diff --git a/.github/ISSUE_TEMPLATE/bug_report.yml b/.github/ISSUE_TEMPLATE/bug_report.yml new file mode 100644 index 00000000..99afe5e1 --- /dev/null +++ b/.github/ISSUE_TEMPLATE/bug_report.yml @@ -0,0 +1,39 @@ +name: 🐛Bug Report +description: File a bug report here +title: "[BUG]: " +labels: ["bug"] +assignees: [""] +body: + - type: markdown + attributes: + value: | + Thanks for taking the time to fill out this bug report 🤗 + Make sure there aren't any open/closed issues for this topic 😃 + + - type: textarea + id: bug-description + attributes: + label: Description of the bug + description: Give us a brief description of what happened and what should have happened + validations: + required: true + + - type: textarea + id: steps-to-reproduce + attributes: + label: Steps To Reproduce + description: Steps to reproduce the behavior. + placeholder: | + 1. Go to '...' + 2. Click on '...' + 3. Scroll down to '...' + 4. See error + validations: + required: true + + - type: textarea + id: additional-information + attributes: + label: Additional Information + description: | + Provide any additional information such as logs, screenshots, likes, scenarios in which the bug occurs so that it facilitates resolving the issue. diff --git a/.github/ISSUE_TEMPLATE/codebase_reorg.yml b/.github/ISSUE_TEMPLATE/codebase_reorg.yml new file mode 100644 index 00000000..4606f981 --- /dev/null +++ b/.github/ISSUE_TEMPLATE/codebase_reorg.yml @@ -0,0 +1,24 @@ +name: 🧹Codebase Refactor +description: Refactor, clean, format the codebase +title: "[ORG]: " +labels: ["refactor"] +assignees: [""] +body: + - type: markdown + attributes: + value: | + Please make sure this codebase refactor request hasn't been already submitted by someone by looking through other open/closed issues + + - type: textarea + id: description + attributes: + label: Description + description: Give us a brief description of the codebase refactor task you would like + validations: + required: true + + - type: textarea + id: additional-information + attributes: + label: Additional Information + description: Give us some additional reason on why codebase refactor is necessary to do diff --git a/.github/ISSUE_TEMPLATE/exp_record.yml b/.github/ISSUE_TEMPLATE/exp_record.yml new file mode 100644 index 00000000..f71dea1c --- /dev/null +++ b/.github/ISSUE_TEMPLATE/exp_record.yml @@ -0,0 +1,24 @@ +name: 🧪Experiment Record +description: Describe experiment setting and results here +title: "[EXP]: " +labels: ["experiment"] +assignees: [""] +body: + - type: markdown + attributes: + value: | + Please make sure this experiment request hasn't been already submitted by someone by looking through other open/closed issues + + - type: textarea + id: description + attributes: + label: Description + description: Give us a brief description of the experimental setting and results you would like + validations: + required: true + + - type: textarea + id: additional-information + attributes: + label: Additional Information + description: Give us some additional information on the experimental setting and results like learning rate, data selection , etc. diff --git a/.github/ISSUE_TEMPLATE/feature_request.yml b/.github/ISSUE_TEMPLATE/feature_request.yml new file mode 100644 index 00000000..40dc70e3 --- /dev/null +++ b/.github/ISSUE_TEMPLATE/feature_request.yml @@ -0,0 +1,23 @@ +name: ✨Feature Request +description: Request a new feature or enhancement +labels: ["enhancement"] +title: "[FEAT]: " +body: + - type: markdown + attributes: + value: | + Please make sure this feature request hasn't been already submitted by someone by looking through other open/closed issues + + - type: textarea + id: description + attributes: + label: Description + description: Give us a brief description of the feature or enhancement you would like + validations: + required: true + + - type: textarea + id: additional-information + attributes: + label: Additional Information + description: Give us some additional information on the feature request like proposed solutions, links, screenshots, etc. diff --git a/.github/ISSUE_TEMPLATE/writing_task.yml b/.github/ISSUE_TEMPLATE/writing_task.yml new file mode 100644 index 00000000..502f20b6 --- /dev/null +++ b/.github/ISSUE_TEMPLATE/writing_task.yml @@ -0,0 +1,24 @@ +name: 🖊️Writing Task +description: Describe writing task here +title: "[WRT]: " +labels: ["writing"] +assignees: [""] +body: + - type: markdown + attributes: + value: | + Please make sure this writing task request hasn't been already submitted by someone by looking through other open/closed issues + + - type: textarea + id: description + attributes: + label: Description + description: Give us a brief description of the writing task you would like + validations: + required: true + + - type: textarea + id: additional-information + attributes: + label: Additional Information + description: Give us some additional information on the writing task like exptected length, main content, etc. diff --git a/.github/dependabot.yml b/.github/dependabot.yml new file mode 100644 index 00000000..2775ad7e --- /dev/null +++ b/.github/dependabot.yml @@ -0,0 +1,11 @@ +# To get started with Dependabot version updates, you'll need to specify which +# package ecosystems to update and where the package manifests are located. +# Please see the documentation for all configuration options: +# https://docs.github.com/code-security/dependabot/dependabot-version-updates/configuration-options-for-the-dependabot.yml-file + +version: 2 +updates: + - package-ecosystem: "pip" # See documentation for possible values + directory: "/" # Location of package manifests + schedule: + interval: "daily" diff --git a/.github/pull_request_template.md b/.github/pull_request_template.md new file mode 100644 index 00000000..af460a9c --- /dev/null +++ b/.github/pull_request_template.md @@ -0,0 +1,27 @@ + + + +Closes # + +## 📑 Description + + + + +## ✅ Checks + +- [ ] My pull request adheres to the code style of this project +- [ ] My code requires changes to the documentation +- [ ] I have updated the documentation as required +- [ ] All the tests have passed +- [ ] Branch name follows `type/descript` (e.g. `feature/add-llm-agents`) +- [ ] Ready for code review + +## ℹ Additional Information + diff --git a/.github/workflows/codespell.yml b/.github/workflows/codespell.yml new file mode 100644 index 00000000..d063beff --- /dev/null +++ b/.github/workflows/codespell.yml @@ -0,0 +1,31 @@ +name: codespell + +concurrency: + group: ${{ github.workflow }}-${{ github.ref }} + cancel-in-progress: ${{ github.ref != 'refs/heads/main' }} + +on: + push: + branches: [main] + pull_request: + branches: [main] + +jobs: + codespell: + runs-on: ubuntu-latest + strategy: + matrix: + python-version: ["3.10"] + steps: + - uses: actions/checkout@v2 + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + - name: Install dependencies + run: | + python -m pip install --upgrade pip + pip install codespell==2.2.6 tomli==2.0.1 + - name: Spelling check with codespell + run: | + codespell -c pyproject.toml diff --git a/.github/workflows/isort.yml b/.github/workflows/isort.yml new file mode 100644 index 00000000..2229a390 --- /dev/null +++ b/.github/workflows/isort.yml @@ -0,0 +1,31 @@ +name: isort + +concurrency: + group: ${{ github.workflow }}-${{ github.ref }} + cancel-in-progress: ${{ github.ref != 'refs/heads/main' }} + +on: + push: + branches: [main] + pull_request: + branches: [main] + +jobs: + isort: + runs-on: ubuntu-latest + strategy: + matrix: + python-version: ["3.10"] + steps: + - uses: actions/checkout@v2 + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + - name: Install dependencies + run: | + python -m pip install --upgrade pip + pip install isort==5.13.2 + - name: Run isort + run: | + isort . --check-only diff --git a/.github/workflows/mypy.yml b/.github/workflows/mypy.yml new file mode 100644 index 00000000..da9c2c71 --- /dev/null +++ b/.github/workflows/mypy.yml @@ -0,0 +1,35 @@ +name: Mypy + +concurrency: + group: ${{ github.workflow }}-${{ github.ref }} + cancel-in-progress: ${{ github.ref != 'refs/heads/main' }} + +on: + push: + branches: [main] + pull_request: + branches: [main] + +jobs: + Static-Type-Checking: + runs-on: ubuntu-latest + strategy: + max-parallel: 5 + matrix: + python-version: ["3.10"] + + steps: + - uses: actions/checkout@v2 + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + - name: Install dependencies + run: | + curl -sSL https://install.python-poetry.org | python3 + poetry install --all-extras + - name: Type-checking package with mypy + run: | + # Run this mypy instance against our main package. + poetry run pip install types-protobuf==4.24.0.4 + poetry run mypy --config-file pyproject.toml . diff --git a/.github/workflows/pytest.yml b/.github/workflows/pytest.yml new file mode 100644 index 00000000..96564e62 --- /dev/null +++ b/.github/workflows/pytest.yml @@ -0,0 +1,36 @@ +name: Pytest + +concurrency: + group: ${{ github.workflow }}-${{ github.ref }} + cancel-in-progress: ${{ github.ref != 'refs/heads/main' }} + +on: + push: + branches: [main] + pull_request: + branches: [main] + +jobs: + Pytest: + runs-on: ubuntu-latest + strategy: + max-parallel: 5 + matrix: + python-version: ["3.10"] + + steps: + - uses: actions/checkout@v2 + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + - name: Install dependencies + run: | + curl -sSL https://install.python-poetry.org | python3 + poetry install --all-extras + - name: Test with pytest + env: + OPENAI_API_KEY: ${{ secrets.OPENAI_API_KEY }} + TOGETHERAI_API_KEY: ${{ secrets.TOGETHERAI_API_KEY }} + run: | + poetry run pytest diff --git a/.github/workflows/ruff.yml b/.github/workflows/ruff.yml new file mode 100644 index 00000000..8ae4809a --- /dev/null +++ b/.github/workflows/ruff.yml @@ -0,0 +1,34 @@ +name: ruff + +concurrency: + group: ${{ github.workflow }}-${{ github.ref }} + cancel-in-progress: ${{ github.ref != 'refs/heads/main' }} + +on: + push: + branches: [main] + pull_request: + branches: [main] + +jobs: + ruff: + runs-on: ubuntu-latest + strategy: + matrix: + python-version: ["3.10"] + steps: + - uses: actions/checkout@v2 + - name: Set up Python ${{ matrix.python-version }} + uses: actions/setup-python@v2 + with: + python-version: ${{ matrix.python-version }} + - name: Install dependencies + run: | + python -m pip install --upgrade pip + pip install ruff==0.5.1 + - name: Analysing the code with ruff + run: | + ruff check . + - name: Format the code with ruff + run: | + ruff format . diff --git a/.gitignore b/.gitignore new file mode 100644 index 00000000..fde78245 --- /dev/null +++ b/.gitignore @@ -0,0 +1,31 @@ +.env + +# virtual env +venv/ + +# MACOS system files +.DS_Store + +# caches +.cache/ +__pycache__ + +# IDE config files +.idea +.vscode + +# log files +*.log + +# docker +.dockerfile +.dockerfile-cache/ + +# data + +data/output_env_groups/ +data/output_txt_files/ + +outputs/ +wandb/ +logs/ \ No newline at end of file diff --git a/.pre-commit-config.yaml b/.pre-commit-config.yaml new file mode 100644 index 00000000..cd1d13d0 --- /dev/null +++ b/.pre-commit-config.yaml @@ -0,0 +1,28 @@ +repos: +- repo: https://github.com/pre-commit/pre-commit-hooks + rev: v3.2.0 + hooks: + - id: trailing-whitespace + - id: end-of-file-fixer + - id: check-yaml + - id: check-added-large-files +- repo: https://github.com/pre-commit/mirrors-prettier + rev: v3.0.1 # Use the sha / tag you want to point at + hooks: + - id: prettier + types_or: [html] +- repo: https://github.com/astral-sh/ruff-pre-commit + rev: v0.3.5 # Ruff version + hooks: + - id: ruff + types_or: [python, pyi, jupyter] + args: [--fix] + +- repo: https://github.com/pre-commit/mirrors-isort + rev: v5.10.1 # Use the latest isort version + hooks: + - id: isort # This will sort imports automatically +- repo: https://github.com/kynan/nbstripout + rev: 0.6.0 + hooks: + - id: nbstripout diff --git a/LICENSE b/LICENSE new file mode 100644 index 00000000..261eeb9e --- /dev/null +++ b/LICENSE @@ -0,0 +1,201 @@ + Apache License + Version 2.0, January 2004 + http://www.apache.org/licenses/ + + TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION + + 1. Definitions. + + "License" shall mean the terms and conditions for use, reproduction, + and distribution as defined by Sections 1 through 9 of this document. + + "Licensor" shall mean the copyright owner or entity authorized by + the copyright owner that is granting the License. + + "Legal Entity" shall mean the union of the acting entity and all + other entities that control, are controlled by, or are under common + control with that entity. For the purposes of this definition, + "control" means (i) the power, direct or indirect, to cause the + direction or management of such entity, whether by contract or + otherwise, or (ii) ownership of fifty percent (50%) or more of the + outstanding shares, or (iii) beneficial ownership of such entity. + + "You" (or "Your") shall mean an individual or Legal Entity + exercising permissions granted by this License. + + "Source" form shall mean the preferred form for making modifications, + including but not limited to software source code, documentation + source, and configuration files. + + "Object" form shall mean any form resulting from mechanical + transformation or translation of a Source form, including but + not limited to compiled object code, generated documentation, + and conversions to other media types. + + "Work" shall mean the work of authorship, whether in Source or + Object form, made available under the License, as indicated by a + copyright notice that is included in or attached to the work + (an example is provided in the Appendix below). + + "Derivative Works" shall mean any work, whether in Source or Object + form, that is based on (or derived from) the Work and for which the + editorial revisions, annotations, elaborations, or other modifications + represent, as a whole, an original work of authorship. For the purposes + of this License, Derivative Works shall not include works that remain + separable from, or merely link (or bind by name) to the interfaces of, + the Work and Derivative Works thereof. + + "Contribution" shall mean any work of authorship, including + the original version of the Work and any modifications or additions + to that Work or Derivative Works thereof, that is intentionally + submitted to Licensor for inclusion in the Work by the copyright owner + or by an individual or Legal Entity authorized to submit on behalf of + the copyright owner. For the purposes of this definition, "submitted" + means any form of electronic, verbal, or written communication sent + to the Licensor or its representatives, including but not limited to + communication on electronic mailing lists, source code control systems, + and issue tracking systems that are managed by, or on behalf of, the + Licensor for the purpose of discussing and improving the Work, but + excluding communication that is conspicuously marked or otherwise + designated in writing by the copyright owner as "Not a Contribution." + + "Contributor" shall mean Licensor and any individual or Legal Entity + on behalf of whom a Contribution has been received by Licensor and + subsequently incorporated within the Work. + + 2. Grant of Copyright License. Subject to the terms and conditions of + this License, each Contributor hereby grants to You a perpetual, + worldwide, non-exclusive, no-charge, royalty-free, irrevocable + copyright license to reproduce, prepare Derivative Works of, + publicly display, publicly perform, sublicense, and distribute the + Work and such Derivative Works in Source or Object form. + + 3. Grant of Patent License. Subject to the terms and conditions of + this License, each Contributor hereby grants to You a perpetual, + worldwide, non-exclusive, no-charge, royalty-free, irrevocable + (except as stated in this section) patent license to make, have made, + use, offer to sell, sell, import, and otherwise transfer the Work, + where such license applies only to those patent claims licensable + by such Contributor that are necessarily infringed by their + Contribution(s) alone or by combination of their Contribution(s) + with the Work to which such Contribution(s) was submitted. If You + institute patent litigation against any entity (including a + cross-claim or counterclaim in a lawsuit) alleging that the Work + or a Contribution incorporated within the Work constitutes direct + or contributory patent infringement, then any patent licenses + granted to You under this License for that Work shall terminate + as of the date such litigation is filed. + + 4. Redistribution. You may reproduce and distribute copies of the + Work or Derivative Works thereof in any medium, with or without + modifications, and in Source or Object form, provided that You + meet the following conditions: + + (a) You must give any other recipients of the Work or + Derivative Works a copy of this License; and + + (b) You must cause any modified files to carry prominent notices + stating that You changed the files; and + + (c) You must retain, in the Source form of any Derivative Works + that You distribute, all copyright, patent, trademark, and + attribution notices from the Source form of the Work, + excluding those notices that do not pertain to any part of + the Derivative Works; and + + (d) If the Work includes a "NOTICE" text file as part of its + distribution, then any Derivative Works that You distribute must + include a readable copy of the attribution notices contained + within such NOTICE file, excluding those notices that do not + pertain to any part of the Derivative Works, in at least one + of the following places: within a NOTICE text file distributed + as part of the Derivative Works; within the Source form or + documentation, if provided along with the Derivative Works; or, + within a display generated by the Derivative Works, if and + wherever such third-party notices normally appear. The contents + of the NOTICE file are for informational purposes only and + do not modify the License. You may add Your own attribution + notices within Derivative Works that You distribute, alongside + or as an addendum to the NOTICE text from the Work, provided + that such additional attribution notices cannot be construed + as modifying the License. + + You may add Your own copyright statement to Your modifications and + may provide additional or different license terms and conditions + for use, reproduction, or distribution of Your modifications, or + for any such Derivative Works as a whole, provided Your use, + reproduction, and distribution of the Work otherwise complies with + the conditions stated in this License. + + 5. Submission of Contributions. Unless You explicitly state otherwise, + any Contribution intentionally submitted for inclusion in the Work + by You to the Licensor shall be under the terms and conditions of + this License, without any additional terms or conditions. + Notwithstanding the above, nothing herein shall supersede or modify + the terms of any separate license agreement you may have executed + with Licensor regarding such Contributions. + + 6. Trademarks. This License does not grant permission to use the trade + names, trademarks, service marks, or product names of the Licensor, + except as required for reasonable and customary use in describing the + origin of the Work and reproducing the content of the NOTICE file. + + 7. Disclaimer of Warranty. Unless required by applicable law or + agreed to in writing, Licensor provides the Work (and each + Contributor provides its Contributions) on an "AS IS" BASIS, + WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or + implied, including, without limitation, any warranties or conditions + of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A + PARTICULAR PURPOSE. You are solely responsible for determining the + appropriateness of using or redistributing the Work and assume any + risks associated with Your exercise of permissions under this License. + + 8. Limitation of Liability. In no event and under no legal theory, + whether in tort (including negligence), contract, or otherwise, + unless required by applicable law (such as deliberate and grossly + negligent acts) or agreed to in writing, shall any Contributor be + liable to You for damages, including any direct, indirect, special, + incidental, or consequential damages of any character arising as a + result of this License or out of the use or inability to use the + Work (including but not limited to damages for loss of goodwill, + work stoppage, computer failure or malfunction, or any and all + other commercial damages or losses), even if such Contributor + has been advised of the possibility of such damages. + + 9. Accepting Warranty or Additional Liability. While redistributing + the Work or Derivative Works thereof, You may choose to offer, + and charge a fee for, acceptance of support, warranty, indemnity, + or other liability obligations and/or rights consistent with this + License. However, in accepting such obligations, You may act only + on Your own behalf and on Your sole responsibility, not on behalf + of any other Contributor, and only if You agree to indemnify, + defend, and hold each Contributor harmless for any liability + incurred by, or claims asserted against, such Contributor by reason + of your accepting any such warranty or additional liability. + + END OF TERMS AND CONDITIONS + + APPENDIX: How to apply the Apache License to your work. + + To apply the Apache License to your work, attach the following + boilerplate notice, with the fields enclosed by brackets "[]" + replaced with your own identifying information. (Don't include + the brackets!) The text should be enclosed in the appropriate + comment syntax for the file format. We also recommend that a + file or class name and description of purpose be included on the + same "printed page" as the copyright notice for easier + identification within third-party archives. + + Copyright [yyyy] [name of copyright owner] + + Licensed under the Apache License, Version 2.0 (the "License"); + you may not use this file except in compliance with the License. + You may obtain a copy of the License at + + http://www.apache.org/licenses/LICENSE-2.0 + + Unless required by applicable law or agreed to in writing, software + distributed under the License is distributed on an "AS IS" BASIS, + WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + See the License for the specific language governing permissions and + limitations under the License. diff --git a/README.md b/README.md new file mode 100644 index 00000000..93478f77 --- /dev/null +++ b/README.md @@ -0,0 +1,370 @@ +# OpenManus-RL +🤗 Dataset (OpenManus-RL) + +OpenManus-RL is an open-source initiative collaboratively led by __Ulab-UIUC__ and __MetaGPT__ . + +This project is an extended version of the original [@OpenManus](https://github.com/FoundationAgents/OpenManus) initiative. Inspired by successful RL tunning for reasoning LLM such as Deepseek-R1, QwQ-32B, we will explore new paradigms for RL-based LLM agent tuning, particularly building upon foundations. + +We are committed to regularly updating our exploration directions and results in a dynamic, live-streaming fashion. All progress, including rigorous testing on agent benchmarks such as GAIA, AgentBench, WebShop, and OSWorld, and tuned models, will be openly shared and continuously updated. + +We warmly welcome contributions from the broader community—join us in pushing the boundaries of agent reasoning and tool integration! + +Code and dataset coming soon! Stay tuned! + +
+
+ marble +
+
+ +## 📖 Table of Contents + +- [OpenManus-RL](#openmanus-rl) + - [🔔 News](#-news) + - [Current Team Members](#current-team-members) + - [How to Contribute](#how-to-contribute) + - [Roadmap](#roadmap) + - [Method](#method) + - [Reasoning Models Exploration](#reasoning-models-exploration) + - [Alternative Rollout Strategies](#alternative-rollout-strategies) + - [Environment and Benchmark](#environment-and-benchmark) + - [Post-Training Strategies](#post-training-strategies) + - [Training of Agent Reward Model](#training-of-agent-reward-model) + - [Test-time Scaling of Trajectories](#test-time-scaling-of-trajectories) + - [Action Space Awareness and Strategic Exploration](#action-space-awareness-and-strategic-exploration) + - [Integration with RL Tuning Frameworks](#integration-with-rl-tuning-frameworks) + - [Dataset](#dataset) + - [Dataset Overbiew](#dataset-overview) + - [Data Instances](#data-instances) +- [Running](#Running) +- [Related Work](#related-work) + - [Agent tuning](#agent-tuning) + - [Tool using](#tool-using) + - [Agent tuning instruction dataset](#agent-tuning-instruction-dataset) + - [RL tuning](#rl-tuning) + - [Benchmark](#benchmark) + - [Similar Code](#similar-code) +- [Acknowledgement](#acknowledgement) +- [Community Group](#community-group) +- [Citation](#citation) +- [Documentation](#documentation) + +--- + + +## 🔔 News +- **[2025-03-09]** 🍺 We collect and opensource our Agent SFT dataset at [Huggingface](https://huggingface.co/datasets/CharlieDreemur/OpenManus-RL), go try it! +- **[2025-03-08]** 🎉 We are collaborating with [@OpenManus](https://github.com/mannaandpoem/OpenManus) from Metagpt to work on this project together! +- **[2025-03-06]** 🥳 We(UIUC-Ulab) are announcing our live-streaming project, OpenManus-RL. + + +## Current Team Members +[@Kunlun Zhu](https://github.com/Kunlun-Zhu)(Ulab-UIUC), [@Jiayi Zhang](https://github.com/didiforgithub)(MetaGPT), [@Xinbing Liang](https://github.com/mannaandpoem),[@Xiangxin Zhou](https://github.com/zhouxiangxin1998), [@Yanfei Zhang](https://github.com/yanfei-zhang-95), [@Yingxuan Yang](https://github.com/zoe-yyx), [@Zeping Chen](https://github.com/rxdaozhang),[@Weijia Zhang](https://github.com/CharlieDreemur), [@Muxin Tian](https://github.com/realtmxi), [@Haofei Yu](https://github.com/lwaekfjlk)(Ulab-UIUC), [@Jinyu Xiang](https://github.com/XiangJinyu), [@Yifan Wu](https://github.com/Evanwu50020), [@Bowen Jin](https://github.com/PeterGriffinJin) + +--- + +# How to Contribute +We wholeheartedly welcome suggestions, feedback, and contributions from the community! Feel free to: + +We welcome contributions, including fine-tuning codebase, tuning dataset, environment setup, and computing resources. +Create issues for feature requests, bug reports, or ideas. +Submit pull requests to help improve OpenManus-RL. +Or simply reach out to us for direct collaboration. +Important contributors will be listed as co-authors to our paper. + +# Roadmap +1. Agent Environment Support +Setting up LLM agent environment for online RL tunning. + +2. Agent Trajectories Data Collection +Connect to specialized reasoning models such as deepseek-r1, QwQ-32B for more complex inference tasks to collect comprehensive agent trajectories. + +3. RL-Tuning Model Paradigm +Provide an RL fine-tuning approach for customizing the agent's behavior in our agent environment. + +4. Test on Agent Benchmarks +Evaluate our framework on agentic benchmark such as Webshop, GAIA, OSWorld, AgentBench + + + +
+
+ marble +
+
+ +## Method + +Our method proposes an advanced reinforcement learning (RL)-based agent tuning framework designed to significantly enhance reasoning and decision-making capabilities of large language models (LLMs). Drawing inspiration from RAGEN's Reasoning-Interaction Chain Optimization (RICO), our approach further explores novel algorithmic structures, diverse reasoning paradigms, sophisticated reward strategies, and extensive benchmark environments. + +### Reasoning Models Exploration +To benchmark the reasoning capabilities effectively, we evaluate multiple state-of-the-art reasoning models: +- **GPT-O1** +- **Deepseek-R1** +- **QwQ-32B** + +Each model provides unique reasoning capabilities that inform downstream optimization and training strategies. + +### Alternative Rollout Strategies +We experiment with a variety of rollout strategies to enhance agent planning efficiency and reasoning robustness, including: + +- **Tree-of-Thoughts (ToT)**: Employs tree-based reasoning paths, enabling agents to explore branching possibilities systematically. +- **Graph-of-Thoughts (GoT)**: Utilizes graph structures to represent complex reasoning dependencies effectively. +- **DFSDT (Depth-First Search Decision Trees)**: Optimizes action selection through depth-first search, enhancing long-horizon planning. +- **Monte Carlo Tree Search (MCTS)**: Explores reasoning and decision paths probabilistically, balancing exploration and exploitation effectively. + +These methods help identify optimal rollout techniques for various reasoning tasks. + +### Diverse Reasoning Formats +We specifically analyze and compare several reasoning output formats, notably: + +- **ReAct**: Integrates reasoning and action explicitly, encouraging structured decision-making. +- **Outcome-based Reasoning**: Optimizes toward explicit outcome predictions, driving focused goal alignment. + +These formats are rigorously compared to derive the most effective reasoning representation for various tasks. + +### Post-Training Strategies +We investigate multiple post-training methodologies to fine-tune agent reasoning effectively: + +- **Supervised Fine-Tuning (SFT)**: Initializes reasoning capabilities using human-annotated instructions. +- **Generalized Reward-based Policy Optimization (GRPO)**: Incorporates: + - **Format-based Rewards**: Rewards adherence to specified reasoning structures. + - **Outcome-based Rewards**: Rewards accurate task completion and goal attainment. +- **Proximal Policy Optimization (PPO)**: Enhances agent stability through proximal updates. +- **Direct Preference Optimization (DPO)**: Leverages explicit human preferences to optimize agent outputs directly. +- **Preference-based Reward Modeling (PRM)**: Uses learned reward functions derived from human preference data. + +### Training of Agent Reward Model +We train specialized agent reward models using annotated data to accurately quantify nuanced reward signals. These models are then leveraged to guide agent trajectory selection during both training and evaluation phases. + +### Test-time Scaling of Trajectories +During the inference phase, trajectory scaling methods are implemented, allowing agents to flexibly adapt to varying task complexities, thus enhancing robustness and performance in real-world scenarios. + +### Action Space Awareness and Strategic Exploration +Agents are equipped with action-space awareness, employing systematic exploration strategies designed to navigate complex action spaces effectively, ultimately maximizing expected rewards. + +### Integration with RL Tuning Frameworks +We integrate insights and methodologies from leading RL tuning frameworks, including: + +- **Verl** +- **TinyZero** +- **OpenR1** +- **Trlx** + +Through these frameworks, agents can effectively balance exploration and exploitation, optimize reasoning processes, and adapt dynamically to novel environments. + +In summary, our method systematically integrates advanced reasoning paradigms, diverse rollout strategies, sophisticated reward modeling, and robust RL frameworks, significantly advancing the capability and adaptability of reasoning-enhanced LLM agents. + +
+
+ marble +
+
+ +# Dataset +[**OpenManusRL-Dataset**](https://huggingface.co/datasets/CharlieDreemur/OpenManus-RL) combines agent trajectories from [AgentInstruct](https://huggingface.co/datasets/THUDM/AgentInstruct), [Agent-FLAN](https://huggingface.co/datasets/internlm/Agent-FLAN) and [AgentTraj-L(AgentGym)] with features: + +- 🔍 **ReAct Framework** - Reasoning-Acting integration +- 🧠 **Structured Training** - Separate format/reasoning learning +- 🚫 **Anti-Hallucination** - Negative samples + environment grounding +- 🌐 **6 Domains** - OS, DB, Web, KG, Household, E-commerce + +### Dataset Overview +| Source | Trajectories | Avg Turns | Key Features | +|--------|--------------|-----------|--------------| +| [AgentInstruct](https://huggingface.co/datasets/THUDM/AgentInstruct) | 1,866 | 5.24 | Multi-task QA, CoT reasoning | +| [Agent-FLAN](https://huggingface.co/datasets/internlm/Agent-FLAN) | 34442 | 3-35 | Error recovery patterns, diverse real-world tasks| + [AgentTraj-L](https://huggingface.co/datasets/AgentGym/AgentTraj-L) | 14485 | 3-35 | interactive environments and tasks +| **Combined** | 50793 | 4-20 | Enhanced generalization, uniform format with broader task coverage | + +### Supported Tasks +- **text-generation**: ReAct-style instruction following +- **conversational-ai**: Tool-augmented dialogues + +### Languages +English + +## Data Instances + +**ReAct Pattern Example**: +```json +{ + "id": "os_0", + "conversations": [ + {"role": "user", "content": "Count files in /etc"}, + {"role": "assistant", "content": "Think: Need reliable counting method\nAct: bash\n```bash\nls -1 /etc | wc -l\n```"}, + {"role": "user", "content": "OS Output: 220"}, + {"role": "assistant", "content": "Think: Verified through execution\nAct: answer(220)"} + ] +} +``` + +# Running + +## OpenManus-RL + +A simplified library for Supervised Fine-Tuning (SFT) and GRPO tunning of language models for agentic system. (developed upon [Verl](https://github.com/volcengine/verl) from Bytedance) +We are still laboriously developing this part, welcome feedback. + +## Installation + +First, create a conda environment and activate it: + +```bash +# Create a new conda environment +conda create -n openmanus-rl python=3.10 -y +conda activate openmanus-rl +``` + +Then, install the required dependencies: + +```bash +# Install PyTorch with CUDA support +pip3 install torch torchvision + +# Install vllm for efficient inference +# Install the main package +pip install -e .[vllm] + +# flash attention 2 +pip3 install flash-attn --no-build-isolation +pip install wandb + +``` + +## Environment Setup + +### WebShop Environment Setup as an example, more environment could be found on the agentgym + +To set up the WebShop environment for evaluation: + +```bash +# Change to the agentenv-webshop directory +cd agentenv-webshop + +# Create a new conda environment for WebShop +conda env create -n webshop -f environment.yml +conda activate webshop + +# Setup the environment +bash ./setup.sh +``` + +### Launching the WebShop Server + +After setting up the environment, you can launch the WebShop server: + +```bash +# Make sure the webshop conda environment is activated +conda activate webshop + +# Launch the server (default port: 36001) +webshop --port 36001 +``` + +Note: The WebShop environment requires specific versions of Python, PyTorch, Faiss, and Java. The setup script will handle these dependencies automatically. + +## Quick start + +Train a reasoning + search LLM on NQ dataset with e5 as the retriever and wikipedia as the corpus. + +(1) Download the indexing and corpus. + +From https://huggingface.co/datasets/CharlieDreemur/OpenManus-RL + +(3) Launch a local AgentGym server. + +(4) Run RL training (PPO) with Llama-3.2-3b-base. +```bash +conda activate openmanus-rl +bash train_ppo.sh +``` + + + + +# Related Work + +## Agent tuning + +1. **Offline Training of Language Model Agents with Functions as Learnable Weights**. [[paper](https://arxiv.org/pdf/2402.11359)] +2. **FIREACT : TOWARD LANGUAGE AGENT FINE-TUNING**. [[paper](https://arxiv.org/pdf/2310.05915)] +3. **AgentTuning: Enabling Generalized Agent Abilities for LLMs**. [[paper](https://arxiv.org/pdf/2310.12823)] +4. **ReAct Meets ActRe: When Language Agents Enjoy Training Data Autonomy**. [[paper](https://arxiv.org/pdf/2403.14589)] +5. **UI-TARS: Pioneering Automated GUI Interaction with Native Agents**. [[paper](https://arxiv.org/pdf/2501.12326#page=16.83)] +6. **ATLAS: Agent Tuning via Learning Critical Steps**. [[paper](https://arxiv.org/pdf/2503.02197)] + +## Tool using + +1. **Toolformer: Language Models Can Teach Themselves to Use Tools**. [[paper](https://arxiv.org/pdf/2302.04761)] +2. **ToolLLM: Facilitating Large Language Models to Master 16000+ Real-world APIs**. [[paper](https://arxiv.org/abs/2307.16789)] + +## Agent tuning instruction dataset + +1. **Agent-FLAN: Designing Data and Methods of Effective Agent Tuning for Large Language Models**. [[paper](https://arxiv.org/pdf/2403.12881)] +2. **AgentOhana: Design Unified Data and Training Pipeline for Effective Agent Learning**. [[paper](https://arxiv.org/pdf/2402.15506)] + +## RL tuning + +1. **Training Language Models to Follow Instructions with Human Feedback**. [[paper](https://arxiv.org/pdf/2305.18438)] +2. **Deepseekmath: Pushing the Limits of Mathematical Reasoning in Open Language Models**. [[paper](https://proceedings.neurips.cc/paper_files/paper/2022/file/b1efde53be364a73914f58805a001731-Paper-Conference.pdf)] +3. **DeepSeek-R1: Incentivizing Reasoning Capability in LLMs via Reinforcement Learning**. [[paper](https://arxiv.org/pdf/2501.12948)] + +## **Benchmark:** + +1. **AgentBench: Evaluating LLMs as Agents**. [paper](https://arxiv.org/abs/2308.03688) +2. **OSWorld: Benchmarking Multimodal Agents for Open-Ended Tasks in Real Computer Environments**. [paper](https://arxiv.org/abs/2404.07972) +3. **AndroidWorld: A Dynamic Benchmarking Environment for Autonomous Agents**. [paper](https://openreview.net/forum?id=il5yUQsrjC) +4. **WebShop: Towards Scalable Real-World Web Interaction with Autonomous Agents**. [paper](https://arxiv.org/pdf/2207.01206) +5. **GAIA: a benchmark for General AI Assistants**. [paper](https://arxiv.org/abs/2311.12983) +6. **TheAgentCompany: Benchmarking LLM Agents on Consequential Real World Tasks**. [paper](https://arxiv.org/abs/2412.14161) + + +## Similar Code + +1. **RAGEN: Training Agents by Reinforcing Reasoning**. [[code](https://github.com/ZihanWang314/RAGEN)] + +# Acknowledgement +We extend our thanks to ulab-uiuc (https://ulab-uiuc.github.io/) and Openmanus (https://github.com/mannaandpoem/OpenManus)) team from MetaGPT for their support and shared knowledge. Their mission and community contributions help drive innovations like OpenManus forward. + +We also want to thank AgentGym(https://agentgym.github.io/) and Verl (https://github.com/volcengine/verl) for their opensource. + +We welcome all developers who are interested in this project can reach out to (kunlunz2@illinois.edu) + +Stay tuned for updates and the official release of our repository. Together, let's build a thriving open-source agent ecosystem! + +# Community Group + +Join our networking group on Feishu and share your experience with other developers! + +
+ OpenManus-RL 交流群 +
+ +# Citation +Please cite the following paper if you find OpenManus helpful! +```bibtex +@misc{OpenManus, + author = {OpenManus-RL Team}, + title = {OpenManus-RL: Open Platform for Generalist LLM Reasoning Agents with RL optimization}, + year = {2025}, + organization = {GitHub}, + url = {https://github.com/OpenManus/OpenManus-RL}, +} +``` + +

+ + + + + Star History Chart + + +

+ +## Documentation +- [Development Guide (English)](docs/DEVELOPMENT_GUIDE_EN.md) +- [Development Guide (Chinese)](docs/DEVELOPMENT_GUIDE_ZH.md) +- [Training Process Overview (English)](docs/README.md) +- [Training Process Overview (Chinese)](docs/README_ZH.md) diff --git a/__MACOSX/._webshop_tot b/__MACOSX/._webshop_tot deleted file mode 100644 index 686b2d17..00000000 Binary files a/__MACOSX/._webshop_tot and /dev/null differ diff --git a/__MACOSX/webshop_tot/._.DS_Store b/__MACOSX/webshop_tot/._.DS_Store deleted file mode 100644 index a5b28df1..00000000 Binary files a/__MACOSX/webshop_tot/._.DS_Store and /dev/null differ diff --git a/__MACOSX/webshop_tot/._.git b/__MACOSX/webshop_tot/._.git deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/._.git and /dev/null differ diff --git a/__MACOSX/webshop_tot/._.gitignore b/__MACOSX/webshop_tot/._.gitignore deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/._.gitignore and /dev/null differ diff --git a/__MACOSX/webshop_tot/._data b/__MACOSX/webshop_tot/._data deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/._data and /dev/null differ diff --git a/__MACOSX/webshop_tot/._llm_agent_tot.py b/__MACOSX/webshop_tot/._llm_agent_tot.py deleted file mode 100644 index af3471a3..00000000 Binary files a/__MACOSX/webshop_tot/._llm_agent_tot.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/._prompt b/__MACOSX/webshop_tot/._prompt deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/._prompt and /dev/null differ diff --git a/__MACOSX/webshop_tot/._run_agent_tot.py b/__MACOSX/webshop_tot/._run_agent_tot.py deleted file mode 100644 index 34a0460c..00000000 Binary files a/__MACOSX/webshop_tot/._run_agent_tot.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/._run_envs b/__MACOSX/webshop_tot/._run_envs deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/._run_envs and /dev/null differ diff --git a/__MACOSX/webshop_tot/._search_engine b/__MACOSX/webshop_tot/._search_engine deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/._search_engine and /dev/null differ diff --git a/__MACOSX/webshop_tot/._tests b/__MACOSX/webshop_tot/._tests deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/._tests and /dev/null differ diff --git a/__MACOSX/webshop_tot/._tot_agent_results_example.json b/__MACOSX/webshop_tot/._tot_agent_results_example.json deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/._tot_agent_results_example.json and /dev/null differ diff --git a/__MACOSX/webshop_tot/._transfer b/__MACOSX/webshop_tot/._transfer deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/._transfer and /dev/null differ diff --git a/__MACOSX/webshop_tot/._util.py b/__MACOSX/webshop_tot/._util.py deleted file mode 100644 index 580d94d6..00000000 Binary files a/__MACOSX/webshop_tot/._util.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/._web_agent_site b/__MACOSX/webshop_tot/._web_agent_site deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/._web_agent_site and /dev/null differ diff --git a/__MACOSX/webshop_tot/data/._.DS_Store b/__MACOSX/webshop_tot/data/._.DS_Store deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/data/._.DS_Store and /dev/null differ diff --git a/__MACOSX/webshop_tot/data/._items_human_ins.json b/__MACOSX/webshop_tot/data/._items_human_ins.json deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/data/._items_human_ins.json and /dev/null differ diff --git a/__MACOSX/webshop_tot/data/._items_ins_v2_1000.json b/__MACOSX/webshop_tot/data/._items_ins_v2_1000.json deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/data/._items_ins_v2_1000.json and /dev/null differ diff --git a/__MACOSX/webshop_tot/data/._items_shuffle_1000.json b/__MACOSX/webshop_tot/data/._items_shuffle_1000.json deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/data/._items_shuffle_1000.json and /dev/null differ diff --git a/__MACOSX/webshop_tot/data/._select b/__MACOSX/webshop_tot/data/._select deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/data/._select and /dev/null differ diff --git a/__MACOSX/webshop_tot/data/select/._align.py b/__MACOSX/webshop_tot/data/select/._align.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/data/select/._align.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/data/select/._asins_exp_100.json b/__MACOSX/webshop_tot/data/select/._asins_exp_100.json deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/data/select/._asins_exp_100.json and /dev/null differ diff --git a/__MACOSX/webshop_tot/data/select/._asins_exp_400.json b/__MACOSX/webshop_tot/data/select/._asins_exp_400.json deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/data/select/._asins_exp_400.json and /dev/null differ diff --git a/__MACOSX/webshop_tot/data/select/._ins_ai_200.json b/__MACOSX/webshop_tot/data/select/._ins_ai_200.json deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/data/select/._ins_ai_200.json and /dev/null differ diff --git a/__MACOSX/webshop_tot/data/select/._ins_human_200.json b/__MACOSX/webshop_tot/data/select/._ins_human_200.json deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/data/select/._ins_human_200.json and /dev/null differ diff --git a/__MACOSX/webshop_tot/data/select/._ins_human_200_format.json b/__MACOSX/webshop_tot/data/select/._ins_human_200_format.json deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/data/select/._ins_human_200_format.json and /dev/null differ diff --git a/__MACOSX/webshop_tot/data/select/._items_100.json b/__MACOSX/webshop_tot/data/select/._items_100.json deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/data/select/._items_100.json and /dev/null differ diff --git a/__MACOSX/webshop_tot/data/select/._items_ins_100.json b/__MACOSX/webshop_tot/data/select/._items_ins_100.json deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/data/select/._items_ins_100.json and /dev/null differ diff --git a/__MACOSX/webshop_tot/data/select/._select.py b/__MACOSX/webshop_tot/data/select/._select.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/data/select/._select.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/data/select/._unique.py b/__MACOSX/webshop_tot/data/select/._unique.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/data/select/._unique.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/prompt/._.DS_Store b/__MACOSX/webshop_tot/prompt/._.DS_Store deleted file mode 100644 index a5b28df1..00000000 Binary files a/__MACOSX/webshop_tot/prompt/._.DS_Store and /dev/null differ diff --git a/__MACOSX/webshop_tot/prompt/._prompt_tot.py b/__MACOSX/webshop_tot/prompt/._prompt_tot.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/prompt/._prompt_tot.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/run_envs/._run_web_agent_site_env.py b/__MACOSX/webshop_tot/run_envs/._run_web_agent_site_env.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/run_envs/._run_web_agent_site_env.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/run_envs/._run_web_agent_text_env.py b/__MACOSX/webshop_tot/run_envs/._run_web_agent_text_env.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/run_envs/._run_web_agent_text_env.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/._convert_product_file_format.py b/__MACOSX/webshop_tot/search_engine/._convert_product_file_format.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/._convert_product_file_format.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/._indexes b/__MACOSX/webshop_tot/search_engine/._indexes deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/._indexes and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/._indexes_100 b/__MACOSX/webshop_tot/search_engine/._indexes_100 deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/._indexes_100 and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/._indexes_100k b/__MACOSX/webshop_tot/search_engine/._indexes_100k deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/._indexes_100k and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/._indexes_1k b/__MACOSX/webshop_tot/search_engine/._indexes_1k deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/._indexes_1k and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/._lucene_searcher.py b/__MACOSX/webshop_tot/search_engine/._lucene_searcher.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/._lucene_searcher.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/._resources b/__MACOSX/webshop_tot/search_engine/._resources deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/._resources and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/._resources_100 b/__MACOSX/webshop_tot/search_engine/._resources_100 deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/._resources_100 and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/._resources_100k b/__MACOSX/webshop_tot/search_engine/._resources_100k deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/._resources_100k and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/._resources_1k b/__MACOSX/webshop_tot/search_engine/._resources_1k deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/._resources_1k and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/._run_indexing.sh b/__MACOSX/webshop_tot/search_engine/._run_indexing.sh deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/._run_indexing.sh and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1.fdm b/__MACOSX/webshop_tot/search_engine/indexes/.__1.fdm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1.fdm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1.fdt b/__MACOSX/webshop_tot/search_engine/indexes/.__1.fdt deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1.fdt and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1.fdx b/__MACOSX/webshop_tot/search_engine/indexes/.__1.fdx deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1.fdx and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1.fnm b/__MACOSX/webshop_tot/search_engine/indexes/.__1.fnm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1.fnm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1.nvd b/__MACOSX/webshop_tot/search_engine/indexes/.__1.nvd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1.nvd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1.nvm b/__MACOSX/webshop_tot/search_engine/indexes/.__1.nvm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1.nvm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1.si b/__MACOSX/webshop_tot/search_engine/indexes/.__1.si deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1.si and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1.tvd b/__MACOSX/webshop_tot/search_engine/indexes/.__1.tvd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1.tvd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1.tvm b/__MACOSX/webshop_tot/search_engine/indexes/.__1.tvm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1.tvm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1.tvx b/__MACOSX/webshop_tot/search_engine/indexes/.__1.tvx deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1.tvx and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene80_0.dvd b/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene80_0.dvd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene80_0.dvd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene80_0.dvm b/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene80_0.dvm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene80_0.dvm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene84_0.doc b/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene84_0.doc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene84_0.doc and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene84_0.pos b/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene84_0.pos deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene84_0.pos and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene84_0.tim b/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene84_0.tim deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene84_0.tim and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene84_0.tip b/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene84_0.tip deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene84_0.tip and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene84_0.tmd b/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene84_0.tmd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/.__1_Lucene84_0.tmd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/._segments_2 b/__MACOSX/webshop_tot/search_engine/indexes/._segments_2 deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/._segments_2 and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes/._write.lock b/__MACOSX/webshop_tot/search_engine/indexes/._write.lock deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes/._write.lock and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.fdm b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.fdm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.fdm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.fdt b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.fdt deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.fdt and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.fdx b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.fdx deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.fdx and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.fnm b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.fnm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.fnm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.nvd b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.nvd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.nvd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.nvm b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.nvm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.nvm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.si b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.si deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.si and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.tvd b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.tvd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.tvd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.tvm b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.tvm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.tvm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.tvx b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.tvx deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1.tvx and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene80_0.dvd b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene80_0.dvd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene80_0.dvd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene80_0.dvm b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene80_0.dvm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene80_0.dvm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene84_0.doc b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene84_0.doc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene84_0.doc and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene84_0.pos b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene84_0.pos deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene84_0.pos and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene84_0.tim b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene84_0.tim deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene84_0.tim and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene84_0.tip b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene84_0.tip deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene84_0.tip and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene84_0.tmd b/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene84_0.tmd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/.__1_Lucene84_0.tmd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/._segments_2 b/__MACOSX/webshop_tot/search_engine/indexes_100/._segments_2 deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/._segments_2 and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100/._write.lock b/__MACOSX/webshop_tot/search_engine/indexes_100/._write.lock deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100/._write.lock and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.fdm b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.fdm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.fdm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.fdt b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.fdt deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.fdt and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.fdx b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.fdx deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.fdx and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.fnm b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.fnm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.fnm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.nvd b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.nvd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.nvd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.nvm b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.nvm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.nvm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.si b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.si deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.si and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.tvd b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.tvd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.tvd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.tvm b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.tvm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.tvm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.tvx b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.tvx deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1.tvx and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene80_0.dvd b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene80_0.dvd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene80_0.dvd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene80_0.dvm b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene80_0.dvm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene80_0.dvm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene84_0.doc b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene84_0.doc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene84_0.doc and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene84_0.pos b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene84_0.pos deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene84_0.pos and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene84_0.tim b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene84_0.tim deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene84_0.tim and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene84_0.tip b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene84_0.tip deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene84_0.tip and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene84_0.tmd b/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene84_0.tmd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/.__1_Lucene84_0.tmd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/._segments_2 b/__MACOSX/webshop_tot/search_engine/indexes_100k/._segments_2 deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/._segments_2 and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_100k/._write.lock b/__MACOSX/webshop_tot/search_engine/indexes_100k/._write.lock deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_100k/._write.lock and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.fdm b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.fdm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.fdm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.fdt b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.fdt deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.fdt and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.fdx b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.fdx deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.fdx and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.fnm b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.fnm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.fnm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.nvd b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.nvd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.nvd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.nvm b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.nvm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.nvm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.si b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.si deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.si and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.tvd b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.tvd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.tvd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.tvm b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.tvm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.tvm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.tvx b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.tvx deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1.tvx and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene80_0.dvd b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene80_0.dvd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene80_0.dvd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene80_0.dvm b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene80_0.dvm deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene80_0.dvm and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene84_0.doc b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene84_0.doc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene84_0.doc and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene84_0.pos b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene84_0.pos deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene84_0.pos and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene84_0.tim b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene84_0.tim deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene84_0.tim and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene84_0.tip b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene84_0.tip deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene84_0.tip and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene84_0.tmd b/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene84_0.tmd deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/.__1_Lucene84_0.tmd and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/._segments_2 b/__MACOSX/webshop_tot/search_engine/indexes_1k/._segments_2 deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/._segments_2 and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/indexes_1k/._write.lock b/__MACOSX/webshop_tot/search_engine/indexes_1k/._write.lock deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/indexes_1k/._write.lock and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/resources/._documents.jsonl b/__MACOSX/webshop_tot/search_engine/resources/._documents.jsonl deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/resources/._documents.jsonl and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/resources_100/._documents.jsonl b/__MACOSX/webshop_tot/search_engine/resources_100/._documents.jsonl deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/resources_100/._documents.jsonl and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/resources_100k/._documents.jsonl b/__MACOSX/webshop_tot/search_engine/resources_100k/._documents.jsonl deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/resources_100k/._documents.jsonl and /dev/null differ diff --git a/__MACOSX/webshop_tot/search_engine/resources_1k/._documents.jsonl b/__MACOSX/webshop_tot/search_engine/resources_1k/._documents.jsonl deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/search_engine/resources_1k/._documents.jsonl and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/._.DS_Store b/__MACOSX/webshop_tot/tests/._.DS_Store deleted file mode 100644 index a5b28df1..00000000 Binary files a/__MACOSX/webshop_tot/tests/._.DS_Store and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/._transfer b/__MACOSX/webshop_tot/tests/._transfer deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/._transfer and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/._web-agent-site b/__MACOSX/webshop_tot/tests/._web-agent-site deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/._web-agent-site and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/transfer/._mocks b/__MACOSX/webshop_tot/tests/transfer/._mocks deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/transfer/._mocks and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/transfer/._test_predict_help.py b/__MACOSX/webshop_tot/tests/transfer/._test_predict_help.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/transfer/._test_predict_help.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_item_page_amz b/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_item_page_amz deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_item_page_amz and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_item_page_ebay b/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_item_page_ebay deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_item_page_ebay and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_item_page_ws b/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_item_page_ws deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_item_page_ws and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_item_page_ws_desc b/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_item_page_ws_desc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_item_page_ws_desc and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_item_page_ws_feat b/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_item_page_ws_feat deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_item_page_ws_feat and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_results_amz b/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_results_amz deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_results_amz and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_results_ebay b/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_results_ebay deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_results_ebay and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_results_ws b/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_results_ws deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/transfer/mocks/._mock_parse_results_ws and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/web-agent-site/._engine b/__MACOSX/webshop_tot/tests/web-agent-site/._engine deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/web-agent-site/._engine and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/web-agent-site/._test_utils.py b/__MACOSX/webshop_tot/tests/web-agent-site/._test_utils.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/web-agent-site/._test_utils.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/web-agent-site/engine/._test_goal.py b/__MACOSX/webshop_tot/tests/web-agent-site/engine/._test_goal.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/web-agent-site/engine/._test_goal.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/tests/web-agent-site/engine/._test_normalize.py b/__MACOSX/webshop_tot/tests/web-agent-site/engine/._test_normalize.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/tests/web-agent-site/engine/._test_normalize.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/transfer/._README.md b/__MACOSX/webshop_tot/transfer/._README.md deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/transfer/._README.md and /dev/null differ diff --git a/__MACOSX/webshop_tot/transfer/.___init__.py b/__MACOSX/webshop_tot/transfer/.___init__.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/transfer/.___init__.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/transfer/._app.py b/__MACOSX/webshop_tot/transfer/._app.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/transfer/._app.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/transfer/._predict_help.py b/__MACOSX/webshop_tot/transfer/._predict_help.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/transfer/._predict_help.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/transfer/._webshop_lite.py b/__MACOSX/webshop_tot/transfer/._webshop_lite.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/transfer/._webshop_lite.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/.___init__.py b/__MACOSX/webshop_tot/web_agent_site/.___init__.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/.___init__.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/.___pycache__ b/__MACOSX/webshop_tot/web_agent_site/.___pycache__ deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/.___pycache__ and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/._app.py b/__MACOSX/webshop_tot/web_agent_site/._app.py deleted file mode 100644 index eda976cd..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/._app.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/._attributes b/__MACOSX/webshop_tot/web_agent_site/._attributes deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/._attributes and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/._engine b/__MACOSX/webshop_tot/web_agent_site/._engine deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/._engine and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/._envs b/__MACOSX/webshop_tot/web_agent_site/._envs deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/._envs and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/._models b/__MACOSX/webshop_tot/web_agent_site/._models deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/._models and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/._static b/__MACOSX/webshop_tot/web_agent_site/._static deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/._static and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/._templates b/__MACOSX/webshop_tot/web_agent_site/._templates deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/._templates and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/._utils.py b/__MACOSX/webshop_tot/web_agent_site/._utils.py deleted file mode 100644 index 4adce31e..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/._utils.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/__pycache__/.___init__.cpython-38.pyc b/__MACOSX/webshop_tot/web_agent_site/__pycache__/.___init__.cpython-38.pyc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/__pycache__/.___init__.cpython-38.pyc and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/__pycache__/._utils.cpython-38.pyc b/__MACOSX/webshop_tot/web_agent_site/__pycache__/._utils.cpython-38.pyc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/__pycache__/._utils.cpython-38.pyc and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/attributes/._annotate.py b/__MACOSX/webshop_tot/web_agent_site/attributes/._annotate.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/attributes/._annotate.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/attributes/._generate_attrs.py b/__MACOSX/webshop_tot/web_agent_site/attributes/._generate_attrs.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/attributes/._generate_attrs.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/engine/.___init__.py b/__MACOSX/webshop_tot/web_agent_site/engine/.___init__.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/engine/.___init__.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/engine/.___pycache__ b/__MACOSX/webshop_tot/web_agent_site/engine/.___pycache__ deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/engine/.___pycache__ and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/engine/._engine.py b/__MACOSX/webshop_tot/web_agent_site/engine/._engine.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/engine/._engine.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/engine/._goal.py b/__MACOSX/webshop_tot/web_agent_site/engine/._goal.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/engine/._goal.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/engine/._normalize.py b/__MACOSX/webshop_tot/web_agent_site/engine/._normalize.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/engine/._normalize.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/engine/__pycache__/.___init__.cpython-38.pyc b/__MACOSX/webshop_tot/web_agent_site/engine/__pycache__/.___init__.cpython-38.pyc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/engine/__pycache__/.___init__.cpython-38.pyc and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/engine/__pycache__/._engine.cpython-38.pyc b/__MACOSX/webshop_tot/web_agent_site/engine/__pycache__/._engine.cpython-38.pyc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/engine/__pycache__/._engine.cpython-38.pyc and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/engine/__pycache__/._goal.cpython-38.pyc b/__MACOSX/webshop_tot/web_agent_site/engine/__pycache__/._goal.cpython-38.pyc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/engine/__pycache__/._goal.cpython-38.pyc and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/engine/__pycache__/._normalize.cpython-38.pyc b/__MACOSX/webshop_tot/web_agent_site/engine/__pycache__/._normalize.cpython-38.pyc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/engine/__pycache__/._normalize.cpython-38.pyc and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/envs/.___init__.py b/__MACOSX/webshop_tot/web_agent_site/envs/.___init__.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/envs/.___init__.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/envs/.___pycache__ b/__MACOSX/webshop_tot/web_agent_site/envs/.___pycache__ deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/envs/.___pycache__ and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/envs/._chromedriver b/__MACOSX/webshop_tot/web_agent_site/envs/._chromedriver deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/envs/._chromedriver and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/envs/._web_agent_site_env.py b/__MACOSX/webshop_tot/web_agent_site/envs/._web_agent_site_env.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/envs/._web_agent_site_env.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/envs/._web_agent_text_env.py b/__MACOSX/webshop_tot/web_agent_site/envs/._web_agent_text_env.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/envs/._web_agent_text_env.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/envs/__pycache__/.___init__.cpython-38.pyc b/__MACOSX/webshop_tot/web_agent_site/envs/__pycache__/.___init__.cpython-38.pyc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/envs/__pycache__/.___init__.cpython-38.pyc and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/envs/__pycache__/._web_agent_site_env.cpython-38.pyc b/__MACOSX/webshop_tot/web_agent_site/envs/__pycache__/._web_agent_site_env.cpython-38.pyc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/envs/__pycache__/._web_agent_site_env.cpython-38.pyc and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/envs/__pycache__/._web_agent_text_env.cpython-38.pyc b/__MACOSX/webshop_tot/web_agent_site/envs/__pycache__/._web_agent_text_env.cpython-38.pyc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/envs/__pycache__/._web_agent_text_env.cpython-38.pyc and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/models/.___init__.py b/__MACOSX/webshop_tot/web_agent_site/models/.___init__.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/models/.___init__.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/models/.___pycache__ b/__MACOSX/webshop_tot/web_agent_site/models/.___pycache__ deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/models/.___pycache__ and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/models/._models.py b/__MACOSX/webshop_tot/web_agent_site/models/._models.py deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/models/._models.py and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/models/__pycache__/.___init__.cpython-38.pyc b/__MACOSX/webshop_tot/web_agent_site/models/__pycache__/.___init__.cpython-38.pyc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/models/__pycache__/.___init__.cpython-38.pyc and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/models/__pycache__/._models.cpython-38.pyc b/__MACOSX/webshop_tot/web_agent_site/models/__pycache__/._models.cpython-38.pyc deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/models/__pycache__/._models.cpython-38.pyc and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/static/._images b/__MACOSX/webshop_tot/web_agent_site/static/._images deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/static/._images and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/static/._style.css b/__MACOSX/webshop_tot/web_agent_site/static/._style.css deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/static/._style.css and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/static/images/._no-image-available.png b/__MACOSX/webshop_tot/web_agent_site/static/images/._no-image-available.png deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/static/images/._no-image-available.png and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/templates/._attributes_page.html b/__MACOSX/webshop_tot/web_agent_site/templates/._attributes_page.html deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/templates/._attributes_page.html and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/templates/._description_page.html b/__MACOSX/webshop_tot/web_agent_site/templates/._description_page.html deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/templates/._description_page.html and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/templates/._done_page.html b/__MACOSX/webshop_tot/web_agent_site/templates/._done_page.html deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/templates/._done_page.html and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/templates/._features_page.html b/__MACOSX/webshop_tot/web_agent_site/templates/._features_page.html deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/templates/._features_page.html and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/templates/._item_page.html b/__MACOSX/webshop_tot/web_agent_site/templates/._item_page.html deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/templates/._item_page.html and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/templates/._results_page.html b/__MACOSX/webshop_tot/web_agent_site/templates/._results_page.html deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/templates/._results_page.html and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/templates/._review_page.html b/__MACOSX/webshop_tot/web_agent_site/templates/._review_page.html deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/templates/._review_page.html and /dev/null differ diff --git a/__MACOSX/webshop_tot/web_agent_site/templates/._search_page.html b/__MACOSX/webshop_tot/web_agent_site/templates/._search_page.html deleted file mode 100644 index 434d7940..00000000 Binary files a/__MACOSX/webshop_tot/web_agent_site/templates/._search_page.html and /dev/null differ diff --git a/assets/community_group.jpg b/assets/community_group.jpg new file mode 100644 index 00000000..3998f0d4 Binary files /dev/null and b/assets/community_group.jpg differ diff --git a/assets/manus.jpg b/assets/manus.jpg new file mode 100644 index 00000000..53a4bfbd Binary files /dev/null and b/assets/manus.jpg differ diff --git a/assets/method_overview.png b/assets/method_overview.png new file mode 100644 index 00000000..61a01480 Binary files /dev/null and b/assets/method_overview.png differ diff --git a/assets/openmanus-roadmap.png b/assets/openmanus-roadmap.png new file mode 100644 index 00000000..e23bfbe5 Binary files /dev/null and b/assets/openmanus-roadmap.png differ diff --git a/assets/wechat-link.jpg b/assets/wechat-link.jpg new file mode 100644 index 00000000..8752e8f8 Binary files /dev/null and b/assets/wechat-link.jpg differ diff --git a/data/.gitkeep b/data/.gitkeep new file mode 100644 index 00000000..e69de29b diff --git a/data/babyai/test.parquet b/data/babyai/test.parquet new file mode 100644 index 00000000..dd82ac1f Binary files /dev/null and b/data/babyai/test.parquet differ diff --git a/data/babyai/train.parquet b/data/babyai/train.parquet new file mode 100644 index 00000000..4385b8a3 Binary files /dev/null and b/data/babyai/train.parquet differ diff --git a/data/babyai/val.parquet b/data/babyai/val.parquet new file mode 100644 index 00000000..07a82aa2 Binary files /dev/null and b/data/babyai/val.parquet differ diff --git a/data/generate_sft_verl.py b/data/generate_sft_verl.py new file mode 100644 index 00000000..8ec8d8c2 --- /dev/null +++ b/data/generate_sft_verl.py @@ -0,0 +1,43 @@ +import os +import argparse +from datasets import Dataset, load_dataset +from tqdm import tqdm +from pprint import pprint + +def make_map_fn(split): + def process_fn(example, idx): + return { + "data_source": "openmanus-rl", + "prompt": example['conversations'], + "ability": "instruction-following", + "reward_model": { + "style": "none", + "ground_truth": None + }, + "extra_info": { + "split": split, + "index": idx, + "id": example['id'] + } + } + return process_fn + + +if __name__ == '__main__': + parser = argparse.ArgumentParser() + parser.add_argument('--output_dir', required=True, help="Output directory for processed parquet") + parser.add_argument('--split', type=str, default="train") + + args = parser.parse_args() + + # Load from Hugging Face Hub + dataset = load_dataset("CharlieDreemur/OpenManus-RL", split=args.split) + + # Apply mapping to Verl format + dataset = dataset.map(function=make_map_fn(args.split), with_indices=True) + + # Pretty preview the first sample + os.makedirs(args.output_dir, exist_ok=True) + dataset.to_parquet(os.path.join(args.output_dir, f"{args.split}.parquet")) + + pprint(dataset[0]) diff --git a/data/generate_train_agentgym_all.py b/data/generate_train_agentgym_all.py new file mode 100644 index 00000000..061d1960 --- /dev/null +++ b/data/generate_train_agentgym_all.py @@ -0,0 +1,292 @@ +from datasets import load_dataset +import re +import os +import pandas as pd +from collections import defaultdict +import numpy as np + +# Define environments to extract with correct naming +ENVIRONMENTS = [ + "alfworld", "babyai", "maze", "wordle", + "sciworld", "sqlgym", "textcraft", "movie", + "todo", "weather", "webshop", "webarena" +] + +# Environment ID mapping (map item_id prefixes to standard environment names) +ENV_ID_MAPPING = { + "alfworld": ["alfworld", "alworld"], # Fix potential typo in original code + "babyai": ["babyai"], + "maze": ["lmrlgym_maze", "maze"], + "wordle": ["lmrlgum_wordle", "wordle"], + "sciworld": ["sciworld"], + "sqlgym": ["sqlgym"], + "textcraft": ["textcraft"], + "movie": ["movie"], + "todo": ["todo"], + "weather": ["weather"], + "webshop": ["webshop"], + "webarena": ["webarena"] +} + +def make_prefix(question, environment): + """ + Create instruction prefix for the OpenManus agent. + + Args: + question: The question or task to be solved + environment: The environment type + + Returns: + Formatted prefix with OpenManus template + """ + prefix = f"""You are an OpenManus agent tasked to solve the following problem. +You must conduct reasoning inside and tags first every time you get new information. +After reasoning, you can perform actions using action_description tags. +When you have a final answer, provide it inside and tags, without detailed illustrations. + +Task: {question}\n""" + return prefix + +def extract_solution(solution_str): + """ + Extract numerical solution from a string. + + Args: + solution_str: String containing the solution + + Returns: + Extracted numerical value + """ + solution = re.search("#### (\\-?[0-9\\.\\,]+)", solution_str) + assert solution is not None + final_solution = solution.group(0) + final_solution = final_solution.split('#### ')[1].replace(',', '') + return final_solution + +def process_group_data(group_name, group_samples): + """ + Process samples for a specific environment group. + + Args: + group_name: Name of the environment group + group_samples: List of samples belonging to this group + + Returns: + List of processed data samples + """ + processed_data = [] + + for idx, sample in enumerate(group_samples): + item_id = sample['item_id'] + conversations = sample['conversations'] + + # Process each conversation + dialog_data = [] + for conversation in conversations: + dialog_data.append({ + "from": conversation['from'], + "value": conversation['value'], + "loss": conversation['loss'] + }) + + # Extract question/task from the first user message + user_messages = [conv['value'] for conv in conversations if conv['from'] == 'human'] + question = user_messages[0] if user_messages else "No question found" + + # Create formatted prompt + formatted_question = make_prefix(question, group_name) + + # Build final data structure + data = { + "data_source": group_name, # Use environment name as data source + "item_id": item_id, + "conversations": dialog_data, + "prompt": [{ + "role": "user", + "content": formatted_question, + }], + "ability": "agent-reasoning", + "reward_model": { + "style": "rule", + "ground_truth": { + "environment": group_name, + "task_id": item_id + } + }, + "extra_info": { + 'split': group_name, + 'index': idx, + } + } + processed_data.append(data) + + return processed_data + +def group_samples_by_environment(data, env_mapping): + """ + Group data samples by their environment based on item_id. + + Args: + data: Dataset samples + env_mapping: Dictionary mapping environment names to potential ID prefixes + + Returns: + Dictionary with environment names as keys and sample lists as values + """ + env_groups = defaultdict(list) + + for sample in data: + item_id = sample['item_id'] + + # Check which environment this sample belongs to + matched = False + for env_name, prefixes in env_mapping.items(): + for prefix in prefixes: + if prefix in item_id: + env_groups[env_name].append(sample) + matched = True + break + if matched: + break + + # If not matched to any known environment, use a fallback + if not matched: + print(f"Warning: Could not match sample with item_id '{item_id}' to any environment") + + return env_groups + +def split_data(samples, train_ratio=0.8, val_ratio=0.1, test_ratio=0.1, random_seed=42): + """ + Split data into train, validation, and test sets. + + Args: + samples: List of data samples + train_ratio: Ratio of training samples (default 0.8) + val_ratio: Ratio of validation samples (default 0.1) + test_ratio: Ratio of test samples (default 0.1) + random_seed: Random seed for reproducibility + + Returns: + Dictionary with 'train', 'validation', 'test' keys containing corresponding samples + """ + assert abs(train_ratio + val_ratio + test_ratio - 1.0) < 1e-10, "Ratios must sum to 1" + + # Set random seed for reproducibility + np.random.seed(random_seed) + + # Shuffle indices + indices = np.random.permutation(len(samples)) + + # Calculate split sizes + n_train = int(len(samples) * train_ratio) + n_val = int(len(samples) * val_ratio) + + # Split indices + train_indices = indices[:n_train] + val_indices = indices[n_train:n_train + n_val] + test_indices = indices[n_train + n_val:] + + # Create splits + splits = { + 'train': [samples[i] for i in train_indices], + 'validation': [samples[i] for i in val_indices], + 'test': [samples[i] for i in test_indices], + } + + return splits + +def save_environment_data(env_groups, output_base_dir): + """ + Save environment data to separate directories with train/test/validation splits. + + Args: + env_groups: Dictionary with environment name as key and samples as value + output_base_dir: Base directory where environment subdirectories will be created + """ + # Ensure base output directory exists + os.makedirs(output_base_dir, exist_ok=True) + + # Process each environment group + for env_name, samples in env_groups.items(): + if not samples: + print(f"Warning: No samples found for environment '{env_name}'. Skipping.") + continue + + print(f"Processing environment: {env_name} with {len(samples)} samples") + + # Create environment subdirectory + env_dir = os.path.join(output_base_dir, env_name) + os.makedirs(env_dir, exist_ok=True) + + # Process samples for this environment + processed_samples = process_group_data(env_name, samples) + + # Split data into train/validation/test sets + if len(processed_samples) < 3: + print(f"Warning: Only {len(processed_samples)} samples for {env_name}, using all for train") + splits = { + 'train': processed_samples, + 'validation': processed_samples[:1], # Use first sample for both val and test + 'test': processed_samples[:1] # if there's only one or two samples + } + else: + # Adjust split ratios for very small datasets + if len(processed_samples) < 10: + # For small datasets, ensure at least 1 sample in each split + train_ratio = max(0.6, 1 - 2/len(processed_samples)) + val_ratio = test_ratio = (1 - train_ratio) / 2 + print(f"Adjusted split ratios for small dataset: train={train_ratio:.2f}, val={val_ratio:.2f}, test={test_ratio:.2f}") + else: + train_ratio, val_ratio, test_ratio = 0.8, 0.1, 0.1 + + splits = split_data( + processed_samples, + train_ratio=train_ratio, + val_ratio=val_ratio, + test_ratio=test_ratio + ) + + # Save each split + for split_name, split_samples in splits.items(): + if not split_samples: + print(f"Warning: No samples in {split_name} split for {env_name}") + continue + + # Convert to DataFrame + df = pd.DataFrame(split_samples) + + # Define output filename based on split + if split_name == 'validation': + output_file = os.path.join(env_dir, "val.parquet") + else: + output_file = os.path.join(env_dir, f"{split_name}.parquet") + + # Save to parquet + df.to_parquet(output_file) + print(f"Saved {len(split_samples)} samples to {output_file}") + +def main(): + """ + Main function to process and save AgentGym dataset by environment. + """ + # Load the dataset + print("Loading dataset...") + dataset = load_dataset("AgentGym/AgentTraj-L") + data = dataset['train'] + + # Group samples by environment using the ID mapping + print("Grouping samples by environment...") + env_groups = group_samples_by_environment(data, ENV_ID_MAPPING) + + # Print group statistics + for env, samples in env_groups.items(): + print(f"Environment: {env}, Number of samples: {len(samples)}") + + # Save environment data to appropriate directories + print("Saving environment data with train/val/test splits...") + save_environment_data(env_groups, output_base_dir='./') + + print("Processing complete!") + +if __name__ == "__main__": + main() \ No newline at end of file diff --git a/data/generate_train_webshop.py b/data/generate_train_webshop.py new file mode 100644 index 00000000..2d132c0f --- /dev/null +++ b/data/generate_train_webshop.py @@ -0,0 +1,155 @@ +import os +import json +import argparse +from datasets import Dataset +from tqdm import tqdm +from pprint import pprint + +def load_items_human_ins(file_path): + """ + Load the items_human_ins.json file + + Args: + file_path: Path to the items_human_ins.json file + + Returns: + Dictionary of items + """ + with open(file_path, 'r') as f: + return json.load(f) + +def make_map_fn(split): + """ + Create a mapping function to convert webshop data to Verl format + + Args: + split: Dataset split (train, val, test) + + Returns: + Function to process each example + """ + def process_fn(example, idx): + # Extract the instruction as prompt + prompt = example['instruction'] + + # Combine attributes into a comma-separated string for ground truth + attributes = example.get('attributes', []) + ground_truth = ','.join(attributes) if attributes else None + + return { + "data_source": "webshop", + "prompt": prompt, + "ability": "webshop-search", + "reward_model": { + "style": "ground_truth", + "ground_truth": ground_truth + }, + "extra_info": { + "split": split, + "index": idx, + "id": example.get('asin', ''), + "options": example.get('options', []), + "instruction_attributes": example.get('instruction_attributes', []), + "instruction_options": example.get('instruction_options', []) + } + } + return process_fn + +def flatten_data(items_data): + """ + Flatten the nested dictionary structure to a list of examples + + Args: + items_data: The loaded items_human_ins.json data + + Returns: + Flattened list of examples + """ + flattened = [] + for asin, instructions in items_data.items(): + for instruction in instructions: + # Add asin to the instruction object if not present + if 'asin' not in instruction: + instruction['asin'] = asin + flattened.append(instruction) + return flattened + +if __name__ == '__main__': + parser = argparse.ArgumentParser() + parser.add_argument('--input_file', default="openmanus_rl/agentgym/agentenv-webshop/webshop/data/items_human_ins.json", + help="Path to items_human_ins.json") + parser.add_argument('--output_dir', required=False, default="data/webshop", help="Output directory for processed parquet") + parser.add_argument('--split', type=str, default="train") + parser.add_argument('--train_ratio', type=float, default=0.90, + help="Ratio of data to use for training (rest for val/test)") + parser.add_argument('--val_ratio', type=float, default=0.1, + help="Ratio of data to use for validation") + + args = parser.parse_args() + + # Load and flatten data + print(f"Loading data from {args.input_file}...") + items_data = load_items_human_ins(args.input_file) + flattened_data = flatten_data(items_data) + + # Create dataset + dataset = Dataset.from_list(flattened_data) + + # Split data + if args.split == "all": + # Process all data with the same split label + dataset = dataset.map(function=make_map_fn(args.split), with_indices=True) + # Save the entire dataset + output_path = os.path.join(args.output_dir, f"{args.split}.parquet") + dataset.to_parquet(output_path) + print(f"Processed {len(dataset)} examples") + print(f"Data saved to {output_path}") + else: + # Split the dataset + splits = dataset.train_test_split( + test_size=(1.0 - args.train_ratio), + seed=42 + ) + + # Further split the test set into validation and test + if args.val_ratio > 0: + # Calculate the ratio for the validation set from the remaining data + remaining_ratio = 1.0 - args.train_ratio + val_test_ratio = max(0.5, args.val_ratio / remaining_ratio) # Ensure ratio is valid + test_val_split = splits["test"].train_test_split( + test_size=0.5, # Split remaining data equally between val and test + seed=42 + ) + splits = { + "train": splits["train"], + "validation": test_val_split["train"], + "test": test_val_split["test"] + } + + # Process and save all splits + for split_name, split_dataset in splits.items(): + processed_dataset = split_dataset.map(function=make_map_fn(split_name), with_indices=True) + output_path = os.path.join(args.output_dir, f"{split_name}.parquet") + processed_dataset.to_parquet(output_path) + print(f"Processed {len(processed_dataset)} examples for {split_name}") + print(f"Data saved to {output_path}") + + # Print sample for the requested split + if split_name == args.split: + dataset = processed_dataset + else: + # If no validation split is requested, just process train and test + for split_name, split_dataset in splits.items(): + processed_dataset = split_dataset.map(function=make_map_fn(split_name), with_indices=True) + output_path = os.path.join(args.output_dir, f"{split_name}.parquet") + processed_dataset.to_parquet(output_path) + print(f"Processed {len(processed_dataset)} examples for {split_name}") + print(f"Data saved to {output_path}") + + # Set the dataset for the requested split + if split_name == args.split: + dataset = processed_dataset + + # Print sample from the requested split + print(f"\nSample from {args.split} split:") + pprint(dataset[0]) \ No newline at end of file diff --git a/data/maze/test.parquet b/data/maze/test.parquet new file mode 100644 index 00000000..651b5d9a Binary files /dev/null and b/data/maze/test.parquet differ diff --git a/data/maze/train.parquet b/data/maze/train.parquet new file mode 100644 index 00000000..b7fa155a Binary files /dev/null and b/data/maze/train.parquet differ diff --git a/data/maze/val.parquet b/data/maze/val.parquet new file mode 100644 index 00000000..38c9d1fb Binary files /dev/null and b/data/maze/val.parquet differ diff --git a/data/movie/test.parquet b/data/movie/test.parquet new file mode 100644 index 00000000..d50b1fd6 Binary files /dev/null and b/data/movie/test.parquet differ diff --git a/data/movie/train.parquet b/data/movie/train.parquet new file mode 100644 index 00000000..10b2adde Binary files /dev/null and b/data/movie/train.parquet differ diff --git a/data/movie/val.parquet b/data/movie/val.parquet new file mode 100644 index 00000000..8df023ef Binary files /dev/null and b/data/movie/val.parquet differ diff --git a/data/sciworld/test.parquet b/data/sciworld/test.parquet new file mode 100644 index 00000000..bd79ee4e Binary files /dev/null and b/data/sciworld/test.parquet differ diff --git a/data/sciworld/train.parquet b/data/sciworld/train.parquet new file mode 100644 index 00000000..21e98805 Binary files /dev/null and b/data/sciworld/train.parquet differ diff --git a/data/sciworld/val.parquet b/data/sciworld/val.parquet new file mode 100644 index 00000000..3532df52 Binary files /dev/null and b/data/sciworld/val.parquet differ diff --git a/data/sqlgym/test.parquet b/data/sqlgym/test.parquet new file mode 100644 index 00000000..7f001595 Binary files /dev/null and b/data/sqlgym/test.parquet differ diff --git a/data/sqlgym/train.parquet b/data/sqlgym/train.parquet new file mode 100644 index 00000000..cf0519cb Binary files /dev/null and b/data/sqlgym/train.parquet differ diff --git a/data/sqlgym/val.parquet b/data/sqlgym/val.parquet new file mode 100644 index 00000000..ad38779d Binary files /dev/null and b/data/sqlgym/val.parquet differ diff --git a/data/textcraft/test.parquet b/data/textcraft/test.parquet new file mode 100644 index 00000000..12f4ebb7 Binary files /dev/null and b/data/textcraft/test.parquet differ diff --git a/data/textcraft/train.parquet b/data/textcraft/train.parquet new file mode 100644 index 00000000..303604a4 Binary files /dev/null and b/data/textcraft/train.parquet differ diff --git a/data/textcraft/val.parquet b/data/textcraft/val.parquet new file mode 100644 index 00000000..eab9ccaa Binary files /dev/null and b/data/textcraft/val.parquet differ diff --git a/data/todo/test.parquet b/data/todo/test.parquet new file mode 100644 index 00000000..834b5692 Binary files /dev/null and b/data/todo/test.parquet differ diff --git a/data/todo/train.parquet b/data/todo/train.parquet new file mode 100644 index 00000000..da68e7bf Binary files /dev/null and b/data/todo/train.parquet differ diff --git a/data/todo/val.parquet b/data/todo/val.parquet new file mode 100644 index 00000000..0a65824a Binary files /dev/null and b/data/todo/val.parquet differ diff --git a/data/weather/test.parquet b/data/weather/test.parquet new file mode 100644 index 00000000..06363b4a Binary files /dev/null and b/data/weather/test.parquet differ diff --git a/data/weather/train.parquet b/data/weather/train.parquet new file mode 100644 index 00000000..52a92ac3 Binary files /dev/null and b/data/weather/train.parquet differ diff --git a/data/weather/val.parquet b/data/weather/val.parquet new file mode 100644 index 00000000..9f181aa3 Binary files /dev/null and b/data/weather/val.parquet differ diff --git a/data/webshop/test.parquet b/data/webshop/test.parquet new file mode 100644 index 00000000..19a9f9a5 Binary files /dev/null and b/data/webshop/test.parquet differ diff --git a/data/webshop/train.parquet b/data/webshop/train.parquet new file mode 100644 index 00000000..b2be79f9 Binary files /dev/null and b/data/webshop/train.parquet differ diff --git a/data/webshop/val.parquet b/data/webshop/val.parquet new file mode 100644 index 00000000..a1c9b5a8 Binary files /dev/null and b/data/webshop/val.parquet differ diff --git a/data/webshop_old/test.parquet b/data/webshop_old/test.parquet new file mode 100644 index 00000000..61875a02 Binary files /dev/null and b/data/webshop_old/test.parquet differ diff --git a/data/webshop_old/train.parquet b/data/webshop_old/train.parquet new file mode 100644 index 00000000..a7b00460 Binary files /dev/null and b/data/webshop_old/train.parquet differ diff --git a/data/webshop_old/validation.parquet b/data/webshop_old/validation.parquet new file mode 100644 index 00000000..9256dab3 Binary files /dev/null and b/data/webshop_old/validation.parquet differ diff --git a/data/wordle/test.parquet b/data/wordle/test.parquet new file mode 100644 index 00000000..8762f8e0 Binary files /dev/null and b/data/wordle/test.parquet differ diff --git a/data/wordle/train.parquet b/data/wordle/train.parquet new file mode 100644 index 00000000..b2f7ee0d Binary files /dev/null and b/data/wordle/train.parquet differ diff --git a/data/wordle/val.parquet b/data/wordle/val.parquet new file mode 100644 index 00000000..f28c68b2 Binary files /dev/null and b/data/wordle/val.parquet differ diff --git a/docs/DEVELOPMENT_GUIDE_EN.md b/docs/DEVELOPMENT_GUIDE_EN.md new file mode 100644 index 00000000..5a5775e0 --- /dev/null +++ b/docs/DEVELOPMENT_GUIDE_EN.md @@ -0,0 +1,275 @@ +# OpenManus-RL Development Guide + +## Project Overview + +OpenManus-RL is a reinforcement learning framework designed for training large language models (LLMs) to perform agent tasks. The project combines two main repositories: + +1. **AgentGym**: Provides environments, rewards, and evaluation tools for agent tasks +2. **Verl**: Handles RL training, rollout methods, and reward computation + +The training process follows a pipeline architecture: +1. Start AgentGym environment services +2. Initialize reward manager and rollout worker group +3. Generate trajectories via OpenManus agent +4. Run PPO or GRPO training to update the LLM +5. Save checkpoints and repeat from step 3 + +### Key Components + +- **Data Representation**: Uses Hugging Face parquet files for input and `DataProto` for internal data representation +- **Training Scripts**: `train_ppo.sh` and `train_grpo.sh` orchestrate the entire training process +- **Base Agent**: Implemented in `openmanus_rl/llm_agent/openmanus.py`, handles environment interaction +- **Reward Calculation**: Managed in `verl/utils/reward_score/agentgym.py`, computes cumulative rewards from AgentGym + +## Core Components + +### Verl Framework + +Verl is the underlying reinforcement learning framework that handles the RL training loop, rollout mechanisms, and reward computation. + +#### DataProto + +`DataProto` is the core data structure used throughout the framework: + +- Encapsulates both tensor-based data (stored in `.batch`) and non-tensor metadata (stored in `.meta_info`) +- Provides methods for batch manipulation (slicing, merging, etc.) +- Handles device placement and data consistency + +Example: +```python +data = DataProto.from_dict({ + 'input_ids': input_tensor, + 'attention_mask': mask_tensor, + 'position_ids': position_tensor +}) +data.meta_info['task_idx'] = task_indices +``` + +#### Ray Trainer + +The Ray-based trainer (`verl/trainer/ppo/ray_trainer.py`) implements distributed PPO training: + +- `RayPPOTrainer`: Manages the entire training process, including: + - Environment initialization + - Worker group coordination + - Advantage computation + - Policy updates + - Validation + +Key methods: +- `init_workers()`: Initializes different worker roles +- `fit()`: Main training loop +- `_validate()`: Runs validation on the current policy +- `_save_checkpoint()`: Saves model checkpoints + +#### Rollout Worker Group + +Rollout workers generate trajectories from the current policy: + +- Implemented as a Ray-based worker group that can be distributed across multiple nodes +- Handles generation, log probability computation, and policy updates +- Uses VLLM for efficient inference + +#### Reward Computation + +Reward computation is handled by dedicated modules: + +- `verl/utils/reward_score/agentgym.py`: Specific to AgentGym environments +- Various reward modules support different types of rewards (EM scores, BLEU, etc.) +- `apply_kl_penalty()`: Adds KL divergence penalties to raw rewards + +### OpenManus Agent + +The OpenManus agent (`openmanus_rl/llm_agent/openmanus.py`) serves as the interface between the RL framework and environment. + +#### Key Classes + +- `AgentConfig`: Configuration for the agent +- `OpenManusAgent`: Main agent class that handles environment interaction + +#### Critical Methods + +1. **run_llm_loop** + ```python + def run_llm_loop(self, gen_batch: DataProto, output_dir: str = None, global_steps: int = 0) -> DataProto: + ``` + + This method orchestrates the interaction loop for a batch of environments: + - Takes initial prompts as input + - Runs parallel rollouts using thread pool + - Collects trajectories and rewards + - Formats results into DataProto for training + - Handles visualization if enabled + +2. **_run_single_rollout** + ```python + def _run_single_rollout(self, initial_prompt_ids: torch.Tensor, task_idx: int) -> Dict[str, Any]: + ``` + + Executes a single environment interaction: + - Resets environment with task index + - Runs the interaction loop for multiple turns + - Generates responses using the LLM + - Processes responses and executes actions + - Collects rewards and observations + +3. **_convert_rollout_results_to_dataproto** + ```python + def _convert_rollout_results_to_dataproto(self, results: List[Dict], original_batch: DataProto) -> DataProto: + ``` + + Converts rollout results to trainable format: + - Aligns rewards with token sequences + - Creates token-level reward tensors + - Concatenates and pads conversation segments + - Preserves metadata from original batch + +### Training Scripts + +The training scripts (`train_ppo.sh` and `train_grpo.sh`) orchestrate the entire process: + +1. Initialize the environment: + - Parse command line arguments + - Create dedicated conda environment for specific AgentGym environment + - Start environment server + +2. Set up training: + - Configure data paths and experiment names + - Initialize logging + - Set hyperparameters + +3. Run training: + - Launch Verl trainer with appropriate algorithm (PPO or GRPO) + - Monitor training progress + - Save checkpoints + +## Development Guide + +### Adding New Reward Methods + +To add new reward methods (e.g., process reward, outcome reward): + +1. **Create a new reward module**: + ```bash + # Create a new file in the reward_score directory + touch /home/kunlunz2/github_repos/OpenManus-RL/verl/utils/reward_score/my_reward.py + ``` + +2. **Implement the reward function**: + ```python + # my_reward.py + def compute_score(solution_str, ground_truth, **kwargs): + # Your reward computation logic + return reward_tensor + ``` + +3. **Register the reward in `__init__.py`**: + ```python + # Add to verl/utils/reward_score/__init__.py + from .my_reward import compute_score as my_reward_compute_score + + SUPPORTED_REWARD_SCORE_FNS = { + # ... existing rewards + 'my_reward': my_reward_compute_score, + } + ``` + +4. **Modify agent to collect appropriate information**: + - Update `OpenManusAgent._run_single_rollout` to collect required information + - Modify `_convert_rollout_results_to_dataproto` to format rewards properly + +5. **Use the new reward in training script**: + ```bash + # In train_ppo.sh or train_grpo.sh, add: + algorithm.reward_score_fn=my_reward + ``` + +For process rewards specifically: +- Modify `_run_single_rollout` to track intermediate steps +- Update reward computation to consider the process (steps taken) rather than just the outcome + +### Adding New Environments + +To integrate a new environment from AgentGym: + +1. **Prepare the environment package**: + - Create a dedicated directory in `openmanus_rl/agentgym/agentenv-/` + - Include `environment.yml` for conda environment specs + - Add `setup.sh` for any additional setup steps + +2. **Update training scripts**: + - Add the new environment to the case statement in `train_ppo.sh` and `train_grpo.sh`: + ```bash + new_env) + LAUNCH_CMD="new_env --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_PORT=XXXX + ;; + ``` + +3. **Update OpenManus agent**: + - Add the new environment to `ENV_TO_TASK_CLASS` in `_init_env_client` + ```python + ENV_TO_TASK_CLASS = { + # ... existing environments + "new_env": "NewEnvTask", + } + ``` + +4. **Prepare training data**: + - Create parquet files for training/validation in `data//` + - Define appropriate reward models in the data + +5. **Test the integration**: + ```bash + ./train_ppo.sh --env_name new_env + ``` + +### Extending Rollout Methods + +To add new rollout or action template methods: + +1. **Modify the OpenManus agent**: + - Add new parsing logic in `postprocess_predictions`: + ```python + def postprocess_predictions(self, predictions: List[Any]) -> Tuple[List[str], List[str]]: + # Add new template patterns + new_pattern = r'(.*?)' + # ... process accordingly + ``` + +2. **Add new action execution logic**: + - Update `_run_single_rollout` to handle new action types + - Modify the action execution logic to process new templates + +3. **Update the prompt template**: + - Modify `create_react_prompt` to include instructions for the new action templates + ```python + def create_react_prompt(task_description, tool_manager): + # Add instructions for new action templates + ``` + +4. **Configure the agent**: + - Update `AgentConfig` if new parameters are needed + - Modify training scripts to pass appropriate configurations + +### Advanced Modifications + +For more advanced modifications, such as changing the training algorithm or reward structure: + +1. **Modifying the PPO algorithm**: + - Update `verl/trainer/ppo/core_algos.py` for algorithm changes + - Modify advantage calculation in `compute_advantage` + +2. **Changing the rollout worker**: + - Create a new worker class in `verl/single_controller/ray/` + - Register the worker in the appropriate factory methods + +3. **Custom data processing**: + - Modify `_convert_rollout_results_to_dataproto` for custom data formats + - Update `DataProto` methods if needed + +## Conclusion + +OpenManus-RL provides a flexible framework for reinforcement learning with LLMs in agent environments. By understanding the core components and following this development guide, you can extend the framework to support new environments, reward structures, and action templates. + +For more detailed information on AgentGym integration, refer to the documentation in `/home/kunlunz2/github_repos/OpenManus-RL/openmanus_rl/agentgym/2nd_dev_docs`. \ No newline at end of file diff --git a/docs/DEVELOPMENT_GUIDE_ZH.md b/docs/DEVELOPMENT_GUIDE_ZH.md new file mode 100644 index 00000000..1f609b0f --- /dev/null +++ b/docs/DEVELOPMENT_GUIDE_ZH.md @@ -0,0 +1,275 @@ +# OpenManus-RL 开发指南 + +## 项目概述 + +OpenManus-RL 是一个用于训练大型语言模型(LLM)执行智能体任务的强化学习框架。该项目结合了两个主要仓库: + +1. **AgentGym**:提供环境、奖励和智能体任务的评估工具 +2. **Verl**:处理强化学习训练、轨迹生成方法和奖励计算 + +训练流程遵循管道架构: +1. 启动 AgentGym 对应环境服务 +2. 初始化奖励管理器和轨迹生成工作组 +3. 通过 OpenManus 智能体生成交互轨迹 +4. 运行 PPO 或 GRPO 训练更新 LLM +5. 保存检查点并从步骤 3 重新开始 + +### 关键组件 + +- **数据表示**:使用 Hugging Face parquet 文件作为输入,使用 `DataProto` 进行内部数据表示 +- **训练脚本**:`train_ppo.sh` 和 `train_grpo.sh` 编排整个训练过程 +- **基础智能体**:在 `openmanus_rl/llm_agent/openmanus.py` 中实现,负责环境交互 +- **奖励计算**:由 `verl/utils/reward_score/agentgym.py` 管理,计算来自 AgentGym 的累积奖励 + +## 核心组件 + +### Verl 框架 + +Verl 是底层强化学习框架,处理 RL 训练循环、轨迹生成机制和奖励计算。 + +#### DataProto + +`DataProto` 是整个框架中使用的核心数据结构: + +- 封装基于张量的数据(存储在 `.batch` 中)和非张量元数据(存储在 `.meta_info` 中) +- 提供批处理操作方法(切片、合并等) +- 处理设备放置和数据一致性 + +示例: +```python +data = DataProto.from_dict({ + 'input_ids': input_tensor, + 'attention_mask': mask_tensor, + 'position_ids': position_tensor +}) +data.meta_info['task_idx'] = task_indices +``` + +#### Ray Trainer + +基于 Ray 的训练器(`verl/trainer/ppo/ray_trainer.py`)实现分布式 PPO 训练: + +- `RayPPOTrainer`:管理整个训练过程,包括: + - 环境初始化 + - 工作组协调 + - 优势函数计算 + - 策略更新 + - 验证 + +关键方法: +- `init_workers()`:初始化不同的工作角色 +- `fit()`:主训练循环 +- `_validate()`:对当前策略运行验证 +- `_save_checkpoint()`:保存模型检查点 + +#### Rollout Worker Group + +轨迹生成工作组从当前策略生成交互轨迹: + +- 实现为基于 Ray 的工作组,可分布在多个节点上 +- 处理生成、对数概率计算和策略更新 +- 使用 VLLM 进行高效推理 + +#### 奖励计算 + +奖励计算由专用模块处理: + +- `verl/utils/reward_score/agentgym.py`:专用于 AgentGym 环境 +- 各种奖励模块支持不同类型的奖励(EM 分数、BLEU 等) +- `apply_kl_penalty()`:向原始奖励添加 KL 散度惩罚 + +### OpenManus Agent + +OpenManus 智能体(`openmanus_rl/llm_agent/openmanus.py`)作为 RL 框架和环境之间的接口。 + +#### 关键类 + +- `AgentConfig`:智能体配置 +- `OpenManusAgent`:处理环境交互的主智能体类 + +#### 核心方法 + +1. **run_llm_loop** + ```python + def run_llm_loop(self, gen_batch: DataProto, output_dir: str = None, global_steps: int = 0) -> DataProto: + ``` + + 该方法编排一批环境的交互循环: + - 接收初始提示作为输入 + - 使用线程池运行并行轨迹生成 + - 收集轨迹和奖励 + - 将结果格式化为用于训练的 DataProto + - 如果启用,则处理可视化 + +2. **_run_single_rollout** + ```python + def _run_single_rollout(self, initial_prompt_ids: torch.Tensor, task_idx: int) -> Dict[str, Any]: + ``` + + 执行单个环境交互: + - 使用任务索引重置环境 + - 运行多回合的交互循环 + - 使用 LLM 生成响应 + - 处理响应并执行动作 + - 收集奖励和观察 + +3. **_convert_rollout_results_to_dataproto** + ```python + def _convert_rollout_results_to_dataproto(self, results: List[Dict], original_batch: DataProto) -> DataProto: + ``` + + 将轨迹生成结果转换为可训练格式: + - 将奖励与令牌序列对齐 + - 创建令牌级奖励张量 + - 连接和填充对话片段 + - 保留原始批次的元数据 + +### 训练脚本 + +训练脚本(`train_ppo.sh` 和 `train_grpo.sh`)编排整个过程: + +1. 初始化环境: + - 解析命令行参数 + - 为特定 AgentGym 环境创建专用 conda 环境 + - 启动环境服务器 + +2. 设置训练: + - 配置数据路径和实验名称 + - 初始化日志记录 + - 设置超参数 + +3. 运行训练: + - 使用适当的算法(PPO 或 GRPO)启动 Verl 训练器 + - 监控训练进度 + - 保存检查点 + +## 开发指南 + +### 添加新的奖励方法 + +要添加新的奖励方法(例如,过程奖励,结果奖励): + +1. **创建新的奖励模块**: + ```bash + # 在 reward_score 目录中创建新文件 + touch /home/kunlunz2/github_repos/OpenManus-RL/verl/utils/reward_score/my_reward.py + ``` + +2. **实现奖励函数**: + ```python + # my_reward.py + def compute_score(solution_str, ground_truth, **kwargs): + # 你的奖励计算逻辑 + return reward_tensor + ``` + +3. **在 `__init__.py` 中注册奖励**: + ```python + # 添加到 verl/utils/reward_score/__init__.py + from .my_reward import compute_score as my_reward_compute_score + + SUPPORTED_REWARD_SCORE_FNS = { + # ... 现有奖励 + 'my_reward': my_reward_compute_score, + } + ``` + +4. **修改智能体以收集适当的信息**: + - 更新 `OpenManusAgent._run_single_rollout` 以收集所需信息 + - 修改 `_convert_rollout_results_to_dataproto` 以正确格式化奖励 + +5. **在训练脚本中使用新奖励**: + ```bash + # 在 train_ppo.sh 或 train_grpo.sh 中添加: + algorithm.reward_score_fn=my_reward + ``` + +对于过程奖励(process reward)特别来说: +- 修改 `_run_single_rollout` 以跟踪中间步骤 +- 更新奖励计算以考虑过程(采取的步骤)而不仅仅是结果 + +### 添加新环境 + +要集成来自 AgentGym 的新环境: + +1. **准备环境包**: + - 在 `openmanus_rl/agentgym/agentenv-/` 中创建专用目录 + - 包含 `environment.yml` 用于 conda 环境规范 + - 添加 `setup.sh` 用于任何额外的设置步骤 + +2. **更新训练脚本**: + - 在 `train_ppo.sh` 和 `train_grpo.sh` 的 case 语句中添加新环境: + ```bash + new_env) + LAUNCH_CMD="new_env --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_PORT=XXXX + ;; + ``` + +3. **更新 OpenManus 智能体**: + - 在 `_init_env_client` 中向 `ENV_TO_TASK_CLASS` 添加新环境 + ```python + ENV_TO_TASK_CLASS = { + # ... 现有环境 + "new_env": "NewEnvTask", + } + ``` + +4. **准备训练数据**: + - 在 `data//` 中创建用于训练/验证的 parquet 文件 + - 在数据中定义适当的奖励模型 + +5. **测试集成**: + ```bash + ./train_ppo.sh --env_name new_env + ``` + +### 扩展轨迹生成方法 + +要添加新的轨迹生成或动作模板方法: + +1. **修改 OpenManus 智能体**: + - 在 `postprocess_predictions` 中添加新的解析逻辑: + ```python + def postprocess_predictions(self, predictions: List[Any]) -> Tuple[List[str], List[str]]: + # 添加新的模板模式 + new_pattern = r'(.*?)' + # ... 相应处理 + ``` + +2. **添加新的动作执行逻辑**: + - 更新 `_run_single_rollout` 以处理新的动作类型 + - 修改动作执行逻辑以处理新模板 + +3. **更新提示模板**: + - 修改 `create_react_prompt` 以包含新动作模板的指令 + ```python + def create_react_prompt(task_description, tool_manager): + # 添加新动作模板的指令 + ``` + +4. **配置智能体**: + - 如果需要新参数,请更新 `AgentConfig` + - 修改训练脚本以传递适当的配置 + +### 高级修改 + +对于更高级的修改,如更改训练算法或奖励结构: + +1. **修改 PPO 算法**: + - 更新 `verl/trainer/ppo/core_algos.py` 以进行算法更改 + - 在 `compute_advantage` 中修改优势计算 + +2. **更改轨迹生成工作组**: + - 在 `verl/single_controller/ray/` 中创建新的工作组类 + - 在适当的工厂方法中注册工作组 + +3. **自定义数据处理**: + - 修改 `_convert_rollout_results_to_dataproto` 以支持自定义数据格式 + - 如果需要,更新 `DataProto` 方法 + +## 结论 + +OpenManus-RL 提供了一个灵活的框架,用于在智能体环境中对 LLM 进行强化学习。通过理解核心组件并遵循此开发指南,您可以扩展框架以支持新的环境、奖励结构和动作模板。 + +有关 AgentGym 集成的更详细信息,请参阅 `/home/kunlunz2/github_repos/OpenManus-RL/openmanus_rl/agentgym/2nd_dev_docs` 中的文档。 \ No newline at end of file diff --git a/docs/README.md b/docs/README.md new file mode 100644 index 00000000..6c052b00 --- /dev/null +++ b/docs/README.md @@ -0,0 +1,189 @@ +# OpenManus Model Training Overview + +This document provides a detailed explanation of the training logic and core functions in OpenManus, focusing on how agent trajectories are utilized for loss calculation and training. + +## Overall Training Architecture + +OpenManus uses Proximal Policy Optimization (PPO) algorithm with the following core components: + +``` +RayPPOTrainer (Main Trainer) +├── OpenManusAgent (Environment Interaction) +├── ActorRolloutRefWorker (Policy Network) +└── CriticWorker (Value Network) +``` + +## Main Training Loop + +The training core is implemented in the `RayPPOTrainer.fit()` method: + +```python +# Simplified training loop +for epoch in range(epochs): + for batch in train_dataloader: + # 1. Collect trajectories + trajectories = generation_manager.run_llm_loop(batch) + + # 2. Calculate composite rewards + compute_total_reward(trajectories) + + # 3. Compute advantage function + compute_advantage(batch) + + # 4. Update critic network + critic_wg.update_critic(batch) + + # 5. Update actor network + actor_rollout_wg.update_actor(batch) +``` + +## Key Processes + +### 1. Trajectory Collection + +Implemented in `OpenManusAgent.run_llm_loop` and `_run_single_rollout`: + +```python +# Key logic in _run_single_rollout +while not done: + # Get current observation + observation = client.observe() + + # Generate LLM response + response = actor_model.generate(observation) + + # Parse action + action = parse_action(response) + + # Execute environment step + next_obs, reward, done, info = client.step(action) + + # Record trajectory + trajectory.append({"from": "human", "value": next_obs, "reward": reward, "info": info}) +``` + +### 2. Reward Composition + +Multiple reward signals are combined through the `RewardComposer`: + +```python +# Called in _convert_rollout_results_to_dataproto +total_score, breakdown = reward_composer.compute_total_reward( + trajectory=trajectory, + reward_model_info=reward_model_info, + env_name=env_name +) +``` + +Main reward components include: +- `GoalReward`: Primary task success reward +- `LengthPenalty`: Penalty for excessive length +- `FormatReward`: Reward for correct output format + +### 3. Reward Allocation + +In the `_convert_rollout_results_to_dataproto` method, rewards are allocated to individual tokens: + +```python +# Different reward allocation strategies: +if reward_allocation == "last_token": + # Assign reward only to the last token + token_level_rewards[0, last_segment_end] = reward_to_distribute + +elif reward_allocation == "uniform_positive": + # Distribute positive rewards evenly, negative rewards only to the last token + if reward_to_distribute > 0: + reward_per_token = reward_to_distribute / total_agent_tokens + for start, end in agent_indices_in_padded: + token_level_rewards[0, start:end+1] = reward_per_token + +elif reward_allocation == "discounted": + # Discounted rewards, allocated backward from the last segment + gamma = config.algorithm_config.get('gamma', 1.0) + current_reward = reward_to_distribute + for start, end in reversed(agent_indices_in_padded): + # Calculate reward within each segment + token_level_rewards[0, start:end+1] = current_reward / segment_len + current_reward *= (gamma ** segment_len) +``` + +### 4. Advantage Computation + +In the `compute_advantage` function, Generalized Advantage Estimation (GAE) is used: + +```python +if adv_estimator == 'gae': + advantages, returns = core_algos.compute_gae_advantage_return( + token_level_rewards=token_level_rewards, + values=values, + eos_mask=response_mask, + gamma=gamma, + lam=lam + ) +``` + +### 5. Policy Update + +The policy is updated in `update_actor` using the PPO objective function: + +```python +def update_policy(self, data): + old_log_probs = data.batch['old_log_probs'] + advantages = data.batch['advantages'] + + # Calculate log probabilities of current policy + current_log_probs = self.compute_log_prob(data) + + # Calculate policy ratio + ratio = torch.exp(current_log_probs - old_log_probs) + + # Clip ratio + ratio_clipped = torch.clamp(ratio, 1-clip_eps, 1+clip_eps) + + # PPO objective + policy_loss = -torch.min( + advantages * ratio, + advantages * ratio_clipped + ).mean() + + self.optimizer.zero_grad() + policy_loss.backward() + self.optimizer.step() +``` + +### 6. Value Network Update + +The critic network is updated in `update_critic` by minimizing the value loss: + +```python +def update_critic(self, data): + values = self.compute_values(data) + returns = data.batch['returns'] + + # Value loss + value_loss = F.mse_loss(values, returns) + + self.optimizer.zero_grad() + value_loss.backward() + self.optimizer.step() +``` + +## Distributed Training Architecture + +OpenManus uses Ray and FSDP (Fully Sharded Data Parallel) for distributed training: + +- `ActorRolloutRefWorker`: Responsible for policy network inference and training +- `CriticWorker`: Responsible for value network training +- `RayPPOTrainer`: Coordinates communication and synchronization between different workers + +FSDP shards model parameters across nodes using `ShardingStrategy.FULL_SHARD`, allowing for training larger models. + +## Summary + +The OpenManus training process integrates several key technologies: +1. PPO-based reinforcement learning framework +2. Trajectory-based environment interaction and reward collection +3. Composite reward calculation and flexible reward allocation strategies +4. Distributed training architecture supporting large-scale models + +The core of the entire process lies in how to collect meaningful trajectories from environment interactions, and optimize the LLM's decision-making capabilities through appropriate reward functions and advantage estimation. \ No newline at end of file diff --git a/docs/README_ZH.md b/docs/README_ZH.md new file mode 100644 index 00000000..db00cbc7 --- /dev/null +++ b/docs/README_ZH.md @@ -0,0 +1,189 @@ +# OpenManus模型训练概述 + +本文档提供了OpenManus训练逻辑和核心函数的详细解释,重点关注智能体轨迹(trajectories)如何用于损失计算和训练。 + +## 整体训练架构 + +OpenManus采用近端策略优化(PPO)算法,主要由以下核心组件组成: + +``` +RayPPOTrainer (主训练器) +├── OpenManusAgent (环境交互) +├── ActorRolloutRefWorker (策略网络) +└── CriticWorker (价值网络) +``` + +## 主要训练循环 + +训练核心在`RayPPOTrainer.fit()`方法中实现: + +```python +# 简化的训练循环 +for epoch in range(epochs): + for batch in train_dataloader: + # 1. 收集轨迹 + trajectories = generation_manager.run_llm_loop(batch) + + # 2. 计算复合奖励 + compute_total_reward(trajectories) + + # 3. 计算优势函数 + compute_advantage(batch) + + # 4. 更新critic网络 + critic_wg.update_critic(batch) + + # 5. 更新actor网络 + actor_rollout_wg.update_actor(batch) +``` + +## 关键流程 + +### 1. 轨迹收集 (Trajectory Collection) + +在`OpenManusAgent.run_llm_loop`和`_run_single_rollout`中实现: + +```python +# _run_single_rollout中的关键逻辑 +while not done: + # 获取当前观察 + observation = client.observe() + + # 生成LLM响应 + response = actor_model.generate(observation) + + # 解析动作 + action = parse_action(response) + + # 执行环境步骤 + next_obs, reward, done, info = client.step(action) + + # 记录轨迹 + trajectory.append({"from": "human", "value": next_obs, "reward": reward, "info": info}) +``` + +### 2. 奖励组合 (Reward Composition) + +通过`RewardComposer`组合多种奖励信号: + +```python +# 在_convert_rollout_results_to_dataproto中调用 +total_score, breakdown = reward_composer.compute_total_reward( + trajectory=trajectory, + reward_model_info=reward_model_info, + env_name=env_name +) +``` + +主要奖励组件包括: +- `GoalReward`: 主要任务成功奖励 +- `LengthPenalty`: 长度惩罚 +- `FormatReward`: 输出格式正确性奖励 + +### 3. 奖励分配 (Reward Allocation) + +在`_convert_rollout_results_to_dataproto`方法中,奖励被分配到各个token上: + +```python +# 几种奖励分配策略: +if reward_allocation == "last_token": + # 只给最后一个token分配奖励 + token_level_rewards[0, last_segment_end] = reward_to_distribute + +elif reward_allocation == "uniform_positive": + # 均匀分配正奖励,负奖励仅给最后token + if reward_to_distribute > 0: + reward_per_token = reward_to_distribute / total_agent_tokens + for start, end in agent_indices_in_padded: + token_level_rewards[0, start:end+1] = reward_per_token + +elif reward_allocation == "discounted": + # 折扣奖励,从最后一个segment反向分配 + gamma = config.algorithm_config.get('gamma', 1.0) + current_reward = reward_to_distribute + for start, end in reversed(agent_indices_in_padded): + # 计算每个segment内的奖励 + token_level_rewards[0, start:end+1] = current_reward / segment_len + current_reward *= (gamma ** segment_len) +``` + +### 4. 优势函数计算 (Advantage Computation) + +在`compute_advantage`函数中,使用广义优势估计(GAE)计算优势函数: + +```python +if adv_estimator == 'gae': + advantages, returns = core_algos.compute_gae_advantage_return( + token_level_rewards=token_level_rewards, + values=values, + eos_mask=response_mask, + gamma=gamma, + lam=lam + ) +``` + +### 5. 策略更新 (Policy Update) + +在`update_actor`中使用PPO目标函数更新策略: + +```python +def update_policy(self, data): + old_log_probs = data.batch['old_log_probs'] + advantages = data.batch['advantages'] + + # 计算当前策略的log概率 + current_log_probs = self.compute_log_prob(data) + + # 计算策略比率 + ratio = torch.exp(current_log_probs - old_log_probs) + + # 截断比率 + ratio_clipped = torch.clamp(ratio, 1-clip_eps, 1+clip_eps) + + # PPO目标 + policy_loss = -torch.min( + advantages * ratio, + advantages * ratio_clipped + ).mean() + + self.optimizer.zero_grad() + policy_loss.backward() + self.optimizer.step() +``` + +### 6. 价值网络更新 (Critic Update) + +在`update_critic`中通过最小化价值损失更新critic网络: + +```python +def update_critic(self, data): + values = self.compute_values(data) + returns = data.batch['returns'] + + # 价值损失 + value_loss = F.mse_loss(values, returns) + + self.optimizer.zero_grad() + value_loss.backward() + self.optimizer.step() +``` + +## 分布式训练架构 + +OpenManus使用Ray和FSDP(完全分片数据并行)进行分布式训练: + +- `ActorRolloutRefWorker`: 负责策略网络的前向推理和训练 +- `CriticWorker`: 负责价值网络的训练 +- `RayPPOTrainer`: 协调不同worker之间的通信和同步 + +FSDP通过`ShardingStrategy.FULL_SHARD`跨节点分片模型参数,允许训练更大的模型。 + +## 总结 + +OpenManus的训练流程整合了几个关键技术: +1. 基于PPO的强化学习框架 +2. 基于轨迹的环境交互和奖励收集 +3. 组合式奖励计算和灵活的奖励分配策略 +4. 分布式训练架构支持大规模模型 + +整个流程的核心在于如何从环境交互中收集有意义的轨迹,并通过适当的奖励函数和优势估计来优化LLM的决策能力。 \ No newline at end of file diff --git a/examples/.gitkeep b/examples/.gitkeep new file mode 100644 index 00000000..e69de29b diff --git a/openmanus_rl/__init__.py b/openmanus_rl/__init__.py new file mode 100644 index 00000000..e69de29b diff --git "a/openmanus_rl/agentgym/2nd_dev_docs/AgentGym\351\241\271\347\233\256\347\273\223\346\236\204\346\226\207\346\241\243.md" "b/openmanus_rl/agentgym/2nd_dev_docs/AgentGym\351\241\271\347\233\256\347\273\223\346\236\204\346\226\207\346\241\243.md" new file mode 100644 index 00000000..32b659b0 --- /dev/null +++ "b/openmanus_rl/agentgym/2nd_dev_docs/AgentGym\351\241\271\347\233\256\347\273\223\346\236\204\346\226\207\346\241\243.md" @@ -0,0 +1,354 @@ + +# AgentGym项目结构文档 + +## 1. 项目架构概览 + +AgentGym是一个框架,专为评估和开发基于大型语言模型(LLM)的通用智能体而设计。该框架特点是提供多样化的交互环境和任务,具有统一的格式(ReAct格式),并支持实时反馈和并发操作,易于扩展。 + +项目总体架构包括以下几个主要组件: + +- **环境服务器**:不同环境部署在不同服务器或端口上,提供封装的HTTP服务 +- **环境客户端**:接收环境服务器提供的服务并封装为用户可调用的函数 +- **控制器**:连接智能体和环境,负责评估智能体、收集数据和训练智能体 +- **训练器**:提供模型训练和演化的功能 +- **数据集**:包括AgentTraj轨迹集和AgentEval基准测试集 + +## 2. 主要目录结构及其职责 + +``` +AgentGym/ +├── agentenv/ # 核心包,包含主要功能实现 +│ ├── agentenv/ # 框架主要模块 +│ │ ├── controller/ # 控制器模块,用于连接智能体与环境 +│ │ ├── envs/ # 环境客户端实现,每个文件对应一种环境 +│ │ └── trainer/ # 训练器,包含行为克隆和智能体演化的实现 +│ ├── examples/ # 使用示例 +│ └── utils/ # 工具函数 +├── agentenv-webshop/ # WebShop环境服务器实现 +├── agentenv-webarena/ # WebArena环境服务器实现 +├── agentenv-tool/ # 工具使用相关环境服务器实现 +├── agentenv-textcraft/ # TextCraft环境服务器实现 +├── agentenv-sciworld/ # SciWorld环境服务器实现 +├── agentenv-sqlgym/ # SQL相关环境服务器实现 +├── agentenv-lmrlgym/ # LMRL环境服务器实现 +├── agentenv-alfworld/ # ALFWorld环境服务器实现 +├── agentenv-babyai/ # BabyAI环境服务器实现 +├── docs/ # 文档 +└── assets/ # 资源文件,如图片等 +``` + +## 3. 关键模块的依赖关系图 + +``` + ┌─────────────┐ + │ Agent │ + └──────┬──────┘ + │ + ▼ +┌──────────────┐ ┌──────────────┐ ┌──────────────┐ +│ Environment │◄───┤ Controller │────► Trainer │ +│ Server │ │ │ │ │ +└──────┬───────┘ └──────────────┘ └──────────────┘ + │ ▲ ▲ + │ │ │ + ▼ │ │ +┌──────────────┐ │ │ +│ Environment │────────────┘ │ +│ Client │ │ +└──────────────┘ │ + ▲ │ + │ │ + │ ┌──────────────┐ │ + └────────────┤ Task │────────────┘ + └──────────────┘ +``` + +## 4. 系统生命周期 + +### 4.1 任务执行生命周期 + +控制器在智能体、环境客户端和环境服务器之间的交互过程如下: + +1. **初始化阶段**: + - 创建`Agent`对象,包含模型和分词器 + - 创建特定的`Task`对象(如`BabyAITask`),该Task关联特定的`EnvClient`类(如`BabyAIEnvClient`) + - `EnvClient`在初始化时会连接到环境服务器(envserver),并通过HTTP请求创建环境实例 + +2. **任务执行流程**: + - `Evaluator`类(作为controller的具体实现)通过`eval`方法启动评估过程 + - `eval`方法调用`generate_experience`方法执行实际任务 + - `Task`的`generate_experience`方法处理整个交互循环: + - 首先调用`client.reset(idx)`重置环境到指定任务索引 + - 然后通过`client.observe()`获取初始状态 + - 开始交互循环直到任务完成(done=True)或达到最大回合数: + 1. 使用LLM模型生成action(Agent的响应) + 2. 将action通过`client.step(action)`发送到环境 + 3. 环境执行action并返回新状态、奖励和是否完成 + 4. 收集对话历史和结果 + +3. **进入下一个任务**: + - 在评估脚本中,通过循环遍历数据索引(`data_idxs`)来处理多个任务 + - 每个任务完成后,记录任务结果,然后进入下一个循环迭代(即下一个任务) + - 通过每次使用不同的`data_idx`调用`evaluator.eval()`来切换到新任务 + - 每次调用`eval`都会重置环境到新索引,从而开始新任务 + +4. **通信机制**: + - `EnvClient`通过HTTP API与环境服务器通信 + - 主要的通信方法有: + - `_post`和`_get`方法发送HTTP请求 + - `reset`方法重置环境 + - `step`方法将Agent的行动发送到环境服务器并获取响应 + - `observe`方法获取当前状态的文本表示 + +5. **任务转换**: + - 任务完成条件由环境服务器返回的`done`标志决定 + - 当`done=True`或达到最大回合数(`max_rounds`)时,当前任务结束 + - 评估脚本通过循环不同的`data_idx`实现任务之间的切换 + +### 4.2 交互流程图 + +``` +┌──────────────┐ ┌──────────────┐ ┌──────────────┐ ┌──────────────┐ +│ Evaluator │ │ Task │ │ EnvClient │ │ EnvServer │ +└──────┬───────┘ └──────┬───────┘ └──────┬───────┘ └──────┬───────┘ + │ │ │ │ + │ eval(idxs) │ │ │ + ├──────────────────►│ │ │ + │ │ │ │ + │ │ reset(idx) │ │ + │ ├───────────────────►│ │ + │ │ │ reset │ + │ │ ├──────────────────►│ + │ │ │ │ + │ │ │◄──────────────────┤ + │ │ │ │ + │ │ observe() │ │ + │ ├───────────────────►│ │ + │ │ │ observation │ + │ │ ├──────────────────►│ + │ │ │ │ + │ │ │◄──────────────────┤ + │ │◄───────────────────┤ │ + │ │ │ │ + │ │ generate action │ │ + │ ├─────┬─────────────┐│ │ + │ │ │ LLM模型生成 ││ │ + │ │ └─────────────┘│ │ + │ │ │ │ + │ │ step(action) │ │ + │ ├───────────────────►│ │ + │ │ │ step │ + │ │ ├──────────────────►│ + │ │ │ │ + │ │ │◄──────────────────┤ + │ │◄───────────────────┤ │ + │ │ │ │ + │ │ │ │ + │ 返回执行结果 │ │ │ + │◄──────────────────┤ │ │ + │ │ │ │ + │ 进入下一个任务 │ │ │ + ├──────────────────►│ │ │ + │ │ │ │ + └───────────────────┴────────────────────┴───────────────────┘ +``` + +## 5. 核心类和接口的功能说明 + +### 5.1 控制器模块 (`controller/`) + +控制器模块是整个AgentGym框架的核心组件,充当智能体与环境之间的桥梁,负责协调它们之间的交互,管理数据流动,并提供评估和训练的基础设施。该模块由以下几个关键文件组成: + +- **agent.py**: 定义了智能体的基本接口 +- **env.py**: 提供环境客户端的抽象接口 +- **task.py**: 实现任务的基本框架和会话处理 +- **utils.py**: 包含控制器、评估器和训练器的实现 +- **__init__.py**: 导出模块的主要组件 + +此模块的核心类及其功能如下: + +- **Agent**: 基本智能体类,封装了大型语言模型(LLM)和对应的分词器 + ```python + class Agent: + def __init__(self, model: PreTrainedModel, tokenizer: PreTrainedTokenizerBase) -> None: + self.model = model + self.tokenizer = tokenizer + ``` + +- **BaseEnvClient**: 环境客户端抽象基类,定义了环境客户端的标准接口,所有具体环境客户端都需要实现这些接口 + ```python + class BaseEnvClient(metaclass=ABCMeta): + conversation_start = () + + @abstractmethod + def __len__(self) -> int: + """返回环境的总大小""" + + @abstractmethod + def observe(self) -> str: + """解析环境服务器响应并提供文本消息给LLM""" + + @abstractmethod + def step(self, action) -> StepOutput: + """解析模型输出的动作并调用环境服务器""" + + @abstractmethod + def reset(self, idx: int) -> None: + """重置环境""" + ``` + +- **BaseTask**: 任务基类,连接环境客户端和控制器,管理环境客户端实例,提供会话标记化功能,实现经验生成功能 + ```python + class BaseTask: + env_client_cls: Callable + env_name: str + + def __init__(self, client_args: Mapping[str, Any], n_clients: int = 1) -> None: + """初始化Task对象""" + + def _tokenize_conversation(self, conversation, tokenizer) -> TokenizedConversationOutput: + """将对话转换为模型可处理的标记化形式""" + + def generate_experience(self, model, tokenizer, idxs, generation_config, max_rounds) -> list[ExperienceOutput]: + """让智能体在环境中执行并收集经验轨迹""" + ``` + +- **BaseAgentEnvController**: 控制器基类,管理Agent和多个Task的交互,提供生成经验的统一接口 + ```python + class BaseAgentEnvController: + def __init__(self, agent: Agent, tasks: Sequence[BaseTask]) -> None: + """初始化控制器""" + + def generate_experience(self, idxs, generation_config, max_rounds) -> list[ExperienceOutput]: + """生成智能体在环境中的交互经验""" + ``` + +- **Evaluator**: 评估器类,继承自BaseAgentEnvController,用于评估智能体在任务上的表现,计算平均奖励和成功率等指标 + ```python + class Evaluator(BaseAgentEnvController): + def eval(self, generation_config, max_rounds, idxs) -> EvaluationOutput: + """评估智能体在给定任务上的表现,返回评估结果""" + ``` + +- **BaseTrainer**: 训练器基类,也继承自BaseAgentEnvController,提供训练、评估和保存模型的接口 + ```python + class BaseTrainer(BaseAgentEnvController): + def train(self): + """训练方法""" + + def eval(self, generation_config, max_rounds, idxs) -> EvaluationOutput: + """评估方法""" + + def save_model(self): + """保存模型""" + ``` + +控制器模块通过统一的接口处理不同环境和任务,使开发者可以专注于智能体算法的开发,而不必担心不同环境的细节差异。它是框架的中心组件,负责协调整个系统的运行和数据流动。 + +### 5.2 环境模块 (`envs/`) + +每个环境都有一个对应的客户端类(如WebshopEnvClient)和任务类(如WebshopTask),分别继承自BaseEnvClient和BaseTask。环境包括: + +1. WebShop +2. WebArena +3. MAZE +4. Wordle +5. ALFWorld +6. SciWorld +7. BabyAI +8. TextCraft +9. Weather +10. Movie +11. Academia +12. Sheet +13. TODOList +14. BIRD (SQL) + +### 5.3 训练器模块 (`trainer/`) + +- **BaseTrainer**: 训练器基类 + ```python + class BaseTrainer(BaseAgentEnvController): + def train(self): + """训练方法""" + + def eval(self, generation_config, max_rounds, idxs) -> EvaluationOutput: + """评估方法""" + + def save_model(self): + """保存模型""" + ``` + +- **AgentEvolTrainer**: 智能体演化训练器 + ```python + class AgentEvolTrainer(BaseTrainer): + def train(self): + """训练方法实现""" + + def evol(self): + """演化方法实现""" + ``` + +- **BCTrainer**: 行为克隆训练器 + +## 6. 数据流向图 + +``` +┌─────────────┐ ┌─────────────┐ ┌─────────────┐ +│ 输入指令 │───────► │ 智能体 │───────► │ 环境客户端 │ +└─────────────┘ └─────────────┘ └─────────────┘ + ▲ │ │ + │ │ │ + │ ▼ ▼ +┌─────────────┐ ┌─────────────┐ ┌─────────────┐ +│ 反馈 │◄─────────┤ 控制器 │◄─────────┤ 环境服务器 │ +└─────────────┘ └─────────────┘ └─────────────┘ + ▲ │ + │ │ + │ ▼ +┌─────────────┐ ┌─────────────┐ +│ 评估结果 │◄─────────┤ 评估器 │ +└─────────────┘ └─────────────┘ +``` + +## 7. API接口清单 + +### 7.1 环境服务器HTTP接口 + +1. `/createEnv`: 创建环境 +2. `/observation`: 获取当前环境观察 +3. `/available_actions`: 获取当前可用动作 +4. `/step`: 执行动作 +5. `/reset`: 重置环境 + +### 7.2 主要类方法接口 + +1. `Agent.__init__(model, tokenizer)`: 初始化智能体 +2. `BaseEnvClient.observe()`: 观察环境 +3. `BaseEnvClient.step(action)`: 执行动作 +4. `BaseEnvClient.reset(idx)`: 重置环境 +5. `BaseTask.generate_experience(model, tokenizer, idxs, generation_config, max_rounds)`: 生成经验 +6. `Evaluator.eval(generation_config, max_rounds, idxs)`: 评估智能体 +7. `BaseTrainer.train()`: 训练智能体 +8. `AgentEvolTrainer.evol()`: 演化智能体 + +## 8. 常见的代码模式和约定 + +1. **环境客户端实现模式**: + - 每个环境客户端类继承`BaseEnvClient`基类 + - 实现`__len__`, `observe`, `step`, `reset`方法 + - 定义`conversation_start`作为初始对话 + +2. **任务实现模式**: + - 每个任务类继承`BaseTask`基类 + - 指定对应的`env_client_cls`和`env_name` + - 可选地覆盖`_tokenize_conversation_one`方法以适应特定任务 + +3. **训练和评估流程**: + - 使用`Agent`类封装模型和分词器 + - 使用`Task`类连接环境客户端 + - 使用`Evaluator`或`Trainer`类管理评估和训练 + +4. **数据格式约定**: + - 使用ReAct格式组织对话和行动 + - 交互记录使用`ConversationMessage` diff --git a/openmanus_rl/agentgym/2nd_dev_docs/todo_list.md b/openmanus_rl/agentgym/2nd_dev_docs/todo_list.md new file mode 100644 index 00000000..39b78041 --- /dev/null +++ b/openmanus_rl/agentgym/2nd_dev_docs/todo_list.md @@ -0,0 +1,22 @@ +## Todo List + +### Datasets Online Env开发 +#### GAIA 为例 +- [x] Env(gym.ENV) 开发 +- [x] EnvServer 开发 +- [ ] Tools(OpenManus) 开发 +- [ ] Rewards 定义&开发 +- [ ] EnvClient(BaseEnvClient) 开发 +- [ ] Task(BaseTask) 开发 + +### RolloutController开发 +- [ ] **RolloutController(BaseAgentEnvController) 开发** +- [ ] 调用openai endpoint model 替代 pytorch model +- [ ] MongoDB逻辑开发,traj存储 + +### RL Trainer开发 +- [ ] load traj for database +- [ ] **adapt for verl framework** + +### debt +- [ ] 绝对/相对引用规范 \ No newline at end of file diff --git "a/openmanus_rl/agentgym/2nd_dev_docs/\344\272\214\346\254\241\345\274\200\345\217\221\350\256\276\350\256\241\346\226\207\346\241\243.md" "b/openmanus_rl/agentgym/2nd_dev_docs/\344\272\214\346\254\241\345\274\200\345\217\221\350\256\276\350\256\241\346\226\207\346\241\243.md" new file mode 100644 index 00000000..6fc57b79 --- /dev/null +++ "b/openmanus_rl/agentgym/2nd_dev_docs/\344\272\214\346\254\241\345\274\200\345\217\221\350\256\276\350\256\241\346\226\207\346\241\243.md" @@ -0,0 +1,713 @@ + +# AgentGym二次开发设计文档(更新版) + +## 一、项目扩展需求概述 + +本文档详细描述如何扩展AgentGym框架以支持以下功能: + +1. 新增数据集支持:GAIA、Webshop、Agenttuning、agentcompany +2. 服务器端并行请求处理 +3. 并发roll out和训练服务 +4. 灵活替换RL训练框架 + +## 二、新增数据集支持方案 + +### 2.1 数据集环境服务器实现 + +#### 2.1.1 目录结构 + +``` +AgentGym/ +├── agentenv-gaia/ # GAIA环境服务器实现 +├── agentenv-agenttuning/ # Agenttuning环境服务器实现 +├── agentenv-agentcompany/ # agentcompany环境服务器实现 +└── agentenv-webshop/ # 已存在,可能需要扩展 +``` + +#### 2.1.2 环境类实现 + +每个环境服务器需先实现一个基础环境类,作为实际的环境逻辑处理单元: + +```python +# 以GAIA为例 +class GAIAEnv: + def __init__(self, params): + """初始化GAIA环境""" + self.params = params + self.dataset = self._load_dataset(params.get("dataset_path")) + self.current_idx = None + self.current_state = None + self.available_actions = [] + self.history = [] + + def _load_dataset(self, dataset_path): + """加载数据集""" + # 实现数据集加载逻辑 + pass + + def get_observation(self): + """获取当前环境状态的观察""" + return { + "observation": self.current_state, + "available_actions": self.available_actions + } + + def get_available_actions(self): + """获取可用动作列表""" + return {"available_actions": self.available_actions} + + def step(self, action): + """执行动作并返回结果""" + # 根据动作更新环境状态 + # 计算奖励 + # 判断是否完成 + reward = self._calculate_reward(action) + done = self._check_done() + self.history.append({"action": action, "state": self.current_state}) + + return { + "observation": self.current_state, + "reward": reward, + "done": done, + "info": {"action_count": len(self.history)} + } + + def reset(self, idx=None): + """重置环境到指定索引的任务""" + if idx is None and self.current_idx is not None: + idx = self.current_idx + elif idx is None: + idx = 0 + + self.current_idx = idx + self.current_state = self._get_initial_state(idx) + self.available_actions = self._get_initial_actions(idx) + self.history = [] + + return self.get_observation() + + def _calculate_reward(self, action): + """计算执行动作后的奖励""" + # 实现奖励计算逻辑 + pass + + def _check_done(self): + """检查任务是否完成""" + # 实现任务完成检查逻辑 + pass + + def _get_initial_state(self, idx): + """获取指定索引任务的初始状态""" + # 实现初始状态获取逻辑 + return self.dataset[idx]["initial_state"] + + def _get_initial_actions(self, idx): + """获取指定索引任务的初始可用动作""" + # 实现初始可用动作获取逻辑 + return self.dataset[idx].get("initial_actions", []) +``` + +#### 2.1.3 环境服务器实现原型 + +每个新环境需实现以下服务器类,调用上述环境类: + +```python +# 以GAIA为例 +class GAIAEnvServer: + def __init__(self, config): + self.config = config + self.env_instances = {} + self.env_locks = {} # 用于并发访问控制 + + def create_env(self, env_id, params): + """创建环境实例""" + self.env_instances[env_id] = GAIAEnv(params) # 使用GAIAEnv类 + self.env_locks[env_id] = threading.Lock() # 为每个环境创建一个锁 + return {"env_id": env_id, "status": "created"} + + def get_observation(self, env_id): + """获取当前环境观察""" + with self.env_locks[env_id]: + return self.env_instances[env_id].get_observation() + + def get_available_actions(self, env_id): + """获取可用动作""" + with self.env_locks[env_id]: + return self.env_instances[env_id].get_available_actions() + + def step(self, env_id, action): + """执行动作""" + with self.env_locks[env_id]: + return self.env_instances[env_id].step(action) + + def reset(self, env_id, params=None): + """重置环境""" + with self.env_locks[env_id]: + return self.env_instances[env_id].reset(params.get("idx")) +``` + +### 2.2 环境客户端实现 + +在`agentenv/agentenv/envs/`目录下实现对应的客户端类: + +```python +# 以GAIA为例 +class GAIAEnvClient(BaseEnvClient): + conversation_start = ("我是GAIA环境助手,请告诉我你想要做什么?",) + + def __init__(self, server_url, dataset_path=None): + super().__init__() + self.server_url = server_url + self.dataset = self._load_dataset(dataset_path) + self.current_state = None + self.env_id = None + self.session = requests.Session() # 使用会话提高HTTP连接效率 + + def __len__(self) -> int: + return len(self.dataset) + + def observe(self) -> str: + """获取环境观察""" + response = self.session.get(f"{self.server_url}/observation", + params={"env_id": self.env_id}) + return response.json()["observation"] + + def step(self, action) -> StepOutput: + """执行动作并获取结果""" + response = self.session.post(f"{self.server_url}/step", + json={"env_id": self.env_id, "action": action}) + result = response.json() + return StepOutput( + observation=result["observation"], + reward=result.get("reward", 0), + done=result.get("done", False), + info=result.get("info", {}) + ) + + def reset(self, idx: int) -> None: + """重置环境到指定索引""" + if self.env_id is None: + response = self.session.post(f"{self.server_url}/createEnv") + self.env_id = response.json()["env_id"] + + self.session.post(f"{self.server_url}/reset", + json={"env_id": self.env_id, "idx": idx}) + self.current_state = self.observe() +``` + +### 2.3 任务类实现 + +```python +class GAIATask(BaseTask): + env_client_cls = GAIAEnvClient + env_name = "gaia" + + def __init__(self, client_args, n_clients=1): + super().__init__(client_args, n_clients) + + def _tokenize_conversation_one(self, conversation): + # 处理GAIA特定的对话格式 + return super()._tokenize_conversation_one(conversation) +``` + +## 三、服务器端并行请求支持 + +### 3.1 并发HTTP服务器设计 + +使用Flask或FastAPI实现并发HTTP服务器,通过线程池和进程池实现并发处理: + +```python +# 环境服务器基类 +from flask import Flask, request, jsonify +import uuid +from concurrent.futures import ThreadPoolExecutor + +class BaseEnvServer: + def __init__(self, max_concurrent_envs=100, max_workers=20): + self.env_instances = {} + self.env_locks = {} + self.max_concurrent_envs = max_concurrent_envs + self.executor = ThreadPoolExecutor(max_workers=max_workers) # 线程池处理请求 + + def create_env(self, env_id): + """创建环境""" + if len(self.env_instances) >= self.max_concurrent_envs: + raise Exception("达到最大并发环境数量限制") + + self.env_instances[env_id] = self._create_env_instance() + self.env_locks[env_id] = threading.Lock() + return {"env_id": env_id, "status": "created"} + + def step(self, env_id, action): + """执行动作""" + with self.env_locks[env_id]: + return self._step(self.env_instances[env_id], action) + + def _step(self, env_instance, action): + """实际的步骤执行""" + raise NotImplementedError() +``` + +### 3.2 HTTP服务实现(基于Flask) + +```python +# 以GAIA为例 +app = Flask(__name__) +server = GAIAEnvServer() + +@app.route("/createEnv", methods=["POST"]) +def create_env(): + env_id = str(uuid.uuid4()) + # 提交任务到线程池处理 + future = server.executor.submit(server.create_env, env_id) + result = future.result() + return jsonify(result) + +@app.route("/observation", methods=["GET"]) +def get_observation(): + env_id = request.args.get("env_id") + if env_id not in server.env_instances: + return jsonify({"error": "Environment not found"}), 404 + # 提交任务到线程池处理 + future = server.executor.submit(server.get_observation, env_id) + result = future.result() + return jsonify(result) + +@app.route("/step", methods=["POST"]) +def step(): + data = request.json + env_id = data.get("env_id") + action = data.get("action") + if env_id not in server.env_instances: + return jsonify({"error": "Environment not found"}), 404 + # 提交任务到线程池处理 + future = server.executor.submit(server.step, env_id, action) + result = future.result() + return jsonify(result) + +@app.route("/reset", methods=["POST"]) +def reset(): + data = request.json + env_id = data.get("env_id") + idx = data.get("idx") + if env_id not in server.env_instances: + return jsonify({"error": "Environment not found"}), 404 + # 提交任务到线程池处理 + future = server.executor.submit(server.reset, env_id, idx) + result = future.result() + return jsonify(result) + +if __name__ == "__main__": + # 使用多线程模式运行应用 + app.run(host="0.0.0.0", port=8000, threaded=True) +``` + +## 四、并发Roll Out和训练服务 + +### 4.1 数据库设计 + +使用MongoDB存储轨迹数据: + +```python +# 数据模型 +class TrajectoryModel: + def __init__(self): + self.client = pymongo.MongoClient("mongodb://localhost:27017/") + self.db = self.client["agentgym"] + self.trajectories = self.db["trajectories"] + + def save_trajectory(self, traj_data): + """保存轨迹到数据库""" + doc = { + "traj_id": str(uuid.uuid4()), + "env_name": traj_data["env_name"], + "task_id": traj_data["task_id"], + "agent_id": traj_data["agent_id"], + "timestamp": datetime.now(), + "trajectory": traj_data["trajectory"], + "metrics": traj_data.get("metrics", {}) + } + self.trajectories.insert_one(doc) + return doc["traj_id"] + + def get_trajectories(self, query=None, limit=100): + """获取轨迹数据""" + if query is None: + query = {} + cursor = self.trajectories.find(query).limit(limit) + return list(cursor) +``` + +### 4.2 并发Roll Out控制器 + +使用线程池实现并发处理: + +```python +from concurrent.futures import ThreadPoolExecutor, as_completed + +class ConcurrentRolloutController(BaseAgentEnvController): + def __init__(self, agent, task, db_model=None, max_workers=10): + super().__init__(agent, task) + self.db_model = db_model or TrajectoryModel() + self.executor = ThreadPoolExecutor(max_workers=max_workers) + + def rollout(self, generation_config, max_rounds, idxs): + """并发执行roll out""" + futures = {} + results = [] + + # 提交任务到线程池 + for idx in idxs: + future = self.executor.submit( + self._rollout_one, idx, generation_config, max_rounds + ) + futures[future] = idx + + # 收集结果 + for future in as_completed(futures): + idx = futures[future] + try: + exp_output = future.result() + + # 保存到数据库 + traj_data = { + "env_name": self.task.env_name, + "task_id": idx, + "agent_id": getattr(self.agent, "id", "unknown"), + "trajectory": exp_output.to_dict(), + } + self.db_model.save_trajectory(traj_data) + + results.append(exp_output) + except Exception as e: + print(f"任务 {idx} 执行失败: {e}") + + return results + + def _rollout_one(self, idx, generation_config, max_rounds): + """执行单个环境的roll out""" + self.task.reset(idx) + conversation = list(self.task.conversation_start) + + for _ in range(max_rounds): + # 获取观察 + observation = self.task.observe() + conversation.append(observation) + + # 生成动作 + inputs = self.task._tokenize_conversation(conversation) + outputs = self.agent.model.generate(**inputs, **generation_config) + action = self.agent.tokenizer.decode(outputs[0], skip_special_tokens=True) + + # 执行动作 + step_output = self.task.step(action) + conversation.append(action) + + if step_output.done: + break + + return ExperienceOutput( + conversation=conversation, + reward=step_output.reward, + done=step_output.done, + info=step_output.info + ) +``` + +### 4.3 并发训练器 + +```python +class ConcurrentTrainer(BaseTrainer): + def __init__(self, agent, task, db_model=None, max_workers=5, **kwargs): + super().__init__(agent, task, **kwargs) + self.db_model = db_model or TrajectoryModel() + self.executor = ThreadPoolExecutor(max_workers=max_workers) + + def train(self, batch_size=16, learning_rate=2e-5, epochs=3): + """训练方法""" + # 从数据库获取轨迹 + trajectories = self.db_model.get_trajectories( + query={"env_name": self.task.env_name}, + limit=1000 + ) + + # 准备训练数据 + train_data = self._prepare_training_data(trajectories) + + # 训练模型 + optimizer = torch.optim.AdamW(self.agent.model.parameters(), lr=learning_rate) + self.agent.model.train() + + for epoch in range(epochs): + # 并行处理批次 + batch_futures = [] + for batch in self._get_batches(train_data, batch_size): + future = self.executor.submit(self._process_batch, batch, optimizer) + batch_futures.append(future) + + # 收集批次结果 + total_loss = 0 + for future in as_completed(batch_futures): + batch_loss = future.result() + total_loss += batch_loss + + print(f"Epoch {epoch+1}, Loss: {total_loss}") + + return {"status": "complete", "epochs": epochs, "final_loss": total_loss} + + def _process_batch(self, batch, optimizer): + """并行处理单个批次""" + optimizer.zero_grad() + outputs = self.agent.model(**batch) + loss = outputs.loss + loss.backward() + optimizer.step() + return loss.item() +``` + +## 五、Controller模块扩展设计 + +### 5.1 Controller继承关系设计 + +以下是二次开发中各组件与Controller模块的继承关系: + +1. **环境客户端类继承关系**: + ``` + BaseEnvClient (controller/env.py) + ├── GAIAEnvClient + ├── AgenttuningEnvClient + ├── AgentcompanyEnvClient + └── 扩展后的WebshopEnvClient + ``` + +2. **任务类继承关系**: + ``` + BaseTask (controller/task.py) + ├── GAIATask + ├── AgenttuningTask + ├── AgentcompanyTask + └── 扩展后的WebshopTask + ``` + +3. **控制器类继承关系**: + ``` + BaseAgentEnvController (controller/utils.py) + ├── Evaluator (controller/utils.py) + │ └── ConcurrentEvaluator + ├── BaseTrainer (controller/utils.py) + │ ├── ConcurrentTrainer + │ └── PluggableRLTrainer + └── ConcurrentRolloutController + ``` + +### 5.2 接口对齐设计 + +为确保新组件与Controller模块接口的一致性,需要实现以下接口映射: + +#### 5.2.1 并发环境客户端增强 + +环境客户端可增加线程安全的并发处理: + +```python +class ThreadSafeEnvClient(BaseEnvClient): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.lock = threading.Lock() + + def observe(self) -> str: + """线程安全的观察方法""" + with self.lock: + return super().observe() + + def step(self, action) -> StepOutput: + """线程安全的步骤方法""" + with self.lock: + return super().step(action) + + def reset(self, idx: int) -> None: + """线程安全的重置方法""" + with self.lock: + super().reset(idx) +``` + +#### 5.2.2 并发任务类增强 + +任务类可以增加对并发操作的支持: + +```python +class ConcurrentBaseTask(BaseTask): + def generate_experience_concurrent(self, model, tokenizer, idxs, generation_config, max_rounds, max_workers=10) -> list[ExperienceOutput]: + """并发生成经验""" + executor = ThreadPoolExecutor(max_workers=max_workers) + futures = [] + + for idx in idxs: + future = executor.submit( + self._generate_experience_one, + model, tokenizer, idx, generation_config, max_rounds + ) + futures.append(future) + + results = [] + for future in as_completed(futures): + results.append(future.result()) + + return results + + def _generate_experience_one(self, model, tokenizer, idx, generation_config, max_rounds): + """生成单个任务的经验""" + # 具体实现... +``` + +#### 5.2.3 ConcurrentEvaluator接口对齐 + +```python +class ConcurrentEvaluator(Evaluator): + def __init__(self, agent, tasks, max_workers=10): + super().__init__(agent, tasks) + self.max_workers = max_workers + + def eval(self, generation_config, max_rounds, idxs) -> EvaluationOutput: + """并发评估智能体""" + executor = ThreadPoolExecutor(max_workers=self.max_workers) + futures = {} + + for task_idx, task in enumerate(self.tasks): + # 为每个任务提交并发评估 + future = executor.submit( + task.generate_experience_concurrent, + self.agent.model, + self.agent.tokenizer, + idxs, + generation_config, + max_rounds, + self.max_workers + ) + futures[future] = task_idx + + # 收集结果 + task_outputs = [None] * len(self.tasks) + for future in as_completed(futures): + task_idx = futures[future] + task_outputs[task_idx] = future.result() + + # 处理评估结果 + # ...其余处理与原Evaluator相同 +``` + +### 5.3 数据结构对齐 + +继续使用与controller模块兼容的数据类型: + +1. **ConversationMessage**: 同现有格式存储对话 +2. **ExperienceOutput**: 同现有格式存储经验数据 +3. **EvaluationOutput**: 同现有格式存储评估结果 + +需确保数据结构的线程安全性,特别是在并发操作中。 + +## 六、RL训练框架替换支持 + +### 6.1 抽象RL框架接口 + +```python +class RLFramework(metaclass=ABCMeta): + @abstractmethod + def train(self, agent, env, config): + """训练方法""" + pass + + @abstractmethod + def evaluate(self, agent, env, config): + """评估方法""" + pass + + @abstractmethod + def save_model(self, agent, path): + """保存模型""" + pass + + @abstractmethod + def load_model(self, agent, path): + """加载模型""" + pass +``` + +### 6.2 VERL框架适配器 + +```python +class VERLAdapter(RLFramework): + def __init__(self, verl_config=None): + self.verl_config = verl_config or {} + + def train(self, agent, env, config): + """使用VERL框架训练智能体""" + import verl + + # 转换AgentGym的环境为VERL可接受的环境 + verl_env = self._convert_to_verl_env(env) + + # 创建VERL训练器 + trainer = verl.PPOTrainer( + policy=self._wrap_agent_as_policy(agent), + env=verl_env, + **self.verl_config + ) + + # 执行训练 + results = trainer.train(**config) + return results + + def _convert_to_verl_env(self, env): + """将AgentGym环境转换为VERL环境""" + # 实现环境转换逻辑 + pass + + def _wrap_agent_as_policy(self, agent): + """将AgentGym智能体包装为VERL策略""" + # 实现策略包装逻辑 + pass +``` + +### 6.3 RL训练器基类扩展 + +```python +class PluggableRLTrainer(BaseTrainer): + def __init__(self, agent, task, rl_framework, **kwargs): + super().__init__(agent, task, **kwargs) + self.rl_framework = rl_framework + + def train(self, rl_config=None): + """使用可插拔RL框架训练智能体""" + rl_config = rl_config or {} + return self.rl_framework.train(self.agent, self.task, rl_config) + + def eval(self, generation_config, max_rounds, idxs): + """使用可插拔RL框架评估智能体""" + eval_config = { + "generation_config": generation_config, + "max_rounds": max_rounds, + "idxs": idxs + } + return self.rl_framework.evaluate(self.agent, self.task, eval_config) +``` + +## 七、技术挑战与解决方案 + +1. **环境复杂性**:不同环境具有不同特性 + - 解决方案:设计灵活的接口,允许环境特定的扩展 + +2. **并发性能**:并发处理大量请求可能导致资源竞争 + - 解决方案:使用线程池、连接池和锁机制管理资源 + +3. **数据一致性**:并发操作可能导致数据不一致 + - 解决方案:使用锁机制和事务确保数据一致性 + +4. **框架兼容性**:不同RL框架有不同的接口 + - 解决方案:设计抽象适配器模式,隔离框架差异 + +5. **HTTP连接效率**:大量HTTP请求可能导致连接瓶颈 + - 解决方案:使用连接池,保持长连接,减少连接建立开销 + +## 八、总结 + +本文档详细描述了AgentGym框架的二次开发设计,包括新增数据集支持、服务器端并行请求处理、并发roll out和训练服务以及灵活的RL训练框架替换。通过这些扩展,AgentGym将能够支持更多环境、提高并发性能并增强系统的可扩展性,同时保持与现有架构的一致性和兼容性。 diff --git a/openmanus_rl/agentgym/LICENSE b/openmanus_rl/agentgym/LICENSE new file mode 100644 index 00000000..afd06825 --- /dev/null +++ b/openmanus_rl/agentgym/LICENSE @@ -0,0 +1,21 @@ +MIT License + +Copyright (c) 2023 FudanNLP-Agent + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. diff --git a/openmanus_rl/agentgym/README.md b/openmanus_rl/agentgym/README.md new file mode 100644 index 00000000..d209d74c --- /dev/null +++ b/openmanus_rl/agentgym/README.md @@ -0,0 +1,169 @@ +# AgentGym: Evolving Large Language Model-based Agents across Diverse Environments +

+ 📃 Paper • 🌐 Project Page • 🤗 AgentTraj-L • 🤗 AgentEval • 🤗 Model (AgentEvol-7B)
+

+ +## 🔔 News + +- 🥳 [2024/06/07] Our paper is released on arXiv: [AgentGym: Evolving Large Language Model-based Agents across Diverse Environments](https://arxiv.org/abs/2406.04151) ! +- 🤖 [2024/06/06] Our model is available on Hugging Face: [AgentEvol-7B](https://huggingface.co/AgentGym/AgentEvol-7B). +- 💥 [2024/06/06] Our trajectory set and benchmark are available on Hugging Face: [AgentTraj-L](https://huggingface.co/datasets/AgentGym/AgentTraj-L), [AgentEval](https://huggingface.co/datasets/AgentGym/AgentEval). +- ✨ [2024/06/06] The AgentGym suite is released, including the platform code, dataset, benchmark, and training implementations! We welcome contributions for more agent environments and others from the community! + +
+ +## 🌟 Introduction + +Building generalist agents that can handle diverse tasks and evolve themselves across different environments is a long-term goal in the AI community. Large language models (LLMs) are considered a promising foundation to build such agents due to their generalized capabilities. + +**AgentGym** is a new framework featuring a variety of environments and tasks for broad, real-time, uniformat, and concurrent agent exploration. It is designed to help the community easily evaluate and develop generally-capable LLM-based agents. It also includes a high-quality trajectory set **AgentTraj** and a benchmark suite **AgentEval**. We also propose a novel method, **AgentEvol**, to investigate the potential of agent self-evolution beyond previously seen data across tasks and environments. Experimental results show that the evolved agents can achieve results comparable to SOTA models. + +
+ +## 🎁 AgentGym Suite + +AgentGym is a framework designed to help the community easily evaluate and develop generally-capable LLM-based agents. It features diverse interactive environments and tasks with a unified format, i.e., ReAct format. It supports real-time feedback and concurrency, and is easily scalable. It includes 14 environments across web navigating, text games, house-holding tasks, digital games, embodied tasks, tool-using and programming. + +| Environment | Traj | Eval | Original Repo | EnvServer | +| ----------- | ---- | ---- | ------------------------------------------------------------ | ------------------------------------------------------------ | +| WebShop | 3930 | 200 | [WebShop-Repo](https://github.com/princeton-nlp/WebShop) | [agentenv-webshop](https://github.com/WooooDyy/AgentGym/tree/main/agentenv-webshop) | +| WebArena | 0 | 20 | [WebArena](https://github.com/web-arena-x/webarena) | [agentenv-webarena](https://github.com/WooooDyy/AgentGym/tree/main/agentenv-webarena) | +| MAZE | 215 | 25 | [MAZE-Repo](https://github.com/abdulhaim/LMRL-Gym) | [agentenv-lmrlgym](https://github.com/WooooDyy/AgentGym/tree/main/agentenv-lmrlgym) | +| Wordle | 955 | 25 | [Wordle-Repo](https://github.com/abdulhaim/LMRL-Gym) | [agentenv-lmrlgym](https://github.com/WooooDyy/AgentGym/tree/main/agentenv-lmrlgym) | +| ALFWorld | 2420 | 200 | [ALFWorld-Repo](https://github.com/alfworld/alfworld) | [agentenv-alfworld](https://github.com/WooooDyy/AgentGym/tree/main/agentenv-alfworld) | +| SciWorld | 2120 | 200 | [SciWrold-Repo](https://github.com/allenai/ScienceWorld) | [agentenv-sciworld](https://github.com/WooooDyy/AgentGym/tree/main/agentenv-sciworld) | +| BabyAI | 810 | 90 | [BabyAI-Repo](https://github.com/mila-iqia/babyai) | [agentenv-babyai](https://github.com/WooooDyy/AgentGym/tree/main/agentenv-babyai) | +| TextCraft | 374 | 100 | [TextCraft-Repo](https://github.com/archiki/ADaPT) | [agentenv-textcraft](https://github.com/WooooDyy/AgentGym/tree/main/agentenv-textcraft) | +| Weather | 311 | 20 | [Weather-Repo](https://github.com/hkust-nlp/AgentBoard) | [agentenv-tool](https://github.com/WooooDyy/AgentGym/tree/main/agentenv-tool) | +| Movie | 215 | 20 | [Movie-Repo](https://github.com/hkust-nlp/AgentBoard) | [agentenv-tool](https://github.com/WooooDyy/AgentGym/tree/main/agentenv-tool) | +| Academia | 0 | 20 | [Academia-Repo](https://github.com/hkust-nlp/AgentBoard) | [agentenv-tool](https://github.com/WooooDyy/AgentGym/tree/main/agentenv-tool) | +| Sheet | 0 | 20 | [Sheet-Repo](https://github.com/hkust-nlp/AgentBoard) | [agentenv-tool](https://github.com/WooooDyy/AgentGym/tree/main/agentenv-tool) | +| TODOList | 135 | 20 | [TODOList-Repo](https://github.com/hkust-nlp/AgentBoard) | [agentenv-tool](https://github.com/WooooDyy/AgentGym/tree/main/agentenv-tool) | +| BIRD | 3000 | 200 | [BIRD-Repo](https://github.com/AlibabaResearch/DAMO-ConvAI/tree/main/bird) | [agentenv-sqlgym](https://github.com/WooooDyy/AgentGym/tree/main/agentenv-sqlgym) | + +### Platform + +The platform architecture of AgentGym is illustrated in the following figure. In AgentGym, different environments are deployed on different servers or ports and provide encapsulated HTTP services externally. This decouples the environments from other parts. + +These services include APIs such as `/createEnv` to create an environment, `/observation` to get the current observation from the environment, `/available_actions` to get the currently available actions, `/step` to perform an action, and `/reset` to reset the environment. + +We have implemented 14 types of environments, and **developers can easily develop new environments and add them to AgentGym by encapsulating the aforementioned interfaces**. EnvClients have the responsibility of receiving services provided by the server and encapsulating them into functions for user calls. AgentController is our core component that connects the agent and the environment. It is responsible for evaluating the agent, collecting data, and training the agent. + +
+ + + +### Benchmark: AgentEval + +The AgentEval benchmark is on Hugging Face: [AgentGym/AgentEval](https://huggingface.co/datasets/AgentGym/AgentEval). + +Here is an example: + +```json +{ + "conversations": null, + "item_id": "webshop_5238" +} +``` + + + +### Trajectory Set: AgentTraj + +The trajectory set AgentTraj-L is available on Hugging Face: [AgentGym/AgentTraj-L](https://huggingface.co/datasets/AgentGym/AgentTraj-L). + +Here is an example: + +```json + { + "conversations": [ + { + "from": "human", + "loss": null, + "value": "You are web shopping.\nI will give you instructions about what to do.\nYou have to follow the instructions.\nEvery round I will give you an observation and a list of available actions, you have to respond an action based on the state and instruction.\nYou can use search action if search is available.\nYou can click one of the buttons in clickables.\nAn action should be of the following structure:\nsearch[keywords]\nclick[value]\nIf the action is not valid, perform nothing.\nKeywords in search are up to you, but the value in click must be a value in the list of available actions.\nRemember that your keywords in search should be carefully designed.\nYour response should use the following format:\n\nThought:\nI think ... \n\nAction: \nclick[something]" + }, + { + "from": "gpt", + "loss": false, + "value": "Ok." + }, + { + "from": "human", + "loss": null, + "value": "WebShop [SEP] Instruction: [SEP] Find me men's shorts with elastic waist, classic fit, short sleeve for gym workout with color: navy, and size: x-large, and price lower than 50.00 dollars [SEP] Search" + }, + { + "from": "gpt", + "loss": true, + "value": "Thought:\nI think I should use the search bar to look for the shorts that match the given requirements.\n\nAction:\nsearch[men's shorts elastic waist classic fit short sleeve gym workout navy x-large price < 50.00]" + }, + ...(more interactions) + { + "from": "gpt", + "loss": true, + "value": "Thought:\nI think I have found the right product that matches all the requirements. It's time to buy it.\n\nAction:\nclick[Buy Now]" + } + ], + "item_id": "webshop_6" + }, +``` + + + + + +## 🛠 Usage & Quick Start + +This project contains the `agentenv` python package and the integrated environments. + +### Setup agentenv pacakage + +#### from PyPI + +```sh +pip install agentenv +``` + +#### from Source + +```sh +git clone --recursive https://github.com/WooooDyy/AgentGym +cd ./AgentGym + +cd agentenv +pip install -e . +``` + +Depending on which environments you want to use, `cd` into the corresponding `agentenv-*` folder and follow the `README.md` inside. + + + +### Tutorials + +- Evaluation: [01-evaluation](https://github.com/WooooDyy/AgentGym/blob/main/docs/tutorials/en/01-evaluation.md) +- Behavioral Cloning: [02-behavioral-cloning](https://github.com/WooooDyy/AgentGym/blob/main/docs/tutorials/en/02-behavioral-cloning.md) +- AgentEvol: [03-AgentEvol](https://github.com/WooooDyy/AgentGym/blob/main/docs/tutorials/en/03-AgentEvol.md) + +### Examples + +- See [AgentGym/agentenv/examples](https://github.com/WooooDyy/AgentGym/tree/main/agentenv/examples) + +## Main Experimental Results + +
+ +## 📧 Contact +- zhxi22@m.fudan.edu.cn + +## 🔖 Citation +``` +@misc{xi2024agentgym, + title={AgentGym: Evolving Large Language Model-based Agents across Diverse Environments}, + author={Zhiheng Xi and Yiwen Ding and Wenxiang Chen and Boyang Hong and Honglin Guo and Junzhe Wang and Dingwen Yang and Chenyang Liao and Xin Guo and Wei He and Songyang Gao and Lu Chen and Rui Zheng and Yicheng Zou and Tao Gui and Qi Zhang and Xipeng Qiu and Xuanjing Huang and Zuxuan Wu and Yu-Gang Jiang}, + year={2024}, + eprint={2406.04151}, + archivePrefix={arXiv}, + primaryClass={cs.AI} +} +``` + diff --git a/openmanus_rl/agentgym/agentenv-alfworld/README.md b/openmanus_rl/agentgym/agentenv-alfworld/README.md new file mode 100644 index 00000000..bc561d80 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-alfworld/README.md @@ -0,0 +1,15 @@ +# Agent Environments - AlfWorld + +## Setup + +``` sh +conda create --name agentenv-alfworld python=3.9 +conda activate agentenv-alfworld +bash ./setup.sh +``` + +## Launch + +``` sh +alfworld --host 0.0.0.0 --port 36001 +``` diff --git a/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/__init__.py b/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/__init__.py new file mode 100644 index 00000000..ad8b8b4c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/__init__.py @@ -0,0 +1,2 @@ +from .server import app +from .launch import launch diff --git a/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/env_wrapper.py b/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/env_wrapper.py new file mode 100644 index 00000000..3ae0adfa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/env_wrapper.py @@ -0,0 +1,171 @@ +import os +import json + +from .environment import SingleAlfredTWEnv +from .utils import load_config, process_ob + + +class ALFWorld_Wrapper: + def __init__(self, **kwargs): + # load data_path + self.data_path = kwargs.get("data_path", None) + if self.data_path is None: + raise Exception("missing parameter data_path") + os.environ["ALFWORLD_DATA"] = self.data_path + + # load config for alfworld benchmark + self.config_path = kwargs.get("config_path", None) + if self.config_path is None: + raise Exception("missing parameter config_path") + self.config = load_config(self.config_path) + + self._max_id = 0 + self.env = {} # dict[id, env_item] + self.env_init = {} # dict[id, env_item] + self.info = {} # dict[id, env_info] + self.games = [] # list[game_file] + + train_games_root = os.path.join( + os.environ["ALFWORLD_DATA"], "json_2.1.1", "train" + ) + test_games_root = os.path.join( + os.environ["ALFWORLD_DATA"], "json_2.1.1", "valid_train" + ) + + train_mapping_file = os.path.join( + os.path.dirname(os.path.realpath(__file__)), + "..", + "configs", + "mappings_train.json", + ) + test_mapping_file = os.path.join( + os.path.dirname(os.path.realpath(__file__)), + "..", + "configs", + "mappings_test.json", + ) + + with open(train_mapping_file, "r") as f: + mappings = json.load(f) + for mapping in mappings: + self.games.append( + os.path.join( + train_games_root, + mapping["task_type"], + mapping["task_id"], + "game.tw-pddl", + ) + ) + + with open(test_mapping_file, "r") as f: + mappings = json.load(f) + for mapping in mappings: + self.games.append( + os.path.join( + test_games_root, + mapping["task_type"], + mapping["task_id"], + "game.tw-pddl", + ) + ) + + def create(self): + try: + # TODO extend to other kinds of environments + idx = self._max_id + self.env[idx] = SingleAlfredTWEnv(self.config) + self.info[idx] = {"done": False, "reward": 0, "deleted": False} + print(f"-------Env {idx} created--------") + self._max_id += 1 + payload = {"id": idx} + except Exception as e: + payload = {"error": f"{e}"} + return payload + + def step(self, idx: int, action: str): + try: + self._check_id(idx) + ob, _, done, info = self.env_init[idx].step([action]) + ob, reward, done = process_ob(ob[0]), float(info["won"][0]), done[0] + available_actions = info.get("admissible_commands", [[]])[0] + payload = { + "observation": ob, + "reward": reward, + "available_actions": available_actions, + "done": done, + } + self.info[idx].update(payload) + except Exception as e: + print("Error id: ", idx) + payload = {"error": f"{e}"} + return payload + + def reset(self, idx: int, game: int, world_type: str): + if world_type not in ["Text", "Embody", "Hybrid"]: + return {"error": 'world_type must be one of "Text", "Embody" and "Hybrid"'} + try: + self._check_id(idx, True) + self.env[idx].game_files = [self.games[game]] + self.env[idx].num_games = 1 + self.env_init[idx] = self.env[idx].init_env(batch_size=1) + ob, info = self.env_init[idx].reset() + ob = "\n".join(ob[0].split("\n\n")[1:]) + available_actions = info.get("admissible_commands", [[]])[0] + payload = { + "id": idx, + "observation": ob, + "available_actions": available_actions, + "task_type": "/".join(info["extra.gamefile"][0].split("/")[-3:-1]), + } + self.info[idx] = { + "world_type": world_type, + "game": game, + "observation": ob, + "available_actions": available_actions, + "done": False, + "reward": 0, + "deleted": False, + } + except Exception as e: + payload = {"error": str(e)} + return payload + + def get_observation(self, idx: int): + try: + self._check_id(idx) + return self.info[idx]["observation"] + except Exception as e: + return {"error": str(e)} + + def get_available_actions(self, idx: int): + try: + self._check_id(idx) + return self.info[idx]["available_actions"] + except Exception as e: + return {"error": str(e)} + + def get_detailed_info(self, idx: int): + try: + self._check_id(idx) + return self.info[idx] + except Exception as e: + return {"error": str(e)} + + def _check_id(self, idx: int, is_reset: bool = False): + if idx not in self.info: + raise NameError(f"The id {idx} is not valid.") + if self.info[idx]["deleted"]: + raise NameError(f"The task with environment {idx} has been deleted.") + if not is_reset and self.info[idx]["done"]: + print("is reset", is_reset) + print("done", self.info[idx]["done"]) + raise NameError(f"The task with environment {idx} has finished.") + + +os.environ["ALFWORLD_DATA"] = os.path.expanduser("~/.cache/alfworld") +server = ALFWorld_Wrapper( + data_path=os.environ["ALFWORLD_DATA"], + config_path=os.path.join( + os.path.dirname(os.path.realpath(__file__)), "..", "configs", "base_config.yaml" + ), +) diff --git a/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/environment.py b/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/environment.py new file mode 100644 index 00000000..cc60baa1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/environment.py @@ -0,0 +1,59 @@ +import os +import sys +import json +import glob +import random +import numpy as np + +import textworld +import textworld.agents +import textworld.gym +import gym + +from alfworld.agents.utils.misc import ( + Demangler, + get_templated_task_desc, + add_task_to_grammar, +) +import alfworld.agents.modules.generic as generic +from alfworld.agents.environment.alfred_tw_env import AlfredTWEnv + +from .utils import load_config + + +class SingleAlfredTWEnv(AlfredTWEnv): + """ + Interface for Textworld Env + Contains only one game_file per environment + """ + + def __init__(self, config, train_eval="eval_out_of_distribution"): + print("Initializing AlfredTWEnv...") + self.config = config + self.train_eval = train_eval + + self.goal_desc_human_anns_prob = self.config["env"]["goal_desc_human_anns_prob"] + self.get_game_logic() + self.random_seed = 42 + + self.game_files = [] + self.num_games = 0 + + +def get_all_game_files(config, split="eval_out_of_distribution"): + env = AlfredTWEnv(config, train_eval=split) + game_files = env.game_files + del env + return game_files + + +if __name__ == "__main__": + os.environ["ALFWORLD_DATA"] = "/Users/wang/.cache/alfworld" + config = load_config("configs/base_config.yaml") + game_files = get_all_game_files(config, "train") + game_files = [game[len(os.environ["ALFWORLD_DATA"]) + 1 :] for game in game_files] + with open("legacy/alfworld/client/games/new_file.json", "w") as f: + f.write(json.dumps(game_files, indent=2)) + f.close() + print(len(game_files)) + print(game_files[0]) diff --git a/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/launch.py b/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/launch.py new file mode 100644 index 00000000..65ab1e16 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/launch.py @@ -0,0 +1,16 @@ +""" +Entrypoint for the AlfWorld agent environment. +""" + +import argparse +import uvicorn + + +def launch(): + """entrypoint for `alfworld` commond""" + + parser = argparse.ArgumentParser() + parser.add_argument("--port", type=int, default=8000) + parser.add_argument("--host", type=str, default="0.0.0.0") + args = parser.parse_args() + uvicorn.run("agentenv_alfworld:app", host=args.host, port=args.port) diff --git a/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/model.py b/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/model.py new file mode 100644 index 00000000..a664ae77 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/model.py @@ -0,0 +1,12 @@ +from pydantic import BaseModel + + +class StepRequestBody(BaseModel): + id: int + action: str + + +class ResetRequestBody(BaseModel): + id: int + game: int + world_type: str diff --git a/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/server.py b/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/server.py new file mode 100644 index 00000000..5deea651 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/server.py @@ -0,0 +1,41 @@ +from fastapi import FastAPI +from .env_wrapper import server +from .model import * + +app = FastAPI() + + +@app.get("/") +def hello(): + return "This is environment AlfWorld." + + +@app.post("/create") +async def create(): + return server.create() + + +@app.post("/step") +async def step(body: StepRequestBody): + return server.step(body.id, body.action) + + +@app.post("/reset") +async def reset(body: ResetRequestBody): + print("body", body) + return server.reset(body.id, body.game, body.world_type) + + +@app.get("/available_actions") +def get_available_actions(id: int): + return server.get_available_actions(id) + + +@app.get("/observation") +def get_observation(id: int): + return server.get_observation(id) + + +@app.get("/detail") +def get_detailed_info(id: int): + return server.get_detailed_info(id) diff --git a/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/utils.py b/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/utils.py new file mode 100644 index 00000000..4cd0f569 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-alfworld/agentenv_alfworld/utils.py @@ -0,0 +1,13 @@ +import yaml + + +def process_ob(ob): + if ob.startswith("You arrive at loc "): + ob = ob[ob.find(". ") + 2 :] + return ob + + +def load_config(config_file): + with open(config_file) as reader: + config = yaml.safe_load(reader) + return config diff --git a/openmanus_rl/agentgym/agentenv-alfworld/configs/base_config.yaml b/openmanus_rl/agentgym/agentenv-alfworld/configs/base_config.yaml new file mode 100644 index 00000000..653d4701 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-alfworld/configs/base_config.yaml @@ -0,0 +1,145 @@ +dataset: + data_path: '$ALFWORLD_DATA/json_2.1.1/train' + eval_id_data_path: '$ALFWORLD_DATA/json_2.1.1/valid_seen' # null/None to disable + eval_ood_data_path: '$ALFWORLD_DATA/json_2.1.1/valid_unseen' # null/None to disable + num_train_games: -1 # max training games (<=0 indicates full dataset) + num_eval_games: -1 # max evaluation games (<=0 indicates full dataset) + +logic: + domain: '$ALFWORLD_DATA/logic/alfred.pddl' # PDDL domain file that defines the world dynamics + grammar: '$ALFWORLD_DATA/logic/alfred.twl2' # Grammar file that defines the text feedbacks + +env: + type: 'AlfredTWEnv' # 'AlfredTWEnv' or 'AlfredThorEnv' or 'AlfredHybrid' + regen_game_files: False # check if game is solvable by expert and save to game.tw-pddl file + domain_randomization: False # shuffle Textworld print order and object id nums + task_types: [1, 2, 3, 4, 5, 6] # task-type ids: 1 - Pick & Place, 2 - Examine in Light, 3 - Clean & Place, 4 - Heat & Place, 5 - Cool & Place, 6 - Pick Two & Place + expert_timeout_steps: 150 # max steps before timeout for expert to solve the task + expert_type: "handcoded" # 'handcoded' or 'downward'. Note: the downward planner is very slow for real-time use + goal_desc_human_anns_prob: 0.0 # prob of using human-annotated goal language instead of templated goals (1.0 indicates all human annotations from ALFRED) + + hybrid: + start_eps: 100000 # starting episode of hybrid training, tw-only training upto this point + thor_prob: 0.5 # prob of AlfredThorEnv during hybrid training + eval_mode: "tw" # 'tw' or 'thor' - env used for evaluation during hybrid training + + thor: + screen_width: 300 # width of THOR window + screen_height: 300 # height of THOR window + smooth_nav: False # smooth rotations, looks, and translations during navigation (very slow) + save_frames_to_disk: False # save frame PNGs to disk (useful for making videos) + save_frames_path: './videos/' # path to save frame PNGs + +controller: + type: 'oracle' # 'oracle' or 'oracle_astar' or 'mrcnn' or 'mrcnn_astar' (aka BUTLER) + debug: False + load_receps: True # load receptacle locations from precomputed dict (if available) + +mask_rcnn: + pretrained_model_path: '$ALFWORLD_DATA/detectors/mrcnn.pth' + +general: + random_seed: 42 + use_cuda: True # disable this when running on machine without cuda + visdom: False # plot training/eval curves, run with visdom server + task: 'alfred' + training_method: 'dagger' # 'dqn' or 'dagger' + save_path: './training/' # path to save pytorch models + observation_pool_capacity: 3 # k-size queue, 0 indicates no observation + hide_init_receptacles: False # remove initial observation containing navigable receptacles + + training: + batch_size: 10 + max_episode: 50000 + smoothing_eps: 0.1 + optimizer: + learning_rate: 0.001 + clip_grad_norm: 5 + + evaluate: + run_eval: True + batch_size: 10 + env: + type: "AlfredTWEnv" + + checkpoint: + report_frequency: 1000 # report every N episode + experiment_tag: 'test' # name of experiment + load_pretrained: False # during test, enable this so that the agent load your pretrained model + load_from_tag: 'not loading anything' # name of pre-trained model to load in save_path + + model: + encoder_layers: 1 + decoder_layers: 1 + encoder_conv_num: 5 + block_hidden_dim: 64 + n_heads: 1 + dropout: 0.1 + block_dropout: 0.1 + recurrent: True + +rl: + action_space: "admissible" # 'admissible' (candidates from text engine) or 'generation' (seq2seq-style generation) or 'beam_search_choice' or 'exhaustive' (not working) + max_target_length: 20 # max token length for seq2seq generation + beam_width: 10 # 1 means greedy + generate_top_k: 3 + + training: + max_nb_steps_per_episode: 50 # terminate after this many steps + learn_start_from_this_episode: 0 # delay updates until this epsiode + target_net_update_frequency: 500 # sync target net with online net per this many epochs + + replay: + accumulate_reward_from_final: True + count_reward_lambda: 0.0 # 0 to disable + novel_object_reward_lambda: 0.0 # 0 to disable + discount_gamma_game_reward: 0.9 + discount_gamma_count_reward: 0.5 + discount_gamma_novel_object_reward: 0.5 + replay_memory_capacity: 500000 # adjust this depending on your RAM size + replay_memory_priority_fraction: 0.5 + update_per_k_game_steps: 5 + replay_batch_size: 64 + multi_step: 3 + replay_sample_history_length: 4 + replay_sample_update_from: 2 + + epsilon_greedy: + noisy_net: False # if this is true, then epsilon greedy is disabled + epsilon_anneal_episodes: 1000 # -1 if not annealing + epsilon_anneal_from: 0.3 + epsilon_anneal_to: 0.1 + +dagger: + action_space: "generation" # 'admissible' (candidates from text engine) or 'generation' (seq2seq-style generation) or 'exhaustive' (not working) + max_target_length: 20 # max token length for seq2seq generation + beam_width: 10 # 1 means greedy + generate_top_k: 5 + unstick_by_beam_search: False # use beam-search for failed actions, set True during evaluation + + training: + max_nb_steps_per_episode: 50 # terminate after this many steps + + fraction_assist: + fraction_assist_anneal_episodes: 50000 + fraction_assist_anneal_from: 1.0 + fraction_assist_anneal_to: 0.01 + + fraction_random: + fraction_random_anneal_episodes: 0 + fraction_random_anneal_from: 0.0 + fraction_random_anneal_to: 0.0 + + replay: + replay_memory_capacity: 500000 + update_per_k_game_steps: 5 + replay_batch_size: 64 + replay_sample_history_length: 4 + replay_sample_update_from: 2 + +vision_dagger: + model_type: "resnet" # 'resnet' (whole image features) or 'maskrcnn_whole' (whole image MaskRCNN feats) or 'maskrcnn' (top k MaskRCNN detection feats) or 'no_vision' (zero vision input) + resnet_fc_dim: 64 + maskrcnn_top_k_boxes: 10 # top k box features + use_exploration_frame_feats: False # append feats from initial exploration (memory intensive!) + sequence_aggregation_method: "average" # 'sum' or 'average' or 'rnn' diff --git a/openmanus_rl/agentgym/agentenv-alfworld/configs/mappings_test.json b/openmanus_rl/agentgym/agentenv-alfworld/configs/mappings_test.json new file mode 100644 index 00000000..5e7bb059 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-alfworld/configs/mappings_test.json @@ -0,0 +1,1002 @@ +[ + { + "item_id": 2420, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-23", + "task_id": "trial_T20190908_143209_571893" + }, + { + "item_id": 2421, + "task_type": "pick_two_obj_and_place-TissueBox-None-CoffeeTable-220", + "task_id": "trial_T20190909_145750_484036" + }, + { + "item_id": 2422, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-GarbageCan-429", + "task_id": "trial_T20190909_015556_293557" + }, + { + "item_id": 2423, + "task_type": "pick_and_place_simple-Pillow-None-ArmChair-321", + "task_id": "trial_T20190908_104900_888704" + }, + { + "item_id": 2424, + "task_type": "pick_heat_then_place_in_recep-Apple-None-SideTable-28", + "task_id": "trial_T20190906_180828_374034" + }, + { + "item_id": 2425, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-Shelf-20", + "task_id": "trial_T20190907_222456_204496" + }, + { + "item_id": 2426, + "task_type": "pick_and_place_simple-Tomato-None-Microwave-8", + "task_id": "trial_T20190907_205031_274716" + }, + { + "item_id": 2427, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-302", + "task_id": "trial_T20190909_085137_911990" + }, + { + "item_id": 2428, + "task_type": "pick_two_obj_and_place-CellPhone-None-Sofa-224", + "task_id": "trial_T20190918_223409_525979" + }, + { + "item_id": 2429, + "task_type": "pick_and_place_simple-KeyChain-None-CoffeeTable-227", + "task_id": "trial_T20190907_161844_256041" + }, + { + "item_id": 2430, + "task_type": "pick_two_obj_and_place-CreditCard-None-Sofa-206", + "task_id": "trial_T20190906_203615_424745" + }, + { + "item_id": 2431, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-13", + "task_id": "trial_T20190910_173429_847749" + }, + { + "item_id": 2432, + "task_type": "pick_two_obj_and_place-CD-None-Dresser-303", + "task_id": "trial_T20190908_085826_396748" + }, + { + "item_id": 2433, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-428", + "task_id": "trial_T20190906_201316_921947" + }, + { + "item_id": 2434, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-Shelf-7", + "task_id": "trial_T20190907_200421_808214" + }, + { + "item_id": 2435, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-14", + "task_id": "trial_T20190906_182932_157770" + }, + { + "item_id": 2436, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-12", + "task_id": "trial_T20190906_190527_670222" + }, + { + "item_id": 2437, + "task_type": "pick_two_obj_and_place-SoapBar-None-Drawer-420", + "task_id": "trial_T20190908_124733_053705" + }, + { + "item_id": 2438, + "task_type": "pick_and_place_simple-Pan-None-DiningTable-15", + "task_id": "trial_T20190908_182413_239334" + }, + { + "item_id": 2439, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Drawer-409", + "task_id": "trial_T20190906_193417_937668" + }, + { + "item_id": 2440, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-SideTable-21", + "task_id": "trial_T20190907_164958_308793" + }, + { + "item_id": 2441, + "task_type": "pick_and_place_simple-RemoteControl-None-Ottoman-208", + "task_id": "trial_T20190909_100851_710423" + }, + { + "item_id": 2442, + "task_type": "pick_two_obj_and_place-SprayBottle-None-GarbageCan-420", + "task_id": "trial_T20190907_174658_354066" + }, + { + "item_id": 2443, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-15", + "task_id": "trial_T20190909_020126_376897" + }, + { + "item_id": 2444, + "task_type": "pick_and_place_simple-CD-None-Shelf-319", + "task_id": "trial_T20190908_061008_714389" + }, + { + "item_id": 2445, + "task_type": "pick_and_place_simple-Candle-None-Toilet-427", + "task_id": "trial_T20190909_030427_604487" + }, + { + "item_id": 2446, + "task_type": "pick_two_obj_and_place-RemoteControl-None-ArmChair-208", + "task_id": "trial_T20190908_000903_032547" + }, + { + "item_id": 2447, + "task_type": "pick_two_obj_and_place-Pencil-None-Drawer-327", + "task_id": "trial_T20190908_103604_088470" + }, + { + "item_id": 2448, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Cabinet-13", + "task_id": "trial_T20190909_123604_776156" + }, + { + "item_id": 2449, + "task_type": "pick_heat_then_place_in_recep-Potato-None-Fridge-12", + "task_id": "trial_T20190910_094522_460953" + }, + { + "item_id": 2450, + "task_type": "pick_and_place_simple-CreditCard-None-ArmChair-202", + "task_id": "trial_T20190909_011606_013059" + }, + { + "item_id": 2451, + "task_type": "pick_cool_then_place_in_recep-Pan-None-DiningTable-11", + "task_id": "trial_T20190908_204414_053313" + }, + { + "item_id": 2452, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-Cabinet-2", + "task_id": "trial_T20190909_042935_977031" + }, + { + "item_id": 2453, + "task_type": "pick_heat_then_place_in_recep-Potato-None-DiningTable-16", + "task_id": "trial_T20190908_015009_437240" + }, + { + "item_id": 2454, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Shelf-20", + "task_id": "trial_T20190908_034339_870890" + }, + { + "item_id": 2455, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-CounterTop-15", + "task_id": "trial_T20190907_070041_442493" + }, + { + "item_id": 2456, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Drawer-423", + "task_id": "trial_T20190908_140728_318318" + }, + { + "item_id": 2457, + "task_type": "pick_and_place_simple-SprayBottle-None-CounterTop-417", + "task_id": "trial_T20190909_091329_750799" + }, + { + "item_id": 2458, + "task_type": "look_at_obj_in_light-CreditCard-None-DeskLamp-314", + "task_id": "trial_T20190906_201548_667159" + }, + { + "item_id": 2459, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-DiningTable-18", + "task_id": "trial_T20190909_122629_020439" + }, + { + "item_id": 2460, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-StoveBurner-30", + "task_id": "trial_T20190906_200053_697370" + }, + { + "item_id": 2461, + "task_type": "pick_cool_then_place_in_recep-Pan-None-StoveBurner-23", + "task_id": "trial_T20190906_215826_707811" + }, + { + "item_id": 2462, + "task_type": "pick_cool_then_place_in_recep-Pan-None-DiningTable-7", + "task_id": "trial_T20190909_094708_361033" + }, + { + "item_id": 2463, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Drawer-4", + "task_id": "trial_T20190909_161523_929674" + }, + { + "item_id": 2464, + "task_type": "pick_heat_then_place_in_recep-Mug-None-SideTable-28", + "task_id": "trial_T20190908_212801_623417" + }, + { + "item_id": 2465, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-24", + "task_id": "trial_T20190908_033524_642305" + }, + { + "item_id": 2466, + "task_type": "pick_two_obj_and_place-Candle-None-CounterTop-406", + "task_id": "trial_T20190908_045958_916084" + }, + { + "item_id": 2467, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-DiningTable-17", + "task_id": "trial_T20190909_023518_602816" + }, + { + "item_id": 2468, + "task_type": "pick_and_place_simple-Vase-None-CoffeeTable-206", + "task_id": "trial_T20190909_024648_216020" + }, + { + "item_id": 2469, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Toilet-405", + "task_id": "trial_T20190909_065947_451268" + }, + { + "item_id": 2470, + "task_type": "pick_cool_then_place_in_recep-Pot-None-DiningTable-27", + "task_id": "trial_T20190909_013328_302952" + }, + { + "item_id": 2471, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-CounterTop-2", + "task_id": "trial_T20190908_171656_745023" + }, + { + "item_id": 2472, + "task_type": "pick_two_obj_and_place-SprayBottle-None-Toilet-417", + "task_id": "trial_T20190908_071820_505015" + }, + { + "item_id": 2473, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Cabinet-417", + "task_id": "trial_T20190909_211711_664720" + }, + { + "item_id": 2474, + "task_type": "pick_heat_then_place_in_recep-Apple-None-Fridge-6", + "task_id": "trial_T20190908_153841_522662" + }, + { + "item_id": 2475, + "task_type": "pick_two_obj_and_place-CellPhone-None-Drawer-329", + "task_id": "trial_T20190909_030028_020737" + }, + { + "item_id": 2476, + "task_type": "pick_cool_then_place_in_recep-WineBottle-None-GarbageCan-16", + "task_id": "trial_T20190907_014908_758565" + }, + { + "item_id": 2477, + "task_type": "pick_cool_then_place_in_recep-Potato-None-CounterTop-30", + "task_id": "trial_T20190908_111757_114406" + }, + { + "item_id": 2478, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-14", + "task_id": "trial_T20190908_091828_220110" + }, + { + "item_id": 2479, + "task_type": "pick_two_obj_and_place-Book-None-Desk-309", + "task_id": "trial_T20190909_061156_951604" + }, + { + "item_id": 2480, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-Fridge-13", + "task_id": "trial_T20190908_203156_157438" + }, + { + "item_id": 2481, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-11", + "task_id": "trial_T20190908_021957_189338" + }, + { + "item_id": 2482, + "task_type": "look_at_obj_in_light-KeyChain-None-DeskLamp-327", + "task_id": "trial_T20190906_202538_399742" + }, + { + "item_id": 2483, + "task_type": "look_at_obj_in_light-Laptop-None-DeskLamp-309", + "task_id": "trial_T20190907_185713_398582" + }, + { + "item_id": 2484, + "task_type": "look_at_obj_in_light-Mug-None-DeskLamp-323", + "task_id": "trial_T20190907_041046_628363" + }, + { + "item_id": 2485, + "task_type": "pick_and_place_simple-KeyChain-None-Sofa-225", + "task_id": "trial_T20190908_131129_251514" + }, + { + "item_id": 2486, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-323", + "task_id": "trial_T20190908_053117_107031" + }, + { + "item_id": 2487, + "task_type": "look_at_obj_in_light-Pen-None-DeskLamp-305", + "task_id": "trial_T20190907_115824_746935" + }, + { + "item_id": 2488, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-317", + "task_id": "trial_T20190909_201225_052100" + }, + { + "item_id": 2489, + "task_type": "pick_two_obj_and_place-Statue-None-Dresser-213", + "task_id": "trial_T20190909_065309_623947" + }, + { + "item_id": 2490, + "task_type": "pick_two_obj_and_place-Pencil-None-SideTable-329", + "task_id": "trial_T20190909_040132_412120" + }, + { + "item_id": 2491, + "task_type": "pick_and_place_simple-AlarmClock-None-Dresser-319", + "task_id": "trial_T20190910_195319_108102" + }, + { + "item_id": 2492, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-405", + "task_id": "trial_T20190908_021347_460567" + }, + { + "item_id": 2493, + "task_type": "pick_cool_then_place_in_recep-Pot-None-CounterTop-5", + "task_id": "trial_T20190908_073249_042493" + }, + { + "item_id": 2494, + "task_type": "pick_heat_then_place_in_recep-Cup-None-SideTable-3", + "task_id": "trial_T20190908_210847_591144" + }, + { + "item_id": 2495, + "task_type": "pick_two_obj_and_place-Pillow-None-Ottoman-208", + "task_id": "trial_T20190907_030106_770418" + }, + { + "item_id": 2496, + "task_type": "pick_two_obj_and_place-KeyChain-None-Sofa-225", + "task_id": "trial_T20190907_143028_102387" + }, + { + "item_id": 2497, + "task_type": "pick_and_place_simple-KeyChain-None-ArmChair-318", + "task_id": "trial_T20190909_114631_650488" + }, + { + "item_id": 2498, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Cabinet-412", + "task_id": "trial_T20190908_141555_713466" + }, + { + "item_id": 2499, + "task_type": "pick_cool_then_place_in_recep-WineBottle-None-DiningTable-17", + "task_id": "trial_T20190908_003313_375871" + }, + { + "item_id": 2500, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Shelf-1", + "task_id": "trial_T20190906_230051_015449" + }, + { + "item_id": 2501, + "task_type": "pick_clean_then_place_in_recep-Pan-None-Cabinet-1", + "task_id": "trial_T20190908_130833_956410" + }, + { + "item_id": 2502, + "task_type": "pick_two_obj_and_place-CreditCard-None-DiningTable-329", + "task_id": "trial_T20190918_154222_318527" + }, + { + "item_id": 2503, + "task_type": "pick_and_place_simple-ToiletPaper-None-GarbageCan-403", + "task_id": "trial_T20190907_034648_807245" + }, + { + "item_id": 2504, + "task_type": "pick_and_place_simple-Tomato-None-DiningTable-26", + "task_id": "trial_T20190908_010933_200567" + }, + { + "item_id": 2505, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Toilet-420", + "task_id": "trial_T20190908_043134_210616" + }, + { + "item_id": 2506, + "task_type": "pick_cool_then_place_in_recep-Pan-None-DiningTable-23", + "task_id": "trial_T20190909_005833_061416" + }, + { + "item_id": 2507, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-327", + "task_id": "trial_T20190909_032921_008718" + }, + { + "item_id": 2508, + "task_type": "pick_two_obj_and_place-SprayBottle-None-GarbageCan-413", + "task_id": "trial_T20190912_044451_035192" + }, + { + "item_id": 2509, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Cabinet-18", + "task_id": "trial_T20190908_144624_086654" + }, + { + "item_id": 2510, + "task_type": "pick_cool_then_place_in_recep-Pan-None-DiningTable-15", + "task_id": "trial_T20190909_003904_518800" + }, + { + "item_id": 2511, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Shelf-7", + "task_id": "trial_T20190907_125004_299560" + }, + { + "item_id": 2512, + "task_type": "pick_and_place_simple-CD-None-Dresser-318", + "task_id": "trial_T20190907_190246_917982" + }, + { + "item_id": 2513, + "task_type": "pick_two_obj_and_place-TissueBox-None-DiningTable-230", + "task_id": "trial_T20190909_145553_211575" + }, + { + "item_id": 2514, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-402", + "task_id": "trial_T20190908_030828_744767" + }, + { + "item_id": 2515, + "task_type": "pick_cool_then_place_in_recep-Potato-None-Microwave-5", + "task_id": "trial_T20190910_115040_425451" + }, + { + "item_id": 2516, + "task_type": "pick_clean_then_place_in_recep-Egg-None-GarbageCan-11", + "task_id": "trial_T20190906_181033_636334" + }, + { + "item_id": 2517, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Cart-401", + "task_id": "trial_T20190907_045451_101032" + }, + { + "item_id": 2518, + "task_type": "pick_and_place_simple-Fork-None-Drawer-12", + "task_id": "trial_T20190907_151050_079642" + }, + { + "item_id": 2519, + "task_type": "pick_two_obj_and_place-RemoteControl-None-Sofa-207", + "task_id": "trial_T20190908_111223_597180" + }, + { + "item_id": 2520, + "task_type": "pick_two_obj_and_place-SprayBottle-None-CounterTop-409", + "task_id": "trial_T20190908_131755_202053" + }, + { + "item_id": 2521, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-14", + "task_id": "trial_T20190907_024221_811233" + }, + { + "item_id": 2522, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-5", + "task_id": "trial_T20190908_132124_203759" + }, + { + "item_id": 2523, + "task_type": "pick_two_obj_and_place-Newspaper-None-Sofa-230", + "task_id": "trial_T20190908_035335_001162" + }, + { + "item_id": 2524, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-CounterTop-14", + "task_id": "trial_T20190909_113924_604801" + }, + { + "item_id": 2525, + "task_type": "pick_and_place_simple-CellPhone-None-Desk-316", + "task_id": "trial_T20190911_203517_902296" + }, + { + "item_id": 2526, + "task_type": "pick_clean_then_place_in_recep-Fork-None-CounterTop-24", + "task_id": "trial_T20190907_032458_736277" + }, + { + "item_id": 2527, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-GarbageCan-16", + "task_id": "trial_T20190906_171827_526847" + }, + { + "item_id": 2528, + "task_type": "pick_and_place_simple-RemoteControl-None-ArmChair-222", + "task_id": "trial_T20190906_201505_001155" + }, + { + "item_id": 2529, + "task_type": "pick_and_place_simple-Tomato-None-Microwave-5", + "task_id": "trial_T20190908_174014_984950" + }, + { + "item_id": 2530, + "task_type": "pick_two_obj_and_place-Newspaper-None-ArmChair-214", + "task_id": "trial_T20190909_010843_771227" + }, + { + "item_id": 2531, + "task_type": "pick_heat_then_place_in_recep-Egg-None-DiningTable-15", + "task_id": "trial_T20190908_042212_100074" + }, + { + "item_id": 2532, + "task_type": "look_at_obj_in_light-Laptop-None-DeskLamp-324", + "task_id": "trial_T20190908_071137_867346" + }, + { + "item_id": 2533, + "task_type": "pick_and_place_simple-Cloth-None-Toilet-417", + "task_id": "trial_T20190908_163202_959027" + }, + { + "item_id": 2534, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cabinet-428", + "task_id": "trial_T20190908_084117_719605" + }, + { + "item_id": 2535, + "task_type": "pick_heat_then_place_in_recep-Egg-None-GarbageCan-23", + "task_id": "trial_T20190911_011457_072067" + }, + { + "item_id": 2536, + "task_type": "pick_clean_then_place_in_recep-Potato-None-Fridge-17", + "task_id": "trial_T20190909_135834_661867" + }, + { + "item_id": 2537, + "task_type": "pick_cool_then_place_in_recep-Egg-None-CounterTop-27", + "task_id": "trial_T20190909_002015_890646" + }, + { + "item_id": 2538, + "task_type": "pick_two_obj_and_place-SoapBar-None-Cabinet-428", + "task_id": "trial_T20190910_231209_039518" + }, + { + "item_id": 2539, + "task_type": "pick_clean_then_place_in_recep-Fork-None-SideTable-21", + "task_id": "trial_T20190909_041401_796447" + }, + { + "item_id": 2540, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-410", + "task_id": "trial_T20190907_021559_670421" + }, + { + "item_id": 2541, + "task_type": "pick_two_obj_and_place-CellPhone-None-Desk-312", + "task_id": "trial_T20190908_122230_946481" + }, + { + "item_id": 2542, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-Fridge-20", + "task_id": "trial_T20190909_091539_383661" + }, + { + "item_id": 2543, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-CounterTop-20", + "task_id": "trial_T20190909_041153_700490" + }, + { + "item_id": 2544, + "task_type": "pick_and_place_simple-PepperShaker-None-CounterTop-27", + "task_id": "trial_T20190909_010859_836097" + }, + { + "item_id": 2545, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-406", + "task_id": "trial_T20190908_102735_461565" + }, + { + "item_id": 2546, + "task_type": "pick_two_obj_and_place-CD-None-Drawer-306", + "task_id": "trial_T20190907_025539_829173" + }, + { + "item_id": 2547, + "task_type": "look_at_obj_in_light-Bowl-None-DeskLamp-305", + "task_id": "trial_T20190909_000758_132057" + }, + { + "item_id": 2548, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Drawer-416", + "task_id": "trial_T20190908_040722_151303" + }, + { + "item_id": 2549, + "task_type": "pick_heat_then_place_in_recep-Plate-None-Cabinet-7", + "task_id": "trial_T20190907_144322_406779" + }, + { + "item_id": 2550, + "task_type": "pick_clean_then_place_in_recep-Potato-None-CounterTop-5", + "task_id": "trial_T20190909_123212_517019" + }, + { + "item_id": 2551, + "task_type": "look_at_obj_in_light-TissueBox-None-DeskLamp-216", + "task_id": "trial_T20190908_033138_836240" + }, + { + "item_id": 2552, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-GarbageCan-17", + "task_id": "trial_T20190907_163845_626537" + }, + { + "item_id": 2553, + "task_type": "pick_clean_then_place_in_recep-Knife-None-DiningTable-23", + "task_id": "trial_T20190908_142126_854011" + }, + { + "item_id": 2554, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-CounterTop-409", + "task_id": "trial_T20190908_025402_020595" + }, + { + "item_id": 2555, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-22", + "task_id": "trial_T20190906_184650_216044" + }, + { + "item_id": 2556, + "task_type": "pick_cool_then_place_in_recep-WineBottle-None-Cabinet-17", + "task_id": "trial_T20190907_064115_485667" + }, + { + "item_id": 2557, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-323", + "task_id": "trial_T20190908_051124_983144" + }, + { + "item_id": 2558, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-GarbageCan-416", + "task_id": "trial_T20190907_024728_127108" + }, + { + "item_id": 2559, + "task_type": "pick_two_obj_and_place-Book-None-Desk-302", + "task_id": "trial_T20190906_181314_259738" + }, + { + "item_id": 2560, + "task_type": "pick_two_obj_and_place-CellPhone-None-Drawer-318", + "task_id": "trial_T20190908_104535_936869" + }, + { + "item_id": 2561, + "task_type": "pick_and_place_simple-CreditCard-None-Sofa-216", + "task_id": "trial_T20190909_110455_224621" + }, + { + "item_id": 2562, + "task_type": "pick_and_place_simple-Watch-None-CoffeeTable-213", + "task_id": "trial_T20190909_010805_852491" + }, + { + "item_id": 2563, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-CounterTop-24", + "task_id": "trial_T20190908_015109_682752" + }, + { + "item_id": 2564, + "task_type": "pick_two_obj_and_place-KeyChain-None-Dresser-318", + "task_id": "trial_T20190907_181205_590674" + }, + { + "item_id": 2565, + "task_type": "pick_and_place_simple-SprayBottle-None-GarbageCan-428", + "task_id": "trial_T20190909_101522_923920" + }, + { + "item_id": 2566, + "task_type": "pick_two_obj_and_place-Cloth-None-Drawer-411", + "task_id": "trial_T20190908_190008_902235" + }, + { + "item_id": 2567, + "task_type": "pick_heat_then_place_in_recep-Mug-None-SideTable-21", + "task_id": "trial_T20190909_090802_375850" + }, + { + "item_id": 2568, + "task_type": "pick_clean_then_place_in_recep-Pan-None-StoveBurner-20", + "task_id": "trial_T20190908_113730_305436" + }, + { + "item_id": 2569, + "task_type": "pick_and_place_simple-Statue-None-CoffeeTable-229", + "task_id": "trial_T20190908_132941_479938" + }, + { + "item_id": 2570, + "task_type": "look_at_obj_in_light-Pen-None-DeskLamp-316", + "task_id": "trial_T20190908_061847_951064" + }, + { + "item_id": 2571, + "task_type": "look_at_obj_in_light-Bowl-None-DeskLamp-304", + "task_id": "trial_T20190907_232227_752681" + }, + { + "item_id": 2572, + "task_type": "pick_and_place_simple-KeyChain-None-SideTable-322", + "task_id": "trial_T20190909_091733_848923" + }, + { + "item_id": 2573, + "task_type": "pick_two_obj_and_place-Watch-None-CoffeeTable-209", + "task_id": "trial_T20190909_020350_646515" + }, + { + "item_id": 2574, + "task_type": "pick_clean_then_place_in_recep-Pot-None-DiningTable-26", + "task_id": "trial_T20190906_210506_116438" + }, + { + "item_id": 2575, + "task_type": "pick_two_obj_and_place-Cup-None-Shelf-1", + "task_id": "trial_T20190908_015402_128805" + }, + { + "item_id": 2576, + "task_type": "pick_and_place_simple-AlarmClock-None-Desk-307", + "task_id": "trial_T20190907_072317_014092" + }, + { + "item_id": 2577, + "task_type": "pick_heat_then_place_in_recep-Plate-None-CounterTop-1", + "task_id": "trial_T20190909_115700_060162" + }, + { + "item_id": 2578, + "task_type": "pick_clean_then_place_in_recep-Fork-None-DiningTable-24", + "task_id": "trial_T20190906_205216_940941" + }, + { + "item_id": 2579, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Cabinet-26", + "task_id": "trial_T20190909_085908_816209" + }, + { + "item_id": 2580, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Cabinet-30", + "task_id": "trial_T20190909_090746_864458" + }, + { + "item_id": 2581, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-309", + "task_id": "trial_T20190908_113756_084511" + }, + { + "item_id": 2582, + "task_type": "pick_two_obj_and_place-Box-None-CoffeeTable-230", + "task_id": "trial_T20190908_124255_946115" + }, + { + "item_id": 2583, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-412", + "task_id": "trial_T20190907_181227_790902" + }, + { + "item_id": 2584, + "task_type": "look_at_obj_in_light-Laptop-None-DeskLamp-319", + "task_id": "trial_T20190908_182720_056041" + }, + { + "item_id": 2585, + "task_type": "pick_and_place_simple-Pen-None-SideTable-309", + "task_id": "trial_T20190907_051900_451316" + }, + { + "item_id": 2586, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Cart-401", + "task_id": "trial_T20190908_215242_345375" + }, + { + "item_id": 2587, + "task_type": "pick_and_place_simple-Pillow-None-ArmChair-214", + "task_id": "trial_T20190909_010338_250180" + }, + { + "item_id": 2588, + "task_type": "pick_and_place_simple-Candle-None-Cabinet-428", + "task_id": "trial_T20190907_024255_988230" + }, + { + "item_id": 2589, + "task_type": "pick_two_obj_and_place-CellPhone-None-Dresser-330", + "task_id": "trial_T20190909_060924_095249" + }, + { + "item_id": 2590, + "task_type": "pick_and_place_simple-CellPhone-None-Bed-321", + "task_id": "trial_T20190908_231541_058766" + }, + { + "item_id": 2591, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-430", + "task_id": "trial_T20190908_102055_678050" + }, + { + "item_id": 2592, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Drawer-30", + "task_id": "trial_T20190908_005155_378803" + }, + { + "item_id": 2593, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-CounterTop-13", + "task_id": "trial_T20190909_023039_986825" + }, + { + "item_id": 2594, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-2", + "task_id": "trial_T20190907_070838_688262" + }, + { + "item_id": 2595, + "task_type": "pick_heat_then_place_in_recep-Potato-None-CounterTop-25", + "task_id": "trial_T20190908_003752_653811" + }, + { + "item_id": 2596, + "task_type": "pick_two_obj_and_place-KeyChain-None-Ottoman-208", + "task_id": "trial_T20190907_232759_901444" + }, + { + "item_id": 2597, + "task_type": "pick_heat_then_place_in_recep-Potato-None-Fridge-27", + "task_id": "trial_T20190908_143711_459299" + }, + { + "item_id": 2598, + "task_type": "look_at_obj_in_light-Bowl-None-DeskLamp-316", + "task_id": "trial_T20190908_230650_245482" + }, + { + "item_id": 2599, + "task_type": "pick_cool_then_place_in_recep-Plate-None-DiningTable-23", + "task_id": "trial_T20190910_025008_561989" + }, + { + "item_id": 2600, + "task_type": "pick_and_place_simple-SoapBottle-None-GarbageCan-11", + "task_id": "trial_T20190908_175650_970050" + }, + { + "item_id": 2601, + "task_type": "pick_and_place_simple-HandTowel-None-Cabinet-412", + "task_id": "trial_T20190906_200520_896836" + }, + { + "item_id": 2602, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-5", + "task_id": "trial_T20190908_040351_384338" + }, + { + "item_id": 2603, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-307", + "task_id": "trial_T20190906_200435_424001" + }, + { + "item_id": 2604, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Toilet-428", + "task_id": "trial_T20190907_041322_837354" + }, + { + "item_id": 2605, + "task_type": "pick_two_obj_and_place-CreditCard-None-Safe-323", + "task_id": "trial_T20190907_001424_961488" + }, + { + "item_id": 2606, + "task_type": "pick_and_place_simple-Glassbottle-None-Cabinet-17", + "task_id": "trial_T20190906_182221_722403" + }, + { + "item_id": 2607, + "task_type": "pick_and_place_simple-Tomato-None-Microwave-13", + "task_id": "trial_T20190908_125127_168939" + }, + { + "item_id": 2608, + "task_type": "pick_two_obj_and_place-TissueBox-None-CoffeeTable-230", + "task_id": "trial_T20190909_145658_750781" + }, + { + "item_id": 2609, + "task_type": "pick_two_obj_and_place-CreditCard-None-Desk-313", + "task_id": "trial_T20190909_104504_038752" + }, + { + "item_id": 2610, + "task_type": "pick_and_place_simple-KeyChain-None-SideTable-309", + "task_id": "trial_T20190908_215011_025401" + }, + { + "item_id": 2611, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-21", + "task_id": "trial_T20190908_113549_665152" + }, + { + "item_id": 2612, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-DiningTable-24", + "task_id": "trial_T20190908_062436_694989" + }, + { + "item_id": 2613, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Shelf-7", + "task_id": "trial_T20190908_152949_169018" + }, + { + "item_id": 2614, + "task_type": "pick_clean_then_place_in_recep-Pan-None-Fridge-1", + "task_id": "trial_T20190908_105549_705446" + }, + { + "item_id": 2615, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Toilet-426", + "task_id": "trial_T20190907_184729_585161" + }, + { + "item_id": 2616, + "task_type": "pick_and_place_simple-SoapBottle-None-Cart-430", + "task_id": "trial_T20190909_100609_714213" + }, + { + "item_id": 2617, + "task_type": "pick_and_place_simple-Book-None-Desk-313", + "task_id": "trial_T20190909_140606_239445" + }, + { + "item_id": 2618, + "task_type": "pick_and_place_simple-KeyChain-None-Sofa-229", + "task_id": "trial_T20190908_123359_988104" + }, + { + "item_id": 2619, + "task_type": "pick_two_obj_and_place-RemoteControl-None-Ottoman-210", + "task_id": "trial_T20190906_202114_729948" + } +] \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-alfworld/configs/mappings_train.json b/openmanus_rl/agentgym/agentenv-alfworld/configs/mappings_train.json new file mode 100644 index 00000000..ce4e5619 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-alfworld/configs/mappings_train.json @@ -0,0 +1,12102 @@ +[ + { + "item_id": 0, + "task_type": "look_at_obj_in_light-AlarmClock-None-DeskLamp-301", + "task_id": "trial_T20190907_174127_043461" + }, + { + "item_id": 1, + "task_type": "look_at_obj_in_light-AlarmClock-None-DeskLamp-301", + "task_id": "trial_T20190907_174142_375532" + }, + { + "item_id": 2, + "task_type": "look_at_obj_in_light-AlarmClock-None-DeskLamp-304", + "task_id": "trial_T20190907_170557_255365" + }, + { + "item_id": 3, + "task_type": "look_at_obj_in_light-AlarmClock-None-DeskLamp-304", + "task_id": "trial_T20190909_152102_649589" + }, + { + "item_id": 4, + "task_type": "look_at_obj_in_light-AlarmClock-None-DeskLamp-305", + "task_id": "trial_T20190908_082736_108723" + }, + { + "item_id": 5, + "task_type": "look_at_obj_in_light-AlarmClock-None-DeskLamp-309", + "task_id": "trial_T20190908_062755_880343" + }, + { + "item_id": 6, + "task_type": "look_at_obj_in_light-AlarmClock-None-DeskLamp-309", + "task_id": "trial_T20190908_062818_332126" + }, + { + "item_id": 7, + "task_type": "look_at_obj_in_light-AlarmClock-None-DeskLamp-316", + "task_id": "trial_T20190906_202305_162111" + }, + { + "item_id": 8, + "task_type": "look_at_obj_in_light-AlarmClock-None-DeskLamp-317", + "task_id": "trial_T20190909_070740_947572" + }, + { + "item_id": 9, + "task_type": "look_at_obj_in_light-AlarmClock-None-DeskLamp-323", + "task_id": "trial_T20190909_044736_929512" + }, + { + "item_id": 10, + "task_type": "look_at_obj_in_light-AlarmClock-None-DeskLamp-327", + "task_id": "trial_T20190909_102016_233685" + }, + { + "item_id": 11, + "task_type": "look_at_obj_in_light-AlarmClock-None-DeskLamp-328", + "task_id": "trial_T20190908_175801_507648" + }, + { + "item_id": 12, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-303", + "task_id": "trial_T20190909_085406_916808" + }, + { + "item_id": 13, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-305", + "task_id": "trial_T20190908_215726_055077" + }, + { + "item_id": 14, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-305", + "task_id": "trial_T20190908_215736_012696" + }, + { + "item_id": 15, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-306", + "task_id": "trial_T20190908_035303_350876" + }, + { + "item_id": 16, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-306", + "task_id": "trial_T20190908_035314_430411" + }, + { + "item_id": 17, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-307", + "task_id": "trial_T20190908_062847_269349" + }, + { + "item_id": 18, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-307", + "task_id": "trial_T20190908_062918_080758" + }, + { + "item_id": 19, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-309", + "task_id": "trial_T20190907_175823_717719" + }, + { + "item_id": 20, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-309", + "task_id": "trial_T20190907_175846_963560" + }, + { + "item_id": 21, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-316", + "task_id": "trial_T20190908_101915_421195" + }, + { + "item_id": 22, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-316", + "task_id": "trial_T20190908_101923_519368" + }, + { + "item_id": 23, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-317", + "task_id": "trial_T20190907_162837_975033" + }, + { + "item_id": 24, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-317", + "task_id": "trial_T20190909_201143_217673" + }, + { + "item_id": 25, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-320", + "task_id": "trial_T20190909_152301_888219" + }, + { + "item_id": 26, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-324", + "task_id": "trial_T20190907_014417_271891" + }, + { + "item_id": 27, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-328", + "task_id": "trial_T20190908_062929_997479" + }, + { + "item_id": 28, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-328", + "task_id": "trial_T20190908_062936_284723" + }, + { + "item_id": 29, + "task_type": "look_at_obj_in_light-Book-None-DeskLamp-328", + "task_id": "trial_T20190908_062949_158183" + }, + { + "item_id": 30, + "task_type": "look_at_obj_in_light-Bowl-None-DeskLamp-301", + "task_id": "trial_T20190909_150931_522935" + }, + { + "item_id": 31, + "task_type": "look_at_obj_in_light-Bowl-None-DeskLamp-302", + "task_id": "trial_T20190908_030636_661532" + }, + { + "item_id": 32, + "task_type": "look_at_obj_in_light-Bowl-None-DeskLamp-304", + "task_id": "trial_T20190907_232204_574574" + }, + { + "item_id": 33, + "task_type": "look_at_obj_in_light-Bowl-None-DeskLamp-304", + "task_id": "trial_T20190907_232217_890241" + }, + { + "item_id": 34, + "task_type": "look_at_obj_in_light-Bowl-None-DeskLamp-305", + "task_id": "trial_T20190908_233020_632529" + }, + { + "item_id": 35, + "task_type": "look_at_obj_in_light-Bowl-None-DeskLamp-307", + "task_id": "trial_T20190908_204857_408911" + }, + { + "item_id": 36, + "task_type": "look_at_obj_in_light-Bowl-None-DeskLamp-307", + "task_id": "trial_T20190908_204915_583447" + }, + { + "item_id": 37, + "task_type": "look_at_obj_in_light-Bowl-None-DeskLamp-323", + "task_id": "trial_T20190908_024019_183353" + }, + { + "item_id": 38, + "task_type": "look_at_obj_in_light-Bowl-None-DeskLamp-323", + "task_id": "trial_T20190908_024036_061391" + }, + { + "item_id": 39, + "task_type": "look_at_obj_in_light-Bowl-None-DeskLamp-323", + "task_id": "trial_T20190908_024052_230550" + }, + { + "item_id": 40, + "task_type": "look_at_obj_in_light-Bowl-None-DeskLamp-327", + "task_id": "trial_T20190907_094344_497461" + }, + { + "item_id": 41, + "task_type": "look_at_obj_in_light-Bowl-None-DeskLamp-327", + "task_id": "trial_T20190907_094410_444756" + }, + { + "item_id": 42, + "task_type": "look_at_obj_in_light-Box-None-DeskLamp-205", + "task_id": "trial_T20190907_074438_715192" + }, + { + "item_id": 43, + "task_type": "look_at_obj_in_light-Box-None-DeskLamp-218", + "task_id": "trial_T20190909_021255_203788" + }, + { + "item_id": 44, + "task_type": "look_at_obj_in_light-Box-None-DeskLamp-218", + "task_id": "trial_T20190909_021415_768402" + }, + { + "item_id": 45, + "task_type": "look_at_obj_in_light-Box-None-DeskLamp-225", + "task_id": "trial_T20190908_140203_064540" + }, + { + "item_id": 46, + "task_type": "look_at_obj_in_light-Box-None-DeskLamp-225", + "task_id": "trial_T20190908_140219_482769" + }, + { + "item_id": 47, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-302", + "task_id": "trial_T20190907_154641_341365" + }, + { + "item_id": 48, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-304", + "task_id": "trial_T20190907_185606_026765" + }, + { + "item_id": 49, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-304", + "task_id": "trial_T20190907_185624_189387" + }, + { + "item_id": 50, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-304", + "task_id": "trial_T20190907_185649_782438" + }, + { + "item_id": 51, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-306", + "task_id": "trial_T20190906_221709_218020" + }, + { + "item_id": 52, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-306", + "task_id": "trial_T20190906_221729_564172" + }, + { + "item_id": 53, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-307", + "task_id": "trial_T20190906_200425_670027" + }, + { + "item_id": 54, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-316", + "task_id": "trial_T20190909_114522_623490" + }, + { + "item_id": 55, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-316", + "task_id": "trial_T20190909_114536_775689" + }, + { + "item_id": 56, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-316", + "task_id": "trial_T20190909_114559_561870" + }, + { + "item_id": 57, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-317", + "task_id": "trial_T20190908_032827_984500" + }, + { + "item_id": 58, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-317", + "task_id": "trial_T20190908_032847_688091" + }, + { + "item_id": 59, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-317", + "task_id": "trial_T20190908_032856_004482" + }, + { + "item_id": 60, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-319", + "task_id": "trial_T20190909_114512_615280" + }, + { + "item_id": 61, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-319", + "task_id": "trial_T20190909_114559_982060" + }, + { + "item_id": 62, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-319", + "task_id": "trial_T20190909_123058_970211" + }, + { + "item_id": 63, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-320", + "task_id": "trial_T20190907_224439_174735" + }, + { + "item_id": 64, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-320", + "task_id": "trial_T20190907_224502_133384" + }, + { + "item_id": 65, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-323", + "task_id": "trial_T20190908_051103_156741" + }, + { + "item_id": 66, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-323", + "task_id": "trial_T20190908_051139_258301" + }, + { + "item_id": 67, + "task_type": "look_at_obj_in_light-CD-None-DeskLamp-324", + "task_id": "trial_T20190907_230827_540393" + }, + { + "item_id": 68, + "task_type": "look_at_obj_in_light-CellPhone-None-DeskLamp-316", + "task_id": "trial_T20190907_075452_465579" + }, + { + "item_id": 69, + "task_type": "look_at_obj_in_light-CellPhone-None-DeskLamp-316", + "task_id": "trial_T20190907_075501_181242" + }, + { + "item_id": 70, + "task_type": "look_at_obj_in_light-CellPhone-None-DeskLamp-316", + "task_id": "trial_T20190907_075509_267502" + }, + { + "item_id": 71, + "task_type": "look_at_obj_in_light-CellPhone-None-DeskLamp-320", + "task_id": "trial_T20190908_093252_166576" + }, + { + "item_id": 72, + "task_type": "look_at_obj_in_light-CreditCard-None-DeskLamp-314", + "task_id": "trial_T20190906_201558_324636" + }, + { + "item_id": 73, + "task_type": "look_at_obj_in_light-CreditCard-None-DeskLamp-314", + "task_id": "trial_T20190906_201607_020913" + }, + { + "item_id": 74, + "task_type": "look_at_obj_in_light-CreditCard-None-DeskLamp-324", + "task_id": "trial_T20190910_025955_546151" + }, + { + "item_id": 75, + "task_type": "look_at_obj_in_light-CreditCard-None-DeskLamp-324", + "task_id": "trial_T20190910_031358_267252" + }, + { + "item_id": 76, + "task_type": "look_at_obj_in_light-KeyChain-None-DeskLamp-309", + "task_id": "trial_T20190909_094219_644881" + }, + { + "item_id": 77, + "task_type": "look_at_obj_in_light-KeyChain-None-DeskLamp-309", + "task_id": "trial_T20190909_094258_737509" + }, + { + "item_id": 78, + "task_type": "look_at_obj_in_light-KeyChain-None-DeskLamp-309", + "task_id": "trial_T20190909_094310_266647" + }, + { + "item_id": 79, + "task_type": "look_at_obj_in_light-Laptop-None-DeskLamp-216", + "task_id": "trial_T20190907_185526_145194" + }, + { + "item_id": 80, + "task_type": "look_at_obj_in_light-Laptop-None-DeskLamp-216", + "task_id": "trial_T20190907_185541_681881" + }, + { + "item_id": 81, + "task_type": "look_at_obj_in_light-Laptop-None-DeskLamp-306", + "task_id": "trial_T20190908_105706_372317" + }, + { + "item_id": 82, + "task_type": "look_at_obj_in_light-Laptop-None-DeskLamp-306", + "task_id": "trial_T20190908_105734_354331" + }, + { + "item_id": 83, + "task_type": "look_at_obj_in_light-Laptop-None-DeskLamp-309", + "task_id": "trial_T20190907_185728_635748" + }, + { + "item_id": 84, + "task_type": "look_at_obj_in_light-Laptop-None-DeskLamp-309", + "task_id": "trial_T20190907_185744_816357" + }, + { + "item_id": 85, + "task_type": "look_at_obj_in_light-Laptop-None-DeskLamp-317", + "task_id": "trial_T20190909_001814_883589" + }, + { + "item_id": 86, + "task_type": "look_at_obj_in_light-Laptop-None-DeskLamp-317", + "task_id": "trial_T20190909_001842_530744" + }, + { + "item_id": 87, + "task_type": "look_at_obj_in_light-Laptop-None-DeskLamp-317", + "task_id": "trial_T20190909_001901_917364" + }, + { + "item_id": 88, + "task_type": "look_at_obj_in_light-Laptop-None-DeskLamp-319", + "task_id": "trial_T20190908_182531_510491" + }, + { + "item_id": 89, + "task_type": "look_at_obj_in_light-Laptop-None-DeskLamp-328", + "task_id": "trial_T20190908_201601_178214" + }, + { + "item_id": 90, + "task_type": "look_at_obj_in_light-Mug-None-DeskLamp-301", + "task_id": "trial_T20190908_045036_103114" + }, + { + "item_id": 91, + "task_type": "look_at_obj_in_light-Mug-None-DeskLamp-301", + "task_id": "trial_T20190908_155916_103990" + }, + { + "item_id": 92, + "task_type": "look_at_obj_in_light-Mug-None-DeskLamp-323", + "task_id": "trial_T20190907_041032_086791" + }, + { + "item_id": 93, + "task_type": "look_at_obj_in_light-Mug-None-DeskLamp-323", + "task_id": "trial_T20190907_041056_308386" + }, + { + "item_id": 94, + "task_type": "look_at_obj_in_light-Newspaper-None-DeskLamp-210", + "task_id": "trial_T20190906_234500_634705" + }, + { + "item_id": 95, + "task_type": "look_at_obj_in_light-Newspaper-None-DeskLamp-210", + "task_id": "trial_T20190906_234518_391010" + }, + { + "item_id": 96, + "task_type": "look_at_obj_in_light-Newspaper-None-DeskLamp-216", + "task_id": "trial_T20190908_082338_583045" + }, + { + "item_id": 97, + "task_type": "look_at_obj_in_light-Newspaper-None-DeskLamp-216", + "task_id": "trial_T20190908_082412_778374" + }, + { + "item_id": 98, + "task_type": "look_at_obj_in_light-Newspaper-None-DeskLamp-216", + "task_id": "trial_T20190908_143004_004127" + }, + { + "item_id": 99, + "task_type": "look_at_obj_in_light-Newspaper-None-DeskLamp-218", + "task_id": "trial_T20190909_045123_249769" + }, + { + "item_id": 100, + "task_type": "look_at_obj_in_light-Newspaper-None-DeskLamp-224", + "task_id": "trial_T20190909_091643_467064" + }, + { + "item_id": 101, + "task_type": "look_at_obj_in_light-Newspaper-None-DeskLamp-224", + "task_id": "trial_T20190909_091712_242922" + }, + { + "item_id": 102, + "task_type": "look_at_obj_in_light-Newspaper-None-DeskLamp-225", + "task_id": "trial_T20190909_085334_452202" + }, + { + "item_id": 103, + "task_type": "look_at_obj_in_light-Newspaper-None-DeskLamp-225", + "task_id": "trial_T20190909_085356_076414" + }, + { + "item_id": 104, + "task_type": "look_at_obj_in_light-Newspaper-None-DeskLamp-225", + "task_id": "trial_T20190909_085713_995585" + }, + { + "item_id": 105, + "task_type": "look_at_obj_in_light-Pen-None-DeskLamp-305", + "task_id": "trial_T20190907_115838_075745" + }, + { + "item_id": 106, + "task_type": "look_at_obj_in_light-Pen-None-DeskLamp-309", + "task_id": "trial_T20190909_044929_695149" + }, + { + "item_id": 107, + "task_type": "look_at_obj_in_light-Pen-None-DeskLamp-309", + "task_id": "trial_T20190909_051958_854080" + }, + { + "item_id": 108, + "task_type": "look_at_obj_in_light-Pen-None-DeskLamp-309", + "task_id": "trial_T20190909_052008_160445" + }, + { + "item_id": 109, + "task_type": "look_at_obj_in_light-Pen-None-DeskLamp-319", + "task_id": "trial_T20190908_090919_902323" + }, + { + "item_id": 110, + "task_type": "look_at_obj_in_light-Pen-None-DeskLamp-323", + "task_id": "trial_T20190908_125522_292336" + }, + { + "item_id": 111, + "task_type": "look_at_obj_in_light-Pen-None-DeskLamp-323", + "task_id": "trial_T20190908_125547_889154" + }, + { + "item_id": 112, + "task_type": "look_at_obj_in_light-Pen-None-DeskLamp-323", + "task_id": "trial_T20190908_125613_266139" + }, + { + "item_id": 113, + "task_type": "look_at_obj_in_light-Pen-None-DeskLamp-327", + "task_id": "trial_T20190909_020841_759592" + }, + { + "item_id": 114, + "task_type": "look_at_obj_in_light-Pen-None-DeskLamp-327", + "task_id": "trial_T20190909_085506_003852" + }, + { + "item_id": 115, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-302", + "task_id": "trial_T20190908_101013_940730" + }, + { + "item_id": 116, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-302", + "task_id": "trial_T20190909_231416_306847" + }, + { + "item_id": 117, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-303", + "task_id": "trial_T20190909_064550_960291" + }, + { + "item_id": 118, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-303", + "task_id": "trial_T20190909_064607_933278" + }, + { + "item_id": 119, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-304", + "task_id": "trial_T20190908_235401_841357" + }, + { + "item_id": 120, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-306", + "task_id": "trial_T20190907_235840_204311" + }, + { + "item_id": 121, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-306", + "task_id": "trial_T20190907_235854_062993" + }, + { + "item_id": 122, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-307", + "task_id": "trial_T20190909_014346_726857" + }, + { + "item_id": 123, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-307", + "task_id": "trial_T20190909_014358_444702" + }, + { + "item_id": 124, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-307", + "task_id": "trial_T20190909_014411_219923" + }, + { + "item_id": 125, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-319", + "task_id": "trial_T20190908_135046_043056" + }, + { + "item_id": 126, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-320", + "task_id": "trial_T20190908_143748_669974" + }, + { + "item_id": 127, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-320", + "task_id": "trial_T20190908_143829_213070" + }, + { + "item_id": 128, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-328", + "task_id": "trial_T20190906_201130_178664" + }, + { + "item_id": 129, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-328", + "task_id": "trial_T20190906_201143_149707" + }, + { + "item_id": 130, + "task_type": "look_at_obj_in_light-Pencil-None-DeskLamp-328", + "task_id": "trial_T20190906_201152_550531" + }, + { + "item_id": 131, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-205", + "task_id": "trial_T20190909_014913_726205" + }, + { + "item_id": 132, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-216", + "task_id": "trial_T20190907_220638_188496" + }, + { + "item_id": 133, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-216", + "task_id": "trial_T20190907_220649_204897" + }, + { + "item_id": 134, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-218", + "task_id": "trial_T20190909_043156_302104" + }, + { + "item_id": 135, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-218", + "task_id": "trial_T20190909_043226_266806" + }, + { + "item_id": 136, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-218", + "task_id": "trial_T20190909_043253_098401" + }, + { + "item_id": 137, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-301", + "task_id": "trial_T20190908_012827_451848" + }, + { + "item_id": 138, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-301", + "task_id": "trial_T20190908_012939_225603" + }, + { + "item_id": 139, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-301", + "task_id": "trial_T20190909_185605_551830" + }, + { + "item_id": 140, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-302", + "task_id": "trial_T20190909_150929_316139" + }, + { + "item_id": 141, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-302", + "task_id": "trial_T20190909_150941_601258" + }, + { + "item_id": 142, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-303", + "task_id": "trial_T20190907_034855_345410" + }, + { + "item_id": 143, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-303", + "task_id": "trial_T20190907_034908_319218" + }, + { + "item_id": 144, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-303", + "task_id": "trial_T20190907_034918_885162" + }, + { + "item_id": 145, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-305", + "task_id": "trial_T20190909_110653_100811" + }, + { + "item_id": 146, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-305", + "task_id": "trial_T20190909_110717_764199" + }, + { + "item_id": 147, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-306", + "task_id": "trial_T20190909_075045_578840" + }, + { + "item_id": 148, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-306", + "task_id": "trial_T20190909_075057_227880" + }, + { + "item_id": 149, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-306", + "task_id": "trial_T20190909_075108_837635" + }, + { + "item_id": 150, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-307", + "task_id": "trial_T20190908_190558_647867" + }, + { + "item_id": 151, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-307", + "task_id": "trial_T20190908_190608_801964" + }, + { + "item_id": 152, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-307", + "task_id": "trial_T20190908_190618_308570" + }, + { + "item_id": 153, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-309", + "task_id": "trial_T20190908_113820_480741" + }, + { + "item_id": 154, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-309", + "task_id": "trial_T20190908_113843_792729" + }, + { + "item_id": 155, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-314", + "task_id": "trial_T20190908_115823_954045" + }, + { + "item_id": 156, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-314", + "task_id": "trial_T20190908_115833_802764" + }, + { + "item_id": 157, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-314", + "task_id": "trial_T20190908_115844_093537" + }, + { + "item_id": 158, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-316", + "task_id": "trial_T20190908_232351_848868" + }, + { + "item_id": 159, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-316", + "task_id": "trial_T20190908_232409_225369" + }, + { + "item_id": 160, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-316", + "task_id": "trial_T20190908_232421_645610" + }, + { + "item_id": 161, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-317", + "task_id": "trial_T20190908_234437_155393" + }, + { + "item_id": 162, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-317", + "task_id": "trial_T20190908_234505_182882" + }, + { + "item_id": 163, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-317", + "task_id": "trial_T20190908_234536_917488" + }, + { + "item_id": 164, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-319", + "task_id": "trial_T20190907_224200_196003" + }, + { + "item_id": 165, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-319", + "task_id": "trial_T20190907_224211_927258" + }, + { + "item_id": 166, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-320", + "task_id": "trial_T20190906_225849_878033" + }, + { + "item_id": 167, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-320", + "task_id": "trial_T20190906_225859_247598" + }, + { + "item_id": 168, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-320", + "task_id": "trial_T20190906_225908_972390" + }, + { + "item_id": 169, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-323", + "task_id": "trial_T20190908_053135_013146" + }, + { + "item_id": 170, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-324", + "task_id": "trial_T20190908_155642_533831" + }, + { + "item_id": 171, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-328", + "task_id": "trial_T20190908_114558_603431" + }, + { + "item_id": 172, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-328", + "task_id": "trial_T20190908_114608_138013" + }, + { + "item_id": 173, + "task_type": "look_at_obj_in_light-Pillow-None-DeskLamp-328", + "task_id": "trial_T20190908_114619_968426" + }, + { + "item_id": 174, + "task_type": "look_at_obj_in_light-Plate-None-DeskLamp-218", + "task_id": "trial_T20190907_212525_656549" + }, + { + "item_id": 175, + "task_type": "look_at_obj_in_light-Plate-None-DeskLamp-218", + "task_id": "trial_T20190907_215235_918119" + }, + { + "item_id": 176, + "task_type": "look_at_obj_in_light-Plate-None-DeskLamp-218", + "task_id": "trial_T20190908_075846_888051" + }, + { + "item_id": 177, + "task_type": "look_at_obj_in_light-Statue-None-DeskLamp-218", + "task_id": "trial_T20190909_085308_837993" + }, + { + "item_id": 178, + "task_type": "look_at_obj_in_light-Statue-None-DeskLamp-304", + "task_id": "trial_T20190909_011855_674463" + }, + { + "item_id": 179, + "task_type": "look_at_obj_in_light-Statue-None-DeskLamp-304", + "task_id": "trial_T20190909_035310_552898" + }, + { + "item_id": 180, + "task_type": "look_at_obj_in_light-Statue-None-DeskLamp-319", + "task_id": "trial_T20190907_035529_591053" + }, + { + "item_id": 181, + "task_type": "look_at_obj_in_light-Statue-None-DeskLamp-319", + "task_id": "trial_T20190907_035546_167548" + }, + { + "item_id": 182, + "task_type": "look_at_obj_in_light-TissueBox-None-DeskLamp-216", + "task_id": "trial_T20190908_200035_042748" + }, + { + "item_id": 183, + "task_type": "look_at_obj_in_light-TissueBox-None-DeskLamp-225", + "task_id": "trial_T20190906_192815_299058" + }, + { + "item_id": 184, + "task_type": "look_at_obj_in_light-TissueBox-None-DeskLamp-225", + "task_id": "trial_T20190906_192828_730493" + }, + { + "item_id": 185, + "task_type": "look_at_obj_in_light-TissueBox-None-DeskLamp-301", + "task_id": "trial_T20190908_011330_213255" + }, + { + "item_id": 186, + "task_type": "look_at_obj_in_light-TissueBox-None-DeskLamp-328", + "task_id": "trial_T20190907_201322_516201" + }, + { + "item_id": 187, + "task_type": "look_at_obj_in_light-TissueBox-None-DeskLamp-328", + "task_id": "trial_T20190907_201338_131288" + }, + { + "item_id": 188, + "task_type": "look_at_obj_in_light-TissueBox-None-DeskLamp-328", + "task_id": "trial_T20190908_045203_114143" + }, + { + "item_id": 189, + "task_type": "look_at_obj_in_light-Vase-None-DeskLamp-216", + "task_id": "trial_T20190906_200432_637572" + }, + { + "item_id": 190, + "task_type": "look_at_obj_in_light-Vase-None-DeskLamp-216", + "task_id": "trial_T20190906_200458_622810" + }, + { + "item_id": 191, + "task_type": "look_at_obj_in_light-Vase-None-DeskLamp-303", + "task_id": "trial_T20190907_150431_362791" + }, + { + "item_id": 192, + "task_type": "look_at_obj_in_light-Watch-None-DeskLamp-205", + "task_id": "trial_T20190907_001900_859623" + }, + { + "item_id": 193, + "task_type": "look_at_obj_in_light-Watch-None-DeskLamp-205", + "task_id": "trial_T20190907_001919_953335" + }, + { + "item_id": 194, + "task_type": "look_at_obj_in_light-Watch-None-DeskLamp-205", + "task_id": "trial_T20190907_001948_509721" + }, + { + "item_id": 195, + "task_type": "look_at_obj_in_light-Watch-None-DeskLamp-301", + "task_id": "trial_T20190909_151141_967451" + }, + { + "item_id": 196, + "task_type": "pick_and_place_simple-AlarmClock-None-Desk-307", + "task_id": "trial_T20190907_072329_828593" + }, + { + "item_id": 197, + "task_type": "pick_and_place_simple-AlarmClock-None-Desk-310", + "task_id": "trial_T20190908_002100_024659" + }, + { + "item_id": 198, + "task_type": "pick_and_place_simple-AlarmClock-None-Desk-310", + "task_id": "trial_T20190908_002122_419694" + }, + { + "item_id": 199, + "task_type": "pick_and_place_simple-AlarmClock-None-Desk-310", + "task_id": "trial_T20190909_115859_563203" + }, + { + "item_id": 200, + "task_type": "pick_and_place_simple-AlarmClock-None-Desk-318", + "task_id": "trial_T20190910_021620_491490" + }, + { + "item_id": 201, + "task_type": "pick_and_place_simple-AlarmClock-None-Desk-318", + "task_id": "trial_T20190910_025509_493764" + }, + { + "item_id": 202, + "task_type": "pick_and_place_simple-AlarmClock-None-DiningTable-329", + "task_id": "trial_T20190909_011727_722798" + }, + { + "item_id": 203, + "task_type": "pick_and_place_simple-AlarmClock-None-Dresser-319", + "task_id": "trial_T20190908_002747_623437" + }, + { + "item_id": 204, + "task_type": "pick_and_place_simple-AlarmClock-None-Shelf-310", + "task_id": "trial_T20190907_151339_403808" + }, + { + "item_id": 205, + "task_type": "pick_and_place_simple-AlarmClock-None-Shelf-310", + "task_id": "trial_T20190907_151357_096210" + }, + { + "item_id": 206, + "task_type": "pick_and_place_simple-AlarmClock-None-Shelf-310", + "task_id": "trial_T20190907_151407_969856" + }, + { + "item_id": 207, + "task_type": "pick_and_place_simple-AlarmClock-None-Shelf-320", + "task_id": "trial_T20190907_121126_621870" + }, + { + "item_id": 208, + "task_type": "pick_and_place_simple-AlarmClock-None-Shelf-320", + "task_id": "trial_T20190907_121134_827602" + }, + { + "item_id": 209, + "task_type": "pick_and_place_simple-AlarmClock-None-Shelf-320", + "task_id": "trial_T20190907_121158_600571" + }, + { + "item_id": 210, + "task_type": "pick_and_place_simple-AlarmClock-None-SideTable-329", + "task_id": "trial_T20190909_013608_170798" + }, + { + "item_id": 211, + "task_type": "pick_and_place_simple-Book-None-ArmChair-209", + "task_id": "trial_T20190909_091451_936328" + }, + { + "item_id": 212, + "task_type": "pick_and_place_simple-Book-None-ArmChair-209", + "task_id": "trial_T20190909_091617_854251" + }, + { + "item_id": 213, + "task_type": "pick_and_place_simple-Book-None-ArmChair-229", + "task_id": "trial_T20190906_203034_911544" + }, + { + "item_id": 214, + "task_type": "pick_and_place_simple-Book-None-ArmChair-229", + "task_id": "trial_T20190906_203105_670913" + }, + { + "item_id": 215, + "task_type": "pick_and_place_simple-Book-None-ArmChair-318", + "task_id": "trial_T20190909_112937_058752" + }, + { + "item_id": 216, + "task_type": "pick_and_place_simple-Book-None-ArmChair-318", + "task_id": "trial_T20190909_113023_560549" + }, + { + "item_id": 217, + "task_type": "pick_and_place_simple-Book-None-ArmChair-318", + "task_id": "trial_T20190909_113100_297495" + }, + { + "item_id": 218, + "task_type": "pick_and_place_simple-Book-None-Bed-306", + "task_id": "trial_T20190907_125231_175582" + }, + { + "item_id": 219, + "task_type": "pick_and_place_simple-Book-None-Bed-306", + "task_id": "trial_T20190907_125249_700188" + }, + { + "item_id": 220, + "task_type": "pick_and_place_simple-Book-None-Bed-306", + "task_id": "trial_T20190907_125307_925923" + }, + { + "item_id": 221, + "task_type": "pick_and_place_simple-Book-None-Bed-312", + "task_id": "trial_T20190908_103648_829231" + }, + { + "item_id": 222, + "task_type": "pick_and_place_simple-Book-None-Bed-312", + "task_id": "trial_T20190908_103710_898411" + }, + { + "item_id": 223, + "task_type": "pick_and_place_simple-Book-None-Bed-312", + "task_id": "trial_T20190908_103725_745160" + }, + { + "item_id": 224, + "task_type": "pick_and_place_simple-Book-None-CoffeeTable-229", + "task_id": "trial_T20190908_125658_195646" + }, + { + "item_id": 225, + "task_type": "pick_and_place_simple-Book-None-CoffeeTable-229", + "task_id": "trial_T20190908_125722_074883" + }, + { + "item_id": 226, + "task_type": "pick_and_place_simple-Book-None-Desk-304", + "task_id": "trial_T20190908_141258_600679" + }, + { + "item_id": 227, + "task_type": "pick_and_place_simple-Book-None-Desk-304", + "task_id": "trial_T20190908_141325_880062" + }, + { + "item_id": 228, + "task_type": "pick_and_place_simple-Book-None-Desk-310", + "task_id": "trial_T20190909_121806_908997" + }, + { + "item_id": 229, + "task_type": "pick_and_place_simple-Book-None-Desk-310", + "task_id": "trial_T20190909_121817_687992" + }, + { + "item_id": 230, + "task_type": "pick_and_place_simple-Book-None-Desk-310", + "task_id": "trial_T20190909_121828_424706" + }, + { + "item_id": 231, + "task_type": "pick_and_place_simple-Book-None-Desk-313", + "task_id": "trial_T20190909_140547_719284" + }, + { + "item_id": 232, + "task_type": "pick_and_place_simple-Book-None-Desk-313", + "task_id": "trial_T20190909_140620_440339" + }, + { + "item_id": 233, + "task_type": "pick_and_place_simple-Book-None-Desk-314", + "task_id": "trial_T20190908_111915_948834" + }, + { + "item_id": 234, + "task_type": "pick_and_place_simple-Book-None-Desk-314", + "task_id": "trial_T20190908_111952_629798" + }, + { + "item_id": 235, + "task_type": "pick_and_place_simple-Book-None-Desk-314", + "task_id": "trial_T20190911_015042_291676" + }, + { + "item_id": 236, + "task_type": "pick_and_place_simple-Book-None-Dresser-319", + "task_id": "trial_T20190906_204235_124843" + }, + { + "item_id": 237, + "task_type": "pick_and_place_simple-Book-None-Dresser-319", + "task_id": "trial_T20190906_204305_696118" + }, + { + "item_id": 238, + "task_type": "pick_and_place_simple-Book-None-Dresser-319", + "task_id": "trial_T20190906_204338_649353" + }, + { + "item_id": 239, + "task_type": "pick_and_place_simple-Book-None-SideTable-329", + "task_id": "trial_T20190908_050528_227725" + }, + { + "item_id": 240, + "task_type": "pick_and_place_simple-Book-None-SideTable-329", + "task_id": "trial_T20190908_050554_865588" + }, + { + "item_id": 241, + "task_type": "pick_and_place_simple-Book-None-Sofa-202", + "task_id": "trial_T20190907_043652_096323" + }, + { + "item_id": 242, + "task_type": "pick_and_place_simple-Book-None-Sofa-209", + "task_id": "trial_T20190909_035124_250394" + }, + { + "item_id": 243, + "task_type": "pick_and_place_simple-Book-None-Sofa-209", + "task_id": "trial_T20190909_035152_742504" + }, + { + "item_id": 244, + "task_type": "pick_and_place_simple-Book-None-Sofa-229", + "task_id": "trial_T20190907_042933_874605" + }, + { + "item_id": 245, + "task_type": "pick_and_place_simple-Bowl-None-CoffeeTable-201", + "task_id": "trial_T20190907_171714_885383" + }, + { + "item_id": 246, + "task_type": "pick_and_place_simple-Bowl-None-CoffeeTable-201", + "task_id": "trial_T20190907_171756_784651" + }, + { + "item_id": 247, + "task_type": "pick_and_place_simple-Bowl-None-Fridge-6", + "task_id": "trial_T20190906_230933_751794" + }, + { + "item_id": 248, + "task_type": "pick_and_place_simple-Bowl-None-Fridge-6", + "task_id": "trial_T20190906_231022_136645" + }, + { + "item_id": 249, + "task_type": "pick_and_place_simple-Bowl-None-Fridge-6", + "task_id": "trial_T20190906_231042_118272" + }, + { + "item_id": 250, + "task_type": "pick_and_place_simple-Box-None-ArmChair-212", + "task_id": "trial_T20190908_032842_573641" + }, + { + "item_id": 251, + "task_type": "pick_and_place_simple-Box-None-ArmChair-217", + "task_id": "trial_T20190907_170746_281017" + }, + { + "item_id": 252, + "task_type": "pick_and_place_simple-Box-None-ArmChair-217", + "task_id": "trial_T20190907_170757_425284" + }, + { + "item_id": 253, + "task_type": "pick_and_place_simple-Box-None-DiningTable-223", + "task_id": "trial_T20190907_201444_740434" + }, + { + "item_id": 254, + "task_type": "pick_and_place_simple-Box-None-Dresser-224", + "task_id": "trial_T20190907_163906_753897" + }, + { + "item_id": 255, + "task_type": "pick_and_place_simple-Box-None-Sofa-205", + "task_id": "trial_T20190907_214755_478301" + }, + { + "item_id": 256, + "task_type": "pick_and_place_simple-Box-None-Sofa-205", + "task_id": "trial_T20190907_214830_497445" + }, + { + "item_id": 257, + "task_type": "pick_and_place_simple-Box-None-Sofa-220", + "task_id": "trial_T20190907_165608_878138" + }, + { + "item_id": 258, + "task_type": "pick_and_place_simple-Bread-None-Microwave-15", + "task_id": "trial_T20190907_040932_836330" + }, + { + "item_id": 259, + "task_type": "pick_and_place_simple-Bread-None-Microwave-15", + "task_id": "trial_T20190907_040949_061246" + }, + { + "item_id": 260, + "task_type": "pick_and_place_simple-Bread-None-Microwave-15", + "task_id": "trial_T20190907_041007_141387" + }, + { + "item_id": 261, + "task_type": "pick_and_place_simple-ButterKnife-None-Drawer-8", + "task_id": "trial_T20190907_142645_859732" + }, + { + "item_id": 262, + "task_type": "pick_and_place_simple-ButterKnife-None-Drawer-8", + "task_id": "trial_T20190918_144242_057762" + }, + { + "item_id": 263, + "task_type": "pick_and_place_simple-ButterKnife-None-Drawer-8", + "task_id": "trial_T20190918_144431_864795" + }, + { + "item_id": 264, + "task_type": "pick_and_place_simple-ButterKnife-None-SideTable-28", + "task_id": "trial_T20190908_133024_466656" + }, + { + "item_id": 265, + "task_type": "pick_and_place_simple-ButterKnife-None-SideTable-28", + "task_id": "trial_T20190908_133040_811710" + }, + { + "item_id": 266, + "task_type": "pick_and_place_simple-ButterKnife-None-SideTable-28", + "task_id": "trial_T20190908_133100_085069" + }, + { + "item_id": 267, + "task_type": "pick_and_place_simple-Candle-None-Cabinet-418", + "task_id": "trial_T20190907_190352_967068" + }, + { + "item_id": 268, + "task_type": "pick_and_place_simple-Candle-None-Cabinet-418", + "task_id": "trial_T20190907_190403_681011" + }, + { + "item_id": 269, + "task_type": "pick_and_place_simple-Candle-None-Cabinet-428", + "task_id": "trial_T20190907_024307_904810" + }, + { + "item_id": 270, + "task_type": "pick_and_place_simple-Candle-None-Cabinet-428", + "task_id": "trial_T20190907_024325_233549" + }, + { + "item_id": 271, + "task_type": "pick_and_place_simple-Candle-None-Cart-401", + "task_id": "trial_T20190909_081855_856149" + }, + { + "item_id": 272, + "task_type": "pick_and_place_simple-Candle-None-Cart-401", + "task_id": "trial_T20190909_081920_801026" + }, + { + "item_id": 273, + "task_type": "pick_and_place_simple-Candle-None-Cart-430", + "task_id": "trial_T20190909_055319_119903" + }, + { + "item_id": 274, + "task_type": "pick_and_place_simple-Candle-None-Cart-430", + "task_id": "trial_T20190909_055342_835891" + }, + { + "item_id": 275, + "task_type": "pick_and_place_simple-Candle-None-CounterTop-411", + "task_id": "trial_T20190906_200827_470056" + }, + { + "item_id": 276, + "task_type": "pick_and_place_simple-Candle-None-CounterTop-411", + "task_id": "trial_T20190906_200853_771692" + }, + { + "item_id": 277, + "task_type": "pick_and_place_simple-Candle-None-CounterTop-417", + "task_id": "trial_T20190909_142300_396155" + }, + { + "item_id": 278, + "task_type": "pick_and_place_simple-Candle-None-CounterTop-417", + "task_id": "trial_T20190909_142343_223524" + }, + { + "item_id": 279, + "task_type": "pick_and_place_simple-Candle-None-Drawer-411", + "task_id": "trial_T20190909_093501_751637" + }, + { + "item_id": 280, + "task_type": "pick_and_place_simple-Candle-None-Drawer-411", + "task_id": "trial_T20190909_093518_959671" + }, + { + "item_id": 281, + "task_type": "pick_and_place_simple-Candle-None-Drawer-411", + "task_id": "trial_T20190909_093542_770989" + }, + { + "item_id": 282, + "task_type": "pick_and_place_simple-Candle-None-Dresser-413", + "task_id": "trial_T20190909_040614_977988" + }, + { + "item_id": 283, + "task_type": "pick_and_place_simple-Candle-None-Dresser-413", + "task_id": "trial_T20190909_040707_760902" + }, + { + "item_id": 284, + "task_type": "pick_and_place_simple-Candle-None-SideTable-420", + "task_id": "trial_T20190907_025635_534669" + }, + { + "item_id": 285, + "task_type": "pick_and_place_simple-Candle-None-Toilet-402", + "task_id": "trial_T20190909_150110_676215" + }, + { + "item_id": 286, + "task_type": "pick_and_place_simple-Candle-None-Toilet-402", + "task_id": "trial_T20190909_150140_960275" + }, + { + "item_id": 287, + "task_type": "pick_and_place_simple-Candle-None-Toilet-402", + "task_id": "trial_T20190909_150202_194037" + }, + { + "item_id": 288, + "task_type": "pick_and_place_simple-Candle-None-Toilet-405", + "task_id": "trial_T20190908_131501_794150" + }, + { + "item_id": 289, + "task_type": "pick_and_place_simple-Candle-None-Toilet-407", + "task_id": "trial_T20190909_055216_511429" + }, + { + "item_id": 290, + "task_type": "pick_and_place_simple-Candle-None-Toilet-407", + "task_id": "trial_T20190909_055329_734896" + }, + { + "item_id": 291, + "task_type": "pick_and_place_simple-Candle-None-Toilet-409", + "task_id": "trial_T20190908_014219_052080" + }, + { + "item_id": 292, + "task_type": "pick_and_place_simple-Candle-None-Toilet-409", + "task_id": "trial_T20190908_142223_955072" + }, + { + "item_id": 293, + "task_type": "pick_and_place_simple-Candle-None-Toilet-409", + "task_id": "trial_T20190908_142251_407168" + }, + { + "item_id": 294, + "task_type": "pick_and_place_simple-Candle-None-Toilet-410", + "task_id": "trial_T20190908_124646_959694" + }, + { + "item_id": 295, + "task_type": "pick_and_place_simple-Candle-None-Toilet-410", + "task_id": "trial_T20190908_124708_468504" + }, + { + "item_id": 296, + "task_type": "pick_and_place_simple-Candle-None-Toilet-410", + "task_id": "trial_T20190908_124744_886566" + }, + { + "item_id": 297, + "task_type": "pick_and_place_simple-Candle-None-Toilet-412", + "task_id": "trial_T20190909_045218_924054" + }, + { + "item_id": 298, + "task_type": "pick_and_place_simple-Candle-None-Toilet-412", + "task_id": "trial_T20190909_054611_536768" + }, + { + "item_id": 299, + "task_type": "pick_and_place_simple-Candle-None-Toilet-413", + "task_id": "trial_T20190909_104025_525772" + }, + { + "item_id": 300, + "task_type": "pick_and_place_simple-Candle-None-Toilet-413", + "task_id": "trial_T20190909_104039_809266" + }, + { + "item_id": 301, + "task_type": "pick_and_place_simple-Candle-None-Toilet-418", + "task_id": "trial_T20190907_184947_274026" + }, + { + "item_id": 302, + "task_type": "pick_and_place_simple-Candle-None-Toilet-418", + "task_id": "trial_T20190907_185015_671728" + }, + { + "item_id": 303, + "task_type": "pick_and_place_simple-Candle-None-Toilet-419", + "task_id": "trial_T20190908_042522_882708" + }, + { + "item_id": 304, + "task_type": "pick_and_place_simple-Candle-None-Toilet-429", + "task_id": "trial_T20190908_052248_516834" + }, + { + "item_id": 305, + "task_type": "pick_and_place_simple-Candle-None-Toilet-429", + "task_id": "trial_T20190908_052308_217335" + }, + { + "item_id": 306, + "task_type": "pick_and_place_simple-CD-None-DiningTable-311", + "task_id": "trial_T20190908_071404_028986" + }, + { + "item_id": 307, + "task_type": "pick_and_place_simple-CD-None-DiningTable-311", + "task_id": "trial_T20190908_071422_528388" + }, + { + "item_id": 308, + "task_type": "pick_and_place_simple-CD-None-DiningTable-311", + "task_id": "trial_T20190908_071437_984059" + }, + { + "item_id": 309, + "task_type": "pick_and_place_simple-CD-None-Dresser-318", + "task_id": "trial_T20190907_190229_164232" + }, + { + "item_id": 310, + "task_type": "pick_and_place_simple-CD-None-Dresser-318", + "task_id": "trial_T20190907_190322_270194" + }, + { + "item_id": 311, + "task_type": "pick_and_place_simple-CD-None-Dresser-323", + "task_id": "trial_T20190908_005459_168199" + }, + { + "item_id": 312, + "task_type": "pick_and_place_simple-CD-None-Dresser-323", + "task_id": "trial_T20190908_005514_476729" + }, + { + "item_id": 313, + "task_type": "pick_and_place_simple-CD-None-Dresser-323", + "task_id": "trial_T20190908_005542_694744" + }, + { + "item_id": 314, + "task_type": "pick_and_place_simple-CD-None-Safe-317", + "task_id": "trial_T20190906_180452_867280" + }, + { + "item_id": 315, + "task_type": "pick_and_place_simple-CD-None-Safe-317", + "task_id": "trial_T20190906_180511_344768" + }, + { + "item_id": 316, + "task_type": "pick_and_place_simple-CD-None-Safe-317", + "task_id": "trial_T20190918_155029_622888" + }, + { + "item_id": 317, + "task_type": "pick_and_place_simple-CD-None-Safe-323", + "task_id": "trial_T20190907_211140_841572" + }, + { + "item_id": 318, + "task_type": "pick_and_place_simple-CD-None-Safe-323", + "task_id": "trial_T20190907_211200_729045" + }, + { + "item_id": 319, + "task_type": "pick_and_place_simple-CD-None-Safe-323", + "task_id": "trial_T20190908_030027_358974" + }, + { + "item_id": 320, + "task_type": "pick_and_place_simple-CD-None-Shelf-310", + "task_id": "trial_T20190908_125951_058277" + }, + { + "item_id": 321, + "task_type": "pick_and_place_simple-CD-None-Shelf-310", + "task_id": "trial_T20190908_130024_429688" + }, + { + "item_id": 322, + "task_type": "pick_and_place_simple-CD-None-Shelf-319", + "task_id": "trial_T20190908_060915_412301" + }, + { + "item_id": 323, + "task_type": "pick_and_place_simple-CD-None-Shelf-319", + "task_id": "trial_T20190908_060942_585532" + }, + { + "item_id": 324, + "task_type": "pick_and_place_simple-CD-None-Shelf-326", + "task_id": "trial_T20190908_050350_303115" + }, + { + "item_id": 325, + "task_type": "pick_and_place_simple-CD-None-Shelf-326", + "task_id": "trial_T20190910_060853_032012" + }, + { + "item_id": 326, + "task_type": "pick_and_place_simple-CD-None-Shelf-326", + "task_id": "trial_T20190910_091735_839703" + }, + { + "item_id": 327, + "task_type": "pick_and_place_simple-CD-None-Shelf-330", + "task_id": "trial_T20190906_201313_428328" + }, + { + "item_id": 328, + "task_type": "pick_and_place_simple-CD-None-Shelf-330", + "task_id": "trial_T20190906_201328_424086" + }, + { + "item_id": 329, + "task_type": "pick_and_place_simple-CD-None-Shelf-330", + "task_id": "trial_T20190906_201356_091911" + }, + { + "item_id": 330, + "task_type": "pick_and_place_simple-CD-None-SideTable-328", + "task_id": "trial_T20190907_033353_099987" + }, + { + "item_id": 331, + "task_type": "pick_and_place_simple-CD-None-SideTable-328", + "task_id": "trial_T20190907_033442_349858" + }, + { + "item_id": 332, + "task_type": "pick_and_place_simple-CD-None-SideTable-328", + "task_id": "trial_T20190907_033509_300729" + }, + { + "item_id": 333, + "task_type": "pick_and_place_simple-CD-None-SideTable-329", + "task_id": "trial_T20190908_002233_981326" + }, + { + "item_id": 334, + "task_type": "pick_and_place_simple-CD-None-SideTable-329", + "task_id": "trial_T20190908_002246_523800" + }, + { + "item_id": 335, + "task_type": "pick_and_place_simple-CD-None-SideTable-329", + "task_id": "trial_T20190908_002257_064845" + }, + { + "item_id": 336, + "task_type": "pick_and_place_simple-CellPhone-None-ArmChair-318", + "task_id": "trial_T20190909_120109_366816" + }, + { + "item_id": 337, + "task_type": "pick_and_place_simple-CellPhone-None-ArmChair-318", + "task_id": "trial_T20190909_120136_895030" + }, + { + "item_id": 338, + "task_type": "pick_and_place_simple-CellPhone-None-ArmChair-321", + "task_id": "trial_T20190906_200534_135586" + }, + { + "item_id": 339, + "task_type": "pick_and_place_simple-CellPhone-None-ArmChair-321", + "task_id": "trial_T20190906_200553_752305" + }, + { + "item_id": 340, + "task_type": "pick_and_place_simple-CellPhone-None-Bed-306", + "task_id": "trial_T20190909_012707_174038" + }, + { + "item_id": 341, + "task_type": "pick_and_place_simple-CellPhone-None-Bed-306", + "task_id": "trial_T20190909_012724_686117" + }, + { + "item_id": 342, + "task_type": "pick_and_place_simple-CellPhone-None-Bed-313", + "task_id": "trial_T20190907_092230_655414" + }, + { + "item_id": 343, + "task_type": "pick_and_place_simple-CellPhone-None-Bed-313", + "task_id": "trial_T20190907_092308_442494" + }, + { + "item_id": 344, + "task_type": "pick_and_place_simple-CellPhone-None-Bed-321", + "task_id": "trial_T20190908_231504_321117" + }, + { + "item_id": 345, + "task_type": "pick_and_place_simple-CellPhone-None-Bed-322", + "task_id": "trial_T20190907_163944_460921" + }, + { + "item_id": 346, + "task_type": "pick_and_place_simple-CellPhone-None-Bed-324", + "task_id": "trial_T20190907_233803_611728" + }, + { + "item_id": 347, + "task_type": "pick_and_place_simple-CellPhone-None-Desk-305", + "task_id": "trial_T20190907_230951_698317" + }, + { + "item_id": 348, + "task_type": "pick_and_place_simple-CellPhone-None-Desk-305", + "task_id": "trial_T20190907_231028_856423" + }, + { + "item_id": 349, + "task_type": "pick_and_place_simple-CellPhone-None-Desk-312", + "task_id": "trial_T20190908_021751_687867" + }, + { + "item_id": 350, + "task_type": "pick_and_place_simple-CellPhone-None-Desk-312", + "task_id": "trial_T20190908_021820_773170" + }, + { + "item_id": 351, + "task_type": "pick_and_place_simple-CellPhone-None-Desk-316", + "task_id": "trial_T20190909_053356_708088" + }, + { + "item_id": 352, + "task_type": "pick_and_place_simple-CellPhone-None-Desk-316", + "task_id": "trial_T20190911_210304_361742" + }, + { + "item_id": 353, + "task_type": "pick_and_place_simple-CellPhone-None-Desk-327", + "task_id": "trial_T20190907_162342_304038" + }, + { + "item_id": 354, + "task_type": "pick_and_place_simple-CellPhone-None-Desk-327", + "task_id": "trial_T20190907_162400_978293" + }, + { + "item_id": 355, + "task_type": "pick_and_place_simple-CellPhone-None-Desk-327", + "task_id": "trial_T20190907_162420_449542" + }, + { + "item_id": 356, + "task_type": "pick_and_place_simple-CellPhone-None-DiningTable-329", + "task_id": "trial_T20190909_074056_730233" + }, + { + "item_id": 357, + "task_type": "pick_and_place_simple-CellPhone-None-Drawer-302", + "task_id": "trial_T20190907_235359_470335" + }, + { + "item_id": 358, + "task_type": "pick_and_place_simple-CellPhone-None-Drawer-302", + "task_id": "trial_T20190907_235412_132976" + }, + { + "item_id": 359, + "task_type": "pick_and_place_simple-CellPhone-None-Drawer-302", + "task_id": "trial_T20190907_235426_919624" + }, + { + "item_id": 360, + "task_type": "pick_and_place_simple-CellPhone-None-Drawer-324", + "task_id": "trial_T20190907_225609_338474" + }, + { + "item_id": 361, + "task_type": "pick_and_place_simple-CellPhone-None-Drawer-324", + "task_id": "trial_T20190907_225624_710237" + }, + { + "item_id": 362, + "task_type": "pick_and_place_simple-CellPhone-None-Dresser-317", + "task_id": "trial_T20190908_033450_287042" + }, + { + "item_id": 363, + "task_type": "pick_and_place_simple-CellPhone-None-Dresser-317", + "task_id": "trial_T20190908_033503_132415" + }, + { + "item_id": 364, + "task_type": "pick_and_place_simple-CellPhone-None-Dresser-317", + "task_id": "trial_T20190908_033554_295049" + }, + { + "item_id": 365, + "task_type": "pick_and_place_simple-CellPhone-None-Dresser-330", + "task_id": "trial_T20190909_052323_195252" + }, + { + "item_id": 366, + "task_type": "pick_and_place_simple-CellPhone-None-Dresser-330", + "task_id": "trial_T20190909_064340_559511" + }, + { + "item_id": 367, + "task_type": "pick_and_place_simple-CellPhone-None-Safe-302", + "task_id": "trial_T20190908_122723_141074" + }, + { + "item_id": 368, + "task_type": "pick_and_place_simple-CellPhone-None-Safe-302", + "task_id": "trial_T20190908_122741_565733" + }, + { + "item_id": 369, + "task_type": "pick_and_place_simple-CellPhone-None-Safe-323", + "task_id": "trial_T20190907_234431_849819" + }, + { + "item_id": 370, + "task_type": "pick_and_place_simple-CellPhone-None-Safe-323", + "task_id": "trial_T20190907_234526_733036" + }, + { + "item_id": 371, + "task_type": "pick_and_place_simple-CellPhone-None-Shelf-313", + "task_id": "trial_T20190908_123725_452958" + }, + { + "item_id": 372, + "task_type": "pick_and_place_simple-CellPhone-None-Shelf-313", + "task_id": "trial_T20190908_123742_719248" + }, + { + "item_id": 373, + "task_type": "pick_and_place_simple-CellPhone-None-SideTable-317", + "task_id": "trial_T20190909_234733_582011" + }, + { + "item_id": 374, + "task_type": "pick_and_place_simple-CellPhone-None-SideTable-326", + "task_id": "trial_T20190909_150051_438324" + }, + { + "item_id": 375, + "task_type": "pick_and_place_simple-CellPhone-None-SideTable-326", + "task_id": "trial_T20190909_150134_334830" + }, + { + "item_id": 376, + "task_type": "pick_and_place_simple-CellPhone-None-SideTable-326", + "task_id": "trial_T20190909_150146_042485" + }, + { + "item_id": 377, + "task_type": "pick_and_place_simple-Cloth-None-BathtubBasin-407", + "task_id": "trial_T20190906_201712_058488" + }, + { + "item_id": 378, + "task_type": "pick_and_place_simple-Cloth-None-BathtubBasin-407", + "task_id": "trial_T20190906_201725_314911" + }, + { + "item_id": 379, + "task_type": "pick_and_place_simple-Cloth-None-BathtubBasin-407", + "task_id": "trial_T20190906_201736_928899" + }, + { + "item_id": 380, + "task_type": "pick_and_place_simple-Cloth-None-BathtubBasin-410", + "task_id": "trial_T20190908_214728_043712" + }, + { + "item_id": 381, + "task_type": "pick_and_place_simple-Cloth-None-BathtubBasin-410", + "task_id": "trial_T20190908_214739_817788" + }, + { + "item_id": 382, + "task_type": "pick_and_place_simple-Cloth-None-Cart-401", + "task_id": "trial_T20190909_054512_021256" + }, + { + "item_id": 383, + "task_type": "pick_and_place_simple-Cloth-None-Cart-401", + "task_id": "trial_T20190909_054522_876529" + }, + { + "item_id": 384, + "task_type": "pick_and_place_simple-Cloth-None-CounterTop-414", + "task_id": "trial_T20190909_064959_475757" + }, + { + "item_id": 385, + "task_type": "pick_and_place_simple-Cloth-None-CounterTop-414", + "task_id": "trial_T20190909_065011_738215" + }, + { + "item_id": 386, + "task_type": "pick_and_place_simple-Cloth-None-CounterTop-414", + "task_id": "trial_T20190909_065033_930964" + }, + { + "item_id": 387, + "task_type": "pick_and_place_simple-Cloth-None-Drawer-409", + "task_id": "trial_T20190908_032838_597592" + }, + { + "item_id": 388, + "task_type": "pick_and_place_simple-Cloth-None-Drawer-409", + "task_id": "trial_T20190912_061626_184198" + }, + { + "item_id": 389, + "task_type": "pick_and_place_simple-Cloth-None-SideTable-420", + "task_id": "trial_T20190909_091135_148287" + }, + { + "item_id": 390, + "task_type": "pick_and_place_simple-Cloth-None-SinkBasin-412", + "task_id": "trial_T20190909_055641_384378" + }, + { + "item_id": 391, + "task_type": "pick_and_place_simple-Cloth-None-SinkBasin-412", + "task_id": "trial_T20190909_055708_322701" + }, + { + "item_id": 392, + "task_type": "pick_and_place_simple-Cloth-None-SinkBasin-417", + "task_id": "trial_T20190908_120409_207224" + }, + { + "item_id": 393, + "task_type": "pick_and_place_simple-Cloth-None-Toilet-408", + "task_id": "trial_T20190909_152421_724136" + }, + { + "item_id": 394, + "task_type": "pick_and_place_simple-Cloth-None-Toilet-408", + "task_id": "trial_T20190909_152505_280472" + }, + { + "item_id": 395, + "task_type": "pick_and_place_simple-Cloth-None-Toilet-417", + "task_id": "trial_T20190908_163125_420468" + }, + { + "item_id": 396, + "task_type": "pick_and_place_simple-Cloth-None-Toilet-417", + "task_id": "trial_T20190908_163225_559074" + }, + { + "item_id": 397, + "task_type": "pick_and_place_simple-CreditCard-None-ArmChair-201", + "task_id": "trial_T20190908_124413_314288" + }, + { + "item_id": 398, + "task_type": "pick_and_place_simple-CreditCard-None-ArmChair-201", + "task_id": "trial_T20190908_124445_444943" + }, + { + "item_id": 399, + "task_type": "pick_and_place_simple-CreditCard-None-ArmChair-202", + "task_id": "trial_T20190909_011622_519100" + }, + { + "item_id": 400, + "task_type": "pick_and_place_simple-CreditCard-None-ArmChair-202", + "task_id": "trial_T20190909_011645_748929" + }, + { + "item_id": 401, + "task_type": "pick_and_place_simple-CreditCard-None-ArmChair-216", + "task_id": "trial_T20190909_054954_990241" + }, + { + "item_id": 402, + "task_type": "pick_and_place_simple-CreditCard-None-ArmChair-216", + "task_id": "trial_T20190909_055028_463314" + }, + { + "item_id": 403, + "task_type": "pick_and_place_simple-CreditCard-None-ArmChair-216", + "task_id": "trial_T20190909_055043_050166" + }, + { + "item_id": 404, + "task_type": "pick_and_place_simple-CreditCard-None-CoffeeTable-217", + "task_id": "trial_T20190909_135734_881357" + }, + { + "item_id": 405, + "task_type": "pick_and_place_simple-CreditCard-None-CoffeeTable-217", + "task_id": "trial_T20190909_135805_140276" + }, + { + "item_id": 406, + "task_type": "pick_and_place_simple-CreditCard-None-CoffeeTable-217", + "task_id": "trial_T20190909_135838_223609" + }, + { + "item_id": 407, + "task_type": "pick_and_place_simple-CreditCard-None-Desk-307", + "task_id": "trial_T20190907_143649_550638" + }, + { + "item_id": 408, + "task_type": "pick_and_place_simple-CreditCard-None-Desk-307", + "task_id": "trial_T20190907_143724_810881" + }, + { + "item_id": 409, + "task_type": "pick_and_place_simple-CreditCard-None-Desk-310", + "task_id": "trial_T20190908_033209_183849" + }, + { + "item_id": 410, + "task_type": "pick_and_place_simple-CreditCard-None-Desk-310", + "task_id": "trial_T20190908_033219_058539" + }, + { + "item_id": 411, + "task_type": "pick_and_place_simple-CreditCard-None-Desk-310", + "task_id": "trial_T20190908_033230_602789" + }, + { + "item_id": 412, + "task_type": "pick_and_place_simple-CreditCard-None-DiningTable-329", + "task_id": "trial_T20190909_003233_231673" + }, + { + "item_id": 413, + "task_type": "pick_and_place_simple-CreditCard-None-DiningTable-329", + "task_id": "trial_T20190909_013555_714877" + }, + { + "item_id": 414, + "task_type": "pick_and_place_simple-CreditCard-None-DiningTable-329", + "task_id": "trial_T20190909_013611_626994" + }, + { + "item_id": 415, + "task_type": "pick_and_place_simple-CreditCard-None-Drawer-227", + "task_id": "trial_T20190918_215541_739446" + }, + { + "item_id": 416, + "task_type": "pick_and_place_simple-CreditCard-None-Drawer-227", + "task_id": "trial_T20190918_215750_186147" + }, + { + "item_id": 417, + "task_type": "pick_and_place_simple-CreditCard-None-Shelf-307", + "task_id": "trial_T20190908_141017_721379" + }, + { + "item_id": 418, + "task_type": "pick_and_place_simple-CreditCard-None-Shelf-307", + "task_id": "trial_T20190908_141030_925653" + }, + { + "item_id": 419, + "task_type": "pick_and_place_simple-CreditCard-None-Shelf-307", + "task_id": "trial_T20190908_141045_644908" + }, + { + "item_id": 420, + "task_type": "pick_and_place_simple-CreditCard-None-Shelf-316", + "task_id": "trial_T20190909_092853_746076" + }, + { + "item_id": 421, + "task_type": "pick_and_place_simple-CreditCard-None-Shelf-316", + "task_id": "trial_T20190909_092906_834375" + }, + { + "item_id": 422, + "task_type": "pick_and_place_simple-CreditCard-None-Shelf-316", + "task_id": "trial_T20190909_092935_341684" + }, + { + "item_id": 423, + "task_type": "pick_and_place_simple-CreditCard-None-Sofa-207", + "task_id": "trial_T20190908_050824_930889" + }, + { + "item_id": 424, + "task_type": "pick_and_place_simple-CreditCard-None-Sofa-207", + "task_id": "trial_T20190908_050843_342298" + }, + { + "item_id": 425, + "task_type": "pick_and_place_simple-CreditCard-None-Sofa-216", + "task_id": "trial_T20190909_110532_392327" + }, + { + "item_id": 426, + "task_type": "pick_and_place_simple-CreditCard-None-Sofa-220", + "task_id": "trial_T20190909_110856_321744" + }, + { + "item_id": 427, + "task_type": "pick_and_place_simple-CreditCard-None-Sofa-220", + "task_id": "trial_T20190909_110916_512916" + }, + { + "item_id": 428, + "task_type": "pick_and_place_simple-CreditCard-None-Sofa-220", + "task_id": "trial_T20190909_110935_672411" + }, + { + "item_id": 429, + "task_type": "pick_and_place_simple-Cup-None-SinkBasin-22", + "task_id": "trial_T20190919_022014_388551" + }, + { + "item_id": 430, + "task_type": "pick_and_place_simple-Cup-None-SinkBasin-22", + "task_id": "trial_T20190919_031325_874164" + }, + { + "item_id": 431, + "task_type": "pick_and_place_simple-DishSponge-None-Cabinet-5", + "task_id": "trial_T20190906_192821_060129" + }, + { + "item_id": 432, + "task_type": "pick_and_place_simple-DishSponge-None-Cabinet-5", + "task_id": "trial_T20190906_192854_230657" + }, + { + "item_id": 433, + "task_type": "pick_and_place_simple-DishSponge-None-Cabinet-5", + "task_id": "trial_T20190906_192916_142208" + }, + { + "item_id": 434, + "task_type": "pick_and_place_simple-DishSponge-None-Cart-401", + "task_id": "trial_T20190909_045729_956116" + }, + { + "item_id": 435, + "task_type": "pick_and_place_simple-DishSponge-None-Toilet-403", + "task_id": "trial_T20190907_192737_190036" + }, + { + "item_id": 436, + "task_type": "pick_and_place_simple-DishSponge-None-Toilet-403", + "task_id": "trial_T20190907_192753_899150" + }, + { + "item_id": 437, + "task_type": "pick_and_place_simple-Egg-None-Fridge-7", + "task_id": "trial_T20190906_164825_242073" + }, + { + "item_id": 438, + "task_type": "pick_and_place_simple-Egg-None-Fridge-7", + "task_id": "trial_T20190919_044140_870607" + }, + { + "item_id": 439, + "task_type": "pick_and_place_simple-Egg-None-Microwave-4", + "task_id": "trial_T20190906_234424_765112" + }, + { + "item_id": 440, + "task_type": "pick_and_place_simple-Egg-None-Microwave-4", + "task_id": "trial_T20190906_234455_731960" + }, + { + "item_id": 441, + "task_type": "pick_and_place_simple-Glassbottle-None-Cabinet-17", + "task_id": "trial_T20190906_182145_901150" + }, + { + "item_id": 442, + "task_type": "pick_and_place_simple-Glassbottle-None-CounterTop-23", + "task_id": "trial_T20190907_122220_401927" + }, + { + "item_id": 443, + "task_type": "pick_and_place_simple-Glassbottle-None-CounterTop-23", + "task_id": "trial_T20190907_122237_574960" + }, + { + "item_id": 444, + "task_type": "pick_and_place_simple-Glassbottle-None-DiningTable-23", + "task_id": "trial_T20190908_071034_583787" + }, + { + "item_id": 445, + "task_type": "pick_and_place_simple-Glassbottle-None-DiningTable-23", + "task_id": "trial_T20190908_071053_270408" + }, + { + "item_id": 446, + "task_type": "pick_and_place_simple-Glassbottle-None-DiningTable-23", + "task_id": "trial_T20190908_071117_449095" + }, + { + "item_id": 447, + "task_type": "pick_and_place_simple-Glassbottle-None-Fridge-16", + "task_id": "trial_T20190908_045909_766806" + }, + { + "item_id": 448, + "task_type": "pick_and_place_simple-Glassbottle-None-Fridge-16", + "task_id": "trial_T20190908_045933_322597" + }, + { + "item_id": 449, + "task_type": "pick_and_place_simple-Glassbottle-None-Fridge-16", + "task_id": "trial_T20190908_045957_988347" + }, + { + "item_id": 450, + "task_type": "pick_and_place_simple-HandTowel-None-BathtubBasin-410", + "task_id": "trial_T20190908_174259_048748" + }, + { + "item_id": 451, + "task_type": "pick_and_place_simple-HandTowel-None-BathtubBasin-423", + "task_id": "trial_T20190909_044455_524924" + }, + { + "item_id": 452, + "task_type": "pick_and_place_simple-HandTowel-None-Cabinet-414", + "task_id": "trial_T20190908_121352_440024" + }, + { + "item_id": 453, + "task_type": "pick_and_place_simple-HandTowel-None-Cabinet-414", + "task_id": "trial_T20190908_121415_819763" + }, + { + "item_id": 454, + "task_type": "pick_and_place_simple-HandTowel-None-CounterTop-416", + "task_id": "trial_T20190909_045148_475019" + }, + { + "item_id": 455, + "task_type": "pick_and_place_simple-HandTowel-None-CounterTop-416", + "task_id": "trial_T20190909_045204_373695" + }, + { + "item_id": 456, + "task_type": "pick_and_place_simple-HandTowel-None-CounterTop-416", + "task_id": "trial_T20190909_045221_760575" + }, + { + "item_id": 457, + "task_type": "pick_and_place_simple-HandTowel-None-GarbageCan-416", + "task_id": "trial_T20190908_234733_986177" + }, + { + "item_id": 458, + "task_type": "pick_and_place_simple-HandTowel-None-GarbageCan-416", + "task_id": "trial_T20190908_234752_613977" + }, + { + "item_id": 459, + "task_type": "pick_and_place_simple-HandTowel-None-GarbageCan-416", + "task_id": "trial_T20190909_062150_965386" + }, + { + "item_id": 460, + "task_type": "pick_and_place_simple-HandTowel-None-GarbageCan-420", + "task_id": "trial_T20190908_153250_839048" + }, + { + "item_id": 461, + "task_type": "pick_and_place_simple-HandTowel-None-GarbageCan-420", + "task_id": "trial_T20190908_153305_392513" + }, + { + "item_id": 462, + "task_type": "pick_and_place_simple-HandTowel-None-GarbageCan-420", + "task_id": "trial_T20190908_153318_365643" + }, + { + "item_id": 463, + "task_type": "pick_and_place_simple-HandTowel-None-GarbageCan-423", + "task_id": "trial_T20190907_025926_506401" + }, + { + "item_id": 464, + "task_type": "pick_and_place_simple-HandTowel-None-GarbageCan-423", + "task_id": "trial_T20190907_025958_147612" + }, + { + "item_id": 465, + "task_type": "pick_and_place_simple-HandTowel-None-GarbageCan-423", + "task_id": "trial_T20190907_030014_861239" + }, + { + "item_id": 466, + "task_type": "pick_and_place_simple-HandTowel-None-SinkBasin-415", + "task_id": "trial_T20190909_051506_703363" + }, + { + "item_id": 467, + "task_type": "pick_and_place_simple-HandTowel-None-SinkBasin-415", + "task_id": "trial_T20190909_051520_901055" + }, + { + "item_id": 468, + "task_type": "pick_and_place_simple-HandTowel-None-SinkBasin-415", + "task_id": "trial_T20190909_051530_134543" + }, + { + "item_id": 469, + "task_type": "pick_and_place_simple-HandTowel-None-SinkBasin-416", + "task_id": "trial_T20190909_032528_576498" + }, + { + "item_id": 470, + "task_type": "pick_and_place_simple-HandTowel-None-SinkBasin-416", + "task_id": "trial_T20190909_032549_730713" + }, + { + "item_id": 471, + "task_type": "pick_and_place_simple-HandTowel-None-SinkBasin-416", + "task_id": "trial_T20190909_032632_791113" + }, + { + "item_id": 472, + "task_type": "pick_and_place_simple-HandTowel-None-SinkBasin-422", + "task_id": "trial_T20190907_061902_265206" + }, + { + "item_id": 473, + "task_type": "pick_and_place_simple-HandTowel-None-SinkBasin-422", + "task_id": "trial_T20190907_061918_014825" + }, + { + "item_id": 474, + "task_type": "pick_and_place_simple-HandTowel-None-Toilet-428", + "task_id": "trial_T20190908_064234_237470" + }, + { + "item_id": 475, + "task_type": "pick_and_place_simple-HandTowel-None-Toilet-428", + "task_id": "trial_T20190908_064252_498410" + }, + { + "item_id": 476, + "task_type": "pick_and_place_simple-HandTowel-None-Toilet-428", + "task_id": "trial_T20190908_064310_434441" + }, + { + "item_id": 477, + "task_type": "pick_and_place_simple-Kettle-None-Cabinet-18", + "task_id": "trial_T20190918_172306_304155" + }, + { + "item_id": 478, + "task_type": "pick_and_place_simple-Kettle-None-Shelf-1", + "task_id": "trial_T20190907_011711_519188" + }, + { + "item_id": 479, + "task_type": "pick_and_place_simple-Kettle-None-StoveBurner-2", + "task_id": "trial_T20190909_085714_449235" + }, + { + "item_id": 480, + "task_type": "pick_and_place_simple-Kettle-None-StoveBurner-2", + "task_id": "trial_T20190918_152051_373060" + }, + { + "item_id": 481, + "task_type": "pick_and_place_simple-KeyChain-None-ArmChair-213", + "task_id": "trial_T20190907_001825_048110" + }, + { + "item_id": 482, + "task_type": "pick_and_place_simple-KeyChain-None-ArmChair-213", + "task_id": "trial_T20190907_001843_465170" + }, + { + "item_id": 483, + "task_type": "pick_and_place_simple-KeyChain-None-ArmChair-214", + "task_id": "trial_T20190909_061144_774666" + }, + { + "item_id": 484, + "task_type": "pick_and_place_simple-KeyChain-None-ArmChair-214", + "task_id": "trial_T20190909_061209_612904" + }, + { + "item_id": 485, + "task_type": "pick_and_place_simple-KeyChain-None-ArmChair-318", + "task_id": "trial_T20190909_114611_014873" + }, + { + "item_id": 486, + "task_type": "pick_and_place_simple-KeyChain-None-ArmChair-318", + "task_id": "trial_T20190909_114706_369286" + }, + { + "item_id": 487, + "task_type": "pick_and_place_simple-KeyChain-None-ArmChair-322", + "task_id": "trial_T20190908_223340_751080" + }, + { + "item_id": 488, + "task_type": "pick_and_place_simple-KeyChain-None-ArmChair-322", + "task_id": "trial_T20190908_223409_609518" + }, + { + "item_id": 489, + "task_type": "pick_and_place_simple-KeyChain-None-CoffeeTable-227", + "task_id": "trial_T20190907_162007_533707" + }, + { + "item_id": 490, + "task_type": "pick_and_place_simple-KeyChain-None-Desk-304", + "task_id": "trial_T20190907_192638_964457" + }, + { + "item_id": 491, + "task_type": "pick_and_place_simple-KeyChain-None-Desk-304", + "task_id": "trial_T20190907_192658_005358" + }, + { + "item_id": 492, + "task_type": "pick_and_place_simple-KeyChain-None-Desk-304", + "task_id": "trial_T20190907_192735_443407" + }, + { + "item_id": 493, + "task_type": "pick_and_place_simple-KeyChain-None-Desk-310", + "task_id": "trial_T20190908_124631_281710" + }, + { + "item_id": 494, + "task_type": "pick_and_place_simple-KeyChain-None-Desk-310", + "task_id": "trial_T20190908_124646_907558" + }, + { + "item_id": 495, + "task_type": "pick_and_place_simple-KeyChain-None-Desk-310", + "task_id": "trial_T20190908_125324_094909" + }, + { + "item_id": 496, + "task_type": "pick_and_place_simple-KeyChain-None-Drawer-208", + "task_id": "trial_T20190909_013503_131014" + }, + { + "item_id": 497, + "task_type": "pick_and_place_simple-KeyChain-None-Dresser-217", + "task_id": "trial_T20190910_203234_912024" + }, + { + "item_id": 498, + "task_type": "pick_and_place_simple-KeyChain-None-Dresser-217", + "task_id": "trial_T20190910_203316_646156" + }, + { + "item_id": 499, + "task_type": "pick_and_place_simple-KeyChain-None-Dresser-317", + "task_id": "trial_T20190908_062357_662469" + }, + { + "item_id": 500, + "task_type": "pick_and_place_simple-KeyChain-None-Dresser-317", + "task_id": "trial_T20190910_183541_490131" + }, + { + "item_id": 501, + "task_type": "pick_and_place_simple-KeyChain-None-Ottoman-203", + "task_id": "trial_T20190908_123648_878822" + }, + { + "item_id": 502, + "task_type": "pick_and_place_simple-KeyChain-None-Safe-323", + "task_id": "trial_T20190908_115121_030635" + }, + { + "item_id": 503, + "task_type": "pick_and_place_simple-KeyChain-None-Safe-323", + "task_id": "trial_T20190918_181136_220658" + }, + { + "item_id": 504, + "task_type": "pick_and_place_simple-KeyChain-None-Safe-323", + "task_id": "trial_T20190918_181154_498986" + }, + { + "item_id": 505, + "task_type": "pick_and_place_simple-KeyChain-None-Shelf-313", + "task_id": "trial_T20190908_071031_691259" + }, + { + "item_id": 506, + "task_type": "pick_and_place_simple-KeyChain-None-Shelf-313", + "task_id": "trial_T20190908_071051_432683" + }, + { + "item_id": 507, + "task_type": "pick_and_place_simple-KeyChain-None-Shelf-313", + "task_id": "trial_T20190908_071144_458910" + }, + { + "item_id": 508, + "task_type": "pick_and_place_simple-KeyChain-None-SideTable-309", + "task_id": "trial_T20190908_214938_408925" + }, + { + "item_id": 509, + "task_type": "pick_and_place_simple-KeyChain-None-SideTable-322", + "task_id": "trial_T20190909_091659_910683" + }, + { + "item_id": 510, + "task_type": "pick_and_place_simple-KeyChain-None-SideTable-322", + "task_id": "trial_T20190909_091715_713301" + }, + { + "item_id": 511, + "task_type": "pick_and_place_simple-KeyChain-None-Sofa-208", + "task_id": "trial_T20190909_065831_439704" + }, + { + "item_id": 512, + "task_type": "pick_and_place_simple-KeyChain-None-Sofa-208", + "task_id": "trial_T20190909_065914_603852" + }, + { + "item_id": 513, + "task_type": "pick_and_place_simple-KeyChain-None-Sofa-217", + "task_id": "trial_T20190908_065419_074210" + }, + { + "item_id": 514, + "task_type": "pick_and_place_simple-KeyChain-None-Sofa-217", + "task_id": "trial_T20190908_065442_639441" + }, + { + "item_id": 515, + "task_type": "pick_and_place_simple-KeyChain-None-Sofa-217", + "task_id": "trial_T20190908_065504_716374" + }, + { + "item_id": 516, + "task_type": "pick_and_place_simple-KeyChain-None-Sofa-225", + "task_id": "trial_T20190908_131143_093789" + }, + { + "item_id": 517, + "task_type": "pick_and_place_simple-KeyChain-None-Sofa-225", + "task_id": "trial_T20190908_131203_170721" + }, + { + "item_id": 518, + "task_type": "pick_and_place_simple-KeyChain-None-Sofa-228", + "task_id": "trial_T20190908_122625_912366" + }, + { + "item_id": 519, + "task_type": "pick_and_place_simple-KeyChain-None-Sofa-228", + "task_id": "trial_T20190908_122649_115988" + }, + { + "item_id": 520, + "task_type": "pick_and_place_simple-KeyChain-None-Sofa-229", + "task_id": "trial_T20190908_123332_888981" + }, + { + "item_id": 521, + "task_type": "pick_and_place_simple-KeyChain-None-Sofa-229", + "task_id": "trial_T20190908_123422_029531" + }, + { + "item_id": 522, + "task_type": "pick_and_place_simple-Knife-None-SideTable-3", + "task_id": "trial_T20190906_214318_430974" + }, + { + "item_id": 523, + "task_type": "pick_and_place_simple-Knife-None-SinkBasin-20", + "task_id": "trial_T20190907_223139_822981" + }, + { + "item_id": 524, + "task_type": "pick_and_place_simple-Knife-None-SinkBasin-28", + "task_id": "trial_T20190908_115022_376657" + }, + { + "item_id": 525, + "task_type": "pick_and_place_simple-Knife-None-SinkBasin-28", + "task_id": "trial_T20190908_115045_095525" + }, + { + "item_id": 526, + "task_type": "pick_and_place_simple-Knife-None-SinkBasin-28", + "task_id": "trial_T20190908_115107_764919" + }, + { + "item_id": 527, + "task_type": "pick_and_place_simple-Laptop-None-ArmChair-205", + "task_id": "trial_T20190908_082554_250199" + }, + { + "item_id": 528, + "task_type": "pick_and_place_simple-Laptop-None-ArmChair-205", + "task_id": "trial_T20190908_082607_110365" + }, + { + "item_id": 529, + "task_type": "pick_and_place_simple-Laptop-None-ArmChair-206", + "task_id": "trial_T20190907_173903_898221" + }, + { + "item_id": 530, + "task_type": "pick_and_place_simple-Laptop-None-Bed-302", + "task_id": "trial_T20190908_112426_055221" + }, + { + "item_id": 531, + "task_type": "pick_and_place_simple-Laptop-None-Bed-302", + "task_id": "trial_T20190908_112436_878411" + }, + { + "item_id": 532, + "task_type": "pick_and_place_simple-Laptop-None-Bed-302", + "task_id": "trial_T20190908_112452_253912" + }, + { + "item_id": 533, + "task_type": "pick_and_place_simple-Laptop-None-Desk-306", + "task_id": "trial_T20190909_074933_198388" + }, + { + "item_id": 534, + "task_type": "pick_and_place_simple-Laptop-None-Desk-306", + "task_id": "trial_T20190909_074957_218283" + }, + { + "item_id": 535, + "task_type": "pick_and_place_simple-Laptop-None-Desk-306", + "task_id": "trial_T20190909_075009_810389" + }, + { + "item_id": 536, + "task_type": "pick_and_place_simple-Laptop-None-Ottoman-203", + "task_id": "trial_T20190908_110606_176017" + }, + { + "item_id": 537, + "task_type": "pick_and_place_simple-Laptop-None-Ottoman-203", + "task_id": "trial_T20190908_110656_971485" + }, + { + "item_id": 538, + "task_type": "pick_and_place_simple-Laptop-None-Ottoman-203", + "task_id": "trial_T20190908_110713_350931" + }, + { + "item_id": 539, + "task_type": "pick_and_place_simple-Laptop-None-Ottoman-210", + "task_id": "trial_T20190909_021425_508275" + }, + { + "item_id": 540, + "task_type": "pick_and_place_simple-Laptop-None-Ottoman-210", + "task_id": "trial_T20190909_021456_923505" + }, + { + "item_id": 541, + "task_type": "pick_and_place_simple-Laptop-None-Ottoman-210", + "task_id": "trial_T20190909_021528_920592" + }, + { + "item_id": 542, + "task_type": "pick_and_place_simple-Laptop-None-SideTable-221", + "task_id": "trial_T20190908_110822_445245" + }, + { + "item_id": 543, + "task_type": "pick_and_place_simple-Laptop-None-SideTable-221", + "task_id": "trial_T20190908_110844_642249" + }, + { + "item_id": 544, + "task_type": "pick_and_place_simple-Laptop-None-Sofa-216", + "task_id": "trial_T20190907_014747_133302" + }, + { + "item_id": 545, + "task_type": "pick_and_place_simple-Laptop-None-Sofa-216", + "task_id": "trial_T20190907_014811_569477" + }, + { + "item_id": 546, + "task_type": "pick_and_place_simple-Laptop-None-Sofa-216", + "task_id": "trial_T20190907_014826_706738" + }, + { + "item_id": 547, + "task_type": "pick_and_place_simple-Lettuce-None-CounterTop-25", + "task_id": "trial_T20190907_000052_389529" + }, + { + "item_id": 548, + "task_type": "pick_and_place_simple-Mug-None-Dresser-311", + "task_id": "trial_T20190909_152854_416951" + }, + { + "item_id": 549, + "task_type": "pick_and_place_simple-Mug-None-Dresser-311", + "task_id": "trial_T20190909_152910_413839" + }, + { + "item_id": 550, + "task_type": "pick_and_place_simple-Mug-None-SideTable-329", + "task_id": "trial_T20190909_032329_497305" + }, + { + "item_id": 551, + "task_type": "pick_and_place_simple-Newspaper-None-ArmChair-212", + "task_id": "trial_T20190907_222321_153992" + }, + { + "item_id": 552, + "task_type": "pick_and_place_simple-Newspaper-None-GarbageCan-214", + "task_id": "trial_T20190907_181223_726699" + }, + { + "item_id": 553, + "task_type": "pick_and_place_simple-Newspaper-None-GarbageCan-214", + "task_id": "trial_T20190907_181248_411320" + }, + { + "item_id": 554, + "task_type": "pick_and_place_simple-Newspaper-None-Ottoman-203", + "task_id": "trial_T20190908_173724_161102" + }, + { + "item_id": 555, + "task_type": "pick_and_place_simple-Newspaper-None-Ottoman-210", + "task_id": "trial_T20190907_144808_904739" + }, + { + "item_id": 556, + "task_type": "pick_and_place_simple-Newspaper-None-Ottoman-210", + "task_id": "trial_T20190907_144826_184935" + }, + { + "item_id": 557, + "task_type": "pick_and_place_simple-Newspaper-None-Ottoman-210", + "task_id": "trial_T20190907_144848_204708" + }, + { + "item_id": 558, + "task_type": "pick_and_place_simple-Newspaper-None-Sofa-211", + "task_id": "trial_T20190906_174949_956681" + }, + { + "item_id": 559, + "task_type": "pick_and_place_simple-Newspaper-None-Sofa-211", + "task_id": "trial_T20190906_175004_203092" + }, + { + "item_id": 560, + "task_type": "pick_and_place_simple-Newspaper-None-Sofa-211", + "task_id": "trial_T20190906_175021_859979" + }, + { + "item_id": 561, + "task_type": "pick_and_place_simple-Newspaper-None-Sofa-224", + "task_id": "trial_T20190909_111228_873546" + }, + { + "item_id": 562, + "task_type": "pick_and_place_simple-Pan-None-CounterTop-8", + "task_id": "trial_T20190908_105534_786184" + }, + { + "item_id": 563, + "task_type": "pick_and_place_simple-Pan-None-DiningTable-15", + "task_id": "trial_T20190908_182429_612085" + }, + { + "item_id": 564, + "task_type": "pick_and_place_simple-Pan-None-DiningTable-15", + "task_id": "trial_T20190908_182454_235938" + }, + { + "item_id": 565, + "task_type": "pick_and_place_simple-Pan-None-SinkBasin-2", + "task_id": "trial_T20190907_211651_985339" + }, + { + "item_id": 566, + "task_type": "pick_and_place_simple-Pan-None-SinkBasin-2", + "task_id": "trial_T20190907_211711_402849" + }, + { + "item_id": 567, + "task_type": "pick_and_place_simple-Pan-None-SinkBasin-2", + "task_id": "trial_T20190907_211728_072381" + }, + { + "item_id": 568, + "task_type": "pick_and_place_simple-Pen-None-Desk-310", + "task_id": "trial_T20190908_030156_053101" + }, + { + "item_id": 569, + "task_type": "pick_and_place_simple-Pen-None-Desk-310", + "task_id": "trial_T20190908_030223_620154" + }, + { + "item_id": 570, + "task_type": "pick_and_place_simple-Pen-None-Desk-310", + "task_id": "trial_T20190910_103501_338463" + }, + { + "item_id": 571, + "task_type": "pick_and_place_simple-Pen-None-Drawer-305", + "task_id": "trial_T20190907_224025_871983" + }, + { + "item_id": 572, + "task_type": "pick_and_place_simple-Pen-None-Drawer-305", + "task_id": "trial_T20190907_224041_853486" + }, + { + "item_id": 573, + "task_type": "pick_and_place_simple-Pen-None-Drawer-305", + "task_id": "trial_T20190907_224053_726820" + }, + { + "item_id": 574, + "task_type": "pick_and_place_simple-Pen-None-Shelf-310", + "task_id": "trial_T20190909_113535_223329" + }, + { + "item_id": 575, + "task_type": "pick_and_place_simple-Pen-None-Shelf-310", + "task_id": "trial_T20190909_113544_965358" + }, + { + "item_id": 576, + "task_type": "pick_and_place_simple-Pen-None-Shelf-310", + "task_id": "trial_T20190909_113609_142533" + }, + { + "item_id": 577, + "task_type": "pick_and_place_simple-Pen-None-Shelf-319", + "task_id": "trial_T20190907_203129_732698" + }, + { + "item_id": 578, + "task_type": "pick_and_place_simple-Pen-None-Shelf-319", + "task_id": "trial_T20190907_203141_178191" + }, + { + "item_id": 579, + "task_type": "pick_and_place_simple-Pen-None-Shelf-319", + "task_id": "trial_T20190907_203155_907620" + }, + { + "item_id": 580, + "task_type": "pick_and_place_simple-Pen-None-Shelf-330", + "task_id": "trial_T20190908_145416_946403" + }, + { + "item_id": 581, + "task_type": "pick_and_place_simple-Pen-None-SideTable-309", + "task_id": "trial_T20190907_051937_063581" + }, + { + "item_id": 582, + "task_type": "pick_and_place_simple-Pen-None-SideTable-322", + "task_id": "trial_T20190909_055242_347953" + }, + { + "item_id": 583, + "task_type": "pick_and_place_simple-Pen-None-SideTable-322", + "task_id": "trial_T20190909_055255_667967" + }, + { + "item_id": 584, + "task_type": "pick_and_place_simple-Pen-None-SideTable-329", + "task_id": "trial_T20190907_133455_179363" + }, + { + "item_id": 585, + "task_type": "pick_and_place_simple-Pencil-None-Desk-302", + "task_id": "trial_T20190908_032739_677771" + }, + { + "item_id": 586, + "task_type": "pick_and_place_simple-Pencil-None-Desk-302", + "task_id": "trial_T20190908_032836_462632" + }, + { + "item_id": 587, + "task_type": "pick_and_place_simple-Pencil-None-Desk-307", + "task_id": "trial_T20190909_075126_209289" + }, + { + "item_id": 588, + "task_type": "pick_and_place_simple-Pencil-None-Desk-307", + "task_id": "trial_T20190909_075150_052392" + }, + { + "item_id": 589, + "task_type": "pick_and_place_simple-Pencil-None-Desk-309", + "task_id": "trial_T20190909_021158_861942" + }, + { + "item_id": 590, + "task_type": "pick_and_place_simple-Pencil-None-Desk-309", + "task_id": "trial_T20190918_231013_763397" + }, + { + "item_id": 591, + "task_type": "pick_and_place_simple-Pencil-None-Desk-309", + "task_id": "trial_T20190918_231048_923335" + }, + { + "item_id": 592, + "task_type": "pick_and_place_simple-Pencil-None-Desk-310", + "task_id": "trial_T20190909_142857_563593" + }, + { + "item_id": 593, + "task_type": "pick_and_place_simple-Pencil-None-Desk-310", + "task_id": "trial_T20190909_142909_426067" + }, + { + "item_id": 594, + "task_type": "pick_and_place_simple-Pencil-None-GarbageCan-316", + "task_id": "trial_T20190907_165803_704024" + }, + { + "item_id": 595, + "task_type": "pick_and_place_simple-Pencil-None-GarbageCan-316", + "task_id": "trial_T20190907_165839_449092" + }, + { + "item_id": 596, + "task_type": "pick_and_place_simple-Pencil-None-Shelf-310", + "task_id": "trial_T20190908_023553_529151" + }, + { + "item_id": 597, + "task_type": "pick_and_place_simple-Pencil-None-Shelf-310", + "task_id": "trial_T20190908_023618_136375" + }, + { + "item_id": 598, + "task_type": "pick_and_place_simple-Pencil-None-Shelf-313", + "task_id": "trial_T20190908_182722_927182" + }, + { + "item_id": 599, + "task_type": "pick_and_place_simple-Pencil-None-Shelf-313", + "task_id": "trial_T20190908_182735_615142" + }, + { + "item_id": 600, + "task_type": "pick_and_place_simple-Pencil-None-SideTable-309", + "task_id": "trial_T20190909_040329_875526" + }, + { + "item_id": 601, + "task_type": "pick_and_place_simple-Pencil-None-SideTable-309", + "task_id": "trial_T20190909_064559_662348" + }, + { + "item_id": 602, + "task_type": "pick_and_place_simple-Pencil-None-SideTable-309", + "task_id": "trial_T20190909_064648_618132" + }, + { + "item_id": 603, + "task_type": "pick_and_place_simple-Pencil-None-SideTable-322", + "task_id": "trial_T20190908_112624_358795" + }, + { + "item_id": 604, + "task_type": "pick_and_place_simple-Pencil-None-SideTable-322", + "task_id": "trial_T20190908_112657_423751" + }, + { + "item_id": 605, + "task_type": "pick_and_place_simple-Pencil-None-SideTable-322", + "task_id": "trial_T20190908_112718_743066" + }, + { + "item_id": 606, + "task_type": "pick_and_place_simple-PepperShaker-None-CounterTop-27", + "task_id": "trial_T20190909_010836_535047" + }, + { + "item_id": 607, + "task_type": "pick_and_place_simple-PepperShaker-None-Drawer-13", + "task_id": "trial_T20190908_230731_141286" + }, + { + "item_id": 608, + "task_type": "pick_and_place_simple-PepperShaker-None-Drawer-13", + "task_id": "trial_T20190908_230806_880555" + }, + { + "item_id": 609, + "task_type": "pick_and_place_simple-PepperShaker-None-Drawer-5", + "task_id": "trial_T20190908_195236_701456" + }, + { + "item_id": 610, + "task_type": "pick_and_place_simple-PepperShaker-None-Drawer-5", + "task_id": "trial_T20190908_195258_714603" + }, + { + "item_id": 611, + "task_type": "pick_and_place_simple-PepperShaker-None-Shelf-20", + "task_id": "trial_T20190907_162334_232853" + }, + { + "item_id": 612, + "task_type": "pick_and_place_simple-PepperShaker-None-Shelf-20", + "task_id": "trial_T20190907_162359_655154" + }, + { + "item_id": 613, + "task_type": "pick_and_place_simple-PepperShaker-None-Shelf-20", + "task_id": "trial_T20190907_162424_819408" + }, + { + "item_id": 614, + "task_type": "pick_and_place_simple-PepperShaker-None-SideTable-21", + "task_id": "trial_T20190906_213353_632634" + }, + { + "item_id": 615, + "task_type": "pick_and_place_simple-PepperShaker-None-SideTable-21", + "task_id": "trial_T20190906_213417_095299" + }, + { + "item_id": 616, + "task_type": "pick_and_place_simple-Pillow-None-ArmChair-206", + "task_id": "trial_T20190909_011649_821132" + }, + { + "item_id": 617, + "task_type": "pick_and_place_simple-Pillow-None-ArmChair-206", + "task_id": "trial_T20190909_011712_191509" + }, + { + "item_id": 618, + "task_type": "pick_and_place_simple-Pillow-None-ArmChair-206", + "task_id": "trial_T20190909_011730_702236" + }, + { + "item_id": 619, + "task_type": "pick_and_place_simple-Pillow-None-ArmChair-214", + "task_id": "trial_T20190909_010430_625642" + }, + { + "item_id": 620, + "task_type": "pick_and_place_simple-Pillow-None-ArmChair-225", + "task_id": "trial_T20190908_104554_100496" + }, + { + "item_id": 621, + "task_type": "pick_and_place_simple-Pillow-None-ArmChair-225", + "task_id": "trial_T20190908_104612_718251" + }, + { + "item_id": 622, + "task_type": "pick_and_place_simple-Pillow-None-ArmChair-225", + "task_id": "trial_T20190908_142357_753395" + }, + { + "item_id": 623, + "task_type": "pick_and_place_simple-Pillow-None-ArmChair-321", + "task_id": "trial_T20190908_104920_763828" + }, + { + "item_id": 624, + "task_type": "pick_and_place_simple-Pillow-None-ArmChair-321", + "task_id": "trial_T20190908_104935_443304" + }, + { + "item_id": 625, + "task_type": "pick_and_place_simple-Pillow-None-Ottoman-208", + "task_id": "trial_T20190906_172059_337617" + }, + { + "item_id": 626, + "task_type": "pick_and_place_simple-Pillow-None-Ottoman-208", + "task_id": "trial_T20190906_172113_458319" + }, + { + "item_id": 627, + "task_type": "pick_and_place_simple-Pillow-None-Ottoman-208", + "task_id": "trial_T20190906_172125_756234" + }, + { + "item_id": 628, + "task_type": "pick_and_place_simple-Pillow-None-Sofa-209", + "task_id": "trial_T20190907_101259_128239" + }, + { + "item_id": 629, + "task_type": "pick_and_place_simple-Pillow-None-Sofa-209", + "task_id": "trial_T20190907_101320_162709" + }, + { + "item_id": 630, + "task_type": "pick_and_place_simple-Pillow-None-Sofa-209", + "task_id": "trial_T20190907_101338_670866" + }, + { + "item_id": 631, + "task_type": "pick_and_place_simple-Pillow-None-Sofa-221", + "task_id": "trial_T20190908_175303_977893" + }, + { + "item_id": 632, + "task_type": "pick_and_place_simple-Plate-None-Dresser-218", + "task_id": "trial_T20190907_013508_041432" + }, + { + "item_id": 633, + "task_type": "pick_and_place_simple-Plate-None-Dresser-218", + "task_id": "trial_T20190907_013555_841038" + }, + { + "item_id": 634, + "task_type": "pick_and_place_simple-Plate-None-Dresser-218", + "task_id": "trial_T20190907_013614_368009" + }, + { + "item_id": 635, + "task_type": "pick_and_place_simple-Pot-None-SinkBasin-2", + "task_id": "trial_T20190907_081302_027380" + }, + { + "item_id": 636, + "task_type": "pick_and_place_simple-Pot-None-SinkBasin-2", + "task_id": "trial_T20190907_081313_441852" + }, + { + "item_id": 637, + "task_type": "pick_and_place_simple-Pot-None-SinkBasin-2", + "task_id": "trial_T20190907_081326_785076" + }, + { + "item_id": 638, + "task_type": "pick_and_place_simple-Potato-None-Microwave-30", + "task_id": "trial_T20190907_015922_868391" + }, + { + "item_id": 639, + "task_type": "pick_and_place_simple-RemoteControl-None-ArmChair-207", + "task_id": "trial_T20190908_140615_941385" + }, + { + "item_id": 640, + "task_type": "pick_and_place_simple-RemoteControl-None-ArmChair-222", + "task_id": "trial_T20190906_201517_521686" + }, + { + "item_id": 641, + "task_type": "pick_and_place_simple-RemoteControl-None-ArmChair-222", + "task_id": "trial_T20190906_201531_220119" + }, + { + "item_id": 642, + "task_type": "pick_and_place_simple-RemoteControl-None-ArmChair-223", + "task_id": "trial_T20190908_163710_603458" + }, + { + "item_id": 643, + "task_type": "pick_and_place_simple-RemoteControl-None-ArmChair-223", + "task_id": "trial_T20190908_163723_604442" + }, + { + "item_id": 644, + "task_type": "pick_and_place_simple-RemoteControl-None-ArmChair-227", + "task_id": "trial_T20190909_064745_196990" + }, + { + "item_id": 645, + "task_type": "pick_and_place_simple-RemoteControl-None-ArmChair-227", + "task_id": "trial_T20190909_101507_801236" + }, + { + "item_id": 646, + "task_type": "pick_and_place_simple-RemoteControl-None-ArmChair-230", + "task_id": "trial_T20190909_020906_064567" + }, + { + "item_id": 647, + "task_type": "pick_and_place_simple-RemoteControl-None-ArmChair-230", + "task_id": "trial_T20190909_020927_119466" + }, + { + "item_id": 648, + "task_type": "pick_and_place_simple-RemoteControl-None-CoffeeTable-209", + "task_id": "trial_T20190909_062232_520101" + }, + { + "item_id": 649, + "task_type": "pick_and_place_simple-RemoteControl-None-CoffeeTable-209", + "task_id": "trial_T20190909_062250_692710" + }, + { + "item_id": 650, + "task_type": "pick_and_place_simple-RemoteControl-None-CoffeeTable-209", + "task_id": "trial_T20190909_062307_151182" + }, + { + "item_id": 651, + "task_type": "pick_and_place_simple-RemoteControl-None-Dresser-217", + "task_id": "trial_T20190909_053720_916417" + }, + { + "item_id": 652, + "task_type": "pick_and_place_simple-RemoteControl-None-Dresser-217", + "task_id": "trial_T20190909_053743_317534" + }, + { + "item_id": 653, + "task_type": "pick_and_place_simple-RemoteControl-None-Dresser-217", + "task_id": "trial_T20190909_053839_725206" + }, + { + "item_id": 654, + "task_type": "pick_and_place_simple-RemoteControl-None-Dresser-311", + "task_id": "trial_T20190907_154851_086393" + }, + { + "item_id": 655, + "task_type": "pick_and_place_simple-RemoteControl-None-Ottoman-208", + "task_id": "trial_T20190909_100923_960630" + }, + { + "item_id": 656, + "task_type": "pick_and_place_simple-RemoteControl-None-Sofa-207", + "task_id": "trial_T20190909_153653_822972" + }, + { + "item_id": 657, + "task_type": "pick_and_place_simple-RemoteControl-None-Sofa-207", + "task_id": "trial_T20190909_153746_466577" + }, + { + "item_id": 658, + "task_type": "pick_and_place_simple-RemoteControl-None-Sofa-216", + "task_id": "trial_T20190909_150024_719377" + }, + { + "item_id": 659, + "task_type": "pick_and_place_simple-RemoteControl-None-Sofa-216", + "task_id": "trial_T20190909_150104_459554" + }, + { + "item_id": 660, + "task_type": "pick_and_place_simple-RemoteControl-None-Sofa-222", + "task_id": "trial_T20190908_005428_545934" + }, + { + "item_id": 661, + "task_type": "pick_and_place_simple-RemoteControl-None-Sofa-222", + "task_id": "trial_T20190908_005441_761890" + }, + { + "item_id": 662, + "task_type": "pick_and_place_simple-RemoteControl-None-Sofa-222", + "task_id": "trial_T20190908_005450_787345" + }, + { + "item_id": 663, + "task_type": "pick_and_place_simple-SaltShaker-None-DiningTable-26", + "task_id": "trial_T20190907_113736_672101" + }, + { + "item_id": 664, + "task_type": "pick_and_place_simple-SaltShaker-None-DiningTable-26", + "task_id": "trial_T20190907_113755_093001" + }, + { + "item_id": 665, + "task_type": "pick_and_place_simple-SaltShaker-None-DiningTable-26", + "task_id": "trial_T20190907_113833_592985" + }, + { + "item_id": 666, + "task_type": "pick_and_place_simple-SoapBar-None-Cart-401", + "task_id": "trial_T20190907_054853_603987" + }, + { + "item_id": 667, + "task_type": "pick_and_place_simple-SoapBar-None-Drawer-409", + "task_id": "trial_T20190909_100430_737876" + }, + { + "item_id": 668, + "task_type": "pick_and_place_simple-SoapBar-None-Drawer-409", + "task_id": "trial_T20190909_100440_807536" + }, + { + "item_id": 669, + "task_type": "pick_and_place_simple-SoapBar-None-GarbageCan-416", + "task_id": "trial_T20190908_020805_738262" + }, + { + "item_id": 670, + "task_type": "pick_and_place_simple-SoapBar-None-GarbageCan-416", + "task_id": "trial_T20190908_020828_777495" + }, + { + "item_id": 671, + "task_type": "pick_and_place_simple-SoapBar-None-GarbageCan-416", + "task_id": "trial_T20190908_020839_714699" + }, + { + "item_id": 672, + "task_type": "pick_and_place_simple-SoapBottle-None-Cabinet-413", + "task_id": "trial_T20190909_035103_556212" + }, + { + "item_id": 673, + "task_type": "pick_and_place_simple-SoapBottle-None-Cabinet-413", + "task_id": "trial_T20190909_035142_769305" + }, + { + "item_id": 674, + "task_type": "pick_and_place_simple-SoapBottle-None-Cabinet-414", + "task_id": "trial_T20190908_110154_865314" + }, + { + "item_id": 675, + "task_type": "pick_and_place_simple-SoapBottle-None-Cabinet-417", + "task_id": "trial_T20190907_065719_812272" + }, + { + "item_id": 676, + "task_type": "pick_and_place_simple-SoapBottle-None-Cabinet-417", + "task_id": "trial_T20190910_084726_610116" + }, + { + "item_id": 677, + "task_type": "pick_and_place_simple-SoapBottle-None-Cabinet-417", + "task_id": "trial_T20190910_084745_955519" + }, + { + "item_id": 678, + "task_type": "pick_and_place_simple-SoapBottle-None-Cart-430", + "task_id": "trial_T20190909_100630_359013" + }, + { + "item_id": 679, + "task_type": "pick_and_place_simple-SoapBottle-None-Cart-430", + "task_id": "trial_T20190909_100644_741963" + }, + { + "item_id": 680, + "task_type": "pick_and_place_simple-SoapBottle-None-CounterTop-417", + "task_id": "trial_T20190908_135156_352630" + }, + { + "item_id": 681, + "task_type": "pick_and_place_simple-SoapBottle-None-CounterTop-428", + "task_id": "trial_T20190909_114242_588264" + }, + { + "item_id": 682, + "task_type": "pick_and_place_simple-SoapBottle-None-CounterTop-428", + "task_id": "trial_T20190909_114253_745915" + }, + { + "item_id": 683, + "task_type": "pick_and_place_simple-SoapBottle-None-CounterTop-428", + "task_id": "trial_T20190909_114314_276834" + }, + { + "item_id": 684, + "task_type": "pick_and_place_simple-SoapBottle-None-Drawer-423", + "task_id": "trial_T20190909_064750_271273" + }, + { + "item_id": 685, + "task_type": "pick_and_place_simple-SoapBottle-None-Drawer-423", + "task_id": "trial_T20190909_064813_906845" + }, + { + "item_id": 686, + "task_type": "pick_and_place_simple-SoapBottle-None-Drawer-423", + "task_id": "trial_T20190909_064832_959288" + }, + { + "item_id": 687, + "task_type": "pick_and_place_simple-SoapBottle-None-GarbageCan-407", + "task_id": "trial_T20190908_063232_403749" + }, + { + "item_id": 688, + "task_type": "pick_and_place_simple-SoapBottle-None-GarbageCan-407", + "task_id": "trial_T20190908_063257_497959" + }, + { + "item_id": 689, + "task_type": "pick_and_place_simple-SoapBottle-None-GarbageCan-411", + "task_id": "trial_T20190908_051545_764778" + }, + { + "item_id": 690, + "task_type": "pick_and_place_simple-SoapBottle-None-GarbageCan-411", + "task_id": "trial_T20190908_051601_537197" + }, + { + "item_id": 691, + "task_type": "pick_and_place_simple-SoapBottle-None-GarbageCan-411", + "task_id": "trial_T20190908_051634_985936" + }, + { + "item_id": 692, + "task_type": "pick_and_place_simple-SoapBottle-None-GarbageCan-413", + "task_id": "trial_T20190909_073938_279211" + }, + { + "item_id": 693, + "task_type": "pick_and_place_simple-SoapBottle-None-GarbageCan-413", + "task_id": "trial_T20190909_074003_024850" + }, + { + "item_id": 694, + "task_type": "pick_and_place_simple-SoapBottle-None-GarbageCan-417", + "task_id": "trial_T20190909_120121_758074" + }, + { + "item_id": 695, + "task_type": "pick_and_place_simple-SoapBottle-None-GarbageCan-417", + "task_id": "trial_T20190909_120149_080996" + }, + { + "item_id": 696, + "task_type": "pick_and_place_simple-SoapBottle-None-GarbageCan-419", + "task_id": "trial_T20190908_204732_615398" + }, + { + "item_id": 697, + "task_type": "pick_and_place_simple-SoapBottle-None-GarbageCan-419", + "task_id": "trial_T20190908_204814_095948" + }, + { + "item_id": 698, + "task_type": "pick_and_place_simple-SoapBottle-None-GarbageCan-421", + "task_id": "trial_T20190908_045256_126150" + }, + { + "item_id": 699, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-405", + "task_id": "trial_T20190908_015553_305032" + }, + { + "item_id": 700, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-405", + "task_id": "trial_T20190908_015616_880449" + }, + { + "item_id": 701, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-405", + "task_id": "trial_T20190908_015700_206003" + }, + { + "item_id": 702, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-406", + "task_id": "trial_T20190909_104206_052441" + }, + { + "item_id": 703, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-406", + "task_id": "trial_T20190909_104226_709618" + }, + { + "item_id": 704, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-408", + "task_id": "trial_T20190907_084042_365541" + }, + { + "item_id": 705, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-408", + "task_id": "trial_T20190907_084055_153946" + }, + { + "item_id": 706, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-408", + "task_id": "trial_T20190907_084114_235446" + }, + { + "item_id": 707, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-412", + "task_id": "trial_T20190907_133810_532978" + }, + { + "item_id": 708, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-412", + "task_id": "trial_T20190908_112135_164068" + }, + { + "item_id": 709, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-412", + "task_id": "trial_T20190908_123003_385685" + }, + { + "item_id": 710, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-413", + "task_id": "trial_T20190909_042914_071706" + }, + { + "item_id": 711, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-413", + "task_id": "trial_T20190909_042928_067491" + }, + { + "item_id": 712, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-426", + "task_id": "trial_T20190906_180928_272674" + }, + { + "item_id": 713, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-426", + "task_id": "trial_T20190906_180946_873820" + }, + { + "item_id": 714, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-429", + "task_id": "trial_T20190906_201712_940852" + }, + { + "item_id": 715, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-429", + "task_id": "trial_T20190911_233539_300314" + }, + { + "item_id": 716, + "task_type": "pick_and_place_simple-SoapBottle-None-Toilet-429", + "task_id": "trial_T20190911_233558_113756" + }, + { + "item_id": 717, + "task_type": "pick_and_place_simple-Spoon-None-SinkBasin-12", + "task_id": "trial_T20190907_035150_206016" + }, + { + "item_id": 718, + "task_type": "pick_and_place_simple-Spoon-None-SinkBasin-12", + "task_id": "trial_T20190907_035203_361260" + }, + { + "item_id": 719, + "task_type": "pick_and_place_simple-Spoon-None-SinkBasin-12", + "task_id": "trial_T20190907_035226_492663" + }, + { + "item_id": 720, + "task_type": "pick_and_place_simple-Spoon-None-SinkBasin-19", + "task_id": "trial_T20190909_042808_023131" + }, + { + "item_id": 721, + "task_type": "pick_and_place_simple-Spoon-None-SinkBasin-19", + "task_id": "trial_T20190909_042857_644403" + }, + { + "item_id": 722, + "task_type": "pick_and_place_simple-Spoon-None-SinkBasin-19", + "task_id": "trial_T20190909_042917_794035" + }, + { + "item_id": 723, + "task_type": "pick_and_place_simple-SprayBottle-None-Cabinet-403", + "task_id": "trial_T20190908_220946_946277" + }, + { + "item_id": 724, + "task_type": "pick_and_place_simple-SprayBottle-None-Cabinet-403", + "task_id": "trial_T20190908_221042_476220" + }, + { + "item_id": 725, + "task_type": "pick_and_place_simple-SprayBottle-None-Cabinet-413", + "task_id": "trial_T20190907_114914_583301" + }, + { + "item_id": 726, + "task_type": "pick_and_place_simple-SprayBottle-None-CounterTop-417", + "task_id": "trial_T20190909_091251_521581" + }, + { + "item_id": 727, + "task_type": "pick_and_place_simple-SprayBottle-None-CounterTop-417", + "task_id": "trial_T20190909_091308_390069" + }, + { + "item_id": 728, + "task_type": "pick_and_place_simple-SprayBottle-None-CounterTop-421", + "task_id": "trial_T20190907_152459_993909" + }, + { + "item_id": 729, + "task_type": "pick_and_place_simple-SprayBottle-None-CounterTop-421", + "task_id": "trial_T20190910_010555_858889" + }, + { + "item_id": 730, + "task_type": "pick_and_place_simple-SprayBottle-None-CounterTop-427", + "task_id": "trial_T20190908_232532_117315" + }, + { + "item_id": 731, + "task_type": "pick_and_place_simple-SprayBottle-None-CounterTop-427", + "task_id": "trial_T20190919_014945_471194" + }, + { + "item_id": 732, + "task_type": "pick_and_place_simple-SprayBottle-None-CounterTop-427", + "task_id": "trial_T20190919_030115_896772" + }, + { + "item_id": 733, + "task_type": "pick_and_place_simple-SprayBottle-None-Drawer-423", + "task_id": "trial_T20190909_071833_221808" + }, + { + "item_id": 734, + "task_type": "pick_and_place_simple-SprayBottle-None-Drawer-423", + "task_id": "trial_T20190909_071948_483717" + }, + { + "item_id": 735, + "task_type": "pick_and_place_simple-SprayBottle-None-GarbageCan-409", + "task_id": "trial_T20190908_054753_554778" + }, + { + "item_id": 736, + "task_type": "pick_and_place_simple-SprayBottle-None-GarbageCan-409", + "task_id": "trial_T20190908_054803_198732" + }, + { + "item_id": 737, + "task_type": "pick_and_place_simple-SprayBottle-None-GarbageCan-410", + "task_id": "trial_T20190908_122436_280277" + }, + { + "item_id": 738, + "task_type": "pick_and_place_simple-SprayBottle-None-GarbageCan-410", + "task_id": "trial_T20190908_122510_105385" + }, + { + "item_id": 739, + "task_type": "pick_and_place_simple-SprayBottle-None-GarbageCan-415", + "task_id": "trial_T20190907_070419_171501" + }, + { + "item_id": 740, + "task_type": "pick_and_place_simple-SprayBottle-None-GarbageCan-421", + "task_id": "trial_T20190908_121956_973687" + }, + { + "item_id": 741, + "task_type": "pick_and_place_simple-SprayBottle-None-GarbageCan-421", + "task_id": "trial_T20190908_122008_678340" + }, + { + "item_id": 742, + "task_type": "pick_and_place_simple-SprayBottle-None-GarbageCan-421", + "task_id": "trial_T20190908_122018_917803" + }, + { + "item_id": 743, + "task_type": "pick_and_place_simple-SprayBottle-None-GarbageCan-426", + "task_id": "trial_T20190908_052054_959981" + }, + { + "item_id": 744, + "task_type": "pick_and_place_simple-SprayBottle-None-GarbageCan-426", + "task_id": "trial_T20190908_052109_948840" + }, + { + "item_id": 745, + "task_type": "pick_and_place_simple-SprayBottle-None-GarbageCan-426", + "task_id": "trial_T20190908_052125_206059" + }, + { + "item_id": 746, + "task_type": "pick_and_place_simple-SprayBottle-None-GarbageCan-428", + "task_id": "trial_T20190909_101535_306889" + }, + { + "item_id": 747, + "task_type": "pick_and_place_simple-SprayBottle-None-GarbageCan-428", + "task_id": "trial_T20190909_101548_443245" + }, + { + "item_id": 748, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-403", + "task_id": "trial_T20190908_042148_900573" + }, + { + "item_id": 749, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-403", + "task_id": "trial_T20190908_042208_991561" + }, + { + "item_id": 750, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-405", + "task_id": "trial_T20190908_021323_460782" + }, + { + "item_id": 751, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-405", + "task_id": "trial_T20190908_021334_018317" + }, + { + "item_id": 752, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-411", + "task_id": "trial_T20190909_110920_840864" + }, + { + "item_id": 753, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-411", + "task_id": "trial_T20190909_110934_367159" + }, + { + "item_id": 754, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-411", + "task_id": "trial_T20190909_110956_758459" + }, + { + "item_id": 755, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-412", + "task_id": "trial_T20190908_042250_246115" + }, + { + "item_id": 756, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-412", + "task_id": "trial_T20190909_154655_381565" + }, + { + "item_id": 757, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-412", + "task_id": "trial_T20190909_154903_600253" + }, + { + "item_id": 758, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-415", + "task_id": "trial_T20190909_080011_253379" + }, + { + "item_id": 759, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-418", + "task_id": "trial_T20190906_190906_143249" + }, + { + "item_id": 760, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-418", + "task_id": "trial_T20190906_190917_905379" + }, + { + "item_id": 761, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-420", + "task_id": "trial_T20190909_113816_097874" + }, + { + "item_id": 762, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-420", + "task_id": "trial_T20190909_113828_525912" + }, + { + "item_id": 763, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-420", + "task_id": "trial_T20190909_113842_397571" + }, + { + "item_id": 764, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-422", + "task_id": "trial_T20190909_124852_071149" + }, + { + "item_id": 765, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-422", + "task_id": "trial_T20190909_124904_818536" + }, + { + "item_id": 766, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-426", + "task_id": "trial_T20190908_155225_439006" + }, + { + "item_id": 767, + "task_type": "pick_and_place_simple-SprayBottle-None-Toilet-426", + "task_id": "trial_T20190908_155236_907481" + }, + { + "item_id": 768, + "task_type": "pick_and_place_simple-Statue-None-CoffeeTable-201", + "task_id": "trial_T20190908_124645_879712" + }, + { + "item_id": 769, + "task_type": "pick_and_place_simple-Statue-None-CoffeeTable-201", + "task_id": "trial_T20190908_124709_477856" + }, + { + "item_id": 770, + "task_type": "pick_and_place_simple-Statue-None-CoffeeTable-222", + "task_id": "trial_T20190907_131157_141783" + }, + { + "item_id": 771, + "task_type": "pick_and_place_simple-Statue-None-CoffeeTable-222", + "task_id": "trial_T20190907_131237_002467" + }, + { + "item_id": 772, + "task_type": "pick_and_place_simple-Statue-None-CoffeeTable-222", + "task_id": "trial_T20190907_131249_788749" + }, + { + "item_id": 773, + "task_type": "pick_and_place_simple-Statue-None-CoffeeTable-227", + "task_id": "trial_T20190909_101650_071380" + }, + { + "item_id": 774, + "task_type": "pick_and_place_simple-Statue-None-CoffeeTable-227", + "task_id": "trial_T20190909_221208_261373" + }, + { + "item_id": 775, + "task_type": "pick_and_place_simple-Statue-None-CoffeeTable-227", + "task_id": "trial_T20190909_221248_363706" + }, + { + "item_id": 776, + "task_type": "pick_and_place_simple-Statue-None-CoffeeTable-228", + "task_id": "trial_T20190906_185451_580211" + }, + { + "item_id": 777, + "task_type": "pick_and_place_simple-Statue-None-CoffeeTable-228", + "task_id": "trial_T20190906_185513_812051" + }, + { + "item_id": 778, + "task_type": "pick_and_place_simple-Statue-None-CoffeeTable-228", + "task_id": "trial_T20190906_185540_904069" + }, + { + "item_id": 779, + "task_type": "pick_and_place_simple-Statue-None-CoffeeTable-229", + "task_id": "trial_T20190908_132906_260131" + }, + { + "item_id": 780, + "task_type": "pick_and_place_simple-Statue-None-CoffeeTable-230", + "task_id": "trial_T20190909_145156_045732" + }, + { + "item_id": 781, + "task_type": "pick_and_place_simple-Statue-None-Dresser-319", + "task_id": "trial_T20190909_122415_877633" + }, + { + "item_id": 782, + "task_type": "pick_and_place_simple-Statue-None-SideTable-214", + "task_id": "trial_T20190909_035314_885391" + }, + { + "item_id": 783, + "task_type": "pick_and_place_simple-TissueBox-None-CoffeeTable-230", + "task_id": "trial_T20190907_144841_277298" + }, + { + "item_id": 784, + "task_type": "pick_and_place_simple-TissueBox-None-CoffeeTable-230", + "task_id": "trial_T20190907_144855_135287" + }, + { + "item_id": 785, + "task_type": "pick_and_place_simple-TissueBox-None-CoffeeTable-230", + "task_id": "trial_T20190907_144911_476425" + }, + { + "item_id": 786, + "task_type": "pick_and_place_simple-TissueBox-None-Dresser-301", + "task_id": "trial_T20190906_221513_072505" + }, + { + "item_id": 787, + "task_type": "pick_and_place_simple-TissueBox-None-GarbageCan-427", + "task_id": "trial_T20190907_173833_468791" + }, + { + "item_id": 788, + "task_type": "pick_and_place_simple-TissueBox-None-GarbageCan-427", + "task_id": "trial_T20190907_173922_758000" + }, + { + "item_id": 789, + "task_type": "pick_and_place_simple-TissueBox-None-GarbageCan-427", + "task_id": "trial_T20190907_173938_199609" + }, + { + "item_id": 790, + "task_type": "pick_and_place_simple-TissueBox-None-SideTable-229", + "task_id": "trial_T20190908_114048_231845" + }, + { + "item_id": 791, + "task_type": "pick_and_place_simple-TissueBox-None-SideTable-229", + "task_id": "trial_T20190908_114112_465371" + }, + { + "item_id": 792, + "task_type": "pick_and_place_simple-TissueBox-None-SideTable-229", + "task_id": "trial_T20190908_114140_648099" + }, + { + "item_id": 793, + "task_type": "pick_and_place_simple-TissueBox-None-Toilet-402", + "task_id": "trial_T20190908_055936_625704" + }, + { + "item_id": 794, + "task_type": "pick_and_place_simple-TissueBox-None-Toilet-402", + "task_id": "trial_T20190908_060020_023543" + }, + { + "item_id": 795, + "task_type": "pick_and_place_simple-TissueBox-None-Toilet-426", + "task_id": "trial_T20190910_155223_311292" + }, + { + "item_id": 796, + "task_type": "pick_and_place_simple-ToiletPaper-None-Drawer-410", + "task_id": "trial_T20190908_162032_928842" + }, + { + "item_id": 797, + "task_type": "pick_and_place_simple-ToiletPaper-None-Drawer-410", + "task_id": "trial_T20190908_162046_046480" + }, + { + "item_id": 798, + "task_type": "pick_and_place_simple-ToiletPaper-None-Drawer-410", + "task_id": "trial_T20190908_162056_552400" + }, + { + "item_id": 799, + "task_type": "pick_and_place_simple-ToiletPaper-None-GarbageCan-403", + "task_id": "trial_T20190907_034528_884833" + }, + { + "item_id": 800, + "task_type": "pick_and_place_simple-ToiletPaper-None-GarbageCan-403", + "task_id": "trial_T20190907_034554_937587" + }, + { + "item_id": 801, + "task_type": "pick_and_place_simple-ToiletPaper-None-GarbageCan-416", + "task_id": "trial_T20190906_202053_549622" + }, + { + "item_id": 802, + "task_type": "pick_and_place_simple-ToiletPaper-None-GarbageCan-416", + "task_id": "trial_T20190906_202104_886119" + }, + { + "item_id": 803, + "task_type": "pick_and_place_simple-ToiletPaper-None-Toilet-419", + "task_id": "trial_T20190908_002335_756186" + }, + { + "item_id": 804, + "task_type": "pick_and_place_simple-ToiletPaper-None-Toilet-419", + "task_id": "trial_T20190908_002414_710612" + }, + { + "item_id": 805, + "task_type": "pick_and_place_simple-ToiletPaper-None-Toilet-429", + "task_id": "trial_T20190907_215111_218053" + }, + { + "item_id": 806, + "task_type": "pick_and_place_simple-ToiletPaper-None-Toilet-429", + "task_id": "trial_T20190907_215125_124054" + }, + { + "item_id": 807, + "task_type": "pick_and_place_simple-ToiletPaper-None-Toilet-429", + "task_id": "trial_T20190907_215139_316260" + }, + { + "item_id": 808, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-401", + "task_id": "trial_T20190908_215205_687893" + }, + { + "item_id": 809, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-401", + "task_id": "trial_T20190908_215223_949164" + }, + { + "item_id": 810, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-401", + "task_id": "trial_T20190908_215242_151083" + }, + { + "item_id": 811, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-402", + "task_id": "trial_T20190908_225522_245107" + }, + { + "item_id": 812, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-406", + "task_id": "trial_T20190908_122807_136741" + }, + { + "item_id": 813, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-406", + "task_id": "trial_T20190908_122840_498444" + }, + { + "item_id": 814, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-409", + "task_id": "trial_T20190907_152744_216775" + }, + { + "item_id": 815, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-409", + "task_id": "trial_T20190907_152755_762065" + }, + { + "item_id": 816, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-409", + "task_id": "trial_T20190907_152834_016179" + }, + { + "item_id": 817, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-410", + "task_id": "trial_T20190908_064246_842694" + }, + { + "item_id": 818, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-412", + "task_id": "trial_T20190907_181314_264466" + }, + { + "item_id": 819, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-413", + "task_id": "trial_T20190909_043758_754672" + }, + { + "item_id": 820, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-413", + "task_id": "trial_T20190909_102005_152721" + }, + { + "item_id": 821, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-414", + "task_id": "trial_T20190907_041853_604862" + }, + { + "item_id": 822, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-415", + "task_id": "trial_T20190908_050534_003993" + }, + { + "item_id": 823, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-417", + "task_id": "trial_T20190908_043859_833063" + }, + { + "item_id": 824, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-417", + "task_id": "trial_T20190908_043909_541721" + }, + { + "item_id": 825, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-417", + "task_id": "trial_T20190908_185320_708158" + }, + { + "item_id": 826, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-420", + "task_id": "trial_T20190908_155604_414982" + }, + { + "item_id": 827, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-421", + "task_id": "trial_T20190906_182507_445544" + }, + { + "item_id": 828, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-421", + "task_id": "trial_T20190906_182523_085136" + }, + { + "item_id": 829, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-421", + "task_id": "trial_T20190906_182536_996833" + }, + { + "item_id": 830, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-423", + "task_id": "trial_T20190908_022354_663784" + }, + { + "item_id": 831, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-426", + "task_id": "trial_T20190909_044747_168424" + }, + { + "item_id": 832, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-427", + "task_id": "trial_T20190908_121628_520773" + }, + { + "item_id": 833, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-427", + "task_id": "trial_T20190908_121643_062365" + }, + { + "item_id": 834, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-428", + "task_id": "trial_T20190909_053523_986414" + }, + { + "item_id": 835, + "task_type": "pick_and_place_simple-ToiletPaper-None-ToiletPaperHanger-430", + "task_id": "trial_T20190908_102028_194585" + }, + { + "item_id": 836, + "task_type": "pick_and_place_simple-Tomato-None-DiningTable-26", + "task_id": "trial_T20190908_010907_122466" + }, + { + "item_id": 837, + "task_type": "pick_and_place_simple-Tomato-None-Microwave-13", + "task_id": "trial_T20190908_125158_098734" + }, + { + "item_id": 838, + "task_type": "pick_and_place_simple-Tomato-None-Microwave-5", + "task_id": "trial_T20190908_174001_568929" + }, + { + "item_id": 839, + "task_type": "pick_and_place_simple-Tomato-None-Microwave-5", + "task_id": "trial_T20190918_171755_707602" + }, + { + "item_id": 840, + "task_type": "pick_and_place_simple-Tomato-None-Microwave-6", + "task_id": "trial_T20190907_235735_175320" + }, + { + "item_id": 841, + "task_type": "pick_and_place_simple-Tomato-None-Microwave-6", + "task_id": "trial_T20190907_235748_819807" + }, + { + "item_id": 842, + "task_type": "pick_and_place_simple-Tomato-None-Microwave-8", + "task_id": "trial_T20190907_205050_993517" + }, + { + "item_id": 843, + "task_type": "pick_and_place_simple-Tomato-None-Microwave-8", + "task_id": "trial_T20190907_205133_881018" + }, + { + "item_id": 844, + "task_type": "pick_and_place_simple-Vase-None-CoffeeTable-206", + "task_id": "trial_T20190909_024707_531392" + }, + { + "item_id": 845, + "task_type": "pick_and_place_simple-Vase-None-CoffeeTable-206", + "task_id": "trial_T20190909_055405_757562" + }, + { + "item_id": 846, + "task_type": "pick_and_place_simple-Vase-None-CoffeeTable-207", + "task_id": "trial_T20190909_091234_276889" + }, + { + "item_id": 847, + "task_type": "pick_and_place_simple-Vase-None-CoffeeTable-207", + "task_id": "trial_T20190909_091313_185407" + }, + { + "item_id": 848, + "task_type": "pick_and_place_simple-Vase-None-Safe-204", + "task_id": "trial_T20190907_023343_425395" + }, + { + "item_id": 849, + "task_type": "pick_and_place_simple-Vase-None-Safe-204", + "task_id": "trial_T20190919_000130_908789" + }, + { + "item_id": 850, + "task_type": "pick_and_place_simple-Vase-None-Safe-204", + "task_id": "trial_T20190919_000336_714640" + }, + { + "item_id": 851, + "task_type": "pick_and_place_simple-Vase-None-SideTable-209", + "task_id": "trial_T20190909_053321_571622" + }, + { + "item_id": 852, + "task_type": "pick_and_place_simple-Vase-None-SideTable-209", + "task_id": "trial_T20190909_053401_266687" + }, + { + "item_id": 853, + "task_type": "pick_and_place_simple-Vase-None-SideTable-209", + "task_id": "trial_T20190909_053413_979971" + }, + { + "item_id": 854, + "task_type": "pick_and_place_simple-Watch-None-CoffeeTable-201", + "task_id": "trial_T20190908_124509_296941" + }, + { + "item_id": 855, + "task_type": "pick_and_place_simple-Watch-None-CoffeeTable-201", + "task_id": "trial_T20190908_124528_692571" + }, + { + "item_id": 856, + "task_type": "pick_and_place_simple-Watch-None-CoffeeTable-201", + "task_id": "trial_T20190908_124638_700872" + }, + { + "item_id": 857, + "task_type": "pick_and_place_simple-Watch-None-CoffeeTable-207", + "task_id": "trial_T20190907_152141_483725" + }, + { + "item_id": 858, + "task_type": "pick_and_place_simple-Watch-None-CoffeeTable-207", + "task_id": "trial_T20190907_152203_804993" + }, + { + "item_id": 859, + "task_type": "pick_and_place_simple-Watch-None-CoffeeTable-207", + "task_id": "trial_T20190907_152215_435376" + }, + { + "item_id": 860, + "task_type": "pick_and_place_simple-Watch-None-CoffeeTable-213", + "task_id": "trial_T20190909_010748_137974" + }, + { + "item_id": 861, + "task_type": "pick_and_place_simple-Watch-None-CoffeeTable-213", + "task_id": "trial_T20190909_010823_096862" + }, + { + "item_id": 862, + "task_type": "pick_and_place_simple-Watch-None-CoffeeTable-222", + "task_id": "trial_T20190908_032408_369750" + }, + { + "item_id": 863, + "task_type": "pick_and_place_simple-Watch-None-DiningTable-326", + "task_id": "trial_T20190908_132712_949739" + }, + { + "item_id": 864, + "task_type": "pick_and_place_simple-Watch-None-DiningTable-326", + "task_id": "trial_T20190912_074626_851427" + }, + { + "item_id": 865, + "task_type": "pick_and_place_simple-Watch-None-Shelf-207", + "task_id": "trial_T20190908_122239_644484" + }, + { + "item_id": 866, + "task_type": "pick_and_place_simple-WineBottle-None-DiningTable-15", + "task_id": "trial_T20190906_184051_008723" + }, + { + "item_id": 867, + "task_type": "pick_and_place_simple-WineBottle-None-Shelf-7", + "task_id": "trial_T20190908_114629_589874" + }, + { + "item_id": 868, + "task_type": "pick_clean_then_place_in_recep-Apple-None-DiningTable-19", + "task_id": "trial_T20190907_230051_730842" + }, + { + "item_id": 869, + "task_type": "pick_clean_then_place_in_recep-Apple-None-DiningTable-21", + "task_id": "trial_T20190907_210609_700272" + }, + { + "item_id": 870, + "task_type": "pick_clean_then_place_in_recep-Apple-None-DiningTable-21", + "task_id": "trial_T20190907_210640_211972" + }, + { + "item_id": 871, + "task_type": "pick_clean_then_place_in_recep-Apple-None-DiningTable-4", + "task_id": "trial_T20190908_104413_450768" + }, + { + "item_id": 872, + "task_type": "pick_clean_then_place_in_recep-Apple-None-DiningTable-4", + "task_id": "trial_T20190908_104438_181745" + }, + { + "item_id": 873, + "task_type": "pick_clean_then_place_in_recep-Apple-None-DiningTable-4", + "task_id": "trial_T20190918_193418_341390" + }, + { + "item_id": 874, + "task_type": "pick_clean_then_place_in_recep-Apple-None-Fridge-27", + "task_id": "trial_T20190906_220808_492885" + }, + { + "item_id": 875, + "task_type": "pick_clean_then_place_in_recep-Apple-None-Fridge-27", + "task_id": "trial_T20190906_220837_406682" + }, + { + "item_id": 876, + "task_type": "pick_clean_then_place_in_recep-Apple-None-Microwave-14", + "task_id": "trial_T20190909_120047_598548" + }, + { + "item_id": 877, + "task_type": "pick_clean_then_place_in_recep-Apple-None-Microwave-14", + "task_id": "trial_T20190909_120122_478892" + }, + { + "item_id": 878, + "task_type": "pick_clean_then_place_in_recep-Apple-None-Microwave-14", + "task_id": "trial_T20190909_120203_117379" + }, + { + "item_id": 879, + "task_type": "pick_clean_then_place_in_recep-Apple-None-Microwave-6", + "task_id": "trial_T20190909_114417_306300" + }, + { + "item_id": 880, + "task_type": "pick_clean_then_place_in_recep-Apple-None-Microwave-8", + "task_id": "trial_T20190909_113149_458865" + }, + { + "item_id": 881, + "task_type": "pick_clean_then_place_in_recep-Apple-None-SideTable-21", + "task_id": "trial_T20190908_041653_706030" + }, + { + "item_id": 882, + "task_type": "pick_clean_then_place_in_recep-Apple-None-SideTable-21", + "task_id": "trial_T20190908_041728_759551" + }, + { + "item_id": 883, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Cabinet-13", + "task_id": "trial_T20190909_022903_509427" + }, + { + "item_id": 884, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Cabinet-13", + "task_id": "trial_T20190909_022941_058533" + }, + { + "item_id": 885, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-DiningTable-21", + "task_id": "trial_T20190907_000031_668520" + }, + { + "item_id": 886, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-DiningTable-21", + "task_id": "trial_T20190907_000053_568571" + }, + { + "item_id": 887, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-DiningTable-23", + "task_id": "trial_T20190907_221735_616141" + }, + { + "item_id": 888, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-DiningTable-23", + "task_id": "trial_T20190907_221803_588693" + }, + { + "item_id": 889, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Fridge-21", + "task_id": "trial_T20190909_014304_341923" + }, + { + "item_id": 890, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Fridge-21", + "task_id": "trial_T20190909_014336_206275" + }, + { + "item_id": 891, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Fridge-4", + "task_id": "trial_T20190909_023801_140154" + }, + { + "item_id": 892, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Fridge-4", + "task_id": "trial_T20190909_023922_544633" + }, + { + "item_id": 893, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Fridge-4", + "task_id": "trial_T20190909_024009_792841" + }, + { + "item_id": 894, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Fridge-6", + "task_id": "trial_T20190908_081813_754018" + }, + { + "item_id": 895, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Fridge-6", + "task_id": "trial_T20190911_205333_848673" + }, + { + "item_id": 896, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Microwave-23", + "task_id": "trial_T20190908_101019_780853" + }, + { + "item_id": 897, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Microwave-23", + "task_id": "trial_T20190908_101118_633566" + }, + { + "item_id": 898, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Microwave-30", + "task_id": "trial_T20190907_063358_779511" + }, + { + "item_id": 899, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Microwave-30", + "task_id": "trial_T20190907_063817_005458" + }, + { + "item_id": 900, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Microwave-30", + "task_id": "trial_T20190907_063923_549457" + }, + { + "item_id": 901, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Shelf-1", + "task_id": "trial_T20190909_070230_620351" + }, + { + "item_id": 902, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Shelf-7", + "task_id": "trial_T20190908_152810_145685" + }, + { + "item_id": 903, + "task_type": "pick_clean_then_place_in_recep-Bowl-None-Shelf-7", + "task_id": "trial_T20190908_152915_959135" + }, + { + "item_id": 904, + "task_type": "pick_clean_then_place_in_recep-ButterKnife-None-CounterTop-12", + "task_id": "trial_T20190909_105752_317389" + }, + { + "item_id": 905, + "task_type": "pick_clean_then_place_in_recep-ButterKnife-None-CounterTop-8", + "task_id": "trial_T20190909_105627_862237" + }, + { + "item_id": 906, + "task_type": "pick_clean_then_place_in_recep-ButterKnife-None-DiningTable-16", + "task_id": "trial_T20190909_114435_692001" + }, + { + "item_id": 907, + "task_type": "pick_clean_then_place_in_recep-ButterKnife-None-DiningTable-27", + "task_id": "trial_T20190907_062827_740259" + }, + { + "item_id": 908, + "task_type": "pick_clean_then_place_in_recep-ButterKnife-None-DiningTable-27", + "task_id": "trial_T20190907_062853_238120" + }, + { + "item_id": 909, + "task_type": "pick_clean_then_place_in_recep-ButterKnife-None-DiningTable-27", + "task_id": "trial_T20190912_063708_012838" + }, + { + "item_id": 910, + "task_type": "pick_clean_then_place_in_recep-ButterKnife-None-Drawer-11", + "task_id": "trial_T20190906_215624_934684" + }, + { + "item_id": 911, + "task_type": "pick_clean_then_place_in_recep-ButterKnife-None-Drawer-11", + "task_id": "trial_T20190906_215647_678103" + }, + { + "item_id": 912, + "task_type": "pick_clean_then_place_in_recep-ButterKnife-None-Drawer-2", + "task_id": "trial_T20190908_044255_995925" + }, + { + "item_id": 913, + "task_type": "pick_clean_then_place_in_recep-ButterKnife-None-Drawer-8", + "task_id": "trial_T20190909_124447_939888" + }, + { + "item_id": 914, + "task_type": "pick_clean_then_place_in_recep-ButterKnife-None-Drawer-8", + "task_id": "trial_T20190909_124509_288754" + }, + { + "item_id": 915, + "task_type": "pick_clean_then_place_in_recep-ButterKnife-None-SideTable-21", + "task_id": "trial_T20190907_162153_244284" + }, + { + "item_id": 916, + "task_type": "pick_clean_then_place_in_recep-ButterKnife-None-SideTable-21", + "task_id": "trial_T20190907_162219_906540" + }, + { + "item_id": 917, + "task_type": "pick_clean_then_place_in_recep-ButterKnife-None-SideTable-21", + "task_id": "trial_T20190907_162254_627973" + }, + { + "item_id": 918, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-BathtubBasin-402", + "task_id": "trial_T20190909_153037_443147" + }, + { + "item_id": 919, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-BathtubBasin-403", + "task_id": "trial_T20190909_050123_862374" + }, + { + "item_id": 920, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-BathtubBasin-403", + "task_id": "trial_T20190909_050152_741959" + }, + { + "item_id": 921, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-BathtubBasin-405", + "task_id": "trial_T20190908_233425_954440" + }, + { + "item_id": 922, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-BathtubBasin-405", + "task_id": "trial_T20190909_003552_005398" + }, + { + "item_id": 923, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-BathtubBasin-405", + "task_id": "trial_T20190909_010040_832816" + }, + { + "item_id": 924, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-BathtubBasin-413", + "task_id": "trial_T20190908_065440_162336" + }, + { + "item_id": 925, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-BathtubBasin-414", + "task_id": "trial_T20190907_161356_186292" + }, + { + "item_id": 926, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-BathtubBasin-414", + "task_id": "trial_T20190907_161413_853740" + }, + { + "item_id": 927, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-BathtubBasin-414", + "task_id": "trial_T20190907_161432_130014" + }, + { + "item_id": 928, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-BathtubBasin-423", + "task_id": "trial_T20190908_051030_660004" + }, + { + "item_id": 929, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-BathtubBasin-426", + "task_id": "trial_T20190907_012549_247712" + }, + { + "item_id": 930, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-BathtubBasin-426", + "task_id": "trial_T20190907_012612_662517" + }, + { + "item_id": 931, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-BathtubBasin-427", + "task_id": "trial_T20190908_232213_642551" + }, + { + "item_id": 932, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-BathtubBasin-427", + "task_id": "trial_T20190908_232302_241090" + }, + { + "item_id": 933, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Cabinet-405", + "task_id": "trial_T20190907_080924_812825" + }, + { + "item_id": 934, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Cabinet-405", + "task_id": "trial_T20190907_080943_173175" + }, + { + "item_id": 935, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Cart-401", + "task_id": "trial_T20190907_045526_367332" + }, + { + "item_id": 936, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Cart-430", + "task_id": "trial_T20190906_194203_696787" + }, + { + "item_id": 937, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Cart-430", + "task_id": "trial_T20190906_194234_663749" + }, + { + "item_id": 938, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Cart-430", + "task_id": "trial_T20190906_194305_501996" + }, + { + "item_id": 939, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-CounterTop-408", + "task_id": "trial_T20190908_103208_369693" + }, + { + "item_id": 940, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-CounterTop-408", + "task_id": "trial_T20190908_103230_310212" + }, + { + "item_id": 941, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-CounterTop-408", + "task_id": "trial_T20190908_103252_065529" + }, + { + "item_id": 942, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-CounterTop-409", + "task_id": "trial_T20190908_140608_692564" + }, + { + "item_id": 943, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-CounterTop-409", + "task_id": "trial_T20190908_150707_250921" + }, + { + "item_id": 944, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-CounterTop-410", + "task_id": "trial_T20190907_181320_769618" + }, + { + "item_id": 945, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-CounterTop-410", + "task_id": "trial_T20190907_181451_902505" + }, + { + "item_id": 946, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Drawer-410", + "task_id": "trial_T20190908_122837_611974" + }, + { + "item_id": 947, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Drawer-411", + "task_id": "trial_T20190907_202105_563647" + }, + { + "item_id": 948, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Drawer-411", + "task_id": "trial_T20190907_202223_569116" + }, + { + "item_id": 949, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Drawer-415", + "task_id": "trial_T20190906_190057_260207" + }, + { + "item_id": 950, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Drawer-423", + "task_id": "trial_T20190908_140626_609969" + }, + { + "item_id": 951, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Drawer-426", + "task_id": "trial_T20190909_100612_910742" + }, + { + "item_id": 952, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Dresser-413", + "task_id": "trial_T20190906_194730_320895" + }, + { + "item_id": 953, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Dresser-415", + "task_id": "trial_T20190907_000021_504649" + }, + { + "item_id": 954, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Shelf-415", + "task_id": "trial_T20190909_051803_814459" + }, + { + "item_id": 955, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Shelf-415", + "task_id": "trial_T20190909_051848_377511" + }, + { + "item_id": 956, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-402", + "task_id": "trial_T20190906_201408_789070" + }, + { + "item_id": 957, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-402", + "task_id": "trial_T20190906_201431_394089" + }, + { + "item_id": 958, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-405", + "task_id": "trial_T20190909_042839_492881" + }, + { + "item_id": 959, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-405", + "task_id": "trial_T20190909_073556_939534" + }, + { + "item_id": 960, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-406", + "task_id": "trial_T20190908_102552_835735" + }, + { + "item_id": 961, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-406", + "task_id": "trial_T20190908_102709_492098" + }, + { + "item_id": 962, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-407", + "task_id": "trial_T20190907_022212_907021" + }, + { + "item_id": 963, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-408", + "task_id": "trial_T20190906_221206_329930" + }, + { + "item_id": 964, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-408", + "task_id": "trial_T20190906_221232_742691" + }, + { + "item_id": 965, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-408", + "task_id": "trial_T20190906_221323_589436" + }, + { + "item_id": 966, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-411", + "task_id": "trial_T20190908_011620_868206" + }, + { + "item_id": 967, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-411", + "task_id": "trial_T20190908_011709_090359" + }, + { + "item_id": 968, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-415", + "task_id": "trial_T20190909_022258_647350" + }, + { + "item_id": 969, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-415", + "task_id": "trial_T20190909_022341_367862" + }, + { + "item_id": 970, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-415", + "task_id": "trial_T20190909_022422_030418" + }, + { + "item_id": 971, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-419", + "task_id": "trial_T20190909_033717_715383" + }, + { + "item_id": 972, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-419", + "task_id": "trial_T20190909_033735_067928" + }, + { + "item_id": 973, + "task_type": "pick_clean_then_place_in_recep-Cloth-None-Toilet-426", + "task_id": "trial_T20190910_045202_007687" + }, + { + "item_id": 974, + "task_type": "pick_clean_then_place_in_recep-Cup-None-Cabinet-6", + "task_id": "trial_T20190908_165851_769161" + }, + { + "item_id": 975, + "task_type": "pick_clean_then_place_in_recep-Cup-None-Microwave-14", + "task_id": "trial_T20190907_120831_000940" + }, + { + "item_id": 976, + "task_type": "pick_clean_then_place_in_recep-Cup-None-Microwave-14", + "task_id": "trial_T20190907_120854_419532" + }, + { + "item_id": 977, + "task_type": "pick_clean_then_place_in_recep-Cup-None-Microwave-1", + "task_id": "trial_T20190909_150843_298006" + }, + { + "item_id": 978, + "task_type": "pick_clean_then_place_in_recep-Cup-None-Microwave-1", + "task_id": "trial_T20190909_150955_575706" + }, + { + "item_id": 979, + "task_type": "pick_clean_then_place_in_recep-Cup-None-Microwave-6", + "task_id": "trial_T20190909_033603_280835" + }, + { + "item_id": 980, + "task_type": "pick_clean_then_place_in_recep-Cup-None-Shelf-1", + "task_id": "trial_T20190909_151718_080876" + }, + { + "item_id": 981, + "task_type": "pick_clean_then_place_in_recep-Cup-None-Shelf-1", + "task_id": "trial_T20190909_151825_980574" + }, + { + "item_id": 982, + "task_type": "pick_clean_then_place_in_recep-Cup-None-Shelf-1", + "task_id": "trial_T20190909_152013_462926" + }, + { + "item_id": 983, + "task_type": "pick_clean_then_place_in_recep-Cup-None-Shelf-20", + "task_id": "trial_T20190909_150437_976767" + }, + { + "item_id": 984, + "task_type": "pick_clean_then_place_in_recep-Cup-None-Shelf-20", + "task_id": "trial_T20190909_150520_677876" + }, + { + "item_id": 985, + "task_type": "pick_clean_then_place_in_recep-Cup-None-Shelf-20", + "task_id": "trial_T20190909_150550_335621" + }, + { + "item_id": 986, + "task_type": "pick_clean_then_place_in_recep-Cup-None-SideTable-3", + "task_id": "trial_T20190907_120802_836392" + }, + { + "item_id": 987, + "task_type": "pick_clean_then_place_in_recep-Cup-None-SideTable-3", + "task_id": "trial_T20190907_120900_648356" + }, + { + "item_id": 988, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-BathtubBasin-403", + "task_id": "trial_T20190908_033349_122378" + }, + { + "item_id": 989, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-BathtubBasin-403", + "task_id": "trial_T20190908_033408_258211" + }, + { + "item_id": 990, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-BathtubBasin-414", + "task_id": "trial_T20190906_173206_314629" + }, + { + "item_id": 991, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-BathtubBasin-414", + "task_id": "trial_T20190906_173222_602956" + }, + { + "item_id": 992, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-BathtubBasin-414", + "task_id": "trial_T20190906_173249_064986" + }, + { + "item_id": 993, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-BathtubBasin-427", + "task_id": "trial_T20190906_234756_086904" + }, + { + "item_id": 994, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-BathtubBasin-430", + "task_id": "trial_T20190908_122316_002024" + }, + { + "item_id": 995, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-Cabinet-414", + "task_id": "trial_T20190909_061538_357779" + }, + { + "item_id": 996, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-Cart-401", + "task_id": "trial_T20190907_024617_000014" + }, + { + "item_id": 997, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-Cart-430", + "task_id": "trial_T20190906_233458_108018" + }, + { + "item_id": 998, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-CounterTop-403", + "task_id": "trial_T20190908_144317_008888" + }, + { + "item_id": 999, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-CounterTop-427", + "task_id": "trial_T20190909_010859_090150" + }, + { + "item_id": 1000, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-CounterTop-427", + "task_id": "trial_T20190909_010951_843989" + }, + { + "item_id": 1001, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-Drawer-430", + "task_id": "trial_T20190908_122130_366898" + }, + { + "item_id": 1002, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-Drawer-430", + "task_id": "trial_T20190908_122202_842520" + }, + { + "item_id": 1003, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-Shelf-1", + "task_id": "trial_T20190908_114031_740744" + }, + { + "item_id": 1004, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-Shelf-20", + "task_id": "trial_T20190907_222429_992578" + }, + { + "item_id": 1005, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-Shelf-401", + "task_id": "trial_T20190908_072225_397518" + }, + { + "item_id": 1006, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-Toilet-427", + "task_id": "trial_T20190908_234203_467365" + }, + { + "item_id": 1007, + "task_type": "pick_clean_then_place_in_recep-DishSponge-None-Toilet-427", + "task_id": "trial_T20190908_234308_183420" + }, + { + "item_id": 1008, + "task_type": "pick_clean_then_place_in_recep-Egg-None-DiningTable-23", + "task_id": "trial_T20190908_083733_678856" + }, + { + "item_id": 1009, + "task_type": "pick_clean_then_place_in_recep-Egg-None-DiningTable-23", + "task_id": "trial_T20190908_083753_379941" + }, + { + "item_id": 1010, + "task_type": "pick_clean_then_place_in_recep-Egg-None-DiningTable-24", + "task_id": "trial_T20190918_202435_944015" + }, + { + "item_id": 1011, + "task_type": "pick_clean_then_place_in_recep-Egg-None-Fridge-25", + "task_id": "trial_T20190907_223448_075501" + }, + { + "item_id": 1012, + "task_type": "pick_clean_then_place_in_recep-Egg-None-Fridge-25", + "task_id": "trial_T20190907_223548_960598" + }, + { + "item_id": 1013, + "task_type": "pick_clean_then_place_in_recep-Egg-None-Microwave-14", + "task_id": "trial_T20190907_232727_134338" + }, + { + "item_id": 1014, + "task_type": "pick_clean_then_place_in_recep-Egg-None-Microwave-14", + "task_id": "trial_T20190907_232820_943207" + }, + { + "item_id": 1015, + "task_type": "pick_clean_then_place_in_recep-Egg-None-Microwave-30", + "task_id": "trial_T20190909_124809_423760" + }, + { + "item_id": 1016, + "task_type": "pick_clean_then_place_in_recep-Egg-None-Microwave-30", + "task_id": "trial_T20190909_124957_148528" + }, + { + "item_id": 1017, + "task_type": "pick_clean_then_place_in_recep-Egg-None-SideTable-21", + "task_id": "trial_T20190908_033911_286565" + }, + { + "item_id": 1018, + "task_type": "pick_clean_then_place_in_recep-Egg-None-SideTable-21", + "task_id": "trial_T20190908_033931_237625" + }, + { + "item_id": 1019, + "task_type": "pick_clean_then_place_in_recep-Egg-None-SideTable-21", + "task_id": "trial_T20190908_033957_288599" + }, + { + "item_id": 1020, + "task_type": "pick_clean_then_place_in_recep-Fork-None-CounterTop-23", + "task_id": "trial_T20190909_011702_864408" + }, + { + "item_id": 1021, + "task_type": "pick_clean_then_place_in_recep-Fork-None-CounterTop-24", + "task_id": "trial_T20190907_032419_325865" + }, + { + "item_id": 1022, + "task_type": "pick_clean_then_place_in_recep-Fork-None-CounterTop-24", + "task_id": "trial_T20190912_093456_886121" + }, + { + "item_id": 1023, + "task_type": "pick_clean_then_place_in_recep-Fork-None-DiningTable-15", + "task_id": "trial_T20190907_203115_486381" + }, + { + "item_id": 1024, + "task_type": "pick_clean_then_place_in_recep-Fork-None-DiningTable-15", + "task_id": "trial_T20190907_203221_946933" + }, + { + "item_id": 1025, + "task_type": "pick_clean_then_place_in_recep-Fork-None-DiningTable-24", + "task_id": "trial_T20190906_205125_257251" + }, + { + "item_id": 1026, + "task_type": "pick_clean_then_place_in_recep-Fork-None-DiningTable-24", + "task_id": "trial_T20190911_095727_416274" + }, + { + "item_id": 1027, + "task_type": "pick_clean_then_place_in_recep-Fork-None-Drawer-11", + "task_id": "trial_T20190907_145719_972520" + }, + { + "item_id": 1028, + "task_type": "pick_clean_then_place_in_recep-Fork-None-Drawer-11", + "task_id": "trial_T20190907_145752_008234" + }, + { + "item_id": 1029, + "task_type": "pick_clean_then_place_in_recep-Fork-None-SideTable-21", + "task_id": "trial_T20190909_041423_781798" + }, + { + "item_id": 1030, + "task_type": "pick_clean_then_place_in_recep-Fork-None-SideTable-21", + "task_id": "trial_T20190909_041451_615253" + }, + { + "item_id": 1031, + "task_type": "pick_clean_then_place_in_recep-Fork-None-SideTable-3", + "task_id": "trial_T20190908_002604_591830" + }, + { + "item_id": 1032, + "task_type": "pick_clean_then_place_in_recep-Fork-None-SideTable-3", + "task_id": "trial_T20190908_044107_458160" + }, + { + "item_id": 1033, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-Cabinet-11", + "task_id": "trial_T20190908_063326_895236" + }, + { + "item_id": 1034, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-Cabinet-18", + "task_id": "trial_T20190907_170128_507111" + }, + { + "item_id": 1035, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-Cabinet-3", + "task_id": "trial_T20190909_151519_764841" + }, + { + "item_id": 1036, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-Cabinet-3", + "task_id": "trial_T20190909_151623_379326" + }, + { + "item_id": 1037, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-Cabinet-5", + "task_id": "trial_T20190909_043020_330212" + }, + { + "item_id": 1038, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-CounterTop-15", + "task_id": "trial_T20190908_085822_553819" + }, + { + "item_id": 1039, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-CounterTop-18", + "task_id": "trial_T20190908_025529_009980" + }, + { + "item_id": 1040, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-DiningTable-15", + "task_id": "trial_T20190909_151144_561657" + }, + { + "item_id": 1041, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-DiningTable-18", + "task_id": "trial_T20190908_085532_288859" + }, + { + "item_id": 1042, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-StoveBurner-15", + "task_id": "trial_T20190908_082135_179964" + }, + { + "item_id": 1043, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-StoveBurner-15", + "task_id": "trial_T20190908_082613_079516" + }, + { + "item_id": 1044, + "task_type": "pick_clean_then_place_in_recep-Kettle-None-StoveBurner-3", + "task_id": "trial_T20190907_054206_228086" + }, + { + "item_id": 1045, + "task_type": "pick_clean_then_place_in_recep-Knife-None-CounterTop-24", + "task_id": "trial_T20190907_234930_784591" + }, + { + "item_id": 1046, + "task_type": "pick_clean_then_place_in_recep-Knife-None-CounterTop-24", + "task_id": "trial_T20190907_235023_869746" + }, + { + "item_id": 1047, + "task_type": "pick_clean_then_place_in_recep-Knife-None-DiningTable-15", + "task_id": "trial_T20190908_162445_886312" + }, + { + "item_id": 1048, + "task_type": "pick_clean_then_place_in_recep-Knife-None-DiningTable-15", + "task_id": "trial_T20190908_162517_931841" + }, + { + "item_id": 1049, + "task_type": "pick_clean_then_place_in_recep-Knife-None-DiningTable-23", + "task_id": "trial_T20190908_142059_634306" + }, + { + "item_id": 1050, + "task_type": "pick_clean_then_place_in_recep-Knife-None-DiningTable-23", + "task_id": "trial_T20190908_142153_073870" + }, + { + "item_id": 1051, + "task_type": "pick_clean_then_place_in_recep-Knife-None-DiningTable-26", + "task_id": "trial_T20190908_133506_711168" + }, + { + "item_id": 1052, + "task_type": "pick_clean_then_place_in_recep-Knife-None-DiningTable-26", + "task_id": "trial_T20190908_133611_882723" + }, + { + "item_id": 1053, + "task_type": "pick_clean_then_place_in_recep-Knife-None-Drawer-11", + "task_id": "trial_T20190908_182832_224613" + }, + { + "item_id": 1054, + "task_type": "pick_clean_then_place_in_recep-Knife-None-Drawer-22", + "task_id": "trial_T20190907_224827_746945" + }, + { + "item_id": 1055, + "task_type": "pick_clean_then_place_in_recep-Knife-None-Drawer-2", + "task_id": "trial_T20190909_141556_263392" + }, + { + "item_id": 1056, + "task_type": "pick_clean_then_place_in_recep-Knife-None-SideTable-21", + "task_id": "trial_T20190907_155305_725488" + }, + { + "item_id": 1057, + "task_type": "pick_clean_then_place_in_recep-Knife-None-SideTable-21", + "task_id": "trial_T20190907_155338_488905" + }, + { + "item_id": 1058, + "task_type": "pick_clean_then_place_in_recep-Knife-None-SideTable-21", + "task_id": "trial_T20190907_155410_611651" + }, + { + "item_id": 1059, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Cabinet-20", + "task_id": "trial_T20190907_195107_986651" + }, + { + "item_id": 1060, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Cabinet-20", + "task_id": "trial_T20190907_195135_687248" + }, + { + "item_id": 1061, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Cabinet-20", + "task_id": "trial_T20190910_071249_405077" + }, + { + "item_id": 1062, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Cabinet-25", + "task_id": "trial_T20190908_033914_770782" + }, + { + "item_id": 1063, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Cabinet-27", + "task_id": "trial_T20190908_142710_998510" + }, + { + "item_id": 1064, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Cabinet-27", + "task_id": "trial_T20190908_142754_866159" + }, + { + "item_id": 1065, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Cabinet-2", + "task_id": "trial_T20190908_220534_690455" + }, + { + "item_id": 1066, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Cabinet-2", + "task_id": "trial_T20190908_220613_638553" + }, + { + "item_id": 1067, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Cabinet-2", + "task_id": "trial_T20190908_220641_651992" + }, + { + "item_id": 1068, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Cabinet-8", + "task_id": "trial_T20190908_005649_247429" + }, + { + "item_id": 1069, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Cabinet-8", + "task_id": "trial_T20190908_005839_849302" + }, + { + "item_id": 1070, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-CounterTop-14", + "task_id": "trial_T20190909_114001_668818" + }, + { + "item_id": 1071, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-CounterTop-20", + "task_id": "trial_T20190907_130746_152534" + }, + { + "item_id": 1072, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-CounterTop-20", + "task_id": "trial_T20190907_130815_667195" + }, + { + "item_id": 1073, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-CounterTop-8", + "task_id": "trial_T20190909_121844_285394" + }, + { + "item_id": 1074, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-DiningTable-20", + "task_id": "trial_T20190908_080302_564506" + }, + { + "item_id": 1075, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-DiningTable-20", + "task_id": "trial_T20190909_212258_139668" + }, + { + "item_id": 1076, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-DiningTable-27", + "task_id": "trial_T20190909_100824_609831" + }, + { + "item_id": 1077, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-DiningTable-27", + "task_id": "trial_T20190911_131452_462560" + }, + { + "item_id": 1078, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-DiningTable-4", + "task_id": "trial_T20190907_205518_988948" + }, + { + "item_id": 1079, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-DiningTable-4", + "task_id": "trial_T20190909_165603_183022" + }, + { + "item_id": 1080, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Drawer-16", + "task_id": "trial_T20190909_024553_470193" + }, + { + "item_id": 1081, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Drawer-27", + "task_id": "trial_T20190906_211430_653311" + }, + { + "item_id": 1082, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Drawer-27", + "task_id": "trial_T20190906_211454_169080" + }, + { + "item_id": 1083, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Drawer-27", + "task_id": "trial_T20190906_211607_560303" + }, + { + "item_id": 1084, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Drawer-30", + "task_id": "trial_T20190907_194033_752745" + }, + { + "item_id": 1085, + "task_type": "pick_clean_then_place_in_recep-Ladle-None-Drawer-4", + "task_id": "trial_T20190908_180831_464145" + }, + { + "item_id": 1086, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-CounterTop-13", + "task_id": "trial_T20190909_035028_322877" + }, + { + "item_id": 1087, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-CounterTop-15", + "task_id": "trial_T20190907_070114_469975" + }, + { + "item_id": 1088, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-CounterTop-18", + "task_id": "trial_T20190909_071155_178558" + }, + { + "item_id": 1089, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-CounterTop-18", + "task_id": "trial_T20190909_071219_277726" + }, + { + "item_id": 1090, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-CounterTop-30", + "task_id": "trial_T20190909_033228_803068" + }, + { + "item_id": 1091, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-DiningTable-20", + "task_id": "trial_T20190906_191148_519826" + }, + { + "item_id": 1092, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-DiningTable-20", + "task_id": "trial_T20190906_191212_598810" + }, + { + "item_id": 1093, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-DiningTable-21", + "task_id": "trial_T20190908_215554_002650" + }, + { + "item_id": 1094, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-DiningTable-21", + "task_id": "trial_T20190908_215623_926422" + }, + { + "item_id": 1095, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-Fridge-13", + "task_id": "trial_T20190908_203315_375450" + }, + { + "item_id": 1096, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-Fridge-19", + "task_id": "trial_T20190908_100102_253901" + }, + { + "item_id": 1097, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-Fridge-4", + "task_id": "trial_T20190907_163644_382139" + }, + { + "item_id": 1098, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-Fridge-4", + "task_id": "trial_T20190907_163708_735211" + }, + { + "item_id": 1099, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-GarbageCan-17", + "task_id": "trial_T20190907_163631_504901" + }, + { + "item_id": 1100, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-GarbageCan-17", + "task_id": "trial_T20190907_163810_199572" + }, + { + "item_id": 1101, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-GarbageCan-20", + "task_id": "trial_T20190909_033324_286989" + }, + { + "item_id": 1102, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-GarbageCan-20", + "task_id": "trial_T20190909_033447_916770" + }, + { + "item_id": 1103, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-SideTable-21", + "task_id": "trial_T20190906_180547_003950" + }, + { + "item_id": 1104, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-SideTable-21", + "task_id": "trial_T20190907_101041_316873" + }, + { + "item_id": 1105, + "task_type": "pick_clean_then_place_in_recep-Lettuce-None-SideTable-21", + "task_id": "trial_T20190907_101234_922599" + }, + { + "item_id": 1106, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-11", + "task_id": "trial_T20190909_100519_428325" + }, + { + "item_id": 1107, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-11", + "task_id": "trial_T20190909_100546_787983" + }, + { + "item_id": 1108, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-13", + "task_id": "trial_T20190907_171959_889613" + }, + { + "item_id": 1109, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-14", + "task_id": "trial_T20190906_213507_741596" + }, + { + "item_id": 1110, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-14", + "task_id": "trial_T20190906_213531_268919" + }, + { + "item_id": 1111, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-14", + "task_id": "trial_T20190906_213559_289639" + }, + { + "item_id": 1112, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-15", + "task_id": "trial_T20190909_111443_363349" + }, + { + "item_id": 1113, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-15", + "task_id": "trial_T20190909_111509_088713" + }, + { + "item_id": 1114, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-15", + "task_id": "trial_T20190909_111533_304885" + }, + { + "item_id": 1115, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-18", + "task_id": "trial_T20190909_101110_748348" + }, + { + "item_id": 1116, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-18", + "task_id": "trial_T20190909_101205_264895" + }, + { + "item_id": 1117, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-1", + "task_id": "trial_T20190909_134634_406636" + }, + { + "item_id": 1118, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-1", + "task_id": "trial_T20190909_134710_542972" + }, + { + "item_id": 1119, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-1", + "task_id": "trial_T20190909_134737_070224" + }, + { + "item_id": 1120, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-21", + "task_id": "trial_T20190907_143413_653855" + }, + { + "item_id": 1121, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-22", + "task_id": "trial_T20190907_070833_092620" + }, + { + "item_id": 1122, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-22", + "task_id": "trial_T20190907_070909_959049" + }, + { + "item_id": 1123, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-24", + "task_id": "trial_T20190906_185346_459023" + }, + { + "item_id": 1124, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-25", + "task_id": "trial_T20190907_223942_379753" + }, + { + "item_id": 1125, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-26", + "task_id": "trial_T20190907_233121_306180" + }, + { + "item_id": 1126, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-30", + "task_id": "trial_T20190909_072422_690945" + }, + { + "item_id": 1127, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-30", + "task_id": "trial_T20190909_072449_110438" + }, + { + "item_id": 1128, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-30", + "task_id": "trial_T20190909_072524_128648" + }, + { + "item_id": 1129, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-6", + "task_id": "trial_T20190909_113304_936478" + }, + { + "item_id": 1130, + "task_type": "pick_clean_then_place_in_recep-Mug-None-CoffeeMachine-6", + "task_id": "trial_T20190909_113418_384092" + }, + { + "item_id": 1131, + "task_type": "pick_clean_then_place_in_recep-Pan-None-CounterTop-13", + "task_id": "trial_T20190908_113233_445288" + }, + { + "item_id": 1132, + "task_type": "pick_clean_then_place_in_recep-Pan-None-CounterTop-13", + "task_id": "trial_T20190908_113305_154837" + }, + { + "item_id": 1133, + "task_type": "pick_clean_then_place_in_recep-Pan-None-CounterTop-22", + "task_id": "trial_T20190910_161323_966396" + }, + { + "item_id": 1134, + "task_type": "pick_clean_then_place_in_recep-Pan-None-CounterTop-22", + "task_id": "trial_T20190910_161415_317849" + }, + { + "item_id": 1135, + "task_type": "pick_clean_then_place_in_recep-Pan-None-DiningTable-17", + "task_id": "trial_T20190908_032235_090160" + }, + { + "item_id": 1136, + "task_type": "pick_clean_then_place_in_recep-Pan-None-Fridge-1", + "task_id": "trial_T20190908_105408_717097" + }, + { + "item_id": 1137, + "task_type": "pick_clean_then_place_in_recep-Pan-None-Fridge-1", + "task_id": "trial_T20190908_105504_396709" + }, + { + "item_id": 1138, + "task_type": "pick_clean_then_place_in_recep-Pan-None-StoveBurner-13", + "task_id": "trial_T20190907_123642_135397" + }, + { + "item_id": 1139, + "task_type": "pick_clean_then_place_in_recep-Pan-None-StoveBurner-20", + "task_id": "trial_T20190908_113753_792173" + }, + { + "item_id": 1140, + "task_type": "pick_clean_then_place_in_recep-Pan-None-StoveBurner-2", + "task_id": "trial_T20190909_041225_296350" + }, + { + "item_id": 1141, + "task_type": "pick_clean_then_place_in_recep-Pan-None-StoveBurner-5", + "task_id": "trial_T20190907_124309_833040" + }, + { + "item_id": 1142, + "task_type": "pick_clean_then_place_in_recep-Pan-None-StoveBurner-5", + "task_id": "trial_T20190907_124437_794732" + }, + { + "item_id": 1143, + "task_type": "pick_clean_then_place_in_recep-Pan-None-StoveBurner-5", + "task_id": "trial_T20190907_124501_787647" + }, + { + "item_id": 1144, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Cabinet-13", + "task_id": "trial_T20190909_123448_575866" + }, + { + "item_id": 1145, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Cabinet-13", + "task_id": "trial_T20190909_123529_408273" + }, + { + "item_id": 1146, + "task_type": "pick_clean_then_place_in_recep-Plate-None-CounterTop-19", + "task_id": "trial_T20190908_212652_808906" + }, + { + "item_id": 1147, + "task_type": "pick_clean_then_place_in_recep-Plate-None-CounterTop-19", + "task_id": "trial_T20190908_212756_405192" + }, + { + "item_id": 1148, + "task_type": "pick_clean_then_place_in_recep-Plate-None-DiningTable-19", + "task_id": "trial_T20190909_045437_991233" + }, + { + "item_id": 1149, + "task_type": "pick_clean_then_place_in_recep-Plate-None-DiningTable-19", + "task_id": "trial_T20190909_045558_023687" + }, + { + "item_id": 1150, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Fridge-19", + "task_id": "trial_T20190907_013946_270209" + }, + { + "item_id": 1151, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Fridge-19", + "task_id": "trial_T20190907_014028_680948" + }, + { + "item_id": 1152, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Fridge-19", + "task_id": "trial_T20190907_014117_377949" + }, + { + "item_id": 1153, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Fridge-5", + "task_id": "trial_T20190909_112954_869911" + }, + { + "item_id": 1154, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Microwave-7", + "task_id": "trial_T20190907_170059_704503" + }, + { + "item_id": 1155, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Microwave-7", + "task_id": "trial_T20190907_170142_415879" + }, + { + "item_id": 1156, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Microwave-7", + "task_id": "trial_T20190907_170244_518138" + }, + { + "item_id": 1157, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Shelf-1", + "task_id": "trial_T20190907_114549_185841" + }, + { + "item_id": 1158, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Shelf-1", + "task_id": "trial_T20190907_114616_377252" + }, + { + "item_id": 1159, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Shelf-1", + "task_id": "trial_T20190907_114717_584270" + }, + { + "item_id": 1160, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Shelf-20", + "task_id": "trial_T20190909_122703_549296" + }, + { + "item_id": 1161, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Shelf-20", + "task_id": "trial_T20190909_122735_270512" + }, + { + "item_id": 1162, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Shelf-20", + "task_id": "trial_T20190909_122849_022213" + }, + { + "item_id": 1163, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Shelf-7", + "task_id": "trial_T20190908_225938_152284" + }, + { + "item_id": 1164, + "task_type": "pick_clean_then_place_in_recep-Plate-None-Shelf-7", + "task_id": "trial_T20190908_230022_030239" + }, + { + "item_id": 1165, + "task_type": "pick_clean_then_place_in_recep-Pot-None-Shelf-1", + "task_id": "trial_T20190908_001754_526257" + }, + { + "item_id": 1166, + "task_type": "pick_clean_then_place_in_recep-Pot-None-Shelf-1", + "task_id": "trial_T20190908_001818_534745" + }, + { + "item_id": 1167, + "task_type": "pick_clean_then_place_in_recep-Pot-None-StoveBurner-4", + "task_id": "trial_T20190907_151337_109400" + }, + { + "item_id": 1168, + "task_type": "pick_clean_then_place_in_recep-Potato-None-CounterTop-5", + "task_id": "trial_T20190909_123141_081448" + }, + { + "item_id": 1169, + "task_type": "pick_clean_then_place_in_recep-Potato-None-DiningTable-4", + "task_id": "trial_T20190909_113933_070196" + }, + { + "item_id": 1170, + "task_type": "pick_clean_then_place_in_recep-Potato-None-DiningTable-4", + "task_id": "trial_T20190909_113957_013325" + }, + { + "item_id": 1171, + "task_type": "pick_clean_then_place_in_recep-Potato-None-DiningTable-4", + "task_id": "trial_T20190909_114019_624535" + }, + { + "item_id": 1172, + "task_type": "pick_clean_then_place_in_recep-Potato-None-Fridge-17", + "task_id": "trial_T20190909_135724_571540" + }, + { + "item_id": 1173, + "task_type": "pick_clean_then_place_in_recep-Potato-None-Fridge-17", + "task_id": "trial_T20190909_135806_401667" + }, + { + "item_id": 1174, + "task_type": "pick_clean_then_place_in_recep-Potato-None-GarbageCan-19", + "task_id": "trial_T20190908_073719_353393" + }, + { + "item_id": 1175, + "task_type": "pick_clean_then_place_in_recep-Potato-None-GarbageCan-19", + "task_id": "trial_T20190908_073836_889531" + }, + { + "item_id": 1176, + "task_type": "pick_clean_then_place_in_recep-Potato-None-GarbageCan-19", + "task_id": "trial_T20190908_074136_618715" + }, + { + "item_id": 1177, + "task_type": "pick_clean_then_place_in_recep-Potato-None-Microwave-11", + "task_id": "trial_T20190908_215946_926015" + }, + { + "item_id": 1178, + "task_type": "pick_clean_then_place_in_recep-Potato-None-Microwave-11", + "task_id": "trial_T20190908_220010_320199" + }, + { + "item_id": 1179, + "task_type": "pick_clean_then_place_in_recep-Potato-None-Microwave-23", + "task_id": "trial_T20190908_131731_351718" + }, + { + "item_id": 1180, + "task_type": "pick_clean_then_place_in_recep-Potato-None-Microwave-23", + "task_id": "trial_T20190908_131819_096200" + }, + { + "item_id": 1181, + "task_type": "pick_clean_then_place_in_recep-Potato-None-Microwave-23", + "task_id": "trial_T20190908_131909_265190" + }, + { + "item_id": 1182, + "task_type": "pick_clean_then_place_in_recep-Potato-None-Microwave-2", + "task_id": "trial_T20190908_102036_283979" + }, + { + "item_id": 1183, + "task_type": "pick_clean_then_place_in_recep-Potato-None-Microwave-2", + "task_id": "trial_T20190908_102103_837124" + }, + { + "item_id": 1184, + "task_type": "pick_clean_then_place_in_recep-Potato-None-Microwave-6", + "task_id": "trial_T20190907_182137_254302" + }, + { + "item_id": 1185, + "task_type": "pick_clean_then_place_in_recep-Potato-None-Microwave-6", + "task_id": "trial_T20190907_182203_379754" + }, + { + "item_id": 1186, + "task_type": "pick_clean_then_place_in_recep-Potato-None-Microwave-6", + "task_id": "trial_T20190907_182233_662337" + }, + { + "item_id": 1187, + "task_type": "pick_clean_then_place_in_recep-Potato-None-SideTable-21", + "task_id": "trial_T20190906_192433_616768" + }, + { + "item_id": 1188, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-405", + "task_id": "trial_T20190906_212829_931361" + }, + { + "item_id": 1189, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-406", + "task_id": "trial_T20190908_122630_364862" + }, + { + "item_id": 1190, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-406", + "task_id": "trial_T20190908_122722_722735" + }, + { + "item_id": 1191, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-406", + "task_id": "trial_T20190908_123913_183838" + }, + { + "item_id": 1192, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-407", + "task_id": "trial_T20190908_155318_502361" + }, + { + "item_id": 1193, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-407", + "task_id": "trial_T20190908_155338_746377" + }, + { + "item_id": 1194, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-407", + "task_id": "trial_T20190908_155358_761123" + }, + { + "item_id": 1195, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-411", + "task_id": "trial_T20190907_033249_510159" + }, + { + "item_id": 1196, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-411", + "task_id": "trial_T20190907_033311_020938" + }, + { + "item_id": 1197, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-411", + "task_id": "trial_T20190907_033339_816251" + }, + { + "item_id": 1198, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-413", + "task_id": "trial_T20190908_191036_469615" + }, + { + "item_id": 1199, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-413", + "task_id": "trial_T20190908_191059_143281" + }, + { + "item_id": 1200, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-419", + "task_id": "trial_T20190907_133059_162744" + }, + { + "item_id": 1201, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-419", + "task_id": "trial_T20190907_133120_691566" + }, + { + "item_id": 1202, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-422", + "task_id": "trial_T20190907_003444_606744" + }, + { + "item_id": 1203, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-422", + "task_id": "trial_T20190907_003505_832853" + }, + { + "item_id": 1204, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-423", + "task_id": "trial_T20190907_204545_504401" + }, + { + "item_id": 1205, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-423", + "task_id": "trial_T20190908_064827_189096" + }, + { + "item_id": 1206, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-426", + "task_id": "trial_T20190908_052219_183644" + }, + { + "item_id": 1207, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-426", + "task_id": "trial_T20190908_052251_559452" + }, + { + "item_id": 1208, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-426", + "task_id": "trial_T20190908_180058_948165" + }, + { + "item_id": 1209, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-429", + "task_id": "trial_T20190908_050624_219664" + }, + { + "item_id": 1210, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-BathtubBasin-429", + "task_id": "trial_T20190908_050719_138425" + }, + { + "item_id": 1211, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cabinet-403", + "task_id": "trial_T20190906_161856_202281" + }, + { + "item_id": 1212, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cabinet-403", + "task_id": "trial_T20190906_161918_796066" + }, + { + "item_id": 1213, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cabinet-408", + "task_id": "trial_T20190908_032441_986952" + }, + { + "item_id": 1214, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cabinet-408", + "task_id": "trial_T20190908_032511_198283" + }, + { + "item_id": 1215, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cabinet-408", + "task_id": "trial_T20190908_032540_685424" + }, + { + "item_id": 1216, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cabinet-413", + "task_id": "trial_T20190908_023440_805037" + }, + { + "item_id": 1217, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cabinet-413", + "task_id": "trial_T20190908_023500_672378" + }, + { + "item_id": 1218, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cabinet-413", + "task_id": "trial_T20190908_023523_035014" + }, + { + "item_id": 1219, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cabinet-418", + "task_id": "trial_T20190907_035119_119174" + }, + { + "item_id": 1220, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cabinet-418", + "task_id": "trial_T20190907_035207_764646" + }, + { + "item_id": 1221, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cabinet-422", + "task_id": "trial_T20190908_123321_281332" + }, + { + "item_id": 1222, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cabinet-422", + "task_id": "trial_T20190909_170330_111958" + }, + { + "item_id": 1223, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cart-401", + "task_id": "trial_T20190906_183157_958090" + }, + { + "item_id": 1224, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cart-430", + "task_id": "trial_T20190907_075716_990340" + }, + { + "item_id": 1225, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cart-430", + "task_id": "trial_T20190907_075738_959822" + }, + { + "item_id": 1226, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Cart-430", + "task_id": "trial_T20190907_075807_163356" + }, + { + "item_id": 1227, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-CounterTop-409", + "task_id": "trial_T20190908_025345_309782" + }, + { + "item_id": 1228, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-CounterTop-409", + "task_id": "trial_T20190908_025437_027878" + }, + { + "item_id": 1229, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-CounterTop-414", + "task_id": "trial_T20190908_215321_082378" + }, + { + "item_id": 1230, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-CounterTop-414", + "task_id": "trial_T20190908_215405_138970" + }, + { + "item_id": 1231, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-CounterTop-416", + "task_id": "trial_T20190909_032310_871218" + }, + { + "item_id": 1232, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-CounterTop-416", + "task_id": "trial_T20190909_032422_085040" + }, + { + "item_id": 1233, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-CounterTop-416", + "task_id": "trial_T20190909_090331_330612" + }, + { + "item_id": 1234, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-CounterTop-422", + "task_id": "trial_T20190908_125057_409063" + }, + { + "item_id": 1235, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-CounterTop-428", + "task_id": "trial_T20190908_185056_640223" + }, + { + "item_id": 1236, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Drawer-409", + "task_id": "trial_T20190907_040400_932831" + }, + { + "item_id": 1237, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Drawer-409", + "task_id": "trial_T20190907_040420_175845" + }, + { + "item_id": 1238, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Drawer-415", + "task_id": "trial_T20190909_003330_390467" + }, + { + "item_id": 1239, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Drawer-423", + "task_id": "trial_T20190906_202403_601985" + }, + { + "item_id": 1240, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Drawer-426", + "task_id": "trial_T20190909_074606_425858" + }, + { + "item_id": 1241, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-GarbageCan-406", + "task_id": "trial_T20190907_015846_164761" + }, + { + "item_id": 1242, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-GarbageCan-406", + "task_id": "trial_T20190907_015904_010057" + }, + { + "item_id": 1243, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-GarbageCan-406", + "task_id": "trial_T20190907_015923_805044" + }, + { + "item_id": 1244, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-GarbageCan-407", + "task_id": "trial_T20190907_222235_383777" + }, + { + "item_id": 1245, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-GarbageCan-408", + "task_id": "trial_T20190908_045045_294517" + }, + { + "item_id": 1246, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-GarbageCan-408", + "task_id": "trial_T20190908_045340_470949" + }, + { + "item_id": 1247, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-GarbageCan-416", + "task_id": "trial_T20190907_024631_400025" + }, + { + "item_id": 1248, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-GarbageCan-421", + "task_id": "trial_T20190907_090017_388504" + }, + { + "item_id": 1249, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-GarbageCan-421", + "task_id": "trial_T20190907_090043_953351" + }, + { + "item_id": 1250, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-GarbageCan-426", + "task_id": "trial_T20190908_060518_031180" + }, + { + "item_id": 1251, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-GarbageCan-426", + "task_id": "trial_T20190908_060552_772210" + }, + { + "item_id": 1252, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Toilet-408", + "task_id": "trial_T20190908_122359_761879" + }, + { + "item_id": 1253, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Toilet-411", + "task_id": "trial_T20190908_103011_090215" + }, + { + "item_id": 1254, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Toilet-411", + "task_id": "trial_T20190908_103036_548485" + }, + { + "item_id": 1255, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Toilet-419", + "task_id": "trial_T20190907_005318_564050" + }, + { + "item_id": 1256, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Toilet-422", + "task_id": "trial_T20190908_204626_280695" + }, + { + "item_id": 1257, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Toilet-429", + "task_id": "trial_T20190906_222257_632416" + }, + { + "item_id": 1258, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Toilet-429", + "task_id": "trial_T20190906_222320_965631" + }, + { + "item_id": 1259, + "task_type": "pick_clean_then_place_in_recep-SoapBar-None-Toilet-429", + "task_id": "trial_T20190906_222344_438646" + }, + { + "item_id": 1260, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-CounterTop-13", + "task_id": "trial_T20190909_023140_855187" + }, + { + "item_id": 1261, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-CounterTop-19", + "task_id": "trial_T20190906_181259_314797" + }, + { + "item_id": 1262, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-CounterTop-19", + "task_id": "trial_T20190906_181400_748701" + }, + { + "item_id": 1263, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-CounterTop-30", + "task_id": "trial_T20190909_050651_623153" + }, + { + "item_id": 1264, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-CounterTop-30", + "task_id": "trial_T20190909_050831_328612" + }, + { + "item_id": 1265, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-DiningTable-19", + "task_id": "trial_T20190909_081214_166116" + }, + { + "item_id": 1266, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-DiningTable-19", + "task_id": "trial_T20190909_081320_054592" + }, + { + "item_id": 1267, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-DiningTable-23", + "task_id": "trial_T20190909_103325_040043" + }, + { + "item_id": 1268, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-DiningTable-24", + "task_id": "trial_T20190909_021012_621960" + }, + { + "item_id": 1269, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-DiningTable-24", + "task_id": "trial_T20190909_021050_633083" + }, + { + "item_id": 1270, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-DiningTable-4", + "task_id": "trial_T20190909_002645_047114" + }, + { + "item_id": 1271, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-DiningTable-4", + "task_id": "trial_T20190909_002715_673638" + }, + { + "item_id": 1272, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-Drawer-22", + "task_id": "trial_T20190907_145132_203684" + }, + { + "item_id": 1273, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-Drawer-8", + "task_id": "trial_T20190907_153851_284130" + }, + { + "item_id": 1274, + "task_type": "pick_clean_then_place_in_recep-Spatula-None-SideTable-3", + "task_id": "trial_T20190907_195153_458779" + }, + { + "item_id": 1275, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-CounterTop-8", + "task_id": "trial_T20190908_224527_710355" + }, + { + "item_id": 1276, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-CounterTop-8", + "task_id": "trial_T20190908_224554_970210" + }, + { + "item_id": 1277, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-CounterTop-8", + "task_id": "trial_T20190908_224650_634381" + }, + { + "item_id": 1278, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-DiningTable-18", + "task_id": "trial_T20190909_102022_120766" + }, + { + "item_id": 1279, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-DiningTable-18", + "task_id": "trial_T20190909_102050_895053" + }, + { + "item_id": 1280, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-DiningTable-18", + "task_id": "trial_T20190909_102159_277894" + }, + { + "item_id": 1281, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-DiningTable-20", + "task_id": "trial_T20190909_034621_566395" + }, + { + "item_id": 1282, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-DiningTable-20", + "task_id": "trial_T20190909_034703_947964" + }, + { + "item_id": 1283, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-DiningTable-20", + "task_id": "trial_T20190909_034736_199541" + }, + { + "item_id": 1284, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-DiningTable-21", + "task_id": "trial_T20190908_064745_117580" + }, + { + "item_id": 1285, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-DiningTable-21", + "task_id": "trial_T20190908_064810_778005" + }, + { + "item_id": 1286, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-DiningTable-21", + "task_id": "trial_T20190908_064840_139982" + }, + { + "item_id": 1287, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-Drawer-24", + "task_id": "trial_T20190908_232429_973315" + }, + { + "item_id": 1288, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-Drawer-5", + "task_id": "trial_T20190907_080537_064131" + }, + { + "item_id": 1289, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-Drawer-5", + "task_id": "trial_T20190911_081633_704611" + }, + { + "item_id": 1290, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-Drawer-8", + "task_id": "trial_T20190907_151947_378545" + }, + { + "item_id": 1291, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-Drawer-8", + "task_id": "trial_T20190907_152013_707870" + }, + { + "item_id": 1292, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-SideTable-21", + "task_id": "trial_T20190908_231958_358508" + }, + { + "item_id": 1293, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-SideTable-21", + "task_id": "trial_T20190908_232031_145597" + }, + { + "item_id": 1294, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-SideTable-21", + "task_id": "trial_T20190908_232124_221443" + }, + { + "item_id": 1295, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-SideTable-3", + "task_id": "trial_T20190907_173326_349464" + }, + { + "item_id": 1296, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-SideTable-3", + "task_id": "trial_T20190907_173513_019487" + }, + { + "item_id": 1297, + "task_type": "pick_clean_then_place_in_recep-Spoon-None-SideTable-3", + "task_id": "trial_T20190918_162452_302902" + }, + { + "item_id": 1298, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-CounterTop-14", + "task_id": "trial_T20190909_012652_365290" + }, + { + "item_id": 1299, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-CounterTop-14", + "task_id": "trial_T20190909_012711_107920" + }, + { + "item_id": 1300, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-CounterTop-14", + "task_id": "trial_T20190909_012732_375728" + }, + { + "item_id": 1301, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-DiningTable-23", + "task_id": "trial_T20190909_000808_543184" + }, + { + "item_id": 1302, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-DiningTable-4", + "task_id": "trial_T20190907_142450_863509" + }, + { + "item_id": 1303, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-Fridge-18", + "task_id": "trial_T20190909_045817_847048" + }, + { + "item_id": 1304, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-Fridge-20", + "task_id": "trial_T20190909_091626_928669" + }, + { + "item_id": 1305, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-GarbageCan-15", + "task_id": "trial_T20190908_185947_633737" + }, + { + "item_id": 1306, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-GarbageCan-15", + "task_id": "trial_T20190908_190007_238896" + }, + { + "item_id": 1307, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-GarbageCan-15", + "task_id": "trial_T20190908_190029_853407" + }, + { + "item_id": 1308, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-Microwave-12", + "task_id": "trial_T20190906_220608_616651" + }, + { + "item_id": 1309, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-Microwave-12", + "task_id": "trial_T20190906_220634_241690" + }, + { + "item_id": 1310, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-Microwave-12", + "task_id": "trial_T20190906_220713_803388" + }, + { + "item_id": 1311, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-Microwave-15", + "task_id": "trial_T20190908_180435_978973" + }, + { + "item_id": 1312, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-Microwave-15", + "task_id": "trial_T20190908_180523_579767" + }, + { + "item_id": 1313, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-Microwave-15", + "task_id": "trial_T20190908_180545_702661" + }, + { + "item_id": 1314, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-SideTable-21", + "task_id": "trial_T20190907_165032_703898" + }, + { + "item_id": 1315, + "task_type": "pick_clean_then_place_in_recep-Tomato-None-SideTable-3", + "task_id": "trial_T20190909_002446_748693" + }, + { + "item_id": 1316, + "task_type": "pick_cool_then_place_in_recep-Apple-None-DiningTable-15", + "task_id": "trial_T20190906_192043_926936" + }, + { + "item_id": 1317, + "task_type": "pick_cool_then_place_in_recep-Apple-None-GarbageCan-17", + "task_id": "trial_T20190908_234248_429912" + }, + { + "item_id": 1318, + "task_type": "pick_cool_then_place_in_recep-Apple-None-GarbageCan-19", + "task_id": "trial_T20190908_121503_882955" + }, + { + "item_id": 1319, + "task_type": "pick_cool_then_place_in_recep-Apple-None-GarbageCan-19", + "task_id": "trial_T20190908_121626_855247" + }, + { + "item_id": 1320, + "task_type": "pick_cool_then_place_in_recep-Apple-None-GarbageCan-5", + "task_id": "trial_T20190908_111747_660187" + }, + { + "item_id": 1321, + "task_type": "pick_cool_then_place_in_recep-Apple-None-Microwave-11", + "task_id": "trial_T20190909_012201_694037" + }, + { + "item_id": 1322, + "task_type": "pick_cool_then_place_in_recep-Apple-None-Microwave-12", + "task_id": "trial_T20190908_221148_854032" + }, + { + "item_id": 1323, + "task_type": "pick_cool_then_place_in_recep-Apple-None-Microwave-12", + "task_id": "trial_T20190908_221238_578782" + }, + { + "item_id": 1324, + "task_type": "pick_cool_then_place_in_recep-Apple-None-Microwave-19", + "task_id": "trial_T20190906_210805_698141" + }, + { + "item_id": 1325, + "task_type": "pick_cool_then_place_in_recep-Apple-None-Microwave-19", + "task_id": "trial_T20190906_210908_217201" + }, + { + "item_id": 1326, + "task_type": "pick_cool_then_place_in_recep-Apple-None-Microwave-22", + "task_id": "trial_T20190908_000205_582040" + }, + { + "item_id": 1327, + "task_type": "pick_cool_then_place_in_recep-Apple-None-Microwave-22", + "task_id": "trial_T20190908_000241_664330" + }, + { + "item_id": 1328, + "task_type": "pick_cool_then_place_in_recep-Apple-None-Microwave-22", + "task_id": "trial_T20190908_000314_718780" + }, + { + "item_id": 1329, + "task_type": "pick_cool_then_place_in_recep-Apple-None-Microwave-23", + "task_id": "trial_T20190908_051030_481119" + }, + { + "item_id": 1330, + "task_type": "pick_cool_then_place_in_recep-Apple-None-Microwave-23", + "task_id": "trial_T20190908_051157_836345" + }, + { + "item_id": 1331, + "task_type": "pick_cool_then_place_in_recep-Apple-None-Microwave-6", + "task_id": "trial_T20190908_113959_306338" + }, + { + "item_id": 1332, + "task_type": "pick_cool_then_place_in_recep-Apple-None-Microwave-6", + "task_id": "trial_T20190908_114037_636483" + }, + { + "item_id": 1333, + "task_type": "pick_cool_then_place_in_recep-Apple-None-Microwave-6", + "task_id": "trial_T20190908_114123_087113" + }, + { + "item_id": 1334, + "task_type": "pick_cool_then_place_in_recep-Apple-None-SideTable-21", + "task_id": "trial_T20190907_180858_138819" + }, + { + "item_id": 1335, + "task_type": "pick_cool_then_place_in_recep-Apple-None-SinkBasin-11", + "task_id": "trial_T20190908_234448_681050" + }, + { + "item_id": 1336, + "task_type": "pick_cool_then_place_in_recep-Apple-None-SinkBasin-11", + "task_id": "trial_T20190908_234551_591128" + }, + { + "item_id": 1337, + "task_type": "pick_cool_then_place_in_recep-Apple-None-SinkBasin-2", + "task_id": "trial_T20190907_150002_745119" + }, + { + "item_id": 1338, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Cabinet-18", + "task_id": "trial_T20190908_031815_585714" + }, + { + "item_id": 1339, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Cabinet-18", + "task_id": "trial_T20190908_031916_233838" + }, + { + "item_id": 1340, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Cabinet-19", + "task_id": "trial_T20190908_022130_590876" + }, + { + "item_id": 1341, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Cabinet-19", + "task_id": "trial_T20190908_043325_612655" + }, + { + "item_id": 1342, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Cabinet-20", + "task_id": "trial_T20190909_112802_913273" + }, + { + "item_id": 1343, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Cabinet-20", + "task_id": "trial_T20190909_113003_883447" + }, + { + "item_id": 1344, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Cabinet-24", + "task_id": "trial_T20190909_112909_923737" + }, + { + "item_id": 1345, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Cabinet-2", + "task_id": "trial_T20190907_020952_924463" + }, + { + "item_id": 1346, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Cabinet-2", + "task_id": "trial_T20190907_021058_144729" + }, + { + "item_id": 1347, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-CounterTop-13", + "task_id": "trial_T20190909_060808_750616" + }, + { + "item_id": 1348, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-CounterTop-13", + "task_id": "trial_T20190909_060843_859416" + }, + { + "item_id": 1349, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-CounterTop-13", + "task_id": "trial_T20190909_060947_567458" + }, + { + "item_id": 1350, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-CounterTop-15", + "task_id": "trial_T20190909_034732_954625" + }, + { + "item_id": 1351, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-CounterTop-15", + "task_id": "trial_T20190909_034820_123796" + }, + { + "item_id": 1352, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-CounterTop-15", + "task_id": "trial_T20190909_034852_777036" + }, + { + "item_id": 1353, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-CounterTop-17", + "task_id": "trial_T20190909_042203_048291" + }, + { + "item_id": 1354, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-CounterTop-17", + "task_id": "trial_T20190909_080537_886002" + }, + { + "item_id": 1355, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-CounterTop-17", + "task_id": "trial_T20190909_093317_260394" + }, + { + "item_id": 1356, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-DiningTable-23", + "task_id": "trial_T20190908_140213_904372" + }, + { + "item_id": 1357, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-DiningTable-23", + "task_id": "trial_T20190908_140248_782127" + }, + { + "item_id": 1358, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-DiningTable-23", + "task_id": "trial_T20190908_140343_327191" + }, + { + "item_id": 1359, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-DiningTable-4", + "task_id": "trial_T20190908_031155_328143" + }, + { + "item_id": 1360, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-DiningTable-4", + "task_id": "trial_T20190908_031316_499330" + }, + { + "item_id": 1361, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Microwave-19", + "task_id": "trial_T20190909_041007_028354" + }, + { + "item_id": 1362, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Microwave-19", + "task_id": "trial_T20190909_041115_655821" + }, + { + "item_id": 1363, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Microwave-19", + "task_id": "trial_T20190909_041309_452416" + }, + { + "item_id": 1364, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Microwave-25", + "task_id": "trial_T20190906_180413_806436" + }, + { + "item_id": 1365, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Microwave-7", + "task_id": "trial_T20190908_230837_778972" + }, + { + "item_id": 1366, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Microwave-7", + "task_id": "trial_T20190908_231310_981246" + }, + { + "item_id": 1367, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Microwave-7", + "task_id": "trial_T20190908_231358_223817" + }, + { + "item_id": 1368, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Shelf-1", + "task_id": "trial_T20190907_073805_220745" + }, + { + "item_id": 1369, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Shelf-1", + "task_id": "trial_T20190907_073835_452186" + }, + { + "item_id": 1370, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Shelf-1", + "task_id": "trial_T20190907_073907_658108" + }, + { + "item_id": 1371, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Shelf-20", + "task_id": "trial_T20190908_034211_124122" + }, + { + "item_id": 1372, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Shelf-5", + "task_id": "trial_T20190908_091641_481598" + }, + { + "item_id": 1373, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Shelf-7", + "task_id": "trial_T20190906_185904_507560" + }, + { + "item_id": 1374, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Shelf-7", + "task_id": "trial_T20190906_185932_528745" + }, + { + "item_id": 1375, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-Shelf-7", + "task_id": "trial_T20190906_190034_099701" + }, + { + "item_id": 1376, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-SinkBasin-18", + "task_id": "trial_T20190909_034530_204738" + }, + { + "item_id": 1377, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-SinkBasin-24", + "task_id": "trial_T20190907_034816_220531" + }, + { + "item_id": 1378, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-SinkBasin-24", + "task_id": "trial_T20190907_034927_891632" + }, + { + "item_id": 1379, + "task_type": "pick_cool_then_place_in_recep-Bowl-None-SinkBasin-24", + "task_id": "trial_T20190907_035023_094087" + }, + { + "item_id": 1380, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-11", + "task_id": "trial_T20190907_185214_077230" + }, + { + "item_id": 1381, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-11", + "task_id": "trial_T20190907_185301_523291" + }, + { + "item_id": 1382, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-11", + "task_id": "trial_T20190908_030106_508574" + }, + { + "item_id": 1383, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-15", + "task_id": "trial_T20190909_085557_322273" + }, + { + "item_id": 1384, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-15", + "task_id": "trial_T20190909_090922_447723" + }, + { + "item_id": 1385, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-16", + "task_id": "trial_T20190907_221816_384897" + }, + { + "item_id": 1386, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-16", + "task_id": "trial_T20190908_143948_082471" + }, + { + "item_id": 1387, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-17", + "task_id": "trial_T20190907_150853_448489" + }, + { + "item_id": 1388, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-17", + "task_id": "trial_T20190907_151002_383149" + }, + { + "item_id": 1389, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-17", + "task_id": "trial_T20190907_151028_159967" + }, + { + "item_id": 1390, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-1", + "task_id": "trial_T20190908_212319_595200" + }, + { + "item_id": 1391, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-1", + "task_id": "trial_T20190908_212506_100520" + }, + { + "item_id": 1392, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-25", + "task_id": "trial_T20190906_203336_143722" + }, + { + "item_id": 1393, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-4", + "task_id": "trial_T20190907_232940_130727" + }, + { + "item_id": 1394, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-4", + "task_id": "trial_T20190907_233005_002689" + }, + { + "item_id": 1395, + "task_type": "pick_cool_then_place_in_recep-Bread-None-CounterTop-7", + "task_id": "trial_T20190909_012427_332210" + }, + { + "item_id": 1396, + "task_type": "pick_cool_then_place_in_recep-Bread-None-DiningTable-11", + "task_id": "trial_T20190908_005202_990135" + }, + { + "item_id": 1397, + "task_type": "pick_cool_then_place_in_recep-Bread-None-DiningTable-11", + "task_id": "trial_T20190908_005225_576923" + }, + { + "item_id": 1398, + "task_type": "pick_cool_then_place_in_recep-Bread-None-DiningTable-11", + "task_id": "trial_T20190908_005249_038958" + }, + { + "item_id": 1399, + "task_type": "pick_cool_then_place_in_recep-Bread-None-DiningTable-15", + "task_id": "trial_T20190908_181414_686376" + }, + { + "item_id": 1400, + "task_type": "pick_cool_then_place_in_recep-Bread-None-DiningTable-15", + "task_id": "trial_T20190908_195722_260654" + }, + { + "item_id": 1401, + "task_type": "pick_cool_then_place_in_recep-Bread-None-DiningTable-15", + "task_id": "trial_T20190908_195749_792875" + }, + { + "item_id": 1402, + "task_type": "pick_cool_then_place_in_recep-Bread-None-DiningTable-16", + "task_id": "trial_T20190908_173209_222002" + }, + { + "item_id": 1403, + "task_type": "pick_cool_then_place_in_recep-Bread-None-DiningTable-26", + "task_id": "trial_T20190906_183934_151879" + }, + { + "item_id": 1404, + "task_type": "pick_cool_then_place_in_recep-Bread-None-DiningTable-26", + "task_id": "trial_T20190906_184001_800149" + }, + { + "item_id": 1405, + "task_type": "pick_cool_then_place_in_recep-Bread-None-DiningTable-26", + "task_id": "trial_T20190906_184052_211612" + }, + { + "item_id": 1406, + "task_type": "pick_cool_then_place_in_recep-Bread-None-DiningTable-7", + "task_id": "trial_T20190907_191053_355058" + }, + { + "item_id": 1407, + "task_type": "pick_cool_then_place_in_recep-Bread-None-DiningTable-7", + "task_id": "trial_T20190907_191128_519194" + }, + { + "item_id": 1408, + "task_type": "pick_cool_then_place_in_recep-Bread-None-DiningTable-7", + "task_id": "trial_T20190908_003406_355799" + }, + { + "item_id": 1409, + "task_type": "pick_cool_then_place_in_recep-Bread-None-Microwave-15", + "task_id": "trial_T20190907_132633_001617" + }, + { + "item_id": 1410, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Cabinet-12", + "task_id": "trial_T20190909_102554_108303" + }, + { + "item_id": 1411, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Cabinet-12", + "task_id": "trial_T20190909_102717_341286" + }, + { + "item_id": 1412, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Cabinet-23", + "task_id": "trial_T20190908_213517_262462" + }, + { + "item_id": 1413, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Cabinet-26", + "task_id": "trial_T20190911_010105_306566" + }, + { + "item_id": 1414, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Cabinet-26", + "task_id": "trial_T20190911_041711_460175" + }, + { + "item_id": 1415, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Cabinet-30", + "task_id": "trial_T20190909_090420_670156" + }, + { + "item_id": 1416, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Cabinet-4", + "task_id": "trial_T20190906_214129_309625" + }, + { + "item_id": 1417, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Cabinet-4", + "task_id": "trial_T20190906_214155_714827" + }, + { + "item_id": 1418, + "task_type": "pick_cool_then_place_in_recep-Cup-None-DiningTable-24", + "task_id": "trial_T20190909_020224_927852" + }, + { + "item_id": 1419, + "task_type": "pick_cool_then_place_in_recep-Cup-None-DiningTable-24", + "task_id": "trial_T20190909_020256_557442" + }, + { + "item_id": 1420, + "task_type": "pick_cool_then_place_in_recep-Cup-None-DiningTable-4", + "task_id": "trial_T20190909_065136_839164" + }, + { + "item_id": 1421, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Microwave-14", + "task_id": "trial_T20190908_093103_678553" + }, + { + "item_id": 1422, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Microwave-14", + "task_id": "trial_T20190908_093136_618867" + }, + { + "item_id": 1423, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Microwave-14", + "task_id": "trial_T20190908_093224_944397" + }, + { + "item_id": 1424, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Microwave-17", + "task_id": "trial_T20190906_192709_651069" + }, + { + "item_id": 1425, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Microwave-17", + "task_id": "trial_T20190906_192746_084663" + }, + { + "item_id": 1426, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Microwave-30", + "task_id": "trial_T20190909_073542_933715" + }, + { + "item_id": 1427, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Microwave-30", + "task_id": "trial_T20190909_073639_857633" + }, + { + "item_id": 1428, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Microwave-6", + "task_id": "trial_T20190909_012531_072144" + }, + { + "item_id": 1429, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Shelf-1", + "task_id": "trial_T20190907_181520_113143" + }, + { + "item_id": 1430, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Shelf-1", + "task_id": "trial_T20190907_181551_510121" + }, + { + "item_id": 1431, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Shelf-20", + "task_id": "trial_T20190907_155034_140166" + }, + { + "item_id": 1432, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Shelf-20", + "task_id": "trial_T20190907_155120_145168" + }, + { + "item_id": 1433, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Shelf-7", + "task_id": "trial_T20190906_222229_326451" + }, + { + "item_id": 1434, + "task_type": "pick_cool_then_place_in_recep-Cup-None-Shelf-7", + "task_id": "trial_T20190906_222334_320065" + }, + { + "item_id": 1435, + "task_type": "pick_cool_then_place_in_recep-Cup-None-SideTable-21", + "task_id": "trial_T20190906_192755_687590" + }, + { + "item_id": 1436, + "task_type": "pick_cool_then_place_in_recep-Cup-None-SideTable-21", + "task_id": "trial_T20190906_192855_164902" + }, + { + "item_id": 1437, + "task_type": "pick_cool_then_place_in_recep-Cup-None-SinkBasin-12", + "task_id": "trial_T20190906_180338_338989" + }, + { + "item_id": 1438, + "task_type": "pick_cool_then_place_in_recep-Cup-None-SinkBasin-12", + "task_id": "trial_T20190906_180434_894600" + }, + { + "item_id": 1439, + "task_type": "pick_cool_then_place_in_recep-Cup-None-SinkBasin-19", + "task_id": "trial_T20190906_195754_124565" + }, + { + "item_id": 1440, + "task_type": "pick_cool_then_place_in_recep-Cup-None-SinkBasin-22", + "task_id": "trial_T20190909_054932_581308" + }, + { + "item_id": 1441, + "task_type": "pick_cool_then_place_in_recep-Cup-None-SinkBasin-22", + "task_id": "trial_T20190909_054956_720701" + }, + { + "item_id": 1442, + "task_type": "pick_cool_then_place_in_recep-Cup-None-SinkBasin-30", + "task_id": "trial_T20190909_012346_009926" + }, + { + "item_id": 1443, + "task_type": "pick_cool_then_place_in_recep-Cup-None-SinkBasin-30", + "task_id": "trial_T20190909_012452_594063" + }, + { + "item_id": 1444, + "task_type": "pick_cool_then_place_in_recep-Cup-None-SinkBasin-30", + "task_id": "trial_T20190909_012805_470553" + }, + { + "item_id": 1445, + "task_type": "pick_cool_then_place_in_recep-Egg-None-CounterTop-14", + "task_id": "trial_T20190909_042418_198168" + }, + { + "item_id": 1446, + "task_type": "pick_cool_then_place_in_recep-Egg-None-CounterTop-14", + "task_id": "trial_T20190909_042440_747747" + }, + { + "item_id": 1447, + "task_type": "pick_cool_then_place_in_recep-Egg-None-Microwave-18", + "task_id": "trial_T20190909_113607_998821" + }, + { + "item_id": 1448, + "task_type": "pick_cool_then_place_in_recep-Egg-None-Microwave-18", + "task_id": "trial_T20190909_113701_595505" + }, + { + "item_id": 1449, + "task_type": "pick_cool_then_place_in_recep-Egg-None-Microwave-18", + "task_id": "trial_T20190909_113913_547975" + }, + { + "item_id": 1450, + "task_type": "pick_cool_then_place_in_recep-Egg-None-SideTable-21", + "task_id": "trial_T20190907_044013_708280" + }, + { + "item_id": 1451, + "task_type": "pick_cool_then_place_in_recep-Egg-None-SideTable-21", + "task_id": "trial_T20190907_044039_497081" + }, + { + "item_id": 1452, + "task_type": "pick_cool_then_place_in_recep-Egg-None-SinkBasin-25", + "task_id": "trial_T20190909_105123_819114" + }, + { + "item_id": 1453, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-CounterTop-11", + "task_id": "trial_T20190908_112807_456124" + }, + { + "item_id": 1454, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-CounterTop-11", + "task_id": "trial_T20190908_112954_140832" + }, + { + "item_id": 1455, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-CounterTop-22", + "task_id": "trial_T20190908_084626_474201" + }, + { + "item_id": 1456, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-CounterTop-22", + "task_id": "trial_T20190919_002053_011262" + }, + { + "item_id": 1457, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-CounterTop-24", + "task_id": "trial_T20190908_015250_257517" + }, + { + "item_id": 1458, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-CounterTop-24", + "task_id": "trial_T20190908_015429_749031" + }, + { + "item_id": 1459, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-CounterTop-25", + "task_id": "trial_T20190908_044657_062457" + }, + { + "item_id": 1460, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-DiningTable-15", + "task_id": "trial_T20190909_040902_085686" + }, + { + "item_id": 1461, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-DiningTable-15", + "task_id": "trial_T20190909_040930_741345" + }, + { + "item_id": 1462, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-DiningTable-15", + "task_id": "trial_T20190909_041000_597281" + }, + { + "item_id": 1463, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-DiningTable-21", + "task_id": "trial_T20190909_045142_232083" + }, + { + "item_id": 1464, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-DiningTable-26", + "task_id": "trial_T20190906_200727_218138" + }, + { + "item_id": 1465, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-DiningTable-27", + "task_id": "trial_T20190907_175011_194823" + }, + { + "item_id": 1466, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-DiningTable-27", + "task_id": "trial_T20190907_175045_014819" + }, + { + "item_id": 1467, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-DiningTable-27", + "task_id": "trial_T20190907_175117_656026" + }, + { + "item_id": 1468, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-GarbageCan-16", + "task_id": "trial_T20190909_014736_101510" + }, + { + "item_id": 1469, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-GarbageCan-16", + "task_id": "trial_T20190909_042958_594440" + }, + { + "item_id": 1470, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-GarbageCan-16", + "task_id": "trial_T20190909_043106_665762" + }, + { + "item_id": 1471, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-GarbageCan-17", + "task_id": "trial_T20190907_114447_447854" + }, + { + "item_id": 1472, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-GarbageCan-17", + "task_id": "trial_T20190907_114517_865985" + }, + { + "item_id": 1473, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-GarbageCan-17", + "task_id": "trial_T20190907_114546_602779" + }, + { + "item_id": 1474, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-GarbageCan-20", + "task_id": "trial_T20190907_204404_064165" + }, + { + "item_id": 1475, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-GarbageCan-27", + "task_id": "trial_T20190908_135424_349613" + }, + { + "item_id": 1476, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-13", + "task_id": "trial_T20190906_213145_676892" + }, + { + "item_id": 1477, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-13", + "task_id": "trial_T20190906_213223_374703" + }, + { + "item_id": 1478, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-13", + "task_id": "trial_T20190906_213256_403844" + }, + { + "item_id": 1479, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-16", + "task_id": "trial_T20190909_064154_322033" + }, + { + "item_id": 1480, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-16", + "task_id": "trial_T20190909_064229_218301" + }, + { + "item_id": 1481, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-16", + "task_id": "trial_T20190909_064304_597103" + }, + { + "item_id": 1482, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-18", + "task_id": "trial_T20190909_145259_584131" + }, + { + "item_id": 1483, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-18", + "task_id": "trial_T20190909_145337_495497" + }, + { + "item_id": 1484, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-21", + "task_id": "trial_T20190909_004950_562716" + }, + { + "item_id": 1485, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-21", + "task_id": "trial_T20190909_005109_374550" + }, + { + "item_id": 1486, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-23", + "task_id": "trial_T20190908_173503_493115" + }, + { + "item_id": 1487, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-23", + "task_id": "trial_T20190908_173530_026785" + }, + { + "item_id": 1488, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-24", + "task_id": "trial_T20190908_142856_587560" + }, + { + "item_id": 1489, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-24", + "task_id": "trial_T20190908_142941_270714" + }, + { + "item_id": 1490, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-4", + "task_id": "trial_T20190907_142221_972253" + }, + { + "item_id": 1491, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-4", + "task_id": "trial_T20190907_142249_346119" + }, + { + "item_id": 1492, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-4", + "task_id": "trial_T20190907_142353_380585" + }, + { + "item_id": 1493, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-7", + "task_id": "trial_T20190909_001013_347160" + }, + { + "item_id": 1494, + "task_type": "pick_cool_then_place_in_recep-Lettuce-None-SinkBasin-7", + "task_id": "trial_T20190909_001149_762893" + }, + { + "item_id": 1495, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Cabinet-1", + "task_id": "trial_T20190907_161939_640141" + }, + { + "item_id": 1496, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Cabinet-1", + "task_id": "trial_T20190907_162013_417284" + }, + { + "item_id": 1497, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Cabinet-1", + "task_id": "trial_T20190907_162048_678475" + }, + { + "item_id": 1498, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Cabinet-6", + "task_id": "trial_T20190908_224403_664612" + }, + { + "item_id": 1499, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Cabinet-6", + "task_id": "trial_T20190908_224438_121165" + }, + { + "item_id": 1500, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-11", + "task_id": "trial_T20190908_021916_317022" + }, + { + "item_id": 1501, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-13", + "task_id": "trial_T20190906_211053_519833" + }, + { + "item_id": 1502, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-13", + "task_id": "trial_T20190906_211135_782663" + }, + { + "item_id": 1503, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-13", + "task_id": "trial_T20190906_211215_210922" + }, + { + "item_id": 1504, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-14", + "task_id": "trial_T20190906_182835_223211" + }, + { + "item_id": 1505, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-14", + "task_id": "trial_T20190906_182911_281946" + }, + { + "item_id": 1506, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-18", + "task_id": "trial_T20190907_075222_975015" + }, + { + "item_id": 1507, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-18", + "task_id": "trial_T20190907_075254_520215" + }, + { + "item_id": 1508, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-18", + "task_id": "trial_T20190907_075330_306874" + }, + { + "item_id": 1509, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-19", + "task_id": "trial_T20190907_162039_724874" + }, + { + "item_id": 1510, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-19", + "task_id": "trial_T20190907_162137_972674" + }, + { + "item_id": 1511, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-1", + "task_id": "trial_T20190907_100811_087784" + }, + { + "item_id": 1512, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-1", + "task_id": "trial_T20190907_100909_634204" + }, + { + "item_id": 1513, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-20", + "task_id": "trial_T20190906_161428_039508" + }, + { + "item_id": 1514, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-20", + "task_id": "trial_T20190906_161453_754806" + }, + { + "item_id": 1515, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-21", + "task_id": "trial_T20190908_034233_887856" + }, + { + "item_id": 1516, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-21", + "task_id": "trial_T20190908_110055_655553" + }, + { + "item_id": 1517, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-23", + "task_id": "trial_T20190908_035419_625837" + }, + { + "item_id": 1518, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-24", + "task_id": "trial_T20190907_185942_820847" + }, + { + "item_id": 1519, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-24", + "task_id": "trial_T20190907_190005_461857" + }, + { + "item_id": 1520, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-25", + "task_id": "trial_T20190908_114709_114615" + }, + { + "item_id": 1521, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-25", + "task_id": "trial_T20190908_114743_556033" + }, + { + "item_id": 1522, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-25", + "task_id": "trial_T20190908_114817_190253" + }, + { + "item_id": 1523, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-26", + "task_id": "trial_T20190908_063705_795670" + }, + { + "item_id": 1524, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-26", + "task_id": "trial_T20190908_134655_569714" + }, + { + "item_id": 1525, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-2", + "task_id": "trial_T20190907_044106_781028" + }, + { + "item_id": 1526, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-30", + "task_id": "trial_T20190907_153036_598316" + }, + { + "item_id": 1527, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-30", + "task_id": "trial_T20190907_153111_234827" + }, + { + "item_id": 1528, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-4", + "task_id": "trial_T20190907_053008_485791" + }, + { + "item_id": 1529, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-4", + "task_id": "trial_T20190907_053034_950201" + }, + { + "item_id": 1530, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-4", + "task_id": "trial_T20190907_053101_214309" + }, + { + "item_id": 1531, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-5", + "task_id": "trial_T20190907_013225_891350" + }, + { + "item_id": 1532, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-5", + "task_id": "trial_T20190908_170305_166722" + }, + { + "item_id": 1533, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-6", + "task_id": "trial_T20190906_204003_012007" + }, + { + "item_id": 1534, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-6", + "task_id": "trial_T20190906_204029_896727" + }, + { + "item_id": 1535, + "task_type": "pick_cool_then_place_in_recep-Mug-None-CoffeeMachine-7", + "task_id": "trial_T20190908_071055_483693" + }, + { + "item_id": 1536, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Microwave-20", + "task_id": "trial_T20190908_125321_767640" + }, + { + "item_id": 1537, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Microwave-20", + "task_id": "trial_T20190908_125411_391691" + }, + { + "item_id": 1538, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Microwave-20", + "task_id": "trial_T20190908_125456_167162" + }, + { + "item_id": 1539, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Shelf-1", + "task_id": "trial_T20190908_073555_430020" + }, + { + "item_id": 1540, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Shelf-20", + "task_id": "trial_T20190907_211409_905639" + }, + { + "item_id": 1541, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Shelf-20", + "task_id": "trial_T20190908_121229_742996" + }, + { + "item_id": 1542, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Shelf-20", + "task_id": "trial_T20190908_121332_701155" + }, + { + "item_id": 1543, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Shelf-5", + "task_id": "trial_T20190907_210616_427958" + }, + { + "item_id": 1544, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Shelf-5", + "task_id": "trial_T20190907_210715_411153" + }, + { + "item_id": 1545, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Shelf-5", + "task_id": "trial_T20190908_151950_771768" + }, + { + "item_id": 1546, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Shelf-7", + "task_id": "trial_T20190908_135638_621187" + }, + { + "item_id": 1547, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Shelf-7", + "task_id": "trial_T20190908_193015_839594" + }, + { + "item_id": 1548, + "task_type": "pick_cool_then_place_in_recep-Mug-None-Shelf-7", + "task_id": "trial_T20190908_193123_092416" + }, + { + "item_id": 1549, + "task_type": "pick_cool_then_place_in_recep-Mug-None-SideTable-21", + "task_id": "trial_T20190907_153535_965098" + }, + { + "item_id": 1550, + "task_type": "pick_cool_then_place_in_recep-Mug-None-SideTable-21", + "task_id": "trial_T20190907_153609_495974" + }, + { + "item_id": 1551, + "task_type": "pick_cool_then_place_in_recep-Mug-None-SideTable-21", + "task_id": "trial_T20190907_153718_648592" + }, + { + "item_id": 1552, + "task_type": "pick_cool_then_place_in_recep-Mug-None-SinkBasin-6", + "task_id": "trial_T20190907_125524_243243" + }, + { + "item_id": 1553, + "task_type": "pick_cool_then_place_in_recep-Mug-None-SinkBasin-6", + "task_id": "trial_T20190907_125559_972660" + }, + { + "item_id": 1554, + "task_type": "pick_cool_then_place_in_recep-Mug-None-SinkBasin-6", + "task_id": "trial_T20190907_125626_653937" + }, + { + "item_id": 1555, + "task_type": "pick_cool_then_place_in_recep-Pan-None-Cabinet-18", + "task_id": "trial_T20190907_212755_456877" + }, + { + "item_id": 1556, + "task_type": "pick_cool_then_place_in_recep-Pan-None-Cabinet-18", + "task_id": "trial_T20190907_222321_075263" + }, + { + "item_id": 1557, + "task_type": "pick_cool_then_place_in_recep-Pan-None-Cabinet-5", + "task_id": "trial_T20190907_210845_687739" + }, + { + "item_id": 1558, + "task_type": "pick_cool_then_place_in_recep-Pan-None-Cabinet-5", + "task_id": "trial_T20190919_044853_269939" + }, + { + "item_id": 1559, + "task_type": "pick_cool_then_place_in_recep-Pan-None-CounterTop-12", + "task_id": "trial_T20190908_062417_287639" + }, + { + "item_id": 1560, + "task_type": "pick_cool_then_place_in_recep-Pan-None-CounterTop-12", + "task_id": "trial_T20190908_062452_694113" + }, + { + "item_id": 1561, + "task_type": "pick_cool_then_place_in_recep-Pan-None-CounterTop-22", + "task_id": "trial_T20190907_003325_111452" + }, + { + "item_id": 1562, + "task_type": "pick_cool_then_place_in_recep-Pan-None-CounterTop-22", + "task_id": "trial_T20190907_003356_969170" + }, + { + "item_id": 1563, + "task_type": "pick_cool_then_place_in_recep-Pan-None-CounterTop-22", + "task_id": "trial_T20190907_003423_873600" + }, + { + "item_id": 1564, + "task_type": "pick_cool_then_place_in_recep-Pan-None-CounterTop-7", + "task_id": "trial_T20190909_072619_689367" + }, + { + "item_id": 1565, + "task_type": "pick_cool_then_place_in_recep-Pan-None-CounterTop-7", + "task_id": "trial_T20190909_072932_500452" + }, + { + "item_id": 1566, + "task_type": "pick_cool_then_place_in_recep-Pan-None-CounterTop-7", + "task_id": "trial_T20190918_191742_101104" + }, + { + "item_id": 1567, + "task_type": "pick_cool_then_place_in_recep-Pan-None-DiningTable-15", + "task_id": "trial_T20190909_004008_377860" + }, + { + "item_id": 1568, + "task_type": "pick_cool_then_place_in_recep-Pan-None-DiningTable-21", + "task_id": "trial_T20190909_015101_821549" + }, + { + "item_id": 1569, + "task_type": "pick_cool_then_place_in_recep-Pan-None-DiningTable-21", + "task_id": "trial_T20190909_015404_512086" + }, + { + "item_id": 1570, + "task_type": "pick_cool_then_place_in_recep-Pan-None-DiningTable-23", + "task_id": "trial_T20190909_005731_236253" + }, + { + "item_id": 1571, + "task_type": "pick_cool_then_place_in_recep-Pan-None-DiningTable-23", + "task_id": "trial_T20190909_005801_641557" + }, + { + "item_id": 1572, + "task_type": "pick_cool_then_place_in_recep-Pan-None-DiningTable-27", + "task_id": "trial_T20190909_041649_924141" + }, + { + "item_id": 1573, + "task_type": "pick_cool_then_place_in_recep-Pan-None-DiningTable-27", + "task_id": "trial_T20190909_041736_994961" + }, + { + "item_id": 1574, + "task_type": "pick_cool_then_place_in_recep-Pan-None-DiningTable-7", + "task_id": "trial_T20190908_233004_004856" + }, + { + "item_id": 1575, + "task_type": "pick_cool_then_place_in_recep-Pan-None-SinkBasin-1", + "task_id": "trial_T20190908_232530_634436" + }, + { + "item_id": 1576, + "task_type": "pick_cool_then_place_in_recep-Pan-None-SinkBasin-1", + "task_id": "trial_T20190908_232703_122907" + }, + { + "item_id": 1577, + "task_type": "pick_cool_then_place_in_recep-Pan-None-SinkBasin-20", + "task_id": "trial_T20190909_001135_505733" + }, + { + "item_id": 1578, + "task_type": "pick_cool_then_place_in_recep-Pan-None-SinkBasin-20", + "task_id": "trial_T20190909_064135_805423" + }, + { + "item_id": 1579, + "task_type": "pick_cool_then_place_in_recep-Pan-None-StoveBurner-16", + "task_id": "trial_T20190907_103940_774938" + }, + { + "item_id": 1580, + "task_type": "pick_cool_then_place_in_recep-Pan-None-StoveBurner-16", + "task_id": "trial_T20190907_164753_746972" + }, + { + "item_id": 1581, + "task_type": "pick_cool_then_place_in_recep-Pan-None-StoveBurner-18", + "task_id": "trial_T20190906_181125_954603" + }, + { + "item_id": 1582, + "task_type": "pick_cool_then_place_in_recep-Pan-None-StoveBurner-18", + "task_id": "trial_T20190906_181154_262087" + }, + { + "item_id": 1583, + "task_type": "pick_cool_then_place_in_recep-Pan-None-StoveBurner-1", + "task_id": "trial_T20190907_175242_476577" + }, + { + "item_id": 1584, + "task_type": "pick_cool_then_place_in_recep-Pan-None-StoveBurner-1", + "task_id": "trial_T20190907_183647_995754" + }, + { + "item_id": 1585, + "task_type": "pick_cool_then_place_in_recep-Pan-None-StoveBurner-1", + "task_id": "trial_T20190907_183945_275312" + }, + { + "item_id": 1586, + "task_type": "pick_cool_then_place_in_recep-Pan-None-StoveBurner-27", + "task_id": "trial_T20190906_212619_469871" + }, + { + "item_id": 1587, + "task_type": "pick_cool_then_place_in_recep-Pan-None-StoveBurner-27", + "task_id": "trial_T20190907_182355_408484" + }, + { + "item_id": 1588, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Cabinet-25", + "task_id": "trial_T20190908_102546_740110" + }, + { + "item_id": 1589, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Cabinet-25", + "task_id": "trial_T20190908_102707_102972" + }, + { + "item_id": 1590, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Cabinet-25", + "task_id": "trial_T20190908_102731_668233" + }, + { + "item_id": 1591, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Cabinet-27", + "task_id": "trial_T20190906_173151_702668" + }, + { + "item_id": 1592, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Cabinet-4", + "task_id": "trial_T20190908_082502_482243" + }, + { + "item_id": 1593, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Cabinet-4", + "task_id": "trial_T20190908_082525_878826" + }, + { + "item_id": 1594, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Cabinet-7", + "task_id": "trial_T20190907_231129_582705" + }, + { + "item_id": 1595, + "task_type": "pick_cool_then_place_in_recep-Plate-None-CounterTop-1", + "task_id": "trial_T20190906_205231_163340" + }, + { + "item_id": 1596, + "task_type": "pick_cool_then_place_in_recep-Plate-None-DiningTable-17", + "task_id": "trial_T20190909_122910_260021" + }, + { + "item_id": 1597, + "task_type": "pick_cool_then_place_in_recep-Plate-None-DiningTable-17", + "task_id": "trial_T20190909_123033_744929" + }, + { + "item_id": 1598, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Microwave-7", + "task_id": "trial_T20190909_130503_412416" + }, + { + "item_id": 1599, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Microwave-7", + "task_id": "trial_T20190909_130643_778745" + }, + { + "item_id": 1600, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Shelf-1", + "task_id": "trial_T20190908_012254_327150" + }, + { + "item_id": 1601, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Shelf-1", + "task_id": "trial_T20190908_075027_183662" + }, + { + "item_id": 1602, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Shelf-1", + "task_id": "trial_T20190908_224123_748784" + }, + { + "item_id": 1603, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Shelf-20", + "task_id": "trial_T20190907_034611_178336" + }, + { + "item_id": 1604, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Shelf-20", + "task_id": "trial_T20190907_034641_037726" + }, + { + "item_id": 1605, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Shelf-20", + "task_id": "trial_T20190907_034714_802572" + }, + { + "item_id": 1606, + "task_type": "pick_cool_then_place_in_recep-Plate-None-Shelf-7", + "task_id": "trial_T20190907_124749_594195" + }, + { + "item_id": 1607, + "task_type": "pick_cool_then_place_in_recep-Plate-None-SinkBasin-19", + "task_id": "trial_T20190909_111555_066704" + }, + { + "item_id": 1608, + "task_type": "pick_cool_then_place_in_recep-Plate-None-SinkBasin-19", + "task_id": "trial_T20190909_111630_769310" + }, + { + "item_id": 1609, + "task_type": "pick_cool_then_place_in_recep-Plate-None-SinkBasin-22", + "task_id": "trial_T20190907_054906_406006" + }, + { + "item_id": 1610, + "task_type": "pick_cool_then_place_in_recep-Pot-None-Cabinet-1", + "task_id": "trial_T20190908_184232_754519" + }, + { + "item_id": 1611, + "task_type": "pick_cool_then_place_in_recep-Pot-None-Cabinet-5", + "task_id": "trial_T20190906_235356_747730" + }, + { + "item_id": 1612, + "task_type": "pick_cool_then_place_in_recep-Pot-None-Cabinet-5", + "task_id": "trial_T20190906_235508_226899" + }, + { + "item_id": 1613, + "task_type": "pick_cool_then_place_in_recep-Pot-None-Cabinet-5", + "task_id": "trial_T20190906_235541_875587" + }, + { + "item_id": 1614, + "task_type": "pick_cool_then_place_in_recep-Pot-None-CounterTop-17", + "task_id": "trial_T20190908_235355_463197" + }, + { + "item_id": 1615, + "task_type": "pick_cool_then_place_in_recep-Pot-None-CounterTop-17", + "task_id": "trial_T20190909_013407_550007" + }, + { + "item_id": 1616, + "task_type": "pick_cool_then_place_in_recep-Pot-None-CounterTop-1", + "task_id": "trial_T20190909_113238_759245" + }, + { + "item_id": 1617, + "task_type": "pick_cool_then_place_in_recep-Pot-None-CounterTop-1", + "task_id": "trial_T20190909_124252_504581" + }, + { + "item_id": 1618, + "task_type": "pick_cool_then_place_in_recep-Pot-None-CounterTop-24", + "task_id": "trial_T20190907_002332_305243" + }, + { + "item_id": 1619, + "task_type": "pick_cool_then_place_in_recep-Pot-None-CounterTop-24", + "task_id": "trial_T20190909_093455_302888" + }, + { + "item_id": 1620, + "task_type": "pick_cool_then_place_in_recep-Pot-None-CounterTop-5", + "task_id": "trial_T20190908_073403_352600" + }, + { + "item_id": 1621, + "task_type": "pick_cool_then_place_in_recep-Pot-None-DiningTable-23", + "task_id": "trial_T20190909_023542_512588" + }, + { + "item_id": 1622, + "task_type": "pick_cool_then_place_in_recep-Pot-None-DiningTable-23", + "task_id": "trial_T20190909_080754_488931" + }, + { + "item_id": 1623, + "task_type": "pick_cool_then_place_in_recep-Pot-None-DiningTable-4", + "task_id": "trial_T20190909_025318_069964" + }, + { + "item_id": 1624, + "task_type": "pick_cool_then_place_in_recep-Pot-None-Shelf-1", + "task_id": "trial_T20190906_234856_560153" + }, + { + "item_id": 1625, + "task_type": "pick_cool_then_place_in_recep-Pot-None-Shelf-7", + "task_id": "trial_T20190907_024924_873513" + }, + { + "item_id": 1626, + "task_type": "pick_cool_then_place_in_recep-Pot-None-Shelf-7", + "task_id": "trial_T20190907_025100_880574" + }, + { + "item_id": 1627, + "task_type": "pick_cool_then_place_in_recep-Pot-None-SinkBasin-1", + "task_id": "trial_T20190908_231506_139729" + }, + { + "item_id": 1628, + "task_type": "pick_cool_then_place_in_recep-Pot-None-StoveBurner-17", + "task_id": "trial_T20190907_032356_060662" + }, + { + "item_id": 1629, + "task_type": "pick_cool_then_place_in_recep-Pot-None-StoveBurner-23", + "task_id": "trial_T20190907_150409_717405" + }, + { + "item_id": 1630, + "task_type": "pick_cool_then_place_in_recep-Pot-None-StoveBurner-25", + "task_id": "trial_T20190906_234716_068806" + }, + { + "item_id": 1631, + "task_type": "pick_cool_then_place_in_recep-Pot-None-StoveBurner-4", + "task_id": "trial_T20190906_190623_623711" + }, + { + "item_id": 1632, + "task_type": "pick_cool_then_place_in_recep-Pot-None-StoveBurner-5", + "task_id": "trial_T20190906_182039_801244" + }, + { + "item_id": 1633, + "task_type": "pick_cool_then_place_in_recep-Pot-None-StoveBurner-5", + "task_id": "trial_T20190907_153222_495628" + }, + { + "item_id": 1634, + "task_type": "pick_cool_then_place_in_recep-Potato-None-CounterTop-12", + "task_id": "trial_T20190908_070315_146409" + }, + { + "item_id": 1635, + "task_type": "pick_cool_then_place_in_recep-Potato-None-CounterTop-12", + "task_id": "trial_T20190908_070345_680146" + }, + { + "item_id": 1636, + "task_type": "pick_cool_then_place_in_recep-Potato-None-CounterTop-14", + "task_id": "trial_T20190908_053512_113312" + }, + { + "item_id": 1637, + "task_type": "pick_cool_then_place_in_recep-Potato-None-CounterTop-14", + "task_id": "trial_T20190908_053544_835832" + }, + { + "item_id": 1638, + "task_type": "pick_cool_then_place_in_recep-Potato-None-CounterTop-14", + "task_id": "trial_T20190908_053619_779598" + }, + { + "item_id": 1639, + "task_type": "pick_cool_then_place_in_recep-Potato-None-DiningTable-19", + "task_id": "trial_T20190908_010010_675612" + }, + { + "item_id": 1640, + "task_type": "pick_cool_then_place_in_recep-Potato-None-DiningTable-19", + "task_id": "trial_T20190908_010036_401629" + }, + { + "item_id": 1641, + "task_type": "pick_cool_then_place_in_recep-Potato-None-DiningTable-19", + "task_id": "trial_T20190908_010102_767060" + }, + { + "item_id": 1642, + "task_type": "pick_cool_then_place_in_recep-Potato-None-DiningTable-27", + "task_id": "trial_T20190908_204023_864421" + }, + { + "item_id": 1643, + "task_type": "pick_cool_then_place_in_recep-Potato-None-DiningTable-27", + "task_id": "trial_T20190908_204154_198438" + }, + { + "item_id": 1644, + "task_type": "pick_cool_then_place_in_recep-Potato-None-GarbageCan-17", + "task_id": "trial_T20190908_204111_799665" + }, + { + "item_id": 1645, + "task_type": "pick_cool_then_place_in_recep-Potato-None-GarbageCan-17", + "task_id": "trial_T20190908_204151_818156" + }, + { + "item_id": 1646, + "task_type": "pick_cool_then_place_in_recep-Potato-None-GarbageCan-18", + "task_id": "trial_T20190909_044230_001791" + }, + { + "item_id": 1647, + "task_type": "pick_cool_then_place_in_recep-Potato-None-GarbageCan-18", + "task_id": "trial_T20190909_044254_735750" + }, + { + "item_id": 1648, + "task_type": "pick_cool_then_place_in_recep-Potato-None-GarbageCan-18", + "task_id": "trial_T20190909_044319_709757" + }, + { + "item_id": 1649, + "task_type": "pick_cool_then_place_in_recep-Potato-None-GarbageCan-1", + "task_id": "trial_T20190909_102549_719247" + }, + { + "item_id": 1650, + "task_type": "pick_cool_then_place_in_recep-Potato-None-GarbageCan-2", + "task_id": "trial_T20190908_101454_965083" + }, + { + "item_id": 1651, + "task_type": "pick_cool_then_place_in_recep-Potato-None-Microwave-13", + "task_id": "trial_T20190907_200955_697787" + }, + { + "item_id": 1652, + "task_type": "pick_cool_then_place_in_recep-Potato-None-Microwave-13", + "task_id": "trial_T20190907_201157_460732" + }, + { + "item_id": 1653, + "task_type": "pick_cool_then_place_in_recep-Potato-None-Microwave-13", + "task_id": "trial_T20190911_231120_340419" + }, + { + "item_id": 1654, + "task_type": "pick_cool_then_place_in_recep-Potato-None-Microwave-15", + "task_id": "trial_T20190908_154506_193275" + }, + { + "item_id": 1655, + "task_type": "pick_cool_then_place_in_recep-Potato-None-Microwave-15", + "task_id": "trial_T20190908_154618_326152" + }, + { + "item_id": 1656, + "task_type": "pick_cool_then_place_in_recep-Potato-None-Microwave-18", + "task_id": "trial_T20190909_151853_245524" + }, + { + "item_id": 1657, + "task_type": "pick_cool_then_place_in_recep-Potato-None-Microwave-18", + "task_id": "trial_T20190909_152047_812506" + }, + { + "item_id": 1658, + "task_type": "pick_cool_then_place_in_recep-Potato-None-Microwave-20", + "task_id": "trial_T20190909_035619_042258" + }, + { + "item_id": 1659, + "task_type": "pick_cool_then_place_in_recep-Potato-None-Microwave-20", + "task_id": "trial_T20190909_035658_081195" + }, + { + "item_id": 1660, + "task_type": "pick_cool_then_place_in_recep-Potato-None-Microwave-25", + "task_id": "trial_T20190908_113515_119158" + }, + { + "item_id": 1661, + "task_type": "pick_cool_then_place_in_recep-Potato-None-Microwave-25", + "task_id": "trial_T20190910_225355_685877" + }, + { + "item_id": 1662, + "task_type": "pick_cool_then_place_in_recep-Potato-None-Microwave-25", + "task_id": "trial_T20190910_225453_476809" + }, + { + "item_id": 1663, + "task_type": "pick_cool_then_place_in_recep-Potato-None-SideTable-21", + "task_id": "trial_T20190907_040229_877234" + }, + { + "item_id": 1664, + "task_type": "pick_cool_then_place_in_recep-Potato-None-SideTable-21", + "task_id": "trial_T20190907_040322_742837" + }, + { + "item_id": 1665, + "task_type": "pick_cool_then_place_in_recep-Potato-None-SinkBasin-24", + "task_id": "trial_T20190909_052052_885855" + }, + { + "item_id": 1666, + "task_type": "pick_cool_then_place_in_recep-Potato-None-SinkBasin-24", + "task_id": "trial_T20190909_052222_333703" + }, + { + "item_id": 1667, + "task_type": "pick_cool_then_place_in_recep-Potato-None-SinkBasin-30", + "task_id": "trial_T20190906_210407_470834" + }, + { + "item_id": 1668, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-CounterTop-11", + "task_id": "trial_T20190908_073503_844263" + }, + { + "item_id": 1669, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-CounterTop-12", + "task_id": "trial_T20190909_063820_564006" + }, + { + "item_id": 1670, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-CounterTop-7", + "task_id": "trial_T20190906_185127_887683" + }, + { + "item_id": 1671, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-DiningTable-11", + "task_id": "trial_T20190908_215900_237409" + }, + { + "item_id": 1672, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-DiningTable-26", + "task_id": "trial_T20190907_160948_887016" + }, + { + "item_id": 1673, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-GarbageCan-15", + "task_id": "trial_T20190907_082830_133707" + }, + { + "item_id": 1674, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-GarbageCan-15", + "task_id": "trial_T20190907_082856_431960" + }, + { + "item_id": 1675, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-GarbageCan-5", + "task_id": "trial_T20190909_153636_286202" + }, + { + "item_id": 1676, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-GarbageCan-6", + "task_id": "trial_T20190909_083011_638518" + }, + { + "item_id": 1677, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-13", + "task_id": "trial_T20190908_075444_186083" + }, + { + "item_id": 1678, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-14", + "task_id": "trial_T20190907_024302_966752" + }, + { + "item_id": 1679, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-14", + "task_id": "trial_T20190907_024428_916654" + }, + { + "item_id": 1680, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-17", + "task_id": "trial_T20190908_073132_917743" + }, + { + "item_id": 1681, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-17", + "task_id": "trial_T20190912_065413_070433" + }, + { + "item_id": 1682, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-17", + "task_id": "trial_T20190912_065518_499928" + }, + { + "item_id": 1683, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-18", + "task_id": "trial_T20190909_012331_818911" + }, + { + "item_id": 1684, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-18", + "task_id": "trial_T20190909_012450_473555" + }, + { + "item_id": 1685, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-27", + "task_id": "trial_T20190909_145322_981885" + }, + { + "item_id": 1686, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-27", + "task_id": "trial_T20190909_145459_922990" + }, + { + "item_id": 1687, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-2", + "task_id": "trial_T20190908_005640_809681" + }, + { + "item_id": 1688, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-2", + "task_id": "trial_T20190908_005716_992292" + }, + { + "item_id": 1689, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-5", + "task_id": "trial_T20190908_132219_315033" + }, + { + "item_id": 1690, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-5", + "task_id": "trial_T20190908_132410_284943" + }, + { + "item_id": 1691, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-6", + "task_id": "trial_T20190908_082136_704823" + }, + { + "item_id": 1692, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-6", + "task_id": "trial_T20190908_082241_050373" + }, + { + "item_id": 1693, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-Microwave-6", + "task_id": "trial_T20190908_082344_600536" + }, + { + "item_id": 1694, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-SinkBasin-14", + "task_id": "trial_T20190908_163251_053842" + }, + { + "item_id": 1695, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-SinkBasin-14", + "task_id": "trial_T20190908_163349_311894" + }, + { + "item_id": 1696, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-SinkBasin-30", + "task_id": "trial_T20190908_011959_933518" + }, + { + "item_id": 1697, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-SinkBasin-30", + "task_id": "trial_T20190908_012041_749782" + }, + { + "item_id": 1698, + "task_type": "pick_cool_then_place_in_recep-Tomato-None-SinkBasin-30", + "task_id": "trial_T20190908_012118_563424" + }, + { + "item_id": 1699, + "task_type": "pick_cool_then_place_in_recep-WineBottle-None-Cabinet-16", + "task_id": "trial_T20190907_084106_624638" + }, + { + "item_id": 1700, + "task_type": "pick_cool_then_place_in_recep-WineBottle-None-Cabinet-17", + "task_id": "trial_T20190907_064240_113879" + }, + { + "item_id": 1701, + "task_type": "pick_cool_then_place_in_recep-WineBottle-None-Cabinet-17", + "task_id": "trial_T20190907_064307_761115" + }, + { + "item_id": 1702, + "task_type": "pick_cool_then_place_in_recep-WineBottle-None-CounterTop-17", + "task_id": "trial_T20190907_002730_199024" + }, + { + "item_id": 1703, + "task_type": "pick_cool_then_place_in_recep-WineBottle-None-CounterTop-17", + "task_id": "trial_T20190907_002819_330666" + }, + { + "item_id": 1704, + "task_type": "pick_cool_then_place_in_recep-WineBottle-None-DiningTable-16", + "task_id": "trial_T20190906_201936_406112" + }, + { + "item_id": 1705, + "task_type": "pick_cool_then_place_in_recep-WineBottle-None-DiningTable-16", + "task_id": "trial_T20190906_202041_847876" + }, + { + "item_id": 1706, + "task_type": "pick_cool_then_place_in_recep-WineBottle-None-DiningTable-16", + "task_id": "trial_T20190906_202125_834855" + }, + { + "item_id": 1707, + "task_type": "pick_cool_then_place_in_recep-WineBottle-None-DiningTable-17", + "task_id": "trial_T20190908_003247_118049" + }, + { + "item_id": 1708, + "task_type": "pick_cool_then_place_in_recep-WineBottle-None-GarbageCan-16", + "task_id": "trial_T20190907_014947_369000" + }, + { + "item_id": 1709, + "task_type": "pick_cool_then_place_in_recep-WineBottle-None-GarbageCan-17", + "task_id": "trial_T20190907_144031_217697" + }, + { + "item_id": 1710, + "task_type": "pick_heat_then_place_in_recep-Apple-None-CounterTop-2", + "task_id": "trial_T20190908_112534_364453" + }, + { + "item_id": 1711, + "task_type": "pick_heat_then_place_in_recep-Apple-None-CounterTop-30", + "task_id": "trial_T20190908_103716_185977" + }, + { + "item_id": 1712, + "task_type": "pick_heat_then_place_in_recep-Apple-None-CounterTop-30", + "task_id": "trial_T20190908_103828_466550" + }, + { + "item_id": 1713, + "task_type": "pick_heat_then_place_in_recep-Apple-None-CounterTop-5", + "task_id": "trial_T20190907_113507_490654" + }, + { + "item_id": 1714, + "task_type": "pick_heat_then_place_in_recep-Apple-None-CounterTop-5", + "task_id": "trial_T20190907_113555_848211" + }, + { + "item_id": 1715, + "task_type": "pick_heat_then_place_in_recep-Apple-None-CounterTop-5", + "task_id": "trial_T20190907_113622_802677" + }, + { + "item_id": 1716, + "task_type": "pick_heat_then_place_in_recep-Apple-None-DiningTable-23", + "task_id": "trial_T20190909_082324_376707" + }, + { + "item_id": 1717, + "task_type": "pick_heat_then_place_in_recep-Apple-None-DiningTable-23", + "task_id": "trial_T20190909_082402_950494" + }, + { + "item_id": 1718, + "task_type": "pick_heat_then_place_in_recep-Apple-None-DiningTable-23", + "task_id": "trial_T20190912_125143_164636" + }, + { + "item_id": 1719, + "task_type": "pick_heat_then_place_in_recep-Apple-None-DiningTable-24", + "task_id": "trial_T20190908_233423_925879" + }, + { + "item_id": 1720, + "task_type": "pick_heat_then_place_in_recep-Apple-None-DiningTable-24", + "task_id": "trial_T20190908_233503_110426" + }, + { + "item_id": 1721, + "task_type": "pick_heat_then_place_in_recep-Apple-None-Fridge-20", + "task_id": "trial_T20190910_105931_762443" + }, + { + "item_id": 1722, + "task_type": "pick_heat_then_place_in_recep-Apple-None-Fridge-22", + "task_id": "trial_T20190908_210251_592689" + }, + { + "item_id": 1723, + "task_type": "pick_heat_then_place_in_recep-Apple-None-Fridge-22", + "task_id": "trial_T20190908_210321_417277" + }, + { + "item_id": 1724, + "task_type": "pick_heat_then_place_in_recep-Apple-None-Fridge-30", + "task_id": "trial_T20190908_114730_041931" + }, + { + "item_id": 1725, + "task_type": "pick_heat_then_place_in_recep-Apple-None-Fridge-30", + "task_id": "trial_T20190908_114805_189857" + }, + { + "item_id": 1726, + "task_type": "pick_heat_then_place_in_recep-Apple-None-Fridge-30", + "task_id": "trial_T20190908_114847_958679" + }, + { + "item_id": 1727, + "task_type": "pick_heat_then_place_in_recep-Apple-None-GarbageCan-12", + "task_id": "trial_T20190907_220233_281670" + }, + { + "item_id": 1728, + "task_type": "pick_heat_then_place_in_recep-Apple-None-GarbageCan-12", + "task_id": "trial_T20190908_172429_549227" + }, + { + "item_id": 1729, + "task_type": "pick_heat_then_place_in_recep-Apple-None-GarbageCan-18", + "task_id": "trial_T20190909_081014_018811" + }, + { + "item_id": 1730, + "task_type": "pick_heat_then_place_in_recep-Apple-None-GarbageCan-2", + "task_id": "trial_T20190908_204114_322747" + }, + { + "item_id": 1731, + "task_type": "pick_heat_then_place_in_recep-Apple-None-GarbageCan-8", + "task_id": "trial_T20190907_042907_500864" + }, + { + "item_id": 1732, + "task_type": "pick_heat_then_place_in_recep-Apple-None-GarbageCan-8", + "task_id": "trial_T20190907_043034_904085" + }, + { + "item_id": 1733, + "task_type": "pick_heat_then_place_in_recep-Apple-None-GarbageCan-8", + "task_id": "trial_T20190907_043118_286709" + }, + { + "item_id": 1734, + "task_type": "pick_heat_then_place_in_recep-Apple-None-SideTable-21", + "task_id": "trial_T20190908_235409_008266" + }, + { + "item_id": 1735, + "task_type": "pick_heat_then_place_in_recep-Apple-None-SideTable-21", + "task_id": "trial_T20190909_000149_199484" + }, + { + "item_id": 1736, + "task_type": "pick_heat_then_place_in_recep-Apple-None-SideTable-21", + "task_id": "trial_T20190909_013359_039741" + }, + { + "item_id": 1737, + "task_type": "pick_heat_then_place_in_recep-Apple-None-SideTable-28", + "task_id": "trial_T20190906_180737_225131" + }, + { + "item_id": 1738, + "task_type": "pick_heat_then_place_in_recep-Apple-None-SideTable-3", + "task_id": "trial_T20190907_164050_859748" + }, + { + "item_id": 1739, + "task_type": "pick_heat_then_place_in_recep-Apple-None-SinkBasin-17", + "task_id": "trial_T20190909_014157_226244" + }, + { + "item_id": 1740, + "task_type": "pick_heat_then_place_in_recep-Apple-None-SinkBasin-17", + "task_id": "trial_T20190909_014230_755328" + }, + { + "item_id": 1741, + "task_type": "pick_heat_then_place_in_recep-Apple-None-SinkBasin-24", + "task_id": "trial_T20190909_001708_713394" + }, + { + "item_id": 1742, + "task_type": "pick_heat_then_place_in_recep-Apple-None-SinkBasin-24", + "task_id": "trial_T20190909_040401_888395" + }, + { + "item_id": 1743, + "task_type": "pick_heat_then_place_in_recep-Apple-None-SinkBasin-25", + "task_id": "trial_T20190909_103116_687252" + }, + { + "item_id": 1744, + "task_type": "pick_heat_then_place_in_recep-Bread-None-CounterTop-15", + "task_id": "trial_T20190907_000245_890595" + }, + { + "item_id": 1745, + "task_type": "pick_heat_then_place_in_recep-Bread-None-CounterTop-15", + "task_id": "trial_T20190907_000330_272060" + }, + { + "item_id": 1746, + "task_type": "pick_heat_then_place_in_recep-Bread-None-CounterTop-15", + "task_id": "trial_T20190907_000358_854333" + }, + { + "item_id": 1747, + "task_type": "pick_heat_then_place_in_recep-Bread-None-DiningTable-15", + "task_id": "trial_T20190907_030851_016828" + }, + { + "item_id": 1748, + "task_type": "pick_heat_then_place_in_recep-Bread-None-Fridge-15", + "task_id": "trial_T20190906_215325_042307" + }, + { + "item_id": 1749, + "task_type": "pick_heat_then_place_in_recep-Bread-None-Fridge-15", + "task_id": "trial_T20190906_215400_394248" + }, + { + "item_id": 1750, + "task_type": "pick_heat_then_place_in_recep-Bread-None-Fridge-15", + "task_id": "trial_T20190906_215435_171947" + }, + { + "item_id": 1751, + "task_type": "pick_heat_then_place_in_recep-Bread-None-GarbageCan-15", + "task_id": "trial_T20190906_230203_099939" + }, + { + "item_id": 1752, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-12", + "task_id": "trial_T20190907_210848_644854" + }, + { + "item_id": 1753, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-12", + "task_id": "trial_T20190908_145944_296356" + }, + { + "item_id": 1754, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-13", + "task_id": "trial_T20190908_123952_096976" + }, + { + "item_id": 1755, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-15", + "task_id": "trial_T20190908_055452_814733" + }, + { + "item_id": 1756, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-15", + "task_id": "trial_T20190908_055531_226087" + }, + { + "item_id": 1757, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-15", + "task_id": "trial_T20190908_055611_176313" + }, + { + "item_id": 1758, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-18", + "task_id": "trial_T20190907_150623_388922" + }, + { + "item_id": 1759, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-18", + "task_id": "trial_T20190907_150654_710990" + }, + { + "item_id": 1760, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-27", + "task_id": "trial_T20190908_124007_307383" + }, + { + "item_id": 1761, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-28", + "task_id": "trial_T20190909_053018_834213" + }, + { + "item_id": 1762, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-28", + "task_id": "trial_T20190909_062858_196741" + }, + { + "item_id": 1763, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-30", + "task_id": "trial_T20190906_200229_166300" + }, + { + "item_id": 1764, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-30", + "task_id": "trial_T20190906_200308_075401" + }, + { + "item_id": 1765, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-30", + "task_id": "trial_T20190906_200421_362725" + }, + { + "item_id": 1766, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-3", + "task_id": "trial_T20190908_232857_744331" + }, + { + "item_id": 1767, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-3", + "task_id": "trial_T20190909_010003_497831" + }, + { + "item_id": 1768, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Cabinet-8", + "task_id": "trial_T20190909_154239_647826" + }, + { + "item_id": 1769, + "task_type": "pick_heat_then_place_in_recep-Cup-None-CounterTop-13", + "task_id": "trial_T20190907_013449_796900" + }, + { + "item_id": 1770, + "task_type": "pick_heat_then_place_in_recep-Cup-None-CounterTop-14", + "task_id": "trial_T20190908_220006_461458" + }, + { + "item_id": 1771, + "task_type": "pick_heat_then_place_in_recep-Cup-None-CounterTop-17", + "task_id": "trial_T20190908_131046_363004" + }, + { + "item_id": 1772, + "task_type": "pick_heat_then_place_in_recep-Cup-None-DiningTable-23", + "task_id": "trial_T20190908_082046_159993" + }, + { + "item_id": 1773, + "task_type": "pick_heat_then_place_in_recep-Cup-None-DiningTable-23", + "task_id": "trial_T20190908_082118_667858" + }, + { + "item_id": 1774, + "task_type": "pick_heat_then_place_in_recep-Cup-None-DiningTable-23", + "task_id": "trial_T20190908_134629_027970" + }, + { + "item_id": 1775, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Fridge-12", + "task_id": "trial_T20190908_095835_636521" + }, + { + "item_id": 1776, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Fridge-13", + "task_id": "trial_T20190908_070322_791516" + }, + { + "item_id": 1777, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Fridge-13", + "task_id": "trial_T20190908_070444_960595" + }, + { + "item_id": 1778, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Fridge-18", + "task_id": "trial_T20190908_142140_245230" + }, + { + "item_id": 1779, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Fridge-18", + "task_id": "trial_T20190908_142219_648949" + }, + { + "item_id": 1780, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Fridge-22", + "task_id": "trial_T20190908_072702_772430" + }, + { + "item_id": 1781, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Fridge-22", + "task_id": "trial_T20190908_072741_675911" + }, + { + "item_id": 1782, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Fridge-23", + "task_id": "trial_T20190908_045659_449231" + }, + { + "item_id": 1783, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Shelf-1", + "task_id": "trial_T20190906_230132_658755" + }, + { + "item_id": 1784, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Shelf-7", + "task_id": "trial_T20190906_211058_615610" + }, + { + "item_id": 1785, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Shelf-7", + "task_id": "trial_T20190906_211134_297102" + }, + { + "item_id": 1786, + "task_type": "pick_heat_then_place_in_recep-Cup-None-Shelf-7", + "task_id": "trial_T20190906_211214_598438" + }, + { + "item_id": 1787, + "task_type": "pick_heat_then_place_in_recep-Cup-None-SideTable-28", + "task_id": "trial_T20190907_165415_245751" + }, + { + "item_id": 1788, + "task_type": "pick_heat_then_place_in_recep-Cup-None-SideTable-3", + "task_id": "trial_T20190908_210949_409950" + }, + { + "item_id": 1789, + "task_type": "pick_heat_then_place_in_recep-Cup-None-SinkBasin-22", + "task_id": "trial_T20190909_011624_849664" + }, + { + "item_id": 1790, + "task_type": "pick_heat_then_place_in_recep-Egg-None-CounterTop-12", + "task_id": "trial_T20190908_215527_416490" + }, + { + "item_id": 1791, + "task_type": "pick_heat_then_place_in_recep-Egg-None-CounterTop-12", + "task_id": "trial_T20190908_215610_893109" + }, + { + "item_id": 1792, + "task_type": "pick_heat_then_place_in_recep-Egg-None-CounterTop-12", + "task_id": "trial_T20190908_215643_953236" + }, + { + "item_id": 1793, + "task_type": "pick_heat_then_place_in_recep-Egg-None-CounterTop-2", + "task_id": "trial_T20190908_122832_412609" + }, + { + "item_id": 1794, + "task_type": "pick_heat_then_place_in_recep-Egg-None-CounterTop-30", + "task_id": "trial_T20190909_130325_005206" + }, + { + "item_id": 1795, + "task_type": "pick_heat_then_place_in_recep-Egg-None-CounterTop-8", + "task_id": "trial_T20190907_065242_490083" + }, + { + "item_id": 1796, + "task_type": "pick_heat_then_place_in_recep-Egg-None-DiningTable-15", + "task_id": "trial_T20190908_042252_784209" + }, + { + "item_id": 1797, + "task_type": "pick_heat_then_place_in_recep-Egg-None-DiningTable-18", + "task_id": "trial_T20190908_051307_917970" + }, + { + "item_id": 1798, + "task_type": "pick_heat_then_place_in_recep-Egg-None-DiningTable-18", + "task_id": "trial_T20190908_051346_079516" + }, + { + "item_id": 1799, + "task_type": "pick_heat_then_place_in_recep-Egg-None-DiningTable-4", + "task_id": "trial_T20190908_080031_421421" + }, + { + "item_id": 1800, + "task_type": "pick_heat_then_place_in_recep-Egg-None-Fridge-13", + "task_id": "trial_T20190907_151643_465634" + }, + { + "item_id": 1801, + "task_type": "pick_heat_then_place_in_recep-Egg-None-Fridge-17", + "task_id": "trial_T20190909_130835_721326" + }, + { + "item_id": 1802, + "task_type": "pick_heat_then_place_in_recep-Egg-None-Fridge-19", + "task_id": "trial_T20190908_130450_106025" + }, + { + "item_id": 1803, + "task_type": "pick_heat_then_place_in_recep-Egg-None-Fridge-20", + "task_id": "trial_T20190907_224507_776787" + }, + { + "item_id": 1804, + "task_type": "pick_heat_then_place_in_recep-Egg-None-Fridge-20", + "task_id": "trial_T20190907_224538_972488" + }, + { + "item_id": 1805, + "task_type": "pick_heat_then_place_in_recep-Egg-None-Fridge-20", + "task_id": "trial_T20190907_224620_688915" + }, + { + "item_id": 1806, + "task_type": "pick_heat_then_place_in_recep-Egg-None-Fridge-27", + "task_id": "trial_T20190908_022308_588624" + }, + { + "item_id": 1807, + "task_type": "pick_heat_then_place_in_recep-Egg-None-Fridge-27", + "task_id": "trial_T20190908_022348_008779" + }, + { + "item_id": 1808, + "task_type": "pick_heat_then_place_in_recep-Egg-None-Fridge-4", + "task_id": "trial_T20190908_220718_809536" + }, + { + "item_id": 1809, + "task_type": "pick_heat_then_place_in_recep-Egg-None-GarbageCan-11", + "task_id": "trial_T20190908_220027_082582" + }, + { + "item_id": 1810, + "task_type": "pick_heat_then_place_in_recep-Egg-None-GarbageCan-1", + "task_id": "trial_T20190908_132914_241547" + }, + { + "item_id": 1811, + "task_type": "pick_heat_then_place_in_recep-Egg-None-GarbageCan-23", + "task_id": "trial_T20190909_120243_252478" + }, + { + "item_id": 1812, + "task_type": "pick_heat_then_place_in_recep-Egg-None-GarbageCan-2", + "task_id": "trial_T20190909_100933_506578" + }, + { + "item_id": 1813, + "task_type": "pick_heat_then_place_in_recep-Egg-None-GarbageCan-2", + "task_id": "trial_T20190909_101128_479012" + }, + { + "item_id": 1814, + "task_type": "pick_heat_then_place_in_recep-Egg-None-GarbageCan-2", + "task_id": "trial_T20190909_101236_908258" + }, + { + "item_id": 1815, + "task_type": "pick_heat_then_place_in_recep-Egg-None-GarbageCan-5", + "task_id": "trial_T20190906_190505_376018" + }, + { + "item_id": 1816, + "task_type": "pick_heat_then_place_in_recep-Egg-None-GarbageCan-5", + "task_id": "trial_T20190906_190707_776806" + }, + { + "item_id": 1817, + "task_type": "pick_heat_then_place_in_recep-Egg-None-GarbageCan-8", + "task_id": "trial_T20190909_120535_899499" + }, + { + "item_id": 1818, + "task_type": "pick_heat_then_place_in_recep-Egg-None-GarbageCan-8", + "task_id": "trial_T20190909_120617_866099" + }, + { + "item_id": 1819, + "task_type": "pick_heat_then_place_in_recep-Egg-None-SideTable-21", + "task_id": "trial_T20190907_045010_383014" + }, + { + "item_id": 1820, + "task_type": "pick_heat_then_place_in_recep-Egg-None-SideTable-21", + "task_id": "trial_T20190907_045036_700265" + }, + { + "item_id": 1821, + "task_type": "pick_heat_then_place_in_recep-Egg-None-SideTable-28", + "task_id": "trial_T20190908_115525_985140" + }, + { + "item_id": 1822, + "task_type": "pick_heat_then_place_in_recep-Egg-None-SideTable-28", + "task_id": "trial_T20190908_115607_419115" + }, + { + "item_id": 1823, + "task_type": "pick_heat_then_place_in_recep-Egg-None-SideTable-3", + "task_id": "trial_T20190906_204416_817121" + }, + { + "item_id": 1824, + "task_type": "pick_heat_then_place_in_recep-Egg-None-SideTable-3", + "task_id": "trial_T20190906_204447_269451" + }, + { + "item_id": 1825, + "task_type": "pick_heat_then_place_in_recep-Egg-None-SideTable-3", + "task_id": "trial_T20190906_204538_172764" + }, + { + "item_id": 1826, + "task_type": "pick_heat_then_place_in_recep-Egg-None-SinkBasin-20", + "task_id": "trial_T20190908_205022_607865" + }, + { + "item_id": 1827, + "task_type": "pick_heat_then_place_in_recep-Egg-None-SinkBasin-25", + "task_id": "trial_T20190907_024746_980212" + }, + { + "item_id": 1828, + "task_type": "pick_heat_then_place_in_recep-Egg-None-SinkBasin-3", + "task_id": "trial_T20190909_102858_542643" + }, + { + "item_id": 1829, + "task_type": "pick_heat_then_place_in_recep-Egg-None-SinkBasin-3", + "task_id": "trial_T20190909_102935_923084" + }, + { + "item_id": 1830, + "task_type": "pick_heat_then_place_in_recep-Egg-None-SinkBasin-3", + "task_id": "trial_T20190909_103025_202396" + }, + { + "item_id": 1831, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-11", + "task_id": "trial_T20190908_073846_180553" + }, + { + "item_id": 1832, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-11", + "task_id": "trial_T20190908_073930_046570" + }, + { + "item_id": 1833, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-11", + "task_id": "trial_T20190908_074036_014884" + }, + { + "item_id": 1834, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-12", + "task_id": "trial_T20190909_032805_638348" + }, + { + "item_id": 1835, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-12", + "task_id": "trial_T20190909_032836_007400" + }, + { + "item_id": 1836, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-19", + "task_id": "trial_T20190907_152639_710593" + }, + { + "item_id": 1837, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-19", + "task_id": "trial_T20190907_152710_355664" + }, + { + "item_id": 1838, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-19", + "task_id": "trial_T20190907_152738_415962" + }, + { + "item_id": 1839, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-20", + "task_id": "trial_T20190908_230154_566315" + }, + { + "item_id": 1840, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-21", + "task_id": "trial_T20190909_063844_086301" + }, + { + "item_id": 1841, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-22", + "task_id": "trial_T20190908_072939_855818" + }, + { + "item_id": 1842, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-25", + "task_id": "trial_T20190909_095428_061064" + }, + { + "item_id": 1843, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-25", + "task_id": "trial_T20190909_095542_548585" + }, + { + "item_id": 1844, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-30", + "task_id": "trial_T20190909_044538_375844" + }, + { + "item_id": 1845, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-30", + "task_id": "trial_T20190909_044620_608726" + }, + { + "item_id": 1846, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-3", + "task_id": "trial_T20190909_014747_191766" + }, + { + "item_id": 1847, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-6", + "task_id": "trial_T20190908_034250_033547" + }, + { + "item_id": 1848, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-6", + "task_id": "trial_T20190908_034330_736332" + }, + { + "item_id": 1849, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Cabinet-6", + "task_id": "trial_T20190908_034437_632398" + }, + { + "item_id": 1850, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-11", + "task_id": "trial_T20190907_164357_593878" + }, + { + "item_id": 1851, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-11", + "task_id": "trial_T20190907_164431_737459" + }, + { + "item_id": 1852, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-11", + "task_id": "trial_T20190907_164503_292853" + }, + { + "item_id": 1853, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-12", + "task_id": "trial_T20190907_034122_883943" + }, + { + "item_id": 1854, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-12", + "task_id": "trial_T20190907_034147_929599" + }, + { + "item_id": 1855, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-12", + "task_id": "trial_T20190907_034213_294818" + }, + { + "item_id": 1856, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-13", + "task_id": "trial_T20190908_092542_043460" + }, + { + "item_id": 1857, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-13", + "task_id": "trial_T20190908_185043_273617" + }, + { + "item_id": 1858, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-14", + "task_id": "trial_T20190907_012116_449794" + }, + { + "item_id": 1859, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-14", + "task_id": "trial_T20190907_012206_112743" + }, + { + "item_id": 1860, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-15", + "task_id": "trial_T20190908_004759_413623" + }, + { + "item_id": 1861, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-15", + "task_id": "trial_T20190908_004914_713432" + }, + { + "item_id": 1862, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-18", + "task_id": "trial_T20190907_142057_604429" + }, + { + "item_id": 1863, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-18", + "task_id": "trial_T20190907_142151_953742" + }, + { + "item_id": 1864, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-1", + "task_id": "trial_T20190907_222837_842651" + }, + { + "item_id": 1865, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-20", + "task_id": "trial_T20190908_101106_990306" + }, + { + "item_id": 1866, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-21", + "task_id": "trial_T20190908_192915_554153" + }, + { + "item_id": 1867, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-22", + "task_id": "trial_T20190906_184715_596294" + }, + { + "item_id": 1868, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-22", + "task_id": "trial_T20190906_184740_858978" + }, + { + "item_id": 1869, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-23", + "task_id": "trial_T20190906_194049_566589" + }, + { + "item_id": 1870, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-23", + "task_id": "trial_T20190906_194121_936472" + }, + { + "item_id": 1871, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-23", + "task_id": "trial_T20190906_194152_150964" + }, + { + "item_id": 1872, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-24", + "task_id": "trial_T20190907_144720_997810" + }, + { + "item_id": 1873, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-24", + "task_id": "trial_T20190907_144750_235743" + }, + { + "item_id": 1874, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-24", + "task_id": "trial_T20190907_144840_098027" + }, + { + "item_id": 1875, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-25", + "task_id": "trial_T20190906_235727_560816" + }, + { + "item_id": 1876, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-25", + "task_id": "trial_T20190906_235756_721785" + }, + { + "item_id": 1877, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-26", + "task_id": "trial_T20190907_113522_291852" + }, + { + "item_id": 1878, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-26", + "task_id": "trial_T20190907_113552_080857" + }, + { + "item_id": 1879, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-28", + "task_id": "trial_T20190907_190721_183592" + }, + { + "item_id": 1880, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-28", + "task_id": "trial_T20190908_062730_537428" + }, + { + "item_id": 1881, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-2", + "task_id": "trial_T20190907_070755_073684" + }, + { + "item_id": 1882, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-2", + "task_id": "trial_T20190907_070817_015451" + }, + { + "item_id": 1883, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-30", + "task_id": "trial_T20190907_220045_510017" + }, + { + "item_id": 1884, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-30", + "task_id": "trial_T20190908_044350_359469" + }, + { + "item_id": 1885, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-3", + "task_id": "trial_T20190906_233908_118479" + }, + { + "item_id": 1886, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-3", + "task_id": "trial_T20190906_233939_167170" + }, + { + "item_id": 1887, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-5", + "task_id": "trial_T20190908_003743_285560" + }, + { + "item_id": 1888, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-6", + "task_id": "trial_T20190906_214040_587134" + }, + { + "item_id": 1889, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-7", + "task_id": "trial_T20190908_105411_917940" + }, + { + "item_id": 1890, + "task_type": "pick_heat_then_place_in_recep-Mug-None-CoffeeMachine-7", + "task_id": "trial_T20190908_134328_888805" + }, + { + "item_id": 1891, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Shelf-1", + "task_id": "trial_T20190907_075404_556171" + }, + { + "item_id": 1892, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Shelf-20", + "task_id": "trial_T20190907_054036_412242" + }, + { + "item_id": 1893, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Shelf-5", + "task_id": "trial_T20190906_203817_948928" + }, + { + "item_id": 1894, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Shelf-5", + "task_id": "trial_T20190906_203924_704982" + }, + { + "item_id": 1895, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Shelf-7", + "task_id": "trial_T20190907_022308_669309" + }, + { + "item_id": 1896, + "task_type": "pick_heat_then_place_in_recep-Mug-None-Shelf-7", + "task_id": "trial_T20190907_022345_834766" + }, + { + "item_id": 1897, + "task_type": "pick_heat_then_place_in_recep-Mug-None-SideTable-21", + "task_id": "trial_T20190909_090657_918872" + }, + { + "item_id": 1898, + "task_type": "pick_heat_then_place_in_recep-Mug-None-SideTable-28", + "task_id": "trial_T20190908_212726_073302" + }, + { + "item_id": 1899, + "task_type": "pick_heat_then_place_in_recep-Mug-None-SideTable-28", + "task_id": "trial_T20190908_212842_349387" + }, + { + "item_id": 1900, + "task_type": "pick_heat_then_place_in_recep-Mug-None-SideTable-3", + "task_id": "trial_T20190908_231821_066769" + }, + { + "item_id": 1901, + "task_type": "pick_heat_then_place_in_recep-Mug-None-SideTable-3", + "task_id": "trial_T20190908_231853_151753" + }, + { + "item_id": 1902, + "task_type": "pick_heat_then_place_in_recep-Mug-None-SideTable-3", + "task_id": "trial_T20190908_231950_778431" + }, + { + "item_id": 1903, + "task_type": "pick_heat_then_place_in_recep-Plate-None-Cabinet-13", + "task_id": "trial_T20190907_062558_120187" + }, + { + "item_id": 1904, + "task_type": "pick_heat_then_place_in_recep-Plate-None-Cabinet-28", + "task_id": "trial_T20190907_035752_332060" + }, + { + "item_id": 1905, + "task_type": "pick_heat_then_place_in_recep-Plate-None-Cabinet-28", + "task_id": "trial_T20190907_035923_556088" + }, + { + "item_id": 1906, + "task_type": "pick_heat_then_place_in_recep-Plate-None-CounterTop-13", + "task_id": "trial_T20190909_100939_867117" + }, + { + "item_id": 1907, + "task_type": "pick_heat_then_place_in_recep-Plate-None-CounterTop-13", + "task_id": "trial_T20190909_101054_898367" + }, + { + "item_id": 1908, + "task_type": "pick_heat_then_place_in_recep-Plate-None-CounterTop-13", + "task_id": "trial_T20190909_101225_957550" + }, + { + "item_id": 1909, + "task_type": "pick_heat_then_place_in_recep-Plate-None-CounterTop-1", + "task_id": "trial_T20190909_115633_911483" + }, + { + "item_id": 1910, + "task_type": "pick_heat_then_place_in_recep-Plate-None-CounterTop-28", + "task_id": "trial_T20190907_180117_721981" + }, + { + "item_id": 1911, + "task_type": "pick_heat_then_place_in_recep-Plate-None-CounterTop-28", + "task_id": "trial_T20190907_180239_626804" + }, + { + "item_id": 1912, + "task_type": "pick_heat_then_place_in_recep-Plate-None-CounterTop-5", + "task_id": "trial_T20190908_202657_722894" + }, + { + "item_id": 1913, + "task_type": "pick_heat_then_place_in_recep-Plate-None-CounterTop-5", + "task_id": "trial_T20190908_202750_896176" + }, + { + "item_id": 1914, + "task_type": "pick_heat_then_place_in_recep-Plate-None-CounterTop-7", + "task_id": "trial_T20190909_100702_050461" + }, + { + "item_id": 1915, + "task_type": "pick_heat_then_place_in_recep-Plate-None-CounterTop-7", + "task_id": "trial_T20190909_100747_111240" + }, + { + "item_id": 1916, + "task_type": "pick_heat_then_place_in_recep-Plate-None-DiningTable-28", + "task_id": "trial_T20190908_001313_828023" + }, + { + "item_id": 1917, + "task_type": "pick_heat_then_place_in_recep-Plate-None-Fridge-13", + "task_id": "trial_T20190907_035716_975895" + }, + { + "item_id": 1918, + "task_type": "pick_heat_then_place_in_recep-Plate-None-Fridge-13", + "task_id": "trial_T20190907_035929_099668" + }, + { + "item_id": 1919, + "task_type": "pick_heat_then_place_in_recep-Plate-None-Fridge-1", + "task_id": "trial_T20190908_010540_689076" + }, + { + "item_id": 1920, + "task_type": "pick_heat_then_place_in_recep-Plate-None-Fridge-1", + "task_id": "trial_T20190908_010704_977592" + }, + { + "item_id": 1921, + "task_type": "pick_heat_then_place_in_recep-Plate-None-Fridge-7", + "task_id": "trial_T20190909_065023_650475" + }, + { + "item_id": 1922, + "task_type": "pick_heat_then_place_in_recep-Plate-None-Fridge-7", + "task_id": "trial_T20190909_065145_869734" + }, + { + "item_id": 1923, + "task_type": "pick_heat_then_place_in_recep-Plate-None-Fridge-7", + "task_id": "trial_T20190909_082335_735663" + }, + { + "item_id": 1924, + "task_type": "pick_heat_then_place_in_recep-Plate-None-Shelf-7", + "task_id": "trial_T20190906_193929_080179" + }, + { + "item_id": 1925, + "task_type": "pick_heat_then_place_in_recep-Plate-None-Shelf-7", + "task_id": "trial_T20190906_193957_675049" + }, + { + "item_id": 1926, + "task_type": "pick_heat_then_place_in_recep-Plate-None-SideTable-28", + "task_id": "trial_T20190906_221926_677097" + }, + { + "item_id": 1927, + "task_type": "pick_heat_then_place_in_recep-Plate-None-SideTable-28", + "task_id": "trial_T20190906_222200_918980" + }, + { + "item_id": 1928, + "task_type": "pick_heat_then_place_in_recep-Plate-None-SinkBasin-1", + "task_id": "trial_T20190908_062258_949850" + }, + { + "item_id": 1929, + "task_type": "pick_heat_then_place_in_recep-Plate-None-SinkBasin-7", + "task_id": "trial_T20190908_053317_597357" + }, + { + "item_id": 1930, + "task_type": "pick_heat_then_place_in_recep-Potato-None-CounterTop-15", + "task_id": "trial_T20190908_231700_114762" + }, + { + "item_id": 1931, + "task_type": "pick_heat_then_place_in_recep-Potato-None-CounterTop-15", + "task_id": "trial_T20190908_231736_159994" + }, + { + "item_id": 1932, + "task_type": "pick_heat_then_place_in_recep-Potato-None-CounterTop-19", + "task_id": "trial_T20190909_151946_958394" + }, + { + "item_id": 1933, + "task_type": "pick_heat_then_place_in_recep-Potato-None-CounterTop-19", + "task_id": "trial_T20190909_152050_792044" + }, + { + "item_id": 1934, + "task_type": "pick_heat_then_place_in_recep-Potato-None-CounterTop-19", + "task_id": "trial_T20190909_152158_373637" + }, + { + "item_id": 1935, + "task_type": "pick_heat_then_place_in_recep-Potato-None-CounterTop-25", + "task_id": "trial_T20190908_003849_571412" + }, + { + "item_id": 1936, + "task_type": "pick_heat_then_place_in_recep-Potato-None-CounterTop-8", + "task_id": "trial_T20190906_180551_516948" + }, + { + "item_id": 1937, + "task_type": "pick_heat_then_place_in_recep-Potato-None-DiningTable-16", + "task_id": "trial_T20190908_015113_664393" + }, + { + "item_id": 1938, + "task_type": "pick_heat_then_place_in_recep-Potato-None-DiningTable-16", + "task_id": "trial_T20190908_015247_818796" + }, + { + "item_id": 1939, + "task_type": "pick_heat_then_place_in_recep-Potato-None-DiningTable-20", + "task_id": "trial_T20190908_001037_601836" + }, + { + "item_id": 1940, + "task_type": "pick_heat_then_place_in_recep-Potato-None-DiningTable-20", + "task_id": "trial_T20190908_001123_581082" + }, + { + "item_id": 1941, + "task_type": "pick_heat_then_place_in_recep-Potato-None-DiningTable-7", + "task_id": "trial_T20190907_030735_362750" + }, + { + "item_id": 1942, + "task_type": "pick_heat_then_place_in_recep-Potato-None-Fridge-11", + "task_id": "trial_T20190909_011417_612328" + }, + { + "item_id": 1943, + "task_type": "pick_heat_then_place_in_recep-Potato-None-Fridge-16", + "task_id": "trial_T20190907_210901_310933" + }, + { + "item_id": 1944, + "task_type": "pick_heat_then_place_in_recep-Potato-None-Fridge-16", + "task_id": "trial_T20190907_210941_026899" + }, + { + "item_id": 1945, + "task_type": "pick_heat_then_place_in_recep-Potato-None-Fridge-16", + "task_id": "trial_T20190907_211019_691613" + }, + { + "item_id": 1946, + "task_type": "pick_heat_then_place_in_recep-Potato-None-Fridge-19", + "task_id": "trial_T20190907_235540_283485" + }, + { + "item_id": 1947, + "task_type": "pick_heat_then_place_in_recep-Potato-None-Fridge-27", + "task_id": "trial_T20190908_143628_766051" + }, + { + "item_id": 1948, + "task_type": "pick_heat_then_place_in_recep-Potato-None-Fridge-27", + "task_id": "trial_T20190908_143748_027076" + }, + { + "item_id": 1949, + "task_type": "pick_heat_then_place_in_recep-Potato-None-Fridge-2", + "task_id": "trial_T20190909_030720_576619" + }, + { + "item_id": 1950, + "task_type": "pick_heat_then_place_in_recep-Potato-None-Fridge-30", + "task_id": "trial_T20190907_193517_118086" + }, + { + "item_id": 1951, + "task_type": "pick_heat_then_place_in_recep-Potato-None-Fridge-6", + "task_id": "trial_T20190907_125630_644421" + }, + { + "item_id": 1952, + "task_type": "pick_heat_then_place_in_recep-Potato-None-GarbageCan-12", + "task_id": "trial_T20190907_125521_042428" + }, + { + "item_id": 1953, + "task_type": "pick_heat_then_place_in_recep-Potato-None-GarbageCan-12", + "task_id": "trial_T20190910_225228_723273" + }, + { + "item_id": 1954, + "task_type": "pick_heat_then_place_in_recep-Potato-None-GarbageCan-14", + "task_id": "trial_T20190909_114015_210188" + }, + { + "item_id": 1955, + "task_type": "pick_heat_then_place_in_recep-Potato-None-GarbageCan-14", + "task_id": "trial_T20190909_114102_376957" + }, + { + "item_id": 1956, + "task_type": "pick_heat_then_place_in_recep-Potato-None-GarbageCan-19", + "task_id": "trial_T20190907_073005_559245" + }, + { + "item_id": 1957, + "task_type": "pick_heat_then_place_in_recep-Potato-None-GarbageCan-25", + "task_id": "trial_T20190909_202448_195490" + }, + { + "item_id": 1958, + "task_type": "pick_heat_then_place_in_recep-Potato-None-GarbageCan-3", + "task_id": "trial_T20190908_121700_859707" + }, + { + "item_id": 1959, + "task_type": "pick_heat_then_place_in_recep-Potato-None-GarbageCan-3", + "task_id": "trial_T20190908_121849_346541" + }, + { + "item_id": 1960, + "task_type": "pick_heat_then_place_in_recep-Potato-None-GarbageCan-5", + "task_id": "trial_T20190908_144051_256987" + }, + { + "item_id": 1961, + "task_type": "pick_heat_then_place_in_recep-Potato-None-GarbageCan-5", + "task_id": "trial_T20190908_144144_976529" + }, + { + "item_id": 1962, + "task_type": "pick_heat_then_place_in_recep-Potato-None-SideTable-21", + "task_id": "trial_T20190908_121815_131020" + }, + { + "item_id": 1963, + "task_type": "pick_heat_then_place_in_recep-Potato-None-SideTable-28", + "task_id": "trial_T20190907_075841_463460" + }, + { + "item_id": 1964, + "task_type": "pick_heat_then_place_in_recep-Potato-None-SideTable-3", + "task_id": "trial_T20190909_025547_305753" + }, + { + "item_id": 1965, + "task_type": "pick_heat_then_place_in_recep-Potato-None-SideTable-3", + "task_id": "trial_T20190909_050256_765736" + }, + { + "item_id": 1966, + "task_type": "pick_heat_then_place_in_recep-Potato-None-SideTable-3", + "task_id": "trial_T20190909_050408_729839" + }, + { + "item_id": 1967, + "task_type": "pick_heat_then_place_in_recep-Potato-None-SinkBasin-14", + "task_id": "trial_T20190908_231649_805205" + }, + { + "item_id": 1968, + "task_type": "pick_heat_then_place_in_recep-Potato-None-SinkBasin-14", + "task_id": "trial_T20190908_231731_054988" + }, + { + "item_id": 1969, + "task_type": "pick_heat_then_place_in_recep-Potato-None-SinkBasin-14", + "task_id": "trial_T20190908_231758_432650" + }, + { + "item_id": 1970, + "task_type": "pick_heat_then_place_in_recep-Potato-None-SinkBasin-18", + "task_id": "trial_T20190909_050447_778434" + }, + { + "item_id": 1971, + "task_type": "pick_heat_then_place_in_recep-Potato-None-SinkBasin-26", + "task_id": "trial_T20190909_095507_426331" + }, + { + "item_id": 1972, + "task_type": "pick_heat_then_place_in_recep-Potato-None-SinkBasin-30", + "task_id": "trial_T20190908_080346_586851" + }, + { + "item_id": 1973, + "task_type": "pick_heat_then_place_in_recep-Potato-None-SinkBasin-30", + "task_id": "trial_T20190908_080428_542500" + }, + { + "item_id": 1974, + "task_type": "pick_heat_then_place_in_recep-Potato-None-SinkBasin-30", + "task_id": "trial_T20190908_080503_071243" + }, + { + "item_id": 1975, + "task_type": "pick_heat_then_place_in_recep-Potato-None-SinkBasin-8", + "task_id": "trial_T20190906_185558_990788" + }, + { + "item_id": 1976, + "task_type": "pick_heat_then_place_in_recep-Potato-None-SinkBasin-8", + "task_id": "trial_T20190906_185651_240276" + }, + { + "item_id": 1977, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-CounterTop-17", + "task_id": "trial_T20190908_223040_461364" + }, + { + "item_id": 1978, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-CounterTop-17", + "task_id": "trial_T20190908_223110_184111" + }, + { + "item_id": 1979, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-CounterTop-26", + "task_id": "trial_T20190907_005422_388983" + }, + { + "item_id": 1980, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-CounterTop-26", + "task_id": "trial_T20190907_005501_395392" + }, + { + "item_id": 1981, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-CounterTop-26", + "task_id": "trial_T20190907_005525_499114" + }, + { + "item_id": 1982, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-CounterTop-27", + "task_id": "trial_T20190906_204127_079628" + }, + { + "item_id": 1983, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-CounterTop-27", + "task_id": "trial_T20190906_204151_271417" + }, + { + "item_id": 1984, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-CounterTop-27", + "task_id": "trial_T20190906_204215_534084" + }, + { + "item_id": 1985, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-CounterTop-2", + "task_id": "trial_T20190908_171606_930881" + }, + { + "item_id": 1986, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-CounterTop-2", + "task_id": "trial_T20190908_171633_830772" + }, + { + "item_id": 1987, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-DiningTable-16", + "task_id": "trial_T20190907_201040_216331" + }, + { + "item_id": 1988, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-DiningTable-16", + "task_id": "trial_T20190907_201141_969111" + }, + { + "item_id": 1989, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-DiningTable-17", + "task_id": "trial_T20190909_042716_008360" + }, + { + "item_id": 1990, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-DiningTable-17", + "task_id": "trial_T20190909_042742_043093" + }, + { + "item_id": 1991, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-DiningTable-24", + "task_id": "trial_T20190907_073102_685134" + }, + { + "item_id": 1992, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-12", + "task_id": "trial_T20190906_190441_327141" + }, + { + "item_id": 1993, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-12", + "task_id": "trial_T20190906_190625_937922" + }, + { + "item_id": 1994, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-14", + "task_id": "trial_T20190908_091707_240737" + }, + { + "item_id": 1995, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-14", + "task_id": "trial_T20190908_091739_178133" + }, + { + "item_id": 1996, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-15", + "task_id": "trial_T20190909_020250_544216" + }, + { + "item_id": 1997, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-18", + "task_id": "trial_T20190907_192826_972343" + }, + { + "item_id": 1998, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-18", + "task_id": "trial_T20190907_192941_099066" + }, + { + "item_id": 1999, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-18", + "task_id": "trial_T20190907_193025_428000" + }, + { + "item_id": 2000, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-19", + "task_id": "trial_T20190909_152149_800170" + }, + { + "item_id": 2001, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-19", + "task_id": "trial_T20190909_152219_111684" + }, + { + "item_id": 2002, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-19", + "task_id": "trial_T20190909_152246_824870" + }, + { + "item_id": 2003, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-24", + "task_id": "trial_T20190908_033652_416415" + }, + { + "item_id": 2004, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-25", + "task_id": "trial_T20190909_003326_516119" + }, + { + "item_id": 2005, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-25", + "task_id": "trial_T20190909_103009_910205" + }, + { + "item_id": 2006, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-25", + "task_id": "trial_T20190909_103031_754410" + }, + { + "item_id": 2007, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-30", + "task_id": "trial_T20190907_235531_894602" + }, + { + "item_id": 2008, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-7", + "task_id": "trial_T20190909_022716_437691" + }, + { + "item_id": 2009, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-7", + "task_id": "trial_T20190909_022805_528384" + }, + { + "item_id": 2010, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-Fridge-7", + "task_id": "trial_T20190909_022842_145387" + }, + { + "item_id": 2011, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-GarbageCan-16", + "task_id": "trial_T20190906_171701_034036" + }, + { + "item_id": 2012, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-GarbageCan-16", + "task_id": "trial_T20190906_171745_518642" + }, + { + "item_id": 2013, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-GarbageCan-2", + "task_id": "trial_T20190908_111609_426536" + }, + { + "item_id": 2014, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-GarbageCan-2", + "task_id": "trial_T20190908_111801_490050" + }, + { + "item_id": 2015, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-GarbageCan-2", + "task_id": "trial_T20190908_111837_382989" + }, + { + "item_id": 2016, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-SideTable-21", + "task_id": "trial_T20190909_012146_287700" + }, + { + "item_id": 2017, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-SideTable-21", + "task_id": "trial_T20190909_012239_336817" + }, + { + "item_id": 2018, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-SideTable-21", + "task_id": "trial_T20190909_041918_595548" + }, + { + "item_id": 2019, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-SideTable-28", + "task_id": "trial_T20190908_031506_186347" + }, + { + "item_id": 2020, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-SideTable-28", + "task_id": "trial_T20190908_031531_364896" + }, + { + "item_id": 2021, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-SideTable-28", + "task_id": "trial_T20190908_153259_734590" + }, + { + "item_id": 2022, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-SideTable-3", + "task_id": "trial_T20190907_140821_716243" + }, + { + "item_id": 2023, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-SideTable-3", + "task_id": "trial_T20190907_140859_097831" + }, + { + "item_id": 2024, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-SideTable-3", + "task_id": "trial_T20190907_140946_092791" + }, + { + "item_id": 2025, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-SinkBasin-3", + "task_id": "trial_T20190909_004431_349778" + }, + { + "item_id": 2026, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-SinkBasin-3", + "task_id": "trial_T20190909_004513_640945" + }, + { + "item_id": 2027, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-SinkBasin-3", + "task_id": "trial_T20190909_004608_186817" + }, + { + "item_id": 2028, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-SinkBasin-6", + "task_id": "trial_T20190907_204613_710434" + }, + { + "item_id": 2029, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-SinkBasin-6", + "task_id": "trial_T20190907_204847_764244" + }, + { + "item_id": 2030, + "task_type": "pick_heat_then_place_in_recep-Tomato-None-SinkBasin-6", + "task_id": "trial_T20190907_204944_538890" + }, + { + "item_id": 2031, + "task_type": "pick_two_obj_and_place-AlarmClock-None-Desk-307", + "task_id": "trial_T20190907_013752_725369" + }, + { + "item_id": 2032, + "task_type": "pick_two_obj_and_place-AlarmClock-None-Desk-313", + "task_id": "trial_T20190909_054541_175663" + }, + { + "item_id": 2033, + "task_type": "pick_two_obj_and_place-AlarmClock-None-Desk-313", + "task_id": "trial_T20190909_054612_605208" + }, + { + "item_id": 2034, + "task_type": "pick_two_obj_and_place-AlarmClock-None-Desk-313", + "task_id": "trial_T20190909_054639_360008" + }, + { + "item_id": 2035, + "task_type": "pick_two_obj_and_place-AlarmClock-None-Desk-316", + "task_id": "trial_T20190911_000805_459094" + }, + { + "item_id": 2036, + "task_type": "pick_two_obj_and_place-AlarmClock-None-Dresser-318", + "task_id": "trial_T20190919_024636_931517" + }, + { + "item_id": 2037, + "task_type": "pick_two_obj_and_place-AlarmClock-None-Shelf-316", + "task_id": "trial_T20190909_010429_853588" + }, + { + "item_id": 2038, + "task_type": "pick_two_obj_and_place-AlarmClock-None-Shelf-316", + "task_id": "trial_T20190909_010454_432892" + }, + { + "item_id": 2039, + "task_type": "pick_two_obj_and_place-AlarmClock-None-SideTable-312", + "task_id": "trial_T20190908_024638_080857" + }, + { + "item_id": 2040, + "task_type": "pick_two_obj_and_place-Book-None-Bed-304", + "task_id": "trial_T20190907_054125_590269" + }, + { + "item_id": 2041, + "task_type": "pick_two_obj_and_place-Book-None-Bed-304", + "task_id": "trial_T20190908_104725_283867" + }, + { + "item_id": 2042, + "task_type": "pick_two_obj_and_place-Book-None-Bed-304", + "task_id": "trial_T20190908_104751_823594" + }, + { + "item_id": 2043, + "task_type": "pick_two_obj_and_place-Book-None-Bed-314", + "task_id": "trial_T20190909_103936_240465" + }, + { + "item_id": 2044, + "task_type": "pick_two_obj_and_place-Book-None-Bed-314", + "task_id": "trial_T20190910_072508_733981" + }, + { + "item_id": 2045, + "task_type": "pick_two_obj_and_place-Book-None-Bed-314", + "task_id": "trial_T20190910_072531_402229" + }, + { + "item_id": 2046, + "task_type": "pick_two_obj_and_place-Book-None-Bed-316", + "task_id": "trial_T20190909_035341_047789" + }, + { + "item_id": 2047, + "task_type": "pick_two_obj_and_place-Book-None-Bed-316", + "task_id": "trial_T20190909_035400_112966" + }, + { + "item_id": 2048, + "task_type": "pick_two_obj_and_place-Book-None-Bed-328", + "task_id": "trial_T20190907_060344_224282" + }, + { + "item_id": 2049, + "task_type": "pick_two_obj_and_place-Book-None-Bed-328", + "task_id": "trial_T20190912_065434_217065" + }, + { + "item_id": 2050, + "task_type": "pick_two_obj_and_place-Book-None-Desk-309", + "task_id": "trial_T20190909_061225_804285" + }, + { + "item_id": 2051, + "task_type": "pick_two_obj_and_place-Book-None-Desk-309", + "task_id": "trial_T20190909_061318_337264" + }, + { + "item_id": 2052, + "task_type": "pick_two_obj_and_place-Book-None-Desk-310", + "task_id": "trial_T20190906_202447_734445" + }, + { + "item_id": 2053, + "task_type": "pick_two_obj_and_place-Book-None-Drawer-304", + "task_id": "trial_T20190908_022158_405498" + }, + { + "item_id": 2054, + "task_type": "pick_two_obj_and_place-Book-None-Drawer-304", + "task_id": "trial_T20190911_145146_378254" + }, + { + "item_id": 2055, + "task_type": "pick_two_obj_and_place-Book-None-Drawer-307", + "task_id": "trial_T20190909_111455_006363" + }, + { + "item_id": 2056, + "task_type": "pick_two_obj_and_place-Book-None-Dresser-317", + "task_id": "trial_T20190910_180738_291661" + }, + { + "item_id": 2057, + "task_type": "pick_two_obj_and_place-Book-None-Dresser-324", + "task_id": "trial_T20190908_085544_633388" + }, + { + "item_id": 2058, + "task_type": "pick_two_obj_and_place-Book-None-Sofa-209", + "task_id": "trial_T20190909_022420_451582" + }, + { + "item_id": 2059, + "task_type": "pick_two_obj_and_place-Book-None-Sofa-209", + "task_id": "trial_T20190909_022528_723601" + }, + { + "item_id": 2060, + "task_type": "pick_two_obj_and_place-Bowl-None-CoffeeTable-203", + "task_id": "trial_T20190907_153332_888821" + }, + { + "item_id": 2061, + "task_type": "pick_two_obj_and_place-Bowl-None-CoffeeTable-203", + "task_id": "trial_T20190907_153434_051209" + }, + { + "item_id": 2062, + "task_type": "pick_two_obj_and_place-Bowl-None-CoffeeTable-203", + "task_id": "trial_T20190907_153529_699181" + }, + { + "item_id": 2063, + "task_type": "pick_two_obj_and_place-Bowl-None-Desk-327", + "task_id": "trial_T20190908_040620_961547" + }, + { + "item_id": 2064, + "task_type": "pick_two_obj_and_place-Bowl-None-Dresser-327", + "task_id": "trial_T20190907_195833_033721" + }, + { + "item_id": 2065, + "task_type": "pick_two_obj_and_place-Bowl-None-Dresser-327", + "task_id": "trial_T20190907_235202_045025" + }, + { + "item_id": 2066, + "task_type": "pick_two_obj_and_place-Box-None-CoffeeTable-230", + "task_id": "trial_T20190908_124448_064600" + }, + { + "item_id": 2067, + "task_type": "pick_two_obj_and_place-Bread-None-Fridge-7", + "task_id": "trial_T20190907_101103_987850" + }, + { + "item_id": 2068, + "task_type": "pick_two_obj_and_place-Candle-None-Cabinet-402", + "task_id": "trial_T20190909_084818_682608" + }, + { + "item_id": 2069, + "task_type": "pick_two_obj_and_place-Candle-None-Cabinet-403", + "task_id": "trial_T20190909_065841_838469" + }, + { + "item_id": 2070, + "task_type": "pick_two_obj_and_place-Candle-None-Cabinet-406", + "task_id": "trial_T20190908_165628_335781" + }, + { + "item_id": 2071, + "task_type": "pick_two_obj_and_place-Candle-None-Cabinet-412", + "task_id": "trial_T20190908_222902_113581" + }, + { + "item_id": 2072, + "task_type": "pick_two_obj_and_place-Candle-None-Cabinet-414", + "task_id": "trial_T20190908_190650_163902" + }, + { + "item_id": 2073, + "task_type": "pick_two_obj_and_place-Candle-None-Cabinet-414", + "task_id": "trial_T20190908_190717_343206" + }, + { + "item_id": 2074, + "task_type": "pick_two_obj_and_place-Candle-None-Cabinet-414", + "task_id": "trial_T20190908_190744_225442" + }, + { + "item_id": 2075, + "task_type": "pick_two_obj_and_place-Candle-None-Drawer-409", + "task_id": "trial_T20190909_060330_417076" + }, + { + "item_id": 2076, + "task_type": "pick_two_obj_and_place-Candle-None-Drawer-409", + "task_id": "trial_T20190909_060356_759253" + }, + { + "item_id": 2077, + "task_type": "pick_two_obj_and_place-Candle-None-Drawer-411", + "task_id": "trial_T20190909_055913_544549" + }, + { + "item_id": 2078, + "task_type": "pick_two_obj_and_place-Candle-None-Drawer-411", + "task_id": "trial_T20190909_060014_389023" + }, + { + "item_id": 2079, + "task_type": "pick_two_obj_and_place-Candle-None-Drawer-411", + "task_id": "trial_T20190909_064620_649713" + }, + { + "item_id": 2080, + "task_type": "pick_two_obj_and_place-Candle-None-Drawer-423", + "task_id": "trial_T20190909_021904_269151" + }, + { + "item_id": 2081, + "task_type": "pick_two_obj_and_place-Candle-None-Drawer-426", + "task_id": "trial_T20190907_133447_661538" + }, + { + "item_id": 2082, + "task_type": "pick_two_obj_and_place-Candle-None-Drawer-426", + "task_id": "trial_T20190907_133522_667187" + }, + { + "item_id": 2083, + "task_type": "pick_two_obj_and_place-Candle-None-Drawer-427", + "task_id": "trial_T20190909_043917_251333" + }, + { + "item_id": 2084, + "task_type": "pick_two_obj_and_place-Candle-None-Toilet-417", + "task_id": "trial_T20190907_182625_222433" + }, + { + "item_id": 2085, + "task_type": "pick_two_obj_and_place-CD-None-Desk-328", + "task_id": "trial_T20190919_024512_841562" + }, + { + "item_id": 2086, + "task_type": "pick_two_obj_and_place-CD-None-Drawer-306", + "task_id": "trial_T20190907_025443_659956" + }, + { + "item_id": 2087, + "task_type": "pick_two_obj_and_place-CD-None-Drawer-319", + "task_id": "trial_T20190907_145438_983650" + }, + { + "item_id": 2088, + "task_type": "pick_two_obj_and_place-CD-None-Drawer-321", + "task_id": "trial_T20190908_180900_935530" + }, + { + "item_id": 2089, + "task_type": "pick_two_obj_and_place-CD-None-Dresser-303", + "task_id": "trial_T20190908_085703_053950" + }, + { + "item_id": 2090, + "task_type": "pick_two_obj_and_place-CD-None-GarbageCan-321", + "task_id": "trial_T20190908_132301_116696" + }, + { + "item_id": 2091, + "task_type": "pick_two_obj_and_place-CD-None-Safe-317", + "task_id": "trial_T20190906_221723_123986" + }, + { + "item_id": 2092, + "task_type": "pick_two_obj_and_place-CD-None-Shelf-303", + "task_id": "trial_T20190907_200550_857444" + }, + { + "item_id": 2093, + "task_type": "pick_two_obj_and_place-CD-None-Shelf-303", + "task_id": "trial_T20190907_200622_451724" + }, + { + "item_id": 2094, + "task_type": "pick_two_obj_and_place-CellPhone-None-ArmChair-229", + "task_id": "trial_T20190907_081902_634047" + }, + { + "item_id": 2095, + "task_type": "pick_two_obj_and_place-CellPhone-None-ArmChair-229", + "task_id": "trial_T20190907_082008_641926" + }, + { + "item_id": 2096, + "task_type": "pick_two_obj_and_place-CellPhone-None-Bed-306", + "task_id": "trial_T20190908_091940_573714" + }, + { + "item_id": 2097, + "task_type": "pick_two_obj_and_place-CellPhone-None-Bed-306", + "task_id": "trial_T20190908_092114_854078" + }, + { + "item_id": 2098, + "task_type": "pick_two_obj_and_place-CellPhone-None-Bed-309", + "task_id": "trial_T20190908_112341_368964" + }, + { + "item_id": 2099, + "task_type": "pick_two_obj_and_place-CellPhone-None-Bed-309", + "task_id": "trial_T20190910_144311_654244" + }, + { + "item_id": 2100, + "task_type": "pick_two_obj_and_place-CellPhone-None-Bed-314", + "task_id": "trial_T20190909_013318_115630" + }, + { + "item_id": 2101, + "task_type": "pick_two_obj_and_place-CellPhone-None-Bed-314", + "task_id": "trial_T20190909_013349_694646" + }, + { + "item_id": 2102, + "task_type": "pick_two_obj_and_place-CellPhone-None-Bed-322", + "task_id": "trial_T20190906_181130_177836" + }, + { + "item_id": 2103, + "task_type": "pick_two_obj_and_place-CellPhone-None-DiningTable-326", + "task_id": "trial_T20190907_125916_920981" + }, + { + "item_id": 2104, + "task_type": "pick_two_obj_and_place-CellPhone-None-Drawer-318", + "task_id": "trial_T20190910_054705_146286" + }, + { + "item_id": 2105, + "task_type": "pick_two_obj_and_place-CellPhone-None-Drawer-329", + "task_id": "trial_T20190909_002000_414199" + }, + { + "item_id": 2106, + "task_type": "pick_two_obj_and_place-CellPhone-None-Drawer-329", + "task_id": "trial_T20190909_030006_191201" + }, + { + "item_id": 2107, + "task_type": "pick_two_obj_and_place-CellPhone-None-Dresser-229", + "task_id": "trial_T20190908_122634_511704" + }, + { + "item_id": 2108, + "task_type": "pick_two_obj_and_place-CellPhone-None-Safe-302", + "task_id": "trial_T20190909_043337_021738" + }, + { + "item_id": 2109, + "task_type": "pick_two_obj_and_place-CellPhone-None-Safe-302", + "task_id": "trial_T20190909_043450_502737" + }, + { + "item_id": 2110, + "task_type": "pick_two_obj_and_place-CellPhone-None-Safe-302", + "task_id": "trial_T20190909_065455_263840" + }, + { + "item_id": 2111, + "task_type": "pick_two_obj_and_place-CellPhone-None-Shelf-320", + "task_id": "trial_T20190908_053533_960820" + }, + { + "item_id": 2112, + "task_type": "pick_two_obj_and_place-CellPhone-None-Sofa-218", + "task_id": "trial_T20190907_231953_945601" + }, + { + "item_id": 2113, + "task_type": "pick_two_obj_and_place-CellPhone-None-Sofa-224", + "task_id": "trial_T20190918_223149_385351" + }, + { + "item_id": 2114, + "task_type": "pick_two_obj_and_place-Cloth-None-BathtubBasin-406", + "task_id": "trial_T20190907_125825_765067" + }, + { + "item_id": 2115, + "task_type": "pick_two_obj_and_place-Cloth-None-Drawer-411", + "task_id": "trial_T20190908_185944_363176" + }, + { + "item_id": 2116, + "task_type": "pick_two_obj_and_place-Cloth-None-Shelf-415", + "task_id": "trial_T20190908_112333_938142" + }, + { + "item_id": 2117, + "task_type": "pick_two_obj_and_place-Cloth-None-Shelf-429", + "task_id": "trial_T20190907_175208_703889" + }, + { + "item_id": 2118, + "task_type": "pick_two_obj_and_place-Cloth-None-Shelf-429", + "task_id": "trial_T20190907_175331_995578" + }, + { + "item_id": 2119, + "task_type": "pick_two_obj_and_place-Cloth-None-SideTable-420", + "task_id": "trial_T20190907_182025_973104" + }, + { + "item_id": 2120, + "task_type": "pick_two_obj_and_place-Cloth-None-SinkBasin-405", + "task_id": "trial_T20190909_074450_340302" + }, + { + "item_id": 2121, + "task_type": "pick_two_obj_and_place-Cloth-None-Toilet-417", + "task_id": "trial_T20190908_152417_880895" + }, + { + "item_id": 2122, + "task_type": "pick_two_obj_and_place-Cloth-None-Toilet-420", + "task_id": "trial_T20190909_114505_563617" + }, + { + "item_id": 2123, + "task_type": "pick_two_obj_and_place-CreditCard-None-ArmChair-207", + "task_id": "trial_T20190906_201649_171488" + }, + { + "item_id": 2124, + "task_type": "pick_two_obj_and_place-CreditCard-None-ArmChair-214", + "task_id": "trial_T20190909_033027_298680" + }, + { + "item_id": 2125, + "task_type": "pick_two_obj_and_place-CreditCard-None-ArmChair-221", + "task_id": "trial_T20190907_161543_309705" + }, + { + "item_id": 2126, + "task_type": "pick_two_obj_and_place-CreditCard-None-ArmChair-221", + "task_id": "trial_T20190907_161645_456905" + }, + { + "item_id": 2127, + "task_type": "pick_two_obj_and_place-CreditCard-None-ArmChair-227", + "task_id": "trial_T20190907_075635_674582" + }, + { + "item_id": 2128, + "task_type": "pick_two_obj_and_place-CreditCard-None-CoffeeTable-217", + "task_id": "trial_T20190909_053611_198561" + }, + { + "item_id": 2129, + "task_type": "pick_two_obj_and_place-CreditCard-None-CoffeeTable-217", + "task_id": "trial_T20190911_170408_164050" + }, + { + "item_id": 2130, + "task_type": "pick_two_obj_and_place-CreditCard-None-CoffeeTable-217", + "task_id": "trial_T20190911_185442_429428" + }, + { + "item_id": 2131, + "task_type": "pick_two_obj_and_place-CreditCard-None-DiningTable-311", + "task_id": "trial_T20190908_072852_125912" + }, + { + "item_id": 2132, + "task_type": "pick_two_obj_and_place-CreditCard-None-DiningTable-311", + "task_id": "trial_T20190908_072922_474814" + }, + { + "item_id": 2133, + "task_type": "pick_two_obj_and_place-CreditCard-None-Dresser-311", + "task_id": "trial_T20190907_201834_073281" + }, + { + "item_id": 2134, + "task_type": "pick_two_obj_and_place-CreditCard-None-SideTable-326", + "task_id": "trial_T20190908_184844_354498" + }, + { + "item_id": 2135, + "task_type": "pick_two_obj_and_place-CreditCard-None-Sofa-206", + "task_id": "trial_T20190906_203545_575002" + }, + { + "item_id": 2136, + "task_type": "pick_two_obj_and_place-CreditCard-None-Sofa-207", + "task_id": "trial_T20190909_090114_325926" + }, + { + "item_id": 2137, + "task_type": "pick_two_obj_and_place-Cup-None-Shelf-1", + "task_id": "trial_T20190908_015241_045631" + }, + { + "item_id": 2138, + "task_type": "pick_two_obj_and_place-DishSponge-None-BathtubBasin-414", + "task_id": "trial_T20190907_114553_769470" + }, + { + "item_id": 2139, + "task_type": "pick_two_obj_and_place-DishSponge-None-BathtubBasin-414", + "task_id": "trial_T20190907_114641_669532" + }, + { + "item_id": 2140, + "task_type": "pick_two_obj_and_place-DishSponge-None-Cart-401", + "task_id": "trial_T20190909_041313_714283" + }, + { + "item_id": 2141, + "task_type": "pick_two_obj_and_place-DishSponge-None-Cart-430", + "task_id": "trial_T20190908_123809_084488" + }, + { + "item_id": 2142, + "task_type": "pick_two_obj_and_place-DishSponge-None-CounterTop-421", + "task_id": "trial_T20190908_133246_536746" + }, + { + "item_id": 2143, + "task_type": "pick_two_obj_and_place-DishSponge-None-Toilet-403", + "task_id": "trial_T20190908_024658_735745" + }, + { + "item_id": 2144, + "task_type": "pick_two_obj_and_place-DishSponge-None-Toilet-403", + "task_id": "trial_T20190908_024917_909971" + }, + { + "item_id": 2145, + "task_type": "pick_two_obj_and_place-Fork-None-SinkBasin-23", + "task_id": "trial_T20190908_141847_929059" + }, + { + "item_id": 2146, + "task_type": "pick_two_obj_and_place-Fork-None-SinkBasin-23", + "task_id": "trial_T20190908_141919_842635" + }, + { + "item_id": 2147, + "task_type": "pick_two_obj_and_place-HandTowel-None-BathtubBasin-401", + "task_id": "trial_T20190906_185028_171691" + }, + { + "item_id": 2148, + "task_type": "pick_two_obj_and_place-HandTowel-None-BathtubBasin-401", + "task_id": "trial_T20190906_185122_301795" + }, + { + "item_id": 2149, + "task_type": "pick_two_obj_and_place-HandTowel-None-BathtubBasin-402", + "task_id": "trial_T20190907_022320_519736" + }, + { + "item_id": 2150, + "task_type": "pick_two_obj_and_place-HandTowel-None-BathtubBasin-410", + "task_id": "trial_T20190907_115448_201229" + }, + { + "item_id": 2151, + "task_type": "pick_two_obj_and_place-HandTowel-None-BathtubBasin-410", + "task_id": "trial_T20190907_115524_102392" + }, + { + "item_id": 2152, + "task_type": "pick_two_obj_and_place-HandTowel-None-BathtubBasin-423", + "task_id": "trial_T20190908_035105_545366" + }, + { + "item_id": 2153, + "task_type": "pick_two_obj_and_place-HandTowel-None-CounterTop-409", + "task_id": "trial_T20190909_065339_923435" + }, + { + "item_id": 2154, + "task_type": "pick_two_obj_and_place-HandTowel-None-CounterTop-409", + "task_id": "trial_T20190909_065422_153174" + }, + { + "item_id": 2155, + "task_type": "pick_two_obj_and_place-HandTowel-None-CounterTop-418", + "task_id": "trial_T20190909_102817_744500" + }, + { + "item_id": 2156, + "task_type": "pick_two_obj_and_place-HandTowel-None-SinkBasin-412", + "task_id": "trial_T20190908_065036_619246" + }, + { + "item_id": 2157, + "task_type": "pick_two_obj_and_place-HandTowel-None-Toilet-409", + "task_id": "trial_T20190909_054016_180537" + }, + { + "item_id": 2158, + "task_type": "pick_two_obj_and_place-HandTowel-None-Toilet-409", + "task_id": "trial_T20190909_054134_111298" + }, + { + "item_id": 2159, + "task_type": "pick_two_obj_and_place-HandTowel-None-Toilet-409", + "task_id": "trial_T20190909_081043_762420" + }, + { + "item_id": 2160, + "task_type": "pick_two_obj_and_place-HandTowel-None-Toilet-412", + "task_id": "trial_T20190907_011351_027508" + }, + { + "item_id": 2161, + "task_type": "pick_two_obj_and_place-HandTowel-None-Toilet-412", + "task_id": "trial_T20190907_011418_544406" + }, + { + "item_id": 2162, + "task_type": "pick_two_obj_and_place-HandTowel-None-Toilet-418", + "task_id": "trial_T20190907_072743_090195" + }, + { + "item_id": 2163, + "task_type": "pick_two_obj_and_place-HandTowel-None-Toilet-427", + "task_id": "trial_T20190909_030304_583247" + }, + { + "item_id": 2164, + "task_type": "pick_two_obj_and_place-HandTowel-None-Toilet-427", + "task_id": "trial_T20190909_030341_261977" + }, + { + "item_id": 2165, + "task_type": "pick_two_obj_and_place-HandTowel-None-Toilet-427", + "task_id": "trial_T20190909_030524_929121" + }, + { + "item_id": 2166, + "task_type": "pick_two_obj_and_place-Kettle-None-Cabinet-3", + "task_id": "trial_T20190908_121954_912027" + }, + { + "item_id": 2167, + "task_type": "pick_two_obj_and_place-KeyChain-None-ArmChair-217", + "task_id": "trial_T20190906_213211_993051" + }, + { + "item_id": 2168, + "task_type": "pick_two_obj_and_place-KeyChain-None-ArmChair-222", + "task_id": "trial_T20190909_100237_670347" + }, + { + "item_id": 2169, + "task_type": "pick_two_obj_and_place-KeyChain-None-ArmChair-222", + "task_id": "trial_T20190909_100429_589810" + }, + { + "item_id": 2170, + "task_type": "pick_two_obj_and_place-KeyChain-None-Dresser-322", + "task_id": "trial_T20190908_051114_312895" + }, + { + "item_id": 2171, + "task_type": "pick_two_obj_and_place-KeyChain-None-Ottoman-208", + "task_id": "trial_T20190907_232837_149029" + }, + { + "item_id": 2172, + "task_type": "pick_two_obj_and_place-KeyChain-None-Safe-204", + "task_id": "trial_T20190906_190057_223109" + }, + { + "item_id": 2173, + "task_type": "pick_two_obj_and_place-KeyChain-None-Shelf-207", + "task_id": "trial_T20190909_131800_907993" + }, + { + "item_id": 2174, + "task_type": "pick_two_obj_and_place-KeyChain-None-SideTable-311", + "task_id": "trial_T20190908_065824_413543" + }, + { + "item_id": 2175, + "task_type": "pick_two_obj_and_place-KeyChain-None-SideTable-326", + "task_id": "trial_T20190908_160925_942963" + }, + { + "item_id": 2176, + "task_type": "pick_two_obj_and_place-KeyChain-None-Sofa-224", + "task_id": "trial_T20190908_015731_474534" + }, + { + "item_id": 2177, + "task_type": "pick_two_obj_and_place-Ladle-None-Drawer-2", + "task_id": "trial_T20190906_162705_748756" + }, + { + "item_id": 2178, + "task_type": "pick_two_obj_and_place-Ladle-None-Drawer-4", + "task_id": "trial_T20190908_154838_594672" + }, + { + "item_id": 2179, + "task_type": "pick_two_obj_and_place-Ladle-None-Drawer-4", + "task_id": "trial_T20190908_154908_741855" + }, + { + "item_id": 2180, + "task_type": "pick_two_obj_and_place-Laptop-None-Bed-311", + "task_id": "trial_T20190907_074201_784114" + }, + { + "item_id": 2181, + "task_type": "pick_two_obj_and_place-Laptop-None-Bed-311", + "task_id": "trial_T20190908_110657_952577" + }, + { + "item_id": 2182, + "task_type": "pick_two_obj_and_place-Laptop-None-Desk-307", + "task_id": "trial_T20190909_005000_349735" + }, + { + "item_id": 2183, + "task_type": "pick_two_obj_and_place-Laptop-None-Desk-307", + "task_id": "trial_T20190909_005113_233838" + }, + { + "item_id": 2184, + "task_type": "pick_two_obj_and_place-Laptop-None-Desk-307", + "task_id": "trial_T20190909_005147_179324" + }, + { + "item_id": 2185, + "task_type": "pick_two_obj_and_place-Laptop-None-Desk-309", + "task_id": "trial_T20190907_151137_619046" + }, + { + "item_id": 2186, + "task_type": "pick_two_obj_and_place-Laptop-None-Desk-309", + "task_id": "trial_T20190907_151204_265576" + }, + { + "item_id": 2187, + "task_type": "pick_two_obj_and_place-Laptop-None-Ottoman-203", + "task_id": "trial_T20190907_034519_385647" + }, + { + "item_id": 2188, + "task_type": "pick_two_obj_and_place-Lettuce-None-Fridge-15", + "task_id": "trial_T20190909_005137_011141" + }, + { + "item_id": 2189, + "task_type": "pick_two_obj_and_place-Lettuce-None-Fridge-15", + "task_id": "trial_T20190909_005320_906392" + }, + { + "item_id": 2190, + "task_type": "pick_two_obj_and_place-Lettuce-None-Fridge-1", + "task_id": "trial_T20190908_124634_452782" + }, + { + "item_id": 2191, + "task_type": "pick_two_obj_and_place-Lettuce-None-Fridge-27", + "task_id": "trial_T20190907_212230_106647" + }, + { + "item_id": 2192, + "task_type": "pick_two_obj_and_place-Lettuce-None-Fridge-6", + "task_id": "trial_T20190908_010219_785049" + }, + { + "item_id": 2193, + "task_type": "pick_two_obj_and_place-Mug-None-Cabinet-318", + "task_id": "trial_T20190907_222852_159147" + }, + { + "item_id": 2194, + "task_type": "pick_two_obj_and_place-Mug-None-Cabinet-318", + "task_id": "trial_T20190910_055356_172564" + }, + { + "item_id": 2195, + "task_type": "pick_two_obj_and_place-Mug-None-Desk-313", + "task_id": "trial_T20190908_220402_027299" + }, + { + "item_id": 2196, + "task_type": "pick_two_obj_and_place-Mug-None-Desk-313", + "task_id": "trial_T20190910_075020_522324" + }, + { + "item_id": 2197, + "task_type": "pick_two_obj_and_place-Newspaper-None-ArmChair-214", + "task_id": "trial_T20190909_010925_167328" + }, + { + "item_id": 2198, + "task_type": "pick_two_obj_and_place-Newspaper-None-ArmChair-214", + "task_id": "trial_T20190909_011031_694881" + }, + { + "item_id": 2199, + "task_type": "pick_two_obj_and_place-Newspaper-None-ArmChair-216", + "task_id": "trial_T20190907_074113_192109" + }, + { + "item_id": 2200, + "task_type": "pick_two_obj_and_place-Newspaper-None-ArmChair-222", + "task_id": "trial_T20190907_044124_447733" + }, + { + "item_id": 2201, + "task_type": "pick_two_obj_and_place-Newspaper-None-ArmChair-230", + "task_id": "trial_T20190908_001737_394097" + }, + { + "item_id": 2202, + "task_type": "pick_two_obj_and_place-Newspaper-None-ArmChair-230", + "task_id": "trial_T20190908_001805_404666" + }, + { + "item_id": 2203, + "task_type": "pick_two_obj_and_place-Newspaper-None-CoffeeTable-211", + "task_id": "trial_T20190907_155539_093189" + }, + { + "item_id": 2204, + "task_type": "pick_two_obj_and_place-Newspaper-None-CoffeeTable-212", + "task_id": "trial_T20190907_211457_633099" + }, + { + "item_id": 2205, + "task_type": "pick_two_obj_and_place-Newspaper-None-CoffeeTable-212", + "task_id": "trial_T20190907_211537_017302" + }, + { + "item_id": 2206, + "task_type": "pick_two_obj_and_place-Newspaper-None-CoffeeTable-222", + "task_id": "trial_T20190908_205451_924838" + }, + { + "item_id": 2207, + "task_type": "pick_two_obj_and_place-Newspaper-None-CoffeeTable-222", + "task_id": "trial_T20190908_205516_497013" + }, + { + "item_id": 2208, + "task_type": "pick_two_obj_and_place-Newspaper-None-Drawer-224", + "task_id": "trial_T20190908_000027_856808" + }, + { + "item_id": 2209, + "task_type": "pick_two_obj_and_place-Newspaper-None-GarbageCan-218", + "task_id": "trial_T20190907_225356_202464" + }, + { + "item_id": 2210, + "task_type": "pick_two_obj_and_place-Newspaper-None-GarbageCan-218", + "task_id": "trial_T20190907_225437_969645" + }, + { + "item_id": 2211, + "task_type": "pick_two_obj_and_place-Newspaper-None-Sofa-201", + "task_id": "trial_T20190918_190347_937339" + }, + { + "item_id": 2212, + "task_type": "pick_two_obj_and_place-Newspaper-None-Sofa-212", + "task_id": "trial_T20190908_003932_911911" + }, + { + "item_id": 2213, + "task_type": "pick_two_obj_and_place-Newspaper-None-Sofa-212", + "task_id": "trial_T20190908_112704_150966" + }, + { + "item_id": 2214, + "task_type": "pick_two_obj_and_place-Newspaper-None-Sofa-214", + "task_id": "trial_T20190909_102510_153948" + }, + { + "item_id": 2215, + "task_type": "pick_two_obj_and_place-Newspaper-None-Sofa-218", + "task_id": "trial_T20190907_203939_531678" + }, + { + "item_id": 2216, + "task_type": "pick_two_obj_and_place-Newspaper-None-Sofa-218", + "task_id": "trial_T20190907_204014_431529" + }, + { + "item_id": 2217, + "task_type": "pick_two_obj_and_place-Newspaper-None-Sofa-222", + "task_id": "trial_T20190908_144528_617567" + }, + { + "item_id": 2218, + "task_type": "pick_two_obj_and_place-Newspaper-None-Sofa-222", + "task_id": "trial_T20190908_144619_633437" + }, + { + "item_id": 2219, + "task_type": "pick_two_obj_and_place-Pen-None-Drawer-307", + "task_id": "trial_T20190909_055453_986512" + }, + { + "item_id": 2220, + "task_type": "pick_two_obj_and_place-Pen-None-Drawer-307", + "task_id": "trial_T20190919_075916_872303" + }, + { + "item_id": 2221, + "task_type": "pick_two_obj_and_place-Pen-None-Drawer-311", + "task_id": "trial_T20190908_072156_978372" + }, + { + "item_id": 2222, + "task_type": "pick_two_obj_and_place-Pen-None-Dresser-229", + "task_id": "trial_T20190908_043544_600540" + }, + { + "item_id": 2223, + "task_type": "pick_two_obj_and_place-Pen-None-Dresser-229", + "task_id": "trial_T20190908_043626_173426" + }, + { + "item_id": 2224, + "task_type": "pick_two_obj_and_place-Pen-None-Dresser-229", + "task_id": "trial_T20190908_043711_689596" + }, + { + "item_id": 2225, + "task_type": "pick_two_obj_and_place-Pen-None-Dresser-318", + "task_id": "trial_T20190908_063003_015125" + }, + { + "item_id": 2226, + "task_type": "pick_two_obj_and_place-Pen-None-Dresser-318", + "task_id": "trial_T20190910_101622_375359" + }, + { + "item_id": 2227, + "task_type": "pick_two_obj_and_place-Pen-None-Dresser-318", + "task_id": "trial_T20190912_171559_010465" + }, + { + "item_id": 2228, + "task_type": "pick_two_obj_and_place-Pen-None-GarbageCan-321", + "task_id": "trial_T20190907_201720_953919" + }, + { + "item_id": 2229, + "task_type": "pick_two_obj_and_place-Pen-None-GarbageCan-321", + "task_id": "trial_T20190907_201828_429337" + }, + { + "item_id": 2230, + "task_type": "pick_two_obj_and_place-Pen-None-Shelf-320", + "task_id": "trial_T20190907_174259_205684" + }, + { + "item_id": 2231, + "task_type": "pick_two_obj_and_place-Pen-None-Shelf-320", + "task_id": "trial_T20190910_131856_812100" + }, + { + "item_id": 2232, + "task_type": "pick_two_obj_and_place-Pen-None-SideTable-326", + "task_id": "trial_T20190908_050747_727444" + }, + { + "item_id": 2233, + "task_type": "pick_two_obj_and_place-Pen-None-SideTable-326", + "task_id": "trial_T20190908_050836_314900" + }, + { + "item_id": 2234, + "task_type": "pick_two_obj_and_place-Pencil-None-Desk-303", + "task_id": "trial_T20190908_220314_534721" + }, + { + "item_id": 2235, + "task_type": "pick_two_obj_and_place-Pencil-None-Desk-313", + "task_id": "trial_T20190906_200931_060619" + }, + { + "item_id": 2236, + "task_type": "pick_two_obj_and_place-Pencil-None-Desk-327", + "task_id": "trial_T20190911_224556_462302" + }, + { + "item_id": 2237, + "task_type": "pick_two_obj_and_place-Pencil-None-Desk-327", + "task_id": "trial_T20190911_224632_531947" + }, + { + "item_id": 2238, + "task_type": "pick_two_obj_and_place-Pencil-None-Drawer-327", + "task_id": "trial_T20190918_171204_045094" + }, + { + "item_id": 2239, + "task_type": "pick_two_obj_and_place-PepperShaker-None-Cabinet-17", + "task_id": "trial_T20190907_145409_365462" + }, + { + "item_id": 2240, + "task_type": "pick_two_obj_and_place-PepperShaker-None-Cabinet-17", + "task_id": "trial_T20190907_145453_471675" + }, + { + "item_id": 2241, + "task_type": "pick_two_obj_and_place-PepperShaker-None-Cabinet-17", + "task_id": "trial_T20190919_014503_183355" + }, + { + "item_id": 2242, + "task_type": "pick_two_obj_and_place-PepperShaker-None-Cabinet-8", + "task_id": "trial_T20190912_115301_827103" + }, + { + "item_id": 2243, + "task_type": "pick_two_obj_and_place-PepperShaker-None-Cabinet-8", + "task_id": "trial_T20190912_115403_916426" + }, + { + "item_id": 2244, + "task_type": "pick_two_obj_and_place-PepperShaker-None-DiningTable-18", + "task_id": "trial_T20190908_033626_658330" + }, + { + "item_id": 2245, + "task_type": "pick_two_obj_and_place-PepperShaker-None-DiningTable-19", + "task_id": "trial_T20190919_000522_928565" + }, + { + "item_id": 2246, + "task_type": "pick_two_obj_and_place-PepperShaker-None-DiningTable-19", + "task_id": "trial_T20190919_024225_570009" + }, + { + "item_id": 2247, + "task_type": "pick_two_obj_and_place-PepperShaker-None-DiningTable-21", + "task_id": "trial_T20190918_193649_729348" + }, + { + "item_id": 2248, + "task_type": "pick_two_obj_and_place-PepperShaker-None-Drawer-15", + "task_id": "trial_T20190909_022741_011150" + }, + { + "item_id": 2249, + "task_type": "pick_two_obj_and_place-PepperShaker-None-Drawer-15", + "task_id": "trial_T20190909_022815_179570" + }, + { + "item_id": 2250, + "task_type": "pick_two_obj_and_place-PepperShaker-None-Drawer-15", + "task_id": "trial_T20190909_051727_474470" + }, + { + "item_id": 2251, + "task_type": "pick_two_obj_and_place-PepperShaker-None-Shelf-20", + "task_id": "trial_T20190907_021457_366943" + }, + { + "item_id": 2252, + "task_type": "pick_two_obj_and_place-PepperShaker-None-Shelf-20", + "task_id": "trial_T20190907_021648_434341" + }, + { + "item_id": 2253, + "task_type": "pick_two_obj_and_place-PepperShaker-None-Shelf-20", + "task_id": "trial_T20190918_185821_186807" + }, + { + "item_id": 2254, + "task_type": "pick_two_obj_and_place-PepperShaker-None-SideTable-28", + "task_id": "trial_T20190908_120319_537892" + }, + { + "item_id": 2255, + "task_type": "pick_two_obj_and_place-Pillow-None-ArmChair-217", + "task_id": "trial_T20190908_034605_540049" + }, + { + "item_id": 2256, + "task_type": "pick_two_obj_and_place-Pillow-None-ArmChair-321", + "task_id": "trial_T20190907_121714_804185" + }, + { + "item_id": 2257, + "task_type": "pick_two_obj_and_place-Pillow-None-ArmChair-321", + "task_id": "trial_T20190907_121735_217785" + }, + { + "item_id": 2258, + "task_type": "pick_two_obj_and_place-Plate-None-CoffeeTable-201", + "task_id": "trial_T20190918_172828_710071" + }, + { + "item_id": 2259, + "task_type": "pick_two_obj_and_place-Plate-None-CoffeeTable-218", + "task_id": "trial_T20190907_220626_298465" + }, + { + "item_id": 2260, + "task_type": "pick_two_obj_and_place-Pot-None-Shelf-1", + "task_id": "trial_T20190908_170636_981445" + }, + { + "item_id": 2261, + "task_type": "pick_two_obj_and_place-Potato-None-Fridge-25", + "task_id": "trial_T20190908_225233_432920" + }, + { + "item_id": 2262, + "task_type": "pick_two_obj_and_place-Potato-None-Microwave-8", + "task_id": "trial_T20190906_235324_262455" + }, + { + "item_id": 2263, + "task_type": "pick_two_obj_and_place-RemoteControl-None-ArmChair-207", + "task_id": "trial_T20190908_130008_528143" + }, + { + "item_id": 2264, + "task_type": "pick_two_obj_and_place-RemoteControl-None-ArmChair-207", + "task_id": "trial_T20190908_130042_722748" + }, + { + "item_id": 2265, + "task_type": "pick_two_obj_and_place-RemoteControl-None-ArmChair-207", + "task_id": "trial_T20190908_132827_840235" + }, + { + "item_id": 2266, + "task_type": "pick_two_obj_and_place-RemoteControl-None-ArmChair-208", + "task_id": "trial_T20190908_000831_882007" + }, + { + "item_id": 2267, + "task_type": "pick_two_obj_and_place-RemoteControl-None-ArmChair-208", + "task_id": "trial_T20190908_000931_826783" + }, + { + "item_id": 2268, + "task_type": "pick_two_obj_and_place-RemoteControl-None-ArmChair-209", + "task_id": "trial_T20190909_081354_457269" + }, + { + "item_id": 2269, + "task_type": "pick_two_obj_and_place-RemoteControl-None-ArmChair-220", + "task_id": "trial_T20190906_190239_711417" + }, + { + "item_id": 2270, + "task_type": "pick_two_obj_and_place-RemoteControl-None-ArmChair-224", + "task_id": "trial_T20190908_141045_787069" + }, + { + "item_id": 2271, + "task_type": "pick_two_obj_and_place-RemoteControl-None-CoffeeTable-202", + "task_id": "trial_T20190907_075353_427943" + }, + { + "item_id": 2272, + "task_type": "pick_two_obj_and_place-RemoteControl-None-CoffeeTable-207", + "task_id": "trial_T20190908_122319_820046" + }, + { + "item_id": 2273, + "task_type": "pick_two_obj_and_place-RemoteControl-None-CoffeeTable-222", + "task_id": "trial_T20190909_060904_620677" + }, + { + "item_id": 2274, + "task_type": "pick_two_obj_and_place-RemoteControl-None-Ottoman-203", + "task_id": "trial_T20190906_182839_298430" + }, + { + "item_id": 2275, + "task_type": "pick_two_obj_and_place-RemoteControl-None-Ottoman-203", + "task_id": "trial_T20190906_182910_532448" + }, + { + "item_id": 2276, + "task_type": "pick_two_obj_and_place-RemoteControl-None-Ottoman-208", + "task_id": "trial_T20190908_004559_638727" + }, + { + "item_id": 2277, + "task_type": "pick_two_obj_and_place-RemoteControl-None-Sofa-206", + "task_id": "trial_T20190909_094938_751823" + }, + { + "item_id": 2278, + "task_type": "pick_two_obj_and_place-RemoteControl-None-Sofa-228", + "task_id": "trial_T20190908_130719_888576" + }, + { + "item_id": 2279, + "task_type": "pick_two_obj_and_place-RemoteControl-None-Sofa-228", + "task_id": "trial_T20190908_133012_737980" + }, + { + "item_id": 2280, + "task_type": "pick_two_obj_and_place-SaltShaker-None-Cabinet-21", + "task_id": "trial_T20190909_020655_692488" + }, + { + "item_id": 2281, + "task_type": "pick_two_obj_and_place-SaltShaker-None-Cabinet-21", + "task_id": "trial_T20190909_020743_399842" + }, + { + "item_id": 2282, + "task_type": "pick_two_obj_and_place-SaltShaker-None-Cabinet-21", + "task_id": "trial_T20190919_010823_789405" + }, + { + "item_id": 2283, + "task_type": "pick_two_obj_and_place-SaltShaker-None-Cabinet-26", + "task_id": "trial_T20190908_113144_837092" + }, + { + "item_id": 2284, + "task_type": "pick_two_obj_and_place-SaltShaker-None-CounterTop-25", + "task_id": "trial_T20190908_084327_300026" + }, + { + "item_id": 2285, + "task_type": "pick_two_obj_and_place-SaltShaker-None-Drawer-15", + "task_id": "trial_T20190909_021308_467488" + }, + { + "item_id": 2286, + "task_type": "pick_two_obj_and_place-SaltShaker-None-Drawer-5", + "task_id": "trial_T20190907_151045_928468" + }, + { + "item_id": 2287, + "task_type": "pick_two_obj_and_place-SaltShaker-None-Drawer-5", + "task_id": "trial_T20190907_151211_150451" + }, + { + "item_id": 2288, + "task_type": "pick_two_obj_and_place-SaltShaker-None-Shelf-20", + "task_id": "trial_T20190906_200701_399969" + }, + { + "item_id": 2289, + "task_type": "pick_two_obj_and_place-SoapBar-None-BathtubBasin-405", + "task_id": "trial_T20190909_003121_739638" + }, + { + "item_id": 2290, + "task_type": "pick_two_obj_and_place-SoapBar-None-BathtubBasin-408", + "task_id": "trial_T20190907_165954_550232" + }, + { + "item_id": 2291, + "task_type": "pick_two_obj_and_place-SoapBar-None-BathtubBasin-413", + "task_id": "trial_T20190909_062447_630875" + }, + { + "item_id": 2292, + "task_type": "pick_two_obj_and_place-SoapBar-None-BathtubBasin-423", + "task_id": "trial_T20190909_034124_266294" + }, + { + "item_id": 2293, + "task_type": "pick_two_obj_and_place-SoapBar-None-BathtubBasin-429", + "task_id": "trial_T20190909_011409_975928" + }, + { + "item_id": 2294, + "task_type": "pick_two_obj_and_place-SoapBar-None-BathtubBasin-429", + "task_id": "trial_T20190909_011450_324635" + }, + { + "item_id": 2295, + "task_type": "pick_two_obj_and_place-SoapBar-None-Cart-430", + "task_id": "trial_T20190909_145837_660135" + }, + { + "item_id": 2296, + "task_type": "pick_two_obj_and_place-SoapBar-None-Cart-430", + "task_id": "trial_T20190909_145927_629447" + }, + { + "item_id": 2297, + "task_type": "pick_two_obj_and_place-SoapBar-None-CounterTop-421", + "task_id": "trial_T20190908_133156_866013" + }, + { + "item_id": 2298, + "task_type": "pick_two_obj_and_place-SoapBar-None-Drawer-420", + "task_id": "trial_T20190908_124846_193413" + }, + { + "item_id": 2299, + "task_type": "pick_two_obj_and_place-SoapBar-None-Drawer-420", + "task_id": "trial_T20190908_124914_469354" + }, + { + "item_id": 2300, + "task_type": "pick_two_obj_and_place-SoapBar-None-Drawer-421", + "task_id": "trial_T20190908_130615_278829" + }, + { + "item_id": 2301, + "task_type": "pick_two_obj_and_place-SoapBar-None-Drawer-421", + "task_id": "trial_T20190908_130732_924172" + }, + { + "item_id": 2302, + "task_type": "pick_two_obj_and_place-SoapBar-None-GarbageCan-416", + "task_id": "trial_T20190907_143756_457606" + }, + { + "item_id": 2303, + "task_type": "pick_two_obj_and_place-SoapBar-None-GarbageCan-416", + "task_id": "trial_T20190907_143831_034600" + }, + { + "item_id": 2304, + "task_type": "pick_two_obj_and_place-SoapBar-None-GarbageCan-416", + "task_id": "trial_T20190907_143858_585658" + }, + { + "item_id": 2305, + "task_type": "pick_two_obj_and_place-SoapBar-None-GarbageCan-418", + "task_id": "trial_T20190909_055504_993999" + }, + { + "item_id": 2306, + "task_type": "pick_two_obj_and_place-SoapBar-None-Shelf-415", + "task_id": "trial_T20190908_070656_373737" + }, + { + "item_id": 2307, + "task_type": "pick_two_obj_and_place-SoapBar-None-SinkBasin-416", + "task_id": "trial_T20190909_072000_431593" + }, + { + "item_id": 2308, + "task_type": "pick_two_obj_and_place-SoapBar-None-SinkBasin-416", + "task_id": "trial_T20190909_072041_429312" + }, + { + "item_id": 2309, + "task_type": "pick_two_obj_and_place-SoapBar-None-SinkBasin-416", + "task_id": "trial_T20190909_072121_495176" + }, + { + "item_id": 2310, + "task_type": "pick_two_obj_and_place-SoapBar-None-SinkBasin-420", + "task_id": "trial_T20190908_182100_214449" + }, + { + "item_id": 2311, + "task_type": "pick_two_obj_and_place-SoapBar-None-Toilet-412", + "task_id": "trial_T20190908_071641_500188" + }, + { + "item_id": 2312, + "task_type": "pick_two_obj_and_place-SoapBar-None-Toilet-417", + "task_id": "trial_T20190908_191431_228055" + }, + { + "item_id": 2313, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Cabinet-406", + "task_id": "trial_T20190909_145628_658348" + }, + { + "item_id": 2314, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Cabinet-414", + "task_id": "trial_T20190908_044652_179681" + }, + { + "item_id": 2315, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Cabinet-417", + "task_id": "trial_T20190906_192320_630856" + }, + { + "item_id": 2316, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Cart-401", + "task_id": "trial_T20190908_215319_029253" + }, + { + "item_id": 2317, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Cart-430", + "task_id": "trial_T20190908_130358_157745" + }, + { + "item_id": 2318, + "task_type": "pick_two_obj_and_place-SoapBottle-None-CounterTop-407", + "task_id": "trial_T20190908_055510_633308" + }, + { + "item_id": 2319, + "task_type": "pick_two_obj_and_place-SoapBottle-None-CounterTop-407", + "task_id": "trial_T20190908_055536_681478" + }, + { + "item_id": 2320, + "task_type": "pick_two_obj_and_place-SoapBottle-None-CounterTop-411", + "task_id": "trial_T20190907_111008_609321" + }, + { + "item_id": 2321, + "task_type": "pick_two_obj_and_place-SoapBottle-None-CounterTop-412", + "task_id": "trial_T20190919_003422_408137" + }, + { + "item_id": 2322, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Drawer-415", + "task_id": "trial_T20190907_161700_613492" + }, + { + "item_id": 2323, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Drawer-415", + "task_id": "trial_T20190907_161801_831992" + }, + { + "item_id": 2324, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Drawer-423", + "task_id": "trial_T20190909_061945_505585" + }, + { + "item_id": 2325, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Drawer-423", + "task_id": "trial_T20190909_080546_252803" + }, + { + "item_id": 2326, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Drawer-423", + "task_id": "trial_T20190909_080613_840469" + }, + { + "item_id": 2327, + "task_type": "pick_two_obj_and_place-SoapBottle-None-GarbageCan-416", + "task_id": "trial_T20190909_003049_760772" + }, + { + "item_id": 2328, + "task_type": "pick_two_obj_and_place-SoapBottle-None-GarbageCan-416", + "task_id": "trial_T20190909_003119_083823" + }, + { + "item_id": 2329, + "task_type": "pick_two_obj_and_place-SoapBottle-None-GarbageCan-418", + "task_id": "trial_T20190909_071000_671838" + }, + { + "item_id": 2330, + "task_type": "pick_two_obj_and_place-SoapBottle-None-GarbageCan-418", + "task_id": "trial_T20190909_071019_309386" + }, + { + "item_id": 2331, + "task_type": "pick_two_obj_and_place-SoapBottle-None-GarbageCan-428", + "task_id": "trial_T20190909_105731_241727" + }, + { + "item_id": 2332, + "task_type": "pick_two_obj_and_place-SoapBottle-None-GarbageCan-428", + "task_id": "trial_T20190909_232825_221391" + }, + { + "item_id": 2333, + "task_type": "pick_two_obj_and_place-SoapBottle-None-GarbageCan-428", + "task_id": "trial_T20190909_232903_234334" + }, + { + "item_id": 2334, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Toilet-403", + "task_id": "trial_T20190908_060039_542379" + }, + { + "item_id": 2335, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Toilet-405", + "task_id": "trial_T20190909_014637_759728" + }, + { + "item_id": 2336, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Toilet-405", + "task_id": "trial_T20190909_014901_056414" + }, + { + "item_id": 2337, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Toilet-422", + "task_id": "trial_T20190908_113826_070070" + }, + { + "item_id": 2338, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Toilet-422", + "task_id": "trial_T20190908_113925_984829" + }, + { + "item_id": 2339, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Toilet-426", + "task_id": "trial_T20190907_184810_041356" + }, + { + "item_id": 2340, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Toilet-428", + "task_id": "trial_T20190906_225647_716768" + }, + { + "item_id": 2341, + "task_type": "pick_two_obj_and_place-SoapBottle-None-Toilet-428", + "task_id": "trial_T20190909_070317_650884" + }, + { + "item_id": 2342, + "task_type": "pick_two_obj_and_place-Spatula-None-Drawer-16", + "task_id": "trial_T20190906_235108_616160" + }, + { + "item_id": 2343, + "task_type": "pick_two_obj_and_place-Spoon-None-Drawer-6", + "task_id": "trial_T20190908_041242_397364" + }, + { + "item_id": 2344, + "task_type": "pick_two_obj_and_place-SprayBottle-None-Cabinet-403", + "task_id": "trial_T20190907_123359_561127" + }, + { + "item_id": 2345, + "task_type": "pick_two_obj_and_place-SprayBottle-None-Cabinet-407", + "task_id": "trial_T20190907_144622_713062" + }, + { + "item_id": 2346, + "task_type": "pick_two_obj_and_place-SprayBottle-None-Cabinet-417", + "task_id": "trial_T20190909_112634_915921" + }, + { + "item_id": 2347, + "task_type": "pick_two_obj_and_place-SprayBottle-None-Cart-401", + "task_id": "trial_T20190906_193324_436227" + }, + { + "item_id": 2348, + "task_type": "pick_two_obj_and_place-SprayBottle-None-Cart-401", + "task_id": "trial_T20190906_193428_881063" + }, + { + "item_id": 2349, + "task_type": "pick_two_obj_and_place-SprayBottle-None-CounterTop-409", + "task_id": "trial_T20190908_131717_174947" + }, + { + "item_id": 2350, + "task_type": "pick_two_obj_and_place-SprayBottle-None-CounterTop-410", + "task_id": "trial_T20190908_161543_945343" + }, + { + "item_id": 2351, + "task_type": "pick_two_obj_and_place-SprayBottle-None-Drawer-423", + "task_id": "trial_T20190909_025705_159852" + }, + { + "item_id": 2352, + "task_type": "pick_two_obj_and_place-SprayBottle-None-Drawer-423", + "task_id": "trial_T20190909_025758_640014" + }, + { + "item_id": 2353, + "task_type": "pick_two_obj_and_place-SprayBottle-None-Dresser-413", + "task_id": "trial_T20190906_193350_794065" + }, + { + "item_id": 2354, + "task_type": "pick_two_obj_and_place-SprayBottle-None-Dresser-413", + "task_id": "trial_T20190906_193429_044662" + }, + { + "item_id": 2355, + "task_type": "pick_two_obj_and_place-SprayBottle-None-GarbageCan-408", + "task_id": "trial_T20190909_033220_609500" + }, + { + "item_id": 2356, + "task_type": "pick_two_obj_and_place-SprayBottle-None-GarbageCan-416", + "task_id": "trial_T20190909_001522_308289" + }, + { + "item_id": 2357, + "task_type": "pick_two_obj_and_place-SprayBottle-None-GarbageCan-416", + "task_id": "trial_T20190909_014108_782415" + }, + { + "item_id": 2358, + "task_type": "pick_two_obj_and_place-SprayBottle-None-GarbageCan-418", + "task_id": "trial_T20190909_071533_543818" + }, + { + "item_id": 2359, + "task_type": "pick_two_obj_and_place-SprayBottle-None-GarbageCan-419", + "task_id": "trial_T20190908_164331_451441" + }, + { + "item_id": 2360, + "task_type": "pick_two_obj_and_place-SprayBottle-None-GarbageCan-420", + "task_id": "trial_T20190909_141746_420846" + }, + { + "item_id": 2361, + "task_type": "pick_two_obj_and_place-SprayBottle-None-GarbageCan-423", + "task_id": "trial_T20190909_012941_820281" + }, + { + "item_id": 2362, + "task_type": "pick_two_obj_and_place-SprayBottle-None-GarbageCan-428", + "task_id": "trial_T20190909_055155_468865" + }, + { + "item_id": 2363, + "task_type": "pick_two_obj_and_place-SprayBottle-None-Toilet-402", + "task_id": "trial_T20190911_213113_817208" + }, + { + "item_id": 2364, + "task_type": "pick_two_obj_and_place-SprayBottle-None-Toilet-405", + "task_id": "trial_T20190907_151246_155544" + }, + { + "item_id": 2365, + "task_type": "pick_two_obj_and_place-SprayBottle-None-Toilet-422", + "task_id": "trial_T20190908_164720_891084" + }, + { + "item_id": 2366, + "task_type": "pick_two_obj_and_place-SprayBottle-None-Toilet-430", + "task_id": "trial_T20190908_124127_599058" + }, + { + "item_id": 2367, + "task_type": "pick_two_obj_and_place-SprayBottle-None-Toilet-430", + "task_id": "trial_T20190908_124338_554406" + }, + { + "item_id": 2368, + "task_type": "pick_two_obj_and_place-Statue-None-CoffeeTable-223", + "task_id": "trial_T20190907_174318_168269" + }, + { + "item_id": 2369, + "task_type": "pick_two_obj_and_place-Statue-None-CoffeeTable-223", + "task_id": "trial_T20190907_174359_931960" + }, + { + "item_id": 2370, + "task_type": "pick_two_obj_and_place-Statue-None-CoffeeTable-223", + "task_id": "trial_T20190911_022826_125517" + }, + { + "item_id": 2371, + "task_type": "pick_two_obj_and_place-Statue-None-DiningTable-228", + "task_id": "trial_T20190906_222607_743673" + }, + { + "item_id": 2372, + "task_type": "pick_two_obj_and_place-Statue-None-Dresser-213", + "task_id": "trial_T20190909_065419_372851" + }, + { + "item_id": 2373, + "task_type": "pick_two_obj_and_place-Statue-None-SideTable-214", + "task_id": "trial_T20190909_065508_033151" + }, + { + "item_id": 2374, + "task_type": "pick_two_obj_and_place-Statue-None-SideTable-214", + "task_id": "trial_T20190909_065635_751813" + }, + { + "item_id": 2375, + "task_type": "pick_two_obj_and_place-Statue-None-SideTable-214", + "task_id": "trial_T20190909_065706_103190" + }, + { + "item_id": 2376, + "task_type": "pick_two_obj_and_place-TissueBox-None-Cart-430", + "task_id": "trial_T20190906_172336_695472" + }, + { + "item_id": 2377, + "task_type": "pick_two_obj_and_place-TissueBox-None-Cart-430", + "task_id": "trial_T20190906_172441_023365" + }, + { + "item_id": 2378, + "task_type": "pick_two_obj_and_place-TissueBox-None-CoffeeTable-230", + "task_id": "trial_T20190909_145741_748744" + }, + { + "item_id": 2379, + "task_type": "pick_two_obj_and_place-TissueBox-None-CoffeeTable-230", + "task_id": "trial_T20190909_145815_720431" + }, + { + "item_id": 2380, + "task_type": "pick_two_obj_and_place-TissueBox-None-Drawer-427", + "task_id": "trial_T20190909_060953_266728" + }, + { + "item_id": 2381, + "task_type": "pick_two_obj_and_place-TissueBox-None-Drawer-427", + "task_id": "trial_T20190909_061046_921697" + }, + { + "item_id": 2382, + "task_type": "pick_two_obj_and_place-TissueBox-None-GarbageCan-230", + "task_id": "trial_T20190908_050824_374809" + }, + { + "item_id": 2383, + "task_type": "pick_two_obj_and_place-TissueBox-None-Shelf-313", + "task_id": "trial_T20190907_041626_531279" + }, + { + "item_id": 2384, + "task_type": "pick_two_obj_and_place-TissueBox-None-SideTable-321", + "task_id": "trial_T20190908_025939_647835" + }, + { + "item_id": 2385, + "task_type": "pick_two_obj_and_place-TissueBox-None-SideTable-321", + "task_id": "trial_T20190908_030013_798472" + }, + { + "item_id": 2386, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Cabinet-402", + "task_id": "trial_T20190908_144830_163459" + }, + { + "item_id": 2387, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Cabinet-402", + "task_id": "trial_T20190911_202322_415136" + }, + { + "item_id": 2388, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Cabinet-408", + "task_id": "trial_T20190909_085658_782847" + }, + { + "item_id": 2389, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Cabinet-408", + "task_id": "trial_T20190909_085802_996300" + }, + { + "item_id": 2390, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Cabinet-412", + "task_id": "trial_T20190908_141627_482177" + }, + { + "item_id": 2391, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Cabinet-417", + "task_id": "trial_T20190909_115011_963684" + }, + { + "item_id": 2392, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-CounterTop-402", + "task_id": "trial_T20190909_053732_822099" + }, + { + "item_id": 2393, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Drawer-409", + "task_id": "trial_T20190906_193444_042317" + }, + { + "item_id": 2394, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Drawer-410", + "task_id": "trial_T20190908_111427_862927" + }, + { + "item_id": 2395, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Drawer-413", + "task_id": "trial_T20190908_004844_910818" + }, + { + "item_id": 2396, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Drawer-416", + "task_id": "trial_T20190908_013040_862247" + }, + { + "item_id": 2397, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Drawer-421", + "task_id": "trial_T20190908_151509_650749" + }, + { + "item_id": 2398, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Drawer-421", + "task_id": "trial_T20190908_151607_287067" + }, + { + "item_id": 2399, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Drawer-421", + "task_id": "trial_T20190908_184549_278817" + }, + { + "item_id": 2400, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Drawer-423", + "task_id": "trial_T20190907_111333_143099" + }, + { + "item_id": 2401, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-SideTable-420", + "task_id": "trial_T20190909_114817_260394" + }, + { + "item_id": 2402, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-SideTable-420", + "task_id": "trial_T20190909_193854_783741" + }, + { + "item_id": 2403, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Toilet-405", + "task_id": "trial_T20190909_070123_655113" + }, + { + "item_id": 2404, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Toilet-408", + "task_id": "trial_T20190909_080347_367417" + }, + { + "item_id": 2405, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Toilet-413", + "task_id": "trial_T20190908_032050_015672" + }, + { + "item_id": 2406, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Toilet-415", + "task_id": "trial_T20190908_080148_528030" + }, + { + "item_id": 2407, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Toilet-418", + "task_id": "trial_T20190910_062201_303964" + }, + { + "item_id": 2408, + "task_type": "pick_two_obj_and_place-ToiletPaper-None-Toilet-429", + "task_id": "trial_T20190909_031718_783966" + }, + { + "item_id": 2409, + "task_type": "pick_two_obj_and_place-Vase-None-CoffeeTable-209", + "task_id": "trial_T20190906_192158_361652" + }, + { + "item_id": 2410, + "task_type": "pick_two_obj_and_place-Vase-None-CoffeeTable-209", + "task_id": "trial_T20190906_192228_459297" + }, + { + "item_id": 2411, + "task_type": "pick_two_obj_and_place-Vase-None-CoffeeTable-209", + "task_id": "trial_T20190906_192308_359944" + }, + { + "item_id": 2412, + "task_type": "pick_two_obj_and_place-Vase-None-CoffeeTable-214", + "task_id": "trial_T20190910_173303_364989" + }, + { + "item_id": 2413, + "task_type": "pick_two_obj_and_place-Vase-None-CoffeeTable-227", + "task_id": "trial_T20190909_034051_446517" + }, + { + "item_id": 2414, + "task_type": "pick_two_obj_and_place-Vase-None-SideTable-330", + "task_id": "trial_T20190907_052246_310066" + }, + { + "item_id": 2415, + "task_type": "pick_two_obj_and_place-Watch-None-Dresser-205", + "task_id": "trial_T20190907_182257_096741" + }, + { + "item_id": 2416, + "task_type": "pick_two_obj_and_place-Watch-None-Shelf-326", + "task_id": "trial_T20190906_201415_685426" + }, + { + "item_id": 2417, + "task_type": "pick_two_obj_and_place-Watch-None-Shelf-326", + "task_id": "trial_T20190906_201446_524359" + }, + { + "item_id": 2418, + "task_type": "pick_two_obj_and_place-Watch-None-Shelf-326", + "task_id": "trial_T20190911_150057_341885" + }, + { + "item_id": 2419, + "task_type": "pick_two_obj_and_place-WineBottle-None-Cabinet-17", + "task_id": "trial_T20190909_014040_145528" + } +] \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-alfworld/pyproject.toml b/openmanus_rl/agentgym/agentenv-alfworld/pyproject.toml new file mode 100644 index 00000000..9a330daa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-alfworld/pyproject.toml @@ -0,0 +1,18 @@ +[project] +name = "agentenv_alfworld" +version = "0.0.1" +description = "" +authors = [ + {name = "zsxmwjz", email = "13816862266@163.com"}, +] +dependencies = ["opencv-python-headless", "gym", "fastapi", "uvicorn"] +requires-python = "~=3.9" +readme = "README.md" +license = {text = "MIT"} + +[build-system] +requires = ["pdm-backend"] +build-backend = "pdm.backend" + +[project.scripts] +alfworld = "agentenv_alfworld:launch" diff --git a/openmanus_rl/agentgym/agentenv-alfworld/setup.sh b/openmanus_rl/agentgym/agentenv-alfworld/setup.sh new file mode 100755 index 00000000..207c2814 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-alfworld/setup.sh @@ -0,0 +1,5 @@ +pip install alfworld +pip uninstall opencv-python -y +pip install -e . +export ALFWORLD_DATA=~/.cache/alfworld +alfworld-download diff --git a/openmanus_rl/agentgym/agentenv-babyai/README.md b/openmanus_rl/agentgym/agentenv-babyai/README.md new file mode 100644 index 00000000..2c5e72ac --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-babyai/README.md @@ -0,0 +1,15 @@ +# Agent Environments - BabyAI + +## Setup + +``` sh +conda create --name agentenv-babyai +conda activate agentenv-babyai +pip install -e . +``` + +## Launch + +``` sh +babyai --host 0.0.0.0 --port 36001 +``` diff --git a/openmanus_rl/agentgym/agentenv-babyai/agentenv_babyai/__init__.py b/openmanus_rl/agentgym/agentenv-babyai/agentenv_babyai/__init__.py new file mode 100644 index 00000000..ad8b8b4c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-babyai/agentenv_babyai/__init__.py @@ -0,0 +1,2 @@ +from .server import app +from .launch import launch diff --git a/openmanus_rl/agentgym/agentenv-babyai/agentenv_babyai/environment.py b/openmanus_rl/agentgym/agentenv-babyai/agentenv_babyai/environment.py new file mode 100644 index 00000000..2744bc52 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-babyai/agentenv_babyai/environment.py @@ -0,0 +1,854 @@ +import gym +import os +import numpy as np +import gymnasium +import matplotlib.pyplot as plt + +class BabyAI(gym.Env): + def __init__(self, + max_episode_steps=50, + game_name="BabyAI-GoToRedBall-v0", + seed=1234, + game_config=None, + render_path="temp/babyai_render", + need_render=False, + obs_to_reward=None, + difficulty="easy", + ): + + super().__init__() + + self.max_episode_steps = max_episode_steps + self.error_message = {} + self.game_name = game_name + self.seed = seed + self.game_config = game_config + + self.env = gymnasium.make(game_name) + self.render_path = render_path + self.need_render = need_render + self.obs_to_reward = obs_to_reward + self.store_all_obs_to_reward = obs_to_reward + self.difficulty = difficulty + if self.obs_to_reward is not None: + if isinstance(self.obs_to_reward[0], list): + self.num_obs_to_reward = len(self.obs_to_reward[0]) + else: + self.num_obs_to_reward = len(self.obs_to_reward) + self.reset() + + + def render(self, mode='human'): + if not os.path.exists(self.render_path): + os.makedirs(self.render_path) + + rgb_img = self.env.unwrapped.get_frame( + highlight=self.env.unwrapped.highlight, tile_size=self.env.unwrapped.tile_size + ) + + output_path = os.path.join(self.render_path, f"step_{self.steps}.png") + plt.imsave(output_path, rgb_img) + + return output_path + + + def _get_info(self): + return self.infos + + def _get_obs(self): + return self.states[-1] + + def _get_goal(self): + return self.goal + + def _get_history(self): + return self.history + + def _get_action_space(self): + return list(self.action_space.keys()) # return a list of valid actions + + def _is_done(self): + return self.done + + def match_style(self, obs, pattern): + pattern = pattern.strip() + split_token = "**" + if "**" not in pattern: + split_token = "*" + pattern_list = pattern.strip().split(split_token) + all_obs = obs.split(".") + for obs_temp in all_obs: + flag = True + for p in pattern_list: + p = p.strip(".") + if p not in obs_temp: + flag = False + if flag: + return True + return False + + def update_reward(self, obs): + if self.obs_to_reward is None: + return + if len(self.obs_to_reward) == 0: + return + if isinstance(self.obs_to_reward[0], list): + need_to_award = False + path_length = len(self.obs_to_reward[0]) + for i in range(path_length): + for obs_temp in self.obs_to_reward: + if self.match_style(obs, obs_temp[i]): + need_to_award = True + break + + if need_to_award: + self.points += 1 + self.reward = max(self.reward, self.points/self.num_obs_to_reward) + for obs_temp in self.obs_to_reward: + obs_temp.remove(obs_temp[i]) + break + + else: + for pattern in self.obs_to_reward: + if self.match_style(obs, pattern): + self.points += 1 + self.reward = max(self.reward, self.points/self.num_obs_to_reward) + self.obs_to_reward.remove(pattern) + break + + + + def update(self, action, obs, reward, done, infos): # update the environment after taking an action + for k, v in infos.items(): + self.infos[k] = v + + + self.done = done + self.history.append(("action", action)) + self.history.append(("reward", reward)) + + new_obs, new_action_space = self.postprocess_obs(obs) + + if self.done: + new_obs += "\n The task is completed." + + if self.obs_to_reward is not None: + self.update_reward(new_obs) + else: + self.reward = reward + + if self.done: # in case the model find a way to skip a step + if self.reward <= 0.5: + self.done = False + + if self.reward == 1 and not self.done: # if the agent has already reached the goal, but the task is not completed, we fix the error. + self.done = True + new_obs += "\n The task is completed." + + + self.history.append(("state", new_obs)) + self.states.append(new_obs) + + self.action_space = new_action_space + + self.steps += 1 + self.obs_2d = obs["image"] # keep the 2d observation for visualization, also used to double check if a step is implemented correctly + + self.infos["goal"] = self.goal + self.infos["states"] = self.states + self.infos["history"] = self.history + self.infos["steps"] = self.steps + self.infos["state"] = self.states[-1] + + + def update_info(self, action, info): # update the environment after taking an action, the action is not implemented correctly + self.history.append(("action", action)) + self.history.append(("reward", self.reward)) + self.history.append(("state", info)) + self.states.append(info) + self.steps += 1 + self.infos["goal"] = self.goal + self.infos["states"] = self.states + self.infos["history"] = self.history + self.infos["steps"] = self.steps + self.infos["state"] = self.states[-1] + + def get_next_pos(self, pos, action, dir): # get the next position after taking an action + if action == 0: + dir = (dir-1)%4 + + elif action == 1: + dir = (dir+1)%4 + + elif action == 2: + dir_vec = DIR_TO_VEC[dir] + pos = tuple(pos + dir_vec) + + return pos, dir + + def find_path(self, init_pos, goal, all_objs, all_barriers, init_dir, xrange, yrange, arrive=False): # find the shortest path from pos to goal, all_objs is a list of position of objects, need to avoid them + all_things = all_objs + all_barriers + pos = init_pos + dir = init_dir + graph = dict() + queue = [(pos, dir)] + state = set() + + + while len(queue) > 0: + pos, dir = queue.pop(0) + state.add((pos, dir)) + + if arrive: + if pos[0]==goal[0] and pos[1]==goal[1]: + # get all actions that leas to current state + path = [] + while (pos, dir) != (init_pos, init_dir): + (pos, dir), action = graph[(pos, dir)] + path.append(action) + path = path[::-1] + + return path + else: + if goal[0] - pos[0] == DIR_TO_VEC[dir][0] and goal[1] - pos[1] == DIR_TO_VEC[dir][1]: + path = [] + while (pos, dir) != (init_pos, init_dir): + (pos, dir), action = graph[(pos, dir)] + path.append(action) + path = path[::-1] + + return path + + for action in [2, 0, 1]: + new_pos, new_dir = self.get_next_pos(pos, action, dir) + is_obstacle = False + for obj in all_things: + if new_pos[0] not in xrange or new_pos[1] not in yrange: + is_obstacle = True + break + if (new_pos, new_dir) in state: + is_obstacle = True + break + if obj["abs_pos"] == new_pos: + if "wall" in obj["name"] or "box" in obj["name"] or "lava" in obj["name"] or "ball" in obj["name"] or "key" in obj["name"]: + is_obstacle = True + break + if not is_obstacle: + queue.append((new_pos, new_dir)) + graph[(new_pos, new_dir)] = ((pos, dir), action) + + return None + + def postprocess_obs(self, obs): # postprocess the observation, translate the observation into description and possible actions + + _, vis_mask = self.env.unwrapped.gen_obs_grid() + view_size = self.env.unwrapped.agent_view_size + pos = self.env.unwrapped.agent_pos + f_vec = self.env.unwrapped.dir_vec + r_vec = self.env.unwrapped.right_vec + + # Compute the absolute coordinates of the top-left corner + # of the agent's view area + top_left = pos + f_vec * (view_size - 1) - r_vec * (view_size // 2) + + # calculate the range of the absolute coordinates + vecs = - f_vec + r_vec + boarders = top_left + view_size*vecs + + xboarder = boarders[0] + if xboarder < top_left[0]: + xrange = range(xboarder, top_left[0]+1) + else: + xrange = range(top_left[0], xboarder) + + yboarder = boarders[1] + if yboarder < top_left[1]: + yrange = range(yboarder, top_left[1]+1) + else: + yrange = range(top_left[1], yboarder) + + grid = obs["image"] + dir = obs["direction"] + all_objs = [] + + # identify distance to walls and barriers (box) in four directions + left_dis = 0 + all_barriers = [] + + for vis_j in range(0, view_size): + for vis_i in range(0, view_size): + abs_i, abs_j = top_left - (f_vec * vis_j) + (r_vec * vis_i) + distance = abs(pos[0]-abs_i) + abs(pos[1]-abs_j) + + if abs_i < 0 or abs_j < 0: + continue + + if distance == 0: # in case the agent counts the carrying object as an additional object + continue + + obj_type = IDX_TO_OBJECT[grid[vis_i, vis_j, 0]] + obj_color = IDX_TO_COLOR[grid[vis_i, vis_j, 1]] + obj_state = IDX_TO_STATE[grid[vis_i, vis_j, 2]] + + # identify object of interest + if obj_type in ["door", "key", "ball", "box", "goal", "lava", "wall"]: + if obj_type == "door": + obj_name = obj_color + " " + obj_state + " " + obj_type + else: + obj_name = obj_color + " " + obj_type + + all_objs.append({"name": obj_name, "abs_pos":(abs_i, abs_j), "dis":distance}) + + if obj_type in ["box", "wall"]: + self_dir = DIR_TO_VEC[dir] # get the direction of the agent + obj_relative_pos = (abs_i - pos[0], abs_j - pos[1]) # get the relative position of the object + # check if the object is in front of the agent + if np.cross(self_dir, obj_relative_pos) == 0: + all_barriers.append({"name": obj_type, "abs_pos":(abs_i, abs_j), "dis":np.dot(self_dir, obj_relative_pos)}) + + # sort by distance, from near to far + all_objs.sort(key=lambda x: x["dis"]) + if len(all_objs) > 0: + cnt_observe = dict() + obj_description = "In front of you in this room, you can see several objects: " + for obj_temp in all_objs: + if 'wall' in obj_temp["name"]: + continue + obj_temp_pos = obj_temp["abs_pos"] + obj_temp_relative = (obj_temp_pos[0] - pos[0], obj_temp_pos[1] - pos[1]) + self_dir = DIR_TO_VEC[dir] + front_dis = np.dot(self_dir, obj_temp_relative) + right_dis = np.dot(DIR_TO_VEC[(dir+1)%4], obj_temp_relative) + pos_desc_temp = "" + + if right_dis == 0: + pos_desc_temp = "right in front of you " + str(int(front_dis)) + " steps away. " + elif right_dis > 0: + pos_desc_temp = str(int(front_dis)) + " steps in front of you and " + str(int(right_dis)) + " steps to your right. " + else: + pos_desc_temp = str(int(front_dis)) + " steps in front of you and " + str(int(-right_dis)) + " steps to your left. " + + if obj_temp["name"] not in cnt_observe: + cnt_observe[obj_temp["name"]] = 1 + else: + cnt_observe[obj_temp["name"]] += 1 + obj_description += "There is a " + obj_temp["name"] + " " + str(cnt_observe[obj_temp["name"]]) + " "+ pos_desc_temp + " " + else: + obj_description = "You cannot see any objects within sight." + + barrier_description = "The room has walls around you. " + if len(all_barriers) > 0: + all_barriers.sort(key=lambda x: x["dis"]) + barrier_dis_pos = all_barriers[0]["dis"] + + barrier_description += "You are facing a " + all_barriers[0]["name"] + " " + str(barrier_dis_pos) + " steps away. " + + carry_description = "" + carrying = self.env.unwrapped.carrying + if carrying is not None: + carrying_type = carrying.type + carrying_color = carrying.color + carry_description = "You are carrying a " + carrying_color + " " + carrying_type + "." + else: + carry_description = "You are not carrying anything." + + description = obj_description + barrier_description + carry_description + + # ---------------------------finish processing the description of the goal-------------------------------- + + # --------------------------- process possible actions space -------------------------------- + + possible_actions = {"turn left": [0], "turn right": [1]} + error_message = {} # create finegrained error message for failed to execute actions + + # can the agent move forward? + if len(all_barriers) == 0 or all_barriers[0]["dis"] > 1: # if there is no barrier or the barrier is far away, the agent can move forward + possible_actions["move forward"] = [2] + else: + error_message["move forward"] = "There is a barrier in front of you, you can't move forward." + + # go to pickup an object + if carrying is None: + if len(all_objs) > 0: + + cnt_object = dict() + for i, obj_temp in enumerate(all_objs): + if 'wall' in obj_temp["name"]: + continue + if 'door' in obj_temp["name"]: + continue + + if 'goal' in obj_temp["name"]: + continue + + obj_temp_pos = obj_temp["abs_pos"] + obj_temp_relative = (obj_temp_pos[0] - pos[0], obj_temp_pos[1] - pos[1]) + self_dir = DIR_TO_VEC[dir] + + obj_name = obj_temp["name"] + + front_dis = np.dot(self_dir, obj_temp_relative) + right_dis = np.dot(DIR_TO_VEC[(dir+1)%4], obj_temp_relative) + + actions_temp = self.find_path(pos, obj_temp_pos, all_objs, all_barriers, dir, xrange, yrange, arrive=False) + + if actions_temp is not None: + actions_temp.append(3) # add pickup action at the end + + + + if "pickup "+ obj_name+ " " + str(1) not in possible_actions: # note that this action space is not necessarily successful, we will execute the actions step by step and stops if failed. + cnt_object[obj_name] = 1 + possible_actions["pickup "+ obj_name + " " + str(1)] = actions_temp + else: + cnt_object[obj_name] += 1 + possible_actions["pickup "+ obj_name + " " + str(cnt_object[obj_name])] = actions_temp + else: + if "pickup "+ obj_name+ " " + str(1) not in possible_actions: + error_message["pickup "+ obj_name + " " + str(1)] = "You cannot pickup " + obj_name + " " + str(1) + ", as there is no path leading to it." + else: + error_message["pickup "+ obj_name + " " + str(cnt_object[obj_name]+1)] = "You cannot pickup " + obj_name + " " + str(cnt_object[obj_name]+1) + ", as there is no path leading to it." + + + # drop an object + if carrying is not None: + drop_pos = tuple(pos + DIR_TO_VEC[dir]) + can_drop = True + for obj_temp in all_objs: + if obj_temp["abs_pos"] == drop_pos: + for obj_type in ["wall", "box", "lava", "ball", "key"]: + if obj_type in obj_temp["name"]: + can_drop = False + break + if can_drop: + possible_actions["drop"] = [4] + + else: + error_message["drop"] = "You cannot drop the object, as there is already an object in front of you." + else: + error_message["drop"] = "You cannot drop the object, as you are not carrying anything." + + # go through a door or toggle a door or toggle a door with a key + if len(all_objs)>0: + cnt_door = dict() + for obj_temp in all_objs: + if 'door' in obj_temp["name"]: + if obj_temp["name"] not in cnt_door: + cnt_door[obj_temp["name"]] = 1 + else: + cnt_door[obj_temp["name"]] += 1 + + if 'open door' in obj_temp["name"]: + + obj_temp_pos = obj_temp["abs_pos"] + obj_temp_relative = (obj_temp_pos[0] - pos[0], obj_temp_pos[1] - pos[1]) + self_dir = DIR_TO_VEC[dir] + + obj_name = obj_temp["name"] + + front_dis = np.dot(self_dir, obj_temp_relative) + right_dis = np.dot(DIR_TO_VEC[(dir+1)%4], obj_temp_relative) + + actions_temp = self.find_path(pos, obj_temp_pos, all_objs, all_barriers, dir, xrange, yrange, arrive=True) + if actions_temp is not None: + possible_actions["go through "+ obj_temp["name"] + " "+ str(cnt_door[obj_temp["name"]])] = actions_temp + else: + error_message["go through "+ obj_temp["name"] + " "+ str(cnt_door[obj_temp["name"]])] = "You cannot go through " + obj_temp["name"] + " "+ str(cnt_door[obj_temp["name"]]) + ", as there is no path leading to it." + + if 'closed door' in obj_temp["name"]: + obj_temp_pos = obj_temp["abs_pos"] + obj_temp_relative = (obj_temp_pos[0] - pos[0], obj_temp_pos[1] - pos[1]) + self_dir = DIR_TO_VEC[dir] + + obj_name = obj_temp["name"] + + front_dis = np.dot(self_dir, obj_temp_relative) + right_dis = np.dot(DIR_TO_VEC[(dir+1)%4], obj_temp_relative) + + actions_temp = self.find_path(pos, obj_temp_pos, all_objs, all_barriers, dir, xrange, yrange, arrive=False) + + if actions_temp is not None: + possible_actions["toggle and go through " + obj_temp["name"] + " "+str(cnt_door[obj_temp["name"]])] = actions_temp + [5, 2] + else: + error_message["toggle and go through " + obj_temp["name"] + " "+str(cnt_door[obj_temp["name"]])] = "You cannot toggle and go through " + obj_temp["name"] + " "+str(cnt_door) + ", as there is no path leading to it." + if actions_temp == []: + possible_actions["toggle"] = [5] + error_message["go through "+ obj_temp["name"] + " "+ str(cnt_door[obj_temp["name"]])] = "You cannot go through " + obj_temp["name"] + " "+ str(cnt_door[obj_temp["name"]]) + ", as it is closed. You should toggle it first." + + if 'locked door' in obj_temp["name"]: + + if carrying is None or carrying.type != 'key': + error_message["toggle and go through " + obj_temp["name"] + " "+str(cnt_door[obj_temp["name"]])] = "You cannot toggle and go through " + obj_temp["name"] + " "+str(cnt_door[obj_temp["name"]]) + ", as you are not carrying a key." + continue + if carrying.color != obj_temp["name"].split(" ")[0]: + error_message["toggle and go through " + obj_temp["name"] + " "+str(cnt_door[obj_temp["name"]])] = "You cannot toggle and go through " + obj_temp["name"] + " "+str(cnt_door[obj_temp["name"]]) + ", as the color of the key you are carrying does not match the color of door." + continue + + + obj_temp_pos = obj_temp["abs_pos"] + obj_temp_relative = (obj_temp_pos[0] - pos[0], obj_temp_pos[1] - pos[1]) + self_dir = DIR_TO_VEC[dir] + + obj_name = obj_temp["name"] + + front_dis = np.dot(self_dir, obj_temp_relative) + right_dis = np.dot(DIR_TO_VEC[(dir+1)%4], obj_temp_relative) + + actions_temp = self.find_path(pos, obj_temp_pos, all_objs, all_barriers, dir, xrange, yrange, arrive=False) + + if actions_temp is not None: + possible_actions["toggle and go through " + obj_temp["name"] + " "+str(cnt_door[obj_temp["name"]])] = actions_temp + [5, 2] + else: + error_message["toggle and go through " + obj_temp["name"] + " "+str(cnt_door[obj_temp["name"]])] = "You cannot toggle and go through " + obj_temp["name"] + " "+str(cnt_door) + ", as there is no path leading to it." + if actions_temp == []: + possible_actions["toggle"] = [5] + + + # go to the goal + if len(all_objs) > 0: + for obj_temp in all_objs: + if "goal" not in obj_temp["name"]: + continue + + obj_temp_pos = obj_temp["abs_pos"] + obj_temp_relative = (obj_temp_pos[0] - pos[0], obj_temp_pos[1] - pos[1]) + self_dir = DIR_TO_VEC[dir] + + obj_name = obj_temp["name"] + + front_dis = np.dot(self_dir, obj_temp_relative) + right_dis = np.dot(DIR_TO_VEC[(dir+1)%4], obj_temp_relative) + + actions_temp = self.find_path(pos, obj_temp_pos, all_objs, all_barriers, dir, xrange, yrange,arrive=True) + if actions_temp is not None: + possible_actions["go to goal"] = actions_temp + else: + error_message["go to goal"] = "You cannot go to the goal, as there is no path leading to it." + + # go to object + if len(all_objs) > 0: + cnt_goto = dict() + for obj_temp in all_objs: + if "wall" in obj_temp["name"]: + continue + if "goal" in obj_temp["name"]: + continue + obj_name = obj_temp["name"] + obj_temp_pos = obj_temp["abs_pos"] + + actions_temp = self.find_path(pos, obj_temp_pos, all_objs, all_barriers, dir, xrange, yrange, arrive=False) + if actions_temp is not None: + if "go to " + obj_name + ' 1' not in possible_actions: + possible_actions["go to " + obj_name+ ' 1'] = actions_temp + cnt_goto[obj_name] = 1 + else: + cnt_goto[obj_name] += 1 + possible_actions["go to " + obj_name+ ' ' + str(cnt_goto[obj_name])] = actions_temp + else: + if "go to " + obj_name + ' 1' not in possible_actions: + error_message["go to " + obj_name+ ' 1'] = "You cannot go to " + obj_name+ ' 1' + ", as there is no path leading to it." + else: + error_message["go to " + obj_name+ ' ' + str(cnt_goto[obj_name]+1)] = "You cannot go to " + obj_name+ ' ' + str(cnt_goto[obj_name]+1) + ", as there is no path leading to it." + + # add check action space as a special action + possible_actions["check available actions"] = [] + self.error_message = error_message + return description, possible_actions + + + def reset(self): + obs, infos = self.env.reset(seed=self.seed) + if self.store_all_obs_to_reward is not None: + self.obs_to_reward = self.store_all_obs_to_reward.copy() + else: + self.obs_to_reward = None + self.goal = self.env.unwrapped.mission + if "then" in self.goal: + self.goal = self.goal.replace("then", "and") + if "after you" in self.goal: + self.goal = self.goal.replace("after you", "and") + + description, possible_actions = self.postprocess_obs(obs) # postprocess the observation, translate the observation into description and possible actions + self.action_space = possible_actions # record the possible actions, each action corresponds to a list of low-level actions + self.init_obs = description + + self.infos = infos # record last step info, infos should be an empty dict for babyai :) + self.states = [self.init_obs] # record a stream of states + self.history = [("state", self.init_obs)] # record a stream of s0, a0, r0, s1, a1, r1, ... + self.steps = 0 + + self.infos["goal"] = self.goal + self.infos["states"] = self.states + self.infos["history"] = self.history + self.infos["steps"] = self.steps + self.infos["state"] = self.states[-1] + + self.obs_2d = obs["image"] # keep the 2d observation for visualization, also used to double check if a step is implemented correctly + self.reward = 0 + self.points = 0 + self.done = False + + def verify_action(self, action, obs): + # verify if the action is implemented correctly + # for convenience, now only implement as if the state is changed after taking an action + if (obs["image"] != self.obs_2d).sum() > 0: + return True + else: + return False + + + def check_action_is_valid(self, action): + action_space = self.action_space + state = self.states[-1] + if "check" in action: + return True, None + if action == "": + return False, "No change in state." + if action not in action_space: + if action in self.error_message: + return False, self.error_message[action] + else: + return False, "The action is not recognized. Please check valid actions." + else: + return True, None + + def step(self, action): + action = action.lower() + action = action.strip() + is_valid, error = self.check_action_is_valid(action) + if not is_valid: + self.update_info(action, error) + self.infos["action_is_valid"] = False + return self._get_obs(), self.reward, self.done, self.infos + elif action == "check available actions" or "check" in action: + action_info = "You can take the following actions: " + ", ".join(self._get_action_space()) + self.update_info(action, action_info) + self.infos["action_is_valid"] = True + return self._get_obs(), self.reward, self.done, self.infos + else: + action_list = self.action_space[action] # get the list of low-level actions corresponding to the action + # print(action_list) + + if action_list == []: + self.update_info(action, "No change in state.") + return self._get_obs(), self.reward, self.done, self.infos + + for action_step in action_list: + obs, reward, done, truncated, infos = self.env.step(action_step) # five returns using the new step API + if not self.verify_action(action_step, obs): + break # if the action is not implemented correctly, stop taking the next action, and return the current observation + else: + self.obs_2d = obs["image"] # update the 2d observation, as we need to check if the action is implemented correctly at a lower granularity + # print(self.env) + self.update(action, obs, reward, done, infos) # update the environment after all the low-level actions are taken + # print("reward: ", self.reward) + self.infos["action_is_valid"] = True + return self._get_obs(), self.reward, self.done, self.infos + + def save_log(self, log_path): + history = self.infos["history"] + with open(log_path, 'w') as f: + for item in history: + item_name = item[0] + item_content = item[1] + if item_content is None: + continue + f.write(item_name + ": " + str(item_content) + "\n") + + @classmethod + def from_config(cls, cfg): + + game_config = dict() + seed = cfg.get("seed", 1234) + test = cfg.get("test", False) + game_level = cfg.get("game_level", 1) # The level of babyai challenge + max_episode_steps = cfg.get("max_episode_steps", 50) # The maximum number of steps per episode + obs_to_reward = cfg.get("obs_to_reward", None) # The states that will be used to calculate the reward + difficulty = cfg.get("difficulty", None) # The difficulty of the game, can be "easy","hard" + game_name = all_levels[game_level] + + env = cls(max_episode_steps=max_episode_steps, + game_name=game_name, + seed=seed, + game_config=game_config, + obs_to_reward=obs_to_reward, + difficulty=difficulty, + ) + return env + + + +all_levels = { + 1: "BabyAI-GoToRedBallGrey-v0", + 2: "BabyAI-GoToRedBall-v0", + 3: "BabyAI-GoToRedBallNoDists-v0", + 4: "BabyAI-GoToObjS6-v0", + 5: "BabyAI-GoToLocalS8N7-v0", + 6: "BabyAI-GoToObjMazeS7-v0", + 7: "BabyAI-GoToImpUnlock-v0", + 8: "BabyAI-GoToSeqS5R2-v0", + 9: "BabyAI-GoToRedBlueBall-v0", + 10: "BabyAI-GoToDoor-v0", + 11: "BabyAI-GoToObjDoor-v0", + 12: "BabyAI-Open-v0", + 13: "BabyAI-OpenRedDoor-v0", + 14: "BabyAI-OpenDoorLoc-v0", + 15: "BabyAI-OpenRedBlueDoorsDebug-v0", + 16: "BabyAI-OpenDoorsOrderN4Debug-v0", + 17: "BabyAI-Pickup-v0", + 18: "BabyAI-UnblockPickup-v0", + 19: "BabyAI-PickupLoc-v0", + 20: "BabyAI-PickupDistDebug-v0", + 21: "BabyAI-PickupAbove-v0", + 22: "BabyAI-PutNextLocalS6N4-v0", + 23: "BabyAI-PutNextS7N4Carrying-v0", + 24: "BabyAI-Unlock-v0", + 25: "BabyAI-UnlockLocalDist-v0", + 26: "BabyAI-KeyInBox-v0", + 27: "BabyAI-UnlockPickupDist-v0", + 28: "BabyAI-BlockedUnlockPickup-v0", + 29: "BabyAI-UnlockToUnlock-v0", + 30: "BabyAI-ActionObjDoor-v0", + 31: "BabyAI-FindObjS7-v0", + 32: "BabyAI-KeyCorridorS6R3-v0", + 33: "BabyAI-OneRoomS20-v0", + 34: "BabyAI-MoveTwoAcrossS8N9-v0", + 35: "BabyAI-SynthS5R2-v0", + 36: "BabyAI-SynthLoc-v0", + 37: "BabyAI-SynthSeq-v0", + 38: "BabyAI-MiniBossLevel-v0", + 39: "BabyAI-BossLevel-v0", + 40: "BabyAI-BossLevelNoUnlock-v0" +} + + +IDX_TO_ACTION = { 0: "left", 1: "right", 2: "forward", 3: "pickup", 4: "drop", 5: "toggle", 6: "done"} + +ACTION_TO_IDX = { "left": 0, "right": 1, "forward": 2, "pickup": 3, "drop": 4, "toggle": 5, "done": 6} + +IDX_TO_OBJECT = { + 0: "unseen", + 1: "empty", + 2: "wall", + 3: "floor", + 4: "door", + 5: "key", + 6: "ball", + 7: "box", + 8: "goal", + 9: "lava", + 10: "agent", +} + + +OBJECT_TO_IDX = { + "unseen": 0, + "empty": 1, + "wall": 2, + "floor": 3, + "door": 4, + "key": 5, + "ball": 6, + "box": 7, + "goal": 8, + "lava": 9, + "agent": 10, +} + +STATE_TO_IDX = { + "open": 0, + "closed": 1, + "locked": 2, +} + +IDX_TO_STATE = { + 0: "open", + 1: "closed", + 2: "locked", +} + +COLOR_TO_IDX = {"red": 0, "green": 1, "blue": 2, "purple": 3, "yellow": 4, "grey": 5} + +IDX_TO_COLOR = {0: "red", 1: "green", 2: "blue", 3: "purple", 4: "yellow", 5: "grey"} + +DIR_TO_VEC = [ + # Pointing right (positive X) + np.array((1, 0)), + # Down (positive Y) + np.array((0, 1)), + # Pointing left (negative X) + np.array((-1, 0)), + # Up (negative Y) + np.array((0, -1)), +] + +class BabyAIEnv: + def __init__(self): + self._max_id = 0 + self.env = {} + self.info = {} + self.games = [] + + def create(self): + try: + idx = self._max_id + self.info[idx] = {"deleted": False, "done": False} + self._max_id += 1 + return {"id": idx} + except Exception as e: + return {"error": str(e)} + + def step(self, idx: int, action: str): + try: + self._check_id(idx) + self.env[idx].step(action) + action_space = "\nAvailable actions: [" + for action in self.env[idx]._get_action_space(): + action_space += "\"" + action + "\", " + if action_space[-1] != "[": + action_space = action_space[:-2] + action_space += "]" + payload = { + "observation": self.env[idx]._get_obs() + action_space, + "reward": self.env[idx].reward, + "score": self.info[idx]["score"] + self.env[idx].reward, + "done": self.env[idx]._is_done(), + } + self.info[idx].update(payload) + return payload + except Exception as e: + return {"error": str(e)} + + def reset(self, idx: int, data_idx: int): + try: + self._check_id(idx, True) + self.env[idx] = BabyAI(game_name=all_levels[data_idx % 40 + 1], seed=data_idx // 40) + self.env[idx].reset() + action_space = "\nAvailable actions: [" + for action in self.env[idx]._get_action_space(): + action_space += "\"" + action + "\", " + if action_space[-1] != "[": + action_space = action_space[:-2] + action_space += "]" + payload = { + "observation": "Your goal: " + self.env[idx]._get_goal() + "\n" + self.env[idx]._get_obs() + action_space, + "reward": self.env[idx].reward, + "score": self.env[idx].reward, + "deleted": False, + "done": self.env[idx]._is_done(), + } + self.info[idx].update(payload) + return payload + except Exception as e: + return {"error": str(e)} + + def _check_id(self, idx: int, is_reset: bool = False): + if idx not in self.info: + raise ValueError(f"The id {idx} is not valid.") + if self.info[idx]["deleted"]: + raise ValueError(f"The task with environment {idx} has been deleted.") + if not is_reset and self.info[idx]["done"]: + raise ValueError(f"The task with environment {idx} has finished.") + + +server = BabyAIEnv() diff --git a/openmanus_rl/agentgym/agentenv-babyai/agentenv_babyai/launch.py b/openmanus_rl/agentgym/agentenv-babyai/agentenv_babyai/launch.py new file mode 100644 index 00000000..dd7daac3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-babyai/agentenv_babyai/launch.py @@ -0,0 +1,16 @@ +""" +Entrypoint for the BabyAI agent environment. +""" + +import argparse +import uvicorn + + +def launch(): + """entrypoint for `babyai` commond""" + + parser = argparse.ArgumentParser() + parser.add_argument("--port", type=int, default=8000) + parser.add_argument("--host", type=str, default="0.0.0.0") + args = parser.parse_args() + uvicorn.run("agentenv_babyai:app", host=args.host, port=args.port) diff --git a/openmanus_rl/agentgym/agentenv-babyai/agentenv_babyai/model.py b/openmanus_rl/agentgym/agentenv-babyai/agentenv_babyai/model.py new file mode 100644 index 00000000..47297fae --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-babyai/agentenv_babyai/model.py @@ -0,0 +1,12 @@ +from pydantic import BaseModel +from typing import Optional + + +class StepRequestBody(BaseModel): + id: int + action: str + + +class ResetRequestBody(BaseModel): + id: int + data_idx: int diff --git a/openmanus_rl/agentgym/agentenv-babyai/agentenv_babyai/server.py b/openmanus_rl/agentgym/agentenv-babyai/agentenv_babyai/server.py new file mode 100644 index 00000000..393323f6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-babyai/agentenv_babyai/server.py @@ -0,0 +1,26 @@ +from fastapi import FastAPI +from .model import * +from .environment import server + +app = FastAPI() + + +@app.get("/") +def hello(): + return "This is environment BabyAI." + + +@app.post("/create") +async def create(): + return server.create() + + +@app.post("/step") +def step(body: StepRequestBody): + return server.step(body.id, body.action) + + +@app.post("/reset") +def reset(body: ResetRequestBody): + return server.reset(body.id, body.data_idx) + diff --git a/openmanus_rl/agentgym/agentenv-babyai/pyproject.toml b/openmanus_rl/agentgym/agentenv-babyai/pyproject.toml new file mode 100644 index 00000000..e87c4ab7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-babyai/pyproject.toml @@ -0,0 +1,20 @@ +[project] +name = "agentenv_babyai" +version = "0.0.1" +description = "" +authors = [ + {name = "Andy15", email = "1413924962@qq.com"}, +] +dependencies = [ + "fastapi", + "uvicorn", + "gym", + "gymnasium<1.0.0", + "matplotlib", + "minigrid<2.5.0" +] +readme = "README.md" +license = {text = "MIT"} + +[project.scripts] +babyai = "agentenv_babyai:launch" diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/README.md b/openmanus_rl/agentgym/agentenv-lmrlgym/README.md new file mode 100644 index 00000000..3b563b5a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/README.md @@ -0,0 +1,18 @@ +# Agent Environments - LMRL-Gym + +## Setup + +``` sh +git submodule init && git submodule update +conda env create --name agentenv-lmrlgym -f ./lmrlgym/environment.yml +conda activate agentenv-lmrlgym +bash ./setup.sh +``` + +## Launch + +``` sh +lmrlgym --host 0.0.0.0 --port 36001 +``` + +Note: When using make or wordle, your base URL should be `http://127.0.0.1:/maze/` or `http://127.0.0.1:/wordle/`. diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/__init__.py new file mode 100644 index 00000000..ad8b8b4c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/__init__.py @@ -0,0 +1,2 @@ +from .server import app +from .launch import launch diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/launch.py b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/launch.py new file mode 100644 index 00000000..1b05f00e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/launch.py @@ -0,0 +1,16 @@ +""" +Entrypoint for the LMRL-Gym agent environment. +""" + +import argparse +import uvicorn + + +def launch(): + """entrypoint for `lmrlgym` commond""" + + parser = argparse.ArgumentParser() + parser.add_argument("--port", type=int, default=8000) + parser.add_argument("--host", type=str, default="0.0.0.0") + args = parser.parse_args() + uvicorn.run("agentenv_lmrlgym:app", host=args.host, port=args.port) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/maze/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/maze/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/maze/environment.py b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/maze/environment.py new file mode 100644 index 00000000..175a12e2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/maze/environment.py @@ -0,0 +1,133 @@ +from .utils import setup_maze_env +from LLM_RL.environment import Text + + +class Lmrlgym_MazeEnv: + def __init__(self): + self._max_id = 0 + self.env = {} + self.info = {} + self.available_actions = ["move left", "move right", "move up", "move down"] + + def create(self): + idx = self._max_id + try: + payload = { + "id": self._max_id, + } + self.info[idx] = { + "done": False, + "reward": 0, + "deleted": False, + } + print(f"-------Env {idx} created--------") + self._max_id += 1 + except Exception as e: + payload = {"error": str(e)} + return payload + + def step(self, idx: int, action: str): + try: + self._check_id(idx) + history = (Text(action + "\n", True),) + ob, reward, done = self.env[idx].step(history) + ob = ob[-1].text + payload = {"observation": ob, "reward": reward, "done": done} + self.info[idx].update( + { + "observation": ob, + "reward": self.info[idx]["reward"] + reward, + "done": done, + } + ) + except Exception as e: + payload = {"error": f"{e}"} + return payload + + def reset(self, idx: int, game: int, **kwargs): + try: + self._check_id(idx, True) + start_positions = [ + (1, 1), + (1, 2), + (1, 3), + (1, 4), + (1, 5), + (1, 7), + (1, 8), + (1, 9), + (1, 10), + (1, 11), + (2, 3), + (3, 3), + (4, 3), + (5, 3), + (5, 4), + (5, 5), + (5, 6), + (6, 6), + (7, 6), + (5, 7), + (5, 8), + (5, 9), + (4, 9), + (3, 9), + (2, 9), + (8, 6), + ] + if game >= len(start_positions): + raise NameError(f"The game {game} is not valid.") + self.env[idx], ob, init_position = setup_maze_env( + "double_t_maze", start_position=start_positions[game], **kwargs + ) + ob = ( + self.env[idx] + .reset( + options={"goal": self.env[idx].goal, "init_position": init_position} + )[0] + .text + ) + payload = {"observation": ob} + self.info[idx] = { + "maze_name": "double_t_maze", + "observation": ob, + "done": False, + "reward": 0, + "deleted": False, + "goal_position": self.env[idx].goal, + "init_position": init_position, + } + except Exception as e: + payload = {"error": str(e)} + return payload + + def get_observation(self, idx: int): + try: + self._check_id(idx) + return self.info[idx]["observation"] + except Exception as e: + return {"error": str(e)} + + def get_available_actions(self): + return self.available_actions + + def get_detailed_info(self, idx: int): + try: + self._check_id(idx) + payload = self.info[idx].copy() + del payload["goal_position"] + del payload["init_position"] + return payload + except Exception as e: + return {"error": str(e)} + + def _check_id(self, idx: int, is_reset: bool = False): + if idx not in self.info: + raise NameError(f"The id {idx} is not valid.") + if self.info[idx]["deleted"]: + raise NameError(f"The task with environment {idx} has been deleted.") + if not is_reset and self.info[idx]["done"]: + raise NameError(f"The task with environment {idx} has finished.") + + +maze_server = Lmrlgym_MazeEnv() diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/maze/model.py b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/maze/model.py new file mode 100644 index 00000000..78eb90b8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/maze/model.py @@ -0,0 +1,11 @@ +from pydantic import BaseModel + + +class MazeStepRequestBody(BaseModel): + id: int + action: str + + +class MazeResetRequestBody(BaseModel): + id: int + game: int diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/maze/utils.py b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/maze/utils.py new file mode 100644 index 00000000..c2cd22ae --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/maze/utils.py @@ -0,0 +1,146 @@ +import numpy as np +import random +from typing import Tuple, List, Dict +from llm_rl_scripts.maze.env.env import MazeEnv, describe_objects, manhatten_actions +from llm_rl_scripts.maze.env.mazes import ( + t_maze, + u_maze, + double_t_maze, + random_shape_maze, + random_maze, +) + + +def describe_observation( + maze: np.ndarray, + cur_position: Tuple[int, int] = None, + goal_position: Tuple[int, int] = None, + init_position: Tuple[int, int] = None, + display_position: bool = True, + display_init_position: bool = True, +): + assert len(maze.shape) == 2 + position_description = init_description = "" + if display_position: + assert cur_position is not None, "cur_position is not given" + assert goal_position is not None, "goal_position is not given" + cur_description = f"Your current position is at position {cur_position[0]}, {cur_position[1]}. " + goal_description = ( + f"The goal is at position {goal_position[0]}, {goal_position[1]}. " + ) + position_description = goal_description + cur_description + if display_init_position: + assert init_position is not None, "init_position is not given" + init_description = f"Your init position is at position {init_position[0]}, {init_position[1]}. " + delta_descriptions = { + "to your right": (0, 1), + "to your left": (0, -1), + "above you": (-1, 0), + "below you": (1, 0), + } + walls = [] + for k, (dy, dx) in delta_descriptions.items(): + if maze[cur_position[0] + dy, cur_position[1] + dx] == 1: + walls.append(k) + wall_description = describe_objects("wall", walls) + return position_description + init_description + wall_description + + +def setup_maze_env( + maze_name: str, + width: int = 13, + height: int = 10, + display_position: bool = True, + display_init_position: bool = False, + success_reward: float = 1.0, + illegal_penalty: float = -4.0, + max_steps: int = 50, + **kwargs, +): + # setup environment + if maze_name == "u_maze": + maze = u_maze( + width, + height, + kwargs.get("obstacle_width", width - 3), + kwargs.get("obstacle_height", height - 4), + ) + valid_goals = np.array([[height - 2, 1]]) + start_position = kwargs.get("start_position", (1, 1)) + elif maze_name == "t_maze": + thick = kwargs.get("thick", 1) + maze = t_maze((width - 2 - thick, height - 2 - thick), thick) + valid_goals = np.array([[height - 2, width // 2]]) + start_position = kwargs.get("start_position", (1, 1)) + elif maze_name == "double_t_maze": + maze = double_t_maze() + valid_goals = np.array([[8, 6]]) + start_position = kwargs.get("start_position", (1, 1)) + elif maze_name == "random_shape_maze": + maze = random_shape_maze( + width, + height, + kwargs.get("max_shapes", 5), + kwargs.get("max_size", (width // 2) * (height // 2)), + kwargs.get("allow_overlap", True), + ) + empty_postions = np.argwhere(maze == 0).tolist() + goal_position, start_position = random.sample(empty_postions, 2) + valid_goals = np.array([goal_position]) + elif maze_name == "random_maze": + maze = random_maze( + width, height, kwargs.get("complexity", 0.75), kwargs.get("density", 0.75) + ) + empty_postions = np.argwhere(maze == 0).tolist() + goal_position, start_position = random.sample(empty_postions, 2) + valid_goals = np.array([goal_position]) + else: + raise ValueError(f"unknown maze name: {maze_name}") + + def describe_function( + maze: np.ndarray, + cur_position: Tuple[int, int] = None, + goal_position: Tuple[int, int] = None, + init_position: Tuple[int, int] = None, + move_history: List[str] = None, + ): + return describe_observation( + maze, + cur_position, + goal_position, + init_position, + display_position, + display_init_position, + ) + + def reward_function( + action: str, + goal_position: Tuple[int, int] = None, + cur_position: Tuple[int, int] = None, + possible_actions: Dict[str, Tuple[int, int]] = None, + ): + # modify reward calculation + if cur_position[0] == goal_position[0] and cur_position[1] == goal_position[1]: + return success_reward + else: + return 0 + + env = MazeEnv( + maze=maze, + valid_goals=valid_goals, + actions=manhatten_actions, + max_steps=max_steps, + display_initial_position=display_init_position, + describe_function=describe_function, + reward_function=reward_function, + ) + observation = env.reset(options={"init_position": start_position})[0].text + return env, observation, start_position + + +def maze2str(maze: np.ndarray): + assert len(maze.shape) == 2 + str_maze = "" + for line in maze: + str_maze += "".join(map(lambda x: "囗" if x else " ", line)) + "\n" + return str_maze[:-1] diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/server.py b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/server.py new file mode 100644 index 00000000..c9f28648 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/server.py @@ -0,0 +1,82 @@ +from fastapi import FastAPI +from .maze.environment import maze_server +from .maze.model import * +from .wordle.environment import wordle_server +from .wordle.model import * + +app = FastAPI() + + +@app.get("/") +def hello(): + return "This is environment LMRL-Gym." + + +# ---------------------------------------- +# maze +# ---------------------------------------- + + +@app.post("/maze/create") +async def maze_create(): + return maze_server.create() + + +@app.post("/maze/step") +def maze_step(body: MazeStepRequestBody): + return maze_server.step(body.id, body.action) + + +@app.post("/maze/reset") +def maze_reset(body: MazeResetRequestBody): + return maze_server.reset(body.id, body.game) + + +@app.get("/maze/available_actions") +def maze_get_available_actions(): + return maze_server.get_available_actions() + + +@app.get("/maze/observation") +def maze_get_observation(id: int): + return maze_server.get_observation(id) + + +@app.get("/maze/detail") +def maze_get_detailed_info(id: int): + return maze_server.get_detailed_info(id) + + +# ---------------------------------------- +# wordle +# ---------------------------------------- + + +@app.post("/wordle/create") +async def wordle_create(): + return wordle_server.create() + + +@app.post("/wordle/step") +def wordle_step(body: WordleStepRequestBody): + return wordle_server.step(body.id, body.action) + + +@app.post("/wordle/reset") +def wordle_reset(body: WordleResetRequestBody): + return wordle_server.reset(body.id, body.seed) + + +@app.get("/wordle/filtered_vocab") +def wordle_get_filtered_vocab(id: int): + return wordle_server.get_filtered_vocab(id) + + +@app.get("/wordle/observation") +def wordle_get_observation(id: int): + return wordle_server.get_observation(id) + + +@app.get("/wordle/detail") +def wordle_get_detailed_info(id: int): + return wordle_server.get_detailed_info(id) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/wordle/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/wordle/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/wordle/environment.py b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/wordle/environment.py new file mode 100644 index 00000000..4d6f283d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/wordle/environment.py @@ -0,0 +1,115 @@ +import os +from LLM_RL.environment import Text +from llm_rl_scripts.wordle.env.env import ReformatWordleEnvironment, WordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary + +vocab_base = os.path.abspath( + os.path.join( + os.path.dirname(os.path.realpath(__file__)), + "..", + "..", + "lmrlgym", + "llm_rl_scripts", + "wordle", + "vocab", + ) +) + + +class Lmrlgym_WordleEnv: + def __init__(self): + self._max_id = 0 + self.env = {} + self.info = {} + + def create(self): + idx = self._max_id + try: + # vocab = Vocabulary.from_file(os.path.join(vocab_base, f"{vocab_file}.txt")) + vocab = Vocabulary.from_file(os.path.join(vocab_base, "tweet_words.txt")) + new_env = ReformatWordleEnvironment(WordleEnvironment(vocab)) + payload = {"id": self._max_id} + self.env[idx] = new_env + self.info[idx] = {"done": False, "reward": 0, "deleted": False} + print(f"-------Env {idx} created--------") + self._max_id += 1 + except Exception as e: + payload = {"error": str(e)} + return payload + + def step(self, idx: int, action: str): + try: + self._check_id(idx) + history = ( + Text("This Text is a place holder and will not be used.", False), + Text(action, True), + ) + ob, reward, done = self.env[idx].step(history) + # modify score from [-1, 0] to [0, 1] + if reward <= 0: + reward += 1 + ob = ob[-1].text + if len(ob.strip()) == 0: + ob = "invalid word" + payload = {"observation": ob, "reward": reward, "done": done} + self.info[idx].update( + { + "observation": ob, + "reward": self.info[idx]["reward"] + reward, + "done": done, + } + ) + except Exception as e: + payload = {"error": f"{e}"} + return payload + + def reset(self, idx: int, seed: int): + try: + self._check_id(idx, True) + self.env[idx].reset(seed) + ob = "Let's start Wordle!" + payload = {"id": idx, "observation": ob} + self.info[idx].update( + { + "seed": seed, + "observation": ob, + "done": False, + "reward": 0, + "deleted": False, + } + ) + except Exception as e: + payload = {"error": str(e)} + return payload + + def get_observation(self, idx: int): + try: + self._check_id(idx) + return self.info[idx]["observation"] + except Exception as e: + return {"error": str(e)} + + def get_filtered_vocab(self, idx: int): + try: + self._check_id(idx) + return str(self.env[idx].env.state.vocab).split("\n") + except Exception as e: + return {"error": str(e)} + + def get_detailed_info(self, idx: int): + try: + self._check_id(idx) + return self.info[idx] + except Exception as e: + return {"error": str(e)} + + def _check_id(self, idx: int, is_reset: bool = False): + if idx not in self.info: + raise NameError(f"The id {idx} is not valid.") + if self.info[idx]["deleted"]: + raise NameError(f"The task with environment {idx} has been deleted.") + if not is_reset and self.info[idx]["done"]: + raise NameError(f"The task with environment {idx} has finished.") + + +wordle_server = Lmrlgym_WordleEnv() diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/wordle/model.py b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/wordle/model.py new file mode 100644 index 00000000..12861582 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/agentenv_lmrlgym/wordle/model.py @@ -0,0 +1,11 @@ +from pydantic import BaseModel + + +class WordleStepRequestBody(BaseModel): + id: int + action: str + + +class WordleResetRequestBody(BaseModel): + id: int + seed: int diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/.gitignore b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/.gitignore new file mode 100755 index 00000000..0979cffb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/.gitignore @@ -0,0 +1,167 @@ + +# Byte-compiled / optimized / DLL files +__pycache__/ +*.py[cod] +*$py.class + +# C extensions +*.so + +# Distribution / packaging +.Python +build/ +develop-eggs/ +dist/ +downloads/ +eggs/ +.eggs/ +lib/ +lib64/ +parts/ +sdist/ +var/ +wheels/ +share/python-wheels/ +*.egg-info/ +.installed.cfg +*.egg +MANIFEST + +# PyInstaller +# Usually these files are written by a python script from a template +# before PyInstaller builds the exe, so as to inject date/other infos into it. +*.manifest +*.spec + +# Installer logs +pip-log.txt +pip-delete-this-directory.txt + +# Unit test / coverage reports +htmlcov/ +.tox/ +.nox/ +.coverage +.coverage.* +.cache +nosetests.xml +coverage.xml +*.cover +*.py,cover +.hypothesis/ +.pytest_cache/ +cover/ + +# Translations +*.mo +*.pot + +# Django stuff: +*.log +local_settings.py +db.sqlite3 +db.sqlite3-journal + +# Flask stuff: +instance/ +.webassets-cache + +# Scrapy stuff: +.scrapy + +# Sphinx documentation +docs/_build/ + +# PyBuilder +.pybuilder/ +target/ + +# Jupyter Notebook +.ipynb_checkpoints + +# IPython +profile_default/ +ipython_config.py + +# pyenv +# For a library or package, you might want to ignore these files since the code is +# intended to run in multiple environments; otherwise, check them in: +# .python-version + +# pipenv +# According to pypa/pipenv#598, it is recommended to include Pipfile.lock in version control. +# However, in case of collaboration, if having platform-specific dependencies or dependencies +# having no cross-platform support, pipenv may install dependencies that don't work, or not +# install all needed dependencies. +#Pipfile.lock + +# poetry +# Similar to Pipfile.lock, it is generally recommended to include poetry.lock in version control. +# This is especially recommended for binary packages to ensure reproducibility, and is more +# commonly ignored for libraries. +# https://python-poetry.org/docs/basic-usage/#commit-your-poetrylock-file-to-version-control +#poetry.lock + +# pdm +# Similar to Pipfile.lock, it is generally recommended to include pdm.lock in version control. +#pdm.lock +# pdm stores project-wide configurations in .pdm.toml, but it is recommended to not include it +# in version control. +# https://pdm.fming.dev/#use-with-ide +.pdm.toml + +# PEP 582; used by e.g. github.com/David-OConnor/pyflow and github.com/pdm-project/pdm +__pypackages__/ + +# Celery stuff +celerybeat-schedule +celerybeat.pid + +# SageMath parsed files +*.sage.py + +# Environments +.env +.venv +env/ +venv/ +ENV/ +env.bak/ +venv.bak/ + +# Spyder project settings +.spyderproject +.spyproject + +# Rope project settings +.ropeproject + +# mkdocs documentation +/site + +# mypy +.mypy_cache/ +.dmypy.json +dmypy.json + +# Pyre type checker +.pyre/ + +# pytype static type analyzer +.pytype/ + +# Cython debug symbols +cython_debug/ + +# PyCharm +# JetBrains specific template is maintained in a separate JetBrains.gitignore that can +# be found at https://github.com/github/gitignore/blob/main/Global/JetBrains.gitignore +# and can be added to the global gitignore or merged into this file. For a more nuclear +# option (not recommended) you can uncomment the following to ignore the entire idea folder. +#.idea/ + +# Custom +experiments/* +wandb/* +data/* +JaxSEQ/* diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LICENSE b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LICENSE new file mode 100755 index 00000000..23797018 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LICENSE @@ -0,0 +1,21 @@ +MIT License + +Copyright (c) 2022 Charlie Snell + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/basic_train_loop.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/basic_train_loop.py new file mode 100755 index 00000000..0d42d532 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/basic_train_loop.py @@ -0,0 +1,180 @@ +import contextlib +from functools import partial +from typing import Any, Callable, Dict, Iterable, Optional, Tuple, Union +from LLM_RL.algorithms.checkpoints import save_checkpoint_huggingface +from LLM_RL.algorithms.bc.interface import BCTrainer, BCInference +from jaxtyping import PyTree +from jax.random import KeyArray +from jax.experimental.maps import Mesh +from collections import deque +import jax +from tqdm.auto import tqdm +from JaxSeq.utils import Dataset, IterableDataset, block_sequences, BlockingStrategy, dataloader +from log_utils import combine_logs, label_logs, log, pull_logs +import os +from transformers.modeling_flax_utils import FlaxPreTrainedModel +import wandb +from LLM_RL.algorithms.bc.data import BCDataset, BCIterableDataset +from JaxSeq.bucket_manager import open_with_bucket as open + +def eval_loop( + inference: BCInference, + dataset: Union[BCDataset, BCIterableDataset], + rng: KeyArray, + bsize: int, + prefetch_batches: Optional[int], + eval_batches: Optional[int], +): + # setup evaluator loop state + eval_logs = [] + + # eval on batches + rng, new_rng = jax.random.split(rng) + d = dataloader(new_rng, dataset, bsize, prefetch_batches=prefetch_batches, truncate=True) + for i, items in enumerate(d): + + # conditionally terminate early + if eval_batches is not None and i >= eval_batches: + break + + # get eval logs + _, info = inference.eval_loss(items) + eval_logs.append(info) + + # gather and postproc eval logs + eval_logs = pull_logs(combine_logs(eval_logs)) + + return eval_logs + +def train_loop( + model: FlaxPreTrainedModel, + trainer: BCTrainer, + inference: BCInference, + evaluator: Optional[Callable[[BCInference], Tuple[float, Dict[str, Any]]]], + dataset: Union[BCDataset, BCIterableDataset], + rng: KeyArray, + save_dir: Optional[str], + max_checkpoints: Optional[int], + epochs: int, + max_steps: Optional[int], + bsize: int, + prefetch_batches: Optional[int], + log_every: int, + eval_every: int, + save_every: Optional[int], + save_at_end: bool, + save_best: bool, + use_wandb: bool, + wandb_project: str, + wandb_run_name: Optional[str], + wandb_config: Optional[Dict[str, Any]], + gcloud_project: Optional[str]=None, + gcloud_token: Optional[Any]=None, +) -> Tuple[BCTrainer, BCInference]: + + open = partial(open, gcloud_project=gcloud_project, gcloud_token=gcloud_token) + + # initalize wandb + if use_wandb and jax.process_index() == 0: + wandb_run = wandb.init(project=wandb_project, name=wandb_run_name, config=wandb_config, reinit=True) + + # initalize training loop state + train_logs = [] + best_perf = float('inf') + saved_checkpoints = deque([]) + step = 0 + steps_per_epoch = len(dataset) // bsize if isinstance(dataset, Dataset) else None + + # begin training loop + for epoch in tqdm(range(epochs), disable=jax.process_index() > 0): + rng, new_rng = jax.random.split(rng) + d = dataloader(new_rng, dataset, bsize, prefetch_batches=prefetch_batches, truncate=True) + for items in tqdm(d, total=steps_per_epoch, disable=jax.process_index() > 0): + + # step model and get training logs + rng, new_rng = jax.random.split(rng) + _, info, trainer = trainer.train_step(items, new_rng) + train_logs.append(info) + + # publish training logs and clear logs + if (step + 1) % log_every == 0: + logs = combine_logs(train_logs) + logs = pull_logs(label_logs(logs, 'train', {'step': step+1, 'epoch': epoch})) + if jax.process_index() == 0: + log(logs, use_wandb) + train_logs = [] + + # begin evaluation + if (evaluator is not None) and (step + 1) % eval_every == 0: + + # get eval logs + inference = inference.update_params(trainer.params) + eval_perf, eval_logs = evaluator(inference) + + # publish eval logs + eval_logs = pull_logs(label_logs(eval_logs, 'eval', {'step': step+1, 'epoch': epoch})) + if jax.process_index() == 0: + log(eval_logs, use_wandb) + + # conditionally save best model and optimizer state + if save_dir is not None and save_best and eval_perf < best_perf: + print('new best model! Saving ...') + model_dir = os.path.join(save_dir, 'model') + save_checkpoint_huggingface( + model_dir, + model=model, + params=jax.device_get(trainer.params), + gcloud_project=gcloud_project, + gcloud_token=gcloud_token, + ) + print('saved.') + best_perf = eval_perf + + # periodically save checkpoint + if save_dir is not None and save_every is not None and (step + 1) % save_every == 0: + print('saving checkpoint...') + + # conditionally delete old checkpoints + if (max_checkpoints is not None) and (len(saved_checkpoints) >= max_checkpoints): + os.system('rm -rf %s' % (saved_checkpoints.popleft())) + + model_dir = os.path.join(save_dir, 'model_%d' % (step+1)) + save_checkpoint_huggingface( + model_dir, + model=model, + params=jax.device_get(trainer.params), + gcloud_project=gcloud_project, + gcloud_token=gcloud_token, + ) + saved_checkpoints.append(model_dir) + print('saved.') + + # conditionally terminate + if max_steps is not None and (step + 1) >= max_steps: + break + + step += 1 + + # conditionally terminate + if max_steps is not None and (step + 1) >= max_steps: + break + + # save final checkpoint + if save_dir is not None and save_at_end: + print('saving checkpoint...') + model_dir = os.path.join(save_dir, 'model_%d' % (step+1)) + save_checkpoint_huggingface( + model_dir, + model=model, + params=jax.device_get(trainer.params), + gcloud_project=gcloud_project, + gcloud_token=gcloud_token, + ) + print('saved.') + + # stop wandb + if use_wandb and jax.process_index() == 0: + wandb_run.finish() + + inference = inference.update_params(trainer.params) + return trainer, inference diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/bc_score_fn.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/bc_score_fn.py new file mode 100755 index 00000000..85695d2e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/bc_score_fn.py @@ -0,0 +1,49 @@ +from typing import List, Optional +from LLM_RL.algorithms.bc.bc_score_fn import BCInference +from environment import TextHistory +from transformers.tokenization_utils import PreTrainedTokenizer +import jax.numpy as jnp +import numpy as np +from LLM_RL.environment import TokenHistory +import jax + +def build_bc_score_fn( + inference: BCInference, + tokenizer: PreTrainedTokenizer, + max_length: int, + bsize: int, +): + + def score_fn(text_histories: List[TextHistory]) -> List[float]: + assert all([text_history[-1].is_action for text_history in text_histories]) + + prev_token_histories = [] + token_histories = [] + for text_history in text_histories: + prev_token_histories.append(TokenHistory.from_text_history(text_history[:-1], tokenizer)) + token_histories.append(TokenHistory.from_text_history(text_history, tokenizer)) + + # truncate to end and pad tokens + tokens = np.stack([np.concatenate((token_history.tokens[-max_length:], np.full((max_length-min(token_history.tokens.shape[0], max_length),), tokenizer.pad_token_id)), axis=0) for token_history in token_histories], axis=0) + tokens = jnp.asarray(tokens, dtype=jnp.int32) + + all_logprobs = [] + + for i in range(0, len(text_histories), bsize): + batch = tokens[i:i+bsize, :] + + prefix_len = jnp.asarray([prev_token_histories[i+x].tokens.shape[0] for x in range(batch.shape[0])], dtype=jnp.int32) + attention_mask = (batch != tokenizer.pad_token_id).astype(np.float32) + + action_logprobs = jnp.empty(prefix_len.shape, dtype=jnp.float32) + + logprobs = jax.nn.log_softmax(inference.get_logits_from_tokens(batch), axis=-1) + action_logits = jnp.take_along_axis(logprobs[:, :-1], batch[:, 1:][..., None], axis=2).squeeze(2) + for x in range(len(prefix_len)): + action_logprobs = action_logprobs.at[x].set((action_logits[x] * attention_mask[x, 1:])[(prefix_len[x]-1):].sum(axis=0)) + + all_logprobs.extend(jax.device_get(action_logprobs).tolist()) + + return all_logprobs + + return score_fn \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/core.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/core.py new file mode 100755 index 00000000..b81f6fab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/core.py @@ -0,0 +1,277 @@ +from __future__ import annotations +from collections import namedtuple +from enum import Enum +from typing import Any, Callable, Dict, List, Optional, Tuple, Union +import jax +from flax.core.frozen_dict import freeze +import jax.numpy as jnp +from flax.core.frozen_dict import freeze, unfreeze +from jax.experimental.maps import Mesh +import numpy as np +from jax.random import KeyArray +from optax import softmax_cross_entropy_with_integer_labels +from flax.core.frozen_dict import FrozenDict +import optax +from jaxtyping import PyTree +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from LLM_RL.environment import TextHistory, TokenHistory +from JaxSeq.utils import block_sequences +from LLM_RL.algorithms.bc.data import block_token_histories +from transformers.tokenization_utils import PreTrainedTokenizer +from jax.experimental.pjit import pjit, with_sharding_constraint +from flax import struct +from jax.experimental import PartitionSpec + +# loss function + +def bc_loss( + model: FlaxPreTrainedModel, + input_ids: jnp.ndarray, + attention_mask: jnp.ndarray, + is_action: jnp.ndarray, + params: PyTree, + rng: Optional[KeyArray], + train: bool, + *, + non_action_weight: Union[jnp.ndarray, float], +) -> jnp.ndarray: + logits = model(input_ids=input_ids, attention_mask=attention_mask, params=params, dropout_rng=rng, train=train).logits + token_losses = softmax_cross_entropy_with_integer_labels(logits[:, :-1, :], input_ids[:, 1:]) * attention_mask[:, 1:] + token_losses = is_action[:, 1:] * token_losses + (1 - is_action[:, 1:]) * token_losses * non_action_weight + loss = token_losses.sum() / attention_mask[:, 1:].sum() + return loss, {'loss': loss} + +# main interface objects + +StepOutput = namedtuple('StepOutput', ['loss', 'info', 'params', 'optim_state']) + +class BCTrainer(Trainer): + def train_step_from_text_history(self, text_histories: List[TextHistory], max_len: Optional[int], rng_key: KeyArray) -> Tuple[jnp.ndarray, Dict[str, Any], BCTrainer]: + + token_histories = [TokenHistory.from_text_history(text_history, self.tokenizer) for text_history in text_histories] + + tokens, is_action = block_token_histories(token_histories, max_len, self.tokenizer.pad_token_id) + + loss, info, new_trainer = self.train_step( + (jnp.asarray(tokens, dtype=jnp.int32), + jnp.asarray(is_action, dtype=jnp.bool_),), + rng_key, + ) + + return loss, info, new_trainer + +class Inference(struct.PyTreeNode): + params: PyTree + tokenizer: PreTrainedTokenizer = struct.field(pytree_node=False) + generate_fn: Callable[[PyTree, KeyArray, jnp.ndarray, Dict[str, Any]], jnp.ndarray] = struct.field(pytree_node=False) + + def update_params(self, params: PyTree) -> Inference: + return self.replace(params=params) + + def generate(self, in_tokens: jnp.ndarray, rng_key: KeyArray, + **generation_kwargs: Dict[str, Any]) -> jnp.ndarray: + + outputs = self.generate_fn(self.params, rng_key, in_tokens, freeze(generation_kwargs)) + + return outputs + + def generate_from_str(self, in_strs: List[str], max_input_length: Optional[int], + rng_key: KeyArray, **generation_kwargs: Dict[str, Any]) -> List[str]: + + tokens = [self.tokenizer.encode(item) for item in in_strs] + tokens = block_sequences(tokens, max_len=max_input_length, pad_value=self.tokenizer.pad_token_id, dtype=np.int32) + + outputs = self.generate( + jnp.asarray(tokens, dtype=jnp.int32), + rng_key, + **generation_kwargs + ) + + output_strs = self.tokenizer.batch_decode(outputs, skip_special_tokens=True) + + return output_strs + +class Trainer(struct.PyTreeNode): + params: PyTree + optim_state: PyTree + tokenizer: PreTrainedTokenizer = struct.field(pytree_node=False) + train_fn: Callable[[PyTree, PyTree, KeyArray, PyTree], StepOutput] = struct.field(pytree_node=False) + + def train_step(self, batch: PyTree, rng_key: KeyArray) -> Tuple[jnp.ndarray, Dict[str, Any], Trainer]: + + loss, info, new_params, new_optim_state = self.train_fn(self.params, self.optim_state, rng_key, batch) + + return loss, info, self.replace(params=new_params, optim_state=new_optim_state) + +class BCInference(Inference): + logit_fn: Callable[[PyTree, jnp.ndarray], jnp.ndarray] = struct.field(pytree_node=False) + loss_fn: Callable[[PyTree, PyTree], jnp.ndarray] = struct.field(pytree_node=False) + + def get_logits_from_tokens(self, tokens: jnp.ndarray) -> jnp.ndarray: + + logit_output = self.logit_fn(self.params, tokens) + + return logit_output + + def get_logits_from_str(self, strs: List[str], max_len: int) -> Tuple[jnp.ndarray, jnp.ndarray]: + + tokens = [self.tokenizer.encode(item) for item in strs] + tokens = block_sequences(tokens, max_len=max_len, pad_value=self.tokenizer.pad_token_id, dtype=np.int32) + + logit_output = self.get_logits_from_tokens( + jnp.asarray(tokens, dtype=jnp.int32), + ) + + return logit_output, tokens + + def eval_loss(self, batch: PyTree) -> Tuple[jnp.ndarray, Dict[str, Any]]: + + loss, info = self.loss_fn(self.params, batch) + + return loss, info + + def eval_loss_from_text_history(self, text_histories: List[TextHistory], max_len: int) -> Tuple[jnp.ndarray, Dict[str, Any]]: + + token_histories = [text_history_to_token_history(text_history, self.tokenizer) for text_history in text_histories] + + tokens, is_action = block_token_histories(token_histories, max_len, self.tokenizer.pad_token_id) + + loss, info = self.eval_loss( + (jnp.asarray(tokens, dtype=jnp.int32), + jnp.asarray(is_action, dtype=jnp.bool_),), + ) + + return loss, info + +# load model parallel jax trainer + +def load_bc_trainer( + model: FlaxPreTrainedModel, + params: PyTree, + param_spec: Optional[Any], + tokenizer: PreTrainedTokenizer, + optim: optax.GradientTransformation, + optim_state: PyTree, + optim_state_spec: Optional[Any], + do_pjit: bool, + loss_fn: Callable[[FlaxPreTrainedModel, jnp.ndarray, jnp.ndarray, jnp.ndarray, PyTree, Optional[KeyArray], bool], Tuple[jnp.ndarray, Dict[str, Any]]], +) -> BCTrainer: + + pad_id = jnp.asarray(tokenizer.pad_token_id, dtype=jnp.int32) + + batch_spec = (PartitionSpec("dp", None), PartitionSpec("dp", None)) if do_pjit else None + + # define seq2seq training step + def step_fn(params: PyTree, optim_state: PyTree, rng: KeyArray, batch: PyTree): + # ensure it is sharded properly + if do_pjit: + batch = with_sharding_constraint(batch, batch_spec) + tokens, is_action = batch + attn_mask = (tokens != pad_id).astype(jnp.int32) + is_action = is_action.astype(np.float32) + def grad_loss(params: PyTree): + loss, info = loss_fn(model, tokens, attn_mask, is_action, params, rng, True) + return loss, info + (loss, info), grads = jax.value_and_grad(grad_loss, has_aux=True)(params) + if do_pjit: + grads = with_sharding_constraint(grads, param_spec) + updates, optim_state = optim.update(grads, optim_state, params) + params = optax.apply_updates(params, updates) + return StepOutput(loss, info, params, optim_state) + + if do_pjit: + p_step_fn = pjit( + step_fn, + in_axis_resources=(param_spec, optim_state_spec, None, batch_spec,), + out_axis_resources=StepOutput(None, None, param_spec, optim_state_spec), + donate_argnums=(0, 1), + ) + else: + p_step_fn = step_fn + + train_interface = BCTrainer(params, optim_state, tokenizer, p_step_fn) + + return train_interface + +# load model parallel jax inference + +def load_bc_inference( + model: FlaxPreTrainedModel, + params: PyTree, + param_spec: Optional[Any], + tokenizer: PreTrainedTokenizer, + do_pjit: bool, + loss_fn: Optional[Callable[[FlaxPreTrainedModel, jnp.ndarray, jnp.ndarray, jnp.ndarray, PyTree, Optional[KeyArray], bool], Tuple[jnp.ndarray, Dict[str, Any]]]], +) -> BCInference: + + has_loss_fn = loss_fn is not None + + pad_id = jnp.asarray(tokenizer.pad_token_id, dtype=jnp.int32) + + batch_spec = (PartitionSpec("dp", None), PartitionSpec("dp", None)) if do_pjit else None + tokens_spec = PartitionSpec("dp", None) if do_pjit else None + logits_spec = PartitionSpec("dp", None, None) if do_pjit else None + + # define generation_fn + def generate_fn(params: PyTree, rng: KeyArray, tokens: jnp.ndarray, kwargs: Dict[str, Any]) -> jnp.ndarray: + if do_pjit: + tokens = with_sharding_constraint(tokens, tokens_spec) + attn_mask = (tokens != pad_id).astype(jnp.int32) + out_sequences = model.generate(tokens, attention_mask=attn_mask, params=params, prng_key=rng, **kwargs).sequences + if do_pjit: + out_sequences = with_sharding_constraint(out_sequences, tokens_spec) + return out_sequences + + if do_pjit: + p_generate_fn = pjit( + generate_fn, + in_axis_resources=(param_spec, None, tokens_spec), + out_axis_resources=tokens_spec, + static_argnums=(3,), + ) + else: + p_generate_fn = generate_fn + + # define logit function + def logit_fn(params: PyTree, tokens: jnp.ndarray) -> jnp.ndarray: + if do_pjit: + tokens = with_sharding_constraint(tokens, tokens_spec) + attn_mask = (tokens != pad_id).astype(jnp.int32) + logits = model(input_ids=tokens, attention_mask=attn_mask, params=params, train=False).logits + if do_pjit: + logits = with_sharding_constraint(logits, logits_spec) + return logits + + if do_pjit: + p_logit_fn = pjit( + logit_fn, + in_axis_resources=(param_spec, tokens_spec,), + out_axis_resources=logits_spec, + ) + else: + p_logit_fn = logit_fn + + # define eval loss + def eval_loss_fn(params: PyTree, batch: PyTree) -> jnp.ndarray: + if not has_loss_fn: + raise NotImplementedError + if do_pjit: + batch = with_sharding_constraint(batch, batch_spec) + tokens, is_action = batch + attn_mask = (tokens != pad_id).astype(jnp.int32) + is_action = is_action.astype(np.float32) + loss, info = loss_fn(model, tokens, attn_mask, is_action, params, None, False) + return loss, info + + if do_pjit and has_loss_fn: + p_eval_loss_fn = pjit( + eval_loss_fn, + in_axis_resources=(param_spec, batch_spec,), + out_axis_resources=None, + ) + else: + p_eval_loss_fn = eval_loss_fn + + inference_inferface = BCInference(params, tokenizer, p_generate_fn, p_logit_fn, p_eval_loss_fn) + + return inference_inferface diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/data.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/data.py new file mode 100755 index 00000000..04f04393 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/data.py @@ -0,0 +1,78 @@ +from typing import Any, Callable, Generator, Iterator, List, Optional, Tuple, Union +from LLM_RL.environment import TokenHistory +import numpy as np +from import Dataset, IterableDataset, block_sequences +import jax.numpy as jnp + +# pad token histories + +def block_token_histories(token_histories: List[TokenHistory], max_len: Optional[int], pad_token_id: int) -> Tuple[np.ndarray, np.ndarray]: + tokens = block_sequences( + [token_history.tokens for token_history in token_histories], + max_len=max_len, + pad_value=pad_token_id, + dtype=np.int32, + ) + is_action = block_sequences( + [token_history.is_action for token_history in token_histories], + max_len=max_len, + pad_value=False, + dtype=np.bool_, + ) + return tokens, is_action + +# %BC filter data + +def filter_items(score_fn: Callable[[Any], float], items: List[Any], + take_top: Optional[float] = None, threshold: Optional[float] = None) -> List[Any]: + assert ((take_top is None and threshold is not None) + or (take_top is not None and threshold is None)) + + scores = np.array([score_fn(item) for item in items]) + + if take_top is not None: + threshold = np.percentile(scores, 100 - take_top) + + new_items = [] + for i in range(len(scores)): + if scores[i] >= threshold: + new_items.append(items[i]) + + return new_items + +def filter_generator(score_fn: Callable[[Any], float], item_generator: Iterator[Any], threshold: float) -> Generator[float, None, None]: + for item in item_generator: + if score_fn(item) >= threshold: + yield item + +# datasets + +class BCDataset(Dataset): + def __init__(self, token_histories: List[TokenHistory], pad_token_id: int, max_len: Optional[int]): + self.tokens, self.is_action = block_token_histories(token_histories, max_len, pad_token_id) + + def __getitem__(self, idx): + return jnp.asarray(self.tokens[idx], dtype=jnp.int32), jnp.asarray(self.is_action[idx], dtype=jnp.bool_) + + def __len__(self): + return self.tokens.shape[0] + +class BCIterableDataset(IterableDataset): + def __init__(self, + token_generator: Iterator[TokenHistory], + pad_token_id: int, + max_len: int): + self.token_generator = token_generator + self.pad_token_id = pad_token_id + self.max_len = max_len + + def __iter__(self): + return self + + def __next__(self): + token_history = next(self.token_generator) + + tokens, is_action = block_token_histories([token_history], self.max_len, self.pad_token_id) + tokens, is_action = tokens[0], is_action[0] + + return jnp.asarray(tokens, dtype=jnp.int32), jnp.asarray(is_action, dtype=jnp.bool_) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/interface.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/interface.py new file mode 100755 index 00000000..72581bf3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/interface.py @@ -0,0 +1,233 @@ +from __future__ import annotations +from collections import namedtuple +from enum import Enum +from typing import Any, Callable, Dict, List, Optional, Tuple, Union +import jax +import jax.numpy as jnp +from flax.core.frozen_dict import freeze, unfreeze +from jax.experimental.maps import Mesh +import numpy as np +from jax.random import KeyArray +from optax import softmax_cross_entropy_with_integer_labels +from flax.core.frozen_dict import FrozenDict +import optax +from jaxtyping import PyTree +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from environment import TextHistory, TokenHistory +from algorithms.jax_agent import Inference, StepOutput, Trainer +from JaxSeq.utils import block_sequences +from LLM_RL.algorithms.bc.data import block_token_histories +# from token_history import text_history_to_token_history +from transformers.tokenization_utils import PreTrainedTokenizer +from jax.experimental.pjit import pjit, with_sharding_constraint +from flax import struct +from jax.experimental import PartitionSpec + +# loss function + +def bc_loss( + model: FlaxPreTrainedModel, + input_ids: jnp.ndarray, + attention_mask: jnp.ndarray, + is_action: jnp.ndarray, + params: PyTree, + rng: Optional[KeyArray], + train: bool, + *, + non_action_weight: Union[jnp.ndarray, float], +) -> jnp.ndarray: + logits = model(input_ids=input_ids, attention_mask=attention_mask, params=params, dropout_rng=rng, train=train).logits + token_losses = softmax_cross_entropy_with_integer_labels(logits[:, :-1, :], input_ids[:, 1:]) * attention_mask[:, 1:] + token_losses = is_action[:, 1:] * token_losses + (1 - is_action[:, 1:]) * token_losses * non_action_weight + loss = token_losses.sum() / attention_mask[:, 1:].sum() + return loss, {'loss': loss} + +# main interface objects + +class BCTrainer(Trainer): + def train_step_from_text_history(self, text_histories: List[TextHistory], max_len: Optional[int], rng_key: KeyArray) -> Tuple[jnp.ndarray, Dict[str, Any], BCTrainer]: + + token_histories = [TokenHistory.from_text_history(text_history, self.tokenizer) for text_history in text_histories] + + tokens, is_action = block_token_histories(token_histories, max_len, self.tokenizer.pad_token_id) + + loss, info, new_trainer = self.train_step( + (jnp.asarray(tokens, dtype=jnp.int32), + jnp.asarray(is_action, dtype=jnp.bool_),), + rng_key, + ) + + return loss, info, new_trainer + +class BCInference(struct.PyTreeNode): + logit_fn: Callable[[PyTree, jnp.ndarray], jnp.ndarray] = struct.field(pytree_node=False) + loss_fn: Callable[[PyTree, PyTree], jnp.ndarray] = struct.field(pytree_node=False) + + def get_logits_from_tokens(self, tokens: jnp.ndarray) -> jnp.ndarray: + + logit_output = self.logit_fn(self.params, tokens) + + return logit_output + + def get_logits_from_str(self, strs: List[str], max_len: int) -> Tuple[jnp.ndarray, jnp.ndarray]: + + tokens = [self.tokenizer.encode(item) for item in strs] + tokens = block_sequences(tokens, max_len=max_len, pad_value=self.tokenizer.pad_token_id, dtype=np.int32) + + logit_output = self.get_logits_from_tokens( + jnp.asarray(tokens, dtype=jnp.int32), + ) + + return logit_output, tokens + + def eval_loss(self, batch: PyTree) -> Tuple[jnp.ndarray, Dict[str, Any]]: + + loss, info = self.loss_fn(self.params, batch) + + return loss, info + + def eval_loss_from_text_history(self, text_histories: List[TextHistory], max_len: int) -> Tuple[jnp.ndarray, Dict[str, Any]]: + + token_histories = [text_history_to_token_history(text_history, self.tokenizer) for text_history in text_histories] + + tokens, is_action = block_token_histories(token_histories, max_len, self.tokenizer.pad_token_id) + + loss, info = self.eval_loss( + (jnp.asarray(tokens, dtype=jnp.int32), + jnp.asarray(is_action, dtype=jnp.bool_),), + ) + + return loss, info + +# load model parallel jax trainer + +def load_bc_trainer( + model: FlaxPreTrainedModel, + params: PyTree, + param_spec: Optional[Any], + tokenizer: PreTrainedTokenizer, + optim: optax.GradientTransformation, + optim_state: PyTree, + optim_state_spec: Optional[Any], + do_pjit: bool, + loss_fn: Callable[[FlaxPreTrainedModel, jnp.ndarray, jnp.ndarray, jnp.ndarray, PyTree, Optional[KeyArray], bool], Tuple[jnp.ndarray, Dict[str, Any]]], +) -> BCTrainer: + + pad_id = jnp.asarray(tokenizer.pad_token_id, dtype=jnp.int32) + + batch_spec = (PartitionSpec("dp", None), PartitionSpec("dp", None)) if do_pjit else None + + # define seq2seq training step + def step_fn(params: PyTree, optim_state: PyTree, rng: KeyArray, batch: PyTree): + # ensure it is sharded properly + if do_pjit: + batch = with_sharding_constraint(batch, batch_spec) + tokens, is_action = batch + attn_mask = (tokens != pad_id).astype(jnp.int32) + is_action = is_action.astype(np.float32) + def grad_loss(params: PyTree): + loss, info = loss_fn(model, tokens, attn_mask, is_action, params, rng, True) + return loss, info + (loss, info), grads = jax.value_and_grad(grad_loss, has_aux=True)(params) + if do_pjit: + grads = with_sharding_constraint(grads, param_spec) + updates, optim_state = optim.update(grads, optim_state, params) + params = optax.apply_updates(params, updates) + return StepOutput(loss, info, params, optim_state) + + if do_pjit: + p_step_fn = pjit( + step_fn, + in_axis_resources=(param_spec, optim_state_spec, None, batch_spec,), + out_axis_resources=StepOutput(None, None, param_spec, optim_state_spec), + donate_argnums=(0, 1), + ) + else: + p_step_fn = step_fn + + train_interface = BCTrainer(params, optim_state, tokenizer, p_step_fn) + + return train_interface + +# load model parallel jax inference + +def load_bc_inference( + model: FlaxPreTrainedModel, + params: PyTree, + param_spec: Optional[Any], + tokenizer: PreTrainedTokenizer, + do_pjit: bool, + loss_fn: Optional[Callable[[FlaxPreTrainedModel, jnp.ndarray, jnp.ndarray, jnp.ndarray, PyTree, Optional[KeyArray], bool], Tuple[jnp.ndarray, Dict[str, Any]]]], +) -> BCInference: + + has_loss_fn = loss_fn is not None + + pad_id = jnp.asarray(tokenizer.pad_token_id, dtype=jnp.int32) + + batch_spec = (PartitionSpec("dp", None), PartitionSpec("dp", None)) if do_pjit else None + tokens_spec = PartitionSpec("dp", None) if do_pjit else None + logits_spec = PartitionSpec("dp", None, None) if do_pjit else None + + # define generation_fn + def generate_fn(params: PyTree, rng: KeyArray, tokens: jnp.ndarray, kwargs: Dict[str, Any]) -> jnp.ndarray: + if do_pjit: + tokens = with_sharding_constraint(tokens, tokens_spec) + attn_mask = (tokens != pad_id).astype(jnp.int32) + out_sequences = model.generate(tokens, attention_mask=attn_mask, params=params, prng_key=rng, **kwargs).sequences + if do_pjit: + out_sequences = with_sharding_constraint(out_sequences, tokens_spec) + return out_sequences + + if do_pjit: + p_generate_fn = pjit( + generate_fn, + in_axis_resources=(param_spec, None, tokens_spec), + out_axis_resources=tokens_spec, + static_argnums=(3,), + ) + else: + p_generate_fn = generate_fn + + # define logit function + def logit_fn(params: PyTree, tokens: jnp.ndarray) -> jnp.ndarray: + if do_pjit: + tokens = with_sharding_constraint(tokens, tokens_spec) + attn_mask = (tokens != pad_id).astype(jnp.int32) + logits = model(input_ids=tokens, attention_mask=attn_mask, params=params, train=False).logits + if do_pjit: + logits = with_sharding_constraint(logits, logits_spec) + return logits + + if do_pjit: + p_logit_fn = pjit( + logit_fn, + in_axis_resources=(param_spec, tokens_spec,), + out_axis_resources=logits_spec, + ) + else: + p_logit_fn = logit_fn + + # define eval loss + def eval_loss_fn(params: PyTree, batch: PyTree) -> jnp.ndarray: + if not has_loss_fn: + raise NotImplementedError + if do_pjit: + batch = with_sharding_constraint(batch, batch_spec) + tokens, is_action = batch + attn_mask = (tokens != pad_id).astype(jnp.int32) + is_action = is_action.astype(np.float32) + loss, info = loss_fn(model, tokens, attn_mask, is_action, params, None, False) + return loss, info + + if do_pjit and has_loss_fn: + p_eval_loss_fn = pjit( + eval_loss_fn, + in_axis_resources=(param_spec, batch_spec,), + out_axis_resources=None, + ) + else: + p_eval_loss_fn = eval_loss_fn + + inference_inferface = BCInference(params, tokenizer, p_generate_fn, p_logit_fn, p_eval_loss_fn) + + return inference_inferface diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/train.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/train.py new file mode 100755 index 00000000..9eaad485 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/bc/train.py @@ -0,0 +1,371 @@ +from typing import Any, Callable, Dict, Optional, Tuple, Union, Hashable +from jaxtyping import PyTree +from jax.random import KeyArray +from collections import deque +import jax +from tqdm.auto import tqdm +from JaxSeq.utils import Dataset, dataloader, create_path, get_enabled_save_path +from JaxSeq.data import Seq2SeqDataset, Seq2SeqIterableDataset +from JaxSeq.models.base_interface import Train, Inference +from JaxSeq.logs import combine_logs, label_logs, log, pull_logs +import os +import wandb +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.bucket_manager import delete_with_bucket as delete +from JaxSeq.checkpointing import save_pytree +from JaxSeq.shard_model import get_sharding_from_model +from flax.training.train_state import TrainState +from transformers.modeling_flax_utils import FlaxPreTrainedModel +import pickle as pkl +from LLM_RL.algorithms.bc.interface import BCInference, BCTrainer +from LLM_RL.algorithms.ilql.base_interface import ILQLTrain, ILQLInference +from LLM_RL.algorithms.value_rl_base.base_interface import ValueRLInference +import jax.numpy as jnp +import flax.linen as nn + +def dump_state( + model: FlaxPreTrainedModel, + base_train_state: TrainState, + save_dir: str, + save_train_state: bool, + enable_save: bool, + save_dtype: jnp.dtype, + **loop_state: Dict[Hashable, Any], +): + # dump loop_state + with open(get_enabled_save_path(os.path.join(save_dir, 'loop_state.pkl'), enabled=enable_save), 'wb') as f: + pkl.dump(loop_state, f) + + # save base + if enable_save: + create_path(os.path.join(save_dir, 'base')) + # dump model config + with open(get_enabled_save_path(os.path.join(save_dir, 'base', 'config.json'), enabled=enable_save), 'w') as f: + f.write(model.config.to_json_string()) + # dump train_state + if save_train_state: + save_pytree( + tree=base_train_state, + path=get_enabled_save_path(os.path.join(save_dir, 'base', 'train_state.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(model, base_train_state), + ) + else: + save_pytree( + tree=base_train_state.params, + path=get_enabled_save_path(os.path.join(save_dir, 'base', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(model, base_train_state.params), + ) + +def eval_loss( + inference: BCInference, + dataset: Union[Seq2SeqDataset, Seq2SeqIterableDataset], + prng_key: Optional[KeyArray], + bsize: int, + eval_batches: Optional[int], +) -> Dict[str, Any]: + # setup evaluator loop state + eval_logs = [] + + # eval on batches + prng_key, new_prng = jax.random.split(prng_key) if prng_key is not None else (None, None) + d = dataloader(new_prng, dataset, bsize, truncate=True) + for i, batch in tqdm(enumerate(d)): + # conditionally terminate early + if eval_batches is not None and i >= eval_batches: + break + + # get eval logs + _, info = inference.eval_loss(**batch) + eval_logs.append(info) + + # gather and postproc eval logs + eval_logs = pull_logs(combine_logs(eval_logs)) + return eval_logs + +def train_loop( + trainer: BCTrainer, + inference: BCInference, + evaluator: Optional[Callable[[Inference], Tuple[float, Dict[str, Any]]]], + dataset: Union[Seq2SeqDataset, Seq2SeqIterableDataset], + prng_key: KeyArray, + save_dir: Optional[str], + epochs: int, + max_steps: Optional[int], + bsize: int, + log_every: int, + eval_every_steps: Optional[int], + eval_every_epochs: Optional[int], + eval_at_beginning: bool, + eval_at_end: bool, + save_every_steps: Optional[int], + save_every_epochs: Optional[int], + save_at_beginning: bool, + save_at_end: bool, + save_best: bool, + max_checkpoints: Optional[int], + save_train_state: bool, + save_dtype: jnp.dtype, + use_wandb: bool, + wandb_project: Optional[str], + wandb_run_name: Optional[str], + wandb_config: Optional[Dict[str, Any]], + is_main_process: Optional[bool]=None, + **loop_state: Dict[Hashable, Any], +) -> Tuple[Train, Inference]: + assert (not use_wandb) or (use_wandb and wandb_project is not None) + if is_main_process is None: + is_main_process = jax.process_index() == 0 + + # initalize wandb + wandb_id = loop_state.get('wandb_id', None) + if use_wandb and is_main_process: + if wandb_id is None: + wandb_id = wandb.util.generate_id() + wandb.init( + project=wandb_project, + id=wandb_id, + name=wandb_run_name, + config=wandb_config, + reinit=True, + resume="allow", + ) + + # initalize training loop state + train_logs = [] + best_perf = loop_state.get('best_perf', float('inf')) + saved_checkpoints = loop_state.get('saved_checkpoints', deque([])) + step = 0 + steps_per_epoch = len(dataset) // bsize if isinstance(dataset, Dataset) else None + if 'steps_per_epoch' in loop_state: + assert steps_per_epoch == loop_state['steps_per_epoch'], 'loop_state steps_per_epoch does not match dataset steps_per_epoch' + epoch = -1 + + def _save( + name: str, + add_to_queue: bool, + **loop_state: Dict[Hashable, Any], + ): + nonlocal saved_checkpoints + print(f'saving checkpoint {name} ...') + # conditionally delete old checkpoints + if add_to_queue and is_main_process: + if (max_checkpoints is not None) and (len(saved_checkpoints) >= max_checkpoints): + delete(saved_checkpoints.popleft(), recursive=True) + curr_save_dir = os.path.join(save_dir, name) + if is_main_process: + create_path(curr_save_dir) + dump_state( + model=trainer.model, + train_state=trainer.base_train_state, + target_base_params=trainer.target_base_params, + q1_head_train_state=trainer.q1_head_train_state, + q2_head_train_state=trainer.q2_head_train_state, + v_head_train_state=trainer.v_head_train_state, + q1_target_head_params=trainer.q1_target_head_params, + q2_target_head_params=trainer.q2_target_head_params, + save_dir=curr_save_dir, + save_train_state=save_train_state, + enable_save=is_main_process, + save_dtype=save_dtype, + **loop_state, + ) + if add_to_queue and is_main_process: + saved_checkpoints.append(curr_save_dir) + print('saved.') + + def _inference_update(): + nonlocal inference + if isinstance(inference, ValueRLInference): + inference = inference.replace( + base_params=trainer.base_train_state.params, + q1_head_params=trainer.q1_head_train_state.params, + q2_head_params=trainer.q2_head_train_state.params, + v_head_params=trainer.v_head_train_state.params, + ) + elif isinstance(inference, ILQLInference): + new_value_inference = inference.value_inference.replace( + base_params=trainer.base_train_state.params, + q1_head_params=trainer.q1_head_train_state.params, + q2_head_params=trainer.q2_head_train_state.params, + v_head_params=trainer.v_head_train_state.params, + ) + new_target_value_inference = inference.target_value_inference.replace( + base_params=trainer.target_base_params, + q1_head_params=trainer.q1_target_head_params, + q2_head_params=trainer.q2_target_head_params, + ) + inference = inference.replace( + value_inference=new_value_inference, + target_value_inference=new_target_value_inference, + ) + else: + raise NotImplementedError + + def _eval( + **loop_state: Dict[Hashable, Any], + ): + nonlocal best_perf + # get eval logs + _inference_update() + eval_perf, eval_logs = evaluator(inference) + + # publish eval logs + eval_logs = pull_logs(label_logs(eval_logs, 'eval', {'step': step+1, 'epoch': epoch})) + log(eval_logs, use_wandb and is_main_process) + + # conditionally save best model and optimizer state + if save_dir is not None and save_best and eval_perf < best_perf: + print('new best model!') + best_perf = eval_perf + _save( + name='best', + add_to_queue=False, + **{**loop_state, 'best_perf': best_perf}, + ) + + # begin evaluation + if evaluator is not None and eval_at_beginning: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # save initial checkpoint + if save_dir is not None and save_at_beginning: + _save( + name='initial', + add_to_queue=False, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # begin training loop + for epoch in tqdm(range(epochs)): + prng_key, new_prng = jax.random.split(prng_key) + d = dataloader(new_prng, dataset, bsize, truncate=True) + for batch in tqdm(d, total=steps_per_epoch): + + # step model and get training logs + prng_key, new_prng = jax.random.split(prng_key) + if 'step' in loop_state and step < loop_state['step']: + step += 1 + continue + trainer, _, info = trainer.step( + **batch, + prng_key=new_prng, + train=True, + ) + train_logs.append(info) + + # publish training logs and clear logs + if (step + 1) % log_every == 0: + logs = combine_logs(train_logs) + logs = pull_logs(label_logs(logs, 'train', {'step': step+1, 'epoch': epoch})) + log(logs, use_wandb and is_main_process) + train_logs = [] + + # begin evaluation + if evaluator is not None and eval_every_steps is not None and (step + 1) % eval_every_steps == 0: + _eval( + # loop state metadata + best_perf=best_perf, + step=step+1, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # periodically save checkpoint + if save_dir is not None and save_every_steps is not None and (step + 1) % save_every_steps == 0: + _save( + name=f'step_{step+1}', + add_to_queue=True, + # loop state metadata + best_perf=best_perf, + step=step+1, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + step += 1 + + # conditionally terminate + if max_steps is not None and step >= max_steps: + break + + # begin evaluation + if evaluator is not None and eval_every_epochs is not None and (epoch + 1) % eval_every_epochs == 0: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # periodically save checkpoint + if save_dir is not None and save_every_epochs is not None and (epoch + 1) % save_every_epochs == 0: + _save( + name=f'epoch_{epoch}', + add_to_queue=True, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # conditionally terminate + if max_steps is not None and step >= max_steps: + break + + # begin evaluation + if evaluator is not None and eval_at_end: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # save final checkpoint + if save_dir is not None and save_at_end: + _save( + name='last', + add_to_queue=False, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # stop wandb + if use_wandb and is_main_process: + wandb.finish() + _inference_update() + return trainer, inference diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/checkpoints.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/checkpoints.py new file mode 100755 index 00000000..14d8bb39 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/checkpoints.py @@ -0,0 +1,34 @@ +from typing import Any, Optional +from jaxtyping import PyTree +import os +from transformers.modeling_flax_utils import FlaxPreTrainedModel +import tempfile +import gcsfs + +def save_checkpoint_huggingface(model_output_path: str, model: FlaxPreTrainedModel, + params: PyTree, gcloud_project: Optional[str]=None, + gcloud_token: Optional[Any]=None) -> None: + if model_output_path.startswith('gcs://'): + model_output_path = model_output_path[len('gcs://'):] + # save to tmp_dir + tmp_dir = tempfile.TemporaryDirectory() + model.save_pretrained( + tmp_dir.name, + params=params, + ) + # upload to gcloud bucket + gcsfs.GCSFileSystem(project=gcloud_project, token=gcloud_token).put(tmp_dir.name, model_output_path, recursive=True) + # delete temp_dir + tmp_dir.cleanup() + else: + model.save_pretrained( + model_output_path, + params=params, + ) + +def delete_checkpoint(checkpoint_path: str, gcloud_project: Optional[str]=None, gcloud_token: Optional[Any]=None) -> None: + if checkpoint_path.startswith('gcs://'): + checkpoint_path = checkpoint_path[len('gcs://'):] + gcsfs.GCSFileSystem(project=gcloud_project, token=gcloud_token).rm(checkpoint_path, recursive=True) + else: + os.system('rm -rf %s' % (checkpoint_path)) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/cql/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/cql/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/cql/base_interface.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/cql/base_interface.py new file mode 100755 index 00000000..065e252a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/cql/base_interface.py @@ -0,0 +1,307 @@ +from __future__ import annotations +from typing import Union, Tuple, Any, Callable, Optional, NamedTuple, List +import jax +import jax.numpy as jnp +from jax.random import PRNGKeyArray +import optax +from LLM_RL.utils import get_tensor_stats +from flax import struct +from flax.training.train_state import TrainState +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.tokenization_utils import PreTrainedTokenizerBase +import flax.linen as nn +from jaxtyping import PyTree +from JaxSeq.models.base_interface import initialize_attn_mask_pos_ids +from transformers.modeling_flax_outputs import FlaxCausalLMOutput +from flax.core import freeze +from transformers.generation import GenerationConfig +import numpy as np +from JaxSeq.utils import block_sequences, BlockingStrategy, Padding, Truncation +from transformers.generation import FlaxBeamSearchOutput, FlaxGreedySearchOutput, FlaxSampleOutput +from JaxSeq.models.base_interface import GenerationFromStrOutput, Inference +from LLM_RL.environment import BatchedTextPolicy +from LLM_RL.algorithms.value_rl_base.base_interface import ValueRLForwardOutput, ValueRLInference +from LLM_RL.algorithms.ilql.base_interface import get_query_indicators +from LLM_RL.algorithms.ilql.base_interface import ILQLInference + +# loss function + +def cql_loss( + q1: jax.Array, # [batch, time-1] output is masked; shift x[:-1] + q2: jax.Array, # [batch, time-1] output is masked; shift x[:-1] + target_q1: jax.Array, # [batch, time-1] output is masked; shift x[:-1] + target_q2: jax.Array, # [batch, time-1] output is masked; shift x[:-1] + target_q1_final: jax.Array, # [batch] + target_q2_final: jax.Array, # [batch] + q1_logits: jax.Array, # [batch, time-1, vocab] output is masked; shift x[:-1] + q2_logits: jax.Array, # [batch, time-1, vocab] output is masked; shift x[:-1] + token_ids: jax.Array, # [batch, time-1] output is masked; shift x[1:] + attention_mask: jax.Array, # [batch, time-1] output is masked; shift x[1:] + should_take_action: jax.Array, # [batch, time-1] output is masked; shift x[1:] + rewards: jax.Array, # [batch, time-1] output is masked; shift x[1:] + *, + gamma: Union[float, jax.Array], + cql_weight: Union[float, jax.Array], +) -> Tuple[jnp.ndarray, Any]: + # should be an action in the batch + mask = should_take_action.astype(jnp.float32) * attention_mask + n = mask.sum() + + q1sa_flat, q2sa_flat = q1.reshape(-1), q2.reshape(-1) + target_q1nssa_flat = jnp.concatenate((target_q1, target_q1_final[..., None]), axis=1).reshape(-1) + target_q2nssa_flat = jnp.concatenate((target_q2, target_q2_final[..., None]), axis=1).reshape(-1) + + q_query_indicators = get_query_indicators(should_take_action.reshape(-1)) + + is_next_action = should_take_action.copy() + # set first action position to false + is_next_action = is_next_action.at[jnp.arange(0, is_next_action.shape[0], dtype=jnp.int32), jnp.argmax(is_next_action.astype(jnp.int32), axis=1)].set(False) + # set endpoint to true as long as there is at least 1 action in the sequence + is_next_action = jnp.concatenate((is_next_action, (should_take_action.sum(axis=1) > 0)[..., None]), axis=1) + + qns_query_indicators = get_query_indicators(is_next_action.reshape(-1)) + # should be the same number of qns as qv, so we can clip the extra padding to match shape + qns_query_indicators = qns_query_indicators[:q_query_indicators.shape[0], :] + + # extract selected values + q1sa_selected = (q_query_indicators * q1sa_flat).sum(axis=1) + q2sa_selected = (q_query_indicators * q2sa_flat).sum(axis=1) + target_q1nssa_selected = (qns_query_indicators * target_q1nssa_flat).sum(axis=1) + target_q2nssa_selected = (qns_query_indicators * target_q2nssa_flat).sum(axis=1) + rs_selected = (q_query_indicators * rewards.reshape(-1)).sum(axis=1) + + # get masks for selected values + a_mask = (q_query_indicators.sum(axis=1) > 0).astype(jnp.float32) + ans_mask = (qns_query_indicators.sum(axis=1) > 0).astype(jnp.float32) + + # target_qs + target_qns_selected = jnp.minimum(target_q1nssa_selected, target_q2nssa_selected) + + # compute q loss + q1_loss = (optax.l2_loss(q1sa_selected, jax.lax.stop_gradient(rs_selected + gamma * target_qns_selected)) * a_mask).sum() / n + q2_loss = (optax.l2_loss(q2sa_selected, jax.lax.stop_gradient(rs_selected + gamma * target_qns_selected)) * a_mask).sum() / n + + # compute cql loss on both q heads + q1_cql_loss = optax.softmax_cross_entropy_with_integer_labels(q1_logits, token_ids) + q1_cql_loss = (mask * q1_cql_loss).sum() / n + + q2_cql_loss = optax.softmax_cross_entropy_with_integer_labels(q2_logits, token_ids) + q2_cql_loss = (mask * q2_cql_loss).sum() / n + + loss = q1_loss + q2_loss + cql_weight * (q1_cql_loss + q2_cql_loss) + + logs = dict( + losses=dict( + total_loss=loss, + q1_loss=q1_loss, + q2_loss=q2_loss, + q1_cql_loss=q1_cql_loss, + q2_cql_loss=q2_cql_loss, + ), + q1=get_tensor_stats(q1sa_selected, mask=a_mask, n=n), + q2=get_tensor_stats(q2sa_selected, mask=a_mask, n=n), + target_qns=get_tensor_stats(target_qns_selected, mask=ans_mask, n=n), + target_q1ns=get_tensor_stats(target_q1nssa_selected, mask=ans_mask, n=n), + target_q2ns=get_tensor_stats(target_q2nssa_selected, mask=ans_mask, n=n), + rewards=get_tensor_stats(rewards, mask=mask, n=n), + ) + + return loss, logs + +class CQLTrain(struct.PyTreeNode): + base_train_state: TrainState + target_base_params: Optional[PyTree] + q1_head_train_state: TrainState + q2_head_train_state: TrainState + q1_target_head_params: PyTree + q2_target_head_params: PyTree + base_model: FlaxPreTrainedModel = struct.field(pytree_node=False) + q_head_model: nn.Module = struct.field(pytree_node=False) + tokenizer: PreTrainedTokenizerBase = struct.field(pytree_node=False) + _step: Callable = struct.field(pytree_node=False) + + # def _step( + # base_train_state: TrainState, + # target_base_params: Optional[PyTree], + # q1_head_train_state: TrainState, + # q2_head_train_state: TrainState, + # q1_target_head_params: PyTree, + # q2_target_head_params: PyTree, + + # input_ids: jax.Array, + # attention_mask: jax.Array, + # position_ids: jax.Array, + # should_take_action: jax.Array, + # rewards: jax.Array, + # dones: jax.Array, + + # next_token_ids: Optional[jax.Array], + # next_tokens_attention_mask: Optional[jax.Array], + # next_tokens_position_ids: Optional[jax.Array], + # next_dones: Optional[jax.Array], + + # prng_key: Optional[jax.random.PRNGKeyArray], + # train: bool=True, + # ) -> Tuple[TrainState, Optional[PyTree], TrainState, TrainState, PyTree, PyTree, jax.Array, PyTree]: + # raise NotImplementedError + + def step( + self, + input_ids: jax.Array, # [batch, time] + should_take_action: jax.Array, # [batch, time-1] + rewards: jax.Array, # [batch, time-1] + dones: jax.Array, # [batch] + next_token_ids: Optional[jax.Array], # [batch, n_time] + next_dones: Optional[jax.Array], # [batch] + prng_key: Optional[jax.random.PRNGKeyArray], + attention_mask: Optional[jax.Array]=None, + position_ids: Optional[jax.Array]=None, + next_tokens_attention_mask: Optional[jax.Array]=None, + next_tokens_position_ids: Optional[jax.Array]=None, + train: bool=True, + ) -> Tuple[CQLTrain, jax.Array, PyTree]: + + # handle attention mask and position ids shifting + attention_mask, position_ids = initialize_attn_mask_pos_ids( + input_ids, + self.tokenizer.pad_token_id, + attention_mask, + position_ids, + ) + + if next_token_ids is not None: + next_tokens_attention_mask, next_tokens_position_ids = initialize_attn_mask_pos_ids( + next_token_ids, + self.tokenizer.pad_token_id, + next_tokens_attention_mask, + next_tokens_position_ids, + ) + else: + assert next_tokens_attention_mask is None + assert next_tokens_position_ids is None + + base_train_state, \ + target_base_params, \ + q1_head_train_state, \ + q2_head_train_state, \ + q1_target_head_params, \ + q2_target_head_params, \ + loss, logs = self._step( + self.base_train_state, + self.target_base_params, + self.q1_head_train_state, + self.q2_head_train_state, + self.q1_target_head_params, + self.q2_target_head_params, + input_ids, + attention_mask, + position_ids, + should_take_action, + rewards, + dones, + next_token_ids, + next_tokens_attention_mask, + next_tokens_position_ids, + next_dones, + prng_key, + train, + ) + + return self.replace( + base_train_state=base_train_state, + target_base_params=target_base_params, + q1_head_train_state=q1_head_train_state, + q2_head_train_state=q2_head_train_state, + q1_target_head_params=q1_target_head_params, + q2_target_head_params=q2_target_head_params, + ), loss, logs + +class CQLInference(ILQLInference): + # def _eval_loss( + # base_params: PyTree, + # target_base_params: Optional[PyTree], + # q1_head_params: PyTree, + # q2_head_params: PyTree, + # q1_target_head_params: PyTree, + # q2_target_head_params: PyTree, + + # input_ids: jax.Array, + # attention_mask: jax.Array, + # position_ids: jax.Array, + # should_take_action: jax.Array, + # rewards: jax.Array, + # dones: jax.Array, + + # next_token_ids: Optional[jax.Array], + # next_tokens_attention_mask: Optional[jax.Array], + # next_tokens_position_ids: Optional[jax.Array], + # next_dones: Optional[jax.Array], + + # prng_key: Optional[jax.random.PRNGKeyArray]=None, + # train: bool=False, + # ) -> Tuple[jax.Array, PyTree]: + # raise NotImplementedError + + def eval_loss( + self, + input_ids: jax.Array, # [batch, time] + should_take_action: jax.Array, # [batch, time-1] + rewards: jax.Array, # [batch, time-1] + dones: jax.Array, # [batch] + next_token_ids: Optional[jax.Array], # [batch, n_time] + next_dones: Optional[jax.Array], # [batch] + attention_mask: Optional[jax.Array]=None, + position_ids: Optional[jax.Array]=None, + next_tokens_attention_mask: Optional[jax.Array]=None, + next_tokens_position_ids: Optional[jax.Array]=None, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + train: bool=False, + ) -> Tuple[jax.Array, PyTree]: + if self.value_inference.q2_head_params is None: + raise NotImplementedError + if self.target_value_inference.q2_head_params is None: + raise NotImplementedError + + attention_mask, position_ids = initialize_attn_mask_pos_ids( + input_ids, + self.value_inference.tokenizer.pad_token_id, + attention_mask, + position_ids, + ) + + if next_token_ids is not None: + next_tokens_attention_mask, next_tokens_position_ids = initialize_attn_mask_pos_ids( + next_token_ids, + self.value_inference.tokenizer.pad_token_id, + next_tokens_attention_mask, + next_tokens_position_ids, + ) + else: + assert next_tokens_attention_mask is None + assert next_tokens_position_ids is None + + loss, logs = self._eval_loss( + self.value_inference.base_params, + self.target_value_inference.base_params, + self.value_inference.q1_head_params, + self.value_inference.q2_head_params, + self.target_value_inference.q1_head_params, + self.target_value_inference.q2_head_params, + input_ids, + attention_mask, + position_ids, + should_take_action, + rewards, + dones, + next_token_ids, + next_tokens_attention_mask, + next_tokens_position_ids, + next_dones, + prng_key, + train, + ) + + return loss, logs + + def eval_loss_from_str(self, *args, **kwargs): + raise NotImplementedError diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/cql/data.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/cql/data.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/cql/gptj/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/cql/gptj/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/cql/gptj/interface.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/cql/gptj/interface.py new file mode 100755 index 00000000..f38d4c00 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/cql/gptj/interface.py @@ -0,0 +1,604 @@ +from typing import Optional, Callable, Tuple, List +from jax.experimental.pjit import pjit +from LLM_RL.algorithms.cql.base_interface import CQLTrain, CQLInference +from flax.training.train_state import TrainState +from jaxtyping import PyTree +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.tokenization_utils import PreTrainedTokenizerBase +import flax.linen as nn +from JaxSeq.utils import with_named_sharding_constraint, match_partition_rules +from functools import partial +import jax +from jax.sharding import NamedSharding +from jax.sharding import PartitionSpec as PS +import jax.numpy as jnp +import optax +from LLM_RL.algorithms.value_rl_base.gptj.interface import GPTJValueRLInference + +class GPTJCQLTrain(CQLTrain): + @classmethod + def load_train( + cls, + base_train_state: TrainState, + target_base_params: Optional[PyTree], + q1_head_train_state: TrainState, + q2_head_train_state: TrainState, + q1_target_head_params: PyTree, + q2_target_head_params: PyTree, + base_model: FlaxPreTrainedModel, + q_head_model: nn.Module, + tokenizer: PreTrainedTokenizerBase, + loss_fn: Callable, + detach_q1: bool, + detach_q2: bool, + detach_v: bool, + polyak_alpha: float, + hard_update_every: Optional[int], + ): + mesh = base_model.config.mesh + assert mesh is not None + assert mesh == q_head_model.config.mesh + base_train_state_partition_spec = match_partition_rules(base_model.config.get_partition_rules(), base_train_state) + target_base_params_partition_spec = PS() if target_base_params is None else match_partition_rules(base_model.config.get_partition_rules(), target_base_params) + q1_head_train_state_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q1_head_train_state) + q2_head_train_state_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q2_head_train_state) + q1_target_head_params_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q1_target_head_params) + q2_target_head_params_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q2_target_head_params) + + @partial( + pjit, + donate_argnums=(0, 1, 2, 3, 4, 5), + static_argnames=('train',), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), target_base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_target_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_target_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), target_base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_target_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_target_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + ) + def _step( + base_train_state: TrainState, + target_base_params: Optional[PyTree], + q1_head_train_state: TrainState, + q2_head_train_state: TrainState, + q1_target_head_params: PyTree, + q2_target_head_params: PyTree, + + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + should_take_action: jax.Array, + rewards: jax.Array, + dones: jax.Array, + + next_token_ids: Optional[jax.Array], + next_tokens_attention_mask: Optional[jax.Array], + next_tokens_position_ids: Optional[jax.Array], + next_dones: Optional[jax.Array], + + prng_key: Optional[jax.random.PRNGKeyArray], + train: bool=True, + ) -> Tuple[TrainState, Optional[PyTree], TrainState, TrainState, TrainState, PyTree, PyTree, jax.Array, PyTree]: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(('dp', 'fsdp'), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(('dp', 'fsdp'), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(('dp', 'fsdp'), None)) + should_take_action = with_named_sharding_constraint(should_take_action, mesh, PS(('dp', 'fsdp'), None)) + rewards = with_named_sharding_constraint(rewards, mesh, PS(('dp', 'fsdp'), None)) + dones = with_named_sharding_constraint(dones, mesh, PS(('dp', 'fsdp'))) + if next_token_ids is not None: + assert next_tokens_attention_mask is not None + assert next_tokens_position_ids is not None + next_token_ids = with_named_sharding_constraint(next_token_ids, mesh, PS(('dp', 'fsdp'), None)) + next_tokens_attention_mask = with_named_sharding_constraint(next_tokens_attention_mask, mesh, PS(('dp', 'fsdp'), None)) + next_tokens_position_ids = with_named_sharding_constraint(next_tokens_position_ids, mesh, PS(('dp', 'fsdp'), None)) + next_dones = with_named_sharding_constraint(next_dones, mesh, PS(('dp', 'fsdp'))) + else: + assert next_tokens_attention_mask is None + assert next_tokens_position_ids is None + + # define loss function + + def grad_loss(base_params: PyTree, q1_head_params: PyTree, q2_head_params: PyTree, prng_key: jax.random.PRNGKeyArray): + + # get base hidden states + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + base_model_output = base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + if target_base_params is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_base_model_output = base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=target_base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + else: + target_base_model_output = base_model_output + + if next_token_ids is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + next_token_base_model_output = base_model( + input_ids=next_token_ids, + attention_mask=next_tokens_attention_mask, + position_ids=next_tokens_position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + # get values + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q1_head_output = q_head_model.apply( + {'params': q1_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q2_head_output = q_head_model.apply( + {'params': q2_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_q1_head_output = q_head_model.apply( + {'params': q1_target_head_params}, + target_base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_q2_head_output = q_head_model.apply( + {'params': q2_target_head_params}, + target_base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + # stop gradients + if detach_q1: + q1_head_output = jax.lax.stop_gradient(q1_head_output) + if detach_q2: + q2_head_output = jax.lax.stop_gradient(q2_head_output) + if detach_v: + v_head_output = jax.lax.stop_gradient(v_head_output) + target_q1_head_output = jax.lax.stop_gradient(target_q1_head_output) + target_q2_head_output = jax.lax.stop_gradient(target_q2_head_output) + + q1 = jnp.take_along_axis(q1_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + q2 = jnp.take_along_axis(q2_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + # v = v_head_output[:, :-1].squeeze(2) + # v_full = v_head_output.squeeze(2) + target_q1 = jnp.take_along_axis(target_q1_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + target_q2 = jnp.take_along_axis(target_q2_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + + q1_logits = q1_head_output[:, :-1, :].astype(jnp.float32) + q2_logits = q2_head_output[:, :-1, :].astype(jnp.float32) + + # get next token values + + if next_token_ids is not None: + # just run vf on last token to save some flops + last_next_token_idxs = (next_tokens_attention_mask.shape[1]-1)-jnp.argmax(jnp.flip(next_tokens_attention_mask, axis=1).astype(jnp.int32), axis=1) + final_next_token_h = next_token_base_model_output.hidden_states[-1][jnp.arange(0, input_ids.shape[0], dtype=jnp.int32), last_next_token_idxs, :] + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + next_token_v_head_output = q_head_model.apply( + {'params': q1_target_head_params}, + final_next_token_h, + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + v_final = next_token_v_head_output * (1 - next_dones.astype(jnp.float32)) + else: + last_action_idxs = (should_take_action.shape[1]-1)-jnp.argmax(jnp.flip(should_take_action, axis=1).astype(jnp.int32), axis=1)+1 + last_token_idxs = (attention_mask.shape[1]-1)-jnp.argmax(jnp.flip(attention_mask, axis=1).astype(jnp.int32), axis=1) + final_state_idxs = ((1 - dones) * last_action_idxs + dones * last_token_idxs).astype(jnp.int32) + v_final = v_full[jnp.arange(0, should_take_action.shape[0], dtype=jnp.int32), final_state_idxs] + v_final = v_final * (1 - dones) + v_final = jax.lax.stop_gradient(v_final) + + loss, info = loss_fn( + q1, + q2, + v, + v_final, + target_q1, + target_q2, + q1_logits, + q2_logits, + input_ids[:, 1:], + attention_mask[:, 1:], + should_take_action, + rewards, + ) + return loss, info + + # take loss + (loss, info), (base_grads, q1_head_grads, q2_head_grads) = jax.value_and_grad(grad_loss, has_aux=True, argnums=(0, 1, 2))( + base_train_state.params, + q1_head_train_state.params, + q2_head_train_state.params, + prng_key, + ) + # assert shard gradients + base_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + base_grads, + base_train_state_partition_spec.params, + ) + q1_head_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + q1_head_grads, + q1_head_train_state_partition_spec.params, + ) + q2_head_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + q2_head_grads, + q2_head_train_state_partition_spec.params, + ) + # update params and optim state + base_train_state = base_train_state.apply_gradients(grads=base_grads) + q1_head_train_state = q1_head_train_state.apply_gradients(grads=q1_head_grads) + q2_head_train_state = q2_head_train_state.apply_gradients(grads=q2_head_grads) + + # handle target network updates + def update_targets(params: PyTree, base_params: PyTree, steps: jnp.ndarray) -> PyTree: + base_params = optax.incremental_update(params, base_params, polyak_alpha) + if hard_update_every is not None: + base_params = optax.periodic_update(params, base_params, steps, hard_update_every) + return base_params + + def mid_targets(params: PyTree, base_params: PyTree, steps: jnp.ndarray) -> PyTree: + return base_params + + def update_cond(opt_state: PyTree) -> bool: + if hasattr(opt_state, 'mini_step'): + return opt_state.mini_step == 0 + return True + + if target_base_params is not None: + target_base_params = jax.lax.cond( + update_cond(base_train_state.opt_state), + update_targets, + mid_targets, + base_train_state.params, + target_base_params, + base_train_state.step, + ) + q1_target_head_params = jax.lax.cond( + update_cond(q1_head_train_state.opt_state), + update_targets, + mid_targets, + q1_head_train_state.params, + q1_target_head_params, + q1_head_train_state.step, + ) + q2_target_head_params = jax.lax.cond( + update_cond(q2_head_train_state.opt_state), + update_targets, + mid_targets, + q2_head_train_state.params, + q2_target_head_params, + q2_head_train_state.step, + ) + + return base_train_state, target_base_params, q1_head_train_state, q2_head_train_state, q1_target_head_params, q2_target_head_params, loss, info + + return cls( + base_train_state=base_train_state, + target_base_params=target_base_params, + q1_head_train_state=q1_head_train_state, + q2_head_train_state=q2_head_train_state, + q1_target_head_params=q1_target_head_params, + q2_target_head_params=q2_target_head_params, + base_model=base_model, + q_head_model=q_head_model, + tokenizer=tokenizer, + _step=_step, + ) + +class GPTJILQLInference(ILQLInference): + @classmethod + def load_inference( + cls, + value_inference: GPTJValueRLInference, + target_value_inference: GPTJValueRLInference, + loss_fn: Callable, + ): + mesh = value_inference.base_model.config.mesh + assert mesh is not None + assert mesh == value_inference.q_head_model.config.mesh + assert mesh == value_inference.v_head_model.config.mesh + assert mesh == target_value_inference.base_model.config.mesh + assert mesh == target_value_inference.q_head_model.config.mesh + + base_params_partition_spec = match_partition_rules(value_inference.base_model.config.get_partition_rules(), value_inference.base_params) + target_base_params_partition_spec = match_partition_rules(target_value_inference.base_model.config.get_partition_rules(), target_value_inference.base_params) + q1_head_params_partition_spec = match_partition_rules(value_inference.q_head_model.config.get_partition_rules(), value_inference.q1_head_params) + q2_head_params_partition_spec = match_partition_rules(value_inference.q_head_model.config.get_partition_rules(), value_inference.q2_head_params) + v_head_params_partition_spec = match_partition_rules(value_inference.v_head_model.config.get_partition_rules(), value_inference.v_head_params) + q1_target_head_params_partition_spec = match_partition_rules(target_value_inference.q_head_model.config.get_partition_rules(), target_value_inference.q1_head_params) + q2_target_head_params_partition_spec = match_partition_rules(target_value_inference.q_head_model.config.get_partition_rules(), target_value_inference.q2_head_params) + + @partial( + pjit, + static_argnames=('train',), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), target_base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), v_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_target_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_target_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=( + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + ) + def _eval_loss( + base_params: PyTree, + target_base_params: Optional[PyTree], + q1_head_params: PyTree, + q2_head_params: PyTree, + v_head_params: PyTree, + q1_target_head_params: PyTree, + q2_target_head_params: PyTree, + + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + should_take_action: jax.Array, + rewards: jax.Array, + dones: jax.Array, + + next_token_ids: Optional[jax.Array], + next_tokens_attention_mask: Optional[jax.Array], + next_tokens_position_ids: Optional[jax.Array], + next_dones: Optional[jax.Array], + + prng_key: Optional[jax.random.PRNGKeyArray]=None, + train: bool=False, + ) -> Tuple[jax.Array, PyTree]: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(('dp', 'fsdp'), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(('dp', 'fsdp'), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(('dp', 'fsdp'), None)) + should_take_action = with_named_sharding_constraint(should_take_action, mesh, PS(('dp', 'fsdp'), None)) + rewards = with_named_sharding_constraint(rewards, mesh, PS(('dp', 'fsdp'), None)) + dones = with_named_sharding_constraint(dones, mesh, PS(('dp', 'fsdp'))) + if next_token_ids is not None: + assert next_tokens_attention_mask is not None + assert next_tokens_position_ids is not None + next_token_ids = with_named_sharding_constraint(next_token_ids, mesh, PS(('dp', 'fsdp'), None)) + next_tokens_attention_mask = with_named_sharding_constraint(next_tokens_attention_mask, mesh, PS(('dp', 'fsdp'), None)) + next_tokens_position_ids = with_named_sharding_constraint(next_tokens_position_ids, mesh, PS(('dp', 'fsdp'), None)) + next_dones = with_named_sharding_constraint(next_dones, mesh, PS(('dp', 'fsdp'))) + else: + assert next_tokens_attention_mask is None + assert next_tokens_position_ids is None + + # get base hidden states + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + base_model_output = value_inference.base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + if target_base_params is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_base_model_output = target_value_inference.base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=target_base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + else: + target_base_model_output = base_model_output + + if next_token_ids is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + next_token_base_model_output = value_inference.base_model( + input_ids=next_token_ids, + attention_mask=next_tokens_attention_mask, + position_ids=next_tokens_position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + # get values + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q1_head_output = value_inference.q_head_model.apply( + {'params': q1_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q2_head_output = value_inference.q_head_model.apply( + {'params': q2_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + v_head_output = value_inference.v_head_model.apply( + {'params': v_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_q1_head_output = target_value_inference.q_head_model.apply( + {'params': q1_target_head_params}, + target_base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_q2_head_output = target_value_inference.q_head_model.apply( + {'params': q2_target_head_params}, + target_base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + # process outputs + + q1 = jnp.take_along_axis(q1_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + q2 = jnp.take_along_axis(q2_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + v = v_head_output[:, :-1].squeeze(2) + v_full = v_head_output.squeeze(2) + target_q1 = jnp.take_along_axis(target_q1_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + target_q2 = jnp.take_along_axis(target_q2_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + + q1_logits = q1_head_output[:, :-1, :].astype(jnp.float32) + q2_logits = q2_head_output[:, :-1, :].astype(jnp.float32) + + # get next token values + + if next_token_ids is not None: + # just run vf on last token to save some flops + last_next_token_idxs = (next_tokens_attention_mask.shape[1]-1)-jnp.argmax(jnp.flip(next_tokens_attention_mask, axis=1).astype(jnp.int32), axis=1) + final_next_token_h = next_token_base_model_output.hidden_states[-1][jnp.arange(0, input_ids.shape[0], dtype=jnp.int32), last_next_token_idxs, :] + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + next_token_v_head_output = value_inference.v_head_model.apply( + {'params': v_head_params}, + final_next_token_h, + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ).squeeze(1) + v_final = next_token_v_head_output * (1 - next_dones.astype(jnp.float32)) + else: + last_action_idxs = (should_take_action.shape[1]-1)-jnp.argmax(jnp.flip(should_take_action, axis=1).astype(jnp.int32), axis=1)+1 + last_token_idxs = (attention_mask.shape[1]-1)-jnp.argmax(jnp.flip(attention_mask, axis=1).astype(jnp.int32), axis=1) + final_state_idxs = ((1 - dones) * last_action_idxs + dones * last_token_idxs).astype(jnp.int32) + v_final = v_full[jnp.arange(0, should_take_action.shape[0], dtype=jnp.int32), final_state_idxs] + v_final = v_final * (1 - dones) + + loss, info = loss_fn( + q1, + q2, + v, + v_final, + target_q1, + target_q2, + q1_logits, + q2_logits, + input_ids[:, 1:], + attention_mask[:, 1:], + should_take_action, + rewards, + ) + + return loss, info + + return cls( + value_inference=value_inference, + target_value_inference=target_value_inference, + _eval_loss=_eval_loss, + ) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/cql/train.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/cql/train.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/base_interface.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/base_interface.py new file mode 100755 index 00000000..20d67441 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/base_interface.py @@ -0,0 +1,442 @@ +from __future__ import annotations +from typing import Union, Tuple, Any, Callable, Optional, NamedTuple, List +import jax +import jax.numpy as jnp +import optax +from LLM_RL.utils import get_tensor_stats +from flax import struct +from flax.training.train_state import TrainState +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.tokenization_utils import PreTrainedTokenizerBase +import flax.linen as nn +from jaxtyping import PyTree +from JaxSeq.models.base_interface import initialize_attn_mask_pos_ids +from transformers.generation import GenerationConfig +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +from transformers.generation import FlaxBeamSearchOutput, FlaxGreedySearchOutput, FlaxSampleOutput +from JaxSeq.models.base_interface import GenerationFromStrOutput +from LLM_RL.algorithms.value_rl_base.base_interface import ValueRLForwardOutput, ValueRLInference + +# loss function + +def get_query_indicators( + flat_mask: jax.Array, +) -> jax.Array: + idxs = jnp.argwhere(flat_mask, size=flat_mask.shape[0], fill_value=flat_mask.shape[0])[:, 0] + query_indicators = jax.nn.one_hot(idxs, num_classes=flat_mask.shape[0]+1, dtype=jnp.float32)[:, :-1] + return query_indicators + +def ilql_loss( + q1: jax.Array, # [batch, time-1] output is masked; shift x[:-1] + q2: jax.Array, # [batch, time-1] output is masked; shift x[:-1] + v: jax.Array, # [batch, time-1] output is masked; shift x[:-1] + v_final: jax.Array, # [batch] + target_q1: jax.Array, # [batch, time-1] output is masked; shift x[:-1] + target_q2: jax.Array, # [batch, time-1] output is masked; shift x[:-1] + q1_logits: jax.Array, # [batch, time-1, vocab] output is masked; shift x[:-1] + q2_logits: jax.Array, # [batch, time-1, vocab] output is masked; shift x[:-1] + token_ids: jax.Array, # [batch, time-1] output is masked; shift x[1:] + attention_mask: jax.Array, # [batch, time-1] output is masked; shift x[1:] + should_take_action: jax.Array, # [batch, time-1] output is masked; shift x[1:] + rewards: jax.Array, # [batch, time-1] output is masked; shift x[1:] + *, + gamma: Union[float, jax.Array], + tau: Union[float, jax.Array], + cql_weight: Union[float, jax.Array], +) -> Tuple[jnp.ndarray, Any]: + # should be an action in the batch + mask = should_take_action.astype(jnp.float32) * attention_mask + n = mask.sum() + + q1sa_flat, q2sa_flat, v_flat = q1.reshape(-1), q2.reshape(-1), v.reshape(-1) + target_q1sa_flat, target_q2sa_flat = target_q1.reshape(-1), target_q2.reshape(-1) + vns_flat = jnp.concatenate((v, v_final[..., None]), axis=1).reshape(-1) + + qv_query_indicators = get_query_indicators(should_take_action.reshape(-1)) + + is_next_state = should_take_action.copy() + # set first action position to false + is_next_state = is_next_state.at[jnp.arange(0, is_next_state.shape[0], dtype=jnp.int32), jnp.argmax(is_next_state.astype(jnp.int32), axis=1)].set(False) + # set endpoint to true as long as there is at least 1 action in the sequence + is_next_state = jnp.concatenate((is_next_state, (should_take_action.sum(axis=1) > 0)[..., None]), axis=1) + + vns_query_indicators = get_query_indicators(is_next_state.reshape(-1)) + # should be the same number of vns as qv, so we can clip the extra padding to match shape + vns_query_indicators = vns_query_indicators[:qv_query_indicators.shape[0], :] + + # extract selected values + q1sa_selected = (qv_query_indicators * q1sa_flat).sum(axis=1) + q2sa_selected = (qv_query_indicators * q2sa_flat).sum(axis=1) + v_selected = (qv_query_indicators * v_flat).sum(axis=1) + target_q1sa_selected = (qv_query_indicators * target_q1sa_flat).sum(axis=1) + target_q2sa_selected = (qv_query_indicators * target_q2sa_flat).sum(axis=1) + vns_selected = (vns_query_indicators * vns_flat).sum(axis=1) + rs_selected = (qv_query_indicators * rewards.reshape(-1)).sum(axis=1) + + # get masks for selected values + sa_mask = (qv_query_indicators.sum(axis=1) > 0).astype(jnp.float32) + ns_mask = (vns_query_indicators.sum(axis=1) > 0).astype(jnp.float32) + + # compute q loss + q1_loss = (optax.l2_loss(q1sa_selected, jax.lax.stop_gradient(rs_selected + gamma * vns_selected)) * sa_mask).sum() / n + q2_loss = (optax.l2_loss(q2sa_selected, jax.lax.stop_gradient(rs_selected + gamma * vns_selected)) * sa_mask).sum() / n + + # compute v loss + target_q_selected = jnp.minimum(target_q1sa_selected, target_q2sa_selected) + expectile_indicator = (target_q_selected >= v_selected).astype(jnp.float32) + expectile_weights = expectile_indicator * tau + (1 - expectile_indicator) * (1 - tau) + v_loss = (optax.l2_loss(v_selected, jax.lax.stop_gradient(target_q_selected)) * jax.lax.stop_gradient(expectile_weights) * sa_mask).sum() / n + + # compute cql loss on both q heads + q1_cql_loss = optax.softmax_cross_entropy_with_integer_labels(q1_logits, token_ids) + q1_cql_loss = (mask * q1_cql_loss).sum() / n + + q2_cql_loss = optax.softmax_cross_entropy_with_integer_labels(q2_logits, token_ids) + q2_cql_loss = (mask * q2_cql_loss).sum() / n + + loss = q1_loss + q2_loss + v_loss + cql_weight * (q1_cql_loss + q2_cql_loss) + + logs = dict( + losses=dict( + total_loss=loss, + q1_loss=q1_loss, + q2_loss=q2_loss, + v_loss=v_loss, + q1_cql_loss=q1_cql_loss, + q2_cql_loss=q2_cql_loss, + ), + q1=get_tensor_stats(q1sa_selected, mask=sa_mask, n=n), + q2=get_tensor_stats(q2sa_selected, mask=sa_mask, n=n), + v=get_tensor_stats(v_selected, mask=sa_mask, n=n), + target_q=get_tensor_stats(target_q_selected, mask=sa_mask, n=n), + target_q1=get_tensor_stats(target_q1sa_selected, mask=sa_mask, n=n), + target_q2=get_tensor_stats(target_q2sa_selected, mask=sa_mask, n=n), + vns=get_tensor_stats(vns_selected, mask=ns_mask, n=n), + v_final=get_tensor_stats(v_final, mask=jnp.ones(v_final.shape, dtype=jnp.int32), n=v_final.shape[0]), + rewards=get_tensor_stats(rewards, mask=mask, n=n), + ) + + return loss, logs + +class ILQLTrain(struct.PyTreeNode): + base_train_state: TrainState + target_base_params: Optional[PyTree] + q1_head_train_state: TrainState + q2_head_train_state: TrainState + v_head_train_state: TrainState + q1_target_head_params: PyTree + q2_target_head_params: PyTree + base_model: FlaxPreTrainedModel = struct.field(pytree_node=False) + q_head_model: nn.Module = struct.field(pytree_node=False) + v_head_model: nn.Module = struct.field(pytree_node=False) + tokenizer: PreTrainedTokenizerBase = struct.field(pytree_node=False) + _step: Callable = struct.field(pytree_node=False) + + # def _step( + # base_train_state: TrainState, + # target_base_params: Optional[PyTree], + # q1_head_train_state: TrainState, + # q2_head_train_state: TrainState, + # v_head_train_state: TrainState, + # q1_target_head_params: PyTree, + # q2_target_head_params: PyTree, + + # input_ids: jax.Array, + # attention_mask: jax.Array, + # position_ids: jax.Array, + # should_take_action: jax.Array, + # rewards: jax.Array, + # dones: jax.Array, + + # next_token_ids: Optional[jax.Array], + # next_tokens_attention_mask: Optional[jax.Array], + # next_tokens_position_ids: Optional[jax.Array], + # next_dones: Optional[jax.Array], + + # prng_key: Optional[jax.random.PRNGKeyArray], + # train: bool=True, + # ) -> Tuple[TrainState, Optional[PyTree], TrainState, TrainState, TrainState, PyTree, PyTree, jax.Array, PyTree]: + # raise NotImplementedError + + def step( + self, + input_ids: jax.Array, # [batch, time] + should_take_action: jax.Array, # [batch, time-1] + rewards: jax.Array, # [batch, time-1] + dones: jax.Array, # [batch] + next_token_ids: Optional[jax.Array], # [batch, n_time] + next_dones: Optional[jax.Array], # [batch] + prng_key: Optional[jax.random.PRNGKeyArray], + attention_mask: Optional[jax.Array]=None, + position_ids: Optional[jax.Array]=None, + next_tokens_attention_mask: Optional[jax.Array]=None, + next_tokens_position_ids: Optional[jax.Array]=None, + train: bool=True, + ) -> Tuple[ILQLTrain, jax.Array, PyTree]: + + # handle attention mask and position ids shifting + attention_mask, position_ids = initialize_attn_mask_pos_ids( + input_ids, + self.tokenizer.pad_token_id, + attention_mask, + position_ids, + ) + + if next_token_ids is not None: + next_tokens_attention_mask, next_tokens_position_ids = initialize_attn_mask_pos_ids( + next_token_ids, + self.tokenizer.pad_token_id, + next_tokens_attention_mask, + next_tokens_position_ids, + ) + else: + assert next_tokens_attention_mask is None + assert next_tokens_position_ids is None + + base_train_state, \ + target_base_params, \ + q1_head_train_state, \ + q2_head_train_state, \ + v_head_train_state, \ + q1_target_head_params, \ + q2_target_head_params, \ + loss, logs = self._step( + self.base_train_state, + self.target_base_params, + self.q1_head_train_state, + self.q2_head_train_state, + self.v_head_train_state, + self.q1_target_head_params, + self.q2_target_head_params, + input_ids, + attention_mask, + position_ids, + should_take_action, + rewards, + dones, + next_token_ids, + next_tokens_attention_mask, + next_tokens_position_ids, + next_dones, + prng_key, + train, + ) + + return self.replace( + base_train_state=base_train_state, + target_base_params=target_base_params, + q1_head_train_state=q1_head_train_state, + q2_head_train_state=q2_head_train_state, + v_head_train_state=v_head_train_state, + q1_target_head_params=q1_target_head_params, + q2_target_head_params=q2_target_head_params, + ), loss, logs + +class ILQLForwardOutput(NamedTuple): + output: ValueRLForwardOutput + target_output: ValueRLForwardOutput + +class ILQLInference(struct.PyTreeNode): + value_inference: ValueRLInference + target_value_inference: ValueRLInference + _eval_loss: Callable = struct.field(pytree_node=False) + use_target_base_for_loss: bool = struct.field(pytree_node=False, default=True) + + # def _eval_loss( + # base_params: PyTree, + # target_base_params: Optional[PyTree], + # q1_head_params: PyTree, + # q2_head_params: PyTree, + # v_head_params: PyTree, + # q1_target_head_params: PyTree, + # q2_target_head_params: PyTree, + + # input_ids: jax.Array, + # attention_mask: jax.Array, + # position_ids: jax.Array, + # should_take_action: jax.Array, + # rewards: jax.Array, + # dones: jax.Array, + + # next_token_ids: Optional[jax.Array], + # next_tokens_attention_mask: Optional[jax.Array], + # next_tokens_position_ids: Optional[jax.Array], + # next_dones: Optional[jax.Array], + + # prng_key: Optional[jax.random.PRNGKeyArray]=None, + # train: bool=False, + # ) -> Tuple[jax.Array, PyTree]: + # raise NotImplementedError + + def generate( + self, + input_ids: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray], + generation_config: Optional[GenerationConfig]=None, + attention_mask: Optional[jax.Array]=None, + position_ids: Optional[jax.Array]=None, + trace: bool=True, + target_generate: bool=True, + ) -> Union[FlaxSampleOutput, FlaxGreedySearchOutput, FlaxBeamSearchOutput]: + obj = self.target_value_inference if target_generate else self.value_inference + return obj.generate( + input_ids, + prng_key, + generation_config=generation_config, + attention_mask=attention_mask, + position_ids=position_ids, + trace=trace, + ) + + def generate_from_str( + self, + input_strs: List[str], + prng_key: Optional[jax.random.PRNGKeyArray], + blocking_strategy: BlockingStrategy=BlockingStrategy(padding=Padding.LEFT, truncation=Truncation.LEFT, max_length=None), + generation_config: Optional[GenerationConfig]=None, + input_token_process: Optional[Callable[[List[int]], List[int]]]=None, + target_token_process: Optional[Callable[[List[int]], List[int]]]=None, + trace: bool=True, + target_generate: bool=True, + ) -> GenerationFromStrOutput: + obj = self.target_value_inference if target_generate else self.value_inference + return obj.generate_from_str( + input_strs, + prng_key, + blocking_strategy=blocking_strategy, + generation_config=generation_config, + input_token_process=input_token_process, + target_token_process=target_token_process, + trace=trace, + ) + + def forward( + self, + input_ids: jax.Array, + attention_mask: Optional[jax.Array]=None, + position_ids: Optional[jax.Array]=None, + output_attentions: Optional[bool]=None, + train: bool=False, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + ) -> ILQLForwardOutput: + input_ids_cp = input_ids.copy() + attention_mask_cp = attention_mask.copy() if attention_mask is not None else None + position_ids_cp = position_ids.copy() if position_ids is not None else None + output_attentions_cp = output_attentions.copy() if output_attentions is not None else None + prng_key_cp = prng_key.copy() if prng_key is not None else None + return ILQLForwardOutput( + output=self.value_inference.forward( + input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + output_attentions=output_attentions, + train=train, + prng_key=prng_key, + ), + target_output=self.target_value_inference.forward( + input_ids_cp, + attention_mask=attention_mask_cp, + position_ids=position_ids_cp, + output_attentions=output_attentions_cp, + train=train, + prng_key=prng_key_cp, + ), + ) + + def forward_from_str( + self, + input_strs: List[str], + blocking_strategy: BlockingStrategy=BlockingStrategy(padding=Padding.RIGHT, truncation=Truncation.RIGHT, max_length=None), + output_attentions: Optional[bool]=None, + output_hidden_states: Optional[bool]=None, + train: bool=False, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + input_token_process: Optional[Callable[[List[int]], List[int]]]=None, + ) -> ILQLForwardOutput: + return ILQLForwardOutput( + output=self.value_inference.forward_from_str( + input_strs, + blocking_strategy=blocking_strategy, + output_attentions=output_attentions, + output_hidden_states=output_hidden_states, + train=train, + prng_key=prng_key, + input_token_process=input_token_process, + ), + target_output=self.target_value_inference.forward_from_str( + input_strs, + blocking_strategy=blocking_strategy, + output_attentions=output_attentions, + output_hidden_states=output_hidden_states, + train=train, + prng_key=prng_key, + input_token_process=input_token_process, + ), + ) + + def eval_loss( + self, + input_ids: jax.Array, # [batch, time] + should_take_action: jax.Array, # [batch, time-1] + rewards: jax.Array, # [batch, time-1] + dones: jax.Array, # [batch] + next_token_ids: Optional[jax.Array], # [batch, n_time] + next_dones: Optional[jax.Array], # [batch] + attention_mask: Optional[jax.Array]=None, + position_ids: Optional[jax.Array]=None, + next_tokens_attention_mask: Optional[jax.Array]=None, + next_tokens_position_ids: Optional[jax.Array]=None, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + train: bool=False, + ) -> Tuple[jax.Array, PyTree]: + if self.value_inference.v_head_params is None or self.value_inference.v_head_model is None: + raise NotImplementedError + if self.value_inference.q2_head_params is None: + raise NotImplementedError + if self.target_value_inference.q2_head_params is None: + raise NotImplementedError + + attention_mask, position_ids = initialize_attn_mask_pos_ids( + input_ids, + self.value_inference.tokenizer.pad_token_id, + attention_mask, + position_ids, + ) + + if next_token_ids is not None: + next_tokens_attention_mask, next_tokens_position_ids = initialize_attn_mask_pos_ids( + next_token_ids, + self.value_inference.tokenizer.pad_token_id, + next_tokens_attention_mask, + next_tokens_position_ids, + ) + else: + assert next_tokens_attention_mask is None + assert next_tokens_position_ids is None + + loss, logs = self._eval_loss( + self.value_inference.base_params, + self.target_value_inference.base_params if self.use_target_base_for_loss else None, + self.value_inference.q1_head_params, + self.value_inference.q2_head_params, + self.value_inference.v_head_params, + self.target_value_inference.q1_head_params, + self.target_value_inference.q2_head_params, + input_ids, + attention_mask, + position_ids, + should_take_action, + rewards, + dones, + next_token_ids, + next_tokens_attention_mask, + next_tokens_position_ids, + next_dones, + prng_key, + train, + ) + + return loss, logs + + def eval_loss_from_str(self, *args, **kwargs): + raise NotImplementedError diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/data.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/data.py new file mode 100755 index 00000000..41c7b757 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/data.py @@ -0,0 +1,172 @@ +from __future__ import annotations +from typing import Dict, Iterable, List, Iterator, NamedTuple, Optional +from JaxSeq.utils import Dataset, IterableDataset, block_sequences, BlockingStrategy +import numpy as np +import jax.numpy as jnp +import jax +from transformers.tokenization_utils import PreTrainedTokenizerBase +from LLM_RL.environment import TokenTrajectoryChain + +class ILQLData(NamedTuple): + input_ids: np.ndarray # [t] + should_take_action: np.ndarray # [t-1] + rewards: np.ndarray # [t-1] + done: np.ndarray # [] + next_token_ids: Optional[np.ndarray] # [t'] + next_done: Optional[np.ndarray] # [] + + @staticmethod + def block( + data: List[ILQLData], + blocking_strategy: BlockingStrategy, + tokenizer: PreTrainedTokenizerBase, + ) -> Dict[str, np.ndarray]: + has_next_token = any(map(lambda x: x.next_token_ids is not None, data)) + assert all(map(lambda x: x.next_token_ids is None, data)) or has_next_token + assert all(map(lambda x: x.next_done is None, data)) or has_next_token + + return dict( + input_ids=block_sequences( + list(map(lambda x: x.input_ids, data)), + tokenizer.pad_token_id, + dtype=np.int32, + blocking_strategy=blocking_strategy, + ), + should_take_action=block_sequences( + list(map(lambda x: x.should_take_action, data)), + False, + dtype=np.bool_, + blocking_strategy=blocking_strategy._replace(max_length=blocking_strategy.max_length-1), + ), + rewards=block_sequences( + list(map(lambda x: x.rewards, data)), + 0.0, + dtype=np.float32, + blocking_strategy=blocking_strategy._replace(max_length=blocking_strategy.max_length-1), + ), + dones=np.asarray(list(map(lambda x: x.done, data)), dtype=np.bool_), + next_token_ids=block_sequences( + list(map(lambda x: x.next_token_ids, data)), + tokenizer.pad_token_id, + dtype=np.int32, + blocking_strategy=blocking_strategy, + ) if has_next_token else None, + next_dones=np.asarray(list(map(lambda x: x.next_done, data)), dtype=np.bool_) if has_next_token else None, + ) + + @classmethod + def from_token_trajectory_chain( + cls, + token_trajectory_chain: TokenTrajectoryChain, + ): + if token_trajectory_chain.next is not None: + if token_trajectory_chain.next.token_trajectory.is_action[1:].sum() > 0: + first_next_action = np.argmax(token_trajectory_chain.next.token_trajectory.is_action[1:], axis=0)+1 + next_token_ids = token_trajectory_chain.next.token_trajectory.tokens[:first_next_action] + next_done = False + else: + next_token_ids = token_trajectory_chain.next.token_trajectory.tokens + next_done = token_trajectory_chain.next.token_trajectory.done + else: + next_token_ids, next_done = None, None + return cls( + input_ids=token_trajectory_chain.token_trajectory.tokens, + should_take_action=token_trajectory_chain.token_trajectory.is_action[1:], + rewards=token_trajectory_chain.token_trajectory.reward[1:], + done=token_trajectory_chain.token_trajectory.done, + next_token_ids=next_token_ids, + next_done=next_done, + ) + +class ILQLDataset(Dataset): + def __init__( + self, + input_ids: np.ndarray, # [b, t] + should_take_action: np.ndarray, # [b, t-1] + rewards: np.ndarray, # [b, t-1] + dones: np.ndarray, # [b] + next_token_ids: Optional[np.ndarray], # [b, t'] + next_dones: Optional[np.ndarray], # [b] + ): + assert input_ids.shape[1] == (should_take_action.shape[1]+1) + assert input_ids.shape[1] == (rewards.shape[1]+1) + + assert input_ids.shape[0] == should_take_action.shape[0] + assert input_ids.shape[0] == rewards.shape[0] + assert input_ids.shape[0] == dones.shape[0] + if next_token_ids is not None: + assert input_ids.shape[0] == next_token_ids.shape[0] + if next_dones is not None: + assert input_ids.shape[0] == next_dones.shape[0] + + self.input_ids = input_ids + self.should_take_action = should_take_action + self.rewards = rewards + self.dones = dones + self.next_token_ids = next_token_ids + self.next_dones = next_dones + + def __getitem__(self, index): + return { + 'input_ids': jnp.asarray(self.input_ids[index], dtype=jnp.int32), + 'should_take_action': jnp.asarray(self.should_take_action[index], dtype=jnp.bool_), + 'rewards': jnp.asarray(self.rewards[index], dtype=jnp.float32), + 'dones': jnp.asarray(self.dones[index], dtype=jnp.float32), + 'next_token_ids': jnp.asarray(self.next_token_ids[index], dtype=jnp.float32) if self.next_token_ids is not None else None, + 'next_dones': jnp.asarray(self.next_dones[index], dtype=jnp.float32) if self.next_dones is not None else None, + } + + def __len__(self): + return self.input_ids.shape[0] + + @classmethod + def from_ilql_data_list( + cls, + ilql_data_list: List[ILQLData], + tokenizer: PreTrainedTokenizerBase, + blocking_strategy: BlockingStrategy, + ) -> ILQLDataset: + + data = ILQLData.block(ilql_data_list, blocking_strategy, tokenizer) + + return cls(**data) + +class _ILQLIteratorDataset: + def __init__(self, ilql_data: Iterator[Dict[str, np.ndarray]]): + self.ilql_data = ilql_data + + def __next__(self): + item = next(self.ilql_data) + return { + 'input_ids': jnp.asarray(item['input_ids'], dtype=jnp.int32), + 'should_take_action': jnp.asarray(item['should_take_action'], dtype=jnp.bool_), + 'rewards': jnp.asarray(item['rewards'], dtype=jnp.float32), + 'dones': jnp.asarray(item['dones'], dtype=jnp.float32), + 'next_token_ids': jnp.asarray(item['next_token_ids'], dtype=jnp.float32) if item['next_token_ids'] is not None else None, + 'next_dones': jnp.asarray(item['next_dones'], dtype=jnp.float32) if item['next_dones'] is not None else None, + } + +class ILQLIterableDataset(IterableDataset): + def __init__(self, ilql_data: Iterable[Dict[str, np.ndarray]]): + self.ilql_data = ilql_data + + def __iter__(self): + return _ILQLIteratorDataset(iter(self.ilql_data)) + + @classmethod + def from_ilql_data_iterable( + cls, + ilql_data: Iterable[ILQLData], + tokenizer: PreTrainedTokenizerBase, + blocking_strategy: BlockingStrategy, + ) -> ILQLIterableDataset: + + class _TokensIterable(Iterable): + def _tokens_generator(self): + for item in ilql_data: + yield jax.tree_util.tree_map(lambda x: x[0], ILQLData.block([item], blocking_strategy, tokenizer)) + + def __iter__(self): + return self._tokens_generator() + + return cls(_TokensIterable()) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/gpt2/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/gpt2/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/gpt2/interface.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/gpt2/interface.py new file mode 100755 index 00000000..7faae569 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/gpt2/interface.py @@ -0,0 +1,632 @@ +from typing import Optional, Callable, Tuple +from jax.experimental.pjit import pjit +from LLM_RL.algorithms.ilql.base_interface import ILQLTrain, ILQLInference +from flax.training.train_state import TrainState +from jaxtyping import PyTree +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.tokenization_utils import PreTrainedTokenizerBase +import flax.linen as nn +from JaxSeq.utils import with_named_sharding_constraint, match_partition_rules +from functools import partial +import jax +from jax.sharding import NamedSharding +from jax.sharding import PartitionSpec as PS +import jax.numpy as jnp +import optax +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValueRLInference + +class GPT2ILQLTrain(ILQLTrain): + @classmethod + def load_train( + cls, + base_train_state: TrainState, + target_base_params: Optional[PyTree], + q1_head_train_state: TrainState, + q2_head_train_state: TrainState, + v_head_train_state: TrainState, + q1_target_head_params: PyTree, + q2_target_head_params: PyTree, + base_model: FlaxPreTrainedModel, + q_head_model: nn.Module, + v_head_model: nn.Module, + tokenizer: PreTrainedTokenizerBase, + loss_fn: Callable, + detach_q1: bool, + detach_q2: bool, + detach_v: bool, + polyak_alpha: float, + hard_update_every: Optional[int], + ): + mesh = base_model.config.mesh + assert mesh is not None + assert mesh == q_head_model.config.mesh + assert mesh == v_head_model.config.mesh + base_train_state_partition_spec = match_partition_rules(base_model.config.get_partition_rules(), base_train_state) + target_base_params_partition_spec = PS() if target_base_params is None else match_partition_rules(base_model.config.get_partition_rules(), target_base_params) + q1_head_train_state_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q1_head_train_state) + q2_head_train_state_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q2_head_train_state) + v_head_train_state_partition_spec = match_partition_rules(v_head_model.config.get_partition_rules(), v_head_train_state) + q1_target_head_params_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q1_target_head_params) + q2_target_head_params_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q2_target_head_params) + + @partial( + pjit, + donate_argnums=(0, 1, 2, 3, 4, 5, 6), + static_argnames=('train',), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), target_base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), v_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_target_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_target_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), target_base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), v_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_target_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_target_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + ) + def _step( + base_train_state: TrainState, + target_base_params: Optional[PyTree], + q1_head_train_state: TrainState, + q2_head_train_state: TrainState, + v_head_train_state: TrainState, + q1_target_head_params: PyTree, + q2_target_head_params: PyTree, + + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + should_take_action: jax.Array, + rewards: jax.Array, + dones: jax.Array, + + next_token_ids: Optional[jax.Array], + next_tokens_attention_mask: Optional[jax.Array], + next_tokens_position_ids: Optional[jax.Array], + next_dones: Optional[jax.Array], + + prng_key: Optional[jax.random.PRNGKeyArray], + train: bool=True, + ) -> Tuple[TrainState, Optional[PyTree], TrainState, TrainState, TrainState, PyTree, PyTree, jax.Array, PyTree]: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(('dp', 'fsdp'), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(('dp', 'fsdp'), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(('dp', 'fsdp'), None)) + should_take_action = with_named_sharding_constraint(should_take_action, mesh, PS(('dp', 'fsdp'), None)) + rewards = with_named_sharding_constraint(rewards, mesh, PS(('dp', 'fsdp'), None)) + dones = with_named_sharding_constraint(dones, mesh, PS(('dp', 'fsdp'))) + if next_token_ids is not None: + assert next_tokens_attention_mask is not None + assert next_tokens_position_ids is not None + next_token_ids = with_named_sharding_constraint(next_token_ids, mesh, PS(('dp', 'fsdp'), None)) + next_tokens_attention_mask = with_named_sharding_constraint(next_tokens_attention_mask, mesh, PS(('dp', 'fsdp'), None)) + next_tokens_position_ids = with_named_sharding_constraint(next_tokens_position_ids, mesh, PS(('dp', 'fsdp'), None)) + next_dones = with_named_sharding_constraint(next_dones, mesh, PS(('dp', 'fsdp'))) + else: + assert next_tokens_attention_mask is None + assert next_tokens_position_ids is None + + # define loss function + + def grad_loss(base_params: PyTree, q1_head_params: PyTree, q2_head_params: PyTree, v_head_params: PyTree, prng_key: jax.random.PRNGKeyArray): + + # get base hidden states + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + base_model_output = base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + if target_base_params is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_base_model_output = base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=target_base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + else: + target_base_model_output = base_model_output + + if next_token_ids is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + next_token_base_model_output = base_model( + input_ids=next_token_ids, + attention_mask=next_tokens_attention_mask, + position_ids=next_tokens_position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + # get values + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q1_head_output = q_head_model.apply( + {'params': q1_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q2_head_output = q_head_model.apply( + {'params': q2_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + v_head_output = v_head_model.apply( + {'params': v_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_q1_head_output = q_head_model.apply( + {'params': q1_target_head_params}, + target_base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_q2_head_output = q_head_model.apply( + {'params': q2_target_head_params}, + target_base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + # stop gradients + if detach_q1: + q1_head_output = jax.lax.stop_gradient(q1_head_output) + if detach_q2: + q2_head_output = jax.lax.stop_gradient(q2_head_output) + if detach_v: + v_head_output = jax.lax.stop_gradient(v_head_output) + target_q1_head_output = jax.lax.stop_gradient(target_q1_head_output) + target_q2_head_output = jax.lax.stop_gradient(target_q2_head_output) + + q1 = jnp.take_along_axis(q1_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + q2 = jnp.take_along_axis(q2_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + v = v_head_output[:, :-1].squeeze(2) + v_full = v_head_output.squeeze(2) + target_q1 = jnp.take_along_axis(target_q1_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + target_q2 = jnp.take_along_axis(target_q2_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + + q1_logits = q1_head_output[:, :-1, :].astype(jnp.float32) + q2_logits = q2_head_output[:, :-1, :].astype(jnp.float32) + + # get next token values + + if next_token_ids is not None: + # just run vf on last token to save some flops + last_next_token_idxs = (next_tokens_attention_mask.shape[1]-1)-jnp.argmax(jnp.flip(next_tokens_attention_mask, axis=1).astype(jnp.int32), axis=1) + final_next_token_h = next_token_base_model_output.hidden_states[-1][jnp.arange(0, input_ids.shape[0], dtype=jnp.int32), last_next_token_idxs, :] + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + next_token_v_head_output = v_head_model.apply( + {'params': v_head_params}, + final_next_token_h, + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ).squeeze(1) + v_final = next_token_v_head_output * (1 - next_dones.astype(jnp.float32)) + else: + last_action_idxs = (should_take_action.shape[1]-1)-jnp.argmax(jnp.flip(should_take_action, axis=1).astype(jnp.int32), axis=1)+1 + last_token_idxs = (attention_mask.shape[1]-1)-jnp.argmax(jnp.flip(attention_mask, axis=1).astype(jnp.int32), axis=1) + final_state_idxs = ((1 - dones) * last_action_idxs + dones * last_token_idxs).astype(jnp.int32) + v_final = v_full[jnp.arange(0, should_take_action.shape[0], dtype=jnp.int32), final_state_idxs] + v_final = v_final * (1 - dones) + v_final = jax.lax.stop_gradient(v_final) + + loss, info = loss_fn( + q1, + q2, + v, + v_final, + target_q1, + target_q2, + q1_logits, + q2_logits, + input_ids[:, 1:], + attention_mask[:, 1:], + should_take_action, + rewards, + ) + return loss, info + + # take loss + (loss, info), (base_grads, q1_head_grads, q2_head_grads, v_head_grads) = jax.value_and_grad(grad_loss, has_aux=True, argnums=(0, 1, 2, 3))( + base_train_state.params, + q1_head_train_state.params, + q2_head_train_state.params, + v_head_train_state.params, + prng_key, + ) + # assert shard gradients + base_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + base_grads, + base_train_state_partition_spec.params, + ) + q1_head_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + q1_head_grads, + q1_head_train_state_partition_spec.params, + ) + q2_head_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + q2_head_grads, + q2_head_train_state_partition_spec.params, + ) + v_head_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + v_head_grads, + v_head_train_state_partition_spec.params, + ) + # update params and optim state + base_train_state = base_train_state.apply_gradients(grads=base_grads) + q1_head_train_state = q1_head_train_state.apply_gradients(grads=q1_head_grads) + q2_head_train_state = q2_head_train_state.apply_gradients(grads=q2_head_grads) + v_head_train_state = v_head_train_state.apply_gradients(grads=v_head_grads) + + # handle target network updates + def update_targets(params: PyTree, base_params: PyTree, steps: jnp.ndarray) -> PyTree: + base_params = optax.incremental_update(params, base_params, polyak_alpha) + if hard_update_every is not None: + base_params = optax.periodic_update(params, base_params, steps, hard_update_every) + return base_params + + def mid_targets(params: PyTree, base_params: PyTree, steps: jnp.ndarray) -> PyTree: + return base_params + + def update_cond(opt_state: PyTree) -> bool: + if hasattr(opt_state, 'mini_step'): + return opt_state.mini_step == 0 + return True + + if target_base_params is not None: + target_base_params = jax.lax.cond( + update_cond(base_train_state.opt_state), + update_targets, + mid_targets, + base_train_state.params, + target_base_params, + base_train_state.step, + ) + q1_target_head_params = jax.lax.cond( + update_cond(q1_head_train_state.opt_state), + update_targets, + mid_targets, + q1_head_train_state.params, + q1_target_head_params, + q1_head_train_state.step, + ) + q2_target_head_params = jax.lax.cond( + update_cond(q2_head_train_state.opt_state), + update_targets, + mid_targets, + q2_head_train_state.params, + q2_target_head_params, + q2_head_train_state.step, + ) + + return base_train_state, target_base_params, q1_head_train_state, q2_head_train_state, v_head_train_state, q1_target_head_params, q2_target_head_params, loss, info + + return cls( + base_train_state=base_train_state, + target_base_params=target_base_params, + q1_head_train_state=q1_head_train_state, + q2_head_train_state=q2_head_train_state, + v_head_train_state=v_head_train_state, + q1_target_head_params=q1_target_head_params, + q2_target_head_params=q2_target_head_params, + base_model=base_model, + q_head_model=q_head_model, + v_head_model=v_head_model, + tokenizer=tokenizer, + _step=_step, + ) + +class GPT2ILQLInference(ILQLInference): + @classmethod + def load_inference( + cls, + value_inference: GPT2ValueRLInference, + target_value_inference: GPT2ValueRLInference, + loss_fn: Callable, + use_target_base_for_loss: bool=True, + ): + mesh = value_inference.base_model.config.mesh + assert mesh is not None + assert mesh == value_inference.q_head_model.config.mesh + assert mesh == value_inference.v_head_model.config.mesh + assert mesh == target_value_inference.base_model.config.mesh + assert mesh == target_value_inference.q_head_model.config.mesh + + base_params_partition_spec = match_partition_rules(value_inference.base_model.config.get_partition_rules(), value_inference.base_params) + target_base_params_partition_spec = PS() if (not use_target_base_for_loss) else match_partition_rules(target_value_inference.base_model.config.get_partition_rules(), target_value_inference.base_params) + q1_head_params_partition_spec = match_partition_rules(value_inference.q_head_model.config.get_partition_rules(), value_inference.q1_head_params) + q2_head_params_partition_spec = match_partition_rules(value_inference.q_head_model.config.get_partition_rules(), value_inference.q2_head_params) + v_head_params_partition_spec = match_partition_rules(value_inference.v_head_model.config.get_partition_rules(), value_inference.v_head_params) + q1_target_head_params_partition_spec = match_partition_rules(target_value_inference.q_head_model.config.get_partition_rules(), target_value_inference.q1_head_params) + q2_target_head_params_partition_spec = match_partition_rules(target_value_inference.q_head_model.config.get_partition_rules(), target_value_inference.q2_head_params) + + @partial( + pjit, + static_argnames=('train',), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), target_base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), v_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_target_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_target_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=( + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + ) + def _eval_loss( + base_params: PyTree, + target_base_params: Optional[PyTree], + q1_head_params: PyTree, + q2_head_params: PyTree, + v_head_params: PyTree, + q1_target_head_params: PyTree, + q2_target_head_params: PyTree, + + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + should_take_action: jax.Array, + rewards: jax.Array, + dones: jax.Array, + + next_token_ids: Optional[jax.Array], + next_tokens_attention_mask: Optional[jax.Array], + next_tokens_position_ids: Optional[jax.Array], + next_dones: Optional[jax.Array], + + prng_key: Optional[jax.random.PRNGKeyArray]=None, + train: bool=False, + ) -> Tuple[jax.Array, PyTree]: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(('dp', 'fsdp'), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(('dp', 'fsdp'), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(('dp', 'fsdp'), None)) + should_take_action = with_named_sharding_constraint(should_take_action, mesh, PS(('dp', 'fsdp'), None)) + rewards = with_named_sharding_constraint(rewards, mesh, PS(('dp', 'fsdp'), None)) + dones = with_named_sharding_constraint(dones, mesh, PS(('dp', 'fsdp'))) + if next_token_ids is not None: + assert next_tokens_attention_mask is not None + assert next_tokens_position_ids is not None + next_token_ids = with_named_sharding_constraint(next_token_ids, mesh, PS(('dp', 'fsdp'), None)) + next_tokens_attention_mask = with_named_sharding_constraint(next_tokens_attention_mask, mesh, PS(('dp', 'fsdp'), None)) + next_tokens_position_ids = with_named_sharding_constraint(next_tokens_position_ids, mesh, PS(('dp', 'fsdp'), None)) + next_dones = with_named_sharding_constraint(next_dones, mesh, PS(('dp', 'fsdp'))) + else: + assert next_tokens_attention_mask is None + assert next_tokens_position_ids is None + + # get base hidden states + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + base_model_output = value_inference.base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + if target_base_params is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_base_model_output = target_value_inference.base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=target_base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + else: + target_base_model_output = base_model_output + + if next_token_ids is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + next_token_base_model_output = value_inference.base_model( + input_ids=next_token_ids, + attention_mask=next_tokens_attention_mask, + position_ids=next_tokens_position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + # get values + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q1_head_output = value_inference.q_head_model.apply( + {'params': q1_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q2_head_output = value_inference.q_head_model.apply( + {'params': q2_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + v_head_output = value_inference.v_head_model.apply( + {'params': v_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_q1_head_output = target_value_inference.q_head_model.apply( + {'params': q1_target_head_params}, + target_base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_q2_head_output = target_value_inference.q_head_model.apply( + {'params': q2_target_head_params}, + target_base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + # process outputs + + q1 = jnp.take_along_axis(q1_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + q2 = jnp.take_along_axis(q2_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + v = v_head_output[:, :-1].squeeze(2) + v_full = v_head_output.squeeze(2) + target_q1 = jnp.take_along_axis(target_q1_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + target_q2 = jnp.take_along_axis(target_q2_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + + q1_logits = q1_head_output[:, :-1, :].astype(jnp.float32) + q2_logits = q2_head_output[:, :-1, :].astype(jnp.float32) + + # get next token values + + if next_token_ids is not None: + # just run vf on last token to save some flops + last_next_token_idxs = (next_tokens_attention_mask.shape[1]-1)-jnp.argmax(jnp.flip(next_tokens_attention_mask, axis=1).astype(jnp.int32), axis=1) + final_next_token_h = next_token_base_model_output.hidden_states[-1][jnp.arange(0, input_ids.shape[0], dtype=jnp.int32), last_next_token_idxs, :] + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + next_token_v_head_output = value_inference.v_head_model.apply( + {'params': v_head_params}, + final_next_token_h, + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ).squeeze(1) + v_final = next_token_v_head_output * (1 - next_dones.astype(jnp.float32)) + else: + last_action_idxs = (should_take_action.shape[1]-1)-jnp.argmax(jnp.flip(should_take_action, axis=1).astype(jnp.int32), axis=1)+1 + last_token_idxs = (attention_mask.shape[1]-1)-jnp.argmax(jnp.flip(attention_mask, axis=1).astype(jnp.int32), axis=1) + final_state_idxs = ((1 - dones) * last_action_idxs + dones * last_token_idxs).astype(jnp.int32) + v_final = v_full[jnp.arange(0, should_take_action.shape[0], dtype=jnp.int32), final_state_idxs] + v_final = v_final * (1 - dones) + + loss, info = loss_fn( + q1, + q2, + v, + v_final, + target_q1, + target_q2, + q1_logits, + q2_logits, + input_ids[:, 1:], + attention_mask[:, 1:], + should_take_action, + rewards, + ) + + return loss, info + + return cls( + value_inference=value_inference, + target_value_inference=target_value_inference, + _eval_loss=_eval_loss, + use_target_base_for_loss=use_target_base_for_loss, + ) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/gpt2/score_fn.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/gpt2/score_fn.py new file mode 100755 index 00000000..e0fc8f8b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/gpt2/score_fn.py @@ -0,0 +1,68 @@ +from typing import List, Optional +from JaxSeq.models.gpt2.interface import GPT2Inference +from LLM_RL.algorithms.ilql.base_interface import ILQLInference +from transformers.tokenization_utils import PreTrainedTokenizer +import jax.numpy as jnp +import numpy as np +from LLM_RL.environment import TextHistory, TokenHistory +import jax +from IPython import embed + +def build_ilql_score_fn( + inference: ILQLInference, + pi_beta_inference: Optional[GPT2Inference], + tokenizer: PreTrainedTokenizer, + max_length: int, + value_weight: float, + logit_weight: Optional[float], + bsize: int, +): + assert (pi_beta_inference is None and logit_weight is None) or (pi_beta_inference is not None and logit_weight is not None) + + def score_fn(text_histories: List[TextHistory], done:Optional[List]=None) -> List[float]: + assert all([text_history[-1].is_action for text_history in text_histories]) + + prev_token_histories = [] + token_histories = [] + for text_history in text_histories: + prev_token_histories.append(TokenHistory.from_text_history(text_history[:-1], tokenizer)) + token_histories.append(TokenHistory.from_text_history(text_history, tokenizer)) + + # truncate to end and pad tokens + tokens = np.stack([np.concatenate((token_history.tokens[-max_length:], np.full((max_length-min(token_history.tokens.shape[0], max_length),), tokenizer.pad_token_id)), axis=0) for token_history in token_histories], axis=0) + tokens = jnp.asarray(tokens, dtype=jnp.int32) + + advantages = [] + + for i in range(0, len(text_histories), bsize): + batch = tokens[i:i+bsize, :] + values = inference.forward(batch) + # check prefix len is getting action + prefix_len = jnp.asarray([prev_token_histories[i+x].tokens.shape[0] for x in range(batch.shape[0])], dtype=jnp.int32) + attention_mask = (batch != tokenizer.pad_token_id).astype(np.float32) + # embed() + try: + qs = jnp.minimum(values.target_output.q1, values.target_output.q2) + except AttributeError: + qs = jnp.minimum(values.q1, values.q2) + qsa = jnp.take_along_axis(qs[:, :-1], batch[:, 1:][..., None], axis=2).squeeze(2) + action_advs = jnp.empty(prefix_len.shape, dtype=jnp.float32) + for x in range(len(prefix_len)): + # embed() + # check if this is getting rid of non-action states + try: + action_advs = action_advs.at[x].set(value_weight * ((qsa[x] - values.output.v[x, :-1]) * attention_mask[x, 1:])[(prefix_len[x]-1):].sum(axis=0)) + except AttributeError: + action_advs = action_advs.at[x].set(value_weight * ((qsa[x] - values.v[x, :-1]) * attention_mask[x, 1:])[(prefix_len[x]-1):].sum(axis=0)) + + if logit_weight is not None: + logprobs = jax.nn.log_softmax(pi_beta_inference.get_logits_from_tokens(batch), axis=-1) + action_logits = jnp.take_along_axis(logprobs[:, :-1], batch[:, 1:][..., None], axis=2).squeeze(2) + for x in range(len(prefix_len)): + action_advs = action_advs.at[x].add(logit_weight * (action_logits[x] * attention_mask[x, 1:])[(prefix_len[x]-1):].sum(axis=0)) + + advantages.extend(jax.device_get(action_advs).tolist()) + + return advantages + + return score_fn diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/gptj/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/gptj/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/gptj/interface.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/gptj/interface.py new file mode 100755 index 00000000..952ffd53 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/gptj/interface.py @@ -0,0 +1,632 @@ +from typing import Optional, Callable, Tuple +from jax.experimental.pjit import pjit +from LLM_RL.algorithms.ilql.base_interface import ILQLTrain, ILQLInference +from flax.training.train_state import TrainState +from jaxtyping import PyTree +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.tokenization_utils import PreTrainedTokenizerBase +import flax.linen as nn +from JaxSeq.utils import with_named_sharding_constraint, match_partition_rules +from functools import partial +import jax +from jax.sharding import NamedSharding +from jax.sharding import PartitionSpec as PS +import jax.numpy as jnp +import optax +from LLM_RL.algorithms.value_rl_base.gptj.interface import GPTJValueRLInference + +class GPTJILQLTrain(ILQLTrain): + @classmethod + def load_train( + cls, + base_train_state: TrainState, + target_base_params: Optional[PyTree], + q1_head_train_state: TrainState, + q2_head_train_state: TrainState, + v_head_train_state: TrainState, + q1_target_head_params: PyTree, + q2_target_head_params: PyTree, + base_model: FlaxPreTrainedModel, + q_head_model: nn.Module, + v_head_model: nn.Module, + tokenizer: PreTrainedTokenizerBase, + loss_fn: Callable, + detach_q1: bool, + detach_q2: bool, + detach_v: bool, + polyak_alpha: float, + hard_update_every: Optional[int], + ): + mesh = base_model.config.mesh + assert mesh is not None + assert mesh == q_head_model.config.mesh + assert mesh == v_head_model.config.mesh + base_train_state_partition_spec = match_partition_rules(base_model.config.get_partition_rules(), base_train_state) + target_base_params_partition_spec = PS() if target_base_params is None else match_partition_rules(base_model.config.get_partition_rules(), target_base_params) + q1_head_train_state_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q1_head_train_state) + q2_head_train_state_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q2_head_train_state) + v_head_train_state_partition_spec = match_partition_rules(v_head_model.config.get_partition_rules(), v_head_train_state) + q1_target_head_params_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q1_target_head_params) + q2_target_head_params_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q2_target_head_params) + + @partial( + pjit, + donate_argnums=(0, 1, 2, 3, 4, 5, 6), + static_argnames=('train',), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), target_base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), v_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_target_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_target_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), target_base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), v_head_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_target_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_target_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + ) + def _step( + base_train_state: TrainState, + target_base_params: Optional[PyTree], + q1_head_train_state: TrainState, + q2_head_train_state: TrainState, + v_head_train_state: TrainState, + q1_target_head_params: PyTree, + q2_target_head_params: PyTree, + + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + should_take_action: jax.Array, + rewards: jax.Array, + dones: jax.Array, + + next_token_ids: Optional[jax.Array], + next_tokens_attention_mask: Optional[jax.Array], + next_tokens_position_ids: Optional[jax.Array], + next_dones: Optional[jax.Array], + + prng_key: Optional[jax.random.PRNGKeyArray], + train: bool=True, + ) -> Tuple[TrainState, Optional[PyTree], TrainState, TrainState, TrainState, PyTree, PyTree, jax.Array, PyTree]: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(('dp', 'fsdp'), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(('dp', 'fsdp'), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(('dp', 'fsdp'), None)) + should_take_action = with_named_sharding_constraint(should_take_action, mesh, PS(('dp', 'fsdp'), None)) + rewards = with_named_sharding_constraint(rewards, mesh, PS(('dp', 'fsdp'), None)) + dones = with_named_sharding_constraint(dones, mesh, PS(('dp', 'fsdp'))) + if next_token_ids is not None: + assert next_tokens_attention_mask is not None + assert next_tokens_position_ids is not None + next_token_ids = with_named_sharding_constraint(next_token_ids, mesh, PS(('dp', 'fsdp'), None)) + next_tokens_attention_mask = with_named_sharding_constraint(next_tokens_attention_mask, mesh, PS(('dp', 'fsdp'), None)) + next_tokens_position_ids = with_named_sharding_constraint(next_tokens_position_ids, mesh, PS(('dp', 'fsdp'), None)) + next_dones = with_named_sharding_constraint(next_dones, mesh, PS(('dp', 'fsdp'))) + else: + assert next_tokens_attention_mask is None + assert next_tokens_position_ids is None + + # define loss function + + def grad_loss(base_params: PyTree, q1_head_params: PyTree, q2_head_params: PyTree, v_head_params: PyTree, prng_key: jax.random.PRNGKeyArray): + + # get base hidden states + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + base_model_output = base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + if target_base_params is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_base_model_output = base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=target_base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + else: + target_base_model_output = base_model_output + + if next_token_ids is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + next_token_base_model_output = base_model( + input_ids=next_token_ids, + attention_mask=next_tokens_attention_mask, + position_ids=next_tokens_position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + # get values + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q1_head_output = q_head_model.apply( + {'params': q1_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q2_head_output = q_head_model.apply( + {'params': q2_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + v_head_output = v_head_model.apply( + {'params': v_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_q1_head_output = q_head_model.apply( + {'params': q1_target_head_params}, + target_base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_q2_head_output = q_head_model.apply( + {'params': q2_target_head_params}, + target_base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + # stop gradients + if detach_q1: + q1_head_output = jax.lax.stop_gradient(q1_head_output) + if detach_q2: + q2_head_output = jax.lax.stop_gradient(q2_head_output) + if detach_v: + v_head_output = jax.lax.stop_gradient(v_head_output) + target_q1_head_output = jax.lax.stop_gradient(target_q1_head_output) + target_q2_head_output = jax.lax.stop_gradient(target_q2_head_output) + + q1 = jnp.take_along_axis(q1_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + q2 = jnp.take_along_axis(q2_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + v = v_head_output[:, :-1].squeeze(2) + v_full = v_head_output.squeeze(2) + target_q1 = jnp.take_along_axis(target_q1_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + target_q2 = jnp.take_along_axis(target_q2_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + + q1_logits = q1_head_output[:, :-1, :].astype(jnp.float32) + q2_logits = q2_head_output[:, :-1, :].astype(jnp.float32) + + # get next token values + + if next_token_ids is not None: + # just run vf on last token to save some flops + last_next_token_idxs = (next_tokens_attention_mask.shape[1]-1)-jnp.argmax(jnp.flip(next_tokens_attention_mask, axis=1).astype(jnp.int32), axis=1) + final_next_token_h = next_token_base_model_output.hidden_states[-1][jnp.arange(0, input_ids.shape[0], dtype=jnp.int32), last_next_token_idxs, :] + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + next_token_v_head_output = v_head_model.apply( + {'params': v_head_params}, + final_next_token_h, + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ).squeeze(1) + v_final = next_token_v_head_output * (1 - next_dones.astype(jnp.float32)) + else: + last_action_idxs = (should_take_action.shape[1]-1)-jnp.argmax(jnp.flip(should_take_action, axis=1).astype(jnp.int32), axis=1)+1 + last_token_idxs = (attention_mask.shape[1]-1)-jnp.argmax(jnp.flip(attention_mask, axis=1).astype(jnp.int32), axis=1) + final_state_idxs = ((1 - dones) * last_action_idxs + dones * last_token_idxs).astype(jnp.int32) + v_final = v_full[jnp.arange(0, should_take_action.shape[0], dtype=jnp.int32), final_state_idxs] + v_final = v_final * (1 - dones) + v_final = jax.lax.stop_gradient(v_final) + + loss, info = loss_fn( + q1, + q2, + v, + v_final, + target_q1, + target_q2, + q1_logits, + q2_logits, + input_ids[:, 1:], + attention_mask[:, 1:], + should_take_action, + rewards, + ) + return loss, info + + # take loss + (loss, info), (base_grads, q1_head_grads, q2_head_grads, v_head_grads) = jax.value_and_grad(grad_loss, has_aux=True, argnums=(0, 1, 2, 3))( + base_train_state.params, + q1_head_train_state.params, + q2_head_train_state.params, + v_head_train_state.params, + prng_key, + ) + # assert shard gradients + base_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + base_grads, + base_train_state_partition_spec.params, + ) + q1_head_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + q1_head_grads, + q1_head_train_state_partition_spec.params, + ) + q2_head_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + q2_head_grads, + q2_head_train_state_partition_spec.params, + ) + v_head_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + v_head_grads, + v_head_train_state_partition_spec.params, + ) + # update params and optim state + base_train_state = base_train_state.apply_gradients(grads=base_grads) + q1_head_train_state = q1_head_train_state.apply_gradients(grads=q1_head_grads) + q2_head_train_state = q2_head_train_state.apply_gradients(grads=q2_head_grads) + v_head_train_state = v_head_train_state.apply_gradients(grads=v_head_grads) + + # handle target network updates + def update_targets(params: PyTree, base_params: PyTree, steps: jnp.ndarray) -> PyTree: + base_params = optax.incremental_update(params, base_params, polyak_alpha) + if hard_update_every is not None: + base_params = optax.periodic_update(params, base_params, steps, hard_update_every) + return base_params + + def mid_targets(params: PyTree, base_params: PyTree, steps: jnp.ndarray) -> PyTree: + return base_params + + def update_cond(opt_state: PyTree) -> bool: + if hasattr(opt_state, 'mini_step'): + return opt_state.mini_step == 0 + return True + + if target_base_params is not None: + target_base_params = jax.lax.cond( + update_cond(base_train_state.opt_state), + update_targets, + mid_targets, + base_train_state.params, + target_base_params, + base_train_state.step, + ) + q1_target_head_params = jax.lax.cond( + update_cond(q1_head_train_state.opt_state), + update_targets, + mid_targets, + q1_head_train_state.params, + q1_target_head_params, + q1_head_train_state.step, + ) + q2_target_head_params = jax.lax.cond( + update_cond(q2_head_train_state.opt_state), + update_targets, + mid_targets, + q2_head_train_state.params, + q2_target_head_params, + q2_head_train_state.step, + ) + + return base_train_state, target_base_params, q1_head_train_state, q2_head_train_state, v_head_train_state, q1_target_head_params, q2_target_head_params, loss, info + + return cls( + base_train_state=base_train_state, + target_base_params=target_base_params, + q1_head_train_state=q1_head_train_state, + q2_head_train_state=q2_head_train_state, + v_head_train_state=v_head_train_state, + q1_target_head_params=q1_target_head_params, + q2_target_head_params=q2_target_head_params, + base_model=base_model, + q_head_model=q_head_model, + v_head_model=v_head_model, + tokenizer=tokenizer, + _step=_step, + ) + +class GPTJILQLInference(ILQLInference): + @classmethod + def load_inference( + cls, + value_inference: GPTJValueRLInference, + target_value_inference: GPTJValueRLInference, + loss_fn: Callable, + use_target_base_for_loss: bool=True, + ): + mesh = value_inference.base_model.config.mesh + assert mesh is not None + assert mesh == value_inference.q_head_model.config.mesh + assert mesh == value_inference.v_head_model.config.mesh + assert mesh == target_value_inference.base_model.config.mesh + assert mesh == target_value_inference.q_head_model.config.mesh + + base_params_partition_spec = match_partition_rules(value_inference.base_model.config.get_partition_rules(), value_inference.base_params) + target_base_params_partition_spec = PS() if (not use_target_base_for_loss) else match_partition_rules(target_value_inference.base_model.config.get_partition_rules(), target_value_inference.base_params) + q1_head_params_partition_spec = match_partition_rules(value_inference.q_head_model.config.get_partition_rules(), value_inference.q1_head_params) + q2_head_params_partition_spec = match_partition_rules(value_inference.q_head_model.config.get_partition_rules(), value_inference.q2_head_params) + v_head_params_partition_spec = match_partition_rules(value_inference.v_head_model.config.get_partition_rules(), value_inference.v_head_params) + q1_target_head_params_partition_spec = match_partition_rules(target_value_inference.q_head_model.config.get_partition_rules(), target_value_inference.q1_head_params) + q2_target_head_params_partition_spec = match_partition_rules(target_value_inference.q_head_model.config.get_partition_rules(), target_value_inference.q2_head_params) + + @partial( + pjit, + static_argnames=('train',), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), target_base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), v_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_target_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_target_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=( + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + ) + def _eval_loss( + base_params: PyTree, + target_base_params: Optional[PyTree], + q1_head_params: PyTree, + q2_head_params: PyTree, + v_head_params: PyTree, + q1_target_head_params: PyTree, + q2_target_head_params: PyTree, + + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + should_take_action: jax.Array, + rewards: jax.Array, + dones: jax.Array, + + next_token_ids: Optional[jax.Array], + next_tokens_attention_mask: Optional[jax.Array], + next_tokens_position_ids: Optional[jax.Array], + next_dones: Optional[jax.Array], + + prng_key: Optional[jax.random.PRNGKeyArray]=None, + train: bool=False, + ) -> Tuple[jax.Array, PyTree]: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(('dp', 'fsdp'), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(('dp', 'fsdp'), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(('dp', 'fsdp'), None)) + should_take_action = with_named_sharding_constraint(should_take_action, mesh, PS(('dp', 'fsdp'), None)) + rewards = with_named_sharding_constraint(rewards, mesh, PS(('dp', 'fsdp'), None)) + dones = with_named_sharding_constraint(dones, mesh, PS(('dp', 'fsdp'))) + if next_token_ids is not None: + assert next_tokens_attention_mask is not None + assert next_tokens_position_ids is not None + next_token_ids = with_named_sharding_constraint(next_token_ids, mesh, PS(('dp', 'fsdp'), None)) + next_tokens_attention_mask = with_named_sharding_constraint(next_tokens_attention_mask, mesh, PS(('dp', 'fsdp'), None)) + next_tokens_position_ids = with_named_sharding_constraint(next_tokens_position_ids, mesh, PS(('dp', 'fsdp'), None)) + next_dones = with_named_sharding_constraint(next_dones, mesh, PS(('dp', 'fsdp'))) + else: + assert next_tokens_attention_mask is None + assert next_tokens_position_ids is None + + # get base hidden states + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + base_model_output = value_inference.base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + if target_base_params is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_base_model_output = target_value_inference.base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=target_base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + else: + target_base_model_output = base_model_output + + if next_token_ids is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + next_token_base_model_output = value_inference.base_model( + input_ids=next_token_ids, + attention_mask=next_tokens_attention_mask, + position_ids=next_tokens_position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + # get values + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q1_head_output = value_inference.q_head_model.apply( + {'params': q1_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q2_head_output = value_inference.q_head_model.apply( + {'params': q2_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + v_head_output = value_inference.v_head_model.apply( + {'params': v_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_q1_head_output = target_value_inference.q_head_model.apply( + {'params': q1_target_head_params}, + target_base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + target_q2_head_output = target_value_inference.q_head_model.apply( + {'params': q2_target_head_params}, + target_base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + # process outputs + + q1 = jnp.take_along_axis(q1_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + q2 = jnp.take_along_axis(q2_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + v = v_head_output[:, :-1].squeeze(2) + v_full = v_head_output.squeeze(2) + target_q1 = jnp.take_along_axis(target_q1_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + target_q2 = jnp.take_along_axis(target_q2_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + + q1_logits = q1_head_output[:, :-1, :].astype(jnp.float32) + q2_logits = q2_head_output[:, :-1, :].astype(jnp.float32) + + # get next token values + + if next_token_ids is not None: + # just run vf on last token to save some flops + last_next_token_idxs = (next_tokens_attention_mask.shape[1]-1)-jnp.argmax(jnp.flip(next_tokens_attention_mask, axis=1).astype(jnp.int32), axis=1) + final_next_token_h = next_token_base_model_output.hidden_states[-1][jnp.arange(0, input_ids.shape[0], dtype=jnp.int32), last_next_token_idxs, :] + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + next_token_v_head_output = value_inference.v_head_model.apply( + {'params': v_head_params}, + final_next_token_h, + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ).squeeze(1) + v_final = next_token_v_head_output * (1 - next_dones.astype(jnp.float32)) + else: + last_action_idxs = (should_take_action.shape[1]-1)-jnp.argmax(jnp.flip(should_take_action, axis=1).astype(jnp.int32), axis=1)+1 + last_token_idxs = (attention_mask.shape[1]-1)-jnp.argmax(jnp.flip(attention_mask, axis=1).astype(jnp.int32), axis=1) + final_state_idxs = ((1 - dones) * last_action_idxs + dones * last_token_idxs).astype(jnp.int32) + v_final = v_full[jnp.arange(0, should_take_action.shape[0], dtype=jnp.int32), final_state_idxs] + v_final = v_final * (1 - dones) + + loss, info = loss_fn( + q1, + q2, + v, + v_final, + target_q1, + target_q2, + q1_logits, + q2_logits, + input_ids[:, 1:], + attention_mask[:, 1:], + should_take_action, + rewards, + ) + + return loss, info + + return cls( + value_inference=value_inference, + target_value_inference=target_value_inference, + _eval_loss=_eval_loss, + use_target_base_for_loss=use_target_base_for_loss, + ) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/train.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/train.py new file mode 100755 index 00000000..5c4df1b3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/train.py @@ -0,0 +1,490 @@ +from typing import Any, Callable, Dict, Optional, Tuple, Union, Hashable +from jaxtyping import PyTree +from jax.random import KeyArray +from collections import deque +import jax +from tqdm.auto import tqdm +from JaxSeq.utils import Dataset, dataloader, create_path, get_enabled_save_path +from JaxSeq.data import Seq2SeqDataset, Seq2SeqIterableDataset +from JaxSeq.models.base_interface import Train, Inference +from JaxSeq.logs import combine_logs, label_logs, log, pull_logs +import os +import wandb +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.bucket_manager import delete_with_bucket as delete +from JaxSeq.checkpointing import save_pytree +from JaxSeq.shard_model import get_sharding_from_model +from flax.training.train_state import TrainState +from transformers.modeling_flax_utils import FlaxPreTrainedModel +import pickle as pkl +from LLM_RL.algorithms.ilql.base_interface import ILQLTrain, ILQLInference +from LLM_RL.algorithms.value_rl_base.base_interface import ValueRLInference +import jax.numpy as jnp +import flax.linen as nn + +def dump_state( + base_model: FlaxPreTrainedModel, + q_head_model: nn.Module, + v_head_model: nn.Module, + base_train_state: TrainState, + target_base_params: Optional[PyTree], + q1_head_train_state: TrainState, + q2_head_train_state: TrainState, + v_head_train_state: TrainState, + q1_target_head_params: PyTree, + q2_target_head_params: PyTree, + save_dir: str, + save_train_state: bool, + enable_save: bool, + save_dtype: jnp.dtype, + **loop_state: Dict[Hashable, Any], +): + # dump loop_state + with open(get_enabled_save_path(os.path.join(save_dir, 'loop_state.pkl'), enabled=enable_save), 'wb') as f: + pkl.dump(loop_state, f) + + # save base + if enable_save: + create_path(os.path.join(save_dir, 'base')) + # dump base_model config + with open(get_enabled_save_path(os.path.join(save_dir, 'base', 'config.json'), enabled=enable_save), 'w') as f: + f.write(base_model.config.to_json_string()) + # dump train_state + if save_train_state: + save_pytree( + tree=base_train_state, + path=get_enabled_save_path(os.path.join(save_dir, 'base', 'train_state.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(base_model, base_train_state), + ) + else: + save_pytree( + tree=base_train_state.params, + path=get_enabled_save_path(os.path.join(save_dir, 'base', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(base_model, base_train_state.params), + ) + + # save target_base + if enable_save: + create_path(os.path.join(save_dir, 'target_base')) + if target_base_params is not None: + # dump target_base_model config + with open(get_enabled_save_path(os.path.join(save_dir, 'target_base', 'config.json'), enabled=enable_save), 'w') as f: + f.write(base_model.config.to_json_string()) + # dump params + save_pytree( + tree=target_base_params, + path=get_enabled_save_path(os.path.join(save_dir, 'target_base', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(base_model, target_base_params), + ) + + # save q1_head + if enable_save: + create_path(os.path.join(save_dir, 'q1_head')) + # dump q1_head config + with open(get_enabled_save_path(os.path.join(save_dir, 'q1_head', 'config.json'), enabled=enable_save), 'w') as f: + f.write(q_head_model.config.to_json_string()) + # dump train_state + if save_train_state: + save_pytree( + tree=q1_head_train_state, + path=get_enabled_save_path(os.path.join(save_dir, 'q1_head', 'train_state.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(q_head_model, q1_head_train_state), + ) + else: + save_pytree( + tree=q1_head_train_state.params, + path=get_enabled_save_path(os.path.join(save_dir, 'q1_head', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(q_head_model, q1_head_train_state.params), + ) + + # save q2_head + if enable_save: + create_path(os.path.join(save_dir, 'q2_head')) + # dump q2_head config + with open(get_enabled_save_path(os.path.join(save_dir, 'q2_head', 'config.json'), enabled=enable_save), 'w') as f: + f.write(q_head_model.config.to_json_string()) + # dump train_state + if save_train_state: + save_pytree( + tree=q2_head_train_state, + path=get_enabled_save_path(os.path.join(save_dir, 'q2_head', 'train_state.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(q_head_model, q2_head_train_state), + ) + else: + save_pytree( + tree=q2_head_train_state.params, + path=get_enabled_save_path(os.path.join(save_dir, 'q2_head', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(q_head_model, q2_head_train_state.params), + ) + + # save v_head + if enable_save: + create_path(os.path.join(save_dir, 'v_head')) + # dump v_head config + with open(get_enabled_save_path(os.path.join(save_dir, 'v_head', 'config.json'), enabled=enable_save), 'w') as f: + f.write(v_head_model.config.to_json_string()) + # dump train_state + if save_train_state: + save_pytree( + tree=v_head_train_state, + path=get_enabled_save_path(os.path.join(save_dir, 'v_head', 'train_state.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(v_head_model, v_head_train_state), + ) + else: + save_pytree( + tree=v_head_train_state.params, + path=get_enabled_save_path(os.path.join(save_dir, 'v_head', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(v_head_model, v_head_train_state.params), + ) + + # save q1_target_head + if enable_save: + create_path(os.path.join(save_dir, 'q1_target_head')) + # dump q1_target_head config + with open(get_enabled_save_path(os.path.join(save_dir, 'q1_target_head', 'config.json'), enabled=enable_save), 'w') as f: + f.write(q_head_model.config.to_json_string()) + # dump params + save_pytree( + tree=q1_target_head_params, + path=get_enabled_save_path(os.path.join(save_dir, 'q1_target_head', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(q_head_model, q1_target_head_params), + ) + + # save q2_target_head + if enable_save: + create_path(os.path.join(save_dir, 'q2_target_head')) + # dump q2_target_head config + with open(get_enabled_save_path(os.path.join(save_dir, 'q2_target_head', 'config.json'), enabled=enable_save), 'w') as f: + f.write(q_head_model.config.to_json_string()) + # dump params + save_pytree( + tree=q2_target_head_params, + path=get_enabled_save_path(os.path.join(save_dir, 'q2_target_head', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(q_head_model, q2_target_head_params), + ) + + +def eval_loss( + inference: ILQLInference, + dataset: Union[Seq2SeqDataset, Seq2SeqIterableDataset], + prng_key: Optional[KeyArray], + bsize: int, + eval_batches: Optional[int], +) -> Dict[str, Any]: + # setup evaluator loop state + eval_logs = [] + + # eval on batches + prng_key, new_prng = jax.random.split(prng_key) if prng_key is not None else (None, None) + d = dataloader(new_prng, dataset, bsize, truncate=True) + for i, batch in tqdm(enumerate(d)): + # conditionally terminate early + if eval_batches is not None and i >= eval_batches: + break + + # get eval logs + _, info = inference.eval_loss(**batch) + eval_logs.append(info) + + # gather and postproc eval logs + eval_logs = pull_logs(combine_logs(eval_logs)) + return eval_logs + +def train_loop( + trainer: ILQLTrain, + inference: Union[ValueRLInference, ILQLInference], + evaluator: Optional[Callable[[Inference], Tuple[float, Dict[str, Any]]]], + dataset: Union[Seq2SeqDataset, Seq2SeqIterableDataset], + prng_key: KeyArray, + save_dir: Optional[str], + epochs: int, + max_steps: Optional[int], + bsize: int, + log_every: int, + eval_every_steps: Optional[int], + eval_every_epochs: Optional[int], + eval_at_beginning: bool, + eval_at_end: bool, + save_every_steps: Optional[int], + save_every_epochs: Optional[int], + save_at_beginning: bool, + save_at_end: bool, + save_best: bool, + max_checkpoints: Optional[int], + save_train_state: bool, + save_dtype: jnp.dtype, + use_wandb: bool, + wandb_project: Optional[str], + wandb_run_name: Optional[str], + wandb_config: Optional[Dict[str, Any]], + is_main_process: Optional[bool]=None, + **loop_state: Dict[Hashable, Any], +) -> Tuple[Train, Inference]: + assert (not use_wandb) or (use_wandb and wandb_project is not None) + if is_main_process is None: + is_main_process = jax.process_index() == 0 + + # initalize wandb + wandb_id = loop_state.get('wandb_id', None) + if use_wandb and is_main_process: + if wandb_id is None: + wandb_id = wandb.util.generate_id() + wandb.init( + project=wandb_project, + id=wandb_id, + name=wandb_run_name, + config=wandb_config, + reinit=True, + resume="allow", + ) + + # initalize training loop state + train_logs = [] + best_perf = loop_state.get('best_perf', float('inf')) + saved_checkpoints = loop_state.get('saved_checkpoints', deque([])) + step = 0 + steps_per_epoch = len(dataset) // bsize if isinstance(dataset, Dataset) else None + if 'steps_per_epoch' in loop_state: + assert steps_per_epoch == loop_state['steps_per_epoch'], 'loop_state steps_per_epoch does not match dataset steps_per_epoch' + epoch = -1 + + def _save( + name: str, + add_to_queue: bool, + **loop_state: Dict[Hashable, Any], + ): + nonlocal saved_checkpoints + print(f'saving checkpoint {name} ...') + # conditionally delete old checkpoints + if add_to_queue and is_main_process: + if (max_checkpoints is not None) and (len(saved_checkpoints) >= max_checkpoints): + delete(saved_checkpoints.popleft(), recursive=True) + curr_save_dir = os.path.join(save_dir, name) + if is_main_process: + create_path(curr_save_dir) + dump_state( + base_model=trainer.base_model, + q_head_model=trainer.q_head_model, + v_head_model=trainer.v_head_model, + base_train_state=trainer.base_train_state, + target_base_params=trainer.target_base_params, + q1_head_train_state=trainer.q1_head_train_state, + q2_head_train_state=trainer.q2_head_train_state, + v_head_train_state=trainer.v_head_train_state, + q1_target_head_params=trainer.q1_target_head_params, + q2_target_head_params=trainer.q2_target_head_params, + save_dir=curr_save_dir, + save_train_state=save_train_state, + enable_save=is_main_process, + save_dtype=save_dtype, + **loop_state, + ) + if add_to_queue and is_main_process: + saved_checkpoints.append(curr_save_dir) + print('saved.') + + def _inference_update(): + nonlocal inference + if isinstance(inference, ValueRLInference): + inference = inference.replace( + base_params=trainer.base_train_state.params, + q1_head_params=trainer.q1_head_train_state.params, + q2_head_params=trainer.q2_head_train_state.params, + v_head_params=trainer.v_head_train_state.params, + ) + elif isinstance(inference, ILQLInference): + new_value_inference = inference.value_inference.replace( + base_params=trainer.base_train_state.params, + q1_head_params=trainer.q1_head_train_state.params, + q2_head_params=trainer.q2_head_train_state.params, + v_head_params=trainer.v_head_train_state.params, + ) + new_target_value_inference = inference.target_value_inference.replace( + base_params=trainer.target_base_params, + q1_head_params=trainer.q1_target_head_params, + q2_head_params=trainer.q2_target_head_params, + ) + inference = inference.replace( + value_inference=new_value_inference, + target_value_inference=new_target_value_inference, + ) + else: + raise NotImplementedError + + def _eval( + **loop_state: Dict[Hashable, Any], + ): + nonlocal best_perf + # get eval logs + _inference_update() + eval_perf, eval_logs = evaluator(inference) + + # publish eval logs + eval_logs = pull_logs(label_logs(eval_logs, 'eval', {'step': step+1, 'epoch': epoch})) + log(eval_logs, use_wandb and is_main_process) + + # conditionally save best model and optimizer state + if save_dir is not None and save_best and eval_perf < best_perf: + print('new best model!') + best_perf = eval_perf + _save( + name='best', + add_to_queue=False, + **{**loop_state, 'best_perf': best_perf}, + ) + + # begin evaluation + if evaluator is not None and eval_at_beginning: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # save initial checkpoint + if save_dir is not None and save_at_beginning: + _save( + name='initial', + add_to_queue=False, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # begin training loop + for epoch in tqdm(range(epochs)): + prng_key, new_prng = jax.random.split(prng_key) + d = dataloader(new_prng, dataset, bsize, truncate=True) + for batch in tqdm(d, total=steps_per_epoch): + + # step model and get training logs + prng_key, new_prng = jax.random.split(prng_key) + if 'step' in loop_state and step < loop_state['step']: + step += 1 + continue + trainer, _, info = trainer.step( + **batch, + prng_key=new_prng, + train=True, + ) + train_logs.append(info) + + # publish training logs and clear logs + if (step + 1) % log_every == 0: + logs = combine_logs(train_logs) + logs = pull_logs(label_logs(logs, 'train', {'step': step+1, 'epoch': epoch})) + log(logs, use_wandb and is_main_process) + train_logs = [] + + # begin evaluation + if evaluator is not None and eval_every_steps is not None and (step + 1) % eval_every_steps == 0: + _eval( + # loop state metadata + best_perf=best_perf, + step=step+1, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # periodically save checkpoint + if save_dir is not None and save_every_steps is not None and (step + 1) % save_every_steps == 0: + _save( + name=f'step_{step+1}', + add_to_queue=True, + # loop state metadata + best_perf=best_perf, + step=step+1, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + step += 1 + + # conditionally terminate + if max_steps is not None and step >= max_steps: + break + + # begin evaluation + if evaluator is not None and eval_every_epochs is not None and (epoch + 1) % eval_every_epochs == 0: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # periodically save checkpoint + if save_dir is not None and save_every_epochs is not None and (epoch + 1) % save_every_epochs == 0: + _save( + name=f'epoch_{epoch}', + add_to_queue=True, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # conditionally terminate + if max_steps is not None and step >= max_steps: + break + + # begin evaluation + if evaluator is not None and eval_at_end: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # save final checkpoint + if save_dir is not None and save_at_end: + _save( + name='last', + add_to_queue=False, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # stop wandb + if use_wandb and is_main_process: + wandb.finish() + _inference_update() + return trainer, inference diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/train_online.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/train_online.py new file mode 100755 index 00000000..518a79a6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ilql/train_online.py @@ -0,0 +1,560 @@ +from typing import Any, Callable, Dict, Optional, Tuple, Union, Hashable +from jaxtyping import PyTree +from jax.random import KeyArray +from collections import deque +import jax +from tqdm.auto import tqdm +from JaxSeq.utils import Dataset, dataloader, create_path, get_enabled_save_path +from JaxSeq.data import Seq2SeqDataset, Seq2SeqIterableDataset +from JaxSeq.models.base_interface import Train, Inference +from JaxSeq.logs import combine_logs, label_logs, log, pull_logs +import os +import wandb +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.bucket_manager import delete_with_bucket as delete +from JaxSeq.checkpointing import save_pytree +from JaxSeq.shard_model import get_sharding_from_model +from flax.training.train_state import TrainState +from transformers.modeling_flax_utils import FlaxPreTrainedModel +import pickle as pkl +from LLM_RL.algorithms.ilql.base_interface import ILQLPolicy, ILQLTrain, ILQLInference +from LLM_RL.algorithms.value_rl_base.base_interface import ValueRLInference +import jax.numpy as jnp +import flax.linen as nn + +def dump_state( + base_model: FlaxPreTrainedModel, + q_head_model: nn.Module, + v_head_model: nn.Module, + base_train_state: TrainState, + target_base_params: Optional[PyTree], + q1_head_train_state: TrainState, + q2_head_train_state: TrainState, + v_head_train_state: TrainState, + q1_target_head_params: PyTree, + q2_target_head_params: PyTree, + save_dir: str, + save_train_state: bool, + enable_save: bool, + save_dtype: jnp.dtype, + **loop_state: Dict[Hashable, Any], +): + # dump loop_state + with open(get_enabled_save_path(os.path.join(save_dir, 'loop_state.pkl'), enabled=enable_save), 'wb') as f: + pkl.dump(loop_state, f) + + # save base + if enable_save: + create_path(os.path.join(save_dir, 'base')) + # dump base_model config + with open(get_enabled_save_path(os.path.join(save_dir, 'base', 'config.json'), enabled=enable_save), 'w') as f: + f.write(base_model.config.to_json_string()) + # dump train_state + if save_train_state: + save_pytree( + tree=base_train_state, + path=get_enabled_save_path(os.path.join(save_dir, 'base', 'train_state.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(base_model, base_train_state), + ) + else: + save_pytree( + tree=base_train_state.params, + path=get_enabled_save_path(os.path.join(save_dir, 'base', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(base_model, base_train_state.params), + ) + + # save target_base + if enable_save: + create_path(os.path.join(save_dir, 'target_base')) + if target_base_params is not None: + # dump target_base_model config + with open(get_enabled_save_path(os.path.join(save_dir, 'target_base', 'config.json'), enabled=enable_save), 'w') as f: + f.write(base_model.config.to_json_string()) + # dump params + save_pytree( + tree=target_base_params, + path=get_enabled_save_path(os.path.join(save_dir, 'target_base', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(base_model, target_base_params), + ) + + # save q1_head + if enable_save: + create_path(os.path.join(save_dir, 'q1_head')) + # dump q1_head config + with open(get_enabled_save_path(os.path.join(save_dir, 'q1_head', 'config.json'), enabled=enable_save), 'w') as f: + f.write(q_head_model.config.to_json_string()) + # dump train_state + if save_train_state: + save_pytree( + tree=q1_head_train_state, + path=get_enabled_save_path(os.path.join(save_dir, 'q1_head', 'train_state.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(q_head_model, q1_head_train_state), + ) + else: + save_pytree( + tree=q1_head_train_state.params, + path=get_enabled_save_path(os.path.join(save_dir, 'q1_head', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(q_head_model, q1_head_train_state.params), + ) + + # save q2_head + if enable_save: + create_path(os.path.join(save_dir, 'q2_head')) + # dump q2_head config + with open(get_enabled_save_path(os.path.join(save_dir, 'q2_head', 'config.json'), enabled=enable_save), 'w') as f: + f.write(q_head_model.config.to_json_string()) + # dump train_state + if save_train_state: + save_pytree( + tree=q2_head_train_state, + path=get_enabled_save_path(os.path.join(save_dir, 'q2_head', 'train_state.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(q_head_model, q2_head_train_state), + ) + else: + save_pytree( + tree=q2_head_train_state.params, + path=get_enabled_save_path(os.path.join(save_dir, 'q2_head', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(q_head_model, q2_head_train_state.params), + ) + + # save v_head + if enable_save: + create_path(os.path.join(save_dir, 'v_head')) + # dump v_head config + with open(get_enabled_save_path(os.path.join(save_dir, 'v_head', 'config.json'), enabled=enable_save), 'w') as f: + f.write(v_head_model.config.to_json_string()) + # dump train_state + if save_train_state: + save_pytree( + tree=v_head_train_state, + path=get_enabled_save_path(os.path.join(save_dir, 'v_head', 'train_state.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(v_head_model, v_head_train_state), + ) + else: + save_pytree( + tree=v_head_train_state.params, + path=get_enabled_save_path(os.path.join(save_dir, 'v_head', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(v_head_model, v_head_train_state.params), + ) + + # save q1_target_head + if enable_save: + create_path(os.path.join(save_dir, 'q1_target_head')) + # dump q1_target_head config + with open(get_enabled_save_path(os.path.join(save_dir, 'q1_target_head', 'config.json'), enabled=enable_save), 'w') as f: + f.write(q_head_model.config.to_json_string()) + # dump params + save_pytree( + tree=q1_target_head_params, + path=get_enabled_save_path(os.path.join(save_dir, 'q1_target_head', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(q_head_model, q1_target_head_params), + ) + + # save q2_target_head + if enable_save: + create_path(os.path.join(save_dir, 'q2_target_head')) + # dump q2_target_head config + with open(get_enabled_save_path(os.path.join(save_dir, 'q2_target_head', 'config.json'), enabled=enable_save), 'w') as f: + f.write(q_head_model.config.to_json_string()) + # dump params + save_pytree( + tree=q2_target_head_params, + path=get_enabled_save_path(os.path.join(save_dir, 'q2_target_head', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(q_head_model, q2_target_head_params), + ) + + +def eval_loss( + inference: ILQLInference, + dataset: Union[Seq2SeqDataset, Seq2SeqIterableDataset], + prng_key: Optional[KeyArray], + bsize: int, + eval_batches: Optional[int], +) -> Dict[str, Any]: + # setup evaluator loop state + eval_logs = [] + + # eval on batches + prng_key, new_prng = jax.random.split(prng_key) if prng_key is not None else (None, None) + d = dataloader(new_prng, dataset, bsize, truncate=True) + for i, batch in tqdm(enumerate(d)): + # conditionally terminate early + if eval_batches is not None and i >= eval_batches: + break + + # get eval logs + _, info = inference.eval_loss(**batch) + eval_logs.append(info) + + # gather and postproc eval logs + eval_logs = pull_logs(combine_logs(eval_logs)) + return eval_logs + +def train_loop( + trainer: ILQLTrain, + inference: Union[ValueRLInference, ILQLInference], + policy: ILQLPolicy, + evaluator: Optional[Callable[[Inference], Tuple[float, Dict[str, Any]]]], + # dataset: Union[Seq2SeqDataset, Seq2SeqIterableDataset], + # fix this policy thingie + load_dataset: Callable[[ILQLInference, ILQLPolicy], Union[Seq2SeqDataset, Seq2SeqIterableDataset]], + prng_key: KeyArray, + save_dir: Optional[str], + n_rounds: int, + epochs: int, + max_steps: Optional[int], + bsize: int, + log_every: int, + eval_every_rounds: Optional[int], + eval_every_epochs: Optional[int], + eval_at_beginning: bool, + eval_at_end: bool, + save_every_rounds: Optional[int], + save_every_epochs: Optional[int], + save_at_beginning: bool, + save_at_end: bool, + save_best: bool, + max_checkpoints: Optional[int], + save_train_state: bool, + save_dtype: jnp.dtype, + use_wandb: bool, + wandb_project: Optional[str], + wandb_run_name: Optional[str], + wandb_config: Optional[Dict[str, Any]], + is_main_process: Optional[bool]=None, + **loop_state: Dict[Hashable, Any], +) -> Tuple[Train, Inference]: + assert (not use_wandb) or (use_wandb and wandb_project is not None) + if is_main_process is None: + is_main_process = jax.process_index() == 0 + + # initalize wandb + wandb_id = loop_state.get('wandb_id', None) + if use_wandb and is_main_process: + if wandb_id is None: + wandb_id = wandb.util.generate_id() + wandb.init( + project=wandb_project, + id=wandb_id, + name=wandb_run_name, + config=wandb_config, + reinit=True, + resume="allow", + ) + + # initalize training loop state + train_logs = [] + best_perf = loop_state.get('best_perf', float('inf')) + saved_checkpoints = loop_state.get('saved_checkpoints', deque([])) + step = 0 + steps_per_epoch = len(dataset) // bsize if isinstance(dataset, Dataset) else None + if 'steps_per_epoch' in loop_state: + assert steps_per_epoch == loop_state['steps_per_epoch'], 'loop_state steps_per_epoch does not match dataset steps_per_epoch' + epoch = -1 + + def _save( + name: str, + add_to_queue: bool, + **loop_state: Dict[Hashable, Any], + ): + nonlocal saved_checkpoints + print(f'saving checkpoint {name} ...') + # conditionally delete old checkpoints + if add_to_queue and is_main_process: + if (max_checkpoints is not None) and (len(saved_checkpoints) >= max_checkpoints): + delete(saved_checkpoints.popleft(), recursive=True) + curr_save_dir = os.path.join(save_dir, name) + if is_main_process: + create_path(curr_save_dir) + dump_state( + base_model=trainer.base_model, + q_head_model=trainer.q_head_model, + v_head_model=trainer.v_head_model, + base_train_state=trainer.base_train_state, + target_base_params=trainer.target_base_params, + q1_head_train_state=trainer.q1_head_train_state, + q2_head_train_state=trainer.q2_head_train_state, + v_head_train_state=trainer.v_head_train_state, + q1_target_head_params=trainer.q1_target_head_params, + q2_target_head_params=trainer.q2_target_head_params, + save_dir=curr_save_dir, + save_train_state=save_train_state, + enable_save=is_main_process, + save_dtype=save_dtype, + **loop_state, + ) + if add_to_queue and is_main_process: + saved_checkpoints.append(curr_save_dir) + print('saved.') + + def _inference_update(): + nonlocal inference + if isinstance(inference, ValueRLInference): + inference = inference.replace( + base_params=trainer.base_train_state.params, + q1_head_params=trainer.q1_head_train_state.params, + q2_head_params=trainer.q2_head_train_state.params, + v_head_params=trainer.v_head_train_state.params, + ) + elif isinstance(inference, ILQLInference): + new_value_inference = inference.value_inference.replace( + base_params=trainer.base_train_state.params, + q1_head_params=trainer.q1_head_train_state.params, + q2_head_params=trainer.q2_head_train_state.params, + v_head_params=trainer.v_head_train_state.params, + ) + new_target_value_inference = inference.target_value_inference.replace( + base_params=trainer.target_base_params, + q1_head_params=trainer.q1_target_head_params, + q2_head_params=trainer.q2_target_head_params, + ) + inference = inference.replace( + value_inference=new_value_inference, + target_value_inference=new_target_value_inference, + ) + else: + raise NotImplementedError + + def _eval( + **loop_state: Dict[Hashable, Any], + ): + nonlocal best_perf + # get eval logs + _inference_update() + eval_perf, eval_logs = evaluator(inference) + + # publish eval logs + eval_logs = pull_logs(label_logs(eval_logs, 'eval', {'step': step+1, 'epoch': epoch})) + log(eval_logs, use_wandb and is_main_process) + + # conditionally save best model and optimizer state + if save_dir is not None and save_best and eval_perf < best_perf: + print('new best model!') + best_perf = eval_perf + _save( + name='best', + add_to_queue=False, + **{**loop_state, 'best_perf': best_perf}, + ) + + # begin evaluation + if evaluator is not None and eval_at_beginning: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # save initial checkpoint + if save_dir is not None and save_at_beginning: + _save( + name='initial', + add_to_queue=False, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + for round in tqdm(range(n_rounds)): + + print(f'beginning round {round} ...') + print(f"best performance: {best_perf}") + + # load dataset + dataset = load_dataset(inference, policy) + + steps_per_epoch = len(dataset) // bsize if isinstance(dataset, Dataset) else None + if 'steps_per_epoch' in loop_state: + assert steps_per_epoch == loop_state['steps_per_epoch'], 'loop_state steps_per_epoch does not match dataset steps_per_epoch' + + for epoch in tqdm(range(epochs)): + prng_key, new_prng = jax.random.split(prng_key) + d = dataloader(new_prng, dataset, bsize, truncate=True) + print("steps per epoch: ", steps_per_epoch) + for batch in tqdm(d, total=steps_per_epoch): + if bc_d is not None: + try: + bc_batch = next(bc_d) + except StopIteration as e: + prng_key, new_prng = jax.random.split(prng_key) + bc_d = dataloader(new_prng, bc_dataset, bc_bsize, truncate=True) + bc_batch = next(bc_d) + batch = {**batch, **{'bc_data_'+k: v for k, v in bc_batch.items()}} + + # step model and get training logs + if 'step' in loop_state and step < loop_state['step']: + step += 1 + continue + # print("trainer step: ", step) + trainer, _, info = trainer.step( + **batch, + prng_key=new_prng, + train=True, + ) + train_logs.append(info) + + # publish training logs and clear logs + if (step + 1) % log_every == 0: + logs = combine_logs(train_logs) + logs = pull_logs(label_logs(logs, 'train', {'step': step+1, 'epoch': epoch, 'round': round})) + log(logs, use_wandb and is_main_process) + train_logs = [] + + # begin evaluation + if evaluator is not None and eval_every_steps is not None and (step + 1) % eval_every_steps == 0: + _eval( + # loop state metadata + best_perf=best_perf, + step=step+1, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # periodically save checkpoint + if save_dir is not None and save_every_steps is not None and (step + 1) % save_every_steps == 0: + _save( + name='step_%d' % (step+1), + add_to_queue=True, + # loop state metadata + best_perf=best_perf, + step=step+1, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + step += 1 + + # conditionally terminate + if max_steps is not None and step >= max_steps: + break + + # begin evaluation + if evaluator is not None and eval_every_epochs is not None and (epoch + 1) % eval_every_epochs == 0: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # periodically save checkpoint + if save_dir is not None and save_every_epochs is not None and (epoch + 1) % save_every_epochs == 0: + _save( + name=f'epoch_{epoch}', + add_to_queue=True, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # conditionally terminate + if max_steps is not None and step >= max_steps: + break + + # begin evaluation + if evaluator is not None and eval_every_rounds is not None and (round + 1) % eval_every_rounds == 0: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # periodically save checkpoint + if save_dir is not None and save_every_rounds is not None and (round + 1) % save_every_rounds == 0: + _save( + name='round_%d' % (round), + add_to_queue=True, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + inference = inference.replace( + policy_params=trainer.policy_train_state.params, + value_head_params=trainer.value_head_train_state.params, + ) + policy.set_params(trainer.policy_train_state.params) + + # begin evaluation + if evaluator is not None and eval_at_end: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # save final checkpoint + if save_dir is not None and save_at_end: + print("saving final checkpoint!") + _save( + name='last', + add_to_queue=False, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # stop wandb + if use_wandb and is_main_process: + wandb.finish() + + inference = inference.replace( + policy_params=trainer.policy_train_state.params, + value_head_params=trainer.value_head_train_state.params, + ) + policy.set_params(trainer.policy_train_state.params) + return trainer, inference, policy diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/base_interface.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/base_interface.py new file mode 100755 index 00000000..c6fe10c5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/base_interface.py @@ -0,0 +1,169 @@ +from __future__ import annotations +from typing import Union, Tuple, Any, Callable, Optional +import jax +import jax.numpy as jnp +import optax +from LLM_RL.utils import get_tensor_stats +from flax import struct +from flax.training.train_state import TrainState +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.tokenization_utils import PreTrainedTokenizerBase +import flax.linen as nn +from jaxtyping import PyTree +from JaxSeq.models.base_interface import initialize_attn_mask_pos_ids +from LLM_RL.algorithms.ilql.base_interface import get_query_indicators, ValueRLInference +from IPython import embed + +# loss function + +def mc_loss( + q: jax.Array, # [batch, time-1] output is masked; shift x[:-1] + q_logits: jax.Array, # [batch, time-1, vocab] output is masked; shift x[:-1] + token_ids: jax.Array, # [batch, time-1] output is masked; shift x[1:] + attention_mask: jax.Array, # [batch, time-1] output is masked; shift x[1:] + should_take_action: jax.Array, # [batch, time-1] output is masked; shift x[1:] + returns: jax.Array, # [batch, time-1] output is masked; shift x[1:] + *, + cql_weight: Union[float, jax.Array], +) -> Tuple[jnp.ndarray, Any]: + # should be an action in the batch + mask = should_take_action.astype(jnp.float32) * attention_mask + n = mask.sum() + q_query_indicators = get_query_indicators(should_take_action.reshape(-1)) + + # extract selected values + qsa_selected = (q_query_indicators * q.reshape(-1)).sum(axis=1) + returns_selected = (q_query_indicators * returns.reshape(-1)).sum(axis=1) + + # get masks for selected values + a_mask = (q_query_indicators.sum(axis=1) > 0).astype(jnp.float32) + + # compute q loss + q_loss = (optax.l2_loss(qsa_selected, jax.lax.stop_gradient(returns_selected)) * a_mask).sum() / n + + # compute cql loss on both q heads + q_cql_loss = optax.softmax_cross_entropy_with_integer_labels(q_logits, token_ids) + q_cql_loss = (mask * q_cql_loss).sum() / n + + loss = q_loss + cql_weight * q_cql_loss + + logs = dict( + losses=dict( + total_loss=loss, + q_loss=q_loss, + q_cql_loss=q_cql_loss, + ), + q=get_tensor_stats(qsa_selected, mask=a_mask, n=n), + returns=get_tensor_stats(returns_selected, mask=a_mask, n=n), + ) + + return loss, logs + +class MCTrain(struct.PyTreeNode): + base_train_state: TrainState + q_head_train_state: TrainState + base_model: FlaxPreTrainedModel = struct.field(pytree_node=False) + q_head_model: nn.Module = struct.field(pytree_node=False) + tokenizer: PreTrainedTokenizerBase = struct.field(pytree_node=False) + _step: Callable = struct.field(pytree_node=False) + + # def _step( + # base_train_state: TrainState, + # q_head_train_state: TrainState, + # input_ids: jax.Array, + # attention_mask: jax.Array, + # position_ids: jax.Array, + # should_take_action: jax.Array, + # returns: jax.Array, + # prng_key: Optional[jax.random.PRNGKeyArray], + # train: bool=True, + # ) -> Tuple[TrainState, TrainState, jax.Array, PyTree]: + # raise NotImplementedError + + def step( + self, + input_ids: jax.Array, # [batch, time] + should_take_action: jax.Array, # [batch, time-1] + returns: jax.Array, # [batch, time-1] + prng_key: Optional[jax.random.PRNGKeyArray], + attention_mask: Optional[jax.Array]=None, + position_ids: Optional[jax.Array]=None, + train: bool=True, + ) -> Tuple[MCTrain, jax.Array, PyTree]: + + # handle attention mask and position ids shifting + attention_mask, position_ids = initialize_attn_mask_pos_ids( + input_ids, + self.tokenizer.pad_token_id, + attention_mask, + position_ids, + ) + + base_train_state, \ + q_head_train_state, \ + loss, logs = self._step( + self.base_train_state, + self.q_head_train_state, + input_ids, + attention_mask, + position_ids, + should_take_action, + returns, + prng_key, + train, + ) + + return self.replace( + base_train_state=base_train_state, + q_head_train_state=q_head_train_state, + ), loss, logs + +class MCInference(ValueRLInference): + _eval_loss: Callable = struct.field(pytree_node=False) + + # def _eval_loss( + # base_params: PyTree, + # q_head_params: PyTree, + # input_ids: jax.Array, + # attention_mask: jax.Array, + # position_ids: jax.Array, + # should_take_action: jax.Array, + # returns: jax.Array, + # prng_key: Optional[jax.random.PRNGKeyArray]=None, + # train: bool=False, + # ) -> Tuple[jax.Array, PyTree]: + # raise NotImplementedError + + def eval_loss( + self, + input_ids: jax.Array, # [batch, time] + should_take_action: jax.Array, # [batch, time-1] + returns: jax.Array, # [batch, time-1] + attention_mask: Optional[jax.Array]=None, + position_ids: Optional[jax.Array]=None, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + train: bool=False, + ) -> Tuple[jax.Array, PyTree]: + attention_mask, position_ids = initialize_attn_mask_pos_ids( + input_ids, + self.tokenizer.pad_token_id, + attention_mask, + position_ids, + ) + + loss, logs = self._eval_loss( + self.base_params, + self.q1_head_params, + input_ids, + attention_mask, + position_ids, + should_take_action, + returns, + prng_key, + train, + ) + + return loss, logs + + def eval_loss_from_str(self, *args, **kwargs): + raise NotImplementedError diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/data.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/data.py new file mode 100755 index 00000000..d4acd0c5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/data.py @@ -0,0 +1,150 @@ +from __future__ import annotations +from typing import Dict, Iterable, List, Iterator, NamedTuple +from JaxSeq.utils import Dataset, IterableDataset, block_sequences, BlockingStrategy +import numpy as np +import jax.numpy as jnp +import jax +from transformers.tokenization_utils import PreTrainedTokenizerBase +from LLM_RL.environment import TokenTrajectoryChain + +def get_rtg(rewards: np.ndarray, gamma: float) -> np.ndarray: + gamma_row = jnp.cumprod(jnp.full((rewards.shape[0],), gamma, dtype=jnp.float32), axis=0) + gamma_tensor = jnp.triu(jnp.expand_dims(gamma_row, 0) / jnp.expand_dims(gamma_row, 1)) + reward2go = (gamma_tensor * jnp.expand_dims(rewards, 0)).sum(axis=1) + return reward2go + +class MCData(NamedTuple): + input_ids: np.ndarray # [t] + should_take_action: np.ndarray # [t-1] + returns: np.ndarray # [t-1] + + @staticmethod + def block( + data: List[MCData], + blocking_strategy: BlockingStrategy, + tokenizer: PreTrainedTokenizerBase, + ) -> Dict[str, np.ndarray]: + return dict( + input_ids=block_sequences( + list(map(lambda x: x.input_ids, data)), + tokenizer.pad_token_id, + dtype=np.int32, + blocking_strategy=blocking_strategy, + ), + should_take_action=block_sequences( + list(map(lambda x: x.should_take_action, data)), + False, + dtype=np.bool_, + blocking_strategy=blocking_strategy._replace(max_length=blocking_strategy.max_length-1), + ), + returns=block_sequences( + list(map(lambda x: x.returns, data)), + 0.0, + dtype=np.float32, + blocking_strategy=blocking_strategy._replace(max_length=blocking_strategy.max_length-1), + ), + ) + + @classmethod + def from_token_trajectory_chain( + cls, + token_trajectory_chain: TokenTrajectoryChain, + gamma: float, + ): + filtered_rewards_chain = [] + should_take_action_chain = [] + for token_trajectory in token_trajectory_chain.to_list(): + should_take_action = token_trajectory.is_action[1:] + rewards = token_trajectory.reward[1:] + filtered_rewards = rewards[should_take_action] + filtered_rewards_chain.append(filtered_rewards) + should_take_action_chain.append(should_take_action) + filtered_rewards_chain = np.concatenate(filtered_rewards_chain, axis=0) + should_take_action_chain = np.concatenate(should_take_action_chain, axis=0) + + rtgs_sequence = get_rtg(filtered_rewards_chain, gamma=gamma) + + should_take_action = token_trajectory_chain.token_trajectory.is_action[1:] + returns = np.zeros_like(should_take_action, dtype=np.float32) + returns[should_take_action] = rtgs_sequence[:should_take_action.sum()] + return cls( + input_ids=token_trajectory_chain.token_trajectory.tokens, + should_take_action=should_take_action, + returns=returns, + ) + +class MCDataset(Dataset): + def __init__( + self, + input_ids: np.ndarray, # [b, t] + should_take_action: np.ndarray, # [b, t-1] + returns: np.ndarray, # [b, t-1] + ): + assert input_ids.shape[1] == (should_take_action.shape[1]+1) + assert input_ids.shape[1] == (returns.shape[1]+1) + + assert input_ids.shape[0] == should_take_action.shape[0] + assert input_ids.shape[0] == returns.shape[0] + + self.input_ids = input_ids + self.should_take_action = should_take_action + self.returns = returns + + def __getitem__(self, index): + return { + 'input_ids': jnp.asarray(self.input_ids[index], dtype=jnp.int32), + 'should_take_action': jnp.asarray(self.should_take_action[index], dtype=jnp.bool_), + 'returns': jnp.asarray(self.returns[index], dtype=jnp.float32), + } + + def __len__(self): + return self.input_ids.shape[0] + + @classmethod + def from_mc_data_list( + cls, + mc_data_list: List[MCData], + tokenizer: PreTrainedTokenizerBase, + blocking_strategy: BlockingStrategy, + ) -> MCDataset: + + data = MCData.block(mc_data_list, blocking_strategy, tokenizer) + + return cls(**data) + +class _MCIteratorDataset: + def __init__(self, mc_data: Iterator[Dict[str, np.ndarray]]): + self.mc_data = mc_data + + def __next__(self): + item = next(self.mc_data) + return { + 'input_ids': jnp.asarray(item['input_ids'], dtype=jnp.int32), + 'should_take_action': jnp.asarray(item['should_take_action'], dtype=jnp.bool_), + 'returns': jnp.asarray(item['returns'], dtype=jnp.float32), + } + +class MCIterableDataset(IterableDataset): + def __init__(self, mc_data: Iterable[Dict[str, np.ndarray]]): + self.mc_data = mc_data + + def __iter__(self): + return _MCIteratorDataset(iter(self.mc_data)) + + @classmethod + def from_mc_data_iterable( + cls, + mc_data: Iterable[MCData], + tokenizer: PreTrainedTokenizerBase, + blocking_strategy: BlockingStrategy, + ) -> MCIterableDataset: + + class _TokensIterable(Iterable): + def _tokens_generator(self): + for item in mc_data: + yield jax.tree_util.tree_map(lambda x: x[0], MCData.block([item], blocking_strategy, tokenizer)) + + def __iter__(self): + return self._tokens_generator() + + return cls(_TokensIterable()) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/gpt2/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/gpt2/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/gpt2/interface.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/gpt2/interface.py new file mode 100755 index 00000000..f029d5b2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/gpt2/interface.py @@ -0,0 +1,283 @@ +from typing import Optional, Callable, Tuple +from jax.experimental.pjit import pjit +from LLM_RL.algorithms.mc_returns.base_interface import MCTrain, MCInference +from flax.training.train_state import TrainState +from jaxtyping import PyTree +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.tokenization_utils import PreTrainedTokenizerBase +import flax.linen as nn +from JaxSeq.utils import with_named_sharding_constraint, match_partition_rules +from functools import partial +import jax +from jax.sharding import NamedSharding +from jax.sharding import PartitionSpec as PS +import jax.numpy as jnp +from LLM_RL.algorithms.ilql.gpt2.interface import GPT2ValueRLInference + + +class GPT2MCTrain(MCTrain): + @classmethod + def load_train( + cls, + base_train_state: TrainState, + q_head_train_state: TrainState, + base_model: FlaxPreTrainedModel, + q_head_model: nn.Module, + tokenizer: PreTrainedTokenizerBase, + loss_fn: Callable, + detach_q: bool, + ): + mesh = base_model.config.mesh + assert mesh is not None + assert mesh == q_head_model.config.mesh + base_train_state_partition_spec = match_partition_rules(base_model.config.get_partition_rules(), base_train_state) + q_head_train_state_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q_head_train_state) + + @partial( + pjit, + donate_argnums=(0, 1), + static_argnames=('train',), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q_head_train_state_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q_head_train_state_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + ) + def _step( + base_train_state: TrainState, + q_head_train_state: TrainState, + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + should_take_action: jax.Array, + returns: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray], + train: bool=True, + ) -> Tuple[TrainState, Optional[PyTree], TrainState, TrainState, TrainState, PyTree, PyTree, jax.Array, PyTree]: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(('dp', 'fsdp'), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(('dp', 'fsdp'), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(('dp', 'fsdp'), None)) + should_take_action = with_named_sharding_constraint(should_take_action, mesh, PS(('dp', 'fsdp'), None)) + returns = with_named_sharding_constraint(returns, mesh, PS(('dp', 'fsdp'), None)) + + # define loss function + + def grad_loss(base_params: PyTree, q_head_params: PyTree, prng_key: jax.random.PRNGKeyArray): + + # get base hidden states + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + base_model_output = base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + # get values + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q_head_output = q_head_model.apply( + {'params': q_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + # stop gradients + if detach_q: + q_head_output = jax.lax.stop_gradient(q_head_output) + + q = jnp.take_along_axis(q_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + q_logits = q_head_output[:, :-1, :].astype(jnp.float32) + + loss, info = loss_fn( + q, + q_logits, + input_ids[:, 1:], + attention_mask[:, 1:], + should_take_action, + returns, + ) + return loss, info + + # take loss + (loss, info), (base_grads, q_head_grads) = jax.value_and_grad(grad_loss, has_aux=True, argnums=(0, 1))( + base_train_state.params, + q_head_train_state.params, + prng_key, + ) + # assert shard gradients + base_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + base_grads, + base_train_state_partition_spec.params, + ) + q_head_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + q_head_grads, + q_head_train_state_partition_spec.params, + ) + # update params and optim state + base_train_state = base_train_state.apply_gradients(grads=base_grads) + q_head_train_state = q_head_train_state.apply_gradients(grads=q_head_grads) + + return base_train_state, q_head_train_state, loss, info + + return cls( + base_train_state=base_train_state, + q_head_train_state=q_head_train_state, + base_model=base_model, + q_head_model=q_head_model, + tokenizer=tokenizer, + _step=_step, + ) + +class GPT2MCInference(MCInference): + @classmethod + def load_inference( + cls, + pi_beta_params: Optional[PyTree], + base_params: PyTree, + q_head_params: PyTree, + pi_beta_model: Optional[FlaxPreTrainedModel], + base_model: FlaxPreTrainedModel, + q_head_model: nn.Module, + tokenizer: PreTrainedTokenizerBase, + loss_fn: Callable, + beta: float=0.0, + dp_shard_logits: bool=True, + ): + mesh = base_model.config.mesh + assert mesh is not None + assert mesh == q_head_model.config.mesh + + value_inference = GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_params, + q1_head_params=q_head_params, + q2_head_params=None, + v_head_params=None, + pi_beta_model=pi_beta_model, + base_model=base_model, + q_head_model=q_head_model, + v_head_model=None, + tokenizer=tokenizer, + beta=beta, + dp_shard_logits=dp_shard_logits, + ) + + base_params_partition_spec = match_partition_rules(base_model.config.get_partition_rules(), base_params) + q_head_params_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q_head_params) + + @partial( + pjit, + static_argnames=('train',), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=( + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + ) + def _eval_loss( + base_params: TrainState, + q_head_params: TrainState, + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + should_take_action: jax.Array, + returns: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray], + train: bool=True, + ): + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(('dp', 'fsdp'), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(('dp', 'fsdp'), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(('dp', 'fsdp'), None)) + should_take_action = with_named_sharding_constraint(should_take_action, mesh, PS(('dp', 'fsdp'), None)) + returns = with_named_sharding_constraint(returns, mesh, PS(('dp', 'fsdp'), None)) + + # get base hidden states + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + base_model_output = base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + # get values + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q_head_output = q_head_model.apply( + {'params': q_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + q = jnp.take_along_axis(q_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + q_logits = q_head_output[:, :-1, :].astype(jnp.float32) + + loss, info = loss_fn( + q, + q_logits, + input_ids[:, 1:], + attention_mask[:, 1:], + should_take_action, + returns, + ) + + return loss, info + + return cls( + pi_beta_params=value_inference.pi_beta_params, + base_params=value_inference.base_params, + q1_head_params=value_inference.q1_head_params, + q2_head_params=value_inference.q2_head_params, + v_head_params=value_inference.v_head_params, + pi_beta_model=value_inference.pi_beta_model, + base_model=value_inference.base_model, + q_head_model=value_inference.q_head_model, + v_head_model=value_inference.v_head_model, + tokenizer=value_inference.tokenizer, + _generate=value_inference._generate, + _forward=value_inference._forward, + _eval_loss=_eval_loss, + ) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/gptj/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/gptj/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/gptj/interface.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/gptj/interface.py new file mode 100755 index 00000000..8ff55e88 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/gptj/interface.py @@ -0,0 +1,283 @@ +from typing import Optional, Callable, Tuple +from jax.experimental.pjit import pjit +from LLM_RL.algorithms.mc_returns.base_interface import MCTrain, MCInference +from flax.training.train_state import TrainState +from jaxtyping import PyTree +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.tokenization_utils import PreTrainedTokenizerBase +import flax.linen as nn +from JaxSeq.utils import with_named_sharding_constraint, match_partition_rules +from functools import partial +import jax +from jax.sharding import NamedSharding +from jax.sharding import PartitionSpec as PS +import jax.numpy as jnp +from LLM_RL.algorithms.ilql.gptj.interface import GPTJValueRLInference + + +class GPTJMCTrain(MCTrain): + @classmethod + def load_train( + cls, + base_train_state: TrainState, + q_head_train_state: TrainState, + base_model: FlaxPreTrainedModel, + q_head_model: nn.Module, + tokenizer: PreTrainedTokenizerBase, + loss_fn: Callable, + detach_q: bool, + ): + mesh = base_model.config.mesh + assert mesh is not None + assert mesh == q_head_model.config.mesh + base_train_state_partition_spec = match_partition_rules(base_model.config.get_partition_rules(), base_train_state) + q_head_train_state_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q_head_train_state) + + @partial( + pjit, + donate_argnums=(0, 1), + static_argnames=('train',), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q_head_train_state_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q_head_train_state_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + ) + def _step( + base_train_state: TrainState, + q_head_train_state: TrainState, + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + should_take_action: jax.Array, + returns: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray], + train: bool=True, + ) -> Tuple[TrainState, Optional[PyTree], TrainState, TrainState, TrainState, PyTree, PyTree, jax.Array, PyTree]: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(('dp', 'fsdp'), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(('dp', 'fsdp'), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(('dp', 'fsdp'), None)) + should_take_action = with_named_sharding_constraint(should_take_action, mesh, PS(('dp', 'fsdp'), None)) + returns = with_named_sharding_constraint(returns, mesh, PS(('dp', 'fsdp'), None)) + + # define loss function + + def grad_loss(base_params: PyTree, q_head_params: PyTree, prng_key: jax.random.PRNGKeyArray): + + # get base hidden states + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + base_model_output = base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + # get values + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q_head_output = q_head_model.apply( + {'params': q_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + # stop gradients + if detach_q: + q_head_output = jax.lax.stop_gradient(q_head_output) + + q = jnp.take_along_axis(q_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + q_logits = q_head_output[:, :-1, :].astype(jnp.float32) + + loss, info = loss_fn( + q, + q_logits, + input_ids[:, 1:], + attention_mask[:, 1:], + should_take_action, + returns, + ) + return loss, info + + # take loss + (loss, info), (base_grads, q_head_grads) = jax.value_and_grad(grad_loss, has_aux=True, argnums=(0, 1))( + base_train_state.params, + q_head_train_state.params, + prng_key, + ) + # assert shard gradients + base_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + base_grads, + base_train_state_partition_spec.params, + ) + q_head_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + q_head_grads, + q_head_train_state_partition_spec.params, + ) + # update params and optim state + base_train_state = base_train_state.apply_gradients(grads=base_grads) + q_head_train_state = q_head_train_state.apply_gradients(grads=q_head_grads) + + return base_train_state, q_head_train_state, loss, info + + return cls( + base_train_state=base_train_state, + q_head_train_state=q_head_train_state, + base_model=base_model, + q_head_model=q_head_model, + tokenizer=tokenizer, + _step=_step, + ) + +class GPTJMCInference(MCInference): + @classmethod + def load_inference( + cls, + pi_beta_params: Optional[PyTree], + base_params: PyTree, + q_head_params: PyTree, + pi_beta_model: Optional[FlaxPreTrainedModel], + base_model: FlaxPreTrainedModel, + q_head_model: nn.Module, + tokenizer: PreTrainedTokenizerBase, + loss_fn: Callable, + beta: float=0.0, + dp_shard_logits: bool=True, + ): + mesh = base_model.config.mesh + assert mesh is not None + assert mesh == q_head_model.config.mesh + + value_inference = GPTJValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_params, + q1_head_params=q_head_params, + q2_head_params=None, + v_head_params=None, + pi_beta_model=pi_beta_model, + base_model=base_model, + q_head_model=q_head_model, + v_head_model=None, + tokenizer=tokenizer, + beta=beta, + dp_shard_logits=dp_shard_logits, + ) + + base_params_partition_spec = match_partition_rules(base_model.config.get_partition_rules(), base_params) + q_head_params_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q_head_params) + + @partial( + pjit, + static_argnames=('train',), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=( + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + ) + def _eval_loss( + base_params: TrainState, + q_head_params: TrainState, + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + should_take_action: jax.Array, + returns: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray], + train: bool=True, + ): + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(('dp', 'fsdp'), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(('dp', 'fsdp'), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(('dp', 'fsdp'), None)) + should_take_action = with_named_sharding_constraint(should_take_action, mesh, PS(('dp', 'fsdp'), None)) + returns = with_named_sharding_constraint(returns, mesh, PS(('dp', 'fsdp'), None)) + + # get base hidden states + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + base_model_output = base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=base_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + # get values + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q_head_output = q_head_model.apply( + {'params': q_head_params}, + base_model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + + q = jnp.take_along_axis(q_head_output[:, :-1], input_ids[:, 1:][..., None], axis=2).squeeze(2) + q_logits = q_head_output[:, :-1, :].astype(jnp.float32) + + loss, info = loss_fn( + q, + q_logits, + input_ids[:, 1:], + attention_mask[:, 1:], + should_take_action, + returns, + ) + + return loss, info + + return cls( + pi_beta_params=value_inference.pi_beta_params, + base_params=value_inference.base_params, + q1_head_params=value_inference.q1_head_params, + q2_head_params=value_inference.q2_head_params, + v_head_params=value_inference.v_head_params, + pi_beta_model=value_inference.pi_beta_model, + base_model=value_inference.base_model, + q_head_model=value_inference.q_head_model, + v_head_model=value_inference.v_head_model, + tokenizer=value_inference.tokenizer, + _generate=value_inference._generate, + _forward=value_inference._forward, + _eval_loss=_eval_loss, + ) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/score_fn.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/score_fn.py new file mode 100755 index 00000000..735e5830 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/score_fn.py @@ -0,0 +1,60 @@ +from typing import List, Optional +from JaxSeq.models.gpt2.interface import GPT2Inference +from LLM_RL.algorithms.mc_returns.base_interface import MCInference +from transformers.tokenization_utils import PreTrainedTokenizer +import jax.numpy as jnp +import numpy as np +from LLM_RL.environment import TextHistory, TokenHistory +import jax + +def build_mc_score_fn( + inference: MCInference, + pi_beta_inference: Optional[GPT2Inference], + tokenizer: PreTrainedTokenizer, + max_length: int, + value_weight: float, + logit_weight: Optional[float], + bsize: int, +): + assert (pi_beta_inference is None and logit_weight is None) or (pi_beta_inference is not None and logit_weight is not None) + + def score_fn(text_histories: List[TextHistory], done:Optional[List]=None) -> List[float]: + assert all([text_history[-1].is_action for text_history in text_histories]) + + prev_token_histories = [] + token_histories = [] + for text_history in text_histories: + prev_token_histories.append(TokenHistory.from_text_history(text_history[:-1], tokenizer)) + token_histories.append(TokenHistory.from_text_history(text_history, tokenizer)) + + # truncate to end and pad tokens + tokens = np.stack([np.concatenate((token_history.tokens[-max_length:], np.full((max_length-min(token_history.tokens.shape[0], max_length),), tokenizer.pad_token_id)), axis=0) for token_history in token_histories], axis=0) + tokens = jnp.asarray(tokens, dtype=jnp.int32) + + advantages = [] + + for i in range(0, len(text_histories), bsize): + batch = tokens[i:i+bsize, :] + values = inference.forward(batch) + + prefix_len = jnp.asarray([prev_token_histories[i+x].tokens.shape[0] for x in range(batch.shape[0])], dtype=jnp.int32) + attention_mask = (batch != tokenizer.pad_token_id).astype(np.float32) + + qs = values.q1 + qsa = jnp.take_along_axis(qs[:, :-1], batch[:, 1:][..., None], axis=2).squeeze(2) + action_advs = jnp.empty(prefix_len.shape, dtype=jnp.float32) + for x in range(len(prefix_len)): + # embed() + action_advs = action_advs.at[x].set(value_weight * ((qsa[x]) * attention_mask[x, 1:])[(prefix_len[x]-1):].sum(axis=0)) + + if logit_weight is not None: + logprobs = jax.nn.log_softmax(pi_beta_inference.get_logits_from_tokens(batch), axis=-1) + action_logits = jnp.take_along_axis(logprobs[:, :-1], batch[:, 1:][..., None], axis=2).squeeze(2) + for x in range(len(prefix_len)): + action_advs = action_advs.at[x].add(logit_weight * (action_logits[x] * attention_mask[x, 1:])[(prefix_len[x]-1):].sum(axis=0)) + + advantages.extend(jax.device_get(action_advs).tolist()) + + return advantages + + return score_fn diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/train.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/train.py new file mode 100755 index 00000000..caacb4d8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/mc_returns/train.py @@ -0,0 +1,368 @@ +from typing import Any, Callable, Dict, Optional, Tuple, Union, Hashable +from jax.random import KeyArray +from collections import deque +import jax +from tqdm.auto import tqdm +from JaxSeq.utils import Dataset, dataloader, create_path, get_enabled_save_path +from JaxSeq.data import Seq2SeqDataset, Seq2SeqIterableDataset +from JaxSeq.models.base_interface import Train, Inference +from JaxSeq.logs import combine_logs, label_logs, log, pull_logs +import os +import wandb +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.bucket_manager import delete_with_bucket as delete +from JaxSeq.checkpointing import save_pytree +from JaxSeq.shard_model import get_sharding_from_model +from flax.training.train_state import TrainState +from transformers.modeling_flax_utils import FlaxPreTrainedModel +import pickle as pkl +from LLM_RL.algorithms.mc_returns.base_interface import MCTrain, MCInference +from LLM_RL.algorithms.value_rl_base.base_interface import ValueRLInference +import jax.numpy as jnp +import flax.linen as nn + +def dump_state( + base_model: FlaxPreTrainedModel, + q_head_model: nn.Module, + base_train_state: TrainState, + q_head_train_state: TrainState, + save_dir: str, + save_train_state: bool, + enable_save: bool, + save_dtype: jnp.dtype, + **loop_state: Dict[Hashable, Any], +): + # dump loop_state + with open(get_enabled_save_path(os.path.join(save_dir, 'loop_state.pkl'), enabled=enable_save), 'wb') as f: + pkl.dump(loop_state, f) + + # save base + if enable_save: + create_path(os.path.join(save_dir, 'base')) + # dump base_model config + with open(get_enabled_save_path(os.path.join(save_dir, 'base', 'config.json'), enabled=enable_save), 'w') as f: + f.write(base_model.config.to_json_string()) + # dump train_state + if save_train_state: + save_pytree( + tree=base_train_state, + path=get_enabled_save_path(os.path.join(save_dir, 'base', 'train_state.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(base_model, base_train_state), + ) + else: + save_pytree( + tree=base_train_state.params, + path=get_enabled_save_path(os.path.join(save_dir, 'base', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(base_model, base_train_state.params), + ) + + # save q_head + if enable_save: + create_path(os.path.join(save_dir, 'q_head')) + # dump q_head config + with open(get_enabled_save_path(os.path.join(save_dir, 'q_head', 'config.json'), enabled=enable_save), 'w') as f: + f.write(q_head_model.config.to_json_string()) + # dump train_state + if save_train_state: + save_pytree( + tree=q_head_train_state, + path=get_enabled_save_path(os.path.join(save_dir, 'q_head', 'train_state.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(q_head_model, q_head_train_state), + ) + else: + save_pytree( + tree=q_head_train_state.params, + path=get_enabled_save_path(os.path.join(save_dir, 'q_head', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(q_head_model, q_head_train_state.params), + ) + +def eval_loss( + inference: MCInference, + dataset: Union[Seq2SeqDataset, Seq2SeqIterableDataset], + prng_key: Optional[KeyArray], + bsize: int, + eval_batches: Optional[int], +) -> Dict[str, Any]: + # setup evaluator loop state + eval_logs = [] + + # eval on batches + prng_key, new_prng = jax.random.split(prng_key) if prng_key is not None else (None, None) + d = dataloader(new_prng, dataset, bsize, truncate=True) + for i, batch in tqdm(enumerate(d)): + # conditionally terminate early + if eval_batches is not None and i >= eval_batches: + break + + # get eval logs + _, info = inference.eval_loss(**batch) + eval_logs.append(info) + + # gather and postproc eval logs + eval_logs = pull_logs(combine_logs(eval_logs)) + return eval_logs + +def train_loop( + trainer: MCTrain, + inference: Union[ValueRLInference, MCInference], + evaluator: Optional[Callable[[Inference], Tuple[float, Dict[str, Any]]]], + dataset: Union[Seq2SeqDataset, Seq2SeqIterableDataset], + prng_key: KeyArray, + save_dir: Optional[str], + epochs: int, + max_steps: Optional[int], + bsize: int, + log_every: int, + eval_every_steps: Optional[int], + eval_every_epochs: Optional[int], + eval_at_beginning: bool, + eval_at_end: bool, + save_every_steps: Optional[int], + save_every_epochs: Optional[int], + save_at_beginning: bool, + save_at_end: bool, + save_best: bool, + max_checkpoints: Optional[int], + save_train_state: bool, + save_dtype: jnp.dtype, + use_wandb: bool, + wandb_project: Optional[str], + wandb_run_name: Optional[str], + wandb_config: Optional[Dict[str, Any]], + is_main_process: Optional[bool]=None, + **loop_state: Dict[Hashable, Any], +) -> Tuple[Train, Inference]: + assert (not use_wandb) or (use_wandb and wandb_project is not None) + if is_main_process is None: + is_main_process = jax.process_index() == 0 + + # initalize wandb + wandb_id = loop_state.get('wandb_id', None) + if use_wandb and is_main_process: + if wandb_id is None: + wandb_id = wandb.util.generate_id() + wandb.init( + project=wandb_project, + id=wandb_id, + name=wandb_run_name, + config=wandb_config, + reinit=True, + resume="allow", + ) + + # initalize training loop state + train_logs = [] + best_perf = loop_state.get('best_perf', float('inf')) + saved_checkpoints = loop_state.get('saved_checkpoints', deque([])) + step = 0 + steps_per_epoch = len(dataset) // bsize if isinstance(dataset, Dataset) else None + if 'steps_per_epoch' in loop_state: + assert steps_per_epoch == loop_state['steps_per_epoch'], 'loop_state steps_per_epoch does not match dataset steps_per_epoch' + epoch = -1 + + def _save( + name: str, + add_to_queue: bool, + **loop_state: Dict[Hashable, Any], + ): + nonlocal saved_checkpoints + print(f'saving checkpoint {name} ...') + # conditionally delete old checkpoints + if add_to_queue and is_main_process: + if (max_checkpoints is not None) and (len(saved_checkpoints) >= max_checkpoints): + delete(saved_checkpoints.popleft(), recursive=True) + curr_save_dir = os.path.join(save_dir, name) + if is_main_process: + create_path(curr_save_dir) + dump_state( + base_model=trainer.base_model, + q_head_model=trainer.q_head_model, + base_train_state=trainer.base_train_state, + q_head_train_state=trainer.q_head_train_state, + save_dir=curr_save_dir, + save_train_state=save_train_state, + enable_save=is_main_process, + save_dtype=save_dtype, + **loop_state, + ) + if add_to_queue and is_main_process: + saved_checkpoints.append(curr_save_dir) + print('saved.') + + def _inference_update(): + nonlocal inference + inference = inference.replace( + base_params=trainer.base_train_state.params, + q1_head_params=trainer.q_head_train_state.params, + ) + + def _eval( + **loop_state: Dict[Hashable, Any], + ): + nonlocal best_perf + # get eval logs + _inference_update() + eval_perf, eval_logs = evaluator(inference) + + # publish eval logs + eval_logs = pull_logs(label_logs(eval_logs, 'eval', {'step': step+1, 'epoch': epoch})) + log(eval_logs, use_wandb and is_main_process) + + # conditionally save best model and optimizer state + if save_dir is not None and save_best and eval_perf < best_perf: + print('new best model!') + best_perf = eval_perf + _save( + name='best', + add_to_queue=False, + **{**loop_state, 'best_perf': best_perf}, + ) + + # begin evaluation + if evaluator is not None and eval_at_beginning: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # save initial checkpoint + if save_dir is not None and save_at_beginning: + _save( + name='initial', + add_to_queue=False, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # begin training loop + for epoch in tqdm(range(epochs)): + prng_key, new_prng = jax.random.split(prng_key) + d = dataloader(new_prng, dataset, bsize, truncate=True) + for batch in tqdm(d, total=steps_per_epoch): + + # step model and get training logs + prng_key, new_prng = jax.random.split(prng_key) + if 'step' in loop_state and step < loop_state['step']: + step += 1 + continue + trainer, _, info = trainer.step( + **batch, + prng_key=new_prng, + train=True, + ) + train_logs.append(info) + + # publish training logs and clear logs + if (step + 1) % log_every == 0: + logs = combine_logs(train_logs) + logs = pull_logs(label_logs(logs, 'train', {'step': step+1, 'epoch': epoch})) + log(logs, use_wandb and is_main_process) + train_logs = [] + + # begin evaluation + if evaluator is not None and eval_every_steps is not None and (step + 1) % eval_every_steps == 0: + _eval( + # loop state metadata + best_perf=best_perf, + step=step+1, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # periodically save checkpoint + if save_dir is not None and save_every_steps is not None and (step + 1) % save_every_steps == 0: + _save( + name=f'step_{step+1}', + add_to_queue=True, + # loop state metadata + best_perf=best_perf, + step=step+1, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + step += 1 + + # conditionally terminate + if max_steps is not None and step >= max_steps: + break + + # begin evaluation + if evaluator is not None and eval_every_epochs is not None and (epoch + 1) % eval_every_epochs == 0: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # periodically save checkpoint + if save_dir is not None and save_every_epochs is not None and (epoch + 1) % save_every_epochs == 0: + _save( + name=f'epoch_{epoch}', + add_to_queue=True, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # conditionally terminate + if max_steps is not None and step >= max_steps: + break + + # begin evaluation + if evaluator is not None and eval_at_end: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # save final checkpoint + if save_dir is not None and save_at_end: + _save( + name='last', + add_to_queue=False, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # stop wandb + if use_wandb and is_main_process: + wandb.finish() + _inference_update() + return trainer, inference diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/online_filtered_bc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/online_filtered_bc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/online_filtered_bc/train.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/online_filtered_bc/train.py new file mode 100755 index 00000000..15380de2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/online_filtered_bc/train.py @@ -0,0 +1,364 @@ +from typing import Any, Callable, Dict, Optional, Tuple, Union, Hashable +from jax.random import KeyArray +from collections import deque +import jax +from tqdm.auto import tqdm +from JaxSeq.utils import Dataset, dataloader, get_enabled_save_path, create_path +from JaxSeq.models.base_interface import TrainMask, InferenceMask +from JaxSeq.data import MaskDataset, MaskIterableDataset +from JaxSeq.logs import combine_logs, label_logs, log, pull_logs +import os +import wandb +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.bucket_manager import delete_with_bucket as delete +from JaxSeq.checkpointing import save_pytree +from flax.training.train_state import TrainState +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from JaxSeq.shard_model import get_sharding_from_model +import pickle as pkl +from LLM_RL.algorithms.ppo.base_interface import PPOPolicy +import os +import jax.numpy as jnp + +def dump_state( + model: FlaxPreTrainedModel, + train_state: TrainState, + save_dir: str, + save_train_state: bool, + enable_save: bool, + save_dtype: jnp.dtype, + **loop_state: Dict[Hashable, Any], +): + # dump model config + with open(get_enabled_save_path(os.path.join(save_dir, 'config.json'), enabled=enable_save), 'w') as f: + f.write(model.config.to_json_string()) + # dump loop_state + with open(get_enabled_save_path(os.path.join(save_dir, 'loop_state.pkl'), enabled=enable_save), 'wb') as f: + pkl.dump(loop_state, f) + # dump train_state + if save_train_state: + save_pytree( + tree=train_state, + path=get_enabled_save_path(os.path.join(save_dir, 'train_state.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(model, train_state), + ) + else: + save_pytree( + tree=train_state.params, + path=get_enabled_save_path(os.path.join(save_dir, 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model(model, train_state.params), + ) + +def train_loop( + trainer: TrainMask, + inference: InferenceMask, + policy: PPOPolicy, + load_dataset: Callable[[InferenceMask, PPOPolicy], Union[MaskDataset, MaskIterableDataset]], + evaluator: Optional[Callable[[InferenceMask, PPOPolicy], Tuple[float, Dict[str, Any]]]], + prng_key: KeyArray, + save_dir: Optional[str], + n_rounds: int, + epochs: int, + max_steps: Optional[int], + bsize: int, + log_every: int, + eval_every_steps: Optional[int], + eval_every_epochs: Optional[int], + eval_every_rounds: Optional[int], + eval_at_beginning: bool, + eval_at_end: bool, + save_every_steps: Optional[int], + save_every_epochs: Optional[int], + save_every_rounds: Optional[int], + save_at_beginning: bool, + save_at_end: bool, + save_best: bool, + max_checkpoints: Optional[int], + save_train_state: bool, + save_dtype: jnp.dtype, + use_wandb: bool, + wandb_project: Optional[str], + wandb_run_name: Optional[str], + wandb_config: Optional[Dict[str, Any]], + is_main_process: Optional[bool]=None, + **loop_state: Dict[Hashable, Any], +) -> Tuple[TrainMask, InferenceMask, PPOPolicy]: + print("entering training loop ...") + assert (not use_wandb) or (use_wandb and wandb_project is not None) + if is_main_process is None: + is_main_process = jax.process_index() == 0 + + # initalize wandb + wandb_id = loop_state.get('wandb_id', None) + if use_wandb and is_main_process: + if wandb_id is None: + wandb_id = wandb.util.generate_id() + wandb.init( + project=wandb_project, + id=wandb_id, + name=wandb_run_name, + config=wandb_config, + reinit=True, + resume="allow", + ) + + # initalize training loop state + train_logs = [] + best_perf = loop_state.get('best_perf', float('inf')) + saved_checkpoints = loop_state.get('saved_checkpoints', deque([])) + step = 0 + epoch = -1 + round = -1 + + def _save( + name: str, + add_to_queue: bool, + **loop_state: Dict[Hashable, Any], + ): + nonlocal saved_checkpoints + print(f'saving checkpoint {name} ...') + # conditionally delete old checkpoints + if add_to_queue and is_main_process: + if (max_checkpoints is not None) and (len(saved_checkpoints) >= max_checkpoints): + delete(saved_checkpoints.popleft(), recursive=True) + curr_save_dir = os.path.join(save_dir, name) + if is_main_process: + create_path(curr_save_dir) + dump_state( + model=trainer.model, + train_state=trainer.train_state, + save_dir=curr_save_dir, + save_train_state=save_train_state, + enable_save=is_main_process, + save_dtype=save_dtype, + **loop_state, + ) + if add_to_queue and is_main_process: + saved_checkpoints.append(curr_save_dir) + print('saved.') + + def _eval( + **loop_state: Dict[Hashable, Any], + ): + nonlocal best_perf + nonlocal inference + # get eval logs + inference = inference.replace(params=trainer.train_state.params) + policy.set_params(trainer.train_state.params) + eval_perf, eval_logs = evaluator(inference, policy) + + # publish eval logs + eval_logs = pull_logs(label_logs(eval_logs, 'eval', {'step': step+1, 'epoch': epoch})) + log(eval_logs, use_wandb and is_main_process) + + # conditionally save best model and optimizer state + if save_dir is not None and save_best and eval_perf < best_perf: + print('new best model!') + best_perf = eval_perf + _save( + name='best', + add_to_queue=False, + **{**loop_state, 'best_perf': best_perf}, + ) + + # begin training loop + for round in tqdm(range(n_rounds)): + + print(f'beginning round {round} ...') + print(f"best performance: {best_perf}") + + # load dataset + dataset = load_dataset(inference, policy) + if dataset is None: + continue + + steps_per_epoch = len(dataset) // bsize if isinstance(dataset, Dataset) else None + if 'steps_per_epoch' in loop_state: + assert steps_per_epoch == loop_state['steps_per_epoch'], 'loop_state steps_per_epoch does not match dataset steps_per_epoch' + + # begin evaluation + if evaluator is not None and eval_at_beginning: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # save initial checkpoint + if save_dir is not None and save_at_beginning: + _save( + name='initial', + add_to_queue=False, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + print("num epochs: ", epochs) + for epoch in tqdm(range(epochs)): + prng_key, new_prng = jax.random.split(prng_key) + d = dataloader(new_prng, dataset, bsize, truncate=True) + print("steps per epoch: ", steps_per_epoch) + for batch in tqdm(d, total=steps_per_epoch): + # step model and get training logs + if 'step' in loop_state and step < loop_state['step']: + step += 1 + continue + trainer, _, info = trainer.step( + **batch, + prng_key=new_prng, + train=True, + ) + train_logs.append(info) + + # publish training logs and clear logs + if (step + 1) % log_every == 0: + logs = combine_logs(train_logs) + logs = pull_logs(label_logs(logs, 'train', {'step': step+1, 'epoch': epoch, 'round': round})) + log(logs, use_wandb and is_main_process) + train_logs = [] + + # begin evaluation + if evaluator is not None and eval_every_steps is not None and (step + 1) % eval_every_steps == 0: + _eval( + # loop state metadata + best_perf=best_perf, + step=step+1, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # periodically save checkpoint + if save_dir is not None and save_every_steps is not None and (step + 1) % save_every_steps == 0: + _save( + name='step_%d' % (step+1), + add_to_queue=True, + # loop state metadata + best_perf=best_perf, + step=step+1, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + step += 1 + + # conditionally terminate + if max_steps is not None and step >= max_steps: + break + + # begin evaluation + if evaluator is not None and eval_every_epochs is not None and (epoch + 1) % eval_every_epochs == 0: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # periodically save checkpoint + if save_dir is not None and save_every_epochs is not None and (epoch + 1) % save_every_epochs == 0: + _save( + name=f'epoch_{epoch}', + add_to_queue=True, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # conditionally terminate + if max_steps is not None and step >= max_steps: + break + + # begin evaluation + if evaluator is not None and eval_every_rounds is not None and (round + 1) % eval_every_rounds == 0: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # periodically save checkpoint + if save_dir is not None and save_every_rounds is not None and (round + 1) % save_every_rounds == 0: + _save( + name='round_%d' % (round), + add_to_queue=True, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + inference = inference.replace(params=trainer.train_state.params) + policy.set_params(trainer.train_state.params) + + # begin evaluation + if evaluator is not None and eval_at_end: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # save final checkpoint + if save_dir is not None and save_at_end: + print("saving final checkpoint!") + _save( + name='last', + add_to_queue=False, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # stop wandb + if use_wandb and is_main_process: + wandb.finish() + + inference = inference.replace(params=trainer.train_state.params) + policy.set_params(trainer.train_state.params) + return trainer, inference, policy diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/base_interface.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/base_interface.py new file mode 100755 index 00000000..bff6f02f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/base_interface.py @@ -0,0 +1,823 @@ +from __future__ import annotations +import jax +import jax.numpy as jnp +import numpy as np +from jaxtyping import PyTree +from flax import struct +from typing import List, Optional, Union, Tuple, Callable, NamedTuple, Dict, Any +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.tokenization_utils import PreTrainedTokenizerBase +from JaxSeq.utils import BlockingStrategy, block_sequences, Padding, Truncation, multihost_device_get +from optax import softmax_cross_entropy_with_integer_labels +from flax.training.train_state import TrainState +from transformers.modeling_flax_outputs import FlaxCausalLMOutput +import flax.linen as nn +from LLM_RL.utils import get_tensor_stats, unpad_array +from JaxSeq.models.base_interface import initialize_attn_mask_pos_ids +from LLM_RL.environment import TokenTrajectoryChain +from tqdm.auto import tqdm +from LLM_RL.algorithms.ppo.data import PPOData +from LLM_RL.environment import BatchedTextPolicy +from jax.experimental.pjit import pjit + +# x +# input = x[1:] +# output = x[:-1] +# if ends on action x[-1] is action, then next window should start with that action, x[0] or next state +# if ends with state, then next window should start with a state, x[0] + +# TODO: + +# test on some more toy data for multistep / multichain settings +# add in ILQL / others +# clean code + +# KL Controllers +# adapted from: https://github.com/CarperAI/trlx/blob/main/trlx/models/modeling_ppo.py + +class AdaptiveKLController: + """Adaptive KL Controller as described in Ziegler et al. "Fine-Tuning Language Models from Human Preferences" + Reference: Section 2.2 https://arxiv.org/pdf/1909.08593.pdf#page=2 + Source: https://github.com/openai/lm-human-preferences/blob/master/lm_human_preferences/train_policy.py + """ + + def __init__(self, init_kl_coef: float, target: float, horizon: int): + self.value = init_kl_coef + self.target = target + self.horizon = horizon + + def update(self, current: float, n_steps: int): + """Returns adaptively updated KL coefficient, βₜ₊₁. + Arguments: + current: The current KL value between the newest policy and the initial policy. + """ + proportional_error = np.clip(current / self.target - 1, -0.2, 0.2) # ϵₜ + mult = 1 + proportional_error * n_steps / self.horizon + self.value *= mult # βₜ₊₁ + +class FixedKLController: + """Fixed KL controller.""" + + def __init__(self, kl_coef): + self.value = kl_coef + + def update(self, current: float, n_steps: int): + """Returns updated KL coefficient, βₜ₊₁. + Arguments: + current: The current KL value between the newest policy and the initial policy. + """ + pass + + +def ppo_loss_fn( + attention_mask: jax.Array, # [batch, time-1] – output is masked; shift x[1:] + logprobs: jax.Array, # [batch, time-1] – logprob of output produced; shift x[1:] + values: jax.Array, # [batch, time-1] – value of current state; shift x[:-1] + should_take_action: jax.Array, # [batch, time-1] – is output produced by action; shift x[1:] + old_logprobs: jax.Array, # [batch, time-1] – logprob of output produced; shift x[1:] + old_values: jax.Array, # [batch, time-1] – value of current state; shift x[:-1] + old_advantages: jax.Array, # [batch, time-1] – advantage of output produced; shift x[1:] + old_returns: jax.Array, # [batch, time-1] – return of current state; shift x[:-1] + *, + cliprange_value: Union[float, jax.Array], + cliprange: Union[float, jax.Array], + value_loss_coef: Union[float, jax.Array], +) -> Tuple[jax.Array, Dict[str, Any]]: + """PPO objective function. + References: + - https://github.com/CarperAI/trlx/blob/main/trlx/models/modeling_ppo.py + - https://stable-baselines.readthedocs.io/en/master/modules/ppo2.html + """ + mask = should_take_action.astype(jnp.float32) * attention_mask + n = mask.sum() + + values_clipped = jnp.clip( + values, + old_values - cliprange_value, + old_values + cliprange_value, + ) + + vf_loss1 = (values - old_returns) ** 2 + vf_loss2 = (values_clipped - old_returns) ** 2 + vf_loss = 0.5 * jnp.sum(jnp.maximum(vf_loss1, vf_loss2) * mask) / n + vf_clipfrac = jnp.sum((vf_loss2 > vf_loss1).astype(jnp.float32) * mask) / n + + log_ratio = (logprobs - old_logprobs) * mask + ratio = jnp.exp(log_ratio) + # Unbiased KL-div estimates (`k3`). Ref: http://joschu.net/blog/kl-approx.html + approx_kl = jnp.sum((ratio - 1) - log_ratio) / n + + pg_loss1 = -old_advantages * ratio + pg_loss2 = -old_advantages * jnp.clip( + ratio, + 1.0 - cliprange, + 1.0 + cliprange, + ) + pg_loss = jnp.sum(jnp.maximum(pg_loss1, pg_loss2) * mask) / n + pg_clipfrac = jnp.sum((pg_loss2 > pg_loss1).astype(jnp.float32) * mask) / n + + loss = pg_loss + value_loss_coef * vf_loss + + logs = dict( + losses=dict( + total_loss=loss, + policy_loss=pg_loss, + value_loss=vf_loss, + ), + values=dict( + get_tensor_stats(values, mask, n), + values_error=jnp.sum(((values - old_returns) * mask) ** 2) / n, + clipfrac=vf_clipfrac, + ), + old_values=get_tensor_stats(old_values, mask, n), + returns=get_tensor_stats(old_returns, mask, n), + policy=dict( + approx_kl=approx_kl, + clipfrac=pg_clipfrac, + ), + ratio=(ratio * mask).sum() / n, + padding_percentage=n / mask.size, + ) + + return loss, logs + +class PPOTrain(struct.PyTreeNode): + policy_train_state: TrainState + value_head_train_state: TrainState + policy_model: FlaxPreTrainedModel = struct.field(pytree_node=False) + value_head_model: nn.Module = struct.field(pytree_node=False) + tokenizer: PreTrainedTokenizerBase = struct.field(pytree_node=False) + _step: Callable = struct.field(pytree_node=False) + + # def _step( + # policy_train_state: TrainState, + # value_head_train_state: TrainState, + # input_ids: jax.Array, + # attention_mask: jax.Array, + # position_ids: jax.Array, + # should_take_action: jax.Array, + # old_logprobs: jax.Array, + # old_values: jax.Array, + # old_advantages: jax.Array, + # old_returns: jax.Array, + # prng_key: Optional[jax.random.PRNGKeyArray], + # bc_data_input_ids: Optional[jax.Array], + # bc_data_input_attention_mask: Optional[jax.Array], + # bc_data_input_position_ids: Optional[jax.Array], + # bc_data_input_training_mask: Optional[jax.Array], + # train: bool=True, + # ) -> Tuple[TrainState, TrainState, jax.Array, PyTree]: + # raise NotImplementedError + + def step( + self, + input_ids: jax.Array, # [batch, time] + should_take_action: jax.Array, # [batch, time-1] + old_logprobs: jax.Array, # [batch, time-1] + old_values: jax.Array, # [batch, time-1] + old_advantages: jax.Array, # [batch, time-1] + old_returns: jax.Array, # [batch, time-1] + prng_key: Optional[jax.random.PRNGKeyArray], + attention_mask: Optional[jax.Array]=None, + position_ids: Optional[jax.Array]=None, + bc_data_input_ids: Optional[jax.Array]=None, + bc_data_input_attention_mask: Optional[jax.Array]=None, + bc_data_input_position_ids: Optional[jax.Array]=None, + bc_data_input_training_mask: Optional[jax.Array]=None, + train: bool=True, + ) -> Tuple[PPOTrain, jax.Array, PyTree]: + # handle attention mask and position ids shifting + attention_mask, position_ids = initialize_attn_mask_pos_ids( + input_ids, + self.tokenizer.pad_token_id, + attention_mask, + position_ids, + ) + + if bc_data_input_ids is not None: + bc_data_input_attention_mask, bc_data_input_position_ids = initialize_attn_mask_pos_ids( + bc_data_input_ids, + self.tokenizer.pad_token_id, + bc_data_input_attention_mask, + bc_data_input_position_ids, + ) + assert bc_data_input_training_mask is not None + + policy_train_state, value_head_train_state, loss, logs = self._step( + self.policy_train_state, + self.value_head_train_state, + input_ids, + attention_mask, + position_ids, + should_take_action, + old_logprobs, + old_values, + old_advantages, + old_returns, + prng_key, + bc_data_input_ids, + bc_data_input_attention_mask, + bc_data_input_position_ids, + bc_data_input_training_mask, + train, + ) + + return self.replace( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + ), loss, logs + +def get_action_state_next_state_idxs( + should_take_action: np.ndarray, # [t-1] +) -> Tuple[np.ndarray, np.ndarray, np.ndarray]: + action_idxs = np.where(should_take_action)[0] + state_idxs = np.where(should_take_action)[0] + + is_next_state = should_take_action.copy() + is_next_state[np.argmax(is_next_state.astype(np.int32), axis=0)] = False + is_next_state = np.concatenate((is_next_state, (should_take_action.sum(axis=0) > 0)[None]), axis=0) + next_state_idxs = np.where(is_next_state)[0] + + assert action_idxs.shape == state_idxs.shape == next_state_idxs.shape + + return action_idxs, state_idxs, next_state_idxs + +def whiten(xs: jax.Array, shift_mean=True) -> jax.Array: + """Whitens values""" + mean, var = jnp.mean(xs), jnp.var(xs) + whitened = (xs - mean) * jnp.reciprocal(jnp.sqrt(var+1e-8)) + if not shift_mean: + whitened += mean + return whitened + +def get_advantages_and_returns( + state_values: np.ndarray, # [b, t-1] + next_state_values: np.ndarray, # [b, t-1] + action_rewards: np.ndarray, # [b, t-1] + *, + gamma: Union[float, np.ndarray], + lam: Union[float, np.ndarray], + use_whitening: bool = True, +) -> Tuple[np.ndarray, np.ndarray]: + """Function that computes advantages and returns from rewards and values. + Calculated as in the original PPO paper: https://arxiv.org/abs/1707.06347 + Note that rewards may include a KL divergence loss term. + Advantages looks like this: + Adv1 = R1 + γ * λ * R2 + γ^2 * λ^2 * R3 + ... + - V1 + γ * (1 - λ) V2 + γ^2 * λ * (1 - λ) V3 + ... + Returns looks like this: + Ret1 = R1 + γ * λ * R2 + γ^2 * λ^2 * R3 + ... + + γ * (1 - λ) V2 + γ^2 * λ * (1 - λ) V3 + ... + Args: + values: Tensor of shape (batch_size, response_size) + rewards: Tensor of shape (batch_size, response_size) + response_length: Length of the response sequence + use_whitening: Whether to use whitening (ie. normalize advantages) or not + + References: + - https://github.com/CarperAI/trlx/blob/main/trlx/models/modeling_ppo.py + """ + assert state_values.shape == next_state_values.shape == action_rewards.shape + n = state_values.shape[1] + + lastgaelam = 0 + advantages_reversed = [] + for t in reversed(range(n)): + delta = action_rewards[:, t] + gamma * next_state_values[:, t] - state_values[:, t] + lastgaelam = delta + gamma * lam * lastgaelam + advantages_reversed.append(lastgaelam) + advantages = np.stack(advantages_reversed[::-1], axis=1) + returns = advantages + state_values + if use_whitening: + advantages = whiten(advantages) + return advantages, returns + +class CombinedTokenTrajectoryChain(NamedTuple): + input_tokens: np.ndarray + output_tokens: np.ndarray + rewards: np.ndarray + should_take_action: np.ndarray + done: Union[bool, np.ndarray] + chunk_lens: List[int] + + @classmethod + def from_token_trajectory_chain( + cls, + token_trajectory_chain: TokenTrajectoryChain, + max_length: Optional[int]=None, + ) -> CombinedTokenTrajectoryChain: + token_trajectories = token_trajectory_chain.to_list() + assert len(token_trajectories) > 0, "token_trajectory_chain must have at least one token_trajectory" + + if max_length is None: + max_length = max([tt.tokens.shape[0] for tt in token_trajectories])+1 + + # double check dones + assert not any([tt.done for tt in token_trajectories[:-1]]), "done can only be true at the end of the chain" + + # check truncation conditions + for i in range(len(token_trajectories)): + # check that the trajectory is not truncated or that it doesn't end with a state and start with an action + # we can't calculate the advantage if the trajectory is truncated and there are later actions + no_trunc = (token_trajectories[i].tokens.shape[0]-1) <= max_length + ends_with_state = (not np.any(token_trajectories[i].is_action[1:][max_length:])) + next_starts_with_action = i < len(token_trajectories)-1 and token_trajectories[i+1].is_action[0] + + assert not (ends_with_state and next_starts_with_action), 'trajectory truncation error' + assert no_trunc or ends_with_state, 'trajectory truncation error' + + return cls( + input_tokens=np.concatenate([tt.tokens[:-1][:max_length] for tt in token_trajectories], axis=0), + output_tokens=np.concatenate([tt.tokens[1:][:max_length] for tt in token_trajectories], axis=0), + rewards=np.concatenate([tt.reward[1:][:max_length] for tt in token_trajectories], axis=0), + should_take_action=np.concatenate([tt.is_action[1:][:max_length] for tt in token_trajectories], axis=0), + done = token_trajectories[-1].done, + chunk_lens=[min(tt.tokens.shape[0]-1, max_length) for tt in token_trajectories], + ) + + def unroll_arr( + self, + arr: np.ndarray, + ) -> List[np.ndarray]: + assert arr.shape[0] == self.input_tokens.shape[0] + return np.split(arr, np.cumsum(self.chunk_lens)[:-1], axis=0) + +class PPOForwardOutput(NamedTuple): + initial_policy_raw_output: FlaxCausalLMOutput + policy_raw_output: FlaxCausalLMOutput + values: jax.Array + +class PPOInference(struct.PyTreeNode): + initial_policy_params: Optional[PyTree] + policy_params: PyTree + value_head_params: PyTree + initial_policy_model: Optional[FlaxPreTrainedModel] = struct.field(pytree_node=False) # corresponds to initial_policy_params + policy_model: FlaxPreTrainedModel = struct.field(pytree_node=False) # corresponds to policy_params + value_head_model: nn.Module = struct.field(pytree_node=False) + tokenizer: PreTrainedTokenizerBase = struct.field(pytree_node=False) + _forward: Callable = struct.field(pytree_node=False) + _eval_loss: Optional[Callable] = struct.field(pytree_node=False, default=None) + + # def _forward( + # initial_policy_params: PyTree, + # policy_params: PyTree, + # value_head_params: PyTree, + # input_ids: jax.Array, + # attention_mask: jax.Array, + # position_ids: jax.Array, + # prng_key: Optional[jax.random.PRNGKeyArray]=None, + # initial_policy_output_attentions: Optional[bool]=None, + # initial_policy_output_hidden_states: Optional[bool]=None, + # policy_output_attentions: Optional[bool]=None, # no policy_output_hidden_states option because this is required + # train: bool=False, + # ) -> PPOForwardOutput: + # raise NotImplementedError + + # def _eval_loss( + # policy_params: PyTree, + # value_head_params: PyTree, + # input_ids: jax.Array, + # attention_mask: jax.Array, + # position_ids: jax.Array, + # should_take_action: jax.Array, + # old_logprobs: jax.Array, + # old_values: jax.Array, + # old_advantages: jax.Array, + # old_returns: jax.Array, + # prng_key: Optional[jax.random.PRNGKeyArray], + # bc_data_input_ids: Optional[jax.Array], + # bc_data_input_attention_mask: Optional[jax.Array], + # bc_data_input_position_ids: Optional[jax.Array], + # bc_data_input_training_mask: Optional[jax.Array], + # train: bool=False, + # ) -> Tuple[jax.Array, PyTree]: + # raise NotImplementedError + + @staticmethod + @pjit + def token_logprobs_from_logits( + logits: jax.Array, + input_ids: jax.Array, + ) -> jax.Array: + token_log_probs = -softmax_cross_entropy_with_integer_labels(logits[:, :-1].astype(jnp.float32), input_ids[:, 1:]) + return token_log_probs + + def forward( + self, + input_ids: jax.Array, + attention_mask: Optional[jax.Array]=None, + position_ids: Optional[jax.Array]=None, + initial_policy_output_attentions: Optional[bool]=None, + initial_policy_output_hidden_states: Optional[bool]=None, + policy_output_attentions: Optional[bool]=None, + train: bool=False, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + ) -> PPOForwardOutput: + attention_mask, position_ids = initialize_attn_mask_pos_ids( + input_ids, + self.tokenizer.pad_token_id, + attention_mask, + position_ids, + ) + + return self._forward( + self.initial_policy_params, + self.policy_params, + self.value_head_params, + input_ids, + attention_mask, + position_ids, + prng_key, + initial_policy_output_attentions, + initial_policy_output_hidden_states, + policy_output_attentions, + train, + ) + + def forward_from_str( + self, + input_strs: List[str], + blocking_strategy: BlockingStrategy=BlockingStrategy(padding=Padding.RIGHT, truncation=Truncation.RIGHT, max_length=None), + initial_policy_output_attentions: Optional[bool]=None, + initial_policy_output_hidden_states: Optional[bool]=None, + policy_output_attentions: Optional[bool]=None, + train: bool=False, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + token_process: Optional[Callable[[List[int]], List[int]]]=None, + ) -> PPOForwardOutput: + if token_process is None: + token_process = lambda x: x + # tokenize + tokens = [token_process(self.tokenizer.encode(item)) for item in input_strs] + tokens = block_sequences(tokens, self.tokenizer.pad_token_id, np.int32, blocking_strategy) + # forward + outputs = self.forward( + jnp.asarray(tokens), + initial_policy_output_attentions=initial_policy_output_attentions, + initial_policy_output_hidden_states=initial_policy_output_hidden_states, + policy_output_attentions=policy_output_attentions, + train=train, + prng_key=prng_key, + ) + return outputs + + def get_ppo_data_from_token_trajectory_chain( + self, + token_trajectory_chains: List[TokenTrajectoryChain], + bsize: int, + max_length: Optional[int]=None, + train: bool=False, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + verbose: bool=True, + *, + gamma: Union[float, jax.Array], + lam: Union[float, jax.Array], + kl_weight: Union[float, jax.Array], + use_advantage_whitening: bool=True, + use_new_advantage_whitening: bool=False, + ) -> Tuple[List[PPOData], np.ndarray]: + assert self.initial_policy_model is not None and self.initial_policy_params is not None + n_chains = len(token_trajectory_chains) + + tokens = [] + combined_token_trajectory_chains = [] + for token_trajectory_chain in token_trajectory_chains: + # max_length - 1 because we clip endpoints. + # not sure if it's more optimal to do -1 here or +1 in the forward function. + combined_token_trajectory_chains.append( + CombinedTokenTrajectoryChain.from_token_trajectory_chain( + token_trajectory_chain, + max_length=max_length-1 if max_length is not None else None, + ) + ) + tokens.extend(list(map(lambda x: x.tokens, token_trajectory_chain.to_list()))) + + tokens = block_sequences( + tokens, + pad_value=self.tokenizer.pad_token_id, + dtype=np.int32, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + # get values, logits from forward pass + initial_policy_logprobs, policy_logprobs, values = [], [], [] + print("getting log probs...") + for i in tqdm(range(0, len(tokens), bsize), disable=not verbose): + tokens_batch = jnp.asarray(tokens[i:(i+bsize)], dtype=jnp.int32) + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + forward_batch_output = self.forward( + tokens_batch, + train=train, + prng_key=new_key, + ) + + initial_policy_logits = forward_batch_output.initial_policy_raw_output.logits + initial_policy_logprob = self.token_logprobs_from_logits(initial_policy_logits, tokens_batch) + initial_policy_logprob = np.asarray(multihost_device_get( + initial_policy_logprob, + mesh=self.initial_policy_model.config.mesh, + )) + + policy_logits = forward_batch_output.policy_raw_output.logits + policy_logprob = self.token_logprobs_from_logits(policy_logits, tokens_batch) + policy_logprob = np.asarray(multihost_device_get( + policy_logprob, + mesh=self.policy_model.config.mesh, + )) + + initial_policy_logprobs.append(initial_policy_logprob) + policy_logprobs.append(policy_logprob) + values.append(np.asarray(forward_batch_output.values)) + + initial_policy_logprobs = np.concatenate(initial_policy_logprobs, axis=0) + policy_logprobs = np.concatenate(policy_logprobs, axis=0) + values = np.concatenate(values, axis=0) + + batch_sections = list(map(lambda x: len(x.chunk_lens), combined_token_trajectory_chains)) + mask_split_by_chain = np.split((tokens != self.tokenizer.pad_token_id), np.cumsum(batch_sections)[:-1], axis=0) + + initial_policy_logprobs_split_by_chain = np.split(initial_policy_logprobs, np.cumsum(batch_sections)[:-1], axis=0) + policy_logprobs_split_by_chain = np.split(policy_logprobs, np.cumsum(batch_sections)[:-1], axis=0) + values_split_by_chain = np.split(values, np.cumsum(batch_sections)[:-1], axis=0) + + initial_policy_logprobs_chains = [ + np.concatenate(list(map(lambda x, m: unpad_array(x, m), item, mask[:, 1:])), axis=0) + for mask, item in zip(mask_split_by_chain, initial_policy_logprobs_split_by_chain) + ] + policy_logprobs_chains = [ + np.concatenate(list(map(lambda x, m: unpad_array(x, m), item, mask[:, 1:])), axis=0) + for mask, item in zip(mask_split_by_chain, policy_logprobs_split_by_chain) + ] + + values_chains = [ + np.concatenate(list(map(lambda x, m: unpad_array(x, m)[:-1], item, mask)), axis=0) + for mask, item in zip(mask_split_by_chain, values_split_by_chain) + ] + # add last value for final step bootstrapping + last_values_chains = [ + unpad_array(item[-1], mask[-1])[-1] + for mask, item in zip(mask_split_by_chain, values_split_by_chain) + ] + values_chains = [ + np.concatenate((item, last_values_chains[i][None]*(1.0-float(combined_token_trajectory_chains[i].done))), axis=0) + for i, item in enumerate(values_chains) + ] + + log_ratio = [ + (policy_logprob - initial_policy_logprob) * chain.should_take_action.astype(np.float32) + for initial_policy_logprob, policy_logprob, chain in zip(initial_policy_logprobs_chains, policy_logprobs_chains, combined_token_trajectory_chains) + ] + + valid_log_ratio_idxs = np.argwhere(np.concatenate(list(map(lambda chain: chain.should_take_action.astype(np.float32).reshape(-1), combined_token_trajectory_chains)), axis=0))[:, 0] + all_log_ratio = np.concatenate(list(map(lambda x: x.reshape(-1), log_ratio)), axis=0)[valid_log_ratio_idxs] + all_kls = np.exp(all_log_ratio) - 1 - all_log_ratio + # add kl penalty to reward + for i in range(n_chains): + combined_token_trajectory_chains[i] = combined_token_trajectory_chains[i]._replace( + rewards=combined_token_trajectory_chains[i].rewards - kl_weight * log_ratio[i], + ) + + all_advantages, all_returns = [], [] + for i in range(n_chains): + action_idxs, state_idxs, next_state_idxs = get_action_state_next_state_idxs( + combined_token_trajectory_chains[i].should_take_action, + ) + + state_values = values_chains[i][state_idxs] + next_state_values = values_chains[i][next_state_idxs] + action_rewards = combined_token_trajectory_chains[i].rewards[action_idxs] + + advantages, returns = get_advantages_and_returns( + state_values=state_values[None], + next_state_values=next_state_values[None], + action_rewards=action_rewards[None], + gamma=gamma, + lam=lam, + use_whitening=False, + ) + + all_advantages.append(advantages[0]) + all_returns.append(returns[0]) + + # do advantage whitening over the full batch + if use_advantage_whitening: + whitened_advantages = whiten(np.concatenate(all_advantages, axis=0), shift_mean=True) + curr_pos = 0 + for i in range(n_chains): + curr_len = all_advantages[i].shape[0] + all_advantages[i] = whitened_advantages[curr_pos:(curr_pos+curr_len)] + curr_pos += curr_len + + advantage_chains, return_chains = [], [] + for i in range(n_chains): + action_idxs, state_idxs, next_state_idxs = get_action_state_next_state_idxs( + combined_token_trajectory_chains[i].should_take_action, + ) + + all_advantages.append(advantages[0]) + all_returns.append(returns[0]) + + # do advantage whitening over the full batch + if use_new_advantage_whitening: + whitened_advantages = whiten(np.concatenate(all_advantages, axis=0), shift_mean=True) + curr_pos = 0 + for i in range(n_chains): + curr_len = all_advantages[i].shape[0] + all_advantages[i] = whitened_advantages[curr_pos:(curr_pos+curr_len)] + curr_pos += curr_len + + advantage_chains, return_chains = [], [] + for i in range(n_chains): + action_idxs, state_idxs, next_state_idxs = get_action_state_next_state_idxs( + combined_token_trajectory_chains[i].should_take_action, + ) + + advantage_chain = np.zeros((values_chains[i].shape[0]-1,), dtype=np.float32) + advantage_chain[action_idxs] = all_advantages[i] + + return_chain = np.zeros((values_chains[i].shape[0]-1,), dtype=np.float32) + return_chain[action_idxs] = all_returns[i] + + advantage_chains.append(advantage_chain) + return_chains.append(return_chain) + + ppo_datas = [] + for i in range(n_chains): + input_ids_chunks = list(map(lambda x: x.tokens[:max_length], token_trajectory_chains[i].to_list())) # trunc to max_length + should_take_action_chunks = combined_token_trajectory_chains[i].unroll_arr(combined_token_trajectory_chains[i].should_take_action) + old_logprobs_chunks = combined_token_trajectory_chains[i].unroll_arr(policy_logprobs_chains[i]) + old_values = combined_token_trajectory_chains[i].unroll_arr(values_chains[i][:-1]) + old_advantages = combined_token_trajectory_chains[i].unroll_arr(advantage_chains[i]) + old_returns = combined_token_trajectory_chains[i].unroll_arr(return_chains[i]) + + for chunk_idx in range(len(combined_token_trajectory_chains[i].chunk_lens)): + ppo_datas.append(PPOData( + input_ids=input_ids_chunks[chunk_idx], + should_take_action=should_take_action_chunks[chunk_idx], + old_logprobs=old_logprobs_chunks[chunk_idx], + old_values=old_values[chunk_idx], + old_advantages=old_advantages[chunk_idx], + old_returns=old_returns[chunk_idx], + )) + + return ppo_datas, all_kls + + def get_ppo_data_from_text_trajectory_chain( + self, + text_trajectory_chains: List[TokenTrajectoryChain], + bsize: int, + max_length: Optional[int]=None, + train: bool=False, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + token_process: Optional[Callable[[List[int]], List[int]]]=None, + verbose: bool=True, + *, + gamma: Union[float, jax.Array], + lam: Union[float, jax.Array], + kl_weight: Union[float, jax.Array], + use_advantage_whitening: bool=True, + use_new_advantage_whitening: bool=False, + ) -> Tuple[List[PPOData], np.ndarray]: + + token_trajectory_chains = [ + TokenTrajectoryChain.from_text_trajectory_chain( + item, + self.tokenizer, + token_process=token_process, + ) for item in text_trajectory_chains + ] + + return self.get_ppo_data_from_token_trajectory_chain( + token_trajectory_chains=token_trajectory_chains, + bsize=bsize, + max_length=max_length, + train=train, + prng_key=prng_key, + verbose=verbose, + gamma=gamma, + lam=lam, + kl_weight=kl_weight, + use_advantage_whitening=use_advantage_whitening, + use_new_advantage_whitening=use_new_advantage_whitening, + ) + + def get_ppo_data_from_text_trajectory_chain_iterble( + self, + text_trajectory_chains: List[TokenTrajectoryChain], + bsize: int, + max_length: Optional[int]=None, + train: bool=False, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + token_process: Optional[Callable[[List[int]], List[int]]]=None, + verbose: bool=True, + *, + gamma: Union[float, jax.Array], + lam: Union[float, jax.Array], + kl_weight: Union[float, jax.Array], + use_advantage_whitening: bool=True, + ) -> Tuple[List[PPOData], np.ndarray]: + + token_trajectory_chains = [ + TokenTrajectoryChain.from_text_trajectory_chain( + item, + self.tokenizer, + token_process=token_process, + ) for item in text_trajectory_chains + ] + + return self.get_ppo_data_from_token_trajectory_chain( + token_trajectory_chains=token_trajectory_chains, + bsize=bsize, + max_length=max_length, + train=train, + prng_key=prng_key, + verbose=verbose, + gamma=gamma, + lam=lam, + kl_weight=kl_weight, + use_advantage_whitening=use_advantage_whitening, + ) + + def eval_loss( + self, + input_ids: jax.Array, + should_take_action: jax.Array, + old_logprobs: jax.Array, + old_values: jax.Array, + old_advantages: jax.Array, + old_returns: jax.Array, + attention_mask: Optional[jax.Array]=None, + position_ids: Optional[jax.Array]=None, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + bc_data_input_ids: Optional[jax.Array]=None, + bc_data_input_attention_mask: Optional[jax.Array]=None, + bc_data_input_position_ids: Optional[jax.Array]=None, + bc_data_input_training_mask: Optional[jax.Array]=None, + train: bool=False, + ) -> Tuple[jax.Array, PyTree]: + + # handle attention mask and position ids shifting + attention_mask, position_ids = initialize_attn_mask_pos_ids( + input_ids, + self.tokenizer.pad_token_id, + attention_mask, + position_ids, + ) + + if bc_data_input_ids is not None: + bc_data_input_attention_mask, bc_data_input_position_ids = initialize_attn_mask_pos_ids( + bc_data_input_ids, + self.tokenizer.pad_token_id, + bc_data_input_attention_mask, + bc_data_input_position_ids, + ) + assert bc_data_input_training_mask is not None + + return self._eval_loss( + self.policy_params, + self.value_head_params, + input_ids, + attention_mask, + position_ids, + should_take_action, + old_logprobs, + old_values, + old_advantages, + old_returns, + prng_key, + bc_data_input_ids, + bc_data_input_attention_mask, + bc_data_input_position_ids, + bc_data_input_training_mask, + train, + ) + + # def eval_loss_from_ppo_data( + # self, + # ppo_data: List[PPOData], + # blocking_strategy: BlockingStrategy=BlockingStrategy(padding=Padding.RIGHT, truncation=Truncation.RIGHT, max_length=None), + # prng_key: Optional[jax.random.PRNGKeyArray]=None, + # train: bool=False, + # ) -> Tuple[jax.Array, PyTree]: + + # ppo_data_batch_dict = PPOData.block( + # ppo_data, + # blocking_strategy, + # self.tokenizer, + # ) + + # return self.eval_loss( + # **ppo_data_batch_dict, + # prng_key=prng_key, + # train=train, + # ) + +class PPOPolicy(BatchedTextPolicy): + def set_params(self, policy_params: PyTree) -> None: + raise NotImplementedError diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/data.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/data.py new file mode 100755 index 00000000..eb6e04d4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/data.py @@ -0,0 +1,154 @@ +from __future__ import annotations +from typing import Dict, Iterable, List, Iterator, NamedTuple +from JaxSeq.utils import Dataset, IterableDataset, block_sequences, BlockingStrategy +import numpy as np +import jax.numpy as jnp +import jax +from transformers.tokenization_utils import PreTrainedTokenizerBase + +class PPOData(NamedTuple): + input_ids: np.ndarray # [t] + should_take_action: np.ndarray # [t-1] + old_logprobs: np.ndarray # [t-1] + old_values: np.ndarray # [t-1] + old_advantages: np.ndarray # [t-1] + old_returns: np.ndarray # [t-1] + + @staticmethod + def block( + data: List[PPOData], + blocking_strategy: BlockingStrategy, + tokenizer: PreTrainedTokenizerBase, + ) -> Dict[str, np.ndarray]: + return dict( + input_ids=block_sequences( + list(map(lambda x: x.input_ids, data)), + tokenizer.pad_token_id, + dtype=np.int32, + blocking_strategy=blocking_strategy, + ), + should_take_action=block_sequences( + list(map(lambda x: x.should_take_action, data)), + False, + dtype=np.bool_, + blocking_strategy=blocking_strategy._replace(max_length=blocking_strategy.max_length-1), + ), + old_logprobs=block_sequences( + list(map(lambda x: x.old_logprobs, data)), + 0.0, + dtype=np.float32, + blocking_strategy=blocking_strategy._replace(max_length=blocking_strategy.max_length-1), + ), + old_values=block_sequences( + list(map(lambda x: x.old_values, data)), + 0.0, + dtype=np.float32, + blocking_strategy=blocking_strategy._replace(max_length=blocking_strategy.max_length-1), + ), + old_advantages=block_sequences( + list(map(lambda x: x.old_advantages, data)), + 0.0, + dtype=np.float32, + blocking_strategy=blocking_strategy._replace(max_length=blocking_strategy.max_length-1), + ), + old_returns=block_sequences( + list(map(lambda x: x.old_returns, data)), + 0.0, + dtype=np.float32, + blocking_strategy=blocking_strategy._replace(max_length=blocking_strategy.max_length-1), + ), + ) + +class PPODataset(Dataset): + def __init__( + self, + input_ids: np.ndarray, # [b, t] + should_take_action: np.ndarray, # [b, t-1] + old_logprobs: np.ndarray, # [b, t-1] + old_values: np.ndarray, # [b, t-1] + old_advantages: np.ndarray, # [b, t-1] + old_returns: np.ndarray, # [b, t-1] + ): + assert input_ids.shape[1] == (should_take_action.shape[1]+1) + assert input_ids.shape[1] == (old_logprobs.shape[1]+1) + assert input_ids.shape[1] == (old_values.shape[1]+1) + assert input_ids.shape[1] == (old_advantages.shape[1]+1) + assert input_ids.shape[1] == (old_returns.shape[1]+1) + + assert input_ids.shape[0] == should_take_action.shape[0] + assert input_ids.shape[0] == old_logprobs.shape[0] + assert input_ids.shape[0] == old_values.shape[0] + assert input_ids.shape[0] == old_advantages.shape[0] + assert input_ids.shape[0] == old_returns.shape[0] + + self.input_ids = input_ids + self.should_take_action = should_take_action + self.old_logprobs = old_logprobs + self.old_values = old_values + self.old_advantages = old_advantages + self.old_returns = old_returns + + def __getitem__(self, index): + return { + 'input_ids': jnp.asarray(self.input_ids[index], dtype=jnp.int32), + 'should_take_action': jnp.asarray(self.should_take_action[index], dtype=jnp.bool_), + 'old_logprobs': jnp.asarray(self.old_logprobs[index], dtype=jnp.float32), + 'old_values': jnp.asarray(self.old_values[index], dtype=jnp.float32), + 'old_advantages': jnp.asarray(self.old_advantages[index], dtype=jnp.float32), + 'old_returns': jnp.asarray(self.old_returns[index], dtype=jnp.float32), + } + + def __len__(self): + return self.input_ids.shape[0] + + @classmethod + def from_ppo_data_list( + cls, + ppo_data_list: List[PPOData], + tokenizer: PreTrainedTokenizerBase, + blocking_strategy: BlockingStrategy, + ) -> PPODataset: + + data = PPOData.block(ppo_data_list, blocking_strategy, tokenizer) + + return cls(**data) + +class _PPOIteratorDataset: + def __init__(self, ppo_data: Iterator[Dict[str, np.ndarray]]): + self.ppo_data = ppo_data + + def __next__(self): + item = next(self.ppo_data) + return { + 'input_ids': jnp.asarray(item['input_ids'], dtype=jnp.int32), + 'should_take_action': jnp.asarray(item['should_take_action'], dtype=jnp.bool_), + 'old_logprobs': jnp.asarray(item['old_logprobs'], dtype=jnp.float32), + 'old_values': jnp.asarray(item['old_values'], dtype=jnp.float32), + 'old_advantages': jnp.asarray(item['old_advantages'], dtype=jnp.float32), + 'old_returns': jnp.asarray(item['old_returns'], dtype=jnp.float32), + } + +class PPOIterableDataset(IterableDataset): + def __init__(self, ppo_data: Iterable[Dict[str, np.ndarray]]): + self.ppo_data = ppo_data + + def __iter__(self): + return _PPOIteratorDataset(iter(self.ppo_data)) + + @classmethod + def from_ppo_data_iterable( + cls, + ppo_data: Iterable[PPOData], + tokenizer: PreTrainedTokenizerBase, + blocking_strategy: BlockingStrategy, + ) -> PPOIterableDataset: + + class _TokensIterable(Iterable): + def _tokens_generator(self): + for item in ppo_data: + yield jax.tree_util.tree_map(lambda x: x[0], PPOData.block([item], blocking_strategy, tokenizer)) + + def __iter__(self): + return self._tokens_generator() + + return cls(_TokensIterable()) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/gpt2/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/gpt2/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/gpt2/interface.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/gpt2/interface.py new file mode 100755 index 00000000..04752537 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/gpt2/interface.py @@ -0,0 +1,549 @@ +from __future__ import annotations +import jax +from jax.sharding import PartitionSpec as PS +from jaxtyping import PyTree +from functools import partial +from typing import List, Optional, Tuple, Callable, NamedTuple +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.tokenization_utils import PreTrainedTokenizerBase +from JaxSeq.utils import with_named_sharding_constraint, match_partition_rules +from optax import softmax_cross_entropy_with_integer_labels +from flax.training.train_state import TrainState +from transformers.modeling_flax_outputs import FlaxCausalLMOutputWithCrossAttentions +import flax.linen as nn +from LLM_RL.algorithms.ppo.base_interface import PPOTrain, PPOInference +from jax.sharding import NamedSharding +from LLM_RL.environment import TextHistory, text_history_to_str, Text +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +from transformers.generation import GenerationConfig +from JaxSeq.models.gpt2.interface import GPT2Inference +import jax.numpy as jnp +from LLM_RL.algorithms.ppo.base_interface import PPOPolicy +from jax.experimental.pjit import pjit +from JaxSeq.utils import strip_prompt_from_completion + +class GPT2PPOTrain(PPOTrain): + @classmethod + def load_train( + cls, + policy_train_state: TrainState, + value_head_train_state: TrainState, + policy_model: FlaxPreTrainedModel, + value_head_model: nn.Module, + tokenizer: PreTrainedTokenizerBase, + loss_fn: Callable, + bc_loss_fn: Optional[Callable]=None, + bc_loss_weight: float=0.0, + ) -> GPT2PPOTrain: + mesh = policy_model.config.mesh + assert mesh is not None + assert mesh == value_head_model.config.mesh + policy_train_state_partition_spec = match_partition_rules(policy_model.config.get_partition_rules(), policy_train_state) + value_head_train_state_partition_spec = match_partition_rules(value_head_model.config.get_partition_rules(), value_head_train_state) + + @partial( + pjit, + donate_argnums=(0, 1), + static_argnames=('train',), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), policy_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), value_head_train_state_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), policy_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), value_head_train_state_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + ) + def _step( + policy_train_state: TrainState, + value_head_train_state: TrainState, + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + should_take_action: jax.Array, + old_logprobs: jax.Array, + old_values: jax.Array, + old_advantages: jax.Array, + old_returns: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray], + bc_data_input_ids: Optional[jax.Array], + bc_data_input_attention_mask: Optional[jax.Array], + bc_data_input_position_ids: Optional[jax.Array], + bc_data_input_training_mask: Optional[jax.Array], + train: bool=True, + ) -> Tuple[TrainState, TrainState, jax.Array, PyTree]: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(('dp', 'fsdp'), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(('dp', 'fsdp'), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(('dp', 'fsdp'), None)) + should_take_action = with_named_sharding_constraint(should_take_action, mesh, PS(('dp', 'fsdp'), None)) + old_logprobs = with_named_sharding_constraint(old_logprobs, mesh, PS(('dp', 'fsdp'), None)) + old_values = with_named_sharding_constraint(old_values, mesh, PS(('dp', 'fsdp'), None)) + old_advantages = with_named_sharding_constraint(old_advantages, mesh, PS(('dp', 'fsdp'), None)) + old_returns = with_named_sharding_constraint(old_returns, mesh, PS(('dp', 'fsdp'), None)) + if bc_loss_fn is not None: + bc_data_input_ids = with_named_sharding_constraint(bc_data_input_ids, mesh, PS(('dp', 'fsdp'), None)) + bc_data_input_attention_mask = with_named_sharding_constraint(bc_data_input_attention_mask, mesh, PS(('dp', 'fsdp'), None)) + bc_data_input_position_ids = with_named_sharding_constraint(bc_data_input_position_ids, mesh, PS(('dp', 'fsdp'), None)) + bc_data_input_training_mask = with_named_sharding_constraint(bc_data_input_training_mask, mesh, PS(('dp', 'fsdp'), None)) + + # define loss function + def grad_loss(policy_params: PyTree, value_head_params: PyTree, prng_key: Optional[jax.random.PRNGKeyArray]): + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + model_output = policy_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=policy_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + values = value_head_model.apply( + {'params': value_head_params}, + model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if new_key is not None else None, + )[:, :-1] + values = jnp.squeeze(values, axis=-1) + + logits = model_output.logits.astype(jnp.float32) + logprobs = -softmax_cross_entropy_with_integer_labels(logits[:, :-1], input_ids[:, 1:]) + + loss, info = loss_fn( + attention_mask[:, 1:], + logprobs, + values, + should_take_action, + old_logprobs, + old_values, + old_advantages, + old_returns, + ) + return loss, info + + # define bc loss function + def grad_bc_loss(policy_params: PyTree, prng_key: Optional[jax.random.PRNGKeyArray]): + loss, info = bc_loss_fn( + policy_model, + policy_params, + bc_data_input_ids, + bc_data_input_attention_mask, + bc_data_input_position_ids, + bc_data_input_training_mask, + prng_key, + train, + ) + return loss, info + + # take loss + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + (loss, info), (policy_grads, value_head_grads) = jax.value_and_grad(grad_loss, has_aux=True, argnums=(0, 1))( + policy_train_state.params, + value_head_train_state.params, + new_key, + ) + + # assert shard gradients + policy_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + policy_grads, + policy_train_state_partition_spec.params, + ) + value_head_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + value_head_grads, + value_head_train_state_partition_spec.params, + ) + + if bc_loss_fn is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + (bc_loss, bc_info), bc_grads = jax.value_and_grad(grad_bc_loss, has_aux=True, argnums=0)( + policy_train_state.params, + new_key, + ) + + info = {'ppo': info, 'bc': bc_info, 'total_loss': loss + bc_loss * bc_loss_weight} + loss = loss + bc_loss * bc_loss_weight + + bc_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + bc_grads, + policy_train_state_partition_spec.params, + ) + + policy_grads = jax.tree_util.tree_map( + lambda x, y: x + y * bc_loss_weight, + policy_grads, + bc_grads, + ) + + # update params and optim state + policy_train_state = policy_train_state.apply_gradients(grads=policy_grads) + value_head_train_state = value_head_train_state.apply_gradients(grads=value_head_grads) + + return policy_train_state, value_head_train_state, loss, info + + return cls( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + policy_model=policy_model, + value_head_model=value_head_model, + tokenizer=tokenizer, + _step=_step, + ) + +class PPOForwardOutputGPT2(NamedTuple): + initial_policy_raw_output: FlaxCausalLMOutputWithCrossAttentions + policy_raw_output: FlaxCausalLMOutputWithCrossAttentions + values: jax.Array + +class GPT2PPOInference(PPOInference): + @classmethod + def load_inference( + cls, + initial_policy_params: Optional[PyTree], + policy_params: PyTree, + value_head_params: PyTree, + initial_policy_model: Optional[FlaxPreTrainedModel], + policy_model: FlaxPreTrainedModel, + value_head_model: nn.Module, + tokenizer: PreTrainedTokenizerBase, + loss_fn: Optional[Callable], + dp_shard_logits: bool=True, + bc_loss_fn: Optional[Callable]=None, + bc_loss_weight: float=0.0, + ) -> GPT2PPOInference: + mesh = policy_model.config.mesh + assert mesh is not None + assert mesh == value_head_model.config.mesh + assert (initial_policy_params is None and initial_policy_model) is None or (initial_policy_params is not None and initial_policy_model is not None) + has_initial_policy = initial_policy_params is not None + initial_policy_params_partition_spec = None + if has_initial_policy: + initial_policy_params_partition_spec = match_partition_rules(initial_policy_model.config.get_partition_rules(), initial_policy_params) + policy_params_partition_spec = match_partition_rules(policy_model.config.get_partition_rules(), policy_params) + value_head_params_partition_spec = match_partition_rules(value_head_model.config.get_partition_rules(), value_head_params) + + @partial( + pjit, + static_argnames=('initial_policy_output_attentions', 'initial_policy_output_hidden_states', 'policy_output_attentions', 'train'), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), initial_policy_params_partition_spec) if has_initial_policy else NamedSharding(mesh, PS()), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), policy_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), value_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=PPOForwardOutputGPT2( + initial_policy_raw_output=FlaxCausalLMOutputWithCrossAttentions( + logits=NamedSharding(mesh, PS(("dp", "fsdp"), None, None)) if dp_shard_logits else NamedSharding(mesh, PS()), + past_key_values=NamedSharding(mesh, PS()), # assume no sharding for past key values + hidden_states=NamedSharding(mesh, PS()), # assume no sharding for hidden states + attentions=NamedSharding(mesh, PS()), # assume no sharding for attentions + cross_attentions=NamedSharding(mesh, PS()), # assume no sharding for cross attentions + ) if has_initial_policy else NamedSharding(mesh, PS()), + policy_raw_output=FlaxCausalLMOutputWithCrossAttentions( + logits=NamedSharding(mesh, PS(("dp", "fsdp"), None, None)) if dp_shard_logits else NamedSharding(mesh, PS()), + past_key_values=NamedSharding(mesh, PS()), # assume no sharding for past key values + hidden_states=NamedSharding(mesh, PS()), # assume no sharding for hidden states + attentions=NamedSharding(mesh, PS()), # assume no sharding for attentions + cross_attentions=NamedSharding(mesh, PS()), # assume no sharding for cross attentions + ), + values=NamedSharding(mesh, PS()), + ), + ) + def _forward( + initial_policy_params: Optional[PyTree], + policy_params: PyTree, + value_head_params: PyTree, + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + initial_policy_output_attentions: Optional[bool]=None, + initial_policy_output_hidden_states: Optional[bool]=None, + policy_output_attentions: Optional[bool]=None, # no policy_output_hidden_states option because this is required + train: bool=False, + ) -> PPOForwardOutputGPT2: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(("dp", "fsdp"), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(("dp", "fsdp"), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(("dp", "fsdp"), None)) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + initial_model_output = None + if has_initial_policy: + initial_model_output = initial_policy_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=initial_policy_params, + dropout_rng=new_key, + train=train, + output_hidden_states=initial_policy_output_hidden_states, + output_attentions=initial_policy_output_attentions, + ) + # trunc padded logits + initial_model_output = initial_model_output.replace(logits=initial_model_output.logits.at[:, :, initial_policy_model.config.unpadded_vocab_size:].set(-float('inf'))) + model_output = policy_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=policy_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + output_attentions=policy_output_attentions, + ) + # trunc padded logits + model_output = model_output.replace(logits=model_output.logits.at[:, :, policy_model.config.unpadded_vocab_size:].set(-float('inf'))) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + values = value_head_model.apply( + {'params': value_head_params}, + model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if new_key is not None else None, + ) + values = jnp.squeeze(values, axis=-1) + + # assert sharding on outputs + if dp_shard_logits: + if has_initial_policy: + initial_model_output = initial_model_output.replace(logits=with_named_sharding_constraint(initial_model_output.logits, mesh, PS(("dp", "fsdp"), None, None))) + model_output = model_output.replace(logits=with_named_sharding_constraint(model_output.logits, mesh, PS(("dp", "fsdp"), None, None))) + return PPOForwardOutputGPT2( + initial_policy_raw_output=initial_model_output, + policy_raw_output=model_output, + values=values, + ) + + @partial( + pjit, + static_argnames=('train',), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), policy_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), value_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=( + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + ) + def _eval_loss( + policy_params: PyTree, + value_head_params: PyTree, + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + should_take_action: jax.Array, + old_logprobs: jax.Array, + old_values: jax.Array, + old_advantages: jax.Array, + old_returns: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray], + bc_data_input_ids: Optional[jax.Array], + bc_data_input_attention_mask: Optional[jax.Array], + bc_data_input_position_ids: Optional[jax.Array], + bc_data_input_training_mask: Optional[jax.Array], + train: bool=False, + ) -> Tuple[jax.Array, PyTree]: + assert loss_fn is not None, "loss_fn must be set to use eval_loss" + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(("dp", "fsdp"), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(("dp", "fsdp"), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(("dp", "fsdp"), None)) + should_take_action = with_named_sharding_constraint(should_take_action, mesh, PS(("dp", "fsdp"), None)) + old_logprobs = with_named_sharding_constraint(old_logprobs, mesh, PS(("dp", "fsdp"), None)) + old_values = with_named_sharding_constraint(old_values, mesh, PS(("dp", "fsdp"), None)) + old_advantages = with_named_sharding_constraint(old_advantages, mesh, PS(("dp", "fsdp"), None)) + old_returns = with_named_sharding_constraint(old_returns, mesh, PS(("dp", "fsdp"), None)) + if bc_data_input_ids is not None: + bc_data_input_ids = with_named_sharding_constraint(bc_data_input_ids, mesh, PS(("dp", "fsdp"), None)) + bc_data_input_attention_mask = with_named_sharding_constraint(bc_data_input_attention_mask, mesh, PS(("dp", "fsdp"), None)) + bc_data_input_position_ids = with_named_sharding_constraint(bc_data_input_position_ids, mesh, PS(("dp", "fsdp"), None)) + bc_data_input_training_mask = with_named_sharding_constraint(bc_data_input_training_mask, mesh, PS(("dp", "fsdp"), None)) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + model_output = policy_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=policy_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + values = value_head_model.apply( + {'params': value_head_params}, + model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if new_key is not None else None, + )[:, :-1] + values = jnp.squeeze(values, axis=-1) + + logits = model_output.logits.astype(jnp.float32) + logprobs = -softmax_cross_entropy_with_integer_labels(logits[:, :-1], input_ids[:, 1:]) + + loss, info = loss_fn( + attention_mask, + logprobs, + values, + should_take_action, + old_logprobs, + old_values, + old_advantages, + old_returns, + ) + + if bc_loss_fn is not None: + bc_loss, bc_info = bc_loss_fn( + policy_model, + policy_params, + bc_data_input_ids, + bc_data_input_attention_mask, + bc_data_input_position_ids, + bc_data_input_training_mask, + prng_key, + train, + ) + + info = {'ppo': info, 'bc': bc_info, 'total_loss': loss + bc_loss * bc_loss_weight} + loss = loss + bc_loss * bc_loss_weight + + return loss, info + + return cls( + initial_policy_params=initial_policy_params, + policy_params=policy_params, + value_head_params=value_head_params, + initial_policy_model=initial_policy_model, + policy_model=policy_model, + value_head_model=value_head_model, + tokenizer=tokenizer, + _forward=_forward, + _eval_loss=_eval_loss, + ) + +class GPT2PPOPolicy(PPOPolicy): + def __init__( + self, + inference: GPT2Inference, + prng_key: Optional[jax.random.KeyArray], + generation_config: Optional[GenerationConfig]=None, + blocking_strategy: BlockingStrategy=BlockingStrategy(padding=Padding.LEFT, truncation=Truncation.LEFT, max_length=None), + in_str_process: Optional[Callable[[str], str]]=None, + out_str_process: Optional[Callable[[str], str]]=None, + input_token_process: Optional[Callable[[List[int]], List[int]]]=None, + target_token_process: Optional[Callable[[List[int]], List[int]]]=None, + trace: bool=True, + ): + self.inference = inference + self.prng_key = prng_key + self.generation_config = generation_config + self.blocking_strategy = blocking_strategy + self.in_str_process = in_str_process + self.out_str_process = out_str_process + self.input_token_process = input_token_process + self.target_token_process = target_token_process + if self.in_str_process is None: + self.in_str_process = lambda x: x + if self.out_str_process is None: + self.out_str_process = lambda x: x + self.trace = trace + + def act(self, text_history: List[Optional[TextHistory]], done: Optional[List[bool]]=None) -> List[Optional[TextHistory]]: + if done is None: + done = [False]*len(text_history) + # force eos_token for done sequences + eos_token = self.inference.tokenizer.eos_token + if self.generation_config is not None and self.generation_config.eos_token_id is not None: + eos_token = self.inference.tokenizer.decode(self.generation_config.eos_token_id) + if eos_token is None: + eos_token = self.inference.tokenizer.pad_token + if eos_token is None: + eos_token = '' + + raw_input_strs = [ + eos_token if d else self.in_str_process(text_history_to_str(item)) \ + for item, d in zip(text_history, done) + ] + + new_key = None + if self.prng_key is not None: + self.prng_key, new_key = jax.random.split(self.prng_key) + model_outputs = self.inference.generate_from_str( + input_strs=raw_input_strs, + prng_key=new_key, + blocking_strategy=self.blocking_strategy, + generation_config=self.generation_config, + input_token_process=self.input_token_process, + target_token_process=self.target_token_process, + trace=self.trace, + ) + + raw_output_strs = model_outputs.output_strs + output_strs = [ + "" if d else self.out_str_process(strip_prompt_from_completion(raw_input_str, raw_output_str)) \ + for raw_input_str, raw_output_str, d in zip(raw_input_strs, raw_output_strs, done) + ] + + return [ + None if d else text_history_item+(Text(output_str, True),) \ + for text_history_item, output_str, d in zip(text_history, output_strs, done) + ] + + def set_params(self, policy_params: PyTree) -> None: + self.inference = self.inference.replace(params=policy_params) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/gptj/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/gptj/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/gptj/interface.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/gptj/interface.py new file mode 100755 index 00000000..26796eab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/gptj/interface.py @@ -0,0 +1,540 @@ +from __future__ import annotations +import jax +from jax.sharding import PartitionSpec as PS +from jaxtyping import PyTree +from functools import partial +from typing import List, Optional, Tuple, Callable +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.tokenization_utils import PreTrainedTokenizerBase +from JaxSeq.utils import with_named_sharding_constraint, match_partition_rules +from optax import softmax_cross_entropy_with_integer_labels +from flax.training.train_state import TrainState +from transformers.modeling_flax_outputs import FlaxCausalLMOutput +import flax.linen as nn +from LLM_RL.algorithms.ppo.base_interface import PPOTrain, PPOInference, PPOForwardOutput +from jax.sharding import NamedSharding +from LLM_RL.environment import TextHistory, text_history_to_str, Text +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +from transformers.generation import GenerationConfig +from JaxSeq.models.gptj.interface import GPTJInference +import jax.numpy as jnp +from LLM_RL.algorithms.ppo.base_interface import PPOPolicy +from jax.experimental.pjit import pjit +from JaxSeq.utils import strip_prompt_from_completion + +class GPTJPPOTrain(PPOTrain): + @classmethod + def load_train( + cls, + policy_train_state: TrainState, + value_head_train_state: TrainState, + policy_model: FlaxPreTrainedModel, + value_head_model: nn.Module, + tokenizer: PreTrainedTokenizerBase, + loss_fn: Callable, + bc_loss_fn: Optional[Callable]=None, + bc_loss_weight: float=0.0, + ) -> GPTJPPOTrain: + mesh = policy_model.config.mesh + assert mesh is not None + assert mesh == value_head_model.config.mesh + policy_train_state_partition_spec = match_partition_rules(policy_model.config.get_partition_rules(), policy_train_state) + value_head_train_state_partition_spec = match_partition_rules(value_head_model.config.get_partition_rules(), value_head_train_state) + + @partial( + pjit, + donate_argnums=(0, 1), + static_argnames=('train',), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), policy_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), value_head_train_state_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), policy_train_state_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), value_head_train_state_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + ) + def _step( + policy_train_state: TrainState, + value_head_train_state: TrainState, + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + should_take_action: jax.Array, + old_logprobs: jax.Array, + old_values: jax.Array, + old_advantages: jax.Array, + old_returns: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray], + bc_data_input_ids: Optional[jax.Array], + bc_data_input_attention_mask: Optional[jax.Array], + bc_data_input_position_ids: Optional[jax.Array], + bc_data_input_training_mask: Optional[jax.Array], + train: bool=True, + ) -> Tuple[TrainState, TrainState, jax.Array, PyTree]: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(('dp', 'fsdp'), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(('dp', 'fsdp'), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(('dp', 'fsdp'), None)) + should_take_action = with_named_sharding_constraint(should_take_action, mesh, PS(('dp', 'fsdp'), None)) + old_logprobs = with_named_sharding_constraint(old_logprobs, mesh, PS(('dp', 'fsdp'), None)) + old_values = with_named_sharding_constraint(old_values, mesh, PS(('dp', 'fsdp'), None)) + old_advantages = with_named_sharding_constraint(old_advantages, mesh, PS(('dp', 'fsdp'), None)) + old_returns = with_named_sharding_constraint(old_returns, mesh, PS(('dp', 'fsdp'), None)) + if bc_loss_fn is not None: + bc_data_input_ids = with_named_sharding_constraint(bc_data_input_ids, mesh, PS(('dp', 'fsdp'), None)) + bc_data_input_attention_mask = with_named_sharding_constraint(bc_data_input_attention_mask, mesh, PS(('dp', 'fsdp'), None)) + bc_data_input_position_ids = with_named_sharding_constraint(bc_data_input_position_ids, mesh, PS(('dp', 'fsdp'), None)) + bc_data_input_training_mask = with_named_sharding_constraint(bc_data_input_training_mask, mesh, PS(('dp', 'fsdp'), None)) + + # define loss function + def grad_loss(policy_params: PyTree, value_head_params: PyTree, prng_key: jax.random.PRNGKeyArray): + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + model_output = policy_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=policy_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + values = value_head_model.apply( + {'params': value_head_params}, + model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if new_key is not None else None, + )[:, :-1] + values = jnp.squeeze(values, axis=-1) + + logits = model_output.logits.astype(jnp.float32) + logprobs = -softmax_cross_entropy_with_integer_labels(logits[:, :-1], input_ids[:, 1:]) + + loss, info = loss_fn( + attention_mask[:, 1:], + logprobs, + values, + should_take_action, + old_logprobs, + old_values, + old_advantages, + old_returns, + ) + return loss, info + + # define bc loss function + def grad_bc_loss(policy_params: PyTree, prng_key: Optional[jax.random.PRNGKeyArray]): + loss, info = bc_loss_fn( + policy_model, + policy_params, + bc_data_input_ids, + bc_data_input_attention_mask, + bc_data_input_position_ids, + bc_data_input_training_mask, + prng_key, + train, + ) + return loss, info + + # take loss + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + (loss, info), (policy_grads, value_head_grads) = jax.value_and_grad(grad_loss, has_aux=True, argnums=(0, 1))( + policy_train_state.params, + value_head_train_state.params, + prng_key, + ) + + # assert shard gradients + policy_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + policy_grads, + policy_train_state_partition_spec.params, + ) + value_head_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + value_head_grads, + value_head_train_state_partition_spec.params, + ) + + if bc_loss_fn is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + (bc_loss, bc_info), bc_grads = jax.value_and_grad(grad_bc_loss, has_aux=True, argnums=0)( + policy_train_state.params, + new_key, + ) + + info = {'ppo': info, 'bc': bc_info, 'total_loss': loss + bc_loss * bc_loss_weight} + loss = loss + bc_loss * bc_loss_weight + + bc_grads = jax.tree_util.tree_map( + lambda x, ps: with_named_sharding_constraint(x, mesh, ps), + bc_grads, + policy_train_state_partition_spec.params, + ) + + policy_grads = jax.tree_util.tree_map( + lambda x, y: x + y * bc_loss_weight, + policy_grads, + bc_grads, + ) + + # update params and optim state + policy_train_state = policy_train_state.apply_gradients(grads=policy_grads) + value_head_train_state = value_head_train_state.apply_gradients(grads=value_head_grads) + + return policy_train_state, value_head_train_state, loss, info + + return cls( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + policy_model=policy_model, + value_head_model=value_head_model, + tokenizer=tokenizer, + _step=_step, + ) + +class GPTJPPOInference(PPOInference): + @classmethod + def load_inference( + cls, + initial_policy_params: Optional[PyTree], + policy_params: PyTree, + value_head_params: PyTree, + initial_policy_model: Optional[FlaxPreTrainedModel], + policy_model: FlaxPreTrainedModel, + value_head_model: nn.Module, + tokenizer: PreTrainedTokenizerBase, + loss_fn: Optional[Callable], + dp_shard_logits: bool=True, + bc_loss_fn: Optional[Callable]=None, + bc_loss_weight: float=0.0, + ) -> GPTJPPOInference: + mesh = policy_model.config.mesh + assert mesh is not None + assert mesh == value_head_model.config.mesh + assert (initial_policy_params is None and initial_policy_model) is None or (initial_policy_params is not None and initial_policy_model is not None) + has_initial_policy = initial_policy_params is not None + initial_policy_params_partition_spec = None + if has_initial_policy: + initial_policy_params_partition_spec = match_partition_rules(initial_policy_model.config.get_partition_rules(), initial_policy_params) + policy_params_partition_spec = match_partition_rules(policy_model.config.get_partition_rules(), policy_params) + value_head_params_partition_spec = match_partition_rules(value_head_model.config.get_partition_rules(), value_head_params) + + @partial( + pjit, + static_argnames=('initial_policy_output_attentions', 'initial_policy_output_hidden_states', 'policy_output_attentions', 'train'), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), initial_policy_params_partition_spec) if has_initial_policy else NamedSharding(mesh, PS()), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), policy_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), value_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=PPOForwardOutput( + initial_policy_raw_output=FlaxCausalLMOutput( + logits=NamedSharding(mesh, PS(("dp", "fsdp"), None, None)) if dp_shard_logits else NamedSharding(mesh, PS()), + hidden_states=NamedSharding(mesh, PS()), # assume no sharding for hidden states + attentions=NamedSharding(mesh, PS()), # assume no sharding for attentions + ) if has_initial_policy else NamedSharding(mesh, PS()), + policy_raw_output=FlaxCausalLMOutput( + logits=NamedSharding(mesh, PS(("dp", "fsdp"), None, None)) if dp_shard_logits else NamedSharding(mesh, PS()), + hidden_states=NamedSharding(mesh, PS()), # assume no sharding for hidden states + attentions=NamedSharding(mesh, PS()), # assume no sharding for attentions + ), + values=NamedSharding(mesh, PS()), + ), + ) + def _forward( + initial_policy_params: Optional[PyTree], + policy_params: PyTree, + value_head_params: PyTree, + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + initial_policy_output_attentions: Optional[bool]=None, + initial_policy_output_hidden_states: Optional[bool]=None, + policy_output_attentions: Optional[bool]=None, # no policy_output_hidden_states option because this is required + train: bool=False, + ) -> PPOForwardOutput: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(("dp", "fsdp"), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(("dp", "fsdp"), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(("dp", "fsdp"), None)) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + initial_model_output = None + if has_initial_policy: + initial_model_output = initial_policy_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=initial_policy_params, + dropout_rng=new_key, + train=train, + output_hidden_states=initial_policy_output_hidden_states, + output_attentions=initial_policy_output_attentions, + ) + # trunc padded logits + initial_model_output = initial_model_output.replace(logits=initial_model_output.logits.at[:, :, initial_policy_model.config.unpadded_vocab_size:].set(-float('inf'))) + model_output = policy_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=policy_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + output_attentions=policy_output_attentions, + ) + # trunc padded logits + model_output = model_output.replace(logits=model_output.logits.at[:, :, policy_model.config.unpadded_vocab_size:].set(-float('inf'))) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + values = value_head_model.apply( + {'params': value_head_params}, + model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if new_key is not None else None, + ) + values = jnp.squeeze(values, axis=-1) + + # assert sharding on outputs + if dp_shard_logits: + if has_initial_policy: + initial_model_output = initial_model_output.replace(logits=with_named_sharding_constraint(initial_model_output.logits, mesh, PS(("dp", "fsdp"), None, None))) + model_output = model_output.replace(logits=with_named_sharding_constraint(model_output.logits, mesh, PS(("dp", "fsdp"), None, None))) + return PPOForwardOutput( + initial_policy_raw_output=initial_model_output, + policy_raw_output=model_output, + values=values, + ) + + @partial( + pjit, + static_argnames=('train',), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), policy_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), value_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=( + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + ) + def _eval_loss( + policy_params: PyTree, + value_head_params: PyTree, + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + should_take_action: jax.Array, + old_logprobs: jax.Array, + old_values: jax.Array, + old_advantages: jax.Array, + old_returns: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray], + bc_data_input_ids: Optional[jax.Array], + bc_data_input_attention_mask: Optional[jax.Array], + bc_data_input_position_ids: Optional[jax.Array], + bc_data_input_training_mask: Optional[jax.Array], + train: bool=False, + ) -> Tuple[jax.Array, PyTree]: + assert loss_fn is not None, "loss_fn must be set to use eval_loss" + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(("dp", "fsdp"), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(("dp", "fsdp"), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(("dp", "fsdp"), None)) + should_take_action = with_named_sharding_constraint(should_take_action, mesh, PS(("dp", "fsdp"), None)) + old_logprobs = with_named_sharding_constraint(old_logprobs, mesh, PS(("dp", "fsdp"), None)) + old_values = with_named_sharding_constraint(old_values, mesh, PS(("dp", "fsdp"), None)) + old_advantages = with_named_sharding_constraint(old_advantages, mesh, PS(("dp", "fsdp"), None)) + old_returns = with_named_sharding_constraint(old_returns, mesh, PS(("dp", "fsdp"), None)) + if bc_data_input_ids is not None: + bc_data_input_ids = with_named_sharding_constraint(bc_data_input_ids, mesh, PS(("dp", "fsdp"), None)) + bc_data_input_attention_mask = with_named_sharding_constraint(bc_data_input_attention_mask, mesh, PS(("dp", "fsdp"), None)) + bc_data_input_position_ids = with_named_sharding_constraint(bc_data_input_position_ids, mesh, PS(("dp", "fsdp"), None)) + bc_data_input_training_mask = with_named_sharding_constraint(bc_data_input_training_mask, mesh, PS(("dp", "fsdp"), None)) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + model_output = policy_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=policy_params, + dropout_rng=new_key, + train=train, + output_hidden_states=True, + ) + + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + values = value_head_model.apply( + {'params': value_head_params}, + model_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if new_key is not None else None, + )[:, :-1] + values = jnp.squeeze(values, axis=-1) + + logits = model_output.logits.astype(jnp.float32) + logprobs = -softmax_cross_entropy_with_integer_labels(logits[:, :-1], input_ids[:, 1:]) + + loss, info = loss_fn( + attention_mask, + logprobs, + values, + should_take_action, + old_logprobs, + old_values, + old_advantages, + old_returns, + ) + + if bc_loss_fn is not None: + bc_loss, bc_info = bc_loss_fn( + policy_model, + policy_params, + bc_data_input_ids, + bc_data_input_attention_mask, + bc_data_input_position_ids, + bc_data_input_training_mask, + prng_key, + train, + ) + + info = {'ppo': info, 'bc': bc_info, 'total_loss': loss + bc_loss * bc_loss_weight} + loss = loss + bc_loss * bc_loss_weight + + return loss, info + + return cls( + initial_policy_params=initial_policy_params, + policy_params=policy_params, + value_head_params=value_head_params, + initial_policy_model=initial_policy_model, + policy_model=policy_model, + value_head_model=value_head_model, + tokenizer=tokenizer, + _forward=_forward, + _eval_loss=_eval_loss, + ) + +class GPTJPPOPolicy(PPOPolicy): + def __init__( + self, + inference: GPTJInference, + prng_key: Optional[jax.random.KeyArray], + generation_config: Optional[GenerationConfig]=None, + blocking_strategy: BlockingStrategy=BlockingStrategy(padding=Padding.LEFT, truncation=Truncation.LEFT, max_length=None), + in_str_process: Optional[Callable[[str], str]]=None, + out_str_process: Optional[Callable[[str], str]]=None, + input_token_process: Optional[Callable[[List[int]], List[int]]]=None, + target_token_process: Optional[Callable[[List[int]], List[int]]]=None, + trace: bool=True, + ): + self.inference = inference + self.prng_key = prng_key + self.generation_config = generation_config + self.blocking_strategy = blocking_strategy + self.in_str_process = in_str_process + self.out_str_process = out_str_process + self.input_token_process = input_token_process + self.target_token_process = target_token_process + if self.in_str_process is None: + self.in_str_process = lambda x: x + if self.out_str_process is None: + self.out_str_process = lambda x: x + self.trace = trace + + def act(self, text_history: List[Optional[TextHistory]], done: Optional[List[bool]]=None) -> List[Optional[TextHistory]]: + if done is None: + done = [False]*len(text_history) + # force eos_token for done sequences + eos_token = self.inference.tokenizer.eos_token + if self.generation_config is not None and self.generation_config.eos_token_id is not None: + eos_token = self.inference.tokenizer.decode(self.generation_config.eos_token_id) + if eos_token is None: + eos_token = self.inference.tokenizer.pad_token + if eos_token is None: + eos_token = '' + + raw_input_strs = [ + eos_token if d else self.in_str_process(text_history_to_str(item)) \ + for item, d in zip(text_history, done) + ] + + new_key = None + if self.prng_key is not None: + self.prng_key, new_key = jax.random.split(self.prng_key) + model_outputs = self.inference.generate_from_str( + input_strs=raw_input_strs, + prng_key=new_key, + blocking_strategy=self.blocking_strategy, + generation_config=self.generation_config, + input_token_process=self.input_token_process, + target_token_process=self.target_token_process, + trace=self.trace, + ) + + raw_output_strs = model_outputs.output_strs + output_strs = [ + "" if d else self.out_str_process(strip_prompt_from_completion(raw_input_str, raw_output_str)) \ + for raw_input_str, raw_output_str, d in zip(raw_input_strs, raw_output_strs, done) + ] + + return [ + None if d else text_history_item+(Text(output_str, True),) \ + for text_history_item, output_str, d in zip(text_history, output_strs, done) + ] + + def set_params(self, policy_params: PyTree) -> None: + self.inference = self.inference.replace(params=policy_params) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/reranker_policy.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/reranker_policy.py new file mode 100755 index 00000000..f4f407f2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/reranker_policy.py @@ -0,0 +1,34 @@ +import numpy as np +from LLM_RL.environment import TextPolicy, TextHistory +from typing import Callable, List + +class ReRankerSamplePolicy(TextPolicy): + + def __init__(self, proposal_fn, score_fn: Callable[[List[TextHistory]], List[float]]): + self.proposal_fn = proposal_fn + self.score_fn = score_fn + + def act(self, text_history: TextHistory) -> TextHistory: + proposals = self.proposal_fn(text_history) + scores = np.asarray(self.score_fn(proposals), dtype=np.float32) + # sample from scores + scores = np.exp(scores) / np.exp(scores).sum() + selected = np.random.choice(len(scores), p=scores) + # # zip proposals and scores together + # proposals_and_scores = list(zip(proposals, scores)) + # print(proposals_and_scores) + return proposals[selected] + +class ReRankerPolicy(TextPolicy): + + def __init__(self, proposal_fn: Callable[[TextHistory], List[TextHistory]], score_fn: Callable[[List[TextHistory]], List[float]]): + self.proposal_fn = proposal_fn + self.score_fn = score_fn + + def act(self, text_history: TextHistory) -> TextHistory: + proposals = self.proposal_fn(text_history) + scores = self.score_fn(proposals) + + return proposals[np.argmax(np.asarray(scores, dtype=np.float32)).item()] + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/score_fn.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/score_fn.py new file mode 100755 index 00000000..e1424797 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/score_fn.py @@ -0,0 +1,126 @@ +from LLM_RL.algorithms.ppo.base_interface import PPOInference +from JaxSeq.models.base_interface import Inference +from LLM_RL.environment import TextHistory, TokenHistory +from transformers.tokenization_utils import PreTrainedTokenizer +import jax.numpy as jnp +import numpy as np +import jax +from typing import Callable, Dict, List, NamedTuple, Optional, Tuple, Union, Any, Iterator + +def build_ppo_score_fn( + inference: PPOInference, + tokenizer: PreTrainedTokenizer, + max_length: int, + bsize: int, +): + + def score_fn(text_histories: List[TextHistory]) -> List[float]: + assert all([text_history[-1].is_action for text_history in text_histories]) + + prev_token_histories = [] + token_histories = [] + for text_history in text_histories: + prev_token_histories.append(TokenHistory.from_text_history(text_history[:-1], tokenizer)) + token_histories.append(TokenHistory.from_text_history(text_history, tokenizer)) + + # truncate to end and pad tokens + tokens = np.stack([np.concatenate((token_history.tokens[-max_length:], np.full((max_length-min(token_history.tokens.shape[0], max_length),), tokenizer.pad_token_id)), axis=0) for token_history in token_histories], axis=0) + tokens = jnp.asarray(tokens, dtype=jnp.int32) + + # str_lst = [[]] + + all_logprobs = [] + #TODO: need attention mask + # or just do from string thing + for i in range(0, len(text_histories), bsize): + tokens_batch = jnp.asarray(tokens[i:i+bsize, :]) + + attention_mask = (tokens_batch != tokenizer.pad_token_id).astype(np.float32) + + # new_key = None + # # if prng_key is not None: + # prng_key, new_key = jax.random.split(prng_key) + + forward_batch_output = inference.forward( + tokens_batch, + attention_mask=attention_mask, + train=False, + prng_key=None, + ) + # embed() + policy_logits = forward_batch_output.policy_raw_output.logits + prefix_len = jnp.asarray([prev_token_histories[i+x].tokens.shape[0] for x in range(tokens_batch.shape[0])], dtype=jnp.int32) + action_logprobs = jnp.empty(prefix_len.shape, dtype=jnp.float32) + + logprobs = jax.nn.log_softmax(policy_logits, axis=-1) + action_logits = jnp.take_along_axis(logprobs[:, :-1], tokens_batch[:, 1:][..., None], axis=2).squeeze(2) + # trying to batchify + masked_action_logits = action_logits * attention_mask[:, 1:] + for x in range(len(prefix_len)): + action_logprobs = action_logprobs.at[x].set(masked_action_logits[x][(prefix_len[x]-1):].sum(axis=0)) + # for x in range(len(prefix_len)): + # action_logprobs = action_logprobs.at[x].set((action_logits[x] * attention_mask[x, 1:])[(prefix_len[x]-1):].sum(axis=0)) + + all_logprobs.extend(jax.device_get(action_logprobs).tolist()) + return all_logprobs + + return score_fn + +def build_bc_score_fn( + inference: Inference, + tokenizer: PreTrainedTokenizer, + max_length: int, + bsize: int, +): + + def score_fn(text_histories: List[TextHistory]) -> List[float]: + assert all([text_history[-1].is_action for text_history in text_histories]) + + prev_token_histories = [] + token_histories = [] + for text_history in text_histories: + prev_token_histories.append(TokenHistory.from_text_history(text_history[:-1], tokenizer)) + token_histories.append(TokenHistory.from_text_history(text_history, tokenizer)) + + # truncate to end and pad tokens + tokens = np.stack([np.concatenate((token_history.tokens[-max_length:], np.full((max_length-min(token_history.tokens.shape[0], max_length),), tokenizer.pad_token_id)), axis=0) for token_history in token_histories], axis=0) + tokens = jnp.asarray(tokens, dtype=jnp.int32) + + # str_lst = [[]] + + all_logprobs = [] + #TODO: need attention mask + # or just do from string thing + for i in range(0, len(text_histories), bsize): + tokens_batch = jnp.asarray(tokens[i:i+bsize, :]) + + attention_mask = (tokens_batch != tokenizer.pad_token_id).astype(np.float32) + + # new_key = None + # # if prng_key is not None: + # prng_key, new_key = jax.random.split(prng_key) + + forward_batch_output = inference.forward( + tokens_batch, + attention_mask=attention_mask, + train=False, + prng_key=None, + ) + # embed() + policy_logits = forward_batch_output.logits + prefix_len = jnp.asarray([prev_token_histories[i+x].tokens.shape[0] for x in range(tokens_batch.shape[0])], dtype=jnp.int32) + action_logprobs = jnp.empty(prefix_len.shape, dtype=jnp.float32) + + logprobs = jax.nn.log_softmax(policy_logits, axis=-1) + action_logits = jnp.take_along_axis(logprobs[:, :-1], tokens_batch[:, 1:][..., None], axis=2).squeeze(2) + # trying to batchify + masked_action_logits = action_logits * attention_mask[:, 1:] + for x in range(len(prefix_len)): + action_logprobs = action_logprobs.at[x].set(masked_action_logits[x][(prefix_len[x]-1):].sum(axis=0)) + # for x in range(len(prefix_len)): + # action_logprobs = action_logprobs.at[x].set((action_logits[x] * attention_mask[x, 1:])[(prefix_len[x]-1):].sum(axis=0)) + + all_logprobs.extend(jax.device_get(action_logprobs).tolist()) + return all_logprobs + + return score_fn diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/train.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/train.py new file mode 100755 index 00000000..4810f829 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/ppo/train.py @@ -0,0 +1,478 @@ +from typing import Any, Callable, Dict, Optional, Tuple, Union, Hashable +import gcsfs +from jax.random import KeyArray +from collections import deque +import jax +from tqdm.auto import tqdm +from JaxSeq.utils import Dataset, dataloader, get_enabled_save_path, create_path +from LLM_RL.algorithms.ppo.data import PPODataset, PPOIterableDataset +from LLM_RL.algorithms.ppo.base_interface import PPOTrain, PPOInference +from JaxSeq.logs import combine_logs, label_logs, log, pull_logs +from JaxSeq.shard_model import get_sharding_from_model as get_sharding_from_model_policy +from LLM_RL.heads.shard_heads import get_sharding_from_model as get_sharding_from_model_head +import os +import wandb +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.bucket_manager import delete_with_bucket as delete +from JaxSeq.checkpointing import save_pytree +from flax.training.train_state import TrainState +from transformers.modeling_flax_utils import FlaxPreTrainedModel +import pickle as pkl +from LLM_RL.algorithms.ppo.base_interface import PPOPolicy +import flax.linen as nn +import os +import jax.numpy as jnp +import tempfile +from JaxSeq.data import MaskDataset, MaskIterableDataset + +def dump_state( + policy_model: FlaxPreTrainedModel, + policy_train_state: TrainState, + value_head_model: nn.Module, + value_head_train_state: TrainState, + save_dir: str, + save_train_state: bool, + enable_save: bool, + save_dtype: jnp.dtype, + **loop_state: Dict[Hashable, Any], +): + # dump loop_state + with open(get_enabled_save_path(os.path.join(save_dir, 'loop_state.pkl'), enabled=enable_save), 'wb') as f: + pkl.dump(loop_state, f) + + # save policy + if enable_save: + create_path(os.path.join(save_dir, 'policy')) + # dump policy config + with open(get_enabled_save_path(os.path.join(save_dir, 'policy', 'config.json'), enabled=enable_save), 'w') as f: + f.write(policy_model.config.to_json_string()) + # dump policy_train_state + if save_train_state: + save_pytree( + tree=policy_train_state, + path=get_enabled_save_path(os.path.join(save_dir, 'policy', 'train_state.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model_policy(policy_model, policy_train_state), + ) + else: + save_pytree( + tree=policy_train_state.params, + path=get_enabled_save_path(os.path.join(save_dir, 'policy', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model_policy(policy_model, policy_train_state.params), + ) + + # save value head + if enable_save: + create_path(os.path.join(save_dir, 'value_head')) + # dump value_head config + with open(get_enabled_save_path(os.path.join(save_dir, 'value_head', 'config.json'), enabled=enable_save), 'w') as f: + f.write(value_head_model.config.to_json_string()) + # dump value_head_train_state + if save_train_state: + save_pytree( + tree=value_head_train_state, + path=get_enabled_save_path(os.path.join(save_dir, 'value_head', 'train_state.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model_head(value_head_model, value_head_train_state), + ) + else: + save_pytree( + tree=value_head_train_state.params, + path=get_enabled_save_path(os.path.join(save_dir, 'value_head', 'params.msgpack'), enabled=enable_save), + dtype=save_dtype, + sharding=get_sharding_from_model_head(value_head_model, value_head_train_state.params), + ) + +def dump_state_to_bucket( + policy_model: FlaxPreTrainedModel, + policy_train_state: TrainState, + value_head_model: nn.Module, + value_head_train_state: TrainState, + save_dir: str, + save_train_state: bool, + enable_save: bool, + save_dtype: jnp.dtype, + gcloud_project: str=None, + gcloud_token: str=None, + **loop_state: Dict[Hashable, Any], +): + if save_dir.startswith('gcs://'): + output_path = save_dir[len('gcs://'):] + + tmp_dir = tempfile.TemporaryDirectory() + dump_state(policy_model=policy_model, policy_train_state=policy_train_state, value_head_model=value_head_model, value_head_train_state=value_head_train_state, save_dir=tmp_dir.name, save_train_state=save_train_state, enable_save=True, save_dtype=save_dtype, **loop_state) + + gcsfs.GCSFileSystem(project=gcloud_project, token=gcloud_token).put(tmp_dir.name, output_path, recursive=True) + + tmp_dir.cleanup() + else: + dump_state(policy_model=policy_model, policy_train_state=policy_train_state, value_head_model=value_head_model, value_head_train_state=value_head_train_state, save_dir=save_dir, save_train_state=save_train_state, enable_save=enable_save, save_dtype=save_dtype, **loop_state) + +def eval_loss( + inference: PPOInference, + dataset: Union[PPODataset, PPOIterableDataset], + prng_key: Optional[KeyArray], + bsize: int, + eval_batches: Optional[int], +) -> Dict[str, Any]: + # setup evaluator loop state + eval_logs = [] + + # eval on batches + prng_key, new_prng = jax.random.split(prng_key) if prng_key is not None else (None, None) + d = dataloader(new_prng, dataset, bsize, truncate=True) + for i, batch in tqdm(enumerate(d)): + # conditionally terminate early + if eval_batches is not None and i >= eval_batches: + break + + # get eval logs + _, info = inference.eval_loss(**batch) + eval_logs.append(info) + + # gather and postproc eval logs + eval_logs = pull_logs(combine_logs(eval_logs)) + return eval_logs + +def train_loop( + trainer: PPOTrain, + inference: PPOInference, + policy: PPOPolicy, + load_dataset: Callable[[PPOInference, PPOPolicy], Union[PPODataset, PPOIterableDataset]], + evaluator: Optional[Callable[[PPOInference, PPOPolicy], Tuple[float, Dict[str, Any]]]], + prng_key: KeyArray, + save_dir: Optional[str], + n_rounds: int, + epochs: int, + max_steps: Optional[int], + bsize: int, + log_every: int, + eval_every_steps: Optional[int], + eval_every_epochs: Optional[int], + eval_every_rounds: Optional[int], + eval_at_beginning: bool, + eval_at_end: bool, + save_every_steps: Optional[int], + save_every_epochs: Optional[int], + save_every_rounds: Optional[int], + save_at_beginning: bool, + save_at_end: bool, + save_best: bool, + max_checkpoints: Optional[int], + save_train_state: bool, + save_dtype: jnp.dtype, + use_wandb: bool, + wandb_project: Optional[str], + wandb_run_name: Optional[str], + wandb_config: Optional[Dict[str, Any]], + is_main_process: Optional[bool]=None, + bc_dataset: Optional[Union[MaskDataset, MaskIterableDataset]]=None, + bc_bsize: Optional[int]=None, + **loop_state: Dict[Hashable, Any], +) -> Tuple[PPOTrain, PPOInference, PPOPolicy]: + print("entering training loop ...") + assert (not use_wandb) or (use_wandb and wandb_project is not None) + if is_main_process is None: + is_main_process = jax.process_index() == 0 + if bc_bsize is None: + bc_bsize = bsize + + # initalize wandb + wandb_id = loop_state.get('wandb_id', None) + if use_wandb and is_main_process: + if wandb_id is None: + wandb_id = wandb.util.generate_id() + wandb.init( + project=wandb_project, + id=wandb_id, + name=wandb_run_name, + config=wandb_config, + reinit=True, + resume="allow", + ) + + # initalize training loop state + train_logs = [] + best_perf = loop_state.get('best_perf', float('inf')) + saved_checkpoints = loop_state.get('saved_checkpoints', deque([])) + step = 0 + epoch = -1 + round = -1 + def _save( + name: str, + add_to_queue: bool, + **loop_state: Dict[Hashable, Any], + ): + nonlocal saved_checkpoints + print(f'saving checkpoint {name} ...') + print(f'saving in {save_dir}...') + # conditionally delete old checkpoints + if add_to_queue and is_main_process: + if (max_checkpoints is not None) and (len(saved_checkpoints) >= max_checkpoints): + delete(saved_checkpoints.popleft(), recursive=True) + curr_save_dir = os.path.join(save_dir, name) + if is_main_process: + create_path(curr_save_dir) + dump_state( + policy_model=trainer.policy_model, + policy_train_state=trainer.policy_train_state, + value_head_model=trainer.value_head_model, + value_head_train_state=trainer.value_head_train_state, + save_dir=curr_save_dir, + save_train_state=save_train_state, + enable_save=is_main_process, + save_dtype=save_dtype, + **loop_state, + ) + if add_to_queue and is_main_process: + saved_checkpoints.append(curr_save_dir) + print('saved.') + + def _eval( + **loop_state: Dict[Hashable, Any], + ): + nonlocal best_perf + nonlocal inference + nonlocal policy + # get eval logs + print("beginning evaluation ...") + inference = inference.replace( + policy_params=trainer.policy_train_state.params, + value_head_params=trainer.value_head_train_state.params, + ) + policy.set_params(trainer.policy_train_state.params) + eval_perf, eval_logs = evaluator(inference, policy) + + # publish eval logs + eval_logs = pull_logs(label_logs(eval_logs, 'eval', {'step': step+1, 'epoch': epoch, 'round': round})) + log(eval_logs, use_wandb and is_main_process) + + # conditionally save best model and optimizer state + if save_dir is not None and save_best and eval_perf < best_perf: + print('new best model!') + best_perf = eval_perf + _save( + name='best', + add_to_queue=False, + **{**loop_state, 'best_perf': best_perf}, + ) + + bc_d = None + if bc_dataset is not None: + prng_key, new_prng = jax.random.split(prng_key) + bc_d = dataloader(new_prng, bc_dataset, bc_bsize, truncate=True) + + # begin training loop + for round in tqdm(range(n_rounds)): + + print(f'beginning round {round} ...') + print(f"best performance: {best_perf}") + + # load dataset + dataset = load_dataset(inference, policy) + + steps_per_epoch = len(dataset) // bsize if isinstance(dataset, Dataset) else None + if 'steps_per_epoch' in loop_state: + assert steps_per_epoch == loop_state['steps_per_epoch'], 'loop_state steps_per_epoch does not match dataset steps_per_epoch' + + # begin evaluation + if evaluator is not None and eval_at_beginning: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # save initial checkpoint + if save_dir is not None and save_at_beginning: + _save( + name='initial', + add_to_queue=False, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + print("num epochs: ", epochs) + for epoch in tqdm(range(epochs)): + prng_key, new_prng = jax.random.split(prng_key) + d = dataloader(new_prng, dataset, bsize, truncate=True) + print("steps per epoch: ", steps_per_epoch) + for batch in tqdm(d, total=steps_per_epoch): + if bc_d is not None: + try: + bc_batch = next(bc_d) + except StopIteration as e: + prng_key, new_prng = jax.random.split(prng_key) + bc_d = dataloader(new_prng, bc_dataset, bc_bsize, truncate=True) + bc_batch = next(bc_d) + batch = {**batch, **{'bc_data_'+k: v for k, v in bc_batch.items()}} + + # step model and get training logs + if 'step' in loop_state and step < loop_state['step']: + step += 1 + continue + # print("trainer step: ", step) + trainer, _, info = trainer.step( + **batch, + prng_key=new_prng, + train=True, + ) + train_logs.append(info) + + # publish training logs and clear logs + if (step + 1) % log_every == 0: + logs = combine_logs(train_logs) + logs = pull_logs(label_logs(logs, 'train', {'step': step+1, 'epoch': epoch, 'round': round})) + log(logs, use_wandb and is_main_process) + train_logs = [] + + # begin evaluation + if evaluator is not None and eval_every_steps is not None and (step + 1) % eval_every_steps == 0: + _eval( + # loop state metadata + best_perf=best_perf, + step=step+1, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # periodically save checkpoint + if save_dir is not None and save_every_steps is not None and (step + 1) % save_every_steps == 0: + _save( + name='step_%d' % (step+1), + add_to_queue=True, + # loop state metadata + best_perf=best_perf, + step=step+1, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + step += 1 + + # conditionally terminate + if max_steps is not None and step >= max_steps: + break + + # begin evaluation + if evaluator is not None and eval_every_epochs is not None and (epoch + 1) % eval_every_epochs == 0: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # periodically save checkpoint + if save_dir is not None and save_every_epochs is not None and (epoch + 1) % save_every_epochs == 0: + _save( + name=f'epoch_{epoch}', + add_to_queue=True, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # conditionally terminate + if max_steps is not None and step >= max_steps: + break + + # begin evaluation + if evaluator is not None and eval_every_rounds is not None and (round + 1) % eval_every_rounds == 0: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # periodically save checkpoint + if save_dir is not None and save_every_rounds is not None and (round + 1) % save_every_rounds == 0: + _save( + name='round_%d' % (round), + add_to_queue=True, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + inference = inference.replace( + policy_params=trainer.policy_train_state.params, + value_head_params=trainer.value_head_train_state.params, + ) + policy.set_params(trainer.policy_train_state.params) + + # begin evaluation + if evaluator is not None and eval_at_end: + _eval( + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # save final checkpoint + if save_dir is not None and save_at_end: + print("saving final checkpoint!") + _save( + name='last', + add_to_queue=False, + # loop state metadata + best_perf=best_perf, + step=step, + epoch=epoch, + round=round, + saved_checkpoints=saved_checkpoints, + steps_per_epoch=steps_per_epoch, + wandb_id=wandb_id, + ) + + # stop wandb + if use_wandb and is_main_process: + wandb.finish() + + inference = inference.replace( + policy_params=trainer.policy_train_state.params, + value_head_params=trainer.value_head_train_state.params, + ) + policy.set_params(trainer.policy_train_state.params) + return trainer, inference, policy diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/base_interface.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/base_interface.py new file mode 100755 index 00000000..41299c66 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/base_interface.py @@ -0,0 +1,185 @@ +from __future__ import annotations +from typing import Union, Callable, Optional, NamedTuple, List +import jax +import jax.numpy as jnp +from flax import struct +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.tokenization_utils import PreTrainedTokenizerBase +import flax.linen as nn +from jaxtyping import PyTree +from JaxSeq.models.base_interface import initialize_attn_mask_pos_ids +from transformers.modeling_flax_outputs import FlaxCausalLMOutput +from flax.core import freeze +from transformers.generation import GenerationConfig +import numpy as np +from JaxSeq.utils import block_sequences, BlockingStrategy, Padding, Truncation +from transformers.generation import FlaxBeamSearchOutput, FlaxGreedySearchOutput, FlaxSampleOutput +from JaxSeq.models.base_interface import GenerationFromStrOutput +from LLM_RL.environment import BatchedTextPolicy + +class ValueRLForwardOutput(NamedTuple): + base_raw_output: FlaxCausalLMOutput + q1: jax.Array + q2: Optional[jax.Array] + v: Optional[jax.Array] + +class ValueRLInference(struct.PyTreeNode): + pi_beta_params: Optional[PyTree] + base_params: PyTree + q1_head_params: PyTree + q2_head_params: Optional[PyTree] + v_head_params: Optional[PyTree] + pi_beta_model: Optional[FlaxPreTrainedModel] = struct.field(pytree_node=False) + base_model: FlaxPreTrainedModel = struct.field(pytree_node=False) + q_head_model: nn.Module = struct.field(pytree_node=False) + v_head_model: Optional[nn.Module] = struct.field(pytree_node=False) + tokenizer: PreTrainedTokenizerBase = struct.field(pytree_node=False) + _generate: Callable = struct.field(pytree_node=False) + _forward: Callable = struct.field(pytree_node=False) + + # def _generate( + # pi_beta_params: Optional[PyTree], + # base_params: PyTree, + # q1_head_params: PyTree, + # q2_head_params: Optional[PyTree], + # input_ids: jax.Array, + # attention_mask: jax.Array, + # position_ids: jax.Array, + # prng_key: Optional[jax.random.PRNGKeyArray]=None, + # generation_config: Optional[FrozenDict]=None, + # trace: bool=True, + # ) -> Union[FlaxSampleOutput, FlaxGreedySearchOutput, FlaxBeamSearchOutput] + + # def _forward( + # base_params: PyTree, + # q1_head_params: PyTree, + # q2_head_params: Optional[PyTree], + # v_head_params: Optional[PyTree], + # input_ids: jax.Array, + # attention_mask: jax.Array, + # position_ids: jax.Array, + # prng_key: Optional[jax.random.PRNGKeyArray]=None, + # output_attentions: Optional[bool]=None, + # train: bool=False, + # ) -> ILQLSimpleForwardOutput: + # raise NotImplementedError + + def generate( + self, + input_ids: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray], + generation_config: Optional[GenerationConfig]=None, + attention_mask: Optional[jax.Array]=None, + position_ids: Optional[jax.Array]=None, + trace: bool=True, + ) -> Union[FlaxSampleOutput, FlaxGreedySearchOutput, FlaxBeamSearchOutput]: + attention_mask, position_ids = initialize_attn_mask_pos_ids( + input_ids, + self.tokenizer.pad_token_id, + attention_mask, + position_ids, + ) + + return self._generate( + self.pi_beta_params, + self.base_params, + self.q1_head_params, + self.q2_head_params, + input_ids, + attention_mask, + position_ids, + prng_key, + freeze(generation_config.to_dict()) if generation_config is not None else None, + trace, + ) + + def generate_from_str( + self, + input_strs: List[str], + prng_key: Optional[jax.random.PRNGKeyArray], + blocking_strategy: BlockingStrategy=BlockingStrategy(padding=Padding.LEFT, truncation=Truncation.LEFT, max_length=None), + generation_config: Optional[GenerationConfig]=None, + input_token_process: Optional[Callable[[List[int]], List[int]]]=None, + target_token_process: Optional[Callable[[List[int]], List[int]]]=None, + trace: bool=True, + ) -> GenerationFromStrOutput: + if input_token_process is None: + input_token_process = lambda x: x + if target_token_process is None: + target_token_process = lambda x: x + # tokenize + tokens = [input_token_process(self.tokenizer.encode(item)) for item in input_strs] + tokens = block_sequences(tokens, self.tokenizer.pad_token_id, np.int32, blocking_strategy) + # generate + outputs = self.generate( + jnp.asarray(tokens), + prng_key, + generation_config=generation_config, + trace=trace, + ) + # process outputs + output_sequences = list(map(target_token_process, outputs.sequences.tolist())) + output_scores = None + if isinstance(outputs, FlaxBeamSearchOutput): + output_scores = np.asarray(outputs.scores) + # decode tokens + output_strs = self.tokenizer.batch_decode(output_sequences, skip_special_tokens=True) + return GenerationFromStrOutput(output_strs, output_scores) + + def forward( + self, + input_ids: jax.Array, + attention_mask: Optional[jax.Array]=None, + position_ids: Optional[jax.Array]=None, + output_attentions: Optional[bool]=None, + train: bool=False, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + ) -> ValueRLForwardOutput: + attention_mask, position_ids = initialize_attn_mask_pos_ids( + input_ids, + self.tokenizer.pad_token_id, + attention_mask, + position_ids, + ) + + return self._forward( + self.base_params, + self.q1_head_params, + self.q2_head_params, + self.v_head_params, + input_ids, + attention_mask, + position_ids, + prng_key, + output_attentions, + train, + ) + + def forward_from_str( + self, + input_strs: List[str], + blocking_strategy: BlockingStrategy=BlockingStrategy(padding=Padding.RIGHT, truncation=Truncation.RIGHT, max_length=None), + output_attentions: Optional[bool]=None, + output_hidden_states: Optional[bool]=None, + train: bool=False, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + input_token_process: Optional[Callable[[List[int]], List[int]]]=None, + ) -> FlaxCausalLMOutput: + if input_token_process is None: + input_token_process = lambda x: x + # tokenize + tokens = [input_token_process(self.tokenizer.encode(item)) for item in input_strs] + tokens = block_sequences(tokens, self.tokenizer.pad_token_id, np.int32, blocking_strategy) + # forward + outputs = self.forward( + jnp.asarray(tokens), + output_attentions=output_attentions, + output_hidden_states=output_hidden_states, + train=train, + prng_key=prng_key, + ) + return outputs + +class ValueRLPolicy(BatchedTextPolicy): + def set_params(self, policy_params: PyTree) -> None: + raise NotImplementedError diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gpt2/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gpt2/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gpt2/generation.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gpt2/generation.py new file mode 100755 index 00000000..baf877cd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gpt2/generation.py @@ -0,0 +1,179 @@ +from typing import Optional, Tuple, Union +from dataclasses import dataclass +from transformers.modeling_outputs import CausalLMOutputWithCrossAttentions +from transformers.utils import ModelOutput +import jax.numpy as jnp +import flax.linen as nn +import jax +from flax.core.frozen_dict import freeze, unfreeze +from jax import lax +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.configuration_utils import PretrainedConfig +from JaxSeq.stream_tokens import FlaxStreamGenerationMixin +from transformers.generation import FlaxGenerationMixin + +@dataclass +class GPT2ValueRLGenerationOutput(ModelOutput): + logits: jnp.ndarray = None + past_key_values: Optional[Tuple[Tuple[Tuple[jnp.ndarray]]]] = None + +class GPT2ValueRLGeneration(FlaxStreamGenerationMixin, FlaxGenerationMixin): + + def __init__( + self, + base_model_config: PretrainedConfig, + pi_beta: Optional[FlaxPreTrainedModel], + value_base: FlaxPreTrainedModel, + q_head: nn.Module, + beta: Union[float, jnp.ndarray], + ): + self.config = base_model_config + self.pi_beta = pi_beta + self.value_base = value_base + self.q_head = q_head + self.beta = beta + + def __call__( + self, + input_ids: Optional[jnp.ndarray] = None, + attention_mask: Optional[jnp.ndarray] = None, + params: dict = None, + past_key_values: Optional[Tuple[Tuple[Tuple[jnp.ndarray]]]] = None, + dropout_rng: jax.random.PRNGKey = None, + train: bool = False, + **kwargs + ) -> Union[Tuple, CausalLMOutputWithCrossAttentions]: + # pi_beta_params, q2_head_params is optional + pi_beta_params, base_params, q1_head_params, q2_head_params = params + assert ((pi_beta_params is None and self.pi_beta is None) or (pi_beta_params is not None and self.pi_beta is not None)) + has_pi_beta = pi_beta_params is not None + + pi_beta_past_kvs, base_past_kvs = None, None + if past_key_values is not None: + pi_beta_past_kvs, base_past_kvs = past_key_values + + if has_pi_beta: + new_dropout_rng = None + if dropout_rng is not None: + dropout_rng, new_dropout_rng = jax.random.split(dropout_rng) + pi_beta_outputs = self.pi_beta( + input_ids, + attention_mask=attention_mask, + past_key_values=pi_beta_past_kvs, + **kwargs, + params=pi_beta_params, + dropout_rng=new_dropout_rng, + train=train, + ) + pi_beta_logits = pi_beta_outputs.logits + pi_beta_kvs = pi_beta_outputs.past_key_values + else: + pi_beta_logits = None + pi_beta_kvs = None + + new_dropout_rng = None + if dropout_rng is not None: + dropout_rng, new_dropout_rng = jax.random.split(dropout_rng) + value_base_outputs = self.value_base( + input_ids, + attention_mask=attention_mask, + past_key_values=base_past_kvs, + **kwargs, + output_hidden_states=True, + params=base_params, + dropout_rng=new_dropout_rng, + train=train, + ) + base_hidden_states = value_base_outputs.hidden_states[-1] + base_kvs = value_base_outputs.past_key_values + + new_dropout_rng = None + if dropout_rng is not None: + dropout_rng, new_dropout_rng = jax.random.split(dropout_rng) + q1_logits = self.q_head.apply( + freeze({'params': q1_head_params}), + base_hidden_states, + train=train, + rngs={'dropout': new_dropout_rng} if train else None, + ) + + # q2 is optional + if q2_head_params is not None: + new_dropout_rng = None + if dropout_rng is not None: + dropout_rng, new_dropout_rng = jax.random.split(dropout_rng) + q2_logits = self.q_head.apply( + freeze({'params': q2_head_params}), + base_hidden_states, + train=train, + rngs={'dropout': new_dropout_rng} if train else None, + ) + + q_logits = jnp.minimum(q1_logits, q2_logits) + else: + q_logits = q1_logits + + if pi_beta_logits is not None: + logits = pi_beta_logits + self.beta * q_logits + else: + logits = self.beta * q_logits + + return GPT2ValueRLGenerationOutput(logits=logits, past_key_values=(pi_beta_kvs, base_kvs,)) + + def init_cache(self, batch_size, max_length): + r""" + Args: + batch_size (`int`): + batch_size used for fast auto-regressive decoding. Defines the batch size of the initialized cache. + max_length (`int`): + maximum possible length for auto-regressive decoding. Defines the sequence length of the initialized + cache. + """ + # init input variables to retrieve cache + input_ids = jnp.ones((batch_size, max_length), dtype=jnp.int32) + attention_mask = jnp.ones_like(input_ids) + position_ids = jnp.broadcast_to(jnp.arange(jnp.atleast_2d(input_ids).shape[-1]), input_ids.shape) + + if self.pi_beta is not None: + init_variables_pi_beta = self.pi_beta.module.init( + jax.random.PRNGKey(0), input_ids, attention_mask, position_ids, return_dict=False, init_cache=True, + ) + cache_pi_beta = unfreeze(init_variables_pi_beta["cache"]) + else: + cache_pi_beta = None + + init_variables_base = self.value_base.module.init( + jax.random.PRNGKey(0), input_ids, attention_mask, position_ids, return_dict=False, init_cache=True, + ) + cache_base = unfreeze(init_variables_base["cache"]) + + return cache_pi_beta, cache_base + + def prepare_inputs_for_generation(self, input_ids, max_length, attention_mask: Optional[jnp.DeviceArray] = None): + # initializing the cache + batch_size, seq_length = input_ids.shape + + past_key_values = self.init_cache(batch_size, max_length) + # Note that usually one would have to put 0's in the attention_mask for x > input_ids.shape[-1] and x < cache_length. + # But since GPT2 uses a causal mask, those positions are masked anyways. + # Thus we can create a single static attention_mask here, which is more efficient for compilation + extended_attention_mask = jnp.ones((batch_size, max_length), dtype="i4") + if attention_mask is not None: + position_ids = attention_mask.cumsum(axis=-1) - 1 + extended_attention_mask = lax.dynamic_update_slice(extended_attention_mask, attention_mask, (0, 0)) + else: + position_ids = jnp.broadcast_to(jnp.arange(seq_length, dtype="i4")[None, :], (batch_size, seq_length)) + + return { + "past_key_values": past_key_values, + "attention_mask": extended_attention_mask, + "position_ids": position_ids, + } + + def update_inputs_for_generation(self, model_outputs, model_kwargs): + model_kwargs["past_key_values"] = model_outputs.past_key_values + model_kwargs["position_ids"] = model_kwargs["position_ids"][:, -1:] + 1 + return model_kwargs + + def can_generate(self) -> bool: + return True diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gpt2/interface.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gpt2/interface.py new file mode 100755 index 00000000..64be9f09 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gpt2/interface.py @@ -0,0 +1,330 @@ +from typing import Optional, Callable, Union, List +from jax.experimental.pjit import pjit +from jaxtyping import PyTree +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.tokenization_utils import PreTrainedTokenizerBase +import flax.linen as nn +from JaxSeq.utils import with_named_sharding_constraint, match_partition_rules, BlockingStrategy, Padding, Truncation +from functools import partial +import jax +from jax.sharding import PartitionSpec as PS +from jax.sharding import NamedSharding +from flax.core import FrozenDict +from transformers.generation import FlaxBeamSearchOutput, FlaxGreedySearchOutput, FlaxSampleOutput +from LLM_RL.algorithms.value_rl_base.gpt2.generation import GPT2ValueRLGeneration +from LLM_RL.algorithms.value_rl_base.base_interface import ValueRLForwardOutput, ValueRLInference +from JaxSeq.stream_tokens import StreamingGenerationConfig +from LLM_RL.algorithms.value_rl_base.base_interface import ValueRLPolicy +from transformers.generation import GenerationConfig +from LLM_RL.environment import TextHistory, Text, text_history_to_str +from transformers.modeling_flax_outputs import FlaxCausalLMOutputWithCrossAttentions +from JaxSeq.utils import strip_prompt_from_completion + +class GPT2ValueRLInference(ValueRLInference): + @classmethod + def load_inference( + cls, + pi_beta_params: Optional[PyTree], + base_params: PyTree, + q1_head_params: PyTree, + q2_head_params: Optional[PyTree], + v_head_params: Optional[PyTree], + pi_beta_model: Optional[FlaxPreTrainedModel], + base_model: FlaxPreTrainedModel, + q_head_model: nn.Module, + v_head_model: Optional[nn.Module], + tokenizer: PreTrainedTokenizerBase, + beta: float=0.0, + dp_shard_logits: bool=True, + ): + mesh = base_model.config.mesh + assert mesh is not None + assert mesh == q_head_model.config.mesh + if v_head_model is not None: + assert mesh == v_head_model.config.mesh + assert (pi_beta_model is None and pi_beta_params is None) or (pi_beta_model is not None and pi_beta_params is not None) + + pi_beta_params_partition_spec = PS() if pi_beta_params is None else match_partition_rules(pi_beta_model.config.get_partition_rules(), pi_beta_params) + base_params_partition_spec = match_partition_rules(base_model.config.get_partition_rules(), base_params) + q1_head_params_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q1_head_params) + q2_head_params_partition_spec = PS() if q2_head_params is None else match_partition_rules(q_head_model.config.get_partition_rules(), q2_head_params) + v_head_params_partition_spec = PS() if v_head_params is None else match_partition_rules(v_head_model.config.get_partition_rules(), v_head_params) + + generator = None + if pi_beta_model is not None: + generator = GPT2ValueRLGeneration( + base_model_config=base_model.config, + pi_beta=pi_beta_model, + value_base=base_model, + q_head=q_head_model, + beta=beta, + ) + + if pi_beta_params is not None: + @partial( + pjit, + static_argnames=('generation_config', 'trace'), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), pi_beta_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=NamedSharding(mesh, PS()), + ) + def _generate( + pi_beta_params: Optional[PyTree], + base_params: PyTree, + q1_head_params: PyTree, + q2_head_params: Optional[PyTree], + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + generation_config: Optional[FrozenDict]=None, + trace: bool=True, + ) -> Union[FlaxSampleOutput, FlaxGreedySearchOutput, FlaxBeamSearchOutput]: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(("dp", "fsdp"), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(("dp", "fsdp"), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(("dp", "fsdp"), None)) + # NOTE: position_ids ignored by transformers + + # generate from model + output = generator.generate( + input_ids=input_ids, + attention_mask=attention_mask, + params=(pi_beta_params, base_params, q1_head_params, q2_head_params), + prng_key=prng_key, + generation_config=StreamingGenerationConfig.from_dict(generation_config) if generation_config is not None else None, + trace=trace, + ) + + return output + else: + def _generate( + pi_beta_params: Optional[PyTree], + base_params: PyTree, + q1_head_params: PyTree, + q2_head_params: Optional[PyTree], + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + generation_config: Optional[FrozenDict]=None, + trace: bool=True, + ) -> Union[FlaxSampleOutput, FlaxGreedySearchOutput, FlaxBeamSearchOutput]: + raise NotImplementedError + + @partial( + pjit, + static_argnames=('output_attentions', 'train'), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), v_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=ValueRLForwardOutput( + base_raw_output=FlaxCausalLMOutputWithCrossAttentions( + logits=NamedSharding(mesh, PS(("dp", "fsdp"), None, None)) if dp_shard_logits else NamedSharding(mesh, PS()), + hidden_states=NamedSharding(mesh, PS()), # assume no sharding for hidden states + attentions=NamedSharding(mesh, PS()), # assume no sharding for attentions + cross_attentions=NamedSharding(mesh, PS()), # assume no sharding for cross attentions + past_key_values=NamedSharding(mesh, PS()), # assume no sharding for past key values + ), + q1=NamedSharding(mesh, PS(("dp", "fsdp"), None, None)) if dp_shard_logits else NamedSharding(mesh, PS()), + q2=NamedSharding(mesh, PS(("dp", "fsdp"), None, None)) if (dp_shard_logits and q2_head_params is not None) else NamedSharding(mesh, PS()), + v=NamedSharding(mesh, PS()), + ), + ) + def _forward( + base_params: PyTree, + q1_head_params: PyTree, + q2_head_params: Optional[PyTree], + v_head_params: Optional[PyTree], + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + output_attentions: Optional[bool]=None, + train: bool=False, + ) -> ValueRLForwardOutput: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(("dp", "fsdp"), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(("dp", "fsdp"), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(("dp", "fsdp"), None)) + + # get logits + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + base_output = base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=base_params, + train=train, + output_attentions=output_attentions, + output_hidden_states=True, + dropout_rng=new_key, + ) + # trunc padded logits + base_output = base_output.replace(logits=base_output.logits.at[:, :, base_model.config.unpadded_vocab_size:].set(-float('inf'))) + + # get q1 + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q1 = q_head_model.apply( + {'params': q1_head_params}, + base_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + # trunc padded qs + q1 = q1.at[:, :, base_model.config.unpadded_vocab_size:].set(-float('inf')) + + # get q2 + if q2_head_params is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q2 = q_head_model.apply( + {'params': q2_head_params}, + base_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + # trunc padded qs + q2 = q2.at[:, :, base_model.config.unpadded_vocab_size:].set(-float('inf')) + else: + q2 = None + + if v_head_params is not None: + # get v + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + v = v_head_model.apply( + {'params': v_head_params}, + base_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ).squeeze(2) + else: + v = None + + # assert sharding on outputs + if dp_shard_logits: + base_output = base_output.replace(logits=with_named_sharding_constraint(base_output.logits, mesh, PS(("dp", "fsdp"), None, None))) + q1 = with_named_sharding_constraint(q1, mesh, PS(("dp", "fsdp"), None, None)) + if q2 is not None: + q2 = with_named_sharding_constraint(q2, mesh, PS(("dp", "fsdp"), None, None)) + return ValueRLForwardOutput( + base_raw_output=base_output, + q1=q1, + q2=q2, + v=v, + ) + + return cls( + pi_beta_params=pi_beta_params, + base_params=base_params, + q1_head_params=q1_head_params, + q2_head_params=q2_head_params, + v_head_params=v_head_params, + pi_beta_model=pi_beta_model, + base_model=base_model, + q_head_model=q_head_model, + v_head_model=v_head_model, + tokenizer=tokenizer, + _generate=_generate, + _forward=_forward, + ) + +class GPT2ValuePolicy(ValueRLPolicy): + def __init__( + self, + inference: ValueRLInference, + prng_key: Optional[jax.random.KeyArray], + generation_config: Optional[GenerationConfig]=None, + blocking_strategy: BlockingStrategy=BlockingStrategy(padding=Padding.LEFT, truncation=Truncation.LEFT, max_length=None), + in_str_process: Optional[Callable[[str], str]]=None, + out_str_process: Optional[Callable[[str], str]]=None, + input_token_process: Optional[Callable[[List[int]], List[int]]]=None, + target_token_process: Optional[Callable[[List[int]], List[int]]]=None, + trace: bool=True, + ): + self.inference = inference + self.prng_key = prng_key + self.generation_config = generation_config + self.blocking_strategy = blocking_strategy + self.in_str_process = in_str_process + self.out_str_process = out_str_process + self.input_token_process = input_token_process + self.target_token_process = target_token_process + if self.in_str_process is None: + self.in_str_process = lambda x: x + if self.out_str_process is None: + self.out_str_process = lambda x: x + self.trace = trace + + def act(self, text_history: List[Optional[TextHistory]], done: Optional[List[bool]]=None) -> List[Optional[TextHistory]]: + if done is None: + done = [False]*len(text_history) + # force eos_token for done sequences + eos_token = self.inference.tokenizer.eos_token + if self.generation_config is not None and self.generation_config.eos_token_id is not None: + eos_token = self.inference.tokenizer.decode(self.generation_config.eos_token_id) + if eos_token is None: + eos_token = self.inference.tokenizer.pad_token + if eos_token is None: + eos_token = '' + + raw_input_strs = [ + eos_token if d else self.in_str_process(text_history_to_str(item)) \ + for item, d in zip(text_history, done) + ] + + new_key = None + if self.prng_key is not None: + self.prng_key, new_key = jax.random.split(self.prng_key) + model_outputs = self.inference.generate_from_str( + input_strs=raw_input_strs, + prng_key=new_key, + blocking_strategy=self.blocking_strategy, + generation_config=self.generation_config, + input_token_process=self.input_token_process, + target_token_process=self.target_token_process, + trace=self.trace, + ) + + raw_output_strs = model_outputs.output_strs + output_strs = [ + "" if d else self.out_str_process(strip_prompt_from_completion(raw_input_str, raw_output_str)) \ + for raw_input_str, raw_output_str, d in zip(raw_input_strs, raw_output_strs, done) + ] + + return [ + None if d else text_history_item+(Text(output_str, True),) \ + for text_history_item, output_str, d in zip(text_history, output_strs, done) + ] + + def set_params(self, policy_params: PyTree) -> None: + pi_beta_params, base_params, \ + q1_head_params, q2_head_params = policy_params + self.inference = self.inference.replace( + pi_beta_params=pi_beta_params, + base_params=base_params, + q1_head_params=q1_head_params, + q2_head_params=q2_head_params, + ) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gptj/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gptj/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gptj/generation.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gptj/generation.py new file mode 100755 index 00000000..84b7f453 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gptj/generation.py @@ -0,0 +1,179 @@ +from typing import Optional, Tuple, Union +from dataclasses import dataclass +from transformers.modeling_outputs import CausalLMOutputWithCrossAttentions +from transformers.utils import ModelOutput +import jax.numpy as jnp +import flax.linen as nn +import jax +from flax.core.frozen_dict import freeze, unfreeze +from jax import lax +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.configuration_utils import PretrainedConfig +from JaxSeq.stream_tokens import FlaxStreamGenerationMixin +from transformers.generation import FlaxGenerationMixin + +@dataclass +class GPTJValueRLGenerationOutput(ModelOutput): + logits: jnp.ndarray = None + past_key_values: Optional[Tuple[Tuple[Tuple[jnp.ndarray]]]] = None + +class GPTJValueRLGeneration(FlaxStreamGenerationMixin, FlaxGenerationMixin): + + def __init__( + self, + base_model_config: PretrainedConfig, + pi_beta: Optional[FlaxPreTrainedModel], + value_base: FlaxPreTrainedModel, + q_head: nn.Module, + beta: Union[float, jnp.ndarray], + ): + self.config = base_model_config + self.pi_beta = pi_beta + self.value_base = value_base + self.q_head = q_head + self.beta = beta + + def __call__( + self, + input_ids: Optional[jnp.ndarray] = None, + attention_mask: Optional[jnp.ndarray] = None, + params: dict = None, + past_key_values: Optional[Tuple[Tuple[Tuple[jnp.ndarray]]]] = None, + dropout_rng: jax.random.PRNGKey = None, + train: bool = False, + **kwargs + ) -> Union[Tuple, CausalLMOutputWithCrossAttentions]: + # pi_beta_params, q2_head_params is optional + pi_beta_params, base_params, q1_head_params, q2_head_params = params + assert ((pi_beta_params is None and self.pi_beta is None) or (pi_beta_params is not None and self.pi_beta is not None)) + has_pi_beta = pi_beta_params is not None + + pi_beta_past_kvs, base_past_kvs = None, None + if past_key_values is not None: + pi_beta_past_kvs, base_past_kvs = past_key_values + + if has_pi_beta: + new_dropout_rng = None + if dropout_rng is not None: + dropout_rng, new_dropout_rng = jax.random.split(dropout_rng) + pi_beta_outputs = self.pi_beta( + input_ids, + attention_mask=attention_mask, + past_key_values=pi_beta_past_kvs, + **kwargs, + params=pi_beta_params, + dropout_rng=new_dropout_rng, + train=train, + ) + pi_beta_logits = pi_beta_outputs.logits + pi_beta_kvs = pi_beta_outputs.past_key_values + else: + pi_beta_logits = None + pi_beta_kvs = None + + new_dropout_rng = None + if dropout_rng is not None: + dropout_rng, new_dropout_rng = jax.random.split(dropout_rng) + value_base_outputs = self.value_base( + input_ids, + attention_mask=attention_mask, + past_key_values=base_past_kvs, + **kwargs, + output_hidden_states=True, + params=base_params, + dropout_rng=new_dropout_rng, + train=train, + ) + base_hidden_states = value_base_outputs.hidden_states[-1] + base_kvs = value_base_outputs.past_key_values + + new_dropout_rng = None + if dropout_rng is not None: + dropout_rng, new_dropout_rng = jax.random.split(dropout_rng) + q1_logits = self.q_head.apply( + freeze({'params': q1_head_params}), + base_hidden_states, + train=train, + rngs={'dropout': new_dropout_rng} if train else None, + ) + + # q2 is optional + if q2_head_params is not None: + new_dropout_rng = None + if dropout_rng is not None: + dropout_rng, new_dropout_rng = jax.random.split(dropout_rng) + q2_logits = self.q_head.apply( + freeze({'params': q2_head_params}), + base_hidden_states, + train=train, + rngs={'dropout': new_dropout_rng} if train else None, + ) + + q_logits = jnp.minimum(q1_logits, q2_logits) + else: + q_logits = q1_logits + + if pi_beta_logits is not None: + logits = pi_beta_logits + self.beta * q_logits + else: + logits = self.beta * q_logits + + return GPTJValueRLGenerationOutput(logits=logits, past_key_values=(pi_beta_kvs, base_kvs,)) + + def init_cache(self, batch_size, max_length): + r""" + Args: + batch_size (`int`): + batch_size used for fast auto-regressive decoding. Defines the batch size of the initialized cache. + max_length (`int`): + maximum possible length for auto-regressive decoding. Defines the sequence length of the initialized + cache. + """ + # init input variables to retrieve cache + input_ids = jnp.ones((batch_size, max_length), dtype=jnp.int32) + attention_mask = jnp.ones_like(input_ids) + position_ids = jnp.broadcast_to(jnp.arange(jnp.atleast_2d(input_ids).shape[-1]), input_ids.shape) + + if self.pi_beta is not None: + init_variables_pi_beta = self.pi_beta.module.init( + jax.random.PRNGKey(0), input_ids, attention_mask, position_ids, return_dict=False, init_cache=True, + ) + cache_pi_beta = unfreeze(init_variables_pi_beta["cache"]) + else: + cache_pi_beta = None + + init_variables_base = self.value_base.module.init( + jax.random.PRNGKey(0), input_ids, attention_mask, position_ids, return_dict=False, init_cache=True, + ) + cache_base = unfreeze(init_variables_base["cache"]) + + return cache_pi_beta, cache_base + + def prepare_inputs_for_generation(self, input_ids, max_length, attention_mask: Optional[jnp.DeviceArray] = None): + # initializing the cache + batch_size, seq_length = input_ids.shape + + past_key_values = self.init_cache(batch_size, max_length) + # Note that usually one would have to put 0's in the attention_mask for x > input_ids.shape[-1] and x < cache_length. + # But since GPT2 uses a causal mask, those positions are masked anyways. + # Thus we can create a single static attention_mask here, which is more efficient for compilation + extended_attention_mask = jnp.ones((batch_size, max_length), dtype="i4") + if attention_mask is not None: + position_ids = attention_mask.cumsum(axis=-1) - 1 + extended_attention_mask = lax.dynamic_update_slice(extended_attention_mask, attention_mask, (0, 0)) + else: + position_ids = jnp.broadcast_to(jnp.arange(seq_length, dtype="i4")[None, :], (batch_size, seq_length)) + + return { + "past_key_values": past_key_values, + "attention_mask": extended_attention_mask, + "position_ids": position_ids, + } + + def update_inputs_for_generation(self, model_outputs, model_kwargs): + model_kwargs["past_key_values"] = model_outputs.past_key_values + model_kwargs["position_ids"] = model_kwargs["position_ids"][:, -1:] + 1 + return model_kwargs + + def can_generate(self) -> bool: + return True diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gptj/interface.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gptj/interface.py new file mode 100755 index 00000000..d96506cd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/algorithms/value_rl_base/gptj/interface.py @@ -0,0 +1,329 @@ +from typing import Optional, Callable, Union, List +from jax.experimental.pjit import pjit +from jaxtyping import PyTree +from transformers.modeling_flax_utils import FlaxPreTrainedModel +from transformers.tokenization_utils import PreTrainedTokenizerBase +import flax.linen as nn +from JaxSeq.utils import with_named_sharding_constraint, match_partition_rules, BlockingStrategy, Padding, Truncation +from functools import partial +import jax +from jax.sharding import NamedSharding +from jax.sharding import PartitionSpec as PS +from flax.core import FrozenDict +from transformers.generation import FlaxBeamSearchOutput, FlaxGreedySearchOutput, FlaxSampleOutput +from LLM_RL.algorithms.value_rl_base.gptj.generation import GPTJValueRLGeneration +from LLM_RL.algorithms.value_rl_base.base_interface import ValueRLForwardOutput, ValueRLInference +from JaxSeq.stream_tokens import StreamingGenerationConfig +from transformers.modeling_flax_outputs import FlaxCausalLMOutput +from LLM_RL.algorithms.value_rl_base.base_interface import ValueRLPolicy +from transformers.generation import GenerationConfig +from LLM_RL.environment import TextHistory, text_history_to_str, Text +from JaxSeq.utils import strip_prompt_from_completion + + +class GPTJValueRLInference(ValueRLInference): + @classmethod + def load_inference( + cls, + pi_beta_params: Optional[PyTree], + base_params: PyTree, + q1_head_params: PyTree, + q2_head_params: Optional[PyTree], + v_head_params: Optional[PyTree], + pi_beta_model: Optional[FlaxPreTrainedModel], + base_model: FlaxPreTrainedModel, + q_head_model: nn.Module, + v_head_model: Optional[nn.Module], + tokenizer: PreTrainedTokenizerBase, + beta: float=0.0, + dp_shard_logits: bool=True, + ): + mesh = base_model.config.mesh + assert mesh is not None + assert mesh == q_head_model.config.mesh + if v_head_model is not None: + assert mesh == v_head_model.config.mesh + assert (pi_beta_model is None and pi_beta_params is None) or (pi_beta_model is not None and pi_beta_params is not None) + + pi_beta_params_partition_spec = PS() if pi_beta_params is None else match_partition_rules(pi_beta_model.config.get_partition_rules(), pi_beta_params) + base_params_partition_spec = match_partition_rules(base_model.config.get_partition_rules(), base_params) + q1_head_params_partition_spec = match_partition_rules(q_head_model.config.get_partition_rules(), q1_head_params) + q2_head_params_partition_spec = PS() if q2_head_params is None else match_partition_rules(q_head_model.config.get_partition_rules(), q2_head_params) + v_head_params_partition_spec = PS() if v_head_params is None else match_partition_rules(v_head_model.config.get_partition_rules(), v_head_params) + + generator = None + if pi_beta_model is not None: + generator = GPTJValueRLGeneration( + base_model_config=base_model.config, + pi_beta=pi_beta_model, + value_base=base_model, + q_head=q_head_model, + beta=beta, + ) + + if pi_beta_params is not None: + @partial( + pjit, + static_argnames=('generation_config', 'trace'), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), pi_beta_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=NamedSharding(mesh, PS()), + ) + def _generate( + pi_beta_params: Optional[PyTree], + base_params: PyTree, + q1_head_params: PyTree, + q2_head_params: Optional[PyTree], + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + generation_config: Optional[FrozenDict]=None, + trace: bool=True, + ) -> Union[FlaxSampleOutput, FlaxGreedySearchOutput, FlaxBeamSearchOutput]: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(("dp", "fsdp"), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(("dp", "fsdp"), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(("dp", "fsdp"), None)) + # NOTE: position_ids ignored by transformers + + # generate from model + output = generator.generate( + input_ids=input_ids, + attention_mask=attention_mask, + params=(pi_beta_params, base_params, q1_head_params, q2_head_params), + prng_key=prng_key, + generation_config=StreamingGenerationConfig.from_dict(generation_config) if generation_config is not None else None, + trace=trace, + ) + + return output + else: + def _generate( + pi_beta_params: Optional[PyTree], + base_params: PyTree, + q1_head_params: PyTree, + q2_head_params: Optional[PyTree], + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + generation_config: Optional[FrozenDict]=None, + trace: bool=True, + ) -> Union[FlaxSampleOutput, FlaxGreedySearchOutput, FlaxBeamSearchOutput]: + raise NotImplementedError + + @partial( + pjit, + static_argnames=('output_attentions', 'train'), + in_shardings=( + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), base_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q1_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), q2_head_params_partition_spec), + jax.tree_util.tree_map(lambda ps: NamedSharding(mesh, ps), v_head_params_partition_spec), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + NamedSharding(mesh, PS()), + ), + out_shardings=ValueRLForwardOutput( + base_raw_output=FlaxCausalLMOutput( + logits=NamedSharding(mesh, PS(("dp", "fsdp"), None, None)) if dp_shard_logits else NamedSharding(mesh, PS()), + hidden_states=NamedSharding(mesh, PS()), # assume no sharding for hidden states + attentions=NamedSharding(mesh, PS()), # assume no sharding for attentions + ), + q1=NamedSharding(mesh, PS(("dp", "fsdp"), None, None)) if dp_shard_logits else NamedSharding(mesh, PS()), + q2=NamedSharding(mesh, PS(("dp", "fsdp"), None, None)) if (dp_shard_logits and q2_head_params is not None) else NamedSharding(mesh, PS()), + v=NamedSharding(mesh, PS()), + ), + ) + def _forward( + base_params: PyTree, + q1_head_params: PyTree, + q2_head_params: Optional[PyTree], + v_head_params: Optional[PyTree], + input_ids: jax.Array, + attention_mask: jax.Array, + position_ids: jax.Array, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + output_attentions: Optional[bool]=None, + train: bool=False, + ) -> ValueRLForwardOutput: + # data parallel shard inputs + input_ids = with_named_sharding_constraint(input_ids, mesh, PS(("dp", "fsdp"), None)) + attention_mask = with_named_sharding_constraint(attention_mask, mesh, PS(("dp", "fsdp"), None)) + position_ids = with_named_sharding_constraint(position_ids, mesh, PS(("dp", "fsdp"), None)) + + # get logits + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + base_output = base_model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + params=base_params, + train=train, + output_attentions=output_attentions, + output_hidden_states=True, + dropout_rng=new_key, + ) + # trunc padded logits + base_output = base_output.replace(logits=base_output.logits.at[:, :, base_model.config.unpadded_vocab_size:].set(-float('inf'))) + + # get q1 + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q1 = q_head_model.apply( + {'params': q1_head_params}, + base_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + # trunc padded qs + q1 = q1.at[:, :, base_model.config.unpadded_vocab_size:].set(-float('inf')) + + # get q2 + if q2_head_params is not None: + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + q2 = q_head_model.apply( + {'params': q2_head_params}, + base_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ) + # trunc padded qs + q2 = q2.at[:, :, base_model.config.unpadded_vocab_size:].set(-float('inf')) + else: + q2 = None + + if v_head_params is not None: + # get v + new_key = None + if prng_key is not None: + prng_key, new_key = jax.random.split(prng_key) + v = v_head_model.apply( + {'params': v_head_params}, + base_output.hidden_states[-1], + train=train, + rngs={'dropout': new_key} if prng_key is not None else None, + ).squeeze(2) + else: + v = None + + # assert sharding on outputs + if dp_shard_logits: + base_output = base_output.replace(logits=with_named_sharding_constraint(base_output.logits, mesh, PS(("dp", "fsdp"), None, None))) + q1 = with_named_sharding_constraint(q1, mesh, PS(("dp", "fsdp"), None, None)) + if q2 is not None: + q2 = with_named_sharding_constraint(q2, mesh, PS(("dp", "fsdp"), None, None)) + return ValueRLForwardOutput( + base_raw_output=base_output, + q1=q1, + q2=q2, + v=v, + ) + + return cls( + pi_beta_params=pi_beta_params, + base_params=base_params, + q1_head_params=q1_head_params, + q2_head_params=q2_head_params, + v_head_params=v_head_params, + pi_beta_model=pi_beta_model, + base_model=base_model, + q_head_model=q_head_model, + v_head_model=v_head_model, + tokenizer=tokenizer, + _generate=_generate, + _forward=_forward, + ) + +class GPTJValuePolicy(ValueRLPolicy): + def __init__( + self, + inference: ValueRLInference, + prng_key: Optional[jax.random.KeyArray], + generation_config: Optional[GenerationConfig]=None, + blocking_strategy: BlockingStrategy=BlockingStrategy(padding=Padding.LEFT, truncation=Truncation.LEFT, max_length=None), + in_str_process: Optional[Callable[[str], str]]=None, + out_str_process: Optional[Callable[[str], str]]=None, + input_token_process: Optional[Callable[[List[int]], List[int]]]=None, + target_token_process: Optional[Callable[[List[int]], List[int]]]=None, + trace: bool=True, + ): + self.inference = inference + self.prng_key = prng_key + self.generation_config = generation_config + self.blocking_strategy = blocking_strategy + self.in_str_process = in_str_process + self.out_str_process = out_str_process + self.input_token_process = input_token_process + self.target_token_process = target_token_process + if self.in_str_process is None: + self.in_str_process = lambda x: x + if self.out_str_process is None: + self.out_str_process = lambda x: x + self.trace = trace + + def act(self, text_history: List[Optional[TextHistory]], done: Optional[List[bool]]=None) -> List[Optional[TextHistory]]: + if done is None: + done = [False]*len(text_history) + # force eos_token for done sequences + eos_token = self.inference.tokenizer.eos_token + if self.generation_config is not None and self.generation_config.eos_token_id is not None: + eos_token = self.inference.tokenizer.decode(self.generation_config.eos_token_id) + if eos_token is None: + eos_token = self.inference.tokenizer.pad_token + if eos_token is None: + eos_token = '' + + raw_input_strs = [ + eos_token if d else self.in_str_process(text_history_to_str(item)) \ + for item, d in zip(text_history, done) + ] + + new_key = None + if self.prng_key is not None: + self.prng_key, new_key = jax.random.split(self.prng_key) + model_outputs = self.inference.generate_from_str( + input_strs=raw_input_strs, + prng_key=new_key, + blocking_strategy=self.blocking_strategy, + generation_config=self.generation_config, + input_token_process=self.input_token_process, + target_token_process=self.target_token_process, + trace=self.trace, + ) + + raw_output_strs = model_outputs.output_strs + output_strs = [ + "" if d else self.out_str_process(strip_prompt_from_completion(raw_input_str, raw_output_str)) \ + for raw_input_str, raw_output_str, d in zip(raw_input_strs, raw_output_strs, done) + ] + + return [ + None if d else text_history_item+(Text(output_str, True),) \ + for text_history_item, output_str, d in zip(text_history, output_strs, done) + ] + + def set_params(self, policy_params: PyTree) -> None: + pi_beta_params, base_params, \ + q1_head_params, q2_head_params = policy_params + self.inference = self.inference.replace( + pi_beta_params=pi_beta_params, + base_params=base_params, + q1_head_params=q1_head_params, + q2_head_params=q2_head_params, + ) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/environment.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/environment.py new file mode 100755 index 00000000..ac2745dd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/environment.py @@ -0,0 +1,419 @@ +from __future__ import annotations +from abc import ABC, abstractmethod +from dataclasses import dataclass +from typing import Callable, Dict, List, NamedTuple, Optional, Tuple, Union, Any, Iterator +from transformers.tokenization_utils import PreTrainedTokenizer +import numpy as np +from tqdm.auto import tqdm +from copy import deepcopy + +# define text objects + +@dataclass(frozen=True) +class Text: + text: str + is_action: bool + +TextHistory = Tuple[Text, ...] +text_history_to_str = lambda text_history: ''.join(map(lambda x: x.text, text_history)) +StepResult = Tuple[TextHistory, float, bool] + +# text trajectory should fit into a single context window, otherwise is truncated + +@dataclass(frozen=True) +class TextTrajectory: + text_history: TextHistory + reward: Tuple[float, ...] + done: bool + + def __post_init__(self): + assert len(self.reward) == len(self.text_history), "reward is needed for each text" + assert all([r == 0.0 for r, t in zip(self.reward, self.text_history) if not t.is_action]), "reward for non-actions texts should be 0.0" + +# text trajectory chain is a linked list of text trajectories +@dataclass(frozen=True) +class TextTrajectoryChain: + text_trajectory: TextTrajectory + next: Optional[TextTrajectoryChain] + +# text environment + +class TextEnv(ABC): + @abstractmethod + def step(self, text_history: TextHistory) -> Tuple[TextHistory, float, bool]: + pass + + @abstractmethod + def reset(self, seed: Optional[int]=None, options: Optional[Dict]=None) -> TextHistory: + pass + + def close(self) -> None: + pass + + def copy(self) -> TextEnv: + return deepcopy(self) + +class BatchedTextEnv(ABC): + @abstractmethod + def step(self, text_history: List[Optional[TextHistory]], done: Optional[List[bool]]=None) -> List[Optional[Tuple[TextHistory, float, bool]]]: + pass + + @abstractmethod + def reset(self, seed: Optional[List[Optional[int]]]=None, options: Optional[List[Optional[Dict]]]=None) -> List[TextHistory]: + pass + + def close(self) -> None: + pass + + def copy(self) -> BatchedTextEnv: + return deepcopy(self) + +class TextEnvToBatchedTextEnv(BatchedTextEnv): + def __init__(self, env: TextEnv): + self.env = env + self.batch_env_copies = None + + def step(self, text_history: List[Optional[TextHistory]], done: Optional[List[bool]]=None) -> List[Optional[Tuple[TextHistory, float, bool]]]: + assert self.batch_env_copies is not None, 'reset must be called before step' + assert len(text_history) == len(self.batch_env_copies), 'batch size must be the same as the number of environments initalized' + if done is None: + done = [False]*len(text_history) + assert len(text_history) == len(done) + return [None if d else env.step(item) for env, item, d in zip(self.batch_env_copies, text_history, done)] + + def reset(self, seed: Optional[List[Optional[int]]]=None, options: Optional[List[Optional[Dict]]]=None) -> List[TextHistory]: + if seed is None and options is None: + seed, options = [None], [None] + elif seed is None: + seed = [None] * len(options) + elif options is None: + options = [None] * len(seed) + assert len(seed) == len(options) + self.batch_env_copies = [self.env.copy() for _ in range(len(seed))] + return [env.reset(seed=s, options=o) for env, s, o in zip(self.batch_env_copies, seed, options)] + + def close(self) -> None: + for env in self.batch_env_copies: + env.close() + self.env.close() + +class BatchedTextEnvToTextEnv(TextEnv): + def __init__(self, env: BatchedTextEnv): + self.env = env + + def step(self, text_history: TextHistory) -> Tuple[TextHistory, float, bool]: + return self.env.step([text_history])[0] + + def reset(self, seed: Optional[int]=None, options: Optional[Dict]=None) -> TextHistory: + return self.env.reset(seed=[seed], options=[options])[0] + + def close(self) -> None: + self.env.close() + +# text policy + +class TextPolicy(ABC): + @abstractmethod + def act(self, text_history: TextHistory) -> TextHistory: + pass + +class BatchedTextPolicy(ABC): + @abstractmethod + def act(self, text_history: List[Optional[TextHistory]], done: Optional[List[bool]]=None) -> List[Optional[TextHistory]]: + pass + +class TextPolicyToBatchedTextPolicy(BatchedTextPolicy): + def __init__(self, policy: TextPolicy): + self.policy = policy + + def act(self, text_history: List[Optional[TextHistory]], done: Optional[List[bool]]=None) -> List[Optional[TextHistory]]: + print(done) + print(text_history) + print(len(text_history)) + if done is None: + done = [False]*len(text_history) + assert len(text_history) == len(done) + return [None if d else self.policy.act(item) for item, d in zip(text_history, done)] + +class BatchedTextPolicyToTextPolicy(TextPolicy): + def __init__(self, policy: BatchedTextPolicy): + self.policy = policy + + def act(self, text_history: TextHistory) -> TextHistory: + return self.policy.act([text_history])[0] + +# interact with the environment + +class InteractionTransition(NamedTuple): + pre_action_history: TextHistory + post_action_history: TextHistory + post_transition_history: TextHistory + reward: float + done: bool + +def interact_environment( + env: Union[TextEnv, BatchedTextEnv], + policy: Union[TextPolicy, BatchedTextPolicy], + initial_text_history: Optional[Union[TextHistory, List[TextHistory]]]=None, + env_seed: Union[Optional[int], Optional[List[Optional[int]]]]=None, + env_options: Union[Optional[Dict], Optional[List[Optional[int]]]]=None, + bsize: int=1, + npad: int=0, +) -> List[List[InteractionTransition]]: + assert bsize > 0 + if isinstance(env, TextEnv): + env = TextEnvToBatchedTextEnv(env) + if isinstance(policy, TextPolicy): + policy = TextPolicyToBatchedTextPolicy(policy) + if env_seed is not None and isinstance(env_seed, int): + env_seed = [env_seed] * bsize + if env_options is not None and isinstance(env_options, dict): + env_options = [env_options] * bsize + if initial_text_history is not None and isinstance(initial_text_history, TextHistory): + initial_text_history = [initial_text_history] * bsize + text_history = initial_text_history + if text_history is None: + text_history = env.reset(env_seed, env_options) + + transitions_batch = [[] for _ in range(bsize)] + done = [False]*bsize + while not all(done): + pre_action_history = text_history + text_history = policy.act(text_history + [(Text("", is_action=False),)]*npad, done=done + [True]*npad) + text_history = text_history[:bsize] + post_action_history = text_history + + step_results = env.step(text_history, done=done) + step_results = list(map(lambda x: (None, None, True) if x is None else x, step_results)) + text_history, reward, done = (list(x) for x in zip(*step_results)) + post_transition_history = text_history + + for batch_idx in range(bsize): + if done[batch_idx] and \ + (pre_action_history[batch_idx] is None or \ + post_action_history[batch_idx] is None or \ + post_transition_history[batch_idx] is None or \ + reward[batch_idx] is None): + continue + transitions_batch[batch_idx].append( + InteractionTransition( + pre_action_history=pre_action_history[batch_idx], + post_action_history=post_action_history[batch_idx], + post_transition_history=post_transition_history[batch_idx], + reward=reward[batch_idx], + done=done[batch_idx], + ) + ) + return transitions_batch + + + +def text_env_eval( + env: Union[TextEnv, BatchedTextEnv], + policy: Union[TextPolicy, BatchedTextPolicy], + n_rollouts: int, + initial_text_history: Optional[TextHistory]=None, # only allow one initial_text_history here + seed_generator: Optional[Iterator[int]]=None, + env_options: Optional[Dict]=None, # only allow one env_options here + interaction_callback: Optional[Callable[[List[Tuple[TextHistory, TextHistory, TextHistory, float, bool]]], None]]=None, + bsize: int=1, + verbose: bool=True, +) -> Tuple[List[List[InteractionTransition]], Dict[str, Any]]: + interactions, rewards, dones, eps_lengths = [], [], [], [] + for _ in tqdm(range((n_rollouts+(bsize-1))//bsize), disable=not verbose): + actual_bsize = min(n_rollouts-len(interactions), bsize) + npad = bsize - actual_bsize + interaction_batch = interact_environment( + env, + policy, + initial_text_history=initial_text_history, + env_seed=[None]*actual_bsize if seed_generator is None else [next(seed_generator) for _ in range(actual_bsize)], + env_options=[env_options]*actual_bsize, + bsize=actual_bsize, + npad=npad, + ) + + for interaction in interaction_batch: + interactions.append(interaction) + rewards.append(sum(map(lambda x: x.reward, interaction))) + dones.append(interaction[-1].done) + eps_lengths.append(len(interaction)) + if interaction_callback is not None: + interaction_callback(interaction) + + rewards = np.asarray(rewards, dtype=np.float32) + dones = np.asarray(dones, dtype=np.float32) + results_summary = dict( + reward=dict( + mean=np.mean(rewards), + std=np.std(rewards), + min=np.min(rewards), + max=np.max(rewards), + ), + done=dict( + mean=np.mean(dones), + std=np.std(dones), + min=np.min(dones), + max=np.max(dones), + ), + length=dict( + mean=np.mean(eps_lengths), + std=np.std(eps_lengths), + min=np.min(eps_lengths), + max=np.max(eps_lengths), + ), + ) + + return interactions, results_summary + +# user policy + +class UserPolicy(TextPolicy): + def __init__( + self, + initial_str: str, + postproc_print_f: Optional[Callable[[str], str]]=None, + postproc_action_f: Optional[Callable[[str], str]]=None, + ): + self.initial_str = initial_str + self.postproc_print_f = postproc_print_f if postproc_print_f is not None else lambda x: x + self.postproc_action_f = postproc_action_f if postproc_action_f is not None else lambda x: x + + def act(self, text_history: TextHistory) -> TextHistory: + print('='*25) + print(self.postproc_print_f(text_history_to_str(text_history))) + print('='*25) + response = input(self.initial_str) + response = self.initial_str + response + return text_history+[Text(self.postproc_action_f(response), True)] + + +"""tokenize environment objects""" + + +@dataclass(frozen=True) +class TokenHistory: + tokens: np.ndarray # 1d int32 array + is_action: np.ndarray # 1d bool array + + def __post_init__(self): + assert len(self.tokens.shape) == 1 and len(self.is_action.shape) == 1, '(tokens, is_action) must be 1 dimensional' + assert self.tokens.shape == self.is_action.shape, '(tokens, is_action) must have the same shape' + + @classmethod + def from_text_history( + cls, + text_history: TextHistory, + tokenizer: PreTrainedTokenizer, + token_process: Optional[Callable[[List[int]], List[int]]]=None, + ) -> TokenHistory: + if token_process is None: + token_process = lambda x: x + + tokens = [] + is_action = [] + + for item in text_history: + + # tokenize + new_tokens = token_process(tokenizer.encode(item.text)) + + tokens.extend(new_tokens) + is_action.extend([item.is_action]*len(new_tokens)) + + return cls( + np.array(tokens, dtype=np.int32), + np.array(is_action, dtype=np.bool_), + ) + +@dataclass(frozen=True) +class TokenTrajectory: + tokens: np.ndarray # 1d int32 array + is_action: np.ndarray # 1d bool array + reward: np.ndarray # 1d float32 array + done: np.ndarray # bool scalar + + def __post_init__(self): + assert len(self.tokens.shape) == 1, 'tokens must be 1 dimensional' + assert len(self.is_action.shape) == 1, 'is_action must be 1 dimensional' + assert len(self.reward.shape) == 1, 'reward must be 1 dimensional' + assert len(self.done.shape) == 0, 'done must be scalar' + + assert self.is_action.shape == self.tokens.shape, 'is_action must have the same shape as tokens' + assert self.reward.shape == self.tokens.shape, 'reward must have the same shape as tokens' + + assert not np.any(((1 - self.is_action.astype(np.float32)) * self.reward) != 0.0), 'reward must be 0.0 if not an action' + + @classmethod + def from_text_trajectory( + cls, + text_trajectory: TextTrajectory, + tokenizer: PreTrainedTokenizer, + token_process: Optional[Callable[[List[int]], List[int]]]=None, + ) -> TokenTrajectory: + if token_process is None: + token_process = lambda x: x + + tokens = [] + is_action = [] + reward = [] + + for i, item in enumerate(text_trajectory.text_history): + + # tokenize + new_tokens = token_process(tokenizer.encode(item.text)) + + tokens.extend(new_tokens) + is_action.extend([item.is_action]*len(new_tokens)) + + # add reward at the last token in the text + reward.extend(([0.0]*(len(new_tokens)-1))+[text_trajectory.reward[i]]) + + # get done + done = text_trajectory.done + + return cls( + np.array(tokens, dtype=np.int32), + np.array(is_action, dtype=np.bool_), + np.array(reward, dtype=np.float32), + np.array(done, dtype=np.bool_), + ) + +@dataclass(frozen=True) +class TokenTrajectoryChain: + token_trajectory: TokenTrajectory + next: Optional[TokenTrajectoryChain] + + def __post_init__(self): + curr, dones = self, [] + while curr.next is not None: + dones.append(curr.token_trajectory.done) + curr = curr.next + assert not np.any(dones[:-1]), 'token trajectory chain can only be done at the end' + + def to_list(self) -> List[TokenTrajectory]: + curr, l = self, [] + while curr is not None: + l.append(curr.token_trajectory) + curr = curr.next + return l + + @classmethod + def from_text_trajectory_chain( + cls, + text_trajectory_chain: TextTrajectoryChain, + tokenizer: PreTrainedTokenizer, + token_process: Optional[Callable[[List[int]], List[int]]]=None, + ) -> TokenTrajectoryChain: + return TokenTrajectoryChain( + TokenTrajectory.from_text_trajectory( + text_trajectory_chain.text_trajectory, + tokenizer, + token_process=token_process, + ), + cls.from_text_trajectory_chain( + text_trajectory_chain.next, + tokenizer, + token_process=token_process, + ) if text_trajectory_chain.next is not None else None, + ) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/heads/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/heads/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/heads/base.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/heads/base.py new file mode 100755 index 00000000..dd70d8e1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/heads/base.py @@ -0,0 +1,15 @@ +from __future__ import annotations +from typing import Dict, Any +import json + +class HeadConfig: + def to_dict(self) -> Dict[str, Any]: + return self.__dict__ + + @classmethod + def from_dict(cls, config_dict: Dict[str, Any]) -> HeadConfig: + return cls(**config_dict) + + def to_json_string(self) -> str: + config_dict = self.to_dict() + return json.dumps(config_dict, indent=2, sort_keys=True) + "\n" diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/heads/linear_head.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/heads/linear_head.py new file mode 100755 index 00000000..191f9411 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/heads/linear_head.py @@ -0,0 +1,300 @@ +from __future__ import annotations +import flax.linen as nn +import jax.numpy as jnp +import jax +from typing import Optional, Union, Callable, Tuple, Dict, Any +import re +from jax.sharding import PartitionSpec as PS +from jax.sharding import Mesh +from jaxtyping import PyTree +from enum import Enum +import optax +from flax.training.train_state import TrainState +from LLM_RL.heads.shard_heads import shard_params_from_config, shard_train_state_from_params, shard_train_state_from_checkpoint, shard_params_from_checkpoint, get_sharding_from_model +from flax.core import freeze, unfreeze +from JaxSeq.bucket_manager import open_with_bucket as open +import json +import os +from LLM_RL.heads.base import HeadConfig +from JaxSeq.utils import multihost_device_get, multihost_device_put + +class ModelLoadMode(Enum): + CONFIG = 'config' + TRAIN_STATE = 'train_state' + TRAIN_STATE_PARAMS = 'train_state_params' + PARAMS = 'params' + + @staticmethod + def match_load_mode(load_mode: Union[ModelLoadMode, str], target: ModelLoadMode): + if isinstance(load_mode, str): + return load_mode == target.value + return load_mode == target + +def pad_outputs( + params: PyTree, + model: nn.Module, + pad_to_output_dim: int, + dtype: jnp.dtype=jnp.float32, +) -> PyTree: + old_size = model.config.output_dim + model.config.output_dim = pad_to_output_dim + print(f'Padding outputs from size {old_size} to size {model.config.output_dim}.') + # pad outputs + sharding = get_sharding_from_model(model, params) + return model.pad_outputs(params, param_sharding=sharding, dtype=dtype) + +# basic linear head + +class LinearHeadConfig(HeadConfig): + def __init__( + self, + input_dim: int, + output_dim: int, + use_bias: bool=True, + unpadded_output_dim: Optional[int]=None, + initializer_range: Optional[int]=None, + bias_init: Optional[float]=None, + mesh: Optional[jax.sharding.Mesh]=None, + ) -> None: + self.input_dim = input_dim + self.output_dim = output_dim + self.use_bias = use_bias + self.initializer_range = initializer_range + self.bias_init = bias_init + self.mesh = mesh + self.unpadded_output_dim = unpadded_output_dim + if self.unpadded_output_dim is None: + self.unpadded_output_dim = self.output_dim + super().__init__() + + @staticmethod + def get_partition_rules(): + return [ + (re.escape("['dense']['kernel']"), PS()), + (re.escape("['dense']['bias']"), PS()), + ] + + def to_dict(self) -> Dict[str, Any]: + if self.mesh is None: + return super().to_dict() + else: + new_conf = LinearHeadConfig(**self.__dict__) + new_conf.mesh = None + return new_conf.to_dict() + +class LinearHead(nn.Module): + config: LinearHeadConfig + dtype: jnp.dtype = jnp.float32 + param_dtype: jnp.dtype = jnp.float32 + precision: Optional[Union[jax.lax.Precision, str]]=None + + def setup(self) -> None: + if self.config.initializer_range is None: + kernel_initalizer = jax.nn.initializers.lecun_normal() + else: + kernel_initalizer = jax.nn.initializers.normal(self.config.initializer_range) + + if self.config.bias_init is None: + bias_initalizer = jax.nn.initializers.zeros + else: + bias_initalizer = jax.nn.initializers.constant(self.config.bias_init) + + self.dense = nn.Dense( + features=self.config.output_dim, + use_bias=self.config.use_bias, + dtype=self.dtype, + param_dtype=self.param_dtype, + precision=self.precision, + kernel_init=kernel_initalizer, + bias_init=bias_initalizer, + ) + + def __call__( + self, + x: jax.Array, + *, + train: bool, + ) -> jax.Array: + x = self.dense(x) + return x + + def pad_outputs(self, params: PyTree, param_sharding: Optional[PyTree]=None, dtype: jnp.dtype=jnp.float32) -> PyTree: + assert params["dense"]["kernel"].shape == (self.config.input_dim, self.config.unpadded_output_dim), f"param shape doesn't match expected got {params['dense']['kernel'].shape} expected {(self.config.input_dim, self.config.unpadded_output_dim)}" + assert params["dense"]["bias"].shape == (self.config.unpadded_output_dim,), f"param shape doesn't match expected got {params['dense']['bias'].shape} expected {(self.config.unpadded_output_dim,)}" + if param_sharding is not None: + params["dense"]["kernel"] = multihost_device_get( + params["dense"]["kernel"], + param_sharding["dense"]["kernel"], + ) + out_kernel = jnp.zeros((self.config.input_dim, self.config.output_dim), dtype=dtype) + params["dense"]["kernel"] = out_kernel.at[:, :self.config.unpadded_output_dim].set(params["dense"]["kernel"]) + if param_sharding is not None: + params["dense"]["kernel"] = multihost_device_put( + params["dense"]["kernel"], + param_sharding["dense"]["kernel"], + ) + if self.config.use_bias: + if param_sharding is not None: + params["dense"]["bias"] = multihost_device_get( + params["dense"]["bias"], + param_sharding["dense"]["bias"], + ) + out_bias = jnp.zeros((self.config.output_dim,), dtype=dtype) + params["dense"]["bias"] = out_bias.at[:self.config.unpadded_output_dim].set(params["dense"]["bias"]) + if param_sharding is not None: + params["dense"]["bias"] = multihost_device_put( + params["dense"]["bias"], + param_sharding["dense"]["bias"], + ) + return params + +def load_train_state_from_config( + model_config: LinearHeadConfig, + model_dtype: Union[str, jnp.dtype], + optim_getter: Callable[[PyTree], optax.GradientTransformation], + mesh: Mesh, # should be shape (dp, mp) + prng_key: jax.random.PRNGKeyArray, + pad_to_output_dim: Optional[int]=None, + params_dtype: Optional[Union[str, jnp.dtype]]=jnp.float32, +) -> Tuple[TrainState, LinearHead]: + + model = LinearHead(model_config, dtype=model_dtype) + model.config.mesh = mesh + # shard params + params = freeze(shard_params_from_config(model, prng_key, params_dtype=params_dtype)) + # pad outputs + if pad_to_output_dim is not None: + params = freeze(pad_outputs(unfreeze(params), model, pad_to_output_dim, dtype=params_dtype)) + # shard train_state + train_state = shard_train_state_from_params(model, params, optim_getter(params)) + + return train_state, model + +def load_train_state( + model_load_mode: Union[ModelLoadMode, str], + model_load_path: str, + model_dtype: Union[str, jnp.dtype], + optim_getter: Callable[[PyTree], optax.GradientTransformation], + mesh: Mesh, # should be shape (dp, mp) + prng_key: Optional[jax.random.PRNGKeyArray]=None, + pad_to_output_dim: Optional[int]=None, + params_dtype: Optional[Union[str, jnp.dtype]]=jnp.float32, +) -> Tuple[TrainState, LinearHead]: + + if ModelLoadMode.match_load_mode(model_load_mode, ModelLoadMode.CONFIG): + # load config + assert prng_key is not None, 'Must provide prng_key when loading from config.' + with open(model_load_path, 'r') as f: + model_config = LinearHeadConfig.from_dict(json.load(f)) + train_state, model = load_train_state_from_config( + model_config=model_config, + model_dtype=model_dtype, + optim_getter=optim_getter, + mesh=mesh, + prng_key=prng_key, + pad_to_output_dim=pad_to_output_dim, + params_dtype=params_dtype, + ) + elif ModelLoadMode.match_load_mode(model_load_mode, ModelLoadMode.TRAIN_STATE): + # load model + with open(os.path.join(model_load_path, 'config.json'), 'r') as f: + model_config = LinearHeadConfig.from_dict(json.load(f)) + model = LinearHead(model_config, dtype=model_dtype) + model.config.mesh = mesh + # shard and pad embeddings + if pad_to_output_dim is None: + # if no padding, just load train_state, shard as well + train_state = shard_train_state_from_checkpoint(model, os.path.join(model_load_path, 'train_state.msgpack'), optim_getter, just_params=False, train_state_dtype=params_dtype) + else: + # if padding, load params, pad, shard + params = shard_train_state_from_checkpoint(model, os.path.join(model_load_path, 'train_state.msgpack'), optim_getter, just_params=True, train_state_dtype=params_dtype) + params = freeze(pad_outputs(unfreeze(params), model, pad_to_output_dim, dtype=params_dtype)) + train_state = shard_train_state_from_params(model, params, optim_getter(params)) + elif ModelLoadMode.match_load_mode(model_load_mode, ModelLoadMode.TRAIN_STATE_PARAMS): + # load model + with open(os.path.join(model_load_path, 'config.json'), 'r') as f: + model_config = LinearHeadConfig.from_dict(json.load(f)) + model = LinearHead(model_config, dtype=model_dtype) + model.config.mesh = mesh + # load params, shard params + params = shard_train_state_from_checkpoint(model, os.path.join(model_load_path, 'train_state.msgpack'), optim_getter, just_params=True, train_state_dtype=params_dtype) + # pad outputs + if pad_to_output_dim is not None: + params = freeze(pad_outputs(unfreeze(params), model, pad_to_output_dim, dtype=params_dtype)) + # shard train_state + train_state = shard_train_state_from_params(model, params, optim_getter(params)) + elif ModelLoadMode.match_load_mode(model_load_mode, ModelLoadMode.PARAMS): + # load model + with open(os.path.join(model_load_path, 'config.json'), 'r') as f: + model_config = LinearHeadConfig.from_dict(json.load(f)) + model = LinearHead(model_config, dtype=model_dtype) + model.config.mesh = mesh + # load params, shard params + params = shard_params_from_checkpoint(model, os.path.join(model_load_path, 'params.msgpack'), params_dtype=params_dtype) + # pad outputs + if pad_to_output_dim is not None: + params = freeze(pad_outputs(unfreeze(params), model, pad_to_output_dim, dtype=params_dtype)) + # shard train_state + train_state = shard_train_state_from_params(model, params, optim_getter(params)) + else: + raise ValueError(f"Invalid model_load_mode: {model_load_mode}") + + return train_state, model + +def load_params_from_config( + model_config: LinearHeadConfig, + model_dtype: Union[str, jnp.dtype], + mesh: Mesh, # should be shape (dp, mp) + prng_key: jax.random.PRNGKeyArray, + pad_to_output_dim: Optional[int]=None, + params_dtype: Optional[Union[str, jnp.dtype]]=jnp.float32, +) -> Tuple[PyTree, LinearHead]: + + model = LinearHead(model_config, dtype=model_dtype) + model.config.mesh = mesh + # shard params + params = shard_params_from_config(model, prng_key, params_dtype=params_dtype) + # pad outputs + if pad_to_output_dim is not None: + params = freeze(pad_outputs(unfreeze(params), model, pad_to_output_dim, dtype=params_dtype)) + + return params, model + +def load_params( + model_load_mode: Union[ModelLoadMode, str], + model_load_path: str, + model_dtype: Union[str, jnp.dtype], + mesh: Mesh, # should be shape (dp, mp) + prng_key: Optional[jax.random.PRNGKeyArray]=None, + pad_to_output_dim: Optional[int]=None, + params_dtype: Optional[Union[str, jnp.dtype]]=jnp.float32, +) -> Tuple[PyTree, LinearHead]: + + if ModelLoadMode.match_load_mode(model_load_mode, ModelLoadMode.CONFIG): + # load config + assert prng_key is not None, 'Must provide prng_key when loading from config.' + with open(model_load_path, 'r') as f: + model_config = LinearHeadConfig.from_dict(json.load(f)) + params, model = load_params_from_config( + model_config=model_config, + model_dtype=model_dtype, + mesh=mesh, + prng_key=prng_key, + pad_to_output_dim=pad_to_output_dim, + params_dtype=params_dtype, + ) + elif ModelLoadMode.match_load_mode(model_load_mode, ModelLoadMode.PARAMS): + # load model + with open(os.path.join(model_load_path, 'config.json'), 'r') as f: + model_config = LinearHeadConfig.from_dict(json.load(f)) + model = LinearHead(model_config, dtype=model_dtype) + model.config.mesh = mesh + # load params, shard params + params = shard_params_from_checkpoint(model, os.path.join(model_load_path, 'params.msgpack'), params_dtype=params_dtype) + # pad outputs + if pad_to_output_dim is not None: + params = freeze(pad_outputs(unfreeze(params), model, pad_to_output_dim, dtype=params_dtype)) + else: + raise ValueError(f"Invalid model_load_mode: {model_load_mode}") + + return params, model diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/heads/mlp_head.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/heads/mlp_head.py new file mode 100755 index 00000000..ea46bff8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/heads/mlp_head.py @@ -0,0 +1,329 @@ +from __future__ import annotations +import flax.linen as nn +import jax.numpy as jnp +import jax +from typing import Optional, Union, Callable, Tuple, Dict, Any +import re +from jax.sharding import PartitionSpec as PS +from jax.sharding import Mesh +from jaxtyping import PyTree +from enum import Enum +import optax +from flax.training.train_state import TrainState +from LLM_RL.heads.shard_heads import shard_params_from_config, shard_train_state_from_params, shard_train_state_from_checkpoint, shard_params_from_checkpoint, get_sharding_from_model +from flax.core import freeze, unfreeze +from JaxSeq.bucket_manager import open_with_bucket as open +import json +import os +from LLM_RL.heads.base import HeadConfig +from JaxSeq.utils import multihost_device_get, multihost_device_put + +class ModelLoadMode(Enum): + CONFIG = 'config' + TRAIN_STATE = 'train_state' + TRAIN_STATE_PARAMS = 'train_state_params' + PARAMS = 'params' + + @staticmethod + def match_load_mode(load_mode: Union[ModelLoadMode, str], target: ModelLoadMode): + if isinstance(load_mode, str): + return load_mode == target.value + return load_mode == target + +def pad_outputs( + params: PyTree, + model: nn.Module, + pad_to_output_dim: int, + dtype: jnp.dtype=jnp.float32, +) -> PyTree: + old_size = model.config.output_dim + model.config.output_dim = pad_to_output_dim + print(f'Padding outputs from size {old_size} to size {model.config.output_dim}.') + # pad outputs + sharding = get_sharding_from_model(model, params) + return model.pad_outputs(params, param_sharding=sharding, dtype=dtype) + +# basic 2 layer MLP head + +class MLPHeadConfig(HeadConfig): + def __init__( + self, + input_dim: int, + hidden_dim: int, + output_dim: int, + use_bias: bool=True, + unpadded_output_dim: Optional[int]=None, + layer1_initializer_range: Optional[int]=None, + layer1_bias_init: Optional[float]=None, + layer2_initializer_range: Optional[int]=None, + layer2_bias_init: Optional[float]=None, + mesh: Optional[jax.sharding.Mesh]=None, + ) -> None: + self.input_dim = input_dim + self.hidden_dim = hidden_dim + self.output_dim = output_dim + self.use_bias = use_bias + self.layer1_initializer_range = layer1_initializer_range + self.layer1_bias_init = layer1_bias_init + self.layer2_initializer_range = layer2_initializer_range + self.layer2_bias_init = layer2_bias_init + self.mesh = mesh + self.unpadded_output_dim = unpadded_output_dim + if self.unpadded_output_dim is None: + self.unpadded_output_dim = self.output_dim + super().__init__() + + @staticmethod + def get_partition_rules(): + return [ + (re.escape("['dense1']['kernel']"), PS("fsdp", "mp")), + (re.escape("['dense1']['bias']"), PS("mp")), + (re.escape("['dense2']['kernel']"), PS("mp", "fsdp")), + (re.escape("['dense2']['bias']"), PS()), + ] + + def to_dict(self) -> Dict[str, Any]: + if self.mesh is None: + return super().to_dict() + else: + new_conf = MLPHeadConfig(**self.__dict__) + new_conf.mesh = None + return new_conf.to_dict() + +class MLPHead(nn.Module): + config: MLPHeadConfig + dtype: jnp.dtype = jnp.float32 + param_dtype: jnp.dtype = jnp.float32 + precision: Optional[Union[jax.lax.Precision, str]]=None + + def setup(self) -> None: + if self.config.layer1_initializer_range is None: + kernel_initalizer_layer1 = jax.nn.initializers.lecun_normal() + else: + kernel_initalizer_layer1 = jax.nn.initializers.normal(self.config.layer1_initializer_range) + + if self.config.layer1_bias_init is None: + bias_initalizer_layer1 = jax.nn.initializers.zeros + else: + bias_initalizer_layer1 = jax.nn.initializers.constant(self.config.layer1_bias_init) + + if self.config.layer2_initializer_range is None: + kernel_initalizer_layer2 = jax.nn.initializers.lecun_normal() + else: + kernel_initalizer_layer2 = jax.nn.initializers.normal(self.config.layer2_initializer_range) + + if self.config.layer2_bias_init is None: + bias_initalizer_layer2 = jax.nn.initializers.zeros + else: + bias_initalizer_layer2 = jax.nn.initializers.constant(self.config.layer2_bias_init) + + self.dense1 = nn.Dense( + features=self.config.hidden_dim, + use_bias=self.config.use_bias, + dtype=self.dtype, + param_dtype=self.param_dtype, + precision=self.precision, + kernel_init=kernel_initalizer_layer1, + bias_init=bias_initalizer_layer1, + ) + self.dense2 = nn.Dense( + features=self.config.output_dim, + use_bias=self.config.use_bias, + dtype=self.dtype, + param_dtype=self.param_dtype, + precision=self.precision, + kernel_init=kernel_initalizer_layer2, + bias_init=bias_initalizer_layer2, + ) + + def __call__( + self, + x: jax.Array, + *, + train: bool, + ) -> jax.Array: + x = self.dense1(x) + x = nn.relu(x) + x = self.dense2(x) + return x + + def pad_outputs(self, params: PyTree, param_sharding: Optional[PyTree]=None, dtype: jnp.dtype=jnp.float32) -> PyTree: + assert params["dense2"]["kernel"].shape == (self.config.hidden_dim, self.config.unpadded_output_dim), f"param shape doesn't match expected got {params['dense2']['kernel'].shape} expected {(self.config.hidden_dim, self.config.unpadded_output_dim)}" + assert params["dense2"]["bias"].shape == (self.config.unpadded_output_dim,), f"param shape doesn't match expected got {params['dense2']['bias'].shape} expected {(self.config.unpadded_output_dim,)}" + if param_sharding is not None: + params["dense2"]["kernel"] = multihost_device_get( + params["dense2"]["kernel"], + param_sharding["dense2"]["kernel"], + ) + out_kernel = jnp.zeros((self.config.input_dim, self.config.output_dim), dtype=dtype) + params["dense2"]["kernel"] = out_kernel.at[:, :self.config.unpadded_output_dim].set(params["dense"]["kernel"]) + if param_sharding is not None: + params["dense2"]["kernel"] = multihost_device_put( + params["dense2"]["kernel"], + param_sharding["dense2"]["kernel"], + ) + if self.config.use_bias: + if param_sharding is not None: + params["dense2"]["bias"] = multihost_device_get( + params["dense2"]["bias"], + param_sharding["dense2"]["bias"], + ) + out_bias = jnp.zeros((self.config.output_dim,), dtype=dtype) + params["dense2"]["bias"] = out_bias.at[:self.config.unpadded_output_dim].set(params["dense"]["bias"]) + if param_sharding is not None: + params["dense2"]["bias"] = multihost_device_put( + params["dense2"]["bias"], + param_sharding["dense2"]["bias"], + ) + return params + +def load_train_state_from_config( + model_config: MLPHeadConfig, + model_dtype: Union[str, jnp.dtype], + optim_getter: Callable[[PyTree], optax.GradientTransformation], + mesh: Mesh, # should be shape (dp, mp) + prng_key: jax.random.PRNGKeyArray, + pad_to_output_dim: Optional[int]=None, + params_dtype: Optional[Union[str, jnp.dtype]]=jnp.float32, +) -> Tuple[TrainState, MLPHead]: + + model = MLPHead(model_config, dtype=model_dtype) + model.config.mesh = mesh + # shard params + params = freeze(shard_params_from_config(model, prng_key, params_dtype=params_dtype)) + # pad outputs + if pad_to_output_dim is not None: + params = freeze(pad_outputs(unfreeze(params), model, pad_to_output_dim, dtype=params_dtype)) + # shard train_state + train_state = shard_train_state_from_params(model, params, optim_getter(params)) + + return train_state, model + +def load_train_state( + model_load_mode: Union[ModelLoadMode, str], + model_load_path: str, + model_dtype: Union[str, jnp.dtype], + optim_getter: Callable[[PyTree], optax.GradientTransformation], + mesh: Mesh, # should be shape (dp, mp) + prng_key: Optional[jax.random.PRNGKeyArray]=None, + pad_to_output_dim: Optional[int]=None, + params_dtype: Optional[Union[str, jnp.dtype]]=jnp.float32, +) -> Tuple[TrainState, MLPHead]: + + if ModelLoadMode.match_load_mode(model_load_mode, ModelLoadMode.CONFIG): + # load config + assert prng_key is not None, 'Must provide prng_key when loading from config.' + with open(model_load_path, 'r') as f: + model_config = MLPHeadConfig(**json.load(f)) + train_state, model = load_train_state_from_config( + model_config=model_config, + model_dtype=model_dtype, + optim_getter=optim_getter, + mesh=mesh, + prng_key=prng_key, + pad_to_output_dim=pad_to_output_dim, + params_dtype=params_dtype, + ) + elif ModelLoadMode.match_load_mode(model_load_mode, ModelLoadMode.TRAIN_STATE): + # load model + with open(os.path.join(model_load_path, 'config.json'), 'r') as f: + model_config = MLPHeadConfig(**json.load(f)) + model = MLPHead(model_config, dtype=model_dtype) + model.config.mesh = mesh + # shard and pad embeddings + if pad_to_output_dim is None: + # if no padding, just load train_state, shard as well + train_state = shard_train_state_from_checkpoint(model, os.path.join(model_load_path, 'train_state.msgpack'), optim_getter, just_params=False, train_state_dtype=params_dtype) + else: + # if padding, load params, pad, shard + params = shard_train_state_from_checkpoint(model, os.path.join(model_load_path, 'train_state.msgpack'), optim_getter, just_params=True, train_state_dtype=params_dtype) + params = freeze(pad_outputs(unfreeze(params), model, pad_to_output_dim, dtype=params_dtype)) + train_state = shard_train_state_from_params(model, params, optim_getter(params)) + elif ModelLoadMode.match_load_mode(model_load_mode, ModelLoadMode.TRAIN_STATE_PARAMS): + # load model + with open(os.path.join(model_load_path, 'config.json'), 'r') as f: + model_config = MLPHeadConfig(**json.load(f)) + model = MLPHead(model_config, dtype=model_dtype) + model.config.mesh = mesh + # load params, shard params + params = shard_train_state_from_checkpoint(model, os.path.join(model_load_path, 'train_state.msgpack'), optim_getter, just_params=True, train_state_dtype=params_dtype) + # pad outputs + if pad_to_output_dim is not None: + params = freeze(pad_outputs(unfreeze(params), model, pad_to_output_dim, dtype=params_dtype)) + # shard train_state + train_state = shard_train_state_from_params(model, params, optim_getter(params)) + elif ModelLoadMode.match_load_mode(model_load_mode, ModelLoadMode.PARAMS): + # load model + with open(os.path.join(model_load_path, 'config.json'), 'r') as f: + model_config = MLPHeadConfig(**json.load(f)) + model = MLPHead(model_config, dtype=model_dtype) + model.config.mesh = mesh + # load params, shard params + params = shard_params_from_checkpoint(model, os.path.join(model_load_path, 'params.msgpack'), params_dtype=params_dtype) + # pad outputs + if pad_to_output_dim is not None: + params = freeze(pad_outputs(unfreeze(params), model, pad_to_output_dim, dtype=params_dtype)) + # shard train_state + train_state = shard_train_state_from_params(model, params, optim_getter(params)) + else: + raise ValueError(f"Invalid model_load_mode: {model_load_mode}") + + return train_state, model + +def load_params_from_config( + model_config: MLPHeadConfig, + model_dtype: Union[str, jnp.dtype], + mesh: Mesh, # should be shape (dp, mp) + prng_key: jax.random.PRNGKeyArray, + pad_to_output_dim: Optional[int]=None, + params_dtype: Optional[Union[str, jnp.dtype]]=jnp.float32, +) -> Tuple[PyTree, MLPHead]: + + model = MLPHead(model_config, dtype=model_dtype) + model.config.mesh = mesh + # shard params + params = shard_params_from_config(model, prng_key, params_dtype=params_dtype) + # pad outputs + if pad_to_output_dim is not None: + params = freeze(pad_outputs(unfreeze(params), model, pad_to_output_dim, dtype=params_dtype)) + + return params, model + +def load_params( + model_load_mode: Union[ModelLoadMode, str], + model_load_path: str, + model_dtype: Union[str, jnp.dtype], + mesh: Mesh, + prng_key: Optional[jax.random.PRNGKeyArray]=None, + pad_to_output_dim: Optional[int]=None, + params_dtype: Optional[Union[str, jnp.dtype]]=jnp.float32, +) -> Tuple[PyTree, MLPHead]: + + if ModelLoadMode.match_load_mode(model_load_mode, ModelLoadMode.CONFIG): + # load config + assert prng_key is not None, 'Must provide prng_key when loading from config.' + with open(model_load_path, 'r') as f: + model_config = MLPHeadConfig(**json.load(f)) + params, model = load_params_from_config( + model_config=model_config, + model_dtype=model_dtype, + mesh=mesh, + prng_key=prng_key, + pad_to_output_dim=pad_to_output_dim, + params_dtype=params_dtype, + ) + elif ModelLoadMode.match_load_mode(model_load_mode, ModelLoadMode.PARAMS): + # load model + with open(os.path.join(model_load_path, 'config.json'), 'r') as f: + model_config = MLPHeadConfig(**json.load(f)) + model = MLPHead(model_config, dtype=model_dtype) + model.config.mesh = mesh + # load params, shard params + params = shard_params_from_checkpoint(model, os.path.join(model_load_path, 'params.msgpack'), params_dtype=params_dtype) + # pad outputs + if pad_to_output_dim is not None: + params = freeze(pad_outputs(unfreeze(params), model, pad_to_output_dim, dtype=params_dtype)) + else: + raise ValueError(f"Invalid model_load_mode: {model_load_mode}") + + return params, model diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/heads/shard_heads.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/heads/shard_heads.py new file mode 100755 index 00000000..08947e94 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/heads/shard_heads.py @@ -0,0 +1,233 @@ +import jax.numpy as jnp +import optax +import jax +from flax.training.train_state import TrainState +from JaxSeq.utils import match_partition_rules +from JaxSeq.checkpointing import load_pytree +from functools import partial +from typing import Union, Callable, Optional +from jax.sharding import NamedSharding +from jax.sharding import Mesh +from jaxtyping import PyTree +from JaxSeq.utils import float_to_dtype +import flax.linen as nn +from JaxSeq.utils import multihost_device_put, multihost_device_get +from jax.experimental.pjit import pjit + +def get_sharding_from_model( + model: nn.Module, + tree: PyTree, +) -> Optional[PyTree]: + if model.config.mesh is not None: + spec = match_partition_rules(model.config.get_partition_rules(), tree) + sharding = jax.tree_util.tree_map(lambda ps: NamedSharding(model.config.mesh, ps), spec) + return sharding + return None + +def shard_params_from_params( + model: nn.Module, + params: PyTree, +) -> PyTree: + # get shard spec + sharding = get_sharding_from_model(model, params) + assert sharding is not None + + # get sharded params + params = jax.tree_util.tree_map(lambda x, s: multihost_device_put(x, s), params, sharding) + + return params + +def shard_train_state_from_params( + model: nn.Module, + params: PyTree, + optim: optax.GradientTransformation, +) -> TrainState: + # setup train_state init function + init_fn = lambda params: partial(TrainState.create, tx=optim, apply_fn=None)(params=params) + + # get shard spec + train_state_shape = jax.eval_shape(init_fn, params=params) + out_shardings = get_sharding_from_model(model, train_state_shape) + assert out_shardings is not None + + # get sharded train_state + train_state = pjit( + init_fn, + in_shardings=(out_shardings.params,), + out_shardings=out_shardings, + donate_argnums=(0,), + )(params) + + return train_state + +def shard_params_from_config( + model: nn.Module, + prng_key: jax.random.PRNGKeyArray, + params_dtype: Union[str, jnp.dtype]=jnp.float32, +) -> PyTree: + # setup init function + def init_fn(prng_key: jax.random.PRNGKeyArray) -> PyTree: + params = model.init( + {'params': prng_key}, + jnp.zeros((1, model.config.input_dim), dtype=model.dtype), + train=True, + )['params'] + params = float_to_dtype(params, dtype=params_dtype) + return params + + # get shard spec + params_shape = jax.eval_shape(init_fn, prng_key) + out_shardings = get_sharding_from_model(model, params_shape) + assert out_shardings is not None + + # get sharded params + params = jax.jit( + init_fn, + out_shardings=out_shardings, + )(prng_key) + + return params + +def shard_train_state_from_config( + model: nn.Module, + optim: optax.GradientTransformation, + prng_key: jax.random.PRNGKeyArray, + params_dtype: Union[str, jnp.dtype]=jnp.float32, +) -> TrainState: + + # setup train_state init function + def init_fn(prng_key: jax.random.PRNGKeyArray) -> TrainState: + params = model.init( + {'params': prng_key}, + jnp.zeros((1, model.config.input_dim), dtype=model.dtype), + train=True, + )['params'] + params = float_to_dtype(params, dtype=params_dtype) + return TrainState.create(params=params, tx=optim, apply_fn=None) + + # get shard spec + train_state_shape = jax.eval_shape(init_fn, prng_key) + out_shardings = get_sharding_from_model(model, train_state_shape) + assert out_shardings is not None + + # get sharded train_state + train_state = jax.jit( + init_fn, + out_shardings=out_shardings, + )(prng_key) + + return train_state + +def shard_params_from_checkpoint( + model: nn.Module, + checkpoint_path: str, + params_dtype: Union[str, jnp.dtype]=jnp.float32, + stream_sharding: bool=True, # shard tensors as they are loaded +) -> PyTree: + # setup init function + def init_fn(prng_key: jax.random.PRNGKeyArray) -> PyTree: + params = model.init( + {'params': prng_key}, + jnp.zeros((1, model.config.input_dim), dtype=model.dtype), + train=True, + )['params'] + params = float_to_dtype(params, dtype=params_dtype) + return params + + # get shard spec + params_shape = jax.eval_shape(init_fn, jax.random.PRNGKey(0)) + sharding = get_sharding_from_model(model, params_shape) + assert sharding is not None + + # load params with sharding + with jax.default_device(jax.devices('cpu')[0]): + params = load_pytree( + checkpoint_path, + target=params_shape, + dtype=params_dtype, + sharding=sharding if stream_sharding else None, + ) + + if not stream_sharding: + params = jax.tree_util.tree_map(lambda x, s: multihost_device_put(x, s), params, sharding) + return params + +def shard_train_state_from_checkpoint( + model: nn.Module, + checkpoint_path: str, + optim_getter: Callable[[PyTree], optax.GradientTransformation], # gets optim from params + just_params: bool = False, + train_state_dtype: Union[str, jnp.dtype]=jnp.float32, + stream_sharding: bool=True, # shard tensors as they are loaded +) -> Union[TrainState, PyTree]: + # setup train_state init function + def init_fn(prng_key: jax.random.PRNGKeyArray) -> TrainState: + params = model.init( + {'params': prng_key}, + jnp.zeros((1, model.config.input_dim), dtype=model.dtype), + train=True, + )['params'] + optim = optim_getter(params) + return TrainState.create(params=params, tx=optim, apply_fn=None) + + # get shard spec + train_state_shape = jax.eval_shape(init_fn, jax.random.PRNGKey(0)) + sharding = get_sharding_from_model(model, train_state_shape) + assert sharding is not None + + # load train_state + with jax.default_device(jax.devices('cpu')[0]): + train_state = load_pytree( + checkpoint_path, + target=train_state_shape, + dtype=train_state_dtype, + sharding=sharding if stream_sharding else None, + ) + + # get sharded params + if just_params: + params = train_state.params + if not stream_sharding: + params = jax.tree_util.tree_map(lambda x, s: multihost_device_put(x, s), params, sharding.params) + return params + + # get sharded train_state + if not stream_sharding: + train_state = jax.tree_util.tree_map(lambda x, s: multihost_device_put(x, s), train_state, sharding) + return train_state + +def shard_train_state_from_train_state( + model: nn.Module, + train_state: TrainState, +) -> TrainState: + # get shard spec + sharding = get_sharding_from_model(model, train_state) + assert sharding is not None + + # get sharded train_state + train_state = jax.tree_util.tree_map(lambda x, s: multihost_device_put(x, s), train_state, sharding) + + return train_state + +def copy_sharded_pytree( + model: nn.Module, + pytree: PyTree, +): + # define copy func + def copy_func(x, sharding): + with jax.default_device(jax.devices('cpu')[0]): + x = multihost_device_get(x, sharding).copy() + return multihost_device_put(x, sharding) + + # get shard spec + sharding = get_sharding_from_model(model, pytree) + assert sharding is not None + + # copy sharded pytree + pytree = jax.tree_util.tree_map( + copy_func, + pytree, + sharding, + ) + + return pytree diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/log_utils.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/log_utils.py new file mode 100755 index 00000000..c5916b21 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/log_utils.py @@ -0,0 +1,92 @@ +from collections import namedtuple +from typing import Any, Dict, List, Optional +import jax +import jax.numpy as jnp +import numpy as np +import wandb +from functools import reduce +from jaxtyping import PyTree + +# mean, count can be scalar or vector +LogTuple = namedtuple('LogTuple', ['mean', 'count']) + +""" +type checks +""" + +def _is_scalar(x): + return isinstance(x, int) or isinstance(x, float) or (isinstance(x, jnp.ndarray) and len(x.shape) == 0) or (isinstance(x, np.ndarray) and len(x.shape) == 0) + +def _is_vector(x): + return (isinstance(x, jnp.ndarray) and len(x.shape) > 0) or (isinstance(x, np.ndarray) and len(x.shape) > 0) + +def _is_leaf(x): + return _is_vector(x) or _is_scalar(x) or isinstance(x, LogTuple) + +""" +helper functions +""" + +# convert jax objects to python list and float +def _un_jax_logs(logs): + def _un_jax_log_f(x): + if isinstance(x, jnp.ndarray) or isinstance(x, np.ndarray): + if len(x.shape) == 0: + return float(x.item()) + else: + return list(map(float, x.tolist())) + return x + return jax.tree_util.tree_map(_un_jax_log_f, logs) + +# average logs +def _reduce_elements(x): + if isinstance(x, LogTuple): + if _is_vector(x.mean): + return jnp.nan_to_num((x.mean * x.count).sum() / x.count.sum(), nan=0, posinf=0, neginf=0) + return x.mean + if _is_vector(x): + return x.mean() + if _is_scalar(x): + return x + raise NotImplementedError + +# concatenate logs +def _combine_elements(a, b): + if _is_scalar(a): + a = LogTuple(a, 1) + if _is_scalar(b): + b = LogTuple(b, 1) + if isinstance(a, LogTuple) and isinstance(b, LogTuple): + return LogTuple(jnp.nan_to_num((a.mean * a.count + b.mean * b.count) / (a.count + b.count), nan=0, posinf=0, neginf=0), a.count + b.count) + if _is_vector(a) and _is_vector(b): + return jnp.concatenate((a, b,), axis=0) + raise NotImplementedError + +""" +main log functions +""" + +# combines a list of pytree logs into a single pytree of logs +def combine_logs(logs: List[PyTree], initial_log: Optional[PyTree]=None) -> PyTree: + tree_def = jax.tree_util.tree_structure(logs[0], is_leaf=_is_leaf) + flat_logs = list(zip(*[jax.tree_util.tree_flatten(log, is_leaf=_is_leaf)[0] for log in logs])) + if initial_log is None: + return jax.tree_util.tree_unflatten(tree_def, [reduce(_combine_elements, item) for item in flat_logs]) + return jax.tree_util.tree_unflatten(tree_def, [reduce(_combine_elements, item, initial_log) for item in flat_logs]) + +# averages logs and pulls them from jax array to python list and float +def pull_logs(logs: PyTree) -> Any: + logs = jax.tree_util.tree_map(_reduce_elements, logs, is_leaf=_is_leaf) + logs = jax.device_get(logs) + logs = _un_jax_logs(logs) + return logs + +# add wrapper dict around logs +def label_logs(logs: Any, label: str, to_add: Dict[str, Any]) -> Dict[str, Any]: + return {label: logs, **to_add} + +# log with print and wandb +def log(logs: Any, use_wandb: bool) -> None: + if use_wandb: + wandb.log(logs) + print(logs) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/utils.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/utils.py new file mode 100755 index 00000000..209fbb4c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/LLM_RL/utils.py @@ -0,0 +1,38 @@ +import os +import jax.numpy as jnp +import jax +import numpy as np +from JaxSeq.utils import ConvertPath + +# override projct root for convert_path +class LLMConvertPath(ConvertPath): + DEFAULT_PROJECT_ROOT = os.environ.get("PROJECT_ROOT", os.path.join(os.path.dirname(os.path.abspath(__file__)), '..')) +convert_path = LLMConvertPath().convert # set convert_path function + +def get_tensor_stats(xs: jax.Array, mask: jax.Array, n: int): + """get stats about a tensor, used for logging""" + mean = (xs * mask).sum() / n + mask = mask.astype(jnp.bool_) + return dict( + mean=mean, + min=jnp.min(xs, where=mask, initial=float('inf')), + max=jnp.max(xs, where=mask, initial=float('-inf')), + std=jnp.std(xs, where=mask), + ) + +def get_tensor_stats_np(xs: np.ndarray, mask: np.ndarray, n: int): + """get stats about a tensor, used for logging""" + mean = (xs * mask).sum() / n + mask = mask.astype(np.bool_) + return dict( + mean=mean, + min=np.min(xs, where=mask, initial=float('inf')), + max=np.max(xs, where=mask, initial=float('-inf')), + std=np.std(xs, where=mask), + ) + +def unpad_array(xs: np.ndarray, mask: np.ndarray) -> np.ndarray: + pad_t = jnp.where(1-mask)[0] + if len(pad_t) > 0: + xs = xs[:pad_t[0]] + return xs diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/README.md b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/README.md new file mode 100755 index 00000000..751a09da --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/README.md @@ -0,0 +1,118 @@ +# LMRL Gym: Benchmarks for Multi-Turn Reinforcement Learning with Language Models + +This is the official repository for LMRL Gym. You can access the dataset [here](https://rail.eecs.berkeley.edu/datasets/rl-llm-bench-dataset/). + + + +## Task Descriptions + +We present 8 tasks aimed at benchmarking RL tasks with language models. + +**Maze** A maze with a fixed layout and fixed goal and we create two different representations of the state, one that is *partially observed* and one that is *fully observed*. The fully observed representation includes the coordinates of the agent in the maze and the partially observed representation is the history of actions so far in the maze. + +**Text-based Navigation (Text-Nav).** +We design a text-based game based on navigation in a house environment using a modified version of the TextWorld engine \citep{textworld}. +Like in the maze task, we consider a *fully observed* and *partially observed* instantiation of the task. In the former, at each timestep, the full natural language description is provided to the agent, but in the latter, the first two components are omitted. + +**Wordle.** In the game wordle the agent is given at most 6 attempts to guess a hidden 5 letter word. After each guess, the agent is told whether each letter in the guessed word is: 1) in the hidden word and in the right position, 2) in the hidden word but not in the right position, or 3) not in the hidden word. + +**Chess.** We create a text-based chess task in order to test the complex decision making, credit assignment, and trajectory stitching properties. We use FEN (Forsyth-Edwards Notation) notation to represent the board state at each turn and we utilize the SAN (Short Algebraic Notation) to represent each action, both of which are standard notations used by the chess community. To generate the data, we have an agent Stockfish 15.1 of various different strengths play against another environment Stockfish engine with elo 1200. The agent receives a reward of 1 for a victorious game, -1 for a loss, 0 for non-terminal actions, and -1 for illegal moves. + +**Endgames (Theoretical Chess Endgames).** Chess endgames provide a simpler and more goal-directed variation of the chess task. A classic theoretical endgame position consists of a position where the only pieces on the board are the two kings and the queen. Although the board position appears simple, a sequence of carefully calculated moves is required to win. All choices we make regarding board state representation and reward function remain the same as previously for Chess. + +**20Qs (Twenty Questions).** +This task specifically tests information gathering to see if a policy can successfully reason about an unknown subject based on context to determine what it is. In twenty questions, one player (the oracle) thinks of an object, and the other player (the guesser) tries to guess what it is by asking a series of yes-or-no questions and the game continues until the guesser either guesses the correct answer or runs out of questions. We assign the reward as -1 for each guess that is incorrect and 0 for the correct answer. + +**Guess (Guess My City).** +This task simulates a more complicated guessing game, where one player (the oracle) is from a specific city, and the other player (the guesser) tries to guess what city the oracle is from. Here, the guesser can ask not only yes and no questions, but can also ask open-ended questions. We assign the reward the same as in the Twenty Questions task. + +**Car Dealer** +This task simulates a conversation between a car buyer and a car dealer, each with different strategies on how to get the best deal for themselves, The buyer wants to buy a certain type of car within a certain budget, and the car dealer wants to complete the sale ideally with a high sale price. The reward for the seller is the price of the final car purchase. + + + +## How to Use the Tasks + +Files to run each of the tasks can be found in llm_rl_scripts. For each task you will need to train BC before finetuning with RL. For example, to run BC for the Maze task, you would launch the following command: + +``` shell +python llm_rl_scripts/maze/bc/fully_observed_bc.py HF gpt2 PATH_TO_YOUR_DATA --outputs-path bc_checkpoint_path +``` + +Then convert the BC checkpoint to PARAMS format using + +``` shell +python -m examples_jaxseq.misc.export_checkpoint bc_checkpoint_path +``` + +You can evaluate your BC checkpoint as follows + +``` shell +python llm_rl_scripts/maze/bc/eval_bc.py PARAMS bc_checkpoint_path +``` + +Then to finetune with ILQL using this checkpoint you run + +``` shell +python llm_rl_scripts/maze/ilql/train_ilql.py PARAMS bc_checkpoint_path PATH_TO_YOUR_DATA --outputs-path ilql_checkpoint_path +``` + +Finally, to evaluate the results you run +``` shell +python llm_rl_scripts/maze/ilql/eval_ilql.py PARAMS bc_checkpoint_path PARAMS ilql_checkpoint_path +``` + +In the subfolder for each task, you can find a README detailing how to run each of the baseline experiments with the baseline hyperparameters. Note that to evaluate PPO policy you can also use the BC evaluation scripts. + + +## Installation + +### **1. Pull from GitHub** + +``` bash +git clone https://github.com/abdulhaim/LMRL-Gym +cd LMRL-Gym +``` + +### **2. Install dependencies** + +Install with conda (cpu, tpu, or gpu). + +**Install with conda (cpu):** +``` shell +conda env create -f environment.yml +conda activate LLM_RL +python -m pip install --upgrade pip +python -m pip install -e . +``` + +**Install with conda (gpu):** +``` shell +conda env create -f environment.yml +conda activate LLM_RL +python -m pip install --upgrade pip +conda install 'jaxlib=*=*cuda*' jax cuda-nvcc -c conda-forge -c nvidia +python -m pip install -e . +``` + +**Install with conda (tpu):** +``` shell +conda env create -f environment.yml +conda activate LLM_RL +python -m pip install --upgrade pip +python -m pip install jax[tpu] -f https://storage.googleapis.com/jax-releases/libtpu_releases.html +python -m pip install -e . +``` + +### **3. Install JaxSEQ** +``` shell +# navigate to a different directory +cd ~/ +git clone https://github.com/Sea-Snell/JaxSEQ +cd JaxSEQ +python -m pip install -e . +``` diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/environment.yml b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/environment.yml new file mode 100755 index 00000000..7ec31957 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/environment.yml @@ -0,0 +1,9 @@ +name: LLM_RL +channels: +- defaults +- conda-forge +dependencies: +- python=3.9.12 +- pip=22.1.2 +- pip: + - -r requirements.txt diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/bc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/bc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/bc/train_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/bc/train_bc.py new file mode 100755 index 00000000..ff91d0bb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/bc/train_bc.py @@ -0,0 +1,379 @@ +import contextlib +from typing import Any, Dict, List, Optional +import jax +from JaxSeq.models.gpt2.interface import GPT2TrainMask, GPT2InferenceMask +from JaxSeq.optimizers import GPT3Optimizer +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save, MapIterable, BlockingStrategy, Padding, Truncation +from JaxSeq.utils import get_weight_decay_mask +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode, load_params +import numpy as np +from jax.experimental.maps import Mesh +import optax +import tyro +from functools import partial +from LLM_RL.environment import text_env_eval +from llm_rl_scripts.car_dealer.env.policies import text_history_to_str +from LLM_RL.environment import TokenHistory +from JaxSeq.utils import convert_path +import os +import pickle as pkl +import json +from LLM_RL.algorithms.bc.core import bc_loss, load_bc_inference, load_bc_trainer +import pickle as pkl +from LLM_RL.algorithms.bc.data import BCDataset, filter_generator, filter_items +from LLM_RL.algorithms.bc.basic_train_loop import train_loop, eval_loop +from llm_rl_scripts.car_dealer.env.data import create_trajectories_from_conversations, Role +from llm_rl_scripts.car_dealer.env.env import BatchedCarDealerPolicyEnvironment +from llm_rl_scripts.car_dealer.env.buyer import BatchedGPT2BuyerPolicy +import tree +from transformers import AutoTokenizer +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import GenerationConfig +import jax.numpy as jnp +from jaxtyping import PyTree +import re + +def main( + model_load_mode: ModelLoadMode, + model_name: str, + buyer_model_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str], + role: Role=Role.SELLER, + outputs_path: str="outputs/", + + top_p: Optional[float]=None, + + checkpoint_path: Optional[str]=None, + checkpoint_is_sharded: bool=True, + + data_path: Optional[str]='data/car_dealer', + + use_wandb: bool=False, + wandb_project: Optional[str]='car-dealer-bc', + + do_pjit: bool=True, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + + epochs: int=2, + max_steps: Optional[int]=None, + eval_batches: Optional[int]=None, + + use_adafactor: bool=False, + + init_lr: float=0.0, + end_lr: float=0.0001, + lr: float=0.0001, + lr_warmup_steps: int=1, + lr_decay_steps: int=2, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=4, + + policy_bsize: int=1, + + gradient_checkpoint: bool=True, + + max_sequence_length: int=1024, + + policy_do_sample: bool=False, + policy_num_beams: int=1, + policy_temperature: float=1.0, + policy_top_p: float=1.0, + policy_top_k: int=0, + policy_max_output_length: int=1024, + policy_max_input_length: int=1024, + + bf16_activations: bool=False, + + policy_n_rollouts: int=1, + + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + force_pad_embeddings: bool=False, + + log_every: Optional[int]=None, + num_logs_per_epoch: int=10, + eval_every: Optional[int]=None, + num_evals_per_epoch: int=5, + save_every: Optional[int]=None, + num_saves_per_epoch: int=1, + save_best_also: bool=False, + save_last: bool=False, + + inference_bsize: int=32, + seed: int=0, + should_restore_loop_state: bool=False, + + gcloud_project: Optional[str]=None, + gcloud_token: Optional[str]=None, +): + if use_adafactor: + assert weight_decay == 0.0, 'no weight decay with adafactor' + if gcloud_project is not None and gcloud_token is None: + gcloud_token = os.path.join(os.path.expanduser('~'), f'.config/gcloud/{gcloud_project}.json') + + input_args = locals().copy() + print(input_args) + + is_main_process = jax.process_index() == 0 + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + + open = partial(open, gcloud_project=gcloud_project, gcloud_token=gcloud_token) + + tokenizer = AutoTokenizer.from_pretrained(model_name) + if tokenizer.pad_token is None: + print("set pad_token") + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + with open(convert_path(os.path.join(data_path, 'train.json')), 'r') as f: + raw_train = json.load(f) + with open(convert_path(os.path.join(data_path, 'eval.json')), 'r') as f: + raw_eval = json.load(f) + + train_text_trajectories = [] + eval_text_trajectories = [] + for personality, convos in raw_train.items(): + train_text_trajectories.extend(create_trajectories_from_conversations(convos, role)) + for personality, convos in raw_eval.items(): + eval_text_trajectories.extend(create_trajectories_from_conversations(convos, role)) + + print(f"Initial dataset sizes: train: {len(train_text_trajectories)}, eval: {len(eval_text_trajectories)}") + + if top_p is not None: + train_text_trajectories = filter_items(lambda x: sum(x.reward), train_text_trajectories, take_top=top_p, threshold=None) + eval_text_trajectories = filter_items(lambda x: sum(x.reward), eval_text_trajectories, take_top=top_p, threshold=None) + + train_text_histories = [trajectory.text_history for trajectory in train_text_trajectories] + eval_text_histories = [trajectory.text_history for trajectory in eval_text_trajectories] + + train_token_histories = [TokenHistory.from_text_history(text_history, tokenizer) for text_history in train_text_histories] + eval_token_histories = [TokenHistory.from_text_history(text_history, tokenizer) for text_history in eval_text_histories] + + train_token_histories = [token_history for token_history in train_token_histories if token_history.tokens.shape[0] <= max_sequence_length] + eval_token_histories = [token_history for token_history in eval_token_histories if token_history.tokens.shape[0] <= max_sequence_length] + + print(f"Final dataset sizes: train: {len(train_token_histories)}, eval: {len(eval_token_histories)}") + + train_data = BCDataset( + token_histories=train_token_histories, + pad_token_id=tokenizer.pad_token_id, + max_len=max_sequence_length, + ) + + eval_data = BCDataset( + token_histories=eval_token_histories, + pad_token_id=tokenizer.pad_token_id, + max_len=max_sequence_length, + ) + + if checkpoint_is_sharded and checkpoint_path is not None: + tail_checkpoint, head_checkpoint = os.path.split(checkpoint_path.strip('/')) + checkpoint_path = os.path.join(tail_checkpoint, 'shard_%d' % (jax.process_index()), head_checkpoint) + + if model_name == 'gpt2-xl' or model_name == 'gpt2-medium': + print("loading model") + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_name) if model_load_mode != ModelLoadMode.HF else model_name, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + else: + raise NotImplementedError + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=init_lr, + end_lr=end_lr, + lr=lr, + lr_warmup_steps=lr_warmup_steps, + lr_decay_steps=lr_decay_steps, + weight_decay=weight_decay, + bf16_momentum=bf16_momentum, + multiply_by_parameter_scale=multiply_by_parameter_scale, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_name) if model_load_mode != ModelLoadMode.HF else model_name, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + # model.config.gradient_checkpointing = gradient_checkpointing + # model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + # model.config.resid_pdrop = resid_pdrop + # model.config.embd_pdrop = embd_pdrop + # model.config.attn_pdrop = attn_pdrop + + # loop_state = dict() + # if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + # ModelLoadMode.TRAIN_STATE_PARAMS, + # ModelLoadMode.PARAMS}): + # with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + # loop_state = pkl.load(f) + + print("loading trainer and inference") + trainer = GPT2TrainMask.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + print("load environment") + prng_key = jax.random.PRNGKey(3) + prng_key, buyer_inference_prng, buyer_policy_prng = jax.random.split(prng_key, 3) + buyer_model_mode = ModelLoadMode.PARAMS + buyer_params, buyer_model = load_params( + model_load_mode=buyer_model_mode, + model_load_path=convert_path(buyer_model_path) if model_load_mode != ModelLoadMode.HF else buyer_model_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=buyer_inference_prng, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + env = BatchedCarDealerPolicyEnvironment( + buyer=buyer_model, + bsize=8, + ) + + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2PPOPolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + data_results = eval_loop( + inference=inference, + dataset=eval_data, + rng=jax.random.PRNGKey(1), + bsize=32, + prefetch_batches=None, + eval_batches=16, + ) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interation_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + return data_results['loss'], {'loss_metrics': data_results, 'generation_metrics': interaction_summary_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + rng=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every=eval_every_steps, + eval_at_beginning=eval_at_beginning, + save_every=save_every_steps, + save_at_end=save_at_end, + save_best=save_best, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + ) + +if __name__ == "__main__": + tyro.cli(main) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/bc/train_bc_gpt2.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/bc/train_bc_gpt2.py new file mode 100755 index 00000000..9c8bc4b9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/bc/train_bc_gpt2.py @@ -0,0 +1,369 @@ +import jax +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +from JaxSeq.models.gpt2.interface import GPT2Inference +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, FileOpenIterable +from JaxSeq.models.gpt2.interface import GPT2TrainMask, GPT2InferenceMask +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode, load_params +from JaxSeq.data import MaskDataset, MaskIterableDataset +from JaxSeq.train import eval_loss, train_loop +from JaxSeq.optimizers import GPT3Optimizer +from transformers import AutoTokenizer +import jax.numpy as jnp +import os +import optax +import pickle as pkl +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.environment import text_history_to_str, text_env_eval +import json +from llm_rl_scripts.car_dealer.env.buyer import BatchedGPT2BuyerPolicy +from llm_rl_scripts.car_dealer.env.env import CarDealerPolicyEnvironment, BatchedCarDealerPolicyEnvironment +from llm_rl_scripts.car_dealer.env.data import Role, create_trajectories_from_conversations +from IPython import embed +import nltk + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + oracle_model_path: str, + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + weight_decay: float=0.001, + init_lr: float=0.0001, + end_lr: float=0.0001, + lr: float=0.0001, + lr_warmup_steps: int=1000, + lr_decay_steps: int=1001, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + resid_pdrop: float=0.05, + attn_pdrop: float=0.05, + embd_pdrop: float=0.05, + + train_bsize: int=4, + grad_accum_steps: Optional[int]=32, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + bf16_activations: bool=False, + + max_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + eval_loss_bsize: int=4, + eval_loss_batches: Optional[int]=4, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=128, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + + nltk.download('punkt') + nltk.download('averaged_perceptron_tagger') + input_args = dict(locals()) + + print(input_args) + print(type(input_args)) + # embed() + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + with open(convert_path(train_data_path), 'r') as f: + raw_train = json.load(f) + with open(convert_path(eval_data_path), 'r') as f: + raw_eval = json.load(f) + + train_text_trajectories = create_trajectories_from_conversations(raw_train, role=Role.SELLER) + eval_text_trajectories = create_trajectories_from_conversations(raw_eval, role=Role.SELLER) + + # train_text_trajectories = [] + # eval_text_trajectories = [] + # for convos in raw_train: + # train_text_trajectories.extend(create_trajectories_from_conversations(convos, role=Role.SELLER)) + # for convos in raw_eval: + # eval_text_trajectories.extend(create_trajectories_from_conversations(convos, role=Role.SELLER)) + + def convert_trajectory_to_masked_text(trajectories): + for trajectory in trajectories: + text_history = trajectory.text_history + lst = [] + for text in text_history: + item = (text.text, text.is_action) + lst.append(item) + yield lst + + # train_text_histories = [convert_trajectory_to_masked_text(text_trajectory) for text_trajectory in train_text_trajectories] + # eval_text_histories = [convert_trajectory_to_masked_text(text_trajectory) for text_trajectory in eval_text_trajectories] + + train_data = MaskIterableDataset.blocked_from_str_segments_iterable( + convert_trajectory_to_masked_text(train_text_trajectories), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_length, + ), + ) + + eval_data = MaskIterableDataset.blocked_from_str_segments_iterable( + convert_trajectory_to_masked_text(eval_text_trajectories), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_length, + ), + ) + + prng_key = jax.random.PRNGKey(3) + prng_key, oracle_inference_prng, buyer_policy_prng = jax.random.split(prng_key, 3) + buyer_params, buyer_model = load_params( + model_load_mode=ModelLoadMode.PARAMS, + model_load_path=convert_path(oracle_model_path) if model_load_mode != ModelLoadMode.HF else oracle_model_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=oracle_inference_prng, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + buyer_inference = GPT2Inference.load_inference( + params=buyer_params, + model=buyer_model, + tokenizer=tokenizer, + ) + + buyer_policy = BatchedGPT2BuyerPolicy( + inference=buyer_inference, + prng_key=buyer_policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + model_prng_key = jax.random.PRNGKey(2) + policy_prng, oracle_prng = jax.random.split(model_prng_key) + + env = BatchedCarDealerPolicyEnvironment( + buyer=buyer_policy, + buyer_bsize=policy_bsize, + ) + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=init_lr, + end_lr=end_lr, + lr=lr, + lr_warmup_steps=lr_warmup_steps, + lr_decay_steps=lr_decay_steps, + weight_decay=weight_decay, + bf16_momentum=bf16_momentum, + multiply_by_parameter_scale=multiply_by_parameter_scale, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + model.config.resid_pdrop = resid_pdrop + model.config.embd_pdrop = embd_pdrop + model.config.attn_pdrop = attn_pdrop + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + trainer = GPT2TrainMask.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2PPOPolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_metrics = eval_loss( + inference=inference, + dataset=eval_data, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interation_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + return loss_metrics['loss'], {'loss_metrics': loss_metrics, 'generation_metrics': interaction_summary_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) +if __name__ == "__main__": + tyro.cli(main) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/ilql/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/ilql/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/ilql/train_ilql.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/ilql/train_ilql.py new file mode 100755 index 00000000..621961f7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/ilql/train_ilql.py @@ -0,0 +1,389 @@ +import contextlib +from typing import Optional +import jax +from algorithms.jax_agent import Inference, JaxAgentPolicy, ReRankerPolicy, build_agent_proposer +from algorithms.jax_ilql.core import ilql_loss, load_ilql_inference, load_ilql_trainer +from algorithms.jax_ilql.models import BaseModelState, load_advanced_mlp, load_advanced_mlp2, load_advanced_mlp3, load_advanced_mlp4, load_linear, load_mlp +from environment import Text, TextTransition +from jax_models.gptj import load_gptj_model +from jax_utils.jax_shard import OptimType, shard_params +from jax_models.gpt2 import load_gpt2_model +import numpy as np +from jax.experimental.maps import Mesh +import optax +import tyro +from functools import partial +from text_env_eval import text_env_eval +from token_history import PrefixTokenTrajectory, text_transition_to_token_transition +from utils.path import convert_path +import os +import pickle as pkl +from algorithms.jax_ilql.data import ILQLDataset, ILQLIterableDataset +from algorithms.jax_ilql.load_ilql import load_ilql_default_train +from transformers import AutoTokenizer +from environments.car_dealer.data import create_trajectories_from_conversations, Role +import tree +import json +from algorithms.jax_ilql.basic_train_loop import eval_loop, train_loop +from utils.gcs_manager import open_pp as open + + +def main( + exp_name: Optional[str], + model_name: str, + + /, # Mark the end of positional arguments. + + role: Role=Role.SELLER, + reward_mode: str="fancy", + + lm_checkpoint_path: Optional[str]=None, + value_checkpoint_path: Optional[str]=None, + value_checkpoint_idx: Optional[int]=None, + checkpoint_is_sharded: bool=True, + init_value_with_lm: bool=False, + + data_path: Optional[str]='data/car_dealer', + output_path: Optional[str]='outputs/car_dealer', + + use_wandb: bool=False, + wandb_project: Optional[str]='car_dealer-ilql', + + do_pjit: bool=True, + model_p_shape: int=1, + data_p_shape: int=1, + + epochs: int=2, + max_steps: Optional[int]=None, + eval_batches: Optional[int]=None, + + use_adafactor: bool=False, + lr: float=5e-5, + weight_decay: float=0.0, + + tau: float=0.5, + cql_weight: float=0.1, + + train_bsize: int=32, + grad_accum_steps: int=1, + + gradient_checkpoint: bool=True, + + max_sequence_length: int=1024, + + log_every: Optional[int]=None, + num_logs_per_epoch: float=10, + eval_every: Optional[int]=None, + num_evals_per_epoch: float=2, + save_every: Optional[int]=None, + num_saves_per_epoch: float=1, + save_best: bool=False, + save_best_also: bool=False, + save_last: bool=False, + + inference_bsize: int=32, + inference_beta: Optional[float]=None, + + seed: int=0, + + gcloud_project: Optional[str]=None, + gcloud_token: Optional[str]=None, + +): + if use_adafactor: + assert weight_decay == 0.0, 'no weight decay with adafactor' + if gcloud_project is not None and gcloud_token is None: + gcloud_token = os.path.join(os.path.expanduser('~'), f'.config/gcloud/{gcloud_project}.json') + + input_args = locals().copy() + print(input_args) + + + open = partial(open, gcloud_project=gcloud_project, gcloud_token=gcloud_token) + + tokenizer = AutoTokenizer.from_pretrained(model_name) + if tokenizer.pad_token is None: + print("set pad_token") + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + with open(convert_path(os.path.join(data_path, 'train.json')), 'r') as f: + raw_train = json.load(f) + with open(convert_path(os.path.join(data_path, 'eval.json')), 'r') as f: + raw_eval = json.load(f) + + train_text_trajectories = [] + eval_text_trajectories = [] + for personality, convos in raw_train.items(): + train_text_trajectories.extend(create_trajectories_from_conversations(convos, role, reward_mode)) + for personality, convos in raw_eval.items(): + eval_text_trajectories.extend(create_trajectories_from_conversations(convos, role, reward_mode)) + + print(f"Initial dataset sizes: train: {len(train_text_trajectories)}, eval: {len(eval_text_trajectories)}") + + train_token_transitions = [text_transition_to_token_transition(TextTransition(text_trajectory, None), tokenizer) for text_trajectory in train_text_trajectories] + eval_token_transitions = [text_transition_to_token_transition(TextTransition(text_trajectory, None), tokenizer) for text_trajectory in eval_text_trajectories] + + train_token_transitions = [token_transition for token_transition in train_token_transitions if token_transition.token_trajectory.tokens.shape[0] <= max_sequence_length] + eval_token_transitions = [token_transition for token_transition in eval_token_transitions if token_transition.token_trajectory.tokens.shape[0] <= max_sequence_length] + + print(f"Final dataset sizes: train: {len(train_token_transitions)}, eval: {len(eval_token_transitions)}") + + train_data = ILQLDataset( + token_transitions=train_token_transitions, + pad_token_id=tokenizer.pad_token_id, + max_len=max_sequence_length, + ) + + eval_data = ILQLDataset( + token_transitions=eval_token_transitions, + pad_token_id=tokenizer.pad_token_id, + max_len=max_sequence_length, + ) + print("finished loading dataset") + + if checkpoint_is_sharded and lm_checkpoint_path is not None: + tail_checkpoint, head_checkpoint = os.path.split(lm_checkpoint_path.strip('/')) + lm_checkpoint_path = os.path.join(tail_checkpoint, 'shard_%d' % (jax.process_index()), head_checkpoint) + + if checkpoint_is_sharded and value_checkpoint_path is not None: + value_checkpoint_path = os.path.join(value_checkpoint_path, 'shard_%d' % (jax.process_index())) + + value_path_suffix = f'_{value_checkpoint_idx}' if value_checkpoint_idx is not None else '' + + print("loading model") + if model_name == "gpt2-xl" or model_name == "gpt2-medium": + model, params, shard_rules = load_gpt2_model( + model_str=model_name, + from_pretrained=True, + checkpoint_path=lm_checkpoint_path, + use_fp16=jax.default_backend() == 'tpu', + tokenizer=tokenizer, + gradient_checkpoint=gradient_checkpoint, + seed=0, + gcloud_project=gcloud_project, + gcloud_token=gcloud_token, + ) + value_base = load_gpt2_model( + model_str=model_name, + from_pretrained=True, + checkpoint_path=lm_checkpoint_path if init_value_with_lm else (os.path.join(value_checkpoint_path, f'value_base{value_path_suffix}') if value_checkpoint_path is not None else None), + use_fp16=jax.default_backend() == 'tpu', + tokenizer=tokenizer, + gradient_checkpoint=True, + seed=2, + gcloud_project=gcloud_project, + gcloud_token=gcloud_token, + ) + if value_checkpoint_path is not None: + target_value_base = load_gpt2_model( + model_str=model_name, + from_pretrained=True, + checkpoint_path=lm_checkpoint_path if init_value_with_lm else (os.path.join(value_checkpoint_path, f'target_value_base{value_path_suffix}') if value_checkpoint_path is not None else None), + use_fp16=jax.default_backend() == 'tpu', + tokenizer=tokenizer, + gradient_checkpoint=True, + seed=2, + gcloud_project=gcloud_project, + gcloud_token=gcloud_token, + ) + target_value_base_params = target_value_base.params + else: + target_value_base_params = jax.tree_util.tree_map(lambda x: x.clone(), value_base.params) + + else: + raise NotImplementedError + + print("finished loading model") + + model_config = model.config + + if use_adafactor: + optim = optax.MultiSteps( + optax.adafactor( + learning_rate=lr, + multiply_by_parameter_scale=False, + ), + every_k_schedule=grad_accum_steps, + ) + optim_type = OptimType.AdaFactorMultiStep + else: + optim = optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.999, + eps=1e-8, + weight_decay=weight_decay, + ), + every_k_schedule=grad_accum_steps, + ) + optim_type = OptimType.AdamWMultiStep + + # mesh definition + if do_pjit: + mesh_devices = np.array(jax.devices()).reshape(data_p_shape, model_p_shape) + print('using mesh shape:', mesh_devices.shape) + print('full mesh:', mesh_devices) + mesh = Mesh(mesh_devices, ("dp", "mp")) + else: + mesh = contextlib.nullcontext() + + rng = jax.random.PRNGKey(seed) + + q_load_head_fn = partial(load_advanced_mlp4, inner_dim=model_config.hidden_size*4, + dropout=model_config.resid_pdrop, add_state_term=True, shard_params=True, + gcloud_project=gcloud_project, gcloud_token=gcloud_token) + v_load_head_fn = partial(load_advanced_mlp4, inner_dim=model_config.hidden_size*4, + dropout=model_config.resid_pdrop, add_state_term=False, shard_params=True, + gcloud_project=gcloud_project, gcloud_token=gcloud_token) + + rng, ilql_state_rng = jax.random.split(rng) + ilql_state = load_ilql_default_train( + value_base=value_base, + target_value_base_params=target_value_base_params, + q_load_head_fn=q_load_head_fn, + q_head_rng_keys=frozenset(['dropout']), + v_load_head_fn=v_load_head_fn, + v_head_rng_keys=frozenset(['dropout']), + rng=ilql_state_rng, + optim=optim, + optim_type=optim_type, + mesh=mesh, + do_pjit=do_pjit, + q1_checkpoint_path=os.path.join(value_checkpoint_path, f'q1_head{value_path_suffix}.pkl') if value_checkpoint_path is not None else None, + q2_checkpoint_path=os.path.join(value_checkpoint_path, f'q2_head{value_path_suffix}.pkl') if value_checkpoint_path is not None else None, + v_checkpoint_path=os.path.join(value_checkpoint_path, f'v_head{value_path_suffix}.pkl') if value_checkpoint_path is not None else None, + target_q1_checkpoint_path=os.path.join(value_checkpoint_path, f'target_q1_head{value_path_suffix}.pkl') if value_checkpoint_path is not None else None, + target_q2_checkpoint_path=os.path.join(value_checkpoint_path, f'target_q2_head{value_path_suffix}.pkl') if value_checkpoint_path is not None else None, + ) + + # shard params + if do_pjit: + params, param_spec = shard_params(partial(model.init_weights, input_shape=(1, 1)), + params, shard_rules, mesh) + else: + param_spec = None + + base_lm_state = BaseModelState( + model=model, + params=params, + param_spec=param_spec, + ) + + loss_fn = partial(ilql_loss, gamma=0.99, tau=tau, cql_weight=cql_weight, detach_q1=False, detach_q2=False, detach_v=False, separate_cql=True) + + trainer = load_ilql_trainer( + value_base_train_state=ilql_state.value_base_train_state, + q1_head_train_state=ilql_state.q1_head_train_state, + q2_head_train_state=ilql_state.q2_head_train_state, + v_head_train_state=ilql_state.v_head_train_state, + target_value_base_model_state=ilql_state.target_value_base_model_state, + target_q1_head_model_state=ilql_state.target_q1_head_model_state, + target_q2_head_model_state=ilql_state.target_q2_head_model_state, + tokenizer=tokenizer, + do_pjit=do_pjit, + loss_fn=loss_fn, + polyak_alpha=0.005, + hard_update_every=None, + use_pre_ln_state=False, + ) + + inference = load_ilql_inference( + pi_beta_state=base_lm_state, + value_base_state=ilql_state.value_base_train_state.model_state, + q1_head_state=ilql_state.q1_head_train_state.model_state, + q2_head_state=ilql_state.q2_head_train_state.model_state, + v_head_state=ilql_state.v_head_train_state.model_state, + target_value_base_state=ilql_state.target_value_base_model_state, + target_q1_head_state=ilql_state.target_q1_head_model_state, + target_q2_head_state=ilql_state.target_q2_head_model_state, + tokenizer=tokenizer, + do_pjit=do_pjit, + loss_fn=loss_fn, + beta=inference_beta, + use_pre_ln_state=False, + ) + + rng, evaluator_rng = jax.random.split(rng) + + def evaluator(inference: Inference): + nonlocal evaluator_rng + + evaluator_rng, eval_loop_rng = jax.random.split(evaluator_rng) + + results = {} + + data_results = eval_loop( + inference=inference, + dataset=eval_data, + rng=eval_loop_rng, + bsize=inference_bsize, + prefetch_batches=None, + eval_batches=eval_batches, + ) + results['data'] = data_results + + return data_results['loss'], results + + save_dir = None + if exp_name is not None: + save_dir = convert_path(os.path.join(output_path, exp_name, 'shard_%d' % (jax.process_index()))) + if (not save_dir.startswith('gcs://')) and (not os.path.exists(save_dir)): + os.makedirs(save_dir) + + # copy training script to outputs as a cheap form of config logging + with open(__file__, 'r') as f_local: + with open(os.path.join(save_dir, 'config.py'), 'w') as f_save: + f_save.write(f_local.read()) + with open(os.path.join(save_dir, 'input_args.pkl'), 'wb') as f: + pkl.dump(input_args, f) + + # save info about mesh devices + if do_pjit: + with open(os.path.join(save_dir, 'system_mesh.pkl'), 'wb') as f: + pkl.dump({'mesh': tree.map_structure(lambda x: {'id': int(x.id), 'process_index': int(x.process_index)}, mesh.devices.tolist()), + 'process_index': int(jax.process_index()), 'process_count': int(jax.process_count())}, f) + + n_datapoints = len(train_data) + if log_every is None: + log_every = int(n_datapoints / (train_bsize * num_logs_per_epoch)) + if eval_every is None: + eval_every = int(n_datapoints / (train_bsize * num_evals_per_epoch)) + if save_every is None: + save_every = int(n_datapoints / (train_bsize * num_saves_per_epoch)) + + if save_best and not save_last: + save_every = None + + rng, training_rng = jax.random.split(rng) + with mesh: + trainer, inference = train_loop( + value_base_model=value_base.model, + target_value_base_model=value_base.model, + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + rng=training_rng, + save_dir=save_dir, + max_checkpoints=1 if save_last else None, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + prefetch_batches=None, + log_every=log_every, + eval_every=eval_every, + save_every=save_every, + save_every_epochs=None, + save_at_end=save_last, + save_best=save_best or save_best_also, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + gcloud_project=gcloud_project, + gcloud_token=gcloud_token, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/ilql/train_ilql2.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/ilql/train_ilql2.py new file mode 100755 index 00000000..63b6a063 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/ilql/train_ilql2.py @@ -0,0 +1,515 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.models.gpt2.interface import GPT2Inference +from JaxSeq.shard_model import shard_params_from_params +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, jsonl_stream, FileOpenIterable +from transformers import AutoTokenizer +import jax +import jax.numpy as jnp +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode, load_params +import pickle as pkl +from LLM_RL.algorithms.ilql.base_interface import ilql_loss +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain, text_history_to_str +from LLM_RL.algorithms.ilql.gpt2.interface import GPT2ILQLInference, GPT2ILQLTrain +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.mlp_head import MLPHeadConfig +from LLM_RL.algorithms.ilql.data import ILQLIterableDataset, ILQLDataset +from functools import partial +from JaxSeq.logs import log, pull_logs +from LLM_RL.algorithms.ilql.train import train_loop, eval_loss +from LLM_RL.algorithms.ilql.data import ILQLData, ILQLIterableDataset +from JaxSeq.utils import multihost_device_get +from llm_rl_scripts.car_dealer.env.buyer import BatchedGPT2BuyerPolicy +from llm_rl_scripts.car_dealer.env.env import BatchedCarDealerPolicyEnvironment +from llm_rl_scripts.car_dealer.env.data import create_trajectories_from_conversations, Role +from jax.sharding import PartitionSpec as PS +from IPython import embed +import nltk +import json + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + oracle_model_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + policy_bsize: int=2, + policy_n_rollouts: int=32, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + beta: float=16.0, + + detach_q1: bool=False, + detach_q2: bool=False, + detach_v: bool=False, + polyak_alpha: float=0.005, + hard_update_every: Optional[int]=None, + + gamma: float=0.99, + tau: float=0.7, + cql_weight: float=0.01, +): + nltk.download('punkt') + nltk.download('averaged_perceptron_tagger') + input_args = dict(locals()) + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + with open(convert_path(train_data_path), 'r') as f: + raw_train = json.load(f) + with open(convert_path(eval_data_path), 'r') as f: + raw_eval = json.load(f) + + train_text_trajectories = create_trajectories_from_conversations(raw_train, role=Role.SELLER) + eval_text_trajectories = create_trajectories_from_conversations(raw_eval, role=Role.SELLER) + + def ilql_data_generator(trajectories): + for trajectory in trajectories: + trajectory_chain = TextTrajectoryChain(text_trajectory=trajectory, + next=None,) + token_trajectory = TokenTrajectoryChain.from_text_trajectory_chain(trajectory_chain, tokenizer) + yield ILQLData.from_token_trajectory_chain(token_trajectory) + + train_dataset = ILQLIterableDataset.from_ilql_data_iterable( + ilql_data_generator(train_text_trajectories), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + eval_dataset = ILQLIterableDataset.from_ilql_data_iterable( + ilql_data_generator(eval_text_trajectories), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + def policy_optim_getter(params: PyTree): # type: ignore + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): # type: ignore + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + base_model.config.gradient_checkpointing = gradient_checkpointing + base_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + target_base_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + target_base_params = shard_params_from_params( + model=base_model, + params=target_base_params, + ) + with jax.default_device(jax.devices('cpu')[0]): + pi_beta_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + pi_beta_params = shard_params_from_params( + model=base_model, + params=pi_beta_params, + ) + + q1_prng_key = jax.random.PRNGKey(4) + q1_head_train_state, q_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q1_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q1_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q1_head_train_state.params, + ) + q1_target_head_params = shard_params_from_params( + model=q_head, + params=q1_target_head_params, + ) + + q2_prng_key = jax.random.PRNGKey(5) + q2_head_train_state, _ = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q2_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q2_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q2_head_train_state.params, + ) + q2_target_head_params = shard_params_from_params( + model=q_head, + params=q2_target_head_params, + ) + + class ValueMLPHeadConfig(MLPHeadConfig): + @staticmethod + def get_partition_rules(): + return [ + (re.escape("['dense1']['kernel']"), PS("fsdp", "mp")), + (re.escape("['dense1']['bias']"), PS("mp")), + (re.escape("['dense2']['kernel']"), PS("fsdp", None)), + (re.escape("['dense2']['bias']"), PS()), + ] + + v_prng_key = jax.random.PRNGKey(6) + v_head_train_state, v_head = load_head_train_state_from_config( + model_config=ValueMLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=1, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=v_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(ilql_loss, gamma=gamma, tau=tau, cql_weight=cql_weight) + + train = GPT2ILQLTrain.load_train( + base_train_state=base_train_state, + target_base_params=target_base_params, + q1_head_train_state=q1_head_train_state, + q2_head_train_state=q2_head_train_state, + v_head_train_state=v_head_train_state, + q1_target_head_params=q1_target_head_params, + q2_target_head_params=q2_target_head_params, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q1=detach_q1, + detach_q2=detach_q2, + detach_v=detach_v, + polyak_alpha=polyak_alpha, + hard_update_every=hard_update_every, + ) + + inference = GPT2ILQLInference.load_inference( + value_inference=GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q1_head_params=q1_head_train_state.params, + q2_head_params=q2_head_train_state.params, + v_head_params=v_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + beta=beta, + dp_shard_logits=True, + ), + target_value_inference=GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=target_base_params, + q1_head_params=q1_target_head_params, + q2_head_params=q2_target_head_params, + v_head_params=None, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=None, + tokenizer=tokenizer, + beta=beta, + dp_shard_logits=True, + ), + loss_fn=loss_fn, + ) + + prng_key = jax.random.PRNGKey(3) + prng_key, oracle_inference_prng, buyer_policy_prng = jax.random.split(prng_key, 3) + buyer_params, buyer_model = load_params( + model_load_mode=ModelLoadMode.PARAMS, + model_load_path=convert_path(oracle_model_path) if model_load_mode != ModelLoadMode.HF else oracle_model_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=oracle_inference_prng, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + buyer_inference = GPT2Inference.load_inference( + params=buyer_params, + model=buyer_model, + tokenizer=tokenizer, + ) + + buyer_policy = BatchedGPT2BuyerPolicy( + inference=buyer_inference, + prng_key=buyer_policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + env = BatchedCarDealerPolicyEnvironment( + buyer=buyer_policy, + buyer_bsize=policy_bsize, + ) + + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + + def evaluate(inference: GPT2ILQLInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2ValuePolicy( + inference=inference.value_inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_results = eval_loss( + inference=inference, + dataset=eval_dataset, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interaction_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interaction_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + logs = pull_logs(interaction_summary_results) + log(logs, use_wandb and is_main_process) + + return loss_results['losses']['total_loss'], {'interaction': logs, 'loss': loss_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=train_dataset, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/mc_returns/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/mc_returns/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/mc_returns/train_mc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/mc_returns/train_mc.py new file mode 100755 index 00000000..5ada3e51 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/mc_returns/train_mc.py @@ -0,0 +1,360 @@ +import contextlib +from typing import Optional +import jax +from algorithms.jax_agent import Inference, JaxAgentPolicy, ReRankerPolicy, build_agent_proposer +from algorithms.jax_bc.core import load_bc_inference +from algorithms.jax_frozen_ilql.core import frozen_ilql_loss, load_frozen_ilql_inference, load_frozen_ilql_trainer +from algorithms.jax_ilql.models import BaseModelState, load_advanced_mlp, load_advanced_mlp2, load_advanced_mlp3, load_advanced_mlp4, load_linear, load_mlp +from jax_models.gptj import load_gptj_model +from jax_utils.jax_shard import OptimType, shard_params +from jax_models.gpt2 import load_gpt2_model +import numpy as np +from jax.experimental.maps import Mesh +import optax +import tyro +from functools import partial +from token_history import PrefixTokenTrajectory +from utils.path import convert_path +import os +import pickle as pkl +from algorithms.jax_frozen_ilql.mc_returns import FrozenMCReturnsILQLDataset, FrozenMCReturnsILQLIterableListDataset, frozen_ilql_mc_returns, frozen_mc_returns_loss +from algorithms.jax_frozen_ilql.load_frozen_ilql import load_frozen_ilql_default_train +from algorithms.jax_frozen_ilql.basic_train_loop import train_loop, eval_loop +from text_env_eval import text_env_eval +from transformers import AutoTokenizer +import tree + +def main( + exp_name: Optional[str], + model_name: str, + + /, # Mark the end of positional arguments. + + load_lm: bool=False, + + lm_checkpoint_path: Optional[str]=None, + value_checkpoint_path: Optional[str]=None, + value_checkpoint_idx: Optional[int]=None, + checkpoint_is_sharded: bool=True, + + data_path: Optional[str]=None, + output_path: Optional[str]='outputs/car_dealer', + + use_wandb: bool=False, + wandb_project: Optional[str]='car_dealer-frozen_mc', + + do_pjit: bool=True, + model_p_shape: int=1, + data_p_shape: int=1, + + epochs: int=2, + max_steps: Optional[int]=None, + eval_batches: Optional[int]=None, + + use_adafactor: bool=False, + lr: float=5e-5, + weight_decay: float=0.0, + + tau: float=0.5, + cql_weight: float=0.1, + + train_bsize: int=32, + grad_accum_steps: int=1, + + gradient_checkpoint: bool=True, + + max_sequence_length: int=1024, + + log_every: Optional[int]=None, + num_logs_per_epoch: int=10, + eval_every: Optional[int]=None, + num_evals_per_epoch: int=2, + save_every: Optional[int]=None, + num_saves_per_epoch: int=1, + save_best: bool=False, + save_best_also: bool=False, + save_last: bool=False, + + inference_bsize: int=32, + inference_beta: float=1.0, + + seed: int=0, + + gcloud_project: Optional[str]=None, + gcloud_token: Optional[str]=None, +): + if use_adafactor: + assert weight_decay == 0.0, 'no weight decay with adafactor' + if gcloud_project is not None and gcloud_token is None: + gcloud_token = os.path.join(os.path.expanduser('~'), f'.config/gcloud/{gcloud_project}.json') + + input_args = locals().copy() + print(input_args) + + from utils.gcs_manager import open_pp as open + open = partial(open, gcloud_project=gcloud_project, gcloud_token=gcloud_token) + + tokenizer = AutoTokenizer.from_pretrained(model_name) + if tokenizer.pad_token is None: + print("set pad_token") + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + data_path = convert_path(data_path) + + print("loading datasets") + with open(os.path.join(data_path, 'train_token_transitions.pkl'), 'rb') as f: + train_token_transitions = pkl.load(f) + with open(os.path.join(data_path, 'train_embs.pkl'), 'rb') as f: + train_emb_cacher = pkl.load(f) + train_prefix_token_trajectories = [PrefixTokenTrajectory(tt.token_trajectory, tt.token_trajectory) for tt in train_token_transitions] + + with open(os.path.join(data_path, 'eval_embs.pkl'), 'rb') as f: + eval_emb_cacher = pkl.load(f) + with open(os.path.join(data_path, 'eval_token_transitions.pkl'), 'rb') as f: + eval_token_transitions = pkl.load(f) + eval_prefix_token_trajectories = [PrefixTokenTrajectory(tt.token_trajectory, tt.token_trajectory) for tt in eval_token_transitions] + print("finished loading dataset") + + if checkpoint_is_sharded and lm_checkpoint_path is not None: + tail_checkpoint, head_checkpoint = os.path.split(lm_checkpoint_path.strip('/')) + lm_checkpoint_path = os.path.join(tail_checkpoint, 'shard_%d' % (jax.process_index()), head_checkpoint) + + if checkpoint_is_sharded and value_checkpoint_path is not None: + value_checkpoint_path = os.path.join(value_checkpoint_path, 'shard_%d' % (jax.process_index()), head_checkpoint) + + print("loading model") + if model_name == 'gpt2-xl' or model_name == "gpt2-medium": + model, params, shard_rules = load_gpt2_model( + model_str=model_name, + from_pretrained=True, + checkpoint_path=lm_checkpoint_path, + use_fp16=jax.default_backend() == 'tpu', + tokenizer=tokenizer, + gradient_checkpoint=gradient_checkpoint, + seed=0, + gcloud_project=gcloud_project, + gcloud_token=gcloud_token, + ) + else: + raise NotImplementedError + print("finished loading model") + + model_config = model.config + + if not load_lm: + # just need the config + del model + del params + del shard_rules + + train_data = FrozenMCReturnsILQLIterableListDataset( + prefix_token_trajectories=train_prefix_token_trajectories, + emb_cacher=train_emb_cacher, + pad_token_id=tokenizer.pad_token_id, + max_len=max_sequence_length, + max_rewards_len=max_sequence_length*4, + emb_dim=model_config.hidden_size, + seed=seed, + ) + + eval_data = FrozenMCReturnsILQLIterableListDataset( + prefix_token_trajectories=eval_prefix_token_trajectories, + emb_cacher=eval_emb_cacher, + pad_token_id=tokenizer.pad_token_id, + max_len=max_sequence_length, + max_rewards_len=max_sequence_length*4, + emb_dim=model_config.hidden_size, + seed=seed, + ) + + if use_adafactor: + optim = optax.MultiSteps( + optax.adafactor( + learning_rate=lr, + multiply_by_parameter_scale=False, + ), + every_k_schedule=grad_accum_steps, + ) + optim_type = OptimType.AdaFactorMultiStep + else: + optim = optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.999, + eps=1e-8, + weight_decay=weight_decay, + ), + every_k_schedule=grad_accum_steps, + ) + optim_type = OptimType.AdamWMultiStep + + # mesh definition + if do_pjit: + mesh_devices = np.array(jax.devices()).reshape(data_p_shape, model_p_shape) + print('using mesh shape:', mesh_devices.shape) + print('full mesh:', mesh_devices) + mesh = Mesh(mesh_devices, ("dp", "mp")) + else: + mesh = contextlib.nullcontext() + + rng = jax.random.PRNGKey(seed) + + q_load_head_fn = partial(load_advanced_mlp4, inner_dim=model_config.hidden_size*4, + dropout=model_config.resid_pdrop, add_state_term=True, shard_params=True, + gcloud_project=gcloud_project, gcloud_token=gcloud_token) + v_load_head_fn = partial(load_advanced_mlp4, inner_dim=model_config.hidden_size*4, + dropout=model_config.resid_pdrop, add_state_term=False, shard_params=True, + gcloud_project=gcloud_project, gcloud_token=gcloud_token) + + value_path_suffix = f'_{value_checkpoint_idx}' if value_checkpoint_idx is not None else '' + rng, ilql_state_rng = jax.random.split(rng) + ilql_state = load_frozen_ilql_default_train( + q_load_head_fn=q_load_head_fn, + q_head_rng_keys=frozenset(['dropout']), + v_load_head_fn=v_load_head_fn, + v_head_rng_keys=frozenset(['dropout']), + emb_dim=model_config.hidden_size, + vocab_size=model_config.vocab_size, + rng=ilql_state_rng, + optim=optim, + optim_type=optim_type, + mesh=mesh, + do_pjit=do_pjit, + q1_checkpoint_path=os.path.join(value_checkpoint_path, f'q1_head{value_path_suffix}.pkl') if value_checkpoint_path is not None else None, + q2_checkpoint_path=os.path.join(value_checkpoint_path, f'q2_head{value_path_suffix}.pkl') if value_checkpoint_path is not None else None, + v_checkpoint_path=os.path.join(value_checkpoint_path, f'v_head{value_path_suffix}.pkl') if value_checkpoint_path is not None else None, + target_q1_checkpoint_path=os.path.join(value_checkpoint_path, f'target_q1_head{value_path_suffix}.pkl') if value_checkpoint_path is not None else None, + target_q2_checkpoint_path=os.path.join(value_checkpoint_path, f'target_q2_head{value_path_suffix}.pkl') if value_checkpoint_path is not None else None, + ) + + if load_lm: + # shard params + if do_pjit: + params, param_spec = shard_params(partial(model.init_weights, input_shape=(1, 1)), + params, shard_rules, mesh) + else: + param_spec = None + + base_lm_state = BaseModelState( + model=model, + params=params, + param_spec=param_spec, + ) + else: + base_lm_state = None + + loss_fn = partial(frozen_ilql_mc_returns, gamma=0.99, tau=tau, cql_weight=cql_weight, separate_cql=True) + + trainer = load_frozen_ilql_trainer( + q1_head_train_state=ilql_state.q1_head_train_state, + q2_head_train_state=ilql_state.q2_head_train_state, + v_head_train_state=ilql_state.v_head_train_state, + target_q1_head_model_state=ilql_state.target_q1_head_model_state, + target_q2_head_model_state=ilql_state.target_q2_head_model_state, + emb_cacher=train_emb_cacher, + emb_dim=model_config.hidden_size, + tokenizer=tokenizer, + do_pjit=do_pjit, + loss_fn=loss_fn, + polyak_alpha=0.005, + hard_update_every=None, + ) + + inference = load_frozen_ilql_inference( + base_lm_state=base_lm_state, + q1_head_state=ilql_state.q1_head_train_state.model_state, + q2_head_state=ilql_state.q2_head_train_state.model_state, + v_head_state=ilql_state.v_head_train_state.model_state, + target_q1_head_state=ilql_state.target_q1_head_model_state, + target_q2_head_state=ilql_state.target_q2_head_model_state, + emb_cacher=eval_emb_cacher, + emb_dim=model_config.hidden_size, + tokenizer=tokenizer, + do_pjit=do_pjit, + loss_fn=loss_fn, + beta=inference_beta, + use_pre_ln_state=False, + ) + + rng, evaluator_rng = jax.random.split(rng) + + def evaluator(inference: Inference): + nonlocal evaluator_rng + + evaluator_rng, eval_loop_rng = jax.random.split(evaluator_rng) + + results = {} + + data_results = eval_loop( + inference=inference, + dataset=eval_data, + rng=eval_loop_rng, + bsize=inference_bsize, + prefetch_batches=None, + eval_batches=eval_batches, + ) + results['data'] = data_results + + return data_results['loss'], results + + save_dir = None + if exp_name is not None: + save_dir = convert_path(os.path.join(output_path, exp_name, 'shard_%d' % (jax.process_index()))) + if (not save_dir.startswith('gcs://')) and (not os.path.exists(save_dir)): + os.makedirs(save_dir) + + # copy training script to outputs as a cheap form of config logging + with open(__file__, 'r') as f_local: + with open(os.path.join(save_dir, 'config.py'), 'w') as f_save: + f_save.write(f_local.read()) + with open(os.path.join(save_dir, 'input_args.pkl'), 'wb') as f: + pkl.dump(input_args, f) + + # save info about mesh devices + if do_pjit: + with open(os.path.join(save_dir, 'system_mesh.pkl'), 'wb') as f: + pkl.dump({'mesh': tree.map_structure(lambda x: {'id': int(x.id), 'process_index': int(x.process_index)}, mesh.devices.tolist()), + 'process_index': int(jax.process_index()), 'process_count': int(jax.process_count())}, f) + + n_datapoints = len(train_token_transitions) + if log_every is None: + log_every = n_datapoints // (train_bsize * num_logs_per_epoch) + if eval_every is None: + eval_every = n_datapoints // (train_bsize * num_evals_per_epoch) + if save_every is None: + save_every = n_datapoints // (train_bsize * num_saves_per_epoch) + + if save_best and not save_last: + save_every = None + + rng, training_rng = jax.random.split(rng) + with mesh: + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + rng=training_rng, + save_dir=save_dir, + max_checkpoints=1 if save_last else None, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + prefetch_batches=None, + log_every=log_every, + eval_every=eval_every, + save_every_epochs=None, + save_every=save_every, + save_at_end=save_last, + save_best=save_best or save_best_also, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + gcloud_project=gcloud_project, + gcloud_token=gcloud_token, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/misc/cache_embs.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/misc/cache_embs.py new file mode 100755 index 00000000..990bea6e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/misc/cache_embs.py @@ -0,0 +1,204 @@ +import contextlib +from typing import Optional, Tuple +import jax +from algorithms.jax_agent import JaxAgentPolicy, Inference +from algorithms.jax_bc.basic_train_loop import train_loop, eval_loop +from algorithms.jax_bc.core import bc_loss, load_bc_inference, load_bc_trainer +from algorithms.jax_bc.data import BCDataset, BCIterableDataset +from algorithms.jax_ilql.models import BaseModelState +from jax_models.gptj import load_gptj_model +from jax_utils.jax_shard import OptimType, shard_optim_and_params, shard_params +from environment import TextTrajectory, TextTransition +from environments.car_dealer.data import create_trajectories_from_conversations, Role +from jax_models.gpt2 import load_gpt2_model +from transformers import GPT2Tokenizer +import numpy as np +from jax.experimental.maps import Mesh +import optax +from dataclasses import dataclass +import tyro +from functools import partial +from text_env_eval import text_env_eval +from token_history import text_history_to_token_history, text_transition_to_token_transition +from utils.path import convert_path +import os +import pickle as pkl +from algorithms.jax_ilql.data import ILQLDataset, ILQLIterableDataset +from algorithms.jax_frozen_ilql.core import load_frozen_ilql_inference +from algorithms.jax_frozen_ilql.basic_cache_embedding_loop import embedding_loop +from tqdm.auto import tqdm +from transformers import AutoTokenizer +import json +import sys +sys.setrecursionlimit(10000) + +def main( + exp_name: Optional[str], + model_name: str, + + /, # Mark the end of positional arguments. + + role: Role=Role.SELLER, + reward_mode: str="fancy", + + checkpoint_path: Optional[str]=None, + checkpoint_is_sharded: bool=True, + + data_path: Optional[str]='data/car_dealer', + output_path: Optional[str]='embs/car_dealer', + + do_pjit: bool=True, + model_p_shape: int=1, + data_p_shape: int=1, + + bsize: int=32, + max_sequence_length: int=1024, + + gcloud_project: Optional[str]=None, + gcloud_token: Optional[str]=None, +): + if gcloud_project is not None and gcloud_token is None: + gcloud_token = os.path.join(os.path.expanduser('~'), f'.config/gcloud/{gcloud_project}.json') + + input_args = locals().copy() + print(input_args) + + from utils.gcs_manager import open_pp as open + open = partial(open, gcloud_project=gcloud_project, gcloud_token=gcloud_token) + + tokenizer = AutoTokenizer.from_pretrained(model_name) + if tokenizer.pad_token is None: + print("set pad_token") + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + with open(convert_path(os.path.join(data_path, 'train.json')), 'r') as f: + raw_train = json.load(f) + with open(convert_path(os.path.join(data_path, 'eval.json')), 'r') as f: + raw_eval = json.load(f) + + train_text_trajectories = [] + eval_text_trajectories = [] + for personality, convos in raw_train.items(): + train_text_trajectories.extend(create_trajectories_from_conversations(convos, role, reward_mode)) + for personality, convos in raw_eval.items(): + eval_text_trajectories.extend(create_trajectories_from_conversations(convos, role, reward_mode)) + + train_token_transitions = [text_transition_to_token_transition(TextTransition(text_trajectory, None), tokenizer) for text_trajectory in train_text_trajectories] + eval_token_transitions = [text_transition_to_token_transition(TextTransition(text_trajectory, None), tokenizer) for text_trajectory in eval_text_trajectories] + + train_token_transitions = [token_transition for token_transition in train_token_transitions if token_transition.token_trajectory.tokens.shape[0] <= max_sequence_length] + eval_token_transitions = [token_transition for token_transition in eval_token_transitions if token_transition.token_trajectory.tokens.shape[0] <= max_sequence_length] + + print(f"Final dataset sizes: train: {len(train_token_transitions)}, eval: {len(eval_token_transitions)}") + + train_data = ILQLDataset( + token_transitions=train_token_transitions, + pad_token_id=tokenizer.pad_token_id, + max_len=max_sequence_length, + ) + + eval_data = ILQLDataset( + token_transitions=eval_token_transitions, + pad_token_id=tokenizer.pad_token_id, + max_len=max_sequence_length, + ) + + if checkpoint_is_sharded and checkpoint_path is not None: + tail_checkpoint, head_checkpoint = os.path.split(checkpoint_path.strip('/')) + checkpoint_path = os.path.join(tail_checkpoint, 'shard_%d' % (jax.process_index()), head_checkpoint) + + if model_name == 'gpt2-xl' or model_name == 'gpt2-medium': + model, params, shard_rules = load_gpt2_model( + model_str=model_name, + from_pretrained=True, + checkpoint_path=checkpoint_path, + use_fp16=jax.default_backend() == 'tpu', + tokenizer=tokenizer, + gradient_checkpoint=False, + seed=0, + gcloud_project=gcloud_project, + gcloud_token=gcloud_token, + ) + else: + raise NotImplementedError + + # mesh definition + if do_pjit: + mesh_devices = np.array(jax.devices()).reshape(data_p_shape, model_p_shape) + print('using mesh shape:', mesh_devices.shape) + print('full mesh:', mesh_devices) + mesh = Mesh(mesh_devices, ("dp", "mp")) + else: + mesh = contextlib.nullcontext() + + # shard params and optimizer + if do_pjit: + params, param_spec = shard_params(partial(model.init_weights, input_shape=(1, 1)), + params, shard_rules, mesh) + else: + param_spec = None + + base_lm_state = BaseModelState( + model=model, + params=params, + param_spec=param_spec, + ) + + inference = load_frozen_ilql_inference( + base_lm_state=base_lm_state, + q1_head_state=None, + q2_head_state=None, + v_head_state=None, + target_q1_head_state=None, + target_q2_head_state=None, + emb_cacher=None, + emb_dim=model.config.hidden_size, + tokenizer=tokenizer, + do_pjit=True, + loss_fn=None, + beta=0.0, + use_pre_ln_state=False, + ) + + save_dir = None + if exp_name is not None: + save_dir = convert_path(os.path.join(output_path, exp_name)) + if (not save_dir.startswith('gcs://')) and (not os.path.exists(save_dir)): + os.makedirs(save_dir) + + with mesh: + print("Starting train embedding.") + emb_cacher = embedding_loop( + inference=inference, + dataset=train_data, + rng=jax.random.PRNGKey(1), + bsize=bsize, + prefetch_batches=None, + max_batches=None, + ) + + if save_dir is not None: + with open(os.path.join(save_dir, 'train_embs.pkl'), 'wb') as f: + pkl.dump(emb_cacher, f) + with open(os.path.join(save_dir, 'train_token_transitions.pkl'), 'wb') as f: + pkl.dump(train_token_transitions, f) + + with mesh: + print("Starting eval embedding.") + emb_cacher = embedding_loop( + inference=inference, + dataset=eval_data, + rng=jax.random.PRNGKey(1), + bsize=bsize, + prefetch_batches=None, + max_batches=None, + ) + + if save_dir is not None: + with open(os.path.join(save_dir, 'eval_embs.pkl'), 'wb') as f: + pkl.dump(emb_cacher, f) + with open(os.path.join(save_dir, 'eval_token_transitions.pkl'), 'wb') as f: + pkl.dump(eval_token_transitions, f) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/misc/car_dealer_human_eval.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/misc/car_dealer_human_eval.py new file mode 100755 index 00000000..e2b63b26 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/misc/car_dealer_human_eval.py @@ -0,0 +1,64 @@ +import os +import json +import time +import jax +import pickle as pkl +from llm_rl_scripts.car_dealer.env.policies import car_dealer_env, UserPolicy, eval +from LLM_RL.environment import text_env_eval + +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import create_path +from LLM_RL.utils import convert_path + +INTRO_TEXT = """\ +Welcome to the Car Salesman Bargaining Task. +You will act as a seller, who wants to maximize the sell price of a car. + +Now that you know the rules, let's get started! +""".strip() + +if __name__ == "__main__": + YOUR_NAME = "" + buyer_model_path = "" + N_INTERACTIONS = 5 + OUTPUTS_PATH = f"data/outputs/car_dealer/human_eval/user_interactions_test1_{YOUR_NAME}/" + env_deterministic = False + verbose = False + print("Loading Environment") + env = car_dealer_env(buyer_model_path) + print("Loaded Environment") + policy = UserPolicy() + evaluation = eval(env, policy) + + def print_interaction(interaction): + if interaction[-1].reward == 0: + print('YOU WON!') + print('='*25) + else: + print('YOU LOST :(') + print('='*25) + + print() + print('='*25) + print(INTRO_TEXT) + print('='*25) + + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=N_INTERACTIONS, + interaction_callback=print_interaction, + env_options={"verbose": verbose} + ) + + print(interaction_summary_results) + print('='*25) + + create_path(OUTPUTS_PATH) + with open(os.path.join(OUTPUTS_PATH, 'interactions.pkl'), 'wb') as f: + pkl.dump(interation_raw_results, f) + with open(os.path.join(OUTPUTS_PATH, 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/misc/car_dealer_model_eval.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/misc/car_dealer_model_eval.py new file mode 100644 index 00000000..e2b63b26 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/misc/car_dealer_model_eval.py @@ -0,0 +1,64 @@ +import os +import json +import time +import jax +import pickle as pkl +from llm_rl_scripts.car_dealer.env.policies import car_dealer_env, UserPolicy, eval +from LLM_RL.environment import text_env_eval + +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import create_path +from LLM_RL.utils import convert_path + +INTRO_TEXT = """\ +Welcome to the Car Salesman Bargaining Task. +You will act as a seller, who wants to maximize the sell price of a car. + +Now that you know the rules, let's get started! +""".strip() + +if __name__ == "__main__": + YOUR_NAME = "" + buyer_model_path = "" + N_INTERACTIONS = 5 + OUTPUTS_PATH = f"data/outputs/car_dealer/human_eval/user_interactions_test1_{YOUR_NAME}/" + env_deterministic = False + verbose = False + print("Loading Environment") + env = car_dealer_env(buyer_model_path) + print("Loaded Environment") + policy = UserPolicy() + evaluation = eval(env, policy) + + def print_interaction(interaction): + if interaction[-1].reward == 0: + print('YOU WON!') + print('='*25) + else: + print('YOU LOST :(') + print('='*25) + + print() + print('='*25) + print(INTRO_TEXT) + print('='*25) + + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=N_INTERACTIONS, + interaction_callback=print_interaction, + env_options={"verbose": verbose} + ) + + print(interaction_summary_results) + print('='*25) + + create_path(OUTPUTS_PATH) + with open(os.path.join(OUTPUTS_PATH, 'interactions.pkl'), 'wb') as f: + pkl.dump(interation_raw_results, f) + with open(os.path.join(OUTPUTS_PATH, 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/misc/test_car_dealer.sh b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/misc/test_car_dealer.sh new file mode 100644 index 00000000..c8f86eed --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/misc/test_car_dealer.sh @@ -0,0 +1,25 @@ +export GOOGLE_APPLICATION_CREDENTIALS="INCLUDE CREDENTIALS" +export GCLOUD_PROJECT="INCLUDE GCLOUD PROJECT" +export TOKENIZERS_PARALLELISM=false +sudo rm -r /tmp/*tpu* +conda init bash +conda activate LLM_RL + +# Training BC in LLM_RL +python -m llm_rl_scripts.car_dealer.bc.train_bc HF gpt2-xl buyer_model/ --outputs-path=car_dealer/outputs/ --data-path=car_dealer/data/ --epochs=18 --train-bsize=16 --grad-accum-steps=8 --inference-bsize=32 --num-logs-per-epoch=4 --num-evals-per-epoch=4 --save-best --save-last --model-p-shape=4 --use-wandb + +# Training MC in LLM_RL +python3 -m llm_rl_scripts.car_dealer.mc.train_mc_returns HF gpt2-xl --outputs_path=gcs://rail-tpus-marwa/car_dealer/mc/ --epochs 1 --train-bsize 128 --grad-accum-steps 1 --eval-batches 256 --log-every 256 --eval-every 1024 --save-every 1024 --data_p_shape -1 --model_p_shape 1 --gradient_checkpoint + +# Training ILQL in LLM_RL +python3 -m llm_rl_scripts.car_dealer.ilql.train_ilql HF gpt2-xl train.json eval.json model/best --epochs 1 --train-bsize 128 --grad-accum-steps 1 --eval-loss-bsize 32 --eval-loss-batches 256 --log-every 256 --eval-every 1024 --save-every 1024 --data-p-shape -1 --model-p-shape 1 --gradient-checkpoint + +# Training PPO in LLM_RL +python -m llm_rl_scripts.car_dealer.ppo.train_ppo PARAMS seller_bc_gpt2xl_test4_converted/model outputs/car_dealer/buyer_bc_gpt2xl_test4_converted/model --exp-name ppo_revenue_gpt2xl_test1 --outputs-path gcs://rail-tpus-marwa/car_dealer/ --train-bsize 4 --grad-accum-steps 1000 --log-every 1000 --n-rounds 1000 --epochs 4 --n-rollouts 4000 --gamma 0.99 --rollout-bsize 4 --ppo_data_bsize 4 --eval-every-rounds 1 --weight-decay 0.0 --lr 5e-6 --save-every-rounds 50 --init-kl-coef 0.01 --cliprange-value 0.2 --cliprange 0.2 --value-loss-coef 1.0 --wandb-project car_dealer-ppo --use-wandb + +# Human Eval in LLM_RL +python -m llm_rl_scripts/guess_city/misc/car_dealer_human_eval.py + +# Evaluation any model in LLM_RL +python -m llm_rl_scripts/guess_city/misc/car_dealer_model_eval.py + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/ppo/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/ppo/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/ppo/train_ppo.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/ppo/train_ppo.py new file mode 100755 index 00000000..61763b13 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/car_dealer/ppo/train_ppo.py @@ -0,0 +1,535 @@ +from typing import Optional, Dict, Any, Tuple +from jaxtyping import PyTree +from functools import partial +import jax +import jax.numpy as jnp +import json +import numpy as np +import os +import optax +import pickle as pkl +import re +import tyro +import random +from flax.training.train_state import TrainState +from transformers import AutoTokenizer +from transformers.generation import GenerationConfig +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.data import Seq2SeqDataset +from JaxSeq.generation_eval import generate_language, compute_metrics +from JaxSeq.logs import label_logs, log, pull_logs +from JaxSeq.models.gpt2.interface import GPT2Train, GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode, load_params +from JaxSeq.shard_model import shard_params_from_params +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, uuid_name, jsonl_load, get_weight_decay_mask, create_path, get_enabled_save_path +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, get_dtype, setup_experiment_save, multihost_device_get +from LLM_RL.algorithms.ppo.base_interface import ppo_loss_fn, FixedKLController, AdaptiveKLController +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy, GPT2PPOInference, GPT2PPOTrain +from LLM_RL.algorithms.ppo.train import train_loop +from LLM_RL.environment import TextEnv, TextHistory, Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectory, TokenTrajectoryChain +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from LLM_RL.algorithms.ppo.data import PPODataset, PPOIterableDataset +from LLM_RL.utils import get_tensor_stats_np +from llm_rl_scripts.car_dealer.env.env import BatchedCarDealerPolicyEnvironment, CarDealerPolicyEnvironment +from llm_rl_scripts.car_dealer.env.buyer import BatchedGPT2BuyerPolicy +from llm_rl_scripts.car_dealer.env.data import create_lines_from_text_history + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + buyer_model_path: str, + + /, # Mark the end of positional arguments. + is_partial_info: bool=True, + + bc_data_path: Optional[str]=None, + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + train_bc_bsize: int=8, + grad_accum_steps: Optional[int]=None, + rollout_bsize: int=32, + n_rollouts: int=128, + ppo_data_bsize: int=32, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_input_length: int=512, + max_output_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_ppo_dataset: bool=True, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + gamma: float=1.0, + lam: float=0.95, + use_advantage_whitening: bool=True, + + init_kl_coef: float=0.001, + kl_target: Optional[float]=None, + kl_horizon: Optional[int]=None, + + cliprange_value: float=0.2, + cliprange: float=0.2, + value_loss_coef: float=1.0, + bc_loss_weight: float=1.0, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals().copy() + print(input_args) + seed = 0 + + use_adaptive_kl = (kl_target is not None and kl_horizon is not None) + if not use_adaptive_kl: + assert kl_target is None and kl_horizon is None + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + if bc_data_path is not None: + bc_data = MaskIterableDataset.blocked_from_str_segments_iterable( + MapIterable(lambda x: (tokenizer.bos_token + x['in_text'], x['out_text']), + FileOpenIterable(convert_path(bc_data_path), 'r', pipe=data_stream)), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_input_length+max_output_length, + ), + ) + else: + bc_data = None + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + + model_prng_key = jax.random.PRNGKey(2) + policy_train_state, policy_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + policy_model.config.gradient_checkpointing = gradient_checkpointing + policy_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + policy_model.config.resid_pdrop = 0.0 + policy_model.config.embd_pdrop = 0.0 + policy_model.config.attn_pdrop = 0.0 + + with jax.default_device(jax.devices('cpu')[0]): + initital_policy_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + policy_train_state.params, + ) + initital_policy_params = shard_params_from_params( + model=policy_model, + params=initital_policy_params, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2Inference.load_inference( + params=policy_train_state.params, + model=policy_model, + tokenizer=tokenizer, + ) + + policy_prng = jax.random.PRNGKey(0) + + policy = GPT2PPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + head_prng_key = jax.random.PRNGKey(3) + value_head_train_state, value_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=policy_model.config.n_embd, + output_dim=1, + use_bias=True, + initializer_range=0.0, + bias_init=-4.1, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=head_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loss_f = partial(ppo_loss_fn, cliprange_value=cliprange_value, cliprange=cliprange, value_loss_coef=value_loss_coef) + + + ppo_inference = GPT2PPOInference.load_inference( + initial_policy_params=initital_policy_params, + policy_params=policy_train_state.params, + value_head_params=value_head_train_state.params, + initial_policy_model=policy_model, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask if bc_data is not None else None, + bc_loss_weight=bc_loss_weight if bc_data is not None else 0.0, + ) + + ppo_trainer = GPT2PPOTrain.load_train( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask if bc_data is not None else None, + bc_loss_weight=bc_loss_weight if bc_data is not None else 0.0, + ) + + if use_adaptive_kl: + kl_controller = AdaptiveKLController(init_kl_coef=init_kl_coef, target=kl_target, horizon=kl_horizon) + else: + kl_controller = FixedKLController(kl_coef=init_kl_coef) + + print("loading environment") + prng_key = jax.random.PRNGKey(3) + prng_key, buyer_inference_prng, buyer_policy_prng = jax.random.split(prng_key, 3) + buyer_model_mode = ModelLoadMode.PARAMS + buyer_params, buyer_model = load_params( + model_load_mode=buyer_model_mode, + model_load_path=convert_path(buyer_model_path) if model_load_mode != ModelLoadMode.HF else buyer_model_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=buyer_inference_prng, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + env = CarDealerPolicyEnvironment( + buyer=buyer_model, + max_conversation_length=50, + reward_mode="fancy", + ) + print("LOADED ENV") + assert 1 == 2 + env = BatchedCarDealerPolicyEnvironment( + buyer=BatchedGPT2BuyerPolicy( + inference=GPT2Inference.load_inference( + params=buyer_params, + model=buyer_model, + tokenizer=tokenizer, + ), + prng_key=buyer_policy_prng, + generation_config=GenerationConfig( + do_sample=True, + num_beams=1, + temperature=None, + top_p=None, + top_k=None, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=128-1, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=1024-128, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ), + buyer_bsize=rollout_bsize, + max_conversation_length=50, + reward_mode="revenue", + ) + + + data_round = 0 + def ppo_dataset_loader(ppo_inference: GPT2PPOInference, policy: GPT2PPOPolicy) -> PPODataset: + nonlocal data_round + + def seed_generator(): + random_state = random.Random(seed) + while True: + yield random_state.getrandbits(64) + + episodes, infos, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + seed_generator=seed_generator(), + ) + summary_results = pull_logs(summary_results) + + text_trajectories = [] + token_trajectory_chains = [] + for episode in episodes: + rewards = [0.0] + for transition in episode: + rewards.append(transition.reward) + rewards.append(0.0) + + text_history = episode[-1].post_transition_history + done = episode[-1].done + while True: + text_trajectory = TextTrajectory( + text_history=text_history, + reward=tuple(rewards), + done=done, + ) + token_trajectory = TokenTrajectory.from_text_trajectory(text_trajectory, tokenizer) + if token_trajectory.tokens.shape[0] < max_input_length+max_output_length: + break + + # truncate one step + text_history = text_history[:-2] + last_r = rewards[-2] + rewards = rewards[:-2] + rewards[-2] += last_r * gamma + done = False + + if token_trajectory.tokens.shape[0] == 0: + continue + text_trajectories.append(text_trajectory) + token_trajectory_chains.append(TokenTrajectoryChain(token_trajectory, None)) + + conversations = [] + for episode, info in zip(episodes, infos): + final_text_history = episode[-1].post_transition_history + conversations.append({ + "buyer_info": info["buyer_info"], + "lines": create_lines_from_text_history(final_text_history), + "output": info["output"], + }) + + ppo_data, all_kls = ppo_inference.get_ppo_data_from_token_trajectory_chain( + token_trajectory_chains, + bsize=ppo_data_bsize, + max_length=max_input_length+max_output_length, + gamma=gamma, + lam=lam, + kl_weight=kl_controller.value, + use_advantage_whitening=use_advantage_whitening, + ) + mean_kl = all_kls.mean().item() + kl_controller.update(mean_kl, train_bsize) + + ppo_dataset = PPODataset.from_ppo_data_list( + ppo_data, + tokenizer, + BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length+max_output_length), + ) + + logs = dict( + policy=dict( + initial_policy_kl=get_tensor_stats_np(all_kls, np.ones(all_kls.shape), all_kls.size), + sqrt_initial_policy_kl=np.sqrt(mean_kl), + kl_ctrl_value=kl_controller.value, + ), + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_ppo_dataset: + print('saving ppo dataset ...') + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'ppo_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(ppo_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'text_trajectories.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(text_trajectories, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'episodes.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(episodes, f) + with open(get_enabled_save_path( + os.path.join(data_save_path, 'infos.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(infos, f) + # save conversations + with open(get_enabled_save_path( + os.path.join(data_save_path, 'conversations.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(conversations, f, indent=2) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return ppo_dataset + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=ppo_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + bc_dataset=bc_data, + bc_bsize=train_bc_bsize, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/eval_endgames_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/eval_endgames_bc.py new file mode 100755 index 00000000..32a5e6ed --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/eval_endgames_bc.py @@ -0,0 +1,153 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import load_mesh, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +import os +from JaxSeq.models.gpt2.interface import GPT2InferenceMask +from JaxSeq.models.gpt2.load import ModelLoadMode, load_params +import pickle as pkl +import json +from transformers.generation import GenerationConfig +import re +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from llm_rl_scripts.chess.env.env import text_env_eval_chess_positions +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env, maze_solver +from collections import defaultdict +import numpy as np +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerSamplePolicy, ReRankerPolicy +from LLM_RL.algorithms.ppo.score_fn import build_bc_score_fn +from llm_rl_scripts.maze.env.env import maze_proposal_function +from flax.traverse_util import flatten_dict, unflatten_dict +from LLM_RL.environment import Text +from llm_rl_scripts.maze.env.env import describe_observation_give_position +from JaxSeq.bucket_manager import open_with_bucket as open +from IPython import embed + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + + /, # Mark the end of positional arguments. + + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + bf16_activations: bool=False, + + policy_n_rollouts: int=1, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + maze_last_k: int=1, + maze_reward_function: str="standard_reward", + + do_accuracy_eval: bool=True, + do_reward_eval: bool=True, + use_reranker_for_reward_eval: bool=False, + test_positions_path: str="gcs://rl-llm-bench-dataset/endgames/tricky_test_positions.jsonl", + + force_pad_embeddings: bool=False, + num_test: int=645, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + + model_prng_key = jax.random.PRNGKey(2) + params, model = load_params( + model_load_mode=model_load_mode, + model_load_path=model_load_path if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + inference = GPT2InferenceMask.load_inference( + params=params, + model=model, + tokenizer=tokenizer, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + + all_results = dict() + interactions = dict() + + policy = GPT2PPOPolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + with open(test_positions_path, "r") as f: + test_positions = list(f) + # test_positions = test_positions[:500] + test_positions = [position.replace("\n", "").replace("\"", "") for position in test_positions if position != ""] + test_positions = test_positions[:num_test] + + interactions, results = text_env_eval_chess_positions( + positions=test_positions, + policy=policy, + n_rollouts=policy_n_rollouts, # do multiple, also do no sampling policy + verbose=True, + bsize=policy_bsize, + ) + + if outputs_path is not None: + create_path(outputs_path) + with open(os.path.join(outputs_path, 'interactions.pkl'), 'wb') as f: + pkl.dump(interactions, f) + with open(os.path.join(outputs_path, 'results.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), results), f) + + return all_results + + print(evaluator( + inference=inference, + )) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/eval_full_games_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/eval_full_games_bc.py new file mode 100755 index 00000000..cfdcc9ab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/eval_full_games_bc.py @@ -0,0 +1,143 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import load_mesh, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +import os +from JaxSeq.models.gpt2.interface import GPT2InferenceMask +from JaxSeq.models.gpt2.load import ModelLoadMode, load_params +import pickle as pkl +import json +from transformers.generation import GenerationConfig +import re +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.environment import text_env_eval +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env, maze_solver +from collections import defaultdict +import numpy as np +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerSamplePolicy, ReRankerPolicy +from LLM_RL.algorithms.ppo.score_fn import build_bc_score_fn +from llm_rl_scripts.chess.env.env import FenChessHistoryEnv +from flax.traverse_util import flatten_dict, unflatten_dict +from LLM_RL.environment import Text + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + + /, # Mark the end of positional arguments. + + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + bf16_activations: bool=False, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + + do_reward_eval: bool=True, + use_reranker_for_reward_eval: bool=False, + + force_pad_embeddings: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + env = FenChessHistoryEnv() + + + model_prng_key = jax.random.PRNGKey(2) + params, model = load_params( + model_load_mode=model_load_mode, + model_load_path=model_load_path if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + inference = GPT2InferenceMask.load_inference( + params=params, + model=model, + tokenizer=tokenizer, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + + all_results = dict() + interactions = dict() + + policy = GPT2PPOPolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + position = "rnbqkbnr/pppppppp/8/8/8/8/PPPPPPPP/RNBQKBNR w KQkq - 0 1" + interactions, results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + verbose=True, + env_options={"init_position": position}, + bsize=policy_bsize, + ) + + if outputs_path is not None: + create_path(outputs_path) + with open(os.path.join(outputs_path, 'interactions.pkl'), 'wb') as f: + pkl.dump(interactions, f) + with open(os.path.join(outputs_path, 'results.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), results), f) + + return all_results + + print(evaluator( + inference=inference, + )) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/train_bc_gpt2.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/train_bc_gpt2.py new file mode 100755 index 00000000..0bdcbc9c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/train_bc_gpt2.py @@ -0,0 +1,312 @@ +from typing import Optional, Dict, Any +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save, get_enabled_save_path, MapIterable, FileOpenIterable, BlockingStrategy, Padding, Truncation, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import get_weight_decay_mask, jsonl_stream +from JaxSeq.generation_eval import generate_language +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Train, GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from JaxSeq.data import Seq2SeqIterableDataset +from JaxSeq.train import eval_loss, train_loop +from jaxtyping import PyTree +import re +from JaxSeq.optimizers import GPT3Optimizer +from transformers.generation import GenerationConfig +import json +import numpy as np +from transformers import AutoTokenizer +from JaxSeq.bucket_manager import open_with_bucket as open + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + weight_decay: float=0.001, + init_lr: float=0.0, + end_lr: float=0.0001, + lr: float=0.0001, + lr_warmup_steps: int=1000, + lr_decay_steps: int=1001, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + train_bsize: int=128, + grad_accum_steps: Optional[int]=1, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + bf16_activations: bool=False, + + max_input_length: int=256, + max_output_length: int=16, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + generation_bsize: int=4, + generation_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained("gpt2") + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + + + + + train_data = Seq2SeqIterableDataset.from_str_iterable( + MapIterable( + lambda x: (tokenizer.bos_token+x['in_text'].removeprefix(tokenizer.bos_token), x['out_text']), + FileOpenIterable(convert_path(train_data_path), 'r', pipe=jsonl_stream), + ), + tokenizer=tokenizer, + in_blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_output_length + ), + ) + + eval_data = Seq2SeqIterableDataset.from_str_iterable( + MapIterable( + lambda x: (tokenizer.bos_token+x['in_text'].removeprefix(tokenizer.bos_token), x['out_text']), + FileOpenIterable(convert_path(eval_data_path), 'r', pipe=jsonl_stream), + ), + tokenizer=tokenizer, + in_blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_output_length, + ), + ) + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_\d+'\]", re.escape("['bias']")]), + "".join([r"\['ln_\d+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=init_lr, + end_lr=end_lr, + lr=lr, + lr_warmup_steps=lr_warmup_steps, + lr_decay_steps=lr_decay_steps, + weight_decay=weight_decay, + bf16_momentum=bf16_momentum, + multiply_by_parameter_scale=multiply_by_parameter_scale, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + trainer = GPT2Train.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + inference = GPT2Inference.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + + eval_prng = jax.random.PRNGKey(0) + eval_round = 0 + def evaluator(inference: GPT2Inference): + nonlocal eval_prng + nonlocal eval_round + + loss_metrics = eval_loss( + inference=inference, + dataset=eval_data, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + generation_examples = [] + with open(convert_path(eval_data_path), 'r') as f: + for item in jsonl_stream(f): + if len(generation_examples) >= generation_bsize*generation_batches: + break + generation_examples.append(item) + + eval_prng, new_prng = jax.random.split(eval_prng) + generation_data = generate_language( + inference=inference, + prompts=list(map(lambda x: tokenizer.bos_token+x['in_text'].removeprefix(tokenizer.bos_token), generation_examples)), + references=list(map(lambda x: x['stockfish_actions'], generation_examples)), + prng_key=new_prng, + bsize=generation_bsize, + generation_batches=generation_batches, + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length + ), + generation_config=GenerationConfig( + max_length=max_input_length+max_output_length, + do_sample=False, + num_beams=1, + pad_token_id=tokenizer.pad_token_id, + eos_token_id=tokenizer.encode('\n')[0], + temperature=None, + top_k=None, + top_p=None, + ), + ) + + for item in generation_data: + generation = item['generation'].split('\n', 1)[1].replace(" ", "").strip() + refs = list(map(lambda x: x.replace(" ", "").strip(), item['reference'])) + item['parsed_generation'] = generation + item['refs'] = refs + item['move_match'] = float(item['parsed_generation'] in item['refs']) + + if save_dir is not None: + generations_save_dir = os.path.join(save_dir, 'generations', str(eval_round)) + if is_main_process: + create_path(generations_save_dir) + with open(get_enabled_save_path( + os.path.join(generations_save_dir, 'generations.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(generation_data, f) + + move_accuracy = np.mean(list(map(lambda x: x['move_match'], generation_data))) + + eval_round += 1 + + return loss_metrics['loss'], {'loss_metrics': loss_metrics, 'move_accuracy': move_accuracy} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/train_bc_llama.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/train_bc_llama.py new file mode 100755 index 00000000..eb890282 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/train_bc_llama.py @@ -0,0 +1,312 @@ +from typing import Optional, Dict, Any +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save, get_enabled_save_path, MapIterable, FileOpenIterable, BlockingStrategy, Padding, Truncation, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import get_weight_decay_mask, jsonl_stream +from JaxSeq.generation_eval import generate_language +import os +import optax +from JaxSeq.models.llama.interface import LLaMATrain, LLaMAInference +from JaxSeq.models.llama.load import load_train_state, ModelLoadMode, load_tokenizer +import pickle as pkl +from JaxSeq.data import Seq2SeqIterableDataset +from JaxSeq.train import eval_loss, train_loop +from jaxtyping import PyTree +import re +from JaxSeq.optimizers import GPT3Optimizer +from transformers.generation import GenerationConfig +import json +import numpy as np + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + tokenizer_path: str, + train_data_path: str, + eval_data_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + weight_decay: float=0.001, + init_lr: float=0.0, + end_lr: float=0.002, + lr: float=0.002, + lr_warmup_steps: int=1000, + lr_decay_steps: int=1001, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + train_bsize: int=16, + grad_accum_steps: Optional[int]=1, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + bf16_activations: bool=False, + + max_input_length: int=128, + max_output_length: int=16, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + generation_bsize: int=4, + generation_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = load_tokenizer( + tokenizer_path, + bos_token="", + eos_token="", + add_bos_token=False, + add_eos_token=False, + ) + tokenizer.pad_token_id = tokenizer.unk_token_id + tokenizer.add_special_tokens({'bos_token': '', 'eos_token': ''}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + train_data = Seq2SeqIterableDataset.from_str_iterable( + MapIterable( + lambda x: (tokenizer.bos_token+x['in_text'].removeprefix(tokenizer.bos_token), x['out_text']), + FileOpenIterable(convert_path(train_data_path), 'r', pipe=jsonl_stream), + ), + tokenizer=tokenizer, + in_blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_output_length + ), + ) + + eval_data = Seq2SeqIterableDataset.from_str_iterable( + MapIterable( + lambda x: (tokenizer.bos_token+x['in_text'].removeprefix(tokenizer.bos_token), x['out_text']), + FileOpenIterable(convert_path(eval_data_path), 'r', pipe=jsonl_stream), + ), + tokenizer=tokenizer, + in_blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_output_length, + ), + ) + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + re.escape("['attention_norm']['kernel']"), + re.escape("['ffn_norm']['kernel']"), + re.escape("['transformer']['ln_f']['kernel']"), + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=init_lr, + end_lr=end_lr, + lr=lr, + lr_warmup_steps=lr_warmup_steps, + lr_decay_steps=lr_decay_steps, + weight_decay=weight_decay, + bf16_momentum=bf16_momentum, + multiply_by_parameter_scale=multiply_by_parameter_scale, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + model_prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + trainer = LLaMATrain.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + inference = LLaMAInference.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + + eval_prng = jax.random.PRNGKey(0) + eval_round = 0 + def evaluator(inference: LLaMAInference): + nonlocal eval_prng + nonlocal eval_round + + loss_metrics = eval_loss( + inference=inference, + dataset=eval_data, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + generation_examples = [] + with open(convert_path(eval_data_path), 'r') as f: + for item in jsonl_stream(f): + if len(generation_examples) >= generation_bsize*generation_batches: + break + generation_examples.append(item) + + eval_prng, new_prng = jax.random.split(eval_prng) + generation_data = generate_language( + inference=inference, + prompts=list(map(lambda x: tokenizer.bos_token+x['in_text'].removeprefix(tokenizer.bos_token), generation_examples)), + references=list(map(lambda x: x['stockfish_actions'], generation_examples)), + prng_key=new_prng, + bsize=generation_bsize, + generation_batches=generation_batches, + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length + ), + generation_config=GenerationConfig( + max_length=max_input_length+max_output_length, + do_sample=False, + num_beams=1, + pad_token_id=tokenizer.pad_token_id, + eos_token_id=tokenizer.encode('\n')[-1], + temperature=None, + top_k=None, + top_p=None, + ), + ) + + for item in generation_data: + generation = item['generation'].split('\n', 1)[1].replace(" ", "").strip() + refs = list(map(lambda x: x.replace(" ", "").strip(), item['reference'])) + item['parsed_generation'] = generation + item['refs'] = refs + item['move_match'] = float(item['parsed_generation'] in item['refs']) + + if save_dir is not None: + generations_save_dir = os.path.join(save_dir, 'generations', str(eval_round)) + if is_main_process: + create_path(generations_save_dir) + with open(get_enabled_save_path( + os.path.join(generations_save_dir, 'generations.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(generation_data, f) + + move_accuracy = np.mean(list(map(lambda x: x['move_match'], generation_data))) + + eval_round += 1 + + return loss_metrics['loss'], {'loss_metrics': loss_metrics, 'move_accuracy': move_accuracy} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/train_bc_llama_3mill_games.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/train_bc_llama_3mill_games.py new file mode 100755 index 00000000..ca2566fe --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/train_bc_llama_3mill_games.py @@ -0,0 +1,322 @@ +from typing import Optional, Dict, Any +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save, get_enabled_save_path, MapIterable, FileOpenIterable, BlockingStrategy, Padding, Truncation, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import get_weight_decay_mask, jsonl_stream +from JaxSeq.generation_eval import generate_language +import os +import optax +from JaxSeq.models.llama.interface import LLaMATrain, LLaMAInference +from JaxSeq.models.llama.load import load_train_state, ModelLoadMode, load_tokenizer +import pickle as pkl +from JaxSeq.data import Seq2SeqIterableDataset +from JaxSeq.train import eval_loss, train_loop +from jaxtyping import PyTree +import re +from JaxSeq.optimizers import GPT3Optimizer +from transformers.generation import GenerationConfig +import json +import numpy as np +from llm_rl_scripts.chess.env.env import preprocess_state_og, preprocess_move +from transformers import AutoTokenizer, AutoModelForCausalLM + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + tokenizer_path: str, + train_data_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + weight_decay: float=0.001, + init_lr: float=0.0, + end_lr: float=0.002, + lr: float=0.002, + lr_warmup_steps: int=1000, + lr_decay_steps: int=1001, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + train_bsize: int=16, + grad_accum_steps: Optional[int]=1, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + bf16_activations: bool=False, + + max_input_length: int=128, + max_output_length: int=16, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + generation_bsize: int=4, + generation_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals() + print(input_args) + + # tokenizer = load_tokenizer( + # tokenizer_path, + # bos_token="", + # eos_token="", + # add_bos_token=False, + # add_eos_token=False, + # ) + + # tokenizer = AutoTokenizer.from_pretrained(tokenizer_path) + tokenizer = load_tokenizer( + tokenizer_path, + bos_token="", + eos_token="", + add_bos_token=False, + add_eos_token=False, + ) + tokenizer.pad_token_id = tokenizer.unk_token_id + tokenizer.add_special_tokens({'bos_token': '', 'eos_token': ''}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + train_data = Seq2SeqIterableDataset.from_str_iterable( + MapIterable( + lambda x: (tokenizer.bos_token+preprocess_state_og(x["from_state"]).removeprefix(tokenizer.bos_token), preprocess_move(x['out_text'])), + FileOpenIterable(convert_path(train_data_path), 'r', pipe=jsonl_stream), + ), + tokenizer=tokenizer, + in_blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_output_length + ), + ) + eval_data = train_data + # eval_data = Seq2SeqIterableDataset.from_str_iterable( + # MapIterable( + # lambda x: (tokenizer.bos_token+x['in_text'].removeprefix(tokenizer.bos_token), x['out_text']), + # FileOpenIterable(convert_path(eval_data_path), 'r', pipe=jsonl_stream), + # ), + # tokenizer=tokenizer, + # in_blocking_strategy=BlockingStrategy( + # padding=Padding.LEFT, + # truncation=Truncation.LEFT, + # max_length=max_input_length, + # ), + # out_blocking_strategy=BlockingStrategy( + # padding=Padding.RIGHT, + # truncation=Truncation.RIGHT, + # max_length=max_output_length, + # ), + # ) + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + re.escape("['attention_norm']['kernel']"), + re.escape("['ffn_norm']['kernel']"), + re.escape("['transformer']['ln_f']['kernel']"), + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=init_lr, + end_lr=end_lr, + lr=lr, + lr_warmup_steps=lr_warmup_steps, + lr_decay_steps=lr_decay_steps, + weight_decay=weight_decay, + bf16_momentum=bf16_momentum, + multiply_by_parameter_scale=multiply_by_parameter_scale, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + trainer = LLaMATrain.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + inference = LLaMAInference.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + + eval_prng = jax.random.PRNGKey(0) + eval_round = 0 + def evaluator(inference: LLaMAInference): + nonlocal eval_prng + nonlocal eval_round + + loss_metrics = eval_loss( + inference=inference, + dataset=eval_data, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + generation_examples = [] + with open(convert_path(eval_data_path), 'r') as f: + for item in jsonl_stream(f): + if len(generation_examples) >= generation_bsize*generation_batches: + break + generation_examples.append(item) + + eval_prng, new_prng = jax.random.split(eval_prng) + generation_data = generate_language( + inference=inference, + prompts=list(map(lambda x: tokenizer.bos_token+x['in_text'].removeprefix(tokenizer.bos_token), generation_examples)), + references=list(map(lambda x: x['stockfish_actions'], generation_examples)), + prng_key=new_prng, + bsize=generation_bsize, + generation_batches=generation_batches, + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length + ), + generation_config=GenerationConfig( + max_length=max_input_length+max_output_length, + do_sample=False, + num_beams=1, + pad_token_id=tokenizer.pad_token_id, + eos_token_id=tokenizer.encode('\n')[-1], + temperature=None, + top_k=None, + top_p=None, + ), + ) + + for item in generation_data: + generation = item['generation'].split('\n', 1)[1].replace(" ", "").strip() + refs = list(map(lambda x: x.replace(" ", "").strip(), item['reference'])) + item['parsed_generation'] = generation + item['refs'] = refs + item['move_match'] = float(item['parsed_generation'] in item['refs']) + + if save_dir is not None: + generations_save_dir = os.path.join(save_dir, 'generations', str(eval_round)) + if is_main_process: + create_path(generations_save_dir) + with open(get_enabled_save_path( + os.path.join(generations_save_dir, 'generations.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(generation_data, f) + + move_accuracy = np.mean(list(map(lambda x: x['move_match'], generation_data))) + + eval_round += 1 + + return loss_metrics['loss'], {'loss_metrics': loss_metrics, 'move_accuracy': move_accuracy} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/train_endgames_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/train_endgames_bc.py new file mode 100755 index 00000000..d6165730 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/train_endgames_bc.py @@ -0,0 +1,297 @@ +from typing import Optional +from IPython import embed +import tyro +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save, MapIterable, BlockingStrategy, Padding, Truncation +import jax +import jax.numpy as jnp +from JaxSeq.utils import get_weight_decay_mask +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Train, GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from JaxSeq.data import Seq2SeqIterableDataset +from JaxSeq.train import eval_loss, train_loop +from jaxtyping import PyTree +import re +from JaxSeq.optimizers import GPT3Optimizer +from transformers.generation import GenerationConfig +import json +from transformers import AutoTokenizer +from JaxSeq.bucket_manager import open_with_bucket as open +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from llm_rl_scripts.chess.env.env import preprocess_move, preprocess_state, text_env_eval_chess_positions +from JaxSeq.logs import pull_logs + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + test_positions_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]="llm_rl_endgames", + + epochs: int=1, + max_steps: Optional[int]=None, + + weight_decay: float=0.001, + init_lr: float=0.0, + end_lr: float=0.0001, + lr: float=0.0001, + lr_warmup_steps: int=0, + lr_decay_steps: int=1001, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + train_bsize: int=128, + grad_accum_steps: Optional[int]=1, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + bf16_activations: bool=False, + + max_input_length: int=150, # maximum possible board state length + max_output_length: int=10, + + log_every: int=256, + eval_every_steps: Optional[int]=10240, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=True, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + generation_bsize: int=4, + generation_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + traj_max_length:int=40, + + filtered: bool=False, + ): + + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained("gpt2") + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # train_items = all_items[:int(len(all_items)*eval_frac)] + # eval_items = all_items[int(len(all_items)*eval_frac):] + + def str_iterable(data_path): + with open(data_path, "r") as f: + for obj in f: + if obj is None or obj == "": + continue + result = json.loads(obj) + yield {"in_text": preprocess_state(result["from_state"]), "out_text": preprocess_move(result["action"])} + + train_data = Seq2SeqIterableDataset.from_str_iterable( + MapIterable( + lambda x: (tokenizer.bos_token+x['in_text'].removeprefix(tokenizer.bos_token), x['out_text']), + str_iterable(train_data_path)), + tokenizer=tokenizer, + in_blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_output_length + ), + ) + + eval_data = Seq2SeqIterableDataset.from_str_iterable( + MapIterable( + lambda x: (tokenizer.bos_token+x['in_text'].removeprefix(tokenizer.bos_token), x['out_text']), + str_iterable(eval_data_path)), + tokenizer=tokenizer, + in_blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_output_length, + ), + ) + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_\d+'\]", re.escape("['bias']")]), + "".join([r"\['ln_\d+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=init_lr, + end_lr=end_lr, + lr=lr, + lr_warmup_steps=lr_warmup_steps, + lr_decay_steps=lr_decay_steps, + weight_decay=weight_decay, + bf16_momentum=bf16_momentum, + multiply_by_parameter_scale=multiply_by_parameter_scale, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + trainer = GPT2Train.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + inference = GPT2Inference.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + + with open(test_positions_path, "r") as f: + positions = list(f) + positions = [position.replace("\n", "").replace("\"", "") for position in positions if position != ""] + + def evaluator(inference: GPT2Inference): + data_results = eval_loss( + inference=inference, + dataset=eval_data, + prng_key=jax.random.PRNGKey(1), + bsize=4, + eval_batches=64, + ) + + policy = GPT2PPOPolicy( + inference=inference, + prng_key=jax.random.PRNGKey(1), + generation_config=GenerationConfig( + do_sample=True, + num_beams=1, + temperature=None, + top_p=None, + top_k=None, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + raw_results, summary_results = text_env_eval_chess_positions( + positions=positions, + policy=policy, + n_rollouts=1, + bsize=1, + ) + summary_results = pull_logs(summary_results) + + return data_results['loss'], {'data': data_results, 'interaction_env': summary_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/train_full_games_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/train_full_games_bc.py new file mode 100755 index 00000000..34a1499a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/bc/train_full_games_bc.py @@ -0,0 +1,287 @@ +from typing import Optional +import tyro +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save, MapIterable, BlockingStrategy, Padding, Truncation +import jax +import jax.numpy as jnp +from JaxSeq.utils import get_weight_decay_mask +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Train, GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from JaxSeq.data import Seq2SeqIterableDataset +from JaxSeq.train import eval_loss, train_loop +from jaxtyping import PyTree +import re +from JaxSeq.optimizers import GPT3Optimizer +from transformers.generation import GenerationConfig +import json +from transformers import AutoTokenizer +from JaxSeq.bucket_manager import open_with_bucket as open +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.environment import text_env_eval +from llm_rl_scripts.chess.env.env import FenChessHistoryEnv, preprocess_move, preprocess_state +from JaxSeq.logs import pull_logs +from IPython import embed + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]="llm_rl_full_games", + + epochs: int=1, + max_steps: Optional[int]=None, + + weight_decay: float=0.001, + init_lr: float=0.0001, + end_lr: float=0.0001, + lr: float=0.0001, + lr_warmup_steps: int=1000, + lr_decay_steps: int=1001, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + train_bsize: int=32, + grad_accum_steps: Optional[int]=4, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + bf16_activations: bool=False, + + max_input_length: int=140, # maximum possible board state length + max_output_length: int=8, + + log_every: int=100, + eval_every_steps: Optional[int]=100000, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=True, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + generation_bsize: int=4, + generation_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + traj_max_length:int=40, + filtered:bool=True, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained("gpt2") + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # this is hard coded to remind users to use the shuffled version of the dataset for easy loading + # it is very time intensive to suffle te entire dataset + + def str_iterable(data_path): + with open(data_path, "r") as f: + for obj in f: + # print(obj) + if obj is None or obj == "": + continue + result = json.loads(obj) + yield {"in_text": preprocess_state(result["from_state"]), "out_text": preprocess_move(result["action"])} + + + train_data = Seq2SeqIterableDataset.from_str_iterable( + MapIterable( + lambda x: (tokenizer.bos_token+x['in_text'].removeprefix(tokenizer.bos_token), x['out_text']), + str_iterable(train_data_path)), + tokenizer=tokenizer, + in_blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_output_length + ), + ) + + + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_\d+'\]", re.escape("['bias']")]), + "".join([r"\['ln_\d+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=init_lr, + end_lr=end_lr, + lr=lr, + lr_warmup_steps=lr_warmup_steps, + lr_decay_steps=lr_decay_steps, + weight_decay=weight_decay, + bf16_momentum=bf16_momentum, + multiply_by_parameter_scale=multiply_by_parameter_scale, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + trainer = GPT2Train.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + inference = GPT2Inference.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + # maze_name = "double_t_maze" + # describe_function = "describe_observation_only_walls" + # reward_function = "standard_reward" + + # maze = double_t_maze() + + # env = setup_maze_env(maze_name=maze_name, describe_function=describe_function, reward_function=reward_function, last_k=1) + # start_position = pick_start_position(maze_name=maze_name) + # possible_positions = list(zip(*np.where(maze==0))) + def evaluator(inference: GPT2Inference): + data_results = eval_loss( + inference=inference, + dataset=train_data, # since iterable dataset, will be different data for eval + prng_key=jax.random.PRNGKey(1), + bsize=4, + eval_batches=64, + ) + + policy = GPT2PPOPolicy( + inference=inference, + prng_key=jax.random.PRNGKey(1), + generation_config=GenerationConfig( + do_sample=True, + num_beams=1, + temperature=None, + top_p=None, + top_k=None, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + env = FenChessHistoryEnv() + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=5, + bsize=8, + ) + summary_results = pull_logs(summary_results) + + return data_results['loss'], {'data': data_results, 'interaction_env': summary_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/chess_environment.md b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/chess_environment.md new file mode 100755 index 00000000..14d5a7d5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/chess_environment.md @@ -0,0 +1,44 @@ +# How to Use Chess and Endgames Tasks + +## Overview of the Tasks + +**Chess.** We create a text-based chess task to test the strategic decision-making, credit assignment, and trajectory stitching abilities of an RL algorithm. This tests trajectory stitching, because in the dataset good moves are made in games that resulted in victory, and bad moves are made in games that led to defeat. Therefore this requires trajectory stitching and credit assignment acorss the different game outcomes. + +We use FEN (Forsyth-Edwards Notation) notation to represent the board state at each turn and we utilize the SAN (Short Algebraic Notation) to represent each action, both of which are standard notations used by the chess community. To generate the data, we have an agent Stockfish 15.1 of various strengths play against another environment Stockfish engine with elo 1200. The agent receives a reward of 1 for a victorious game, -1 for a loss, 0 for non-terminal actions, and -1 for illegal moves. + + +**Endgames (Theoretical Chess Endgames)** Chess endgames provide a simpler and more goal-directed variation of the chess task. By focusing on the endgame we emphasize strategy rather than memorizing opening moves. A classic theoretical endgame position consists of a position where the only pieces on the board are the two kings and the queen. Although the board position appears simple, a sequence of carefully calculated moves is required to win. A simpler board state allows language models to make progress without fewer computational resources. All choices we make regarding board state representation and reward function remain the same as for Chess. + +## Datasets + +**Chess** Use `train_bc.jsonl` to train bc and `train_bc_filtered.jsonl` to train bc and filtered bc respectively. Use `train_trajectories.jsonl` to train ILQL, and MC Returns. The validation data splitting is handled within the training scripts. + +**Endgames** Use `train_bc.jsonl` as train dataset and `val_bc.jsonl` as validation datasets and `train_filtered_bc.jsonl`, `val_filtered_bc.jsonl` as train and validation datasets for filtered bc. Use `train.jsonl` and `val.jsonl` for finetuning with RL. + +## How to Run Experiments + +### BC + +**Full Games** + +`python llm_rl_scripts/chess/bc/train_full_games_bc.py HF gpt2 PATH_TO_DATA` + +To do filtered BC, set the filtered flag. + +**Endgames** + +`python llm_rl_scripts/chess/bc/train_endgames_bc.py HF gpt2 YOUR_PATH/train_bc.jsonl YOUR_PATH/val_bc.jsonl YOUR_PATH/test_positions.jsonl` + + +### ILQL + +`python llm_rl_scripts/chess/train_endgames_ilql.py PARAMS BC_CHECKPOINT_PATH ` + +## How to Evaluate + +**Chess.** To evaluate the full chess model we play 1000 full games against stockfish of elo 1200. + +**Endgames.** To evaluate the chess agent in endgame positions, we select 645 positions not contained in the training dataset and which are not trivially solvable. A trivially solvable position is one that Stockfish declares to be simple or a victory in less than 15 moves. We then have the chess agent play one game from each position of these positions and keep these positions fixed for evaluation purposes. In this case we consider filtered BC to be training BC on all of the trajectories which ended in a victory. + + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/gpt4/gpt4_chess_endgames.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/gpt4/gpt4_chess_endgames.py new file mode 100755 index 00000000..a2061099 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/gpt4/gpt4_chess_endgames.py @@ -0,0 +1,138 @@ +import os +import json +import time +import openai +import jax +import pickle as pkl +from llm_rl_scripts.chess.env.data import get_data_from_bucket, get_random_positions_not_in_test +from llm_rl_scripts.chess.env.env import text_env_eval_chess_positions +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env +from LLM_RL.environment import TextPolicy, TextHistory, Text, text_env_eval +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import create_path +from LLM_RL.utils import convert_path +from IPython import embed +import tiktoken +import random + +openai.api_key = os.getenv("OPENAI_API_KEY") + +SYSTEM_PROMPT = "You are a chess grandmaster. You only respond in json." + +MAIN_PROMPT = """\ +You are playing chess. The environment will give you a string in FEN notation and you will output the optimal action. + +Here are some examples. +``` +environment: 8/8/7Q/2k5/8/8/K7/8 w - - 2 2 +action: Qh4 + +environment: 8/8/3k4/8/7Q/8/K7/8 w - - 4 3 +action: Qg5 + +environment: 8/2k5/8/6Q1/8/8/K7/8 w - - 6 4 +action: Kb1 + +``` + +Now let's start a new game. Return your action in a json array with a key "action", like in the example above. Now, make the optimal action given the current environment state: + +``` +{{game_content}} +``` +""".strip() + + +TOKENIZER = tiktoken.encoding_for_model("gpt-4") +INPUT_TOKEN_COUNT = 0 +OUTPUT_TOKEN_COUNT = 0 + +class GPT4EndgamesPolicy(TextPolicy): + + def __init__(self): + self.prompt = MAIN_PROMPT + + def act(self, text_history: TextHistory) -> TextHistory: + global INPUT_TOKEN_COUNT, OUTPUT_TOKEN_COUNT + game_content = "" + game_content = f"environment: {text_history[-1].text}" + game_content = game_content.strip() + prompt = self.prompt.replace('{{game_content}}', game_content) + print(prompt) + + INPUT_TOKEN_COUNT += len(TOKENIZER.encode(prompt)) + while True: + try: + response = openai.ChatCompletion.create( + model="gpt-4", + messages=[ + { + "role": "system", + "content": SYSTEM_PROMPT, + }, + { + "role": "user", + "content": prompt, + }, + ], + temperature=1.0, + max_tokens=1024, + top_p=1, + frequency_penalty=0, + presence_penalty=0, + ) + except openai.OpenAIError as e: + print(e) + time.sleep(10) + continue + break + response_text = response.choices[0].message.content + OUTPUT_TOKEN_COUNT += len(TOKENIZER.encode(response_text)) + print(response_text) + try: + response_json = json.loads(response_text) + except: + response_json = {"action": ""} + print(f"total cost: {compute_cost(INPUT_TOKEN_COUNT, OUTPUT_TOKEN_COUNT)}; total input tokens: {INPUT_TOKEN_COUNT}; total output tokens: {OUTPUT_TOKEN_COUNT}") + return text_history+(Text(response_json['action'].strip() + "\n", True),) +def compute_cost(input_token_count: int, output_token_count: int) -> float: + return ((0.03 * input_token_count) / 1000) + ((0.06 * output_token_count) / 1000) + +if __name__ == "__main__": + # N_INTERACTIONS = 1 + OUTPUTS_PATH = "data/outputs/gpt4_endgames/" + + def text_history_to_str(text_history: TextHistory) -> str: + return '\n'.join(map(lambda x: x.text, text_history)) + + bucket_name = "rl-llm-bench-dataset" + blob_name = "endgames/test_positions.jsonl" + test_positions = get_data_from_bucket(bucket_name, blob_name) + test_positions = [position.replace("\n", "").replace("\"", "") for position in test_positions if position != ""] + random.shuffle(test_positions) + test_positions = test_positions[:100] + # test_positions = test_positions[:N_INTERACTIONS] + policy = GPT4EndgamesPolicy() + + def print_interaction(interaction): + print('='*25) + print(text_history_to_str(interaction[-1].post_transition_history)) + print('='*25) + + interaction_raw_results, interaction_summary_results = text_env_eval_chess_positions( + positions=test_positions, + policy=policy, + n_rollouts=1, + interaction_callback=print_interaction, + max_moves=50, + ) + + print(interaction_summary_results) + + create_path(OUTPUTS_PATH) + with open(os.path.join(OUTPUTS_PATH, 'interactions.pkl'), 'wb') as f: + pkl.dump(interaction_raw_results, f) + with open(os.path.join(OUTPUTS_PATH, 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/gpt4/gpt4_chess_full_games.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/gpt4/gpt4_chess_full_games.py new file mode 100755 index 00000000..b9ea3dc3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/gpt4/gpt4_chess_full_games.py @@ -0,0 +1,150 @@ +import os +import json +import time +import openai +import jax +import pickle as pkl +from llm_rl_scripts.chess.env.data import get_data_from_bucket, get_random_positions_not_in_test +from llm_rl_scripts.chess.env.env import FenChessHistoryEnv, text_env_eval_chess_positions +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env +from LLM_RL.environment import TextPolicy, TextHistory, Text, text_env_eval +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import create_path +from LLM_RL.utils import convert_path +from IPython import embed +import tiktoken + +data_name = "gcs://rl-llm-bench-dataset/chess/complete_background_generated/train_trajectories.jsonl" +# get dataset trajectory +example_game = "" +with open(data_name, "r") as f: + for item in f: + obj = json.loads(item) + embed() + for i in range(3): + step = obj[i] + example_game += f"environment: {step['state']}\n" + example_game += f"action: {step['action']}\n" + break + +openai.api_key = os.getenv("OPENAI_API_KEY") + +SYSTEM_PROMPT = "You are a chess grandmaster. You only respond in json." + +MAIN_PROMPT = """\ +You are playing chess. The environment will give you a string in FEN notation and you will output the optimal action. + +Here are some examples. +``` +{{example_game}} + +``` + +Now let's start a new game. Return your action in a json array with a key "action", like in the example above. Now, make the best move given the current environment state: + +``` +{{game_content}} +``` +""".strip() + + +TOKENIZER = tiktoken.encoding_for_model("gpt-4") +INPUT_TOKEN_COUNT = 0 +OUTPUT_TOKEN_COUNT = 0 + +class GPT4EndgamesPolicy(TextPolicy): + + def __init__(self): + self.prompt = MAIN_PROMPT + + def act(self, text_history: TextHistory) -> TextHistory: + global INPUT_TOKEN_COUNT, OUTPUT_TOKEN_COUNT + game_content = "" + # for i, item in enumerate(text_history[1:]): + # if i % 2 == 0: + # game_content += f"action: {item.text}" + # else: + # game_content += f"environment: {item.text}" + game_content = f"environment: {text_history[-1].text}" + game_content = game_content.strip() + prompt = self.prompt.replace('{{game_content}}', game_content) + prompt = prompt.replace('{{example_game}}', example_game) + print(prompt) + print(text_history[-1].text) + + INPUT_TOKEN_COUNT += len(TOKENIZER.encode(prompt)) + while True: + try: + response = openai.ChatCompletion.create( + model="gpt-4", + messages=[ + { + "role": "system", + "content": SYSTEM_PROMPT, + }, + { + "role": "user", + "content": prompt, + }, + ], + temperature=1.0, + max_tokens=1024, + top_p=1, + frequency_penalty=0, + presence_penalty=0, + ) + except openai.OpenAIError as e: + print(e) + time.sleep(10) + continue + break + response_text = response.choices[0].message.content + OUTPUT_TOKEN_COUNT += len(TOKENIZER.encode(response_text)) + print(response_text) + try: + response_json = json.loads(response_text) + except: + response_json = {"action": ""} + print(f"total cost: {compute_cost(INPUT_TOKEN_COUNT, OUTPUT_TOKEN_COUNT)}; total input tokens: {INPUT_TOKEN_COUNT}; total output tokens: {OUTPUT_TOKEN_COUNT}") + return text_history+(Text(response_json['action'].strip() + "\n", True),) + +def compute_cost(input_token_count: int, output_token_count: int) -> float: + return ((0.03 * input_token_count) / 1000) + ((0.06 * output_token_count) / 1000) + +if __name__ == "__main__": + N_INTERACTIONS = 25 + OUTPUTS_PATH = "data/outputs/gpt4_full_games/" + + def text_history_to_str(text_history: TextHistory) -> str: + return '\n'.join(map(lambda x: x.text, text_history)) + + # bucket_name = "rl-llm-bench-dataset" + # blob_name = "endgames/test_positions.jsonl" + # test_positions = get_data_from_bucket(bucket_name, blob_name) + # test_positions = [position.replace("\n", "").replace("\"", "") for position in test_positions if position != ""] + # test_positions = test_positions[:N_INTERACTIONS] + policy = GPT4EndgamesPolicy() + + def print_interaction(interaction): + print('='*25) + print(text_history_to_str(interaction[-1].post_transition_history)) + print('='*25) + + env = FenChessHistoryEnv(max_moves=100) + + interaction_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=N_INTERACTIONS, + interaction_callback=print_interaction, + ) + + print(interaction_summary_results) + + create_path(OUTPUTS_PATH) + with open(os.path.join(OUTPUTS_PATH, 'interactions.pkl'), 'wb') as f: + pkl.dump(interaction_raw_results, f) + with open(os.path.join(OUTPUTS_PATH, 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/eval_endgames_ilql.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/eval_endgames_ilql.py new file mode 100755 index 00000000..b26e9bb5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/eval_endgames_ilql.py @@ -0,0 +1,198 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +import os +from JaxSeq.models.gpt2.interface import GPT2InferenceMask +from JaxSeq.models.gpt2.load import ModelLoadMode, load_params +import pickle as pkl +import json +from transformers.generation import GenerationConfig +from LLM_RL.environment import text_env_eval +from collections import defaultdict +import numpy as np +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerSamplePolicy, ReRankerPolicy +from llm_rl_scripts.chess.env.env import text_env_eval_chess_positions +from llm_rl_scripts.maze.env.env import maze_proposal_function +from flax.traverse_util import flatten_dict, unflatten_dict +from LLM_RL.environment import Text +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_params as load_head_params +from LLM_RL.algorithms.ilql.gpt2.score_fn import build_ilql_score_fn + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + pi_beta_load_mode: ModelLoadMode, + pi_beta_load_path: str, + test_positions_path: str, + + /, # Mark the end of positional arguments. + + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + bf16_activations: bool=False, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + policy_beta: float=16.0, + + do_accuracy_eval: bool=True, + do_reward_eval: bool=True, + use_reranker_for_reward_eval: bool=False, + + force_pad_embeddings: bool=False, +): + assert model_load_mode != ModelLoadMode.HF + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + + pi_beta_prng_key = jax.random.PRNGKey(0) + pi_beta_params, _ = load_params( + model_load_mode=pi_beta_load_mode, + model_load_path=convert_path(pi_beta_load_path) if pi_beta_load_mode != ModelLoadMode.HF else pi_beta_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=pi_beta_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + base_prng_key = jax.random.PRNGKey(0) + base_params, base_model = load_params( + model_load_mode=model_load_mode, + model_load_path=convert_path(os.path.join(model_load_path, 'base')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=base_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + q1_head_params, q_head = load_head_params( + model_load_mode=model_load_mode.value, + model_load_path=convert_path(os.path.join(model_load_path, 'q1_head')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + mesh=mesh, + prng_key=jax.random.PRNGKey(0), + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + q2_head_params, _ = load_head_params( + model_load_mode=model_load_mode.value, + model_load_path=convert_path(os.path.join(model_load_path, 'q2_head')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + mesh=mesh, + prng_key=jax.random.PRNGKey(0), + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + v_head_params, v_head = load_head_params( + model_load_mode=model_load_mode.value, + model_load_path=convert_path(os.path.join(model_load_path, 'v_head')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + mesh=mesh, + prng_key=jax.random.PRNGKey(0), + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + inference = GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_params, + q1_head_params=q1_head_params, + q2_head_params=q2_head_params, + v_head_params=v_head_params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + beta=policy_beta, + dp_shard_logits=True, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + + all_results = dict() + interactions = dict() + + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + + with open(test_positions_path, "r") as f: + test_positions = list(f) + # test_positions = test_positions[:500] + test_positions = [position.replace("\n", "").replace("\"", "") for position in test_positions if position != ""] + + interactions, results = text_env_eval_chess_positions( + positions=test_positions, + policy=policy, + n_rollouts=policy_n_rollouts, # do multiple, also do no sampling policy + verbose=True, + bsize=policy_bsize, + ) + + if outputs_path is not None: + create_path(outputs_path) + with open(os.path.join(outputs_path, 'interactions.pkl'), 'wb') as f: + pkl.dump(interactions, f) + with open(os.path.join(outputs_path, 'results.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), results), f) + + return all_results + + evaluator(inference) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/eval_full_games_ilql.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/eval_full_games_ilql.py new file mode 100755 index 00000000..8719899b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/eval_full_games_ilql.py @@ -0,0 +1,213 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +import os +from JaxSeq.models.gpt2.interface import GPT2InferenceMask +from JaxSeq.models.gpt2.load import ModelLoadMode, load_params +import pickle as pkl +import json +from transformers.generation import GenerationConfig +from LLM_RL.environment import text_env_eval +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env, maze_solver +from collections import defaultdict +import numpy as np +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerSamplePolicy, ReRankerPolicy +from llm_rl_scripts.maze.env.env import maze_proposal_function +from flax.traverse_util import flatten_dict, unflatten_dict +from LLM_RL.environment import Text +from llm_rl_scripts.maze.env.env import describe_observation_give_position +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_params as load_head_params +from LLM_RL.algorithms.ilql.gpt2.score_fn import build_ilql_score_fn +from llm_rl_scripts.chess.env.env import FenChessHistoryEnv + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + pi_beta_load_mode: ModelLoadMode, + pi_beta_load_path: str, + + /, # Mark the end of positional arguments. + + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + bf16_activations: bool=False, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + policy_beta: float=16.0, + + maze_name:str="double_t_maze", + describe_function:str="describe_observation_give_position", + maze_last_k: int=1, + maze_reward_function: str="standard_reward", + + do_accuracy_eval: bool=True, + do_reward_eval: bool=True, + use_reranker_for_reward_eval: bool=False, + + force_pad_embeddings: bool=False, +): + assert model_load_mode != ModelLoadMode.HF + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + env = setup_maze_env( + maze_name=maze_name, + describe_function=describe_function, + reward_function=maze_reward_function, + last_k=maze_last_k, + ) + possible_positions = list(zip(*np.where(env.maze==0))) + for goal in env.valid_goals: + possible_positions.remove(tuple(goal.tolist())) + optimal_policy = maze_solver(1-env.maze, list(map(tuple, env.valid_goals.tolist()))) + + pi_beta_prng_key = jax.random.PRNGKey(0) + pi_beta_params, _ = load_params( + model_load_mode=pi_beta_load_mode, + model_load_path=convert_path(pi_beta_load_path) if pi_beta_load_mode != ModelLoadMode.HF else pi_beta_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=pi_beta_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + base_prng_key = jax.random.PRNGKey(0) + base_params, base_model = load_params( + model_load_mode=model_load_mode, + model_load_path=convert_path(os.path.join(model_load_path, 'base')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=base_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + q1_head_params, q_head = load_head_params( + model_load_mode=model_load_mode.value, + model_load_path=convert_path(os.path.join(model_load_path, 'q1_head')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + mesh=mesh, + prng_key=jax.random.PRNGKey(0), + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + q2_head_params, _ = load_head_params( + model_load_mode=model_load_mode.value, + model_load_path=convert_path(os.path.join(model_load_path, 'q2_head')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + mesh=mesh, + prng_key=jax.random.PRNGKey(0), + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + v_head_params, v_head = load_head_params( + model_load_mode=model_load_mode.value, + model_load_path=convert_path(os.path.join(model_load_path, 'v_head')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + mesh=mesh, + prng_key=jax.random.PRNGKey(0), + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + inference = GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_params, + q1_head_params=q1_head_params, + q2_head_params=q2_head_params, + v_head_params=v_head_params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + beta=policy_beta, + dp_shard_logits=True, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + + all_results = dict() + interactions = dict() + + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + + env = FenChessHistoryEnv() + + interactions, results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + verbose=True, + env_options={"init_position": position}, + bsize=policy_bsize, + ) + + if outputs_path is not None: + create_path(outputs_path) + with open(os.path.join(outputs_path, 'interactions.pkl'), 'wb') as f: + pkl.dump(interactions, f) + with open(os.path.join(outputs_path, 'results.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), results), f) + + return all_results + + evaluator(inference) + + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/train_endgames_ilql.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/train_endgames_ilql.py new file mode 100755 index 00000000..a03973ae --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/train_endgames_ilql.py @@ -0,0 +1,442 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ilql.base_interface import ilql_loss +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain +from LLM_RL.algorithms.ilql.gpt2.interface import GPT2ILQLTrain, GPT2ILQLInference +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.mlp_head import MLPHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ilql.data import ILQLDataset, ILQLIterableDataset +from functools import partial +import numpy as np +from JaxSeq.logs import pull_logs +import json +from LLM_RL.algorithms.ilql.train import eval_loss, train_loop +from LLM_RL.algorithms.ilql.data import ILQLData, ILQLDataset +from JaxSeq.utils import multihost_device_get +from transformers import GPT2TokenizerFast +from IPython import embed +from llm_rl_scripts.chess.env.env import text_env_eval_chess_positions + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + test_position_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]="llm_rl_repo_endgames_ilql", + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-4, + weight_decay: float=0.0, + tau: float=0.7, + cql_weight: float=1.0, + gamma: float=0.99, + + train_bsize: int=32, + grad_accum_steps: int=1, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=160, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=10, + eval_at_beginning: bool=True, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=5, + save_at_beginning: bool=False, + save_at_end: bool=True, + save_best: bool=False, + max_checkpoints: Optional[int]=5, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + reranker: bool=True +): + input_args = locals() + print(input_args) + + tokenizer = GPT2TokenizerFast.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def ilql_data_generator(data_name): + with open(data_name, "r") as f: + for item in f: + obj = json.loads(item) + # curr_chain = TextTrajectory() + # starting with the last element + last_trajectory = TextTrajectory([Text(obj[-1]["state"], False), Text(obj[-1]["action"], True)], + [0, obj[-1]["reward"]], True) + curr_chain = TextTrajectoryChain(text_trajectory=last_trajectory, next=None) + # curr_chain.next = curr_chain + for traj in reversed(obj): # iterate through move history backwards except for last transition + # embed() + prev_trajectory = TextTrajectory([Text(traj["state"], False), Text(traj["action"], True)], + [0, traj["reward"]], traj["done"]) + curr_chain = TextTrajectoryChain(text_trajectory=prev_trajectory, next=curr_chain) + token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(curr_chain, tokenizer) + while token_trajectory_chain.next is not None: + yield ILQLData.from_token_trajectory_chain(token_trajectory_chain) + token_trajectory_chain = token_trajectory_chain.next + + dataset = ILQLIterableDataset.from_ilql_data_iterable(ilql_data_generator(train_data_path), tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + )) + + eval_dataset = ILQLIterableDataset.from_ilql_data_iterable(ilql_data_generator(eval_data_path), tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + )) + + + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + # base_train_state.config.gradient_checkpointing = gradient_checkpointing + # base_train_state.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + target_base_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + target_base_params = shard_params_from_params( + model=base_model, + params=target_base_params, + ) + with jax.default_device(jax.devices('cpu')[0]): + pi_beta_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + pi_beta_params = shard_params_from_params( + model=base_model, + params=pi_beta_params, + ) + + q1_prng_key = jax.random.PRNGKey(4) + q1_head_train_state, q_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q1_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q1_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q1_head_train_state.params, + ) + q1_target_head_params = shard_params_from_params( + model=q_head, + params=q1_target_head_params, + ) + + q2_prng_key = jax.random.PRNGKey(5) + q2_head_train_state, _ = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q2_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q2_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q2_head_train_state.params, + ) + q2_target_head_params = shard_params_from_params( + model=q_head, + params=q2_target_head_params, + ) + + v_prng_key = jax.random.PRNGKey(6) + v_head_train_state, v_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=1, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=v_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(ilql_loss, gamma=gamma, tau=tau, cql_weight=cql_weight) + + train = GPT2ILQLTrain.load_train( + base_train_state=base_train_state, + target_base_params=target_base_params, + q1_head_train_state=q1_head_train_state, + q2_head_train_state=q2_head_train_state, + v_head_train_state=v_head_train_state, + q1_target_head_params=q1_target_head_params, + q2_target_head_params=q2_target_head_params, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q1=False, + detach_q2=False, + detach_v=False, + polyak_alpha=0.005, + hard_update_every=None, + ) + + # inference = GPT2ILQLInference.load_inference(value_rl_inference, target_value_rl_inference, loss_fn) + inference = GPT2ILQLInference.load_inference( + GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q1_head_params=q1_head_train_state.params, + q2_head_params=q2_head_train_state.params, + v_head_params=v_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + beta=8.0, + dp_shard_logits=True, + ), + GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=target_base_params, + q1_head_params=q1_target_head_params, + q2_head_params=q2_target_head_params, + v_head_params=None, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=None, + tokenizer=tokenizer, + beta=8.0, + dp_shard_logits=True, + ), + loss_fn, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + print(save_dir) + if save_dir is None: + embed() + + with open(test_position_path, "r") as f: + positions = list(f) + positions = [position.replace("\n", "").replace("\"", "") for position in positions if position != ""] + + positions = positions[:50] + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPT2ILQLInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2ValuePolicy( + inference=inference.value_inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=True, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + raw_results, summary_results = text_env_eval_chess_positions( + positions=positions, + policy=policy, + n_rollouts=1, + bsize=1, + ) + summary_results = pull_logs(summary_results) + + data_results = eval_loss( + inference=inference, + dataset=eval_dataset, + prng_key=jax.random.PRNGKey(1), + bsize=4, + eval_batches=64, + ) + + return data_results["losses"]["total_loss"], {"interaction_env": summary_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=dataset, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/train_full_games_ilql.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/train_full_games_ilql.py new file mode 100755 index 00000000..08c626f4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/train_full_games_ilql.py @@ -0,0 +1,427 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ilql.base_interface import ilql_loss +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain +from LLM_RL.algorithms.ilql.gpt2.interface import GPT2ILQLTrain, GPT2ILQLInference +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.mlp_head import MLPHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ilql.data import ILQLDataset +from LLM_RL.algorithms.ilql.data import ILQLIterableDataset +from functools import partial +from JaxSeq.logs import pull_logs +import json +from LLM_RL.algorithms.ilql.train import eval_loss, train_loop +from LLM_RL.algorithms.ilql.data import ILQLData, ILQLDataset +from JaxSeq.utils import multihost_device_get +from transformers import GPT2TokenizerFast +from IPython import embed +from llm_rl_scripts.chess.env.env import FenChessHistoryEnv +import random + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]="llm_rl_repo_endgames_ilql", + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-4, + weight_decay: float=0.0, + tau: float=0.7, + cql_weight: float=1.0, + gamma: float=0.99, + + train_bsize: int=32, + grad_accum_steps: int=1, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=160, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=10, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=5, + save_at_beginning: bool=False, + save_at_end: bool=True, + save_best: bool=False, + max_checkpoints: Optional[int]=5, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + reranker: bool=True +): + input_args = locals() + print(input_args) + + tokenizer = GPT2TokenizerFast.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def ilql_data_generator(data_name): + with open(data_name, "r") as f: + for item in f: + obj = json.loads(item) + # curr_chain = TextTrajectory() + # starting with the last element + last_trajectory = TextTrajectory([Text(obj[-1]["state"], False), Text(obj[-1]["action"], True)], + [0, obj[-1]["reward"]], True) + curr_chain = TextTrajectoryChain(text_trajectory=last_trajectory, next=None) + # curr_chain.next = curr_chain + for traj in reversed(obj): # iterate through move history backwards except for last transition + # embed() + prev_trajectory = TextTrajectory([Text(traj["state"], False), Text(traj["action"], True)], + [0, traj["reward"]], False) + curr_chain = TextTrajectoryChain(text_trajectory=prev_trajectory, next=curr_chain) + token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(curr_chain, tokenizer) + while token_trajectory_chain.next is not None: + yield ILQLData.from_token_trajectory_chain(token_trajectory_chain) + token_trajectory_chain = token_trajectory_chain.next + + + dataset = ILQLIterableDataset.from_ilql_data_iterable(ilql_data_generator(train_data_path), tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + )) + + + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + # base_train_state.config.gradient_checkpointing = gradient_checkpointing + # base_train_state.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + target_base_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + target_base_params = shard_params_from_params( + model=base_model, + params=target_base_params, + ) + with jax.default_device(jax.devices('cpu')[0]): + pi_beta_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + pi_beta_params = shard_params_from_params( + model=base_model, + params=pi_beta_params, + ) + + q1_prng_key = jax.random.PRNGKey(4) + q1_head_train_state, q_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q1_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q1_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q1_head_train_state.params, + ) + q1_target_head_params = shard_params_from_params( + model=q_head, + params=q1_target_head_params, + ) + + q2_prng_key = jax.random.PRNGKey(5) + q2_head_train_state, _ = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q2_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q2_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q2_head_train_state.params, + ) + q2_target_head_params = shard_params_from_params( + model=q_head, + params=q2_target_head_params, + ) + + v_prng_key = jax.random.PRNGKey(6) + v_head_train_state, v_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=1, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=v_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(ilql_loss, gamma=gamma, tau=tau, cql_weight=cql_weight) + + train = GPT2ILQLTrain.load_train( + base_train_state=base_train_state, + target_base_params=target_base_params, + q1_head_train_state=q1_head_train_state, + q2_head_train_state=q2_head_train_state, + v_head_train_state=v_head_train_state, + q1_target_head_params=q1_target_head_params, + q2_target_head_params=q2_target_head_params, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q1=False, + detach_q2=False, + detach_v=False, + polyak_alpha=0.005, + hard_update_every=None, + ) + + # inference = GPT2ILQLInference.load_inference(value_rl_inference, target_value_rl_inference, loss_fn) + inference = GPT2ILQLInference.load_inference( + GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q1_head_params=q1_head_train_state.params, + q2_head_params=q2_head_train_state.params, + v_head_params=v_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + beta=8.0, + dp_shard_logits=True, + ), + GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=target_base_params, + q1_head_params=q1_target_head_params, + q2_head_params=q2_target_head_params, + v_head_params=None, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=None, + tokenizer=tokenizer, + beta=8.0, + dp_shard_logits=True, + ), + loss_fn, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + print(save_dir) + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPT2ILQLInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2ValuePolicy( + inference=inference.value_inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=True, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + env = FenChessHistoryEnv() + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=8, + bsize=8, + ) + summary_results = pull_logs(summary_results) + + data_results = eval_loss( + inference=inference, + dataset=dataset, + prng_key=jax.random.PRNGKey(1), + bsize=4, + eval_batches=64, + ) + + return data_results["losses"]["total_loss"], {"interaction_env": summary_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=dataset, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/train_online_ilql.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/train_online_ilql.py new file mode 100755 index 00000000..7ed3c381 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ilql/train_online_ilql.py @@ -0,0 +1,451 @@ +from typing import Optional, Dict, Any, Tuple +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, get_dtype, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, create_path, get_enabled_save_path +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ppo.train import train_loop +from LLM_RL.algorithms.ppo.base_interface import ppo_loss_fn, FixedKLController, AdaptiveKLController +from LLM_RL.algorithms.ilql.data import ILQLData, ILQLDataset +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import TextEnv, TextHistory, Text, TokenTrajectoryChain, TextTrajectory, TextTrajectoryChain +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2ILQLPolicy, GPT2ILQLInference, GPT2PPOTrain +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ppo.data import PPODataset +from functools import partial +from JaxSeq.logs import label_logs, log, pull_logs +import json +from JaxSeq.utils import multihost_device_get +from IPython import embed +from llm_rl_scripts.chess.env.data import get_random_positions_not_in_test +from llm_rl_scripts.chess.env.env import FenChessHistoryEnv, text_env_eval_chess_positions + +class BitsTestEnv(TextEnv): + def __init__(self, n: int): + self.n = n + + def step(self, text_history: TextHistory) -> Tuple[TextHistory, float, bool]: + try: + bits = list(map(int, text_history[-1].text.strip().split(' '))) + except: + bits = [] + return text_history, float(sum(bits) > (self.n // 2))*10.0, True + + def reset(self, seed: Optional[int]=None, options: Optional[Dict]=None) -> TextHistory: + return (Text(text='<|endoftext|>', is_action=False),) + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + rollout_bsize: int=32, + n_rollouts: int=128, + ppo_data_bsize: int=32, + num_pos_per_setup: int=4, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + use_fp16_activations: bool=False, + use_fp16_params: bool=False, + + max_input_length: int=512, + max_output_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=2, + eval_at_beginning: bool=True, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=10, + save_at_beginning: bool=False, + save_at_end: bool=True, + save_best: bool=True, + max_checkpoints: Optional[int]=20, + save_train_state: bool=True, + save_ilql_dataset: bool=True, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + gamma: float=1.0, + lam: float=0.95, + use_advantage_whitening: bool=True, + + init_kl_coef: float=0.001, + kl_target: Optional[float]=None, + kl_horizon: Optional[int]=None, + + cliprange_value: float=0.2, + cliprange: float=0.2, + value_loss_coef: float=1.0, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals().copy() + print(input_args) + + use_adaptive_kl = (kl_target is not None and kl_horizon is not None) + if not use_adaptive_kl: + assert kl_target is None and kl_horizon is None + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_dtype = get_dtype(use_fp16=use_fp16_activations) + params_dtype = get_dtype(use_fp16=use_fp16_params) + + model_prng_key = jax.random.PRNGKey(2) + policy_train_state, policy_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=model_dtype, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=params_dtype, + ) + policy_model.config.gradient_checkpointing = gradient_checkpointing + policy_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + initial_policy_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + policy_train_state.params, + ) + initial_policy_params = shard_params_from_params( + model=policy_model, + params=initial_policy_params, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2Inference.load_inference( + params=policy_train_state.params, + model=policy_model, + tokenizer=tokenizer, + ) + + env = FenChessHistoryEnv() + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2ILQLPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + head_prng_key = jax.random.PRNGKey(3) + value_head_train_state, value_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=policy_model.config.n_embd, + output_dim=1, + use_bias=True, + initializer_range=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=head_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loss_f = partial(ppo_loss_fn, cliprange_value=cliprange_value, cliprange=cliprange, value_loss_coef=value_loss_coef) + + ppo_inference = GPT2ILQLInference.load_inference( + initial_policy_params=initial_policy_params, + policy_params=policy_train_state.params, + value_head_params=value_head_train_state.params, + initial_policy_model=policy_model, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + ) + + ppo_trainer = GPT2PPOTrain.load_train( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + ) + + if use_adaptive_kl: + kl_controller = AdaptiveKLController(init_kl_coef=init_kl_coef, target=kl_target, horizon=kl_horizon) + else: + kl_controller = FixedKLController(kl_coef=init_kl_coef) + + + data_round = 0 + prev_positions = [] + def ilql_dataset_loader(ppo_inference: GPT2ILQLInference, policy: GPT2ILQLPolicy) -> PPODataset: + print("collecting data ...") + nonlocal data_round + nonlocal prev_positions + # position = large_piece_random_endgame("kQK") + bucket_name = "rl-llm-bench-dataset" + blob_name = "queen_rook_unopposed/queen_rook_unopposed/test_positions.jsonl" + positions = get_random_positions_not_in_test(bucket_name=bucket_name, blob_name=blob_name, num_pos_per_setup=num_pos_per_setup) + prev_positions.extend(positions) + prev_positions = list(set(prev_positions)) + print("number of unique positions so far: ", len(prev_positions)) + # print('saving starting positions ...') + + # with open(get_enabled_save_path( + # os.path.join(save_dir, 'ppo_start_positions.jsonl'), + # enabled=is_main_process, + # ), 'w+') as f: + # for position in tqdm(prev_positions): + # f.write(json.dumps(position)+"\n") + + # env = FenChessHistoryEnv(from_position=position) + raw_results, summary_results = text_env_eval_chess_positions( + positions=positions, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + ) + summary_results = pull_logs(summary_results) + + text_trajectory_chains = [] + for raw_result in raw_results: + curr_chain = [] + for transition in raw_result: + try: + text_trajectory = TextTrajectory( + text_history=transition.post_action_history, + reward=[0.0, transition.reward], + done=transition.done, + ) + curr_chain.append(text_trajectory) + except: + embed() + + chain = None + for text_trajectory in curr_chain[::-1]: + chain = TextTrajectoryChain( + text_trajectory=text_trajectory, + next=chain, + ) + + text_trajectory_chains.append(chain) + + ppo_data, all_kls = ppo_inference.get_ppo_data_from_text_trajectory_chain( + text_trajectory_chains, + bsize=ppo_data_bsize, + max_length=max_input_length+max_output_length, + gamma=gamma, + lam=lam, + kl_weight=kl_controller.value, + use_advantage_whitening=use_advantage_whitening, + ) + + logs = dict( + env_interaction=summary_results, + ) + + token_trajectory_chains = list(map(lambda chain: TokenTrajectoryChain.from_text_trajectory_chain(chain, tokenizer), text_trajectory_chains)) + ilql_data_list = list(map(lambda x: ILQLData.from_token_trajectory_chain(x), token_trajectory_chains)) + + ilql_dataset = ILQLDataset.from_ilql_data_list(ilql_data_list, + tokenizer, + BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_length=max_length)) + + + logs = dict( + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_ilql_dataset: + print('saving online dataset ...') + print(save_dir) + # save_dataset_to_bucket(ppo_dataset, save_dir, data_round, is_main_process, text_trajectory_chains, raw_results, summary_results) + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'ilql_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(ilql_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'text_trajectory_chains.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(text_trajectory_chains, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'raw_results.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(raw_results, f) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return ilql_dataset + + # outputs_path = convert_path(f"outputs/chess/{exp_name}/") + outputs_path = f"{outputs_path}/{exp_name}/" + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=outputs_path, + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=ilql_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/mc_returns/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/mc_returns/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/mc_returns/eval_endgames_mc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/mc_returns/eval_endgames_mc.py new file mode 100755 index 00000000..dd2fec51 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/mc_returns/eval_endgames_mc.py @@ -0,0 +1,180 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +import os +from JaxSeq.models.gpt2.interface import GPT2InferenceMask +from JaxSeq.models.gpt2.load import ModelLoadMode, load_params +import pickle as pkl +import json +from transformers.generation import GenerationConfig +from LLM_RL.environment import text_env_eval +from llm_rl_scripts.chess.env.env import text_env_eval_chess_positions +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env, maze_solver +from collections import defaultdict +import numpy as np +from flax.traverse_util import flatten_dict, unflatten_dict +from LLM_RL.environment import Text +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_params as load_head_params +from LLM_RL.algorithms.mc_returns.score_fn import build_mc_score_fn + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + pi_beta_load_mode: ModelLoadMode, + pi_beta_load_path: str, + test_positions_path: str, + + /, # Mark the end of positional arguments. + + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + bf16_activations: bool=False, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + policy_beta: float=16.0, + + do_accuracy_eval: bool=True, + do_reward_eval: bool=True, + use_reranker_for_reward_eval: bool=False, + + force_pad_embeddings: bool=False, +): + assert model_load_mode != ModelLoadMode.HF + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + + pi_beta_prng_key = jax.random.PRNGKey(0) + pi_beta_params, _ = load_params( + model_load_mode=pi_beta_load_mode, + model_load_path=convert_path(pi_beta_load_path) if pi_beta_load_mode != ModelLoadMode.HF else pi_beta_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=pi_beta_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + base_prng_key = jax.random.PRNGKey(0) + base_params, base_model = load_params( + model_load_mode=model_load_mode, + model_load_path=convert_path(os.path.join(model_load_path, 'base')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=base_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + q_head_params, q_head = load_head_params( + model_load_mode=model_load_mode.value, + model_load_path=convert_path(os.path.join(model_load_path, 'q_head')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + mesh=mesh, + prng_key=jax.random.PRNGKey(0), + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + inference = GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_params, + q1_head_params=q_head_params, + q2_head_params=None, + v_head_params=None, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=None, + tokenizer=tokenizer, + beta=policy_beta, + dp_shard_logits=True, + ) + + policy_prng = jax.random.PRNGKey(0) + + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + + all_results = dict() + interactions = dict() + + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + with open(test_positions_path, "r") as f: + test_positions = list(f) + # test_positions = test_positions[:500] + test_positions = [position.replace("\n", "").replace("\"", "") for position in test_positions if position != ""] + + interactions, results = text_env_eval_chess_positions( + positions=test_positions, + policy=policy, + n_rollouts=policy_n_rollouts, # do multiple, also do no sampling policy + verbose=True, + bsize=policy_bsize, + ) + + if outputs_path is not None: + create_path(outputs_path) + with open(os.path.join(outputs_path, 'interactions.pkl'), 'wb') as f: + pkl.dump(interactions, f) + with open(os.path.join(outputs_path, 'results.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), results), f) + + return all_results + + + print(evaluator( + inference=inference, + )) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/mc_returns/eval_full_games_mc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/mc_returns/eval_full_games_mc.py new file mode 100755 index 00000000..6f06009e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/mc_returns/eval_full_games_mc.py @@ -0,0 +1,196 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +import os +from JaxSeq.models.gpt2.interface import GPT2InferenceMask +from JaxSeq.models.gpt2.load import ModelLoadMode, load_params +import pickle as pkl +import json +from transformers.generation import GenerationConfig +from LLM_RL.environment import text_env_eval +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env, maze_solver +from collections import defaultdict +import numpy as np +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerSamplePolicy, ReRankerPolicy +from llm_rl_scripts.maze.env.env import maze_proposal_function +from flax.traverse_util import flatten_dict, unflatten_dict +from LLM_RL.environment import Text +from llm_rl_scripts.maze.env.env import describe_observation_give_position +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_params as load_head_params +from LLM_RL.algorithms.mc_returns.score_fn import build_mc_score_fn +from llm_rl_scripts.chess.env.env import FenChessHistoryEnv + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + pi_beta_load_mode: ModelLoadMode, + pi_beta_load_path: str, + + /, # Mark the end of positional arguments. + + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + bf16_activations: bool=False, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + policy_beta: float=16.0, + + maze_name:str="double_t_maze", + describe_function:str="describe_observation_give_position", + maze_last_k: int=1, + maze_reward_function: str="standard_reward", + + do_accuracy_eval: bool=True, + do_reward_eval: bool=True, + use_reranker_for_reward_eval: bool=False, + + force_pad_embeddings: bool=False, +): + assert model_load_mode != ModelLoadMode.HF + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + env = setup_maze_env( + maze_name=maze_name, + describe_function=describe_function, + reward_function=maze_reward_function, + last_k=maze_last_k, + ) + possible_positions = list(zip(*np.where(env.maze==0))) + for goal in env.valid_goals: + possible_positions.remove(tuple(goal.tolist())) + optimal_policy = maze_solver(1-env.maze, list(map(tuple, env.valid_goals.tolist()))) + + pi_beta_prng_key = jax.random.PRNGKey(0) + pi_beta_params, _ = load_params( + model_load_mode=pi_beta_load_mode, + model_load_path=convert_path(pi_beta_load_path) if pi_beta_load_mode != ModelLoadMode.HF else pi_beta_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=pi_beta_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + base_prng_key = jax.random.PRNGKey(0) + base_params, base_model = load_params( + model_load_mode=model_load_mode, + model_load_path=convert_path(os.path.join(model_load_path, 'base')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=base_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + q_head_params, q_head = load_head_params( + model_load_mode=model_load_mode.value, + model_load_path=convert_path(os.path.join(model_load_path, 'q_head')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + mesh=mesh, + prng_key=jax.random.PRNGKey(0), + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + inference = GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_params, + q1_head_params=q_head_params, + q2_head_params=None, + v_head_params=None, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=None, + tokenizer=tokenizer, + beta=policy_beta, + dp_shard_logits=True, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + + all_results = dict() + interactions = dict() + + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + + env = FenChessHistoryEnv() + + interactions, results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + verbose=True, + env_options={"init_position": position}, + bsize=policy_bsize, + ) + + if outputs_path is not None: + create_path(outputs_path) + with open(os.path.join(outputs_path, 'interactions.pkl'), 'wb') as f: + pkl.dump(interactions, f) + with open(os.path.join(outputs_path, 'results.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), results), f) + + return all_results + + print(evaluator( + inference=inference, + )) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/mc_returns/train_endgames_mc_returns.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/mc_returns/train_endgames_mc_returns.py new file mode 100755 index 00000000..ecdb610d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/mc_returns/train_endgames_mc_returns.py @@ -0,0 +1,343 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain +from LLM_RL.algorithms.mc_returns.data import MCData, MCDataset, MCIterableDataset +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy +from LLM_RL.heads.mlp_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.mlp_head import MLPHeadConfig +from LLM_RL.algorithms.mc_returns.gpt2.interface import GPT2MCTrain, GPT2MCInference +from functools import partial +from JaxSeq.logs import pull_logs +import json +from transformers import GPT2TokenizerFast +from llm_rl_scripts.chess.env.env import text_env_eval_chess_positions +from JaxSeq.shard_model import copy_sharded_pytree +import random +from LLM_RL.algorithms.mc_returns.base_interface import mc_loss +from LLM_RL.algorithms.mc_returns.train import eval_loss, train_loop +from LLM_RL.algorithms.mc_returns.data import MCData, MCDataset + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + test_positions_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]="llm_rl_repo_give_position_ilql", + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-4, + weight_decay: float=0.0, + tau: float=0.95, + cql_weight: float=0.0, + gamma: float=0.99, + + train_bsize: int=32, + grad_accum_steps: int=1, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=80, + + log_every: int=256, + eval_every_steps: Optional[int]=10000, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=100000, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=True, + save_at_end: bool=True, + save_best: bool=False, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + reranker: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = GPT2TokenizerFast.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def mc_data_generator(data_name): + with open(data_name, "r") as f: + for item in f: + obj = json.loads(item) + # starting with the last element + last_trajectory = TextTrajectory([Text(obj[-1]["state"], False), Text(obj[-1]["action"], True)], + [0, obj[-1]["reward"]], True) + curr_chain = TextTrajectoryChain(text_trajectory=last_trajectory, next=None) + # curr_chain.next = curr_chain + for traj in reversed(obj): # iterate through move history backwards except for last transition + # embed() + prev_trajectory = TextTrajectory([Text(traj["state"], False), Text(traj["action"], True)], + [0, traj["reward"]], traj["done"]) + curr_chain = TextTrajectoryChain(text_trajectory=prev_trajectory, next=curr_chain) + token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(curr_chain, tokenizer) + while token_trajectory_chain.next is not None: + yield MCData.from_token_trajectory_chain(token_trajectory_chain, gamma=gamma) + token_trajectory_chain = token_trajectory_chain.next + + mc_data_lst = list(mc_data_generator(train_data_path)) + random.shuffle(mc_data_lst) + + dataset = MCIterableDataset.from_mc_data_iterable(mc_data_generator(train_data_path), tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + )) + + eval_dataset = MCIterableDataset.from_mc_data_iterable(mc_data_generator(eval_data_path), tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + )) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + base_model.config.gradient_checkpointing = gradient_checkpointing + base_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + pi_beta_params = copy_sharded_pytree( + model=base_model, + pytree=base_train_state.params, + ) + + q_prng_key = jax.random.PRNGKey(4) + # embed() + q_head_train_state, q_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(mc_loss, cql_weight=cql_weight) + + train = GPT2MCTrain.load_train( + base_train_state=base_train_state, + q_head_train_state=q_head_train_state, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q=False, + ) + + inference = GPT2MCInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q_head_params=q_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + beta=8.0, + dp_shard_logits=True, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + with open(test_positions_path, "r") as f: + positions = list(f) + positions = [position.replace("\n", "").replace("\"", "") for position in positions if position != ""] + + positions = positions[:100] + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPT2MCInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2ValuePolicy( + inference=inference.value_inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=True, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + raw_results, summary_results = text_env_eval_chess_positions( + positions=positions, + policy=policy, + n_rollouts=1, + bsize=1, + ) + + data_results = eval_loss( + inference=inference, + dataset=dataset, + prng_key=jax.random.PRNGKey(1), + bsize=4, + eval_batches=64, + ) + summary_results = pull_logs(summary_results) + + return data_results['losses']["total_loss"], {"interaction_env": summary_results} + + + + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=dataset, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/mc_returns/train_full_games_mc_returns.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/mc_returns/train_full_games_mc_returns.py new file mode 100755 index 00000000..1f8a1401 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/mc_returns/train_full_games_mc_returns.py @@ -0,0 +1,328 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain +from LLM_RL.algorithms.mc_returns.data import MCData +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy +from LLM_RL.heads.mlp_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.mlp_head import MLPHeadConfig +from LLM_RL.algorithms.mc_returns.gpt2.interface import GPT2MCTrain, GPT2MCInference +from functools import partial +import numpy as np +from JaxSeq.logs import pull_logs +import json +from transformers import GPT2TokenizerFast +from llm_rl_scripts.chess.env.env import FenChessHistoryEnv +from JaxSeq.shard_model import copy_sharded_pytree +from LLM_RL.algorithms.mc_returns.base_interface import mc_loss +from LLM_RL.algorithms.mc_returns.train import eval_loss, train_loop +from LLM_RL.algorithms.mc_returns.data import MCData, MCIterableDataset + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]="llm_rl_repo_give_position_ilql", + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-4, + weight_decay: float=0.0, + tau: float=0.95, + cql_weight: float=0.0, + gamma: float=0.99, + + train_bsize: int=32, + grad_accum_steps: int=1, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=150, + + log_every: int=256, + eval_every_steps: Optional[int]=100000, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=100000, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=True, + save_at_end: bool=True, + save_best: bool=False, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=150, + policy_max_output_length: int=10, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + reranker: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = GPT2TokenizerFast.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def mc_data_generator(data_name): + with open(data_name, "r") as f: + for item in f: + obj = json.loads(item) + # curr_chain = TextTrajectory() + # starting with the last element + last_trajectory = TextTrajectory([Text(obj[-1]["state"], False), Text(obj[-1]["action"], True)], + [0, obj[-1]["reward"]], True) + curr_chain = TextTrajectoryChain(text_trajectory=last_trajectory, next=None) + # curr_chain.next = curr_chain + for traj in reversed(obj): # iterate through move history backwards except for last transition + # embed() + prev_trajectory = TextTrajectory([Text(traj["state"], False), Text(traj["action"], True)], + [0, traj["reward"]], False) + curr_chain = TextTrajectoryChain(text_trajectory=prev_trajectory, next=curr_chain) + token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(curr_chain, tokenizer) + while token_trajectory_chain.next is not None: + yield MCData.from_token_trajectory_chain(token_trajectory_chain, gamma=gamma) + token_trajectory_chain = token_trajectory_chain.next + + + mc_data = mc_data_generator(train_data_path) + + dataset = MCIterableDataset.from_mc_data_iterable(mc_data, tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + )) + + + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + base_model.config.gradient_checkpointing = gradient_checkpointing + base_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + pi_beta_params = copy_sharded_pytree( + model=base_model, + pytree=base_train_state.params, + ) + + q_prng_key = jax.random.PRNGKey(4) + # embed() + q_head_train_state, q_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(mc_loss, cql_weight=cql_weight) + + train = GPT2MCTrain.load_train( + base_train_state=base_train_state, + q_head_train_state=q_head_train_state, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q=False, + ) + + inference = GPT2MCInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q_head_params=q_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + beta=8.0, + dp_shard_logits=True, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPT2MCInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=True, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + env = FenChessHistoryEnv() + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=8, + bsize=8, + ) + summary_results = pull_logs(summary_results) + + data_results = eval_loss( + inference=inference, + dataset=dataset, + prng_key=jax.random.PRNGKey(1), + bsize=4, + eval_batches=64, + ) + + return data_results['losses']["total_loss"], {"interaction_env": summary_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=dataset, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/create_bc_filtered_val.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/create_bc_filtered_val.py new file mode 100755 index 00000000..f436fdd2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/create_bc_filtered_val.py @@ -0,0 +1,20 @@ +import json +from JaxSeq.bucket_manager import open_with_bucket as open +import random + +data_name = "gcs://rl-llm-bench-dataset-internal/endgames/val.jsonl" + +data = [] + +with open(data_name, "r") as f: + for item in f: + obj = json.loads(item) + if obj[-1]["reward"] == 1: + for pair in obj: + data.append({"from_state": pair["state"], "action": pair["action"]}) + +print(data[0:10]) +random.shuffle(data) +with open("gcs://rl-llm-bench-dataset-internal/endgames/bc_val_filtered.jsonl", "w") as f: + for item in data: + f.write(json.dumps(item) + "\n") \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/eval_gpt2.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/eval_gpt2.py new file mode 100755 index 00000000..3b05687c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/eval_gpt2.py @@ -0,0 +1,90 @@ +from examples_jaxseq.misc.commandline_server_client import Client +from JaxSeq.utils import strip_prompt_from_completion +from LLM_RL.environment import TextPolicy, TextHistory, text_history_to_str, Text, text_env_eval +from llm_rl_scripts.chess.env import FenChessHistoryEnvSingleTurn, postprocess_state +import tyro +from typing import Union, List, Optional +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import jsonl_load +from tqdm.auto import tqdm + +class HostPolicy(TextPolicy): + def __init__(self, host: Union[str, List[str]], n_retries: int=3, move: Optional[str]=None, eos_token_id: Optional[int]=None): + if isinstance(host, str): + host = [host] + self.client = Client(host) + self.n_retries = n_retries + self.move = move + self.eos_token_id = eos_token_id + + def act(self, text_history: TextHistory) -> TextHistory: + if self.move is not None: + return text_history+(Text(self.move, True),) + prompt = text_history_to_str(text_history) + for _ in range(self.n_retries): + response = self.client.generate( + prompts=[prompt], + seed=None, + max_input_length=128, + max_new_tokens=16, + do_sample=True, + num_beams=1, + temperature=None, + top_p=None, + top_k=None, + eos_token_id=self.eos_token_id, + ) + if response['status'] != 'error': + break + if response['status'] == 'error': + raise Exception(f"Error: {response['error']}") + move = strip_prompt_from_completion(prompt, response['data'][0])+'\n' + return text_history + (Text(move, True),) + +def main( + host: str, + data_file: str, + max_iters: Optional[int], + n_retries: int=3, + eos_token_id: Optional[int]=None, +): + # policy = HostPolicy(host, n_retries=n_retries) + + with open(data_file, 'r') as f: + data = jsonl_load(f) + if max_iters is None: + max_iters = len(data) + + wins, losses, draws = 0, 0, 0 + valid_moves, total_moves = 0, 0 + for i, d in tqdm(enumerate(data), total=max_iters): + if i >= max_iters: + break + policy = HostPolicy(host, n_retries=n_retries, eos_token_id=eos_token_id) + env = FenChessHistoryEnvSingleTurn(initial_history=(Text('', False),), from_position=postprocess_state(d['in_text'])) + all_data, summary = text_env_eval( + env=env, + policy=policy, + n_rollouts=1, + initial_text_history=None, + seed_generator=None, + env_options=None, + interaction_callback=None, + bsize=1, + verbose=False, + ) + final_reward = all_data[0][-1].reward + if final_reward == -1: + losses += 1 + elif final_reward == 0: + draws += 1 + elif final_reward == 1: + wins += 1 + valid_moves += sum(list(map(lambda x: int(x.reward != -1), all_data[0][:-1]))) + total_moves += len(all_data[0])-1 + print(summary) + print(f"Wins: {wins}, Losses: {losses}, Draws: {draws}, Win Rate: {wins/(wins+losses+draws)}") + print(f"Valid Moves: {valid_moves}, Total Moves: {total_moves}, Valid Move Rate: {valid_moves/total_moves}") + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/load_data.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/load_data.py new file mode 100755 index 00000000..c9cb9eb6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/load_data.py @@ -0,0 +1,29 @@ +from llm_rl_scripts.chess.env.env import FenChessHistoryEnv, preprocess_move, preprocess_state +from JaxSeq.bucket_manager import open_with_bucket as open +import json +import random +from IPython import embed + +filtered = False +data_path = "gcs://rl-llm-bench-dataset/chess/complete_background_generated/train.jsonl" +data = [] +def str_iterable(data_path): + with open(data_path, "r") as f: + for obj in f: + # print(obj) + if obj is None or obj == "": + continue + result = json.loads(obj) + yield {"in_text": preprocess_state(result["from_state"]), "out_text": preprocess_move(result["action"])} + # embed() + # # embed() + # if (filtered and result[-1]["reward"] == 1) or not filtered: + # for item in result: + # item = {"in_text": preprocess_state(item["state"]), "out_text": preprocess_move(item["action"])} + # data.append(item) + +# random.shuffle(data) + +iterable = str_iterable(data_path) +for _ in range(10): + print(next(iterable)) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/prep_data.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/prep_data.py new file mode 100755 index 00000000..2d98cd60 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/prep_data.py @@ -0,0 +1,55 @@ +import numpy as np +import os +import random +import json +from collections import defaultdict +from tqdm.auto import tqdm + +initial_state = 'rnbqkbnr/pppppppp/8/8/8/8/PPPPPPPP/RNBQKBNR w KQkq - 0 1' + +if __name__ == "__main__": + states = np.load(open(os.path.join('elo-2800-dataset', 'states.npy'), 'rb')) + actions = np.load(open(os.path.join('elo-2800-dataset', 'actions.npy'), 'rb')) + + states = np.concatenate((np.full((states.shape[0], 1), initial_state), states), axis=1) + + data = [] + for i in tqdm(range(actions.shape[0])): + for x in range(actions.shape[1]): + if actions[i, x] == '': + assert states[i, x+1] == '' + continue + data.append({ + "in_text": " ".join(states[i, x])+"\n", + "out_text": " ".join(actions[i, x])+"\n", + }) + + # get all stockfish actions at each state + actions_per_state = defaultdict(set) + for item in tqdm(data): + actions_per_state[item['in_text']].add(item['out_text']) + for item in tqdm(data): + item['stockfish_actions'] = list(actions_per_state[item['in_text']]) + + # split data by state + data_per_state = defaultdict(list) + for item in tqdm(data): + data_per_state[item['in_text']].append(item) + all_states = list(data_per_state.keys()) + # shuffle + random.shuffle(all_states) + + # 90% of states for training data + train_data = [] + for i in tqdm(range(int(len(all_states)*0.9))): + train_data.extend(data_per_state[all_states[i]]) + val_data = [] + for i in tqdm(range(int(len(all_states)*0.9), len(all_states))): + val_data.append(data_per_state[all_states[i]][0]) + + with open('train.jsonl', 'w') as f: + for d in tqdm(train_data): + f.write(json.dumps(d)+"\n") + with open('val.jsonl', 'w') as f: + for d in tqdm(val_data): + f.write(json.dumps(d)+"\n") diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/save_data.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/save_data.py new file mode 100755 index 00000000..73e88809 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/save_data.py @@ -0,0 +1,61 @@ +import os +from llm_rl_scripts.chess.env.data import get_saved_text_chains +import random +import json +from tqdm.auto import tqdm +import numpy as np + +def reformat_chains_to_bc_dataset(chains, rounds): + states = [] + actions = [] + rewards = [] + dones = [] + data = [] + for idx, chain in enumerate(chains): + state = chain.text_trajectory.text_history[0].text + action = chain.text_trajectory.text_history[1].text + reward = chain.text_trajectory.reward[1] + done = chain.text_trajectory.done + states.append(state) + actions.append(action) + rewards.append(reward) + dones.append(done) + sample = {"from_state": state, "action": action, "reward": reward, "done": done, "generated_by": "ppo", "round": rounds[idx]} + data.append(sample) + random.shuffle(data) + return states, actions, rewards, dones, data + +def save_bc_dataset(states, actions, rewards, dones, data, data_path): + np.save(os.path.join(data_path, "states.npy"), states) + np.save(os.path.join(data_path, "actions.npy"), actions) + np.save(os.path.join(data_path, "reward.npy"), rewards) + np.save(os.path.join(data_path, "done.npy"), dones) + with open(os.path.join(data_path, "states.jsonl"), "w") as f: + for state in tqdm(states): + f.write(json.dumps(state) + "\n") + with open(os.path.join(data_path, "actions.jsonl"), "w") as f: + for action in tqdm(actions): + f.write(json.dumps(action) + "\n") + with open(os.path.join(data_path, "reward.jsonl"), "w") as f: + f.write(json.dumps(rewards) + "\n") + with open(os.path.join(data_path, "done.jsonl"), "w") as f: + f.write(json.dumps(dones) + "\n") + with open(os.path.join(data_path, "data.jsonl"), "w") as f: + for item in tqdm(data): + f.write(json.dumps(item) + "\n") + +def save_chains_as_bc_dataset(chains, rounds, data_path): + states, actions, rewards, dones, data = reformat_chains_to_bc_dataset(chains, rounds) + if not os.path.exists(data_path): + os.makedirs(data_path) + save_bc_dataset(states, actions, rewards, dones, data, data_path) +bucket_name = "rail-tpus-isadora" +os.environ["GOOGLE_APPLICATION_CREDENTIALS"] = "/nfs/nfs1/users/isadoracw/rail-tpus.json" +os.environ["GCLOUD_PROJECT"] = "rail-tpus" +path = "llm-rl-outputs/outputs/chess/ppo_online_endgames_lr1e-5_bsize256_64roll_4pos/ppo_online_endgames_lr1e-5_bsize256_64roll_4pos.2023-06-11-19-41-19.979.f04a0c5e088f11ee8b308de166d61c57/" +path = "llm-rl-outputs/outputs/chess/ppo_online_endgames_lr1e-5_bsize256_4roll_64pos/ppo_online_endgames_lr1e-5_bsize256_4roll_64pos.2023-06-07-19-29-12.870.953f0450056911eeadcca9664a75c8d1/" +data_path = os.path.join("/nfs/nfs1/users/isadoracw/ILQL5/src/environments/chess/ppo_dataset_4roll_64pos/") +chains, rounds = get_saved_text_chains(bucket_name, path) +for idx in range(10): + print(chains[idx].text_trajectory) +save_chains_as_bc_dataset(chains, rounds, data_path) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/view_data.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/misc/view_data.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/online_filtered_bc/endgames_online_filtered_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/online_filtered_bc/endgames_online_filtered_bc.py new file mode 100755 index 00000000..64c4e6ca --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/online_filtered_bc/endgames_online_filtered_bc.py @@ -0,0 +1,349 @@ +from typing import Optional, Dict, Any, Tuple +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, get_dtype, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, uuid_name, jsonl_load, get_weight_decay_mask, create_path, get_enabled_save_path, MapIterable, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Train, GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from JaxSeq.data import Seq2SeqDataset +from JaxSeq.generation_eval import generate_language, compute_metrics +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import TextEnv, TextHistory, Text, interact_environment, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectory, text_history_to_str +from JaxSeq.shard_model import shard_params_from_params +from flax.training.train_state import TrainState +from LLM_RL.utils import get_tensor_stats_np +from functools import partial +import numpy as np +from JaxSeq.logs import label_logs, log, pull_logs +import json +import random +from JaxSeq.utils import multihost_device_get +from JaxSeq.data import MaskIterableDataset +from llm_rl_scripts.chess.env.data import get_random_positions_not_in_test +from llm_rl_scripts.chess.env.env import text_env_eval_chess_positions +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env +from dataclasses import replace +from JaxSeq.models.gpt2.interface import loss_fn_mask +from JaxSeq.data import MaskIterableDataset, MaskDataset +from JaxSeq.models.gpt2.interface import GPT2TrainMask, GPT2InferenceMask +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.algorithms.online_filtered_bc.train import train_loop +from IPython import embed +from JaxSeq.data import Seq2SeqIterableDataset + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]="chess_endgames_online_filtered_bc", + + n_rounds: int=100, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-4, + weight_decay: float=0.0, + + train_bsize: int=128, + grad_accum_steps: Optional[int]=None, + rollout_bsize: int=32, + n_rollouts: int=128, + num_pos_per_setup: int=4, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_input_length: int=256, + max_output_length: int=6, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=10, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=10, + save_at_beginning: bool=False, + save_at_end: bool=True, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_filtered_bc_dataset: bool=True, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + maze_name: str="double_t_maze", + describe_function: str="describe_observation_give_position", + reward_function: str="standard_reward", +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + model.config.resid_pdrop = 0.0 + model.config.embd_pdrop = 0.0 + model.config.attn_pdrop = 0.0 + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2PPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + ppo_inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + ppo_trainer = GPT2TrainMask.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + data_round = 0 + prev_positions = [] + def filtered_bc_dataset_loader(ppo_inference: GPT2InferenceMask, policy: GPT2PPOPolicy) -> MaskIterableDataset: + nonlocal data_round + nonlocal prev_positions + # position = large_piece_random_endgame("kQK") + bucket_name = "rl-llm-bench-dataset" + blob_name = "endgames/test_positions.jsonl" + positions = get_random_positions_not_in_test(bucket_name=bucket_name, blob_name=blob_name, num_pos_per_setup=num_pos_per_setup) + prev_positions.extend(positions) + prev_positions = list(set(prev_positions)) + print("number of unique positions so far: ", len(prev_positions)) + raw_results, summary_results = text_env_eval_chess_positions( + positions=positions, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + ) + summary_results = pull_logs(summary_results) + + mask_str_segments = [] + trajectory_rewards = [] + for raw_result in raw_results: + if raw_result[-1].reward == 1: + print('='*25) + print(text_history_to_str(raw_result[-1].post_transition_history)) + print('='*25) + print(sum([[item.reward, 0.0] for item in raw_result], [0.0])) + print('='*25) + + mask_str_segments.append( + [(history_item.text, float(history_item.is_action)) for history_item in raw_result[-1].post_transition_history] + ) + trajectory_rewards.append( + sum([item.reward for item in raw_result]) + ) + + data_idxs = list(range(len(mask_str_segments))) + top_data_idxs = sorted(data_idxs, key=lambda idx: trajectory_rewards[idx], reverse=True)[:int(len(data_idxs))] + top_mask_str_segments = [mask_str_segments[idx] for idx in top_data_idxs] + + filtered_bc_dataset = MaskDataset.blocked_from_str_segments_list( + top_mask_str_segments, + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_input_length+max_output_length, + ) + ) + + + logs = dict( + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + # if save_dir is not None and save_filtered_bc_dataset: + # print('saving filtered bc dataset ...') + # data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + # if is_main_process: + # create_path(data_save_path) + # # save ppo_dataset + # with open(get_enabled_save_path( + # os.path.join(data_save_path, 'filtered_bc_dataset.pkl'), + # enabled=is_main_process, + # ), 'wb') as f: + # pkl.dump(filtered_bc_dataset, f) + # # save text_trajectory_chains + # # with open(get_enabled_save_path( + # # os.path.join(data_save_path, 'top_mask_str_segments.pkl'), + # # enabled=is_main_process, + # # ), 'wb') as f: + # # pkl.dump(filtered_mask_str_segments, f) + # # save raw_results + # with open(get_enabled_save_path( + # os.path.join(data_save_path, 'raw_results.pkl'), + # enabled=is_main_process, + # ), 'wb') as f: + # pkl.dump(raw_results, f) + # # save summary_results + # with open(get_enabled_save_path( + # os.path.join(data_save_path, 'summary_results.json'), + # enabled=is_main_process, + # ), 'w') as f: + # json.dump(summary_results, f) + # print('done saving ppo dataset.') + + data_round += 1 + + return filtered_bc_dataset + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=filtered_bc_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/online_filtered_bc/full_games_online_filtered_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/online_filtered_bc/full_games_online_filtered_bc.py new file mode 100755 index 00000000..7d8931b1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/online_filtered_bc/full_games_online_filtered_bc.py @@ -0,0 +1,336 @@ +from typing import Optional, Dict, Any, Tuple +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, get_dtype, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, uuid_name, jsonl_load, get_weight_decay_mask, create_path, get_enabled_save_path, MapIterable, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Train, GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from JaxSeq.data import Seq2SeqDataset +from JaxSeq.generation_eval import generate_language, compute_metrics +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import TextEnv, TextHistory, Text, interact_environment, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectory, text_history_to_str +from JaxSeq.shard_model import shard_params_from_params +from flax.training.train_state import TrainState +from LLM_RL.utils import get_tensor_stats_np +from functools import partial +import numpy as np +from JaxSeq.logs import label_logs, log, pull_logs +import json +import random +from JaxSeq.utils import multihost_device_get +from JaxSeq.data import MaskIterableDataset +from llm_rl_scripts.chess.env.data import get_random_positions_not_in_test +from llm_rl_scripts.chess.env.env import FenChessHistoryEnv, text_env_eval_chess_positions +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env +from dataclasses import replace +from JaxSeq.models.gpt2.interface import loss_fn_mask +from JaxSeq.data import MaskIterableDataset, MaskDataset +from JaxSeq.models.gpt2.interface import GPT2TrainMask, GPT2InferenceMask +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.algorithms.online_filtered_bc.train import train_loop +from IPython import embed + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]="chess_full_games_online_filtered_bc", + + n_rounds: int=100, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-4, + weight_decay: float=0.0, + + train_bsize: int=128, + grad_accum_steps: Optional[int]=None, + rollout_bsize: int=32, + n_rollouts: int=128, + num_pos_per_setup: int=4, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_input_length: int=256, + max_output_length: int=6, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=10, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=10, + save_at_beginning: bool=False, + save_at_end: bool=True, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_filtered_bc_dataset: bool=True, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + maze_name: str="double_t_maze", + describe_function: str="describe_observation_give_position", + reward_function: str="standard_reward", +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + model.config.resid_pdrop = 0.0 + model.config.embd_pdrop = 0.0 + model.config.attn_pdrop = 0.0 + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2PPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + ppo_inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + ppo_trainer = GPT2TrainMask.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + data_round = 0 + def filtered_bc_dataset_loader(ppo_inference: GPT2InferenceMask, policy: GPT2PPOPolicy) -> MaskIterableDataset: + nonlocal data_round + env = FenChessHistoryEnv() + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + ) + summary_results = pull_logs(summary_results) + + mask_str_segments = [] + filtered_mask_str_segments = [] + for raw_result in raw_results: + print('='*25) + print(text_history_to_str(raw_result[-1].post_transition_history)) + print('='*25) + print(sum([[item.reward, 0.0] for item in raw_result], [0.0])) + print('='*25) + + str_segment = [(history_item.text, float(history_item.is_action)) for history_item in raw_result[-1].post_transition_history] + mask_str_segments.append( + [(history_item.text, float(history_item.is_action)) for history_item in raw_result[-1].post_transition_history] + ) + rewards = [item.reward for item in raw_result] + if rewards[-1] == 1: # success has been achieved + embed() + filtered_mask_str_segments.append(str_segment) + + filtered_bc_dataset = MaskDataset.blocked_from_str_segments_list( + filtered_mask_str_segments, + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_input_length+max_output_length, + ) + ) + + logs = dict( + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_filtered_bc_dataset: + print('saving filtered bc dataset ...') + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'filtered_bc_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(filtered_bc_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'top_mask_str_segments.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(filtered_mask_str_segments, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'raw_results.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(raw_results, f) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return filtered_bc_dataset + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=filtered_bc_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/eval_endgames_ppo.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/eval_endgames_ppo.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/eval_full_games_ppo.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/eval_full_games_ppo.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/eval_ppo.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/eval_ppo.py new file mode 100755 index 00000000..1b91d414 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/eval_ppo.py @@ -0,0 +1,261 @@ +from typing import Optional +import chess +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import load_mesh, get_dtype +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2ILQLPolicy, GPT2ILQLInference +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from JaxSeq.logs import pull_logs +import json +from JaxSeq.utils import multihost_device_get +from llm_rl_scripts.chess.env.data import get_data_from_bucket, get_random_positions_not_in_test +from llm_rl_scripts.chess.env.env import text_env_eval_chess_positions + +def main( + exp_name: str="ppo_online_endgames_queen_rook", + model_load_mode: ModelLoadMode=ModelLoadMode.TRAIN_STATE, + model_load_path: str="outputs/chess/test_bc_shuffled2/model/", + checkpoint_dir: str="", + + random_positions: bool=False, + save_positions:bool=False, + output_path: str="logs/chess/", + data_mesh_shape:int=1, + fsdp_mesh_shape:int=1, + model_mesh_shape:int=1, + + policy_do_sample:bool=True, + policy_num_beams:int=1, + policy_temperature:Optional[float]=None, + policy_top_p:Optional[float]=None, + policy_top_k:Optional[int]=None, + policy_max_new_tokens:int=512, + max_output_length:int=512, + max_eval_length:int=512, + + n_rollouts:int=16, + full_games:bool=False, + random_opponent:bool=False, + + maze_name:str="umaze", + describe_function:str="describe_observation", + +): + # get checkpoint directory + + # policy_path = os.path.join(checkpoint_dir, "policy", "train_state.msgpack") + # value_head_path = os.path.join(checkpoint_dir, "value_head", "train_state.msgpack") + + # # load checkpoints from checkpoint directory + # target = TrainState + + # policy_train_state = load_pytree(policy_path, target=target) + # policy_params = policy_train_state["params"] + + # value_head_train_state = load_pytree(value_head_path, target=target) + # value_head_params = value_head_train_state["params"] + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=1e-5, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=0.0, + mask=mask, + ), + every_k_schedule=4, + ) + + model_dtype = get_dtype(use_fp16=False) + params_dtype = get_dtype(use_fp16=False) + + model_prng_key = jax.random.PRNGKey(2) + + model_load_path = os.path.join(checkpoint_dir, "policy") + policy_train_state, policy_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=model_load_path, + model_dtype=model_dtype, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=False, + params_dtype=params_dtype, + ) + + with jax.default_device(jax.devices('cpu')[0]): + initial_policy_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + policy_train_state.params, + ) + initial_policy_params = shard_params_from_params( + model=policy_model, + params=initial_policy_params, + ) + + + policy_inference = GPT2Inference.load_inference( + params=policy_train_state.params, + model=policy_model, + tokenizer=tokenizer, + ) + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2ILQLPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=1, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_new_tokens, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_output_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=1e-5, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=0.0, + mask=mask, + ), + every_k_schedule=4, + ) + + head_prng_key = jax.random.PRNGKey(3) + value_head_train_state, value_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=policy_model.config.n_embd, + output_dim=1, + use_bias=True, + initializer_range=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=head_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + ppo_inference = GPT2ILQLInference.load_inference( + initial_policy_params=initial_policy_params, + policy_params=policy_train_state.params, + value_head_params=value_head_train_state.params, + initial_policy_model=policy_model, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=None, + ) + bucket_name = "rl-llm-bench-dataset" + blob_name = "endgames/tricky_test_positions.jsonl" + if random_positions: + print("evaluating from random positions...") + test_positions = get_random_positions_not_in_test(bucket_name=bucket_name, blob_name=blob_name, num_pos_per_setup=4) + elif save_positions: + print("evaluating from saved postiions...") + positions_path = "outputs/chess/lr1e-6_ppo_online_endgames_queen_rook_save/lr1e-6_ppo_online_endgames_queen_rook_save.2023-06-06-19-22-40.564.8100307e049f11ee8b308de166d61c57/ppo_start_positions.jsonl" + with open(positions_path, "r+") as f: + positions = list(f) + positions = positions[19*16:20*16] + print(positions) + test_positions = [position.replace("\n", "").replace("\"", "") for position in positions] + elif not full_games: + print("evaluating from tricky test positions...") + test_positions = get_data_from_bucket(bucket_name, blob_name) + # test_positions = test_positions[:500] + test_positions = [position.replace("\n", "").replace("\"", "") for position in test_positions if position != ""] + + if full_games: + print("evaluating from beginning of game...") + raw_results, summary_results = text_env_eval_chess_positions( + positions=[chess.Board().fen()], + policy=policy, + n_rollouts=n_rollouts, + bsize=8, + random_opponent=random_opponent, + ) + else: + + raw_results, summary_results = text_env_eval_chess_positions( + positions=test_positions, + policy=policy, + n_rollouts=16 if random_positions or save_positions else 1, + bsize=8, + random_opponent=random_opponent, + ) + + # check output directory + save_dir = None + if output_path is not None: + # save_dir = convert_path(os.path.join(output_path, exp_name)) + save_dir = os.path.join(os.getcwd(), output_path, exp_name) + if (not save_dir.startswith('gcs://')) and (not os.path.exists(save_dir)): + print(f"Output directory {save_dir} does not exist. Making directory...") + os.makedirs(save_dir) + + # copy script to outputs as a cheap form of config logging + with open(__file__, 'r') as f_local: + with open(os.path.join(save_dir, 'config.py'), 'w') as f_save: + f_save.write(f_local.read()) + # with open(os.path.join(save_dir, 'input_args.pkl'), 'wb') as f: + # pkl.dump(input_args, f) + + summary_results = pull_logs(summary_results) + print(summary_results) + + with open(os.path.join(output_path, exp_name, "results.jsonl"), "w") as f: + f.write(json.dumps(summary_results) + "\n") + +if __name__ == "__main__": + tyro.cli(main) + + + + # \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/train_ppo_gpt2_offline_endgames.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/train_ppo_gpt2_offline_endgames.py new file mode 100755 index 00000000..a5a45a7a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/train_ppo_gpt2_offline_endgames.py @@ -0,0 +1,398 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, get_dtype, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, create_path, get_enabled_save_path +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ppo.train import train_loop +from LLM_RL.algorithms.ppo.base_interface import ppo_loss_fn, FixedKLController, AdaptiveKLController +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2ILQLPolicy, GPT2ILQLInference, GPT2PPOTrain +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ppo.data import PPODataset +from functools import partial +import numpy as np +from JaxSeq.logs import pull_logs +from JaxSeq.utils import multihost_device_get +from llm_rl_scripts.chess.env.data import chess_text_trajectory_chain_from_json, get_data_from_bucket, get_random_positions_not_in_test +from llm_rl_scripts.chess.env.env import text_env_eval_chess_positions + + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]=None, + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + num_pos_per_setup: int=1, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + rollout_bsize: int=32, + n_rollouts: int=16, + ppo_data_bsize: int=32, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + use_fp16_activations: bool=False, + use_fp16_params: bool=False, + + max_input_length: int=512, + max_output_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=1, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=True, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_ppo_dataset: bool=False, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + gamma: float=1.0, + lam: float=0.95, + use_advantage_whitening: bool=True, + + init_kl_coef: float=0.001, + kl_target: Optional[float]=None, + kl_horizon: Optional[int]=None, + + cliprange_value: float=0.2, + cliprange: float=0.2, + value_loss_coef: float=1.0, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + on_cloud_bucket: bool=True, +): + input_args = locals().copy() + print(input_args) + + use_adaptive_kl = (kl_target is not None and kl_horizon is not None) + if not use_adaptive_kl: + assert kl_target is None and kl_horizon is None + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_dtype = get_dtype(use_fp16=use_fp16_activations) + params_dtype = get_dtype(use_fp16=use_fp16_params) + + model_prng_key = jax.random.PRNGKey(2) + policy_train_state, policy_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=model_dtype, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=params_dtype, + ) + policy_model.config.gradient_checkpointing = gradient_checkpointing + policy_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + initial_policy_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + policy_train_state.params, + ) + initial_policy_params = shard_params_from_params( + model=policy_model, + params=initial_policy_params, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2Inference.load_inference( + params=policy_train_state.params, + model=policy_model, + tokenizer=tokenizer, + ) + + # env = FenChessEnvSingleTurn() + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2ILQLPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + head_prng_key = jax.random.PRNGKey(3) + value_head_train_state, value_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=policy_model.config.n_embd, + output_dim=1, + use_bias=True, + initializer_range=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=head_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loss_f = partial(ppo_loss_fn, cliprange_value=cliprange_value, cliprange=cliprange, value_loss_coef=value_loss_coef) + + ppo_inference = GPT2ILQLInference.load_inference( + initial_policy_params=initial_policy_params, + policy_params=policy_train_state.params, + value_head_params=value_head_train_state.params, + initial_policy_model=policy_model, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + ) + + ppo_trainer = GPT2PPOTrain.load_train( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + ) + + if use_adaptive_kl: + kl_controller = AdaptiveKLController(init_kl_coef=init_kl_coef, target=kl_target, horizon=kl_horizon) + else: + kl_controller = FixedKLController(kl_coef=init_kl_coef) + + + bucket_name = "rl-llm-bench-dataset" + blob_name = "endgames/train_unshuffled.jsonl" + data = get_data_from_bucket(bucket_name, blob_name) + text_trajectory_chains = chess_text_trajectory_chain_from_json(data) + n_rounds = len(text_trajectory_chains) // 256 + data_round = 0 + def ppo_dataset_loader(ppo_inference:GPT2ILQLInference, policy, num_to_sample=256): + nonlocal data_round + # num_to_sample = len(text_trajectory_chains) // n_rounds + chains_for_round = text_trajectory_chains[data_round*num_to_sample:(data_round+1)*num_to_sample] + print("congrats! you are done loading data!!") + ppo_data, all_kls = ppo_inference.get_ppo_data_from_text_trajectory_chain( + chains_for_round, + bsize=ppo_data_bsize, + max_length=max_input_length+max_output_length, + gamma=gamma, + lam=lam, + kl_weight=kl_controller.value, + use_advantage_whitening=use_advantage_whitening, + ) + mean_kl = all_kls.mean().item() + kl_controller.update(mean_kl, train_bsize) + + ppo_dataset = PPODataset.from_ppo_data_list( + ppo_data, + tokenizer, + BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length+max_output_length), + ) + + if save_dir is not None and save_ppo_dataset: + print('saving ppo dataset ...') + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'ppo_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(ppo_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'text_trajectory_chains.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(text_trajectory_chains, f) + # save raw_results + # with open(get_enabled_save_path( + # os.path.join(data_save_path, 'raw_results.pkl'), + # enabled=is_main_process, + # ), 'wb') as f: + # pkl.dump(raw_results, f) + # save summary_results + # with open(get_enabled_save_path( + # os.path.join(data_save_path, 'summary_results.json'), + # enabled=is_main_process, + # ), 'w') as f: + # json.dump(summary_results, f) + # print('done saving ppo dataset.') + + data_round += 1 + + return ppo_dataset + + def evaluator(inference, policy): + bucket_name = "rl-llm-bench-dataset" + blob_name = "endgames/test_positions.jsonl" + positions = get_random_positions_not_in_test(bucket_name=bucket_name, blob_name=blob_name, num_pos_per_setup=num_pos_per_setup) + + raw_results, summary_results = text_env_eval_chess_positions( + positions=positions, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + ) + summary_results = pull_logs(summary_results) + + return summary_results["reward"]["mean"], summary_results + + # log(summary_results, use_wandb and is_main_process) + if not on_cloud_bucket: + outputs_path = f"{outputs_path}/{exp_name}" + else: + outputs_path = f"{outputs_path}/{exp_name}" + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=outputs_path, + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=ppo_dataset_loader, + evaluator=evaluator, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/train_ppo_gpt2_offline_full_games.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/train_ppo_gpt2_offline_full_games.py new file mode 100755 index 00000000..b0dd7e44 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/train_ppo_gpt2_offline_full_games.py @@ -0,0 +1,401 @@ +from typing import Optional +import chess +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, get_dtype, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, create_path, get_enabled_save_path +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ppo.train import train_loop +from LLM_RL.algorithms.ppo.base_interface import ppo_loss_fn, FixedKLController, AdaptiveKLController +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2ILQLPolicy, GPT2ILQLInference, GPT2PPOTrain +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ppo.data import PPODataset +from functools import partial +from JaxSeq.logs import pull_logs +from JaxSeq.utils import multihost_device_get +from llm_rl_scripts.chess.env.data import chess_trajectory_chain_from_npy, get_dataset +from llm_rl_scripts.chess.env.env import text_env_eval_chess_positions + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]=None, + + n_rounds: int=100, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + rollout_bsize: int=32, + n_rollouts: int=128, + ppo_data_bsize: int=32, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + use_fp16_activations: bool=False, + use_fp16_params: bool=False, + + max_input_length: int=512, + max_output_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=None, + eval_at_beginning: bool=True, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=1024, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=10, + save_train_state: bool=True, + save_ppo_dataset: bool=False, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + gamma: float=1.0, + lam: float=0.95, + use_advantage_whitening: bool=True, + + init_kl_coef: float=0.001, + kl_target: Optional[float]=None, + kl_horizon: Optional[int]=None, + + cliprange_value: float=0.2, + cliprange: float=0.2, + value_loss_coef: float=1.0, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals().copy() + print(input_args) + + use_adaptive_kl = (kl_target is not None and kl_horizon is not None) + if not use_adaptive_kl: + assert kl_target is None and kl_horizon is None + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_dtype = get_dtype(use_fp16=use_fp16_activations) + params_dtype = get_dtype(use_fp16=use_fp16_params) + + model_prng_key = jax.random.PRNGKey(2) + policy_train_state, policy_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=model_dtype, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=params_dtype, + ) + policy_model.config.gradient_checkpointing = gradient_checkpointing + policy_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + initial_policy_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + policy_train_state.params, + ) + initial_policy_params = shard_params_from_params( + model=policy_model, + params=initial_policy_params, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2Inference.load_inference( + params=policy_train_state.params, + model=policy_model, + tokenizer=tokenizer, + ) + + # env = FenChessEnvSingleTurn() + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2ILQLPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + head_prng_key = jax.random.PRNGKey(3) + value_head_train_state, value_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=policy_model.config.n_embd, + output_dim=1, + use_bias=True, + initializer_range=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=head_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loss_f = partial(ppo_loss_fn, cliprange_value=cliprange_value, cliprange=cliprange, value_loss_coef=value_loss_coef) + + ppo_inference = GPT2ILQLInference.load_inference( + initial_policy_params=initial_policy_params, + policy_params=policy_train_state.params, + value_head_params=value_head_train_state.params, + initial_policy_model=policy_model, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + ) + + ppo_trainer = GPT2PPOTrain.load_train( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + ) + + if use_adaptive_kl: + kl_controller = AdaptiveKLController(init_kl_coef=init_kl_coef, target=kl_target, horizon=kl_horizon) + else: + kl_controller = FixedKLController(kl_coef=init_kl_coef) + + # def ppo_dataset_loader(ppo_inference:GPT2ILQLInference, policy, num_to_sample=256): + # todo: get text trajectory chains + print("there are this many chains: ", len(text_trajectory_chains)) + data_round = 0 + def ppo_dataset_loader(ppo_inference:GPT2ILQLInference, policy, num_to_sample=256): + nonlocal data_round + # num_to_sample = len(text_trajectory_chains) // n_rounds + chains_for_round = text_trajectory_chains[data_round*num_to_sample:(data_round+1)*num_to_sample] + print(f"you have loaded {len(chains_for_round)} chains for this round") + ppo_data, all_kls = ppo_inference.get_ppo_data_from_text_trajectory_chain( + chains_for_round, + bsize=ppo_data_bsize, + max_length=max_input_length+max_output_length, + gamma=gamma, + lam=lam, + kl_weight=kl_controller.value, + use_advantage_whitening=use_advantage_whitening, + ) + mean_kl = all_kls.mean().item() + kl_controller.update(mean_kl, train_bsize) + + ppo_dataset = PPODataset.from_ppo_data_list( + ppo_data, + tokenizer, + BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length+max_output_length), + ) + print("data converted to PPO dataset!") + # logs = dict( + # policy=dict( + # initial_policy_kl=get_tensor_stats_np(all_kls, np.ones(all_kls.shape), all_kls.size), + # sqrt_initial_policy_kl=np.sqrt(mean_kl), + # kl_ctrl_value=kl_controller.value, + # ), + # env_interaction=summary_results, + # ) + + # logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + # log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_ppo_dataset: + print('saving ppo dataset ...') + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'ppo_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(ppo_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'text_trajectory_chains.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(text_trajectory_chains, f) + # save raw_results + # with open(get_enabled_save_path( + # os.path.join(data_save_path, 'raw_results.pkl'), + # enabled=is_main_process, + # ), 'wb') as f: + # pkl.dump(raw_results, f) + # save summary_results + # with open(get_enabled_save_path( + # os.path.join(data_save_path, 'summary_results.json'), + # enabled=is_main_process, + # ), 'w') as f: + # json.dump(summary_results, f) + # print('done saving ppo dataset.') + + data_round += 1 + + return ppo_dataset + + outputs_path = f"gcs://rail-tpus-isadora/llm-rl-outputs/chess/{exp_name}" + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=outputs_path, + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + def evaluator(inference, policy): + # bucket_name = "rail-tpus-isadora" + # blob_name = "queen_rook_unopposed/queen_rook_unopposed/test_positions.jsonl" + # positions = get_random_positions_not_in_test(bucket_name=bucket_name, blob_name=blob_name, num_pos_per_setup=num_pos_per_setup) + positions = [chess.Board().fen()] + raw_results, summary_results = text_env_eval_chess_positions( + positions=positions, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + ) + summary_results = pull_logs(summary_results) + + return summary_results["reward"]["mean"], summary_results + + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=ppo_dataset_loader, + evaluator=evaluator, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/train_ppo_gpt2_online.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/train_ppo_gpt2_online.py new file mode 100755 index 00000000..12242ecf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/train_ppo_gpt2_online.py @@ -0,0 +1,428 @@ +from typing import Optional, Dict, Tuple +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, get_dtype, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, create_path, get_enabled_save_path +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ppo.train import train_loop +from LLM_RL.algorithms.ppo.base_interface import ppo_loss_fn, FixedKLController, AdaptiveKLController +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import TextEnv, TextHistory, Text, text_env_eval, TextTrajectory, TextTrajectoryChain +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy, GPT2PPOInference, GPT2PPOTrain +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ppo.data import PPODataset +from LLM_RL.utils import get_tensor_stats_np +from functools import partial +import numpy as np +from JaxSeq.logs import label_logs, log, pull_logs +import json +from JaxSeq.utils import multihost_device_get +from IPython import embed +from llm_rl_scripts.chess.env.env import FenChessHistoryEnv + + +class BitsTestEnv(TextEnv): + def __init__(self, n: int): + self.n = n + + def step(self, text_history: TextHistory) -> Tuple[TextHistory, float, bool]: + try: + bits = list(map(int, text_history[-1].text.strip().split(' '))) + except: + bits = [] + return text_history, float(sum(bits) > (self.n // 2))*10.0, True + + def reset(self, seed: Optional[int]=None, options: Optional[Dict]=None) -> TextHistory: + return (Text(text='<|endoftext|>', is_action=False),) + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-7, + weight_decay: float=0.001, + + train_bsize: int=32, + grad_accum_steps: int=4, + rollout_bsize: int=32, + n_rollouts: int=128, + ppo_data_bsize: int=32, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + use_fp16_activations: bool=False, + use_fp16_params: bool=False, + + max_input_length: int=512, + max_output_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=None, + eval_at_beginning: bool=True, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=256, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_ppo_dataset: bool=False, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + gamma: float=0.99, + lam: float=0.95, + use_advantage_whitening: bool=True, + + init_kl_coef: float=0.001, + kl_target: Optional[float]=None, + kl_horizon: Optional[int]=None, + + cliprange_value: float=0.2, + cliprange: float=0.2, + value_loss_coef: float=1.0, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals().copy() + print(input_args) + + use_adaptive_kl = (kl_target is not None and kl_horizon is not None) + if not use_adaptive_kl: + assert kl_target is None and kl_horizon is None + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_dtype = get_dtype(use_fp16=use_fp16_activations) + params_dtype = get_dtype(use_fp16=use_fp16_params) + + model_prng_key = jax.random.PRNGKey(2) + policy_train_state, policy_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=model_dtype, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=params_dtype, + ) + policy_model.config.gradient_checkpointing = gradient_checkpointing + policy_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + initial_policy_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + policy_train_state.params, + ) + initial_policy_params = shard_params_from_params( + model=policy_model, + params=initial_policy_params, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2Inference.load_inference( + params=policy_train_state.params, + model=policy_model, + tokenizer=tokenizer, + ) + + env = FenChessHistoryEnv() + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2PPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + head_prng_key = jax.random.PRNGKey(3) + value_head_train_state, value_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=policy_model.config.n_embd, + output_dim=1, + use_bias=True, + initializer_range=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=head_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loss_f = partial(ppo_loss_fn, cliprange_value=cliprange_value, cliprange=cliprange, value_loss_coef=value_loss_coef) + + ppo_inference = GPT2PPOInference.load_inference( + initial_policy_params=initial_policy_params, + policy_params=policy_train_state.params, + value_head_params=value_head_train_state.params, + initial_policy_model=policy_model, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + ) + + ppo_trainer = GPT2PPOTrain.load_train( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + ) + + if use_adaptive_kl: + kl_controller = AdaptiveKLController(init_kl_coef=init_kl_coef, target=kl_target, horizon=kl_horizon) + else: + kl_controller = FixedKLController(kl_coef=init_kl_coef) + + data_round = 0 + def ppo_dataset_loader(ppo_inference: GPT2PPOInference, policy: GPT2PPOPolicy) -> PPODataset: + nonlocal data_round + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + ) + summary_results = pull_logs(summary_results) + + text_trajectory_chains = [] + for raw_result in raw_results: + curr_chain = [] + for transition in raw_result: + try: + text_trajectory = TextTrajectory( + text_history=transition.post_action_history, + reward=[0.0, transition.reward], + done=transition.done, + ) + curr_chain.append(text_trajectory) + except: + embed() + + chain = None + for text_trajectory in curr_chain[::-1]: + chain = TextTrajectoryChain( + text_trajectory=text_trajectory, + next=chain, + ) + + text_trajectory_chains.append(chain) + + ppo_data, all_kls = ppo_inference.get_ppo_data_from_text_trajectory_chain( + text_trajectory_chains, + bsize=ppo_data_bsize, + max_length=max_input_length+max_output_length, + gamma=gamma, + lam=lam, + kl_weight=kl_controller.value, + use_advantage_whitening=use_advantage_whitening, + ) + mean_kl = all_kls.mean().item() + kl_controller.update(mean_kl, train_bsize) + + ppo_dataset = PPODataset.from_ppo_data_list( + ppo_data, + tokenizer, + BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length+max_output_length), + ) + + logs = dict( + policy=dict( + initial_policy_kl=get_tensor_stats_np(all_kls, np.ones(all_kls.shape), all_kls.size), + sqrt_initial_policy_kl=np.sqrt(mean_kl), + kl_ctrl_value=kl_controller.value, + ), + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_ppo_dataset: + print('saving ppo dataset ...') + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'ppo_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(ppo_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'text_trajectory_chains.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(text_trajectory_chains, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'raw_results.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(raw_results, f) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return ppo_dataset + + outputs_path = f"{outputs_path}/{exp_name}/" + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=ppo_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/train_ppo_gpt2_online_endgames.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/train_ppo_gpt2_online_endgames.py new file mode 100755 index 00000000..f933edaf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/ppo/train_ppo_gpt2_online_endgames.py @@ -0,0 +1,451 @@ +from typing import Optional, Dict, Tuple +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, get_dtype, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, create_path, get_enabled_save_path +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ppo.train import train_loop +from LLM_RL.algorithms.ppo.base_interface import ppo_loss_fn, FixedKLController, AdaptiveKLController +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import TextEnv, TextHistory, Text, TextTrajectory, TextTrajectoryChain +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy, GPT2PPOInference, GPT2PPOTrain +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ppo.data import PPODataset +from LLM_RL.utils import get_tensor_stats_np +from functools import partial +import numpy as np +from JaxSeq.logs import label_logs, log, pull_logs +import json +from JaxSeq.utils import multihost_device_get +from IPython import embed +from llm_rl_scripts.chess.env.data import get_random_positions_not_in_test +from llm_rl_scripts.chess.env.env import FenChessHistoryEnv, text_env_eval_chess_positions + +class BitsTestEnv(TextEnv): + def __init__(self, n: int): + self.n = n + + def step(self, text_history: TextHistory) -> Tuple[TextHistory, float, bool]: + try: + bits = list(map(int, text_history[-1].text.strip().split(' '))) + except: + bits = [] + return text_history, float(sum(bits) > (self.n // 2))*10.0, True + + def reset(self, seed: Optional[int]=None, options: Optional[Dict]=None) -> TextHistory: + return (Text(text='<|endoftext|>', is_action=False),) + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + rollout_bsize: int=32, + n_rollouts: int=128, + ppo_data_bsize: int=32, + num_pos_per_setup: int=4, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + use_fp16_activations: bool=False, + use_fp16_params: bool=False, + + max_input_length: int=512, + max_output_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=2, + eval_at_beginning: bool=True, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=10, + save_at_beginning: bool=False, + save_at_end: bool=True, + save_best: bool=True, + max_checkpoints: Optional[int]=20, + save_train_state: bool=True, + save_ppo_dataset: bool=True, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + gamma: float=0.99, + lam: float=0.95, + use_advantage_whitening: bool=True, + + init_kl_coef: float=0.001, + kl_target: Optional[float]=None, + kl_horizon: Optional[int]=None, + + cliprange_value: float=0.2, + cliprange: float=0.2, + value_loss_coef: float=1.0, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals().copy() + print(input_args) + + use_adaptive_kl = (kl_target is not None and kl_horizon is not None) + if not use_adaptive_kl: + assert kl_target is None and kl_horizon is None + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_dtype = get_dtype(use_fp16=use_fp16_activations) + params_dtype = get_dtype(use_fp16=use_fp16_params) + + model_prng_key = jax.random.PRNGKey(2) + policy_train_state, policy_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=model_dtype, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=params_dtype, + ) + policy_model.config.gradient_checkpointing = gradient_checkpointing + policy_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + initial_policy_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + policy_train_state.params, + ) + initial_policy_params = shard_params_from_params( + model=policy_model, + params=initial_policy_params, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2Inference.load_inference( + params=policy_train_state.params, + model=policy_model, + tokenizer=tokenizer, + ) + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2PPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + head_prng_key = jax.random.PRNGKey(3) + value_head_train_state, value_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=policy_model.config.n_embd, + output_dim=1, + use_bias=True, + initializer_range=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=head_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loss_f = partial(ppo_loss_fn, cliprange_value=cliprange_value, cliprange=cliprange, value_loss_coef=value_loss_coef) + + ppo_inference = GPT2PPOInference.load_inference( + initial_policy_params=initial_policy_params, + policy_params=policy_train_state.params, + value_head_params=value_head_train_state.params, + initial_policy_model=policy_model, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + ) + + ppo_trainer = GPT2PPOTrain.load_train( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + ) + + if use_adaptive_kl: + kl_controller = AdaptiveKLController(init_kl_coef=init_kl_coef, target=kl_target, horizon=kl_horizon) + else: + kl_controller = FixedKLController(kl_coef=init_kl_coef) + + + data_round = 0 + prev_positions = [] + def ppo_dataset_loader(ppo_inference: GPT2PPOInference, policy: GPT2PPOPolicy) -> PPODataset: + print("collecting data ...") + nonlocal data_round + nonlocal prev_positions + # position = large_piece_random_endgame("kQK") + bucket_name = "rl-llm-bench-dataset" + blob_name = "endgames/test_positions.jsonl" + positions = get_random_positions_not_in_test(bucket_name=bucket_name, blob_name=blob_name, num_pos_per_setup=num_pos_per_setup) + prev_positions.extend(positions) + prev_positions = list(set(prev_positions)) + print("number of unique positions so far: ", len(prev_positions)) + # print('saving starting positions ...') + + # with open(get_enabled_save_path( + # os.path.join(save_dir, 'ppo_start_positions.jsonl'), + # enabled=is_main_process, + # ), 'w+') as f: + # for position in tqdm(prev_positions): + # f.write(json.dumps(position)+"\n") + + # env = FenChessHistoryEnv(from_position=position) + raw_results, summary_results = text_env_eval_chess_positions( + positions=positions, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + ) + summary_results = pull_logs(summary_results) + + text_trajectory_chains = [] + for raw_result in raw_results: + curr_chain = [] + for transition in raw_result: + try: + text_trajectory = TextTrajectory( + text_history=transition.post_action_history, + reward=[0.0, transition.reward], + done=transition.done, + ) + curr_chain.append(text_trajectory) + except: + embed() + + chain = None + for text_trajectory in curr_chain[::-1]: + chain = TextTrajectoryChain( + text_trajectory=text_trajectory, + next=chain, + ) + + text_trajectory_chains.append(chain) + + ppo_data, all_kls = ppo_inference.get_ppo_data_from_text_trajectory_chain( + text_trajectory_chains, + bsize=ppo_data_bsize, + max_length=max_input_length+max_output_length, + gamma=gamma, + lam=lam, + kl_weight=kl_controller.value, + use_advantage_whitening=use_advantage_whitening, + ) + mean_kl = all_kls.mean().item() + kl_controller.update(mean_kl, train_bsize) + + ppo_dataset = PPODataset.from_ppo_data_list( + ppo_data, + tokenizer, + BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length+max_output_length), + ) + + logs = dict( + policy=dict( + initial_policy_kl=get_tensor_stats_np(all_kls, np.ones(all_kls.shape), all_kls.size), + sqrt_initial_policy_kl=np.sqrt(mean_kl), + kl_ctrl_value=kl_controller.value, + ), + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_ppo_dataset: + print('saving ppo dataset ...') + print(save_dir) + # save_dataset_to_bucket(ppo_dataset, save_dir, data_round, is_main_process, text_trajectory_chains, raw_results, summary_results) + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'ppo_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(ppo_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'text_trajectory_chains.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(text_trajectory_chains, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'raw_results.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(raw_results, f) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return ppo_dataset + + # outputs_path = convert_path(f"outputs/chess/{exp_name}/") + outputs_path = f"{outputs_path}/{exp_name}/" + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=outputs_path, + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=ppo_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/stockfish_eval/stockfish_eval.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/stockfish_eval/stockfish_eval.py new file mode 100755 index 00000000..e0e2cb85 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/chess/stockfish_eval/stockfish_eval.py @@ -0,0 +1,74 @@ +from stockfish import Stockfish +from llm_rl_scripts.chess.env.data import get_data_from_bucket +from llm_rl_scripts.chess.env.env import ChessEnv +import os +from LLM_RL.utils import convert_path +from IPython import embed +import chess +from JaxSeq.utils import create_path +import json +from tqdm.auto import tqdm + +CHESS_ENGINE_PATH = os.environ.get("CHESS_ENGINE_PATH", convert_path("stockfish/stockfish-ubuntu-20.04-x86-64-avx2")) +OUTPUTS_PATH = "data/outputs/chess/stockfish_eval/" +def get_stockfish_eval(env: ChessEnv) -> float: + done = False + rewards = [] + params = {"Threads": 1, "UCI_Elo": 1200} + stockfish = Stockfish(CHESS_ENGINE_PATH, parameters=params) + while not done: + stockfish.set_fen_position(env.board.fen()) + board = chess.Board(env.board.fen()) + move : str = stockfish.get_best_move() + try: + ch_move : chess.Move = chess.Move.from_uci(move) + except: + print(move) + san_move = board.san(ch_move) + st, rew, done, _ = env.step(san_move) + + rewards.append(rew) + return sum(rewards) + +def do_stockfish_evals(num_evals, starting_position): + env = ChessEnv(from_position=starting_position) + scores = [] + for _ in range(num_evals): + env.reset() + score = get_stockfish_eval(env) + scores.append(score) + return scores + +def full_game_eval(): + starting_position = 'rnbqkbnr/pppppppp/8/8/8/8/PPPPPPPP/RNBQKBNR w - - 0 1' + num_evals = 50 + scores = do_stockfish_evals(num_evals, starting_position) + print(scores) + print(sum(scores) / len(scores)) + score_json = {"avg_reward": sum(scores) / len(scores)} + create_path(OUTPUTS_PATH) + with open(os.path.join(OUTPUTS_PATH, 'stockfish_eval.json'), 'w') as f: + json.dump(score_json, f) + +def endgames_eval(): + bucket_name = "rl-llm-bench-dataset-internal" + blob_name = "endgames/test_positions.jsonl" + test_positions = get_data_from_bucket(bucket_name, blob_name) + test_positions = [position.replace("\n", "").replace("\"", "") for position in test_positions if position != ""] + scores = [] + for position in tqdm(test_positions): + score = do_stockfish_evals(1, position)[0] + scores.append(score) + score_json = {"avg_reward": sum(scores) / len(scores)} + return score_json + +def main(): + results = endgames_eval() + create_path(OUTPUTS_PATH) + with open(os.path.join(OUTPUTS_PATH, 'stockfish_eval.json'), 'w') as f: + json.dump(results, f) + + +if __name__ == "__main__": + main() + \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/bc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/bc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/bc/train_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/bc/train_bc.py new file mode 100755 index 00000000..4703cd45 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/bc/train_bc.py @@ -0,0 +1,341 @@ +import jax +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2TrainMask, GPT2InferenceMask +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from JaxSeq.data import MaskIterableDataset +from JaxSeq.train import eval_loss, train_loop +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from JaxSeq.optimizers import GPT3Optimizer + +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.environment import text_history_to_str, text_env_eval +import nltk +import json + +from llm_rl_scripts.guess_city.env.env import GuessCityPolicyEnvironment +from llm_rl_scripts.guess_city.env.oracle import T5Oracle +from llm_rl_scripts.guess_city.env.oracle import T5ModelLoadMode as T5OracleModelLoadMode +from llm_rl_scripts.guess_city.env.data import create_trajectories_from_conversations, asker_postproc, asker_postproc_simple, asker_postproc_filter_repeats, get_default_word_list +from IPython import embed + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + oracle_model_path: str, + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + weight_decay: float=0.001, + init_lr: float=0.0001, + end_lr: float=0.0001, + lr: float=0.0001, + lr_warmup_steps: int=1000, + lr_decay_steps: int=1001, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + resid_pdrop: float=0.05, + attn_pdrop: float=0.05, + embd_pdrop: float=0.05, + + train_bsize: int=4, + grad_accum_steps: Optional[int]=32, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + bf16_activations: bool=False, + + max_length: int=1024, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + eval_loss_bsize: int=8, + eval_loss_batches: Optional[int]=4, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=128, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + def convert_trajectory_to_masked_text(trajectories): + for trajectory in trajectories: + text_history = trajectory.text_history + lst = [] + for text in text_history: + item = (text.text, text.is_action) + lst.append(item) + yield lst + + nltk.download('punkt') + nltk.download('averaged_perceptron_tagger') + input_args = dict(locals()) + + print(input_args) + print(type(input_args)) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + with open(convert_path(train_data_path), 'r') as f: + raw_train = json.load(f) + with open(convert_path(eval_data_path), 'r') as f: + raw_eval = json.load(f) + + train_text_trajectories = create_trajectories_from_conversations(raw_train) + eval_text_trajectories = create_trajectories_from_conversations(raw_eval) + + def convert_trajectory_to_masked_text(trajectories): + for trajectory in trajectories: + text_history = trajectory.text_history + lst = [] + for text in text_history: + item = (text.text, text.is_action) + lst.append(item) + yield lst + + # train_text_histories = [convert_trajectory_to_masked_text(text_trajectory) for text_trajectory in train_text_trajectories] + # eval_text_histories = [convert_trajectory_to_masked_text(text_trajectory) for text_trajectory in eval_text_trajectories] + + train_data = MaskIterableDataset.blocked_from_str_segments_iterable( + convert_trajectory_to_masked_text(train_text_trajectories), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + eval_data = MaskIterableDataset.blocked_from_str_segments_iterable( + convert_trajectory_to_masked_text(eval_text_trajectories), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + model_prng_key = jax.random.PRNGKey(2) + policy_prng, oracle_prng = jax.random.split(model_prng_key) + + env = GuessCityPolicyEnvironment( + oracle=T5Oracle.load_oracle( + mesh=mesh, + prng_key=oracle_prng, + model_load_mode=T5OracleModelLoadMode.PARAMS, + model_load_path=oracle_model_path, + use_fp16_activations=False, + use_fp16_params=False, + max_input_length=124, + max_output_length=4, + ), + word_list=get_default_word_list(), + max_conversation_length=20, + ) + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=init_lr, + end_lr=end_lr, + lr=lr, + lr_warmup_steps=lr_warmup_steps, + lr_decay_steps=lr_decay_steps, + weight_decay=weight_decay, + bf16_momentum=bf16_momentum, + multiply_by_parameter_scale=multiply_by_parameter_scale, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + model.config.resid_pdrop = resid_pdrop + model.config.embd_pdrop = embd_pdrop + model.config.attn_pdrop = attn_pdrop + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + trainer = GPT2TrainMask.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + # save_dir, exp_name = setup_experiment_save( + # exp_name=exp_name, + # outputs_path=convert_path(outputs_path), + # input_args=input_args, + # script__file__=__file__, + # is_main_process=is_main_process, + # ) + save_dir = "" + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2PPOPolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_metrics = eval_loss( + inference=inference, + dataset=eval_data, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interation_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + return loss_metrics['loss'], {'loss_metrics': loss_metrics, 'generation_metrics': interaction_summary_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/ilql/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/ilql/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/ilql/train_ilql.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/ilql/train_ilql.py new file mode 100755 index 00000000..429d111d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/ilql/train_ilql.py @@ -0,0 +1,490 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, jsonl_stream, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ilql.base_interface import ilql_loss +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain, text_history_to_str +from LLM_RL.algorithms.ilql.gpt2.interface import GPT2ILQLInference, GPT2ILQLTrain +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.mlp_head import MLPHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ilql.data import ILQLIterableDataset +from functools import partial +from JaxSeq.logs import log, pull_logs +from LLM_RL.algorithms.ilql.train import train_loop, eval_loss +from LLM_RL.algorithms.ilql.data import ILQLData, ILQLIterableDataset +from JaxSeq.utils import multihost_device_get + +from llm_rl_scripts.guess_city.env.env import GuessCityPolicyEnvironment +from llm_rl_scripts.guess_city.env.oracle import T5Oracle +from llm_rl_scripts.guess_city.env.oracle import T5ModelLoadMode as T5OracleModelLoadMode +from llm_rl_scripts.guess_city.env.data import create_trajectories_from_conversations, get_default_word_list, create_conversation_from_history + +from jax.sharding import PartitionSpec as PS +import nltk +import json + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + oracle_model_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + policy_bsize: int=32, + policy_n_rollouts: int=32, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + beta: float=16.0, + + detach_q1: bool=False, + detach_q2: bool=False, + detach_v: bool=False, + polyak_alpha: float=0.005, + hard_update_every: Optional[int]=None, + + gamma: float=0.99, + tau: float=0.7, + cql_weight: float=0.01, +): + nltk.download('punkt') + nltk.download('averaged_perceptron_tagger') + input_args = dict(locals()) + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + + # load data + with open(convert_path(train_data_path), 'r') as f: + raw_train = json.load(f) + with open(convert_path(eval_data_path), 'r') as f: + raw_eval = json.load(f) + + train_text_trajectories = create_trajectories_from_conversations(raw_train) + eval_text_trajectories = create_trajectories_from_conversations(raw_eval) + + def ilql_data_generator(trajectories): + for trajectory in trajectories: + trajectory_chain = TextTrajectoryChain(text_trajectory=trajectory, + next=None,) + token_trajectory = TokenTrajectoryChain.from_text_trajectory_chain(trajectory_chain, tokenizer) + yield ILQLData.from_token_trajectory_chain(token_trajectory) + + train_dataset = ILQLIterableDataset.from_ilql_data_iterable( + ilql_data_generator(train_text_trajectories), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + eval_dataset = ILQLIterableDataset.from_ilql_data_iterable( + ilql_data_generator(eval_text_trajectories), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + base_model.config.gradient_checkpointing = gradient_checkpointing + base_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + target_base_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + target_base_params = shard_params_from_params( + model=base_model, + params=target_base_params, + ) + with jax.default_device(jax.devices('cpu')[0]): + pi_beta_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + pi_beta_params = shard_params_from_params( + model=base_model, + params=pi_beta_params, + ) + + q1_prng_key = jax.random.PRNGKey(4) + q1_head_train_state, q_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q1_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q1_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q1_head_train_state.params, + ) + q1_target_head_params = shard_params_from_params( + model=q_head, + params=q1_target_head_params, + ) + + q2_prng_key = jax.random.PRNGKey(5) + q2_head_train_state, _ = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q2_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q2_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q2_head_train_state.params, + ) + q2_target_head_params = shard_params_from_params( + model=q_head, + params=q2_target_head_params, + ) + + class ValueMLPHeadConfig(MLPHeadConfig): + @staticmethod + def get_partition_rules(): + return [ + (re.escape("['dense1']['kernel']"), PS("fsdp", "mp")), + (re.escape("['dense1']['bias']"), PS("mp")), + (re.escape("['dense2']['kernel']"), PS("fsdp", None)), + (re.escape("['dense2']['bias']"), PS()), + ] + + v_prng_key = jax.random.PRNGKey(6) + v_head_train_state, v_head = load_head_train_state_from_config( + model_config=ValueMLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=1, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=v_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(ilql_loss, gamma=gamma, tau=tau, cql_weight=cql_weight) + + train = GPT2ILQLTrain.load_train( + base_train_state=base_train_state, + target_base_params=target_base_params, + q1_head_train_state=q1_head_train_state, + q2_head_train_state=q2_head_train_state, + v_head_train_state=v_head_train_state, + q1_target_head_params=q1_target_head_params, + q2_target_head_params=q2_target_head_params, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q1=detach_q1, + detach_q2=detach_q2, + detach_v=detach_v, + polyak_alpha=polyak_alpha, + hard_update_every=hard_update_every, + ) + + inference = GPT2ILQLInference.load_inference( + value_inference=GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q1_head_params=q1_head_train_state.params, + q2_head_params=q2_head_train_state.params, + v_head_params=v_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + beta=beta, + dp_shard_logits=True, + ), + target_value_inference=GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=target_base_params, + q1_head_params=q1_target_head_params, + q2_head_params=q2_target_head_params, + v_head_params=None, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=None, + tokenizer=tokenizer, + beta=beta, + dp_shard_logits=True, + ), + loss_fn=loss_fn, + ) + + oracle_prng = jax.random.PRNGKey(7) + + env = GuessCityPolicyEnvironment( + oracle=T5Oracle.load_oracle( + mesh=mesh, + prng_key=oracle_prng, + model_load_mode=T5OracleModelLoadMode.PARAMS, + model_load_path=oracle_model_path, + use_fp16_activations=False, + use_fp16_params=False, + max_input_length=124, + max_output_length=4, + ), + word_list=get_default_word_list(), + max_conversation_length=20, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + + def evaluate(inference: GPT2ILQLInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2ValuePolicy( + inference=inference.value_inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_results = eval_loss( + inference=inference, + dataset=eval_dataset, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interaction_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interaction_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + logs = pull_logs(interaction_summary_results) + log(logs, use_wandb and is_main_process) + + return loss_results['losses']['total_loss'], {'interaction': logs, 'loss': loss_results} + + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=train_dataset, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/mc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/mc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/mc/train_mc_returns.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/mc/train_mc_returns.py new file mode 100755 index 00000000..c14a0919 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/mc/train_mc_returns.py @@ -0,0 +1,371 @@ +from typing import Optional +import tyro +import nltk +import json +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, jsonl_stream, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.mc_returns.base_interface import mc_loss +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain, text_history_to_str +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import copy_sharded_pytree +from functools import partial +from JaxSeq.logs import log, pull_logs +from LLM_RL.algorithms.mc_returns.train import train_loop, eval_loss +from LLM_RL.algorithms.mc_returns.data import MCData, MCIterableDataset +from LLM_RL.algorithms.mc_returns.gpt2.interface import GPT2MCTrain, GPT2MCInference + +from llm_rl_scripts.guess_city.env.env import GuessCityPolicyEnvironment +from llm_rl_scripts.guess_city.env.oracle import T5Oracle +from llm_rl_scripts.guess_city.env.oracle import T5ModelLoadMode as T5OracleModelLoadMode +from llm_rl_scripts.guess_city.env.data import create_trajectories_from_conversations, asker_postproc, asker_postproc_simple, asker_postproc_filter_repeats, get_default_word_list + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + oracle_model_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + policy_bsize: int=32, + policy_n_rollouts: int=32, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + beta: float=16.0, + detach_q: bool=False, + gamma: float=0.99, + cql_weight: float=0.01, + + ): + + nltk.download('punkt') + nltk.download('averaged_perceptron_tagger') + input_args = dict(locals()) + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + with open(convert_path(train_data_path), 'r') as f: + raw_train = json.load(f) + with open(convert_path(eval_data_path), 'r') as f: + raw_eval = json.load(f) + + train_text_trajectories = create_trajectories_from_conversations(raw_train) + eval_text_trajectories = create_trajectories_from_conversations(raw_eval) + + + def mc_data_generator(trajectories): + for trajectory in trajectories: + trajectory_chain = TextTrajectoryChain(text_trajectory=trajectory, + next=None,) + token_trajectory = TokenTrajectoryChain.from_text_trajectory_chain(trajectory_chain, tokenizer) + yield MCData.from_token_trajectory_chain(token_trajectory, gamma=gamma) + + train_dataset = MCIterableDataset.from_mc_data_iterable( + mc_data_generator(train_text_trajectories), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + eval_dataset = MCIterableDataset.from_mc_data_iterable( + mc_data_generator(eval_text_trajectories), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + base_model.config.gradient_checkpointing = gradient_checkpointing + base_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + pi_beta_params = copy_sharded_pytree( + model=base_model, + pytree=base_train_state.params, + ) + + q_prng_key = jax.random.PRNGKey(4) + q_head_train_state, q_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + initializer_range=0.0, + bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(mc_loss, cql_weight=cql_weight) + + train = GPT2MCTrain.load_train( + base_train_state=base_train_state, + q_head_train_state=q_head_train_state, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q=detach_q, + ) + + inference = GPT2MCInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q_head_params=q_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + beta=beta, + dp_shard_logits=True, + ) + + oracle_prng = jax.random.PRNGKey(7) + + env = GuessCityPolicyEnvironment( + oracle=T5Oracle.load_oracle( + mesh=mesh, + prng_key=oracle_prng, + model_load_mode=T5OracleModelLoadMode.PARAMS, + model_load_path=oracle_model_path, + use_fp16_activations=False, + use_fp16_params=False, + max_input_length=124, + max_output_length=4, + ), + word_list=get_default_word_list(), + max_conversation_length=20, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPT2MCInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_results = eval_loss( + inference=inference, + dataset=eval_dataset, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interaction_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interaction_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + logs = pull_logs(interaction_summary_results) + log(logs, use_wandb and is_main_process) + + return loss_results['losses']['total_loss'], {'interaction': logs, 'loss': loss_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=train_dataset, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/misc/check_length_sequences.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/misc/check_length_sequences.py new file mode 100644 index 00000000..b719efe9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/misc/check_length_sequences.py @@ -0,0 +1,48 @@ +from transformers import AutoTokenizer +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import convert_path, Padding, Truncation +from JaxSeq.data import MaskIterableDataset, BlockingStrategy +from llm_rl_scripts.guess_city.env.data import create_trajectories_from_conversations + +import json +# load data +train_data_path = "gcs://rl-llm-bench-dataset-internal/guess-my-city/train.json" +with open(convert_path(train_data_path), 'r') as f: + raw_train = json.load(f) + +train_text_trajectories = create_trajectories_from_conversations(raw_train) +# eval_text_trajectories = create_trajectories_from_conversations(raw_eval) + +def convert_trajectory_to_text(trajectories): + for trajectory in trajectories: + text_history = trajectory.text_history + lst = [] + for text in text_history: + lst.append(text.text) + s = ' '.join(lst) + yield s + +tokenizer = AutoTokenizer.from_pretrained('gpt2') +tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + +iterator = convert_trajectory_to_text(train_text_trajectories) + +#tokenize each item of list and find length +def tokenize_and_find_length(iterator): + for item in iterator: + tokenized = tokenizer(item, padding=True, truncation=True, return_tensors='np') + yield tokenized + +tokenized = tokenize_and_find_length(iterator) + +lengths = [] +over_1024 = 0 +for item in tokenized: + length = item['input_ids'].shape[1] + print(length) + # lengths.append(length) + if length >= 1024: + over_1024 += 1 + +print(sum(lengths)/len(lengths)) +print(over_1024/len(lengths) * 100) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/misc/generate_models.sh b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/misc/generate_models.sh new file mode 100755 index 00000000..1e429988 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/misc/generate_models.sh @@ -0,0 +1,21 @@ +export GOOGLE_APPLICATION_CREDENTIALS="INCLUDE CREDENTIALS" +export GCLOUD_PROJECT="INCLUDE GCLOUD PROJECT" +export TOKENIZERS_PARALLELISM=false +sudo rm -r /tmp/*tpu* +conda init bash +conda activate LLM_RL + +# Generate GPT-3 Data + +# Clean GPT-3 Data + +# Training Oracle in JaxSEQ +python examples_jaxseq/T5/T5_train.py HF google/flan-t5-xl google/flan-t5-xl /nfs/nfs1/users/marwa/datasets_final/city/guess_my_city_train.json /nfs/nfs1/users/marwa/datasets_final/city/guess_my_city_eval.json --outputs-path=gs://rail-tpus-marwa/guess_city/ --max-input-length=124 --max-output-length=4 --lr=0.00001 --epochs=4 --train-bsize=32 --eval-loss-bsize=32 --grad-accum-steps=1 --log-every=64 --eval-every-steps=64 --save-every-epochs=1 --use-wandb --wandb-project guess_city + +# Training Answerer in JaxSEQ +python examples_jaxseq/T5/T5_train.py HF google/flan-t5-xl google/flan-t5-xl /nfs/nfs1/users/marwa/datasets_final/city/guess_my_city_train.json /nfs/nfs1/users/marwa/datasets_final/city/guess_my_city_eval.json --outputs-path=gs://rail-tpus-marwa/guess_city/ --max-input-length=124 --max-output-length=4 --lr=0.00001 --epochs=4 --train-bsize=32 --eval-loss-bsize=32 --grad-accum-steps=1 --log-every=64 --eval-every-steps=64 --save-every-epochs=1 --use-wandb --wandb-project guess_city + +# Generate BC Data in LLM_RL + +# Clean BC Data in LLM_RL + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/misc/guess_city_human_eval.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/misc/guess_city_human_eval.py new file mode 100755 index 00000000..49ea746e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/misc/guess_city_human_eval.py @@ -0,0 +1,66 @@ +import os +import json +import time +import jax +import pickle as pkl +from llm_rl_scripts.twenty_questions.env.policies import twenty_questions_env, UserPolicy +from LLM_RL.environment import text_env_eval + +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import create_path +from LLM_RL.utils import convert_path + +INTRO_TEXT = """\ +Welcome to the game of Guess My City! +Your objective is to guess what the city is within twenty rounds. +At every turn, you will have the oppurnity to ask any kind of question (yes/no or open ended), and receive an answer from the oracle. +You can interact with the + +Now that you know the rules, let's get started. +""".strip() + +if __name__ == "__main__": + YOUR_NAME = "Marwa" + N_INTERACTIONS = 5 + OUTPUTS_PATH = f"data/outputs/guess_city/human_eval/user_interactions_test1_{YOUR_NAME}/" + env_deterministic = False + print("Loading Environment") + env = guess_city_env() + print("Loaded Environment") + policy = UserPolicy() + + def print_interaction(interaction): + if interaction[-1].reward == 0: + print('YOU WON!') + print('='*25) + else: + print('YOU LOST :(') + print('='*25) + + print() + print('='*25) + print(INTRO_TEXT) + print("Here are the list of words you can select from:") + words = [(word[0], word[1]) if len(word) > 1 else (word[0]) for word in env.word_list if len(word) >= 1] + print() + print(words) + print('='*25) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=N_INTERACTIONS, + interaction_callback=print_interaction, + env_options={"deterministic": env_deterministic} + ) + + print(interaction_summary_results) + print('='*25) + + create_path(OUTPUTS_PATH) + with open(os.path.join(convert_path(OUTPUTS_PATH), 'interactions.pkl'), 'wb') as f: + pkl.dump(interation_raw_results, f) + with open(os.path.join(convert_path(OUTPUTS_PATH), 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/misc/test_guess_city.sh b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/misc/test_guess_city.sh new file mode 100755 index 00000000..5d2c33cd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/misc/test_guess_city.sh @@ -0,0 +1,21 @@ +export GOOGLE_APPLICATION_CREDENTIALS="INCLUDE CREDENTIALS" +export GCLOUD_PROJECT="INCLUDE GCLOUD PROJECT" +export TOKENIZERS_PARALLELISM=false +sudo rm -r /tmp/*tpu* +conda init bash +conda activate LLM_RL + +# Training BC in LLM_RL +python3 -m llm_rl_scripts.guess_city.bc.train_bc HF gpt2-medium /nfs/nfs1/users/marwa/generation-benchmarks/cities_data/guess_my_city_train_bc.json /nfs/nfs1/users/marwa/generation-benchmarks/cities_data/guess_my_city_eval_bc.json /nfs/nfs1/users/marwa/lmrl-gym-final/JaxSEQ/gs:/rail-tpus-marwa/guess_city/exp.2024-01-16-22-14-31.343.9f6185f4b4bc11ee8b6d872abd62eb10/best --outputs_path=gcs://rail-tpus-marwa/guess_city/bc/ --epochs 1 --train-bsize 128 --grad-accum-steps 1 --eval-loss-bsize 32 --eval-loss-batches 256 --policy-max-output-length 128 --log-every 256 --eval-every-steps 1024 --save-every-steps 1024 --save-at-end --no-save-train-state --data-mesh-shape -1 --fsdp-mesh-shape 1 --model-mesh-shape 1 --gradient-checkpointing + +# Training MC in LLM_RL +python3 -m llm_rl_scripts.guess_city.mc.train_mc_returns HF gpt2-medium /nfs/nfs1/users/marwa/generation-benchmarks/cities_data/guess_my_city_train_bc.json /nfs/nfs1/users/marwa/generation-benchmarks/cities_data/guess_my_city_eval_bc.json /nfs/nfs1/users/marwa/lmrl-gym-final/JaxSEQ/gs:/rail-tpus-marwa/guess_city/exp.2024-01-16-22-14-31.343.9f6185f4b4bc11ee8b6d872abd62eb10/best --outputs_path=gcs://rail-tpus-marwa/guess_city/mc/ --epochs 1 --train-bsize 128 --grad-accum-steps 1 --eval-loss-bsize 32 --eval-loss-batches 256 --policy-max-output-length 128 --log-every 256 --eval-every-steps 1024 --save-every-steps 1024 --save-at-end --no-save-train-state --data-mesh-shape -1 --fsdp-mesh-shape 1 --model-mesh-shape 1 --gradient-checkpointing + +# Training ILQL in LLM_RL +python3 -m llm_rl_scripts.guess_city.ilql.train_ilql HF gpt2-medium /nfs/nfs1/users/marwa/generation-benchmarks/cities_data/guess_my_city_train_bc.json /nfs/nfs1/users/marwa/generation-benchmarks/cities_data/guess_my_city_eval_bc.json /nfs/nfs1/users/marwa/lmrl-gym-final/JaxSEQ/gs:/rail-tpus-marwa/guess_city/exp.2024-01-16-22-14-31.343.9f6185f4b4bc11ee8b6d872abd62eb10/best --outputs_path=gcs://rail-tpus-marwa/guess_city/ilql/ --epochs 1 --train-bsize 128 --grad-accum-steps 1 --eval-loss-bsize 32 --eval-loss-batches 256 --policy-max-output-length 128 --log-every 256 --eval-every-steps 1024 --save-every-steps 1024 --save-at-end --no-save-train-state --data-mesh-shape -1 --fsdp-mesh-shape 1 --model-mesh-shape 1 --gradient-checkpointing + +# Training PPO in LLM_RL +python -m llm_rl_scripts.guess_city.ppo.train_ppo PARAMS gcs://rail-tpus-charles-3/ILQL5/outputs/twenty_questions/bc_gpt2med_test8_converted/model /nfs/nfs1/users/marwa/generation-benchmarks/cities_data/guess_my_city_train_bc.json /nfs/nfs1/users/marwa/lmrl-gym-final/JaxSEQ/gs:/rail-tpus-marwa/guess_city/exp.2024-01-16-22-14-31.343.9f6185f4b4bc11ee8b6d872abd62eb10/best --outputs_path=rail-tpus-marwa/guess_city/ppo/ --n-rollouts 512 --train-bsize 8 --grad-accum-steps 4 --rollout-bsize 64 --ppo-data-bsize 64 --n-rounds 1000 --epochs 4 --log-every 32 --weight-decay 1e-6 --lr 3e-5 --init-kl-coef 0.001 --kl-target 0.1 --kl-horizon 10000 --value-loss-coef 1.0 --data-mesh-shape 1 --fsdp-mesh-shape -1 --model-mesh-shape 1 --use-wandb --wandb-project guess_city --env-deterministic + +# Human Eval in LLM_RL +python -m llm_rl_scripts/guess_city/misc/guess_city_human_eval.py \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/ppo/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/ppo/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/ppo/train_ppo.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/ppo/train_ppo.py new file mode 100755 index 00000000..adb16a70 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/guess_city/ppo/train_ppo.py @@ -0,0 +1,489 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, create_path, get_enabled_save_path, MapIterable, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ppo.train import train_loop +from LLM_RL.algorithms.ppo.base_interface import ppo_loss_fn, FixedKLController, AdaptiveKLController +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectory, text_history_to_str +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy, GPT2PPOInference, GPT2PPOTrain +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ppo.data import PPODataset +from LLM_RL.utils import get_tensor_stats_np +from functools import partial +import numpy as np +from JaxSeq.logs import label_logs, log, pull_logs +import json +import random +from JaxSeq.utils import multihost_device_get +from JaxSeq.data import MaskIterableDataset +from dataclasses import replace +from JaxSeq.models.gpt2.interface import loss_fn_mask + +from llm_rl_scripts.guess_city.env.env import GuessCityPolicyEnvironment +from llm_rl_scripts.guess_city.env.oracle import T5Oracle +from llm_rl_scripts.guess_city.env.oracle import T5ModelLoadMode as T5OracleModelLoadMode +from llm_rl_scripts.guess_city.env.data import get_default_word_list, create_conversation_from_history + +import nltk + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + bc_data_path: str, + oracle_model_path: str, + + /, # Mark the end of positional arguments. + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + train_bc_bsize: Optional[int]=None, + grad_accum_steps: Optional[int]=None, + rollout_bsize: int=32, + n_rollouts: int=128, + ppo_data_bsize: int=32, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_input_length: int=512, + max_output_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_ppo_dataset: bool=True, + save_bf16: bool=True, + env_deterministic: bool=False, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + gamma: float=1.0, + lam: float=0.95, + use_advantage_whitening: bool=True, + + init_kl_coef: float=0.001, + kl_target: Optional[float]=None, + kl_horizon: Optional[int]=None, + + cliprange_value: float=0.2, + cliprange: float=0.2, + value_loss_coef: float=1.0, + bc_loss_weight: float=1.0, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + nltk.download('punkt') + nltk.download('averaged_perceptron_tagger') + input_args = dict(locals()) + print(input_args) + + use_adaptive_kl = (kl_target is not None and kl_horizon is not None) + if not use_adaptive_kl: + assert kl_target is None and kl_horizon is None + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + bc_data = MaskIterableDataset.blocked_from_str_segments_iterable( + MapIterable(lambda x: x['sequence'], FileOpenIterable(convert_path(bc_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_input_length+max_output_length, + ), + ) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + model_prng_key = jax.random.PRNGKey(2) + policy_train_state, policy_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + policy_model.config.gradient_checkpointing = gradient_checkpointing + policy_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + policy_model.config.resid_pdrop = 0.0 + policy_model.config.embd_pdrop = 0.0 + policy_model.config.attn_pdrop = 0.0 + with jax.default_device(jax.devices('cpu')[0]): + initital_policy_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + policy_train_state.params, + ) + initital_policy_params = shard_params_from_params( + model=policy_model, + params=initital_policy_params, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2Inference.load_inference( + params=policy_train_state.params, + model=policy_model, + tokenizer=tokenizer, + ) + + oracle_prng = jax.random.PRNGKey(7) + + env = GuessCityPolicyEnvironment( + oracle=T5Oracle.load_oracle( + mesh=mesh, + prng_key=oracle_prng, + model_load_mode=T5OracleModelLoadMode.PARAMS, + model_load_path=oracle_model_path, + use_fp16_activations=False, + use_fp16_params=False, + max_input_length=124, + max_output_length=4, + ), + word_list=get_default_word_list(), + max_conversation_length=20, + ) + + if env_deterministic: + def seed_generator(): + num_words = len(env.word_list) + i = 0 + while True: + yield i + i = (i + 1) % num_words + else: + def seed_generator(): + random_state = random.Random(seed) + while True: + yield random_state.getrandbits(64) + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2PPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + head_prng_key = jax.random.PRNGKey(3) + value_head_train_state, value_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=policy_model.config.n_embd, + output_dim=1, + use_bias=True, + initializer_range=0.0, + bias_init=-4.1, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=head_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loss_f = partial(ppo_loss_fn, cliprange_value=cliprange_value, cliprange=cliprange, value_loss_coef=value_loss_coef) + + ppo_inference = GPT2PPOInference.load_inference( + initial_policy_params=initital_policy_params, + policy_params=policy_train_state.params, + value_head_params=value_head_train_state.params, + initial_policy_model=policy_model, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask, + bc_loss_weight=bc_loss_weight, + ) + + ppo_trainer = GPT2PPOTrain.load_train( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask, + bc_loss_weight=bc_loss_weight, + ) + + if use_adaptive_kl: + kl_controller = AdaptiveKLController(init_kl_coef=init_kl_coef, target=kl_target, horizon=kl_horizon) + else: + kl_controller = FixedKLController(kl_coef=init_kl_coef) + + data_round = 0 + def ppo_dataset_loader(ppo_inference: GPT2PPOInference, policy: GPT2PPOPolicy) -> PPODataset: + nonlocal data_round + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + seed_generator=seed_generator(), + env_options={"deterministic": env_deterministic} + ) + summary_results = pull_logs(summary_results) + + text_trajectory_chains = [] + for raw_result in raw_results: + print('='*25) + print(text_history_to_str(raw_result[-1].post_transition_history)) + print('='*25) + print(sum([[item.reward, 0.0] for item in raw_result], [0.0])) + print('='*25) + text_trajectory = TextTrajectory( + text_history=raw_result[-1].post_transition_history, + reward=sum([[item.reward, 0.0] for item in raw_result], [0.0]), + done=raw_result[-1].done, + ) + while len(text_trajectory.text_history) > 3: + if TokenTrajectory.from_text_trajectory(text_trajectory, tokenizer).tokens.shape[0] >= max_input_length+max_output_length: + new_reward = text_trajectory.reward[:-2] + new_reward[-2] += sum(text_trajectory.reward[-2:]) * gamma + text_trajectory = replace( + text_trajectory, + text_history=text_trajectory.text_history[:-2], + reward=new_reward, + done=False, + ) + else: + break + + if len(text_trajectory.text_history) < 3: + continue + if TokenTrajectory.from_text_trajectory(text_trajectory, tokenizer).tokens.shape[0] >= max_input_length+max_output_length: + continue + + text_trajectory_chains.append(TextTrajectoryChain(text_trajectory, None)) + + ppo_data, all_kls = ppo_inference.get_ppo_data_from_text_trajectory_chain( + text_trajectory_chains, + bsize=ppo_data_bsize, + max_length=max_input_length+max_output_length, + gamma=gamma, + lam=lam, + kl_weight=kl_controller.value, + use_advantage_whitening=use_advantage_whitening, + ) + mean_kl = all_kls.mean().item() + kl_controller.update(mean_kl, train_bsize) + + ppo_dataset = PPODataset.from_ppo_data_list( + ppo_data, + tokenizer, + BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length+max_output_length), + ) + + logs = dict( + policy=dict( + initial_policy_kl=get_tensor_stats_np(all_kls, np.ones(all_kls.shape), all_kls.size), + sqrt_initial_policy_kl=np.sqrt(mean_kl), + kl_ctrl_value=kl_controller.value, + ), + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_ppo_dataset: + print('saving ppo dataset ...') + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'ppo_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(ppo_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'text_trajectory_chains.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(text_trajectory_chains, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'raw_results.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(raw_results, f) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return ppo_dataset + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=ppo_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + bc_dataset=bc_data, + bc_bsize=train_bc_bsize, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/bc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/bc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/bc/eval_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/bc/eval_bc.py new file mode 100755 index 00000000..68775019 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/bc/eval_bc.py @@ -0,0 +1,229 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import load_mesh, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +import os +from JaxSeq.models.gpt2.interface import GPT2InferenceMask +from JaxSeq.models.gpt2.load import ModelLoadMode, load_params +import pickle as pkl +import json +from transformers.generation import GenerationConfig +import re +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.environment import text_env_eval +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env, maze_solver +from collections import defaultdict +import numpy as np +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerSamplePolicy, ReRankerPolicy +from LLM_RL.algorithms.ppo.score_fn import build_bc_score_fn +from llm_rl_scripts.maze.env.env import maze_proposal_function +from flax.traverse_util import flatten_dict, unflatten_dict +from LLM_RL.environment import Text +from llm_rl_scripts.maze.env.env import describe_observation_give_position + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + + /, # Mark the end of positional arguments. + + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + bf16_activations: bool=False, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + maze_name:str="double_t_maze", + fully_observed:bool=True, + maze_last_k: int=1, + maze_reward_function: str="standard_reward", + + do_accuracy_eval: bool=True, + do_reward_eval: bool=True, + use_reranker_for_reward_eval: bool=False, + + force_pad_embeddings: bool=False, +): + input_args = locals() + print(input_args) + + if fully_observed: + describe_function = "describe_observation_give_position" + else: + describe_function = "describe_observation_only_walls" + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + env = setup_maze_env( + maze_name=maze_name, + describe_function=describe_function, + reward_function=maze_reward_function, + last_k=maze_last_k, + ) + possible_positions = list(zip(*np.where(env.maze==0))) + for goal in env.valid_goals: + possible_positions.remove(tuple(goal.tolist())) + optimal_policy = maze_solver(1-env.maze, list(map(tuple, env.valid_goals.tolist()))) + + model_prng_key = jax.random.PRNGKey(2) + params, model = load_params( + model_load_mode=model_load_mode, + model_load_path=model_load_path if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + inference = GPT2InferenceMask.load_inference( + params=params, + model=model, + tokenizer=tokenizer, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + + all_results = dict() + interactions = dict() + + if do_reward_eval: + if use_reranker_for_reward_eval: + if policy_do_sample: + policy = ReRankerSamplePolicy( + proposal_fn=maze_proposal_function, + score_fn=build_bc_score_fn( + inference=inference, + tokenizer=tokenizer, + max_length=policy_max_input_length+policy_max_output_length, + bsize=policy_bsize, + ), + ) + else: + policy = ReRankerPolicy( + proposal_fn=maze_proposal_function, + score_fn=build_bc_score_fn( + inference=inference, + tokenizer=tokenizer, + max_length=policy_max_input_length+policy_max_output_length, + bsize=policy_bsize, + ), + ) + else: + policy = GPT2PPOPolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + results = dict() + avg_dict = defaultdict(float) + for position in possible_positions: + position = tuple(position) + interactions[str(position)], results[str(position)] = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, # do multiple, also do no sampling policy + verbose=True, + env_options={"init_position": position}, + bsize=policy_bsize, + ) + for k, v in flatten_dict(results[str(position)]).items(): + avg_dict[k] += v + for k, v in avg_dict.items(): + avg_dict[k] = v/len(possible_positions) + results["avg_reward"] = unflatten_dict(dict(avg_dict)) + + all_results["reward_eval"] = results + + if do_accuracy_eval: + results = dict() + policy = ReRankerPolicy( + proposal_fn=maze_proposal_function, + score_fn=build_bc_score_fn( + inference=inference, + tokenizer=tokenizer, + max_length=policy_max_input_length+policy_max_output_length, + bsize=policy_bsize, + ), + ) + + num_correct = 0 + for position in possible_positions: + print(position, num_correct) + env.position = position + observation = describe_observation_give_position(env.maze, position, env.goal) + text_history = (Text(observation, False),) + output = policy.act(text_history) + prediction = output[-1].text + + if prediction.lower().strip() == optimal_policy[tuple(position)].lower().strip(): + num_correct += 1 + results[str(position)] = True + else: + results[str(position)] = False + + move_accuracy = num_correct/len(possible_positions) + results["avg_accuracy"] = move_accuracy + + all_results["move_accuracy"] = results + + if outputs_path is not None: + create_path(outputs_path) + if do_reward_eval: + with open(os.path.join(outputs_path, 'interactions.pkl'), 'wb') as f: + pkl.dump(interactions, f) + with open(os.path.join(outputs_path, 'results.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), all_results), f) + + return all_results + + print(evaluator( + inference=inference, + )) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/bc/fully_observed_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/bc/fully_observed_bc.py new file mode 100755 index 00000000..78555a4b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/bc/fully_observed_bc.py @@ -0,0 +1,320 @@ +from typing import Optional, List +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save, MapIterable, BlockingStrategy, Padding, Truncation +import jax +import jax.numpy as jnp +from JaxSeq.utils import get_weight_decay_mask +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Train, GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from JaxSeq.data import Seq2SeqDataset +from JaxSeq.train import eval_loss, train_loop +from jaxtyping import PyTree +import re +from JaxSeq.optimizers import GPT3Optimizer +import json +import numpy as np +from transformers import AutoTokenizer +from JaxSeq.bucket_manager import open_with_bucket as open +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerSamplePolicy +from LLM_RL.algorithms.ppo.score_fn import build_bc_score_fn +import random +from LLM_RL.environment import text_env_eval +from llm_rl_scripts.maze.env.env import maze_proposal_function +from llm_rl_scripts.maze.env.maze_utils import pick_start_position, setup_maze_env +from llm_rl_scripts.maze.env.mazes import double_t_maze +from transformers.generation import GenerationConfig + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + + /, # Mark the end of positional arguments. + eval_frac: float=0.1, + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + weight_decay: float=0.001, + init_lr: float=0.0, + end_lr: float=0.0001, + lr: float=0.0001, + lr_warmup_steps: int=1, + lr_decay_steps: int=2, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + train_bsize: int=128, + grad_accum_steps: Optional[int]=1, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + bf16_activations: bool=False, + + max_input_length: int=256, + max_output_length: int=8, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + generation_bsize: int=4, + generation_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + traj_max_length:int=40 +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained("gpt2") + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + with open(convert_path(train_data_path), "r") as f: + all_items = list(f) + + def str_lst(items: List[str]): + lst = [] + for item in items: + obj = json.loads(item) + for state_action_pair in obj: + lst.append((state_action_pair["state"], state_action_pair["action"])) + return lst + + # create splits + data_lst = str_lst(all_items) + random.seed(0) + random.shuffle(data_lst) + train_lst = data_lst[:int(len(data_lst)*eval_frac)] + eval_lst = data_lst[int(len(data_lst)*eval_frac):] + + + train_data = Seq2SeqDataset.from_str_list( + train_lst, + tokenizer=tokenizer, + in_blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_output_length + ), + ) + + eval_data = Seq2SeqDataset.from_str_list( + eval_lst, + tokenizer=tokenizer, + in_blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_output_length, + ), + ) + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_\d+'\]", re.escape("['bias']")]), + "".join([r"\['ln_\d+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=init_lr, + end_lr=end_lr, + lr=lr, + lr_warmup_steps=lr_warmup_steps, + lr_decay_steps=lr_decay_steps, + weight_decay=weight_decay, + bf16_momentum=bf16_momentum, + multiply_by_parameter_scale=multiply_by_parameter_scale, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + trainer = GPT2Train.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + inference = GPT2Inference.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + maze_name = "double_t_maze" + describe_function = "describe_observation_only_walls" + reward_function = "standard_reward" + + maze = double_t_maze() + + env = setup_maze_env(maze_name=maze_name, describe_function=describe_function, reward_function=reward_function, last_k=1) + start_position = pick_start_position(maze_name=maze_name) + possible_positions = list(zip(*np.where(maze==0))) + possible_positions.remove((8, 6)) + + def evaluator(inference: GPT2Inference): + data_results = eval_loss( + inference=inference, + dataset=eval_data, + prng_key=jax.random.PRNGKey(1), + bsize=4, + eval_batches=64, + ) + + results = {} + for position in possible_positions: + position = tuple(position) + _, results[str(position)] = text_env_eval( + env=env, + policy = GPT2PPOPolicy( + inference=inference, + prng_key=jax.random.PRNGKey(0), + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ), + n_rollouts=1, + verbose=True, + # save_path=None, + # seed=1, + env_options={"init_position": position}, + # save_config=None, + ) + # avg_position_results = results["avg_reward"] + #TODO: accuracy metric + return data_results['loss'], {'data': data_results, 'sample_env': results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/bc/partially_observed_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/bc/partially_observed_bc.py new file mode 100755 index 00000000..98de82b6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/bc/partially_observed_bc.py @@ -0,0 +1,390 @@ +from typing import Optional, List +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save, MapIterable, BlockingStrategy, Padding, Truncation +import jax +import jax.numpy as jnp +from JaxSeq.utils import get_weight_decay_mask +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Train, GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from JaxSeq.data import Seq2SeqIterableDataset +from JaxSeq.train import eval_loss, train_loop +from jaxtyping import PyTree +import re +from JaxSeq.optimizers import GPT3Optimizer +import json +import numpy as np +from transformers import AutoTokenizer +from JaxSeq.bucket_manager import open_with_bucket as open +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerSamplePolicy +from LLM_RL.algorithms.ppo.score_fn import build_bc_score_fn +import random +from collections import defaultdict +from flax.traverse_util import flatten_dict, unflatten_dict + +from LLM_RL.environment import text_env_eval +from llm_rl_scripts.maze.env.env import maze_proposal_function +from llm_rl_scripts.maze.env.maze_utils import pick_start_position, setup_maze_env +from llm_rl_scripts.maze.env.mazes import double_t_maze + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_frac: float, + # eval_data_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + weight_decay: float=0.001, + init_lr: float=0.0, + end_lr: float=0.0001, + lr: float=0.0001, + lr_warmup_steps: int=1000, + lr_decay_steps: int=1001, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + train_bsize: int=128, + grad_accum_steps: Optional[int]=1, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + bf16_activations: bool=False, + + max_input_length: int=1024, + max_output_length: int=16, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + generation_bsize: int=4, + generation_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + traj_max_length:int=40 +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained("gpt2") + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + with open(convert_path(train_data_path), "r") as f: + all_items = list(f) + # create splits + random.seed(0) + random.shuffle(all_items) + train_items = all_items[:int(len(all_items)*eval_frac)] + eval_items = all_items[int(len(all_items)*eval_frac):] + + class StrIterable: + def __init__(self, items: List[str]): + self.items = items + + def __iter__(self): + def str_iterable(items: List[str]): + for item in items: + obj = json.loads(item) + for i in range(0, len(obj['text_history']), 2): + start_idx = max(0, i-traj_max_length) + in_text = " ".join(obj['text_history'][start_idx:i+1]) + out_text = obj['text_history'][i+1] + yield {"in_text":in_text, "out_text":out_text} + return str_iterable(self.items) + + train_data = Seq2SeqIterableDataset.from_str_iterable( + MapIterable( + lambda x: (tokenizer.bos_token+x['in_text'].removeprefix(tokenizer.bos_token), x['out_text']), + StrIterable(train_items)), + tokenizer=tokenizer, + in_blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_output_length + ), + ) + + eval_data = Seq2SeqIterableDataset.from_str_iterable( + MapIterable( + lambda x: (tokenizer.bos_token+x['in_text'].removeprefix(tokenizer.bos_token), x['out_text']), + StrIterable(eval_items)), + tokenizer=tokenizer, + in_blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_output_length, + ), + ) + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_\d+'\]", re.escape("['bias']")]), + "".join([r"\['ln_\d+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=init_lr, + end_lr=end_lr, + lr=lr, + lr_warmup_steps=lr_warmup_steps, + lr_decay_steps=lr_decay_steps, + weight_decay=weight_decay, + bf16_momentum=bf16_momentum, + multiply_by_parameter_scale=multiply_by_parameter_scale, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + trainer = GPT2Train.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + inference = GPT2Inference.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + maze_name = "double_t_maze" + describe_function = "describe_observation_only_walls" + reward_function = "standard_reward" + + maze = double_t_maze() + + env = setup_maze_env(maze_name=maze_name, describe_function=describe_function, reward_function=reward_function, last_k=40) + start_position = pick_start_position(maze_name=maze_name) + possible_positions = list(zip(*np.where(maze==0))) + possible_positions.remove((8, 6)) + + def evaluator(inference: GPT2Inference): + data_results = eval_loss( + inference=inference, + dataset=eval_data, + prng_key=jax.random.PRNGKey(1), + bsize=4, + eval_batches=64, + ) + + results = {} + avg_dict = defaultdict(float) + for position in possible_positions: + position = tuple(position) + _, results[str(position)] = text_env_eval( + env=env, + policy=ReRankerSamplePolicy( + proposal_fn=maze_proposal_function, + score_fn=build_bc_score_fn( + inference=inference, + tokenizer=tokenizer, + max_length=8, + bsize=4, + ) + ), + n_rollouts=1, + verbose=True, + # save_path=None, + # seed=1, + env_options={"init_position": position}, + # save_config=None, + ) + for k, v in flatten_dict(results[str(position)]).items(): + avg_dict[k] += v + for k, v in avg_dict.items(): + avg_dict[k] = v/len(possible_positions) + results["avg_reward"] = unflatten_dict(dict(avg_dict)) + # avg_position_results = results["avg_reward"] + #TODO: accuracy metric + return data_results['loss'], {'data': data_results, 'sample_env': results} + + + # eval_prng = jax.random.PRNGKey(0) + # eval_round = 0 + # def evaluator(inference: GPT2Inference): + # nonlocal eval_prng + # nonlocal eval_round + + # loss_metrics = eval_loss( + # inference=inference, + # dataset=eval_data, + # prng_key=None, + # bsize=eval_loss_bsize, + # eval_batches=eval_loss_batches, + # ) + + # generation_examples = [] + # with open(convert_path(eval_data_path), 'r') as f: + # for item in jsonl_stream(f): + # if len(generation_examples) >= generation_bsize*generation_batches: + # break + # generation_examples.append(item) + + # eval_prng, new_prng = jax.random.split(eval_prng) + # generation_data = generate_language( + # inference=inference, + # prompts=list(map(lambda x: tokenizer.bos_token+x['in_text'].removeprefix(tokenizer.bos_token), generation_examples)), + # references=list(map(lambda x: x['stockfish_actions'], generation_examples)), + # prng_key=new_prng, + # bsize=generation_bsize, + # generation_batches=generation_batches, + # blocking_strategy=BlockingStrategy( + # padding=Padding.LEFT, + # truncation=Truncation.LEFT, + # max_length=max_input_length + # ), + # generation_config=GenerationConfig( + # max_length=max_input_length+max_output_length, + # do_sample=False, + # num_beams=1, + # pad_token_id=tokenizer.pad_token_id, + # eos_token_id=tokenizer.encode('\n')[0], + # temperature=None, + # top_k=None, + # top_p=None, + # ), + # ) + + # for item in generation_data: + # generation = item['generation'].split('\n', 1)[1].replace(" ", "").strip() + # refs = list(map(lambda x: x.replace(" ", "").strip(), item['reference'])) + # item['parsed_generation'] = generation + # item['refs'] = refs + # item['move_match'] = float(item['parsed_generation'] in item['refs']) + + # if save_dir is not None: + # generations_save_dir = os.path.join(save_dir, 'generations', str(eval_round)) + # if is_main_process: + # create_path(generations_save_dir) + # with open(get_enabled_save_path( + # os.path.join(generations_save_dir, 'generations.json'), + # enabled=is_main_process, + # ), 'w') as f: + # json.dump(generation_data, f) + + # move_accuracy = np.mean(list(map(lambda x: x['move_match'], generation_data))) + + # eval_round += 1 + + # return loss_metrics['loss'], {'loss_metrics': loss_metrics, 'move_accuracy': move_accuracy} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/eval/eval_bayesian_policy.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/eval/eval_bayesian_policy.py new file mode 100755 index 00000000..7100aebd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/eval/eval_bayesian_policy.py @@ -0,0 +1 @@ +policy = BayesianPolicy() \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/gpt4/gpt4_maze.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/gpt4/gpt4_maze.py new file mode 100755 index 00000000..0389cf84 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/gpt4/gpt4_maze.py @@ -0,0 +1,146 @@ +import os +import json +import time +import openai +import jax +import pickle as pkl +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env +from LLM_RL.environment import TextPolicy, TextHistory, Text, text_env_eval +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import create_path +from LLM_RL.utils import convert_path +from IPython import embed +import tiktoken + +openai.api_key = os.getenv("OPENAI_API_KEY") + +data_name = "gcs://rl-llm-bench-dataset-internal/maze/fully_observed_maze_data.jsonl" +# get dataset trajectory +example_game = "" +num_trajectories = 0 +with open(data_name, "r") as f: + for item in f: + obj = json.loads(item) + if len(obj) < 3: + continue + num_trajectories += 1 + for i in range(min(3, len(obj))): + example_game += "environment: " + obj[i]["state"] + "\n" + "action: " + obj[i]["action"] + example_game += "------ \n new game \n ------\n" + if num_trajectories == 1: + break + +SYSTEM_PROMPT = "You are an expert maze solver. You only respond in json." + +MAIN_PROMPT = """\ +Your objective is to reach the goal in as few steps as possible. At each step you will be given information about where the goal is, your current position, +and the walls that surround you. + +When you move right you increase your y position by 1, when you move down you increase your x position by 1. + +Here are some examples. """ + \ +f""" +``` +{example_game} +``` +""" + \ +""" +Your possible actions are ["move up\n", "move up\n", "move left\n", "move right\n"]. + +Now let's start a new game. Return your action in a json array with a key "action", like in the example above. Now, make the optimal action given the current environment state: + +``` +{{game_content}} +``` +""".strip() + + +TOKENIZER = tiktoken.encoding_for_model("gpt-4") +INPUT_TOKEN_COUNT = 0 +OUTPUT_TOKEN_COUNT = 0 + +class GPT4MazePolicy(TextPolicy): + + def __init__(self): + self.prompt = MAIN_PROMPT + + def act(self, text_history: TextHistory) -> TextHistory: + global INPUT_TOKEN_COUNT, OUTPUT_TOKEN_COUNT + game_content = "" + for i, item in enumerate(text_history): + if i % 2 == 1: + game_content += f"action: {item.text}" + else: + game_content += f"environment: {item.text}" + prompt = self.prompt.replace('{{game_content}}', game_content) + print(prompt) + INPUT_TOKEN_COUNT += len(TOKENIZER.encode(prompt)) + while True: + try: + response = openai.ChatCompletion.create( + model="gpt-4", + messages=[ + { + "role": "system", + "content": SYSTEM_PROMPT, + }, + { + "role": "user", + "content": prompt, + }, + ], + temperature=1.0, + max_tokens=1024, + top_p=1, + frequency_penalty=0, + presence_penalty=0, + ) + except openai.OpenAIError as e: + print(e) + time.sleep(10) + continue + break + response_text = response.choices[0].message.content + OUTPUT_TOKEN_COUNT += len(TOKENIZER.encode(response_text)) + print(response_text) + try: + response_json = json.loads(response_text) + except: + response_json = {"action": ""} + print(f"total cost: {compute_cost(INPUT_TOKEN_COUNT, OUTPUT_TOKEN_COUNT)}; total input tokens: {INPUT_TOKEN_COUNT}; total output tokens: {OUTPUT_TOKEN_COUNT}") + return text_history+(Text(response_json['action'].strip() + "\n", True),) +def compute_cost(input_token_count: int, output_token_count: int) -> float: + return ((0.03 * input_token_count) / 1000) + ((0.06 * output_token_count) / 1000) + +if __name__ == "__main__": + N_INTERACTIONS = 25 + OUTPUTS_PATH = "data/outputs/gpt4_maze/fully_observed" + + def text_history_to_str(text_history: TextHistory) -> str: + return '\n'.join(map(lambda x: x.text, text_history)) + + env = setup_maze_env(maze_name="double_t_maze", describe_function="describe_observation_give_position", reward_function="standard_reward", last_k=7) + + policy = GPT4MazePolicy() + + def print_interaction(interaction): + print('='*25) + print(text_history_to_str(interaction[-1].post_transition_history)) + print('='*25) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=N_INTERACTIONS, + interaction_callback=print_interaction, + ) + + print(interaction_summary_results) + + create_path(OUTPUTS_PATH) + with open(os.path.join(OUTPUTS_PATH, 'interactions.pkl'), 'wb') as f: + pkl.dump(interation_raw_results, f) + with open(os.path.join(OUTPUTS_PATH, 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/gpt4/gpt4_po_maze.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/gpt4/gpt4_po_maze.py new file mode 100755 index 00000000..7e8d0d6e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/gpt4/gpt4_po_maze.py @@ -0,0 +1,160 @@ +import os +import json +import time +import openai +import jax +import pickle as pkl +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env +from LLM_RL.environment import TextPolicy, TextHistory, Text, text_env_eval +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import create_path +from LLM_RL.utils import convert_path +from IPython import embed +import tiktoken +import numpy as np +from collections import defaultdict +from flax.traverse_util import flatten_dict, unflatten_dict + +openai.api_key = os.getenv("OPENAI_API_KEY") + +SYSTEM_PROMPT = "You are an expert maze solver. You only respond in json." + +data_name = "gcs://rl-llm-bench-dataset/maze/double_t_maze/double_t_maze_submazes_dialogue_history.jsonl" +# get dataset trajectory +example_game = "" +with open(data_name, "r") as f: + item = f.readline() + obj = json.loads(item) + example_game = " ".join(obj["text_history"]) + +MAIN_PROMPT = f"""\ +Your objective is to reach the goal in as few steps as possible. At each step you will see your move history, and the walls that surround you. + +Here are some examples. +``` +{example_game} + +``` +""" + \ +""" +Your possible actions are "move up\n", "move up\n", "move left\n", "move right\n". + +Now let's start a new game. Return your action in a json array with a key "action", like in the example above. Now, make the optimal action given the current environment state: + +``` +{{game_content}} +``` +""".strip() + + +TOKENIZER = tiktoken.encoding_for_model("gpt-4") +INPUT_TOKEN_COUNT = 0 +OUTPUT_TOKEN_COUNT = 0 + +class GPT4MazePolicy(TextPolicy): + + def __init__(self): + self.prompt = MAIN_PROMPT + + def act(self, text_history: TextHistory) -> TextHistory: + global INPUT_TOKEN_COUNT, OUTPUT_TOKEN_COUNT + game_content = "" + for item in text_history: + game_content += f" {item.text} \n\n" + game_content = game_content.strip() + prompt = self.prompt.replace('{{game_content}}', game_content) + print(prompt) + INPUT_TOKEN_COUNT += len(TOKENIZER.encode(prompt)) + while True: + try: + response = openai.ChatCompletion.create( + model="gpt-4", + messages=[ + { + "role": "system", + "content": SYSTEM_PROMPT, + }, + { + "role": "user", + "content": prompt, + }, + ], + temperature=0.7, + max_tokens=1024, + top_p=1, + frequency_penalty=0, + presence_penalty=0, + ) + except openai.OpenAIError as e: + print(e) + time.sleep(10) + continue + break + response_text = response.choices[0].message.content + OUTPUT_TOKEN_COUNT += len(TOKENIZER.encode(response_text)) + print(response_text) + try: + response_json = json.loads(response_text) + except: + response_json = {"action": ""} + print(f"total cost: {compute_cost(INPUT_TOKEN_COUNT, OUTPUT_TOKEN_COUNT)}; total input tokens: {INPUT_TOKEN_COUNT}; total output tokens: {OUTPUT_TOKEN_COUNT}") + return text_history+(Text(response_json['action'].strip() + "\n", True),) + + +def compute_cost(input_token_count: int, output_token_count: int) -> float: + return ((0.03 * input_token_count) / 1000) + ((0.06 * output_token_count) / 1000) + +if __name__ == "__main__": + OUTPUTS_PATH = "data/outputs/gpt4_maze/partially_observed/" + + def text_history_to_str(text_history: TextHistory) -> str: + return '\n'.join(map(lambda x: x.text, text_history)) + + env = setup_maze_env(maze_name="double_t_maze", + describe_function="describe_observation_only_walls", + reward_function="standard_reward", + last_k=20, + max_steps=100) + + policy = GPT4MazePolicy() + + def print_interaction(interaction): + print('='*25) + print(text_history_to_str(interaction[-1].post_transition_history)) + print('='*25) + + possible_positions = list(zip(*np.where(env.maze==0))) + for goal in env.valid_goals: + possible_positions.remove(tuple(goal.tolist())) + + + interactions = dict() + results = dict() + avg_dict = defaultdict(float) + for position in possible_positions: + position = tuple(position) + interactions[str(position)], results[str(position)] = text_env_eval( + env=env, + policy=policy, + n_rollouts=1, + verbose=True, + env_options={"init_position": position}, + bsize=1, + ) + for k, v in flatten_dict(results[str(position)]).items(): + avg_dict[k] += v + for k, v in avg_dict.items(): + avg_dict[k] = v/len(possible_positions) + results["avg_reward"] = unflatten_dict(dict(avg_dict)) + + + + print(results) + + create_path(OUTPUTS_PATH) + with open(os.path.join(OUTPUTS_PATH, 'interactions.pkl'), 'wb') as f: + pkl.dump(interactions, f) + with open(os.path.join(OUTPUTS_PATH, 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), results), f) + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/human_eval/fully_observed_human_eval.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/human_eval/fully_observed_human_eval.py new file mode 100755 index 00000000..ee7d1dac --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/human_eval/fully_observed_human_eval.py @@ -0,0 +1,84 @@ +import os +import json +import time +import jax +import pickle as pkl +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env +from llm_rl_scripts.maze.env.policies import UserPolicy +from LLM_RL.environment import TextHistory, text_env_eval +from llm_rl_scripts.wordle.env.game import Vocabulary +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import create_path +from LLM_RL.utils import convert_path +from IPython import embed + + +YOUR_NAME = input("Enter your name: ").strip() + +data_name = "gcs://rl-llm-bench-dataset-internal/maze/fully_observed_maze_data.jsonl" +# get dataset trajectory +example_game = "" +with open(data_name, "r") as f: + item = f.readline() + obj = json.loads(item) + example_game = obj[0]["state"] + "\n" + obj[0]["action"] + +INTRO_TEXT = f"""\ +Your objective is to reach the goal in as few steps as possible. At each step you will be given information about where the goal is, your current position, +and the walls that surround you. + +When you move right you increase your y position by 1, when you move down you increase your x position by 1. + +Here is an example. +``` +{example_game} + +``` + +Your possible actions are ["move up\n", "move down\n", "move left\n", "move right\n"]. + +You can type 'w' to go up, 'd' to go right, 's' to go down, and 'a' to go left. + +""".strip() + + + +if __name__ == "__main__": + N_INTERACTIONS = int(input("Enter number of trials: ")) + OUTPUTS_PATH = f"data/outputs/maze/human_eval/fully_observed/user_interactions_{YOUR_NAME}_test1_temp/" + + def text_history_to_str(text_history: TextHistory) -> str: + return '\n'.join(map(lambda x: x.text, text_history)) + + env = setup_maze_env(maze_name="double_t_maze", describe_function="describe_observation_give_position", reward_function="standard_reward", last_k=40) + + policy = UserPolicy() + + def print_interaction(interaction): + if interaction[-1].reward == 0: + print('YOU WON!') + else: + print('YOU LOST :(') + + print() + print('='*25) + print(INTRO_TEXT) + print('='*25) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=N_INTERACTIONS, + interaction_callback=print_interaction, + ) + + print(interaction_summary_results) + + create_path(OUTPUTS_PATH) + with open(os.path.join(OUTPUTS_PATH, 'interactions.pkl'), 'wb') as f: + pkl.dump(interation_raw_results, f) + with open(os.path.join(OUTPUTS_PATH, 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/human_eval/partially_observed_human_eval.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/human_eval/partially_observed_human_eval.py new file mode 100755 index 00000000..27fffcb4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/human_eval/partially_observed_human_eval.py @@ -0,0 +1,83 @@ +import os +import json +import time +import jax +import pickle as pkl +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env +from llm_rl_scripts.maze.env.policies import UserPolicy +from LLM_RL.environment import TextHistory, text_env_eval +from llm_rl_scripts.wordle.env.game import Vocabulary +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import create_path +from LLM_RL.utils import convert_path +from IPython import embed + +YOUR_NAME = input("Enter your name: ").strip() + +data_name = "gcs://rl-llm-bench-dataset-internal/maze/partially_observed_maze_data.jsonl" +# get dataset trajectory +example_game = "" +with open(data_name, "r") as f: + item = f.readline() + obj = json.loads(item) + example_game = " ".join(obj["text_history"]) + +INTRO_TEXT = f"""\ +Your objective is to reach the goal in as few steps as possible. At each step you will be given information about where the goal is, your current position, +and the walls that surround you. + +When you move right you increase your y position by 1, when you move down you increase your x position by 1. + +Here are some examples. +``` +{example_game} + +``` + +Your possible actions are ["move up\n", "move down\n", "move left\n", "move right\n"]. + +You can type 'w' to go up, 'd' to go right, 's' to go down, and 'a' to go left. + +""".strip() + + + +if __name__ == "__main__": + N_INTERACTIONS = int(input("Enter number of trials: ")) + OUTPUTS_PATH = f"data/outputs/maze/double_t_maze/partially_observed/user_interactions_{YOUR_NAME}_test1_temp/" + + def text_history_to_str(text_history: TextHistory) -> str: + return '\n'.join(map(lambda x: x.text, text_history)) + + env = setup_maze_env(maze_name="double_t_maze", describe_function="describe_observation_only_walls", reward_function="standard_reward", last_k=40) + + policy = UserPolicy() + + def print_interaction(interaction): + if interaction[-1].reward == 0: + print('YOU WON!') + else: + print('YOU LOST :(') + + print() + print('='*25) + print(INTRO_TEXT) + print('='*25) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=N_INTERACTIONS, + interaction_callback=print_interaction, + ) + + print(interaction_summary_results) + + create_path(OUTPUTS_PATH) + with open(os.path.join(OUTPUTS_PATH, 'interactions.pkl'), 'wb') as f: + pkl.dump(interation_raw_results, f) + with open(os.path.join(OUTPUTS_PATH, 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ilql/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ilql/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ilql/eval_ilql.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ilql/eval_ilql.py new file mode 100755 index 00000000..f17a8b2d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ilql/eval_ilql.py @@ -0,0 +1,286 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +import os +from JaxSeq.models.gpt2.interface import GPT2InferenceMask +from JaxSeq.models.gpt2.load import ModelLoadMode, load_params +import pickle as pkl +import json +from transformers.generation import GenerationConfig +from LLM_RL.environment import text_env_eval +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env, maze_solver +from collections import defaultdict +import numpy as np +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerSamplePolicy, ReRankerPolicy +from llm_rl_scripts.maze.env.env import maze_proposal_function +from flax.traverse_util import flatten_dict, unflatten_dict +from LLM_RL.environment import Text +from llm_rl_scripts.maze.env.env import describe_observation_give_position +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_params as load_head_params +from LLM_RL.algorithms.ilql.gpt2.score_fn import build_ilql_score_fn + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + pi_beta_load_mode: ModelLoadMode, + pi_beta_load_path: str, + + /, # Mark the end of positional arguments. + + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + bf16_activations: bool=False, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + policy_beta: float=16.0, + + maze_name:str="double_t_maze", + describe_function:str="describe_observation_give_position", + maze_last_k: int=1, + maze_reward_function: str="standard_reward", + + do_accuracy_eval: bool=True, + do_reward_eval: bool=True, + use_reranker_for_reward_eval: bool=False, + + force_pad_embeddings: bool=False, +): + assert model_load_mode != ModelLoadMode.HF + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + env = setup_maze_env( + maze_name=maze_name, + describe_function=describe_function, + reward_function=maze_reward_function, + last_k=maze_last_k, + ) + possible_positions = list(zip(*np.where(env.maze==0))) + for goal in env.valid_goals: + possible_positions.remove(tuple(goal.tolist())) + optimal_policy = maze_solver(1-env.maze, list(map(tuple, env.valid_goals.tolist()))) + + pi_beta_prng_key = jax.random.PRNGKey(0) + pi_beta_params, _ = load_params( + model_load_mode=pi_beta_load_mode, + model_load_path=convert_path(pi_beta_load_path) if pi_beta_load_mode != ModelLoadMode.HF else pi_beta_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=pi_beta_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + base_prng_key = jax.random.PRNGKey(0) + base_params, base_model = load_params( + model_load_mode=model_load_mode, + model_load_path=convert_path(os.path.join(model_load_path, 'base')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=base_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + q1_head_params, q_head = load_head_params( + model_load_mode=model_load_mode.value, + model_load_path=convert_path(os.path.join(model_load_path, 'q1_head')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + mesh=mesh, + prng_key=jax.random.PRNGKey(0), + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + q2_head_params, _ = load_head_params( + model_load_mode=model_load_mode.value, + model_load_path=convert_path(os.path.join(model_load_path, 'q2_head')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + mesh=mesh, + prng_key=jax.random.PRNGKey(0), + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + v_head_params, v_head = load_head_params( + model_load_mode=model_load_mode.value, + model_load_path=convert_path(os.path.join(model_load_path, 'v_head')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + mesh=mesh, + prng_key=jax.random.PRNGKey(0), + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + inference = GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_params, + q1_head_params=q1_head_params, + q2_head_params=q2_head_params, + v_head_params=v_head_params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + beta=policy_beta, + dp_shard_logits=True, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + + all_results = dict() + interactions = dict() + + if do_reward_eval: + if use_reranker_for_reward_eval: + if policy_do_sample: + policy = ReRankerSamplePolicy( + proposal_fn=maze_proposal_function, + score_fn=build_ilql_score_fn( + inference=inference, + pi_beta_inference=None, + tokenizer=tokenizer, + max_length=policy_max_input_length+policy_max_output_length, + value_weight=1.0, + logit_weight=None, + bsize=policy_bsize, + ), + ) + else: + policy = ReRankerPolicy( + proposal_fn=maze_proposal_function, + score_fn=build_ilql_score_fn( + inference=inference, + pi_beta_inference=None, + tokenizer=tokenizer, + max_length=policy_max_input_length+policy_max_output_length, + value_weight=1.0, + logit_weight=None, + bsize=policy_bsize, + ), + ) + else: + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + results = dict() + avg_dict = defaultdict(float) + for position in possible_positions: + position = tuple(position) + interactions[str(position)], results[str(position)] = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, # do multiple, also do no sampling policy + verbose=True, + env_options={"init_position": position}, + bsize=policy_bsize, + ) + for k, v in flatten_dict(results[str(position)]).items(): + avg_dict[k] += v + for k, v in avg_dict.items(): + avg_dict[k] = v/len(possible_positions) + results["avg_reward"] = unflatten_dict(dict(avg_dict)) + + all_results["reward_eval"] = results + + if do_accuracy_eval: + results = dict() + policy = ReRankerPolicy( + proposal_fn=maze_proposal_function, + score_fn=build_ilql_score_fn( + inference=inference, + pi_beta_inference=None, + tokenizer=tokenizer, + max_length=policy_max_input_length+policy_max_output_length, + value_weight=1.0, + logit_weight=None, + bsize=policy_bsize, + ), + ) + + num_correct = 0 + for position in possible_positions: + print(position, num_correct) + env.position = position + observation = describe_observation_give_position(env.maze, position, env.goal) + text_history = (Text(observation, False),) + output = policy.act(text_history) + prediction = output[-1].text + + if prediction.lower().strip() == optimal_policy[tuple(position)].lower().strip(): + num_correct += 1 + results[str(position)] = True + else: + results[str(position)] = False + + move_accuracy = num_correct/len(possible_positions) + results["avg_accuracy"] = move_accuracy + + all_results["move_accuracy"] = results + + if outputs_path is not None: + create_path(outputs_path) + if do_reward_eval: + with open(os.path.join(outputs_path, 'interactions.pkl'), 'wb') as f: + pkl.dump(interactions, f) + with open(os.path.join(outputs_path, 'results.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), all_results), f) + + return all_results + + print(evaluator( + inference=inference, + )) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ilql/partially_oberved_ilql_example_data_loading.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ilql/partially_oberved_ilql_example_data_loading.py new file mode 100755 index 00000000..1be4d2c0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ilql/partially_oberved_ilql_example_data_loading.py @@ -0,0 +1,81 @@ +from JaxSeq.bucket_manager import open_with_bucket as open +import json +from LLM_RL.environment import Text, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain +from tqdm.auto import tqdm +import random +from transformers import GPT2TokenizerFast +from LLM_RL.algorithms.ilql.data import ILQLData + +if __name__ == "__main__": + tokenizer = GPT2TokenizerFast.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + PATH = "put your path here" + STEPS_BACK = 10 # maximum number of steps back to look + EVAL_FRAC = 0.1 # fraction of data to use for evaluation + + all_items = [] + with open(PATH, "r") as f: + for line in tqdm(f): + all_items.append(json.loads(line)) + # create splits + random.seed(0) + random.shuffle(all_items) + train_items = all_items[int(len(all_items)*EVAL_FRAC):] + eval_items = all_items[:int(len(all_items)*EVAL_FRAC)] + + # code to load chains + def chains_from_item(items): + trajectories = [] + for i in range(1, len(item['text_history']), 2): + text_trajectory = TextTrajectory( + [ + Text(''.join(item['text_history'][max(0, i-STEPS_BACK):i]), False), + Text(item['text_history'][i], True), + ], + [0.0, item['rewards'][i]], + item['dones'][i], + ) + trajectories.append(text_trajectory) + + chains = [] + curr_chain = None + for i in range(len(trajectories)-1, -1, -1): + curr_chain = TextTrajectoryChain(trajectories[i], curr_chain) + if i == len(trajectories)-1: + # handles special case of having None in last trajectory + chains.append(TextTrajectoryChain(trajectories[i], TextTrajectoryChain(trajectories[i], None))) + else: + chains.append(curr_chain) + return chains + + # load train / eval chains seperately + train_chains = [] + for item in tqdm(train_items): + train_chains.extend(chains_from_item(item)) + + eval_chains = [] + for item in tqdm(eval_items): + eval_chains.extend(chains_from_item(item)) + + # use iterable class so that we can perform multiple epochs + class ILQLDataIterable: + def __init__(self, chains): + self.chains = chains + + def __iter__(self): + def ilql_data_generator(chains): + for chain in chains: + token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(chain, tokenizer) + yield ILQLData.from_token_trajectory_chain(token_trajectory_chain) + # IMPORTANT: reshuffle data before each epoch to decorelate batch + shuffle_idxs = list(range(len(self.chains))) + random.shuffle(shuffle_idxs) + shuffled_chains = [self.chains[i] for i in shuffle_idxs] + return ilql_data_generator(shuffled_chains) + + # example of iterating through the data + train_iterable = ILQLDataIterable(train_chains) + for item in train_iterable: + print(item) + break diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ilql/partially_observed_ilql.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ilql/partially_observed_ilql.py new file mode 100755 index 00000000..f5c9f66f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ilql/partially_observed_ilql.py @@ -0,0 +1,581 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ilql.base_interface import ilql_loss +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain +from LLM_RL.algorithms.ilql.gpt2.interface import GPT2ILQLTrain, GPT2ILQLInference +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.mlp_head import MLPHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ilql.data import ILQLIterableDataset +from functools import partial +import numpy as np +import json +from LLM_RL.algorithms.ilql.train import eval_loss, train_loop +from LLM_RL.algorithms.ilql.data import ILQLData, ILQLIterableDataset +from JaxSeq.utils import multihost_device_get +from transformers import GPT2TokenizerFast +from IPython import embed +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env, pick_start_position +from llm_rl_scripts.maze.env.mazes import double_t_maze +from llm_rl_scripts.maze.env.env import maze_proposal_function +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerPolicy, ReRankerSamplePolicy +from LLM_RL.algorithms.ilql.gpt2.score_fn import build_ilql_score_fn +import random +from tqdm.auto import tqdm +from JaxSeq.optimizers import GPT3Optimizer + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]="llm_rl_repo_give_position_ilql", + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-4, + weight_decay: float=0.0, + tau: float=0.95, + cql_weight: float=0.0, + gamma: float=0.99, + + train_bsize: int=32, + grad_accum_steps: int=1, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=328, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=10, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=5, + save_at_beginning: bool=False, + save_at_end: bool=True, + save_best: bool=False, + max_checkpoints: Optional[int]=5, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + reranker: bool=True +): + input_args = locals() + print(input_args) + + tokenizer = GPT2TokenizerFast.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + PATH = train_data_path + STEPS_BACK = 40 # maximum number of steps back to look + EVAL_FRAC = 0.1 # fraction of data to use for evaluation + + all_items = [] + with open(PATH, "r") as f: + for line in tqdm(f): + all_items.append(json.loads(line)) + # create splits + random.seed(0) + random.shuffle(all_items) + train_items = all_items[int(len(all_items)*EVAL_FRAC):] + eval_items = all_items[:int(len(all_items)*EVAL_FRAC)] + + # code to load chains + def chains_from_item(items): + trajectories = [] + for i in range(1, len(item['text_history']), 2): + text_trajectory = TextTrajectory( + [ + Text(''.join(item['text_history'][max(0, i-STEPS_BACK):i]), False), + Text(item['text_history'][i], True), + ], + [0.0, item['rewards'][i]], + item['dones'][i], + ) + trajectories.append(text_trajectory) + + chains = [] + curr_chain = None + for i in range(len(trajectories)-1, -1, -1): + curr_chain = TextTrajectoryChain(trajectories[i], curr_chain) + if i == len(trajectories)-1: + # handles special case of having None in last trajectory + chains.append(TextTrajectoryChain(trajectories[i], TextTrajectoryChain(trajectories[i], None))) + else: + chains.append(curr_chain) + return chains + + # load train / eval chains seperately + train_chains = [] + for item in tqdm(train_items): + train_chains.extend(chains_from_item(item)) + + eval_chains = [] + for item in tqdm(eval_items): + eval_chains.extend(chains_from_item(item)) + + # use iterable class so that we can perform multiple epochs + class ILQLDataIterable: + def __init__(self, chains): + self.chains = chains + + def __iter__(self): + def ilql_data_generator(chains): + for chain in chains: + token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(chain, tokenizer) + yield ILQLData.from_token_trajectory_chain(token_trajectory_chain) + # IMPORTANT: reshuffle data before each epoch to decorelate batch + shuffle_idxs = list(range(len(self.chains))) + random.shuffle(shuffle_idxs) + shuffled_chains = [self.chains[i] for i in shuffle_idxs] + return ilql_data_generator(shuffled_chains) + + # example of iterating through the data + train_iterable = ILQLDataIterable(train_chains) + dataset = ILQLIterableDataset.from_ilql_data_iterable(train_iterable, tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + )) + eval_iterable = ILQLDataIterable(eval_chains) + eval_dataset = ILQLIterableDataset.from_ilql_data_iterable(eval_iterable, tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + )) + + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def model_load_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_\d+'\]", re.escape("['bias']")]), + "".join([r"\['ln_\d+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=0.0001, + end_lr=0.0001, + lr=lr, + lr_warmup_steps=1, + lr_decay_steps=2, + weight_decay=weight_decay, + bf16_momentum=False, + multiply_by_parameter_scale=True, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.float32, + optim_getter=model_load_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + # base_train_state.config.gradient_checkpointing = gradient_checkpointing + # base_train_state.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + target_base_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + target_base_params = shard_params_from_params( + model=base_model, + params=target_base_params, + ) + with jax.default_device(jax.devices('cpu')[0]): + pi_beta_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + pi_beta_params = shard_params_from_params( + model=base_model, + params=pi_beta_params, + ) + + q1_prng_key = jax.random.PRNGKey(4) + q1_head_train_state, q_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q1_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q1_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q1_head_train_state.params, + ) + q1_target_head_params = shard_params_from_params( + model=q_head, + params=q1_target_head_params, + ) + + q2_prng_key = jax.random.PRNGKey(5) + q2_head_train_state, _ = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q2_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q2_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q2_head_train_state.params, + ) + q2_target_head_params = shard_params_from_params( + model=q_head, + params=q2_target_head_params, + ) + + v_prng_key = jax.random.PRNGKey(6) + v_head_train_state, v_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=1, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=v_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(ilql_loss, gamma=gamma, tau=tau, cql_weight=cql_weight) + + train = GPT2ILQLTrain.load_train( + base_train_state=base_train_state, + target_base_params=target_base_params, + q1_head_train_state=q1_head_train_state, + q2_head_train_state=q2_head_train_state, + v_head_train_state=v_head_train_state, + q1_target_head_params=q1_target_head_params, + q2_target_head_params=q2_target_head_params, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q1=False, + detach_q2=False, + detach_v=False, + polyak_alpha=0.005, + hard_update_every=None, + ) + + inference = GPT2ILQLInference.load_inference( + GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q1_head_params=q1_head_train_state.params, + q2_head_params=q2_head_train_state.params, + v_head_params=v_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + beta=8.0, + dp_shard_logits=True, + ), + GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=target_base_params, + q1_head_params=q1_target_head_params, + q2_head_params=q2_target_head_params, + v_head_params=None, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=None, + tokenizer=tokenizer, + beta=8.0, + dp_shard_logits=True, + ), + loss_fn, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + print(save_dir) + if save_dir is None: + embed() + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPT2ILQLInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + # embed() + if reranker: + sample_policy = ReRankerSamplePolicy( + proposal_fn=maze_proposal_function, + score_fn=build_ilql_score_fn( + inference=inference, + pi_beta_inference=None, + tokenizer=tokenizer, + max_length=max_length, + value_weight=1.0, + logit_weight=None, + bsize=4, + ) + ) + + policy = ReRankerPolicy( + proposal_fn=maze_proposal_function, + score_fn=build_ilql_score_fn( + inference=inference, + pi_beta_inference=None, + tokenizer=tokenizer, + max_length=max_length, + value_weight=1.0, + logit_weight=None, + bsize=4, + ) + ) + else: + sample_policy = GPT2ValuePolicy( + inference=inference.value_inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=True, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + policy = GPT2ValuePolicy( + inference=inference.value_inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=False, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + maze_name = "double_t_maze" + describe_function = "describe_observation_only_walls" + reward_function = "standard_reward" + + env = setup_maze_env(maze_name=maze_name, describe_function=describe_function, reward_function=reward_function, last_k=STEPS_BACK) + start_position = pick_start_position(maze_name=maze_name) + + data_results = eval_loss( + inference=inference, + dataset=eval_dataset, + prng_key=jax.random.PRNGKey(1), + bsize=4, + eval_batches=64, + ) + maze = double_t_maze() + possible_positions = list(zip(*np.where(maze==0))) + possible_positions.remove((8, 6)) + # possible_positions = [(1, 1)] + + with mesh: + _, avg_results = text_env_eval( + env=env, + policy=sample_policy, + n_rollouts=32, + verbose=True, + bsize=32, + ) + _, heldout_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=8, + verbose=True, + env_options={"init_position": start_position}, + bsize=8, + ) + results = {"avg": avg_results, "heldout": heldout_results} + # avg_position_results = results["avg_reward"] + #TODO: accuracy metric + return data_results['losses']["total_loss"], {'data': data_results, 'sample_env': results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=dataset, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ilql/train_ilql.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ilql/train_ilql.py new file mode 100755 index 00000000..ad56786c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ilql/train_ilql.py @@ -0,0 +1,554 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ilql.base_interface import ilql_loss +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain, text_history_to_str +from LLM_RL.algorithms.ilql.gpt2.interface import GPT2ILQLTrain, GPT2ILQLInference +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.mlp_head import MLPHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ilql.data import ILQLDataset +from functools import partial +import numpy as np +from JaxSeq.logs import log, pull_logs +import json +from LLM_RL.algorithms.ilql.train import train_loop +from LLM_RL.algorithms.ilql.data import ILQLData, ILQLDataset +from JaxSeq.utils import multihost_device_get +from transformers import GPT2TokenizerFast +from IPython import embed +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env, pick_start_position +from llm_rl_scripts.maze.env.mazes import double_t_maze_optimal_directions, double_t_maze +from llm_rl_scripts.maze.env.env import describe_observation_give_position, maze_proposal_function +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerPolicy, ReRankerSamplePolicy +from LLM_RL.algorithms.ilql.gpt2.score_fn import build_ilql_score_fn +import random + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]="llm_rl_repo_give_position_ilql", + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-4, + weight_decay: float=0.0, + tau: float=0.95, + cql_weight: float=0.0, + gamma: float=0.99, + + train_bsize: int=32, + grad_accum_steps: int=1, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=80, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=10, + eval_at_beginning: bool=True, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=5, + save_at_beginning: bool=False, + save_at_end: bool=True, + save_best: bool=False, + max_checkpoints: Optional[int]=5, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + reranker: bool=True +): + input_args = locals() + print(input_args) + + tokenizer = GPT2TokenizerFast.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def ilql_data_generator(data_name): + with open(data_name, "r") as f: + for item in f: + obj = json.loads(item) + # starting with the last element + last_trajectory = TextTrajectory([Text(obj[-1]["state"], False), Text(obj[-1]["action"], True)], + [0, obj[-1]["reward"]], True) + curr_chain = TextTrajectoryChain(text_trajectory=last_trajectory, next=None) + # curr_chain.next = curr_chain + for traj in reversed(obj): # iterate through move history backwards except for last transition + # embed() + prev_trajectory = TextTrajectory([Text(traj["state"], False), Text(traj["action"], True)], + [0, traj["reward"]], traj["done"]) + curr_chain = TextTrajectoryChain(text_trajectory=prev_trajectory, next=curr_chain) + token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(curr_chain, tokenizer) + while token_trajectory_chain.next is not None: + yield ILQLData.from_token_trajectory_chain(token_trajectory_chain) + token_trajectory_chain = token_trajectory_chain.next + + ilql_data_lst = list(ilql_data_generator(train_data_path)) + random.shuffle(ilql_data_lst) + + dataset = ILQLDataset.from_ilql_data_list(ilql_data_lst, tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + )) + + # dataset = ILQLIterableDataset.from_ilql_data_iterable(ilql_data_generator(train_data_path), tokenizer, + # BlockingStrategy( + # padding=Padding.RIGHT, + # truncation=Truncation.RIGHT, + # max_length=max_length, + # )) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + # base_train_state.config.gradient_checkpointing = gradient_checkpointing + # base_train_state.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + target_base_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + target_base_params = shard_params_from_params( + model=base_model, + params=target_base_params, + ) + with jax.default_device(jax.devices('cpu')[0]): + pi_beta_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + pi_beta_params = shard_params_from_params( + model=base_model, + params=pi_beta_params, + ) + + q1_prng_key = jax.random.PRNGKey(4) + q1_head_train_state, q_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q1_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q1_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q1_head_train_state.params, + ) + q1_target_head_params = shard_params_from_params( + model=q_head, + params=q1_target_head_params, + ) + + q2_prng_key = jax.random.PRNGKey(5) + q2_head_train_state, _ = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q2_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q2_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q2_head_train_state.params, + ) + q2_target_head_params = shard_params_from_params( + model=q_head, + params=q2_target_head_params, + ) + + v_prng_key = jax.random.PRNGKey(6) + v_head_train_state, v_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=1, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=v_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(ilql_loss, gamma=gamma, tau=tau, cql_weight=cql_weight) + + train = GPT2ILQLTrain.load_train( + base_train_state=base_train_state, + target_base_params=target_base_params, + q1_head_train_state=q1_head_train_state, + q2_head_train_state=q2_head_train_state, + v_head_train_state=v_head_train_state, + q1_target_head_params=q1_target_head_params, + q2_target_head_params=q2_target_head_params, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q1=False, + detach_q2=False, + detach_v=False, + polyak_alpha=0.005, + hard_update_every=None, + ) + + # value_rl_inference = GPT2ValueRLInference.load_inference( + # pi_beta_params=pi_beta_params, + # base_params=base_train_state.params, + # q1_head_params=q1_head_train_state.params, + # q2_head_params=q2_head_train_state.params, + # v_head_params=v_head_train_state.params, + # pi_beta_model=base_model, + # base_model=base_model, + # q_head_model=q_head, + # v_head_model=v_head, + # tokenizer=tokenizer, + # beta=128.0, + # dp_shard_logits=True, + # ) + + # target_value_rl_inference = GPT2ValueRLInference.load_inference( + # pi_beta_params=pi_beta_params, + # base_params=target_base_params, + # q1_head_params=q1_target_head_params, + # q2_head_params=q2_target_head_params, + # v_head_params=v_head_train_state.params, + # pi_beta_model=base_model, + # base_model=base_model, + # q_head_model=q_head, + # v_head_model=v_head, + # tokenizer=tokenizer, + # beta=128.0, + # dp_shard_logits=True, + # ) + + # inference = GPT2ILQLInference.load_inference(value_rl_inference, target_value_rl_inference, loss_fn) + inference = GPT2ILQLInference.load_inference( + GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q1_head_params=q1_head_train_state.params, + q2_head_params=q2_head_train_state.params, + v_head_params=v_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + beta=8.0, + dp_shard_logits=True, + ), + GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=target_base_params, + q1_head_params=q1_target_head_params, + q2_head_params=q2_target_head_params, + v_head_params=None, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=None, + tokenizer=tokenizer, + beta=8.0, + dp_shard_logits=True, + ), + loss_fn, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + print(save_dir) + if save_dir is None: + embed() + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPT2ILQLInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + # embed() + if reranker: + sample_policy = ReRankerSamplePolicy( + proposal_fn=maze_proposal_function, + score_fn=build_ilql_score_fn( + inference=inference, + pi_beta_inference=None, + tokenizer=tokenizer, + max_length=80, + value_weight=1.0, + logit_weight=None, + bsize=4, + ) + ) + + policy = ReRankerPolicy( + proposal_fn=maze_proposal_function, + score_fn=build_ilql_score_fn( + inference=inference, + pi_beta_inference=None, + tokenizer=tokenizer, + max_length=80, + value_weight=1.0, + logit_weight=None, + bsize=4, + ) + ) + else: + sample_policy = GPT2ValuePolicy( + inference=inference.value_inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=True, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + policy = GPT2ValuePolicy( + inference=inference.value_inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=False, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + maze_name = "double_t_maze" + describe_function = "describe_observation_give_position" + reward_function = "standard_reward" + + env = setup_maze_env(maze_name=maze_name, describe_function=describe_function, reward_function=reward_function) + start_position = pick_start_position(maze_name=maze_name) + + maze = double_t_maze() + goal = (8, 6) + correct_answers = double_t_maze_optimal_directions() + positions = np.argwhere(maze == 0).tolist() # note make sure to set temperature to 0 + with mesh: + num_correct = 0 + for position in positions: + env.position = position + observation = describe_observation_give_position(maze, position, env.goal) + text_history = (Text(observation, False),) + # embed() + if reranker: + output = policy.act(text_history) + prediction = output[-1].text + else: + output = policy.act([text_history], done=[False]) + prediction = output[-1][-1].text + # output = policy.act(text_history) + # prediction = output[-1].text + if position[0] == goal[0] and position[1] == goal[1]: + continue + if prediction == correct_answers[tuple(position)]: + num_correct += 1 + print("correct!", observation, position, prediction, correct_answers[tuple(position)]) + else: + print("incorrect!", observation, position, prediction, correct_answers[tuple(position)]) + accuracy = num_correct/(len(positions)-1)*100 + print("Accuracy: ", accuracy) + with mesh: + raw_results, summary_results = text_env_eval( + env=env, + policy=sample_policy, + n_rollouts=16, + bsize=16, + env_options={"init_position": start_position}, + ) + + for item in raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + logs = pull_logs(summary_results) + log({"sample": logs, "move_accuracy": accuracy}, use_wandb and is_main_process) + + return float('inf'), logs + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=dataset, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/mc_returns/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/mc_returns/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/mc_returns/eval_mc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/mc_returns/eval_mc.py new file mode 100755 index 00000000..085461d8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/mc_returns/eval_mc.py @@ -0,0 +1,268 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +import os +from JaxSeq.models.gpt2.interface import GPT2InferenceMask +from JaxSeq.models.gpt2.load import ModelLoadMode, load_params +import pickle as pkl +import json +from transformers.generation import GenerationConfig +from LLM_RL.environment import text_env_eval +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env, maze_solver +from collections import defaultdict +import numpy as np +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerSamplePolicy, ReRankerPolicy +from llm_rl_scripts.maze.env.env import maze_proposal_function +from flax.traverse_util import flatten_dict, unflatten_dict +from LLM_RL.environment import Text +from llm_rl_scripts.maze.env.env import describe_observation_give_position +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_params as load_head_params +from LLM_RL.algorithms.mc_returns.score_fn import build_mc_score_fn + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + pi_beta_load_mode: ModelLoadMode, + pi_beta_load_path: str, + + /, # Mark the end of positional arguments. + + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + bf16_activations: bool=False, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + policy_beta: float=16.0, + + maze_name:str="double_t_maze", + describe_function:str="describe_observation_give_position", + maze_last_k: int=1, + maze_reward_function: str="standard_reward", + + do_accuracy_eval: bool=True, + do_reward_eval: bool=True, + use_reranker_for_reward_eval: bool=False, + + force_pad_embeddings: bool=False, +): + assert model_load_mode != ModelLoadMode.HF + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + env = setup_maze_env( + maze_name=maze_name, + describe_function=describe_function, + reward_function=maze_reward_function, + last_k=maze_last_k, + ) + possible_positions = list(zip(*np.where(env.maze==0))) + for goal in env.valid_goals: + possible_positions.remove(tuple(goal.tolist())) + optimal_policy = maze_solver(1-env.maze, list(map(tuple, env.valid_goals.tolist()))) + + pi_beta_prng_key = jax.random.PRNGKey(0) + pi_beta_params, _ = load_params( + model_load_mode=pi_beta_load_mode, + model_load_path=convert_path(pi_beta_load_path) if pi_beta_load_mode != ModelLoadMode.HF else pi_beta_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=pi_beta_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + base_prng_key = jax.random.PRNGKey(0) + base_params, base_model = load_params( + model_load_mode=model_load_mode, + model_load_path=convert_path(os.path.join(model_load_path, 'base')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=base_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + q_head_params, q_head = load_head_params( + model_load_mode=model_load_mode.value, + model_load_path=convert_path(os.path.join(model_load_path, 'q_head')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + mesh=mesh, + prng_key=jax.random.PRNGKey(0), + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + inference = GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_params, + q1_head_params=q_head_params, + q2_head_params=None, + v_head_params=None, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=None, + tokenizer=tokenizer, + beta=policy_beta, + dp_shard_logits=True, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + + all_results = dict() + interactions = dict() + + if do_reward_eval: + if use_reranker_for_reward_eval: + if policy_do_sample: + policy = ReRankerSamplePolicy( + proposal_fn=maze_proposal_function, + score_fn=build_mc_score_fn( + inference=inference, + pi_beta_inference=None, + tokenizer=tokenizer, + max_length=policy_max_input_length+policy_max_output_length, + value_weight=1.0, + logit_weight=None, + bsize=policy_bsize, + ), + ) + else: + policy = ReRankerPolicy( + proposal_fn=maze_proposal_function, + score_fn=build_mc_score_fn( + inference=inference, + pi_beta_inference=None, + tokenizer=tokenizer, + max_length=policy_max_input_length+policy_max_output_length, + value_weight=1.0, + logit_weight=None, + bsize=policy_bsize, + ), + ) + else: + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + results = dict() + avg_dict = defaultdict(float) + for position in possible_positions: + position = tuple(position) + interactions[str(position)], results[str(position)] = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, # do multiple, also do no sampling policy + verbose=True, + env_options={"init_position": position}, + bsize=policy_bsize, + ) + for k, v in flatten_dict(results[str(position)]).items(): + avg_dict[k] += v + for k, v in avg_dict.items(): + avg_dict[k] = v/len(possible_positions) + results["avg_reward"] = unflatten_dict(dict(avg_dict)) + + all_results["reward_eval"] = results + + if do_accuracy_eval: + results = dict() + policy = ReRankerPolicy( + proposal_fn=maze_proposal_function, + score_fn=build_mc_score_fn( + inference=inference, + pi_beta_inference=None, + tokenizer=tokenizer, + max_length=policy_max_input_length+policy_max_output_length, + value_weight=1.0, + logit_weight=None, + bsize=policy_bsize, + ), + ) + + num_correct = 0 + for position in possible_positions: + print(position, num_correct) + env.position = position + observation = describe_observation_give_position(env.maze, position, env.goal) + text_history = (Text(observation, False),) + output = policy.act(text_history) + prediction = output[-1].text + + if prediction.lower().strip() == optimal_policy[tuple(position)].lower().strip(): + num_correct += 1 + results[str(position)] = True + else: + results[str(position)] = False + + move_accuracy = num_correct/len(possible_positions) + results["avg_accuracy"] = move_accuracy + + all_results["move_accuracy"] = results + + if outputs_path is not None: + create_path(outputs_path) + if do_reward_eval: + with open(os.path.join(outputs_path, 'interactions.pkl'), 'wb') as f: + pkl.dump(interactions, f) + with open(os.path.join(outputs_path, 'results.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), all_results), f) + + return all_results + + print(evaluator( + inference=inference, + )) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/mc_returns/partially_observed_mc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/mc_returns/partially_observed_mc.py new file mode 100755 index 00000000..79df0401 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/mc_returns/partially_observed_mc.py @@ -0,0 +1,480 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain +from LLM_RL.algorithms.mc_returns.data import MCData +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy +from LLM_RL.heads.mlp_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.mlp_head import MLPHeadConfig +from LLM_RL.algorithms.mc_returns.gpt2.interface import GPT2MCTrain, GPT2MCInference +from functools import partial +import numpy as np +import json +from transformers import GPT2TokenizerFast +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env, pick_start_position +from llm_rl_scripts.maze.env.mazes import double_t_maze +from llm_rl_scripts.maze.env.env import maze_proposal_function +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerPolicy, ReRankerSamplePolicy +from JaxSeq.shard_model import copy_sharded_pytree +import random +from LLM_RL.algorithms.mc_returns.base_interface import mc_loss +from LLM_RL.algorithms.mc_returns.train import train_loop, eval_loss +from LLM_RL.algorithms.mc_returns.data import MCData, MCIterableDataset +from LLM_RL.algorithms.mc_returns.score_fn import build_mc_score_fn +from tqdm.auto import tqdm +from JaxSeq.optimizers import GPT3Optimizer + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]="llm_rl_repo_dialogue_history_mc", + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-4, + weight_decay: float=0.0, + tau: float=0.95, + cql_weight: float=0.0, + gamma: float=0.99, + + train_bsize: int=32, + grad_accum_steps: int=1, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=328, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=10, + eval_at_beginning: bool=True, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=5, + save_at_beginning: bool=True, + save_at_end: bool=True, + save_best: bool=False, + max_checkpoints: Optional[int]=2, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + reranker: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = GPT2TokenizerFast.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + PATH = train_data_path + STEPS_BACK = 40 # maximum number of steps back to look + EVAL_FRAC = 0.1 # fraction of data to use for evaluation + + all_items = [] + with open(PATH, "r") as f: + for line in tqdm(f): + all_items.append(json.loads(line)) + # create splits + random.seed(0) + random.shuffle(all_items) + train_items = all_items[int(len(all_items)*EVAL_FRAC):] + eval_items = all_items[:int(len(all_items)*EVAL_FRAC)] + + # code to load chains + def chains_from_item(items): + trajectories = [] + for i in range(1, len(item['text_history']), 2): + text_trajectory = TextTrajectory( + [ + Text(''.join(item['text_history'][max(0, i-STEPS_BACK):i]), False), + Text(item['text_history'][i], True), + ], + [0.0, item['rewards'][i]], + item['dones'][i], + ) + trajectories.append(text_trajectory) + + chains = [] + curr_chain = None + for i in range(len(trajectories)-1, -1, -1): + curr_chain = TextTrajectoryChain(trajectories[i], curr_chain) + if i == len(trajectories)-1: + # handles special case of having None in last trajectory + chains.append(TextTrajectoryChain(trajectories[i], TextTrajectoryChain(trajectories[i], None))) + else: + chains.append(curr_chain) + return chains + + # load train / eval chains seperately + train_chains = [] + for item in tqdm(train_items): + train_chains.extend(chains_from_item(item)) + + eval_chains = [] + for item in tqdm(eval_items): + eval_chains.extend(chains_from_item(item)) + + # use iterable class so that we can perform multiple epochs + class MCDataIterable: + def __init__(self, chains): + self.chains = chains + + def __iter__(self): + def mc_data_generator(chains): + for chain in chains: + token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(chain, tokenizer) + yield MCData.from_token_trajectory_chain(token_trajectory_chain, gamma=gamma) + # IMPORTANT: reshuffle data before each epoch to decorelate batch + shuffle_idxs = list(range(len(self.chains))) + random.shuffle(shuffle_idxs) + shuffled_chains = [self.chains[i] for i in shuffle_idxs] + return mc_data_generator(shuffled_chains) + + # example of iterating through the data + train_iterable = MCDataIterable(train_chains) + dataset = MCIterableDataset.from_mc_data_iterable(train_iterable, tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + )) + eval_iterable = MCDataIterable(eval_chains) + eval_dataset = MCIterableDataset.from_mc_data_iterable(eval_iterable, tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + )) + + + def model_load_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_\d+'\]", re.escape("['bias']")]), + "".join([r"\['ln_\d+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=0.0001, + end_lr=0.0001, + lr=lr, + lr_warmup_steps=1, + lr_decay_steps=2, + weight_decay=weight_decay, + bf16_momentum=False, + multiply_by_parameter_scale=True, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.float32, + optim_getter=model_load_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + base_model.config.gradient_checkpointing = gradient_checkpointing + base_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + pi_beta_params = copy_sharded_pytree( + model=base_model, + pytree=base_train_state.params, + ) + + q_prng_key = jax.random.PRNGKey(4) + # embed() + q_head_train_state, q_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(mc_loss, cql_weight=cql_weight) + + train = GPT2MCTrain.load_train( + base_train_state=base_train_state, + q_head_train_state=q_head_train_state, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q=False, + ) + + inference = GPT2MCInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q_head_params=q_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + beta=8.0, + dp_shard_logits=True, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPT2MCInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + + if reranker: + + sample_policy = ReRankerSamplePolicy( + proposal_fn=maze_proposal_function, + score_fn=build_mc_score_fn( + inference=inference, + pi_beta_inference=None, + tokenizer=tokenizer, + max_length=max_length, + value_weight=1.0, + logit_weight=None, + bsize=4, + ) + ) + policy = ReRankerPolicy( + proposal_fn=maze_proposal_function, + score_fn=build_mc_score_fn( + inference=inference, + pi_beta_inference=None, + tokenizer=tokenizer, + max_length=max_length, + value_weight=1.0, + logit_weight=None, + bsize=4, + ) + ) + else: + sample_policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=True, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=False, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + + maze_name = "double_t_maze" + describe_function = "describe_observation_only_walls" + reward_function = "standard_reward" + + env = setup_maze_env(maze_name=maze_name, describe_function=describe_function, reward_function=reward_function, last_k=STEPS_BACK) + start_position = pick_start_position(maze_name=maze_name) + + data_results = eval_loss( + inference=inference, + dataset=eval_dataset, + prng_key=jax.random.PRNGKey(1), + bsize=4, + eval_batches=64, + ) + maze = double_t_maze() + possible_positions = list(zip(*np.where(maze==0))) + possible_positions.remove((8, 6)) + + with mesh: + _, avg_results = text_env_eval( + env=env, + policy=sample_policy, + n_rollouts=32, + verbose=True, + bsize=32, + ) + _, heldout_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=8, + verbose=True, + env_options={"init_position": start_position}, + bsize=8, + ) + results = {"avg": avg_results, "heldout": heldout_results} + # avg_position_results = results["avg_reward"] + #TODO: accuracy metric + return data_results['losses']["total_loss"], {'data': data_results, 'sample_env': results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=dataset, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/mc_returns/train_mc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/mc_returns/train_mc.py new file mode 100755 index 00000000..0073d1ed --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/mc_returns/train_mc.py @@ -0,0 +1,430 @@ +from typing import Optional, Dict, Any +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain, text_history_to_str +from LLM_RL.algorithms.mc_returns.data import MCData, MCDataset +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy +from LLM_RL.heads.mlp_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.mlp_head import MLPHeadConfig +from LLM_RL.algorithms.mc_returns.gpt2.interface import GPT2MCTrain, GPT2MCInference +from functools import partial +import numpy as np +from JaxSeq.logs import log, pull_logs +import json +from transformers import GPT2TokenizerFast +from IPython import embed +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env, pick_start_position +from llm_rl_scripts.maze.env.mazes import double_t_maze_optimal_directions, double_t_maze +from llm_rl_scripts.maze.env.env import describe_observation_give_position, maze_proposal_function +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerPolicy, ReRankerSamplePolicy +from JaxSeq.shard_model import copy_sharded_pytree +import random +from LLM_RL.algorithms.mc_returns.base_interface import mc_loss +from LLM_RL.algorithms.mc_returns.train import train_loop +from LLM_RL.algorithms.mc_returns.data import MCData, MCDataset +from LLM_RL.algorithms.mc_returns.score_fn import build_mc_score_fn + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]="llm_rl_repo_give_position_ilql", + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-4, + weight_decay: float=0.0, + tau: float=0.95, + cql_weight: float=0.0, + gamma: float=0.99, + + train_bsize: int=32, + grad_accum_steps: int=1, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=80, + + log_every: int=256, + eval_every_steps: Optional[int]=10000, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=True, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=100000, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=True, + save_at_end: bool=True, + save_best: bool=False, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + reranker: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = GPT2TokenizerFast.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def mc_data_generator(data_name): + with open(data_name, "r") as f: + for item in f: + obj = json.loads(item) + # curr_chain = TextTrajectory() + # starting with the last element + last_trajectory = TextTrajectory([Text(obj[-1]["state"], False), Text(obj[-1]["action"], True)], + [0, obj[-1]["reward"]], True) + curr_chain = TextTrajectoryChain(text_trajectory=last_trajectory, next=None) + # curr_chain.next = curr_chain + for traj in reversed(obj): # iterate through move history backwards except for last transition + # embed() + prev_trajectory = TextTrajectory([Text(traj["state"], False), Text(traj["action"], True)], + [0, traj["reward"]], traj["done"]) + curr_chain = TextTrajectoryChain(text_trajectory=prev_trajectory, next=curr_chain) + token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(curr_chain, tokenizer) + while token_trajectory_chain.next is not None: + yield MCData.from_token_trajectory_chain(token_trajectory_chain, gamma=gamma) + token_trajectory_chain = token_trajectory_chain.next + # first_trajectory = TextTrajectory([Text(obj[0]["state"], False), Text(obj[0]["action"], True)], + # [0, obj[0]["reward"]], obj[0]["done"]) + # next_trajectory = TextTrajectory([Text(obj[1]["state"], False), Text(obj[1]["action"], True)], + # [0, obj[1]["reward"]], obj[1]["done"]) + + # text_trajectory_chain = TextTrajectoryChain(text_trajectory=first_trajectory, + # next=TextTrajectoryChain(text_trajectory=next_trajectory, next=next_trajectory)) + # token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(text_trajectory_chain, tokenizer) + # yield ILQLData.from_token_trajectory_chain(token_trajectory_chain) + # if next_trajectory.done: + # text_trajectory_chain = TextTrajectoryChain(text_trajectory=next_trajectory, next=next_trajectory) + # token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(text_trajectory_chain, tokenizer) + # yield ILQLData.from_token_trajectory_chain(token_trajectory_chain) + mc_data_lst = list(mc_data_generator(train_data_path)) + random.shuffle(mc_data_lst) + + dataset = MCDataset.from_mc_data_list(mc_data_lst, tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + )) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + base_model.config.gradient_checkpointing = gradient_checkpointing + base_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + pi_beta_params = copy_sharded_pytree( + model=base_model, + pytree=base_train_state.params, + ) + + q_prng_key = jax.random.PRNGKey(4) + # embed() + q_head_train_state, q_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=0.0, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(mc_loss, cql_weight=cql_weight) + + train = GPT2MCTrain.load_train( + base_train_state=base_train_state, + q_head_train_state=q_head_train_state, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q=False, + ) + + inference = GPT2MCInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q_head_params=q_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + beta=8.0, + dp_shard_logits=True, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPT2MCInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + + if reranker: + + sample_policy = ReRankerSamplePolicy( + proposal_fn=maze_proposal_function, + score_fn=build_mc_score_fn( + inference=inference, + pi_beta_inference=None, + tokenizer=tokenizer, + max_length=max_length, + value_weight=1.0, + logit_weight=None, + bsize=4, + ) + ) + policy = ReRankerPolicy( + proposal_fn=maze_proposal_function, + score_fn=build_mc_score_fn( + inference=inference, + pi_beta_inference=None, + tokenizer=tokenizer, + max_length=max_length, + value_weight=1.0, + logit_weight=None, + bsize=4, + ) + ) + else: + sample_policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=True, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=False, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + + maze_name = "double_t_maze" + describe_function = "describe_observation_give_position" + reward_function = "standard_reward" + + env = setup_maze_env(maze_name=maze_name, describe_function=describe_function, reward_function=reward_function) + start_position = pick_start_position(maze_name=maze_name) + + maze = double_t_maze() + goal = (8, 6) + correct_answers = double_t_maze_optimal_directions() + positions = np.argwhere(maze == 0).tolist() # note make sure to set temperature to 0 + with mesh: + num_correct = 0 + for position in positions: + env.position = position + observation = describe_observation_give_position(maze, position, env.goal) + text_history = (Text(observation, False),) + if reranker: + + output = policy.act(text_history) + prediction = output[-1].text + else: + output = policy.act([text_history], done=[False]) + prediction = output[-1][-1].text + # output = policy.act(text_history) + # prediction = output[-1].text + if position[0] == goal[0] and position[1] == goal[1]: + continue + if prediction == correct_answers[tuple(position)]: + num_correct += 1 + print("correct!", observation, position, prediction, correct_answers[tuple(position)]) + else: + print("incorrect!", observation, position, prediction, correct_answers[tuple(position)]) + accuracy = num_correct/(len(positions)-1)*100 + print("Accuracy: ", accuracy) + with mesh: + raw_results, summary_results = text_env_eval( + env=env, + policy=sample_policy, + n_rollouts=16, + bsize=16, + env_options={"init_position": start_position}, + ) + + for item in raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + logs = pull_logs(summary_results) + log({"sample": logs, "move_accuracy": accuracy}, use_wandb and is_main_process) + + return float('inf'), logs + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=dataset, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/compute_score_normalizations.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/compute_score_normalizations.py new file mode 100755 index 00000000..3c331d39 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/compute_score_normalizations.py @@ -0,0 +1,43 @@ +def compute_score(score, min_score, dataset_avg, max_score): + if score < dataset_avg: + return (score - min_score) / (dataset_avg - min_score) * 50 + else: + return 50 + (score - dataset_avg) / (max_score - dataset_avg) * 50 + +maze_min_score = -101 +maze_max_score = -6.84 +maze_avg_score = -83 + +compute_score(-72.1, maze_min_score, maze_avg_score, maze_max_score) + +# raw_scores = [-72.1, -56.4, -48.1, -6.97, -37.7, -71.755, -40.12] +# # raw_scores_po = [-79.5, -82.9, -80.3, -52.9, -91.7] +# for score in raw_scores: +# print(compute_score(score, maze_min_score, maze_avg_score, maze_max_score)) + +chess_min_score = -401 +chess_max_score = 1 +chess_avg_score = 0.21 + +# chess_scores = [-22.3, -56.5, -28.2, -21.4, -16.0, -0.3] +# for score in chess_scores: +# print("hello!") +# print(compute_score(score, chess_min_score, chess_avg_score, chess_max_score)) + +endgames_min_score = -1 +endgames_max_score = 1 +endgames_avg_score = 0.586 + +endgames_scores = [0.112, -0.439, 0.588, 0.452, 0.814, -22.8, 0.149, 0.06976744186046512] +for score in endgames_scores: + print(compute_score(score, endgames_min_score, endgames_avg_score, endgames_max_score)) + +text_nav_scores = [] + +# po_min_score = -101 +# po_avg_score = -83 +# po_max_score = -25.75 + +# po_scores = [-79.5, -82.9, -80.3, -52.9, -91.7, -71.04] +# for score in po_scores: +# print(compute_score(score, po_min_score, po_avg_score, po_max_score)) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/convert_checkpoint_to_params.sh b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/convert_checkpoint_to_params.sh new file mode 100755 index 00000000..d6501c14 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/convert_checkpoint_to_params.sh @@ -0,0 +1,9 @@ +export TOKENIZERS_PARALLELISM=false +export GOOGLE_APPLICATION_CREDENTIALS="/nfs/nfs1/users/isadoracw/rail-tpus.json" +export GCLOUD_PROJECT="rail-tpus" +# sudo chmod -R 777 /nfs/nfs1/users/isadoracw/LLM_RL +git config --global --add safe.directory /nfs/nfs1/users/isadoracw/LLM_RL +sudo rm -r /tmp/*tpu* +export maze_name="double_t_maze" +export checkpoint_path="gcs://rail-tpus-isadora/maze/maze_double_t_maze/llm_rl_ilql_submazes_double_t_maze/llm_rl_ilql_submazes_double_t_maze.2023-09-19-22-11-54.348.8a806abe573911ee9749e351425a3ca0/last" +python -m examples_jaxseq.misc.export_checkpoint my_checkpoint_path \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/convert_hf_checkpoint.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/convert_hf_checkpoint.py new file mode 100755 index 00000000..a657f4db --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/convert_hf_checkpoint.py @@ -0,0 +1,34 @@ +from typing import Optional, Any +import tempfile +import gcsfs +import tyro +from JaxSeq.utils import convert_path +import os +from transformers.models.gpt2.modeling_flax_gpt2 import FlaxGPT2LMHeadModel +from JaxSeq.checkpointing import save_pytree +from JaxSeq.bucket_manager import open_with_bucket as open + +def load_checkpoint_huggingface_from_bucket(model_output_path: str, model, gcloud_project: Optional[str]=None, gcloud_token: Optional[Any]=None): + tmp_dir = tempfile.TemporaryDirectory() + gcsfs.GCSFileSystem(project=gcloud_project, token=gcloud_token).get(model_output_path, tmp_dir.name, recursive=True) + loaded = model.from_pretrained(tmp_dir.name) + tmp_dir.cleanup() + return loaded + +def main( + load_dir: str, + /, # Mark the end of positional arguments. +): + model = load_checkpoint_huggingface_from_bucket( + os.path.join(convert_path(load_dir)), + FlaxGPT2LMHeadModel, + gcloud_project="rail-tpus", + gcloud_token=None, + ) + save_pytree(model.params, os.path.join(convert_path(load_dir), 'LLM_RL', 'params.msgpack')) + with open(os.path.join(convert_path(load_dir), 'LLM_RL', 'config.json'), 'w') as f: + f.write(model.config.to_json_string()) + +if __name__ == "__main__": + tyro.cli(main) + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/convert_ilql_checkpoint.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/convert_ilql_checkpoint.py new file mode 100755 index 00000000..e897bfb3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/convert_ilql_checkpoint.py @@ -0,0 +1,56 @@ +from typing import Optional, Any +import tempfile +import gcsfs +import tyro +from JaxSeq.utils import convert_path +import os +from transformers.models.gpt2.modeling_flax_gpt2 import FlaxGPT2LMHeadModel +from JaxSeq.checkpointing import save_pytree +from JaxSeq.bucket_manager import open_with_bucket as open + +def load_checkpoint_huggingface_from_bucket(model_output_path: str, model, gcloud_project: Optional[str]=None, gcloud_token: Optional[Any]=None): + tmp_dir = tempfile.TemporaryDirectory() + gcsfs.GCSFileSystem(project=gcloud_project, token=gcloud_token).get(model_output_path, tmp_dir.name, recursive=True) + loaded = model.from_pretrained(tmp_dir.name) + tmp_dir.cleanup() + return loaded + +def load_pickle_q_head(model_output_path: str, gcloud_project: Optional[str]=None, gcloud_token: Optional[Any]=None): + tmp_dir = tempfile.TemporaryDirectory() + gcsfs.GCSFileSystem(project=gcloud_project, token=gcloud_token).get(model_output_path, tmp_dir.name, recursive=True) + with open(os.path.join(tmp_dir.name, 'q1_head.pkl'), 'rb') as f: + q1_head = pkl.load(f) + # do same from q2_head + with open(os.path.join(tmp_dir.name, 'q2_head.pkl'), 'rb') as f: + q2_head = pkl.load(f) + with open(os.path.join(tmp_dir.name, 'v_head.pkl'), 'rb') as f: + v_head = pkl.load(f) + tmp_dir.cleanup() + return q1_head, q2_head, v_head +def main( + pi_beta_dir: str, + value_base_dir: str, + base_dir: str, + /, # Mark the end of positional arguments. +): + pi_beta_model = load_checkpoint_huggingface_from_bucket( + os.path.join(convert_path(load_dir)), + FlaxGPT2LMHeadModel, + gcloud_project="rail-tpus", + gcloud_token=None, + ) + + value_base = load_checkpoint_huggingface_from_bucket( + os.path.join(convert_path(value_base_dir), 'value_base'), + FlaxGPT2LMHeadModel, + gcloud_project="rail-tpus", + gcloud_token=None, + ) + save_pytree(model.params, os.path.join(convert_path(value_base_dir), 'params.msgpack')) + with open(os.path.join(convert_path(load_dir), 'LLM_RL', 'config.json'), 'w') as f: + f.write(model.config.to_json_string()) + +if __name__ == "__main__": + tyro.cli(main) + + \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/view_data.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/view_data.py new file mode 100755 index 00000000..17b55073 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/misc/view_data.py @@ -0,0 +1,16 @@ +import json +from JaxSeq.bucket_manager import open_with_bucket as open + +data_name = "gcs://rl-llm-bench-dataset-internal/endgames/bc_train_filtered.jsonl" + +with open(data_name, "r") as f: + item = f.readline() + obj = json.loads(item) + print(obj) + +data_name = "gcs://rl-llm-bench-dataset-internal/endgames/bc_val.jsonl" + +with open(data_name, "r") as f: + item = f.readline() + obj = json.loads(item) + print(obj) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/online_filtered_bc/fully_observed_online_filtered_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/online_filtered_bc/fully_observed_online_filtered_bc.py new file mode 100755 index 00000000..0375af9c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/online_filtered_bc/fully_observed_online_filtered_bc.py @@ -0,0 +1,346 @@ +from typing import Optional, Dict, Any, Tuple +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, get_dtype, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, uuid_name, jsonl_load, get_weight_decay_mask, create_path, get_enabled_save_path, MapIterable, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Train, GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from JaxSeq.data import Seq2SeqDataset +from JaxSeq.generation_eval import generate_language, compute_metrics +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import TextEnv, TextHistory, Text, interact_environment, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectory, text_history_to_str +from JaxSeq.shard_model import shard_params_from_params +from flax.training.train_state import TrainState +from LLM_RL.utils import get_tensor_stats_np +from functools import partial +import numpy as np +from JaxSeq.logs import label_logs, log, pull_logs +import json +import random +from JaxSeq.utils import multihost_device_get +from JaxSeq.data import MaskIterableDataset +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env +from dataclasses import replace +from JaxSeq.models.gpt2.interface import loss_fn_mask +from JaxSeq.data import MaskIterableDataset, MaskDataset +from JaxSeq.models.gpt2.interface import GPT2TrainMask, GPT2InferenceMask +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.algorithms.online_filtered_bc.train import train_loop +from IPython import embed + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]="fully_observed_online_filtered_bc", + + n_rounds: int=100, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-4, + weight_decay: float=0.0, + + train_bsize: int=128, + grad_accum_steps: Optional[int]=None, + rollout_bsize: int=32, + n_rollouts: int=128, + filter_percengage: float=0.3, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_input_length: int=256, + max_output_length: int=6, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=10, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=10, + save_at_beginning: bool=False, + save_at_end: bool=True, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_filtered_bc_dataset: bool=True, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + maze_name: str="double_t_maze", + describe_function: str="describe_observation_give_position", + reward_function: str="standard_reward", +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + model.config.resid_pdrop = 0.0 + model.config.embd_pdrop = 0.0 + model.config.attn_pdrop = 0.0 + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + env = setup_maze_env(maze_name=maze_name, describe_function=describe_function, reward_function=reward_function, last_k=1) + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2PPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + ppo_inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + ppo_trainer = GPT2TrainMask.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + data_round = 0 + def filtered_bc_dataset_loader(ppo_inference: GPT2InferenceMask, policy: GPT2PPOPolicy) -> MaskIterableDataset: + nonlocal data_round + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + ) + summary_results = pull_logs(summary_results) + + mask_str_segments = [] + trajectory_rewards = [] + for raw_result in raw_results: + if raw_result[-1].reward == 0: # success has been achieved + print('='*25) + print(text_history_to_str(raw_result[-1].post_transition_history)) + print('='*25) + print(sum([[item.reward, 0.0] for item in raw_result], [0.0])) + print('='*25) + + mask_str_segments.append( + [(history_item.text, float(history_item.is_action)) for history_item in raw_result[-1].post_transition_history] + ) + trajectory_rewards.append( + sum([item.reward for item in raw_result]) + ) + # trajectory_rewards.append( + # sum([item.reward for item in raw_result]) + # ) + + # top_data_idxs = list(range(len(mask_str_segments))) + + # top_data_idxs = [idx for idx in data_idxs if trajectory_rewards[idx] > -50] + # top_data_idxs = sorted(data_idxs, key=lambda idx: trajectory_rewards[idx], reverse=True)[:int(len(data_idxs))] + top_mask_str_segments = mask_str_segments + + if len(top_mask_str_segments) == 0: + return None + else: + filtered_bc_dataset = MaskDataset.blocked_from_str_segments_list( + top_mask_str_segments, + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_input_length+max_output_length, + ) + ) + + logs = dict( + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_filtered_bc_dataset: + print('saving filtered bc dataset ...') + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'filtered_bc_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(filtered_bc_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'top_mask_str_segments.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(top_mask_str_segments, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'raw_results.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(raw_results, f) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return filtered_bc_dataset + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=filtered_bc_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/online_filtered_bc/partially_observed_online_filtered_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/online_filtered_bc/partially_observed_online_filtered_bc.py new file mode 100755 index 00000000..06952f27 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/online_filtered_bc/partially_observed_online_filtered_bc.py @@ -0,0 +1,342 @@ +from typing import Optional, Dict, Any, Tuple +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, get_dtype, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, uuid_name, jsonl_load, get_weight_decay_mask, create_path, get_enabled_save_path, MapIterable, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Train, GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from JaxSeq.data import Seq2SeqDataset +from JaxSeq.generation_eval import generate_language, compute_metrics +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import TextEnv, TextHistory, Text, interact_environment, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectory, text_history_to_str +from JaxSeq.shard_model import shard_params_from_params +from flax.training.train_state import TrainState +from LLM_RL.utils import get_tensor_stats_np +from functools import partial +import numpy as np +from JaxSeq.logs import label_logs, log, pull_logs +import json +import random +from JaxSeq.utils import multihost_device_get +from JaxSeq.data import MaskIterableDataset +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env +from dataclasses import replace +from JaxSeq.models.gpt2.interface import loss_fn_mask +from JaxSeq.data import MaskIterableDataset, MaskDataset +from JaxSeq.models.gpt2.interface import GPT2TrainMask, GPT2InferenceMask +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.algorithms.online_filtered_bc.train import train_loop +from IPython import embed + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]="partially_observed_online_filtered_bc", + + n_rounds: int=100, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-4, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: Optional[int]=4, + rollout_bsize: int=32, + n_rollouts: int=128, + filter_percengage: float=0.3, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_input_length: int=512, + max_output_length: int=6, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=10, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=1, + save_at_beginning: bool=False, + save_at_end: bool=True, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_filtered_bc_dataset: bool=True, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + maze_name: str="double_t_maze", + describe_function: str="describe_observation_only_walls", + reward_function: str="standard_reward", +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + model.config.resid_pdrop = 0.0 + model.config.embd_pdrop = 0.0 + model.config.attn_pdrop = 0.0 + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + env = setup_maze_env(maze_name=maze_name, describe_function=describe_function, reward_function=reward_function, last_k=40) + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2PPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + ppo_inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + ppo_trainer = GPT2TrainMask.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + data_round = 0 + def filtered_bc_dataset_loader(ppo_inference: GPT2InferenceMask, policy: GPT2PPOPolicy) -> MaskIterableDataset: + nonlocal data_round + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + ) + summary_results = pull_logs(summary_results) + + mask_str_segments = [] + trajectory_rewards = [] + for raw_result in raw_results: + if raw_result[-1].reward == 0: + print('='*25) + print(text_history_to_str(raw_result[-1].post_transition_history)) + print('='*25) + print(sum([[item.reward, 0.0] for item in raw_result], [0.0])) + print('='*25) + + mask_str_segments.append( + [(history_item.text, float(history_item.is_action)) for history_item in raw_result[-1].post_transition_history] + ) + trajectory_rewards.append( + sum([item.reward for item in raw_result]) + ) + + top_mask_str_segments = mask_str_segments + + + if len(top_mask_str_segments) == 0: + return None + try: + filtered_bc_dataset = MaskDataset.blocked_from_str_segments_list( + top_mask_str_segments, + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_input_length+max_output_length, + ) + ) + except: + embed() + + logs = dict( + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_filtered_bc_dataset: + print('saving filtered bc dataset ...') + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'filtered_bc_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(filtered_bc_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'top_mask_str_segments.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(top_mask_str_segments, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'raw_results.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(raw_results, f) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return filtered_bc_dataset + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=filtered_bc_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ppo/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ppo/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ppo/partially_observed_ppo_online.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ppo/partially_observed_ppo_online.py new file mode 100755 index 00000000..cd858639 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ppo/partially_observed_ppo_online.py @@ -0,0 +1,543 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, get_dtype, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, create_path, get_enabled_save_path +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ppo.score_fn import build_ppo_score_fn +from LLM_RL.algorithms.ppo.train import train_loop +from LLM_RL.algorithms.ppo.base_interface import ppo_loss_fn, FixedKLController, AdaptiveKLController +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, TokenHistory, text_env_eval, TextTrajectory, TextTrajectoryChain +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy, GPT2PPOInference, GPT2PPOTrain +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ppo.data import PPODataset +from LLM_RL.utils import get_tensor_stats_np +from functools import partial +import numpy as np +from JaxSeq.logs import label_logs, log, pull_logs +import json +from JaxSeq.utils import multihost_device_get +from IPython import embed +from JaxSeq.data import MaskDataset +from JaxSeq.models.gpt2.interface import loss_fn_mask +from llm_rl_scripts.maze.env.env import maze_proposal_function +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerSamplePolicy +from JaxSeq.utils import block_sequences +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env, pick_start_position + +# from LLM_RL.gpt2 import load_gpt2_from_pretrained + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + + /, # Mark the end of positional arguments. + bc_data_path: Optional[str]=None, + train_bc_bsize: int=8, + bc_loss_weight:int=0, + model_str:str="gpt2", + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + maze_name: str="medium", + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]="llm_rl_ppo_maze", + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + rollout_bsize: int=32, + n_rollouts: int=128, + ppo_data_bsize: int=32, + num_pos_per_setup: int=4, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + use_fp16_activations: bool=False, + use_fp16_params: bool=False, + + max_input_length: int=512, + max_output_length: int=10, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=1, + eval_at_beginning: bool=True, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=10, + save_at_beginning: bool=False, + save_at_end: bool=True, + save_best: bool=True, + max_checkpoints: Optional[int]=20, + save_train_state: bool=True, + save_ppo_dataset: bool=True, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + gamma: float=1.0, + lam: float=0.95, + use_advantage_whitening: bool=True, + + init_kl_coef: float=0.001, + kl_target: Optional[float]=None, + kl_horizon: Optional[int]=None, + + cliprange_value: float=0.2, + cliprange: float=0.2, + value_loss_coef: float=1.0, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + describe_function: str= "describe_observation", + reranker_policy: bool=False, + + reward_function: str="standard_reward", +): + + input_args = locals().copy() + print(input_args) + + use_adaptive_kl = (kl_target is not None and kl_horizon is not None) + if not use_adaptive_kl: + assert kl_target is None and kl_horizon is None + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + if bc_data_path is not None: + with open(bc_data_path, 'rb') as f: + text_histories = pkl.load(f) + + blocking_strategy = BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length+max_output_length) + + # in_tokens = list(map(lambda x: block_sequences([x.tokens], tokenizer.pad_token_id, dtype=np.int32, blocking_strategy=BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length))[0], text_histories)) + # text_histories = list(map(lambda x: x.text_history, text_trajectories)) + # no this doesn't work because we also need to pad the is_actions + token_histories = list(map(lambda x: TokenHistory.from_text_history(x, tokenizer), text_histories)) + in_tokens = list(map(lambda x: block_sequences([x.tokens], tokenizer.pad_token_id, dtype=np.int32, blocking_strategy=blocking_strategy)[0], token_histories)) + is_actions = list(map(lambda x: block_sequences([x.is_action], 0.0, dtype=np.float32, blocking_strategy=blocking_strategy)[0], token_histories)) + # tokens = list(map(lambda x: token_process(x.tokens), token_histories)) + # is_actions = list(map(lambda x: x.is_action, token_histories)) + + bc_data = MaskDataset( + in_tokens = jnp.array(in_tokens), + in_training_mask = jnp.array(is_actions), + ) + else: + bc_data = None + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_dtype = get_dtype(use_fp16=use_fp16_activations) + params_dtype = get_dtype(use_fp16=use_fp16_params) + + model_prng_key = jax.random.PRNGKey(2) + policy_train_state, policy_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=model_dtype, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=params_dtype, + ) + policy_model.config.gradient_checkpointing = gradient_checkpointing + policy_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + initial_policy_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + policy_train_state.params, + ) + initial_policy_params = shard_params_from_params( + model=policy_model, + params=initial_policy_params, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2Inference.load_inference( + params=policy_train_state.params, + model=policy_model, + tokenizer=tokenizer, + ) + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2PPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + head_prng_key = jax.random.PRNGKey(3) + value_head_train_state, value_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=policy_model.config.n_embd, + output_dim=1, + use_bias=True, + initializer_range=0.0, + bias_init=-1, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=head_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loss_f = partial(ppo_loss_fn, cliprange_value=cliprange_value, cliprange=cliprange, value_loss_coef=value_loss_coef) + + ppo_inference = GPT2PPOInference.load_inference( + initial_policy_params=initial_policy_params, + policy_params=policy_train_state.params, + value_head_params=value_head_train_state.params, + initial_policy_model=policy_model, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask if bc_data is not None else None, + bc_loss_weight=bc_loss_weight if bc_data is not None else 0.0, + ) + + ppo_trainer = GPT2PPOTrain.load_train( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask if bc_data is not None else None, + bc_loss_weight=bc_loss_weight if bc_data is not None else 0.0, + ) + + if use_adaptive_kl: + kl_controller = AdaptiveKLController(init_kl_coef=init_kl_coef, target=kl_target, horizon=kl_horizon) + else: + kl_controller = FixedKLController(kl_coef=init_kl_coef) + + # if maze_name == "double_t_maze": + # maze = double_t_maze() + # valid_goals = np.array(zip(*np.where(maze == 0))) + + # if describe_function == "describe_observation": + # describe_function = describe_observation + # elif describe_function == "describe_observation_give_position": + # describe_function = describe_observation_give_position + # else: + # raise ValueError(f'unknown describe function: {describe_function}') + + # if reward_function is None or reward_function == "standard_reward": + # reward_function = standard_reward + # elif reward_function == "illegal_penalty_reward": + # reward_function = illegal_penalty_reward + # elif reward_function == "illegal_penalty_diff_scale": + # reward_function = illegal_penalty_diff_scale + # else: + # raise ValueError(f'unknown reward function: {reward_function}') + + # env = MazeEnv( + # maze=maze, + # valid_goals=valid_goals, + # actions=manhatten_actions, + # max_steps=100, + # display_initial_position=True, + # describe_function=describe_function, + # reward_function=reward_function, + # ) + maze_last_k = 40 + env = setup_maze_env(maze_name=maze_name, describe_function=describe_function, reward_function=reward_function, last_k=maze_last_k) + start_position = pick_start_position(maze_name=maze_name) + + data_round = 0 + def ppo_dataset_loader(ppo_inference: GPT2PPOInference, policy: GPT2PPOPolicy) -> PPODataset: + + # reranker_policy = + if reranker_policy: + print("reranker policy!") + policy = ReRankerSamplePolicy( + proposal_fn=maze_proposal_function, + score_fn=build_ppo_score_fn( + inference=ppo_inference, + tokenizer=tokenizer, + max_length=max_input_length+max_output_length, + bsize=ppo_data_bsize, + ) + + ) + + print("collecting data ...") + nonlocal data_round + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + # env_options={"init_position": start_position}, + ) + summary_results = pull_logs(summary_results) + + text_trajectory_chains = [] + for raw_result in raw_results: + curr_chain = [] + for transition in raw_result: + try: + # embed() + # trim the first action and the last action + state = " ".join([item.text for item in transition.post_action_history[:-1]]) + state = Text(state, False) + action = transition.post_action_history[-1] + text_trajectory = TextTrajectory( + text_history=[state, action], + reward=[0.0, transition.reward], + done=transition.done, + ) + curr_chain.append(text_trajectory) + except: + embed() + + chain = None + for text_trajectory in curr_chain[::-1]: + chain = TextTrajectoryChain( + text_trajectory=text_trajectory, + next=chain, + ) + + text_trajectory_chains.append(chain) + + ppo_data, all_kls = ppo_inference.get_ppo_data_from_text_trajectory_chain( + text_trajectory_chains, + bsize=ppo_data_bsize, + max_length=max_input_length+max_output_length, + gamma=gamma, + lam=lam, + kl_weight=kl_controller.value, + use_advantage_whitening=use_advantage_whitening, + ) + mean_kl = all_kls.mean().item() + kl_controller.update(mean_kl, train_bsize) + + ppo_dataset = PPODataset.from_ppo_data_list( + ppo_data, + tokenizer, + BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length+max_output_length), + ) + + logs = dict( + policy=dict( + initial_policy_kl=get_tensor_stats_np(all_kls, np.ones(all_kls.shape), all_kls.size), + sqrt_initial_policy_kl=np.sqrt(mean_kl), + kl_ctrl_value=kl_controller.value, + ), + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_ppo_dataset: + print('saving ppo dataset ...') + print(save_dir) + # save_dataset_to_bucket(ppo_dataset, save_dir, data_round, is_main_process, text_trajectory_chains, raw_results, summary_results) + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'ppo_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(ppo_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'text_trajectory_chains.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(text_trajectory_chains, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'raw_results.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(raw_results, f) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return ppo_dataset + + # outputs_path = convert_path(f"outputs/chess/{exp_name}/") + outputs_path = f"{outputs_path}/{exp_name}" + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=outputs_path, + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + # def evaluate(ppo_inference: GPT2PPOInference, ppo_policy: GPT2PPOPolicy): + # policy = GPT2PPOPolicy( + # inference=ppo_inference, + # prng_key=policy_prng, + # generation_config=GenerationConfig( + # do_sample=False, + # num_beams=policy_num_beams, + # temperature=policy_temperature, + # top_p=policy_top_p, + # top_k=policy_top_k, + # eos_token_id=tokenizer.encode('\n')[0], + # pad_token_id=tokenizer.pad_token_id, + # max_new_tokens=max_output_length, + # ), + # blocking_strategy=BlockingStrategy( + # padding=Padding.LEFT, + # truncation=Truncation.LEFT, + # max_length=max_input_length, + # ), + # out_str_process=lambda x: x.removesuffix('\n')+'\n', + # ) + + # accuracy = compute_move_accuracy(policy) + # return {"accuracy": accuracy} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=ppo_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + bc_dataset=bc_data, + bc_bsize=train_bc_bsize, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ppo/train_ppo_online.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ppo/train_ppo_online.py new file mode 100755 index 00000000..49674aba --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/ppo/train_ppo_online.py @@ -0,0 +1,610 @@ +from typing import Optional, Dict, Any, Tuple +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, get_dtype, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, create_path, get_enabled_save_path +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ppo.score_fn import build_ppo_score_fn +from LLM_RL.algorithms.ppo.train import train_loop +from LLM_RL.algorithms.ppo.base_interface import ppo_loss_fn, FixedKLController, AdaptiveKLController +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, TokenHistory, text_env_eval, TextTrajectory, TextTrajectoryChain +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy, GPT2PPOInference, GPT2PPOTrain +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ppo.data import PPODataset +from LLM_RL.utils import get_tensor_stats_np +from functools import partial +import numpy as np +from JaxSeq.logs import label_logs, log, pull_logs +import json +from JaxSeq.utils import multihost_device_get +from IPython import embed +from llm_rl_scripts.maze.env.mazes import double_t_maze_optimal_directions, double_t_maze +from JaxSeq.data import MaskDataset +from JaxSeq.models.gpt2.interface import loss_fn_mask +from llm_rl_scripts.maze.env.env import MazeEnv, describe_observation_give_position, maze_proposal_function +from LLM_RL.algorithms.ppo.reranker_policy import ReRankerPolicy +from JaxSeq.utils import block_sequences +from llm_rl_scripts.maze.env.maze_utils import setup_maze_env, pick_start_position + +# from LLM_RL.gpt2 import load_gpt2_from_pretrained + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + + /, # Mark the end of positional arguments. + bc_data_path: Optional[str]=None, + train_bc_bsize: int=8, + bc_loss_weight:int=0, + model_str:str="gpt2", + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + maze_name: str="double_t_maze", + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + rollout_bsize: int=32, + n_rollouts: int=128, + ppo_data_bsize: int=32, + num_pos_per_setup: int=4, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + use_fp16_activations: bool=False, + use_fp16_params: bool=False, + + max_input_length: int=64, + max_output_length: int=32, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=1, + eval_at_beginning: bool=True, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=10, + save_at_beginning: bool=False, + save_at_end: bool=True, + save_best: bool=True, + max_checkpoints: Optional[int]=20, + save_train_state: bool=True, + save_ppo_dataset: bool=True, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + gamma: float=0.99, + lam: float=0.95, + use_advantage_whitening: bool=True, + + init_kl_coef: float=0.001, + kl_target: Optional[float]=None, + kl_horizon: Optional[int]=None, + + cliprange_value: float=0.2, + cliprange: float=0.2, + value_loss_coef: float=0.5, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + describe_function: str= "describe_observation", + reranker_policy: bool=False, + + reward_function: str="standard_reward", +): + + input_args = locals().copy() + print(input_args) + + use_adaptive_kl = (kl_target is not None and kl_horizon is not None) + if not use_adaptive_kl: + assert kl_target is None and kl_horizon is None + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + if bc_data_path is not None: + with open(bc_data_path, 'rb') as f: + text_histories = pkl.load(f) + + blocking_strategy = BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length+max_output_length) + + # in_tokens = list(map(lambda x: block_sequences([x.tokens], tokenizer.pad_token_id, dtype=np.int32, blocking_strategy=BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length))[0], text_histories)) + # text_histories = list(map(lambda x: x.text_history, text_trajectories)) + # no this doesn't work because we also need to pad the is_actions + token_histories = list(map(lambda x: TokenHistory.from_text_history(x, tokenizer), text_histories)) + in_tokens = list(map(lambda x: block_sequences([x.tokens], tokenizer.pad_token_id, dtype=np.int32, blocking_strategy=blocking_strategy)[0], token_histories)) + is_actions = list(map(lambda x: block_sequences([x.is_action], 0.0, dtype=np.float32, blocking_strategy=blocking_strategy)[0], token_histories)) + # tokens = list(map(lambda x: token_process(x.tokens), token_histories)) + # is_actions = list(map(lambda x: x.is_action, token_histories)) + + bc_data = MaskDataset( + in_tokens = jnp.array(in_tokens), + in_training_mask = jnp.array(is_actions), + ) + else: + bc_data = None + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_dtype = get_dtype(use_fp16=use_fp16_activations) + params_dtype = get_dtype(use_fp16=use_fp16_params) + + model_prng_key = jax.random.PRNGKey(2) + policy_train_state, policy_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=model_dtype, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=params_dtype, + ) + policy_model.config.gradient_checkpointing = gradient_checkpointing + policy_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + initial_policy_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + policy_train_state.params, + ) + initial_policy_params = shard_params_from_params( + model=policy_model, + params=initial_policy_params, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2Inference.load_inference( + params=policy_train_state.params, + model=policy_model, + tokenizer=tokenizer, + ) + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2PPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + head_prng_key = jax.random.PRNGKey(3) + value_head_train_state, value_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=policy_model.config.n_embd, + output_dim=1, + use_bias=True, + initializer_range=0.0, + bias_init=-1, + ), + model_dtype=jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=head_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loss_f = partial(ppo_loss_fn, cliprange_value=cliprange_value, cliprange=cliprange, value_loss_coef=value_loss_coef) + + ppo_inference = GPT2PPOInference.load_inference( + initial_policy_params=initial_policy_params, + policy_params=policy_train_state.params, + value_head_params=value_head_train_state.params, + initial_policy_model=policy_model, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask if bc_data is not None else None, + bc_loss_weight=bc_loss_weight if bc_data is not None else 0.0, + ) + + ppo_trainer = GPT2PPOTrain.load_train( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask if bc_data is not None else None, + bc_loss_weight=bc_loss_weight if bc_data is not None else 0.0, + ) + + if use_adaptive_kl: + kl_controller = AdaptiveKLController(init_kl_coef=init_kl_coef, target=kl_target, horizon=kl_horizon) + else: + kl_controller = FixedKLController(kl_coef=init_kl_coef) + + # if maze_name == "double_t_maze": + # maze = double_t_maze() + # valid_goals = np.array(zip(*np.where(maze == 0))) + + # if describe_function == "describe_observation": + # describe_function = describe_observation + # elif describe_function == "describe_observation_give_position": + # describe_function = describe_observation_give_position + # else: + # raise ValueError(f'unknown describe function: {describe_function}') + + # if reward_function is None or reward_function == "standard_reward": + # reward_function = standard_reward + # elif reward_function == "illegal_penalty_reward": + # reward_function = illegal_penalty_reward + # elif reward_function == "illegal_penalty_diff_scale": + # reward_function = illegal_penalty_diff_scale + # else: + # raise ValueError(f'unknown reward function: {reward_function}') + + # env = MazeEnv( + # maze=maze, + # valid_goals=valid_goals, + # actions=manhatten_actions, + # max_steps=100, + # display_initial_position=True, + # describe_function=describe_function, + # reward_function=reward_function, + # ) + + env = setup_maze_env(maze_name=maze_name, describe_function=describe_function, reward_function=reward_function, last_k=1) + start_position = pick_start_position(maze_name=maze_name) + + data_round = 0 + def ppo_dataset_loader(ppo_inference: GPT2PPOInference, policy: GPT2PPOPolicy) -> PPODataset: + + # # reranker_policy = + # if reranker_policy: + # print("reranker policy!") + # policy = ReRankerSamplePolicy( + # proposal_fn=maze_proposal_function, + # score_fn=build_ppo_score_fn( + # inference=ppo_inference, + # tokenizer=tokenizer, + # max_length=max_input_length+max_output_length, + # bsize=ppo_data_bsize, + # ) + + # ) + + # generation_examples = [] + # maze = double_t_maze() + # correct_answers = double_t_maze_optimal_directions() + # positions = zip(*np.where(maze == 0)) + # goal = (8, 6) + # for position in positions: + # generation_examples.append([describe_observation_give_position(maze, position, goal), [correct_answers[position]]]) + + # generation_data = generate_language( + # inference=ppo_inference, + # prompts=list(map(lambda x: tokenizer.bos_token+x['in_text'].removeprefix(tokenizer.bos_token), generation_examples)), + # references=list(map(lambda x: x['stockfish_actions'], generation_examples)), + # prng_key=jax.random.PRNGKey(0), + # bsize=8, + # generation_batches=None, + # blocking_strategy=BlockingStrategy( + # padding=Padding.LEFT, + # truncation=Truncation.LEFT, + # max_length=max_input_length + # ), + # generation_config=GenerationConfig( + # max_length=max_input_length+max_output_length, + # do_sample=False, + # num_beams=1, + # pad_token_id=tokenizer.pad_token_id, + # eos_token_id=tokenizer.encode('\n')[0], + # temperature=None, + # top_k=None, + # top_p=None, + # ), + # ) + + reranker_policy = ReRankerPolicy( + proposal_fn=maze_proposal_function, + score_fn=build_ppo_score_fn( + inference=ppo_inference, + tokenizer=tokenizer, + max_length=max_input_length+max_output_length, + bsize=ppo_data_bsize, + ), + ) + + maze = double_t_maze() + goal = (8, 6) + correct_answers = double_t_maze_optimal_directions() + positions = np.argwhere(maze == 0).tolist() # note make sure to set temperature to 0 + with mesh: + num_correct = 0 + for position in positions: + env.position = position + observation = describe_observation_give_position(maze, position, env.goal) + text_history = (Text(observation, False),) + # embed() + # if reranker: + output = reranker_policy.act(text_history) + prediction = output[-1].text + # output = policy.act([text_history], done=[False]) + # prediction = output[-1][-1].text + # output = policy.act(text_history) + # prediction = output[-1].text + if position[0] == goal[0] and position[1] == goal[1]: + continue + if prediction == correct_answers[tuple(position)]: + num_correct += 1 + print("correct!", observation, position, prediction, correct_answers[tuple(position)]) + else: + print("incorrect!", observation, position, prediction, correct_answers[tuple(position)]) + accuracy = num_correct/(len(positions)-1)*100 + print("Accuracy: ", accuracy) + + print("collecting data ...") + nonlocal data_round + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + # env_options={"init_position": start_position}, + ) + summary_results = pull_logs(summary_results) + + text_trajectory_chains = [] + for raw_result in raw_results: + curr_chain = [] + for transition in raw_result: + try: + text_trajectory = TextTrajectory( + text_history=transition.post_action_history, + reward=[0.0, transition.reward], + done=transition.done, + ) + curr_chain.append(text_trajectory) + except: + embed() + + chain = None + for text_trajectory in curr_chain[::-1]: + chain = TextTrajectoryChain( + text_trajectory=text_trajectory, + next=chain, + ) + + text_trajectory_chains.append(chain) + + ppo_data, all_kls = ppo_inference.get_ppo_data_from_text_trajectory_chain( + text_trajectory_chains, + bsize=ppo_data_bsize, + max_length=max_input_length+max_output_length, + gamma=gamma, + lam=lam, + kl_weight=kl_controller.value, + use_advantage_whitening=use_advantage_whitening, + ) + mean_kl = all_kls.mean().item() + kl_controller.update(mean_kl, train_bsize) + + ppo_dataset = PPODataset.from_ppo_data_list( + ppo_data, + tokenizer, + BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length+max_output_length), + ) + + logs = dict( + policy=dict( + initial_policy_kl=get_tensor_stats_np(all_kls, np.ones(all_kls.shape), all_kls.size), + sqrt_initial_policy_kl=np.sqrt(mean_kl), + kl_ctrl_value=kl_controller.value, + ), + env_interaction=summary_results, + accuracy=accuracy, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_ppo_dataset: + print('saving ppo dataset ...') + print(save_dir) + # save_dataset_to_bucket(ppo_dataset, save_dir, data_round, is_main_process, text_trajectory_chains, raw_results, summary_results) + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'ppo_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(ppo_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'text_trajectory_chains.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(text_trajectory_chains, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'raw_results.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(raw_results, f) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return ppo_dataset + + # outputs_path = convert_path(f"outputs/chess/{exp_name}/") + outputs_path = f"{outputs_path}/{exp_name}" + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=outputs_path, + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + # def evaluate(ppo_inference: GPT2PPOInference, ppo_policy: GPT2PPOPolicy): + # policy = GPT2PPOPolicy( + # inference=ppo_inference, + # prng_key=policy_prng, + # generation_config=GenerationConfig( + # do_sample=False, + # num_beams=policy_num_beams, + # temperature=policy_temperature, + # top_p=policy_top_p, + # top_k=policy_top_k, + # eos_token_id=tokenizer.encode('\n')[0], + # pad_token_id=tokenizer.pad_token_id, + # max_new_tokens=max_output_length, + # ), + # blocking_strategy=BlockingStrategy( + # padding=Padding.LEFT, + # truncation=Truncation.LEFT, + # max_length=max_input_length, + # ), + # out_str_process=lambda x: x.removesuffix('\n')+'\n', + # ) + + # accuracy = compute_move_accuracy(policy) + # return {"accuracy": accuracy} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=ppo_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + bc_dataset=bc_data, + bc_bsize=train_bc_bsize, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/raw_text.txt b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/raw_text.txt new file mode 100755 index 00000000..13a4206f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/maze/raw_text.txt @@ -0,0 +1,21 @@ +{ + "choices": [ + { + "finish_reason": "stop", + "index": 0, + "message": { + "content": "{\"thought\": \"I know the goal is at position 8, 6 and my current position is at position 2, 3. I also know that there are walls to my right and to my left. A good action to try might therefore be \"move up\", since it is in the list of possible actions, and it will get me closer to the goal.\", \"action\": \"move up\"}", + "role": "assistant" + } + } + ], + "created": 1697919516, + "id": "chatcmpl-8CCiaiOZIy94VvhSxEdW9GzZd4pUS", + "model": "gpt-4-0613", + "object": "chat.completion", + "usage": { + "completion_tokens": 83, + "prompt_tokens": 463, + "total_tokens": 546 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/run_tasks/train_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/run_tasks/train_bc.py new file mode 100755 index 00000000..57766c2b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/run_tasks/train_bc.py @@ -0,0 +1,299 @@ +from functools import partial +from typing import Optional +from IPython import embed +import tyro +from LLM_RL.algorithms.bc.data import BCDataset, BCIterableDataset +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save, MapIterable, BlockingStrategy, Padding, Truncation +import jax +import jax.numpy as jnp +from JaxSeq.utils import get_weight_decay_mask +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Train, GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from JaxSeq.data import Seq2SeqIterableDataset +from JaxSeq.train import eval_loss, train_loop +from jaxtyping import PyTree +import re +from JaxSeq.optimizers import GPT3Optimizer +from transformers.generation import GenerationConfig +import json +from transformers import AutoTokenizer +from JaxSeq.bucket_manager import open_with_bucket as open +from LLM_RL.algorithms.bc.interface import bc_loss, load_bc_inference, load_bc_trainer +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.environment import TokenHistory +from llm_rl_scripts.chess.env.env import preprocess_move, preprocess_state, text_env_eval_chess_positions +from JaxSeq.logs import pull_logs +from LLMRL_tasks.llm_rl.data import get_data + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + task_name: str, + train_data_path: str, + eval_data_path: str, + test_positions_path: str, # need to fix this for endgames + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=True, + wandb_project: Optional[str]="llm_rl_endgames", + + epochs: int=1, + max_steps: Optional[int]=None, + + weight_decay: float=0.001, + init_lr: float=0.0, + end_lr: float=0.0001, + lr: float=0.0001, + lr_warmup_steps: int=0, + lr_decay_steps: int=1001, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + train_bsize: int=128, + grad_accum_steps: Optional[int]=1, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + bf16_activations: bool=False, + + max_input_length: int=150, # maximum possible board state length + max_output_length: int=10, + + log_every: int=256, + eval_every_steps: Optional[int]=10240, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=True, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + generation_bsize: int=4, + generation_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + traj_max_length:int=40, + + filtered: bool=False, + ): + + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained("gpt2") + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # train_items = all_items[:int(len(all_items)*eval_frac)] + # eval_items = all_items[int(len(all_items)*eval_frac):] + + train_chain_generator, eval_chain_generator = get_data(task_name, train_data_path, eval_data_path) + + # TODO: copy in code for BCIterableDataset and BCDataset + def str_iterable(chain_generator): + for chain in chain_generator: + curr_trajectory = chain.text_trajectory + text_history = curr_trajectory.text_history + token_history = TokenHistory.from_text_history(text_history, tokenizer) + yield token_history + + if epochs == 1: + train_data = BCIterableDataset( + token_generator=str_iterable(train_chain_generator), + pad_token_id=tokenizer.pad_token_id, + max_len=max_input_length + max_output_length, + ) + + eval_data = BCIterableDataset( + token_generator=str_iterable(eval_chain_generator), + pad_token_id=tokenizer.pad_token_id, + max_len=max_input_length + max_output_length, + ) + else: + train_data = BCDataset( + token_histories=list(str_iterable(train_chain_generator)), + pad_token_id=tokenizer.pad_token_id, + max_len=max_input_length + max_output_length, + ) + + eval_data = BCDataset( + token_histories=list(str_iterable(eval_chain_generator)), + pad_token_id=tokenizer.pad_token_id, + max_len=max_input_length + max_output_length, + ) + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_\d+'\]", re.escape("['bias']")]), + "".join([r"\['ln_\d+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=init_lr, + end_lr=end_lr, + lr=lr, + lr_warmup_steps=lr_warmup_steps, + lr_decay_steps=lr_decay_steps, + weight_decay=weight_decay, + bf16_momentum=bf16_momentum, + multiply_by_parameter_scale=multiply_by_parameter_scale, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(bc_loss, non_action_weight=0.0) + + trainer = GPT2Train.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + loss_fn=loss_fn, + ) + + inference = GPT2Inference.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + + with open(test_positions_path, "r") as f: + positions = list(f) + positions = [position.replace("\n", "").replace("\"", "") for position in positions if position != ""] + + def evaluator(inference: GPT2Inference): + data_results = eval_loss( + inference=inference, + dataset=eval_data, + prng_key=jax.random.PRNGKey(1), + bsize=4, + eval_batches=64, + ) + + policy = GPT2PPOPolicy( + inference=inference, + prng_key=jax.random.PRNGKey(1), + generation_config=GenerationConfig( + do_sample=True, + num_beams=1, + temperature=None, + top_p=None, + top_k=None, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + raw_results, summary_results = text_env_eval_chess_positions( + positions=positions, + policy=policy, + n_rollouts=1, + bsize=1, + ) + summary_results = pull_logs(summary_results) + + return data_results['loss'], {'data': data_results, 'interaction_env': summary_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/bc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/bc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/bc/train_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/bc/train_bc.py new file mode 100755 index 00000000..01e654f9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/bc/train_bc.py @@ -0,0 +1,291 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2TrainMask, GPT2InferenceMask +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from JaxSeq.data import MaskIterableDataset +from JaxSeq.train import eval_loss, train_loop +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from JaxSeq.optimizers import GPT3Optimizer +from llm_rl_scripts.text_nav.env import TextNavEnv +from llm_rl_scripts.text_nav.dataset.utils import data_stream +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.environment import text_history_to_str, text_env_eval + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + + /, # Mark the end of positional arguments. + is_partial_info: bool=True, + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + weight_decay: float=0.001, + init_lr: float=0.0, + end_lr: float=0.002, + lr: float=0.001, + lr_warmup_steps: int=1000, + lr_decay_steps: int=1001, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + resid_pdrop: float=0.05, + attn_pdrop: float=0.05, + embd_pdrop: float=0.05, + + train_bsize: int=16, + grad_accum_steps: Optional[int]=None, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + bf16_activations: bool=False, + + max_length: int=2048, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + train_data = MaskIterableDataset.blocked_from_str_segments_iterable( + MapIterable(lambda x: (tokenizer.bos_token + x['in_text'], x['out_text']), + FileOpenIterable(convert_path(train_data_path), 'r', pipe=data_stream)), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_length, + ), + ) + + eval_data = MaskIterableDataset.blocked_from_str_segments_iterable( + MapIterable(lambda x: (tokenizer.bos_token + x['in_text'], x['out_text']), + FileOpenIterable(convert_path(eval_data_path), 'r', pipe=data_stream)), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_length, + ), + ) + + env = TextNavEnv(display_location=not is_partial_info, + display_inventory=not is_partial_info) + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=init_lr, + end_lr=end_lr, + lr=lr, + lr_warmup_steps=lr_warmup_steps, + lr_decay_steps=lr_decay_steps, + weight_decay=weight_decay, + bf16_momentum=bf16_momentum, + multiply_by_parameter_scale=multiply_by_parameter_scale, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + model.config.resid_pdrop = resid_pdrop + model.config.embd_pdrop = embd_pdrop + model.config.attn_pdrop = attn_pdrop + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + trainer = GPT2TrainMask.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2PPOPolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_metrics = eval_loss( + inference=inference, + dataset=eval_data, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interation_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + return loss_metrics['loss'], {'loss_metrics': loss_metrics, 'generation_metrics': interaction_summary_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/dataset/collect_data.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/dataset/collect_data.py new file mode 100755 index 00000000..ce31e672 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/dataset/collect_data.py @@ -0,0 +1,98 @@ +import json +import re +import numpy as np +import textworld +from textworld import Agent +from llm_rl_scripts.text_nav.env import TextNavEnv + + +walkthrough = { + "Bedroom": [["go west"], ["go west"]], + "Office": [["go north"], ["go north"]], + "Bathroom": [["go north"], ["go north"]], + "Living Room": [["take stale food from table", "go west"], ["go west"]], + "Kitchen": [["go east"], ["open fridge", "insert stale food into fridge", "close fridge"]], + "Dining Room": [["go east"], ["go west"]], + "Garden": [["go south"], ["go south"]], + "Backyard": [["go east"], ["go east"]], +} + + +class PartialWalkthroughAgent(Agent): + """ Agent that behaves optimally for subset of rooms and randomly the rest. """ + + def __init__(self, optimal_rooms = ["Bedroom", "Office", "Bathroom", "Living Room"]): + self.optimal_rooms = optimal_rooms + self.rng = np.random.RandomState(1234) + + def reset(self, env): + env.infos.admissible_commands = True + env.display_command_during_render = True + + self.has_stale_food = False + self.commands = iter([]) + + def act(self, game_state, reward, done): + p = re.compile("-= (.*) =-") + room = p.search(game_state.description).group(1) + + try: + action = next(self.commands) + except StopIteration: + if self.rng.rand() > 0.9 and room in self.optimal_rooms: + idx = int(self.has_stale_food) + self.commands = iter(walkthrough[room][idx]) + action = next(self.commands) + else: + action = self.rng.choice(game_state.admissible_commands) + + action = action.strip() # Remove trailing \n, if any. + if action == "take stale food from table": + self.has_stale_food = True + return action + + +if __name__ == "__main__": + max_nb_steps = 15 + + data = [] + for i in range(200): + if i % 20 == 0: + print("{}/200".format(i)) + + env = TextNavEnv(display_location=True, display_inventory=True) + + if np.random.rand() > 0.25: + optimal_rooms = ["Office", "Bathroom", "Garden", "Backyard"] + else: + optimal_rooms = ["Kitchen", "Dining Room", "Living Room", "Bedroom"] + agent = PartialWalkthroughAgent(optimal_rooms) + agent.reset(env.env) + env._reset() + + text_history = [env.state.feedback.strip()] + rewards = [] + dones = [] + + for _ in range(max_nb_steps): + command = agent.act(env.state, env.state.score, env.state.done) + env._step(command) + + text_history.append(command) + text_history.append(env.state.feedback.strip()) + rewards.append(env.state.score) + dones.append(env.state.done) + if env.state.done: + break + env.env.close() + + dones[-1] = True + + data.append({"text_history": text_history, + "rewards": rewards, + "dones": dones,}) + + + with open("bc_full_info.json", "w") as f: + json.dump(data, f) + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/dataset/utils.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/dataset/utils.py new file mode 100755 index 00000000..1c3b6a5a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/dataset/utils.py @@ -0,0 +1,21 @@ +from typing import Generator, Dict, List, Tuple, Union +import re +from LLM_RL.environment import Text, TextHistory, TextTrajectory + + +def data_stream(fp: Iterator) -> Generator[Dict, None, None]: + """Generator for reading data json files.""" + for line in fp: + line = line.strip() + if line == '': + continue + try: + data = json.loads(line) + except json.decoder.JSONDecodeError: + print(f'Error parsing json line:\n{line}') + continue + for i in range(0, len(data['text_history']), 2): + in_text = "\n\n".join(data['text_history'][:i+1]) + out_text = data['text_history'][i+1] + yield {'in_text':in_text, 'out_text':out_text} + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/games/textnav_game.json b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/games/textnav_game.json new file mode 100755 index 00000000..d9d4aa85 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/games/textnav_game.json @@ -0,0 +1,575 @@ +{'version': 1, + 'world': [{'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, {'name': 'r_0', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 'c_0', 'type': 'c'}, {'name': 'r_1', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 'c_1', 'type': 'c'}, {'name': 'r_4', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 's_0', 'type': 's'}, {'name': 'r_0', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 's_1', 'type': 's'}, {'name': 'r_3', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 's_2', 'type': 's'}, {'name': 'r_5', 'type': 'r'}]}, + {'name': 'closed', 'arguments': [{'name': 'c_0', 'type': 'c'}]}, + {'name': 'closed', 'arguments': [{'name': 'c_1', 'type': 'c'}]}, + {'name': 'east_of', + 'arguments': [{'name': 'r_0', 'type': 'r'}, {'name': 'r_3', 'type': 'r'}]}, + {'name': 'east_of', + 'arguments': [{'name': 'r_2', 'type': 'r'}, {'name': 'r_1', 'type': 'r'}]}, + {'name': 'east_of', + 'arguments': [{'name': 'r_3', 'type': 'r'}, {'name': 'r_5', 'type': 'r'}]}, + {'name': 'east_of', + 'arguments': [{'name': 'r_4', 'type': 'r'}, {'name': 'r_7', 'type': 'r'}]}, + {'name': 'east_of', + 'arguments': [{'name': 'r_5', 'type': 'r'}, {'name': 'r_4', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_0', 'type': 'r'}, {'name': 'r_2', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_0', 'type': 'r'}, {'name': 'r_3', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_1', 'type': 'r'}, {'name': 'r_2', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_1', 'type': 'r'}, {'name': 'r_3', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_2', 'type': 'r'}, {'name': 'r_0', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_2', 'type': 'r'}, {'name': 'r_1', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_3', 'type': 'r'}, {'name': 'r_0', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_3', 'type': 'r'}, {'name': 'r_1', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_3', 'type': 'r'}, {'name': 'r_5', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_4', 'type': 'r'}, {'name': 'r_5', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_4', 'type': 'r'}, {'name': 'r_6', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_4', 'type': 'r'}, {'name': 'r_7', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_5', 'type': 'r'}, {'name': 'r_3', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_5', 'type': 'r'}, {'name': 'r_4', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_6', 'type': 'r'}, {'name': 'r_4', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_7', 'type': 'r'}, {'name': 'r_4', 'type': 'r'}]}, + {'name': 'in', + 'arguments': [{'name': 'o_5', 'type': 'o'}, {'name': 'c_0', 'type': 'c'}]}, + {'name': 'in', + 'arguments': [{'name': 'o_6', 'type': 'o'}, {'name': 'c_1', 'type': 'c'}]}, + {'name': 'north_of', + 'arguments': [{'name': 'r_0', 'type': 'r'}, {'name': 'r_2', 'type': 'r'}]}, + {'name': 'north_of', + 'arguments': [{'name': 'r_3', 'type': 'r'}, {'name': 'r_1', 'type': 'r'}]}, + {'name': 'north_of', + 'arguments': [{'name': 'r_6', 'type': 'r'}, {'name': 'r_4', 'type': 'r'}]}, + {'name': 'on', + 'arguments': [{'name': 'o_0', 'type': 'o'}, {'name': 's_1', 'type': 's'}]}, + {'name': 'on', + 'arguments': [{'name': 'o_1', 'type': 'o'}, {'name': 's_1', 'type': 's'}]}, + {'name': 'on', + 'arguments': [{'name': 'o_2', 'type': 'o'}, {'name': 's_0', 'type': 's'}]}, + {'name': 'on', + 'arguments': [{'name': 'o_3', 'type': 'o'}, {'name': 's_2', 'type': 's'}]}, + {'name': 'on', + 'arguments': [{'name': 'o_4', 'type': 'o'}, {'name': 's_2', 'type': 's'}]}, + {'name': 'south_of', + 'arguments': [{'name': 'r_1', 'type': 'r'}, {'name': 'r_3', 'type': 'r'}]}, + {'name': 'south_of', + 'arguments': [{'name': 'r_2', 'type': 'r'}, {'name': 'r_0', 'type': 'r'}]}, + {'name': 'south_of', + 'arguments': [{'name': 'r_4', 'type': 'r'}, {'name': 'r_6', 'type': 'r'}]}, + {'name': 'west_of', + 'arguments': [{'name': 'r_1', 'type': 'r'}, {'name': 'r_2', 'type': 'r'}]}, + {'name': 'west_of', + 'arguments': [{'name': 'r_3', 'type': 'r'}, {'name': 'r_0', 'type': 'r'}]}, + {'name': 'west_of', + 'arguments': [{'name': 'r_4', 'type': 'r'}, {'name': 'r_5', 'type': 'r'}]}, + {'name': 'west_of', + 'arguments': [{'name': 'r_5', 'type': 'r'}, {'name': 'r_3', 'type': 'r'}]}, + {'name': 'west_of', + 'arguments': [{'name': 'r_7', 'type': 'r'}, {'name': 'r_4', 'type': 'r'}]}], + 'grammar': {'theme': 'house', + 'names_to_exclude': ['coffee cup', + 'garden', + 'fresh food', + None, + 'office', + 'stale food', + 'chest', + 'plate', + 'fridge', + 'dining room', + 'utensils', + 'fruit', + 'living room', + 'table', + 'backyard', + 'bowl', + 'bedroom', + 'bathroom', + 'kitchen'], + 'include_adj': False, + 'blend_descriptions': True, + 'ambiguous_instructions': False, + 'only_last_action': False, + 'blend_instructions': False, + 'allowed_variables_numbering': False, + 'unique_expansion': False, + 'hide_location': True}, + 'quests': [{'desc': "It's time to explore the amazing world of TextWorld! First, it would be great if you could try to go to the west. Next, pick up the stale food from the table. And then, head west. Then, venture west. And then, assure that the fridge is open. And then, put the stale food inside the fridge in the kitchen. After that, close the fridge inside the kitchen. Alright, thanks!", + 'reward': 1, + 'commands': ('go west', + 'take stale food from table', + 'go west', + 'go west', + 'open fridge', + 'insert stale food into fridge', + 'close fridge'), + 'win_events': [{'commands': ('go west', + 'take stale food from table', + 'go west', + 'go west', + 'open fridge', + 'insert stale food into fridge', + 'close fridge'), + 'actions': [{'name': 'go/west', + 'preconditions': [{'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_0', 'type': 'r'}]}, + {'name': 'west_of', + 'arguments': [{'name': 'r_3', 'type': 'r'}, + {'name': 'r_0', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_0', 'type': 'r'}, + {'name': 'r_3', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_3', 'type': 'r'}, + {'name': 'r_0', 'type': 'r'}]}], + 'postconditions': [{'name': 'west_of', + 'arguments': [{'name': 'r_3', 'type': 'r'}, + {'name': 'r_0', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_0', 'type': 'r'}, + {'name': 'r_3', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_3', 'type': 'r'}, + {'name': 'r_0', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_3', 'type': 'r'}]}], + 'command_template': 'go west', + 'reverse_name': 'go/east', + 'reverse_command_template': 'go east'}, + {'name': 'take/s', + 'preconditions': [{'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_3', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 's_1', 'type': 's'}, + {'name': 'r_3', 'type': 'r'}]}, + {'name': 'on', + 'arguments': [{'name': 'o_0', 'type': 'o'}, + {'name': 's_1', 'type': 's'}]}], + 'postconditions': [{'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_3', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 's_1', 'type': 's'}, + {'name': 'r_3', 'type': 'r'}]}, + {'name': 'in', + 'arguments': [{'name': 'o_0', 'type': 'o'}, + {'name': 'I', 'type': 'I'}]}], + 'command_template': 'take {o_0} from {s_1}', + 'reverse_name': 'put', + 'reverse_command_template': 'put {o_0} on {s_1}'}, + {'name': 'go/west', + 'preconditions': [{'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_3', 'type': 'r'}]}, + {'name': 'west_of', + 'arguments': [{'name': 'r_5', 'type': 'r'}, + {'name': 'r_3', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_3', 'type': 'r'}, + {'name': 'r_5', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_5', 'type': 'r'}, + {'name': 'r_3', 'type': 'r'}]}], + 'postconditions': [{'name': 'west_of', + 'arguments': [{'name': 'r_5', 'type': 'r'}, + {'name': 'r_3', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_3', 'type': 'r'}, + {'name': 'r_5', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_5', 'type': 'r'}, + {'name': 'r_3', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_5', 'type': 'r'}]}], + 'command_template': 'go west', + 'reverse_name': 'go/east', + 'reverse_command_template': 'go east'}, + {'name': 'go/west', + 'preconditions': [{'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_5', 'type': 'r'}]}, + {'name': 'west_of', + 'arguments': [{'name': 'r_4', 'type': 'r'}, + {'name': 'r_5', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_5', 'type': 'r'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_4', 'type': 'r'}, + {'name': 'r_5', 'type': 'r'}]}], + 'postconditions': [{'name': 'west_of', + 'arguments': [{'name': 'r_4', 'type': 'r'}, + {'name': 'r_5', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_5', 'type': 'r'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'free', + 'arguments': [{'name': 'r_4', 'type': 'r'}, + {'name': 'r_5', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_4', 'type': 'r'}]}], + 'command_template': 'go west', + 'reverse_name': 'go/east', + 'reverse_command_template': 'go east'}, + {'name': 'open/c', + 'preconditions': [{'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 'c_1', 'type': 'c'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'closed', 'arguments': [{'name': 'c_1', 'type': 'c'}]}], + 'postconditions': [{'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 'c_1', 'type': 'c'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'open', 'arguments': [{'name': 'c_1', 'type': 'c'}]}], + 'command_template': 'open {c_1}', + 'reverse_name': 'close/c', + 'reverse_command_template': 'close {c_1}'}, + {'name': 'insert', + 'preconditions': [{'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 'c_1', 'type': 'c'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'open', 'arguments': [{'name': 'c_1', 'type': 'c'}]}, + {'name': 'in', + 'arguments': [{'name': 'o_0', 'type': 'o'}, + {'name': 'I', 'type': 'I'}]}], + 'postconditions': [{'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 'c_1', 'type': 'c'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'open', 'arguments': [{'name': 'c_1', 'type': 'c'}]}, + {'name': 'in', + 'arguments': [{'name': 'o_0', 'type': 'o'}, + {'name': 'c_1', 'type': 'c'}]}], + 'command_template': 'insert {o_0} into {c_1}', + 'reverse_name': 'take/c', + 'reverse_command_template': 'take {o_0} from {c_1}'}, + {'name': 'close/c', + 'preconditions': [{'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 'c_1', 'type': 'c'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'open', 'arguments': [{'name': 'c_1', 'type': 'c'}]}], + 'postconditions': [{'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 'c_1', 'type': 'c'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'closed', 'arguments': [{'name': 'c_1', 'type': 'c'}]}], + 'command_template': 'close {c_1}', + 'reverse_name': 'open/c', + 'reverse_command_template': 'open {c_1}'}], + 'condition': {'name': 'trigger', + 'preconditions': [{'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 'c_1', 'type': 'c'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'closed', 'arguments': [{'name': 'c_1', 'type': 'c'}]}], + 'postconditions': [{'name': 'at', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'at', + 'arguments': [{'name': 'c_1', 'type': 'c'}, + {'name': 'r_4', 'type': 'r'}]}, + {'name': 'closed', 'arguments': [{'name': 'c_1', 'type': 'c'}]}, + {'name': 'event', + 'arguments': [{'name': 'P', 'type': 'P'}, + {'name': 'c_1', 'type': 'c'}, + {'name': 'r_4', 'type': 'r'}]}], + 'command_template': None, + 'reverse_name': None, + 'reverse_command_template': None}}], + 'fail_events': [], + 'optional': False, + 'repeatable': False}], + 'infos': [('P', + {'id': 'P', + 'type': 'P', + 'name': None, + 'noun': None, + 'adj': None, + 'desc': None, + 'room_type': 'cook', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('I', + {'id': 'I', + 'type': 'I', + 'name': None, + 'noun': None, + 'adj': None, + 'desc': None, + 'room_type': None, + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('r_0', + {'id': 'r_0', + 'type': 'r', + 'name': 'bedroom', + 'noun': None, + 'adj': None, + 'desc': " Oh wow! Is that what I think it is? It is! It's a table. [if there is something on the s_0]You see [a list of things on the s_0] on the table.[end if][if there is nothing on the s_0]But oh no! there's nothing on this piece of junk.[end if]\n\nThere are unguarded exits to the south and west.", + 'room_type': 'cook', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('r_3', + {'id': 'r_3', + 'type': 'r', + 'name': 'living room', + 'noun': None, + 'adj': None, + 'desc': " You see a table. [if there is something on the s_1]On the table you can make out [a list of things on the s_1].[end if][if there is nothing on the s_1]Unfortunately, there isn't a thing on it. Sometimes, just sometimes, TextWorld can just be the worst.[end if]\n\nThere are unguarded exits to the east, south and west.", + 'room_type': 'cook', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('r_2', + {'id': 'r_2', + 'type': 'r', + 'name': 'bathroom', + 'noun': None, + 'adj': None, + 'desc': '\n\nThere are unblocked exits to the north and west.', + 'room_type': 'cook', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('r_1', + {'id': 'r_1', + 'type': 'r', + 'name': 'office', + 'noun': None, + 'adj': None, + 'desc': ' You make out a chest.[if c_0 is open and there is something in the c_0] The chest contains [a list of things in the c_0].[end if][if c_0 is open and the c_0 contains nothing] The chest is empty, what a horrible day![end if]\n\nThere are unguarded exits to the east and north.', + 'room_type': 'clean', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('r_5', + {'id': 'r_5', + 'type': 'r', + 'name': 'dining room', + 'noun': None, + 'adj': None, + 'desc': " You can make out a table. The table is normal.[if there is something on the s_2] On the table you can see [a list of things on the s_2]. There's something strange about this being here, but you can't put your finger on it.[end if][if there is nothing on the s_2] But oh no! there's nothing on this piece of trash. It would have been so cool if there was stuff on the table.[end if]\n\nThere are unguarded exits to the east and west.", + 'room_type': 'rest', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('r_4', + {'id': 'r_4', + 'type': 'r', + 'name': 'kitchen', + 'noun': None, + 'adj': None, + 'desc': ' You see [if c_1 is locked]a locked[else if c_1 is open]an opened[otherwise]a closed[end if] fridge.[if c_1 is open and there is something in the c_1] The fridge contains [a list of things in the c_1].[end if][if c_1 is open and the c_1 contains nothing] The fridge is empty, what a horrible day![end if]\n\nThere are unblocked exits to the east, north and west.', + 'room_type': 'rest', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('r_7', + {'id': 'r_7', + 'type': 'r', + 'name': 'backyard', + 'noun': None, + 'adj': None, + 'desc': '\n\nYou need an unblocked exit? You should try going east.', + 'room_type': 'work', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('r_6', + {'id': 'r_6', + 'type': 'r', + 'name': 'garden', + 'noun': None, + 'adj': None, + 'desc': '\n\nThere is an unguarded exit to the south.', + 'room_type': 'storage', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('c_0', + {'id': 'c_0', + 'type': 'c', + 'name': 'chest', + 'noun': None, + 'adj': None, + 'desc': 'The chest looks strong, and impossible to break. [if open]It is open.[else if closed]It is closed.[otherwise]It is locked.[end if]', + 'room_type': 'clean', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('c_1', + {'id': 'c_1', + 'type': 'c', + 'name': 'fridge', + 'noun': None, + 'adj': None, + 'desc': "The fridge looks strong, and impossible to crack. [if open]You can see inside it.[else if closed]You can't see inside it because the lid's in your way.[otherwise]There is a lock on it.[end if]", + 'room_type': 'rest', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('s_0', + {'id': 's_0', + 'type': 's', + 'name': 'table', + 'noun': None, + 'adj': None, + 'desc': 'The table is unstable.', + 'room_type': 'cook', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('s_1', + {'id': 's_1', + 'type': 's', + 'name': 'table', + 'noun': None, + 'adj': None, + 'desc': 'The table is solidly built.', + 'room_type': 'cook', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('s_2', + {'id': 's_2', + 'type': 's', + 'name': 'table', + 'noun': None, + 'adj': None, + 'desc': 'The table is shaky.', + 'room_type': 'rest', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('o_5', + {'id': 'o_5', + 'type': 'o', + 'name': 'utensils', + 'noun': None, + 'adj': None, + 'desc': 'The utensils seems well matched to everything else here', + 'room_type': 'clean', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('o_6', + {'id': 'o_6', + 'type': 'o', + 'name': 'fruit', + 'noun': None, + 'adj': None, + 'desc': 'The fruit is modern.', + 'room_type': 'rest', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('o_0', + {'id': 'o_0', + 'type': 'o', + 'name': 'stale food', + 'noun': None, + 'adj': None, + 'desc': 'The stale food is expensive looking.', + 'room_type': 'cook', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('o_1', + {'id': 'o_1', + 'type': 'o', + 'name': 'fresh food', + 'noun': None, + 'adj': None, + 'desc': 'The fresh food seems well matched to everything else here', + 'room_type': 'cook', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('o_2', + {'id': 'o_2', + 'type': 'o', + 'name': 'bowl', + 'noun': None, + 'adj': None, + 'desc': 'The bowl appears to be well matched to everything else here', + 'room_type': 'cook', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('o_3', + {'id': 'o_3', + 'type': 'o', + 'name': 'coffee cup', + 'noun': None, + 'adj': None, + 'desc': 'The coffee cup is well-used.', + 'room_type': 'rest', + 'definite': None, + 'indefinite': None, + 'synonyms': None}), + ('o_4', + {'id': 'o_4', + 'type': 'o', + 'name': 'plate', + 'noun': None, + 'adj': None, + 'desc': 'The plate is modern.', + 'room_type': 'rest', + 'definite': None, + 'indefinite': None, + 'synonyms': None})], + 'KB': {'logic': '# supporter\ntype s : t {\n predicates {\n on(o, s);\n }\n\n inform7 {\n type {\n kind :: "supporter";\n definition :: "supporters are fixed in place.";\n }\n\n predicates {\n on(o, s) :: "The {o} is on the {s}";\n }\n }\n}\n\n# thing\ntype t {\n rules {\n examine/t :: at(P, r) & $at(t, r) -> at(P, r);\n }\n\n reverse_rules {\n examine/t :: examine/t;\n }\n\n inform7 {\n type {\n kind :: "thing";\n }\n\n commands {\n examine/t :: "examine {t}" :: "examining the {t}";\n }\n }\n}\n\n# room\ntype r {\n predicates {\n at(P, r);\n at(t, r);\n\n north_of(r, r);\n west_of(r, r);\n\n north_of/d(r, d, r);\n west_of/d(r, d, r);\n\n free(r, r);\n\n south_of(r, r\') = north_of(r\', r);\n east_of(r, r\') = west_of(r\', r);\n\n south_of/d(r, d, r\') = north_of/d(r\', d, r);\n east_of/d(r, d, r\') = west_of/d(r\', d, r);\n }\n\n rules {\n go/north :: at(P, r) & $north_of(r\', r) & $free(r, r\') & $free(r\', r) -> at(P, r\');\n go/south :: at(P, r) & $south_of(r\', r) & $free(r, r\') & $free(r\', r) -> at(P, r\');\n go/east :: at(P, r) & $east_of(r\', r) & $free(r, r\') & $free(r\', r) -> at(P, r\');\n go/west :: at(P, r) & $west_of(r\', r) & $free(r, r\') & $free(r\', r) -> at(P, r\');\n }\n\n reverse_rules {\n go/north :: go/south;\n go/west :: go/east;\n }\n\n constraints {\n r1 :: at(P, r) & at(P, r\') -> fail();\n r2 :: at(s, r) & at(s, r\') -> fail();\n r3 :: at(c, r) & at(c, r\') -> fail();\n\n # An exit direction can only lead to one room.\n nav_rr1 :: north_of(r, r\') & north_of(r\'\', r\') -> fail();\n nav_rr2 :: south_of(r, r\') & south_of(r\'\', r\') -> fail();\n nav_rr3 :: east_of(r, r\') & east_of(r\'\', r\') -> fail();\n nav_rr4 :: west_of(r, r\') & west_of(r\'\', r\') -> fail();\n\n # Two rooms can only be connected once with each other.\n nav_rrA :: north_of(r, r\') & south_of(r, r\') -> fail();\n nav_rrB :: north_of(r, r\') & west_of(r, r\') -> fail();\n nav_rrC :: north_of(r, r\') & east_of(r, r\') -> fail();\n nav_rrD :: south_of(r, r\') & west_of(r, r\') -> fail();\n nav_rrE :: south_of(r, r\') & east_of(r, r\') -> fail();\n nav_rrF :: west_of(r, r\') & east_of(r, r\') -> fail();\n }\n\n inform7 {\n type {\n kind :: "room";\n }\n\n predicates {\n at(P, r) :: "The player is in {r}";\n at(t, r) :: "The {t} is in {r}";\n free(r, r\') :: ""; # No equivalent in Inform7.\n\n north_of(r, r\') :: "The {r} is mapped north of {r\'}";\n south_of(r, r\') :: "The {r} is mapped south of {r\'}";\n east_of(r, r\') :: "The {r} is mapped east of {r\'}";\n west_of(r, r\') :: "The {r} is mapped west of {r\'}";\n\n north_of/d(r, d, r\') :: "South of {r} and north of {r\'} is a door called {d}";\n south_of/d(r, d, r\') :: "North of {r} and south of {r\'} is a door called {d}";\n east_of/d(r, d, r\') :: "West of {r} and east of {r\'} is a door called {d}";\n west_of/d(r, d, r\') :: "East of {r} and west of {r\'} is a door called {d}";\n }\n\n commands {\n go/north :: "go north" :: "going north";\n go/south :: "go south" :: "going south";\n go/east :: "go east" :: "going east";\n go/west :: "go west" :: "going west";\n }\n }\n}\n\n# container\ntype c : t {\n predicates {\n open(c);\n closed(c);\n locked(c);\n\n in(o, c);\n }\n\n rules {\n lock/c :: $at(P, r) & $at(c, r) & $in(k, I) & $match(k, c) & closed(c) -> locked(c);\n unlock/c :: $at(P, r) & $at(c, r) & $in(k, I) & $match(k, c) & locked(c) -> closed(c);\n\n open/c :: $at(P, r) & $at(c, r) & closed(c) -> open(c);\n close/c :: $at(P, r) & $at(c, r) & open(c) -> closed(c);\n }\n\n reverse_rules {\n lock/c :: unlock/c;\n open/c :: close/c;\n }\n\n constraints {\n c1 :: open(c) & closed(c) -> fail();\n c2 :: open(c) & locked(c) -> fail();\n c3 :: closed(c) & locked(c) -> fail();\n }\n\n inform7 {\n type {\n kind :: "container";\n definition :: "containers are openable, lockable and fixed in place. containers are usually closed.";\n }\n\n predicates {\n open(c) :: "The {c} is open";\n closed(c) :: "The {c} is closed";\n locked(c) :: "The {c} is locked";\n\n in(o, c) :: "The {o} is in the {c}";\n }\n\n commands {\n open/c :: "open {c}" :: "opening the {c}";\n close/c :: "close {c}" :: "closing the {c}";\n\n lock/c :: "lock {c} with {k}" :: "locking the {c} with the {k}";\n unlock/c :: "unlock {c} with {k}" :: "unlocking the {c} with the {k}";\n }\n }\n}\n\n# key\ntype k : o {\n predicates {\n match(k, c);\n match(k, d);\n }\n\n constraints {\n k1 :: match(k, c) & match(k\', c) -> fail();\n k2 :: match(k, c) & match(k, c\') -> fail();\n k3 :: match(k, d) & match(k\', d) -> fail();\n k4 :: match(k, d) & match(k, d\') -> fail();\n }\n\n inform7 {\n type {\n kind :: "key";\n }\n\n predicates {\n match(k, c) :: "The matching key of the {c} is the {k}";\n match(k, d) :: "The matching key of the {d} is the {k}";\n }\n }\n}\n\n# Inventory\ntype I {\n predicates {\n in(o, I);\n }\n\n rules {\n inventory :: at(P, r) -> at(P, r); # Nothing changes.\n\n take :: $at(P, r) & at(o, r) -> in(o, I);\n drop :: $at(P, r) & in(o, I) -> at(o, r);\n\n take/c :: $at(P, r) & $at(c, r) & $open(c) & in(o, c) -> in(o, I);\n insert :: $at(P, r) & $at(c, r) & $open(c) & in(o, I) -> in(o, c);\n\n take/s :: $at(P, r) & $at(s, r) & on(o, s) -> in(o, I);\n put :: $at(P, r) & $at(s, r) & in(o, I) -> on(o, s);\n\n examine/I :: in(o, I) -> in(o, I); # Nothing changes.\n examine/s :: at(P, r) & $at(s, r) & $on(o, s) -> at(P, r); # Nothing changes.\n examine/c :: at(P, r) & $at(c, r) & $open(c) & $in(o, c) -> at(P, r); # Nothing changes.\n }\n\n reverse_rules {\n inventory :: inventory;\n\n take :: drop;\n take/c :: insert;\n take/s :: put;\n\n examine/I :: examine/I;\n examine/s :: examine/s;\n examine/c :: examine/c;\n }\n\n inform7 {\n predicates {\n in(o, I) :: "The player carries the {o}";\n }\n\n commands {\n take :: "take {o}" :: "taking the {o}";\n drop :: "drop {o}" :: "dropping the {o}";\n\n take/c :: "take {o} from {c}" :: "removing the {o} from the {c}";\n insert :: "insert {o} into {c}" :: "inserting the {o} into the {c}";\n\n take/s :: "take {o} from {s}" :: "removing the {o} from the {s}";\n put :: "put {o} on {s}" :: "putting the {o} on the {s}";\n\n inventory :: "inventory" :: "taking inventory";\n\n examine/I :: "examine {o}" :: "examining the {o}";\n examine/s :: "examine {o}" :: "examining the {o}";\n examine/c :: "examine {o}" :: "examining the {o}";\n }\n }\n}\n\n# Player\ntype P {\n rules {\n look :: at(P, r) -> at(P, r); # Nothing changes.\n }\n\n reverse_rules {\n look :: look;\n }\n\n inform7 {\n commands {\n look :: "look" :: "looking";\n }\n }\n}\n\n# object\ntype o : t {\n constraints {\n obj1 :: in(o, I) & in(o, c) -> fail();\n obj2 :: in(o, I) & on(o, s) -> fail();\n obj3 :: in(o, I) & at(o, r) -> fail();\n obj4 :: in(o, c) & on(o, s) -> fail();\n obj5 :: in(o, c) & at(o, r) -> fail();\n obj6 :: on(o, s) & at(o, r) -> fail();\n obj7 :: at(o, r) & at(o, r\') -> fail();\n obj8 :: in(o, c) & in(o, c\') -> fail();\n obj9 :: on(o, s) & on(o, s\') -> fail();\n }\n\n inform7 {\n type {\n kind :: "object-like";\n definition :: "object-like is portable.";\n }\n }\n}\n\n# food\ntype f : o {\n predicates {\n edible(f);\n eaten(f);\n }\n\n rules {\n eat :: in(f, I) -> eaten(f);\n }\n\n constraints {\n eaten1 :: eaten(f) & in(f, I) -> fail();\n eaten2 :: eaten(f) & in(f, c) -> fail();\n eaten3 :: eaten(f) & on(f, s) -> fail();\n eaten4 :: eaten(f) & at(f, r) -> fail();\n }\n\n inform7 {\n type {\n kind :: "food";\n definition :: "food is edible.";\n }\n\n predicates {\n edible(f) :: "The {f} is edible";\n eaten(f) :: "The {f} is nowhere";\n }\n\n commands {\n eat :: "eat {f}" :: "eating the {f}";\n }\n }\n}\n\n# door\ntype d : t {\n predicates {\n open(d);\n closed(d);\n locked(d);\n\n link(r, d, r);\n }\n\n rules {\n lock/d :: $at(P, r) & $link(r, d, r\') & $link(r\', d, r) & $in(k, I) & $match(k, d) & closed(d) -> locked(d);\n unlock/d :: $at(P, r) & $link(r, d, r\') & $link(r\', d, r) & $in(k, I) & $match(k, d) & locked(d) -> closed(d);\n\n open/d :: $at(P, r) & $link(r, d, r\') & $link(r\', d, r) & closed(d) -> open(d) & free(r, r\') & free(r\', r);\n close/d :: $at(P, r) & $link(r, d, r\') & $link(r\', d, r) & open(d) & free(r, r\') & free(r\', r) -> closed(d);\n\n examine/d :: at(P, r) & $link(r, d, r\') -> at(P, r); # Nothing changes.\n }\n\n reverse_rules {\n lock/d :: unlock/d;\n open/d :: close/d;\n\n examine/d :: examine/d;\n }\n\n constraints {\n d1 :: open(d) & closed(d) -> fail();\n d2 :: open(d) & locked(d) -> fail();\n d3 :: closed(d) & locked(d) -> fail();\n\n # A door can\'t be used to link more than two rooms.\n link1 :: link(r, d, r\') & link(r, d, r\'\') -> fail();\n link2 :: link(r, d, r\') & link(r\'\', d, r\'\'\') -> fail();\n\n # There\'s already a door linking two rooms.\n link3 :: link(r, d, r\') & link(r, d\', r\') -> fail();\n\n # There cannot be more than four doors in a room.\n too_many_doors :: link(r, d1: d, r1: r) & link(r, d2: d, r2: r) & link(r, d3: d, r3: r) & link(r, d4: d, r4: r) & link(r, d5: d, r5: r) -> fail();\n\n # There cannot be more than four doors in a room.\n dr1 :: free(r, r1: r) & link(r, d2: d, r2: r) & link(r, d3: d, r3: r) & link(r, d4: d, r4: r) & link(r, d5: d, r5: r) -> fail();\n dr2 :: free(r, r1: r) & free(r, r2: r) & link(r, d3: d, r3: r) & link(r, d4: d, r4: r) & link(r, d5: d, r5: r) -> fail();\n dr3 :: free(r, r1: r) & free(r, r2: r) & free(r, r3: r) & link(r, d4: d, r4: r) & link(r, d5: d, r5: r) -> fail();\n dr4 :: free(r, r1: r) & free(r, r2: r) & free(r, r3: r) & free(r, r4: r) & link(r, d5: d, r5: r) -> fail();\n\n free1 :: link(r, d, r\') & free(r, r\') & closed(d) -> fail();\n free2 :: link(r, d, r\') & free(r, r\') & locked(d) -> fail();\n }\n\n inform7 {\n type {\n kind :: "door";\n definition :: "door is openable and lockable.";\n }\n\n predicates {\n open(d) :: "The {d} is open";\n closed(d) :: "The {d} is closed";\n locked(d) :: "The {d} is locked";\n link(r, d, r\') :: ""; # No equivalent in Inform7.\n }\n\n commands {\n open/d :: "open {d}" :: "opening {d}";\n close/d :: "close {d}" :: "closing {d}";\n\n unlock/d :: "unlock {d} with {k}" :: "unlocking {d} with the {k}";\n lock/d :: "lock {d} with {k}" :: "locking {d} with the {k}";\n\n examine/d :: "examine {d}" :: "examining {d}";\n }\n }\n}\n\n', + 'text_grammars_path': '/Users/joey_hong/TextWorld/textworld/generator/data/text_grammars'}, + 'metadata': {'walkthrough': ['go west', 'go west', 'go west'], + 'desc': 'Generated with textworld.GameMaker.'}, + 'objective': "Welcome to another fast paced session of TextWorld! Here is your task for today. First of all, try to go to the west. Next, venture west. And then, try to go to the west. And if you do that, you're the winner!"} diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/ilql/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/ilql/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/ilql/train_ilql.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/ilql/train_ilql.py new file mode 100755 index 00000000..65965a62 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/ilql/train_ilql.py @@ -0,0 +1,458 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, jsonl_stream, FileOpenIterable +import os +import optax +from JaxSeq.models.gptj.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ilql.base_interface import ilql_loss +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain, text_history_to_str +from LLM_RL.algorithms.ilql.gpt2.interface import GPT2ILQLInference, GPT2ILQLTrain +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.mlp_head import MLPHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ilql.data import ILQLIterableDataset +from functools import partial +import numpy as np +from JaxSeq.logs import log, pull_logs +import json +from LLM_RL.algorithms.ilql.train import train_loop, eval_loss +from LLM_RL.algorithms.ilql.data import ILQLData, ILQLIterableDataset +from JaxSeq.utils import multihost_device_get +from llm_rl_scripts.text_nav.env import TextNavEnv + + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + vocab_file: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-4, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + policy_bsize: int=32, + policy_n_rollouts: int=32, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + beta: float=16.0, + + detach_q1: bool=False, + detach_q2: bool=False, + detach_v: bool=False, + polyak_alpha: float=0.005, + hard_update_every: Optional[int]=None, + + gamma: float=0.99, + tau: float=0.8, + cql_weight: float=0.00, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def expand(lst, default_value): + new_lst = [default_value] + for elem in lst: + new_lst.append(elem) + new_lst.append(default_value) + return new_lst + + def map_data_item(item): + text_trajectory_chain = TextTrajectoryChain( + text_trajectory=TextTrajectory( + # Actions are at odd indices + text_history=[Text(text, i % 2 != 0) for i, text in enumerate(item['text_history'])], + reward=expand(item['rewards'], 0.0), + done=item['dones'][-1], + ), + next=None, + ) + token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(text_trajectory_chain, tokenizer) + return ILQLData.from_token_trajectory_chain(token_trajectory_chain) + + train_dataset = ILQLIterableDataset.from_ilql_data_iterable( + MapIterable(map_data_item, FileOpenIterable(convert_path(train_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + eval_dataset = ILQLIterableDataset.from_ilql_data_iterable( + MapIterable(map_data_item, FileOpenIterable(convert_path(eval_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + base_model.config.gradient_checkpointing = gradient_checkpointing + base_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + target_base_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + target_base_params = shard_params_from_params( + model=base_model, + params=target_base_params, + ) + with jax.default_device(jax.devices('cpu')[0]): + pi_beta_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + pi_beta_params = shard_params_from_params( + model=base_model, + params=pi_beta_params, + ) + + q1_prng_key = jax.random.PRNGKey(4) + q1_head_train_state, q_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.1, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q1_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q1_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q1_head_train_state.params, + ) + q1_target_head_params = shard_params_from_params( + model=q_head, + params=q1_target_head_params, + ) + + q2_prng_key = jax.random.PRNGKey(5) + q2_head_train_state, _ = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.1, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q2_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q2_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q2_head_train_state.params, + ) + q2_target_head_params = shard_params_from_params( + model=q_head, + params=q2_target_head_params, + ) + + v_prng_key = jax.random.PRNGKey(6) + v_head_train_state, v_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=1, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.1, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=v_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(ilql_loss, gamma=gamma, tau=tau, cql_weight=cql_weight) + + train = GPT2ILQLTrain.load_train( + base_train_state=base_train_state, + target_base_params=target_base_params, + q1_head_train_state=q1_head_train_state, + q2_head_train_state=q2_head_train_state, + v_head_train_state=v_head_train_state, + q1_target_head_params=q1_target_head_params, + q2_target_head_params=q2_target_head_params, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q1=detach_q1, + detach_q2=detach_q2, + detach_v=detach_v, + polyak_alpha=polyak_alpha, + hard_update_every=hard_update_every, + ) + + inference = GPT2ILQLInference.load_inference( + value_inference=GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q1_head_params=q1_head_train_state.params, + q2_head_params=q2_head_train_state.params, + v_head_params=v_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + beta=beta, + dp_shard_logits=True, + ), + target_value_inference=GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=target_base_params, + q1_head_params=q1_target_head_params, + q2_head_params=q2_target_head_params, + v_head_params=None, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=None, + tokenizer=tokenizer, + beta=beta, + dp_shard_logits=True, + ), + loss_fn=loss_fn, + ) + + env = TextNavEnv() + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPT2ILQLInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_results = eval_loss( + inference=inference, + dataset=eval_dataset, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interaction_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interaction_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + logs = pull_logs(interaction_summary_results) + log(logs, use_wandb and is_main_process) + + return loss_results['losses']['total_loss'], {'interaction': logs, 'loss': loss_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=train_dataset, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/mc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/mc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/mc/train_mc_returns.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/mc/train_mc_returns.py new file mode 100755 index 00000000..4709c9c2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/mc/train_mc_returns.py @@ -0,0 +1,351 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, jsonl_stream, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.mc_returns.base_interface import mc_loss +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain, text_history_to_str +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import copy_sharded_pytree +from functools import partial +from JaxSeq.logs import log, pull_logs +from LLM_RL.algorithms.mc_returns.train import train_loop, eval_loss +from LLM_RL.algorithms.mc_returns.data import MCData, MCIterableDataset +from LLM_RL.algorithms.mc_returns.gpt2.interface import GPT2MCTrain, GPT2MCInference +from llm_rl_scripts.text_nav.env import TextNavEnv + + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + + /, # Mark the end of positional arguments. + is_partial_info: bool=True, + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + policy_bsize: int=32, + policy_n_rollouts: int=32, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + beta: float=16.0, + detach_q: bool=False, + gamma: float=0.99, + cql_weight: float=0.01, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def expand(lst, default_value): + new_lst = [default_value] + for elem in lst: + new_lst.append(elem) + new_lst.append(default_value) + return new_lst + + def map_data_item(item): + text_trajectory_chain = TextTrajectoryChain( + text_trajectory=TextTrajectory( + # Actions are at odd indices + text_history=[Text(text, i % 2 != 0) for i, text in enumerate(item['text_history'])], + reward=expand(item['rewards'], 0.0), + done=item['dones'][-1] + ), + next=None, + ) + + token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(text_trajectory_chain, tokenizer) + return MCData.from_token_trajectory_chain(token_trajectory_chain, gamma=gamma) + + train_dataset = MCIterableDataset.from_mc_data_iterable( + MapIterable(map_data_item, FileOpenIterable(convert_path(train_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + eval_dataset = MCIterableDataset.from_mc_data_iterable( + MapIterable(map_data_item, FileOpenIterable(convert_path(eval_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + base_model.config.gradient_checkpointing = gradient_checkpointing + base_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + pi_beta_params = copy_sharded_pytree( + model=base_model, + pytree=base_train_state.params, + ) + + q_prng_key = jax.random.PRNGKey(4) + q_head_train_state, q_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + initializer_range=0.0, + bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(mc_loss, cql_weight=cql_weight) + + train = GPT2MCTrain.load_train( + base_train_state=base_train_state, + q_head_train_state=q_head_train_state, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q=detach_q, + ) + + inference = GPT2MCInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q_head_params=q_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + beta=beta, + dp_shard_logits=True, + ) + + env = TextNavEnv(display_location=not is_partial_info, + display_invectory=not is_partial_info) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPT2MCInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_results = eval_loss( + inference=inference, + dataset=eval_dataset, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interaction_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interaction_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + logs = pull_logs(interaction_summary_results) + log(logs, use_wandb and is_main_process) + + return loss_results['losses']['total_loss'], {'interaction': logs, 'loss': loss_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=train_dataset, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/notebooks/play_game.ipynb b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/notebooks/play_game.ipynb new file mode 100755 index 00000000..70529ad0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/notebooks/play_game.ipynb @@ -0,0 +1,921 @@ +{ + "cells": [ + { + "cell_type": "code", + "execution_count": 1, + "id": "ab432214", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Processing /Users/joey_hong/LLM_RL\n", + " Preparing metadata (setup.py) ... \u001b[?25ldone\n", + "\u001b[?25hCollecting textworld@ git+https://github.com/jxihong/TextWorld.git@main (from LLM-RL==1.0.0)\n", + " Cloning https://github.com/jxihong/TextWorld.git (to revision main) to /private/var/folders/g8/fjsx340n323bwwsqrm78z0y40000gp/T/pip-install-8tgfu7ce/textworld_7e769ff31e794ced8da61fdf07a5c518\n", + " Running command git clone --filter=blob:none --quiet https://github.com/jxihong/TextWorld.git /private/var/folders/g8/fjsx340n323bwwsqrm78z0y40000gp/T/pip-install-8tgfu7ce/textworld_7e769ff31e794ced8da61fdf07a5c518\n", + " Resolved https://github.com/jxihong/TextWorld.git to commit afc518cb76af12eaabe8671f580012a094ee74c9\n", + " Preparing metadata (setup.py) ... \u001b[?25ldone\n", + "\u001b[?25hRequirement already satisfied: flax==0.7.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (0.7.2)\n", + "Requirement already satisfied: optax==0.1.3 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (0.1.3)\n", + "Requirement already satisfied: chex==0.1.5 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (0.1.5)\n", + "Requirement already satisfied: torch==1.11 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (1.11.0)\n", + "Requirement already satisfied: tqdm==4.64.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (4.64.0)\n", + "Requirement already satisfied: wandb==0.12.18 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (0.12.18)\n", + "Requirement already satisfied: dm-tree==0.1.7 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (0.1.7)\n", + "Requirement already satisfied: jaxtyping==0.0.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (0.0.2)\n", + "Requirement already satisfied: frozendict==2.3.4 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (2.3.4)\n", + "Requirement already satisfied: transformers==4.26.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (4.26.1)\n", + "Requirement already satisfied: six==1.16.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (1.16.0)\n", + "Requirement already satisfied: pyyaml==6.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (6.0)\n", + "Requirement already satisfied: sentencepiece==0.1.96 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (0.1.96)\n", + "Requirement already satisfied: redis==4.3.4 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (4.3.4)\n", + "Requirement already satisfied: termcolor==1.1.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (1.1.0)\n", + "Requirement already satisfied: google-cloud-storage==2.5.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (2.5.0)\n", + "Requirement already satisfied: Flask==2.2.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (2.2.1)\n", + "Requirement already satisfied: Flask-Cors==3.0.10 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (3.0.10)\n", + "Requirement already satisfied: jax==0.4.7 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (0.4.7)\n", + "Requirement already satisfied: jaxlib==0.4.7 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (0.4.7)\n", + "Requirement already satisfied: h5py==3.7.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (3.7.0)\n", + "Requirement already satisfied: scipy==1.9.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (1.9.0)\n", + "Requirement already satisfied: sklearn==0.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (0.0)\n", + "Requirement already satisfied: openai==0.27.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (0.27.2)\n", + "Requirement already satisfied: scikit-image==0.19.3 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (0.19.3)\n", + "Requirement already satisfied: dill==0.3.5.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (0.3.5.1)\n", + "Requirement already satisfied: tyro==0.3.23 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (0.3.23)\n", + "Requirement already satisfied: rouge-score==0.1.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (0.1.2)\n", + "Requirement already satisfied: gcsfs==2022.8.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (2022.8.2)\n", + "Requirement already satisfied: streamlit==1.20.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (1.20.0)\n", + "Requirement already satisfied: sseclient-py==1.7.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (1.7.2)\n", + "Requirement already satisfied: nltk==3.8.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (3.8.1)\n", + "Requirement already satisfied: chess in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (1.10.0)\n", + "Requirement already satisfied: stockfish in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (3.28.0)\n", + "Requirement already satisfied: IPython in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from LLM-RL==1.0.0) (8.15.0)\n", + "Requirement already satisfied: absl-py>=0.9.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from chex==0.1.5->LLM-RL==1.0.0) (2.0.0)\n", + "Requirement already satisfied: numpy>=1.18.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from chex==0.1.5->LLM-RL==1.0.0) (1.24.4)\n", + "Requirement already satisfied: toolz>=0.9.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from chex==0.1.5->LLM-RL==1.0.0) (0.12.0)\n", + "Requirement already satisfied: Werkzeug>=2.2.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from Flask==2.2.1->LLM-RL==1.0.0) (2.3.7)\n", + "Requirement already satisfied: Jinja2>=3.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from Flask==2.2.1->LLM-RL==1.0.0) (3.1.2)\n", + "Requirement already satisfied: itsdangerous>=2.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from Flask==2.2.1->LLM-RL==1.0.0) (2.1.2)\n", + "Requirement already satisfied: click>=8.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from Flask==2.2.1->LLM-RL==1.0.0) (8.1.7)\n", + "Requirement already satisfied: importlib-metadata>=3.6.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from Flask==2.2.1->LLM-RL==1.0.0) (6.8.0)\n", + "Requirement already satisfied: msgpack in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from flax==0.7.2->LLM-RL==1.0.0) (1.0.7)\n", + "Requirement already satisfied: orbax-checkpoint in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from flax==0.7.2->LLM-RL==1.0.0) (0.1.6)\n", + "Requirement already satisfied: tensorstore in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from flax==0.7.2->LLM-RL==1.0.0) (0.1.46)\n", + "Requirement already satisfied: rich>=11.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from flax==0.7.2->LLM-RL==1.0.0) (13.6.0)\n", + "Requirement already satisfied: typing-extensions>=4.1.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from flax==0.7.2->LLM-RL==1.0.0) (4.7.1)\n", + "Requirement already satisfied: google-auth>=1.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from gcsfs==2022.8.2->LLM-RL==1.0.0) (2.23.3)\n", + "Requirement already satisfied: google-auth-oauthlib in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from gcsfs==2022.8.2->LLM-RL==1.0.0) (1.1.0)\n", + "Requirement already satisfied: requests in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from gcsfs==2022.8.2->LLM-RL==1.0.0) (2.31.0)\n", + "Requirement already satisfied: decorator>4.1.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from gcsfs==2022.8.2->LLM-RL==1.0.0) (5.1.1)\n", + "Requirement already satisfied: fsspec==2022.8.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from gcsfs==2022.8.2->LLM-RL==1.0.0) (2022.8.2)\n", + "Requirement already satisfied: aiohttp!=4.0.0a0,!=4.0.0a1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from gcsfs==2022.8.2->LLM-RL==1.0.0) (3.8.6)\n", + "Requirement already satisfied: google-api-core!=2.0.*,!=2.1.*,!=2.2.*,!=2.3.0,<3.0.0dev,>=1.31.5 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from google-cloud-storage==2.5.0->LLM-RL==1.0.0) (2.12.0)\n", + "Requirement already satisfied: google-cloud-core<3.0dev,>=2.3.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from google-cloud-storage==2.5.0->LLM-RL==1.0.0) (2.3.3)\n", + "Requirement already satisfied: google-resumable-media>=2.3.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from google-cloud-storage==2.5.0->LLM-RL==1.0.0) (2.6.0)\n", + "Requirement already satisfied: ml-dtypes>=0.0.3 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from jax==0.4.7->LLM-RL==1.0.0) (0.3.1)\n", + "Requirement already satisfied: opt-einsum in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from jax==0.4.7->LLM-RL==1.0.0) (3.3.0)\n", + "Requirement already satisfied: typeguard>=2.13.3 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from jaxtyping==0.0.2->LLM-RL==1.0.0) (4.1.5)\n", + "Requirement already satisfied: joblib in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from nltk==3.8.1->LLM-RL==1.0.0) (1.3.2)\n", + "Requirement already satisfied: regex>=2021.8.3 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from nltk==3.8.1->LLM-RL==1.0.0) (2023.10.3)\n", + "Requirement already satisfied: deprecated>=1.2.3 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from redis==4.3.4->LLM-RL==1.0.0) (1.2.14)\n", + "Requirement already satisfied: packaging>=20.4 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from redis==4.3.4->LLM-RL==1.0.0) (23.1)\n", + "Requirement already satisfied: async-timeout>=4.0.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from redis==4.3.4->LLM-RL==1.0.0) (4.0.3)\n", + "Requirement already satisfied: networkx>=2.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from scikit-image==0.19.3->LLM-RL==1.0.0) (3.1)\n", + "Requirement already satisfied: pillow!=7.1.0,!=7.1.1,!=8.3.0,>=6.1.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from scikit-image==0.19.3->LLM-RL==1.0.0) (10.0.0)\n", + "Requirement already satisfied: imageio>=2.4.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from scikit-image==0.19.3->LLM-RL==1.0.0) (2.31.6)\n", + "Requirement already satisfied: tifffile>=2019.7.26 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from scikit-image==0.19.3->LLM-RL==1.0.0) (2023.9.26)\n", + "Requirement already satisfied: PyWavelets>=1.1.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from scikit-image==0.19.3->LLM-RL==1.0.0) (1.4.1)\n", + "Requirement already satisfied: scikit-learn in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from sklearn==0.0->LLM-RL==1.0.0) (1.3.2)\n", + "Requirement already satisfied: altair<5,>=3.2.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from streamlit==1.20.0->LLM-RL==1.0.0) (4.2.2)\n", + "Requirement already satisfied: blinker>=1.0.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from streamlit==1.20.0->LLM-RL==1.0.0) (1.6.2)\n", + "Requirement already satisfied: cachetools>=4.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from streamlit==1.20.0->LLM-RL==1.0.0) (5.3.1)\n", + "Requirement already satisfied: pandas<2,>=0.25 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from streamlit==1.20.0->LLM-RL==1.0.0) (1.5.3)\n", + "Requirement already satisfied: protobuf<4,>=3.12 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from streamlit==1.20.0->LLM-RL==1.0.0) (3.20.3)\n", + "Requirement already satisfied: pyarrow>=4.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from streamlit==1.20.0->LLM-RL==1.0.0) (13.0.0)\n", + "Requirement already satisfied: pympler>=0.9 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from streamlit==1.20.0->LLM-RL==1.0.0) (1.0.1)\n", + "Requirement already satisfied: python-dateutil in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from streamlit==1.20.0->LLM-RL==1.0.0) (2.8.2)\n", + "Requirement already satisfied: semver in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from streamlit==1.20.0->LLM-RL==1.0.0) (3.0.2)\n", + "Requirement already satisfied: toml in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from streamlit==1.20.0->LLM-RL==1.0.0) (0.10.2)\n", + "Requirement already satisfied: tzlocal>=1.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from streamlit==1.20.0->LLM-RL==1.0.0) (5.2)\n", + "Requirement already satisfied: validators>=0.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from streamlit==1.20.0->LLM-RL==1.0.0) (0.22.0)\n", + "Requirement already satisfied: gitpython!=3.1.19 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from streamlit==1.20.0->LLM-RL==1.0.0) (3.1.40)\n", + "Requirement already satisfied: pydeck>=0.1.dev5 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from streamlit==1.20.0->LLM-RL==1.0.0) (0.8.1b0)\n", + "Requirement already satisfied: tornado>=6.0.3 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from streamlit==1.20.0->LLM-RL==1.0.0) (6.3.3)\n", + "Requirement already satisfied: filelock in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from transformers==4.26.1->LLM-RL==1.0.0) (3.12.4)\n", + "Requirement already satisfied: huggingface-hub<1.0,>=0.11.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from transformers==4.26.1->LLM-RL==1.0.0) (0.17.3)\n", + "Requirement already satisfied: tokenizers!=0.11.3,<0.14,>=0.11.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from transformers==4.26.1->LLM-RL==1.0.0) (0.13.3)\n", + "Requirement already satisfied: docstring-parser<0.15.0,>=0.14.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from tyro==0.3.23->LLM-RL==1.0.0) (0.14.1)\n", + "Requirement already satisfied: promise<3,>=2.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from wandb==0.12.18->LLM-RL==1.0.0) (2.3)\n", + "Requirement already satisfied: shortuuid>=0.5.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from wandb==0.12.18->LLM-RL==1.0.0) (1.0.11)\n", + "Requirement already satisfied: psutil>=5.0.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from wandb==0.12.18->LLM-RL==1.0.0) (5.9.5)\n", + "Requirement already satisfied: sentry-sdk>=1.0.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from wandb==0.12.18->LLM-RL==1.0.0) (1.32.0)\n", + "Requirement already satisfied: docker-pycreds>=0.4.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from wandb==0.12.18->LLM-RL==1.0.0) (0.4.0)\n", + "Requirement already satisfied: pathtools in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from wandb==0.12.18->LLM-RL==1.0.0) (0.1.2)\n", + "Requirement already satisfied: setproctitle in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from wandb==0.12.18->LLM-RL==1.0.0) (1.3.3)\n", + "Requirement already satisfied: setuptools in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from wandb==0.12.18->LLM-RL==1.0.0) (68.0.0)\n", + "Requirement already satisfied: backcall in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from IPython->LLM-RL==1.0.0) (0.2.0)\n", + "Requirement already satisfied: jedi>=0.16 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from IPython->LLM-RL==1.0.0) (0.19.0)\n", + "Requirement already satisfied: matplotlib-inline in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from IPython->LLM-RL==1.0.0) (0.1.6)\n", + "Requirement already satisfied: pickleshare in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from IPython->LLM-RL==1.0.0) (0.7.5)\n", + "Requirement already satisfied: prompt-toolkit!=3.0.37,<3.1.0,>=3.0.30 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from IPython->LLM-RL==1.0.0) (3.0.39)\n", + "Requirement already satisfied: pygments>=2.4.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from IPython->LLM-RL==1.0.0) (2.16.1)\n", + "Requirement already satisfied: stack-data in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from IPython->LLM-RL==1.0.0) (0.6.2)\n", + "Requirement already satisfied: traitlets>=5 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from IPython->LLM-RL==1.0.0) (5.9.0)\n", + "Requirement already satisfied: exceptiongroup in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from IPython->LLM-RL==1.0.0) (1.1.3)\n", + "Requirement already satisfied: pexpect>4.3 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from IPython->LLM-RL==1.0.0) (4.8.0)\n", + "Requirement already satisfied: appnope in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from IPython->LLM-RL==1.0.0) (0.1.3)\n", + "Requirement already satisfied: cffi>=1.0.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (1.15.1)\n", + "Requirement already satisfied: more_itertools in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (10.1.0)\n", + "Requirement already satisfied: tatsu<5,>=4.3.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (4.4.0)\n", + "Requirement already satisfied: hashids>=1.2.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (1.3.1)\n", + "Requirement already satisfied: jericho>=3.0.3 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (3.1.2)\n", + "Requirement already satisfied: mementos>=1.3.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (1.3.1)\n", + "Requirement already satisfied: gym<0.26,>=0.10.11 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (0.25.2)\n", + "Requirement already satisfied: attrs>=17.3.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from aiohttp!=4.0.0a0,!=4.0.0a1->gcsfs==2022.8.2->LLM-RL==1.0.0) (23.1.0)\n", + "Requirement already satisfied: charset-normalizer<4.0,>=2.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from aiohttp!=4.0.0a0,!=4.0.0a1->gcsfs==2022.8.2->LLM-RL==1.0.0) (3.2.0)\n", + "Requirement already satisfied: multidict<7.0,>=4.5 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from aiohttp!=4.0.0a0,!=4.0.0a1->gcsfs==2022.8.2->LLM-RL==1.0.0) (6.0.4)\n", + "Requirement already satisfied: yarl<2.0,>=1.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from aiohttp!=4.0.0a0,!=4.0.0a1->gcsfs==2022.8.2->LLM-RL==1.0.0) (1.9.2)\n", + "Requirement already satisfied: frozenlist>=1.1.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from aiohttp!=4.0.0a0,!=4.0.0a1->gcsfs==2022.8.2->LLM-RL==1.0.0) (1.4.0)\n", + "Requirement already satisfied: aiosignal>=1.1.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from aiohttp!=4.0.0a0,!=4.0.0a1->gcsfs==2022.8.2->LLM-RL==1.0.0) (1.3.1)\n", + "Requirement already satisfied: entrypoints in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from altair<5,>=3.2.0->streamlit==1.20.0->LLM-RL==1.0.0) (0.4)\n", + "Requirement already satisfied: jsonschema>=3.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from altair<5,>=3.2.0->streamlit==1.20.0->LLM-RL==1.0.0) (4.19.0)\n", + "Requirement already satisfied: pycparser in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from cffi>=1.0.0->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (2.21)\n", + "Requirement already satisfied: wrapt<2,>=1.10 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from deprecated>=1.2.3->redis==4.3.4->LLM-RL==1.0.0) (1.15.0)\n", + "Requirement already satisfied: gitdb<5,>=4.0.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from gitpython!=3.1.19->streamlit==1.20.0->LLM-RL==1.0.0) (4.0.11)\n", + "Requirement already satisfied: googleapis-common-protos<2.0.dev0,>=1.56.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from google-api-core!=2.0.*,!=2.1.*,!=2.2.*,!=2.3.0,<3.0.0dev,>=1.31.5->google-cloud-storage==2.5.0->LLM-RL==1.0.0) (1.61.0)\n", + "Requirement already satisfied: pyasn1-modules>=0.2.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from google-auth>=1.2->gcsfs==2022.8.2->LLM-RL==1.0.0) (0.3.0)\n", + "Requirement already satisfied: rsa<5,>=3.1.4 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from google-auth>=1.2->gcsfs==2022.8.2->LLM-RL==1.0.0) (4.9)\n", + "Requirement already satisfied: google-crc32c<2.0dev,>=1.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from google-resumable-media>=2.3.2->google-cloud-storage==2.5.0->LLM-RL==1.0.0) (1.5.0)\n", + "Requirement already satisfied: cloudpickle>=1.2.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from gym<0.26,>=0.10.11->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (2.2.1)\n", + "Requirement already satisfied: gym-notices>=0.0.4 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from gym<0.26,>=0.10.11->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (0.0.8)\n", + "Requirement already satisfied: zipp>=0.5 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from importlib-metadata>=3.6.0->Flask==2.2.1->LLM-RL==1.0.0) (3.16.2)\n", + "Requirement already satisfied: parso<0.9.0,>=0.8.3 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from jedi>=0.16->IPython->LLM-RL==1.0.0) (0.8.3)\n", + "Requirement already satisfied: spacy>=2.1.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (3.6.1)\n", + "Requirement already satisfied: MarkupSafe>=2.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from Jinja2>=3.0->Flask==2.2.1->LLM-RL==1.0.0) (2.1.3)\n", + "Requirement already satisfied: pytz>=2020.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from pandas<2,>=0.25->streamlit==1.20.0->LLM-RL==1.0.0) (2023.3.post1)\n", + "Requirement already satisfied: ptyprocess>=0.5 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from pexpect>4.3->IPython->LLM-RL==1.0.0) (0.7.0)\n", + "Requirement already satisfied: wcwidth in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from prompt-toolkit!=3.0.37,<3.1.0,>=3.0.30->IPython->LLM-RL==1.0.0) (0.2.6)\n", + "Requirement already satisfied: idna<4,>=2.5 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from requests->gcsfs==2022.8.2->LLM-RL==1.0.0) (3.4)\n", + "Requirement already satisfied: urllib3<3,>=1.21.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from requests->gcsfs==2022.8.2->LLM-RL==1.0.0) (1.26.16)\n", + "Requirement already satisfied: certifi>=2017.4.17 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from requests->gcsfs==2022.8.2->LLM-RL==1.0.0) (2023.7.22)\n", + "Requirement already satisfied: markdown-it-py>=2.2.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from rich>=11.1->flax==0.7.2->LLM-RL==1.0.0) (3.0.0)\n", + "Requirement already satisfied: requests-oauthlib>=0.7.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from google-auth-oauthlib->gcsfs==2022.8.2->LLM-RL==1.0.0) (1.3.1)\n", + "Requirement already satisfied: cached_property in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from orbax-checkpoint->flax==0.7.2->LLM-RL==1.0.0) (1.5.2)\n", + "Requirement already satisfied: importlib_resources in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from orbax-checkpoint->flax==0.7.2->LLM-RL==1.0.0) (6.0.1)\n", + "Requirement already satisfied: etils in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from orbax-checkpoint->flax==0.7.2->LLM-RL==1.0.0) (1.5.1)\n", + "Requirement already satisfied: nest_asyncio in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from orbax-checkpoint->flax==0.7.2->LLM-RL==1.0.0) (1.5.7)\n", + "Requirement already satisfied: threadpoolctl>=2.0.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from scikit-learn->sklearn==0.0->LLM-RL==1.0.0) (3.2.0)\n", + "Requirement already satisfied: executing>=1.2.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from stack-data->IPython->LLM-RL==1.0.0) (1.2.0)\n", + "Requirement already satisfied: asttokens>=2.1.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from stack-data->IPython->LLM-RL==1.0.0) (2.4.0)\n", + "Requirement already satisfied: pure-eval in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from stack-data->IPython->LLM-RL==1.0.0) (0.2.2)\n", + "Requirement already satisfied: smmap<6,>=3.0.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from gitdb<5,>=4.0.1->gitpython!=3.1.19->streamlit==1.20.0->LLM-RL==1.0.0) (5.0.1)\n", + "Requirement already satisfied: jsonschema-specifications>=2023.03.6 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from jsonschema>=3.0->altair<5,>=3.2.0->streamlit==1.20.0->LLM-RL==1.0.0) (2023.7.1)\n", + "Requirement already satisfied: referencing>=0.28.4 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from jsonschema>=3.0->altair<5,>=3.2.0->streamlit==1.20.0->LLM-RL==1.0.0) (0.30.2)\n", + "Requirement already satisfied: rpds-py>=0.7.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from jsonschema>=3.0->altair<5,>=3.2.0->streamlit==1.20.0->LLM-RL==1.0.0) (0.10.2)\n", + "Requirement already satisfied: mdurl~=0.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from markdown-it-py>=2.2.0->rich>=11.1->flax==0.7.2->LLM-RL==1.0.0) (0.1.2)\n", + "Requirement already satisfied: pyasn1<0.6.0,>=0.4.6 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from pyasn1-modules>=0.2.1->google-auth>=1.2->gcsfs==2022.8.2->LLM-RL==1.0.0) (0.5.0)\n", + "Requirement already satisfied: oauthlib>=3.0.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from requests-oauthlib>=0.7.0->google-auth-oauthlib->gcsfs==2022.8.2->LLM-RL==1.0.0) (3.2.2)\n", + "Requirement already satisfied: spacy-legacy<3.1.0,>=3.0.11 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (3.0.12)\n", + "Requirement already satisfied: spacy-loggers<2.0.0,>=1.0.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (1.0.4)\n", + "Requirement already satisfied: murmurhash<1.1.0,>=0.28.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (1.0.9)\n", + "Requirement already satisfied: cymem<2.1.0,>=2.0.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (2.0.7)\n", + "Requirement already satisfied: preshed<3.1.0,>=3.0.2 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (3.0.8)\n", + "Requirement already satisfied: thinc<8.2.0,>=8.1.8 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (8.1.12)\n", + "Requirement already satisfied: wasabi<1.2.0,>=0.9.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (1.1.2)\n", + "Requirement already satisfied: srsly<3.0.0,>=2.4.3 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (2.4.7)\n", + "Requirement already satisfied: catalogue<2.1.0,>=2.0.6 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (2.0.9)\n", + "Requirement already satisfied: typer<0.10.0,>=0.3.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (0.9.0)\n", + "Requirement already satisfied: pathy>=0.10.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (0.10.2)\n", + "Requirement already satisfied: smart-open<7.0.0,>=5.2.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (6.3.0)\n", + "Requirement already satisfied: pydantic!=1.8,!=1.8.1,<3.0.0,>=1.7.4 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (2.3.0)\n", + "Requirement already satisfied: langcodes<4.0.0,>=3.2.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (3.3.0)\n", + "Requirement already satisfied: annotated-types>=0.4.0 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from pydantic!=1.8,!=1.8.1,<3.0.0,>=1.7.4->spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (0.5.0)\n", + "Requirement already satisfied: pydantic-core==2.6.3 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from pydantic!=1.8,!=1.8.1,<3.0.0,>=1.7.4->spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (2.6.3)\n", + "Requirement already satisfied: blis<0.8.0,>=0.7.8 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from thinc<8.2.0,>=8.1.8->spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (0.7.10)\n", + "Requirement already satisfied: confection<1.0.0,>=0.0.1 in /Users/joey_hong/opt/anaconda3/envs/llm_rl/lib/python3.9/site-packages (from thinc<8.2.0,>=8.1.8->spacy>=2.1.0->jericho>=3.0.3->textworld@ git+https://github.com/jxihong/TextWorld.git@main->LLM-RL==1.0.0) (0.1.1)\n", + "Building wheels for collected packages: LLM-RL\n", + " Building wheel for LLM-RL (setup.py) ... \u001b[?25ldone\n", + "\u001b[?25h Created wheel for LLM-RL: filename=LLM_RL-1.0.0-py3-none-any.whl size=532764 sha256=ae6ba0e98cda88ed825a56bffb4ef4f6321653a2f6eb1f480e771a79cf2b7289\n", + " Stored in directory: /private/var/folders/g8/fjsx340n323bwwsqrm78z0y40000gp/T/pip-ephem-wheel-cache-wofpu8vg/wheels/e9/da/91/7c385f98ea57e99af88308c8a62fc1119bb0070725f08c064e\n", + "Successfully built LLM-RL\n", + "Installing collected packages: LLM-RL\n", + " Attempting uninstall: LLM-RL\n", + " Found existing installation: LLM-RL 1.0.0\n", + " Uninstalling LLM-RL-1.0.0:\n", + " Successfully uninstalled LLM-RL-1.0.0\n", + "Successfully installed LLM-RL-1.0.0\n" + ] + } + ], + "source": [ + "import os\n", + "\n", + "LLM_RL_dir = \"/Users/joey_hong/LLM_RL\" # replace with path to LLM_RL directory\n", + "os.chdir(LLM_RL_dir)\n", + "\n", + "!pip install ." + ] + }, + { + "cell_type": "code", + "execution_count": 2, + "id": "115632da", + "metadata": {}, + "outputs": [ + { + "ename": "ContextualVersionConflict", + "evalue": "(gym 0.26.2 (/home/isadoracw/miniconda3/envs/LLM_RL/lib/python3.9/site-packages), Requirement.parse('gym<0.26,>=0.10.11'), {'textworld'})", + "output_type": "error", + "traceback": [ + "\u001b[0;31m---------------------------------------------------------------------------\u001b[0m", + "\u001b[0;31mContextualVersionConflict\u001b[0m Traceback (most recent call last)", + "\u001b[1;32m/home/isadoracw/isadoracw/LLM_RL/llm_rl_scripts/text_nav/notebooks/play_game.ipynb Cell 4\u001b[0m line \u001b[0;36m1\n\u001b[0;32m----> 1\u001b[0m \u001b[39mimport\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\n\u001b[1;32m 2\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mllm_rl_scripts\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mtext_nav\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39menv\u001b[39;00m \u001b[39mimport\u001b[39;00m TextNavEnv\n\u001b[1;32m 3\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mllm_rl_scripts\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mtext_nav\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39menv\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39menv\u001b[39;00m \u001b[39mimport\u001b[39;00m play\n", + "File \u001b[0;32m~/miniconda3/envs/LLM_RL/lib/python3.9/site-packages/textworld/__init__.py:11\u001b[0m\n\u001b[1;32m 9\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mcore\u001b[39;00m \u001b[39mimport\u001b[39;00m EnvInfos, EnvInfoMissingError\n\u001b[1;32m 10\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mcore\u001b[39;00m \u001b[39mimport\u001b[39;00m Environment, GameState, Agent\n\u001b[0;32m---> 11\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mgenerator\u001b[39;00m \u001b[39mimport\u001b[39;00m Game, GameMaker, GameOptions\n\u001b[1;32m 13\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mgenerator\u001b[39;00m \u001b[39mimport\u001b[39;00m GenerationWarning\n\u001b[1;32m 15\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mhelpers\u001b[39;00m \u001b[39mimport\u001b[39;00m make, play, start\n", + "File \u001b[0;32m~/miniconda3/envs/LLM_RL/lib/python3.9/site-packages/textworld/generator/__init__.py:24\u001b[0m\n\u001b[1;32m 21\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mgenerator\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mgraph_networks\u001b[39;00m \u001b[39mimport\u001b[39;00m create_map, create_small_map\n\u001b[1;32m 22\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mgenerator\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mtext_generation\u001b[39;00m \u001b[39mimport\u001b[39;00m generate_text_from_grammar\n\u001b[0;32m---> 24\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mgenerator\u001b[39;00m \u001b[39mimport\u001b[39;00m inform7\n\u001b[1;32m 25\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mgenerator\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39minform7\u001b[39;00m \u001b[39mimport\u001b[39;00m generate_inform7_source, compile_inform7_game\n\u001b[1;32m 26\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mgenerator\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39minform7\u001b[39;00m \u001b[39mimport\u001b[39;00m CouldNotCompileGameError\n", + "File \u001b[0;32m~/miniconda3/envs/LLM_RL/lib/python3.9/site-packages/textworld/generator/inform7/__init__.py:5\u001b[0m\n\u001b[1;32m 1\u001b[0m \u001b[39m# Copyright (c) Microsoft Corporation. All rights reserved.\u001b[39;00m\n\u001b[1;32m 2\u001b[0m \u001b[39m# Licensed under the MIT license.\u001b[39;00m\n\u001b[0;32m----> 5\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mgenerator\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39minform7\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mworld2inform7\u001b[39;00m \u001b[39mimport\u001b[39;00m Inform7Game\n\u001b[1;32m 6\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mgenerator\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39minform7\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mworld2inform7\u001b[39;00m \u001b[39mimport\u001b[39;00m generate_inform7_source\n\u001b[1;32m 7\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mgenerator\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39minform7\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mworld2inform7\u001b[39;00m \u001b[39mimport\u001b[39;00m compile_inform7_game\n", + "File \u001b[0;32m~/miniconda3/envs/LLM_RL/lib/python3.9/site-packages/textworld/generator/inform7/world2inform7.py:24\u001b[0m\n\u001b[1;32m 20\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mgenerator\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mworld\u001b[39;00m \u001b[39mimport\u001b[39;00m WorldRoom, WorldEntity\n\u001b[1;32m 21\u001b[0m \u001b[39mfrom\u001b[39;00m \u001b[39mtextworld\u001b[39;00m\u001b[39m.\u001b[39;00m\u001b[39mlogic\u001b[39;00m \u001b[39mimport\u001b[39;00m Signature, Proposition, Action, Variable\n\u001b[0;32m---> 24\u001b[0m I7_DEFAULT_PATH \u001b[39m=\u001b[39m resource_filename(Requirement\u001b[39m.\u001b[39;49mparse(\u001b[39m'\u001b[39;49m\u001b[39mtextworld\u001b[39;49m\u001b[39m'\u001b[39;49m), \u001b[39m'\u001b[39;49m\u001b[39mtextworld/thirdparty/inform7-6M62\u001b[39;49m\u001b[39m'\u001b[39;49m)\n\u001b[1;32m 27\u001b[0m \u001b[39mclass\u001b[39;00m \u001b[39mTextworldInform7Warning\u001b[39;00m(\u001b[39mUserWarning\u001b[39;00m):\n\u001b[1;32m 28\u001b[0m \u001b[39mpass\u001b[39;00m\n", + "File \u001b[0;32m~/miniconda3/envs/LLM_RL/lib/python3.9/site-packages/pkg_resources/__init__.py:1211\u001b[0m, in \u001b[0;36mResourceManager.resource_filename\u001b[0;34m(self, package_or_requirement, resource_name)\u001b[0m\n\u001b[1;32m 1209\u001b[0m \u001b[39mdef\u001b[39;00m \u001b[39mresource_filename\u001b[39m(\u001b[39mself\u001b[39m, package_or_requirement, resource_name):\n\u001b[1;32m 1210\u001b[0m \u001b[39m \u001b[39m\u001b[39m\"\"\"Return a true filesystem path for specified resource\"\"\"\u001b[39;00m\n\u001b[0;32m-> 1211\u001b[0m \u001b[39mreturn\u001b[39;00m get_provider(package_or_requirement)\u001b[39m.\u001b[39mget_resource_filename(\n\u001b[1;32m 1212\u001b[0m \u001b[39mself\u001b[39m, resource_name\n\u001b[1;32m 1213\u001b[0m )\n", + "File \u001b[0;32m~/miniconda3/envs/LLM_RL/lib/python3.9/site-packages/pkg_resources/__init__.py:398\u001b[0m, in \u001b[0;36mget_provider\u001b[0;34m(moduleOrReq)\u001b[0m\n\u001b[1;32m 396\u001b[0m \u001b[39m\u001b[39m\u001b[39m\"\"\"Return an IResourceProvider for the named module or requirement\"\"\"\u001b[39;00m\n\u001b[1;32m 397\u001b[0m \u001b[39mif\u001b[39;00m \u001b[39misinstance\u001b[39m(moduleOrReq, Requirement):\n\u001b[0;32m--> 398\u001b[0m \u001b[39mreturn\u001b[39;00m working_set\u001b[39m.\u001b[39mfind(moduleOrReq) \u001b[39mor\u001b[39;00m require(\u001b[39mstr\u001b[39;49m(moduleOrReq))[\u001b[39m0\u001b[39m]\n\u001b[1;32m 399\u001b[0m \u001b[39mtry\u001b[39;00m:\n\u001b[1;32m 400\u001b[0m module \u001b[39m=\u001b[39m sys\u001b[39m.\u001b[39mmodules[moduleOrReq]\n", + "File \u001b[0;32m~/miniconda3/envs/LLM_RL/lib/python3.9/site-packages/pkg_resources/__init__.py:966\u001b[0m, in \u001b[0;36mWorkingSet.require\u001b[0;34m(self, *requirements)\u001b[0m\n\u001b[1;32m 957\u001b[0m \u001b[39mdef\u001b[39;00m \u001b[39mrequire\u001b[39m(\u001b[39mself\u001b[39m, \u001b[39m*\u001b[39mrequirements):\n\u001b[1;32m 958\u001b[0m \u001b[39m \u001b[39m\u001b[39m\"\"\"Ensure that distributions matching `requirements` are activated\u001b[39;00m\n\u001b[1;32m 959\u001b[0m \n\u001b[1;32m 960\u001b[0m \u001b[39m `requirements` must be a string or a (possibly-nested) sequence\u001b[39;00m\n\u001b[0;32m (...)\u001b[0m\n\u001b[1;32m 964\u001b[0m \u001b[39m included, even if they were already activated in this working set.\u001b[39;00m\n\u001b[1;32m 965\u001b[0m \u001b[39m \"\"\"\u001b[39;00m\n\u001b[0;32m--> 966\u001b[0m needed \u001b[39m=\u001b[39m \u001b[39mself\u001b[39;49m\u001b[39m.\u001b[39;49mresolve(parse_requirements(requirements))\n\u001b[1;32m 968\u001b[0m \u001b[39mfor\u001b[39;00m dist \u001b[39min\u001b[39;00m needed:\n\u001b[1;32m 969\u001b[0m \u001b[39mself\u001b[39m\u001b[39m.\u001b[39madd(dist)\n", + "File \u001b[0;32m~/miniconda3/envs/LLM_RL/lib/python3.9/site-packages/pkg_resources/__init__.py:827\u001b[0m, in \u001b[0;36mWorkingSet.resolve\u001b[0;34m(self, requirements, env, installer, replace_conflicting, extras)\u001b[0m\n\u001b[1;32m 824\u001b[0m \u001b[39mif\u001b[39;00m \u001b[39mnot\u001b[39;00m req_extras\u001b[39m.\u001b[39mmarkers_pass(req, extras):\n\u001b[1;32m 825\u001b[0m \u001b[39mcontinue\u001b[39;00m\n\u001b[0;32m--> 827\u001b[0m dist \u001b[39m=\u001b[39m \u001b[39mself\u001b[39;49m\u001b[39m.\u001b[39;49m_resolve_dist(\n\u001b[1;32m 828\u001b[0m req, best, replace_conflicting, env, installer, required_by, to_activate\n\u001b[1;32m 829\u001b[0m )\n\u001b[1;32m 831\u001b[0m \u001b[39m# push the new requirements onto the stack\u001b[39;00m\n\u001b[1;32m 832\u001b[0m new_requirements \u001b[39m=\u001b[39m dist\u001b[39m.\u001b[39mrequires(req\u001b[39m.\u001b[39mextras)[::\u001b[39m-\u001b[39m\u001b[39m1\u001b[39m]\n", + "File \u001b[0;32m~/miniconda3/envs/LLM_RL/lib/python3.9/site-packages/pkg_resources/__init__.py:873\u001b[0m, in \u001b[0;36mWorkingSet._resolve_dist\u001b[0;34m(self, req, best, replace_conflicting, env, installer, required_by, to_activate)\u001b[0m\n\u001b[1;32m 870\u001b[0m \u001b[39mif\u001b[39;00m dist \u001b[39mnot\u001b[39;00m \u001b[39min\u001b[39;00m req:\n\u001b[1;32m 871\u001b[0m \u001b[39m# Oops, the \"best\" so far conflicts with a dependency\u001b[39;00m\n\u001b[1;32m 872\u001b[0m dependent_req \u001b[39m=\u001b[39m required_by[req]\n\u001b[0;32m--> 873\u001b[0m \u001b[39mraise\u001b[39;00m VersionConflict(dist, req)\u001b[39m.\u001b[39mwith_context(dependent_req)\n\u001b[1;32m 874\u001b[0m \u001b[39mreturn\u001b[39;00m dist\n", + "\u001b[0;31mContextualVersionConflict\u001b[0m: (gym 0.26.2 (/home/isadoracw/miniconda3/envs/LLM_RL/lib/python3.9/site-packages), Requirement.parse('gym<0.26,>=0.10.11'), {'textworld'})" + ] + } + ], + "source": [ + "import textworld\n", + "from llm_rl_scripts.text_nav.env import TextNavEnv\n", + "from llm_rl_scripts.text_nav.env.env import play" + ] + }, + { + "cell_type": "markdown", + "id": "496f648b", + "metadata": {}, + "source": [ + "### Change display_location, display_inventory to True to play the full-information version" + ] + }, + { + "cell_type": "code", + "execution_count": 3, + "id": "aa9408c5", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "\n", + "\n", + "\n", + "You are now playing a profound round of TextWorld! Your task for today is to\n", + "close the fridge in the kitchen.\n", + "\n", + " You lean against the wall, inadvertently pressing a secret button. The wall\n", + "opens up to reveal a fridge.\n", + "\n", + "There are unguarded exits to the east, north and west.\n", + "\n", + "Admissible commands: go east, go north, go west, open fridge\n", + "\n" + ] + } + ], + "source": [ + "env = TextNavEnv(\n", + " display_location=False, display_inventory=False)\n", + "env.render()" + ] + }, + { + "cell_type": "markdown", + "id": "07d9d3ed", + "metadata": {}, + "source": [ + "### Below is an example playthrough of the game. You have 15 turns to accomplish the objective. A successful playthrough will yield a score of 1." + ] + }, + { + "cell_type": "code", + "execution_count": 5, + "id": "fde6ccd1", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "\n", + "\n", + "\n", + "Your objective is to put the stale food on the table in the living room into the\n", + "fridge in the kitchen.\n", + "\n", + " You can see a fridge, so there's that.\n", + "\n", + "There are unblocked exits to the east, north and west.\n", + "\n", + "Admissible commands: go east, go north, go west, open fridge\n", + "\n", + "Available actions: ['go east', 'go north', 'go west', 'open fridge']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> open fridge\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> open fridge\n", + "You open the fridge, revealing a fruit.\n", + "\n", + "\n", + "Admissible commands: close fridge, go east, go north, go west, take fruit from\n", + "fridge\n", + "\n", + "Available actions: ['close fridge', 'go east', 'go north', 'go west', 'take fruit from fridge']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go east\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go east\n", + "\n", + " You can make out a table. The table is normal. On the table you see a coffee\n", + "cup and a plate. Classic TextWorld.\n", + "\n", + "There are unblocked exits to the east and west.\n", + "\n", + "\n", + "\n", + "Admissible commands: go east, go west, take coffee cup from table, take plate\n", + "from table\n", + "\n", + "Available actions: ['go east', 'go west', 'take coffee cup from table', 'take plate from table']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go west\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go west\n", + "\n", + " You can see a fridge, so there's that. The fridge contains a fruit.\n", + "\n", + "There are unblocked exits to the east, north and west.\n", + "\n", + "\n", + "\n", + "Admissible commands: close fridge, go east, go north, go west, take fruit from\n", + "fridge\n", + "\n", + "Available actions: ['close fridge', 'go east', 'go north', 'go west', 'take fruit from fridge']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> close gridge\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> close gridge\n", + "You can't see any such thing.\n", + "\n", + "Admissible commands: close fridge, go east, go north, go west, take fruit from\n", + "fridge\n", + "\n", + "Available actions: ['close fridge', 'go east', 'go north', 'go west', 'take fruit from fridge']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> close fridge\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> close fridge\n", + "You close the fridge.\n", + "\n", + "\n", + "Admissible commands: go east, go north, go west, open fridge\n", + "\n", + "Available actions: ['go east', 'go north', 'go west', 'open fridge']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go east\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go east\n", + "\n", + " You can make out a table. The table is normal. On the table you see a coffee\n", + "cup and a plate. Classic TextWorld.\n", + "\n", + "There are unblocked exits to the east and west.\n", + "\n", + "\n", + "\n", + "Admissible commands: go east, go west, take coffee cup from table, take plate\n", + "from table\n", + "\n", + "Available actions: ['go east', 'go west', 'take coffee cup from table', 'take plate from table']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go east\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go east\n", + "\n", + " You make out a table. The table is ordinary. On the table you can see a stale\n", + "food and a fresh food.\n", + "\n", + "There are unguarded exits to the east, south and west.\n", + "\n", + "\n", + "\n", + "Admissible commands: go east, go south, go west, take fresh food from table,\n", + "take stale food from table\n", + "\n", + "Available actions: ['go east', 'go south', 'go west', 'take fresh food from table', 'take stale food from table']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> take stale food from table\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> take stale food from table\n", + "You take the stale food from the table.\n", + "\n", + "\n", + "\n", + "Admissible commands: drop stale food, eat stale food, go east, go south, go\n", + "west, put stale food on table, take fresh food from table\n", + "\n", + "Available actions: ['drop stale food', 'eat stale food', 'go east', 'go south', 'go west', 'put stale food on table', 'take fresh food from table']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go west\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go west\n", + "\n", + " You can make out a table. The table is normal. On the table you see a coffee\n", + "cup and a plate. Classic TextWorld.\n", + "\n", + "There are unblocked exits to the east and west.\n", + "\n", + "\n", + "\n", + "Admissible commands: drop stale food, eat stale food, go east, go west, put\n", + "stale food on table, take coffee cup from table, take plate from table\n", + "\n", + "Available actions: ['drop stale food', 'eat stale food', 'go east', 'go west', 'put stale food on table', 'take coffee cup from table', 'take plate from table']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go west\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go west\n", + "\n", + " You can see a fridge, so there's that.\n", + "\n", + "There are unblocked exits to the east, north and west.\n", + "\n", + "\n", + "\n", + "Admissible commands: drop stale food, eat stale food, go east, go north, go\n", + "west, open fridge\n", + "\n", + "Available actions: ['drop stale food', 'eat stale food', 'go east', 'go north', 'go west', 'open fridge']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> open fridge\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> open fridge\n", + "You open the fridge, revealing a fruit.\n", + "\n", + "\n", + "Admissible commands: close fridge, drop stale food, eat stale food, go east, go\n", + "north, go west, insert stale food into fridge, take fruit from fridge\n", + "\n", + "Available actions: ['close fridge', 'drop stale food', 'eat stale food', 'go east', 'go north', 'go west', 'insert stale food into fridge', 'take fruit from fridge']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> insert stale food into fridge\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> insert stale food into fridge\n", + "You put the stale food into the fridge.\n", + "\n", + "\n", + "Admissible commands: close fridge, go east, go north, go west, take fruit from\n", + "fridge, take stale food from fridge\n", + "\n", + "Available actions: ['close fridge', 'go east', 'go north', 'go west', 'take fruit from fridge', 'take stale food from fridge']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> close fridge\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> close fridge\n", + "You close the fridge.\n", + "\n", + "\n", + "Your score has just gone up by one point.\n", + "\n", + "\n", + " *** The End ***\n", + "\n", + "You scored 1 out of a possible 1, in 13 turns.\n", + "\n", + "\n", + "Would you like to RESTART, RESTORE a saved game, QUIT or UNDO the last command?\n", + ">\n", + "Admissible commands: go east, go north, go west, open fridge\n", + "\n", + "Done after 12 steps. Score 1/1.\n" + ] + } + ], + "source": [ + "play(env)" + ] + }, + { + "cell_type": "markdown", + "id": "0fe5e61b", + "metadata": {}, + "source": [ + "### Use the cell below to play the game yourself." + ] + }, + { + "cell_type": "code", + "execution_count": 10, + "id": "e425d0c3", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "\n", + "\n", + "\n", + "Your objective is to put the stale food on the table in the living room into the\n", + "fridge in the kitchen.\n", + "\n", + " You rest your hand against a wall, but you miss the wall and fall onto a table.\n", + "On the table you make out a coffee cup and a plate. It doesn't get more\n", + "TextWorld than this!\n", + "\n", + "There are unblocked exits to the east and west.\n", + "\n", + "Admissible commands: go east, go west, take coffee cup from table, take plate\n", + "from table\n", + "\n", + "Available actions: ['go east', 'go west', 'take coffee cup from table', 'take plate from table']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go west\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go west\n", + "\n", + " You can make out a fridge.\n", + "\n", + "There are unblocked exits to the east, north and west.\n", + "\n", + "\n", + "\n", + "Admissible commands: go east, go north, go west, open fridge\n", + "\n", + "Available actions: ['go east', 'go north', 'go west', 'open fridge']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go east\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go east\n", + "\n", + " You rest your hand against a wall, but you miss the wall and fall onto a table.\n", + "On the table you make out a coffee cup and a plate. It doesn't get more\n", + "TextWorld than this!\n", + "\n", + "There are unblocked exits to the east and west.\n", + "\n", + "\n", + "\n", + "Admissible commands: go east, go west, take coffee cup from table, take plate\n", + "from table\n", + "\n", + "Available actions: ['go east', 'go west', 'take coffee cup from table', 'take plate from table']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go east\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go east\n", + "\n", + " You can see a table. The table is normal. On the table you can see a stale food\n", + "and a fresh food.\n", + "\n", + "There are unguarded exits to the east, south and west.\n", + "\n", + "\n", + "\n", + "Admissible commands: go east, go south, go west, take fresh food from table,\n", + "take stale food from table\n", + "\n", + "Available actions: ['go east', 'go south', 'go west', 'take fresh food from table', 'take stale food from table']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> take stale food from table\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> take stale food from table\n", + "You take the stale food from the table.\n", + "\n", + "\n", + "\n", + "Admissible commands: drop stale food, eat stale food, go east, go south, go\n", + "west, put stale food on table, take fresh food from table\n", + "\n", + "Available actions: ['drop stale food', 'eat stale food', 'go east', 'go south', 'go west', 'put stale food on table', 'take fresh food from table']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go south\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go south\n", + "\n", + " You rest your hand against a wall, but you miss the wall and fall onto a chest.\n", + "You shudder, but continue examining the room.\n", + "\n", + "There are unguarded exits to the east and north.\n", + "\n", + "\n", + "\n", + "Admissible commands: drop stale food, eat stale food, go east, go north, open\n", + "chest\n", + "\n", + "Available actions: ['drop stale food', 'eat stale food', 'go east', 'go north', 'open chest']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go north\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> go north\n", + "\n", + " You can see a table. The table is normal. On the table you can see a fresh\n", + "food.\n", + "\n", + "There are unguarded exits to the east, south and west.\n", + "\n", + "\n", + "\n", + "Admissible commands: drop stale food, eat stale food, go east, go south, go\n", + "west, put stale food on table, take fresh food from table\n", + "\n", + "Available actions: ['drop stale food', 'eat stale food', 'go east', 'go south', 'go west', 'put stale food on table', 'take fresh food from table']\n", + "\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> eat stale food\n" + ] + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "> eat stale food\n", + "You eat the stale food. Not bad.\n", + "\n", + "\n", + " *** You lost! ***\n", + "\n", + "You scored 0 out of a possible 1, in 7 turns.\n", + "\n", + "\n", + "Would you like to RESTART, RESTORE a saved game, QUIT or UNDO the last command?\n", + ">\n", + "Admissible commands: go east, go south, go west, take fresh food from table\n", + "\n", + "Done after 6 steps. Score 0/1.\n" + ] + } + ], + "source": [ + "from IPython.display import clear_output\n", + "import time\n", + "\n", + "num_games = 3 # Change to number between 10-15 (each game takes ~1 min)\n", + "\n", + "total_reward = 0\n", + "for _ in range(num_games):\n", + " total_reward += play(env)\n", + " time.sleep(1)\n", + " clear_output(wait=True)\n", + "\n", + "print('Average score over {} games: {}'.format(num_games, total_reward / num_games))" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "b608e381", + "metadata": {}, + "outputs": [], + "source": [] + } + ], + "metadata": { + "kernelspec": { + "display_name": "Python 3 (ipykernel)", + "language": "python", + "name": "python3" + }, + "language_info": { + "codemirror_mode": { + "name": "ipython", + "version": 3 + }, + "file_extension": ".py", + "mimetype": "text/x-python", + "name": "python", + "nbconvert_exporter": "python", + "pygments_lexer": "ipython3", + "version": "3.9.12" + } + }, + "nbformat": 4, + "nbformat_minor": 5 +} diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/notebooks/play_game.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/notebooks/play_game.py new file mode 100755 index 00000000..697d4fb8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/notebooks/play_game.py @@ -0,0 +1,23 @@ +import textworld +from llm_rl_scripts.text_nav.env import TextNavEnv +from llm_rl_scripts.text_nav.env.env import play + +num_games = int(input("Enter number of games: ")) +observability = input("Would you like to play fully observed? Else defaulting to partially observed. (Y/N): ").strip() +display_bool = (observability == "Y") +print("You have selected a " + ("fully" if display_bool else "partially") + " observed game!\n") + +env = TextNavEnv( + display_location=display_bool, display_inventory=display_bool) +env.render() + +from IPython.display import clear_output +import time + +total_reward = 0 +for _ in range(num_games): + total_reward += play(env) + time.sleep(1) + clear_output(wait=True) + +print('Average score over {} games: {}'.format(num_games, total_reward / num_games)) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/ppo/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/ppo/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/ppo/train_ppo.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/ppo/train_ppo.py new file mode 100755 index 00000000..fc33d94e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/text_nav/ppo/train_ppo.py @@ -0,0 +1,452 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, create_path, get_enabled_save_path, MapIterable, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ppo.train import train_loop +from LLM_RL.algorithms.ppo.base_interface import ppo_loss_fn, FixedKLController, AdaptiveKLController +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectory, text_history_to_str +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy, GPT2PPOInference, GPT2PPOTrain +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ppo.data import PPODataset +from LLM_RL.utils import get_tensor_stats_np +from functools import partial +import numpy as np +from JaxSeq.logs import label_logs, log, pull_logs +import json +import random +from JaxSeq.utils import multihost_device_get +from JaxSeq.data import MaskIterableDataset +from llm_rl_scripts.text_nav.dataset.utils import data_stream +from llm_rl_scripts.text_nav.env import TextNavEnv +from dataclasses import replace +from JaxSeq.models.gpt2.interface import loss_fn_mask + + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + + /, # Mark the end of positional arguments. + is_partial_info: bool=True, + + bc_data_path: Optional[str]=None, + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + train_bc_bsize: int=8, + grad_accum_steps: Optional[int]=None, + rollout_bsize: int=32, + n_rollouts: int=128, + ppo_data_bsize: int=32, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_input_length: int=512, + max_output_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_ppo_dataset: bool=True, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + gamma: float=1.0, + lam: float=0.95, + use_advantage_whitening: bool=True, + + init_kl_coef: float=0.001, + kl_target: Optional[float]=None, + kl_horizon: Optional[int]=None, + + cliprange_value: float=0.2, + cliprange: float=0.2, + value_loss_coef: float=1.0, + bc_loss_weight: float=1.0, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals() + print(input_args) + + use_adaptive_kl = (kl_target is not None and kl_horizon is not None) + if not use_adaptive_kl: + assert kl_target is None and kl_horizon is None + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + if bc_data_path is not None: + bc_data = MaskIterableDataset.blocked_from_str_segments_iterable( + MapIterable(lambda x: (tokenizer.bos_token + x['in_text'], x['out_text']), + FileOpenIterable(convert_path(bc_data_path), 'r', pipe=data_stream)), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_input_length+max_output_length, + ), + ) + else: + bc_data = None + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + model_prng_key = jax.random.PRNGKey(2) + policy_train_state, policy_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + policy_model.config.gradient_checkpointing = gradient_checkpointing + policy_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + policy_model.config.resid_pdrop = 0.0 + policy_model.config.embd_pdrop = 0.0 + policy_model.config.attn_pdrop = 0.0 + with jax.default_device(jax.devices('cpu')[0]): + initital_policy_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + policy_train_state.params, + ) + initital_policy_params = shard_params_from_params( + model=policy_model, + params=initital_policy_params, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2Inference.load_inference( + params=policy_train_state.params, + model=policy_model, + tokenizer=tokenizer, + ) + + env = TextNavEnv(display_location=not is_partial_info, + display_inventory=not is_partial_info) + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2PPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + head_prng_key = jax.random.PRNGKey(3) + value_head_train_state, value_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=policy_model.config.n_embd, + output_dim=1, + use_bias=True, + initializer_range=0.0, + bias_init=-4.1, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=head_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loss_f = partial(ppo_loss_fn, cliprange_value=cliprange_value, cliprange=cliprange, value_loss_coef=value_loss_coef) + + ppo_inference = GPT2PPOInference.load_inference( + initial_policy_params=initital_policy_params, + policy_params=policy_train_state.params, + value_head_params=value_head_train_state.params, + initial_policy_model=policy_model, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask if bc_data is not None else None, + bc_loss_weight=bc_loss_weight if bc_data is not None else 0.0, + ) + + ppo_trainer = GPT2PPOTrain.load_train( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask if bc_data is not None else None, + bc_loss_weight=bc_loss_weight if bc_data is not None else 0.0, + ) + + if use_adaptive_kl: + kl_controller = AdaptiveKLController(init_kl_coef=init_kl_coef, target=kl_target, horizon=kl_horizon) + else: + kl_controller = FixedKLController(kl_coef=init_kl_coef) + + data_round = 0 + def ppo_dataset_loader(ppo_inference: GPT2PPOInference, policy: GPT2PPOPolicy) -> PPODataset: + nonlocal data_round + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + ) + summary_results = pull_logs(summary_results) + + text_trajectory_chains = [] + for raw_result in raw_results: + print('='*25) + print(text_history_to_str(raw_result[-1].post_transition_history)) + print('='*25) + print(sum([[item.reward, 0.0] for item in raw_result], [0.0])) + print('='*25) + curr_chain = [] + for transition in raw_result: + text_trajectory = TextTrajectory( + text_history=transition.post_action_history, + reward=[0.0, transition.reward], + done=transition.done, + ) + curr_chain.append(text_trajectory) + + chain = None + for text_trajectory in curr_chain[::-1]: + chain = TextTrajectoryChain( + text_trajectory=text_trajectory, + next=chain, + ) + + text_trajectory_chains.append(chain) + + ppo_data, all_kls = ppo_inference.get_ppo_data_from_text_trajectory_chain( + text_trajectory_chains, + bsize=ppo_data_bsize, + max_length=max_input_length+max_output_length, + gamma=gamma, + lam=lam, + kl_weight=kl_controller.value, + use_advantage_whitening=use_advantage_whitening, + ) + mean_kl = all_kls.mean().item() + kl_controller.update(mean_kl, train_bsize) + + ppo_dataset = PPODataset.from_ppo_data_list( + ppo_data, + tokenizer, + BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length+max_output_length), + ) + + logs = dict( + policy=dict( + initial_policy_kl=get_tensor_stats_np(all_kls, np.ones(all_kls.shape), all_kls.size), + sqrt_initial_policy_kl=np.sqrt(mean_kl), + kl_ctrl_value=kl_controller.value, + ), + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_ppo_dataset: + print('saving ppo dataset ...') + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'ppo_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(ppo_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'text_trajectory_chains.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(text_trajectory_chains, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'raw_results.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(raw_results, f) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return ppo_dataset + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=ppo_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + bc_dataset=bc_data, + bc_bsize=train_bc_bsize, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/bc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/bc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/bc/train_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/bc/train_bc.py new file mode 100755 index 00000000..4d215ad7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/bc/train_bc.py @@ -0,0 +1,339 @@ +import jax +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2TrainMask, GPT2InferenceMask +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from JaxSeq.data import MaskDataset, MaskIterableDataset +from JaxSeq.train import eval_loss, train_loop +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from JaxSeq.optimizers import GPT3Optimizer +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.environment import text_history_to_str, text_env_eval +import json +from llm_rl_scripts.twenty_questions.env.env import TwentyQuestionsPolicyEnvironment +from llm_rl_scripts.twenty_questions.env.oracle import T5Oracle +from llm_rl_scripts.twenty_questions.env.oracle import T5ModelLoadMode as T5OracleModelLoadMode +from llm_rl_scripts.twenty_questions.env.data import create_trajectories_from_conversations, asker_postproc, asker_postproc_simple, asker_postproc_filter_repeats, get_default_word_list +from IPython import embed +import nltk + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + oracle_model_path: str, + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + weight_decay: float=0.001, + init_lr: float=0.0001, + end_lr: float=0.0001, + lr: float=0.0001, + lr_warmup_steps: int=1000, + lr_decay_steps: int=1001, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + resid_pdrop: float=0.05, + attn_pdrop: float=0.05, + embd_pdrop: float=0.05, + + train_bsize: int=4, + grad_accum_steps: Optional[int]=32, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + bf16_activations: bool=False, + + max_length: int=1024, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + def convert_trajectory_to_masked_text(trajectories): + for trajectory in trajectories: + text_history = trajectory.text_history + lst = [] + for text in text_history: + item = (text.text, text.is_action) + lst.append(item) + yield lst + + nltk.download('punkt') + nltk.download('averaged_perceptron_tagger') + input_args = dict(locals()) + + print(input_args) + print(type(input_args)) + + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + with open(convert_path(train_data_path), 'r') as f: + raw_train = json.load(f) + with open(convert_path(eval_data_path), 'r') as f: + raw_eval = json.load(f) + + train_text_trajectories = create_trajectories_from_conversations(raw_train) + eval_text_trajectories = create_trajectories_from_conversations(raw_eval) + + def convert_trajectory_to_masked_text(trajectories): + for trajectory in trajectories: + text_history = trajectory.text_history + lst = [] + for text in text_history: + item = (text.text, text.is_action) + lst.append(item) + yield lst + + # train_text_histories = [convert_trajectory_to_masked_text(text_trajectory) for text_trajectory in train_text_trajectories] + # eval_text_histories = [convert_trajectory_to_masked_text(text_trajectory) for text_trajectory in eval_text_trajectories] + + train_data = MaskIterableDataset.blocked_from_str_segments_iterable( + convert_trajectory_to_masked_text(train_text_trajectories), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_length, + ), + ) + + eval_data = MaskIterableDataset.blocked_from_str_segments_iterable( + convert_trajectory_to_masked_text(eval_text_trajectories), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_length, + ), + ) + + model_prng_key = jax.random.PRNGKey(2) + policy_prng, oracle_prng = jax.random.split(model_prng_key) + + env = TwentyQuestionsPolicyEnvironment( + oracle=T5Oracle.load_oracle( + mesh=mesh, + prng_key=oracle_prng, + model_load_mode=T5OracleModelLoadMode.PARAMS, + model_load_path=oracle_model_path, + use_fp16_activations=False, + use_fp16_params=False, + max_input_length=124, + max_output_length=4, + ), + word_list=get_default_word_list(), + max_conversation_length=20, + ) + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=init_lr, + end_lr=end_lr, + lr=lr, + lr_warmup_steps=lr_warmup_steps, + lr_decay_steps=lr_decay_steps, + weight_decay=weight_decay, + bf16_momentum=bf16_momentum, + multiply_by_parameter_scale=multiply_by_parameter_scale, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + model.config.resid_pdrop = resid_pdrop + model.config.embd_pdrop = embd_pdrop + model.config.attn_pdrop = attn_pdrop + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + trainer = GPT2TrainMask.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2PPOPolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_metrics = eval_loss( + inference=inference, + dataset=eval_data, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interation_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + return loss_metrics['loss'], {'loss_metrics': loss_metrics, 'generation_metrics': interaction_summary_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) +if __name__ == "__main__": + tyro.cli(main) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/ilql/train_ilql.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/ilql/train_ilql.py new file mode 100755 index 00000000..4ebde28b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/ilql/train_ilql.py @@ -0,0 +1,487 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, jsonl_stream, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ilql.base_interface import ilql_loss +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain, text_history_to_str +from LLM_RL.algorithms.ilql.gpt2.interface import GPT2ILQLInference, GPT2ILQLTrain +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.mlp_head import MLPHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ilql.data import ILQLIterableDataset, ILQLDataset +from functools import partial +from JaxSeq.logs import log, pull_logs +from LLM_RL.algorithms.ilql.train import train_loop, eval_loss +from LLM_RL.algorithms.ilql.data import ILQLData, ILQLIterableDataset +from JaxSeq.utils import multihost_device_get + +from llm_rl_scripts.twenty_questions.env.env import TwentyQuestionsPolicyEnvironment +from llm_rl_scripts.twenty_questions.env.oracle import T5Oracle +from llm_rl_scripts.twenty_questions.env.oracle import T5ModelLoadMode as T5OracleModelLoadMode +from llm_rl_scripts.twenty_questions.env.data import create_trajectories_from_conversations, get_default_word_list, create_conversation_from_history + +from jax.sharding import PartitionSpec as PS +from IPython import embed +import nltk +import json + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + oracle_model_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + policy_bsize: int=2, + policy_n_rollouts: int=32, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + beta: float=16.0, + + detach_q1: bool=False, + detach_q2: bool=False, + detach_v: bool=False, + polyak_alpha: float=0.005, + hard_update_every: Optional[int]=None, + + gamma: float=0.99, + tau: float=0.7, + cql_weight: float=0.01, +): + nltk.download('punkt') + nltk.download('averaged_perceptron_tagger') + input_args = dict(locals()) + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + with open(convert_path(train_data_path), 'r') as f: + raw_train = json.load(f) + with open(convert_path(eval_data_path), 'r') as f: + raw_eval = json.load(f) + + train_text_trajectories = create_trajectories_from_conversations(raw_train) + eval_text_trajectories = create_trajectories_from_conversations(raw_eval) + + def ilql_data_generator(trajectories): + for trajectory in trajectories: + trajectory_chain = TextTrajectoryChain(text_trajectory=trajectory, + next=None,) + token_trajectory = TokenTrajectoryChain.from_text_trajectory_chain(trajectory_chain, tokenizer) + yield ILQLData.from_token_trajectory_chain(token_trajectory) + + train_dataset = ILQLIterableDataset.from_ilql_data_iterable( + ilql_data_generator(train_text_trajectories), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + eval_dataset = ILQLIterableDataset.from_ilql_data_iterable( + ilql_data_generator(eval_text_trajectories), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + base_model.config.gradient_checkpointing = gradient_checkpointing + base_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + target_base_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + target_base_params = shard_params_from_params( + model=base_model, + params=target_base_params, + ) + with jax.default_device(jax.devices('cpu')[0]): + pi_beta_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + pi_beta_params = shard_params_from_params( + model=base_model, + params=pi_beta_params, + ) + + q1_prng_key = jax.random.PRNGKey(4) + q1_head_train_state, q_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q1_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q1_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q1_head_train_state.params, + ) + q1_target_head_params = shard_params_from_params( + model=q_head, + params=q1_target_head_params, + ) + + q2_prng_key = jax.random.PRNGKey(5) + q2_head_train_state, _ = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q2_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q2_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q2_head_train_state.params, + ) + q2_target_head_params = shard_params_from_params( + model=q_head, + params=q2_target_head_params, + ) + + class ValueMLPHeadConfig(MLPHeadConfig): + @staticmethod + def get_partition_rules(): + return [ + (re.escape("['dense1']['kernel']"), PS("fsdp", "mp")), + (re.escape("['dense1']['bias']"), PS("mp")), + (re.escape("['dense2']['kernel']"), PS("fsdp", None)), + (re.escape("['dense2']['bias']"), PS()), + ] + + v_prng_key = jax.random.PRNGKey(6) + v_head_train_state, v_head = load_head_train_state_from_config( + model_config=ValueMLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=1, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=v_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(ilql_loss, gamma=gamma, tau=tau, cql_weight=cql_weight) + + train = GPT2ILQLTrain.load_train( + base_train_state=base_train_state, + target_base_params=target_base_params, + q1_head_train_state=q1_head_train_state, + q2_head_train_state=q2_head_train_state, + v_head_train_state=v_head_train_state, + q1_target_head_params=q1_target_head_params, + q2_target_head_params=q2_target_head_params, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q1=detach_q1, + detach_q2=detach_q2, + detach_v=detach_v, + polyak_alpha=polyak_alpha, + hard_update_every=hard_update_every, + ) + + inference = GPT2ILQLInference.load_inference( + value_inference=GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q1_head_params=q1_head_train_state.params, + q2_head_params=q2_head_train_state.params, + v_head_params=v_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + beta=beta, + dp_shard_logits=True, + ), + target_value_inference=GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=target_base_params, + q1_head_params=q1_target_head_params, + q2_head_params=q2_target_head_params, + v_head_params=None, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=None, + tokenizer=tokenizer, + beta=beta, + dp_shard_logits=True, + ), + loss_fn=loss_fn, + ) + oracle_prng = jax.random.PRNGKey(7) + env = TwentyQuestionsPolicyEnvironment( + oracle=T5Oracle.load_oracle( + mesh=mesh, + prng_key=oracle_prng, + model_load_mode=T5OracleModelLoadMode.PARAMS, + model_load_path=oracle_model_path, + use_fp16_activations=False, + use_fp16_params=False, + max_input_length=124, + max_output_length=4, + ), + word_list=get_default_word_list(), + max_conversation_length=20, + ) + + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + + def evaluate(inference: GPT2ILQLInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2ValuePolicy( + inference=inference.value_inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_results = eval_loss( + inference=inference, + dataset=eval_dataset, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interaction_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interaction_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + logs = pull_logs(interaction_summary_results) + log(logs, use_wandb and is_main_process) + + return loss_results['losses']['total_loss'], {'interaction': logs, 'loss': loss_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=train_dataset, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/mc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/mc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/mc/train_mc_returns.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/mc/train_mc_returns.py new file mode 100755 index 00000000..ea8a3166 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/mc/train_mc_returns.py @@ -0,0 +1,378 @@ +from typing import Optional +import tyro +import nltk +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, jsonl_stream, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +from LLM_RL.algorithms.mc_returns.base_interface import mc_loss +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain, text_history_to_str +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import copy_sharded_pytree +from functools import partial +from JaxSeq.logs import log, pull_logs +from LLM_RL.algorithms.mc_returns.train import train_loop, eval_loss +from LLM_RL.algorithms.mc_returns.data import MCData, MCIterableDataset +from LLM_RL.algorithms.mc_returns.gpt2.interface import GPT2MCTrain, GPT2MCInference + +from llm_rl_scripts.twenty_questions.env.env import TwentyQuestionsPolicyEnvironment +from llm_rl_scripts.twenty_questions.env.oracle import T5Oracle +from llm_rl_scripts.twenty_questions.env.oracle import T5ModelLoadMode as T5OracleModelLoadMode +from llm_rl_scripts.twenty_questions.env.data import create_trajectories_from_conversations, get_default_word_list, create_conversation_from_history +import json + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + oracle_model_path: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + weight_decay: float=0.001, + init_lr: float=0.0001, + end_lr: float=0.0001, + lr: float=0.0001, + lr_warmup_steps: int=1000, + lr_decay_steps: int=1001, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + resid_pdrop: float=0.05, + attn_pdrop: float=0.05, + embd_pdrop: float=0.05, + + train_bsize: int=4, + grad_accum_steps: Optional[int]=32, + + train_bsize: int=32, + grad_accum_steps: Optional[int]=32, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + bf16_activations: bool=False, + + max_length: int=1024, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + policy_bsize: int=2, + policy_n_rollouts: int=32, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + nltk.download('punkt') + nltk.download('averaged_perceptron_tagger') + input_args = dict(locals()) + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + with open(convert_path(train_data_path), 'r') as f: + raw_train = json.load(f) + with open(convert_path(eval_data_path), 'r') as f: + raw_eval = json.load(f) + + train_text_trajectories = create_trajectories_from_conversations(raw_train) + eval_text_trajectories = create_trajectories_from_conversations(raw_eval) + + def mc_data_generator(trajectories): + for trajectory in trajectories: + trajectory_chain = TextTrajectoryChain(text_trajectory=trajectory, + next=None,) + token_trajectory = TokenTrajectoryChain.from_text_trajectory_chain(trajectory_chain, tokenizer) + yield MCData.from_token_trajectory_chain(token_trajectory, gamma=gamma) + + train_dataset = MCIterableDataset.from_mc_data_iterable( + mc_data_generator(train_text_trajectories), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + eval_dataset = MCIterableDataset.from_mc_data_iterable( + mc_data_generator(eval_text_trajectories), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + base_model.config.gradient_checkpointing = gradient_checkpointing + base_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + pi_beta_params = copy_sharded_pytree( + model=base_model, + pytree=base_train_state.params, + ) + + q_prng_key = jax.random.PRNGKey(4) + q_head_train_state, q_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + initializer_range=0.0, + bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(mc_loss, cql_weight=cql_weight) + + train = GPT2MCTrain.load_train( + base_train_state=base_train_state, + q_head_train_state=q_head_train_state, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q=detach_q, + ) + + inference = GPT2MCInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q_head_params=q_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + beta=beta, + dp_shard_logits=True, + ) + + model_prng_key = jax.random.PRNGKey(2) + policy_prng, oracle_prng = jax.random.split(model_prng_key) + + env = TwentyQuestionsPolicyEnvironment( + oracle=T5Oracle.load_oracle( + mesh=mesh, + prng_key=oracle_prng, + model_load_mode=T5OracleModelLoadMode.PARAMS, + model_load_path=oracle_model_path, + use_fp16_activations=False, + use_fp16_params=False, + max_input_length=124, + max_output_length=4, + ), + word_list=get_default_word_list(), + max_conversation_length=20, + ) + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPT2MCInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_results = eval_loss( + inference=inference, + dataset=eval_dataset, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interaction_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interaction_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + logs = pull_logs(interaction_summary_results) + log(logs, use_wandb and is_main_process) + + return loss_results['losses']['total_loss'], {'interaction': logs, 'loss': loss_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=train_dataset, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/misc/eval_guesser.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/misc/eval_guesser.py new file mode 100755 index 00000000..f2a6f430 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/misc/eval_guesser.py @@ -0,0 +1,442 @@ +import contextlib +from typing import Any, Dict, List, Optional +import jax +from algorithms.jax_agent import Inference, JaxAgentPolicy +from algorithms.jax_bc.core import load_bc_inference +from algorithms.jax_frozen_ilql.core import load_frozen_ilql_inference +from algorithms.jax_frozen_ilql.load_frozen_ilql import load_frozen_ilql_default_full_inference +from algorithms.jax_ilql.models import BaseModelState, load_advanced_mlp4 +from jax_utils.jax_shard import shard_params +from environment import Text, TextHistory, TextTransition, interact_environment +from jax_models.gpt2 import load_gpt2_model +from jax_models.t5 import load_t5_model +import numpy as np +from jax.experimental.maps import Mesh +import dcargs +from functools import partial +from utils.path import convert_path +from utils.randomness import seed_generator +import os +import pickle as pkl +import json +import random +from utils.randomness import seed_context +from environments.twenty_questions.data import asker_postproc, asker_postproc_simple, asker_postproc_filter_repeats, get_default_word_list, create_conversation_from_history, conversation_to_str +from environments.twenty_questions.env import TwentyQuestionsPolicyEnvironment +from environments.twenty_questions.oracle import load_flan_t5_xl_oracle +import tree +from transformers import AutoTokenizer +from collections import defaultdict + + +def load_bc_policy( + model_name: str, + rng: jax.random.KeyArray, + mesh: Mesh, + checkpoint_path: Optional[str]=None, + checkpoint_is_sharded: bool=True, + gcloud_project: Optional[str]=None, + gcloud_token: Optional[Any]=None, + do_pjit: bool=True, + condition_str: Optional[str]=None, + max_sequence_length: int=512, + max_new_tokens: int=80, + do_sample: bool=False, + simple_postproc: bool=False, +): + if mesh is None: + mesh = contextlib.nullcontext() + data_p_shape = 1 + else: + data_p_shape = mesh.devices.shape[0] + + if checkpoint_is_sharded and checkpoint_path is not None: + tail_checkpoint, head_checkpoint = os.path.split(checkpoint_path.strip('/')) + checkpoint_path = os.path.join(tail_checkpoint, 'shard_%d' % (jax.process_index()), head_checkpoint) + + tokenizer = AutoTokenizer.from_pretrained(model_name) + if tokenizer.pad_token is None: + print("set pad_token") + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + if model_name == 'gpt2-xl' or model_name == 'gpt2-medium': + model, params, shard_rules = load_gpt2_model( + model_str=model_name, + from_pretrained=True, + checkpoint_path=checkpoint_path, + use_fp16=jax.default_backend() == 'tpu', + tokenizer=tokenizer, + gradient_checkpoint=False, + seed=0, + gcloud_project=gcloud_project, + gcloud_token=gcloud_token, + ) + else: + raise NotImplementedError + + # shard params and optimizer + if do_pjit: + params, param_spec = shard_params(partial(model.init_weights, input_shape=(1, 1)), + params, shard_rules, mesh) + else: + param_spec = None + + inference = load_bc_inference( + model=model, + params=params, + param_spec=param_spec, + tokenizer=tokenizer, + do_pjit=do_pjit, + loss_fn=None, + ) + + policy = JaxAgentPolicy( + inference=inference, + tokenizer=tokenizer, + rng=rng, + max_input_length=max_sequence_length-max_new_tokens, + condition_str=condition_str, + postproc_f=asker_postproc_filter_repeats, + data_parallel_mesh_shape=data_p_shape, + do_sample=do_sample, + num_beams=1, + pad_token_id=tokenizer.pad_token_id, + eos_token_id=tokenizer.encode('\n')[0], + max_new_tokens=max_new_tokens, + ) + + return policy + + +def load_frozen_policy( + model_name: str, + rng: jax.random.KeyArray, + mesh: Mesh, + lm_checkpoint_path: Optional[str]=None, + value_checkpoint_path: Optional[str]=None, + value_checkpoint_idx: Optional[int]=None, + checkpoint_is_sharded: bool=True, + gcloud_project: Optional[str]=None, + gcloud_token: Optional[Any]=None, + do_pjit: bool=True, + condition_str: Optional[str]=None, + beta: float=1.0, + max_sequence_length: int=512, + max_new_tokens: int=80, + do_sample: bool=False, +): + print("Loading frozen policy.") + if mesh is None: + mesh = contextlib.nullcontext() + data_p_shape = 1 + else: + data_p_shape = mesh.devices.shape[0] + + if checkpoint_is_sharded and lm_checkpoint_path is not None: + tail_checkpoint, head_checkpoint = os.path.split(lm_checkpoint_path.strip('/')) + lm_checkpoint_path = os.path.join(tail_checkpoint, 'shard_%d' % (jax.process_index()), head_checkpoint) + + if checkpoint_is_sharded and value_checkpoint_path is not None: + value_checkpoint_path = os.path.join(value_checkpoint_path, 'shard_%d' % (jax.process_index())) + + tokenizer = AutoTokenizer.from_pretrained(model_name) + if tokenizer.pad_token is None: + print("set pad_token") + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + if model_name == 'gpt2-xl': + print(f"Loading gpt2-xl lm model from {lm_checkpoint_path}") + model, params, shard_rules = load_gpt2_model( + model_str=model_name, + from_pretrained=True, + checkpoint_path=lm_checkpoint_path, + use_fp16=jax.default_backend() == 'tpu', + tokenizer=tokenizer, + gradient_checkpoint=False, + seed=0, + gcloud_project=gcloud_project, + gcloud_token=gcloud_token, + ) + else: + raise NotImplementedError + + model_config = model.config + + q_load_head_fn = partial(load_advanced_mlp4, inner_dim=model_config.hidden_size*4, + dropout=model_config.resid_pdrop, add_state_term=True, shard_params=True, + gcloud_project=gcloud_project, gcloud_token=gcloud_token) + v_load_head_fn = partial(load_advanced_mlp4, inner_dim=model_config.hidden_size*4, + dropout=model_config.resid_pdrop, add_state_term=False, shard_params=True, + gcloud_project=gcloud_project, gcloud_token=gcloud_token) + + value_path_suffix = f'_{value_checkpoint_idx}' if value_checkpoint_idx is not None else '' + rng, ilql_state_rng = jax.random.split(rng) + print(f"Loading value model from {value_checkpoint_path} with suffix {value_path_suffix}.") + ilql_state = load_frozen_ilql_default_full_inference( + q_load_head_fn=q_load_head_fn, + q_head_rng_keys=frozenset(['dropout']), + v_load_head_fn=v_load_head_fn, + v_head_rng_keys=frozenset(['dropout']), + emb_dim=model_config.hidden_size, + vocab_size=model_config.vocab_size, + rng=ilql_state_rng, + mesh=mesh, + do_pjit=do_pjit, + q1_checkpoint_path=os.path.join(value_checkpoint_path, f'q1_head{value_path_suffix}.pkl') if value_checkpoint_path is not None else None, + q2_checkpoint_path=os.path.join(value_checkpoint_path, f'q2_head{value_path_suffix}.pkl') if value_checkpoint_path is not None else None, + v_checkpoint_path=os.path.join(value_checkpoint_path, f'v_head{value_path_suffix}.pkl') if value_checkpoint_path is not None else None, + target_q1_checkpoint_path=os.path.join(value_checkpoint_path, f'target_q1_head{value_path_suffix}.pkl') if value_checkpoint_path is not None else None, + target_q2_checkpoint_path=os.path.join(value_checkpoint_path, f'target_q2_head{value_path_suffix}.pkl') if value_checkpoint_path is not None else None, + ) + + # shard params + if do_pjit: + params, param_spec = shard_params(partial(model.init_weights, input_shape=(1, 1)), params, shard_rules, mesh) + else: + param_spec = None + + base_lm_state = BaseModelState( + model=model, + params=params, + param_spec=param_spec, + ) + + inference = load_frozen_ilql_inference( + base_lm_state=base_lm_state, + q1_head_state=ilql_state.q1_head_model_state, + q2_head_state=ilql_state.q2_head_model_state, + v_head_state=ilql_state.v_head_model_state, + target_q1_head_state=ilql_state.target_q1_head_model_state, + target_q2_head_state=ilql_state.target_q2_head_model_state, + emb_cacher=None, + emb_dim=model_config.hidden_size, + tokenizer=tokenizer, + do_pjit=do_pjit, + loss_fn=None, + beta=beta, + use_pre_ln_state=False, + ) + + rng, policy_rng = jax.random.split(rng) + policy = JaxAgentPolicy( + inference=inference, + tokenizer=tokenizer, + rng=policy_rng, + max_input_length=max_sequence_length-max_new_tokens, + condition_str=condition_str, + postproc_f=asker_postproc_filter_repeats, + data_parallel_mesh_shape=data_p_shape, + do_sample=do_sample, + num_beams=1, + pad_token_id=tokenizer.pad_token_id, + eos_token_id=tokenizer.encode('\n')[0], + max_new_tokens=max_new_tokens, + ) + + return policy + + +def main( + exp_name: str, + model_name: str, + algorithm_name: str, + + /, # Mark the end of positional arguments. + + checkpoint_path: Optional[str]=None, + value_checkpoint_path: Optional[str]=None, + value_checkpoint_idx: Optional[str]=None, + checkpoint_is_sharded: bool=True, + + output_path: Optional[str]='evals/twenty_questions', + + max_sequence_length: int=512, + max_new_tokens: int=80, + do_sample: bool=False, + beta: float=1.0, + + env_deterministic: bool=False, + num_samples: int=158, + save_every: int=100, + seed: int=0, + + do_pjit: bool=True, + model_p_shape: int=1, + data_p_shape: int=1, + + gcloud_project: Optional[str]=None, + gcloud_token: Optional[str]=None, + + verbose: bool=False, +): + if gcloud_project is not None and gcloud_token is None: + gcloud_token = os.path.join(os.path.expanduser('~'), f'.config/gcloud/{gcloud_project}.json') + + input_args = locals().copy() + print(input_args) + + from utils.gcs_manager import open_pp as open + open = partial(open, gcloud_project=gcloud_project, gcloud_token=gcloud_token) + + # mesh definition + if do_pjit: + mesh_devices = np.array(jax.devices()).reshape(data_p_shape, model_p_shape) + print('using mesh shape:', mesh_devices.shape) + print('full mesh:', mesh_devices) + mesh = Mesh(mesh_devices, ("dp", "mp")) + else: + mesh = contextlib.nullcontext() + + # rng + rng = jax.random.PRNGKey(seed) + + # load guesser model + if algorithm_name == "bc": + rng, policy_rng = jax.random.split(rng) + policy = load_bc_policy( + model_name=model_name, + rng=policy_rng, + mesh=mesh, + checkpoint_path=checkpoint_path, + checkpoint_is_sharded=checkpoint_is_sharded, + gcloud_project=gcloud_project, + gcloud_token=gcloud_token, + do_pjit=do_pjit, + condition_str=None, + max_sequence_length=max_sequence_length, + max_new_tokens=max_new_tokens, + do_sample=do_sample, + ) + elif algorithm_name == "frozen": + rng, policy_rng = jax.random.split(rng) + policy = load_frozen_policy( + model_name=model_name, + rng=policy_rng, + mesh=mesh, + lm_checkpoint_path=checkpoint_path, + value_checkpoint_path=value_checkpoint_path, + value_checkpoint_idx=value_checkpoint_idx, + checkpoint_is_sharded=checkpoint_is_sharded, + gcloud_project=gcloud_project, + gcloud_token=gcloud_token, + do_pjit=do_pjit, + condition_str=None, + beta=beta, + max_sequence_length=max_sequence_length, + max_new_tokens=max_new_tokens, + do_sample=do_sample, + ) + else: + raise NotImplementedError + + # check output directory + save_dir = None + if output_path is not None: + save_dir = convert_path(os.path.join(output_path, exp_name)) + if (not save_dir.startswith('gcs://')) and (not os.path.exists(save_dir)): + print(f"Output directory {save_dir} does not exist. Making directory...") + os.makedirs(save_dir) + + # copy script to outputs as a cheap form of config logging + with open(__file__, 'r') as f_local: + with open(os.path.join(save_dir, 'config.py'), 'w') as f_save: + f_save.write(f_local.read()) + with open(os.path.join(save_dir, 'input_args.pkl'), 'wb') as f: + pkl.dump(input_args, f) + + # create environment + rng, oracle_rng = jax.random.split(rng) + env = TwentyQuestionsPolicyEnvironment( + oracle=load_flan_t5_xl_oracle( + mesh=mesh, + rng=oracle_rng, + model_name="google/flan-t5-xl", + checkpoint_path="gcs://rail-tpus-charles-3/JaxSeq/outputs/twenty_questions/flan-t5-xl_oracle_lr1e-5_test1/model_2.pkl", + max_input_length=68, #124 + max_output_length=4, + do_pjit=do_pjit, + gcloud_project=gcloud_project, + gcloud_token=gcloud_token, + ), + word_list=get_default_word_list(), + max_conversation_length=20, + ) + + # If env is deterministic and policy is deterministic, then just loop through all words once. + if env_deterministic and not do_sample: + num_samples = len(env.word_list) + print(f"Both environment and policy are deterministic, so changed num_samples to {num_samples}") + + # Do rollouts + with mesh: + random_seed = seed_generator(seed) + + rewards = [] + corrects = [] + rewards_per_word = defaultdict(list) + corrects_per_word = defaultdict(list) + conversations = [] + + def save_once(): + with open(convert_path(os.path.join(save_dir, 'conversations.json')), 'w') as f: + json.dump(conversations, f, indent=4) + + avg_rewards_per_word = {word: sum(word_r) / len(word_r) for word, word_r in rewards_per_word.items()} + avg_corrects_per_word = {word: sum(word_c) / len(word_c) for word, word_c in corrects_per_word.items()} + num_samples_per_word = {word: len(word_c) for word, word_c in corrects_per_word.items()} + + stats = { + "avg_rewards": sum(rewards) / len(rewards), + "avg_corrects": sum(corrects) / len(corrects), + "avg_rewards_per_word": avg_rewards_per_word, + "avg_corrects_per_word": avg_corrects_per_word, + "num_samples_per_word": num_samples_per_word, + "rewards": rewards, + "rewards_per_word": rewards_per_word, + "corrects_per_word": corrects_per_word, + } + with open(convert_path(os.path.join(save_dir, 'stats.json')), 'w') as f: + json.dump(stats, f, indent=2) + + if verbose: + print(f"saved to {save_dir}") + print(f"avg_rewards: {stats['avg_rewards']}") + print(f"avg_corrects: {stats['avg_corrects']}") + + return stats + + for i in range(num_samples): + transitions = interact_environment(env, policy, env_seed=next(random_seed), env_options={"deterministic": env_deterministic}) + + _, _, final_text_history, _, _ = transitions[-1] + word_var = env.curr_word + conversation = create_conversation_from_history(word_var, final_text_history, max_conversation_len=20) + + reward = sum([r for _, _, _, r, _ in transitions]) + + conversations.append(conversation) + rewards.append(reward) + corrects.append(conversation["correct"]) + rewards_per_word[word_var[0]].append(reward) + corrects_per_word[word_var[0]].append(conversation["correct"]) + + if verbose: + print('='*25) + print(conversation_to_str(conversation)) + print('='*25) + print('reward:', reward) + print('='*25) + print() + + if save_dir is not None and (i + 1) % save_every == 0: + save_once() + + final_stats = save_once() + if verbose: + print(f"avg_rewards_per_word: {final_stats['avg_rewards_per_word']}") + print(f"avg_corrects_per_word: {final_stats['avg_corrects_per_word']}") + print(f"num_samples_per_word: {final_stats['num_samples_per_word']}") + + +if __name__ == "__main__": + dcargs.cli(main) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/misc/test_twenty_questions.sh b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/misc/test_twenty_questions.sh new file mode 100755 index 00000000..82ac664b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/misc/test_twenty_questions.sh @@ -0,0 +1,28 @@ +# Configs +export GOOGLE_APPLICATION_CREDENTIALS="INCLUDE CREDENTIALS" +export GCLOUD_PROJECT="INCLUDE GCLOUD PROJECT" +export TOKENIZERS_PARALLELISM=false +sudo rm -r /tmp/*tpu* +conda init bash +conda activate LLM_RL + +# Training Oracle in JaxSEQ +python examples_jaxseq/T5/T5_train.py HF T5 google/flan-t5-xl /nfs/nfs1/users/marwa/datasets_gpt/oracle_flan-t5-xxl_train.json /nfs/nfs1/users/marwa/datasets_gpt/oracle_flan-t5-xxl_eval.json --outputs-path=gs://rail-tpus-marwa/twenty_questions/ + +# Training Guesser in JaxSEQ +python examples_jaxseq/T5/T5_train.py HF google/flan-t5-xl google/flan-t5-xl /nfs/nfs1/users/marwa/datasets_final/city/guess_my_city_train.json /nfs/nfs1/users/marwa/datasets_final/city/guess_my_city_eval.json --outputs-path=gs://rail-tpus-marwa/guess_city/ --max-input-length=124 --max-output-length=4 --lr=0.00001 --epochs=4 --train-bsize=32 --eval-loss-bsize=32 --grad-accum-steps=1 --log-every=64 --eval-every-steps=64 --save-every-epochs=1 --use-wandb --wandb-project=guess_city + +# Training BC in LLM_RL +python -m llm_rl_scripts.twenty_questions.bc.train_bc HF gpt2-medium gcs://rl-llm-bench-dataset-internal/twenty-questions/train.json gcs://rl-llm-bench-dataset-internal/twenty-questions/eval.json gcs://rl-llm-bench-dataset-internal/twenty-questions/oracle --outputs_path=gcs://rail-tpus-isadora/test-twenty-questions/bc/ --data-mesh-shape 4 --model-mesh-shape 2 --epochs 1 --use-wandb --wandb-project twenty_questions +python -m llm_rl_scripts.twenty_questions.bc.train_bc HF gpt2 gcs://rl-llm-bench-dataset-internal/twenty-questions/train.json gcs://rl-llm-bench-dataset-internal/twenty-questions/eval.json gcs://rl-llm-bench-dataset-internal/twenty-questions/oracle --data-mesh-shape 4 --model-mesh-shape 2 --epochs 1 --use-wandb --wandb-project twenty_questions + +# Training Filtered BC in LLM_RL + +# Training MC in LLM_RL +python -m llm_rl_scripts.twenty_questions.mc.train_mc_returns HF gpt2-medium gcs://rl-llm-bench-dataset-internal/twenty-questions/train.json gcs://rl-llm-bench-dataset-internal/twenty-questions/eval.json gcs://rl-llm-bench-dataset-internal/twenty-questions/oracle --outputs_path=gcs://rail-tpus-isadora/twenty-questions/ilql/ --eval-every-steps 512 --data-mesh-shape 4 --model-mesh-shape 1 --eval-at-beginning --epochs 1 --use-wandb --wandb-project twenty_questions + +# Training ILQL in LLM_RL +python -m llm_rl_scripts.twenty_questions.ilql.train_ilql HF gpt2-medium gcs://rl-llm-bench-dataset-internal/twenty-questions/train.json gcs://rl-llm-bench-dataset-internal/twenty-questions/eval.json gcs://rl-llm-bench-dataset-internal/twenty-questions/oracle --outputs_path=gcs://rail-tpus-isadora/twenty-questions/ilql/ --eval-every-steps 512 --data-mesh-shape 4 --model-mesh-shape 1 --eval-at-beginning --epochs 1 --use-wandb --wandb-project twenty_questions + +# Training PPO in LLM_RL +python -m llm_rl_scripts.twenty_questions.ppo.train_ppo HF gpt2-medium gcs://rl-llm-bench-dataset-internal/twenty-questions/train.json gcs://rl-llm-bench-dataset-internal/twenty-questions/eval.json PARAMS gcs://rl-llm-bench-dataset-internal/twenty-questions/oracle --outputs_path=gcs://rail-tpus-isadora/twenty-questions/PPO/ --eval-every-rounds 1 --data-mesh-shape 4 --model-mesh-shape 1 --eval-at-beginning --n-rounds 100 --use-wandb --wandb-project twenty_questions \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/misc/twenty_questions_gpt4.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/misc/twenty_questions_gpt4.py new file mode 100755 index 00000000..ff25af88 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/misc/twenty_questions_gpt4.py @@ -0,0 +1,54 @@ +import os +import json +import time +import openai +import jax +import pickle as pkl +import pickle as pkl +from llm_rl_scripts.twenty_questions.env.policies import twenty_questions_env, GPT4TwentyQuestionsPolicy +from LLM_RL.environment import text_env_eval +from LLM_RL.environment import TextPolicy, TextHistory, Text, text_env_eval +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import create_path +from LLM_RL.utils import convert_path + +MAIN_PROMPT = """\ +Welcome to the game of Twenty Questions! Your objective is to guess what the object is within twenty questions. At every turn, you will have the oppurnity to ask a yes/no question, and receive an answer from the oracle. You can ask tweny questions but must ask as few questions as possible. +``` +""".strip() + + +if __name__ == "__main__": + N_INTERACTIONS = 100 + OUTPUTS_PATH = f"gcs://rail-tpus-marwa/twenty_questions/LLM_RL_outputs/twenty_questions/gp4_eval/gpt4_test1_temp__/" + + def text_history_to_str(text_history: TextHistory) -> str: + return '\n'.join(map(lambda x: x.text, text_history)) + + print("Loading Environment") + env = twenty_questions_env() + print("Loaded Environment") + policy = GPT4TwentyQuestionsPolicy(MAIN_PROMPT) + + def print_interaction(interaction): + print('='*25) + print(text_history_to_str(interaction[-1].post_transition_history)) + print('='*25) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=N_INTERACTIONS, + interaction_callback=print_interaction, + ) + + print(interaction_summary_results) + + create_path(OUTPUTS_PATH) + with open(os.path.join(convert_path(OUTPUTS_PATH), 'interactions.pkl'), 'wb') as f: + pkl.dump(interation_raw_results, f) + with open(os.path.join(convert_path(OUTPUTS_PATH), 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/misc/twenty_questions_human_eval.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/misc/twenty_questions_human_eval.py new file mode 100755 index 00000000..9c6c6417 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/misc/twenty_questions_human_eval.py @@ -0,0 +1,66 @@ +import os +import json +import time +import jax +import pickle as pkl +from llm_rl_scripts.twenty_questions.env.policies import twenty_questions_env, UserPolicy +from LLM_RL.environment import text_env_eval + +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import create_path +from LLM_RL.utils import convert_path + +INTRO_TEXT = """\ +Welcome to the game of Twenty Questions! +Your objective is to guess what the object is within twenty questions. +At every turn, you will have the oppurnity to ask a yes/no question, and receive an answer from the oracle. +You can ask tweny questions but must ask as few questions as possible. + +Now that you know the rules, let's get started. +""".strip() + +if __name__ == "__main__": + YOUR_NAME = input("Enter your name: ").strip() + N_INTERACTIONS = int(input("Enter number of trials: ")) + OUTPUTS_PATH = f"data/outputs/twenty_questions/human_eval/user_interactions_test1_{YOUR_NAME}/" + env_deterministic = False + print("Loading Environment") + env = twenty_questions_env() + print("Loaded Environment") + policy = UserPolicy() + + def print_interaction(interaction): + if interaction[-1].reward == 0: + print('YOU WON!') + print('='*25) + else: + print('YOU LOST :(') + print('='*25) + + print() + print('='*25) + print(INTRO_TEXT) + print("Here are the list of words you can select from:") + words = [(word[0], word[1]) if len(word) > 1 else (word[0]) for word in env.word_list if len(word) >= 1] + print() + print(words) + print('='*25) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=N_INTERACTIONS, + interaction_callback=print_interaction, + env_options={"deterministic": env_deterministic} + ) + + print(interaction_summary_results) + print('='*25) + + create_path(OUTPUTS_PATH) + with open(os.path.join(OUTPUTS_PATH, 'interactions.pkl'), 'wb') as f: + pkl.dump(interation_raw_results, f) + with open(os.path.join(OUTPUTS_PATH, 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/ppo/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/ppo/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/ppo/train_ppo.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/ppo/train_ppo.py new file mode 100755 index 00000000..ef15f1e9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/twenty_questions/ppo/train_ppo.py @@ -0,0 +1,472 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, create_path, get_enabled_save_path, MapIterable, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ppo.train import train_loop +from LLM_RL.algorithms.ppo.base_interface import ppo_loss_fn, FixedKLController, AdaptiveKLController +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectory, text_history_to_str +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy, GPT2PPOInference, GPT2PPOTrain +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ppo.data import PPODataset +from LLM_RL.utils import get_tensor_stats_np +from functools import partial +import numpy as np +from JaxSeq.logs import label_logs, log, pull_logs +import json +import random +from JaxSeq.utils import multihost_device_get +from JaxSeq.data import MaskIterableDataset +from dataclasses import replace +from JaxSeq.models.gpt2.interface import loss_fn_mask + +from llm_rl_scripts.twenty_questions.env.env import TwentyQuestionsPolicyEnvironment +from llm_rl_scripts.twenty_questions.env.oracle import T5Oracle +from llm_rl_scripts.twenty_questions.env.oracle import T5ModelLoadMode as T5OracleModelLoadMode +from llm_rl_scripts.twenty_questions.env.data import get_default_word_list, create_conversation_from_history + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + bc_data_path: str, + oracle_model_path: str, + + /, # Mark the end of positional arguments. + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + train_bc_bsize: Optional[int]=None, + grad_accum_steps: Optional[int]=None, + rollout_bsize: int=32, + n_rollouts: int=128, + ppo_data_bsize: int=32, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_input_length: int=512, + max_output_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_ppo_dataset: bool=True, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + gamma: float=1.0, + lam: float=0.95, + use_advantage_whitening: bool=True, + + init_kl_coef: float=0.001, + kl_target: Optional[float]=None, + kl_horizon: Optional[int]=None, + + cliprange_value: float=0.2, + cliprange: float=0.2, + value_loss_coef: float=1.0, + bc_loss_weight: float=1.0, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals() + print(input_args) + + use_adaptive_kl = (kl_target is not None and kl_horizon is not None) + if not use_adaptive_kl: + assert kl_target is None and kl_horizon is None + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + bc_data = MaskIterableDataset.blocked_from_str_segments_iterable( + MapIterable(lambda x: x['sequence'], FileOpenIterable(convert_path(bc_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_input_length+max_output_length, + ), + ) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + model_prng_key = jax.random.PRNGKey(2) + policy_train_state, policy_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + policy_model.config.gradient_checkpointing = gradient_checkpointing + policy_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + policy_model.config.resid_pdrop = 0.0 + policy_model.config.embd_pdrop = 0.0 + policy_model.config.attn_pdrop = 0.0 + with jax.default_device(jax.devices('cpu')[0]): + initital_policy_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + policy_train_state.params, + ) + initital_policy_params = shard_params_from_params( + model=policy_model, + params=initital_policy_params, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2Inference.load_inference( + params=policy_train_state.params, + model=policy_model, + tokenizer=tokenizer, + ) + + oracle_prng = jax.random.PRNGKey(7) + env = TwentyQuestionsPolicyEnvironment( + oracle=T5Oracle.load_oracle( + mesh=mesh, + prng_key=oracle_prng, + model_load_mode=oracle_model_mode, + model_load_path=oracle_model_path, + use_fp16_activations=False, + use_fp16_params=False, + max_input_length=124, + max_output_length=4, + ), + word_list=get_default_word_list(), + max_conversation_length=20, + ) + policy_prng = jax.random.PRNGKey(0) + policy = GPT2PPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + head_prng_key = jax.random.PRNGKey(3) + value_head_train_state, value_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=policy_model.config.n_embd, + output_dim=1, + use_bias=True, + initializer_range=0.0, + bias_init=-4.1, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=head_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loss_f = partial(ppo_loss_fn, cliprange_value=cliprange_value, cliprange=cliprange, value_loss_coef=value_loss_coef) + + ppo_inference = GPT2PPOInference.load_inference( + initial_policy_params=initital_policy_params, + policy_params=policy_train_state.params, + value_head_params=value_head_train_state.params, + initial_policy_model=policy_model, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask, + bc_loss_weight=bc_loss_weight, + ) + + ppo_trainer = GPT2PPOTrain.load_train( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask, + bc_loss_weight=bc_loss_weight, + ) + + if use_adaptive_kl: + kl_controller = AdaptiveKLController(init_kl_coef=init_kl_coef, target=kl_target, horizon=kl_horizon) + else: + kl_controller = FixedKLController(kl_coef=init_kl_coef) + + data_round = 0 + def ppo_dataset_loader(ppo_inference: GPT2PPOInference, policy: GPT2PPOPolicy) -> PPODataset: + nonlocal data_round + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + ) + summary_results = pull_logs(summary_results) + + text_trajectory_chains = [] + for raw_result in raw_results: + print('='*25) + print(text_history_to_str(raw_result[-1].post_transition_history)) + print('='*25) + print(sum([[item.reward, 0.0] for item in raw_result], [0.0])) + print('='*25) + text_trajectory = TextTrajectory( + text_history=raw_result[-1].post_transition_history, + reward=sum([[item.reward, 0.0] for item in raw_result], [0.0]), + done=raw_result[-1].done, + ) + while len(text_trajectory.text_history) > 3: + if TokenTrajectory.from_text_trajectory(text_trajectory, tokenizer).tokens.shape[0] >= max_input_length+max_output_length: + new_reward = text_trajectory.reward[:-2] + new_reward[-2] += sum(text_trajectory.reward[-2:]) * gamma + text_trajectory = replace( + text_trajectory, + text_history=text_trajectory.text_history[:-2], + reward=new_reward, + done=False, + ) + else: + break + + if len(text_trajectory.text_history) < 3: + continue + if TokenTrajectory.from_text_trajectory(text_trajectory, tokenizer).tokens.shape[0] >= max_input_length+max_output_length: + continue + + text_trajectory_chains.append(TextTrajectoryChain(text_trajectory, None)) + + ppo_data, all_kls = ppo_inference.get_ppo_data_from_text_trajectory_chain( + text_trajectory_chains, + bsize=ppo_data_bsize, + max_length=max_input_length+max_output_length, + gamma=gamma, + lam=lam, + kl_weight=kl_controller.value, + use_advantage_whitening=use_advantage_whitening, + ) + mean_kl = all_kls.mean().item() + kl_controller.update(mean_kl, train_bsize) + + ppo_dataset = PPODataset.from_ppo_data_list( + ppo_data, + tokenizer, + BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length+max_output_length), + ) + + logs = dict( + policy=dict( + initial_policy_kl=get_tensor_stats_np(all_kls, np.ones(all_kls.shape), all_kls.size), + sqrt_initial_policy_kl=np.sqrt(mean_kl), + kl_ctrl_value=kl_controller.value, + ), + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_ppo_dataset: + print('saving ppo dataset ...') + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'ppo_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(ppo_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'text_trajectory_chains.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(text_trajectory_chains, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'raw_results.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(raw_results, f) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return ppo_dataset + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=ppo_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + bc_dataset=bc_data, + bc_bsize=train_bc_bsize, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) + + + + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/create_percent_bc_data.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/create_percent_bc_data.py new file mode 100755 index 00000000..070fed91 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/create_percent_bc_data.py @@ -0,0 +1,18 @@ +import json +from JaxSeq.bucket_manager import open_with_bucket as open +from tqdm.auto import tqdm + +if __name__ == "__main__": + percentage = 0.1 + + all_data = [] + with open('gcs://rail-tpus-csnell-us/LLM_RL_data/wordle/bc_data1.jsonl', 'r') as f: + for item in tqdm(f): + item = json.loads(item) + all_data.append(item) + + all_data_filtered = sorted(all_data, key=lambda x: sum(x['reward']), reverse=True)[:int(len(all_data) * percentage)] + + with open(f'gcs://rail-tpus-csnell-us/LLM_RL_data/wordle/bc_data1_filtered_{str(percentage*100)}.jsonl', 'w') as f: + for item in all_data_filtered: + f.write(json.dumps(item)+'\n') diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/eval_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/eval_bc.py new file mode 100755 index 00000000..dcfe44c2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/eval_bc.py @@ -0,0 +1,135 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +import os +from JaxSeq.models.gptj.interface import GPTJInferenceMask +from JaxSeq.models.gptj.load import ModelLoadMode, load_params +import pickle as pkl +import json +from transformers.generation import GenerationConfig +from llm_rl_scripts.wordle.env.env import WordleEnvironment, ReformatWordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary +from LLM_RL.algorithms.ppo.gptj.interface import GPTJPPOPolicy +from LLM_RL.environment import text_history_to_str, text_env_eval + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + vocab_file: str, + + /, # Mark the end of positional arguments. + + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + bf16_activations: bool=False, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + vocab = Vocabulary.from_file( + vocab_file=vocab_file, + fill_cache=False, + ) + env = ReformatWordleEnvironment(WordleEnvironment(vocab)) + + model_prng_key = jax.random.PRNGKey(2) + params, model = load_params( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + inference = GPTJInferenceMask.load_inference( + params=params, + model=model, + tokenizer=tokenizer, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPTJInferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPTJPPOPolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interation_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + print(interaction_summary_results) + + if outputs_path is not None: + create_path(outputs_path) + with open(os.path.join(convert_path(outputs_path), 'interactions.pkl'), 'wb') as f: + pkl.dump(interation_raw_results, f) + with open(os.path.join(convert_path(outputs_path), 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + return {'generation_metrics': interaction_summary_results} + + print(evaluator( + inference=inference, + )) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/eval_bc_gpt2.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/eval_bc_gpt2.py new file mode 100755 index 00000000..b0641ffc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/eval_bc_gpt2.py @@ -0,0 +1,136 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2InferenceMask +from JaxSeq.models.gpt2.load import ModelLoadMode, load_params +import pickle as pkl +import json +from transformers.generation import GenerationConfig +from llm_rl_scripts.wordle.env.env import WordleEnvironment, ReformatWordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.environment import text_history_to_str, text_env_eval + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + vocab_file: str, + + /, # Mark the end of positional arguments. + + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + bf16_activations: bool=False, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + vocab = Vocabulary.from_file( + vocab_file=vocab_file, + fill_cache=False, + ) + env = ReformatWordleEnvironment(WordleEnvironment(vocab)) + + model_prng_key = jax.random.PRNGKey(2) + params, model = load_params( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + inference = GPT2InferenceMask.load_inference( + params=params, + model=model, + tokenizer=tokenizer, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2PPOPolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interation_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + print(interaction_summary_results) + + if outputs_path is not None: + create_path(outputs_path) + with open(os.path.join(convert_path(outputs_path), 'interactions.pkl'), 'wb') as f: + pkl.dump(interation_raw_results, f) + with open(os.path.join(convert_path(outputs_path), 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + return {'generation_metrics': interaction_summary_results} + + print(evaluator( + inference=inference, + )) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/train_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/train_bc.py new file mode 100755 index 00000000..1a6ece18 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/train_bc.py @@ -0,0 +1,292 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, FileOpenIterable +import os +import optax +from JaxSeq.models.gptj.interface import GPTJTrainMask, GPTJInferenceMask +from JaxSeq.models.gptj.load import load_train_state, ModelLoadMode +import pickle as pkl +from JaxSeq.data import MaskIterableDataset +from JaxSeq.train import eval_loss, train_loop +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from JaxSeq.optimizers import GPT3Optimizer +from llm_rl_scripts.wordle.env.env import WordleEnvironment, ReformatWordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary +from LLM_RL.algorithms.ppo.gptj.interface import GPTJPPOPolicy +from LLM_RL.environment import text_history_to_str, text_env_eval + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + vocab_file: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + weight_decay: float=0.001, + init_lr: float=0.0, + end_lr: float=0.002, + lr: float=0.002, + lr_warmup_steps: int=1000, + lr_decay_steps: int=1001, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + resid_pdrop: float=0.05, + attn_pdrop: float=0.05, + embd_pdrop: float=0.05, + + train_bsize: int=16, + grad_accum_steps: Optional[int]=None, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + bf16_activations: bool=False, + + max_length: int=2048, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + train_data = MaskIterableDataset.blocked_from_str_segments_iterable( + MapIterable(lambda x: [(tokenizer.bos_token, 0.0)]+x['sequence']+[(tokenizer.eos_token, 1.0)], FileOpenIterable(convert_path(train_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_length, + ), + ) + + eval_data = MaskIterableDataset.blocked_from_str_segments_iterable( + MapIterable(lambda x: [(tokenizer.bos_token, 0.0)]+x['sequence']+[(tokenizer.eos_token, 1.0)], FileOpenIterable(convert_path(eval_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_length, + ), + ) + + vocab = Vocabulary.from_file( + vocab_file=vocab_file, + fill_cache=False, + ) + env = ReformatWordleEnvironment(WordleEnvironment(vocab)) + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=init_lr, + end_lr=end_lr, + lr=lr, + lr_warmup_steps=lr_warmup_steps, + lr_decay_steps=lr_decay_steps, + weight_decay=weight_decay, + bf16_momentum=bf16_momentum, + multiply_by_parameter_scale=multiply_by_parameter_scale, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + model.config.resid_pdrop = resid_pdrop + model.config.embd_pdrop = embd_pdrop + model.config.attn_pdrop = attn_pdrop + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + trainer = GPTJTrainMask.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + inference = GPTJInferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPTJInferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPTJPPOPolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_metrics = eval_loss( + inference=inference, + dataset=eval_data, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interation_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + return loss_metrics['loss'], {'loss_metrics': loss_metrics, 'generation_metrics': interaction_summary_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/train_bc_gpt2.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/train_bc_gpt2.py new file mode 100755 index 00000000..e8ece91e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/bc/train_bc_gpt2.py @@ -0,0 +1,292 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2TrainMask, GPT2InferenceMask +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from JaxSeq.data import MaskIterableDataset +from JaxSeq.train import eval_loss, train_loop +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from JaxSeq.optimizers import GPT3Optimizer +from llm_rl_scripts.wordle.env.env import WordleEnvironment, ReformatWordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.environment import text_history_to_str, text_env_eval + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + vocab_file: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + weight_decay: float=0.001, + init_lr: float=0.0, + end_lr: float=0.002, + lr: float=0.002, + lr_warmup_steps: int=1000, + lr_decay_steps: int=1001, # no decay, so just needs to be > warmup steps + bf16_momentum: bool=False, + multiply_by_parameter_scale: bool=True, + + resid_pdrop: float=0.05, + attn_pdrop: float=0.05, + embd_pdrop: float=0.05, + + train_bsize: int=16, + grad_accum_steps: Optional[int]=None, + + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + bf16_activations: bool=False, + + max_length: int=2048, + + log_every: int=256, + eval_every_steps: Optional[int]=256, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + train_data = MaskIterableDataset.blocked_from_str_segments_iterable( + MapIterable(lambda x: x['sequence'], FileOpenIterable(convert_path(train_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_length, + ), + ) + + eval_data = MaskIterableDataset.blocked_from_str_segments_iterable( + MapIterable(lambda x: x['sequence'], FileOpenIterable(convert_path(eval_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_length, + ), + ) + + vocab = Vocabulary.from_file( + vocab_file=vocab_file, + fill_cache=False, + ) + env = ReformatWordleEnvironment(WordleEnvironment(vocab)) + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + + optimizer_config = GPT3Optimizer( + init_lr=init_lr, + end_lr=end_lr, + lr=lr, + lr_warmup_steps=lr_warmup_steps, + lr_decay_steps=lr_decay_steps, + weight_decay=weight_decay, + bf16_momentum=bf16_momentum, + multiply_by_parameter_scale=multiply_by_parameter_scale, + ) + + optim, _ = optimizer_config.get_optim(mask) + + if grad_accum_steps is not None: + return optax.MultiSteps(optim, every_k_schedule=grad_accum_steps) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + model.config.resid_pdrop = resid_pdrop + model.config.embd_pdrop = embd_pdrop + model.config.attn_pdrop = attn_pdrop + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + trainer = GPT2TrainMask.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2PPOPolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_metrics = eval_loss( + inference=inference, + dataset=eval_data, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interation_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + return loss_metrics['loss'], {'loss_metrics': loss_metrics, 'generation_metrics': interaction_summary_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=trainer, + inference=inference, + evaluator=evaluator, + dataset=train_data, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ilql/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ilql/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ilql/eval_ilql_gpt2.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ilql/eval_ilql_gpt2.py new file mode 100755 index 00000000..3168479f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ilql/eval_ilql_gpt2.py @@ -0,0 +1,180 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +import os +from JaxSeq.models.gpt2.interface import GPT2InferenceMask +from JaxSeq.models.gpt2.load import ModelLoadMode, load_params +import pickle as pkl +import json +from transformers.generation import GenerationConfig +from llm_rl_scripts.wordle.env.env import WordleEnvironment, ReformatWordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary +from LLM_RL.environment import text_history_to_str, text_env_eval +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_params as load_head_params + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + pi_beta_load_mode: ModelLoadMode, + pi_beta_load_path: str, + vocab_file: str, + + /, # Mark the end of positional arguments. + + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + bf16_activations: bool=False, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + policy_beta: float=16.0, + + force_pad_embeddings: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + vocab = Vocabulary.from_file( + vocab_file=vocab_file, + fill_cache=False, + ) + env = ReformatWordleEnvironment(WordleEnvironment(vocab)) + + pi_beta_prng_key = jax.random.PRNGKey(0) + pi_beta_params, _ = load_params( + model_load_mode=pi_beta_load_mode, + model_load_path=convert_path(pi_beta_load_path) if pi_beta_load_mode != ModelLoadMode.HF else pi_beta_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=pi_beta_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + base_prng_key = jax.random.PRNGKey(0) + base_params, base_model = load_params( + model_load_mode=model_load_mode, + model_load_path=convert_path(os.path.join(model_load_path, 'base')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=base_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + q1_head_params, q_head = load_head_params( + model_load_mode=model_load_mode.value, + model_load_path=convert_path(os.path.join(model_load_path, 'q1_head')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + mesh=mesh, + prng_key=jax.random.PRNGKey(0), + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + q2_head_params, _ = load_head_params( + model_load_mode=model_load_mode.value, + model_load_path=convert_path(os.path.join(model_load_path, 'q2_head')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + mesh=mesh, + prng_key=jax.random.PRNGKey(0), + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + inference = GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_params, + q1_head_params=q1_head_params, + q2_head_params=q2_head_params, + v_head_params=None, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=None, + tokenizer=tokenizer, + beta=policy_beta, + dp_shard_logits=True, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interation_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + print(interaction_summary_results) + + if outputs_path is not None: + create_path(outputs_path) + with open(os.path.join(convert_path(outputs_path), 'interactions.pkl'), 'wb') as f: + pkl.dump(interation_raw_results, f) + with open(os.path.join(convert_path(outputs_path), 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + return {'generation_metrics': interaction_summary_results} + + print(evaluator( + inference=inference, + )) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ilql/train_ilql.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ilql/train_ilql.py new file mode 100755 index 00000000..2f74293a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ilql/train_ilql.py @@ -0,0 +1,453 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, jsonl_stream, FileOpenIterable +import os +import optax +from JaxSeq.models.gptj.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ilql.base_interface import ilql_loss +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain, text_history_to_str +from LLM_RL.algorithms.ilql.gptj.interface import GPTJILQLInference, GPTJILQLTrain +from LLM_RL.algorithms.value_rl_base.gptj.interface import GPTJValuePolicy, GPTJValueRLInference +from LLM_RL.heads.mlp_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.mlp_head import MLPHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ilql.data import ILQLIterableDataset +from functools import partial +import numpy as np +from JaxSeq.logs import log, pull_logs +from LLM_RL.algorithms.ilql.train import train_loop, eval_loss +from LLM_RL.algorithms.ilql.data import ILQLData, ILQLIterableDataset +from JaxSeq.utils import multihost_device_get +from llm_rl_scripts.wordle.env.env import ReformatWordleEnvironment, WordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + vocab_file: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + policy_bsize: int=32, + policy_n_rollouts: int=32, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + beta: float=16.0, + + detach_q1: bool=False, + detach_q2: bool=False, + detach_v: bool=False, + polyak_alpha: float=0.005, + hard_update_every: Optional[int]=None, + + gamma: float=0.99, + tau: float=0.7, + cql_weight: float=0.01, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def map_data_item(item): + text_trajectory_chain = TextTrajectoryChain( + text_trajectory=TextTrajectory( + text_history=[Text(text, bool(is_action)) for text, is_action in item['sequence']], + reward=[0.0]+item['reward'], + done=item['done'], + ), + next=None, + ) + token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(text_trajectory_chain, tokenizer) + return ILQLData.from_token_trajectory_chain(token_trajectory_chain) + + train_dataset = ILQLIterableDataset.from_ilql_data_iterable( + MapIterable(map_data_item, FileOpenIterable(convert_path(train_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + eval_dataset = ILQLIterableDataset.from_ilql_data_iterable( + MapIterable(map_data_item, FileOpenIterable(convert_path(eval_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + base_model.config.gradient_checkpointing = gradient_checkpointing + base_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + target_base_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + target_base_params = shard_params_from_params( + model=base_model, + params=target_base_params, + ) + with jax.default_device(jax.devices('cpu')[0]): + pi_beta_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + pi_beta_params = shard_params_from_params( + model=base_model, + params=pi_beta_params, + ) + + q1_prng_key = jax.random.PRNGKey(4) + q1_head_train_state, q_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.1, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q1_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q1_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q1_head_train_state.params, + ) + q1_target_head_params = shard_params_from_params( + model=q_head, + params=q1_target_head_params, + ) + + q2_prng_key = jax.random.PRNGKey(5) + q2_head_train_state, _ = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.1, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q2_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q2_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q2_head_train_state.params, + ) + q2_target_head_params = shard_params_from_params( + model=q_head, + params=q2_target_head_params, + ) + + v_prng_key = jax.random.PRNGKey(6) + v_head_train_state, v_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=1, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.1, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=v_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(ilql_loss, gamma=gamma, tau=tau, cql_weight=cql_weight) + + train = GPTJILQLTrain.load_train( + base_train_state=base_train_state, + target_base_params=target_base_params, + q1_head_train_state=q1_head_train_state, + q2_head_train_state=q2_head_train_state, + v_head_train_state=v_head_train_state, + q1_target_head_params=q1_target_head_params, + q2_target_head_params=q2_target_head_params, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q1=detach_q1, + detach_q2=detach_q2, + detach_v=detach_v, + polyak_alpha=polyak_alpha, + hard_update_every=hard_update_every, + ) + + inference = GPTJILQLInference.load_inference( + value_inference=GPTJValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q1_head_params=q1_head_train_state.params, + q2_head_params=q2_head_train_state.params, + v_head_params=v_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + beta=beta, + dp_shard_logits=True, + ), + target_value_inference=GPTJValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=target_base_params, + q1_head_params=q1_target_head_params, + q2_head_params=q2_target_head_params, + v_head_params=None, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=None, + tokenizer=tokenizer, + beta=beta, + dp_shard_logits=True, + ), + loss_fn=loss_fn, + ) + + vocab = Vocabulary.from_file( + vocab_file=vocab_file, + fill_cache=False, + ) + env = ReformatWordleEnvironment(WordleEnvironment(vocab, require_words_in_vocab=True, bad_word_reward=-10.0)) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPTJILQLInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPTJValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_results = eval_loss( + inference=inference, + dataset=eval_dataset, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interaction_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interaction_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + logs = pull_logs(interaction_summary_results) + log(logs, use_wandb and is_main_process) + + return loss_results['losses']['total_loss'], {'interaction': logs, 'loss': loss_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=train_dataset, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ilql/train_ilql_gpt2.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ilql/train_ilql_gpt2.py new file mode 100755 index 00000000..bc10aa2a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ilql/train_ilql_gpt2.py @@ -0,0 +1,467 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, jsonl_stream, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ilql.base_interface import ilql_loss +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain, text_history_to_str +from LLM_RL.algorithms.ilql.gpt2.interface import GPT2ILQLInference, GPT2ILQLTrain +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.mlp_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.mlp_head import MLPHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ilql.data import ILQLIterableDataset +from functools import partial +from JaxSeq.logs import log, pull_logs +from LLM_RL.algorithms.ilql.train import train_loop, eval_loss +from LLM_RL.algorithms.ilql.data import ILQLData, ILQLIterableDataset +from JaxSeq.utils import multihost_device_get +from llm_rl_scripts.wordle.env.env import ReformatWordleEnvironment, WordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary +from jax.sharding import PartitionSpec as PS + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + vocab_file: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=10, + max_steps: Optional[int]=None, + + lr: float=3e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + policy_bsize: int=32, + policy_n_rollouts: int=32, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + beta: float=32.0, + + detach_q1: bool=False, + detach_q2: bool=False, + detach_v: bool=False, + polyak_alpha: float=0.005, + hard_update_every: Optional[int]=None, + + gamma: float=0.99, + tau: float=0.7, + cql_weight: float=0.01, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def map_data_item(item): + text_trajectory_chain = TextTrajectoryChain( + text_trajectory=TextTrajectory( + text_history=[Text(text, bool(is_action)) for text, is_action in item['sequence']], + reward=[0.0]+item['reward'], + done=item['done'], + ), + next=None, + ) + token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(text_trajectory_chain, tokenizer) + return ILQLData.from_token_trajectory_chain(token_trajectory_chain) + + train_dataset = ILQLIterableDataset.from_ilql_data_iterable( + MapIterable(map_data_item, FileOpenIterable(convert_path(train_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + eval_dataset = ILQLIterableDataset.from_ilql_data_iterable( + MapIterable(map_data_item, FileOpenIterable(convert_path(eval_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + base_model.config.gradient_checkpointing = gradient_checkpointing + base_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + with jax.default_device(jax.devices('cpu')[0]): + target_base_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + target_base_params = shard_params_from_params( + model=base_model, + params=target_base_params, + ) + with jax.default_device(jax.devices('cpu')[0]): + pi_beta_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + base_train_state.params, + ) + pi_beta_params = shard_params_from_params( + model=base_model, + params=pi_beta_params, + ) + + q1_prng_key = jax.random.PRNGKey(4) + q1_head_train_state, q_head = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q1_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q1_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q1_head_train_state.params, + ) + q1_target_head_params = shard_params_from_params( + model=q_head, + params=q1_target_head_params, + ) + + q2_prng_key = jax.random.PRNGKey(5) + q2_head_train_state, _ = load_head_train_state_from_config( + model_config=MLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q2_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + with jax.default_device(jax.devices('cpu')[0]): + q2_target_head_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + q2_head_train_state.params, + ) + q2_target_head_params = shard_params_from_params( + model=q_head, + params=q2_target_head_params, + ) + + class ValueMLPHeadConfig(MLPHeadConfig): + @staticmethod + def get_partition_rules(): + return [ + (re.escape("['dense1']['kernel']"), PS("fsdp", "mp")), + (re.escape("['dense1']['bias']"), PS("mp")), + (re.escape("['dense2']['kernel']"), PS("fsdp", None)), + (re.escape("['dense2']['bias']"), PS()), + ] + + v_prng_key = jax.random.PRNGKey(6) + v_head_train_state, v_head = load_head_train_state_from_config( + model_config=ValueMLPHeadConfig( + input_dim=base_model.config.n_embd, + hidden_dim=base_model.config.n_embd, + output_dim=1, + use_bias=True, + layer2_initializer_range=0.0, + layer2_bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=v_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(ilql_loss, gamma=gamma, tau=tau, cql_weight=cql_weight) + + train = GPT2ILQLTrain.load_train( + base_train_state=base_train_state, + target_base_params=target_base_params, + q1_head_train_state=q1_head_train_state, + q2_head_train_state=q2_head_train_state, + v_head_train_state=v_head_train_state, + q1_target_head_params=q1_target_head_params, + q2_target_head_params=q2_target_head_params, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q1=detach_q1, + detach_q2=detach_q2, + detach_v=detach_v, + polyak_alpha=polyak_alpha, + hard_update_every=hard_update_every, + ) + + inference = GPT2ILQLInference.load_inference( + value_inference=GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q1_head_params=q1_head_train_state.params, + q2_head_params=q2_head_train_state.params, + v_head_params=v_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=v_head, + tokenizer=tokenizer, + beta=beta, + dp_shard_logits=True, + ), + target_value_inference=GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=target_base_params, + q1_head_params=q1_target_head_params, + q2_head_params=q2_target_head_params, + v_head_params=None, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=None, + tokenizer=tokenizer, + beta=beta, + dp_shard_logits=True, + ), + loss_fn=loss_fn, + ) + + vocab = Vocabulary.from_file( + vocab_file=vocab_file, + fill_cache=False, + ) + env = ReformatWordleEnvironment(WordleEnvironment(vocab, require_words_in_vocab=True, bad_word_reward=-10.0)) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPT2ILQLInference): + print("Evaluating...") + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2ValuePolicy( + inference=inference.value_inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_results = eval_loss( + inference=inference, + dataset=eval_dataset, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + print(loss_results) + + interaction_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + print(len(interaction_raw_results)) + + for item in interaction_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + logs = pull_logs(interaction_summary_results) + log(logs, use_wandb and is_main_process) + + return loss_results['losses']['total_loss'], {'interaction': logs, 'loss': loss_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=train_dataset, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/load_results.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/load_results.py new file mode 100755 index 00000000..1bc92baf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/load_results.py @@ -0,0 +1,86 @@ +import os +import json +import math +from JaxSeq.bucket_manager import open_with_bucket as open +from tqdm.auto import tqdm +import numpy as np + +# BC: charlie-bucket2/JaxSeq2_outputs/wordle_bc/wordle_gpt2_test3.2023-09-22-21-53-58.938.88bf2e58599211ee812d4554a3c5cde2/last +# 50% BC: charlie-bucket2/JaxSeq2_outputs/wordle_bc/wordle_gpt2_config_test1_filtered_50.2023-09-22-22-01-52.694.a32076b6599311eeaa2d5bbde740719c/last +# 30% BC: charlie-bucket2/JaxSeq2_outputs/wordle_bc/wordle_gpt2_config_test1_filtered_30.2023-09-23-05-02-18.636.5ef5bfd859ce11eeaa2d5bbde740719c/last +# 10% BC: charlie-bucket2/JaxSeq2_outputs/wordle_bc/wordle_gpt2_config_test1_filtered_10.2023-09-23-09-14-33.106.9bcea4e259f111eeaa2d5bbde740719c/last +# PPO: waiting +# ILQL: charlie-bucket2/LLM_RL_outputs/wordle/worlde_gpt2_ilql_test1/wordle_gpt2_ilql_test1.2023-09-24-23-55-18.774.d0b16fba5b3511eeaa2d5bbde740719c/epoch_8 +# MC: charlie-bucket2/LLM_RL_outputs/wordle/worlde_gpt2_mc_test1/wordle_gpt2_mc_test1.2023-09-24-23-22-57.716.4bbb75345b3111ee812d4554a3c5cde2/epoch_3 + +if __name__ == "__main__": + # BC_PATHS = { + # 'BC': 'gcs://charlie-bucket2/JaxSeq2_outputs/wordle_bc/wordle_gpt2_test3.2023-09-22-21-53-58.938.88bf2e58599211ee812d4554a3c5cde2/last', + # '50%_BC': 'gcs://charlie-bucket2/JaxSeq2_outputs/wordle_bc/wordle_gpt2_config_test1_filtered_50.2023-09-22-22-01-52.694.a32076b6599311eeaa2d5bbde740719c/last', + # '30%_BC': 'gcs://charlie-bucket2/JaxSeq2_outputs/wordle_bc/wordle_gpt2_config_test1_filtered_30.2023-09-23-05-02-18.636.5ef5bfd859ce11eeaa2d5bbde740719c/last', + # '10%_BC': 'gcs://charlie-bucket2/JaxSeq2_outputs/wordle_bc/wordle_gpt2_config_test1_filtered_10.2023-09-23-09-14-33.106.9bcea4e259f111eeaa2d5bbde740719c/last', + # 'PPO': 'gcs://charlie-bucket2/LLM_RL_outputs/wordle/worlde_gpt2_ppo_test3/exp.2023-09-27-16-53-17.486.5b44c8585d5611eeafb787c6b9d91662/round_195', + # } + + # ILQL_PATHS = { + # 'ilql': 'gcs://charlie-bucket2/LLM_RL_outputs/wordle/worlde_gpt2_ilql_test1/wordle_gpt2_ilql_test1.2023-09-24-23-55-18.774.d0b16fba5b3511eeaa2d5bbde740719c/epoch_8', + # } + + # MC_PATHS = { + # 'mc': 'gcs://charlie-bucket2/LLM_RL_outputs/wordle/worlde_gpt2_mc_test1/wordle_gpt2_mc_test1.2023-09-24-23-22-57.716.4bbb75345b3111ee812d4554a3c5cde2/epoch_3', + # } + + # for name, path in BC_PATHS.items(): + # with open(os.path.join(path, 'eval_bc_greedy', 'interactions_summary.json'), 'r') as f: + # item_greedy = json.load(f) + # with open(os.path.join(path, 'eval_bc_sample', 'interactions_summary.json'), 'r') as f: + # item_sample = json.load(f) + # print(name, 'greedy:', f"{item_greedy['reward']['mean']} +- {item_greedy['reward']['std'] / math.sqrt(4096)}") + # print(name, 'sample:', f"{item_sample['reward']['mean']} +- {item_sample['reward']['std'] / math.sqrt(4096)}") + + # for name, path in ILQL_PATHS.items(): + # for beta in [1, 2, 4, 8, 16, 32, 64, 128]: + # with open(os.path.join(path, f'eval_ilql_beta{beta}_greedy', 'interactions_summary.json'), 'r') as f: + # item_greedy = json.load(f) + # with open(os.path.join(path, f'eval_ilql_beta{beta}_sample', 'interactions_summary.json'), 'r') as f: + # item_sample = json.load(f) + # print(name, f'greedy_{beta}:', f"{item_greedy['reward']['mean']} +- {item_greedy['reward']['std'] / math.sqrt(4096)}") + # print(name, f'sample_{beta}:', f"{item_sample['reward']['mean']} +- {item_sample['reward']['std'] / math.sqrt(4096)}") + + # for name, path in MC_PATHS.items(): + # for beta in [1, 2, 4, 8, 16, 32, 64, 128]: + # with open(os.path.join(path, f'eval_mc_beta{beta}_greedy', 'interactions_summary.json'), 'r') as f: + # item_greedy = json.load(f) + # with open(os.path.join(path, f'eval_mc_beta{beta}_sample', 'interactions_summary.json'), 'r') as f: + # item_sample = json.load(f) + # print(name, f'greedy_{beta}:', f"{item_greedy['reward']['mean']} +- {item_greedy['reward']['std'] / math.sqrt(4096)}") + # print(name, f'sample_{beta}:', f"{item_sample['reward']['mean']} +- {item_sample['reward']['std'] / math.sqrt(4096)}") + + # d = [] + # with open('gcs://charlie-bucket2/LLM_RL_data/wordle/bc_data1.jsonl', 'r') as f: + # for line in tqdm(f): + # d.append(json.loads(line)) + # returns = [] + # successes = [] + # lengths = [] + # for item in d: + # returns.append(sum(item['reward'])) + # if returns[-1] > -6: + # successes.append(1) + # else: + # successes.append(0) + # lengths.append((len(item['sequence'])-1)/2) + # breakpoint() + # pass + + BC = -2.814208984375 + filtered_BC = -2.849609375 + PPO = -2.62646484375 + ILQL = -2.035400390625 + MC = -2.159912109375 + + print(((BC + 4.121715) / (4.121715 - 1.935)) * 50 + 50) + print(((filtered_BC + 4.121715) / (4.121715 - 1.935)) * 50 + 50) + print(((PPO + 4.121715) / (4.121715 - 1.935)) * 50 + 50) + print(((ILQL + 4.121715) / (4.121715 - 1.935)) * 50 + 50) + print(((MC + 4.121715) / (4.121715 - 1.935)) * 50 + 50) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/mc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/mc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/mc/eval_mc_gpt2.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/mc/eval_mc_gpt2.py new file mode 100755 index 00000000..28ccbffa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/mc/eval_mc_gpt2.py @@ -0,0 +1,171 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, create_path +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2InferenceMask +from JaxSeq.models.gpt2.load import ModelLoadMode, load_params +import pickle as pkl +import json +from transformers.generation import GenerationConfig +from llm_rl_scripts.wordle.env.env import WordleEnvironment, ReformatWordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary +from LLM_RL.environment import text_history_to_str, text_env_eval +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy, GPT2ValueRLInference +from LLM_RL.heads.linear_head import load_params as load_head_params + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + pi_beta_load_mode: ModelLoadMode, + pi_beta_load_path: str, + vocab_file: str, + + /, # Mark the end of positional arguments. + + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + bf16_activations: bool=False, + + policy_n_rollouts: int=32, + policy_bsize: int=1, + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + policy_beta: float=16.0, + + force_pad_embeddings: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + vocab = Vocabulary.from_file( + vocab_file=vocab_file, + fill_cache=False, + ) + env = ReformatWordleEnvironment(WordleEnvironment(vocab)) + + pi_beta_prng_key = jax.random.PRNGKey(0) + pi_beta_params, _ = load_params( + model_load_mode=pi_beta_load_mode, + model_load_path=convert_path(pi_beta_load_path) if pi_beta_load_mode != ModelLoadMode.HF else pi_beta_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=pi_beta_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + base_prng_key = jax.random.PRNGKey(0) + base_params, base_model = load_params( + model_load_mode=model_load_mode, + model_load_path=convert_path(os.path.join(model_load_path, 'base')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + tokenizer=tokenizer, + mesh=mesh, + prng_key=base_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + + q_head_params, q_head = load_head_params( + model_load_mode=model_load_mode.value, + model_load_path=convert_path(os.path.join(model_load_path, 'q_head')), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + mesh=mesh, + prng_key=jax.random.PRNGKey(0), + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + inference = GPT2ValueRLInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_params, + q1_head_params=q_head_params, + q2_head_params=None, + v_head_params=None, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + v_head_model=None, + tokenizer=tokenizer, + beta=policy_beta, + dp_shard_logits=True, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluator(inference: GPT2InferenceMask): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interation_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + print(interaction_summary_results) + + if outputs_path is not None: + create_path(outputs_path) + with open(os.path.join(convert_path(outputs_path), 'interactions.pkl'), 'wb') as f: + pkl.dump(interation_raw_results, f) + with open(os.path.join(convert_path(outputs_path), 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + return {'generation_metrics': interaction_summary_results} + + print(evaluator( + inference=inference, + )) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/mc/train_mc_returns.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/mc/train_mc_returns.py new file mode 100755 index 00000000..ac88be9d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/mc/train_mc_returns.py @@ -0,0 +1,345 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, jsonl_stream, FileOpenIterable +import os +import optax +from JaxSeq.models.gptj.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.mc_returns.base_interface import mc_loss +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain, text_history_to_str +from LLM_RL.algorithms.value_rl_base.gptj.interface import GPTJValuePolicy +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import copy_sharded_pytree +from functools import partial +from JaxSeq.logs import log, pull_logs +from LLM_RL.algorithms.mc_returns.train import train_loop, eval_loss +from LLM_RL.algorithms.mc_returns.data import MCData, MCIterableDataset +from LLM_RL.algorithms.mc_returns.gptj.interface import GPTJMCTrain, GPTJMCInference +from llm_rl_scripts.wordle.env.env import ReformatWordleEnvironment, WordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + vocab_file: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + policy_bsize: int=32, + policy_n_rollouts: int=32, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + beta: float=16.0, + detach_q: bool=False, + gamma: float=0.99, + cql_weight: float=0.01, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def map_data_item(item): + text_trajectory_chain = TextTrajectoryChain( + text_trajectory=TextTrajectory( + text_history=[Text(text, bool(is_action)) for text, is_action in item['sequence']], + reward=[0.0]+item['reward'], + done=item['done'], + ), + next=None, + ) + token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(text_trajectory_chain, tokenizer) + return MCData.from_token_trajectory_chain(token_trajectory_chain, gamma=gamma) + + train_dataset = MCIterableDataset.from_mc_data_iterable( + MapIterable(map_data_item, FileOpenIterable(convert_path(train_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + eval_dataset = MCIterableDataset.from_mc_data_iterable( + MapIterable(map_data_item, FileOpenIterable(convert_path(eval_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + base_model.config.gradient_checkpointing = gradient_checkpointing + base_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + pi_beta_params = copy_sharded_pytree( + model=base_model, + pytree=base_train_state.params, + ) + + q_prng_key = jax.random.PRNGKey(4) + q_head_train_state, q_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + initializer_range=0.0, + bias_init=-4.1, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(mc_loss, cql_weight=cql_weight) + + train = GPTJMCTrain.load_train( + base_train_state=base_train_state, + q_head_train_state=q_head_train_state, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q=detach_q, + ) + + inference = GPTJMCInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q_head_params=q_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + beta=beta, + dp_shard_logits=True, + ) + + vocab = Vocabulary.from_file( + vocab_file=vocab_file, + fill_cache=False, + ) + env = ReformatWordleEnvironment(WordleEnvironment(vocab, require_words_in_vocab=True, bad_word_reward=-10.0)) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPTJMCInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPTJValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_results = eval_loss( + inference=inference, + dataset=eval_dataset, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interaction_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interaction_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + logs = pull_logs(interaction_summary_results) + log(logs, use_wandb and is_main_process) + + return loss_results['losses']['total_loss'], {'interaction': logs, 'loss': loss_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=train_dataset, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/mc/train_mc_returns_gpt2.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/mc/train_mc_returns_gpt2.py new file mode 100755 index 00000000..4766ec9d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/mc/train_mc_returns_gpt2.py @@ -0,0 +1,344 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, MapIterable, jsonl_stream, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +from LLM_RL.algorithms.mc_returns.base_interface import mc_loss +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import Text, text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectoryChain, text_history_to_str +from LLM_RL.algorithms.value_rl_base.gpt2.interface import GPT2ValuePolicy +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import copy_sharded_pytree +from functools import partial +from JaxSeq.logs import log, pull_logs +from LLM_RL.algorithms.mc_returns.train import train_loop, eval_loss +from LLM_RL.algorithms.mc_returns.data import MCData, MCIterableDataset +from LLM_RL.algorithms.mc_returns.gpt2.interface import GPT2MCTrain, GPT2MCInference +from llm_rl_scripts.wordle.env.env import ReformatWordleEnvironment, WordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + train_data_path: str, + eval_data_path: str, + vocab_file: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: int=1, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_bf16: bool=True, + + policy_max_input_length: int=256, + policy_max_output_length: int=256, + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + policy_bsize: int=32, + policy_n_rollouts: int=32, + + eval_loss_bsize: int=32, + eval_loss_batches: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, + + beta: float=16.0, + detach_q: bool=False, + gamma: float=0.99, + cql_weight: float=0.01, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def map_data_item(item): + text_trajectory_chain = TextTrajectoryChain( + text_trajectory=TextTrajectory( + text_history=[Text(text, bool(is_action)) for text, is_action in item['sequence']], + reward=[0.0]+item['reward'], + done=item['done'], + ), + next=None, + ) + token_trajectory_chain = TokenTrajectoryChain.from_text_trajectory_chain(text_trajectory_chain, tokenizer) + return MCData.from_token_trajectory_chain(token_trajectory_chain, gamma=gamma) + + train_dataset = MCIterableDataset.from_mc_data_iterable( + MapIterable(map_data_item, FileOpenIterable(convert_path(train_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + eval_dataset = MCIterableDataset.from_mc_data_iterable( + MapIterable(map_data_item, FileOpenIterable(convert_path(eval_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.RIGHT, + max_length=max_length, + ), + ) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + return optax.MultiSteps( + optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ), + every_k_schedule=grad_accum_steps, + ) + + model_prng_key = jax.random.PRNGKey(3) + base_train_state, base_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + base_model.config.gradient_checkpointing = gradient_checkpointing + base_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + pi_beta_params = copy_sharded_pytree( + model=base_model, + pytree=base_train_state.params, + ) + + q_prng_key = jax.random.PRNGKey(4) + q_head_train_state, q_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=base_model.config.n_embd, + output_dim=base_model.config.vocab_size, + use_bias=True, + initializer_range=0.0, + bias_init=-4.4, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=q_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + loss_fn = partial(mc_loss, cql_weight=cql_weight) + + train = GPT2MCTrain.load_train( + base_train_state=base_train_state, + q_head_train_state=q_head_train_state, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + detach_q=detach_q, + ) + + inference = GPT2MCInference.load_inference( + pi_beta_params=pi_beta_params, + base_params=base_train_state.params, + q_head_params=q_head_train_state.params, + pi_beta_model=base_model, + base_model=base_model, + q_head_model=q_head, + tokenizer=tokenizer, + loss_fn=loss_fn, + beta=beta, + dp_shard_logits=True, + ) + + vocab = Vocabulary.from_file( + vocab_file=vocab_file, + fill_cache=False, + ) + env = ReformatWordleEnvironment(WordleEnvironment(vocab, require_words_in_vocab=True, bad_word_reward=-10.0)) + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + policy_prng = jax.random.PRNGKey(0) + def evaluate(inference: GPT2MCInference): + nonlocal policy_prng + policy_prng, new_key = jax.random.split(policy_prng) + policy = GPT2ValuePolicy( + inference=inference, + prng_key=new_key, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=policy_max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=policy_max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + loss_results = eval_loss( + inference=inference, + dataset=eval_dataset, + prng_key=None, + bsize=eval_loss_bsize, + eval_batches=eval_loss_batches, + ) + + interaction_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=policy_n_rollouts, + bsize=policy_bsize, + ) + + for item in interaction_raw_results: + print('='*25) + print(text_history_to_str(item[-1].post_transition_history)) + print('='*25) + + logs = pull_logs(interaction_summary_results) + log(logs, use_wandb and is_main_process) + + return loss_results['losses']['total_loss'], {'interaction': logs, 'loss': loss_results} + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + trainer, inference = train_loop( + trainer=train, + inference=inference, + evaluator=evaluate, + dataset=train_dataset, + prng_key=train_prng, + save_dir=save_dir, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/data_gen.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/data_gen.py new file mode 100755 index 00000000..367fb60b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/data_gen.py @@ -0,0 +1,67 @@ +from JaxSeq.bucket_manager import open_with_bucket as open +from llm_rl_scripts.wordle.env.env import WordleEnvironment, reformat_history +from llm_rl_scripts.wordle.env.game import Vocabulary +from llm_rl_scripts.wordle.env.scripted_policies import RandomMixturePolicy +from llm_rl_scripts.wordle.env.data import PolicyDataGenerator +from tqdm.auto import tqdm +from typing import Any +import multiprocessing as mp +import tyro +import json +from LLM_RL.utils import convert_path +from functools import partial +from JaxSeq.utils import create_path +import os + +class Worker: + def __init__(self, vocab_path: str, prob_smart: float): + self.vocab = Vocabulary.from_file( + vocab_file=convert_path(vocab_path), + fill_cache=False, + rng=None, + ) + self.data_gen = PolicyDataGenerator( + env=WordleEnvironment(self.vocab, require_words_in_vocab=True), + policy=RandomMixturePolicy(prob_smart=prob_smart, vocab=self.vocab), + seed=None, + ) + + def __iter__(self): + return self + + def __next__(self): + return next(self.data_gen) + +worker = None +def worker_init(vocab_path: str, prob_smart: float): + global worker + worker = Worker(vocab_path, prob_smart) + +def get_data_item(_) -> Any: + return next(worker) + +def main( + n_data: int, + n_proc: int, + vocab_path: str, + prob_smart: float, + out_path: str, +): + data = [] + with mp.Pool(n_proc, initializer=partial(worker_init, vocab_path, prob_smart)) as pool: + for item in tqdm(pool.imap_unordered(get_data_item, range(n_data)), total=n_data): + data.append( + dict( + sequence=[(text.text, float(text.is_action)) for text in reformat_history(item.text_history)], + reward=item.reward, + done=item.done, + ) + ) + + create_path(os.path.dirname(convert_path(out_path))) + with open(convert_path(out_path), 'w') as f: + for item in data: + f.write(json.dumps(item)+'\n') + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/find_words.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/find_words.py new file mode 100755 index 00000000..aaded04e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/find_words.py @@ -0,0 +1,6 @@ +with open("llm_rl_scripts/wordle/vocab/wordle_official_400.txt", "r") as f: + vocab = f.read().split("\n") + +for word in vocab: + if "l" in word and "a" in word and word[-1] == "t": + print(word) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/gpt4_wordle.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/gpt4_wordle.py new file mode 100755 index 00000000..b5b20a64 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/gpt4_wordle.py @@ -0,0 +1,149 @@ +import os +import json +import time +import openai +import jax +import pickle as pkl +from llm_rl_scripts.wordle.env.env import WordleEnvironment, ReformatWordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary +from LLM_RL.environment import TextPolicy, TextHistory, Text, text_env_eval +from llm_rl_scripts.wordle.env.game import Vocabulary +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import create_path +from LLM_RL.utils import convert_path +import tiktoken + +openai.api_key = os.getenv("OPENAI_API_KEY") + +SYSTEM_PROMPT = "You are an expert wordle player. You only respond in json." + +MAIN_PROMPT = """\ +Welcome to the game of Wordle. Your objective is to guess a hidden 5 letter word. You have 6 attempts to guess it correctly and you should try to guess it in as few attempts as possible. When guessing the word, you should format your word as a space separated sequence of letters, like "s h i r e" for example. After guessing the word, you will receive feedback from the game environment in the form of a sequence of 5 space separated letters like "b y g g b", where each letter indicates some information about the hidden word. The environment will return one of three letters – "b", "g", or "y" – for each letter in the word you guessed. We describe the meaning of each letter below: + +"b": If the environment returns a "b", it means that the letter at that position in your guessed word is not in the hidden word. +"y": If the environment returns a "y", it means that the letter at that position in your guessed word is in the hidden word but is not in the correct position. +"g": If the environment returns a "g", it means that the letter at that position in your guessed word is in the hidden word and is in the correct position. + +As a note, if you guess an invalid word (e.g. not a 5 letter word or a word not in the vocabulary), the environment will respond with an "invalid word" message. In general though, you should use this information returned by the environment to update your belief about what the hidden word might be and adjust your next guess accordingly. + +Here is the complete list of valid vocabulary words that are accepted by the game: +``` +{{vocab}} +``` + +Here is an example. If the current status of the game is given as: +``` +guess 1: p a n i c +feedback 1: b b y b b +guess 2: f e l o n +feedback 2: g b b y g +``` +Based on the feedback from the environment, you know that the first letter is "f", the last letter is "n", and there is an "o" somehwere in the word, but it is not in the second to last position. You also know that there is not a "p", "a", "i", "c", "e", or "l" in the word. Knowing this, you might guess the next word to be: +{"thought": "I know that the first letter is "f", the last letter is "n", and there is an "o" somehwere in the word, but it is not in the second to last position. I also know that there is not a "p", "a", "i", "c", "e", or "l" in the word. A good word from the vocabulary to try might therefore be \"f r o w n\", since it is in the vocabulary, meets all known letter constraints, and we get to gain more information about the position of "o". Therefore this is a good guess to try next.", "guess": "f r o w n"} + +The guessed word is in the vocabulary, meets all known letter constraints, and we get to gain more information about the position of "o", so it is a good guess to try next. + +Now let's start a new game. Return your word as a space separated sequence of 5 letters in a json array with key "thought" followed by key "guess", like in the example above. Now, guess the next word given the current game state: + +``` +{{game_content}} +``` +""".strip() + +VOCAB_FILE = "llm_rl_scripts/wordle/vocab/wordle_official_400.txt" + +TOKENIZER = tiktoken.encoding_for_model("gpt-4") +INPUT_TOKEN_COUNT = 0 +OUTPUT_TOKEN_COUNT = 0 + +class GPT4WordlePolicy(TextPolicy): + def __init__(self, vocab: Vocabulary): + vocab_text = '\n'.join(map(lambda x: ' '.join(list(x)), vocab.all_vocab)) + self.prompt = MAIN_PROMPT.replace("{{vocab}}", vocab_text) + + def act(self, text_history: TextHistory) -> TextHistory: + global INPUT_TOKEN_COUNT, OUTPUT_TOKEN_COUNT + game_content = "" + for i, item in enumerate(text_history[1:]): + if i % 2 == 0: + game_content += f"guess {(i//2)+1}: {item.text}" + else: + if len(item.text.strip()) == 0: + game_content += f"feedback {(i//2)+1}: invalid word\n" + else: + game_content += f"feedback {(i//2)+1}: {item.text}" + game_content = game_content.strip() + prompt = self.prompt.replace('{{game_content}}', game_content) + INPUT_TOKEN_COUNT += len(TOKENIZER.encode(prompt)) + while True: + try: + response = openai.ChatCompletion.create( + model="gpt-4", + messages=[ + { + "role": "system", + "content": SYSTEM_PROMPT, + }, + { + "role": "user", + "content": prompt, + }, + ], + temperature=0.0, + max_tokens=1024, + top_p=1, + frequency_penalty=0, + presence_penalty=0, + ) + except openai.OpenAIError as e: + print(e) + time.sleep(10) + continue + break + response_text = response.choices[0].message.content + OUTPUT_TOKEN_COUNT += len(TOKENIZER.encode(response_text)) + response_json = json.loads(response_text) + print(f"total cost: {compute_cost(INPUT_TOKEN_COUNT, OUTPUT_TOKEN_COUNT)}; total input tokens: {INPUT_TOKEN_COUNT}; total output tokens: {OUTPUT_TOKEN_COUNT}") + return text_history+(Text(response_json['guess'].strip(), True),) + +def compute_cost(input_token_count: int, output_token_count: int) -> float: + return ((0.03 * input_token_count) / 1000) + ((0.06 * output_token_count) / 1000) + +if __name__ == "__main__": + N_INTERACTIONS = 64 + OUTPUTS_PATH = "gcs://charlie-bucket2/LLM_RL_outputs/wordle/gpt4_eval/gpt4_test1_temp__/" + + def text_history_to_str(text_history: TextHistory) -> str: + return '\n'.join(map(lambda x: x.text, text_history)) + + vocab = Vocabulary.from_file( + vocab_file=convert_path(VOCAB_FILE), + fill_cache=False, + ) + + env = ReformatWordleEnvironment(WordleEnvironment(vocab)) + + policy = GPT4WordlePolicy(vocab) + + def print_interaction(interaction): + print('='*25) + print(text_history_to_str(interaction[-1].post_transition_history)) + print('='*25) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=N_INTERACTIONS, + interaction_callback=print_interaction, + ) + + print(interaction_summary_results) + + create_path(OUTPUTS_PATH) + with open(os.path.join(convert_path(OUTPUTS_PATH), 'interactions.pkl'), 'wb') as f: + pkl.dump(interation_raw_results, f) + with open(os.path.join(convert_path(OUTPUTS_PATH), 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/optimal_perf.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/optimal_perf.py new file mode 100755 index 00000000..69e24275 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/optimal_perf.py @@ -0,0 +1,36 @@ +from llm_rl_scripts.wordle.env.game import Vocabulary +from llm_rl_scripts.wordle.env.utils import Cache +from llm_rl_scripts.wordle.env.scripted_policies import OptimalPolicy +from LLM_RL.utils import convert_path +from llm_rl_scripts.wordle.env.env import WordleEnvironment +from LLM_RL.environment import interact_environment +import pickle as pkl + +if __name__ == '__main__': + vocab_path = 'llm_rl_scripts/wordle/vocab/wordle_official_400.txt' + vocab = Vocabulary.from_file(vocab_file=convert_path(vocab_path), fill_cache=False, rng=None) + policy = OptimalPolicy(vocab=vocab, progress_bar=True) + with open(convert_path('test_cache.pkl'), 'rb') as f: + cache_init = pkl.load(f) + policy.cache = Cache(cache_init) + env = WordleEnvironment(vocab, require_words_in_vocab=True) + + avg_reward = 0.0 + for i in range(1000): + transitions = interact_environment( + env, + policy, + env_seed=None, + )[0] + + history = transitions[-1].post_transition_history + rewards = sum([[transition.reward, 0.0] for transition in transitions], []) + done = transitions[-1].done + + avg_reward = (avg_reward * (i) + sum(rewards)) / (i+1) + print(avg_reward) + + if i % 100 == 0: + policy.cache.dump(convert_path('test_cache.pkl')) + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/wordle_human_task.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/wordle_human_task.py new file mode 100755 index 00000000..848ca6ee --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/misc/wordle_human_task.py @@ -0,0 +1,100 @@ +import os +import json +import time +import jax +import pickle as pkl +from llm_rl_scripts.wordle.env.env import WordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary +from llm_rl_scripts.wordle.env.scripted_policies import UserPolicy +from LLM_RL.environment import TextHistory, text_env_eval +from llm_rl_scripts.wordle.env.game import Vocabulary +from JaxSeq.bucket_manager import open_with_bucket as open +from JaxSeq.utils import create_path +from LLM_RL.utils import convert_path + +VOCAB_FILE = "llm_rl_scripts/wordle/vocab/wordle_official_400.txt" + +INTRO_TEXT = """\ +Welcome to the game of Wordle! +Your objective is to guess a hidden 5 letter word. +You have 6 attempts to guess it correctly and you should try to guess it in as few attempts as possible. +After guessing the word, you will receive feedback from the game environment in the form of a color-coded version of your word. The color given for each letter means the following: + +black/white (default text color): If the environment returns a black or white letter (depending on your system setup), it means that the letter at that position in your guessed word is not in the hidden word. +yellow: If the environment returns a yellow letter, it means that the letter at that position in your guessed word is in the hidden word but is not in the correct position. +green: If the environment returns a green letter, it means that the letter at that position in your guessed word is in the hidden word and is in the correct position. + +As a note, if you guess an invalid word (e.g. not a 5 letter word or a word not in the vocabulary), the environment will respond with an "invalid word" message. +For your reference, here is the complete list of valid vocabulary words that are accepted by the game: + +===================== +{{vocab}} +===================== + +Now that you know the rules, let's get started! +""".strip() + +INTRO_TEXT_WITHOUT_VOCAB = """\ +Welcome to the game of Wordle! +Your objective is to guess a hidden 5 letter word. +You have 6 attempts to guess it correctly and you should try to guess it in as few attempts as possible. +After guessing the word, you will receive feedback from the game environment in the form of a color-coded version of your word. The color given for each letter means the following: + +black/white (default text color): If the environment returns a black or white letter (depending on your system setup), it means that the letter at that position in your guessed word is not in the hidden word. +yellow: If the environment returns a yellow letter, it means that the letter at that position in your guessed word is in the hidden word but is not in the correct position. +green: If the environment returns a green letter, it means that the letter at that position in your guessed word is in the hidden word and is in the correct position. + +As a note, if you guess an invalid word (e.g. not a 5 letter word or a word not in the vocabulary), the environment will respond with an "invalid word" message. + +For your reference, the list of valid vocab words is at the path `llm_rl_scripts/wordle/vocab/wordle_official_400.txt`. Feel free to reference this list when playing the game. + +Now that you know the rules, let's get started! +""".strip() + +if __name__ == "__main__": + YOUR_NAME = input("Enter your name: ").strip() + N_INTERACTIONS = int(input("Enter number of trials: ")) + OUTPUTS_PATH = f"gcs://rail-tpus-csnell-us/LLM_RL_outputs/wordle/user_interactions_test1_{YOUR_NAME}/" + + def text_history_to_str(text_history: TextHistory) -> str: + return '\n'.join(map(lambda x: x.text, text_history)) + + vocab = Vocabulary.from_file( + vocab_file=convert_path(VOCAB_FILE), + fill_cache=False, + ) + + env = WordleEnvironment(vocab) + + policy = UserPolicy(vocab) + + def print_interaction(interaction): + if interaction[-1].reward == 0: + print('YOU WON!') + else: + print('YOU LOST :(') + + print() + print('='*25) + # vocab_text = '\n'.join(vocab.all_vocab) + # print(INTRO_TEXT.replace('{{vocab}}', vocab_text)) + print(INTRO_TEXT_WITHOUT_VOCAB) + print('='*25) + + interation_raw_results, interaction_summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=N_INTERACTIONS, + interaction_callback=print_interaction, + ) + + print(interaction_summary_results) + + create_path(OUTPUTS_PATH) + with open(os.path.join(convert_path(OUTPUTS_PATH), 'interactions.pkl'), 'wb') as f: + pkl.dump(interation_raw_results, f) + with open(os.path.join(convert_path(OUTPUTS_PATH), 'interactions_summary.json'), 'w') as f: + json.dump(jax.tree_util.tree_map(lambda x: float(x), interaction_summary_results), f) + + + diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/online_filtered_bc/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/online_filtered_bc/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/online_filtered_bc/train_online_filtered_bc.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/online_filtered_bc/train_online_filtered_bc.py new file mode 100755 index 00000000..c5a644de --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/online_filtered_bc/train_online_filtered_bc.py @@ -0,0 +1,326 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, create_path, get_enabled_save_path +import os +import optax +from JaxSeq.models.gptj.load import load_train_state, ModelLoadMode +import pickle as pkl +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import text_env_eval, text_history_to_str +from JaxSeq.logs import label_logs, log, pull_logs +import json +from JaxSeq.data import MaskIterableDataset +from llm_rl_scripts.wordle.env.env import ReformatWordleEnvironment, WordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary +from JaxSeq.data import MaskIterableDataset, MaskDataset +from JaxSeq.models.gptj.interface import GPTJTrainMask, GPTJInferenceMask +from LLM_RL.algorithms.ppo.gptj.interface import GPTJPPOPolicy +from LLM_RL.algorithms.online_filtered_bc.train import train_loop + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + vocab_file: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: Optional[int]=None, + rollout_bsize: int=32, + n_rollouts: int=128, + filter_percengage: float=0.3, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_input_length: int=512, + max_output_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_filtered_bc_dataset: bool=True, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + model.config.resid_pdrop = 0.0 + model.config.embd_pdrop = 0.0 + model.config.attn_pdrop = 0.0 + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPTJInferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + vocab = Vocabulary.from_file( + vocab_file=vocab_file, + fill_cache=False, + ) + env = ReformatWordleEnvironment(WordleEnvironment(vocab, require_words_in_vocab=True, bad_word_reward=-10.0)) + + policy_prng = jax.random.PRNGKey(0) + policy = GPTJPPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + ppo_inference = GPTJInferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + ppo_trainer = GPTJTrainMask.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + data_round = 0 + def filtered_bc_dataset_loader(ppo_inference: GPTJInferenceMask, policy: GPTJPPOPolicy) -> MaskIterableDataset: + nonlocal data_round + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + ) + summary_results = pull_logs(summary_results) + + mask_str_segments = [] + trajectory_rewards = [] + for raw_result in raw_results: + print('='*25) + print(text_history_to_str(raw_result[-1].post_transition_history)) + print('='*25) + print(sum([[item.reward, 0.0] for item in raw_result], [0.0])) + print('='*25) + + mask_str_segments.append( + [(history_item.text, float(history_item.is_action)) for history_item in raw_result[-1].post_transition_history] + ) + trajectory_rewards.append( + sum([item.reward for item in raw_result]) + ) + + data_idxs = list(range(len(mask_str_segments))) + top_data_idxs = sorted(data_idxs, key=lambda idx: trajectory_rewards[idx], reverse=True)[:int(len(data_idxs)*filter_percengage)] + top_mask_str_segments = [mask_str_segments[idx] for idx in top_data_idxs] + + filtered_bc_dataset = MaskDataset.blocked_from_str_segments_list( + top_mask_str_segments, + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_input_length+max_output_length, + ) + ) + + logs = dict( + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_filtered_bc_dataset: + print('saving filtered bc dataset ...') + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'filtered_bc_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(filtered_bc_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'top_mask_str_segments.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(top_mask_str_segments, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'raw_results.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(raw_results, f) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return filtered_bc_dataset + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=filtered_bc_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/online_filtered_bc/train_online_filtered_bc_gpt2.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/online_filtered_bc/train_online_filtered_bc_gpt2.py new file mode 100755 index 00000000..06a8f314 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/online_filtered_bc/train_online_filtered_bc_gpt2.py @@ -0,0 +1,326 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, create_path, get_enabled_save_path +import os +import optax +from JaxSeq.models.gptj.load import load_train_state, ModelLoadMode +import pickle as pkl +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import text_env_eval, text_history_to_str +from JaxSeq.logs import label_logs, log, pull_logs +import json +from JaxSeq.data import MaskIterableDataset +from llm_rl_scripts.wordle.env.env import ReformatWordleEnvironment, WordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary +from JaxSeq.data import MaskIterableDataset, MaskDataset +from JaxSeq.models.gpt2.interface import GPT2TrainMask, GPT2InferenceMask +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy +from LLM_RL.algorithms.online_filtered_bc.train import train_loop + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + vocab_file: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + grad_accum_steps: Optional[int]=None, + rollout_bsize: int=32, + n_rollouts: int=128, + filter_percengage: float=0.3, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_input_length: int=512, + max_output_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_filtered_bc_dataset: bool=True, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals() + print(input_args) + + tokenizer = AutoTokenizer.from_pretrained('gpt2') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + def optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + model_prng_key = jax.random.PRNGKey(2) + train_state, model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + model.config.gradient_checkpointing = gradient_checkpointing + model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + model.config.resid_pdrop = 0.0 + model.config.embd_pdrop = 0.0 + model.config.attn_pdrop = 0.0 + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + vocab = Vocabulary.from_file( + vocab_file=vocab_file, + fill_cache=False, + ) + env = ReformatWordleEnvironment(WordleEnvironment(vocab, require_words_in_vocab=True, bad_word_reward=-10.0)) + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2PPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + ppo_inference = GPT2InferenceMask.load_inference( + params=train_state.params, + model=model, + tokenizer=tokenizer, + ) + + ppo_trainer = GPT2TrainMask.load_train( + train_state=train_state, + model=model, + tokenizer=tokenizer, + ) + + data_round = 0 + def filtered_bc_dataset_loader(ppo_inference: GPT2InferenceMask, policy: GPT2PPOPolicy) -> MaskIterableDataset: + nonlocal data_round + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + ) + summary_results = pull_logs(summary_results) + + mask_str_segments = [] + trajectory_rewards = [] + for raw_result in raw_results: + print('='*25) + print(text_history_to_str(raw_result[-1].post_transition_history)) + print('='*25) + print(sum([[item.reward, 0.0] for item in raw_result], [0.0])) + print('='*25) + + mask_str_segments.append( + [(history_item.text, float(history_item.is_action)) for history_item in raw_result[-1].post_transition_history] + ) + trajectory_rewards.append( + sum([item.reward for item in raw_result]) + ) + + data_idxs = list(range(len(mask_str_segments))) + top_data_idxs = sorted(data_idxs, key=lambda idx: trajectory_rewards[idx], reverse=True)[:int(len(data_idxs)*filter_percengage)] + top_mask_str_segments = [mask_str_segments[idx] for idx in top_data_idxs] + + filtered_bc_dataset = MaskDataset.blocked_from_str_segments_list( + top_mask_str_segments, + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_input_length+max_output_length, + ) + ) + + logs = dict( + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_filtered_bc_dataset: + print('saving filtered bc dataset ...') + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'filtered_bc_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(filtered_bc_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'top_mask_str_segments.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(top_mask_str_segments, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'raw_results.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(raw_results, f) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return filtered_bc_dataset + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=filtered_bc_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ppo/__init__.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ppo/__init__.py new file mode 100755 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ppo/train_ppo.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ppo/train_ppo.py new file mode 100755 index 00000000..4a86f7d9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ppo/train_ppo.py @@ -0,0 +1,455 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, create_path, get_enabled_save_path, MapIterable, FileOpenIterable +import os +import optax +from JaxSeq.models.gptj.interface import GPTJInference +from JaxSeq.models.gptj.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ppo.train import train_loop +from LLM_RL.algorithms.ppo.base_interface import ppo_loss_fn, FixedKLController, AdaptiveKLController +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectory, text_history_to_str +from LLM_RL.algorithms.ppo.gptj.interface import GPTJPPOPolicy, GPTJPPOInference, GPTJPPOTrain +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ppo.data import PPODataset +from LLM_RL.utils import get_tensor_stats_np +from functools import partial +import numpy as np +from JaxSeq.logs import label_logs, log, pull_logs +import json +from JaxSeq.utils import multihost_device_get +from JaxSeq.data import MaskIterableDataset +from llm_rl_scripts.wordle.env.env import ReformatWordleEnvironment, WordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary +from dataclasses import replace +from JaxSeq.models.gptj.interface import loss_fn_mask + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + bc_data_path: str, + vocab_file: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + train_bc_bsize: Optional[int]=None, + grad_accum_steps: Optional[int]=None, + rollout_bsize: int=32, + n_rollouts: int=128, + ppo_data_bsize: int=32, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_input_length: int=512, + max_output_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_ppo_dataset: bool=True, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + gamma: float=1.0, + lam: float=0.95, + use_advantage_whitening: bool=True, + + init_kl_coef: float=0.001, + kl_target: Optional[float]=None, + kl_horizon: Optional[int]=None, + + cliprange_value: float=0.2, + cliprange: float=0.2, + value_loss_coef: float=1.0, + bc_loss_weight: float=1.0, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals() + print(input_args) + + use_adaptive_kl = (kl_target is not None and kl_horizon is not None) + if not use_adaptive_kl: + assert kl_target is None and kl_horizon is None + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + bc_data = MaskIterableDataset.blocked_from_str_segments_iterable( + MapIterable(lambda x: [(tokenizer.bos_token, 0.0)]+x['sequence']+[(tokenizer.eos_token, 1.0)], FileOpenIterable(convert_path(bc_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_input_length+max_output_length, + ), + ) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + model_prng_key = jax.random.PRNGKey(2) + policy_train_state, policy_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + policy_model.config.gradient_checkpointing = gradient_checkpointing + policy_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + policy_model.config.resid_pdrop = 0.0 + policy_model.config.embd_pdrop = 0.0 + policy_model.config.attn_pdrop = 0.0 + with jax.default_device(jax.devices('cpu')[0]): + initital_policy_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + policy_train_state.params, + ) + initital_policy_params = shard_params_from_params( + model=policy_model, + params=initital_policy_params, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPTJInference.load_inference( + params=policy_train_state.params, + model=policy_model, + tokenizer=tokenizer, + ) + + vocab = Vocabulary.from_file( + vocab_file=vocab_file, + fill_cache=False, + ) + env = ReformatWordleEnvironment(WordleEnvironment(vocab, require_words_in_vocab=True, bad_word_reward=-10.0)) + + policy_prng = jax.random.PRNGKey(0) + policy = GPTJPPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + head_prng_key = jax.random.PRNGKey(3) + value_head_train_state, value_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=policy_model.config.n_embd, + output_dim=1, + use_bias=True, + initializer_range=0.0, + bias_init=-4.1, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=head_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loss_f = partial(ppo_loss_fn, cliprange_value=cliprange_value, cliprange=cliprange, value_loss_coef=value_loss_coef) + + ppo_inference = GPTJPPOInference.load_inference( + initial_policy_params=initital_policy_params, + policy_params=policy_train_state.params, + value_head_params=value_head_train_state.params, + initial_policy_model=policy_model, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask, + bc_loss_weight=bc_loss_weight, + ) + + ppo_trainer = GPTJPPOTrain.load_train( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask, + bc_loss_weight=bc_loss_weight, + ) + + if use_adaptive_kl: + kl_controller = AdaptiveKLController(init_kl_coef=init_kl_coef, target=kl_target, horizon=kl_horizon) + else: + kl_controller = FixedKLController(kl_coef=init_kl_coef) + + data_round = 0 + def ppo_dataset_loader(ppo_inference: GPTJPPOInference, policy: GPTJPPOPolicy) -> PPODataset: + nonlocal data_round + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + ) + summary_results = pull_logs(summary_results) + + text_trajectory_chains = [] + for raw_result in raw_results: + print('='*25) + print(text_history_to_str(raw_result[-1].post_transition_history)) + print('='*25) + print(sum([[item.reward, 0.0] for item in raw_result], [0.0])) + print('='*25) + text_trajectory = TextTrajectory( + text_history=raw_result[-1].post_transition_history, + reward=sum([[item.reward, 0.0] for item in raw_result], [0.0]), + done=raw_result[-1].done, + ) + while len(text_trajectory.text_history) > 3: + if TokenTrajectory.from_text_trajectory(text_trajectory, tokenizer).tokens.shape[0] >= max_input_length+max_output_length: + new_reward = text_trajectory.reward[:-2] + new_reward[-2] += sum(text_trajectory.reward[-2:]) * gamma + text_trajectory = replace( + text_trajectory, + text_history=text_trajectory.text_history[:-2], + reward=new_reward, + done=False, + ) + else: + break + + if len(text_trajectory.text_history) < 3: + continue + if TokenTrajectory.from_text_trajectory(text_trajectory, tokenizer).tokens.shape[0] >= max_input_length+max_output_length: + continue + + text_trajectory_chains.append(TextTrajectoryChain(text_trajectory, None)) + + ppo_data, all_kls = ppo_inference.get_ppo_data_from_text_trajectory_chain( + text_trajectory_chains, + bsize=ppo_data_bsize, + max_length=max_input_length+max_output_length, + gamma=gamma, + lam=lam, + kl_weight=kl_controller.value, + use_advantage_whitening=use_advantage_whitening, + ) + mean_kl = all_kls.mean().item() + kl_controller.update(mean_kl, train_bsize) + + ppo_dataset = PPODataset.from_ppo_data_list( + ppo_data, + tokenizer, + BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length+max_output_length), + ) + + logs = dict( + policy=dict( + initial_policy_kl=get_tensor_stats_np(all_kls, np.ones(all_kls.shape), all_kls.size), + sqrt_initial_policy_kl=np.sqrt(mean_kl), + kl_ctrl_value=kl_controller.value, + ), + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_ppo_dataset: + print('saving ppo dataset ...') + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'ppo_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(ppo_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'text_trajectory_chains.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(text_trajectory_chains, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'raw_results.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(raw_results, f) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return ppo_dataset + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=ppo_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + bc_dataset=bc_data, + bc_bsize=train_bc_bsize, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ppo/train_ppo_gpt2.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ppo/train_ppo_gpt2.py new file mode 100755 index 00000000..ee7a3ed4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/ppo/train_ppo_gpt2.py @@ -0,0 +1,456 @@ +from typing import Optional +import tyro +from JaxSeq.bucket_manager import open_with_bucket as open +from transformers import AutoTokenizer +from JaxSeq.utils import jsonl_stream, convert_path, load_mesh, setup_experiment_save +import jax +import jax.numpy as jnp +from JaxSeq.utils import BlockingStrategy, Padding, Truncation, get_weight_decay_mask, create_path, get_enabled_save_path, MapIterable, FileOpenIterable +import os +import optax +from JaxSeq.models.gpt2.interface import GPT2Inference +from JaxSeq.models.gpt2.load import load_train_state, ModelLoadMode +import pickle as pkl +from LLM_RL.algorithms.ppo.train import train_loop +from LLM_RL.algorithms.ppo.base_interface import ppo_loss_fn, FixedKLController, AdaptiveKLController +from transformers.generation import GenerationConfig +from jaxtyping import PyTree +import re +from LLM_RL.environment import text_env_eval, TextTrajectory, TextTrajectoryChain, TokenTrajectory, text_history_to_str +from LLM_RL.algorithms.ppo.gpt2.interface import GPT2PPOPolicy, GPT2PPOInference, GPT2PPOTrain +from LLM_RL.heads.linear_head import load_train_state_from_config as load_head_train_state_from_config +from LLM_RL.heads.linear_head import LinearHeadConfig +from JaxSeq.shard_model import shard_params_from_params +from LLM_RL.algorithms.ppo.data import PPODataset +from LLM_RL.utils import get_tensor_stats_np +from functools import partial +import numpy as np +from JaxSeq.logs import label_logs, log, pull_logs +import json +import random +from JaxSeq.utils import multihost_device_get +from JaxSeq.data import MaskIterableDataset +from llm_rl_scripts.wordle.env.env import ReformatWordleEnvironment, WordleEnvironment +from llm_rl_scripts.wordle.env.game import Vocabulary +from dataclasses import replace +from JaxSeq.models.gpt2.interface import loss_fn_mask + +def main( + model_load_mode: ModelLoadMode, + model_load_path: str, + bc_data_path: str, + vocab_file: str, + + /, # Mark the end of positional arguments. + + exp_name: Optional[str]=None, + outputs_path: Optional[str]=None, + + data_mesh_shape: int=1, + fsdp_mesh_shape: int=1, + model_mesh_shape: int=-1, + + use_wandb: bool=False, + wandb_project: Optional[str]=None, + + n_rounds: int=1, + epochs: int=1, + max_steps: Optional[int]=None, + + lr: float=1e-5, + weight_decay: float=0.0, + + train_bsize: int=32, + train_bc_bsize: Optional[int]=None, + grad_accum_steps: Optional[int]=None, + rollout_bsize: int=32, + n_rollouts: int=128, + ppo_data_bsize: int=32, + + bf16_activations: bool=False, + gradient_checkpointing: bool=False, + gradient_checkpointing_policy: str='nothing_saveable', + + max_input_length: int=512, + max_output_length: int=512, + + log_every: int=256, + eval_every_steps: Optional[int]=None, + eval_every_epochs: Optional[int]=None, + eval_every_rounds: Optional[int]=None, + eval_at_beginning: bool=False, + eval_at_end: bool=True, + + save_every_steps: Optional[int]=None, + save_every_epochs: Optional[int]=None, + save_every_rounds: Optional[int]=None, + save_at_beginning: bool=False, + save_at_end: bool=False, + save_best: bool=True, + max_checkpoints: Optional[int]=None, + save_train_state: bool=True, + save_ppo_dataset: bool=True, + save_bf16: bool=True, + + policy_do_sample: bool=True, + policy_num_beams: int=1, + policy_temperature: Optional[float]=None, + policy_top_p: Optional[float]=None, + policy_top_k: Optional[int]=None, + + gamma: float=1.0, + lam: float=0.95, + use_advantage_whitening: bool=True, + + init_kl_coef: float=0.001, + kl_target: Optional[float]=None, + kl_horizon: Optional[int]=None, + + cliprange_value: float=0.2, + cliprange: float=0.2, + value_loss_coef: float=1.0, + bc_loss_weight: float=1.0, + + force_pad_embeddings: bool=False, + + should_restore_loop_state: bool=False, +): + input_args = locals() + print(input_args) + + use_adaptive_kl = (kl_target is not None and kl_horizon is not None) + if not use_adaptive_kl: + assert kl_target is None and kl_horizon is None + + tokenizer = AutoTokenizer.from_pretrained('EleutherAI/gpt-j-6B') + tokenizer.add_special_tokens({'pad_token': '<|pad|>'}) + + mesh = load_mesh((data_mesh_shape, fsdp_mesh_shape, model_mesh_shape), ('dp', 'fsdp', 'mp')) + is_main_process = jax.process_index() == 0 + print(f"Mesh: {mesh}") + print(f"Is main process: {is_main_process}") + + # load data + bc_data = MaskIterableDataset.blocked_from_str_segments_iterable( + MapIterable(lambda x: x['sequence'], FileOpenIterable(convert_path(bc_data_path), 'r', pipe=jsonl_stream)), + tokenizer, + blocking_strategy=BlockingStrategy( + padding=Padding.RIGHT, + truncation=Truncation.LEFT, + max_length=max_input_length+max_output_length, + ), + ) + + def policy_optim_getter(params: PyTree): + mask = get_weight_decay_mask(( + "".join([r"\['ln_[0-9]+'\]", re.escape("['bias']")]), + "".join([r"\['ln_[0-9]+'\]", re.escape("['scale']")]), + re.escape("['ln_f']['bias']"), + re.escape("['ln_f']['scale']"), + "bias", + ))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + model_prng_key = jax.random.PRNGKey(2) + policy_train_state, policy_model = load_train_state( + model_load_mode=model_load_mode, + model_load_path=convert_path(model_load_path) if model_load_mode != ModelLoadMode.HF else model_load_path, + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=policy_optim_getter, + tokenizer=tokenizer, + mesh=mesh, + prng_key=model_prng_key, + force_pad_embeddings=force_pad_embeddings, + params_dtype=jnp.float32, + ) + policy_model.config.gradient_checkpointing = gradient_checkpointing + policy_model.config.gradient_checkpointing_policy = gradient_checkpointing_policy + policy_model.config.resid_pdrop = 0.0 + policy_model.config.embd_pdrop = 0.0 + policy_model.config.attn_pdrop = 0.0 + with jax.default_device(jax.devices('cpu')[0]): + initital_policy_params = jax.tree_util.tree_map( + lambda x: multihost_device_get(x, mesh=mesh).copy(), + policy_train_state.params, + ) + initital_policy_params = shard_params_from_params( + model=policy_model, + params=initital_policy_params, + ) + + loop_state = dict() + if should_restore_loop_state and (model_load_mode in {ModelLoadMode.TRAIN_STATE, + ModelLoadMode.TRAIN_STATE_PARAMS, + ModelLoadMode.PARAMS}): + with open(os.path.join(convert_path(model_load_path), 'loop_state.pkl'), 'rb') as f: + loop_state = pkl.load(f) + + policy_inference = GPT2Inference.load_inference( + params=policy_train_state.params, + model=policy_model, + tokenizer=tokenizer, + ) + + vocab = Vocabulary.from_file( + vocab_file=vocab_file, + fill_cache=False, + ) + env = ReformatWordleEnvironment(WordleEnvironment(vocab, require_words_in_vocab=True, bad_word_reward=-10.0)) + + policy_prng = jax.random.PRNGKey(0) + policy = GPT2PPOPolicy( + inference=policy_inference, + prng_key=policy_prng, + generation_config=GenerationConfig( + do_sample=policy_do_sample, + num_beams=policy_num_beams, + temperature=policy_temperature, + top_p=policy_top_p, + top_k=policy_top_k, + eos_token_id=tokenizer.encode('\n')[0], + pad_token_id=tokenizer.pad_token_id, + max_new_tokens=max_output_length, + ), + blocking_strategy=BlockingStrategy( + padding=Padding.LEFT, + truncation=Truncation.LEFT, + max_length=max_input_length, + ), + out_str_process=lambda x: x.removesuffix('\n')+'\n', + ) + + def value_head_optim_getter(params: PyTree): + mask = get_weight_decay_mask(("bias",))(params) + optim = optax.adamw( + learning_rate=lr, + b1=0.9, + b2=0.95, + eps=1e-8, + weight_decay=weight_decay, + mask=mask, + ) + if grad_accum_steps is not None: + optim = optax.MultiSteps( + optim, + every_k_schedule=grad_accum_steps, + ) + return optim + + head_prng_key = jax.random.PRNGKey(3) + value_head_train_state, value_head = load_head_train_state_from_config( + model_config=LinearHeadConfig( + input_dim=policy_model.config.n_embd, + output_dim=1, + use_bias=True, + initializer_range=0.0, + bias_init=-4.1, + ), + model_dtype=jnp.bfloat16 if bf16_activations else jnp.float32, + optim_getter=value_head_optim_getter, + mesh=mesh, + prng_key=head_prng_key, + pad_to_output_dim=None, + params_dtype=jnp.float32, + ) + + loss_f = partial(ppo_loss_fn, cliprange_value=cliprange_value, cliprange=cliprange, value_loss_coef=value_loss_coef) + + ppo_inference = GPT2PPOInference.load_inference( + initial_policy_params=initital_policy_params, + policy_params=policy_train_state.params, + value_head_params=value_head_train_state.params, + initial_policy_model=policy_model, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask, + bc_loss_weight=bc_loss_weight, + ) + + ppo_trainer = GPT2PPOTrain.load_train( + policy_train_state=policy_train_state, + value_head_train_state=value_head_train_state, + policy_model=policy_model, + value_head_model=value_head, + tokenizer=tokenizer, + loss_fn=loss_f, + bc_loss_fn=loss_fn_mask, + bc_loss_weight=bc_loss_weight, + ) + + if use_adaptive_kl: + kl_controller = AdaptiveKLController(init_kl_coef=init_kl_coef, target=kl_target, horizon=kl_horizon) + else: + kl_controller = FixedKLController(kl_coef=init_kl_coef) + + data_round = 0 + def ppo_dataset_loader(ppo_inference: GPT2PPOInference, policy: GPT2PPOPolicy) -> PPODataset: + nonlocal data_round + raw_results, summary_results = text_env_eval( + env=env, + policy=policy, + n_rollouts=n_rollouts, + bsize=rollout_bsize, + ) + summary_results = pull_logs(summary_results) + + text_trajectory_chains = [] + for raw_result in raw_results: + print('='*25) + print(text_history_to_str(raw_result[-1].post_transition_history)) + print('='*25) + print(sum([[item.reward, 0.0] for item in raw_result], [0.0])) + print('='*25) + text_trajectory = TextTrajectory( + text_history=raw_result[-1].post_transition_history, + reward=sum([[item.reward, 0.0] for item in raw_result], [0.0]), + done=raw_result[-1].done, + ) + while len(text_trajectory.text_history) > 3: + if TokenTrajectory.from_text_trajectory(text_trajectory, tokenizer).tokens.shape[0] >= max_input_length+max_output_length: + new_reward = text_trajectory.reward[:-2] + new_reward[-2] += sum(text_trajectory.reward[-2:]) * gamma + text_trajectory = replace( + text_trajectory, + text_history=text_trajectory.text_history[:-2], + reward=new_reward, + done=False, + ) + else: + break + + if len(text_trajectory.text_history) < 3: + continue + if TokenTrajectory.from_text_trajectory(text_trajectory, tokenizer).tokens.shape[0] >= max_input_length+max_output_length: + continue + + text_trajectory_chains.append(TextTrajectoryChain(text_trajectory, None)) + + ppo_data, all_kls = ppo_inference.get_ppo_data_from_text_trajectory_chain( + text_trajectory_chains, + bsize=ppo_data_bsize, + max_length=max_input_length+max_output_length, + gamma=gamma, + lam=lam, + kl_weight=kl_controller.value, + use_advantage_whitening=use_advantage_whitening, + ) + mean_kl = all_kls.mean().item() + kl_controller.update(mean_kl, train_bsize) + + ppo_dataset = PPODataset.from_ppo_data_list( + ppo_data, + tokenizer, + BlockingStrategy(Padding.RIGHT, Truncation.RIGHT, max_input_length+max_output_length), + ) + + logs = dict( + policy=dict( + initial_policy_kl=get_tensor_stats_np(all_kls, np.ones(all_kls.shape), all_kls.size), + sqrt_initial_policy_kl=np.sqrt(mean_kl), + kl_ctrl_value=kl_controller.value, + ), + env_interaction=summary_results, + ) + + logs = pull_logs(label_logs(logs, 'data_collection', {'round': data_round})) + log(logs, use_wandb and is_main_process) + + if save_dir is not None and save_ppo_dataset: + print('saving ppo dataset ...') + data_save_path = os.path.join(save_dir, 'data_saves', f'{data_round}') + if is_main_process: + create_path(data_save_path) + # save ppo_dataset + with open(get_enabled_save_path( + os.path.join(data_save_path, 'ppo_dataset.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(ppo_dataset, f) + # save text_trajectory_chains + with open(get_enabled_save_path( + os.path.join(data_save_path, 'text_trajectory_chains.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(text_trajectory_chains, f) + # save raw_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'raw_results.pkl'), + enabled=is_main_process, + ), 'wb') as f: + pkl.dump(raw_results, f) + # save summary_results + with open(get_enabled_save_path( + os.path.join(data_save_path, 'summary_results.json'), + enabled=is_main_process, + ), 'w') as f: + json.dump(summary_results, f) + print('done saving ppo dataset.') + + data_round += 1 + + return ppo_dataset + + save_dir, exp_name = setup_experiment_save( + exp_name=exp_name, + outputs_path=convert_path(outputs_path), + input_args=input_args, + script__file__=__file__, + is_main_process=is_main_process, + ) + + train_prng = jax.random.PRNGKey(1) + save_dtype = jnp.bfloat16 if save_bf16 else jnp.float32 + ppo_trainer, ppo_inference, policy = train_loop( + trainer=ppo_trainer, + inference=ppo_inference, + policy=policy, + load_dataset=ppo_dataset_loader, + evaluator=None, + prng_key=train_prng, + save_dir=save_dir, + n_rounds=n_rounds, + epochs=epochs, + max_steps=max_steps, + bsize=train_bsize, + log_every=log_every, + eval_every_steps=eval_every_steps, + eval_every_epochs=eval_every_epochs, + eval_every_rounds=eval_every_rounds, + eval_at_beginning=eval_at_beginning, + eval_at_end=eval_at_end, + save_every_steps=save_every_steps, + save_every_epochs=save_every_epochs, + save_every_rounds=save_every_rounds, + save_at_beginning=save_at_beginning, + save_at_end=save_at_end, + save_best=save_best, + max_checkpoints=max_checkpoints, + save_train_state=save_train_state, + save_dtype=save_dtype, + use_wandb=use_wandb, + wandb_project=wandb_project, + wandb_run_name=exp_name, + wandb_config=None, + is_main_process=is_main_process, + bc_dataset=bc_data, + bc_bsize=train_bc_bsize, + **loop_state, + ) + +if __name__ == "__main__": + tyro.cli(main) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/10k_words.txt b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/10k_words.txt new file mode 100755 index 00000000..53c8d9c6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/10k_words.txt @@ -0,0 +1,10000 @@ +a +aa +aaa +aaron +ab +abandoned +abc +aberdeen +abilities +ability +able +aboriginal +abortion +about +above +abraham +abroad +abs +absence +absent +absolute +absolutely +absorption +abstract +abstracts +abu +abuse +ac +academic +academics +academy +acc +accent +accept +acceptable +acceptance +accepted +accepting +accepts +access +accessed +accessibility +accessible +accessing +accessories +accessory +accident +accidents +accommodate +accommodation +accommodations +accompanied +accompanying +accomplish +accomplished +accordance +according +accordingly +account +accountability +accounting +accounts +accreditation +accredited +accuracy +accurate +accurately +accused +acdbentity +ace +acer +achieve +achieved +achievement +achievements +achieving +acid +acids +acknowledge +acknowledged +acm +acne +acoustic +acquire +acquired +acquisition +acquisitions +acre +acres +acrobat +across +acrylic +act +acting +action +actions +activated +activation +active +actively +activists +activities +activity +actor +actors +actress +acts +actual +actually +acute +ad +ada +adam +adams +adaptation +adapted +adapter +adapters +adaptive +adaptor +add +added +addiction +adding +addition +additional +additionally +additions +address +addressed +addresses +addressing +adds +adelaide +adequate +adidas +adipex +adjacent +adjust +adjustable +adjusted +adjustment +adjustments +admin +administered +administration +administrative +administrator +administrators +admission +admissions +admit +admitted +adobe +adolescent +adopt +adopted +adoption +adrian +ads +adsl +adult +adults +advance +advanced +advancement +advances +advantage +advantages +adventure +adventures +adverse +advert +advertise +advertisement +advertisements +advertiser +advertisers +advertising +advice +advise +advised +advisor +advisors +advisory +advocacy +advocate +adware +ae +aerial +aerospace +af +affair +affairs +affect +affected +affecting +affects +affiliate +affiliated +affiliates +affiliation +afford +affordable +afghanistan +afraid +africa +african +after +afternoon +afterwards +ag +again +against +age +aged +agencies +agency +agenda +agent +agents +ages +aggregate +aggressive +aging +ago +agree +agreed +agreement +agreements +agrees +agricultural +agriculture +ah +ahead +ai +aid +aids +aim +aimed +aims +air +aircraft +airfare +airline +airlines +airplane +airport +airports +aj +ak +aka +al +ala +alabama +alan +alarm +alaska +albania +albany +albert +alberta +album +albums +albuquerque +alcohol +alert +alerts +alex +alexander +alexandria +alfred +algebra +algeria +algorithm +algorithms +ali +alias +alice +alien +align +alignment +alike +alive +all +allah +allan +alleged +allen +allergy +alliance +allied +allocated +allocation +allow +allowance +allowed +allowing +allows +alloy +almost +alone +along +alot +alpha +alphabetical +alpine +already +also +alt +alter +altered +alternate +alternative +alternatively +alternatives +although +alto +aluminium +aluminum +alumni +always +am +amanda +amateur +amazing +amazon +amazoncom +amazoncouk +ambassador +amber +ambien +ambient +amd +amend +amended +amendment +amendments +amenities +america +american +americans +americas +amino +among +amongst +amount +amounts +amp +ampland +amplifier +amsterdam +amy +an +ana +anaheim +anal +analog +analyses +analysis +analyst +analysts +analytical +analyze +analyzed +anatomy +anchor +ancient +and +andale +anderson +andorra +andrea +andreas +andrew +andrews +andy +angel +angela +angeles +angels +anger +angle +angola +angry +animal +animals +animated +animation +anime +ann +anna +anne +annex +annie +anniversary +annotated +annotation +announce +announced +announcement +announcements +announces +annoying +annual +annually +anonymous +another +answer +answered +answering +answers +ant +antarctica +antenna +anthony +anthropology +anti +antibodies +antibody +anticipated +antigua +antique +antiques +antivirus +antonio +anxiety +any +anybody +anymore +anyone +anything +anytime +anyway +anywhere +aol +ap +apache +apart +apartment +apartments +api +apnic +apollo +app +apparatus +apparel +apparent +apparently +appeal +appeals +appear +appearance +appeared +appearing +appears +appendix +apple +appliance +appliances +applicable +applicant +applicants +application +applications +applied +applies +apply +applying +appointed +appointment +appointments +appraisal +appreciate +appreciated +appreciation +approach +approaches +appropriate +appropriations +approval +approve +approved +approx +approximate +approximately +apps +apr +april +apt +aqua +aquarium +aquatic +ar +arab +arabia +arabic +arbitrary +arbitration +arc +arcade +arch +architect +architects +architectural +architecture +archive +archived +archives +arctic +are +area +areas +arena +arg +argentina +argue +argued +argument +arguments +arise +arising +arizona +arkansas +arlington +arm +armed +armenia +armor +arms +armstrong +army +arnold +around +arrange +arranged +arrangement +arrangements +array +arrest +arrested +arrival +arrivals +arrive +arrived +arrives +arrow +art +arthritis +arthur +article +articles +artificial +artist +artistic +artists +arts +artwork +aruba +as +asbestos +ascii +ash +ashley +asia +asian +aside +asin +ask +asked +asking +asks +asn +asp +aspect +aspects +aspnet +ass +assault +assembled +assembly +assess +assessed +assessing +assessment +assessments +asset +assets +assign +assigned +assignment +assignments +assist +assistance +assistant +assisted +assists +associate +associated +associates +association +associations +assume +assumed +assumes +assuming +assumption +assumptions +assurance +assure +assured +asthma +astrology +astronomy +asus +at +ata +ate +athens +athletes +athletic +athletics +ati +atlanta +atlantic +atlas +atm +atmosphere +atmospheric +atom +atomic +attach +attached +attachment +attachments +attack +attacked +attacks +attempt +attempted +attempting +attempts +attend +attendance +attended +attending +attention +attitude +attitudes +attorney +attorneys +attract +attraction +attractions +attractive +attribute +attributes +au +auburn +auckland +auction +auctions +aud +audi +audience +audio +audit +auditor +aug +august +aurora +aus +austin +australia +australian +austria +authentic +authentication +author +authorities +authority +authorization +authorized +authors +auto +automated +automatic +automatically +automation +automobile +automobiles +automotive +autos +autumn +av +availability +available +avatar +ave +avenue +average +avg +avi +aviation +avoid +avoiding +avon +aw +award +awarded +awards +aware +awareness +away +awesome +awful +axis +aye +az +azerbaijan +b +ba +babe +babes +babies +baby +bachelor +back +backed +background +backgrounds +backing +backup +bacon +bacteria +bacterial +bad +badge +badly +bag +baghdad +bags +bahamas +bahrain +bailey +baker +baking +balance +balanced +bald +bali +ball +ballet +balloon +ballot +balls +baltimore +ban +banana +band +bands +bandwidth +bang +bangbus +bangkok +bangladesh +bank +banking +bankruptcy +banks +banned +banner +banners +baptist +bar +barbados +barbara +barbie +barcelona +bare +barely +bargain +bargains +barn +barnes +barrel +barrier +barriers +barry +bars +base +baseball +based +baseline +basement +basename +bases +basic +basically +basics +basin +basis +basket +basketball +baskets +bass +bat +batch +bath +bathroom +bathrooms +baths +batman +batteries +battery +battle +battlefield +bay +bb +bbc +bbs +bbw +bc +bd +bdsm +be +beach +beaches +beads +beam +bean +beans +bear +bearing +bears +beast +beastality +beastiality +beat +beatles +beats +beautiful +beautifully +beauty +beaver +became +because +become +becomes +becoming +bed +bedding +bedford +bedroom +bedrooms +beds +bee +beef +been +beer +before +began +begin +beginner +beginners +beginning +begins +begun +behalf +behavior +behavioral +behaviour +behind +beijing +being +beings +belarus +belfast +belgium +belief +beliefs +believe +believed +believes +belize +belkin +bell +belle +belly +belong +belongs +below +belt +belts +ben +bench +benchmark +bend +beneath +beneficial +benefit +benefits +benjamin +bennett +benz +berkeley +berlin +bermuda +bernard +berry +beside +besides +best +bestiality +bestsellers +bet +beta +beth +better +betting +betty +between +beverage +beverages +beverly +beyond +bg +bhutan +bi +bias +bible +biblical +bibliographic +bibliography +bicycle +bid +bidder +bidding +bids +big +bigger +biggest +bike +bikes +bikini +bill +billing +billion +bills +billy +bin +binary +bind +binding +bingo +bio +biodiversity +biographies +biography +biol +biological +biology +bios +biotechnology +bird +birds +birmingham +birth +birthday +bishop +bit +bitch +bite +bits +biz +bizarre +bizrate +bk +bl +black +blackberry +blackjack +blacks +blade +blades +blah +blair +blake +blame +blank +blanket +blast +bleeding +blend +bless +blessed +blind +blink +block +blocked +blocking +blocks +blog +blogger +bloggers +blogging +blogs +blond +blonde +blood +bloody +bloom +bloomberg +blow +blowing +blowjob +blowjobs +blue +blues +bluetooth +blvd +bm +bmw +bo +board +boards +boat +boating +boats +bob +bobby +boc +bodies +body +bold +bolivia +bolt +bomb +bon +bond +bondage +bonds +bone +bones +bonus +boob +boobs +book +booking +bookings +bookmark +bookmarks +books +bookstore +bool +boolean +boom +boost +boot +booth +boots +booty +border +borders +bored +boring +born +borough +bosnia +boss +boston +both +bother +botswana +bottle +bottles +bottom +bought +boulder +boulevard +bound +boundaries +boundary +bouquet +boutique +bow +bowl +bowling +box +boxed +boxes +boxing +boy +boys +bp +br +bra +bracelet +bracelets +bracket +brad +bradford +bradley +brain +brake +brakes +branch +branches +brand +brandon +brands +bras +brass +brave +brazil +brazilian +breach +bread +break +breakdown +breakfast +breaking +breaks +breast +breasts +breath +breathing +breed +breeding +breeds +brian +brick +bridal +bride +bridge +bridges +brief +briefing +briefly +briefs +bright +brighton +brilliant +bring +bringing +brings +brisbane +bristol +britain +britannica +british +britney +broad +broadband +broadcast +broadcasting +broader +broadway +brochure +brochures +broke +broken +broker +brokers +bronze +brook +brooklyn +brooks +bros +brother +brothers +brought +brown +browse +browser +browsers +browsing +bruce +brunei +brunette +brunswick +brush +brussels +brutal +bryan +bryant +bs +bt +bubble +buck +bucks +budapest +buddy +budget +budgets +buf +buffalo +buffer +bufing +bug +bugs +build +builder +builders +building +buildings +builds +built +bukkake +bulgaria +bulgarian +bulk +bull +bullet +bulletin +bumper +bunch +bundle +bunny +burden +bureau +buried +burke +burlington +burn +burner +burning +burns +burst +burton +bus +buses +bush +business +businesses +busty +busy +but +butler +butt +butter +butterfly +button +buttons +butts +buy +buyer +buyers +buying +buys +buzz +bw +by +bye +byte +bytes +c +ca +cab +cabin +cabinet +cabinets +cable +cables +cache +cached +cad +cadillac +cafe +cage +cake +cakes +cal +calcium +calculate +calculated +calculation +calculations +calculator +calculators +calendar +calendars +calgary +calibration +calif +california +call +called +calling +calls +calm +calvin +cam +cambodia +cambridge +camcorder +camcorders +came +camel +camera +cameras +cameron +cameroon +camp +campaign +campaigns +campbell +camping +camps +campus +cams +can +canada +canadian +canal +canberra +cancel +cancellation +cancelled +cancer +candidate +candidates +candle +candles +candy +cannon +canon +cant +canvas +canyon +cap +capabilities +capability +capable +capacity +cape +capital +capitol +caps +captain +capture +captured +car +carb +carbon +card +cardiac +cardiff +cardiovascular +cards +care +career +careers +careful +carefully +carey +cargo +caribbean +caring +carl +carlo +carlos +carmen +carnival +carol +carolina +caroline +carpet +carried +carrier +carriers +carries +carroll +carry +carrying +cars +cart +carter +cartoon +cartoons +cartridge +cartridges +cas +casa +case +cases +casey +cash +cashiers +casino +casinos +casio +cassette +cast +casting +castle +casual +cat +catalog +catalogs +catalogue +catalyst +catch +categories +category +catering +cathedral +catherine +catholic +cats +cattle +caught +cause +caused +causes +causing +caution +cave +cayman +cb +cbs +cc +ccd +cd +cdna +cds +cdt +ce +cedar +ceiling +celebrate +celebration +celebrities +celebrity +celebs +cell +cells +cellular +celtic +cement +cemetery +census +cent +center +centered +centers +central +centre +centres +cents +centuries +century +ceo +ceramic +ceremony +certain +certainly +certificate +certificates +certification +certified +cest +cet +cf +cfr +cg +cgi +ch +chad +chain +chains +chair +chairman +chairs +challenge +challenged +challenges +challenging +chamber +chambers +champagne +champion +champions +championship +championships +chan +chance +chancellor +chances +change +changed +changelog +changes +changing +channel +channels +chaos +chapel +chapter +chapters +char +character +characteristic +characteristics +characterization +characterized +characters +charge +charged +charger +chargers +charges +charging +charitable +charity +charles +charleston +charlie +charlotte +charm +charming +charms +chart +charter +charts +chase +chassis +chat +cheap +cheaper +cheapest +cheat +cheats +check +checked +checking +checklist +checkout +checks +cheers +cheese +chef +chelsea +chem +chemical +chemicals +chemistry +chen +cheque +cherry +chess +chest +chester +chevrolet +chevy +chi +chicago +chick +chicken +chicks +chief +child +childhood +children +childrens +chile +china +chinese +chip +chips +cho +chocolate +choice +choices +choir +cholesterol +choose +choosing +chorus +chose +chosen +chris +christ +christian +christianity +christians +christina +christine +christmas +christopher +chrome +chronic +chronicle +chronicles +chrysler +chubby +chuck +church +churches +ci +cia +cialis +ciao +cigarette +cigarettes +cincinnati +cindy +cinema +cingular +cio +cir +circle +circles +circuit +circuits +circular +circulation +circumstances +circus +cisco +citation +citations +cite +cited +cities +citizen +citizens +citizenship +city +citysearch +civic +civil +civilian +civilization +cj +cl +claim +claimed +claims +claire +clan +clara +clarity +clark +clarke +class +classes +classic +classical +classics +classification +classified +classifieds +classroom +clause +clay +clean +cleaner +cleaners +cleaning +cleanup +clear +clearance +cleared +clearing +clearly +clerk +cleveland +click +clicking +clicks +client +clients +cliff +climate +climb +climbing +clinic +clinical +clinics +clinton +clip +clips +clock +clocks +clone +close +closed +closely +closer +closes +closest +closing +closure +cloth +clothes +clothing +cloud +clouds +cloudy +club +clubs +cluster +clusters +cm +cms +cn +cnet +cnetcom +cnn +co +coach +coaches +coaching +coal +coalition +coast +coastal +coat +coated +coating +cock +cocks +cod +code +codes +coding +coffee +cognitive +cohen +coin +coins +col +cold +cole +coleman +colin +collaboration +collaborative +collapse +collar +colleague +colleagues +collect +collectables +collected +collectible +collectibles +collecting +collection +collections +collective +collector +collectors +college +colleges +collins +cologne +colombia +colon +colonial +colony +color +colorado +colored +colors +colour +colours +columbia +columbus +column +columnists +columns +com +combat +combination +combinations +combine +combined +combines +combining +combo +come +comedy +comes +comfort +comfortable +comic +comics +coming +comm +command +commander +commands +comment +commentary +commented +comments +commerce +commercial +commission +commissioner +commissioners +commissions +commit +commitment +commitments +committed +committee +committees +commodities +commodity +common +commonly +commons +commonwealth +communicate +communication +communications +communist +communities +community +comp +compact +companies +companion +company +compaq +comparable +comparative +compare +compared +comparing +comparison +comparisons +compatibility +compatible +compensation +compete +competent +competing +competition +competitions +competitive +competitors +compilation +compile +compiled +compiler +complaint +complaints +complement +complete +completed +completely +completing +completion +complex +complexity +compliance +compliant +complicated +complications +complimentary +comply +component +components +composed +composer +composite +composition +compound +compounds +comprehensive +compressed +compression +compromise +computation +computational +compute +computed +computer +computers +computing +con +concentrate +concentration +concentrations +concept +concepts +conceptual +concern +concerned +concerning +concerns +concert +concerts +conclude +concluded +conclusion +conclusions +concord +concrete +condition +conditional +conditioning +conditions +condo +condos +conduct +conducted +conducting +conf +conference +conferences +conferencing +confidence +confident +confidential +confidentiality +config +configuration +configure +configured +configuring +confirm +confirmation +confirmed +conflict +conflicts +confused +confusion +congo +congratulations +congress +congressional +conjunction +connect +connected +connecticut +connecting +connection +connections +connectivity +connector +connectors +cons +conscious +consciousness +consecutive +consensus +consent +consequence +consequences +consequently +conservation +conservative +consider +considerable +consideration +considerations +considered +considering +considers +consist +consistency +consistent +consistently +consisting +consists +console +consoles +consolidated +consolidation +consortium +conspiracy +const +constant +constantly +constitute +constitutes +constitution +constitutional +constraint +constraints +construct +constructed +construction +consult +consultancy +consultant +consultants +consultation +consulting +consumer +consumers +consumption +contact +contacted +contacting +contacts +contain +contained +container +containers +containing +contains +contamination +contemporary +content +contents +contest +contests +context +continent +continental +continually +continue +continued +continues +continuing +continuity +continuous +continuously +contract +contracting +contractor +contractors +contracts +contrary +contrast +contribute +contributed +contributing +contribution +contributions +contributor +contributors +control +controlled +controller +controllers +controlling +controls +controversial +controversy +convenience +convenient +convention +conventional +conventions +convergence +conversation +conversations +conversion +convert +converted +converter +convertible +convicted +conviction +convinced +cook +cookbook +cooked +cookie +cookies +cooking +cool +cooler +cooling +cooper +cooperation +cooperative +coordinate +coordinated +coordinates +coordination +coordinator +cop +cope +copied +copies +copper +copy +copying +copyright +copyrighted +copyrights +coral +cord +cordless +core +cork +corn +cornell +corner +corners +cornwall +corp +corporate +corporation +corporations +corps +corpus +correct +corrected +correction +corrections +correctly +correlation +correspondence +corresponding +corruption +cos +cosmetic +cosmetics +cost +costa +costs +costume +costumes +cottage +cottages +cotton +could +council +councils +counsel +counseling +count +counted +counter +counters +counties +counting +countries +country +counts +county +couple +coupled +couples +coupon +coupons +courage +courier +course +courses +court +courtesy +courts +cove +cover +coverage +covered +covering +covers +cow +cowboy +cox +cp +cpu +cr +crack +cradle +craft +crafts +craig +crap +craps +crash +crawford +crazy +cream +create +created +creates +creating +creation +creations +creative +creativity +creator +creature +creatures +credit +credits +creek +crest +crew +cricket +crime +crimes +criminal +crisis +criteria +criterion +critical +criticism +critics +crm +croatia +crop +crops +cross +crossing +crossword +crowd +crown +crucial +crude +cruise +cruises +cruz +cry +crystal +cs +css +cst +ct +cu +cuba +cube +cubic +cuisine +cult +cultural +culture +cultures +cum +cumshot +cumshots +cumulative +cunt +cup +cups +cure +curious +currencies +currency +current +currently +curriculum +cursor +curtis +curve +curves +custody +custom +customer +customers +customise +customize +customized +customs +cut +cute +cuts +cutting +cv +cvs +cw +cyber +cycle +cycles +cycling +cylinder +cyprus +cz +czech +d +da +dad +daddy +daily +dairy +daisy +dakota +dale +dallas +dam +damage +damaged +damages +dame +damn +dan +dana +dance +dancing +danger +dangerous +daniel +danish +danny +dans +dare +dark +darkness +darwin +das +dash +dat +data +database +databases +date +dated +dates +dating +daughter +daughters +dave +david +davidson +davis +dawn +day +days +dayton +db +dc +dd +ddr +de +dead +deadline +deadly +deaf +deal +dealer +dealers +dealing +deals +dealt +dealtime +dean +dear +death +deaths +debate +debian +deborah +debt +debug +debut +dec +decade +decades +december +decent +decide +decided +decimal +decision +decisions +deck +declaration +declare +declared +decline +declined +decor +decorating +decorative +decrease +decreased +dedicated +dee +deemed +deep +deeper +deeply +deer +def +default +defeat +defects +defence +defend +defendant +defense +defensive +deferred +deficit +define +defined +defines +defining +definitely +definition +definitions +degree +degrees +del +delaware +delay +delayed +delays +delegation +delete +deleted +delhi +delicious +delight +deliver +delivered +delivering +delivers +delivery +dell +delta +deluxe +dem +demand +demanding +demands +demo +democracy +democrat +democratic +democrats +demographic +demonstrate +demonstrated +demonstrates +demonstration +den +denial +denied +denmark +dennis +dense +density +dental +dentists +denver +deny +department +departmental +departments +departure +depend +dependence +dependent +depending +depends +deployment +deposit +deposits +depot +depression +dept +depth +deputy +der +derby +derek +derived +des +descending +describe +described +describes +describing +description +descriptions +desert +deserve +design +designated +designation +designed +designer +designers +designing +designs +desirable +desire +desired +desk +desktop +desktops +desperate +despite +destination +destinations +destiny +destroy +destroyed +destruction +detail +detailed +details +detect +detected +detection +detective +detector +determination +determine +determined +determines +determining +detroit +deutsch +deutsche +deutschland +dev +devel +develop +developed +developer +developers +developing +development +developmental +developments +develops +deviant +deviation +device +devices +devil +devon +devoted +df +dg +dh +di +diabetes +diagnosis +diagnostic +diagram +dial +dialog +dialogue +diameter +diamond +diamonds +diana +diane +diary +dice +dick +dicke +dicks +dictionaries +dictionary +did +die +died +diego +dies +diesel +diet +dietary +diff +differ +difference +differences +different +differential +differently +difficult +difficulties +difficulty +diffs +dig +digest +digit +digital +dildo +dildos +dim +dimension +dimensional +dimensions +dining +dinner +dip +diploma +dir +direct +directed +direction +directions +directive +directly +director +directories +directors +directory +dirt +dirty +dis +disabilities +disability +disable +disabled +disagree +disappointed +disaster +disc +discharge +disciplinary +discipline +disciplines +disclaimer +disclaimers +disclose +disclosure +disco +discount +discounted +discounts +discover +discovered +discovery +discrete +discretion +discrimination +discs +discuss +discussed +discusses +discussing +discussion +discussions +disease +diseases +dish +dishes +disk +disks +disney +disorder +disorders +dispatch +dispatched +display +displayed +displaying +displays +disposal +disposition +dispute +disputes +dist +distance +distances +distant +distinct +distinction +distinguished +distribute +distributed +distribution +distributions +distributor +distributors +district +districts +disturbed +div +dive +diverse +diversity +divide +divided +dividend +divine +diving +division +divisions +divorce +divx +diy +dj +dk +dl +dm +dna +dns +do +doc +dock +docs +doctor +doctors +doctrine +document +documentary +documentation +documentcreatetextnode +documented +documents +dod +dodge +doe +does +dog +dogs +doing +doll +dollar +dollars +dolls +dom +domain +domains +dome +domestic +dominant +dominican +don +donald +donate +donated +donation +donations +done +donna +donor +donors +dont +doom +door +doors +dos +dosage +dose +dot +double +doubt +doug +douglas +dover +dow +down +download +downloadable +downloadcom +downloaded +downloading +downloads +downtown +dozen +dozens +dp +dpi +dr +draft +drag +dragon +drain +drainage +drama +dramatic +dramatically +draw +drawing +drawings +drawn +draws +dream +dreams +dress +dressed +dresses +dressing +drew +dried +drill +drilling +drink +drinking +drinks +drive +driven +driver +drivers +drives +driving +drop +dropped +drops +drove +drug +drugs +drum +drums +drunk +dry +dryer +ds +dsc +dsl +dt +dts +du +dual +dubai +dublin +duck +dude +due +dui +duke +dumb +dump +duncan +duo +duplicate +durable +duration +durham +during +dust +dutch +duties +duty +dv +dvd +dvds +dx +dying +dylan +dynamic +dynamics +e +ea +each +eagle +eagles +ear +earl +earlier +earliest +early +earn +earned +earning +earnings +earrings +ears +earth +earthquake +ease +easier +easily +east +easter +eastern +easy +eat +eating +eau +ebay +ebony +ebook +ebooks +ec +echo +eclipse +eco +ecological +ecology +ecommerce +economic +economics +economies +economy +ecuador +ed +eddie +eden +edgar +edge +edges +edinburgh +edit +edited +editing +edition +editions +editor +editorial +editorials +editors +edmonton +eds +edt +educated +education +educational +educators +edward +edwards +ee +ef +effect +effective +effectively +effectiveness +effects +efficiency +efficient +efficiently +effort +efforts +eg +egg +eggs +egypt +egyptian +eh +eight +either +ejaculation +el +elder +elderly +elect +elected +election +elections +electoral +electric +electrical +electricity +electro +electron +electronic +electronics +elegant +element +elementary +elements +elephant +elevation +eleven +eligibility +eligible +eliminate +elimination +elite +elizabeth +ellen +elliott +ellis +else +elsewhere +elvis +em +emacs +email +emails +embassy +embedded +emerald +emergency +emerging +emily +eminem +emirates +emission +emissions +emma +emotional +emotions +emperor +emphasis +empire +empirical +employ +employed +employee +employees +employer +employers +employment +empty +en +enable +enabled +enables +enabling +enb +enclosed +enclosure +encoding +encounter +encountered +encourage +encouraged +encourages +encouraging +encryption +encyclopedia +end +endangered +ended +endif +ending +endless +endorsed +endorsement +ends +enemies +enemy +energy +enforcement +eng +engage +engaged +engagement +engaging +engine +engineer +engineering +engineers +engines +england +english +enhance +enhanced +enhancement +enhancements +enhancing +enjoy +enjoyed +enjoying +enlarge +enlargement +enormous +enough +enquiries +enquiry +enrolled +enrollment +ensemble +ensure +ensures +ensuring +ent +enter +entered +entering +enterprise +enterprises +enters +entertaining +entertainment +entire +entirely +entities +entitled +entity +entrance +entrepreneur +entrepreneurs +entries +entry +envelope +environment +environmental +environments +enzyme +eos +ep +epa +epic +epinions +epinionscom +episode +episodes +epson +eq +equal +equality +equally +equation +equations +equilibrium +equipment +equipped +equity +equivalent +er +era +eric +ericsson +erik +erotic +erotica +erp +error +errors +es +escape +escort +escorts +especially +espn +essay +essays +essence +essential +essentially +essentials +essex +est +establish +established +establishing +establishment +estate +estates +estimate +estimated +estimates +estimation +estonia +et +etc +eternal +ethernet +ethical +ethics +ethiopia +ethnic +eu +eugene +eur +euro +europe +european +euros +ev +eva +eval +evaluate +evaluated +evaluating +evaluation +evaluations +evanescence +evans +eve +even +evening +event +events +eventually +ever +every +everybody +everyday +everyone +everything +everywhere +evidence +evident +evil +evolution +ex +exact +exactly +exam +examination +examinations +examine +examined +examines +examining +example +examples +exams +exceed +excel +excellence +excellent +except +exception +exceptional +exceptions +excerpt +excess +excessive +exchange +exchanges +excited +excitement +exciting +exclude +excluded +excluding +exclusion +exclusive +exclusively +excuse +exec +execute +executed +execution +executive +executives +exempt +exemption +exercise +exercises +exhaust +exhibit +exhibition +exhibitions +exhibits +exist +existed +existence +existing +exists +exit +exotic +exp +expand +expanded +expanding +expansion +expansys +expect +expectations +expected +expects +expedia +expenditure +expenditures +expense +expenses +expensive +experience +experienced +experiences +experiencing +experiment +experimental +experiments +expert +expertise +experts +expiration +expired +expires +explain +explained +explaining +explains +explanation +explicit +explicitly +exploration +explore +explorer +exploring +explosion +expo +export +exports +exposed +exposure +express +expressed +expression +expressions +ext +extend +extended +extending +extends +extension +extensions +extensive +extent +exterior +external +extra +extract +extraction +extraordinary +extras +extreme +extremely +eye +eyed +eyes +ez +f +fa +fabric +fabrics +fabulous +face +faced +faces +facial +facilitate +facilities +facility +facing +fact +factor +factors +factory +facts +faculty +fail +failed +failing +fails +failure +failures +fair +fairfield +fairly +fairy +faith +fake +fall +fallen +falling +falls +false +fame +familiar +families +family +famous +fan +fancy +fans +fantastic +fantasy +faq +faqs +far +fare +fares +farm +farmer +farmers +farming +farms +fascinating +fashion +fast +faster +fastest +fat +fatal +fate +father +fathers +fatty +fault +favor +favorite +favorites +favors +favour +favourite +favourites +fax +fbi +fc +fcc +fd +fda +fe +fear +fears +feat +feature +featured +features +featuring +feb +february +fed +federal +federation +fee +feed +feedback +feeding +feeds +feel +feeling +feelings +feels +fees +feet +fell +fellow +fellowship +felt +female +females +fence +feof +ferrari +ferry +festival +festivals +fetish +fever +few +fewer +ff +fg +fi +fiber +fibre +fiction +field +fields +fifteen +fifth +fifty +fig +fight +fighter +fighters +fighting +figure +figured +figures +fiji +file +filed +filename +files +filing +fill +filled +filling +film +filme +films +filter +filtering +filters +fin +final +finally +finals +finance +finances +financial +financing +find +findarticles +finder +finding +findings +findlaw +finds +fine +finest +finger +fingering +fingers +finish +finished +finishing +finite +finland +finnish +fioricet +fire +fired +firefox +fireplace +fires +firewall +firewire +firm +firms +firmware +first +fiscal +fish +fisher +fisheries +fishing +fist +fisting +fit +fitness +fits +fitted +fitting +five +fix +fixed +fixes +fixtures +fl +fla +flag +flags +flame +flash +flashers +flashing +flat +flavor +fleece +fleet +flesh +flex +flexibility +flexible +flickr +flight +flights +flip +float +floating +flood +floor +flooring +floors +floppy +floral +florence +florida +florist +florists +flour +flow +flower +flowers +flows +floyd +flu +fluid +flush +flux +fly +flyer +flying +fm +fo +foam +focal +focus +focused +focuses +focusing +fog +fold +folder +folders +folding +folk +folks +follow +followed +following +follows +font +fonts +foo +food +foods +fool +foot +footage +football +footwear +for +forbes +forbidden +force +forced +forces +ford +forecast +forecasts +foreign +forest +forestry +forests +forever +forge +forget +forgot +forgotten +fork +form +formal +format +formation +formats +formatting +formed +former +formerly +forming +forms +formula +fort +forth +fortune +forty +forum +forums +forward +forwarding +fossil +foster +foto +fotos +fought +foul +found +foundation +foundations +founded +founder +fountain +four +fourth +fox +fp +fr +fraction +fragrance +fragrances +frame +framed +frames +framework +framing +france +franchise +francis +francisco +frank +frankfurt +franklin +fraser +fraud +fred +frederick +free +freebsd +freedom +freelance +freely +freeware +freeze +freight +french +frequencies +frequency +frequent +frequently +fresh +fri +friday +fridge +friend +friendly +friends +friendship +frog +from +front +frontier +frontpage +frost +frozen +fruit +fruits +fs +ft +ftp +fu +fuck +fucked +fucking +fuel +fuji +fujitsu +full +fully +fun +function +functional +functionality +functioning +functions +fund +fundamental +fundamentals +funded +funding +fundraising +funds +funeral +funk +funky +funny +fur +furnished +furnishings +furniture +further +furthermore +fusion +future +futures +fuzzy +fw +fwd +fx +fy +g +ga +gabriel +gadgets +gage +gain +gained +gains +galaxy +gale +galleries +gallery +gambling +game +gamecube +games +gamespot +gaming +gamma +gang +gangbang +gap +gaps +garage +garbage +garcia +garden +gardening +gardens +garlic +garmin +gary +gas +gasoline +gate +gates +gateway +gather +gathered +gathering +gauge +gave +gay +gays +gazette +gb +gba +gbp +gc +gcc +gd +gdp +ge +gear +geek +gel +gem +gen +gender +gene +genealogy +general +generally +generate +generated +generates +generating +generation +generations +generator +generators +generic +generous +genes +genesis +genetic +genetics +geneva +genius +genome +genre +genres +gentle +gentleman +gently +genuine +geo +geographic +geographical +geography +geological +geology +geometry +george +georgia +gerald +german +germany +get +gets +getting +gg +ghana +ghost +ghz +gi +giant +giants +gibraltar +gibson +gif +gift +gifts +gig +gilbert +girl +girlfriend +girls +gis +give +given +gives +giving +gl +glad +glance +glasgow +glass +glasses +glen +glenn +global +globe +glory +glossary +gloves +glow +glucose +gm +gmbh +gmc +gmt +gnome +gnu +go +goal +goals +goat +god +gods +goes +going +gold +golden +golf +gone +gonna +good +goods +google +gordon +gore +gorgeous +gospel +gossip +got +gothic +goto +gotta +gotten +gourmet +gov +governance +governing +government +governmental +governments +governor +govt +gp +gpl +gps +gr +grab +grace +grad +grade +grades +gradually +graduate +graduated +graduates +graduation +graham +grain +grammar +grams +grand +grande +granny +grant +granted +grants +graph +graphic +graphical +graphics +graphs +gras +grass +grateful +gratis +gratuit +grave +gravity +gray +great +greater +greatest +greatly +greece +greek +green +greene +greenhouse +greensboro +greeting +greetings +greg +gregory +grenada +grew +grey +grid +griffin +grill +grip +grocery +groove +gross +ground +grounds +groundwater +group +groups +grove +grow +growing +grown +grows +growth +gs +gsm +gst +gt +gtk +guam +guarantee +guaranteed +guarantees +guard +guardian +guards +guatemala +guess +guest +guestbook +guests +gui +guidance +guide +guided +guidelines +guides +guild +guilty +guinea +guitar +guitars +gulf +gun +guns +guru +guy +guyana +guys +gym +gzip +h +ha +habitat +habits +hack +hacker +had +hair +hairy +haiti +half +halfcom +halifax +hall +halloween +halo +ham +hamburg +hamilton +hammer +hampshire +hampton +hand +handbags +handbook +handed +handheld +handhelds +handjob +handjobs +handle +handled +handles +handling +handmade +hands +handy +hang +hanging +hans +hansen +happen +happened +happening +happens +happiness +happy +harassment +harbor +harbour +hard +hardcore +hardcover +harder +hardly +hardware +hardwood +harley +harm +harmful +harmony +harold +harper +harris +harrison +harry +hart +hartford +harvard +harvest +harvey +has +hash +hat +hate +hats +have +haven +having +hawaii +hawaiian +hawk +hay +hayes +hazard +hazardous +hazards +hb +hc +hd +hdtv +he +head +headed +header +headers +heading +headline +headlines +headphones +headquarters +heads +headset +healing +health +healthcare +healthy +hear +heard +hearing +hearings +heart +hearts +heat +heated +heater +heath +heather +heating +heaven +heavily +heavy +hebrew +heel +height +heights +held +helen +helena +helicopter +hell +hello +helmet +help +helped +helpful +helping +helps +hence +henderson +henry +hentai +hepatitis +her +herald +herb +herbal +herbs +here +hereby +herein +heritage +hero +heroes +herself +hewlett +hey +hh +hi +hidden +hide +hierarchy +high +higher +highest +highland +highlight +highlighted +highlights +highly +highs +highway +highways +hiking +hill +hills +hilton +him +himself +hindu +hint +hints +hip +hire +hired +hiring +his +hispanic +hist +historic +historical +history +hit +hitachi +hits +hitting +hiv +hk +hl +ho +hobbies +hobby +hockey +hold +holdem +holder +holders +holding +holdings +holds +hole +holes +holiday +holidays +holland +hollow +holly +hollywood +holmes +holocaust +holy +home +homeland +homeless +homepage +homes +hometown +homework +hon +honda +honduras +honest +honey +hong +honolulu +honor +honors +hood +hook +hop +hope +hoped +hopefully +hopes +hoping +hopkins +horizon +horizontal +hormone +horn +horny +horrible +horror +horse +horses +hose +hospital +hospitality +hospitals +host +hosted +hostel +hostels +hosting +hosts +hot +hotel +hotels +hotelscom +hotmail +hottest +hour +hourly +hours +house +household +households +houses +housewares +housewives +housing +houston +how +howard +however +howto +hp +hq +hr +href +hrs +hs +ht +html +http +hu +hub +hudson +huge +hugh +hughes +hugo +hull +human +humanitarian +humanities +humanity +humans +humidity +humor +hundred +hundreds +hung +hungarian +hungary +hunger +hungry +hunt +hunter +hunting +huntington +hurricane +hurt +husband +hwy +hybrid +hydraulic +hydrocodone +hydrogen +hygiene +hypothesis +hypothetical +hyundai +hz +i +ia +ian +ibm +ic +ice +iceland +icon +icons +icq +ict +id +idaho +ide +idea +ideal +ideas +identical +identification +identified +identifier +identifies +identify +identifying +identity +idle +idol +ids +ie +ieee +if +ignore +ignored +ii +iii +il +ill +illegal +illinois +illness +illustrated +illustration +illustrations +im +ima +image +images +imagination +imagine +imaging +img +immediate +immediately +immigrants +immigration +immune +immunology +impact +impacts +impaired +imperial +implement +implementation +implemented +implementing +implications +implied +implies +import +importance +important +importantly +imported +imports +impose +imposed +impossible +impressed +impression +impressive +improve +improved +improvement +improvements +improving +in +inappropriate +inbox +inc +incentive +incentives +incest +inch +inches +incidence +incident +incidents +incl +include +included +includes +including +inclusion +inclusive +income +incoming +incomplete +incorporate +incorporated +incorrect +increase +increased +increases +increasing +increasingly +incredible +incurred +ind +indeed +independence +independent +independently +index +indexed +indexes +india +indian +indiana +indianapolis +indians +indicate +indicated +indicates +indicating +indication +indicator +indicators +indices +indie +indigenous +indirect +individual +individually +individuals +indonesia +indonesian +indoor +induced +induction +industrial +industries +industry +inexpensive +inf +infant +infants +infected +infection +infections +infectious +infinite +inflation +influence +influenced +influences +info +inform +informal +information +informational +informative +informed +infrared +infrastructure +ing +ingredients +inherited +initial +initially +initiated +initiative +initiatives +injection +injured +injuries +injury +ink +inkjet +inline +inn +inner +innocent +innovation +innovations +innovative +inns +input +inputs +inquire +inquiries +inquiry +ins +insects +insert +inserted +insertion +inside +insider +insight +insights +inspection +inspections +inspector +inspiration +inspired +install +installation +installations +installed +installing +instance +instances +instant +instantly +instead +institute +institutes +institution +institutional +institutions +instruction +instructional +instructions +instructor +instructors +instrument +instrumental +instrumentation +instruments +insulin +insurance +insured +int +intake +integer +integral +integrate +integrated +integrating +integration +integrity +intel +intellectual +intelligence +intelligent +intend +intended +intense +intensity +intensive +intent +intention +inter +interact +interaction +interactions +interactive +interest +interested +interesting +interests +interface +interfaces +interference +interim +interior +intermediate +internal +international +internationally +internet +internship +interpretation +interpreted +interracial +intersection +interstate +interval +intervals +intervention +interventions +interview +interviews +intimate +intl +into +intranet +intro +introduce +introduced +introduces +introducing +introduction +introductory +invalid +invasion +invention +inventory +invest +investigate +investigated +investigation +investigations +investigator +investigators +investing +investment +investments +investor +investors +invisible +invision +invitation +invitations +invite +invited +invoice +involve +involved +involvement +involves +involving +io +ion +iowa +ip +ipaq +ipod +ips +ir +ira +iran +iraq +iraqi +irc +ireland +irish +iron +irrigation +irs +is +isa +isaac +isbn +islam +islamic +island +islands +isle +iso +isolated +isolation +isp +israel +israeli +issn +issue +issued +issues +ist +istanbul +it +italia +italian +italiano +italic +italy +item +items +its +itsa +itself +itunes +iv +ivory +ix +j +ja +jack +jacket +jackets +jackie +jackson +jacksonville +jacob +jade +jaguar +jail +jake +jam +jamaica +james +jamie +jan +jane +janet +january +japan +japanese +jar +jason +java +javascript +jay +jazz +jc +jd +je +jean +jeans +jeep +jeff +jefferson +jeffrey +jelsoft +jennifer +jenny +jeremy +jerry +jersey +jerusalem +jesse +jessica +jesus +jet +jets +jewel +jewellery +jewelry +jewish +jews +jill +jim +jimmy +jj +jm +jo +joan +job +jobs +joe +joel +john +johnny +johns +johnson +johnston +join +joined +joining +joins +joint +joke +jokes +jon +jonathan +jones +jordan +jose +joseph +josh +joshua +journal +journalism +journalist +journalists +journals +journey +joy +joyce +jp +jpeg +jpg +jr +js +juan +judge +judges +judgment +judicial +judy +juice +jul +julia +julian +julie +july +jump +jumping +jun +junction +june +jungle +junior +junk +jurisdiction +jury +just +justice +justify +justin +juvenile +jvc +k +ka +kai +kansas +karaoke +karen +karl +karma +kate +kathy +katie +katrina +kay +kazakhstan +kb +kde +keen +keep +keeping +keeps +keith +kelkoo +kelly +ken +kennedy +kenneth +kenny +keno +kent +kentucky +kenya +kept +kernel +kerry +kevin +key +keyboard +keyboards +keys +keyword +keywords +kg +kick +kid +kidney +kids +kijiji +kill +killed +killer +killing +kills +kilometers +kim +kinase +kind +kinda +kinds +king +kingdom +kings +kingston +kirk +kiss +kissing +kit +kitchen +kits +kitty +klein +km +knee +knew +knife +knight +knights +knit +knitting +knives +knock +know +knowing +knowledge +knowledgestorm +known +knows +ko +kodak +kong +korea +korean +kruger +ks +kurt +kuwait +kw +ky +kyle +l +la +lab +label +labeled +labels +labor +laboratories +laboratory +labour +labs +lace +lack +ladder +laden +ladies +lady +lafayette +laid +lake +lakes +lamb +lambda +lamp +lamps +lan +lancaster +lance +land +landing +lands +landscape +landscapes +lane +lanes +lang +language +languages +lanka +lap +laptop +laptops +large +largely +larger +largest +larry +las +laser +last +lasting +lat +late +lately +later +latest +latex +latin +latina +latinas +latino +latitude +latter +latvia +lauderdale +laugh +laughing +launch +launched +launches +laundry +laura +lauren +law +lawn +lawrence +laws +lawsuit +lawyer +lawyers +lay +layer +layers +layout +lazy +lb +lbs +lc +lcd +ld +le +lead +leader +leaders +leadership +leading +leads +leaf +league +lean +learn +learned +learners +learning +lease +leasing +least +leather +leave +leaves +leaving +lebanon +lecture +lectures +led +lee +leeds +left +leg +legacy +legal +legally +legend +legendary +legends +legislation +legislative +legislature +legitimate +legs +leisure +lemon +len +lender +lenders +lending +length +lens +lenses +leo +leon +leonard +leone +les +lesbian +lesbians +leslie +less +lesser +lesson +lessons +let +lets +letter +letters +letting +leu +level +levels +levitra +levy +lewis +lexington +lexmark +lexus +lf +lg +li +liabilities +liability +liable +lib +liberal +liberia +liberty +librarian +libraries +library +libs +licence +license +licensed +licenses +licensing +licking +lid +lie +liechtenstein +lies +life +lifestyle +lifetime +lift +light +lighter +lighting +lightning +lights +lightweight +like +liked +likelihood +likely +likes +likewise +lil +lime +limit +limitation +limitations +limited +limiting +limits +limousines +lincoln +linda +lindsay +line +linear +lined +lines +lingerie +link +linked +linking +links +linux +lion +lions +lip +lips +liquid +lisa +list +listed +listen +listening +listing +listings +listprice +lists +lit +lite +literacy +literally +literary +literature +lithuania +litigation +little +live +livecam +lived +liver +liverpool +lives +livesex +livestock +living +liz +ll +llc +lloyd +llp +lm +ln +lo +load +loaded +loading +loads +loan +loans +lobby +loc +local +locale +locally +locate +located +location +locations +locator +lock +locked +locking +locks +lodge +lodging +log +logan +logged +logging +logic +logical +login +logistics +logitech +logo +logos +logs +lol +lolita +london +lone +lonely +long +longer +longest +longitude +look +looked +looking +looks +looksmart +lookup +loop +loops +loose +lopez +lord +los +lose +losing +loss +losses +lost +lot +lots +lottery +lotus +lou +loud +louis +louise +louisiana +louisville +lounge +love +loved +lovely +lover +lovers +loves +loving +low +lower +lowest +lows +lp +ls +lt +ltd +lu +lucas +lucia +luck +lucky +lucy +luggage +luis +luke +lunch +lung +luther +luxembourg +luxury +lycos +lying +lynn +lyric +lyrics +m +ma +mac +macedonia +machine +machinery +machines +macintosh +macro +macromedia +mad +madagascar +made +madison +madness +madonna +madrid +mae +mag +magazine +magazines +magic +magical +magnet +magnetic +magnificent +magnitude +mai +maiden +mail +mailed +mailing +mailman +mails +mailto +main +maine +mainland +mainly +mainstream +maintain +maintained +maintaining +maintains +maintenance +major +majority +make +maker +makers +makes +makeup +making +malawi +malaysia +maldives +male +males +mali +mall +malpractice +malta +mambo +man +manage +managed +management +manager +managers +managing +manchester +mandate +mandatory +manga +manhattan +manitoba +manner +manor +manual +manually +manuals +manufacture +manufactured +manufacturer +manufacturers +manufacturing +many +map +maple +mapping +maps +mar +marathon +marble +marc +march +marco +marcus +mardi +margaret +margin +maria +mariah +marie +marijuana +marilyn +marina +marine +mario +marion +maritime +mark +marked +marker +markers +market +marketing +marketplace +markets +marking +marks +marriage +married +marriott +mars +marshall +mart +martha +martial +martin +marvel +mary +maryland +mas +mask +mason +mass +massachusetts +massage +massive +master +mastercard +masters +masturbating +masturbation +mat +match +matched +matches +matching +mate +material +materials +maternity +math +mathematical +mathematics +mating +matrix +mats +matt +matter +matters +matthew +mattress +mature +maui +mauritius +max +maximize +maximum +may +maybe +mayor +mazda +mb +mba +mc +mcdonald +md +me +meal +meals +mean +meaning +meaningful +means +meant +meanwhile +measure +measured +measurement +measurements +measures +measuring +meat +mechanical +mechanics +mechanism +mechanisms +med +medal +media +median +medicaid +medical +medicare +medication +medications +medicine +medicines +medieval +meditation +mediterranean +medium +medline +meet +meeting +meetings +meets +meetup +mega +mel +melbourne +melissa +mem +member +members +membership +membrane +memo +memorabilia +memorial +memories +memory +memphis +men +mens +ment +mental +mention +mentioned +mentor +menu +menus +mercedes +merchandise +merchant +merchants +mercury +mercy +mere +merely +merge +merger +merit +merry +mesa +mesh +mess +message +messages +messaging +messenger +met +meta +metabolism +metadata +metal +metallic +metallica +metals +meter +meters +method +methodology +methods +metres +metric +metro +metropolitan +mexican +mexico +meyer +mf +mfg +mg +mh +mhz +mi +mia +miami +mic +mice +michael +michel +michelle +michigan +micro +microphone +microsoft +microwave +mid +middle +midi +midlands +midnight +midwest +might +mighty +migration +mike +mil +milan +mild +mile +mileage +miles +milf +milfhunter +milfs +military +milk +mill +millennium +miller +million +millions +mills +milton +milwaukee +mime +min +mind +minds +mine +mineral +minerals +mines +mini +miniature +minimal +minimize +minimum +mining +minister +ministers +ministries +ministry +minneapolis +minnesota +minolta +minor +minority +mins +mint +minus +minute +minutes +miracle +mirror +mirrors +misc +miscellaneous +miss +missed +missile +missing +mission +missions +mississippi +missouri +mistake +mistakes +mistress +mit +mitchell +mitsubishi +mix +mixed +mixer +mixing +mixture +mj +ml +mlb +mls +mm +mn +mo +mobile +mobiles +mobility +mod +mode +model +modeling +modelling +models +modem +modems +moderate +moderator +moderators +modern +modes +modification +modifications +modified +modify +mods +modular +module +modules +moisture +mold +moldova +molecular +molecules +mom +moment +moments +momentum +moms +mon +monaco +monday +monetary +money +mongolia +monica +monitor +monitored +monitoring +monitors +monkey +mono +monroe +monster +montana +monte +montgomery +month +monthly +months +montreal +mood +moon +moore +moral +more +moreover +morgan +morning +morocco +morris +morrison +mortality +mortgage +mortgages +moscow +moses +moss +most +mostly +motel +motels +mother +motherboard +mothers +motion +motivated +motivation +motor +motorcycle +motorcycles +motorola +motors +mount +mountain +mountains +mounted +mounting +mounts +mouse +mouth +move +moved +movement +movements +movers +moves +movie +movies +moving +mozambique +mozilla +mp +mpeg +mpegs +mpg +mph +mr +mrna +mrs +ms +msg +msgid +msgstr +msie +msn +mt +mtv +mu +much +mud +mug +multi +multimedia +multiple +mumbai +munich +municipal +municipality +murder +murphy +murray +muscle +muscles +museum +museums +music +musical +musician +musicians +muslim +muslims +must +mustang +mutual +muze +mv +mw +mx +my +myanmar +myers +myrtle +myself +mysimon +myspace +mysql +mysterious +mystery +myth +n +na +nail +nails +naked +nam +name +named +namely +names +namespace +namibia +nancy +nano +naples +narrative +narrow +nasa +nascar +nasdaq +nashville +nasty +nat +nathan +nation +national +nationally +nations +nationwide +native +nato +natural +naturally +naturals +nature +naughty +nav +naval +navigate +navigation +navigator +navy +nb +nba +nbc +nc +ncaa +nd +ne +near +nearby +nearest +nearly +nebraska +nec +necessarily +necessary +necessity +neck +necklace +need +needed +needle +needs +negative +negotiation +negotiations +neighbor +neighborhood +neighbors +neil +neither +nelson +neo +neon +nepal +nerve +nervous +nest +nested +net +netherlands +netscape +network +networking +networks +neural +neutral +nevada +never +nevertheless +new +newark +newbie +newcastle +newer +newest +newfoundland +newly +newport +news +newscom +newsletter +newsletters +newspaper +newspapers +newton +next +nextel +nfl +ng +nh +nhl +nhs +ni +niagara +nicaragua +nice +nicholas +nick +nickel +nickname +nicole +niger +nigeria +night +nightlife +nightmare +nights +nike +nikon +nil +nine +nintendo +nipple +nipples +nirvana +nissan +nitrogen +nj +nl +nm +nn +no +noble +nobody +node +nodes +noise +nokia +nominated +nomination +nominations +non +none +nonprofit +noon +nor +norfolk +norm +normal +normally +norman +north +northeast +northern +northwest +norton +norway +norwegian +nos +nose +not +note +notebook +notebooks +noted +notes +nothing +notice +noticed +notices +notification +notifications +notified +notify +notion +notre +nottingham +nov +nova +novel +novels +novelty +november +now +nowhere +np +nr +ns +nsw +nt +ntsc +nu +nuclear +nude +nudist +nudity +nuke +null +number +numbers +numeric +numerical +numerous +nurse +nursery +nurses +nursing +nut +nutrition +nutritional +nuts +nutten +nv +nvidia +nw +ny +nyc +nylon +nz +o +oak +oakland +oaks +oasis +ob +obesity +obituaries +obj +object +objective +objectives +objects +obligation +obligations +observation +observations +observe +observed +observer +obtain +obtained +obtaining +obvious +obviously +oc +occasion +occasional +occasionally +occasions +occupation +occupational +occupations +occupied +occur +occurred +occurrence +occurring +occurs +ocean +oclc +oct +october +odd +odds +oe +oecd +oem +of +off +offense +offensive +offer +offered +offering +offerings +offers +office +officer +officers +offices +official +officially +officials +offline +offset +offshore +often +og +oh +ohio +oil +oils +ok +okay +oklahoma +ol +old +older +oldest +olive +oliver +olympic +olympics +olympus +om +omaha +oman +omega +omissions +on +once +one +ones +ongoing +onion +online +only +ons +ontario +onto +oo +ooo +oops +op +open +opened +opening +openings +opens +opera +operate +operated +operates +operating +operation +operational +operations +operator +operators +opinion +opinions +opponent +opponents +opportunities +opportunity +opposed +opposite +opposition +opt +optical +optics +optimal +optimization +optimize +optimum +option +optional +options +or +oracle +oral +orange +orbit +orchestra +order +ordered +ordering +orders +ordinance +ordinary +oregon +org +organ +organic +organisation +organisations +organised +organisms +organization +organizational +organizations +organize +organized +organizer +organizing +orgasm +orgy +oriental +orientation +oriented +origin +original +originally +origins +orlando +orleans +os +oscar +ot +other +others +otherwise +ottawa +ou +ought +our +ours +ourselves +out +outcome +outcomes +outdoor +outdoors +outer +outlet +outline +outlined +outlook +output +outputs +outreach +outside +outsourcing +outstanding +oval +oven +over +overall +overcome +overhead +overnight +overseas +overview +owen +own +owned +owner +owners +ownership +owns +oxford +oxide +oxygen +oz +ozone +p +pa +pac +pace +pacific +pack +package +packages +packaging +packard +packed +packet +packets +packing +packs +pad +pads +page +pages +paid +pain +painful +paint +paintball +painted +painting +paintings +pair +pairs +pakistan +pal +palace +pale +palestine +palestinian +palm +palmer +pam +pamela +pan +panama +panasonic +panel +panels +panic +panties +pants +pantyhose +paper +paperback +paperbacks +papers +papua +par +para +parade +paradise +paragraph +paragraphs +paraguay +parallel +parameter +parameters +parcel +parent +parental +parenting +parents +paris +parish +park +parker +parking +parks +parliament +parliamentary +part +partial +partially +participant +participants +participate +participated +participating +participation +particle +particles +particular +particularly +parties +partition +partly +partner +partners +partnership +partnerships +parts +party +pas +paso +pass +passage +passed +passenger +passengers +passes +passing +passion +passive +passport +password +passwords +past +pasta +paste +pastor +pat +patch +patches +patent +patents +path +pathology +paths +patient +patients +patio +patricia +patrick +patrol +pattern +patterns +paul +pavilion +paxil +pay +payable +payday +paying +payment +payments +paypal +payroll +pays +pb +pc +pci +pcs +pct +pd +pda +pdas +pdf +pdt +pe +peace +peaceful +peak +pearl +peas +pediatric +pee +peeing +peer +peers +pen +penalties +penalty +pencil +pendant +pending +penetration +penguin +peninsula +penis +penn +pennsylvania +penny +pens +pension +pensions +pentium +people +peoples +pepper +per +perceived +percent +percentage +perception +perfect +perfectly +perform +performance +performances +performed +performer +performing +performs +perfume +perhaps +period +periodic +periodically +periods +peripheral +peripherals +perl +permalink +permanent +permission +permissions +permit +permits +permitted +perry +persian +persistent +person +personal +personality +personalized +personally +personals +personnel +persons +perspective +perspectives +perth +peru +pest +pet +pete +peter +petersburg +peterson +petite +petition +petroleum +pets +pf +pg +pgp +ph +phantom +pharmaceutical +pharmaceuticals +pharmacies +pharmacology +pharmacy +phase +phases +phd +phenomenon +phentermine +phi +phil +philadelphia +philip +philippines +philips +phillips +philosophy +phoenix +phone +phones +photo +photograph +photographer +photographers +photographic +photographs +photography +photos +photoshop +php +phpbb +phrase +phrases +phys +physical +physically +physician +physicians +physics +physiology +pi +piano +pic +pichunter +pick +picked +picking +picks +pickup +picnic +pics +picture +pictures +pie +piece +pieces +pierce +pierre +pig +pike +pill +pillow +pills +pilot +pin +pine +ping +pink +pins +pioneer +pipe +pipeline +pipes +pirates +piss +pissing +pit +pitch +pittsburgh +pix +pixel +pixels +pizza +pj +pk +pl +place +placed +placement +places +placing +plain +plains +plaintiff +plan +plane +planes +planet +planets +planned +planner +planners +planning +plans +plant +plants +plasma +plastic +plastics +plate +plates +platform +platforms +platinum +play +playback +playboy +played +player +players +playing +playlist +plays +playstation +plaza +plc +pleasant +please +pleased +pleasure +pledge +plenty +plot +plots +plug +plugin +plugins +plumbing +plus +plymouth +pm +pmc +pmid +pn +po +pocket +pockets +pod +podcast +podcasts +poem +poems +poet +poetry +point +pointed +pointer +pointing +points +pokemon +poker +poland +polar +pole +police +policies +policy +polish +polished +political +politicians +politics +poll +polls +pollution +polo +poly +polyester +polymer +polyphonic +pond +pontiac +pool +pools +poor +pop +pope +popular +popularity +population +populations +por +porcelain +pork +porn +porno +porsche +port +portable +portal +porter +portfolio +portion +portions +portland +portrait +portraits +ports +portsmouth +portugal +portuguese +pos +pose +posing +position +positioning +positions +positive +possess +possession +possibilities +possibility +possible +possibly +post +postage +postal +postcard +postcards +posted +poster +posters +posting +postings +postposted +posts +pot +potato +potatoes +potential +potentially +potter +pottery +poultry +pound +pounds +pour +poverty +powder +powell +power +powered +powerful +powerpoint +powers +powerseller +pp +ppc +ppm +pr +practical +practice +practices +practitioner +practitioners +prague +prairie +praise +pray +prayer +prayers +pre +preceding +precious +precipitation +precise +precisely +precision +predict +predicted +prediction +predictions +prefer +preference +preferences +preferred +prefers +prefix +pregnancy +pregnant +preliminary +premier +premiere +premises +premium +prep +prepaid +preparation +prepare +prepared +preparing +prerequisite +prescribed +prescription +presence +present +presentation +presentations +presented +presenting +presently +presents +preservation +preserve +president +presidential +press +pressed +pressing +pressure +preston +pretty +prev +prevent +preventing +prevention +preview +previews +previous +previously +price +priced +prices +pricing +pride +priest +primarily +primary +prime +prince +princess +princeton +principal +principle +principles +print +printable +printed +printer +printers +printing +prints +prior +priorities +priority +prison +prisoner +prisoners +privacy +private +privilege +privileges +prix +prize +prizes +pro +probability +probably +probe +problem +problems +proc +procedure +procedures +proceed +proceeding +proceedings +proceeds +process +processed +processes +processing +processor +processors +procurement +produce +produced +producer +producers +produces +producing +product +production +productions +productive +productivity +products +prof +profession +professional +professionals +professor +profile +profiles +profit +profits +program +programme +programmer +programmers +programmes +programming +programs +progress +progressive +prohibited +project +projected +projection +projector +projectors +projects +prominent +promise +promised +promises +promising +promo +promote +promoted +promotes +promoting +promotion +promotional +promotions +prompt +promptly +proof +propecia +proper +properly +properties +property +prophet +proportion +proposal +proposals +propose +proposed +proposition +proprietary +pros +prospect +prospective +prospects +prostate +prostores +prot +protect +protected +protecting +protection +protective +protein +proteins +protest +protocol +protocols +prototype +proud +proudly +prove +proved +proven +provide +provided +providence +provider +providers +provides +providing +province +provinces +provincial +provision +provisions +proxy +prozac +ps +psi +psp +pst +psychiatry +psychological +psychology +pt +pts +pty +pub +public +publication +publications +publicity +publicly +publish +published +publisher +publishers +publishing +pubmed +pubs +puerto +pull +pulled +pulling +pulse +pump +pumps +punch +punishment +punk +pupils +puppy +purchase +purchased +purchases +purchasing +pure +purple +purpose +purposes +purse +pursuant +pursue +pursuit +push +pushed +pushing +pussy +put +puts +putting +puzzle +puzzles +pvc +python +q +qatar +qc +qld +qt +qty +quad +qualification +qualifications +qualified +qualify +qualifying +qualities +quality +quantitative +quantities +quantity +quantum +quarter +quarterly +quarters +que +quebec +queen +queens +queensland +queries +query +quest +question +questionnaire +questions +queue +qui +quick +quickly +quiet +quilt +quit +quite +quiz +quizzes +quotations +quote +quoted +quotes +r +ra +rabbit +race +races +rachel +racial +racing +rack +racks +radar +radiation +radical +radio +radios +radius +rage +raid +rail +railroad +railway +rain +rainbow +raise +raised +raises +raising +raleigh +rally +ralph +ram +ran +ranch +rand +random +randy +range +rangers +ranges +ranging +rank +ranked +ranking +rankings +ranks +rap +rape +rapid +rapidly +rapids +rare +rarely +rat +rate +rated +rates +rather +rating +ratings +ratio +rational +ratios +rats +raw +ray +raymond +rays +rb +rc +rca +rd +re +reach +reached +reaches +reaching +reaction +reactions +read +reader +readers +readily +reading +readings +reads +ready +real +realistic +reality +realize +realized +really +realm +realtor +realtors +realty +rear +reason +reasonable +reasonably +reasoning +reasons +rebate +rebates +rebecca +rebel +rebound +rec +recall +receipt +receive +received +receiver +receivers +receives +receiving +recent +recently +reception +receptor +receptors +recipe +recipes +recipient +recipients +recognised +recognition +recognize +recognized +recommend +recommendation +recommendations +recommended +recommends +reconstruction +record +recorded +recorder +recorders +recording +recordings +records +recover +recovered +recovery +recreation +recreational +recruiting +recruitment +recycling +red +redeem +redhead +reduce +reduced +reduces +reducing +reduction +reductions +reed +reef +reel +ref +refer +reference +referenced +references +referral +referrals +referred +referring +refers +refinance +refine +refined +reflect +reflected +reflection +reflections +reflects +reform +reforms +refresh +refrigerator +refugees +refund +refurbished +refuse +refused +reg +regard +regarded +regarding +regardless +regards +reggae +regime +region +regional +regions +register +registered +registrar +registration +registry +regression +regular +regularly +regulated +regulation +regulations +regulatory +rehab +rehabilitation +reid +reject +rejected +rel +relate +related +relates +relating +relation +relations +relationship +relationships +relative +relatively +relatives +relax +relaxation +relay +release +released +releases +relevance +relevant +reliability +reliable +reliance +relief +religion +religions +religious +reload +relocation +rely +relying +remain +remainder +remained +remaining +remains +remark +remarkable +remarks +remedies +remedy +remember +remembered +remind +reminder +remix +remote +removable +removal +remove +removed +removing +renaissance +render +rendered +rendering +renew +renewable +renewal +reno +rent +rental +rentals +rentcom +rep +repair +repairs +repeat +repeated +replace +replaced +replacement +replacing +replica +replication +replied +replies +reply +report +reported +reporter +reporters +reporting +reports +repository +represent +representation +representations +representative +representatives +represented +representing +represents +reprint +reprints +reproduce +reproduced +reproduction +reproductive +republic +republican +republicans +reputation +request +requested +requesting +requests +require +required +requirement +requirements +requires +requiring +res +rescue +research +researcher +researchers +reseller +reservation +reservations +reserve +reserved +reserves +reservoir +reset +residence +resident +residential +residents +resist +resistance +resistant +resolution +resolutions +resolve +resolved +resort +resorts +resource +resources +respect +respected +respective +respectively +respiratory +respond +responded +respondent +respondents +responding +response +responses +responsibilities +responsibility +responsible +rest +restaurant +restaurants +restoration +restore +restored +restrict +restricted +restriction +restrictions +restructuring +result +resulted +resulting +results +resume +resumes +retail +retailer +retailers +retain +retained +retention +retired +retirement +retreat +retrieval +retrieve +retrieved +retro +return +returned +returning +returns +reunion +reuters +rev +reveal +revealed +reveals +revelation +revenge +revenue +revenues +reverse +review +reviewed +reviewer +reviewing +reviews +revised +revision +revisions +revolution +revolutionary +reward +rewards +reynolds +rf +rfc +rg +rh +rhode +rhythm +ri +ribbon +rica +rice +rich +richard +richards +richardson +richmond +rick +rico +rid +ride +rider +riders +rides +ridge +riding +right +rights +rim +ring +rings +ringtone +ringtones +rio +rip +ripe +rise +rising +risk +risks +river +rivers +riverside +rj +rl +rm +rn +rna +ro +road +roads +rob +robert +roberts +robertson +robin +robinson +robot +robots +robust +rochester +rock +rocket +rocks +rocky +rod +roger +rogers +roland +role +roles +roll +rolled +roller +rolling +rolls +rom +roman +romance +romania +romantic +rome +ron +ronald +roof +room +roommate +roommates +rooms +root +roots +rope +rosa +rose +roses +ross +roster +rotary +rotation +rouge +rough +roughly +roulette +round +rounds +route +router +routers +routes +routine +routines +routing +rover +row +rows +roy +royal +royalty +rp +rpg +rpm +rr +rrp +rs +rss +rt +ru +rubber +ruby +rug +rugby +rugs +rule +ruled +rules +ruling +run +runner +running +runs +runtime +rural +rush +russell +russia +russian +ruth +rv +rw +rwanda +rx +ryan +s +sa +sacramento +sacred +sacrifice +sad +saddam +safari +safe +safely +safer +safety +sage +sagem +said +sail +sailing +saint +saints +sake +salad +salaries +salary +sale +salem +sales +sally +salmon +salon +salt +salvador +salvation +sam +samba +same +samoa +sample +samples +sampling +samsung +samuel +san +sand +sandra +sandwich +sandy +sans +santa +sanyo +sao +sap +sapphire +sara +sarah +sas +saskatchewan +sat +satellite +satin +satisfaction +satisfactory +satisfied +satisfy +saturday +saturn +sauce +saudi +savage +savannah +save +saved +saver +saves +saving +savings +saw +say +saying +says +sb +sbjct +sc +scale +scales +scan +scanned +scanner +scanners +scanning +scary +scenario +scenarios +scene +scenes +scenic +schedule +scheduled +schedules +scheduling +schema +scheme +schemes +scholar +scholars +scholarship +scholarships +school +schools +sci +science +sciences +scientific +scientist +scientists +scoop +scope +score +scored +scores +scoring +scotia +scotland +scott +scottish +scout +scratch +screen +screening +screens +screensaver +screensavers +screenshot +screenshots +screw +script +scripting +scripts +scroll +scsi +scuba +sculpture +sd +se +sea +seafood +seal +sealed +sean +search +searchcom +searched +searches +searching +seas +season +seasonal +seasons +seat +seating +seats +seattle +sec +second +secondary +seconds +secret +secretariat +secretary +secrets +section +sections +sector +sectors +secure +secured +securely +securities +security +see +seed +seeds +seeing +seek +seeker +seekers +seeking +seeks +seem +seemed +seems +seen +sees +sega +segment +segments +select +selected +selecting +selection +selections +selective +self +sell +seller +sellers +selling +sells +semester +semi +semiconductor +seminar +seminars +sen +senate +senator +senators +send +sender +sending +sends +senegal +senior +seniors +sense +sensitive +sensitivity +sensor +sensors +sent +sentence +sentences +seo +sep +separate +separated +separately +separation +sept +september +seq +sequence +sequences +ser +serbia +serial +series +serious +seriously +serum +serve +served +server +servers +serves +service +services +serving +session +sessions +set +sets +setting +settings +settle +settled +settlement +setup +seven +seventh +several +severe +sewing +sex +sexcam +sexo +sexual +sexuality +sexually +sexy +sf +sg +sh +shade +shades +shadow +shadows +shaft +shake +shakespeare +shakira +shall +shame +shanghai +shannon +shape +shaped +shapes +share +shared +shareholders +shares +shareware +sharing +shark +sharon +sharp +shaved +shaw +she +shed +sheep +sheer +sheet +sheets +sheffield +shelf +shell +shelter +shemale +shemales +shepherd +sheriff +sherman +shield +shift +shine +ship +shipment +shipments +shipped +shipping +ships +shirt +shirts +shit +shock +shoe +shoes +shoot +shooting +shop +shopper +shoppercom +shoppers +shopping +shoppingcom +shops +shopzilla +shore +short +shortcuts +shorter +shortly +shorts +shot +shots +should +shoulder +show +showcase +showed +shower +showers +showing +shown +shows +showtimes +shut +shuttle +si +sic +sick +side +sides +sie +siemens +sierra +sig +sight +sigma +sign +signal +signals +signature +signatures +signed +significance +significant +significantly +signing +signs +signup +silence +silent +silicon +silk +silly +silver +sim +similar +similarly +simon +simple +simplified +simply +simpson +simpsons +sims +simulation +simulations +simultaneously +sin +since +sing +singapore +singer +singh +singing +single +singles +sink +sip +sir +sister +sisters +sit +site +sitemap +sites +sitting +situated +situation +situations +six +sixth +size +sized +sizes +sk +skating +ski +skiing +skill +skilled +skills +skin +skins +skip +skirt +skirts +sku +sky +skype +sl +slave +sleep +sleeping +sleeps +sleeve +slide +slides +slideshow +slight +slightly +slim +slip +slope +slot +slots +slovak +slovakia +slovenia +slow +slowly +slut +sluts +sm +small +smaller +smart +smell +smile +smilies +smith +smithsonian +smoke +smoking +smooth +sms +smtp +sn +snake +snap +snapshot +snow +snowboard +so +soa +soap +soc +soccer +social +societies +society +sociology +socket +socks +sodium +sofa +soft +softball +software +soil +sol +solar +solaris +sold +soldier +soldiers +sole +solely +solid +solo +solomon +solution +solutions +solve +solved +solving +soma +somalia +some +somebody +somehow +someone +somerset +something +sometimes +somewhat +somewhere +son +song +songs +sonic +sons +sony +soon +soonest +sophisticated +sorry +sort +sorted +sorts +sought +soul +souls +sound +sounds +soundtrack +soup +source +sources +south +southampton +southeast +southern +southwest +soviet +sox +sp +spa +space +spaces +spain +spam +span +spanish +spank +spanking +sparc +spare +spas +spatial +speak +speaker +speakers +speaking +speaks +spears +spec +special +specialist +specialists +specialized +specializing +specially +specials +specialties +specialty +species +specific +specifically +specification +specifications +specifics +specified +specifies +specify +specs +spectacular +spectrum +speech +speeches +speed +speeds +spell +spelling +spencer +spend +spending +spent +sperm +sphere +spice +spider +spies +spin +spine +spirit +spirits +spiritual +spirituality +split +spoke +spoken +spokesman +sponsor +sponsored +sponsors +sponsorship +sport +sporting +sports +spot +spotlight +spots +spouse +spray +spread +spreading +spring +springer +springfield +springs +sprint +spy +spyware +sq +sql +squad +square +squirt +squirting +sr +src +sri +ss +ssl +st +stability +stable +stack +stadium +staff +staffing +stage +stages +stainless +stakeholders +stamp +stamps +stan +stand +standard +standards +standing +standings +stands +stanford +stanley +star +starring +stars +starsmerchant +start +started +starter +starting +starts +startup +stat +state +stated +statement +statements +states +statewide +static +stating +station +stationery +stations +statistical +statistics +stats +status +statute +statutes +statutory +stay +stayed +staying +stays +std +ste +steady +steal +steam +steel +steering +stem +step +stephanie +stephen +steps +stereo +sterling +steve +steven +stevens +stewart +stick +sticker +stickers +sticks +sticky +still +stock +stockholm +stockings +stocks +stolen +stomach +stone +stones +stood +stop +stopped +stopping +stops +storage +store +stored +stores +stories +storm +story +str +straight +strain +strand +strange +stranger +strap +strategic +strategies +strategy +stream +streaming +streams +street +streets +strength +strengthen +strengthening +strengths +stress +stretch +strict +strictly +strike +strikes +striking +string +strings +strip +stripes +strips +stroke +strong +stronger +strongly +struck +struct +structural +structure +structured +structures +struggle +stuart +stuck +stud +student +students +studied +studies +studio +studios +study +studying +stuff +stuffed +stunning +stupid +style +styles +stylish +stylus +su +sub +subaru +subcommittee +subdivision +subject +subjects +sublime +sublimedirectory +submission +submissions +submit +submitted +submitting +subscribe +subscriber +subscribers +subscription +subscriptions +subsection +subsequent +subsequently +subsidiaries +subsidiary +substance +substances +substantial +substantially +substitute +subtle +suburban +succeed +success +successful +successfully +such +suck +sucking +sucks +sudan +sudden +suddenly +sue +suffer +suffered +suffering +sufficient +sufficiently +sugar +suggest +suggested +suggesting +suggestion +suggestions +suggests +suicide +suit +suitable +suite +suited +suites +suits +sullivan +sum +summaries +summary +summer +summit +sun +sunday +sunglasses +sunny +sunrise +sunset +sunshine +super +superb +superintendent +superior +supervision +supervisor +supervisors +supplement +supplemental +supplements +supplied +supplier +suppliers +supplies +supply +support +supported +supporters +supporting +supports +suppose +supposed +supreme +sur +sure +surely +surf +surface +surfaces +surfing +surge +surgeon +surgeons +surgery +surgical +surname +surplus +surprise +surprised +surprising +surrey +surround +surrounded +surrounding +surveillance +survey +surveys +survival +survive +survivor +survivors +susan +suse +suspect +suspected +suspended +suspension +sussex +sustainability +sustainable +sustained +suzuki +sv +sw +swap +sweden +swedish +sweet +swift +swim +swimming +swing +swingers +swiss +switch +switched +switches +switching +switzerland +sword +sydney +symantec +symbol +symbols +sympathy +symphony +symposium +symptoms +sync +syndicate +syndication +syndrome +synopsis +syntax +synthesis +synthetic +syracuse +syria +sys +system +systematic +systems +t +ta +tab +table +tables +tablet +tablets +tabs +tackle +tactics +tag +tagged +tags +tahoe +tail +taiwan +take +taken +takes +taking +tale +talent +talented +tales +talk +talked +talking +talks +tall +tamil +tampa +tan +tank +tanks +tanzania +tap +tape +tapes +tar +target +targeted +targets +tariff +task +tasks +taste +tattoo +taught +tax +taxation +taxes +taxi +taylor +tb +tba +tc +tcp +td +te +tea +teach +teacher +teachers +teaches +teaching +team +teams +tear +tears +tech +technical +technician +technique +techniques +techno +technological +technologies +technology +techrepublic +ted +teddy +tee +teen +teenage +teens +teeth +tel +telecharger +telecom +telecommunications +telephone +telephony +telescope +television +televisions +tell +telling +tells +temp +temperature +temperatures +template +templates +temple +temporal +temporarily +temporary +ten +tenant +tend +tender +tennessee +tennis +tension +tent +term +terminal +terminals +termination +terminology +terms +terrace +terrain +terrible +territories +territory +terror +terrorism +terrorist +terrorists +terry +test +testament +tested +testimonials +testimony +testing +tests +tex +texas +text +textbook +textbooks +textile +textiles +texts +texture +tf +tft +tgp +th +thai +thailand +than +thank +thanks +thanksgiving +that +thats +the +theater +theaters +theatre +thee +theft +thehun +their +them +theme +themes +themselves +then +theology +theorem +theoretical +theories +theory +therapeutic +therapist +therapy +there +thereafter +thereby +therefore +thereof +thermal +thesaurus +these +thesis +they +thick +thickness +thin +thing +things +think +thinking +thinkpad +thinks +third +thirty +this +thomas +thompson +thomson +thong +thongs +thorough +thoroughly +those +thou +though +thought +thoughts +thousand +thousands +thread +threaded +threads +threat +threatened +threatening +threats +three +threesome +threshold +thriller +throat +through +throughout +throw +throwing +thrown +throws +thru +thu +thumb +thumbnail +thumbnails +thumbs +thumbzilla +thunder +thursday +thus +thy +ti +ticket +tickets +tide +tie +tied +tier +ties +tiffany +tiger +tigers +tight +til +tile +tiles +till +tim +timber +time +timeline +timely +timer +times +timing +timothy +tin +tiny +tion +tions +tip +tips +tire +tired +tires +tissue +tit +titanium +titans +title +titled +titles +tits +titten +tm +tmp +tn +to +tobacco +tobago +today +todd +toddler +toe +together +toilet +token +tokyo +told +tolerance +toll +tom +tomato +tomatoes +tommy +tomorrow +ton +tone +toner +tones +tongue +tonight +tons +tony +too +took +tool +toolbar +toolbox +toolkit +tools +tooth +top +topic +topics +topless +tops +toronto +torture +toshiba +total +totally +totals +touch +touched +tough +tour +touring +tourism +tourist +tournament +tournaments +tours +toward +towards +tower +towers +town +towns +township +toxic +toy +toyota +toys +tp +tr +trace +track +trackback +trackbacks +tracked +tracker +tracking +tracks +tract +tractor +tracy +trade +trademark +trademarks +trader +trades +trading +tradition +traditional +traditions +traffic +tragedy +trail +trailer +trailers +trails +train +trained +trainer +trainers +training +trains +tramadol +trance +tranny +trans +transaction +transactions +transcript +transcription +transcripts +transexual +transexuales +transfer +transferred +transfers +transform +transformation +transit +transition +translate +translated +translation +translations +translator +transmission +transmit +transmitted +transparency +transparent +transport +transportation +transsexual +trap +trash +trauma +travel +traveler +travelers +traveling +traveller +travelling +travels +travesti +travis +tray +treasure +treasurer +treasures +treasury +treat +treated +treating +treatment +treatments +treaty +tree +trees +trek +trembl +tremendous +trend +trends +treo +tri +trial +trials +triangle +tribal +tribe +tribes +tribunal +tribune +tribute +trick +tricks +tried +tries +trigger +trim +trinidad +trinity +trio +trip +tripadvisor +triple +trips +triumph +trivia +troops +tropical +trouble +troubleshooting +trout +troy +truck +trucks +true +truly +trunk +trust +trusted +trustee +trustees +trusts +truth +try +trying +ts +tsunami +tt +tu +tub +tube +tubes +tucson +tue +tuesday +tuition +tulsa +tumor +tune +tuner +tunes +tuning +tunisia +tunnel +turbo +turkey +turkish +turn +turned +turner +turning +turns +turtle +tutorial +tutorials +tv +tvcom +tvs +twelve +twenty +twice +twiki +twin +twinks +twins +twist +twisted +two +tx +ty +tyler +type +types +typical +typically +typing +u +uc +uganda +ugly +uh +ui +uk +ukraine +ul +ultimate +ultimately +ultra +ultram +um +un +una +unable +unauthorized +unavailable +uncertainty +uncle +und +undefined +under +undergraduate +underground +underlying +understand +understanding +understood +undertake +undertaken +underwear +undo +une +unemployment +unexpected +unfortunately +uni +unified +uniform +union +unions +uniprotkb +unique +unit +united +units +unity +univ +universal +universe +universities +university +unix +unknown +unless +unlike +unlikely +unlimited +unlock +unnecessary +unsigned +unsubscribe +until +untitled +unto +unusual +unwrap +up +upc +upcoming +update +updated +updates +updating +upgrade +upgrades +upgrading +upload +uploaded +upon +upper +ups +upset +upskirt +upskirts +ur +urban +urge +urgent +uri +url +urls +uruguay +urw +us +usa +usage +usb +usc +usd +usda +use +used +useful +user +username +users +uses +usgs +using +usps +usr +usual +usually +ut +utah +utc +utilities +utility +utilization +utilize +utils +uv +uw +uzbekistan +v +va +vacancies +vacation +vacations +vaccine +vacuum +vagina +val +valentine +valid +validation +validity +valium +valley +valuable +valuation +value +valued +values +valve +valves +vampire +van +vancouver +vanilla +var +variable +variables +variance +variation +variations +varied +varies +variety +various +vary +varying +vast +vat +vatican +vault +vb +vbulletin +vc +vcr +ve +vector +vegas +vegetable +vegetables +vegetarian +vegetation +vehicle +vehicles +velocity +velvet +vendor +vendors +venezuela +venice +venture +ventures +venue +venues +ver +verbal +verde +verification +verified +verify +verizon +vermont +vernon +verse +version +versions +versus +vertex +vertical +very +verzeichnis +vessel +vessels +veteran +veterans +veterinary +vg +vhs +vi +via +viagra +vibrator +vibrators +vic +vice +victim +victims +victor +victoria +victorian +victory +vid +video +videos +vids +vienna +vietnam +vietnamese +view +viewed +viewer +viewers +viewing +viewpicture +views +vii +viii +viking +villa +village +villages +villas +vincent +vintage +vinyl +violation +violations +violence +violent +violin +vip +viral +virgin +virginia +virtual +virtually +virtue +virus +viruses +visa +visibility +visible +vision +visit +visited +visiting +visitor +visitors +visits +vista +visual +vital +vitamin +vitamins +vocabulary +vocal +vocals +vocational +voice +voices +void +voip +vol +volkswagen +volleyball +volt +voltage +volume +volumes +voluntary +volunteer +volunteers +volvo +von +vote +voted +voters +votes +voting +voyeur +voyeurweb +voyuer +vp +vpn +vs +vsnet +vt +vulnerability +vulnerable +w +wa +wage +wages +wagner +wagon +wait +waiting +waiver +wake +wal +wales +walk +walked +walker +walking +walks +wall +wallace +wallet +wallpaper +wallpapers +walls +walnut +walt +walter +wan +wang +wanna +want +wanted +wanting +wants +war +warcraft +ward +ware +warehouse +warm +warming +warned +warner +warning +warnings +warrant +warranties +warranty +warren +warrior +warriors +wars +was +wash +washer +washing +washington +waste +watch +watched +watches +watching +water +waterproof +waters +watershed +watson +watt +watts +wav +wave +waves +wax +way +wayne +ways +wb +wc +we +weak +wealth +weapon +weapons +wear +wearing +weather +web +webcam +webcams +webcast +weblog +weblogs +webmaster +webmasters +webpage +webshots +website +websites +webster +wed +wedding +weddings +wednesday +weed +week +weekend +weekends +weekly +weeks +weight +weighted +weights +weird +welcome +welding +welfare +well +wellington +wellness +wells +welsh +wendy +went +were +wesley +west +western +westminster +wet +whale +what +whatever +whats +wheat +wheel +wheels +when +whenever +where +whereas +wherever +whether +which +while +whilst +white +who +whole +wholesale +whom +whore +whose +why +wi +wichita +wicked +wide +widely +wider +widescreen +widespread +width +wife +wifi +wiki +wikipedia +wild +wilderness +wildlife +wiley +will +william +williams +willing +willow +wilson +win +wind +window +windows +winds +windsor +wine +wines +wing +wings +winner +winners +winning +wins +winston +winter +wire +wired +wireless +wires +wiring +wisconsin +wisdom +wise +wish +wishes +wishlist +wit +witch +with +withdrawal +within +without +witness +witnesses +wives +wizard +wm +wma +wn +wolf +woman +women +womens +won +wonder +wonderful +wondering +wood +wooden +woods +wool +worcester +word +wordpress +words +work +worked +worker +workers +workflow +workforce +working +workout +workplace +works +workshop +workshops +workstation +world +worldcat +worlds +worldsex +worldwide +worm +worn +worried +worry +worse +worship +worst +worth +worthy +would +wound +wow +wp +wr +wrap +wrapped +wrapping +wrestling +wright +wrist +write +writer +writers +writes +writing +writings +written +wrong +wrote +ws +wt +wto +wu +wv +ww +www +wx +wy +wyoming +x +xanax +xbox +xerox +xhtml +xi +xl +xml +xnxx +xp +xx +xxx +y +ya +yacht +yahoo +yale +yamaha +yang +yard +yards +yarn +ye +yea +yeah +year +yearly +years +yeast +yellow +yemen +yen +yes +yesterday +yet +yield +yields +yn +yo +yoga +york +yorkshire +you +young +younger +your +yours +yourself +youth +yr +yrs +yu +yugoslavia +yukon +z +za +zambia +zdnet +zealand +zen +zero +zimbabwe +zinc +zip +zoloft +zone +zones +zoning +zoo +zoom +zoophilia +zope +zshops +zu +zum +zus \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/large_words.txt b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/large_words.txt new file mode 100755 index 00000000..5a8ba77e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/large_words.txt @@ -0,0 +1,370103 @@ +a +aa +aaa +aah +aahed +aahing +aahs +aal +aalii +aaliis +aals +aam +aani +aardvark +aardvarks +aardwolf +aardwolves +aargh +aaron +aaronic +aaronical +aaronite +aaronitic +aarrgh +aarrghh +aaru +aas +aasvogel +aasvogels +ab +aba +ababdeh +ababua +abac +abaca +abacay +abacas +abacate +abacaxi +abaci +abacinate +abacination +abacisci +abaciscus +abacist +aback +abacli +abacot +abacterial +abactinal +abactinally +abaction +abactor +abaculi +abaculus +abacus +abacuses +abada +abaddon +abadejo +abadengo +abadia +abadite +abaff +abaft +abay +abayah +abaisance +abaised +abaiser +abaisse +abaissed +abaka +abakas +abalation +abalienate +abalienated +abalienating +abalienation +abalone +abalones +abama +abamp +abampere +abamperes +abamps +aband +abandon +abandonable +abandoned +abandonedly +abandonee +abandoner +abandoners +abandoning +abandonment +abandonments +abandons +abandum +abanet +abanga +abanic +abannition +abantes +abapical +abaptiston +abaptistum +abarambo +abaris +abarthrosis +abarticular +abarticulation +abas +abase +abased +abasedly +abasedness +abasement +abasements +abaser +abasers +abases +abasgi +abash +abashed +abashedly +abashedness +abashes +abashing +abashless +abashlessly +abashment +abashments +abasia +abasias +abasic +abasing +abasio +abask +abassi +abassin +abastard +abastardize +abastral +abatable +abatage +abate +abated +abatement +abatements +abater +abaters +abates +abatic +abating +abatis +abatised +abatises +abatjour +abatjours +abaton +abator +abators +abattage +abattis +abattised +abattises +abattoir +abattoirs +abattu +abattue +abatua +abature +abaue +abave +abaxial +abaxile +abaze +abb +abba +abbacy +abbacies +abbacomes +abbadide +abbaye +abbandono +abbas +abbasi +abbasid +abbassi +abbasside +abbate +abbatial +abbatical +abbatie +abbe +abbey +abbeys +abbeystead +abbeystede +abbes +abbess +abbesses +abbest +abbevillian +abby +abbie +abboccato +abbogada +abbot +abbotcy +abbotcies +abbotnullius +abbotric +abbots +abbotship +abbotships +abbott +abbozzo +abbr +abbrev +abbreviatable +abbreviate +abbreviated +abbreviately +abbreviates +abbreviating +abbreviation +abbreviations +abbreviator +abbreviatory +abbreviators +abbreviature +abbroachment +abc +abcess +abcissa +abcoulomb +abd +abdal +abdali +abdaria +abdat +abderian +abderite +abdest +abdicable +abdicant +abdicate +abdicated +abdicates +abdicating +abdication +abdications +abdicative +abdicator +abdiel +abditive +abditory +abdom +abdomen +abdomens +abdomina +abdominal +abdominales +abdominalia +abdominalian +abdominally +abdominals +abdominoanterior +abdominocardiac +abdominocentesis +abdominocystic +abdominogenital +abdominohysterectomy +abdominohysterotomy +abdominoposterior +abdominoscope +abdominoscopy +abdominothoracic +abdominous +abdominovaginal +abdominovesical +abduce +abduced +abducens +abducent +abducentes +abduces +abducing +abduct +abducted +abducting +abduction +abductions +abductor +abductores +abductors +abducts +abe +abeam +abear +abearance +abecedaire +abecedary +abecedaria +abecedarian +abecedarians +abecedaries +abecedarium +abecedarius +abed +abede +abedge +abegge +abey +abeyance +abeyances +abeyancy +abeyancies +abeyant +abeigh +abel +abele +abeles +abelia +abelian +abelicea +abelite +abelmoschus +abelmosk +abelmosks +abelmusk +abelonian +abeltree +abencerrages +abend +abends +abenteric +abepithymia +aberdavine +aberdeen +aberdevine +aberdonian +aberduvine +aberia +abernethy +aberr +aberrance +aberrancy +aberrancies +aberrant +aberrantly +aberrants +aberrate +aberrated +aberrating +aberration +aberrational +aberrations +aberrative +aberrator +aberrometer +aberroscope +aberuncate +aberuncator +abesse +abessive +abet +abetment +abetments +abets +abettal +abettals +abetted +abetter +abetters +abetting +abettor +abettors +abevacuation +abfarad +abfarads +abhenry +abhenries +abhenrys +abhinaya +abhiseka +abhominable +abhor +abhorred +abhorrence +abhorrences +abhorrency +abhorrent +abhorrently +abhorrer +abhorrers +abhorrible +abhorring +abhors +abhorson +aby +abib +abichite +abidal +abidance +abidances +abidden +abide +abided +abider +abiders +abides +abidi +abiding +abidingly +abidingness +abie +abye +abiegh +abience +abient +abies +abyes +abietate +abietene +abietic +abietin +abietineae +abietineous +abietinic +abietite +abiezer +abigail +abigails +abigailship +abigeat +abigei +abigeus +abying +abilao +abilene +abiliment +abilitable +ability +abilities +abilla +abilo +abime +abintestate +abiogeneses +abiogenesis +abiogenesist +abiogenetic +abiogenetical +abiogenetically +abiogeny +abiogenist +abiogenous +abiology +abiological +abiologically +abioses +abiosis +abiotic +abiotical +abiotically +abiotrophy +abiotrophic +abipon +abir +abirritant +abirritate +abirritated +abirritating +abirritation +abirritative +abys +abysm +abysmal +abysmally +abysms +abyss +abyssa +abyssal +abysses +abyssinia +abyssinian +abyssinians +abyssobenthonic +abyssolith +abyssopelagic +abyssus +abiston +abit +abitibi +abiuret +abject +abjectedness +abjection +abjections +abjective +abjectly +abjectness +abjoint +abjudge +abjudged +abjudging +abjudicate +abjudicated +abjudicating +abjudication +abjudicator +abjugate +abjunct +abjunction +abjunctive +abjuration +abjurations +abjuratory +abjure +abjured +abjurement +abjurer +abjurers +abjures +abjuring +abkar +abkari +abkary +abkhas +abkhasian +abl +ablach +ablactate +ablactated +ablactating +ablactation +ablaqueate +ablare +ablastemic +ablastin +ablastous +ablate +ablated +ablates +ablating +ablation +ablations +ablatitious +ablatival +ablative +ablatively +ablatives +ablator +ablaut +ablauts +ablaze +able +ableeze +ablegate +ablegates +ablegation +ablend +ableness +ablepharia +ablepharon +ablepharous +ablepharus +ablepsy +ablepsia +ableptical +ableptically +abler +ables +ablesse +ablest +ablet +ablewhackets +ably +ablings +ablins +ablock +abloom +ablow +ablude +abluent +abluents +ablush +ablute +abluted +ablution +ablutionary +ablutions +abluvion +abmho +abmhos +abmodality +abmodalities +abn +abnaki +abnegate +abnegated +abnegates +abnegating +abnegation +abnegations +abnegative +abnegator +abnegators +abner +abnerval +abnet +abneural +abnormal +abnormalcy +abnormalcies +abnormalise +abnormalised +abnormalising +abnormalism +abnormalist +abnormality +abnormalities +abnormalize +abnormalized +abnormalizing +abnormally +abnormalness +abnormals +abnormity +abnormities +abnormous +abnumerable +abo +aboard +aboardage +abobra +abococket +abodah +abode +aboded +abodement +abodes +abody +aboding +abogado +abogados +abohm +abohms +aboideau +aboideaus +aboideaux +aboil +aboiteau +aboiteaus +aboiteaux +abolete +abolish +abolishable +abolished +abolisher +abolishers +abolishes +abolishing +abolishment +abolishments +abolition +abolitionary +abolitionise +abolitionised +abolitionising +abolitionism +abolitionist +abolitionists +abolitionize +abolitionized +abolitionizing +abolla +abollae +aboma +abomas +abomasa +abomasal +abomasi +abomasum +abomasus +abomasusi +abominability +abominable +abominableness +abominably +abominate +abominated +abominates +abominating +abomination +abominations +abominator +abominators +abomine +abondance +abongo +abonne +abonnement +aboon +aborad +aboral +aborally +abord +aboriginal +aboriginality +aboriginally +aboriginals +aboriginary +aborigine +aborigines +aborning +aborsement +aborsive +abort +aborted +aborter +aborters +aborticide +abortient +abortifacient +abortin +aborting +abortion +abortional +abortionist +abortionists +abortions +abortive +abortively +abortiveness +abortogenic +aborts +abortus +abortuses +abos +abote +abouchement +aboudikro +abought +aboulia +aboulias +aboulic +abound +abounded +abounder +abounding +aboundingly +abounds +about +abouts +above +aboveboard +abovedeck +aboveground +abovementioned +aboveproof +aboves +abovesaid +abovestairs +abow +abox +abp +abr +abracadabra +abrachia +abrachias +abradable +abradant +abradants +abrade +abraded +abrader +abraders +abrades +abrading +abraham +abrahamic +abrahamidae +abrahamite +abrahamitic +abray +abraid +abram +abramis +abranchial +abranchialism +abranchian +abranchiata +abranchiate +abranchious +abrasax +abrase +abrased +abraser +abrash +abrasing +abrasiometer +abrasion +abrasions +abrasive +abrasively +abrasiveness +abrasives +abrastol +abraum +abraxas +abrazite +abrazitic +abrazo +abrazos +abreact +abreacted +abreacting +abreaction +abreactions +abreacts +abreast +abreed +abrege +abreid +abrenounce +abrenunciate +abrenunciation +abreption +abret +abreuvoir +abri +abrico +abricock +abricot +abridgable +abridge +abridgeable +abridged +abridgedly +abridgement +abridgements +abridger +abridgers +abridges +abridging +abridgment +abridgments +abrim +abrin +abrine +abris +abristle +abroach +abroad +abrocoma +abrocome +abrogable +abrogate +abrogated +abrogates +abrogating +abrogation +abrogations +abrogative +abrogator +abrogators +abroma +abronia +abrood +abrook +abrosia +abrosias +abrotanum +abrotin +abrotine +abrupt +abruptedly +abrupter +abruptest +abruptio +abruption +abruptiones +abruptly +abruptness +abrus +abs +absalom +absampere +absaroka +absarokite +abscam +abscess +abscessed +abscesses +abscessing +abscession +abscessroot +abscind +abscise +abscised +abscises +abscising +abscisins +abscision +absciss +abscissa +abscissae +abscissas +abscisse +abscissin +abscission +abscissions +absconce +abscond +absconded +abscondedly +abscondence +absconder +absconders +absconding +absconds +absconsa +abscoulomb +abscound +absee +absey +abseil +abseiled +abseiling +abseils +absence +absences +absent +absentation +absented +absentee +absenteeism +absentees +absenteeship +absenter +absenters +absentia +absenting +absently +absentment +absentminded +absentmindedly +absentmindedness +absentness +absents +absfarad +abshenry +absi +absinth +absinthe +absinthes +absinthial +absinthian +absinthiate +absinthiated +absinthiating +absinthic +absinthiin +absinthin +absinthine +absinthism +absinthismic +absinthium +absinthol +absinthole +absinths +absyrtus +absis +absist +absistos +absit +absmho +absohm +absoil +absolent +absolute +absolutely +absoluteness +absoluter +absolutes +absolutest +absolution +absolutions +absolutism +absolutist +absolutista +absolutistic +absolutistically +absolutists +absolutive +absolutization +absolutize +absolutory +absolvable +absolvatory +absolve +absolved +absolvent +absolver +absolvers +absolves +absolving +absolvitor +absolvitory +absonant +absonous +absorb +absorbability +absorbable +absorbance +absorbancy +absorbant +absorbed +absorbedly +absorbedness +absorbefacient +absorbency +absorbencies +absorbent +absorbents +absorber +absorbers +absorbing +absorbingly +absorbition +absorbs +absorbtion +absorpt +absorptance +absorptiometer +absorptiometric +absorption +absorptional +absorptions +absorptive +absorptively +absorptiveness +absorptivity +absquatulate +absquatulation +abstain +abstained +abstainer +abstainers +abstaining +abstainment +abstains +abstemious +abstemiously +abstemiousness +abstention +abstentionism +abstentionist +abstentions +abstentious +absterge +absterged +abstergent +absterges +absterging +absterse +abstersion +abstersive +abstersiveness +abstertion +abstinence +abstinency +abstinent +abstinential +abstinently +abstort +abstr +abstract +abstractable +abstracted +abstractedly +abstractedness +abstracter +abstracters +abstractest +abstracting +abstraction +abstractional +abstractionism +abstractionist +abstractionists +abstractions +abstractitious +abstractive +abstractively +abstractiveness +abstractly +abstractness +abstractor +abstractors +abstracts +abstrahent +abstrict +abstricted +abstricting +abstriction +abstricts +abstrude +abstruse +abstrusely +abstruseness +abstrusenesses +abstruser +abstrusest +abstrusion +abstrusity +abstrusities +absume +absumption +absurd +absurder +absurdest +absurdism +absurdist +absurdity +absurdities +absurdly +absurdness +absurds +absurdum +absvolt +abt +abterminal +abthain +abthainry +abthainrie +abthanage +abtruse +abu +abubble +abucco +abuilding +abuleia +abulia +abulias +abulic +abulyeit +abulomania +abumbral +abumbrellar +abuna +abundance +abundances +abundancy +abundant +abundantia +abundantly +abune +abura +aburabozu +aburagiri +aburban +aburst +aburton +abusable +abusage +abuse +abused +abusedly +abusee +abuseful +abusefully +abusefulness +abuser +abusers +abuses +abush +abusing +abusion +abusious +abusive +abusively +abusiveness +abut +abuta +abutilon +abutilons +abutment +abutments +abuts +abuttal +abuttals +abutted +abutter +abutters +abutting +abuzz +abv +abvolt +abvolts +abwab +abwatt +abwatts +ac +acacatechin +acacatechol +acacetin +acacia +acacian +acacias +acaciin +acacin +acacine +acad +academe +academes +academy +academia +academial +academian +academias +academic +academical +academically +academicals +academician +academicians +academicianship +academicism +academics +academie +academies +academise +academised +academising +academism +academist +academite +academization +academize +academized +academizing +academus +acadia +acadialite +acadian +acadie +acaena +acajou +acajous +acalculia +acale +acaleph +acalepha +acalephae +acalephan +acalephe +acalephes +acalephoid +acalephs +acalycal +acalycine +acalycinous +acalyculate +acalypha +acalypterae +acalyptrata +acalyptratae +acalyptrate +acamar +acampsia +acana +acanaceous +acanonical +acanth +acantha +acanthaceae +acanthaceous +acanthad +acantharia +acanthi +acanthia +acanthial +acanthin +acanthine +acanthion +acanthite +acanthocarpous +acanthocephala +acanthocephalan +acanthocephali +acanthocephalous +acanthocereus +acanthocladous +acanthodea +acanthodean +acanthodei +acanthodes +acanthodian +acanthodidae +acanthodii +acanthodini +acanthoid +acantholimon +acantholysis +acanthology +acanthological +acanthoma +acanthomas +acanthomeridae +acanthon +acanthopanax +acanthophis +acanthophorous +acanthopod +acanthopodous +acanthopomatous +acanthopore +acanthopteran +acanthopteri +acanthopterygian +acanthopterygii +acanthopterous +acanthoses +acanthosis +acanthotic +acanthous +acanthuridae +acanthurus +acanthus +acanthuses +acanthuthi +acapnia +acapnial +acapnias +acappella +acapsular +acapu +acapulco +acara +acarapis +acarari +acardia +acardiac +acardite +acari +acarian +acariasis +acariatre +acaricidal +acaricide +acarid +acarida +acaridae +acaridan +acaridans +acaridea +acaridean +acaridomatia +acaridomatium +acarids +acariform +acarina +acarine +acarines +acarinosis +acarocecidia +acarocecidium +acarodermatitis +acaroid +acarol +acarology +acarologist +acarophilous +acarophobia +acarotoxic +acarpellous +acarpelous +acarpous +acarus +acast +acastus +acatalectic +acatalepsy +acatalepsia +acataleptic +acatallactic +acatamathesia +acataphasia +acataposis +acatastasia +acatastatic +acate +acategorical +acater +acatery +acates +acatharsy +acatharsia +acatholic +acaudal +acaudate +acaudelescent +acaulescence +acaulescent +acauline +acaulose +acaulous +acc +acca +accable +accademia +accadian +acce +accede +acceded +accedence +acceder +acceders +accedes +acceding +accel +accelerable +accelerando +accelerant +accelerate +accelerated +acceleratedly +accelerates +accelerating +acceleratingly +acceleration +accelerations +accelerative +accelerator +acceleratory +accelerators +accelerograph +accelerometer +accelerometers +accend +accendibility +accendible +accensed +accension +accensor +accent +accented +accenting +accentless +accentor +accentors +accents +accentuable +accentual +accentuality +accentually +accentuate +accentuated +accentuates +accentuating +accentuation +accentuator +accentus +accept +acceptability +acceptable +acceptableness +acceptably +acceptance +acceptances +acceptancy +acceptancies +acceptant +acceptation +acceptavit +accepted +acceptedly +acceptee +acceptees +accepter +accepters +acceptilate +acceptilated +acceptilating +acceptilation +accepting +acceptingly +acceptingness +acception +acceptive +acceptor +acceptors +acceptress +accepts +accerse +accersition +accersitor +access +accessability +accessable +accessary +accessaries +accessarily +accessariness +accessaryship +accessed +accesses +accessibility +accessible +accessibleness +accessibly +accessing +accession +accessional +accessioned +accessioner +accessioning +accessions +accessit +accessive +accessively +accessless +accessor +accessory +accessorial +accessories +accessorii +accessorily +accessoriness +accessorius +accessoriusorii +accessorize +accessorized +accessorizing +accessors +acciaccatura +acciaccaturas +acciaccature +accidence +accidency +accidencies +accident +accidental +accidentalism +accidentalist +accidentality +accidentally +accidentalness +accidentals +accidentary +accidentarily +accidented +accidential +accidentiality +accidently +accidents +accidia +accidie +accidies +accinge +accinged +accinging +accipenser +accipient +accipiter +accipitral +accipitrary +accipitres +accipitrine +accipter +accise +accismus +accite +acclaim +acclaimable +acclaimed +acclaimer +acclaimers +acclaiming +acclaims +acclamation +acclamations +acclamator +acclamatory +acclimatable +acclimatation +acclimate +acclimated +acclimatement +acclimates +acclimating +acclimation +acclimatisable +acclimatisation +acclimatise +acclimatised +acclimatiser +acclimatising +acclimatizable +acclimatization +acclimatize +acclimatized +acclimatizer +acclimatizes +acclimatizing +acclimature +acclinal +acclinate +acclivity +acclivities +acclivitous +acclivous +accloy +accoast +accoy +accoyed +accoying +accoil +accolade +accoladed +accolades +accolated +accolent +accoll +accolle +accolled +accollee +accombination +accommodable +accommodableness +accommodate +accommodated +accommodately +accommodateness +accommodates +accommodating +accommodatingly +accommodatingness +accommodation +accommodational +accommodationist +accommodations +accommodative +accommodatively +accommodativeness +accommodator +accommodators +accomodate +accompanable +accompany +accompanied +accompanier +accompanies +accompanying +accompanyist +accompaniment +accompanimental +accompaniments +accompanist +accompanists +accomplement +accompletive +accompli +accomplice +accomplices +accompliceship +accomplicity +accomplis +accomplish +accomplishable +accomplished +accomplisher +accomplishers +accomplishes +accomplishing +accomplishment +accomplishments +accomplisht +accompt +accord +accordable +accordance +accordances +accordancy +accordant +accordantly +accordatura +accordaturas +accordature +accorded +accorder +accorders +according +accordingly +accordion +accordionist +accordionists +accordions +accords +accorporate +accorporation +accost +accostable +accosted +accosting +accosts +accouche +accouchement +accouchements +accoucheur +accoucheurs +accoucheuse +accoucheuses +accounsel +account +accountability +accountable +accountableness +accountably +accountancy +accountant +accountants +accountantship +accounted +accounter +accounters +accounting +accountment +accountrement +accounts +accouple +accouplement +accourage +accourt +accouter +accoutered +accoutering +accouterment +accouterments +accouters +accoutre +accoutred +accoutrement +accoutrements +accoutres +accoutring +accra +accrease +accredit +accreditable +accreditate +accreditation +accreditations +accredited +accreditee +accrediting +accreditment +accredits +accrementitial +accrementition +accresce +accrescence +accrescendi +accrescendo +accrescent +accretal +accrete +accreted +accretes +accreting +accretion +accretionary +accretions +accretive +accriminate +accroach +accroached +accroaching +accroachment +accroides +accruable +accrual +accruals +accrue +accrued +accruement +accruer +accrues +accruing +acct +accts +accubation +accubita +accubitum +accubitus +accueil +accultural +acculturate +acculturated +acculturates +acculturating +acculturation +acculturational +acculturationist +acculturative +acculturize +acculturized +acculturizing +accum +accumb +accumbency +accumbent +accumber +accumulable +accumulate +accumulated +accumulates +accumulating +accumulation +accumulations +accumulativ +accumulative +accumulatively +accumulativeness +accumulator +accumulators +accupy +accur +accuracy +accuracies +accurate +accurately +accurateness +accurre +accurse +accursed +accursedly +accursedness +accursing +accurst +accurtation +accus +accusable +accusably +accusal +accusals +accusant +accusants +accusation +accusations +accusatival +accusative +accusatively +accusativeness +accusatives +accusator +accusatory +accusatorial +accusatorially +accusatrix +accusatrixes +accuse +accused +accuser +accusers +accuses +accusing +accusingly +accusive +accusor +accustom +accustomation +accustomed +accustomedly +accustomedness +accustoming +accustomize +accustomized +accustomizing +accustoms +ace +aceacenaphthene +aceanthrene +aceanthrenequinone +acecaffin +acecaffine +aceconitic +aced +acedy +acedia +acediamin +acediamine +acedias +acediast +aceite +aceituna +aceldama +aceldamas +acellular +acemetae +acemetic +acemila +acenaphthene +acenaphthenyl +acenaphthylene +acenesthesia +acensuada +acensuador +acentric +acentrous +aceology +aceologic +acephal +acephala +acephalan +acephali +acephalia +acephalina +acephaline +acephalism +acephalist +acephalite +acephalocyst +acephalous +acephalus +acepots +acequia +acequiador +acequias +acer +aceraceae +aceraceous +acerae +acerata +acerate +acerated +acerates +acerathere +aceratherium +aceratosis +acerb +acerbas +acerbate +acerbated +acerbates +acerbating +acerber +acerbest +acerbic +acerbically +acerbity +acerbityacerose +acerbities +acerbitude +acerbly +acerbophobia +acerdol +aceric +acerin +acerli +acerola +acerolas +acerose +acerous +acerra +acertannin +acerval +acervate +acervately +acervatim +acervation +acervative +acervose +acervuli +acervuline +acervulus +aces +acescence +acescency +acescent +acescents +aceship +acesodyne +acesodynous +acestes +acestoma +aceta +acetable +acetabula +acetabular +acetabularia +acetabuliferous +acetabuliform +acetabulous +acetabulum +acetabulums +acetacetic +acetal +acetaldehydase +acetaldehyde +acetaldehydrase +acetaldol +acetalization +acetalize +acetals +acetamid +acetamide +acetamidin +acetamidine +acetamido +acetamids +acetaminol +acetaminophen +acetanilid +acetanilide +acetanion +acetaniside +acetanisidide +acetanisidine +acetannin +acetary +acetarious +acetars +acetarsone +acetate +acetated +acetates +acetation +acetazolamide +acetbromamide +acetenyl +acethydrazide +acetiam +acetic +acetify +acetification +acetified +acetifier +acetifies +acetifying +acetyl +acetylacetonates +acetylacetone +acetylamine +acetylaminobenzene +acetylaniline +acetylasalicylic +acetylate +acetylated +acetylating +acetylation +acetylative +acetylator +acetylbenzene +acetylbenzoate +acetylbenzoic +acetylbiuret +acetylcarbazole +acetylcellulose +acetylcholine +acetylcholinesterase +acetylcholinic +acetylcyanide +acetylenation +acetylene +acetylenediurein +acetylenic +acetylenyl +acetylenogen +acetylfluoride +acetylglycin +acetylglycine +acetylhydrazine +acetylic +acetylid +acetylide +acetyliodide +acetylizable +acetylization +acetylize +acetylized +acetylizer +acetylizing +acetylmethylcarbinol +acetylperoxide +acetylphenylhydrazine +acetylphenol +acetylrosaniline +acetyls +acetylsalicylate +acetylsalicylic +acetylsalol +acetyltannin +acetylthymol +acetyltropeine +acetylurea +acetimeter +acetimetry +acetimetric +acetin +acetine +acetins +acetite +acetize +acetla +acetmethylanilide +acetnaphthalide +acetoacetanilide +acetoacetate +acetoacetic +acetoamidophenol +acetoarsenite +acetobacter +acetobenzoic +acetobromanilide +acetochloral +acetocinnamene +acetoin +acetol +acetolysis +acetolytic +acetometer +acetometry +acetometric +acetometrical +acetometrically +acetomorphin +acetomorphine +acetonaemia +acetonaemic +acetonaphthone +acetonate +acetonation +acetone +acetonemia +acetonemic +acetones +acetonic +acetonyl +acetonylacetone +acetonylidene +acetonitrile +acetonization +acetonize +acetonuria +acetonurometer +acetophenetide +acetophenetidin +acetophenetidine +acetophenin +acetophenine +acetophenone +acetopiperone +acetopyrin +acetopyrine +acetosalicylic +acetose +acetosity +acetosoluble +acetostearin +acetothienone +acetotoluid +acetotoluide +acetotoluidine +acetous +acetoveratrone +acetoxyl +acetoxyls +acetoxim +acetoxime +acetoxyphthalide +acetphenetid +acetphenetidin +acetract +acettoluide +acetum +aceturic +ach +achaean +achaemenian +achaemenid +achaemenidae +achaemenidian +achaenocarp +achaenodon +achaeta +achaetous +achafe +achage +achagua +achakzai +achalasia +achamoth +achango +achape +achaque +achar +acharya +achariaceae +achariaceous +acharne +acharnement +achate +achates +achatina +achatinella +achatinidae +achatour +ache +acheat +achech +acheck +ached +acheer +acheilary +acheilia +acheilous +acheiria +acheirous +acheirus +achen +achene +achenes +achenia +achenial +achenium +achenocarp +achenodia +achenodium +acher +achernar +acheron +acheronian +acherontic +acherontical +aches +achesoun +achete +achetidae +acheulean +acheweed +achy +achier +achiest +achievability +achievable +achieve +achieved +achievement +achievements +achiever +achievers +achieves +achieving +achigan +achilary +achylia +achill +achillea +achillean +achilleas +achilleid +achillein +achilleine +achilles +achillize +achillobursitis +achillodynia +achilous +achylous +achime +achimenes +achymia +achymous +achinese +achiness +achinesses +aching +achingly +achiote +achiotes +achira +achyranthes +achirite +achyrodes +achitophel +achkan +achlamydate +achlamydeae +achlamydeous +achlorhydria +achlorhydric +achlorophyllous +achloropsia +achluophobia +achmetha +achoke +acholia +acholias +acholic +acholoe +acholous +acholuria +acholuric +achomawi +achondrite +achondritic +achondroplasia +achondroplastic +achoo +achor +achordal +achordata +achordate +achorion +achras +achree +achroacyte +achroanthes +achrodextrin +achrodextrinase +achroglobin +achroiocythaemia +achroiocythemia +achroite +achroma +achromacyte +achromasia +achromat +achromate +achromatiaceae +achromatic +achromatically +achromaticity +achromatin +achromatinic +achromatisation +achromatise +achromatised +achromatising +achromatism +achromatium +achromatizable +achromatization +achromatize +achromatized +achromatizing +achromatocyte +achromatolysis +achromatope +achromatophil +achromatophile +achromatophilia +achromatophilic +achromatopia +achromatopsy +achromatopsia +achromatosis +achromatous +achromats +achromaturia +achromia +achromic +achromobacter +achromobacterieae +achromoderma +achromophilous +achromotrichia +achromous +achronical +achronychous +achronism +achroodextrin +achroodextrinase +achroous +achropsia +achtehalber +achtel +achtelthaler +achter +achterveld +achuas +achuete +acy +acyanoblepsia +acyanopsia +acichlorid +acichloride +acyclic +acyclically +acicula +aciculae +acicular +acicularity +acicularly +aciculas +aciculate +aciculated +aciculum +aciculums +acid +acidaemia +acidanthera +acidaspis +acidemia +acidemias +acider +acidhead +acidheads +acidy +acidic +acidiferous +acidify +acidifiable +acidifiant +acidific +acidification +acidified +acidifier +acidifiers +acidifies +acidifying +acidyl +acidimeter +acidimetry +acidimetric +acidimetrical +acidimetrically +acidite +acidity +acidities +acidize +acidized +acidizing +acidly +acidness +acidnesses +acidogenic +acidoid +acidolysis +acidology +acidometer +acidometry +acidophil +acidophile +acidophilic +acidophilous +acidophilus +acidoproteolytic +acidoses +acidosis +acidosteophyte +acidotic +acidproof +acids +acidulant +acidulate +acidulated +acidulates +acidulating +acidulation +acidulent +acidulous +acidulously +acidulousness +aciduria +acidurias +aciduric +acier +acierage +acieral +acierate +acierated +acierates +acierating +acieration +acies +acyesis +acyetic +aciform +acyl +acylal +acylamido +acylamidobenzene +acylamino +acylase +acylate +acylated +acylates +acylating +acylation +aciliate +aciliated +acilius +acylogen +acyloin +acyloins +acyloxy +acyloxymethane +acyls +acinaceous +acinaces +acinacifoliate +acinacifolious +acinaciform +acinacious +acinacity +acinar +acinary +acinarious +acineta +acinetae +acinetan +acinetaria +acinetarian +acinetic +acinetiform +acinetina +acinetinan +acing +acini +acinic +aciniform +acinose +acinotubular +acinous +acinuni +acinus +acipenser +acipenseres +acipenserid +acipenseridae +acipenserine +acipenseroid +acipenseroidei +acyrology +acyrological +acis +acystia +aciurgy +ack +ackee +ackees +ackey +ackeys +acker +ackman +ackmen +acknew +acknow +acknowing +acknowledge +acknowledgeable +acknowledged +acknowledgedly +acknowledgement +acknowledgements +acknowledger +acknowledgers +acknowledges +acknowledging +acknowledgment +acknowledgments +acknown +ackton +aclastic +acle +acleidian +acleistocardia +acleistous +aclemon +aclydes +aclidian +aclinal +aclinic +aclys +acloud +aclu +acmaea +acmaeidae +acmaesthesia +acmatic +acme +acmes +acmesthesia +acmic +acmispon +acmite +acne +acned +acneform +acneiform +acnemia +acnes +acnida +acnodal +acnode +acnodes +acoasm +acoasma +acocanthera +acocantherin +acock +acockbill +acocotl +acoela +acoelomata +acoelomate +acoelomatous +acoelomi +acoelomous +acoelous +acoemetae +acoemeti +acoemetic +acoenaesthesia +acoin +acoine +acolapissa +acold +acolhua +acolhuan +acolyctine +acolyte +acolytes +acolyth +acolythate +acolytus +acology +acologic +acolous +acoluthic +acoma +acomia +acomous +aconative +acondylose +acondylous +acone +aconelline +aconic +aconin +aconine +aconital +aconite +aconites +aconitia +aconitic +aconitin +aconitine +aconitum +aconitums +acontia +acontias +acontium +acontius +aconuresis +acool +acop +acopic +acopyrin +acopyrine +acopon +acor +acorea +acoria +acorn +acorned +acorns +acorus +acosmic +acosmism +acosmist +acosmistic +acost +acotyledon +acotyledonous +acouasm +acouchi +acouchy +acoumeter +acoumetry +acounter +acouometer +acouophonia +acoup +acoupa +acoupe +acousma +acousmas +acousmata +acousmatic +acoustic +acoustical +acoustically +acoustician +acousticolateral +acousticon +acousticophobia +acoustics +acoustoelectric +acpt +acquaint +acquaintance +acquaintances +acquaintanceship +acquaintanceships +acquaintancy +acquaintant +acquainted +acquaintedness +acquainting +acquaints +acquent +acquereur +acquest +acquests +acquiesce +acquiesced +acquiescement +acquiescence +acquiescency +acquiescent +acquiescently +acquiescer +acquiesces +acquiescing +acquiescingly +acquiesence +acquiet +acquirability +acquirable +acquire +acquired +acquirement +acquirements +acquirenda +acquirer +acquirers +acquires +acquiring +acquisible +acquisita +acquisite +acquisited +acquisition +acquisitional +acquisitions +acquisitive +acquisitively +acquisitiveness +acquisitor +acquisitum +acquist +acquit +acquital +acquitment +acquits +acquittal +acquittals +acquittance +acquitted +acquitter +acquitting +acquophonia +acrab +acracy +acraein +acraeinae +acraldehyde +acrania +acranial +acraniate +acrasy +acrasia +acrasiaceae +acrasiales +acrasias +acrasida +acrasieae +acrasin +acrasins +acraspeda +acraspedote +acratia +acraturesis +acrawl +acraze +acre +acreable +acreage +acreages +acreak +acream +acred +acredula +acreman +acremen +acres +acrestaff +acrid +acridan +acridane +acrider +acridest +acridian +acridic +acridid +acrididae +acridiidae +acridyl +acridin +acridine +acridines +acridinic +acridinium +acridity +acridities +acridium +acrydium +acridly +acridness +acridone +acridonium +acridophagus +acriflavin +acriflavine +acryl +acrylaldehyde +acrylate +acrylates +acrylic +acrylics +acrylyl +acrylonitrile +acrimony +acrimonies +acrimonious +acrimoniously +acrimoniousness +acrindolin +acrindoline +acrinyl +acrisy +acrisia +acrisius +acrita +acritan +acrite +acrity +acritical +acritochromacy +acritol +acritude +acroa +acroaesthesia +acroama +acroamata +acroamatic +acroamatical +acroamatics +acroanesthesia +acroarthritis +acroasis +acroasphyxia +acroataxia +acroatic +acrobacy +acrobacies +acrobat +acrobates +acrobatholithic +acrobatic +acrobatical +acrobatically +acrobatics +acrobatism +acrobats +acrobystitis +acroblast +acrobryous +acrocarpi +acrocarpous +acrocentric +acrocephaly +acrocephalia +acrocephalic +acrocephalous +acrocera +acroceratidae +acroceraunian +acroceridae +acrochordidae +acrochordinae +acrochordon +acrocyanosis +acrocyst +acrock +acroclinium +acrocomia +acroconidium +acrocontracture +acrocoracoid +acrodactyla +acrodactylum +acrodermatitis +acrodynia +acrodont +acrodontism +acrodonts +acrodrome +acrodromous +acrodus +acroesthesia +acrogamy +acrogamous +acrogen +acrogenic +acrogenous +acrogenously +acrogens +acrogynae +acrogynous +acrography +acrolein +acroleins +acrolith +acrolithan +acrolithic +acroliths +acrology +acrologic +acrologically +acrologies +acrologism +acrologue +acromania +acromastitis +acromegaly +acromegalia +acromegalic +acromegalies +acromelalgia +acrometer +acromia +acromial +acromicria +acromimia +acromioclavicular +acromiocoracoid +acromiodeltoid +acromyodi +acromyodian +acromyodic +acromyodous +acromiohyoid +acromiohumeral +acromion +acromioscapular +acromiosternal +acromiothoracic +acromyotonia +acromyotonus +acromonogrammatic +acromphalus +acron +acronal +acronarcotic +acroneurosis +acronic +acronyc +acronical +acronycal +acronically +acronycally +acronych +acronichal +acronychal +acronichally +acronychally +acronychous +acronycta +acronyctous +acronym +acronymic +acronymically +acronymize +acronymized +acronymizing +acronymous +acronyms +acronyx +acronomy +acrook +acroparalysis +acroparesthesia +acropathy +acropathology +acropetal +acropetally +acrophobia +acrophonetic +acrophony +acrophonic +acrophonically +acrophonies +acropodia +acropodium +acropoleis +acropolis +acropolises +acropolitan +acropora +acropore +acrorhagus +acrorrheuma +acrosarc +acrosarca +acrosarcum +acroscleriasis +acroscleroderma +acroscopic +acrose +acrosome +acrosomes +acrosphacelus +acrospire +acrospired +acrospiring +acrospore +acrosporous +across +acrostic +acrostical +acrostically +acrostichal +acrosticheae +acrostichic +acrostichoid +acrostichum +acrosticism +acrostics +acrostolia +acrostolion +acrostolium +acrotarsial +acrotarsium +acroteleutic +acroter +acroteral +acroteria +acroterial +acroteric +acroterion +acroterium +acroterteria +acrothoracica +acrotic +acrotism +acrotisms +acrotomous +acrotreta +acrotretidae +acrotrophic +acrotrophoneurosis +acrux +act +acta +actability +actable +actaea +actaeaceae +actaeon +actaeonidae +acted +actg +actiad +actian +actify +actification +actifier +actin +actinal +actinally +actinautography +actinautographic +actine +actinenchyma +acting +actings +actinia +actiniae +actinian +actinians +actiniaria +actiniarian +actinias +actinic +actinical +actinically +actinide +actinides +actinidia +actinidiaceae +actiniferous +actiniform +actinine +actiniochrome +actiniohematin +actiniomorpha +actinism +actinisms +actinistia +actinium +actiniums +actinobaccilli +actinobacilli +actinobacillosis +actinobacillotic +actinobacillus +actinoblast +actinobranch +actinobranchia +actinocarp +actinocarpic +actinocarpous +actinochemical +actinochemistry +actinocrinid +actinocrinidae +actinocrinite +actinocrinus +actinocutitis +actinodermatitis +actinodielectric +actinodrome +actinodromous +actinoelectric +actinoelectrically +actinoelectricity +actinogonidiate +actinogram +actinograph +actinography +actinographic +actinoid +actinoida +actinoidea +actinoids +actinolite +actinolitic +actinology +actinologous +actinologue +actinomere +actinomeric +actinometer +actinometers +actinometry +actinometric +actinometrical +actinometricy +actinomyces +actinomycese +actinomycesous +actinomycestal +actinomycetaceae +actinomycetal +actinomycetales +actinomycete +actinomycetous +actinomycin +actinomycoma +actinomycosis +actinomycosistic +actinomycotic +actinomyxidia +actinomyxidiida +actinomorphy +actinomorphic +actinomorphous +actinon +actinonema +actinoneuritis +actinons +actinophone +actinophonic +actinophore +actinophorous +actinophryan +actinophrys +actinopod +actinopoda +actinopraxis +actinopteran +actinopteri +actinopterygian +actinopterygii +actinopterygious +actinopterous +actinoscopy +actinosoma +actinosome +actinosphaerium +actinost +actinostereoscopy +actinostomal +actinostome +actinotherapeutic +actinotherapeutics +actinotherapy +actinotoxemia +actinotrichium +actinotrocha +actinouranium +actinozoa +actinozoal +actinozoan +actinozoon +actins +actinula +actinulae +action +actionability +actionable +actionably +actional +actionary +actioner +actiones +actionist +actionize +actionized +actionizing +actionless +actions +actious +actipylea +actium +activable +activate +activated +activates +activating +activation +activations +activator +activators +active +actively +activeness +actives +activin +activism +activisms +activist +activistic +activists +activital +activity +activities +activize +activized +activizing +actless +actomyosin +acton +actor +actory +actorish +actors +actorship +actos +actress +actresses +actressy +acts +actu +actual +actualisation +actualise +actualised +actualising +actualism +actualist +actualistic +actuality +actualities +actualization +actualize +actualized +actualizes +actualizing +actually +actualness +actuals +actuary +actuarial +actuarially +actuarian +actuaries +actuaryship +actuate +actuated +actuates +actuating +actuation +actuator +actuators +actuose +acture +acturience +actus +actutate +acuaesthesia +acuan +acuate +acuating +acuation +acubens +acuchi +acuclosure +acuductor +acuerdo +acuerdos +acuesthesia +acuity +acuities +aculea +aculeae +aculeata +aculeate +aculeated +aculei +aculeiform +aculeolate +aculeolus +aculeus +acumble +acumen +acumens +acuminate +acuminated +acuminating +acumination +acuminose +acuminous +acuminulate +acupress +acupressure +acupunctuate +acupunctuation +acupuncturation +acupuncturator +acupuncture +acupunctured +acupuncturing +acupuncturist +acupuncturists +acurative +acus +acusection +acusector +acushla +acustom +acutance +acutances +acutangular +acutate +acute +acutely +acutenaculum +acuteness +acuter +acutes +acutest +acutiator +acutifoliate +acutilinguae +acutilingual +acutilobate +acutiplantar +acutish +acutograve +acutonodose +acutorsion +acxoyatl +ad +ada +adactyl +adactylia +adactylism +adactylous +adad +adage +adages +adagy +adagial +adagietto +adagiettos +adagio +adagios +adagissimo +adai +aday +adays +adaize +adalat +adalid +adam +adamance +adamances +adamancy +adamancies +adamant +adamantean +adamantine +adamantinoma +adamantly +adamantness +adamantoblast +adamantoblastoma +adamantoid +adamantoma +adamants +adamas +adamastor +adambulacral +adamellite +adamhood +adamic +adamical +adamically +adamine +adamite +adamitic +adamitical +adamitism +adams +adamsia +adamsite +adamsites +adance +adangle +adansonia +adapa +adapid +adapis +adapt +adaptability +adaptable +adaptableness +adaptably +adaptation +adaptational +adaptationally +adaptations +adaptative +adapted +adaptedness +adapter +adapters +adapting +adaption +adaptional +adaptionism +adaptions +adaptitude +adaptive +adaptively +adaptiveness +adaptivity +adaptometer +adaptor +adaptorial +adaptors +adapts +adar +adarbitrium +adarme +adarticulation +adat +adati +adaty +adatis +adatom +adaunt +adaw +adawe +adawlut +adawn +adaxial +adazzle +adc +adcon +adcons +adcraft +add +adda +addability +addable +addax +addaxes +addda +addebted +added +addedly +addeem +addend +addenda +addends +addendum +addendums +adder +adderbolt +adderfish +adders +adderspit +adderwort +addy +addibility +addible +addice +addicent +addict +addicted +addictedness +addicting +addiction +addictions +addictive +addictively +addictiveness +addictives +addicts +addie +addiment +adding +addio +addis +addison +addisonian +addisoniana +addita +additament +additamentary +additiment +addition +additional +additionally +additionary +additionist +additions +addititious +additive +additively +additives +additivity +additory +additum +additur +addle +addlebrain +addlebrained +addled +addlehead +addleheaded +addleheadedly +addleheadedness +addlement +addleness +addlepate +addlepated +addlepatedness +addleplot +addles +addling +addlings +addlins +addn +addnl +addoom +addorsed +addossed +addr +address +addressability +addressable +addressed +addressee +addressees +addresser +addressers +addresses +addressful +addressing +addressograph +addressor +addrest +adds +addu +adduce +adduceable +adduced +adducent +adducer +adducers +adduces +adducible +adducing +adduct +adducted +adducting +adduction +adductive +adductor +adductors +adducts +addulce +ade +adead +adeem +adeemed +adeeming +adeems +adeep +adela +adelaide +adelantado +adelantados +adelante +adelarthra +adelarthrosomata +adelarthrosomatous +adelaster +adelbert +adelea +adeleidae +adelges +adelia +adelina +adeline +adeling +adelite +adeliza +adelocerous +adelochorda +adelocodonic +adelomorphic +adelomorphous +adelopod +adelops +adelphi +adelphian +adelphic +adelphogamy +adelphoi +adelpholite +adelphophagy +adelphous +ademonist +adempt +adempted +ademption +aden +adenalgy +adenalgia +adenanthera +adenase +adenasthenia +adendric +adendritic +adenectomy +adenectomies +adenectopia +adenectopic +adenemphractic +adenemphraxis +adenia +adeniform +adenyl +adenylic +adenylpyrophosphate +adenyls +adenin +adenine +adenines +adenitis +adenitises +adenization +adenoacanthoma +adenoblast +adenocancroid +adenocarcinoma +adenocarcinomas +adenocarcinomata +adenocarcinomatous +adenocele +adenocellulitis +adenochondroma +adenochondrosarcoma +adenochrome +adenocyst +adenocystoma +adenocystomatous +adenodermia +adenodiastasis +adenodynia +adenofibroma +adenofibrosis +adenogenesis +adenogenous +adenographer +adenography +adenographic +adenographical +adenohypersthenia +adenohypophyseal +adenohypophysial +adenohypophysis +adenoid +adenoidal +adenoidectomy +adenoidectomies +adenoidism +adenoiditis +adenoids +adenolymphocele +adenolymphoma +adenoliomyofibroma +adenolipoma +adenolipomatosis +adenologaditis +adenology +adenological +adenoma +adenomalacia +adenomas +adenomata +adenomatome +adenomatous +adenomeningeal +adenometritis +adenomycosis +adenomyofibroma +adenomyoma +adenomyxoma +adenomyxosarcoma +adenoncus +adenoneural +adenoneure +adenopathy +adenopharyngeal +adenopharyngitis +adenophyllous +adenophyma +adenophlegmon +adenophora +adenophore +adenophoreus +adenophorous +adenophthalmia +adenopodous +adenosarcoma +adenosarcomas +adenosarcomata +adenosclerosis +adenose +adenoses +adenosine +adenosis +adenostemonous +adenostoma +adenotyphoid +adenotyphus +adenotome +adenotomy +adenotomic +adenous +adenoviral +adenovirus +adenoviruses +adeodatus +adeona +adephaga +adephagan +adephagia +adephagous +adeps +adept +adepter +adeptest +adeption +adeptly +adeptness +adepts +adeptship +adequacy +adequacies +adequate +adequately +adequateness +adequation +adequative +adermia +adermin +adermine +adesmy +adespota +adespoton +adessenarian +adessive +adeste +adet +adeuism +adevism +adfected +adffroze +adffrozen +adfiliate +adfix +adfluxion +adfreeze +adfreezing +adfroze +adfrozen +adglutinate +adhafera +adhaka +adhamant +adhara +adharma +adherant +adhere +adhered +adherence +adherences +adherency +adherend +adherends +adherent +adherently +adherents +adherer +adherers +adheres +adherescence +adherescent +adhering +adhesion +adhesional +adhesions +adhesive +adhesively +adhesivemeter +adhesiveness +adhesives +adhibit +adhibited +adhibiting +adhibition +adhibits +adhocracy +adhort +ady +adiabat +adiabatic +adiabatically +adiabolist +adiactinic +adiadochokinesia +adiadochokinesis +adiadokokinesi +adiadokokinesia +adiagnostic +adiamorphic +adiamorphism +adiantiform +adiantum +adiaphanous +adiaphanousness +adiaphon +adiaphonon +adiaphora +adiaphoral +adiaphoresis +adiaphoretic +adiaphory +adiaphorism +adiaphorist +adiaphoristic +adiaphorite +adiaphoron +adiaphorous +adiapneustia +adiate +adiated +adiathermal +adiathermancy +adiathermanous +adiathermic +adiathetic +adiating +adiation +adib +adibasi +adicea +adicity +adiel +adience +adient +adieu +adieus +adieux +adigei +adighe +adight +adigranth +adin +adynamy +adynamia +adynamias +adynamic +adinida +adinidan +adinole +adinvention +adion +adios +adipate +adipescent +adiphenine +adipic +adipyl +adipinic +adipocele +adipocellulose +adipocere +adipoceriform +adipocerite +adipocerous +adipocyte +adipofibroma +adipogenic +adipogenous +adipoid +adipolysis +adipolytic +adipoma +adipomata +adipomatous +adipometer +adiponitrile +adipopectic +adipopexia +adipopexic +adipopexis +adipose +adiposeness +adiposes +adiposis +adiposity +adiposities +adiposogenital +adiposuria +adipous +adipsy +adipsia +adipsic +adipsous +adirondack +adit +adyta +adital +aditio +adyton +adits +adytta +adytum +aditus +adj +adjacence +adjacency +adjacencies +adjacent +adjacently +adjag +adject +adjection +adjectional +adjectitious +adjectival +adjectivally +adjective +adjectively +adjectives +adjectivism +adjectivitis +adjiga +adjiger +adjoin +adjoinant +adjoined +adjoinedly +adjoiner +adjoining +adjoiningness +adjoins +adjoint +adjoints +adjourn +adjournal +adjourned +adjourning +adjournment +adjournments +adjourns +adjoust +adjt +adjudge +adjudgeable +adjudged +adjudger +adjudges +adjudging +adjudgment +adjudicata +adjudicate +adjudicated +adjudicates +adjudicating +adjudication +adjudications +adjudicative +adjudicator +adjudicatory +adjudicators +adjudicature +adjugate +adjument +adjunct +adjunction +adjunctive +adjunctively +adjunctly +adjuncts +adjuration +adjurations +adjuratory +adjure +adjured +adjurer +adjurers +adjures +adjuring +adjuror +adjurors +adjust +adjustability +adjustable +adjustably +adjustage +adjustation +adjusted +adjuster +adjusters +adjusting +adjustive +adjustment +adjustmental +adjustments +adjustor +adjustores +adjustoring +adjustors +adjusts +adjutage +adjutancy +adjutancies +adjutant +adjutants +adjutantship +adjutator +adjute +adjutor +adjutory +adjutorious +adjutrice +adjutrix +adjuvant +adjuvants +adjuvate +adlai +adlay +adlegation +adlegiare +adlerian +adless +adlet +adlumia +adlumidin +adlumidine +adlumin +adlumine +adm +adman +admarginate +admass +admaxillary +admeasure +admeasured +admeasurement +admeasurer +admeasuring +admedial +admedian +admen +admensuration +admerveylle +admetus +admi +admin +adminicle +adminicula +adminicular +adminiculary +adminiculate +adminiculation +adminiculum +administer +administerd +administered +administerial +administering +administerings +administers +administrable +administrant +administrants +administrate +administrated +administrates +administrating +administration +administrational +administrationist +administrations +administrative +administratively +administrator +administrators +administratorship +administratress +administratrices +administratrix +adminstration +admirability +admirable +admirableness +admirably +admiral +admirals +admiralship +admiralships +admiralty +admiralties +admirance +admiration +admirations +admirative +admiratively +admirator +admire +admired +admiredly +admirer +admirers +admires +admiring +admiringly +admissability +admissable +admissibility +admissible +admissibleness +admissibly +admission +admissions +admissive +admissively +admissory +admit +admits +admittable +admittance +admittances +admittatur +admitted +admittedly +admittee +admitter +admitters +admitty +admittible +admitting +admix +admixed +admixes +admixing +admixt +admixtion +admixture +admixtures +admonish +admonished +admonisher +admonishes +admonishing +admonishingly +admonishment +admonishments +admonition +admonitioner +admonitionist +admonitions +admonitive +admonitively +admonitor +admonitory +admonitorial +admonitorily +admonitrix +admortization +admov +admove +admrx +adnascence +adnascent +adnate +adnation +adnations +adnephrine +adnerval +adnescent +adneural +adnex +adnexa +adnexal +adnexed +adnexitis +adnexopexy +adnominal +adnominally +adnomination +adnoun +adnouns +adnumber +ado +adobe +adobes +adobo +adobos +adod +adolesce +adolesced +adolescence +adolescency +adolescent +adolescently +adolescents +adolescing +adolf +adolph +adolphus +adon +adonai +adonean +adonia +adoniad +adonian +adonic +adonidin +adonin +adoniram +adonis +adonises +adonist +adonite +adonitol +adonize +adonized +adonizing +adoors +adoperate +adoperation +adopt +adoptability +adoptabilities +adoptable +adoptant +adoptative +adopted +adoptedly +adoptee +adoptees +adopter +adopters +adoptian +adoptianism +adoptianist +adopting +adoption +adoptional +adoptionism +adoptionist +adoptions +adoptious +adoptive +adoptively +adopts +ador +adorability +adorable +adorableness +adorably +adoral +adorally +adorant +adorantes +adoration +adoratory +adore +adored +adorer +adorers +adores +adoretus +adoring +adoringly +adorn +adornation +adorned +adorner +adorners +adorning +adorningly +adornment +adornments +adorno +adornos +adorns +adorsed +ados +adosculation +adossed +adossee +adoulie +adown +adoxa +adoxaceae +adoxaceous +adoxy +adoxies +adoxography +adoze +adp +adpao +adposition +adpress +adpromission +adpromissor +adrad +adradial +adradially +adradius +adramelech +adrammelech +adread +adream +adreamed +adreamt +adrectal +adrenal +adrenalcortical +adrenalectomy +adrenalectomies +adrenalectomize +adrenalectomized +adrenalectomizing +adrenalin +adrenaline +adrenalize +adrenally +adrenalone +adrenals +adrench +adrenergic +adrenin +adrenine +adrenitis +adreno +adrenochrome +adrenocortical +adrenocorticosteroid +adrenocorticotrophic +adrenocorticotrophin +adrenocorticotropic +adrenolysis +adrenolytic +adrenomedullary +adrenosterone +adrenotrophin +adrenotropic +adrent +adret +adry +adrian +adriana +adriatic +adrienne +adrift +adrip +adrogate +adroit +adroiter +adroitest +adroitly +adroitness +adroop +adrop +adrostal +adrostral +adrowse +adrue +ads +adsbud +adscendent +adscititious +adscititiously +adscript +adscripted +adscription +adscriptitious +adscriptitius +adscriptive +adscripts +adsessor +adsheart +adsignify +adsignification +adsmith +adsmithing +adsorb +adsorbability +adsorbable +adsorbate +adsorbates +adsorbed +adsorbent +adsorbents +adsorbing +adsorbs +adsorption +adsorptive +adsorptively +adsorptiveness +adspiration +adstipulate +adstipulated +adstipulating +adstipulation +adstipulator +adstrict +adstringe +adsum +adterminal +adtevac +aduana +adular +adularescence +adularescent +adularia +adularias +adulate +adulated +adulates +adulating +adulation +adulator +adulatory +adulators +adulatress +adulce +adullam +adullamite +adult +adulter +adulterant +adulterants +adulterate +adulterated +adulterately +adulterateness +adulterates +adulterating +adulteration +adulterator +adulterators +adulterer +adulterers +adulteress +adulteresses +adultery +adulteries +adulterine +adulterize +adulterous +adulterously +adulterousness +adulthood +adulticidal +adulticide +adultly +adultlike +adultness +adultoid +adultress +adults +adumbral +adumbrant +adumbrate +adumbrated +adumbrates +adumbrating +adumbration +adumbrations +adumbrative +adumbratively +adumbrellar +adunation +adunc +aduncate +aduncated +aduncity +aduncous +adure +adurent +adusk +adust +adustion +adustiosis +adustive +adv +advaita +advance +advanceable +advanced +advancedness +advancement +advancements +advancer +advancers +advances +advancing +advancingly +advancive +advantage +advantaged +advantageous +advantageously +advantageousness +advantages +advantaging +advect +advected +advecting +advection +advectitious +advective +advects +advehent +advena +advenae +advene +advenience +advenient +advent +advential +adventism +adventist +adventists +adventitia +adventitial +adventitious +adventitiously +adventitiousness +adventive +adventively +adventry +advents +adventual +adventure +adventured +adventureful +adventurement +adventurer +adventurers +adventures +adventureship +adventuresome +adventuresomely +adventuresomeness +adventuresomes +adventuress +adventuresses +adventuring +adventurish +adventurism +adventurist +adventuristic +adventurous +adventurously +adventurousness +adverb +adverbial +adverbiality +adverbialize +adverbially +adverbiation +adverbless +adverbs +adversa +adversant +adversary +adversaria +adversarial +adversaries +adversariness +adversarious +adversative +adversatively +adverse +adversed +adversely +adverseness +adversifoliate +adversifolious +adversing +adversion +adversity +adversities +adversive +adversus +advert +adverted +advertence +advertency +advertent +advertently +adverting +advertisable +advertise +advertised +advertisee +advertisement +advertisements +advertiser +advertisers +advertises +advertising +advertizable +advertize +advertized +advertizement +advertizer +advertizes +advertizing +adverts +advice +adviceful +advices +advisability +advisable +advisableness +advisably +advisal +advisatory +advise +advised +advisedly +advisedness +advisee +advisees +advisement +advisements +adviser +advisers +advisership +advises +advisy +advising +advisive +advisiveness +adviso +advisor +advisory +advisories +advisorily +advisors +advitant +advocaat +advocacy +advocacies +advocate +advocated +advocates +advocateship +advocatess +advocating +advocation +advocative +advocator +advocatory +advocatress +advocatrice +advocatrix +advoyer +advoke +advolution +advoteresse +advowee +advowry +advowsance +advowson +advowsons +advt +adward +adwesch +adz +adze +adzer +adzes +adzooks +ae +aeacides +aeacus +aeaean +aechmophorus +aecia +aecial +aecidia +aecidiaceae +aecidial +aecidioform +aecidiomycetes +aecidiospore +aecidiostage +aecidium +aeciospore +aeciostage +aeciotelia +aecioteliospore +aeciotelium +aecium +aedeagal +aedeagi +aedeagus +aedegi +aedes +aedicula +aediculae +aedicule +aedile +aediles +aedileship +aedilian +aedilic +aedility +aedilitian +aedilities +aedine +aedoeagi +aedoeagus +aedoeology +aefald +aefaldy +aefaldness +aefauld +aegagri +aegagropila +aegagropilae +aegagropile +aegagropiles +aegagrus +aegean +aegemony +aeger +aegerian +aegeriid +aegeriidae +aegialitis +aegicrania +aegilops +aegina +aeginetan +aeginetic +aegipan +aegyptilla +aegir +aegirine +aegirinolite +aegirite +aegyrite +aegis +aegises +aegisthus +aegithalos +aegithognathae +aegithognathism +aegithognathous +aegle +aegophony +aegopodium +aegritude +aegrotant +aegrotat +aeipathy +aelodicon +aeluroid +aeluroidea +aelurophobe +aelurophobia +aeluropodous +aenach +aenean +aeneas +aeneid +aeneolithic +aeneous +aeneus +aenigma +aenigmatite +aeolharmonica +aeolia +aeolian +aeolic +aeolicism +aeolid +aeolidae +aeolididae +aeolight +aeolina +aeoline +aeolipile +aeolipyle +aeolis +aeolism +aeolist +aeolistic +aeolodicon +aeolodion +aeolomelodicon +aeolopantalon +aeolotropy +aeolotropic +aeolotropism +aeolsklavier +aeolus +aeon +aeonial +aeonian +aeonic +aeonicaeonist +aeonist +aeons +aepyceros +aepyornis +aepyornithidae +aepyornithiformes +aeq +aequi +aequian +aequiculi +aequipalpia +aequor +aequoreal +aequorin +aequorins +aer +aerage +aeraria +aerarian +aerarium +aerate +aerated +aerates +aerating +aeration +aerations +aerator +aerators +aerenchyma +aerenterectasia +aery +aerial +aerialist +aerialists +aeriality +aerially +aerialness +aerials +aeric +aerical +aerides +aerie +aeried +aerier +aeries +aeriest +aerifaction +aeriferous +aerify +aerification +aerified +aerifies +aerifying +aeriform +aerily +aeriness +aero +aeroacoustic +aerobacter +aerobacteriology +aerobacteriological +aerobacteriologically +aerobacteriologist +aerobacters +aeroballistic +aeroballistics +aerobate +aerobated +aerobatic +aerobatics +aerobating +aerobe +aerobee +aerobes +aerobia +aerobian +aerobic +aerobically +aerobics +aerobiology +aerobiologic +aerobiological +aerobiologically +aerobiologist +aerobion +aerobiont +aerobioscope +aerobiosis +aerobiotic +aerobiotically +aerobious +aerobium +aeroboat +aerobranchia +aerobranchiate +aerobus +aerocamera +aerocar +aerocartograph +aerocartography +aerocharidae +aerocyst +aerocolpos +aerocraft +aerocurve +aerodermectasia +aerodynamic +aerodynamical +aerodynamically +aerodynamicist +aerodynamics +aerodyne +aerodynes +aerodone +aerodonetic +aerodonetics +aerodontalgia +aerodontia +aerodontic +aerodrome +aerodromes +aerodromics +aeroduct +aeroducts +aeroelastic +aeroelasticity +aeroelastics +aeroembolism +aeroenterectasia +aerofoil +aerofoils +aerogel +aerogels +aerogen +aerogene +aerogenes +aerogenesis +aerogenic +aerogenically +aerogenous +aerogeography +aerogeology +aerogeologist +aerognosy +aerogram +aerogramme +aerograms +aerograph +aerographer +aerography +aerographic +aerographical +aerographics +aerographies +aerogun +aerohydrodynamic +aerohydropathy +aerohydroplane +aerohydrotherapy +aerohydrous +aeroyacht +aeroides +aerolite +aerolites +aerolith +aerolithology +aeroliths +aerolitic +aerolitics +aerology +aerologic +aerological +aerologies +aerologist +aerologists +aeromaechanic +aeromagnetic +aeromancer +aeromancy +aeromantic +aeromarine +aeromechanic +aeromechanical +aeromechanics +aeromedical +aeromedicine +aerometeorograph +aerometer +aerometry +aerometric +aeromotor +aeron +aeronat +aeronaut +aeronautic +aeronautical +aeronautically +aeronautics +aeronautism +aeronauts +aeronef +aeroneurosis +aeronomer +aeronomy +aeronomic +aeronomical +aeronomics +aeronomies +aeronomist +aeropathy +aeropause +aerope +aeroperitoneum +aeroperitonia +aerophagy +aerophagia +aerophagist +aerophane +aerophilately +aerophilatelic +aerophilatelist +aerophile +aerophilia +aerophilic +aerophilous +aerophysical +aerophysicist +aerophysics +aerophyte +aerophobia +aerophobic +aerophone +aerophor +aerophore +aerophoto +aerophotography +aerophotos +aeroplane +aeroplaner +aeroplanes +aeroplanist +aeroplankton +aeropleustic +aeroporotomy +aeropulse +aerosat +aerosats +aeroscepsy +aeroscepsis +aeroscope +aeroscopy +aeroscopic +aeroscopically +aerose +aerosiderite +aerosiderolite +aerosinusitis +aerosol +aerosolization +aerosolize +aerosolized +aerosolizing +aerosols +aerospace +aerosphere +aerosporin +aerostat +aerostatic +aerostatical +aerostatics +aerostation +aerostats +aerosteam +aerotactic +aerotaxis +aerotechnical +aerotechnics +aerotherapeutics +aerotherapy +aerothermodynamic +aerothermodynamics +aerotonometer +aerotonometry +aerotonometric +aerotow +aerotropic +aerotropism +aeroview +aeruginous +aerugo +aerugos +aes +aesc +aeschylean +aeschylus +aeschynanthus +aeschynite +aeschynomene +aeschynomenous +aesculaceae +aesculaceous +aesculapian +aesculapius +aesculetin +aesculin +aesculus +aesir +aesop +aesopian +aesopic +aestethic +aesthesia +aesthesics +aesthesis +aesthesodic +aesthete +aesthetes +aesthetic +aesthetical +aesthetically +aesthetician +aestheticism +aestheticist +aestheticize +aesthetics +aesthiology +aesthophysiology +aestii +aestival +aestivate +aestivated +aestivates +aestivating +aestivation +aestivator +aestive +aestuary +aestuate +aestuation +aestuous +aesture +aestus +aet +aetat +aethalia +aethalioid +aethalium +aetheling +aetheogam +aetheogamic +aetheogamous +aether +aethereal +aethered +aetheric +aethers +aethionema +aethogen +aethon +aethrioscope +aethusa +aetian +aetiogenic +aetiology +aetiological +aetiologically +aetiologies +aetiologist +aetiologue +aetiophyllin +aetiotropic +aetiotropically +aetites +aetobatidae +aetobatus +aetolian +aetomorphae +aetosaur +aetosaurian +aetosaurus +aettekees +aevia +aeviternal +aevum +af +aface +afaced +afacing +afaint +afar +afara +afars +afb +afd +afdecho +afear +afeard +afeared +afebrile +afenil +afer +afernan +afetal +aff +affa +affability +affable +affableness +affably +affabrous +affair +affaire +affaires +affairs +affaite +affamish +affatuate +affect +affectability +affectable +affectate +affectation +affectationist +affectations +affected +affectedly +affectedness +affecter +affecters +affectibility +affectible +affecting +affectingly +affection +affectional +affectionally +affectionate +affectionately +affectionateness +affectioned +affectionless +affections +affectious +affective +affectively +affectivity +affectless +affectlessness +affector +affects +affectual +affectum +affectuous +affectus +affeeble +affeer +affeerer +affeerment +affeeror +affeir +affenpinscher +affenspalte +affere +afferent +afferently +affettuoso +affettuosos +affy +affiance +affianced +affiancer +affiances +affiancing +affiant +affiants +affich +affiche +affiches +afficionado +affidare +affidation +affidavy +affydavy +affidavit +affidavits +affied +affies +affying +affile +affiliable +affiliate +affiliated +affiliates +affiliating +affiliation +affiliations +affinage +affinal +affination +affine +affined +affinely +affines +affing +affinitative +affinitatively +affinite +affinity +affinities +affinition +affinitive +affirm +affirmable +affirmably +affirmance +affirmant +affirmation +affirmations +affirmative +affirmatively +affirmativeness +affirmatives +affirmatory +affirmed +affirmer +affirmers +affirming +affirmingly +affirmly +affirms +affix +affixable +affixal +affixation +affixed +affixer +affixers +affixes +affixial +affixing +affixion +affixment +affixt +affixture +afflate +afflated +afflation +afflatus +afflatuses +afflict +afflicted +afflictedness +afflicter +afflicting +afflictingly +affliction +afflictionless +afflictions +afflictive +afflictively +afflicts +affloof +afflue +affluence +affluency +affluent +affluently +affluentness +affluents +afflux +affluxes +affluxion +affodill +afforce +afforced +afforcement +afforcing +afford +affordable +afforded +affording +affords +afforest +afforestable +afforestation +afforestational +afforested +afforesting +afforestment +afforests +afformative +affray +affrayed +affrayer +affrayers +affraying +affrays +affranchise +affranchised +affranchisement +affranchising +affrap +affreight +affreighter +affreightment +affret +affrettando +affreux +affricate +affricated +affricates +affrication +affricative +affriended +affright +affrighted +affrightedly +affrighter +affrightful +affrightfully +affrighting +affrightingly +affrightment +affrights +affront +affronte +affronted +affrontedly +affrontedness +affrontee +affronter +affronty +affronting +affrontingly +affrontingness +affrontive +affrontiveness +affrontment +affronts +afft +affuse +affusedaffusing +affusion +affusions +afghan +afghanets +afghani +afghanis +afghanistan +afghans +afgod +afibrinogenemia +aficionada +aficionadas +aficionado +aficionados +afield +afifi +afikomen +afire +aflagellar +aflame +aflare +aflat +aflatoxin +aflatus +aflaunt +afley +aflicker +aflight +afloat +aflow +aflower +afluking +aflush +aflutter +afoam +afocal +afoot +afore +aforegoing +aforehand +aforementioned +aforenamed +aforesaid +aforethought +aforetime +aforetimes +aforeward +afortiori +afoul +afounde +afray +afraid +afraidness +aframerican +afrasia +afrasian +afreet +afreets +afresca +afresh +afret +afrete +afric +africa +african +africana +africander +africanism +africanist +africanization +africanize +africanoid +africans +africanthropus +afridi +afright +afrikaans +afrikander +afrikanderdom +afrikanderism +afrikaner +afrit +afrite +afrits +afro +afrogaea +afrogaean +afront +afrormosia +afros +afrown +afshah +afshar +aft +aftaba +after +afteract +afterage +afterattack +afterbay +afterband +afterbeat +afterbirth +afterbirths +afterblow +afterbody +afterbodies +afterbrain +afterbreach +afterbreast +afterburner +afterburners +afterburning +aftercare +aftercareer +aftercast +aftercataract +aftercause +afterchance +afterchrome +afterchurch +afterclap +afterclause +aftercome +aftercomer +aftercoming +aftercooler +aftercost +aftercourse +aftercrop +aftercure +afterdays +afterdamp +afterdate +afterdated +afterdeal +afterdeath +afterdeck +afterdecks +afterdinner +afterdischarge +afterdrain +afterdrops +aftereffect +aftereffects +aftereye +afterend +afterfall +afterfame +afterfeed +afterfermentation +afterform +afterfriend +afterfruits +afterfuture +aftergame +aftergas +afterglide +afterglow +afterglows +aftergo +aftergood +aftergrass +aftergrave +aftergrief +aftergrind +aftergrowth +afterguard +afterguns +afterhand +afterharm +afterhatch +afterheat +afterhelp +afterhend +afterhold +afterhope +afterhours +afteryears +afterimage +afterimages +afterimpression +afterings +afterking +afterknowledge +afterlife +afterlifetime +afterlight +afterlives +afterloss +afterlove +aftermark +aftermarket +aftermarriage +aftermass +aftermast +aftermath +aftermaths +aftermatter +aftermeal +aftermilk +aftermost +afternight +afternoon +afternoons +afternose +afternote +afteroar +afterpain +afterpains +afterpart +afterpast +afterpeak +afterpiece +afterplay +afterplanting +afterpotential +afterpressure +afterproof +afterrake +afterreckoning +afterrider +afterripening +afterroll +afters +afterschool +aftersend +aftersensation +aftershaft +aftershafted +aftershave +aftershaves +aftershine +aftership +aftershock +aftershocks +aftersong +aftersound +afterspeech +afterspring +afterstain +afterstate +afterstorm +afterstrain +afterstretch +afterstudy +aftersupper +afterswarm +afterswarming +afterswell +aftertan +aftertask +aftertaste +aftertastes +aftertax +afterthinker +afterthought +afterthoughted +afterthoughts +afterthrift +aftertime +aftertimes +aftertouch +aftertreatment +aftertrial +afterturn +aftervision +afterwale +afterwar +afterward +afterwards +afterwash +afterwhile +afterwisdom +afterwise +afterwit +afterwitted +afterword +afterwork +afterworking +afterworld +afterwort +afterwrath +afterwrist +aftmost +aftonian +aftosa +aftosas +aftward +aftwards +afunction +afunctional +afwillite +afzelia +ag +aga +agabanee +agacant +agacante +agacella +agacerie +agaces +agad +agada +agade +agadic +agag +again +againbuy +againsay +against +againstand +againward +agal +agalactia +agalactic +agalactous +agalawood +agalaxy +agalaxia +agalena +agalenidae +agalinis +agalite +agalloch +agallochs +agallochum +agallop +agalma +agalmatolite +agalwood +agalwoods +agama +agamae +agamas +agamemnon +agamete +agametes +agami +agamy +agamian +agamic +agamically +agamid +agamidae +agamis +agamist +agammaglobulinemia +agammaglobulinemic +agamobia +agamobium +agamogenesis +agamogenetic +agamogenetically +agamogony +agamoid +agamont +agamospermy +agamospore +agamous +aganglionic +aganice +aganippe +agao +agaonidae +agapae +agapai +agapanthus +agapanthuses +agape +agapeic +agapeically +agapemone +agapemonian +agapemonist +agapemonite +agapetae +agapeti +agapetid +agapetidae +agaphite +agapornis +agar +agaric +agaricaceae +agaricaceous +agaricales +agaricic +agariciform +agaricin +agaricine +agaricinic +agaricoid +agarics +agaricus +agaristidae +agarita +agaroid +agarose +agaroses +agars +agarum +agarwal +agas +agasp +agast +agastache +agastreae +agastric +agastroneuria +agata +agate +agatelike +agates +agateware +agatha +agathaea +agathaumas +agathin +agathis +agathism +agathist +agathodaemon +agathodaemonic +agathodemon +agathokakological +agathology +agathosma +agaty +agatiferous +agatiform +agatine +agatize +agatized +agatizes +agatizing +agatoid +agau +agave +agaves +agavose +agawam +agaz +agaze +agazed +agba +agcy +agdistis +age +ageable +aged +agedly +agedness +agednesses +agee +ageing +ageings +ageism +ageisms +ageist +ageists +agelacrinites +agelacrinitidae +agelaius +agelast +agelaus +ageless +agelessly +agelessness +agelong +agen +agena +agency +agencies +agend +agenda +agendaless +agendas +agendum +agendums +agene +agenes +ageneses +agenesia +agenesias +agenesic +agenesis +agenetic +agenize +agenized +agenizes +agenizing +agennesis +agennetic +agent +agentess +agential +agenting +agentival +agentive +agentives +agentry +agentries +agents +agentship +ageometrical +ager +agerasia +ageratum +ageratums +agers +ages +aget +agete +ageusia +ageusic +ageustia +aggadic +aggelation +aggenerate +agger +aggerate +aggeration +aggerose +aggers +aggest +aggie +aggies +aggiornamenti +aggiornamento +agglomerant +agglomerate +agglomerated +agglomerates +agglomeratic +agglomerating +agglomeration +agglomerations +agglomerative +agglomerator +agglutinability +agglutinable +agglutinant +agglutinate +agglutinated +agglutinates +agglutinating +agglutination +agglutinationist +agglutinations +agglutinative +agglutinatively +agglutinator +agglutinin +agglutinins +agglutinize +agglutinogen +agglutinogenic +agglutinoid +agglutinoscope +agglutogenic +aggrace +aggradation +aggradational +aggrade +aggraded +aggrades +aggrading +aggrammatism +aggrandise +aggrandised +aggrandisement +aggrandiser +aggrandising +aggrandizable +aggrandize +aggrandized +aggrandizement +aggrandizements +aggrandizer +aggrandizers +aggrandizes +aggrandizing +aggrate +aggravable +aggravate +aggravated +aggravates +aggravating +aggravatingly +aggravation +aggravations +aggravative +aggravator +aggregable +aggregant +aggregata +aggregatae +aggregate +aggregated +aggregately +aggregateness +aggregates +aggregating +aggregation +aggregational +aggregations +aggregative +aggregatively +aggregator +aggregatory +aggrege +aggress +aggressed +aggresses +aggressin +aggressing +aggression +aggressionist +aggressions +aggressive +aggressively +aggressiveness +aggressivity +aggressor +aggressors +aggry +aggrievance +aggrieve +aggrieved +aggrievedly +aggrievedness +aggrievement +aggrieves +aggrieving +aggro +aggros +aggroup +aggroupment +aggur +agha +aghan +aghanee +aghas +aghast +aghastness +aghlabite +aghorapanthi +aghori +agy +agialid +agib +agible +agiel +agyieus +agyiomania +agilawood +agile +agilely +agileness +agility +agilities +agillawood +agilmente +agin +agynary +agynarious +aging +agings +agynic +aginner +aginners +agynous +agio +agios +agiotage +agiotages +agyrate +agyria +agyrophobia +agism +agisms +agist +agistator +agisted +agister +agisting +agistment +agistor +agists +agit +agitability +agitable +agitant +agitate +agitated +agitatedly +agitates +agitating +agitation +agitational +agitationist +agitations +agitative +agitato +agitator +agitatorial +agitators +agitatrix +agitprop +agitpropist +agitprops +agitpunkt +agkistrodon +agla +aglaia +aglance +aglaonema +aglaos +aglaozonia +aglare +aglaspis +aglauros +agleaf +agleam +aglee +agley +aglet +aglethead +aglets +agly +aglycon +aglycone +aglycones +aglycons +aglycosuric +aglimmer +aglint +aglipayan +aglipayano +aglypha +aglyphodont +aglyphodonta +aglyphodontia +aglyphous +aglisten +aglitter +aglobulia +aglobulism +aglossa +aglossal +aglossate +aglossia +aglow +aglucon +aglucone +aglutition +agma +agmas +agmatine +agmatology +agminate +agminated +agnail +agnails +agname +agnamed +agnat +agnate +agnates +agnatha +agnathia +agnathic +agnathostomata +agnathostomatous +agnathous +agnatic +agnatical +agnatically +agnation +agnations +agnean +agneau +agneaux +agnel +agnes +agnification +agnition +agnize +agnized +agnizes +agnizing +agnoetae +agnoete +agnoetism +agnoiology +agnoite +agnoites +agnomen +agnomens +agnomical +agnomina +agnominal +agnomination +agnosy +agnosia +agnosias +agnosis +agnostic +agnostical +agnostically +agnosticism +agnostics +agnostus +agnotozoic +agnus +agnuses +ago +agog +agoge +agogic +agogics +agoho +agoing +agomensin +agomphiasis +agomphious +agomphosis +agon +agonal +agone +agones +agony +agonia +agoniada +agoniadin +agoniatite +agoniatites +agonic +agonied +agonies +agonise +agonised +agonises +agonising +agonisingly +agonist +agonista +agonistarch +agonistic +agonistical +agonistically +agonistics +agonists +agonium +agonize +agonized +agonizedly +agonizer +agonizes +agonizing +agonizingly +agonizingness +agonostomus +agonothet +agonothete +agonothetic +agons +agora +agorae +agoramania +agoranome +agoranomus +agoraphobia +agoraphobiac +agoraphobic +agoras +agorot +agoroth +agos +agostadero +agouara +agouta +agouti +agouty +agouties +agoutis +agpaite +agpaitic +agr +agra +agrace +agrafe +agrafes +agraffe +agraffee +agraffes +agrah +agral +agramed +agrammaphasia +agrammatica +agrammatical +agrammatism +agrammatologia +agrania +agranulocyte +agranulocytosis +agranuloplastic +agrapha +agraphia +agraphias +agraphic +agraria +agrarian +agrarianism +agrarianize +agrarianly +agrarians +agrauleum +agravic +agre +agreat +agreation +agreations +agree +agreeability +agreeable +agreeableness +agreeably +agreed +agreeing +agreeingly +agreement +agreements +agreer +agreers +agrees +agregation +agrege +agreges +agreing +agremens +agrement +agrements +agrest +agrestal +agrestial +agrestian +agrestic +agrestical +agrestis +agria +agrias +agribusiness +agribusinesses +agric +agricere +agricole +agricolist +agricolite +agricolous +agricultor +agricultural +agriculturalist +agriculturalists +agriculturally +agriculture +agriculturer +agricultures +agriculturist +agriculturists +agrief +agrilus +agrimony +agrimonia +agrimonies +agrimotor +agrin +agriochoeridae +agriochoerus +agriology +agriological +agriologist +agrionia +agrionid +agrionidae +agriot +agriotes +agriotype +agriotypidae +agriotypus +agrypnia +agrypniai +agrypnias +agrypnode +agrypnotic +agrise +agrised +agrising +agrito +agritos +agroan +agrobacterium +agrobiology +agrobiologic +agrobiological +agrobiologically +agrobiologist +agrodolce +agrogeology +agrogeological +agrogeologically +agrology +agrologic +agrological +agrologically +agrologies +agrologist +agrom +agromania +agromyza +agromyzid +agromyzidae +agron +agronome +agronomy +agronomial +agronomic +agronomical +agronomically +agronomics +agronomies +agronomist +agronomists +agroof +agrope +agropyron +agrostemma +agrosteral +agrosterol +agrostis +agrostographer +agrostography +agrostographic +agrostographical +agrostographies +agrostology +agrostologic +agrostological +agrostologist +agrote +agrotechny +agrotype +agrotis +aground +agrufe +agruif +agsam +agst +agt +agtbasic +agua +aguacate +aguacateca +aguada +aguador +aguaji +aguamas +aguamiel +aguara +aguardiente +aguavina +agudist +ague +aguey +aguelike +agueproof +agues +agueweed +agueweeds +aguglia +aguilarite +aguilawood +aguilt +aguinaldo +aguinaldos +aguirage +aguise +aguish +aguishly +aguishness +agujon +agunah +agura +aguroth +agush +agust +ah +aha +ahaaina +ahab +ahamkara +ahankara +ahantchuyuk +ahartalav +ahaunch +ahchoo +ahead +aheap +ahey +aheight +ahem +ahems +ahepatokla +ahet +ahi +ahimsa +ahimsas +ahind +ahint +ahypnia +ahir +ahistoric +ahistorical +ahluwalia +ahmadi +ahmadiya +ahmed +ahmedi +ahmet +ahnfeltia +aho +ahoy +ahold +aholds +aholt +ahom +ahong +ahorse +ahorseback +ahousaht +ahrendahronon +ahriman +ahrimanian +ahs +ahsan +aht +ahtena +ahu +ahuaca +ahuatle +ahuehuete +ahull +ahum +ahungered +ahungry +ahunt +ahura +ahurewa +ahush +ahuula +ahwal +ai +ay +ayacahuite +ayah +ayahausca +ayahs +ayahuasca +ayahuca +ayapana +aias +ayatollah +ayatollahs +aiawong +aiblins +aichmophobia +aid +aidable +aidance +aidant +aide +aided +aydendron +aidenn +aider +aiders +aides +aidful +aiding +aidless +aidman +aidmanmen +aidmen +aids +aye +ayegreen +aiel +ayelp +ayen +ayenbite +ayens +ayenst +aiery +ayes +aiger +aigialosaur +aigialosauridae +aigialosaurus +aiglet +aiglets +aiglette +aigre +aigremore +aigret +aigrets +aigrette +aigrettes +aiguelle +aiguellette +aiguiere +aiguille +aiguilles +aiguillesque +aiguillette +aiguilletted +ayield +ayin +ayins +ayyubid +aik +aikane +aikido +aikidos +aikinite +aikona +aikuchi +ail +ailantery +ailanthic +ailanthus +ailanthuses +ailantine +ailanto +aile +ailed +aileen +aileron +ailerons +aylesbury +ayless +aylet +ailette +ailie +ailing +aillt +ayllu +ailment +ailments +ails +ailsyte +ailuridae +ailuro +ailuroid +ailuroidea +ailuromania +ailurophile +ailurophilia +ailurophilic +ailurophobe +ailurophobia +ailurophobic +ailuropoda +ailuropus +ailurus +ailweed +aim +aimable +aimak +aimara +aymara +aymaran +ayme +aimed +aimee +aimer +aimers +aimful +aimfully +aiming +aimless +aimlessly +aimlessness +aimore +aymoro +aims +aimworthiness +ain +ainaleh +aine +ayne +ainee +ainhum +ainoi +ains +ainsell +ainsells +aint +ainu +ainus +aioli +aiolis +aion +ayond +aionial +ayont +ayous +air +aira +airable +airampo +airan +airbag +airbags +airbill +airbills +airboat +airboats +airborn +airborne +airbound +airbrained +airbrasive +airbrick +airbrush +airbrushed +airbrushes +airbrushing +airburst +airbursts +airbus +airbuses +airbusses +aircheck +airchecks +aircoach +aircoaches +aircraft +aircraftman +aircraftmen +aircrafts +aircraftsman +aircraftsmen +aircraftswoman +aircraftswomen +aircraftwoman +aircrew +aircrewman +aircrewmen +aircrews +airdate +airdates +airdock +airdrome +airdromes +airdrop +airdropped +airdropping +airdrops +aire +ayre +aired +airedale +airedales +airer +airers +airest +airfare +airfares +airfield +airfields +airflow +airflows +airfoil +airfoils +airframe +airframes +airfreight +airfreighter +airglow +airglows +airgraph +airgraphics +airhead +airheads +airy +airier +airiest +airiferous +airify +airified +airily +airiness +airinesses +airing +airings +airish +airless +airlessly +airlessness +airlift +airlifted +airlifting +airlifts +airlight +airlike +airline +airliner +airliners +airlines +airling +airlock +airlocks +airmail +airmailed +airmailing +airmails +airman +airmanship +airmark +airmarker +airmass +airmen +airmobile +airmonger +airn +airns +airohydrogen +airometer +airpark +airparks +airphobia +airplay +airplays +airplane +airplaned +airplaner +airplanes +airplaning +airplanist +airplot +airport +airports +airpost +airposts +airproof +airproofed +airproofing +airproofs +airs +airscape +airscapes +airscrew +airscrews +airshed +airsheds +airsheet +airship +airships +ayrshire +airsick +airsickness +airsome +airspace +airspaces +airspeed +airspeeds +airstream +airstrip +airstrips +airt +airted +airth +airthed +airthing +airths +airtight +airtightly +airtightness +airtime +airtimes +airting +airts +airview +airway +airwaybill +airwayman +airways +airward +airwards +airwash +airwave +airwaves +airwise +airwoman +airwomen +airworthy +airworthier +airworthiest +airworthiness +ais +ays +aischrolatreia +aiseweed +aisle +aisled +aisleless +aisles +aisling +aissaoua +aissor +aisteoir +aistopod +aistopoda +aistopodes +ait +aitch +aitchbone +aitches +aitchless +aitchpiece +aitesis +aith +aythya +aithochroi +aitiology +aition +aitiotropic +aitis +aitkenite +aits +aitutakian +ayu +ayubite +ayudante +ayuyu +ayuntamiento +ayuntamientos +ayurveda +ayurvedas +aiver +aivers +aivr +aiwain +aiwan +aywhere +aix +aizle +aizoaceae +aizoaceous +aizoon +ajaja +ajangle +ajar +ajari +ajatasatru +ajava +ajax +ajee +ajenjo +ajhar +ajimez +ajitter +ajiva +ajivas +ajivika +ajog +ajoint +ajonjoli +ajoure +ajourise +ajowan +ajowans +ajuga +ajugas +ajutment +ak +aka +akaakai +akal +akala +akali +akalimba +akamai +akamatsu +akamnik +akan +akanekunik +akania +akaniaceae +akaroa +akasa +akasha +akawai +akazga +akazgin +akazgine +akcheh +ake +akeake +akebi +akebia +aked +akee +akees +akehorne +akey +akeki +akela +akelas +akeley +akemboll +akenbold +akene +akenes +akenobeite +akepiro +akepiros +aker +akerite +aketon +akha +akhara +akhyana +akhissar +akhlame +akhmimic +akhoond +akhrot +akhund +akhundzada +akia +akiyenik +akim +akimbo +akin +akindle +akinesia +akinesic +akinesis +akinete +akinetic +aking +akiskemikinik +akka +akkad +akkadian +akkadist +akmite +akmudar +akmuddar +aknee +aknow +ako +akoasm +akoasma +akolouthia +akoluthia +akonge +akontae +akoulalion +akov +akpek +akra +akrabattine +akre +akroasis +akrochordite +akron +akroter +akroteria +akroterial +akroterion +akrteria +aktiebolag +aktistetae +aktistete +aktivismus +aktivist +aku +akuammin +akuammine +akule +akund +akvavit +akvavits +akwapim +al +ala +alabama +alabaman +alabamian +alabamians +alabamide +alabamine +alabandine +alabandite +alabarch +alabaster +alabastoi +alabastos +alabastra +alabastrian +alabastrine +alabastrites +alabastron +alabastrons +alabastrum +alabastrums +alablaster +alacha +alachah +alack +alackaday +alacran +alacreatine +alacreatinin +alacreatinine +alacrify +alacrious +alacriously +alacrity +alacrities +alacritous +alactaga +alada +aladdin +aladdinize +aladfar +aladinist +alae +alagao +alagarto +alagau +alahee +alai +alay +alaihi +alain +alaite +alaki +alala +alalia +alalite +alaloi +alalonga +alalunga +alalus +alamanni +alamannian +alamannic +alambique +alameda +alamedas +alamiqui +alamire +alamo +alamodality +alamode +alamodes +alamonti +alamort +alamos +alamosite +alamoth +alan +aland +alands +alane +alang +alange +alangiaceae +alangin +alangine +alangium +alani +alanyl +alanyls +alanin +alanine +alanines +alanins +alannah +alans +alant +alantic +alantin +alantol +alantolactone +alantolic +alants +alap +alapa +alar +alarbus +alares +alarge +alary +alaria +alaric +alarm +alarmable +alarmclock +alarmed +alarmedly +alarming +alarmingly +alarmingness +alarmism +alarmisms +alarmist +alarmists +alarms +alarodian +alarum +alarumed +alaruming +alarums +alas +alasas +alascan +alaska +alaskaite +alaskan +alaskans +alaskas +alaskite +alastair +alaster +alastor +alastors +alastrim +alate +alated +alatern +alaternus +alation +alations +alauda +alaudidae +alaudine +alaund +alaunian +alaunt +alawi +alazor +alb +alba +albacea +albacora +albacore +albacores +albahaca +albainn +alban +albanenses +albanensian +albany +albania +albanian +albanians +albanite +albarco +albardine +albarelli +albarello +albarellos +albarium +albas +albaspidin +albata +albatas +albation +albatros +albatross +albatrosses +albe +albedo +albedograph +albedometer +albedos +albee +albeit +alberca +alberene +albergatrice +alberge +alberghi +albergo +alberich +albert +alberta +albertin +albertina +albertine +albertinian +albertype +albertist +albertite +alberto +alberttype +albertustaler +albescence +albescent +albespine +albespyne +albeston +albetad +albi +albian +albicans +albicant +albication +albicore +albicores +albiculi +albify +albification +albificative +albified +albifying +albiflorous +albigenses +albigensian +albigensianism +albin +albyn +albinal +albines +albiness +albinic +albinism +albinisms +albinistic +albino +albinoism +albinos +albinotic +albinuria +albion +albireo +albite +albites +albitic +albitical +albitite +albitization +albitophyre +albizia +albizias +albizzia +albizzias +albocarbon +albocinereous +albococcus +albocracy +alboin +albolite +albolith +albopannin +albopruinose +alborada +alborak +alboranite +albrecht +albricias +albright +albronze +albruna +albs +albuca +albuginaceae +albuginea +albugineous +albugines +albuginitis +albugo +album +albumean +albumen +albumeniizer +albumenisation +albumenise +albumenised +albumeniser +albumenising +albumenization +albumenize +albumenized +albumenizer +albumenizing +albumenoid +albumens +albumimeter +albumin +albuminate +albuminaturia +albuminiferous +albuminiform +albuminimeter +albuminimetry +albuminiparous +albuminise +albuminised +albuminising +albuminization +albuminize +albuminized +albuminizing +albuminocholia +albuminofibrin +albuminogenous +albuminoid +albuminoidal +albuminolysis +albuminometer +albuminometry +albuminone +albuminorrhea +albuminoscope +albuminose +albuminosis +albuminous +albuminousness +albumins +albuminuria +albuminuric +albuminurophobia +albumoid +albumoscope +albumose +albumoses +albumosuria +albums +albuquerque +alburn +alburnous +alburnum +alburnums +albus +albutannin +alc +alca +alcaaba +alcabala +alcade +alcades +alcae +alcahest +alcahests +alcaic +alcaiceria +alcaics +alcaid +alcaide +alcayde +alcaides +alcaydes +alcalde +alcaldes +alcaldeship +alcaldia +alcali +alcaligenes +alcalizate +alcalzar +alcamine +alcanna +alcantara +alcantarines +alcapton +alcaptonuria +alcargen +alcarraza +alcatras +alcavala +alcazaba +alcazar +alcazars +alcazava +alce +alcedines +alcedinidae +alcedininae +alcedo +alcelaphine +alcelaphus +alces +alcestis +alchem +alchemy +alchemic +alchemical +alchemically +alchemies +alchemilla +alchemise +alchemised +alchemising +alchemist +alchemister +alchemistic +alchemistical +alchemistry +alchemists +alchemize +alchemized +alchemizing +alchera +alcheringa +alchimy +alchymy +alchymies +alchitran +alchochoden +alchornea +alcibiadean +alcibiades +alcicornium +alcid +alcidae +alcidine +alcids +alcine +alcyon +alcyonacea +alcyonacean +alcyonaria +alcyonarian +alcyone +alcyones +alcyoniaceae +alcyonic +alcyoniform +alcyonium +alcyonoid +alcippe +alclad +alcmene +alco +alcoate +alcogel +alcogene +alcohate +alcohol +alcoholate +alcoholature +alcoholdom +alcoholemia +alcoholic +alcoholically +alcoholicity +alcoholics +alcoholimeter +alcoholisation +alcoholise +alcoholised +alcoholising +alcoholysis +alcoholism +alcoholist +alcoholytic +alcoholizable +alcoholization +alcoholize +alcoholized +alcoholizing +alcoholmeter +alcoholmetric +alcoholomania +alcoholometer +alcoholometry +alcoholometric +alcoholometrical +alcoholophilia +alcohols +alcoholuria +alconde +alcoothionic +alcor +alcoran +alcoranic +alcoranist +alcornoco +alcornoque +alcosol +alcotate +alcove +alcoved +alcoves +alcovinometer +alcuinian +alcumy +ald +alday +aldamin +aldamine +aldane +aldazin +aldazine +aldea +aldeament +aldebaran +aldebaranium +aldehydase +aldehyde +aldehydes +aldehydic +aldehydine +aldehydrol +aldehol +aldeia +alden +alder +alderamin +alderfly +alderflies +alderliefest +alderling +alderman +aldermanate +aldermancy +aldermaness +aldermanic +aldermanical +aldermanity +aldermanly +aldermanlike +aldermanry +aldermanries +aldermanship +aldermen +aldern +alderney +alders +alderwoman +alderwomen +aldhafara +aldhafera +aldide +aldim +aldime +aldimin +aldimine +aldine +alditol +aldm +aldoheptose +aldohexose +aldoketene +aldol +aldolase +aldolases +aldolization +aldolize +aldolized +aldolizing +aldols +aldononose +aldopentose +aldose +aldoses +aldoside +aldosterone +aldosteronism +aldoxime +aldrin +aldrins +aldrovanda +aldus +ale +alea +aleak +aleatory +aleatoric +alebench +aleberry +alebion +alebush +alec +alecithal +alecithic +alecize +aleck +aleconner +alecost +alecs +alectoria +alectoriae +alectorides +alectoridine +alectorioid +alectoris +alectoromachy +alectoromancy +alectoromorphae +alectoromorphous +alectoropodes +alectoropodous +alectryomachy +alectryomancy +alectrion +alectryon +alectrionidae +alecup +alee +alef +alefnull +alefs +aleft +alefzero +alegar +alegars +aleger +alehoof +alehouse +alehouses +aleyard +aleikoum +aleikum +aleiptes +aleiptic +aleyrodes +aleyrodid +aleyrodidae +alejandro +aleknight +alem +alemana +alemanni +alemannian +alemannic +alemannish +alembic +alembicate +alembicated +alembics +alembroth +alemite +alemmal +alemonger +alen +alencon +alencons +alenge +alength +alentours +alenu +aleochara +aleph +alephs +alephzero +alepidote +alepine +alepole +alepot +aleppine +aleppo +alerce +alerion +alerse +alert +alerta +alerted +alertedly +alerter +alerters +alertest +alerting +alertly +alertness +alerts +ales +alesan +aleshot +alestake +aletap +aletaster +alethea +alethic +alethiology +alethiologic +alethiological +alethiologist +alethopteis +alethopteroid +alethoscope +aletocyte +aletris +alette +aleucaemic +aleucemic +aleukaemic +aleukemic +aleurites +aleuritic +aleurobius +aleurodes +aleurodidae +aleuromancy +aleurometer +aleuron +aleuronat +aleurone +aleurones +aleuronic +aleurons +aleuroscope +aleut +aleutian +aleutians +aleutic +aleutite +alevin +alevins +alew +alewhap +alewife +alewives +alex +alexander +alexanders +alexandra +alexandreid +alexandria +alexandrian +alexandrianism +alexandrina +alexandrine +alexandrines +alexandrite +alexas +alexia +alexian +alexias +alexic +alexin +alexine +alexines +alexinic +alexins +alexipharmacon +alexipharmacum +alexipharmic +alexipharmical +alexipyretic +alexis +alexiteric +alexiterical +alexius +alezan +alf +alfa +alfaje +alfaki +alfakis +alfalfa +alfalfas +alfaqui +alfaquin +alfaquins +alfaquis +alfarga +alfas +alfenide +alferes +alferez +alfet +alfilaria +alfileria +alfilerilla +alfilerillo +alfin +alfiona +alfione +alfirk +alfoncino +alfonsin +alfonso +alforge +alforja +alforjas +alfred +alfreda +alfresco +alfridary +alfridaric +alfur +alfurese +alfuro +alg +alga +algae +algaecide +algaeology +algaeological +algaeologist +algaesthesia +algaesthesis +algal +algalia +algarad +algarde +algaroba +algarobas +algarot +algaroth +algarroba +algarrobilla +algarrobin +algarsyf +algarsife +algas +algate +algates +algazel +algebar +algebra +algebraic +algebraical +algebraically +algebraist +algebraists +algebraization +algebraize +algebraized +algebraizing +algebras +algebrization +algedi +algedo +algedonic +algedonics +algefacient +algenib +algeria +algerian +algerians +algerienne +algerine +algerines +algerita +algerite +algernon +algesia +algesic +algesimeter +algesiometer +algesireceptor +algesis +algesthesis +algetic +algy +algic +algicidal +algicide +algicides +algid +algidity +algidities +algidness +algieba +algiers +algific +algin +alginate +alginates +algine +alginic +algins +alginuresis +algiomuscular +algist +algivorous +algocyan +algodon +algodoncillo +algodonite +algoesthesiometer +algogenic +algoid +algol +algolagny +algolagnia +algolagnic +algolagnist +algology +algological +algologically +algologies +algologist +algoman +algometer +algometry +algometric +algometrical +algometrically +algomian +algomic +algonkian +algonquian +algonquians +algonquin +algonquins +algophagous +algophilia +algophilist +algophobia +algor +algorab +algores +algorism +algorismic +algorisms +algorist +algoristic +algorithm +algorithmic +algorithmically +algorithms +algors +algosis +algous +algovite +algraphy +algraphic +alguacil +alguazil +alguifou +algum +algums +alhacena +alhagi +alhambra +alhambraic +alhambresque +alhandal +alhena +alhenna +alhet +aly +alia +alya +aliamenta +alias +aliased +aliases +aliasing +alibamu +alibangbang +alibi +alibied +alibies +alibiing +alibility +alibis +alible +alicant +alice +alichel +alichino +alicia +alicyclic +alick +alicoche +alycompaine +alictisal +alicula +aliculae +alida +alidad +alidada +alidade +alidades +alidads +alids +alien +alienability +alienabilities +alienable +alienage +alienages +alienate +alienated +alienates +alienating +alienation +alienator +aliency +aliene +aliened +alienee +alienees +aliener +alieners +alienicola +alienicolae +alienigenate +aliening +alienism +alienisms +alienist +alienists +alienize +alienly +alienness +alienor +alienors +aliens +alienship +aliesterase +aliet +aliethmoid +aliethmoidal +alif +alife +aliferous +aliform +alifs +aligerous +alight +alighted +alighten +alighting +alightment +alights +align +aligned +aligner +aligners +aligning +alignment +alignments +aligns +aligreek +alii +aliya +aliyah +aliyahaliyahs +aliyas +aliyos +aliyoth +aliipoe +alike +alikeness +alikewise +alikuluf +alikulufan +alilonghi +alima +alimenation +aliment +alimental +alimentally +alimentary +alimentariness +alimentation +alimentative +alimentatively +alimentativeness +alimented +alimenter +alimentic +alimenting +alimentive +alimentiveness +alimentotherapy +aliments +alimentum +alimony +alimonied +alimonies +alymphia +alymphopotent +alin +alinasal +aline +alineation +alined +alinement +aliner +aliners +alines +alingual +alining +alinit +alinota +alinotum +alintatao +aliofar +alioth +alipata +aliped +alipeds +aliphatic +alipin +alypin +alypine +aliptae +alipteria +alipterion +aliptes +aliptic +aliptteria +alypum +aliquant +aliquid +aliquot +aliquots +alisanders +aliseptal +alish +alisier +alisma +alismaceae +alismaceous +alismad +alismal +alismales +alismataceae +alismoid +aliso +alison +alisonite +alisos +alisp +alispheno +alisphenoid +alisphenoidal +alysson +alyssum +alyssums +alist +alister +alit +alytarch +alite +aliter +alytes +ality +alitrunk +aliturgic +aliturgical +aliunde +alive +aliveness +alives +alivincular +alix +alizarate +alizari +alizarin +alizarine +alizarins +aljama +aljamado +aljamia +aljamiado +aljamiah +aljoba +aljofaina +alk +alkahest +alkahestic +alkahestica +alkahestical +alkahests +alkaid +alkalamide +alkalemia +alkalescence +alkalescency +alkalescent +alkali +alkalic +alkalies +alkaliferous +alkalify +alkalifiable +alkalified +alkalifies +alkalifying +alkaligen +alkaligenous +alkalimeter +alkalimetry +alkalimetric +alkalimetrical +alkalimetrically +alkalin +alkaline +alkalinisation +alkalinise +alkalinised +alkalinising +alkalinity +alkalinities +alkalinization +alkalinize +alkalinized +alkalinizes +alkalinizing +alkalinuria +alkalis +alkalisable +alkalisation +alkalise +alkalised +alkaliser +alkalises +alkalising +alkalizable +alkalizate +alkalization +alkalize +alkalized +alkalizer +alkalizes +alkalizing +alkaloid +alkaloidal +alkaloids +alkalometry +alkalosis +alkalous +alkalurops +alkamin +alkamine +alkanal +alkane +alkanes +alkanet +alkanethiol +alkanets +alkanna +alkannin +alkanol +alkaphrah +alkapton +alkaptone +alkaptonuria +alkaptonuric +alkargen +alkarsin +alkarsine +alkatively +alkedavy +alkekengi +alkene +alkenes +alkenyl +alkenna +alkermes +alkes +alky +alkyd +alkide +alkyds +alkies +alkyl +alkylamine +alkylamino +alkylarylsulfonate +alkylate +alkylated +alkylates +alkylating +alkylation +alkylbenzenesulfonate +alkylbenzenesulfonates +alkylene +alkylic +alkylidene +alkylize +alkylogen +alkylol +alkyloxy +alkyls +alkin +alkine +alkyne +alkines +alkynes +alkitran +alkool +alkoran +alkoranic +alkoxy +alkoxid +alkoxide +alkoxyl +all +allabuta +allachesthesia +allactite +allaeanthus +allagite +allagophyllous +allagostemonous +allah +allay +allayed +allayer +allayers +allaying +allayment +allays +allalinite +allamanda +allamonti +allamoth +allamotti +allan +allanite +allanites +allanitic +allantiasis +allantochorion +allantoic +allantoid +allantoidal +allantoidea +allantoidean +allantoides +allantoidian +allantoin +allantoinase +allantoinuria +allantois +allantoxaidin +allanturic +allargando +allasch +allassotonic +allative +allatrate +allbone +alle +allecret +allect +allectory +allegata +allegate +allegation +allegations +allegator +allegatum +allege +allegeable +alleged +allegedly +allegement +alleger +allegers +alleges +allegheny +alleghenian +allegiance +allegiances +allegiancy +allegiant +allegiantly +allegiare +alleging +allegory +allegoric +allegorical +allegorically +allegoricalness +allegories +allegorisation +allegorise +allegorised +allegoriser +allegorising +allegorism +allegorist +allegorister +allegoristic +allegorists +allegorization +allegorize +allegorized +allegorizer +allegorizing +allegresse +allegretto +allegrettos +allegro +allegros +alley +alleyed +alleyite +alleys +alleyway +alleyways +allele +alleles +alleleu +allelic +allelism +allelisms +allelocatalytic +allelomorph +allelomorphic +allelomorphism +allelopathy +allelotropy +allelotropic +allelotropism +alleluia +alleluiah +alleluias +alleluiatic +alleluja +allelvia +allemand +allemande +allemandes +allemands +allemontite +allen +allenarly +allene +alleniate +allentando +allentato +allentiac +allentiacan +aller +allergen +allergenic +allergenicity +allergens +allergy +allergia +allergic +allergies +allergin +allergins +allergist +allergists +allergology +allerion +allesthesia +allethrin +alleve +alleviant +alleviate +alleviated +alleviater +alleviaters +alleviates +alleviating +alleviatingly +alleviation +alleviations +alleviative +alleviator +alleviatory +alleviators +allez +allgood +allgovite +allhallow +allhallows +allhallowtide +allheal +allheals +ally +alliable +alliably +alliaceae +alliaceous +alliage +alliance +allianced +alliancer +alliances +alliancing +alliant +alliaria +allicampane +allice +allicholly +alliciency +allicient +allicin +allicins +allicit +allie +allied +allies +alligate +alligated +alligating +alligation +alligations +alligator +alligatored +alligatorfish +alligatorfishes +alligatoring +alligators +allyic +allying +allyl +allylamine +allylate +allylation +allylene +allylic +allyls +allylthiourea +allineate +allineation +allionia +allioniaceae +allyou +allis +allision +alliteral +alliterate +alliterated +alliterates +alliterating +alliteration +alliterational +alliterationist +alliterations +alliterative +alliteratively +alliterativeness +alliterator +allituric +allium +alliums +allivalite +allmouth +allmouths +allness +allo +alloantibody +allobar +allobaric +allobars +allobroges +allobrogical +allocability +allocable +allocaffeine +allocatable +allocate +allocated +allocatee +allocates +allocating +allocation +allocations +allocator +allocators +allocatur +allocheiria +allochetia +allochetite +allochezia +allochiral +allochirally +allochiria +allochlorophyll +allochroic +allochroite +allochromatic +allochroous +allochthon +allochthonous +allocyanine +allocinnamic +alloclase +alloclasite +allocochick +allocryptic +allocrotonic +allocthonous +allocute +allocution +allocutive +allod +allodelphite +allodesmism +allodge +allody +allodia +allodial +allodialism +allodialist +allodiality +allodially +allodian +allodiary +allodiaries +allodies +allodification +allodium +allods +alloeosis +alloeostropha +alloeotic +alloerotic +alloerotism +allogamy +allogamies +allogamous +allogene +allogeneic +allogeneity +allogeneous +allogenic +allogenically +allograft +allograph +allographic +alloy +alloyage +alloyed +alloying +alloimmune +alloiogenesis +alloiometry +alloiometric +alloys +alloisomer +alloisomeric +alloisomerism +allokinesis +allokinetic +allokurtic +allolalia +allolalic +allomerism +allomerization +allomerize +allomerized +allomerizing +allomerous +allometry +allometric +allomorph +allomorphic +allomorphism +allomorphite +allomucic +allonge +allonges +allonym +allonymous +allonymously +allonyms +allonomous +alloo +allopalladium +allopath +allopathetic +allopathetically +allopathy +allopathic +allopathically +allopathies +allopathist +allopaths +allopatry +allopatric +allopatrically +allopelagic +allophanamid +allophanamide +allophanate +allophanates +allophane +allophanic +allophyle +allophylian +allophylic +allophylus +allophite +allophytoid +allophone +allophones +allophonic +allophonically +allophore +alloplasm +alloplasmatic +alloplasmic +alloplast +alloplasty +alloplastic +alloploidy +allopolyploid +allopolyploidy +allopsychic +allopurinol +alloquy +alloquial +alloquialism +allorhythmia +allorrhyhmia +allorrhythmic +allosaur +allosaurus +allose +allosematic +allosyndesis +allosyndetic +allosome +allosteric +allosterically +allot +alloted +allotee +allotelluric +allotheism +allotheist +allotheistic +allotheria +allothigene +allothigenetic +allothigenetically +allothigenic +allothigenous +allothimorph +allothimorphic +allothogenic +allothogenous +allotype +allotypes +allotypy +allotypic +allotypical +allotypically +allotypies +allotment +allotments +allotransplant +allotransplantation +allotrylic +allotriodontia +allotriognathi +allotriomorphic +allotriophagy +allotriophagia +allotriuria +allotrope +allotropes +allotrophic +allotropy +allotropic +allotropical +allotropically +allotropicity +allotropies +allotropism +allotropize +allotropous +allots +allottable +allotted +allottee +allottees +allotter +allottery +allotters +allotting +allover +allovers +allow +allowable +allowableness +allowably +allowance +allowanced +allowances +allowancing +allowed +allowedly +allower +allowing +allows +alloxan +alloxanate +alloxanic +alloxans +alloxantin +alloxy +alloxyproteic +alloxuraemia +alloxuremia +alloxuric +allozooid +allround +alls +allseed +allseeds +allspice +allspices +allthing +allthorn +alltud +allude +alluded +alludes +alluding +allumette +allumine +alluminor +allurance +allure +allured +allurement +allurements +allurer +allurers +allures +alluring +alluringly +alluringness +allusion +allusions +allusive +allusively +allusiveness +allusory +allutterly +alluvia +alluvial +alluvials +alluviate +alluviation +alluvio +alluvion +alluvions +alluvious +alluvium +alluviums +alluvivia +alluviviums +allwhere +allwhither +allwork +allworthy +alma +almacantar +almacen +almacenista +almach +almaciga +almacigo +almadia +almadie +almagest +almagests +almagra +almah +almahs +almain +almaine +alman +almanac +almanacs +almander +almandine +almandines +almandite +almanner +almas +alme +almeh +almehs +almeidina +almemar +almemars +almemor +almendro +almendron +almery +almerian +almeries +almeriite +almes +almice +almicore +almida +almight +almighty +almightily +almightiness +almique +almira +almirah +almistry +almner +almners +almochoden +almocrebe +almogavar +almohad +almohade +almohades +almoign +almoin +almon +almonage +almond +almondy +almondlike +almonds +almoner +almoners +almonership +almoning +almonry +almonries +almoravid +almoravide +almoravides +almose +almost +almous +alms +almsdeed +almsfolk +almsful +almsgiver +almsgiving +almshouse +almshouses +almsman +almsmen +almsmoney +almswoman +almswomen +almucantar +almuce +almuces +almud +almude +almudes +almuds +almuerzo +almug +almugs +almuredin +almury +almuten +aln +alnage +alnager +alnagership +alnaschar +alnascharism +alnath +alnein +alnico +alnicoes +alnilam +alniresinol +alnitak +alnitham +alniviridol +alnoite +alnuin +alnus +alo +aloadae +alocasia +alochia +alod +aloddia +alody +alodia +alodial +alodialism +alodialist +alodiality +alodially +alodialty +alodian +alodiary +alodiaries +alodies +alodification +alodium +aloe +aloed +aloedary +aloelike +aloemodin +aloeroot +aloes +aloesol +aloeswood +aloetic +aloetical +aloewood +aloft +alogy +alogia +alogian +alogical +alogically +alogism +alogotrophy +aloha +alohas +aloyau +aloid +aloin +aloins +alois +aloysia +aloisiite +aloysius +aloma +alomancy +alone +alonely +aloneness +along +alongships +alongshore +alongshoreman +alongside +alongst +alonso +alonsoa +alonzo +aloof +aloofe +aloofly +aloofness +aloose +alop +alopathic +alopecia +alopecias +alopecic +alopecist +alopecoid +alopecurus +alopekai +alopeke +alophas +alopias +alopiidae +alorcinic +alosa +alose +alouatta +alouatte +aloud +alouette +alouettes +alout +alow +alowe +aloxite +alp +alpaca +alpacas +alpargata +alpasotes +alpax +alpeen +alpen +alpenglow +alpenhorn +alpenhorns +alpenstock +alpenstocker +alpenstocks +alpestral +alpestrian +alpestrine +alpha +alphabet +alphabetary +alphabetarian +alphabeted +alphabetic +alphabetical +alphabetically +alphabetics +alphabetiform +alphabeting +alphabetisation +alphabetise +alphabetised +alphabetiser +alphabetising +alphabetism +alphabetist +alphabetization +alphabetize +alphabetized +alphabetizer +alphabetizers +alphabetizes +alphabetizing +alphabetology +alphabets +alphameric +alphamerical +alphamerically +alphanumeric +alphanumerical +alphanumerically +alphanumerics +alphard +alphas +alphatoluic +alphean +alphecca +alphenic +alpheratz +alpheus +alphyl +alphyls +alphin +alphyn +alphitomancy +alphitomorphous +alphol +alphonist +alphonse +alphonsin +alphonsine +alphonsism +alphonso +alphorn +alphorns +alphos +alphosis +alphosises +alpian +alpid +alpieu +alpigene +alpine +alpinely +alpinery +alpines +alpinesque +alpinia +alpiniaceae +alpinism +alpinisms +alpinist +alpinists +alpist +alpiste +alps +alpujarra +alqueire +alquier +alquifou +alraun +already +alreadiness +alright +alrighty +alroot +alruna +alrune +als +alsatia +alsatian +alsbachite +alshain +alsifilm +alsike +alsikes +alsinaceae +alsinaceous +alsine +alsmekill +also +alsoon +alsophila +alstonia +alstonidine +alstonine +alstonite +alstroemeria +alsweill +alswith +alt +altaian +altaic +altaid +altair +altaite +altaltissimo +altamira +altar +altarage +altared +altarist +altarlet +altarpiece +altarpieces +altars +altarwise +altazimuth +alter +alterability +alterable +alterableness +alterably +alterant +alterants +alterate +alteration +alterations +alterative +alteratively +altercate +altercated +altercating +altercation +altercations +altercative +altered +alteregoism +alteregoistic +alterer +alterers +altering +alterity +alterius +alterman +altern +alternacy +alternamente +alternance +alternant +alternanthera +alternaria +alternariose +alternat +alternate +alternated +alternately +alternateness +alternater +alternates +alternating +alternatingly +alternation +alternationist +alternations +alternative +alternatively +alternativeness +alternatives +alternativity +alternativo +alternator +alternators +alterne +alternifoliate +alternipetalous +alternipinnate +alternisepalous +alternity +alternize +alterocentric +alters +alterum +altesse +alteza +altezza +althaea +althaeas +althaein +althea +altheas +althein +altheine +althing +althionic +altho +althorn +althorns +although +altica +alticamelus +altify +altigraph +altilik +altiloquence +altiloquent +altimeter +altimeters +altimetry +altimetrical +altimetrically +altimettrically +altin +altincar +altingiaceae +altingiaceous +altininck +altiplanicie +altiplano +altiscope +altisonant +altisonous +altissimo +altitonant +altitude +altitudes +altitudinal +altitudinarian +altitudinous +alto +altocumulus +altogether +altogetherness +altoist +altometer +altos +altostratus +altoun +altrices +altricial +altropathy +altrose +altruism +altruisms +altruist +altruistic +altruistically +altruists +alts +altschin +altumal +altun +alture +altus +aluco +aluconidae +aluconinae +aludel +aludels +aludra +alula +alulae +alular +alulet +alulim +alum +alumbloom +alumbrado +alumel +alumen +alumetize +alumian +alumic +alumiferous +alumin +alumina +aluminaphone +aluminas +aluminate +alumine +alumines +aluminic +aluminide +aluminiferous +aluminiform +aluminyl +aluminise +aluminised +aluminish +aluminising +aluminite +aluminium +aluminize +aluminized +aluminizes +aluminizing +aluminoferric +aluminography +aluminographic +aluminose +aluminosilicate +aluminosis +aluminosity +aluminothermy +aluminothermic +aluminothermics +aluminotype +aluminous +alumins +aluminum +aluminums +alumish +alumite +alumium +alumna +alumnae +alumnal +alumni +alumniate +alumnol +alumnus +alumohydrocalcite +alumroot +alumroots +alums +alumstone +alundum +aluniferous +alunite +alunites +alunogen +alupag +alur +alure +alurgite +alushtite +aluta +alutaceous +alvah +alvan +alvar +alveary +alvearies +alvearium +alveated +alvelos +alveloz +alveola +alveolae +alveolar +alveolary +alveolariform +alveolarly +alveolars +alveolate +alveolated +alveolation +alveole +alveolectomy +alveoli +alveoliform +alveolite +alveolites +alveolitis +alveoloclasia +alveolocondylean +alveolodental +alveololabial +alveololingual +alveolonasal +alveolosubnasal +alveolotomy +alveolus +alveus +alvia +alviducous +alvin +alvina +alvine +alvissmal +alvite +alvus +alw +alway +always +alwise +alwite +alzheimer +am +ama +amaas +amabel +amabile +amability +amable +amacratic +amacrinal +amacrine +amadan +amadavat +amadavats +amadelphous +amadi +amadis +amadou +amadous +amaethon +amafingo +amaga +amah +amahs +amahuaca +amay +amain +amaine +amaist +amaister +amakebe +amakosa +amal +amala +amalaita +amalaka +amalekite +amalett +amalfian +amalfitan +amalg +amalgam +amalgamable +amalgamate +amalgamated +amalgamater +amalgamates +amalgamating +amalgamation +amalgamationist +amalgamations +amalgamative +amalgamatize +amalgamator +amalgamators +amalgamist +amalgamization +amalgamize +amalgams +amalic +amalings +amalrician +amaltas +amamau +amampondo +amanda +amande +amandin +amandine +amandus +amang +amani +amania +amanist +amanita +amanitas +amanitin +amanitine +amanitins +amanitopsis +amanori +amanous +amant +amantadine +amante +amantillo +amanuenses +amanuensis +amapa +amapondo +amar +amara +amaracus +amarant +amarantaceae +amarantaceous +amaranth +amaranthaceae +amaranthaceous +amaranthine +amaranthoid +amaranths +amaranthus +amarantine +amarantite +amarantus +amarelle +amarelles +amarettos +amarevole +amargosa +amargoso +amargosos +amaryllid +amaryllidaceae +amaryllidaceous +amaryllideous +amaryllis +amaryllises +amarillo +amarillos +amarin +amarine +amarity +amaritude +amarna +amaroid +amaroidal +amarth +amarthritis +amarvel +amas +amasesis +amass +amassable +amassed +amasser +amassers +amasses +amassette +amassing +amassment +amassments +amasta +amasthenic +amasty +amastia +amate +amated +amatembu +amaterialistic +amateur +amateurish +amateurishly +amateurishness +amateurism +amateurs +amateurship +amathophobia +amati +amating +amatito +amative +amatively +amativeness +amatol +amatols +amatory +amatorial +amatorially +amatorian +amatories +amatorio +amatorious +amatrice +amatungula +amaurosis +amaurotic +amaut +amaxomania +amaze +amazed +amazedly +amazedness +amazeful +amazement +amazer +amazers +amazes +amazia +amazilia +amazing +amazingly +amazon +amazona +amazonian +amazonism +amazonite +amazons +amazonstone +amazulu +amb +amba +ambach +ambage +ambages +ambagiosity +ambagious +ambagiously +ambagiousness +ambagitory +ambay +ambalam +amban +ambar +ambaree +ambarella +ambari +ambary +ambaries +ambaris +ambas +ambash +ambassade +ambassadeur +ambassador +ambassadorial +ambassadorially +ambassadors +ambassadorship +ambassadorships +ambassadress +ambassage +ambassy +ambassiate +ambatch +ambatoarinite +ambe +ambeer +ambeers +amber +amberfish +amberfishes +ambergrease +ambergris +ambery +amberies +amberiferous +amberina +amberite +amberjack +amberjacks +amberlike +amberoid +amberoids +amberous +ambers +ambiance +ambiances +ambicolorate +ambicoloration +ambidexter +ambidexterity +ambidexterities +ambidexterous +ambidextral +ambidextrous +ambidextrously +ambidextrousness +ambience +ambiences +ambiency +ambiens +ambient +ambients +ambier +ambigenal +ambigenous +ambigu +ambiguity +ambiguities +ambiguous +ambiguously +ambiguousness +ambilaevous +ambilateral +ambilateralaterally +ambilaterality +ambilaterally +ambilevous +ambilian +ambilogy +ambiopia +ambiparous +ambisextrous +ambisexual +ambisexuality +ambisexualities +ambisyllabic +ambisinister +ambisinistrous +ambisporangiate +ambystoma +ambystomidae +ambit +ambital +ambitendency +ambitendencies +ambitendent +ambition +ambitioned +ambitioning +ambitionist +ambitionless +ambitionlessly +ambitions +ambitious +ambitiously +ambitiousness +ambits +ambitty +ambitus +ambivalence +ambivalency +ambivalent +ambivalently +ambiversion +ambiversive +ambivert +ambiverts +amble +ambled +ambleocarpus +ambler +amblers +ambles +amblyacousia +amblyaphia +amblycephalidae +amblycephalus +amblychromatic +amblydactyla +amblygeusia +amblygon +amblygonal +amblygonite +ambling +amblingly +amblyocarpous +amblyomma +amblyope +amblyopia +amblyopic +amblyopsidae +amblyopsis +amblyoscope +amblypod +amblypoda +amblypodous +amblyrhynchus +amblystegite +amblystoma +amblosis +amblotic +ambo +amboceptoid +amboceptor +ambocoelia +ambodexter +amboina +amboyna +amboinas +amboynas +amboinese +ambolic +ambomalleal +ambon +ambones +ambonite +ambonnay +ambos +ambosexous +ambosexual +ambracan +ambrain +ambreate +ambreic +ambrein +ambrette +ambrettolide +ambry +ambrica +ambries +ambrite +ambroid +ambroids +ambrology +ambrose +ambrosia +ambrosiac +ambrosiaceae +ambrosiaceous +ambrosial +ambrosially +ambrosian +ambrosias +ambrosiate +ambrosin +ambrosine +ambrosio +ambrosterol +ambrotype +ambsace +ambsaces +ambulacra +ambulacral +ambulacriform +ambulacrum +ambulance +ambulanced +ambulancer +ambulances +ambulancing +ambulant +ambulante +ambulantes +ambulate +ambulated +ambulates +ambulating +ambulatio +ambulation +ambulative +ambulator +ambulatory +ambulatoria +ambulatorial +ambulatories +ambulatorily +ambulatorium +ambulatoriums +ambulators +ambulia +ambuling +ambulomancy +amburbial +ambury +ambuscade +ambuscaded +ambuscader +ambuscades +ambuscading +ambuscado +ambuscadoed +ambuscados +ambush +ambushed +ambusher +ambushers +ambushes +ambushing +ambushlike +ambushment +ambustion +amchoor +amdahl +amdt +ame +ameba +amebae +ameban +amebas +amebean +amebian +amebiasis +amebic +amebicidal +amebicide +amebid +amebiform +amebobacter +amebocyte +ameboid +ameboidism +amebous +amebula +amedeo +ameed +ameen +ameer +ameerate +ameerates +ameers +ameiosis +ameiotic +ameiuridae +ameiurus +ameiva +amel +amelanchier +ameland +amelcorn +amelcorns +amelet +amelia +amelification +ameliorable +ameliorableness +ameliorant +ameliorate +ameliorated +ameliorates +ameliorating +amelioration +ameliorations +ameliorativ +ameliorative +amelioratively +ameliorator +amelioratory +amellus +ameloblast +ameloblastic +amelu +amelus +amen +amenability +amenable +amenableness +amenably +amenage +amenance +amend +amendable +amendableness +amendatory +amende +amended +amender +amenders +amending +amendment +amendments +amends +amene +amenia +amenism +amenite +amenity +amenities +amenorrhea +amenorrheal +amenorrheic +amenorrho +amenorrhoea +amenorrhoeal +amenorrhoeic +amens +ament +amenta +amentaceous +amental +amenty +amentia +amentias +amentiferae +amentiferous +amentiform +aments +amentula +amentulum +amentum +amenuse +amerce +amerceable +amerced +amercement +amercements +amercer +amercers +amerces +amerciable +amerciament +amercing +america +american +americana +americanese +americanism +americanisms +americanist +americanistic +americanitis +americanization +americanize +americanized +americanizer +americanizes +americanizing +americanly +americanoid +americans +americanum +americanumancestors +americas +americaward +americawards +americium +americomania +americophobe +amerikani +amerimnon +amerind +amerindian +amerindians +amerindic +amerinds +amerism +ameristic +amerveil +amesace +amesaces +amesite +amess +ametabola +ametabole +ametaboly +ametabolia +ametabolian +ametabolic +ametabolism +ametabolous +ametallous +amethyst +amethystine +amethystlike +amethysts +amethodical +amethodically +ametoecious +ametria +ametrometer +ametrope +ametropia +ametropic +ametrous +amex +amgarn +amhar +amharic +amherstite +amhran +ami +amy +amia +amiability +amiable +amiableness +amiably +amiant +amianth +amianthiform +amianthine +amianthium +amianthoid +amianthoidal +amianthus +amiantus +amiantuses +amias +amyatonic +amic +amicability +amicabilities +amicable +amicableness +amicably +amical +amice +amiced +amices +amici +amicicide +amyclaean +amyclas +amicous +amicrobic +amicron +amicronucleate +amyctic +amictus +amicus +amid +amidase +amidases +amidate +amidated +amidating +amidation +amide +amides +amidic +amidid +amidide +amidin +amidine +amidins +amidism +amidist +amidmost +amido +amidoacetal +amidoacetic +amidoacetophenone +amidoaldehyde +amidoazo +amidoazobenzene +amidoazobenzol +amidocaffeine +amidocapric +amidocyanogen +amidofluorid +amidofluoride +amidogen +amidogens +amidoguaiacol +amidohexose +amidoketone +amidol +amidols +amidomyelin +amidon +amydon +amidone +amidophenol +amidophosphoric +amidopyrine +amidoplast +amidoplastid +amidosuccinamic +amidosulphonal +amidothiazole +amidoxy +amidoxyl +amidoxime +amidrazone +amids +amidship +amidships +amidst +amidstream +amidulin +amidward +amie +amyelencephalia +amyelencephalic +amyelencephalous +amyelia +amyelic +amyelinic +amyelonic +amyelotrophy +amyelous +amies +amiga +amigas +amygdal +amygdala +amygdalaceae +amygdalaceous +amygdalae +amygdalase +amygdalate +amygdale +amygdalectomy +amygdales +amygdalic +amygdaliferous +amygdaliform +amygdalin +amygdaline +amygdalinic +amygdalitis +amygdaloid +amygdaloidal +amygdalolith +amygdaloncus +amygdalopathy +amygdalothripsis +amygdalotome +amygdalotomy +amygdalus +amygdonitrile +amygdophenin +amygdule +amygdules +amigo +amigos +amiidae +amil +amyl +amylaceous +amylamine +amylan +amylase +amylases +amylate +amildar +amylemia +amylene +amylenes +amylenol +amiles +amylic +amylidene +amyliferous +amylin +amylo +amylocellulose +amyloclastic +amylocoagulase +amylodextrin +amylodyspepsia +amylogen +amylogenesis +amylogenic +amylogens +amylohydrolysis +amylohydrolytic +amyloid +amyloidal +amyloidoses +amyloidosis +amyloids +amyloleucite +amylolysis +amylolytic +amylom +amylome +amylometer +amylon +amylopectin +amylophagia +amylophosphate +amylophosphoric +amyloplast +amyloplastic +amyloplastid +amylopsase +amylopsin +amylose +amyloses +amylosynthesis +amylosis +amiloun +amyls +amylum +amylums +amyluria +amimia +amimide +amin +aminase +aminate +aminated +aminating +amination +aminded +amine +amines +amini +aminic +aminish +aminity +aminities +aminization +aminize +amino +aminoacetal +aminoacetanilide +aminoacetic +aminoacetone +aminoacetophenetidine +aminoacetophenone +aminoacidemia +aminoaciduria +aminoanthraquinone +aminoazo +aminoazobenzene +aminobarbituric +aminobenzaldehyde +aminobenzamide +aminobenzene +aminobenzine +aminobenzoic +aminocaproic +aminodiphenyl +amynodon +amynodont +aminoethionic +aminoformic +aminogen +aminoglutaric +aminoguanidine +aminoid +aminoketone +aminolipin +aminolysis +aminolytic +aminomalonic +aminomyelin +aminopeptidase +aminophenol +aminopherase +aminophylline +aminopyrine +aminoplast +aminoplastic +aminopolypeptidase +aminopropionic +aminopurine +aminoquin +aminoquinoline +aminosis +aminosuccinamic +aminosulphonic +aminothiophen +aminotransferase +aminotriazole +aminovaleric +aminoxylol +amins +aminta +amintor +amioidei +amyosthenia +amyosthenic +amyotaxia +amyotonia +amyotrophy +amyotrophia +amyotrophic +amyous +amir +amiray +amiral +amyraldism +amyraldist +amiranha +amirate +amirates +amire +amyridaceae +amyrin +amyris +amyrol +amyroot +amirs +amirship +amis +amish +amishgo +amiss +amissibility +amissible +amissing +amission +amissness +amit +amita +amitabha +amytal +amitate +amity +amitie +amities +amitoses +amitosis +amitotic +amitotically +amitriptyline +amitrole +amitroles +amitular +amixia +amyxorrhea +amyxorrhoea +amizilis +amla +amlacra +amlet +amli +amlikar +amlong +amma +amman +ammanite +ammelide +ammelin +ammeline +ammeos +ammer +ammeter +ammeters +ammi +ammiaceae +ammiaceous +ammine +ammines +ammino +amminochloride +amminolysis +amminolytic +ammiolite +ammiral +ammites +ammo +ammobium +ammocete +ammocetes +ammochaeta +ammochaetae +ammochryse +ammocoete +ammocoetes +ammocoetid +ammocoetidae +ammocoetiform +ammocoetoid +ammodyte +ammodytes +ammodytidae +ammodytoid +ammonal +ammonals +ammonate +ammonation +ammonea +ammonia +ammoniac +ammoniacal +ammoniacs +ammoniacum +ammoniaemia +ammonias +ammoniate +ammoniated +ammoniating +ammoniation +ammonic +ammonical +ammoniemia +ammonify +ammonification +ammonified +ammonifier +ammonifies +ammonifying +ammoniojarosite +ammonion +ammonionitrate +ammonite +ammonites +ammonitess +ammonitic +ammoniticone +ammonitiferous +ammonitish +ammonitoid +ammonitoidea +ammonium +ammoniums +ammoniuret +ammoniureted +ammoniuria +ammonization +ammono +ammonobasic +ammonocarbonic +ammonocarbonous +ammonoid +ammonoidea +ammonoidean +ammonoids +ammonolyses +ammonolysis +ammonolitic +ammonolytic +ammonolyze +ammonolyzed +ammonolyzing +ammophila +ammophilous +ammoresinol +ammoreslinol +ammos +ammotherapy +ammu +ammunition +amnemonic +amnesia +amnesiac +amnesiacs +amnesias +amnesic +amnesics +amnesty +amnestic +amnestied +amnesties +amnestying +amnia +amniac +amniatic +amnic +amnigenia +amninia +amninions +amnioallantoic +amniocentesis +amniochorial +amnioclepsis +amniomancy +amnion +amnionata +amnionate +amnionia +amnionic +amnions +amniorrhea +amnios +amniota +amniote +amniotes +amniotic +amniotin +amniotitis +amniotome +amobarbital +amober +amobyr +amoeba +amoebae +amoebaea +amoebaean +amoebaeum +amoebalike +amoeban +amoebas +amoebean +amoebeum +amoebian +amoebiasis +amoebic +amoebicidal +amoebicide +amoebid +amoebida +amoebidae +amoebiform +amoebobacter +amoebobacterieae +amoebocyte +amoebogeniae +amoeboid +amoeboidism +amoebous +amoebula +amoy +amoyan +amoibite +amoyese +amoinder +amok +amoke +amoks +amole +amoles +amolilla +amolish +amollish +amomal +amomales +amomis +amomum +among +amongst +amontillado +amontillados +amor +amora +amorado +amoraic +amoraim +amoral +amoralism +amoralist +amorality +amoralize +amorally +amores +amoret +amoretti +amoretto +amorettos +amoreuxia +amorini +amorino +amorism +amorist +amoristic +amorists +amorite +amoritic +amoritish +amornings +amorosa +amorosity +amoroso +amorous +amorously +amorousness +amorph +amorpha +amorphi +amorphy +amorphia +amorphic +amorphinism +amorphism +amorphophallus +amorphophyte +amorphotae +amorphous +amorphously +amorphousness +amorphozoa +amorphus +amort +amortisable +amortise +amortised +amortises +amortising +amortissement +amortisseur +amortizable +amortization +amortize +amortized +amortizement +amortizes +amortizing +amorua +amos +amosite +amoskeag +amotion +amotions +amotus +amouli +amount +amounted +amounter +amounters +amounting +amounts +amour +amouret +amourette +amourist +amours +amovability +amovable +amove +amoved +amoving +amowt +amp +ampalaya +ampalea +ampangabeite +amparo +ampasimenite +ampassy +ampelidaceae +ampelidaceous +ampelidae +ampelideous +ampelis +ampelite +ampelitic +ampelography +ampelographist +ampelograpny +ampelopsidin +ampelopsin +ampelopsis +ampelosicyos +ampelotherapy +amper +amperage +amperages +ampere +amperemeter +amperes +ampery +amperian +amperometer +amperometric +ampersand +ampersands +amphanthia +amphanthium +ampheclexis +ampherotoky +ampherotokous +amphetamine +amphetamines +amphi +amphiarthrodial +amphiarthroses +amphiarthrosis +amphiaster +amphib +amphibali +amphibalus +amphibia +amphibial +amphibian +amphibians +amphibichnite +amphibiety +amphibiology +amphibiological +amphibion +amphibiontic +amphibiotic +amphibiotica +amphibious +amphibiously +amphibiousness +amphibium +amphiblastic +amphiblastula +amphiblestritis +amphibola +amphibole +amphiboles +amphiboly +amphibolia +amphibolic +amphibolies +amphiboliferous +amphiboline +amphibolite +amphibolitic +amphibology +amphibological +amphibologically +amphibologies +amphibologism +amphibolostylous +amphibolous +amphibrach +amphibrachic +amphibryous +amphicarpa +amphicarpaea +amphicarpia +amphicarpic +amphicarpium +amphicarpogenous +amphicarpous +amphicarpus +amphicentric +amphichroic +amphichrom +amphichromatic +amphichrome +amphichromy +amphicyon +amphicyonidae +amphicyrtic +amphicyrtous +amphicytula +amphicoelian +amphicoelous +amphicome +amphicondyla +amphicondylous +amphicrania +amphicreatinine +amphicribral +amphictyon +amphictyony +amphictyonian +amphictyonic +amphictyonies +amphictyons +amphid +amphide +amphidesmous +amphidetic +amphidiarthrosis +amphidiploid +amphidiploidy +amphidisc +amphidiscophora +amphidiscophoran +amphidisk +amphidromia +amphidromic +amphierotic +amphierotism +amphigaea +amphigaean +amphigam +amphigamae +amphigamous +amphigastria +amphigastrium +amphigastrula +amphigean +amphigen +amphigene +amphigenesis +amphigenetic +amphigenous +amphigenously +amphigony +amphigonia +amphigonic +amphigonium +amphigonous +amphigory +amphigoric +amphigories +amphigouri +amphigouris +amphikaryon +amphikaryotic +amphilogy +amphilogism +amphimacer +amphimictic +amphimictical +amphimictically +amphimixes +amphimixis +amphimorula +amphimorulae +amphinesian +amphineura +amphineurous +amphinucleus +amphion +amphionic +amphioxi +amphioxidae +amphioxides +amphioxididae +amphioxis +amphioxus +amphioxuses +amphipeptone +amphiphithyra +amphiphloic +amphipyrenin +amphiplatyan +amphipleura +amphiploid +amphiploidy +amphipneust +amphipneusta +amphipneustic +amphipnous +amphipod +amphipoda +amphipodal +amphipodan +amphipodiform +amphipodous +amphipods +amphiprostylar +amphiprostyle +amphiprotic +amphirhina +amphirhinal +amphirhine +amphisarca +amphisbaena +amphisbaenae +amphisbaenas +amphisbaenian +amphisbaenic +amphisbaenid +amphisbaenidae +amphisbaenoid +amphisbaenous +amphiscians +amphiscii +amphisile +amphisilidae +amphispermous +amphisporangiate +amphispore +amphistylar +amphistyly +amphistylic +amphistoma +amphistomatic +amphistome +amphistomoid +amphistomous +amphistomum +amphitene +amphithalami +amphithalamus +amphithalmi +amphitheater +amphitheatered +amphitheaters +amphitheatral +amphitheatre +amphitheatric +amphitheatrical +amphitheatrically +amphitheccia +amphithecia +amphithecial +amphithecium +amphithect +amphithere +amphithyra +amphithyron +amphithyrons +amphithura +amphithuron +amphithurons +amphithurthura +amphitokal +amphitoky +amphitokous +amphitriaene +amphitricha +amphitrichate +amphitrichous +amphitryon +amphitrite +amphitron +amphitropal +amphitropous +amphitruo +amphiuma +amphiumidae +amphivasal +amphivorous +amphizoidae +amphodarch +amphodelite +amphodiplopia +amphogeny +amphogenic +amphogenous +ampholyte +ampholytic +amphopeptone +amphophil +amphophile +amphophilic +amphophilous +amphora +amphorae +amphoral +amphoras +amphore +amphorette +amphoric +amphoricity +amphoriloquy +amphoriskoi +amphoriskos +amphorophony +amphorous +amphoteric +amphotericin +amphrysian +ampyces +ampicillin +ampitheater +ampyx +ampyxes +ample +amplect +amplectant +ampleness +ampler +amplest +amplex +amplexation +amplexicaudate +amplexicaul +amplexicauline +amplexifoliate +amplexus +amplexuses +amply +ampliate +ampliation +ampliative +amplication +amplicative +amplidyne +amplify +amplifiable +amplificate +amplification +amplifications +amplificative +amplificator +amplificatory +amplified +amplifier +amplifiers +amplifies +amplifying +amplitude +amplitudes +amplitudinous +ampollosity +ampongue +ampoule +ampoules +amps +ampul +ampulate +ampulated +ampulating +ampule +ampules +ampulla +ampullaceous +ampullae +ampullar +ampullary +ampullaria +ampullariidae +ampullate +ampullated +ampulliform +ampullitis +ampullosity +ampullula +ampullulae +ampuls +amputate +amputated +amputates +amputating +amputation +amputational +amputations +amputative +amputator +amputee +amputees +amra +amreeta +amreetas +amrelle +amrit +amrita +amritas +amritsar +amsath +amsel +amsonia +amsterdam +amsterdamer +amt +amtman +amtmen +amtrac +amtrack +amtracks +amtracs +amtrak +amu +amuchco +amuck +amucks +amueixa +amugis +amuguis +amuyon +amuyong +amula +amulae +amulas +amulet +amuletic +amulets +amulla +amunam +amurca +amurcosity +amurcous +amurru +amus +amusable +amuse +amused +amusedly +amusee +amusement +amusements +amuser +amusers +amuses +amusette +amusgo +amusia +amusias +amusing +amusingly +amusingness +amusive +amusively +amusiveness +amutter +amuze +amuzzle +amvis +amzel +an +ana +anabaena +anabaenas +anabantid +anabantidae +anabaptism +anabaptist +anabaptistic +anabaptistical +anabaptistically +anabaptistry +anabaptists +anabaptize +anabaptized +anabaptizing +anabas +anabases +anabasin +anabasine +anabasis +anabasse +anabata +anabathmoi +anabathmos +anabathrum +anabatic +anaberoga +anabia +anabibazon +anabiosis +anabiotic +anablepidae +anableps +anablepses +anabo +anabohitsite +anaboly +anabolic +anabolin +anabolism +anabolite +anabolitic +anabolize +anabong +anabranch +anabrosis +anabrotic +anacahuita +anacahuite +anacalypsis +anacampsis +anacamptic +anacamptically +anacamptics +anacamptometer +anacanth +anacanthine +anacanthini +anacanthous +anacara +anacard +anacardiaceae +anacardiaceous +anacardic +anacardium +anacatadidymus +anacatharsis +anacathartic +anacephalaeosis +anacephalize +anaces +anacharis +anachoret +anachorism +anachromasis +anachronic +anachronical +anachronically +anachronism +anachronismatical +anachronisms +anachronist +anachronistic +anachronistical +anachronistically +anachronize +anachronous +anachronously +anachueta +anacyclus +anacid +anacidity +anack +anaclasis +anaclastic +anaclastics +anaclete +anacletica +anacleticum +anaclinal +anaclisis +anaclitic +anacoenoses +anacoenosis +anacolutha +anacoluthia +anacoluthic +anacoluthically +anacoluthon +anacoluthons +anacoluttha +anaconda +anacondas +anacoustic +anacreon +anacreontic +anacreontically +anacrisis +anacrogynae +anacrogynous +anacromyodian +anacrotic +anacrotism +anacruses +anacrusis +anacrustic +anacrustically +anaculture +anacusia +anacusic +anacusis +anadem +anadems +anadenia +anadesm +anadicrotic +anadicrotism +anadidymus +anadyomene +anadiplosis +anadipsia +anadipsic +anadrom +anadromous +anaematosis +anaemia +anaemias +anaemic +anaemotropy +anaeretic +anaerobation +anaerobe +anaerobes +anaerobia +anaerobian +anaerobic +anaerobically +anaerobies +anaerobion +anaerobiont +anaerobiosis +anaerobiotic +anaerobiotically +anaerobious +anaerobism +anaerobium +anaerophyte +anaeroplasty +anaeroplastic +anaesthatic +anaesthesia +anaesthesiant +anaesthesiology +anaesthesiologist +anaesthesis +anaesthetic +anaesthetically +anaesthetics +anaesthetist +anaesthetization +anaesthetize +anaesthetized +anaesthetizer +anaesthetizing +anaesthyl +anaetiological +anagalactic +anagallis +anagap +anagenesis +anagenetic +anagenetical +anagennesis +anagep +anagignoskomena +anagyrin +anagyrine +anagyris +anaglyph +anaglyphy +anaglyphic +anaglyphical +anaglyphics +anaglyphoscope +anaglyphs +anaglypta +anaglyptic +anaglyptical +anaglyptics +anaglyptograph +anaglyptography +anaglyptographic +anaglypton +anagnorises +anagnorisis +anagnost +anagnostes +anagoge +anagoges +anagogy +anagogic +anagogical +anagogically +anagogics +anagogies +anagram +anagrammatic +anagrammatical +anagrammatically +anagrammatise +anagrammatised +anagrammatising +anagrammatism +anagrammatist +anagrammatization +anagrammatize +anagrammatized +anagrammatizing +anagrammed +anagramming +anagrams +anagraph +anagua +anahao +anahau +anaheim +anahita +anay +anaitis +anakes +anakinesis +anakinetic +anakinetomer +anakinetomeric +anakoluthia +anakrousis +anaktoron +anal +analabos +analagous +analav +analcime +analcimes +analcimic +analcimite +analcite +analcites +analcitite +analecta +analectic +analects +analemma +analemmas +analemmata +analemmatic +analepses +analepsy +analepsis +analeptic +analeptical +analgen +analgene +analgesia +analgesic +analgesics +analgesidae +analgesis +analgesist +analgetic +analgia +analgias +analgic +analgize +analysability +analysable +analysand +analysands +analysation +analyse +analysed +analyser +analysers +analyses +analysing +analysis +analyst +analysts +analyt +anality +analytic +analytical +analytically +analyticity +analyticities +analytics +analities +analytique +analyzability +analyzable +analyzation +analyze +analyzed +analyzer +analyzers +analyzes +analyzing +analkalinity +anallagmatic +anallagmatis +anallantoic +anallantoidea +anallantoidean +anallergic +anally +analog +analoga +analogal +analogy +analogia +analogic +analogical +analogically +analogicalness +analogice +analogies +analogion +analogions +analogise +analogised +analogising +analogism +analogist +analogistic +analogize +analogized +analogizing +analogon +analogous +analogously +analogousness +analogs +analogue +analogues +analphabet +analphabete +analphabetic +analphabetical +analphabetism +anam +anama +anamesite +anametadromous +anamirta +anamirtin +anamite +anammonid +anammonide +anamneses +anamnesis +anamnestic +anamnestically +anamnia +anamniata +anamnionata +anamnionic +anamniota +anamniote +anamniotic +anamorphic +anamorphism +anamorphoscope +anamorphose +anamorphoses +anamorphosis +anamorphote +anamorphous +anan +anana +ananaplas +ananaples +ananas +ananda +anandrarious +anandria +anandrious +anandrous +ananepionic +anangioid +anangular +ananias +ananym +ananism +ananite +anankastic +ananke +anankes +anansi +ananta +ananter +anantherate +anantherous +ananthous +ananthropism +anapaest +anapaestic +anapaestical +anapaestically +anapaests +anapaganize +anapaite +anapanapa +anapeiratic +anapes +anapest +anapestic +anapestically +anapests +anaphalantiasis +anaphalis +anaphase +anaphases +anaphasic +anaphe +anaphia +anaphylactic +anaphylactically +anaphylactin +anaphylactogen +anaphylactogenic +anaphylactoid +anaphylatoxin +anaphylaxis +anaphyte +anaphora +anaphoral +anaphoras +anaphoria +anaphoric +anaphorical +anaphorically +anaphrodisia +anaphrodisiac +anaphroditic +anaphroditous +anaplasia +anaplasis +anaplasm +anaplasma +anaplasmoses +anaplasmosis +anaplasty +anaplastic +anapleroses +anaplerosis +anaplerotic +anapnea +anapneic +anapnoeic +anapnograph +anapnoic +anapnometer +anapodeictic +anapophyses +anapophysial +anapophysis +anapsid +anapsida +anapsidan +anapterygota +anapterygote +anapterygotism +anapterygotous +anaptychi +anaptychus +anaptyctic +anaptyctical +anaptyxes +anaptyxis +anaptomorphidae +anaptomorphus +anaptotic +anaqua +anarcestean +anarcestes +anarch +anarchal +anarchy +anarchial +anarchic +anarchical +anarchically +anarchies +anarchism +anarchist +anarchistic +anarchists +anarchize +anarcho +anarchoindividualist +anarchosyndicalism +anarchosyndicalist +anarchosocialist +anarchs +anarcotin +anareta +anaretic +anaretical +anargyroi +anargyros +anarya +anaryan +anarithia +anarithmia +anarthria +anarthric +anarthropod +anarthropoda +anarthropodous +anarthrosis +anarthrous +anarthrously +anarthrousness +anartismos +anas +anasa +anasarca +anasarcas +anasarcous +anasazi +anaschistic +anaseismic +anasitch +anaspadias +anaspalin +anaspid +anaspida +anaspidacea +anaspides +anastalsis +anastaltic +anastases +anastasia +anastasian +anastasimon +anastasimos +anastasis +anastasius +anastate +anastatic +anastatica +anastatus +anastigmat +anastigmatic +anastomos +anastomose +anastomosed +anastomoses +anastomosing +anastomosis +anastomotic +anastomus +anastrophe +anastrophy +anastrophia +anat +anatabine +anatase +anatases +anatexes +anatexis +anathem +anathema +anathemas +anathemata +anathematic +anathematical +anathematically +anathematisation +anathematise +anathematised +anathematiser +anathematising +anathematism +anathematization +anathematize +anathematized +anathematizer +anathematizes +anathematizing +anatheme +anathemize +anatherum +anatidae +anatifa +anatifae +anatifer +anatiferous +anatinacea +anatinae +anatine +anatira +anatman +anatocism +anatole +anatoly +anatolian +anatolic +anatomy +anatomic +anatomical +anatomically +anatomicals +anatomicobiological +anatomicochirurgical +anatomicomedical +anatomicopathologic +anatomicopathological +anatomicophysiologic +anatomicophysiological +anatomicosurgical +anatomies +anatomiless +anatomisable +anatomisation +anatomise +anatomised +anatomiser +anatomising +anatomism +anatomist +anatomists +anatomizable +anatomization +anatomize +anatomized +anatomizer +anatomizes +anatomizing +anatomopathologic +anatomopathological +anatopism +anatosaurus +anatox +anatoxin +anatoxins +anatreptic +anatripsis +anatripsology +anatriptic +anatron +anatropal +anatropia +anatropous +anatta +anatto +anattos +anatum +anaudia +anaudic +anaunter +anaunters +anauxite +anax +anaxagorean +anaxagorize +anaxial +anaximandrian +anaxon +anaxone +anaxonia +anazoturia +anba +anbury +anc +ancerata +ancestor +ancestorial +ancestorially +ancestors +ancestral +ancestrally +ancestress +ancestresses +ancestry +ancestrial +ancestrian +ancestries +ancha +anchat +anchietea +anchietin +anchietine +anchieutectic +anchylose +anchylosed +anchylosing +anchylosis +anchylotic +anchimonomineral +anchisaurus +anchises +anchistea +anchistopoda +anchithere +anchitherioid +anchoic +anchor +anchorable +anchorage +anchorages +anchorate +anchored +anchorer +anchoress +anchoresses +anchoret +anchoretic +anchoretical +anchoretish +anchoretism +anchorets +anchorhold +anchory +anchoring +anchorite +anchorites +anchoritess +anchoritic +anchoritical +anchoritically +anchoritish +anchoritism +anchorless +anchorlike +anchorman +anchormen +anchors +anchorwise +anchoveta +anchovy +anchovies +anchtherium +anchusa +anchusas +anchusin +anchusine +anchusins +ancien +ancience +anciency +anciennete +anciens +ancient +ancienter +ancientest +ancienty +ancientism +anciently +ancientness +ancientry +ancients +ancile +ancilia +ancilla +ancillae +ancillary +ancillaries +ancillas +ancille +ancyloceras +ancylocladus +ancylodactyla +ancylopod +ancylopoda +ancylose +ancylostoma +ancylostome +ancylostomiasis +ancylostomum +ancylus +ancipital +ancipitous +ancyrean +ancyrene +ancyroid +ancistrocladaceae +ancistrocladaceous +ancistrocladus +ancistrodon +ancistroid +ancle +ancodont +ancoly +ancome +ancon +ancona +anconad +anconagra +anconal +anconas +ancone +anconeal +anconei +anconeous +ancones +anconeus +ancony +anconitis +anconoid +ancor +ancora +ancoral +ancraophobia +ancre +ancress +ancresses +and +anda +andabata +andabatarian +andabatism +andalusian +andalusite +andaman +andamanese +andamenta +andamento +andamentos +andante +andantes +andantini +andantino +andantinos +andaqui +andaquian +andarko +andaste +ande +andean +anders +anderson +anderun +andes +andesic +andesine +andesinite +andesite +andesyte +andesites +andesytes +andesitic +andevo +andhra +andi +andy +andia +andian +andine +anding +andira +andirin +andirine +andiroba +andiron +andirons +andoke +andor +andorite +andoroba +andorobo +andorra +andorran +andouille +andouillet +andouillette +andradite +andragogy +andranatomy +andrarchy +andre +andrea +andreaea +andreaeaceae +andreaeales +andreas +andrena +andrenid +andrenidae +andrew +andrewartha +andrewsite +andria +andriana +andrias +andric +andries +andrite +androcentric +androcephalous +androcephalum +androcyte +androclclinia +androcles +androclinia +androclinium +androclus +androconia +androconium +androcracy +androcratic +androdynamous +androdioecious +androdioecism +androeccia +androecia +androecial +androecium +androgametangium +androgametophore +androgamone +androgen +androgenesis +androgenetic +androgenic +androgenous +androgens +androgyn +androgynal +androgynary +androgyne +androgyneity +androgyny +androgynia +androgynic +androgynies +androgynism +androginous +androgynous +androgynus +androgone +androgonia +androgonial +androgonidium +androgonium +andrographis +andrographolide +android +androidal +androides +androids +androkinin +androl +androlepsy +androlepsia +andromache +andromania +andromaque +andromed +andromeda +andromede +andromedotoxin +andromonoecious +andromonoecism +andromorphous +andron +andronicus +andronitis +andropetalar +andropetalous +androphagous +androphyll +androphobia +androphonomania +androphore +androphorous +androphorum +andropogon +androsace +androscoggin +androseme +androsin +androsphinges +androsphinx +androsphinxes +androsporangium +androspore +androsterone +androtauric +androtomy +ands +andvari +ane +anear +aneared +anearing +anears +aneath +anecdysis +anecdota +anecdotage +anecdotal +anecdotalism +anecdotalist +anecdotally +anecdote +anecdotes +anecdotic +anecdotical +anecdotically +anecdotist +anecdotists +anechoic +anelace +anelastic +anelasticity +anele +anelectric +anelectrode +anelectrotonic +anelectrotonus +aneled +aneles +aneling +anelytrous +anematize +anematized +anematizing +anematosis +anemia +anemias +anemic +anemically +anemious +anemobiagraph +anemochord +anemochore +anemochoric +anemochorous +anemoclastic +anemogram +anemograph +anemography +anemographic +anemographically +anemology +anemologic +anemological +anemometer +anemometers +anemometry +anemometric +anemometrical +anemometrically +anemometrograph +anemometrographic +anemometrographically +anemonal +anemone +anemonella +anemones +anemony +anemonin +anemonol +anemopathy +anemophile +anemophily +anemophilous +anemopsis +anemoscope +anemoses +anemosis +anemotactic +anemotaxis +anemotropic +anemotropism +anencephaly +anencephalia +anencephalic +anencephalotrophia +anencephalous +anencephalus +anend +anenergia +anenst +anent +anenterous +anepia +anepigraphic +anepigraphous +anepiploic +anepithymia +anerethisia +aneretic +anergy +anergia +anergias +anergic +anergies +anerythroplasia +anerythroplastic +anerly +aneroid +aneroidograph +aneroids +anerotic +anes +anesis +anesone +anesthesia +anesthesiant +anesthesimeter +anesthesiology +anesthesiologies +anesthesiologist +anesthesiologists +anesthesiometer +anesthesis +anesthetic +anesthetically +anesthetics +anesthetist +anesthetists +anesthetization +anesthetize +anesthetized +anesthetizer +anesthetizes +anesthetizing +anesthyl +anestri +anestrous +anestrus +anet +anethene +anethol +anethole +anetholes +anethols +anethum +anetic +anetiological +aneuch +aneuploid +aneuploidy +aneuria +aneuric +aneurilemmic +aneurin +aneurine +aneurism +aneurysm +aneurismal +aneurysmal +aneurismally +aneurysmally +aneurismatic +aneurysmatic +aneurisms +aneurysms +anew +anezeh +anfeeld +anfract +anfractuose +anfractuosity +anfractuous +anfractuousness +anfracture +anga +angakok +angakoks +angakut +angami +angara +angaralite +angareb +angareeb +angarep +angary +angaria +angarias +angariation +angaries +angas +angdistis +angeyok +angekkok +angekok +angekut +angel +angela +angelate +angeldom +angeleen +angeleyes +angeleno +angeles +angelet +angelfish +angelfishes +angelhood +angelic +angelica +angelical +angelically +angelicalness +angelican +angelicas +angelicic +angelicize +angelicness +angelico +angelim +angelin +angelina +angeline +angelinformal +angelique +angelito +angelize +angelized +angelizing +angellike +angelo +angelocracy +angelographer +angelolater +angelolatry +angelology +angelologic +angelological +angelomachy +angelon +angelonia +angelophany +angelophanic +angelot +angels +angelship +angelus +angeluses +anger +angered +angering +angerless +angerly +angerona +angeronalia +angers +angetenar +angevin +angia +angiasthenia +angico +angie +angiectasis +angiectopia +angiemphraxis +angiitis +angild +angili +angilo +angina +anginal +anginas +anginiform +anginoid +anginophobia +anginose +anginous +angioasthenia +angioataxia +angioblast +angioblastic +angiocardiography +angiocardiographic +angiocardiographies +angiocarditis +angiocarp +angiocarpy +angiocarpian +angiocarpic +angiocarpous +angiocavernous +angiocholecystitis +angiocholitis +angiochondroma +angiocyst +angioclast +angiodermatitis +angiodiascopy +angioelephantiasis +angiofibroma +angiogenesis +angiogeny +angiogenic +angioglioma +angiogram +angiograph +angiography +angiographic +angiohemophilia +angiohyalinosis +angiohydrotomy +angiohypertonia +angiohypotonia +angioid +angiokeratoma +angiokinesis +angiokinetic +angioleucitis +angiolymphitis +angiolymphoma +angiolipoma +angiolith +angiology +angioma +angiomalacia +angiomas +angiomata +angiomatosis +angiomatous +angiomegaly +angiometer +angiomyocardiac +angiomyoma +angiomyosarcoma +angioneoplasm +angioneurosis +angioneurotic +angionoma +angionosis +angioparalysis +angioparalytic +angioparesis +angiopathy +angiophorous +angioplany +angioplasty +angioplerosis +angiopoietic +angiopressure +angiorrhagia +angiorrhaphy +angiorrhea +angiorrhexis +angiosarcoma +angiosclerosis +angiosclerotic +angioscope +angiosymphysis +angiosis +angiospasm +angiospastic +angiosperm +angiospermae +angiospermal +angiospermatous +angiospermic +angiospermous +angiosperms +angiosporous +angiostegnosis +angiostenosis +angiosteosis +angiostomy +angiostomize +angiostrophy +angiotasis +angiotelectasia +angiotenosis +angiotensin +angiotensinase +angiothlipsis +angiotome +angiotomy +angiotonase +angiotonic +angiotonin +angiotribe +angiotripsy +angiotrophic +angiport +angka +angkhak +anglaise +angle +angleberry +angled +angledog +angledozer +anglehook +anglemeter +anglepod +anglepods +angler +anglers +angles +anglesite +anglesmith +angletouch +angletwitch +anglewing +anglewise +angleworm +angleworms +angliae +anglian +anglians +anglic +anglican +anglicanism +anglicanisms +anglicanize +anglicanly +anglicans +anglicanum +anglice +anglicisation +anglicism +anglicisms +anglicist +anglicization +anglicize +anglicized +anglicizes +anglicizing +anglify +anglification +anglimaniac +angling +anglings +anglish +anglist +anglistics +anglo +anglogaea +anglogaean +angloid +angloman +anglomane +anglomania +anglomaniac +anglophil +anglophile +anglophiles +anglophily +anglophilia +anglophiliac +anglophilic +anglophilism +anglophobe +anglophobes +anglophobia +anglophobiac +anglophobic +anglophobist +anglos +ango +angoise +angola +angolan +angolans +angolar +angolese +angor +angora +angoras +angostura +angouleme +angoumian +angraecum +angry +angrier +angriest +angrily +angriness +angrite +angst +angster +angstrom +angstroms +angsts +anguid +anguidae +anguiform +anguilla +anguillaria +anguille +anguillidae +anguilliform +anguilloid +anguillula +anguillule +anguillulidae +anguimorpha +anguine +anguineal +anguineous +anguinidae +anguiped +anguis +anguish +anguished +anguishes +anguishful +anguishing +anguishous +anguishously +angula +angular +angulare +angularia +angularity +angularities +angularization +angularize +angularly +angularness +angulate +angulated +angulately +angulateness +angulates +angulating +angulation +angulatogibbous +angulatosinuous +angule +anguliferous +angulinerved +anguloa +angulodentate +angulometer +angulose +angulosity +angulosplenial +angulous +angulus +anguria +angus +anguses +angust +angustate +angustia +angusticlave +angustifoliate +angustifolious +angustirostrate +angustisellate +angustiseptal +angustiseptate +angustura +angwantibo +angwich +anhaematopoiesis +anhaematosis +anhaemolytic +anhalamine +anhaline +anhalonidine +anhalonin +anhalonine +anhalonium +anhalouidine +anhang +anhanga +anharmonic +anhedonia +anhedonic +anhedral +anhedron +anhelation +anhele +anhelose +anhelous +anhematopoiesis +anhematosis +anhemitonic +anhemolytic +anhyd +anhydraemia +anhydraemic +anhydrate +anhydrated +anhydrating +anhydration +anhydremia +anhydremic +anhydric +anhydride +anhydrides +anhydridization +anhydridize +anhydrite +anhydrization +anhydrize +anhydroglocose +anhydromyelia +anhidrosis +anhydrosis +anhidrotic +anhydrotic +anhydrous +anhydrously +anhydroxime +anhima +anhimae +anhimidae +anhinga +anhingas +anhysteretic +anhistic +anhistous +anhungered +anhungry +ani +any +aniba +anybody +anybodyd +anybodies +anicca +anice +anychia +aniconic +aniconism +anicular +anicut +anidian +anidiomatic +anidiomatical +anidrosis +aniellidae +aniente +anientise +anigh +anight +anights +anyhow +anil +anilao +anilau +anile +anileness +anilic +anilid +anilide +anilidic +anilidoxime +aniliid +anilin +anilinctus +aniline +anilines +anilingus +anilinism +anilino +anilinophile +anilinophilous +anilins +anility +anilities +anilla +anilopyrin +anilopyrine +anils +anim +anima +animability +animable +animableness +animacule +animadversal +animadversion +animadversional +animadversions +animadversive +animadversiveness +animadvert +animadverted +animadverter +animadverting +animadverts +animal +animala +animalcula +animalculae +animalcular +animalcule +animalcules +animalculine +animalculism +animalculist +animalculous +animalculum +animalhood +animalia +animalian +animalic +animalier +animalillio +animalisation +animalise +animalised +animalish +animalising +animalism +animalist +animalistic +animality +animalities +animalivora +animalivore +animalivorous +animalization +animalize +animalized +animalizing +animally +animallike +animalness +animals +animando +animant +animas +animastic +animastical +animate +animated +animatedly +animately +animateness +animater +animaters +animates +animating +animatingly +animation +animations +animatism +animatist +animatistic +animative +animato +animatograph +animator +animators +anime +animes +animetta +animi +animikean +animikite +animine +animis +animism +animisms +animist +animistic +animists +animize +animized +animo +anymore +animose +animoseness +animosity +animosities +animoso +animotheism +animous +animus +animuses +anion +anyone +anionic +anionically +anionics +anions +anyplace +aniridia +anis +anisado +anisal +anisalcohol +anisaldehyde +anisaldoxime +anisamide +anisandrous +anisanilide +anisanthous +anisate +anisated +anischuria +anise +aniseed +aniseeds +aniseikonia +aniseikonic +aniselike +aniseroot +anises +anisette +anisettes +anisic +anisidin +anisidine +anisidino +anisil +anisyl +anisilic +anisylidene +anisobranchiate +anisocarpic +anisocarpous +anisocercal +anisochromatic +anisochromia +anisocycle +anisocytosis +anisocoria +anisocotyledonous +anisocotyly +anisocratic +anisodactyl +anisodactyla +anisodactyle +anisodactyli +anisodactylic +anisodactylous +anisodont +anisogamete +anisogametes +anisogametic +anisogamy +anisogamic +anisogamous +anisogeny +anisogenous +anisogynous +anisognathism +anisognathous +anisoiconia +anisoyl +anisoin +anisokonia +anisol +anisole +anisoles +anisoleucocytosis +anisomeles +anisomelia +anisomelus +anisomeric +anisomerous +anisometric +anisometrope +anisometropia +anisometropic +anisomyarian +anisomyodi +anisomyodian +anisomyodous +anisopetalous +anisophylly +anisophyllous +anisopia +anisopleural +anisopleurous +anisopod +anisopoda +anisopodal +anisopodous +anisopogonous +anisoptera +anisopteran +anisopterous +anisosepalous +anisospore +anisostaminous +anisostemonous +anisosthenic +anisostichous +anisostichus +anisostomous +anisotonic +anisotropal +anisotrope +anisotropy +anisotropic +anisotropical +anisotropically +anisotropies +anisotropism +anisotropous +anystidae +anisum +anisuria +anita +anither +anything +anythingarian +anythingarianism +anythings +anytime +anitinstitutionalism +anitos +anitrogenous +anyway +anyways +anywhen +anywhence +anywhere +anywhereness +anywheres +anywhy +anywhither +anywise +anywither +anjan +anjou +ankara +ankaramite +ankaratrite +ankee +anker +ankerhold +ankerite +ankerites +ankh +ankhs +ankylenteron +ankyloblepharon +ankylocheilia +ankylodactylia +ankylodontia +ankyloglossia +ankylomele +ankylomerism +ankylophobia +ankylopodia +ankylopoietic +ankyloproctia +ankylorrhinia +ankylos +ankylosaur +ankylosaurus +ankylose +ankylosed +ankyloses +ankylosing +ankylosis +ankylostoma +ankylostomiasis +ankylotia +ankylotic +ankylotome +ankylotomy +ankylurethria +ankyroid +ankle +anklebone +anklebones +anklejack +ankles +anklet +anklets +anklong +anklung +ankoli +ankou +ankus +ankuses +ankush +ankusha +ankushes +anlace +anlaces +anlage +anlagen +anlages +anlas +anlases +anlaut +anlaute +anlet +anlia +anmia +ann +anna +annabel +annabergite +annal +annale +annaly +annalia +annaline +annalism +annalist +annalistic +annalistically +annalists +annalize +annals +annam +annamese +annamite +annamitic +annapolis +annapurna +annard +annary +annas +annat +annates +annats +annatto +annattos +anne +anneal +annealed +annealer +annealers +annealing +anneals +annect +annectant +annectent +annection +annelid +annelida +annelidan +annelides +annelidian +annelidous +annelids +annelism +annellata +anneloid +annerodite +annerre +anneslia +annet +annette +annex +annexa +annexable +annexal +annexation +annexational +annexationism +annexationist +annexations +annexe +annexed +annexer +annexes +annexing +annexion +annexionist +annexitis +annexive +annexment +annexure +anni +annicut +annidalin +annie +anniellidae +annihil +annihilability +annihilable +annihilate +annihilated +annihilates +annihilating +annihilation +annihilationism +annihilationist +annihilationistic +annihilationistical +annihilative +annihilator +annihilatory +annihilators +annist +annite +anniv +anniversalily +anniversary +anniversaries +anniversarily +anniversariness +anniverse +anno +annodated +annoy +annoyance +annoyancer +annoyances +annoyed +annoyer +annoyers +annoyful +annoying +annoyingly +annoyingness +annoyment +annoyous +annoyously +annoys +annominate +annomination +annona +annonaceae +annonaceous +annonce +annot +annotate +annotated +annotater +annotates +annotating +annotation +annotations +annotative +annotatively +annotativeness +annotator +annotatory +annotators +annotine +annotinous +annotto +announce +announceable +announced +announcement +announcements +announcer +announcers +announces +announcing +annual +annualist +annualize +annualized +annually +annuals +annuary +annuation +annueler +annueller +annuent +annuisance +annuitant +annuitants +annuity +annuities +annul +annular +annulary +annularia +annularity +annularly +annulata +annulate +annulated +annulately +annulation +annulations +annule +annuler +annulet +annulets +annulettee +annuli +annulism +annullable +annullate +annullation +annulled +annuller +annulli +annulling +annulment +annulments +annuloid +annuloida +annulosa +annulosan +annulose +annuls +annulus +annuluses +annum +annumerate +annunciable +annunciade +annunciate +annunciated +annunciates +annunciating +annunciation +annunciations +annunciative +annunciator +annunciatory +annunciators +annus +anoa +anoas +anobiidae +anobing +anocarpous +anocathartic +anociassociation +anociation +anocithesia +anococcygeal +anodal +anodally +anode +anodendron +anodes +anodic +anodically +anodine +anodyne +anodynes +anodynia +anodynic +anodynous +anodization +anodize +anodized +anodizes +anodizing +anodon +anodonta +anodontia +anodos +anoegenetic +anoesia +anoesis +anoestrous +anoestrum +anoestrus +anoetic +anogenic +anogenital +anogra +anoia +anoil +anoine +anoint +anointed +anointer +anointers +anointing +anointment +anointments +anoints +anole +anoles +anoli +anolian +anolympiad +anolis +anolyte +anolytes +anomal +anomala +anomaly +anomalies +anomaliflorous +anomaliped +anomalipod +anomalism +anomalist +anomalistic +anomalistical +anomalistically +anomalocephalus +anomaloflorous +anomalogonatae +anomalogonatous +anomalon +anomalonomy +anomalopteryx +anomaloscope +anomalotrophy +anomalous +anomalously +anomalousness +anomalure +anomaluridae +anomalurus +anomatheca +anomer +anomy +anomia +anomiacea +anomic +anomie +anomies +anomiidae +anomite +anomocarpous +anomodont +anomodontia +anomoean +anomoeanism +anomoeomery +anomophyllous +anomorhomboid +anomorhomboidal +anomouran +anomphalous +anomura +anomural +anomuran +anomurous +anon +anonaceous +anonad +anonang +anoncillo +anonychia +anonym +anonyma +anonyme +anonymity +anonymities +anonymous +anonymously +anonymousness +anonyms +anonymuncule +anonol +anoopsia +anoopsias +anoperineal +anophele +anopheles +anophelinae +anopheline +anophyte +anophoria +anophthalmia +anophthalmos +anophthalmus +anopia +anopias +anopisthograph +anopisthographic +anopisthographically +anopla +anoplanthus +anoplocephalic +anoplonemertean +anoplonemertini +anoplothere +anoplotheriidae +anoplotherioid +anoplotherium +anoplotheroid +anoplura +anopluriform +anopsy +anopsia +anopsias +anopubic +anorak +anoraks +anorchi +anorchia +anorchism +anorchous +anorchus +anorectal +anorectic +anorectous +anoretic +anorexy +anorexia +anorexiant +anorexias +anorexic +anorexics +anorexies +anorexigenic +anorgana +anorganic +anorganism +anorganology +anormal +anormality +anorn +anorogenic +anorth +anorthic +anorthite +anorthitic +anorthitite +anorthoclase +anorthography +anorthographic +anorthographical +anorthographically +anorthophyre +anorthopia +anorthoscope +anorthose +anorthosite +anoscope +anoscopy +anosia +anosmatic +anosmia +anosmias +anosmic +anosognosia +anosphrasia +anosphresia +anospinal +anostosis +anostraca +anoterite +another +anotherguess +anotherkins +anotia +anotropia +anotta +anotto +anotus +anounou +anour +anoura +anoure +anourous +anous +anova +anovesical +anovulant +anovular +anovulatory +anoxaemia +anoxaemic +anoxemia +anoxemias +anoxemic +anoxia +anoxias +anoxybiosis +anoxybiotic +anoxic +anoxidative +anoxyscope +anquera +anre +ans +ansa +ansae +ansar +ansarian +ansarie +ansate +ansated +ansation +anschauung +anschluss +anseis +ansel +anselm +anselmian +anser +anserated +anseres +anseriformes +anserin +anserinae +anserine +anserines +anserous +ansi +anspessade +anstoss +anstosse +ansu +ansulate +answer +answerability +answerable +answerableness +answerably +answered +answerer +answerers +answering +answeringly +answerless +answerlessly +answers +ant +anta +antacid +antacids +antacrid +antadiform +antae +antaean +antaeus +antagony +antagonisable +antagonisation +antagonise +antagonised +antagonising +antagonism +antagonisms +antagonist +antagonistic +antagonistical +antagonistically +antagonists +antagonizable +antagonization +antagonize +antagonized +antagonizer +antagonizes +antagonizing +antaimerina +antaios +antaiva +antal +antalgesic +antalgic +antalgics +antalgol +antalkali +antalkalies +antalkaline +antalkalis +antambulacral +antanacathartic +antanaclasis +antanagoge +antanandro +antanemic +antapex +antapexes +antaphrodisiac +antaphroditic +antapices +antapocha +antapodosis +antapology +antapoplectic +antar +antara +antarala +antaranga +antarchy +antarchism +antarchist +antarchistic +antarchistical +antarctalia +antarctalian +antarctic +antarctica +antarctical +antarctically +antarctogaea +antarctogaean +antares +antarthritic +antas +antasphyctic +antasthenic +antasthmatic +antatrophic +antbird +antdom +ante +anteact +anteal +anteambulate +anteambulation +anteater +anteaters +antebaptismal +antebath +antebellum +antebrachia +antebrachial +antebrachium +antebridal +antecabinet +antecaecal +antecardium +antecavern +antecedal +antecedaneous +antecedaneously +antecede +anteceded +antecedence +antecedency +antecedent +antecedental +antecedently +antecedents +antecedes +anteceding +antecell +antecessor +antechamber +antechambers +antechapel +antechinomys +antechoir +antechoirs +antechurch +anteclassical +antecloset +antecolic +antecommunion +anteconsonantal +antecornu +antecourt +antecoxal +antecubital +antecurvature +anted +antedate +antedated +antedates +antedating +antedawn +antediluvial +antediluvially +antediluvian +antedon +antedonin +antedorsal +anteed +antefact +antefebrile +antefix +antefixa +antefixal +antefixes +anteflected +anteflexed +anteflexion +antefurca +antefurcae +antefurcal +antefuture +antegarden +antegrade +antehall +antehypophysis +antehistoric +antehuman +anteing +anteinitial +antejentacular +antejudiciary +antejuramentum +antelabium +antelation +antelegal +antelocation +antelope +antelopes +antelopian +antelopine +antelucan +antelude +anteluminary +antemarginal +antemarital +antemask +antemedial +antemeridian +antemetallic +antemetic +antemillennial +antemingent +antemortal +antemortem +antemundane +antemural +antenarial +antenatal +antenatalitial +antenati +antenatus +antenave +antenna +antennae +antennal +antennary +antennaria +antennariid +antennariidae +antennarius +antennas +antennata +antennate +antennifer +antenniferous +antenniform +antennula +antennular +antennulary +antennule +antenodal +antenoon +antenor +antenumber +antenuptial +anteoccupation +anteocular +anteopercle +anteoperculum +anteorbital +antepagment +antepagmenta +antepagments +antepalatal +antepartum +antepaschal +antepaschel +antepast +antepasts +antepatriarchal +antepectoral +antepectus +antependia +antependium +antependiums +antepenuit +antepenult +antepenultima +antepenultimate +antepenults +antephialtic +antepileptic +antepyretic +antepirrhema +antepone +anteporch +anteport +anteportico +anteporticoes +anteporticos +anteposition +anteposthumous +anteprandial +antepredicament +antepredicamental +antepreterit +antepretonic +anteprohibition +anteprostate +anteprostatic +antequalm +antereformation +antereformational +anteresurrection +anterethic +anterevolutional +anterevolutionary +antergic +anteri +anteriad +anterin +anterioyancer +anterior +anteriority +anteriorly +anteriorness +anteriors +anteroclusion +anterodorsal +anteroexternal +anterofixation +anteroflexion +anterofrontal +anterograde +anteroinferior +anterointerior +anterointernal +anterolateral +anterolaterally +anteromedial +anteromedian +anteroom +anterooms +anteroparietal +anteropygal +anteroposterior +anteroposteriorly +anterospinal +anterosuperior +anteroventral +anteroventrally +antes +antescript +antesignani +antesignanus +antespring +antestature +antesternal +antesternum +antesunrise +antesuperior +antetemple +antethem +antetype +antetypes +anteva +antevenient +anteversion +antevert +anteverted +anteverting +anteverts +antevocalic +antewar +anthdia +anthecology +anthecological +anthecologist +antheia +anthela +anthelae +anthelia +anthelices +anthelion +anthelions +anthelix +anthelminthic +anthelmintic +anthem +anthema +anthemas +anthemata +anthemed +anthemene +anthemy +anthemia +anthemideae +antheming +anthemion +anthemis +anthems +anthemwise +anther +antheraea +antheral +anthericum +antherid +antheridia +antheridial +antheridiophore +antheridium +antherids +antheriferous +antheriform +antherine +antherless +antherogenous +antheroid +antherozoid +antherozoidal +antherozooid +antherozooidal +anthers +antheses +anthesis +anthesteria +anthesteriac +anthesterin +anthesterion +anthesterol +antheximeter +anthicidae +anthidium +anthill +anthyllis +anthills +anthinae +anthine +anthypnotic +anthypophora +anthypophoretic +anthobian +anthobiology +anthocarp +anthocarpous +anthocephalous +anthoceros +anthocerotaceae +anthocerotales +anthocerote +anthochlor +anthochlorine +anthocyan +anthocyanidin +anthocyanin +anthoclinium +anthodia +anthodium +anthoecology +anthoecological +anthoecologist +anthogenesis +anthogenetic +anthogenous +anthography +anthoid +anthokyan +anthol +antholysis +antholite +antholyza +anthology +anthological +anthologically +anthologies +anthologion +anthologise +anthologised +anthologising +anthologist +anthologists +anthologize +anthologized +anthologizer +anthologizes +anthologizing +anthomania +anthomaniac +anthomedusae +anthomedusan +anthomyia +anthomyiid +anthomyiidae +anthony +anthonin +anthonomus +anthood +anthophagy +anthophagous +anthophila +anthophile +anthophilian +anthophyllite +anthophyllitic +anthophilous +anthophyta +anthophyte +anthophobia +anthophora +anthophore +anthophoridae +anthophorous +anthorine +anthos +anthosiderite +anthospermum +anthotaxy +anthotaxis +anthotropic +anthotropism +anthoxanthin +anthoxanthum +anthozoa +anthozoan +anthozoic +anthozooid +anthozoon +anthracaemia +anthracemia +anthracene +anthraceniferous +anthraces +anthrachrysone +anthracia +anthracic +anthraciferous +anthracyl +anthracin +anthracite +anthracitic +anthracitiferous +anthracitious +anthracitism +anthracitization +anthracitous +anthracnose +anthracnosis +anthracocide +anthracoid +anthracolithic +anthracomancy +anthracomarti +anthracomartian +anthracomartus +anthracometer +anthracometric +anthraconecrosis +anthraconite +anthracosaurus +anthracosilicosis +anthracosis +anthracothere +anthracotheriidae +anthracotherium +anthracotic +anthracoxen +anthradiol +anthradiquinone +anthraflavic +anthragallol +anthrahydroquinone +anthralin +anthramin +anthramine +anthranil +anthranyl +anthranilate +anthranilic +anthranoyl +anthranol +anthranone +anthraphenone +anthrapyridine +anthrapurpurin +anthraquinol +anthraquinone +anthraquinonyl +anthrarufin +anthrasilicosis +anthratetrol +anthrathiophene +anthratriol +anthrax +anthraxylon +anthraxolite +anthrenus +anthribid +anthribidae +anthryl +anthrylene +anthriscus +anthrohopobiological +anthroic +anthrol +anthrone +anthrop +anthrophore +anthropic +anthropical +anthropidae +anthropobiology +anthropobiologist +anthropocentric +anthropocentrically +anthropocentricity +anthropocentrism +anthropoclimatology +anthropoclimatologist +anthropocosmic +anthropodeoxycholic +anthropodus +anthropogenesis +anthropogenetic +anthropogeny +anthropogenic +anthropogenist +anthropogenous +anthropogeographer +anthropogeography +anthropogeographic +anthropogeographical +anthropoglot +anthropogony +anthropography +anthropographic +anthropoid +anthropoidal +anthropoidea +anthropoidean +anthropoids +anthropol +anthropolater +anthropolatry +anthropolatric +anthropolite +anthropolith +anthropolithic +anthropolitic +anthropology +anthropologic +anthropological +anthropologically +anthropologies +anthropologist +anthropologists +anthropomancy +anthropomantic +anthropomantist +anthropometer +anthropometry +anthropometric +anthropometrical +anthropometrically +anthropometrist +anthropomophitism +anthropomorph +anthropomorpha +anthropomorphic +anthropomorphical +anthropomorphically +anthropomorphidae +anthropomorphisation +anthropomorphise +anthropomorphised +anthropomorphising +anthropomorphism +anthropomorphisms +anthropomorphist +anthropomorphite +anthropomorphitic +anthropomorphitical +anthropomorphitism +anthropomorphization +anthropomorphize +anthropomorphized +anthropomorphizing +anthropomorphology +anthropomorphological +anthropomorphologically +anthropomorphosis +anthropomorphotheist +anthropomorphous +anthropomorphously +anthroponym +anthroponomy +anthroponomical +anthroponomics +anthroponomist +anthropopathy +anthropopathia +anthropopathic +anthropopathically +anthropopathism +anthropopathite +anthropophagi +anthropophagy +anthropophagic +anthropophagical +anthropophaginian +anthropophagism +anthropophagist +anthropophagistic +anthropophagit +anthropophagite +anthropophagize +anthropophagous +anthropophagously +anthropophagus +anthropophilous +anthropophysiography +anthropophysite +anthropophobia +anthropophuism +anthropophuistic +anthropopithecus +anthropopsychic +anthropopsychism +anthropos +anthroposcopy +anthroposociology +anthroposociologist +anthroposomatology +anthroposophy +anthroposophic +anthroposophical +anthroposophist +anthropoteleoclogy +anthropoteleological +anthropotheism +anthropotheist +anthropotheistic +anthropotomy +anthropotomical +anthropotomist +anthropotoxin +anthropozoic +anthropurgic +anthroropolith +anthroxan +anthroxanic +anththeridia +anthurium +anthus +anti +antiabolitionist +antiabortion +antiabrasion +antiabrin +antiabsolutist +antiacid +antiadiaphorist +antiaditis +antiadministration +antiae +antiaesthetic +antiager +antiagglutinant +antiagglutinating +antiagglutination +antiagglutinative +antiagglutinin +antiaggression +antiaggressionist +antiaggressive +antiaggressively +antiaggressiveness +antiaircraft +antialbumid +antialbumin +antialbumose +antialcoholic +antialcoholism +antialcoholist +antialdoxime +antialexin +antialien +antiamboceptor +antiamylase +antiamusement +antianaphylactogen +antianaphylaxis +antianarchic +antianarchist +antiangular +antiannexation +antiannexationist +antianopheline +antianthrax +antianthropocentric +antianthropomorphism +antiantibody +antiantidote +antiantienzyme +antiantitoxin +antianxiety +antiaphrodisiac +antiaphthic +antiapoplectic +antiapostle +antiaquatic +antiar +antiarcha +antiarchi +antiarin +antiarins +antiaris +antiaristocracy +antiaristocracies +antiaristocrat +antiaristocratic +antiaristocratical +antiaristocratically +antiarrhythmic +antiars +antiarthritic +antiascetic +antiasthmatic +antiastronomical +antiatheism +antiatheist +antiatheistic +antiatheistical +antiatheistically +antiatom +antiatoms +antiatonement +antiattrition +antiauthoritarian +antiauthoritarianism +antiautolysin +antiauxin +antibacchic +antibacchii +antibacchius +antibacterial +antibacteriolytic +antiballistic +antiballooner +antibalm +antibank +antibaryon +antibasilican +antibenzaldoxime +antiberiberin +antibias +antibibliolatry +antibigotry +antibilious +antibiont +antibiosis +antibiotic +antibiotically +antibiotics +antibishop +antiblack +antiblackism +antiblastic +antiblennorrhagic +antiblock +antiblue +antibody +antibodies +antiboss +antiboxing +antibrachial +antibreakage +antibridal +antibromic +antibubonic +antibug +antiburgher +antibusing +antic +antica +anticachectic +antical +anticalcimine +anticalculous +antically +anticalligraphic +anticamera +anticancer +anticancerous +anticapital +anticapitalism +anticapitalist +anticapitalistic +anticapitalistically +anticapitalists +anticar +anticardiac +anticardium +anticarious +anticarnivorous +anticaste +anticatalase +anticatalyst +anticatalytic +anticatalytically +anticatalyzer +anticatarrhal +anticathexis +anticathode +anticatholic +anticausotic +anticaustic +anticensorial +anticensorious +anticensoriously +anticensoriousness +anticensorship +anticentralism +anticentralist +anticentralization +anticephalalgic +anticeremonial +anticeremonialism +anticeremonialist +anticeremonially +anticeremonious +anticeremoniously +anticeremoniousness +antichamber +antichance +anticheater +antichymosin +antichlor +antichlorine +antichloristic +antichlorotic +anticholagogue +anticholinergic +anticholinesterase +antichoromanic +antichorus +antichreses +antichresis +antichretic +antichrist +antichristian +antichristianism +antichristianity +antichristianly +antichrists +antichrome +antichronical +antichronically +antichronism +antichthon +antichthones +antichurch +antichurchian +anticyclic +anticyclical +anticyclically +anticyclogenesis +anticyclolysis +anticyclone +anticyclones +anticyclonic +anticyclonically +anticynic +anticynical +anticynically +anticynicism +anticipant +anticipatable +anticipate +anticipated +anticipates +anticipating +anticipatingly +anticipation +anticipations +anticipative +anticipatively +anticipator +anticipatory +anticipatorily +anticipators +anticity +anticytolysin +anticytotoxin +anticivic +anticivil +anticivilian +anticivism +anticize +antick +anticked +anticker +anticking +anticks +antickt +anticlactic +anticlassical +anticlassicalism +anticlassicalist +anticlassically +anticlassicalness +anticlassicism +anticlassicist +anticlastic +anticlea +anticlergy +anticlerical +anticlericalism +anticlericalist +anticly +anticlimactic +anticlimactical +anticlimactically +anticlimax +anticlimaxes +anticlinal +anticline +anticlines +anticlinoria +anticlinorium +anticlnoria +anticlockwise +anticlogging +anticnemion +anticness +anticoagulan +anticoagulant +anticoagulants +anticoagulate +anticoagulating +anticoagulation +anticoagulative +anticoagulator +anticoagulin +anticodon +anticogitative +anticoincidence +anticold +anticolic +anticombination +anticomet +anticomment +anticommercial +anticommercialism +anticommercialist +anticommercialistic +anticommerciality +anticommercially +anticommercialness +anticommunism +anticommunist +anticommunistic +anticommunistical +anticommunistically +anticommunists +anticommutative +anticompetitive +anticomplement +anticomplementary +anticomplex +anticonceptionist +anticonductor +anticonfederationism +anticonfederationist +anticonfederative +anticonformist +anticonformity +anticonformities +anticonscience +anticonscription +anticonscriptive +anticonservatism +anticonservative +anticonservatively +anticonservativeness +anticonstitution +anticonstitutional +anticonstitutionalism +anticonstitutionalist +anticonstitutionally +anticontagion +anticontagionist +anticontagious +anticontagiously +anticontagiousness +anticonvellent +anticonvention +anticonventional +anticonventionalism +anticonventionalist +anticonventionally +anticonvulsant +anticonvulsive +anticor +anticorn +anticorona +anticorrosion +anticorrosive +anticorrosively +anticorrosiveness +anticorrosives +anticorset +anticosine +anticosmetic +anticosmetics +anticouncil +anticourt +anticourtier +anticous +anticovenanter +anticovenanting +anticreation +anticreational +anticreationism +anticreationist +anticreative +anticreatively +anticreativeness +anticreativity +anticreator +anticreep +anticreeper +anticreeping +anticrepuscular +anticrepuscule +anticryptic +anticryptically +anticrisis +anticritic +anticritical +anticritically +anticriticalness +anticritique +anticrochet +anticrotalic +antics +anticularia +anticult +anticum +anticus +antidactyl +antidancing +antidecalogue +antideflation +antidemocracy +antidemocracies +antidemocrat +antidemocratic +antidemocratical +antidemocratically +antidemoniac +antidepressant +antidepressants +antidepressive +antiderivative +antidetonant +antidetonating +antidiabetic +antidiastase +antidicomarian +antidicomarianite +antidictionary +antidiffuser +antidynamic +antidynasty +antidynastic +antidynastical +antidynastically +antidinic +antidiphtheria +antidiphtheric +antidiphtherin +antidiphtheritic +antidisciplinarian +antidyscratic +antidysenteric +antidisestablishmentarian +antidisestablishmentarianism +antidysuric +antidiuretic +antidivine +antidivorce +antidogmatic +antidogmatical +antidogmatically +antidogmatism +antidogmatist +antidomestic +antidomestically +antidominican +antidora +antidorcas +antidoron +antidotal +antidotally +antidotary +antidote +antidoted +antidotes +antidotical +antidotically +antidoting +antidotism +antidraft +antidrag +antidromal +antidromy +antidromic +antidromically +antidromous +antidrug +antiduke +antidumping +antiecclesiastic +antiecclesiastical +antiecclesiastically +antiecclesiasticism +antiedemic +antieducation +antieducational +antieducationalist +antieducationally +antieducationist +antiegoism +antiegoist +antiegoistic +antiegoistical +antiegoistically +antiegotism +antiegotist +antiegotistic +antiegotistical +antiegotistically +antieyestrain +antiejaculation +antielectron +antielectrons +antiemetic +antiemperor +antiempiric +antiempirical +antiempirically +antiempiricism +antiempiricist +antiendotoxin +antiendowment +antienergistic +antient +antienthusiasm +antienthusiast +antienthusiastic +antienthusiastically +antienvironmentalism +antienvironmentalist +antienvironmentalists +antienzymatic +antienzyme +antienzymic +antiepicenter +antiepileptic +antiepiscopal +antiepiscopist +antiepithelial +antierysipelas +antierosion +antierosive +antiestablishment +antietam +antiethnic +antieugenic +antievangelical +antievolution +antievolutional +antievolutionally +antievolutionary +antievolutionist +antievolutionistic +antiexpansion +antiexpansionism +antiexpansionist +antiexporting +antiexpressionism +antiexpressionist +antiexpressionistic +antiexpressive +antiexpressively +antiexpressiveness +antiextreme +antiface +antifaction +antifame +antifanatic +antifascism +antifascist +antifascists +antifat +antifatigue +antifebrile +antifebrin +antifederal +antifederalism +antifederalist +antifelon +antifelony +antifeminism +antifeminist +antifeministic +antiferment +antifermentative +antiferroelectric +antiferromagnet +antiferromagnetic +antiferromagnetism +antifertility +antifertilizer +antifeudal +antifeudalism +antifeudalist +antifeudalistic +antifeudalization +antifibrinolysin +antifibrinolysis +antifideism +antifire +antiflash +antiflattering +antiflatulent +antiflux +antifoam +antifoaming +antifoggant +antifogmatic +antiforeign +antiforeignism +antiformant +antiformin +antifouler +antifouling +antifowl +antifreeze +antifreezes +antifreezing +antifriction +antifrictional +antifrost +antifundamentalism +antifundamentalist +antifungal +antifungin +antigay +antigalactagogue +antigalactic +antigambling +antiganting +antigen +antigene +antigenes +antigenic +antigenically +antigenicity +antigens +antighostism +antigigmanic +antigyrous +antiglare +antiglyoxalase +antiglobulin +antignostic +antignostical +antigod +antigone +antigonococcic +antigonon +antigonorrheic +antigonus +antigorite +antigovernment +antigovernmental +antigovernmentally +antigraft +antigrammatical +antigrammatically +antigrammaticalness +antigraph +antigraphy +antigravitate +antigravitation +antigravitational +antigravitationally +antigravity +antigropelos +antigrowth +antiguan +antiguggler +antigun +antihalation +antiharmonist +antihectic +antihelices +antihelix +antihelixes +antihelminthic +antihemagglutinin +antihemisphere +antihemoglobin +antihemolysin +antihemolytic +antihemophilic +antihemorrhagic +antihemorrheidal +antihero +antiheroes +antiheroic +antiheroism +antiheterolysin +antihydrophobic +antihydropic +antihydropin +antihidrotic +antihierarchal +antihierarchy +antihierarchic +antihierarchical +antihierarchically +antihierarchies +antihierarchism +antihierarchist +antihygienic +antihygienically +antihylist +antihypertensive +antihypertensives +antihypnotic +antihypnotically +antihypochondriac +antihypophora +antihistamine +antihistamines +antihistaminic +antihysteric +antihistorical +antiholiday +antihormone +antihuff +antihum +antihuman +antihumanism +antihumanist +antihumanistic +antihumbuggist +antihunting +antiinflammatory +antiinflammatories +antiinstitutionalist +antiinstitutionalists +antiinsurrectionally +antiinsurrectionists +antijam +antikamnia +antikathode +antikenotoxin +antiketogen +antiketogenesis +antiketogenic +antikinase +antiking +antikings +antiknock +antiknocks +antilabor +antilaborist +antilacrosse +antilacrosser +antilactase +antilapsarian +antilapse +antileague +antileak +antileft +antilegalist +antilegomena +antilemic +antilens +antilepsis +antileptic +antilepton +antilethargic +antileukemic +antileveling +antilevelling +antilia +antiliberal +antiliberalism +antiliberalist +antiliberalistic +antiliberally +antiliberalness +antiliberals +antilibration +antilife +antilift +antilynching +antilipase +antilipoid +antiliquor +antilysin +antilysis +antilyssic +antilithic +antilytic +antilitter +antiliturgy +antiliturgic +antiliturgical +antiliturgically +antiliturgist +antillean +antilles +antilobium +antilocapra +antilocapridae +antilochus +antiloemic +antilog +antilogarithm +antilogarithmic +antilogarithms +antilogy +antilogic +antilogical +antilogies +antilogism +antilogistic +antilogistically +antilogous +antilogs +antiloimic +antilope +antilopinae +antilopine +antiloquy +antilottery +antiluetic +antiluetin +antimacassar +antimacassars +antimachination +antimachine +antimachinery +antimagistratical +antimagnetic +antimalaria +antimalarial +antimale +antimallein +antiman +antimaniac +antimaniacal +antimarian +antimark +antimartyr +antimask +antimasker +antimasks +antimason +antimasonic +antimasonry +antimasque +antimasquer +antimasquerade +antimaterialism +antimaterialist +antimaterialistic +antimaterialistically +antimatrimonial +antimatrimonialist +antimatter +antimechanism +antimechanist +antimechanistic +antimechanistically +antimechanization +antimediaeval +antimediaevalism +antimediaevalist +antimediaevally +antimedical +antimedically +antimedication +antimedicative +antimedicine +antimedieval +antimedievalism +antimedievalist +antimedievally +antimelancholic +antimellin +antimeningococcic +antimensia +antimension +antimensium +antimephitic +antimere +antimeres +antimerger +antimerging +antimeric +antimerina +antimerism +antimeristem +antimesia +antimeson +antimetabole +antimetabolite +antimetathesis +antimetathetic +antimeter +antimethod +antimethodic +antimethodical +antimethodically +antimethodicalness +antimetrical +antimetropia +antimetropic +antimiasmatic +antimycotic +antimicrobial +antimicrobic +antimilitary +antimilitarism +antimilitarist +antimilitaristic +antimilitaristically +antiministerial +antiministerialist +antiministerially +antiminsia +antiminsion +antimiscegenation +antimissile +antimission +antimissionary +antimissioner +antimystic +antimystical +antimystically +antimysticalness +antimysticism +antimythic +antimythical +antimitotic +antimixing +antimnemonic +antimodel +antimodern +antimodernism +antimodernist +antimodernistic +antimodernization +antimodernly +antimodernness +antimonarch +antimonarchal +antimonarchally +antimonarchy +antimonarchial +antimonarchic +antimonarchical +antimonarchically +antimonarchicalness +antimonarchism +antimonarchist +antimonarchistic +antimonarchists +antimonate +antimony +antimonial +antimoniate +antimoniated +antimonic +antimonid +antimonide +antimonies +antimoniferous +antimonyl +antimonious +antimonite +antimonium +antimoniuret +antimoniureted +antimoniuretted +antimonopoly +antimonopolism +antimonopolist +antimonopolistic +antimonopolization +antimonous +antimonsoon +antimoral +antimoralism +antimoralist +antimoralistic +antimorality +antimosquito +antimusical +antimusically +antimusicalness +antinarcotic +antinarcotics +antinarrative +antinational +antinationalism +antinationalist +antinationalistic +antinationalistically +antinationalists +antinationalization +antinationally +antinatural +antinaturalism +antinaturalist +antinaturalistic +antinaturally +antinaturalness +antinegro +antinegroism +antineologian +antineoplastic +antinephritic +antinepotic +antineuralgic +antineuritic +antineurotoxin +antineutral +antineutralism +antineutrality +antineutrally +antineutrino +antineutrinos +antineutron +antineutrons +anting +antinganting +antings +antinial +antinicotine +antinihilism +antinihilist +antinihilistic +antinion +antinodal +antinode +antinodes +antinoise +antinome +antinomy +antinomian +antinomianism +antinomians +antinomic +antinomical +antinomies +antinomist +antinoness +antinormal +antinormality +antinormalness +antinosarian +antinous +antinovel +antinovelist +antinovels +antinucleon +antinucleons +antinuke +antiochene +antiochian +antiochianism +antiodont +antiodontalgic +antiope +antiopelmous +antiophthalmic +antiopium +antiopiumist +antiopiumite +antioptimism +antioptimist +antioptimistic +antioptimistical +antioptimistically +antioptionist +antiorgastic +antiorthodox +antiorthodoxy +antiorthodoxly +antioxidant +antioxidants +antioxidase +antioxidizer +antioxidizing +antioxygen +antioxygenating +antioxygenation +antioxygenator +antioxygenic +antiozonant +antipacifism +antipacifist +antipacifistic +antipacifists +antipapacy +antipapal +antipapalist +antipapism +antipapist +antipapistic +antipapistical +antiparabema +antiparabemata +antiparagraphe +antiparagraphic +antiparalytic +antiparalytical +antiparallel +antiparallelogram +antiparasitic +antiparasitical +antiparasitically +antiparastatitis +antiparliament +antiparliamental +antiparliamentary +antiparliamentarian +antiparliamentarians +antiparliamentarist +antiparliamenteer +antipart +antiparticle +antiparticles +antipasch +antipascha +antipass +antipasti +antipastic +antipasto +antipastos +antipatharia +antipatharian +antipathetic +antipathetical +antipathetically +antipatheticalness +antipathy +antipathic +antipathida +antipathies +antipathist +antipathize +antipathogen +antipathogene +antipathogenic +antipatriarch +antipatriarchal +antipatriarchally +antipatriarchy +antipatriot +antipatriotic +antipatriotically +antipatriotism +antipedal +antipedobaptism +antipedobaptist +antipeduncular +antipellagric +antipendium +antipepsin +antipeptone +antiperiodic +antiperistalsis +antiperistaltic +antiperistasis +antiperistatic +antiperistatical +antiperistatically +antipersonnel +antiperspirant +antiperspirants +antiperthite +antipestilence +antipestilent +antipestilential +antipestilently +antipetalous +antipewism +antiphagocytic +antipharisaic +antipharmic +antiphase +antiphylloxeric +antiphilosophy +antiphilosophic +antiphilosophical +antiphilosophically +antiphilosophies +antiphilosophism +antiphysic +antiphysical +antiphysically +antiphysicalness +antiphysician +antiphlogistian +antiphlogistic +antiphlogistin +antiphon +antiphona +antiphonal +antiphonally +antiphonary +antiphonaries +antiphoner +antiphonetic +antiphony +antiphonic +antiphonical +antiphonically +antiphonies +antiphonon +antiphons +antiphrases +antiphrasis +antiphrastic +antiphrastical +antiphrastically +antiphthisic +antiphthisical +antipyic +antipyics +antipill +antipyonin +antipyresis +antipyretic +antipyretics +antipyryl +antipyrin +antipyrine +antipyrotic +antiplague +antiplanet +antiplastic +antiplatelet +antipleion +antiplenist +antiplethoric +antipleuritic +antiplurality +antipneumococcic +antipodagric +antipodagron +antipodal +antipode +antipodean +antipodeans +antipodes +antipodic +antipodism +antipodist +antipoetic +antipoetical +antipoetically +antipoints +antipolar +antipole +antipolemist +antipoles +antipolygamy +antipolyneuritic +antipolitical +antipolitically +antipolitics +antipollution +antipolo +antipool +antipooling +antipope +antipopery +antipopes +antipopular +antipopularization +antipopulationist +antipopulism +antiportable +antiposition +antipot +antipoverty +antipragmatic +antipragmatical +antipragmatically +antipragmaticism +antipragmatism +antipragmatist +antiprecipitin +antipredeterminant +antiprelate +antiprelatic +antiprelatism +antiprelatist +antipreparedness +antiprestidigitation +antipriest +antipriestcraft +antipriesthood +antiprime +antiprimer +antipriming +antiprinciple +antiprism +antiproductionist +antiproductive +antiproductively +antiproductiveness +antiproductivity +antiprofiteering +antiprogressive +antiprohibition +antiprohibitionist +antiprojectivity +antiprophet +antiprostate +antiprostatic +antiprotease +antiproteolysis +antiproton +antiprotons +antiprotozoal +antiprudential +antipruritic +antipsalmist +antipsychiatry +antipsychotic +antipsoric +antiptosis +antipudic +antipuritan +antiputrefaction +antiputrefactive +antiputrescent +antiputrid +antiq +antiqua +antiquary +antiquarian +antiquarianism +antiquarianize +antiquarianly +antiquarians +antiquaries +antiquarism +antiquarium +antiquartan +antiquate +antiquated +antiquatedness +antiquates +antiquating +antiquation +antique +antiqued +antiquely +antiqueness +antiquer +antiquers +antiques +antiquing +antiquist +antiquitarian +antiquity +antiquities +antiquum +antirabic +antirabies +antiracemate +antiracer +antirachitic +antirachitically +antiracial +antiracially +antiracing +antiracism +antiradiant +antiradiating +antiradiation +antiradical +antiradicalism +antiradically +antiradicals +antirailwayist +antirape +antirational +antirationalism +antirationalist +antirationalistic +antirationality +antirationally +antirattler +antireacting +antireaction +antireactionary +antireactionaries +antireactive +antirealism +antirealist +antirealistic +antirealistically +antireality +antirebating +antirecruiting +antired +antiredeposition +antireducer +antireducing +antireduction +antireductive +antireflexive +antireform +antireformer +antireforming +antireformist +antireligion +antireligionist +antireligiosity +antireligious +antireligiously +antiremonstrant +antirennet +antirennin +antirent +antirenter +antirentism +antirepublican +antirepublicanism +antireservationist +antiresonance +antiresonator +antirestoration +antireticular +antirevisionist +antirevolution +antirevolutionary +antirevolutionaries +antirevolutionist +antirheumatic +antiricin +antirickets +antiriot +antiritual +antiritualism +antiritualist +antiritualistic +antirobin +antiroyal +antiroyalism +antiroyalist +antiroll +antiromance +antiromantic +antiromanticism +antiromanticist +antirrhinum +antirumor +antirun +antirust +antirusts +antis +antisabbatarian +antisacerdotal +antisacerdotalist +antisag +antisaloon +antisalooner +antisavage +antiscabious +antiscale +antisceptic +antisceptical +antiscepticism +antischolastic +antischolastically +antischolasticism +antischool +antiscia +antiscians +antiscience +antiscientific +antiscientifically +antiscii +antiscion +antiscolic +antiscorbutic +antiscorbutical +antiscriptural +antiscripturism +antiscrofulous +antiseismic +antiselene +antisemite +antisemitic +antisemitism +antisensitivity +antisensitizer +antisensitizing +antisensuality +antisensuous +antisensuously +antisensuousness +antisepalous +antisepsin +antisepsis +antiseptic +antiseptical +antiseptically +antisepticise +antisepticised +antisepticising +antisepticism +antisepticist +antisepticize +antisepticized +antisepticizing +antiseptics +antiseption +antiseptize +antisera +antiserum +antiserums +antiserumsera +antisex +antisexist +antiship +antishipping +antisi +antisialagogue +antisialic +antisiccative +antisideric +antisilverite +antisymmetry +antisymmetric +antisymmetrical +antisimoniacal +antisyndicalism +antisyndicalist +antisyndication +antisine +antisynod +antisyphilitic +antisiphon +antisiphonal +antiskeptic +antiskeptical +antiskepticism +antiskid +antiskidding +antislavery +antislaveryism +antislickens +antislip +antismog +antismoking +antismut +antisnapper +antisnob +antisocial +antisocialist +antisocialistic +antisocialistically +antisociality +antisocially +antisolar +antisophism +antisophist +antisophistic +antisophistication +antisophistry +antisoporific +antispace +antispadix +antispasis +antispasmodic +antispasmodics +antispast +antispastic +antispectroscopic +antispeculation +antispermotoxin +antispiritual +antispiritualism +antispiritualist +antispiritualistic +antispiritually +antispirochetic +antisplasher +antisplenetic +antisplitting +antispreader +antispreading +antisquama +antisquatting +antistadholder +antistadholderian +antistalling +antistaphylococcic +antistat +antistate +antistater +antistatic +antistatism +antistatist +antisteapsin +antisterility +antistes +antistimulant +antistimulation +antistock +antistreptococcal +antistreptococcic +antistreptococcin +antistreptococcus +antistrike +antistriker +antistrophal +antistrophe +antistrophic +antistrophically +antistrophize +antistrophon +antistrumatic +antistrumous +antisubmarine +antisubstance +antisudoral +antisudorific +antisuffrage +antisuffragist +antisun +antisupernatural +antisupernaturalism +antisupernaturalist +antisupernaturalistic +antisurplician +antitabetic +antitabloid +antitangent +antitank +antitarnish +antitarnishing +antitartaric +antitax +antitaxation +antiteetotalism +antitegula +antitemperance +antitetanic +antitetanolysin +antithalian +antitheft +antitheism +antitheist +antitheistic +antitheistical +antitheistically +antithenar +antitheology +antitheologian +antitheological +antitheologizing +antithermic +antithermin +antitheses +antithesis +antithesism +antithesize +antithet +antithetic +antithetical +antithetically +antithetics +antithyroid +antithrombic +antithrombin +antitintinnabularian +antitypal +antitype +antitypes +antityphoid +antitypy +antitypic +antitypical +antitypically +antitypous +antityrosinase +antitobacco +antitobacconal +antitobacconist +antitonic +antitorpedo +antitoxic +antitoxin +antitoxine +antitoxins +antitrade +antitrades +antitradition +antitraditional +antitraditionalist +antitraditionally +antitragal +antitragi +antitragic +antitragicus +antitragus +antitrinitarian +antitrypsin +antitryptic +antitrismus +antitrochanter +antitropal +antitrope +antitropy +antitropic +antitropical +antitropous +antitrust +antitruster +antitubercular +antituberculin +antituberculosis +antituberculotic +antituberculous +antitumor +antitumoral +antiturnpikeism +antitussive +antitwilight +antiuating +antiunion +antiunionist +antiuratic +antiurease +antiusurious +antiutilitarian +antiutilitarianism +antivaccination +antivaccinationist +antivaccinator +antivaccinist +antivariolous +antivenefic +antivenene +antivenereal +antivenin +antivenine +antivenins +antivenom +antivenomous +antivermicular +antivibrating +antivibrator +antivibratory +antivice +antiviral +antivirotic +antivirus +antivitalist +antivitalistic +antivitamin +antivivisection +antivivisectionist +antivivisectionists +antivolition +antiwar +antiwarlike +antiwaste +antiwear +antiwedge +antiweed +antiwhite +antiwhitism +antiwit +antiworld +antixerophthalmic +antizealot +antizymic +antizymotic +antizoea +antjar +antler +antlered +antlerite +antlerless +antlers +antlia +antliate +antlid +antlike +antling +antlion +antlions +antlophobia +antluetic +antocular +antodontalgic +antoeci +antoecian +antoecians +antoinette +anton +antonella +antony +antonia +antonym +antonymy +antonymic +antonymies +antonymous +antonyms +antonina +antoniniani +antoninianus +antonio +antonomasy +antonomasia +antonomastic +antonomastical +antonomastically +antonovics +antorbital +antozone +antozonite +antproof +antra +antral +antralgia +antre +antrectomy +antres +antrin +antritis +antrocele +antronasal +antrophore +antrophose +antrorse +antrorsely +antroscope +antroscopy +antrostomus +antrotympanic +antrotympanitis +antrotome +antrotomy +antroversion +antrovert +antrum +antrums +antrustion +antrustionship +ants +antship +antshrike +antsy +antsier +antsiest +antsigne +antthrush +antu +antum +antwerp +antwise +anubin +anubing +anubis +anucleate +anucleated +anukabiet +anukit +anuloma +anunder +anura +anural +anuran +anurans +anureses +anuresis +anuretic +anury +anuria +anurias +anuric +anurous +anus +anuses +anusim +anusvara +anutraminosa +anvasser +anvil +anviled +anviling +anvilled +anvilling +anvils +anvilsmith +anviltop +anviltops +anxiety +anxieties +anxietude +anxiolytic +anxious +anxiously +anxiousness +anzac +anzanian +ao +aob +aogiri +aoife +aoli +aonach +aonian +aor +aorist +aoristic +aoristically +aorists +aorta +aortae +aortal +aortarctia +aortas +aortectasia +aortectasis +aortic +aorticorenal +aortism +aortitis +aortoclasia +aortoclasis +aortography +aortographic +aortographies +aortoiliac +aortolith +aortomalacia +aortomalaxis +aortopathy +aortoptosia +aortoptosis +aortorrhaphy +aortosclerosis +aortostenosis +aortotomy +aosmic +aotea +aotearoa +aotes +aotus +aouad +aouads +aoudad +aoudads +aouellimiden +aoul +ap +apa +apabhramsa +apace +apache +apaches +apachette +apachism +apachite +apadana +apaesthesia +apaesthetic +apaesthetize +apaestically +apagoge +apagoges +apagogic +apagogical +apagogically +apagogue +apay +apayao +apaid +apair +apaise +apalachee +apalit +apama +apanage +apanaged +apanages +apanaging +apandry +apanteles +apantesis +apanthropy +apanthropia +apar +aparai +aparaphysate +aparavidya +apardon +aparejo +aparejos +apargia +aparithmesis +apart +apartado +apartheid +aparthrosis +apartment +apartmental +apartments +apartness +apasote +apass +apast +apastra +apastron +apasttra +apatan +apatela +apatetic +apathaton +apatheia +apathetic +apathetical +apathetically +apathy +apathia +apathic +apathies +apathism +apathist +apathistical +apathize +apathogenic +apathus +apatite +apatites +apatornis +apatosaurus +apaturia +ape +apeak +apectomy +aped +apedom +apeek +apehood +apeiron +apeirophobia +apelet +apelike +apeling +apelles +apellous +apeman +apemantus +apennine +apennines +apenteric +apepsy +apepsia +apepsinia +apeptic +aper +aperch +apercu +apercus +aperea +apery +aperient +aperients +aperies +aperiodic +aperiodically +aperiodicity +aperispermic +aperistalsis +aperitif +aperitifs +aperitive +apers +apersee +apert +apertion +apertly +apertness +apertometer +apertum +apertural +aperture +apertured +apertures +aperu +aperulosid +apes +apesthesia +apesthetic +apesthetize +apetalae +apetaly +apetalies +apetaloid +apetalose +apetalous +apetalousness +apex +apexed +apexes +apexing +aph +aphacia +aphacial +aphacic +aphaeresis +aphaeretic +aphagia +aphagias +aphakia +aphakial +aphakic +aphanapteryx +aphanes +aphanesite +aphaniptera +aphanipterous +aphanisia +aphanisis +aphanite +aphanites +aphanitic +aphanitism +aphanomyces +aphanophyre +aphanozygous +apharsathacites +aphasia +aphasiac +aphasiacs +aphasias +aphasic +aphasics +aphasiology +aphelandra +aphelenchus +aphelia +aphelian +aphelilia +aphelilions +aphelinus +aphelion +apheliotropic +apheliotropically +apheliotropism +aphelops +aphemia +aphemic +aphengescope +aphengoscope +aphenoscope +apheresis +apheretic +apheses +aphesis +apheta +aphetic +aphetically +aphetism +aphetize +aphicidal +aphicide +aphid +aphides +aphidian +aphidians +aphidicide +aphidicolous +aphidid +aphididae +aphidiinae +aphidious +aphidius +aphidivorous +aphidlion +aphidolysin +aphidophagous +aphidozer +aphydrotropic +aphydrotropism +aphids +aphilanthropy +aphylly +aphyllies +aphyllose +aphyllous +aphyric +aphis +aphislion +aphizog +aphlaston +aphlebia +aphlogistic +aphnology +aphodal +aphodi +aphodian +aphodius +aphodus +apholate +apholates +aphony +aphonia +aphonias +aphonic +aphonics +aphonous +aphoria +aphorise +aphorised +aphoriser +aphorises +aphorising +aphorism +aphorismatic +aphorismer +aphorismic +aphorismical +aphorismos +aphorisms +aphorist +aphoristic +aphoristical +aphoristically +aphorists +aphorize +aphorized +aphorizer +aphorizes +aphorizing +aphoruridae +aphotaxis +aphotic +aphototactic +aphototaxis +aphototropic +aphototropism +aphra +aphrasia +aphrite +aphrizite +aphrodesiac +aphrodisia +aphrodisiac +aphrodisiacal +aphrodisiacs +aphrodisian +aphrodisiomania +aphrodisiomaniac +aphrodisiomaniacal +aphrodision +aphrodistic +aphrodite +aphroditeum +aphroditic +aphroditidae +aphroditous +aphrolite +aphronia +aphronitre +aphrosiderite +aphtha +aphthae +aphthartodocetae +aphthartodocetic +aphthartodocetism +aphthic +aphthitalite +aphthoid +aphthong +aphthongal +aphthongia +aphthonite +aphthous +apiaca +apiaceae +apiaceous +apiales +apian +apiararies +apiary +apiarian +apiarians +apiaries +apiarist +apiarists +apiator +apicad +apical +apically +apices +apicial +apician +apicifixed +apicilar +apicillary +apicitis +apickaback +apickback +apickpack +apicoectomy +apicolysis +apicula +apicular +apiculate +apiculated +apiculation +apiculi +apicultural +apiculture +apiculturist +apiculus +apidae +apiece +apieces +apigenin +apii +apiin +apikores +apikoros +apikorsim +apilary +apili +apimania +apimanias +apina +apinae +apinage +apinch +aping +apinoid +apio +apioceridae +apiocrinite +apioid +apioidal +apiol +apiole +apiolin +apiology +apiologies +apiologist +apyonin +apionol +apios +apiose +apiosoma +apiphobia +apyrase +apyrases +apyrene +apyretic +apyrexy +apyrexia +apyrexial +apyrotype +apyrous +apis +apish +apishamore +apishly +apishness +apism +apitong +apitpat +apium +apivorous +apjohnite +apl +aplace +aplacental +aplacentalia +aplacentaria +aplacophora +aplacophoran +aplacophorous +aplanat +aplanatic +aplanatically +aplanatism +aplanobacter +aplanogamete +aplanospore +aplasia +aplasias +aplastic +aplectrum +aplenty +aplysia +aplite +aplites +aplitic +aplobasalt +aplodiorite +aplodontia +aplodontiidae +aplomb +aplombs +aplome +aplopappus +aploperistomatous +aplostemonous +aplotaxene +aplotomy +apluda +aplustra +aplustre +aplustria +apnea +apneal +apneas +apneic +apneumatic +apneumatosis +apneumona +apneumonous +apneusis +apneustic +apnoea +apnoeal +apnoeas +apnoeic +apoaconitine +apoapsides +apoapsis +apoatropine +apobiotic +apoblast +apocaffeine +apocalypse +apocalypses +apocalypst +apocalypt +apocalyptic +apocalyptical +apocalyptically +apocalypticism +apocalyptism +apocalyptist +apocamphoric +apocarp +apocarpy +apocarpies +apocarpous +apocarps +apocatastasis +apocatastatic +apocatharsis +apocathartic +apocenter +apocentre +apocentric +apocentricity +apocha +apochae +apocholic +apochromat +apochromatic +apochromatism +apocynaceae +apocynaceous +apocinchonine +apocyneous +apocynthion +apocynthions +apocynum +apocyte +apocodeine +apocopate +apocopated +apocopating +apocopation +apocope +apocopes +apocopic +apocrenic +apocrine +apocryph +apocrypha +apocryphal +apocryphalist +apocryphally +apocryphalness +apocryphate +apocryphon +apocrisiary +apocrita +apocrustic +apod +apoda +apodal +apodan +apodedeipna +apodeictic +apodeictical +apodeictically +apodeipna +apodeipnon +apodeixis +apodema +apodemal +apodemas +apodemata +apodematal +apodeme +apodes +apodia +apodiabolosis +apodictic +apodictical +apodictically +apodictive +apodidae +apodioxis +apodyteria +apodyterium +apodixis +apodoses +apodosis +apodous +apods +apoembryony +apoenzyme +apofenchene +apoferritin +apogaeic +apogaic +apogalacteum +apogamy +apogamic +apogamically +apogamies +apogamous +apogamously +apogeal +apogean +apogee +apogees +apogeic +apogeny +apogenous +apogeotropic +apogeotropically +apogeotropism +apogon +apogonid +apogonidae +apograph +apographal +apographic +apographical +apoharmine +apohyal +apoidea +apoikia +apoious +apoise +apojove +apokatastasis +apokatastatic +apokrea +apokreos +apolar +apolarity +apolaustic +apolegamic +apolysin +apolysis +apolista +apolistan +apolitical +apolitically +apolytikion +apollinarian +apollinarianism +apolline +apollinian +apollyon +apollo +apollonia +apollonian +apollonic +apollonicon +apollonistic +apollos +apolloship +apolog +apologal +apologer +apologete +apologetic +apologetical +apologetically +apologetics +apology +apologia +apologiae +apologias +apological +apologies +apologise +apologised +apologiser +apologising +apologist +apologists +apologize +apologized +apologizer +apologizers +apologizes +apologizing +apologs +apologue +apologues +apolousis +apolune +apolunes +apolusis +apomecometer +apomecometry +apometaboly +apometabolic +apometabolism +apometabolous +apomict +apomictic +apomictical +apomictically +apomicts +apomixes +apomixis +apomorphia +apomorphin +apomorphine +aponeurology +aponeurorrhaphy +aponeuroses +aponeurosis +aponeurositis +aponeurotic +aponeurotome +aponeurotomy +aponia +aponic +aponogeton +aponogetonaceae +aponogetonaceous +apoop +apopemptic +apopenptic +apopetalous +apophantic +apophasis +apophatic +apophyeeal +apophyge +apophyges +apophylactic +apophylaxis +apophyllite +apophyllous +apophis +apophysary +apophysate +apophyseal +apophyses +apophysial +apophysis +apophysitis +apophlegm +apophlegmatic +apophlegmatism +apophony +apophonia +apophonic +apophonies +apophorometer +apophthegm +apophthegmatic +apophthegmatical +apophthegmatist +apopyle +apoplasmodial +apoplastogamous +apoplectic +apoplectical +apoplectically +apoplectiform +apoplectoid +apoplex +apoplexy +apoplexies +apoplexious +apoquinamine +apoquinine +aporetic +aporetical +aporhyolite +aporia +aporiae +aporias +aporobranchia +aporobranchian +aporobranchiata +aporocactus +aporosa +aporose +aporphin +aporphine +aporrhaidae +aporrhais +aporrhaoid +aporrhea +aporrhegma +aporrhiegma +aporrhoea +aport +aportlast +aportoise +aposafranine +aposaturn +aposaturnium +aposelene +aposematic +aposematically +aposepalous +aposia +aposiopeses +aposiopesis +aposiopestic +aposiopetic +apositia +apositic +aposoro +apospory +aposporic +apospories +aposporogony +aposporous +apostacy +apostacies +apostacize +apostasy +apostasies +apostasis +apostate +apostates +apostatic +apostatical +apostatically +apostatise +apostatised +apostatising +apostatism +apostatize +apostatized +apostatizes +apostatizing +apostaxis +apostem +apostemate +apostematic +apostemation +apostematous +aposteme +aposteriori +aposthia +aposthume +apostil +apostille +apostils +apostle +apostlehood +apostles +apostleship +apostleships +apostoile +apostolate +apostoless +apostoli +apostolian +apostolic +apostolical +apostolically +apostolicalness +apostolici +apostolicism +apostolicity +apostolize +apostolos +apostrophal +apostrophation +apostrophe +apostrophes +apostrophi +apostrophic +apostrophied +apostrophise +apostrophised +apostrophising +apostrophize +apostrophized +apostrophizes +apostrophizing +apostrophus +apostume +apotactic +apotactici +apotactite +apotelesm +apotelesmatic +apotelesmatical +apothec +apothecal +apothecarcaries +apothecary +apothecaries +apothecaryship +apothece +apotheces +apothecia +apothecial +apothecium +apothegm +apothegmatic +apothegmatical +apothegmatically +apothegmatist +apothegmatize +apothegms +apothem +apothems +apotheose +apotheoses +apotheosis +apotheosise +apotheosised +apotheosising +apotheosize +apotheosized +apotheosizing +apothesine +apothesis +apothgm +apotihecal +apotype +apotypic +apotome +apotracheal +apotropaic +apotropaically +apotropaion +apotropaism +apotropous +apoturmeric +apout +apoxesis +apoxyomenos +apozem +apozema +apozemical +apozymase +app +appay +appair +appal +appalachia +appalachian +appalachians +appale +appall +appalled +appalling +appallingly +appallingness +appallment +appalls +appalment +appaloosa +appaloosas +appals +appalto +appanage +appanaged +appanages +appanaging +appanagist +appar +apparail +apparance +apparat +apparatchik +apparatchiki +apparatchiks +apparation +apparats +apparatus +apparatuses +apparel +appareled +appareling +apparelled +apparelling +apparelment +apparels +apparence +apparency +apparencies +apparens +apparent +apparentation +apparentement +apparentements +apparently +apparentness +apparition +apparitional +apparitions +apparitor +appartement +appassionata +appassionatamente +appassionate +appassionato +appast +appaume +appaumee +appd +appeach +appeacher +appeachment +appeal +appealability +appealable +appealed +appealer +appealers +appealing +appealingly +appealingness +appeals +appear +appearance +appearanced +appearances +appeared +appearer +appearers +appearing +appears +appeasable +appeasableness +appeasably +appease +appeased +appeasement +appeasements +appeaser +appeasers +appeases +appeasing +appeasingly +appeasive +appel +appellability +appellable +appellancy +appellant +appellants +appellate +appellation +appellational +appellations +appellative +appellatived +appellatively +appellativeness +appellatory +appellee +appellees +appellor +appellors +appels +appenage +append +appendage +appendaged +appendages +appendalgia +appendance +appendancy +appendant +appendectomy +appendectomies +appended +appendence +appendency +appendent +appender +appenders +appendical +appendicalgia +appendicate +appendice +appendiceal +appendicectasis +appendicectomy +appendicectomies +appendices +appendicial +appendicious +appendicitis +appendicle +appendicocaecostomy +appendicostomy +appendicular +appendicularia +appendicularian +appendiculariidae +appendiculata +appendiculate +appendiculated +appending +appenditious +appendix +appendixed +appendixes +appendixing +appendorontgenography +appendotome +appends +appennage +appense +appentice +appenzell +apperceive +apperceived +apperceiving +apperception +apperceptionism +apperceptionist +apperceptionistic +apperceptive +apperceptively +appercipient +appere +apperil +appersonation +appersonification +appert +appertain +appertained +appertaining +appertainment +appertains +appertinent +appertise +appestat +appestats +appet +appete +appetence +appetency +appetencies +appetent +appetently +appetibility +appetible +appetibleness +appetiser +appetising +appetisse +appetit +appetite +appetites +appetition +appetitional +appetitious +appetitive +appetitiveness +appetitost +appetize +appetized +appetizement +appetizer +appetizers +appetizing +appetizingly +appinite +appius +appl +applanate +applanation +applaud +applaudable +applaudably +applauded +applauder +applauders +applauding +applaudingly +applauds +applause +applauses +applausive +applausively +apple +appleberry +appleblossom +applecart +appled +appledrane +appledrone +applegrower +applejack +applejohn +applemonger +applenut +appleringy +appleringie +appleroot +apples +applesauce +applesnits +applewife +applewoman +applewood +apply +appliable +appliableness +appliably +appliance +appliances +appliant +applicability +applicabilities +applicable +applicableness +applicably +applicancy +applicant +applicants +applicate +application +applications +applicative +applicatively +applicator +applicatory +applicatorily +applicators +applied +appliedly +applier +appliers +applies +applying +applyingly +applyment +appling +applique +appliqued +appliqueing +appliques +applosion +applosive +applot +applotment +appmt +appoggiatura +appoggiaturas +appoggiature +appoint +appointable +appointe +appointed +appointee +appointees +appointer +appointers +appointing +appointive +appointively +appointment +appointments +appointor +appoints +appomatox +appomattoc +appomattox +apport +apportion +apportionable +apportionate +apportioned +apportioner +apportioning +apportionment +apportionments +apportions +apposability +apposable +appose +apposed +apposer +apposers +apposes +apposing +apposiopestic +apposite +appositely +appositeness +apposition +appositional +appositionally +appositions +appositive +appositively +apppetible +appraisable +appraisal +appraisals +appraise +appraised +appraisement +appraiser +appraisers +appraises +appraising +appraisingly +appraisive +apprecate +appreciable +appreciably +appreciant +appreciate +appreciated +appreciates +appreciating +appreciatingly +appreciation +appreciational +appreciations +appreciativ +appreciative +appreciatively +appreciativeness +appreciator +appreciatory +appreciatorily +appreciators +appredicate +apprehend +apprehendable +apprehended +apprehender +apprehending +apprehendingly +apprehends +apprehensibility +apprehensible +apprehensibly +apprehension +apprehensions +apprehensive +apprehensively +apprehensiveness +apprend +apprense +apprentice +apprenticed +apprenticehood +apprenticement +apprentices +apprenticeship +apprenticeships +apprenticing +appress +appressed +appressor +appressoria +appressorial +appressorium +apprest +appreteur +appreve +apprise +apprised +appriser +apprisers +apprises +apprising +apprizal +apprize +apprized +apprizement +apprizer +apprizers +apprizes +apprizing +appro +approach +approachability +approachabl +approachable +approachableness +approached +approacher +approachers +approaches +approaching +approachless +approachment +approbate +approbated +approbating +approbation +approbations +approbative +approbativeness +approbator +approbatory +apprompt +approof +appropinquate +appropinquation +appropinquity +appropre +appropriable +appropriament +appropriate +appropriated +appropriately +appropriateness +appropriates +appropriating +appropriation +appropriations +appropriative +appropriativeness +appropriator +appropriators +approvability +approvable +approvableness +approvably +approval +approvals +approvance +approve +approved +approvedly +approvedness +approvement +approver +approvers +approves +approving +approvingly +approx +approximable +approximal +approximant +approximants +approximate +approximated +approximately +approximates +approximating +approximation +approximations +approximative +approximatively +approximativeness +approximator +appt +apptd +appui +appulse +appulses +appulsion +appulsive +appulsively +appunctuation +appurtenance +appurtenances +appurtenant +apr +apractic +apraxia +apraxias +apraxic +apreynte +aprendiz +apres +apricate +aprication +aprickle +apricot +apricots +april +aprilesque +apriline +aprilis +apriori +apriorism +apriorist +aprioristic +aprioristically +apriority +apritif +aprocta +aproctia +aproctous +apron +aproned +aproneer +apronful +aproning +apronless +apronlike +aprons +apronstring +apropos +aprosexia +aprosopia +aprosopous +aproterodont +aprowl +apse +apselaphesia +apselaphesis +apses +apsychia +apsychical +apsid +apsidal +apsidally +apsides +apsidiole +apsinthion +apsis +apt +aptal +aptate +aptenodytes +apter +aptera +apteral +apteran +apteria +apterial +apteryges +apterygial +apterygidae +apterygiformes +apterygogenea +apterygota +apterygote +apterygotous +apteryla +apterium +apteryx +apteryxes +apteroid +apterous +aptest +aptyalia +aptyalism +aptian +aptiana +aptychus +aptitude +aptitudes +aptitudinal +aptitudinally +aptly +aptness +aptnesses +aptote +aptotic +apts +apulian +apulmonic +apulse +apurpose +apus +apx +aq +aqua +aquabelle +aquabib +aquacade +aquacades +aquacultural +aquaculture +aquadag +aquaduct +aquaducts +aquae +aquaemanale +aquaemanalia +aquafer +aquafortis +aquafortist +aquage +aquagreen +aquake +aqualung +aqualunger +aquamanale +aquamanalia +aquamanile +aquamaniles +aquamanilia +aquamarine +aquamarines +aquameter +aquanaut +aquanauts +aquaphobia +aquaplane +aquaplaned +aquaplaner +aquaplanes +aquaplaning +aquapuncture +aquaregia +aquarelle +aquarelles +aquarellist +aquaria +aquarial +aquarian +aquarians +aquarid +aquarii +aquariia +aquariist +aquariiums +aquarist +aquarists +aquarium +aquariums +aquarius +aquarter +aquas +aquascope +aquascutum +aquashow +aquate +aquatic +aquatical +aquatically +aquatics +aquatile +aquatint +aquatinta +aquatinted +aquatinter +aquatinting +aquatintist +aquatints +aquation +aquativeness +aquatone +aquatones +aquavalent +aquavit +aquavits +aqueduct +aqueducts +aqueity +aquench +aqueoglacial +aqueoigneous +aqueomercurial +aqueous +aqueously +aqueousness +aquerne +aquiclude +aquicolous +aquicultural +aquiculture +aquiculturist +aquifer +aquiferous +aquifers +aquifoliaceae +aquifoliaceous +aquiform +aquifuge +aquila +aquilaria +aquilawood +aquilege +aquilegia +aquilia +aquilian +aquilid +aquiline +aquilinity +aquilino +aquilon +aquinas +aquincubital +aquincubitalism +aquinist +aquintocubital +aquintocubitalism +aquiparous +aquitanian +aquiver +aquo +aquocapsulitis +aquocarbonic +aquocellolitis +aquopentamminecobaltic +aquose +aquosity +aquotization +aquotize +ar +ara +arab +araba +araban +arabana +arabella +arabesk +arabesks +arabesque +arabesquely +arabesquerie +arabesques +araby +arabia +arabian +arabianize +arabians +arabic +arabica +arabicism +arabicize +arabidopsis +arabiyeh +arability +arabin +arabine +arabinic +arabinose +arabinosic +arabinoside +arabis +arabism +arabist +arabit +arabite +arabitol +arabize +arabized +arabizes +arabizing +arable +arables +arabophil +arabs +araca +aracana +aracanga +aracari +arace +araceae +araceous +arach +arache +arachic +arachide +arachidic +arachidonic +arachin +arachis +arachnactis +arachne +arachnean +arachnephobia +arachnid +arachnida +arachnidan +arachnidial +arachnidism +arachnidium +arachnids +arachnism +arachnites +arachnitis +arachnoid +arachnoidal +arachnoidea +arachnoidean +arachnoiditis +arachnology +arachnological +arachnologist +arachnomorphae +arachnophagous +arachnopia +arad +aradid +aradidae +arado +araeometer +araeosystyle +araeostyle +araeotic +aragallus +arage +aragonese +aragonian +aragonite +aragonitic +aragonspath +araguane +araguato +araignee +arain +arayne +arains +araire +araise +arak +arakanese +arakawaite +arake +araks +arales +aralia +araliaceae +araliaceous +araliad +araliaephyllum +aralie +araliophyllum +aralkyl +aralkylated +aramaean +aramaic +aramaicize +aramayoite +aramaism +aramid +aramidae +aramids +aramina +araminta +aramis +aramitess +aramu +aramus +aranea +araneae +araneid +araneida +araneidal +araneidan +araneids +araneiform +araneiformes +araneiformia +aranein +araneina +araneoidea +araneology +araneologist +araneose +araneous +aranga +arango +arangoes +aranyaka +arank +aranzada +arapahite +arapaho +arapahos +arapaima +arapaimas +araphorostic +araphostic +araponga +arapunga +araquaju +arar +arara +araracanga +ararao +ararauna +arariba +araroba +ararobas +araru +arase +arati +aratinga +aration +aratory +araua +arauan +araucan +araucanian +araucano +araucaria +araucariaceae +araucarian +araucarioxylon +araujia +arauna +arawa +arawak +arawakan +arawakian +arb +arba +arbacia +arbacin +arbalest +arbalester +arbalestre +arbalestrier +arbalests +arbalist +arbalister +arbalists +arbalo +arbalos +arbela +arber +arbinose +arbiter +arbiters +arbith +arbitrable +arbitrage +arbitrager +arbitragers +arbitrages +arbitrageur +arbitragist +arbitral +arbitrament +arbitraments +arbitrary +arbitraries +arbitrarily +arbitrariness +arbitrate +arbitrated +arbitrates +arbitrating +arbitration +arbitrational +arbitrationist +arbitrations +arbitrative +arbitrator +arbitrators +arbitratorship +arbitratrix +arbitre +arbitrement +arbitrer +arbitress +arbitry +arblast +arboloco +arbor +arboraceous +arboral +arborary +arborator +arborea +arboreal +arboreally +arborean +arbored +arboreous +arborer +arbores +arborescence +arborescent +arborescently +arboresque +arboret +arboreta +arboretum +arboretums +arbory +arborical +arboricole +arboricoline +arboricolous +arboricultural +arboriculture +arboriculturist +arboriform +arborise +arborist +arborists +arborization +arborize +arborized +arborizes +arborizing +arboroid +arborolater +arborolatry +arborous +arbors +arborvitae +arborvitaes +arborway +arbota +arbour +arboured +arbours +arbovirus +arbs +arbtrn +arbuscle +arbuscles +arbuscula +arbuscular +arbuscule +arbust +arbusta +arbusterin +arbusterol +arbustum +arbutase +arbute +arbutean +arbutes +arbutin +arbutinase +arbutus +arbutuses +arc +arca +arcabucero +arcacea +arcade +arcaded +arcades +arcady +arcadia +arcadian +arcadianism +arcadianly +arcadians +arcadias +arcadic +arcading +arcadings +arcae +arcana +arcanal +arcane +arcanist +arcanite +arcanum +arcate +arcato +arcature +arcatures +arcboutant +arccos +arccosine +arced +arcella +arces +arceuthobium +arcform +arch +archabomination +archae +archaean +archaecraniate +archaeoceti +archaeocyathidae +archaeocyathus +archaeocyte +archaeogeology +archaeography +archaeographic +archaeographical +archaeohippus +archaeol +archaeolater +archaeolatry +archaeolith +archaeolithic +archaeologer +archaeology +archaeologian +archaeologic +archaeological +archaeologically +archaeologist +archaeologists +archaeomagnetism +archaeopithecus +archaeopterygiformes +archaeopteris +archaeopteryx +archaeornis +archaeornithes +archaeostoma +archaeostomata +archaeostomatous +archaeotherium +archaeus +archagitator +archai +archaic +archaical +archaically +archaicism +archaicness +archaise +archaised +archaiser +archaises +archaising +archaism +archaisms +archaist +archaistic +archaists +archaize +archaized +archaizer +archaizes +archaizing +archangel +archangelic +archangelica +archangelical +archangels +archangelship +archantagonist +archanthropine +archantiquary +archapostate +archapostle +archarchitect +archarios +archartist +archbanc +archbancs +archband +archbeacon +archbeadle +archbishop +archbishopess +archbishopry +archbishopric +archbishoprics +archbishops +archbotcher +archboutefeu +archbuffoon +archbuilder +archchampion +archchaplain +archcharlatan +archcheater +archchemic +archchief +archchronicler +archcity +archconfraternity +archconfraternities +archconsoler +archconspirator +archcorrupter +archcorsair +archcount +archcozener +archcriminal +archcritic +archcrown +archcupbearer +archd +archdapifer +archdapifership +archdeacon +archdeaconate +archdeaconess +archdeaconry +archdeaconries +archdeacons +archdeaconship +archdean +archdeanery +archdeceiver +archdefender +archdemon +archdepredator +archdespot +archdetective +archdevil +archdiocesan +archdiocese +archdioceses +archdiplomatist +archdissembler +archdisturber +archdivine +archdogmatist +archdolt +archdruid +archducal +archduchess +archduchesses +archduchy +archduchies +archduke +archdukedom +archdukes +archduxe +arche +archeal +archean +archearl +archebanc +archebancs +archebiosis +archecclesiastic +archecentric +arched +archegay +archegone +archegony +archegonia +archegonial +archegoniata +archegoniatae +archegoniate +archegoniophore +archegonium +archegosaurus +archeion +archelaus +archelenis +archelogy +archelon +archemastry +archemperor +archencephala +archencephalic +archenemy +archenemies +archengineer +archenia +archenteric +archenteron +archeocyte +archeol +archeolithic +archeology +archeologian +archeologic +archeological +archeologically +archeologist +archeopteryx +archeostome +archeozoic +archer +archeress +archerfish +archerfishes +archery +archeries +archers +archership +arches +archespore +archespores +archesporia +archesporial +archesporium +archespsporia +archest +archetypal +archetypally +archetype +archetypes +archetypic +archetypical +archetypically +archetypist +archetto +archettos +archeunuch +archeus +archexorcist +archfelon +archfiend +archfiends +archfire +archflamen +archflatterer +archfoe +archfool +archform +archfounder +archfriend +archgenethliac +archgod +archgomeral +archgovernor +archgunner +archhead +archheart +archheresy +archheretic +archhypocrisy +archhypocrite +archhost +archhouse +archhumbug +archy +archiannelida +archiater +archibald +archibenthal +archibenthic +archibenthos +archiblast +archiblastic +archiblastoma +archiblastula +archibuteo +archical +archicantor +archicarp +archicerebra +archicerebrum +archichlamydeae +archichlamydeous +archicyte +archicytula +archicleistogamy +archicleistogamous +archicoele +archicontinent +archidamus +archidiaceae +archidiaconal +archidiaconate +archididascalian +archididascalos +archidiskodon +archidium +archidome +archidoxis +archie +archiepiscopacy +archiepiscopal +archiepiscopality +archiepiscopally +archiepiscopate +archiereus +archigaster +archigastrula +archigenesis +archigony +archigonic +archigonocyte +archiheretical +archikaryon +archil +archilithic +archilla +archilochian +archilowe +archils +archilute +archimage +archimago +archimagus +archimandrite +archimandrites +archimedean +archimedes +archimycetes +archimime +archimorphic +archimorula +archimperial +archimperialism +archimperialist +archimperialistic +archimpressionist +archin +archine +archines +archineuron +archinfamy +archinformer +arching +archings +archipallial +archipallium +archipelagian +archipelagic +archipelago +archipelagoes +archipelagos +archiphoneme +archipin +archiplasm +archiplasmic +archiplata +archiprelatical +archipresbyter +archipterygial +archipterygium +archisymbolical +archisynagogue +archisperm +archispermae +archisphere +archispore +archistome +archisupreme +archit +architect +architective +architectonic +architectonica +architectonically +architectonics +architectress +architects +architectural +architecturalist +architecturally +architecture +architectures +architecturesque +architecure +architeuthis +architypographer +architis +architraval +architrave +architraved +architraves +architricline +archival +archivault +archive +archived +archiver +archivers +archives +archiving +archivist +archivists +archivolt +archizoic +archjockey +archking +archknave +archleader +archlecher +archlet +archleveler +archlexicographer +archly +archliar +archlute +archmachine +archmagician +archmagirist +archmarshal +archmediocrity +archmessenger +archmilitarist +archmime +archminister +archmystagogue +archmock +archmocker +archmockery +archmonarch +archmonarchy +archmonarchist +archmugwump +archmurderer +archness +archnesses +archocele +archocystosyrinx +archology +archon +archons +archonship +archonships +archont +archontate +archontia +archontic +archoplasm +archoplasma +archoplasmic +archoptoma +archoptosis +archorrhagia +archorrhea +archosyrinx +archostegnosis +archostenosis +archoverseer +archpall +archpapist +archpastor +archpatriarch +archpatron +archphylarch +archphilosopher +archpiece +archpilferer +archpillar +archpirate +archplagiary +archplagiarist +archplayer +archplotter +archplunderer +archplutocrat +archpoet +archpolitician +archpontiff +archpractice +archprelate +archprelatic +archprelatical +archpresbyter +archpresbyterate +archpresbytery +archpretender +archpriest +archpriesthood +archpriestship +archprimate +archprince +archprophet +archprotopope +archprototype +archpublican +archpuritan +archradical +archrascal +archreactionary +archrebel +archregent +archrepresentative +archrobber +archrogue +archruler +archsacrificator +archsacrificer +archsaint +archsatrap +archscoundrel +archseducer +archsee +archsewer +archshepherd +archsin +archsynagogue +archsnob +archspy +archspirit +archsteward +archswindler +archt +archtempter +archthief +archtyrant +archtraitor +archtreasurer +archtreasurership +archturncoat +archurger +archvagabond +archvampire +archvestryman +archvillain +archvillainy +archvisitor +archwag +archway +archways +archwench +archwife +archwise +archworker +archworkmaster +arcidae +arcifera +arciferous +arcifinious +arciform +arcing +arcite +arcked +arcking +arclength +arclike +arco +arcocentrous +arcocentrum +arcograph +arcos +arcose +arcosolia +arcosoliulia +arcosolium +arcs +arcsin +arcsine +arcsines +arctalia +arctalian +arctamerican +arctan +arctangent +arctation +arctia +arctian +arctic +arctically +arctician +arcticize +arcticized +arcticizing +arcticology +arcticologist +arctics +arcticward +arcticwards +arctiid +arctiidae +arctisca +arctitude +arctium +arctocephalus +arctogaea +arctogaeal +arctogaean +arctoid +arctoidea +arctoidean +arctomys +arctos +arctosis +arctostaphylos +arcturia +arcturus +arcual +arcuale +arcualia +arcuate +arcuated +arcuately +arcuation +arcubalist +arcubalister +arcubos +arcula +arculite +arcus +arcuses +ardass +ardassine +ardea +ardeae +ardeb +ardebs +ardeid +ardeidae +ardelia +ardelio +ardella +ardellae +ardency +ardencies +ardennite +ardent +ardently +ardentness +arder +ardhamagadhi +ardhanari +ardilla +ardish +ardisia +ardisiaceae +arditi +ardito +ardoise +ardor +ardors +ardour +ardours +ardri +ardrigh +ardu +arduinite +arduous +arduously +arduousness +ardure +ardurous +are +area +areach +aread +aready +areae +areal +areality +areally +arean +arear +areas +areason +areasoner +areaway +areaways +areawide +areca +arecaceae +arecaceous +arecaidin +arecaidine +arecain +arecaine +arecales +arecas +areche +arecolidin +arecolidine +arecolin +arecoline +arecuna +ared +areek +areel +arefact +arefaction +arefy +areg +aregenerative +aregeneratory +areic +areito +aren +arena +arenaceous +arenae +arenaria +arenariae +arenarious +arenas +arenation +arend +arendalite +arendator +areng +arenga +arenicola +arenicole +arenicolite +arenicolor +arenicolous +arenig +arenilitic +arenite +arenites +arenoid +arenose +arenosity +arenous +arent +arenulous +areocentric +areographer +areography +areographic +areographical +areographically +areola +areolae +areolar +areolas +areolate +areolated +areolation +areole +areoles +areolet +areology +areologic +areological +areologically +areologies +areologist +areometer +areometry +areometric +areometrical +areopagy +areopagist +areopagite +areopagitic +areopagitica +areopagus +areosystyle +areostyle +areotectonics +arere +arerola +areroscope +ares +arest +aret +aretaics +aretalogy +arete +aretes +arethusa +arethusas +arethuse +aretinian +arette +arew +arf +arfillite +arfvedsonite +arg +argaile +argal +argala +argalas +argali +argalis +argals +argan +argand +argans +argante +argas +argasid +argasidae +argean +argeers +argel +argema +argemone +argemony +argenol +argent +argental +argentamid +argentamide +argentamin +argentamine +argentan +argentarii +argentarius +argentate +argentation +argenteous +argenter +argenteum +argentic +argenticyanide +argentide +argentiferous +argentin +argentina +argentine +argentinean +argentineans +argentines +argentinian +argentinidae +argentinitrate +argentinize +argentino +argention +argentite +argentojarosite +argentol +argentometer +argentometry +argentometric +argentometrically +argenton +argentoproteinum +argentose +argentous +argentry +argents +argentum +argentums +argestes +argh +arghan +arghel +arghool +arghoul +argid +argify +argil +argyle +argyles +argyll +argillaceous +argillic +argilliferous +argillite +argillitic +argilloarenaceous +argillocalcareous +argillocalcite +argilloferruginous +argilloid +argillomagnesian +argillous +argylls +argils +argin +arginase +arginases +argine +arginine +argininephosphoric +arginines +argynnis +argiope +argiopidae +argiopoidea +argyranthemous +argyranthous +argyraspides +argyria +argyric +argyrite +argyrythrose +argyrocephalous +argyrodite +argyrol +argyroneta +argyropelecus +argyrose +argyrosis +argyrosomus +argive +argle +arglebargle +arglebargled +arglebargling +argled +argles +argling +argo +argoan +argol +argolet +argoletier +argolian +argolic +argolid +argols +argon +argonaut +argonauta +argonautic +argonautid +argonauts +argonne +argonon +argons +argos +argosy +argosies +argosine +argot +argotic +argots +argovian +arguable +arguably +argue +argued +arguendo +arguer +arguers +argues +argufy +argufied +argufier +argufiers +argufies +argufying +arguing +arguitively +argulus +argument +argumenta +argumental +argumentation +argumentatious +argumentative +argumentatively +argumentativeness +argumentator +argumentatory +argumentive +arguments +argumentum +argus +arguses +argusfish +argusfishes +argusianus +arguslike +arguta +argutation +argute +argutely +arguteness +arhar +arhat +arhats +arhatship +arhauaco +arhythmia +arhythmic +arhythmical +arhythmically +ary +aria +arya +ariadne +arian +aryan +ariana +arianism +aryanism +arianist +arianistic +arianistical +arianists +aryanization +arianize +aryanize +arianizer +arianrhod +aryans +arias +aryballi +aryballoi +aryballoid +aryballos +aryballus +arybballi +aribin +aribine +ariboflavinosis +arician +aricin +aricine +arid +arided +arider +aridest +aridge +aridian +aridity +aridities +aridly +aridness +aridnesses +ariegite +ariel +ariels +arienzo +aryepiglottic +aryepiglottidean +aries +arietate +arietation +arietid +arietinous +arietta +ariettas +ariette +ariettes +aright +arightly +arigue +ariidae +arikara +ariki +aril +aryl +arylamine +arylamino +arylate +arylated +arylating +arylation +ariled +arylide +arillary +arillate +arillated +arilled +arilli +arilliform +arillode +arillodes +arillodium +arilloid +arillus +arils +aryls +arimasp +arimaspian +arimathaean +ariocarpus +arioi +arioian +ariolate +ariole +arion +ariose +ariosi +arioso +ariosos +ariot +aripple +arisaema +arisaid +arisard +arise +arised +arisen +ariser +arises +arish +arising +arisings +arist +arista +aristae +aristarch +aristarchy +aristarchian +aristarchies +aristas +aristate +ariste +aristeas +aristeia +aristida +aristides +aristippus +aristo +aristocracy +aristocracies +aristocrat +aristocratic +aristocratical +aristocratically +aristocraticalness +aristocraticism +aristocraticness +aristocratism +aristocrats +aristodemocracy +aristodemocracies +aristodemocratical +aristogenesis +aristogenetic +aristogenic +aristogenics +aristoi +aristol +aristolochia +aristolochiaceae +aristolochiaceous +aristolochiales +aristolochin +aristolochine +aristology +aristological +aristologist +aristomonarchy +aristophanic +aristorepublicanism +aristos +aristotelean +aristotelian +aristotelianism +aristotelic +aristotelism +aristotype +aristotle +aristulate +arite +arytenoepiglottic +arytenoid +arytenoidal +arith +arithmancy +arithmetic +arithmetical +arithmetically +arithmetician +arithmeticians +arithmetics +arithmetization +arithmetizations +arithmetize +arithmetized +arithmetizes +arythmia +arythmias +arithmic +arythmic +arythmical +arythmically +arithmocracy +arithmocratic +arithmogram +arithmograph +arithmography +arithmomancy +arithmomania +arithmometer +arithromania +arius +arivaipa +arizona +arizonan +arizonans +arizonian +arizonians +arizonite +arjun +ark +arkab +arkansan +arkansans +arkansas +arkansawyer +arkansite +arkie +arkite +arkose +arkoses +arkosic +arks +arksutite +arkwright +arle +arlene +arleng +arlequinade +arles +arless +arline +arling +arlington +arloup +arm +armada +armadas +armadilla +armadillididae +armadillidium +armadillo +armadillos +armado +armageddon +armageddonist +armagnac +armagnacs +armament +armamentary +armamentaria +armamentarium +armaments +armangite +armary +armaria +armarian +armaries +armariolum +armarium +armariumaria +armata +armatoles +armatoli +armature +armatured +armatures +armaturing +armband +armbands +armbone +armchair +armchaired +armchairs +armed +armenia +armeniaceous +armenian +armenians +armenic +armenite +armenize +armenoid +armer +armeria +armeriaceae +armers +armet +armets +armful +armfuls +armgaunt +armguard +armhole +armholes +armhoop +army +armida +armied +armies +armiferous +armiger +armigeral +armigeri +armigero +armigeros +armigerous +armigers +armil +armill +armilla +armillae +armillary +armillaria +armillas +armillate +armillated +armine +arming +armings +arminian +arminianism +arminianize +arminianizer +armipotence +armipotent +armisonant +armisonous +armistice +armistices +armit +armitas +armyworm +armyworms +armless +armlessly +armlessness +armlet +armlets +armlike +armload +armloads +armlock +armlocks +armoire +armoires +armomancy +armoniac +armonica +armonicas +armor +armoracia +armorbearer +armored +armorer +armorers +armory +armorial +armorially +armorials +armoric +armorica +armorican +armorician +armoried +armories +armoring +armorist +armorless +armorplated +armorproof +armors +armorwise +armouchiquois +armour +armourbearer +armoured +armourer +armourers +armoury +armouries +armouring +armours +armozeen +armozine +armpad +armpiece +armpit +armpits +armplate +armrack +armrest +armrests +arms +armscye +armseye +armsful +armsize +armstrong +armure +armures +arn +arna +arnatta +arnatto +arnattos +arnaut +arnberry +arne +arneb +arnebia +arnee +arnement +arni +arnica +arnicas +arnold +arnoldist +arnoseris +arnotta +arnotto +arnottos +arnusian +arnut +aro +aroar +aroast +arock +aroeira +aroid +aroideous +aroides +aroids +aroint +aroynt +arointed +aroynted +arointing +aroynting +aroints +aroynts +arolia +arolium +arolla +aroma +aromacity +aromadendrin +aromal +aromas +aromata +aromatic +aromatical +aromatically +aromaticity +aromaticness +aromatics +aromatise +aromatised +aromatiser +aromatising +aromatitae +aromatite +aromatites +aromatization +aromatize +aromatized +aromatizer +aromatizing +aromatophor +aromatophore +aromatous +aronia +aroon +aroph +aroras +arosaguntacook +arose +around +arousable +arousal +arousals +arouse +aroused +arousement +arouser +arousers +arouses +arousing +arow +aroxyl +arpanet +arpeggiando +arpeggiated +arpeggiation +arpeggio +arpeggioed +arpeggios +arpen +arpens +arpent +arpenteur +arpents +arquated +arquebus +arquebuses +arquebusier +arquerite +arquifoux +arr +arracach +arracacha +arracacia +arrace +arrach +arrack +arracks +arrage +arragonite +arrah +array +arrayal +arrayals +arrayan +arrayed +arrayer +arrayers +arraign +arraignability +arraignable +arraignableness +arraigned +arraigner +arraigning +arraignment +arraignments +arraigns +arraying +arrayment +arrays +arrame +arrand +arrange +arrangeable +arranged +arrangement +arrangements +arranger +arrangers +arranges +arranging +arrant +arrantly +arrantness +arras +arrased +arrasene +arrases +arrastra +arrastre +arratel +arrau +arrear +arrearage +arrearages +arrears +arrect +arrectary +arrector +arrendation +arrendator +arrenotoky +arrenotokous +arrent +arrentable +arrentation +arreption +arreptitious +arrest +arrestable +arrestant +arrestation +arrested +arrestee +arrestees +arrester +arresters +arresting +arrestingly +arrestive +arrestment +arrestor +arrestors +arrests +arret +arretez +arretine +arrgt +arrha +arrhal +arrhenal +arrhenatherum +arrhenoid +arrhenotoky +arrhenotokous +arrhinia +arrhythmy +arrhythmia +arrhythmias +arrhythmic +arrhythmical +arrhythmically +arrhythmous +arrhizal +arrhizous +arri +arry +arriage +arriba +arribadas +arricci +arricciati +arricciato +arricciatos +arriccio +arriccioci +arriccios +arride +arrided +arridge +arriding +arrie +arriere +arriero +arriet +arryish +arrimby +arris +arrises +arrish +arrisways +arriswise +arrythmia +arrythmic +arrythmical +arrythmically +arrivage +arrival +arrivals +arrivance +arrive +arrived +arrivederci +arrivederla +arriver +arrivers +arrives +arriving +arrivism +arrivisme +arrivist +arriviste +arrivistes +arroba +arrobas +arrode +arrogance +arrogancy +arrogant +arrogantly +arrogantness +arrogate +arrogated +arrogates +arrogating +arrogatingly +arrogation +arrogations +arrogative +arrogator +arroya +arroyo +arroyos +arroyuelo +arrojadite +arrondi +arrondissement +arrondissements +arrope +arrosion +arrosive +arround +arrouse +arrow +arrowbush +arrowed +arrowhead +arrowheaded +arrowheads +arrowy +arrowing +arrowleaf +arrowless +arrowlet +arrowlike +arrowplate +arrowroot +arrowroots +arrows +arrowsmith +arrowstone +arrowweed +arrowwood +arrowworm +arroz +arrtez +arruague +ars +arsacid +arsacidan +arsanilic +arse +arsedine +arsefoot +arsehole +arsenal +arsenals +arsenate +arsenates +arsenation +arseneted +arsenetted +arsenfast +arsenferratose +arsenhemol +arseniasis +arseniate +arsenic +arsenical +arsenicalism +arsenicate +arsenicated +arsenicating +arsenicism +arsenicize +arsenicked +arsenicking +arsenicophagy +arsenics +arsenide +arsenides +arseniferous +arsenyl +arsenillo +arseniopleite +arseniosiderite +arsenious +arsenism +arsenite +arsenites +arsenium +arseniuret +arseniureted +arseniuretted +arsenization +arseno +arsenobenzene +arsenobenzol +arsenobismite +arsenoferratin +arsenofuran +arsenohemol +arsenolite +arsenophagy +arsenophen +arsenophenylglycin +arsenophenol +arsenopyrite +arsenostyracol +arsenotherapy +arsenotungstates +arsenotungstic +arsenous +arsenoxide +arses +arsesmart +arsheen +arshin +arshine +arshins +arsyl +arsylene +arsine +arsines +arsinic +arsino +arsinoitherium +arsis +arsyversy +arsle +arsmetik +arsmetry +arsmetrik +arsmetrike +arsnicker +arsoite +arson +arsonate +arsonation +arsonic +arsonist +arsonists +arsonite +arsonium +arsono +arsonous +arsons +arsonvalization +arsphenamine +art +artaba +artabe +artal +artamidae +artamus +artar +artarin +artarine +artcraft +arte +artefac +artefact +artefacts +artel +artels +artemas +artemia +artemis +artemisia +artemisic +artemisin +artemision +artemisium +artemon +arter +artery +arteria +arteriac +arteriae +arteriagra +arterial +arterialisation +arterialise +arterialised +arterialising +arterialization +arterialize +arterialized +arterializing +arterially +arterials +arteriarctia +arteriasis +arteriectasia +arteriectasis +arteriectomy +arteriectopia +arteried +arteries +arterying +arterin +arterioarctia +arteriocapillary +arteriococcygeal +arteriodialysis +arteriodiastasis +arteriofibrosis +arteriogenesis +arteriogram +arteriograph +arteriography +arteriographic +arteriolar +arteriole +arterioles +arteriolith +arteriology +arterioloscleroses +arteriolosclerosis +arteriomalacia +arteriometer +arteriomotor +arterionecrosis +arteriopalmus +arteriopathy +arteriophlebotomy +arterioplania +arterioplasty +arteriopressor +arteriorenal +arteriorrhagia +arteriorrhaphy +arteriorrhexis +arterioscleroses +arteriosclerosis +arteriosclerotic +arteriosympathectomy +arteriospasm +arteriostenosis +arteriostosis +arteriostrepsis +arteriotome +arteriotomy +arteriotomies +arteriotrepsis +arterious +arteriovenous +arterioversion +arterioverter +arteritis +artesian +artesonado +artesonados +artful +artfully +artfulness +artgum +artha +arthel +arthemis +arthogram +arthra +arthragra +arthral +arthralgia +arthralgic +arthrectomy +arthrectomies +arthredema +arthrempyesis +arthresthesia +arthritic +arthritical +arthritically +arthriticine +arthritics +arthritides +arthritis +arthritism +arthrobacterium +arthrobranch +arthrobranchia +arthrocace +arthrocarcinoma +arthrocele +arthrochondritis +arthroclasia +arthrocleisis +arthroclisis +arthroderm +arthrodesis +arthrodia +arthrodiae +arthrodial +arthrodic +arthrodymic +arthrodynia +arthrodynic +arthrodira +arthrodiran +arthrodire +arthrodirous +arthrodonteae +arthroempyema +arthroempyesis +arthroendoscopy +arthrogastra +arthrogastran +arthrogenous +arthrography +arthrogryposis +arthrolite +arthrolith +arthrolithiasis +arthrology +arthromeningitis +arthromere +arthromeric +arthrometer +arthrometry +arthron +arthroncus +arthroneuralgia +arthropathy +arthropathic +arthropathology +arthrophyma +arthrophlogosis +arthropyosis +arthroplasty +arthroplastic +arthropleura +arthropleure +arthropod +arthropoda +arthropodal +arthropodan +arthropody +arthropodous +arthropods +arthropomata +arthropomatous +arthropterous +arthrorheumatism +arthrorrhagia +arthrosclerosis +arthroses +arthrosia +arthrosynovitis +arthrosyrinx +arthrosis +arthrospore +arthrosporic +arthrosporous +arthrosteitis +arthrosterigma +arthrostome +arthrostomy +arthrostraca +arthrotyphoid +arthrotome +arthrotomy +arthrotomies +arthrotrauma +arthrotropic +arthrous +arthroxerosis +arthrozoa +arthrozoan +arthrozoic +arthur +arthurian +arthuriana +arty +artiad +artic +artichoke +artichokes +article +articled +articles +articling +articulability +articulable +articulacy +articulant +articular +articulare +articulary +articularly +articulars +articulata +articulate +articulated +articulately +articulateness +articulates +articulating +articulation +articulationes +articulationist +articulations +articulative +articulator +articulatory +articulatorily +articulators +articulite +articulus +artie +artier +artiest +artifact +artifactitious +artifacts +artifactual +artifactually +artifex +artifice +artificer +artificers +artificership +artifices +artificial +artificialism +artificiality +artificialities +artificialize +artificially +artificialness +artificious +artily +artilize +artiller +artillery +artilleries +artilleryman +artillerymen +artilleryship +artillerist +artillerists +artiness +artinesses +artinite +artinskian +artiodactyl +artiodactyla +artiodactylous +artiphyllous +artisan +artisanal +artisanry +artisans +artisanship +artist +artistdom +artiste +artistes +artistess +artistic +artistical +artistically +artistry +artistries +artists +artize +artless +artlessly +artlessness +artlet +artly +artlike +artmobile +artocarpaceae +artocarpad +artocarpeous +artocarpous +artocarpus +artolater +artolatry +artophagous +artophophoria +artophoria +artophorion +artotype +artotypy +artotyrite +artou +arts +artsy +artsman +artus +artware +artwork +artworks +aru +aruac +arugola +arugolas +arugula +arugulas +arui +aruke +arulo +arum +arumin +arumlike +arums +aruncus +arundiferous +arundinaceous +arundinaria +arundineous +arundo +arunta +arupa +arusa +arusha +aruspex +aruspice +aruspices +aruspicy +arustle +arval +arvejon +arvel +arverni +arvicola +arvicole +arvicolinae +arvicoline +arvicolous +arviculture +arvo +arvos +arx +arzan +arzava +arzawa +arzrunite +arzun +as +asa +asaddle +asafetida +asafoetida +asahel +asak +asale +asamblea +asana +asap +asaph +asaphia +asaphic +asaphid +asaphidae +asaphus +asaprol +asarabacca +asaraceae +asarh +asarin +asarite +asaron +asarone +asarota +asarotum +asarta +asarum +asarums +asb +asbest +asbestic +asbestiform +asbestine +asbestinize +asbestoid +asbestoidal +asbestos +asbestoses +asbestosis +asbestous +asbestus +asbestuses +asbolan +asbolane +asbolin +asboline +asbolite +ascabart +ascalabota +ascan +ascanian +ascanius +ascape +ascare +ascared +ascariasis +ascaricidal +ascaricide +ascarid +ascaridae +ascarides +ascaridia +ascaridiasis +ascaridol +ascaridole +ascarids +ascaris +ascaron +ascebc +ascella +ascelli +ascellus +ascence +ascend +ascendable +ascendance +ascendancy +ascendant +ascendantly +ascendants +ascended +ascendence +ascendency +ascendent +ascender +ascenders +ascendible +ascending +ascendingly +ascends +ascenseur +ascension +ascensional +ascensionist +ascensions +ascensiontide +ascensive +ascensor +ascent +ascents +ascertain +ascertainability +ascertainable +ascertainableness +ascertainably +ascertained +ascertainer +ascertaining +ascertainment +ascertains +ascescency +ascescent +asceses +ascesis +ascetic +ascetical +ascetically +asceticism +ascetics +ascetta +aschaffite +ascham +ascher +aschistic +asci +ascian +ascians +ascicidia +ascidia +ascidiacea +ascidiae +ascidian +ascidians +ascidiate +ascidicolous +ascidiferous +ascidiform +ascidiia +ascidioid +ascidioida +ascidioidea +ascidiozoa +ascidiozooid +ascidium +asciferous +ascigerous +ascii +ascill +ascyphous +ascyrum +ascitan +ascitb +ascite +ascites +ascitic +ascitical +ascititious +asclent +asclepiad +asclepiadaceae +asclepiadaceous +asclepiadae +asclepiadean +asclepiadeous +asclepiadic +asclepian +asclepias +asclepidin +asclepidoid +asclepieion +asclepin +asclepius +ascocarp +ascocarpous +ascocarps +ascochyta +ascogenous +ascogone +ascogonia +ascogonial +ascogonidia +ascogonidium +ascogonium +ascolichen +ascolichenes +ascoma +ascomata +ascomycetal +ascomycete +ascomycetes +ascomycetous +ascon +ascones +asconia +asconoid +ascophyllum +ascophore +ascophorous +ascorbate +ascorbic +ascospore +ascosporic +ascosporous +ascot +ascothoracica +ascots +ascry +ascribable +ascribe +ascribed +ascribes +ascribing +ascript +ascription +ascriptions +ascriptitii +ascriptitious +ascriptitius +ascriptive +ascrive +ascula +asculae +ascupart +ascus +asdic +asdics +ase +asea +asearch +asecretory +aseethe +aseismatic +aseismic +aseismicity +aseitas +aseity +aselar +aselgeia +asellate +aselli +asellidae +aselline +asellus +asem +asemasia +asemia +asemic +asepalous +asepses +asepsis +aseptate +aseptic +aseptically +asepticism +asepticize +asepticized +asepticizing +aseptify +aseptol +aseptolin +asexual +asexualisation +asexualise +asexualised +asexualising +asexuality +asexualization +asexualize +asexualized +asexualizing +asexually +asexuals +asfast +asfetida +asg +asgard +asgd +asgmt +ash +asha +ashake +ashame +ashamed +ashamedly +ashamedness +ashamnu +ashangos +ashantee +ashanti +asharasi +ashberry +ashcake +ashcan +ashcans +ashed +ashen +asher +asherah +asherahs +ashery +asheries +asherim +asherites +ashes +ashet +ashfall +ashy +ashier +ashiest +ashily +ashimmer +ashine +ashiness +ashing +ashipboard +ashir +ashiver +ashkey +ashkenazi +ashkenazic +ashkenazim +ashkoko +ashlar +ashlared +ashlaring +ashlars +ashler +ashlered +ashlering +ashlers +ashless +ashling +ashluslay +ashman +ashmen +ashmolean +ashochimi +ashore +ashot +ashpan +ashpit +ashplant +ashplants +ashraf +ashrafi +ashram +ashrama +ashrams +ashstone +ashthroat +ashtoreth +ashtray +ashtrays +ashur +ashvamedha +ashweed +ashwort +asia +asialia +asian +asianic +asianism +asians +asiarch +asiarchate +asiatic +asiatical +asiatically +asiatican +asiaticism +asiaticization +asiaticize +asiatize +aside +asidehand +asiden +asideness +asiderite +asides +asideu +asiento +asyla +asylabia +asyle +asilid +asilidae +asyllabia +asyllabic +asyllabical +asylum +asylums +asilus +asymbiotic +asymbolia +asymbolic +asymbolical +asimen +asimina +asimmer +asymmetral +asymmetranthous +asymmetry +asymmetric +asymmetrical +asymmetrically +asymmetries +asymmetrocarpous +asymmetron +asymptomatic +asymptomatically +asymptote +asymptotes +asymptotic +asymptotical +asymptotically +asymtote +asymtotes +asymtotic +asymtotically +asynapsis +asynaptic +asynartete +asynartetic +async +asynchrony +asynchronism +asynchronisms +asynchronous +asynchronously +asyndesis +asyndeta +asyndetic +asyndetically +asyndeton +asyndetons +asinego +asinegoes +asynergy +asynergia +asyngamy +asyngamic +asinine +asininely +asininity +asininities +asyntactic +asyntrophy +asiphonate +asiphonogama +asystematic +asystole +asystolic +asystolism +asitia +asyzygetic +ask +askable +askance +askant +askapart +askar +askarel +askari +askaris +asked +asker +askers +askeses +askesis +askew +askewgee +askewness +askile +asking +askingly +askings +askip +asklent +asklepios +askoi +askoye +askos +askr +asks +aslake +aslant +aslantwise +aslaver +asleep +aslop +aslope +aslumber +asmack +asmalte +asmear +asmile +asmodeus +asmoke +asmolder +asniffle +asnort +asoak +asocial +asok +asoka +asomatophyte +asomatous +asonant +asonia +asop +asor +asouth +asp +aspace +aspalathus +aspalax +asparagic +asparagyl +asparagin +asparagine +asparaginic +asparaginous +asparagus +asparaguses +asparamic +asparkle +aspartame +aspartate +aspartic +aspartyl +aspartokinase +aspasia +aspatia +aspca +aspect +aspectable +aspectant +aspection +aspects +aspectual +aspen +aspens +asper +asperate +asperated +asperates +asperating +asperation +aspergation +asperge +asperger +asperges +asperggilla +asperggilli +aspergil +aspergill +aspergilla +aspergillaceae +aspergillales +aspergilli +aspergilliform +aspergillin +aspergilloses +aspergillosis +aspergillum +aspergillums +aspergillus +asperifoliae +asperifoliate +asperifolious +asperite +asperity +asperities +asperly +aspermatic +aspermatism +aspermatous +aspermia +aspermic +aspermous +aspern +asperness +asperous +asperously +aspers +asperse +aspersed +asperser +aspersers +asperses +aspersing +aspersion +aspersions +aspersive +aspersively +aspersoir +aspersor +aspersory +aspersoria +aspersorium +aspersoriums +aspersors +asperugo +asperula +asperuloside +asperulous +asphalt +asphalted +asphaltene +asphalter +asphaltic +asphalting +asphaltite +asphaltlike +asphalts +asphaltum +asphaltus +aspheric +aspherical +aspheterism +aspheterize +asphyctic +asphyctous +asphyxy +asphyxia +asphyxial +asphyxiant +asphyxias +asphyxiate +asphyxiated +asphyxiates +asphyxiating +asphyxiation +asphyxiative +asphyxiator +asphyxied +asphyxies +asphodel +asphodelaceae +asphodeline +asphodels +asphodelus +aspy +aspic +aspics +aspiculate +aspiculous +aspidate +aspide +aspidiaria +aspidinol +aspidiotus +aspidiske +aspidistra +aspidistras +aspidium +aspidobranchia +aspidobranchiata +aspidobranchiate +aspidocephali +aspidochirota +aspidoganoidei +aspidomancy +aspidosperma +aspidospermine +aspiquee +aspirant +aspirants +aspirata +aspiratae +aspirate +aspirated +aspirates +aspirating +aspiration +aspirations +aspirator +aspiratory +aspirators +aspire +aspired +aspiree +aspirer +aspirers +aspires +aspirin +aspiring +aspiringly +aspiringness +aspirins +aspis +aspises +aspish +asplanchnic +asplenieae +asplenioid +asplenium +asporogenic +asporogenous +asporous +asport +asportation +asporulate +aspout +asprawl +aspread +aspredinidae +aspredo +asprete +aspring +asprout +asps +asquare +asquat +asqueal +asquint +asquirm +asrama +asramas +ass +assacu +assafetida +assafoetida +assagai +assagaied +assagaiing +assagais +assahy +assai +assay +assayable +assayed +assayer +assayers +assaying +assail +assailability +assailable +assailableness +assailant +assailants +assailed +assailer +assailers +assailing +assailment +assails +assais +assays +assalto +assam +assamar +assamese +assamites +assapan +assapanic +assapanick +assary +assarion +assart +assassin +assassinate +assassinated +assassinates +assassinating +assassination +assassinations +assassinative +assassinator +assassinatress +assassinist +assassins +assate +assation +assaugement +assault +assaultable +assaulted +assaulter +assaulters +assaulting +assaultive +assaults +assausive +assaut +assbaa +asse +asseal +assecuration +assecurator +assecure +assecution +assedat +assedation +assegai +assegaied +assegaiing +assegaing +assegais +asseize +asself +assembl +assemblable +assemblage +assemblages +assemblagist +assemblance +assemble +assembled +assemblee +assemblement +assembler +assemblers +assembles +assembly +assemblies +assemblyman +assemblymen +assembling +assemblywoman +assemblywomen +assent +assentaneous +assentation +assentatious +assentator +assentatory +assentatorily +assented +assenter +assenters +assentient +assenting +assentingly +assentive +assentiveness +assentor +assentors +assents +asseour +assert +asserta +assertable +assertative +asserted +assertedly +asserter +asserters +assertible +asserting +assertingly +assertion +assertional +assertions +assertive +assertively +assertiveness +assertor +assertory +assertorial +assertorially +assertoric +assertorical +assertorically +assertorily +assertors +assertress +assertrix +asserts +assertum +asserve +asservilize +asses +assess +assessable +assessably +assessed +assessee +assesses +assessing +assession +assessionary +assessment +assessments +assessor +assessory +assessorial +assessors +assessorship +asset +asseth +assets +assever +asseverate +asseverated +asseverates +asseverating +asseveratingly +asseveration +asseverations +asseverative +asseveratively +asseveratory +assewer +asshead +assheadedness +asshole +assholes +assi +assibilate +assibilated +assibilating +assibilation +assidaean +assidean +assident +assidual +assidually +assiduate +assiduity +assiduities +assiduous +assiduously +assiduousness +assiege +assientist +assiento +assiette +assify +assign +assignability +assignable +assignably +assignat +assignation +assignations +assignats +assigned +assignee +assignees +assigneeship +assigner +assigners +assigning +assignment +assignments +assignor +assignors +assigns +assilag +assimilability +assimilable +assimilate +assimilated +assimilates +assimilating +assimilation +assimilationist +assimilations +assimilative +assimilativeness +assimilator +assimilatory +assimulate +assinego +assiniboin +assyntite +assinuate +assyria +assyrian +assyrianize +assyrians +assyriology +assyriological +assyriologist +assyriologue +assyroid +assis +assisa +assisan +assise +assish +assishly +assishness +assisi +assist +assistance +assistances +assistant +assistanted +assistants +assistantship +assistantships +assisted +assistency +assister +assisters +assistful +assisting +assistive +assistless +assistor +assistors +assists +assith +assyth +assythment +assize +assized +assizement +assizer +assizes +assizing +asslike +assman +assmannshauser +assmanship +assn +assobre +assoc +associability +associable +associableness +associate +associated +associatedness +associates +associateship +associating +association +associational +associationalism +associationalist +associationism +associationist +associationistic +associations +associative +associatively +associativeness +associativity +associator +associatory +associators +associe +assoil +assoiled +assoiling +assoilment +assoils +assoilzie +assoin +assoluto +assonance +assonanced +assonances +assonant +assonantal +assonantic +assonantly +assonants +assonate +assonia +assoria +assort +assortative +assortatively +assorted +assortedness +assorter +assorters +assorting +assortive +assortment +assortments +assorts +assot +asssembler +asst +assuade +assuagable +assuage +assuaged +assuagement +assuagements +assuager +assuages +assuaging +assuasive +assubjugate +assuefaction +assuetude +assumable +assumably +assume +assumed +assumedly +assument +assumer +assumers +assumes +assuming +assumingly +assumingness +assummon +assumpsit +assumpt +assumption +assumptionist +assumptions +assumptious +assumptiousness +assumptive +assumptively +assumptiveness +assurable +assurance +assurances +assurant +assurate +assurd +assure +assured +assuredly +assuredness +assureds +assurer +assurers +assures +assurge +assurgency +assurgent +assuring +assuringly +assuror +assurors +asswage +asswaged +asswages +asswaging +ast +asta +astable +astacian +astacidae +astacus +astay +astakiwi +astalk +astarboard +astare +astart +astarte +astartian +astartidae +astasia +astasias +astate +astatic +astatically +astaticism +astatine +astatines +astatize +astatized +astatizer +astatizing +asteam +asteatosis +asteep +asteer +asteism +astel +astely +astelic +aster +asteraceae +asteraceous +asterales +asterella +astereognosis +asteria +asteriae +asterial +asterias +asteriated +asteriidae +asterikos +asterin +asterina +asterinidae +asterioid +asterion +asterionella +asteriscus +asteriscuses +asterisk +asterisked +asterisking +asteriskless +asteriskos +asterisks +asterism +asterismal +asterisms +asterite +asterixis +astern +asternal +asternata +asternia +asterochiton +asteroid +asteroidal +asteroidea +asteroidean +asteroids +asterolepidae +asterolepis +asterope +asterophyllite +asterophyllites +asterospondyli +asterospondylic +asterospondylous +asteroxylaceae +asteroxylon +asterozoa +asters +astert +asterwort +asthamatic +astheny +asthenia +asthenias +asthenic +asthenical +asthenics +asthenies +asthenobiosis +asthenobiotic +asthenolith +asthenology +asthenope +asthenophobia +asthenopia +asthenopic +asthenosphere +asthma +asthmas +asthmatic +asthmatical +asthmatically +asthmatics +asthmatoid +asthmogenic +asthore +asthorin +astian +astyanax +astichous +astigmat +astigmatic +astigmatical +astigmatically +astigmatism +astigmatizer +astigmatometer +astigmatometry +astigmatoscope +astigmatoscopy +astigmatoscopies +astigmia +astigmias +astigmic +astigmism +astigmometer +astigmometry +astigmoscope +astylar +astilbe +astyllen +astylospongia +astylosternus +astint +astipulate +astipulation +astir +astite +astogeny +astomatal +astomatous +astomia +astomous +astond +astone +astoned +astony +astonied +astonies +astonying +astonish +astonished +astonishedly +astonisher +astonishes +astonishing +astonishingly +astonishingness +astonishment +astonishments +astoop +astor +astore +astound +astoundable +astounded +astounding +astoundingly +astoundment +astounds +astr +astrachan +astracism +astraddle +astraea +astraean +astraeid +astraeidae +astraeiform +astragal +astragalar +astragalectomy +astragali +astragalocalcaneal +astragalocentral +astragalomancy +astragalonavicular +astragaloscaphoid +astragalotibial +astragals +astragalus +astray +astrain +astrakanite +astrakhan +astral +astrally +astrals +astrand +astrantia +astraphobia +astrapophobia +astre +astream +astrean +astrer +astrict +astricted +astricting +astriction +astrictive +astrictively +astrictiveness +astricts +astrid +astride +astrier +astriferous +astrild +astringe +astringed +astringence +astringency +astringent +astringently +astringents +astringer +astringes +astringing +astrion +astrionics +astroalchemist +astrobiology +astrobiological +astrobiologically +astrobiologies +astrobiologist +astrobiologists +astroblast +astrobotany +astrocaryum +astrochemist +astrochemistry +astrochronological +astrocyte +astrocytic +astrocytoma +astrocytomas +astrocytomata +astrocompass +astrodiagnosis +astrodynamic +astrodynamics +astrodome +astrofel +astrofell +astrogate +astrogated +astrogating +astrogation +astrogational +astrogator +astrogeny +astrogeology +astrogeologist +astroglia +astrognosy +astrogony +astrogonic +astrograph +astrographer +astrography +astrographic +astrohatch +astroid +astroite +astrol +astrolabe +astrolabes +astrolabical +astrolater +astrolatry +astrolithology +astrolog +astrologaster +astrologe +astrologer +astrologers +astrology +astrologian +astrologic +astrological +astrologically +astrologist +astrologistic +astrologists +astrologize +astrologous +astromancer +astromancy +astromantic +astromeda +astrometeorology +astrometeorological +astrometeorologist +astrometer +astrometry +astrometric +astrometrical +astron +astronaut +astronautic +astronautical +astronautically +astronautics +astronauts +astronavigation +astronavigator +astronomer +astronomers +astronomy +astronomic +astronomical +astronomically +astronomics +astronomien +astronomize +astropecten +astropectinidae +astrophel +astrophil +astrophyllite +astrophysical +astrophysicist +astrophysicists +astrophysics +astrophyton +astrophobia +astrophotographer +astrophotography +astrophotographic +astrophotometer +astrophotometry +astrophotometrical +astroscope +astroscopy +astroscopus +astrose +astrospectral +astrospectroscopic +astrosphere +astrospherecentrosomic +astrotheology +astructive +astrut +astucious +astuciously +astucity +astur +asturian +astute +astutely +astuteness +astutious +asuang +asudden +asunder +asuri +asway +aswail +aswarm +aswash +asweat +aswell +asweve +aswim +aswing +aswirl +aswithe +aswoon +aswooned +aswough +at +ata +atabal +atabals +atabeg +atabek +atabrine +atacaman +atacamenan +atacamenian +atacameno +atacamite +atactic +atactiform +ataentsic +atafter +ataghan +ataghans +ataigal +ataiyal +atake +atalaya +atalayas +atalan +atalanta +atalantis +ataman +atamans +atamasco +atamascos +atame +atamosco +atangle +atap +atar +ataractic +ataraxy +ataraxia +ataraxias +ataraxic +ataraxics +ataraxies +atatschite +ataunt +ataunto +atavi +atavic +atavism +atavisms +atavist +atavistic +atavistically +atavists +atavus +ataxaphasia +ataxy +ataxia +ataxiagram +ataxiagraph +ataxiameter +ataxiaphasia +ataxias +ataxic +ataxics +ataxies +ataxinomic +ataxite +ataxonomic +ataxophemia +atazir +atbash +atchison +ate +ateba +atebrin +atechny +atechnic +atechnical +ated +atees +ateeter +atef +ateknia +atelectasis +atelectatic +ateleiosis +atelene +ateleological +ateles +atelestite +atelets +ately +atelic +atelier +ateliers +ateliosis +ateliotic +atellan +atelo +atelocardia +atelocephalous +ateloglossia +atelognathia +atelomyelia +atelomitic +atelophobia +atelopodia +ateloprosopia +atelorachidia +atelostomia +atemoya +atemporal +aten +atenism +atenist +aterian +ates +atestine +ateuchi +ateuchus +atfalati +athabasca +athabascan +athalamous +athalline +athamantid +athamantin +athamaunte +athanasy +athanasia +athanasian +athanasianism +athanasianist +athanasies +athanor +athapascan +athapaskan +athar +atharvan +athbash +athecae +athecata +athecate +atheism +atheisms +atheist +atheistic +atheistical +atheistically +atheisticalness +atheisticness +atheists +atheize +atheizer +athel +athelia +atheling +athelings +athematic +athena +athenaea +athenaeum +athenaeums +athenee +atheneum +atheneums +athenian +athenianly +athenians +athenor +athens +atheology +atheological +atheologically +atheous +athericera +athericeran +athericerous +atherine +atherinidae +atheriogaea +atheriogaean +atheris +athermancy +athermanous +athermic +athermous +atherogenesis +atherogenic +atheroma +atheromas +atheromasia +atheromata +atheromatosis +atheromatous +atheroscleroses +atherosclerosis +atherosclerotic +atherosclerotically +atherosperma +atherurus +athetesis +atheticize +athetize +athetized +athetizing +athetoid +athetoids +athetosic +athetosis +athetotic +athymy +athymia +athymic +athing +athink +athyreosis +athyria +athyrid +athyridae +athyris +athyrium +athyroid +athyroidism +athyrosis +athirst +athlete +athletehood +athletes +athletic +athletical +athletically +athleticism +athletics +athletism +athletocracy +athlothete +athlothetes +athodyd +athodyds +athogen +athold +athonite +athort +athrepsia +athreptic +athrill +athrive +athrob +athrocyte +athrocytosis +athrogenic +athrong +athrough +athumia +athwart +athwarthawse +athwartship +athwartships +athwartwise +ati +atik +atikokania +atilt +atimy +atimon +ating +atinga +atingle +atinkle +atip +atypy +atypic +atypical +atypicality +atypically +atiptoe +atis +atka +atlanta +atlantad +atlantal +atlantean +atlantes +atlantic +atlantica +atlantid +atlantides +atlantis +atlantite +atlantoaxial +atlantodidymus +atlantomastoid +atlantoodontoid +atlantosaurus +atlas +atlases +atlaslike +atlatl +atlatls +atle +atlee +atli +atloaxoid +atloid +atloidean +atloidoaxoid +atm +atma +atman +atmans +atmas +atmiatry +atmiatrics +atmid +atmidalbumin +atmidometer +atmidometry +atmo +atmocausis +atmocautery +atmoclastic +atmogenic +atmograph +atmolyses +atmolysis +atmolyzation +atmolyze +atmolyzer +atmology +atmologic +atmological +atmologist +atmometer +atmometry +atmometric +atmophile +atmos +atmosphere +atmosphered +atmosphereful +atmosphereless +atmospheres +atmospheric +atmospherical +atmospherically +atmospherics +atmospherium +atmospherology +atmostea +atmosteal +atmosteon +atnah +atocha +atocia +atokal +atoke +atokous +atole +atoll +atolls +atom +atomatic +atomechanics +atomerg +atomy +atomic +atomical +atomically +atomician +atomicism +atomicity +atomics +atomies +atomiferous +atomisation +atomise +atomised +atomises +atomising +atomism +atomisms +atomist +atomistic +atomistical +atomistically +atomistics +atomists +atomity +atomization +atomize +atomized +atomizer +atomizers +atomizes +atomizing +atomology +atoms +atonable +atonal +atonalism +atonalist +atonalistic +atonality +atonally +atone +atoneable +atoned +atonement +atonements +atoneness +atoner +atoners +atones +atony +atonia +atonic +atonicity +atonics +atonies +atoning +atoningly +atop +atopen +atophan +atopy +atopic +atopies +atopite +atorai +atossa +atour +atoxic +atoxyl +atpoints +atrabilaire +atrabilar +atrabilarian +atrabilarious +atrabile +atrabiliar +atrabiliary +atrabiliarious +atrabilious +atrabiliousness +atracheate +atractaspis +atragene +atrail +atrament +atramental +atramentary +atramentous +atraumatic +atrazine +atrazines +atrebates +atrede +atremata +atremate +atrematous +atremble +atren +atrenne +atrepsy +atreptic +atresy +atresia +atresias +atresic +atretic +atreus +atry +atria +atrial +atrible +atrichia +atrichic +atrichosis +atrichous +atrickle +atridean +atrienses +atriensis +atriocoelomic +atrioporal +atriopore +atrioventricular +atrip +atrypa +atriplex +atrypoid +atrium +atriums +atroce +atroceruleous +atroceruleus +atrocha +atrochal +atrochous +atrocious +atrociously +atrociousness +atrocity +atrocities +atrocoeruleus +atrolactic +atropa +atropaceous +atropal +atropamine +atrophy +atrophia +atrophias +atrophiated +atrophic +atrophied +atrophies +atrophying +atrophoderma +atrophous +atropia +atropic +atropidae +atropin +atropine +atropines +atropinism +atropinization +atropinize +atropins +atropism +atropisms +atropos +atropous +atrorubent +atrosanguineous +atroscine +atrous +atsara +att +atta +attababy +attabal +attaboy +attacapan +attacca +attacco +attach +attachable +attachableness +attache +attached +attachedly +attacher +attachers +attaches +attacheship +attaching +attachment +attachments +attack +attackable +attacked +attacker +attackers +attacking +attackingly +attackman +attacks +attacolite +attacus +attagal +attagen +attaghan +attagirl +attain +attainability +attainable +attainableness +attainably +attainder +attainders +attained +attainer +attainers +attaining +attainment +attainments +attainor +attains +attaint +attainted +attainting +attaintment +attaints +attainture +attal +attalea +attaleh +attalid +attame +attapulgite +attar +attargul +attars +attask +attaste +attatched +attatches +atte +atteal +attemper +attemperament +attemperance +attemperate +attemperately +attemperation +attemperator +attempered +attempering +attempers +attempre +attempt +attemptability +attemptable +attempted +attempter +attempters +attempting +attemptive +attemptless +attempts +attend +attendance +attendances +attendancy +attendant +attendantly +attendants +attended +attendee +attendees +attender +attenders +attending +attendingly +attendment +attendress +attends +attensity +attent +attentat +attentate +attention +attentional +attentionality +attentions +attentive +attentively +attentiveness +attently +attenuable +attenuant +attenuate +attenuated +attenuates +attenuating +attenuation +attenuations +attenuative +attenuator +attenuators +atter +attercop +attercrop +attery +atterminal +attermine +attermined +atterminement +attern +atterr +atterrate +attest +attestable +attestant +attestation +attestations +attestative +attestator +attested +attester +attesters +attesting +attestive +attestor +attestors +attests +atty +attic +attical +attice +atticism +atticisms +atticist +atticists +atticize +atticized +atticizing +atticomastoid +attics +attid +attidae +attila +attinge +attingence +attingency +attingent +attirail +attire +attired +attirement +attirer +attires +attiring +attitude +attitudes +attitudinal +attitudinarian +attitudinarianism +attitudinise +attitudinised +attitudiniser +attitudinising +attitudinize +attitudinized +attitudinizer +attitudinizes +attitudinizing +attitudist +attiwendaronk +attle +attn +attntrp +attollent +attomy +attorn +attornare +attorned +attorney +attorneydom +attorneyism +attorneys +attorneyship +attorning +attornment +attorns +attouchement +attour +attourne +attract +attractability +attractable +attractableness +attractance +attractancy +attractant +attractants +attracted +attracter +attractile +attracting +attractingly +attraction +attractionally +attractions +attractive +attractively +attractiveness +attractivity +attractor +attractors +attracts +attrahent +attrap +attrectation +attry +attrib +attributable +attributal +attribute +attributed +attributer +attributes +attributing +attribution +attributional +attributions +attributive +attributively +attributiveness +attributives +attributor +attrist +attrite +attrited +attriteness +attriting +attrition +attritional +attritive +attritus +attriutively +attroopment +attroupement +attune +attuned +attunely +attunement +attunes +attuning +atturn +atua +atuami +atule +atumble +atune +atveen +atwain +atweel +atween +atwin +atwind +atwirl +atwist +atwitch +atwite +atwitter +atwixt +atwo +auantic +aubade +aubades +aubain +aubaine +aube +aubepine +auberge +auberges +aubergine +aubergiste +aubergistes +aubin +aubrey +aubretia +aubretias +aubrieta +aubrietas +aubrietia +aubrite +auburn +auburns +aubusson +auca +aucan +aucaner +aucanian +auchenia +auchenium +auchlet +aucht +auckland +auctary +auction +auctionary +auctioned +auctioneer +auctioneers +auctioning +auctions +auctor +auctorial +auctorizate +auctors +aucuba +aucubas +aucupate +aud +audace +audacious +audaciously +audaciousness +audacity +audacities +audad +audads +audaean +audian +audibertia +audibility +audible +audibleness +audibles +audibly +audience +audiencer +audiences +audiencia +audiencier +audient +audients +audile +audiles +auding +audings +audio +audioemission +audiogenic +audiogram +audiograms +audiology +audiological +audiologies +audiologist +audiologists +audiometer +audiometers +audiometry +audiometric +audiometrically +audiometries +audiometrist +audion +audiophile +audiophiles +audios +audiotape +audiotapes +audiotypist +audiovisual +audiovisuals +audiphone +audit +auditable +audited +auditing +audition +auditioned +auditioning +auditions +auditive +auditives +auditor +auditory +auditoria +auditorial +auditorially +auditories +auditorily +auditorium +auditoriums +auditors +auditorship +auditotoria +auditress +audits +auditual +audivise +audiviser +audivision +audrey +audubon +audubonistic +aueto +auf +aufait +aufgabe +aufklarung +auftakt +aug +auganite +auge +augean +augelite +augen +augend +augends +auger +augerer +augers +auget +augh +aught +aughtlins +aughts +augite +augites +augitic +augitite +augitophyre +augment +augmentable +augmentation +augmentationer +augmentations +augmentative +augmentatively +augmented +augmentedly +augmenter +augmenters +augmenting +augmentive +augmentor +augments +augrim +augur +augural +augurate +auguration +augure +augured +augurer +augurers +augury +augurial +auguries +auguring +augurous +augurs +augurship +august +augusta +augustal +augustan +auguste +auguster +augustest +augusti +augustin +augustine +augustinian +augustinianism +augustinism +augustly +augustness +augustus +auh +auhuhu +auk +auklet +auklets +auks +auksinai +auksinas +auksinu +aul +aula +aulacocarpous +aulacodus +aulacomniaceae +aulacomnium +aulae +aularian +aulas +auld +aulder +auldest +auldfarrantlike +auletai +aulete +auletes +auletic +auletrides +auletris +aulic +aulical +aulicism +aullay +auloi +aulophyte +aulophobia +aulos +aulostoma +aulostomatidae +aulostomi +aulostomid +aulostomidae +aulostomus +aulu +aum +aumaga +aumail +aumakua +aumbry +aumbries +aumery +aumil +aumildar +aummbulatory +aumoniere +aumous +aumrie +auncel +aune +aunjetitz +aunt +aunter +aunters +aunthood +aunthoods +aunty +auntie +aunties +auntish +auntly +auntlier +auntliest +auntlike +auntre +auntrous +aunts +auntsary +auntship +aupaka +aura +aurae +aural +aurally +auramin +auramine +aurang +aurantia +aurantiaceae +aurantiaceous +aurantium +aurar +auras +aurata +aurate +aurated +aureal +aureate +aureately +aureateness +aureation +aurei +aureity +aurelia +aurelian +aurelius +aurene +aureocasidium +aureola +aureolae +aureolas +aureole +aureoled +aureoles +aureolin +aureoline +aureoling +aureomycin +aureous +aureously +aures +auresca +aureus +auribromide +auric +aurichalcite +aurichalcum +aurichloride +aurichlorohydric +auricyanhydric +auricyanic +auricyanide +auricle +auricled +auricles +auricomous +auricula +auriculae +auricular +auriculare +auriculares +auricularia +auriculariaceae +auriculariae +auriculariales +auricularian +auricularias +auricularis +auricularly +auriculars +auriculas +auriculate +auriculated +auriculately +auriculidae +auriculo +auriculocranial +auriculoid +auriculoparietal +auriculotemporal +auriculoventricular +auriculovertical +auride +auriferous +aurifex +aurify +aurific +aurification +aurified +aurifying +auriflamme +auriform +auriga +aurigal +aurigation +aurigerous +aurigid +aurignacian +aurigo +aurigraphy +auryl +aurilave +aurin +aurinasal +aurine +auriphone +auriphrygia +auriphrygiate +auripigment +auripuncture +aurir +auris +auriscalp +auriscalpia +auriscalpium +auriscope +auriscopy +auriscopic +auriscopically +aurist +aurists +aurite +aurited +aurivorous +auroauric +aurobromide +auroch +aurochloride +aurochs +aurochses +aurocyanide +aurodiamine +auronal +aurophobia +aurophore +aurora +aurorae +auroral +aurorally +auroras +aurore +aurorean +aurorian +aurorium +aurotellurite +aurothiosulphate +aurothiosulphuric +aurous +aurrescu +aurulent +aurum +aurums +aurung +aurure +aus +auscult +auscultascope +auscultate +auscultated +auscultates +auscultating +auscultation +auscultations +auscultative +auscultator +auscultatory +auscultoscope +ausform +ausformed +ausforming +ausforms +ausgespielt +aushar +auslander +auslaut +auslaute +ausones +ausonian +auspex +auspicate +auspicated +auspicating +auspice +auspices +auspicy +auspicial +auspicious +auspiciously +auspiciousness +aussie +aussies +austafrican +austausch +austemper +austenite +austenitic +austenitize +austenitized +austenitizing +auster +austere +austerely +austereness +austerer +austerest +austerity +austerities +austerlitz +austerus +austin +austral +australasian +australene +australia +australian +australianism +australianize +australians +australic +australioid +australis +australite +australoid +australopithecinae +australopithecine +australopithecus +australorp +austrasian +austria +austrian +austrianize +austrians +austric +austrine +austringer +austrium +austroasiatic +austrogaea +austrogaean +austromancy +austronesian +austrophil +austrophile +austrophilism +austroriparian +ausu +ausubo +ausubos +autacoid +autacoidal +autacoids +autaesthesy +autallotriomorphic +autantitypy +autarch +autarchy +autarchic +autarchical +autarchically +autarchies +autarchist +autarchoglossa +autarky +autarkic +autarkical +autarkically +autarkies +autarkik +autarkikal +autarkist +aute +autechoscope +autecy +autecious +auteciously +auteciousness +autecism +autecisms +autecology +autecologic +autecological +autecologically +autecologist +autem +autere +auteur +auteurism +autexousy +auth +authentic +authentical +authentically +authenticalness +authenticatable +authenticate +authenticated +authenticates +authenticating +authentication +authentications +authenticator +authenticators +authenticity +authenticities +authenticly +authenticness +authigene +authigenetic +authigenic +authigenous +author +authorcraft +authored +authoress +authoresses +authorhood +authorial +authorially +authoring +authorisable +authorisation +authorise +authorised +authoriser +authorish +authorising +authorism +authoritarian +authoritarianism +authoritarianisms +authoritarians +authoritative +authoritatively +authoritativeness +authority +authorities +authorizable +authorization +authorizations +authorize +authorized +authorizer +authorizers +authorizes +authorizing +authorless +authorly +authorling +authors +authorship +authotype +autism +autisms +autist +autistic +auto +autoabstract +autoactivation +autoactive +autoaddress +autoagglutinating +autoagglutination +autoagglutinin +autoalarm +autoalkylation +autoallogamy +autoallogamous +autoanalysis +autoanalytic +autoantibody +autoanticomplement +autoantitoxin +autoasphyxiation +autoaspiration +autoassimilation +autobahn +autobahnen +autobahns +autobasidia +autobasidiomycetes +autobasidiomycetous +autobasidium +autobasisii +autobiographal +autobiographer +autobiographers +autobiography +autobiographic +autobiographical +autobiographically +autobiographies +autobiographist +autobiology +autoblast +autoboat +autoboating +autobolide +autobus +autobuses +autobusses +autocab +autocade +autocades +autocall +autocamp +autocamper +autocamping +autocar +autocarist +autocarp +autocarpian +autocarpic +autocarpous +autocatalepsy +autocatalyses +autocatalysis +autocatalytic +autocatalytically +autocatalyze +autocatharsis +autocatheterism +autocephaly +autocephalia +autocephalic +autocephality +autocephalous +autoceptive +autochanger +autochemical +autocholecystectomy +autochrome +autochromy +autochronograph +autochthon +autochthonal +autochthones +autochthony +autochthonic +autochthonism +autochthonous +autochthonously +autochthonousness +autochthons +autochton +autocycle +autocide +autocinesis +autocystoplasty +autocytolysis +autocytolytic +autoclasis +autoclastic +autoclave +autoclaved +autoclaves +autoclaving +autocoder +autocoenobium +autocoherer +autocoid +autocoids +autocollimate +autocollimation +autocollimator +autocollimators +autocolony +autocombustible +autocombustion +autocomplexes +autocondensation +autoconduction +autoconvection +autoconverter +autocopist +autocoprophagous +autocorrelate +autocorrelation +autocorrosion +autocosm +autocracy +autocracies +autocrat +autocratic +autocratical +autocratically +autocraticalness +autocrator +autocratoric +autocratorical +autocratrix +autocrats +autocratship +autocremation +autocriticism +autocross +autocue +autodecomposition +autodecrement +autodecremented +autodecrements +autodepolymerization +autodermic +autodestruction +autodetector +autodiagnosis +autodiagnostic +autodiagrammatic +autodial +autodialed +autodialer +autodialers +autodialing +autodialled +autodialling +autodials +autodidact +autodidactic +autodidactically +autodidacts +autodifferentiation +autodiffusion +autodigestion +autodigestive +autodynamic +autodyne +autodynes +autodrainage +autodrome +autoecholalia +autoecy +autoecic +autoecious +autoeciously +autoeciousness +autoecism +autoecous +autoed +autoeducation +autoeducative +autoelectrolysis +autoelectrolytic +autoelectronic +autoelevation +autoepigraph +autoepilation +autoerotic +autoerotically +autoeroticism +autoerotism +autoette +autoexcitation +autofecundation +autofermentation +autofluorescence +autoformation +autofrettage +autogamy +autogamic +autogamies +autogamous +autogauge +autogeneal +autogeneses +autogenesis +autogenetic +autogenetically +autogeny +autogenic +autogenies +autogenous +autogenously +autogenuous +autogiro +autogyro +autogiros +autogyros +autognosis +autognostic +autograft +autografting +autogram +autograph +autographal +autographed +autographer +autography +autographic +autographical +autographically +autographing +autographism +autographist +autographometer +autographs +autogravure +autoharp +autoheader +autohemic +autohemolysin +autohemolysis +autohemolytic +autohemorrhage +autohemotherapy +autoheterodyne +autoheterosis +autohexaploid +autohybridization +autohypnosis +autohypnotic +autohypnotically +autohypnotism +autohypnotization +autoicous +autoignition +autoimmune +autoimmunity +autoimmunities +autoimmunization +autoimmunize +autoimmunized +autoimmunizing +autoincrement +autoincremented +autoincrements +autoindex +autoindexing +autoinduction +autoinductive +autoinfection +autoinfusion +autoing +autoinhibited +autoinoculable +autoinoculation +autointellectual +autointoxicant +autointoxication +autoionization +autoirrigation +autoist +autojigger +autojuggernaut +autokinesy +autokinesis +autokinetic +autokrator +autolaryngoscope +autolaryngoscopy +autolaryngoscopic +autolater +autolatry +autolavage +autolesion +autolimnetic +autolysate +autolyse +autolysin +autolysis +autolith +autolithograph +autolithographer +autolithography +autolithographic +autolytic +autolytus +autolyzate +autolyze +autolyzed +autolyzes +autolyzing +autoloader +autoloaders +autoloading +autology +autological +autologist +autologous +autoluminescence +autoluminescent +automa +automacy +automaker +automan +automania +automanipulation +automanipulative +automanual +automat +automata +automatable +automate +automated +automates +automatic +automatical +automatically +automaticity +automatics +automatictacessing +automatin +automation +automatism +automatist +automative +automatization +automatize +automatized +automatizes +automatizing +automatograph +automaton +automatonlike +automatons +automatonta +automatontons +automatous +automats +automechanical +automechanism +automelon +automen +autometamorphosis +autometry +autometric +automysophobia +automobile +automobiled +automobiles +automobiling +automobilism +automobilist +automobilistic +automobilists +automobility +automolite +automonstration +automorph +automorphic +automorphically +automorphism +automotive +automotor +automower +autompne +autonavigator +autonavigators +autonegation +autonephrectomy +autonephrotoxin +autonetics +autoneurotoxin +autonym +autonitridation +autonoetic +autonomasy +autonomy +autonomic +autonomical +autonomically +autonomies +autonomist +autonomize +autonomous +autonomously +autonomousness +autooxidation +autoparasitism +autopathy +autopathic +autopathography +autopelagic +autopepsia +autophagi +autophagy +autophagia +autophagous +autophyllogeny +autophyte +autophytic +autophytically +autophytograph +autophytography +autophoby +autophobia +autophon +autophone +autophony +autophonoscope +autophonous +autophotoelectric +autophotograph +autophotometry +autophthalmoscope +autopilot +autopilots +autopyotherapy +autopista +autoplagiarism +autoplasmotherapy +autoplast +autoplasty +autoplastic +autoplastically +autoplasties +autopneumatic +autopoint +autopoisonous +autopolar +autopolyploid +autopolyploidy +autopolo +autopoloist +autopore +autoportrait +autoportraiture +autopositive +autopotamic +autopotent +autoprogressive +autoproteolysis +autoprothesis +autopsy +autopsic +autopsical +autopsychic +autopsychoanalysis +autopsychology +autopsychorhythmia +autopsychosis +autopsied +autopsies +autopsying +autopsist +autoptic +autoptical +autoptically +autopticity +autoput +autor +autoracemization +autoradiogram +autoradiograph +autoradiography +autoradiographic +autorail +autoreduction +autoreflection +autoregenerator +autoregressive +autoregulation +autoregulative +autoregulatory +autoreinfusion +autoretardation +autorhythmic +autorhythmus +autoriser +autorotate +autorotation +autorotational +autoroute +autorrhaphy +autos +autosauri +autosauria +autoschediasm +autoschediastic +autoschediastical +autoschediastically +autoschediaze +autoscience +autoscope +autoscopy +autoscopic +autosender +autosensitization +autosensitized +autosepticemia +autoserotherapy +autoserum +autosexing +autosight +autosign +autosymbiontic +autosymbolic +autosymbolical +autosymbolically +autosymnoia +autosyn +autosyndesis +autosite +autositic +autoskeleton +autosled +autoslip +autosomal +autosomally +autosomatognosis +autosomatognostic +autosome +autosomes +autosoteric +autosoterism +autospore +autosporic +autospray +autostability +autostage +autostandardization +autostarter +autostethoscope +autostyly +autostylic +autostylism +autostoper +autostrada +autostradas +autosuggest +autosuggestibility +autosuggestible +autosuggestion +autosuggestionist +autosuggestions +autosuggestive +autosuppression +autota +autotelegraph +autotelic +autotelism +autotetraploid +autotetraploidy +autothaumaturgist +autotheater +autotheism +autotheist +autotherapeutic +autotherapy +autothermy +autotimer +autotype +autotypes +autotyphization +autotypy +autotypic +autotypies +autotypography +autotomy +autotomic +autotomies +autotomise +autotomised +autotomising +autotomize +autotomized +autotomizing +autotomous +autotoxaemia +autotoxemia +autotoxic +autotoxication +autotoxicity +autotoxicosis +autotoxin +autotoxis +autotractor +autotransformer +autotransfusion +autotransplant +autotransplantation +autotrepanation +autotriploid +autotriploidy +autotroph +autotrophy +autotrophic +autotrophically +autotropic +autotropically +autotropism +autotruck +autotuberculin +autoturning +autourine +autovaccination +autovaccine +autovalet +autovalve +autovivisection +autoxeny +autoxidation +autoxidator +autoxidizability +autoxidizable +autoxidize +autoxidizer +autozooid +autre +autrefois +autumn +autumnal +autumnally +autumnian +autumnity +autumns +autunian +autunite +autunites +auturgy +aux +auxamylase +auxanogram +auxanology +auxanometer +auxeses +auxesis +auxetic +auxetical +auxetically +auxetics +auxil +auxiliar +auxiliary +auxiliaries +auxiliarly +auxiliate +auxiliation +auxiliator +auxiliatory +auxilytic +auxilium +auxillary +auximone +auxin +auxinic +auxinically +auxins +auxoaction +auxoamylase +auxoblast +auxobody +auxocardia +auxochrome +auxochromic +auxochromism +auxochromous +auxocyte +auxoflore +auxofluor +auxograph +auxographic +auxohormone +auxology +auxometer +auxospore +auxosubstance +auxotonic +auxotox +auxotroph +auxotrophy +auxotrophic +av +ava +avadana +avadavat +avadavats +avadhuta +avahi +avail +availabile +availability +availabilities +available +availableness +availably +availed +availer +availers +availing +availingly +availment +avails +aval +avalanche +avalanched +avalanches +avalanching +avale +avalent +avalon +avalvular +avance +avanguardisti +avania +avanious +avanyu +avant +avantage +avanters +avantgarde +avanti +avantlay +avanturine +avar +avaradrano +avaram +avaremotemo +avarian +avarice +avarices +avaricious +avariciously +avariciousness +avarish +avaritia +avars +avascular +avast +avatar +avatara +avatars +avaunt +avdp +ave +avell +avellan +avellane +avellaneous +avellano +avelonge +aveloz +avena +avenaceous +avenage +avenalin +avenant +avenary +avener +avenery +avenge +avenged +avengeful +avengement +avenger +avengeress +avengers +avenges +avenging +avengingly +aveny +avenida +aveniform +avenin +avenine +avenolith +avenous +avens +avenses +aventail +aventayle +aventails +aventine +aventre +aventure +aventurin +aventurine +avenue +avenues +aver +avera +average +averaged +averagely +averageness +averager +averages +averaging +averah +avery +averia +averil +averin +averish +averment +averments +avern +avernal +avernus +averrable +averral +averred +averrer +averrhoa +averring +averroism +averroist +averroistic +averruncate +averruncation +averruncator +avers +aversant +aversation +averse +aversely +averseness +aversion +aversions +aversive +avert +avertable +averted +avertedly +averter +avertible +avertiment +avertin +averting +avertive +averts +aves +avesta +avestan +avestruz +aveugle +avg +avgas +avgases +avgasses +aviador +avyayibhava +avian +avianization +avianize +avianized +avianizes +avianizing +avians +aviararies +aviary +aviaries +aviarist +aviarists +aviate +aviated +aviates +aviatic +aviating +aviation +aviational +aviations +aviator +aviatory +aviatorial +aviatoriality +aviators +aviatress +aviatrice +aviatrices +aviatrix +aviatrixes +avicennia +avicenniaceae +avicennism +avichi +avicide +avick +avicolous +avicula +avicular +avicularia +avicularian +aviculariidae +avicularimorphae +avicularium +aviculidae +aviculture +aviculturist +avid +avidya +avidin +avidins +avidious +avidiously +avidity +avidities +avidly +avidness +avidnesses +avidous +avie +aview +avifauna +avifaunae +avifaunal +avifaunally +avifaunas +avifaunistic +avigate +avigation +avigator +avigators +avignonese +avijja +avikom +avilaria +avile +avilement +avilion +avine +aviolite +avion +avionic +avionics +avions +avirulence +avirulent +avis +avys +avision +aviso +avisos +avital +avitaminoses +avitaminosis +avitaminotic +avitic +avives +avizandum +avn +avo +avocado +avocadoes +avocados +avocat +avocate +avocation +avocational +avocationally +avocations +avocative +avocatory +avocet +avocets +avodire +avodires +avogadrite +avogadro +avogram +avoy +avoid +avoidable +avoidably +avoidance +avoidances +avoidant +avoided +avoider +avoiders +avoiding +avoidless +avoidment +avoids +avoyer +avoyership +avoir +avoirdupois +avoke +avolate +avolation +avolitional +avondbloem +avos +avoset +avosets +avouch +avouchable +avouched +avoucher +avouchers +avouches +avouching +avouchment +avoue +avour +avoure +avourneen +avouter +avoutry +avow +avowable +avowableness +avowably +avowal +avowals +avowance +avowant +avowe +avowed +avowedly +avowedness +avower +avowers +avowing +avowry +avowries +avows +avowter +avshar +avulse +avulsed +avulses +avulsing +avulsion +avulsions +avuncular +avunculate +avunculize +aw +awa +awabakal +awabi +awacs +awadhi +awaft +awag +away +awayness +awaynesses +aways +await +awaited +awaiter +awaiters +awaiting +awaitlala +awaits +awakable +awake +awakeable +awaked +awaken +awakenable +awakened +awakener +awakeners +awakening +awakeningly +awakenings +awakenment +awakens +awakes +awaking +awakings +awald +awalim +awalt +awan +awane +awanyu +awanting +awapuhi +award +awardable +awarded +awardee +awardees +awarder +awarders +awarding +awardment +awards +aware +awaredom +awareness +awarn +awarrant +awaruite +awash +awaste +awat +awatch +awater +awave +awber +awd +awe +aweary +awearied +aweather +aweband +awed +awedly +awedness +awee +aweek +aweel +aweigh +aweing +aweless +awelessness +awellimiden +awes +awesome +awesomely +awesomeness +awest +awestricken +awestrike +awestruck +aweto +awfu +awful +awfuller +awfullest +awfully +awfulness +awhape +awheel +awheft +awhet +awhile +awhir +awhirl +awide +awiggle +awikiwiki +awin +awing +awingly +awink +awiwi +awk +awkly +awkward +awkwarder +awkwardest +awkwardish +awkwardly +awkwardness +awl +awless +awlessness +awls +awlwort +awlworts +awm +awmbrie +awmous +awn +awned +awner +awny +awning +awninged +awnings +awnless +awnlike +awns +awoke +awoken +awol +awols +awonder +awork +aworry +aworth +awreak +awreck +awry +awrist +awrong +awshar +awunctive +ax +axal +axanthopsia +axbreaker +axe +axebreaker +axed +axel +axels +axeman +axemaster +axemen +axenic +axenically +axer +axerophthol +axers +axes +axfetch +axhammer +axhammered +axhead +axial +axiality +axialities +axially +axiate +axiation +axifera +axiferous +axiform +axifugal +axil +axile +axilemma +axilemmas +axilemmata +axilla +axillae +axillant +axillar +axillary +axillaries +axillars +axillas +axils +axin +axine +axing +axiniform +axinite +axinomancy +axiolite +axiolitic +axiology +axiological +axiologically +axiologies +axiologist +axiom +axiomatic +axiomatical +axiomatically +axiomatization +axiomatizations +axiomatize +axiomatized +axiomatizes +axiomatizing +axioms +axion +axiopisty +axis +axised +axises +axisymmetry +axisymmetric +axisymmetrical +axisymmetrically +axite +axites +axle +axled +axles +axlesmith +axletree +axletrees +axlike +axmaker +axmaking +axman +axmanship +axmaster +axmen +axminster +axodendrite +axofugal +axogamy +axoid +axoidean +axolemma +axolysis +axolotl +axolotls +axometer +axometry +axometric +axon +axonal +axone +axonemal +axoneme +axonemes +axones +axoneure +axoneuron +axonia +axonic +axonolipa +axonolipous +axonometry +axonometric +axonophora +axonophorous +axonopus +axonost +axons +axopetal +axophyte +axoplasm +axoplasmic +axoplasms +axopodia +axopodium +axospermous +axostyle +axotomous +axseed +axseeds +axstone +axtree +axumite +axunge +axweed +axwise +axwort +az +azadirachta +azadrachta +azafran +azafrin +azalea +azaleamum +azaleas +azan +azande +azans +azarole +azaserine +azathioprine +azazel +azedarac +azedarach +azelaic +azelate +azelfafage +azeotrope +azeotropy +azeotropic +azeotropism +azerbaijanese +azerbaijani +azerbaijanian +azha +azide +azides +azido +aziethane +azygobranchia +azygobranchiata +azygobranchiate +azygomatous +azygos +azygoses +azygosperm +azygospore +azygote +azygous +azilian +azilut +azyme +azimech +azimene +azimethylene +azimide +azimin +azimine +azimino +aziminobenzene +azymite +azymous +azimuth +azimuthal +azimuthally +azimuths +azine +azines +azinphosmethyl +aziola +azlactone +azlon +azlons +azo +azobacter +azobenzene +azobenzil +azobenzoic +azobenzol +azoblack +azoch +azocyanide +azocyclic +azocochineal +azocoralline +azocorinth +azodicarboxylic +azodiphenyl +azodisulphonic +azoeosin +azoerythrin +azofy +azofication +azofier +azoflavine +azoformamide +azoformic +azogallein +azogreen +azogrenadine +azohumic +azoic +azoimide +azoisobutyronitrile +azole +azoles +azolitmin +azolla +azomethine +azon +azonal +azonaphthalene +azonic +azonium +azons +azoology +azoospermia +azoparaffin +azophen +azophenetole +azophenyl +azophenylene +azophenine +azophenol +azophosphin +azophosphore +azoprotein +azores +azorian +azorite +azorubine +azosulphine +azosulphonic +azotaemia +azotate +azote +azotea +azoted +azotemia +azotemias +azotemic +azotenesis +azotes +azotetrazole +azoth +azothionium +azoths +azotic +azotin +azotine +azotise +azotised +azotises +azotising +azotite +azotize +azotized +azotizes +azotizing +azotobacter +azotobacterieae +azotoluene +azotometer +azotorrhea +azotorrhoea +azotous +azoturia +azoturias +azovernine +azox +azoxazole +azoxy +azoxyanisole +azoxybenzene +azoxybenzoic +azoxime +azoxynaphthalene +azoxine +azoxyphenetole +azoxytoluidine +azoxonium +azrael +aztec +azteca +aztecan +aztecs +azthionium +azulejo +azulejos +azulene +azuline +azulite +azulmic +azumbre +azure +azurean +azured +azureness +azureous +azures +azury +azurine +azurite +azurites +azurmalachite +azurous +b +ba +baa +baaed +baahling +baaing +baal +baalath +baalim +baalish +baalism +baalisms +baalist +baalite +baalitical +baalize +baals +baalshem +baar +baas +baaskaap +baaskaaps +baaskap +bab +baba +babacoote +babai +babaylan +babaylanes +babajaga +babakoto +babas +babasco +babassu +babassus +babasu +babbage +babby +babbie +babbishly +babbit +babbitt +babbitted +babbitter +babbittess +babbittian +babbitting +babbittism +babbittry +babbitts +babblative +babble +babbled +babblement +babbler +babblers +babbles +babblesome +babbly +babbling +babblingly +babblings +babblish +babblishly +babbool +babbools +babcock +babe +babehood +babel +babeldom +babelet +babelic +babelike +babelish +babelism +babelize +babels +babery +babes +babeship +babesia +babesias +babesiasis +babesiosis +babhan +babi +baby +babiana +babiche +babiches +babydom +babied +babies +babyfied +babyhood +babyhoods +babyhouse +babying +babyish +babyishly +babyishness +babiism +babyism +babylike +babillard +babylon +babylonia +babylonian +babylonians +babylonic +babylonish +babylonism +babylonite +babylonize +babine +babingtonite +babyolatry +babion +babirousa +babiroussa +babirusa +babirusas +babirussa +babis +babysat +babish +babished +babyship +babishly +babishness +babysit +babysitter +babysitting +babism +babist +babite +babka +babkas +bablah +bable +babloh +baboen +babongo +baboo +baboodom +babooism +babool +babools +baboon +baboonery +baboonish +baboonroot +baboons +baboos +baboosh +baboot +babouche +babouvism +babouvist +babracot +babroot +babs +babu +babua +babudom +babuina +babuism +babul +babuls +babuma +babungera +baburd +babus +babushka +babushkas +bac +bacaba +bacach +bacalao +bacalaos +bacao +bacauan +bacbakiri +bacca +baccaceous +baccae +baccalaurean +baccalaureat +baccalaureate +baccalaureates +baccalaureus +baccar +baccara +baccaras +baccarat +baccarats +baccare +baccate +baccated +bacchae +bacchanal +bacchanalia +bacchanalian +bacchanalianism +bacchanalianly +bacchanalias +bacchanalism +bacchanalization +bacchanalize +bacchanals +bacchant +bacchante +bacchantes +bacchantic +bacchants +bacchar +baccharis +baccharoid +baccheion +bacchiac +bacchian +bacchic +bacchical +bacchides +bacchii +bacchiuchii +bacchius +bacchus +bacchuslike +baccy +baccies +bacciferous +bacciform +baccilla +baccilli +baccillla +baccillum +baccivorous +bach +bacharach +bache +bached +bachel +bachelor +bachelordom +bachelorette +bachelorhood +bachelorism +bachelorize +bachelorly +bachelorlike +bachelors +bachelorship +bachelorwise +bachelry +baches +bachichi +baching +bacilary +bacile +bacillaceae +bacillar +bacillary +bacillariaceae +bacillariaceous +bacillariales +bacillarieae +bacillariophyta +bacillemia +bacilli +bacillian +bacillicidal +bacillicide +bacillicidic +bacilliculture +bacilliform +bacilligenic +bacilliparous +bacillite +bacillogenic +bacillogenous +bacillophobia +bacillosis +bacilluria +bacillus +bacin +bacis +bacitracin +back +backache +backaches +backachy +backaching +backadation +backage +backare +backarrow +backarrows +backband +backbar +backbear +backbearing +backbeat +backbeats +backbencher +backbenchers +backbend +backbends +backberand +backberend +backbit +backbite +backbiter +backbiters +backbites +backbiting +backbitingly +backbitten +backblocks +backblow +backboard +backboards +backbone +backboned +backboneless +backbonelessness +backbones +backbrand +backbreaker +backbreaking +backcap +backcast +backcasts +backchain +backchat +backchats +backcloth +backcomb +backcountry +backcourt +backcourtman +backcross +backdate +backdated +backdates +backdating +backdoor +backdown +backdrop +backdrops +backed +backen +backened +backening +backer +backers +backet +backfall +backfatter +backfield +backfields +backfill +backfilled +backfiller +backfilling +backfills +backfire +backfired +backfires +backfiring +backflap +backflash +backflip +backflow +backflowing +backfold +backframe +backfriend +backfurrow +backgame +backgammon +backgeared +background +backgrounds +backhand +backhanded +backhandedly +backhandedness +backhander +backhanding +backhands +backhatch +backhaul +backhauled +backhauling +backhauls +backheel +backhoe +backhoes +backhooker +backhouse +backhouses +backy +backyard +backyarder +backyards +backie +backiebird +backing +backings +backjaw +backjoint +backland +backlands +backlash +backlashed +backlasher +backlashes +backlashing +backless +backlet +backliding +backlighting +backlings +backlins +backlist +backlists +backlit +backlog +backlogged +backlogging +backlogs +backlotter +backmost +backoff +backorder +backout +backouts +backpack +backpacked +backpacker +backpackers +backpacking +backpacks +backpedal +backpedaled +backpedaling +backpiece +backplane +backplanes +backplate +backpointer +backpointers +backrest +backrests +backrope +backropes +backrun +backrush +backrushes +backs +backsaw +backsaws +backscatter +backscattered +backscattering +backscatters +backscraper +backscratcher +backscratching +backseat +backseats +backsey +backset +backsets +backsetting +backsettler +backsheesh +backshift +backshish +backside +backsides +backsight +backsite +backslap +backslapped +backslapper +backslappers +backslapping +backslaps +backslash +backslashes +backslid +backslidden +backslide +backslided +backslider +backsliders +backslides +backsliding +backslidingness +backspace +backspaced +backspacefile +backspacer +backspaces +backspacing +backspang +backspear +backspeer +backspeir +backspier +backspierer +backspin +backspins +backsplice +backspliced +backsplicing +backspread +backspringing +backstab +backstabbed +backstabber +backstabbing +backstaff +backstage +backstay +backstair +backstairs +backstays +backstamp +backster +backstick +backstitch +backstitched +backstitches +backstitching +backstone +backstop +backstopped +backstopping +backstops +backstrap +backstrapped +backstreet +backstretch +backstretches +backstring +backstrip +backstroke +backstroked +backstrokes +backstroking +backstromite +backswept +backswimmer +backswing +backsword +backswording +backswordman +backswordmen +backswordsman +backtack +backtalk +backtender +backtenter +backtrace +backtrack +backtracked +backtracker +backtrackers +backtracking +backtracks +backtrail +backtrick +backup +backups +backus +backveld +backvelder +backway +backwall +backward +backwardation +backwardly +backwardness +backwards +backwash +backwashed +backwasher +backwashes +backwashing +backwater +backwatered +backwaters +backwind +backwinded +backwinding +backwood +backwoods +backwoodser +backwoodsy +backwoodsiness +backwoodsman +backwoodsmen +backword +backworm +backwort +backwrap +backwraps +baclava +baclin +bacon +baconer +bacony +baconian +baconianism +baconic +baconism +baconist +baconize +bacons +baconweed +bacopa +bacquet +bact +bacteraemia +bacteremia +bacteremic +bacteria +bacteriaceae +bacteriaceous +bacteriaemia +bacterial +bacterially +bacterian +bacteric +bactericholia +bactericidal +bactericidally +bactericide +bactericides +bactericidin +bacterid +bacteriemia +bacteriform +bacterin +bacterins +bacterioagglutinin +bacterioblast +bacteriochlorophyll +bacteriocidal +bacteriocin +bacteriocyte +bacteriodiagnosis +bacteriofluorescin +bacteriogenic +bacteriogenous +bacteriohemolysin +bacterioid +bacterioidal +bacteriol +bacteriolysin +bacteriolysis +bacteriolytic +bacteriolyze +bacteriology +bacteriologic +bacteriological +bacteriologically +bacteriologies +bacteriologist +bacteriologists +bacteriopathology +bacteriophage +bacteriophages +bacteriophagy +bacteriophagia +bacteriophagic +bacteriophagous +bacteriophobia +bacterioprecipitin +bacterioprotein +bacteriopsonic +bacteriopsonin +bacteriopurpurin +bacteriorhodopsin +bacterioscopy +bacterioscopic +bacterioscopical +bacterioscopically +bacterioscopist +bacteriosis +bacteriosolvent +bacteriostasis +bacteriostat +bacteriostatic +bacteriostatically +bacteriotherapeutic +bacteriotherapy +bacteriotoxic +bacteriotoxin +bacteriotrypsin +bacteriotropic +bacteriotropin +bacterious +bacteririum +bacteritic +bacterium +bacteriuria +bacterization +bacterize +bacterized +bacterizing +bacteroid +bacteroidal +bacteroideae +bacteroides +bactetiophage +bactrian +bactris +bactrites +bactriticone +bactritoid +bacubert +bacula +bacule +baculere +baculi +baculiferous +baculiform +baculine +baculite +baculites +baculitic +baculiticone +baculoid +baculum +baculums +baculus +bacury +bad +badaga +badan +badarian +badarrah +badass +badassed +badasses +badaud +badawi +badaxe +badchan +baddeleyite +badder +badderlocks +baddest +baddy +baddie +baddies +baddish +baddishly +baddishness +baddock +bade +badenite +badge +badged +badgeless +badgeman +badgemen +badger +badgerbrush +badgered +badgerer +badgering +badgeringly +badgerly +badgerlike +badgers +badgerweed +badges +badging +badgir +badhan +badiaga +badian +badigeon +badinage +badinaged +badinages +badinaging +badiner +badinerie +badineur +badious +badju +badland +badlands +badly +badling +badman +badmash +badmen +badminton +badmouth +badmouthed +badmouthing +badmouths +badness +badnesses +badon +badrans +bads +baduhenna +bae +baedeker +baedekerian +baedekers +bael +baeria +baetyl +baetylic +baetylus +baetuli +baetulus +baetzner +bafaro +baff +baffed +baffeta +baffy +baffies +baffing +baffle +baffled +bafflement +bafflements +baffleplate +baffler +bafflers +baffles +baffling +bafflingly +bafflingness +baffs +bafyot +baft +bafta +baftah +bag +baga +baganda +bagani +bagass +bagasse +bagasses +bagataway +bagatelle +bagatelles +bagatine +bagattini +bagattino +bagaudae +bagdad +bagdi +bagel +bagels +bagful +bagfuls +baggage +baggageman +baggagemaster +baggager +baggages +baggala +bagganet +baggara +bagge +bagged +bagger +baggers +baggy +baggie +baggier +baggies +baggiest +baggily +bagginess +bagging +baggings +baggyrinkle +baggit +baggywrinkle +bagh +baghdad +bagheli +baghla +baghouse +bagie +baginda +bagio +bagios +bagirmi +bagle +bagleaves +baglike +bagmaker +bagmaking +bagman +bagmen +bagne +bagnes +bagnet +bagnette +bagnio +bagnios +bagnut +bago +bagobo +bagonet +bagong +bagoong +bagpipe +bagpiped +bagpiper +bagpipers +bagpipes +bagpiping +bagplant +bagpod +bagpudding +bagrationite +bagre +bagreef +bagroom +bags +bagsful +bagtikan +baguet +baguets +baguette +baguettes +baguio +baguios +bagwash +bagwig +bagwigged +bagwigs +bagwyn +bagwoman +bagwomen +bagwork +bagworm +bagworms +bah +bahada +bahadur +bahadurs +bahai +bahay +bahaism +bahaist +baham +bahama +bahamas +bahamian +bahamians +bahan +bahar +bahaullah +bahawder +bahera +bahiaite +bahima +bahisti +bahmani +bahmanid +bahnung +baho +bahoe +bahoo +baht +bahts +bahuma +bahur +bahut +bahuts +bahutu +bahuvrihi +bahuvrihis +bai +bay +baya +bayadeer +bayadeers +bayadere +bayaderes +bayal +bayamo +bayamos +baianism +bayano +bayard +bayardly +bayards +bayberry +bayberries +baybolt +baybush +baycuru +baidak +baidar +baidarka +baidarkas +baidya +bayed +baiera +bayesian +bayeta +bayete +baygall +baiginet +baign +baignet +baigneuse +baigneuses +baignoire +bayhead +baying +bayish +baikalite +baikerinite +baikerite +baikie +bail +bailable +bailage +bayldonite +baile +bailed +bailee +bailees +bailey +baileys +bailer +bailers +baylet +bailiary +bailiaries +bailie +bailiery +bailieries +bailies +bailieship +bailiff +bailiffry +bailiffs +bailiffship +bailiffwick +baylike +bailing +bailiwick +bailiwicks +bailli +bailliage +baillie +baillone +baillonella +bailment +bailments +bailo +bailor +bailors +bailout +bailouts +bailpiece +bails +bailsman +bailsmen +bailwood +bayman +baymen +bain +bayness +bainie +baining +bainite +baioc +baiocchi +baiocco +bayogoula +bayok +bayonet +bayoneted +bayoneteer +bayoneting +bayonets +bayonetted +bayonetting +bayong +bayou +bayous +bairagi +bairam +bairdi +bairn +bairnie +bairnish +bairnishness +bairnly +bairnlier +bairnliest +bairnliness +bairns +bairnteam +bairnteem +bairntime +bairnwort +bais +bays +baisakh +baisemain +baysmelt +baysmelts +baister +bait +baited +baiter +baiters +baitfish +baith +baitylos +baiting +baits +baittle +baywood +baywoods +bayz +baiza +baizas +baize +baized +baizes +baizing +baja +bajada +bajan +bajardo +bajarigar +bajau +bajocco +bajochi +bajocian +bajoire +bajonado +bajra +bajree +bajri +bajulate +bajury +baka +bakairi +bakal +bakalai +bakalei +bakatan +bake +bakeapple +bakeboard +baked +bakehead +bakehouse +bakehouses +bakelite +bakelize +bakemeat +bakemeats +baken +bakeout +bakeoven +bakepan +baker +bakerdom +bakeress +bakery +bakeries +bakerite +bakerless +bakerly +bakerlike +bakers +bakersfield +bakership +bakes +bakeshop +bakeshops +bakestone +bakeware +bakhtiari +bakie +baking +bakingly +bakings +baklava +baklavas +baklawa +baklawas +bakli +bakongo +bakra +bakshaish +baksheesh +baksheeshes +bakshi +bakshis +bakshish +bakshished +bakshishes +bakshishing +baktun +baku +bakuba +bakula +bakunda +bakuninism +bakuninist +bakupari +bakutu +bakwiri +bal +bala +balaam +balaamite +balaamitical +balabos +balachan +balachong +balaclava +balada +baladine +balaena +balaenicipites +balaenid +balaenidae +balaenoid +balaenoidea +balaenoidean +balaenoptera +balaenopteridae +balafo +balagan +balaghat +balaghaut +balai +balaic +balayeuse +balak +balaklava +balalaika +balalaikas +balan +balance +balanceable +balanced +balancedness +balancelle +balanceman +balancement +balancer +balancers +balances +balancewise +balancing +balander +balandra +balandrana +balaneutics +balangay +balanic +balanid +balanidae +balaniferous +balanism +balanite +balanites +balanitis +balanoblennorrhea +balanocele +balanoglossida +balanoglossus +balanoid +balanophora +balanophoraceae +balanophoraceous +balanophore +balanophorin +balanoplasty +balanoposthitis +balanopreputial +balanops +balanopsidaceae +balanopsidales +balanorrhagia +balant +balanta +balante +balantidial +balantidiasis +balantidic +balantidiosis +balantidium +balanus +balao +balaos +balaphon +balarama +balarao +balas +balases +balat +balata +balatas +balate +balatong +balatron +balatronic +balatte +balau +balausta +balaustine +balaustre +balawa +balawu +balboa +balboas +balbriggan +balbusard +balbutiate +balbutient +balbuties +balche +balcon +balcone +balconet +balconette +balcony +balconied +balconies +bald +baldacchini +baldacchino +baldachin +baldachined +baldachini +baldachino +baldachinos +baldachins +baldakin +baldaquin +baldberry +baldcrown +balded +balden +balder +balderdash +baldest +baldfaced +baldhead +baldheaded +baldheads +baldy +baldicoot +baldie +balding +baldish +baldly +baldling +baldmoney +baldmoneys +baldness +baldnesses +baldoquin +baldpate +baldpated +baldpatedness +baldpates +baldrib +baldric +baldrick +baldricked +baldricks +baldrics +baldricwise +balds +balducta +balductum +baldwin +bale +baleare +balearian +balearic +balearica +balebos +baled +baleen +baleens +balefire +balefires +baleful +balefully +balefulness +balei +baleys +baleise +baleless +baler +balers +bales +balestra +balete +balewort +bali +balian +balibago +balibuntal +balibuntl +balija +balilla +balimbing +baline +balinese +baling +balinger +balinghasay +balisaur +balisaurs +balisier +balistarii +balistarius +balister +balistes +balistid +balistidae +balistraria +balita +balitao +baliti +balize +balk +balkan +balkanic +balkanization +balkanize +balkanized +balkanizing +balkans +balkar +balked +balker +balkers +balky +balkier +balkiest +balkily +balkiness +balking +balkingly +balkis +balkish +balkline +balklines +balks +ball +ballad +ballade +balladeer +balladeers +ballader +balladeroyal +ballades +balladic +balladical +balladier +balladise +balladised +balladising +balladism +balladist +balladize +balladized +balladizing +balladlike +balladling +balladmonger +balladmongering +balladry +balladries +balladromic +ballads +balladwise +ballahoo +ballahou +ballam +ballan +ballant +ballarag +ballard +ballas +ballast +ballastage +ballasted +ballaster +ballastic +ballasting +ballasts +ballat +ballata +ballate +ballaton +ballatoon +ballbuster +ballcarrier +balldom +balldress +balled +baller +ballerina +ballerinas +ballerine +ballers +ballet +balletic +balletically +balletomane +balletomanes +balletomania +ballets +ballett +ballfield +ballflower +ballgame +ballgames +ballgown +ballgowns +ballhausplatz +ballhawk +ballhawks +ballhooter +balli +bally +balliage +ballies +ballyhack +ballyhoo +ballyhooed +ballyhooer +ballyhooing +ballyhoos +balling +ballyrag +ballyragged +ballyragging +ballyrags +ballised +ballism +ballismus +ballist +ballista +ballistae +ballistic +ballistically +ballistician +ballisticians +ballistics +ballistite +ballistocardiogram +ballistocardiograph +ballistocardiography +ballistocardiographic +ballistophobia +ballium +ballywack +ballywrack +ballmine +ballo +ballock +ballocks +balloen +ballogan +ballon +ballone +ballones +ballonet +ballonets +ballonette +ballonne +ballonnes +ballons +balloon +balloonation +ballooned +ballooner +balloonery +ballooners +balloonet +balloonfish +balloonfishes +balloonflower +balloonful +ballooning +balloonish +balloonist +balloonlike +balloons +ballot +ballota +ballotade +ballotage +ballote +balloted +balloter +balloters +balloting +ballotist +ballots +ballottable +ballottement +ballottine +ballottines +ballow +ballpark +ballparks +ballplayer +ballplayers +ballplatz +ballpoint +ballpoints +ballproof +ballroom +ballrooms +balls +ballsy +ballsier +ballsiest +ballstock +ballup +ballute +ballutes +ballweed +balm +balmacaan +balmarcodes +balmawhapple +balmy +balmier +balmiest +balmily +balminess +balmlike +balmony +balmonies +balmoral +balmorals +balms +balnea +balneae +balneal +balneary +balneation +balneatory +balneographer +balneography +balneology +balneologic +balneological +balneologist +balneophysiology +balneotechnics +balneotherapeutics +balneotherapy +balneotherapia +balneum +balnibarbi +baloch +baloghia +balolo +balon +balonea +baloney +baloneys +baloo +balopticon +balor +baloskion +baloskionaceae +balotade +balourdise +balow +balr +bals +balsa +balsam +balsamaceous +balsamation +balsamea +balsameaceae +balsameaceous +balsamed +balsamer +balsamy +balsamic +balsamical +balsamically +balsamiferous +balsamina +balsaminaceae +balsaminaceous +balsamine +balsaming +balsamitic +balsamiticness +balsamize +balsamo +balsamodendron +balsamorrhiza +balsamous +balsamroot +balsams +balsamum +balsamweed +balsas +balsawood +balt +baltei +balter +baltetei +balteus +balthasar +baltheus +balti +baltic +baltimore +baltimorean +baltimorite +baltis +balu +baluba +baluch +baluchi +baluchistan +baluchithere +baluchitheria +baluchitherium +baluga +balun +balunda +balushai +baluster +balustered +balusters +balustrade +balustraded +balustrades +balustrading +balut +balwarra +balza +balzacian +balzarine +bam +bamah +bamalip +bamangwato +bambacciata +bamban +bambara +bambini +bambino +bambinos +bambocciade +bambochade +bamboche +bamboo +bamboos +bamboozle +bamboozled +bamboozlement +bamboozler +bamboozlers +bamboozles +bamboozling +bambos +bamboula +bambuba +bambuco +bambuk +bambusa +bambuseae +bambute +bammed +bamming +bamoth +bams +ban +bana +banaba +banago +banagos +banak +banakite +banal +banality +banalities +banalize +banally +banalness +banana +bananaland +bananalander +bananaquit +bananas +banande +bananist +bananivorous +banat +banate +banatite +banausic +banba +banbury +banc +banca +bancal +bancales +bancha +banchi +banco +bancos +bancus +band +banda +bandage +bandaged +bandager +bandagers +bandages +bandaging +bandagist +bandaid +bandaite +bandaka +bandala +bandalore +bandana +bandanaed +bandanas +bandanna +bandannaed +bandannas +bandar +bandarlog +bandbox +bandboxes +bandboxy +bandboxical +bandcase +bandcutter +bande +bandeau +bandeaus +bandeaux +banded +bandel +bandelet +bandelette +bandeng +bander +banderilla +banderillas +banderillero +banderilleros +banderlog +banderma +banderol +banderole +banderoled +banderoles +banderoling +banderols +banders +bandersnatch +bandfile +bandfiled +bandfiling +bandfish +bandgap +bandh +bandhava +bandhook +bandhor +bandhu +bandi +bandy +bandyball +bandicoy +bandicoot +bandicoots +bandido +bandidos +bandie +bandied +bandies +bandying +bandikai +bandylegged +bandyman +bandiness +banding +bandit +banditism +banditry +banditries +bandits +banditti +bandle +bandleader +bandless +bandlessly +bandlessness +bandlet +bandlimit +bandlimited +bandlimiting +bandlimits +bandman +bandmaster +bandmasters +bando +bandobust +bandog +bandogs +bandoleer +bandoleered +bandoleers +bandolerismo +bandolero +bandoleros +bandolier +bandoliered +bandoline +bandon +bandonion +bandor +bandora +bandoras +bandore +bandores +bandos +bandpass +bandrol +bands +bandsaw +bandsawed +bandsawing +bandsawn +bandsman +bandsmen +bandspreading +bandstand +bandstands +bandster +bandstop +bandstring +bandura +bandurria +bandurrias +bandusia +bandusian +bandwagon +bandwagons +bandwidth +bandwidths +bandwork +bandworm +bane +baneberry +baneberries +baned +baneful +banefully +banefulness +banes +banewort +banff +bang +banga +bangala +bangalay +bangalow +bangash +bangboard +bange +banged +banger +bangers +banghy +bangy +bangia +bangiaceae +bangiaceous +bangiales +banging +bangkok +bangkoks +bangladesh +bangle +bangled +bangles +bangling +bangos +bangs +bangster +bangtail +bangtailed +bangtails +bangup +bangwaketsi +bani +bania +banya +banyai +banian +banyan +banians +banyans +banig +baniya +banilad +baning +banyoro +banish +banished +banisher +banishers +banishes +banishing +banishment +banishments +banister +banisterine +banisters +banyuls +baniva +baniwa +banjara +banjo +banjoes +banjoist +banjoists +banjore +banjorine +banjos +banjuke +banjulele +bank +bankable +bankalachi +bankbook +bankbooks +bankcard +bankcards +banked +banker +bankera +bankerdom +bankeress +bankers +banket +bankfull +banky +banking +bankings +bankman +bankmen +banknote +banknotes +bankrider +bankroll +bankrolled +bankroller +bankrolling +bankrolls +bankrupcy +bankrupt +bankruptcy +bankruptcies +bankrupted +bankrupting +bankruptism +bankruptly +bankruptlike +bankrupts +bankruptship +bankrupture +banks +bankshall +banksia +banksian +banksias +bankside +banksides +banksman +banksmen +bankweed +banlieu +banlieue +bannack +bannat +banned +banner +bannered +bannerer +banneret +bannerets +bannerette +bannerfish +bannerless +bannerlike +bannerline +bannerman +bannermen +bannerol +bannerole +bannerols +banners +bannerwise +bannet +bannets +bannimus +banning +bannister +bannisters +bannition +bannock +bannockburn +bannocks +banns +bannut +banovina +banque +banquet +banqueted +banqueteer +banqueteering +banqueter +banqueters +banqueting +banquetings +banquets +banquette +banquettes +banquo +bans +bansalague +bansela +banshee +banshees +banshie +banshies +banstickle +bant +bantay +bantayan +bantam +bantamize +bantams +bantamweight +bantamweights +banteng +banter +bantered +banterer +banterers +bantery +bantering +banteringly +banters +banty +bantin +banting +bantingism +bantingize +bantings +bantling +bantlings +bantoid +bantu +bantus +banuyo +banus +banxring +banzai +banzais +baobab +baobabs +bap +baphia +baphomet +baphometic +bapistery +bapt +baptanodon +baptise +baptised +baptises +baptisia +baptisias +baptisin +baptising +baptism +baptismal +baptismally +baptisms +baptist +baptistery +baptisteries +baptistic +baptistry +baptistries +baptists +baptizable +baptize +baptized +baptizee +baptizement +baptizer +baptizers +baptizes +baptizing +baptornis +bar +bara +barabara +barabbas +barabora +barabra +baraca +barad +baradari +baragnosis +baragouin +baragouinish +baraita +baraithas +barajillo +baraka +baralipton +baramika +baramin +barandos +barangay +barani +bararesque +bararite +barasingha +barat +barathea +baratheas +barathra +barathron +barathrum +barato +baratte +barauna +baraza +barb +barba +barbacan +barbacoa +barbacoan +barbacou +barbadian +barbadoes +barbados +barbal +barbaloin +barbar +barbara +barbaralalia +barbarea +barbaresque +barbary +barbarian +barbarianism +barbarianize +barbarianized +barbarianizing +barbarians +barbaric +barbarical +barbarically +barbarious +barbariousness +barbarisation +barbarise +barbarised +barbarising +barbarism +barbarisms +barbarity +barbarities +barbarization +barbarize +barbarized +barbarizes +barbarizing +barbarous +barbarously +barbarousness +barbas +barbasco +barbascoes +barbascos +barbastel +barbastelle +barbate +barbated +barbatimao +barbe +barbeau +barbecue +barbecued +barbecueing +barbecuer +barbecues +barbecuing +barbed +barbedness +barbeyaceae +barbeiro +barbel +barbeled +barbell +barbellate +barbells +barbellula +barbellulae +barbellulate +barbels +barbeque +barbequed +barbequing +barber +barbera +barbered +barberess +barberfish +barbery +barbering +barberish +barberite +barbermonger +barbero +barberry +barberries +barbers +barbershop +barbershops +barbes +barbet +barbets +barbette +barbettes +barbican +barbicanage +barbicans +barbicel +barbicels +barbierite +barbigerous +barbing +barbion +barbita +barbital +barbitalism +barbitals +barbiton +barbitone +barbitos +barbituism +barbiturate +barbiturates +barbituric +barbiturism +barble +barbless +barblet +barboy +barbola +barbone +barbotine +barbotte +barbouillage +barbra +barbre +barbs +barbu +barbudo +barbudos +barbula +barbulate +barbule +barbules +barbulyie +barbut +barbute +barbuts +barbwire +barbwires +barcan +barcarole +barcaroles +barcarolle +barcas +barcella +barcelona +barcelonas +barchan +barchans +barche +barcolongo +barcone +barcoo +bard +bardane +bardash +bardcraft +barde +barded +bardee +bardel +bardelle +bardes +bardesanism +bardesanist +bardesanite +bardess +bardy +bardic +bardie +bardier +bardiest +bardiglio +bardily +bardiness +barding +bardings +bardish +bardism +bardlet +bardlike +bardling +bardo +bardocucullus +bardolater +bardolatry +bardolph +bardolphian +bards +bardship +bardulph +bare +bareback +barebacked +bareboat +bareboats +barebone +bareboned +barebones +bareca +bared +barefaced +barefacedly +barefacedness +barefisted +barefit +barefoot +barefooted +barege +bareges +barehanded +barehead +bareheaded +bareheadedness +bareka +bareknuckle +bareknuckled +barelegged +barely +barenecked +bareness +barenesses +barer +bares +baresark +baresarks +baresma +barest +baresthesia +baret +baretta +barf +barfed +barff +barfy +barfing +barfish +barfly +barflies +barfs +barful +bargain +bargainable +bargained +bargainee +bargainer +bargainers +bargaining +bargainor +bargains +bargainwise +bargander +barge +bargeboard +barged +bargee +bargeer +bargees +bargeese +bargehouse +bargelike +bargelli +bargello +bargellos +bargeload +bargeman +bargemaster +bargemen +bargepole +barger +barges +bargestone +bargh +bargham +barghest +barghests +barging +bargir +bargoose +barguest +barguests +barhal +barhop +barhopped +barhopping +barhops +bari +baria +bariatrician +bariatrics +baric +barycenter +barycentre +barycentric +barid +barie +barye +baryecoia +baryes +baryglossia +barih +barylalia +barile +barylite +barilla +barillas +baring +bariolage +baryon +baryonic +baryons +baryphony +baryphonia +baryphonic +baris +barish +barysilite +barysphere +barit +baryta +barytas +barite +baryte +baritenor +barites +barytes +barythymia +barytic +barytine +barytocalcite +barytocelestine +barytocelestite +baryton +baritonal +baritone +barytone +baritones +barytones +barytons +barytophyllite +barytostrontianite +barytosulphate +barium +bariums +bark +barkan +barkantine +barkary +barkbound +barkcutter +barked +barkeep +barkeeper +barkeepers +barkeeps +barkey +barken +barkened +barkening +barkentine +barkentines +barker +barkery +barkers +barkevikite +barkevikitic +barkhan +barky +barkier +barkiest +barking +barkingly +barkinji +barkle +barkless +barklyite +barkometer +barkpeel +barkpeeler +barkpeeling +barks +barksome +barkstone +barlafumble +barlafummil +barleduc +barleducs +barley +barleybird +barleybrake +barleybreak +barleycorn +barleyhood +barleymow +barleys +barleysick +barless +barly +barling +barlock +barlow +barlows +barm +barmaid +barmaids +barman +barmaster +barmbrack +barmcloth +barmecidal +barmecide +barmen +barmfel +barmy +barmybrained +barmie +barmier +barmiest +barming +barmkin +barmote +barms +barmskin +barn +barnabas +barnaby +barnabite +barnacle +barnacled +barnacles +barnacling +barnage +barnard +barnbrack +barnburner +barndoor +barney +barneys +barnful +barnhardtite +barny +barnyard +barnyards +barnier +barniest +barnlike +barnman +barnmen +barns +barnstorm +barnstormed +barnstormer +barnstormers +barnstorming +barnstorms +barnumism +barnumize +barocco +barocyclonometer +baroclinicity +baroclinity +baroco +barodynamic +barodynamics +barognosis +barogram +barograms +barograph +barographic +barographs +baroi +baroko +barolo +barology +barolong +baromacrometer +barometer +barometers +barometry +barometric +barometrical +barometrically +barometrograph +barometrography +barometz +baromotor +baron +baronage +baronages +baronduki +baroness +baronesses +baronet +baronetage +baronetcy +baronetcies +baroneted +baronethood +baronetical +baroneting +baronetise +baronetised +baronetising +baronetize +baronetized +baronetizing +baronets +baronetship +barong +baronga +barongs +baroni +barony +baronial +baronies +baronize +baronized +baronizing +baronne +baronnes +baronry +baronries +barons +baronship +barophobia +baroque +baroquely +baroqueness +baroques +baroreceptor +baroscope +baroscopic +baroscopical +barosinusitis +barosinusitus +barosma +barosmin +barostat +baroswitch +barotactic +barotaxy +barotaxis +barothermogram +barothermograph +barothermohygrogram +barothermohygrograph +baroto +barotrauma +barotraumas +barotraumata +barotropy +barotropic +barotse +barouche +barouches +barouchet +barouchette +barouni +baroxyton +barpost +barquantine +barque +barquentine +barques +barquest +barquette +barr +barra +barrabkie +barrable +barrabora +barracan +barrace +barrack +barracked +barracker +barracking +barracks +barraclade +barracoon +barracouta +barracoutas +barracuda +barracudas +barracudina +barrad +barragan +barrage +barraged +barrages +barraging +barragon +barramunda +barramundas +barramundi +barramundies +barramundis +barranca +barrancas +barranco +barrancos +barrandite +barras +barrat +barrater +barraters +barrator +barrators +barratry +barratries +barratrous +barratrously +barre +barred +barrel +barrelage +barreled +barreleye +barreleyes +barreler +barrelet +barrelfish +barrelfishes +barrelful +barrelfuls +barrelhead +barrelhouse +barrelhouses +barreling +barrelled +barrelling +barrelmaker +barrelmaking +barrels +barrelsful +barrelwise +barren +barrener +barrenest +barrenly +barrenness +barrens +barrenwort +barrer +barrera +barres +barret +barretor +barretors +barretry +barretries +barrets +barrett +barrette +barretter +barrettes +barry +barricade +barricaded +barricader +barricaders +barricades +barricading +barricado +barricadoed +barricadoes +barricadoing +barricados +barrico +barricoes +barricos +barrier +barriers +barriguda +barrigudo +barrigudos +barrikin +barriness +barring +barringer +barrington +barringtonia +barrio +barrios +barrister +barristerial +barristers +barristership +barristress +barroom +barrooms +barrow +barrowcoat +barrowful +barrowist +barrowman +barrows +barrulee +barrulet +barrulety +barruly +bars +barsac +barse +barsom +barspoon +barstool +barstools +bart +bartend +bartended +bartender +bartenders +bartending +bartends +barter +bartered +barterer +barterers +bartering +barters +barth +barthian +barthite +bartholinitis +bartholomean +bartholomew +bartholomewtide +bartholomite +bartisan +bartisans +bartizan +bartizaned +bartizans +bartlemy +bartlett +bartletts +barton +bartonella +bartonia +bartram +bartramia +bartramiaceae +bartramian +bartree +bartsia +baru +baruch +barukhzy +barundi +baruria +barvel +barvell +barway +barways +barwal +barware +barwares +barwin +barwing +barwise +barwood +bas +basad +basal +basale +basalia +basally +basalt +basaltes +basaltic +basaltiform +basaltine +basaltoid +basalts +basaltware +basan +basanite +basaree +basat +bascinet +bascology +basculation +bascule +bascules +bascunan +base +baseball +baseballdom +baseballer +baseballs +baseband +baseboard +baseboards +baseborn +basebred +baseburner +basecoat +basecourt +based +basehearted +baseheartedness +baselard +baseless +baselessly +baselessness +baselevel +basely +baselike +baseline +baseliner +baselines +basella +basellaceae +basellaceous +baseman +basemen +basement +basementless +basements +basementward +basename +baseness +basenesses +basenet +basenji +basenjis +baseplate +baseplug +basepoint +baser +baserunning +bases +basest +bash +bashalick +bashara +bashaw +bashawdom +bashawism +bashaws +bashawship +bashed +basher +bashers +bashes +bashful +bashfully +bashfulness +bashibazouk +bashilange +bashyle +bashing +bashkir +bashless +bashlik +bashlyk +bashlyks +bashment +bashmuric +basial +basialveolar +basiarachnitis +basiarachnoiditis +basiate +basiated +basiating +basiation +basibracteolate +basibranchial +basibranchiate +basibregmatic +basic +basically +basicerite +basichromatic +basichromatin +basichromatinic +basichromiole +basicity +basicities +basicytoparaplastin +basicranial +basics +basidia +basidial +basidigital +basidigitale +basidigitalia +basidiocarp +basidiogenetic +basidiolichen +basidiolichenes +basidiomycete +basidiomycetes +basidiomycetous +basidiophore +basidiospore +basidiosporous +basidium +basidorsal +basifacial +basify +basification +basified +basifier +basifiers +basifies +basifying +basifixed +basifugal +basigamy +basigamous +basigenic +basigenous +basigynium +basiglandular +basihyal +basihyoid +basil +basyl +basilar +basilarchia +basilard +basilary +basilateral +basilect +basileis +basilemma +basileus +basilian +basilic +basilica +basilicae +basilical +basilicalike +basilican +basilicas +basilicate +basilicock +basilicon +basilics +basilidan +basilidian +basilidianism +basilinna +basiliscan +basiliscine +basiliscus +basilysis +basilisk +basilisks +basilissa +basilyst +basilosauridae +basilosaurus +basils +basilweed +basimesostasis +basin +basinal +basinasal +basinasial +basined +basinerved +basinet +basinets +basinful +basing +basinlike +basins +basioccipital +basion +basions +basiophitic +basiophthalmite +basiophthalmous +basiotribe +basiotripsy +basiparachromatin +basiparaplastin +basipetal +basipetally +basiphobia +basipodite +basipoditic +basipterygial +basipterygium +basipterygoid +basiradial +basirhinal +basirostral +basis +basiscopic +basisidia +basisolute +basisphenoid +basisphenoidal +basitemporal +basitting +basiventral +basivertebral +bask +baske +basked +basker +baskerville +basket +basketball +basketballer +basketballs +basketful +basketfuls +basketing +basketlike +basketmaker +basketmaking +basketry +basketries +baskets +basketware +basketweaving +basketwoman +basketwood +basketwork +basketworm +basking +baskish +baskonize +basks +basnat +basnet +basoche +basocyte +basoga +basoid +basoko +basommatophora +basommatophorous +bason +basongo +basophil +basophile +basophilia +basophilic +basophilous +basophils +basophobia +basos +basote +basotho +basque +basqued +basques +basquine +bass +bassa +bassalia +bassalian +bassan +bassanello +bassanite +bassara +bassarid +bassaris +bassariscus +bassarisk +basses +basset +basseted +basseting +bassetite +bassets +bassetta +bassette +bassetted +bassetting +bassi +bassy +bassia +bassie +bassine +bassinet +bassinets +bassing +bassirilievi +bassist +bassists +bassly +bassness +bassnesses +basso +basson +bassoon +bassoonist +bassoonists +bassoons +bassorin +bassos +bassus +basswood +basswoods +bast +basta +bastaard +bastant +bastard +bastarda +bastardy +bastardice +bastardies +bastardisation +bastardise +bastardised +bastardising +bastardism +bastardization +bastardizations +bastardize +bastardized +bastardizes +bastardizing +bastardly +bastardliness +bastardry +bastards +baste +basted +basten +baster +basters +bastes +basti +bastian +bastide +bastile +bastiles +bastille +bastilles +bastillion +bastiment +bastinade +bastinaded +bastinades +bastinading +bastinado +bastinadoed +bastinadoes +bastinadoing +basting +bastings +bastion +bastionary +bastioned +bastionet +bastions +bastite +bastnaesite +bastnasite +basto +baston +bastonet +bastonite +basts +basural +basurale +basuto +bat +bataan +batable +batad +batak +batakan +bataleur +batamote +batan +batara +batarde +batardeau +batata +batatas +batatilla +batavi +batavian +batboy +batboys +batch +batched +batcher +batchers +batches +batching +bate +batea +bateau +bateaux +bated +bateful +batekes +batel +bateleur +batell +bateman +batement +bater +bates +batete +batetela +batfish +batfishes +batfowl +batfowled +batfowler +batfowling +batfowls +batful +bath +bathala +bathe +batheable +bathed +bather +bathers +bathes +bathetic +bathetically +bathflower +bathhouse +bathhouses +bathyal +bathyanesthesia +bathybian +bathybic +bathybius +bathic +bathycentesis +bathychrome +bathycolpian +bathycolpic +bathycurrent +bathyesthesia +bathygraphic +bathyhyperesthesia +bathyhypesthesia +bathyl +bathylimnetic +bathylite +bathylith +bathylithic +bathylitic +bathymeter +bathymetry +bathymetric +bathymetrical +bathymetrically +bathinette +bathing +bathyorographical +bathypelagic +bathyplankton +bathyscape +bathyscaph +bathyscaphe +bathyscaphes +bathyseism +bathysmal +bathysophic +bathysophical +bathysphere +bathyspheres +bathythermogram +bathythermograph +bathkol +bathless +bathman +bathmat +bathmats +bathmic +bathmism +bathmotropic +bathmotropism +bathochromatic +bathochromatism +bathochrome +bathochromy +bathochromic +bathoflore +bathofloric +batholite +batholith +batholithic +batholiths +batholitic +bathomania +bathometer +bathometry +bathonian +bathool +bathophobia +bathorse +bathos +bathoses +bathrobe +bathrobes +bathroom +bathroomed +bathrooms +bathroot +baths +bathtub +bathtubful +bathtubs +bathukolpian +bathukolpic +bathvillite +bathwater +bathwort +batidaceae +batidaceous +batik +batiked +batiker +batiking +batiks +batikulin +batikuling +bating +batino +batyphone +batis +batiste +batistes +batitinan +batlan +batler +batlet +batlike +batling +batlon +batman +batmen +batocrinidae +batocrinus +batodendron +batoid +batoidei +batoka +baton +batoneer +batonga +batonist +batonistic +batonne +batonnier +batons +batoon +batophobia +batrachia +batrachian +batrachians +batrachiate +batrachidae +batrachite +batrachium +batrachoid +batrachoididae +batrachophagous +batrachophidia +batrachophobia +batrachoplasty +batrachospermum +batrachotoxin +bats +batsman +batsmanship +batsmen +batster +batswing +batt +batta +battable +battailant +battailous +battak +battakhin +battalia +battalias +battalion +battalions +battarism +battarismus +batteau +batteaux +batted +battel +batteled +batteler +batteling +battels +battement +battements +batten +battened +battener +batteners +battening +battens +batter +batterable +battercake +batterdock +battered +batterer +batterfang +battery +batterie +batteried +batteries +batteryman +battering +batterman +batters +batteuse +batty +battycake +battier +batties +battiest +battik +battiks +battiness +batting +battings +battish +battle +battled +battledore +battledored +battledores +battledoring +battlefield +battlefields +battlefront +battlefronts +battleful +battleground +battlegrounds +battlement +battlemented +battlements +battlepiece +battleplane +battler +battlers +battles +battleship +battleships +battlesome +battlestead +battlewagon +battleward +battlewise +battling +battology +battological +battologise +battologised +battologising +battologist +battologize +battologized +battologizing +batton +batts +battu +battue +battues +batture +battuta +battutas +battute +battuto +battutos +batukite +batule +batuque +batussi +batwa +batwing +batwoman +batwomen +batz +batzen +baubee +baubees +bauble +baublery +baubles +baubling +baubo +bauch +bauchle +bauckie +bauckiebird +baud +baudekin +baudekins +baudery +baudrons +baudronses +bauds +bauera +baufrey +bauge +bauhinia +bauhinias +bauk +baul +bauld +baulea +bauleah +baulk +baulked +baulky +baulkier +baulkiest +baulking +baulks +baume +baumhauerite +baumier +baun +bauno +baure +bauson +bausond +bauta +bautta +bauxite +bauxites +bauxitic +bauxitite +bavardage +bavary +bavarian +bavaroy +bavarois +bavaroise +bavenite +bavette +baviaantje +bavian +baviere +bavin +bavius +bavoso +baw +bawarchi +bawbee +bawbees +bawble +bawcock +bawcocks +bawd +bawdy +bawdier +bawdies +bawdiest +bawdyhouse +bawdyhouses +bawdily +bawdiness +bawdry +bawdric +bawdrick +bawdrics +bawdries +bawds +bawdship +bawdstrot +bawhorse +bawke +bawl +bawled +bawley +bawler +bawlers +bawly +bawling +bawls +bawn +bawneen +bawra +bawrel +bawsint +bawsunt +bawty +bawtie +bawties +baxter +baxterian +baxterianism +baxtone +bazaar +bazaars +bazar +bazars +baze +bazigar +bazoo +bazooka +bazookaman +bazookamen +bazookas +bazoos +bazzite +bb +bbl +bbls +bbs +bcd +bcf +bch +bchs +bd +bde +bdellatomy +bdellid +bdellidae +bdellium +bdelliums +bdelloid +bdelloida +bdellometer +bdellostoma +bdellostomatidae +bdellostomidae +bdellotomy +bdelloura +bdellouridae +bdellovibrio +bdft +bdl +bdle +bdls +bdrm +bds +be +bea +beach +beachboy +beachboys +beachcomb +beachcomber +beachcombers +beachcombing +beachdrops +beached +beacher +beaches +beachfront +beachhead +beachheads +beachy +beachie +beachier +beachiest +beaching +beachlamar +beachless +beachman +beachmaster +beachmen +beachside +beachward +beachwear +beacon +beaconage +beaconed +beaconing +beaconless +beacons +beaconwise +bead +beaded +beadeye +beadeyes +beader +beadflush +beadhouse +beadhouses +beady +beadier +beadiest +beadily +beadiness +beading +beadings +beadle +beadledom +beadlehood +beadleism +beadlery +beadles +beadleship +beadlet +beadlike +beadman +beadmen +beadroll +beadrolls +beadrow +beads +beadsman +beadsmen +beadswoman +beadswomen +beadwork +beadworks +beagle +beagles +beagling +beak +beaked +beaker +beakerful +beakerman +beakermen +beakers +beakful +beakhead +beaky +beakier +beakiest +beakiron +beakless +beaklike +beaks +beal +beala +bealach +bealing +beallach +bealtared +bealtine +bealtuinn +beam +beamage +beambird +beamed +beamer +beamers +beamfilling +beamful +beamhouse +beamy +beamier +beamiest +beamily +beaminess +beaming +beamingly +beamish +beamishly +beamless +beamlet +beamlike +beamman +beamroom +beams +beamsman +beamsmen +beamster +beamwork +bean +beanbag +beanbags +beanball +beanballs +beancod +beaned +beaner +beanery +beaneries +beaners +beanfeast +beanfeaster +beanfest +beanfield +beany +beanie +beanier +beanies +beaniest +beaning +beanlike +beano +beanos +beanpole +beanpoles +beans +beansetter +beanshooter +beanstalk +beanstalks +beant +beanweed +beaproned +bear +bearability +bearable +bearableness +bearably +bearance +bearbaiter +bearbaiting +bearbane +bearberry +bearberries +bearbind +bearbine +bearbush +bearcat +bearcats +bearcoot +beard +bearded +beardedness +bearder +beardfish +beardfishes +beardy +beardie +bearding +beardless +beardlessness +beardlike +beardom +beards +beardtongue +beared +bearer +bearers +bearess +bearfoot +bearfoots +bearherd +bearhide +bearhound +bearhug +bearhugs +bearing +bearings +bearish +bearishly +bearishness +bearleap +bearlet +bearlike +bearm +bearnaise +bearpaw +bears +bearship +bearskin +bearskins +beartongue +bearward +bearwood +bearwoods +bearwort +beast +beastbane +beastdom +beasthood +beastie +beasties +beastily +beastings +beastish +beastishness +beastly +beastlier +beastliest +beastlike +beastlily +beastliness +beastling +beastlings +beastman +beasts +beastship +beat +beata +beatable +beatably +beatae +beatas +beatee +beaten +beater +beaterman +beatermen +beaters +beath +beati +beatify +beatific +beatifical +beatifically +beatificate +beatification +beatified +beatifies +beatifying +beatille +beatinest +beating +beatings +beatitude +beatitudes +beatles +beatless +beatnik +beatnikism +beatniks +beatrice +beatrix +beats +beatster +beatus +beatuti +beau +beauclerc +beauclerk +beaucoup +beaued +beauetry +beaufet +beaufin +beaufort +beaugregory +beaugregories +beauing +beauish +beauism +beaujolais +beaume +beaumont +beaumontia +beaune +beaupere +beaupers +beaus +beauseant +beauship +beausire +beaut +beauteous +beauteously +beauteousness +beauti +beauty +beautician +beauticians +beautydom +beautied +beauties +beautify +beautification +beautifications +beautified +beautifier +beautifiers +beautifies +beautifying +beautiful +beautifully +beautifulness +beautihood +beautiless +beautyship +beauts +beaux +beauxite +beaver +beaverboard +beavered +beaverette +beavery +beaveries +beavering +beaverish +beaverism +beaverite +beaverize +beaverkill +beaverkin +beaverlike +beaverpelt +beaverroot +beavers +beaverskin +beaverteen +beaverwood +beback +bebay +bebait +beballed +bebang +bebannered +bebar +bebaron +bebaste +bebat +bebathe +bebatter +bebeast +bebed +bebeerin +bebeerine +bebeeru +bebeerus +bebelted +bebilya +bebite +bebization +beblain +beblear +bebled +bebleed +bebless +beblister +beblood +beblooded +beblooding +bebloods +bebloom +beblot +beblotch +beblubber +beblubbered +bebog +bebop +bebopper +beboppers +bebops +beboss +bebotch +bebothered +bebouldered +bebrave +bebreech +bebrine +bebrother +bebrush +bebump +bebusy +bebuttoned +bec +becafico +becall +becalm +becalmed +becalming +becalmment +becalms +became +becap +becapped +becapping +becaps +becard +becarpet +becarpeted +becarpeting +becarpets +becarve +becasse +becassine +becassocked +becater +because +beccabunga +beccaccia +beccafico +beccaficoes +beccaficos +becchi +becco +becense +bechained +bechalk +bechalked +bechalking +bechalks +bechamel +bechamels +bechance +bechanced +bechances +bechancing +becharm +becharmed +becharming +becharms +bechase +bechatter +bechauffeur +beche +becheck +becher +bechern +bechic +bechignoned +bechirp +bechtler +bechuana +becircled +becivet +beck +becked +beckelite +becker +becket +beckets +beckett +becky +beckie +becking +beckiron +beckon +beckoned +beckoner +beckoners +beckoning +beckoningly +beckons +becks +beclad +beclamor +beclamored +beclamoring +beclamors +beclamour +beclang +beclap +beclart +beclasp +beclasped +beclasping +beclasps +beclatter +beclaw +beclip +becloak +becloaked +becloaking +becloaks +beclog +beclogged +beclogging +beclogs +beclose +beclothe +beclothed +beclothes +beclothing +becloud +beclouded +beclouding +beclouds +beclout +beclown +beclowned +beclowning +beclowns +becluster +becobweb +becoiffed +becollier +becolme +becolor +becombed +become +becomed +becomes +becometh +becoming +becomingly +becomingness +becomings +becomma +becompass +becompliment +becoom +becoresh +becost +becousined +becovet +becoward +becowarded +becowarding +becowards +becquerelite +becram +becramp +becrampon +becrawl +becrawled +becrawling +becrawls +becreep +becry +becrime +becrimed +becrimes +becriming +becrimson +becrinolined +becripple +becrippled +becrippling +becroak +becross +becrowd +becrowded +becrowding +becrowds +becrown +becrush +becrust +becrusted +becrusting +becrusts +becudgel +becudgeled +becudgeling +becudgelled +becudgelling +becudgels +becuffed +becuiba +becumber +becuna +becurl +becurry +becurse +becursed +becurses +becursing +becurst +becurtained +becushioned +becut +bed +bedabble +bedabbled +bedabbles +bedabbling +bedad +bedaff +bedaggered +bedaggle +beday +bedamn +bedamned +bedamning +bedamns +bedamp +bedangled +bedare +bedark +bedarken +bedarkened +bedarkening +bedarkens +bedash +bedaub +bedaubed +bedaubing +bedaubs +bedawee +bedawn +bedaze +bedazed +bedazement +bedazzle +bedazzled +bedazzlement +bedazzles +bedazzling +bedazzlingly +bedboard +bedbug +bedbugs +bedcap +bedcase +bedchair +bedchairs +bedchamber +bedclothes +bedclothing +bedcord +bedcover +bedcovers +beddable +bedded +bedder +bedders +bedding +beddingroll +beddings +bede +bedead +bedeaf +bedeafen +bedeafened +bedeafening +bedeafens +bedebt +bedeck +bedecked +bedecking +bedecks +bedecorate +bedeen +bedegar +bedeguar +bedehouse +bedehouses +bedel +bedell +bedells +bedels +bedelve +bedeman +bedemen +beden +bedene +bedesman +bedesmen +bedeswoman +bedeswomen +bedevil +bedeviled +bedeviling +bedevilled +bedevilling +bedevilment +bedevils +bedew +bedewed +bedewer +bedewing +bedewoman +bedews +bedfast +bedfellow +bedfellows +bedfellowship +bedflower +bedfoot +bedford +bedfordshire +bedframe +bedframes +bedgery +bedgoer +bedgown +bedgowns +bediademed +bediamonded +bediaper +bediapered +bediapering +bediapers +bedye +bedight +bedighted +bedighting +bedights +bedikah +bedim +bedimmed +bedimming +bedimple +bedimpled +bedimples +bedimplies +bedimpling +bedims +bedin +bedip +bedirt +bedirter +bedirty +bedirtied +bedirties +bedirtying +bedismal +bedivere +bedizen +bedizened +bedizening +bedizenment +bedizens +bedkey +bedlam +bedlamer +bedlamic +bedlamise +bedlamised +bedlamising +bedlamism +bedlamite +bedlamitish +bedlamize +bedlamized +bedlamizing +bedlamp +bedlamps +bedlams +bedlar +bedless +bedlids +bedlight +bedlike +bedmaker +bedmakers +bedmaking +bedman +bedmate +bedmates +bednighted +bednights +bedoctor +bedog +bedoyo +bedolt +bedot +bedote +bedotted +bedouin +bedouinism +bedouins +bedouse +bedown +bedpad +bedpan +bedpans +bedplate +bedplates +bedpost +bedposts +bedquilt +bedquilts +bedrabble +bedrabbled +bedrabbling +bedraggle +bedraggled +bedragglement +bedraggles +bedraggling +bedrail +bedrails +bedral +bedrape +bedraped +bedrapes +bedraping +bedravel +bedread +bedrel +bedrench +bedrenched +bedrenches +bedrenching +bedress +bedribble +bedrid +bedridden +bedriddenness +bedrift +bedright +bedrip +bedrite +bedrivel +bedriveled +bedriveling +bedrivelled +bedrivelling +bedrivels +bedrizzle +bedrock +bedrocks +bedroll +bedrolls +bedroom +bedrooms +bedrop +bedrown +bedrowse +bedrug +bedrugged +bedrugging +bedrugs +beds +bedscrew +bedsheet +bedsheets +bedsick +bedside +bedsides +bedsit +bedsite +bedsitter +bedsock +bedsonia +bedsonias +bedsore +bedsores +bedspread +bedspreads +bedspring +bedsprings +bedstaff +bedstand +bedstands +bedstaves +bedstead +bedsteads +bedstock +bedstraw +bedstraws +bedstring +bedswerver +bedtick +bedticking +bedticks +bedtime +bedtimes +bedub +beduchess +beduck +beduin +beduins +beduke +bedull +bedumb +bedumbed +bedumbing +bedumbs +bedunce +bedunced +bedunces +bedunch +beduncing +bedung +bedur +bedusk +bedust +bedway +bedways +bedward +bedwards +bedwarf +bedwarfed +bedwarfing +bedwarfs +bedwarmer +bedwell +bee +beearn +beeball +beebee +beebees +beebread +beebreads +beech +beechdrops +beechen +beecher +beeches +beechy +beechier +beechiest +beechnut +beechnuts +beechwood +beechwoods +beedged +beedi +beedom +beef +beefalo +beefaloes +beefalos +beefburger +beefburgers +beefcake +beefcakes +beefeater +beefeaters +beefed +beefer +beefers +beefhead +beefheaded +beefy +beefier +beefiest +beefily +beefin +beefiness +beefing +beefish +beefishness +beefless +beeflower +beefs +beefsteak +beefsteaks +beeftongue +beefwood +beefwoods +beegerite +beehead +beeheaded +beeherd +beehive +beehives +beehouse +beeyard +beeish +beeishness +beek +beekeeper +beekeepers +beekeeping +beekite +beekmantown +beelbow +beele +beelike +beeline +beelines +beelol +beelzebub +beelzebubian +beelzebul +beeman +beemaster +beemen +been +beennut +beent +beento +beep +beeped +beeper +beepers +beeping +beeps +beer +beerage +beerbachite +beerbelly +beerbibber +beeregar +beerhouse +beerhouses +beery +beerier +beeriest +beerily +beeriness +beerish +beerishly +beermaker +beermaking +beermonger +beerocracy +beerothite +beerpull +beers +bees +beest +beesting +beestings +beestride +beeswax +beeswaxes +beeswing +beeswinged +beeswings +beet +beetewk +beetfly +beeth +beethoven +beethovenian +beethovenish +beethovian +beety +beetiest +beetle +beetled +beetlehead +beetleheaded +beetleheadedness +beetler +beetlers +beetles +beetlestock +beetlestone +beetleweed +beetlike +beetling +beetmister +beetrave +beetroot +beetrooty +beetroots +beets +beeve +beeves +beevish +beeway +beeware +beeweed +beewinged +beewise +beewort +beezer +beezers +bef +befall +befallen +befalling +befalls +befame +befamilied +befamine +befan +befancy +befanned +befathered +befavor +befavour +befeather +befell +beferned +befetished +befetter +befezzed +beffroy +befiddle +befilch +befile +befilleted +befilmed +befilth +befinger +befingered +befingering +befingers +befire +befist +befit +befits +befitted +befitting +befittingly +befittingness +beflag +beflagged +beflagging +beflags +beflannel +beflap +beflatter +beflea +befleaed +befleaing +befleas +befleck +beflecked +beflecking +beflecks +beflounce +beflour +beflout +beflower +beflowered +beflowering +beflowers +beflum +befluster +befoam +befog +befogged +befogging +befogs +befool +befoolable +befooled +befooling +befoolment +befools +befop +before +beforehand +beforehandedness +beforementioned +beforeness +beforesaid +beforested +beforetime +beforetimes +befortune +befoul +befouled +befouler +befoulers +befoulier +befouling +befoulment +befouls +befountained +befraught +befreckle +befreeze +befreight +befret +befrets +befretted +befretting +befriend +befriended +befriender +befriending +befriendment +befriends +befrill +befrilled +befringe +befringed +befringes +befringing +befriz +befrocked +befrogged +befrounce +befrumple +befuddle +befuddled +befuddlement +befuddlements +befuddler +befuddlers +befuddles +befuddling +befume +befur +befurbelowed +befurred +beg +begabled +begad +begay +begall +begalled +begalling +begalls +began +begani +begar +begari +begary +begarie +begarlanded +begarnish +begartered +begash +begass +begat +begats +begattal +begaud +begaudy +begaze +begazed +begazes +begazing +begeck +begem +begemmed +begemming +beget +begets +begettal +begetter +begetters +begetting +beggable +beggar +beggardom +beggared +beggarer +beggaress +beggarhood +beggary +beggaries +beggaring +beggarism +beggarly +beggarlice +beggarlike +beggarliness +beggarman +beggars +beggarweed +beggarwise +beggarwoman +begged +begger +beggiatoa +beggiatoaceae +beggiatoaceous +begging +beggingly +beggingwise +beghard +begift +begiggle +begild +begin +beginger +beginner +beginners +beginning +beginnings +begins +begird +begirded +begirding +begirdle +begirdled +begirdles +begirdling +begirds +begirt +beglad +begladded +begladding +beglads +beglamour +beglare +beglerbeg +beglerbeglic +beglerbeglik +beglerbegluc +beglerbegship +beglerbey +beglew +beglic +beglide +beglitter +beglobed +begloom +begloomed +beglooming +beglooms +begloze +begluc +beglue +begnaw +begnawed +begnawn +bego +begob +begobs +begod +begoggled +begohm +begone +begonia +begoniaceae +begoniaceous +begoniales +begonias +begorah +begorra +begorrah +begorry +begot +begotten +begottenness +begoud +begowk +begowned +begrace +begray +begrain +begrave +begrease +begreen +begrett +begrim +begrime +begrimed +begrimer +begrimes +begriming +begrimmed +begrimming +begrims +begripe +begroan +begroaned +begroaning +begroans +begrown +begrudge +begrudged +begrudger +begrudges +begrudging +begrudgingly +begruntle +begrutch +begrutten +begs +begster +beguard +beguess +beguile +beguiled +beguileful +beguilement +beguilements +beguiler +beguilers +beguiles +beguiling +beguilingly +beguilingness +beguin +beguine +beguines +begulf +begulfed +begulfing +begulfs +begum +begummed +begumming +begums +begun +begunk +begut +behale +behalf +behallow +behalves +behammer +behang +behap +behatted +behav +behave +behaved +behaver +behavers +behaves +behaving +behavior +behavioral +behaviorally +behaviored +behaviorism +behaviorist +behavioristic +behavioristically +behaviorists +behaviors +behaviour +behavioural +behaviourally +behaviourism +behaviourist +behaviours +behead +beheadal +beheaded +beheader +beheading +beheadlined +beheads +behear +behears +behearse +behedge +beheira +beheld +behelp +behemoth +behemothic +behemoths +behen +behenate +behenic +behest +behests +behew +behight +behymn +behind +behinder +behindhand +behinds +behindsight +behint +behypocrite +behither +behn +behold +beholdable +beholden +beholder +beholders +beholding +beholdingness +beholds +behoney +behoof +behooped +behoot +behoove +behooved +behooveful +behoovefully +behoovefulness +behooves +behooving +behoovingly +behorn +behorror +behove +behoved +behovely +behoves +behoving +behowl +behowled +behowling +behowls +behung +behusband +bey +beice +beid +beydom +beyerite +beige +beigel +beiges +beigy +beignet +beignets +beild +beylic +beylical +beylics +beylik +beyliks +bein +being +beingless +beingness +beings +beinked +beinly +beinness +beyond +beyondness +beyonds +beira +beyrichite +beirut +beys +beisa +beisance +beyship +beja +bejabbers +bejabers +bejade +bejan +bejant +bejape +bejaundice +bejazz +bejel +bejeled +bejeling +bejelled +bejelling +bejesuit +bejesus +bejewel +bejeweled +bejeweling +bejewelled +bejewelling +bejewels +bejezebel +bejig +bejuco +bejuggle +bejumble +bejumbled +bejumbles +bejumbling +bekah +bekerchief +bekick +bekilted +beking +bekinkinite +bekiss +bekissed +bekisses +bekissing +bekko +beknave +beknight +beknighted +beknighting +beknights +beknit +beknived +beknot +beknots +beknotted +beknottedly +beknottedness +beknotting +beknow +beknown +bel +bela +belabor +belabored +belaboring +belabors +belabour +belaboured +belabouring +belabours +belace +belaced +belady +beladied +beladies +beladying +beladle +belage +belah +belay +belayed +belayer +belaying +belays +belait +belaites +belam +belamcanda +belamy +belamour +belanda +belander +belap +belar +belard +belash +belast +belat +belate +belated +belatedly +belatedness +belating +belatticed +belaud +belauded +belauder +belauding +belauds +belavendered +belch +belched +belcher +belchers +belches +belching +beld +beldam +beldame +beldames +beldams +beldamship +belder +belderroot +belduque +beleaf +beleaguer +beleaguered +beleaguerer +beleaguering +beleaguerment +beleaguers +beleap +beleaped +beleaping +beleaps +beleapt +beleave +belection +belecture +beledgered +belee +beleed +beleft +belemnid +belemnite +belemnites +belemnitic +belemnitidae +belemnoid +belemnoidea +beleper +belesprit +beletter +beleve +belfast +belfather +belfry +belfried +belfries +belga +belgae +belgard +belgas +belgian +belgians +belgic +belgium +belgophile +belgrade +belgravia +belgravian +bely +belial +belialic +belialist +belibel +belibeled +belibeling +belick +belicoseness +belie +belied +belief +beliefful +belieffulness +beliefless +beliefs +belier +beliers +belies +believability +believable +believableness +believably +believe +believed +believer +believers +believes +believeth +believing +believingly +belight +beliing +belying +belyingly +belike +beliked +belikely +belili +belime +belimousined +belinda +belinuridae +belinurus +belion +beliquor +beliquored +beliquoring +beliquors +belis +belite +belitter +belittle +belittled +belittlement +belittler +belittlers +belittles +belittling +belive +belk +belknap +bell +bella +bellabella +bellacoola +belladonna +bellarmine +bellatrix +bellbind +bellbinder +bellbine +bellbird +bellbirds +bellboy +bellboys +bellbottle +belle +belled +belledom +belleek +belleeks +bellehood +belleric +bellerophon +bellerophontidae +belles +belleter +belletrist +belletristic +belletrists +bellevue +bellflower +bellhanger +bellhanging +bellhop +bellhops +bellhouse +belli +belly +bellyache +bellyached +bellyacher +bellyaches +bellyaching +bellyband +bellibone +bellybutton +bellybuttons +bellic +bellical +bellicism +bellicist +bellicose +bellicosely +bellicoseness +bellicosity +bellicosities +bellied +bellyer +bellies +belliferous +bellyfish +bellyflaught +bellyful +bellyfull +bellyfulls +bellyfuls +belligerence +belligerency +belligerencies +belligerent +belligerently +belligerents +bellying +bellyland +bellylike +bellyman +belling +bellypiece +bellypinch +bellipotent +bellis +bellite +bellmaker +bellmaking +bellman +bellmanship +bellmaster +bellmen +bellmouth +bellmouthed +bello +bellon +bellona +bellonian +bellonion +belloot +bellota +bellote +bellovaci +bellow +bellowed +bellower +bellowers +bellowing +bellows +bellowsful +bellowslike +bellowsmaker +bellowsmaking +bellowsman +bellpull +bellpulls +bellrags +bells +belltail +belltopper +belltopperdom +belluine +bellum +bellware +bellwaver +bellweather +bellweed +bellwether +bellwethers +bellwind +bellwine +bellwood +bellwort +bellworts +beloam +belock +beloeilite +beloid +belomancy +belone +belonephobia +belonesite +belong +belonged +belonger +belonging +belongings +belongs +belonid +belonidae +belonite +belonoid +belonosphaerite +belook +belord +belorussian +belostoma +belostomatidae +belostomidae +belotte +belouke +belout +belove +beloved +beloveds +below +belowdecks +belowground +belows +belowstairs +belozenged +bels +belshazzar +belshazzaresque +belsire +belswagger +belt +beltane +beltcourse +belted +beltene +belter +beltian +beltie +beltine +belting +beltings +beltir +beltis +beltless +beltline +beltlines +beltmaker +beltmaking +beltman +beltmen +belton +belts +beltway +beltways +beltwise +beluchi +belucki +belue +beluga +belugas +belugite +belute +belve +belvedere +belvedered +belvederes +belverdian +belvidere +belzebub +belzebuth +bema +bemad +bemadam +bemadamed +bemadaming +bemadams +bemadden +bemaddened +bemaddening +bemaddens +bemail +bemaim +bemajesty +beman +bemangle +bemantle +bemar +bemartyr +bemas +bemask +bemaster +bemat +bemata +bemaul +bemazed +bemba +bembecidae +bembex +beme +bemeal +bemean +bemeaned +bemeaning +bemeans +bemedaled +bemedalled +bemeet +bementite +bemercy +bemete +bemingle +bemingled +bemingles +bemingling +beminstrel +bemire +bemired +bemirement +bemires +bemiring +bemirror +bemirrorment +bemist +bemisted +bemisting +bemistress +bemists +bemitered +bemitred +bemix +bemixed +bemixes +bemixing +bemixt +bemoan +bemoanable +bemoaned +bemoaner +bemoaning +bemoaningly +bemoans +bemoat +bemock +bemocked +bemocking +bemocks +bemoil +bemoisten +bemol +bemole +bemolt +bemonster +bemoon +bemotto +bemoult +bemourn +bemouth +bemuck +bemud +bemuddy +bemuddle +bemuddled +bemuddlement +bemuddles +bemuddling +bemuffle +bemurmur +bemurmure +bemurmured +bemurmuring +bemurmurs +bemuse +bemused +bemusedly +bemusement +bemuses +bemusing +bemusk +bemuslined +bemuzzle +bemuzzled +bemuzzles +bemuzzling +ben +bena +benab +benacus +benadryl +bename +benamed +benamee +benames +benami +benamidar +benaming +benasty +benben +bench +benchboard +benched +bencher +benchers +benchership +benches +benchfellow +benchful +benchy +benching +benchland +benchless +benchlet +benchman +benchmar +benchmark +benchmarked +benchmarking +benchmarks +benchmen +benchwarmer +benchwork +bencite +bend +benda +bendability +bendable +benday +bendayed +bendaying +bendays +bended +bendee +bendees +bendel +bendell +bender +benders +bendy +bendies +bending +bendingly +bendys +bendlet +bends +bendsome +bendways +bendwise +bene +beneaped +beneath +beneception +beneceptive +beneceptor +benedicite +benedick +benedicks +benedict +benedicta +benedictine +benedictinism +benediction +benedictional +benedictionale +benedictionary +benedictions +benedictive +benedictively +benedictory +benedicts +benedictus +benedight +benefact +benefaction +benefactions +benefactive +benefactor +benefactory +benefactors +benefactorship +benefactress +benefactresses +benefactrices +benefactrix +benefactrixes +benefic +benefice +beneficed +beneficeless +beneficence +beneficences +beneficency +beneficent +beneficential +beneficently +benefices +beneficiaire +beneficial +beneficially +beneficialness +beneficiary +beneficiaries +beneficiaryship +beneficiate +beneficiated +beneficiating +beneficiation +beneficience +beneficient +beneficing +beneficium +benefit +benefited +benefiter +benefiting +benefits +benefitted +benefitting +benegro +beneighbored +benelux +beneme +benempt +benempted +beneplacit +beneplacity +beneplacito +benes +benet +benetnasch +benetted +benetting +benettle +beneurous +beneventan +beneventana +benevolence +benevolences +benevolency +benevolent +benevolently +benevolentness +benevolist +beng +bengal +bengalese +bengali +bengalic +bengaline +bengals +bengola +beni +benic +benight +benighted +benightedly +benightedness +benighten +benighter +benighting +benightmare +benightment +benign +benignancy +benignancies +benignant +benignantly +benignity +benignities +benignly +benignness +benim +benin +benincasa +beniseed +benison +benisons +benitier +benitoite +benj +benjamin +benjaminite +benjamins +benjamite +benjy +benjoin +benkulen +benmost +benn +benne +bennel +bennes +bennet +bennets +bennettitaceae +bennettitaceous +bennettitales +bennettites +bennetweed +benni +benny +bennies +bennis +benniseed +beno +benomyl +benomyls +benorth +benote +bens +bensail +bensall +bensel +bensell +bensh +benshea +benshee +benshi +bensil +benson +bent +bentang +bentgrass +benthal +benthamic +benthamism +benthamite +benthic +benthon +benthonic +benthopelagic +benthos +benthoscope +benthoses +benty +bentinck +bentincks +bentiness +benting +bentlet +benton +bentonite +bentonitic +bents +bentstar +bentwood +bentwoods +benu +benumb +benumbed +benumbedness +benumbing +benumbingly +benumbment +benumbs +benvenuto +benward +benweed +benzacridine +benzal +benzalacetone +benzalacetophenone +benzalaniline +benzalazine +benzalcyanhydrin +benzalcohol +benzaldehyde +benzaldiphenyl +benzaldoxime +benzalethylamine +benzalhydrazine +benzalphenylhydrazone +benzalphthalide +benzamide +benzamido +benzamine +benzaminic +benzamino +benzanalgen +benzanilide +benzanthracene +benzanthrone +benzantialdoxime +benzazide +benzazimide +benzazine +benzazole +benzbitriazole +benzdiazine +benzdifuran +benzdioxazine +benzdioxdiazine +benzdioxtriazine +benzedrine +benzein +benzene +benzeneazobenzene +benzenediazonium +benzenes +benzenyl +benzenoid +benzhydrol +benzhydroxamic +benzidin +benzidine +benzidino +benzidins +benzil +benzyl +benzylamine +benzilic +benzylic +benzylidene +benzylpenicillin +benzyls +benzimidazole +benziminazole +benzin +benzinduline +benzine +benzines +benzins +benzo +benzoate +benzoated +benzoates +benzoazurine +benzobis +benzocaine +benzocoumaran +benzodiazine +benzodiazole +benzoflavine +benzofluorene +benzofulvene +benzofuran +benzofuryl +benzofuroquinoxaline +benzoglycolic +benzoglyoxaline +benzohydrol +benzoic +benzoid +benzoyl +benzoylate +benzoylated +benzoylating +benzoylation +benzoylformic +benzoylglycine +benzoyls +benzoin +benzoinated +benzoins +benzoiodohydrin +benzol +benzolate +benzole +benzoles +benzoline +benzolize +benzols +benzomorpholine +benzonaphthol +benzonitrile +benzonitrol +benzoperoxide +benzophenanthrazine +benzophenanthroline +benzophenazine +benzophenol +benzophenone +benzophenothiazine +benzophenoxazine +benzophloroglucinol +benzophosphinic +benzophthalazine +benzopinacone +benzopyran +benzopyranyl +benzopyrazolone +benzopyrene +benzopyrylium +benzoquinoline +benzoquinone +benzoquinoxaline +benzosulfimide +benzosulphimide +benzotetrazine +benzotetrazole +benzothiazine +benzothiazole +benzothiazoline +benzothiodiazole +benzothiofuran +benzothiophene +benzothiopyran +benzotoluide +benzotriazine +benzotriazole +benzotrichloride +benzotrifluoride +benzotrifuran +benzoxate +benzoxy +benzoxyacetic +benzoxycamphor +benzoxyphenanthrene +benzpinacone +benzpyrene +benzthiophen +benztrioxazine +beode +beothuk +beothukan +beowulf +bepaid +bepaint +bepainted +bepainting +bepaints +bepale +bepaper +beparch +beparody +beparse +bepart +bepaste +bepastured +bepat +bepatched +bepaw +bepearl +bepelt +bepen +bepepper +beperiwigged +bepester +bepewed +bephilter +bephrase +bepicture +bepiece +bepierce +bepile +bepill +bepillared +bepimple +bepimpled +bepimples +bepimpling +bepinch +bepistoled +bepity +beplague +beplaided +beplaster +beplumed +bepommel +bepowder +bepray +bepraise +bepraisement +bepraiser +beprank +bepranked +bepreach +bepress +bepretty +bepride +beprose +bepuddle +bepuff +bepuffed +bepun +bepurple +bepuzzle +bepuzzlement +bequalm +bequeath +bequeathable +bequeathal +bequeathed +bequeather +bequeathing +bequeathment +bequeaths +bequest +bequests +bequirtle +bequote +beqwete +ber +beray +berain +berairou +berakah +berake +beraked +berakes +beraking +berakot +berakoth +berapt +berascal +berascaled +berascaling +berascals +berat +berate +berated +berates +berating +berattle +beraunite +berbamine +berber +berberi +berbery +berberia +berberian +berberid +berberidaceae +berberidaceous +berberin +berberine +berberins +berberis +berberry +berbers +berceau +berceaunette +bercelet +berceuse +berceuses +berchemia +berchta +berdache +berdaches +berdash +bere +berean +bereareft +bereason +bereave +bereaved +bereavement +bereavements +bereaven +bereaver +bereavers +bereaves +bereaving +berede +bereft +berend +berendo +berengaria +berengarian +berengarianism +berengelite +berengena +berenice +bereshith +beresite +beret +berets +beretta +berettas +berewick +berg +bergalith +bergall +bergama +bergamasca +bergamasche +bergamask +bergamiol +bergamo +bergamot +bergamots +bergander +bergaptene +berger +bergere +bergeres +bergeret +bergerette +bergfall +berggylt +bergh +berghaan +bergy +bergylt +berginization +berginize +berglet +bergman +bergmannite +bergomask +bergs +bergschrund +bergsonian +bergsonism +bergut +berhyme +berhymed +berhymes +berhyming +beri +beribanded +beribbon +beribboned +beriber +beriberi +beriberic +beriberis +beribers +berycid +berycidae +beryciform +berycine +berycoid +berycoidea +berycoidean +berycoidei +berycomorphi +beride +berigora +beryl +berylate +beryline +beryllate +beryllia +berylline +berylliosis +beryllium +berylloid +beryllonate +beryllonite +beryllosis +beryls +berime +berimed +berimes +beriming +bering +beringed +beringite +beringleted +berinse +berith +berytidae +beryx +berk +berkeley +berkeleian +berkeleianism +berkeleyism +berkeleyite +berkelium +berkovets +berkovtsi +berkowitz +berkshire +berley +berlin +berlina +berline +berliner +berliners +berlines +berlinite +berlinize +berlins +berloque +berm +berme +bermensch +bermes +berms +bermuda +bermudas +bermudian +bermudians +bermudite +bern +bernacle +bernard +bernardina +bernardine +berne +bernese +bernice +bernicia +bernicle +bernicles +bernie +berninesque +bernoo +bernoullian +berob +berobed +beroe +berogue +beroida +beroidae +beroll +berossos +berouged +beround +berreave +berreaved +berreaves +berreaving +berrendo +berret +berretta +berrettas +berrettino +berri +berry +berrybush +berrichon +berrichonne +berried +berrier +berries +berrigan +berrying +berryless +berrylike +berryman +berrypicker +berrypicking +berrugate +bersagliere +bersaglieri +berseem +berseems +berserk +berserker +berserks +bersiamite +bersil +bersim +berskin +berstel +bert +bertat +berteroa +berth +bertha +berthage +berthas +berthed +berther +berthierite +berthing +berthold +bertholletia +berths +bertie +bertillonage +bertin +bertolonia +bertram +bertrand +bertrandite +bertrum +beruffed +beruffled +berun +berust +bervie +berwick +berzelianite +berzeliite +bes +besa +besagne +besague +besaiel +besaile +besayle +besaint +besan +besanctify +besand +besant +besauce +bescab +bescarf +bescatter +bescent +bescorch +bescorched +bescorches +bescorching +bescorn +bescoundrel +bescour +bescoured +bescourge +bescouring +bescours +bescramble +bescrape +bescratch +bescrawl +bescreen +bescreened +bescreening +bescreens +bescribble +bescribbled +bescribbling +bescurf +bescurvy +bescutcheon +beseam +besee +beseech +beseeched +beseecher +beseechers +beseeches +beseeching +beseechingly +beseechingness +beseechment +beseek +beseem +beseemed +beseeming +beseemingly +beseemingness +beseemly +beseemliness +beseems +beseen +beseige +beset +besetment +besets +besetter +besetters +besetting +besew +beshackle +beshade +beshadow +beshadowed +beshadowing +beshadows +beshag +beshake +beshame +beshamed +beshames +beshaming +beshawled +beshear +beshell +beshield +beshine +beshiver +beshivered +beshivering +beshivers +beshlik +beshod +beshout +beshouted +beshouting +beshouts +beshow +beshower +beshrew +beshrewed +beshrewing +beshrews +beshriek +beshrivel +beshroud +beshrouded +beshrouding +beshrouds +besiclometer +beside +besides +besiege +besieged +besiegement +besieger +besiegers +besieges +besieging +besiegingly +besigh +besilver +besin +besing +besiren +besit +beslab +beslabber +beslap +beslash +beslave +beslaved +beslaver +besleeve +beslime +beslimed +beslimer +beslimes +besliming +beslings +beslipper +beslobber +beslow +beslubber +besluit +beslur +beslushed +besmear +besmeared +besmearer +besmearing +besmears +besmell +besmile +besmiled +besmiles +besmiling +besmirch +besmirched +besmircher +besmirchers +besmirches +besmirching +besmirchment +besmoke +besmoked +besmokes +besmoking +besmooth +besmoothed +besmoothing +besmooths +besmother +besmottered +besmouch +besmudge +besmudged +besmudges +besmudging +besmut +besmutch +besmuts +besmutted +besmutting +besnare +besneer +besnivel +besnow +besnowed +besnowing +besnows +besnuff +besodden +besogne +besognier +besoil +besoin +besom +besomer +besoms +besonio +besonnet +besoot +besoothe +besoothed +besoothement +besoothes +besoothing +besort +besot +besotment +besots +besotted +besottedly +besottedness +besotter +besotting +besottingly +besought +besoul +besour +besouth +bespake +bespangle +bespangled +bespangles +bespangling +bespate +bespatter +bespattered +bespatterer +bespattering +bespatterment +bespatters +bespawl +bespeak +bespeakable +bespeaker +bespeaking +bespeaks +bespecked +bespeckle +bespeckled +bespecklement +bespectacled +besped +bespeech +bespeed +bespell +bespelled +bespend +bespete +bespew +bespy +bespice +bespill +bespin +bespirit +bespit +besplash +besplatter +besplit +bespoke +bespoken +bespot +bespotted +bespottedness +bespotting +bespouse +bespoused +bespouses +bespousing +bespout +bespray +bespread +bespreading +bespreads +bespreng +besprent +bespring +besprinkle +besprinkled +besprinkler +besprinkles +besprinkling +besprizorni +bespurred +bespurt +besputter +besqueeze +besquib +besquirt +besra +bess +bessarabian +bessel +besselian +bessemer +bessemerize +bessemerized +bessemerizing +bessera +besses +bessi +bessy +bessie +best +bestab +bestad +bestay +bestayed +bestain +bestamp +bestand +bestar +bestare +bestarve +bestatued +bestead +besteaded +besteading +besteads +besteal +bested +besteer +bestench +bester +bestial +bestialise +bestialised +bestialising +bestialism +bestialist +bestiality +bestialities +bestialize +bestialized +bestializes +bestializing +bestially +bestials +bestian +bestiary +bestiarian +bestiarianism +bestiaries +bestiarist +bestick +besticking +bestill +besting +bestink +bestir +bestirred +bestirring +bestirs +bestness +bestock +bestore +bestorm +bestove +bestow +bestowable +bestowage +bestowal +bestowals +bestowed +bestower +bestowing +bestowment +bestows +bestraddle +bestraddled +bestraddling +bestrapped +bestraught +bestraw +bestreak +bestream +bestrew +bestrewed +bestrewing +bestrewment +bestrewn +bestrews +bestrid +bestridden +bestride +bestrided +bestrides +bestriding +bestripe +bestrode +bestrow +bestrowed +bestrowing +bestrown +bestrows +bestrut +bests +bestseller +bestsellerdom +bestsellers +bestselling +bestubble +bestubbled +bestuck +bestud +bestudded +bestudding +bestuds +bestuur +besugar +besugo +besuit +besully +beswarm +beswarmed +beswarming +beswarms +besweatered +besweeten +beswelter +beswim +beswinge +beswink +beswitch +bet +beta +betacaine +betacism +betacismus +betafite +betag +betail +betailor +betain +betaine +betaines +betainogen +betake +betaken +betakes +betaking +betalk +betallow +betanaphthol +betangle +betanglement +betas +betask +betassel +betatron +betatrons +betatter +betattered +betattering +betatters +betaxed +bete +beteach +betear +beteela +beteem +betel +betelgeuse +betell +betelnut +betelnuts +betels +beterschap +betes +beth +bethabara +bethank +bethanked +bethanking +bethankit +bethanks +bethel +bethels +bethesda +bethesdas +bethflower +bethylid +bethylidae +bethink +bethinking +bethinks +bethlehem +bethlehemite +bethorn +bethorned +bethorning +bethorns +bethought +bethrall +bethreaten +bethroot +beths +bethuel +bethumb +bethump +bethumped +bethumping +bethumps +bethunder +bethwack +bethwine +betide +betided +betides +betiding +betimber +betime +betimes +betinge +betipple +betire +betis +betise +betises +betitle +betocsin +betoya +betoyan +betoil +betoken +betokened +betokener +betokening +betokenment +betokens +beton +betone +betongue +betony +betonica +betonies +betons +betook +betorcin +betorcinol +betorn +betoss +betowel +betowered +betrace +betray +betrayal +betrayals +betrayed +betrayer +betrayers +betraying +betrail +betrayment +betrays +betraise +betrample +betrap +betravel +betread +betrend +betrim +betrinket +betroth +betrothal +betrothals +betrothed +betrothing +betrothment +betroths +betrough +betrousered +betrumpet +betrunk +betrust +bets +betsey +betsy +betsileos +betsimisaraka +betso +betta +bettas +betted +better +bettered +betterer +bettergates +bettering +betterly +betterment +betterments +bettermost +betterness +betters +betty +betties +bettina +bettine +betting +bettong +bettonga +bettongia +bettor +bettors +betuckered +betula +betulaceae +betulaceous +betulin +betulinamaric +betulinic +betulinol +betulites +betumbled +beturbaned +betusked +betutor +betutored +betwattled +between +betweenbrain +betweenity +betweenmaid +betweenness +betweens +betweentimes +betweenwhiles +betwine +betwit +betwixen +betwixt +beudanite +beudantite +beulah +beuncled +beuniformed +beurre +bevaring +bevatron +bevatrons +beveil +bevel +beveled +beveler +bevelers +beveling +bevelled +beveller +bevellers +bevelling +bevelment +bevels +bevenom +bever +beverage +beverages +beverly +beverse +bevesseled +bevesselled +beveto +bevy +bevies +bevil +bevillain +bevilled +bevined +bevoiled +bevomit +bevomited +bevomiting +bevomits +bevor +bevors +bevue +bevvy +bewail +bewailable +bewailed +bewailer +bewailers +bewailing +bewailingly +bewailment +bewails +bewaitered +bewake +bewall +beware +bewared +bewares +bewary +bewaring +bewash +bewaste +bewater +beweary +bewearied +bewearies +bewearying +beweep +beweeper +beweeping +beweeps +bewelcome +bewelter +bewend +bewept +bewest +bewet +bewhig +bewhisker +bewhiskered +bewhisper +bewhistle +bewhite +bewhiten +bewhore +bewidow +bewield +bewig +bewigged +bewigging +bewigs +bewilder +bewildered +bewilderedly +bewilderedness +bewildering +bewilderingly +bewilderment +bewilders +bewimple +bewinged +bewinter +bewired +bewit +bewitch +bewitched +bewitchedness +bewitcher +bewitchery +bewitches +bewitchful +bewitching +bewitchingly +bewitchingness +bewitchment +bewitchments +bewith +bewizard +bewonder +bework +beworm +bewormed +beworming +beworms +beworn +beworry +beworried +beworries +beworrying +beworship +bewpers +bewray +bewrayed +bewrayer +bewrayers +bewraying +bewrayingly +bewrayment +bewrays +bewrap +bewrapped +bewrapping +bewraps +bewrapt +bewrathed +bewreak +bewreath +bewreck +bewry +bewrite +bewrought +bewwept +bezaleel +bezaleelian +bezan +bezant +bezante +bezantee +bezanty +bezants +bezazz +bezazzes +bezel +bezels +bezesteen +bezetta +bezette +bezil +bezils +bezique +beziques +bezoar +bezoardic +bezoars +bezonian +bezpopovets +bezzant +bezzants +bezzi +bezzle +bezzled +bezzling +bezzo +bf +bg +bhabar +bhadon +bhaga +bhagat +bhagavat +bhagavata +bhaiachara +bhaiachari +bhaiyachara +bhajan +bhakta +bhaktas +bhakti +bhaktimarga +bhaktis +bhalu +bhandar +bhandari +bhang +bhangi +bhangs +bhar +bhara +bharal +bharata +bharti +bhat +bhava +bhavan +bhavani +bhd +bheesty +bheestie +bheesties +bhikhari +bhikku +bhikshu +bhil +bhili +bhima +bhindi +bhishti +bhisti +bhistie +bhisties +bhoy +bhojpuri +bhokra +bhoosa +bhoot +bhoots +bhotia +bhotiya +bhowani +bhp +bhumidar +bhumij +bhunder +bhungi +bhungini +bhut +bhutan +bhutanese +bhutani +bhutatathata +bhutia +bhuts +bi +by +biabo +biacetyl +biacetylene +biacetyls +biacid +biacromial +biacuminate +biacuru +biajaiba +bialate +biali +bialy +bialis +bialys +bialystoker +biallyl +bialveolar +bianca +bianchi +bianchite +bianco +biangular +biangulate +biangulated +biangulous +bianisidine +biannual +biannually +biannulate +biarchy +biarcuate +biarcuated +byard +biarticular +biarticulate +biarticulated +bias +biased +biasedly +biases +biasing +biasness +biasnesses +biassed +biassedly +biasses +biassing +biasteric +biasways +biaswise +biathlon +biathlons +biatomic +biaural +biauricular +biauriculate +biaxal +biaxial +biaxiality +biaxially +biaxillary +bib +bibacious +bibaciousness +bibacity +bibasic +bibation +bibb +bibbed +bibber +bibbery +bibberies +bibbers +bibby +bibbing +bibble +bibbled +bibbler +bibbling +bibbons +bibbs +bibcock +bibcocks +bibelot +bibelots +bibenzyl +biberon +bibi +bibio +bibionid +bibionidae +bibiri +bibiru +bibitory +bibl +bible +bibles +bibless +biblic +biblical +biblicality +biblically +biblicism +biblicist +biblicistic +biblicolegal +biblicoliterary +biblicopsychological +byblidaceae +biblike +biblioclasm +biblioclast +bibliofilm +bibliog +bibliogenesis +bibliognost +bibliognostic +bibliogony +bibliograph +bibliographer +bibliographers +bibliography +bibliographic +bibliographical +bibliographically +bibliographies +bibliographize +bibliokelpt +biblioklept +bibliokleptomania +bibliokleptomaniac +bibliolater +bibliolatry +bibliolatrist +bibliolatrous +bibliology +bibliological +bibliologies +bibliologist +bibliomancy +bibliomane +bibliomania +bibliomaniac +bibliomaniacal +bibliomanian +bibliomanianism +bibliomanism +bibliomanist +bibliopegy +bibliopegic +bibliopegically +bibliopegist +bibliopegistic +bibliopegistical +bibliophage +bibliophagic +bibliophagist +bibliophagous +bibliophil +bibliophile +bibliophiles +bibliophily +bibliophilic +bibliophilism +bibliophilist +bibliophilistic +bibliophobe +bibliophobia +bibliopolar +bibliopole +bibliopolery +bibliopoly +bibliopolic +bibliopolical +bibliopolically +bibliopolism +bibliopolist +bibliopolistic +bibliosoph +bibliotaph +bibliotaphe +bibliotaphic +bibliothec +bibliotheca +bibliothecae +bibliothecaire +bibliothecal +bibliothecary +bibliothecarial +bibliothecarian +bibliothecas +bibliotheke +bibliotheque +bibliotherapeutic +bibliotherapy +bibliotherapies +bibliotherapist +bibliothetic +bibliothque +bibliotic +bibliotics +bibliotist +byblis +biblism +biblist +biblists +biblos +biblus +biborate +bibracteate +bibracteolate +bibs +bibulosity +bibulosities +bibulous +bibulously +bibulousness +bibulus +bicalcarate +bicalvous +bicameral +bicameralism +bicameralist +bicamerist +bicapitate +bicapsular +bicarb +bicarbide +bicarbonate +bicarbonates +bicarbs +bicarbureted +bicarburetted +bicarinate +bicarpellary +bicarpellate +bicaudal +bicaudate +bicched +bice +bicellular +bicentenary +bicentenaries +bicentenarnaries +bicentennial +bicentennially +bicentennials +bicentral +bicentric +bicentrically +bicentricity +bicep +bicephalic +bicephalous +biceps +bicepses +bices +bicetyl +bichy +bichir +bichloride +bichlorides +bichord +bichos +bichromate +bichromated +bichromatic +bichromatize +bichrome +bichromic +bicyanide +bicycle +bicycled +bicycler +bicyclers +bicycles +bicyclic +bicyclical +bicycling +bicyclism +bicyclist +bicyclists +bicyclo +bicycloheptane +bicycular +biciliate +biciliated +bicylindrical +bicipital +bicipitous +bicircular +bicirrose +bick +bicker +bickered +bickerer +bickerers +bickering +bickern +bickers +bickiron +biclavate +biclinia +biclinium +bycoket +bicollateral +bicollaterality +bicolligate +bicolor +bicolored +bicolorous +bicolors +bicolour +bicoloured +bicolourous +bicolours +bicompact +biconcave +biconcavity +bicondylar +biconditional +bicone +biconic +biconical +biconically +biconjugate +biconnected +biconsonantal +biconvex +biconvexity +bicorn +bicornate +bicorne +bicorned +bicornes +bicornous +bicornuate +bicornuous +bicornute +bicorporal +bicorporate +bicorporeal +bicostate +bicrenate +bicrescentic +bicrofarad +bicron +bicrons +bicrural +bicuculline +bicultural +biculturalism +bicursal +bicuspid +bicuspidal +bicuspidate +bicuspids +bid +bidactyl +bidactyle +bidactylous +bidar +bidarka +bidarkas +bidarkee +bidarkees +bidcock +biddability +biddable +biddableness +biddably +biddance +biddelian +bidden +bidder +biddery +bidders +biddy +biddie +biddies +bidding +biddings +biddulphia +biddulphiaceae +bide +bided +bidene +bidens +bident +bidental +bidentalia +bidentate +bidented +bidential +bidenticulate +bider +bidery +biders +bides +bidet +bidets +bidget +bidi +bidiagonal +bidialectal +bidialectalism +bidigitate +bidimensional +biding +bidirectional +bidirectionally +bidiurnal +bidonville +bidpai +bidree +bidri +bidry +bids +bidstand +biduous +bye +bieberite +biedermeier +byee +bieennia +byegaein +byelaw +byelaws +bielby +bielbrief +bield +bielded +bieldy +bielding +bields +bielectrolysis +bielenite +bielid +bielorouss +byelorussia +byelorussian +byelorussians +byeman +bien +bienly +biennale +biennales +bienne +bienness +biennia +biennial +biennially +biennials +biennium +bienniums +biens +bienseance +bientt +bienvenu +bienvenue +byepath +bier +bierbalk +byerite +bierkeller +byerlite +biers +bierstube +bierstuben +bierstubes +byes +biestings +byestreet +biethnic +bietle +byeworker +byeworkman +biface +bifaces +bifacial +bifanged +bifara +bifarious +bifariously +bifer +biferous +biff +biffed +biffy +biffies +biffin +biffing +biffins +biffs +bifid +bifidate +bifidated +bifidity +bifidities +bifidly +bifilar +bifilarly +bifistular +biflabellate +biflagelate +biflagellate +biflecnode +biflected +biflex +biflorate +biflorous +bifluorid +bifluoride +bifocal +bifocals +bifoil +bifold +bifolia +bifoliate +bifoliolate +bifolium +bifollicular +biforate +biforin +biforine +biforked +biforking +biform +biformed +biformity +biforous +bifront +bifrontal +bifronted +bifrost +bifteck +bifunctional +bifurcal +bifurcate +bifurcated +bifurcately +bifurcates +bifurcating +bifurcation +bifurcations +bifurcous +big +biga +bigae +bigam +bigamy +bigamic +bigamies +bigamist +bigamistic +bigamistically +bigamists +bigamize +bigamized +bigamizing +bigamous +bigamously +bygane +byganging +bigarade +bigarades +bigaroon +bigaroons +bigarreau +bigas +bigate +bigbloom +bigbury +bigeye +bigeyes +bigemina +bigeminal +bigeminate +bigeminated +bigeminy +bigeminies +bigeminum +bigener +bigeneric +bigential +bigfoot +bigg +biggah +bigged +biggen +biggened +biggening +bigger +biggest +biggety +biggy +biggie +biggies +biggin +bigging +biggings +biggins +biggish +biggishness +biggity +biggonet +bigha +bighead +bigheaded +bigheads +bighearted +bigheartedly +bigheartedness +bighorn +bighorns +bight +bighted +bighting +bights +biglandular +biglenoid +bigly +biglot +bigmitt +bigmouth +bigmouthed +bigmouths +bigness +bignesses +bignonia +bignoniaceae +bignoniaceous +bignoniad +bignonias +bignou +bygo +bygoing +bygone +bygones +bigoniac +bigonial +bigot +bigoted +bigotedly +bigotedness +bigothero +bigotish +bigotry +bigotries +bigots +bigotty +bigram +bigroot +bigthatch +biguanide +biguttate +biguttulate +bigwig +bigwigged +bigwiggedness +bigwiggery +bigwiggism +bigwigs +bihai +bihalve +biham +bihamate +byhand +bihari +biharmonic +bihydrazine +bihourly +biyearly +bija +bijasal +bijection +bijections +bijective +bijectively +bijou +bijous +bijouterie +bijoux +bijugate +bijugous +bijugular +bijwoner +bike +biked +biker +bikers +bikes +bikeway +bikeways +bikh +bikhaconitine +bikie +biking +bikini +bikinied +bikinis +bikkurim +bikol +bikram +bikukulla +bilaan +bilabe +bilabial +bilabials +bilabiate +bilaciniate +bilayer +bilalo +bilamellar +bilamellate +bilamellated +bilaminar +bilaminate +bilaminated +biland +byland +bilander +bylander +bilanders +bilateral +bilateralism +bilateralistic +bilaterality +bilateralities +bilaterally +bilateralness +bilati +bylaw +bylawman +bylaws +bilberry +bilberries +bilbi +bilby +bilbie +bilbies +bilbo +bilboa +bilboas +bilboes +bilboquet +bilbos +bilch +bilcock +bildar +bilder +bilders +bile +bilection +bilertinned +biles +bilestone +bileve +bilewhit +bilge +bilged +bilges +bilgeway +bilgewater +bilgy +bilgier +bilgiest +bilging +bilharzia +bilharzial +bilharziasis +bilharzic +bilharziosis +bilianic +biliary +biliate +biliation +bilic +bilicyanin +bilifaction +biliferous +bilify +bilification +bilifuscin +bilihumin +bilimbi +bilimbing +bilimbis +biliment +bilin +bylina +byline +bilinear +bilineate +bilineated +bylined +byliner +byliners +bylines +bilingual +bilingualism +bilinguality +bilingually +bilinguar +bilinguist +byliny +bilinigrin +bylining +bilinite +bilio +bilious +biliously +biliousness +bilipyrrhin +biliprasin +bilipurpurin +bilirubin +bilirubinemia +bilirubinic +bilirubinuria +biliteral +biliteralism +bilith +bilithon +biliverdic +biliverdin +bilixanthin +bilk +bilked +bilker +bilkers +bilking +bilkis +bilks +bill +billa +billable +billabong +billage +billard +billback +billbeetle +billbergia +billboard +billboards +billbroking +billbug +billbugs +billed +biller +billers +billet +billete +billeted +billeter +billeters +billethead +billety +billeting +billets +billette +billetty +billetwood +billfish +billfishes +billfold +billfolds +billhead +billheading +billheads +billholder +billhook +billhooks +billy +billian +billiard +billiardist +billiardly +billiards +billyboy +billycan +billycans +billycock +billie +billyer +billies +billyhood +billiken +billikin +billing +billings +billingsgate +billyo +billion +billionaire +billionaires +billionism +billions +billionth +billionths +billitonite +billywix +billjim +billman +billmen +billon +billons +billot +billow +billowed +billowy +billowier +billowiest +billowiness +billowing +billows +billposter +billposting +bills +billsticker +billsticking +billtong +bilo +bilobate +bilobated +bilobe +bilobed +bilobiate +bilobular +bilocation +bilocellate +bilocular +biloculate +biloculina +biloculine +bilophodont +biloquist +bilos +biloxi +bilsh +bilskirnir +bilsted +bilsteds +biltong +biltongs +biltongue +bim +bima +bimaculate +bimaculated +bimah +bimahs +bimalar +bimana +bimanal +bimane +bimanous +bimanual +bimanually +bimarginate +bimarine +bimas +bimasty +bimastic +bimastism +bimastoid +bimaxillary +bimbashi +bimbil +bimbisara +bimbo +bimboes +bimbos +bimeby +bimedial +bimensal +bimester +bimesters +bimestrial +bimetal +bimetalic +bimetalism +bimetallic +bimetallism +bimetallist +bimetallistic +bimetallists +bimetals +bimethyl +bimethyls +bimillenary +bimillenial +bimillenium +bimillennia +bimillennium +bimillenniums +bimillionaire +bimilllennia +bimini +bimmeler +bimodal +bimodality +bimodule +bimodulus +bimolecular +bimolecularly +bimong +bimonthly +bimonthlies +bimorph +bimorphemic +bimorphs +bimotor +bimotored +bimotors +bimucronate +bimuscular +bin +binal +byname +bynames +binaphthyl +binapthyl +binary +binaries +binarium +binate +binately +bination +binational +binaural +binaurally +binauricular +binbashi +bind +bindable +binder +bindery +binderies +binders +bindheimite +bindi +binding +bindingly +bindingness +bindings +bindis +bindle +bindles +bindlet +bindoree +binds +bindweb +bindweed +bindweeds +bindwith +bindwood +bine +bynedestin +binervate +bines +bineweed +binful +bing +binge +bingee +bingey +bingeys +binges +binghi +bingy +bingies +bingle +bingo +bingos +binh +bini +bynin +biniodide +biniou +binit +binitarian +binitarianism +binits +bink +binman +binmen +binna +binnacle +binnacles +binned +binny +binning +binnite +binnogue +bino +binocle +binocles +binocs +binocular +binocularity +binocularly +binoculars +binoculate +binodal +binode +binodose +binodous +binomen +binomenclature +binomy +binomial +binomialism +binomially +binomials +binominal +binominated +binominous +binormal +binotic +binotonous +binous +binoxalate +binoxide +bins +bint +bintangor +bints +binturong +binuclear +binucleate +binucleated +binucleolate +binukau +binzuru +bio +bioaccumulation +bioacoustics +bioactivity +bioactivities +bioassay +bioassayed +bioassaying +bioassays +bioastronautical +bioastronautics +bioavailability +biobibliographer +biobibliography +biobibliographic +biobibliographical +biobibliographies +bioblast +bioblastic +biocatalyst +biocatalytic +biocellate +biocenology +biocenosis +biocenotic +biocentric +biochemy +biochemic +biochemical +biochemically +biochemics +biochemist +biochemistry +biochemistries +biochemists +biochore +biochron +biocycle +biocycles +biocidal +biocide +biocides +bioclean +bioclimatic +bioclimatician +bioclimatology +bioclimatological +bioclimatologically +bioclimatologies +bioclimatologist +biocoenose +biocoenoses +biocoenosis +biocoenotic +biocontrol +biod +biodegradability +biodegradable +biodegradation +biodegrade +biodegraded +biodegrading +biodynamic +biodynamical +biodynamics +biodyne +bioecology +bioecologic +bioecological +bioecologically +bioecologies +bioecologist +bioelectric +bioelectrical +bioelectricity +bioelectricities +bioelectrogenesis +bioelectrogenetic +bioelectrogenetically +bioelectronics +bioenergetics +bioengineering +bioenvironmental +bioenvironmentaly +bioethic +bioethics +biofeedback +bioflavinoid +bioflavonoid +biofog +biog +biogas +biogases +biogasses +biogen +biogenase +biogenesis +biogenesist +biogenetic +biogenetical +biogenetically +biogenetics +biogeny +biogenic +biogenies +biogenous +biogens +biogeochemical +biogeochemistry +biogeographer +biogeographers +biogeography +biogeographic +biogeographical +biogeographically +biognosis +biograph +biographee +biographer +biographers +biography +biographic +biographical +biographically +biographies +biographist +biographize +biohazard +bioherm +bioherms +bioinstrument +bioinstrumentation +biokinetics +biol +biolinguistics +biolyses +biolysis +biolite +biolith +biolytic +biologese +biology +biologic +biological +biologically +biologicohumanistic +biologics +biologies +biologism +biologist +biologistic +biologists +biologize +bioluminescence +bioluminescent +biomagnetic +biomagnetism +biomass +biomasses +biomaterial +biomathematics +biome +biomechanical +biomechanics +biomedical +biomedicine +biomes +biometeorology +biometer +biometry +biometric +biometrical +biometrically +biometrician +biometricist +biometrics +biometries +biometrist +biomicroscope +biomicroscopy +biomicroscopies +biomorphic +bion +byon +bionditional +bionergy +bionic +bionics +bionomy +bionomic +bionomical +bionomically +bionomics +bionomies +bionomist +biont +biontic +bionts +biophagy +biophagism +biophagous +biophilous +biophysic +biophysical +biophysically +biophysicist +biophysicists +biophysicochemical +biophysics +biophysiography +biophysiology +biophysiological +biophysiologist +biophyte +biophor +biophore +biophotometer +biophotophone +biopic +biopyribole +bioplasm +bioplasmic +bioplasms +bioplast +bioplastic +biopoesis +biopoiesis +biopotential +bioprecipitation +biopsy +biopsic +biopsychic +biopsychical +biopsychology +biopsychological +biopsychologies +biopsychologist +biopsies +bioptic +bioral +biorbital +biordinal +byordinar +byordinary +bioreaction +bioresearch +biorgan +biorhythm +biorhythmic +biorhythmicity +biorhythmicities +biorythmic +bios +biosatellite +biosatellites +bioscience +biosciences +bioscientific +bioscientist +bioscope +bioscopes +bioscopy +bioscopic +bioscopies +biose +biosensor +bioseston +biosyntheses +biosynthesis +biosynthesize +biosynthetic +biosynthetically +biosis +biosystematy +biosystematic +biosystematics +biosystematist +biosocial +biosociology +biosociological +biosome +biospeleology +biosphere +biospheres +biostatic +biostatical +biostatics +biostatistic +biostatistics +biosterin +biosterol +biostratigraphy +biostrome +biota +biotas +biotaxy +biotech +biotechnics +biotechnology +biotechnological +biotechnologicaly +biotechnologically +biotechnologies +biotechs +biotelemetry +biotelemetric +biotelemetries +biotherapy +biotic +biotical +biotically +biotics +biotin +biotins +biotype +biotypes +biotypic +biotypology +biotite +biotites +biotitic +biotome +biotomy +biotope +biotopes +biotoxin +biotoxins +biotransformation +biotron +biotrons +byous +byously +biovular +biovulate +bioxalate +bioxide +biozone +byp +bipack +bipacks +bipaleolate +bipaliidae +bipalium +bipalmate +biparasitic +biparental +biparentally +biparietal +biparous +biparted +biparty +bipartible +bipartient +bipartile +bipartisan +bipartisanism +bipartisanship +bipartite +bipartitely +bipartition +bipartizan +bipaschal +bypass +bypassed +bypasser +bypasses +bypassing +bypast +bypath +bypaths +bipectinate +bipectinated +biped +bipedal +bipedality +bipedism +bipeds +bipeltate +bipennate +bipennated +bipenniform +biperforate +bipersonal +bipetalous +biphase +biphasic +biphenyl +biphenylene +biphenyls +biphenol +bipinnaria +bipinnariae +bipinnarias +bipinnate +bipinnated +bipinnately +bipinnatifid +bipinnatiparted +bipinnatipartite +bipinnatisect +bipinnatisected +bipyramid +bipyramidal +bipyridyl +bipyridine +biplace +byplace +byplay +byplays +biplanal +biplanar +biplane +biplanes +biplicate +biplicity +biplosion +biplosive +bipod +bipods +bipolar +bipolarity +bipolarization +bipolarize +bipont +bipontine +biporose +biporous +bipotentiality +bipotentialities +biprism +byproduct +byproducts +biprong +bipropellant +bipunctal +bipunctate +bipunctual +bipupillate +biquadrantal +biquadrate +biquadratic +biquarterly +biquartz +biquintile +biracial +biracialism +biradial +biradiate +biradiated +biramose +biramous +birational +birch +birchbark +birched +birchen +bircher +birchers +birches +birching +birchism +birchman +birchwood +bird +birdbander +birdbanding +birdbath +birdbaths +birdberry +birdbrain +birdbrained +birdbrains +birdcage +birdcages +birdcall +birdcalls +birdcatcher +birdcatching +birdclapper +birdcraft +birddom +birde +birded +birdeen +birdeye +birder +birders +birdfarm +birdfarms +birdglue +birdhood +birdhouse +birdhouses +birdy +birdyback +birdie +birdieback +birdied +birdieing +birdies +birdikin +birding +birdland +birdless +birdlet +birdlife +birdlike +birdlime +birdlimed +birdlimes +birdliming +birdling +birdlore +birdman +birdmen +birdmouthed +birdnest +birdnester +birds +birdsall +birdseed +birdseeds +birdseye +birdseyes +birdshot +birdshots +birdsnest +birdsong +birdstone +birdwatch +birdweed +birdwise +birdwitted +birdwoman +birdwomen +byre +birectangular +birefracting +birefraction +birefractive +birefringence +birefringent +byreman +bireme +biremes +byres +biretta +birettas +byrewards +byrewoman +birgand +birgus +biri +biriani +biriba +birimose +birk +birken +birkenhead +birkenia +birkeniidae +birky +birkie +birkies +birkremite +birks +birl +byrl +byrlady +byrlakin +byrlaw +byrlawman +byrlawmen +birle +birled +byrled +birler +birlers +birles +birlie +birlieman +birling +byrling +birlings +birlinn +birls +byrls +birma +birmingham +birminghamize +birn +birne +birny +byrnie +byrnies +byroad +byroads +birodo +biron +byron +byronesque +byronian +byroniana +byronic +byronically +byronics +byronish +byronism +byronist +byronite +byronize +birostrate +birostrated +birota +birotation +birotatory +birr +birred +birretta +birrettas +birri +byrri +birring +birrs +birrus +byrrus +birse +birses +birsy +birsit +birsle +byrsonima +birt +birth +birthbed +birthday +birthdays +birthdom +birthed +birthy +birthing +byrthynsak +birthland +birthless +birthmark +birthmarks +birthmate +birthnight +birthplace +birthplaces +birthrate +birthrates +birthright +birthrights +birthroot +births +birthstone +birthstones +birthstool +birthwort +bis +bys +bisabol +bisaccate +bysacki +bisacromial +bisagre +bisayan +bisalt +bisaltae +bisannual +bisantler +bisaxillary +bisbeeite +biscacha +biscayan +biscayanism +biscayen +biscayner +biscanism +bischofite +biscot +biscotin +biscuit +biscuiting +biscuitlike +biscuitmaker +biscuitmaking +biscuitry +biscuitroot +biscuits +biscutate +bisdiapason +bisdimethylamino +bise +bisect +bisected +bisecting +bisection +bisectional +bisectionally +bisections +bisector +bisectors +bisectrices +bisectrix +bisects +bisegment +bisellia +bisellium +bysen +biseptate +biserial +biserially +biseriate +biseriately +biserrate +bises +biset +bisetose +bisetous +bisexed +bisext +bisexual +bisexualism +bisexuality +bisexually +bisexuals +bisexuous +bisglyoxaline +bish +bishareen +bishari +bisharin +bishydroxycoumarin +bishop +bishopbird +bishopdom +bishoped +bishopess +bishopful +bishophood +bishoping +bishopless +bishoplet +bishoplike +bishopling +bishopric +bishoprics +bishops +bishopscap +bishopship +bishopstool +bishopweed +bisie +bisiliac +bisilicate +bisiliquous +bisyllabic +bisyllabism +bisimine +bisymmetry +bisymmetric +bisymmetrical +bisymmetrically +bisync +bisinuate +bisinuation +bisischiadic +bisischiatic +bisk +biskop +bisks +bisley +bislings +bysmalith +bismanol +bismar +bismarck +bismarckian +bismarckianism +bismarine +bismark +bisme +bismer +bismerpund +bismethyl +bismillah +bismite +bismosol +bismuth +bismuthal +bismuthate +bismuthic +bismuthide +bismuthiferous +bismuthyl +bismuthine +bismuthinite +bismuthite +bismuthous +bismuths +bismutite +bismutoplagionite +bismutosmaltite +bismutosphaerite +bisnaga +bisnagas +bisognio +bison +bisonant +bisons +bisontine +byspell +bisphenoid +bispinose +bispinous +bispore +bisporous +bisque +bisques +bisquette +byss +bissabol +byssaceous +byssal +bissellia +bissext +bissextile +bissextus +byssi +byssiferous +byssin +byssine +byssinosis +bisso +byssogenous +byssoid +byssolite +bisson +bissonata +byssus +byssuses +bist +bistable +bystander +bystanders +bistate +bistephanic +bister +bistered +bisters +bistetrazole +bisti +bistipular +bistipulate +bistipuled +bistort +bistorta +bistorts +bistoury +bistouries +bistournage +bistratal +bistratose +bistre +bistred +bystreet +bystreets +bistres +bistriate +bistriazole +bistro +bistroic +bistros +bisubstituted +bisubstitution +bisulc +bisulcate +bisulcated +bisulfate +bisulfid +bisulfide +bisulfite +bisulphate +bisulphide +bisulphite +bit +bitable +bitake +bytalk +bytalks +bitangent +bitangential +bitanhol +bitartrate +bitbrace +bitch +bitched +bitchery +bitcheries +bitches +bitchy +bitchier +bitchiest +bitchily +bitchiness +bitching +bite +byte +biteable +biteche +bited +biteless +bitemporal +bitentaculate +biter +biternate +biternately +biters +bites +bytes +bitesheep +bitewing +bitewings +byth +bitheism +bithynian +biti +bityite +bytime +biting +bitingly +bitingness +bitypic +bitis +bitless +bitmap +bitmapped +bitnet +bito +bitolyl +bitonal +bitonality +bitonalities +bitore +bytownite +bytownitite +bitreadle +bitripartite +bitripinnatifid +bitriseptate +bitrochanteric +bits +bitser +bitsy +bitstalk +bitstock +bitstocks +bitstone +bitt +bittacle +bitte +bitted +bitten +bitter +bitterbark +bitterblain +bitterbloom +bitterbrush +bitterbump +bitterbur +bitterbush +bittered +bitterender +bitterer +bitterest +bitterful +bitterhead +bitterhearted +bitterheartedness +bittering +bitterish +bitterishness +bitterless +bitterly +bitterling +bittern +bitterness +bitterns +bitternut +bitterroot +bitters +bittersweet +bittersweetly +bittersweetness +bittersweets +bitterweed +bitterwood +bitterworm +bitterwort +bitthead +bitty +bittie +bittier +bittiest +bitting +bittings +bittium +bittock +bittocks +bittor +bitts +bitubercular +bituberculate +bituberculated +bitulithic +bitume +bitumed +bitumen +bitumens +bituminate +bituminiferous +bituminisation +bituminise +bituminised +bituminising +bituminization +bituminize +bituminized +bituminizing +bituminoid +bituminosis +bituminous +bitwise +biune +biunial +biunique +biuniquely +biuniqueness +biunity +biunivocal +biurate +biurea +biuret +bivalence +bivalency +bivalencies +bivalent +bivalents +bivalve +bivalved +bivalves +bivalvia +bivalvian +bivalvous +bivalvular +bivane +bivariant +bivariate +bivascular +bivaulted +bivector +biventer +biventral +biverb +biverbal +bivial +bivinyl +bivinyls +bivious +bivittate +bivium +bivocal +bivocalized +bivoltine +bivoluminous +bivouac +bivouaced +bivouacked +bivouacking +bivouacks +bivouacs +bivvy +biwa +byway +byways +bywalk +bywalker +bywalking +byward +biweekly +biweeklies +biwinter +bywoner +byword +bywords +bywork +byworks +bixa +bixaceae +bixaceous +bixbyite +bixin +biz +bizant +byzant +byzantian +byzantine +byzantinesque +byzantinism +byzantinize +byzantium +byzants +bizardite +bizarre +bizarrely +bizarreness +bizarrerie +bizarres +bizcacha +bize +bizel +bizen +bizes +bizet +bizygomatic +biznaga +biznagas +bizonal +bizone +bizones +bizonia +bizz +bizzarro +bjorne +bk +bkbndr +bkcy +bkg +bkgd +bklr +bkpr +bkpt +bks +bkt +bl +blaasop +blab +blabbed +blabber +blabbered +blabberer +blabbering +blabbermouth +blabbermouths +blabbers +blabby +blabbing +blabmouth +blabs +blachong +black +blackacre +blackamoor +blackamoors +blackarm +blackback +blackball +blackballed +blackballer +blackballing +blackballs +blackband +blackbeard +blackbeetle +blackbelly +blackberry +blackberries +blackberrylike +blackbine +blackbird +blackbirder +blackbirding +blackbirds +blackboard +blackboards +blackbody +blackboy +blackboys +blackbreast +blackbrush +blackbuck +blackbush +blackbutt +blackcap +blackcaps +blackcoat +blackcock +blackcod +blackcods +blackcurrant +blackdamp +blacked +blackey +blackeye +blackeyes +blacken +blackened +blackener +blackeners +blackening +blackens +blacker +blackest +blacketeer +blackface +blackfeet +blackfellow +blackfellows +blackfigured +blackfin +blackfins +blackfire +blackfish +blackfisher +blackfishes +blackfishing +blackfly +blackflies +blackfoot +blackfriars +blackguard +blackguardism +blackguardize +blackguardly +blackguardry +blackguards +blackgum +blackgums +blackhander +blackhead +blackheads +blackheart +blackhearted +blackheartedly +blackheartedness +blacky +blackie +blackies +blacking +blackings +blackish +blackishly +blackishness +blackit +blackjack +blackjacked +blackjacking +blackjacks +blackland +blacklead +blackleg +blacklegged +blackleggery +blacklegging +blacklegism +blacklegs +blackly +blacklight +blacklist +blacklisted +blacklister +blacklisting +blacklists +blackmail +blackmailed +blackmailer +blackmailers +blackmailing +blackmails +blackman +blackneb +blackneck +blackness +blacknob +blackout +blackouts +blackpatch +blackplate +blackpoll +blackpot +blackprint +blackrag +blackroot +blacks +blackseed +blackshirt +blackshirted +blacksmith +blacksmithing +blacksmiths +blacksnake +blackstick +blackstrap +blacktail +blackthorn +blackthorns +blacktongue +blacktop +blacktopped +blacktopping +blacktops +blacktree +blackware +blackwash +blackwasher +blackwashing +blackwater +blackweed +blackwood +blackwork +blackwort +blad +bladder +bladderet +bladdery +bladderless +bladderlike +bladdernose +bladdernut +bladderpod +bladders +bladderseed +bladderweed +bladderwort +bladderwrack +blade +bladebone +bladed +bladeless +bladelet +bladelike +blader +blades +bladesmith +bladewise +blady +bladygrass +blading +bladish +blae +blaeberry +blaeberries +blaeness +blaewort +blaff +blaffert +blaflum +blaggard +blague +blagueur +blah +blahlaut +blahs +blay +blayk +blain +blaine +blayne +blains +blair +blairmorite +blake +blakeberyed +blakeite +blam +blamability +blamable +blamableness +blamably +blame +blameable +blameableness +blameably +blamed +blameful +blamefully +blamefulness +blameless +blamelessly +blamelessness +blamer +blamers +blames +blameworthy +blameworthiness +blaming +blamingly +blams +blan +blanc +blanca +blancard +blanch +blanche +blanched +blancher +blanchers +blanches +blanchi +blanchimeter +blanching +blanchingly +blancmange +blancmanger +blancmanges +blanco +blancs +bland +blanda +blandation +blander +blandest +blandfordia +blandiloquence +blandiloquious +blandiloquous +blandish +blandished +blandisher +blandishers +blandishes +blandishing +blandishingly +blandishment +blandishments +blandly +blandness +blank +blankard +blankbook +blanked +blankeel +blanker +blankest +blanket +blanketed +blanketeer +blanketer +blanketers +blanketflower +blankety +blanketing +blanketless +blanketlike +blanketmaker +blanketmaking +blanketry +blankets +blanketweed +blanky +blanking +blankish +blankit +blankite +blankly +blankminded +blankmindedness +blankness +blanks +blanque +blanquette +blanquillo +blanquillos +blaoner +blaoners +blare +blared +blares +blarina +blaring +blarney +blarneyed +blarneyer +blarneying +blarneys +blarny +blarnid +blart +blas +blase +blaseness +blash +blashy +blasia +blason +blaspheme +blasphemed +blasphemer +blasphemers +blasphemes +blasphemy +blasphemies +blaspheming +blasphemous +blasphemously +blasphemousness +blast +blastaea +blasted +blastema +blastemal +blastemas +blastemata +blastematic +blastemic +blaster +blasters +blastful +blasthole +blasty +blastid +blastide +blastie +blastier +blasties +blastiest +blasting +blastings +blastman +blastment +blastocarpous +blastocele +blastocheme +blastochyle +blastocyst +blastocyte +blastocoel +blastocoele +blastocoelic +blastocolla +blastoderm +blastodermatic +blastodermic +blastodisc +blastodisk +blastoff +blastoffs +blastogenesis +blastogenetic +blastogeny +blastogenic +blastogranitic +blastoid +blastoidea +blastoma +blastomas +blastomata +blastomere +blastomeric +blastomyces +blastomycete +blastomycetes +blastomycetic +blastomycetous +blastomycin +blastomycosis +blastomycotic +blastoneuropore +blastophaga +blastophyllum +blastophitic +blastophoral +blastophore +blastophoric +blastophthoria +blastophthoric +blastoporal +blastopore +blastoporic +blastoporphyritic +blastosphere +blastospheric +blastostylar +blastostyle +blastozooid +blastplate +blasts +blastula +blastulae +blastular +blastulas +blastulation +blastule +blat +blatancy +blatancies +blatant +blatantly +blatch +blatchang +blate +blately +blateness +blateration +blateroon +blather +blathered +blatherer +blathery +blathering +blathers +blatherskite +blatherskites +blatiform +blatjang +blats +blatta +blattariae +blatted +blatter +blattered +blatterer +blattering +blatters +blatti +blattid +blattidae +blattiform +blatting +blattodea +blattoid +blattoidea +blaubok +blauboks +blaugas +blaunner +blautok +blauwbok +blaver +blaw +blawed +blawing +blawn +blawort +blaws +blaze +blazed +blazer +blazers +blazes +blazy +blazing +blazingly +blazon +blazoned +blazoner +blazoners +blazoning +blazonment +blazonry +blazonries +blazons +bld +bldg +bldr +blea +bleaberry +bleach +bleachability +bleachable +bleached +bleacher +bleachery +bleacheries +bleacherite +bleacherman +bleachers +bleaches +bleachfield +bleachground +bleachhouse +bleachyard +bleaching +bleachman +bleachs +bleachworks +bleak +bleaker +bleakest +bleaky +bleakish +bleakly +bleakness +bleaks +blear +bleared +blearedness +bleareye +bleareyed +bleary +blearyeyedness +blearier +bleariest +blearily +bleariness +blearing +blearness +blears +bleat +bleated +bleater +bleaters +bleaty +bleating +bleatingly +bleats +bleaunt +bleb +blebby +blebs +blechnoid +blechnum +bleck +bled +blee +bleed +bleeder +bleeders +bleeding +bleedings +bleeds +bleekbok +bleep +bleeped +bleeping +bleeps +bleery +bleeze +bleezy +bleymes +bleinerite +blellum +blellums +blemish +blemished +blemisher +blemishes +blemishing +blemishment +blemmatrope +blemmyes +blench +blenched +blencher +blenchers +blenches +blenching +blenchingly +blencorn +blend +blendcorn +blende +blended +blender +blenders +blendes +blending +blendor +blends +blendure +blendwater +blenheim +blenk +blennadenitis +blennemesis +blennenteria +blennenteritis +blenny +blennies +blenniid +blenniidae +blenniiform +blenniiformes +blennymenitis +blennioid +blennioidea +blennocele +blennocystitis +blennoemesis +blennogenic +blennogenous +blennoid +blennoma +blennometritis +blennophlogisma +blennophlogosis +blennophobia +blennophthalmia +blennoptysis +blennorhea +blennorrhagia +blennorrhagic +blennorrhea +blennorrheal +blennorrhinia +blennorrhoea +blennosis +blennostasis +blennostatic +blennothorax +blennotorrhea +blennuria +blens +blent +bleo +blephara +blepharadenitis +blepharal +blepharanthracosis +blepharedema +blepharelcosis +blepharemphysema +blepharydatis +blephariglottis +blepharism +blepharitic +blepharitis +blepharoadenitis +blepharoadenoma +blepharoatheroma +blepharoblennorrhea +blepharocarcinoma +blepharocera +blepharoceridae +blepharochalasis +blepharochromidrosis +blepharoclonus +blepharocoloboma +blepharoconjunctivitis +blepharodiastasis +blepharodyschroia +blepharohematidrosis +blepharolithiasis +blepharomelasma +blepharoncosis +blepharoncus +blepharophyma +blepharophimosis +blepharophryplasty +blepharophthalmia +blepharopyorrhea +blepharoplast +blepharoplasty +blepharoplastic +blepharoplegia +blepharoptosis +blepharorrhaphy +blepharosymphysis +blepharosyndesmitis +blepharosynechia +blepharospasm +blepharospath +blepharosphincterectomy +blepharostat +blepharostenosis +blepharotomy +blephillia +blere +blesbok +blesboks +blesbuck +blesbucks +blesmol +bless +blesse +blessed +blesseder +blessedest +blessedly +blessedness +blesser +blessers +blesses +blessing +blessingly +blessings +blest +blet +blethe +blether +bletheration +blethered +blethering +blethers +bletherskate +bletia +bletilla +bletonism +blets +bletted +bletting +bleu +blew +blewits +bliaut +blibe +blick +blickey +blickeys +blicky +blickie +blickies +blier +bliest +blighia +blight +blightbird +blighted +blighter +blighters +blighty +blighties +blighting +blightingly +blights +blijver +blimbing +blimey +blimy +blimp +blimpish +blimpishly +blimpishness +blimps +blin +blind +blindage +blindages +blindball +blindcat +blinded +blindedly +blindeyes +blinder +blinders +blindest +blindfast +blindfish +blindfishes +blindfold +blindfolded +blindfoldedly +blindfoldedness +blindfolder +blindfolding +blindfoldly +blindfolds +blinding +blindingly +blindish +blindism +blindless +blindly +blindling +blindman +blindness +blinds +blindstitch +blindstorey +blindstory +blindstories +blindweed +blindworm +blinger +blini +bliny +blinis +blink +blinkard +blinkards +blinked +blinker +blinkered +blinkering +blinkers +blinky +blinking +blinkingly +blinks +blinter +blintz +blintze +blintzes +blip +blype +blypes +blipped +blippers +blipping +blips +blirt +bliss +blisses +blissful +blissfully +blissfulness +blissless +blissom +blist +blister +blistered +blistery +blistering +blisteringly +blisterous +blisters +blisterweed +blisterwort +blit +blite +blites +blithe +blithebread +blitheful +blithefully +blithehearted +blithely +blithelike +blithemeat +blithen +blitheness +blither +blithered +blithering +blithers +blithesome +blithesomely +blithesomeness +blithest +blitter +blitum +blitz +blitzbuggy +blitzed +blitzes +blitzing +blitzkrieg +blitzkrieged +blitzkrieging +blitzkriegs +blizz +blizzard +blizzardy +blizzardly +blizzardous +blizzards +blk +blksize +blo +bloat +bloated +bloatedness +bloater +bloaters +bloating +bloats +blob +blobbed +blobber +blobby +blobbier +blobbiest +blobbiness +blobbing +blobs +bloc +blocage +block +blockade +blockaded +blockader +blockaders +blockaderunning +blockades +blockading +blockage +blockages +blockboard +blockbuster +blockbusters +blockbusting +blocked +blocker +blockers +blockhead +blockheaded +blockheadedly +blockheadedness +blockheadish +blockheadishness +blockheadism +blockheads +blockhole +blockholer +blockhouse +blockhouses +blocky +blockier +blockiest +blockiness +blocking +blockish +blockishly +blockishness +blocklayer +blocklike +blockline +blockmaker +blockmaking +blockman +blockout +blockpate +blocks +blockship +blockwood +blocs +blodite +bloedite +blok +bloke +blokes +blolly +bloman +blomstrandine +blond +blonde +blondeness +blonder +blondes +blondest +blondine +blondish +blondness +blonds +blood +bloodalley +bloodalp +bloodbath +bloodbeat +bloodberry +bloodbird +bloodcurdler +bloodcurdling +bloodcurdlingly +blooddrop +blooddrops +blooded +bloodedness +bloodfin +bloodfins +bloodflower +bloodguilt +bloodguilty +bloodguiltiness +bloodguiltless +bloodhound +bloodhounds +bloody +bloodybones +bloodied +bloodier +bloodies +bloodiest +bloodying +bloodily +bloodiness +blooding +bloodings +bloodleaf +bloodless +bloodlessly +bloodlessness +bloodletter +bloodletting +bloodlettings +bloodlike +bloodline +bloodlines +bloodlust +bloodlusting +bloodmobile +bloodmobiles +bloodmonger +bloodnoun +bloodred +bloodripe +bloodripeness +bloodroot +bloodroots +bloods +bloodshed +bloodshedder +bloodshedding +bloodshot +bloodshotten +bloodspiller +bloodspilling +bloodstain +bloodstained +bloodstainedness +bloodstains +bloodstanch +bloodstock +bloodstone +bloodstones +bloodstream +bloodstreams +bloodstroke +bloodsuck +bloodsucker +bloodsuckers +bloodsucking +bloodtest +bloodthirst +bloodthirster +bloodthirsty +bloodthirstier +bloodthirstiest +bloodthirstily +bloodthirstiness +bloodthirsting +bloodweed +bloodwit +bloodwite +bloodwood +bloodworm +bloodwort +bloodworthy +blooey +blooie +bloom +bloomage +bloomed +bloomer +bloomery +bloomeria +bloomeries +bloomerism +bloomers +bloomfell +bloomy +bloomier +bloomiest +blooming +bloomingly +bloomingness +bloomkin +bloomless +blooms +bloomsbury +bloomsburian +bloop +blooped +blooper +bloopers +blooping +bloops +blooth +blore +blosmy +blossom +blossombill +blossomed +blossomhead +blossomy +blossoming +blossomless +blossomry +blossoms +blossomtime +blot +blotch +blotched +blotches +blotchy +blotchier +blotchiest +blotchily +blotchiness +blotching +blote +blotless +blotlessness +blots +blotted +blotter +blotters +blottesque +blottesquely +blotty +blottier +blottiest +blotting +blottingly +blotto +blottto +bloubiskop +blouse +bloused +blouselike +blouses +blousy +blousier +blousiest +blousily +blousing +blouson +blousons +blout +bloviate +bloviated +bloviates +bloviating +blow +blowback +blowbacks +blowball +blowballs +blowby +blowbys +blowcase +blowcock +blowdown +blowen +blower +blowers +blowess +blowfish +blowfishes +blowfly +blowflies +blowgun +blowguns +blowhard +blowhards +blowhole +blowholes +blowy +blowie +blowier +blowiest +blowiness +blowing +blowings +blowiron +blowjob +blowjobs +blowlamp +blowline +blown +blowoff +blowoffs +blowout +blowouts +blowpipe +blowpipes +blowpit +blowpoint +blowproof +blows +blowse +blowsed +blowsy +blowsier +blowsiest +blowsily +blowspray +blowth +blowtorch +blowtorches +blowtube +blowtubes +blowup +blowups +blowze +blowzed +blowzy +blowzier +blowziest +blowzily +blowziness +blowzing +bls +blub +blubbed +blubber +blubbered +blubberer +blubberers +blubberhead +blubbery +blubbering +blubberingly +blubberman +blubberous +blubbers +blubbing +blucher +bluchers +bludge +bludged +bludgeon +bludgeoned +bludgeoneer +bludgeoner +bludgeoning +bludgeons +bludger +bludging +blue +blueback +blueball +blueballs +bluebead +bluebeard +bluebeardism +bluebell +bluebelled +bluebells +blueberry +blueberries +bluebill +bluebills +bluebird +bluebirds +blueblack +blueblaw +blueblood +blueblossom +bluebonnet +bluebonnets +bluebook +bluebooks +bluebottle +bluebottles +bluebreast +bluebuck +bluebush +bluebutton +bluecap +bluecaps +bluecoat +bluecoated +bluecoats +bluecup +bluecurls +blued +bluefin +bluefins +bluefish +bluefishes +bluegill +bluegills +bluegown +bluegrass +bluegum +bluegums +bluehead +blueheads +bluehearted +bluehearts +bluey +blueing +blueings +blueys +blueish +bluejack +bluejacket +bluejackets +bluejacks +bluejay +bluejays +bluejoint +blueleg +bluelegs +bluely +blueline +bluelines +blueness +bluenesses +bluenose +bluenosed +bluenoser +bluenoses +bluepoint +bluepoints +blueprint +blueprinted +blueprinter +blueprinting +blueprints +bluer +blues +bluesy +bluesides +bluesman +bluesmen +bluest +bluestem +bluestems +bluestocking +bluestockingish +bluestockingism +bluestockings +bluestone +bluestoner +bluet +blueth +bluethroat +bluetick +bluetit +bluetongue +bluetop +bluetops +bluets +blueweed +blueweeds +bluewing +bluewood +bluewoods +bluff +bluffable +bluffed +bluffer +bluffers +bluffest +bluffy +bluffing +bluffly +bluffness +bluffs +blufter +bluggy +bluing +bluings +bluish +bluishness +bluism +bluisness +blume +blumea +blumed +blumes +bluming +blunder +blunderbuss +blunderbusses +blundered +blunderer +blunderers +blunderful +blunderhead +blunderheaded +blunderheadedness +blundering +blunderingly +blunderings +blunders +blundersome +blunge +blunged +blunger +blungers +blunges +blunging +blunk +blunker +blunket +blunks +blunnen +blunt +blunted +blunter +bluntest +blunthead +blunthearted +bluntie +blunting +bluntish +bluntishness +bluntly +bluntness +blunts +blup +blur +blurb +blurbist +blurbs +blurping +blurred +blurredly +blurredness +blurrer +blurry +blurrier +blurriest +blurrily +blurriness +blurring +blurringly +blurs +blurt +blurted +blurter +blurters +blurting +blurts +blush +blushed +blusher +blushers +blushes +blushet +blushful +blushfully +blushfulness +blushy +blushiness +blushing +blushingly +blushless +blusht +blushwort +bluster +blusteration +blustered +blusterer +blusterers +blustery +blustering +blusteringly +blusterous +blusterously +blusters +blutwurst +blvd +bm +bn +bnf +bo +boa +boaedon +boagane +boanbura +boanergean +boanerges +boanergism +boanthropy +boar +boarcite +board +boardable +boardbill +boarded +boarder +boarders +boardy +boarding +boardinghouse +boardinghouses +boardings +boardly +boardlike +boardman +boardmanship +boardmen +boardroom +boards +boardsmanship +boardwalk +boardwalks +boarfish +boarfishes +boarhound +boarish +boarishly +boarishness +boars +boarship +boarskin +boarspear +boarstaff +boart +boarts +boarwood +boas +boast +boasted +boaster +boasters +boastful +boastfully +boastfulness +boasting +boastingly +boastings +boastive +boastless +boasts +boat +boatable +boatage +boatbill +boatbills +boatbuilder +boatbuilding +boated +boatel +boatels +boater +boaters +boatfalls +boatful +boathead +boatheader +boathook +boathouse +boathouses +boatyard +boatyards +boatie +boating +boatings +boation +boatkeeper +boatless +boatly +boatlike +boatlip +boatload +boatloader +boatloading +boatloads +boatman +boatmanship +boatmaster +boatmen +boatowner +boats +boatsetter +boatshop +boatside +boatsman +boatsmanship +boatsmen +boatsteerer +boatswain +boatswains +boattail +boatward +boatwise +boatwoman +boatwright +bob +boba +bobac +bobache +bobachee +bobadil +bobadilian +bobadilish +bobadilism +bobance +bobbed +bobbejaan +bobber +bobbery +bobberies +bobbers +bobby +bobbie +bobbies +bobbin +bobbiner +bobbinet +bobbinets +bobbing +bobbinite +bobbins +bobbinwork +bobbish +bobbishly +bobbysocks +bobbysoxer +bobbysoxers +bobble +bobbled +bobbles +bobbling +bobcat +bobcats +bobcoat +bobeche +bobeches +bobet +bobfly +bobflies +bobfloat +bobierrite +bobization +bobjerom +boblet +bobo +bobol +bobolink +bobolinks +bobooti +bobotee +bobotie +bobowler +bobs +bobsled +bobsledded +bobsledder +bobsledders +bobsledding +bobsleded +bobsleding +bobsleds +bobsleigh +bobstay +bobstays +bobtail +bobtailed +bobtailing +bobtails +bobwhite +bobwhites +bobwood +boc +boca +bocaccio +bocaccios +bocage +bocal +bocardo +bocasin +bocasine +bocca +boccaccio +boccale +boccarella +boccaro +bocce +bocces +bocci +boccia +boccias +boccie +boccies +boccis +bocconia +boce +bocedization +boche +bocher +boches +bochism +bochur +bock +bockey +bockerel +bockeret +bocking +bocklogged +bocks +bocoy +bocstaff +bod +bodach +bodacious +bodaciously +boddagh +boddhisattva +boddle +bode +boded +bodeful +bodefully +bodefulness +bodega +bodegas +bodegon +bodegones +bodement +bodements +boden +bodenbenderite +boder +bodes +bodewash +bodeword +bodge +bodger +bodgery +bodgie +bodhi +bodhisat +bodhisattva +bodhisattwa +body +bodybending +bodybuild +bodybuilder +bodybuilders +bodybuilding +bodice +bodiced +bodicemaker +bodicemaking +bodices +bodycheck +bodied +bodier +bodieron +bodies +bodyguard +bodyguards +bodyhood +bodying +bodikin +bodykins +bodiless +bodyless +bodilessness +bodily +bodiliness +bodilize +bodymaker +bodymaking +bodiment +boding +bodingly +bodings +bodyplate +bodyshirt +bodysuit +bodysuits +bodysurf +bodysurfed +bodysurfer +bodysurfing +bodysurfs +bodywear +bodyweight +bodywise +bodywood +bodywork +bodyworks +bodken +bodkin +bodkins +bodkinwise +bodle +bodleian +bodo +bodock +bodoni +bodonid +bodrag +bodrage +bods +bodstick +bodword +boe +boebera +boedromion +boehmenism +boehmenist +boehmenite +boehmeria +boehmite +boehmites +boeing +boeotarch +boeotia +boeotian +boeotic +boer +boerdom +boerhavia +boers +boethian +boethusian +boettner +boff +boffin +boffins +boffo +boffola +boffolas +boffos +boffs +bog +boga +bogach +bogan +bogans +bogard +bogart +bogatyr +bogbean +bogbeans +bogberry +bogberries +bogey +bogeyed +bogeying +bogeyman +bogeymen +bogeys +boget +bogfern +boggard +boggart +bogged +boggy +boggier +boggiest +boggin +bogginess +bogging +boggish +boggishness +boggle +bogglebo +boggled +boggler +bogglers +boggles +boggling +bogglingly +bogglish +boghole +bogy +bogydom +bogie +bogieman +bogier +bogies +bogyism +bogyisms +bogijiab +bogyland +bogyman +bogymen +bogland +boglander +bogle +bogled +bogledom +bogles +boglet +bogman +bogmire +bogo +bogomil +bogomile +bogomilian +bogong +bogota +bogotana +bogs +bogsucker +bogtrot +bogtrotter +bogtrotting +bogue +bogued +boguing +bogum +bogus +bogusness +bogway +bogwood +bogwoods +bogwort +boh +bohairic +bohawn +bohea +boheas +bohemia +bohemian +bohemianism +bohemians +bohemias +bohemium +bohereen +bohireen +bohmite +boho +bohor +bohora +bohorok +bohunk +bohunks +boy +boyang +boyar +boyard +boyardism +boyardom +boyards +boyarism +boyarisms +boyars +boyau +boyaus +boyaux +boyce +boychick +boychicks +boychik +boychiks +boycott +boycottage +boycotted +boycotter +boycotting +boycottism +boycotts +boid +boyd +boidae +boydekyn +boydom +boyer +boiette +boyfriend +boyfriends +boyg +boigid +boiguacu +boyhood +boyhoods +boii +boyish +boyishly +boyishness +boyism +boiko +boil +boyla +boilable +boylas +boildown +boiled +boiler +boilerful +boilerhouse +boilery +boilerless +boilermaker +boilermakers +boilermaking +boilerman +boilerplate +boilers +boilersmith +boilerworks +boily +boylike +boylikeness +boiling +boilingly +boilinglike +boiloff +boiloffs +boilover +boils +boing +boyo +boyology +boyos +bois +boys +boise +boysenberry +boysenberries +boiserie +boiseries +boyship +boisseau +boisseaux +boist +boisterous +boisterously +boisterousness +boistous +boistously +boistousness +boite +boites +boithrin +boyuna +bojite +bojo +bokadam +bokard +bokark +boke +bokhara +bokharan +bokmakierie +boko +bokom +bokos +bol +bola +bolag +bolar +bolas +bolases +bolbanac +bolbonac +bolboxalis +bold +boldacious +bolded +bolden +bolder +bolderian +boldest +boldface +boldfaced +boldfacedly +boldfacedness +boldfaces +boldfacing +boldhearted +boldheartedly +boldheartedness +boldin +boldine +bolding +boldly +boldness +boldnesses +boldo +boldoine +boldos +boldu +bole +bolection +bolectioned +boled +boleite +bolelia +bolelike +bolero +boleros +boles +boletaceae +boletaceous +bolete +boletes +boleti +boletic +boletus +boletuses +boleweed +bolewort +bolyaian +boliche +bolide +bolides +bolimba +bolis +bolita +bolivar +bolivares +bolivarite +bolivars +bolivia +bolivian +boliviano +bolivianos +bolivians +bolivias +bolk +boll +bollandist +bollard +bollards +bolled +bollen +boller +bolly +bollies +bolling +bollito +bollix +bollixed +bollixes +bollixing +bollock +bollocks +bollox +bolloxed +bolloxes +bolloxing +bolls +bollworm +bollworms +bolo +boloball +boloed +bologna +bolognan +bolognas +bolognese +bolograph +bolography +bolographic +bolographically +boloing +boloism +boloman +bolomen +bolometer +bolometric +bolometrically +boloney +boloneys +boloroot +bolos +bolshevik +bolsheviki +bolshevikian +bolsheviks +bolshevism +bolshevist +bolshevistic +bolshevistically +bolshevists +bolshevize +bolshevized +bolshevizing +bolshy +bolshie +bolshies +bolson +bolsons +bolster +bolstered +bolsterer +bolsterers +bolstering +bolsters +bolsterwork +bolt +boltage +boltant +boltcutter +bolted +boltel +bolter +bolters +bolthead +boltheader +boltheading +boltheads +bolthole +boltholes +bolti +bolty +boltin +bolting +boltings +boltless +boltlike +boltmaker +boltmaking +boltonia +boltonias +boltonite +boltrope +boltropes +bolts +boltsmith +boltspreet +boltstrake +boltuprightness +boltwork +bolus +boluses +bom +boma +bomarea +bomb +bombable +bombacaceae +bombacaceous +bombace +bombay +bombard +bombarde +bombarded +bombardelle +bombarder +bombardier +bombardiers +bombarding +bombardman +bombardmen +bombardment +bombardments +bombardo +bombardon +bombards +bombasine +bombast +bombaster +bombastic +bombastical +bombastically +bombasticness +bombastry +bombasts +bombax +bombazeen +bombazet +bombazette +bombazine +bombe +bombed +bomber +bombernickel +bombers +bombes +bombesin +bombesins +bombic +bombiccite +bombycid +bombycidae +bombycids +bombyciform +bombycilla +bombycillidae +bombycina +bombycine +bombycinous +bombidae +bombilate +bombilation +bombyliidae +bombylious +bombilla +bombillas +bombinae +bombinate +bombinating +bombination +bombing +bombings +bombyx +bombyxes +bomble +bombline +bombload +bombloads +bombo +bombola +bombonne +bombora +bombous +bombproof +bombs +bombshell +bombshells +bombsight +bombsights +bombus +bomi +bomos +bon +bona +bonace +bonaci +bonacis +bonagh +bonaght +bonailie +bonair +bonaire +bonairly +bonairness +bonally +bonamano +bonang +bonanza +bonanzas +bonapartean +bonapartism +bonapartist +bonasa +bonassus +bonasus +bonaught +bonav +bonaventure +bonaveria +bonavist +bonbo +bonbon +bonbonniere +bonbonnieres +bonbons +bonce +bonchief +bond +bondable +bondage +bondager +bondages +bondar +bonded +bondelswarts +bonder +bonderize +bonderman +bonders +bondfolk +bondhold +bondholder +bondholders +bondholding +bondieuserie +bonding +bondland +bondless +bondmaid +bondmaids +bondman +bondmanship +bondmen +bondminder +bondoc +bondon +bonds +bondservant +bondship +bondslave +bondsman +bondsmen +bondstone +bondswoman +bondswomen +bonduc +bonducnut +bonducs +bondwoman +bondwomen +bone +boneache +bonebinder +boneblack +bonebreaker +boned +bonedog +bonedry +boneen +bonefish +bonefishes +boneflower +bonehead +boneheaded +boneheadedness +boneheads +boney +boneyard +boneyards +boneless +bonelessly +bonelessness +bonelet +bonelike +bonellia +boner +boners +bones +boneset +bonesets +bonesetter +bonesetting +boneshaker +boneshave +boneshaw +bonetail +bonete +bonetta +bonewood +bonework +bonewort +bonfire +bonfires +bong +bongar +bonged +bonging +bongo +bongoes +bongoist +bongoists +bongos +bongrace +bongs +bonhomie +bonhomies +bonhomme +bonhommie +bonhomous +bonhomously +boni +bony +boniata +bonier +boniest +boniface +bonifaces +bonify +bonification +bonyfish +boniform +bonilass +boniness +boninesses +boning +boninite +bonism +bonita +bonytail +bonitary +bonitarian +bonitas +bonity +bonito +bonitoes +bonitos +bonjour +bonk +bonked +bonkers +bonking +bonks +bonnaz +bonne +bonnering +bonnes +bonnet +bonneted +bonneter +bonnethead +bonnetiere +bonnetieres +bonneting +bonnetless +bonnetlike +bonnetman +bonnetmen +bonnets +bonny +bonnibel +bonnyclabber +bonnie +bonnier +bonniest +bonnyish +bonnily +bonniness +bonnive +bonnyvis +bonnne +bonnnes +bonnock +bonnocks +bonnwis +bono +bononian +bonorum +bonos +bons +bonsai +bonsela +bonser +bonsoir +bonspell +bonspells +bonspiel +bonspiels +bontebok +bonteboks +bontebuck +bontebucks +bontee +bontequagga +bontok +bonum +bonus +bonuses +bonxie +bonze +bonzer +bonzery +bonzes +bonzian +boo +boob +boobery +booby +boobialla +boobyalla +boobies +boobyish +boobyism +boobily +boobish +boobishness +booboisie +booboo +boobook +booboos +boobs +bood +boodh +boody +boodie +boodle +boodled +boodledom +boodleism +boodleize +boodler +boodlers +boodles +boodling +booed +boof +boogaloo +boogeyman +boogeymen +booger +boogerman +boogers +boogie +boogies +boogiewoogie +boogyman +boogymen +boogum +boohoo +boohooed +boohooing +boohoos +booing +boojum +book +bookable +bookbind +bookbinder +bookbindery +bookbinderies +bookbinders +bookbinding +bookboard +bookcase +bookcases +bookcraft +bookdealer +bookdom +booked +bookend +bookends +booker +bookery +bookers +bookfair +bookfold +bookful +bookholder +bookhood +booky +bookie +bookies +bookiness +booking +bookings +bookish +bookishly +bookishness +bookism +bookit +bookkeep +bookkeeper +bookkeepers +bookkeeping +bookkeeps +bookland +booklear +bookless +booklet +booklets +booklice +booklift +booklike +bookling +booklists +booklore +booklores +booklouse +booklover +bookmaker +bookmakers +bookmaking +bookman +bookmark +bookmarker +bookmarks +bookmate +bookmen +bookmobile +bookmobiles +bookmonger +bookplate +bookplates +bookpress +bookrack +bookracks +bookrest +bookrests +bookroom +books +bookseller +booksellerish +booksellerism +booksellers +bookselling +bookshelf +bookshelves +bookshop +bookshops +booksy +bookstack +bookstall +bookstand +bookstore +bookstores +bookways +bookward +bookwards +bookwise +bookwork +bookworm +bookworms +bookwright +bool +boolean +booleans +booley +booleys +booly +boolya +boolian +boolies +boom +boomable +boomage +boomah +boomboat +boombox +boomboxes +boomdas +boomed +boomer +boomerang +boomeranged +boomeranging +boomerangs +boomers +boomy +boomier +boomiest +boominess +booming +boomingly +boomkin +boomkins +boomless +boomlet +boomlets +boomorah +booms +boomslang +boomslange +boomster +boomtown +boomtowns +boon +boondock +boondocker +boondocks +boondoggle +boondoggled +boondoggler +boondogglers +boondoggles +boondoggling +boone +boonfellow +boong +boongary +boonies +boonk +boonless +boons +boophilus +boopic +boopis +boor +boordly +boorga +boorish +boorishly +boorishness +boors +boort +boos +boose +boosy +boosies +boost +boosted +booster +boosterism +boosters +boosting +boosts +boot +bootable +bootblack +bootblacks +bootboy +booted +bootee +bootees +booter +bootery +booteries +bootes +bootful +booth +boothage +boothale +bootheel +boother +boothes +boothian +boothite +bootholder +boothose +booths +booty +bootid +bootie +bootied +booties +bootikin +bootikins +bootyless +booting +bootjack +bootjacks +bootlace +bootlaces +bootle +bootleg +bootleger +bootlegged +bootlegger +bootleggers +bootlegging +bootlegs +bootless +bootlessly +bootlessness +bootlick +bootlicked +bootlicker +bootlickers +bootlicking +bootlicks +bootloader +bootmaker +bootmaking +bootman +bootprint +boots +bootstrap +bootstrapped +bootstrapping +bootstraps +boottop +boottopping +booze +boozed +boozehound +boozer +boozers +boozes +boozy +boozier +booziest +boozify +boozily +booziness +boozing +bop +bopeep +bopyrid +bopyridae +bopyridian +bopyrus +bopped +bopper +boppers +bopping +boppist +bops +bopster +bor +bora +borable +boraces +borachio +boracic +boraciferous +boracite +boracites +boracium +boracous +borage +borages +boraginaceae +boraginaceous +boragineous +borago +borak +boral +boran +borana +borane +boranes +borani +boras +borasca +borasco +borasque +borasqueborate +borassus +borate +borated +borates +borating +borax +boraxes +borazon +borazons +borboridae +borborygm +borborygmatic +borborygmi +borborygmic +borborygmies +borborygmus +borborus +bord +bordage +bordar +bordarius +bordeaux +bordel +bordelaise +bordello +bordellos +bordels +border +bordereau +bordereaux +bordered +borderer +borderers +borderies +bordering +borderings +borderism +borderland +borderlander +borderlands +borderless +borderlight +borderline +borderlines +bordermark +borders +borderside +bordman +bordrag +bordrage +bordroom +bordun +bordure +bordured +bordures +bore +boreable +boread +boreades +boreal +borealis +borean +boreas +borecole +borecoles +bored +boredness +boredom +boredoms +boree +boreen +boreens +boregat +borehole +boreholes +boreiad +boreism +borel +borele +borer +borers +bores +boresight +boresome +boresomely +boresomeness +boreus +borg +borgh +borghalpenny +borghese +borghi +borh +bori +boric +borickite +borid +boride +borides +boryl +borine +boring +boringly +boringness +borings +borinqueno +boris +borish +borism +borith +bority +borities +borize +borlase +borley +born +bornan +bornane +borne +bornean +borneo +borneol +borneols +bornyl +borning +bornite +bornites +bornitic +boro +borocaine +borocalcite +borocarbide +borocitrate +borofluohydric +borofluoric +borofluoride +borofluorin +boroglycerate +boroglyceride +boroglycerine +borohydride +borolanite +boron +boronatrocalcite +boronia +boronic +borons +borophenylic +borophenol +bororo +bororoan +borosalicylate +borosalicylic +borosilicate +borosilicic +borotungstate +borotungstic +borough +boroughlet +boroughmaster +boroughmonger +boroughmongery +boroughmongering +boroughs +boroughship +boroughwide +borowolframic +borracha +borrachio +borrasca +borrel +borrelia +borrelomycetaceae +borreria +borrichia +borromean +borrovian +borrow +borrowable +borrowed +borrower +borrowers +borrowing +borrows +bors +borsch +borsches +borscht +borschts +borsholder +borsht +borshts +borstal +borstall +borstals +bort +borty +borts +bortsch +bortz +bortzes +boruca +borussian +borwort +borzicactus +borzoi +borzois +bos +bosc +boscage +boscages +bosch +boschbok +boschboks +boschneger +boschvark +boschveld +bose +bosey +boselaphus +boser +bosh +boshas +boshbok +boshboks +bosher +boshes +boshvark +boshvarks +bosjesman +bosk +boskage +boskages +bosker +bosket +boskets +bosky +boskier +boskiest +boskiness +boskopoid +bosks +bosn +bosniac +bosniak +bosnian +bosnisch +bosom +bosomed +bosomer +bosomy +bosominess +bosoming +bosoms +boson +bosonic +bosons +bosporan +bosporanic +bosporian +bosporus +bosque +bosques +bosquet +bosquets +boss +bossa +bossage +bossboy +bossdom +bossdoms +bossed +bosseyed +bosselated +bosselation +bosser +bosses +bosset +bossy +bossier +bossies +bossiest +bossily +bossiness +bossing +bossism +bossisms +bosslet +bossship +bostal +bostangi +bostanji +bosthoon +boston +bostonese +bostonian +bostonians +bostonite +bostons +bostrychid +bostrychidae +bostrychoid +bostrychoidal +bostryx +bosun +bosuns +boswell +boswellia +boswellian +boswelliana +boswellism +boswellize +boswellized +boswellizing +bot +bota +botan +botany +botanic +botanica +botanical +botanically +botanicas +botanics +botanies +botanise +botanised +botaniser +botanises +botanising +botanist +botanists +botanize +botanized +botanizer +botanizes +botanizing +botanomancy +botanophile +botanophilist +botargo +botargos +botas +botaurinae +botaurus +botch +botched +botchedly +botcher +botchery +botcheries +botcherly +botchers +botches +botchy +botchier +botchiest +botchily +botchiness +botching +botchka +botchwork +bote +botein +botel +boteler +botella +botels +boterol +boteroll +botete +botfly +botflies +both +bother +botheration +bothered +botherer +botherheaded +bothering +botherment +bothers +bothersome +bothersomely +bothersomeness +bothy +bothie +bothies +bothlike +bothnian +bothnic +bothrenchyma +bothria +bothridia +bothridium +bothridiums +bothriocephalus +bothriocidaris +bothriolepis +bothrium +bothriums +bothrodendron +bothroi +bothropic +bothrops +bothros +bothsided +bothsidedness +boththridia +bothway +boti +botling +botocudo +botoyan +botone +botonee +botong +botony +botonn +botonnee +botonny +botry +botrychium +botrycymose +botrydium +botrylle +botryllidae +botryllus +botryogen +botryoid +botryoidal +botryoidally +botryolite +botryomyces +botryomycoma +botryomycosis +botryomycotic +botryopteriaceae +botryopterid +botryopteris +botryose +botryotherapy +botrytis +botrytises +bots +botswana +bott +botte +bottega +bottegas +botteghe +bottekin +botticelli +botticellian +bottier +bottine +bottle +bottlebird +bottlebrush +bottled +bottleflower +bottleful +bottlefuls +bottlehead +bottleholder +bottlelike +bottlemaker +bottlemaking +bottleman +bottleneck +bottlenecks +bottlenest +bottlenose +bottler +bottlers +bottles +bottlesful +bottlestone +bottling +bottom +bottomchrome +bottomed +bottomer +bottomers +bottoming +bottomland +bottomless +bottomlessly +bottomlessness +bottommost +bottomry +bottomried +bottomries +bottomrying +bottoms +bottonhook +botts +bottstick +bottu +botuliform +botulin +botulinal +botulins +botulinum +botulinus +botulinuses +botulism +botulisms +botulismus +boubas +boubou +boubous +boucan +bouch +bouchal +bouchaleen +boucharde +bouche +bouchee +bouchees +boucher +boucherism +boucherize +bouchette +bouchon +bouchons +boucl +boucle +boucles +boud +bouderie +boudeuse +boudin +boudoir +boudoiresque +boudoirs +bouet +bouffage +bouffancy +bouffant +bouffante +bouffants +bouffe +bouffes +bouffon +bougainvillaea +bougainvillaeas +bougainvillea +bougainvillia +bougainvilliidae +bougar +bouge +bougee +bougeron +bouget +bough +boughed +boughy +boughless +boughpot +boughpots +boughs +bought +boughten +bougie +bougies +bouillabaisse +bouilli +bouillon +bouillone +bouillons +bouk +boukit +boul +boulanger +boulangerite +boulangism +boulangist +boulder +bouldered +boulderhead +bouldery +bouldering +boulders +boule +boules +bouleuteria +bouleuterion +boulevard +boulevardier +boulevardiers +boulevardize +boulevards +bouleverse +bouleversement +boulework +boulimy +boulimia +boulle +boulles +boullework +boult +boultel +boultell +boulter +boulterer +boun +bounce +bounceable +bounceably +bounceback +bounced +bouncer +bouncers +bounces +bouncy +bouncier +bounciest +bouncily +bounciness +bouncing +bouncingly +bound +boundable +boundary +boundaries +bounded +boundedly +boundedness +bounden +bounder +bounderish +bounderishly +bounders +bounding +boundingly +boundless +boundlessly +boundlessness +boundly +boundness +bounds +boundure +bounteous +bounteously +bounteousness +bounty +bountied +bounties +bountiful +bountifully +bountifulness +bountihead +bountyless +bountiousness +bountith +bountree +bouquet +bouquetiere +bouquetin +bouquets +bouquiniste +bour +bourage +bourasque +bourbon +bourbonesque +bourbonian +bourbonism +bourbonist +bourbonize +bourbons +bourd +bourder +bourdis +bourdon +bourdons +bourette +bourg +bourgade +bourgeois +bourgeoise +bourgeoises +bourgeoisie +bourgeoisify +bourgeoisitic +bourgeon +bourgeoned +bourgeoning +bourgeons +bourgs +bourguignonne +bourignian +bourignianism +bourignianist +bourignonism +bourignonist +bourkha +bourlaw +bourn +bourne +bournes +bournless +bournonite +bournous +bourns +bourock +bourout +bourr +bourran +bourrasque +bourre +bourreau +bourree +bourrees +bourrelet +bourride +bourrides +bourse +bourses +bourtree +bourtrees +bouse +boused +bouser +bouses +bousy +bousing +bousouki +bousoukia +bousoukis +boussingaultia +boussingaultite +boustrophedon +boustrophedonic +bout +boutade +boutefeu +boutel +boutell +bouteloua +bouteria +bouteselle +boutylka +boutique +boutiques +bouto +bouton +boutonniere +boutonnieres +boutons +boutre +bouts +bouvardia +bouvier +bouviers +bouw +bouzouki +bouzoukia +bouzoukis +bovarism +bovarysm +bovarist +bovaristic +bovate +bove +bovey +bovenland +bovicide +boviculture +bovid +bovidae +bovids +boviform +bovine +bovinely +bovines +bovinity +bovinities +bovista +bovld +bovoid +bovovaccination +bovovaccine +bovver +bow +bowable +bowback +bowbells +bowbent +bowboy +bowden +bowdichia +bowditch +bowdlerisation +bowdlerise +bowdlerised +bowdlerising +bowdlerism +bowdlerization +bowdlerizations +bowdlerize +bowdlerized +bowdlerizer +bowdlerizes +bowdlerizing +bowdrill +bowe +bowed +bowedness +bowel +boweled +boweling +bowelled +bowelless +bowellike +bowelling +bowels +bowenite +bower +bowerbird +bowered +bowery +boweries +boweryish +bowering +bowerlet +bowerly +bowerlike +bowermay +bowermaiden +bowers +bowerwoman +bowess +bowet +bowfin +bowfins +bowfront +bowge +bowgrace +bowhead +bowheads +bowyang +bowyangs +bowie +bowieful +bowyer +bowyers +bowing +bowingly +bowings +bowk +bowkail +bowker +bowknot +bowknots +bowl +bowla +bowlder +bowlderhead +bowldery +bowldering +bowlders +bowle +bowled +bowleg +bowlegged +bowleggedness +bowlegs +bowler +bowlers +bowles +bowless +bowlful +bowlfuls +bowly +bowlike +bowlin +bowline +bowlines +bowling +bowlings +bowllike +bowlmaker +bowls +bowmaker +bowmaking +bowman +bowmen +bown +bowne +bowpin +bowpot +bowpots +bowralite +bows +bowsaw +bowse +bowsed +bowser +bowsery +bowses +bowshot +bowshots +bowsie +bowsing +bowsman +bowsprit +bowsprits +bowssen +bowstaff +bowstave +bowstring +bowstringed +bowstringing +bowstrings +bowstrung +bowtel +bowtell +bowtie +bowwoman +bowwood +bowwort +bowwow +bowwows +box +boxball +boxberry +boxberries +boxboard +boxboards +boxbush +boxcar +boxcars +boxed +boxen +boxer +boxerism +boxers +boxes +boxfish +boxfishes +boxful +boxfuls +boxhaul +boxhauled +boxhauling +boxhauls +boxhead +boxholder +boxy +boxiana +boxier +boxiest +boxiness +boxinesses +boxing +boxings +boxkeeper +boxlike +boxmaker +boxmaking +boxman +boxroom +boxthorn +boxthorns +boxty +boxtop +boxtops +boxtree +boxwallah +boxwood +boxwoods +boxwork +boza +bozal +bozine +bozo +bozos +bozze +bozzetto +bp +bpi +bps +bpt +br +bra +braata +brab +brabagious +brabant +brabanter +brabantine +brabble +brabbled +brabblement +brabbler +brabblers +brabbles +brabbling +brabblingly +brabejum +braca +bracae +braccae +braccate +braccia +bracciale +braccianite +braccio +brace +braced +bracelet +braceleted +bracelets +bracer +bracery +bracero +braceros +bracers +braces +brach +brache +brachelytra +brachelytrous +bracherer +brachering +braches +brachet +brachets +brachia +brachial +brachialgia +brachialis +brachials +brachiata +brachiate +brachiated +brachiating +brachiation +brachiator +brachyaxis +brachycardia +brachycatalectic +brachycephal +brachycephales +brachycephali +brachycephaly +brachycephalic +brachycephalies +brachycephalism +brachycephalization +brachycephalize +brachycephalous +brachycera +brachyceral +brachyceric +brachycerous +brachychronic +brachycnemic +brachycome +brachycrany +brachycranial +brachycranic +brachydactyl +brachydactyly +brachydactylia +brachydactylic +brachydactylism +brachydactylous +brachydiagonal +brachydodrome +brachydodromous +brachydomal +brachydomatic +brachydome +brachydont +brachydontism +brachyfacial +brachiferous +brachigerous +brachyglossal +brachygnathia +brachygnathism +brachygnathous +brachygrapher +brachygraphy +brachygraphic +brachygraphical +brachyhieric +brachylogy +brachylogies +brachymetropia +brachymetropic +brachinus +brachiocephalic +brachiocyllosis +brachiocrural +brachiocubital +brachiofacial +brachiofaciolingual +brachioganoid +brachioganoidei +brachiolaria +brachiolarian +brachiopod +brachiopoda +brachiopode +brachiopodist +brachiopodous +brachioradial +brachioradialis +brachiorrhachidian +brachiorrheuma +brachiosaur +brachiosaurus +brachiostrophosis +brachiotomy +brachyoura +brachyphalangia +brachyphyllum +brachypinacoid +brachypinacoidal +brachypyramid +brachypleural +brachypnea +brachypodine +brachypodous +brachyprism +brachyprosopic +brachypterous +brachyrrhinia +brachysclereid +brachyskelic +brachysm +brachystaphylic +brachystegia +brachistocephali +brachistocephaly +brachistocephalic +brachistocephalous +brachistochrone +brachystochrone +brachistochronic +brachistochronous +brachystomata +brachystomatous +brachystomous +brachytic +brachytypous +brachytmema +brachium +brachyura +brachyural +brachyuran +brachyuranic +brachyure +brachyurous +brachyurus +brachman +brachtmema +bracing +bracingly +bracingness +bracings +braciola +braciolas +braciole +bracioles +brack +brackebuschite +bracked +bracken +brackened +brackens +bracker +bracket +bracketed +bracketing +brackets +bracketted +bracketwise +bracky +bracking +brackish +brackishness +brackmard +bracon +braconid +braconidae +braconids +braconniere +bracozzo +bract +bractea +bracteal +bracteate +bracted +bracteiform +bracteolate +bracteole +bracteose +bractless +bractlet +bractlets +bracts +brad +bradawl +bradawls +bradbury +bradburya +bradded +bradding +bradenhead +bradford +bradyacousia +bradyauxesis +bradyauxetic +bradyauxetically +bradycardia +bradycardic +bradycauma +bradycinesia +bradycrotic +bradydactylia +bradyesthesia +bradyglossia +bradykinesia +bradykinesis +bradykinetic +bradykinin +bradylalia +bradylexia +bradylogia +bradynosus +bradypepsy +bradypepsia +bradypeptic +bradyphagia +bradyphasia +bradyphemia +bradyphrasia +bradyphrenia +bradypnea +bradypnoea +bradypod +bradypode +bradypodidae +bradypodoid +bradypus +bradyseism +bradyseismal +bradyseismic +bradyseismical +bradyseismism +bradyspermatism +bradysphygmia +bradystalsis +bradyteleocinesia +bradyteleokinesis +bradytely +bradytelic +bradytocia +bradytrophic +bradyuria +bradley +bradmaker +bradoon +bradoons +brads +bradshaw +bradsot +brae +braeface +braehead +braeman +braes +braeside +brag +bragas +brager +braggadocian +braggadocianism +braggadocio +braggadocios +braggardism +braggart +braggartism +braggartly +braggartry +braggarts +braggat +bragged +bragger +braggery +braggers +braggest +bragget +braggy +braggier +braggiest +bragging +braggingly +braggish +braggishly +braggite +braggle +bragi +bragite +bragless +bragly +bragozzo +brags +braguette +bragwort +brahm +brahma +brahmachari +brahmahood +brahmaic +brahman +brahmana +brahmanaspati +brahmanda +brahmaness +brahmanhood +brahmani +brahmany +brahmanic +brahmanical +brahmanism +brahmanist +brahmanistic +brahmanists +brahmanize +brahmans +brahmapootra +brahmas +brahmi +brahmic +brahmin +brahminee +brahminic +brahminism +brahminist +brahminists +brahmins +brahmism +brahmoism +brahms +brahmsian +brahmsite +brahui +bray +braid +braided +braider +braiders +braiding +braidings +braidism +braidist +braids +braye +brayed +brayer +brayera +brayerin +brayers +braies +brayette +braying +brail +brailed +brailing +braille +brailled +brailler +brailles +braillewriter +brailling +braillist +brails +brain +brainache +braincap +braincase +brainchild +brainchildren +braincraft +brained +brainer +brainfag +brainge +brainy +brainier +brainiest +brainily +braininess +braining +brainish +brainless +brainlessly +brainlessness +brainlike +brainpan +brainpans +brainpower +brains +brainsick +brainsickly +brainsickness +brainstem +brainstems +brainstone +brainstorm +brainstormer +brainstorming +brainstorms +brainteaser +brainteasers +brainward +brainwash +brainwashed +brainwasher +brainwashers +brainwashes +brainwashing +brainwashjng +brainwater +brainwave +brainwood +brainwork +brainworker +braird +brairded +brairding +braireau +brairo +brays +braise +braised +braises +braising +braystone +braize +braizes +brake +brakeage +brakeages +braked +brakehand +brakehead +brakeless +brakeload +brakemaker +brakemaking +brakeman +brakemen +braker +brakeroot +brakes +brakesman +brakesmen +braky +brakie +brakier +brakiest +braking +braless +bram +bramah +bramantesque +bramantip +bramble +brambleberry +brambleberries +bramblebush +brambled +brambles +brambly +bramblier +brambliest +brambling +brambrack +brame +bramia +bran +brancard +brancardier +branch +branchage +branched +branchedness +branchellion +brancher +branchery +branches +branchful +branchi +branchy +branchia +branchiae +branchial +branchiata +branchiate +branchicolous +branchier +branchiest +branchiferous +branchiform +branchihyal +branchiness +branching +branchings +branchiobdella +branchiocardiac +branchiogenous +branchiomere +branchiomeric +branchiomerism +branchiopallial +branchiopneustic +branchiopod +branchiopoda +branchiopodan +branchiopodous +branchiopoo +branchiopulmonata +branchiopulmonate +branchiosaur +branchiosauria +branchiosaurian +branchiosaurus +branchiostegal +branchiostegan +branchiostege +branchiostegidae +branchiostegite +branchiostegous +branchiostoma +branchiostomid +branchiostomidae +branchiostomous +branchipodidae +branchipus +branchireme +branchiura +branchiurous +branchless +branchlet +branchlike +branchling +branchman +branchstand +branchway +brand +brandade +branded +brandenburg +brandenburger +brandenburgh +brandenburgs +brander +brandering +branders +brandi +brandy +brandyball +brandied +brandies +brandify +brandying +brandyman +branding +brandiron +brandise +brandish +brandished +brandisher +brandishers +brandishes +brandishing +brandisite +brandywine +brandle +brandless +brandling +brandon +brandreth +brandrith +brands +brandsolder +brangle +brangled +branglement +brangler +brangling +branial +brank +branky +brankie +brankier +brankiest +branks +brankursine +branle +branles +branned +branner +brannerite +branners +branny +brannier +branniest +brannigan +branniness +branning +brans +bransle +bransles +bransolder +brant +branta +brantail +brantails +brantcorn +brantle +brantness +brants +branular +braquemard +brarow +bras +brasen +brasenia +brasero +braseros +brash +brasher +brashes +brashest +brashy +brashier +brashiest +brashiness +brashly +brashness +brasier +brasiers +brasil +brasilein +brasilete +brasiletto +brasilia +brasilin +brasilins +brasils +brasque +brasqued +brasquing +brass +brassage +brassages +brassard +brassards +brassart +brassarts +brassate +brassavola +brassbound +brassbounder +brasse +brassed +brassey +brasseys +brasser +brasserie +brasseries +brasses +brasset +brassy +brassia +brassic +brassica +brassicaceae +brassicaceous +brassicas +brassidic +brassie +brassier +brassiere +brassieres +brassies +brassiest +brassily +brassylic +brassiness +brassish +brasslike +brassware +brasswork +brassworker +brassworks +brast +brat +bratchet +bratina +bratling +brats +bratstva +bratstvo +brattach +bratty +brattice +bratticed +bratticer +brattices +bratticing +brattie +brattier +brattiest +brattiness +brattish +brattishing +brattle +brattled +brattles +brattling +bratwurst +braula +brauna +brauneberger +brauneria +braunite +braunites +braunschweiger +brauronia +brauronian +brava +bravade +bravado +bravadoed +bravadoes +bravadoing +bravadoism +bravados +bravas +brave +braved +bravehearted +bravely +braveness +braver +bravery +braveries +bravers +braves +bravest +bravi +braving +bravish +bravissimo +bravo +bravoed +bravoes +bravoing +bravoite +bravos +bravura +bravuraish +bravuras +bravure +braw +brawer +brawest +brawl +brawled +brawler +brawlers +brawly +brawlie +brawlier +brawliest +brawling +brawlingly +brawlis +brawlys +brawls +brawlsome +brawn +brawned +brawnedness +brawner +brawny +brawnier +brawniest +brawnily +brawniness +brawns +braws +braxy +braxies +braza +brazas +braze +brazed +brazee +brazen +brazened +brazenface +brazenfaced +brazenfacedly +brazenfacedness +brazening +brazenly +brazenness +brazens +brazer +brazera +brazers +brazes +brazier +braziery +braziers +brazil +brazilein +brazilette +braziletto +brazilian +brazilianite +brazilians +brazilin +brazilins +brazilite +brazils +brazilwood +brazing +breach +breached +breacher +breachers +breaches +breachful +breachy +breaching +bread +breadbasket +breadbaskets +breadberry +breadboard +breadboards +breadbox +breadboxes +breadearner +breadearning +breaded +breaden +breadfruit +breadfruits +breading +breadless +breadlessness +breadline +breadmaker +breadmaking +breadman +breadness +breadnut +breadnuts +breadroot +breads +breadseller +breadstitch +breadstuff +breadstuffs +breadth +breadthen +breadthless +breadthriders +breadths +breadthways +breadthwise +breadwinner +breadwinners +breadwinning +breaghe +break +breakability +breakable +breakableness +breakables +breakably +breakage +breakages +breakaway +breakax +breakaxe +breakback +breakbone +breakbones +breakdown +breakdowns +breaker +breakerman +breakermen +breakers +breakfast +breakfasted +breakfaster +breakfasters +breakfasting +breakfastless +breakfasts +breakfront +breakfronts +breaking +breakings +breakless +breaklist +breakneck +breakoff +breakout +breakouts +breakover +breakpoint +breakpoints +breaks +breakshugh +breakstone +breakthrough +breakthroughes +breakthroughs +breakup +breakups +breakwater +breakwaters +breakweather +breakwind +bream +breamed +breaming +breams +breards +breast +breastband +breastbeam +breastbone +breastbones +breasted +breaster +breastfast +breastfeeding +breastful +breastheight +breasthook +breastie +breasting +breastless +breastmark +breastpiece +breastpin +breastplate +breastplates +breastplough +breastplow +breastrail +breastrope +breasts +breaststroke +breaststroker +breaststrokes +breastsummer +breastweed +breastwise +breastwood +breastwork +breastworks +breath +breathability +breathable +breathableness +breathalyse +breathe +breatheableness +breathed +breather +breathers +breathes +breathful +breathy +breathier +breathiest +breathily +breathiness +breathing +breathingly +breathless +breathlessly +breathlessness +breaths +breathseller +breathtaking +breathtakingly +breba +breccia +breccial +breccias +brecciate +brecciated +brecciating +brecciation +brecham +brechams +brechan +brechans +brechites +brecht +brechtian +brecia +breck +brecken +bred +bredbergite +brede +bredes +bredestitch +bredi +bredstitch +bree +breech +breechblock +breechcloth +breechcloths +breechclout +breeched +breeches +breechesflower +breechesless +breeching +breechless +breechloader +breechloading +breed +breedable +breedbate +breeder +breeders +breedy +breediness +breeding +breedings +breedling +breeds +breek +breekless +breeks +breekums +breenge +breenger +brees +breeze +breezed +breezeful +breezeless +breezelike +breezes +breezeway +breezeways +breezy +breezier +breeziest +breezily +breeziness +breezing +bregma +bregmata +bregmate +bregmatic +brehon +brehonia +brehonship +brei +brey +breird +breislakite +breithauptite +brekky +brekkle +brelan +brelaw +breloque +brember +breme +bremely +bremeness +bremia +bremsstrahlung +bren +brenda +brendan +brended +brender +brendice +brennage +brennschluss +brens +brent +brenthis +brents +brephic +brerd +brere +brescian +bressomer +bressummer +brest +bret +bretelle +bretesse +breth +brethel +brethren +brethrenism +breton +bretonian +bretons +bretschneideraceae +brett +brettice +bretwalda +bretwaldadom +bretwaldaship +breunnerite +brev +breva +breve +breves +brevet +brevetcy +brevetcies +brevete +breveted +breveting +brevets +brevetted +brevetting +brevi +breviary +breviaries +breviate +breviature +brevicauda +brevicaudate +brevicipitid +brevicipitidae +brevicomis +breviconic +brevier +breviers +brevifoliate +breviger +brevilingual +breviloquence +breviloquent +breviped +brevipen +brevipennate +breviradiate +brevirostral +brevirostrate +brevirostrines +brevis +brevit +brevity +brevities +brew +brewage +brewages +brewed +brewer +brewery +breweries +brewers +brewership +brewhouse +brewhouses +brewing +brewings +brewis +brewises +brewmaster +brews +brewst +brewster +brewsterite +brezhnev +bryaceae +bryaceous +bryales +brian +bryan +bryanism +bryanite +bryanthus +briar +briarberry +briard +briards +briarean +briared +briareus +briary +briarroot +briars +briarwood +bribability +bribable +bribe +bribeability +bribeable +bribed +bribee +bribees +bribegiver +bribegiving +bribeless +bribemonger +briber +bribery +briberies +bribers +bribes +bribetaker +bribetaking +bribeworthy +bribing +bribri +bryce +brichen +brichette +brick +brickbat +brickbats +brickbatted +brickbatting +brickcroft +bricked +brickel +bricken +bricker +brickfield +brickfielder +brickhood +bricky +brickyard +brickier +brickiest +bricking +brickish +brickkiln +bricklay +bricklayer +bricklayers +bricklaying +brickle +brickleness +brickly +bricklike +brickliner +bricklining +brickmaker +brickmaking +brickmason +brickred +bricks +brickset +bricksetter +bricktimber +bricktop +brickwall +brickwise +brickwork +bricole +bricoles +brid +bridal +bridale +bridaler +bridally +bridals +bridalty +bride +bridebed +bridebowl +bridecake +bridechamber +bridecup +bridegod +bridegroom +bridegrooms +bridegroomship +bridehead +bridehood +bridehouse +brideknot +bridelace +brideless +bridely +bridelike +bridelope +bridemaid +bridemaiden +bridemaidship +brideman +brides +brideship +bridesmaid +bridesmaiding +bridesmaids +bridesman +bridesmen +bridestake +bridewain +brideweed +bridewell +bridewort +bridge +bridgeable +bridgeboard +bridgebote +bridgebuilder +bridgebuilding +bridged +bridgehead +bridgeheads +bridgekeeper +bridgeless +bridgelike +bridgemaker +bridgemaking +bridgeman +bridgemaster +bridgemen +bridgeport +bridgepot +bridger +bridges +bridget +bridgetin +bridgetree +bridgeway +bridgewall +bridgeward +bridgewards +bridgewater +bridgework +bridging +bridgings +bridie +bridle +bridled +bridleless +bridleman +bridler +bridlers +bridles +bridlewise +bridling +bridoon +bridoons +brie +brief +briefcase +briefcases +briefed +briefer +briefers +briefest +briefing +briefings +briefless +brieflessly +brieflessness +briefly +briefness +briefs +brier +brierberry +briered +briery +brierroot +briers +brierwood +bries +brieve +brig +brigade +brigaded +brigades +brigadier +brigadiers +brigadiership +brigading +brigalow +brigand +brigandage +brigander +brigandine +brigandish +brigandishly +brigandism +brigands +brigantes +brigantia +brigantine +brigantinebrigantines +brigantines +brigatry +brigbote +brigetty +briggs +briggsian +brighella +brighid +bright +brighteyes +brighten +brightened +brightener +brighteners +brightening +brightens +brighter +brightest +brightish +brightly +brightness +brights +brightsmith +brightsome +brightsomeness +brightwork +brigid +brigittine +brigous +brigs +brigsail +brigue +brigued +briguer +briguing +brike +brill +brillante +brilliance +brilliancy +brilliancies +brilliandeer +brilliant +brilliantine +brilliantined +brilliantly +brilliantness +brilliants +brilliantwise +brilliolette +brillolette +brills +brim +brimborion +brimborium +brimful +brimfull +brimfully +brimfullness +brimfulness +briming +brimless +brimly +brimmed +brimmer +brimmered +brimmering +brimmers +brimmimg +brimming +brimmingly +brims +brimse +brimstone +brimstonewort +brimstony +brin +brince +brinded +brindisi +brindle +brindled +brindles +brindlish +bryndza +brine +brined +brinehouse +brineless +brineman +briner +briners +brines +bring +bringal +bringall +bringdown +bringed +bringela +bringer +bringers +bringeth +bringing +brings +bringsel +brynhild +briny +brinie +brinier +brinies +briniest +brininess +brining +brinish +brinishness +brinjal +brinjaree +brinjarry +brinjarries +brinjaul +brink +brinkless +brinkmanship +brinks +brinksmanship +brinny +brins +brinsell +brinston +brynza +brio +brioche +brioches +bryogenin +briolet +briolette +briolettes +bryology +bryological +bryologies +bryologist +bryon +briony +bryony +bryonia +bryonidin +brionies +bryonies +bryonin +brionine +bryophyllum +bryophyta +bryophyte +bryophytes +bryophytic +brios +bryozoa +bryozoan +bryozoans +bryozoon +bryozoum +brique +briquet +briquets +briquette +briquetted +briquettes +briquetting +brisa +brisance +brisances +brisant +brisbane +briscola +brise +briseis +brisement +brises +brisk +brisked +brisken +briskened +briskening +brisker +briskest +brisket +briskets +brisky +brisking +briskish +briskly +briskness +brisks +brisling +brislings +brisque +briss +brisses +brissotin +brissotine +brist +bristle +bristlebird +bristlecone +bristled +bristleless +bristlelike +bristlemouth +bristlemouths +bristler +bristles +bristletail +bristlewort +bristly +bristlier +bristliest +bristliness +bristling +bristol +bristols +brisure +brit +britain +britany +britannia +britannian +britannic +britannica +britannically +britchel +britches +britchka +brite +brith +brither +brython +brythonic +briticism +british +britisher +britishers +britishhood +britishism +britishly +britishness +briton +britoness +britons +brits +britska +britskas +britt +brittany +britten +brittle +brittlebush +brittled +brittlely +brittleness +brittler +brittles +brittlest +brittlestem +brittlewood +brittlewort +brittling +brittonic +britts +britzka +britzkas +britzska +britzskas +bryum +briza +brizz +brl +bro +broach +broached +broacher +broachers +broaches +broaching +broad +broadacre +broadax +broadaxe +broadaxes +broadband +broadbill +broadbrim +broadcast +broadcasted +broadcaster +broadcasters +broadcasting +broadcastings +broadcasts +broadcloth +broaden +broadened +broadener +broadeners +broadening +broadenings +broadens +broader +broadest +broadgage +broadhead +broadhearted +broadhorn +broadish +broadleaf +broadleaves +broadly +broadling +broadlings +broadloom +broadlooms +broadmindedly +broadmouth +broadness +broadpiece +broads +broadshare +broadsheet +broadside +broadsided +broadsider +broadsides +broadsiding +broadspread +broadsword +broadswords +broadtail +broadthroat +broadway +broadwayite +broadways +broadwife +broadwise +broadwives +brob +brobdingnag +brobdingnagian +brocade +brocaded +brocades +brocading +brocage +brocard +brocardic +brocatel +brocatelle +brocatello +brocatels +broccoli +broccolis +broch +brochan +brochant +brochantite +broche +brochette +brochettes +brochidodromous +brocho +brochophony +brocht +brochure +brochures +brock +brockage +brockages +brocked +brocket +brockets +brockish +brockle +brocks +brocoli +brocolis +brod +brodder +broddle +brodee +brodeglass +brodekin +brodequin +broderer +broderie +brodiaea +brodyaga +brodyagi +brodie +broeboe +brog +brogan +brogans +brogger +broggerite +broggle +brogh +brogue +brogued +brogueful +brogueneer +broguer +broguery +brogueries +brogues +broguing +broguish +broid +broiden +broider +broidered +broiderer +broideress +broidery +broideries +broidering +broiders +broigne +broil +broiled +broiler +broilery +broilers +broiling +broilingly +broils +brokage +brokages +broke +broken +brokenhearted +brokenheartedly +brokenheartedness +brokenly +brokenness +broker +brokerage +brokerages +brokeress +brokery +brokerly +brokers +brokership +brokes +broking +broletti +broletto +brolga +broll +brolly +brollies +broma +bromacetanilide +bromacetate +bromacetic +bromacetone +bromal +bromalbumin +bromals +bromamide +bromargyrite +bromate +bromated +bromates +bromating +bromatium +bromatology +bromaurate +bromauric +brombenzamide +brombenzene +brombenzyl +bromcamphor +bromcresol +brome +bromegrass +bromeigon +bromeikon +bromelia +bromeliaceae +bromeliaceous +bromeliad +bromelin +bromelins +bromellite +bromeosin +bromes +bromethyl +bromethylene +bromgelatin +bromhydrate +bromhydric +bromhidrosis +bromian +bromic +bromid +bromide +bromides +bromidic +bromidically +bromidrosiphobia +bromidrosis +bromids +bromin +brominate +brominated +brominating +bromination +bromindigo +bromine +bromines +brominism +brominize +bromins +bromiodide +bromios +bromyrite +bromisation +bromise +bromised +bromising +bromism +bromisms +bromite +bromius +bromization +bromize +bromized +bromizer +bromizes +bromizing +bromlite +bromo +bromoacetone +bromoaurate +bromoaurates +bromoauric +bromobenzene +bromobenzyl +bromocamphor +bromochloromethane +bromochlorophenol +bromocyanid +bromocyanidation +bromocyanide +bromocyanogen +bromocresol +bromodeoxyuridine +bromoethylene +bromoform +bromogelatin +bromohydrate +bromohydrin +bromoil +bromoiodid +bromoiodide +bromoiodism +bromoiodized +bromoketone +bromol +bromomania +bromomenorrhea +bromomethane +bromometry +bromometric +bromometrical +bromometrically +bromonaphthalene +bromophenol +bromopicrin +bromopikrin +bromopnea +bromoprotein +bromos +bromothymol +bromouracil +bromous +bromphenol +brompicrin +bromthymol +bromuret +bromus +bromvoel +bromvogel +bronc +bronchadenitis +bronchi +bronchia +bronchial +bronchially +bronchiarctia +bronchiectasis +bronchiectatic +bronchiloquy +bronchiocele +bronchiocrisis +bronchiogenic +bronchiolar +bronchiole +bronchioles +bronchioli +bronchiolitis +bronchiolus +bronchiospasm +bronchiostenosis +bronchitic +bronchitis +bronchium +broncho +bronchoadenitis +bronchoalveolar +bronchoaspergillosis +bronchoblennorrhea +bronchobuster +bronchocavernous +bronchocele +bronchocephalitis +bronchoconstriction +bronchoconstrictor +bronchodilatation +bronchodilator +bronchoegophony +bronchoesophagoscopy +bronchogenic +bronchography +bronchographic +bronchohemorrhagia +broncholemmitis +broncholith +broncholithiasis +bronchomycosis +bronchomotor +bronchomucormycosis +bronchopathy +bronchophony +bronchophonic +bronchophthisis +bronchoplasty +bronchoplegia +bronchopleurisy +bronchopneumonia +bronchopneumonic +bronchopulmonary +bronchorrhagia +bronchorrhaphy +bronchorrhea +bronchos +bronchoscope +bronchoscopy +bronchoscopic +bronchoscopically +bronchoscopist +bronchospasm +bronchostenosis +bronchostomy +bronchostomies +bronchotetany +bronchotyphoid +bronchotyphus +bronchotome +bronchotomy +bronchotomist +bronchotracheal +bronchovesicular +bronchus +bronco +broncobuster +broncobusters +broncobusting +broncos +broncs +brongniardite +bronk +bronstrops +bronteana +bronteon +brontephobia +brontesque +bronteum +brontide +brontides +brontogram +brontograph +brontolite +brontolith +brontology +brontometer +brontophobia +brontops +brontosaur +brontosauri +brontosaurs +brontosaurus +brontosauruses +brontoscopy +brontothere +brontotherium +brontozoum +bronx +bronze +bronzed +bronzelike +bronzen +bronzer +bronzers +bronzes +bronzesmith +bronzewing +bronzy +bronzier +bronziest +bronzify +bronzine +bronzing +bronzings +bronzite +bronzitite +broo +brooch +brooched +brooches +brooching +brood +brooded +brooder +brooders +broody +broodier +broodiest +broodily +broodiness +brooding +broodingly +broodless +broodlet +broodling +broodmare +broods +broodsac +brook +brookable +brooke +brooked +brookflower +brooky +brookie +brookier +brookiest +brooking +brookite +brookites +brookless +brooklet +brooklets +brooklike +brooklime +brooklyn +brooklynite +brooks +brookside +brookweed +brool +broom +broomball +broomballer +broombush +broomcorn +broomed +broomer +broomy +broomier +broomiest +brooming +broommaker +broommaking +broomrape +broomroot +brooms +broomshank +broomsquire +broomstaff +broomstick +broomsticks +broomstraw +broomtail +broomweed +broomwood +broomwort +broon +broos +broose +broozled +broquery +broquineer +bros +brose +broses +brosy +brosimum +brosot +brosse +brot +brotan +brotany +brotchen +brotel +broth +brothe +brothel +brotheler +brothellike +brothelry +brothels +brother +brothered +brotherhood +brothering +brotherless +brotherly +brotherlike +brotherliness +brotherred +brothers +brothership +brotherton +brotherwort +brothy +brothier +brothiest +broths +brotocrystal +brott +brotula +brotulid +brotulidae +brotuliform +brouette +brough +brougham +broughams +brought +broughta +broughtas +brouhaha +brouhahas +brouille +brouillon +broussonetia +brouze +brow +browache +browallia +browband +browbands +browbeat +browbeaten +browbeater +browbeating +browbeats +browbound +browd +browden +browed +browet +browis +browless +browman +brown +brownback +browned +browner +brownest +browny +brownian +brownie +brownier +brownies +browniest +browniness +browning +browningesque +brownish +brownishness +brownism +brownist +brownistic +brownistical +brownly +brownness +brownnose +brownnoser +brownout +brownouts +brownprint +browns +brownshirt +brownstone +brownstones +browntail +browntop +brownweed +brownwort +browpiece +browpost +brows +browsability +browsage +browse +browsed +browser +browsers +browses +browsick +browsing +browst +browzer +brr +brrr +bruang +brubru +brubu +bruce +brucella +brucellae +brucellas +brucellosis +bruchid +bruchidae +bruchus +brucia +brucin +brucina +brucine +brucines +brucins +brucite +bruckle +bruckled +bruckleness +bructeri +bruet +bruges +brugh +brughs +brugnatellite +bruyere +bruin +bruins +bruise +bruised +bruiser +bruisers +bruises +bruisewort +bruising +bruisingly +bruit +bruited +bruiter +bruiters +bruiting +bruits +bruja +brujas +brujeria +brujo +brujos +bruke +brule +brulee +brules +brulyie +brulyiement +brulyies +brulot +brulots +brulzie +brulzies +brum +brumaire +brumal +brumalia +brumbee +brumby +brumbie +brumbies +brume +brumes +brummagem +brummagen +brummer +brummy +brumous +brumstane +brumstone +brunch +brunched +brunches +brunching +brune +brunel +brunella +brunellia +brunelliaceae +brunelliaceous +brunet +brunetness +brunets +brunette +brunetteness +brunettes +brunfelsia +brunhild +brunion +brunissure +brunistic +brunizem +brunizems +brunneous +brunnichia +bruno +brunonia +brunoniaceae +brunonian +brunonism +brunswick +brunt +brunts +bruscha +bruscus +brush +brushability +brushable +brushback +brushball +brushbird +brushbush +brushcut +brushed +brusher +brushers +brushes +brushet +brushfire +brushfires +brushful +brushy +brushier +brushiest +brushiness +brushing +brushite +brushland +brushless +brushlessness +brushlet +brushlike +brushmaker +brushmaking +brushman +brushmen +brushoff +brushoffs +brushpopper +brushproof +brushup +brushups +brushwood +brushwork +brusk +brusker +bruskest +bruskly +bruskness +brusque +brusquely +brusqueness +brusquer +brusquerie +brusquest +brussel +brussels +brustle +brustled +brustling +brusure +brut +bruta +brutage +brutal +brutalisation +brutalise +brutalised +brutalising +brutalism +brutalist +brutalitarian +brutalitarianism +brutality +brutalities +brutalization +brutalize +brutalized +brutalizes +brutalizing +brutally +brutalness +brute +bruted +brutedom +brutely +brutelike +bruteness +brutes +brutify +brutification +brutified +brutifies +brutifying +bruting +brutish +brutishly +brutishness +brutism +brutisms +brutter +brutus +bruxism +bruxisms +bruzz +bs +bsf +bsh +bskt +bt +btise +btl +btry +btu +bu +bual +buat +buaze +bub +buba +bubal +bubale +bubales +bubaline +bubalis +bubalises +bubals +bubas +bubastid +bubastite +bubba +bubber +bubby +bubbybush +bubbies +bubble +bubblebow +bubbled +bubbleless +bubblelike +bubblement +bubbler +bubblers +bubbles +bubbletop +bubbletops +bubbly +bubblier +bubblies +bubbliest +bubbliness +bubbling +bubblingly +bubblish +bube +bubinga +bubingas +bubo +buboed +buboes +bubonalgia +bubonic +bubonidae +bubonocele +bubonoceze +bubos +bubs +bubukle +bucayo +bucare +bucca +buccal +buccally +buccan +buccaned +buccaneer +buccaneering +buccaneerish +buccaneers +buccaning +buccanned +buccanning +buccaro +buccate +buccellarius +bucchero +buccheros +buccin +buccina +buccinae +buccinal +buccinator +buccinatory +buccinidae +bucciniform +buccinoid +buccinum +bucco +buccobranchial +buccocervical +buccogingival +buccolabial +buccolingual +bucconasal +bucconidae +bucconinae +buccopharyngeal +buccula +bucculae +bucculatrix +bucellas +bucentaur +bucentur +bucephala +bucephalus +buceros +bucerotes +bucerotidae +bucerotinae +buchanan +buchanite +bucharest +buchite +buchloe +buchmanism +buchmanite +buchnera +buchnerite +buchonite +buchu +buck +buckayro +buckayros +buckaroo +buckaroos +buckass +buckbean +buckbeans +buckberry +buckboard +buckboards +buckbrush +buckbush +bucked +buckeen +buckeens +buckeye +buckeyed +buckeyes +bucker +buckeroo +buckeroos +buckers +bucket +bucketed +bucketeer +bucketer +bucketful +bucketfull +bucketfuls +buckety +bucketing +bucketmaker +bucketmaking +bucketman +buckets +bucketsful +bucketshop +buckhorn +buckhound +buckhounds +bucky +buckie +bucking +buckish +buckishly +buckishness +buckism +buckjump +buckjumper +buckland +bucklandite +buckle +buckled +buckleya +buckleless +buckler +bucklered +bucklering +bucklers +buckles +buckling +bucklum +bucko +buckoes +buckone +buckplate +buckpot +buckra +buckram +buckramed +buckraming +buckrams +buckras +bucks +bucksaw +bucksaws +buckshee +buckshees +buckshot +buckshots +buckskin +buckskinned +buckskins +buckstay +buckstall +buckstone +bucktail +bucktails +buckteeth +buckthorn +bucktooth +bucktoothed +bucku +buckwagon +buckwash +buckwasher +buckwashing +buckwheat +buckwheater +buckwheatlike +buckwheats +bucoliast +bucolic +bucolical +bucolically +bucolicism +bucolics +bucorvinae +bucorvus +bucrane +bucrania +bucranium +bucrnia +bud +buda +budapest +budbreak +buddage +buddah +budded +budder +budders +buddh +buddha +buddhahood +buddhaship +buddhi +buddhic +buddhism +buddhist +buddhistic +buddhistical +buddhists +buddhology +buddy +buddie +buddies +budding +buddle +buddled +buddleia +buddleias +buddleman +buddler +buddles +buddling +bude +budge +budged +budger +budgeree +budgereegah +budgerigah +budgerygah +budgerigar +budgerigars +budgero +budgerow +budgers +budges +budget +budgetary +budgeted +budgeteer +budgeter +budgeters +budgetful +budgeting +budgets +budgy +budgie +budgies +budging +budh +budless +budlet +budlike +budling +budmash +budorcas +buds +budtime +budukha +buduma +budwood +budworm +budzart +budzat +buenas +bueno +buenos +buettneria +buettneriaceae +bufagin +buff +buffa +buffability +buffable +buffalo +buffaloback +buffaloed +buffaloes +buffalofish +buffalofishes +buffaloing +buffalos +buffball +buffbar +buffcoat +buffe +buffed +buffer +buffered +buffering +bufferrer +bufferrers +buffers +buffet +buffeted +buffeter +buffeters +buffeting +buffetings +buffets +buffi +buffy +buffier +buffiest +buffin +buffing +buffle +bufflehead +buffleheaded +bufflehorn +buffo +buffone +buffont +buffoon +buffoonery +buffooneries +buffoonesque +buffoonish +buffoonishness +buffoonism +buffoons +buffos +buffs +buffware +bufidin +bufo +bufonid +bufonidae +bufonite +bufotalin +bufotenin +bufotenine +bufotoxin +bug +bugaboo +bugaboos +bugala +bugan +bugara +bugbane +bugbanes +bugbear +bugbeardom +bugbearish +bugbears +bugbite +bugdom +bugeye +bugeyed +bugeyes +bugfish +buggane +bugged +bugger +buggered +buggery +buggeries +buggering +buggers +buggess +buggy +buggier +buggies +buggiest +buggyman +buggymen +bugginess +bugging +bughead +bughouse +bughouses +bught +bugi +buginese +buginvillaea +bugle +bugled +bugler +buglers +bugles +buglet +bugleweed +buglewort +bugling +bugloss +buglosses +bugology +bugologist +bugong +bugout +bugproof +bugre +bugs +bugseed +bugseeds +bugsha +bugshas +bugweed +bugwort +buhl +buhlbuhl +buhls +buhlwork +buhlworks +buhr +buhrmill +buhrs +buhrstone +buy +buyable +buyback +buybacks +buibui +buick +buicks +buyer +buyers +buyides +buying +build +buildable +builded +builder +builders +building +buildingless +buildings +buildress +builds +buildup +buildups +built +builtin +buyout +buyouts +buirdly +buys +buisson +buist +bukat +bukeyef +bukh +bukidnon +bukshee +bukshi +bul +bulak +bulanda +bulb +bulbaceous +bulbar +bulbed +bulbel +bulbels +bulby +bulbier +bulbiest +bulbiferous +bulbiform +bulbil +bulbilis +bulbilla +bulbils +bulbine +bulbless +bulblet +bulblike +bulbocapnin +bulbocapnine +bulbocavernosus +bulbocavernous +bulbochaete +bulbocodium +bulbomedullary +bulbomembranous +bulbonuclear +bulbophyllum +bulborectal +bulbose +bulbospinal +bulbotuber +bulbourethral +bulbous +bulbously +bulbs +bulbul +bulbule +bulbuls +bulbus +bulchin +bulder +bulgar +bulgari +bulgaria +bulgarian +bulgarians +bulgaric +bulgarophil +bulge +bulged +bulger +bulgers +bulges +bulgy +bulgier +bulgiest +bulginess +bulging +bulgingly +bulgur +bulgurs +bulies +bulimy +bulimia +bulimiac +bulimias +bulimic +bulimiform +bulimoid +bulimulidae +bulimus +bulk +bulkage +bulkages +bulked +bulker +bulkhead +bulkheaded +bulkheading +bulkheads +bulky +bulkier +bulkiest +bulkily +bulkin +bulkiness +bulking +bulkish +bulks +bull +bulla +bullace +bullaces +bullae +bullalaria +bullamacow +bullan +bullary +bullaria +bullaries +bullarium +bullate +bullated +bullation +bullback +bullbaiting +bullbat +bullbats +bullbeggar +bullberry +bullbird +bullboat +bullcart +bullcomber +bulldog +bulldogged +bulldoggedness +bulldogger +bulldoggy +bulldogging +bulldoggish +bulldoggishly +bulldoggishness +bulldogism +bulldogs +bulldoze +bulldozed +bulldozer +bulldozers +bulldozes +bulldozing +bulldust +bulled +buller +bullescene +bullet +bulleted +bullethead +bulletheaded +bulletheadedness +bullety +bulletin +bulletined +bulleting +bulletining +bulletins +bulletless +bulletlike +bulletmaker +bulletmaking +bulletproof +bulletproofed +bulletproofing +bulletproofs +bullets +bulletwood +bullfeast +bullfice +bullfight +bullfighter +bullfighters +bullfighting +bullfights +bullfinch +bullfinches +bullfist +bullflower +bullfoot +bullfrog +bullfrogs +bullgine +bullhead +bullheaded +bullheadedly +bullheadedness +bullheads +bullhide +bullhoof +bullhorn +bullhorns +bully +bullyable +bullyboy +bullyboys +bullidae +bullydom +bullied +bullier +bullies +bulliest +bulliform +bullyhuff +bullying +bullyingly +bullyism +bullimong +bulling +bullion +bullionism +bullionist +bullionless +bullions +bullyrag +bullyragged +bullyragger +bullyragging +bullyrags +bullyrock +bullyrook +bullish +bullishly +bullishness +bullism +bullit +bullition +bulllike +bullneck +bullnecked +bullnecks +bullnose +bullnoses +bullnut +bullock +bullocker +bullocky +bullockite +bullockman +bullocks +bullom +bullose +bullous +bullpates +bullpen +bullpens +bullpoll +bullpout +bullpouts +bullpup +bullragged +bullragging +bullring +bullrings +bullroarer +bullrush +bullrushes +bulls +bullseye +bullshit +bullshits +bullshitted +bullshitting +bullshot +bullshots +bullskin +bullsnake +bullsticker +bullsucker +bullswool +bullterrier +bulltoad +bullule +bullweed +bullweeds +bullwhack +bullwhacker +bullwhip +bullwhipped +bullwhipping +bullwhips +bullwork +bullwort +bulnbuln +bulreedy +bulrush +bulrushes +bulrushy +bulrushlike +bulse +bult +bultey +bultell +bulten +bulter +bultong +bultow +bulwand +bulwark +bulwarked +bulwarking +bulwarks +bum +bumaloe +bumaree +bumbailiff +bumbailiffship +bumbard +bumbarge +bumbass +bumbaste +bumbaze +bumbee +bumbelo +bumbershoot +bumble +bumblebee +bumblebeefish +bumblebeefishes +bumblebees +bumbleberry +bumblebomb +bumbled +bumbledom +bumblefoot +bumblekite +bumblepuppy +bumbler +bumblers +bumbles +bumbling +bumblingly +bumblingness +bumblings +bumbo +bumboat +bumboatman +bumboatmen +bumboats +bumboatwoman +bumclock +bumelia +bumf +bumfeg +bumfs +bumfuzzle +bumicky +bumkin +bumkins +bummack +bummalo +bummalos +bummaree +bummed +bummel +bummer +bummery +bummerish +bummers +bummest +bummie +bummil +bumming +bummle +bummler +bummock +bump +bumped +bumpee +bumper +bumpered +bumperette +bumpering +bumpers +bumph +bumpy +bumpier +bumpiest +bumpily +bumpiness +bumping +bumpingly +bumpity +bumpkin +bumpkinet +bumpkinish +bumpkinly +bumpkins +bumpoff +bumpology +bumps +bumpsy +bumptious +bumptiously +bumptiousness +bums +bumsucking +bumtrap +bumwood +bun +buna +buncal +bunce +bunch +bunchbacked +bunchberry +bunchberries +bunched +buncher +bunches +bunchflower +bunchy +bunchier +bunchiest +bunchily +bunchiness +bunching +bunco +buncoed +buncoing +buncombe +buncombes +buncos +bund +bunda +bundahish +bundeli +bunder +bundestag +bundh +bundy +bundies +bundist +bundists +bundle +bundled +bundler +bundlerooted +bundlers +bundles +bundlet +bundling +bundlings +bundobust +bundoc +bundocks +bundook +bunds +bundt +bundts +bundu +bundweed +bunemost +bung +bunga +bungaloid +bungalow +bungalows +bungarum +bungarus +bunged +bungee +bungey +bunger +bungerly +bungfu +bungfull +bunghole +bungholes +bungy +bunging +bungle +bungled +bungler +bunglers +bungles +bunglesome +bungling +bunglingly +bunglings +bungmaker +bungo +bungos +bungs +bungstarter +bungtown +bungwall +bunya +bunyah +bunyan +bunyas +bunyip +buninahua +bunion +bunions +bunyoro +bunjara +bunk +bunked +bunker +bunkerage +bunkered +bunkery +bunkering +bunkerman +bunkermen +bunkers +bunkhouse +bunkhouses +bunkie +bunking +bunkload +bunkmate +bunkmates +bunko +bunkoed +bunkoing +bunkos +bunks +bunkum +bunkums +bunn +bunnell +bunny +bunnia +bunnies +bunnymouth +bunning +bunns +bunodont +bunodonta +bunolophodont +bunomastodontidae +bunoselenodont +bunraku +bunrakus +buns +bunsen +bunsenite +bunt +buntal +bunted +bunter +bunters +bunty +buntine +bunting +buntings +buntline +buntlines +bunton +bunts +bunuelo +buoy +buoyage +buoyages +buoyance +buoyances +buoyancy +buoyancies +buoyant +buoyantly +buoyantness +buoyed +buoying +buoys +buonamani +buonamano +buphaga +buphthalmia +buphthalmic +buphthalmos +buphthalmum +bupleurol +bupleurum +buplever +buprestid +buprestidae +buprestidan +buprestis +buqsha +buqshas +bur +bura +buran +burans +burao +buras +burbank +burbankian +burbankism +burbark +burberry +burble +burbled +burbler +burblers +burbles +burbly +burblier +burbliest +burbling +burbolt +burbot +burbots +burbs +burbush +burd +burdalone +burdash +burden +burdenable +burdened +burdener +burdeners +burdening +burdenless +burdenous +burdens +burdensome +burdensomely +burdensomeness +burdie +burdies +burdigalian +burdock +burdocks +burdon +burds +bure +bureau +bureaucracy +bureaucracies +bureaucrat +bureaucratese +bureaucratic +bureaucratical +bureaucratically +bureaucratism +bureaucratist +bureaucratization +bureaucratize +bureaucratized +bureaucratizes +bureaucratizing +bureaucrats +bureaus +bureaux +burel +burelage +burele +burely +burelle +burelly +buret +burets +burette +burettes +burez +burfish +burg +burga +burgage +burgages +burgality +burgall +burgamot +burganet +burgau +burgaudine +burge +burgee +burgees +burgensic +burgeon +burgeoned +burgeoning +burgeons +burger +burgers +burgess +burgessdom +burgesses +burggrave +burgh +burghal +burghalpenny +burghbote +burghemot +burgher +burgherage +burgherdom +burgheress +burgherhood +burgheristh +burghermaster +burghers +burghership +burghmaster +burghmoot +burghmote +burghs +burglar +burglary +burglaries +burglarious +burglariously +burglarise +burglarised +burglarising +burglarize +burglarized +burglarizes +burglarizing +burglarproof +burglarproofed +burglarproofing +burglarproofs +burglars +burgle +burgled +burgles +burgling +burgoyne +burgomaster +burgomasters +burgomastership +burgonet +burgonets +burgoo +burgoos +burgout +burgouts +burgrave +burgraves +burgraviate +burgs +burgul +burgullian +burgundy +burgundian +burgundies +burgus +burgware +burgwere +burh +burhead +burhel +burhinidae +burhinus +burhmoot +buri +bury +buriable +burial +burials +burian +buriat +buried +buriels +burier +buriers +buries +burying +burin +burinist +burins +burion +burys +buriti +burk +burka +burke +burked +burkei +burker +burkers +burkes +burkha +burking +burkite +burkites +burkundauze +burkundaz +burl +burlace +burladero +burlap +burlaps +burlecue +burled +burley +burleycue +burleys +burler +burlers +burlesk +burlesks +burlesque +burlesqued +burlesquely +burlesquer +burlesques +burlesquing +burlet +burletta +burly +burlier +burlies +burliest +burlily +burliness +burling +burlington +burls +burma +burman +burmannia +burmanniaceae +burmanniaceous +burmese +burmite +burn +burnable +burnbeat +burned +burner +burners +burnet +burnetize +burnets +burnettize +burnettized +burnettizing +burnewin +burnfire +burny +burnie +burniebee +burnies +burning +burningly +burnings +burnish +burnishable +burnished +burnisher +burnishers +burnishes +burnishing +burnishment +burnoose +burnoosed +burnooses +burnous +burnoused +burnouses +burnout +burnouts +burnover +burns +burnsian +burnside +burnsides +burnt +burntly +burntness +burntweed +burnup +burnut +burnweed +burnwood +buro +buroo +burp +burped +burping +burps +burr +burrah +burratine +burrawang +burrbark +burred +burree +burrel +burrer +burrers +burrfish +burrfishes +burrgrailer +burrhead +burrheaded +burrheadedness +burrhel +burry +burrier +burriest +burring +burrio +burrish +burrito +burritos +burrknot +burro +burrobrush +burrock +burros +burroughs +burrow +burrowed +burroweed +burrower +burrowers +burrowing +burrows +burrowstown +burrs +burrstone +burs +bursa +bursae +bursal +bursar +bursary +bursarial +bursaries +bursars +bursarship +bursas +bursate +bursati +bursattee +bursautee +bursch +burse +bursectomy +burseed +burseeds +bursera +burseraceae +burseraceous +burses +bursicle +bursiculate +bursiform +bursitis +bursitises +bursitos +burst +bursted +burster +bursters +bursty +burstiness +bursting +burstone +burstones +bursts +burstwort +bursula +burt +burthen +burthened +burthening +burthenman +burthens +burthensome +burton +burtonization +burtonize +burtons +burtree +burucha +burundi +burundians +burushaski +burut +burweed +burweeds +bus +busaos +busbar +busbars +busby +busbies +busboy +busboys +buscarl +buscarle +bused +busera +buses +bush +bushbaby +bushbashing +bushbeater +bushbeck +bushbody +bushbodies +bushboy +bushbuck +bushbucks +bushcraft +bushed +bushel +bushelage +bushelbasket +busheled +busheler +bushelers +bushelful +bushelfuls +busheling +bushelled +busheller +bushelling +bushelman +bushelmen +bushels +bushelwoman +busher +bushers +bushes +bushet +bushfighter +bushfighting +bushfire +bushfires +bushful +bushgoat +bushgoats +bushgrass +bushhammer +bushi +bushy +bushido +bushidos +bushie +bushier +bushiest +bushily +bushiness +bushing +bushings +bushland +bushlands +bushless +bushlet +bushlike +bushmaker +bushmaking +bushman +bushmanship +bushmaster +bushmasters +bushmen +bushment +bushongo +bushpig +bushranger +bushranging +bushrope +bushtit +bushtits +bushveld +bushwa +bushwack +bushwah +bushwahs +bushwalking +bushwas +bushwhack +bushwhacked +bushwhacker +bushwhackers +bushwhacking +bushwhacks +bushwife +bushwoman +bushwood +busy +busybody +busybodied +busybodies +busybodyish +busybodyism +busybodyness +busycon +busied +busier +busies +busiest +busyhead +busying +busyish +busily +busine +business +busyness +businesses +busynesses +businessese +businesslike +businesslikeness +businessman +businessmen +businesswoman +businesswomen +busing +busings +busywork +busyworks +busk +busked +busker +buskers +busket +busky +buskin +buskined +busking +buskins +buskle +busks +busload +busman +busmen +buss +bussed +busser +busses +bussy +bussing +bussings +bussock +bussu +bust +bustard +bustards +busted +bustee +buster +busters +busthead +busti +busty +bustian +bustic +busticate +bustics +bustier +bustiest +busting +bustle +bustled +bustler +bustlers +bustles +bustling +bustlingly +busto +busts +busulfan +busulfans +busuuti +busway +but +butacaine +butadiene +butadiyne +butanal +butane +butanes +butanoic +butanol +butanolid +butanolide +butanols +butanone +butanones +butat +butch +butcha +butcher +butcherbird +butcherbroom +butcherdom +butchered +butcherer +butcheress +butchery +butcheries +butchering +butcherless +butcherly +butcherliness +butcherous +butchers +butches +bute +butea +butein +butene +butenes +butenyl +buteo +buteonine +buteos +butic +butyl +butylamine +butylate +butylated +butylates +butylating +butylation +butylene +butylenes +butylic +butyls +butin +butyn +butine +butyne +butyr +butyraceous +butyral +butyraldehyde +butyrals +butyrate +butyrates +butyric +butyrically +butyryl +butyryls +butyrin +butyrinase +butyrins +butyrochloral +butyrolactone +butyrometer +butyrometric +butyrone +butyrous +butyrousness +butle +butled +butler +butlerage +butlerdom +butleress +butlery +butleries +butlerism +butlerlike +butlers +butlership +butles +butling +butment +butolism +butomaceae +butomaceous +butomus +butoxy +butoxyl +buts +butsu +butsudan +butt +buttal +buttals +butte +butted +butter +butteraceous +butterback +butterball +butterbill +butterbird +butterbough +butterbox +butterbump +butterbur +butterburr +butterbush +buttercup +buttercups +buttered +butterer +butterers +butterfat +butterfingered +butterfingers +butterfish +butterfishes +butterfly +butterflied +butterflyer +butterflies +butterflyfish +butterflyfishes +butterflying +butterflylike +butterflower +butterhead +buttery +butterier +butteries +butteriest +butteryfingered +butterine +butteriness +buttering +butteris +butterjags +butterless +butterlike +buttermaker +buttermaking +butterman +buttermilk +buttermonger +buttermouth +butternose +butternut +butternuts +butterpaste +butterroot +butters +butterscotch +butterweed +butterwife +butterwoman +butterworker +butterwort +butterwright +buttes +buttgenbachite +butty +butties +buttyman +butting +buttinski +buttinsky +buttinskies +buttle +buttled +buttling +buttock +buttocked +buttocker +buttocks +button +buttonball +buttonbur +buttonbush +buttoned +buttoner +buttoners +buttonhold +buttonholder +buttonhole +buttonholed +buttonholer +buttonholes +buttonholing +buttonhook +buttony +buttoning +buttonless +buttonlike +buttonmold +buttonmould +buttons +buttonweed +buttonwood +buttress +buttressed +buttresses +buttressing +buttressless +buttresslike +butts +buttstock +buttstrap +buttstrapped +buttstrapping +buttwoman +buttwomen +buttwood +butut +bututs +buvette +buxaceae +buxaceous +buxbaumia +buxbaumiaceae +buxeous +buxerry +buxerries +buxine +buxom +buxomer +buxomest +buxomly +buxomness +buxus +buz +buzane +buzylene +buzuki +buzukia +buzukis +buzz +buzzard +buzzardly +buzzardlike +buzzards +buzzbomb +buzzed +buzzer +buzzerphone +buzzers +buzzes +buzzgloak +buzzy +buzzier +buzzies +buzziest +buzzing +buzzingly +buzzle +buzzsaw +buzzwig +buzzwigs +buzzword +buzzwords +bv +bvt +bwana +bwanas +bx +bxs +bz +c +ca +caaba +caam +caama +caaming +caapeba +caatinga +cab +caba +cabaa +cabaan +caback +cabaho +cabal +cabala +cabalas +cabalassou +cabaletta +cabalic +cabalism +cabalisms +cabalist +cabalistic +cabalistical +cabalistically +cabalists +caball +caballed +caballer +caballeria +caballero +caballeros +caballine +caballing +caballo +caballos +cabals +caban +cabana +cabanas +cabane +cabaret +cabaretier +cabarets +cabas +cabasa +cabasset +cabassou +cabbage +cabbaged +cabbagehead +cabbageheaded +cabbageheadedness +cabbagelike +cabbages +cabbagetown +cabbagewood +cabbageworm +cabbagy +cabbaging +cabbala +cabbalah +cabbalahs +cabbalas +cabbalism +cabbalist +cabbalistic +cabbalistical +cabbalistically +cabbalize +cabbed +cabber +cabby +cabbie +cabbies +cabbing +cabble +cabbled +cabbler +cabbling +cabda +cabdriver +cabdriving +cabecera +cabecudo +cabeliau +cabellerote +caber +cabernet +cabernets +cabers +cabestro +cabestros +cabezon +cabezone +cabezones +cabezons +cabful +cabiai +cabildo +cabildos +cabilliau +cabin +cabinda +cabined +cabinet +cabineted +cabineting +cabinetmake +cabinetmaker +cabinetmakers +cabinetmaking +cabinetry +cabinets +cabinetted +cabinetwork +cabinetworker +cabinetworking +cabining +cabinlike +cabins +cabio +cabirean +cabiri +cabiria +cabirian +cabiric +cabiritic +cable +cablecast +cabled +cablegram +cablegrams +cablelaid +cableless +cablelike +cableman +cablemen +cabler +cables +cablese +cablet +cablets +cableway +cableways +cabling +cablish +cabman +cabmen +cabob +cabobs +caboceer +caboche +caboched +cabochon +cabochons +cabocle +caboclo +caboclos +cabomba +cabombaceae +cabombas +caboodle +caboodles +cabook +caboose +cabooses +caboshed +cabossed +cabot +cabotage +cabotages +cabotin +cabotinage +cabots +cabouca +cabre +cabree +cabrerite +cabresta +cabrestas +cabresto +cabrestos +cabret +cabretta +cabrettas +cabreuva +cabrie +cabrilla +cabrillas +cabriole +cabrioles +cabriolet +cabriolets +cabrit +cabrito +cabs +cabstand +cabstands +cabuya +cabuyas +cabuja +cabulla +cabureiba +caburn +caca +cacaesthesia +cacafuego +cacafugo +cacajao +cacalia +cacam +cacan +cacana +cacanapa +cacanthrax +cacao +cacaos +cacara +cacas +cacatua +cacatuidae +cacatuinae +cacaxte +caccabis +caccagogue +caccia +caccias +cacciatora +cacciatore +cace +cacei +cacemphaton +cacesthesia +cacesthesis +cachaca +cachaemia +cachaemic +cachalot +cachalote +cachalots +cachaza +cache +cachectic +cachectical +cached +cachemia +cachemic +cachepot +cachepots +caches +cachespell +cachet +cacheted +cachetic +cacheting +cachets +cachexy +cachexia +cachexias +cachexic +cachexies +cachibou +cachila +cachimailla +cachina +cachinate +caching +cachinnate +cachinnated +cachinnating +cachinnation +cachinnator +cachinnatory +cachoeira +cacholong +cachot +cachou +cachous +cachrys +cachua +cachucha +cachuchas +cachucho +cachunde +caci +cacicus +cacidrosis +cacimbo +cacimbos +caciocavallo +cacique +caciques +caciqueship +caciquism +cack +cacked +cackerel +cacking +cackle +cackled +cackler +cacklers +cackles +cackling +cacks +cacochylia +cacochymy +cacochymia +cacochymic +cacochymical +cacocholia +cacochroia +cacocnemia +cacodaemon +cacodaemoniac +cacodaemonial +cacodaemonic +cacodemon +cacodemonia +cacodemoniac +cacodemonial +cacodemonic +cacodemonize +cacodemonomania +cacodyl +cacodylate +cacodylic +cacodyls +cacodontia +cacodorous +cacodoxy +cacodoxian +cacodoxical +cacoeconomy +cacoenthes +cacoepy +cacoepist +cacoepistic +cacoethes +cacoethic +cacogalactia +cacogastric +cacogenesis +cacogenic +cacogenics +cacogeusia +cacoglossia +cacographer +cacography +cacographic +cacographical +cacolet +cacolike +cacology +cacological +cacomagician +cacomelia +cacomistle +cacomixl +cacomixle +cacomixls +cacomorphia +cacomorphosis +caconychia +caconym +caconymic +cacoon +cacopathy +cacopharyngia +cacophony +cacophonia +cacophonic +cacophonical +cacophonically +cacophonies +cacophonist +cacophonists +cacophonize +cacophonous +cacophonously +cacophthalmia +cacoplasia +cacoplastic +cacoproctia +cacorhythmic +cacorrhachis +cacorrhinia +cacosmia +cacospermia +cacosplanchnia +cacostomia +cacothansia +cacothelin +cacotheline +cacothes +cacothesis +cacothymia +cacotype +cacotopia +cacotrichia +cacotrophy +cacotrophia +cacotrophic +cacoxene +cacoxenite +cacozeal +cacozealous +cacozyme +cacqueteuse +cacqueteuses +cactaceae +cactaceous +cactal +cactales +cacti +cactiform +cactoid +cactus +cactuses +cactuslike +cacumen +cacuminal +cacuminate +cacumination +cacuminous +cacur +cad +cadalene +cadamba +cadaster +cadasters +cadastral +cadastrally +cadastration +cadastre +cadastres +cadaver +cadaveric +cadaverin +cadaverine +cadaverize +cadaverous +cadaverously +cadaverousness +cadavers +cadbait +cadbit +cadbote +cadded +caddesse +caddy +caddice +caddiced +caddicefly +caddices +caddie +caddied +caddies +caddiing +caddying +cadding +caddis +caddised +caddises +caddisfly +caddisflies +caddish +caddishly +caddishness +caddisworm +caddle +caddo +caddoan +caddow +cade +cadeau +cadee +cadelle +cadelles +cadence +cadenced +cadences +cadency +cadencies +cadencing +cadenette +cadent +cadential +cadenza +cadenzas +cader +caderas +cadere +cades +cadesse +cadet +cadetcy +cadets +cadetship +cadette +cadettes +cadew +cadge +cadged +cadger +cadgers +cadges +cadgy +cadgily +cadginess +cadging +cadi +cady +cadie +cadying +cadilesker +cadillac +cadillacs +cadillo +cadinene +cadis +cadish +cadism +cadiueio +cadjan +cadlock +cadmean +cadmia +cadmic +cadmide +cadmiferous +cadmium +cadmiumize +cadmiums +cadmopone +cadmus +cados +cadouk +cadrans +cadre +cadres +cads +cadua +caduac +caduca +caducary +caducean +caducecaducean +caducecei +caducei +caduceus +caduciary +caduciaries +caducibranch +caducibranchiata +caducibranchiate +caducicorn +caducity +caducities +caducous +caduke +cadus +cadwal +cadwallader +cadweed +cadwell +caeca +caecal +caecally +caecectomy +caecias +caeciform +caecilia +caeciliae +caecilian +caeciliidae +caecity +caecitis +caecocolic +caecostomy +caecotomy +caecum +caedmonian +caedmonic +caelian +caelometer +caelum +caelus +caenogaea +caenogaean +caenogenesis +caenogenetic +caenogenetically +caenolestes +caenostyly +caenostylic +caenozoic +caeoma +caeomas +caeremoniarius +caerphilly +caesalpinia +caesalpiniaceae +caesalpiniaceous +caesar +caesardom +caesarean +caesareanize +caesareans +caesarian +caesarism +caesarist +caesarists +caesarize +caesaropapacy +caesaropapism +caesaropapist +caesaropopism +caesarotomy +caesarship +caesious +caesium +caesiums +caespitose +caespitosely +caestus +caestuses +caesura +caesurae +caesural +caesuras +caesuric +caf +cafard +cafardise +cafe +cafeneh +cafenet +cafes +cafetal +cafeteria +cafeterias +cafetiere +cafetorium +caff +caffa +caffeate +caffeic +caffein +caffeina +caffeine +caffeines +caffeinic +caffeinism +caffeins +caffeism +caffeol +caffeone +caffetannic +caffetannin +caffiaceous +caffiso +caffle +caffled +caffling +caffoy +caffoline +caffre +cafh +cafila +cafiz +cafoy +caftan +caftaned +caftans +cafuso +cag +cagayan +cagayans +cage +caged +cageful +cagefuls +cagey +cageyness +cageless +cagelike +cageling +cagelings +cageman +cageot +cager +cagers +cages +cagester +cagework +caggy +cagy +cagier +cagiest +cagily +caginess +caginesses +caging +cagit +cagmag +cagn +cagot +cagoule +cagui +cahenslyism +cahier +cahiers +cahill +cahincic +cahita +cahiz +cahnite +cahokia +cahoot +cahoots +cahot +cahow +cahows +cahuapana +cahuy +cahuilla +cahuita +cai +cay +cayapa +cayapo +caiarara +caic +caickle +caid +caids +cayenne +cayenned +cayennes +cailcedra +cayleyan +caille +cailleach +cailliach +caimacam +caimakam +caiman +cayman +caimans +caymans +caimitillo +caimito +cain +caynard +caingang +caingin +caingua +cainian +cainish +cainism +cainite +cainitic +cainogenesis +cainozoic +cains +cayos +caique +caiquejee +caiques +cair +cairba +caird +cairds +cairene +cairn +cairned +cairngorm +cairngorum +cairny +cairns +cairo +cays +caisse +caisson +caissoned +caissons +caitanyas +caite +caitif +caitiff +caitiffs +caitifty +cayubaba +cayubaban +cayuca +cayuco +cayuga +cayugan +cayugas +cayuse +cayuses +cayuvava +caixinha +cajan +cajang +cajanus +cajaput +cajaputs +cajava +cajeput +cajeputol +cajeputole +cajeputs +cajeta +cajole +cajoled +cajolement +cajolements +cajoler +cajolery +cajoleries +cajolers +cajoles +cajoling +cajolingly +cajon +cajones +cajou +cajuela +cajun +cajuns +cajuput +cajuputene +cajuputol +cajuputs +cakavci +cakchikel +cake +cakebox +cakebread +caked +cakehouse +cakey +cakemaker +cakemaking +caker +cakes +cakette +cakewalk +cakewalked +cakewalker +cakewalking +cakewalks +caky +cakier +cakiest +cakile +caking +cakra +cakravartin +cal +calaba +calabar +calabari +calabash +calabashes +calabaza +calabazilla +calaber +calaboose +calabooses +calabozo +calabrasella +calabrese +calabrian +calabrians +calabur +calade +caladium +caladiums +calahan +calais +calaite +calalu +calamagrostis +calamanco +calamancoes +calamancos +calamander +calamansi +calamar +calamary +calamariaceae +calamariaceous +calamariales +calamarian +calamaries +calamarioid +calamarmar +calamaroid +calamars +calambac +calambour +calami +calamiferious +calamiferous +calamiform +calaminary +calaminaris +calamine +calamined +calamines +calamining +calamint +calamintha +calamints +calamistral +calamistrate +calamistrum +calamite +calamitean +calamites +calamity +calamities +calamitoid +calamitous +calamitously +calamitousness +calamodendron +calamondin +calamopitys +calamospermae +calamostachys +calamumi +calamus +calander +calando +calandra +calandre +calandria +calandridae +calandrinae +calandrinia +calangay +calanid +calanque +calantas +calanthe +calapite +calapitte +calappa +calappidae +calas +calascione +calash +calashes +calastic +calathea +calathi +calathian +calathidia +calathidium +calathiform +calathisci +calathiscus +calathos +calaththi +calathus +calatrava +calavance +calaverite +calbroben +calc +calcaemia +calcaire +calcanea +calcaneal +calcanean +calcanei +calcaneoastragalar +calcaneoastragaloid +calcaneocuboid +calcaneofibular +calcaneonavicular +calcaneoplantar +calcaneoscaphoid +calcaneotibial +calcaneum +calcaneus +calcannea +calcannei +calcar +calcarate +calcarated +calcarea +calcareoargillaceous +calcareobituminous +calcareocorneous +calcareosiliceous +calcareosulphurous +calcareous +calcareously +calcareousness +calcaria +calcariferous +calcariform +calcarine +calcarium +calcars +calcate +calcavella +calceate +calced +calcedon +calcedony +calceiform +calcemia +calceolaria +calceolate +calceolately +calces +calceus +calchaqui +calchaquian +calchas +calche +calci +calcic +calciclase +calcicole +calcicolous +calcicosis +calcydon +calciferol +calciferous +calcify +calcific +calcification +calcified +calcifies +calcifying +calciform +calcifugal +calcifuge +calcifugous +calcigenous +calcigerous +calcimeter +calcimine +calcimined +calciminer +calcimines +calcimining +calcinable +calcinate +calcination +calcinator +calcinatory +calcine +calcined +calciner +calcines +calcining +calcinize +calcino +calcinosis +calciobiotite +calciocarnotite +calcioferrite +calcioscheelite +calciovolborthite +calcipexy +calciphylactic +calciphylactically +calciphylaxis +calciphile +calciphilia +calciphilic +calciphilous +calciphyre +calciphobe +calciphobic +calciphobous +calciprivic +calcisponge +calcispongiae +calcite +calcites +calcitestaceous +calcitic +calcitonin +calcitrant +calcitrate +calcitration +calcitreation +calcium +calciums +calcivorous +calcographer +calcography +calcographic +calcomp +calcrete +calcsinter +calcspar +calcspars +calctufa +calctufas +calctuff +calctuffs +calculability +calculabilities +calculable +calculableness +calculably +calculagraph +calcular +calculary +calculate +calculated +calculatedly +calculatedness +calculates +calculating +calculatingly +calculation +calculational +calculations +calculative +calculator +calculatory +calculators +calculer +calculi +calculiform +calculifrage +calculist +calculous +calculus +calculuses +calcutta +caldadaria +caldaria +caldarium +calden +caldera +calderas +calderium +calderon +caldron +caldrons +calean +caleb +calebite +calebites +caleche +caleches +caledonia +caledonian +caledonite +calef +calefacient +calefaction +calefactive +calefactor +calefactory +calefactories +calefy +calelectric +calelectrical +calelectricity +calembour +calemes +calenda +calendal +calendar +calendared +calendarer +calendarial +calendarian +calendaric +calendaring +calendarist +calendars +calendas +calender +calendered +calenderer +calendering +calenders +calendry +calendric +calendrical +calends +calendula +calendulas +calendulin +calentural +calenture +calentured +calenturing +calenturish +calenturist +calepin +calesa +calesas +calescence +calescent +calesero +calesin +calf +calfbound +calfdozer +calfhood +calfish +calfkill +calfless +calflike +calfling +calfret +calfs +calfskin +calfskins +calgary +calgon +caliban +calibanism +caliber +calibered +calibers +calybite +calibogus +calibrate +calibrated +calibrater +calibrates +calibrating +calibration +calibrations +calibrator +calibrators +calibre +calibred +calibres +caliburn +caliburno +calic +calycanth +calycanthaceae +calycanthaceous +calycanthemy +calycanthemous +calycanthin +calycanthine +calycanthus +calicate +calycate +calyceal +calyceraceae +calyceraceous +calices +calyces +caliche +caliches +calyciferous +calycifloral +calyciflorate +calyciflorous +caliciform +calyciform +calycinal +calycine +calicle +calycle +calycled +calicles +calycles +calycli +calico +calicoback +calycocarpum +calicoed +calicoes +calycoid +calycoideous +calycophora +calycophorae +calycophoran +calicos +calycozoa +calycozoan +calycozoic +calycozoon +calicular +calycular +caliculate +calyculate +calyculated +calycule +caliculi +calyculi +caliculus +calyculus +calicut +calid +calidity +calydon +calydonian +caliduct +calif +califate +califates +california +californian +californiana +californians +californicus +californite +californium +califs +caliga +caligate +caligated +caligation +caliginosity +caliginous +caliginously +caliginousness +caligo +caligrapher +caligraphy +caligulism +calili +calimanco +calimancos +calymene +calimeris +calymma +calin +calina +calinago +calinda +calindas +caline +calinut +caliology +caliological +caliologist +calyon +calipash +calipashes +calipee +calipees +caliper +calipered +caliperer +calipering +calipers +calipeva +caliph +caliphal +caliphate +caliphates +calyphyomy +caliphs +caliphship +calippic +calypsist +calypso +calypsoes +calypsonian +calypsos +calypter +calypterae +calypters +calyptoblastea +calyptoblastic +calyptorhynchus +calyptra +calyptraea +calyptranthes +calyptras +calyptrata +calyptratae +calyptrate +calyptriform +calyptrimorphous +calyptro +calyptrogen +calyptrogyne +calisaya +calisayas +calista +calystegia +calistheneum +calisthenic +calisthenical +calisthenics +calite +caliver +calix +calyx +calyxes +calixtin +calixtus +calk +calkage +calked +calker +calkers +calkin +calking +calkins +calks +call +calla +callable +callaesthetic +callainite +callais +callaloo +callaloos +callan +callans +callant +callants +callas +callat +callate +callback +callbacks +callboy +callboys +called +caller +callers +calles +callet +callets +calli +callianassa +callianassidae +calliandra +callicarpa +callicebus +callid +callidity +callidness +calligram +calligraph +calligrapha +calligrapher +calligraphers +calligraphy +calligraphic +calligraphical +calligraphically +calligraphist +calling +callings +callynteria +callionymidae +callionymus +calliope +calliopean +calliopes +calliophone +calliopsis +callipash +callipee +callipees +calliper +callipered +calliperer +callipering +callipers +calliphora +calliphorid +calliphoridae +calliphorine +callipygian +callipygous +callippic +callirrhoe +callisaurus +callisection +callisteia +callistemon +callistephus +callisthenic +callisthenics +callisto +callithrix +callithump +callithumpian +callitype +callityped +callityping +callitrichaceae +callitrichaceous +callitriche +callitrichidae +callitris +callo +calloo +callop +callorhynchidae +callorhynchus +callosal +callose +calloses +callosity +callosities +callosomarginal +callosum +callot +callous +calloused +callouses +callousing +callously +callousness +callout +callovian +callow +callower +callowest +callowman +callowness +calls +callum +calluna +callus +callused +calluses +callusing +calm +calmant +calmative +calmato +calmecac +calmed +calmer +calmest +calmy +calmier +calmierer +calmiest +calming +calmingly +calmly +calmness +calmnesses +calms +calocarpum +calochortaceae +calochortus +calodaemon +calodemon +calodemonial +calogram +calography +caloyer +caloyers +calomba +calombigas +calombo +calomel +calomels +calomorphic +calonectria +calonyction +calool +calophyllum +calopogon +calor +caloreceptor +calorescence +calorescent +calory +caloric +calorically +caloricity +calorics +caloriduct +calorie +calories +calorifacient +calorify +calorific +calorifical +calorifically +calorification +calorifics +calorifier +calorigenic +calorimeter +calorimeters +calorimetry +calorimetric +calorimetrical +calorimetrically +calorimotor +caloris +calorisator +calorist +calorite +calorize +calorized +calorizer +calorizes +calorizing +calosoma +calotermes +calotermitid +calotermitidae +calothrix +calotin +calotype +calotypic +calotypist +calotte +calottes +calp +calpac +calpack +calpacked +calpacks +calpacs +calpolli +calpul +calpulli +calque +calqued +calques +calquing +cals +calsouns +caltha +calthrop +calthrops +caltrap +caltraps +caltrop +caltrops +calumba +calumet +calumets +calumny +calumnia +calumniate +calumniated +calumniates +calumniating +calumniation +calumniations +calumniative +calumniator +calumniatory +calumniators +calumnies +calumnious +calumniously +calumniousness +caluptra +calusa +calusar +calutron +calutrons +calvados +calvadoses +calvaire +calvary +calvaria +calvarial +calvarias +calvaries +calvarium +calvatia +calve +calved +calver +calves +calvin +calving +calvinian +calvinism +calvinist +calvinistic +calvinistical +calvinistically +calvinists +calvinize +calvish +calvity +calvities +calvous +calvus +calx +calxes +calzada +calzone +calzoneras +calzones +calzoons +cam +camaca +camacan +camacey +camachile +camagon +camay +camaieu +camail +camaile +camailed +camails +camaka +camaldolensian +camaldolese +camaldolesian +camaldolite +camaldule +camaldulian +camalig +camalote +caman +camanay +camanchaca +camansi +camara +camarada +camarade +camaraderie +camarasaurus +camarera +camarilla +camarillas +camarin +camarine +camaron +camas +camases +camass +camasses +camassia +camata +camatina +camauro +camauros +camaxtli +camb +cambaye +camball +cambalo +cambarus +camber +cambered +cambering +cambers +cambeva +cambia +cambial +cambiata +cambibia +cambiform +cambio +cambiogenetic +cambion +cambism +cambisms +cambist +cambistry +cambists +cambium +cambiums +cambyuskan +camblet +cambodia +cambodian +cambodians +camboge +cambogia +cambogias +camboose +cambouis +cambrel +cambresine +cambrian +cambric +cambricleaf +cambrics +cambridge +cambuca +cambuscan +camden +came +cameist +camel +camelback +cameleer +cameleers +cameleon +camelhair +camelia +camelias +camelid +camelidae +camelina +cameline +camelion +camelish +camelishness +camelkeeper +camellia +camelliaceae +camellias +camellike +camellin +camellus +camelman +cameloid +cameloidea +camelopard +camelopardalis +camelopardel +camelopardid +camelopardidae +camelopards +camelopardus +camelot +camelry +camels +camelus +camembert +camenae +camenes +cameo +cameoed +cameograph +cameography +cameoing +cameos +camera +camerae +cameral +cameralism +cameralist +cameralistic +cameralistics +cameraman +cameramen +cameras +camerata +camerate +camerated +cameration +camerawork +camery +camerier +cameriera +camerieri +camerina +camerine +camerinidae +camerist +camerlengo +camerlengos +camerlingo +camerlingos +cameronian +cameronians +cameroon +cameroonian +cameroonians +cames +camestres +camias +camiknickers +camilla +camillus +camino +camion +camions +camis +camisa +camisade +camisades +camisado +camisadoes +camisados +camisard +camisas +camiscia +camise +camises +camisia +camisias +camisole +camisoles +camister +camize +camla +camlet +camleted +camleteen +camletine +camleting +camlets +camletted +camletting +cammarum +cammas +cammed +cammock +cammocky +camoca +camogie +camois +camomile +camomiles +camooch +camoodi +camoodie +camorra +camorras +camorrism +camorrist +camorrista +camorristi +camote +camoudie +camouflage +camouflageable +camouflaged +camouflager +camouflagers +camouflages +camouflagic +camouflaging +camouflet +camoufleur +camoufleurs +camp +campa +campagi +campagna +campagne +campagnol +campagnols +campagus +campaign +campaigned +campaigner +campaigners +campaigning +campaigns +campal +campana +campane +campanella +campanero +campania +campanian +campaniform +campanile +campaniles +campanili +campaniliform +campanilla +campanini +campanist +campanistic +campanologer +campanology +campanological +campanologically +campanologist +campanologists +campanula +campanulaceae +campanulaceous +campanulales +campanular +campanularia +campanulariae +campanularian +campanularidae +campanulatae +campanulate +campanulated +campanulous +campaspe +campbell +campbellism +campbellisms +campbellite +campbellites +campcraft +campe +campeche +camped +campement +campephagidae +campephagine +campephilus +camper +campers +campership +campesino +campesinos +campestral +campestrian +campfight +campfire +campfires +campground +campgrounds +camphane +camphanic +camphanyl +camphanone +camphene +camphenes +camphylene +camphine +camphines +camphire +camphires +campho +camphocarboxylic +camphoid +camphol +campholic +campholide +campholytic +camphols +camphor +camphoraceous +camphorate +camphorated +camphorates +camphorating +camphory +camphoric +camphoryl +camphorize +camphoroyl +camphorone +camphoronic +camphorphorone +camphors +camphorweed +camphorwood +campi +campy +campier +campiest +campignian +campilan +campily +campylite +campylodrome +campylometer +campyloneuron +campylospermous +campylotropal +campylotropous +campimeter +campimetry +campimetrical +campine +campiness +camping +campings +campion +campions +campit +cample +campman +campmaster +campo +campodea +campodean +campodeid +campodeidae +campodeiform +campodeoid +campody +campong +campongs +camponotus +campoo +campoody +camporee +camporees +campos +campout +camps +campshed +campshedding +campsheeting +campshot +campsite +campsites +campstool +campstools +camptodrome +camptonite +camptosorus +campulitropal +campulitropous +campus +campuses +campusses +campward +cams +camshach +camshachle +camshaft +camshafts +camstane +camsteary +camsteery +camstone +camstrary +camuning +camus +camuse +camused +camuses +camwood +can +cana +canaan +canaanite +canaanites +canaanitess +canaanitic +canaanitish +canaba +canabae +canacee +canacuas +canada +canadian +canadianism +canadianisms +canadianization +canadianize +canadians +canadine +canadite +canadol +canafistola +canafistolo +canafistula +canafistulo +canaglia +canaigre +canaille +canailles +canajong +canakin +canakins +canal +canalage +canalatura +canalboat +canale +canaled +canaler +canales +canalete +canali +canalicular +canaliculate +canaliculated +canaliculation +canaliculi +canaliculization +canaliculus +canaliferous +canaliform +canaling +canalis +canalisation +canalise +canalised +canalises +canalising +canalization +canalizations +canalize +canalized +canalizes +canalizing +canalla +canalled +canaller +canallers +canalling +canalman +canals +canalside +canamary +canamo +cananaean +cananga +canangium +canap +canape +canapes +canapina +canard +canards +canari +canary +canarian +canaries +canarin +canarine +canariote +canarium +canarsee +canasta +canastas +canaster +canaut +canavali +canavalia +canavalin +canberra +canc +cancan +cancans +canccelli +cancel +cancelability +cancelable +cancelation +canceled +canceleer +canceler +cancelers +cancelier +canceling +cancellability +cancellable +cancellarian +cancellarius +cancellate +cancellated +cancellation +cancellations +cancelled +canceller +cancelli +cancelling +cancellous +cancellus +cancelment +cancels +cancer +cancerate +cancerated +cancerating +canceration +cancerdrops +cancered +cancerigenic +cancerin +cancerism +cancerite +cancerization +cancerogenic +cancerophobe +cancerophobia +cancerous +cancerously +cancerousness +cancerphobia +cancerroot +cancers +cancerweed +cancerwort +canch +cancha +canchalagua +canchas +canchi +canchito +cancion +cancionero +canciones +cancri +cancrid +cancriform +cancrine +cancrinite +cancrisocial +cancrivorous +cancrizans +cancroid +cancroids +cancrophagous +cancrum +cancrums +cand +candace +candareen +candela +candelabra +candelabras +candelabrum +candelabrums +candelas +candelilla +candency +candent +candescence +candescent +candescently +candy +candid +candida +candidacy +candidacies +candidas +candidate +candidated +candidates +candidateship +candidating +candidature +candidatures +candide +candider +candidest +candidiasis +candidly +candidness +candidnesses +candids +candied +candiel +candier +candies +candify +candyfloss +candyh +candying +candil +candylike +candymaker +candymaking +candiot +candiru +candys +candystick +candite +candytuft +candyweed +candle +candleball +candlebeam +candleberry +candleberries +candlebomb +candlebox +candled +candlefish +candlefishes +candleholder +candlelight +candlelighted +candlelighter +candlelighting +candlelit +candlemaker +candlemaking +candlemas +candlenut +candlepin +candlepins +candlepower +candler +candlerent +candlers +candles +candleshine +candleshrift +candlesnuffer +candlestand +candlestick +candlesticked +candlesticks +candlestickward +candlewaster +candlewasting +candlewick +candlewicking +candlewicks +candlewood +candlewright +candling +candock +candollea +candolleaceae +candolleaceous +candor +candors +candour +candours +candroy +candroys +canduc +cane +canebrake +canebrakes +caned +canel +canela +canelas +canelike +canell +canella +canellaceae +canellaceous +canellas +canelle +canelo +canelos +caneology +canephor +canephora +canephorae +canephore +canephori +canephoroe +canephoroi +canephoros +canephors +canephorus +canephroi +canepin +caner +caners +canes +canescence +canescene +canescent +caneton +canette +caneva +caneware +canewares +canewise +canework +canezou +canfield +canfieldite +canfields +canful +canfuls +cangan +cangenet +cangy +cangia +cangle +cangler +cangue +cangues +canham +canhoop +cany +canichana +canichanan +canicide +canicola +canicula +canicular +canicule +canid +canidae +canidia +canids +canikin +canikins +canille +caninal +canine +canines +caning +caniniform +caninity +caninities +caninus +canion +canyon +canioned +canions +canyons +canyonside +canis +canisiana +canistel +canister +canisters +canities +canjac +cank +canker +cankerberry +cankerbird +cankereat +cankered +cankeredly +cankeredness +cankerflower +cankerfret +cankery +cankering +cankerous +cankerroot +cankers +cankerweed +cankerworm +cankerworms +cankerwort +canli +canmaker +canmaking +canman +cann +canna +cannabic +cannabidiol +cannabin +cannabinaceae +cannabinaceous +cannabine +cannabinol +cannabins +cannabis +cannabises +cannabism +cannaceae +cannaceous +cannach +cannaled +cannalling +cannas +cannat +canned +cannel +cannelated +cannele +cannellate +cannellated +cannelle +cannelloni +cannelon +cannelons +cannels +cannelure +cannelured +cannequin +canner +cannery +canneries +canners +cannet +cannetille +canny +cannibal +cannibalean +cannibalic +cannibalish +cannibalism +cannibalistic +cannibalistically +cannibality +cannibalization +cannibalize +cannibalized +cannibalizes +cannibalizing +cannibally +cannibals +cannie +cannier +canniest +cannikin +cannikins +cannily +canniness +canning +cannings +cannister +cannisters +cannoli +cannon +cannonade +cannonaded +cannonades +cannonading +cannonarchy +cannonball +cannonballed +cannonballing +cannonballs +cannoned +cannoneer +cannoneering +cannoneers +cannonier +cannoning +cannonism +cannonproof +cannonry +cannonries +cannons +cannophori +cannot +cannstatt +cannula +cannulae +cannular +cannulas +cannulate +cannulated +cannulating +cannulation +canoe +canoed +canoeing +canoeiro +canoeist +canoeists +canoeload +canoeman +canoes +canoewood +canoing +canon +canoncito +canones +canoness +canonesses +canonic +canonical +canonicalization +canonicalize +canonicalized +canonicalizes +canonicalizing +canonically +canonicalness +canonicals +canonicate +canonici +canonicity +canonics +canonisation +canonise +canonised +canoniser +canonises +canonising +canonist +canonistic +canonistical +canonists +canonizant +canonization +canonizations +canonize +canonized +canonizer +canonizes +canonizing +canonlike +canonry +canonries +canons +canonship +canoodle +canoodled +canoodler +canoodles +canoodling +canopy +canopic +canopid +canopied +canopies +canopying +canopus +canorous +canorously +canorousness +canos +canossa +canotier +canreply +canroy +canroyer +cans +cansful +canso +cansos +canst +canstick +cant +cantab +cantabank +cantabile +cantabri +cantabrian +cantabrigian +cantabrize +cantador +cantala +cantalas +cantalever +cantalite +cantaliver +cantaloup +cantaloupe +cantaloupes +cantando +cantankerous +cantankerously +cantankerousness +cantar +cantara +cantare +cantaro +cantata +cantatas +cantate +cantation +cantative +cantator +cantatory +cantatrice +cantatrices +cantatrici +cantboard +cantdog +cantdogs +canted +canteen +canteens +cantefable +cantel +canter +canterbury +canterburian +canterburianism +canterburies +cantered +canterelle +canterer +cantering +canters +canthal +cantharellus +canthari +cantharic +cantharidae +cantharidal +cantharidate +cantharidated +cantharidating +cantharidean +cantharides +cantharidian +cantharidin +cantharidism +cantharidize +cantharidized +cantharidizing +cantharis +cantharophilous +cantharus +canthathari +canthectomy +canthi +canthitis +cantholysis +canthoplasty +canthorrhaphy +canthotomy +canthus +canthuthi +canty +cantic +canticle +canticles +cantico +cantiga +cantil +cantilated +cantilating +cantilena +cantilene +cantilenes +cantilever +cantilevered +cantilevering +cantilevers +cantily +cantillate +cantillated +cantillating +cantillation +cantina +cantinas +cantiness +canting +cantingly +cantingness +cantinier +cantino +cantion +cantish +cantle +cantles +cantlet +cantline +cantling +canto +canton +cantonal +cantonalism +cantoned +cantoner +cantonese +cantoning +cantonize +cantonment +cantonments +cantons +cantoon +cantor +cantoral +cantoria +cantorial +cantorian +cantoris +cantorous +cantors +cantorship +cantos +cantraip +cantraips +cantrap +cantraps +cantred +cantref +cantrip +cantrips +cants +cantus +cantut +cantuta +cantwise +canuck +canula +canulae +canular +canulas +canulate +canulated +canulates +canulating +canun +canvas +canvasado +canvasback +canvasbacks +canvased +canvaser +canvasers +canvases +canvasing +canvaslike +canvasman +canvass +canvassed +canvasser +canvassers +canvasses +canvassy +canvassing +canzo +canzon +canzona +canzonas +canzone +canzones +canzonet +canzonets +canzonetta +canzoni +canzos +caoba +caodaism +caodaist +caoine +caon +caoutchin +caoutchouc +caoutchoucin +cap +capa +capability +capabilities +capable +capableness +capabler +capablest +capably +capacify +capacious +capaciously +capaciousness +capacitance +capacitances +capacitate +capacitated +capacitates +capacitating +capacitation +capacitations +capacitative +capacitativly +capacitator +capacity +capacities +capacitive +capacitively +capacitor +capacitors +capanna +capanne +caparison +caparisoned +caparisoning +caparisons +capataces +capataz +capax +capcase +cape +capeador +capeadores +capeadors +caped +capel +capelan +capelans +capelet +capelets +capelin +capeline +capelins +capella +capellane +capellet +capelline +capelocracy +caper +caperbush +capercailye +capercaillie +capercailzie +capercally +capercut +caperdewsie +capered +caperer +caperers +capering +caperingly +capernaism +capernaite +capernaitic +capernaitical +capernaitically +capernaitish +capernoited +capernoity +capernoitie +capernutie +capers +capersome +capersomeness +caperwort +capes +capeskin +capeskins +capetian +capetonian +capetown +capette +capeweed +capewise +capework +capeworks +capful +capfuls +caph +caphar +capharnaism +caphite +caphs +caphtor +caphtorim +capias +capiases +capiatur +capibara +capybara +capybaras +capicha +capilaceous +capillaceous +capillaire +capillament +capillarectasia +capillary +capillaries +capillarily +capillarimeter +capillariness +capillariomotor +capillarity +capillarities +capillaritis +capillation +capillatus +capilli +capilliculture +capilliform +capillitia +capillitial +capillitium +capillose +capillus +capilotade +caping +capistrate +capita +capital +capitaldom +capitaled +capitaling +capitalisable +capitalise +capitalised +capitaliser +capitalising +capitalism +capitalist +capitalistic +capitalistically +capitalists +capitalizable +capitalization +capitalizations +capitalize +capitalized +capitalizer +capitalizers +capitalizes +capitalizing +capitally +capitalness +capitals +capitan +capitana +capitano +capitare +capitasti +capitate +capitated +capitatim +capitation +capitations +capitative +capitatum +capite +capiteaux +capitella +capitellar +capitellate +capitelliform +capitellum +capitle +capito +capitol +capitolian +capitoline +capitolium +capitols +capitonidae +capitoninae +capitoul +capitoulate +capitula +capitulant +capitular +capitulary +capitularies +capitularly +capitulars +capitulate +capitulated +capitulates +capitulating +capitulation +capitulations +capitulator +capitulatory +capituliform +capitulum +capiturlary +capivi +capkin +caplan +capless +caplet +caplets +caplin +capling +caplins +caplock +capmaker +capmakers +capmaking +capman +capmint +capnodium +capnoides +capnomancy +capnomor +capo +capoc +capocchia +capoche +capomo +capon +caponata +caponatas +capone +caponette +caponier +caponiere +caponiers +caponisation +caponise +caponised +caponiser +caponising +caponization +caponize +caponized +caponizer +caponizes +caponizing +caponniere +capons +caporal +caporals +capos +capot +capotasto +capotastos +capote +capotes +capouch +capouches +cappadine +cappadochio +cappadocian +cappae +cappagh +capparid +capparidaceae +capparidaceous +capparis +capped +cappelenite +cappella +cappelletti +capper +cappers +cappy +cappie +cappier +cappiest +capping +cappings +capple +cappuccino +capra +caprate +caprella +caprellidae +caprelline +capreol +capreolar +capreolary +capreolate +capreoline +capreolus +capreomycin +capretto +capri +capric +capriccetto +capriccettos +capricci +capriccio +capriccios +capriccioso +caprice +caprices +capricious +capriciously +capriciousness +capricorn +capricornid +capricorns +capricornus +caprid +caprificate +caprification +caprificator +caprifig +caprifigs +caprifoil +caprifole +caprifoliaceae +caprifoliaceous +caprifolium +capriform +caprigenous +capryl +caprylate +caprylene +caprylic +caprylyl +caprylin +caprylone +caprimulgi +caprimulgidae +caprimulgiformes +caprimulgine +caprimulgus +caprin +caprine +caprinic +capriola +capriole +caprioled +caprioles +caprioling +capriote +capriped +capripede +capris +caprizant +caproate +caprock +caprocks +caproic +caproyl +caproin +capromys +capron +caprone +capronic +capronyl +caps +capsa +capsaicin +capsella +capsheaf +capshore +capsian +capsicin +capsicins +capsicum +capsicums +capsid +capsidae +capsidal +capsids +capsizable +capsizal +capsize +capsized +capsizes +capsizing +capsomer +capsomere +capsomers +capstan +capstans +capstone +capstones +capsula +capsulae +capsular +capsulate +capsulated +capsulation +capsule +capsulectomy +capsuled +capsuler +capsules +capsuliferous +capsuliform +capsuligerous +capsuling +capsulitis +capsulize +capsulized +capsulizing +capsulociliary +capsulogenous +capsulolenticular +capsulopupillary +capsulorrhaphy +capsulotome +capsulotomy +capsumin +captacula +captaculum +captain +captaincy +captaincies +captained +captainess +captaining +captainly +captainry +captainries +captains +captainship +captainships +captan +captance +captandum +captans +captate +captation +caption +captioned +captioning +captionless +captions +captious +captiously +captiousness +captivance +captivate +captivated +captivately +captivates +captivating +captivatingly +captivation +captivative +captivator +captivators +captivatrix +captive +captived +captives +captiving +captivity +captivities +captor +captors +captress +capturable +capture +captured +capturer +capturers +captures +capturing +capuan +capuche +capuched +capuches +capuchin +capuchins +capucine +capulet +capuli +capulin +caput +caputium +caque +caquet +caqueterie +caqueteuse +caqueteuses +caquetio +caquetoire +caquetoires +car +cara +carabao +carabaos +carabeen +carabid +carabidae +carabidan +carabideous +carabidoid +carabids +carabin +carabine +carabineer +carabiner +carabinero +carabineros +carabines +carabini +carabinier +carabiniere +carabinieri +carabins +caraboa +caraboid +carabus +caracal +caracals +caracara +caracaras +caracas +carack +caracks +caraco +caracoa +caracol +caracole +caracoled +caracoler +caracoles +caracoli +caracoling +caracolite +caracolled +caracoller +caracolling +caracols +caracora +caracore +caract +caractacus +caracter +caracul +caraculs +caradoc +carafe +carafes +carafon +caragana +caraganas +carageen +carageens +caragheen +caraguata +caraho +carayan +caraibe +caraipa +caraipe +caraipi +caraja +carajas +carajo +carajura +caramba +carambola +carambole +caramboled +caramboling +caramel +caramelan +caramelen +caramelin +caramelisation +caramelise +caramelised +caramelising +caramelization +caramelize +caramelized +caramelizes +caramelizing +caramels +caramoussal +carancha +carancho +caranda +caranday +carandas +carane +caranga +carangid +carangidae +carangids +carangin +carangoid +carangus +caranna +caranx +carap +carapa +carapace +carapaced +carapaces +carapache +carapacho +carapacial +carapacic +carapato +carapax +carapaxes +carapidae +carapine +carapo +carapus +carara +carassow +carassows +carat +caratacus +caratch +carate +carates +carats +carauna +caraunda +caravan +caravaned +caravaneer +caravaner +caravaning +caravanist +caravanned +caravanner +caravanning +caravans +caravansary +caravansaries +caravanserai +caravanserial +caravel +caravelle +caravels +caraway +caraways +carbachol +carbacidometer +carbamate +carbamic +carbamide +carbamidine +carbamido +carbamyl +carbamyls +carbamine +carbamino +carbamoyl +carbanil +carbanilic +carbanilid +carbanilide +carbanion +carbaryl +carbaryls +carbarn +carbarns +carbasus +carbazic +carbazide +carbazylic +carbazin +carbazine +carbazole +carbeen +carbene +carberry +carbethoxy +carbethoxyl +carby +carbide +carbides +carbyl +carbylamine +carbimide +carbin +carbine +carbineer +carbineers +carbines +carbinyl +carbinol +carbinols +carbo +carboazotine +carbocer +carbocyclic +carbocinchomeronic +carbodiimide +carbodynamite +carbogelatin +carbohemoglobin +carbohydrase +carbohydrate +carbohydrates +carbohydraturia +carbohydrazide +carbohydride +carbohydrogen +carboy +carboyed +carboys +carbolate +carbolated +carbolating +carbolfuchsin +carbolic +carbolics +carboline +carbolineate +carbolineum +carbolise +carbolised +carbolising +carbolize +carbolized +carbolizes +carbolizing +carboloy +carboluria +carbolxylol +carbomethene +carbomethoxy +carbomethoxyl +carbomycin +carbon +carbona +carbonaceous +carbonade +carbonado +carbonadoed +carbonadoes +carbonadoing +carbonados +carbonari +carbonarism +carbonarist +carbonatation +carbonate +carbonated +carbonates +carbonating +carbonation +carbonatization +carbonator +carbonators +carbondale +carbone +carboned +carbonemia +carbonero +carbones +carbonic +carbonide +carboniferous +carbonify +carbonification +carbonigenous +carbonyl +carbonylate +carbonylated +carbonylating +carbonylation +carbonylene +carbonylic +carbonyls +carbonimeter +carbonimide +carbonisable +carbonisation +carbonise +carbonised +carboniser +carbonising +carbonite +carbonitride +carbonium +carbonizable +carbonization +carbonize +carbonized +carbonizer +carbonizers +carbonizes +carbonizing +carbonless +carbonnieux +carbonometer +carbonometry +carbonous +carbons +carbonuria +carbophilous +carbora +carboras +carborundum +carbosilicate +carbostyril +carboxy +carboxide +carboxydomonas +carboxyhemoglobin +carboxyl +carboxylase +carboxylate +carboxylated +carboxylating +carboxylation +carboxylic +carboxyls +carboxypeptidase +carbro +carbromal +carbuilder +carbuncle +carbuncled +carbuncles +carbuncular +carbunculation +carbungi +carburan +carburant +carburate +carburated +carburating +carburation +carburator +carbure +carburet +carburetant +carbureted +carbureter +carburetest +carbureting +carburetion +carburetor +carburetors +carburets +carburetted +carburetter +carburetting +carburettor +carburisation +carburise +carburised +carburiser +carburising +carburization +carburize +carburized +carburizer +carburizes +carburizing +carburometer +carcajou +carcajous +carcake +carcan +carcanet +carcaneted +carcanets +carcanetted +carcase +carcased +carcases +carcasing +carcass +carcassed +carcasses +carcassing +carcassless +carcavelhos +carceag +carcel +carcels +carcer +carceral +carcerate +carcerated +carcerating +carceration +carcerist +carcharhinus +carcharias +carchariid +carchariidae +carcharioid +carcharodon +carcharodont +carcinemia +carcinogen +carcinogeneses +carcinogenesis +carcinogenic +carcinogenicity +carcinogens +carcinoid +carcinolysin +carcinolytic +carcinology +carcinological +carcinologist +carcinoma +carcinomas +carcinomata +carcinomatoid +carcinomatosis +carcinomatous +carcinomorphic +carcinophagous +carcinophobia +carcinopolypus +carcinosarcoma +carcinosarcomas +carcinosarcomata +carcinoscorpius +carcinosis +carcinus +carcoon +card +cardaissin +cardamine +cardamom +cardamoms +cardamon +cardamons +cardamum +cardamums +cardanic +cardanol +cardboard +cardcase +cardcases +cardcastle +cardecu +carded +cardel +carder +carders +cardholder +cardholders +cardhouse +cardia +cardiac +cardiacal +cardiacea +cardiacean +cardiacle +cardiacs +cardiae +cardiagra +cardiagram +cardiagraph +cardiagraphy +cardial +cardialgy +cardialgia +cardialgic +cardiameter +cardiamorphia +cardianesthesia +cardianeuria +cardiant +cardiaplegia +cardiarctia +cardias +cardiasthenia +cardiasthma +cardiataxia +cardiatomy +cardiatrophia +cardiauxe +cardiazol +cardicentesis +cardiectasis +cardiectomy +cardiectomize +cardielcosis +cardiemphraxia +cardiform +cardigan +cardigans +cardiidae +cardin +cardinal +cardinalate +cardinalated +cardinalates +cardinalfish +cardinalfishes +cardinalic +cardinalis +cardinalism +cardinalist +cardinality +cardinalitial +cardinalitian +cardinalities +cardinally +cardinals +cardinalship +cardines +carding +cardings +cardioaccelerator +cardioarterial +cardioblast +cardiocarpum +cardiocele +cardiocentesis +cardiocirrhosis +cardioclasia +cardioclasis +cardiod +cardiodilator +cardiodynamics +cardiodynia +cardiodysesthesia +cardiodysneuria +cardiogenesis +cardiogenic +cardiogram +cardiograms +cardiograph +cardiographer +cardiography +cardiographic +cardiographies +cardiographs +cardiohepatic +cardioid +cardioids +cardiokinetic +cardiolysis +cardiolith +cardiology +cardiologic +cardiological +cardiologies +cardiologist +cardiologists +cardiomalacia +cardiomegaly +cardiomegalia +cardiomelanosis +cardiometer +cardiometry +cardiometric +cardiomyoliposis +cardiomyomalacia +cardiomyopathy +cardiomotility +cardioncus +cardionecrosis +cardionephric +cardioneural +cardioneurosis +cardionosus +cardioparplasis +cardiopath +cardiopathy +cardiopathic +cardiopericarditis +cardiophobe +cardiophobia +cardiophrenia +cardiopyloric +cardioplasty +cardioplegia +cardiopneumatic +cardiopneumograph +cardioptosis +cardiopulmonary +cardiopuncture +cardiorenal +cardiorespiratory +cardiorrhaphy +cardiorrheuma +cardiorrhexis +cardioschisis +cardiosclerosis +cardioscope +cardiosymphysis +cardiospasm +cardiospermum +cardiosphygmogram +cardiosphygmograph +cardiotherapy +cardiotherapies +cardiotomy +cardiotonic +cardiotoxic +cardiotrophia +cardiotrophotherapy +cardiovascular +cardiovisceral +cardipaludism +cardipericarditis +cardisophistical +cardita +carditic +carditis +carditises +cardium +cardlike +cardmaker +cardmaking +cardo +cardol +cardon +cardona +cardoncillo +cardooer +cardoon +cardoons +cardophagus +cardosanto +cardplayer +cardplaying +cardroom +cards +cardshark +cardsharp +cardsharper +cardsharping +cardsharps +cardstock +carduaceae +carduaceous +cardueline +carduelis +carduus +care +carecloth +cared +careen +careenage +careened +careener +careeners +careening +careens +career +careered +careerer +careerers +careering +careeringly +careerism +careerist +careeristic +careers +carefox +carefree +carefreeness +careful +carefull +carefuller +carefullest +carefully +carefulness +carey +careys +careless +carelessly +carelessness +careme +carene +carer +carers +cares +caress +caressable +caressant +caressed +caresser +caressers +caresses +caressing +caressingly +caressive +caressively +carest +caret +caretake +caretaken +caretaker +caretakers +caretakes +caretaking +caretook +carets +caretta +carettochelydidae +careworn +carex +carf +carfare +carfares +carfax +carfloat +carfour +carfuffle +carfuffled +carfuffling +carful +carfuls +carga +cargador +cargadores +cargason +cargo +cargoes +cargoose +cargos +cargued +carhop +carhops +carhouse +cary +carya +cariacine +cariacus +cariama +cariamae +carian +caryatic +caryatid +caryatidal +caryatidean +caryatides +caryatidic +caryatids +carib +caribal +cariban +caribbean +caribbeans +caribbee +caribe +caribed +caribes +caribi +caribing +caribisi +caribou +caribous +carica +caricaceae +caricaceous +caricatura +caricaturable +caricatural +caricature +caricatured +caricatures +caricaturing +caricaturist +caricaturists +carices +caricetum +caricographer +caricography +caricology +caricologist +caricous +carid +carida +caridea +caridean +carideer +caridoid +caridomorpha +caried +carien +caries +cariform +cariyo +carijona +caryl +carillon +carilloneur +carillonned +carillonneur +carillonneurs +carillonning +carillons +carina +carinae +carinal +carinaria +carinas +carinatae +carinate +carinated +carination +caring +cariniana +cariniform +carinthian +carinula +carinulate +carinule +carioca +caryocar +caryocaraceae +caryocaraceous +cariocas +cariogenic +cariole +carioles +carioling +caryophyllaceae +caryophyllaceous +caryophyllene +caryophylleous +caryophyllin +caryophyllous +caryophyllus +caryopilite +caryopses +caryopsides +caryopsis +caryopteris +cariosity +caryota +caryotin +caryotins +carious +cariousness +caripeta +caripuna +cariri +caririan +carisa +carisoprodol +carissa +caritas +caritative +carites +carity +caritive +cark +carked +carking +carkingly +carkled +carks +carl +carlage +carle +carles +carless +carlet +carli +carlie +carlylean +carlyleian +carlylese +carlylesque +carlylian +carlylism +carlin +carlina +carline +carlines +carling +carlings +carlino +carlins +carlish +carlishness +carlisle +carlism +carlist +carlo +carload +carloading +carloadings +carloads +carlock +carlos +carlot +carlovingian +carls +carludovica +carmagnole +carmagnoles +carmaker +carmakers +carmalum +carman +carmanians +carmel +carmela +carmele +carmelite +carmelitess +carmeloite +carmen +carmetta +carminate +carminative +carminatives +carmine +carmines +carminette +carminic +carminite +carminophilous +carmoisin +carmot +carn +carnac +carnacian +carnage +carnaged +carnages +carnal +carnalism +carnalite +carnality +carnalities +carnalize +carnalized +carnalizing +carnally +carnallite +carnalness +carnaptious +carnary +carnaria +carnassial +carnate +carnation +carnationed +carnationist +carnations +carnauba +carnaubas +carnaubic +carnaubyl +carne +carneau +carnegie +carnegiea +carney +carneyed +carneys +carnel +carnelian +carnelians +carneol +carneole +carneous +carnet +carnets +carny +carnic +carnie +carnied +carnies +carniferous +carniferrin +carnifex +carnifexes +carnify +carnification +carnifices +carnificial +carnified +carnifies +carnifying +carniform +carniolan +carnitine +carnival +carnivaler +carnivalesque +carnivaller +carnivallike +carnivals +carnivora +carnivoracity +carnivoral +carnivore +carnivores +carnivorism +carnivority +carnivorous +carnivorously +carnivorousness +carnose +carnosin +carnosine +carnosity +carnosities +carnotite +carnous +carns +caro +caroa +caroach +caroaches +carob +caroba +carobs +caroch +caroche +caroches +caroid +caroigne +carol +carolan +carole +carolean +caroled +caroler +carolers +caroli +carolin +carolyn +carolina +carolinas +caroline +carolines +caroling +carolingian +carolinian +carolinians +carolitic +carolled +caroller +carollers +carolling +carols +carolus +caroluses +carom +carombolette +caromed +caromel +caroming +caroms +carone +caronic +caroome +caroon +carosella +carosse +carot +caroteel +carotene +carotenes +carotenoid +carotic +carotid +carotidal +carotidean +carotids +carotin +carotinaemia +carotinemia +carotinoid +carotins +carotol +carotte +carouba +caroubier +carousal +carousals +carouse +caroused +carousel +carousels +carouser +carousers +carouses +carousing +carousingly +carp +carpaine +carpal +carpale +carpalia +carpals +carpathian +carpe +carped +carpel +carpellary +carpellate +carpellum +carpels +carpent +carpenter +carpentered +carpenteria +carpentering +carpenters +carpentership +carpenterworm +carpentry +carper +carpers +carpet +carpetbag +carpetbagged +carpetbagger +carpetbaggery +carpetbaggers +carpetbagging +carpetbaggism +carpetbagism +carpetbags +carpetbeater +carpeted +carpeting +carpetlayer +carpetless +carpetmaker +carpetmaking +carpetmonger +carpets +carpetweb +carpetweed +carpetwork +carpetwoven +carphiophiops +carpholite +carphology +carphophis +carphosiderite +carpi +carpid +carpidium +carpincho +carping +carpingly +carpings +carpintero +carpinus +carpiodes +carpitis +carpium +carpocace +carpocapsa +carpocarpal +carpocephala +carpocephalum +carpocerite +carpocervical +carpocratian +carpodacus +carpodetus +carpogam +carpogamy +carpogenic +carpogenous +carpognia +carpogone +carpogonia +carpogonial +carpogonium +carpoidea +carpolite +carpolith +carpology +carpological +carpologically +carpologist +carpomania +carpometacarpal +carpometacarpi +carpometacarpus +carpompi +carpool +carpools +carpopedal +carpophaga +carpophagous +carpophalangeal +carpophyl +carpophyll +carpophyte +carpophore +carpopodite +carpopoditic +carpoptosia +carpoptosis +carport +carports +carpos +carposperm +carposporangia +carposporangial +carposporangium +carpospore +carposporic +carposporous +carpostome +carps +carpsucker +carpus +carpuspi +carquaise +carr +carrack +carracks +carrageen +carrageenan +carrageenin +carragheen +carragheenin +carrara +carraran +carrat +carraway +carraways +carreau +carree +carrefour +carrel +carrell +carrells +carrels +carreta +carretela +carretera +carreton +carretta +carri +carry +carriable +carryable +carriage +carriageable +carriageful +carriageless +carriages +carriagesmith +carriageway +carryall +carryalls +carrick +carrycot +carrie +carried +carryed +carrier +carriers +carries +carrigeen +carrying +carryings +carryke +carriole +carrioles +carrion +carryon +carrions +carryons +carryout +carryouts +carryover +carryovers +carrys +carrytale +carritch +carritches +carriwitchet +carrizo +carrocci +carroccio +carroch +carroches +carroll +carrollite +carrom +carromata +carromatas +carromed +carroming +carroms +carronade +carroon +carrosserie +carrot +carrotage +carroter +carroty +carrotier +carrotiest +carrotin +carrotiness +carroting +carrotins +carrots +carrottop +carrotweed +carrotwood +carrousel +carrousels +carrow +carrozza +carrs +carrus +cars +carse +carses +carshop +carshops +carsick +carsickness +carsmith +carson +carsten +carstone +cart +cartable +cartaceous +cartage +cartages +cartboot +cartbote +carte +carted +cartel +cartelism +cartelist +cartelistic +cartelization +cartelize +cartelized +cartelizing +cartellist +cartels +carter +carterly +carters +cartes +cartesian +cartesianism +cartful +carthaginian +carthame +carthamic +carthamin +carthamus +carthorse +carthusian +carty +cartier +cartiest +cartilage +cartilages +cartilaginean +cartilaginei +cartilagineous +cartilagines +cartilaginification +cartilaginoid +cartilaginous +carting +cartisane +cartist +cartload +cartloads +cartmaker +cartmaking +cartman +cartobibliography +cartogram +cartograph +cartographer +cartographers +cartography +cartographic +cartographical +cartographically +cartographies +cartomancy +cartomancies +carton +cartoned +cartoner +cartonful +cartoning +cartonnage +cartonnier +cartonniers +cartons +cartoon +cartooned +cartooning +cartoonist +cartoonists +cartoons +cartop +cartopper +cartouch +cartouche +cartouches +cartridge +cartridges +carts +cartsale +cartulary +cartularies +cartway +cartware +cartwheel +cartwheeler +cartwheels +cartwhip +cartwright +cartwrighting +carua +caruage +carucage +carucal +carucarius +carucate +carucated +carum +caruncle +caruncles +caruncula +carunculae +caruncular +carunculate +carunculated +carunculous +carus +carvacryl +carvacrol +carvage +carval +carve +carved +carvel +carvels +carven +carvene +carver +carvers +carvership +carves +carvestrene +carvy +carvyl +carving +carvings +carvist +carvoeira +carvoepra +carvol +carvomenthene +carvone +carwash +carwashes +carwitchet +carzey +casa +casaba +casabas +casabe +casablanca +casal +casalty +casamarca +casanova +casanovanic +casanovas +casaque +casaques +casaquin +casas +casasia +casate +casaun +casava +casavas +casave +casavi +casbah +casbahs +cascabel +cascabels +cascable +cascables +cascadable +cascade +cascaded +cascades +cascadia +cascadian +cascading +cascadite +cascado +cascalho +cascalote +cascan +cascara +cascaras +cascarilla +cascaron +cascavel +caschielawis +caschrom +casco +cascol +cascrom +cascrome +case +casearia +casease +caseases +caseate +caseated +caseates +caseating +caseation +casebearer +casebook +casebooks +casebound +casebox +caseconv +cased +casefy +casefied +casefies +casefying +caseful +caseharden +casehardened +casehardening +casehardens +casey +caseic +casein +caseinate +caseine +caseinogen +caseins +casekeeper +casel +caseless +caselessly +caseload +caseloads +caselty +casemaker +casemaking +casemate +casemated +casemates +casement +casemented +casements +caseolysis +caseose +caseoses +caseous +caser +caserio +caserios +casern +caserne +casernes +caserns +cases +casette +casettes +caseum +caseweed +casewood +casework +caseworker +caseworkers +caseworks +caseworm +caseworms +cash +casha +cashable +cashableness +cashaw +cashaws +cashboy +cashbook +cashbooks +cashbox +cashboxes +cashcuttee +cashdrawer +cashed +casheen +cashel +casher +cashers +cashes +cashew +cashews +cashgirl +cashibo +cashier +cashiered +cashierer +cashiering +cashierment +cashiers +cashing +cashkeeper +cashless +cashment +cashmere +cashmeres +cashmerette +cashmirian +cashoo +cashoos +cashou +casimere +casimeres +casimir +casimire +casimires +casimiroa +casina +casinet +casing +casings +casino +casinos +casiri +casita +casitas +cask +caskanet +casked +casket +casketed +casketing +casketlike +caskets +casky +casking +casklike +casks +caslon +caspar +casparian +casper +caspian +casque +casqued +casques +casquet +casquetel +casquette +cass +cassaba +cassabanana +cassabas +cassabully +cassada +cassady +cassalty +cassan +cassandra +cassandras +cassapanca +cassare +cassareep +cassata +cassatas +cassate +cassation +cassava +cassavas +casse +cassegrain +cassegrainian +casselty +cassena +casserole +casseroled +casseroles +casseroling +cassette +cassettes +casshe +cassy +cassia +cassiaceae +cassian +cassias +cassican +cassicus +cassida +cassideous +cassidid +cassididae +cassidinae +cassidoine +cassidony +cassidulina +cassiduloid +cassiduloidea +cassie +cassiepeia +cassimere +cassina +cassine +cassinese +cassinette +cassinian +cassino +cassinoid +cassinos +cassioberry +cassiope +cassiopeia +cassiopeian +cassiopeid +cassiopeium +cassique +cassiri +cassis +cassises +cassiterite +cassites +cassytha +cassythaceae +cassius +cassock +cassocked +cassocks +cassolette +casson +cassonade +cassone +cassoni +cassons +cassoon +cassoulet +cassowary +cassowaries +cassumunar +cassumuniar +cast +castable +castagnole +castalia +castalian +castalides +castalio +castana +castane +castanea +castanean +castaneous +castanet +castanets +castanian +castano +castanopsis +castanospermum +castaway +castaways +caste +casted +casteism +casteisms +casteless +castelet +castellan +castellany +castellanies +castellano +castellans +castellanship +castellanus +castellar +castellate +castellated +castellation +castellatus +castellet +castelli +castellum +casten +caster +casterless +casters +castes +casteth +casthouse +castice +castigable +castigate +castigated +castigates +castigating +castigation +castigations +castigative +castigator +castigatory +castigatories +castigators +castile +castilian +castilla +castilleja +castillo +castilloa +casting +castings +castle +castled +castlelike +castlery +castles +castlet +castleward +castlewards +castlewise +castling +castock +castoff +castoffs +castor +castores +castoreum +castory +castorial +castoridae +castorin +castorite +castorized +castoroides +castors +castra +castral +castrametation +castrate +castrated +castrater +castrates +castrati +castrating +castration +castrations +castrato +castrator +castratory +castrators +castrensial +castrensian +castro +castrum +casts +castuli +casual +casualism +casualist +casuality +casually +casualness +casuals +casualty +casualties +casuary +casuariidae +casuariiformes +casuarina +casuarinaceae +casuarinaceous +casuarinales +casuarius +casuist +casuistess +casuistic +casuistical +casuistically +casuistry +casuistries +casuists +casula +casule +casus +casusistry +caswellite +casziel +cat +catabaptist +catabases +catabasion +catabasis +catabatic +catabibazon +catabiotic +catabolic +catabolically +catabolin +catabolism +catabolite +catabolize +catabolized +catabolizing +catacaustic +catachreses +catachresis +catachresti +catachrestic +catachrestical +catachrestically +catachthonian +catachthonic +cataclasis +cataclasm +cataclasmic +cataclastic +cataclinal +cataclysm +cataclysmal +cataclysmatic +cataclysmatist +cataclysmic +cataclysmically +cataclysmist +cataclysms +catacomb +catacombic +catacombs +catacorner +catacorolla +catacoustics +catacromyodian +catacrotic +catacrotism +catacumba +catacumbal +catadicrotic +catadicrotism +catadioptric +catadioptrical +catadioptrics +catadrome +catadromous +catadupe +catafalco +catafalque +catafalques +catagenesis +catagenetic +catagmatic +catagories +cataian +catakinesis +catakinetic +catakinetomer +catakinomeric +catalan +catalanganes +catalanist +catalase +catalases +catalatic +catalaunian +catalecta +catalectic +catalecticant +catalects +catalepsy +catalepsies +catalepsis +cataleptic +cataleptically +cataleptics +cataleptiform +cataleptize +cataleptoid +catalexes +catalexis +catalin +catalina +catalineta +catalinite +catalyse +catalyses +catalysis +catalyst +catalysts +catalyte +catalytic +catalytical +catalytically +catalyzator +catalyze +catalyzed +catalyzer +catalyzers +catalyzes +catalyzing +catallactic +catallactically +catallactics +catallum +catalo +cataloes +catalog +cataloged +cataloger +catalogers +catalogia +catalogic +catalogical +cataloging +catalogist +catalogistic +catalogize +catalogs +catalogue +catalogued +cataloguer +catalogues +cataloguing +cataloguish +cataloguist +cataloguize +catalonian +cataloon +catalos +catalowne +catalpa +catalpas +catalufa +catalufas +catamaran +catamarans +catamarcan +catamarenan +catamenia +catamenial +catamite +catamited +catamites +catamiting +catamneses +catamnesis +catamnestic +catamount +catamountain +catamounts +catan +catanadromous +catananche +catapan +catapasm +catapetalous +cataphasia +cataphatic +cataphyll +cataphylla +cataphyllary +cataphyllum +cataphysic +cataphysical +cataphonic +cataphonics +cataphora +cataphoresis +cataphoretic +cataphoretically +cataphoria +cataphoric +cataphract +cataphracta +cataphracted +cataphracti +cataphractic +cataphrenia +cataphrenic +cataphrygian +cataphrygianism +cataplane +cataplasia +cataplasis +cataplasm +cataplastic +catapleiite +cataplexy +catapuce +catapult +catapulted +catapultic +catapultier +catapulting +catapults +cataract +cataractal +cataracted +cataracteg +cataractine +cataractous +cataracts +cataractwise +cataria +catarinite +catarrh +catarrhal +catarrhally +catarrhed +catarrhina +catarrhine +catarrhinian +catarrhous +catarrhs +catasarka +catasetum +cataspilite +catasta +catastaltic +catastases +catastasis +catastate +catastatic +catasterism +catastrophal +catastrophe +catastrophes +catastrophic +catastrophical +catastrophically +catastrophism +catastrophist +catathymic +catatony +catatonia +catatoniac +catatonias +catatonic +catatonics +catawampous +catawampously +catawamptious +catawamptiously +catawampus +catawba +catawbas +catberry +catbird +catbirds +catboat +catboats +catbrier +catbriers +catcall +catcalled +catcaller +catcalling +catcalls +catch +catchable +catchall +catchalls +catchcry +catched +catcher +catchers +catches +catchfly +catchflies +catchy +catchie +catchier +catchiest +catchiness +catching +catchingly +catchingness +catchland +catchlight +catchline +catchment +catchments +catchpenny +catchpennies +catchphrase +catchplate +catchpole +catchpoled +catchpolery +catchpoleship +catchpoling +catchpoll +catchpolled +catchpollery +catchpolling +catchup +catchups +catchwater +catchweed +catchweight +catchword +catchwords +catchwork +catclaw +catdom +cate +catecheses +catechesis +catechetic +catechetical +catechetically +catechin +catechins +catechisable +catechisation +catechise +catechised +catechiser +catechising +catechism +catechismal +catechisms +catechist +catechistic +catechistical +catechistically +catechists +catechizable +catechization +catechize +catechized +catechizer +catechizes +catechizing +catechol +catecholamine +catecholamines +catechols +catechu +catechumen +catechumenal +catechumenate +catechumenical +catechumenically +catechumenism +catechumens +catechumenship +catechus +catechutannic +categorem +categorematic +categorematical +categorematically +category +categorial +categoric +categorical +categorically +categoricalness +categories +categorisation +categorise +categorised +categorising +categorist +categorization +categorizations +categorize +categorized +categorizer +categorizers +categorizes +categorizing +cateye +catel +catelectrode +catelectrotonic +catelectrotonus +catella +catena +catenae +catenane +catenary +catenarian +catenaries +catenas +catenate +catenated +catenates +catenating +catenation +catenative +catenoid +catenoids +catenulate +catepuce +cater +cateran +caterans +caterbrawl +catercap +catercorner +catercornered +catercornerways +catercousin +catered +caterer +caterers +caterership +cateress +cateresses +catery +catering +cateringly +caterpillar +caterpillared +caterpillarlike +caterpillars +caters +caterva +caterwaul +caterwauled +caterwauler +caterwauling +caterwauls +cates +catesbaea +catesbeiana +catface +catfaced +catfaces +catfacing +catfall +catfalls +catfight +catfish +catfishes +catfoot +catfooted +catgut +catguts +cath +catha +cathay +cathayan +cathar +catharan +cathari +catharina +catharine +catharism +catharist +catharistic +catharization +catharize +catharized +catharizing +catharpin +catharping +cathars +catharses +catharsis +cathartae +cathartes +cathartic +cathartical +cathartically +catharticalness +cathartics +cathartidae +cathartides +cathartin +cathartolinum +cathead +catheads +cathect +cathected +cathectic +cathecting +cathection +cathects +cathedra +cathedrae +cathedral +cathedraled +cathedralesque +cathedralic +cathedrallike +cathedrals +cathedralwise +cathedras +cathedrated +cathedratic +cathedratica +cathedratical +cathedratically +cathedraticum +cathepsin +catheptic +catheretic +catherine +cathern +catheter +catheterisation +catheterise +catheterised +catheterising +catheterism +catheterization +catheterize +catheterized +catheterizes +catheterizing +catheters +catheti +cathetometer +cathetometric +cathetus +cathetusti +cathexes +cathexion +cathexis +cathy +cathidine +cathin +cathine +cathinine +cathion +cathisma +cathismata +cathodal +cathode +cathodegraph +cathodes +cathodic +cathodical +cathodically +cathodofluorescence +cathodograph +cathodography +cathodoluminescence +cathodoluminescent +cathograph +cathography +cathole +catholic +catholical +catholically +catholicalness +catholicate +catholici +catholicisation +catholicise +catholicised +catholiciser +catholicising +catholicism +catholicist +catholicity +catholicization +catholicize +catholicized +catholicizer +catholicizing +catholicly +catholicness +catholicoi +catholicon +catholicos +catholicoses +catholics +catholicus +catholyte +cathood +cathop +cathouse +cathouses +cathrin +cathryn +cathro +cathud +catydid +catilinarian +catiline +cating +cation +cationic +cationically +cations +cativo +catjang +catkin +catkinate +catkins +catlap +catlike +catlin +catline +catling +catlings +catlinite +catlins +catmalison +catmint +catmints +catnache +catnap +catnaper +catnapers +catnapped +catnapper +catnapping +catnaps +catnep +catnip +catnips +catoblepas +catocala +catocalid +catocarthartic +catocathartic +catochus +catoctin +catodon +catodont +catogene +catogenic +catoism +catonian +catonic +catonically +catonism +catoptric +catoptrical +catoptrically +catoptrics +catoptrite +catoptromancy +catoptromantic +catoquina +catostomid +catostomidae +catostomoid +catostomus +catouse +catpiece +catpipe +catproof +catrigged +cats +catskill +catskin +catskinner +catslide +catso +catsos +catspaw +catspaws +catstane +catstep +catstick +catstitch +catstitcher +catstone +catsup +catsups +cattabu +cattail +cattails +cattalo +cattaloes +cattalos +cattan +catted +catter +cattery +catteries +catti +catty +cattycorner +cattycornered +cattie +cattier +catties +cattiest +cattily +cattyman +cattimandoo +cattiness +catting +cattyphoid +cattish +cattishly +cattishness +cattle +cattlebush +cattlefold +cattlegate +cattlehide +cattleya +cattleyak +cattleyas +cattleless +cattleman +cattlemen +cattleship +catullian +catur +catvine +catwalk +catwalks +catwise +catwood +catwort +catzerie +caubeen +cauboge +caucasian +caucasians +caucasic +caucasoid +caucasoids +caucasus +cauch +cauchemar +cauchillo +caucho +caucus +caucused +caucuses +caucusing +caucussed +caucusses +caucussing +cauda +caudad +caudae +caudaite +caudal +caudally +caudalward +caudata +caudate +caudated +caudation +caudatolenticular +caudatory +caudatum +caudebeck +caudex +caudexes +caudices +caudicle +caudiform +caudillism +caudillo +caudillos +caudle +caudles +caudocephalad +caudodorsal +caudofemoral +caudolateral +caudotibial +caudotibialis +cauf +caufle +caughnawaga +caught +cauk +cauked +cauking +caul +cauld +cauldrife +cauldrifeness +cauldron +cauldrons +caulds +caulerpa +caulerpaceae +caulerpaceous +caules +caulescent +cauli +caulicle +caulicles +caulicole +caulicolous +caulicule +cauliculi +cauliculus +cauliferous +cauliflory +cauliflorous +cauliflower +cauliflowers +cauliform +cauligenous +caulinar +caulinary +cauline +caulis +caulite +caulivorous +caulk +caulked +caulker +caulkers +caulking +caulkings +caulks +caulocarpic +caulocarpous +caulome +caulomer +caulomic +caulophylline +caulophyllum +caulopteris +caulosarc +caulotaxy +caulotaxis +caulote +cauls +caum +cauma +caumatic +caunch +caunos +caunter +caunus +caup +caupo +cauponate +cauponation +caupones +cauponize +cauqui +caurale +caurus +caus +causa +causability +causable +causae +causal +causalgia +causality +causalities +causally +causals +causans +causata +causate +causation +causational +causationism +causationist +causations +causative +causatively +causativeness +causativity +causator +causatum +cause +caused +causeful +causey +causeys +causeless +causelessly +causelessness +causer +causerie +causeries +causers +causes +causeur +causeuse +causeuses +causeway +causewayed +causewaying +causewayman +causeways +causidical +causing +causingness +causon +causse +causson +caustic +caustical +caustically +causticiser +causticism +causticity +causticization +causticize +causticized +causticizer +causticizing +causticly +causticness +caustics +caustify +caustification +caustified +caustifying +causus +cautel +cautela +cautelous +cautelously +cautelousness +cauter +cauterant +cautery +cauteries +cauterisation +cauterise +cauterised +cauterising +cauterism +cauterization +cauterize +cauterized +cauterizer +cauterizes +cauterizing +cautio +caution +cautionary +cautionaries +cautioned +cautioner +cautioners +cautiones +cautioning +cautionings +cautionry +cautions +cautious +cautiously +cautiousness +cautivo +cav +cava +cavae +cavaedia +cavaedium +cavayard +caval +cavalcade +cavalcaded +cavalcades +cavalcading +cavalero +cavaleros +cavalier +cavaliere +cavaliered +cavalieres +cavalieri +cavaliering +cavalierish +cavalierishness +cavalierism +cavalierly +cavalierness +cavaliero +cavaliers +cavaliership +cavalla +cavallas +cavally +cavallies +cavalry +cavalries +cavalryman +cavalrymen +cavascope +cavate +cavated +cavatina +cavatinas +cavatine +cavdia +cave +cavea +caveae +caveat +caveated +caveatee +caveating +caveator +caveators +caveats +caved +cavefish +cavefishes +cavey +cavekeeper +cavel +cavelet +cavelike +caveman +cavemen +cavendish +caver +cavern +cavernal +caverned +cavernicolous +caverning +cavernitis +cavernlike +cavernoma +cavernous +cavernously +caverns +cavernulous +cavers +caves +cavesson +cavetti +cavetto +cavettos +cavy +cavia +caviar +caviare +caviares +caviars +cavicorn +cavicornia +cavidae +cavie +cavies +caviya +cavyyard +cavil +caviled +caviler +cavilers +caviling +cavilingly +cavilingness +cavillation +cavillatory +cavilled +caviller +cavillers +cavilling +cavillingly +cavillingness +cavillous +cavils +cavin +cavina +caving +cavings +cavish +cavitary +cavitate +cavitated +cavitates +cavitating +cavitation +cavitations +caviteno +cavity +cavitied +cavities +cavort +cavorted +cavorter +cavorters +cavorting +cavorts +cavu +cavum +cavus +caw +cawed +cawing +cawk +cawker +cawky +cawl +cawney +cawny +cawnie +cawquaw +caws +caxiri +caxon +caxton +caxtonian +caza +cazibi +cazimi +cazique +caziques +cb +cc +ccesser +cchaddoorck +ccid +ccitt +cckw +ccm +ccoya +ccw +ccws +cd +cdf +cdg +cdr +ce +ceanothus +cearin +cease +ceased +ceaseless +ceaselessly +ceaselessness +ceases +ceasing +ceasmic +cebalrai +cebatha +cebell +cebian +cebid +cebidae +cebids +cebil +cebine +ceboid +ceboids +cebollite +cebur +cebus +ceca +cecal +cecally +cecca +cecchine +cecidiology +cecidiologist +cecidium +cecidogenous +cecidology +cecidologist +cecidomyian +cecidomyiid +cecidomyiidae +cecidomyiidous +cecil +cecile +cecily +cecilia +cecilite +cecils +cecity +cecitis +cecograph +cecomorphae +cecomorphic +cecopexy +cecostomy +cecotomy +cecropia +cecrops +cecum +cecums +cecutiency +cedar +cedarbird +cedared +cedary +cedarn +cedars +cedarware +cedarwood +cede +ceded +cedens +cedent +ceder +ceders +cedes +cedi +cedilla +cedillas +ceding +cedis +cedrat +cedrate +cedre +cedrela +cedrene +cedry +cedric +cedrin +cedrine +cedriret +cedrium +cedrol +cedron +cedrus +cedula +cedulas +cedule +ceduous +cee +ceennacuelum +cees +ceiba +ceibas +ceibo +ceibos +ceil +ceylanite +ceile +ceiled +ceiler +ceilers +ceilidh +ceilidhe +ceiling +ceilinged +ceilings +ceilingward +ceilingwards +ceilometer +ceylon +ceylonese +ceylonite +ceils +ceint +ceinte +ceinture +ceintures +ceyssatite +ceyx +ceja +celadon +celadonite +celadons +celaeno +celandine +celandines +celanese +celarent +celastraceae +celastraceous +celastrus +celation +celative +celature +cele +celeb +celebe +celebes +celebesian +celebrant +celebrants +celebrate +celebrated +celebratedly +celebratedness +celebrater +celebrates +celebrating +celebration +celebrationis +celebrations +celebrative +celebrator +celebratory +celebrators +celebre +celebres +celebret +celebrious +celebrity +celebrities +celebs +celemin +celemines +celeomorph +celeomorphae +celeomorphic +celery +celeriac +celeriacs +celeries +celerity +celerities +celesta +celestas +celeste +celestes +celestial +celestiality +celestialize +celestialized +celestially +celestialness +celestify +celestina +celestine +celestinian +celestite +celestitude +celeusma +celia +celiac +celiadelphus +celiagra +celialgia +celibacy +celibacies +celibataire +celibatarian +celibate +celibates +celibatic +celibatist +celibatory +celidographer +celidography +celiectasia +celiectomy +celiemia +celiitis +celiocele +celiocentesis +celiocyesis +celiocolpotomy +celiodynia +celioelytrotomy +celioenterotomy +celiogastrotomy +celiohysterotomy +celiolymph +celiomyalgia +celiomyodynia +celiomyomectomy +celiomyomotomy +celiomyositis +celioncus +celioparacentesis +celiopyosis +celiorrhaphy +celiorrhea +celiosalpingectomy +celiosalpingotomy +celioschisis +celioscope +celioscopy +celiotomy +celiotomies +celite +cell +cella +cellae +cellager +cellar +cellarage +cellared +cellarer +cellarers +cellaress +cellaret +cellarets +cellarette +cellaring +cellarless +cellarman +cellarmen +cellarous +cellars +cellarway +cellarwoman +cellated +cellblock +cellblocks +celled +cellepora +cellepore +cellfalcicula +celli +celliferous +celliform +cellifugal +celling +cellipetal +cellist +cellists +cellite +cellmate +cellmates +cello +cellobiose +cellocut +celloid +celloidin +celloist +cellophane +cellos +cellose +cells +cellucotton +cellular +cellularity +cellularly +cellulase +cellulate +cellulated +cellulating +cellulation +cellule +cellules +cellulicidal +celluliferous +cellulifugal +cellulifugally +cellulin +cellulipetal +cellulipetally +cellulitis +cellulocutaneous +cellulofibrous +celluloid +celluloided +cellulolytic +cellulomonadeae +cellulomonas +cellulose +cellulosed +celluloses +cellulosic +cellulosing +cellulosity +cellulosities +cellulotoxic +cellulous +cellvibrio +celom +celomata +celoms +celoscope +celosia +celosias +celotex +celotomy +celotomies +celsia +celsian +celsitude +celsius +celt +celtdom +celtiberi +celtiberian +celtic +celtically +celticism +celticist +celticize +celtidaceae +celtiform +celtillyrians +celtis +celtish +celtism +celtist +celtium +celtization +celtologist +celtologue +celtomaniac +celtophil +celtophobe +celtophobia +celts +celtuce +celure +cembali +cembalist +cembalo +cembalon +cembalos +cement +cementa +cemental +cementation +cementatory +cemented +cementer +cementers +cementification +cementin +cementing +cementite +cementitious +cementless +cementlike +cementmaker +cementmaking +cementoblast +cementoma +cements +cementum +cementwork +cemetary +cemetaries +cemetery +cemeterial +cemeteries +cen +cenacle +cenacles +cenaculum +cenanthy +cenanthous +cenation +cenatory +cencerro +cencerros +cenchrus +cendre +cene +cenesthesia +cenesthesis +cenesthetic +cenizo +cenobe +cenoby +cenobian +cenobies +cenobite +cenobites +cenobitic +cenobitical +cenobitically +cenobitism +cenobium +cenogamy +cenogenesis +cenogenetic +cenogenetically +cenogonous +cenomanian +cenosite +cenosity +cenospecies +cenospecific +cenospecifically +cenotaph +cenotaphy +cenotaphic +cenotaphies +cenotaphs +cenote +cenotes +cenozoic +cenozoology +cense +censed +censer +censerless +censers +censes +censing +censitaire +censive +censor +censorable +censorate +censored +censorial +censorian +censoring +censorious +censoriously +censoriousness +censors +censorship +censual +censurability +censurable +censurableness +censurably +censure +censured +censureless +censurer +censurers +censures +censureship +censuring +census +censused +censuses +censusing +cent +centage +centai +cental +centals +centare +centares +centas +centaur +centaurdom +centaurea +centauress +centauri +centaury +centaurial +centaurian +centauric +centaurid +centauridium +centauries +centaurium +centauromachy +centauromachia +centaurs +centaurus +centavo +centavos +centena +centenar +centenary +centenarian +centenarianism +centenarians +centenaries +centenier +centenionales +centenionalis +centennia +centennial +centennially +centennials +centennium +center +centerable +centerboard +centerboards +centered +centeredly +centeredness +centerer +centerfold +centerfolds +centering +centerless +centerline +centermost +centerpiece +centerpieces +centerpunch +centers +centervelic +centerward +centerwise +centeses +centesimal +centesimally +centesimate +centesimation +centesimi +centesimo +centesimos +centesis +centesm +centetes +centetid +centetidae +centgener +centgrave +centi +centiar +centiare +centiares +centibar +centiday +centifolious +centigrade +centigrado +centigram +centigramme +centigrams +centile +centiles +centiliter +centiliters +centilitre +centillion +centillions +centillionth +centiloquy +centime +centimes +centimeter +centimeters +centimetre +centimetres +centimo +centimolar +centimos +centinel +centinody +centinormal +centipedal +centipede +centipedes +centiplume +centipoise +centistere +centistoke +centner +centners +cento +centon +centones +centonical +centonism +centonization +centos +centra +centrad +central +centrale +centraler +centrales +centralest +centralia +centralisation +centralise +centralised +centraliser +centralising +centralism +centralist +centralistic +centralists +centrality +centralities +centralization +centralize +centralized +centralizer +centralizers +centralizes +centralizing +centrally +centralness +centrals +centranth +centranthus +centrarchid +centrarchidae +centrarchoid +centration +centraxonia +centraxonial +centre +centreboard +centrechinoida +centred +centref +centrefold +centreless +centremost +centrepiece +centrer +centres +centrev +centrex +centry +centric +centricae +centrical +centricality +centrically +centricalness +centricipital +centriciput +centricity +centriffed +centrifugal +centrifugalisation +centrifugalise +centrifugalization +centrifugalize +centrifugalized +centrifugalizing +centrifugaller +centrifugally +centrifugate +centrifugation +centrifuge +centrifuged +centrifugence +centrifuges +centrifuging +centring +centrings +centriole +centripetal +centripetalism +centripetally +centripetence +centripetency +centriscid +centriscidae +centrisciform +centriscoid +centriscus +centrism +centrisms +centrist +centrists +centro +centroacinar +centrobaric +centrobarical +centroclinal +centrode +centrodesmose +centrodesmus +centrodorsal +centrodorsally +centroid +centroidal +centroids +centrolecithal +centrolepidaceae +centrolepidaceous +centrolinead +centrolineal +centromere +centromeric +centronote +centronucleus +centroplasm +centropomidae +centropomus +centrosema +centrosymmetry +centrosymmetric +centrosymmetrical +centrosoyus +centrosome +centrosomic +centrospermae +centrosphere +centrotus +centrum +centrums +centrutra +cents +centum +centums +centumvir +centumviral +centumvirate +centunculus +centuple +centupled +centuples +centuply +centuplicate +centuplicated +centuplicating +centuplication +centupling +centure +century +centuria +centurial +centuriate +centuriation +centuriator +centuried +centuries +centurion +centurions +centurist +ceonocyte +ceorl +ceorlish +ceorls +cep +cepa +cepaceous +cepe +cepes +cephadia +cephaeline +cephaelis +cephala +cephalacanthidae +cephalacanthus +cephalad +cephalagra +cephalalgy +cephalalgia +cephalalgic +cephalanthium +cephalanthous +cephalanthus +cephalaspis +cephalata +cephalate +cephaldemae +cephalemia +cephaletron +cephaleuros +cephalexin +cephalhematoma +cephalhydrocele +cephalic +cephalically +cephalin +cephalina +cephaline +cephalins +cephalism +cephalitis +cephalization +cephaloauricular +cephalob +cephalobranchiata +cephalobranchiate +cephalocathartic +cephalocaudal +cephalocele +cephalocentesis +cephalocercal +cephalocereus +cephalochord +cephalochorda +cephalochordal +cephalochordata +cephalochordate +cephalocyst +cephaloclasia +cephaloclast +cephalocone +cephaloconic +cephalodia +cephalodymia +cephalodymus +cephalodynia +cephalodiscid +cephalodiscida +cephalodiscus +cephalodium +cephalofacial +cephalogenesis +cephalogram +cephalograph +cephalohumeral +cephalohumeralis +cephaloid +cephalology +cephalom +cephalomancy +cephalomant +cephalomelus +cephalomenia +cephalomeningitis +cephalomere +cephalometer +cephalometry +cephalometric +cephalomyitis +cephalomotor +cephalon +cephalonasal +cephalopagus +cephalopathy +cephalopharyngeal +cephalophyma +cephalophine +cephalophorous +cephalophus +cephaloplegia +cephaloplegic +cephalopod +cephalopoda +cephalopodan +cephalopodic +cephalopodous +cephalopterus +cephalorachidian +cephalorhachidian +cephaloridine +cephalosome +cephalospinal +cephalosporin +cephalosporium +cephalostyle +cephalotaceae +cephalotaceous +cephalotaxus +cephalotheca +cephalothecal +cephalothoraces +cephalothoracic +cephalothoracopagus +cephalothorax +cephalothoraxes +cephalotome +cephalotomy +cephalotractor +cephalotribe +cephalotripsy +cephalotrocha +cephalotus +cephalous +cephas +cepheid +cepheids +cephen +cepheus +cephid +cephidae +cephus +cepolidae +cepous +ceps +cepter +ceptor +cequi +cera +ceraceous +cerago +ceral +ceramal +ceramals +cerambycid +cerambycidae +ceramiaceae +ceramiaceous +ceramic +ceramicist +ceramicists +ceramicite +ceramics +ceramidium +ceramist +ceramists +ceramium +ceramography +ceramographic +cerargyrite +ceras +cerasein +cerasin +cerastes +cerastium +cerasus +cerat +cerata +cerate +ceratectomy +cerated +cerates +ceratiasis +ceratiid +ceratiidae +ceratin +ceratinous +ceratins +ceratioid +ceration +ceratite +ceratites +ceratitic +ceratitidae +ceratitis +ceratitoid +ceratitoidea +ceratium +ceratobatrachinae +ceratoblast +ceratobranchial +ceratocystis +ceratocricoid +ceratodidae +ceratodontidae +ceratodus +ceratoduses +ceratofibrous +ceratoglossal +ceratoglossus +ceratohyal +ceratohyoid +ceratoid +ceratomandibular +ceratomania +ceratonia +ceratophyllaceae +ceratophyllaceous +ceratophyllum +ceratophyta +ceratophyte +ceratophrys +ceratops +ceratopsia +ceratopsian +ceratopsid +ceratopsidae +ceratopteridaceae +ceratopteridaceous +ceratopteris +ceratorhine +ceratosa +ceratosaurus +ceratospongiae +ceratospongian +ceratostomataceae +ceratostomella +ceratotheca +ceratothecae +ceratothecal +ceratozamia +ceraunia +ceraunics +ceraunite +ceraunogram +ceraunograph +ceraunomancy +ceraunophone +ceraunoscope +ceraunoscopy +cerberean +cerberic +cerberus +cercal +cercaria +cercariae +cercarial +cercarian +cercarias +cercariform +cercelee +cerci +cercidiphyllaceae +cercis +cercises +cercle +cercocebus +cercolabes +cercolabidae +cercomonad +cercomonadidae +cercomonas +cercopid +cercopidae +cercopithecid +cercopithecidae +cercopithecoid +cercopithecus +cercopod +cercospora +cercosporella +cercus +cerdonian +cere +cereal +cerealian +cerealin +cerealism +cerealist +cerealose +cereals +cerebbella +cerebella +cerebellar +cerebellifugal +cerebellipetal +cerebellitis +cerebellocortex +cerebellopontile +cerebellopontine +cerebellorubral +cerebellospinal +cerebellum +cerebellums +cerebra +cerebral +cerebralgia +cerebralism +cerebralist +cerebralization +cerebralize +cerebrally +cerebrals +cerebrasthenia +cerebrasthenic +cerebrate +cerebrated +cerebrates +cerebrating +cerebration +cerebrational +cerebrations +cerebratulus +cerebri +cerebric +cerebricity +cerebriform +cerebriformly +cerebrifugal +cerebrin +cerebripetal +cerebritis +cerebrize +cerebrocardiac +cerebrogalactose +cerebroganglion +cerebroganglionic +cerebroid +cerebrology +cerebroma +cerebromalacia +cerebromedullary +cerebromeningeal +cerebromeningitis +cerebrometer +cerebron +cerebronic +cerebroparietal +cerebropathy +cerebropedal +cerebrophysiology +cerebropontile +cerebropsychosis +cerebrorachidian +cerebrosclerosis +cerebroscope +cerebroscopy +cerebrose +cerebrosensorial +cerebroside +cerebrosis +cerebrospinal +cerebrospinant +cerebrosuria +cerebrotomy +cerebrotonia +cerebrotonic +cerebrovascular +cerebrovisceral +cerebrum +cerebrums +cerecloth +cerecloths +cered +cereless +cerement +cerements +ceremony +ceremonial +ceremonialism +ceremonialist +ceremonialists +ceremonialize +ceremonially +ceremonialness +ceremonials +ceremoniary +ceremonies +ceremonious +ceremoniously +ceremoniousness +cerenkov +cereous +cerer +cererite +ceres +ceresin +ceresine +cereus +cereuses +cerevis +cerevisial +cereza +cerfoil +ceria +cerialia +cerianthid +cerianthidae +cerianthoid +cerianthus +cerias +ceric +ceride +ceriferous +cerigerous +ceryl +cerilla +cerillo +ceriman +cerimans +cerin +cerine +cerynean +cering +cerinthe +cerinthian +ceriomyces +cerion +cerionidae +ceriops +ceriornis +ceriph +ceriphs +cerise +cerises +cerite +cerites +cerithiidae +cerithioid +cerithium +cerium +ceriums +cermet +cermets +cern +cerned +cerning +cerniture +cernuous +cero +cerograph +cerographer +cerography +cerographic +cerographical +cerographies +cerographist +ceroid +ceroline +cerolite +ceroma +ceromancy +ceromez +ceroon +cerophilous +ceroplast +ceroplasty +ceroplastic +ceroplastics +ceros +cerosin +cerotate +cerote +cerotene +cerotic +cerotin +cerotype +cerotypes +cerous +ceroxyle +ceroxylon +cerrero +cerrial +cerris +cert +certain +certainer +certainest +certainly +certainness +certainty +certainties +certes +certhia +certhiidae +certy +certie +certif +certify +certifiability +certifiable +certifiableness +certifiably +certificate +certificated +certificates +certificating +certification +certifications +certificative +certificator +certificatory +certified +certifier +certifiers +certifies +certifying +certiorari +certiorate +certiorating +certioration +certis +certitude +certitudes +certosa +certose +certosina +certosino +cerule +cerulean +ceruleans +cerulein +ceruleite +ceruleolactite +ceruleous +cerulescent +ceruleum +cerulific +cerulignol +cerulignone +ceruloplasmin +cerumen +cerumens +ceruminal +ceruminiferous +ceruminous +cerumniparous +ceruse +ceruses +cerusite +cerusites +cerussite +cervalet +cervantes +cervantic +cervantist +cervantite +cervelas +cervelases +cervelat +cervelats +cerveliere +cervelliere +cervical +cervicapra +cervicaprine +cervicectomy +cervices +cervicicardiac +cervicide +cerviciplex +cervicispinal +cervicitis +cervicoauricular +cervicoaxillary +cervicobasilar +cervicobrachial +cervicobregmatic +cervicobuccal +cervicodynia +cervicodorsal +cervicofacial +cervicohumeral +cervicolabial +cervicolingual +cervicolumbar +cervicomuscular +cerviconasal +cervicorn +cervicoscapular +cervicothoracic +cervicovaginal +cervicovesical +cervid +cervidae +cervinae +cervine +cervisia +cervisial +cervix +cervixes +cervoid +cervuline +cervulus +cervus +cesar +cesare +cesarean +cesareans +cesarevitch +cesarian +cesarians +cesarolite +cesious +cesium +cesiums +cespititious +cespititous +cespitose +cespitosely +cespitulose +cess +cessant +cessantly +cessation +cessations +cessative +cessavit +cessed +cesser +cesses +cessible +cessing +cessio +cession +cessionaire +cessionary +cessionaries +cessionee +cessions +cessment +cessor +cesspipe +cesspit +cesspits +cesspool +cesspools +cest +cesta +cestas +ceste +cesti +cestida +cestidae +cestoda +cestodaria +cestode +cestodes +cestoi +cestoid +cestoidea +cestoidean +cestoids +ceston +cestos +cestracion +cestraciont +cestraciontes +cestraciontidae +cestraction +cestrian +cestrum +cestui +cestuy +cestus +cestuses +cesura +cesurae +cesural +cesuras +cesure +cetacea +cetacean +cetaceans +cetaceous +cetaceum +cetane +cetanes +cete +cetene +ceteosaur +cetera +ceterach +cetes +ceti +cetic +ceticide +cetid +cetyl +cetylene +cetylic +cetin +cetiosauria +cetiosaurian +cetiosaurus +cetology +cetological +cetologies +cetologist +cetomorpha +cetomorphic +cetonia +cetonian +cetoniides +cetoniinae +cetorhinid +cetorhinidae +cetorhinoid +cetorhinus +cetotolite +cetraria +cetraric +cetrarin +cetus +cevadilla +cevadilline +cevadine +cevennian +cevenol +cevenole +cevian +ceviche +ceviches +cevine +cevitamic +cezannesque +cf +cfd +cfh +cfi +cfm +cfs +cg +cgm +cgs +ch +cha +chaa +chab +chabasie +chabasite +chabazite +chaber +chablis +chabot +chabouk +chabouks +chabuk +chabuks +chabutra +chac +chacate +chaccon +chace +chachalaca +chachalakas +chachapuya +chack +chackchiuma +chacker +chackle +chackled +chackler +chackling +chacma +chacmas +chaco +chacoli +chacona +chaconne +chaconnes +chacra +chacte +chacun +chad +chadacryst +chadar +chadarim +chadars +chadelle +chadless +chadlock +chador +chadors +chadri +chads +chaenactis +chaenolobus +chaenomeles +chaeta +chaetae +chaetal +chaetangiaceae +chaetangium +chaetetes +chaetetidae +chaetifera +chaetiferous +chaetites +chaetitidae +chaetochloa +chaetodon +chaetodont +chaetodontid +chaetodontidae +chaetognath +chaetognatha +chaetognathan +chaetognathous +chaetophobia +chaetophora +chaetophoraceae +chaetophoraceous +chaetophorales +chaetophorous +chaetopod +chaetopoda +chaetopodan +chaetopodous +chaetopterin +chaetopterus +chaetosema +chaetosoma +chaetosomatidae +chaetosomidae +chaetotactic +chaetotaxy +chaetura +chafe +chafed +chafer +chafery +chaferies +chafers +chafes +chafewax +chafeweed +chaff +chaffcutter +chaffed +chaffer +chaffered +chafferer +chafferers +chaffery +chaffering +chaffers +chaffy +chaffier +chaffiest +chaffinch +chaffinches +chaffiness +chaffing +chaffingly +chaffless +chafflike +chaffman +chaffron +chaffs +chaffseed +chaffwax +chaffweed +chafing +chaft +chafted +chaga +chagal +chagan +chagga +chagigah +chagoma +chagrin +chagrined +chagrining +chagrinned +chagrinning +chagrins +chaguar +chagul +chahar +chahars +chai +chay +chaya +chayaroot +chailletiaceae +chayma +chain +chainage +chainbearer +chainbreak +chaine +chained +chainer +chaines +chainette +chaining +chainless +chainlet +chainlike +chainmaker +chainmaking +chainman +chainmen +chainomatic +chainon +chainplate +chains +chainsman +chainsmen +chainsmith +chainstitch +chainwale +chainwork +chayota +chayote +chayotes +chair +chairborne +chaired +chairer +chairing +chairlady +chairladies +chairless +chairlift +chairmaker +chairmaking +chairman +chairmaned +chairmaning +chairmanned +chairmanning +chairmans +chairmanship +chairmanships +chairmen +chairmender +chairmending +chayroot +chairperson +chairpersons +chairs +chairway +chairwarmer +chairwoman +chairwomen +chais +chays +chaise +chaiseless +chaises +chait +chaitya +chaityas +chaitra +chaja +chaka +chakar +chakari +chakavski +chakazi +chakdar +chakobu +chakra +chakram +chakras +chakravartin +chaksi +chal +chalaco +chalah +chalahs +chalana +chalastic +chalastogastra +chalaza +chalazae +chalazal +chalazas +chalaze +chalazia +chalazian +chalaziferous +chalazion +chalazium +chalazogam +chalazogamy +chalazogamic +chalazoidite +chalazoin +chalcanth +chalcanthite +chalcedony +chalcedonian +chalcedonic +chalcedonies +chalcedonyx +chalcedonous +chalchihuitl +chalchuite +chalcid +chalcidian +chalcidic +chalcidica +chalcidicum +chalcidid +chalcididae +chalcidiform +chalcidoid +chalcidoidea +chalcids +chalcioecus +chalcis +chalcites +chalcocite +chalcogen +chalcogenide +chalcograph +chalcographer +chalcography +chalcographic +chalcographical +chalcographist +chalcolite +chalcolithic +chalcomancy +chalcomenite +chalcon +chalcone +chalcophanite +chalcophile +chalcophyllite +chalcopyrite +chalcosiderite +chalcosine +chalcostibite +chalcotrichite +chalcotript +chalcus +chaldaei +chaldaic +chaldaical +chaldaism +chaldean +chaldee +chalder +chaldese +chaldron +chaldrons +chaleh +chalehs +chalet +chalets +chalybean +chalybeate +chalybeous +chalybes +chalybite +chalice +chaliced +chalices +chalicosis +chalicothere +chalicotheriid +chalicotheriidae +chalicotherioid +chalicotherium +chalina +chalinidae +chalinine +chalinitis +chalk +chalkboard +chalkboards +chalkcutter +chalked +chalker +chalky +chalkier +chalkiest +chalkiness +chalking +chalklike +chalkline +chalkography +chalkone +chalkos +chalkosideric +chalkotheke +chalkpit +chalkrail +chalks +chalkstone +chalkstony +chalkworker +challa +challah +challahs +challas +challengable +challenge +challengeable +challenged +challengee +challengeful +challenger +challengers +challenges +challenging +challengingly +chally +challie +challies +challiho +challihos +challis +challises +challot +challote +challoth +chalmer +chalon +chalone +chalones +chalons +chalot +chaloth +chaloupe +chalque +chalta +chaluka +chalukya +chalukyan +chalumeau +chalumeaux +chalutz +chalutzim +cham +chama +chamacea +chamacoco +chamade +chamades +chamaebatia +chamaecyparis +chamaecistus +chamaecranial +chamaecrista +chamaedaphne +chamaeleo +chamaeleon +chamaeleontidae +chamaelirium +chamaenerion +chamaepericlymenum +chamaephyte +chamaeprosopic +chamaerops +chamaerrhine +chamaesaura +chamaesyce +chamaesiphon +chamaesiphonaceae +chamaesiphonaceous +chamaesiphonales +chamal +chamar +chambellan +chamber +chamberdeacon +chambered +chamberer +chamberfellow +chambering +chamberlain +chamberlainry +chamberlains +chamberlainship +chamberlet +chamberleted +chamberletted +chambermaid +chambermaids +chambers +chambertin +chamberwoman +chambioa +chambray +chambrays +chambranle +chambre +chambrel +chambul +chamecephaly +chamecephalic +chamecephalous +chamecephalus +chameleon +chameleonic +chameleonize +chameleonlike +chameleons +chametz +chamfer +chamfered +chamferer +chamfering +chamfers +chamfrain +chamfron +chamfrons +chamian +chamicuro +chamidae +chamisal +chamise +chamises +chamiso +chamisos +chamite +chamkanni +chamlet +chamm +chamma +chammy +chammied +chammies +chammying +chamois +chamoised +chamoises +chamoisette +chamoising +chamoisite +chamoix +chamoline +chamomile +chamomilla +chamorro +chamos +chamosite +chamotte +champ +champa +champac +champaca +champacol +champacs +champagne +champagned +champagneless +champagnes +champagning +champagnize +champagnized +champagnizing +champaign +champain +champak +champaka +champaks +champart +champe +champed +champer +champerator +champers +champert +champerty +champerties +champertor +champertous +champy +champian +champignon +champignons +champine +champing +champion +championed +championess +championing +championize +championless +championlike +champions +championship +championships +champlain +champlainic +champlev +champleve +champs +chams +chamsin +chan +chanabal +chanca +chance +chanceable +chanceably +chanced +chanceful +chancefully +chancefulness +chancey +chancel +chanceled +chanceless +chancelled +chancellery +chancelleries +chancellor +chancellorate +chancelloress +chancellory +chancellorism +chancellors +chancellorship +chancellorships +chancelor +chancelry +chancels +chanceman +chancemen +chancer +chancered +chancery +chanceries +chancering +chances +chancewise +chanche +chanchito +chancy +chancier +chanciest +chancily +chanciness +chancing +chancito +chanco +chancre +chancres +chancriform +chancroid +chancroidal +chancroids +chancrous +chandala +chandam +chandelier +chandeliers +chandelle +chandelled +chandelles +chandelling +chandi +chandler +chandleress +chandlery +chandleries +chandlering +chandlerly +chandlers +chandoo +chandrakanta +chandrakhi +chandry +chandu +chandui +chanduy +chandul +chane +chaneled +chaneling +chanelled +chanfrin +chanfron +chanfrons +chang +changa +changable +changar +change +changeability +changeable +changeableness +changeably +changeabout +changed +changedale +changedness +changeful +changefully +changefulness +changeless +changelessly +changelessness +changeling +changelings +changemaker +changement +changeover +changeovers +changepocket +changer +changers +changes +changing +changoan +changos +changs +changuina +changuinan +chanidae +chank +chankings +channel +channelbill +channeled +channeler +channeling +channelization +channelize +channelized +channelizes +channelizing +channelled +channeller +channellers +channelly +channelling +channels +channelure +channelwards +channer +chanoyu +chanson +chansonette +chansonnette +chansonnier +chansonniers +chansons +chanst +chant +chantable +chantage +chantages +chantant +chantecler +chanted +chantefable +chantey +chanteyman +chanteys +chantepleure +chanter +chanterelle +chanters +chantership +chanteur +chanteuse +chanteuses +chanty +chanticleer +chanticleers +chantier +chanties +chantilly +chanting +chantingly +chantlate +chantment +chantor +chantors +chantress +chantry +chantries +chants +chanukah +chao +chaogenous +chaology +chaori +chaos +chaoses +chaotic +chaotical +chaotically +chaoticness +chaoua +chaouia +chaoush +chap +chapacura +chapacuran +chapah +chapanec +chapapote +chaparajos +chaparejos +chaparral +chaparrals +chaparraz +chaparro +chapati +chapaties +chapatis +chapatti +chapatty +chapatties +chapattis +chapbook +chapbooks +chape +chapeau +chapeaus +chapeaux +chaped +chapel +chapeled +chapeless +chapelet +chapelgoer +chapelgoing +chapeling +chapelize +chapellage +chapellany +chapelled +chapelling +chapelman +chapelmaster +chapelry +chapelries +chapels +chapelward +chaperno +chaperon +chaperonage +chaperone +chaperoned +chaperoning +chaperonless +chaperons +chapes +chapfallen +chapfallenly +chapin +chapiter +chapiters +chapitle +chapitral +chaplain +chaplaincy +chaplaincies +chaplainry +chaplains +chaplainship +chaplanry +chapless +chaplet +chapleted +chaplets +chaplin +chapman +chapmanship +chapmen +chapon +chapote +chapourn +chapournet +chapournetted +chappal +chappaul +chappe +chapped +chapper +chappy +chappie +chappies +chappin +chapping +chappow +chaprasi +chaprassi +chaps +chapstick +chapt +chaptalization +chaptalize +chaptalized +chaptalizing +chapter +chapteral +chaptered +chapterful +chapterhouse +chaptering +chapters +chaptrel +chapwoman +chaqueta +chaquetas +char +chara +charabanc +charabancer +charabancs +charac +characeae +characeous +characetum +characid +characids +characin +characine +characinid +characinidae +characinoid +characins +charact +character +charactered +characterful +charactery +characterial +characterical +characteries +charactering +characterisable +characterisation +characterise +characterised +characteriser +characterising +characterism +characterist +characteristic +characteristical +characteristically +characteristicalness +characteristicness +characteristics +characterizable +characterization +characterizations +characterize +characterized +characterizer +characterizers +characterizes +characterizing +characterless +characterlessness +characterology +characterological +characterologically +characterologist +characters +characterstring +charactonym +charade +charades +charadrii +charadriidae +charadriiform +charadriiformes +charadrine +charadrioid +charadriomorphae +charadrius +charales +charango +charangos +chararas +charas +charases +charbocle +charbon +charbonnier +charbroil +charbroiled +charbroiling +charbroils +charca +charcia +charco +charcoal +charcoaled +charcoaly +charcoaling +charcoalist +charcoals +charcuterie +charcuteries +charcutier +charcutiers +chard +chardock +chards +chare +chared +charely +charer +chares +charet +chareter +charette +chargable +charge +chargeability +chargeable +chargeableness +chargeably +chargeant +charged +chargedness +chargee +chargeful +chargehouse +chargeless +chargeling +chargeman +charger +chargers +charges +chargeship +chargfaires +charging +chary +charybdian +charybdis +charicleia +charier +chariest +charily +chariness +charing +chariot +charioted +chariotee +charioteer +charioteers +charioteership +charioting +chariotlike +chariotman +chariotry +chariots +chariotway +charism +charisma +charismas +charismata +charismatic +charisms +charissa +charisticary +charitable +charitableness +charitably +charitative +charites +charity +charities +charityless +charivan +charivari +charivaried +charivariing +charivaris +chark +charka +charkas +charked +charkha +charkhana +charkhas +charking +charks +charlady +charladies +charlatan +charlatanic +charlatanical +charlatanically +charlatanish +charlatanism +charlatanistic +charlatanry +charlatanries +charlatans +charlatanship +charleen +charley +charleys +charlemagne +charlene +charles +charleston +charlestons +charlesworth +charlet +charlie +charlies +charlock +charlocks +charlotte +charlottesville +charm +charmed +charmedly +charmel +charmer +charmers +charmeuse +charmful +charmfully +charmfulness +charming +charminger +charmingest +charmingly +charmingness +charmless +charmlessly +charmonium +charms +charmwise +charneco +charnel +charnels +charnockite +charnockites +charnu +charon +charonian +charonic +charontas +charophyta +charoses +charoset +charoseth +charpai +charpais +charpie +charpit +charpoy +charpoys +charque +charqued +charqui +charquid +charquis +charr +charras +charre +charred +charrette +charry +charrier +charriest +charring +charro +charros +charrs +charruan +charruas +chars +charshaf +charsingha +chart +charta +chartable +chartaceous +chartae +charted +charter +charterable +charterage +chartered +charterer +charterers +charterhouse +chartering +charterism +charterist +charterless +chartermaster +charters +charthouse +charting +chartings +chartism +chartist +chartists +chartless +chartlet +chartographer +chartography +chartographic +chartographical +chartographically +chartographist +chartology +chartometer +chartophylacia +chartophylacium +chartophylax +chartophylaxes +chartreuse +chartreux +chartroom +charts +chartula +chartulae +chartulary +chartularies +chartulas +charuk +charvet +charwoman +charwomen +chasable +chase +chaseable +chased +chaser +chasers +chases +chashitsu +chasid +chasidim +chasing +chasings +chasm +chasma +chasmal +chasmed +chasmy +chasmic +chasmogamy +chasmogamic +chasmogamous +chasmophyte +chasms +chass +chasse +chassed +chasseing +chasselas +chassepot +chassepots +chasses +chasseur +chasseurs +chassignite +chassis +chastacosta +chaste +chastelain +chastely +chasten +chastened +chastener +chasteners +chasteness +chastening +chasteningly +chastenment +chastens +chaster +chastest +chasteweed +chasty +chastiment +chastisable +chastise +chastised +chastisement +chastiser +chastisers +chastises +chastising +chastity +chastities +chastize +chastizer +chasuble +chasubled +chasubles +chat +chataka +chatchka +chatchkas +chatchke +chatchkes +chateau +chateaubriand +chateaugray +chateaus +chateaux +chatelain +chatelaine +chatelaines +chatelainry +chatelains +chatelet +chatellany +chateus +chathamite +chathamites +chati +chatillon +chatino +chatoyance +chatoyancy +chatoyant +chaton +chatons +chatot +chats +chatsome +chatta +chattable +chattack +chattah +chattanooga +chattanoogan +chattation +chatted +chattel +chattelhood +chattelism +chattelization +chattelize +chattelized +chattelizing +chattels +chattelship +chatter +chatteration +chatterbag +chatterbox +chatterboxes +chattered +chatterer +chatterers +chattererz +chattery +chattering +chatteringly +chattermag +chattermagging +chatters +chattertonian +chatti +chatty +chattier +chatties +chattiest +chattily +chattiness +chatting +chattingly +chatwood +chaucer +chaucerian +chauceriana +chaucerianism +chaucerism +chauchat +chaudfroid +chaudron +chaufer +chaufers +chauffage +chauffer +chauffers +chauffeur +chauffeured +chauffeuring +chauffeurs +chauffeurship +chauffeuse +chauffeuses +chaui +chauk +chaukidari +chauldron +chaule +chauliodes +chaulmaugra +chaulmoogra +chaulmoograte +chaulmoogric +chaulmugra +chaum +chaumer +chaumiere +chaumontel +chauna +chaunoprockt +chaunt +chaunted +chaunter +chaunters +chaunting +chaunts +chauri +chaus +chausse +chaussee +chausseemeile +chaussees +chausses +chaussure +chaussures +chautauqua +chautauquan +chaute +chauth +chauve +chauvin +chauvinism +chauvinist +chauvinistic +chauvinistically +chauvinists +chavante +chavantean +chave +chavel +chavender +chaver +chavibetol +chavicin +chavicine +chavicol +chavish +chaw +chawan +chawbacon +chawbone +chawbuck +chawdron +chawed +chawer +chawers +chawia +chawing +chawk +chawl +chawle +chawn +chaws +chawstick +chazan +chazanim +chazans +chazanut +chazy +chazzan +chazzanim +chazzans +chazzanut +chazzen +chazzenim +chazzens +che +cheap +cheapen +cheapened +cheapener +cheapening +cheapens +cheaper +cheapery +cheapest +cheapie +cheapies +cheaping +cheapish +cheapishly +cheapjack +cheaply +cheapness +cheapo +cheapos +cheaps +cheapside +cheapskate +cheapskates +cheare +cheat +cheatable +cheatableness +cheated +cheatee +cheater +cheatery +cheateries +cheaters +cheating +cheatingly +cheatry +cheatrie +cheats +chebacco +chebec +chebeck +chebecs +chebel +chebog +chebule +chebulic +chebulinic +chechako +chechakos +chechehet +chechem +chechen +chechia +check +checkable +checkage +checkback +checkbird +checkbit +checkbite +checkbits +checkbook +checkbooks +checke +checked +checker +checkerbelly +checkerbellies +checkerberry +checkerberries +checkerbloom +checkerboard +checkerboarded +checkerboarding +checkerboards +checkerbreast +checkered +checkery +checkering +checkerist +checkers +checkerspot +checkerwise +checkerwork +checkhook +checky +checking +checklaton +checkle +checkless +checkline +checklist +checklists +checkman +checkmark +checkmate +checkmated +checkmates +checkmating +checkoff +checkoffs +checkout +checkouts +checkpoint +checkpointed +checkpointing +checkpoints +checkrack +checkrail +checkrein +checkroll +checkroom +checkrooms +checkrope +checkrow +checkrowed +checkrower +checkrowing +checkrows +checks +checkstone +checkstrap +checkstring +checksum +checksummed +checksumming +checksums +checkup +checkups +checkweigher +checkweighman +checkweighmen +checkwork +checkwriter +chedar +cheddar +cheddaring +cheddars +cheddite +cheddites +cheder +cheders +chedite +chedites +chedlock +chedreux +chee +cheecha +cheechaco +cheechako +cheechakos +cheeful +cheefuller +cheefullest +cheek +cheekbone +cheekbones +cheeked +cheeker +cheekful +cheekfuls +cheeky +cheekier +cheekiest +cheekily +cheekiness +cheeking +cheekish +cheekless +cheekpiece +cheeks +cheeney +cheep +cheeped +cheeper +cheepers +cheepy +cheepier +cheepiest +cheepily +cheepiness +cheeping +cheeps +cheer +cheered +cheerer +cheerers +cheerful +cheerfulize +cheerfuller +cheerfullest +cheerfully +cheerfulness +cheerfulsome +cheery +cheerier +cheeriest +cheerily +cheeriness +cheering +cheeringly +cheerio +cheerios +cheerlead +cheerleader +cheerleaders +cheerleading +cheerled +cheerless +cheerlessly +cheerlessness +cheerly +cheero +cheeros +cheers +cheese +cheeseboard +cheesebox +cheeseburger +cheeseburgers +cheesecake +cheesecakes +cheesecloth +cheesecloths +cheesecurd +cheesecutter +cheesed +cheeseflower +cheeselep +cheeselip +cheesemaker +cheesemaking +cheesemonger +cheesemongery +cheesemongering +cheesemongerly +cheeseparer +cheeseparing +cheeser +cheesery +cheeses +cheesewood +cheesy +cheesier +cheesiest +cheesily +cheesiness +cheesing +cheet +cheetah +cheetahs +cheetal +cheeter +cheetie +cheetul +cheewink +cheezit +chef +chefdom +chefdoms +chefrinia +chefs +chego +chegoe +chegoes +chegre +chehalis +cheiceral +cheyenne +cheyennes +cheilanthes +cheilion +cheilitis +cheilodipteridae +cheilodipterus +cheiloplasty +cheiloplasties +cheilostomata +cheilostomatous +cheilotomy +cheilotomies +cheimaphobia +cheimatophobia +cheyney +cheyneys +cheir +cheiragra +cheiranthus +cheirogaleus +cheiroglossa +cheirognomy +cheirography +cheirolin +cheiroline +cheirology +cheiromancy +cheiromegaly +cheiropatagium +cheiropod +cheiropody +cheiropodist +cheiropompholyx +cheiroptera +cheiropterygium +cheirosophy +cheirospasm +cheirotherium +cheka +chekan +cheke +cheken +chekhov +cheki +chekist +chekker +chekmak +chela +chelae +chelas +chelaship +chelatable +chelate +chelated +chelates +chelating +chelation +chelator +chelators +chelem +chelerythrin +chelerythrine +chelicer +chelicera +chelicerae +cheliceral +chelicerate +chelicere +chelide +chelydidae +chelidon +chelidonate +chelidonian +chelidonic +chelidonin +chelidonine +chelidonium +chelidosaurus +chelydra +chelydre +chelydridae +chelydroid +chelifer +cheliferidea +cheliferous +cheliform +chelinga +chelingas +chelingo +chelingos +cheliped +chelys +chellean +chello +chelodina +chelodine +cheloid +cheloids +chelone +chelonia +chelonian +chelonid +chelonidae +cheloniid +cheloniidae +chelonin +chelophore +chelp +cheltenham +chelura +chem +chemakuan +chemasthenia +chemawinite +chemehuevi +chemesthesis +chemiatry +chemiatric +chemiatrist +chemic +chemical +chemicalization +chemicalize +chemically +chemicals +chemick +chemicked +chemicker +chemicking +chemicoastrological +chemicobiology +chemicobiologic +chemicobiological +chemicocautery +chemicodynamic +chemicoengineering +chemicoluminescence +chemicoluminescent +chemicomechanical +chemicomineralogical +chemicopharmaceutical +chemicophysical +chemicophysics +chemicophysiological +chemicovital +chemics +chemiculture +chemigraph +chemigrapher +chemigraphy +chemigraphic +chemigraphically +chemiloon +chemiluminescence +chemiluminescent +chemin +cheminee +chemins +chemiotactic +chemiotaxic +chemiotaxis +chemiotropic +chemiotropism +chemiphotic +chemis +chemise +chemises +chemisette +chemism +chemisms +chemisorb +chemisorption +chemisorptive +chemist +chemistry +chemistries +chemists +chemitype +chemitypy +chemitypies +chemizo +chemmy +chemoautotrophy +chemoautotrophic +chemoautotrophically +chemoceptor +chemokinesis +chemokinetic +chemolysis +chemolytic +chemolyze +chemonite +chemopallidectomy +chemopallidectomies +chemopause +chemophysiology +chemophysiological +chemoprophyalctic +chemoprophylactic +chemoprophylaxis +chemoreception +chemoreceptive +chemoreceptivity +chemoreceptivities +chemoreceptor +chemoreflex +chemoresistance +chemosensitive +chemosensitivity +chemosensitivities +chemoserotherapy +chemoses +chemosynthesis +chemosynthetic +chemosynthetically +chemosis +chemosmoic +chemosmoses +chemosmosis +chemosmotic +chemosorb +chemosorption +chemosorptive +chemosphere +chemospheric +chemostat +chemosterilant +chemosterilants +chemosurgery +chemosurgical +chemotactic +chemotactically +chemotaxy +chemotaxis +chemotaxonomy +chemotaxonomic +chemotaxonomically +chemotaxonomist +chemotherapeutic +chemotherapeutical +chemotherapeutically +chemotherapeuticness +chemotherapeutics +chemotherapy +chemotherapies +chemotherapist +chemotherapists +chemotic +chemotroph +chemotrophic +chemotropic +chemotropically +chemotropism +chempaduk +chemung +chemurgy +chemurgic +chemurgical +chemurgically +chemurgies +chen +chena +chenar +chende +cheneau +cheneaus +cheneaux +cheney +chenet +chenevixite +chenfish +cheng +chengal +chenica +chenier +chenille +cheniller +chenilles +chenopod +chenopodiaceae +chenopodiaceous +chenopodiales +chenopodium +chenopods +cheongsam +cheoplastic +chepster +cheque +chequebook +chequeen +chequer +chequerboard +chequered +chequering +chequers +chequerwise +chequerwork +cheques +chequy +chequin +chequinn +cher +chera +cherchez +chercock +chere +cherely +cherem +cheremiss +cheremissian +cherenkov +chergui +cherie +cheries +cherimoya +cherimoyer +cherimolla +cherish +cherishable +cherished +cherisher +cherishers +cherishes +cherishing +cherishingly +cherishment +cherkess +cherkesser +chermes +chermidae +chermish +cherna +chernites +chernomorish +chernozem +chernozemic +cherogril +cherokee +cherokees +cheroot +cheroots +cherry +cherryblossom +cherried +cherries +cherrying +cherrylike +cherrystone +cherrystones +chersydridae +chersonese +chert +cherte +cherty +chertier +chertiest +cherts +cherub +cherubfish +cherubfishes +cherubic +cherubical +cherubically +cherubim +cherubimic +cherubimical +cherubin +cherublike +cherubs +cherup +cherusci +chervante +chervil +chervils +chervonei +chervonets +chervonetz +chervontsi +chesapeake +chesboil +chesboll +chese +cheselip +cheshire +chesil +cheskey +cheskeys +cheslep +cheson +chesoun +chess +chessart +chessboard +chessboards +chessdom +chessel +chesser +chesses +chesset +chessylite +chessist +chessman +chessmen +chessner +chessom +chesstree +chest +chested +chesteine +chester +chesterbed +chesterfield +chesterfieldian +chesterfields +chesterlite +chestful +chestfuls +chesty +chestier +chestiest +chestily +chestiness +chestnut +chestnuts +chestnutty +chests +chet +chetah +chetahs +cheth +cheths +chetif +chetive +chetopod +chetrum +chetrums +chetty +chettik +chetverik +chetvert +cheung +chevachee +chevachie +chevage +cheval +chevalet +chevalets +chevalier +chevaliers +chevaline +chevance +chevaux +cheve +chevee +cheveys +chevelure +cheven +chevener +cheventayn +cheverel +cheveret +cheveril +cheveron +cheverons +chevesaile +chevesne +chevet +chevetaine +chevy +chevied +chevies +chevying +cheville +chevin +cheviot +cheviots +chevisance +chevise +chevon +chevre +chevres +chevret +chevrette +chevreuil +chevrolet +chevrolets +chevron +chevrone +chevroned +chevronel +chevronelly +chevrony +chevronny +chevrons +chevronwise +chevrotain +chevvy +chew +chewable +chewbark +chewed +cheweler +chewer +chewers +chewet +chewy +chewie +chewier +chewiest +chewing +chewink +chewinks +chews +chewstick +chez +chg +chhatri +chi +chia +chiack +chyack +chyak +chiam +chian +chianti +chiao +chiapanec +chiapanecan +chiarooscurist +chiarooscuro +chiarooscuros +chiaroscurist +chiaroscuro +chiaroscuros +chias +chiasm +chiasma +chiasmal +chiasmas +chiasmata +chiasmatic +chiasmatype +chiasmatypy +chiasmi +chiasmic +chiasmodon +chiasmodontid +chiasmodontidae +chiasms +chiasmus +chiastic +chiastolite +chiastoneural +chiastoneury +chiastoneurous +chiaus +chiauses +chiave +chiavetta +chyazic +chiba +chibcha +chibchan +chibinite +chibol +chibouk +chibouks +chibouque +chibrit +chic +chica +chicadee +chicago +chicagoan +chicagoans +chicayote +chicalote +chicane +chicaned +chicaner +chicanery +chicaneries +chicaners +chicanes +chicaning +chicano +chicanos +chicaric +chiccory +chiccories +chicer +chicest +chich +chicha +chicharra +chichevache +chichi +chichicaste +chichili +chichimec +chichimecan +chichipate +chichipe +chichis +chichituna +chichling +chick +chickabiddy +chickadee +chickadees +chickahominy +chickamauga +chickaree +chickasaw +chickasaws +chickee +chickees +chickell +chicken +chickenberry +chickenbill +chickenbreasted +chickened +chickenhearted +chickenheartedly +chickenheartedness +chickenhood +chickening +chickenpox +chickens +chickenshit +chickenweed +chickenwort +chicker +chickery +chickhood +chicky +chickies +chickling +chickory +chickories +chickpea +chickpeas +chicks +chickstone +chickweed +chickweeds +chickwit +chicle +chiclero +chicles +chicly +chicness +chicnesses +chico +chicomecoatl +chicory +chicories +chicos +chicot +chicote +chicqued +chicquer +chicquest +chicquing +chics +chid +chidden +chide +chided +chider +chiders +chides +chiding +chidingly +chidingness +chidra +chief +chiefage +chiefdom +chiefdoms +chiefer +chiefery +chiefess +chiefest +chiefish +chiefless +chiefly +chiefling +chiefry +chiefs +chiefship +chieftain +chieftaincy +chieftaincies +chieftainess +chieftainry +chieftainries +chieftains +chieftainship +chieftainships +chieftess +chiefty +chiel +chield +chields +chiels +chien +chierete +chievance +chieve +chiffchaff +chiffer +chifferobe +chiffon +chiffonade +chiffony +chiffonier +chiffoniers +chiffonnier +chiffonnieres +chiffonniers +chiffons +chifforobe +chifforobes +chiffre +chiffrobe +chigetai +chigetais +chigga +chiggak +chigger +chiggers +chiggerweed +chignon +chignoned +chignons +chigoe +chigoes +chih +chihfu +chihuahua +chihuahuas +chikara +chikee +chil +chilacayote +chilacavote +chylaceous +chilalgia +chylangioma +chylaqueous +chilaria +chilarium +chilblain +chilblained +chilblains +chilcat +child +childage +childbear +childbearing +childbed +childbeds +childbirth +childbirths +childcrowing +childe +childed +childermas +childes +childhood +childhoods +childing +childish +childishly +childishness +childkind +childless +childlessness +childly +childlier +childliest +childlike +childlikeness +childminder +childness +childproof +childre +children +childrenite +childridden +childship +childward +childwife +childwite +chile +chyle +chilean +chileanization +chileanize +chileans +chilectropion +chylemia +chilenite +chiles +chyles +chili +chiliad +chiliadal +chiliadic +chiliadron +chiliads +chiliaedron +chiliagon +chiliahedron +chiliarch +chiliarchy +chiliarchia +chiliasm +chiliasms +chiliast +chiliastic +chiliasts +chilicote +chilicothe +chilidium +chilidog +chilidogs +chylidrosis +chilies +chylifaction +chylifactive +chylifactory +chyliferous +chylify +chylific +chylification +chylificatory +chylified +chylifying +chyliform +chilina +chilindre +chilinidae +chiliomb +chilion +chilipepper +chilitis +chilkat +chill +chilla +chillagite +chilled +chiller +chillers +chillest +chilli +chilly +chillier +chillies +chilliest +chillily +chilliness +chilling +chillingly +chillis +chillish +chilliwack +chillness +chillo +chilloes +chillroom +chills +chillsome +chillum +chillumchee +chillums +chylocauly +chylocaulous +chylocaulously +chylocele +chylocyst +chilodon +chilognath +chilognatha +chilognathan +chilognathous +chilogrammo +chyloid +chiloma +chilomastix +chilomata +chylomicron +chiloncus +chylopericardium +chylophylly +chylophyllous +chylophyllously +chiloplasty +chilopod +chilopoda +chilopodan +chilopodous +chilopods +chylopoetic +chylopoiesis +chylopoietic +chilopsis +chylosis +chilostoma +chilostomata +chilostomatous +chilostome +chylothorax +chilotomy +chilotomies +chylous +chilte +chiltern +chyluria +chilver +chimachima +chimaera +chimaeras +chimaerid +chimaeridae +chimaeroid +chimaeroidei +chimakuan +chimakum +chimalakwe +chimalapa +chimane +chimango +chimaphila +chymaqueous +chimar +chimarikan +chimariko +chimars +chymase +chimb +chimbe +chimble +chimbley +chimbleys +chimbly +chimblies +chimbs +chime +chyme +chimed +chimer +chimera +chimeral +chimeras +chimere +chimeres +chimeric +chimerical +chimerically +chimericalness +chimerism +chimers +chimes +chymes +chimesmaster +chymia +chymic +chymics +chymiferous +chymify +chymification +chymified +chymifying +chimin +chiminage +chiming +chymist +chymistry +chymists +chimla +chimlas +chimley +chimleys +chimmesyan +chimney +chimneyed +chimneyhead +chimneying +chimneyless +chimneylike +chimneyman +chimneypiece +chimneypot +chimneys +chimonanthus +chimopeelagic +chimopelagic +chymosin +chymosinogen +chymosins +chymotrypsin +chymotrypsinogen +chymous +chimp +chimpanzee +chimpanzees +chimps +chimu +chin +china +chinaberry +chinaberries +chinafy +chinafish +chinalike +chinaman +chinamania +chinamaniac +chinamen +chinampa +chinanta +chinantecan +chinantecs +chinaphthol +chinar +chinaroot +chinas +chinatown +chinaware +chinawoman +chinband +chinbeak +chinbone +chinbones +chincapin +chinch +chincha +chinchayote +chinchasuyu +chinche +chincher +chincherinchee +chincherinchees +chinches +chinchy +chinchier +chinchiest +chinchilla +chinchillas +chinchillette +chinchiness +chinching +chinchona +chincloth +chincof +chincona +chincough +chindee +chindi +chine +chined +chinee +chinela +chinenses +chines +chinese +chinesery +chinfest +ching +chingma +chingpaw +chinhwan +chinik +chiniks +chinin +chining +chiniofon +chink +chinkapin +chinkara +chinked +chinker +chinkerinchee +chinkers +chinky +chinkier +chinkiest +chinking +chinkle +chinks +chinles +chinless +chinnam +chinned +chinner +chinners +chinny +chinnier +chinniest +chinning +chino +chinoa +chinoidin +chinoidine +chinois +chinoiserie +chinol +chinoleine +chinoline +chinologist +chinone +chinones +chinook +chinookan +chinooks +chinos +chinotoxine +chinotti +chinotto +chinovnik +chinpiece +chinquapin +chins +chinse +chinsed +chinsing +chint +chints +chintses +chintz +chintze +chintzes +chintzy +chintzier +chintziest +chintziness +chinwag +chinwood +chiococca +chiococcine +chiogenes +chiolite +chyometer +chionablepsia +chionanthus +chionaspis +chionididae +chionis +chionodoxa +chionophobia +chiopin +chiot +chiotilla +chip +chipboard +chipchap +chipchop +chipewyan +chipyard +chiplet +chipling +chipmuck +chipmucks +chipmunk +chipmunks +chipolata +chippable +chippage +chipped +chippendale +chipper +chippered +chippering +chippers +chippewa +chippewas +chippy +chippie +chippier +chippies +chippiest +chipping +chippings +chipproof +chypre +chips +chipwood +chiquero +chiquest +chiquitan +chiquito +chiragra +chiragrical +chirayta +chiral +chiralgia +chirality +chirapsia +chirarthritis +chirata +chiriana +chiricahua +chiriguano +chirimen +chirimia +chirimoya +chirimoyer +chirino +chirinola +chiripa +chirivita +chirk +chirked +chirker +chirkest +chirking +chirks +chirl +chirm +chirmed +chirming +chirms +chiro +chirocosmetics +chirogale +chirogymnast +chirognomy +chirognomic +chirognomically +chirognomist +chirognostic +chirograph +chirographary +chirographer +chirographers +chirography +chirographic +chirographical +chirolas +chirology +chirological +chirologically +chirologies +chirologist +chiromance +chiromancer +chiromancy +chiromancist +chiromant +chiromantic +chiromantical +chiromantis +chiromegaly +chirometer +chiromyidae +chiromys +chiron +chironym +chironomy +chironomic +chironomid +chironomidae +chironomus +chiropatagium +chiroplasty +chiropod +chiropody +chiropodial +chiropodic +chiropodical +chiropodist +chiropodistry +chiropodists +chiropodous +chiropompholyx +chiropractic +chiropractor +chiropractors +chiropraxis +chiropter +chiroptera +chiropteran +chiropterygian +chiropterygious +chiropterygium +chiropterite +chiropterophilous +chiropterous +chiros +chirosophist +chirospasm +chirotes +chirotherian +chirotherium +chirothesia +chirotype +chirotony +chirotonsor +chirotonsory +chirp +chirped +chirper +chirpers +chirpy +chirpier +chirpiest +chirpily +chirpiness +chirping +chirpingly +chirpling +chirps +chirr +chirre +chirred +chirres +chirring +chirrs +chirrup +chirruped +chirruper +chirrupy +chirruping +chirrupper +chirrups +chirt +chiru +chirurgeon +chirurgeonly +chirurgery +chirurgy +chirurgic +chirurgical +chis +chisedec +chisel +chiseled +chiseler +chiselers +chiseling +chiselled +chiseller +chisellers +chiselly +chisellike +chiselling +chiselmouth +chisels +chisled +chistera +chistka +chit +chita +chitak +chital +chitarra +chitarrino +chitarrone +chitarroni +chitchat +chitchats +chitchatted +chitchatty +chitchatting +chithe +chitimacha +chitimachan +chitin +chitinization +chitinized +chitinocalcareous +chitinogenous +chitinoid +chitinous +chitins +chitlin +chitling +chitlings +chitlins +chiton +chitons +chitosamine +chitosan +chitosans +chitose +chitra +chytra +chitrali +chytrid +chytridiaceae +chytridiaceous +chytridial +chytridiales +chytridiose +chytridiosis +chytridium +chytroi +chits +chittack +chittak +chittamwood +chitted +chitter +chittered +chittering +chitterling +chitterlings +chitters +chitty +chitties +chitting +chiule +chiurm +chiv +chivachee +chivage +chivalresque +chivalry +chivalric +chivalries +chivalrous +chivalrously +chivalrousness +chivaree +chivareed +chivareeing +chivarees +chivareing +chivari +chivaried +chivariing +chivaring +chivaris +chivarra +chivarras +chivarro +chive +chivey +chiver +chiveret +chives +chivy +chiviatite +chivied +chivies +chivying +chivvy +chivvied +chivvies +chivvying +chivw +chiwere +chizz +chizzel +chkalik +chkfil +chkfile +chladnite +chlamyd +chlamydate +chlamydeous +chlamydes +chlamydobacteriaceae +chlamydobacteriaceous +chlamydobacteriales +chlamydomonadaceae +chlamydomonadidae +chlamydomonas +chlamydophore +chlamydosaurus +chlamydoselachidae +chlamydoselachus +chlamydospore +chlamydosporic +chlamydozoa +chlamydozoan +chlamyphore +chlamyphorus +chlamys +chlamyses +chleuh +chloanthite +chloasma +chloasmata +chloe +chlor +chloracetate +chloracne +chloraemia +chloragen +chloragogen +chloragogue +chloral +chloralformamide +chloralide +chloralism +chloralization +chloralize +chloralized +chloralizing +chloralose +chloralosed +chlorals +chloralum +chlorambucil +chloramide +chloramin +chloramine +chloramphenicol +chloranaemia +chloranemia +chloranemic +chloranhydride +chloranil +chloranthaceae +chloranthaceous +chloranthy +chloranthus +chlorapatite +chlorargyrite +chlorastrolite +chlorate +chlorates +chlorazide +chlorcosane +chlordan +chlordane +chlordans +chlordiazepoxide +chlore +chlored +chlorella +chlorellaceae +chlorellaceous +chloremia +chloremic +chlorenchyma +chlorguanide +chlorhexidine +chlorhydrate +chlorhydric +chloriamb +chloriambus +chloric +chlorid +chloridate +chloridated +chloridation +chloride +chloridella +chloridellidae +chlorider +chlorides +chloridic +chloridize +chloridized +chloridizing +chlorids +chloryl +chlorimeter +chlorimetry +chlorimetric +chlorin +chlorinate +chlorinated +chlorinates +chlorinating +chlorination +chlorinator +chlorinators +chlorine +chlorines +chlorinity +chlorinize +chlorinous +chlorins +chloriodide +chlorion +chlorioninae +chlorite +chlorites +chloritic +chloritization +chloritize +chloritoid +chlorize +chlormethane +chlormethylic +chlornal +chloro +chloroacetate +chloroacetic +chloroacetone +chloroacetophenone +chloroamide +chloroamine +chloroanaemia +chloroanemia +chloroaurate +chloroauric +chloroaurite +chlorobenzene +chlorobromide +chlorobromomethane +chlorocalcite +chlorocarbon +chlorocarbonate +chlorochromates +chlorochromic +chlorochrous +chlorococcaceae +chlorococcales +chlorococcum +chlorococcus +chlorocresol +chlorocruorin +chlorodyne +chlorodize +chlorodized +chlorodizing +chloroethene +chloroethylene +chlorofluorocarbon +chlorofluoromethane +chloroform +chloroformate +chloroformed +chloroformic +chloroforming +chloroformism +chloroformist +chloroformization +chloroformize +chloroforms +chlorogenic +chlorogenine +chloroguanide +chlorohydrin +chlorohydrocarbon +chlorohydroquinone +chloroid +chloroiodide +chloroleucite +chloroma +chloromata +chloromelanite +chlorometer +chloromethane +chlorometry +chlorometric +chloromycetin +chloronaphthalene +chloronitrate +chloropal +chloropalladates +chloropalladic +chlorophaeite +chlorophane +chlorophenol +chlorophenothane +chlorophyceae +chlorophyceous +chlorophyl +chlorophyll +chlorophyllaceous +chlorophyllan +chlorophyllase +chlorophyllian +chlorophyllide +chlorophylliferous +chlorophylligenous +chlorophylligerous +chlorophyllin +chlorophyllite +chlorophylloid +chlorophyllose +chlorophyllous +chlorophoenicite +chlorophora +chloropia +chloropicrin +chloroplast +chloroplastic +chloroplastid +chloroplasts +chloroplatinate +chloroplatinic +chloroplatinite +chloroplatinous +chloroprene +chloropsia +chloroquine +chlorosilicate +chlorosis +chlorospinel +chlorosulphonic +chlorothiazide +chlorotic +chlorotically +chlorotrifluoroethylene +chlorotrifluoromethane +chlorous +chlorozincate +chlorpheniramine +chlorphenol +chlorpicrin +chlorpikrin +chlorpromazine +chlorpropamide +chlorprophenpyridamine +chlorsalol +chlortetracycline +chm +chmn +chn +chnuphis +cho +choachyte +choak +choana +choanate +choanephora +choanite +choanocytal +choanocyte +choanoflagellata +choanoflagellate +choanoflagellida +choanoflagellidae +choanoid +choanophorous +choanosomal +choanosome +choate +choaty +chob +chobdar +chobie +choca +chocalho +chocard +chocho +chochos +chock +chockablock +chocked +chocker +chockful +chocking +chockler +chockman +chocks +chockstone +choco +chocoan +chocolate +chocolatey +chocolates +chocolaty +chocolatier +chocolatiere +choctaw +choctaws +choel +choenix +choeropsis +choes +choffer +choga +chogak +chogset +choy +choya +choiak +choyaroot +choice +choiceful +choiceless +choicelessness +choicely +choiceness +choicer +choices +choicest +choicy +choicier +choiciest +choil +choile +choiler +choir +choirboy +choirboys +choired +choirgirl +choiring +choirlike +choirman +choirmaster +choirmasters +choyroot +choirs +choirwise +choise +choisya +chok +chokage +choke +chokeable +chokeberry +chokeberries +chokebore +chokecherry +chokecherries +choked +chokedamp +chokey +chokeys +choker +chokered +chokerman +chokers +chokes +chokestrap +chokeweed +choky +chokidar +chokier +chokies +chokiest +choking +chokingly +choko +chokra +chol +chola +cholaemia +cholagogic +cholagogue +cholalic +cholam +cholane +cholangiography +cholangiographic +cholangioitis +cholangitis +cholanic +cholanthrene +cholate +cholates +chold +choleate +cholecalciferol +cholecyanin +cholecyanine +cholecyst +cholecystalgia +cholecystectasia +cholecystectomy +cholecystectomies +cholecystectomized +cholecystenterorrhaphy +cholecystenterostomy +cholecystgastrostomy +cholecystic +cholecystis +cholecystitis +cholecystnephrostomy +cholecystocolostomy +cholecystocolotomy +cholecystoduodenostomy +cholecystogastrostomy +cholecystogram +cholecystography +cholecystoileostomy +cholecystojejunostomy +cholecystokinin +cholecystolithiasis +cholecystolithotripsy +cholecystonephrostomy +cholecystopexy +cholecystorrhaphy +cholecystostomy +cholecystostomies +cholecystotomy +cholecystotomies +choledoch +choledochal +choledochectomy +choledochitis +choledochoduodenostomy +choledochoenterostomy +choledocholithiasis +choledocholithotomy +choledocholithotripsy +choledochoplasty +choledochorrhaphy +choledochostomy +choledochostomies +choledochotomy +choledochotomies +choledography +cholee +cholehematin +choleic +choleine +choleinic +cholelith +cholelithiasis +cholelithic +cholelithotomy +cholelithotripsy +cholelithotrity +cholemia +cholent +cholents +choleokinase +cholepoietic +choler +cholera +choleraic +choleras +choleric +cholerically +cholericly +cholericness +choleriform +cholerigenous +cholerine +choleroid +choleromania +cholerophobia +cholerrhagia +cholers +cholestane +cholestanol +cholesteatoma +cholesteatomatous +cholestene +cholesterate +cholesteremia +cholesteric +cholesteryl +cholesterin +cholesterinemia +cholesterinic +cholesterinuria +cholesterol +cholesterolemia +cholesteroluria +cholesterosis +choletelin +choletherapy +choleuria +choli +choliamb +choliambic +choliambist +cholic +cholick +choline +cholinergic +cholines +cholinesterase +cholinic +cholinolytic +cholla +chollas +choller +chollers +cholo +cholochrome +cholocyanine +choloepus +chologenetic +choloid +choloidic +choloidinic +chololith +chololithic +cholonan +cholones +cholophaein +cholophein +cholorrhea +cholos +choloscopy +cholralosed +cholterheaded +choltry +cholum +choluria +choluteca +chomage +chomer +chomp +chomped +chomper +chompers +chomping +chomps +chon +chonchina +chondral +chondralgia +chondrarsenite +chondre +chondrectomy +chondrenchyma +chondri +chondria +chondric +chondrify +chondrification +chondrified +chondrigen +chondrigenous +chondrilla +chondrin +chondrinous +chondriocont +chondrioma +chondriome +chondriomere +chondriomite +chondriosomal +chondriosome +chondriosomes +chondriosphere +chondrite +chondrites +chondritic +chondritis +chondroadenoma +chondroalbuminoid +chondroangioma +chondroarthritis +chondroblast +chondroblastoma +chondrocarcinoma +chondrocele +chondrocyte +chondroclasis +chondroclast +chondrocoracoid +chondrocostal +chondrocranial +chondrocranium +chondrodynia +chondrodystrophy +chondrodystrophia +chondrodite +chondroditic +chondroendothelioma +chondroepiphysis +chondrofetal +chondrofibroma +chondrofibromatous +chondroganoidei +chondrogen +chondrogenesis +chondrogenetic +chondrogeny +chondrogenous +chondroglossal +chondroglossus +chondrography +chondroid +chondroitic +chondroitin +chondrolipoma +chondrology +chondroma +chondromalacia +chondromas +chondromata +chondromatous +chondromyces +chondromyoma +chondromyxoma +chondromyxosarcoma +chondromucoid +chondropharyngeal +chondropharyngeus +chondrophyte +chondrophore +chondroplast +chondroplasty +chondroplastic +chondroprotein +chondropterygian +chondropterygii +chondropterygious +chondrosamine +chondrosarcoma +chondrosarcomas +chondrosarcomata +chondrosarcomatous +chondroseptum +chondrosin +chondrosis +chondroskeleton +chondrostean +chondrostei +chondrosteoma +chondrosteous +chondrosternal +chondrotome +chondrotomy +chondroxiphoid +chondrule +chondrules +chondrus +chonicrite +chonk +chonolith +chonta +chontal +chontalan +chontaquiro +chontawood +choochoo +chook +chooky +chookie +chookies +choom +choop +choora +choosable +choosableness +choose +chooseable +choosey +chooser +choosers +chooses +choosy +choosier +choosiest +choosiness +choosing +choosingly +chop +chopa +chopas +chopboat +chopdar +chopfallen +chophouse +chophouses +chopin +chopine +chopines +chopins +choplogic +choplogical +chopped +chopper +choppered +choppers +choppy +choppier +choppiest +choppily +choppin +choppiness +chopping +chops +chopstick +chopsticks +chopunnish +chora +choragi +choragy +choragic +choragion +choragium +choragus +choraguses +chorai +choral +choralcelo +chorale +choraleon +chorales +choralist +chorally +chorals +chorasmian +chord +chorda +chordaceae +chordacentrous +chordacentrum +chordaceous +chordal +chordally +chordamesoderm +chordamesodermal +chordamesodermic +chordata +chordate +chordates +chorded +chordee +chordeiles +chording +chorditis +chordoid +chordomesoderm +chordophone +chordotomy +chordotonal +chords +chore +chorea +choreal +choreas +choreatic +chored +choree +choregi +choregy +choregic +choregrapher +choregraphy +choregraphic +choregraphically +choregus +choreguses +chorei +choreic +choreiform +choreman +choremen +choreodrama +choreograph +choreographed +choreographer +choreographers +choreography +choreographic +choreographical +choreographically +choreographing +choreographs +choreoid +choreomania +chorepiscopal +chorepiscope +chorepiscopus +chores +choreus +choreutic +chorgi +chorial +choriamb +choriambi +choriambic +choriambize +choriambs +choriambus +choriambuses +choribi +choric +chorically +chorine +chorines +choring +chorio +chorioadenoma +chorioallantoic +chorioallantoid +chorioallantois +choriocapillary +choriocapillaris +choriocarcinoma +choriocarcinomas +choriocarcinomata +choriocele +chorioepithelioma +chorioepitheliomas +chorioepitheliomata +chorioid +chorioidal +chorioiditis +chorioidocyclitis +chorioidoiritis +chorioidoretinitis +chorioids +chorioma +choriomas +choriomata +chorion +chorionepithelioma +chorionic +chorions +chorioptes +chorioptic +chorioretinal +chorioretinitis +choryos +choripetalae +choripetalous +choriphyllous +chorisepalous +chorisis +chorism +choriso +chorisos +chorist +choristate +chorister +choristers +choristership +choristic +choristoblastoma +choristoma +choristoneura +choristry +chorization +chorizo +chorizont +chorizontal +chorizontes +chorizontic +chorizontist +chorizos +chorobates +chorogi +chorograph +chorographer +chorography +chorographic +chorographical +chorographically +chorographies +choroid +choroidal +choroidea +choroiditis +choroidocyclitis +choroidoiritis +choroidoretinitis +choroids +chorology +chorological +chorologist +choromania +choromanic +chorometry +chorook +chorotega +choroti +chorous +chort +chorten +chorti +chortle +chortled +chortler +chortlers +chortles +chortling +chortosterol +chorus +chorused +choruser +choruses +chorusing +choruslike +chorusmaster +chorussed +chorusses +chorussing +chorwat +chose +chosen +choses +chosing +chott +chotts +chou +chouan +chouanize +choucroute +chouette +choufleur +chough +choughs +chouka +choule +choultry +choultries +chounce +choup +choupic +chouquette +chous +chouse +choused +chouser +chousers +chouses +choush +choushes +chousing +chousingha +chout +choux +chow +chowanoc +chowchow +chowchows +chowder +chowdered +chowderhead +chowderheaded +chowderheadedness +chowdering +chowders +chowed +chowhound +chowing +chowk +chowry +chowries +chows +chowse +chowsed +chowses +chowsing +chowtime +chowtimes +chozar +chrematheism +chrematist +chrematistic +chrematistics +chremsel +chremzel +chremzlach +chreotechnics +chresard +chresards +chresmology +chrestomathy +chrestomathic +chrestomathics +chrestomathies +chry +chria +chrimsel +chris +chrysal +chrysalid +chrysalida +chrysalidal +chrysalides +chrysalidian +chrysaline +chrysalis +chrysalises +chrysaloid +chrysamine +chrysammic +chrysamminic +chrysamphora +chrysanilin +chrysaniline +chrysanisic +chrysanthemin +chrysanthemum +chrysanthemums +chrysanthous +chrysaor +chrysarobin +chrysatropic +chrysazin +chrysazol +chryseis +chryselectrum +chryselephantine +chrysemys +chrysene +chrysenic +chrysid +chrysidella +chrysidid +chrysididae +chrysin +chrysippus +chrysis +chrysler +chryslers +chrism +chrisma +chrismal +chrismale +chrismary +chrismatine +chrismation +chrismatite +chrismatize +chrismatory +chrismatories +chrismon +chrismons +chrisms +chrysoaristocracy +chrysobalanaceae +chrysobalanus +chrysoberyl +chrysobull +chrysocale +chrysocarpous +chrysochlore +chrysochloridae +chrysochloris +chrysochlorous +chrysochrous +chrysocolla +chrysocracy +chrysoeriol +chrysogen +chrysograph +chrysographer +chrysography +chrysohermidin +chrysoidine +chrysolite +chrysolitic +chrysology +chrysolophus +chrisom +chrysome +chrysomelid +chrysomelidae +chrysomyia +chrisomloosing +chrysomonad +chrysomonadales +chrysomonadina +chrysomonadine +chrisoms +chrysopa +chrysopal +chrysopee +chrysophan +chrysophane +chrysophanic +chrysophanus +chrysophenin +chrysophenine +chrysophilist +chrysophilite +chrysophyll +chrysophyllum +chrysophyte +chrysophlyctis +chrysopid +chrysopidae +chrysopoeia +chrysopoetic +chrysopoetics +chrysoprase +chrysoprasus +chrysops +chrysopsis +chrysorin +chrysosperm +chrysosplenium +chrysostomic +chrysothamnus +chrysotherapy +chrysothrix +chrysotile +chrysotis +chrisroot +chrissie +christ +christabel +christadelphian +christadelphianism +christcross +christdom +christed +christen +christendie +christendom +christened +christener +christeners +christenhead +christening +christenmas +christens +christhood +christy +christiad +christian +christiana +christiania +christianiadeal +christianism +christianite +christianity +christianization +christianize +christianized +christianizer +christianizes +christianizing +christianly +christianlike +christianness +christianogentilism +christianography +christianomastix +christianopaganism +christians +christicide +christie +christies +christiform +christina +christine +christless +christlessness +christly +christlike +christlikeness +christliness +christmas +christmasberry +christmases +christmasy +christmasing +christmastide +christocentric +chrystocrene +christofer +christogram +christolatry +christology +christological +christologist +christophany +christophe +christopher +christos +christs +christward +chroatol +chrobat +chroma +chromaffin +chromaffinic +chromamamin +chromammine +chromaphil +chromaphore +chromas +chromascope +chromate +chromates +chromatic +chromatical +chromatically +chromatician +chromaticism +chromaticity +chromaticness +chromatics +chromatid +chromatin +chromatinic +chromatioideae +chromatype +chromatism +chromatist +chromatium +chromatize +chromatocyte +chromatodysopia +chromatogenous +chromatogram +chromatograph +chromatography +chromatographic +chromatographically +chromatoid +chromatolysis +chromatolytic +chromatology +chromatologies +chromatometer +chromatone +chromatopathy +chromatopathia +chromatopathic +chromatophil +chromatophile +chromatophilia +chromatophilic +chromatophilous +chromatophobia +chromatophore +chromatophoric +chromatophorous +chromatoplasm +chromatopsia +chromatoptometer +chromatoptometry +chromatoscope +chromatoscopy +chromatosis +chromatosphere +chromatospheric +chromatrope +chromaturia +chromazurine +chromdiagnosis +chrome +chromed +chromene +chromeplate +chromeplated +chromeplating +chromes +chromesthesia +chrometophobia +chromhidrosis +chromy +chromic +chromicize +chromicizing +chromid +chromidae +chromide +chromides +chromidial +chromididae +chromidiogamy +chromidiosome +chromidium +chromidrosis +chromiferous +chromyl +chrominance +chroming +chromiole +chromism +chromite +chromites +chromitite +chromium +chromiums +chromize +chromized +chromizes +chromizing +chromo +chromobacterieae +chromobacterium +chromoblast +chromocenter +chromocentral +chromochalcography +chromochalcographic +chromocyte +chromocytometer +chromocollograph +chromocollography +chromocollographic +chromocollotype +chromocollotypy +chromocratic +chromoctye +chromodermatosis +chromodiascope +chromogen +chromogene +chromogenesis +chromogenetic +chromogenic +chromogenous +chromogram +chromograph +chromoisomer +chromoisomeric +chromoisomerism +chromoleucite +chromolipoid +chromolysis +chromolith +chromolithic +chromolithograph +chromolithographer +chromolithography +chromolithographic +chromomere +chromomeric +chromometer +chromone +chromonema +chromonemal +chromonemata +chromonematal +chromonematic +chromonemic +chromoparous +chromophage +chromophane +chromophil +chromophyl +chromophile +chromophilia +chromophilic +chromophyll +chromophilous +chromophobe +chromophobia +chromophobic +chromophor +chromophore +chromophoric +chromophorous +chromophotograph +chromophotography +chromophotographic +chromophotolithograph +chromoplasm +chromoplasmic +chromoplast +chromoplastid +chromoprotein +chromopsia +chromoptometer +chromoptometrical +chromos +chromosantonin +chromoscope +chromoscopy +chromoscopic +chromosomal +chromosomally +chromosome +chromosomes +chromosomic +chromosphere +chromospheres +chromospheric +chromotherapy +chromotherapist +chromotype +chromotypy +chromotypic +chromotypography +chromotypographic +chromotrope +chromotropy +chromotropic +chromotropism +chromous +chromoxylograph +chromoxylography +chromule +chron +chronal +chronanagram +chronaxy +chronaxia +chronaxie +chronaxies +chroncmeter +chronic +chronica +chronical +chronically +chronicity +chronicle +chronicled +chronicler +chroniclers +chronicles +chronicling +chronicon +chronics +chronique +chronisotherm +chronist +chronobarometer +chronobiology +chronocarator +chronocyclegraph +chronocinematography +chronocrator +chronodeik +chronogeneous +chronogenesis +chronogenetic +chronogram +chronogrammatic +chronogrammatical +chronogrammatically +chronogrammatist +chronogrammic +chronograph +chronographer +chronography +chronographic +chronographical +chronographically +chronographs +chronoisothermal +chronol +chronologer +chronology +chronologic +chronological +chronologically +chronologies +chronologist +chronologists +chronologize +chronologizing +chronomancy +chronomantic +chronomastix +chronometer +chronometers +chronometry +chronometric +chronometrical +chronometrically +chronon +chrononomy +chronons +chronopher +chronophotograph +chronophotography +chronophotographic +chronos +chronoscope +chronoscopy +chronoscopic +chronoscopically +chronoscopv +chronosemic +chronostichon +chronothermal +chronothermometer +chronotropic +chronotropism +chroococcaceae +chroococcaceous +chroococcales +chroococcoid +chroococcus +chrosperma +chrotta +chs +chteau +chthonian +chthonic +chthonophagy +chthonophagia +chuana +chub +chubasco +chubascos +chubb +chubbed +chubbedness +chubby +chubbier +chubbiest +chubbily +chubbiness +chubs +chubsucker +chuchona +chuck +chuckawalla +chucked +chucker +chuckfarthing +chuckfull +chuckhole +chuckholes +chucky +chuckie +chuckies +chucking +chuckingly +chuckle +chuckled +chucklehead +chuckleheaded +chuckleheadedness +chuckler +chucklers +chuckles +chucklesome +chuckling +chucklingly +chuckram +chuckrum +chucks +chuckstone +chuckwalla +chud +chuddah +chuddahs +chuddar +chuddars +chudder +chudders +chude +chudic +chuet +chueta +chufa +chufas +chuff +chuffed +chuffer +chuffest +chuffy +chuffier +chuffiest +chuffily +chuffiness +chuffing +chuffs +chug +chugalug +chugalugged +chugalugging +chugalugs +chugged +chugger +chuggers +chugging +chughole +chugs +chuhra +chuje +chukar +chukars +chukchi +chukka +chukkar +chukkars +chukkas +chukker +chukkers +chukor +chulan +chulha +chullo +chullpa +chulpa +chultun +chum +chumar +chumashan +chumawi +chumble +chummage +chummed +chummer +chummery +chummy +chummier +chummies +chummiest +chummily +chumminess +chumming +chump +chumpa +chumpaka +chumped +chumpy +chumpiness +chumping +chumpish +chumpishness +chumpivilca +chumps +chums +chumship +chumships +chumulu +chun +chunam +chunari +chuncho +chundari +chunder +chunderous +chung +chunga +chungking +chunk +chunked +chunkhead +chunky +chunkier +chunkiest +chunkily +chunkiness +chunking +chunks +chunner +chunnia +chunter +chuntered +chuntering +chunters +chupak +chupatti +chupatty +chupon +chuppah +chuppahs +chuppoth +chuprassi +chuprassy +chuprassie +churada +church +churchanity +churchcraft +churchdom +churched +churches +churchful +churchgo +churchgoer +churchgoers +churchgoing +churchgrith +churchy +churchianity +churchyard +churchyards +churchier +churchiest +churchified +churchill +churchiness +churching +churchish +churchism +churchite +churchless +churchlet +churchly +churchlier +churchliest +churchlike +churchliness +churchman +churchmanly +churchmanship +churchmaster +churchmen +churchreeve +churchscot +churchshot +churchway +churchward +churchwarden +churchwardenism +churchwardenize +churchwardens +churchwardenship +churchwards +churchwise +churchwoman +churchwomen +churel +churidars +churinga +churingas +churl +churled +churlhood +churly +churlier +churliest +churlish +churlishly +churlishness +churls +churm +churn +churnability +churnable +churned +churner +churners +churnful +churning +churnings +churnmilk +churns +churnstaff +churoya +churoyan +churr +churrasco +churred +churrigueresco +churrigueresque +churring +churrip +churro +churrs +churruck +churrus +churrworm +chuse +chuser +chusite +chut +chute +chuted +chuter +chutes +chuting +chutist +chutists +chutnee +chutnees +chutney +chutneys +chuttie +chutzpa +chutzpadik +chutzpah +chutzpahs +chutzpanik +chutzpas +chuumnapm +chuvash +chuvashes +chuzwi +chwana +chwas +cy +cia +cyaathia +cyamelid +cyamelide +cyamid +cyamoid +cyamus +cyan +cyanacetic +cyanamid +cyanamide +cyanamids +cyananthrol +cyanastraceae +cyanastrum +cyanate +cyanates +cyanaurate +cyanauric +cyanbenzyl +cyancarbonic +cyanea +cyanean +cyanemia +cyaneous +cyanephidrosis +cyanformate +cyanformic +cyanhydrate +cyanhydric +cyanhydrin +cyanhidrosis +cyanic +cyanicide +cyanid +cyanidation +cyanide +cyanided +cyanides +cyanidin +cyanidine +cyaniding +cyanidrosis +cyanids +cyanimide +cyanin +cyanine +cyanines +cyanins +cyanite +cyanites +cyanitic +cyanize +cyanized +cyanizing +cyanmethemoglobin +cyano +cyanoacetate +cyanoacetic +cyanoacrylate +cyanoaurate +cyanoauric +cyanobenzene +cyanocarbonic +cyanochlorous +cyanochroia +cyanochroic +cyanocitta +cyanocobalamin +cyanocobalamine +cyanocrystallin +cyanoderma +cyanoethylate +cyanoethylation +cyanogen +cyanogenamide +cyanogenesis +cyanogenetic +cyanogenic +cyanogens +cyanoguanidine +cyanohermidin +cyanohydrin +cyanol +cyanole +cyanomaclurin +cyanometer +cyanomethaemoglobin +cyanomethemoglobin +cyanometry +cyanometric +cyanometries +cyanopathy +cyanopathic +cyanophyceae +cyanophycean +cyanophyceous +cyanophycin +cyanophil +cyanophile +cyanophilous +cyanophoric +cyanophose +cyanopia +cyanoplastid +cyanoplatinite +cyanoplatinous +cyanopsia +cyanose +cyanosed +cyanoses +cyanosis +cyanosite +cyanospiza +cyanotic +cyanotype +cyanotrichite +cyans +cyanuramide +cyanurate +cyanuret +cyanuric +cyanurin +cyanurine +cyanus +ciao +cyaphenine +cyath +cyathaspis +cyathea +cyatheaceae +cyatheaceous +cyathi +cyathia +cyathiform +cyathium +cyathoid +cyatholith +cyathophyllidae +cyathophylline +cyathophylloid +cyathophyllum +cyathos +cyathozooid +cyathus +cibaria +cibarial +cibarian +cibaries +cibarious +cibarium +cibation +cibbaria +cibboria +cybele +cybercultural +cyberculture +cybernate +cybernated +cybernating +cybernation +cybernetic +cybernetical +cybernetically +cybernetician +cyberneticist +cyberneticists +cybernetics +cybernion +cybister +cibol +cibola +cibolan +cibolero +cibols +ciboney +cibophobia +cibophobiafood +cyborg +cyborgs +cibory +ciboria +ciborium +ciboule +ciboules +cyc +cicad +cycad +cicada +cycadaceae +cycadaceous +cicadae +cycadales +cicadas +cycadean +cicadellidae +cycadeoid +cycadeoidea +cycadeous +cicadid +cicadidae +cycadiform +cycadite +cycadlike +cycadofilicale +cycadofilicales +cycadofilices +cycadofilicinean +cycadophyta +cycadophyte +cycads +cicala +cicalas +cicale +cycas +cycases +cycasin +cycasins +cicatrice +cicatrices +cicatricial +cicatricle +cicatricose +cicatricula +cicatriculae +cicatricule +cicatrisant +cicatrisate +cicatrisation +cicatrise +cicatrised +cicatriser +cicatrising +cicatrisive +cicatrix +cicatrixes +cicatrizant +cicatrizate +cicatrization +cicatrize +cicatrized +cicatrizer +cicatrizing +cicatrose +cicely +cicelies +cicer +cicero +ciceronage +cicerone +cicerones +ciceroni +ciceronian +ciceronianism +ciceronianisms +ciceronianist +ciceronianists +ciceronianize +ciceronians +ciceronic +ciceronically +ciceroning +ciceronism +ciceronize +ciceros +cichar +cichlid +cichlidae +cichlids +cichloid +cichoraceous +cichoriaceae +cichoriaceous +cichorium +cicindela +cicindelid +cicindelidae +cicisbei +cicisbeism +cicisbeo +cycl +cyclades +cycladic +cyclamate +cyclamates +cyclamen +cyclamens +cyclamin +cyclamine +cyclammonium +cyclane +cyclanthaceae +cyclanthaceous +cyclanthales +cyclanthus +cyclar +cyclarthrodial +cyclarthrosis +cyclarthrsis +cyclas +cyclase +cyclases +ciclatoun +cyclazocine +cycle +cyclecar +cyclecars +cycled +cycledom +cyclene +cycler +cyclers +cycles +cyclesmith +cycliae +cyclian +cyclic +cyclical +cyclicality +cyclically +cyclicalness +cyclicism +cyclicity +cyclicly +cyclide +cyclindroid +cycling +cyclings +cyclism +cyclist +cyclistic +cyclists +cyclitic +cyclitis +cyclitol +cyclitols +cyclization +cyclize +cyclized +cyclizes +cyclizing +cyclo +cycloacetylene +cycloaddition +cycloaliphatic +cycloalkane +cyclobothra +cyclobutane +cyclocephaly +cyclocoelic +cyclocoelous +cycloconium +cyclode +cyclodiene +cyclodiolefin +cyclodiolefine +cycloganoid +cycloganoidei +cyclogenesis +cyclogram +cyclograph +cyclographer +cycloheptane +cycloheptanone +cyclohexadienyl +cyclohexane +cyclohexanol +cyclohexanone +cyclohexatriene +cyclohexene +cyclohexyl +cyclohexylamine +cycloheximide +cycloid +cycloidal +cycloidally +cycloidean +cycloidei +cycloidian +cycloidotrope +cycloids +cyclolysis +cyclolith +cycloloma +cyclomania +cyclometer +cyclometers +cyclometry +cyclometric +cyclometrical +cyclometries +cyclomyaria +cyclomyarian +cyclonal +cyclone +cyclones +cyclonic +cyclonical +cyclonically +cyclonist +cyclonite +cyclonology +cyclonologist +cyclonometer +cyclonoscope +cycloolefin +cycloolefine +cycloolefinic +cyclop +cyclopaedia +cyclopaedias +cyclopaedic +cyclopaedically +cyclopaedist +cycloparaffin +cyclope +cyclopean +cyclopedia +cyclopedias +cyclopedic +cyclopedical +cyclopedically +cyclopedist +cyclopentadiene +cyclopentane +cyclopentanone +cyclopentene +cyclopes +cyclophoria +cyclophoric +cyclophorus +cyclophosphamide +cyclophrenia +cyclopy +cyclopia +cyclopic +cyclopism +cyclopite +cycloplegia +cycloplegic +cyclopoid +cyclopropane +cyclops +cyclopteridae +cyclopteroid +cyclopterous +cyclorama +cycloramas +cycloramic +cyclorrhapha +cyclorrhaphous +cyclos +cycloscope +cyclose +cycloserine +cycloses +cyclosilicate +cyclosis +cyclospermous +cyclospondyli +cyclospondylic +cyclospondylous +cyclosporales +cyclosporeae +cyclosporinae +cyclosporous +cyclostylar +cyclostyle +cyclostoma +cyclostomata +cyclostomate +cyclostomatidae +cyclostomatous +cyclostome +cyclostomes +cyclostomi +cyclostomidae +cyclostomous +cyclostrophic +cyclotella +cyclothem +cyclothyme +cyclothymia +cyclothymiac +cyclothymic +cyclothure +cyclothurine +cyclothurus +cyclotome +cyclotomy +cyclotomic +cyclotomies +cyclotosaurus +cyclotrimethylenetrinitramine +cyclotron +cyclotrons +cyclovertebral +cyclus +cicone +ciconia +ciconiae +ciconian +ciconiform +ciconiid +ciconiidae +ciconiiform +ciconiiformes +ciconine +ciconioid +cicoree +cicorees +cicrumspections +cicurate +cicuta +cicutoxin +cid +cidarid +cidaridae +cidaris +cidaroida +cider +cyder +ciderish +ciderist +ciderkin +ciderlike +ciders +cyders +cydippe +cydippian +cydippid +cydippida +cydon +cydonia +cydonian +cydonium +cie +cienaga +cienega +cierge +cierzo +cierzos +cyeses +cyesiology +cyesis +cyetic +cif +cig +cigala +cigale +cigar +cigaresque +cigaret +cigarets +cigarette +cigarettes +cigarfish +cigarillo +cigarillos +cigarito +cigaritos +cigarless +cigars +cygneous +cygnet +cygnets +cygnid +cygninae +cygnine +cygnus +cigua +ciguatera +cyke +cyl +cilantro +cilantros +cilectomy +cilery +cilia +ciliary +ciliata +ciliate +ciliated +ciliately +ciliates +ciliation +cilice +cilices +cylices +cilician +cilicious +cilicism +ciliectomy +ciliella +ciliferous +ciliform +ciliiferous +ciliiform +ciliium +cylinder +cylindered +cylinderer +cylindering +cylinderlike +cylinders +cylindraceous +cylindrarthrosis +cylindrella +cylindrelloid +cylindrenchema +cylindrenchyma +cylindric +cylindrical +cylindricality +cylindrically +cylindricalness +cylindricity +cylindricule +cylindriform +cylindrite +cylindrocellular +cylindrocephalic +cylindrocylindric +cylindroconical +cylindroconoidal +cylindrodendrite +cylindrograph +cylindroid +cylindroidal +cylindroma +cylindromata +cylindromatous +cylindrometric +cylindroogival +cylindrophis +cylindrosporium +cylindruria +cilioflagellata +cilioflagellate +ciliograde +ciliola +ciliolate +ciliolum +ciliophora +cilioretinal +cilioscleral +ciliospinal +ciliotomy +cilium +cylix +cill +cyllenian +cyllenius +cylloses +cillosis +cyllosis +cima +cyma +cymae +cymagraph +cimaise +cymaise +cymaphen +cymaphyte +cymaphytic +cymaphytism +cymar +cymarin +cimaroon +cymarose +cymars +cymas +cymatia +cymation +cymatium +cymba +cymbaeform +cimbal +cymbal +cymbalaria +cymbaled +cymbaleer +cymbaler +cymbalers +cymbaline +cymbalist +cymbalists +cymballed +cymballike +cymballing +cymbalo +cimbalom +cymbalom +cimbaloms +cymbalon +cymbals +cymbate +cymbel +cymbella +cimbia +cymbid +cymbidium +cymbiform +cymbium +cymblin +cymbling +cymblings +cymbocephaly +cymbocephalic +cymbocephalous +cymbopogon +cimborio +cimbri +cimbrian +cimbric +cimcumvention +cyme +cymelet +cimelia +cimeliarch +cimelium +cymene +cymenes +cymes +cimeter +cimex +cimices +cimicid +cimicidae +cimicide +cimiciform +cimicifuga +cimicifugin +cimicoid +cimier +cymiferous +ciminite +cymlin +cimline +cymling +cymlings +cymlins +cimmaron +cimmeria +cimmerian +cimmerianism +cimnel +cymobotryose +cymodoceaceae +cymogene +cymogenes +cymograph +cymographic +cymoid +cymoidium +cymol +cimolite +cymols +cymometer +cymophane +cymophanous +cymophenol +cymophobia +cymoscope +cymose +cymosely +cymotrichy +cymotrichous +cymous +cymraeg +cymry +cymric +cymrite +cymtia +cymule +cymulose +cynanche +cynanchum +cynanthropy +cynara +cynaraceous +cynarctomachy +cynareous +cynaroid +cinch +cincha +cinched +cincher +cinches +cinching +cincholoipon +cincholoiponic +cinchomeronic +cinchona +cinchonaceae +cinchonaceous +cinchonamin +cinchonamine +cinchonas +cinchonate +cinchonia +cinchonic +cinchonicin +cinchonicine +cinchonidia +cinchonidine +cinchonin +cinchonine +cinchoninic +cinchonisation +cinchonise +cinchonised +cinchonising +cinchonism +cinchonization +cinchonize +cinchonized +cinchonizing +cinchonology +cinchophen +cinchotine +cinchotoxine +cincinatti +cincinnal +cincinnati +cincinnatia +cincinnatian +cincinni +cincinnus +cinclidae +cinclides +cinclidotus +cinclis +cinclus +cinct +cincture +cinctured +cinctures +cincturing +cinder +cindered +cinderella +cindery +cindering +cinderlike +cinderman +cinderous +cinders +cindy +cindie +cine +cineangiocardiography +cineangiocardiographic +cineangiography +cineangiographic +cineast +cineaste +cineastes +cineasts +cynebot +cinecamera +cinefaction +cinefilm +cynegetic +cynegetics +cynegild +cinel +cinema +cinemactic +cinemagoer +cinemagoers +cinemas +cinemascope +cinematheque +cinematheques +cinematic +cinematical +cinematically +cinematics +cinematize +cinematized +cinematizing +cinematograph +cinematographer +cinematographers +cinematography +cinematographic +cinematographical +cinematographically +cinematographies +cinematographist +cinemelodrama +cinemese +cinemize +cinemograph +cinenchym +cinenchyma +cinenchymatous +cinene +cinenegative +cineol +cineole +cineoles +cineolic +cineols +cinephone +cinephotomicrography +cineplasty +cineplastics +cineraceous +cineradiography +cinerama +cinerararia +cinerary +cineraria +cinerarias +cinerarium +cineration +cinerator +cinerea +cinereal +cinereous +cinerin +cinerins +cineritious +cinerous +cines +cinevariety +cingalese +cynghanedd +cingle +cingula +cingular +cingulate +cingulated +cingulectomy +cingulectomies +cingulum +cynhyena +cynias +cyniatria +cyniatrics +cynic +cynical +cynically +cynicalness +cynicism +cynicisms +cynicist +cynics +ciniphes +cynipid +cynipidae +cynipidous +cynipoid +cynipoidea +cynips +cynism +cinnabar +cinnabaric +cinnabarine +cinnabars +cinnamal +cinnamaldehyde +cinnamate +cinnamein +cinnamene +cinnamenyl +cinnamic +cinnamyl +cinnamylidene +cinnamyls +cinnamodendron +cinnamoyl +cinnamol +cinnamomic +cinnamomum +cinnamon +cinnamoned +cinnamonic +cinnamonlike +cinnamonroot +cinnamons +cinnamonwood +cinnyl +cinnolin +cinnoline +cynocephalic +cynocephalous +cynocephalus +cynoclept +cynocrambaceae +cynocrambaceous +cynocrambe +cynodictis +cynodon +cynodont +cynodontia +cinofoil +cynogale +cynogenealogy +cynogenealogist +cynoglossum +cynognathus +cynography +cynoid +cynoidea +cynology +cynomys +cynomolgus +cynomoriaceae +cynomoriaceous +cynomorium +cynomorpha +cynomorphic +cynomorphous +cynophile +cynophilic +cynophilist +cynophobe +cynophobia +cynopithecidae +cynopithecoid +cynopodous +cynorrhoda +cynorrhodon +cynosarges +cynoscion +cynosura +cynosural +cynosure +cynosures +cynosurus +cynotherapy +cynoxylon +cinquain +cinquains +cinquanter +cinque +cinquecentism +cinquecentist +cinquecento +cinquedea +cinquefoil +cinquefoiled +cinquefoils +cinquepace +cinques +cinter +cynthia +cynthian +cynthiidae +cynthius +cintre +cinura +cinuran +cinurous +cion +cionectomy +cionitis +cionocranial +cionocranian +cionoptosis +cionorrhaphia +cionotome +cionotomy +cions +cioppino +cioppinos +cyp +cipaye +cipango +cyperaceae +cyperaceous +cyperus +cyphella +cyphellae +cyphellate +cipher +cypher +cipherable +cipherdom +ciphered +cyphered +cipherer +cipherhood +ciphering +cyphering +ciphers +cyphers +ciphertext +ciphertexts +cyphomandra +cyphonautes +ciphony +ciphonies +cyphonism +cyphosis +cipo +cipolin +cipolins +cipollino +cippi +cippus +cypraea +cypraeid +cypraeidae +cypraeiform +cypraeoid +cypre +cypres +cypreses +cypress +cypressed +cypresses +cypressroot +cypria +cyprian +cyprians +cyprid +cyprididae +cypridina +cypridinidae +cypridinoid +cyprina +cyprine +cyprinid +cyprinidae +cyprinids +cypriniform +cyprinin +cyprinine +cyprinodont +cyprinodontes +cyprinodontidae +cyprinodontoid +cyprinoid +cyprinoidea +cyprinoidean +cyprinus +cypriot +cypriote +cypriotes +cypriots +cypripedin +cypripedium +cypris +cyproheptadine +cyproterone +cyprus +cypruses +cypsela +cypselae +cypseli +cypselid +cypselidae +cypseliform +cypseliformes +cypseline +cypseloid +cypselomorph +cypselomorphae +cypselomorphic +cypselous +cypselus +cyptozoic +cir +cyrano +circ +circa +circadian +circaea +circaeaceae +circaetus +circar +circassian +circassic +circe +circean +circensian +circinal +circinate +circinately +circination +circinus +circiter +circle +circled +circler +circlers +circles +circlet +circleting +circlets +circlewise +circline +circling +circocele +circovarian +circs +circue +circuit +circuitable +circuital +circuited +circuiteer +circuiter +circuity +circuities +circuiting +circuition +circuitman +circuitmen +circuitor +circuitous +circuitously +circuitousness +circuitry +circuits +circuituously +circulable +circulant +circular +circularisation +circularise +circularised +circulariser +circularising +circularism +circularity +circularities +circularization +circularizations +circularize +circularized +circularizer +circularizers +circularizes +circularizing +circularly +circularness +circulars +circularwise +circulatable +circulate +circulated +circulates +circulating +circulation +circulations +circulative +circulator +circulatory +circulatories +circulators +circule +circulet +circuli +circulin +circulus +circum +circumaction +circumadjacent +circumagitate +circumagitation +circumambages +circumambagious +circumambience +circumambiency +circumambiencies +circumambient +circumambiently +circumambulate +circumambulated +circumambulates +circumambulating +circumambulation +circumambulations +circumambulator +circumambulatory +circumanal +circumantarctic +circumarctic +circumarticular +circumaviate +circumaviation +circumaviator +circumaxial +circumaxile +circumaxillary +circumbasal +circumbendibus +circumbendibuses +circumboreal +circumbuccal +circumbulbar +circumcallosal +circumcellion +circumcenter +circumcentral +circumcinct +circumcincture +circumcircle +circumcise +circumcised +circumciser +circumcises +circumcising +circumcision +circumcisions +circumcission +circumclude +circumclusion +circumcolumnar +circumcone +circumconic +circumcorneal +circumcrescence +circumcrescent +circumdate +circumdenudation +circumdiction +circumduce +circumducing +circumduct +circumducted +circumduction +circumesophagal +circumesophageal +circumfer +circumference +circumferences +circumferent +circumferential +circumferentially +circumferentor +circumflant +circumflect +circumflex +circumflexes +circumflexion +circumfluence +circumfluent +circumfluous +circumforaneous +circumfulgent +circumfuse +circumfused +circumfusile +circumfusing +circumfusion +circumgenital +circumgestation +circumgyrate +circumgyration +circumgyratory +circumhorizontal +circumincession +circuminsession +circuminsular +circumintestinal +circumitineration +circumjacence +circumjacency +circumjacencies +circumjacent +circumjovial +circumlental +circumlitio +circumlittoral +circumlocute +circumlocution +circumlocutional +circumlocutionary +circumlocutionist +circumlocutions +circumlocutory +circumlunar +circummeridian +circummeridional +circummigrate +circummigration +circummundane +circummure +circummured +circummuring +circumnatant +circumnavigable +circumnavigate +circumnavigated +circumnavigates +circumnavigating +circumnavigation +circumnavigations +circumnavigator +circumnavigatory +circumneutral +circumnuclear +circumnutate +circumnutated +circumnutating +circumnutation +circumnutatory +circumocular +circumoesophagal +circumoral +circumorbital +circumpacific +circumpallial +circumparallelogram +circumpentagon +circumplanetary +circumplect +circumplicate +circumplication +circumpolar +circumpolygon +circumpose +circumposition +circumquaque +circumradii +circumradius +circumradiuses +circumrenal +circumrotate +circumrotated +circumrotating +circumrotation +circumrotatory +circumsail +circumsaturnian +circumsciss +circumscissile +circumscribable +circumscribe +circumscribed +circumscriber +circumscribes +circumscribing +circumscript +circumscription +circumscriptions +circumscriptive +circumscriptively +circumscriptly +circumscrive +circumsession +circumsinous +circumsolar +circumspangle +circumspatial +circumspect +circumspection +circumspective +circumspectively +circumspectly +circumspectness +circumspheral +circumsphere +circumstance +circumstanced +circumstances +circumstancing +circumstant +circumstantiability +circumstantiable +circumstantial +circumstantiality +circumstantialities +circumstantially +circumstantialness +circumstantiate +circumstantiated +circumstantiates +circumstantiating +circumstantiation +circumstantiations +circumstellar +circumtabular +circumterraneous +circumterrestrial +circumtonsillar +circumtropical +circumumbilical +circumundulate +circumundulation +circumvallate +circumvallated +circumvallating +circumvallation +circumvascular +circumvent +circumventable +circumvented +circumventer +circumventing +circumvention +circumventions +circumventive +circumventor +circumvents +circumvest +circumviate +circumvoisin +circumvolant +circumvolute +circumvolution +circumvolutory +circumvolve +circumvolved +circumvolving +circumzenithal +circus +circuses +circusy +circut +circuted +circuting +circuts +cire +cyrenaic +cyrenaicism +cyrenian +cires +cyril +cyrilla +cyrillaceae +cyrillaceous +cyrillian +cyrillianism +cyrillic +cyriologic +cyriological +cirl +cirmcumferential +cirque +cirques +cirrate +cirrated +cirratulidae +cirratulus +cirrhopetalum +cirrhopod +cirrhose +cirrhosed +cirrhosis +cirrhotic +cirrhous +cirrhus +cirri +cirribranch +cirriferous +cirriform +cirrigerous +cirrigrade +cirriped +cirripede +cirripedia +cirripedial +cirripeds +cirrocumular +cirrocumulative +cirrocumulous +cirrocumulus +cirrolite +cirropodous +cirrose +cirrosely +cirrostome +cirrostomi +cirrostrative +cirrostratus +cirrous +cirrus +cirsectomy +cirsectomies +cirsium +cirsocele +cirsoid +cirsomphalos +cirsophthalmia +cirsotome +cirsotomy +cirsotomies +cyrtandraceae +cirterion +cyrtidae +cyrtoceracone +cyrtoceras +cyrtoceratite +cyrtoceratitic +cyrtograph +cyrtolite +cyrtometer +cyrtomium +cyrtopia +cyrtosis +cyrtostyle +ciruela +cirurgian +cyrus +ciruses +cis +cisalpine +cisalpinism +cisandine +cisatlantic +cisco +ciscoes +ciscos +cise +ciseaux +cisele +ciseleur +ciseleurs +ciselure +ciselures +cisgangetic +cising +cisium +cisjurane +cisleithan +cislunar +cismarine +cismontane +cismontanism +cisoceanic +cispadane +cisplatine +cispontine +cisrhenane +cissampelos +cissy +cissies +cissing +cissoid +cissoidal +cissoids +cissus +cist +cyst +cista +cistaceae +cistaceous +cystadenoma +cystadenosarcoma +cistae +cystal +cystalgia +cystamine +cystaster +cystathionine +cystatrophy +cystatrophia +cysteamine +cystectasy +cystectasia +cystectomy +cystectomies +cisted +cysted +cystein +cysteine +cysteines +cysteinic +cysteins +cystelcosis +cystenchyma +cystenchymatous +cystenchyme +cystencyte +cistercian +cistercianism +cysterethism +cistern +cisterna +cisternae +cisternal +cisterns +cistic +cystic +cysticarpic +cysticarpium +cysticercerci +cysticerci +cysticercoid +cysticercoidal +cysticercosis +cysticercus +cysticerus +cysticle +cysticolous +cystid +cystidea +cystidean +cystidia +cystidicolous +cystidium +cystidiums +cystiferous +cystiform +cystigerous +cystignathidae +cystignathine +cystin +cystine +cystines +cystinosis +cystinuria +cystirrhea +cystis +cystitides +cystitis +cystitome +cystoadenoma +cystocarcinoma +cystocarp +cystocarpic +cystocele +cystocyte +cystocolostomy +cystodynia +cystoelytroplasty +cystoenterocele +cystoepiplocele +cystoepithelioma +cystofibroma +cystoflagellata +cystoflagellate +cystogenesis +cystogenous +cystogram +cystoid +cystoidea +cystoidean +cystoids +cystolith +cystolithectomy +cystolithiasis +cystolithic +cystoma +cystomas +cystomata +cystomatous +cystometer +cystomyoma +cystomyxoma +cystomorphous +cystonectae +cystonectous +cystonephrosis +cystoneuralgia +cystoparalysis +cystophora +cystophore +cistophori +cistophoric +cistophorus +cystophotography +cystophthisis +cystopyelitis +cystopyelography +cystopyelonephritis +cystoplasty +cystoplegia +cystoproctostomy +cystopteris +cystoptosis +cystopus +cystoradiography +cistori +cystorrhagia +cystorrhaphy +cystorrhea +cystosarcoma +cystoschisis +cystoscope +cystoscopy +cystoscopic +cystoscopies +cystose +cystosyrinx +cystospasm +cystospastic +cystospore +cystostomy +cystostomies +cystotome +cystotomy +cystotomies +cystotrachelotomy +cystoureteritis +cystourethritis +cystourethrography +cystous +cistron +cistronic +cistrons +cists +cysts +cistudo +cistus +cistuses +cistvaen +cit +citable +citadel +citadels +cital +cytase +cytasic +cytaster +cytasters +citation +citational +citations +citator +citatory +citators +citatum +cite +citeable +cited +citee +citellus +citer +citers +cites +citess +cithara +citharas +citharexylum +citharist +citharista +citharoedi +citharoedic +citharoedus +cither +cythera +cytherea +cytherean +cytherella +cytherellidae +cithern +citherns +cithers +cithren +cithrens +city +citybuster +citicism +citycism +citicorp +cytidine +cytidines +citydom +citied +cities +citify +citification +citified +cityfied +citifies +citifying +cityfolk +cityful +citigradae +citigrade +cityish +cityless +citylike +cytinaceae +cytinaceous +cityness +citynesses +citing +cytinus +cytioderm +cytioderma +cityscape +cityscapes +cytisine +cytisus +cytitis +cityward +citywards +citywide +citizen +citizendom +citizeness +citizenhood +citizenish +citizenism +citizenize +citizenized +citizenizing +citizenly +citizenry +citizenries +citizens +citizenship +cytoanalyzer +cytoarchitectural +cytoarchitecturally +cytoarchitecture +cytoblast +cytoblastema +cytoblastemal +cytoblastematous +cytoblastemic +cytoblastemous +cytocentrum +cytochalasin +cytochemical +cytochemistry +cytochylema +cytochrome +cytocide +cytocyst +cytoclasis +cytoclastic +cytococci +cytococcus +cytode +cytodendrite +cytoderm +cytodiagnosis +cytodieresis +cytodieretic +cytodifferentiation +cytoecology +cytogamy +cytogene +cytogenesis +cytogenetic +cytogenetical +cytogenetically +cytogeneticist +cytogenetics +cytogeny +cytogenic +cytogenies +cytogenous +cytoglobin +cytoglobulin +cytohyaloplasm +cytoid +citoyen +citoyenne +citoyens +cytokinesis +cytokinetic +cytokinin +cytol +citola +citolas +citole +citoler +citolers +citoles +cytolymph +cytolysin +cytolysis +cytolist +cytolytic +cytology +cytologic +cytological +cytologically +cytologies +cytologist +cytologists +cytoma +cytome +cytomegalic +cytomegalovirus +cytomere +cytometer +cytomicrosome +cytomitome +cytomorphology +cytomorphological +cytomorphosis +cyton +cytone +cytons +cytopahgous +cytoparaplastin +cytopathic +cytopathogenic +cytopathogenicity +cytopathology +cytopathologic +cytopathological +cytopathologically +cytopenia +cytophaga +cytophagy +cytophagic +cytophagous +cytopharynges +cytopharynx +cytopharynxes +cytophil +cytophilic +cytophysics +cytophysiology +cytopyge +cytoplasm +cytoplasmic +cytoplasmically +cytoplast +cytoplastic +cytoproct +cytoreticulum +cytoryctes +cytosin +cytosine +cytosines +cytosome +cytospectrophotometry +cytospora +cytosporina +cytost +cytostatic +cytostatically +cytostomal +cytostome +cytostroma +cytostromatic +cytotactic +cytotaxis +cytotaxonomy +cytotaxonomic +cytotaxonomically +cytotechnology +cytotechnologist +cytotoxic +cytotoxicity +cytotoxin +cytotrophy +cytotrophoblast +cytotrophoblastic +cytotropic +cytotropism +cytovirin +cytozymase +cytozyme +cytozoa +cytozoic +cytozoon +cytozzoa +citraconate +citraconic +citral +citrals +citramide +citramontane +citrange +citrangeade +citrate +citrated +citrates +citrean +citrene +citreous +citric +citriculture +citriculturist +citril +citrylidene +citrin +citrination +citrine +citrines +citrinin +citrinins +citrinous +citrins +citrocola +citrometer +citromyces +citron +citronade +citronalis +citronella +citronellal +citronelle +citronellic +citronellol +citronin +citronize +citrons +citronwood +citropsis +citropten +citrous +citrul +citrullin +citrulline +citrullus +citrus +citruses +cittern +citternhead +citterns +citua +cytula +cytulae +ciudad +cyul +civ +cive +civet +civetlike +civetone +civets +civy +civic +civical +civically +civicism +civicisms +civics +civie +civies +civil +civile +civiler +civilest +civilian +civilianization +civilianize +civilians +civilisable +civilisation +civilisational +civilisations +civilisatory +civilise +civilised +civilisedness +civiliser +civilises +civilising +civilist +civilite +civility +civilities +civilizable +civilizade +civilization +civilizational +civilizationally +civilizations +civilizatory +civilize +civilized +civilizedness +civilizee +civilizer +civilizers +civilizes +civilizing +civilly +civilness +civism +civisms +civitan +civitas +civite +civory +civvy +civvies +cywydd +ciwies +cixiid +cixiidae +cixo +cizar +cize +cyzicene +ck +ckw +cl +clabber +clabbered +clabbery +clabbering +clabbers +clablaria +clabularia +clabularium +clach +clachan +clachans +clachs +clack +clackama +clackdish +clacked +clacker +clackers +clacket +clackety +clacking +clacks +clactonian +clad +cladanthous +cladautoicous +cladding +claddings +clade +cladine +cladistic +cladocarpous +cladocera +cladoceran +cladocerans +cladocerous +cladode +cladodes +cladodial +cladodium +cladodont +cladodontid +cladodontidae +cladodus +cladogenesis +cladogenetic +cladogenetically +cladogenous +cladonia +cladoniaceae +cladoniaceous +cladonioid +cladophyll +cladophyllum +cladophora +cladophoraceae +cladophoraceous +cladophorales +cladoptosis +cladose +cladoselache +cladoselachea +cladoselachian +cladoselachidae +cladosiphonic +cladosporium +cladothrix +cladrastis +clads +cladus +claes +clag +clagged +claggy +clagging +claggum +clags +clay +claybank +claybanks +claiborne +claibornian +claybrained +claye +clayed +clayey +clayen +clayer +clayier +clayiest +clayiness +claying +clayish +claik +claylike +claim +claimable +clayman +claimant +claimants +claimed +claimer +claimers +claiming +claimless +claymore +claymores +claims +claimsman +claimsmen +clayoquot +claypan +claypans +clair +clairaudience +clairaudient +clairaudiently +clairce +claire +clairecole +clairecolle +claires +clairschach +clairschacher +clairseach +clairseacher +clairsentience +clairsentient +clairvoyance +clairvoyances +clairvoyancy +clairvoyancies +clairvoyant +clairvoyantly +clairvoyants +clays +claystone +claith +claithes +clayton +claytonia +claiver +clayware +claywares +clayweed +clake +clallam +clam +clamant +clamantly +clamaroo +clamation +clamative +clamatores +clamatory +clamatorial +clamb +clambake +clambakes +clamber +clambered +clamberer +clambering +clambers +clamcracker +clame +clamehewit +clamer +clamflat +clamjamfery +clamjamfry +clamjamphrie +clamlike +clammed +clammer +clammersome +clammy +clammier +clammiest +clammily +clamminess +clamming +clammish +clammyweed +clamor +clamored +clamorer +clamorers +clamoring +clamorist +clamorous +clamorously +clamorousness +clamors +clamorsome +clamour +clamoured +clamourer +clamouring +clamourist +clamourous +clamours +clamoursome +clamp +clampdown +clamped +clamper +clampers +clamping +clamps +clams +clamshell +clamshells +clamworm +clamworms +clan +clancular +clancularly +clandestine +clandestinely +clandestineness +clandestinity +clanfellow +clang +clanged +clanger +clangful +clanging +clangingly +clangor +clangored +clangoring +clangorous +clangorously +clangorousness +clangors +clangour +clangoured +clangouring +clangours +clangs +clangula +clanjamfray +clanjamfrey +clanjamfrie +clanjamphrey +clank +clanked +clankety +clanking +clankingly +clankingness +clankless +clanks +clankum +clanless +clanned +clanning +clannish +clannishly +clannishness +clans +clansfolk +clanship +clansman +clansmanship +clansmen +clanswoman +clanswomen +claosaurus +clap +clapboard +clapboarding +clapboards +clapbread +clapcake +clapdish +clape +clapholt +clapmatch +clapnest +clapnet +clapotis +clappe +clapped +clapper +clapperboard +clapperclaw +clapperclawer +clapperdudgeon +clappered +clappering +clappermaclaw +clappers +clapping +claps +clapstick +clapt +claptrap +claptraps +clapwort +claque +claquer +claquers +claques +claqueur +claqueurs +clar +clara +clarabella +clarain +clare +clarence +clarences +clarenceux +clarenceuxship +clarencieux +clarendon +clares +claret +claretian +clarets +clary +claribel +claribella +clarice +clarichord +claries +clarify +clarifiable +clarifiant +clarificant +clarification +clarifications +clarified +clarifier +clarifiers +clarifies +clarifying +clarigate +clarigation +clarigold +clarin +clarina +clarinda +clarine +clarinet +clarinetist +clarinetists +clarinets +clarinettist +clarinettists +clarini +clarino +clarinos +clarion +clarioned +clarionet +clarioning +clarions +clarissa +clarisse +clarissimo +clarist +clarity +clarities +claritude +clark +clarke +clarkeite +clarkeites +clarkia +clarkias +clarksville +claro +claroes +claromontane +claros +clarre +clarsach +clarseach +clarsech +clarseth +clarshech +clart +clarty +clartier +clartiest +clarts +clash +clashed +clashee +clasher +clashers +clashes +clashy +clashing +clashingly +clasmatocyte +clasmatocytic +clasmatosis +clasp +clasped +clasper +claspers +clasping +clasps +claspt +class +classable +classbook +classed +classer +classers +classes +classfellow +classy +classic +classical +classicalism +classicalist +classicality +classicalities +classicalize +classically +classicalness +classicise +classicised +classicising +classicism +classicist +classicistic +classicists +classicize +classicized +classicizing +classico +classicolatry +classics +classier +classiest +classify +classifiable +classific +classifically +classification +classificational +classifications +classificator +classificatory +classified +classifier +classifiers +classifies +classifying +classily +classiness +classing +classis +classism +classisms +classist +classists +classless +classlessness +classman +classmanship +classmate +classmates +classmen +classroom +classrooms +classwise +classwork +clast +clastic +clastics +clasts +clat +clatch +clatchy +clathraceae +clathraceous +clathraria +clathrarian +clathrate +clathrina +clathrinidae +clathroid +clathrose +clathrulate +clathrus +clatsop +clatter +clattered +clatterer +clattery +clattering +clatteringly +clatters +clattertrap +clattertraps +clatty +clauber +claucht +claude +claudent +claudetite +claudetites +claudia +claudian +claudicant +claudicate +claudication +claudio +claudius +claught +claughted +claughting +claughts +claus +clausal +clause +clauses +clausilia +clausiliidae +clauster +clausthalite +claustra +claustral +claustration +claustrophilia +claustrophobe +claustrophobia +claustrophobiac +claustrophobic +claustrum +clausula +clausulae +clausular +clausule +clausum +clausure +claut +clava +clavacin +clavae +claval +clavaria +clavariaceae +clavariaceous +clavate +clavated +clavately +clavatin +clavation +clave +clavecin +clavecinist +clavel +clavelization +clavelize +clavellate +clavellated +claver +clavered +clavering +clavers +claves +clavi +clavy +clavial +claviature +clavicembali +clavicembalist +clavicembalo +claviceps +clavichord +clavichordist +clavichordists +clavichords +clavicylinder +clavicymbal +clavicytheria +clavicytherium +clavicithern +clavicythetheria +clavicittern +clavicle +clavicles +clavicor +clavicorn +clavicornate +clavicornes +clavicornia +clavicotomy +clavicular +clavicularium +claviculate +claviculus +clavier +clavierist +clavieristic +clavierists +claviers +claviform +claviger +clavigerous +claviharp +clavilux +claviol +claviole +clavipectoral +clavis +clavises +clavodeltoid +clavodeltoideus +clavola +clavolae +clavolet +clavus +clavuvi +claw +clawback +clawed +clawer +clawers +clawhammer +clawing +clawk +clawker +clawless +clawlike +claws +clawsick +claxon +claxons +cleach +clead +cleaded +cleading +cleam +cleamer +clean +cleanable +cleaned +cleaner +cleaners +cleanest +cleanhanded +cleanhandedness +cleanhearted +cleaning +cleanings +cleanish +cleanly +cleanlier +cleanliest +cleanlily +cleanliness +cleanness +cleanout +cleans +cleansable +cleanse +cleansed +cleanser +cleansers +cleanses +cleansing +cleanskin +cleanskins +cleanup +cleanups +clear +clearable +clearage +clearance +clearances +clearcole +cleared +clearedness +clearer +clearers +clearest +clearheaded +clearheadedly +clearheadedness +clearhearted +clearing +clearinghouse +clearinghouses +clearings +clearish +clearly +clearminded +clearness +clears +clearsighted +clearsightedness +clearskins +clearstarch +clearstarcher +clearstory +clearstoried +clearstories +clearway +clearwater +clearweed +clearwing +cleat +cleated +cleating +cleats +cleavability +cleavable +cleavage +cleavages +cleave +cleaved +cleaveful +cleavelandite +cleaver +cleavers +cleaverwort +cleaves +cleaving +cleavingly +cleche +clechee +clechy +cleck +cled +cledde +cledge +cledgy +cledonism +clee +cleech +cleek +cleeked +cleeky +cleeking +cleeks +clef +clefs +cleft +clefted +clefts +cleg +cleidagra +cleidarthritis +cleidocostal +cleidocranial +cleidohyoid +cleidoic +cleidomancy +cleidomastoid +cleidorrhexis +cleidoscapular +cleidosternal +cleidotomy +cleidotripsy +cleistocarp +cleistocarpous +cleistogamy +cleistogamic +cleistogamically +cleistogamous +cleistogamously +cleistogene +cleistogeny +cleistogenous +cleistotcia +cleistothecia +cleistothecium +cleistothecopsis +cleithral +cleithrum +clem +clematis +clematises +clematite +clemclemalats +clemence +clemency +clemencies +clement +clementina +clementine +clemently +clementness +clements +clemmed +clemming +clench +clenched +clencher +clenchers +clenches +clenching +cleoid +cleome +cleomes +cleopatra +clep +clepe +cleped +clepes +cleping +clepsydra +clepsydrae +clepsydras +clepsine +clept +cleptobioses +cleptobiosis +cleptobiotic +cleptomania +cleptomaniac +clerestory +clerestoried +clerestories +clerete +clergess +clergy +clergyable +clergies +clergylike +clergyman +clergymen +clergion +clergywoman +clergywomen +cleric +clerical +clericalism +clericalist +clericalists +clericality +clericalize +clerically +clericals +clericate +clericature +clericism +clericity +clerics +clericum +clerid +cleridae +clerids +clerihew +clerihews +clerisy +clerisies +clerk +clerkage +clerkdom +clerkdoms +clerked +clerkery +clerkess +clerkhood +clerking +clerkish +clerkless +clerkly +clerklier +clerkliest +clerklike +clerkliness +clerks +clerkship +clerkships +clernly +clerodendron +cleromancy +cleronomy +clerstory +cleruch +cleruchy +cleruchial +cleruchic +cleruchies +clerum +clerus +cletch +clethra +clethraceae +clethraceous +clethrionomys +cleuch +cleuk +cleuks +cleve +cleveite +cleveites +cleveland +clever +cleverality +cleverer +cleverest +cleverish +cleverishly +cleverly +cleverness +clevis +clevises +clew +clewed +clewgarnet +clewing +clews +cli +cly +cliack +clianthus +clich +cliche +cliched +cliches +click +clicked +clicker +clickers +clicket +clicky +clicking +clickless +clicks +clidastes +clyde +clydesdale +clydeside +clydesider +cliency +client +clientage +cliental +cliented +clientelage +clientele +clienteles +clientless +clientry +clients +clientship +clyer +clyers +clyfaker +clyfaking +cliff +cliffed +cliffhang +cliffhanger +cliffhangers +cliffhanging +cliffy +cliffier +cliffiest +cliffing +cliffless +clifflet +clifflike +clifford +cliffs +cliffside +cliffsman +cliffweed +clift +clifty +cliftonia +cliftonite +clifts +clima +climaciaceae +climaciaceous +climacium +climacter +climactery +climacterial +climacteric +climacterical +climacterically +climacterics +climactic +climactical +climactically +climacus +climant +climata +climatal +climatarchic +climate +climates +climath +climatic +climatical +climatically +climatius +climatize +climatography +climatographical +climatology +climatologic +climatological +climatologically +climatologist +climatologists +climatometer +climatotherapeutics +climatotherapy +climatotherapies +climature +climax +climaxed +climaxes +climaxing +climb +climbable +climbed +climber +climbers +climbing +climbingfish +climbingfishes +climbs +clime +clymenia +climes +climograph +clin +clinah +clinal +clinally +clinamen +clinamina +clinandrdria +clinandria +clinandrium +clinanthia +clinanthium +clinch +clinched +clincher +clinchers +clinches +clinching +clinchingly +clinchingness +clinchpoop +cline +clines +cling +clinged +clinger +clingers +clingfish +clingfishes +clingy +clingier +clingiest +clinginess +clinging +clingingly +clingingness +clings +clingstone +clingstones +clinia +clinic +clinical +clinically +clinician +clinicians +clinicist +clinicopathologic +clinicopathological +clinicopathologically +clinics +clinid +clinium +clink +clinkant +clinked +clinker +clinkered +clinkerer +clinkery +clinkering +clinkers +clinking +clinks +clinkstone +clinkum +clinoaxis +clinocephaly +clinocephalic +clinocephalism +clinocephalous +clinocephalus +clinochlore +clinoclase +clinoclasite +clinodiagonal +clinodomatic +clinodome +clinograph +clinographic +clinohedral +clinohedrite +clinohumite +clinoid +clinology +clinologic +clinometer +clinometry +clinometria +clinometric +clinometrical +clinophobia +clinopinacoid +clinopinacoidal +clinopyramid +clinopyroxene +clinopodium +clinoprism +clinorhombic +clinospore +clinostat +clinquant +clint +clinty +clinting +clinton +clintonia +clintonite +clints +clio +cliona +clione +clip +clipboard +clipboards +clype +clypeal +clypeaster +clypeastridea +clypeastrina +clypeastroid +clypeastroida +clypeastroidea +clypeate +clypeated +clipei +clypei +clypeiform +clypeola +clypeolar +clypeolate +clypeole +clipeus +clypeus +clippable +clipped +clipper +clipperman +clippers +clippie +clipping +clippingly +clippings +clips +clipse +clipsheet +clipsheets +clipsome +clipt +clique +cliqued +cliquedom +cliquey +cliqueier +cliqueiest +cliqueyness +cliqueless +cliques +cliquy +cliquier +cliquiest +cliquing +cliquish +cliquishly +cliquishness +cliquism +cliseometer +clisere +clyses +clishmaclaver +clisiocampa +clysis +clysma +clysmian +clysmic +clyssus +clyster +clysterize +clysters +clistocarp +clistocarpous +clistogastra +clistothcia +clistothecia +clistothecium +clit +clitch +clite +clitella +clitellar +clitelliferous +clitelline +clitellum +clitellus +clytemnestra +clites +clithe +clithral +clithridiate +clitia +clitic +clition +clitocybe +clitoral +clitoria +clitoric +clitoridauxe +clitoridean +clitoridectomy +clitoridectomies +clitoriditis +clitoridotomy +clitoris +clitorises +clitorism +clitoritis +clitoromania +clitoromaniac +clitoromaniacal +clitter +clitterclatter +cliv +clival +clive +cliver +clivers +clivia +clivias +clivis +clivises +clivus +clk +clo +cloaca +cloacae +cloacal +cloacaline +cloacas +cloacean +cloacinal +cloacinean +cloacitis +cloak +cloakage +cloaked +cloakedly +cloaking +cloakless +cloaklet +cloakmaker +cloakmaking +cloakroom +cloakrooms +cloaks +cloakwise +cloam +cloamen +cloamer +clobber +clobbered +clobberer +clobbering +clobbers +clochan +clochard +clochards +cloche +clocher +cloches +clochette +clock +clockbird +clockcase +clocked +clocker +clockers +clockface +clockhouse +clocking +clockings +clockkeeper +clockless +clocklike +clockmaker +clockmaking +clockmutch +clockroom +clocks +clocksmith +clockwatcher +clockwise +clockwork +clockworked +clockworks +clod +clodbreaker +clodded +clodder +cloddy +cloddier +cloddiest +cloddily +cloddiness +clodding +cloddish +cloddishly +cloddishness +clodhead +clodhopper +clodhopperish +clodhoppers +clodhopping +clodknocker +clodlet +clodlike +clodpate +clodpated +clodpates +clodpole +clodpoles +clodpoll +clodpolls +clods +cloes +clof +cloff +clofibrate +clog +clogdogdo +clogged +clogger +cloggy +cloggier +cloggiest +cloggily +clogginess +clogging +cloghad +cloghaun +cloghead +cloglike +clogmaker +clogmaking +clogs +clogwheel +clogwyn +clogwood +cloy +cloyed +cloyedness +cloyer +cloying +cloyingly +cloyingness +cloyless +cloyment +cloine +cloyne +cloiochoanitic +cloys +cloysome +cloison +cloisonless +cloisonn +cloisonne +cloisonnism +cloister +cloisteral +cloistered +cloisterer +cloistering +cloisterless +cloisterly +cloisterlike +cloisterliness +cloisters +cloisterwise +cloistral +cloistress +cloit +cloke +cloky +clokies +clomb +clomben +clomiphene +clomp +clomped +clomping +clomps +clon +clonal +clonally +clone +cloned +cloner +cloners +clones +clong +clonic +clonicity +clonicotonic +cloning +clonism +clonisms +clonk +clonked +clonking +clonks +clonorchiasis +clonorchis +clonos +clonothrix +clons +clonus +clonuses +cloof +cloop +cloot +clootie +cloots +clop +clopped +clopping +clops +cloque +cloques +cloragen +clorargyrite +clorinator +cloriodid +clos +closable +close +closeable +closecross +closed +closedown +closefisted +closefistedly +closefistedness +closefitting +closehanded +closehauled +closehearted +closely +closelipped +closemouth +closemouthed +closen +closeness +closenesses +closeout +closeouts +closer +closers +closes +closest +closestool +closet +closeted +closetful +closeting +closets +closeup +closeups +closewing +closh +closing +closings +closish +closkey +closky +closter +closterium +clostridia +clostridial +clostridian +clostridium +closure +closured +closures +closuring +clot +clotbur +clote +cloth +clothbound +clothe +clothed +clothes +clothesbag +clothesbasket +clothesbrush +clotheshorse +clotheshorses +clothesyard +clothesless +clothesline +clotheslines +clothesman +clothesmen +clothesmonger +clothespin +clothespins +clothespress +clothespresses +clothy +clothier +clothiers +clothify +clothilda +clothing +clothings +clothlike +clothmaker +clothmaking +clotho +cloths +clothworker +clots +clottage +clotted +clottedness +clotter +clotty +clotting +cloture +clotured +clotures +cloturing +clotweed +clou +cloud +cloudage +cloudberry +cloudberries +cloudburst +cloudbursts +cloudcap +clouded +cloudful +cloudy +cloudier +cloudiest +cloudily +cloudiness +clouding +cloudland +cloudless +cloudlessly +cloudlessness +cloudlet +cloudlets +cloudlike +cloudling +cloudology +clouds +cloudscape +cloudship +cloudward +cloudwards +clouee +clough +cloughs +clour +cloured +clouring +clours +clout +clouted +clouter +clouterly +clouters +clouty +clouting +clouts +clove +cloven +clovene +clover +clovered +clovery +cloverlay +cloverleaf +cloverleafs +cloverleaves +cloverley +cloveroot +cloverroot +clovers +cloves +clovewort +clow +clowder +clowders +clower +clown +clownade +clownage +clowned +clownery +clowneries +clownheal +clowning +clownish +clownishly +clownishness +clowns +clownship +clowre +clowring +cloxacillin +cloze +clr +club +clubability +clubable +clubbability +clubbable +clubbed +clubber +clubbers +clubby +clubbier +clubbiest +clubbily +clubbiness +clubbing +clubbish +clubbishness +clubbism +clubbist +clubdom +clubfeet +clubfellow +clubfist +clubfisted +clubfoot +clubfooted +clubhand +clubhands +clubhaul +clubhauled +clubhauling +clubhauls +clubhouse +clubhouses +clubionid +clubionidae +clubland +clubman +clubmate +clubmen +clubmobile +clubmonger +clubridden +clubroom +clubrooms +clubroot +clubroots +clubs +clubstart +clubster +clubweed +clubwoman +clubwomen +clubwood +cluck +clucked +clucky +clucking +clucks +cludder +clue +clued +clueing +clueless +clues +cluff +cluing +clum +clumber +clumbers +clump +clumped +clumper +clumpy +clumpier +clumpiest +clumping +clumpish +clumpishness +clumplike +clumproot +clumps +clumpst +clumse +clumsy +clumsier +clumsiest +clumsily +clumsiness +clunch +clung +cluniac +cluniacensian +clunisian +clunist +clunk +clunked +clunker +clunkers +clunking +clunks +clunter +clupanodonic +clupea +clupeid +clupeidae +clupeids +clupeiform +clupein +clupeine +clupeiod +clupeodei +clupeoid +clupeoids +clupien +cluppe +cluricaune +clusia +clusiaceae +clusiaceous +cluster +clusterberry +clustered +clusterfist +clustery +clustering +clusteringly +clusterings +clusters +clutch +clutched +clutcher +clutches +clutchy +clutching +clutchingly +clutchman +cluther +clutter +cluttered +clutterer +cluttery +cluttering +clutterment +clutters +cm +cmd +cmdg +cmdr +cml +cnemapophysis +cnemial +cnemic +cnemides +cnemidium +cnemidophorus +cnemis +cneoraceae +cneoraceous +cneorum +cnibophore +cnicin +cnicus +cnida +cnidae +cnidaria +cnidarian +cnidian +cnidoblast +cnidocell +cnidocil +cnidocyst +cnidogenous +cnidophobia +cnidophore +cnidophorous +cnidopod +cnidosac +cnidoscolus +cnidosis +co +coabode +coabound +coabsume +coacceptor +coacervate +coacervated +coacervating +coacervation +coach +coachability +coachable +coachbuilder +coachbuilding +coached +coachee +coacher +coachers +coaches +coachfellow +coachful +coachy +coaching +coachlet +coachmaker +coachmaking +coachman +coachmanship +coachmaster +coachmen +coachs +coachsmith +coachsmithing +coachway +coachwhip +coachwise +coachwoman +coachwood +coachwork +coachwright +coact +coacted +coacting +coaction +coactions +coactive +coactively +coactivity +coactor +coacts +coadamite +coadapt +coadaptation +coadaptations +coadapted +coadapting +coadequate +coadjacence +coadjacency +coadjacent +coadjacently +coadjudicator +coadjument +coadjust +coadjustment +coadjutant +coadjutator +coadjute +coadjutement +coadjutive +coadjutor +coadjutors +coadjutorship +coadjutress +coadjutrice +coadjutrices +coadjutrix +coadjuvancy +coadjuvant +coadjuvate +coadminister +coadministration +coadministrator +coadministratrix +coadmiration +coadmire +coadmired +coadmires +coadmiring +coadmit +coadmits +coadmitted +coadmitting +coadnate +coadore +coadsorbent +coadunate +coadunated +coadunating +coadunation +coadunative +coadunatively +coadunite +coadventure +coadventured +coadventurer +coadventuress +coadventuring +coadvice +coaeval +coaevals +coaffirmation +coafforest +coaged +coagel +coagency +coagencies +coagent +coagents +coaggregate +coaggregated +coaggregation +coagitate +coagitator +coagment +coagmentation +coagonize +coagriculturist +coagula +coagulability +coagulable +coagulant +coagulants +coagulase +coagulate +coagulated +coagulates +coagulating +coagulation +coagulations +coagulative +coagulator +coagulatory +coagulators +coagule +coagulin +coaguline +coagulometer +coagulose +coagulum +coagulums +coahuiltecan +coaid +coaita +coak +coakum +coal +coala +coalas +coalbag +coalbagger +coalbin +coalbins +coalbox +coalboxes +coaldealer +coaled +coaler +coalers +coalesce +coalesced +coalescence +coalescency +coalescent +coalesces +coalescing +coalface +coalfield +coalfish +coalfishes +coalfitter +coalheugh +coalhole +coalholes +coaly +coalyard +coalyards +coalier +coaliest +coalify +coalification +coalified +coalifies +coalifying +coaling +coalite +coalition +coalitional +coalitioner +coalitionist +coalitions +coalize +coalized +coalizer +coalizing +coalless +coalmonger +coalmouse +coalpit +coalpits +coalrake +coals +coalsack +coalsacks +coalshed +coalsheds +coalternate +coalternation +coalternative +coaltitude +coambassador +coambulant +coamiable +coaming +coamings +coan +coanimate +coannex +coannexed +coannexes +coannexing +coannihilate +coapostate +coapparition +coappear +coappearance +coappeared +coappearing +coappears +coappellee +coapprehend +coapprentice +coappriser +coapprover +coapt +coaptate +coaptation +coapted +coapting +coapts +coaration +coarb +coarbiter +coarbitrator +coarct +coarctate +coarctation +coarcted +coarcting +coardent +coarrange +coarrangement +coarse +coarsely +coarsen +coarsened +coarseness +coarsening +coarsens +coarser +coarsest +coarsish +coart +coarticulate +coarticulation +coascend +coassert +coasserter +coassession +coassessor +coassignee +coassist +coassistance +coassistant +coassisted +coassisting +coassists +coassume +coassumed +coassumes +coassuming +coast +coastal +coastally +coasted +coaster +coasters +coastguard +coastguardman +coastguardsman +coastguardsmen +coasting +coastings +coastland +coastline +coastlines +coastman +coastmen +coasts +coastside +coastways +coastwaiter +coastward +coastwards +coastwise +coat +coatdress +coated +coatee +coatees +coater +coaters +coathangers +coati +coatie +coatimondie +coatimundi +coating +coatings +coation +coatis +coatless +coatrack +coatracks +coatroom +coatrooms +coats +coattail +coattailed +coattails +coattend +coattended +coattending +coattends +coattest +coattestation +coattestator +coattested +coattesting +coattests +coaudience +coauditor +coaugment +coauthered +coauthor +coauthored +coauthoring +coauthority +coauthors +coauthorship +coawareness +coax +coaxal +coaxation +coaxed +coaxer +coaxers +coaxes +coaxy +coaxial +coaxially +coaxing +coaxingly +coazervate +coazervation +cob +cobaea +cobalamin +cobalamine +cobalt +cobaltamine +cobaltammine +cobaltic +cobalticyanic +cobalticyanides +cobaltiferous +cobaltine +cobaltinitrite +cobaltite +cobaltocyanic +cobaltocyanide +cobaltous +cobalts +cobang +cobb +cobbed +cobber +cobberer +cobbers +cobby +cobbier +cobbiest +cobbin +cobbing +cobble +cobbled +cobbler +cobblerfish +cobblery +cobblerism +cobblerless +cobblers +cobblership +cobbles +cobblestone +cobblestoned +cobblestones +cobbly +cobbling +cobbra +cobbs +cobcab +cobdenism +cobdenite +cobego +cobelief +cobeliever +cobelligerent +cobenignity +coberger +cobewail +cobhead +cobhouse +cobia +cobias +cobiron +cobishop +cobitidae +cobitis +coble +cobleman +coblentzian +cobles +cobleskill +cobless +cobloaf +cobnut +cobnuts +cobol +cobola +coboss +coboundless +cobourg +cobra +cobras +cobreathe +cobridgehead +cobriform +cobrother +cobs +cobstone +coburg +coburgess +coburgher +coburghership +cobus +cobweb +cobwebbed +cobwebbery +cobwebby +cobwebbier +cobwebbiest +cobwebbing +cobwebs +cobwork +coca +cocaceous +cocaigne +cocain +cocaine +cocaines +cocainisation +cocainise +cocainised +cocainising +cocainism +cocainist +cocainization +cocainize +cocainized +cocainizing +cocainomania +cocainomaniac +cocains +cocama +cocamama +cocamine +cocanucos +cocao +cocarboxylase +cocarde +cocas +cocash +cocashweed +cocause +cocautioner +coccaceae +coccaceous +coccagee +coccal +cocceian +cocceianism +coccerin +cocci +coccic +coccid +coccidae +coccidia +coccidial +coccidian +coccidiidea +coccydynia +coccidioidal +coccidioides +coccidioidomycosis +coccidiomorpha +coccidiosis +coccidium +coccidology +coccids +cocciferous +cocciform +coccygalgia +coccygeal +coccygean +coccygectomy +coccigenic +coccygerector +coccyges +coccygeus +coccygine +coccygodynia +coccygomorph +coccygomorphae +coccygomorphic +coccygotomy +coccin +coccinella +coccinellid +coccinellidae +coccineous +coccyodynia +coccionella +coccyx +coccyxes +coccyzus +cocco +coccobaccilli +coccobacilli +coccobacillus +coccochromatic +coccogonales +coccogone +coccogoneae +coccogonium +coccoid +coccoidal +coccoids +coccolite +coccolith +coccolithophorid +coccolithophoridae +coccoloba +coccolobis +coccomyces +coccosphere +coccostean +coccosteid +coccosteidae +coccosteus +coccothraustes +coccothraustine +coccothrinax +coccous +coccule +cocculiferous +cocculus +coccus +cocentric +coch +cochair +cochaired +cochairing +cochairman +cochairmanship +cochairmen +cochairs +cochal +cocher +cochero +cochief +cochylis +cochin +cochineal +cochins +cochlea +cochleae +cochlear +cochleare +cochleary +cochlearia +cochlearifoliate +cochleariform +cochleas +cochleate +cochleated +cochleiform +cochleitis +cochleleae +cochleleas +cochleous +cochlidiid +cochlidiidae +cochliodont +cochliodontidae +cochliodus +cochlite +cochlitis +cochlospermaceae +cochlospermaceous +cochlospermum +cochon +cochranea +cochromatography +cochurchwarden +cocillana +cocin +cocinera +cocineras +cocinero +cocircular +cocircularity +cocytean +cocitizen +cocitizenship +cocytus +cock +cockabondy +cockade +cockaded +cockades +cockadoodledoo +cockaigne +cockal +cockalan +cockaleekie +cockalorum +cockamamy +cockamamie +cockamaroo +cockandy +cockapoo +cockapoos +cockard +cockarouse +cockateel +cockatiel +cockatoo +cockatoos +cockatrice +cockatrices +cockawee +cockbell +cockbill +cockbilled +cockbilling +cockbills +cockbird +cockboat +cockboats +cockbrain +cockchafer +cockcrow +cockcrower +cockcrowing +cockcrows +cocked +cockeye +cockeyed +cockeyedly +cockeyedness +cockeyes +cocker +cockered +cockerel +cockerels +cockerie +cockering +cockermeg +cockernony +cockernonnie +cockerouse +cockers +cocket +cocketed +cocketing +cockfight +cockfighter +cockfighting +cockfights +cockhead +cockhorse +cockhorses +cocky +cockie +cockieleekie +cockier +cockies +cockiest +cockily +cockiness +cocking +cockyolly +cockish +cockishly +cockishness +cockle +cockleboat +cocklebur +cockled +cockler +cockles +cockleshell +cockleshells +cocklet +cocklewife +cockly +cocklight +cocklike +cockling +cockloche +cockloft +cocklofts +cockmaster +cockmatch +cockmate +cockney +cockneian +cockneybred +cockneydom +cockneyese +cockneyess +cockneyfy +cockneyfication +cockneyfied +cockneyfying +cockneyish +cockneyishly +cockneyism +cockneyize +cockneyland +cockneylike +cockneys +cockneyship +cockneity +cockpaddle +cockpit +cockpits +cockroach +cockroaches +cocks +cockscomb +cockscombed +cockscombs +cocksfoot +cockshead +cockshy +cockshies +cockshying +cockshoot +cockshot +cockshut +cockshuts +cocksy +cocksparrow +cockspur +cockspurs +cockstone +cocksure +cocksuredom +cocksureism +cocksurely +cocksureness +cocksurety +cockswain +cocktail +cocktailed +cocktailing +cocktails +cockthrowing +cockup +cockups +cockweed +cocle +coclea +coco +cocoa +cocoach +cocoanut +cocoanuts +cocoas +cocoawood +cocobola +cocobolas +cocobolo +cocobolos +cocodette +cocoyam +cocomat +cocomats +cocona +coconino +coconnection +coconqueror +coconscious +coconsciously +coconsciousness +coconsecrator +coconspirator +coconstituent +cocontractor +coconucan +coconuco +coconut +coconuts +cocoon +cocooned +cocoonery +cocooneries +cocooning +cocoons +cocopan +cocopans +cocorico +cocoroot +cocos +cocotte +cocottes +cocovenantor +cocowood +cocowort +cocozelle +cocreate +cocreated +cocreates +cocreating +cocreator +cocreatorship +cocreditor +cocrucify +coct +coctile +coction +coctoantigen +coctoprecipitin +cocuyo +cocuisa +cocuiza +cocullo +cocurator +cocurrent +cocurricular +cocus +cocuswood +cod +coda +codable +codal +codamin +codamine +codas +codbank +codded +codder +codders +coddy +codding +coddle +coddled +coddler +coddlers +coddles +coddling +code +codebook +codebooks +codebreak +codebreaker +codebtor +codebtors +codec +codeclination +codecree +codecs +coded +codefendant +codefendants +codeia +codeias +codein +codeina +codeinas +codeine +codeines +codeins +codeless +codelight +codelinquency +codelinquent +coden +codenization +codens +codeposit +coder +coderive +coderived +coderives +coderiving +coders +codes +codescendant +codesign +codesigned +codesigning +codesigns +codespairer +codetermination +codetermine +codetta +codettas +codette +codeword +codewords +codex +codfish +codfisher +codfishery +codfisheries +codfishes +codfishing +codger +codgers +codhead +codheaded +codiaceae +codiaceous +codiaeum +codiales +codical +codices +codicil +codicilic +codicillary +codicils +codicology +codictatorship +codify +codifiability +codification +codifications +codified +codifier +codifiers +codifies +codifying +codilla +codille +coding +codings +codiniac +codirect +codirected +codirecting +codirectional +codirector +codirectorship +codirects +codiscoverer +codisjunct +codist +codium +codivine +codlin +codline +codling +codlings +codlins +codman +codo +codol +codomain +codomestication +codominant +codon +codons +codpiece +codpieces +codpitchings +codrus +cods +codshead +codswallop +codworm +coe +coecal +coecum +coed +coedit +coedited +coediting +coeditor +coeditors +coeditorship +coedits +coeds +coeducate +coeducation +coeducational +coeducationalism +coeducationalize +coeducationally +coef +coeff +coeffect +coeffects +coefficacy +coefficient +coefficiently +coefficients +coeffluent +coeffluential +coehorn +coelacanth +coelacanthid +coelacanthidae +coelacanthine +coelacanthini +coelacanthoid +coelacanthous +coelanaglyphic +coelar +coelarium +coelastraceae +coelastraceous +coelastrum +coelata +coelder +coeldership +coelebogyne +coelect +coelection +coelector +coelectron +coelelminth +coelelminthes +coelelminthic +coelentera +coelenterata +coelenterate +coelenterates +coelenteric +coelenteron +coelestial +coelestine +coelevate +coelho +coelia +coeliac +coelialgia +coelian +coelicolae +coelicolist +coeligenous +coelin +coeline +coeliomyalgia +coeliorrhea +coeliorrhoea +coelioscopy +coeliotomy +coeloblastic +coeloblastula +coelococcus +coelodont +coelogastrula +coelogyne +coeloglossum +coelom +coeloma +coelomata +coelomate +coelomatic +coelomatous +coelome +coelomes +coelomesoblast +coelomic +coelomocoela +coelomopore +coeloms +coelonavigation +coelongated +coeloplanula +coeloscope +coelosperm +coelospermous +coelostat +coelozoic +coeltera +coemanate +coembedded +coembody +coembodied +coembodies +coembodying +coembrace +coeminency +coemperor +coemploy +coemployed +coemployee +coemploying +coemployment +coemploys +coempt +coempted +coempting +coemptio +coemption +coemptional +coemptionator +coemptive +coemptor +coempts +coenacle +coenact +coenacted +coenacting +coenactor +coenacts +coenacula +coenaculous +coenaculum +coenaesthesis +coenamor +coenamored +coenamoring +coenamorment +coenamors +coenamourment +coenanthium +coendear +coendidae +coendou +coendure +coendured +coendures +coenduring +coenenchym +coenenchyma +coenenchymal +coenenchymata +coenenchymatous +coenenchyme +coenesthesia +coenesthesis +coenflame +coengage +coengager +coenjoy +coenla +coeno +coenobe +coenoby +coenobiar +coenobic +coenobiod +coenobioid +coenobite +coenobitic +coenobitical +coenobitism +coenobium +coenoblast +coenoblastic +coenocentrum +coenocyte +coenocytic +coenodioecism +coenoecial +coenoecic +coenoecium +coenogamete +coenogenesis +coenogenetic +coenomonoecism +coenosarc +coenosarcal +coenosarcous +coenosite +coenospecies +coenospecific +coenospecifically +coenosteal +coenosteum +coenotype +coenotypic +coenotrope +coenthrone +coenunuri +coenure +coenures +coenuri +coenurus +coenzymatic +coenzymatically +coenzyme +coenzymes +coequal +coequality +coequalize +coequally +coequalness +coequals +coequate +coequated +coequates +coequating +coequation +coerce +coerceable +coerced +coercement +coercend +coercends +coercer +coercers +coerces +coercibility +coercible +coercibleness +coercibly +coercing +coercion +coercionary +coercionist +coercions +coercitive +coercive +coercively +coerciveness +coercivity +coerebidae +coerect +coerected +coerecting +coerects +coeruleolactite +coes +coesite +coesites +coessential +coessentiality +coessentially +coessentialness +coestablishment +coestate +coetanean +coetaneity +coetaneous +coetaneously +coetaneousness +coeternal +coeternally +coeternity +coetus +coeval +coevality +coevally +coevalneity +coevalness +coevals +coevolution +coevolutionary +coevolve +coevolvedcoevolves +coevolving +coexchangeable +coexclusive +coexecutant +coexecutor +coexecutrices +coexecutrix +coexert +coexerted +coexerting +coexertion +coexerts +coexist +coexisted +coexistence +coexistency +coexistent +coexisting +coexists +coexpand +coexpanded +coexperiencer +coexpire +coexplosion +coextend +coextended +coextending +coextends +coextension +coextensive +coextensively +coextensiveness +coextent +cofactor +cofactors +cofane +cofaster +cofather +cofathership +cofeature +cofeatures +cofeoffee +coferment +cofermentation +coff +coffea +coffee +coffeeberry +coffeeberries +coffeebush +coffeecake +coffeecakes +coffeecup +coffeegrower +coffeegrowing +coffeehouse +coffeehoused +coffeehouses +coffeehousing +coffeeleaf +coffeeman +coffeepot +coffeepots +coffeeroom +coffees +coffeetime +coffeeweed +coffeewood +coffer +cofferdam +cofferdams +coffered +cofferer +cofferfish +coffering +cofferlike +coffers +cofferwork +coffin +coffined +coffing +coffining +coffinite +coffinless +coffinmaker +coffinmaking +coffins +coffle +coffled +coffles +coffling +coffret +coffrets +coffs +cofighter +cofinal +coforeknown +coformulator +cofound +cofounded +cofounder +cofounding +cofoundress +cofounds +cofreighter +coft +cofunction +cog +cogboat +cogence +cogences +cogency +cogencies +cogener +cogeneration +cogeneric +cogenial +cogent +cogently +cogged +cogger +coggers +coggie +cogging +coggle +coggledy +cogglety +coggly +coghle +cogida +cogie +cogit +cogitability +cogitable +cogitabund +cogitabundity +cogitabundly +cogitabundous +cogitant +cogitantly +cogitate +cogitated +cogitates +cogitating +cogitatingly +cogitation +cogitations +cogitative +cogitatively +cogitativeness +cogitativity +cogitator +cogitators +cogito +cogitos +coglorify +coglorious +cogman +cogmen +cognac +cognacs +cognate +cognately +cognateness +cognates +cognati +cognatic +cognatical +cognation +cognatus +cognisability +cognisable +cognisableness +cognisably +cognisance +cognisant +cognise +cognised +cogniser +cognises +cognising +cognition +cognitional +cognitive +cognitively +cognitives +cognitivity +cognitum +cognizability +cognizable +cognizableness +cognizably +cognizance +cognizant +cognize +cognized +cognizee +cognizer +cognizers +cognizes +cognizing +cognizor +cognomen +cognomens +cognomina +cognominal +cognominally +cognominate +cognominated +cognomination +cognosce +cognoscent +cognoscente +cognoscenti +cognoscibility +cognoscible +cognoscing +cognoscitive +cognoscitively +cognovit +cognovits +cogon +cogonal +cogons +cogovernment +cogovernor +cogracious +cograil +cogrediency +cogredient +cogroad +cogs +cogswellia +coguarantor +coguardian +cogue +cogway +cogways +cogware +cogweel +cogweels +cogwheel +cogwheels +cogwood +cohabit +cohabitancy +cohabitant +cohabitate +cohabitation +cohabitations +cohabited +cohabiter +cohabiting +cohabits +cohanim +cohanims +coharmonious +coharmoniously +coharmonize +cohead +coheaded +coheading +coheads +coheartedness +coheir +coheiress +coheirs +coheirship +cohelper +cohelpership +cohen +cohenite +cohens +coherald +cohere +cohered +coherence +coherency +coherent +coherently +coherer +coherers +coheres +coheretic +cohering +coheritage +coheritor +cohert +cohesibility +cohesible +cohesion +cohesionless +cohesions +cohesive +cohesively +cohesiveness +cohibit +cohibition +cohibitive +cohibitor +cohitre +coho +cohob +cohoba +cohobate +cohobated +cohobates +cohobating +cohobation +cohobator +cohog +cohogs +cohol +coholder +coholders +cohomology +cohorn +cohort +cohortation +cohortative +cohorts +cohos +cohosh +cohoshes +cohost +cohosted +cohosting +cohosts +cohow +cohue +cohune +cohunes +cohusband +coy +coyan +coidentity +coydog +coyed +coyer +coyest +coif +coifed +coiffe +coiffed +coiffes +coiffeur +coiffeurs +coiffeuse +coiffeuses +coiffing +coiffure +coiffured +coiffures +coiffuring +coifing +coifs +coign +coigne +coigned +coignes +coigny +coigning +coigns +coigue +coying +coyish +coyishness +coil +coilability +coiled +coiler +coilers +coyly +coilyear +coiling +coillen +coils +coilsmith +coimmense +coimplicant +coimplicate +coimplore +coin +coyn +coinable +coinage +coinages +coincide +coincided +coincidence +coincidences +coincidency +coincident +coincidental +coincidentally +coincidently +coincidents +coincider +coincides +coinciding +coinclination +coincline +coinclude +coincorporate +coindicant +coindicate +coindication +coindwelling +coined +coiner +coiners +coyness +coynesses +coinfeftment +coinfer +coinferred +coinferring +coinfers +coinfinite +coinfinity +coing +coinhabit +coinhabitant +coinhabitor +coinhere +coinhered +coinherence +coinherent +coinheres +coinhering +coinheritance +coinheritor +coiny +coynye +coining +coinitial +coinmaker +coinmaking +coinmate +coinmates +coinquinate +coins +coinspire +coinstantaneity +coinstantaneous +coinstantaneously +coinstantaneousness +coinsurable +coinsurance +coinsure +coinsured +coinsurer +coinsures +coinsuring +cointense +cointension +cointensity +cointer +cointerest +cointerred +cointerring +cointers +cointersecting +cointise +cointreau +coinventor +coinvolve +coyo +coyol +coyos +coyote +coyotero +coyotes +coyotillo +coyotillos +coyoting +coypou +coypous +coypu +coypus +coir +coirs +coys +coislander +coisns +coistrel +coystrel +coistrels +coistril +coistrils +coit +coital +coitally +coition +coitional +coitions +coitophobia +coiture +coitus +coituses +coyure +coix +cojoin +cojones +cojudge +cojudices +cojuror +cojusticiar +coke +coked +cokey +cokelike +cokeman +cokeney +coker +cokery +cokernut +cokers +cokes +cokewold +coky +cokie +coking +cokneyfy +cokuloris +col +cola +colaborer +colacobioses +colacobiosis +colacobiotic +colada +colage +colalgia +colament +colan +colander +colanders +colane +colaphize +colarin +colas +colascione +colasciones +colascioni +colat +colate +colation +colatitude +colatorium +colature +colauxe +colazione +colback +colberter +colbertine +colbertism +colcannon +colchian +colchicaceae +colchicia +colchicin +colchicine +colchicum +colchis +colchyte +colcine +colcothar +cold +coldblood +coldblooded +coldbloodedness +coldcock +colder +coldest +coldfinch +coldhearted +coldheartedly +coldheartedness +coldish +coldly +coldness +coldnesses +coldong +coldproof +colds +coldslaw +coldturkey +cole +coleader +colecannon +colectomy +colectomies +coleen +colegatee +colegislator +coley +colemanite +colemouse +colen +colent +coleochaetaceae +coleochaetaceous +coleochaete +coleophora +coleophoridae +coleopter +coleoptera +coleopteral +coleopteran +coleopterist +coleopteroid +coleopterology +coleopterological +coleopteron +coleopterous +coleoptile +coleoptilum +coleopttera +coleorhiza +coleorhizae +coleosporiaceae +coleosporium +coleplant +colera +coles +coleseed +coleseeds +coleslaw +coleslaws +colessee +colessees +colessor +colessors +colet +coletit +coleur +coleus +coleuses +colewort +coleworts +colfox +coli +coly +coliander +colias +colyba +colibacillosis +colibacterin +colibert +colibertus +colibri +colic +colical +colichemarde +colicin +colicine +colicines +colicins +colicystitis +colicystopyelitis +colicker +colicky +colicolitis +colicroot +colics +colicweed +colicwort +colies +coliform +coliforms +coliidae +coliiformes +colilysin +colima +colymbidae +colymbiform +colymbion +colymbriformes +colymbus +colin +colinear +colinearity +colinephritis +coling +colins +colinus +colyone +colyonic +coliphage +colipyelitis +colipyuria +coliplication +colipuncture +colisepsis +coliseum +coliseums +colistin +colistins +colitic +colytic +colitis +colitises +colitoxemia +colyum +colyumist +coliuria +colius +colk +coll +colla +collab +collabent +collaborate +collaborated +collaborates +collaborateur +collaborating +collaboration +collaborationism +collaborationist +collaborationists +collaborations +collaborative +collaboratively +collaborativeness +collaborator +collaborators +collada +colladas +collage +collagen +collagenase +collagenic +collagenous +collagens +collages +collagist +collapsability +collapsable +collapsar +collapse +collapsed +collapses +collapsibility +collapsible +collapsing +collar +collarband +collarbird +collarbone +collarbones +collard +collards +collare +collared +collaret +collarets +collarette +collaring +collarino +collarinos +collarless +collarman +collars +collat +collatable +collate +collated +collatee +collateral +collaterality +collateralize +collateralized +collateralizing +collaterally +collateralness +collaterals +collates +collating +collation +collational +collationer +collations +collatitious +collative +collator +collators +collatress +collaud +collaudation +colleague +colleagued +colleagues +colleagueship +colleaguesmanship +colleaguing +collect +collectability +collectable +collectables +collectanea +collectarium +collected +collectedly +collectedness +collectibility +collectible +collectibles +collecting +collection +collectional +collectioner +collections +collective +collectively +collectiveness +collectives +collectivise +collectivism +collectivist +collectivistic +collectivistically +collectivists +collectivity +collectivities +collectivization +collectivize +collectivized +collectivizes +collectivizing +collectivum +collector +collectorate +collectors +collectorship +collectress +collects +colleen +colleens +collegatary +college +colleger +collegers +colleges +collegese +collegia +collegial +collegialism +collegiality +collegially +collegian +collegianer +collegians +collegiant +collegiate +collegiately +collegiateness +collegiation +collegiugia +collegium +collegiums +colley +collembola +collembolan +collembole +collembolic +collembolous +collen +collenchyma +collenchymatic +collenchymatous +collenchyme +collencytal +collencyte +colleri +collery +colleries +collet +colletarium +colleted +colleter +colleterial +colleterium +colletes +colletia +colletic +colletidae +colletin +colleting +colletotrichum +collets +colletside +colly +collyba +collibert +collybia +collybist +collicle +colliculate +colliculus +collide +collided +collides +collidin +collidine +colliding +collie +collied +collielike +collier +colliery +collieries +colliers +collies +collieshangie +colliflower +colliform +colligance +colligate +colligated +colligating +colligation +colligative +colligible +collying +collylyria +collimate +collimated +collimates +collimating +collimation +collimator +collimators +collin +collinal +colline +collinear +collinearity +collinearly +collineate +collineation +colling +collingly +collingual +collins +collinses +collinsia +collinsite +collinsonia +colliquable +colliquament +colliquate +colliquation +colliquative +colliquativeness +colliquefaction +collyr +collyria +collyridian +collyrie +collyrite +collyrium +collyriums +collis +collision +collisional +collisions +collisive +collywest +collyweston +collywobbles +colloblast +collobrierite +collocal +collocalia +collocate +collocated +collocates +collocating +collocation +collocationable +collocational +collocations +collocative +collocatory +collochemistry +collochromate +collock +collocution +collocutor +collocutory +collodiochloride +collodion +collodionization +collodionize +collodiotype +collodium +collogen +collogue +collogued +collogues +colloguing +colloid +colloidal +colloidality +colloidally +colloider +colloidize +colloidochemical +colloids +collomia +collop +colloped +collophane +collophanite +collophore +collops +colloq +colloque +colloquy +colloquia +colloquial +colloquialism +colloquialisms +colloquialist +colloquiality +colloquialize +colloquializer +colloquially +colloquialness +colloquies +colloquiquia +colloquiquiums +colloquist +colloquium +colloquiums +colloquize +colloquized +colloquizing +colloququia +collossians +collothun +collotype +collotyped +collotypy +collotypic +collotyping +collow +colloxylin +colluctation +collude +colluded +colluder +colluders +colludes +colluding +collum +collumelliaceous +collun +collunaria +collunarium +collusion +collusive +collusively +collusiveness +collusory +collut +collution +collutory +collutoria +collutories +collutorium +colluvia +colluvial +colluvies +colluvium +colluviums +colmar +colmars +colmose +colnaria +colob +colobin +colobium +coloboma +colobus +colocasia +colocate +colocated +colocates +colocating +colocentesis +colocephali +colocephalous +colocynth +colocynthin +coloclysis +colocola +colocolic +colocolo +colodyspepsia +coloenteritis +colog +cologarithm +cologne +cologned +colognes +cologs +colola +cololite +colomb +colombia +colombian +colombians +colombier +colombin +colombina +colombo +colometry +colometric +colometrically +colon +colonaded +colonalgia +colonate +colonel +colonelcy +colonelcies +colonels +colonelship +colonelships +coloner +colones +colonette +colongitude +coloni +colony +colonial +colonialise +colonialised +colonialising +colonialism +colonialist +colonialistic +colonialists +colonialization +colonialize +colonialized +colonializing +colonially +colonialness +colonials +colonic +colonical +colonies +colonisability +colonisable +colonisation +colonisationist +colonise +colonised +coloniser +colonises +colonising +colonist +colonists +colonitis +colonizability +colonizable +colonization +colonizationist +colonizations +colonize +colonized +colonizer +colonizers +colonizes +colonizing +colonnade +colonnaded +colonnades +colonnette +colonopathy +colonopexy +colonoscope +colonoscopy +colons +colonus +colopexy +colopexia +colopexotomy +colophan +colophane +colophany +colophene +colophenic +colophon +colophonate +colophony +colophonian +colophonic +colophonist +colophonite +colophonium +colophons +coloplication +coloppe +coloproctitis +coloptosis +colopuncture +coloquies +coloquintid +coloquintida +color +colorability +colorable +colorableness +colorably +coloradan +coloradans +colorado +coloradoite +colorant +colorants +colorate +coloration +colorational +colorationally +colorations +colorative +coloratura +coloraturas +colorature +colorbearer +colorblind +colorblindness +colorbreed +colorcast +colorcasted +colorcaster +colorcasting +colorcasts +colorectitis +colorectostomy +colored +coloreds +colorer +colorers +colorfast +colorfastness +colorful +colorfully +colorfulness +colory +colorific +colorifics +colorimeter +colorimetry +colorimetric +colorimetrical +colorimetrically +colorimetrics +colorimetrist +colorin +coloring +colorings +colorism +colorisms +colorist +coloristic +coloristically +colorists +colorization +colorize +colorless +colorlessly +colorlessness +colormaker +colormaking +colorman +coloroto +colorrhaphy +colors +colortype +colorum +coloslossi +coloslossuses +coloss +colossal +colossality +colossally +colossean +colosseum +colossi +colossian +colossians +colosso +colossochelys +colossus +colossuses +colossuswise +colostomy +colostomies +colostral +colostration +colostric +colostrous +colostrum +colotyphoid +colotomy +colotomies +colour +colourability +colourable +colourableness +colourably +colouration +colourational +colourationally +colourative +coloured +colourer +colourers +colourfast +colourful +colourfully +colourfulness +coloury +colourific +colourifics +colouring +colourist +colouristic +colourize +colourless +colourlessly +colourlessness +colourman +colours +colourtype +colove +colp +colpenchyma +colpeo +colpeurynter +colpeurysis +colpheg +colpindach +colpitis +colpitises +colpocele +colpocystocele +colpohyperplasia +colpohysterotomy +colpoperineoplasty +colpoperineorrhaphy +colpoplasty +colpoplastic +colpoptosis +colporrhagia +colporrhaphy +colporrhea +colporrhexis +colport +colportage +colporter +colporteur +colporteurs +colposcope +colposcopy +colpostat +colpotomy +colpotomies +colpus +cols +colstaff +colt +colter +colters +colthood +coltish +coltishly +coltishness +coltlike +coltoria +coltpixy +coltpixie +colts +coltsfoot +coltsfoots +coltskin +colubaria +coluber +colubrid +colubridae +colubrids +colubriform +colubriformes +colubriformia +colubrina +colubrinae +colubrine +colubroid +colugo +colugos +columba +columbaceous +columbae +columban +columbanian +columbary +columbaria +columbaries +columbarium +columbate +columbeia +columbeion +columbella +columbia +columbiad +columbian +columbic +columbid +columbidae +columbier +columbiferous +columbiformes +columbin +columbine +columbines +columbite +columbium +columbo +columboid +columbotantalate +columbotitanate +columbous +columbus +columel +columella +columellae +columellar +columellate +columellia +columelliaceae +columelliform +columels +column +columna +columnal +columnar +columnarian +columnarity +columnarized +columnate +columnated +columnates +columnating +columnation +columnea +columned +columner +columniation +columniferous +columniform +columning +columnist +columnistic +columnists +columnization +columnize +columnized +columnizes +columnizing +columns +columnwise +colunar +colure +colures +colusite +colutea +colville +colza +colzas +com +coma +comacine +comade +comae +comagistracy +comagmatic +comake +comaker +comakers +comaking +comal +comales +comals +comamie +coman +comanche +comanchean +comanches +comandante +comandantes +comandanti +comandra +comanic +comarca +comart +comarum +comas +comate +comates +comatic +comatik +comatiks +comatose +comatosely +comatoseness +comatosity +comatous +comatula +comatulae +comatulid +comb +combaron +combasou +combat +combatable +combatant +combatants +combated +combater +combaters +combating +combative +combatively +combativeness +combativity +combats +combattant +combattants +combatted +combatter +combatting +combe +combed +comber +combers +combes +combfish +combfishes +combflower +comby +combinability +combinable +combinableness +combinably +combinant +combinantive +combinate +combination +combinational +combinations +combinative +combinator +combinatory +combinatorial +combinatorially +combinatoric +combinatorics +combinators +combind +combine +combined +combinedly +combinedness +combinement +combiner +combiners +combines +combing +combings +combining +combite +comble +combless +comblessness +comblike +combmaker +combmaking +combo +comboy +comboloio +combos +combre +combretaceae +combretaceous +combretum +combs +combure +comburendo +comburent +comburgess +comburimeter +comburimetry +comburivorous +combust +combusted +combustibility +combustibilities +combustible +combustibleness +combustibles +combustibly +combusting +combustion +combustious +combustive +combustively +combustor +combusts +combwise +combwright +comd +comdg +comdia +comdr +comdt +come +comeatable +comeback +comebacker +comebacks +comecrudo +comeddle +comedy +comedia +comedial +comedian +comedians +comediant +comedic +comedical +comedically +comedienne +comediennes +comedies +comedietta +comediettas +comediette +comedist +comedo +comedones +comedos +comedown +comedowns +comely +comelier +comeliest +comelily +comeliness +comeling +comendite +comenic +comephorous +comer +comers +comes +comessation +comestible +comestibles +comestion +comet +cometary +cometaria +cometarium +cometh +comether +comethers +cometic +cometical +cometlike +cometographer +cometography +cometographical +cometoid +cometology +comets +cometwise +comeupance +comeuppance +comeuppances +comfy +comfier +comfiest +comfily +comfiness +comfit +comfits +comfiture +comfort +comfortability +comfortabilities +comfortable +comfortableness +comfortably +comfortation +comfortative +comforted +comforter +comforters +comfortful +comforting +comfortingly +comfortless +comfortlessly +comfortlessness +comfortress +comfortroot +comforts +comfrey +comfreys +comiakin +comic +comical +comicality +comically +comicalness +comices +comicocynical +comicocratic +comicodidactic +comicography +comicoprosaic +comicotragedy +comicotragic +comicotragical +comicry +comics +comid +comida +comiferous +cominform +cominformist +cominformists +coming +comingle +comings +comino +comintern +comique +comism +comitadji +comital +comitant +comitatensian +comitative +comitatus +comite +comites +comity +comitia +comitial +comities +comitium +comitiva +comitje +comitragedy +coml +comm +comma +commaes +commaing +command +commandable +commandant +commandants +commandatory +commanded +commandedness +commandeer +commandeered +commandeering +commandeers +commander +commandery +commanderies +commanders +commandership +commanding +commandingly +commandingness +commandite +commandless +commandment +commandments +commando +commandoes +commandoman +commandos +commandress +commandry +commandrie +commandries +commands +commark +commas +commassation +commassee +commata +commaterial +commatic +commation +commatism +comme +commeasurable +commeasure +commeasured +commeasuring +commeddle +commelina +commelinaceae +commelinaceous +commem +commemorable +commemorate +commemorated +commemorates +commemorating +commemoration +commemorational +commemorations +commemorative +commemoratively +commemorativeness +commemorator +commemoratory +commemorators +commemorize +commemorized +commemorizing +commence +commenceable +commenced +commencement +commencements +commencer +commences +commencing +commend +commenda +commendable +commendableness +commendably +commendador +commendam +commendatary +commendation +commendations +commendator +commendatory +commendatories +commendatorily +commended +commender +commending +commendingly +commendment +commends +commensal +commensalism +commensalist +commensalistic +commensality +commensally +commensals +commensurability +commensurable +commensurableness +commensurably +commensurate +commensurated +commensurately +commensurateness +commensurating +commensuration +commensurations +comment +commentable +commentary +commentarial +commentarialism +commentaries +commentate +commentated +commentating +commentation +commentative +commentator +commentatorial +commentatorially +commentators +commentatorship +commented +commenter +commenting +commentitious +comments +commerce +commerced +commerceless +commercer +commerces +commercia +commerciable +commercial +commercialisation +commercialise +commercialised +commercialising +commercialism +commercialist +commercialistic +commercialists +commerciality +commercialization +commercializations +commercialize +commercialized +commercializes +commercializing +commercially +commercialness +commercials +commercing +commercium +commerge +commers +commesso +commy +commie +commies +commigration +commilitant +comminate +comminated +comminating +commination +comminative +comminator +comminatory +commingle +commingled +comminglement +commingler +commingles +commingling +comminister +comminuate +comminute +comminuted +comminuting +comminution +comminutor +commiphora +commis +commisce +commise +commiserable +commiserate +commiserated +commiserates +commiserating +commiseratingly +commiseration +commiserations +commiserative +commiseratively +commiserator +commissar +commissary +commissarial +commissariat +commissariats +commissaries +commissaryship +commissars +commission +commissionaire +commissional +commissionary +commissionate +commissionated +commissionating +commissioned +commissioner +commissioners +commissionership +commissionerships +commissioning +commissions +commissionship +commissive +commissively +commissoria +commissural +commissure +commissurotomy +commissurotomies +commistion +commit +commitment +commitments +commits +committable +committal +committals +committed +committedly +committedness +committee +committeeism +committeeman +committeemen +committees +committeeship +committeewoman +committeewomen +committent +committer +committible +committing +committitur +committment +committor +commix +commixed +commixes +commixing +commixt +commixtion +commixture +commo +commodata +commodatary +commodate +commodation +commodatum +commode +commoderate +commodes +commodious +commodiously +commodiousness +commoditable +commodity +commodities +commodore +commodores +commoigne +commolition +common +commonable +commonage +commonality +commonalities +commonalty +commonalties +commonance +commoned +commonefaction +commoney +commoner +commoners +commonership +commonest +commoning +commonish +commonition +commonize +commonly +commonness +commonplace +commonplaceism +commonplacely +commonplaceness +commonplacer +commonplaces +commons +commonsense +commonsensible +commonsensibly +commonsensical +commonsensically +commonty +commonweal +commonweals +commonwealth +commonwealthism +commonwealths +commorancy +commorancies +commorant +commorient +commorse +commorth +commos +commot +commote +commotion +commotional +commotions +commotive +commove +commoved +commoves +commoving +commulation +commulative +communa +communal +communalisation +communalise +communalised +communaliser +communalising +communalism +communalist +communalistic +communality +communalization +communalize +communalized +communalizer +communalizing +communally +communard +communbus +commune +communed +communer +communes +communicability +communicable +communicableness +communicably +communicant +communicants +communicate +communicated +communicatee +communicates +communicating +communication +communicational +communications +communicative +communicatively +communicativeness +communicator +communicatory +communicators +communing +communion +communionable +communional +communionist +communions +communiqu +communique +communiques +communis +communisation +communise +communised +communising +communism +communist +communistery +communisteries +communistic +communistical +communistically +communists +communital +communitary +communitarian +communitarianism +community +communities +communitive +communitywide +communitorium +communization +communize +communized +communizing +commutability +commutable +commutableness +commutant +commutate +commutated +commutating +commutation +commutations +commutative +commutatively +commutativity +commutator +commutators +commute +commuted +commuter +commuters +commutes +commuting +commutual +commutuality +comnenian +comodato +comodo +comoedia +comoedus +comoid +comolecule +comonomer +comonte +comoquer +comorado +comortgagee +comose +comourn +comourner +comournful +comous +comox +comp +compaa +compact +compactability +compactable +compacted +compactedly +compactedness +compacter +compactest +compactible +compactify +compactification +compactile +compacting +compaction +compactions +compactly +compactness +compactor +compactors +compacts +compacture +compadre +compadres +compage +compages +compaginate +compagination +compagnie +compagnies +companable +companage +companator +compander +companero +companeros +company +compania +companiable +companias +companied +companies +companying +companyless +companion +companionability +companionable +companionableness +companionably +companionage +companionate +companioned +companioning +companionize +companionized +companionizing +companionless +companions +companionship +companionway +companionways +compar +comparability +comparable +comparableness +comparably +comparascope +comparate +comparatist +comparatival +comparative +comparatively +comparativeness +comparatives +comparativist +comparator +comparators +comparcioner +compare +compared +comparer +comparers +compares +comparing +comparison +comparisons +comparition +comparograph +comparsa +compart +comparted +compartimenti +compartimento +comparting +compartition +compartment +compartmental +compartmentalization +compartmentalize +compartmentalized +compartmentalizes +compartmentalizing +compartmentally +compartmentation +compartmented +compartmentize +compartments +compartner +comparts +compass +compassability +compassable +compassed +compasser +compasses +compassing +compassion +compassionable +compassionate +compassionated +compassionately +compassionateness +compassionating +compassionless +compassive +compassivity +compassless +compassment +compaternity +compathy +compatibility +compatibilities +compatible +compatibleness +compatibles +compatibly +compatience +compatient +compatriot +compatriotic +compatriotism +compatriots +compd +compear +compearance +compearant +comped +compeer +compeered +compeering +compeers +compel +compellability +compellable +compellably +compellation +compellative +compelled +compellent +compeller +compellers +compelling +compellingly +compels +compend +compendency +compendent +compendia +compendiary +compendiate +compendious +compendiously +compendiousness +compendium +compendiums +compends +compenetrate +compenetration +compensability +compensable +compensate +compensated +compensates +compensating +compensatingly +compensation +compensational +compensations +compensative +compensatively +compensativeness +compensator +compensatory +compensators +compense +compenser +compere +compered +comperes +compering +compert +compesce +compester +compete +competed +competence +competency +competencies +competent +competently +competentness +competer +competes +competible +competing +competingly +competition +competitioner +competitions +competitive +competitively +competitiveness +competitor +competitory +competitors +competitorship +competitress +competitrix +compilable +compilation +compilations +compilator +compilatory +compile +compileable +compiled +compilement +compiler +compilers +compiles +compiling +comping +compinge +compital +compitalia +compitum +complacence +complacency +complacencies +complacent +complacential +complacentially +complacently +complain +complainable +complainant +complainants +complained +complainer +complainers +complaining +complainingly +complainingness +complains +complaint +complaintful +complaintive +complaintiveness +complaints +complaisance +complaisant +complaisantly +complaisantness +complanar +complanate +complanation +complant +compleat +compleated +complect +complected +complecting +complection +complects +complement +complemental +complementally +complementalness +complementary +complementaries +complementarily +complementariness +complementarism +complementarity +complementation +complementative +complemented +complementer +complementers +complementing +complementizer +complementoid +complements +completable +complete +completed +completedness +completely +completement +completeness +completer +completers +completes +completest +completing +completion +completions +completive +completively +completory +completories +complex +complexation +complexed +complexedness +complexer +complexes +complexest +complexify +complexification +complexing +complexion +complexionably +complexional +complexionally +complexionary +complexioned +complexionist +complexionless +complexions +complexity +complexities +complexive +complexively +complexly +complexness +complexometry +complexometric +complexus +comply +compliable +compliableness +compliably +compliance +compliances +compliancy +compliancies +compliant +compliantly +complicacy +complicacies +complicant +complicate +complicated +complicatedly +complicatedness +complicates +complicating +complication +complications +complicative +complicator +complicators +complice +complices +complicity +complicities +complicitous +complied +complier +compliers +complies +complying +compliment +complimentable +complimental +complimentally +complimentalness +complimentary +complimentarily +complimentariness +complimentarity +complimentation +complimentative +complimented +complimenter +complimenters +complimenting +complimentingly +compliments +complin +compline +complines +complins +complish +complot +complotment +complots +complotted +complotter +complotting +complutensian +compluvia +compluvium +compo +compoed +compoer +compoing +compole +compone +componed +componency +componendo +component +componental +componented +componential +componentry +components +componentwise +compony +comport +comportable +comportance +comported +comporting +comportment +comports +compos +composable +composal +composant +compose +composed +composedly +composedness +composer +composers +composes +composing +composit +composita +compositae +composite +composited +compositely +compositeness +composites +compositing +composition +compositional +compositionally +compositions +compositive +compositively +compositor +compositorial +compositors +compositous +compositure +composograph +compossibility +compossible +compost +composted +composting +composts +composture +composure +compot +compotation +compotationship +compotator +compotatory +compote +compotes +compotier +compotiers +compotor +compound +compoundable +compounded +compoundedness +compounder +compounders +compounding +compoundness +compounds +comprachico +comprachicos +comprador +compradore +comprecation +compreg +compregnate +comprehend +comprehended +comprehender +comprehendible +comprehending +comprehendingly +comprehends +comprehense +comprehensibility +comprehensible +comprehensibleness +comprehensibly +comprehension +comprehensive +comprehensively +comprehensiveness +comprehensives +comprehensor +comprend +compresbyter +compresbyterial +compresence +compresent +compress +compressed +compressedly +compresses +compressibility +compressibilities +compressible +compressibleness +compressibly +compressing +compressingly +compression +compressional +compressions +compressive +compressively +compressometer +compressor +compressors +compressure +comprest +compriest +comprint +comprisable +comprisal +comprise +comprised +comprises +comprising +comprizable +comprizal +comprize +comprized +comprizes +comprizing +comprobate +comprobation +comproduce +compromis +compromisable +compromise +compromised +compromiser +compromisers +compromises +compromising +compromisingly +compromissary +compromission +compromissorial +compromit +compromitment +compromitted +compromitting +comprovincial +comps +compsilura +compsoa +compsognathus +compsothlypidae +compt +compte +compted +compter +comptible +comptie +compting +comptly +comptness +comptoir +comptometer +comptonia +comptonite +comptrol +comptroller +comptrollers +comptrollership +compts +compulsative +compulsatively +compulsatory +compulsatorily +compulse +compulsed +compulsion +compulsions +compulsitor +compulsive +compulsively +compulsiveness +compulsives +compulsivity +compulsory +compulsorily +compulsoriness +compunct +compunction +compunctionary +compunctionless +compunctions +compunctious +compunctiously +compunctive +compupil +compurgation +compurgator +compurgatory +compurgatorial +compursion +computability +computable +computably +computate +computation +computational +computationally +computations +computative +computatively +computativeness +compute +computed +computer +computerese +computerise +computerite +computerizable +computerization +computerize +computerized +computerizes +computerizing +computerlike +computernik +computers +computes +computing +computist +computus +comr +comrade +comradely +comradeliness +comradery +comrades +comradeship +comrado +comrogue +coms +comsat +comsomol +comstock +comstockery +comstockeries +comte +comtes +comtesse +comtesses +comtian +comtism +comtist +comunidad +comurmurer +comus +comvia +con +conable +conacaste +conacre +conal +conalbumin +conamarin +conamed +conand +conant +conarial +conarium +conation +conational +conationalistic +conations +conative +conatural +conatus +conaxial +conbinas +conc +concactenated +concamerate +concamerated +concameration +concanavalin +concaptive +concarnation +concassation +concatenary +concatenate +concatenated +concatenates +concatenating +concatenation +concatenations +concatenator +concatervate +concaulescence +concausal +concause +concavation +concave +concaved +concavely +concaveness +concaver +concaves +concaving +concavity +concavities +concavo +conceal +concealable +concealed +concealedly +concealedness +concealer +concealers +concealing +concealingly +concealment +conceals +concede +conceded +concededly +conceder +conceders +concedes +conceding +conceit +conceited +conceitedly +conceitedness +conceity +conceiting +conceitless +conceits +conceivability +conceivable +conceivableness +conceivably +conceive +conceived +conceiver +conceivers +conceives +conceiving +concelebrate +concelebrated +concelebrates +concelebrating +concelebration +concelebrations +concent +concenter +concentered +concentering +concentive +concento +concentralization +concentralize +concentrate +concentrated +concentrates +concentrating +concentration +concentrations +concentrative +concentrativeness +concentrator +concentrators +concentre +concentred +concentric +concentrical +concentrically +concentricate +concentricity +concentring +concents +concentual +concentus +concept +conceptacle +conceptacular +conceptaculum +conceptible +conception +conceptional +conceptionist +conceptions +conceptism +conceptive +conceptiveness +concepts +conceptual +conceptualisation +conceptualise +conceptualised +conceptualising +conceptualism +conceptualist +conceptualistic +conceptualistically +conceptualists +conceptuality +conceptualization +conceptualizations +conceptualize +conceptualized +conceptualizer +conceptualizes +conceptualizing +conceptually +conceptus +concern +concernancy +concerned +concernedly +concernedness +concerning +concerningly +concerningness +concernment +concerns +concert +concertante +concertantes +concertanti +concertanto +concertati +concertation +concertato +concertatos +concerted +concertedly +concertedness +concertgoer +concerti +concertina +concertinas +concerting +concertini +concertinist +concertino +concertinos +concertion +concertise +concertised +concertiser +concertising +concertist +concertize +concertized +concertizer +concertizes +concertizing +concertmaster +concertmasters +concertmeister +concertment +concerto +concertos +concerts +concertstck +concertstuck +concessible +concession +concessionaire +concessionaires +concessional +concessionary +concessionaries +concessioner +concessionist +concessions +concessit +concessive +concessively +concessiveness +concessor +concessory +concetti +concettism +concettist +concetto +conch +concha +conchae +conchal +conchate +conche +conched +concher +conches +conchfish +conchfishes +conchy +conchie +conchies +conchifera +conchiferous +conchiform +conchyle +conchylia +conchyliated +conchyliferous +conchylium +conchinin +conchinine +conchiolin +conchite +conchitic +conchitis +concho +conchobor +conchoid +conchoidal +conchoidally +conchoids +conchol +conchology +conchological +conchologically +conchologist +conchologize +conchometer +conchometry +conchospiral +conchostraca +conchotome +conchs +conchubar +conchucu +conchuela +conciator +concyclic +concyclically +concierge +concierges +concile +conciliable +conciliabule +conciliabulum +conciliar +conciliarism +conciliarly +conciliate +conciliated +conciliates +conciliating +conciliatingly +conciliation +conciliationist +conciliations +conciliative +conciliator +conciliatory +conciliatorily +conciliatoriness +conciliators +concilium +concinnate +concinnated +concinnating +concinnity +concinnities +concinnous +concinnously +concio +concion +concional +concionary +concionate +concionator +concionatory +conciousness +concipiency +concipient +concise +concisely +conciseness +conciser +concisest +concision +concitation +concite +concitizen +conclamant +conclamation +conclave +conclaves +conclavist +concludable +conclude +concluded +concludence +concludency +concludendi +concludent +concludently +concluder +concluders +concludes +concludible +concluding +concludingly +conclusible +conclusion +conclusional +conclusionally +conclusions +conclusive +conclusively +conclusiveness +conclusory +conclusum +concn +concoagulate +concoagulation +concoct +concocted +concocter +concocting +concoction +concoctions +concoctive +concoctor +concocts +concolor +concolorous +concolour +concomitance +concomitancy +concomitant +concomitantly +concomitate +concommitant +concommitantly +conconscious +concord +concordable +concordably +concordal +concordance +concordancer +concordances +concordancy +concordant +concordantial +concordantly +concordat +concordatory +concordats +concordatum +concorder +concordial +concordist +concordity +concordly +concords +concorporate +concorporated +concorporating +concorporation +concorrezanes +concours +concourse +concourses +concreate +concredit +concremation +concrement +concresce +concrescence +concrescences +concrescent +concrescible +concrescive +concrete +concreted +concretely +concreteness +concreter +concretes +concreting +concretion +concretional +concretionary +concretions +concretism +concretist +concretive +concretively +concretization +concretize +concretized +concretizing +concretor +concrew +concrfsce +concubinage +concubinal +concubinary +concubinarian +concubinaries +concubinate +concubine +concubinehood +concubines +concubitancy +concubitant +concubitous +concubitus +conculcate +conculcation +concumbency +concupy +concupiscence +concupiscent +concupiscible +concupiscibleness +concur +concurbit +concurred +concurrence +concurrences +concurrency +concurrencies +concurrent +concurrently +concurrentness +concurring +concurringly +concurs +concursion +concurso +concursus +concuss +concussant +concussation +concussed +concusses +concussing +concussion +concussional +concussions +concussive +concussively +concutient +cond +condalia +condecent +condemn +condemnable +condemnably +condemnate +condemnation +condemnations +condemnatory +condemned +condemner +condemners +condemning +condemningly +condemnor +condemns +condensability +condensable +condensance +condensary +condensaries +condensate +condensates +condensation +condensational +condensations +condensative +condensator +condense +condensed +condensedly +condensedness +condenser +condensery +condenseries +condensers +condenses +condensible +condensing +condensity +conder +condescend +condescended +condescendence +condescendent +condescender +condescending +condescendingly +condescendingness +condescends +condescension +condescensions +condescensive +condescensively +condescensiveness +condescent +condiction +condictious +condiddle +condiddled +condiddlement +condiddling +condign +condigness +condignity +condignly +condignness +condylar +condylarth +condylarthra +condylarthrosis +condylarthrous +condyle +condylectomy +condyles +condylion +condyloid +condyloma +condylomas +condylomata +condylomatous +condylome +condylopod +condylopoda +condylopodous +condylos +condylotomy +condylura +condylure +condiment +condimental +condimentary +condiments +condisciple +condistillation +condite +condition +conditionable +conditional +conditionalism +conditionalist +conditionality +conditionalities +conditionalize +conditionally +conditionals +conditionate +conditione +conditioned +conditioner +conditioners +conditioning +conditions +condititivia +conditivia +conditivium +conditory +conditoria +conditorium +conditotoria +condivision +condo +condog +condolatory +condole +condoled +condolement +condolence +condolences +condolent +condoler +condolers +condoles +condoling +condolingly +condom +condominate +condominial +condominiia +condominiiums +condominium +condominiums +condoms +condonable +condonance +condonation +condonations +condonative +condone +condoned +condonement +condoner +condoners +condones +condoning +condor +condores +condors +condos +condottiere +condottieri +conduce +conduceability +conduced +conducement +conducent +conducer +conducers +conduces +conducible +conducibleness +conducibly +conducing +conducingly +conducive +conduciveness +conduct +conducta +conductance +conductances +conducted +conductibility +conductible +conductility +conductimeter +conductimetric +conducting +conductio +conduction +conductional +conductitious +conductive +conductively +conductivity +conductivities +conductometer +conductometric +conductor +conductory +conductorial +conductorless +conductors +conductorship +conductress +conducts +conductus +condue +conduit +conduits +conduplicate +conduplicated +conduplication +condurangin +condurango +condurrite +cone +coned +coneen +coneflower +conehead +coney +coneighboring +coneine +coneys +conelet +conelike +conelrad +conelrads +conemaker +conemaking +conemaugh +conenchyma +conenose +conenoses +conepate +conepates +conepatl +conepatls +coner +cones +conessine +conestoga +conf +confab +confabbed +confabbing +confabs +confabular +confabulate +confabulated +confabulates +confabulating +confabulation +confabulations +confabulator +confabulatory +confact +confarreate +confarreated +confarreation +confated +confect +confected +confecting +confection +confectionary +confectionaries +confectioner +confectionery +confectioneries +confectioners +confectiones +confections +confectory +confects +confecture +confed +confeder +confederacy +confederacies +confederal +confederalist +confederate +confederated +confederater +confederates +confederating +confederatio +confederation +confederationism +confederationist +confederations +confederatism +confederative +confederatize +confederator +confelicity +confer +conferee +conferees +conference +conferences +conferencing +conferential +conferment +conferrable +conferral +conferred +conferree +conferrence +conferrer +conferrers +conferring +conferruminate +confers +conferted +conferva +confervaceae +confervaceous +confervae +conferval +confervales +confervalike +confervas +confervoid +confervoideae +confervous +confess +confessable +confessant +confessary +confessarius +confessed +confessedly +confesser +confesses +confessing +confessingly +confession +confessional +confessionalian +confessionalism +confessionalist +confessionally +confessionals +confessionary +confessionaries +confessionist +confessions +confessor +confessory +confessors +confessorship +confest +confetti +confetto +conficient +confidant +confidante +confidantes +confidants +confide +confided +confidence +confidences +confidency +confident +confidente +confidential +confidentiality +confidentially +confidentialness +confidentiary +confidently +confidentness +confider +confiders +confides +confiding +confidingly +confidingness +configurable +configural +configurate +configurated +configurating +configuration +configurational +configurationally +configurationism +configurationist +configurations +configurative +configure +configured +configures +configuring +confinable +confine +confineable +confined +confinedly +confinedness +confineless +confinement +confinements +confiner +confiners +confines +confining +confinity +confirm +confirmability +confirmable +confirmand +confirmation +confirmational +confirmations +confirmative +confirmatively +confirmatory +confirmatorily +confirmed +confirmedly +confirmedness +confirmee +confirmer +confirming +confirmingly +confirmity +confirmment +confirmor +confirms +confiscable +confiscatable +confiscate +confiscated +confiscates +confiscating +confiscation +confiscations +confiscator +confiscatory +confiscators +confiserie +confisk +confisticating +confit +confitent +confiteor +confiture +confix +confixed +confixing +conflab +conflagrant +conflagrate +conflagrated +conflagrating +conflagration +conflagrations +conflagrative +conflagrator +conflagratory +conflate +conflated +conflates +conflating +conflation +conflexure +conflict +conflicted +conflictful +conflicting +conflictingly +confliction +conflictive +conflictless +conflictory +conflicts +conflictual +conflow +confluence +confluences +confluent +confluently +conflux +confluxes +confluxibility +confluxible +confluxibleness +confocal +confocally +conforbably +conform +conformability +conformable +conformableness +conformably +conformal +conformance +conformant +conformate +conformation +conformational +conformationally +conformations +conformator +conformed +conformer +conformers +conforming +conformingly +conformism +conformist +conformists +conformity +conformities +conforms +confort +confound +confoundable +confounded +confoundedly +confoundedness +confounder +confounders +confounding +confoundingly +confoundment +confounds +confr +confract +confraction +confragose +confrater +confraternal +confraternity +confraternities +confraternization +confrere +confreres +confrerie +confriar +confricamenta +confricamentum +confrication +confront +confrontal +confrontation +confrontational +confrontationism +confrontationist +confrontations +confronte +confronted +confronter +confronters +confronting +confrontment +confronts +confucian +confucianism +confucianist +confucians +confucius +confusability +confusable +confusably +confuse +confused +confusedly +confusedness +confuser +confusers +confuses +confusing +confusingly +confusion +confusional +confusions +confusive +confusticate +confustication +confutability +confutable +confutation +confutations +confutative +confutator +confute +confuted +confuter +confuters +confutes +confuting +cong +conga +congaed +congaing +congas +conge +congeable +congeal +congealability +congealable +congealableness +congealed +congealedness +congealer +congealing +congealment +congeals +conged +congee +congeed +congeeing +congees +congeing +congelation +congelative +congelifract +congelifraction +congeliturbate +congeliturbation +congenator +congener +congeneracy +congeneric +congenerical +congenerous +congenerousness +congeners +congenetic +congenial +congeniality +congenialize +congenially +congenialness +congenital +congenitally +congenitalness +congenite +congeon +conger +congeree +congery +congerie +congeries +congers +conges +congession +congest +congested +congestedness +congestible +congesting +congestion +congestions +congestive +congests +congestus +congiary +congiaries +congii +congius +conglaciate +conglobate +conglobated +conglobately +conglobating +conglobation +conglobe +conglobed +conglobes +conglobing +conglobulate +conglomerate +conglomerated +conglomerates +conglomeratic +conglomerating +conglomeration +conglomerations +conglomerative +conglomerator +conglomeritic +conglutin +conglutinant +conglutinate +conglutinated +conglutinating +conglutination +conglutinative +conglution +congo +congoes +congoese +congolese +congoleum +congoni +congos +congou +congous +congrats +congratulable +congratulant +congratulate +congratulated +congratulates +congratulating +congratulation +congratulational +congratulations +congratulator +congratulatory +congredient +congree +congreet +congregable +congreganist +congregant +congregants +congregate +congregated +congregates +congregating +congregation +congregational +congregationalism +congregationalist +congregationalists +congregationalize +congregationally +congregationer +congregationist +congregations +congregative +congregativeness +congregator +congreso +congress +congressed +congresser +congresses +congressing +congressional +congressionalist +congressionally +congressionist +congressist +congressive +congressman +congressmen +congresso +congresswoman +congresswomen +congreve +congrid +congridae +congrio +congroid +congrue +congruence +congruences +congruency +congruencies +congruent +congruential +congruently +congruism +congruist +congruistic +congruity +congruities +congruous +congruously +congruousness +congustable +conhydrin +conhydrine +coni +cony +conia +coniacian +conic +conical +conicality +conically +conicalness +conycatcher +conicein +coniceine +conichalcite +conicine +conicity +conicities +conicle +conicoid +conicopoly +conics +conidae +conidia +conidial +conidian +conidiiferous +conidioid +conidiophore +conidiophorous +conidiospore +conidium +conies +conifer +coniferae +coniferin +coniferophyte +coniferous +conifers +conification +coniform +conyger +coniine +coniines +conylene +conilurus +conima +conimene +conin +conine +conines +coning +conynge +coninidia +conins +coniogramme +coniology +coniomycetes +coniophora +coniopterygidae +conioselinum +coniosis +coniospermous +coniothyrium +conyrin +conyrine +coniroster +conirostral +conirostres +conisance +conite +conium +coniums +conyza +conj +conject +conjective +conjecturable +conjecturableness +conjecturably +conjectural +conjecturalist +conjecturality +conjecturally +conjecture +conjectured +conjecturer +conjectures +conjecturing +conjee +conjegates +conjobble +conjoin +conjoined +conjoinedly +conjoiner +conjoining +conjoins +conjoint +conjointly +conjointment +conjointness +conjoints +conjon +conjubilant +conjuctiva +conjugable +conjugably +conjugacy +conjugal +conjugales +conjugality +conjugally +conjugant +conjugata +conjugatae +conjugate +conjugated +conjugately +conjugateness +conjugates +conjugating +conjugation +conjugational +conjugationally +conjugations +conjugative +conjugator +conjugators +conjugial +conjugium +conjunct +conjuncted +conjunction +conjunctional +conjunctionally +conjunctions +conjunctiva +conjunctivae +conjunctival +conjunctivas +conjunctive +conjunctively +conjunctiveness +conjunctives +conjunctivitis +conjunctly +conjuncts +conjunctur +conjunctural +conjuncture +conjunctures +conjuration +conjurations +conjurator +conjure +conjured +conjurement +conjurer +conjurers +conjurership +conjures +conjury +conjuring +conjurison +conjuror +conjurors +conk +conkanee +conked +conker +conkers +conky +conking +conks +conli +conn +connach +connaisseur +connaraceae +connaraceous +connarite +connarus +connascency +connascent +connatal +connate +connately +connateness +connation +connatural +connaturality +connaturalize +connaturally +connaturalness +connature +connaught +connect +connectable +connectant +connected +connectedly +connectedness +connecter +connecters +connectibility +connectible +connectibly +connecticut +connecting +connection +connectional +connectionism +connectionless +connections +connectival +connective +connectively +connectives +connectivity +connector +connectors +connects +conned +connellite +conner +conners +connex +connexes +connexion +connexional +connexionalism +connexity +connexities +connexiva +connexive +connexivum +connexure +connexus +conny +connie +connies +conning +conniption +conniptions +connivance +connivances +connivancy +connivant +connivantly +connive +connived +connivence +connivent +connivently +conniver +connivery +connivers +connives +conniving +connivingly +connixation +connochaetes +connoissance +connoisseur +connoisseurs +connoisseurship +connotate +connotation +connotational +connotations +connotative +connotatively +connote +connoted +connotes +connoting +connotive +connotively +conns +connu +connubial +connubialism +connubiality +connubially +connubiate +connubium +connumerate +connumeration +connusable +conocarp +conocarpus +conocephalum +conocephalus +conoclinium +conocuneus +conodont +conodonts +conoy +conoid +conoidal +conoidally +conoidic +conoidical +conoidically +conoids +conolophus +conominee +cononintelligent +conopholis +conopid +conopidae +conoplain +conopodium +conopophaga +conopophagidae +conor +conorhinus +conormal +conoscente +conoscenti +conoscope +conoscopic +conourish +conphaseolin +conplane +conquassate +conquedle +conquer +conquerable +conquerableness +conquered +conquerer +conquerers +conqueress +conquering +conqueringly +conquerment +conqueror +conquerors +conquers +conquest +conquests +conquian +conquians +conquinamine +conquinine +conquisition +conquistador +conquistadores +conquistadors +conrad +conrail +conrector +conrectorship +conred +conrey +conringia +cons +consacre +consanguine +consanguineal +consanguinean +consanguineous +consanguineously +consanguinity +consanguinities +consarcinate +consarn +consarned +conscience +conscienceless +consciencelessly +consciencelessness +consciences +consciencewise +conscient +conscientious +conscientiously +conscientiousness +conscionable +conscionableness +conscionably +conscious +consciously +consciousness +conscive +conscribe +conscribed +conscribing +conscript +conscripted +conscripting +conscription +conscriptional +conscriptionist +conscriptions +conscriptive +conscripts +conscripttion +consderations +consecrate +consecrated +consecratedness +consecrater +consecrates +consecrating +consecration +consecrations +consecrative +consecrator +consecratory +consectary +consecute +consecution +consecutive +consecutively +consecutiveness +consecutives +consence +consenescence +consenescency +consension +consensual +consensually +consensus +consensuses +consent +consentable +consentaneity +consentaneous +consentaneously +consentaneousness +consentant +consented +consenter +consenters +consentful +consentfully +consentience +consentient +consentiently +consenting +consentingly +consentingness +consentive +consentively +consentment +consents +consequence +consequences +consequency +consequent +consequential +consequentiality +consequentialities +consequentially +consequentialness +consequently +consequents +consertal +consertion +conservable +conservacy +conservancy +conservancies +conservant +conservate +conservation +conservational +conservationism +conservationist +conservationists +conservations +conservatism +conservatist +conservative +conservatively +conservativeness +conservatives +conservatize +conservatoire +conservatoires +conservator +conservatory +conservatorial +conservatories +conservatorio +conservatorium +conservators +conservatorship +conservatrix +conserve +conserved +conserver +conservers +conserves +conserving +consy +consider +considerability +considerable +considerableness +considerably +considerance +considerate +considerately +considerateness +consideration +considerations +considerative +consideratively +considerativeness +considerator +considered +considerer +considering +consideringly +considers +consign +consignable +consignatary +consignataries +consignation +consignatory +consigne +consigned +consignee +consignees +consigneeship +consigner +consignify +consignificant +consignificate +consignification +consignificative +consignificator +consignified +consignifying +consigning +consignment +consignments +consignor +consignors +consigns +consiliary +consilience +consilient +consimilar +consimilarity +consimilate +consimilated +consimilating +consimile +consisently +consist +consisted +consistence +consistences +consistency +consistencies +consistent +consistently +consistible +consisting +consistory +consistorial +consistorian +consistories +consists +consition +consitutional +consociate +consociated +consociating +consociation +consociational +consociationism +consociative +consocies +consol +consolable +consolableness +consolably +consolamentum +consolan +consolate +consolation +consolations +consolato +consolator +consolatory +consolatorily +consolatoriness +consolatrix +console +consoled +consolement +consoler +consolers +consoles +consolette +consolidant +consolidate +consolidated +consolidates +consolidating +consolidation +consolidationist +consolidations +consolidative +consolidator +consolidators +consoling +consolingly +consolitorily +consolitoriness +consols +consolute +consomm +consomme +consommes +consonance +consonances +consonancy +consonant +consonantal +consonantalize +consonantalized +consonantalizing +consonantally +consonantic +consonantise +consonantised +consonantising +consonantism +consonantize +consonantized +consonantizing +consonantly +consonantness +consonants +consonate +consonous +consopite +consort +consortable +consorted +consorter +consortia +consortial +consorting +consortion +consortism +consortitia +consortium +consortiums +consorts +consortship +consoude +consound +conspecies +conspecific +conspecifics +conspect +conspection +conspectuity +conspectus +conspectuses +consperg +consperse +conspersion +conspicuity +conspicuous +conspicuously +conspicuousness +conspiracy +conspiracies +conspirant +conspiration +conspirational +conspirative +conspirator +conspiratory +conspiratorial +conspiratorially +conspirators +conspiratress +conspire +conspired +conspirer +conspirers +conspires +conspiring +conspiringly +conspissate +conspue +conspurcate +const +constable +constablery +constables +constableship +constabless +constablewick +constabular +constabulary +constabularies +constance +constances +constancy +constant +constantan +constantine +constantinian +constantinople +constantinopolitan +constantly +constantness +constants +constat +constatation +constatations +constate +constative +constatory +constellate +constellated +constellating +constellation +constellations +constellatory +conster +consternate +consternated +consternating +consternation +constipate +constipated +constipates +constipating +constipation +constituency +constituencies +constituent +constituently +constituents +constitute +constituted +constituter +constitutes +constituting +constitution +constitutional +constitutionalism +constitutionalist +constitutionality +constitutionalization +constitutionalize +constitutionally +constitutionals +constitutionary +constitutioner +constitutionist +constitutionless +constitutions +constitutive +constitutively +constitutiveness +constitutor +constr +constrain +constrainable +constrained +constrainedly +constrainedness +constrainer +constrainers +constraining +constrainingly +constrainment +constrains +constraint +constraints +constrict +constricted +constricting +constriction +constrictions +constrictive +constrictor +constrictors +constricts +constringe +constringed +constringency +constringent +constringing +construability +construable +construal +construct +constructable +constructed +constructer +constructibility +constructible +constructing +construction +constructional +constructionally +constructionism +constructionist +constructionists +constructions +constructive +constructively +constructiveness +constructivism +constructivist +constructor +constructors +constructorship +constructs +constructure +construe +construed +construer +construers +construes +construing +constuctor +constuprate +constupration +consubsist +consubsistency +consubstantial +consubstantialism +consubstantialist +consubstantiality +consubstantially +consubstantiate +consubstantiated +consubstantiating +consubstantiation +consubstantiationist +consubstantive +consuete +consuetitude +consuetude +consuetudinal +consuetudinary +consul +consulage +consular +consulary +consularity +consulate +consulated +consulates +consulating +consuls +consulship +consulships +consult +consulta +consultable +consultancy +consultant +consultants +consultantship +consultary +consultation +consultations +consultative +consultatively +consultatory +consulted +consultee +consulter +consulting +consultive +consultively +consulto +consultor +consultory +consults +consumable +consumables +consumate +consumated +consumating +consumation +consume +consumed +consumedly +consumeless +consumer +consumerism +consumerist +consumers +consumership +consumes +consuming +consumingly +consumingness +consummate +consummated +consummately +consummates +consummating +consummation +consummations +consummative +consummatively +consummativeness +consummator +consummatory +consumo +consumpt +consumpted +consumptible +consumption +consumptional +consumptions +consumptive +consumptively +consumptiveness +consumptives +consumptivity +consute +cont +contabescence +contabescent +contact +contactant +contacted +contactile +contacting +contaction +contactor +contacts +contactual +contactually +contadino +contaggia +contagia +contagion +contagioned +contagionist +contagions +contagiosity +contagious +contagiously +contagiousness +contagium +contain +containable +contained +containedly +container +containerboard +containerization +containerize +containerized +containerizes +containerizing +containerport +containers +containership +containerships +containing +containment +containments +contains +contakia +contakion +contakionkia +contam +contaminable +contaminant +contaminants +contaminate +contaminated +contaminates +contaminating +contamination +contaminations +contaminative +contaminator +contaminous +contangential +contango +contangoes +contangos +contchar +contd +conte +conteck +contect +contection +contek +conteke +contemn +contemned +contemner +contemnible +contemnibly +contemning +contemningly +contemnor +contemns +contemp +contemper +contemperate +contemperature +contemplable +contemplamen +contemplance +contemplant +contemplate +contemplated +contemplatedly +contemplates +contemplating +contemplatingly +contemplation +contemplations +contemplatist +contemplative +contemplatively +contemplativeness +contemplator +contemplators +contemplature +contemple +contemporanean +contemporaneity +contemporaneous +contemporaneously +contemporaneousness +contemporary +contemporaries +contemporarily +contemporariness +contemporise +contemporised +contemporising +contemporize +contemporized +contemporizing +contempt +contemptful +contemptibility +contemptible +contemptibleness +contemptibly +contempts +contemptuous +contemptuously +contemptuousness +contend +contended +contendent +contender +contendere +contenders +contending +contendingly +contendress +contends +contenement +content +contentable +contentation +contented +contentedly +contentedness +contentful +contenting +contention +contentional +contentions +contentious +contentiously +contentiousness +contentless +contently +contentment +contentness +contents +contenu +conter +conterminable +conterminal +conterminant +conterminate +contermine +conterminous +conterminously +conterminousness +conterraneous +contes +contessa +contesseration +contest +contestability +contestable +contestableness +contestably +contestant +contestants +contestate +contestation +contested +contestee +contester +contesters +contesting +contestingly +contestless +contests +conteur +contex +context +contextive +contexts +contextual +contextualize +contextually +contextural +contexture +contextured +contg +conticent +contignate +contignation +contiguate +contiguity +contiguities +contiguous +contiguously +contiguousness +contin +continence +continency +continent +continental +continentaler +continentalism +continentalist +continentality +continentalize +continentally +continentals +continently +continents +contineu +contingence +contingency +contingencies +contingent +contingential +contingentialness +contingentiam +contingently +contingentness +contingents +continua +continuable +continual +continuality +continually +continualness +continuance +continuances +continuancy +continuando +continuant +continuantly +continuate +continuately +continuateness +continuation +continuations +continuative +continuatively +continuativeness +continuator +continue +continued +continuedly +continuedness +continuer +continuers +continues +continuing +continuingly +continuist +continuity +continuities +continuo +continuos +continuous +continuously +continuousness +continuua +continuum +continuums +contise +contline +conto +contoid +contoise +contorniate +contorniates +contorno +contorsion +contorsive +contort +contorta +contortae +contorted +contortedly +contortedness +contorting +contortion +contortional +contortionate +contortioned +contortionist +contortionistic +contortionists +contortions +contortive +contortively +contorts +contortuplicate +contos +contour +contoured +contouring +contourne +contours +contr +contra +contraband +contrabandage +contrabandery +contrabandism +contrabandist +contrabandista +contrabass +contrabassist +contrabasso +contrabassoon +contrabassoonist +contracapitalist +contraception +contraceptionist +contraceptive +contraceptives +contracyclical +contracivil +contraclockwise +contract +contractable +contractant +contractation +contracted +contractedly +contractedness +contractee +contracter +contractibility +contractible +contractibleness +contractibly +contractile +contractility +contracting +contraction +contractional +contractionist +contractions +contractive +contractively +contractiveness +contractly +contractor +contractors +contracts +contractu +contractual +contractually +contracture +contractured +contractus +contrada +contradance +contrade +contradebt +contradict +contradictable +contradicted +contradictedness +contradicter +contradicting +contradiction +contradictional +contradictions +contradictious +contradictiously +contradictiousness +contradictive +contradictively +contradictiveness +contradictor +contradictory +contradictories +contradictorily +contradictoriness +contradicts +contradiscriminate +contradistinct +contradistinction +contradistinctions +contradistinctive +contradistinctively +contradistinctly +contradistinguish +contradivide +contrafacture +contrafagotto +contrafissura +contrafissure +contraflexure +contraflow +contrafocal +contragredience +contragredient +contrahent +contrayerva +contrail +contrails +contraindicant +contraindicate +contraindicated +contraindicates +contraindicating +contraindication +contraindications +contraindicative +contrair +contraire +contralateral +contralti +contralto +contraltos +contramarque +contramure +contranatural +contrantiscion +contraoctave +contraorbital +contraorbitally +contraparallelogram +contrapletal +contraplete +contraplex +contrapolarization +contrapone +contraponend +contraposaune +contrapose +contraposed +contraposing +contraposit +contraposita +contraposition +contrapositive +contrapositives +contrapposto +contrappostos +contraprogressist +contraprop +contraproposal +contraprops +contraprovectant +contraption +contraptions +contraptious +contrapuntal +contrapuntalist +contrapuntally +contrapuntist +contrapunto +contrarational +contraregular +contraregularity +contraremonstrance +contraremonstrant +contrarevolutionary +contrary +contrariant +contrariantly +contraries +contrariety +contrarieties +contrarily +contrariness +contrarious +contrariously +contrariousness +contrariwise +contrarotation +contrascriptural +contrast +contrastable +contrastably +contraste +contrasted +contrastedly +contraster +contrasters +contrasty +contrastimulant +contrastimulation +contrastimulus +contrasting +contrastingly +contrastive +contrastively +contrastiveness +contrastment +contrasts +contrasuggestible +contratabular +contrate +contratempo +contratenor +contratulations +contravalence +contravallation +contravariant +contravene +contravened +contravener +contravenes +contravening +contravention +contraversion +contravindicate +contravindication +contrawise +contrecoup +contrectation +contredanse +contredanses +contreface +contrefort +contrepartie +contretemps +contrib +contributable +contributary +contribute +contributed +contributes +contributing +contribution +contributional +contributions +contributive +contributively +contributiveness +contributor +contributory +contributorial +contributories +contributorily +contributors +contributorship +contrist +contrite +contritely +contriteness +contrition +contriturate +contrivable +contrivance +contrivances +contrivancy +contrive +contrived +contrivedly +contrivement +contriver +contrivers +contrives +contriving +control +controled +controling +controllability +controllable +controllableness +controllably +controlled +controller +controllers +controllership +controlless +controlling +controllingly +controlment +controls +controversal +controverse +controversed +controversy +controversial +controversialism +controversialist +controversialists +controversialize +controversially +controversies +controversion +controversional +controversionalism +controversionalist +controvert +controverted +controverter +controvertibility +controvertible +controvertibly +controverting +controvertist +controverts +contrude +conttinua +contubernal +contubernial +contubernium +contumacy +contumacies +contumacious +contumaciously +contumaciousness +contumacity +contumacities +contumax +contumely +contumelies +contumelious +contumeliously +contumeliousness +contund +contune +conturb +conturbation +contuse +contused +contuses +contusing +contusion +contusioned +contusions +contusive +conubium +conularia +conule +conumerary +conumerous +conundrum +conundrumize +conundrums +conurbation +conurbations +conure +conuropsis +conurus +conus +conusable +conusance +conusant +conusee +conuses +conusor +conutrition +conuzee +conuzor +conv +convalesce +convalesced +convalescence +convalescency +convalescent +convalescently +convalescents +convalesces +convalescing +convallamarin +convallaria +convallariaceae +convallariaceous +convallarin +convally +convect +convected +convecting +convection +convectional +convective +convectively +convector +convects +convey +conveyability +conveyable +conveyal +conveyance +conveyancer +conveyances +conveyancing +conveyed +conveyer +conveyers +conveying +conveyor +conveyorization +conveyorize +conveyorized +conveyorizer +conveyorizing +conveyors +conveys +convell +convenable +convenably +convenance +convenances +convene +convened +convenee +convener +convenery +conveneries +conveners +convenership +convenes +convenience +convenienced +conveniences +conveniency +conveniencies +conveniens +convenient +conveniently +convenientness +convening +convent +convented +conventical +conventically +conventicle +conventicler +conventicles +conventicular +conventing +convention +conventional +conventionalisation +conventionalise +conventionalised +conventionalising +conventionalism +conventionalist +conventionality +conventionalities +conventionalization +conventionalize +conventionalized +conventionalizes +conventionalizing +conventionally +conventionary +conventioneer +conventioneers +conventioner +conventionism +conventionist +conventionize +conventions +convento +convents +conventual +conventually +converge +converged +convergement +convergence +convergences +convergency +convergent +convergently +converges +convergescence +converginerved +converging +conversable +conversableness +conversably +conversance +conversancy +conversant +conversantly +conversation +conversationable +conversational +conversationalism +conversationalist +conversationalists +conversationally +conversationism +conversationist +conversationize +conversations +conversative +conversazione +conversaziones +conversazioni +converse +conversed +conversely +converser +converses +conversi +conversibility +conversible +conversing +conversion +conversional +conversionary +conversionism +conversionist +conversions +conversive +converso +conversus +conversusi +convert +convertable +convertaplane +converted +convertend +converter +converters +convertibility +convertible +convertibleness +convertibles +convertibly +converting +convertingness +convertiplane +convertise +convertism +convertite +convertive +convertoplane +convertor +convertors +converts +conveth +convex +convexed +convexedly +convexedness +convexes +convexity +convexities +convexly +convexness +convexo +convexoconcave +conviciate +convicinity +convict +convictable +convicted +convictfish +convictfishes +convictible +convicting +conviction +convictional +convictions +convictism +convictive +convictively +convictiveness +convictment +convictor +convicts +convince +convinced +convincedly +convincedness +convincement +convincer +convincers +convinces +convincibility +convincible +convincing +convincingly +convincingness +convite +convito +convival +convive +convives +convivial +convivialist +conviviality +convivialize +convivially +convivio +convocant +convocate +convocated +convocating +convocation +convocational +convocationally +convocationist +convocations +convocative +convocator +convoy +convoyed +convoying +convoys +convoke +convoked +convoker +convokers +convokes +convoking +convoluta +convolute +convoluted +convolutedly +convolutedness +convolutely +convoluting +convolution +convolutional +convolutionary +convolutions +convolutive +convolve +convolved +convolvement +convolves +convolving +convolvulaceae +convolvulaceous +convolvulad +convolvuli +convolvulic +convolvulin +convolvulinic +convolvulinolic +convolvulus +convolvuluses +convulsant +convulse +convulsed +convulsedly +convulses +convulsibility +convulsible +convulsing +convulsion +convulsional +convulsionary +convulsionaries +convulsionism +convulsionist +convulsions +convulsive +convulsively +convulsiveness +coo +cooba +coobah +cooboo +cooboos +cooch +cooches +coodle +cooed +cooee +cooeed +cooeeing +cooees +cooey +cooeyed +cooeying +cooeys +cooer +cooers +coof +coofs +cooghneiorvlt +coohee +cooing +cooingly +cooja +cook +cookable +cookbook +cookbooks +cookdom +cooked +cookee +cookey +cookeys +cookeite +cooker +cookery +cookeries +cookers +cookhouse +cookhouses +cooky +cookie +cookies +cooking +cookings +cookish +cookishly +cookless +cookmaid +cookout +cookouts +cookroom +cooks +cookshack +cookshop +cookshops +cookstove +cookware +cookwares +cool +coolabah +coolaman +coolamon +coolant +coolants +cooled +cooley +coolen +cooler +coolerman +coolers +coolest +coolheaded +coolheadedly +coolheadedness +coolhouse +cooly +coolibah +coolidge +coolie +coolies +cooliman +cooling +coolingly +coolingness +coolish +coolly +coolness +coolnesses +cools +coolth +coolung +coolweed +coolwort +coom +coomb +coombe +coombes +coombs +coomy +coon +cooncan +cooncans +cooner +coonhound +coonhounds +coony +coonier +cooniest +coonily +cooniness +coonjine +coonroot +coons +coonskin +coonskins +coontah +coontail +coontie +coonties +coop +cooped +coopee +cooper +cooperage +cooperancy +cooperant +cooperate +cooperated +cooperates +cooperating +cooperatingly +cooperation +cooperationist +cooperations +cooperative +cooperatively +cooperativeness +cooperatives +cooperator +cooperators +coopered +coopery +cooperia +cooperies +coopering +cooperite +coopers +cooping +coops +coopt +cooptate +cooptation +cooptative +coopted +coopting +cooption +cooptions +cooptive +coopts +coordain +coordinal +coordinate +coordinated +coordinately +coordinateness +coordinates +coordinating +coordination +coordinations +coordinative +coordinator +coordinatory +coordinators +cooree +coorg +coorie +cooried +coorieing +coories +cooruptibly +coos +cooser +coosers +coosify +coost +coosuc +coot +cootch +cooter +cootfoot +cooth +coothay +cooty +cootie +cooties +coots +cop +copa +copable +copacetic +copaene +copaiba +copaibas +copaibic +copaifera +copaiye +copain +copaiva +copaivic +copal +copalche +copalchi +copalcocote +copaliferous +copaline +copalite +copaljocote +copalm +copalms +copals +coparallel +coparcenar +coparcenary +coparcener +coparceny +coparenary +coparent +coparents +copart +copartaker +coparty +copartiment +copartner +copartnery +copartners +copartnership +copasetic +copassionate +copastor +copastorate +copastors +copatain +copataine +copatentee +copatriot +copatron +copatroness +copatrons +cope +copeck +copecks +coped +copehan +copei +copeia +copelata +copelatae +copelate +copelidine +copellidine +copeman +copemate +copemates +copen +copending +copenetrate +copenhagen +copens +copeognatha +copepod +copepoda +copepodan +copepodous +copepods +coper +coperception +coperiodic +copernican +copernicanism +copernicans +copernicia +copernicus +coperose +copers +coperta +copes +copesetic +copesettic +copesman +copesmate +copestone +copetitioner +cophasal +cophetua +cophosis +cophouse +copy +copia +copiability +copiable +copiapite +copyboy +copyboys +copybook +copybooks +copycat +copycats +copycatted +copycatting +copycutter +copydesk +copydesks +copied +copier +copiers +copies +copyfitter +copyfitting +copygraph +copygraphed +copyhold +copyholder +copyholders +copyholding +copyholds +copihue +copihues +copying +copyism +copyist +copyists +copilot +copilots +copyman +coping +copings +copingstone +copintank +copiopia +copiopsia +copiosity +copious +copiously +copiousness +copyread +copyreader +copyreaders +copyreading +copyright +copyrightable +copyrighted +copyrighter +copyrighting +copyrights +copis +copist +copita +copywise +copywriter +copywriters +copywriting +coplaintiff +coplanar +coplanarity +coplanarities +coplanation +copleased +coplot +coplots +coplotted +coplotter +coplotting +coploughing +coplowing +copolar +copolymer +copolymeric +copolymerism +copolymerization +copolymerizations +copolymerize +copolymerized +copolymerizing +copolymerous +copolymers +copopoda +copopsia +coportion +copout +copouts +coppa +coppaelite +coppas +copped +copper +copperah +copperahs +copperas +copperases +copperbottom +coppered +copperer +copperhead +copperheadism +copperheads +coppery +coppering +copperish +copperytailed +copperization +copperize +copperleaf +coppernose +coppernosed +copperplate +copperplated +copperproof +coppers +coppersidesman +copperskin +coppersmith +coppersmithing +copperware +copperwing +copperworks +coppet +coppy +coppice +coppiced +coppices +coppicing +coppin +copping +copple +copplecrown +coppled +coppling +coppra +coppras +copps +copr +copra +copraemia +copraemic +coprah +coprahs +copras +coprecipitate +coprecipitated +coprecipitating +coprecipitation +copremia +copremias +copremic +copresbyter +copresence +copresent +coprides +coprinae +coprincipal +coprincipate +coprinus +coprisoner +coprocessing +coprocessor +coprocessors +coprodaeum +coproduce +coproducer +coproduct +coproduction +coproite +coprojector +coprolagnia +coprolagnist +coprolalia +coprolaliac +coprolite +coprolith +coprolitic +coprology +copromisor +copromoter +coprophagan +coprophagy +coprophagia +coprophagist +coprophagous +coprophilia +coprophiliac +coprophilic +coprophilism +coprophilous +coprophyte +coprophobia +coprophobic +coproprietor +coproprietorship +coprose +coprosma +coprostanol +coprostasia +coprostasis +coprostasophobia +coprosterol +coprozoic +cops +copse +copses +copsewood +copsewooded +copsy +copsing +copsole +copt +copter +copters +coptic +coptine +coptis +copula +copulable +copulae +copular +copularium +copulas +copulate +copulated +copulates +copulating +copulation +copulations +copulative +copulatively +copulatory +copunctal +copurchaser +copus +coque +coquecigrue +coquelicot +coqueluche +coquet +coquetoon +coquetry +coquetries +coquets +coquette +coquetted +coquettes +coquetting +coquettish +coquettishly +coquettishness +coquicken +coquilla +coquillage +coquille +coquilles +coquimbite +coquin +coquina +coquinas +coquita +coquitlam +coquito +coquitos +cor +cora +corabeca +corabecan +corach +coraciae +coracial +coracias +coracii +coraciidae +coraciiform +coraciiformes +coracine +coracle +coracler +coracles +coracoacromial +coracobrachial +coracobrachialis +coracoclavicular +coracocostal +coracohyoid +coracohumeral +coracoid +coracoidal +coracoids +coracomandibular +coracomorph +coracomorphae +coracomorphic +coracopectoral +coracoprocoracoid +coracoradialis +coracoscapular +coracosteon +coracovertebral +coradical +coradicate +corage +coraggio +coragio +corah +coraise +coraji +coral +coralbells +coralberry +coralberries +coralbush +coraled +coralene +coralflower +coralist +coralita +coralla +corallet +corallian +corallic +corallidae +corallidomous +coralliferous +coralliform +coralligena +coralligenous +coralligerous +corallike +corallin +corallina +corallinaceae +corallinaceous +coralline +corallita +corallite +corallium +coralloid +coralloidal +corallorhiza +corallum +corallus +coralroot +corals +coralwort +coram +corambis +coran +corance +coranoch +coranto +corantoes +corantos +coraveca +corban +corbans +corbe +corbeau +corbed +corbeil +corbeille +corbeilles +corbeils +corbel +corbeled +corbeling +corbelled +corbelling +corbels +corbet +corby +corbicula +corbiculae +corbiculate +corbiculum +corbie +corbies +corbiestep +corbina +corbinas +corbleu +corblimey +corblimy +corbovinum +corbula +corcass +corchat +corchorus +corcir +corcyraean +corcle +corcopali +cord +cordage +cordages +cordaitaceae +cordaitaceous +cordaitalean +cordaitales +cordaitean +cordaites +cordal +cordant +cordate +cordately +cordax +cordeau +corded +cordel +cordelia +cordelier +cordeliere +cordelle +cordelled +cordelling +corder +cordery +corders +cordewane +cordy +cordia +cordial +cordiality +cordialities +cordialize +cordially +cordialness +cordials +cordycepin +cordiceps +cordyceps +cordicole +cordierite +cordies +cordiform +cordigeri +cordyl +cordylanthus +cordyline +cordillera +cordilleran +cordilleras +cordinar +cordiner +cording +cordis +cordite +cordites +corditis +cordleaf +cordless +cordlessly +cordlike +cordmaker +cordoba +cordoban +cordobas +cordon +cordonazo +cordonazos +cordoned +cordoning +cordonnet +cordons +cordovan +cordovans +cords +cordula +corduroy +corduroyed +corduroying +corduroys +cordwain +cordwainer +cordwainery +cordwains +cordwood +cordwoods +core +corebel +corebox +coreceiver +corecipient +coreciprocal +corectome +corectomy +corector +cored +coredeem +coredeemed +coredeemer +coredeeming +coredeems +coredemptress +coreductase +coree +coreflexed +coregence +coregency +coregent +coregnancy +coregnant +coregonid +coregonidae +coregonine +coregonoid +coregonus +corey +coreid +coreidae +coreign +coreigner +coreigns +corejoice +corelate +corelated +corelates +corelating +corelation +corelational +corelative +corelatively +coreless +coreligionist +corelysis +corella +corema +coremaker +coremaking +coremia +coremium +coremiumia +coremorphosis +corenounce +coreometer +coreopsis +coreplasty +coreplastic +corepressor +corequisite +corer +corers +cores +coresidence +coresidual +coresign +coresonant +coresort +corespect +corespondency +corespondent +corespondents +coretomy +coreveler +coreveller +corevolve +corf +corfiote +corflambo +corge +corgi +corgis +cory +coria +coriaceous +corial +coriamyrtin +coriander +corianders +coriandrol +coriandrum +coriaria +coriariaceae +coriariaceous +coriaus +corybant +corybantian +corybantiasm +corybantic +corybantine +corybantish +corybulbin +corybulbine +corycavamine +corycavidin +corycavidine +corycavine +corycia +corycian +corydalin +corydaline +corydalis +corydine +corydon +corydora +coriin +coryl +corylaceae +corylaceous +corylet +corylin +corylopsis +corylus +corymb +corymbed +corymbiate +corymbiated +corymbiferous +corymbiform +corymblike +corymbose +corymbosely +corymbous +corymbs +corimelaena +corimelaenidae +corin +corindon +corynebacteria +corynebacterial +corynebacterium +coryneform +coryneum +corineus +coring +corynid +corynine +corynite +corinna +corinne +corynocarpaceae +corynocarpaceous +corynocarpus +corynteria +corinth +corinthes +corinthiac +corinthian +corinthianesque +corinthianism +corinthianize +corinthians +coriolanus +coriparian +coryph +corypha +coryphaei +coryphaena +coryphaenid +coryphaenidae +coryphaenoid +coryphaenoididae +coryphaeus +coryphee +coryphees +coryphene +coryphylly +coryphodon +coryphodont +corypphaei +corystoid +corita +corytuberine +corium +corixa +corixidae +coryza +coryzal +coryzas +cork +corkage +corkages +corkboard +corke +corked +corker +corkers +corky +corkier +corkiest +corkiness +corking +corkir +corkish +corkite +corklike +corkline +corkmaker +corkmaking +corks +corkscrew +corkscrewed +corkscrewy +corkscrewing +corkscrews +corkwing +corkwood +corkwoods +corm +cormac +cormel +cormels +cormidium +cormlike +cormogen +cormoid +cormophyta +cormophyte +cormophytic +cormorant +cormorants +cormous +corms +cormus +corn +cornaceae +cornaceous +cornada +cornage +cornamute +cornball +cornballs +cornbell +cornberry +cornbin +cornbind +cornbinks +cornbird +cornbole +cornbottle +cornbrash +cornbread +corncake +corncakes +corncob +corncobs +corncockle +corncracker +corncrake +corncrib +corncribs +corncrusher +corncutter +corncutting +corndodger +cornea +corneagen +corneal +corneas +corned +cornein +corneine +corneitis +cornel +cornelia +cornelian +cornelius +cornell +cornels +cornemuse +corneocalcareous +corneosclerotic +corneosiliceous +corneous +corner +cornerback +cornerbind +cornercap +cornered +cornerer +cornering +cornerman +cornerpiece +corners +cornerstone +cornerstones +cornerways +cornerwise +cornet +cornetcy +cornetcies +corneter +cornetfish +cornetfishes +cornetist +cornetists +cornets +cornett +cornette +cornetter +cornetti +cornettino +cornettist +cornetto +corneule +corneum +cornfactor +cornfed +cornfield +cornfields +cornflag +cornflakes +cornfloor +cornflour +cornflower +cornflowers +corngrower +cornhole +cornhouse +cornhusk +cornhusker +cornhusking +cornhusks +corny +cornic +cornice +corniced +cornices +corniche +corniches +cornichon +cornicing +cornicle +cornicles +cornicular +corniculate +corniculer +corniculum +cornier +corniest +corniferous +cornify +cornific +cornification +cornified +corniform +cornigeous +cornigerous +cornily +cornin +corniness +corning +corniplume +cornish +cornishman +cornix +cornland +cornless +cornloft +cornmaster +cornmeal +cornmeals +cornmonger +cornmuse +corno +cornopean +cornpipe +cornrick +cornroot +cornrow +cornrows +corns +cornsack +cornstalk +cornstalks +cornstarch +cornstone +cornstook +cornu +cornua +cornual +cornuate +cornuated +cornubianite +cornucopia +cornucopiae +cornucopian +cornucopias +cornucopiate +cornule +cornulite +cornulites +cornupete +cornus +cornuses +cornute +cornuted +cornutin +cornutine +cornuting +cornuto +cornutos +cornutus +cornwall +cornwallis +cornwallises +cornwallite +coroa +coroado +corocleisis +corody +corodiary +corodiastasis +corodiastole +corodies +corojo +corol +corolitic +coroll +corolla +corollaceous +corollary +corollarial +corollarially +corollaries +corollas +corollate +corollated +corollet +corolliferous +corollifloral +corolliform +corollike +corolline +corollitic +coromandel +coromell +corometer +corona +coronach +coronachs +coronad +coronadite +coronado +coronados +coronae +coronagraph +coronagraphic +coronal +coronale +coronaled +coronalled +coronally +coronals +coronamen +coronary +coronaries +coronas +coronate +coronated +coronation +coronations +coronatorial +coronavirus +corone +coronel +coronels +coronene +coroner +coroners +coronership +coronet +coroneted +coronetlike +coronets +coronetted +coronettee +coronetty +coroniform +coronilla +coronillin +coronillo +coronion +coronis +coronitis +coronium +coronize +coronobasilar +coronofacial +coronofrontal +coronograph +coronographic +coronoid +coronopus +coronule +coroparelcysis +coroplast +coroplasta +coroplastae +coroplasty +coroplastic +coropo +coroscopy +corosif +corotate +corotated +corotates +corotating +corotation +corotomy +coroun +coroutine +coroutines +corozo +corozos +corp +corpl +corpn +corpora +corporacy +corporacies +corporal +corporalcy +corporale +corporales +corporalism +corporality +corporalities +corporally +corporals +corporalship +corporas +corporate +corporately +corporateness +corporation +corporational +corporationer +corporationism +corporations +corporatism +corporatist +corporative +corporatively +corporativism +corporator +corporature +corpore +corporeal +corporealist +corporeality +corporealization +corporealize +corporeally +corporealness +corporeals +corporeity +corporeous +corporify +corporification +corporosity +corposant +corps +corpsbruder +corpse +corpselike +corpselikeness +corpses +corpsy +corpsman +corpsmen +corpulence +corpulences +corpulency +corpulencies +corpulent +corpulently +corpulentness +corpus +corpuscle +corpuscles +corpuscular +corpuscularian +corpuscularity +corpusculated +corpuscule +corpusculous +corpusculum +corr +corrade +corraded +corrades +corradial +corradiate +corradiated +corradiating +corradiation +corrading +corral +corralled +corralling +corrals +corrasion +corrasive +correa +correal +correality +correct +correctable +correctant +corrected +correctedness +correcter +correctest +correctible +correctify +correcting +correctingly +correction +correctional +correctionalist +correctioner +corrections +correctitude +corrective +correctively +correctiveness +correctives +correctly +correctness +corrector +correctory +correctorship +correctress +correctrice +corrects +corregidor +corregidores +corregidors +corregimiento +corregimientos +correl +correlatable +correlate +correlated +correlates +correlating +correlation +correlational +correlations +correlative +correlatively +correlativeness +correlatives +correlativism +correlativity +correligionist +correllated +correllation +correllations +corrente +correo +correption +corresol +corresp +correspond +corresponded +correspondence +correspondences +correspondency +correspondencies +correspondent +correspondential +correspondentially +correspondently +correspondents +correspondentship +corresponder +corresponding +correspondingly +corresponds +corresponsion +corresponsive +corresponsively +corrida +corridas +corrido +corridor +corridored +corridors +corrie +corriedale +corries +corrige +corrigenda +corrigendum +corrigent +corrigibility +corrigible +corrigibleness +corrigibly +corrigiola +corrigiolaceae +corrival +corrivality +corrivalry +corrivals +corrivalship +corrivate +corrivation +corrive +corrobboree +corrober +corroborant +corroborate +corroborated +corroborates +corroborating +corroboration +corroborations +corroborative +corroboratively +corroborator +corroboratory +corroboratorily +corroborators +corroboree +corroboreed +corroboreeing +corroborees +corrobori +corrodant +corrode +corroded +corrodent +corrodentia +corroder +corroders +corrodes +corrody +corrodiary +corrodibility +corrodible +corrodier +corrodies +corroding +corrodingly +corrosibility +corrosible +corrosibleness +corrosion +corrosional +corrosionproof +corrosive +corrosived +corrosively +corrosiveness +corrosives +corrosiving +corrosivity +corrugant +corrugate +corrugated +corrugates +corrugating +corrugation +corrugations +corrugator +corrugators +corrugent +corrump +corrumpable +corrup +corrupable +corrupt +corrupted +corruptedly +corruptedness +corrupter +corruptest +corruptful +corruptibility +corruptibilities +corruptible +corruptibleness +corruptibly +corrupting +corruptingly +corruption +corruptionist +corruptions +corruptious +corruptive +corruptively +corruptless +corruptly +corruptness +corruptor +corruptress +corrupts +corsac +corsacs +corsage +corsages +corsaint +corsair +corsairs +corsak +corse +corselet +corseleted +corseleting +corselets +corselette +corsepresent +corseque +corser +corses +corsesque +corset +corseted +corsetier +corsetiere +corseting +corsetless +corsetry +corsets +corsy +corsican +corsie +corsite +corslet +corslets +corsned +corso +corsos +cort +corta +cortaderia +cortaro +cortege +corteges +corteise +cortes +cortex +cortexes +cortez +cortian +cortical +cortically +corticate +corticated +corticating +cortication +cortices +corticiferous +corticiform +corticifugal +corticifugally +corticin +corticine +corticipetal +corticipetally +corticium +corticoafferent +corticoefferent +corticoid +corticole +corticoline +corticolous +corticopeduncular +corticose +corticospinal +corticosteroid +corticosteroids +corticosterone +corticostriate +corticotrophin +corticotropin +corticous +cortile +cortin +cortina +cortinae +cortinarious +cortinarius +cortinate +cortine +cortins +cortisol +cortisols +cortisone +cortlandtite +corton +coruco +coruler +coruminacan +corundophilite +corundum +corundums +corupay +coruscant +coruscate +coruscated +coruscates +coruscating +coruscation +coruscations +coruscative +corv +corve +corved +corvee +corvees +corven +corver +corves +corvet +corvets +corvette +corvettes +corvetto +corvidae +corviform +corvillosum +corvina +corvinae +corvinas +corvine +corviser +corvisor +corvktte +corvo +corvoid +corvorant +corvus +cos +cosalite +cosaque +cosavior +coscet +coscinodiscaceae +coscinodiscus +coscinomancy +coscoroba +cose +coseasonal +coseat +cosec +cosecant +cosecants +cosech +cosecs +cosectarian +cosectional +cosed +cosegment +cosey +coseier +coseiest +coseys +coseism +coseismal +coseismic +cosen +cosenator +cosentiency +cosentient +coservant +coses +cosession +coset +cosets +cosettler +cosh +cosharer +cosheath +coshed +cosher +coshered +cosherer +coshery +cosheries +coshering +coshers +coshes +coshing +cosy +cosie +cosier +cosies +cosiest +cosign +cosignatory +cosignatories +cosigned +cosigner +cosigners +cosignificative +cosigning +cosignitary +cosigns +cosily +cosymmedian +cosin +cosinage +cosine +cosines +cosiness +cosinesses +cosing +cosingular +cosins +cosinusoid +cosmati +cosmecology +cosmesis +cosmete +cosmetic +cosmetical +cosmetically +cosmetician +cosmeticize +cosmetics +cosmetiste +cosmetology +cosmetological +cosmetologist +cosmetologists +cosmic +cosmical +cosmicality +cosmically +cosmine +cosmism +cosmisms +cosmist +cosmists +cosmo +cosmochemical +cosmochemistry +cosmocracy +cosmocrat +cosmocratic +cosmodrome +cosmogenesis +cosmogenetic +cosmogeny +cosmogenic +cosmognosis +cosmogonal +cosmogoner +cosmogony +cosmogonic +cosmogonical +cosmogonies +cosmogonist +cosmogonists +cosmogonize +cosmographer +cosmography +cosmographic +cosmographical +cosmographically +cosmographies +cosmographist +cosmoid +cosmolabe +cosmolatry +cosmoline +cosmolined +cosmolining +cosmology +cosmologic +cosmological +cosmologically +cosmologies +cosmologygy +cosmologist +cosmologists +cosmometry +cosmonaut +cosmonautic +cosmonautical +cosmonautically +cosmonautics +cosmonauts +cosmopathic +cosmoplastic +cosmopoietic +cosmopolicy +cosmopolis +cosmopolises +cosmopolitan +cosmopolitanisation +cosmopolitanise +cosmopolitanised +cosmopolitanising +cosmopolitanism +cosmopolitanization +cosmopolitanize +cosmopolitanized +cosmopolitanizing +cosmopolitanly +cosmopolitans +cosmopolite +cosmopolitic +cosmopolitical +cosmopolitics +cosmopolitism +cosmorama +cosmoramic +cosmorganic +cosmos +cosmoscope +cosmoses +cosmosophy +cosmosphere +cosmotellurian +cosmotheism +cosmotheist +cosmotheistic +cosmothetic +cosmotron +cosmozoan +cosmozoans +cosmozoic +cosmozoism +cosonant +cosounding +cosovereign +cosovereignty +cospecies +cospecific +cosphered +cosplendor +cosplendour +cosponsor +cosponsored +cosponsoring +cosponsors +cosponsorship +cosponsorships +coss +cossack +cossacks +cossaean +cossas +cosse +cosset +cosseted +cosseting +cossets +cossette +cossetted +cossetting +cosshen +cossic +cossid +cossidae +cossie +cossyrite +cossnent +cost +costa +costae +costaea +costage +costal +costalgia +costally +costander +costanoan +costar +costard +costards +costarred +costarring +costars +costata +costate +costated +costean +costeaning +costectomy +costectomies +costed +costeen +costellate +coster +costerdom +costermonger +costers +costful +costicartilage +costicartilaginous +costicervical +costiferous +costiform +costing +costious +costipulator +costispinal +costive +costively +costiveness +costless +costlessly +costlessness +costlew +costly +costlier +costliest +costliness +costmary +costmaries +costoabdominal +costoapical +costocentral +costochondral +costoclavicular +costocolic +costocoracoid +costodiaphragmatic +costogenic +costoinferior +costophrenic +costopleural +costopneumopexy +costopulmonary +costoscapular +costosternal +costosuperior +costothoracic +costotome +costotomy +costotomies +costotrachelian +costotransversal +costotransverse +costovertebral +costoxiphoid +costraight +costrel +costrels +costs +costula +costulation +costume +costumed +costumey +costumer +costumery +costumers +costumes +costumic +costumier +costumiere +costumiers +costuming +costumire +costumist +costusroot +cosubject +cosubordinate +cosuffer +cosufferer +cosuggestion +cosuitor +cosurety +cosuretyship +cosustain +coswearer +cot +cotabulate +cotan +cotangent +cotangential +cotangents +cotans +cotarius +cotarnin +cotarnine +cotbetty +cotch +cote +coteau +coteaux +coted +coteen +coteful +cotehardie +cotele +coteline +coteller +cotemporane +cotemporanean +cotemporaneous +cotemporaneously +cotemporary +cotemporaries +cotemporarily +cotenancy +cotenant +cotenants +cotenure +coterell +cotery +coterie +coteries +coterminal +coterminous +coterminously +coterminousness +cotes +cotesian +coth +cotham +cothamore +cothe +cotheorist +cothy +cothish +cothon +cothouse +cothurn +cothurnal +cothurnate +cothurned +cothurni +cothurnian +cothurnni +cothurns +cothurnus +cotice +coticed +coticing +coticular +cotidal +cotyla +cotylar +cotyle +cotyledon +cotyledonal +cotyledonar +cotyledonary +cotyledonoid +cotyledonous +cotyledons +cotyliform +cotyligerous +cotyliscus +cotillage +cotillion +cotillions +cotillon +cotillons +cotyloid +cotyloidal +cotylophora +cotylophorous +cotylopubic +cotylosacral +cotylosaur +cotylosauria +cotylosaurian +coting +cotinga +cotingid +cotingidae +cotingoid +cotinus +cotype +cotypes +cotys +cotise +cotised +cotising +cotyttia +cotitular +cotland +cotman +coto +cotoin +cotonam +cotoneaster +cotonia +cotonier +cotorment +cotoro +cotoros +cotorture +cotoxo +cotquean +cotqueans +cotraitor +cotransduction +cotransfuse +cotranslator +cotranspire +cotransubstantiate +cotrespasser +cotrine +cotripper +cotrustee +cots +cotset +cotsetla +cotsetland +cotsetle +cotswold +cott +cotta +cottabus +cottae +cottage +cottaged +cottagey +cottager +cottagers +cottages +cottar +cottars +cottas +cotte +cotted +cotter +cottered +cotterel +cottering +cotterite +cotters +cotterway +cotty +cottid +cottidae +cottier +cottierism +cottiers +cottiest +cottiform +cottise +cottoid +cotton +cottonade +cottonbush +cottoned +cottonee +cottoneer +cottoner +cottony +cottonian +cottoning +cottonization +cottonize +cottonless +cottonmouth +cottonmouths +cottonocracy +cottonopolis +cottonpicking +cottons +cottonseed +cottonseeds +cottontail +cottontails +cottontop +cottonweed +cottonwick +cottonwood +cottonwoods +cottrel +cottus +cotuit +cotula +cotunnite +coturnix +cotutor +cotwal +cotwin +cotwinned +cotwist +couac +coucal +couch +couchancy +couchant +couchantly +couche +couched +couchee +coucher +couchers +couches +couchette +couchy +couching +couchings +couchmaker +couchmaking +couchmate +coud +coude +coudee +coue +coueism +cougar +cougars +cough +coughed +cougher +coughers +coughing +coughroot +coughs +coughweed +coughwort +cougnar +couhage +coul +coulage +could +couldest +couldn +couldna +couldnt +couldron +couldst +coulee +coulees +couleur +coulibiaca +coulie +coulier +coulis +coulisse +coulisses +couloir +couloirs +coulomb +coulombic +coulombmeter +coulombs +coulometer +coulometry +coulometric +coulometrically +coulter +coulterneb +coulters +coulthard +coulure +couma +coumalic +coumalin +coumaphos +coumara +coumaran +coumarane +coumarate +coumaric +coumarilic +coumarin +coumarinic +coumarins +coumarone +coumarou +coumarouna +coumarous +coumbite +council +councilist +councillary +councillor +councillors +councillorship +councilman +councilmanic +councilmen +councilor +councilors +councilorship +councils +councilwoman +councilwomen +counderstand +counite +couniversal +counsel +counselable +counseled +counselee +counselful +counseling +counsellable +counselled +counselling +counsellor +counsellors +counsellorship +counselor +counselors +counselorship +counsels +counsinhood +count +countability +countable +countableness +countably +countdom +countdown +countdowns +counted +countenance +countenanced +countenancer +countenances +countenancing +counter +counterabut +counteraccusation +counteracquittance +counteract +counteractant +counteracted +counteracter +counteracting +counteractingly +counteraction +counteractions +counteractive +counteractively +counteractivity +counteractor +counteracts +counteraddress +counteradvance +counteradvantage +counteradvice +counteradvise +counteraffirm +counteraffirmation +counteragency +counteragent +counteragitate +counteragitation +counteralliance +counterambush +counterannouncement +counteranswer +counterappeal +counterappellant +counterapproach +counterapse +counterarch +counterargue +counterargument +counterartillery +counterassertion +counterassociation +counterassurance +counterattack +counterattacked +counterattacker +counterattacking +counterattacks +counterattestation +counterattired +counterattraction +counterattractive +counterattractively +counteraverment +counteravouch +counteravouchment +counterbalance +counterbalanced +counterbalances +counterbalancing +counterband +counterbarrage +counterbase +counterbattery +counterbeating +counterbend +counterbewitch +counterbid +counterblast +counterblow +counterboycott +counterbond +counterborder +counterbore +counterbored +counterborer +counterboring +counterboulle +counterbrace +counterbracing +counterbranch +counterbrand +counterbreastwork +counterbuff +counterbuilding +countercampaign +countercarte +countercathexis +countercause +counterchange +counterchanged +counterchanging +countercharge +countercharged +countercharging +countercharm +countercheck +countercheer +counterclaim +counterclaimant +counterclaimed +counterclaiming +counterclaims +counterclassification +counterclassifications +counterclockwise +countercolored +countercommand +countercompany +countercompetition +countercomplaint +countercompony +countercondemnation +counterconditioning +counterconquest +counterconversion +countercouchant +countercoup +countercoupe +countercourant +countercraft +countercry +countercriticism +countercross +countercultural +counterculture +countercultures +counterculturist +countercurrent +countercurrently +countercurrentwise +counterdance +counterdash +counterdecision +counterdeclaration +counterdecree +counterdefender +counterdemand +counterdemonstrate +counterdemonstration +counterdemonstrator +counterdeputation +counterdesire +counterdevelopment +counterdifficulty +counterdigged +counterdike +counterdiscipline +counterdisengage +counterdisengagement +counterdistinct +counterdistinction +counterdistinguish +counterdoctrine +counterdogmatism +counterdraft +counterdrain +counterdrive +counterearth +countered +counterefficiency +countereffort +counterembattled +counterembowed +counterenamel +counterend +counterenergy +counterengagement +counterengine +counterenthusiasm +counterentry +counterequivalent +counterermine +counterespionage +counterestablishment +counterevidence +counterexaggeration +counterexample +counterexamples +counterexcitement +counterexcommunication +counterexercise +counterexplanation +counterexposition +counterexpostulation +counterextend +counterextension +counterfact +counterfactual +counterfactually +counterfallacy +counterfaller +counterfeisance +counterfeit +counterfeited +counterfeiter +counterfeiters +counterfeiting +counterfeitly +counterfeitment +counterfeitness +counterfeits +counterferment +counterfessed +counterfire +counterfix +counterflange +counterflashing +counterfleury +counterflight +counterflory +counterflow +counterflux +counterfoil +counterforce +counterformula +counterfort +counterfugue +countergabble +countergabion +countergage +countergager +countergambit +countergarrison +countergauge +countergauger +countergift +countergirded +counterglow +counterguard +counterguerilla +counterguerrilla +counterhaft +counterhammering +counterhypothesis +counteridea +counterideal +counterimagination +counterimitate +counterimitation +counterimpulse +counterindentation +counterindented +counterindicate +counterindication +counterindoctrinate +counterindoctrination +counterinfluence +countering +counterinsult +counterinsurgency +counterinsurgencies +counterinsurgent +counterinsurgents +counterintelligence +counterinterest +counterinterpretation +counterintrigue +counterintuitive +counterinvective +counterinvestment +counterion +counterirritant +counterirritate +counterirritation +counterjudging +counterjumper +counterlath +counterlathed +counterlathing +counterlatration +counterlaw +counterleague +counterlegislation +counterly +counterlife +counterlight +counterlighted +counterlighting +counterlilit +counterlit +counterlocking +counterlode +counterlove +countermachination +countermaid +counterman +countermand +countermandable +countermanded +countermanding +countermands +countermaneuver +countermanifesto +countermanifestoes +countermarch +countermarching +countermark +countermarriage +countermeasure +countermeasures +countermeet +countermen +countermessage +countermigration +countermine +countermined +countermining +countermissile +countermission +countermotion +countermount +countermove +countermoved +countermovement +countermoving +countermure +countermutiny +counternaiant +counternarrative +counternatural +counternecromancy +counternoise +counternotice +counterobjection +counterobligation +counteroffensive +counteroffensives +counteroffer +counteropening +counteropponent +counteropposite +counterorator +counterorder +counterorganization +counterpace +counterpaled +counterpaly +counterpane +counterpaned +counterpanes +counterparadox +counterparallel +counterparole +counterparry +counterpart +counterparts +counterpassant +counterpassion +counterpenalty +counterpendent +counterpetition +counterphobic +counterpicture +counterpillar +counterplay +counterplayer +counterplan +counterplea +counterplead +counterpleading +counterplease +counterplot +counterplotted +counterplotter +counterplotting +counterpoint +counterpointe +counterpointed +counterpointing +counterpoints +counterpoise +counterpoised +counterpoises +counterpoising +counterpoison +counterpole +counterpoles +counterponderate +counterpose +counterposition +counterposting +counterpotence +counterpotency +counterpotent +counterpractice +counterpray +counterpreach +counterpreparation +counterpressure +counterprick +counterprinciple +counterprocess +counterproductive +counterproductively +counterproductiveness +counterproductivity +counterprogramming +counterproject +counterpronunciamento +counterproof +counterpropaganda +counterpropagandize +counterprophet +counterproposal +counterproposition +counterprotection +counterprotest +counterprove +counterpull +counterpunch +counterpuncher +counterpuncture +counterpush +counterquartered +counterquarterly +counterquery +counterquestion +counterquip +counterradiation +counterraid +counterraising +counterrampant +counterrate +counterreaction +counterreason +counterreckoning +counterrecoil +counterreconnaissance +counterrefer +counterreflected +counterreform +counterreformation +counterreligion +counterremonstrant +counterreply +counterreplied +counterreplies +counterreplying +counterreprisal +counterresolution +counterrestoration +counterretreat +counterrevolution +counterrevolutionary +counterrevolutionaries +counterrevolutionist +counterrevolutionize +counterrevolutions +counterriposte +counterroll +counterrotating +counterround +counterruin +counters +countersale +countersalient +countersank +counterscale +counterscalloped +counterscarp +counterscoff +countersconce +counterscrutiny +countersea +counterseal +countersecure +countersecurity +counterselection +countersense +counterservice +countershade +countershading +countershaft +countershafting +countershear +countershine +countershock +countershout +counterside +countersiege +countersign +countersignal +countersignature +countersignatures +countersigned +countersigning +countersigns +countersympathy +countersink +countersinking +countersinks +countersynod +countersleight +counterslope +countersmile +countersnarl +counterspy +counterspies +counterspying +counterstain +counterstamp +counterstand +counterstatant +counterstatement +counterstatute +counterstep +counterstimulate +counterstimulation +counterstimulus +counterstock +counterstratagem +counterstream +counterstrike +counterstroke +counterstruggle +countersubject +countersuggestion +countersuit +countersun +countersunk +countersunken +countersurprise +countersway +counterswing +countersworn +countertack +countertail +countertally +countertaste +countertechnicality +countertendency +countertendencies +countertenor +countertenors +counterterm +counterterror +counterterrorism +counterterrorist +countertheme +countertheory +counterthought +counterthreat +counterthrust +counterthwarting +countertierce +countertime +countertype +countertouch +countertraction +countertrades +countertransference +countertranslation +countertraverse +countertreason +countertree +countertrench +countertrend +countertrespass +countertrippant +countertripping +countertruth +countertug +counterturn +counterturned +countervail +countervailed +countervailing +countervails +countervair +countervairy +countervallation +countervalue +countervaunt +countervene +countervengeance +countervenom +countervibration +counterview +countervindication +countervolition +countervolley +countervote +counterwager +counterwall +counterwarmth +counterwave +counterweigh +counterweighed +counterweighing +counterweight +counterweighted +counterweights +counterwheel +counterwill +counterwilling +counterwind +counterwitness +counterword +counterwork +counterworker +counterworking +counterwrite +countess +countesses +countfish +county +countian +countians +counties +counting +countinghouse +countys +countywide +countless +countlessly +countlessness +countor +countour +countree +countreeman +country +countrie +countrieman +countries +countrify +countrification +countrified +countryfied +countrifiedness +countryfiedness +countryfolk +countryish +countryman +countrymen +countrypeople +countryseat +countryside +countryward +countrywide +countrywoman +countrywomen +counts +countship +coup +coupage +coupe +couped +coupee +coupelet +couper +coupes +couping +couple +coupled +couplement +coupler +coupleress +couplers +couples +couplet +coupleteer +couplets +coupling +couplings +coupon +couponed +couponless +coupons +coups +coupstick +coupure +courage +courageous +courageously +courageousness +courager +courages +courant +courante +courantes +couranto +courantoes +courantos +courants +courap +couratari +courb +courbache +courbaril +courbash +courbe +courbette +courbettes +courche +courge +courgette +courida +courie +courier +couriers +couril +courlan +courlans +couronne +cours +course +coursed +coursey +courser +coursers +courses +coursy +coursing +coursings +court +courtage +courtal +courtby +courtbred +courtcraft +courted +courteous +courteously +courteousness +courtepy +courter +courters +courtesan +courtesanry +courtesans +courtesanship +courtesy +courtesied +courtesies +courtesying +courtezan +courtezanry +courtezanship +courthouse +courthouses +courty +courtyard +courtyards +courtier +courtiery +courtierism +courtierly +courtiers +courtiership +courtin +courting +courtless +courtlet +courtly +courtlier +courtliest +courtlike +courtliness +courtling +courtman +courtney +courtnoll +courtroll +courtroom +courtrooms +courts +courtship +courtships +courtside +courtzilite +couscous +couscouses +couscousou +couseranite +cousin +cousinage +cousiness +cousinhood +cousiny +cousinly +cousinry +cousinries +cousins +cousinship +coussinet +coustumier +couteau +couteaux +coutel +coutelle +couter +couters +coutet +couth +couthe +couther +couthest +couthy +couthie +couthier +couthiest +couthily +couthiness +couthless +couthly +couths +coutil +coutille +coutumier +couture +coutures +couturier +couturiere +couturieres +couturiers +couturire +couvade +couvades +couve +couvert +couverte +couveuse +couxia +couxio +covado +covalence +covalences +covalency +covalent +covalently +covarecan +covarecas +covary +covariable +covariables +covariance +covariant +covariate +covariates +covariation +covassal +cove +coved +covey +coveys +covelline +covellite +coven +covenable +covenably +covenance +covenant +covenantal +covenantally +covenanted +covenantee +covenanter +covenanting +covenantor +covenants +covens +covent +coventrate +coventry +coventries +coventrize +cover +coverable +coverage +coverages +coverall +coveralled +coveralls +coverchief +covercle +covered +coverer +coverers +covering +coverings +coverless +coverlet +coverlets +coverlid +coverlids +covers +coversed +coverside +coversine +coverslip +coverslut +covert +covertical +covertly +covertness +coverts +coverture +coverup +coverups +coves +covet +covetable +coveted +coveter +coveters +coveting +covetingly +covetise +covetiveness +covetous +covetously +covetousness +covets +covibrate +covibration +covid +covido +coviello +covillager +covillea +covin +covine +coving +covings +covinous +covinously +covisit +covisitor +covite +covolume +covotary +cow +cowage +cowages +cowal +cowan +coward +cowardy +cowardice +cowardish +cowardly +cowardliness +cowardness +cowards +cowbane +cowbanes +cowbarn +cowbell +cowbells +cowberry +cowberries +cowbind +cowbinds +cowbird +cowbirds +cowbyre +cowboy +cowboys +cowbrute +cowcatcher +cowcatchers +cowdie +cowed +cowedly +coween +cower +cowered +cowerer +cowerers +cowering +coweringly +cowers +cowfish +cowfishes +cowgate +cowgirl +cowgirls +cowgram +cowgrass +cowhage +cowhages +cowhand +cowhands +cowheart +cowhearted +cowheel +cowherb +cowherbs +cowherd +cowherds +cowhide +cowhided +cowhides +cowhiding +cowhorn +cowhouse +cowy +cowyard +cowichan +cowier +cowiest +cowing +cowinner +cowinners +cowish +cowishness +cowitch +cowk +cowkeeper +cowkine +cowl +cowle +cowled +cowleech +cowleeching +cowlick +cowlicks +cowlike +cowling +cowlings +cowlitz +cowls +cowlstaff +cowman +cowmen +coworker +coworkers +coworking +cowpat +cowpath +cowpats +cowpea +cowpeas +cowpen +cowper +cowperian +cowperitis +cowpock +cowpoke +cowpokes +cowpony +cowpox +cowpoxes +cowpunch +cowpuncher +cowpunchers +cowquake +cowry +cowrie +cowries +cowroid +cows +cowshard +cowsharn +cowshed +cowsheds +cowshot +cowshut +cowskin +cowskins +cowslip +cowslipped +cowslips +cowson +cowsucker +cowtail +cowthwort +cowtongue +cowtown +cowweed +cowwheat +cox +coxa +coxae +coxal +coxalgy +coxalgia +coxalgias +coxalgic +coxalgies +coxankylometer +coxarthritis +coxarthrocace +coxarthropathy +coxbones +coxcomb +coxcombess +coxcombhood +coxcomby +coxcombic +coxcombical +coxcombicality +coxcombically +coxcombity +coxcombry +coxcombries +coxcombs +coxcomical +coxcomically +coxed +coxendix +coxes +coxy +coxier +coxiest +coxing +coxite +coxitis +coxocerite +coxoceritic +coxodynia +coxofemoral +coxopodite +coxswain +coxswained +coxswaining +coxswains +coxwain +coxwaining +coxwains +coz +coze +cozed +cozey +cozeier +cozeiest +cozeys +cozen +cozenage +cozenages +cozened +cozener +cozeners +cozening +cozeningly +cozens +cozes +cozy +cozie +cozier +cozies +coziest +cozily +coziness +cozinesses +cozing +cozzes +cp +cpd +cpi +cpl +cpm +cpo +cps +cpt +cpu +cpus +cputime +cq +cr +craal +craaled +craaling +craals +crab +crabapple +crabbed +crabbedly +crabbedness +crabber +crabbery +crabbers +crabby +crabbier +crabbiest +crabbily +crabbiness +crabbing +crabbish +crabbit +crabcatcher +crabeater +crabeating +craber +crabfish +crabgrass +crabhole +crabier +crabit +crablet +crablike +crabman +crabmeat +crabmill +crabs +crabsidle +crabstick +crabut +crabweed +crabwise +crabwood +cracca +craccus +crachoir +cracidae +cracinae +crack +crackability +crackable +crackableness +crackajack +crackback +crackbrain +crackbrained +crackbrainedness +crackdown +crackdowns +cracked +crackedness +cracker +crackerberry +crackerberries +crackerjack +crackerjacks +crackers +cracket +crackhemp +cracky +crackiness +cracking +crackings +crackjaw +crackle +crackled +crackles +crackless +crackleware +crackly +cracklier +crackliest +crackling +cracklings +crackmans +cracknel +cracknels +crackpot +crackpotism +crackpots +crackpottedness +crackrope +cracks +crackskull +cracksman +cracksmen +crackup +crackups +cracovienne +cracowe +craddy +cradge +cradle +cradleboard +cradlechild +cradled +cradlefellow +cradleland +cradlelike +cradlemaker +cradlemaking +cradleman +cradlemate +cradlemen +cradler +cradlers +cradles +cradleside +cradlesong +cradlesongs +cradletime +cradling +cradock +craft +crafted +crafter +crafty +craftier +craftiest +craftily +craftiness +crafting +craftless +craftly +craftmanship +crafts +craftsman +craftsmanly +craftsmanlike +craftsmanship +craftsmaster +craftsmen +craftspeople +craftsperson +craftswoman +craftwork +craftworker +crag +craggan +cragged +craggedly +craggedness +craggy +craggier +craggiest +craggily +cragginess +craglike +crags +cragsman +cragsmen +cragwork +cray +craichy +craie +craye +crayer +crayfish +crayfishes +crayfishing +craig +craighle +craigmontite +craik +craylet +crain +crayon +crayoned +crayoning +crayonist +crayonists +crayons +crayonstone +craisey +craythur +craizey +crajuru +crake +craked +crakefeet +craker +crakes +craking +crakow +cram +cramasie +crambambulee +crambambuli +crambe +cramberry +crambes +crambid +crambidae +crambinae +cramble +crambly +crambo +cramboes +crambos +crambus +cramel +crammed +crammel +crammer +crammers +cramming +crammingly +cramoisy +cramoisie +cramoisies +cramp +crampbit +cramped +crampedness +cramper +crampet +crampette +crampfish +crampfishes +crampy +cramping +crampingly +crampish +crampit +crampits +crampon +cramponnee +crampons +crampoon +crampoons +cramps +crams +cran +cranage +cranberry +cranberries +crance +crancelin +cranch +cranched +cranches +cranching +crandall +crandallite +crane +cranebill +craned +craney +cranely +cranelike +craneman +cranemanship +cranemen +craner +cranes +cranesbill +cranesman +cranet +craneway +crang +crany +crania +craniacromial +craniad +cranial +cranially +cranian +craniata +craniate +craniates +cranic +craniectomy +craning +craninia +craniniums +craniocele +craniocerebral +cranioclasis +cranioclasm +cranioclast +cranioclasty +craniodidymus +craniofacial +craniognomy +craniognomic +craniognosy +craniograph +craniographer +craniography +cranioid +craniol +craniology +craniological +craniologically +craniologist +craniom +craniomalacia +craniomaxillary +craniometer +craniometry +craniometric +craniometrical +craniometrically +craniometrist +craniopagus +craniopathy +craniopathic +craniopharyngeal +craniopharyngioma +craniophore +cranioplasty +craniopuncture +craniorhachischisis +craniosacral +cranioschisis +cranioscopy +cranioscopical +cranioscopist +craniospinal +craniostenosis +craniostosis +craniota +craniotabes +craniotympanic +craniotome +craniotomy +craniotomies +craniotopography +craniovertebral +cranium +craniums +crank +crankbird +crankcase +crankcases +crankdisk +cranked +cranker +crankery +crankest +cranky +crankier +crankiest +crankily +crankiness +cranking +crankish +crankism +crankle +crankled +crankles +crankless +crankly +crankling +crankman +crankness +crankous +crankpin +crankpins +crankplate +cranks +crankshaft +crankshafts +crankum +crannage +crannel +crannequin +cranny +crannia +crannied +crannies +crannying +crannock +crannog +crannoge +crannoger +crannoges +crannogs +cranreuch +cransier +crantara +crants +crap +crapaud +crapaudine +crape +craped +crapefish +crapehanger +crapelike +crapes +crapette +crapy +craping +crapon +crapped +crapper +crappers +crappy +crappie +crappier +crappies +crappiest +crappin +crappiness +crapping +crapple +crappo +craps +crapshooter +crapshooters +crapshooting +crapula +crapulate +crapulence +crapulency +crapulent +crapulous +crapulously +crapulousness +crapwa +craquelure +craquelures +crare +crases +crash +crashed +crasher +crashers +crashes +crashing +crashingly +crashproof +crashworthy +crashworthiness +crasis +craspedal +craspedodromous +craspedon +craspedota +craspedotal +craspedote +craspedum +crass +crassament +crassamentum +crasser +crassest +crassier +crassilingual +crassina +crassis +crassities +crassitude +crassly +crassness +crassula +crassulaceae +crassulaceous +crataegus +crataeva +cratch +cratchens +cratches +cratchins +crate +crated +crateful +cratemaker +cratemaking +crateman +cratemen +crater +crateral +cratered +craterellus +craterid +crateriform +cratering +crateris +craterkin +craterless +craterlet +craterlike +craterous +craters +crates +craticular +cratinean +crating +cratometer +cratometry +cratometric +craton +cratonic +cratons +cratsmanship +craunch +craunched +craunches +craunching +craunchingly +cravat +cravats +cravatted +cravatting +crave +craved +craven +cravened +cravenette +cravenhearted +cravening +cravenly +cravenness +cravens +craver +cravers +craves +craving +cravingly +cravingness +cravings +cravo +craw +crawberry +crawdad +crawdads +crawfish +crawfished +crawfishes +crawfishing +crawfoot +crawfoots +crawful +crawl +crawled +crawley +crawleyroot +crawler +crawlerize +crawlers +crawly +crawlie +crawlier +crawliest +crawling +crawlingly +crawls +crawlsome +crawlspace +crawlway +crawlways +crawm +craws +crawtae +crawthumper +crax +craze +crazed +crazedly +crazedness +crazes +crazy +crazycat +crazier +crazies +craziest +crazily +craziness +crazing +crazingmill +crazyweed +crc +crcao +crche +cre +crea +creach +creachy +cread +creagh +creaght +creak +creaked +creaker +creaky +creakier +creakiest +creakily +creakiness +creaking +creakingly +creaks +cream +creambush +creamcake +creamcup +creamcups +creamed +creamer +creamery +creameries +creameryman +creamerymen +creamers +creamfruit +creamy +creamier +creamiest +creamily +creaminess +creaming +creamlaid +creamless +creamlike +creammaker +creammaking +creamometer +creams +creamsacs +creamware +creance +creancer +creant +crease +creased +creaseless +creaser +creasers +creases +creashaks +creasy +creasier +creasiest +creasing +creasol +creasot +creat +creatable +create +created +createdness +creates +creatic +creatin +creatine +creatinephosphoric +creatines +creating +creatinin +creatinine +creatininemia +creatins +creatinuria +creation +creational +creationary +creationism +creationist +creationistic +creations +creative +creatively +creativeness +creativity +creatophagous +creator +creatorhood +creatorrhea +creators +creatorship +creatotoxism +creatress +creatrix +creatural +creature +creaturehood +creatureless +creaturely +creatureliness +creatureling +creatures +creatureship +creaturize +creaze +crebricostate +crebrisulcate +crebrity +crebrous +creche +creches +creda +credal +creddock +credence +credences +credencive +credenciveness +credenda +credendum +credens +credensive +credensiveness +credent +credential +credentialed +credentialism +credentials +credently +credenza +credenzas +credere +credibility +credibilities +credible +credibleness +credibly +credit +creditability +creditabilities +creditable +creditableness +creditably +credited +crediting +creditive +creditless +creditor +creditors +creditorship +creditress +creditrix +credits +crednerite +credo +credos +credulity +credulities +credulous +credulously +credulousness +cree +creed +creedal +creedalism +creedalist +creedbound +creeded +creedist +creedite +creedless +creedlessness +creedmore +creeds +creedsman +creek +creeker +creekfish +creekfishes +creeky +creeks +creekside +creekstuff +creel +creeled +creeler +creeling +creels +creem +creen +creep +creepage +creepages +creeper +creepered +creeperless +creepers +creephole +creepy +creepie +creepier +creepies +creepiest +creepily +creepiness +creeping +creepingly +creepmouse +creepmousy +creeps +crees +creese +creeses +creesh +creeshed +creeshes +creeshy +creeshie +creeshing +creirgist +cremaillere +cremains +cremant +cremaster +cremasterial +cremasteric +cremate +cremated +cremates +cremating +cremation +cremationism +cremationist +cremations +cremator +crematory +crematoria +crematorial +crematories +crematoriria +crematoririums +crematorium +crematoriums +cremators +crembalum +creme +cremerie +cremes +cremnophobia +cremocarp +cremometer +cremona +cremone +cremor +cremorne +cremosin +cremule +crena +crenae +crenallation +crenate +crenated +crenately +crenation +crenature +crenel +crenelate +crenelated +crenelates +crenelating +crenelation +crenelations +crenele +creneled +crenelee +crenelet +creneling +crenellate +crenellated +crenellating +crenellation +crenelle +crenelled +crenelles +crenelling +crenels +crengle +crenic +crenitic +crenology +crenotherapy +crenothrix +crenula +crenulate +crenulated +crenulation +creodont +creodonta +creodonts +creole +creoleize +creoles +creolian +creolin +creolism +creolite +creolization +creolize +creolized +creolizing +creophagy +creophagia +creophagism +creophagist +creophagous +creosol +creosols +creosote +creosoted +creosoter +creosotes +creosotic +creosoting +crepance +crepe +creped +crepehanger +crepey +crepeier +crepeiest +crepes +crepy +crepidoma +crepidomata +crepidula +crepier +crepiest +crepine +crepiness +creping +crepis +crepitacula +crepitaculum +crepitant +crepitate +crepitated +crepitating +crepitation +crepitous +crepitus +creply +crepon +crept +crepuscle +crepuscular +crepuscule +crepusculine +crepusculum +cres +cresamine +cresc +crescence +crescendi +crescendo +crescendoed +crescendoing +crescendos +crescent +crescentade +crescentader +crescented +crescentia +crescentic +crescentiform +crescenting +crescentlike +crescentoid +crescents +crescentwise +crescive +crescively +crescograph +crescographic +cresegol +cresyl +cresylate +cresylene +cresylic +cresylite +cresyls +cresive +cresol +cresolin +cresoline +cresols +cresorcin +cresorcinol +cresotate +cresotic +cresotinate +cresotinic +cresoxy +cresoxid +cresoxide +cresphontes +cress +cressed +cresselle +cresses +cresset +cressets +cressy +cressida +cressier +cressiest +cresson +cressweed +cresswort +crest +crestal +crested +crestfallen +crestfallenly +crestfallenness +crestfish +cresting +crestings +crestless +crestline +crestmoreite +crests +creta +cretaceous +cretaceously +cretacic +cretan +crete +cretefaction +cretic +creticism +cretics +cretify +cretification +cretin +cretinic +cretinism +cretinistic +cretinization +cretinize +cretinized +cretinizing +cretinoid +cretinous +cretins +cretion +cretionary +cretism +cretize +cretonne +cretonnes +cretoria +creutzer +crevalle +crevalles +crevass +crevasse +crevassed +crevasses +crevassing +crevet +crevette +crevice +creviced +crevices +crevis +crew +crewcut +crewe +crewed +crewel +crewelist +crewellery +crewels +crewelwork +crewer +crewet +crewing +crewless +crewman +crewmanship +crewmen +crewneck +crews +crex +cry +cryable +cryaesthesia +cryal +cryalgesia +criance +cryanesthesia +criant +crib +crybaby +crybabies +cribbage +cribbages +cribbed +cribber +cribbers +cribbing +cribbings +cribbiter +cribbiting +cribble +cribbled +cribbling +cribella +cribellum +crible +cribo +cribose +cribral +cribrate +cribrately +cribration +cribriform +cribriformity +cribrose +cribrosity +cribrous +cribs +cribwork +cribworks +cric +cricetid +cricetidae +cricetids +cricetine +cricetus +crick +cricke +cricked +crickey +cricket +cricketed +cricketer +cricketers +crickety +cricketing +cricketings +cricketlike +crickets +cricking +crickle +cricks +cricoarytenoid +cricoid +cricoidectomy +cricoids +cricopharyngeal +cricothyreoid +cricothyreotomy +cricothyroid +cricothyroidean +cricotomy +cricotracheotomy +cricotus +criddle +cried +criey +crier +criers +cries +cryesthesia +crig +crying +cryingly +crikey +crile +crim +crimble +crime +crimea +crimean +crimeful +crimeless +crimelessness +crimeproof +crimes +criminal +criminaldom +criminalese +criminalism +criminalist +criminalistic +criminalistician +criminalistics +criminality +criminalities +criminally +criminalness +criminaloid +criminals +criminate +criminated +criminating +crimination +criminative +criminator +criminatory +crimine +crimini +criminis +criminogenesis +criminogenic +criminol +criminology +criminologic +criminological +criminologically +criminologies +criminologist +criminologists +criminosis +criminous +criminously +criminousness +crimison +crimmer +crimmers +crimmy +crymoanesthesia +crymodynia +crimogenic +crymotherapy +crimp +crimpage +crimped +crimper +crimpers +crimpy +crimpier +crimpiest +crimpiness +crimping +crimple +crimpled +crimples +crimpling +crimpness +crimps +crimson +crimsoned +crimsony +crimsoning +crimsonly +crimsonness +crimsons +crin +crinal +crinanite +crinate +crinated +crinatory +crinch +crine +crined +crinel +crinet +cringe +cringed +cringeling +cringer +cringers +cringes +cringing +cringingly +cringingness +cringle +cringles +crinicultural +criniculture +crinid +criniere +criniferous +criniger +crinigerous +crinion +criniparous +crinital +crinite +crinites +crinitory +crinivorous +crink +crinkle +crinkled +crinkleroot +crinkles +crinkly +crinklier +crinkliest +crinkliness +crinkling +crinkum +crinogenic +crinoid +crinoidal +crinoidea +crinoidean +crinoids +crinolette +crinoline +crinolines +crinose +crinosity +crinula +crinum +crinums +cryobiology +cryobiological +cryobiologically +cryobiologist +crioboly +criobolium +cryocautery +criocephalus +crioceras +crioceratite +crioceratitic +crioceris +cryochore +cryochoric +cryoconite +cryogen +cryogeny +cryogenic +cryogenically +cryogenics +cryogenies +cryogens +cryohydrate +cryohydric +cryolite +cryolites +criolla +criollas +criollo +criollos +cryology +cryological +cryometer +cryometry +cryonic +cryonics +cryopathy +cryophile +cryophilic +cryophyllite +cryophyte +criophore +cryophoric +criophoros +cryophorus +cryoplankton +cryoprobe +cryoprotective +cryoscope +cryoscopy +cryoscopic +cryoscopies +cryosel +cryosphere +cryospheric +criosphinges +criosphinx +criosphinxes +cryostase +cryostat +cryostats +cryosurgeon +cryosurgery +cryosurgical +cryotherapy +cryotherapies +cryotron +cryotrons +crip +cripes +crippied +crippingly +cripple +crippled +crippledom +crippleness +crippler +cripplers +cripples +cripply +crippling +cripplingly +crips +crypt +crypta +cryptaesthesia +cryptal +cryptamnesia +cryptamnesic +cryptanalysis +cryptanalyst +cryptanalytic +cryptanalytical +cryptanalytically +cryptanalytics +cryptanalyze +cryptanalyzed +cryptanalyzing +cryptarch +cryptarchy +crypted +crypteronia +crypteroniaceae +cryptesthesia +cryptesthetic +cryptic +cryptical +cryptically +crypticness +crypto +cryptoagnostic +cryptoanalysis +cryptoanalyst +cryptoanalytic +cryptoanalytically +cryptoanalytics +cryptobatholithic +cryptobranch +cryptobranchia +cryptobranchiata +cryptobranchiate +cryptobranchidae +cryptobranchus +cryptocarya +cryptocarp +cryptocarpic +cryptocarpous +cryptocephala +cryptocephalous +cryptocerata +cryptocerous +cryptoclastic +cryptocleidus +cryptoclimate +cryptoclimatology +cryptococcal +cryptococci +cryptococcic +cryptococcosis +cryptococcus +cryptocommercial +cryptocrystalline +cryptocrystallization +cryptocurrency +cryptodeist +cryptodynamic +cryptodira +cryptodiran +cryptodire +cryptodirous +cryptodouble +cryptogam +cryptogame +cryptogamy +cryptogamia +cryptogamian +cryptogamic +cryptogamical +cryptogamist +cryptogamous +cryptogenetic +cryptogenic +cryptogenous +cryptoglaux +cryptoglioma +cryptogram +cryptogramma +cryptogrammatic +cryptogrammatical +cryptogrammatist +cryptogrammic +cryptograms +cryptograph +cryptographal +cryptographer +cryptographers +cryptography +cryptographic +cryptographical +cryptographically +cryptographist +cryptoheresy +cryptoheretic +cryptoinflationist +cryptolite +cryptolith +cryptology +cryptologic +cryptological +cryptologist +cryptolunatic +cryptomere +cryptomeria +cryptomerous +cryptometer +cryptomnesia +cryptomnesic +cryptomonad +cryptomonadales +cryptomonadina +cryptonema +cryptonemiales +cryptoneurous +cryptonym +cryptonymic +cryptonymous +cryptopapist +cryptoperthite +cryptophagidae +cryptophyceae +cryptophyte +cryptophytic +cryptophthalmos +cryptopyic +cryptopin +cryptopine +cryptopyrrole +cryptoporticus +cryptoprocta +cryptoproselyte +cryptoproselytism +cryptorchid +cryptorchidism +cryptorchis +cryptorchism +cryptorhynchus +cryptorrhesis +cryptorrhetic +cryptos +cryptoscope +cryptoscopy +cryptosplenetic +cryptostegia +cryptostoma +cryptostomata +cryptostomate +cryptostome +cryptotaenia +cryptous +cryptovalence +cryptovalency +cryptovolcanic +cryptovolcanism +cryptoxanthin +cryptozygy +cryptozygosity +cryptozygous +cryptozoic +cryptozoite +cryptozonate +cryptozonia +crypts +crypturi +crypturidae +cris +crises +crisic +crisis +crisle +crisp +crispate +crispated +crispation +crispature +crispbread +crisped +crispen +crispened +crispening +crispens +crisper +crispers +crispest +crispy +crispier +crispiest +crispily +crispin +crispine +crispiness +crisping +crispins +crisply +crispness +crisps +criss +crissa +crissal +crisscross +crisscrossed +crisscrosses +crisscrossing +crisset +crissum +cryst +crista +cristae +crystal +crystaled +crystaling +crystalitic +crystalize +crystall +crystalled +crystallic +crystalliferous +crystalliform +crystalligerous +crystallike +crystallin +crystalline +crystalling +crystallinity +crystallisability +crystallisable +crystallisation +crystallise +crystallised +crystallising +crystallite +crystallites +crystallitic +crystallitis +crystallizability +crystallizable +crystallization +crystallize +crystallized +crystallizer +crystallizes +crystallizing +crystalloblastic +crystallochemical +crystallochemistry +crystallod +crystallogenesis +crystallogenetic +crystallogeny +crystallogenic +crystallogenical +crystallogy +crystallogram +crystallograph +crystallographer +crystallographers +crystallography +crystallographic +crystallographical +crystallographically +crystalloid +crystalloidal +crystallology +crystalloluminescence +crystallomagnetic +crystallomancy +crystallometry +crystallometric +crystallophyllian +crystallophobia +crystallose +crystallurgy +crystals +crystalwort +cristate +cristated +cristatella +cryste +cristi +cristy +crystic +cristiform +cristina +cristineaux +cristino +cristispira +cristivomer +cristobalite +crystograph +crystoleum +crystolon +cristopher +crystosphene +crit +critch +critchfield +criteria +criteriia +criteriions +criteriology +criterion +criterional +criterions +criterium +crith +crithidia +crithmene +crithomancy +critic +critical +criticality +critically +criticalness +criticaster +criticasterism +criticastry +criticisable +criticise +criticised +criticiser +criticises +criticising +criticisingly +criticism +criticisms +criticist +criticizable +criticize +criticized +criticizer +criticizers +criticizes +criticizing +criticizingly +critickin +critics +criticship +criticsm +criticule +critique +critiqued +critiques +critiquing +critism +critize +critling +critter +critteria +critters +crittur +critturs +crivetz +crizzel +crizzle +crizzled +crizzling +crl +cro +croak +croaked +croaker +croakers +croaky +croakier +croakiest +croakily +croakiness +croaking +croaks +croape +croat +croatan +croatian +croc +crocanthemum +crocard +croceic +crocein +croceine +croceines +croceins +croceous +crocetin +croceus +croche +crochet +crocheted +crocheter +crocheters +crocheteur +crocheting +crochets +croci +crociary +crociate +crocidolite +crocidura +crocin +crocine +crock +crockard +crocked +crocker +crockery +crockeries +crockeryware +crocket +crocketed +crocketing +crockets +crocky +crocking +crocko +crocks +crocodile +crocodilean +crocodiles +crocodilia +crocodilian +crocodilidae +crocodylidae +crocodiline +crocodilite +crocodility +crocodiloid +crocodilus +crocodylus +crocoisite +crocoite +crocoites +croconate +croconic +crocosmia +crocus +crocused +crocuses +crocuta +croft +crofter +crofterization +crofterize +crofters +crofting +croftland +crofts +croh +croy +croyden +croydon +croighle +croiik +croyl +crois +croisad +croisade +croisard +croise +croisee +croises +croisette +croissant +croissante +croissants +crojack +crojik +crojiks +croker +crokinole +crom +cromaltite +crombec +crome +cromer +cromerian +cromfordite +cromlech +cromlechs +cromme +crommel +cromorna +cromorne +cromster +cromwell +cromwellian +cronartium +crone +croneberry +cronel +crones +cronet +crony +cronian +cronie +cronied +cronies +cronying +cronyism +cronyisms +cronish +cronk +cronkness +cronstedtite +cronus +crooch +crood +croodle +crooisite +crook +crookback +crookbacked +crookbill +crookbilled +crooked +crookedbacked +crookeder +crookedest +crookedly +crookedness +crooken +crookery +crookeries +crookesite +crookfingered +crookheaded +crooking +crookkneed +crookle +crooklegged +crookneck +crooknecked +crooknecks +crooknosed +crooks +crookshouldered +crooksided +crooksterned +crooktoothed +crool +croomia +croon +crooned +crooner +crooners +crooning +crooningly +croons +croose +crop +crophead +cropland +croplands +cropless +cropman +croppa +cropped +cropper +croppers +croppy +croppie +croppies +cropping +cropplecrown +crops +cropshin +cropsick +cropsickness +cropweed +croquet +croqueted +croqueting +croquets +croquette +croquettes +croquignole +croquis +crore +crores +crosa +crosby +crose +croset +crosette +croshabell +crosier +crosiered +crosiers +croslet +crosne +crosnes +cross +crossability +crossable +crossarm +crossarms +crossband +crossbanded +crossbanding +crossbar +crossbarred +crossbarring +crossbars +crossbbred +crossbeak +crossbeam +crossbeams +crossbearer +crossbelt +crossbench +crossbencher +crossbill +crossbirth +crossbite +crossbolt +crossbolted +crossbones +crossbow +crossbowman +crossbowmen +crossbows +crossbred +crossbreds +crossbreed +crossbreeding +crossbreeds +crosscheck +crosscourt +crosscrosslet +crosscurrent +crosscurrented +crosscurrents +crosscut +crosscuts +crosscutter +crosscutting +crosse +crossed +crosser +crossers +crosses +crossest +crossette +crossfall +crossfertilizable +crossfire +crossfired +crossfiring +crossfish +crossflow +crossflower +crossfoot +crossgrainedness +crosshackle +crosshair +crosshairs +crosshand +crosshatch +crosshatched +crosshatcher +crosshatches +crosshatching +crosshaul +crosshauling +crosshead +crossing +crossings +crossite +crossjack +crosslap +crosslegs +crossley +crosslet +crossleted +crosslets +crossly +crosslight +crosslighted +crosslike +crossline +crosslink +crossness +crossopodia +crossopt +crossopterygian +crossopterygii +crossosoma +crossosomataceae +crossosomataceous +crossover +crossovers +crosspatch +crosspatches +crosspath +crosspiece +crosspieces +crosspoint +crosspoints +crosspost +crossrail +crossroad +crossroading +crossroads +crossrow +crossruff +crosstail +crosstalk +crosstie +crosstied +crossties +crosstoes +crosstown +crosstrack +crosstree +crosstrees +crossway +crossways +crosswalk +crosswalks +crossweb +crossweed +crosswind +crosswise +crosswiseness +crossword +crossworder +crosswords +crosswort +crost +crostarie +crotal +crotalaria +crotalic +crotalid +crotalidae +crotaliform +crotalin +crotalinae +crotaline +crotalism +crotalo +crotaloid +crotalum +crotalus +crotaphic +crotaphion +crotaphite +crotaphitic +crotaphytus +crotch +crotched +crotches +crotchet +crotcheted +crotcheteer +crotchety +crotchetiness +crotcheting +crotchets +crotchy +crotching +crotchwood +crotesco +crotyl +crotin +croton +crotonaldehyde +crotonate +crotonbug +crotonic +crotonyl +crotonylene +crotonization +crotons +crotophaga +crottal +crottels +crottle +crouch +crouchant +crouchback +crouche +crouched +croucher +crouches +crouchie +crouching +crouchingly +crouchmas +crouke +crounotherapy +croup +croupade +croupal +croupe +crouperbush +croupes +croupy +croupier +croupiers +croupiest +croupily +croupiness +croupon +croupous +croups +crouse +crousely +croustade +crout +croute +crouth +crouton +croutons +crow +crowbait +crowbar +crowbars +crowbell +crowberry +crowberries +crowbill +crowboot +crowd +crowded +crowdedly +crowdedness +crowder +crowders +crowdy +crowdie +crowdies +crowding +crowdle +crowds +crowdweed +crowed +crower +crowers +crowfeet +crowflower +crowfoot +crowfooted +crowfoots +crowhop +crowhopper +crowing +crowingly +crowkeeper +crowl +crown +crownal +crownation +crownband +crownbeard +crowncapping +crowned +crowner +crowners +crownet +crownets +crowning +crownland +crownless +crownlet +crownlike +crownling +crownmaker +crownment +crownpiece +crowns +crownwork +crownwort +crows +crowshay +crowstep +crowstepped +crowsteps +crowstick +crowstone +crowtoe +croze +crozed +crozer +crozers +crozes +crozier +croziers +crozing +crozle +crozzle +crozzly +crpe +crs +crts +cru +crub +crubeen +cruce +cruces +crucethouse +cruche +crucial +cruciality +crucially +crucialness +crucian +crucianella +crucians +cruciate +cruciated +cruciately +cruciating +cruciation +crucible +crucibles +crucibulum +crucifer +cruciferae +cruciferous +crucifers +crucify +crucificial +crucified +crucifier +crucifies +crucifyfied +crucifyfying +crucifige +crucifying +crucifix +crucifixes +crucifixion +crucifixions +cruciform +cruciformity +cruciformly +crucigerous +crucily +crucilly +crucis +cruck +crud +crudded +cruddy +crudding +cruddle +crude +crudely +crudelity +crudeness +cruder +crudes +crudest +crudy +crudites +crudity +crudities +crudle +cruds +crudwort +cruel +crueler +cruelest +cruelhearted +cruelize +crueller +cruellest +cruelly +cruelness +cruels +cruelty +cruelties +cruent +cruentate +cruentation +cruentous +cruet +cruety +cruets +cruise +cruised +cruiser +cruisers +cruiserweight +cruises +cruiseway +cruising +cruisingly +cruiskeen +cruisken +cruive +crull +cruller +crullers +crum +crumb +crumbable +crumbcloth +crumbed +crumber +crumbers +crumby +crumbier +crumbiest +crumbing +crumble +crumbled +crumblement +crumbles +crumblet +crumbly +crumblier +crumbliest +crumbliness +crumbling +crumblingness +crumblings +crumbs +crumbum +crumen +crumena +crumenal +crumhorn +crumlet +crummable +crummed +crummer +crummy +crummie +crummier +crummies +crummiest +crumminess +crumming +crummock +crump +crumped +crumper +crumpet +crumpets +crumpy +crumping +crumple +crumpled +crumpler +crumples +crumply +crumpling +crumps +crumster +crunch +crunchable +crunched +cruncher +crunchers +crunches +crunchy +crunchier +crunchiest +crunchily +crunchiness +crunching +crunchingly +crunchingness +crunchweed +crunk +crunkle +crunodal +crunode +crunodes +crunt +cruor +cruorin +cruors +crup +cruppen +crupper +cruppered +cruppering +cruppers +crura +crural +crureus +crurogenital +cruroinguinal +crurotarsal +crus +crusade +crusaded +crusader +crusaders +crusades +crusading +crusado +crusadoes +crusados +crusca +cruse +cruses +cruset +crusets +crush +crushability +crushable +crushableness +crushed +crusher +crushers +crushes +crushing +crushingly +crushproof +crusie +crusile +crusilee +crusily +crust +crusta +crustacea +crustaceal +crustacean +crustaceans +crustaceology +crustaceological +crustaceologist +crustaceorubrin +crustaceous +crustade +crustal +crustalogy +crustalogical +crustalogist +crustate +crustated +crustation +crusted +crustedly +cruster +crusty +crustier +crustiest +crustific +crustification +crustily +crustiness +crusting +crustless +crustose +crustosis +crusts +crut +crutch +crutched +crutcher +crutches +crutching +crutchlike +cruth +crutter +crux +cruxes +cruzado +cruzadoes +cruzados +cruzeiro +cruzeiros +cruziero +cruzieros +crwd +crwth +crwths +crzette +cs +csardas +csc +csch +csect +csects +csi +csk +csmp +csnet +csp +cst +csw +ct +cte +ctelette +ctenacanthus +ctene +ctenidia +ctenidial +ctenidium +cteniform +ctenii +cteninidia +ctenizid +ctenocephalus +ctenocyst +ctenodactyl +ctenodipterini +ctenodont +ctenodontidae +ctenodus +ctenoid +ctenoidean +ctenoidei +ctenoidian +ctenolium +ctenophora +ctenophoral +ctenophoran +ctenophore +ctenophoric +ctenophorous +ctenoplana +ctenostomata +ctenostomatous +ctenostome +ctetology +ctf +ctg +ctge +ctimo +ctn +cto +ctr +ctrl +cts +cu +cuadra +cuadrilla +cuadrillas +cuadrillero +cuailnge +cuamuchil +cuapinole +cuarenta +cuarta +cuartel +cuarteron +cuartilla +cuartillo +cuartino +cuarto +cub +cuba +cubage +cubages +cubalaya +cuban +cubane +cubangle +cubanite +cubanize +cubans +cubas +cubation +cubatory +cubature +cubatures +cubby +cubbies +cubbyhole +cubbyholes +cubbyhouse +cubbyyew +cubbing +cubbish +cubbishly +cubbishness +cubbyu +cubdom +cube +cubeb +cubebs +cubed +cubehead +cubelet +cubelium +cuber +cubera +cubers +cubes +cubhood +cubi +cubic +cubica +cubical +cubically +cubicalness +cubicity +cubicities +cubicle +cubicles +cubicly +cubicone +cubicontravariant +cubicovariant +cubics +cubicula +cubicular +cubiculary +cubiculo +cubiculum +cubiform +cubing +cubism +cubisms +cubist +cubistic +cubistically +cubists +cubit +cubital +cubitale +cubitalia +cubited +cubiti +cubitiere +cubito +cubitocarpal +cubitocutaneous +cubitodigital +cubitometacarpal +cubitopalmar +cubitoplantar +cubitoradial +cubits +cubitus +cubla +cubmaster +cubocalcaneal +cuboctahedron +cubocube +cubocuneiform +cubododecahedral +cuboid +cuboidal +cuboides +cuboids +cubomancy +cubomedusae +cubomedusan +cubometatarsal +cubonavicular +cubs +cubti +cuca +cucaracha +cuchan +cuchia +cuchulainn +cuck +cuckhold +cucking +cuckold +cuckolded +cuckoldy +cuckolding +cuckoldize +cuckoldly +cuckoldom +cuckoldry +cuckolds +cuckoo +cuckooed +cuckooflower +cuckooing +cuckoomaid +cuckoomaiden +cuckoomate +cuckoopint +cuckoopintle +cuckoos +cuckquean +cuckstool +cucoline +cucuy +cucuyo +cucujid +cucujidae +cucujus +cucularis +cucule +cuculi +cuculidae +cuculiform +cuculiformes +cuculine +cuculla +cucullaris +cucullate +cucullated +cucullately +cuculle +cuculliform +cucullus +cuculoid +cuculus +cucumaria +cucumariidae +cucumber +cucumbers +cucumiform +cucumis +cucupha +cucurb +cucurbit +cucurbita +cucurbitaceae +cucurbitaceous +cucurbital +cucurbite +cucurbitine +cucurbits +cud +cuda +cudava +cudbear +cudbears +cudden +cuddy +cuddie +cuddies +cuddyhole +cuddle +cuddleable +cuddled +cuddles +cuddlesome +cuddly +cuddlier +cuddliest +cuddling +cudeigh +cudgel +cudgeled +cudgeler +cudgelers +cudgeling +cudgelled +cudgeller +cudgelling +cudgels +cudgerie +cuds +cudweed +cudweeds +cudwort +cue +cueball +cueca +cuecas +cued +cueing +cueist +cueman +cuemanship +cuemen +cuerda +cuerpo +cues +cuesta +cuestas +cueva +cuff +cuffed +cuffer +cuffy +cuffyism +cuffin +cuffing +cuffle +cuffless +cufflink +cufflinks +cuffs +cufic +cuggermugger +cuya +cuyas +cuichunchulli +cuidado +cuiejo +cuiejos +cuif +cuifs +cuinage +cuinfo +cuing +cuir +cuirass +cuirassed +cuirasses +cuirassier +cuirassing +cuirie +cuish +cuishes +cuisinary +cuisine +cuisines +cuisinier +cuissard +cuissart +cuisse +cuissen +cuisses +cuisten +cuit +cuitlateco +cuitle +cuitled +cuitling +cuittikin +cuittle +cuittled +cuittles +cuittling +cuj +cujam +cuke +cukes +cul +culation +culavamsa +culbert +culbut +culbute +culbuter +culch +culches +culdee +culebra +culerage +culet +culets +culett +culeus +culex +culgee +culices +culicid +culicidae +culicidal +culicide +culicids +culiciform +culicifugal +culicifuge +culicinae +culicine +culicines +culicoides +culilawan +culinary +culinarian +culinarily +cull +culla +cullage +cullay +cullays +cullas +culled +cullen +cullender +culler +cullers +cullet +cullets +cully +cullibility +cullible +cullied +cullies +cullying +culling +cullion +cullionly +cullionry +cullions +cullis +cullisance +cullises +culls +culm +culmed +culmen +culmy +culmicolous +culmiferous +culmigenous +culminal +culminant +culminate +culminated +culminates +culminating +culmination +culminations +culminative +culming +culms +culot +culotte +culottes +culottic +culottism +culp +culpa +culpabilis +culpability +culpable +culpableness +culpably +culpae +culpas +culpate +culpatory +culpeo +culpon +culpose +culprit +culprits +culrage +culsdesac +cult +cultch +cultches +cultellation +cultelli +cultellus +culter +culteranismo +culti +cultic +cultigen +cultigens +cultirostral +cultirostres +cultish +cultism +cultismo +cultisms +cultist +cultistic +cultists +cultivability +cultivable +cultivably +cultivar +cultivars +cultivatability +cultivatable +cultivate +cultivated +cultivates +cultivating +cultivation +cultivations +cultivative +cultivator +cultivators +cultive +cultrate +cultrated +cultriform +cultrirostral +cultrirostres +cults +culttelli +cultual +culturable +cultural +culturalist +culturally +culture +cultured +cultureless +cultures +culturine +culturing +culturist +culturization +culturize +culturology +culturological +culturologically +culturologist +cultus +cultuses +culver +culverfoot +culverhouse +culverin +culverineer +culveriner +culverins +culverkey +culverkeys +culvers +culvert +culvertage +culverts +culverwort +cum +cumacea +cumacean +cumaceous +cumaean +cumay +cumal +cumaldehyde +cumanagoto +cumaphyte +cumaphytic +cumaphytism +cumar +cumara +cumarin +cumarins +cumarone +cumaru +cumbent +cumber +cumbered +cumberer +cumberers +cumbering +cumberland +cumberlandite +cumberless +cumberment +cumbers +cumbersome +cumbersomely +cumbersomeness +cumberworld +cumbha +cumble +cumbly +cumbraite +cumbrance +cumbre +cumbrian +cumbrous +cumbrously +cumbrousness +cumbu +cumene +cumengite +cumenyl +cumflutter +cumhal +cumic +cumidin +cumidine +cumyl +cumin +cuminal +cuminic +cuminyl +cuminoin +cuminol +cuminole +cumins +cuminseed +cumly +cummer +cummerbund +cummerbunds +cummers +cummin +cummingtonite +cummins +cummock +cumol +cump +cumquat +cumquats +cumsha +cumshaw +cumshaws +cumulant +cumular +cumulate +cumulated +cumulately +cumulates +cumulating +cumulation +cumulatist +cumulative +cumulatively +cumulativeness +cumulene +cumulet +cumuli +cumuliform +cumulite +cumulocirrus +cumulonimbus +cumulophyric +cumulose +cumulostratus +cumulous +cumulus +cun +cuna +cunabula +cunabular +cunan +cunarder +cunas +cunctation +cunctatious +cunctative +cunctator +cunctatory +cunctatorship +cunctatury +cunctipotent +cund +cundeamor +cundy +cundite +cundum +cundums +cundurango +cunea +cuneal +cuneate +cuneated +cuneately +cuneatic +cuneator +cunei +cuneiform +cuneiformist +cunenei +cuneocuboid +cuneonavicular +cuneoscaphoid +cunette +cuneus +cungeboi +cungevoi +cunicular +cuniculi +cuniculus +cunye +cuniform +cuniforms +cunyie +cunila +cunili +cunit +cunjah +cunjer +cunjevoi +cunner +cunners +cunni +cunny +cunnilinctus +cunnilinguism +cunnilingus +cunning +cunningaire +cunninger +cunningest +cunninghamia +cunningly +cunningness +cunnings +cunonia +cunoniaceae +cunoniaceous +cunt +cunts +cunza +cunzie +cuon +cuorin +cup +cupay +cupania +cupbearer +cupbearers +cupboard +cupboards +cupcake +cupcakes +cupel +cupeled +cupeler +cupelers +cupeling +cupellation +cupelled +cupeller +cupellers +cupelling +cupels +cupflower +cupful +cupfulfuls +cupfuls +cuphea +cuphead +cupholder +cupid +cupidinous +cupidity +cupidities +cupidon +cupidone +cupids +cupiuba +cupless +cuplike +cupmaker +cupmaking +cupman +cupmate +cupola +cupolaed +cupolaing +cupolaman +cupolar +cupolas +cupolated +cuppa +cuppas +cupped +cuppen +cupper +cuppers +cuppy +cuppier +cuppiest +cuppin +cupping +cuppings +cuprammonia +cuprammonium +cuprate +cuprein +cupreine +cuprene +cupreous +cupressaceae +cupressineous +cupressinoxylon +cupressus +cupric +cupride +cupriferous +cuprite +cuprites +cuproammonium +cuprobismutite +cuprocyanide +cuprodescloizite +cuproid +cuproiodargyrite +cupromanganese +cupronickel +cuproplumbite +cuproscheelite +cuprose +cuprosilicon +cuprotungstite +cuprous +cuprum +cuprums +cups +cupseed +cupsful +cupstone +cupula +cupulae +cupular +cupulate +cupule +cupules +cupuliferae +cupuliferous +cupuliform +cur +cura +curability +curable +curableness +curably +curacao +curacaos +curace +curacy +curacies +curacoa +curacoas +curage +curagh +curaghs +curara +curaras +curare +curares +curari +curarine +curarines +curaris +curarization +curarize +curarized +curarizes +curarizing +curassow +curassows +curat +curatage +curate +curatel +curates +curateship +curatess +curatial +curatic +curatical +curation +curative +curatively +curativeness +curatives +curatize +curatolatry +curator +curatory +curatorial +curatorium +curators +curatorship +curatrices +curatrix +curavecan +curb +curbable +curbash +curbed +curber +curbers +curby +curbing +curbings +curbless +curblike +curbline +curbs +curbside +curbstone +curbstoner +curbstones +curcas +curch +curchef +curches +curchy +curcuddoch +curculio +curculionid +curculionidae +curculionist +curculios +curcuma +curcumas +curcumin +curd +curded +curdy +curdier +curdiest +curdiness +curding +curdle +curdled +curdler +curdlers +curdles +curdly +curdling +curdoo +curds +curdwort +cure +cured +cureless +curelessly +curelessness +curemaster +curer +curers +cures +curet +curets +curettage +curette +curetted +curettement +curettes +curetting +curf +curfew +curfewed +curfewing +curfews +curfs +cury +curia +curiae +curiage +curial +curialism +curialist +curialistic +curiality +curialities +curiam +curiara +curiate +curiatii +curiboca +curie +curiegram +curies +curiescopy +curiet +curietherapy +curying +curin +curine +curing +curio +curiolofic +curiology +curiologic +curiological +curiologically +curiologics +curiomaniac +curios +curiosa +curiosi +curiosity +curiosities +curioso +curiosos +curious +curiouser +curiousest +curiously +curiousness +curiousnesses +curite +curites +curitis +curium +curiums +curl +curled +curledly +curledness +curler +curlers +curlew +curlewberry +curlews +curly +curlicue +curlycue +curlicued +curlicues +curlycues +curlicuing +curlier +curliest +curliewurly +curliewurlie +curlyhead +curlyheads +curlike +curlily +curlylocks +curliness +curling +curlingly +curlings +curlpaper +curls +curmudgeon +curmudgeonery +curmudgeonish +curmudgeonly +curmudgeons +curmurging +curmurring +curn +curney +curneys +curnie +curnies +curnock +curns +curpel +curpin +curple +curr +currach +currachs +currack +curragh +curraghs +currajong +curran +currance +currane +currans +currant +currants +currantworm +curratow +currawang +currawong +curred +currency +currencies +current +currently +currentness +currents +currentwise +curry +curricla +curricle +curricled +curricles +curricling +currycomb +currycombed +currycombing +currycombs +curricula +curricular +curricularization +curricularize +curriculum +curriculums +currie +curried +currier +curriery +currieries +curriers +curries +curryfavel +curryfavour +curriing +currying +currijong +curring +currish +currishly +currishness +currock +currs +curs +cursa +cursal +cursaro +curse +cursed +curseder +cursedest +cursedly +cursedness +cursement +cursen +curser +cursers +curses +curship +cursillo +cursing +cursitate +cursitor +cursive +cursively +cursiveness +cursives +cursor +cursorary +cursores +cursory +cursoria +cursorial +cursoriidae +cursorily +cursoriness +cursorious +cursorius +cursors +curst +curstful +curstfully +curstly +curstness +cursus +curt +curtail +curtailed +curtailedly +curtailer +curtailing +curtailment +curtailments +curtails +curtain +curtained +curtaining +curtainless +curtains +curtainwise +curtays +curtal +curtalax +curtalaxes +curtals +curtana +curtate +curtation +curtaxe +curted +curtein +curtelace +curteous +curter +curtesy +curtesies +curtest +curtilage +curtis +curtise +curtlax +curtly +curtness +curtnesses +curtsey +curtseyed +curtseying +curtseys +curtsy +curtsied +curtsies +curtsying +curua +curuba +curucaneca +curucanecan +curucucu +curucui +curule +curuminaca +curuminacan +curupay +curupays +curupey +curupira +cururo +cururos +curvaceous +curvaceously +curvaceousness +curvacious +curval +curvant +curvate +curvated +curvation +curvative +curvature +curvatures +curve +curveball +curved +curvedly +curvedness +curvey +curver +curves +curvesome +curvesomeness +curvet +curveted +curveting +curvets +curvette +curvetted +curvetting +curvy +curvicaudate +curvicostate +curvidentate +curvier +curviest +curvifoliate +curviform +curvilinead +curvilineal +curvilinear +curvilinearity +curvilinearly +curvimeter +curvinervate +curvinerved +curviness +curving +curvirostral +curvirostres +curviserial +curvital +curvity +curvities +curvle +curvograph +curvometer +curvous +curvulate +curwhibble +curwillet +cuscohygrin +cuscohygrine +cusconin +cusconine +cuscus +cuscuses +cuscuta +cuscutaceae +cuscutaceous +cusec +cusecs +cuselite +cush +cushag +cushat +cushats +cushaw +cushaws +cushewbird +cushy +cushie +cushier +cushiest +cushily +cushiness +cushing +cushion +cushioncraft +cushioned +cushionet +cushionflower +cushiony +cushioniness +cushioning +cushionless +cushionlike +cushions +cushite +cushitic +cushlamochree +cusie +cusinero +cusk +cusks +cusp +cuspal +cusparia +cusparidine +cusparine +cuspate +cuspated +cusped +cuspid +cuspidal +cuspidate +cuspidated +cuspidation +cuspides +cuspidine +cuspidor +cuspidors +cuspids +cusping +cuspis +cusps +cuspule +cuss +cussed +cussedly +cussedness +cusser +cussers +cusses +cussing +cusso +cussos +cussword +cusswords +cust +custard +custards +custerite +custode +custodee +custodes +custody +custodia +custodial +custodiam +custodian +custodians +custodianship +custodier +custodies +custom +customable +customableness +customably +customance +customary +customaries +customarily +customariness +customed +customer +customers +customhouse +customhouses +customing +customizable +customization +customizations +customize +customized +customizer +customizers +customizes +customizing +customly +customs +customshouse +custos +custrel +custron +custroun +custumal +custumals +cut +cutability +cutaneal +cutaneous +cutaneously +cutaway +cutaways +cutback +cutbacks +cutbank +cutch +cutcha +cutcher +cutchery +cutcheries +cutcherry +cutcherries +cutches +cutdown +cutdowns +cute +cutey +cuteys +cutely +cuteness +cutenesses +cuter +cuterebra +cutes +cutesy +cutesier +cutesiest +cutest +cutgrass +cutgrasses +cuthbert +cutheal +cuticle +cuticles +cuticolor +cuticula +cuticulae +cuticular +cuticularization +cuticularize +cuticulate +cutidure +cutiduris +cutie +cuties +cutify +cutification +cutigeral +cutikin +cutin +cutinisation +cutinise +cutinised +cutinises +cutinising +cutinization +cutinize +cutinized +cutinizes +cutinizing +cutins +cutireaction +cutis +cutisector +cutises +cutiterebra +cutitis +cutization +cutlas +cutlases +cutlash +cutlass +cutlasses +cutlassfish +cutlassfishes +cutler +cutleress +cutlery +cutleria +cutleriaceae +cutleriaceous +cutleriales +cutleries +cutlers +cutlet +cutlets +cutline +cutlines +cutling +cutlings +cutlips +cutocellulose +cutoff +cutoffs +cutose +cutout +cutouts +cutover +cutpurse +cutpurses +cuts +cutset +cuttable +cuttage +cuttages +cuttail +cuttanee +cutted +cutter +cutterhead +cutterman +cutters +cutthroat +cutthroats +cutty +cutties +cuttyhunk +cuttikin +cutting +cuttingly +cuttingness +cuttings +cuttle +cuttlebone +cuttlebones +cuttled +cuttlefish +cuttlefishes +cuttler +cuttles +cuttling +cuttoe +cuttoo +cuttoos +cutup +cutups +cutwal +cutwater +cutwaters +cutweed +cutwork +cutworks +cutworm +cutworms +cuvage +cuve +cuvee +cuvette +cuvettes +cuvy +cuvierian +cuvies +cuzceno +cv +cwierc +cwm +cwms +cwo +cwrite +cwt +czar +czardas +czardases +czardom +czardoms +czarevitch +czarevna +czarevnas +czarian +czaric +czarina +czarinas +czarinian +czarish +czarism +czarisms +czarist +czaristic +czarists +czaritza +czaritzas +czarowitch +czarowitz +czars +czarship +czech +czechic +czechish +czechization +czechoslovak +czechoslovakia +czechoslovakian +czechoslovakians +czechoslovaks +czechs +czigany +d +da +daalder +dab +dabb +dabba +dabbed +dabber +dabbers +dabby +dabbing +dabble +dabbled +dabbler +dabblers +dabbles +dabbling +dabblingly +dabblingness +dabblings +dabchick +dabchicks +dabih +dabitis +dablet +daboia +daboya +dabs +dabster +dabsters +dabuh +dace +dacelo +daceloninae +dacelonine +daces +dacha +dachas +dachs +dachshound +dachshund +dachshunde +dachshunds +dacian +dacyorrhea +dacite +dacitic +dacker +dackered +dackering +dackers +dacoit +dacoitage +dacoited +dacoity +dacoities +dacoiting +dacoits +dacrya +dacryadenalgia +dacryadenitis +dacryagogue +dacrycystalgia +dacryd +dacrydium +dacryelcosis +dacryoadenalgia +dacryoadenitis +dacryoblenorrhea +dacryocele +dacryocyst +dacryocystalgia +dacryocystitis +dacryocystoblennorrhea +dacryocystocele +dacryocystoptosis +dacryocystorhinostomy +dacryocystosyringotomy +dacryocystotome +dacryocystotomy +dacryohelcosis +dacryohemorrhea +dacryolin +dacryolite +dacryolith +dacryolithiasis +dacryoma +dacryon +dacryopyorrhea +dacryopyosis +dacryops +dacryorrhea +dacryosyrinx +dacryosolenitis +dacryostenosis +dacryuria +dacron +dactyl +dactylar +dactylate +dactyli +dactylic +dactylically +dactylics +dactylioglyph +dactylioglyphy +dactylioglyphic +dactylioglyphist +dactylioglyphtic +dactyliographer +dactyliography +dactyliographic +dactyliology +dactyliomancy +dactylion +dactyliotheca +dactylis +dactylist +dactylitic +dactylitis +dactylogram +dactylograph +dactylographer +dactylography +dactylographic +dactyloid +dactylology +dactylologies +dactylomegaly +dactylonomy +dactylopatagium +dactylopius +dactylopodite +dactylopore +dactylopteridae +dactylopterus +dactylorhiza +dactyloscopy +dactyloscopic +dactylose +dactylosymphysis +dactylosternal +dactylotheca +dactylous +dactylozooid +dactyls +dactylus +dacus +dad +dada +dadayag +dadaism +dadaisms +dadaist +dadaistic +dadaistically +dadaists +dadap +dadas +dadburned +dadder +daddy +daddies +dadding +daddynut +daddle +daddled +daddles +daddling +daddock +daddocky +daddums +dade +dadenhudd +dading +dado +dadoed +dadoes +dadoing +dados +dadouchos +dadoxylon +dads +dadu +daduchus +dadupanthi +dae +daedal +daedalea +daedalean +daedaleous +daedalian +daedalic +daedalidae +daedalist +daedaloid +daedalous +daedalus +daekon +daemon +daemonelix +daemones +daemony +daemonian +daemonic +daemonies +daemonistic +daemonology +daemons +daemonurgy +daemonurgist +daer +daeva +daff +daffadilly +daffadillies +daffadowndilly +daffadowndillies +daffed +daffery +daffy +daffydowndilly +daffier +daffiest +daffiness +daffing +daffish +daffle +daffled +daffling +daffodil +daffodilly +daffodillies +daffodils +daffodowndilly +daffodowndillies +daffs +dafla +daft +daftar +daftardar +daftberry +dafter +daftest +daftly +daftlike +daftness +daftnesses +dag +dagaba +dagame +dagassa +dagbamba +dagbane +dagesh +dagestan +dagga +daggar +dagged +dagger +daggerboard +daggerbush +daggered +daggering +daggerlike +daggerproof +daggers +daggy +dagging +daggle +daggled +daggles +daggletail +daggletailed +daggly +daggling +daghesh +daglock +daglocks +dagmar +dago +dagoba +dagobas +dagoes +dagomba +dagon +dagos +dags +dagswain +daguerrean +daguerreotype +daguerreotyped +daguerreotyper +daguerreotypes +daguerreotypy +daguerreotypic +daguerreotyping +daguerreotypist +daguilla +dah +dahabeah +dahabeahs +dahabeeyah +dahabiah +dahabiahs +dahabieh +dahabiehs +dahabiya +dahabiyas +dahabiyeh +dahlia +dahlias +dahlin +dahlsten +dahms +dahoman +dahomey +dahomeyan +dahoon +dahoons +dahs +day +dayabhaga +dayak +dayakker +dayal +dayan +dayanim +daybeacon +daybeam +daybed +daybeds +dayberry +daybill +dayblush +dayboy +daybook +daybooks +daybreak +daybreaks +daibutsu +daydawn +daidle +daidled +daidly +daidlie +daidling +daydream +daydreamed +daydreamer +daydreamers +daydreamy +daydreaming +daydreamlike +daydreams +daydreamt +daydrudge +dayfly +dayflies +dayflower +dayflowers +dayglow +dayglows +daygoing +daying +daijo +daiker +daikered +daikering +daikers +daikon +dail +dailamite +dayless +daily +dailies +daylight +daylighted +daylighting +daylights +daylily +daylilies +dailiness +daylit +daylong +dayman +daymare +daymares +daymark +daimen +daymen +dayment +daimiate +daimiel +daimio +daimyo +daimioate +daimios +daimyos +daimiote +daimon +daimones +daimonic +daimonion +daimonistic +daimonology +daimons +dain +daincha +dainchas +daynet +dainful +daint +dainteous +dainteth +dainty +daintier +dainties +daintiest +daintify +daintified +daintifying +daintihood +daintily +daintiness +daintith +daintrel +daypeep +daiquiri +daiquiris +daira +dairi +dairy +dairies +dairying +dairyings +dairymaid +dairymaids +dairyman +dairymen +dairywoman +dairywomen +dayroom +dayrooms +dairous +dairt +dais +days +daised +daisee +daises +daishiki +daishikis +dayshine +daisy +daisybush +daisycutter +dayside +daysides +daisied +daisies +daising +daysman +daysmen +dayspring +daystar +daystars +daystreak +daytale +daitya +daytide +daytime +daytimes +dayton +daiva +dayward +daywork +dayworker +daywrit +dak +daker +dakerhen +dakerhens +dakhini +dakhma +dakir +dakoit +dakoity +dakoities +dakoits +dakota +dakotan +dakotans +dakotas +daks +daktylon +daktylos +dal +dalaga +dalai +dalan +dalapon +dalapons +dalar +dalarnian +dalasi +dalasis +dalbergia +dalcassian +dale +dalea +dalecarlian +daledh +daleman +daler +dales +dalesfolk +dalesman +dalesmen +dalespeople +daleswoman +daleth +daleths +dalf +dali +daliance +dalibarda +dalis +dalk +dallack +dallan +dallas +dalle +dalles +dally +dalliance +dalliances +dallied +dallier +dalliers +dallies +dallying +dallyingly +dallyman +dallis +dallop +dalmania +dalmanites +dalmatian +dalmatians +dalmatic +dalmatics +dalradian +dalt +dalteen +dalton +daltonian +daltonic +daltonism +daltonist +dam +dama +damage +damageability +damageable +damageableness +damageably +damaged +damagement +damageous +damager +damagers +damages +damaging +damagingly +damayanti +damalic +daman +damans +damar +damara +damars +damas +damascene +damascened +damascener +damascenes +damascenine +damascening +damascus +damask +damasked +damaskeen +damaskeening +damaskin +damaskine +damasking +damasks +damasse +damassin +damboard +dambonite +dambonitol +dambose +dambrod +dame +damenization +dames +damewort +dameworts +damfool +damfoolish +damgalnunna +damia +damiana +damianist +damyankee +damie +damier +damine +damkjernite +damlike +dammar +dammara +dammaret +dammars +damme +dammed +dammer +dammers +damming +dammish +dammit +damn +damnability +damnabilities +damnable +damnableness +damnably +damnation +damnatory +damndest +damndests +damned +damneder +damnedest +damner +damners +damnyankee +damnify +damnification +damnificatus +damnified +damnifies +damnifying +damnii +damning +damningly +damningness +damnit +damnonians +damnonii +damnosa +damnous +damnously +damns +damnum +damoclean +damocles +damoetas +damoiseau +damoisel +damoiselle +damolic +damon +damone +damonico +damosel +damosels +damourite +damozel +damozels +damp +dampang +dampcourse +damped +dampen +dampened +dampener +dampeners +dampening +dampens +damper +dampers +dampest +dampy +damping +dampish +dampishly +dampishness +damply +dampne +dampness +dampnesses +dampproof +dampproofer +dampproofing +damps +dams +damsel +damselfish +damselfishes +damselfly +damselflies +damselhood +damsels +damsite +damson +damsons +dan +dana +danaan +danae +danagla +danai +danaid +danaidae +danaide +danaidean +danainae +danaine +danais +danaite +danakil +danalite +danaro +danburite +dancalite +dance +danceability +danceable +danced +dancer +danceress +dancery +dancers +dances +dancette +dancettee +dancetty +dancy +dancing +dancingly +dand +danda +dandelion +dandelions +dander +dandered +dandering +danders +dandy +dandiacal +dandiacally +dandically +dandydom +dandie +dandier +dandies +dandiest +dandify +dandification +dandified +dandifies +dandifying +dandyish +dandyishy +dandyishly +dandyism +dandyisms +dandyize +dandily +dandyling +dandilly +dandiprat +dandyprat +dandis +dandisette +dandizette +dandle +dandled +dandler +dandlers +dandles +dandling +dandlingly +dandriff +dandriffy +dandriffs +dandruff +dandruffy +dandruffs +dane +daneball +danebrog +daneflower +danegeld +danegelds +danegelt +danelaw +danes +daneweed +daneweeds +danewort +daneworts +dang +danged +danger +dangered +dangerful +dangerfully +dangering +dangerless +dangerous +dangerously +dangerousness +dangers +dangersome +danging +dangle +dangleberry +dangleberries +dangled +danglement +dangler +danglers +dangles +danglin +dangling +danglingly +dangs +dani +danian +danic +danicism +daniel +daniele +danielic +danielle +daniglacial +danio +danios +danish +danism +danite +danization +danize +dank +dankali +danke +danker +dankest +dankish +dankishness +dankly +dankness +danknesses +danli +dannebrog +dannemorite +danner +danny +dannie +dannock +danoranja +dansant +dansants +danseur +danseurs +danseuse +danseuses +danseusse +dansy +dansk +dansker +danta +dante +dantean +dantesque +danthonia +dantist +dantology +dantomania +danton +dantonesque +dantonist +dantophily +dantophilist +danube +danubian +danuri +danzig +danziger +danzon +dao +daoine +dap +dapedium +dapedius +daphnaceae +daphnad +daphne +daphnean +daphnephoria +daphnes +daphnetin +daphni +daphnia +daphnias +daphnid +daphnin +daphnioid +daphnis +daphnite +daphnoid +dapicho +dapico +dapifer +dapped +dapper +dapperer +dapperest +dapperly +dapperling +dapperness +dapping +dapple +dappled +dappledness +dappleness +dapples +dappling +daps +dapson +dar +darabukka +darac +daraf +darapti +darat +darb +darbha +darby +darbies +darbyism +darbyite +darbs +darbukka +darci +darcy +dard +dardan +dardanarius +dardani +dardanium +dardaol +dardic +dardistan +dare +dareall +dared +daredevil +daredevilism +daredevilry +daredevils +daredeviltry +dareful +daren +darer +darers +dares +daresay +darg +dargah +darger +darghin +dargo +dargsman +dargue +dari +darya +daribah +daric +darics +darien +darii +daryl +darin +daring +daringly +daringness +darings +dariole +darioles +darius +darjeeling +dark +darked +darkey +darkeys +darken +darkened +darkener +darkeners +darkening +darkens +darker +darkest +darkful +darkhaired +darkhearted +darkheartedness +darky +darkie +darkies +darking +darkish +darkishness +darkle +darkled +darkles +darkly +darklier +darkliest +darkling +darklings +darkmans +darkness +darknesses +darkroom +darkrooms +darks +darkskin +darksome +darksomeness +darksum +darktown +darling +darlingly +darlingness +darlings +darlingtonia +darn +darnation +darndest +darndests +darned +darneder +darnedest +darnel +darnels +darner +darners +darnex +darning +darnings +darnix +darns +daroga +darogah +darogha +daroo +darr +darraign +darrein +darrell +darren +darryl +darshan +darshana +darsonval +darsonvalism +darst +dart +dartagnan +dartars +dartboard +darted +darter +darters +darting +dartingly +dartingness +dartle +dartled +dartles +dartlike +dartling +dartman +dartmoor +dartoic +dartoid +dartos +dartre +dartrose +dartrous +darts +dartsman +darvon +darwan +darwesh +darwin +darwinian +darwinians +darwinical +darwinically +darwinism +darwinist +darwinistic +darwinists +darwinite +darwinize +darzee +das +daschagga +dase +dasein +dasewe +dash +dashboard +dashboards +dashed +dashedly +dashee +dasheen +dasheens +dashel +dasher +dashers +dashes +dashy +dashier +dashiest +dashiki +dashikis +dashing +dashingly +dashmaker +dashnak +dashnakist +dashnaktzutiun +dashplate +dashpot +dashpots +dasht +dashwheel +dasi +dasya +dasyatidae +dasyatis +dasycladaceae +dasycladaceous +dasylirion +dasymeter +dasypaedal +dasypaedes +dasypaedic +dasypeltis +dasyphyllous +dasiphora +dasypygal +dasypod +dasypodidae +dasypodoid +dasyprocta +dasyproctidae +dasyproctine +dasypus +dasystephana +dasyure +dasyures +dasyurid +dasyuridae +dasyurine +dasyuroid +dasyurus +dasyus +dasnt +dassent +dassy +dassie +dassies +dastard +dastardy +dastardize +dastardly +dastardliness +dastards +dastur +dasturi +daswen +dat +data +database +databases +datable +datableness +datably +datacell +datafile +dataflow +datagram +datagrams +datakit +datamation +datana +datapac +datapunch +datary +dataria +dataries +dataset +datasetname +datasets +datatype +datatypes +datch +datcha +datchas +date +dateable +dateableness +datebook +dated +datedly +datedness +dateless +datelessness +dateline +datelined +datelines +datelining +datemark +dater +daterman +daters +dates +datil +dating +dation +datisca +datiscaceae +datiscaceous +datiscetin +datiscin +datiscosid +datiscoside +datisi +datism +datival +dative +datively +datives +dativogerundial +dato +datolite +datolitic +datos +datsun +datsuns +datsw +datto +dattock +dattos +datum +datums +datura +daturas +daturic +daturism +dau +daub +daube +daubed +daubentonia +daubentoniidae +dauber +daubery +dauberies +daubers +daubes +dauby +daubier +daubiest +daubing +daubingly +daubreeite +daubreelite +daubreite +daubry +daubries +daubs +daubster +daucus +daud +dauded +dauding +daudit +dauerlauf +dauerschlaf +daughter +daughterhood +daughterkin +daughterless +daughterly +daughterlike +daughterliness +daughterling +daughters +daughtership +dauk +dauke +daukin +daulias +dault +daun +daunch +dauncy +daunder +daundered +daundering +daunders +dauner +daunii +daunomycin +daunt +daunted +daunter +daunters +daunting +dauntingly +dauntingness +dauntless +dauntlessly +dauntlessness +daunton +daunts +dauphin +dauphine +dauphines +dauphiness +dauphins +daur +dauri +daurna +daut +dauted +dautie +dauties +dauting +dauts +dauw +davach +davainea +davallia +dave +daven +davened +davening +davenport +davenports +davens +daver +daverdy +davy +david +davidian +davidic +davidical +davidist +davidsonite +daviely +davies +daviesia +daviesite +davyne +davis +davit +davits +davyum +davoch +daw +dawcock +dawdy +dawdle +dawdled +dawdler +dawdlers +dawdles +dawdling +dawdlingly +dawe +dawed +dawen +dawing +dawish +dawk +dawkin +dawks +dawn +dawned +dawny +dawning +dawnlight +dawnlike +dawns +dawnstreak +dawnward +dawpate +daws +dawson +dawsonia +dawsoniaceae +dawsoniaceous +dawsonite +dawt +dawted +dawtet +dawtie +dawties +dawting +dawtit +dawts +dawut +daza +daze +dazed +dazedly +dazedness +dazement +dazes +dazy +dazing +dazingly +dazzle +dazzled +dazzlement +dazzler +dazzlers +dazzles +dazzling +dazzlingly +dazzlingness +db +dbl +dbms +dbridement +dbrn +dc +dca +dcb +dcbname +dclass +dcollet +dcolletage +dcor +dd +ddname +ddt +de +dea +deaccession +deaccessioned +deaccessioning +deaccessions +deacetylate +deacetylated +deacetylating +deacetylation +deacidify +deacidification +deacidified +deacidifying +deacon +deaconal +deaconate +deaconed +deaconess +deaconesses +deaconhood +deaconing +deaconize +deaconry +deaconries +deacons +deaconship +deactivate +deactivated +deactivates +deactivating +deactivation +deactivations +deactivator +deactivators +dead +deadbeat +deadbeats +deadborn +deadcenter +deadeye +deadeyes +deaden +deadened +deadener +deadeners +deadening +deadeningly +deadens +deader +deadest +deadfall +deadfalls +deadflat +deadhand +deadhead +deadheaded +deadheading +deadheadism +deadheads +deadhearted +deadheartedly +deadheartedness +deadhouse +deady +deading +deadish +deadishly +deadishness +deadlatch +deadly +deadlier +deadliest +deadlight +deadlihead +deadlily +deadline +deadlines +deadliness +deadlock +deadlocked +deadlocking +deadlocks +deadman +deadmelt +deadmen +deadness +deadnesses +deadpay +deadpan +deadpanned +deadpanner +deadpanning +deadpans +deadrise +deadrize +deads +deadtongue +deadweight +deadwood +deadwoods +deadwork +deadworks +deadwort +deaerate +deaerated +deaerates +deaerating +deaeration +deaerator +deaf +deafen +deafened +deafening +deafeningly +deafens +deafer +deafest +deafforest +deafforestation +deafish +deafly +deafmuteness +deafness +deafnesses +deair +deaired +deairing +deairs +deal +dealable +dealate +dealated +dealates +dealation +dealbate +dealbation +dealbuminize +dealcoholist +dealcoholization +dealcoholize +dealer +dealerdom +dealers +dealership +dealerships +dealfish +dealfishes +dealing +dealings +dealkalize +dealkylate +dealkylation +deallocate +deallocated +deallocates +deallocating +deallocation +deallocations +deals +dealt +deambulate +deambulation +deambulatory +deambulatories +deamidase +deamidate +deamidation +deamidization +deamidize +deaminase +deaminate +deaminated +deaminating +deamination +deaminization +deaminize +deaminized +deaminizing +deammonation +dean +deanathematize +deaned +deaner +deanery +deaneries +deaness +deanimalize +deaning +deans +deanship +deanships +deanthropomorphic +deanthropomorphism +deanthropomorphization +deanthropomorphize +deappetizing +deaquation +dear +dearborn +deare +dearer +dearest +deary +dearie +dearies +dearly +dearling +dearn +dearness +dearnesses +dearomatize +dears +dearsenicate +dearsenicator +dearsenicize +dearth +dearthfu +dearths +dearticulation +dearworth +dearworthily +dearworthiness +deas +deash +deashed +deashes +deashing +deasil +deaspirate +deaspiration +deassimilation +death +deathbed +deathbeds +deathblow +deathblows +deathcup +deathcups +deathday +deathful +deathfully +deathfulness +deathy +deathify +deathin +deathiness +deathless +deathlessly +deathlessness +deathly +deathlike +deathlikeness +deathliness +deathling +deathrate +deathrates +deathroot +deaths +deathshot +deathsman +deathsmen +deathtime +deathtrap +deathtraps +deathward +deathwards +deathwatch +deathwatches +deathweed +deathworm +deaurate +deave +deaved +deavely +deaves +deaving +deb +debacchate +debacle +debacles +debadge +debag +debagged +debagging +debamboozle +debar +debarbarization +debarbarize +debark +debarkation +debarkations +debarked +debarking +debarkment +debarks +debarment +debarrance +debarrass +debarration +debarred +debarring +debars +debase +debased +debasedness +debasement +debaser +debasers +debases +debasing +debasingly +debat +debatable +debatably +debate +debateable +debated +debateful +debatefully +debatement +debater +debaters +debates +debating +debatingly +debatter +debauch +debauched +debauchedly +debauchedness +debauchee +debauchees +debaucher +debauchery +debaucheries +debauches +debauching +debauchment +debby +debbie +debbies +debcle +debe +debeak +debeaker +debeige +debel +debell +debellate +debellation +debellator +deben +debenture +debentured +debentureholder +debentures +debenzolize +debi +debye +debyes +debile +debilissima +debilitant +debilitate +debilitated +debilitates +debilitating +debilitation +debilitations +debilitative +debility +debilities +debind +debit +debitable +debite +debited +debiteuse +debiting +debitor +debitrix +debits +debitum +debitumenize +debituminization +debituminize +deblai +deblaterate +deblateration +deblock +deblocked +deblocking +deboise +deboist +deboistly +deboistness +deboite +deboites +debonair +debonaire +debonairity +debonairly +debonairness +debonairty +debone +deboned +deboner +deboners +debones +deboning +debonnaire +deborah +debord +debordment +debosh +deboshed +deboshment +deboss +debouch +debouche +debouched +debouches +debouching +debouchment +debouchure +debout +debowel +debride +debrided +debridement +debriding +debrief +debriefed +debriefing +debriefings +debriefs +debris +debrominate +debromination +debruise +debruised +debruises +debruising +debs +debt +debted +debtee +debtful +debtless +debtor +debtors +debtorship +debts +debug +debugged +debugger +debuggers +debugging +debugs +debullition +debunk +debunked +debunker +debunkers +debunking +debunkment +debunks +deburr +deburse +debus +debused +debusing +debussed +debussy +debussyan +debussyanize +debussing +debut +debutant +debutante +debutantes +debutants +debuted +debuting +debuts +dec +decachord +decad +decadactylous +decadal +decadally +decadarch +decadarchy +decadary +decadation +decade +decadence +decadency +decadent +decadentism +decadently +decadents +decadenza +decades +decadescent +decadi +decadianome +decadic +decadist +decadrachm +decadrachma +decadrachmae +decaedron +decaesarize +decaffeinate +decaffeinated +decaffeinates +decaffeinating +decaffeinize +decafid +decagynous +decagon +decagonal +decagonally +decagons +decagram +decagramme +decagrams +decahedra +decahedral +decahedrodra +decahedron +decahedrons +decahydrate +decahydrated +decahydronaphthalene +decay +decayable +decayed +decayedness +decayer +decayers +decaying +decayless +decays +decaisnea +decal +decalage +decalcify +decalcification +decalcified +decalcifier +decalcifies +decalcifying +decalcomania +decalcomaniac +decalcomanias +decalescence +decalescent +decalin +decaliter +decaliters +decalitre +decalobate +decalog +decalogist +decalogue +decalomania +decals +decalvant +decalvation +decameral +decameron +decameronic +decamerous +decameter +decameters +decamethonium +decametre +decametric +decamp +decamped +decamping +decampment +decamps +decan +decanal +decanally +decanate +decancellate +decancellated +decancellating +decancellation +decandently +decandria +decandrous +decane +decanery +decanes +decangular +decani +decanically +decannulation +decanoyl +decanol +decanonization +decanonize +decanormal +decant +decantate +decantation +decanted +decanter +decanters +decantherous +decanting +decantist +decants +decap +decapetalous +decaphyllous +decapitable +decapitalization +decapitalize +decapitate +decapitated +decapitates +decapitating +decapitation +decapitations +decapitator +decapod +decapoda +decapodal +decapodan +decapodiform +decapodous +decapods +decapper +decapsulate +decapsulation +decarbonate +decarbonated +decarbonating +decarbonation +decarbonator +decarbonylate +decarbonylated +decarbonylating +decarbonylation +decarbonisation +decarbonise +decarbonised +decarboniser +decarbonising +decarbonization +decarbonize +decarbonized +decarbonizer +decarbonizing +decarboxylase +decarboxylate +decarboxylated +decarboxylating +decarboxylation +decarboxylization +decarboxylize +decarburation +decarburisation +decarburise +decarburised +decarburising +decarburization +decarburize +decarburized +decarburizing +decarch +decarchy +decarchies +decard +decardinalize +decare +decares +decarhinus +decarnate +decarnated +decart +decartelization +decartelize +decartelized +decartelizing +decasemic +decasepalous +decasyllabic +decasyllable +decasyllables +decasyllabon +decaspermal +decaspermous +decast +decastellate +decastere +decastich +decastylar +decastyle +decastylos +decasualisation +decasualise +decasualised +decasualising +decasualization +decasualize +decasualized +decasualizing +decate +decathlon +decathlons +decatholicize +decatyl +decating +decatize +decatizer +decatizing +decatoic +decator +decaudate +decaudation +deccennia +decciare +decciares +decd +decease +deceased +deceases +deceasing +decede +decedent +decedents +deceit +deceitful +deceitfully +deceitfulness +deceits +deceivability +deceivable +deceivableness +deceivably +deceivance +deceive +deceived +deceiver +deceivers +deceives +deceiving +deceivingly +decelerate +decelerated +decelerates +decelerating +deceleration +decelerations +decelerator +decelerators +decelerometer +deceleron +decem +december +decemberish +decemberly +decembrist +decemcostate +decemdentate +decemfid +decemflorous +decemfoliate +decemfoliolate +decemjugate +decemlocular +decempartite +decempeda +decempedal +decempedate +decempennate +decemplex +decemplicate +decempunctate +decemstriate +decemuiri +decemvii +decemvir +decemviral +decemvirate +decemviri +decemvirs +decemvirship +decenary +decenaries +decence +decency +decencies +decene +decener +decenyl +decennal +decennary +decennaries +decennia +decenniad +decennial +decennially +decennials +decennium +decenniums +decennoval +decent +decenter +decentered +decentering +decenters +decentest +decently +decentness +decentralisation +decentralise +decentralised +decentralising +decentralism +decentralist +decentralization +decentralizationist +decentralizations +decentralize +decentralized +decentralizes +decentralizing +decentration +decentre +decentred +decentres +decentring +decephalization +decephalize +deceptibility +deceptible +deception +deceptional +deceptions +deceptious +deceptiously +deceptitious +deceptive +deceptively +deceptiveness +deceptivity +deceptory +decerebrate +decerebrated +decerebrating +decerebration +decerebrize +decern +decerned +decerning +decerniture +decernment +decerns +decerp +decertation +decertify +decertification +decertificaton +decertified +decertifying +decess +decession +decessit +decessor +decharm +dechemicalization +dechemicalize +dechenite +dechlog +dechlore +dechloridation +dechloridize +dechloridized +dechloridizing +dechlorinate +dechlorinated +dechlorinating +dechlorination +dechoralize +dechristianization +dechristianize +decian +deciare +deciares +deciatine +decibar +decibel +decibels +deciceronize +decidability +decidable +decide +decided +decidedly +decidedness +decidement +decidence +decidendi +decident +decider +deciders +decides +deciding +decidingly +decidua +deciduae +decidual +deciduary +deciduas +deciduata +deciduate +deciduity +deciduitis +deciduoma +deciduous +deciduously +deciduousness +decigram +decigramme +decigrams +decil +decyl +decile +decylene +decylenic +deciles +decylic +deciliter +deciliters +decilitre +decillion +decillionth +decima +decimal +decimalisation +decimalise +decimalised +decimalising +decimalism +decimalist +decimalization +decimalize +decimalized +decimalizes +decimalizing +decimally +decimals +decimate +decimated +decimates +decimating +decimation +decimator +decime +decimestrial +decimeter +decimeters +decimetre +decimetres +decimolar +decimole +decimosexto +decimus +decine +decyne +decinormal +decipher +decipherability +decipherable +decipherably +deciphered +decipherer +deciphering +decipherment +deciphers +decipium +decipolar +decise +decision +decisional +decisionmake +decisions +decisis +decisive +decisively +decisiveness +decistere +decisteres +decitizenize +decius +decivilization +decivilize +deck +decke +decked +deckedout +deckel +deckels +decken +decker +deckers +deckhand +deckhands +deckhead +deckhouse +deckhouses +deckie +decking +deckings +deckle +deckles +deckload +deckman +deckpipe +decks +deckswabber +decl +declaim +declaimant +declaimed +declaimer +declaimers +declaiming +declaims +declamando +declamation +declamations +declamator +declamatory +declamatoriness +declarable +declarant +declaration +declarations +declarative +declaratively +declaratives +declarator +declaratory +declaratorily +declarators +declare +declared +declaredly +declaredness +declarer +declarers +declares +declaring +declass +declasse +declassed +declassee +declasses +declassicize +declassify +declassification +declassifications +declassified +declassifies +declassifying +declassing +declension +declensional +declensionally +declensions +declericalize +declimatize +declinable +declinal +declinate +declination +declinational +declinations +declinator +declinatory +declinature +decline +declined +declinedness +decliner +decliners +declines +declining +declinograph +declinometer +declivate +declive +declivent +declivity +declivities +declivitous +declivitously +declivous +declutch +decnet +deco +decoagulate +decoagulated +decoagulation +decoat +decocainize +decoct +decocted +decoctible +decocting +decoction +decoctive +decocts +decoctum +decodable +decode +decoded +decoder +decoders +decodes +decoding +decodings +decodon +decohere +decoherence +decoherer +decohesion +decoy +decoic +decoyed +decoyer +decoyers +decoying +decoyman +decoymen +decoys +decoke +decoll +decollate +decollated +decollating +decollation +decollator +decolletage +decollete +decollimate +decolonisation +decolonise +decolonised +decolonising +decolonization +decolonize +decolonized +decolonizes +decolonizing +decolor +decolorant +decolorate +decoloration +decolored +decolorimeter +decoloring +decolorisation +decolorise +decolorised +decoloriser +decolorising +decolorization +decolorize +decolorized +decolorizer +decolorizing +decolors +decolour +decolouration +decoloured +decolouring +decolourisation +decolourise +decolourised +decolouriser +decolourising +decolourization +decolourize +decolourized +decolourizer +decolourizing +decolours +decommission +decommissioned +decommissioning +decommissions +decompensate +decompensated +decompensates +decompensating +decompensation +decompensations +decompensatory +decompile +decompiler +decomplex +decomponent +decomponible +decomposability +decomposable +decompose +decomposed +decomposer +decomposers +decomposes +decomposing +decomposite +decomposition +decompositional +decompositions +decomposure +decompound +decompoundable +decompoundly +decompress +decompressed +decompresses +decompressing +decompression +decompressions +decompressive +deconcatenate +deconcentrate +deconcentrated +deconcentrating +deconcentration +deconcentrator +decondition +decongest +decongestant +decongestants +decongested +decongesting +decongestion +decongestive +decongests +deconsecrate +deconsecrated +deconsecrating +deconsecration +deconsider +deconsideration +decontaminate +decontaminated +decontaminates +decontaminating +decontamination +decontaminations +decontaminative +decontaminator +decontaminators +decontrol +decontrolled +decontrolling +decontrols +deconventionalize +deconvolution +deconvolve +decopperization +decopperize +decor +decorability +decorable +decorably +decorament +decorate +decorated +decorates +decorating +decoration +decorationist +decorations +decorative +decoratively +decorativeness +decorator +decoratory +decorators +decore +decorement +decorist +decorous +decorously +decorousness +decorrugative +decors +decorticate +decorticated +decorticating +decortication +decorticator +decorticosis +decortization +decorum +decorums +decostate +decoupage +decouple +decoupled +decouples +decoupling +decourse +decourt +decousu +decrassify +decrassified +decream +decrease +decreased +decreaseless +decreases +decreasing +decreasingly +decreation +decreative +decree +decreeable +decreed +decreeing +decreement +decreer +decreers +decrees +decreet +decreing +decrement +decremental +decremented +decrementing +decrementless +decrements +decremeter +decrepid +decrepit +decrepitate +decrepitated +decrepitating +decrepitation +decrepity +decrepitly +decrepitness +decrepitude +decreptitude +decresc +decrescence +decrescendo +decrescendos +decrescent +decretal +decretalist +decretals +decrete +decretion +decretist +decretive +decretively +decretory +decretorial +decretorian +decretorily +decretum +decrew +decry +decrial +decrials +decried +decrier +decriers +decries +decrying +decriminalization +decriminalize +decriminalized +decriminalizes +decriminalizing +decrypt +decrypted +decrypting +decryption +decryptions +decryptograph +decrypts +decrystallization +decrown +decrowned +decrowning +decrowns +decrudescence +decrustation +decubation +decubital +decubiti +decubitus +decultivate +deculturate +decuman +decumana +decumani +decumanus +decumary +decumaria +decumbence +decumbency +decumbent +decumbently +decumbiture +decuple +decupled +decuples +decuplet +decupling +decury +decuria +decuries +decurion +decurionate +decurions +decurrence +decurrences +decurrency +decurrencies +decurrent +decurrently +decurring +decursion +decursive +decursively +decurt +decurtate +decurvation +decurvature +decurve +decurved +decurves +decurving +decus +decuss +decussate +decussated +decussately +decussating +decussation +decussatively +decussion +decussis +decussoria +decussorium +decwriter +deda +dedal +dedan +dedanim +dedanite +dedans +dedd +deddy +dedecorate +dedecoration +dedecorous +dedenda +dedendum +dedentition +dedicant +dedicate +dedicated +dedicatedly +dedicatee +dedicates +dedicating +dedication +dedicational +dedications +dedicative +dedicator +dedicatory +dedicatorial +dedicatorily +dedicators +dedicature +dedifferentiate +dedifferentiated +dedifferentiating +dedifferentiation +dedignation +dedimus +dedit +deditician +dediticiancy +dedition +dedo +dedoggerelize +dedogmatize +dedolation +dedolence +dedolency +dedolent +dedolomitization +dedolomitize +dedolomitized +dedolomitizing +deduce +deduced +deducement +deducer +deduces +deducibility +deducible +deducibleness +deducibly +deducing +deducive +deduct +deducted +deductibility +deductible +deductibles +deductile +deducting +deductio +deduction +deductions +deductive +deductively +deductory +deducts +deduit +deduplication +dee +deecodder +deed +deedbote +deedbox +deeded +deedeed +deedful +deedfully +deedholder +deedy +deedier +deediest +deedily +deediness +deeding +deedless +deeds +deejay +deejays +deek +deem +deemed +deemer +deemie +deeming +deemphasis +deemphasize +deemphasized +deemphasizes +deemphasizing +deems +deemster +deemsters +deemstership +deener +deeny +deep +deepen +deepened +deepener +deepeners +deepening +deepeningly +deepens +deeper +deepest +deepfreeze +deepfreezed +deepfreezing +deepfroze +deepfrozen +deepgoing +deeping +deepish +deeply +deeplier +deepmost +deepmouthed +deepness +deepnesses +deeps +deepsome +deepwater +deepwaterman +deepwatermen +deer +deerberry +deerdog +deerdrive +deerfly +deerflies +deerflys +deerfood +deergrass +deerhair +deerherd +deerhorn +deerhound +deeryard +deeryards +deerkill +deerlet +deerlike +deermeat +deers +deerskin +deerskins +deerstalker +deerstalkers +deerstalking +deerstand +deerstealer +deertongue +deervetch +deerweed +deerweeds +deerwood +dees +deescalate +deescalated +deescalates +deescalating +deescalation +deescalations +deeses +deesis +deess +deevey +deevilick +deewan +deewans +def +deface +defaceable +defaced +defacement +defacements +defacer +defacers +defaces +defacing +defacingly +defacto +defade +defaecate +defail +defailance +defaillance +defailment +defaisance +defaitisme +defaitiste +defalcate +defalcated +defalcates +defalcating +defalcation +defalcations +defalcator +defalk +defamation +defamations +defamatory +defame +defamed +defamer +defamers +defames +defamy +defaming +defamingly +defamous +defang +defassa +defat +defatigable +defatigate +defatigated +defatigation +defats +defatted +defatting +default +defaultant +defaulted +defaulter +defaulters +defaulting +defaultless +defaults +defaulture +defeasance +defeasanced +defease +defeasibility +defeasible +defeasibleness +defeasive +defeat +defeated +defeatee +defeater +defeaters +defeating +defeatism +defeatist +defeatists +defeatment +defeats +defeature +defecant +defecate +defecated +defecates +defecating +defecation +defecator +defect +defected +defecter +defecters +defectibility +defectible +defecting +defection +defectionist +defections +defectious +defective +defectively +defectiveness +defectless +defectlessness +defectology +defector +defectors +defectoscope +defects +defectum +defectuous +defedation +defeise +defeit +defeminisation +defeminise +defeminised +defeminising +defeminization +defeminize +defeminized +defeminizing +defence +defenceable +defenceless +defencelessly +defencelessness +defences +defencive +defend +defendable +defendant +defendants +defended +defender +defenders +defending +defendress +defends +defenestrate +defenestrated +defenestrates +defenestrating +defenestration +defensative +defense +defensed +defenseless +defenselessly +defenselessness +defenseman +defensemen +defenser +defenses +defensibility +defensible +defensibleness +defensibly +defensing +defension +defensive +defensively +defensiveness +defensor +defensory +defensorship +defer +deferable +deference +deferens +deferent +deferentectomy +deferential +deferentiality +deferentially +deferentitis +deferents +deferment +deferments +deferrable +deferral +deferrals +deferred +deferrer +deferrers +deferring +deferrization +deferrize +deferrized +deferrizing +defers +defervesce +defervesced +defervescence +defervescent +defervescing +defet +defeudalize +defi +defy +defiable +defial +defiance +defiances +defiant +defiantly +defiantness +defiatory +defiber +defibrillate +defibrillated +defibrillating +defibrillation +defibrillative +defibrillator +defibrillatory +defibrinate +defibrination +defibrinize +deficience +deficiency +deficiencies +deficient +deficiently +deficit +deficits +defied +defier +defiers +defies +defiguration +defigure +defying +defyingly +defilable +defilade +defiladed +defilades +defilading +defile +defiled +defiledness +defilement +defilements +defiler +defilers +defiles +defiliation +defiling +defilingly +definability +definable +definably +define +defined +definedly +definement +definer +definers +defines +definienda +definiendum +definiens +definientia +defining +definish +definite +definitely +definiteness +definition +definitional +definitiones +definitions +definitise +definitised +definitising +definitive +definitively +definitiveness +definitization +definitize +definitized +definitizing +definitor +definitude +defis +defix +deflagrability +deflagrable +deflagrate +deflagrated +deflagrates +deflagrating +deflagration +deflagrations +deflagrator +deflate +deflated +deflater +deflates +deflating +deflation +deflationary +deflationist +deflations +deflator +deflators +deflea +defleaed +defleaing +defleas +deflect +deflectable +deflected +deflecting +deflection +deflectional +deflectionization +deflectionize +deflections +deflective +deflectometer +deflector +deflectors +deflects +deflesh +deflex +deflexed +deflexibility +deflexible +deflexing +deflexion +deflexionize +deflexure +deflocculant +deflocculate +deflocculated +deflocculating +deflocculation +deflocculator +deflocculent +deflorate +defloration +deflorations +deflore +deflorescence +deflourish +deflow +deflower +deflowered +deflowerer +deflowering +deflowerment +deflowers +defluent +defluous +defluvium +deflux +defluxion +defoam +defoamed +defoamer +defoamers +defoaming +defoams +defocus +defocusses +defoedation +defog +defogged +defogger +defoggers +defogging +defogs +defoil +defoliage +defoliant +defoliants +defoliate +defoliated +defoliates +defoliating +defoliation +defoliations +defoliator +defoliators +deforce +deforced +deforcement +deforceor +deforcer +deforces +deforciant +deforcing +deforest +deforestation +deforested +deforester +deforesting +deforests +deform +deformability +deformable +deformalize +deformation +deformational +deformations +deformative +deformed +deformedly +deformedness +deformer +deformers +deformeter +deforming +deformism +deformity +deformities +deforms +deforse +defortify +defossion +defoul +defray +defrayable +defrayal +defrayals +defrayed +defrayer +defrayers +defraying +defrayment +defrays +defraud +defraudation +defrauded +defrauder +defrauders +defrauding +defraudment +defrauds +defreeze +defrication +defrock +defrocked +defrocking +defrocks +defrost +defrosted +defroster +defrosters +defrosting +defrosts +defs +deft +defter +defterdar +deftest +deftly +deftness +deftnesses +defunct +defunction +defunctionalization +defunctionalize +defunctive +defunctness +defuse +defused +defuses +defusing +defusion +defuze +defuzed +defuzes +defuzing +deg +degage +degame +degames +degami +degamis +deganglionate +degarnish +degas +degases +degasify +degasification +degasifier +degass +degassed +degasser +degassers +degasses +degassing +degauss +degaussed +degausser +degausses +degaussing +degelatinize +degelation +degender +degener +degeneracy +degeneracies +degeneralize +degenerate +degenerated +degenerately +degenerateness +degenerates +degenerating +degeneration +degenerationist +degenerations +degenerative +degeneratively +degenerescence +degenerescent +degeneroos +degentilize +degerm +degermed +degerminate +degerminator +degerming +degerms +degged +degger +degging +deglaciation +deglamorization +deglamorize +deglamorized +deglamorizing +deglaze +deglazed +deglazes +deglazing +deglycerin +deglycerine +deglory +deglut +deglute +deglutinate +deglutinated +deglutinating +deglutination +deglutition +deglutitious +deglutitive +deglutitory +degold +degomme +degorder +degorge +degradability +degradable +degradand +degradation +degradational +degradations +degradative +degrade +degraded +degradedly +degradedness +degradement +degrader +degraders +degrades +degrading +degradingly +degradingness +degraduate +degraduation +degrain +degranulation +degras +degratia +degravate +degrease +degreased +degreaser +degreases +degreasing +degree +degreed +degreeing +degreeless +degrees +degreewise +degression +degressive +degressively +degringolade +degu +deguelia +deguelin +degum +degummed +degummer +degumming +degums +degust +degustate +degustation +degusted +degusting +degusts +dehache +dehair +dehairer +dehaites +deheathenize +dehematize +dehepatize +dehgan +dehydrant +dehydrase +dehydratase +dehydrate +dehydrated +dehydrates +dehydrating +dehydration +dehydrator +dehydrators +dehydroascorbic +dehydrochlorinase +dehydrochlorinate +dehydrochlorination +dehydrocorydaline +dehydrocorticosterone +dehydroffroze +dehydroffrozen +dehydrofreeze +dehydrofreezing +dehydrofroze +dehydrofrozen +dehydrogenase +dehydrogenate +dehydrogenated +dehydrogenates +dehydrogenating +dehydrogenation +dehydrogenisation +dehydrogenise +dehydrogenised +dehydrogeniser +dehydrogenising +dehydrogenization +dehydrogenize +dehydrogenized +dehydrogenizer +dehydromucic +dehydroretinol +dehydrosparteine +dehydrotestosterone +dehypnotize +dehypnotized +dehypnotizing +dehisce +dehisced +dehiscence +dehiscent +dehisces +dehiscing +dehistoricize +dehkan +dehnstufe +dehonestate +dehonestation +dehorn +dehorned +dehorner +dehorners +dehorning +dehorns +dehors +dehort +dehortation +dehortative +dehortatory +dehorted +dehorter +dehorting +dehorts +dehull +dehumanisation +dehumanise +dehumanised +dehumanising +dehumanization +dehumanize +dehumanized +dehumanizes +dehumanizing +dehumidify +dehumidification +dehumidified +dehumidifier +dehumidifiers +dehumidifies +dehumidifying +dehusk +dehwar +dei +dey +deia +deicate +deice +deiced +deicer +deicers +deices +deicidal +deicide +deicides +deicing +deictic +deictical +deictically +deidealize +deidesheimer +deify +deific +deifical +deification +deifications +deificatory +deified +deifier +deifiers +deifies +deifying +deiform +deiformity +deign +deigned +deigning +deignous +deigns +deyhouse +deil +deils +deimos +deincrustant +deindividualization +deindividualize +deindividuate +deindustrialization +deindustrialize +deink +deino +deinocephalia +deinoceras +deinodon +deinodontidae +deinos +deinosaur +deinosauria +deinotherium +deinstitutionalization +deinsularize +deynt +deintellectualization +deintellectualize +deionization +deionizations +deionize +deionized +deionizer +deionizes +deionizing +deipara +deiparous +deiphobus +deipnodiplomatic +deipnophobia +deipnosophism +deipnosophist +deipnosophistic +deipotent +deirdre +deirid +deis +deys +deiseal +deyship +deisidaimonia +deisin +deism +deisms +deist +deistic +deistical +deistically +deisticalness +deists +deitate +deity +deities +deityship +deywoman +deixis +deja +deject +dejecta +dejected +dejectedly +dejectedness +dejectile +dejecting +dejection +dejections +dejectly +dejectory +dejects +dejecture +dejerate +dejeration +dejerator +dejeune +dejeuner +dejeuners +dejunkerize +dekabrist +dekadarchy +dekadrachm +dekagram +dekagramme +dekagrams +dekaliter +dekaliters +dekalitre +dekameter +dekameters +dekametre +dekaparsec +dekapode +dekarch +dekare +dekares +dekastere +deke +deked +dekes +deking +dekko +dekkos +dekle +deknight +del +delabialization +delabialize +delabialized +delabializing +delace +delacerate +delacrimation +delactation +delay +delayable +delayage +delayed +delayer +delayers +delayful +delaying +delayingly +delaine +delaines +delays +delaminate +delaminated +delaminating +delamination +delapse +delapsion +delassation +delassement +delate +delated +delater +delates +delating +delatinization +delatinize +delation +delations +delative +delator +delatorian +delators +delaw +delaware +delawarean +delawn +delbert +dele +delead +deleaded +deleading +deleads +deleatur +deleble +delectability +delectable +delectableness +delectably +delectate +delectated +delectating +delectation +delectations +delectible +delectus +deled +deleerit +delegable +delegacy +delegacies +delegalize +delegalized +delegalizing +delegant +delegare +delegate +delegated +delegatee +delegates +delegateship +delegati +delegating +delegation +delegations +delegative +delegator +delegatory +delegatus +deleing +delenda +deleniate +deles +delesseria +delesseriaceae +delesseriaceous +delete +deleted +deleter +deletery +deleterious +deleteriously +deleteriousness +deletes +deleting +deletion +deletions +deletive +deletory +delf +delfs +delft +delfts +delftware +delhi +deli +dely +delia +delian +delibate +deliber +deliberalization +deliberalize +deliberandum +deliberant +deliberate +deliberated +deliberately +deliberateness +deliberates +deliberating +deliberation +deliberations +deliberative +deliberatively +deliberativeness +deliberator +deliberators +delible +delicacy +delicacies +delicat +delicate +delicately +delicateness +delicates +delicatesse +delicatessen +delicatessens +delice +delicense +delichon +deliciae +deliciate +delicioso +delicious +deliciouses +deliciously +deliciousness +delict +delicti +delicto +delicts +delictual +delictum +delictus +delieret +delies +deligated +deligation +delight +delightable +delighted +delightedly +delightedness +delighter +delightful +delightfully +delightfulness +delighting +delightingly +delightless +delights +delightsome +delightsomely +delightsomeness +delignate +delignated +delignification +delilah +deliliria +delim +delime +delimed +delimer +delimes +deliming +delimit +delimitate +delimitated +delimitating +delimitation +delimitations +delimitative +delimited +delimiter +delimiters +delimiting +delimitize +delimitized +delimitizing +delimits +deline +delineable +delineament +delineate +delineated +delineates +delineating +delineation +delineations +delineative +delineator +delineatory +delineature +delineavit +delinition +delinquence +delinquency +delinquencies +delinquent +delinquently +delinquents +delint +delinter +deliquate +deliquesce +deliquesced +deliquescence +deliquescent +deliquesces +deliquescing +deliquiate +deliquiesce +deliquium +deliracy +delirament +delirant +delirate +deliration +delire +deliria +deliriant +deliriate +delirifacient +delirious +deliriously +deliriousness +delirium +deliriums +delirous +delis +delisk +delist +delisted +delisting +delists +delit +delitescence +delitescency +delitescent +delitous +deliver +deliverability +deliverable +deliverables +deliverance +delivered +deliverer +deliverers +deliveress +delivery +deliveries +deliveryman +deliverymen +delivering +deliverly +deliveror +delivers +dell +della +dellaring +dellenite +delly +dellies +dells +delobranchiata +delocalisation +delocalise +delocalised +delocalising +delocalization +delocalize +delocalized +delocalizing +delomorphic +delomorphous +deloo +deloul +delouse +deloused +delouses +delousing +delph +delphacid +delphacidae +delphian +delphically +delphin +delphinapterus +delphine +delphinia +delphinic +delphinid +delphinidae +delphinin +delphinine +delphinite +delphinium +delphiniums +delphinius +delphinoid +delphinoidea +delphinoidine +delphinus +delphocurarine +dels +delsarte +delsartean +delsartian +delta +deltafication +deltahedra +deltahedron +deltaic +deltaite +deltal +deltalike +deltarium +deltas +deltation +delthyria +delthyrial +delthyrium +deltic +deltidia +deltidial +deltidium +deltiology +deltohedra +deltohedron +deltoid +deltoidal +deltoidei +deltoideus +deltoids +delubra +delubrubra +delubrum +deluce +deludable +delude +deluded +deluder +deluders +deludes +deludher +deluding +deludingly +deluge +deluged +deluges +deluging +delumbate +deluminize +delundung +delusion +delusional +delusionary +delusionist +delusions +delusive +delusively +delusiveness +delusory +deluster +delusterant +delustered +delustering +delusters +delustrant +deluxe +delve +delved +delver +delvers +delves +delving +dem +demagnetisable +demagnetisation +demagnetise +demagnetised +demagnetiser +demagnetising +demagnetizable +demagnetization +demagnetize +demagnetized +demagnetizer +demagnetizes +demagnetizing +demagnify +demagnification +demagog +demagogy +demagogic +demagogical +demagogically +demagogies +demagogism +demagogs +demagogue +demagoguery +demagogues +demagoguism +demain +demal +demand +demandable +demandant +demandative +demanded +demander +demanders +demanding +demandingly +demandingness +demands +demanganization +demanganize +demantoid +demarcate +demarcated +demarcates +demarcating +demarcation +demarcations +demarcator +demarcatordemarcators +demarcators +demarcature +demarch +demarche +demarches +demarchy +demaree +demargarinate +demark +demarkation +demarked +demarking +demarks +demasculinisation +demasculinise +demasculinised +demasculinising +demasculinization +demasculinize +demasculinized +demasculinizing +demast +demasted +demasting +demasts +dematerialisation +dematerialise +dematerialised +dematerialising +dematerialization +dematerialize +dematerialized +dematerializing +dematiaceae +dematiaceous +deme +demean +demeaned +demeaning +demeanor +demeanored +demeanors +demeanour +demeans +demegoric +demele +demembration +demembre +demency +dement +dementate +dementation +demented +dementedly +dementedness +dementholize +dementi +dementia +demential +dementias +dementie +dementing +dementis +dements +demeore +demephitize +demerara +demerge +demerit +demerited +demeriting +demeritorious +demeritoriously +demerits +demerol +demersal +demerse +demersed +demersion +demes +demesgne +demesgnes +demesman +demesmerize +demesne +demesnes +demesnial +demetallize +demeter +demethylate +demethylation +demethylchlortetracycline +demetrian +demetricize +demi +demy +demiadult +demiangel +demiassignation +demiatheism +demiatheist +demibarrel +demibastion +demibastioned +demibath +demibeast +demibelt +demibob +demibombard +demibrassart +demibrigade +demibrute +demibuckram +demicadence +demicannon +demicanon +demicanton +demicaponier +demichamfron +demicylinder +demicylindrical +demicircle +demicircular +demicivilized +demicolumn +demicoronal +demicritic +demicuirass +demiculverin +demidandiprat +demideify +demideity +demidevil +demidigested +demidistance +demiditone +demidoctor +demidog +demidolmen +demidome +demieagle +demyelinate +demyelination +demies +demifarthing +demifigure +demiflouncing +demifusion +demigardebras +demigauntlet +demigentleman +demiglace +demiglobe +demigod +demigoddess +demigoddessship +demigods +demigorge +demigrate +demigriffin +demigroat +demihag +demihagbut +demihague +demihake +demihaque +demihearse +demiheavenly +demihigh +demihogshead +demihorse +demihuman +demijambe +demijohn +demijohns +demikindred +demiking +demilance +demilancer +demilawyer +demilegato +demilion +demilitarisation +demilitarise +demilitarised +demilitarising +demilitarization +demilitarize +demilitarized +demilitarizes +demilitarizing +demiliterate +demilune +demilunes +demiluster +demilustre +demiman +demimark +demimentoniere +demimetope +demimillionaire +demimondain +demimondaine +demimondaines +demimonde +demimonk +deminatured +demineralization +demineralize +demineralized +demineralizer +demineralizes +demineralizing +deminude +deminudity +demioctagonal +demioctangular +demiofficial +demiorbit +demiourgoi +demiowl +demiox +demipagan +demiparadise +demiparallel +demipauldron +demipectinate +demipesade +demipike +demipillar +demipique +demiplacate +demiplate +demipomada +demipremise +demipremiss +demipriest +demipronation +demipuppet +demiquaver +demiracle +demiram +demirelief +demirep +demireps +demirevetment +demirhumb +demirilievo +demirobe +demisability +demisable +demisacrilege +demisang +demisangue +demisavage +demiscible +demise +demiseason +demisecond +demised +demisemiquaver +demisemitone +demises +demisheath +demyship +demishirt +demising +demisolde +demisovereign +demisphere +demiss +demission +demissionary +demissive +demissly +demissness +demissory +demist +demystify +demystification +demisuit +demit +demitasse +demitasses +demythify +demythologisation +demythologise +demythologised +demythologising +demythologization +demythologizations +demythologize +demythologized +demythologizer +demythologizes +demythologizing +demitint +demitoilet +demitone +demitrain +demitranslucence +demits +demitted +demitting +demitube +demiturned +demiurge +demiurgeous +demiurges +demiurgic +demiurgical +demiurgically +demiurgism +demiurgos +demiurgus +demivambrace +demivierge +demivirgin +demivoice +demivol +demivolt +demivolte +demivolts +demivotary +demiwivern +demiwolf +demiworld +demnition +demo +demob +demobbed +demobbing +demobilisation +demobilise +demobilised +demobilising +demobilization +demobilizations +demobilize +demobilized +demobilizes +demobilizing +demobs +democracy +democracies +democrat +democratian +democratic +democratical +democratically +democratifiable +democratisation +democratise +democratised +democratising +democratism +democratist +democratization +democratize +democratized +democratizer +democratizes +democratizing +democrats +democraw +democritean +demode +demodectic +demoded +demodex +demodicidae +demodocus +demodulate +demodulated +demodulates +demodulating +demodulation +demodulations +demodulator +demogenic +demogorgon +demographer +demographers +demography +demographic +demographical +demographically +demographics +demographies +demographist +demoid +demoiselle +demoiselles +demolish +demolished +demolisher +demolishes +demolishing +demolishment +demolition +demolitionary +demolitionist +demolitions +demology +demological +demon +demonastery +demoness +demonesses +demonetisation +demonetise +demonetised +demonetising +demonetization +demonetize +demonetized +demonetizes +demonetizing +demoniac +demoniacal +demoniacally +demoniacism +demoniacs +demonial +demonian +demonianism +demoniast +demonic +demonical +demonically +demonifuge +demonio +demonise +demonised +demonises +demonish +demonishness +demonising +demonism +demonisms +demonist +demonists +demonization +demonize +demonized +demonizes +demonizing +demonkind +demonland +demonlike +demonocracy +demonograph +demonographer +demonography +demonographies +demonolater +demonolatry +demonolatrous +demonolatrously +demonologer +demonology +demonologic +demonological +demonologically +demonologies +demonologist +demonomancy +demonomanie +demonomy +demonomist +demonophobia +demonopolize +demonry +demons +demonship +demonstrability +demonstrable +demonstrableness +demonstrably +demonstrance +demonstrandum +demonstrant +demonstratability +demonstratable +demonstrate +demonstrated +demonstratedly +demonstrater +demonstrates +demonstrating +demonstration +demonstrational +demonstrationist +demonstrationists +demonstrations +demonstrative +demonstratively +demonstrativeness +demonstrator +demonstratory +demonstrators +demonstratorship +demophil +demophile +demophilism +demophobe +demophobia +demophon +demophoon +demorage +demoralisation +demoralise +demoralised +demoraliser +demoralising +demoralization +demoralize +demoralized +demoralizer +demoralizers +demoralizes +demoralizing +demoralizingly +demorphinization +demorphism +demos +demoses +demospongiae +demosthenean +demosthenic +demot +demote +demoted +demotes +demothball +demotic +demotics +demoting +demotion +demotions +demotist +demotists +demount +demountability +demountable +demounted +demounting +demounts +demove +dempne +dempster +dempsters +demulce +demulceate +demulcent +demulcents +demulsibility +demulsify +demulsification +demulsified +demulsifier +demulsifying +demulsion +demultiplex +demultiplexed +demultiplexer +demultiplexers +demultiplexes +demultiplexing +demur +demure +demurely +demureness +demurer +demurest +demurity +demurrable +demurrage +demurrages +demurral +demurrals +demurrant +demurred +demurrer +demurrers +demurring +demurringly +demurs +demutization +den +denay +dename +denar +denarcotization +denarcotize +denari +denary +denaries +denarii +denarinarii +denarius +denaro +denasalize +denasalized +denasalizing +denat +denationalisation +denationalise +denationalised +denationalising +denationalization +denationalize +denationalized +denationalizing +denaturalisation +denaturalise +denaturalised +denaturalising +denaturalization +denaturalize +denaturalized +denaturalizing +denaturant +denaturants +denaturate +denaturation +denaturational +denature +denatured +denatures +denaturing +denaturisation +denaturise +denaturised +denaturiser +denaturising +denaturization +denaturize +denaturized +denaturizer +denaturizing +denazify +denazification +denazified +denazifies +denazifying +denda +dendra +dendrachate +dendral +dendraspis +dendraxon +dendric +dendriform +dendrite +dendrites +dendritic +dendritical +dendritically +dendritiform +dendrium +dendrobates +dendrobatinae +dendrobe +dendrobium +dendrocalamus +dendroceratina +dendroceratine +dendrochirota +dendrochronology +dendrochronological +dendrochronologically +dendrochronologist +dendrocygna +dendroclastic +dendrocoela +dendrocoelan +dendrocoele +dendrocoelous +dendrocolaptidae +dendrocolaptine +dendroctonus +dendrodic +dendrodont +dendrodra +dendrodus +dendroeca +dendrogaea +dendrogaean +dendrograph +dendrography +dendrohyrax +dendroica +dendroid +dendroidal +dendroidea +dendrolagus +dendrolater +dendrolatry +dendrolene +dendrolite +dendrology +dendrologic +dendrological +dendrologist +dendrologists +dendrologous +dendromecon +dendrometer +dendron +dendrons +dendrophagous +dendrophil +dendrophile +dendrophilous +dendropogon +dene +deneb +denebola +denegate +denegation +denehole +denervate +denervation +denes +deneutralization +dengue +dengues +deny +deniability +deniable +deniably +denial +denials +denicotine +denicotinize +denicotinized +denicotinizes +denicotinizing +denied +denier +denyer +denierage +denierer +deniers +denies +denigrate +denigrated +denigrates +denigrating +denigration +denigrations +denigrative +denigrator +denigratory +denigrators +denying +denyingly +denim +denims +denis +denitrate +denitrated +denitrating +denitration +denitrator +denitrify +denitrificant +denitrification +denitrificator +denitrified +denitrifier +denitrifying +denitrize +denizate +denization +denize +denizen +denizenation +denizened +denizening +denizenize +denizens +denizenship +denmark +denned +dennet +denning +dennis +dennstaedtia +denom +denominable +denominant +denominate +denominated +denominates +denominating +denomination +denominational +denominationalism +denominationalist +denominationalize +denominationally +denominations +denominative +denominatively +denominator +denominators +denormalized +denotable +denotate +denotation +denotational +denotationally +denotations +denotative +denotatively +denotativeness +denotatum +denote +denoted +denotement +denotes +denoting +denotive +denouement +denouements +denounce +denounced +denouncement +denouncements +denouncer +denouncers +denounces +denouncing +dens +densate +densation +dense +densely +densen +denseness +denser +densest +denshare +densher +denshire +densify +densification +densified +densifier +densifies +densifying +densimeter +densimetry +densimetric +densimetrically +density +densities +densitometer +densitometers +densitometry +densitometric +densus +dent +dentagra +dental +dentale +dentalgia +dentalia +dentaliidae +dentalisation +dentalise +dentalised +dentalising +dentalism +dentality +dentalium +dentaliums +dentalization +dentalize +dentalized +dentalizing +dentally +dentallia +dentalman +dentalmen +dentals +dentaphone +dentary +dentaria +dentaries +dentata +dentate +dentated +dentately +dentation +dentatoangulate +dentatocillitate +dentatocostate +dentatocrenate +dentatoserrate +dentatosetaceous +dentatosinuate +dented +dentel +dentelated +dentellated +dentelle +dentelliere +dentello +dentelure +denter +dentes +dentex +denty +dentical +denticate +denticete +denticeti +denticle +denticles +denticular +denticulate +denticulated +denticulately +denticulation +denticule +dentiferous +dentification +dentiform +dentifrice +dentifrices +dentigerous +dentil +dentilabial +dentilated +dentilation +dentile +dentiled +dentilingual +dentiloguy +dentiloquy +dentiloquist +dentils +dentimeter +dentin +dentinal +dentinalgia +dentinasal +dentine +dentines +denting +dentinitis +dentinoblast +dentinocemental +dentinoid +dentinoma +dentins +dentiparous +dentiphone +dentiroster +dentirostral +dentirostrate +dentirostres +dentiscalp +dentist +dentistic +dentistical +dentistry +dentistries +dentists +dentition +dentoid +dentolabial +dentolingual +dentololabial +dentonasal +dentosurgical +dents +dentulous +dentural +denture +dentures +denuclearization +denuclearize +denuclearized +denuclearizes +denuclearizing +denucleate +denudant +denudate +denudated +denudates +denudating +denudation +denudational +denudations +denudative +denudatory +denude +denuded +denudement +denuder +denuders +denudes +denuding +denumberment +denumerability +denumerable +denumerably +denumeral +denumerant +denumerantive +denumeration +denumerative +denunciable +denunciant +denunciate +denunciated +denunciating +denunciation +denunciations +denunciative +denunciatively +denunciator +denunciatory +denutrition +denver +deobstruct +deobstruent +deoccidentalize +deoculate +deodand +deodands +deodar +deodara +deodaras +deodars +deodate +deodorant +deodorants +deodorisation +deodorise +deodorised +deodoriser +deodorising +deodorization +deodorize +deodorized +deodorizer +deodorizers +deodorizes +deodorizing +deonerate +deontic +deontology +deontological +deontologist +deoperculate +deoppilant +deoppilate +deoppilation +deoppilative +deordination +deorganization +deorganize +deorientalize +deorsum +deorsumvergence +deorsumversion +deorusumduction +deosculate +deossify +deossification +deota +deoxycorticosterone +deoxidant +deoxidate +deoxidation +deoxidative +deoxidator +deoxidisation +deoxidise +deoxidised +deoxidiser +deoxidising +deoxidization +deoxidize +deoxidized +deoxidizer +deoxidizers +deoxidizes +deoxidizing +deoxygenate +deoxygenated +deoxygenating +deoxygenation +deoxygenization +deoxygenize +deoxygenized +deoxygenizing +deoxyribonuclease +deoxyribonucleic +deoxyribonucleoprotein +deoxyribonucleotide +deoxyribose +deozonization +deozonize +deozonizer +dep +depa +depaganize +depaint +depainted +depainting +depaints +depair +depayse +depaysee +depancreatization +depancreatize +depardieu +depark +deparliament +depart +departed +departement +departements +departer +departing +departisanize +departition +department +departmental +departmentalisation +departmentalise +departmentalised +departmentalising +departmentalism +departmentalization +departmentalize +departmentalized +departmentalizes +departmentalizing +departmentally +departmentization +departmentize +departments +departs +departure +departures +depas +depascent +depass +depasturable +depasturage +depasturation +depasture +depastured +depasturing +depatriate +depauperate +depauperation +depauperization +depauperize +depauperized +depe +depeach +depeche +depectible +depeculate +depeinct +depel +depencil +depend +dependability +dependabilities +dependable +dependableness +dependably +dependance +dependancy +dependant +dependantly +dependants +depended +dependence +dependency +dependencies +dependent +dependently +dependents +depender +depending +dependingly +depends +depeople +depeopled +depeopling +deperdit +deperdite +deperditely +deperdition +deperition +deperm +depermed +deperming +deperms +depersonalise +depersonalised +depersonalising +depersonalization +depersonalize +depersonalized +depersonalizes +depersonalizing +depersonize +depertible +depetalize +depeter +depetticoat +dephase +dephased +dephasing +dephycercal +dephilosophize +dephysicalization +dephysicalize +dephlegm +dephlegmate +dephlegmated +dephlegmation +dephlegmatize +dephlegmator +dephlegmatory +dephlegmedness +dephlogisticate +dephlogisticated +dephlogistication +dephosphorization +dephosphorize +depickle +depict +depicted +depicter +depicters +depicting +depiction +depictions +depictive +depictment +depictor +depictors +depicts +depicture +depictured +depicturing +depiedmontize +depigment +depigmentate +depigmentation +depigmentize +depilate +depilated +depilates +depilating +depilation +depilator +depilatory +depilatories +depilitant +depilous +depit +deplace +deplaceable +deplane +deplaned +deplanes +deplaning +deplant +deplantation +deplasmolysis +deplaster +deplenish +depletable +deplete +depleteable +depleted +depletes +deplethoric +depleting +depletion +depletions +depletive +depletory +deploy +deployable +deployed +deploying +deployment +deployments +deploys +deploitation +deplorabilia +deplorability +deplorable +deplorableness +deplorably +deplorate +deploration +deplore +deplored +deploredly +deploredness +deplorer +deplorers +deplores +deploring +deploringly +deplumate +deplumated +deplumation +deplume +deplumed +deplumes +depluming +deplump +depoetize +depoh +depolarisation +depolarise +depolarised +depolariser +depolarising +depolarization +depolarize +depolarized +depolarizer +depolarizers +depolarizes +depolarizing +depolymerization +depolymerize +depolymerized +depolymerizing +depolish +depolished +depolishes +depolishing +depoliticize +depoliticized +depoliticizes +depoliticizing +depone +deponed +deponent +deponents +deponer +depones +deponing +depopularize +depopulate +depopulated +depopulates +depopulating +depopulation +depopulations +depopulative +depopulator +depopulators +deport +deportability +deportable +deportation +deportations +deporte +deported +deportee +deportees +deporter +deporting +deportment +deports +deporture +deposable +deposal +deposals +depose +deposed +deposer +deposers +deposes +deposing +deposit +deposita +depositary +depositaries +depositation +deposited +depositee +depositing +deposition +depositional +depositions +depositive +deposito +depositor +depository +depositories +depositors +deposits +depositum +depositure +deposure +depot +depotentiate +depotentiation +depots +depr +depravate +depravation +deprave +depraved +depravedly +depravedness +depravement +depraver +depravers +depraves +depraving +depravingly +depravity +depravities +deprecable +deprecate +deprecated +deprecates +deprecating +deprecatingly +deprecation +deprecations +deprecative +deprecatively +deprecator +deprecatory +deprecatorily +deprecatoriness +deprecators +depreciable +depreciant +depreciate +depreciated +depreciates +depreciating +depreciatingly +depreciation +depreciations +depreciative +depreciatively +depreciator +depreciatory +depreciatoriness +depreciators +depredable +depredate +depredated +depredating +depredation +depredationist +depredations +depredator +depredatory +depredicate +deprehend +deprehensible +deprehension +depress +depressant +depressanth +depressants +depressed +depresses +depressibility +depressibilities +depressible +depressing +depressingly +depressingness +depression +depressional +depressionary +depressions +depressive +depressively +depressiveness +depressives +depressomotor +depressor +depressors +depressure +depressurize +deprest +depreter +deprevation +depriment +deprint +depriorize +deprisure +deprivable +deprival +deprivals +deprivate +deprivation +deprivations +deprivative +deprive +deprived +deprivement +depriver +deprivers +deprives +depriving +deprocedured +deproceduring +deprogram +deprogrammed +deprogrammer +deprogrammers +deprogramming +deprogrammings +deprograms +deprome +deprostrate +deprotestantize +deprovincialize +depsid +depside +depsides +dept +depth +depthen +depthing +depthless +depthlessness +depthometer +depths +depthways +depthwise +depucel +depudorate +depullulation +depulse +depurant +depurate +depurated +depurates +depurating +depuration +depurative +depurator +depuratory +depure +depurge +depurged +depurging +depurition +depursement +deputable +deputation +deputational +deputationist +deputationize +deputations +deputative +deputatively +deputator +depute +deputed +deputes +deputy +deputies +deputing +deputise +deputised +deputyship +deputising +deputization +deputize +deputized +deputizes +deputizing +dequantitate +dequeen +dequeue +dequeued +dequeues +dequeuing +der +derabbinize +deracialize +deracinate +deracinated +deracinating +deracination +deracine +deradelphus +deradenitis +deradenoncus +derah +deray +deraign +deraigned +deraigning +deraignment +deraigns +derail +derailed +derailer +derailing +derailleur +derailleurs +derailment +derailments +derails +derays +derange +derangeable +deranged +derangement +derangements +deranger +deranges +deranging +derat +derate +derated +derater +derating +deration +derationalization +derationalize +deratization +deratize +deratized +deratizing +derats +deratted +deratting +derbend +derby +derbies +derbylite +derbyshire +derbukka +dere +derealization +derecho +dereference +dereferenced +dereferences +dereferencing +deregister +deregulate +deregulated +deregulates +deregulating +deregulation +deregulationize +deregulations +deregulatory +dereign +dereism +dereistic +dereistically +derek +derelict +derelicta +dereliction +derelictions +derelictly +derelictness +derelicts +dereligion +dereligionize +dereling +derelinquendi +derelinquish +derencephalocele +derencephalus +derepress +derepression +derequisition +derere +deresinate +deresinize +derestrict +derf +derfly +derfness +derham +deric +deride +derided +derider +deriders +derides +deriding +deridingly +deringa +deringer +deringers +deripia +derisible +derision +derisions +derisive +derisively +derisiveness +derisory +deriv +derivability +derivable +derivably +derival +derivant +derivate +derivately +derivates +derivation +derivational +derivationally +derivationist +derivations +derivatist +derivative +derivatively +derivativeness +derivatives +derive +derived +derivedly +derivedness +deriver +derivers +derives +deriving +derk +derm +derma +dermabrasion +dermacentor +dermad +dermahemia +dermal +dermalgia +dermalith +dermamycosis +dermamyiasis +dermanaplasty +dermapostasis +dermaptera +dermapteran +dermapterous +dermas +dermaskeleton +dermasurgery +dermatagra +dermatalgia +dermataneuria +dermatatrophia +dermatauxe +dermathemia +dermatherm +dermatic +dermatine +dermatitis +dermatitises +dermatobia +dermatocele +dermatocellulitis +dermatocyst +dermatoconiosis +dermatocoptes +dermatocoptic +dermatodynia +dermatogen +dermatoglyphic +dermatoglyphics +dermatograph +dermatography +dermatographia +dermatographic +dermatographism +dermatoheteroplasty +dermatoid +dermatolysis +dermatology +dermatologic +dermatological +dermatologies +dermatologist +dermatologists +dermatoma +dermatome +dermatomere +dermatomic +dermatomyces +dermatomycosis +dermatomyoma +dermatomuscular +dermatoneural +dermatoneurology +dermatoneurosis +dermatonosus +dermatopathia +dermatopathic +dermatopathology +dermatopathophobia +dermatophagus +dermatophyte +dermatophytic +dermatophytosis +dermatophobia +dermatophone +dermatophony +dermatoplasm +dermatoplast +dermatoplasty +dermatoplastic +dermatopnagic +dermatopsy +dermatoptera +dermatoptic +dermatorrhagia +dermatorrhea +dermatorrhoea +dermatosclerosis +dermatoscopy +dermatoses +dermatosiophobia +dermatosis +dermatoskeleton +dermatotherapy +dermatotome +dermatotomy +dermatotropic +dermatoxerasia +dermatozoon +dermatozoonosis +dermatozzoa +dermatrophy +dermatrophia +dermatropic +dermenchysis +dermestes +dermestid +dermestidae +dermestoid +dermic +dermis +dermises +dermitis +dermititis +dermoblast +dermobranchia +dermobranchiata +dermobranchiate +dermochelys +dermochrome +dermococcus +dermogastric +dermography +dermographia +dermographic +dermographism +dermohemal +dermohemia +dermohumeral +dermoid +dermoidal +dermoidectomy +dermol +dermolysis +dermomycosis +dermomuscular +dermonecrotic +dermoneural +dermoneurosis +dermonosology +dermoosseous +dermoossification +dermopathy +dermopathic +dermophyte +dermophytic +dermophlebitis +dermophobe +dermoplasty +dermoptera +dermopteran +dermopterous +dermoreaction +dermorhynchi +dermorhynchous +dermosclerite +dermosynovitis +dermoskeletal +dermoskeleton +dermostenosis +dermostosis +dermotherm +dermotropic +dermovaccine +derms +dermutation +dern +derned +derner +dernful +dernier +derning +dernly +dero +derobe +derodidymus +derog +derogate +derogated +derogately +derogates +derogating +derogation +derogations +derogative +derogatively +derogator +derogatory +derogatorily +derogatoriness +deromanticize +derotrema +derotremata +derotremate +derotrematous +derotreme +derout +derri +derry +derrick +derricking +derrickman +derrickmen +derricks +derrid +derride +derriere +derrieres +derries +derringer +derringers +derrire +derris +derrises +derth +dertra +dertrotheca +dertrum +deruinate +deruralize +derust +derv +derve +dervish +dervishes +dervishhood +dervishism +dervishlike +des +desaccharification +desacralization +desacralize +desagrement +desalinate +desalinated +desalinates +desalinating +desalination +desalinator +desalinization +desalinize +desalinized +desalinizes +desalinizing +desalt +desalted +desalter +desalters +desalting +desalts +desamidase +desamidization +desaminase +desand +desanded +desanding +desands +desaturate +desaturation +desaurin +desaurine +desc +descale +descaled +descaling +descamisado +descamisados +descant +descanted +descanter +descanting +descantist +descants +descartes +descend +descendability +descendable +descendance +descendant +descendants +descended +descendence +descendent +descendental +descendentalism +descendentalist +descendentalistic +descendents +descender +descenders +descendibility +descendible +descending +descendingly +descends +descension +descensional +descensionist +descensive +descensory +descensories +descent +descents +deschampsia +deschool +descloizite +descort +descry +descrial +describability +describable +describably +describe +described +describent +describer +describers +describes +describing +descried +descrier +descriers +descries +descrying +descript +description +descriptionist +descriptionless +descriptions +descriptive +descriptively +descriptiveness +descriptives +descriptivism +descriptor +descriptory +descriptors +descrive +descure +desdemona +deseam +deseasonalize +desecate +desecrate +desecrated +desecrater +desecrates +desecrating +desecration +desecrations +desecrator +desectionalize +deseed +desegmentation +desegmented +desegregate +desegregated +desegregates +desegregating +desegregation +deselect +deselected +deselecting +deselects +desemer +desensitization +desensitizations +desensitize +desensitized +desensitizer +desensitizers +desensitizes +desensitizing +desentimentalize +deseret +desert +deserted +desertedly +desertedness +deserter +deserters +desertful +desertfully +desertic +deserticolous +desertification +deserting +desertion +desertions +desertism +desertless +desertlessly +desertlike +desertness +desertress +desertrice +deserts +desertward +deserve +deserved +deservedly +deservedness +deserveless +deserver +deservers +deserves +deserving +deservingly +deservingness +deservings +desesperance +desex +desexed +desexes +desexing +desexualization +desexualize +desexualized +desexualizing +deshabille +desi +desiatin +desyatin +desicate +desiccant +desiccants +desiccate +desiccated +desiccates +desiccating +desiccation +desiccations +desiccative +desiccator +desiccatory +desiccators +desiderable +desiderant +desiderata +desiderate +desiderated +desiderating +desideration +desiderative +desideratum +desiderium +desiderta +desidiose +desidious +desight +desightment +design +designable +designado +designate +designated +designates +designating +designation +designations +designative +designator +designatory +designators +designatum +designed +designedly +designedness +designee +designees +designer +designers +designful +designfully +designfulness +designing +designingly +designless +designlessly +designlessness +designment +designs +desyl +desilicate +desilicated +desilicating +desilicify +desilicification +desilicified +desiliconization +desiliconize +desilt +desilver +desilvered +desilvering +desilverization +desilverize +desilverized +desilverizer +desilverizing +desilvers +desynapsis +desynaptic +desynchronize +desynchronizing +desinence +desinent +desinential +desynonymization +desynonymize +desiodothyroxine +desipience +desipiency +desipient +desipramine +desirability +desirable +desirableness +desirably +desire +desireable +desired +desiredly +desiredness +desireful +desirefulness +desireless +desirelessness +desirer +desirers +desires +desiring +desiringly +desirous +desirously +desirousness +desist +desistance +desisted +desistence +desisting +desistive +desists +desition +desitive +desize +desk +deskbound +deskill +desklike +deskman +deskmen +desks +desktop +deslime +desma +desmachymatous +desmachyme +desmacyte +desman +desmans +desmanthus +desmarestia +desmarestiaceae +desmarestiaceous +desmatippus +desmectasia +desmepithelium +desmic +desmid +desmidiaceae +desmidiaceous +desmidiales +desmidian +desmidiology +desmidiologist +desmids +desmine +desmitis +desmocyte +desmocytoma +desmodactyli +desmodynia +desmodium +desmodont +desmodontidae +desmodus +desmogen +desmogenous +desmognathae +desmognathism +desmognathous +desmography +desmohemoblast +desmoid +desmoids +desmolase +desmology +desmoma +desmomyaria +desmon +desmoncus +desmoneme +desmoneoplasm +desmonosology +desmopathy +desmopathology +desmopathologist +desmopelmous +desmopexia +desmopyknosis +desmorrhexis +desmoscolecidae +desmoscolex +desmose +desmosis +desmosite +desmosome +desmothoraca +desmotomy +desmotrope +desmotropy +desmotropic +desmotropism +desobligeant +desocialization +desocialize +desoeuvre +desolate +desolated +desolately +desolateness +desolater +desolates +desolating +desolatingly +desolation +desolations +desolative +desolator +desole +desonation +desophisticate +desophistication +desorb +desorbed +desorbing +desorbs +desorption +desoxalate +desoxalic +desoxyanisoin +desoxybenzoin +desoxycinchonine +desoxycorticosterone +desoxyephedrine +desoxymorphine +desoxyribonuclease +desoxyribonucleic +desoxyribonucleoprotein +desoxyribose +despair +despaired +despairer +despairful +despairfully +despairfulness +despairing +despairingly +despairingness +despairs +desparple +despatch +despatched +despatcher +despatchers +despatches +despatching +despeche +despecialization +despecialize +despecificate +despecification +despect +despectant +despeed +despend +desperacy +desperado +desperadoes +desperadoism +desperados +desperance +desperate +desperately +desperateness +desperation +despert +despicability +despicable +despicableness +despicably +despiciency +despin +despiritualization +despiritualize +despisable +despisableness +despisal +despise +despised +despisedness +despisement +despiser +despisers +despises +despising +despisingly +despite +despited +despiteful +despitefully +despitefulness +despiteous +despiteously +despites +despiting +despitous +despoil +despoiled +despoiler +despoilers +despoiling +despoilment +despoilments +despoils +despoliation +despoliations +despond +desponded +despondence +despondency +despondencies +despondent +despondently +despondentness +desponder +desponding +despondingly +desponds +desponsage +desponsate +desponsories +despose +despot +despotat +despotes +despotic +despotical +despotically +despoticalness +despoticly +despotism +despotisms +despotist +despotize +despots +despouse +despraise +despumate +despumated +despumating +despumation +despume +desquamate +desquamated +desquamating +desquamation +desquamative +desquamatory +desray +dess +dessa +dessert +desserts +dessertspoon +dessertspoonful +dessertspoonfuls +dessiatine +dessicate +dessil +dessous +dessus +destabilization +destabilize +destabilized +destabilizing +destain +destained +destaining +destains +destalinization +destalinize +destandardize +destemper +desterilization +desterilize +desterilized +desterilizing +destigmatization +destigmatize +destigmatizing +destin +destinal +destinate +destination +destinations +destine +destined +destines +destinezite +destiny +destinies +destining +destinism +destinist +destituent +destitute +destituted +destitutely +destituteness +destituting +destitution +desto +destool +destoolment +destour +destrer +destress +destressed +destry +destrier +destriers +destroy +destroyable +destroyed +destroyer +destroyers +destroying +destroyingly +destroys +destruct +destructed +destructibility +destructible +destructibleness +destructing +destruction +destructional +destructionism +destructionist +destructions +destructive +destructively +destructiveness +destructivism +destructivity +destructor +destructory +destructors +destructs +destructuralize +destrudo +destuff +destuffing +destuffs +desubstantialize +desubstantiate +desucration +desudation +desuete +desuetude +desuetudes +desugar +desugared +desugaring +desugarize +desugars +desulfovibrio +desulfur +desulfurate +desulfurated +desulfurating +desulfuration +desulfured +desulfuring +desulfurisation +desulfurise +desulfurised +desulfuriser +desulfurising +desulfurization +desulfurize +desulfurized +desulfurizer +desulfurizing +desulfurs +desulphur +desulphurate +desulphurated +desulphurating +desulphuration +desulphuret +desulphurise +desulphurised +desulphurising +desulphurization +desulphurize +desulphurized +desulphurizer +desulphurizing +desultor +desultory +desultorily +desultoriness +desultorious +desume +desuperheater +desuvre +det +detach +detachability +detachable +detachableness +detachably +detache +detached +detachedly +detachedness +detacher +detachers +detaches +detaching +detachment +detachments +detachs +detacwable +detail +detailed +detailedly +detailedness +detailer +detailers +detailing +detailism +detailist +details +detain +detainable +detainal +detained +detainee +detainees +detainer +detainers +detaining +detainingly +detainment +detains +detant +detar +detassel +detat +detax +detd +detect +detectability +detectable +detectably +detectaphone +detected +detecter +detecters +detectible +detecting +detection +detections +detective +detectives +detectivism +detector +detectors +detects +detenant +detenebrate +detent +detente +detentes +detention +detentive +detents +detenu +detenue +detenues +detenus +deter +deterge +deterged +detergence +detergency +detergent +detergents +deterger +detergers +deterges +detergible +deterging +detering +deteriorate +deteriorated +deteriorates +deteriorating +deterioration +deteriorationist +deteriorations +deteriorative +deteriorator +deteriorism +deteriority +determ +determa +determent +determents +determinability +determinable +determinableness +determinably +determinacy +determinant +determinantal +determinants +determinate +determinated +determinately +determinateness +determinating +determination +determinations +determinative +determinatively +determinativeness +determinator +determine +determined +determinedly +determinedness +determiner +determiners +determines +determining +determinism +determinist +deterministic +deterministically +determinists +determinoid +deterrability +deterrable +deterration +deterred +deterrence +deterrent +deterrently +deterrents +deterrer +deterrers +deterring +deters +detersion +detersive +detersively +detersiveness +detest +detestability +detestable +detestableness +detestably +detestation +detestations +detested +detester +detesters +detesting +detests +dethyroidism +dethronable +dethrone +dethroned +dethronement +dethronements +dethroner +dethrones +dethroning +deti +detick +deticked +deticker +detickers +deticking +deticks +detin +detinet +detinue +detinues +detinuit +detn +detonability +detonable +detonatability +detonatable +detonate +detonated +detonates +detonating +detonation +detonational +detonations +detonative +detonator +detonators +detonize +detorsion +detort +detour +detoured +detouring +detournement +detours +detoxicant +detoxicate +detoxicated +detoxicating +detoxication +detoxicator +detoxify +detoxification +detoxified +detoxifier +detoxifies +detoxifying +detract +detracted +detracter +detracting +detractingly +detraction +detractions +detractive +detractively +detractiveness +detractor +detractory +detractors +detractress +detracts +detray +detrain +detrained +detraining +detrainment +detrains +detraque +detrect +detrench +detribalization +detribalize +detribalized +detribalizing +detriment +detrimental +detrimentality +detrimentally +detrimentalness +detriments +detrital +detrited +detrition +detritivorous +detritus +detrivorous +detroit +detroiter +detruck +detrude +detruded +detrudes +detruding +detruncate +detruncated +detruncating +detruncation +detrusion +detrusive +detrusor +detruss +dette +detubation +detumescence +detumescent +detune +detuned +detuning +detur +deturb +deturn +deturpate +deucalion +deuce +deuced +deucedly +deuces +deucing +deul +deunam +deuniting +deurbanize +deurwaarder +deus +deusan +deutencephalic +deutencephalon +deuteragonist +deuteranomal +deuteranomaly +deuteranomalous +deuteranope +deuteranopia +deuteranopic +deuterate +deuteration +deuteric +deuteride +deuterium +deuteroalbumose +deuterocanonical +deuterocasease +deuterocone +deuteroconid +deuterodome +deuteroelastose +deuterofibrinose +deuterogamy +deuterogamist +deuterogelatose +deuterogenesis +deuterogenic +deuteroglobulose +deuteromycetes +deuteromyosinose +deuteromorphic +deuteron +deuteronomy +deuteronomic +deuteronomical +deuteronomist +deuteronomistic +deuterons +deuteropathy +deuteropathic +deuteroplasm +deuteroprism +deuteroproteose +deuteroscopy +deuteroscopic +deuterosy +deuterostoma +deuterostomata +deuterostomatous +deuterostome +deuterotype +deuterotoky +deuterotokous +deuterovitellose +deuterozooid +deutobromide +deutocarbonate +deutochloride +deutomala +deutomalal +deutomalar +deutomerite +deuton +deutonephron +deutonymph +deutonymphal +deutoplasm +deutoplasmic +deutoplastic +deutoscolex +deutovum +deutoxide +deutsche +deutschemark +deutschland +deutzia +deutzias +deux +deuzan +dev +deva +devachan +devadasi +deval +devall +devaloka +devalorize +devaluate +devaluated +devaluates +devaluating +devaluation +devaluations +devalue +devalued +devalues +devaluing +devanagari +devance +devant +devaporate +devaporation +devaraja +devarshi +devas +devast +devastate +devastated +devastates +devastating +devastatingly +devastation +devastations +devastative +devastator +devastators +devastavit +devaster +devata +devaul +devaunt +devchar +deve +devein +deveined +deveining +deveins +devel +develed +develin +develing +develop +developability +developable +develope +developed +developedness +developement +developer +developers +developes +developing +developist +development +developmental +developmentalist +developmentally +developmentary +developmentarian +developmentist +developments +developoid +developpe +developpes +develops +devels +devenustate +deverbative +devertebrated +devest +devested +devesting +devests +devex +devexity +devi +deviability +deviable +deviance +deviances +deviancy +deviancies +deviant +deviants +deviascope +deviate +deviated +deviately +deviates +deviating +deviation +deviational +deviationism +deviationist +deviations +deviative +deviator +deviatory +deviators +device +deviceful +devicefully +devicefulness +devices +devide +devil +devilbird +devildom +deviled +deviler +deviless +devilet +devilfish +devilfishes +devilhood +devily +deviling +devilish +devilishly +devilishness +devilism +devility +devilize +devilized +devilizing +devilkin +devilkins +devilled +devillike +devilling +devilman +devilment +devilments +devilmonger +devilry +devilries +devils +devilship +deviltry +deviltries +devilward +devilwise +devilwood +devinct +devious +deviously +deviousness +devirginate +devirgination +devirginator +devirilize +devisability +devisable +devisal +devisals +deviscerate +devisceration +devise +devised +devisee +devisees +deviser +devisers +devises +devising +devisings +devisor +devisors +devitalisation +devitalise +devitalised +devitalising +devitalization +devitalize +devitalized +devitalizes +devitalizing +devitaminize +devitation +devitrify +devitrifiable +devitrification +devitrified +devitrifying +devocalisation +devocalise +devocalised +devocalising +devocalization +devocalize +devocalized +devocalizing +devocate +devocation +devoice +devoiced +devoices +devoicing +devoid +devoir +devoirs +devolatilisation +devolatilise +devolatilised +devolatilising +devolatilization +devolatilize +devolatilized +devolatilizing +devolute +devolution +devolutionary +devolutionist +devolutive +devolve +devolved +devolvement +devolvements +devolves +devolving +devon +devonian +devonic +devonite +devonport +devons +devonshire +devoration +devorative +devot +devota +devotary +devote +devoted +devotedly +devotedness +devotee +devoteeism +devotees +devotement +devoter +devotes +devoting +devotion +devotional +devotionalism +devotionalist +devotionality +devotionally +devotionalness +devotionary +devotionate +devotionist +devotions +devoto +devour +devourable +devoured +devourer +devourers +devouress +devouring +devouringly +devouringness +devourment +devours +devout +devoutful +devoutless +devoutlessly +devoutlessness +devoutly +devoutness +devove +devow +devs +devulcanization +devulcanize +devulgarize +devvel +devwsor +dew +dewal +dewan +dewanee +dewani +dewanny +dewans +dewanship +dewar +dewata +dewater +dewatered +dewaterer +dewatering +dewaters +dewax +dewaxed +dewaxes +dewaxing +dewbeam +dewberry +dewberries +dewcap +dewclaw +dewclawed +dewclaws +dewcup +dewdamp +dewdrop +dewdropper +dewdrops +dewed +dewey +deweylite +dewer +dewfall +dewfalls +dewflower +dewy +dewier +dewiest +dewily +dewiness +dewinesses +dewing +dewitt +dewlap +dewlapped +dewlaps +dewless +dewlight +dewlike +dewool +dewooled +dewooling +dewools +deworm +dewormed +deworming +deworms +dewret +dewrot +dews +dewtry +dewworm +dex +dexamethasone +dexes +dexies +dexiocardia +dexiotrope +dexiotropic +dexiotropism +dexiotropous +dexter +dexterical +dexterity +dexterous +dexterously +dexterousness +dextorsal +dextrad +dextral +dextrality +dextrally +dextran +dextranase +dextrane +dextrans +dextraural +dextrer +dextrin +dextrinase +dextrinate +dextrine +dextrines +dextrinize +dextrinous +dextrins +dextro +dextroamphetamine +dextroaural +dextrocardia +dextrocardial +dextrocerebral +dextrocular +dextrocularity +dextroduction +dextrogyrate +dextrogyration +dextrogyratory +dextrogyre +dextrogyrous +dextroglucose +dextrolactic +dextrolimonene +dextromanual +dextropedal +dextropinene +dextrorotary +dextrorotatary +dextrorotation +dextrorotatory +dextrorsal +dextrorse +dextrorsely +dextrosazone +dextrose +dextroses +dextrosinistral +dextrosinistrally +dextrosuria +dextrotartaric +dextrotropic +dextrotropous +dextrous +dextrously +dextrousness +dextroversion +dezaley +dezymotize +dezinc +dezincation +dezinced +dezincify +dezincification +dezincified +dezincifying +dezincing +dezincked +dezincking +dezincs +dezinkify +dfault +dft +dg +dgag +dghaisa +dha +dhabb +dhai +dhak +dhaks +dhal +dhaman +dhamma +dhamnoo +dhan +dhangar +dhanuk +dhanush +dhanvantari +dharana +dharani +dharma +dharmakaya +dharmas +dharmashastra +dharmasmriti +dharmasutra +dharmic +dharmsala +dharna +dharnas +dhaura +dhauri +dhava +dhaw +dheneb +dheri +dhyal +dhyana +dhikr +dhikrs +dhobee +dhobey +dhobi +dhoby +dhobie +dhobies +dhobis +dhole +dholes +dhoney +dhoni +dhooley +dhooly +dhoolies +dhoon +dhoora +dhooras +dhooti +dhootie +dhooties +dhootis +dhotee +dhoti +dhoty +dhotis +dhoul +dhourra +dhourras +dhow +dhows +dhritarashtra +dhu +dhunchee +dhunchi +dhundia +dhurna +dhurnas +dhurra +dhurry +dhurrie +dhuti +dhutis +di +dy +dia +diabantite +diabase +diabases +diabasic +diabaterial +diabetes +diabetic +diabetical +diabetics +diabetogenic +diabetogenous +diabetometer +diabetophobia +diable +dyable +diablene +diablery +diablerie +diableries +diablo +diablotin +diabolarch +diabolarchy +diabolatry +diabolepsy +diaboleptic +diabolic +diabolical +diabolically +diabolicalness +diabolify +diabolification +diabolifuge +diabolisation +diabolise +diabolised +diabolising +diabolism +diabolist +diabolization +diabolize +diabolized +diabolizing +diabolo +diabology +diabological +diabolology +diabolonian +diabolos +diabolus +diabrosis +diabrotic +diabrotica +diacanthous +diacatholicon +diacaustic +diacetamide +diacetate +diacetic +diacetyl +diacetylene +diacetylmorphine +diacetyls +diacetin +diacetine +diacetonuria +diaceturia +diachaenium +diachylon +diachylum +diachyma +diachoresis +diachoretic +diachrony +diachronic +diachronically +diachronicness +diacid +diacidic +diacids +diacipiperazine +diaclase +diaclasis +diaclasite +diaclastic +diacle +diaclinal +diacoca +diacodion +diacodium +diacoele +diacoelia +diacoelosis +diaconal +diaconate +diaconia +diaconica +diaconicon +diaconicum +diaconus +diacope +diacoustics +diacranterian +diacranteric +diacrisis +diacritic +diacritical +diacritically +diacritics +diacromyodi +diacromyodian +diact +diactin +diactinal +diactine +diactinic +diactinism +diaculum +dyad +diadelphia +diadelphian +diadelphic +diadelphous +diadem +diadema +diadematoida +diademed +diademing +diadems +diaderm +diadermic +diadic +dyadic +dyadically +dyadics +diadkokinesia +diadoche +diadochi +diadochy +diadochian +diadochic +diadochite +diadochokinesia +diadochokinesis +diadochokinetic +diadokokinesis +diadoumenos +diadrom +diadrome +diadromous +dyads +diadumenus +diaene +diaereses +diaeresis +diaeretic +diaetetae +diag +diagenesis +diagenetic +diagenetically +diageotropy +diageotropic +diageotropism +diaglyph +diaglyphic +diaglyptic +diagnosable +diagnose +diagnoseable +diagnosed +diagnoses +diagnosing +diagnosis +diagnostic +diagnostical +diagnostically +diagnosticate +diagnosticated +diagnosticating +diagnostication +diagnostician +diagnosticians +diagnostics +diagometer +diagonal +diagonality +diagonalizable +diagonalization +diagonalize +diagonally +diagonals +diagonalwise +diagonial +diagonic +diagram +diagramed +diagraming +diagrammable +diagrammatic +diagrammatical +diagrammatically +diagrammatician +diagrammatize +diagrammed +diagrammer +diagrammers +diagrammeter +diagramming +diagrammitically +diagrams +diagraph +diagraphic +diagraphical +diagraphics +diagraphs +diagredium +diagrydium +diaguitas +diaguite +diaheliotropic +diaheliotropically +diaheliotropism +dyak +diaka +diakineses +diakinesis +diakinetic +dyakisdodecahedron +dyakish +diakonika +diakonikon +dial +dialcohol +dialdehyde +dialect +dialectal +dialectalize +dialectally +dialectic +dialectical +dialectically +dialectician +dialecticism +dialecticize +dialectics +dialectologer +dialectology +dialectologic +dialectological +dialectologically +dialectologies +dialectologist +dialector +dialects +dialed +dialer +dialers +dialycarpous +dialin +dialiness +dialing +dialings +dialypetalae +dialypetalous +dialyphyllous +dialysability +dialysable +dialysate +dialysation +dialyse +dialysed +dialysepalous +dialyser +dialysers +dialyses +dialysing +dialysis +dialist +dialystaminous +dialystely +dialystelic +dialister +dialists +dialytic +dialytically +dialyzability +dialyzable +dialyzate +dialyzation +dialyzator +dialyze +dialyzed +dialyzer +dialyzers +dialyzes +dialyzing +dialkyl +dialkylamine +dialkylic +diallage +diallages +diallagic +diallagite +diallagoid +dialled +diallel +diallela +dialleli +diallelon +diallelus +dialler +diallers +diallyl +dialling +diallings +diallist +diallists +dialog +dialoger +dialogers +dialogged +dialogging +dialogic +dialogical +dialogically +dialogised +dialogising +dialogism +dialogist +dialogistic +dialogistical +dialogistically +dialogite +dialogize +dialogized +dialogizing +dialogs +dialogue +dialogued +dialoguer +dialogues +dialoguing +dialonian +dials +dialup +dialuric +diam +diamagnet +diamagnetic +diamagnetically +diamagnetism +diamagnetize +diamagnetometer +diamant +diamante +diamantiferous +diamantine +diamantoid +diamat +diamb +diamber +diambic +diamegnetism +diamesogamous +diameter +diameters +diametral +diametrally +diametric +diametrical +diametrically +diamicton +diamide +diamides +diamido +diamidogen +diamyl +diamylene +diamylose +diamin +diamine +diamines +diaminogen +diaminogene +diamins +diammine +diamminobromide +diamminonitrate +diammonium +diamond +diamondback +diamondbacked +diamondbacks +diamonded +diamondiferous +diamonding +diamondize +diamondized +diamondizing +diamondlike +diamonds +diamondwise +diamondwork +diamorphine +diamorphosis +dian +diana +diancecht +diander +diandria +diandrian +diandrous +diane +dianetics +dianil +dianilid +dianilide +dianisidin +dianisidine +dianite +dianodal +dianoetic +dianoetical +dianoetically +dianoia +dianoialogy +dianthaceae +dianthera +dianthus +dianthuses +diantre +diapalma +diapase +diapasm +diapason +diapasonal +diapasons +diapause +diapaused +diapauses +diapausing +diapedeses +diapedesis +diapedetic +diapensia +diapensiaceae +diapensiaceous +diapente +diaper +diapered +diapery +diapering +diapers +diaphane +diaphaneity +diaphany +diaphanie +diaphanometer +diaphanometry +diaphanometric +diaphanoscope +diaphanoscopy +diaphanotype +diaphanous +diaphanously +diaphanousness +diaphemetric +diaphyseal +diaphyses +diaphysial +diaphysis +diaphone +diaphones +diaphony +diaphonia +diaphonic +diaphonical +diaphonies +diaphorase +diaphoreses +diaphoresis +diaphoretic +diaphoretical +diaphoretics +diaphorite +diaphote +diaphototropic +diaphototropism +diaphragm +diaphragmal +diaphragmatic +diaphragmatically +diaphragmed +diaphragming +diaphragms +diaphtherin +diapyesis +diapyetic +diapir +diapiric +diapirs +diaplases +diaplasis +diaplasma +diaplex +diaplexal +diaplexus +diapnoe +diapnoic +diapnotic +diapophyses +diapophysial +diapophysis +diaporesis +diaporthe +diapositive +diapsid +diapsida +diapsidan +diarch +diarchy +dyarchy +diarchial +diarchic +dyarchic +dyarchical +diarchies +dyarchies +diarhemia +diary +diarial +diarian +diaries +diarist +diaristic +diarists +diarize +diarrhea +diarrheal +diarrheas +diarrheic +diarrhetic +diarrhoea +diarrhoeal +diarrhoeic +diarrhoetic +diarsenide +diarthric +diarthrodial +diarthroses +diarthrosis +diarticular +dias +dyas +diaschisis +diaschisma +diaschistic +diascia +diascope +diascopy +diascord +diascordium +diasene +diasynthesis +diasyrm +diasystem +diaskeuasis +diaskeuast +diasper +diaspidinae +diaspidine +diaspinae +diaspine +diaspirin +diaspora +diasporas +diaspore +diaspores +dyassic +diastalses +diastalsis +diastaltic +diastase +diastases +diastasic +diastasimetry +diastasis +diastataxy +diastataxic +diastatic +diastatically +diastem +diastema +diastemata +diastematic +diastematomyelia +diaster +dyaster +diastereoisomer +diastereoisomeric +diastereoisomerism +diastereomer +diasters +diastyle +diastimeter +diastole +diastoles +diastolic +diastomatic +diastral +diastrophe +diastrophy +diastrophic +diastrophically +diastrophism +diatessaron +diatesseron +diathermacy +diathermal +diathermance +diathermancy +diathermaneity +diathermanous +diathermy +diathermia +diathermic +diathermies +diathermize +diathermometer +diathermotherapy +diathermous +diatheses +diathesic +diathesis +diathetic +diatom +diatoma +diatomaceae +diatomacean +diatomaceoid +diatomaceous +diatomales +diatomeae +diatomean +diatomic +diatomicity +diatomiferous +diatomin +diatomine +diatomist +diatomite +diatomous +diatoms +diatonic +diatonical +diatonically +diatonicism +diatonous +diatoric +diatreme +diatribe +diatribes +diatribist +diatryma +diatrymiformes +diatropic +diatropism +diau +diauli +diaulic +diaulos +dyaus +diavolo +diaxial +diaxon +diaxone +diaxonic +diazenithal +diazepam +diazepams +diazeuctic +diazeutic +diazeuxis +diazid +diazide +diazin +diazine +diazines +diazins +diazo +diazoalkane +diazoamin +diazoamine +diazoamino +diazoaminobenzene +diazoanhydride +diazoate +diazobenzene +diazohydroxide +diazoic +diazoimide +diazoimido +diazole +diazoles +diazoma +diazomethane +diazonium +diazotate +diazotic +diazotype +diazotizability +diazotizable +diazotization +diazotize +diazotized +diazotizing +dib +dibase +dibasic +dibasicity +dibatag +dibatis +dibbed +dibber +dibbers +dibbing +dibble +dibbled +dibbler +dibblers +dibbles +dibbling +dibbuk +dybbuk +dibbukim +dybbukim +dibbuks +dybbuks +dibenzyl +dibenzoyl +dibenzophenazine +dibenzopyrrole +dibhole +diblastula +diborate +dibothriocephalus +dibrach +dibranch +dibranchia +dibranchiata +dibranchiate +dibranchious +dibrom +dibromid +dibromide +dibromoacetaldehyde +dibromobenzene +dibs +dibstone +dibstones +dibucaine +dibutyl +dibutyrate +dibutyrin +dicacity +dicacodyl +dicaeidae +dicaeology +dicalcic +dicalcium +dicarbonate +dicarbonic +dicarboxylate +dicarboxylic +dicaryon +dicaryophase +dicaryophyte +dicaryotic +dicarpellary +dicast +dicastery +dicasteries +dicastic +dicasts +dicatalectic +dicatalexis +diccon +dice +dyce +diceboard +dicebox +dicecup +diced +dicey +dicellate +diceman +dicentra +dicentras +dicentrin +dicentrine +dicephalism +dicephalous +dicephalus +diceplay +dicer +diceras +diceratidae +dicerion +dicerous +dicers +dices +dicetyl +dich +dichapetalaceae +dichapetalum +dichas +dichasia +dichasial +dichasium +dichastasis +dichastic +dichelyma +dichlamydeous +dichlone +dichloramin +dichloramine +dichlorhydrin +dichloride +dichloroacetic +dichlorobenzene +dichlorodifluoromethane +dichlorodiphenyltrichloroethane +dichlorohydrin +dichloromethane +dichlorvos +dichocarpism +dichocarpous +dichogamy +dichogamic +dichogamous +dichondra +dichondraceae +dichopodial +dichoptic +dichord +dichoree +dichorisandra +dichotic +dichotically +dichotomal +dichotomy +dichotomic +dichotomically +dichotomies +dichotomisation +dichotomise +dichotomised +dichotomising +dichotomist +dichotomistic +dichotomization +dichotomize +dichotomized +dichotomizing +dichotomous +dichotomously +dichotomousness +dichotriaene +dichroic +dichroiscope +dichroiscopic +dichroism +dichroite +dichroitic +dichromasy +dichromasia +dichromat +dichromate +dichromatic +dichromaticism +dichromatism +dichromatopsia +dichromic +dichromism +dichronous +dichrooscope +dichrooscopic +dichroous +dichroscope +dichroscopic +dicht +dichter +dicyan +dicyandiamide +dicyanid +dicyanide +dicyanin +dicyanine +dicyanodiamide +dicyanogen +dicycle +dicycly +dicyclic +dicyclica +dicyclies +dicyclist +dicyclopentadienyliron +dicyema +dicyemata +dicyemid +dicyemida +dicyemidae +dicier +diciest +dicing +dicynodon +dicynodont +dicynodontia +dicynodontidae +dick +dickcissel +dickey +dickeybird +dickeys +dickens +dickenses +dickensian +dickensiana +dicker +dickered +dickering +dickers +dicky +dickybird +dickie +dickies +dickinsonite +dickite +dicks +dicksonia +dickty +diclesium +diclidantheraceae +dicliny +diclinic +diclinies +diclinism +diclinous +diclytra +dicoccous +dicodeine +dicoelious +dicoelous +dicolic +dicolon +dicondylian +dicophane +dicot +dicotyl +dicotyledon +dicotyledonary +dicotyledones +dicotyledonous +dicotyledons +dicotyles +dicotylidae +dicotylous +dicotyls +dicots +dicoumarin +dicoumarol +dicranaceae +dicranaceous +dicranoid +dicranterian +dicranum +dicrostonyx +dicrotal +dicrotic +dicrotism +dicrotous +dicruridae +dict +dicta +dictaen +dictagraph +dictamen +dictamina +dictamnus +dictaphone +dictaphones +dictate +dictated +dictates +dictating +dictatingly +dictation +dictational +dictations +dictative +dictator +dictatory +dictatorial +dictatorialism +dictatorially +dictatorialness +dictators +dictatorship +dictatorships +dictatress +dictatrix +dictature +dictery +dicty +dictic +dictynid +dictynidae +dictyoceratina +dictyoceratine +dictyodromous +dictyogen +dictyogenous +dictyograptus +dictyoid +diction +dictional +dictionally +dictionary +dictionarian +dictionaries +dictyonema +dictyonina +dictyonine +dictions +dictyophora +dictyopteran +dictyopteris +dictyosiphon +dictyosiphonaceae +dictyosiphonaceous +dictyosome +dictyostele +dictyostelic +dictyota +dictyotaceae +dictyotaceous +dictyotales +dictyotic +dictyoxylon +dictograph +dictronics +dictum +dictums +did +didache +didachist +didact +didactic +didactical +didacticality +didactically +didactician +didacticism +didacticity +didactics +didactyl +didactylism +didactylous +didactive +didacts +didal +didapper +didappers +didascalar +didascaly +didascaliae +didascalic +didascalos +didder +diddered +diddering +diddest +diddy +diddies +diddikai +diddle +diddled +diddler +diddlers +diddles +diddling +didelph +didelphia +didelphian +didelphic +didelphid +didelphidae +didelphyidae +didelphine +didelphis +didelphoid +didelphous +didepsid +didepside +didest +didgeridoo +didy +didicoy +dididae +didie +didies +didym +didymate +didymia +didymis +didymitis +didymium +didymiums +didymoid +didymolite +didymous +didymus +didynamy +didynamia +didynamian +didynamic +didynamies +didynamous +didine +didinium +didle +didler +didn +didna +didnt +dido +didodecahedral +didodecahedron +didoes +didonia +didos +didrachm +didrachma +didrachmal +didrachmas +didric +didromy +didromies +didst +diduce +diduced +diducing +diduction +diductively +diductor +didunculidae +didunculinae +didunculus +didus +die +dye +dyeability +dyeable +dieb +dieback +diebacks +dyebeck +diecase +diecious +dieciously +diectasis +died +dyed +diedral +diedric +dieffenbachia +diegesis +diego +diegueno +diehard +diehards +dyehouse +dieyerie +dieing +dyeing +dyeings +diel +dieldrin +dieldrins +dyeleaves +dielec +dielectric +dielectrical +dielectrically +dielectrics +dielike +dyeline +dielytra +diem +diemaker +dyemaker +diemakers +diemaking +dyemaking +diencephala +diencephalic +diencephalon +diencephalons +diene +diener +dienes +dier +dyer +diereses +dieresis +dieretic +dieri +dyers +diervilla +dies +dyes +diesel +dieselization +dieselize +dieselized +dieselizing +diesels +dieses +diesinker +diesinking +diesis +diester +dyester +diesters +diestock +diestocks +diestrous +diestrual +diestrum +diestrums +diestrus +diestruses +dyestuff +dyestuffs +diet +dietal +dietary +dietarian +dietaries +dietarily +dieted +dieter +dieters +dietetic +dietetical +dietetically +dietetics +dietetist +diethanolamine +diether +diethyl +diethylacetal +diethylamide +diethylamine +diethylaminoethanol +diethylenediamine +diethylethanolamine +diethylmalonylurea +diethylstilbestrol +diethylstilboestrol +diethyltryptamine +diety +dietic +dietical +dietician +dieticians +dietics +dieties +dietine +dieting +dietist +dietitian +dietitians +dietotherapeutics +dietotherapy +dietotoxic +dietotoxicity +dietrichite +diets +dietted +dietzeite +dieugard +dyeware +dyeweed +dyeweeds +diewise +dyewood +dyewoods +diezeugmenon +dif +difda +diferrion +diff +diffame +diffareation +diffarreation +diffeomorphic +diffeomorphism +differ +differed +differen +difference +differenced +differences +differency +differencing +differencingly +different +differentia +differentiability +differentiable +differentiae +differential +differentialize +differentially +differentials +differentiant +differentiate +differentiated +differentiates +differentiating +differentiation +differentiations +differentiative +differentiator +differentiators +differently +differentness +differer +differers +differing +differingly +differs +difficile +difficileness +difficilitate +difficult +difficulty +difficulties +difficultly +difficultness +diffidation +diffide +diffided +diffidence +diffident +diffidently +diffidentness +diffiding +diffinity +difflation +diffluence +diffluent +difflugia +difform +difforme +difformed +difformity +diffract +diffracted +diffracting +diffraction +diffractional +diffractions +diffractive +diffractively +diffractiveness +diffractometer +diffracts +diffranchise +diffrangibility +diffrangible +diffugient +diffund +diffusate +diffuse +diffused +diffusedly +diffusedness +diffusely +diffuseness +diffuser +diffusers +diffuses +diffusibility +diffusible +diffusibleness +diffusibly +diffusimeter +diffusing +diffusiometer +diffusion +diffusional +diffusionism +diffusionist +diffusions +diffusive +diffusively +diffusiveness +diffusivity +diffusor +diffusors +difluence +difluoride +diformin +difunctional +dig +digallate +digallic +digametic +digamy +digamies +digamist +digamists +digamma +digammas +digammate +digammated +digammic +digamous +digastric +digenea +digeneous +digenesis +digenetic +digenetica +digeny +digenic +digenite +digenous +digerent +digest +digestant +digested +digestedly +digestedness +digester +digesters +digestibility +digestible +digestibleness +digestibly +digestif +digesting +digestion +digestional +digestive +digestively +digestiveness +digestment +digestor +digestory +digestors +digests +digesture +diggable +digged +digger +diggers +digging +diggings +dight +dighted +dighter +dighting +dights +digynia +digynian +digynous +digit +digital +digitalein +digitalic +digitaliform +digitalin +digitalis +digitalism +digitalization +digitalize +digitalized +digitalizing +digitally +digitals +digitaria +digitate +digitated +digitately +digitation +digitiform +digitigrada +digitigrade +digitigradism +digitinervate +digitinerved +digitipinnate +digitisation +digitise +digitised +digitising +digitization +digitize +digitized +digitizer +digitizes +digitizing +digitogenin +digitonin +digitoplantar +digitorium +digitoxigenin +digitoxin +digitoxose +digitron +digits +digitule +digitus +digladiate +digladiated +digladiating +digladiation +digladiator +diglyceride +diglyph +diglyphic +diglossia +diglot +diglots +diglottic +diglottism +diglottist +diglucoside +digmeat +dignation +digne +dignify +dignification +dignified +dignifiedly +dignifiedness +dignifies +dignifying +dignitary +dignitarial +dignitarian +dignitaries +dignitas +dignity +dignities +dignosce +dignosle +dignotion +dygogram +digonal +digoneutic +digoneutism +digonoporous +digonous +digor +digoxin +digoxins +digram +digraph +digraphic +digraphically +digraphs +digredience +digrediency +digredient +digress +digressed +digresser +digresses +digressing +digressingly +digression +digressional +digressionary +digressions +digressive +digressively +digressiveness +digressory +digs +diguanide +digue +dihalid +dihalide +dihalo +dihalogen +dihdroxycholecalciferol +dihedral +dihedrals +dihedron +dihedrons +dihely +dihelios +dihelium +dihexagonal +dihexahedral +dihexahedron +dihybrid +dihybridism +dihybrids +dihydrate +dihydrated +dihydrazone +dihydric +dihydride +dihydrite +dihydrochloride +dihydrocupreine +dihydrocuprin +dihydroergotamine +dihydrogen +dihydrol +dihydromorphinone +dihydronaphthalene +dihydronicotine +dihydrosphingosine +dihydrostreptomycin +dihydrotachysterol +dihydroxy +dihydroxyacetone +dihydroxysuccinic +dihydroxytoluene +dihysteria +diiamb +diiambus +dying +dyingly +dyingness +dyings +diiodid +diiodide +diiodo +diiodoform +diiodotyrosine +diipenates +diipolia +diisatogen +dijudicant +dijudicate +dijudicated +dijudicating +dijudication +dika +dikage +dykage +dikamali +dikamalli +dikaryon +dikaryophase +dikaryophasic +dikaryophyte +dikaryophytic +dikaryotic +dikast +dikdik +dikdiks +dike +dyke +diked +dyked +dikegrave +dykehopper +dikelet +dikelocephalid +dikelocephalus +dikephobia +diker +dyker +dikereeve +dykereeve +dikeria +dikerion +dikers +dikes +dykes +dikeside +diketene +diketo +diketone +diking +dyking +dikkop +diksha +diktat +diktats +diktyonite +dil +dilacerate +dilacerated +dilacerating +dilaceration +dilactic +dilactone +dilambdodont +dilamination +dylan +dilaniate +dilantin +dilapidate +dilapidated +dilapidating +dilapidation +dilapidator +dilatability +dilatable +dilatableness +dilatably +dilatancy +dilatant +dilatants +dilatate +dilatation +dilatational +dilatations +dilatative +dilatator +dilatatory +dilate +dilated +dilatedly +dilatedness +dilatement +dilater +dilaters +dilates +dilating +dilatingly +dilation +dilations +dilative +dilatometer +dilatometry +dilatometric +dilatometrically +dilator +dilatory +dilatorily +dilatoriness +dilators +dildo +dildoe +dildoes +dildos +dilection +dilemi +dilemite +dilemma +dilemmas +dilemmatic +dilemmatical +dilemmatically +dilemmic +diletant +dilettanist +dilettant +dilettante +dilettanteish +dilettanteism +dilettantes +dilettanteship +dilettanti +dilettantish +dilettantism +dilettantist +dilettantship +diligence +diligences +diligency +diligent +diligentia +diligently +diligentness +dilis +dilker +dill +dillenia +dilleniaceae +dilleniaceous +dilleniad +dillesk +dilli +dilly +dillydally +dillydallied +dillydallier +dillydallies +dillydallying +dillier +dillies +dilligrout +dillyman +dillymen +dilling +dillis +dillisk +dills +dillseed +dillue +dilluer +dillweed +dilo +dilogarithm +dilogy +dilogical +dilos +dilucid +dilucidate +diluendo +diluent +diluents +dilutant +dilute +diluted +dilutedly +dilutedness +dilutee +dilutely +diluteness +dilutent +diluter +diluters +dilutes +diluting +dilution +dilutions +dilutive +dilutor +dilutors +diluvy +diluvia +diluvial +diluvialist +diluvian +diluvianism +diluviate +diluvion +diluvions +diluvium +diluviums +dim +dimagnesic +dimane +dimanganion +dimanganous +dimaris +dimastigate +dimatis +dimber +dimberdamber +dimble +dime +dimedon +dimedone +dimenhydrinate +dimensible +dimension +dimensional +dimensionality +dimensionally +dimensioned +dimensioning +dimensionless +dimensions +dimensive +dimensum +dimensuration +dimer +dimera +dimeran +dimercaprol +dimercury +dimercuric +dimercurion +dimeric +dimeride +dimerism +dimerisms +dimerization +dimerize +dimerized +dimerizes +dimerizing +dimerlie +dimerous +dimers +dimes +dimetallic +dimeter +dimeters +dimethyl +dimethylamine +dimethylamino +dimethylaniline +dimethylanthranilate +dimethylbenzene +dimethylcarbinol +dimethyldiketone +dimethylhydrazine +dimethylketol +dimethylketone +dimethylmethane +dimethylnitrosamine +dimethyls +dimethylsulfoxide +dimethylsulphoxide +dimethyltryptamine +dimethoate +dimethoxy +dimethoxymethane +dimetient +dimetry +dimetria +dimetric +dimetrodon +dimyary +dimyaria +dimyarian +dimyaric +dimication +dimidiate +dimidiated +dimidiating +dimidiation +dimin +diminish +diminishable +diminishableness +diminished +diminisher +diminishes +diminishing +diminishingly +diminishingturns +diminishment +diminishments +diminue +diminuendo +diminuendoed +diminuendoes +diminuendos +diminuent +diminutal +diminute +diminuted +diminutely +diminuting +diminution +diminutional +diminutions +diminutival +diminutive +diminutively +diminutiveness +diminutivize +dimiss +dimissaries +dimission +dimissory +dimissorial +dimit +dimity +dimities +dimitry +dimitted +dimitting +dimittis +dimly +dimmable +dimmed +dimmedness +dimmer +dimmers +dimmest +dimmet +dimmy +dimming +dimmish +dimmit +dimmock +dimna +dimness +dimnesses +dimolecular +dimoric +dimorph +dimorphic +dimorphism +dimorphisms +dimorphite +dimorphotheca +dimorphous +dimorphs +dimout +dimouts +dimple +dimpled +dimplement +dimples +dimply +dimplier +dimpliest +dimpling +dimps +dimpsy +dims +dimuence +dimwit +dimwits +dimwitted +dimwittedly +dimwittedness +din +dyn +dynactinometer +dynagraph +dinah +dynam +dynameter +dynametric +dynametrical +dynamic +dynamical +dynamically +dynamicity +dynamics +dynamis +dynamism +dynamisms +dynamist +dynamistic +dynamists +dynamitard +dynamite +dynamited +dynamiter +dynamiters +dynamites +dynamitic +dynamitical +dynamitically +dynamiting +dynamitish +dynamitism +dynamitist +dynamization +dynamize +dynamo +dinamode +dynamoelectric +dynamoelectrical +dynamogeneses +dynamogenesis +dynamogeny +dynamogenic +dynamogenous +dynamogenously +dynamograph +dynamometamorphic +dynamometamorphism +dynamometamorphosed +dynamometer +dynamometers +dynamometry +dynamometric +dynamometrical +dynamomorphic +dynamoneure +dynamophone +dynamos +dynamoscope +dynamostatic +dynamotor +dinanderie +dinantian +dinaphthyl +dynapolis +dinar +dinarchy +dinarchies +dinaric +dinars +dinarzade +dynast +dynastes +dynasty +dynastic +dynastical +dynastically +dynasticism +dynastid +dynastidan +dynastides +dynasties +dynastinae +dynasts +dynatron +dynatrons +dinder +dindymene +dindymus +dindle +dindled +dindles +dindling +dindon +dine +dyne +dined +dynel +diner +dinergate +dineric +dinero +dineros +diners +dines +dynes +dinetic +dinette +dinettes +dineuric +dineutron +ding +dingar +dingbat +dingbats +dingdong +dingdonged +dingdonging +dingdongs +dinge +dinged +dingee +dingey +dingeing +dingeys +dinger +dinghee +dinghy +dinghies +dingy +dingier +dingies +dingiest +dingily +dinginess +dinging +dingle +dingleberry +dinglebird +dingled +dingledangle +dingles +dingly +dingling +dingman +dingmaul +dingo +dingoes +dings +dingthrift +dingus +dinguses +dingwall +dinheiro +dinic +dinical +dinichthyid +dinichthys +dining +dinitrate +dinitril +dinitrile +dinitro +dinitrobenzene +dinitrocellulose +dinitrophenylhydrazine +dinitrophenol +dinitrotoluene +dink +dinka +dinked +dinkey +dinkeys +dinky +dinkier +dinkies +dinkiest +dinking +dinkly +dinks +dinkum +dinman +dinmont +dinned +dinner +dinnery +dinnerless +dinnerly +dinners +dinnertime +dinnerware +dinning +dinobryon +dinoceras +dinocerata +dinoceratan +dinoceratid +dinoceratidae +dynode +dynodes +dinoflagellata +dinoflagellatae +dinoflagellate +dinoflagellida +dinomic +dinomys +dinophyceae +dinophilea +dinophilus +dinornis +dinornithes +dinornithic +dinornithid +dinornithidae +dinornithiformes +dinornithine +dinornithoid +dino +dinos +dinosaur +dinosauria +dinosaurian +dinosauric +dinosaurs +dinothere +dinotheres +dinotherian +dinotheriidae +dinotherium +dins +dinsome +dint +dinted +dinting +dintless +dints +dinucleotide +dinumeration +dinus +diobely +diobol +diobolon +diobolons +diobols +dioc +diocesan +diocesans +diocese +dioceses +diocesian +diocletian +diocoel +dioctahedral +dioctophyme +diode +diodes +diodia +diodon +diodont +diodontidae +dioecy +dioecia +dioecian +dioeciodimorphous +dioeciopolygamous +dioecious +dioeciously +dioeciousness +dioecism +dioecisms +dioestrous +dioestrum +dioestrus +diogenean +diogenes +diogenic +diogenite +dioicous +dioicously +dioicousness +diol +diolefin +diolefine +diolefinic +diolefins +diols +diomate +diomedea +diomedeidae +diomedes +dion +dionaea +dionaeaceae +dione +dionym +dionymal +dionise +dionysia +dionysiac +dionysiacal +dionysiacally +dionysian +dionysus +dionize +dioon +diophantine +diophysite +dyophysite +dyophysitic +dyophysitical +dyophysitism +dyophone +diopsidae +diopside +diopsides +diopsidic +diopsimeter +diopsis +dioptase +dioptases +diopter +diopters +dioptidae +dioptograph +dioptometer +dioptometry +dioptomiter +dioptoscopy +dioptra +dioptral +dioptrate +dioptre +dioptres +dioptry +dioptric +dioptrical +dioptrically +dioptrics +dioptrometer +dioptrometry +dioptroscopy +diorama +dioramas +dioramic +diordinal +diorism +diorite +diorites +dioritic +diorthoses +diorthosis +diorthotic +dioscorea +dioscoreaceae +dioscoreaceous +dioscorein +dioscorine +dioscuri +dioscurian +diose +diosgenin +diosma +diosmin +diosmose +diosmosed +diosmosing +diosmosis +diosmotic +diosphenol +diospyraceae +diospyraceous +diospyros +dyostyle +diota +dyotheism +dyothelete +dyotheletian +dyotheletic +dyotheletical +dyotheletism +diothelism +dyothelism +dioti +diotic +diotocardia +diotrephes +diovular +dioxan +dioxane +dioxanes +dioxy +dioxid +dioxide +dioxides +dioxids +dioxime +dioxin +dioxindole +dip +dipala +diparentum +dipartite +dipartition +dipaschal +dipchick +dipcoat +dipentene +dipentine +dipeptid +dipeptidase +dipeptide +dipetalous +dipetto +diphase +diphaser +diphasic +diphead +diphenan +diphenhydramine +diphenyl +diphenylacetylene +diphenylamine +diphenylaminechlorarsine +diphenylchloroarsine +diphenylene +diphenylenimide +diphenylenimine +diphenylguanidine +diphenylhydantoin +diphenylmethane +diphenylquinomethane +diphenyls +diphenylthiourea +diphenol +diphenoxylate +diphycercal +diphycercy +diphyes +diphyesis +diphygenic +diphyletic +diphylla +diphylleia +diphyllobothrium +diphyllous +diphyodont +diphyozooid +diphysite +diphysitism +diphyzooid +dyphone +diphonia +diphosgene +diphosphate +diphosphid +diphosphide +diphosphoric +diphosphothiamine +diphrelatic +diphtheria +diphtherial +diphtherian +diphtheriaphor +diphtheric +diphtheritic +diphtheritically +diphtheritis +diphtheroid +diphtheroidal +diphtherotoxin +diphthong +diphthongal +diphthongalize +diphthongally +diphthongation +diphthonged +diphthongia +diphthongic +diphthonging +diphthongisation +diphthongise +diphthongised +diphthongising +diphthongization +diphthongize +diphthongized +diphthongizing +diphthongous +diphthongs +dipicrate +dipicrylamin +dipicrylamine +dipygi +dipygus +dipylon +dipyramid +dipyramidal +dipyre +dipyrenous +dipyridyl +dipl +diplacanthidae +diplacanthus +diplacuses +diplacusis +dipladenia +diplanar +diplanetic +diplanetism +diplantidian +diplarthrism +diplarthrous +diplasiasmus +diplasic +diplasion +diple +diplegia +diplegias +diplegic +dipleidoscope +dipleiodoscope +dipleura +dipleural +dipleuric +dipleurobranchiate +dipleurogenesis +dipleurogenetic +dipleurula +dipleurulas +dipleurule +diplex +diplexer +diplobacillus +diplobacterium +diploblastic +diplocardia +diplocardiac +diplocarpon +diplocaulescent +diplocephaly +diplocephalous +diplocephalus +diplochlamydeous +diplococcal +diplococcemia +diplococci +diplococcic +diplococcocci +diplococcoid +diplococcus +diploconical +diplocoria +diplodia +diplodocus +diplodocuses +diplodus +diploe +diploes +diploetic +diplogangliate +diplogenesis +diplogenetic +diplogenic +diploglossata +diploglossate +diplograph +diplography +diplographic +diplographical +diplohedral +diplohedron +diploic +diploid +diploidy +diploidic +diploidies +diploidion +diploidize +diploids +diplois +diplokaryon +diploma +diplomacy +diplomacies +diplomaed +diplomaing +diplomas +diplomat +diplomata +diplomate +diplomates +diplomatic +diplomatical +diplomatically +diplomatics +diplomatique +diplomatism +diplomatist +diplomatists +diplomatize +diplomatized +diplomatology +diplomats +diplomyelia +diplonema +diplonephridia +diploneural +diplont +diplontic +diplonts +diploperistomic +diplophase +diplophyte +diplophonia +diplophonic +diplopy +diplopia +diplopiaphobia +diplopias +diplopic +diploplacula +diploplacular +diploplaculate +diplopod +diplopoda +diplopodic +diplopodous +diplopods +diploptera +diplopteryga +diplopterous +diploses +diplosis +diplosome +diplosphenal +diplosphene +diplospondyli +diplospondylic +diplospondylism +diplostemony +diplostemonous +diplostichous +diplotaxis +diplotegia +diplotene +diplozoon +diplumbic +dipmeter +dipneedle +dipneumona +dipneumones +dipneumonous +dipneust +dipneustal +dipneusti +dipnoan +dipnoans +dipnoi +dipnoid +dypnone +dipnoous +dipode +dipody +dipodic +dipodid +dipodidae +dipodies +dipodomyinae +dipodomys +dipolar +dipolarization +dipolarize +dipole +dipoles +dipolsphene +diporpa +dipotassic +dipotassium +dippable +dipped +dipper +dipperful +dippers +dippy +dippier +dippiest +dipping +dippings +dipppy +dipppier +dipppiest +diprimary +diprismatic +dipropargyl +dipropellant +dipropyl +diprotic +diprotodan +diprotodon +diprotodont +diprotodontia +dips +dipsacaceae +dipsacaceous +dipsaceae +dipsaceous +dipsacus +dipsades +dipsadinae +dipsadine +dipsas +dipsey +dipsetic +dipsy +dipsie +dipso +dipsomania +dipsomaniac +dipsomaniacal +dipsomaniacs +dipsopathy +dipsos +dipsosaurus +dipsosis +dipstick +dipsticks +dipt +dipter +diptera +dipteraceae +dipteraceous +dipterad +dipteral +dipteran +dipterans +dipterygian +dipterist +dipteryx +dipterocarp +dipterocarpaceae +dipterocarpaceous +dipterocarpous +dipterocarpus +dipterocecidium +dipteroi +dipterology +dipterological +dipterologist +dipteron +dipteros +dipterous +dipterus +diptyca +diptycas +diptych +diptychon +diptychs +diptote +dipus +dipware +diquat +diquats +dir +diradiation +dirca +dircaean +dird +dirdum +dirdums +dire +direcly +direct +directable +directcarving +directdiscourse +directed +directer +directest +directeur +directexamination +directing +direction +directional +directionality +directionalize +directionally +directionize +directionless +directions +directitude +directive +directively +directiveness +directives +directivity +directly +directness +directoire +director +directoral +directorate +directorates +directory +directorial +directorially +directories +directors +directorship +directorships +directress +directrices +directrix +directrixes +directs +direful +direfully +direfulness +direly +dirempt +diremption +direness +direnesses +direption +direr +direst +direx +direxit +dirge +dirged +dirgeful +dirgelike +dirgeman +dirges +dirgy +dirgie +dirging +dirgler +dirham +dirhams +dirhem +dirhinous +dirian +dirichletian +dirige +dirigent +dirigibility +dirigible +dirigibles +dirigo +dirigomotor +diriment +dirity +dirk +dirked +dirking +dirks +dirl +dirled +dirling +dirls +dirndl +dirndls +dirt +dirtbird +dirtboard +dirten +dirtfarmer +dirty +dirtied +dirtier +dirties +dirtiest +dirtying +dirtily +dirtiness +dirtplate +dirts +diruption +dis +dys +disa +disability +disabilities +disable +disabled +disablement +disableness +disabler +disablers +disables +disabling +disabusal +disabuse +disabused +disabuses +disabusing +disacceptance +disaccharid +disaccharidase +disaccharide +disaccharides +disaccharose +disaccommodate +disaccommodation +disaccomodate +disaccord +disaccordance +disaccordant +disaccredit +disaccustom +disaccustomed +disaccustomedness +disacidify +disacidified +disacknowledge +disacknowledgement +disacknowledgements +dysacousia +dysacousis +dysacousma +disacquaint +disacquaintance +disacryl +dysacusia +dysadaptation +disadjust +disadorn +disadvance +disadvanced +disadvancing +disadvantage +disadvantaged +disadvantagedness +disadvantageous +disadvantageously +disadvantageousness +disadvantages +disadvantaging +disadventure +disadventurous +disadvise +disadvised +disadvising +dysaesthesia +dysaesthetic +disaffect +disaffectation +disaffected +disaffectedly +disaffectedness +disaffecting +disaffection +disaffectionate +disaffections +disaffects +disaffiliate +disaffiliated +disaffiliates +disaffiliating +disaffiliation +disaffiliations +disaffinity +disaffirm +disaffirmance +disaffirmation +disaffirmative +disaffirming +disafforest +disafforestation +disafforestment +disagglomeration +disaggregate +disaggregated +disaggregation +disaggregative +disagio +disagree +disagreeability +disagreeable +disagreeableness +disagreeables +disagreeably +disagreeance +disagreed +disagreeing +disagreement +disagreements +disagreer +disagrees +disagreing +disalicylide +disalign +disaligned +disaligning +disalignment +disalike +disally +disalliege +disallow +disallowable +disallowableness +disallowance +disallowances +disallowed +disallowing +disallows +disaltern +disambiguate +disambiguated +disambiguates +disambiguating +disambiguation +disambiguations +disamenity +disamis +dysanagnosia +disanagrammatize +dysanalyte +disanalogy +disanalogous +disanchor +disangelical +disangularize +disanimal +disanimate +disanimated +disanimating +disanimation +disanney +disannex +disannexation +disannul +disannulled +disannuller +disannulling +disannulment +disannuls +disanoint +disanswerable +dysaphia +disapostle +disapparel +disappear +disappearance +disappearances +disappeared +disappearer +disappearing +disappears +disappendancy +disappendant +disappoint +disappointed +disappointedly +disappointer +disappointing +disappointingly +disappointingness +disappointment +disappointments +disappoints +disappreciate +disappreciation +disapprobation +disapprobations +disapprobative +disapprobatory +disappropriate +disappropriation +disapprovable +disapproval +disapprovals +disapprove +disapproved +disapprover +disapproves +disapproving +disapprovingly +disaproned +dysaptation +disarchbishop +disard +disarm +disarmament +disarmature +disarmed +disarmer +disarmers +disarming +disarmingly +disarms +disarray +disarrayed +disarraying +disarrays +disarrange +disarranged +disarrangement +disarrangements +disarranger +disarranges +disarranging +disarrest +dysarthria +dysarthric +dysarthrosis +disarticulate +disarticulated +disarticulating +disarticulation +disarticulator +disasinate +disasinize +disassemble +disassembled +disassembler +disassembles +disassembly +disassembling +disassent +disassiduity +disassimilate +disassimilated +disassimilating +disassimilation +disassimilative +disassociable +disassociate +disassociated +disassociates +disassociating +disassociation +disaster +disasterly +disasters +disastimeter +disastrous +disastrously +disastrousness +disattaint +disattire +disattune +disaugment +disauthentic +disauthenticate +disauthorize +dysautonomia +disavail +disavaunce +disavouch +disavow +disavowable +disavowal +disavowals +disavowance +disavowed +disavowedly +disavower +disavowing +disavowment +disavows +disawa +disazo +disbalance +disbalancement +disband +disbanded +disbanding +disbandment +disbandments +disbands +disbar +dysbarism +disbark +disbarment +disbarments +disbarred +disbarring +disbars +disbase +disbecome +disbelief +disbeliefs +disbelieve +disbelieved +disbeliever +disbelievers +disbelieves +disbelieving +disbelievingly +disbench +disbenched +disbenching +disbenchment +disbend +disbind +disblame +disbloom +disboard +disbody +disbodied +disbogue +disboscation +disbosom +disbosomed +disbosoming +disbosoms +disbound +disbowel +disboweled +disboweling +disbowelled +disbowelling +disbowels +disbrain +disbranch +disbranched +disbranching +disbud +disbudded +disbudder +disbudding +disbuds +dysbulia +dysbulic +disburden +disburdened +disburdening +disburdenment +disburdens +disburgeon +disbury +disbursable +disbursal +disbursals +disburse +disbursed +disbursement +disbursements +disburser +disburses +disbursing +disburthen +disbutton +disc +discabinet +discage +discal +discalceate +discalced +discamp +discandy +discanonization +discanonize +discanonized +discant +discanted +discanter +discanting +discants +discantus +discapacitate +discard +discardable +discarded +discarder +discarding +discardment +discards +discarnate +discarnation +discase +discased +discases +discasing +discastle +discatter +disced +discede +discept +disceptation +disceptator +discepted +discepting +discepts +discern +discernable +discernableness +discernably +discerned +discerner +discerners +discernibility +discernible +discernibleness +discernibly +discerning +discerningly +discernment +discerns +discerp +discerped +discerpibility +discerpible +discerpibleness +discerping +discerptibility +discerptible +discerptibleness +discerption +discerptive +discession +discharacter +discharge +dischargeable +discharged +dischargee +discharger +dischargers +discharges +discharging +discharity +discharm +dischase +dischevel +dyschiria +dyschroa +dyschroia +dyschromatopsia +dyschromatoptic +dyschronous +dischurch +disci +discide +disciferous +disciflorae +discifloral +disciflorous +disciform +discigerous +discina +discinct +discind +discing +discinoid +disciple +discipled +disciplelike +disciples +discipleship +disciplinability +disciplinable +disciplinableness +disciplinal +disciplinant +disciplinary +disciplinarian +disciplinarianism +disciplinarians +disciplinarily +disciplinarity +disciplinate +disciplinative +disciplinatory +discipline +disciplined +discipliner +discipliners +disciplines +discipling +disciplining +discipular +discircumspection +discission +discitis +disclaim +disclaimant +disclaimed +disclaimer +disclaimers +disclaiming +disclaims +disclamation +disclamatory +disclander +disclass +disclassify +disclike +disclimax +discloak +discloister +disclosable +disclose +disclosed +discloser +discloses +disclosing +disclosive +disclosure +disclosures +discloud +disclout +disclusion +disco +discoach +discoactine +discoast +discoblastic +discoblastula +discoboli +discobolos +discobolus +discocarp +discocarpium +discocarpous +discocephalous +discodactyl +discodactylous +discogastrula +discoglossid +discoglossidae +discoglossoid +discographer +discography +discographic +discographical +discographically +discographies +discoherent +discohexaster +discoid +discoidal +discoidea +discoideae +discoids +discolichen +discolith +discolor +discolorate +discolorated +discoloration +discolorations +discolored +discoloredness +discoloring +discolorization +discolorment +discolors +discolour +discoloured +discolouring +discolourization +discombobulate +discombobulated +discombobulates +discombobulating +discombobulation +discomedusae +discomedusan +discomedusoid +discomfit +discomfited +discomfiter +discomfiting +discomfits +discomfiture +discomfort +discomfortable +discomfortableness +discomfortably +discomforted +discomforter +discomforting +discomfortingly +discomforts +discomycete +discomycetes +discomycetous +discommend +discommendable +discommendableness +discommendably +discommendation +discommender +discommission +discommodate +discommode +discommoded +discommodes +discommoding +discommodious +discommodiously +discommodiousness +discommodity +discommodities +discommon +discommoned +discommoning +discommons +discommune +discommunity +discomorula +discompanied +discomplexion +discompliance +discompose +discomposed +discomposedly +discomposedness +discomposes +discomposing +discomposingly +discomposure +discompt +disconanthae +disconanthous +disconcert +disconcerted +disconcertedly +disconcertedness +disconcerting +disconcertingly +disconcertingness +disconcertion +disconcertment +disconcerts +disconcord +disconduce +disconducive +disconectae +disconfirm +disconfirmation +disconfirmed +disconform +disconformable +disconformably +disconformity +disconformities +discongruity +disconjure +disconnect +disconnected +disconnectedly +disconnectedness +disconnecter +disconnecting +disconnection +disconnections +disconnective +disconnectiveness +disconnector +disconnects +disconsent +disconsider +disconsideration +disconsolacy +disconsolance +disconsolate +disconsolately +disconsolateness +disconsolation +disconsonancy +disconsonant +discontent +discontented +discontentedly +discontentedness +discontentful +discontenting +discontentive +discontentment +discontentments +discontents +discontiguity +discontiguous +discontiguousness +discontinuable +discontinual +discontinuance +discontinuances +discontinuation +discontinuations +discontinue +discontinued +discontinuee +discontinuer +discontinues +discontinuing +discontinuity +discontinuities +discontinuor +discontinuous +discontinuously +discontinuousness +disconula +disconvenience +disconvenient +disconventicle +discophile +discophora +discophoran +discophore +discophorous +discoplacenta +discoplacental +discoplacentalia +discoplacentalian +discoplasm +discopodous +discord +discordable +discordance +discordancy +discordancies +discordant +discordantly +discordantness +discorded +discorder +discordful +discordia +discording +discordous +discords +discorporate +discorrespondency +discorrespondent +discos +discost +discostate +discostomatous +discotheque +discotheques +discothque +discounsel +discount +discountable +discounted +discountenance +discountenanced +discountenancer +discountenances +discountenancing +discounter +discounters +discounting +discountinuous +discounts +discouple +discour +discourage +discourageable +discouraged +discouragedly +discouragement +discouragements +discourager +discourages +discouraging +discouragingly +discouragingness +discourse +discoursed +discourseless +discourser +discoursers +discourses +discoursing +discoursive +discoursively +discoursiveness +discourt +discourteous +discourteously +discourteousness +discourtesy +discourtesies +discourtship +discous +discovenant +discover +discoverability +discoverable +discoverably +discovered +discoverer +discoverers +discovery +discoveries +discovering +discovers +discovert +discoverture +discradle +dyscrase +dyscrased +dyscrasy +dyscrasia +dyscrasial +dyscrasic +dyscrasing +dyscrasite +dyscratic +discreate +discreated +discreating +discreation +discredence +discredit +discreditability +discreditable +discreditableness +discreditably +discredited +discrediting +discredits +discreet +discreeter +discreetest +discreetly +discreetness +discrepance +discrepancy +discrepancies +discrepancries +discrepant +discrepantly +discrepate +discrepated +discrepating +discrepation +discrepencies +discrested +discrete +discretely +discreteness +discretion +discretional +discretionally +discretionary +discretionarily +discretive +discretively +discretiveness +discriminability +discriminable +discriminably +discriminal +discriminant +discriminantal +discriminate +discriminated +discriminately +discriminateness +discriminates +discriminating +discriminatingly +discriminatingness +discrimination +discriminational +discriminations +discriminative +discriminatively +discriminativeness +discriminator +discriminatory +discriminatorily +discriminators +discriminoid +discriminous +dyscrinism +dyscrystalline +discrive +discrown +discrowned +discrowning +discrownment +discrowns +discruciate +discs +discubation +discubitory +disculpate +disculpation +disculpatory +discumb +discumber +discure +discuren +discurre +discurrent +discursative +discursativeness +discursify +discursion +discursive +discursively +discursiveness +discursory +discursus +discurtain +discus +discuses +discuss +discussable +discussant +discussants +discussed +discusser +discusses +discussible +discussing +discussion +discussional +discussionis +discussionism +discussionist +discussions +discussive +discussment +discustom +discutable +discute +discutient +disdain +disdainable +disdained +disdainer +disdainful +disdainfully +disdainfulness +disdaining +disdainly +disdainous +disdains +disdar +disdeceive +disdeify +disdein +disdenominationalize +disdiaclasis +disdiaclast +disdiaclastic +disdiapason +disdiazo +disdiplomatize +disdodecahedroid +disdub +disease +diseased +diseasedly +diseasedness +diseaseful +diseasefulness +diseases +diseasy +diseasing +disecondary +diseconomy +disedge +disedify +disedification +diseducate +disegno +diselder +diselectrify +diselectrification +diselenid +diselenide +disematism +disembay +disembalm +disembargo +disembargoed +disembargoing +disembark +disembarkation +disembarkations +disembarked +disembarking +disembarkment +disembarks +disembarrass +disembarrassed +disembarrassment +disembattle +disembed +disembellish +disembitter +disembocation +disembody +disembodied +disembodies +disembodying +disembodiment +disembodiments +disembogue +disembogued +disemboguement +disemboguing +disembosom +disembowel +disemboweled +disemboweling +disembowelled +disembowelling +disembowelment +disembowelments +disembowels +disembower +disembrace +disembrangle +disembroil +disembroilment +disemburden +diseme +disemic +disemplane +disemplaned +disemploy +disemployed +disemploying +disemployment +disemploys +disempower +disemprison +disenable +disenabled +disenablement +disenabling +disenact +disenactment +disenamor +disenamour +disenchain +disenchant +disenchanted +disenchanter +disenchanting +disenchantingly +disenchantment +disenchantments +disenchantress +disenchants +disencharm +disenclose +disencourage +disencrease +disencumber +disencumbered +disencumbering +disencumberment +disencumbers +disencumbrance +disendow +disendowed +disendower +disendowing +disendowment +disendows +disenfranchise +disenfranchised +disenfranchisement +disenfranchisements +disenfranchises +disenfranchising +disengage +disengaged +disengagedness +disengagement +disengagements +disengages +disengaging +disengirdle +disenjoy +disenjoyment +disenmesh +disennoble +disennui +disenorm +disenrol +disenroll +disensanity +disenshroud +disenslave +disensoul +disensure +disentail +disentailment +disentangle +disentangled +disentanglement +disentanglements +disentangler +disentangles +disentangling +disenter +dysentery +dysenteric +dysenterical +dysenteries +disenthral +disenthrall +disenthralled +disenthralling +disenthrallment +disenthralls +disenthralment +disenthrone +disenthroned +disenthronement +disenthroning +disentitle +disentitled +disentitlement +disentitling +disentomb +disentombment +disentraced +disentrail +disentrain +disentrainment +disentrammel +disentrance +disentranced +disentrancement +disentrancing +disentwine +disentwined +disentwining +disenvelop +disepalous +dysepulotic +dysepulotical +disequality +disequalization +disequalize +disequalizer +disequilibrate +disequilibration +disequilibria +disequilibrium +disequilibriums +dyserethisia +dysergasia +dysergia +disert +disespouse +disestablish +disestablished +disestablisher +disestablishes +disestablishing +disestablishment +disestablishmentarian +disestablishmentarianism +disestablismentarian +disestablismentarianism +disesteem +disesteemed +disesteemer +disesteeming +dysesthesia +dysesthetic +disestimation +diseur +diseurs +diseuse +diseuses +disexcommunicate +disexercise +disfaith +disfame +disfashion +disfavor +disfavored +disfavorer +disfavoring +disfavors +disfavour +disfavourable +disfavoured +disfavourer +disfavouring +disfeature +disfeatured +disfeaturement +disfeaturing +disfellowship +disfen +disfiguration +disfigurative +disfigure +disfigured +disfigurement +disfigurements +disfigurer +disfigures +disfiguring +disfiguringly +disflesh +disfoliage +disfoliaged +disforest +disforestation +disform +disformity +disfortune +disframe +disfranchise +disfranchised +disfranchisement +disfranchisements +disfranchiser +disfranchisers +disfranchises +disfranchising +disfrancnise +disfrequent +disfriar +disfrock +disfrocked +disfrocking +disfrocks +disfunction +dysfunction +dysfunctional +dysfunctioning +disfunctions +dysfunctions +disfurnish +disfurnished +disfurnishment +disfurniture +disgage +disgallant +disgarland +disgarnish +disgarrison +disgavel +disgaveled +disgaveling +disgavelled +disgavelling +disgeneric +dysgenesic +dysgenesis +dysgenetic +disgenic +dysgenic +dysgenical +dysgenics +disgenius +dysgeogenous +disgig +disglory +disglorify +disglut +dysgnosia +dysgonic +disgood +disgorge +disgorged +disgorgement +disgorger +disgorges +disgorging +disgospel +disgospelize +disgout +disgown +disgrace +disgraced +disgraceful +disgracefully +disgracefulness +disgracement +disgracer +disgracers +disgraces +disgracia +disgracing +disgracious +disgracive +disgradation +disgrade +disgraded +disgrading +disgradulate +dysgraphia +disgregate +disgregated +disgregating +disgregation +disgress +disgross +disgruntle +disgruntled +disgruntlement +disgruntles +disgruntling +disguisable +disguisay +disguisal +disguise +disguised +disguisedly +disguisedness +disguiseless +disguisement +disguisements +disguiser +disguises +disguising +disgulf +disgust +disgusted +disgustedly +disgustedness +disguster +disgustful +disgustfully +disgustfulness +disgusting +disgustingly +disgustingness +disgusts +dish +dishabilitate +dishabilitation +dishabille +dishabit +dishabited +dishabituate +dishabituated +dishabituating +dishable +dishallow +dishallucination +disharmony +disharmonic +disharmonical +disharmonies +disharmonious +disharmonise +disharmonised +disharmonising +disharmonism +disharmonize +disharmonized +disharmonizing +dishaunt +dishboard +dishcloth +dishcloths +dishclout +dishcross +disheart +dishearten +disheartened +disheartenedly +disheartener +disheartening +dishearteningly +disheartenment +disheartens +disheathing +disheaven +dished +disheir +dishellenize +dishelm +dishelmed +dishelming +dishelms +disher +disherent +disherison +disherit +disherited +disheriting +disheritment +disheritor +disherits +dishes +dishevel +disheveled +dishevely +disheveling +dishevelled +dishevelling +dishevelment +dishevelments +dishevels +dishexecontahedroid +dishful +dishfuls +dishy +dishier +dishiest +dishing +dishley +dishlike +dishling +dishmaker +dishmaking +dishmonger +dishmop +dishome +dishonest +dishonesty +dishonesties +dishonestly +dishonor +dishonorable +dishonorableness +dishonorably +dishonorary +dishonored +dishonorer +dishonoring +dishonors +dishonour +dishonourable +dishonourableness +dishonourably +dishonourary +dishonoured +dishonourer +dishonouring +dishorn +dishorner +dishorse +dishouse +dishpan +dishpanful +dishpans +dishrag +dishrags +dishtowel +dishtowels +dishumanize +dishumor +dishumour +dishware +dishwares +dishwash +dishwasher +dishwashers +dishwashing +dishwashings +dishwater +dishwatery +dishwiper +dishwiping +disidentify +dysidrosis +disilane +disilicane +disilicate +disilicic +disilicid +disilicide +disyllabic +disyllabism +disyllabize +disyllabized +disyllabizing +disyllable +disillude +disilluded +disilluminate +disillusion +disillusionary +disillusioned +disillusioning +disillusionise +disillusionised +disillusioniser +disillusionising +disillusionist +disillusionize +disillusionized +disillusionizer +disillusionizing +disillusionment +disillusionments +disillusions +disillusive +disimagine +disimbitter +disimitate +disimitation +disimmure +disimpark +disimpassioned +disimprison +disimprisonment +disimprove +disimprovement +disincarcerate +disincarceration +disincarnate +disincarnation +disincentive +disinclination +disinclinations +disincline +disinclined +disinclines +disinclining +disinclose +disincorporate +disincorporated +disincorporating +disincorporation +disincrease +disincrust +disincrustant +disincrustion +disindividualize +disinfect +disinfectant +disinfectants +disinfected +disinfecter +disinfecting +disinfection +disinfections +disinfective +disinfector +disinfects +disinfest +disinfestant +disinfestation +disinfeudation +disinflame +disinflate +disinflated +disinflating +disinflation +disinflationary +disinformation +disingenious +disingenuity +disingenuous +disingenuously +disingenuousness +disinhabit +disinherison +disinherit +disinheritable +disinheritance +disinheritances +disinherited +disinheriting +disinherits +disinhibition +disinhume +disinhumed +disinhuming +disinsection +disinsectization +disinsulation +disinsure +disintegrable +disintegrant +disintegrate +disintegrated +disintegrates +disintegrating +disintegration +disintegrationist +disintegrations +disintegrative +disintegrator +disintegratory +disintegrators +disintegrity +disintegrous +disintensify +disinter +disinteress +disinterest +disinterested +disinterestedly +disinterestedness +disinteresting +disintermediation +disinterment +disinterred +disinterring +disinters +disintertwine +disyntheme +disinthrall +disintoxicate +disintoxication +disintrench +dysyntribite +disintricate +disinure +disinvagination +disinvest +disinvestiture +disinvestment +disinvigorate +disinvite +disinvolve +disinvolvement +disyoke +disyoked +disyokes +disyoking +disjasked +disjasket +disjaskit +disject +disjected +disjecting +disjection +disjects +disjeune +disjoin +disjoinable +disjoined +disjoining +disjoins +disjoint +disjointed +disjointedly +disjointedness +disjointing +disjointly +disjointness +disjoints +disjointure +disjudication +disjunct +disjunction +disjunctions +disjunctive +disjunctively +disjunctor +disjuncts +disjuncture +disjune +disk +disked +diskelion +disker +dyskeratosis +diskery +diskette +diskettes +diskindness +dyskinesia +dyskinetic +disking +diskless +disklike +disknow +diskography +diskophile +diskos +disks +dislade +dislady +dyslalia +dislaurel +disleaf +disleafed +disleafing +disleal +disleave +disleaved +disleaving +dyslectic +dislegitimate +dislevelment +dyslexia +dyslexias +dyslexic +dyslexics +disli +dislicense +dislikable +dislike +dislikeable +disliked +dislikeful +dislikelihood +disliken +dislikeness +disliker +dislikers +dislikes +disliking +dislimb +dislimn +dislimned +dislimning +dislimns +dislink +dislip +dyslysin +dislive +dislluminate +disload +dislocability +dislocable +dislocate +dislocated +dislocatedly +dislocatedness +dislocates +dislocating +dislocation +dislocations +dislocator +dislocatory +dislock +dislodge +dislodgeable +dislodged +dislodgement +dislodges +dislodging +dislodgment +dyslogy +dyslogia +dyslogistic +dyslogistically +disloyal +disloyalist +disloyally +disloyalty +disloyalties +disloign +dislove +dysluite +disluster +dislustered +dislustering +dislustre +dislustred +dislustring +dismay +dismayable +dismayed +dismayedness +dismayful +dismayfully +dismaying +dismayingly +dismayingness +dismail +dismain +dismays +dismal +dismaler +dismalest +dismality +dismalities +dismalize +dismally +dismalness +dismals +disman +dismantle +dismantled +dismantlement +dismantler +dismantles +dismantling +dismarble +dismarch +dismark +dismarket +dismarketed +dismarketing +dismarry +dismarshall +dismask +dismast +dismasted +dismasting +dismastment +dismasts +dismaw +disme +dismeasurable +dismeasured +dismember +dismembered +dismemberer +dismembering +dismemberment +dismemberments +dismembers +dismembrate +dismembrated +dismembrator +dysmenorrhagia +dysmenorrhea +dysmenorrheal +dysmenorrheic +dysmenorrhoea +dysmenorrhoeal +dysmerism +dysmeristic +dismerit +dysmerogenesis +dysmerogenetic +dysmeromorph +dysmeromorphic +dismes +dysmetria +dismettled +disminion +disminister +dismiss +dismissable +dismissal +dismissals +dismissed +dismisser +dismissers +dismisses +dismissible +dismissing +dismissingly +dismission +dismissive +dismissory +dismit +dysmnesia +dismoded +dysmorphism +dysmorphophobia +dismortgage +dismortgaged +dismortgaging +dismount +dismountable +dismounted +dismounting +dismounts +dismutation +disna +disnatural +disnaturalization +disnaturalize +disnature +disnatured +disnaturing +disney +disneyland +disnest +dysneuria +disnew +disniche +dysnomy +disnosed +disnumber +disobedience +disobedient +disobediently +disobey +disobeyal +disobeyed +disobeyer +disobeyers +disobeying +disobeys +disobligation +disobligatory +disoblige +disobliged +disobliger +disobliges +disobliging +disobligingly +disobligingness +disobstruct +disoccident +disocclude +disoccluded +disoccluding +disoccupation +disoccupy +disoccupied +disoccupying +disodic +dysodile +dysodyle +disodium +dysodontiasis +disomaty +disomatic +disomatous +disomic +disomus +disoperation +disoperculate +disopinion +disoppilate +disorb +disorchard +disordain +disordained +disordeine +disorder +disordered +disorderedly +disorderedness +disorderer +disordering +disorderly +disorderliness +disorders +disordinance +disordinate +disordinated +disordination +dysorexy +dysorexia +disorganic +disorganise +disorganised +disorganiser +disorganising +disorganization +disorganize +disorganized +disorganizer +disorganizers +disorganizes +disorganizing +disorient +disorientate +disorientated +disorientates +disorientating +disorientation +disoriented +disorienting +disorients +disour +disown +disownable +disowned +disowning +disownment +disowns +disoxidate +dysoxidation +dysoxidizable +dysoxidize +disoxygenate +disoxygenation +disozonize +disp +dispace +dispaint +dispair +dispand +dispansive +dispapalize +dispar +disparadise +disparage +disparageable +disparaged +disparagement +disparagements +disparager +disparages +disparaging +disparagingly +disparate +disparately +disparateness +disparation +disparatum +dyspareunia +disparish +disparison +disparity +disparities +disparition +dispark +disparkle +disparple +disparpled +disparpling +dispart +disparted +disparting +dispartment +disparts +dispassion +dispassionate +dispassionately +dispassionateness +dispassioned +dispatch +dispatched +dispatcher +dispatchers +dispatches +dispatchful +dispatching +dyspathetic +dispathy +dyspathy +dispatriated +dispauper +dispauperize +dispeace +dispeaceful +dispeed +dispel +dispell +dispellable +dispelled +dispeller +dispelling +dispells +dispels +dispence +dispend +dispended +dispender +dispending +dispendious +dispendiously +dispenditure +dispends +dispensability +dispensable +dispensableness +dispensary +dispensaries +dispensate +dispensated +dispensating +dispensation +dispensational +dispensationalism +dispensations +dispensative +dispensatively +dispensator +dispensatory +dispensatories +dispensatorily +dispensatress +dispensatrix +dispense +dispensed +dispenser +dispensers +dispenses +dispensible +dispensing +dispensingly +dispensive +dispeople +dispeopled +dispeoplement +dispeopler +dispeopling +dyspepsy +dyspepsia +dyspepsies +dyspeptic +dyspeptical +dyspeptically +dyspeptics +disperato +dispergate +dispergated +dispergating +dispergation +dispergator +disperge +dispericraniate +disperiwig +dispermy +dispermic +dispermous +disperple +dispersal +dispersals +dispersant +disperse +dispersed +dispersedelement +dispersedye +dispersedly +dispersedness +dispersement +disperser +dispersers +disperses +dispersibility +dispersible +dispersing +dispersion +dispersions +dispersity +dispersive +dispersively +dispersiveness +dispersoid +dispersoidology +dispersoidological +dispersonalize +dispersonate +dispersonify +dispersonification +dispetal +dysphagia +dysphagic +dysphasia +dysphasic +dysphemia +dysphemism +dysphemistic +dysphemize +dysphemized +disphenoid +dysphonia +dysphonic +dysphoria +dysphoric +dysphotic +dysphrasia +dysphrenia +dispicion +dispiece +dispirem +dispireme +dispirit +dispirited +dispiritedly +dispiritedness +dispiriting +dispiritingly +dispiritment +dispirits +dispiteous +dispiteously +dispiteousness +dyspituitarism +displace +displaceability +displaceable +displaced +displacement +displacements +displacency +displacer +displaces +displacing +display +displayable +displayed +displayer +displaying +displays +displant +displanted +displanting +displants +dysplasia +dysplastic +displat +disple +displeasance +displeasant +displease +displeased +displeasedly +displeaser +displeases +displeasing +displeasingly +displeasingness +displeasurable +displeasurably +displeasure +displeasureable +displeasureably +displeasured +displeasurement +displeasures +displeasuring +displenish +displicence +displicency +displode +disploded +displodes +disploding +displosion +displume +displumed +displumes +displuming +displuviate +dyspnea +dyspneal +dyspneas +dyspneic +dyspnoea +dyspnoeal +dyspnoeas +dyspnoeic +dyspnoi +dyspnoic +dispoint +dispond +dispondaic +dispondee +dispone +disponed +disponee +disponent +disponer +disponge +disponing +dispope +dispopularize +dysporomorph +disporous +disport +disported +disporting +disportive +disportment +disports +disporum +disposability +disposable +disposableness +disposal +disposals +dispose +disposed +disposedly +disposedness +disposement +disposer +disposers +disposes +disposing +disposingly +disposit +disposition +dispositional +dispositionally +dispositioned +dispositions +dispositive +dispositively +dispositor +dispossed +dispossess +dispossessed +dispossesses +dispossessing +dispossession +dispossessor +dispossessory +dispost +disposure +dispowder +dispractice +dispraise +dispraised +dispraiser +dispraising +dispraisingly +dyspraxia +dispread +dispreader +dispreading +dispreads +disprejudice +disprepare +dispress +disprince +disprison +disprivacied +disprivilege +disprize +disprized +disprizes +disprizing +disprobabilization +disprobabilize +disprobative +disprofess +disprofit +disprofitable +dispromise +disproof +disproofs +disproperty +disproportion +disproportionable +disproportionableness +disproportionably +disproportional +disproportionality +disproportionally +disproportionalness +disproportionate +disproportionately +disproportionateness +disproportionates +disproportionation +disproportions +dispropriate +dysprosia +dysprosium +disprovable +disproval +disprove +disproved +disprovement +disproven +disprover +disproves +disprovide +disproving +dispulp +dispunct +dispunge +dispunishable +dispunitive +dispurpose +dispurse +dispurvey +disputability +disputable +disputableness +disputably +disputacity +disputant +disputants +disputation +disputations +disputatious +disputatiously +disputatiousness +disputative +disputatively +disputativeness +disputator +dispute +disputed +disputeful +disputeless +disputer +disputers +disputes +disputing +disputisoun +disqualify +disqualifiable +disqualification +disqualifications +disqualified +disqualifies +disqualifying +disquantity +disquarter +disquiet +disquieted +disquietedly +disquietedness +disquieten +disquieter +disquieting +disquietingly +disquietingness +disquietly +disquietness +disquiets +disquietude +disquietudes +disquiparancy +disquiparant +disquiparation +disquisit +disquisite +disquisited +disquisiting +disquisition +disquisitional +disquisitionary +disquisitions +disquisitive +disquisitively +disquisitor +disquisitory +disquisitorial +disquixote +disraeli +disray +disrange +disrank +dysraphia +disrate +disrated +disrates +disrating +disrealize +disreason +disrecommendation +disregard +disregardable +disregardance +disregardant +disregarded +disregarder +disregardful +disregardfully +disregardfulness +disregarding +disregards +disregular +disrelate +disrelated +disrelation +disrelish +disrelishable +disremember +disrepair +disreport +disreputability +disreputable +disreputableness +disreputably +disreputation +disrepute +disreputed +disrespect +disrespectability +disrespectable +disrespecter +disrespectful +disrespectfully +disrespectfulness +disrespective +disrespondency +disrest +disrestore +disreverence +dysrhythmia +disring +disrobe +disrobed +disrobement +disrober +disrobers +disrobes +disrobing +disroof +disroost +disroot +disrooted +disrooting +disroots +disrout +disrudder +disruddered +disruly +disrump +disrupt +disruptability +disruptable +disrupted +disrupter +disrupting +disruption +disruptionist +disruptions +disruptive +disruptively +disruptiveness +disruptment +disruptor +disrupts +disrupture +diss +dissait +dissatisfaction +dissatisfactions +dissatisfactory +dissatisfactorily +dissatisfactoriness +dissatisfy +dissatisfied +dissatisfiedly +dissatisfiedness +dissatisfies +dissatisfying +dissatisfyingly +dissaturate +dissava +dissavage +dissave +dissaved +dissaves +dissaving +dissavs +disscepter +dissceptered +dissceptre +dissceptred +dissceptring +disscussive +disseason +disseat +disseated +disseating +disseats +dissect +dissected +dissectible +dissecting +dissection +dissectional +dissections +dissective +dissector +dissectors +dissects +disseise +disseised +disseisee +disseises +disseisor +disseisoress +disseize +disseized +disseizee +disseizes +disseizin +disseizor +disseizoress +disseizure +disselboom +dissemblance +dissemble +dissembled +dissembler +dissemblers +dissembles +dissembly +dissemblies +dissembling +dissemblingly +dissemilative +disseminate +disseminated +disseminates +disseminating +dissemination +disseminations +disseminative +disseminator +disseminule +dissension +dissensions +dissensious +dissensualize +dissent +dissentaneous +dissentaneousness +dissentation +dissented +dissenter +dissenterism +dissenters +dissentiate +dissentience +dissentiency +dissentient +dissentiently +dissentients +dissenting +dissentingly +dissention +dissentious +dissentiously +dissentism +dissentive +dissentment +dissents +dissepiment +dissepimental +dissert +dissertate +dissertated +dissertating +dissertation +dissertational +dissertationist +dissertations +dissertative +dissertator +disserted +disserting +disserts +disserve +disserved +disserves +disservice +disserviceable +disserviceableness +disserviceably +disservices +disserving +dissettle +dissettlement +dissever +disseverance +disseveration +dissevered +dissevering +disseverment +dissevers +disshadow +dissheathe +dissheathed +disship +disshiver +disshroud +dissidence +dissident +dissidently +dissidents +dissight +dissightly +dissilience +dissiliency +dissilient +dissilition +dissyllabic +dissyllabify +dissyllabification +dissyllabise +dissyllabised +dissyllabising +dissyllabism +dissyllabize +dissyllabized +dissyllabizing +dissyllable +dissimilar +dissimilarity +dissimilarities +dissimilarly +dissimilars +dissimilate +dissimilated +dissimilating +dissimilation +dissimilative +dissimilatory +dissimile +dissimilitude +dissymmetry +dissymmetric +dissymmetrical +dissymmetrically +dissymmettric +dissympathy +dissympathize +dissimulate +dissimulated +dissimulates +dissimulating +dissimulation +dissimulations +dissimulative +dissimulator +dissimulators +dissimule +dissimuler +dyssynergy +dyssynergia +dissinew +dissipable +dissipate +dissipated +dissipatedly +dissipatedness +dissipater +dissipaters +dissipates +dissipating +dissipation +dissipations +dissipative +dissipativity +dissipator +dissipators +dyssystole +dissite +disslander +dyssnite +dissociability +dissociable +dissociableness +dissociably +dissocial +dissociality +dissocialize +dissociant +dissociate +dissociated +dissociates +dissociating +dissociation +dissociations +dissociative +dissoconch +dyssodia +dissogeny +dissogony +dissolubility +dissoluble +dissolubleness +dissolute +dissolutely +dissoluteness +dissolution +dissolutional +dissolutionism +dissolutionist +dissolutions +dissolutive +dissolvability +dissolvable +dissolvableness +dissolvative +dissolve +dissolveability +dissolved +dissolvent +dissolver +dissolves +dissolving +dissolvingly +dissonance +dissonances +dissonancy +dissonancies +dissonant +dissonantly +dissonate +dissonous +dissoul +dissour +dysspermatism +disspirit +disspread +disspreading +disstate +dissuadable +dissuade +dissuaded +dissuader +dissuades +dissuading +dissuasion +dissuasions +dissuasive +dissuasively +dissuasiveness +dissuasory +dissue +dissuit +dissuitable +dissuited +dissunder +dissweeten +dist +distad +distaff +distaffs +distain +distained +distaining +distains +distal +distale +distalia +distally +distalwards +distance +distanced +distanceless +distances +distancy +distancing +distannic +distant +distantly +distantness +distaste +distasted +distasteful +distastefully +distastefulness +distastes +distasting +distater +distaves +dystaxia +dystaxias +dystectic +dysteleology +dysteleological +dysteleologically +dysteleologist +distelfink +distemonous +distemper +distemperance +distemperate +distemperature +distempered +distemperedly +distemperedness +distemperer +distempering +distemperment +distemperoid +distemperure +distenant +distend +distended +distendedly +distendedness +distender +distending +distends +distensibility +distensibilities +distensible +distensile +distension +distensions +distensive +distent +distention +distentions +dister +disterminate +disterr +disthene +dysthymia +dysthymic +dysthyroidism +disthrall +disthrone +disthroned +disthroning +disty +distich +distichal +distichiasis +distichlis +distichous +distichously +distichs +distil +distylar +distyle +distilery +distileries +distill +distillable +distillage +distilland +distillate +distillates +distillation +distillations +distillator +distillatory +distilled +distiller +distillery +distilleries +distillers +distilling +distillment +distillmint +distills +distilment +distils +distinct +distincter +distinctest +distinctify +distinctio +distinction +distinctional +distinctionless +distinctions +distinctity +distinctive +distinctively +distinctiveness +distinctly +distinctness +distinctor +distingu +distingue +distinguee +distinguish +distinguishability +distinguishable +distinguishableness +distinguishably +distinguished +distinguishedly +distinguisher +distinguishes +distinguishing +distinguishingly +distinguishment +distintion +distitle +distn +dystocia +dystocial +dystocias +distoclusion +distoma +distomatidae +distomatosis +distomatous +distome +dystome +distomes +distomian +distomiasis +dystomic +distomidae +dystomous +distomum +dystonia +dystonias +dystonic +dystopia +dystopian +dystopias +distort +distortable +distorted +distortedly +distortedness +distorter +distorters +distorting +distortion +distortional +distortionist +distortionless +distortions +distortive +distorts +distr +distract +distracted +distractedly +distractedness +distracter +distractibility +distractible +distractile +distracting +distractingly +distraction +distractions +distractive +distractively +distracts +distrail +distrain +distrainable +distrained +distrainee +distrainer +distraining +distrainment +distrainor +distrains +distraint +distrait +distraite +distraught +distraughted +distraughtly +distream +distress +distressed +distressedly +distressedness +distresses +distressful +distressfully +distressfulness +distressing +distressingly +distrest +distributable +distributary +distributaries +distribute +distributed +distributedly +distributee +distributer +distributes +distributing +distribution +distributional +distributionist +distributions +distributival +distributive +distributively +distributiveness +distributivity +distributor +distributors +distributorship +distributress +distributution +district +districted +districting +distriction +districtly +districts +distringas +distritbute +distritbuted +distritbutes +distritbuting +distrito +distritos +distrix +dystrophy +dystrophia +dystrophic +dystrophies +distrouble +distrouser +distruss +distrust +distrusted +distruster +distrustful +distrustfully +distrustfulness +distrusting +distrustingly +distrusts +distune +disturb +disturbance +disturbances +disturbant +disturbation +disturbative +disturbed +disturbedly +disturber +disturbers +disturbing +disturbingly +disturbor +disturbs +disturn +disturnpike +disubstituted +disubstitution +disulfate +disulfid +disulfide +disulfids +disulfiram +disulfonic +disulfoton +disulfoxid +disulfoxide +disulfuret +disulfuric +disulphate +disulphid +disulphide +disulphonate +disulphone +disulphonic +disulphoxid +disulphoxide +disulphuret +disulphuric +disunify +disunified +disunifying +disuniform +disuniformity +disunion +disunionism +disunionist +disunions +disunite +disunited +disuniter +disuniters +disunites +disunity +disunities +disuniting +dysury +dysuria +dysurias +dysuric +disusage +disusance +disuse +disused +disuses +disusing +disutility +disutilize +disvaluation +disvalue +disvalued +disvalues +disvaluing +disvantage +disvelop +disventure +disvertebrate +disvisage +disvisor +disvoice +disvouch +disvulnerability +diswarn +diswarren +diswarrened +diswarrening +diswashing +disweapon +diswench +diswere +diswit +diswont +diswood +disworkmanship +disworship +disworth +dit +dita +dital +ditali +ditalini +ditas +ditation +ditch +ditchbank +ditchbur +ditchdigger +ditchdigging +ditchdown +ditched +ditcher +ditchers +ditches +ditching +ditchless +ditchside +ditchwater +dite +diter +diterpene +ditertiary +dites +ditetragonal +ditetrahedral +dithalous +dithecal +dithecous +ditheism +ditheisms +ditheist +ditheistic +ditheistical +ditheists +dithematic +dither +dithered +ditherer +dithery +dithering +dithers +dithymol +dithiobenzoic +dithioglycol +dithioic +dithiol +dithion +dithionate +dithionic +dithionite +dithionous +dithyramb +dithyrambic +dithyrambically +dithyrambos +dithyrambs +dithyrambus +diting +dition +dytiscid +dytiscidae +dytiscus +ditokous +ditolyl +ditone +ditrematous +ditremid +ditremidae +ditrichotomous +ditriglyph +ditriglyphic +ditrigonal +ditrigonally +ditrocha +ditrochean +ditrochee +ditrochous +ditroite +dits +ditt +dittay +dittamy +dittander +dittany +dittanies +ditted +ditty +dittied +ditties +dittying +ditting +ditto +dittoed +dittoes +dittogram +dittograph +dittography +dittographic +dittoing +dittology +dittologies +ditton +dittos +diumvirate +diuranate +diureide +diureses +diuresis +diuretic +diuretical +diuretically +diureticalness +diuretics +diurn +diurna +diurnal +diurnally +diurnalness +diurnals +diurnation +diurne +diurnule +diuron +diurons +diuturnal +diuturnity +div +diva +divagate +divagated +divagates +divagating +divagation +divagational +divagationally +divagations +divagatory +divalence +divalent +divan +divans +divaporation +divariant +divaricate +divaricated +divaricately +divaricating +divaricatingly +divarication +divaricator +divas +divast +divata +dive +divebomb +dived +divekeeper +divel +divell +divelled +divellent +divellicate +divelling +diver +diverb +diverberate +diverge +diverged +divergement +divergence +divergences +divergency +divergencies +divergenge +divergent +divergently +diverges +diverging +divergingly +divers +diverse +diversely +diverseness +diversicolored +diversify +diversifiability +diversifiable +diversification +diversifications +diversified +diversifier +diversifies +diversifying +diversiflorate +diversiflorous +diversifoliate +diversifolious +diversiform +diversion +diversional +diversionary +diversionist +diversions +diversipedate +diversisporous +diversity +diversities +diversly +diversory +divert +diverted +divertedly +diverter +diverters +divertibility +divertible +diverticle +diverticula +diverticular +diverticulate +diverticulitis +diverticulosis +diverticulum +divertila +divertimenti +divertimento +divertimentos +diverting +divertingly +divertingness +divertise +divertisement +divertissant +divertissement +divertissements +divertive +divertor +diverts +dives +divest +divested +divestible +divesting +divestitive +divestiture +divestitures +divestment +divests +divesture +divet +divi +divia +divid +dividable +dividableness +dividant +divide +divided +dividedly +dividedness +dividend +dividends +dividendus +divident +divider +dividers +divides +dividing +dividingly +dividivis +dividual +dividualism +dividually +dividuity +dividuous +divinability +divinable +divinail +divination +divinations +divinator +divinatory +divine +divined +divinely +divineness +diviner +divineress +diviners +divines +divinesse +divinest +diving +divinify +divinified +divinifying +divinyl +divining +diviningly +divinisation +divinise +divinised +divinises +divinising +divinister +divinistre +divinity +divinities +divinityship +divinization +divinize +divinized +divinizes +divinizing +divisa +divise +divisi +divisibility +divisibilities +divisible +divisibleness +divisibly +division +divisional +divisionally +divisionary +divisionism +divisionist +divisionistic +divisions +divisive +divisively +divisiveness +divisor +divisory +divisorial +divisors +divisural +divorce +divorceable +divorced +divorcee +divorcees +divorcement +divorcements +divorcer +divorcers +divorces +divorceuse +divorcible +divorcing +divorcive +divort +divot +divoto +divots +dyvour +dyvours +divulgate +divulgated +divulgater +divulgating +divulgation +divulgator +divulgatory +divulge +divulged +divulgement +divulgence +divulgences +divulger +divulgers +divulges +divulging +divulse +divulsed +divulsing +divulsion +divulsive +divulsor +divus +divvers +divvy +divvied +divvies +divvying +diwan +diwani +diwans +diwata +dix +dixain +dixenite +dixy +dixie +dixiecrat +dixieland +dixies +dixit +dixits +dizain +dizaine +dizdar +dizen +dizened +dizening +dizenment +dizens +dizygotic +dizygous +dizoic +dizz +dizzard +dizzardly +dizzen +dizzy +dizzied +dizzier +dizzies +dizziest +dizzying +dizzyingly +dizzily +dizziness +dj +djagatay +djagoong +djakarta +djalmaite +djasakid +djave +djebel +djebels +djehad +djelab +djelfa +djellab +djellaba +djellabah +djellabas +djerib +djersa +djibbah +djibouti +djin +djinn +djinni +djinny +djinns +djins +djuka +dk +dkg +dkl +dkm +dks +dl +dlr +dlvy +dm +dmarche +dmod +dn +dnieper +do +doa +doab +doability +doable +doand +doarium +doat +doated +doater +doaty +doating +doatish +doats +dob +dobbed +dobber +dobbers +dobby +dobbie +dobbies +dobbin +dobbing +dobbins +dobchick +dobe +doberman +dobermans +doby +dobie +dobies +dobl +dobla +doblas +doblon +doblones +doblons +dobos +dobra +dobrao +dobras +dobroes +dobson +dobsonfly +dobsonflies +dobsons +dobule +dobzhansky +doc +docent +docents +docentship +docetae +docetic +docetically +docetism +docetist +docetistic +docetize +dochmiac +dochmiacal +dochmiasis +dochmii +dochmius +dochter +docibility +docible +docibleness +docile +docilely +docility +docilities +docimasy +docimasia +docimasies +docimastic +docimastical +docimology +docious +docity +dock +dockage +dockages +docked +docken +docker +dockers +docket +docketed +docketing +dockets +dockhand +dockhands +dockhead +dockhouse +dockyard +dockyardman +dockyards +docking +dockization +dockize +dockland +docklands +dockmackie +dockman +dockmaster +docks +dockside +docksides +dockworker +docmac +docoglossa +docoglossan +docoglossate +docosane +docosanoic +docquet +docs +doctor +doctoral +doctorally +doctorate +doctorates +doctorbird +doctordom +doctored +doctoress +doctorfish +doctorfishes +doctorhood +doctorial +doctorially +doctoring +doctorization +doctorize +doctorless +doctorly +doctorlike +doctors +doctorship +doctress +doctrinable +doctrinaire +doctrinairism +doctrinal +doctrinalism +doctrinalist +doctrinality +doctrinally +doctrinary +doctrinarian +doctrinarianism +doctrinarily +doctrinarity +doctrinate +doctrine +doctrines +doctrinism +doctrinist +doctrinization +doctrinize +doctrinized +doctrinizing +doctrix +doctus +docudrama +docudramas +document +documentable +documental +documentalist +documentary +documentarian +documentaries +documentarily +documentarist +documentation +documentational +documentations +documented +documenter +documenters +documenting +documentize +documentor +documents +dod +dodd +doddard +doddart +dodded +dodder +doddered +dodderer +dodderers +doddery +doddering +dodders +doddy +doddie +doddies +dodding +doddypoll +doddle +dode +dodecade +dodecadrachm +dodecafid +dodecagon +dodecagonal +dodecaheddra +dodecahedra +dodecahedral +dodecahedric +dodecahedron +dodecahedrons +dodecahydrate +dodecahydrated +dodecamerous +dodecanal +dodecane +dodecanesian +dodecanoic +dodecant +dodecapartite +dodecapetalous +dodecaphony +dodecaphonic +dodecaphonically +dodecaphonism +dodecaphonist +dodecarch +dodecarchy +dodecasemic +dodecasyllabic +dodecasyllable +dodecastylar +dodecastyle +dodecastylos +dodecatemory +dodecatheon +dodecatyl +dodecatylic +dodecatoic +dodecyl +dodecylene +dodecylic +dodecylphenol +dodecuplet +dodgasted +dodge +dodged +dodgeful +dodger +dodgery +dodgeries +dodgers +dodges +dodgy +dodgier +dodgiest +dodgily +dodginess +dodging +dodipole +dodkin +dodlet +dodman +dodo +dodoes +dodoism +dodoisms +dodoma +dodona +dodonaea +dodonaeaceae +dodonaean +dodonaena +dodonean +dodonian +dodos +dodrans +dodrantal +dods +dodunk +doe +doebird +doedicurus +doeg +doeglic +doegling +doek +doeling +doer +doers +does +doeskin +doeskins +doesn +doesnt +doest +doeth +doeuvre +doff +doffed +doffer +doffers +doffing +doffs +doftberry +dofunny +dog +dogal +dogana +dogaressa +dogate +dogbane +dogbanes +dogberry +dogberrydom +dogberries +dogberryism +dogbite +dogblow +dogboat +dogbody +dogbodies +dogbolt +dogbush +dogcart +dogcarts +dogcatcher +dogcatchers +dogdom +dogdoms +doge +dogear +dogeared +dogears +dogedom +dogedoms +dogey +dogeys +dogeless +doges +dogeship +dogeships +dogface +dogfaces +dogfall +dogfennel +dogfight +dogfighting +dogfights +dogfish +dogfishes +dogfoot +dogfought +dogged +doggedly +doggedness +dogger +doggerel +doggereled +doggereler +doggerelism +doggerelist +doggerelize +doggerelizer +doggerelizing +doggerelled +doggerelling +doggerels +doggery +doggeries +doggers +doggess +dogget +doggy +doggie +doggier +doggies +doggiest +dogging +doggish +doggishly +doggishness +doggle +doggo +doggone +doggoned +doggoneder +doggonedest +doggoner +doggones +doggonest +doggoning +doggrel +doggrelize +doggrels +doghead +doghearted +doghole +doghood +doghouse +doghouses +dogy +dogie +dogies +dogleg +doglegged +doglegging +doglegs +dogless +dogly +doglike +dogma +dogman +dogmas +dogmata +dogmatic +dogmatical +dogmatically +dogmaticalness +dogmatician +dogmatics +dogmatisation +dogmatise +dogmatised +dogmatiser +dogmatising +dogmatism +dogmatist +dogmatists +dogmatization +dogmatize +dogmatized +dogmatizer +dogmatizing +dogmeat +dogmen +dogmouth +dognap +dognaped +dognaper +dognapers +dognaping +dognapped +dognapper +dognapping +dognaps +dogplate +dogproof +dogra +dogrib +dogs +dogsbody +dogsbodies +dogship +dogshore +dogskin +dogsled +dogsleds +dogsleep +dogstail +dogstone +dogstones +dogtail +dogteeth +dogtie +dogtooth +dogtoothing +dogtrick +dogtrot +dogtrots +dogtrotted +dogtrotting +dogvane +dogvanes +dogwatch +dogwatches +dogwinkle +dogwood +dogwoods +doh +dohickey +dohter +doyen +doyenne +doyennes +doyens +doigt +doigte +doyle +doiled +doyley +doyleys +doily +doyly +doilies +doylies +doylt +doina +doing +doings +doyst +doit +doited +doitkin +doitrified +doits +dojigger +dojiggy +dojo +dojos +doke +doketic +doketism +dokhma +dokimastic +dokmarok +doko +dol +dola +dolabra +dolabrate +dolabre +dolabriform +dolcan +dolce +dolcemente +dolci +dolcian +dolciano +dolcinist +dolcino +dolcissimo +doldrum +doldrums +dole +doleance +doled +dolefish +doleful +dolefuller +dolefullest +dolefully +dolefulness +dolefuls +doley +dolent +dolente +dolentissimo +dolently +dolerin +dolerite +dolerites +doleritic +dolerophanite +doles +dolesman +dolesome +dolesomely +dolesomeness +doless +dolf +doli +dolia +dolichoblond +dolichocephal +dolichocephali +dolichocephaly +dolichocephalic +dolichocephalism +dolichocephalize +dolichocephalous +dolichocercic +dolichocnemic +dolichocrany +dolichocranial +dolichocranic +dolichofacial +dolichoglossus +dolichohieric +dolicholus +dolichopellic +dolichopodous +dolichoprosopic +dolichopsyllidae +dolichos +dolichosaur +dolichosauri +dolichosauria +dolichosaurus +dolichosoma +dolichostylous +dolichotmema +dolichuric +dolichurus +doliidae +dolina +doline +doling +dolioform +doliolidae +doliolum +dolisie +dolite +dolittle +dolium +doll +dollar +dollarbird +dollardee +dollardom +dollarfish +dollarfishes +dollarleaf +dollars +dollarwise +dollbeer +dolldom +dolled +dolley +dollface +dollfaced +dollfish +dollhood +dollhouse +dollhouses +dolly +dollia +dollie +dollied +dollier +dollies +dollying +dollyman +dollymen +dollin +dolliness +dolling +dollish +dollishly +dollishness +dollyway +dollmaker +dollmaking +dollop +dollops +dolls +dollship +dolman +dolmans +dolmas +dolmen +dolmenic +dolmens +dolomedes +dolomite +dolomites +dolomitic +dolomitise +dolomitised +dolomitising +dolomitization +dolomitize +dolomitized +dolomitizing +dolomization +dolomize +dolor +dolores +doloriferous +dolorific +dolorifuge +dolorimeter +dolorimetry +dolorimetric +dolorimetrically +dolorogenic +doloroso +dolorous +dolorously +dolorousness +dolors +dolos +dolose +dolour +dolours +dolous +dolph +dolphin +dolphinfish +dolphinfishes +dolphinlike +dolphins +dolphus +dols +dolt +dolthead +doltish +doltishly +doltishness +dolts +dolus +dolven +dom +domable +domage +domain +domainal +domains +domajig +domajigger +domal +domanial +domatium +domatophobia +domba +dombeya +domboc +domdaniel +dome +domed +domeykite +domelike +doment +domer +domes +domesday +domesdays +domestic +domesticability +domesticable +domesticality +domestically +domesticate +domesticated +domesticates +domesticating +domestication +domestications +domesticative +domesticator +domesticity +domesticities +domesticize +domesticized +domestics +domett +domy +domic +domical +domically +domicella +domicil +domicile +domiciled +domicilement +domiciles +domiciliar +domiciliary +domiciliate +domiciliated +domiciliating +domiciliation +domicilii +domiciling +domicils +domiculture +domify +domification +domina +dominae +dominance +dominancy +dominant +dominantly +dominants +dominate +dominated +dominates +dominating +dominatingly +domination +dominations +dominative +dominator +dominators +domine +dominee +domineer +domineered +domineerer +domineering +domineeringly +domineeringness +domineers +domines +doming +domini +dominial +dominic +dominica +dominical +dominicale +dominican +dominicans +dominick +dominicker +dominicks +dominie +dominies +dominion +dominionism +dominionist +dominions +dominique +dominium +dominiums +domino +dominoes +dominos +dominule +dominus +domitable +domite +domitian +domitic +domn +domnei +domoid +dompt +dompteuse +doms +domus +don +dona +donable +donacidae +donaciform +donack +donal +donald +donar +donary +donaries +donas +donat +donatary +donataries +donate +donated +donatee +donates +donatiaceae +donating +donatio +donation +donationes +donations +donatism +donatist +donatistic +donatistical +donative +donatively +donatives +donator +donatory +donatories +donators +donatress +donax +doncella +doncy +dondaine +dondia +dondine +done +donec +donee +donees +doney +doneness +donenesses +donet +dong +donga +donging +dongola +dongolas +dongolese +dongon +dongs +doni +donia +donicker +donis +donjon +donjons +donk +donkey +donkeyback +donkeyish +donkeyism +donkeyman +donkeymen +donkeys +donkeywork +donmeh +donn +donna +donnard +donnas +donne +donned +donnee +donnees +donnerd +donnered +donnert +donny +donnybrook +donnybrooks +donnick +donnie +donning +donnish +donnishly +donnishness +donnism +donnock +donnot +donor +donors +donorship +donought +donovan +dons +donship +donsy +donsie +donsky +dont +donum +donut +donuts +donzel +donzella +donzels +doo +doob +doocot +doodab +doodad +doodads +doodah +doodia +doodle +doodlebug +doodled +doodler +doodlers +doodles +doodlesack +doodling +doodskop +doohickey +doohickeys +doohickus +doohinkey +doohinkus +dooja +dook +dooket +dookit +dool +doolee +doolees +dooley +doolfu +dooli +dooly +doolie +doolies +doom +doomage +doombook +doomed +doomer +doomful +doomfully +doomfulness +dooming +doomlike +dooms +doomsayer +doomsday +doomsdays +doomsman +doomstead +doomster +doomsters +doomwatcher +doon +dooputty +door +doorba +doorbell +doorbells +doorboy +doorbrand +doorcase +doorcheek +doored +doorframe +doorhawk +doorhead +dooryard +dooryards +dooring +doorjamb +doorjambs +doorkeep +doorkeeper +doorknob +doorknobs +doorless +doorlike +doormaid +doormaker +doormaking +doorman +doormat +doormats +doormen +doornail +doornails +doornboom +doorpiece +doorplate +doorplates +doorpost +doorposts +doors +doorsill +doorsills +doorstead +doorstep +doorsteps +doorstone +doorstop +doorstops +doorway +doorways +doorward +doorweed +doorwise +doover +dooxidize +doozer +doozers +doozy +doozies +dop +dopa +dopamelanin +dopamine +dopaminergic +dopamines +dopant +dopants +dopaoxidase +dopas +dopatta +dopchick +dope +dopebook +doped +dopehead +dopey +doper +dopers +dopes +dopesheet +dopester +dopesters +dopy +dopier +dopiest +dopiness +dopinesses +doping +dopped +doppelganger +doppelkummel +dopper +dopperbird +doppia +dopping +doppio +doppler +dopplerite +dopster +dor +dora +dorab +dorad +doradidae +doradilla +dorado +dorados +doray +doralium +doraphobia +dorask +doraskean +dorbeetle +dorbel +dorbie +dorbug +dorbugs +dorcas +dorcastry +dorcatherium +dorcopsis +doree +dorey +dorestane +dorhawk +dorhawks +dori +dory +doria +dorian +doryanthes +doric +dorical +doricism +doricize +dorididae +dories +dorylinae +doryline +doryman +dorymen +dorine +doryphoros +doryphorus +dorippid +doris +dorism +dorize +dorje +dorking +dorlach +dorlot +dorm +dormancy +dormancies +dormant +dormantly +dormer +dormered +dormers +dormette +dormeuse +dormy +dormice +dormie +dormient +dormilona +dormin +dormins +dormitary +dormition +dormitive +dormitory +dormitories +dormmice +dormouse +dorms +dorn +dorneck +dornecks +dornic +dornick +dornicks +dornock +dornocks +dorobo +doronicum +dorosacral +doroscentral +dorosoma +dorosternal +dorothea +dorothy +dorp +dorper +dorpers +dorps +dorr +dorrbeetle +dorrs +dors +dorsa +dorsabdominal +dorsabdominally +dorsad +dorsal +dorsale +dorsales +dorsalgia +dorsalis +dorsally +dorsalmost +dorsals +dorsalward +dorsalwards +dorse +dorsel +dorser +dorsers +dorsi +dorsibranch +dorsibranchiata +dorsibranchiate +dorsicollar +dorsicolumn +dorsicommissure +dorsicornu +dorsiduct +dorsiferous +dorsifixed +dorsiflex +dorsiflexion +dorsiflexor +dorsigerous +dorsigrade +dorsilateral +dorsilumbar +dorsimedian +dorsimesal +dorsimeson +dorsiparous +dorsipinal +dorsispinal +dorsiventral +dorsiventrality +dorsiventrally +dorsoabdominal +dorsoanterior +dorsoapical +dorsobranchiata +dorsocaudad +dorsocaudal +dorsocentral +dorsocephalad +dorsocephalic +dorsocervical +dorsocervically +dorsodynia +dorsoepitrochlear +dorsointercostal +dorsointestinal +dorsolateral +dorsolum +dorsolumbar +dorsomedial +dorsomedian +dorsomesal +dorsonasal +dorsonuchal +dorsopleural +dorsoposteriad +dorsoposterior +dorsoradial +dorsosacral +dorsoscapular +dorsosternal +dorsothoracic +dorsoventrad +dorsoventral +dorsoventrality +dorsoventrally +dorstenia +dorsula +dorsulum +dorsum +dorsumbonal +dort +dorter +dorty +dortiness +dortiship +dortour +dorts +doruck +dos +dosa +dosadh +dosage +dosages +dosain +dose +dosed +doser +dosers +doses +dosimeter +dosimeters +dosimetry +dosimetric +dosimetrician +dosimetries +dosimetrist +dosing +dosinia +dosiology +dosis +dositheans +dosology +doss +dossal +dossals +dossed +dossel +dossels +dossennus +dosser +dosseret +dosserets +dossers +dosses +dossety +dosshouse +dossy +dossier +dossiere +dossiers +dossil +dossils +dossing +dossman +dossmen +dost +dostoevsky +dot +dotage +dotages +dotal +dotant +dotard +dotardy +dotardism +dotardly +dotards +dotarie +dotate +dotation +dotations +dotchin +dote +doted +doter +doters +dotes +doth +dother +dothideacea +dothideaceous +dothideales +dothidella +dothienenteritis +dothiorella +doty +dotier +dotiest +dotiness +doting +dotingly +dotingness +dotish +dotishness +dotkin +dotless +dotlet +dotlike +doto +dotonidae +dotriacontane +dots +dottard +dotted +dottedness +dottel +dottels +dotter +dotterel +dotterels +dotters +dotty +dottier +dottiest +dottily +dottiness +dotting +dottle +dottled +dottler +dottles +dottling +dottore +dottrel +dottrels +douane +douanes +douanier +douar +doub +double +doubled +doubledamn +doubleganger +doublegear +doublehanded +doublehandedly +doublehandedness +doublehatching +doubleheader +doubleheaders +doublehearted +doubleheartedness +doublehorned +doublehung +doubleyou +doubleleaf +doublelunged +doubleness +doubleprecision +doubler +doublers +doubles +doublespeak +doublet +doubleted +doublethink +doublethinking +doublethought +doubleton +doubletone +doubletree +doublets +doublette +doublewidth +doubleword +doublewords +doubly +doubling +doubloon +doubloons +doublure +doublures +doubt +doubtable +doubtably +doubtance +doubted +doubtedly +doubter +doubters +doubtful +doubtfully +doubtfulness +doubty +doubting +doubtingly +doubtingness +doubtless +doubtlessly +doubtlessness +doubtmonger +doubtous +doubts +doubtsome +douc +douce +doucely +douceness +doucepere +doucet +douceur +douceurs +douche +douched +douches +douching +doucin +doucine +doucker +doudle +doug +dough +doughbelly +doughbellies +doughbird +doughboy +doughboys +doughface +doughfaceism +doughfeet +doughfoot +doughfoots +doughhead +doughy +doughier +doughiest +doughiness +doughlike +doughmaker +doughmaking +doughman +doughmen +doughnut +doughnuts +doughs +dought +doughty +doughtier +doughtiest +doughtily +doughtiness +dougl +douglas +doukhobor +doulce +doulocracy +doum +douma +doumaist +doumas +doundake +doup +douper +douping +doupion +doupioni +douppioni +dour +doura +dourade +dourah +dourahs +douras +dourer +dourest +douricouli +dourine +dourines +dourly +dourness +dournesses +douroucouli +douse +doused +douser +dousers +douses +dousing +dout +douter +doutous +douvecot +doux +douzaine +douzaines +douzainier +douzeper +douzepers +douzieme +douziemes +dove +dovecot +dovecote +dovecotes +dovecots +doveflower +dovefoot +dovehouse +dovey +dovekey +dovekeys +dovekie +dovekies +dovelet +dovelike +dovelikeness +doveling +doven +dovened +dovening +dovens +dover +doves +dovetail +dovetailed +dovetailer +dovetailing +dovetails +dovetailwise +doveweed +dovewood +dovyalis +dovish +dovishness +dow +dowable +dowage +dowager +dowagerism +dowagers +dowcet +dowcote +dowd +dowdy +dowdier +dowdies +dowdiest +dowdyish +dowdyism +dowdily +dowdiness +dowed +dowel +doweled +doweling +dowelled +dowelling +dowels +dower +doweral +dowered +doweress +dowery +doweries +dowering +dowerless +dowers +dowf +dowfart +dowhacky +dowy +dowie +dowieism +dowieite +dowily +dowiness +dowing +dowitch +dowitcher +dowitchers +dowl +dowlas +dowless +dowly +dowment +down +downbear +downbeard +downbeat +downbeats +downbend +downbent +downby +downbye +downcast +downcastly +downcastness +downcasts +downcome +downcomer +downcomes +downcoming +downcourt +downcry +downcried +downcrying +downcurve +downcurved +downcut +downdale +downdraft +downdraught +downed +downer +downers +downface +downfall +downfallen +downfalling +downfalls +downfeed +downfield +downflow +downfold +downfolded +downgate +downgyved +downgoing +downgone +downgrade +downgraded +downgrades +downgrading +downgrowth +downhanging +downhaul +downhauls +downheaded +downhearted +downheartedly +downheartedness +downhill +downhills +downy +downier +downiest +downily +downiness +downing +downingia +downland +downless +downlie +downlier +downligging +downlying +downlike +downline +downlink +downlinked +downlinking +downlinks +download +downloadable +downloaded +downloading +downloads +downlooked +downlooker +downmost +downness +downpipe +downplay +downplayed +downplaying +downplays +downpour +downpouring +downpours +downrange +downright +downrightly +downrightness +downriver +downrush +downrushing +downs +downset +downshare +downshift +downshifted +downshifting +downshifts +downshore +downside +downsinking +downsitting +downsize +downsized +downsizes +downsizing +downslide +downsliding +downslip +downslope +downsman +downsome +downspout +downstage +downstair +downstairs +downstate +downstater +downsteepy +downstream +downstreet +downstroke +downstrokes +downswing +downswings +downtake +downthrow +downthrown +downthrust +downtime +downtimes +downton +downtown +downtowner +downtowns +downtrampling +downtreading +downtrend +downtrends +downtrod +downtrodden +downtroddenness +downturn +downturned +downturns +downway +downward +downwardly +downwardness +downwards +downwarp +downwash +downweed +downweigh +downweight +downweighted +downwind +downwith +dowp +dowress +dowry +dowries +dows +dowsabel +dowsabels +dowse +dowsed +dowser +dowsers +dowses +dowset +dowsets +dowsing +dowve +doxa +doxantha +doxastic +doxasticon +doxy +doxycycline +doxie +doxies +doxographer +doxography +doxographical +doxology +doxological +doxologically +doxologies +doxologize +doxologized +doxologizing +doz +doze +dozed +dozen +dozened +dozener +dozening +dozens +dozent +dozenth +dozenths +dozer +dozers +dozes +dozy +dozier +doziest +dozily +doziness +dozinesses +dozing +dozzle +dozzled +dp +dpt +dr +drab +draba +drabant +drabbed +drabber +drabbest +drabbet +drabbets +drabby +drabbing +drabbish +drabble +drabbled +drabbler +drabbles +drabbletail +drabbletailed +drabbling +drabler +drably +drabness +drabnesses +drabs +dracaena +dracaenaceae +dracaenas +drachen +drachm +drachma +drachmae +drachmai +drachmal +drachmas +drachms +dracin +dracma +draco +dracocephalum +dracone +draconian +draconianism +draconic +draconically +draconid +draconin +draconis +draconism +draconites +draconitic +dracontian +dracontiasis +dracontic +dracontine +dracontites +dracontium +dracunculus +drad +dradge +draegerman +draegermen +draff +draffy +draffier +draffiest +draffish +draffman +draffs +draffsack +draft +draftable +draftage +drafted +draftee +draftees +drafter +drafters +drafty +draftier +draftiest +draftily +draftiness +drafting +draftings +draftman +draftmanship +draftproof +drafts +draftsman +draftsmanship +draftsmen +draftsperson +draftswoman +draftswomanship +draftwoman +drag +dragade +dragaded +dragading +dragbar +dragboat +dragbolt +dragee +dragees +drageoir +dragged +dragger +draggers +draggy +draggier +draggiest +draggily +dragginess +dragging +draggingly +draggle +draggled +draggles +draggletail +draggletailed +draggletailedly +draggletailedness +draggly +draggling +draghound +dragline +draglines +dragman +dragnet +dragnets +drago +dragoman +dragomanate +dragomanic +dragomanish +dragomans +dragomen +dragon +dragonade +dragonesque +dragoness +dragonet +dragonets +dragonfish +dragonfishes +dragonfly +dragonflies +dragonhead +dragonhood +dragonish +dragonism +dragonize +dragonkind +dragonlike +dragonnade +dragonne +dragonroot +dragons +dragontail +dragonwort +dragoon +dragoonable +dragoonade +dragoonage +dragooned +dragooner +dragooning +dragoons +dragrope +dragropes +drags +dragsaw +dragsawing +dragshoe +dragsman +dragsmen +dragstaff +dragster +dragsters +drahthaar +dray +drayage +drayages +drayed +drayhorse +draying +drail +drailed +drailing +drails +drayman +draymen +drain +drainable +drainage +drainages +drainageway +drainboard +draine +drained +drainer +drainerman +drainermen +drainers +drainfield +draining +drainless +drainman +drainpipe +drainpipes +drains +drainspout +draintile +drainway +drays +draisene +draisine +drake +drakefly +drakelet +drakes +drakestone +drakonite +dram +drama +dramalogue +dramamine +dramas +dramatic +dramatical +dramatically +dramaticism +dramaticle +dramatics +dramaticule +dramatis +dramatisable +dramatise +dramatised +dramatiser +dramatising +dramatism +dramatist +dramatists +dramatizable +dramatization +dramatizations +dramatize +dramatized +dramatizer +dramatizes +dramatizing +dramaturge +dramaturgy +dramaturgic +dramaturgical +dramaturgically +dramaturgist +drame +dramm +drammach +drammage +dramme +drammed +drammer +dramming +drammock +drammocks +drams +dramseller +dramshop +dramshops +drang +drank +drant +drapability +drapable +draparnaldia +drape +drapeability +drapeable +draped +draper +draperess +drapery +draperied +draperies +drapers +drapes +drapet +drapetomania +draping +drapping +drassid +drassidae +drastic +drastically +drat +dratchell +drate +drats +dratted +dratting +draught +draughtboard +draughted +draughter +draughthouse +draughty +draughtier +draughtiest +draughtily +draughtiness +draughting +draughtman +draughtmanship +draughts +draughtsboard +draughtsman +draughtsmanship +draughtsmen +draughtswoman +draughtswomanship +drave +dravya +dravida +dravidian +dravidic +dravite +draw +drawability +drawable +drawarm +drawback +drawbacks +drawbar +drawbars +drawbeam +drawbench +drawboard +drawboy +drawbolt +drawbore +drawbored +drawbores +drawboring +drawbridge +drawbridges +drawcansir +drawcard +drawcut +drawdown +drawdowns +drawee +drawees +drawer +drawerful +drawers +drawfile +drawfiling +drawgate +drawgear +drawglove +drawhead +drawhorse +drawing +drawings +drawk +drawknife +drawknives +drawknot +drawl +drawlatch +drawled +drawler +drawlers +drawly +drawlier +drawliest +drawling +drawlingly +drawlingness +drawlink +drawloom +drawls +drawn +drawnet +drawnly +drawnness +drawnwork +drawoff +drawout +drawplate +drawpoint +drawrod +draws +drawshave +drawsheet +drawspan +drawspring +drawstop +drawstring +drawstrings +drawtongs +drawtube +drawtubes +drazel +drch +dread +dreadable +dreaded +dreader +dreadful +dreadfully +dreadfulness +dreadfuls +dreading +dreadingly +dreadless +dreadlessly +dreadlessness +dreadly +dreadlocks +dreadnaught +dreadness +dreadnought +dreadnoughts +dreads +dream +dreamage +dreamboat +dreamed +dreamer +dreamery +dreamers +dreamful +dreamfully +dreamfulness +dreamhole +dreamy +dreamier +dreamiest +dreamily +dreaminess +dreaming +dreamingful +dreamingly +dreamish +dreamland +dreamless +dreamlessly +dreamlessness +dreamlet +dreamlike +dreamlikeness +dreamlit +dreamlore +dreams +dreamscape +dreamsy +dreamsily +dreamsiness +dreamt +dreamtide +dreamtime +dreamwhile +dreamwise +dreamworld +drear +drearfully +dreary +drearier +drearies +dreariest +drearihead +drearily +dreariment +dreariness +drearing +drearisome +drearisomely +drearisomeness +drearly +drearness +dreche +dreck +drecks +dredge +dredged +dredgeful +dredger +dredgers +dredges +dredging +dredgings +dree +dreed +dreegh +dreeing +dreep +dreepy +dreepiness +drees +dreg +dreggy +dreggier +dreggiest +dreggily +dregginess +dreggish +dregless +dregs +drey +dreich +dreidel +dreidels +dreidl +dreidls +dreyfusism +dreyfusist +dreigh +dreikanter +dreikanters +dreiling +dreint +dreynt +dreissensia +dreissiger +drek +dreks +drench +drenched +drencher +drenchers +drenches +drenching +drenchingly +dreng +drengage +drengh +drent +drepanaspis +drepane +drepania +drepanid +drepanidae +drepanididae +drepaniform +drepanis +drepanium +drepanoid +dreparnaudia +dresden +dress +dressage +dressages +dressed +dresser +dressers +dressership +dresses +dressy +dressier +dressiest +dressily +dressiness +dressing +dressings +dressline +dressmake +dressmaker +dressmakery +dressmakers +dressmakership +dressmaking +dressoir +dressoirs +drest +dretch +drevel +drew +drewite +dry +dryable +dryad +dryades +dryadetum +dryadic +dryads +drias +dryas +dryasdust +drib +dribbed +dribber +dribbet +dribbing +dribble +dribbled +dribblement +dribbler +dribblers +dribbles +dribblet +dribblets +dribbling +drybeard +driblet +driblets +drybrained +drybrush +dribs +drycoal +dridder +driddle +drydenian +drydenism +drie +driech +dried +driegh +drier +dryer +drierman +dryerman +dryermen +driers +dryers +dries +driest +dryest +dryfarm +dryfarmer +dryfat +dryfist +dryfoot +drift +driftage +driftages +driftbolt +drifted +drifter +drifters +driftfish +driftfishes +drifty +driftier +driftiest +drifting +driftingly +driftland +driftless +driftlessness +driftlet +driftman +driftpiece +driftpin +driftpins +drifts +driftway +driftweed +driftwind +driftwood +drighten +drightin +drygoodsman +dryhouse +drying +dryinid +dryish +drily +dryly +drill +drillability +drillable +drillbit +drilled +driller +drillers +drillet +drilling +drillings +drillman +drillmaster +drillmasters +drills +drillstock +drylot +drylots +drilvis +drimys +drynaria +dryness +drynesses +dringle +drink +drinkability +drinkable +drinkableness +drinkables +drinkably +drinker +drinkery +drinkers +drinky +drinking +drinkless +drinkproof +drinks +drinn +dryobalanops +dryope +dryopes +dryophyllum +dryopians +dryopithecid +dryopithecinae +dryopithecine +dryopithecus +dryops +dryopteris +dryopteroid +drip +dripless +drypoint +drypoints +dripolator +drippage +dripped +dripper +drippers +drippy +drippier +drippiest +dripping +drippings +dripple +dripproof +drips +dripstick +dripstone +dript +dryrot +drys +drysalter +drysaltery +drysalteries +drisheen +drisk +drysne +drissel +dryster +dryth +drivable +drivage +drive +driveable +driveaway +driveboat +drivebolt +drivecap +drivehead +drivel +driveled +driveler +drivelers +driveline +driveling +drivelingly +drivelled +driveller +drivellers +drivelling +drivellingly +drivels +driven +drivenness +drivepipe +driver +driverless +drivers +drivership +drives +drivescrew +driveway +driveways +drivewell +driving +drivingly +drywall +drywalls +dryworker +drizzle +drizzled +drizzles +drizzly +drizzlier +drizzliest +drizzling +drizzlingly +drochuil +droddum +drof +drofland +droger +drogerman +drogermen +drogh +drogher +drogherman +droghlin +drogoman +drogue +drogues +droguet +droh +droich +droil +droyl +droit +droits +droitsman +droitural +droiture +droiturel +drokpa +drolerie +droll +drolled +droller +drollery +drolleries +drollest +drolly +drolling +drollingly +drollish +drollishness +drollist +drollness +drolls +drolushness +dromaeognathae +dromaeognathism +dromaeognathous +dromaeus +drome +dromed +dromedary +dromedarian +dromedaries +dromedarist +drometer +dromiacea +dromic +dromical +dromiceiidae +dromiceius +dromicia +dromioid +dromograph +dromoi +dromomania +dromometer +dromon +dromond +dromonds +dromons +dromophobia +dromornis +dromos +dromotropic +drona +dronage +drone +droned +dronel +dronepipe +droner +droners +drones +dronet +drongo +drongos +drony +droning +droningly +dronish +dronishly +dronishness +dronkelew +dronkgrass +dronte +droob +drool +drooled +drooly +droolier +drooliest +drooling +drools +droop +drooped +drooper +droopy +droopier +droopiest +droopily +droopiness +drooping +droopingly +droopingness +droops +droopt +drop +dropax +dropberry +dropcloth +dropflower +dropforge +dropforged +dropforger +dropforging +drophead +dropheads +dropkick +dropkicker +dropkicks +droplet +droplets +droplight +droplike +dropline +dropling +dropman +dropmeal +dropout +dropouts +droppage +dropped +dropper +dropperful +droppers +droppy +dropping +droppingly +droppings +drops +dropseed +dropshot +dropshots +dropsy +dropsical +dropsically +dropsicalness +dropsied +dropsies +dropsywort +dropsonde +dropt +dropvie +dropwise +dropworm +dropwort +dropworts +droschken +drosera +droseraceae +droseraceous +droseras +droshky +droshkies +drosky +droskies +drosograph +drosometer +drosophila +drosophilae +drosophilas +drosophilidae +drosophyllum +dross +drossed +drossel +drosser +drosses +drossy +drossier +drossiest +drossiness +drossing +drossless +drostden +drostdy +drou +droud +droughermen +drought +droughty +droughtier +droughtiest +droughtiness +droughts +drouk +droukan +drouked +drouket +drouking +droukit +drouks +droumy +drouth +drouthy +drouthier +drouthiest +drouthiness +drouths +drove +droved +drover +drovers +droves +drovy +droving +drow +drown +drownd +drownded +drownding +drownds +drowned +drowner +drowners +drowning +drowningly +drownings +drownproofing +drowns +drowse +drowsed +drowses +drowsy +drowsier +drowsiest +drowsihead +drowsihood +drowsily +drowsiness +drowsing +drowte +drub +drubbed +drubber +drubbers +drubbing +drubbings +drubble +drubbly +drubly +drubs +drucken +drudge +drudged +drudger +drudgery +drudgeries +drudgers +drudges +drudging +drudgingly +drudgism +druery +druffen +drug +drugeteria +drugge +drugged +drugger +druggery +druggeries +drugget +druggeting +druggets +druggy +druggier +druggiest +drugging +druggist +druggister +druggists +drugless +drugmaker +drugman +drugs +drugshop +drugstore +drugstores +druid +druidess +druidesses +druidic +druidical +druidism +druidisms +druidology +druidry +druids +druith +drukpa +drum +drumbeat +drumbeater +drumbeating +drumbeats +drumble +drumbled +drumbledore +drumbler +drumbles +drumbling +drumfire +drumfires +drumfish +drumfishes +drumhead +drumheads +drumler +drumly +drumlier +drumliest +drumlike +drumlin +drumline +drumlinoid +drumlins +drumloid +drumloidal +drummed +drummer +drummers +drummy +drumming +drummock +drumread +drumreads +drumroll +drumrolls +drums +drumskin +drumslade +drumsler +drumstick +drumsticks +drumwood +drung +drungar +drunk +drunkard +drunkards +drunkelew +drunken +drunkeness +drunkenly +drunkenness +drunkensome +drunkenwise +drunker +drunkery +drunkeries +drunkest +drunkly +drunkometer +drunks +drunt +drupa +drupaceae +drupaceous +drupal +drupe +drupel +drupelet +drupelets +drupeole +drupes +drupetum +drupiferous +drupose +drury +druse +drusean +drused +drusedom +druses +drusy +druther +druthers +druttle +druxey +druxy +druxiness +druze +ds +dschubba +dsect +dsects +dsname +dsnames +dsp +dsr +dsri +dt +dtd +dtente +dtset +du +duad +duadic +duads +dual +duala +duali +dualin +dualism +dualisms +dualist +dualistic +dualistically +dualists +duality +dualities +dualization +dualize +dualized +dualizes +dualizing +dually +dualmutef +dualogue +duals +duan +duane +duant +duarch +duarchy +duarchies +dub +dubash +dubb +dubba +dubbah +dubbed +dubbeh +dubbeltje +dubber +dubbers +dubby +dubbin +dubbing +dubbings +dubbins +dubhe +dubhgall +dubiety +dubieties +dubio +dubiocrystalline +dubiosity +dubiosities +dubious +dubiously +dubiousness +dubitable +dubitably +dubitancy +dubitant +dubitante +dubitate +dubitatingly +dubitation +dubitative +dubitatively +dublin +duboisia +duboisin +duboisine +dubonnet +dubonnets +dubs +duc +ducal +ducally +ducamara +ducape +ducat +ducato +ducaton +ducatoon +ducats +ducatus +ducdame +duce +duces +duchan +duchery +duchesnea +duchess +duchesse +duchesses +duchesslike +duchy +duchies +duci +duck +duckbill +duckbills +duckblind +duckboard +duckboards +duckboat +ducked +ducker +duckery +duckeries +duckers +duckfoot +duckfooted +duckhearted +duckhood +duckhouse +duckhunting +ducky +duckie +duckier +duckies +duckiest +ducking +duckish +ducklar +ducklet +duckling +ducklings +ducklingship +duckmeat +duckmole +duckpin +duckpins +duckpond +ducks +duckstone +ducktail +ducktails +duckweed +duckweeds +duckwheat +duckwife +duckwing +duco +ducs +duct +ductal +ducted +ductibility +ductible +ductile +ductilely +ductileness +ductilimeter +ductility +ductilize +ductilized +ductilizing +ducting +ductings +duction +ductless +ductor +ducts +ductule +ductules +ducture +ductus +ductwork +ducula +duculinae +dud +dudaim +dudder +duddery +duddy +duddie +duddies +duddle +dude +dudeen +dudeens +dudelsack +dudes +dudgen +dudgeon +dudgeons +dudine +dudish +dudishly +dudishness +dudism +dudley +dudleya +dudleyite +dudler +dudman +duds +due +duecentist +duecento +duecentos +dueful +duel +dueled +dueler +duelers +dueling +duelist +duelistic +duelists +duelled +dueller +duellers +duelli +duelling +duellist +duellistic +duellists +duellize +duello +duellos +duels +duenas +duende +duendes +dueness +duenesses +duenna +duennadom +duennas +duennaship +duer +dues +duessa +duet +duets +duetted +duetting +duettino +duettist +duettists +duetto +duff +duffadar +duffed +duffel +duffels +duffer +dufferdom +duffers +duffy +duffies +duffing +duffle +duffles +duffs +dufoil +dufrenite +dufrenoysite +dufter +dufterdar +duftery +duftite +duftry +dug +dugal +dugdug +dugento +duggler +dugong +dugongidae +dugongs +dugout +dugouts +dugs +dugway +duhat +duhr +dui +duiker +duyker +duikerbok +duikerboks +duikerbuck +duikers +duim +duinhewassel +duit +duits +dujan +duka +duke +dukedom +dukedoms +dukely +dukeling +dukery +dukes +dukeship +dukhn +dukhobor +dukker +dukkeripen +dukkha +dukuma +dulanganes +dulat +dulbert +dulc +dulcamara +dulcarnon +dulce +dulcely +dulceness +dulcet +dulcetly +dulcetness +dulcets +dulcian +dulciana +dulcianas +dulcid +dulcify +dulcification +dulcified +dulcifies +dulcifying +dulcifluous +dulcigenic +dulciloquent +dulciloquy +dulcimer +dulcimers +dulcimore +dulcin +dulcinea +dulcineas +dulcinist +dulcite +dulcity +dulcitol +dulcitude +dulcor +dulcorate +dulcose +duledge +duler +duly +dulia +dulias +dull +dullard +dullardism +dullardness +dullards +dullbrained +dulled +duller +dullery +dullest +dullhead +dullhearted +dully +dullify +dullification +dulling +dullish +dullishly +dullity +dullness +dullnesses +dullpate +dulls +dullsome +dullsville +dulness +dulnesses +dulocracy +dulosis +dulotic +dulse +dulseman +dulses +dult +dultie +duluth +dulwilly +dum +duma +dumaist +dumas +dumb +dumba +dumbbell +dumbbeller +dumbbells +dumbcow +dumbed +dumber +dumbest +dumbfish +dumbfound +dumbfounded +dumbfounder +dumbfounderment +dumbfounding +dumbfoundment +dumbhead +dumbheaded +dumby +dumbing +dumble +dumbledore +dumbly +dumbness +dumbnesses +dumbs +dumbstricken +dumbstruck +dumbwaiter +dumbwaiters +dumdum +dumdums +dumetose +dumfound +dumfounded +dumfounder +dumfounderment +dumfounding +dumfounds +dumka +dumky +dummel +dummered +dummerer +dummy +dummied +dummies +dummying +dummyism +dumminess +dummyweed +dummkopf +dummkopfs +dumontia +dumontiaceae +dumontite +dumortierite +dumose +dumosity +dumous +dump +dumpage +dumpcart +dumpcarts +dumped +dumper +dumpers +dumpfile +dumpy +dumpier +dumpies +dumpiest +dumpily +dumpiness +dumping +dumpings +dumpish +dumpishly +dumpishness +dumple +dumpled +dumpler +dumpling +dumplings +dumpoke +dumps +dumpty +dumsola +dun +dunair +dunal +dunamis +dunbird +duncan +dunce +duncedom +duncehood +duncery +dunces +dunch +dunches +dunciad +duncical +duncify +duncifying +duncish +duncishly +duncishness +dundasite +dundavoe +dundee +dundees +dunder +dunderbolt +dunderfunk +dunderhead +dunderheaded +dunderheadedness +dunderheads +dunderpate +dunderpates +dundreary +dundrearies +dune +duneland +dunelands +dunelike +dunes +dunfish +dung +dungan +dungannonite +dungaree +dungarees +dungari +dungas +dungbeck +dungbird +dungbred +dunged +dungeon +dungeoner +dungeonlike +dungeons +dunger +dunghill +dunghilly +dunghills +dungy +dungyard +dungier +dungiest +dunging +dungol +dungon +dungs +duny +duniewassal +dunite +dunites +dunitic +duniwassal +dunk +dunkadoo +dunkard +dunked +dunker +dunkers +dunking +dunkirk +dunkirker +dunkle +dunkled +dunkling +dunks +dunlap +dunlin +dunlins +dunlop +dunnage +dunnaged +dunnages +dunnaging +dunnakin +dunne +dunned +dunner +dunness +dunnesses +dunnest +dunny +dunniewassel +dunning +dunnish +dunnite +dunnites +dunno +dunnock +dunpickle +duns +dunst +dunstable +dunster +dunstone +dunt +dunted +dunter +dunting +duntle +dunts +dunziekte +duo +duocosane +duodecagon +duodecahedral +duodecahedron +duodecane +duodecastyle +duodecennial +duodecillion +duodecillions +duodecillionth +duodecimal +duodecimality +duodecimally +duodecimals +duodecimfid +duodecimo +duodecimole +duodecimomos +duodecimos +duodecuple +duodedena +duodedenums +duodena +duodenal +duodenary +duodenas +duodenate +duodenation +duodene +duodenectomy +duodenitis +duodenocholangitis +duodenocholecystostomy +duodenocholedochotomy +duodenocystostomy +duodenoenterostomy +duodenogram +duodenojejunal +duodenojejunostomy +duodenojejunostomies +duodenopancreatectomy +duodenoscopy +duodenostomy +duodenotomy +duodenum +duodenums +duodial +duodynatron +duodiode +duodiodepentode +duodrama +duograph +duogravure +duole +duoliteral +duolog +duologs +duologue +duologues +duomachy +duomi +duomo +duomos +duopod +duopoly +duopolies +duopolist +duopolistic +duopsony +duopsonies +duopsonistic +duos +duosecant +duotype +duotone +duotoned +duotones +duotriacontane +duotriode +duoviri +dup +dupability +dupable +dupatta +dupe +duped +dupedom +duper +dupery +duperies +dupers +dupes +duping +dupion +dupioni +dupla +duplation +duple +duplet +duplex +duplexed +duplexer +duplexers +duplexes +duplexing +duplexity +duplexs +duply +duplicability +duplicable +duplicand +duplicando +duplicate +duplicated +duplicately +duplicates +duplicating +duplication +duplications +duplicative +duplicator +duplicators +duplicature +duplicatus +duplicia +duplicident +duplicidentata +duplicidentate +duplicious +duplicipennate +duplicitas +duplicity +duplicities +duplicitous +duplicitously +duplify +duplification +duplified +duplifying +duplon +duplone +dupondidii +dupondii +dupondius +duppa +dupped +dupper +duppy +duppies +dupping +dups +dur +dura +durability +durabilities +durable +durableness +durables +durably +duracine +durain +dural +duralumin +duramater +duramatral +duramen +duramens +durance +durances +durandarte +durangite +durango +durani +durant +duranta +durante +duraplasty +duraquara +duras +duraspinalis +duration +durational +durationless +durations +durative +duratives +durax +durbachite +durban +durbar +durbars +durdenite +durdum +dure +dured +duree +dureful +durene +durenol +dureresque +dures +duress +duresses +duressor +duret +duretto +durezza +durgah +durgan +durgen +durham +durian +durians +duricrust +duridine +duryl +durindana +during +duringly +durio +duryodhana +durion +durions +durity +durmast +durmasts +durn +durndest +durned +durneder +durnedest +durning +durns +duro +duroc +durocs +duroy +durometer +duroquinone +duros +durous +durr +durra +durras +durry +durrie +durries +durrin +durrs +durst +durukuli +durum +durums +durwan +durwaun +durzada +durzee +durzi +dusack +duscle +dusenwind +dush +dusio +dusk +dusked +dusken +dusky +duskier +duskiest +duskily +duskiness +dusking +duskingtide +duskish +duskishly +duskishness +duskly +duskness +dusks +dusserah +dust +dustband +dustbin +dustbins +dustblu +dustbox +dustcart +dustcloth +dustcloths +dustcoat +dustcover +dusted +dustee +duster +dusterman +dustermen +dusters +dustfall +dustheap +dustheaps +dusty +dustier +dustiest +dustyfoot +dustily +dustin +dustiness +dusting +dustless +dustlessness +dustlike +dustman +dustmen +dustoor +dustoori +dustour +dustpan +dustpans +dustpoint +dustproof +dustrag +dustrags +dusts +dustsheet +duststorm +dusttight +dustuck +dustuk +dustup +dustups +dustwoman +dusun +dutch +dutched +dutcher +dutchess +dutchy +dutchify +dutching +dutchman +dutchmen +duteous +duteously +duteousness +duty +dutiability +dutiable +dutied +duties +dutiful +dutifully +dutifulness +dutymonger +dutra +dutuburi +duumvir +duumviral +duumvirate +duumviri +duumvirs +duvet +duvetyn +duvetine +duvetyne +duvetines +duvetynes +duvetyns +dux +duxelles +duxes +dvaita +dvandva +dvigu +dvorak +dvornik +dwayberry +dwaible +dwaibly +dwayne +dwale +dwalm +dwamish +dwang +dwarf +dwarfed +dwarfer +dwarfest +dwarfy +dwarfing +dwarfish +dwarfishly +dwarfishness +dwarfism +dwarfisms +dwarflike +dwarfling +dwarfness +dwarfs +dwarves +dweeble +dwell +dwelled +dweller +dwellers +dwelling +dwellings +dwells +dwelt +dwight +dwyka +dwindle +dwindled +dwindlement +dwindles +dwindling +dwine +dwined +dwines +dwining +dwt +dx +dz +dzeren +dzerin +dzeron +dziggetai +dzo +dzungar +e +ea +eably +eaceworm +each +eachwhere +ead +eadi +eadios +eadish +eager +eagerer +eagerest +eagerly +eagerness +eagers +eagle +eagled +eaglehawk +eaglelike +eagles +eagless +eaglestone +eaglet +eaglets +eaglewood +eagling +eagrass +eagre +eagres +ealderman +ealdorman +ealdormen +eam +ean +eaning +eanling +eanlings +ear +earable +earache +earaches +earbash +earbob +earcap +earclip +earcockle +eardrop +eardropper +eardrops +eardrum +eardrums +eared +earflap +earflaps +earflower +earful +earfuls +earhead +earhole +earing +earings +earjewel +earl +earlap +earlaps +earldom +earldoms +earlduck +earle +earless +earlesss +earlet +early +earlier +earliest +earlyish +earlike +earliness +earlish +earlywood +earlobe +earlobes +earlock +earlocks +earls +earlship +earlships +earmark +earmarked +earmarking +earmarkings +earmarks +earmindedness +earmuff +earmuffs +earn +earnable +earned +earner +earners +earnest +earnestful +earnestly +earnestness +earnests +earnful +earnie +earning +earnings +earns +earock +earphone +earphones +earpick +earpiece +earpieces +earplug +earplugs +earreach +earring +earringed +earrings +ears +earscrew +earsh +earshell +earshot +earshots +earsore +earsplitting +earspool +earstone +earstones +eartab +eartag +eartagged +earth +earthboard +earthborn +earthbound +earthbred +earthdrake +earthed +earthen +earthenhearted +earthenware +earthfall +earthfast +earthgall +earthgrubber +earthy +earthian +earthier +earthiest +earthily +earthiness +earthing +earthkin +earthless +earthly +earthlier +earthliest +earthlight +earthlike +earthliness +earthling +earthlings +earthmaker +earthmaking +earthman +earthmen +earthmove +earthmover +earthmoving +earthnut +earthnuts +earthpea +earthpeas +earthquake +earthquaked +earthquaken +earthquakes +earthquaking +earthquave +earthrise +earths +earthset +earthsets +earthshaker +earthshaking +earthshakingly +earthshattering +earthshine +earthshock +earthslide +earthsmoke +earthstar +earthtongue +earthwall +earthward +earthwards +earthwork +earthworks +earthworm +earthworms +earwax +earwaxes +earwig +earwigged +earwiggy +earwigginess +earwigging +earwigs +earwitness +earworm +earworms +earwort +ease +eased +easeful +easefully +easefulness +easel +easeled +easeless +easels +easement +easements +easer +easers +eases +easy +easier +easies +easiest +easygoing +easygoingly +easygoingness +easily +easylike +easiness +easinesses +easing +eassel +east +eastabout +eastbound +easted +easter +eastering +easterly +easterlies +easterliness +easterling +eastermost +eastern +easterner +easterners +easternism +easternize +easternized +easternizing +easternly +easternmost +easters +eastertide +easting +eastings +eastlake +eastland +eastlander +eastlin +eastling +eastlings +eastlins +eastman +eastmost +eastness +eastre +easts +eastward +eastwardly +eastwards +eat +eatability +eatable +eatableness +eatables +eatage +eatanswill +eatberry +eatche +eaten +eater +eatery +eateries +eaters +eath +eathly +eating +eatings +eats +eau +eaux +eave +eaved +eavedrop +eavedropper +eavedropping +eaver +eaves +eavesdrip +eavesdrop +eavesdropped +eavesdropper +eavesdroppers +eavesdropping +eavesdrops +eavesing +ebauche +ebauchoir +ebb +ebbed +ebbet +ebbets +ebbing +ebbman +ebbs +ebcasc +ebcd +ebcdic +ebdomade +eben +ebenaceae +ebenaceous +ebenales +ebeneous +ebenezer +eberthella +ebionism +ebionite +ebionitic +ebionitism +ebionize +eblis +eboe +ebon +ebony +ebonies +ebonige +ebonise +ebonised +ebonises +ebonising +ebonist +ebonite +ebonites +ebonize +ebonized +ebonizes +ebonizing +ebons +eboulement +ebracteate +ebracteolate +ebraick +ebriate +ebriated +ebricty +ebriety +ebrillade +ebriose +ebriosity +ebrious +ebriously +ebullate +ebulliate +ebullience +ebulliency +ebullient +ebulliently +ebulliometer +ebulliometry +ebullioscope +ebullioscopy +ebullioscopic +ebullition +ebullitions +ebullitive +ebulus +eburated +eburin +eburine +eburna +eburnated +eburnation +eburnean +eburneoid +eburneous +eburnian +eburnification +ec +ecad +ecalcarate +ecalcavate +ecanda +ecardinal +ecardine +ecardines +ecarinate +ecart +ecarte +ecartes +ecaudata +ecaudate +ecb +ecballium +ecbasis +ecbatic +ecblastesis +ecblastpsis +ecbole +ecbolic +ecbolics +ecca +eccaleobion +ecce +eccentrate +eccentric +eccentrical +eccentrically +eccentricity +eccentricities +eccentrics +eccentring +eccentrometer +ecch +ecchymoma +ecchymose +ecchymosed +ecchymoses +ecchymosis +ecchymotic +ecchondroma +ecchondrosis +ecchondrotome +eccyclema +eccyesis +eccl +eccles +ecclesia +ecclesiae +ecclesial +ecclesiarch +ecclesiarchy +ecclesiast +ecclesiastes +ecclesiastic +ecclesiastical +ecclesiasticalism +ecclesiastically +ecclesiasticalness +ecclesiasticism +ecclesiasticize +ecclesiastics +ecclesiasticus +ecclesiastry +ecclesioclastic +ecclesiography +ecclesiolater +ecclesiolatry +ecclesiology +ecclesiologic +ecclesiological +ecclesiologically +ecclesiologist +ecclesiophobia +eccoprotic +eccoproticophoric +eccrine +eccrinology +eccrisis +eccritic +ecdemic +ecdemite +ecderon +ecderonic +ecdyses +ecdysial +ecdysiast +ecdysis +ecdyson +ecdysone +ecdysones +ecdysons +ecesic +ecesis +ecesises +ecgonin +ecgonine +echafaudage +echappe +echappee +echar +echard +echards +eche +echea +eched +echelette +echelle +echelon +echeloned +echeloning +echelonment +echelons +echeloot +echeneid +echeneidae +echeneidid +echeneididae +echeneidoid +echeneis +eches +echevaria +echeveria +echevin +echidna +echidnae +echidnas +echidnidae +echimys +echinacea +echinal +echinate +echinated +eching +echini +echinid +echinidan +echinidea +echiniform +echinital +echinite +echinocactus +echinocaris +echinocereus +echinochloa +echinochrome +echinococcosis +echinococcus +echinoderes +echinoderidae +echinoderm +echinoderma +echinodermal +echinodermata +echinodermatous +echinodermic +echinodorus +echinoid +echinoidea +echinoids +echinology +echinologist +echinomys +echinopanax +echinops +echinopsine +echinorhynchus +echinorhinidae +echinorhinus +echinospermum +echinosphaerites +echinosphaeritidae +echinostoma +echinostomatidae +echinostome +echinostomiasis +echinozoa +echinulate +echinulated +echinulation +echinuliform +echinus +echis +echitamine +echites +echium +echiurid +echiurida +echiuroid +echiuroidea +echiurus +echnida +echo +echocardiogram +echoed +echoey +echoencephalography +echoer +echoers +echoes +echogram +echograph +echoic +echoing +echoingly +echoism +echoisms +echoist +echoize +echoized +echoizing +echolalia +echolalic +echoless +echolocate +echolocation +echometer +echopractic +echopraxia +echos +echovirus +echowise +echt +echuca +eciliate +ecyphellate +eciton +ecize +eckehart +ecklein +eclair +eclaircise +eclaircissement +eclairissement +eclairs +eclampsia +eclamptic +eclat +eclated +eclating +eclats +eclectic +eclectical +eclectically +eclecticism +eclecticist +eclecticize +eclectics +eclectism +eclectist +eclegm +eclegma +eclegme +eclipsable +eclipsareon +eclipsation +eclipse +eclipsed +eclipser +eclipses +eclipsing +eclipsis +eclipsises +ecliptic +ecliptical +ecliptically +ecliptics +eclogic +eclogite +eclogites +eclogue +eclogues +eclosion +eclosions +ecmnesia +eco +ecocidal +ecocide +ecoclimate +ecod +ecodeme +ecoid +ecol +ecole +ecoles +ecology +ecologic +ecological +ecologically +ecologies +ecologist +ecologists +ecomomist +econ +economese +econometer +econometric +econometrical +econometrically +econometrician +econometrics +econometrist +economy +economic +economical +economically +economicalness +economics +economies +economise +economised +economiser +economising +economism +economist +economists +economite +economization +economize +economized +economizer +economizers +economizes +economizing +ecophene +ecophysiology +ecophysiological +ecophobia +ecorch +ecorche +ecorticate +ecosystem +ecosystems +ecospecies +ecospecific +ecospecifically +ecosphere +ecossaise +ecostate +ecotype +ecotypes +ecotypic +ecotipically +ecotypically +ecotonal +ecotone +ecotones +ecotopic +ecoute +ecphasis +ecphonema +ecphonesis +ecphorable +ecphore +ecphory +ecphoria +ecphoriae +ecphorias +ecphorization +ecphorize +ecphova +ecphractic +ecphrasis +ecrase +ecraseur +ecraseurs +ecrasite +ecrevisse +ecroulement +ecru +ecrus +ecrustaceous +ecstasy +ecstasies +ecstasis +ecstasize +ecstatic +ecstatica +ecstatical +ecstatically +ecstaticize +ecstatics +ecstrophy +ectad +ectadenia +ectal +ectally +ectases +ectasia +ectasis +ectatic +ectene +ectental +ectepicondylar +ecteron +ectethmoid +ectethmoidal +ecthesis +ecthetically +ecthyma +ecthymata +ecthymatous +ecthlipses +ecthlipsis +ectypal +ectype +ectypes +ectypography +ectiris +ectobatic +ectoblast +ectoblastic +ectobronchium +ectocardia +ectocarpaceae +ectocarpaceous +ectocarpales +ectocarpic +ectocarpous +ectocarpus +ectocelic +ectochondral +ectocinerea +ectocinereal +ectocyst +ectocoelic +ectocommensal +ectocondylar +ectocondyle +ectocondyloid +ectocornea +ectocranial +ectocrine +ectocuneiform +ectocuniform +ectodactylism +ectoderm +ectodermal +ectodermic +ectodermoidal +ectodermosis +ectoderms +ectodynamomorphic +ectoentad +ectoenzym +ectoenzyme +ectoethmoid +ectogeneous +ectogenesis +ectogenetic +ectogenic +ectogenous +ectoglia +ectognatha +ectolecithal +ectoloph +ectomere +ectomeres +ectomeric +ectomesoblast +ectomorph +ectomorphy +ectomorphic +ectomorphism +ectonephridium +ectoparasite +ectoparasitic +ectoparasitica +ectopatagia +ectopatagium +ectophyte +ectophytic +ectophloic +ectopy +ectopia +ectopias +ectopic +ectopistes +ectoplacenta +ectoplasy +ectoplasm +ectoplasmatic +ectoplasmic +ectoplastic +ectoproct +ectoprocta +ectoproctan +ectoproctous +ectopterygoid +ectoretina +ectorganism +ectorhinal +ectosarc +ectosarcous +ectosarcs +ectoskeleton +ectosomal +ectosome +ectosphenoid +ectosphenotic +ectosphere +ectosteal +ectosteally +ectostosis +ectotheca +ectotherm +ectothermic +ectotoxin +ectotrophi +ectotrophic +ectotropic +ectozoa +ectozoan +ectozoans +ectozoic +ectozoon +ectrodactyly +ectrodactylia +ectrodactylism +ectrodactylous +ectrogeny +ectrogenic +ectromelia +ectromelian +ectromelic +ectromelus +ectropion +ectropionization +ectropionize +ectropionized +ectropionizing +ectropium +ectropometer +ectrosyndactyly +ectrotic +ecttypal +ecu +ecuador +ecuadoran +ecuadorian +ecuelle +ecuelling +ecumenacy +ecumene +ecumenic +ecumenical +ecumenicalism +ecumenicality +ecumenically +ecumenicism +ecumenicist +ecumenicity +ecumenicize +ecumenics +ecumenism +ecumenist +ecumenistic +ecumenopolis +ecurie +ecus +eczema +eczemas +eczematization +eczematoid +eczematosis +eczematous +ed +edacious +edaciously +edaciousness +edacity +edacities +edam +edana +edaphic +edaphically +edaphodont +edaphology +edaphon +edaphosauria +edaphosaurid +edaphosaurus +edda +eddaic +edder +eddy +eddic +eddie +eddied +eddies +eddying +eddyroot +eddish +eddo +eddoes +edea +edeagra +edeitis +edelweiss +edelweisses +edema +edemas +edemata +edematose +edematous +edemic +eden +edenic +edenite +edenization +edenize +edental +edentalous +edentata +edentate +edentates +edentulate +edentulous +edeodynia +edeology +edeomania +edeoscopy +edeotomy +edessan +edestan +edestin +edestosaurus +edgar +edge +edgebone +edgeboned +edged +edgeless +edgeling +edgemaker +edgemaking +edgeman +edger +edgerman +edgers +edges +edgeshot +edgestone +edgeway +edgeways +edgeweed +edgewise +edgy +edgier +edgiest +edgily +edginess +edginesses +edging +edgingly +edgings +edgrew +edgrow +edh +edhs +edibile +edibility +edible +edibleness +edibles +edict +edictal +edictally +edicts +edictum +edicule +ediface +edify +edificable +edificant +edificate +edification +edificative +edificator +edificatory +edifice +edificed +edifices +edificial +edificing +edified +edifier +edifiers +edifies +edifying +edifyingly +edifyingness +ediya +edile +ediles +edility +edinburgh +edingtonite +edison +edit +editable +edital +editchar +edited +edith +editing +edition +editions +editor +editorial +editorialist +editorialization +editorializations +editorialize +editorialized +editorializer +editorializers +editorializes +editorializing +editorially +editorials +editors +editorship +editorships +editress +editresses +edits +edituate +edmond +edmund +edna +edo +edomite +edomitish +edoni +edp +edplot +edriasteroidea +edrioasteroid +edrioasteroidea +edriophthalma +edriophthalmatous +edriophthalmian +edriophthalmic +edriophthalmous +eds +eduardo +educ +educabilia +educabilian +educability +educable +educables +educand +educatability +educatable +educate +educated +educatedly +educatedness +educatee +educates +educating +education +educationable +educational +educationalism +educationalist +educationally +educationary +educationese +educationist +educations +educative +educator +educatory +educators +educatress +educe +educed +educement +educes +educible +educing +educive +educt +eduction +eductions +eductive +eductor +eductors +educts +edulcorate +edulcorated +edulcorating +edulcoration +edulcorative +edulcorator +eduskunta +edward +edwardean +edwardeanism +edwardian +edwardine +edwards +edwardsia +edwardsiidae +edwin +edwina +ee +eebree +eegrass +eeyuch +eeyuck +eel +eelback +eelblenny +eelblennies +eelboat +eelbob +eelbobber +eelcake +eelcatcher +eeler +eelery +eelfare +eelfish +eelgrass +eelgrasses +eely +eelier +eeliest +eeling +eellike +eelpot +eelpout +eelpouts +eels +eelshop +eelskin +eelspear +eelware +eelworm +eelworms +eemis +een +eequinoctium +eer +eery +eerie +eerier +eeriest +eerily +eeriness +eerinesses +eerisome +eerock +eesome +eeten +ef +efecks +eff +effable +efface +effaceable +effaced +effacement +effacer +effacers +effaces +effacing +effare +effascinate +effate +effatum +effect +effected +effecter +effecters +effectful +effectible +effecting +effective +effectively +effectiveness +effectivity +effectless +effector +effectors +effectress +effects +effectual +effectuality +effectualize +effectually +effectualness +effectuate +effectuated +effectuates +effectuating +effectuation +effectuous +effeir +effeminacy +effeminate +effeminated +effeminately +effeminateness +effeminating +effemination +effeminatize +effeminisation +effeminise +effeminised +effeminising +effeminization +effeminize +effeminized +effeminizing +effendi +effendis +efference +efferent +efferently +efferents +efferous +effervesce +effervesced +effervescence +effervescency +effervescent +effervescently +effervesces +effervescible +effervescing +effervescingly +effervescive +effet +effete +effetely +effeteness +effetman +effetmen +efficace +efficacy +efficacies +efficacious +efficaciously +efficaciousness +efficacity +efficience +efficiency +efficiencies +efficient +efficiently +effie +effierce +effigy +effigial +effigiate +effigiated +effigiating +effigiation +effigies +effigurate +effiguration +efflagitate +efflate +efflation +effleurage +effloresce +effloresced +efflorescence +efflorescency +efflorescent +effloresces +efflorescing +efflower +effluence +effluences +effluency +effluent +effluents +effluve +effluvia +effluviable +effluvial +effluvias +effluviate +effluviography +effluvious +effluvium +effluviums +effluvivia +effluviviums +efflux +effluxes +effluxion +effodient +effodientia +effoliate +efforce +efford +efform +efformation +efformative +effort +effortful +effortfully +effortfulness +effortless +effortlessly +effortlessness +efforts +effossion +effraction +effractor +effray +effranchise +effranchisement +effrenate +effront +effronted +effrontery +effronteries +effs +effude +effulge +effulged +effulgence +effulgences +effulgent +effulgently +effulges +effulging +effumability +effume +effund +effuse +effused +effusely +effuses +effusing +effusiometer +effusion +effusions +effusive +effusively +effusiveness +effuso +effuviate +efik +efl +eflagelliferous +efoliolate +efoliose +efoveolate +efph +efractory +efreet +efs +eft +eftest +efts +eftsoon +eftsoons +eg +egad +egads +egal +egalitarian +egalitarianism +egalitarians +egalite +egalites +egality +egall +egally +egards +egba +egbert +egbo +egence +egency +eger +egeran +egeria +egers +egest +egesta +egested +egesting +egestion +egestions +egestive +egests +egg +eggar +eggars +eggbeater +eggbeaters +eggberry +eggberries +eggcrate +eggcup +eggcupful +eggcups +eggeater +egged +egger +eggers +eggfish +eggfruit +egghead +eggheaded +eggheadedness +eggheads +egghot +eggy +egging +eggler +eggless +egglike +eggment +eggnog +eggnogs +eggplant +eggplants +eggroll +eggrolls +eggs +eggshell +eggshells +eggwhisk +egilops +egypt +egyptian +egyptianism +egyptianization +egyptianize +egyptians +egyptize +egipto +egyptologer +egyptology +egyptologic +egyptological +egyptologist +egis +egises +eglamore +eglandular +eglandulose +eglandulous +eglantine +eglantines +eglatere +eglateres +eglestonite +egling +eglogue +eglomerate +eglomise +egma +ego +egocentric +egocentrically +egocentricity +egocentricities +egocentrism +egocentristic +egocerus +egohood +egoism +egoisms +egoist +egoistic +egoistical +egoistically +egoisticalness +egoistry +egoists +egoity +egoize +egoizer +egol +egolatrous +egomania +egomaniac +egomaniacal +egomaniacally +egomanias +egomism +egophony +egophonic +egos +egosyntonic +egotheism +egotism +egotisms +egotist +egotistic +egotistical +egotistically +egotisticalness +egotists +egotize +egotized +egotizing +egracias +egranulose +egre +egregious +egregiously +egregiousness +egremoigne +egress +egressed +egresses +egressing +egression +egressive +egressor +egret +egrets +egretta +egrid +egrimony +egrimonle +egriot +egritude +egromancy +egualmente +egueiite +egurgitate +egurgitated +egurgitating +eguttulate +eh +ehatisaht +eheu +ehlite +ehretia +ehretiaceae +ehrman +ehrwaldite +ehtanethial +ehuawa +ey +eyah +eyalet +eyas +eyases +eyass +eichbergite +eichhornia +eichwaldite +eicosane +eide +eident +eydent +eidently +eider +eiderdown +eiders +eidetic +eidetically +eidograph +eidola +eidolic +eidolism +eidology +eidolology +eidolon +eidolons +eidoptometry +eidos +eidouranion +eye +eyeable +eyeball +eyeballed +eyeballing +eyeballs +eyebalm +eyebar +eyebath +eyebeam +eyebeams +eyeberry +eyeblack +eyeblink +eyebolt +eyebolts +eyebree +eyebridled +eyebright +eyebrow +eyebrows +eyecup +eyecups +eyed +eyedness +eyednesses +eyedot +eyedrop +eyedropper +eyedropperful +eyedroppers +eyeflap +eyeful +eyefuls +eyeglance +eyeglass +eyeglasses +eyeground +eyehole +eyeholes +eyehook +eyehooks +eyey +eyeing +eyeish +eyelash +eyelashes +eyelast +eyeless +eyelessness +eyelet +eyeleted +eyeleteer +eyeleting +eyelets +eyeletted +eyeletter +eyeletting +eyelid +eyelids +eyelight +eyelike +eyeline +eyeliner +eyeliners +eyemark +eyen +eyeopener +eyepiece +eyepieces +eyepit +eyepoint +eyepoints +eyepopper +eyer +eyereach +eyeroot +eyers +eyes +eyesalve +eyeseed +eyeservant +eyeserver +eyeservice +eyeshade +eyeshades +eyeshield +eyeshine +eyeshot +eyeshots +eyesight +eyesights +eyesome +eyesore +eyesores +eyespot +eyespots +eyess +eyestalk +eyestalks +eyestone +eyestones +eyestrain +eyestring +eyestrings +eyeteeth +eyetooth +eyewaiter +eyewash +eyewashes +eyewater +eyewaters +eyewear +eyewink +eyewinker +eyewinks +eyewitness +eyewitnesses +eyewort +eiffel +eigenfrequency +eigenfunction +eigenspace +eigenstate +eigenvalue +eigenvalues +eigenvector +eigenvectors +eigh +eight +eyght +eightball +eightballs +eighteen +eighteenfold +eighteenmo +eighteenmos +eighteens +eighteenth +eighteenthly +eighteenths +eightfoil +eightfold +eighth +eighthes +eighthly +eighths +eighty +eighties +eightieth +eightieths +eightyfold +eightling +eightpenny +eights +eightscore +eightsman +eightsmen +eightsome +eightvo +eightvos +eigne +eying +eikon +eikones +eikonogen +eikonology +eikons +eyl +eila +eild +eileen +eyliad +eimak +eimer +eimeria +eyn +eyne +einkanter +einkorn +einkorns +einstein +einsteinian +einsteinium +eyot +eyoty +eir +eyr +eyra +eirack +eyrant +eyrar +eyras +eire +eyre +eireannach +eyren +eirenarch +eirene +eirenic +eirenicon +eyrer +eyres +eiresione +eiry +eyry +eyrie +eyries +eyrir +eisegeses +eisegesis +eisegetic +eisegetical +eisell +eisenberg +eisenhower +eisodic +eysoge +eisoptrophobia +eisteddfod +eisteddfodau +eisteddfodic +eisteddfodism +eisteddfods +either +ejacula +ejaculate +ejaculated +ejaculates +ejaculating +ejaculation +ejaculations +ejaculative +ejaculator +ejaculatory +ejaculators +ejaculum +ejam +eject +ejecta +ejectable +ejectamenta +ejected +ejectee +ejecting +ejection +ejections +ejective +ejectively +ejectives +ejectivity +ejectment +ejector +ejectors +ejects +ejectum +ejicient +ejidal +ejido +ejidos +ejoo +ejulate +ejulation +ejurate +ejuration +ejusd +ejusdem +ekaboron +ekacaesium +ekaha +ekamanganese +ekasilicon +ekatantalum +eke +ekebergite +eked +ekename +eker +ekerite +ekes +ekhimi +eking +ekistic +ekistics +ekka +ekoi +ekphore +ekphory +ekphoria +ekphorias +ekphorize +ekron +ekronite +ektene +ektenes +ektexine +ektexines +ektodynamorphic +el +ela +elabor +elaborate +elaborated +elaborately +elaborateness +elaborates +elaborating +elaboration +elaborations +elaborative +elaboratively +elaborator +elaboratory +elaborators +elabrate +elachista +elachistaceae +elachistaceous +elacolite +elaeagnaceae +elaeagnaceous +elaeagnus +elaeis +elaenia +elaeoblast +elaeoblastic +elaeocarpaceae +elaeocarpaceous +elaeocarpus +elaeococca +elaeodendron +elaeodochon +elaeomargaric +elaeometer +elaeopten +elaeoptene +elaeosaccharum +elaeosia +elaeothesia +elaeothesium +elaic +elaidate +elaidic +elaidin +elaidinic +elayl +elain +elaine +elains +elaioleucite +elaioplast +elaiosome +elamite +elamitic +elamitish +elamp +elan +elance +eland +elands +elanet +elans +elanus +elaphe +elaphebolion +elaphine +elaphodus +elaphoglossum +elaphomyces +elaphomycetaceae +elaphrium +elaphure +elaphurine +elaphurus +elapid +elapidae +elapids +elapinae +elapine +elapoid +elaps +elapse +elapsed +elapses +elapsing +elapsoidea +elargement +elasmobranch +elasmobranchian +elasmobranchiate +elasmobranchii +elasmosaur +elasmosaurus +elasmothere +elasmotherium +elastance +elastase +elastases +elastic +elastica +elastically +elasticate +elastician +elasticin +elasticity +elasticities +elasticize +elasticized +elasticizer +elasticizes +elasticizing +elasticness +elastics +elasticum +elastin +elastins +elastivity +elastomer +elastomeric +elastomers +elastometer +elastometry +elastose +elatcha +elate +elated +elatedly +elatedness +elater +elatery +elaterid +elateridae +elaterids +elaterin +elaterins +elaterist +elaterite +elaterium +elateroid +elaterometer +elaters +elates +elatha +elatinaceae +elatinaceous +elatine +elating +elation +elations +elative +elatives +elator +elatrometer +elb +elbert +elberta +elboic +elbow +elbowboard +elbowbush +elbowchair +elbowed +elbower +elbowy +elbowing +elbowpiece +elbowroom +elbows +elbuck +elcaja +elchee +eld +elder +elderberry +elderberries +elderbrotherhood +elderbrotherish +elderbrotherly +elderbush +elderhood +elderly +elderlies +elderliness +elderling +elderman +eldermen +eldern +elders +eldership +eldersisterly +elderwoman +elderwomen +elderwood +elderwort +eldest +eldfather +eldin +elding +eldmother +eldorado +eldred +eldress +eldrich +eldritch +elds +elean +eleanor +eleatic +eleaticism +eleazar +elec +elecampane +elechi +elecive +elecives +elect +electability +electable +electant +electary +elected +electee +electees +electic +electicism +electing +election +electionary +electioneer +electioneered +electioneerer +electioneering +electioneers +elections +elective +electively +electiveness +electives +electivism +electivity +electly +electo +elector +electoral +electorally +electorate +electorates +electorial +electors +electorship +electra +electragy +electragist +electral +electralize +electre +electrepeter +electress +electret +electrets +electric +electrical +electricalize +electrically +electricalness +electrican +electricans +electrician +electricians +electricity +electricize +electrics +electriferous +electrify +electrifiable +electrification +electrified +electrifier +electrifiers +electrifies +electrifying +electrine +electrion +electrionic +electrizable +electrization +electrize +electrized +electrizer +electrizing +electro +electroacoustic +electroacoustical +electroacoustically +electroacoustics +electroaffinity +electroamalgamation +electroanalysis +electroanalytic +electroanalytical +electroanesthesia +electroballistic +electroballistically +electroballistician +electroballistics +electrobath +electrobiology +electrobiological +electrobiologically +electrobiologist +electrobioscopy +electroblasting +electrobrasser +electrobus +electrocapillary +electrocapillarity +electrocardiogram +electrocardiograms +electrocardiograph +electrocardiography +electrocardiographic +electrocardiographically +electrocardiographs +electrocatalysis +electrocatalytic +electrocataphoresis +electrocataphoretic +electrocautery +electrocauteries +electrocauterization +electroceramic +electrochemical +electrochemically +electrochemist +electrochemistry +electrochronograph +electrochronographic +electrochronometer +electrochronometric +electrocystoscope +electrocoagulation +electrocoating +electrocolloidal +electrocontractility +electroconvulsive +electrocorticogram +electrocratic +electroculture +electrocute +electrocuted +electrocutes +electrocuting +electrocution +electrocutional +electrocutioner +electrocutions +electrode +electrodeless +electrodentistry +electrodeposit +electrodepositable +electrodeposition +electrodepositor +electrodes +electrodesiccate +electrodesiccation +electrodiagnoses +electrodiagnosis +electrodiagnostic +electrodiagnostically +electrodialyses +electrodialysis +electrodialitic +electrodialytic +electrodialitically +electrodialyze +electrodialyzer +electrodynamic +electrodynamical +electrodynamics +electrodynamism +electrodynamometer +electrodiplomatic +electrodispersive +electrodissolution +electroed +electroencephalogram +electroencephalograms +electroencephalograph +electroencephalography +electroencephalographic +electroencephalographical +electroencephalographically +electroencephalographs +electroendosmose +electroendosmosis +electroendosmotic +electroengrave +electroengraving +electroergometer +electroetching +electroethereal +electroextraction +electrofishing +electroform +electroforming +electrofuse +electrofused +electrofusion +electrogalvanic +electrogalvanization +electrogalvanize +electrogasdynamics +electrogenesis +electrogenetic +electrogenic +electrogild +electrogilding +electrogilt +electrogram +electrograph +electrography +electrographic +electrographite +electrograving +electroharmonic +electrohemostasis +electrohydraulic +electrohydraulically +electrohomeopathy +electrohorticulture +electroimpulse +electroindustrial +electroing +electroionic +electroirrigation +electrojet +electrokinematics +electrokinetic +electrokinetics +electroless +electrolier +electrolysation +electrolyse +electrolysed +electrolyser +electrolyses +electrolysing +electrolysis +electrolyte +electrolytes +electrolithotrity +electrolytic +electrolytical +electrolytically +electrolyzability +electrolyzable +electrolyzation +electrolyze +electrolyzed +electrolyzer +electrolyzing +electrology +electrologic +electrological +electrologist +electrologists +electroluminescence +electroluminescent +electromagnet +electromagnetic +electromagnetical +electromagnetically +electromagnetics +electromagnetism +electromagnetist +electromagnetize +electromagnets +electromassage +electromechanical +electromechanically +electromechanics +electromedical +electromer +electromeric +electromerism +electrometallurgy +electrometallurgical +electrometallurgist +electrometeor +electrometer +electrometry +electrometric +electrometrical +electrometrically +electromyogram +electromyograph +electromyography +electromyographic +electromyographical +electromyographically +electromobile +electromobilism +electromotion +electromotiv +electromotive +electromotivity +electromotograph +electromotor +electromuscular +electron +electronarcosis +electronegative +electronegativity +electronervous +electroneutral +electroneutrality +electronic +electronically +electronics +electronography +electronographic +electrons +electronvolt +electrooculogram +electrooptic +electrooptical +electrooptically +electrooptics +electroori +electroosmosis +electroosmotic +electroosmotically +electrootiatrics +electropathy +electropathic +electropathology +electropercussive +electrophilic +electrophilically +electrophysicist +electrophysics +electrophysiology +electrophysiologic +electrophysiological +electrophysiologically +electrophysiologist +electrophobia +electrophone +electrophonic +electrophonically +electrophore +electrophorese +electrophoresed +electrophoreses +electrophoresing +electrophoresis +electrophoretic +electrophoretically +electrophoretogram +electrophori +electrophoric +electrophoridae +electrophorus +electrophotography +electrophotographic +electrophotometer +electrophotometry +electrophotomicrography +electrophototherapy +electrophrenic +electropyrometer +electropism +electroplaque +electroplate +electroplated +electroplater +electroplates +electroplating +electroplax +electropneumatic +electropneumatically +electropoion +electropolar +electropolish +electropositive +electropotential +electropower +electropsychrometer +electropult +electropuncturation +electropuncture +electropuncturing +electroreceptive +electroreduction +electrorefine +electrorefining +electroresection +electroretinogram +electroretinograph +electroretinography +electroretinographic +electros +electroscission +electroscope +electroscopes +electroscopic +electrosensitive +electrosherardizing +electroshock +electroshocks +electrosynthesis +electrosynthetic +electrosynthetically +electrosmosis +electrostatic +electrostatical +electrostatically +electrostatics +electrosteel +electrostenolysis +electrostenolytic +electrostereotype +electrostriction +electrostrictive +electrosurgery +electrosurgeries +electrosurgical +electrosurgically +electrotactic +electrotautomerism +electrotaxis +electrotechnic +electrotechnical +electrotechnician +electrotechnics +electrotechnology +electrotechnologist +electrotelegraphy +electrotelegraphic +electrotelethermometer +electrotellurograph +electrotest +electrothanasia +electrothanatosis +electrotherapeutic +electrotherapeutical +electrotherapeutics +electrotherapeutist +electrotherapy +electrotherapies +electrotherapist +electrotheraputic +electrotheraputical +electrotheraputically +electrotheraputics +electrothermal +electrothermally +electrothermancy +electrothermic +electrothermics +electrothermometer +electrothermostat +electrothermostatic +electrothermotic +electrotype +electrotyped +electrotyper +electrotypes +electrotypy +electrotypic +electrotyping +electrotypist +electrotitration +electrotonic +electrotonicity +electrotonize +electrotonus +electrotrephine +electrotropic +electrotropism +electrovalence +electrovalency +electrovalent +electrovalently +electrovection +electroviscous +electrovital +electrowin +electrowinning +electrum +electrums +elects +electuary +electuaries +eledoisin +eledone +eleemosinar +eleemosynar +eleemosynary +eleemosynarily +eleemosynariness +elegance +elegances +elegancy +elegancies +elegant +elegante +eleganter +elegantly +elegy +elegiac +elegiacal +elegiacally +elegiacs +elegiambic +elegiambus +elegiast +elegibility +elegies +elegious +elegise +elegised +elegises +elegising +elegist +elegists +elegit +elegits +elegize +elegized +elegizes +elegizing +eleidin +elektra +elelments +elem +eleme +element +elemental +elementalism +elementalist +elementalistic +elementalistically +elementality +elementalize +elementally +elementaloid +elementals +elementary +elementarily +elementariness +elementarism +elementarist +elementarity +elementate +elementish +elementoid +elements +elemi +elemicin +elemin +elemis +elemol +elemong +elench +elenchi +elenchic +elenchical +elenchically +elenchize +elenchtic +elenchtical +elenchus +elenctic +elenctical +elenge +elengely +elengeness +eleoblast +eleocharis +eleolite +eleomargaric +eleometer +eleonorite +eleoplast +eleoptene +eleostearate +eleostearic +eleotrid +elepaio +elephancy +elephant +elephanta +elephantiac +elephantiases +elephantiasic +elephantiasis +elephantic +elephanticide +elephantidae +elephantine +elephantlike +elephantoid +elephantoidal +elephantopus +elephantous +elephantry +elephants +elephas +elettaria +eleuin +eleusine +eleusinia +eleusinian +eleusinion +eleut +eleutherarch +eleutheri +eleutheria +eleutherian +eleutherios +eleutherism +eleutherodactyl +eleutherodactyli +eleutherodactylus +eleutheromania +eleutheromaniac +eleutheromorph +eleutheropetalous +eleutherophyllous +eleutherophobia +eleutherosepalous +eleutherozoa +eleutherozoan +elev +elevable +elevate +elevated +elevatedly +elevatedness +elevates +elevating +elevatingly +elevation +elevational +elevations +elevato +elevator +elevatory +elevators +eleve +eleven +elevener +elevenfold +elevens +elevenses +eleventeenth +eleventh +eleventhly +elevenths +elevon +elevons +elf +elfdom +elfenfolk +elfhood +elfic +elfin +elfins +elfinwood +elfish +elfishly +elfishness +elfkin +elfland +elflike +elflock +elflocks +elfship +elfwife +elfwort +elhi +eli +elia +elian +elianic +elias +eliasite +elychnious +elicit +elicitable +elicitate +elicitation +elicited +eliciting +elicitor +elicitory +elicitors +elicits +elide +elided +elides +elidible +eliding +elydoric +eligenda +eligent +eligibility +eligibilities +eligible +eligibleness +eligibles +eligibly +elihu +elijah +elymi +eliminability +eliminable +eliminand +eliminant +eliminate +eliminated +eliminates +eliminating +elimination +eliminations +eliminative +eliminator +eliminatory +eliminators +elymus +elinguate +elinguated +elinguating +elinguation +elingued +elinor +elinvar +eliot +eliphalet +eliquate +eliquated +eliquating +eliquation +eliquidate +elisabeth +elysee +elisha +elishah +elysia +elysian +elysiidae +elision +elisions +elysium +elisor +elissa +elite +elites +elitism +elitisms +elitist +elitists +elytra +elytral +elytriferous +elytriform +elytrigerous +elytrin +elytrocele +elytroclasia +elytroid +elytron +elytroplastic +elytropolypus +elytroposis +elytroptosis +elytrorhagia +elytrorrhagia +elytrorrhaphy +elytrostenosis +elytrotomy +elytrous +elytrtra +elytrum +elix +elixate +elixation +elixed +elixir +elixirs +elixiviate +eliza +elizabeth +elizabethan +elizabethanism +elizabethanize +elizabethans +elk +elkanah +elkdom +elkesaite +elkhorn +elkhound +elkhounds +elkoshite +elks +elkslip +elkuma +elkwood +ell +ella +ellachick +ellagate +ellagic +ellagitannin +ellan +ellasar +elle +ellebore +elleck +ellen +ellenyard +ellerian +ellfish +ellice +ellick +elling +ellinge +elliot +elliott +ellipse +ellipses +ellipsis +ellipsograph +ellipsoid +ellipsoidal +ellipsoids +ellipsometer +ellipsometry +ellipsone +ellipsonic +elliptic +elliptical +elliptically +ellipticalness +ellipticity +elliptograph +elliptoid +ellops +ells +ellwand +elm +elmer +elmy +elmier +elmiest +elms +elmwood +elne +eloah +elocation +elocular +elocute +elocution +elocutionary +elocutioner +elocutionist +elocutionists +elocutionize +elocutive +elod +elodea +elodeaceae +elodeas +elodes +eloge +elogy +elogium +elohim +elohimic +elohism +elohist +elohistic +eloign +eloigned +eloigner +eloigners +eloigning +eloignment +eloigns +eloin +eloine +eloined +eloiner +eloiners +eloining +eloinment +eloins +eloise +elon +elong +elongate +elongated +elongates +elongating +elongation +elongations +elongative +elonite +elope +eloped +elopement +elopements +eloper +elopers +elopes +elopidae +eloping +elops +eloquence +eloquent +eloquential +eloquently +eloquentness +elotherium +elotillo +elpasolite +elpidite +elrage +elric +elritch +elroquite +els +elsa +else +elsehow +elses +elseways +elsewards +elsewhat +elsewhen +elsewhere +elsewheres +elsewhither +elsewise +elshin +elsholtzia +elsin +elt +eltime +eltrot +eluant +eluants +eluate +eluated +eluates +eluating +elucid +elucidate +elucidated +elucidates +elucidating +elucidation +elucidations +elucidative +elucidator +elucidatory +elucidators +eluctate +eluctation +elucubrate +elucubration +elude +eluded +eluder +eluders +eludes +eludible +eluding +eluent +eluents +elul +elumbated +elusion +elusions +elusive +elusively +elusiveness +elusory +elusoriness +elute +eluted +elutes +eluting +elution +elutions +elutor +elutriate +elutriated +elutriating +elutriation +elutriator +eluvia +eluvial +eluviate +eluviated +eluviates +eluviating +eluviation +eluvies +eluvium +eluviums +eluvivia +eluxate +elvan +elvanite +elvanitic +elve +elver +elvers +elves +elvet +elvira +elvis +elvish +elvishly +elwood +elzevir +elzevirian +em +emacerate +emacerated +emaceration +emaciate +emaciated +emaciates +emaciating +emaciation +emaculate +emagram +email +emailed +emajagua +emamelware +emanant +emanate +emanated +emanates +emanating +emanation +emanational +emanationism +emanationist +emanations +emanatism +emanatist +emanatistic +emanativ +emanative +emanatively +emanator +emanatory +emanators +emancipate +emancipated +emancipates +emancipating +emancipation +emancipationist +emancipations +emancipatist +emancipative +emancipator +emancipatory +emancipators +emancipatress +emancipist +emandibulate +emane +emanent +emanium +emarcid +emarginate +emarginated +emarginately +emarginating +emargination +emarginula +emasculate +emasculated +emasculates +emasculating +emasculation +emasculations +emasculative +emasculator +emasculatory +emasculators +embace +embacle +embadomonas +embay +embayed +embaying +embayment +embain +embays +embale +emball +emballonurid +emballonuridae +emballonurine +embalm +embalmed +embalmer +embalmers +embalming +embalmment +embalms +embank +embanked +embanking +embankment +embankments +embanks +embannered +embaphium +embar +embarcadero +embarcation +embarge +embargo +embargoed +embargoes +embargoing +embargoist +embargos +embark +embarkation +embarkations +embarked +embarking +embarkment +embarks +embarment +embarque +embarras +embarrased +embarrass +embarrassed +embarrassedly +embarrasses +embarrassing +embarrassingly +embarrassment +embarrassments +embarred +embarrel +embarren +embarricado +embarring +embars +embase +embassade +embassador +embassadress +embassage +embassy +embassiate +embassies +embastardize +embastioned +embathe +embatholithic +embattle +embattled +embattlement +embattles +embattling +embden +embeam +embed +embeddable +embedded +embedder +embedding +embedment +embeds +embeggar +embelia +embelic +embelif +embelin +embellish +embellished +embellisher +embellishers +embellishes +embellishing +embellishment +embellishments +ember +embergeese +embergoose +emberiza +emberizidae +emberizinae +emberizine +embers +embetter +embezzle +embezzled +embezzlement +embezzlements +embezzler +embezzlers +embezzles +embezzling +embiid +embiidae +embiidina +embillow +embind +embiodea +embioptera +embiotocid +embiotocidae +embiotocoid +embira +embitter +embittered +embitterer +embittering +embitterment +embitterments +embitters +embladder +emblanch +emblaze +emblazed +emblazer +emblazers +emblazes +emblazing +emblazon +emblazoned +emblazoner +emblazoning +emblazonment +emblazonments +emblazonry +emblazons +emblem +emblema +emblematic +emblematical +emblematically +emblematicalness +emblematicize +emblematise +emblematised +emblematising +emblematist +emblematize +emblematized +emblematizing +emblematology +emblemed +emblement +emblements +embleming +emblemish +emblemist +emblemize +emblemized +emblemizing +emblemology +emblems +emblic +embliss +embloom +emblossom +embody +embodied +embodier +embodiers +embodies +embodying +embodiment +embodiments +embog +embogue +emboil +emboite +emboitement +emboites +embolden +emboldened +emboldener +emboldening +emboldens +embole +embolectomy +embolectomies +embolemia +emboli +emboly +embolic +embolies +emboliform +embolimeal +embolism +embolismic +embolisms +embolismus +embolite +embolium +embolization +embolize +embolo +embololalia +embolomalerism +embolomeri +embolomerism +embolomerous +embolomycotic +embolon +emboltement +embolum +embolus +embonpoint +emborder +embordered +embordering +emborders +emboscata +embosk +embosked +embosking +embosks +embosom +embosomed +embosoming +embosoms +emboss +embossable +embossage +embossed +embosser +embossers +embosses +embossing +embossman +embossmen +embossment +embossments +embost +embosture +embottle +embouchement +embouchment +embouchure +embouchures +embound +embourgeoisement +embow +embowed +embowel +emboweled +emboweler +emboweling +embowelled +emboweller +embowelling +embowelment +embowels +embower +embowered +embowering +embowerment +embowers +embowing +embowl +embowment +embows +embox +embrace +embraceable +embraceably +embraced +embracement +embraceor +embraceorr +embracer +embracery +embraceries +embracers +embraces +embracing +embracingly +embracingness +embracive +embraciveg +embraid +embrail +embrake +embranchment +embrangle +embrangled +embranglement +embrangling +embrase +embrasure +embrasured +embrasures +embrasuring +embrave +embrawn +embreach +embread +embreastment +embreathe +embreathement +embrectomy +embrew +embrica +embryectomy +embryectomies +embright +embrighten +embryo +embryocardia +embryoctony +embryoctonic +embryoferous +embryogenesis +embryogenetic +embryogeny +embryogenic +embryogony +embryographer +embryography +embryographic +embryoid +embryoism +embryol +embryology +embryologic +embryological +embryologically +embryologies +embryologist +embryologists +embryoma +embryomas +embryomata +embryon +embryonal +embryonally +embryonary +embryonate +embryonated +embryony +embryonic +embryonically +embryoniferous +embryoniform +embryons +embryopathology +embryophagous +embryophyta +embryophyte +embryophore +embryoplastic +embryos +embryoscope +embryoscopic +embryotega +embryotegae +embryotic +embryotome +embryotomy +embryotomies +embryotroph +embryotrophe +embryotrophy +embryotrophic +embryous +embrittle +embrittled +embrittlement +embrittling +embryulci +embryulcia +embryulculci +embryulcus +embryulcuses +embroaden +embrocado +embrocate +embrocated +embrocates +embrocating +embrocation +embrocations +embroche +embroglio +embroglios +embroider +embroidered +embroiderer +embroiderers +embroideress +embroidery +embroideries +embroidering +embroiders +embroil +embroiled +embroiler +embroiling +embroilment +embroilments +embroils +embronze +embroscopic +embrothelled +embrowd +embrown +embrowned +embrowning +embrowns +embrue +embrued +embrues +embruing +embrute +embruted +embrutes +embruting +embubble +embue +embuia +embulk +embull +embus +embush +embusy +embusk +embuskin +embusqu +embusque +embussed +embussing +emcee +emceed +emceeing +emcees +emceing +emcumbering +emda +emden +eme +emeer +emeerate +emeerates +emeers +emeership +emeline +emend +emendable +emendandum +emendate +emendated +emendately +emendates +emendating +emendation +emendations +emendator +emendatory +emended +emender +emenders +emendicate +emending +emends +emer +emerald +emeraldine +emeralds +emerant +emeras +emeraude +emerge +emerged +emergence +emergences +emergency +emergencies +emergent +emergently +emergentness +emergents +emergers +emerges +emerging +emery +emerick +emeried +emeries +emerying +emeril +emerit +emerita +emerited +emeriti +emeritus +emerituti +emerize +emerized +emerizing +emerod +emerods +emeroid +emeroids +emerse +emersed +emersion +emersions +emerson +emersonian +emersonianism +emes +emesa +emeses +emesidae +emesis +emetatrophia +emetia +emetic +emetical +emetically +emetics +emetin +emetine +emetines +emetins +emetocathartic +emetology +emetomorphine +emetophobia +emeu +emeus +emeute +emeutes +emf +emforth +emgalla +emhpasizing +emic +emicant +emicate +emication +emiction +emictory +emyd +emyde +emydea +emydes +emydian +emydidae +emydinae +emydosauria +emydosaurian +emyds +emigate +emigated +emigates +emigating +emigr +emigrant +emigrants +emigrate +emigrated +emigrates +emigrating +emigration +emigrational +emigrationist +emigrations +emigrative +emigrator +emigratory +emigre +emigree +emigres +emil +emily +emilia +emim +eminence +eminences +eminency +eminencies +eminent +eminently +emir +emirate +emirates +emirs +emirship +emys +emissary +emissaria +emissaries +emissaryship +emissarium +emissi +emissile +emission +emissions +emissitious +emissive +emissivity +emissory +emit +emits +emittance +emitted +emittent +emitter +emitters +emitting +emlen +emm +emma +emmantle +emmanuel +emmarble +emmarbled +emmarbling +emmarvel +emmeleia +emmenagogic +emmenagogue +emmenia +emmenic +emmeniopathy +emmenology +emmensite +emmental +emmer +emmergoose +emmers +emmet +emmetrope +emmetropy +emmetropia +emmetropic +emmetropism +emmets +emmett +emmew +emmy +emmies +emmove +emodin +emodins +emollescence +emolliate +emollience +emollient +emollients +emollition +emoloa +emolument +emolumental +emolumentary +emoluments +emong +emony +emory +emote +emoted +emoter +emoters +emotes +emoting +emotiometabolic +emotiomotor +emotiomuscular +emotion +emotionable +emotional +emotionalise +emotionalised +emotionalising +emotionalism +emotionalist +emotionalistic +emotionality +emotionalization +emotionalize +emotionalized +emotionalizing +emotionally +emotioned +emotionist +emotionize +emotionless +emotionlessly +emotionlessness +emotions +emotiovascular +emotive +emotively +emotiveness +emotivism +emotivity +emove +emp +empacket +empaestic +empair +empaistic +empale +empaled +empalement +empaler +empalers +empales +empaling +empall +empanada +empanel +empaneled +empaneling +empanelled +empanelling +empanelment +empanels +empannel +empanoply +empaper +emparadise +emparchment +empark +emparl +empasm +empasma +empassion +empathetic +empathetically +empathy +empathic +empathically +empathies +empathize +empathized +empathizes +empathizing +empatron +empearl +empedoclean +empeine +empeirema +empemata +empennage +empennages +empeo +empeople +empeopled +empeoplement +emperess +empery +emperies +emperil +emperish +emperize +emperor +emperors +emperorship +empest +empestic +empetraceae +empetraceous +empetrous +empetrum +empexa +emphase +emphases +emphasis +emphasise +emphasised +emphasising +emphasize +emphasized +emphasizes +emphasizing +emphatic +emphatical +emphatically +emphaticalness +emphemeralness +emphysema +emphysematous +emphyteusis +emphyteuta +emphyteutic +emphlysis +emphractic +emphraxis +emphrensy +empicture +empididae +empidonax +empiecement +empyema +empyemas +empyemata +empyemic +empierce +empiercement +empyesis +empight +empyocele +empire +empyreal +empyrean +empyreans +empirema +empires +empyreum +empyreuma +empyreumata +empyreumatic +empyreumatical +empyreumatize +empiry +empiric +empirical +empyrical +empirically +empiricalness +empiricism +empiricist +empiricists +empirics +empiriocritcism +empiriocritical +empiriological +empirism +empiristic +empyromancy +empyrosis +emplace +emplaced +emplacement +emplacements +emplaces +emplacing +emplane +emplaned +emplanement +emplanes +emplaning +emplaster +emplastic +emplastra +emplastration +emplastrum +emplead +emplectic +emplection +emplectite +emplecton +empleomania +employ +employability +employable +employe +employed +employee +employees +employer +employers +employes +employing +employless +employment +employments +employs +emplore +emplume +emplunge +empocket +empodia +empodium +empoison +empoisoned +empoisoner +empoisoning +empoisonment +empoisons +empolder +emporetic +emporeutic +empory +emporia +emporial +emporiria +empoririums +emporium +emporiums +emporte +emportment +empover +empoverish +empower +empowered +empowering +empowerment +empowers +emprent +empresa +empresario +empress +empresse +empressement +empressements +empresses +empressment +emprime +emprint +emprise +emprises +emprison +emprize +emprizes +emprosthotonic +emprosthotonos +emprosthotonus +empt +empty +emptiable +emptied +emptier +emptiers +empties +emptiest +emptyhearted +emptying +emptily +emptiness +emptings +emptins +emptio +emption +emptional +emptysis +emptive +emptor +emptores +emptory +empurple +empurpled +empurples +empurpling +empusa +empuzzle +emraud +emrode +ems +emu +emulable +emulant +emulate +emulated +emulates +emulating +emulation +emulations +emulative +emulatively +emulator +emulatory +emulators +emulatress +emule +emulge +emulgence +emulgens +emulgent +emulous +emulously +emulousness +emuls +emulsibility +emulsible +emulsic +emulsify +emulsifiability +emulsifiable +emulsification +emulsifications +emulsified +emulsifier +emulsifiers +emulsifies +emulsifying +emulsin +emulsion +emulsionize +emulsions +emulsive +emulsoid +emulsoidal +emulsoids +emulsor +emunct +emunctory +emunctories +emundation +emunge +emus +emuscation +emusify +emusified +emusifies +emusifying +emusive +en +enable +enabled +enablement +enabler +enablers +enables +enabling +enact +enactable +enacted +enacting +enaction +enactive +enactment +enactments +enactor +enactory +enactors +enacts +enacture +enaena +enage +enajim +enalid +enaliornis +enaliosaur +enaliosauria +enaliosaurian +enalyron +enalite +enallachrome +enallage +enaluron +enam +enamber +enambush +enamdar +enamel +enameled +enameler +enamelers +enameling +enamelist +enamellar +enamelled +enameller +enamellers +enamelless +enamelling +enamellist +enameloma +enamels +enamelware +enamelwork +enami +enamine +enamines +enamor +enamorado +enamorate +enamorato +enamored +enamoredness +enamoring +enamorment +enamors +enamour +enamoured +enamouredness +enamouring +enamourment +enamours +enanguish +enanthem +enanthema +enanthematous +enanthesis +enantiobiosis +enantioblastic +enantioblastous +enantiomer +enantiomeric +enantiomeride +enantiomorph +enantiomorphy +enantiomorphic +enantiomorphism +enantiomorphous +enantiomorphously +enantiopathy +enantiopathia +enantiopathic +enantioses +enantiosis +enantiotropy +enantiotropic +enantobiosis +enapt +enarbor +enarbour +enarch +enarched +enargite +enarm +enarme +enarration +enarthrodia +enarthrodial +enarthroses +enarthrosis +enascent +enatant +enate +enates +enatic +enation +enations +enaunter +enbaissing +enbibe +enbloc +enbranglement +enbrave +enbusshe +enc +encadre +encaenia +encage +encaged +encages +encaging +encake +encalendar +encallow +encamp +encamped +encamping +encampment +encampments +encamps +encanker +encanthis +encapsulate +encapsulated +encapsulates +encapsulating +encapsulation +encapsulations +encapsule +encapsuled +encapsules +encapsuling +encaptivate +encaptive +encardion +encarditis +encarnadine +encarnalise +encarnalised +encarnalising +encarnalize +encarnalized +encarnalizing +encarpa +encarpi +encarpium +encarpus +encarpuspi +encase +encased +encasement +encases +encash +encashable +encashed +encashes +encashing +encashment +encasing +encasserole +encastage +encastered +encastre +encastrement +encatarrhaphy +encauma +encaustes +encaustic +encaustically +encave +encefalon +enceint +enceinte +enceintes +encelia +encell +encense +encenter +encephala +encephalalgia +encephalartos +encephalasthenia +encephalic +encephalin +encephalitic +encephalitis +encephalitogenic +encephalocele +encephalocoele +encephalodialysis +encephalogram +encephalograph +encephalography +encephalographic +encephalographically +encephaloid +encephalola +encephalolith +encephalology +encephaloma +encephalomalacia +encephalomalacosis +encephalomalaxis +encephalomas +encephalomata +encephalomeningitis +encephalomeningocele +encephalomere +encephalomeric +encephalometer +encephalometric +encephalomyelitic +encephalomyelitis +encephalomyelopathy +encephalomyocarditis +encephalon +encephalonarcosis +encephalopathy +encephalopathia +encephalopathic +encephalophyma +encephalopyosis +encephalopsychesis +encephalorrhagia +encephalos +encephalosclerosis +encephaloscope +encephaloscopy +encephalosepsis +encephalosis +encephalospinal +encephalothlipsis +encephalotome +encephalotomy +encephalotomies +encephalous +enchafe +enchain +enchained +enchainement +enchainements +enchaining +enchainment +enchainments +enchains +enchair +enchalice +enchancement +enchannel +enchant +enchanted +enchanter +enchantery +enchanters +enchanting +enchantingly +enchantingness +enchantment +enchantments +enchantress +enchantresses +enchants +encharge +encharged +encharging +encharm +encharnel +enchase +enchased +enchaser +enchasers +enchases +enchasing +enchasten +encheason +encheat +encheck +encheer +encheiria +enchelycephali +enchequer +encheson +enchesoun +enchest +enchilada +enchiladas +enchylema +enchylematous +enchyma +enchymatous +enchiridia +enchiridion +enchiridions +enchiriridia +enchisel +enchytrae +enchytraeid +enchytraeidae +enchytraeus +enchodontid +enchodontidae +enchodontoid +enchodus +enchondroma +enchondromas +enchondromata +enchondromatous +enchondrosis +enchorial +enchoric +enchronicle +enchurch +ency +encia +encyc +encycl +encyclic +encyclical +encyclicals +encyclics +encyclopaedia +encyclopaediac +encyclopaedial +encyclopaedian +encyclopaedias +encyclopaedic +encyclopaedical +encyclopaedically +encyclopaedism +encyclopaedist +encyclopaedize +encyclopedia +encyclopediac +encyclopediacal +encyclopedial +encyclopedian +encyclopedias +encyclopediast +encyclopedic +encyclopedical +encyclopedically +encyclopedism +encyclopedist +encyclopedize +encydlopaedic +enciente +encina +encinal +encinas +encincture +encinctured +encincturing +encinder +encinillo +encipher +enciphered +encipherer +enciphering +encipherment +encipherments +enciphers +encircle +encircled +encirclement +encirclements +encircler +encircles +encircling +encyrtid +encyrtidae +encist +encyst +encystation +encysted +encysting +encystment +encystments +encysts +encitadel +encl +enclaret +enclasp +enclasped +enclasping +enclasps +enclave +enclaved +enclavement +enclaves +enclaving +enclear +enclisis +enclitic +enclitical +enclitically +enclitics +encloak +enclog +encloister +enclosable +enclose +enclosed +encloser +enclosers +encloses +enclosing +enclosure +enclosures +enclothe +encloud +encoach +encode +encoded +encodement +encoder +encoders +encodes +encoding +encodings +encoffin +encoffinment +encoignure +encoignures +encoil +encolden +encollar +encolor +encolour +encolpia +encolpion +encolumn +encolure +encomendero +encomy +encomia +encomiast +encomiastic +encomiastical +encomiastically +encomic +encomienda +encomiendas +encomimia +encomimiums +encomiologic +encomium +encomiumia +encomiums +encommon +encompany +encompass +encompassed +encompasser +encompasses +encompassing +encompassment +encoop +encopreses +encopresis +encorbellment +encorbelment +encore +encored +encores +encoring +encoronal +encoronate +encoronet +encorpore +encounter +encounterable +encountered +encounterer +encounterers +encountering +encounters +encourage +encouraged +encouragement +encouragements +encourager +encouragers +encourages +encouraging +encouragingly +encover +encowl +encraal +encradle +encranial +encraty +encratic +encratism +encratite +encrease +encreel +encrimson +encrinal +encrinic +encrinidae +encrinital +encrinite +encrinitic +encrinitical +encrinoid +encrinoidea +encrinus +encrypt +encrypted +encrypting +encryption +encryptions +encrypts +encrisp +encroach +encroached +encroacher +encroaches +encroaching +encroachingly +encroachment +encroachments +encrotchet +encrown +encrownment +encrust +encrustant +encrustation +encrusted +encrusting +encrustment +encrusts +encuirassed +enculturate +enculturated +enculturating +enculturation +enculturative +encumber +encumbered +encumberer +encumbering +encumberingly +encumberment +encumbers +encumbrance +encumbrancer +encumbrances +encumbrous +encup +encurl +encurtain +encushion +end +endable +endamage +endamageable +endamaged +endamagement +endamages +endamaging +endamask +endameba +endamebae +endamebas +endamebiasis +endamebic +endamnify +endamoeba +endamoebae +endamoebas +endamoebiasis +endamoebic +endamoebidae +endangeitis +endanger +endangered +endangerer +endangering +endangerment +endangerments +endangers +endangiitis +endangitis +endangium +endaortic +endaortitis +endarch +endarchy +endarchies +endark +endarterectomy +endarteria +endarterial +endarteritis +endarterium +endarteteria +endaseh +endaspidean +endaze +endball +endboard +endbrain +endbrains +enddamage +enddamaged +enddamaging +ende +endear +endearance +endeared +endearedly +endearedness +endearing +endearingly +endearingness +endearment +endearments +endears +endeavor +endeavored +endeavorer +endeavoring +endeavors +endeavour +endeavoured +endeavourer +endeavouring +endebt +endecha +ended +endeictic +endeign +endellionite +endemial +endemic +endemical +endemically +endemicity +endemics +endemiology +endemiological +endemism +endemisms +endenization +endenize +endenizen +endent +ender +endere +endergonic +endermatic +endermic +endermically +enderon +enderonic +enders +endevil +endew +endexine +endexines +endfile +endgame +endgate +endhand +endia +endiablee +endiadem +endiaper +endict +endyma +endymal +endimanche +endymion +ending +endings +endysis +endite +endited +endites +enditing +endive +endives +endjunk +endleaf +endleaves +endless +endlessly +endlessness +endlichite +endlong +endmatcher +endmost +endnote +endnotes +endoabdominal +endoangiitis +endoaortitis +endoappendicitis +endoarteritis +endoauscultation +endobatholithic +endobiotic +endoblast +endoblastic +endobronchial +endobronchially +endobronchitis +endocannibalism +endocardia +endocardiac +endocardial +endocarditic +endocarditis +endocardium +endocarp +endocarpal +endocarpic +endocarpoid +endocarps +endocellular +endocentric +endoceras +endoceratidae +endoceratite +endoceratitic +endocervical +endocervicitis +endochylous +endochondral +endochorion +endochorionic +endochrome +endocycle +endocyclic +endocyemate +endocyst +endocystitis +endocytic +endocytosis +endocytotic +endoclinal +endocline +endocoelar +endocoele +endocoeliac +endocolitis +endocolpitis +endocondensation +endocone +endoconidia +endoconidium +endocorpuscular +endocortex +endocrania +endocranial +endocranium +endocrin +endocrinal +endocrine +endocrines +endocrinic +endocrinism +endocrinology +endocrinologic +endocrinological +endocrinologies +endocrinologist +endocrinologists +endocrinopath +endocrinopathy +endocrinopathic +endocrinotherapy +endocrinous +endocritic +endoderm +endodermal +endodermic +endodermis +endoderms +endodynamomorphic +endodontia +endodontic +endodontically +endodontics +endodontist +endodontium +endodontology +endodontologist +endoenteritis +endoenzyme +endoergic +endoerythrocytic +endoesophagitis +endofaradism +endogalvanism +endogamy +endogamic +endogamies +endogamous +endogastric +endogastrically +endogastritis +endogen +endogenae +endogenesis +endogenetic +endogeny +endogenic +endogenicity +endogenies +endogenous +endogenously +endogens +endoglobular +endognath +endognathal +endognathion +endogonidium +endointoxication +endokaryogamy +endolabyrinthitis +endolaryngeal +endolemma +endolymph +endolymphangial +endolymphatic +endolymphic +endolysin +endolithic +endolumbar +endomastoiditis +endome +endomesoderm +endometry +endometria +endometrial +endometriosis +endometritis +endometrium +endomyces +endomycetaceae +endomictic +endomysial +endomysium +endomitosis +endomitotic +endomixis +endomorph +endomorphy +endomorphic +endomorphism +endoneurial +endoneurium +endonuclear +endonuclease +endonucleolus +endoparasite +endoparasitic +endoparasitica +endoparasitism +endopathic +endopelvic +endopeptidase +endopericarditis +endoperidial +endoperidium +endoperitonitis +endophagy +endophagous +endophasia +endophasic +endophyllaceae +endophyllous +endophyllum +endophytal +endophyte +endophytic +endophytically +endophytous +endophlebitis +endophragm +endophragmal +endoplasm +endoplasma +endoplasmic +endoplast +endoplastron +endoplastular +endoplastule +endopleura +endopleural +endopleurite +endopleuritic +endopod +endopodite +endopoditic +endopods +endopolyploid +endopolyploidy +endoproct +endoprocta +endoproctous +endopsychic +endopterygota +endopterygote +endopterygotic +endopterygotism +endopterygotous +endorachis +endoradiosonde +endoral +endore +endorhinitis +endorphin +endorsable +endorsation +endorse +endorsed +endorsee +endorsees +endorsement +endorsements +endorser +endorsers +endorses +endorsing +endorsingly +endorsor +endorsors +endosalpingitis +endosarc +endosarcode +endosarcous +endosarcs +endosclerite +endoscope +endoscopes +endoscopy +endoscopic +endoscopically +endoscopies +endoscopist +endosecretory +endosepsis +endosymbiosis +endosiphon +endosiphonal +endosiphonate +endosiphuncle +endoskeletal +endoskeleton +endoskeletons +endosmic +endosmometer +endosmometric +endosmos +endosmose +endosmoses +endosmosic +endosmosis +endosmotic +endosmotically +endosome +endosomes +endosperm +endospermic +endospermous +endospore +endosporia +endosporic +endosporium +endosporous +endosporously +endoss +endostea +endosteal +endosteally +endosteitis +endosteoma +endosteomas +endosteomata +endosternite +endosternum +endosteum +endostylar +endostyle +endostylic +endostitis +endostoma +endostomata +endostome +endostosis +endostraca +endostracal +endostracum +endosulfan +endotheca +endothecal +endothecate +endothecia +endothecial +endothecium +endothelia +endothelial +endothelioblastoma +endotheliocyte +endothelioid +endotheliolysin +endotheliolytic +endothelioma +endotheliomas +endotheliomata +endotheliomyoma +endotheliomyxoma +endotheliotoxin +endotheliulia +endothelium +endotheloid +endotherm +endothermal +endothermy +endothermic +endothermically +endothermism +endothermous +endothia +endothys +endothoracic +endothorax +endothrix +endotys +endotoxic +endotoxin +endotoxoid +endotracheal +endotracheitis +endotrachelitis +endotrophi +endotrophic +endotropic +endoubt +endoute +endovaccination +endovasculitis +endovenous +endover +endow +endowed +endower +endowers +endowing +endowment +endowments +endows +endozoa +endozoic +endpaper +endpapers +endpiece +endplay +endplate +endplates +endpleasure +endpoint +endpoints +endrin +endrins +endromididae +endromis +endrudge +endrumpf +ends +endseal +endshake +endsheet +endship +endsweep +endue +endued +enduement +endues +enduing +endungeon +endura +endurability +endurable +endurableness +endurably +endurance +endurant +endure +endured +endurer +endures +enduring +enduringly +enduringness +enduro +enduros +endways +endwise +eneas +enecate +eneclann +ened +eneid +enema +enemas +enemata +enemy +enemied +enemies +enemying +enemylike +enemyship +enent +enepidermic +energeia +energesis +energetic +energetical +energetically +energeticalness +energeticist +energeticness +energetics +energetistic +energy +energiatye +energic +energical +energico +energid +energids +energies +energise +energised +energiser +energises +energising +energism +energist +energistic +energize +energized +energizer +energizers +energizes +energizing +energumen +energumenon +enervate +enervated +enervates +enervating +enervation +enervative +enervator +enervators +enerve +enervous +enetophobia +eneuch +eneugh +enew +enface +enfaced +enfacement +enfaces +enfacing +enfamish +enfamous +enfant +enfants +enfarce +enfasten +enfatico +enfavor +enfeature +enfect +enfeeble +enfeebled +enfeeblement +enfeeblements +enfeebler +enfeebles +enfeebling +enfeeblish +enfelon +enfeoff +enfeoffed +enfeoffing +enfeoffment +enfeoffs +enfester +enfetter +enfettered +enfettering +enfetters +enfever +enfevered +enfevering +enfevers +enfief +enfield +enfierce +enfigure +enfilade +enfiladed +enfilades +enfilading +enfile +enfiled +enfin +enfire +enfirm +enflagellate +enflagellation +enflame +enflamed +enflames +enflaming +enflesh +enfleurage +enflower +enflowered +enflowering +enfoeffment +enfoil +enfold +enfolded +enfolden +enfolder +enfolders +enfolding +enfoldings +enfoldment +enfolds +enfollow +enfonce +enfonced +enfoncee +enforce +enforceability +enforceable +enforced +enforcedly +enforcement +enforcer +enforcers +enforces +enforcibility +enforcible +enforcing +enforcingly +enforcive +enforcively +enforest +enfork +enform +enfort +enforth +enfortune +enfoul +enfoulder +enfrai +enframe +enframed +enframement +enframes +enframing +enfranch +enfranchisable +enfranchise +enfranchised +enfranchisement +enfranchisements +enfranchiser +enfranchises +enfranchising +enfree +enfrenzy +enfroward +enfuddle +enfume +enfurrow +eng +engage +engaged +engagedly +engagedness +engagee +engagement +engagements +engager +engagers +engages +engaging +engagingly +engagingness +engallant +engaol +engarb +engarble +engarde +engarland +engarment +engarrison +engastrimyth +engastrimythic +engaud +engaze +engelmann +engelmanni +engelmannia +engem +engender +engendered +engenderer +engendering +engenderment +engenders +engendrure +engendure +engerminate +enghle +enghosted +engild +engilded +engilding +engilds +engin +engine +engined +engineer +engineered +engineery +engineering +engineeringly +engineers +engineership +enginehouse +engineless +enginelike +engineman +enginemen +enginery +engineries +engines +engining +enginous +engird +engirded +engirding +engirdle +engirdled +engirdles +engirdling +engirds +engirt +engiscope +engyscope +engysseismology +engystomatidae +engjateigur +engl +englacial +englacially +englad +engladden +england +englander +englanders +englante +engle +engleim +engler +englerophoenix +englify +englifier +englyn +englyns +english +englishable +englished +englisher +englishes +englishhood +englishing +englishism +englishize +englishly +englishman +englishmen +englishness +englishry +englishwoman +englishwomen +englobe +englobed +englobement +englobing +engloom +englory +englue +englut +englute +engluts +englutted +englutting +engnessang +engobe +engold +engolden +engore +engorge +engorged +engorgement +engorges +engorging +engoue +engouee +engouement +engouled +engoument +engr +engrace +engraced +engracing +engraff +engraffed +engraffing +engraft +engraftation +engrafted +engrafter +engrafting +engraftment +engrafts +engrail +engrailed +engrailing +engrailment +engrails +engrain +engrained +engrainedly +engrainer +engraining +engrains +engram +engramma +engrammatic +engramme +engrammes +engrammic +engrams +engrandize +engrandizement +engraphy +engraphia +engraphic +engraphically +engrapple +engrasp +engraulidae +engraulis +engrave +engraved +engravement +engraven +engraver +engravers +engraves +engraving +engravings +engreaten +engreen +engrege +engregge +engrid +engrieve +engroove +engross +engrossed +engrossedly +engrosser +engrossers +engrosses +engrossing +engrossingly +engrossingness +engrossment +engs +enguard +engulf +engulfed +engulfing +engulfment +engulfs +enhaemospore +enhallow +enhalo +enhaloed +enhaloes +enhaloing +enhalos +enhamper +enhance +enhanced +enhancement +enhancements +enhancer +enhancers +enhances +enhancing +enhancive +enhappy +enharbor +enharbour +enharden +enhardy +enharmonic +enharmonical +enharmonically +enhat +enhaulse +enhaunt +enhazard +enhearse +enheart +enhearten +enheaven +enhedge +enhelm +enhemospore +enherit +enheritage +enheritance +enhydra +enhydrinae +enhydris +enhydrite +enhydritic +enhydros +enhydrous +enhypostasia +enhypostasis +enhypostatic +enhypostatize +enhorror +enhort +enhuile +enhunger +enhungered +enhusk +eniac +enicuridae +enid +enif +enigma +enigmas +enigmata +enigmatic +enigmatical +enigmatically +enigmaticalness +enigmatist +enigmatization +enigmatize +enigmatized +enigmatizing +enigmatographer +enigmatography +enigmatology +enigua +enisle +enisled +enisles +enisling +enjail +enjamb +enjambed +enjambement +enjambements +enjambment +enjambments +enjelly +enjeopard +enjeopardy +enjewel +enjoy +enjoyable +enjoyableness +enjoyably +enjoyed +enjoyer +enjoyers +enjoying +enjoyingly +enjoyment +enjoyments +enjoin +enjoinder +enjoinders +enjoined +enjoiner +enjoiners +enjoining +enjoinment +enjoins +enjoys +enkennel +enkerchief +enkernel +enki +enkidu +enkindle +enkindled +enkindler +enkindles +enkindling +enkolpia +enkolpion +enkraal +enl +enlace +enlaced +enlacement +enlaces +enlacing +enlay +enlard +enlarge +enlargeable +enlargeableness +enlarged +enlargedly +enlargedness +enlargement +enlargements +enlarger +enlargers +enlarges +enlarging +enlargingly +enlaurel +enleaf +enleague +enleagued +enleen +enlength +enlevement +enlief +enlife +enlight +enlighten +enlightened +enlightenedly +enlightenedness +enlightener +enlighteners +enlightening +enlighteningly +enlightenment +enlightenments +enlightens +enlimn +enlink +enlinked +enlinking +enlinkment +enlist +enlisted +enlistee +enlistees +enlister +enlisters +enlisting +enlistment +enlistments +enlists +enlive +enliven +enlivened +enlivener +enlivening +enliveningly +enlivenment +enlivenments +enlivens +enlock +enlodge +enlodgement +enlumine +enlure +enlute +enmagazine +enmanche +enmarble +enmarbled +enmarbling +enmask +enmass +enmesh +enmeshed +enmeshes +enmeshing +enmeshment +enmeshments +enmew +enmist +enmity +enmities +enmoss +enmove +enmuffle +ennage +enneacontahedral +enneacontahedron +ennead +enneadianome +enneadic +enneads +enneaeteric +enneagynous +enneagon +enneagonal +enneagons +enneahedra +enneahedral +enneahedria +enneahedron +enneahedrons +enneandrian +enneandrous +enneapetalous +enneaphyllous +enneasemic +enneasepalous +enneasyllabic +enneaspermous +enneastylar +enneastyle +enneastylos +enneateric +enneatic +enneatical +ennedra +ennerve +ennew +ennia +enniche +ennoble +ennobled +ennoblement +ennoblements +ennobler +ennoblers +ennobles +ennobling +ennoblingly +ennoblment +ennoy +ennoic +ennomic +ennui +ennuyant +ennuyante +ennuye +ennuied +ennuyee +ennuying +ennuis +enoch +enochic +enocyte +enodal +enodally +enodate +enodation +enode +enoil +enoint +enol +enolase +enolases +enolate +enolic +enolizable +enolization +enolize +enolized +enolizing +enology +enological +enologies +enologist +enols +enomania +enomaniac +enomotarch +enomoty +enophthalmos +enophthalmus +enopla +enoplan +enoplion +enoptromancy +enorganic +enorm +enormious +enormity +enormities +enormous +enormously +enormousness +enorn +enorthotrope +enos +enosis +enosises +enosist +enostosis +enough +enoughs +enounce +enounced +enouncement +enounces +enouncing +enow +enows +enphytotic +enpia +enplane +enplaned +enplanement +enplanes +enplaning +enquarter +enquere +enqueue +enqueued +enqueues +enquicken +enquire +enquired +enquirer +enquires +enquiry +enquiries +enquiring +enrace +enrage +enraged +enragedly +enragedness +enragement +enrages +enraging +enray +enrail +enramada +enrange +enrank +enrapt +enrapted +enrapting +enrapts +enrapture +enraptured +enrapturedly +enrapturer +enraptures +enrapturing +enravish +enravished +enravishes +enravishing +enravishingly +enravishment +enregiment +enregister +enregistered +enregistering +enregistration +enregistry +enrheum +enrib +enrich +enriched +enrichener +enricher +enrichers +enriches +enriching +enrichingly +enrichment +enrichments +enridged +enright +enring +enringed +enringing +enripen +enrive +enrobe +enrobed +enrobement +enrober +enrobers +enrobes +enrobing +enrockment +enrol +enroll +enrolle +enrolled +enrollee +enrollees +enroller +enrollers +enrolles +enrolling +enrollment +enrollments +enrolls +enrolment +enrols +enroot +enrooted +enrooting +enroots +enrough +enround +enruin +enrut +ens +ensafe +ensaffron +ensaint +ensalada +ensample +ensampler +ensamples +ensand +ensandal +ensanguine +ensanguined +ensanguining +ensate +enscale +enscene +enschedule +ensconce +ensconced +ensconces +ensconcing +enscroll +enscrolled +enscrolling +enscrolls +ensculpture +ense +enseal +ensealed +ensealing +enseam +ensear +ensearch +ensearcher +enseat +enseated +enseating +enseel +enseem +ensellure +ensemble +ensembles +ensepulcher +ensepulchered +ensepulchering +ensepulchre +enseraph +enserf +enserfed +enserfing +enserfment +enserfs +ensete +enshade +enshadow +enshawl +ensheath +ensheathe +ensheathed +ensheathes +ensheathing +ensheaths +enshell +enshelter +enshield +enshielded +enshielding +enshrine +enshrined +enshrinement +enshrinements +enshrines +enshrining +enshroud +enshrouded +enshrouding +enshrouds +ensient +ensiferi +ensiform +ensign +ensigncy +ensigncies +ensigned +ensignhood +ensigning +ensignment +ensignry +ensigns +ensignship +ensilability +ensilage +ensilaged +ensilages +ensilaging +ensilate +ensilation +ensile +ensiled +ensiles +ensiling +ensilist +ensilver +ensindon +ensynopticity +ensisternal +ensisternum +ensky +enskied +enskyed +enskies +enskying +enslave +enslaved +enslavedness +enslavement +enslavements +enslaver +enslavers +enslaves +enslaving +enslumber +ensmall +ensnare +ensnared +ensnarement +ensnarements +ensnarer +ensnarers +ensnares +ensnaring +ensnaringly +ensnarl +ensnarled +ensnarling +ensnarls +ensnow +ensober +ensophic +ensorcel +ensorceled +ensorceling +ensorcelize +ensorcell +ensorcellment +ensorcels +ensorcerize +ensorrow +ensoul +ensouled +ensouling +ensouls +enspangle +enspell +ensphere +ensphered +enspheres +ensphering +enspirit +ensporia +enstamp +enstar +enstate +enstatite +enstatitic +enstatitite +enstatolite +ensteel +ensteep +enstyle +enstool +enstore +enstranged +enstrengthen +ensuable +ensuance +ensuant +ensue +ensued +ensuer +ensues +ensuing +ensuingly +ensuite +ensulphur +ensurance +ensure +ensured +ensurer +ensurers +ensures +ensuring +enswathe +enswathed +enswathement +enswathes +enswathing +ensweep +ensweeten +entablature +entablatured +entablement +entablements +entach +entackle +entad +entada +entail +entailable +entailed +entailer +entailers +entailing +entailment +entailments +entails +ental +entalent +entally +entame +entameba +entamebae +entamebas +entamebic +entamoeba +entamoebiasis +entamoebic +entangle +entangleable +entangled +entangledly +entangledness +entanglement +entanglements +entangler +entanglers +entangles +entangling +entanglingly +entapophysial +entapophysis +entarthrotic +entases +entasia +entasias +entasis +entassment +entastic +entea +entelam +entelechy +entelechial +entelechies +entellus +entelluses +entelodon +entelodont +entempest +entemple +entender +entendre +entendres +entente +ententes +ententophil +entepicondylar +enter +entera +enterable +enteraden +enteradenography +enteradenographic +enteradenology +enteradenological +enteral +enteralgia +enterally +enterate +enterauxe +enterclose +enterectomy +enterectomies +entered +enterer +enterers +enterfeat +entergogenic +enteria +enteric +entericoid +entering +enteritidis +enteritis +entermete +entermise +enteroanastomosis +enterobacterial +enterobacterium +enterobiasis +enterobiliary +enterocele +enterocentesis +enteroceptor +enterochirurgia +enterochlorophyll +enterocholecystostomy +enterochromaffin +enterocinesia +enterocinetic +enterocyst +enterocystoma +enterocleisis +enteroclisis +enteroclysis +enterococcal +enterococci +enterococcus +enterocoel +enterocoela +enterocoele +enterocoelic +enterocoelous +enterocolitis +enterocolostomy +enterocrinin +enterodelous +enterodynia +enteroepiplocele +enterogastritis +enterogastrone +enterogenous +enterogram +enterograph +enterography +enterohelcosis +enterohemorrhage +enterohepatitis +enterohydrocele +enteroid +enterointestinal +enteroischiocele +enterokinase +enterokinesia +enterokinetic +enterolysis +enterolith +enterolithiasis +enterolobium +enterology +enterologic +enterological +enteromegaly +enteromegalia +enteromere +enteromesenteric +enteromycosis +enteromyiasis +enteromorpha +enteron +enteroneuritis +enterons +enteroparalysis +enteroparesis +enteropathy +enteropathogenic +enteropexy +enteropexia +enterophthisis +enteroplasty +enteroplegia +enteropneust +enteropneusta +enteropneustal +enteropneustan +enteroptosis +enteroptotic +enterorrhagia +enterorrhaphy +enterorrhea +enterorrhexis +enteroscope +enteroscopy +enterosepsis +enterosyphilis +enterospasm +enterostasis +enterostenosis +enterostomy +enterostomies +enterotome +enterotomy +enterotoxemia +enterotoxication +enterotoxin +enteroviral +enterovirus +enterozoa +enterozoan +enterozoic +enterozoon +enterparlance +enterpillar +enterprise +enterprised +enterpriseless +enterpriser +enterprises +enterprising +enterprisingly +enterprisingness +enterprize +enterritoriality +enterrologist +enters +entertain +entertainable +entertained +entertainer +entertainers +entertaining +entertainingly +entertainingness +entertainment +entertainments +entertains +entertake +entertissue +entete +entfaoilff +enthalpy +enthalpies +entheal +enthean +entheasm +entheate +enthelmintha +enthelminthes +enthelminthic +entheos +enthetic +enthymematic +enthymematical +enthymeme +enthral +enthraldom +enthrall +enthralldom +enthralled +enthraller +enthralling +enthrallingly +enthrallment +enthrallments +enthralls +enthralment +enthrals +enthrill +enthrone +enthroned +enthronement +enthronements +enthrones +enthrong +enthroning +enthronise +enthronised +enthronising +enthronization +enthronize +enthronized +enthronizing +enthuse +enthused +enthuses +enthusiasm +enthusiasms +enthusiast +enthusiastic +enthusiastical +enthusiastically +enthusiasticalness +enthusiastly +enthusiasts +enthusing +entia +entice +enticeable +enticed +enticeful +enticement +enticements +enticer +enticers +entices +enticing +enticingly +enticingness +entier +enties +entify +entifical +entification +entyloma +entincture +entypies +entire +entirely +entireness +entires +entirety +entireties +entiris +entirities +entitative +entitatively +entity +entities +entitle +entitled +entitledness +entitlement +entitles +entitling +entitule +entoblast +entoblastic +entobranchiate +entobronchium +entocalcaneal +entocarotid +entocele +entocyemate +entocyst +entocnemial +entocoel +entocoele +entocoelic +entocondylar +entocondyle +entocondyloid +entocone +entoconid +entocornea +entocranial +entocuneiform +entocuniform +entoderm +entodermal +entodermic +entoderms +entogastric +entogenous +entoglossal +entohyal +entoil +entoiled +entoiling +entoilment +entoils +entoire +entoloma +entom +entomb +entombed +entombing +entombment +entombments +entombs +entomere +entomeric +entomic +entomical +entomion +entomofauna +entomogenous +entomoid +entomol +entomolegist +entomolite +entomology +entomologic +entomological +entomologically +entomologies +entomologise +entomologised +entomologising +entomologist +entomologists +entomologize +entomologized +entomologizing +entomophaga +entomophagan +entomophagous +entomophila +entomophily +entomophilous +entomophytous +entomophobia +entomophthora +entomophthoraceae +entomophthoraceous +entomophthorales +entomophthorous +entomosporium +entomostraca +entomostracan +entomostracous +entomotaxy +entomotomy +entomotomist +entone +entonement +entonic +entoolitic +entoparasite +entoparasitic +entoperipheral +entophytal +entophyte +entophytic +entophytically +entophytous +entopic +entopical +entoplasm +entoplastic +entoplastral +entoplastron +entopopliteal +entoproct +entoprocta +entoproctous +entopterygoid +entoptic +entoptical +entoptically +entoptics +entoptoscope +entoptoscopy +entoptoscopic +entoretina +entorganism +entortill +entosarc +entosclerite +entosphenal +entosphenoid +entosphere +entosterna +entosternal +entosternite +entosternum +entosthoblast +entothorax +entotic +entotympanic +entotrophi +entour +entourage +entourages +entozoa +entozoal +entozoan +entozoans +entozoarian +entozoic +entozoology +entozoological +entozoologically +entozoologist +entozoon +entr +entracte +entrada +entradas +entrail +entrails +entrain +entrained +entrainer +entraining +entrainment +entrains +entrammel +entrance +entranced +entrancedly +entrancement +entrancements +entrancer +entrances +entranceway +entrancing +entrancingly +entrant +entrants +entrap +entrapment +entrapments +entrapped +entrapper +entrapping +entrappingly +entraps +entre +entreasure +entreasured +entreasuring +entreat +entreatable +entreated +entreater +entreatful +entreaty +entreaties +entreating +entreatingly +entreatment +entreats +entrec +entrechat +entrechats +entrecote +entrecotes +entredeux +entree +entrees +entrefer +entrelac +entremess +entremets +entrench +entrenched +entrenches +entrenching +entrenchment +entrenchments +entrep +entrepas +entrepeneur +entrepeneurs +entrepot +entrepots +entreprenant +entrepreneur +entrepreneurial +entrepreneurs +entrepreneurship +entrepreneuse +entrepreneuses +entrept +entrer +entresalle +entresol +entresols +entresse +entrez +entry +entria +entries +entrike +entryman +entrymen +entryway +entryways +entrochite +entrochus +entropy +entropies +entropion +entropionize +entropium +entrough +entrust +entrusted +entrusting +entrustment +entrusts +entte +entune +enturret +entwine +entwined +entwinement +entwines +entwining +entwist +entwisted +entwisting +entwists +entwite +enucleate +enucleated +enucleating +enucleation +enucleator +enukki +enumerability +enumerable +enumerably +enumerate +enumerated +enumerates +enumerating +enumeration +enumerations +enumerative +enumerator +enumerators +enunciability +enunciable +enunciate +enunciated +enunciates +enunciating +enunciation +enunciations +enunciative +enunciatively +enunciator +enunciatory +enunciators +enure +enured +enures +enureses +enuresis +enuresises +enuretic +enuring +enurny +env +envaye +envapor +envapour +envassal +envassalage +envault +enveigle +enveil +envelop +envelope +enveloped +enveloper +envelopers +envelopes +enveloping +envelopment +envelopments +envelops +envenom +envenomation +envenomed +envenoming +envenomization +envenomous +envenoms +enventual +enverdure +envergure +envermeil +envy +enviable +enviableness +enviably +envied +envier +enviers +envies +envigor +envying +envyingly +envine +envined +envineyard +envious +enviously +enviousness +envire +enviroment +environ +environage +environal +environed +environic +environing +environment +environmental +environmentalism +environmentalist +environmentalists +environmentally +environments +environs +envisage +envisaged +envisagement +envisages +envisaging +envision +envisioned +envisioning +envisionment +envisions +envoi +envoy +envois +envoys +envoyship +envolume +envolupen +enwall +enwallow +enweave +enweaved +enweaving +enweb +enwheel +enwheeled +enwheeling +enwheels +enwiden +enwind +enwinding +enwinds +enwing +enwingly +enwisen +enwoman +enwomb +enwombed +enwombing +enwombs +enwood +enworthed +enworthy +enwound +enwove +enwoven +enwrap +enwrapment +enwrapped +enwrapping +enwraps +enwrapt +enwreath +enwreathe +enwreathed +enwreathing +enwrite +enwrought +enwwove +enwwoven +enzygotic +enzym +enzymatic +enzymatically +enzyme +enzymes +enzymic +enzymically +enzymolysis +enzymolytic +enzymology +enzymologies +enzymologist +enzymosis +enzymotic +enzyms +enzone +enzooty +enzootic +enzootically +enzootics +eo +eoan +eoanthropus +eobiont +eobionts +eocarboniferous +eocene +eodevonian +eodiscid +eof +eogaea +eogaean +eoghanacht +eohippus +eohippuses +eoith +eoiths +eolation +eole +eolian +eolienne +eolipile +eolipiles +eolith +eolithic +eoliths +eolopile +eolopiles +eolotropic +eom +eomecon +eon +eonian +eonism +eonisms +eons +eopalaeozoic +eopaleozoic +eophyte +eophytic +eophyton +eorhyolite +eos +eosate +eosaurus +eoside +eosin +eosinate +eosine +eosines +eosinic +eosinlike +eosinoblast +eosinophil +eosinophile +eosinophilia +eosinophilic +eosinophilous +eosins +eosophobia +eosphorite +eozoic +eozoon +eozoonal +ep +epa +epacmaic +epacme +epacrid +epacridaceae +epacridaceous +epacris +epact +epactal +epacts +epaenetic +epagoge +epagogic +epagomenae +epagomenal +epagomenic +epagomenous +epaleaceous +epalpate +epalpebrate +epanadiplosis +epanagoge +epanalepsis +epanaleptic +epanaphora +epanaphoral +epanastrophe +epanisognathism +epanisognathous +epanody +epanodos +epanorthidae +epanorthoses +epanorthosis +epanorthotic +epanthous +epapillate +epapophysial +epapophysis +epappose +eparch +eparchate +eparchean +eparchy +eparchial +eparchies +eparchs +eparcuale +eparterial +epaule +epaulement +epaulet +epauleted +epaulets +epaulette +epauletted +epauliere +epaxial +epaxially +epedaphic +epee +epeeist +epeeists +epees +epeidia +epeira +epeiric +epeirid +epeiridae +epeirogenesis +epeirogenetic +epeirogeny +epeirogenic +epeirogenically +epeisodia +epeisodion +epembryonic +epencephal +epencephala +epencephalic +epencephalon +epencephalons +ependyma +ependymal +ependymary +ependyme +ependymitis +ependymoma +ependytes +epenetic +epenla +epentheses +epenthesis +epenthesize +epenthetic +epephragmal +epepophysial +epepophysis +epergne +epergnes +eperlan +eperotesis +eperua +eperva +epeus +epexegeses +epexegesis +epexegetic +epexegetical +epexegetically +epha +ephah +ephahs +ephapse +epharmony +epharmonic +ephas +ephebe +ephebea +ephebeia +ephebeibeia +ephebeion +ephebes +ephebeubea +ephebeum +ephebi +ephebic +epheboi +ephebos +ephebus +ephectic +ephedra +ephedraceae +ephedras +ephedrin +ephedrine +ephedrins +ephelcystic +ephelis +ephemera +ephemerae +ephemeral +ephemerality +ephemeralities +ephemerally +ephemeralness +ephemeran +ephemeras +ephemeric +ephemerid +ephemerida +ephemeridae +ephemerides +ephemeris +ephemerist +ephemeromorph +ephemeromorphic +ephemeron +ephemerons +ephemeroptera +ephemerous +ephererist +ephesian +ephesians +ephesine +ephestia +ephestian +ephetae +ephete +ephetic +ephialtes +ephydra +ephydriad +ephydrid +ephydridae +ephidrosis +ephymnium +ephippia +ephippial +ephippium +ephyra +ephyrae +ephyrula +ephod +ephods +ephoi +ephor +ephoral +ephoralty +ephorate +ephorates +ephori +ephoric +ephors +ephorship +ephorus +ephphatha +ephraim +ephraimite +ephraimitic +ephraimitish +ephraitic +ephrathite +ephthalite +ephthianura +ephthianure +epi +epibasal +epibaterium +epibatholithic +epibatus +epibenthic +epibenthos +epibiotic +epiblast +epiblastema +epiblastic +epiblasts +epiblema +epiblemata +epibole +epiboly +epibolic +epibolies +epibolism +epiboulangerite +epibranchial +epic +epical +epicalyces +epicalyx +epicalyxes +epically +epicanthi +epicanthic +epicanthus +epicardia +epicardiac +epicardial +epicardium +epicarid +epicaridan +epicaridea +epicarides +epicarp +epicarpal +epicarps +epicauta +epicede +epicedia +epicedial +epicedian +epicedium +epicele +epicene +epicenes +epicenism +epicenity +epicenter +epicenters +epicentra +epicentral +epicentre +epicentrum +epicentrums +epicerastic +epiceratodus +epicerebral +epicheirema +epicheiremata +epichil +epichile +epichilia +epichilium +epichindrotic +epichirema +epichlorohydrin +epichondrosis +epichondrotic +epichordal +epichorial +epichoric +epichorion +epichoristic +epichristian +epicycle +epicycles +epicyclic +epicyclical +epicycloid +epicycloidal +epicyemate +epicier +epicyesis +epicism +epicist +epicystotomy +epicyte +epiclastic +epicleidian +epicleidium +epicleses +epiclesis +epicly +epiclidal +epiclike +epiclinal +epicnemial +epicoela +epicoelar +epicoele +epicoelia +epicoeliac +epicoelian +epicoeloma +epicoelous +epicolic +epicondylar +epicondyle +epicondylian +epicondylic +epicondylitis +epicontinental +epicoracohumeral +epicoracoid +epicoracoidal +epicormic +epicorolline +epicortical +epicostal +epicotyl +epicotyleal +epicotyledonary +epicotyls +epicranial +epicranium +epicranius +epicrasis +epicrates +epicrises +epicrisis +epicrystalline +epicritic +epics +epictetian +epicure +epicurean +epicureanism +epicureans +epicures +epicurish +epicurishly +epicurism +epicurize +epicuticle +epicuticular +epideictic +epideictical +epideistic +epidemy +epidemial +epidemic +epidemical +epidemically +epidemicalness +epidemicity +epidemics +epidemiography +epidemiographist +epidemiology +epidemiologic +epidemiological +epidemiologically +epidemiologies +epidemiologist +epidendral +epidendric +epidendron +epidendrum +epiderm +epiderma +epidermal +epidermatic +epidermatoid +epidermatous +epidermic +epidermical +epidermically +epidermidalization +epidermis +epidermization +epidermoid +epidermoidal +epidermolysis +epidermomycosis +epidermophyton +epidermophytosis +epidermose +epidermous +epiderms +epidesmine +epidia +epidialogue +epidiascope +epidiascopic +epidictic +epidictical +epididymal +epididymectomy +epididymides +epididymis +epididymite +epididymitis +epididymodeferentectomy +epididymodeferential +epididymovasostomy +epidymides +epidiorite +epidiorthosis +epidiplosis +epidosite +epidote +epidotes +epidotic +epidotiferous +epidotization +epidural +epifascial +epifauna +epifaunae +epifaunal +epifaunas +epifocal +epifolliculitis +epigaea +epigaeous +epigamic +epigaster +epigastraeum +epigastral +epigastria +epigastrial +epigastric +epigastrical +epigastriocele +epigastrium +epigastrocele +epigeal +epigean +epigee +epigeic +epigene +epigenesis +epigenesist +epigenetic +epigenetically +epigenic +epigenist +epigenous +epigeous +epigeum +epigyne +epigyny +epigynies +epigynous +epigynum +epiglot +epiglottal +epiglottic +epiglottidean +epiglottides +epiglottiditis +epiglottis +epiglottises +epiglottitis +epignathous +epigne +epigon +epigonal +epigonation +epigone +epigoneion +epigones +epigoni +epigonic +epigonichthyidae +epigonichthys +epigonism +epigonium +epigonos +epigonous +epigonousepigons +epigonus +epigram +epigrammatarian +epigrammatic +epigrammatical +epigrammatically +epigrammatise +epigrammatised +epigrammatising +epigrammatism +epigrammatist +epigrammatize +epigrammatized +epigrammatizer +epigrammatizing +epigramme +epigrams +epigraph +epigrapher +epigraphy +epigraphic +epigraphical +epigraphically +epigraphist +epigraphs +epiguanine +epihyal +epihydric +epihydrinic +epihippus +epikeia +epiky +epikia +epikleses +epiklesis +epikouros +epil +epilabra +epilabrum +epilachna +epilachnides +epilamellar +epilaryngeal +epilate +epilated +epilating +epilation +epilator +epilatory +epilegomenon +epilemma +epilemmal +epileny +epilepsy +epilepsia +epilepsies +epileptic +epileptical +epileptically +epileptics +epileptiform +epileptogenic +epileptogenous +epileptoid +epileptology +epileptologist +epilimnetic +epilimnia +epilimnial +epilimnion +epilimnionia +epilithic +epyllia +epyllion +epilobe +epilobiaceae +epilobium +epilog +epilogate +epilogation +epilogic +epilogical +epilogism +epilogist +epilogistic +epilogize +epilogized +epilogizing +epilogs +epilogue +epilogued +epilogues +epiloguing +epiloguize +epiloia +epimachinae +epimacus +epimandibular +epimanikia +epimanikion +epimedium +epimenidean +epimer +epimeral +epimerase +epimere +epimeres +epimeric +epimeride +epimerise +epimerised +epimerising +epimerism +epimerite +epimeritic +epimerize +epimerized +epimerizing +epimeron +epimers +epimerum +epimyocardial +epimyocardium +epimysia +epimysium +epimyth +epimorpha +epimorphic +epimorphism +epimorphosis +epinaoi +epinaos +epinard +epinasty +epinastic +epinastically +epinasties +epineolithic +epinephelidae +epinephelus +epinephrin +epinephrine +epinette +epineuneuria +epineural +epineuria +epineurial +epineurium +epingle +epinglette +epinicia +epinicial +epinician +epinicion +epinyctis +epinikia +epinikian +epinikion +epinine +epionychia +epionychium +epionynychia +epiopticon +epiotic +epipactis +epipaleolithic +epipany +epipanies +epiparasite +epiparodos +epipastic +epipedometry +epipelagic +epiperipheral +epipetalous +epiphany +epiphanic +epiphanies +epiphanise +epiphanised +epiphanising +epiphanize +epiphanized +epiphanizing +epiphanous +epipharyngeal +epipharynx +epiphegus +epiphenomena +epiphenomenal +epiphenomenalism +epiphenomenalist +epiphenomenally +epiphenomenon +epiphylaxis +epiphyll +epiphylline +epiphyllospermous +epiphyllous +epiphyllum +epiphysary +epiphyseal +epiphyseolysis +epiphyses +epiphysial +epiphysis +epiphysitis +epiphytal +epiphyte +epiphytes +epiphytic +epiphytical +epiphytically +epiphytism +epiphytology +epiphytotic +epiphytous +epiphloedal +epiphloedic +epiphloeum +epiphonema +epiphonemae +epiphonemas +epiphora +epiphragm +epiphragmal +epipial +epiplankton +epiplanktonic +epiplasm +epiplasmic +epiplastral +epiplastron +epiplectic +epipleura +epipleurae +epipleural +epiplexis +epiploce +epiplocele +epiploic +epiploitis +epiploon +epiplopexy +epipodia +epipodial +epipodiale +epipodialia +epipodite +epipoditic +epipodium +epipolic +epipolism +epipolize +epiprecoracoid +epiproct +epipsychidion +epipteric +epipterygoid +epipterous +epipubes +epipubic +epipubis +epirhizous +epirogenetic +epirogeny +epirogenic +epirot +epirote +epirotic +epirotulian +epirrhema +epirrhematic +epirrheme +episarcine +episarkine +episcenia +episcenium +episcia +episcias +episclera +episcleral +episcleritis +episcopable +episcopacy +episcopacies +episcopal +episcopalian +episcopalianism +episcopalianize +episcopalians +episcopalism +episcopality +episcopally +episcopant +episcoparian +episcopate +episcopates +episcopation +episcopature +episcope +episcopes +episcopy +episcopicide +episcopise +episcopised +episcopising +episcopization +episcopize +episcopized +episcopizing +episcopolatry +episcotister +episedia +episematic +episememe +episepalous +episyllogism +episynaloephe +episynthetic +episyntheton +episiocele +episiohematoma +episioplasty +episiorrhagia +episiorrhaphy +episiostenosis +episiotomy +episiotomies +episkeletal +episkotister +episodal +episode +episodes +episodial +episodic +episodical +episodically +episomal +episomally +episome +episomes +epispadia +epispadiac +epispadias +epispastic +episperm +epispermic +epispinal +episplenitis +episporangium +epispore +episporium +epist +epistapedial +epistases +epistasy +epistasies +epistasis +epistatic +epistaxis +episteme +epistemic +epistemically +epistemolog +epistemology +epistemological +epistemologically +epistemologist +epistemonic +epistemonical +epistemophilia +epistemophiliac +epistemophilic +epistena +episterna +episternal +episternalia +episternite +episternum +episthotonos +epistylar +epistilbite +epistyle +epistyles +epistylis +epistlar +epistle +epistler +epistlers +epistles +epistolar +epistolary +epistolarian +epistolarily +epistolatory +epistolean +epistoler +epistolet +epistolic +epistolical +epistolise +epistolised +epistolising +epistolist +epistolizable +epistolization +epistolize +epistolized +epistolizer +epistolizing +epistolographer +epistolography +epistolographic +epistolographist +epistoma +epistomal +epistomata +epistome +epistomian +epistroma +epistrophe +epistropheal +epistropheus +epistrophy +epistrophic +epit +epitactic +epitaph +epitapher +epitaphial +epitaphian +epitaphic +epitaphical +epitaphist +epitaphize +epitaphless +epitaphs +epitases +epitasis +epitaxy +epitaxial +epitaxially +epitaxic +epitaxies +epitaxis +epitela +epitendineum +epitenon +epithalami +epithalamy +epithalamia +epithalamial +epithalamiast +epithalamic +epithalamion +epithalamium +epithalamiumia +epithalamiums +epithalamize +epithalamus +epithalline +epithamia +epitheca +epithecal +epithecate +epithecia +epithecial +epithecicia +epithecium +epithelia +epithelial +epithelialize +epithelilia +epitheliliums +epithelioblastoma +epithelioceptor +epitheliogenetic +epithelioglandular +epithelioid +epitheliolysin +epitheliolysis +epitheliolytic +epithelioma +epitheliomas +epitheliomata +epitheliomatous +epitheliomuscular +epitheliosis +epitheliotoxin +epitheliulia +epithelium +epitheliums +epithelization +epithelize +epitheloid +epithem +epitheme +epithermal +epithermally +epithesis +epithet +epithetic +epithetical +epithetically +epithetician +epithetize +epitheton +epithets +epithi +epithyme +epithymetic +epithymetical +epithumetic +epitimesis +epitympa +epitympanic +epitympanum +epityphlitis +epityphlon +epitoke +epitomate +epitomator +epitomatory +epitome +epitomes +epitomic +epitomical +epitomically +epitomisation +epitomise +epitomised +epitomiser +epitomising +epitomist +epitomization +epitomize +epitomized +epitomizer +epitomizes +epitomizing +epitonic +epitoniidae +epitonion +epitonium +epitoxoid +epitra +epitrachelia +epitrachelion +epitrchelia +epitria +epitrichial +epitrichium +epitrite +epitritic +epitrochlea +epitrochlear +epitrochoid +epitrochoidal +epitrope +epitrophy +epitrophic +epituberculosis +epituberculous +epiural +epivalve +epixylous +epizeuxis +epizoa +epizoal +epizoan +epizoarian +epizoic +epizoicide +epizoism +epizoisms +epizoite +epizoites +epizoology +epizoon +epizooty +epizootic +epizootically +epizooties +epizootiology +epizootiologic +epizootiological +epizootiologically +epizootology +epizzoa +eplot +epoch +epocha +epochal +epochally +epoche +epochism +epochist +epochs +epode +epodes +epodic +epoist +epollicate +epomophorus +eponge +eponychium +eponym +eponymy +eponymic +eponymies +eponymism +eponymist +eponymize +eponymous +eponyms +eponymus +epoophoron +epop +epopee +epopees +epopoean +epopoeia +epopoeias +epopoeist +epopt +epoptes +epoptic +epoptist +epornitic +epornitically +epos +eposes +epotation +epoxy +epoxide +epoxides +epoxidize +epoxied +epoxyed +epoxies +epoxying +eppes +eppy +eppie +epris +eprise +eproboscidea +eprosy +eprouvette +epruinose +epsilon +epsilons +epsom +epsomite +eptatretidae +eptatretus +epulary +epulation +epulis +epulo +epuloid +epulones +epulosis +epulotic +epupillate +epural +epurate +epuration +eq +eqpt +equability +equable +equableness +equably +equaeval +equal +equalable +equaled +equaling +equalisation +equalise +equalised +equalises +equalising +equalist +equalitarian +equalitarianism +equality +equalities +equalization +equalize +equalized +equalizer +equalizers +equalizes +equalizing +equalled +equaller +equally +equalling +equalness +equals +equangular +equanimity +equanimous +equanimously +equanimousness +equant +equatability +equatable +equate +equated +equates +equating +equation +equational +equationally +equationism +equationist +equations +equative +equator +equatoreal +equatorial +equatorially +equators +equatorward +equatorwards +equerry +equerries +equerryship +eques +equestrial +equestrian +equestrianism +equestrianize +equestrians +equestrianship +equestrienne +equestriennes +equianchorate +equiangle +equiangular +equiangularity +equianharmonic +equiarticulate +equiatomic +equiaxe +equiaxed +equiaxial +equibalance +equibalanced +equibiradiate +equicaloric +equicellular +equichangeable +equicohesive +equicontinuous +equiconvex +equicostate +equicrural +equicurve +equid +equidense +equidensity +equidiagonal +equidifferent +equidimensional +equidist +equidistance +equidistant +equidistantial +equidistantly +equidistribution +equidiurnal +equidivision +equidominant +equidurable +equielliptical +equiexcellency +equiform +equiformal +equiformity +equiglacial +equigranular +equijacent +equilater +equilateral +equilaterally +equilibrant +equilibrate +equilibrated +equilibrates +equilibrating +equilibration +equilibrations +equilibrative +equilibrator +equilibratory +equilibria +equilibrial +equilibriate +equilibrio +equilibrious +equilibriria +equilibrist +equilibristat +equilibristic +equilibrity +equilibrium +equilibriums +equilibrize +equilin +equiliria +equilobate +equilobed +equilocation +equilucent +equimodal +equimolal +equimolar +equimolecular +equimomental +equimultiple +equinal +equinate +equine +equinecessary +equinely +equines +equinia +equinity +equinities +equinoctial +equinoctially +equinovarus +equinox +equinoxes +equinumerally +equinus +equiomnipotent +equip +equipaga +equipage +equipages +equiparable +equiparant +equiparate +equiparation +equipartile +equipartisan +equipartition +equiped +equipedal +equipede +equipendent +equiperiodic +equipluve +equipment +equipments +equipoise +equipoised +equipoises +equipoising +equipollence +equipollency +equipollent +equipollently +equipollentness +equiponderance +equiponderancy +equiponderant +equiponderate +equiponderated +equiponderating +equiponderation +equiponderous +equipondious +equipostile +equipotent +equipotential +equipotentiality +equipped +equipper +equippers +equipping +equiprobabilism +equiprobabilist +equiprobability +equiprobable +equiprobably +equiproducing +equiproportional +equiproportionality +equips +equipt +equiradial +equiradiate +equiradical +equirotal +equisegmented +equiseta +equisetaceae +equisetaceous +equisetales +equisetic +equisetum +equisetums +equisided +equisignal +equisized +equison +equisonance +equisonant +equispaced +equispatial +equisufficiency +equisurface +equitability +equitable +equitableness +equitably +equitangential +equitant +equitation +equitative +equitemporal +equitemporaneous +equites +equity +equities +equitist +equitriangular +equiv +equivale +equivalence +equivalenced +equivalences +equivalency +equivalencies +equivalencing +equivalent +equivalently +equivalents +equivaliant +equivalue +equivaluer +equivalve +equivalved +equivalvular +equivelocity +equivocacy +equivocacies +equivocal +equivocality +equivocalities +equivocally +equivocalness +equivocate +equivocated +equivocates +equivocating +equivocatingly +equivocation +equivocations +equivocator +equivocatory +equivocators +equivoke +equivokes +equivoluminal +equivoque +equivorous +equivote +equoid +equoidean +equulei +equuleus +equus +equvalent +er +era +erade +eradiate +eradiated +eradiates +eradiating +eradiation +eradicable +eradicably +eradicant +eradicate +eradicated +eradicates +eradicating +eradication +eradications +eradicative +eradicator +eradicatory +eradicators +eradiculose +eragrostis +eral +eranist +eranthemum +eranthis +eras +erasability +erasable +erase +erased +erasement +eraser +erasers +erases +erasing +erasion +erasions +erasmian +erasmus +erastian +erastianism +erastianize +erastus +erasure +erasures +erat +erato +erava +erbia +erbium +erbiums +erd +erdvark +ere +erebus +erechtheum +erechtheus +erechtites +erect +erectable +erected +erecter +erecters +erectile +erectility +erectilities +erecting +erection +erections +erective +erectly +erectness +erectopatent +erector +erectors +erects +erelong +eremacausis +eremian +eremic +eremital +eremite +eremites +eremiteship +eremitic +eremitical +eremitish +eremitism +eremochaeta +eremochaetous +eremology +eremophilous +eremophyte +eremopteris +eremuri +eremurus +erenach +erenow +erepsin +erepsins +erept +ereptase +ereptic +ereption +erer +erethic +erethisia +erethism +erethismic +erethisms +erethistic +erethitic +erethizon +erethizontidae +eretrian +erewhile +erewhiles +erf +erg +ergal +ergamine +ergane +ergasia +ergasterion +ergastic +ergastoplasm +ergastoplasmic +ergastulum +ergatandry +ergatandromorph +ergatandromorphic +ergatandrous +ergate +ergates +ergative +ergatocracy +ergatocrat +ergatogyne +ergatogyny +ergatogynous +ergatoid +ergatomorph +ergatomorphic +ergatomorphism +ergmeter +ergo +ergocalciferol +ergodic +ergodicity +ergogram +ergograph +ergographic +ergoism +ergology +ergomaniac +ergometer +ergometric +ergometrine +ergon +ergonomic +ergonomically +ergonomics +ergonomist +ergonovine +ergophile +ergophobia +ergophobiac +ergophobic +ergoplasm +ergostat +ergosterin +ergosterol +ergot +ergotamine +ergotaminine +ergoted +ergothioneine +ergotic +ergotin +ergotine +ergotinine +ergotism +ergotisms +ergotist +ergotization +ergotize +ergotized +ergotizing +ergotoxin +ergotoxine +ergots +ergs +ergusia +eria +erian +erianthus +eric +erica +ericaceae +ericaceous +ericad +erical +ericales +ericas +ericetal +ericeticolous +ericetum +erichthoid +erichthus +erichtoid +ericineous +ericius +erick +ericoid +ericolin +ericophyte +eridanid +erie +erigenia +erigeron +erigerons +erigible +eriglossa +eriglossate +eryhtrism +erik +erika +erikite +erymanthian +erin +erinaceidae +erinaceous +erinaceus +erineum +eryngium +eringo +eryngo +eringoes +eryngoes +eringos +eryngos +erinys +erinite +erinize +erinnic +erinose +eriobotrya +eriocaulaceae +eriocaulaceous +eriocaulon +eriocomi +eriodendron +eriodictyon +erioglaucine +eriogonum +eriometer +eryon +erionite +eriophyes +eriophyid +eriophyidae +eriophyllous +eriophorum +eryopid +eryops +eryopsid +eriosoma +eriphyle +eris +erysibe +erysimum +erysipelas +erysipelatoid +erysipelatous +erysipeloid +erysipelothrix +erysipelous +erysiphaceae +erysiphe +eristalis +eristic +eristical +eristically +eristics +erithacus +erythea +erythema +erythemal +erythemas +erythematic +erythematous +erythemic +erythorbate +erythraea +erythraean +erythraeidae +erythraemia +erythrasma +erythrean +erythremia +erythremomelalgia +erythrene +erythric +erythrin +erythrina +erythrine +erythrinidae +erythrinus +erythrism +erythrismal +erythristic +erythrite +erythritic +erythritol +erythroblast +erythroblastic +erythroblastosis +erythroblastotic +erythrocarpous +erythrocatalysis +erythrochaete +erythrochroic +erythrochroism +erythrocyte +erythrocytes +erythrocytic +erythrocytoblast +erythrocytolysin +erythrocytolysis +erythrocytolytic +erythrocytometer +erythrocytometry +erythrocytorrhexis +erythrocytoschisis +erythrocytosis +erythroclasis +erythroclastic +erythrodegenerative +erythroderma +erythrodermia +erythrodextrin +erythrogen +erythrogenesis +erythrogenic +erythroglucin +erythrogonium +erythroid +erythrol +erythrolein +erythrolysin +erythrolysis +erythrolytic +erythrolitmin +erythromania +erythromelalgia +erythromycin +erythron +erythroneocytosis +erythronium +erythrons +erythropenia +erythrophage +erythrophagous +erythrophyll +erythrophyllin +erythrophilous +erythrophleine +erythrophobia +erythrophore +erythropia +erythroplastid +erythropoiesis +erythropoietic +erythropoietin +erythropsia +erythropsin +erythrorrhexis +erythroscope +erythrose +erythrosiderite +erythrosin +erythrosine +erythrosinophile +erythrosis +erythroxylaceae +erythroxylaceous +erythroxyline +erythroxylon +erythroxylum +erythrozyme +erythrozincite +erythrulose +eritrean +eryx +erizo +erk +erke +erliche +erlking +erlkings +erma +ermanaric +ermani +ermanrich +erme +ermelin +ermiline +ermine +ermined +erminee +ermines +erminette +ermining +erminites +erminois +ermit +ermitophobia +ern +erne +ernes +ernesse +ernest +ernestine +ernie +erns +ernst +erodability +erodable +erode +eroded +erodent +erodes +erodibility +erodible +eroding +erodium +erogate +erogeneity +erogenesis +erogenetic +erogeny +erogenic +erogenous +eromania +eros +erose +erosely +eroses +erosible +erosion +erosional +erosionally +erosionist +erosions +erosive +erosiveness +erosivity +erostrate +erotema +eroteme +erotesis +erotetic +erotic +erotica +erotical +erotically +eroticism +eroticist +eroticization +eroticize +eroticizing +eroticomania +eroticomaniac +eroticomaniacal +erotics +erotylid +erotylidae +erotism +erotisms +erotization +erotize +erotized +erotizing +erotogeneses +erotogenesis +erotogenetic +erotogenic +erotogenicity +erotographomania +erotology +erotomania +erotomaniac +erotomaniacal +erotopath +erotopathy +erotopathic +erotophobia +erpetoichthys +erpetology +erpetologist +err +errability +errable +errableness +errabund +errancy +errancies +errand +errands +errant +errantia +errantly +errantness +errantry +errantries +errants +errata +erratas +erratic +erratical +erratically +erraticalness +erraticism +erraticness +erratics +erratum +erratums +erratuta +erred +errhine +errhines +erring +erringly +errite +erron +erroneous +erroneously +erroneousness +error +errordump +errorful +errorist +errorless +errors +errs +errsyn +ers +ersar +ersatz +ersatzes +erse +erses +ersh +erst +erstwhile +erstwhiles +ertebolle +erth +erthen +erthly +erthling +erubescence +erubescent +erubescite +eruc +eruca +erucic +eruciform +erucin +erucivorous +eruct +eructance +eructate +eructated +eructates +eructating +eructation +eructative +eructed +eructing +eruction +eructs +erudit +erudite +eruditely +eruditeness +eruditical +erudition +eruditional +eruditionist +erugate +erugation +erugatory +eruginous +erugo +erugos +erump +erumpent +erupt +erupted +eruptible +erupting +eruption +eruptional +eruptions +eruptive +eruptively +eruptiveness +eruptives +eruptivity +erupts +erupturient +ervenholder +ervil +ervils +ervipiame +ervum +erwin +erwinia +erzahler +es +esau +esbay +esbatement +esc +esca +escadrille +escadrilles +escalade +escaladed +escalader +escalades +escalading +escalado +escalan +escalate +escalated +escalates +escalating +escalation +escalations +escalator +escalatory +escalators +escalier +escalin +escallonia +escalloniaceae +escalloniaceous +escallop +escalloped +escalloping +escallops +escalop +escalope +escaloped +escaloping +escalops +escambio +escambron +escamotage +escamoteur +escandalize +escapable +escapade +escapades +escapado +escapage +escape +escaped +escapee +escapees +escapeful +escapeless +escapement +escapements +escaper +escapers +escapes +escapeway +escaping +escapingly +escapism +escapisms +escapist +escapists +escapology +escapologist +escar +escarbuncle +escargatoire +escargot +escargotieres +escargots +escarmouche +escarole +escaroles +escarp +escarped +escarping +escarpment +escarpments +escarps +escars +escarteled +escartelly +eschalot +eschalots +eschar +eschara +escharine +escharoid +escharotic +eschars +eschatocol +eschatology +eschatological +eschatologically +eschatologist +eschaufe +eschaunge +escheat +escheatable +escheatage +escheated +escheating +escheatment +escheator +escheatorship +escheats +eschel +eschele +escherichia +escheve +eschevin +eschew +eschewal +eschewals +eschewance +eschewed +eschewer +eschewers +eschewing +eschews +eschynite +eschoppe +eschrufe +eschscholtzia +esclandre +esclavage +escoba +escobadura +escobedo +escobilla +escobita +escocheon +escolar +escolars +esconson +escopet +escopeta +escopette +escorial +escort +escortage +escorted +escortee +escorting +escortment +escorts +escot +escoted +escoting +escots +escout +escry +escribano +escribe +escribed +escribiente +escribientes +escribing +escrime +escript +escritoire +escritoires +escritorial +escrod +escrol +escroll +escropulo +escrow +escrowed +escrowee +escrowing +escrows +escruage +escuage +escuages +escudero +escudo +escudos +escuela +esculapian +esculent +esculents +esculetin +esculic +esculin +escurialize +escutcheon +escutcheoned +escutcheons +escutellate +esd +esdragol +esdras +ese +esebrias +esemplasy +esemplastic +eseptate +esere +eserin +eserine +eserines +eses +esexual +esguard +eshin +esiphonal +eskar +eskars +esker +eskers +eskimauan +eskimo +eskimoes +eskimoic +eskimoid +eskimoized +eskimos +eskualdun +eskuara +eslabon +eslisor +esloign +esmayle +esmeralda +esmeraldan +esmeraldite +esne +esnecy +esoanhydride +esocataphoria +esocyclic +esocidae +esociform +esodic +esoenteritis +esoethmoiditis +esogastritis +esonarthex +esoneural +esopgi +esophagal +esophagalgia +esophageal +esophagean +esophagectasia +esophagectomy +esophagi +esophagism +esophagismus +esophagitis +esophago +esophagocele +esophagodynia +esophagogastroscopy +esophagogastrostomy +esophagomalacia +esophagometer +esophagomycosis +esophagopathy +esophagoplasty +esophagoplegia +esophagoplication +esophagoptosis +esophagorrhagia +esophagoscope +esophagoscopy +esophagospasm +esophagostenosis +esophagostomy +esophagotome +esophagotomy +esophagus +esophoria +esophoric +esopus +esotery +esoteric +esoterica +esoterical +esoterically +esotericism +esotericist +esoterics +esoterism +esoterist +esoterize +esothyropexy +esotrope +esotropia +esotropic +esox +esp +espace +espacement +espada +espadon +espadrille +espadrilles +espagnole +espagnolette +espalier +espaliered +espaliering +espaliers +espanol +espanoles +espantoon +esparcet +esparsette +esparto +espartos +espathate +espave +espavel +espec +espece +especial +especially +especialness +espeire +esperance +esperantic +esperantidist +esperantido +esperantism +esperantist +esperanto +esphresis +espy +espial +espials +espichellite +espied +espiegle +espieglerie +espiegleries +espier +espies +espigle +espiglerie +espying +espinal +espinel +espinette +espingole +espinillo +espino +espinos +espionage +espiritual +esplanade +esplanades +esplees +esponton +espontoon +espousage +espousal +espousals +espouse +espoused +espousement +espouser +espousers +espouses +espousing +espressivo +espresso +espressos +espriella +espringal +esprise +esprit +esprits +esprove +espundia +esq +esquamate +esquamulose +esquiline +esquimau +esquire +esquirearchy +esquired +esquiredom +esquires +esquireship +esquiring +esquisse +esrog +esrogim +esrogs +ess +essay +essayed +essayer +essayers +essayette +essayical +essaying +essayish +essayism +essayist +essayistic +essayistical +essayists +essaylet +essays +essancia +essancias +essang +essart +esse +essed +esseda +essede +essedones +essee +esselen +esselenian +essence +essenced +essences +essency +essencing +essene +essenhout +essenian +essenianism +essenic +essenical +essenis +essenism +essenize +essentia +essential +essentialism +essentialist +essentiality +essentialities +essentialization +essentialize +essentialized +essentializing +essentially +essentialness +essentials +essentiate +essenwood +essera +esses +essex +essexite +essie +essive +essling +essoign +essoin +essoined +essoinee +essoiner +essoining +essoinment +essoins +essonite +essonites +essorant +est +estab +estable +establish +establishable +established +establisher +establishes +establishing +establishment +establishmentarian +establishmentarianism +establishmentism +establishments +establismentarian +establismentarianism +estacade +estadal +estadel +estadio +estado +estafa +estafet +estafette +estafetted +estall +estamene +estamin +estaminet +estaminets +estamp +estampage +estampede +estampedero +estampie +estancia +estancias +estanciero +estancieros +estang +estantion +estate +estated +estately +estates +estatesman +estatesmen +estating +estats +esteem +esteemable +esteemed +esteemer +esteeming +esteems +estella +estensible +ester +esterase +esterases +esterellite +esteriferous +esterify +esterifiable +esterification +esterified +esterifies +esterifying +esterization +esterize +esterizing +esterlin +esterling +esteros +esters +estevin +esth +esthacyte +esthematology +esther +estheria +estherian +estheriidae +estheses +esthesia +esthesias +esthesio +esthesioblast +esthesiogen +esthesiogeny +esthesiogenic +esthesiography +esthesiology +esthesiometer +esthesiometry +esthesiometric +esthesioneurosis +esthesiophysiology +esthesis +esthesises +esthete +esthetes +esthetic +esthetical +esthetically +esthetician +estheticism +esthetics +esthetology +esthetophore +esthiomene +esthiomenus +estimable +estimableness +estimably +estimate +estimated +estimates +estimating +estimatingly +estimation +estimations +estimative +estimator +estimators +estipulate +estivage +estival +estivate +estivated +estivates +estivating +estivation +estivator +estive +estmark +estoc +estocada +estocs +estoil +estoile +estolide +estonia +estonian +estonians +estop +estoppage +estoppal +estopped +estoppel +estoppels +estopping +estops +estoque +estotiland +estovers +estrada +estradas +estrade +estradiol +estradiot +estrado +estragol +estragole +estragon +estragons +estray +estrayed +estraying +estrays +estral +estramazone +estrange +estranged +estrangedness +estrangelo +estrangement +estrangements +estranger +estranges +estranging +estrangle +estrapade +estre +estreat +estreated +estreating +estreats +estrepe +estrepement +estriate +estrich +estriche +estrif +estrildine +estrin +estrins +estriol +estriols +estrogen +estrogenic +estrogenically +estrogenicity +estrogens +estrone +estrones +estrous +estrual +estruate +estruation +estrum +estrums +estrus +estruses +estuant +estuary +estuarial +estuarian +estuaries +estuarine +estuate +estudy +estufa +estuosity +estuous +esture +estus +esu +esugarization +esurience +esuriency +esurient +esuriently +esurine +et +eta +etaballi +etabelli +etacism +etacist +etaerio +etagere +etageres +etagre +etalage +etalon +etamin +etamine +etamines +etamins +etang +etape +etapes +etas +etatism +etatisme +etatisms +etatist +etc +etcetera +etceteras +etch +etchant +etchareottine +etched +etcher +etchers +etches +etchimin +etching +etchings +eten +eteocles +eteoclus +eteocretes +eteocreton +eteostic +eterminable +eternal +eternalise +eternalised +eternalising +eternalism +eternalist +eternality +eternalization +eternalize +eternalized +eternalizing +eternally +eternalness +eternals +eterne +eternisation +eternise +eternised +eternises +eternish +eternising +eternity +eternities +eternization +eternize +eternized +eternizes +eternizing +etesian +etesians +eth +ethal +ethaldehyde +ethambutol +ethan +ethanal +ethanamide +ethane +ethanedial +ethanediol +ethanedithiol +ethanes +ethanethial +ethanethiol +ethanim +ethanoyl +ethanol +ethanolamine +ethanolysis +ethanols +ethchlorvynol +ethel +etheling +ethene +etheneldeli +ethenes +ethenic +ethenyl +ethenoid +ethenoidal +ethenol +etheostoma +etheostomidae +etheostominae +etheostomoid +ether +etherate +ethereal +etherealisation +etherealise +etherealised +etherealising +etherealism +ethereality +etherealization +etherealize +etherealized +etherealizing +ethereally +etherealness +etherean +ethered +etherene +ethereous +etheria +etherial +etherialisation +etherialise +etherialised +etherialising +etherialism +etherialization +etherialize +etherialized +etherializing +etherially +etheric +etherical +etherify +etherification +etherified +etherifies +etherifying +etheriform +etheriidae +etherin +etherion +etherish +etherism +etherization +etherize +etherized +etherizer +etherizes +etherizing +etherlike +ethernet +ethernets +etherol +etherolate +etherous +ethers +ethic +ethical +ethicalism +ethicality +ethicalities +ethically +ethicalness +ethicals +ethician +ethicians +ethicism +ethicist +ethicists +ethicize +ethicized +ethicizes +ethicizing +ethicoaesthetic +ethicophysical +ethicopolitical +ethicoreligious +ethicosocial +ethics +ethid +ethide +ethidene +ethyl +ethylamide +ethylamime +ethylamin +ethylamine +ethylate +ethylated +ethylates +ethylating +ethylation +ethylbenzene +ethyldichloroarsine +ethylenation +ethylene +ethylenediamine +ethylenes +ethylenic +ethylenically +ethylenimine +ethylenoid +ethylhydrocupreine +ethylic +ethylidene +ethylidyne +ethylin +ethylmorphine +ethyls +ethylsulphuric +ethylthioethane +ethylthioether +ethinamate +ethine +ethyne +ethynes +ethinyl +ethynyl +ethynylation +ethinyls +ethynyls +ethiodide +ethion +ethionamide +ethionic +ethionine +ethions +ethiop +ethiopia +ethiopian +ethiopians +ethiopic +ethiops +ethysulphuric +ethize +ethmyphitis +ethmofrontal +ethmoid +ethmoidal +ethmoiditis +ethmoids +ethmolachrymal +ethmolith +ethmomaxillary +ethmonasal +ethmopalatal +ethmopalatine +ethmophysal +ethmopresphenoidal +ethmose +ethmosphenoid +ethmosphenoidal +ethmoturbinal +ethmoturbinate +ethmovomer +ethmovomerine +ethnal +ethnarch +ethnarchy +ethnarchies +ethnarchs +ethnic +ethnical +ethnically +ethnicism +ethnicist +ethnicity +ethnicize +ethnicon +ethnics +ethnish +ethnize +ethnobiology +ethnobiological +ethnobotany +ethnobotanic +ethnobotanical +ethnobotanist +ethnocentric +ethnocentrically +ethnocentricity +ethnocentrism +ethnocracy +ethnodicy +ethnoflora +ethnog +ethnogeny +ethnogenic +ethnogenies +ethnogenist +ethnogeographer +ethnogeography +ethnogeographic +ethnogeographical +ethnogeographically +ethnographer +ethnography +ethnographic +ethnographical +ethnographically +ethnographies +ethnographist +ethnohistory +ethnohistorian +ethnohistoric +ethnohistorical +ethnohistorically +ethnol +ethnolinguist +ethnolinguistic +ethnolinguistics +ethnologer +ethnology +ethnologic +ethnological +ethnologically +ethnologist +ethnologists +ethnomaniac +ethnomanic +ethnomusicology +ethnomusicological +ethnomusicologically +ethnomusicologist +ethnopsychic +ethnopsychology +ethnopsychological +ethnos +ethnoses +ethnotechnics +ethnotechnography +ethnozoology +ethnozoological +ethography +etholide +ethology +ethologic +ethological +ethologically +ethologies +ethologist +ethologists +ethonomic +ethonomics +ethonone +ethopoeia +ethopoetic +ethos +ethoses +ethoxy +ethoxycaffeine +ethoxide +ethoxyethane +ethoxyl +ethoxyls +ethrog +ethrogim +ethrogs +eths +ety +etiam +etym +etyma +etymic +etymography +etymol +etymologer +etymology +etymologic +etymological +etymologically +etymologicon +etymologies +etymologisable +etymologise +etymologised +etymologising +etymologist +etymologists +etymologizable +etymologization +etymologize +etymologized +etymologizing +etymon +etymonic +etymons +etiogenic +etiolate +etiolated +etiolates +etiolating +etiolation +etiolin +etiolize +etiology +etiologic +etiological +etiologically +etiologies +etiologist +etiologue +etiophyllin +etioporphyrin +etiotropic +etiotropically +etypic +etypical +etypically +etiquet +etiquette +etiquettes +etiquettical +etna +etnas +etnean +etoffe +etoile +etoiles +eton +etonian +etouffe +etourderie +etrenne +etrier +etrog +etrogim +etrogs +etruria +etrurian +etruscan +etruscans +etruscology +etruscologist +etta +ettarre +ettercap +ettirone +ettle +ettled +ettling +etua +etude +etudes +etui +etuis +etuve +etuvee +etwas +etwee +etwees +etwite +eu +euahlayi +euangiotic +euascomycetes +euaster +eubacteria +eubacteriales +eubacterium +eubasidii +euboean +euboic +eubranchipus +eubteria +eucaine +eucaines +eucairite +eucalyn +eucalypt +eucalypteol +eucalypti +eucalyptian +eucalyptic +eucalyptography +eucalyptol +eucalyptole +eucalypts +eucalyptus +eucalyptuses +eucarida +eucaryote +eucaryotic +eucarpic +eucarpous +eucatropine +eucephalous +eucgia +eucharis +eucharises +eucharist +eucharistial +eucharistic +eucharistical +eucharistically +eucharistize +eucharistized +eucharistizing +eucharists +eucharitidae +euchymous +euchysiderite +euchite +euchlaena +euchlorhydria +euchloric +euchlorine +euchlorite +euchlorophyceae +euchology +euchologia +euchological +euchologies +euchologion +euchorda +euchre +euchred +euchres +euchring +euchroic +euchroite +euchromatic +euchromatin +euchrome +euchromosome +euchrone +eucyclic +euciliate +eucirripedia +euclase +euclases +euclea +eucleid +eucleidae +euclid +euclidean +euclideanism +euclidian +eucnemidae +eucolite +eucommia +eucommiaceae +eucone +euconic +euconjugatae +eucopepoda +eucosia +eucosmid +eucosmidae +eucrasy +eucrasia +eucrasite +eucre +eucryphia +eucryphiaceae +eucryphiaceous +eucryptite +eucrystalline +eucrite +eucrites +eucritic +eucti +euctical +euda +eudaemon +eudaemony +eudaemonia +eudaemonic +eudaemonical +eudaemonics +eudaemonism +eudaemonist +eudaemonistic +eudaemonistical +eudaemonistically +eudaemonize +eudaemons +eudaimonia +eudaimonism +eudaimonist +eudalene +eudemian +eudemon +eudemony +eudemonia +eudemonic +eudemonics +eudemonism +eudemonist +eudemonistic +eudemonistical +eudemonistically +eudemons +eudendrium +eudesmol +eudeve +eudiagnostic +eudialyte +eudiaphoresis +eudidymite +eudiometer +eudiometry +eudiometric +eudiometrical +eudiometrically +eudipleural +eudyptes +eudist +eudora +eudorina +eudoxian +eudromias +euectic +euemerism +euergetes +euflavine +euge +eugene +eugenesic +eugenesis +eugenetic +eugeny +eugenia +eugenic +eugenical +eugenically +eugenicist +eugenicists +eugenics +eugenie +eugenism +eugenist +eugenists +eugenol +eugenolate +eugenols +eugeosynclinal +eugeosyncline +euglandina +euglena +euglenaceae +euglenales +euglenas +euglenida +euglenidae +euglenineae +euglenoid +euglenoidina +euglobulin +eugonic +eugranitic +eugregarinida +eugubine +eugubium +euhages +euharmonic +euhedral +euhemerise +euhemerised +euhemerising +euhemerism +euhemerist +euhemeristic +euhemeristically +euhemerize +euhemerized +euhemerizing +euhyostyly +euhyostylic +eukairite +eukaryote +euktolite +eulachan +eulachans +eulachon +eulachons +eulalia +eulamellibranch +eulamellibranchia +eulamellibranchiata +eulamellibranchiate +euler +eulerian +eulima +eulimidae +eulysite +eulytin +eulytine +eulytite +eulogy +eulogia +eulogiae +eulogias +eulogic +eulogical +eulogically +eulogies +eulogious +eulogisation +eulogise +eulogised +eulogiser +eulogises +eulogising +eulogism +eulogist +eulogistic +eulogistical +eulogistically +eulogists +eulogium +eulogiums +eulogization +eulogize +eulogized +eulogizer +eulogizers +eulogizes +eulogizing +eulophid +eumelanin +eumemorrhea +eumenes +eumenid +eumenidae +eumenidean +eumenides +eumenorrhea +eumerism +eumeristic +eumerogenesis +eumerogenetic +eumeromorph +eumeromorphic +eumycete +eumycetes +eumycetic +eumitosis +eumitotic +eumoiriety +eumoirous +eumolpides +eumolpique +eumolpus +eumorphic +eumorphous +eundem +eunectes +eunice +eunicid +eunicidae +eunomy +eunomia +eunomian +eunomianism +eunuch +eunuchal +eunuchise +eunuchised +eunuchising +eunuchism +eunuchize +eunuchized +eunuchizing +eunuchoid +eunuchoidism +eunuchry +eunuchs +euodic +euomphalid +euomphalus +euonym +euonymy +euonymin +euonymous +euonymus +euonymuses +euornithes +euornithic +euorthoptera +euosmite +euouae +eupad +eupanorthidae +eupanorthus +eupathy +eupatory +eupatoriaceous +eupatorin +eupatorine +eupatorium +eupatrid +eupatridae +eupatrids +eupepsy +eupepsia +eupepsias +eupepsies +eupeptic +eupeptically +eupepticism +eupepticity +euphausia +euphausiacea +euphausid +euphausiid +euphausiidae +euphemy +euphemia +euphemian +euphemious +euphemiously +euphemisation +euphemise +euphemised +euphemiser +euphemising +euphemism +euphemisms +euphemist +euphemistic +euphemistical +euphemistically +euphemization +euphemize +euphemized +euphemizer +euphemizing +euphemous +euphenic +euphenics +euphyllite +euphyllopoda +euphon +euphone +euphonetic +euphonetics +euphony +euphonia +euphoniad +euphonic +euphonical +euphonically +euphonicalness +euphonies +euphonym +euphonious +euphoniously +euphoniousness +euphonise +euphonised +euphonising +euphonism +euphonium +euphonize +euphonized +euphonizing +euphonon +euphonous +euphorbia +euphorbiaceae +euphorbiaceous +euphorbial +euphorbine +euphorbium +euphory +euphoria +euphoriant +euphorias +euphoric +euphorically +euphotic +euphotide +euphrasy +euphrasia +euphrasies +euphratean +euphrates +euphroe +euphroes +euphrosyne +euphues +euphuism +euphuisms +euphuist +euphuistic +euphuistical +euphuistically +euphuists +euphuize +euphuized +euphuizing +eupion +eupione +eupyrchroite +eupyrene +eupyrion +eupittone +eupittonic +euplastic +euplectella +euplexoptera +euplocomi +euploeinae +euploid +euploidy +euploidies +euploids +euplotid +eupnea +eupneas +eupneic +eupnoea +eupnoeas +eupnoeic +eupolidean +eupolyzoa +eupolyzoan +eupomatia +eupomatiaceae +eupotamic +eupractic +eupraxia +euprepia +euproctis +eupsychics +euptelea +eupterotidae +eurafric +eurafrican +euraquilo +eurasia +eurasian +eurasianism +eurasians +eurasiatic +eure +eureka +eurhythmy +eurhythmic +eurhythmical +eurhythmics +eurhodine +eurhodol +euryalae +euryale +euryaleae +euryalean +euryalida +euryalidan +euryalus +eurybathic +eurybenthic +eurycephalic +eurycephalous +eurycerotidae +eurycerous +eurychoric +euryclea +eurydice +eurygaea +eurygaean +eurygnathic +eurygnathism +eurygnathous +euryhaline +eurylaimi +eurylaimidae +eurylaimoid +eurylaimus +eurymus +eurindic +euryon +eurypelma +euryphage +euryphagous +eurypharyngidae +eurypharynx +euripi +euripidean +euripides +eurypyga +eurypygae +eurypygidae +eurypylous +euripos +euryprognathous +euryprosopic +eurypterid +eurypterida +eurypteroid +eurypteroidea +eurypterus +euripupi +euripus +euryscope +eurystheus +eurystomatous +eurite +euryte +eurytherm +eurythermal +eurythermic +eurithermophile +eurithermophilic +eurythermous +eurythmy +eurythmic +eurythmical +eurythmics +eurythmies +eurytomid +eurytomidae +eurytopic +eurytopicity +eurytropic +eurytus +euryzygous +euro +euroaquilo +eurobin +eurocentric +euroclydon +eurodollar +eurodollars +europa +europasian +europe +european +europeanism +europeanization +europeanize +europeanly +europeans +europeward +europhium +europium +europiums +europocentric +euros +eurous +eurus +euscaro +eusebian +euselachii +eusynchite +euskaldun +euskara +euskarian +euskaric +euskera +eusol +euspongia +eusporangiate +eustace +eustachian +eustachium +eustacy +eustacies +eustathian +eustatic +eustatically +eustele +eusteles +eusthenopteron +eustyle +eustomatous +eusuchia +eusuchian +eutaenia +eutannin +eutaxy +eutaxic +eutaxie +eutaxies +eutaxite +eutaxitic +eutechnic +eutechnics +eutectic +eutectics +eutectoid +eutelegenic +euterpe +euterpean +eutexia +euthamia +euthanasy +euthanasia +euthanasic +euthanatize +euthenasia +euthenic +euthenics +euthenist +eutheria +eutherian +euthermic +euthycomi +euthycomic +euthymy +euthyneura +euthyneural +euthyneurous +euthyroid +euthytatic +euthytropic +eutychian +eutychianism +eutocia +eutomous +eutony +eutopia +eutopian +eutrophy +eutrophic +eutrophication +eutrophies +eutropic +eutropous +euvrou +euxanthate +euxanthic +euxanthin +euxanthone +euxenite +euxenites +euxine +eva +evacuant +evacuants +evacuate +evacuated +evacuates +evacuating +evacuation +evacuations +evacuative +evacuator +evacuators +evacue +evacuee +evacuees +evadable +evade +evaded +evader +evaders +evades +evadible +evading +evadingly +evadne +evagation +evaginable +evaginate +evaginated +evaginating +evagination +eval +evaluable +evaluate +evaluated +evaluates +evaluating +evaluation +evaluations +evaluative +evaluator +evaluators +evalue +evan +evanesce +evanesced +evanescence +evanescency +evanescenrly +evanescent +evanescently +evanesces +evanescible +evanescing +evang +evangel +evangelary +evangely +evangelian +evangeliary +evangeliaries +evangeliarium +evangelic +evangelical +evangelicalism +evangelicality +evangelically +evangelicalness +evangelicals +evangelican +evangelicism +evangelicity +evangeline +evangelion +evangelisation +evangelise +evangelised +evangeliser +evangelising +evangelism +evangelist +evangelistary +evangelistaries +evangelistarion +evangelistarium +evangelistic +evangelistically +evangelistics +evangelists +evangelistship +evangelium +evangelization +evangelize +evangelized +evangelizer +evangelizes +evangelizing +evangels +evanid +evaniidae +evanish +evanished +evanishes +evanishing +evanishment +evanition +evans +evansite +evap +evaporability +evaporable +evaporate +evaporated +evaporates +evaporating +evaporation +evaporations +evaporative +evaporatively +evaporativity +evaporator +evaporators +evaporimeter +evaporite +evaporitic +evaporize +evaporometer +evapotranspiration +evase +evasible +evasion +evasional +evasions +evasive +evasively +evasiveness +eve +evea +evechurr +eveck +evectant +evected +evectic +evection +evectional +evections +evector +evehood +evejar +eveless +evelight +evelyn +evelina +eveline +evelong +even +evenblush +evendown +evene +evened +evener +eveners +evenest +evenfall +evenfalls +evenforth +evenglome +evenglow +evenhand +evenhanded +evenhandedly +evenhandedness +evenhead +evening +evenings +evenly +evenlight +evenlong +evenmete +evenminded +evenmindedness +evenness +evennesses +evenoo +evens +evensong +evensongs +event +eventail +eventerate +eventful +eventfully +eventfulness +eventide +eventides +eventilate +eventime +eventless +eventlessly +eventlessness +eventognath +eventognathi +eventognathous +eventration +events +eventual +eventuality +eventualities +eventualize +eventually +eventuate +eventuated +eventuates +eventuating +eventuation +eventuations +evenwise +evenworthy +eveque +ever +everard +everbearer +everbearing +everbloomer +everblooming +everduring +everest +everett +everglade +everglades +evergreen +evergreenery +evergreenite +evergreens +every +everybody +everich +everyday +everydayness +everydeal +everyhow +everylike +everyman +everymen +everyness +everyone +everyplace +everything +everyway +everywhen +everywhence +everywhere +everywhereness +everywheres +everywhither +everywoman +everlasting +everlastingly +everlastingness +everly +everliving +evermo +evermore +everness +evernia +evernioid +everse +eversible +eversion +eversions +eversive +eversporting +evert +evertebral +evertebrata +evertebrate +everted +evertile +everting +evertor +evertors +everts +everwhich +everwho +eves +evese +evestar +evetide +eveweed +evg +evibrate +evicke +evict +evicted +evictee +evictees +evicting +eviction +evictions +evictor +evictors +evicts +evidence +evidenced +evidences +evidencing +evidencive +evident +evidential +evidentially +evidentiary +evidently +evidentness +evigilation +evil +evildoer +evildoers +evildoing +eviler +evilest +evilhearted +eviller +evillest +evilly +evilmouthed +evilness +evilnesses +evilproof +evils +evilsayer +evilspeaker +evilspeaking +evilwishing +evince +evinced +evincement +evinces +evincible +evincibly +evincing +evincingly +evincive +evirate +eviration +evirato +evirtuate +eviscerate +eviscerated +eviscerates +eviscerating +evisceration +eviscerations +eviscerator +evisite +evitable +evitate +evitation +evite +evited +eviternal +evites +eviting +evittate +evocable +evocate +evocated +evocating +evocation +evocations +evocative +evocatively +evocativeness +evocator +evocatory +evocators +evocatrix +evodia +evoe +evoke +evoked +evoker +evokers +evokes +evoking +evolate +evolute +evolutes +evolutility +evolution +evolutional +evolutionally +evolutionary +evolutionarily +evolutionism +evolutionist +evolutionistic +evolutionistically +evolutionists +evolutionize +evolutions +evolutive +evolutoid +evolvable +evolve +evolved +evolvement +evolvements +evolvent +evolver +evolvers +evolves +evolving +evolvulus +evomit +evonymus +evonymuses +evovae +evulgate +evulgation +evulge +evulse +evulsion +evulsions +evviva +evzone +evzones +ew +ewder +ewe +ewelease +ewer +ewerer +ewery +eweries +ewers +ewes +ewest +ewhow +ewing +ewound +ewry +ewte +ex +exacerbate +exacerbated +exacerbates +exacerbating +exacerbatingly +exacerbation +exacerbations +exacerbescence +exacerbescent +exacervation +exacinate +exact +exacta +exactable +exactas +exacted +exacter +exacters +exactest +exacting +exactingly +exactingness +exaction +exactions +exactitude +exactive +exactiveness +exactly +exactment +exactness +exactor +exactors +exactress +exacts +exactus +exacuate +exacum +exadverso +exadversum +exaestuate +exaggerate +exaggerated +exaggeratedly +exaggeratedness +exaggerates +exaggerating +exaggeratingly +exaggeration +exaggerations +exaggerative +exaggeratively +exaggerativeness +exaggerator +exaggeratory +exaggerators +exagitate +exagitation +exairesis +exalate +exalbuminose +exalbuminous +exallotriote +exalt +exaltate +exaltation +exaltations +exaltative +exalte +exalted +exaltedly +exaltedness +exaltee +exalter +exalters +exalting +exaltment +exalts +exam +examen +examens +exameter +examinability +examinable +examinant +examinate +examination +examinational +examinationism +examinationist +examinations +examinative +examinator +examinatory +examinatorial +examine +examined +examinee +examinees +examiner +examiners +examinership +examines +examining +examiningly +examplar +example +exampled +exampleless +examples +exampleship +exampless +exampling +exams +exanguin +exanimate +exanimation +exannulate +exanthalose +exanthem +exanthema +exanthemas +exanthemata +exanthematic +exanthematous +exanthems +exanthine +exantlate +exantlation +exappendiculate +exarate +exaration +exarch +exarchal +exarchate +exarchateship +exarchy +exarchic +exarchies +exarchist +exarchs +exareolate +exarillate +exaristate +exarteritis +exarticulate +exarticulation +exasper +exasperate +exasperated +exasperatedly +exasperater +exasperates +exasperating +exasperatingly +exasperation +exasperative +exaspidean +exauctorate +exaudi +exaugurate +exauguration +exaun +exauthorate +exauthorize +exauthorizeexc +excalate +excalation +excalcarate +excalceate +excalceation +excalfaction +excalibur +excamb +excamber +excambion +excandescence +excandescency +excandescent +excantation +excardination +excarnate +excarnation +excarnificate +excathedral +excaudate +excavate +excavated +excavates +excavating +excavation +excavational +excavationist +excavations +excavator +excavatory +excavatorial +excavators +excave +excecate +excecation +excedent +exceed +exceedable +exceeded +exceeder +exceeders +exceeding +exceedingly +exceedingness +exceeds +excel +excelente +excelled +excellence +excellences +excellency +excellencies +excellent +excellently +excelling +excels +excelse +excelsin +excelsior +excelsitude +excentral +excentric +excentrical +excentricity +excepable +except +exceptant +excepted +excepter +excepting +exceptio +exception +exceptionability +exceptionable +exceptionableness +exceptionably +exceptional +exceptionality +exceptionally +exceptionalness +exceptionary +exceptioner +exceptionless +exceptions +exceptious +exceptiousness +exceptive +exceptively +exceptiveness +exceptless +exceptor +excepts +excercise +excerebrate +excerebration +excern +excerp +excerpt +excerpta +excerpted +excerpter +excerptible +excerpting +excerption +excerptive +excerptor +excerpts +excess +excesses +excessive +excessively +excessiveness +excessman +excessmen +exch +exchange +exchangeability +exchangeable +exchangeably +exchanged +exchangee +exchanger +exchanges +exchanging +exchangite +excheat +exchequer +exchequers +excide +excided +excides +exciding +excipient +exciple +exciples +excipula +excipulaceae +excipular +excipule +excipuliform +excipulum +excircle +excisable +excise +excised +exciseman +excisemanship +excisemen +excises +excising +excision +excisions +excisor +excyst +excystation +excysted +excystment +excitability +excitabilities +excitable +excitableness +excitably +excitancy +excitant +excitants +excitate +excitation +excitations +excitative +excitator +excitatory +excite +excited +excitedly +excitedness +excitement +excitements +exciter +exciters +excites +exciting +excitingly +excitive +excitoglandular +excitometabolic +excitomotion +excitomotor +excitomotory +excitomuscular +exciton +excitonic +excitons +excitonutrient +excitor +excitory +excitors +excitosecretory +excitovascular +excitron +excl +exclaim +exclaimed +exclaimer +exclaimers +exclaiming +exclaimingly +exclaims +exclam +exclamation +exclamational +exclamations +exclamative +exclamatively +exclamatory +exclamatorily +exclaustration +exclave +exclaves +exclosure +excludability +excludable +exclude +excluded +excluder +excluders +excludes +excludible +excluding +excludingly +exclusion +exclusionary +exclusioner +exclusionism +exclusionist +exclusions +exclusive +exclusively +exclusiveness +exclusivism +exclusivist +exclusivistic +exclusivity +exclusory +excoct +excoction +excoecaria +excogitable +excogitate +excogitated +excogitates +excogitating +excogitation +excogitative +excogitator +excommenge +excommune +excommunicable +excommunicant +excommunicate +excommunicated +excommunicates +excommunicating +excommunication +excommunications +excommunicative +excommunicator +excommunicatory +excommunicators +excommunion +exconjugant +excoriable +excoriate +excoriated +excoriates +excoriating +excoriation +excoriations +excoriator +excorticate +excorticated +excorticating +excortication +excreation +excrement +excremental +excrementally +excrementary +excrementitial +excrementitious +excrementitiously +excrementitiousness +excrementive +excrementize +excrementous +excrements +excresce +excrescence +excrescences +excrescency +excrescencies +excrescent +excrescential +excrescently +excresence +excression +excreta +excretal +excrete +excreted +excreter +excreters +excretes +excreting +excretion +excretionary +excretions +excretitious +excretive +excretolic +excretory +excriminate +excruciable +excruciate +excruciated +excruciating +excruciatingly +excruciatingness +excruciation +excruciator +excubant +excubitoria +excubitorium +excubittoria +excud +excudate +excuderunt +excudit +exculpable +exculpate +exculpated +exculpates +exculpating +exculpation +exculpations +exculpative +exculpatory +exculpatorily +excur +excurrent +excurse +excursed +excursing +excursion +excursional +excursionary +excursioner +excursionism +excursionist +excursionists +excursionize +excursions +excursive +excursively +excursiveness +excursory +excursus +excursuses +excurvate +excurvated +excurvation +excurvature +excurved +excusability +excusable +excusableness +excusably +excusal +excusation +excusative +excusator +excusatory +excuse +excused +excuseful +excusefully +excuseless +excuser +excusers +excuses +excusing +excusingly +excusive +excusively +excuss +excussed +excussing +excussio +excussion +exdelicto +exdie +exdividend +exeat +exec +execeptional +execrable +execrableness +execrably +execrate +execrated +execrates +execrating +execration +execrations +execrative +execratively +execrator +execratory +execrators +execs +exect +executable +executancy +executant +execute +executed +executer +executers +executes +executing +execution +executional +executioneering +executioner +executioneress +executioners +executionist +executions +executive +executively +executiveness +executives +executiveship +executonis +executor +executory +executorial +executors +executorship +executress +executry +executrices +executrix +executrixes +executrixship +exede +exedent +exedra +exedrae +exedral +exegeses +exegesis +exegesist +exegete +exegetes +exegetic +exegetical +exegetically +exegetics +exegetist +exembryonate +exempla +exemplar +exemplary +exemplaric +exemplarily +exemplariness +exemplarism +exemplarity +exemplars +exempli +exemplify +exemplifiable +exemplification +exemplificational +exemplifications +exemplificative +exemplificator +exemplified +exemplifier +exemplifiers +exemplifies +exemplifying +exemplum +exemplupla +exempt +exempted +exemptible +exemptile +exempting +exemption +exemptionist +exemptions +exemptive +exempts +exencephalia +exencephalic +exencephalous +exencephalus +exendospermic +exendospermous +exenterate +exenterated +exenterating +exenteration +exenteritis +exequatur +exequy +exequial +exequies +exerce +exercent +exercisable +exercise +exercised +exerciser +exercisers +exercises +exercising +exercitant +exercitation +exercite +exercitor +exercitorial +exercitorian +exeresis +exergonic +exergual +exergue +exergues +exert +exerted +exerting +exertion +exertionless +exertions +exertive +exerts +exes +exesion +exestuate +exeunt +exfetation +exfiguration +exfigure +exfiltrate +exfiltration +exflagellate +exflagellation +exflect +exfodiate +exfodiation +exfoliate +exfoliated +exfoliating +exfoliation +exfoliative +exfoliatory +exgorgitation +exhalable +exhalant +exhalants +exhalate +exhalation +exhalations +exhalatory +exhale +exhaled +exhalent +exhalents +exhales +exhaling +exhance +exhaust +exhaustable +exhausted +exhaustedly +exhaustedness +exhauster +exhaustibility +exhaustible +exhausting +exhaustingly +exhaustion +exhaustive +exhaustively +exhaustiveness +exhaustivity +exhaustless +exhaustlessly +exhaustlessness +exhausts +exhbn +exhedra +exhedrae +exheredate +exheredation +exhibit +exhibitable +exhibitant +exhibited +exhibiter +exhibiters +exhibiting +exhibition +exhibitional +exhibitioner +exhibitionism +exhibitionist +exhibitionistic +exhibitionists +exhibitionize +exhibitions +exhibitive +exhibitively +exhibitor +exhibitory +exhibitorial +exhibitors +exhibitorship +exhibits +exhilarant +exhilarate +exhilarated +exhilarates +exhilarating +exhilaratingly +exhilaration +exhilarative +exhilarator +exhilaratory +exhort +exhortation +exhortations +exhortative +exhortatively +exhortator +exhortatory +exhorted +exhorter +exhorters +exhorting +exhortingly +exhorts +exhumate +exhumated +exhumating +exhumation +exhumations +exhumator +exhumatory +exhume +exhumed +exhumer +exhumers +exhumes +exhuming +exhusband +exibilate +exies +exigeant +exigeante +exigence +exigences +exigency +exigencies +exigent +exigenter +exigently +exigible +exiguity +exiguities +exiguous +exiguously +exiguousness +exilable +exilarch +exilarchate +exile +exiled +exiledom +exilement +exiler +exiles +exilian +exilic +exiling +exility +exilition +eximidus +eximious +eximiously +eximiousness +exinanite +exinanition +exindusiate +exine +exines +exing +exinguinal +exinite +exintine +exion +exist +existability +existant +existed +existence +existences +existent +existential +existentialism +existentialist +existentialistic +existentialistically +existentialists +existentialize +existentially +existently +existents +exister +existibility +existible +existimation +existing +existless +existlessness +exists +exit +exitance +exite +exited +exitial +exiting +exition +exitious +exits +exiture +exitus +exla +exlex +exmeridian +exmoor +exoarteritis +exoascaceae +exoascaceous +exoascales +exoascus +exobasidiaceae +exobasidiales +exobasidium +exobiology +exobiological +exobiologist +exobiologists +exocannibalism +exocardia +exocardiac +exocardial +exocarp +exocarps +exocataphoria +exoccipital +exocentric +exochorda +exochorion +exocyclic +exocyclica +exocycloida +exocytosis +exoclinal +exocline +exocoelar +exocoele +exocoelic +exocoelom +exocoelum +exocoetidae +exocoetus +exocolitis +exocone +exocrine +exocrines +exocrinology +exocrinologies +exoculate +exoculated +exoculating +exoculation +exode +exoderm +exodermal +exodermis +exoderms +exody +exodic +exodist +exodium +exodoi +exodontia +exodontic +exodontics +exodontist +exodos +exodromy +exodromic +exodus +exoduses +exoenzyme +exoenzymic +exoergic +exoerythrocytic +exogamy +exogamic +exogamies +exogamous +exogastric +exogastrically +exogastritis +exogen +exogenae +exogenetic +exogeny +exogenic +exogenism +exogenous +exogenously +exogens +exogyra +exognathion +exognathite +exogonium +exograph +exolemma +exolete +exolution +exolve +exometritis +exomion +exomis +exomologesis +exomorphic +exomorphism +exomphalos +exomphalous +exomphalus +exon +exonarthex +exoner +exonerate +exonerated +exonerates +exonerating +exoneration +exonerations +exonerative +exonerator +exonerators +exoneretur +exoneural +exonian +exonym +exonship +exonuclease +exopathic +exopeptidase +exoperidium +exophagy +exophagous +exophasia +exophasic +exophoria +exophoric +exophthalmia +exophthalmic +exophthalmos +exophthalmus +exoplasm +exopod +exopodite +exopoditic +exopt +exopterygota +exopterygote +exopterygotic +exopterygotism +exopterygotous +exor +exorability +exorable +exorableness +exorate +exorbital +exorbitance +exorbitancy +exorbitant +exorbitantly +exorbitate +exorbitation +exorcisation +exorcise +exorcised +exorcisement +exorciser +exorcisers +exorcises +exorcising +exorcism +exorcismal +exorcisms +exorcisory +exorcist +exorcista +exorcistic +exorcistical +exorcists +exorcization +exorcize +exorcized +exorcizement +exorcizer +exorcizes +exorcizing +exordia +exordial +exordium +exordiums +exordize +exorganic +exorhason +exormia +exornate +exornation +exortion +exosculation +exosepsis +exoskeletal +exoskeleton +exosmic +exosmose +exosmoses +exosmosis +exosmotic +exosperm +exosphere +exospheres +exospheric +exospherical +exosporal +exospore +exospores +exosporium +exosporous +exossate +exosseous +exostema +exostome +exostosed +exostoses +exostosis +exostotic +exostra +exostracism +exostracize +exostrae +exotery +exoteric +exoterica +exoterical +exoterically +exotericism +exoterics +exotheca +exothecal +exothecate +exothecium +exothermal +exothermally +exothermic +exothermically +exothermicity +exothermous +exotic +exotica +exotically +exoticalness +exoticism +exoticist +exoticity +exoticness +exotics +exotism +exotisms +exotospore +exotoxic +exotoxin +exotoxins +exotropia +exotropic +exotropism +exp +expalpate +expand +expandability +expandable +expanded +expandedly +expandedness +expander +expanders +expandibility +expandible +expanding +expandingly +expands +expanse +expanses +expansibility +expansible +expansibleness +expansibly +expansile +expansion +expansional +expansionary +expansionism +expansionist +expansionistic +expansionists +expansions +expansive +expansively +expansiveness +expansivity +expansometer +expansum +expansure +expatiate +expatiated +expatiater +expatiates +expatiating +expatiatingly +expatiation +expatiations +expatiative +expatiator +expatiatory +expatiators +expatriate +expatriated +expatriates +expatriating +expatriation +expatriations +expatriatism +expdt +expect +expectable +expectably +expectance +expectancy +expectancies +expectant +expectantly +expectation +expectations +expectative +expected +expectedly +expectedness +expecter +expecters +expecting +expectingly +expection +expective +expectorant +expectorants +expectorate +expectorated +expectorates +expectorating +expectoration +expectorations +expectorative +expectorator +expectorators +expects +expede +expeded +expediate +expedience +expediences +expediency +expediencies +expedient +expediente +expediential +expedientially +expedientist +expediently +expedients +expediment +expeding +expeditate +expeditated +expeditating +expeditation +expedite +expedited +expeditely +expediteness +expediter +expediters +expedites +expediting +expedition +expeditionary +expeditionist +expeditions +expeditious +expeditiously +expeditiousness +expeditive +expeditor +expel +expellable +expellant +expelled +expellee +expellees +expellent +expeller +expellers +expelling +expels +expend +expendability +expendable +expendables +expended +expender +expenders +expendible +expending +expenditor +expenditrix +expenditure +expenditures +expends +expense +expensed +expenseful +expensefully +expensefulness +expenseless +expenselessness +expenses +expensilation +expensing +expensive +expensively +expensiveness +expenthesis +expergefacient +expergefaction +experience +experienceable +experienced +experienceless +experiencer +experiences +experiencible +experiencing +experient +experiential +experientialism +experientialist +experientialistic +experientially +experiment +experimental +experimentalism +experimentalist +experimentalists +experimentalize +experimentally +experimentarian +experimentation +experimentations +experimentative +experimentator +experimented +experimentee +experimenter +experimenters +experimenting +experimentist +experimentize +experimently +experimentor +experiments +expermentized +experrection +expert +experted +experting +expertise +expertised +expertising +expertism +expertize +expertized +expertizing +expertly +expertness +experts +expertship +expetible +expy +expiable +expiate +expiated +expiates +expiating +expiation +expiational +expiations +expiatist +expiative +expiator +expiatory +expiatoriness +expiators +expilate +expilation +expilator +expirable +expirant +expirate +expiration +expirations +expirator +expiratory +expire +expired +expiree +expirer +expirers +expires +expiry +expiries +expiring +expiringly +expiscate +expiscated +expiscating +expiscation +expiscator +expiscatory +explain +explainability +explainable +explainableness +explained +explainer +explainers +explaining +explainingly +explains +explait +explanate +explanation +explanations +explanative +explanatively +explanator +explanatory +explanatorily +explanatoriness +explanitory +explant +explantation +explanted +explanting +explants +explat +explees +explement +explemental +explementary +explete +expletive +expletively +expletiveness +expletives +expletory +explicability +explicable +explicableness +explicably +explicanda +explicandum +explicans +explicantia +explicate +explicated +explicates +explicating +explication +explications +explicative +explicatively +explicator +explicatory +explicators +explicit +explicitly +explicitness +explicits +explida +explodable +explode +exploded +explodent +exploder +exploders +explodes +exploding +exploit +exploitable +exploitage +exploitation +exploitationist +exploitations +exploitative +exploitatively +exploitatory +exploited +exploitee +exploiter +exploiters +exploiting +exploitive +exploits +exploiture +explorable +explorate +exploration +explorational +explorations +explorative +exploratively +explorativeness +explorator +exploratory +explore +explored +explorement +explorer +explorers +explores +exploring +exploringly +explosibility +explosible +explosimeter +explosion +explosionist +explosions +explosive +explosively +explosiveness +explosives +expo +expoliate +expolish +expone +exponence +exponency +exponent +exponential +exponentially +exponentials +exponentiate +exponentiated +exponentiates +exponentiating +exponentiation +exponentiations +exponention +exponents +exponible +export +exportability +exportable +exportation +exportations +exported +exporter +exporters +exporting +exports +expos +exposable +exposal +exposals +expose +exposed +exposedness +exposer +exposers +exposes +exposing +exposit +exposited +expositing +exposition +expositional +expositionary +expositions +expositive +expositively +expositor +expository +expositorial +expositorially +expositorily +expositoriness +expositors +expositress +exposits +expostulate +expostulated +expostulates +expostulating +expostulatingly +expostulation +expostulations +expostulative +expostulatively +expostulator +expostulatory +exposture +exposure +exposures +expound +expoundable +expounded +expounder +expounders +expounding +expounds +expreme +express +expressable +expressage +expressed +expresser +expresses +expressibility +expressible +expressibly +expressing +expressio +expression +expressionable +expressional +expressionful +expressionism +expressionist +expressionistic +expressionistically +expressionists +expressionless +expressionlessly +expressionlessness +expressions +expressive +expressively +expressiveness +expressivism +expressivity +expressless +expressly +expressman +expressmen +expressness +expresso +expressor +expressure +expressway +expressways +exprimable +exprobate +exprobrate +exprobration +exprobratory +expromission +expromissor +expropriable +expropriate +expropriated +expropriates +expropriating +expropriation +expropriations +expropriator +expropriatory +expt +exptl +expugn +expugnable +expuition +expulsatory +expulse +expulsed +expulser +expulses +expulsing +expulsion +expulsionist +expulsions +expulsive +expulsory +expunction +expunge +expungeable +expunged +expungement +expunger +expungers +expunges +expunging +expurgate +expurgated +expurgates +expurgating +expurgation +expurgational +expurgations +expurgative +expurgator +expurgatory +expurgatorial +expurgators +expurge +expwy +exquire +exquisite +exquisitely +exquisiteness +exquisitism +exquisitive +exquisitively +exquisitiveness +exr +exradio +exradius +exrupeal +exrx +exsanguinate +exsanguinated +exsanguinating +exsanguination +exsanguine +exsanguineous +exsanguinity +exsanguinous +exsanguious +exscind +exscinded +exscinding +exscinds +exscissor +exscribe +exscript +exscriptural +exsculp +exsculptate +exscutellate +exsec +exsecant +exsecants +exsect +exsected +exsectile +exsecting +exsection +exsector +exsects +exsequatur +exsert +exserted +exsertile +exserting +exsertion +exserts +exsheath +exship +exsibilate +exsibilation +exsiccant +exsiccatae +exsiccate +exsiccated +exsiccating +exsiccation +exsiccative +exsiccator +exsiliency +exsolution +exsolve +exsolved +exsolving +exsomatic +exspoliation +exspuition +exsputory +exstemporal +exstemporaneous +exstill +exstimulate +exstipulate +exstrophy +exstruct +exsuccous +exsuction +exsudate +exsufflate +exsufflation +exsufflicate +exsuperance +exsuperate +exsurge +exsurgent +exsuscitate +ext +exta +extacie +extance +extancy +extant +extatic +extbook +extemporal +extemporally +extemporalness +extemporaneity +extemporaneous +extemporaneously +extemporaneousness +extemporary +extemporarily +extemporariness +extempore +extempory +extemporisation +extemporise +extemporised +extemporiser +extemporising +extemporization +extemporize +extemporized +extemporizer +extemporizes +extemporizing +extend +extendability +extendable +extended +extendedly +extendedness +extender +extenders +extendibility +extendible +extending +extendlessness +extends +extense +extensibility +extensible +extensibleness +extensile +extensimeter +extension +extensional +extensionalism +extensionality +extensionally +extensionist +extensionless +extensions +extensity +extensive +extensively +extensiveness +extensivity +extensometer +extensor +extensory +extensors +extensum +extensure +extent +extentions +extents +extenuate +extenuated +extenuates +extenuating +extenuatingly +extenuation +extenuations +extenuative +extenuator +extenuatory +exter +exterior +exteriorate +exterioration +exteriorisation +exteriorise +exteriorised +exteriorising +exteriority +exteriorization +exteriorize +exteriorized +exteriorizing +exteriorly +exteriorness +exteriors +exterminable +exterminate +exterminated +exterminates +exterminating +extermination +exterminations +exterminative +exterminator +exterminatory +exterminators +exterminatress +exterminatrix +extermine +extermined +extermining +exterminist +extern +externa +external +externalisation +externalise +externalised +externalising +externalism +externalist +externalistic +externality +externalities +externalization +externalize +externalized +externalizes +externalizing +externally +externalness +externals +externat +externate +externation +externe +externes +externity +externization +externize +externomedian +externs +externship +externum +exteroceptist +exteroceptive +exteroceptor +exterous +exterraneous +exterrestrial +exterritorial +exterritoriality +exterritorialize +exterritorially +extersive +extg +extill +extima +extime +extimulate +extinct +extincted +extincteur +extincting +extinction +extinctionist +extinctions +extinctive +extinctor +extincts +extine +extinguised +extinguish +extinguishable +extinguishant +extinguished +extinguisher +extinguishers +extinguishes +extinguishing +extinguishment +extypal +extipulate +extirp +extirpate +extirpated +extirpateo +extirpates +extirpating +extirpation +extirpationist +extirpations +extirpative +extirpator +extirpatory +extispex +extispices +extispicy +extispicious +extogenous +extol +extoled +extoling +extoll +extollation +extolled +extoller +extollers +extolling +extollingly +extollment +extolls +extolment +extols +extoolitic +extorsion +extorsive +extorsively +extort +extorted +extorter +extorters +extorting +extortion +extortionary +extortionate +extortionately +extortionateness +extortioner +extortioners +extortionist +extortionists +extortions +extortive +extorts +extra +extrabold +extraboldface +extrabranchial +extrabronchial +extrabuccal +extrabulbar +extrabureau +extraburghal +extracalendar +extracalicular +extracanonical +extracapsular +extracardial +extracarpal +extracathedral +extracellular +extracellularly +extracerebral +extrachromosomal +extracystic +extracivic +extracivically +extraclassroom +extraclaustral +extracloacal +extracollegiate +extracolumella +extracondensed +extraconscious +extraconstellated +extraconstitutional +extracorporeal +extracorporeally +extracorpuscular +extracosmic +extracosmical +extracostal +extracranial +extract +extractability +extractable +extractant +extracted +extractibility +extractible +extractiform +extracting +extraction +extractions +extractive +extractively +extractor +extractors +extractorship +extracts +extracultural +extracurial +extracurricular +extracurriculum +extracutaneous +extradecretal +extradialectal +extradict +extradictable +extradicted +extradicting +extradictionary +extraditable +extradite +extradited +extradites +extraditing +extradition +extraditions +extradomestic +extrados +extradosed +extradoses +extradotal +extraduction +extradural +extraembryonal +extraembryonic +extraenteric +extraepiphyseal +extraequilibrium +extraessential +extraessentially +extrafascicular +extrafine +extrafloral +extrafocal +extrafoliaceous +extraforaneous +extraformal +extragalactic +extragastric +extrahazardous +extrahepatic +extrait +extrajudicial +extrajudicially +extralateral +extralegal +extralegally +extraliminal +extralimital +extralinguistic +extralinguistically +extralite +extrality +extramarginal +extramarital +extramatrical +extramedullary +extramental +extrameridian +extrameridional +extrametaphysical +extrametrical +extrametropolitan +extramission +extramodal +extramolecular +extramorainal +extramorainic +extramoral +extramoralist +extramundane +extramural +extramurally +extramusical +extranational +extranatural +extranean +extraneity +extraneous +extraneously +extraneousness +extranidal +extranormal +extranuclear +extraocular +extraofficial +extraoral +extraorbital +extraorbitally +extraordinary +extraordinaries +extraordinarily +extraordinariness +extraorganismal +extraovate +extraovular +extraparenchymal +extraparental +extraparietal +extraparliamentary +extraparochial +extraparochially +extrapatriarchal +extrapelvic +extraperineal +extraperiodic +extraperiosteal +extraperitoneal +extraphenomenal +extraphysical +extraphysiological +extrapyramidal +extrapituitary +extraplacental +extraplanetary +extrapleural +extrapoetical +extrapolar +extrapolate +extrapolated +extrapolates +extrapolating +extrapolation +extrapolations +extrapolative +extrapolator +extrapolatory +extrapopular +extraposition +extraprofessional +extraprostatic +extraprovincial +extrapulmonary +extrapunitive +extraquiz +extrared +extraregarding +extraregular +extraregularly +extrarenal +extraretinal +extrarhythmical +extras +extrasacerdotal +extrascholastic +extraschool +extrascientific +extrascriptural +extrascripturality +extrasensible +extrasensory +extrasensorial +extrasensuous +extraserous +extrasyllabic +extrasyllogistic +extrasyphilitic +extrasystole +extrasystolic +extrasocial +extrasolar +extrasomatic +extraspectral +extraspherical +extraspinal +extrastapedial +extrastate +extrasterile +extrastomachal +extratabular +extratarsal +extratellurian +extratelluric +extratemporal +extratension +extratensive +extraterrene +extraterrestrial +extraterrestrially +extraterrestrials +extraterritorial +extraterritoriality +extraterritorially +extraterritorials +extrathecal +extratheistic +extrathermodynamic +extrathoracic +extratympanic +extratorrid +extratracheal +extratribal +extratropical +extratubal +extraught +extrauterine +extravagance +extravagances +extravagancy +extravagancies +extravagant +extravagantes +extravagantly +extravagantness +extravaganza +extravaganzas +extravagate +extravagated +extravagating +extravagation +extravagence +extravaginal +extravasate +extravasated +extravasating +extravasation +extravascular +extravehicular +extravenate +extraventricular +extraversion +extraversive +extraversively +extravert +extraverted +extravertish +extravertive +extravertively +extravillar +extraviolet +extravisceral +extrazodiacal +extreat +extrema +extremal +extreme +extremeless +extremely +extremeness +extremer +extremes +extremest +extremis +extremism +extremist +extremistic +extremists +extremital +extremity +extremities +extremum +extremuma +extricable +extricably +extricate +extricated +extricates +extricating +extrication +extrications +extrinsic +extrinsical +extrinsicality +extrinsically +extrinsicalness +extrinsicate +extrinsication +extroitive +extromit +extropical +extrorsal +extrorse +extrorsely +extrospect +extrospection +extrospective +extroversion +extroversive +extroversively +extrovert +extroverted +extrovertedness +extrovertish +extrovertive +extrovertively +extroverts +extruct +extrudability +extrudable +extrude +extruded +extruder +extruders +extrudes +extruding +extrusible +extrusile +extrusion +extrusions +extrusive +extrusory +extubate +extubation +extuberance +extuberant +extuberate +extumescence +extund +exturb +extusion +exuberance +exuberancy +exuberant +exuberantly +exuberantness +exuberate +exuberated +exuberating +exuberation +exuccous +exucontian +exudate +exudates +exudation +exudations +exudative +exudatory +exude +exuded +exudence +exudes +exuding +exul +exulate +exulcerate +exulcerated +exulcerating +exulceration +exulcerative +exulceratory +exulding +exult +exultance +exultancy +exultant +exultantly +exultation +exulted +exultet +exulting +exultingly +exults +exululate +exumbral +exumbrella +exumbrellar +exundance +exundancy +exundate +exundation +exungulate +exuperable +exurb +exurban +exurbanite +exurbanites +exurbia +exurbias +exurbs +exurge +exuscitate +exust +exuvia +exuviability +exuviable +exuviae +exuvial +exuviate +exuviated +exuviates +exuviating +exuviation +exuvium +exxon +exzodiacal +ezan +ezba +ezekiel +ezod +ezra +f +fa +faade +faailk +fab +faba +fabaceae +fabaceous +fabella +fabes +fabian +fabianism +fabianist +fabiform +fable +fabled +fabledom +fableist +fableland +fablemaker +fablemonger +fablemongering +fabler +fablers +fables +fabliau +fabliaux +fabling +fabraea +fabric +fabricable +fabricant +fabricate +fabricated +fabricates +fabricating +fabrication +fabricational +fabrications +fabricative +fabricator +fabricators +fabricatress +fabricature +fabrics +fabrikoid +fabrile +fabrique +fabronia +fabroniaceae +fabula +fabular +fabulate +fabulist +fabulists +fabulize +fabulosity +fabulous +fabulously +fabulousness +faburden +fac +facadal +facade +facaded +facades +face +faceable +facebar +facebow +facebread +facecloth +faced +facedown +faceharden +faceless +facelessness +facelift +facelifts +facellite +facemaker +facemaking +faceman +facemark +faceoff +facepiece +faceplate +facer +facers +faces +facesaving +facet +facete +faceted +facetely +faceteness +facetiae +facetiation +faceting +facetious +facetiously +facetiousness +facets +facette +facetted +facetting +faceup +facewise +facework +facy +facia +facial +facially +facials +facias +faciata +faciation +facie +faciend +faciends +faciendum +facient +facier +facies +faciest +facile +facilely +facileness +facily +facilitate +facilitated +facilitates +facilitating +facilitation +facilitations +facilitative +facilitator +facility +facilities +facing +facingly +facings +facinorous +facinorousness +faciobrachial +faciocervical +faciolingual +facioplegia +facioscapulohumeral +facit +fack +fackeltanz +fackings +fackins +facks +faconde +faconne +facsim +facsimile +facsimiled +facsimileing +facsimiles +facsimiling +facsimilist +facsimilize +fact +factable +factabling +factfinder +factful +facty +factice +facticide +facticity +faction +factional +factionalism +factionalist +factionally +factionary +factionaries +factionate +factioneer +factionism +factionist +factionistism +factions +factious +factiously +factiousness +factish +factitial +factitious +factitiously +factitiousness +factitive +factitively +factitude +factive +facto +factor +factorability +factorable +factorage +factordom +factored +factoress +factory +factorial +factorially +factorials +factories +factorylike +factoring +factoryship +factorist +factorization +factorizations +factorize +factorized +factorizing +factors +factorship +factotum +factotums +factrix +facts +factual +factualism +factualist +factualistic +factuality +factually +factualness +factum +facture +factures +facula +faculae +facular +faculative +faculous +facultate +facultative +facultatively +faculty +facultied +faculties +facultize +facund +facundity +fad +fadable +fadaise +faddy +faddier +faddiest +faddiness +fadding +faddish +faddishly +faddishness +faddism +faddisms +faddist +faddists +faddle +fade +fadeaway +fadeaways +faded +fadedly +fadedness +fadednyess +fadeless +fadelessly +faden +fadeout +fader +faders +fades +fadge +fadged +fadges +fadging +fady +fading +fadingly +fadingness +fadings +fadlike +fadme +fadmonger +fadmongery +fadmongering +fado +fados +fadridden +fads +fae +faecal +faecalith +faeces +faecula +faeculence +faena +faenas +faence +faenus +faery +faerie +faeries +faeryland +faeroe +faeroese +fafaronade +faff +faffy +faffle +fafnir +fag +fagaceae +fagaceous +fagald +fagales +fagara +fage +fagelia +fager +fagged +fagger +faggery +faggy +fagging +faggingly +faggot +faggoted +faggoty +faggoting +faggotry +faggots +fagin +fagine +fagins +fagopyrism +fagopyrismus +fagopyrum +fagot +fagoted +fagoter +fagoters +fagoty +fagoting +fagotings +fagots +fagott +fagotte +fagottino +fagottist +fagotto +fagottone +fags +fagus +faham +fahlband +fahlbands +fahlerz +fahlore +fahlunite +fahlunitte +fahrenheit +fahrenhett +fay +fayal +fayalite +fayalites +fayed +faience +fayence +faiences +fayettism +faying +faikes +fail +failance +failed +fayles +failing +failingly +failingness +failings +faille +failles +fails +failsafe +failsoft +failure +failures +fain +fainaigue +fainaigued +fainaiguer +fainaiguing +fainant +faineance +faineancy +faineant +faineantise +faineantism +faineants +fainer +fainest +fainly +fainness +fains +faint +fainted +fainter +fainters +faintest +faintful +faintheart +fainthearted +faintheartedly +faintheartedness +fainty +fainting +faintingly +faintise +faintish +faintishness +faintly +faintling +faintness +faints +faipule +fair +fairbanks +faire +faired +fairer +fairest +fairfieldite +fairgoer +fairgoing +fairgrass +fairground +fairgrounds +fairhead +fairy +fairydom +fairies +fairyfloss +fairyfolk +fairyhood +fairyish +fairyism +fairyisms +fairyland +fairylands +fairily +fairylike +fairing +fairings +fairyology +fairyologist +fairish +fairyship +fairishly +fairishness +fairkeeper +fairlead +fairleader +fairleads +fairly +fairlike +fairling +fairm +fairness +fairnesses +fairs +fairship +fairsome +fairstead +fairtime +fairway +fairways +fairwater +fays +faisan +faisceau +fait +faitery +faith +faithbreach +faithbreaker +faithed +faithful +faithfully +faithfulness +faithfuls +faithing +faithless +faithlessly +faithlessness +faiths +faithwise +faithworthy +faithworthiness +faitor +faitour +faitours +faits +fayumic +fake +faked +fakeer +fakeers +fakement +faker +fakery +fakeries +fakers +fakes +faki +faky +fakiness +faking +fakir +fakirism +fakirs +fakofo +fala +falafel +falanaka +falange +falangism +falangist +falasha +falbala +falbalas +falbelo +falcade +falcata +falcate +falcated +falcation +falcer +falces +falchion +falchions +falcial +falcidian +falciform +falcinellus +falciparum +falco +falcon +falconbill +falconelle +falconer +falconers +falcones +falconet +falconets +falconidae +falconiform +falconiformes +falconinae +falconine +falconlike +falconnoid +falconoid +falconry +falconries +falcons +falcopern +falcula +falcular +falculate +falcunculus +falda +faldage +falderal +falderals +falderol +falderols +faldetta +faldfee +falding +faldistory +faldstool +faldworth +falerian +falern +falernian +falerno +faliscan +falisci +falk +falkland +fall +falla +fallace +fallacy +fallacia +fallacies +fallacious +fallaciously +fallaciousness +fallage +fallal +fallalery +fallalishly +fallals +fallation +fallaway +fallback +fallbacks +fallectomy +fallen +fallency +fallenness +faller +fallers +fallfish +fallfishes +fally +fallibilism +fallibilist +fallibility +fallible +fallibleness +fallibly +falling +fallings +falloff +falloffs +fallopian +fallostomy +fallotomy +fallout +fallouts +fallow +fallowed +fallowing +fallowist +fallowness +fallows +falls +falltime +fallway +falsary +false +falsedad +falseface +falsehearted +falseheartedly +falseheartedness +falsehood +falsehoods +falsely +falsen +falseness +falser +falsest +falsettist +falsetto +falsettos +falsework +falsidical +falsie +falsies +falsify +falsifiability +falsifiable +falsificate +falsification +falsifications +falsificator +falsified +falsifier +falsifiers +falsifies +falsifying +falsism +falsiteit +falsity +falsities +falstaffian +falsum +faltboat +faltboats +faltche +falter +faltere +faltered +falterer +falterers +faltering +falteringly +falters +falun +falunian +faluns +falus +falutin +falx +fam +fama +famacide +famatinite +famble +fame +famed +fameflower +fameful +fameless +famelessly +famelessness +famelic +fames +fameuse +fameworthy +familarity +family +familia +familial +familiar +familiary +familiarisation +familiarise +familiarised +familiariser +familiarising +familiarisingly +familiarism +familiarity +familiarities +familiarization +familiarizations +familiarize +familiarized +familiarizer +familiarizes +familiarizing +familiarizingly +familiarly +familiarness +familiars +familic +families +familyish +familism +familist +familistere +familistery +familistic +familistical +famille +famine +famines +faming +famish +famished +famishes +famishing +famishment +famose +famous +famously +famousness +famp +famular +famulary +famulative +famuli +famulli +famulus +fan +fana +fanakalo +fanal +fanaloka +fanam +fanatic +fanatical +fanatically +fanaticalness +fanaticise +fanaticised +fanaticising +fanaticism +fanaticize +fanaticized +fanaticizing +fanatico +fanatics +fanatism +fanback +fanbearer +fancy +fanciable +fancical +fancied +fancier +fanciers +fancies +fanciest +fancify +fanciful +fancifully +fancifulness +fancying +fanciless +fancily +fancymonger +fanciness +fancysick +fancywork +fand +fandangle +fandango +fandangos +fandom +fandoms +fane +fanega +fanegada +fanegadas +fanegas +fanes +fanfarade +fanfare +fanfares +fanfaron +fanfaronade +fanfaronading +fanfarons +fanfish +fanfishes +fanflower +fanfold +fanfolds +fanfoot +fang +fanga +fangas +fanged +fanger +fangy +fanging +fangle +fangled +fanglement +fangless +fanglet +fanglike +fanglomerate +fango +fangot +fangotherapy +fangs +fanhouse +fany +faniente +fanion +fanioned +fanions +fanit +fanjet +fanjets +fankle +fanleaf +fanlight +fanlights +fanlike +fanmaker +fanmaking +fanman +fanned +fannel +fanneling +fannell +fanner +fanners +fanny +fannia +fannier +fannies +fanning +fannings +fannon +fano +fanon +fanons +fanos +fanout +fans +fant +fantad +fantaddish +fantail +fantailed +fantails +fantaisie +fantaseid +fantasy +fantasia +fantasias +fantasie +fantasied +fantasies +fantasying +fantasist +fantasists +fantasize +fantasized +fantasizes +fantasizing +fantasm +fantasmagoria +fantasmagoric +fantasmagorically +fantasmal +fantasms +fantasque +fantassin +fantast +fantastic +fantastical +fantasticality +fantastically +fantasticalness +fantasticate +fantastication +fantasticism +fantasticly +fantasticness +fantastico +fantastry +fantasts +fanteague +fantee +fanteeg +fanterie +fanti +fantigue +fantoccini +fantocine +fantod +fantoddish +fantods +fantom +fantoms +fanum +fanums +fanwe +fanweed +fanwise +fanwork +fanwort +fanworts +fanwright +fanzine +fanzines +faon +fapesmo +faq +faqir +faqirs +faquir +faquirs +far +farad +faraday +faradaic +faradays +faradic +faradisation +faradise +faradised +faradiser +faradises +faradising +faradism +faradisms +faradization +faradize +faradized +faradizer +faradizes +faradizing +faradmeter +faradocontractility +faradomuscular +faradonervous +faradopalpation +farads +farand +farandine +farandman +farandmen +farandola +farandole +farandoles +faraon +farasula +faraway +farawayness +farce +farced +farcelike +farcemeat +farcer +farcers +farces +farcetta +farceur +farceurs +farceuse +farceuses +farci +farcy +farcial +farcialize +farcical +farcicality +farcically +farcicalness +farcie +farcied +farcies +farcify +farcilite +farcin +farcing +farcinoma +farcist +farctate +fard +fardage +farde +farded +fardel +fardelet +fardels +fardh +farding +fardo +fards +fare +fared +farenheit +farer +farers +fares +faretta +farewell +farewelled +farewelling +farewells +farfal +farfara +farfel +farfels +farfet +farfetch +farfetched +farfetchedness +farforthly +farfugium +fargite +fargoing +fargood +farhand +farhands +farina +farinaceous +farinaceously +farinacious +farinas +farine +faring +farinha +farinhas +farinometer +farinose +farinosel +farinosely +farinulent +fario +farish +farkleberry +farkleberries +farl +farle +farley +farles +farleu +farls +farm +farmable +farmage +farmed +farmer +farmeress +farmerette +farmery +farmeries +farmerish +farmerly +farmerlike +farmers +farmership +farmhand +farmhands +farmhold +farmhouse +farmhousey +farmhouses +farmy +farmyard +farmyardy +farmyards +farming +farmings +farmland +farmlands +farmost +farmout +farmplace +farms +farmscape +farmstead +farmsteading +farmsteads +farmtown +farmwife +farnesol +farnesols +farness +farnesses +farnovian +faro +faroeish +faroelite +faroese +faroff +farolito +faros +farouche +farouk +farrage +farraginous +farrago +farragoes +farragos +farrand +farrandly +farrant +farrantly +farreachingly +farreate +farreation +farrel +farrier +farriery +farrieries +farrierlike +farriers +farris +farrisite +farrow +farrowed +farrowing +farrows +farruca +farsakh +farsalah +farsang +farse +farseeing +farseeingness +farseer +farset +farsi +farsight +farsighted +farsightedly +farsightedness +farstepped +fart +farted +farth +farther +fartherance +fartherer +farthermore +farthermost +farthest +farthing +farthingale +farthingales +farthingdeal +farthingless +farthings +farting +fartlek +farts +farweltered +fas +fasc +fasces +fascet +fascia +fasciae +fascial +fascias +fasciate +fasciated +fasciately +fasciation +fascicle +fascicled +fascicles +fascicular +fascicularly +fasciculate +fasciculated +fasciculately +fasciculation +fascicule +fasciculi +fasciculite +fasciculus +fascili +fascinate +fascinated +fascinatedly +fascinates +fascinating +fascinatingly +fascination +fascinations +fascinative +fascinator +fascinatress +fascine +fascinery +fascines +fascintatingly +fascio +fasciodesis +fasciola +fasciolae +fasciolar +fasciolaria +fasciolariidae +fasciole +fasciolet +fascioliasis +fasciolidae +fascioloid +fascioplasty +fasciotomy +fascis +fascism +fascisms +fascist +fascista +fascisti +fascistic +fascistically +fascisticization +fascisticize +fascistization +fascistize +fascists +fasels +fash +fashed +fasher +fashery +fasherie +fashes +fashing +fashion +fashionability +fashionable +fashionableness +fashionably +fashional +fashionative +fashioned +fashioner +fashioners +fashioning +fashionist +fashionize +fashionless +fashionmonger +fashionmonging +fashions +fashious +fashiousness +fasibitikite +fasinite +fasnacht +fasola +fass +fassaite +fassalite +fast +fastback +fastbacks +fastball +fastballs +fasted +fasten +fastened +fastener +fasteners +fastening +fastenings +fastens +faster +fastest +fastgoing +fasthold +fasti +fastidiosity +fastidious +fastidiously +fastidiousness +fastidium +fastigate +fastigated +fastigia +fastigiate +fastigiated +fastigiately +fastigious +fastigium +fastigiums +fastiia +fasting +fastingly +fastings +fastish +fastland +fastly +fastnacht +fastness +fastnesses +fasts +fastuous +fastuously +fastuousness +fastus +fastwalk +fat +fatagaga +fatal +fatale +fatales +fatalism +fatalisms +fatalist +fatalistic +fatalistically +fatalists +fatality +fatalities +fatalize +fatally +fatalness +fatals +fatback +fatbacks +fatbird +fatbirds +fatbrained +fatcake +fate +fated +fateful +fatefully +fatefulness +fatelike +fates +fath +fathead +fatheaded +fatheadedly +fatheadedness +fatheads +fathearted +father +fathercraft +fathered +fatherhood +fathering +fatherkin +fatherland +fatherlandish +fatherlands +fatherless +fatherlessness +fatherly +fatherlike +fatherliness +fatherling +fathers +fathership +fathmur +fathogram +fathom +fathomable +fathomableness +fathomage +fathomed +fathomer +fathometer +fathoming +fathomless +fathomlessly +fathomlessness +fathoms +faticableness +fatidic +fatidical +fatidically +fatiferous +fatigability +fatigable +fatigableness +fatigate +fatigated +fatigating +fatigation +fatiguability +fatiguabilities +fatiguable +fatigue +fatigued +fatigueless +fatigues +fatiguesome +fatiguing +fatiguingly +fatiha +fatihah +fatil +fatiloquent +fatima +fatimid +fating +fatiscence +fatiscent +fatless +fatly +fatlike +fatling +fatlings +fatness +fatnesses +fator +fats +fatshedera +fatsia +fatso +fatsoes +fatsos +fatstock +fatstocks +fattable +fatted +fatten +fattenable +fattened +fattener +fatteners +fattening +fattens +fatter +fattest +fatty +fattier +fatties +fattiest +fattily +fattiness +fatting +fattish +fattishness +fattrels +fatuate +fatuism +fatuity +fatuities +fatuitous +fatuitousness +fatuoid +fatuous +fatuously +fatuousness +fatuus +fatwa +fatwood +faubourg +faubourgs +faucal +faucalize +faucals +fauces +faucet +faucets +fauchard +fauchards +faucial +faucitis +fauconnier +faucre +faufel +faugh +faujasite +faujdar +fauld +faulds +faulkland +faulkner +fault +faultage +faulted +faulter +faultfind +faultfinder +faultfinders +faultfinding +faultful +faultfully +faulty +faultier +faultiest +faultily +faultiness +faulting +faultless +faultlessly +faultlessness +faults +faultsman +faulx +faun +fauna +faunae +faunal +faunally +faunas +faunated +faunch +faunish +faunist +faunistic +faunistical +faunistically +faunlike +faunology +faunological +fauns +fauntleroy +faunula +faunule +faunus +faurd +faured +fausant +fause +fausen +faussebraie +faussebraye +faussebrayed +faust +fauster +faustian +faut +faute +fauterer +fauteuil +fauteuils +fautor +fautorship +fauve +fauves +fauvette +fauvism +fauvisms +fauvist +fauvists +faux +fauxbourdon +favaginous +favel +favela +favelas +favelidium +favella +favellae +favellidia +favellidium +favellilidia +favelloid +faventine +faveolate +faveoli +faveoluli +faveolus +faverel +faverole +favi +faviform +favilla +favillae +favillous +favism +favissa +favissae +favn +favonian +favonius +favor +favorability +favorable +favorableness +favorably +favored +favoredly +favoredness +favorer +favorers +favoress +favoring +favoringly +favorite +favorites +favoritism +favorless +favors +favose +favosely +favosite +favosites +favositidae +favositoid +favour +favourable +favourableness +favourably +favoured +favouredly +favouredness +favourer +favourers +favouress +favouring +favouringly +favourite +favouritism +favourless +favours +favous +favus +favuses +fawe +fawkener +fawn +fawned +fawner +fawnery +fawners +fawny +fawnier +fawniest +fawning +fawningly +fawningness +fawnlike +fawns +fawnskin +fax +faxed +faxes +faxing +faze +fazed +fazenda +fazendas +fazendeiro +fazes +fazing +fb +fbi +fc +fchar +fcy +fcomp +fconv +fconvert +fcp +fcs +fdname +fdnames +fdtype +fdub +fdubs +fe +feaberry +feague +feak +feaked +feaking +feal +fealty +fealties +fear +fearable +fearbabe +feared +fearedly +fearedness +fearer +fearers +fearful +fearfuller +fearfullest +fearfully +fearfulness +fearing +fearingly +fearless +fearlessly +fearlessness +fearnaught +fearnought +fears +fearsome +fearsomely +fearsomeness +feasance +feasances +feasant +fease +feased +feases +feasibility +feasibilities +feasible +feasibleness +feasibly +feasing +feasor +feast +feasted +feasten +feaster +feasters +feastful +feastfully +feasting +feastless +feastly +feastraw +feasts +feat +feateous +feater +featest +feather +featherback +featherbed +featherbedded +featherbedding +featherbird +featherbone +featherbrain +featherbrained +feathercut +featherdom +feathered +featheredge +featheredged +featheredges +featherer +featherers +featherfew +featherfoil +featherhead +featherheaded +feathery +featherier +featheriest +featheriness +feathering +featherleaf +featherless +featherlessness +featherlet +featherlight +featherlike +featherman +feathermonger +featherpate +featherpated +feathers +featherstitch +featherstitching +feathertop +featherway +featherweed +featherweight +featherweights +featherwing +featherwise +featherwood +featherwork +featherworker +featy +featish +featishly +featishness +featless +featly +featlier +featliest +featliness +featness +featous +feats +featural +featurally +feature +featured +featureful +featureless +featurelessness +featurely +featureliness +features +featurette +featuring +featurish +feaze +feazed +feazes +feazing +feazings +febres +febricant +febricide +febricitant +febricitation +febricity +febricula +febrifacient +febriferous +febrific +febrifugal +febrifuge +febrifuges +febrile +febrility +febriphobia +febris +febronian +febronianism +february +februaries +februarius +februation +fec +fecal +fecalith +fecaloid +fecche +feceris +feces +fechnerian +fecial +fecials +fecifork +fecit +feck +fecket +feckful +feckfully +feckless +fecklessly +fecklessness +feckly +fecks +feckulence +fecula +feculae +feculence +feculency +feculent +fecund +fecundate +fecundated +fecundates +fecundating +fecundation +fecundations +fecundative +fecundator +fecundatory +fecundify +fecundity +fecundities +fecundize +fed +fedayee +fedayeen +fedarie +feddan +feddans +fedelini +fedellini +federacy +federacies +federal +federalese +federalisation +federalise +federalised +federalising +federalism +federalist +federalistic +federalists +federalization +federalizations +federalize +federalized +federalizes +federalizing +federally +federalness +federals +federary +federarie +federate +federated +federates +federating +federation +federational +federationist +federations +federatist +federative +federatively +federator +fedia +fedifragous +fedity +fedn +fedora +fedoras +feds +fee +feeable +feeb +feeble +feeblebrained +feeblehearted +feebleheartedly +feebleheartedness +feebleminded +feeblemindedly +feeblemindedness +feebleness +feebler +feebless +feeblest +feebly +feebling +feeblish +feed +feedable +feedback +feedbacks +feedbag +feedbags +feedbin +feedboard +feedbox +feedboxes +feeded +feeder +feeders +feedhead +feedy +feeding +feedings +feedingstuff +feedlot +feedlots +feedman +feeds +feedsman +feedstock +feedstuff +feedstuffs +feedway +feedwater +feeing +feel +feelable +feeler +feelers +feeless +feely +feelies +feeling +feelingful +feelingless +feelinglessly +feelingly +feelingness +feelings +feels +feer +feere +feerie +feering +fees +feest +feet +feetage +feetfirst +feetless +feeze +feezed +feezes +feezing +feff +fefnicute +fegary +fegatella +fegs +feh +fehmic +fei +fey +feyer +feyest +feif +feigher +feign +feigned +feignedly +feignedness +feigner +feigners +feigning +feigningly +feigns +feijoa +feil +feyness +feynesses +feinschmecker +feinschmeckers +feint +feinted +feinter +feinting +feints +feirie +feis +feiseanna +feist +feisty +feistier +feistiest +feists +felafel +felaheen +felahin +felanders +felapton +feldsher +feldspar +feldsparphyre +feldspars +feldspath +feldspathic +feldspathization +feldspathoid +feldspathoidal +feldspathose +fele +felichthys +felicide +felicify +felicific +felicitate +felicitated +felicitates +felicitating +felicitation +felicitations +felicitator +felicitators +felicity +felicities +felicitous +felicitously +felicitousness +felid +felidae +felids +feliform +felinae +feline +felinely +felineness +felines +felinity +felinities +felinophile +felinophobe +felis +felix +fell +fella +fellable +fellage +fellagha +fellah +fellaheen +fellahin +fellahs +fellani +fellas +fellata +fellatah +fellate +fellated +fellatee +fellating +fellatio +fellation +fellations +fellatios +fellator +fellatory +fellatrice +fellatrices +fellatrix +fellatrixes +felled +fellen +feller +fellers +fellest +fellfare +felly +fellic +felliducous +fellies +fellifluous +felling +fellingbird +fellinic +fellmonger +fellmongered +fellmongery +fellmongering +fellness +fellnesses +felloe +felloes +fellon +fellow +fellowcraft +fellowed +fellowess +fellowheirship +fellowing +fellowless +fellowly +fellowlike +fellowman +fellowmen +fellowred +fellows +fellowship +fellowshiped +fellowshiping +fellowshipped +fellowshipping +fellowships +fells +fellside +fellsman +feloid +felon +felones +feloness +felony +felonies +felonious +feloniously +feloniousness +felonous +felonry +felonries +felons +felonsetter +felonsetting +felonweed +felonwood +felonwort +fels +felsic +felsite +felsites +felsitic +felsobanyite +felsophyre +felsophyric +felsosphaerite +felspar +felspars +felspath +felspathic +felspathose +felstone +felstones +felt +felted +felter +felty +feltyfare +feltyflier +felting +feltings +feltlike +feltmaker +feltmaking +feltman +feltmonger +feltness +felts +feltwork +feltwort +felucca +feluccas +felup +felwort +felworts +fem +female +femalely +femaleness +females +femalist +femality +femalize +femcee +feme +femereil +femerell +femes +femic +femicide +feminacy +feminacies +feminal +feminality +feminate +femineity +feminie +feminility +feminin +feminine +femininely +feminineness +feminines +femininism +femininity +feminisation +feminise +feminised +feminises +feminising +feminism +feminisms +feminist +feministic +feministics +feminists +feminity +feminities +feminization +feminize +feminized +feminizes +feminizing +feminology +feminologist +feminophobe +femme +femmes +femora +femoral +femorocaudal +femorocele +femorococcygeal +femorofibular +femoropopliteal +femororotulian +femorotibial +fempty +femur +femurs +fen +fenagle +fenagled +fenagler +fenagles +fenagling +fenbank +fenberry +fence +fenced +fenceful +fenceless +fencelessness +fencelet +fencelike +fenceplay +fencepost +fencer +fenceress +fencers +fences +fenchene +fenchyl +fenchol +fenchone +fencible +fencibles +fencing +fencings +fend +fendable +fended +fender +fendered +fendering +fenderless +fenders +fendy +fendillate +fendillation +fending +fends +fenerate +feneration +fenestella +fenestellae +fenestellid +fenestellidae +fenester +fenestra +fenestrae +fenestral +fenestrate +fenestrated +fenestration +fenestrato +fenestrone +fenestrule +fenetre +fengite +fenian +fenianism +fenite +fenks +fenland +fenlander +fenman +fenmen +fennec +fennecs +fennel +fennelflower +fennels +fenner +fenny +fennici +fennig +fennish +fennoman +fenouillet +fenouillette +fenrir +fens +fensive +fenster +fent +fentanyl +fenter +fenugreek +fenzelia +feod +feodal +feodality +feodary +feodaries +feodatory +feods +feodum +feoff +feoffed +feoffee +feoffees +feoffeeship +feoffer +feoffers +feoffing +feoffment +feoffor +feoffors +feoffs +feower +fer +feracious +feracity +feracities +ferae +ferahan +feral +feralin +ferally +feramorz +ferash +ferbam +ferbams +ferberite +ferd +ferdiad +ferdwit +fere +feres +feretory +feretories +feretra +feretrum +ferfathmur +ferfel +ferfet +ferforth +ferganite +fergus +fergusite +ferguson +fergusonite +feria +feriae +ferial +ferias +feriation +feridgi +feridjee +feridji +ferie +ferigee +ferijee +ferine +ferinely +ferineness +feringhee +feringi +ferio +ferison +ferity +ferities +ferk +ferkin +ferly +ferlie +ferlied +ferlies +ferlying +ferling +fermacy +fermage +fermail +fermal +fermata +fermatas +fermate +fermatian +ferme +ferment +fermentability +fermentable +fermental +fermentarian +fermentate +fermentation +fermentations +fermentative +fermentatively +fermentativeness +fermentatory +fermented +fermenter +fermentescible +fermenting +fermentitious +fermentive +fermentology +fermentor +ferments +fermentum +fermerer +fermery +fermi +fermila +fermillet +fermion +fermions +fermis +fermium +fermiums +fermorite +fern +fernambuck +fernandinite +fernando +fernbird +fernbrake +ferned +fernery +ferneries +ferngale +ferngrower +ferny +fernyear +fernier +ferniest +ferninst +fernland +fernleaf +fernless +fernlike +ferns +fernseed +fernshaw +fernsick +ferntickle +ferntickled +fernticle +fernwort +ferocactus +feroce +ferocious +ferociously +ferociousness +ferocity +ferocities +feroher +feronia +ferous +ferox +ferr +ferrado +ferrament +ferrandin +ferrara +ferrarese +ferrary +ferrash +ferrate +ferrated +ferrateen +ferrates +ferratin +ferrean +ferredoxin +ferreiro +ferrel +ferreled +ferreling +ferrelled +ferrelling +ferrels +ferren +ferreous +ferrer +ferret +ferreted +ferreter +ferreters +ferrety +ferreting +ferrets +ferretto +ferri +ferry +ferriage +ferryage +ferriages +ferryboat +ferryboats +ferric +ferrichloride +ferricyanate +ferricyanhydric +ferricyanic +ferricyanide +ferricyanogen +ferried +ferrier +ferries +ferriferous +ferrihemoglobin +ferrihydrocyanic +ferryhouse +ferrying +ferrimagnet +ferrimagnetic +ferrimagnetically +ferrimagnetism +ferryman +ferrymen +ferring +ferriprussiate +ferriprussic +ferris +ferrite +ferrites +ferritic +ferritin +ferritins +ferritization +ferritungstite +ferrivorous +ferryway +ferroalloy +ferroaluminum +ferroboron +ferrocalcite +ferrocene +ferrocerium +ferrochrome +ferrochromium +ferrocyanate +ferrocyanhydric +ferrocyanic +ferrocyanide +ferrocyanogen +ferroconcrete +ferroconcretor +ferroelectric +ferroelectrically +ferroelectricity +ferroglass +ferrogoslarite +ferrohydrocyanic +ferroinclave +ferromagnesian +ferromagnet +ferromagnetic +ferromagneticism +ferromagnetism +ferromanganese +ferrometer +ferromolybdenum +ferronatrite +ferronickel +ferrophosphorus +ferroprint +ferroprussiate +ferroprussic +ferrosilicon +ferrotype +ferrotyped +ferrotyper +ferrotypes +ferrotyping +ferrotitanium +ferrotungsten +ferrous +ferrovanadium +ferrozirconium +ferruginate +ferruginated +ferruginating +ferrugination +ferruginean +ferrugineous +ferruginous +ferrugo +ferrule +ferruled +ferruler +ferrules +ferruling +ferrum +ferruminate +ferruminated +ferruminating +ferrumination +ferrums +fers +fersmite +ferter +ferth +ferther +ferthumlungur +fertil +fertile +fertilely +fertileness +fertilisability +fertilisable +fertilisation +fertilisational +fertilise +fertilised +fertiliser +fertilising +fertilitate +fertility +fertilities +fertilizability +fertilizable +fertilization +fertilizational +fertilizations +fertilize +fertilized +fertilizer +fertilizers +fertilizes +fertilizing +feru +ferula +ferulaceous +ferulae +ferulaic +ferular +ferulas +ferule +feruled +ferules +ferulic +feruling +ferv +fervanite +fervence +fervency +fervencies +fervent +fervently +ferventness +fervescence +fervescent +fervid +fervidity +fervidly +fervidness +fervidor +fervor +fervorless +fervorlessness +fervorous +fervors +fervour +fervours +fesapo +fescennine +fescenninity +fescue +fescues +fesels +fess +fesse +fessed +fessely +fesses +fessewise +fessing +fessways +fesswise +fest +festa +festae +festal +festally +feste +festellae +fester +festered +festering +festerment +festers +festy +festilogy +festilogies +festin +festinance +festinate +festinated +festinately +festinating +festination +festine +festing +festino +festival +festivalgoer +festivally +festivals +festive +festively +festiveness +festivity +festivities +festivous +festology +feston +festoon +festooned +festoonery +festooneries +festoony +festooning +festoons +festschrift +festschriften +festschrifts +festshrifts +festuca +festucine +festucous +fet +feta +fetal +fetalism +fetalization +fetas +fetation +fetations +fetch +fetched +fetcher +fetchers +fetches +fetching +fetchingly +fete +feted +feteless +feterita +feteritas +fetes +fetial +fetiales +fetialis +fetials +fetich +fetiches +fetichic +fetichism +fetichist +fetichistic +fetichize +fetichlike +fetichmonger +fetichry +feticidal +feticide +feticides +fetid +fetidity +fetidly +fetidness +fetiferous +feting +fetiparous +fetis +fetise +fetish +fetisheer +fetisher +fetishes +fetishic +fetishism +fetishist +fetishistic +fetishists +fetishization +fetishize +fetishlike +fetishmonger +fetishry +fetlock +fetlocked +fetlocks +fetlow +fetography +fetology +fetologies +fetologist +fetometry +fetoplacental +fetor +fetors +fets +fetted +fetter +fetterbush +fettered +fetterer +fetterers +fettering +fetterless +fetterlock +fetters +fetticus +fetting +fettle +fettled +fettler +fettles +fettling +fettlings +fettstein +fettuccine +fettucine +fettucini +feture +fetus +fetuses +fetwa +feu +feuage +feuar +feuars +feucht +feud +feudal +feudalisation +feudalise +feudalised +feudalising +feudalism +feudalist +feudalistic +feudalists +feudality +feudalities +feudalizable +feudalization +feudalize +feudalized +feudalizing +feudally +feudary +feudaries +feudatary +feudatory +feudatorial +feudatories +feuded +feudee +feuder +feuding +feudist +feudists +feudovassalism +feuds +feudum +feued +feuillage +feuillants +feuille +feuillemorte +feuillet +feuilleton +feuilletonism +feuilletonist +feuilletonistic +feuilletons +feuing +feulamort +feus +feute +feuter +feuterer +fever +feverberry +feverberries +feverbush +fevercup +fevered +feveret +feverfew +feverfews +fevergum +fevery +fevering +feverish +feverishly +feverishness +feverless +feverlike +feverous +feverously +feverroot +fevers +fevertrap +fevertwig +fevertwitch +feverweed +feverwort +few +fewer +fewest +fewmand +fewmets +fewnes +fewneses +fewness +fewnesses +fewsome +fewter +fewterer +fewtrils +fez +fezes +fezzan +fezzed +fezzes +fezzy +fezziwig +ff +ffa +fg +fgn +fgrid +fhrer +fi +fy +fiacre +fiacres +fiador +fiancailles +fiance +fianced +fiancee +fiancees +fiances +fianchetti +fianchetto +fiancing +fianna +fiant +fiants +fiar +fiard +fiaroblast +fiars +fiaschi +fiasco +fiascoes +fiascos +fiat +fiatconfirmatio +fiats +fiaunt +fib +fibbed +fibber +fibbery +fibbers +fibbing +fibdom +fiber +fiberboard +fibered +fiberfill +fiberglas +fiberglass +fiberization +fiberize +fiberized +fiberizer +fiberizes +fiberizing +fiberless +fiberous +fibers +fiberscope +fiberware +fibra +fibration +fibratus +fibre +fibreboard +fibred +fibrefill +fibreglass +fibreless +fibres +fibreware +fibry +fibriform +fibril +fibrilated +fibrilation +fibrilations +fibrilla +fibrillae +fibrillar +fibrillary +fibrillate +fibrillated +fibrillating +fibrillation +fibrillations +fibrilled +fibrilliferous +fibrilliform +fibrillose +fibrillous +fibrils +fibrin +fibrinate +fibrination +fibrine +fibrinemia +fibrinoalbuminous +fibrinocellular +fibrinogen +fibrinogenetic +fibrinogenic +fibrinogenically +fibrinogenous +fibrinoid +fibrinokinase +fibrinolyses +fibrinolysin +fibrinolysis +fibrinolytic +fibrinoplastic +fibrinoplastin +fibrinopurulent +fibrinose +fibrinosis +fibrinous +fibrins +fibrinuria +fibro +fibroadenia +fibroadenoma +fibroadipose +fibroangioma +fibroareolar +fibroblast +fibroblastic +fibrobronchitis +fibrocalcareous +fibrocarcinoma +fibrocartilage +fibrocartilaginous +fibrocaseose +fibrocaseous +fibrocellular +fibrocement +fibrochondritis +fibrochondroma +fibrochondrosteal +fibrocyst +fibrocystic +fibrocystoma +fibrocyte +fibrocytic +fibrocrystalline +fibroelastic +fibroenchondroma +fibrofatty +fibroferrite +fibroglia +fibroglioma +fibrohemorrhagic +fibroid +fibroids +fibroin +fibroins +fibrointestinal +fibroligamentous +fibrolipoma +fibrolipomatous +fibrolite +fibrolitic +fibroma +fibromas +fibromata +fibromatoid +fibromatosis +fibromatous +fibromembrane +fibromembranous +fibromyectomy +fibromyitis +fibromyoma +fibromyomatous +fibromyomectomy +fibromyositis +fibromyotomy +fibromyxoma +fibromyxosarcoma +fibromucous +fibromuscular +fibroneuroma +fibronuclear +fibronucleated +fibropapilloma +fibropericarditis +fibroplasia +fibroplastic +fibropolypus +fibropsammoma +fibropurulent +fibroreticulate +fibrosarcoma +fibrose +fibroserous +fibroses +fibrosis +fibrosity +fibrosities +fibrositis +fibrospongiae +fibrotic +fibrotuberculosis +fibrous +fibrously +fibrousness +fibrovasal +fibrovascular +fibs +fibster +fibula +fibulae +fibular +fibulare +fibularia +fibulas +fibulocalcaneal +fica +ficary +ficaria +ficaries +ficche +fice +fyce +ficelle +fices +fyces +fichat +fiche +fiches +fichtean +fichteanism +fichtelite +fichu +fichus +ficiform +ficin +ficins +fickle +ficklehearted +fickleness +fickler +ficklest +ficklety +ficklewise +fickly +fico +ficoes +ficoid +ficoidaceae +ficoidal +ficoideae +ficoides +fict +fictation +fictil +fictile +fictileness +fictility +fiction +fictional +fictionalization +fictionalize +fictionalized +fictionalizes +fictionalizing +fictionally +fictionary +fictioneer +fictioneering +fictioner +fictionisation +fictionise +fictionised +fictionising +fictionist +fictionistic +fictionization +fictionize +fictionized +fictionizing +fictionmonger +fictions +fictious +fictitious +fictitiously +fictitiousness +fictive +fictively +fictor +ficula +ficus +fid +fidac +fidalgo +fidate +fidation +fidawi +fidded +fidding +fiddle +fiddleback +fiddlebow +fiddlebrained +fiddlecome +fiddled +fiddlededee +fiddledeedee +fiddlefaced +fiddlehead +fiddleheaded +fiddley +fiddleys +fiddleneck +fiddler +fiddlerfish +fiddlerfishes +fiddlery +fiddlers +fiddles +fiddlestick +fiddlesticks +fiddlestring +fiddlewood +fiddly +fiddlies +fiddling +fide +fideicommiss +fideicommissa +fideicommissary +fideicommissaries +fideicommission +fideicommissioner +fideicommissor +fideicommissum +fideicommissumissa +fideism +fideisms +fideist +fideistic +fideists +fidejussion +fidejussionary +fidejussor +fidejussory +fidel +fidele +fideles +fidelia +fidelio +fidelis +fidelity +fidelities +fideos +fidepromission +fidepromissor +fides +fidessa +fidfad +fidge +fidged +fidges +fidget +fidgetation +fidgeted +fidgeter +fidgeters +fidgety +fidgetily +fidgetiness +fidgeting +fidgetingly +fidgets +fidging +fidia +fidibus +fidicinal +fidicinales +fidicula +fidiculae +fidley +fidleys +fido +fidos +fids +fiducia +fiducial +fiducially +fiduciary +fiduciaries +fiduciarily +fiducinales +fie +fied +fiedlerite +fief +fiefdom +fiefdoms +fiefs +fiel +field +fieldball +fieldbird +fielded +fielden +fielder +fielders +fieldfare +fieldfight +fieldy +fieldie +fielding +fieldish +fieldleft +fieldman +fieldmen +fieldmice +fieldmouse +fieldpiece +fieldpieces +fields +fieldsman +fieldsmen +fieldstone +fieldstrip +fieldward +fieldwards +fieldwork +fieldworker +fieldwort +fiend +fiendful +fiendfully +fiendhead +fiendish +fiendishly +fiendishness +fiendism +fiendly +fiendlier +fiendliest +fiendlike +fiendliness +fiends +fiendship +fient +fierabras +fierasfer +fierasferid +fierasferidae +fierasferoid +fierce +fiercehearted +fiercely +fiercen +fiercened +fierceness +fiercening +fiercer +fiercest +fiercly +fierding +fieri +fiery +fierier +fieriest +fierily +fieriness +fierte +fiesta +fiestas +fieulamort +fife +fifed +fifer +fifers +fifes +fifie +fifing +fifish +fifo +fifteen +fifteener +fifteenfold +fifteens +fifteenth +fifteenthly +fifteenths +fifth +fifthly +fifths +fifty +fifties +fiftieth +fiftieths +fiftyfold +fiftypenny +fig +figary +figaro +figbird +figboy +figeater +figeaters +figent +figeter +figged +figgery +figgy +figgier +figgiest +figging +figgle +figgum +fight +fightable +fighter +fighteress +fighters +fighting +fightingly +fightings +fights +fightwite +figitidae +figless +figlike +figment +figmental +figments +figo +figpecker +figs +figshell +figulate +figulated +figuline +figulines +figura +figurability +figurable +figurae +figural +figurally +figurant +figurante +figurants +figurate +figurately +figuration +figurational +figurations +figurative +figuratively +figurativeness +figurato +figure +figured +figuredly +figurehead +figureheadless +figureheads +figureheadship +figureless +figurer +figurers +figures +figuresome +figurette +figury +figurial +figurine +figurines +figuring +figurings +figurism +figurist +figuriste +figurize +figworm +figwort +figworts +fiji +fijian +fike +fyke +fiked +fikey +fikery +fykes +fikh +fikie +fiking +fil +fila +filace +filaceous +filacer +filago +filagree +filagreed +filagreeing +filagrees +filagreing +filament +filamentar +filamentary +filamented +filamentiferous +filamentoid +filamentose +filamentous +filaments +filamentule +filander +filanders +filao +filar +filaree +filarees +filaria +filariae +filarial +filarian +filariasis +filaricidal +filariform +filariid +filariidae +filariids +filarious +filasse +filate +filator +filatory +filature +filatures +filaze +filazer +filbert +filberts +filch +filched +filcher +filchery +filchers +filches +filching +filchingly +file +filea +fileable +filecard +filechar +filed +filefish +filefishes +filelike +filemaker +filemaking +filemark +filemarks +filemot +filename +filenames +filer +filers +files +filesave +filesmith +filesniff +filespec +filestatus +filet +fileted +fileting +filets +fylfot +fylfots +fylgja +fylgjur +fili +filial +filiality +filially +filialness +filiate +filiated +filiates +filiating +filiation +filibeg +filibegs +filibranch +filibranchia +filibranchiate +filibuster +filibustered +filibusterer +filibusterers +filibustering +filibusterism +filibusterous +filibusters +filibustrous +filical +filicales +filicauline +filices +filicic +filicidal +filicide +filicides +filiciform +filicin +filicineae +filicinean +filicinian +filicite +filicites +filicoid +filicoids +filicology +filicologist +filicornia +filiety +filiferous +filiform +filiformed +filigera +filigerous +filigrain +filigrained +filigrane +filigraned +filigree +filigreed +filigreeing +filigrees +filigreing +filii +filing +filings +filionymic +filiopietistic +filioque +filipendula +filipendulous +filipina +filipiniana +filipinization +filipinize +filipino +filipinos +filippi +filippic +filippo +filipuncture +filister +filisters +filite +filius +filix +fylker +fill +filla +fillable +fillagree +fillagreed +fillagreing +fille +fillebeg +filled +fillemot +filler +fillercap +fillers +filles +fillet +filleted +filleter +filleting +filletlike +fillets +filletster +filleul +filly +fillies +filling +fillingly +fillingness +fillings +fillip +filliped +fillipeen +filliping +fillips +fillister +fillmass +fillmore +fillock +fillowite +fills +film +filmable +filmcard +filmcards +filmdom +filmdoms +filmed +filmer +filmet +filmgoer +filmgoers +filmgoing +filmy +filmic +filmically +filmier +filmiest +filmiform +filmily +filminess +filming +filmish +filmist +filmize +filmized +filmizing +filmland +filmlands +filmlike +filmmake +filmmaker +filmmaking +filmogen +filmography +filmographies +films +filmset +filmsets +filmsetter +filmsetting +filmslide +filmstrip +filmstrips +filo +filoplumaceous +filoplume +filopodia +filopodium +filosa +filose +filoselle +filosofe +filosus +fils +filt +filter +filterability +filterable +filterableness +filtered +filterer +filterers +filtering +filterman +filtermen +filters +filth +filthy +filthier +filthiest +filthify +filthified +filthifying +filthily +filthiness +filthless +filths +filtrability +filtrable +filtratable +filtrate +filtrated +filtrates +filtrating +filtration +filtre +filum +fimble +fimbles +fimbria +fimbriae +fimbrial +fimbriate +fimbriated +fimbriating +fimbriation +fimbriatum +fimbricate +fimbricated +fimbrilla +fimbrillae +fimbrillate +fimbrilliferous +fimbrillose +fimbriodentate +fimbristylis +fimetarious +fimetic +fimicolous +fin +finable +finableness +finagle +finagled +finagler +finaglers +finagles +finagling +final +finale +finales +finalis +finalism +finalisms +finalist +finalists +finality +finalities +finalization +finalizations +finalize +finalized +finalizes +finalizing +finally +finals +finance +financed +financer +finances +financial +financialist +financially +financier +financiere +financiered +financiery +financiering +financiers +financing +financist +finary +finback +finbacks +finbone +finca +fincas +finch +finchbacked +finched +finchery +finches +find +findability +findable +findal +finder +finders +findfault +findhorn +findy +finding +findings +findjan +findon +finds +fine +fineable +fineableness +finebent +finecomb +fined +finedraw +finedrawing +fineer +fineish +fineleaf +fineless +finely +finement +fineness +finenesses +finer +finery +fineries +fines +finespun +finesse +finessed +finesser +finesses +finessing +finest +finestill +finestiller +finestra +finetop +finew +finewed +finfish +finfishes +finfoot +finfoots +fingal +fingall +fingallian +fingan +fingent +finger +fingerable +fingerberry +fingerboard +fingerboards +fingerbreadth +fingered +fingerer +fingerers +fingerfish +fingerfishes +fingerflower +fingerhold +fingerhook +fingery +fingering +fingerings +fingerleaf +fingerless +fingerlet +fingerlike +fingerling +fingerlings +fingermark +fingernail +fingernails +fingerparted +fingerpost +fingerprint +fingerprinted +fingerprinting +fingerprints +fingerroot +fingers +fingersmith +fingerspin +fingerstall +fingerstone +fingertip +fingertips +fingerwise +fingerwork +fingian +fingram +fingrigo +fingu +fini +finial +finialed +finials +finical +finicality +finically +finicalness +finicism +finick +finicky +finickier +finickiest +finickily +finickin +finickiness +finicking +finickingly +finickingness +finify +finific +finiglacial +finikin +finiking +fining +finings +finis +finises +finish +finishable +finished +finisher +finishers +finishes +finishing +finitary +finite +finitely +finiteness +finites +finitesimal +finity +finitism +finitive +finitude +finitudes +finjan +fink +finked +finkel +finking +finks +finland +finlander +finlandization +finless +finlet +finlike +finmark +finmarks +finn +finnac +finnack +finnan +finned +finner +finnesko +finny +finnic +finnicize +finnick +finnicky +finnickier +finnickiest +finnicking +finnier +finniest +finning +finnip +finnish +finnmark +finnmarks +finnoc +finnochio +finns +fino +finochio +finochios +fins +finspot +fintadores +fionnuala +fiord +fiorded +fiords +fioretti +fiorin +fiorite +fioritura +fioriture +fiot +fip +fipenny +fippence +fipple +fipples +fiqh +fique +fiques +fir +firbolg +firca +fyrd +fyrdung +fire +fireable +firearm +firearmed +firearms +fireback +fireball +fireballs +firebase +firebases +firebed +firebird +firebirds +fireblende +fireboard +fireboat +fireboats +fireboy +firebolt +firebolted +firebomb +firebombed +firebombing +firebombs +fireboot +firebote +firebox +fireboxes +firebrand +firebrands +firebrat +firebrats +firebreak +firebreaks +firebrick +firebricks +firebug +firebugs +fireburn +fireclay +fireclays +firecoat +firecracker +firecrackers +firecrest +fired +firedamp +firedamps +firedog +firedogs +firedragon +firedrake +firefall +firefang +firefanged +firefanging +firefangs +firefight +firefighter +firefighters +firefighting +fireflaught +firefly +fireflies +fireflirt +fireflower +fireguard +firehall +firehalls +firehouse +firehouses +fireless +firelight +firelike +fireling +firelit +firelock +firelocks +fireman +firemanship +firemaster +firemen +firepan +firepans +firepink +firepinks +fireplace +fireplaces +fireplough +fireplow +fireplug +fireplugs +firepot +firepower +fireproof +fireproofed +fireproofing +fireproofness +firer +fireroom +firerooms +firers +fires +firesafe +firesafeness +firesafety +fireshaft +fireshine +fireside +firesider +firesides +firesideship +firespout +firestone +firestop +firestopping +firestorm +firetail +firethorn +firetop +firetower +firetrap +firetraps +firewall +fireward +firewarden +firewater +fireweed +fireweeds +firewood +firewoods +firework +fireworky +fireworkless +fireworks +fireworm +fireworms +firy +firiness +firing +firings +firk +firked +firker +firkin +firking +firkins +firlot +firm +firma +firmament +firmamental +firmaments +firman +firmance +firmans +firmarii +firmarius +firmation +firmed +firmer +firmers +firmest +firmhearted +firming +firmisternal +firmisternia +firmisternial +firmisternous +firmity +firmitude +firmland +firmless +firmly +firmness +firmnesses +firms +firmware +firn +firnification +firnismalerei +firns +firoloida +firry +firring +firs +first +firstborn +firstcomer +firster +firstfruits +firsthand +firstly +firstling +firstlings +firstness +firsts +firstship +firth +firths +fisc +fiscal +fiscalify +fiscalism +fiscality +fiscalization +fiscalize +fiscalized +fiscalizing +fiscally +fiscals +fischerite +fiscs +fiscus +fise +fisetin +fish +fishability +fishable +fishback +fishbed +fishberry +fishberries +fishboat +fishboats +fishbolt +fishbolts +fishbone +fishbones +fishbowl +fishbowls +fisheater +fished +fisheye +fisheyes +fisher +fisherboat +fisherboy +fisheress +fisherfolk +fishergirl +fishery +fisheries +fisherman +fishermen +fisherpeople +fishers +fisherwoman +fishes +fishet +fishfall +fishfinger +fishful +fishgarth +fishgig +fishgigs +fishgrass +fishhold +fishhood +fishhook +fishhooks +fishhouse +fishy +fishyard +fishyback +fishybacking +fishier +fishiest +fishify +fishified +fishifying +fishily +fishiness +fishing +fishingly +fishings +fishless +fishlet +fishlike +fishline +fishlines +fishling +fishman +fishmeal +fishmeals +fishmen +fishmonger +fishmouth +fishnet +fishnets +fishplate +fishpole +fishpoles +fishpond +fishponds +fishpool +fishpot +fishpotter +fishpound +fishskin +fishspear +fishtail +fishtailed +fishtailing +fishtails +fishway +fishways +fishweed +fishweir +fishwife +fishwives +fishwoman +fishwood +fishworker +fishworks +fishworm +fisk +fisnoga +fissate +fissicostate +fissidactyl +fissidens +fissidentaceae +fissidentaceous +fissile +fissileness +fissilingual +fissilinguia +fissility +fission +fissionability +fissionable +fissional +fissioned +fissioning +fissions +fissipalmate +fissipalmation +fissiparation +fissiparism +fissiparity +fissiparous +fissiparously +fissiparousness +fissiped +fissipeda +fissipedal +fissipedate +fissipedia +fissipedial +fissipeds +fissipes +fissirostral +fissirostrate +fissirostres +fissive +fissle +fissura +fissural +fissuration +fissure +fissured +fissureless +fissurella +fissurellidae +fissures +fissury +fissuriform +fissuring +fist +fisted +fister +fistfight +fistful +fistfuls +fisty +fistiana +fistic +fistical +fisticuff +fisticuffer +fisticuffery +fisticuffing +fisticuffs +fistify +fistiness +fisting +fistinut +fistle +fistlike +fistmele +fistnote +fistnotes +fists +fistuca +fistula +fistulae +fistulana +fistular +fistularia +fistulariidae +fistularioid +fistulas +fistulate +fistulated +fistulatome +fistulatous +fistule +fistuliform +fistulina +fistulization +fistulize +fistulized +fistulizing +fistulose +fistulous +fistwise +fit +fitch +fitche +fitched +fitchee +fitcher +fitchered +fitchery +fitchering +fitches +fitchet +fitchets +fitchew +fitchews +fitchy +fitful +fitfully +fitfulness +fitified +fitly +fitment +fitments +fitness +fitnesses +fitout +fitroot +fits +fittable +fittage +fytte +fitted +fittedness +fitten +fitter +fitters +fyttes +fittest +fitty +fittier +fittiest +fittyfied +fittily +fittiness +fitting +fittingly +fittingness +fittings +fittit +fittyways +fittywise +fittonia +fitweed +fitz +fitzclarence +fitzroy +fitzroya +fiuman +fiumara +five +fivebar +fivefold +fivefoldness +fiveling +fivepence +fivepenny +fivepins +fiver +fivers +fives +fivescore +fivesome +fivestones +fivish +fix +fixable +fixage +fixate +fixated +fixates +fixatif +fixatifs +fixating +fixation +fixations +fixative +fixatives +fixator +fixature +fixe +fixed +fixedly +fixedness +fixer +fixers +fixes +fixgig +fixidity +fixing +fixings +fixion +fixity +fixities +fixive +fixt +fixture +fixtureless +fixtures +fixup +fixups +fixure +fixures +fiz +fizelyite +fizgig +fizgigs +fizz +fizzed +fizzer +fizzers +fizzes +fizzy +fizzier +fizziest +fizzing +fizzle +fizzled +fizzles +fizzling +fizzwater +fjarding +fjeld +fjelds +fjerding +fjord +fjorded +fjords +fjorgyn +fl +flab +flabbella +flabbergast +flabbergastation +flabbergasted +flabbergasting +flabbergastingly +flabbergasts +flabby +flabbier +flabbiest +flabbily +flabbiness +flabel +flabella +flabellarium +flabellate +flabellation +flabellifoliate +flabelliform +flabellinerved +flabellum +flabile +flabra +flabrum +flabs +flaccid +flaccidity +flaccidities +flaccidly +flaccidness +flachery +flacherie +flacian +flacianism +flacianist +flack +flacked +flacker +flackery +flacket +flacks +flacon +flacons +flacourtia +flacourtiaceae +flacourtiaceous +flaff +flaffer +flag +flagarie +flagboat +flagella +flagellant +flagellantism +flagellants +flagellar +flagellaria +flagellariaceae +flagellariaceous +flagellata +flagellatae +flagellate +flagellated +flagellates +flagellating +flagellation +flagellations +flagellative +flagellator +flagellatory +flagellators +flagelliferous +flagelliform +flagellist +flagellosis +flagellula +flagellulae +flagellum +flagellums +flageolet +flageolets +flagfall +flagfish +flagfishes +flagged +flaggelate +flaggelated +flaggelating +flaggelation +flaggella +flagger +flaggery +flaggers +flaggy +flaggier +flaggiest +flaggily +flagginess +flagging +flaggingly +flaggings +flaggish +flagilate +flagitate +flagitation +flagitious +flagitiously +flagitiousness +flagleaf +flagless +flaglet +flaglike +flagmaker +flagmaking +flagman +flagmen +flagon +flagonet +flagonless +flagons +flagpole +flagpoles +flagrance +flagrancy +flagrant +flagrante +flagrantly +flagrantness +flagrate +flagroot +flags +flagship +flagships +flagstaff +flagstaffs +flagstaves +flagstick +flagstone +flagstones +flagworm +flay +flayed +flayer +flayers +flayflint +flaying +flail +flailed +flailing +flaillike +flails +flain +flair +flairs +flays +flaite +flaith +flaithship +flajolotite +flak +flakage +flake +flakeboard +flaked +flakeless +flakelet +flaker +flakers +flakes +flaky +flakier +flakiest +flakily +flakiness +flaking +flam +flamandization +flamandize +flamant +flamb +flambage +flambant +flambe +flambeau +flambeaus +flambeaux +flambee +flambeed +flambeing +flamberg +flamberge +flambes +flamboyance +flamboyancy +flamboyant +flamboyantism +flamboyantize +flamboyantly +flamboyer +flame +flamed +flamefish +flamefishes +flameflower +flameholder +flameless +flamelet +flamelike +flamen +flamenco +flamencos +flamens +flamenship +flameout +flameouts +flameproof +flameproofer +flamer +flamers +flames +flamethrower +flamethrowers +flamfew +flamy +flamier +flamiest +flamineous +flamines +flaming +flamingant +flamingly +flamingo +flamingoes +flamingos +flaminian +flaminica +flaminical +flamless +flammability +flammable +flammably +flammant +flammation +flammed +flammeous +flammiferous +flammigerous +flamming +flammivomous +flammulated +flammulation +flammule +flams +flan +flancard +flancards +flanch +flanchard +flanche +flanched +flanconade +flanconnade +flandan +flanderkin +flanders +flandowser +flane +flanerie +flaneries +flanes +flaneur +flaneurs +flang +flange +flanged +flangeless +flanger +flangers +flanges +flangeway +flanging +flank +flankard +flanked +flanken +flanker +flankers +flanky +flanking +flanks +flankwise +flanned +flannel +flannelboard +flannelbush +flanneled +flannelet +flannelette +flannelflower +flanneling +flannelleaf +flannelleaves +flannelled +flannelly +flannelling +flannelmouth +flannelmouthed +flannelmouths +flannels +flanning +flanque +flans +flap +flapcake +flapdock +flapdoodle +flapdragon +flaperon +flapjack +flapjacks +flapless +flapmouthed +flappable +flapped +flapper +flapperdom +flappered +flapperhood +flappering +flapperish +flapperism +flappers +flappet +flappy +flappier +flappiest +flapping +flaps +flare +flareback +flareboard +flared +flareless +flarer +flares +flarfish +flarfishes +flary +flaring +flaringly +flaser +flash +flashback +flashbacks +flashboard +flashbulb +flashbulbs +flashcube +flashcubes +flashed +flasher +flashers +flashes +flashet +flashflood +flashforward +flashforwards +flashgun +flashguns +flashy +flashier +flashiest +flashily +flashiness +flashing +flashingly +flashings +flashlamp +flashlamps +flashly +flashlight +flashlights +flashlike +flashness +flashover +flashpan +flashproof +flashtester +flashtube +flashtubes +flask +flasker +flasket +flaskets +flaskful +flasklet +flasks +flasque +flat +flatbed +flatbeds +flatboat +flatboats +flatbottom +flatbread +flatbrod +flatcap +flatcaps +flatcar +flatcars +flatdom +flated +flateria +flatette +flatfeet +flatfish +flatfishes +flatfoot +flatfooted +flatfootedly +flatfootedness +flatfooting +flatfoots +flathat +flathe +flathead +flatheads +flatiron +flatirons +flative +flatland +flatlander +flatlanders +flatlands +flatlet +flatlets +flatly +flatling +flatlings +flatlong +flatman +flatmate +flatmen +flatness +flatnesses +flatnose +flats +flatted +flatten +flattened +flattener +flatteners +flattening +flattens +flatter +flatterable +flattercap +flatterdock +flattered +flatterer +flatterers +flatteress +flattery +flatteries +flattering +flatteringly +flatteringness +flatterous +flatters +flattest +flatteur +flattie +flatting +flattish +flattop +flattops +flatulence +flatulences +flatulency +flatulencies +flatulent +flatulently +flatulentness +flatuosity +flatuous +flatus +flatuses +flatway +flatways +flatware +flatwares +flatwash +flatwashes +flatweed +flatwise +flatwoods +flatwork +flatworks +flatworm +flatworms +flaubert +flaubertian +flaucht +flaught +flaughtbred +flaughter +flaughts +flaunch +flaunche +flaunched +flaunching +flaunt +flaunted +flaunter +flaunters +flaunty +flauntier +flauntiest +flauntily +flauntiness +flaunting +flauntingly +flaunts +flautino +flautist +flautists +flauto +flav +flavanilin +flavaniline +flavanone +flavanthrene +flavanthrone +flavedo +flavedos +flaveria +flavescence +flavescent +flavia +flavian +flavic +flavicant +flavid +flavin +flavine +flavines +flavins +flavius +flavo +flavobacteria +flavobacterium +flavone +flavones +flavonoid +flavonol +flavonols +flavoprotein +flavopurpurin +flavor +flavored +flavorer +flavorers +flavorful +flavorfully +flavorfulness +flavory +flavoriness +flavoring +flavorings +flavorless +flavorlessness +flavorous +flavorousness +flavors +flavorsome +flavorsomeness +flavour +flavoured +flavourer +flavourful +flavourfully +flavoury +flavouring +flavourless +flavourous +flavours +flavoursome +flavous +flaw +flawed +flawedness +flawflower +flawful +flawy +flawier +flawiest +flawing +flawless +flawlessly +flawlessness +flawn +flaws +flax +flaxbird +flaxboard +flaxbush +flaxdrop +flaxen +flaxes +flaxy +flaxier +flaxiest +flaxlike +flaxman +flaxseed +flaxseeds +flaxtail +flaxweed +flaxwench +flaxwife +flaxwoman +flaxwort +flb +flche +flchette +fld +fldxt +flea +fleabag +fleabags +fleabane +fleabanes +fleabite +fleabites +fleabiting +fleabitten +fleabug +fleabugs +fleadock +fleahopper +fleay +fleak +fleam +fleamy +fleams +fleapit +flear +fleas +fleaseed +fleaweed +fleawood +fleawort +fleaworts +flebile +flebotomy +fleche +fleches +flechette +flechettes +fleck +flecked +flecken +flecker +fleckered +fleckering +flecky +fleckier +fleckiest +fleckiness +flecking +fleckled +fleckless +flecklessly +flecks +flecnodal +flecnode +flect +flection +flectional +flectionless +flections +flector +fled +fledge +fledged +fledgeless +fledgeling +fledges +fledgy +fledgier +fledgiest +fledging +fledgling +fledglings +flee +fleece +fleeceable +fleeced +fleeceflower +fleeceless +fleecelike +fleecer +fleecers +fleeces +fleech +fleeched +fleeches +fleeching +fleechment +fleecy +fleecier +fleeciest +fleecily +fleeciness +fleecing +fleeing +fleer +fleered +fleerer +fleering +fleeringly +fleerish +fleers +flees +fleet +fleeted +fleeten +fleeter +fleetest +fleetful +fleeting +fleetingly +fleetingness +fleetings +fleetly +fleetness +fleets +fleetwing +flegm +fley +fleyed +fleyedly +fleyedness +fleying +fleyland +fleing +fleys +fleishig +fleysome +flem +fleme +flemer +fleming +flemings +flemish +flemished +flemishes +flemishing +flench +flenched +flenches +flenching +flense +flensed +flenser +flensers +flenses +flensing +flentes +flerry +flerried +flerrying +flesh +fleshbrush +fleshed +fleshen +flesher +fleshers +fleshes +fleshful +fleshhood +fleshhook +fleshy +fleshier +fleshiest +fleshiness +fleshing +fleshings +fleshless +fleshlessness +fleshly +fleshlier +fleshliest +fleshlike +fleshlily +fleshliness +fleshling +fleshment +fleshmonger +fleshpot +fleshpots +fleshquake +flet +fleta +fletch +fletched +fletcher +fletcherism +fletcherite +fletcherize +fletchers +fletches +fletching +fletchings +flether +fletton +fleur +fleuret +fleurette +fleurettee +fleuretty +fleury +fleuron +fleuronee +fleuronne +fleuronnee +flew +flewed +flewit +flews +flex +flexanimous +flexed +flexes +flexibility +flexibilities +flexibilty +flexible +flexibleness +flexibly +flexile +flexility +flexing +flexion +flexional +flexionless +flexions +flexity +flexitime +flexive +flexo +flexography +flexographic +flexographically +flexor +flexors +flexuose +flexuosely +flexuoseness +flexuosity +flexuosities +flexuous +flexuously +flexuousness +flexura +flexural +flexure +flexured +flexures +fly +flyability +flyable +flyaway +flyaways +flyback +flyball +flybane +flibbertigibbet +flibbertigibbety +flibbertigibbets +flybelt +flybelts +flyby +flybys +flyblew +flyblow +flyblowing +flyblown +flyblows +flyboat +flyboats +flyboy +flybook +flybrush +flibustier +flic +flycaster +flycatcher +flycatchers +flicflac +flichter +flichtered +flichtering +flichters +flick +flicked +flicker +flickered +flickery +flickering +flickeringly +flickermouse +flickerproof +flickers +flickertail +flicky +flicking +flicks +flics +flidder +flidge +flyeater +flied +flier +flyer +fliers +flyers +flies +fliest +fliffus +flyflap +flyflapper +flyflower +fligged +fligger +flight +flighted +flighter +flightful +flighthead +flighty +flightier +flightiest +flightily +flightiness +flighting +flightless +flights +flightshot +flightworthy +flying +flyingly +flyings +flyleaf +flyleaves +flyless +flyman +flymen +flimflam +flimflammed +flimflammer +flimflammery +flimflamming +flimflams +flimmer +flimp +flimsy +flimsier +flimsies +flimsiest +flimsily +flimsilyst +flimsiness +flinch +flinched +flincher +flinchers +flinches +flinching +flinchingly +flinder +flinders +flindersia +flindosa +flindosy +flyness +fling +flingdust +flinger +flingers +flingy +flinging +flings +flinkite +flint +flinted +flinter +flinthead +flinthearted +flinty +flintier +flintiest +flintify +flintified +flintifying +flintily +flintiness +flinting +flintless +flintlike +flintlock +flintlocks +flints +flintstone +flintwood +flintwork +flintworker +flyoff +flioma +flyover +flyovers +flip +flypaper +flypapers +flypast +flypasts +flipe +flype +fliped +flipflop +fliping +flipjack +flippance +flippancy +flippancies +flippant +flippantly +flippantness +flipped +flipper +flippery +flipperling +flippers +flippest +flipping +flyproof +flips +flirt +flirtable +flirtation +flirtational +flirtationless +flirtations +flirtatious +flirtatiously +flirtatiousness +flirted +flirter +flirters +flirty +flirtier +flirtiest +flirtigig +flirting +flirtingly +flirtish +flirtishness +flirtling +flirts +flysch +flysches +flisk +flisked +flisky +fliskier +fliskiest +flyspeck +flyspecked +flyspecking +flyspecks +flyswat +flyswatter +flit +flytail +flitch +flitched +flitchen +flitches +flitching +flitchplate +flite +flyte +flited +flyted +flites +flytes +flitfold +flytier +flytiers +flytime +fliting +flyting +flytings +flytrap +flytraps +flits +flitted +flitter +flitterbat +flittered +flittering +flittermice +flittermmice +flittermouse +flittern +flitters +flitty +flittiness +flitting +flittingly +flitwite +flivver +flivvers +flyway +flyways +flyweight +flyweights +flywheel +flywheels +flywinch +flywire +flywort +flix +flixweed +fll +flnerie +flneur +flneuse +flo +fload +float +floatability +floatable +floatage +floatages +floatation +floatative +floatboard +floated +floater +floaters +floaty +floatier +floatiest +floatiness +floating +floatingly +floative +floatless +floatmaker +floatman +floatmen +floatplane +floats +floatsman +floatsmen +floatstone +flob +flobby +floc +flocced +flocci +floccilation +floccillation +floccing +floccipend +floccose +floccosely +flocculable +flocculant +floccular +flocculate +flocculated +flocculating +flocculation +flocculator +floccule +flocculence +flocculency +flocculent +flocculently +floccules +flocculi +flocculose +flocculous +flocculus +floccus +flock +flockbed +flocked +flocker +flocky +flockier +flockiest +flocking +flockings +flockless +flocklike +flockling +flockman +flockmaster +flockowner +flocks +flockwise +flocoon +flocs +flodge +floe +floeberg +floey +floerkea +floes +flog +floggable +flogged +flogger +floggers +flogging +floggingly +floggings +flogmaster +flogs +flogster +floyd +floit +floyt +flokite +flon +flong +flongs +flood +floodable +floodage +floodboard +floodcock +flooded +flooder +flooders +floodgate +floodgates +floody +flooding +floodless +floodlet +floodlight +floodlighted +floodlighting +floodlights +floodlike +floodlilit +floodlit +floodmark +floodometer +floodplain +floodproof +floods +floodtime +floodway +floodways +floodwall +floodwater +floodwood +flooey +flook +flookan +floor +floorage +floorages +floorboard +floorboards +floorcloth +floorcloths +floored +floorer +floorers +floorhead +flooring +floorings +floorless +floorman +floormen +floors +floorshift +floorshifts +floorshow +floorthrough +floorway +floorwalker +floorwalkers +floorward +floorwise +floosy +floosies +floozy +floozie +floozies +flop +floperoo +flophouse +flophouses +flopover +flopovers +flopped +flopper +floppers +floppy +floppier +floppies +floppiest +floppily +floppiness +flopping +flops +flopwing +flor +flora +florae +floral +floralia +floralize +florally +floramor +floramour +floran +floras +florate +floreal +floreat +floreate +floreated +floreating +florence +florences +florent +florentine +florentines +florentinism +florentium +flores +florescence +florescent +floressence +floret +floreta +floreted +florets +florette +floretty +floretum +flory +floria +floriage +florian +floriate +floriated +floriation +floribunda +florican +floricin +floricomous +floricultural +floriculturally +floriculture +floriculturist +florid +florida +floridan +floridans +florideae +floridean +florideous +floridian +floridians +floridity +floridities +floridly +floridness +floriferous +floriferously +floriferousness +florification +floriform +florigen +florigenic +florigens +florigraphy +florikan +floriken +florilage +florilege +florilegia +florilegium +florimania +florimanist +florin +florinda +florins +floriparous +floripondio +floriscope +florissant +florist +floristic +floristically +floristics +floristry +florists +florisugent +florivorous +florizine +floroon +floroscope +floroun +floruit +floruits +florula +florulae +florulas +florulent +floscular +floscularia +floscularian +flosculariidae +floscule +flosculet +flosculose +flosculous +flosh +floss +flossa +flossed +flosser +flosses +flossflower +flossy +flossie +flossier +flossies +flossiest +flossification +flossiness +flossing +flot +flota +flotage +flotages +flotant +flotas +flotation +flotations +flotative +flote +floter +flotilla +flotillas +flotorial +flots +flotsam +flotsams +flotsan +flotsen +flotson +flotten +flotter +flounce +flounced +flouncey +flounces +flouncy +flouncier +flounciest +flouncing +flounder +floundered +floundering +flounderingly +flounders +flour +floured +flourescent +floury +flouriness +flouring +flourish +flourishable +flourished +flourisher +flourishes +flourishy +flourishing +flourishingly +flourishment +flourless +flourlike +flours +flouse +floush +flout +flouted +flouter +flouters +flouting +floutingly +flouts +flow +flowable +flowage +flowages +flowchart +flowcharted +flowcharting +flowcharts +flowcontrol +flowe +flowed +flower +flowerage +flowerbed +flowered +flowerer +flowerers +floweret +flowerets +flowerfence +flowerfly +flowerful +flowery +flowerier +floweriest +flowerily +floweriness +flowering +flowerist +flowerless +flowerlessness +flowerlet +flowerlike +flowerpecker +flowerpot +flowerpots +flowers +flowerwork +flowing +flowingly +flowingness +flowk +flowmanostat +flowmeter +flown +flowoff +flows +flowstone +flrie +flu +fluate +fluavil +fluavile +flub +flubbed +flubbing +flubdub +flubdubbery +flubdubberies +flubdubs +flubs +flucan +fluctiferous +fluctigerous +fluctisonant +fluctisonous +fluctuability +fluctuable +fluctuant +fluctuate +fluctuated +fluctuates +fluctuating +fluctuation +fluctuational +fluctuations +fluctuosity +fluctuous +flue +flued +fluegelhorn +fluey +flueless +fluellen +fluellin +fluellite +flueman +fluemen +fluence +fluency +fluencies +fluent +fluently +fluentness +fluer +flueric +fluerics +flues +fluework +fluff +fluffed +fluffer +fluffy +fluffier +fluffiest +fluffily +fluffiness +fluffing +fluffs +flugel +flugelhorn +flugelman +flugelmen +fluible +fluid +fluidacetextract +fluidal +fluidally +fluidextract +fluidglycerate +fluidible +fluidic +fluidics +fluidify +fluidification +fluidified +fluidifier +fluidifying +fluidimeter +fluidisation +fluidise +fluidised +fluidiser +fluidises +fluidising +fluidism +fluidist +fluidity +fluidities +fluidization +fluidize +fluidized +fluidizer +fluidizes +fluidizing +fluidly +fluidmeter +fluidness +fluidounce +fluidrachm +fluidram +fluidrams +fluids +fluigram +fluigramme +fluing +fluyt +fluitant +fluyts +fluke +fluked +flukey +flukeless +flukes +flukeworm +flukewort +fluky +flukier +flukiest +flukily +flukiness +fluking +flumadiddle +flumdiddle +flume +flumed +flumerin +flumes +fluming +fluminose +fluminous +flummadiddle +flummer +flummery +flummeries +flummydiddle +flummox +flummoxed +flummoxes +flummoxing +flump +flumped +flumping +flumps +flung +flunk +flunked +flunkey +flunkeydom +flunkeyhood +flunkeyish +flunkeyism +flunkeyistic +flunkeyite +flunkeyize +flunkeys +flunker +flunkers +flunky +flunkydom +flunkies +flunkyhood +flunkyish +flunkyism +flunkyistic +flunkyite +flunkyize +flunking +flunks +fluoaluminate +fluoaluminic +fluoarsenate +fluoborate +fluoboric +fluoborid +fluoboride +fluoborite +fluobromide +fluocarbonate +fluocerine +fluocerite +fluochloride +fluohydric +fluophosphate +fluor +fluoran +fluorane +fluoranthene +fluorapatite +fluorate +fluorated +fluorbenzene +fluorboric +fluorene +fluorenes +fluorenyl +fluoresage +fluoresce +fluoresced +fluorescein +fluoresceine +fluorescence +fluorescent +fluorescer +fluoresces +fluorescigenic +fluorescigenous +fluorescin +fluorescing +fluorhydric +fluoric +fluorid +fluoridate +fluoridated +fluoridates +fluoridating +fluoridation +fluoridations +fluoride +fluorides +fluoridisation +fluoridise +fluoridised +fluoridising +fluoridization +fluoridize +fluoridized +fluoridizing +fluorids +fluoryl +fluorimeter +fluorimetry +fluorimetric +fluorin +fluorinate +fluorinated +fluorinates +fluorinating +fluorination +fluorinations +fluorindin +fluorindine +fluorine +fluorines +fluorins +fluorite +fluorites +fluormeter +fluorobenzene +fluoroborate +fluorocarbon +fluorocarbons +fluorochrome +fluoroform +fluoroformol +fluorogen +fluorogenic +fluorography +fluorographic +fluoroid +fluorometer +fluorometry +fluorometric +fluorophosphate +fluoroscope +fluoroscoped +fluoroscopes +fluoroscopy +fluoroscopic +fluoroscopically +fluoroscopies +fluoroscoping +fluoroscopist +fluoroscopists +fluorosis +fluorotic +fluorotype +fluorouracil +fluors +fluorspar +fluosilicate +fluosilicic +fluotantalate +fluotantalic +fluotitanate +fluotitanic +fluozirconic +fluphenazine +flurn +flurr +flurry +flurried +flurriedly +flurries +flurrying +flurriment +flurt +flus +flush +flushable +flushboard +flushed +flusher +flusherman +flushermen +flushers +flushes +flushest +flushgate +flushy +flushing +flushingly +flushness +flusk +flusker +fluster +flusterate +flusterated +flusterating +flusteration +flustered +flusterer +flustery +flustering +flusterment +flusters +flustra +flustrate +flustrated +flustrating +flustration +flustrine +flustroid +flustrum +flute +flutebird +fluted +flutey +flutelike +flutemouth +fluter +fluters +flutes +flutework +fluther +fluty +flutidae +flutier +flutiest +flutina +fluting +flutings +flutist +flutists +flutter +flutterable +flutteration +flutterboard +fluttered +flutterer +flutterers +fluttery +flutteriness +fluttering +flutteringly +flutterless +flutterment +flutters +fluttersome +fluvanna +fluvial +fluvialist +fluviatic +fluviatile +fluviation +fluvicoline +fluvio +fluvioglacial +fluviograph +fluviolacustrine +fluviology +fluviomarine +fluviometer +fluviose +fluvioterrestrial +fluvious +fluviovolcanic +flux +fluxation +fluxed +fluxer +fluxes +fluxgraph +fluxibility +fluxible +fluxibleness +fluxibly +fluxile +fluxility +fluxing +fluxion +fluxional +fluxionally +fluxionary +fluxionist +fluxions +fluxive +fluxmeter +fluxroot +fluxure +fluxweed +fm +fmt +fn +fname +fnese +fo +foal +foaled +foalfoot +foalfoots +foalhood +foaly +foaling +foals +foam +foambow +foamed +foamer +foamers +foamflower +foamy +foamier +foamiest +foamily +foaminess +foaming +foamingly +foamless +foamlike +foams +fob +fobbed +fobbing +fobs +focal +focalisation +focalise +focalised +focalises +focalising +focalization +focalize +focalized +focalizes +focalizing +focally +focaloid +foci +focimeter +focimetry +fockle +focoids +focometer +focometry +focsle +focus +focusable +focused +focuser +focusers +focuses +focusing +focusless +focussed +focusses +focussing +fod +fodda +fodder +foddered +fodderer +foddering +fodderless +fodders +foder +fodge +fodgel +fodient +fodientia +foe +foederal +foederati +foederatus +foederis +foeffment +foehn +foehnlike +foehns +foeish +foeless +foelike +foeman +foemanship +foemen +foeniculum +foenngreek +foes +foeship +foetal +foetalism +foetalization +foetation +foeti +foeticidal +foeticide +foetid +foetiferous +foetiparous +foetor +foetors +foeture +foetus +foetuses +fofarraw +fog +fogas +fogbank +fogbound +fogbow +fogbows +fogdog +fogdogs +fogdom +foge +fogeater +fogey +fogeys +fogfruit +fogfruits +foggage +foggages +foggara +fogged +fogger +foggers +foggy +foggier +foggiest +foggily +fogginess +fogging +foggish +foghorn +foghorns +fogy +fogydom +fogie +fogies +fogyish +fogyishness +fogyism +fogyisms +fogle +fogless +foglietto +fogman +fogmen +fogo +fogon +fogou +fogproof +fogram +fogramite +fogramity +fogrum +fogs +fogscoffer +fogus +foh +fohat +fohn +fohns +foy +foyaite +foyaitic +foible +foibles +foiblesse +foyboat +foyer +foyers +foil +foilable +foiled +foiler +foiling +foils +foilsman +foilsmen +foin +foined +foining +foiningly +foins +foys +foysen +foism +foison +foisonless +foisons +foist +foisted +foister +foisty +foistiness +foisting +foists +foiter +fokker +fol +folacin +folacins +folate +folates +folcgemot +fold +foldable +foldage +foldaway +foldboat +foldboater +foldboating +foldboats +foldcourse +folded +foldedly +folden +folder +folderol +folderols +folders +foldy +folding +foldless +foldout +foldouts +folds +foldskirt +foldstool +foldure +foldwards +fole +foleye +folgerite +folia +foliaceous +foliaceousness +foliage +foliaged +foliageous +foliages +foliaging +folial +foliar +foliary +foliate +foliated +foliates +foliating +foliation +foliator +foliature +folic +folie +folies +foliicolous +foliiferous +foliiform +folily +folio +foliobranch +foliobranchiate +foliocellosis +folioed +folioing +foliolate +foliole +folioliferous +foliolose +folios +foliose +foliosity +foliot +folious +foliously +folium +foliums +folk +folkboat +folkcraft +folkfree +folky +folkish +folkishness +folkland +folklike +folklore +folklores +folkloric +folklorish +folklorism +folklorist +folkloristic +folklorists +folkmoot +folkmooter +folkmoots +folkmot +folkmote +folkmoter +folkmotes +folkmots +folkright +folks +folksay +folksey +folksy +folksier +folksiest +folksily +folksiness +folksinger +folksinging +folksong +folksongs +folktale +folktales +folkvang +folkvangr +folkway +folkways +foll +foller +folles +folletage +folletti +folletto +folly +follicle +follicles +follicular +folliculate +folliculated +follicule +folliculin +folliculina +folliculitis +folliculose +folliculosis +folliculous +follied +follyer +follies +folliful +follying +follily +follyproof +follis +follow +followable +followed +follower +followers +followership +followeth +following +followingly +followings +follows +followup +folsom +fomalhaut +foment +fomentation +fomentations +fomented +fomenter +fomenters +fomenting +fomento +foments +fomes +fomites +fon +fonctionnaire +fond +fondaco +fondak +fondant +fondants +fondateur +fonded +fonder +fondest +fonding +fondish +fondle +fondled +fondler +fondlers +fondles +fondlesome +fondly +fondlike +fondling +fondlingly +fondlings +fondness +fondnesses +fondon +fondouk +fonds +fondu +fondue +fondues +fonduk +fondus +fone +fonly +fonnish +fono +fons +font +fontainea +fontal +fontally +fontanel +fontanelle +fontanels +fontange +fontanges +fonted +fontes +fontful +fonticulus +fontina +fontinal +fontinalaceae +fontinalaceous +fontinalis +fontinas +fontlet +fonts +foo +foobar +foochow +foochowese +food +fooder +foodful +foody +foodless +foodlessness +foods +foodservices +foodstuff +foodstuffs +foofaraw +foofaraws +fooyoung +fooyung +fool +foolable +fooldom +fooled +fooler +foolery +fooleries +fooless +foolfish +foolfishes +foolhardy +foolhardier +foolhardiest +foolhardihood +foolhardily +foolhardiness +foolhardiship +foolhead +foolheaded +foolheadedness +foolify +fooling +foolish +foolisher +foolishest +foolishly +foolishness +foollike +foolmonger +foolocracy +foolproof +foolproofness +fools +foolscap +foolscaps +foolship +fooner +fooster +foosterer +foot +footage +footages +footback +football +footballer +footballist +footballs +footband +footbath +footbaths +footbeat +footblower +footboard +footboards +footboy +footboys +footbreadth +footbridge +footbridges +footcandle +footcandles +footcloth +footcloths +footed +footeite +footer +footers +footfall +footfalls +footfarer +footfault +footfeed +footfolk +footful +footganger +footgear +footgears +footgeld +footglove +footgrip +foothalt +foothil +foothill +foothills +foothils +foothold +footholds +foothook +foothot +footy +footie +footier +footiest +footing +footingly +footings +footle +footled +footler +footlers +footles +footless +footlessly +footlessness +footlicker +footlicking +footlight +footlights +footlike +footling +footlining +footlock +footlocker +footlockers +footlog +footloose +footmaker +footman +footmanhood +footmanry +footmanship +footmark +footmarks +footmen +footmenfootpad +footnote +footnoted +footnotes +footnoting +footpace +footpaces +footpad +footpaddery +footpads +footpath +footpaths +footpick +footplate +footpound +footpounds +footprint +footprints +footrace +footraces +footrail +footrest +footrests +footrill +footroom +footrope +footropes +foots +footscald +footscraper +footsy +footsie +footsies +footslog +footslogged +footslogger +footslogging +footslogs +footsoldier +footsoldiers +footsore +footsoreness +footsores +footstalk +footstall +footstep +footsteps +footstick +footstock +footstone +footstool +footstools +footway +footways +footwalk +footwall +footwalls +footwarmer +footwarmers +footwear +footweary +footwears +footwork +footworks +footworn +foozle +foozled +foozler +foozlers +foozles +foozling +fop +fopdoodle +fopling +fopped +foppery +fopperies +fopperly +foppy +fopping +foppish +foppishly +foppishness +fops +fopship +for +fora +forage +foraged +foragement +forager +foragers +forages +foraging +foray +forayed +forayer +forayers +foraying +forays +foralite +foram +foramen +foramens +foramina +foraminal +foraminate +foraminated +foramination +foraminifer +foraminifera +foraminiferal +foraminiferan +foraminiferous +foraminose +foraminous +foraminulate +foraminule +foraminulose +foraminulous +forams +forane +foraneen +foraneous +foraramens +foraramina +forasmuch +forastero +forb +forbad +forbade +forbar +forbare +forbarred +forbathe +forbbore +forbborne +forbear +forbearable +forbearance +forbearances +forbearant +forbearantly +forbearer +forbearers +forbearing +forbearingly +forbearingness +forbears +forbecause +forbesite +forby +forbid +forbidal +forbidals +forbiddable +forbiddal +forbiddance +forbidden +forbiddenly +forbiddenness +forbidder +forbidding +forbiddingly +forbiddingness +forbids +forbye +forbysen +forbysening +forbit +forbite +forblack +forbled +forblow +forbode +forboded +forbodes +forboding +forbore +forborn +forborne +forbow +forbreak +forbruise +forbs +forcaria +forcarve +forcat +force +forceable +forced +forcedly +forcedness +forceful +forcefully +forcefulness +forceless +forcelessness +forcelet +forcemeat +forcement +forcene +forceps +forcepses +forcepslike +forceput +forcer +forcers +forces +forcet +forchase +forche +forches +forcy +forcibility +forcible +forcibleness +forcibly +forcing +forcingly +forcipal +forcipate +forcipated +forcipation +forcipes +forcipial +forcipiform +forcipressure +forcipulata +forcipulate +forcite +forcive +forcleave +forclose +forconceit +forcut +ford +fordable +fordableness +fordays +fordam +fordeal +forded +fordy +fordicidia +fordid +fording +fordless +fordo +fordoes +fordoing +fordone +fordrive +fords +fordull +fordwine +fore +foreaccounting +foreaccustom +foreacquaint +foreact +foreadapt +foreadmonish +foreadvertise +foreadvice +foreadvise +foreallege +foreallot +foreannounce +foreannouncement +foreanswer +foreappoint +foreappointment +forearm +forearmed +forearming +forearms +foreassign +foreassurance +forebackwardly +forebay +forebays +forebar +forebear +forebearing +forebears +forebemoan +forebemoaned +forebespeak +foreby +forebye +forebitt +forebitten +forebitter +forebless +foreboard +forebode +foreboded +forebodement +foreboder +forebodes +forebody +forebodies +foreboding +forebodingly +forebodingness +forebodings +foreboom +forebooms +foreboot +forebow +forebowels +forebowline +forebows +forebrace +forebrain +forebreast +forebridge +forebroads +foreburton +forebush +forecabin +forecaddie +forecar +forecarriage +forecast +forecasted +forecaster +forecasters +forecasting +forecastingly +forecastle +forecastlehead +forecastleman +forecastlemen +forecastles +forecastors +forecasts +forecatching +forecatharping +forechamber +forechase +forechoice +forechoir +forechoose +forechurch +forecited +foreclaw +foreclosable +foreclose +foreclosed +forecloses +foreclosing +foreclosure +foreclosures +forecome +forecomingness +forecommend +foreconceive +foreconclude +forecondemn +foreconscious +foreconsent +foreconsider +forecontrive +forecool +forecooler +forecounsel +forecount +forecourse +forecourt +forecourts +forecover +forecovert +foreday +foredays +foredate +foredated +foredates +foredating +foredawn +foredeck +foredecks +foredeclare +foredecree +foredeem +foredeep +foredefeated +foredefine +foredenounce +foredescribe +foredeserved +foredesign +foredesignment +foredesk +foredestine +foredestined +foredestiny +foredestining +foredetermination +foredetermine +foredevised +foredevote +foredid +forediscern +foredispose +foredivine +foredo +foredoes +foredoing +foredone +foredoom +foredoomed +foredoomer +foredooming +foredooms +foredoor +foredune +foreface +forefaces +forefather +forefatherly +forefathers +forefault +forefeel +forefeeling +forefeelingly +forefeels +forefeet +forefelt +forefence +forefend +forefended +forefending +forefends +foreffelt +forefield +forefigure +forefin +forefinger +forefingers +forefit +foreflank +foreflap +foreflipper +forefoot +forefront +forefronts +foregahger +foregallery +foregame +foreganger +foregate +foregather +foregift +foregirth +foreglance +foregleam +foreglimpse +foreglimpsed +foreglow +forego +foregoer +foregoers +foregoes +foregoing +foregone +foregoneness +foreground +foregrounds +foreguess +foreguidance +foregut +foreguts +forehalf +forehall +forehammer +forehand +forehanded +forehandedly +forehandedness +forehands +forehandsel +forehard +forehatch +forehatchway +forehead +foreheaded +foreheads +forehear +forehearth +foreheater +forehent +forehew +forehill +forehinting +forehock +forehold +forehood +forehoof +forehoofs +forehook +forehooves +forehorse +foreyard +foreyards +foreyear +foreign +foreigneering +foreigner +foreigners +foreignership +foreignism +foreignization +foreignize +foreignly +foreignness +foreigns +foreimagination +foreimagine +foreimpressed +foreimpression +foreinclined +foreinstruct +foreintend +foreiron +forejudge +forejudged +forejudger +forejudging +forejudgment +forekeel +foreking +foreknee +foreknew +foreknow +foreknowable +foreknowableness +foreknower +foreknowing +foreknowingly +foreknowledge +foreknown +foreknows +forel +forelady +foreladies +forelay +forelaid +forelaying +foreland +forelands +foreleader +foreleech +foreleg +forelegs +forelimb +forelimbs +forelive +forellenstein +forelock +forelocks +forelook +foreloop +forelooper +foreloper +forelouper +foremade +foreman +foremanship +foremarch +foremark +foremartyr +foremast +foremasthand +foremastman +foremastmen +foremasts +foremean +foremeant +foremelt +foremen +foremention +forementioned +foremessenger +foremilk +foremilks +foremind +foremisgiving +foremistress +foremost +foremostly +foremother +forename +forenamed +forenames +forenent +forenews +forenight +forenoon +forenoons +forenote +forenoted +forenotice +forenotion +forensal +forensic +forensical +forensicality +forensically +forensics +foreordain +foreordained +foreordaining +foreordainment +foreordainments +foreordains +foreorder +foreordinate +foreordinated +foreordinating +foreordination +foreorlop +forepad +forepayment +forepale +forepaled +forepaling +foreparent +foreparents +forepart +foreparts +forepass +forepassed +forepast +forepaw +forepaws +forepeak +forepeaks +foreperiod +forepiece +foreplace +foreplay +foreplays +foreplan +foreplanting +forepleasure +foreplot +forepoint +forepointer +forepole +forepoled +forepoling +foreporch +forepossessed +forepost +forepredicament +forepreparation +foreprepare +forepretended +foreprise +foreprize +foreproduct +foreproffer +forepromise +forepromised +foreprovided +foreprovision +forepurpose +forequarter +forequarters +forequoted +forerake +foreran +forerank +foreranks +forereach +forereaching +foreread +forereading +forerecited +forereckon +forerehearsed +foreremembered +forereport +forerequest +forerevelation +forerib +foreribs +forerigging +foreright +foreroyal +foreroom +forerun +forerunner +forerunners +forerunnership +forerunning +forerunnings +foreruns +fores +foresaddle +foresay +foresaid +foresaying +foresail +foresails +foresays +foresaw +forescene +forescent +foreschool +foreschooling +forescript +foreseason +foreseat +foresee +foreseeability +foreseeable +foreseeing +foreseeingly +foreseen +foreseer +foreseers +foresees +foresey +foreseing +foreseize +foresend +foresense +foresentence +foreset +foresettle +foresettled +foreshadow +foreshadowed +foreshadower +foreshadowing +foreshadows +foreshaft +foreshank +foreshape +foresheet +foresheets +foreshift +foreship +foreshock +foreshoe +foreshop +foreshore +foreshorten +foreshortened +foreshortening +foreshortens +foreshot +foreshots +foreshoulder +foreshow +foreshowed +foreshower +foreshowing +foreshown +foreshows +foreshroud +foreside +foresides +foresight +foresighted +foresightedly +foresightedness +foresightful +foresightless +foresights +foresign +foresignify +foresin +foresing +foresinger +foreskin +foreskins +foreskirt +foreslack +foresleeve +foreslow +foresound +forespake +forespeak +forespeaker +forespeaking +forespecified +forespeech +forespeed +forespencer +forespent +forespoke +forespoken +forest +forestaff +forestaffs +forestage +forestay +forestair +forestays +forestaysail +forestal +forestall +forestalled +forestaller +forestalling +forestallment +forestalls +forestalment +forestarling +forestate +forestation +forestaves +forestcraft +forested +foresteep +forestem +forestep +forester +forestery +foresters +forestership +forestful +foresty +forestial +forestian +forestick +forestiera +forestine +foresting +forestish +forestland +forestless +forestlike +forestology +forestral +forestress +forestry +forestries +forests +forestside +forestudy +forestwards +foresummer +foresummon +foreswear +foreswearing +foresweat +foreswore +foresworn +foret +foretack +foretackle +foretake +foretalk +foretalking +foretaste +foretasted +foretaster +foretastes +foretasting +foreteach +foreteeth +foretell +foretellable +foretellableness +foreteller +foretellers +foretelling +foretells +forethink +forethinker +forethinking +forethough +forethought +forethoughted +forethoughtful +forethoughtfully +forethoughtfulness +forethoughtless +forethrift +foretime +foretimed +foretimes +foretype +foretypified +foretoken +foretokened +foretokening +foretokens +foretold +foretooth +foretop +foretopman +foretopmast +foretopmen +foretops +foretopsail +foretrace +foretriangle +foretrysail +foreturn +foreuse +foreutter +forevalue +forever +forevermore +foreverness +forevers +foreview +forevision +forevouch +forevouched +forevow +foreward +forewarm +forewarmer +forewarn +forewarned +forewarner +forewarning +forewarningly +forewarnings +forewarns +forewaters +foreween +foreweep +foreweigh +forewent +forewind +forewing +forewings +forewinning +forewisdom +forewish +forewit +forewoman +forewomen +forewonted +foreword +forewords +foreworld +foreworn +forewritten +forewrought +forex +forfairn +forfalt +forfar +forfare +forfars +forfault +forfaulture +forfear +forfeit +forfeitable +forfeitableness +forfeited +forfeiter +forfeiting +forfeits +forfeiture +forfeitures +forfend +forfended +forfending +forfends +forfex +forficate +forficated +forfication +forficiform +forficula +forficulate +forficulidae +forfit +forfouchten +forfoughen +forfoughten +forgab +forgainst +forgat +forgather +forgathered +forgathering +forgathers +forgave +forge +forgeability +forgeable +forged +forgedly +forgeful +forgeman +forgemen +forger +forgery +forgeries +forgers +forges +forget +forgetable +forgetful +forgetfully +forgetfulness +forgetive +forgetness +forgets +forgett +forgettable +forgettably +forgette +forgetter +forgettery +forgetters +forgetting +forgettingly +forgie +forgift +forging +forgings +forgivable +forgivableness +forgivably +forgive +forgiveable +forgiveably +forgiveless +forgiven +forgiveness +forgivenesses +forgiver +forgivers +forgives +forgiving +forgivingly +forgivingness +forgo +forgoer +forgoers +forgoes +forgoing +forgone +forgot +forgotten +forgottenness +forgrow +forgrown +forhaile +forhale +forheed +forhoo +forhooy +forhooie +forhow +foryield +forinsec +forinsecal +forint +forints +forisfamiliate +forisfamiliation +forjaskit +forjesket +forjudge +forjudged +forjudger +forjudges +forjudging +forjudgment +fork +forkable +forkbeard +forked +forkedly +forkedness +forker +forkers +forkful +forkfuls +forkhead +forky +forkier +forkiest +forkiness +forking +forkless +forklift +forklifts +forklike +forkman +forkmen +forks +forksful +forksmith +forktail +forkwise +forlay +forlain +forlana +forlanas +forlane +forleave +forleaving +forleft +forleit +forlese +forlet +forletting +forlie +forlive +forloin +forlore +forlorn +forlorner +forlornest +forlornity +forlornly +forlornness +form +forma +formability +formable +formably +formagen +formagenic +formal +formalazine +formaldehyd +formaldehyde +formaldehydesulphoxylate +formaldehydesulphoxylic +formaldoxime +formalesque +formalin +formalins +formalisation +formalise +formalised +formaliser +formalising +formalism +formalisms +formalist +formalistic +formalistically +formaliter +formalith +formality +formalities +formalizable +formalization +formalizations +formalize +formalized +formalizer +formalizes +formalizing +formally +formalness +formals +formamide +formamidine +formamido +formamidoxime +formanilide +formant +formants +format +formate +formated +formates +formating +formation +formational +formations +formative +formatively +formativeness +formats +formatted +formatter +formatters +formatting +formature +formazan +formazyl +formby +formboard +forme +formed +formedon +formee +formel +formelt +formene +formenic +formentation +former +formeret +formerly +formerness +formers +formes +formfeed +formfeeds +formfitting +formful +formy +formiate +formic +formica +formican +formicary +formicaria +formicariae +formicarian +formicaries +formicariidae +formicarioid +formicarium +formicaroid +formicate +formicated +formicating +formication +formicative +formicicide +formicid +formicidae +formicide +formicina +formicinae +formicine +formicivora +formicivorous +formicoidea +formidability +formidable +formidableness +formidably +formidolous +formyl +formylal +formylate +formylated +formylating +formylation +formyls +formin +forminate +forming +formism +formity +formless +formlessly +formlessness +formly +formnail +formol +formolit +formolite +formols +formonitrile +formosan +formose +formosity +formous +formoxime +forms +formula +formulable +formulae +formulaic +formulaically +formular +formulary +formularies +formularisation +formularise +formularised +formulariser +formularising +formularism +formularist +formularistic +formularization +formularize +formularized +formularizer +formularizing +formulas +formulate +formulated +formulates +formulating +formulation +formulations +formulator +formulatory +formulators +formule +formulisation +formulise +formulised +formuliser +formulising +formulism +formulist +formulistic +formulization +formulize +formulized +formulizer +formulizing +formwork +fornacic +fornax +fornaxid +forncast +fornenst +fornent +fornical +fornicate +fornicated +fornicates +fornicating +fornication +fornications +fornicator +fornicatory +fornicators +fornicatress +fornicatrices +fornicatrix +fornices +forniciform +forninst +fornix +forold +forpass +forpet +forpine +forpined +forpining +forpit +forprise +forra +forrad +forrader +forrard +forrarder +forrel +forride +forril +forrit +forritsome +forrue +forsado +forsay +forsake +forsaken +forsakenly +forsakenness +forsaker +forsakers +forsakes +forsaking +forsar +forsee +forseeable +forseek +forseen +forset +forshape +forsythia +forsythias +forslack +forslake +forsloth +forslow +forsook +forsooth +forspeak +forspeaking +forspend +forspent +forspoke +forspoken +forspread +forst +forstall +forstand +forsteal +forsterite +forstraught +forsung +forswat +forswear +forswearer +forswearing +forswears +forswore +forsworn +forswornness +fort +fortake +fortalice +fortaxed +forte +fortemente +fortepiano +fortes +fortescue +fortescure +forth +forthby +forthbring +forthbringer +forthbringing +forthbrought +forthcall +forthcame +forthcome +forthcomer +forthcoming +forthcomingness +forthcut +forthfare +forthfigured +forthgaze +forthgo +forthgoing +forthy +forthink +forthinking +forthon +forthought +forthputting +forthright +forthrightly +forthrightness +forthrights +forthset +forthtell +forthteller +forthward +forthwith +forty +fortier +forties +fortieth +fortieths +fortify +fortifiable +fortification +fortifications +fortified +fortifier +fortifiers +fortifies +fortifying +fortifyingly +fortifys +fortyfive +fortyfives +fortyfold +fortyish +fortilage +fortin +fortiori +fortypenny +fortis +fortissimi +fortissimo +fortissimos +fortitude +fortitudes +fortitudinous +fortlet +fortnight +fortnightly +fortnightlies +fortnights +fortran +fortranh +fortravail +fortread +fortress +fortressed +fortresses +fortressing +forts +fortuity +fortuities +fortuitism +fortuitist +fortuitous +fortuitously +fortuitousness +fortuitus +fortunate +fortunately +fortunateness +fortunation +fortune +fortuned +fortunel +fortuneless +fortunella +fortunes +fortunetell +fortuneteller +fortunetellers +fortunetelling +fortuning +fortunite +fortunize +fortunous +fortuuned +forum +forumize +forums +forvay +forwake +forwaked +forwalk +forwander +forward +forwardal +forwardation +forwarded +forwarder +forwarders +forwardest +forwarding +forwardly +forwardness +forwards +forwardsearch +forwarn +forwaste +forwean +forwear +forweary +forwearied +forwearying +forweend +forweep +forwelk +forwent +forwhy +forwoden +forworden +forwore +forwork +forworn +forwrap +forz +forzando +forzandos +forzato +fosh +fosie +fosite +foss +fossa +fossae +fossage +fossane +fossarian +fossate +fosse +fossed +fosses +fosset +fossette +fossettes +fossick +fossicked +fossicker +fossicking +fossicks +fossified +fossiform +fossil +fossilage +fossilated +fossilation +fossildom +fossiled +fossiliferous +fossilify +fossilification +fossilisable +fossilisation +fossilise +fossilised +fossilising +fossilism +fossilist +fossilizable +fossilization +fossilize +fossilized +fossilizes +fossilizing +fossillike +fossilogy +fossilogist +fossilology +fossilological +fossilologist +fossils +fosslfying +fosslify +fosslology +fossor +fossores +fossoria +fossorial +fossorious +fossors +fossula +fossulae +fossulate +fossule +fossulet +fostell +foster +fosterable +fosterage +fostered +fosterer +fosterers +fosterhood +fostering +fosteringly +fosterite +fosterland +fosterling +fosterlings +fosters +fostership +fostress +fot +fotch +fotched +fother +fothergilla +fothering +fotive +fotmal +fotui +fou +foud +foudroyant +fouett +fouette +fouettee +fouettes +fougade +fougasse +fought +foughten +foughty +fougue +foujdar +foujdary +foujdarry +foul +foulage +foulard +foulards +foulbrood +foulder +fouldre +fouled +fouler +foulest +fouling +foulings +foulish +foully +foulmart +foulminded +foulmouth +foulmouthed +foulmouthedly +foulmouthedness +foulness +foulnesses +fouls +foulsome +foumart +foun +founce +found +foundation +foundational +foundationally +foundationary +foundationed +foundationer +foundationless +foundationlessness +foundations +founded +founder +foundered +foundery +foundering +founderous +founders +foundership +founding +foundling +foundlings +foundress +foundry +foundries +foundryman +foundrymen +foundrous +founds +fount +fountain +fountained +fountaineer +fountainhead +fountainheads +fountaining +fountainless +fountainlet +fountainlike +fountainous +fountainously +fountains +fountainwise +founte +fountful +founts +fouquieria +fouquieriaceae +fouquieriaceous +four +fourb +fourbagger +fourball +fourberie +fourble +fourche +fourchee +fourcher +fourchet +fourchette +fourchite +fourdrinier +fourer +fourfiusher +fourflusher +fourflushers +fourfold +fourgon +fourgons +fourhanded +fourier +fourierian +fourierism +fourierist +fourieristic +fourierite +fourling +fourneau +fourness +fourniture +fourpence +fourpenny +fourposter +fourposters +fourpounder +fourquine +fourrag +fourragere +fourrageres +fourre +fourrier +fours +fourscore +fourscorth +foursome +foursomes +foursquare +foursquarely +foursquareness +fourstrand +fourteen +fourteener +fourteenfold +fourteens +fourteenth +fourteenthly +fourteenths +fourth +fourther +fourthly +fourths +foussa +foute +fouter +fouth +fouty +foutra +foutre +fovea +foveae +foveal +foveate +foveated +foveation +foveiform +fovent +foveola +foveolae +foveolar +foveolarious +foveolas +foveolate +foveolated +foveole +foveoles +foveolet +foveolets +fovilla +fow +fowage +fowells +fowent +fowk +fowl +fowled +fowler +fowlery +fowlerite +fowlers +fowlfoot +fowling +fowlings +fowlpox +fowlpoxes +fowls +fox +foxbane +foxberry +foxberries +foxchop +foxed +foxer +foxery +foxes +foxfeet +foxfinger +foxfire +foxfires +foxfish +foxfishes +foxglove +foxgloves +foxhole +foxholes +foxhound +foxhounds +foxy +foxie +foxier +foxiest +foxily +foxiness +foxinesses +foxing +foxings +foxish +foxite +foxly +foxlike +foxproof +foxship +foxskin +foxskins +foxtail +foxtailed +foxtails +foxtongue +foxtrot +foxwood +fozy +fozier +foziest +foziness +fozinesses +fp +fplot +fpm +fps +fpsps +fr +fra +frab +frabbit +frabjous +frabjously +frabous +fracas +fracases +fracedinous +frache +fracid +frack +fract +fractable +fractabling +fractal +fractals +fracted +fracticipita +fractile +fraction +fractional +fractionalism +fractionalization +fractionalize +fractionalized +fractionalizing +fractionally +fractionary +fractionate +fractionated +fractionating +fractionation +fractionator +fractioned +fractioning +fractionisation +fractionise +fractionised +fractionising +fractionization +fractionize +fractionized +fractionizing +fractionlet +fractions +fractious +fractiously +fractiousness +fractocumulus +fractonimbus +fractostratus +fractuosity +fractur +fracturable +fracturableness +fractural +fracture +fractured +fractureproof +fractures +fracturing +fracturs +fractus +fradicin +frae +fraela +fraena +fraenula +fraenular +fraenulum +fraenum +fraenums +frag +fragaria +fragged +fragging +fraggings +fraghan +fragilaria +fragilariaceae +fragile +fragilely +fragileness +fragility +fragilities +fragment +fragmental +fragmentalize +fragmentally +fragmentary +fragmentarily +fragmentariness +fragmentate +fragmentation +fragmented +fragmenting +fragmentisation +fragmentise +fragmentised +fragmentising +fragmentist +fragmentitious +fragmentization +fragmentize +fragmentized +fragmentizer +fragmentizing +fragments +fragor +fragrance +fragrances +fragrancy +fragrancies +fragrant +fragrantly +fragrantness +frags +fray +fraicheur +fraid +fraidycat +frayed +frayedly +frayedness +fraying +frayings +fraik +frail +fraile +frailejon +frailer +frailero +fraileros +frailes +frailest +frailish +frailly +frailness +frails +frailty +frailties +frayn +frayne +frayproof +frays +fraischeur +fraise +fraised +fraiser +fraises +fraising +fraist +fraken +frakfurt +fraktur +frakturs +fram +framable +framableness +frambesia +framboesia +framboise +frame +framea +frameable +frameableness +frameae +framed +frameless +framer +framers +frames +frameshift +framesmith +framework +frameworks +framing +frammit +frampler +frampold +franc +franca +francas +france +frances +franchisal +franchise +franchised +franchisee +franchisees +franchisement +franchiser +franchisers +franchises +franchising +franchisor +francia +francic +francis +francisc +francisca +franciscan +franciscanism +franciscans +francisco +francium +franciums +francize +franco +francois +francolin +francolite +francomania +franconian +francophil +francophile +francophilism +francophobe +francophobia +francophone +francs +frangent +franger +frangi +frangibility +frangible +frangibleness +frangipane +frangipani +frangipanis +frangipanni +frangula +frangulaceae +frangulic +frangulin +frangulinic +franion +frank +frankability +frankable +frankalmoign +frankalmoigne +frankalmoin +franked +frankenia +frankeniaceae +frankeniaceous +frankenstein +frankensteins +franker +frankers +frankest +frankfold +frankfort +frankforter +frankfurt +frankfurter +frankfurters +frankhearted +frankheartedly +frankheartedness +frankheartness +frankify +frankincense +frankincensed +franking +frankish +frankist +franklandite +frankly +franklin +franklinia +franklinian +frankliniana +franklinic +franklinism +franklinist +franklinite +franklinization +franklins +frankmarriage +frankness +frankpledge +franks +franseria +frantic +frantically +franticly +franticness +franz +franzy +frap +frape +fraple +frapler +frapp +frappe +frapped +frappeed +frappeing +frappes +frapping +fraps +frary +frasco +frase +fraser +frasera +frasier +frass +frasse +frat +fratch +fratched +fratcheous +fratcher +fratchety +fratchy +fratching +frate +frater +fratercula +fratery +frateries +fraternal +fraternalism +fraternalist +fraternality +fraternally +fraternate +fraternation +fraternisation +fraternise +fraternised +fraterniser +fraternising +fraternism +fraternity +fraternities +fraternization +fraternize +fraternized +fraternizer +fraternizes +fraternizing +fraters +fraticelli +fraticellian +fratority +fratry +fratriage +fratricelli +fratricidal +fratricide +fratricides +fratries +frats +frau +fraud +frauder +fraudful +fraudfully +fraudless +fraudlessly +fraudlessness +fraudproof +frauds +fraudulence +fraudulency +fraudulent +fraudulently +fraudulentness +frauen +fraughan +fraught +fraughtage +fraughted +fraughting +fraughts +fraulein +frauleins +fraunch +fraus +fravashi +frawn +fraxetin +fraxin +fraxinella +fraxinus +fraze +frazed +frazer +frazil +frazing +frazzle +frazzled +frazzles +frazzling +frden +freak +freakdom +freaked +freakery +freakful +freaky +freakier +freakiest +freakily +freakiness +freaking +freakish +freakishly +freakishness +freakout +freakouts +freakpot +freaks +fream +freath +freck +frecked +frecken +freckened +frecket +freckle +freckled +freckledness +freckleproof +freckles +freckly +frecklier +freckliest +freckliness +freckling +frecklish +fred +fredaine +freddy +freddie +freddo +frederic +frederica +frederick +frederik +fredricite +free +freebee +freebees +freeby +freebie +freebies +freeboard +freeboot +freebooted +freebooter +freebootery +freebooters +freebooty +freebooting +freeboots +freeborn +freechurchism +freed +freedman +freedmen +freedom +freedoms +freedoot +freedstool +freedwoman +freedwomen +freefd +freeform +freehand +freehanded +freehandedly +freehandedness +freehearted +freeheartedly +freeheartedness +freehold +freeholder +freeholders +freeholdership +freeholding +freeholds +freeing +freeings +freeish +freekirker +freelage +freelance +freelanced +freelancer +freelances +freelancing +freely +freeload +freeloaded +freeloader +freeloaders +freeloading +freeloads +freeloving +freelovism +freeman +freemanship +freemartin +freemason +freemasonic +freemasonical +freemasonism +freemasonry +freemasons +freemen +freen +freend +freeness +freenesses +freeport +freer +freers +frees +freesheet +freesia +freesias +freesilverism +freesilverite +freesp +freespac +freespace +freest +freestanding +freestyle +freestyler +freestone +freestones +freet +freethink +freethinker +freethinkers +freethinking +freety +freetrader +freeway +freeways +freeward +freewheel +freewheeler +freewheelers +freewheeling +freewheelingness +freewill +freewoman +freewomen +freezable +freeze +freezed +freezer +freezers +freezes +freezy +freezing +freezingly +fregata +fregatae +fregatidae +fregit +frey +freya +freyalite +freibergite +freycinetia +freieslebenite +freiezlebenhe +freight +freightage +freighted +freighter +freighters +freightyard +freighting +freightless +freightliner +freightment +freights +freyja +freijo +freinage +freir +freyr +freit +freith +freity +fremd +fremdly +fremdness +fremescence +fremescent +fremitus +fremituses +fremontia +fremontodendron +fremt +fren +frena +frenal +frenatae +frenate +french +frenched +frenchen +frenches +frenchy +frenchify +frenchification +frenchily +frenchiness +frenching +frenchism +frenchize +frenchless +frenchly +frenchman +frenchmen +frenchness +frenchwise +frenchwoman +frenchwomen +frenetic +frenetical +frenetically +frenetics +frenghi +frenne +frenula +frenular +frenulum +frenum +frenums +frenuna +frenzelite +frenzy +frenzic +frenzied +frenziedly +frenziedness +frenzies +frenzying +frenzily +freon +freq +frequence +frequency +frequencies +frequent +frequentable +frequentage +frequentation +frequentative +frequented +frequenter +frequenters +frequentest +frequenting +frequently +frequentness +frequents +frere +freres +frescade +fresco +frescoed +frescoer +frescoers +frescoes +frescoing +frescoist +frescoists +frescos +fresh +freshed +freshen +freshened +freshener +fresheners +freshening +freshens +fresher +freshes +freshest +freshet +freshets +freshhearted +freshing +freshish +freshly +freshman +freshmanhood +freshmanic +freshmanship +freshmen +freshment +freshness +freshwater +freshwoman +fresison +fresne +fresnel +fresnels +fresno +fress +fresser +fret +fretful +fretfully +fretfulness +fretish +fretize +fretless +frets +fretsaw +fretsaws +fretsome +frett +frettage +frettation +frette +fretted +fretten +fretter +fretters +fretty +frettier +frettiest +fretting +frettingly +fretum +fretways +fretwise +fretwork +fretworked +fretworks +freud +freudian +freudianism +freudians +freudism +freudist +fry +friability +friable +friableness +friand +friandise +friar +friarbird +friarhood +friary +friaries +friarly +friarling +friars +friation +frib +fribby +fribble +fribbled +fribbleism +fribbler +fribblery +fribblers +fribbles +fribbling +fribblish +friborg +friborgh +fribourg +fricace +fricandeau +fricandeaus +fricandeaux +fricandel +fricandelle +fricando +fricandoes +fricassee +fricasseed +fricasseeing +fricassees +fricasseing +frication +fricative +fricatives +fricatrice +frickle +fricti +friction +frictionable +frictional +frictionally +frictionize +frictionized +frictionizing +frictionless +frictionlessly +frictionlessness +frictionproof +frictions +friday +fridays +fridge +fridges +fridila +fridstool +fried +frieda +friedcake +friedelite +friedman +friedrichsdor +friend +friended +friending +friendless +friendlessness +friendly +friendlier +friendlies +friendliest +friendlike +friendlily +friendliness +friendliwise +friends +friendship +friendships +frier +fryer +friers +fryers +fries +friese +frieseite +friesian +friesic +friesish +frieze +friezed +friezer +friezes +friezy +friezing +frig +frigage +frigate +frigates +frigatoon +frigefact +frigga +frigged +frigger +frigging +friggle +fright +frightable +frighted +frighten +frightenable +frightened +frightenedly +frightenedness +frightener +frightening +frighteningly +frighteningness +frightens +frighter +frightful +frightfully +frightfulness +frighty +frighting +frightless +frightment +frights +frightsome +frigid +frigidaire +frigidaria +frigidarium +frigiddaria +frigidity +frigidities +frigidly +frigidness +frigidoreceptor +frigiferous +frigolabile +frigor +frigoric +frigorify +frigorific +frigorifical +frigorifico +frigorimeter +frigostable +frigotherapy +frigs +frying +frija +frijol +frijole +frijoles +frijolillo +frijolito +frike +frilal +frill +frillback +frilled +friller +frillery +frillers +frilly +frillier +frillies +frilliest +frillily +frilliness +frilling +frillings +frills +frim +frimaire +frimitts +fringe +fringed +fringeflower +fringefoot +fringehead +fringeless +fringelet +fringelike +fringent +fringepod +fringes +fringetail +fringy +fringier +fringiest +fringilla +fringillaceous +fringillid +fringillidae +fringilliform +fringilliformes +fringilline +fringilloid +fringiness +fringing +frypan +frypans +friponerie +fripper +fripperer +frippery +fripperies +frippet +fris +frisado +frisbee +frisbees +frisca +friscal +frisch +frisco +frise +frises +frisesomorum +frisette +frisettes +friseur +friseurs +frisian +frisii +frisk +frisked +frisker +friskers +friskest +frisket +friskets +friskful +frisky +friskier +friskiest +friskily +friskin +friskiness +frisking +friskingly +friskle +frisks +frislet +frisolee +frison +friss +frisson +frissons +frist +frisure +friszka +frit +frith +frithborgh +frithborh +frithbot +frithy +frithles +friths +frithsoken +frithstool +frithwork +fritillary +fritillaria +fritillaries +fritniency +frits +fritt +frittata +fritted +fritter +frittered +fritterer +fritterers +frittering +fritters +fritting +fritts +fritz +friulian +frivol +frivoled +frivoler +frivolers +frivoling +frivolism +frivolist +frivolity +frivolities +frivolize +frivolized +frivolizing +frivolled +frivoller +frivolling +frivolous +frivolously +frivolousness +frivols +frixion +friz +frizado +frize +frized +frizel +frizer +frizers +frizes +frizette +frizettes +frizing +frizz +frizzante +frizzed +frizzen +frizzer +frizzers +frizzes +frizzy +frizzier +frizziest +frizzily +frizziness +frizzing +frizzle +frizzled +frizzler +frizzlers +frizzles +frizzly +frizzlier +frizzliest +frizzling +fro +frock +frocked +frocking +frockless +frocklike +frockmaker +frocks +froe +froebelian +froebelism +froebelist +froeman +froes +frog +frogbit +frogeater +frogeye +frogeyed +frogeyes +frogface +frogfish +frogfishes +frogflower +frogfoot +frogged +frogger +froggery +froggy +froggier +froggies +froggiest +frogginess +frogging +froggish +froghood +froghopper +frogland +frogleaf +frogleg +froglet +froglets +froglike +frogling +frogman +frogmarch +frogmen +frogmouth +frogmouths +frognose +frogs +frogskin +frogskins +frogspawn +frogstool +frogtongue +frogwort +frohlich +froideur +froise +froisse +frokin +frolic +frolicful +frolicked +frolicker +frolickers +frolicky +frolicking +frolickly +frolicks +frolicly +frolicness +frolics +frolicsome +frolicsomely +frolicsomeness +from +fromage +fromages +fromenty +fromenties +fromfile +fromward +fromwards +frond +frondage +frondation +fronde +fronded +frondent +frondesce +frondesced +frondescence +frondescent +frondescing +frondeur +frondeurs +frondiferous +frondiform +frondigerous +frondivorous +frondless +frondlet +frondose +frondosely +frondous +fronds +frons +front +frontad +frontage +frontager +frontages +frontal +frontalis +frontality +frontally +frontals +frontate +frontbencher +frontcourt +fronted +frontenis +fronter +frontes +frontier +frontierless +frontierlike +frontierman +frontiers +frontiersman +frontiersmen +frontignac +frontignan +fronting +frontingly +frontirostria +frontis +frontispiece +frontispieced +frontispieces +frontispiecing +frontlash +frontless +frontlessly +frontlessness +frontlet +frontlets +frontoauricular +frontoethmoid +frontogenesis +frontolysis +frontomalar +frontomallar +frontomaxillary +frontomental +fronton +frontonasal +frontons +frontooccipital +frontoorbital +frontoparietal +frontopontine +frontosphenoidal +frontosquamosal +frontotemporal +frontozygomatic +frontpiece +frontrunner +fronts +frontsman +frontspiece +frontspieces +frontstall +fronture +frontways +frontward +frontwards +frontwise +froom +froppish +frore +froren +frory +frosh +frosk +frost +frostation +frostbird +frostbit +frostbite +frostbiter +frostbites +frostbiting +frostbitten +frostbound +frostbow +frosted +frosteds +froster +frostfish +frostfishes +frostflower +frosty +frostier +frostiest +frostily +frostiness +frosting +frostings +frostless +frostlike +frostnipped +frostproof +frostproofing +frostroot +frosts +frostweed +frostwork +frostwort +frot +froth +frothed +frother +frothi +frothy +frothier +frothiest +frothily +frothiness +frothing +frothless +froths +frothsome +frottage +frottages +frotted +frotteur +frotteurs +frotting +frottola +frottole +frotton +froufrou +froufrous +frough +froughy +frounce +frounced +frounceless +frounces +frouncing +frousy +frousier +frousiest +froust +frousty +frouze +frouzy +frouzier +frouziest +frow +froward +frowardly +frowardness +frower +frowy +frowl +frown +frowned +frowner +frowners +frownful +frowny +frowning +frowningly +frownless +frowns +frows +frowsy +frowsier +frowsiest +frowsily +frowsiness +frowst +frowsty +frowstier +frowstiest +frowstily +frowstiness +frowze +frowzy +frowzier +frowziest +frowzily +frowziness +frowzled +frowzly +froze +frozen +frozenhearted +frozenly +frozenness +frs +frsiket +frsikets +frt +frubbish +fruchtschiefer +fructed +fructescence +fructescent +fructiculose +fructicultural +fructiculture +fructidor +fructiferous +fructiferously +fructiferousness +fructify +fructification +fructificative +fructified +fructifier +fructifies +fructifying +fructiform +fructiparous +fructivorous +fructokinase +fructosan +fructose +fructoses +fructoside +fructuary +fructuarius +fructuate +fructuose +fructuosity +fructuous +fructuously +fructuousness +fructure +fructus +frug +frugal +frugalism +frugalist +frugality +frugalities +frugally +frugalness +fruggan +frugged +fruggin +frugging +frugiferous +frugiferousness +frugivora +frugivorous +frugs +fruit +fruitade +fruitage +fruitages +fruitarian +fruitarianism +fruitbearing +fruitcake +fruitcakey +fruitcakes +fruited +fruiter +fruiterer +fruiterers +fruiteress +fruitery +fruiteries +fruiters +fruitester +fruitful +fruitfuller +fruitfullest +fruitfully +fruitfullness +fruitfulness +fruitgrower +fruitgrowing +fruity +fruitier +fruitiest +fruitiness +fruiting +fruition +fruitions +fruitist +fruitive +fruitless +fruitlessly +fruitlessness +fruitlet +fruitlets +fruitlike +fruitling +fruits +fruitstalk +fruittime +fruitwise +fruitwoman +fruitwomen +fruitwood +fruitworm +frumaryl +frument +frumentaceous +frumentarious +frumentation +frumenty +frumenties +frumentum +frumety +frump +frumpery +frumperies +frumpy +frumpier +frumpiest +frumpily +frumpiness +frumpish +frumpishly +frumpishness +frumple +frumpled +frumpling +frumps +frundel +frush +frusla +frust +frusta +frustrable +frustraneous +frustrate +frustrated +frustrately +frustrater +frustrates +frustrating +frustratingly +frustration +frustrations +frustrative +frustratory +frustula +frustule +frustulent +frustules +frustulose +frustulum +frustum +frustums +frutage +frutescence +frutescent +frutex +fruticant +fruticeous +frutices +fruticeta +fruticetum +fruticose +fruticous +fruticulose +fruticulture +frutify +frutilla +fruz +frwy +fs +fsiest +fstore +ft +fth +fthm +ftncmd +ftnerr +fu +fuage +fub +fubbed +fubbery +fubby +fubbing +fubs +fubsy +fubsier +fubsiest +fucaceae +fucaceous +fucales +fucate +fucation +fucatious +fuchi +fuchsia +fuchsian +fuchsias +fuchsin +fuchsine +fuchsines +fuchsinophil +fuchsinophilous +fuchsins +fuchsite +fuchsone +fuci +fucinita +fuciphagous +fucivorous +fuck +fucked +fucker +fucking +fucks +fuckwit +fucoid +fucoidal +fucoideae +fucoidin +fucoids +fucosan +fucose +fucoses +fucous +fucoxanthin +fucoxanthine +fucus +fucused +fucuses +fud +fudder +fuddle +fuddlebrained +fuddled +fuddledness +fuddlement +fuddler +fuddles +fuddling +fuder +fudge +fudged +fudger +fudges +fudgy +fudging +fuds +fuegian +fuehrer +fuehrers +fuel +fueled +fueler +fuelers +fueling +fuelizer +fuelled +fueller +fuellers +fuelling +fuels +fuerte +fuff +fuffy +fuffit +fuffle +fug +fugacy +fugacious +fugaciously +fugaciousness +fugacity +fugacities +fugal +fugally +fugara +fugard +fugate +fugato +fugatos +fugged +fuggy +fuggier +fuggiest +fugging +fughetta +fughettas +fughette +fugie +fugient +fugio +fugios +fugit +fugitate +fugitated +fugitating +fugitation +fugitive +fugitively +fugitiveness +fugitives +fugitivism +fugitivity +fugle +fugled +fugleman +fuglemanship +fuglemen +fugler +fugles +fugling +fugs +fugu +fugue +fugued +fuguelike +fugues +fuguing +fuguist +fuguists +fuhrer +fuhrers +fuidhir +fuye +fuirdays +fuirena +fuji +fujis +fula +fulah +fulani +fulciform +fulciment +fulcra +fulcraceous +fulcral +fulcrate +fulcrum +fulcrumage +fulcrumed +fulcruming +fulcrums +fulfil +fulfill +fulfilled +fulfiller +fulfillers +fulfilling +fulfillment +fulfillments +fulfills +fulfilment +fulfils +fulful +fulfulde +fulfullment +fulgence +fulgency +fulgent +fulgently +fulgentness +fulgid +fulgide +fulgidity +fulgor +fulgora +fulgorid +fulgoridae +fulgoroidea +fulgorous +fulgour +fulgourous +fulgur +fulgural +fulgurant +fulgurantly +fulgurata +fulgurate +fulgurated +fulgurating +fulguration +fulgurator +fulgurite +fulgurous +fulham +fulhams +fulica +fulicinae +fulicine +fuliginosity +fuliginous +fuliginously +fuliginousness +fuligo +fuligula +fuligulinae +fuliguline +fulyie +fulimart +fulk +full +fullage +fullam +fullams +fullback +fullbacks +fullbodied +fulldo +fulled +fuller +fullerboard +fullered +fullery +fulleries +fullering +fullers +fullest +fullface +fullfaces +fullfil +fullgrownness +fullhearted +fully +fullymart +fulling +fullish +fullmouth +fullmouthed +fullmouthedly +fullness +fullnesses +fullom +fullonian +fulls +fullterm +fulltime +fullword +fullwords +fulmar +fulmars +fulmarus +fulmen +fulmicotton +fulmina +fulminancy +fulminant +fulminate +fulminated +fulminates +fulminating +fulmination +fulminations +fulminator +fulminatory +fulmine +fulmined +fulmineous +fulmines +fulminic +fulmining +fulminous +fulminurate +fulminuric +fulness +fulnesses +fulsamic +fulsome +fulsomely +fulsomeness +fulth +fultz +fulup +fulvene +fulvescent +fulvid +fulvidness +fulvous +fulwa +fulzie +fum +fumacious +fumade +fumado +fumados +fumage +fumagine +fumago +fumant +fumarase +fumarases +fumarate +fumarates +fumaria +fumariaceae +fumariaceous +fumaric +fumaryl +fumarin +fumarine +fumarium +fumaroid +fumaroidal +fumarole +fumaroles +fumarolic +fumatory +fumatoria +fumatories +fumatorium +fumatoriums +fumattoria +fumble +fumbled +fumbler +fumblers +fumbles +fumbling +fumblingly +fumblingness +fumbulator +fume +fumed +fumeless +fumelike +fumer +fumerel +fumeroot +fumers +fumes +fumet +fumets +fumette +fumettes +fumeuse +fumeuses +fumewort +fumy +fumid +fumidity +fumiduct +fumier +fumiest +fumiferana +fumiferous +fumify +fumigant +fumigants +fumigate +fumigated +fumigates +fumigating +fumigation +fumigations +fumigator +fumigatory +fumigatories +fumigatorium +fumigators +fumily +fuminess +fuming +fumingly +fumish +fumishing +fumishly +fumishness +fumistery +fumitory +fumitories +fummel +fummle +fumose +fumosity +fumous +fumously +fumuli +fumulus +fun +funambulant +funambulate +funambulated +funambulating +funambulation +funambulator +funambulatory +funambule +funambulic +funambulism +funambulist +funambulo +funambuloes +funaria +funariaceae +funariaceous +funbre +function +functional +functionalism +functionalist +functionalistic +functionality +functionalities +functionalize +functionalized +functionalizing +functionally +functionals +functionary +functionaries +functionarism +functionate +functionated +functionating +functionation +functioned +functioning +functionize +functionless +functionlessness +functionnaire +functions +functor +functorial +functors +functus +fund +fundable +fundal +fundament +fundamental +fundamentalism +fundamentalist +fundamentalistic +fundamentalists +fundamentality +fundamentally +fundamentalness +fundamentals +fundatorial +fundatrices +fundatrix +funded +funder +funders +fundholder +fundi +fundic +fundiform +funding +funditor +funditores +fundless +fundmonger +fundmongering +fundraise +fundraising +funds +funduck +fundulinae +funduline +fundulus +fundungi +fundus +funebre +funebrial +funebrious +funebrous +funeral +funeralize +funerally +funerals +funerary +funerate +funeration +funereal +funereality +funereally +funerealness +funest +funestal +funfair +funfairs +funfest +fungaceous +fungal +fungales +fungals +fungate +fungated +fungating +fungation +funge +fungi +fungia +fungian +fungibility +fungible +fungibles +fungic +fungicidal +fungicidally +fungicide +fungicides +fungicolous +fungid +fungiferous +fungify +fungiform +fungilliform +fungillus +fungin +fungistat +fungistatic +fungistatically +fungite +fungitoxic +fungitoxicity +fungivorous +fungo +fungoes +fungoid +fungoidal +fungoids +fungology +fungological +fungologist +fungose +fungosity +fungosities +fungous +fungus +fungused +funguses +fungusy +funguslike +funic +funicle +funicles +funicular +funiculars +funiculate +funicule +funiculi +funiculitis +funiculus +funiform +funiliform +funipendulous +funis +funje +funk +funked +funker +funkers +funky +funkia +funkias +funkier +funkiest +funkiness +funking +funks +funli +funmaker +funmaking +funned +funnel +funneled +funnelform +funneling +funnelled +funnellike +funnelling +funnels +funnelwise +funny +funnier +funnies +funniest +funnily +funnyman +funnymen +funniment +funniness +funning +funori +funorin +funs +funster +funt +funtumia +fur +furacana +furacious +furaciousness +furacity +fural +furaldehyde +furan +furandi +furane +furanes +furanoid +furanose +furanoses +furanoside +furans +furazan +furazane +furazolidone +furbearer +furbelow +furbelowed +furbelowing +furbelows +furbish +furbishable +furbished +furbisher +furbishes +furbishing +furbishment +furca +furcae +furcal +furcate +furcated +furcately +furcates +furcating +furcation +furcellaria +furcellate +furciferine +furciferous +furciform +furcilia +furcraea +furcraeas +furcula +furculae +furcular +furcule +furculum +furdel +furdle +furfooz +furfur +furfuraceous +furfuraceously +furfural +furfuralcohol +furfuraldehyde +furfurals +furfuramid +furfuramide +furfuran +furfurans +furfuration +furfures +furfuryl +furfurylidene +furfurine +furfuroid +furfurol +furfurole +furfurous +fury +furial +furiant +furibund +furicane +furied +furies +furify +furil +furyl +furile +furilic +furiosa +furiosity +furioso +furious +furiouser +furiousity +furiously +furiousness +furison +furivae +furl +furlable +furlan +furlana +furlanas +furlane +furled +furler +furlers +furless +furling +furlong +furlongs +furlough +furloughed +furloughing +furloughs +furls +furmente +furmenty +furmenties +furmety +furmeties +furmint +furmity +furmities +furnace +furnaced +furnacelike +furnaceman +furnacemen +furnacer +furnaces +furnacing +furnacite +furnage +furnariidae +furnariides +furnarius +furner +furniment +furnish +furnishable +furnished +furnisher +furnishes +furnishing +furnishings +furnishment +furnishness +furnit +furniture +furnitureless +furnitures +furoate +furodiazole +furoic +furoid +furoin +furole +furomethyl +furomonazole +furor +furore +furores +furors +furosemide +furphy +furred +furry +furrier +furriered +furriery +furrieries +furriers +furriest +furrily +furriner +furriners +furriness +furring +furrings +furrow +furrowed +furrower +furrowers +furrowy +furrowing +furrowless +furrowlike +furrows +furrure +furs +fursemide +furstone +further +furtherance +furtherances +furthered +furtherer +furtherest +furthering +furtherly +furthermore +furthermost +furthers +furthersome +furthest +furthy +furtive +furtively +furtiveness +furtum +furud +furuncle +furuncles +furuncular +furunculoid +furunculosis +furunculous +furunculus +furze +furzechat +furzed +furzeling +furzery +furzes +furzetop +furzy +furzier +furziest +fusain +fusains +fusarial +fusariose +fusariosis +fusarium +fusarole +fusate +fusc +fuscescent +fuscin +fuscohyaline +fuscous +fuse +fuseau +fuseboard +fused +fusee +fusees +fusel +fuselage +fuselages +fuseless +fuselike +fusels +fuseplug +fuses +fusetron +fusht +fusibility +fusible +fusibleness +fusibly +fusicladium +fusicoccum +fusiform +fusiformis +fusil +fusilade +fusiladed +fusilades +fusilading +fusile +fusileer +fusileers +fusilier +fusiliers +fusillade +fusilladed +fusillades +fusillading +fusilly +fusils +fusing +fusinist +fusinite +fusion +fusional +fusionism +fusionist +fusionless +fusions +fusk +fusobacteria +fusobacterium +fusobteria +fusoid +fuss +fussbudget +fussbudgety +fussbudgets +fussed +fusser +fussers +fusses +fussy +fussier +fussiest +fussify +fussification +fussily +fussiness +fussing +fussle +fussock +fusspot +fusspots +fust +fustanella +fustanelle +fustee +fuster +fusteric +fustet +fusty +fustian +fustianish +fustianist +fustianize +fustians +fustic +fustics +fustie +fustier +fustiest +fustigate +fustigated +fustigating +fustigation +fustigator +fustigatory +fustilarian +fustily +fustilugs +fustin +fustinella +fustiness +fustle +fustoc +fusula +fusulae +fusulas +fusulina +fusuma +fusure +fusus +fut +futchel +futchell +fute +futharc +futharcs +futhark +futharks +futhermore +futhorc +futhorcs +futhork +futhorks +futile +futiley +futilely +futileness +futilitarian +futilitarianism +futility +futilities +futilize +futilous +futtah +futter +futteret +futtermassel +futtock +futtocks +futurable +futural +futurama +futuramic +future +futureless +futurely +futureness +futures +futuric +futurism +futurisms +futurist +futuristic +futuristically +futurists +futurity +futurities +futurition +futurize +futuro +futurology +futurologist +futurologists +futwa +fuze +fuzed +fuzee +fuzees +fuzes +fuzil +fuzils +fuzing +fuzz +fuzzball +fuzzed +fuzzes +fuzzy +fuzzier +fuzziest +fuzzily +fuzzines +fuzziness +fuzzing +fuzzle +fuzztail +fv +fw +fwd +fwelling +fz +g +ga +gaatch +gab +gabardine +gabardines +gabari +gabarit +gabback +gabbai +gabbais +gabbard +gabbards +gabbart +gabbarts +gabbed +gabber +gabbers +gabby +gabbier +gabbiest +gabbiness +gabbing +gabble +gabbled +gabblement +gabbler +gabblers +gabbles +gabbling +gabbro +gabbroic +gabbroid +gabbroitic +gabbros +gabe +gabeler +gabelle +gabelled +gabelleman +gabeller +gabelles +gabendum +gaberdine +gaberdines +gaberloonie +gaberlunzie +gabert +gabfest +gabfests +gabgab +gabi +gaby +gabies +gabion +gabionade +gabionage +gabioned +gabions +gablatores +gable +gableboard +gabled +gableended +gablelike +gabler +gables +gablet +gablewindowed +gablewise +gabling +gablock +gabon +gaboon +gaboons +gabriel +gabriella +gabrielrache +gabs +gabunese +gachupin +gad +gadaba +gadabout +gadabouts +gadaea +gadarene +gadaria +gadbee +gadbush +gaddang +gadded +gadder +gadders +gaddi +gadding +gaddingly +gaddis +gaddish +gaddishness +gade +gadean +gader +gades +gadfly +gadflies +gadge +gadger +gadget +gadgeteer +gadgeteers +gadgety +gadgetry +gadgetries +gadgets +gadhelic +gadi +gadid +gadidae +gadids +gadinic +gadinine +gadis +gaditan +gadite +gadling +gadman +gadoid +gadoidea +gadoids +gadolinia +gadolinic +gadolinite +gadolinium +gadroon +gadroonage +gadrooned +gadrooning +gadroons +gads +gadsbodikins +gadsbud +gadslid +gadsman +gadso +gadswoons +gaduin +gadus +gadwall +gadwalls +gadwell +gadzooks +gae +gaea +gaed +gaedelian +gaedown +gael +gaeldom +gaelic +gaelicism +gaelicist +gaelicization +gaelicize +gaels +gaeltacht +gaen +gaertnerian +gaes +gaet +gaetulan +gaetuli +gaetulian +gaff +gaffe +gaffed +gaffer +gaffers +gaffes +gaffing +gaffkya +gaffle +gaffs +gaffsail +gaffsman +gag +gaga +gagaku +gagate +gage +gageable +gaged +gagee +gageite +gagelike +gager +gagers +gagership +gages +gagged +gagger +gaggery +gaggers +gagging +gaggle +gaggled +gaggler +gaggles +gaggling +gaging +gagman +gagmen +gagor +gagroot +gags +gagster +gagsters +gagtooth +gagwriter +gahnite +gahnites +gahrwali +gay +gaia +gayal +gayals +gaiassa +gayatri +gaybine +gaycat +gaydiang +gaidropsaridae +gayer +gayest +gaiety +gayety +gaieties +gayeties +gayyou +gayish +gail +gaily +gayly +gaylies +gaillard +gaillardia +gaylussacia +gaylussite +gayment +gain +gainable +gainage +gainbirth +gaincall +gaincome +gaincope +gaine +gained +gainer +gainers +gayness +gaynesses +gainful +gainfully +gainfulness +gaingiving +gainyield +gaining +gainings +gainless +gainlessness +gainly +gainlier +gainliest +gainliness +gainor +gainpain +gains +gainsay +gainsaid +gainsayer +gainsayers +gainsaying +gainsays +gainset +gainsome +gainspeaker +gainspeaking +gainst +gainstand +gainstrive +gainturn +gaintwist +gainward +gaypoo +gair +gairfish +gairfowl +gays +gaisling +gaysome +gaist +gait +gaited +gaiter +gaiterless +gaiters +gaiting +gaits +gaitt +gaius +gayway +gaywing +gaywings +gaize +gaj +gal +gala +galabeah +galabia +galabieh +galabiya +galacaceae +galactagog +galactagogue +galactagoguic +galactan +galactase +galactemia +galacthidrosis +galactia +galactic +galactically +galactidrosis +galactin +galactite +galactocele +galactodendron +galactodensimeter +galactogenetic +galactogogue +galactohemia +galactoid +galactolipide +galactolipin +galactolysis +galactolytic +galactoma +galactometer +galactometry +galactonic +galactopathy +galactophagist +galactophagous +galactophygous +galactophlebitis +galactophlysis +galactophore +galactophoritis +galactophorous +galactophthysis +galactopyra +galactopoiesis +galactopoietic +galactorrhea +galactorrhoea +galactosamine +galactosan +galactoscope +galactose +galactosemia +galactosemic +galactosidase +galactoside +galactosyl +galactosis +galactostasis +galactosuria +galactotherapy +galactotrophy +galacturia +galagala +galaginae +galago +galagos +galah +galahad +galahads +galahs +galanas +galanga +galangal +galangals +galangin +galany +galant +galante +galanthus +galantine +galantuomo +galapago +galapee +galas +galatae +galatea +galateas +galatian +galatians +galatic +galatine +galatotrophic +galavant +galavanted +galavanting +galavants +galax +galaxes +galaxy +galaxian +galaxias +galaxies +galaxiidae +galban +galbanum +galbanums +galbe +galbraithian +galbula +galbulae +galbulidae +galbulinae +galbulus +galcha +galchic +gale +galea +galeae +galeage +galeas +galeass +galeate +galeated +galeche +galee +galeeny +galeenies +galega +galegine +galei +galey +galeid +galeidae +galeiform +galempong +galempung +galen +galena +galenas +galenian +galenic +galenical +galenism +galenist +galenite +galenites +galenobismutite +galenoid +galeod +galeodes +galeodidae +galeoid +galeopithecus +galeopsis +galeorchis +galeorhinidae +galeorhinus +galeproof +galera +galere +galeres +galericulate +galerie +galerite +galerum +galerus +gales +galesaur +galesaurus +galet +galette +galeus +galewort +galga +galgal +galgulidae +gali +galyac +galyacs +galyak +galyaks +galianes +galibi +galician +galictis +galidia +galidictis +galik +galilean +galilee +galilees +galilei +galileo +galimatias +galinaceous +galingale +galinsoga +galiongee +galionji +galiot +galiots +galipidine +galipine +galipoidin +galipoidine +galipoipin +galipot +galipots +galium +galivant +galivanted +galivanting +galivants +galjoen +gall +galla +gallacetophenone +gallach +gallah +gallamine +gallanilide +gallant +gallanted +gallanting +gallantize +gallantly +gallantness +gallantry +gallantries +gallants +gallate +gallates +gallature +gallberry +gallberries +gallbladder +gallbladders +gallbush +galleass +galleasses +galled +gallegan +galley +galleylike +galleyman +gallein +galleine +galleins +galleypot +galleys +galleyworm +galleon +galleons +galler +gallera +gallery +galleria +gallerian +galleried +galleries +gallerygoer +galleriidae +galleriies +gallerying +galleryite +gallerylike +gallet +galleta +galletas +galleting +gallfly +gallflies +gallflower +galli +gally +galliambic +galliambus +gallian +galliard +galliardise +galliardize +galliardly +galliardness +galliards +galliass +galliasses +gallybagger +gallybeggar +gallic +gallican +gallicanism +gallicism +gallicisms +gallicization +gallicize +gallicizer +gallicola +gallicolae +gallicole +gallicolous +gallycrow +gallied +gallies +galliferous +gallify +gallification +galliform +galliformes +galligaskin +galligaskins +gallygaskins +gallying +gallimatia +gallimaufry +gallimaufries +gallinaceae +gallinacean +gallinacei +gallinaceous +gallinae +gallinaginous +gallinago +gallinazo +galline +galliney +galling +gallingly +gallingness +gallinipper +gallinula +gallinule +gallinulelike +gallinules +gallinulinae +gallinuline +galliot +galliots +gallipot +gallipots +gallirallus +gallish +gallisin +gallium +galliums +gallivant +gallivanted +gallivanter +gallivanters +gallivanting +gallivants +gallivat +gallivorous +galliwasp +gallywasp +gallize +gallnut +gallnuts +gallocyanin +gallocyanine +galloflavin +galloflavine +galloglass +galloman +gallomania +gallomaniac +gallon +gallonage +galloner +gallons +galloon +gallooned +galloons +galloot +galloots +gallop +gallopade +galloped +galloper +galloperdix +gallopers +gallophile +gallophilism +gallophobe +gallophobia +galloping +gallops +galloptious +gallotannate +gallotannic +gallotannin +gallous +gallovidian +gallow +galloway +gallowglass +gallows +gallowses +gallowsmaker +gallowsness +gallowsward +galls +gallstone +gallstones +galluot +gallup +galluptious +gallus +gallused +galluses +gallweed +gallwort +galoch +galoisian +galoot +galoots +galop +galopade +galopades +galoped +galopin +galoping +galops +galore +galores +galosh +galoshe +galoshed +galoshes +galoubet +galp +galravage +galravitch +gals +galt +galtonia +galtonian +galtrap +galuchat +galumph +galumphed +galumphing +galumphs +galumptious +galusha +galut +galuth +galv +galvayne +galvayned +galvayning +galvanic +galvanical +galvanically +galvanisation +galvanise +galvanised +galvaniser +galvanising +galvanism +galvanist +galvanization +galvanizations +galvanize +galvanized +galvanizer +galvanizers +galvanizes +galvanizing +galvanocautery +galvanocauteries +galvanocauterization +galvanocontractility +galvanofaradization +galvanoglyph +galvanoglyphy +galvanograph +galvanography +galvanographic +galvanolysis +galvanology +galvanologist +galvanomagnet +galvanomagnetic +galvanomagnetism +galvanometer +galvanometers +galvanometry +galvanometric +galvanometrical +galvanometrically +galvanoplasty +galvanoplastic +galvanoplastical +galvanoplastically +galvanoplastics +galvanopsychic +galvanopuncture +galvanoscope +galvanoscopy +galvanoscopic +galvanosurgery +galvanotactic +galvanotaxis +galvanotherapy +galvanothermy +galvanothermometer +galvanotonic +galvanotropic +galvanotropism +galvo +galvvanoscopy +galways +galwegian +galziekte +gam +gamahe +gamaliel +gamari +gamash +gamashes +gamasid +gamasidae +gamasoidea +gamb +gamba +gambade +gambades +gambado +gambadoes +gambados +gambang +gambas +gambe +gambeer +gambeered +gambeering +gambelli +gambes +gambeson +gambesons +gambet +gambetta +gambette +gambia +gambiae +gambian +gambians +gambias +gambier +gambiers +gambir +gambirs +gambist +gambit +gambits +gamble +gambled +gambler +gamblers +gambles +gamblesome +gamblesomeness +gambling +gambodic +gamboge +gamboges +gambogian +gambogic +gamboised +gambol +gamboled +gamboler +gamboling +gambolled +gamboller +gambolling +gambols +gambone +gambrel +gambreled +gambrelled +gambrels +gambroon +gambs +gambusia +gambusias +gamdeboo +gamdia +game +gamebag +gameball +gamecock +gamecocks +gamecraft +gamed +gameful +gamey +gamekeeper +gamekeepers +gamekeeping +gamelan +gamelang +gamelans +gameless +gamely +gamelike +gamelin +gamelion +gamelote +gamelotte +gamene +gameness +gamenesses +gamer +games +gamesman +gamesmanship +gamesome +gamesomely +gamesomeness +gamest +gamester +gamesters +gamestress +gametal +gametange +gametangia +gametangium +gamete +gametes +gametic +gametically +gametocyst +gametocyte +gametogenesis +gametogeny +gametogenic +gametogenous +gametogony +gametogonium +gametoid +gametophagia +gametophyll +gametophyte +gametophytic +gametophobia +gametophore +gametophoric +gamgee +gamgia +gamy +gamic +gamier +gamiest +gamily +gamin +gamine +gamines +gaminesque +gaminess +gaminesses +gaming +gamings +gaminish +gamins +gamma +gammacism +gammacismus +gammadia +gammadion +gammarid +gammaridae +gammarine +gammaroid +gammarus +gammas +gammation +gammed +gammelost +gammer +gammerel +gammers +gammerstang +gammexane +gammy +gammick +gamming +gammock +gammon +gammoned +gammoner +gammoners +gammoning +gammons +gamobium +gamodeme +gamodemes +gamodesmy +gamodesmic +gamogamy +gamogenesis +gamogenetic +gamogenetical +gamogenetically +gamogeny +gamogony +gamolepis +gamomania +gamond +gamone +gamont +gamopetalae +gamopetalous +gamophagy +gamophagia +gamophyllous +gamori +gamosepalous +gamostele +gamostely +gamostelic +gamotropic +gamotropism +gamp +gamphrel +gamps +gams +gamut +gamuts +gan +ganam +ganancial +gananciales +ganancias +ganapati +ganch +ganched +ganching +ganda +gander +gandered +ganderess +gandergoose +gandering +gandermooner +ganders +ganderteeth +gandertmeeth +gandhara +gandharva +gandhi +gandhian +gandhiism +gandhism +gandhist +gandoura +gandul +gandum +gandurah +gane +ganef +ganefs +ganev +ganevs +gang +ganga +gangamopteris +gangan +gangava +gangbang +gangboard +gangbuster +gangdom +gange +ganged +ganger +gangerel +gangers +ganges +gangetic +gangflower +ganggang +ganging +gangion +gangism +gangland +ganglander +ganglands +gangly +ganglia +gangliac +ganglial +gangliar +gangliasthenia +gangliate +gangliated +gangliectomy +ganglier +gangliest +gangliform +gangliglia +gangliglions +gangliitis +gangling +ganglioblast +gangliocyte +ganglioform +ganglioid +ganglioma +gangliomas +gangliomata +ganglion +ganglionary +ganglionate +ganglionated +ganglionectomy +ganglionectomies +ganglioneural +ganglioneure +ganglioneuroma +ganglioneuron +ganglionic +ganglionitis +ganglionless +ganglions +ganglioplexus +ganglioside +gangman +gangmaster +gangplank +gangplanks +gangplow +gangplows +gangrel +gangrels +gangrenate +gangrene +gangrened +gangrenes +gangrenescent +gangrening +gangrenous +gangs +gangsa +gangshag +gangsman +gangster +gangsterism +gangsters +gangtide +gangue +ganguela +gangues +gangwa +gangway +gangwayed +gangwayman +gangwaymen +gangways +ganyie +ganymede +ganymedes +ganister +ganisters +ganja +ganjas +ganner +gannet +gannetry +gannets +gannister +ganoblast +ganocephala +ganocephalan +ganocephalous +ganodont +ganodonta +ganodus +ganof +ganofs +ganoid +ganoidal +ganoidean +ganoidei +ganoidian +ganoids +ganoin +ganoine +ganomalite +ganophyllite +ganoses +ganosis +ganowanian +gansa +gansey +gansel +ganser +gansy +gant +ganta +gantang +gantangs +gantelope +gantlet +gantleted +gantleting +gantlets +gantline +gantlines +gantlope +gantlopes +ganton +gantry +gantries +gantryman +gantsl +ganza +ganzie +gaol +gaolage +gaolbird +gaoled +gaoler +gaolering +gaolerness +gaolers +gaoling +gaoloring +gaols +gaon +gaonate +gaonic +gap +gapa +gape +gaped +gaper +gapers +gapes +gapeseed +gapeseeds +gapeworm +gapeworms +gapy +gaping +gapingly +gapingstock +gapless +gaplessness +gapo +gaposis +gaposises +gapped +gapper +gapperi +gappy +gappier +gappiest +gapping +gaps +gar +gara +garabato +garad +garage +garaged +garageman +garages +garaging +garamond +garance +garancin +garancine +garapata +garapato +garau +garava +garavance +garawi +garb +garbage +garbages +garbanzo +garbanzos +garbardine +garbed +garbel +garbell +garbill +garbing +garble +garbleable +garbled +garbler +garblers +garbles +garbless +garbline +garbling +garblings +garbo +garboard +garboards +garboil +garboils +garbologist +garbs +garbure +garce +garcinia +garcon +garcons +gard +gardant +gardbrace +garde +gardebras +gardeen +garden +gardenable +gardencraft +gardened +gardener +gardeners +gardenership +gardenesque +gardenful +gardenhood +gardeny +gardenia +gardenias +gardenin +gardening +gardenize +gardenless +gardenly +gardenlike +gardenmaker +gardenmaking +gardens +gardenwards +gardenwise +garderobe +gardeviance +gardevin +gardevisure +gardy +gardyloo +gardinol +gardnap +gardon +gare +garefowl +garefowls +gareh +gareth +garetta +garewaite +garfield +garfish +garfishes +garg +gargalize +garganey +garganeys +gargantua +gargantuan +gargarism +gargarize +garget +gargety +gargets +gargil +gargle +gargled +gargler +garglers +gargles +gargling +gargoyle +gargoyled +gargoyley +gargoyles +gargoylish +gargoylishly +gargoylism +gargol +garhwali +gary +garial +gariba +garibaldi +garibaldian +garigue +garish +garishly +garishness +garland +garlandage +garlanded +garlanding +garlandless +garlandlike +garlandry +garlands +garlandwise +garle +garlic +garlicky +garliclike +garlicmonger +garlics +garlicwort +garlion +garlopa +garment +garmented +garmenting +garmentless +garmentmaker +garments +garmenture +garmentworker +garn +garnel +garner +garnerage +garnered +garnering +garners +garnet +garnetberry +garneter +garnetiferous +garnetlike +garnets +garnett +garnetter +garnetwork +garnetz +garni +garnice +garniec +garnierite +garnish +garnishable +garnished +garnishee +garnisheed +garnisheeing +garnisheement +garnishees +garnisheing +garnisher +garnishes +garnishing +garnishment +garnishments +garnishry +garnison +garniture +garnitures +garo +garon +garoo +garookuh +garote +garoted +garoter +garotes +garoting +garotte +garotted +garotter +garotters +garottes +garotting +garous +garpike +garpikes +garrafa +garran +garrat +garred +garret +garreted +garreteer +garretmaster +garrets +garrya +garryaceae +garrick +garridge +garrigue +garring +garrison +garrisoned +garrisonian +garrisoning +garrisonism +garrisons +garrnishable +garron +garrons +garroo +garrooka +garrot +garrote +garroted +garroter +garroters +garrotes +garroting +garrotte +garrotted +garrotter +garrottes +garrotting +garrulinae +garruline +garrulity +garrulous +garrulously +garrulousness +garrulus +garrupa +gars +garse +garshuni +garsil +garston +garten +garter +gartered +gartering +garterless +garters +garth +garthman +garths +garua +garuda +garum +garvance +garvanzo +garvey +garveys +garvie +garvock +gas +gasalier +gasaliers +gasan +gasbag +gasbags +gasboat +gascheck +gascoign +gascoigny +gascoyne +gascon +gasconade +gasconaded +gasconader +gasconading +gasconism +gascons +gascromh +gaseity +gaselier +gaseliers +gaseosity +gaseous +gaseously +gaseousness +gases +gasfiring +gash +gashed +gasher +gashes +gashest +gashful +gashy +gashing +gashly +gashliness +gasholder +gashouse +gashouses +gasify +gasifiable +gasification +gasified +gasifier +gasifiers +gasifies +gasifying +gasiform +gasket +gaskets +gaskin +gasking +gaskings +gaskins +gasless +gaslight +gaslighted +gaslighting +gaslightness +gaslights +gaslike +gaslit +gaslock +gasmaker +gasman +gasmen +gasmetophytic +gasogen +gasogene +gasogenes +gasogenic +gasohol +gasolene +gasolenes +gasolier +gasoliery +gasoliers +gasoline +gasolineless +gasoliner +gasolines +gasolinic +gasometer +gasometry +gasometric +gasometrical +gasometrically +gasoscope +gasp +gaspar +gasparillo +gasped +gasper +gaspereau +gaspereaus +gaspergou +gaspergous +gaspers +gaspy +gaspiness +gasping +gaspingly +gasproof +gasps +gassed +gassendist +gasser +gasserian +gassers +gasses +gassy +gassier +gassiest +gassiness +gassing +gassings +gassit +gast +gastaldite +gastaldo +gasted +gaster +gasteralgia +gasteria +gasterolichenes +gasteromycete +gasteromycetes +gasteromycetous +gasterophilus +gasteropod +gasteropoda +gasterosteid +gasterosteidae +gasterosteiform +gasterosteoid +gasterosteus +gasterotheca +gasterothecal +gasterotricha +gasterotrichan +gasterozooid +gastful +gasthaus +gasthauser +gasthauses +gastight +gastightness +gasting +gastly +gastness +gastnesses +gastornis +gastornithidae +gastradenitis +gastraea +gastraead +gastraeadae +gastraeal +gastraeas +gastraeum +gastral +gastralgy +gastralgia +gastralgic +gastraneuria +gastrasthenia +gastratrophia +gastrea +gastreas +gastrectasia +gastrectasis +gastrectomy +gastrectomies +gastrelcosis +gastric +gastricism +gastrilegous +gastriloquy +gastriloquial +gastriloquism +gastriloquist +gastriloquous +gastrimargy +gastrin +gastrins +gastritic +gastritis +gastroadenitis +gastroadynamic +gastroalbuminorrhea +gastroanastomosis +gastroarthritis +gastroatonia +gastroatrophia +gastroblennorrhea +gastrocatarrhal +gastrocele +gastrocentrous +gastrochaena +gastrochaenidae +gastrocystic +gastrocystis +gastrocnemial +gastrocnemian +gastrocnemii +gastrocnemius +gastrocoel +gastrocoele +gastrocolic +gastrocoloptosis +gastrocolostomy +gastrocolotomy +gastrocolpotomy +gastrodermal +gastrodermis +gastrodialysis +gastrodiaphanoscopy +gastrodidymus +gastrodynia +gastrodisc +gastrodisk +gastroduodenal +gastroduodenitis +gastroduodenoscopy +gastroduodenostomy +gastroduodenostomies +gastroduodenotomy +gastroelytrotomy +gastroenteralgia +gastroenteric +gastroenteritic +gastroenteritis +gastroenteroanastomosis +gastroenterocolitis +gastroenterocolostomy +gastroenterology +gastroenterologic +gastroenterological +gastroenterologically +gastroenterologist +gastroenterologists +gastroenteroptosis +gastroenterostomy +gastroenterostomies +gastroenterotomy +gastroepiploic +gastroesophageal +gastroesophagostomy +gastrogastrotomy +gastrogenic +gastrogenital +gastrogenous +gastrograph +gastrohelcosis +gastrohepatic +gastrohepatitis +gastrohydrorrhea +gastrohyperneuria +gastrohypertonic +gastrohysterectomy +gastrohysteropexy +gastrohysterorrhaphy +gastrohysterotomy +gastroid +gastrointestinal +gastrojejunal +gastrojejunostomy +gastrojejunostomies +gastrolater +gastrolatrous +gastrolavage +gastrolienal +gastrolysis +gastrolith +gastrolytic +gastrolobium +gastrologer +gastrology +gastrological +gastrologically +gastrologist +gastrologists +gastromalacia +gastromancy +gastromelus +gastromenia +gastromyces +gastromycosis +gastromyxorrhea +gastronephritis +gastronome +gastronomer +gastronomes +gastronomy +gastronomic +gastronomical +gastronomically +gastronomics +gastronomist +gastronosus +gastropancreatic +gastropancreatitis +gastroparalysis +gastroparesis +gastroparietal +gastropathy +gastropathic +gastroperiodynia +gastropexy +gastrophile +gastrophilism +gastrophilist +gastrophilite +gastrophilus +gastrophrenic +gastrophthisis +gastropyloric +gastroplasty +gastroplenic +gastropleuritis +gastroplication +gastropneumatic +gastropneumonic +gastropod +gastropoda +gastropodan +gastropodous +gastropods +gastropore +gastroptosia +gastroptosis +gastropulmonary +gastropulmonic +gastrorrhagia +gastrorrhaphy +gastrorrhea +gastroschisis +gastroscope +gastroscopy +gastroscopic +gastroscopies +gastroscopist +gastrosoph +gastrosopher +gastrosophy +gastrospasm +gastrosplenic +gastrostaxis +gastrostegal +gastrostege +gastrostenosis +gastrostomy +gastrostomies +gastrostomize +gastrostomus +gastrosuccorrhea +gastrotaxis +gastrotheca +gastrothecal +gastrotympanites +gastrotome +gastrotomy +gastrotomic +gastrotomies +gastrotrich +gastrotricha +gastrotrichan +gastrotubotomy +gastrovascular +gastroxynsis +gastrozooid +gastrula +gastrulae +gastrular +gastrulas +gastrulate +gastrulated +gastrulating +gastrulation +gastruran +gasts +gasworker +gasworks +gat +gata +gatch +gatchwork +gate +gateado +gateage +gateau +gateaux +gatecrasher +gatecrashers +gated +gatefold +gatefolds +gatehouse +gatehouses +gatekeep +gatekeeper +gatekeepers +gateless +gatelike +gatemaker +gateman +gatemen +gatepost +gateposts +gater +gates +gatetender +gateway +gatewaying +gatewayman +gatewaymen +gateways +gateward +gatewards +gatewise +gatewoman +gateworks +gatewright +gatha +gather +gatherable +gathered +gatherer +gatherers +gathering +gatherings +gathers +gatherum +gathic +gating +gatling +gator +gats +gatsby +gatten +gatter +gatteridge +gattine +gau +gaub +gauby +gauche +gauchely +gaucheness +gaucher +gaucherie +gaucheries +gauchest +gaucho +gauchos +gaucy +gaucie +gaud +gaudeamus +gaudeamuses +gaudery +gauderies +gaudete +gaudful +gaudy +gaudier +gaudies +gaudiest +gaudily +gaudiness +gaudish +gaudless +gauds +gaudsman +gaufer +gauffer +gauffered +gaufferer +gauffering +gauffers +gauffre +gauffred +gaufre +gaufrette +gaufrettes +gauge +gaugeable +gaugeably +gauged +gauger +gaugers +gaugership +gauges +gauging +gauily +gauk +gaul +gaulding +gauleiter +gaulic +gaulin +gaulish +gaullism +gaullist +gauloiserie +gauls +gaulsh +gault +gaulter +gaultherase +gaultheria +gaultherin +gaultherine +gaults +gaum +gaumed +gaumy +gauming +gaumish +gaumless +gaumlike +gaums +gaun +gaunch +gaunt +gaunted +gaunter +gauntest +gaunty +gauntlet +gauntleted +gauntleting +gauntlets +gauntly +gauntness +gauntree +gauntry +gauntries +gaup +gauping +gaupus +gaur +gaura +gaure +gaurian +gauric +gaurie +gaurs +gaus +gauss +gaussage +gaussbergite +gausses +gaussian +gaussmeter +gauster +gausterer +gaut +gauteite +gauze +gauzelike +gauzes +gauzewing +gauzy +gauzier +gauziest +gauzily +gauziness +gavage +gavages +gavall +gave +gavel +gavelage +gaveled +gaveler +gavelet +gaveling +gavelkind +gavelkinder +gavelled +gaveller +gavelling +gavelman +gavelmen +gavelock +gavelocks +gavels +gaverick +gavia +gaviae +gavial +gavialis +gavialoid +gavials +gaviiformes +gavyuti +gavot +gavots +gavotte +gavotted +gavottes +gavotting +gaw +gawain +gawby +gawcey +gawcie +gawgaw +gawish +gawk +gawked +gawker +gawkers +gawkhammer +gawky +gawkier +gawkies +gawkiest +gawkihood +gawkily +gawkiness +gawking +gawkish +gawkishly +gawkishness +gawks +gawm +gawn +gawney +gawp +gawsy +gawsie +gaz +gazabo +gazaboes +gazabos +gazangabin +gazania +gaze +gazebo +gazeboes +gazebos +gazed +gazee +gazeful +gazehound +gazel +gazeless +gazella +gazelle +gazellelike +gazelles +gazelline +gazement +gazer +gazers +gazes +gazet +gazettal +gazette +gazetted +gazetteer +gazetteerage +gazetteerish +gazetteers +gazetteership +gazettes +gazetting +gazi +gazy +gazing +gazingly +gazingstock +gazogene +gazogenes +gazolyte +gazometer +gazon +gazook +gazophylacium +gazoz +gazpacho +gazpachos +gazump +gazzetta +gcd +gconv +gconvert +gd +gdinfo +gds +ge +geadephaga +geadephagous +geal +gean +geanticlinal +geanticline +gear +gearbox +gearboxes +gearcase +gearcases +geared +gearing +gearings +gearksutite +gearless +gearman +gears +gearset +gearshift +gearshifts +gearwheel +gearwheels +gease +geason +geast +geaster +geat +geatas +geb +gebang +gebanga +gebbie +gebur +gecarcinian +gecarcinidae +gecarcinus +geck +gecked +gecking +gecko +geckoes +geckoid +geckos +geckotian +geckotid +geckotidae +geckotoid +gecks +ged +gedackt +gedact +gedanite +gedanken +gedd +gedder +gedds +gedeckt +gedecktwork +gederathite +gederite +gedrite +geds +gedunk +gee +geebong +geebung +geechee +geed +geegaw +geegaws +geeing +geejee +geek +geeks +geelbec +geelbeck +geelbek +geeldikkop +geelhout +geepound +geepounds +geer +geerah +gees +geese +geest +geests +geet +geez +geezer +geezers +gefilte +gefulltefish +gegenion +gegenschein +gegg +geggee +gegger +geggery +gehey +geheimrat +gehenna +gehlenite +gey +geyan +geic +geyerite +geiger +geikia +geikielite +geylies +gein +geir +geira +geisa +geisenheimer +geyser +geyseral +geyseric +geyserine +geyserish +geyserite +geysers +geisha +geishas +geison +geisotherm +geisothermal +geissoloma +geissolomataceae +geissolomataceous +geissorhiza +geissospermin +geissospermine +geist +geistlich +geitjie +geitonogamy +geitonogamous +gekko +gekkones +gekkonid +gekkonidae +gekkonoid +gekkota +gel +gelable +gelada +geladas +gelandejump +gelandelaufer +gelandesprung +gelant +gelants +gelasian +gelasimus +gelastic +gelastocoridae +gelate +gelated +gelates +gelatia +gelatification +gelatigenous +gelatin +gelatinate +gelatinated +gelatinating +gelatination +gelatine +gelatined +gelatines +gelating +gelatiniferous +gelatinify +gelatiniform +gelatinigerous +gelatinisation +gelatinise +gelatinised +gelatiniser +gelatinising +gelatinity +gelatinizability +gelatinizable +gelatinization +gelatinize +gelatinized +gelatinizer +gelatinizing +gelatinobromide +gelatinochloride +gelatinoid +gelatinotype +gelatinous +gelatinously +gelatinousness +gelatins +gelation +gelations +gelatose +geld +geldability +geldable +geldant +gelded +gelder +gelders +geldesprung +gelding +geldings +gelds +gelechia +gelechiid +gelechiidae +gelee +geleem +gelees +gelfomino +gelid +gelidiaceae +gelidity +gelidities +gelidium +gelidly +gelidness +gelignite +gelilah +gelinotte +gell +gellant +gellants +gelled +gellert +gelly +gelling +gelndesprung +gelofer +gelofre +gelogenic +gelong +geloscopy +gelose +gelosie +gelosin +gelosine +gelotherapy +gelotometer +gelotoscopy +gelototherapy +gels +gelsemia +gelsemic +gelsemin +gelsemine +gelseminic +gelseminine +gelsemium +gelsemiumia +gelsemiums +gelt +gelts +gem +gemara +gemaric +gemarist +gematria +gematrical +gematriot +gemauve +gemeinde +gemeinschaft +gemeinschaften +gemel +gemeled +gemelled +gemellion +gemellione +gemellus +gemels +geminal +geminally +geminate +geminated +geminately +geminates +geminating +gemination +geminations +geminative +gemini +geminid +geminiflorous +geminiform +geminis +geminorum +geminous +gemitores +gemitorial +gemless +gemlich +gemlike +gemma +gemmaceous +gemmae +gemman +gemmary +gemmate +gemmated +gemmates +gemmating +gemmation +gemmative +gemmed +gemmel +gemmeous +gemmer +gemmery +gemmy +gemmier +gemmiest +gemmiferous +gemmiferousness +gemmification +gemmiform +gemmily +gemminess +gemming +gemmingia +gemmipara +gemmipares +gemmiparity +gemmiparous +gemmiparously +gemmoid +gemmology +gemmological +gemmologist +gemmologists +gemmula +gemmulation +gemmule +gemmules +gemmuliferous +gemology +gemological +gemologies +gemologist +gemologists +gemonies +gemot +gemote +gemotes +gemots +gempylid +gems +gemsbok +gemsboks +gemsbuck +gemsbucks +gemse +gemses +gemshorn +gemstone +gemstones +gemuetlich +gemul +gemuti +gemutlich +gemutlichkeit +gemwork +gen +gena +genae +genal +genapp +genappe +genapped +genapper +genapping +genarch +genarcha +genarchaship +genarchship +gendarme +gendarmery +gendarmerie +gendarmes +gender +gendered +genderer +gendering +genderless +genders +gene +geneal +genealogy +genealogic +genealogical +genealogically +genealogies +genealogist +genealogists +genealogize +genealogizer +genear +genearch +geneat +genecology +genecologic +genecological +genecologically +genecologist +genecor +geneki +genep +genepi +genera +generability +generable +generableness +general +generalate +generalcy +generalcies +generale +generalia +generalidad +generalific +generalisable +generalisation +generalise +generalised +generaliser +generalising +generalism +generalissima +generalissimo +generalissimos +generalist +generalistic +generalists +generaliter +generality +generalities +generalizable +generalization +generalizations +generalize +generalizeable +generalized +generalizer +generalizers +generalizes +generalizing +generall +generally +generalness +generals +generalship +generalships +generalty +generant +generate +generated +generater +generates +generating +generation +generational +generationism +generations +generative +generatively +generativeness +generator +generators +generatrices +generatrix +generic +generical +generically +genericalness +genericness +generics +generification +generis +generosity +generosities +generous +generously +generousness +genes +genesee +geneserin +geneserine +geneses +genesiac +genesiacal +genesial +genesic +genesiology +genesis +genesitic +genesiurgic +genet +genethliac +genethliacal +genethliacally +genethliacism +genethliacon +genethliacs +genethlialogy +genethlialogic +genethlialogical +genethliatic +genethlic +genetic +genetical +genetically +geneticism +geneticist +geneticists +genetics +genetika +genetmoil +genetoid +genetor +genetous +genetrix +genets +genetta +genette +genettes +geneura +geneva +genevan +genevas +genevese +genevieve +genevois +genevoise +genghis +genial +geniality +genialize +genially +genialness +genian +genyantrum +genic +genically +genicular +geniculate +geniculated +geniculately +geniculation +geniculum +genie +genies +genii +genin +genio +genioglossal +genioglossi +genioglossus +geniohyoglossal +geniohyoglossus +geniohyoid +geniolatry +genion +genyophrynidae +genioplasty +genyoplasty +genip +genipa +genipap +genipapada +genipaps +genyplasty +genips +genys +genisaro +genista +genistein +genistin +genit +genital +genitalia +genitalial +genitalic +genitally +genitals +geniting +genitival +genitivally +genitive +genitives +genitocrural +genitofemoral +genitor +genitory +genitorial +genitors +genitourinary +geniture +genitures +genius +geniuses +genizah +genizero +genl +genny +genoa +genoas +genoblast +genoblastic +genocidal +genocide +genocides +genoese +genoise +genom +genome +genomes +genomic +genoms +genonema +genophobia +genos +genospecies +genotype +genotypes +genotypic +genotypical +genotypically +genotypicity +genouillere +genoveva +genovino +genre +genres +genro +genros +gens +genseng +gensengs +genson +gent +gentamicin +genteel +genteeler +genteelest +genteelish +genteelism +genteelize +genteelly +genteelness +gentes +genthite +genty +gentian +gentiana +gentianaceae +gentianaceous +gentianal +gentianales +gentianella +gentianic +gentianin +gentianose +gentians +gentianwort +gentiin +gentil +gentile +gentiledom +gentiles +gentilesse +gentilhomme +gentilic +gentilish +gentilism +gentility +gentilitial +gentilitian +gentilities +gentilitious +gentilization +gentilize +gentiobiose +gentiopicrin +gentisate +gentisein +gentisic +gentisin +gentium +gentle +gentled +gentlefolk +gentlefolks +gentlehearted +gentleheartedly +gentleheartedness +gentlehood +gentleman +gentlemanhood +gentlemanism +gentlemanize +gentlemanly +gentlemanlike +gentlemanlikeness +gentlemanliness +gentlemanship +gentlemen +gentlemens +gentlemouthed +gentleness +gentlepeople +gentler +gentles +gentleship +gentlest +gentlewoman +gentlewomanhood +gentlewomanish +gentlewomanly +gentlewomanlike +gentlewomanliness +gentlewomen +gently +gentling +gentman +gentoo +gentry +gentrice +gentrices +gentries +gentrification +gents +genu +genua +genual +genuclast +genuflect +genuflected +genuflecting +genuflection +genuflections +genuflector +genuflectory +genuflects +genuflex +genuflexion +genuflexuous +genuine +genuinely +genuineness +genupectoral +genus +genuses +geo +geoaesthesia +geoagronomic +geobiology +geobiologic +geobiont +geobios +geoblast +geobotany +geobotanic +geobotanical +geobotanically +geobotanist +geocarpic +geocentric +geocentrical +geocentrically +geocentricism +geocerite +geochemical +geochemically +geochemist +geochemistry +geochemists +geochrony +geochronic +geochronology +geochronologic +geochronological +geochronologically +geochronologist +geochronometry +geochronometric +geocyclic +geocline +geococcyx +geocoronium +geocratic +geocronite +geod +geodaesia +geodal +geode +geodes +geodesy +geodesia +geodesic +geodesical +geodesics +geodesies +geodesist +geodesists +geodete +geodetic +geodetical +geodetically +geodetician +geodetics +geodiatropism +geodic +geodiferous +geodynamic +geodynamical +geodynamicist +geodynamics +geodist +geoduck +geoducks +geoemtry +geoethnic +geoff +geoffrey +geoffroyin +geoffroyine +geoform +geog +geogen +geogenesis +geogenetic +geogeny +geogenic +geogenous +geoglyphic +geoglossaceae +geoglossum +geognosy +geognosies +geognosis +geognosist +geognost +geognostic +geognostical +geognostically +geogony +geogonic +geogonical +geographer +geographers +geography +geographic +geographical +geographically +geographics +geographies +geographism +geographize +geographized +geohydrology +geohydrologic +geohydrologist +geoid +geoidal +geoids +geoisotherm +geol +geolatry +geolinguistics +geologer +geologers +geology +geologian +geologic +geological +geologically +geologician +geologies +geologise +geologised +geologising +geologist +geologists +geologize +geologized +geologizing +geom +geomagnetic +geomagnetically +geomagnetician +geomagnetics +geomagnetism +geomagnetist +geomaly +geomalic +geomalism +geomance +geomancer +geomancy +geomancies +geomant +geomantic +geomantical +geomantically +geomechanics +geomedical +geomedicine +geometdecrne +geometer +geometers +geometry +geometric +geometrical +geometrically +geometrician +geometricians +geometricism +geometricist +geometricize +geometrid +geometridae +geometries +geometriform +geometrina +geometrine +geometrise +geometrised +geometrising +geometrize +geometrized +geometrizing +geometroid +geometroidea +geomyid +geomyidae +geomys +geomoroi +geomorphy +geomorphic +geomorphist +geomorphogeny +geomorphogenic +geomorphogenist +geomorphology +geomorphologic +geomorphological +geomorphologically +geomorphologist +geon +geonavigation +geonegative +geonic +geonyctinastic +geonyctitropic +geonim +geonoma +geoparallelotropic +geophagy +geophagia +geophagies +geophagism +geophagist +geophagous +geophila +geophilid +geophilidae +geophilous +geophilus +geophysical +geophysically +geophysicist +geophysicists +geophysics +geophyte +geophytes +geophytic +geophone +geophones +geoplagiotropism +geoplana +geoplanidae +geopolar +geopolitic +geopolitical +geopolitically +geopolitician +geopolitics +geopolitik +geopolitist +geopony +geoponic +geoponical +geoponics +geopositive +geopotential +geoprumnon +georama +geordie +george +georgemas +georgette +georgia +georgiadesite +georgian +georgiana +georgians +georgic +georgical +georgics +georgie +georgium +geoscience +geoscientist +geoscientists +geoscopy +geoscopic +geoselenic +geosid +geoside +geosynchronous +geosynclinal +geosyncline +geosynclines +geosphere +geospiza +geostatic +geostatics +geostationary +geostrategy +geostrategic +geostrategist +geostrophic +geostrophically +geotactic +geotactically +geotaxes +geotaxy +geotaxis +geotechnic +geotechnics +geotectology +geotectonic +geotectonically +geotectonics +geoteuthis +geotherm +geothermal +geothermally +geothermic +geothermometer +geothlypis +geoty +geotic +geotical +geotilla +geotonic +geotonus +geotropy +geotropic +geotropically +geotropism +gepeoo +gephyrea +gephyrean +gephyrocercal +gephyrocercy +gephyrophobia +gepidae +gepoun +ger +geraera +gerah +gerahs +gerald +geraldine +geraniaceae +geraniaceous +geranial +geraniales +geranials +geranic +geranyl +geranin +geraniol +geraniols +geranium +geraniums +geranomorph +geranomorphae +geranomorphic +gerara +gerard +gerardia +gerardias +gerasene +gerastian +gerate +gerated +gerately +geraty +geratic +geratology +geratologic +geratologous +gerb +gerbe +gerbera +gerberas +gerberia +gerbil +gerbille +gerbilles +gerbillinae +gerbillus +gerbils +gerbo +gercrow +gere +gereagle +gerefa +gerenda +gerendum +gerent +gerents +gerenuk +gerenuks +gerfalcon +gerful +gerhardtite +gery +geriatric +geriatrician +geriatrics +geriatrist +gerygone +gerim +geryon +geryonia +geryonid +geryonidae +geryoniidae +gerip +gerkin +gerland +germ +germain +germal +german +germander +germane +germanely +germaneness +germanesque +germanhood +germany +germania +germanic +germanical +germanically +germanics +germanies +germanify +germanification +germanyl +germanious +germanish +germanism +germanist +germanistic +germanite +germanity +germanium +germaniums +germanization +germanize +germanized +germanizer +germanly +germanness +germanocentric +germanomania +germanomaniac +germanophile +germanophilist +germanophobe +germanophobia +germanophobic +germanophobist +germanous +germans +germantown +germarium +germen +germens +germfree +germy +germicidal +germicide +germicides +germiculture +germier +germiest +germifuge +germigene +germigenous +germin +germina +germinability +germinable +germinal +germinally +germinance +germinancy +germinant +germinate +germinated +germinates +germinating +germination +germinational +germinations +germinative +germinatively +germinator +germing +germiniparous +germinogony +germiparity +germiparous +germless +germlike +germling +germon +germproof +germs +germule +gernative +gernitz +gerocomy +gerocomia +gerocomical +geroderma +gerodermia +gerodontia +gerodontic +gerodontics +gerodontology +geromorphism +geronomite +geront +gerontal +gerontes +gerontic +gerontine +gerontism +geronto +gerontocracy +gerontocracies +gerontocrat +gerontocratic +gerontogeous +gerontology +gerontologic +gerontological +gerontologies +gerontologist +gerontologists +gerontomorphosis +gerontophilia +gerontotherapy +gerontotherapies +gerontoxon +geropiga +gerousia +gerres +gerrhosaurid +gerrhosauridae +gerridae +gerrymander +gerrymandered +gerrymanderer +gerrymandering +gerrymanders +gers +gersdorffite +gershom +gershon +gershonite +gersum +gertie +gertrude +gerund +gerundial +gerundially +gerundival +gerundive +gerundively +gerunds +gerusia +gervais +gervao +gervas +gervase +ges +gesan +gesellschaft +gesellschaften +geshurites +gesith +gesithcund +gesithcundman +gesling +gesnera +gesneraceae +gesneraceous +gesnerad +gesneria +gesneriaceae +gesneriaceous +gesnerian +gesning +gess +gessamine +gesseron +gesso +gessoes +gest +gestae +gestalt +gestalten +gestalter +gestaltist +gestalts +gestant +gestapo +gestapos +gestate +gestated +gestates +gestating +gestation +gestational +gestations +gestative +gestatory +gestatorial +gestatorium +geste +gested +gesten +gestening +gester +gestes +gestic +gestical +gesticulacious +gesticulant +gesticular +gesticularious +gesticulate +gesticulated +gesticulates +gesticulating +gesticulation +gesticulations +gesticulative +gesticulatively +gesticulator +gesticulatory +gestio +gestion +gestning +gestonie +gestor +gests +gestura +gestural +gesture +gestured +gestureless +gesturer +gesturers +gestures +gesturing +gesturist +gesundheit +geswarp +get +geta +getable +getae +getah +getas +getatability +getatable +getatableness +getaway +getaways +getfd +gether +gethsemane +gethsemanic +getic +getid +getling +getmesost +getmjlkost +getpenny +gets +getspa +getspace +getsul +gettable +gettableness +getter +gettered +gettering +getters +getting +gettings +gettysburg +getup +getups +geulah +geullah +geum +geumatophobia +geums +gewgaw +gewgawed +gewgawy +gewgawish +gewgawry +gewgaws +gez +gezerah +ggr +ghaffir +ghafir +ghain +ghaist +ghalva +ghan +ghana +ghanaian +ghanaians +ghanian +gharial +gharnao +gharri +gharry +gharries +gharris +ghassanid +ghast +ghastful +ghastfully +ghastfulness +ghastily +ghastly +ghastlier +ghastliest +ghastlily +ghastliness +ghat +ghats +ghatti +ghatwal +ghatwazi +ghaut +ghauts +ghawazee +ghawazi +ghazal +ghazel +ghazi +ghazies +ghazis +ghazism +ghaznevid +ghbor +gheber +ghebeta +ghedda +ghee +ghees +gheg +ghegish +gheleem +ghent +ghenting +gherao +gheraoed +gheraoes +gheraoing +gherkin +gherkins +ghess +ghetchoo +ghetti +ghetto +ghettoed +ghettoes +ghettoing +ghettoization +ghettoize +ghettoized +ghettoizes +ghettoizing +ghettos +ghi +ghibelline +ghibellinism +ghibli +ghiblis +ghyll +ghillie +ghillies +ghylls +ghilzai +ghiordes +ghis +ghizite +ghole +ghoom +ghorkhar +ghost +ghostcraft +ghostdom +ghosted +ghoster +ghostess +ghostfish +ghostfishes +ghostflower +ghosthood +ghosty +ghostier +ghostiest +ghostified +ghostily +ghosting +ghostish +ghostism +ghostland +ghostless +ghostlet +ghostly +ghostlier +ghostliest +ghostlify +ghostlike +ghostlikeness +ghostlily +ghostliness +ghostmonger +ghostology +ghosts +ghostship +ghostweed +ghostwrite +ghostwriter +ghostwriters +ghostwrites +ghostwriting +ghostwritten +ghostwrote +ghoul +ghoulery +ghoulie +ghoulish +ghoulishly +ghoulishness +ghouls +ghrush +ghurry +ghuz +gi +gyal +giallolino +giambeux +giansar +giant +giantesque +giantess +giantesses +gianthood +giantish +giantism +giantisms +giantize +giantkind +giantly +giantlike +giantlikeness +giantry +giants +giantship +giantsize +giaour +giaours +giardia +giardiasis +giarra +giarre +gyarung +gyascutus +gyassa +gib +gibaro +gibbals +gibbar +gibbartas +gibbed +gibber +gibbered +gibberella +gibberellin +gibbergunyah +gibbering +gibberish +gibberose +gibberosity +gibbers +gibbert +gibbet +gibbeted +gibbeting +gibbets +gibbetted +gibbetting +gibbetwise +gibbi +gibby +gibbier +gibbing +gibbled +gibblegabble +gibblegabbler +gibblegable +gibbles +gibbol +gibbon +gibbons +gibbose +gibbosely +gibboseness +gibbosity +gibbosities +gibbous +gibbously +gibbousness +gibbsite +gibbsites +gibbus +gibe +gybe +gibed +gybed +gibel +gibelite +gibeonite +giber +gibers +gibes +gybes +gibetting +gibier +gibing +gybing +gibingly +gibleh +giblet +giblets +gibli +giboia +gibraltar +gibs +gibson +gibsons +gibstaff +gibus +gibuses +gid +giddap +giddea +giddy +giddyberry +giddybrain +giddied +giddier +giddies +giddiest +giddify +giddyhead +giddying +giddyish +giddily +giddiness +giddypate +gideon +gideonite +gidgea +gidgee +gidyea +gidjee +gids +gie +gye +gieaway +gieaways +gied +gieing +gien +gienah +gierfalcon +gies +gieseckite +giesel +gif +gifblaar +giffgaff +gifola +gift +giftbook +gifted +giftedly +giftedness +giftie +gifting +giftless +giftlike +giftling +gifts +gifture +giftware +giftwrap +giftwrapping +gig +giga +gigabit +gigabyte +gigabytes +gigabits +gigacycle +gigadoid +gigahertz +gigahertzes +gigaherz +gigamaree +gigameter +gigant +gigantal +gigantean +gigantesque +gigantic +gigantical +gigantically +giganticidal +giganticide +giganticness +gigantine +gigantism +gigantize +gigantoblast +gigantocyte +gigantolite +gigantology +gigantological +gigantomachy +gigantomachia +gigantopithecus +gigantosaurus +gigantostraca +gigantostracan +gigantostracous +gigartina +gigartinaceae +gigartinaceous +gigartinales +gigas +gigasecond +gigaton +gigatons +gigavolt +gigawatt +gigawatts +gigback +gigelira +gigeria +gigerium +gyges +gigful +gigge +gigged +gigger +gigget +gigging +giggish +giggit +giggle +giggled +giggledom +gigglement +giggler +gigglers +giggles +gigglesome +giggly +gigglier +giggliest +giggling +gigglingly +gigglish +gighe +gigi +gygis +giglet +giglets +gigliato +giglio +giglot +giglots +gigman +gigmaness +gigmanhood +gigmania +gigmanic +gigmanically +gigmanism +gigmanity +gignate +gignitive +gigolo +gigolos +gigot +gigots +gigs +gigsman +gigsmen +gigster +gigtree +gigue +gigues +gigunu +giher +giinwale +gil +gila +gilaki +gilbert +gilbertage +gilbertese +gilbertian +gilbertianism +gilbertine +gilbertite +gilberts +gild +gildable +gilded +gildedness +gilden +gilder +gilders +gildhall +gildhalls +gilding +gildings +gilds +gildship +gildsman +gildsmen +gile +gyle +gileadite +gilenyer +gilenyie +gileno +giles +gilet +gilgai +gilgames +gilgamesh +gilgie +gilguy +gilgul +gilgulim +gilia +giliak +gilim +gill +gillar +gillaroo +gillbird +gilled +gillenia +giller +gillers +gilles +gillflirt +gillhooter +gilly +gillian +gillie +gillied +gillies +gilliflirt +gilliflower +gillyflower +gillygaupus +gillying +gilling +gillion +gilliver +gillnet +gillnets +gillnetted +gillnetting +gillot +gillotage +gillotype +gills +gillstoup +gilo +gilour +gilpey +gilpy +gilravage +gilravager +gils +gilse +gilsonite +gilt +giltcup +gilten +gilthead +giltheads +gilty +gilts +gilttail +gilver +gim +gym +gimbal +gimbaled +gimbaling +gimbaljawed +gimballed +gimballing +gimbals +gimbawawed +gimberjawed +gimble +gimblet +gimbri +gimcrack +gimcrackery +gimcracky +gimcrackiness +gimcracks +gimel +gymel +gimels +gimirrai +gymkhana +gymkhanas +gimlet +gimleted +gimleteyed +gimlety +gimleting +gimlets +gimmal +gymmal +gimmaled +gimmals +gimme +gimmer +gimmeringly +gimmerpet +gimmick +gimmicked +gimmickery +gimmicky +gimmicking +gimmickry +gimmicks +gimmor +gymnadenia +gymnadeniopsis +gymnanthes +gymnanthous +gymnarchidae +gymnarchus +gymnasia +gymnasial +gymnasiarch +gymnasiarchy +gymnasiast +gymnasic +gymnasisia +gymnasisiums +gymnasium +gymnasiums +gymnast +gymnastic +gymnastical +gymnastically +gymnastics +gymnasts +gymnemic +gymnetrous +gymnic +gymnical +gymnics +gymnite +gymnoblastea +gymnoblastic +gymnocalycium +gymnocarpic +gymnocarpous +gymnocerata +gymnoceratous +gymnocidium +gymnocladus +gymnoconia +gymnoderinae +gymnodiniaceae +gymnodiniaceous +gymnodiniidae +gymnodinium +gymnodont +gymnodontes +gymnogen +gymnogene +gymnogenous +gymnogynous +gymnogyps +gymnoglossa +gymnoglossate +gymnolaema +gymnolaemata +gymnolaematous +gymnonoti +gymnopaedes +gymnopaedic +gymnophiona +gymnophobia +gymnoplast +gymnorhina +gymnorhinal +gymnorhininae +gymnosoph +gymnosophy +gymnosophical +gymnosophist +gymnosperm +gymnospermae +gymnospermal +gymnospermy +gymnospermic +gymnospermism +gymnospermous +gymnosperms +gymnosporangium +gymnospore +gymnosporous +gymnostomata +gymnostomina +gymnostomous +gymnothorax +gymnotid +gymnotidae +gymnotoka +gymnotokous +gymnotus +gymnura +gymnure +gymnurinae +gymnurine +gimp +gimped +gimper +gimpy +gympie +gimpier +gimpiest +gimping +gimps +gyms +gymsia +gymslip +gin +gyn +gynaecea +gynaeceum +gynaecia +gynaecian +gynaecic +gynaecium +gynaecocoenic +gynaecocracy +gynaecocracies +gynaecocrat +gynaecocratic +gynaecoid +gynaecol +gynaecology +gynaecologic +gynaecological +gynaecologist +gynaecomasty +gynaecomastia +gynaecomorphous +gynaeconitis +gynaeocracy +gynaeolater +gynaeolatry +gynander +gynandrarchy +gynandrarchic +gynandry +gynandria +gynandrian +gynandries +gynandrism +gynandroid +gynandromorph +gynandromorphy +gynandromorphic +gynandromorphism +gynandromorphous +gynandrophore +gynandrosporous +gynandrous +gynantherous +gynarchy +gynarchic +gynarchies +gyne +gyneccia +gynecia +gynecic +gynecicgynecidal +gynecidal +gynecide +gynecium +gynecocentric +gynecocracy +gynecocracies +gynecocrat +gynecocratic +gynecocratical +gynecoid +gynecol +gynecolatry +gynecology +gynecologic +gynecological +gynecologies +gynecologist +gynecologists +gynecomania +gynecomaniac +gynecomaniacal +gynecomasty +gynecomastia +gynecomastism +gynecomazia +gynecomorphous +gyneconitis +gynecopathy +gynecopathic +gynecophore +gynecophoric +gynecophorous +gynecotelic +gynecratic +gyneocracy +gyneolater +gyneolatry +ginep +gynephobia +gynerium +ginete +gynethusia +gynetype +ging +gingal +gingall +gingalls +gingals +gingeley +gingeleys +gingeli +gingely +gingelies +gingelis +gingelly +gingellies +ginger +gingerade +gingerberry +gingerbread +gingerbready +gingered +gingery +gingerin +gingering +gingerleaf +gingerly +gingerline +gingerliness +gingerness +gingernut +gingerol +gingerous +gingerroot +gingers +gingersnap +gingersnaps +gingerspice +gingerwork +gingerwort +gingham +ginghamed +ginghams +gingili +gingilis +gingiva +gingivae +gingival +gingivalgia +gingivectomy +gingivitis +gingivoglossitis +gingivolabial +gingko +gingkoes +gingle +gingles +ginglyform +ginglymi +ginglymoarthrodia +ginglymoarthrodial +ginglymodi +ginglymodian +ginglymoid +ginglymoidal +ginglymostoma +ginglymostomoid +ginglymus +ginglyni +ginglmi +gingras +ginhound +ginhouse +gyniatry +gyniatrics +gyniatries +gynic +gynics +gyniolatry +gink +ginkgo +ginkgoaceae +ginkgoaceous +ginkgoales +ginkgoes +ginks +ginmill +ginn +ginned +ginney +ginnel +ginner +ginnery +ginneries +ginners +ginnet +ginny +ginnier +ginniest +ginning +ginnings +ginnle +gynobase +gynobaseous +gynobasic +gynocardia +gynocardic +gynocracy +gynocratic +gynodioecious +gynodioeciously +gynodioecism +gynoecia +gynoecium +gynoeciumcia +gynogenesis +gynogenetic +gynomonecious +gynomonoecious +gynomonoeciously +gynomonoecism +gynopara +gynophagite +gynophore +gynophoric +ginorite +gynosporangium +gynospore +gynostegia +gynostegigia +gynostegium +gynostemia +gynostemium +gynostemiumia +gins +ginseng +ginsengs +gynura +ginward +ginzo +ginzoes +gio +giobertite +giocoso +giojoso +gyokuro +giornata +giornatate +giottesque +giovanni +gip +gyp +gypaetus +gype +gipon +gipons +gipped +gypped +gipper +gypper +gyppery +gippers +gyppers +gippy +gipping +gypping +gippo +gyppo +gips +gyps +gipseian +gypseian +gypseous +gipser +gipsy +gypsy +gipsydom +gypsydom +gypsydoms +gipsied +gypsied +gipsies +gypsies +gipsyesque +gypsyesque +gypsiferous +gipsyfy +gypsyfy +gipsyhead +gypsyhead +gipsyhood +gypsyhood +gipsying +gypsying +gipsyish +gypsyish +gipsyism +gypsyism +gypsyisms +gipsylike +gypsylike +gypsine +gipsiologist +gypsiologist +gipsire +gipsyry +gypsyry +gypsite +gipsyweed +gypsyweed +gypsywise +gipsywort +gypsywort +gypsography +gipsology +gypsology +gypsologist +gypsophila +gypsophily +gypsophilous +gypsoplast +gypsous +gypster +gypsum +gypsumed +gypsuming +gypsums +gyracanthus +giraffa +giraffe +giraffes +giraffesque +giraffidae +giraffine +giraffish +giraffoid +gyral +gyrally +girandola +girandole +gyrant +girasol +girasole +girasoles +girasols +gyrate +gyrated +gyrates +gyrating +gyration +gyrational +gyrations +gyrator +gyratory +gyrators +girba +gird +girded +girder +girderage +girdering +girderless +girders +girding +girdingly +girdle +girdlecake +girdled +girdlelike +girdler +girdlers +girdles +girdlestead +girdling +girdlingly +girds +gire +gyre +gyrectomy +gyrectomies +gyred +girella +girellidae +gyrencephala +gyrencephalate +gyrencephalic +gyrencephalous +gyrene +gyrenes +gyres +gyrfalcon +gyrfalcons +girgashite +girgasite +gyri +gyric +gyring +gyrinid +gyrinidae +gyrinus +girja +girkin +girl +girland +girlchild +girleen +girlery +girlfriend +girlfriends +girlfully +girlhood +girlhoods +girly +girlie +girlies +girliness +girling +girlish +girlishly +girlishness +girlism +girllike +girllikeness +girls +girn +girnal +girned +girnel +girny +girnie +girning +girns +giro +gyro +gyrocar +gyroceracone +gyroceran +gyroceras +gyrochrome +gyrocompass +gyrocompasses +gyrodactylidae +gyrodactylus +gyrodyne +giroflore +gyrofrequency +gyrofrequencies +gyrogonite +gyrograph +gyrohorizon +gyroidal +gyroidally +gyrolite +gyrolith +gyroma +gyromagnetic +gyromancy +gyromele +gyrometer +gyromitra +giron +gyron +gironde +girondin +girondism +girondist +gironny +gyronny +girons +gyrons +gyrophora +gyrophoraceae +gyrophoraceous +gyrophoric +gyropigeon +gyropilot +gyroplane +giros +gyros +gyroscope +gyroscopes +gyroscopic +gyroscopically +gyroscopics +gyrose +gyrosyn +girosol +girosols +gyrostabilized +gyrostabilizer +gyrostachys +gyrostat +gyrostatic +gyrostatically +gyrostatics +gyrostats +gyrotheca +girouette +girouettes +girouettism +gyrous +gyrovagi +gyrovague +gyrovagues +gyrowheel +girr +girrit +girrock +girse +girsh +girshes +girsle +girt +girted +girth +girthed +girthing +girthline +girths +girting +girtline +girtonian +girts +gyrus +gis +gisant +gisants +gisarme +gisarmes +gise +gyse +gisel +gisement +gish +gisla +gisler +gismo +gismondine +gismondite +gismos +gispin +gist +gists +git +gitaligenin +gitalin +gitana +gitanemuck +gitanemuk +gitano +gitanos +gite +gyte +giterne +gith +gitim +gitksan +gytling +gitonin +gitoxigenin +gitoxin +gytrash +gitter +gittern +gitterns +gittite +gittith +gyttja +giulio +giunta +giuseppe +giust +giustamente +giustina +giusto +give +gyve +giveable +giveaway +giveaways +gyved +givey +given +givenness +givens +giver +givers +gives +gyves +giveth +givin +giving +gyving +givingness +gizmo +gizmos +gizz +gizzard +gizzards +gizzen +gizzened +gizzern +gjedost +gjetost +gjetosts +gl +glabbella +glabella +glabellae +glabellar +glabellous +glabellum +glabrate +glabreity +glabrescent +glabriety +glabrous +glabrousness +glace +glaceed +glaceing +glaces +glaciable +glacial +glacialism +glacialist +glacialize +glacially +glaciaria +glaciarium +glaciate +glaciated +glaciates +glaciating +glaciation +glacier +glaciered +glacieret +glacierist +glaciers +glacify +glacification +glacioaqueous +glaciolacustrine +glaciology +glaciologic +glaciological +glaciologist +glaciologists +glaciomarine +glaciometer +glacionatant +glacious +glacis +glacises +glack +glacon +glad +gladatorial +gladded +gladden +gladdened +gladdener +gladdening +gladdens +gladder +gladdest +gladdy +gladding +gladdon +glade +gladeye +gladelike +gladen +glades +gladful +gladfully +gladfulness +gladhearted +glady +gladiate +gladiator +gladiatory +gladiatorial +gladiatorism +gladiators +gladiatorship +gladiatrix +gladier +gladiest +gladify +gladii +gladiola +gladiolar +gladiolas +gladiole +gladioli +gladiolus +gladioluses +gladys +gladite +gladius +gladkaite +gladless +gladly +gladlier +gladliest +gladness +gladnesses +gladrags +glads +gladship +gladsome +gladsomely +gladsomeness +gladsomer +gladsomest +gladstone +gladstonian +gladstonianism +gladwin +glaga +glagah +glagol +glagolic +glagolitic +glagolitsa +glaieul +glaik +glaiket +glaiketness +glaikit +glaikitness +glaiks +glaymore +glair +glaire +glaired +glaireous +glaires +glairy +glairier +glairiest +glairin +glairiness +glairing +glairs +glaister +glaistig +glaive +glaived +glaives +glaizie +glaked +glaky +glali +glam +glamberry +glamor +glamorization +glamorizations +glamorize +glamorized +glamorizer +glamorizes +glamorizing +glamorous +glamorously +glamorousness +glamors +glamour +glamoured +glamoury +glamourie +glamouring +glamourization +glamourize +glamourizer +glamourless +glamourous +glamourously +glamourousness +glamours +glance +glanced +glancer +glances +glancing +glancingly +gland +glandaceous +glandarious +glander +glandered +glanderous +glanders +glandes +glandiferous +glandiform +glanditerous +glandless +glandlike +glands +glandula +glandular +glandularly +glandulation +glandule +glandules +glanduliferous +glanduliform +glanduligerous +glandulose +glandulosity +glandulous +glandulousness +glaniostomi +glanis +glans +glar +glare +glared +glareless +glareola +glareole +glareolidae +glareous +glareproof +glares +glareworm +glary +glarier +glariest +glarily +glariness +glaring +glaringly +glaringness +glarry +glaserian +glaserite +glasgow +glashan +glass +glassblower +glassblowers +glassblowing +glassed +glasseye +glassen +glasser +glasses +glassfish +glassful +glassfuls +glasshouse +glasshouses +glassy +glassie +glassier +glassies +glassiest +glassily +glassin +glassine +glassines +glassiness +glassing +glassite +glassless +glasslike +glasslikeness +glassmaker +glassmaking +glassman +glassmen +glassophone +glassrope +glassteel +glassware +glassweed +glasswork +glassworker +glassworkers +glassworking +glassworks +glassworm +glasswort +glastonbury +glaswegian +glathsheim +glathsheimr +glauber +glauberite +glaucescence +glaucescent +glaucic +glaucidium +glaucin +glaucine +glaucionetta +glaucium +glaucochroite +glaucodot +glaucodote +glaucolite +glaucoma +glaucomas +glaucomatous +glaucomys +glauconia +glauconiferous +glauconiidae +glauconite +glauconitic +glauconitization +glaucophane +glaucophanite +glaucophanization +glaucophanize +glaucophyllous +glaucopis +glaucosis +glaucosuria +glaucous +glaucously +glaucousness +glaucus +glauke +glaum +glaumrie +glaur +glaury +glaux +glave +glaver +glavered +glavering +glaze +glazed +glazement +glazen +glazer +glazers +glazes +glazework +glazy +glazier +glaziery +glazieries +glaziers +glaziest +glazily +glaziness +glazing +glazings +glb +gld +glead +gleam +gleamed +gleamy +gleamier +gleamiest +gleamily +gleaminess +gleaming +gleamingly +gleamless +gleams +glean +gleanable +gleaned +gleaner +gleaners +gleaning +gleanings +gleans +gleary +gleave +gleba +glebae +glebal +glebe +glebeless +glebes +gleby +glebous +glecoma +gled +glede +gledes +gledge +gledy +gleditsia +gleds +glee +gleed +gleeds +gleeful +gleefully +gleefulness +gleeishly +gleek +gleeked +gleeking +gleeks +gleemaiden +gleeman +gleemen +gleen +glees +gleesome +gleesomely +gleesomeness +gleet +gleeted +gleety +gleetier +gleetiest +gleeting +gleets +gleewoman +gleg +glegly +glegness +glegnesses +gley +gleyde +gleir +gleys +gleit +gleization +glen +glendale +glendover +glene +glengarry +glengarries +glenlike +glenlivet +glenn +glenohumeral +glenoid +glenoidal +glens +glent +glenwood +glessite +gletscher +gletty +glew +glia +gliadin +gliadine +gliadines +gliadins +glial +glib +glibber +glibbery +glibbest +glibly +glibness +glibnesses +glyc +glycaemia +glycaemic +glycan +glycans +glycemia +glycemic +glyceral +glyceraldehyde +glycerate +glyceria +glyceric +glyceride +glyceridic +glyceryl +glyceryls +glycerin +glycerinate +glycerinated +glycerinating +glycerination +glycerine +glycerinize +glycerins +glycerite +glycerize +glycerizin +glycerizine +glycerogel +glycerogelatin +glycerol +glycerolate +glycerole +glycerolyses +glycerolysis +glycerolize +glycerols +glycerophosphate +glycerophosphoric +glycerose +glyceroxide +glycic +glycid +glycide +glycidic +glycidol +glycyl +glycyls +glycin +glycine +glycines +glycinin +glycins +glycyphyllin +glycyrize +glycyrrhiza +glycyrrhizin +glick +glycocholate +glycocholic +glycocin +glycocoll +glycogelatin +glycogen +glycogenase +glycogenesis +glycogenetic +glycogeny +glycogenic +glycogenize +glycogenolysis +glycogenolytic +glycogenosis +glycogenous +glycogens +glycohaemia +glycohemia +glycol +glycolaldehyde +glycolate +glycolic +glycolide +glycolyl +glycolylurea +glycolipid +glycolipide +glycolipin +glycolipine +glycolysis +glycolytic +glycolytically +glycollate +glycollic +glycollide +glycols +glycoluric +glycoluril +glyconean +glyconeogenesis +glyconeogenetic +glyconian +glyconic +glyconics +glyconin +glycopeptide +glycopexia +glycopexis +glycoproteid +glycoprotein +glycosaemia +glycose +glycosemia +glycosidase +glycoside +glycosides +glycosidic +glycosidically +glycosyl +glycosyls +glycosin +glycosine +glycosuria +glycosuric +glycuresis +glycuronic +glycuronid +glycuronide +glidder +gliddery +glide +glided +glideless +glideness +glider +gliderport +gliders +glides +glidewort +gliding +glidingly +gliff +gliffy +gliffing +gliffs +glike +glykopectic +glykopexic +glim +glime +glimed +glimes +gliming +glimmer +glimmered +glimmery +glimmering +glimmeringly +glimmerings +glimmerite +glimmerous +glimmers +glimpse +glimpsed +glimpser +glimpsers +glimpses +glimpsing +glims +glyn +glink +glynn +glinse +glint +glinted +glinting +glints +gliocyte +glioma +gliomas +gliomata +gliomatous +gliosa +gliosis +glyoxal +glyoxalase +glyoxalic +glyoxalin +glyoxaline +glyoxyl +glyoxylic +glyoxilin +glyoxim +glyoxime +glyph +glyphic +glyphograph +glyphographer +glyphography +glyphographic +glyphs +glyptal +glyptic +glyptical +glyptician +glyptics +glyptodon +glyptodont +glyptodontidae +glyptodontoid +glyptograph +glyptographer +glyptography +glyptographic +glyptolith +glyptology +glyptological +glyptologist +glyptotheca +glyptotherium +glires +gliridae +gliriform +gliriformia +glirine +glis +glisk +glisky +gliss +glissade +glissaded +glissader +glissades +glissading +glissandi +glissando +glissandos +glissette +glist +glisten +glistened +glistening +glisteningly +glistens +glister +glyster +glistered +glistering +glisteringly +glisters +glitch +glitches +glitnir +glitter +glitterance +glittered +glittery +glittering +glitteringly +glitters +glittersome +glitzy +gloam +gloaming +gloamings +gloams +gloat +gloated +gloater +gloaters +gloating +gloatingly +gloats +glob +global +globalism +globalist +globalists +globality +globalization +globalize +globalized +globalizing +globally +globate +globated +globe +globed +globefish +globefishes +globeflower +globeholder +globelet +globelike +globes +globetrotter +globetrotters +globetrotting +globy +globical +globicephala +globiferous +globigerina +globigerinae +globigerinas +globigerine +globigerinidae +globin +globing +globins +globiocephalus +globoid +globoids +globose +globosely +globoseness +globosite +globosity +globosities +globosphaerite +globous +globously +globousness +globs +globular +globularia +globulariaceae +globulariaceous +globularity +globularly +globularness +globule +globules +globulet +globulicidal +globulicide +globuliferous +globuliform +globulimeter +globulin +globulins +globulinuria +globulysis +globulite +globulitic +globuloid +globulolysis +globulose +globulous +globulousness +globus +glochchidia +glochid +glochideous +glochidia +glochidial +glochidian +glochidiate +glochidium +glochids +glochines +glochis +glockenspiel +glockenspiels +glod +gloea +gloeal +gloeocapsa +gloeocapsoid +gloeosporiose +gloeosporium +glogg +gloggs +gloy +gloiopeltis +gloiosiphonia +gloiosiphoniaceae +glom +glome +glomeli +glomera +glomerate +glomeration +glomerella +glomeroporphyritic +glomerular +glomerulate +glomerule +glomeruli +glomerulitis +glomerulonephritis +glomerulose +glomerulus +glomi +glommed +glomming +glommox +gloms +glomus +glonoin +glonoine +glood +gloom +gloomed +gloomful +gloomfully +gloomy +gloomier +gloomiest +gloomily +gloominess +glooming +gloomingly +gloomings +gloomless +glooms +gloomth +glop +glopnen +gloppen +gloppy +glops +glor +glore +glory +gloria +gloriam +gloriana +glorias +gloriation +gloried +glories +gloriette +glorify +glorifiable +glorification +glorifications +glorified +glorifier +glorifiers +glorifies +glorifying +gloryful +glorying +gloryingly +gloryless +gloriole +glorioles +gloriosa +gloriosity +glorioso +glorious +gloriously +gloriousness +glos +gloss +glossa +glossae +glossagra +glossal +glossalgy +glossalgia +glossanthrax +glossary +glossarial +glossarially +glossarian +glossaries +glossarist +glossarize +glossas +glossata +glossate +glossator +glossatorial +glossectomy +glossectomies +glossed +glossem +glossematic +glossematics +glosseme +glossemes +glossemic +glosser +glossers +glosses +glossy +glossic +glossier +glossies +glossiest +glossily +glossina +glossinas +glossiness +glossing +glossingly +glossiphonia +glossiphonidae +glossist +glossitic +glossitis +glossless +glossmeter +glossocarcinoma +glossocele +glossocoma +glossocomium +glossocomon +glossodynamometer +glossodynia +glossoepiglottic +glossoepiglottidean +glossograph +glossographer +glossography +glossographical +glossohyal +glossoid +glossokinesthetic +glossolabial +glossolabiolaryngeal +glossolabiopharyngeal +glossolaly +glossolalia +glossolalist +glossolaryngeal +glossolysis +glossology +glossological +glossologies +glossologist +glossoncus +glossopalatine +glossopalatinus +glossopathy +glossopetra +glossophaga +glossophagine +glossopharyngeal +glossopharyngeus +glossophytia +glossophobia +glossophora +glossophorous +glossopyrosis +glossoplasty +glossoplegia +glossopode +glossopodium +glossopteris +glossoptosis +glossorrhaphy +glossoscopy +glossoscopia +glossospasm +glossosteresis +glossotherium +glossotype +glossotomy +glossotomies +glost +glosts +glottal +glottalite +glottalization +glottalize +glottalized +glottalizing +glottic +glottid +glottidean +glottides +glottis +glottiscope +glottises +glottitis +glottochronology +glottochronological +glottogony +glottogonic +glottogonist +glottology +glottologic +glottological +glottologies +glottologist +glotum +gloucester +glout +glouted +glouting +glouts +glove +gloved +glovey +gloveless +glovelike +glovemaker +glovemaking +gloveman +glovemen +glover +gloveress +glovers +gloves +gloving +glow +glowbard +glowbird +glowed +glower +glowered +glowerer +glowering +gloweringly +glowers +glowfly +glowflies +glowing +glowingly +glows +glowworm +glowworms +gloxinia +gloxinias +gloze +glozed +glozer +glozes +glozing +glozingly +glt +glub +glucaemia +glucagon +glucagons +glucase +glucate +glucemia +glucic +glucid +glucide +glucidic +glucina +glucine +glucinic +glucinium +glucinum +glucinums +gluck +glucke +glucocorticoid +glucocorticord +glucofrangulin +glucogene +glucogenesis +glucogenic +glucokinase +glucokinin +glucolipid +glucolipide +glucolipin +glucolipine +glucolysis +gluconate +gluconeogenesis +gluconeogenetic +gluconeogenic +gluconokinase +glucoprotein +glucosaemia +glucosamine +glucosan +glucosane +glucosazone +glucose +glucosemia +glucoses +glucosic +glucosid +glucosidal +glucosidase +glucoside +glucosidic +glucosidically +glucosin +glucosine +glucosone +glucosulfone +glucosuria +glucosuric +glucuronic +glucuronidase +glucuronide +glue +glued +gluey +glueyness +glueing +gluelike +gluelikeness +gluemaker +gluemaking +glueman +gluepot +gluer +gluers +glues +glug +glugglug +gluhwein +gluier +gluiest +gluily +gluiness +gluing +gluish +gluishness +glum +gluma +glumaceae +glumaceous +glumal +glumales +glume +glumelike +glumella +glumes +glumiferous +glumiflorae +glumly +glummer +glummest +glummy +glumness +glumnesses +glumose +glumosity +glumous +glump +glumpy +glumpier +glumpiest +glumpily +glumpiness +glumpish +glunch +glunched +glunches +glunching +gluneamie +glunimie +gluon +glusid +gluside +glut +glutael +glutaeous +glutamate +glutamates +glutamic +glutaminase +glutamine +glutaminic +glutaraldehyde +glutaric +glutathione +glutch +gluteal +glutei +glutelin +glutelins +gluten +glutenin +glutenous +glutens +gluteofemoral +gluteoinguinal +gluteoperineal +glutetei +glutethimide +gluteus +glutimate +glutin +glutinant +glutinate +glutination +glutinative +glutinize +glutinose +glutinosity +glutinous +glutinously +glutinousness +glutition +glutoid +glutose +gluts +glutted +gluttei +glutter +gluttery +glutting +gluttingly +glutton +gluttoness +gluttony +gluttonies +gluttonise +gluttonised +gluttonish +gluttonising +gluttonism +gluttonize +gluttonized +gluttonizing +gluttonous +gluttonously +gluttonousness +gluttons +gm +gmelina +gmelinite +gn +gnabble +gnaeus +gnamma +gnaphalioid +gnaphalium +gnapweed +gnar +gnarl +gnarled +gnarly +gnarlier +gnarliest +gnarliness +gnarling +gnarls +gnarr +gnarred +gnarring +gnarrs +gnars +gnash +gnashed +gnashes +gnashing +gnashingly +gnast +gnat +gnatcatcher +gnateater +gnatflower +gnathal +gnathalgia +gnathic +gnathidium +gnathion +gnathions +gnathism +gnathite +gnathites +gnathitis +gnatho +gnathobase +gnathobasic +gnathobdellae +gnathobdellida +gnathometer +gnathonic +gnathonical +gnathonically +gnathonism +gnathonize +gnathophorous +gnathoplasty +gnathopod +gnathopoda +gnathopodite +gnathopodous +gnathostegite +gnathostoma +gnathostomata +gnathostomatous +gnathostome +gnathostomi +gnathostomous +gnathotheca +gnatlike +gnatling +gnatoo +gnatproof +gnats +gnatsnap +gnatsnapper +gnatter +gnatty +gnattier +gnattiest +gnatworm +gnaw +gnawable +gnawed +gnawer +gnawers +gnawing +gnawingly +gnawings +gnawn +gnaws +gneiss +gneisses +gneissy +gneissic +gneissitic +gneissoid +gneissose +gnessic +gnetaceae +gnetaceous +gnetales +gnetum +gnetums +gneu +gnide +gnocchetti +gnocchi +gnoff +gnome +gnomed +gnomelike +gnomes +gnomesque +gnomic +gnomical +gnomically +gnomide +gnomish +gnomist +gnomists +gnomology +gnomologic +gnomological +gnomologist +gnomon +gnomonia +gnomoniaceae +gnomonic +gnomonical +gnomonics +gnomonology +gnomonological +gnomonologically +gnomons +gnoses +gnosiology +gnosiological +gnosis +gnostic +gnostical +gnostically +gnosticism +gnosticity +gnosticize +gnosticizer +gnostology +gnotobiology +gnotobiologies +gnotobiosis +gnotobiote +gnotobiotic +gnotobiotically +gnotobiotics +gnow +gns +gnu +gnus +go +goa +goad +goaded +goading +goadlike +goads +goadsman +goadster +goaf +goajiro +goal +goala +goalage +goaled +goalee +goaler +goalers +goalie +goalies +goaling +goalkeeper +goalkeepers +goalkeeping +goalless +goalmouth +goalpost +goalposts +goals +goaltender +goaltenders +goaltending +goan +goanese +goanna +goar +goas +goasila +goat +goatbeard +goatbrush +goatbush +goatee +goateed +goatees +goatfish +goatfishes +goatherd +goatherdess +goatherds +goaty +goatish +goatishly +goatishness +goatland +goatly +goatlike +goatling +goatpox +goatroot +goats +goatsbane +goatsbeard +goatsfoot +goatskin +goatskins +goatstone +goatsucker +goatweed +goave +goaves +gob +goback +goban +gobang +gobangs +gobans +gobbe +gobbed +gobber +gobbet +gobbets +gobby +gobbin +gobbing +gobble +gobbled +gobbledegook +gobbledygook +gobbler +gobblers +gobbles +gobbling +gobelin +gobemouche +gobernadora +gobet +gobi +goby +gobia +gobian +gobies +gobiesocid +gobiesocidae +gobiesociform +gobiesox +gobiid +gobiidae +gobiiform +gobiiformes +gobylike +gobinism +gobinist +gobio +gobioid +gobioidea +gobioidei +gobioids +goblet +gobleted +gobletful +goblets +goblin +gobline +goblinesque +goblinish +goblinism +goblinize +goblinry +goblins +gobmouthed +gobo +goboes +gobonated +gobonee +gobony +gobos +gobs +gobstick +gobstopper +goburra +gocart +goclenian +god +godawful +godchild +godchildren +goddam +goddammed +goddamming +goddammit +goddamn +goddamndest +goddamned +goddamnedest +goddamning +goddamnit +goddamns +goddams +goddard +goddaughter +goddaughters +godded +goddess +goddesses +goddesshood +goddessship +goddikin +godding +goddize +gode +godelich +godendag +godet +godetia +godfather +godfatherhood +godfathers +godfathership +godforsaken +godfrey +godful +godhead +godheads +godhood +godhoods +godiva +godkin +godless +godlessly +godlessness +godlet +godly +godlier +godliest +godlike +godlikeness +godlily +godliness +godling +godlings +godmaker +godmaking +godmamma +godmother +godmotherhood +godmothers +godmothership +godown +godowns +godpapa +godparent +godparents +godroon +godroons +gods +godsake +godsend +godsends +godsent +godship +godships +godsib +godson +godsons +godsonship +godspeed +godward +godwin +godwinian +godwit +godwits +goebbels +goeduck +goel +goelism +goemagot +goemot +goen +goer +goers +goes +goetae +goethe +goethian +goethite +goethites +goety +goetia +goetic +goetical +gofer +gofers +goff +goffer +goffered +gofferer +goffering +goffers +goffle +gog +gogetting +gogga +goggan +goggle +gogglebox +goggled +goggler +gogglers +goggles +goggly +gogglier +goggliest +goggling +goglet +goglets +gogmagog +gogo +gogos +gohila +goi +goy +goiabada +goyana +goyazite +goidel +goidelic +goyetian +goyim +goyin +goyish +goyle +going +goings +gois +goys +goitcho +goiter +goitered +goiterogenic +goiters +goitral +goitre +goitres +goitrogen +goitrogenic +goitrogenicity +goitrous +gokuraku +gol +gola +golach +goladar +golandaas +golandause +golaseccan +golconda +golcondas +gold +goldang +goldanged +goldarn +goldarned +goldarnedest +goldarns +goldbeater +goldbeating +goldbird +goldbrick +goldbricker +goldbrickers +goldbricks +goldbug +goldbugs +goldcrest +goldcup +goldeye +goldeyes +golden +goldenback +goldeney +goldeneye +goldeneyes +goldener +goldenest +goldenfleece +goldenhair +goldenknop +goldenly +goldenlocks +goldenmouth +goldenmouthed +goldenness +goldenpert +goldenrod +goldenrods +goldenseal +goldentop +goldenwing +golder +goldest +goldfield +goldfielder +goldfields +goldfinch +goldfinches +goldfinny +goldfinnies +goldfish +goldfishes +goldflower +goldhammer +goldhead +goldi +goldy +goldic +goldie +goldilocks +goldylocks +goldin +golding +goldish +goldless +goldlike +goldminer +goldmist +goldney +goldonian +golds +goldseed +goldsinny +goldsmith +goldsmithery +goldsmithing +goldsmithry +goldsmiths +goldspink +goldstone +goldtail +goldthread +goldtit +goldurn +goldurned +goldurnedest +goldurns +goldwater +goldweed +goldwork +goldworker +golee +golem +golems +goles +golet +golf +golfdom +golfed +golfer +golfers +golfing +golfings +golfs +golgi +golgotha +golgothas +goli +goliad +goliard +goliardeys +goliardery +goliardic +goliards +goliath +goliathize +goliaths +golilla +golkakra +goll +golland +gollar +goller +golly +gollywobbler +golliwog +gollywog +golliwogg +golliwogs +gollop +golo +goloch +goloe +goloka +golosh +goloshes +golp +golpe +golundauze +goluptious +goma +gomari +gomarian +gomarist +gomarite +gomart +gomashta +gomasta +gomavel +gombay +gombeen +gombeenism +gombo +gombos +gombroon +gombroons +gome +gomeisa +gomer +gomeral +gomerals +gomerec +gomerel +gomerels +gomeril +gomerils +gomlah +gommelin +gommier +gomontia +gomorrah +gomorrean +gomorrhean +gomphiasis +gomphocarpus +gomphodont +gompholobium +gomphoses +gomphosis +gomphrena +gomukhi +gomuti +gomutis +gon +gona +gonad +gonadal +gonadectomy +gonadectomies +gonadectomized +gonadectomizing +gonadial +gonadic +gonadotrope +gonadotrophic +gonadotrophin +gonadotropic +gonadotropin +gonads +gonaduct +gonagia +gonagra +gonake +gonakie +gonal +gonalgia +gonangia +gonangial +gonangium +gonangiums +gonapod +gonapophysal +gonapophysial +gonapophysis +gonarthritis +goncalo +gond +gondang +gondi +gondite +gondola +gondolas +gondolet +gondoletta +gondolier +gondoliere +gondoliers +gone +goney +goneness +gonenesses +goneoclinic +gonepoiesis +gonepoietic +goner +goneril +goners +gonesome +gonfalcon +gonfalon +gonfalonier +gonfalonierate +gonfaloniership +gonfalons +gonfanon +gonfanons +gong +gonged +gonging +gonglike +gongman +gongoresque +gongorism +gongorist +gongoristic +gongs +gony +gonia +goniac +gonial +goniale +gonyalgia +goniaster +goniatite +goniatites +goniatitic +goniatitid +goniatitidae +goniatitoid +gonyaulax +gonycampsis +gonid +gonidangium +gonydeal +gonidia +gonidial +gonydial +gonidic +gonidiferous +gonidiogenous +gonidioid +gonidiophore +gonidiose +gonidiospore +gonidium +gonif +gonifs +gonimic +gonimium +gonimoblast +gonimolobe +gonimous +goninidia +gonyocele +goniocraniometry +goniodoridae +goniodorididae +goniodoris +goniometer +goniometry +goniometric +goniometrical +goniometrically +gonion +gonyoncus +gonionia +goniopholidae +goniopholis +goniostat +goniotheca +goniotropous +gonys +gonystylaceae +gonystylaceous +gonystylus +gonytheca +gonitis +gonium +goniums +goniunia +gonk +gonna +gonnardite +gonne +gonoblast +gonoblastic +gonoblastidial +gonoblastidium +gonocalycine +gonocalyx +gonocheme +gonochorism +gonochorismal +gonochorismus +gonochoristic +gonocyte +gonocytes +gonococcal +gonococci +gonococcic +gonococcocci +gonococcoid +gonococcus +gonocoel +gonocoele +gonoecium +gonof +gonofs +gonogenesis +gonolobus +gonomere +gonomery +gonoph +gonophore +gonophoric +gonophorous +gonophs +gonoplasm +gonopod +gonopodia +gonopodial +gonopodium +gonopodpodia +gonopoietic +gonopore +gonopores +gonorrhea +gonorrheal +gonorrheic +gonorrhoea +gonorrhoeal +gonorrhoeic +gonosomal +gonosome +gonosphere +gonostyle +gonotheca +gonothecae +gonothecal +gonotyl +gonotype +gonotocont +gonotokont +gonotome +gonozooid +gonzalo +gonzo +goo +goober +goobers +good +goodby +goodbye +goodbyes +goodbys +goodenia +goodeniaceae +goodeniaceous +goodenoviaceae +gooder +gooders +goodhap +goodhearted +goodheartedly +goodheartedness +goodhumoredness +goody +goodie +goodyear +goodyera +goodies +goodyish +goodyism +goodyness +gooding +goodish +goodyship +goodishness +goodless +goodly +goodlier +goodliest +goodlihead +goodlike +goodliness +goodman +goodmanship +goodmen +goodnaturedness +goodness +goodnesses +goodnight +goodrich +goods +goodship +goodsire +goodsome +goodtemperedness +goodwife +goodwily +goodwilies +goodwill +goodwilled +goodwilly +goodwillie +goodwillies +goodwillit +goodwills +goodwives +gooey +goof +goofah +goofball +goofballs +goofed +goofer +goofy +goofier +goofiest +goofily +goofiness +goofing +goofs +goog +googly +googlies +googol +googolplex +googols +googul +gooier +gooiest +gook +gooky +gooks +gool +goolah +goolde +gools +gooma +goombay +goon +goonch +goonda +goondie +gooney +gooneys +goony +goonie +goonies +goons +goop +goopy +goops +gooral +goorals +gooranut +gooroo +goos +goosander +goose +goosebeak +gooseberry +gooseberries +goosebill +goosebird +gooseboy +goosebone +goosecap +goosed +goosefish +goosefishes +gooseflesh +gooseflower +goosefoot +goosefoots +goosegirl +goosegog +goosegrass +gooseherd +goosehouse +goosey +gooselike +gooseliver +goosemouth +gooseneck +goosenecked +goosepimply +goosery +gooseries +gooserumped +gooses +gooseskin +goosetongue +gooseweed +goosewing +goosewinged +goosy +goosier +goosiest +goosing +goosish +goosishly +goosishness +gootee +goozle +gopak +gopher +gopherberry +gopherberries +gopherman +gopherroot +gophers +gopherwood +gopura +gor +gora +goracco +goral +goralog +gorals +goran +gorb +gorbal +gorbelly +gorbellied +gorbellies +gorbet +gorbit +gorble +gorblimey +gorblimy +gorblin +gorce +gorcock +gorcocks +gorcrow +gordiacea +gordiacean +gordiaceous +gordyaean +gordian +gordiid +gordiidae +gordioid +gordioidea +gordius +gordolobo +gordon +gordonia +gordunite +gore +gorebill +gored +gorefish +gorer +gores +gorevan +gorfly +gorge +gorgeable +gorged +gorgedly +gorgelet +gorgeous +gorgeously +gorgeousness +gorger +gorgeret +gorgerin +gorgerins +gorgers +gorges +gorget +gorgeted +gorgets +gorgia +gorging +gorgio +gorglin +gorgon +gorgonacea +gorgonacean +gorgonaceous +gorgoneia +gorgoneion +gorgoneioneia +gorgonesque +gorgoneum +gorgonia +gorgoniacea +gorgoniacean +gorgoniaceous +gorgonian +gorgonin +gorgonise +gorgonised +gorgonising +gorgonize +gorgonized +gorgonizing +gorgonlike +gorgons +gorgonzola +gorgosaurus +gorhen +gorhens +gory +goric +gorier +goriest +gorily +gorilla +gorillalike +gorillas +gorillaship +gorillian +gorilline +gorilloid +goriness +gorinesses +goring +gorkhali +gorki +gorkiesque +gorkun +gorlin +gorling +gorlois +gorman +gormand +gormandise +gormandised +gormandiser +gormandising +gormandism +gormandize +gormandized +gormandizer +gormandizers +gormandizes +gormandizing +gormands +gormaw +gormed +gormless +gorra +gorraf +gorrel +gorry +gorse +gorsebird +gorsechat +gorsedd +gorsehatch +gorses +gorsy +gorsier +gorsiest +gorst +gortonian +gortonite +gos +gosain +goschen +goschens +gosh +goshawful +goshawk +goshawks +goshdarn +goshen +goshenite +goslarite +goslet +gosling +goslings +gosmore +gospel +gospeler +gospelers +gospelist +gospelize +gospeller +gospelly +gospellike +gospelmonger +gospels +gospelwards +gosplan +gospoda +gospodar +gospodin +gospodipoda +gosport +gosports +goss +gossamer +gossamered +gossamery +gossameriness +gossamers +gossampine +gossan +gossaniferous +gossans +gossard +gossep +gossy +gossip +gossipdom +gossiped +gossipee +gossiper +gossipers +gossiphood +gossipy +gossypin +gossypine +gossipiness +gossiping +gossipingly +gossypium +gossipmonger +gossipmongering +gossypol +gossypols +gossypose +gossipped +gossipper +gossipping +gossipred +gossipry +gossipries +gossips +gossoon +gossoons +goster +gosther +got +gotch +gotched +gotchy +gote +goter +goth +gotha +gotham +gothamite +gothic +gothically +gothicism +gothicist +gothicity +gothicize +gothicizer +gothicness +gothics +gothish +gothism +gothite +gothites +gothlander +gothonic +goths +gotiglacial +goto +gotos +gotra +gotraja +gotta +gotten +gottfried +gottlieb +gou +gouache +gouaches +gouaree +gouda +goudy +gouge +gouged +gouger +gougers +gouges +gouging +gougingly +goujay +goujat +goujon +goujons +goulan +goularo +goulash +goulashes +gouldian +goumi +goumier +gounau +goundou +goup +goupen +goupin +gour +goura +gourami +gouramis +gourd +gourde +gourded +gourdes +gourdful +gourdhead +gourdy +gourdiness +gourding +gourdlike +gourds +gourdworm +goury +gourinae +gourmand +gourmander +gourmanderie +gourmandise +gourmandism +gourmandize +gourmandizer +gourmands +gourmet +gourmetism +gourmets +gournard +gourounut +gousty +goustie +goustrous +gout +gouter +gouty +goutier +goutiest +goutify +goutily +goutiness +goutish +gouts +goutte +goutweed +goutwort +gouvernante +gouvernantes +gov +gove +govern +governability +governable +governableness +governably +governail +governance +governante +governed +governeress +governess +governessdom +governesses +governesshood +governessy +governing +governingly +governless +government +governmental +governmentalism +governmentalist +governmentalize +governmentally +governmentish +governments +governor +governorate +governors +governorship +governorships +governs +govt +gowan +gowaned +gowany +gowans +gowd +gowdy +gowdie +gowdnie +gowdnook +gowds +gowf +gowfer +gowiddie +gowk +gowked +gowkedly +gowkedness +gowkit +gowks +gowl +gowlan +gowland +gown +gowned +gowning +gownlet +gowns +gownsman +gownsmen +gowpen +gowpin +gox +goxes +gozell +gozill +gozzan +gozzard +gp +gpad +gpcd +gpd +gph +gpm +gps +gpss +gr +gra +graafian +graal +graals +grab +grabbable +grabbed +grabber +grabbers +grabby +grabbier +grabbiest +grabbing +grabbings +grabble +grabbled +grabbler +grabblers +grabbles +grabbling +grabbots +graben +grabens +grabhook +grabman +grabouche +grabs +grace +graced +graceful +gracefuller +gracefullest +gracefully +gracefulness +graceless +gracelessly +gracelessness +gracelike +gracer +graces +gracy +gracias +gracilaria +gracilariid +gracilariidae +gracile +gracileness +graciles +gracilescent +gracilis +gracility +gracing +graciosity +gracioso +graciosos +gracious +graciously +graciousness +grackle +grackles +graculus +grad +gradable +gradal +gradate +gradated +gradates +gradatim +gradating +gradation +gradational +gradationally +gradationately +gradations +gradative +gradatively +gradatory +graddan +grade +graded +gradefinder +gradeless +gradely +grademark +grader +graders +grades +gradgrind +gradgrindian +gradgrindish +gradgrindism +gradient +gradienter +gradientia +gradients +gradin +gradine +gradines +grading +gradings +gradino +gradins +gradiometer +gradiometric +gradometer +grads +gradual +graduale +gradualism +gradualist +gradualistic +graduality +gradually +gradualness +graduals +graduand +graduands +graduate +graduated +graduates +graduateship +graduatical +graduating +graduation +graduations +graduator +graduators +gradus +graduses +graeae +graecian +graecism +graecize +graecized +graecizes +graecizing +graecomania +graecophil +graeculus +graeme +graf +graff +graffage +graffer +graffias +graffiti +graffito +grafship +graft +graftage +graftages +graftdom +grafted +grafter +grafters +grafting +graftonite +graftproof +grafts +grager +gragers +graham +grahamism +grahamite +grahams +gray +graian +grayback +graybacks +graybeard +graybearded +graybeards +graycoat +grayed +grayer +grayest +grayfish +grayfishes +grayfly +grayhair +grayhead +grayhound +graying +grayish +grayishness +grail +graylag +graylags +grailer +grayly +grailing +grayling +graylings +graille +grails +graymalkin +graymill +grain +grainage +graine +grained +grainedness +grainer +grainery +grainering +grainers +grayness +graynesses +grainfield +grainy +grainier +grainiest +graininess +graining +grainland +grainless +grainman +grains +grainsick +grainsickness +grainsman +grainsmen +grainways +grayout +grayouts +graip +graypate +grays +graysby +graysbies +graisse +graith +graithly +graywacke +graywall +grayware +graywether +grakle +grallae +grallatores +grallatory +grallatorial +grallic +grallina +gralline +gralloch +gram +grama +gramaphone +gramary +gramarye +gramaries +gramaryes +gramas +gramash +gramashes +grame +gramenite +gramercy +gramercies +gramy +gramicidin +graminaceae +graminaceous +gramineae +gramineal +gramineous +gramineousness +graminicolous +graminiferous +graminifolious +graminiform +graminin +graminivore +graminivorous +graminology +graminological +graminous +gramma +grammalogue +grammar +grammarian +grammarianism +grammarians +grammarless +grammars +grammates +grammatic +grammatical +grammaticality +grammatically +grammaticalness +grammaticaster +grammatication +grammaticism +grammaticize +grammatics +grammatist +grammatistical +grammatite +grammatolator +grammatolatry +grammatology +grammatophyllum +gramme +grammel +grammes +grammy +grammies +grammontine +gramoches +gramophone +gramophones +gramophonic +gramophonical +gramophonically +gramophonist +gramp +grampa +gramper +gramps +grampus +grampuses +grams +grana +granada +granadilla +granadillo +granadine +granado +granage +granam +granary +granaries +granat +granate +granatite +granatum +granch +grand +grandad +grandada +grandaddy +grandads +grandam +grandame +grandames +grandams +grandaunt +grandaunts +grandbaby +grandchild +grandchildren +granddad +granddada +granddaddy +granddaddies +granddads +granddam +granddaughter +granddaughterly +granddaughters +grande +grandee +grandeeism +grandees +grandeeship +grander +grandesque +grandest +grandeur +grandeurs +grandeval +grandevity +grandevous +grandeza +grandezza +grandfather +grandfatherhood +grandfatherish +grandfatherless +grandfatherly +grandfathers +grandfathership +grandfer +grandfilial +grandgore +grandiflora +grandiloquence +grandiloquent +grandiloquently +grandiloquous +grandiose +grandiosely +grandioseness +grandiosity +grandioso +grandisonant +grandisonian +grandisonianism +grandisonous +grandity +grandly +grandma +grandmama +grandmamma +grandmammy +grandmas +grandmaster +grandmaternal +grandmontine +grandmother +grandmotherhood +grandmotherism +grandmotherly +grandmotherliness +grandmothers +grandnephew +grandnephews +grandness +grandniece +grandnieces +grando +grandpa +grandpap +grandpapa +grandpappy +grandparent +grandparentage +grandparental +grandparenthood +grandparents +grandpas +grandpaternal +grandrelle +grands +grandsir +grandsire +grandsirs +grandson +grandsons +grandsonship +grandstand +grandstanded +grandstander +grandstanding +grandstands +grandtotal +granduncle +granduncles +grane +granes +granet +grange +granger +grangerisation +grangerise +grangerised +grangeriser +grangerising +grangerism +grangerite +grangerization +grangerize +grangerized +grangerizer +grangerizing +grangers +granges +grangousier +graniferous +graniform +granilla +granita +granite +granitelike +granites +graniteware +granitic +granitical +graniticoline +granitiferous +granitification +granitiform +granitite +granitization +granitize +granitized +granitizing +granitoid +granitoidal +granivore +granivorous +granjeno +grank +granma +grannam +granny +grannybush +grannie +grannies +grannyknot +grannom +grano +granoblastic +granodiorite +granodioritic +granogabbro +granola +granolite +granolith +granolithic +granomerite +granophyre +granophyric +granose +granospherite +grant +grantable +granted +grantedly +grantee +grantees +granter +granters +granth +grantha +granthi +grantia +grantiidae +granting +grantor +grantors +grants +grantsman +grantsmanship +grantsmen +granula +granular +granulary +granularity +granularly +granulate +granulated +granulater +granulates +granulating +granulation +granulations +granulative +granulator +granulators +granule +granules +granulet +granuliferous +granuliform +granulite +granulitic +granulitis +granulitization +granulitize +granulization +granulize +granuloadipose +granuloblast +granuloblastic +granulocyte +granulocytic +granulocytopoiesis +granuloma +granulomas +granulomata +granulomatosis +granulomatous +granulometric +granulosa +granulose +granulosis +granulous +granum +granville +granza +granzita +grape +graped +grapeflower +grapefruit +grapefruits +grapeful +grapey +grapeys +grapeless +grapelet +grapelike +grapeline +grapenuts +grapery +graperies +graperoot +grapes +grapeshot +grapeskin +grapestalk +grapestone +grapevine +grapevines +grapewise +grapewort +graph +graphalloy +graphanalysis +graphed +grapheme +graphemes +graphemic +graphemically +graphemics +graphy +graphic +graphical +graphically +graphicalness +graphicly +graphicness +graphics +graphidiaceae +graphing +graphiola +graphiology +graphiological +graphiologist +graphis +graphite +graphiter +graphites +graphitic +graphitizable +graphitization +graphitize +graphitized +graphitizing +graphitoid +graphitoidal +graphium +graphoanalytical +grapholite +graphology +graphologic +graphological +graphologies +graphologist +graphologists +graphomania +graphomaniac +graphomaniacal +graphometer +graphometry +graphometric +graphometrical +graphometrist +graphomotor +graphonomy +graphophobia +graphophone +graphophonic +graphorrhea +graphoscope +graphospasm +graphostatic +graphostatical +graphostatics +graphotype +graphotypic +graphs +grapy +grapier +grapiest +graping +graplin +grapline +graplines +graplins +grapnel +grapnels +grappa +grappas +grapple +grappled +grapplement +grappler +grapplers +grapples +grappling +grapsidae +grapsoid +grapsus +grapta +graptolite +graptolitha +graptolithida +graptolithina +graptolitic +graptolitoidea +graptoloidea +graptomancy +gras +grasni +grasp +graspable +grasped +grasper +graspers +grasping +graspingly +graspingness +graspless +grasps +grass +grassant +grassation +grassbird +grasschat +grasscut +grasscutter +grassed +grasseye +grasser +grasserie +grassers +grasses +grasset +grassfinch +grassfire +grassflat +grassflower +grasshook +grasshop +grasshopper +grasshopperdom +grasshopperish +grasshoppers +grasshouse +grassy +grassie +grassier +grassiest +grassily +grassiness +grassing +grassland +grasslands +grassless +grasslike +grassman +grassmen +grassnut +grassplat +grassplot +grassquit +grassroots +grasswards +grassweed +grasswidow +grasswidowhood +grasswork +grassworm +grat +grata +gratae +grate +grated +grateful +gratefuller +gratefullest +gratefully +gratefulness +grateless +gratelike +grateman +grater +graters +grates +gratewise +grather +gratia +gratiano +gratias +graticulate +graticulation +graticule +gratify +gratifiable +gratification +gratifications +gratified +gratifiedly +gratifier +gratifies +gratifying +gratifyingly +gratility +gratillity +gratin +gratinate +gratinated +gratinating +grating +gratingly +gratings +gratins +gratiola +gratiolin +gratiosolin +gratis +gratitude +grattage +gratten +gratters +grattoir +grattoirs +gratton +gratuitant +gratuity +gratuities +gratuito +gratuitous +gratuitously +gratuitousness +gratulant +gratulate +gratulated +gratulating +gratulation +gratulatory +gratulatorily +graunt +graupel +graupels +graustark +grauwacke +grav +gravamem +gravamen +gravamens +gravamina +gravaminous +gravat +gravata +grave +graveclod +gravecloth +graveclothes +graved +gravedigger +gravediggers +gravedo +gravegarth +graveyard +graveyards +gravel +graveldiver +graveled +graveless +gravely +gravelike +graveling +gravelish +gravelled +gravelly +gravelliness +gravelling +gravelous +gravelroot +gravels +gravelstone +gravelweed +gravemaker +gravemaking +graveman +gravemaster +graven +graveness +gravenstein +graveolence +graveolency +graveolent +graver +gravery +graverobber +graverobbing +gravers +graves +graveship +graveside +gravest +gravestead +gravestone +gravestones +gravette +graveward +gravewards +gravy +gravic +gravicembali +gravicembalo +gravicembalos +gravid +gravida +gravidae +gravidas +gravidate +gravidation +gravidity +gravidly +gravidness +graviers +gravies +gravific +gravigrada +gravigrade +gravilea +gravimeter +gravimeters +gravimetry +gravimetric +gravimetrical +gravimetrically +graving +gravipause +gravisphere +gravispheric +gravitate +gravitated +gravitater +gravitates +gravitating +gravitation +gravitational +gravitationally +gravitations +gravitative +gravity +gravitic +gravities +gravitometer +graviton +gravitons +gravure +gravures +grawls +grazable +graze +grazeable +grazed +grazer +grazers +grazes +grazie +grazier +grazierdom +graziery +graziers +grazing +grazingly +grazings +grazioso +gre +greable +greably +grease +greaseball +greasebush +greased +greasehorn +greaseless +greaselessness +greasepaint +greaseproof +greaseproofness +greaser +greasers +greases +greasewood +greasy +greasier +greasiest +greasily +greasiness +greasing +great +greatcoat +greatcoated +greatcoats +greaten +greatened +greatening +greatens +greater +greatest +greathead +greatheart +greathearted +greatheartedly +greatheartedness +greatish +greatly +greatmouthed +greatness +greats +greave +greaved +greaves +grebe +grebes +grebo +grecale +grece +grecian +grecianize +grecians +grecing +grecism +grecize +grecized +grecizes +grecizing +greco +grecomania +grecomaniac +grecophil +grecoue +grecque +gree +greece +greed +greedy +greedier +greediest +greedygut +greedyguts +greedily +greediness +greedless +greeds +greedsome +greegree +greegrees +greeing +greek +greekdom +greekery +greekess +greekish +greekism +greekist +greekize +greekless +greekling +greeks +green +greenable +greenage +greenalite +greenback +greenbacker +greenbackism +greenbacks +greenbark +greenbelt +greenboard +greenbone +greenbottle +greenbrier +greenbug +greenbugs +greenbul +greencloth +greencoat +greened +greeney +greener +greenery +greeneries +greenest +greenfinch +greenfish +greenfishes +greenfly +greenflies +greengage +greengill +greengrocer +greengrocery +greengroceries +greengrocers +greenhead +greenheaded +greenheart +greenhearted +greenhew +greenhide +greenhood +greenhorn +greenhornism +greenhorns +greenhouse +greenhouses +greeny +greenyard +greenier +greeniest +greening +greenings +greenish +greenishness +greenkeeper +greenkeeping +greenland +greenlander +greenlandic +greenlandish +greenlandite +greenlandman +greenleaf +greenleek +greenless +greenlet +greenlets +greenly +greenling +greenness +greenockite +greenovite +greenroom +greenrooms +greens +greensand +greensauce +greenshank +greensick +greensickness +greenside +greenskeeper +greenslade +greenstick +greenstone +greenstuff +greensward +greenswarded +greentail +greenth +greenths +greenthumbed +greenuk +greenware +greenwax +greenweed +greenwich +greenwing +greenwithe +greenwood +greenwoods +greenwort +grees +greesagh +greese +greeshoch +greet +greeted +greeter +greeters +greeting +greetingless +greetingly +greetings +greets +greeve +greffe +greffier +greffotome +greg +gregal +gregale +gregaloid +gregarian +gregarianism +gregarina +gregarinae +gregarinaria +gregarine +gregarinian +gregarinida +gregarinidal +gregariniform +gregarinina +gregarinoidea +gregarinosis +gregarinous +gregarious +gregariously +gregariousness +gregaritic +gregatim +gregau +grege +gregg +gregge +greggle +greggriffin +grego +gregor +gregory +gregorian +gregorianist +gregorianize +gregorianizer +gregos +grey +greyback +greybeard +greycoat +greyed +greyer +greyest +greyfish +greyfly +greyflies +greige +greiges +greyhen +greyhens +greyhound +greyhounds +greyiaceae +greying +greyish +greylag +greylags +greyly +greyling +greillade +grein +greyness +greynesses +greing +greypate +greys +greisen +greisens +greyskin +greystone +greit +greith +greywacke +greyware +greywether +greking +grelot +gremial +gremiale +gremials +gremio +gremlin +gremlins +gremmy +gremmie +gremmies +grenada +grenade +grenades +grenadian +grenadier +grenadierial +grenadierly +grenadiers +grenadiership +grenadilla +grenadin +grenadine +grenadines +grenado +grenat +grenatite +grendel +grene +grenelle +grenier +gres +gresil +gressible +gressoria +gressorial +gressorious +gret +greta +gretchen +grete +gretel +greund +grevillea +grew +grewhound +grewia +grewsome +grewsomely +grewsomeness +grewsomer +grewsomest +grewt +grex +grf +gry +gribane +gribble +gribbles +grice +grid +gridded +gridder +gridding +griddle +griddlecake +griddlecakes +griddled +griddler +griddles +griddling +gride +gryde +grided +gridelin +grides +griding +gridiron +gridirons +gridlock +grids +grieben +griece +grieced +griecep +grief +griefful +grieffully +griefless +grieflessness +griefs +griege +grieko +grieshoch +grieshuckle +grievable +grievance +grievances +grievant +grievants +grieve +grieved +grievedly +griever +grievers +grieves +grieveship +grieving +grievingly +grievous +grievously +grievousness +griff +griffade +griffado +griffaun +griffe +griffes +griffin +griffinage +griffinesque +griffinhood +griffinish +griffinism +griffins +griffith +griffithite +griffon +griffonage +griffonne +griffons +griffs +grift +grifted +grifter +grifters +grifting +grifts +grig +griggles +grignet +grigri +grigris +grigs +grihastha +grihyasutra +grike +grill +grillade +grilladed +grillades +grillading +grillage +grillages +grille +grylle +grilled +grillee +griller +grillers +grilles +grillework +grilly +grylli +gryllid +gryllidae +grilling +gryllos +gryllotalpa +grillroom +grills +gryllus +grillwork +grilse +grilses +grim +grimace +grimaced +grimacer +grimacers +grimaces +grimacier +grimacing +grimacingly +grimalkin +grime +grimed +grimes +grimful +grimgribber +grimy +grimier +grimiest +grimily +grimines +griminess +griming +grimly +grimliness +grimm +grimme +grimmer +grimmest +grimmia +grimmiaceae +grimmiaceous +grimmish +grimness +grimnesses +grimoire +grimp +grimsir +grimsire +grin +grinagog +grinch +grincome +grind +grindable +grindal +grinded +grindelia +grinder +grindery +grinderies +grinderman +grinders +grinding +grindingly +grindings +grindle +grinds +grindstone +grindstones +gringo +gringole +gringolee +gringophobia +gringos +grinned +grinnellia +grinner +grinners +grinny +grinnie +grinning +grinningly +grins +grint +grinter +grintern +griot +griots +griotte +grip +grypanian +gripe +grype +griped +gripeful +gripey +griper +gripers +gripes +gripgrass +griph +gryph +gryphaea +griphe +griphite +gryphite +gryphon +gryphons +griphosaurus +gryphosaurus +griphus +gripy +gripier +gripiest +griping +gripingly +gripless +gripman +gripmen +gripment +gryposis +grypotherium +grippal +grippe +gripped +grippelike +gripper +grippers +grippes +grippy +grippier +grippiest +grippiness +gripping +grippingly +grippingness +grippit +gripple +grippleness +grippotoxin +grips +gripsack +gripsacks +gript +griqua +griquaite +griqualander +gris +grisaille +grisailles +grisard +grisbet +grysbok +grise +griselda +griseofulvin +griseous +grisette +grisettes +grisettish +grisgris +griskin +griskins +grisled +grisly +grislier +grisliest +grisliness +grison +grisons +grisounite +grisoutine +grisping +grissel +grissen +grissens +grisset +grissons +grist +gristbite +grister +gristhorbia +gristy +gristle +gristles +gristly +gristlier +gristliest +gristliness +gristmill +gristmiller +gristmilling +grists +grit +grith +grithbreach +grithman +griths +gritless +gritrock +grits +gritstone +gritted +gritten +gritter +gritty +grittie +grittier +grittiest +grittily +grittiness +gritting +grittle +grivation +grivet +grivets +grivna +grivois +grivoise +grizard +grizel +grizelin +grizzel +grizzle +grizzled +grizzler +grizzlers +grizzles +grizzly +grizzlier +grizzlies +grizzliest +grizzlyman +grizzliness +grizzling +gro +groan +groaned +groaner +groaners +groanful +groaning +groaningly +groans +groat +groats +groatsworth +grobian +grobianism +grocer +grocerdom +groceress +grocery +groceries +groceryman +grocerymen +grocerly +grocers +grocerwise +groceteria +grockle +groenendael +groenlandicus +groff +grog +grogged +grogger +groggery +groggeries +groggy +groggier +groggiest +groggily +grogginess +grogging +grognard +grogram +grograms +grogs +grogshop +grogshops +groin +groyne +groined +groinery +groynes +groining +groins +grolier +grolieresque +groma +gromatic +gromatical +gromatics +gromet +gromia +gromil +gromyl +grommet +grommets +gromwell +gromwells +grond +grondwet +gront +groof +groom +groomed +groomer +groomers +groomy +grooming +groomish +groomishly +groomlet +groomling +grooms +groomsman +groomsmen +groop +grooper +groose +groot +grooty +groove +grooved +grooveless +groovelike +groover +grooverhead +groovers +grooves +groovy +groovier +grooviest +grooviness +grooving +groow +grope +groped +groper +gropers +gropes +groping +gropingly +gropple +groroilite +grorudite +gros +grosbeak +grosbeaks +groschen +groser +groset +grosgrain +grosgrained +grosgrains +gross +grossart +grosse +grossed +grossen +grosser +grossers +grosses +grossest +grosshead +grossierete +grossify +grossification +grossing +grossirete +grossly +grossness +grosso +grossulaceous +grossular +grossularia +grossulariaceae +grossulariaceous +grossularious +grossularite +grosz +groszy +grot +grote +groten +grotesco +grotesque +grotesquely +grotesqueness +grotesquery +grotesquerie +grotesqueries +grotesques +grothine +grothite +grotian +grotianism +grots +grottesco +grotty +grotto +grottoed +grottoes +grottolike +grottos +grottowork +grotzen +grouch +grouched +grouches +grouchy +grouchier +grouchiest +grouchily +grouchiness +grouching +grouchingly +groucho +grouf +grough +ground +groundable +groundably +groundage +groundberry +groundbird +groundbreaker +grounded +groundedly +groundedness +grounden +groundenell +grounder +grounders +groundflower +groundhog +groundy +grounding +groundkeeper +groundless +groundlessly +groundlessness +groundly +groundline +groundliness +groundling +groundlings +groundman +groundmass +groundneedle +groundnut +groundout +groundplot +grounds +groundsel +groundsheet +groundsill +groundskeep +groundskeeping +groundsman +groundspeed +groundswell +groundswells +groundway +groundwall +groundward +groundwards +groundwater +groundwave +groundwood +groundwork +group +groupable +groupage +groupageness +grouped +grouper +groupers +groupie +groupies +grouping +groupings +groupist +grouplet +groupment +groupoid +groupoids +groups +groupthink +groupwise +grouse +grouseberry +groused +grouseless +grouselike +grouser +grousers +grouses +grouseward +grousewards +grousy +grousing +grout +grouted +grouter +grouters +grouthead +grouty +groutier +groutiest +grouting +groutite +groutnoll +grouts +grouze +grove +groved +grovel +groveled +groveler +grovelers +groveless +groveling +grovelingly +grovelings +grovelled +groveller +grovelling +grovellingly +grovellings +grovels +grover +grovers +groves +grovet +grovy +grow +growable +growan +growed +grower +growers +growing +growingly +growingupness +growl +growled +growler +growlery +growleries +growlers +growly +growlier +growliest +growliness +growling +growlingly +growls +grown +grownup +grownups +grows +growse +growsome +growth +growthful +growthy +growthiness +growthless +growths +growze +grozart +grozer +grozet +grr +grs +grub +grubbed +grubber +grubbery +grubberies +grubbers +grubby +grubbier +grubbies +grubbiest +grubbily +grubbiness +grubbing +grubble +grubhood +grubless +grubroot +grubs +grubstake +grubstaked +grubstaker +grubstakes +grubstaking +grubstreet +grubworm +grubworms +grucche +grudge +grudged +grudgeful +grudgefully +grudgefulness +grudgekin +grudgeless +grudgeons +grudger +grudgery +grudgers +grudges +grudging +grudgingly +grudgingness +grudgment +grue +gruel +grueled +grueler +gruelers +grueling +gruelingly +gruelings +gruelled +grueller +gruellers +gruelly +gruelling +gruellings +gruels +grues +gruesome +gruesomely +gruesomeness +gruesomer +gruesomest +gruf +gruff +gruffed +gruffer +gruffest +gruffy +gruffier +gruffiest +gruffily +gruffiness +gruffing +gruffish +gruffly +gruffness +gruffs +gruft +grufted +grugous +grugru +grugrus +gruidae +gruyere +gruiform +gruiformes +gruine +gruis +gruys +grulla +grum +grumble +grumbled +grumbler +grumblers +grumbles +grumblesome +grumbletonian +grumbly +grumbling +grumblingly +grume +grumes +grumium +grumly +grummel +grummels +grummer +grummest +grummet +grummeter +grummets +grumness +grumose +grumous +grumousness +grump +grumped +grumph +grumphy +grumphie +grumphies +grumpy +grumpier +grumpiest +grumpily +grumpiness +grumping +grumpish +grumpishness +grumps +grun +grunch +grundel +grundy +grundified +grundyism +grundyist +grundyite +grundlov +grundsil +grunerite +gruneritization +grungy +grungier +grungiest +grunion +grunions +grunswel +grunt +grunted +grunter +grunters +grunth +grunting +gruntingly +gruntle +gruntled +gruntles +gruntling +grunts +grunzie +gruppetto +gruppo +grus +grush +grushie +grusian +grusinian +gruss +grutch +grutched +grutches +grutching +grutten +grx +gs +gt +gtc +gtd +gte +gteau +gthite +gtt +gu +guaba +guacacoa +guacamole +guachamaca +guacharo +guacharoes +guacharos +guachipilin +guacho +guacico +guacimo +guacin +guaco +guaconize +guacos +guadagnini +guadalcazarite +guadua +guageable +guaguanche +guaharibo +guahiban +guahibo +guahivo +guayaba +guayabera +guayaberas +guayabi +guayabo +guaiac +guayacan +guaiacol +guaiacolize +guaiacols +guaiaconic +guaiacs +guaiacum +guaiacums +guayaqui +guaiaretic +guaiasanol +guaican +guaycuru +guaycuruan +guaymie +guaiocum +guaiocums +guaiol +guayroto +guayule +guayules +guajillo +guajira +guajiras +guaka +gualaca +guam +guama +guamachil +guamuchil +guan +guana +guanabana +guanabano +guanaco +guanacos +guanay +guanayes +guanays +guanajuatite +guanamine +guanare +guanase +guanases +guanche +guaneide +guanethidine +guango +guanidin +guanidine +guanidins +guanidopropionic +guaniferous +guanyl +guanylic +guanin +guanine +guanines +guanins +guanize +guano +guanophore +guanos +guanosine +guans +guao +guapena +guapilla +guapinol +guaque +guar +guara +guarabu +guaracha +guarachas +guarache +guaraguao +guarana +guarand +guarani +guaranian +guaranies +guaranin +guaranine +guaranis +guarantee +guaranteed +guaranteeing +guaranteer +guaranteers +guarantees +guaranteeship +guaranteing +guaranty +guarantied +guaranties +guarantying +guarantine +guarantor +guarantors +guarantorship +guarapo +guarapucu +guaraunan +guarauno +guard +guardable +guardage +guardant +guardants +guarded +guardedly +guardedness +guardee +guardeen +guarder +guarders +guardfish +guardful +guardfully +guardhouse +guardhouses +guardian +guardiancy +guardianess +guardianless +guardianly +guardians +guardianship +guardianships +guarding +guardingly +guardless +guardlike +guardo +guardrail +guardrails +guardroom +guards +guardship +guardsman +guardsmen +guardstone +guarea +guary +guariba +guarico +guarinite +guarish +guarneri +guarnerius +guarnieri +guarrau +guarri +guars +guaruan +guasa +guastalline +guatambu +guatemala +guatemalan +guatemalans +guatemaltecan +guatibero +guativere +guato +guatoan +guatusan +guatuso +guauaenok +guava +guavaberry +guavas +guavina +guaxima +guaza +guazuma +guazuti +guazzo +gubat +gubbertush +gubbin +gubbings +gubbins +gubbo +guberla +gubernacula +gubernacular +gubernaculum +gubernance +gubernation +gubernative +gubernator +gubernatorial +gubernatrix +gubernia +guberniya +guck +gucked +gucki +gucks +gud +gudame +guddle +guddled +guddler +guddling +gude +gudebrother +gudefather +gudemother +gudes +gudesake +gudesakes +gudesire +gudewife +gudge +gudgeon +gudgeoned +gudgeoning +gudgeons +gudget +gudok +gudrun +gue +guebre +guebucu +guejarite +guelf +guelph +guelphic +guelphish +guelphism +guemal +guemul +guenepe +guenon +guenons +guepard +gueparde +guerdon +guerdonable +guerdoned +guerdoner +guerdoning +guerdonless +guerdons +guereba +guereza +guergal +guerickian +gueridon +gueridons +guerilla +guerillaism +guerillas +guerinet +guerison +guerite +guerites +guernsey +guernseyed +guernseys +guerre +guerrila +guerrilla +guerrillaism +guerrillas +guerrillaship +guesdism +guesdist +guess +guessable +guessed +guesser +guessers +guesses +guessing +guessingly +guessive +guesstimate +guesstimated +guesstimates +guesstimating +guesswork +guessworker +guest +guestchamber +guested +guesten +guester +guesthouse +guesthouses +guestimate +guestimated +guestimating +guesting +guestive +guestless +guestling +guestmaster +guests +guestship +guestwise +guetar +guetare +guetre +gufa +guff +guffaw +guffawed +guffawing +guffaws +guffer +guffy +guffin +guffs +gufought +gugal +guggle +guggled +guggles +gugglet +guggling +guglet +guglets +guglia +guglio +gugu +guha +guhayna +guhr +guy +guiac +guiana +guyana +guianan +guyandot +guianese +guib +guiba +guichet +guid +guidable +guidage +guidance +guidances +guide +guideboard +guidebook +guidebooky +guidebookish +guidebooks +guidecraft +guided +guideless +guideline +guidelines +guidepost +guideposts +guider +guideress +guiders +guidership +guides +guideship +guideway +guiding +guidingly +guidman +guido +guydom +guidon +guidonian +guidons +guids +guidsire +guidwife +guidwilly +guidwillie +guyed +guyer +guyers +guige +guignardia +guigne +guignol +guying +guijo +guilandina +guild +guilder +guilders +guildhall +guildic +guildite +guildry +guilds +guildship +guildsman +guildsmen +guile +guiled +guileful +guilefully +guilefulness +guileless +guilelessly +guilelessness +guiler +guilery +guiles +guilfat +guily +guyline +guiling +guillem +guillemet +guillemot +guillermo +guillevat +guilloche +guillochee +guillotinade +guillotine +guillotined +guillotinement +guillotiner +guillotines +guillotining +guillotinism +guillotinist +guilt +guiltful +guilty +guiltier +guiltiest +guiltily +guiltiness +guiltless +guiltlessly +guiltlessness +guilts +guiltsick +guimbard +guimpe +guimpes +guinde +guinea +guineaman +guinean +guineapig +guineas +guinevere +guinfo +guinness +guyot +guyots +guipure +guipures +guirlande +guiro +guys +guisard +guisards +guisarme +guise +guised +guiser +guises +guisian +guising +guitar +guitarfish +guitarfishes +guitarist +guitarists +guitarlike +guitars +guitermanite +guitguit +guytrash +guittonian +guywire +gujar +gujarati +gujerat +gujrati +gul +gula +gulae +gulaman +gulancha +guland +gulanganes +gular +gularis +gulas +gulash +gulch +gulches +guld +gulden +guldengroschen +guldens +gule +gules +gulf +gulfed +gulfy +gulfier +gulfiest +gulfing +gulflike +gulfs +gulfside +gulfwards +gulfweed +gulfweeds +gulgul +guly +gulinula +gulinulae +gulinular +gulist +gulix +gull +gullability +gullable +gullably +gullage +gullah +gulled +gulley +gulleys +guller +gullery +gulleries +gullet +gulleting +gullets +gully +gullibility +gullible +gullibly +gullied +gullies +gullygut +gullyhole +gullying +gulling +gullion +gullish +gullishly +gullishness +gulliver +gulllike +gulls +gulmohar +gulo +gulonic +gulose +gulosity +gulosities +gulp +gulped +gulper +gulpers +gulph +gulpy +gulpier +gulpiest +gulpin +gulping +gulpingly +gulps +gulravage +guls +gulsach +gult +gum +gumby +gumbo +gumboil +gumboils +gumbolike +gumboots +gumbos +gumbotil +gumbotils +gumchewer +gumdigger +gumdigging +gumdrop +gumdrops +gumfield +gumflower +gumhar +gumi +gumihan +gumlah +gumless +gumly +gumlike +gumlikeness +gumma +gummage +gummaker +gummaking +gummas +gummata +gummatous +gummed +gummer +gummers +gummy +gummic +gummier +gummiest +gummiferous +gumminess +gumming +gummite +gummites +gummose +gummoses +gummosis +gummosity +gummous +gump +gumpheon +gumphion +gumption +gumptionless +gumptions +gumptious +gumpus +gums +gumshield +gumshoe +gumshoed +gumshoeing +gumshoes +gumshoing +gumtree +gumtrees +gumweed +gumweeds +gumwood +gumwoods +gun +guna +gunarchy +gunate +gunated +gunating +gunation +gunbarrel +gunbearer +gunboat +gunboats +gunbright +gunbuilder +guncotton +gunda +gundalow +gundeck +gundelet +gundelow +gundi +gundy +gundie +gundygut +gundog +gundogs +gunebo +gunfight +gunfighter +gunfighters +gunfighting +gunfights +gunfire +gunfires +gunflint +gunflints +gunfought +gung +gunge +gunhouse +gunyah +gunyang +gunyeh +gunite +guniter +gunj +gunja +gunjah +gunk +gunkhole +gunkholed +gunkholing +gunky +gunks +gunl +gunlayer +gunlaying +gunless +gunline +gunlock +gunlocks +gunmaker +gunmaking +gunman +gunmanship +gunmen +gunmetal +gunmetals +gunnage +gunnar +gunne +gunned +gunnel +gunnels +gunnen +gunner +gunnera +gunneraceae +gunneress +gunnery +gunneries +gunners +gunnership +gunny +gunnies +gunning +gunnings +gunnysack +gunnysacks +gunnung +gunocracy +gunong +gunpaper +gunpapers +gunplay +gunplays +gunpoint +gunpoints +gunport +gunpowder +gunpowdery +gunpowderous +gunpower +gunrack +gunreach +gunroom +gunrooms +gunrunner +gunrunning +guns +gunsel +gunsels +gunship +gunships +gunshop +gunshot +gunshots +gunsling +gunslinger +gunslingers +gunslinging +gunsman +gunsmith +gunsmithery +gunsmithing +gunsmiths +gunster +gunstick +gunstock +gunstocker +gunstocking +gunstocks +gunstone +gunter +gunther +guntub +gunung +gunwale +gunwales +gunwhale +gunz +gunzian +gup +guppy +guppies +guptavidya +gur +guran +gurdfish +gurdy +gurdle +gurdwara +gurge +gurged +gurgeon +gurgeons +gurges +gurging +gurgitation +gurgle +gurgled +gurgles +gurglet +gurglets +gurgly +gurgling +gurglingly +gurgoyl +gurgoyle +gurgulation +gurgulio +gurian +guric +gurish +gurjan +gurjara +gurjun +gurk +gurkha +gurl +gurle +gurlet +gurly +gurmukhi +gurnard +gurnards +gurney +gurneyite +gurneys +gurnet +gurnets +gurnetty +gurniad +gurr +gurrah +gurry +gurries +gursh +gurshes +gurt +gurts +guru +gurus +guruship +guruships +gus +gusain +guser +guserid +gush +gushed +gusher +gushers +gushes +gushet +gushy +gushier +gushiest +gushily +gushiness +gushing +gushingly +gushingness +gusla +gusle +guslee +guss +gusset +gusseted +gusseting +gussets +gussy +gussie +gussied +gussies +gussying +gust +gustable +gustables +gustard +gustation +gustative +gustativeness +gustatory +gustatorial +gustatorially +gustatorily +gustavus +gusted +gustful +gustfully +gustfulness +gusty +gustier +gustiest +gustily +gustiness +gusting +gustless +gusto +gustoes +gustoish +gustoso +gusts +gustus +gut +gutbucket +guti +gutierrez +gutium +gutless +gutlessness +gutlike +gutling +gutnic +gutnish +guts +gutser +gutsy +gutsier +gutsiest +gutsily +gutsiness +gutt +gutta +guttable +guttae +guttar +guttate +guttated +guttatim +guttation +gutte +gutted +guttee +gutter +guttera +gutteral +gutterblood +guttered +guttery +guttering +gutterize +gutterlike +gutterling +gutterman +gutters +guttersnipe +guttersnipes +guttersnipish +gutterspout +gutterwise +gutti +gutty +guttide +guttie +guttier +guttiest +guttifer +guttiferae +guttiferal +guttiferales +guttiferous +guttiform +guttiness +gutting +guttle +guttled +guttler +guttlers +guttles +guttling +guttula +guttulae +guttular +guttulate +guttule +guttulous +guttur +guttural +gutturalisation +gutturalise +gutturalised +gutturalising +gutturalism +gutturality +gutturalization +gutturalize +gutturalized +gutturalizing +gutturally +gutturalness +gutturals +gutturine +gutturize +gutturonasal +gutturopalatal +gutturopalatine +gutturotetany +guttus +gutweed +gutwise +gutwort +guv +guvacine +guvacoline +guz +guze +guzerat +guzmania +guzul +guzzle +guzzled +guzzledom +guzzler +guzzlers +guzzles +guzzling +gv +gwag +gwantus +gweduc +gweduck +gweducks +gweducs +gweed +gweeon +gwely +gwen +gwendolen +gwerziou +gwine +gwiniad +gwyniad +h +ha +haab +haaf +haafs +haak +haar +haars +hab +habab +habaera +habakkuk +habanera +habaneras +habbe +habble +habbub +habdalah +habdalahs +habe +habeas +habena +habenal +habenar +habenaria +habendum +habenula +habenulae +habenular +haberdash +haberdasher +haberdasheress +haberdashery +haberdasheries +haberdashers +haberdine +habere +habergeon +habet +habilable +habilant +habilatory +habile +habilement +habiliment +habilimental +habilimentary +habilimentation +habilimented +habiliments +habilitate +habilitated +habilitating +habilitation +habilitator +hability +habille +habiri +habiru +habit +habitability +habitable +habitableness +habitably +habitacle +habitacule +habitally +habitan +habitance +habitancy +habitancies +habitans +habitant +habitants +habitat +habitatal +habitate +habitatio +habitation +habitational +habitations +habitative +habitator +habitats +habited +habiting +habits +habitual +habituality +habitualize +habitually +habitualness +habituate +habituated +habituates +habituating +habituation +habituations +habitude +habitudes +habitudinal +habitue +habitues +habiture +habitus +hable +habnab +haboob +haboub +habronema +habronemiasis +habronemic +habrowne +habsburg +habu +habub +habuka +habus +habutae +habutai +habutaye +haccucal +hacek +haceks +hacendado +hache +hachiman +hachis +hachment +hacht +hachure +hachured +hachures +hachuring +hacienda +haciendado +haciendas +hack +hackamatak +hackamore +hackbarrow +hackberry +hackberries +hackbolt +hackbush +hackbut +hackbuteer +hackbuts +hackbutter +hackdriver +hacked +hackee +hackeem +hackees +hackeymal +hacker +hackery +hackeries +hackers +hacky +hackia +hackie +hackies +hackin +hacking +hackingly +hackle +hackleback +hackled +hackler +hacklers +hackles +hacklet +hackly +hacklier +hackliest +hackling +hacklog +hackmack +hackmall +hackman +hackmatack +hackmen +hackney +hackneyed +hackneyedly +hackneyedness +hackneyer +hackneying +hackneyism +hackneyman +hackneys +hacks +hacksaw +hacksaws +hacksilber +hackster +hackthorn +hacktree +hackwood +hackwork +hackworks +hacqueton +had +hadada +hadal +hadarim +hadassah +hadaway +hadbot +hadbote +hadden +hadder +haddest +haddie +haddin +haddo +haddock +haddocker +haddocks +hade +hadean +haded +hadendoa +hadendowa +hadentomoid +hadentomoidea +hadephobia +hades +hadhramautian +hading +hadit +hadith +hadiths +hadj +hadjee +hadjees +hadjemi +hadjes +hadji +hadjis +hadland +hadnt +hadramautian +hadrom +hadrome +hadromerina +hadromycosis +hadron +hadronic +hadrons +hadrosaur +hadrosaurus +hadst +hae +haec +haecceity +haecceities +haeckelian +haeckelism +haed +haeing +haem +haemachrome +haemacytometer +haemad +haemagglutinate +haemagglutinated +haemagglutinating +haemagglutination +haemagglutinative +haemagglutinin +haemagogue +haemal +haemamoeba +haemangioma +haemangiomas +haemangiomata +haemangiomatosis +haemanthus +haemaphysalis +haemapophysis +haemaspectroscope +haematal +haematein +haematemesis +haematherm +haemathermal +haemathermous +haematic +haematics +haematid +haematin +haematinic +haematinon +haematins +haematinum +haematite +haematitic +haematoblast +haematobranchia +haematobranchiate +haematocele +haematocyst +haematocystis +haematocyte +haematocrya +haematocryal +haematocrit +haematogenesis +haematogenous +haematoid +haematoidin +haematoin +haematolysis +haematology +haematologic +haematological +haematologist +haematoma +haematomas +haematomata +haematometer +haematophilina +haematophiline +haematophyte +haematopoiesis +haematopoietic +haematopus +haematorrhachis +haematosepsis +haematosin +haematosis +haematotherma +haematothermal +haematoxylic +haematoxylin +haematoxylon +haematozoa +haematozoal +haematozoic +haematozoon +haematozzoa +haematuria +haemic +haemin +haemins +haemoblast +haemochrome +haemocyanin +haemocyte +haemocytoblast +haemocytoblastic +haemocytometer +haemocoel +haemoconcentration +haemodialysis +haemodilution +haemodynamic +haemodynamics +haemodoraceae +haemodoraceous +haemoflagellate +haemoglobic +haemoglobin +haemoglobinous +haemoglobinuria +haemogram +haemogregarina +haemogregarinidae +haemoid +haemolysin +haemolysis +haemolytic +haemometer +haemonchiasis +haemonchosis +haemonchus +haemony +haemophil +haemophile +haemophilia +haemophiliac +haemophilic +haemopod +haemopoiesis +haemoproteus +haemoptysis +haemorrhage +haemorrhaged +haemorrhagy +haemorrhagia +haemorrhagic +haemorrhaging +haemorrhoid +haemorrhoidal +haemorrhoidectomy +haemorrhoids +haemosporid +haemosporidia +haemosporidian +haemosporidium +haemostasia +haemostasis +haemostat +haemostatic +haemothorax +haemotoxic +haemotoxin +haems +haemulidae +haemuloid +haen +haeredes +haeremai +haeres +haes +haet +haets +haf +haff +haffat +haffet +haffets +haffit +haffits +haffkinize +haffle +hafflins +hafgan +hafis +hafiz +haflin +hafnia +hafnyl +hafnium +hafniums +haft +haftarah +haftarahs +haftarot +haftaroth +hafted +hafter +hafters +hafting +haftorah +haftorahs +haftorot +haftoroth +hafts +hag +hagada +hagadic +hagadist +hagadists +haganah +hagar +hagarene +hagarite +hagberry +hagberries +hagboat +hagbolt +hagborn +hagbush +hagbushes +hagbut +hagbuts +hagden +hagdin +hagdon +hagdons +hagdown +hageen +hagein +hagenia +hagfish +hagfishes +haggada +haggadah +haggaday +haggadal +haggadic +haggadical +haggadist +haggadistic +haggai +haggard +haggardly +haggardness +haggards +hagged +haggeis +hagger +haggy +hagging +haggiographal +haggis +haggises +haggish +haggishly +haggishness +haggister +haggle +haggled +haggler +hagglers +haggles +haggly +haggling +hagi +hagia +hagiarchy +hagiarchies +hagigah +hagiocracy +hagiocracies +hagiographa +hagiographal +hagiographer +hagiographers +hagiography +hagiographic +hagiographical +hagiographies +hagiographist +hagiolater +hagiolatry +hagiolatrous +hagiolith +hagiology +hagiologic +hagiological +hagiologically +hagiologies +hagiologist +hagiophobia +hagioscope +hagioscopic +haglet +haglike +haglin +hagmall +hagmane +hagmena +hagmenay +hagrid +hagridden +hagride +hagrider +hagrides +hagriding +hagrode +hagrope +hags +hagseed +hagship +hagstone +hagtaper +hague +hagueton +hagweed +hagworm +hah +haha +hahnemannian +hahnemannism +hahnium +hahs +hay +haya +haiari +haiathalah +hayband +haybird +haybote +haybox +hayburner +haycap +haycart +haick +haycock +haycocks +haida +haidan +haidee +haydenite +haidingerite +haydn +haiduck +haiduk +haye +hayed +hayey +hayer +hayers +hayes +hayfield +hayfields +hayfork +hayforks +haygrower +haying +hayings +haik +haika +haikai +haikal +haikh +haiks +haiku +haikun +haikwan +hail +haylage +haylages +hailed +hailer +hailers +hailes +haily +haylift +hailing +hayloft +haylofts +hailproof +hails +hailse +hailshot +hailstone +hailstoned +hailstones +hailstorm +hailstorms +hailweed +haymaker +haymakers +haymaking +haymarket +haimavati +haymish +haymow +haymows +haimsucken +hain +hainai +hainan +hainanese +hainberry +hainch +haine +hayne +hained +hair +hayrack +hayracks +hayrake +hayraker +hairball +hairballs +hairband +hairbands +hairbeard +hairbell +hairbird +hairbrain +hairbrained +hairbreadth +hairbreadths +hairbrush +hairbrushes +haircap +haircaps +haircloth +haircloths +haircut +haircuts +haircutter +haircutting +hairdo +hairdodos +hairdos +hairdress +hairdresser +hairdressers +hairdressing +hairdryer +hairdryers +haire +haired +hairen +hairgrass +hairgrip +hairhoof +hairhound +hairy +hairychested +hayrick +hayricks +hayride +hayrides +hairier +hairiest +hairif +hairiness +hairlace +hairless +hairlessness +hairlet +hairlike +hairline +hairlines +hairlock +hairlocks +hairmeal +hairmoneering +hairmonger +hairnet +hairof +hairpiece +hairpieces +hairpin +hairpins +hairs +hairsbreadth +hairsbreadths +hairse +hairsplitter +hairsplitters +hairsplitting +hairspray +hairsprays +hairspring +hairsprings +hairst +hairstane +hairstyle +hairstyles +hairstyling +hairstylist +hairstylists +hairstone +hairstreak +hairtail +hairup +hairweave +hairweaver +hairweavers +hairweaving +hairweed +hairwood +hairwork +hairworks +hairworm +hairworms +hays +hayseed +hayseeds +haysel +hayshock +haisla +haystack +haystacks +haysuck +hait +haithal +haythorn +haiti +haitian +haitians +haytime +haitsai +haiver +haywagon +hayward +haywards +hayweed +haywire +haywires +hayz +haj +haje +hajes +haji +hajib +hajilij +hajis +hajj +hajjes +hajji +hajjis +hak +hakafoth +hakam +hakamim +hakdar +hake +hakea +hakeem +hakeems +hakenkreuz +hakenkreuzler +hakes +hakim +hakims +hakka +hako +haku +hal +hala +halacha +halachah +halachist +halaka +halakah +halakahs +halakhist +halakic +halakist +halakistic +halakists +halakoth +halal +halala +halalah +halalahs +halalas +halalcor +halapepe +halas +halation +halations +halavah +halavahs +halawi +halazone +halberd +halberdier +halberdman +halberds +halberdsman +halbert +halberts +halch +halcyon +halcyonian +halcyonic +halcyonidae +halcyoninae +halcyonine +halcyons +haldanite +haldu +hale +halebi +halecomorphi +halecret +haled +haleday +halely +haleness +halenesses +halenia +haler +halers +haleru +halerz +hales +halesia +halesome +halest +haleweed +half +halfa +halfback +halfbacks +halfbeak +halfbeaks +halfblood +halfcock +halfcocked +halfen +halfendeal +halfer +halfheaded +halfhearted +halfheartedly +halfheartedness +halfhourly +halfy +halflang +halfly +halflife +halflin +halfling +halflings +halflives +halfman +halfmoon +halfness +halfnesses +halfpace +halfpaced +halfpence +halfpenny +halfpennies +halfpennyworth +halftime +halftimes +halftone +halftones +halftrack +halfungs +halfway +halfwise +halfwit +halfword +halfwords +haliaeetus +halyard +halyards +halibios +halibiotic +halibiu +halibut +halibuter +halibuts +halicarnassean +halicarnassian +halichondriae +halichondrine +halichondroid +halicore +halicoridae +halicot +halid +halide +halides +halidom +halidome +halidomes +halidoms +halids +halieutic +halieutical +halieutically +halieutics +halifax +haligonian +halimeda +halimot +halimous +haling +halinous +haliographer +haliography +haliotidae +haliotis +haliotoid +haliplankton +haliplid +haliplidae +haliserites +halysites +halisteresis +halisteretic +halite +halites +halitheriidae +halitherium +halitoses +halitosis +halituosity +halituous +halitus +halituses +halkahs +halke +hall +hallabaloo +hallage +hallah +hallahs +hallalcor +hallali +hallan +hallanshaker +hallboy +hallcist +hallebardier +hallecret +halleflinta +halleflintoid +halleyan +hallel +hallels +halleluiah +hallelujah +hallelujahs +hallelujatic +hallex +halliard +halliards +halliblash +hallicet +hallidome +hallier +halling +hallion +hallman +hallmark +hallmarked +hallmarker +hallmarking +hallmarks +hallmoot +hallmote +hallo +halloa +halloaed +halloaing +halloas +hallock +halloed +halloes +halloing +halloysite +halloo +hallooed +hallooing +halloos +hallopididae +hallopodous +hallopus +hallos +hallot +halloth +hallow +hallowd +hallowday +hallowed +hallowedly +hallowedness +halloween +halloweens +hallower +hallowers +hallowing +hallowmas +hallows +hallowtide +hallroom +halls +hallstatt +hallstattian +hallucal +halluces +hallucinate +hallucinated +hallucinates +hallucinating +hallucination +hallucinational +hallucinations +hallucinative +hallucinator +hallucinatory +hallucined +hallucinogen +hallucinogenic +hallucinogens +hallucinoses +hallucinosis +hallux +hallway +hallways +halm +halma +halmalille +halmawise +halms +halo +haloa +halobates +halobiont +halobios +halobiotic +halocaine +halocarbon +halochromy +halochromism +halocynthiidae +halocline +haloed +haloes +haloesque +halogen +halogenate +halogenated +halogenating +halogenation +halogenoid +halogenous +halogens +halogeton +halohydrin +haloid +haloids +haloing +halolike +halolimnic +halomancy +halometer +halomorphic +halomorphism +haloperidol +halophile +halophilic +halophilism +halophilous +halophyte +halophytic +halophytism +halopsyche +halopsychidae +haloragidaceae +haloragidaceous +halos +halosauridae +halosaurus +haloscope +halosere +halosphaera +halothane +halotrichite +haloxene +haloxylin +halp +halpace +halper +hals +halse +halsen +halser +halsfang +halt +halte +halted +halter +halterbreak +haltere +haltered +halteres +halteridium +haltering +halterlike +halterproof +halters +haltica +halting +haltingly +haltingness +haltless +halts +halucket +halukkah +halurgy +halurgist +halutz +halutzim +halva +halvah +halvahs +halvaner +halvans +halvas +halve +halved +halvelings +halver +halvers +halves +halving +halwe +ham +hamacratic +hamada +hamadan +hamadryad +hamadryades +hamadryads +hamadryas +hamal +hamald +hamals +hamamelidaceae +hamamelidaceous +hamamelidanthemum +hamamelidin +hamamelidoxylon +hamamelin +hamamelis +hamamelites +haman +hamantasch +hamantaschen +hamantash +hamantashen +hamartia +hamartias +hamartiology +hamartiologist +hamartite +hamartophobia +hamata +hamate +hamated +hamates +hamathite +hamatum +hamaul +hamauls +hamber +hambergite +hamble +hambone +hambro +hambroline +hamburg +hamburger +hamburgers +hamburgs +hamdmaid +hame +hameil +hamel +hamelia +hamelt +hames +hamesoken +hamesucken +hametugs +hametz +hamewith +hamfare +hamfat +hamfatter +hamhung +hami +hamidian +hamidieh +hamiform +hamilt +hamilton +hamiltonian +hamiltonianism +hamiltonism +hamingja +haminoea +hamirostrate +hamital +hamite +hamites +hamitic +hamiticized +hamitism +hamitoid +hamlah +hamlet +hamleted +hamleteer +hamletization +hamletize +hamlets +hamli +hamline +hamlinite +hammada +hammaid +hammal +hammals +hammam +hammed +hammer +hammerable +hammerbird +hammercloth +hammercloths +hammerdress +hammered +hammerer +hammerers +hammerfish +hammerhead +hammerheaded +hammerheads +hammering +hammeringly +hammerkop +hammerless +hammerlike +hammerlock +hammerlocks +hammerman +hammers +hammersmith +hammerstone +hammertoe +hammertoes +hammerwise +hammerwork +hammerwort +hammy +hammier +hammiest +hammily +hamminess +hamming +hammochrysos +hammock +hammocklike +hammocks +hamose +hamotzi +hamous +hamper +hampered +hamperedly +hamperedness +hamperer +hamperers +hampering +hamperman +hampers +hampshire +hampshireman +hampshiremen +hampshirite +hampshirites +hamrongite +hams +hamsa +hamshackle +hamster +hamsters +hamstring +hamstringed +hamstringing +hamstrings +hamstrung +hamular +hamulate +hamule +hamuli +hamulites +hamulose +hamulous +hamulus +hamus +hamza +hamzah +hamzahs +hamzas +han +hanafi +hanafite +hanahill +hanap +hanaper +hanapers +hanaster +hanbalite +hanbury +hance +hanced +hances +hanch +hancockite +hand +handarm +handbag +handbags +handball +handballer +handballs +handbank +handbanker +handbarrow +handbarrows +handbell +handbells +handbill +handbills +handblow +handbolt +handbook +handbooks +handbound +handbow +handbrake +handbreadth +handbreed +handcar +handcars +handcart +handcarts +handclap +handclapping +handclasp +handclasps +handcloth +handcraft +handcrafted +handcrafting +handcraftman +handcrafts +handcraftsman +handcuff +handcuffed +handcuffing +handcuffs +handed +handedly +handedness +handel +handelian +hander +handersome +handfast +handfasted +handfasting +handfastly +handfastness +handfasts +handfeed +handfish +handflag +handflower +handful +handfuls +handgallop +handgrasp +handgravure +handgrip +handgriping +handgrips +handgun +handguns +handhaving +handhold +handholds +handhole +handy +handybilly +handybillies +handyblow +handybook +handicap +handicapped +handicapper +handicappers +handicapping +handicaps +handicraft +handicrafter +handicrafts +handicraftship +handicraftsman +handicraftsmanship +handicraftsmen +handicraftswoman +handicuff +handycuff +handier +handiest +handyfight +handyframe +handygrip +handygripe +handily +handyman +handymen +handiness +handing +handiron +handistroke +handiwork +handjar +handkercher +handkerchief +handkerchiefful +handkerchiefs +handkerchieves +handlaid +handle +handleable +handlebar +handlebars +handled +handleless +handler +handlers +handles +handless +handlike +handline +handling +handlings +handlist +handlists +handload +handloader +handloading +handlock +handloom +handloomed +handlooms +handmade +handmaid +handmaiden +handmaidenly +handmaidens +handmaids +handoff +handoffs +handout +handouts +handpick +handpicked +handpicking +handpicks +handpiece +handpost +handpress +handprint +handrail +handrailing +handrails +handreader +handreading +handrest +hands +handsale +handsaw +handsawfish +handsawfishes +handsaws +handsbreadth +handscrape +handsel +handseled +handseling +handselled +handseller +handselling +handsels +handset +handsets +handsetting +handsew +handsewed +handsewing +handsewn +handsful +handshake +handshaker +handshakes +handshaking +handsled +handsmooth +handsome +handsomeish +handsomely +handsomeness +handsomer +handsomest +handspade +handspan +handspec +handspike +handspoke +handspring +handsprings +handstaff +handstand +handstands +handstone +handstroke +handtrap +handwaled +handwaving +handwear +handweaving +handwheel +handwhile +handwork +handworked +handworker +handworkman +handworks +handworm +handwoven +handwrist +handwrit +handwrite +handwrites +handwriting +handwritings +handwritten +handwrote +handwrought +hanefiyeh +hang +hangability +hangable +hangalai +hangar +hangared +hangaring +hangars +hangby +hangbird +hangbirds +hangdog +hangdogs +hange +hanged +hangee +hanger +hangers +hangfire +hangfires +hangie +hanging +hangingly +hangings +hangkang +hangle +hangman +hangmanship +hangmen +hangment +hangnail +hangnails +hangnest +hangnests +hangout +hangouts +hangover +hangovers +hangs +hangtag +hangtags +hangul +hangup +hangups +hangwoman +hangworm +hangworthy +hanif +hanifiya +hanifism +hanifite +hank +hanked +hanker +hankered +hankerer +hankerers +hankering +hankeringly +hankerings +hankers +hanky +hankie +hankies +hanking +hankle +hanks +hanksite +hankt +hankul +hanna +hannayite +hannibal +hannibalian +hannibalic +hano +hanoi +hanologate +hanover +hanoverian +hanoverianize +hanoverize +hans +hansa +hansard +hansardization +hansardize +hanse +hanseatic +hansel +hanseled +hanseling +hanselled +hanselling +hansels +hansenosis +hanses +hansgrave +hansom +hansomcab +hansoms +hant +hanted +hanting +hantle +hantles +hants +hanukkah +hanuman +hanumans +hao +haole +haoles +haoma +haori +haoris +hap +hapale +hapalidae +hapalote +hapalotis +hapax +hapaxanthous +hapaxes +hapchance +haphazard +haphazardly +haphazardness +haphazardry +haphophobia +haphtarah +hapi +hapiton +hapless +haplessly +haplessness +haply +haplite +haplites +haplitic +haplobiont +haplobiontic +haplocaulescent +haplochlamydeous +haplodoci +haplodon +haplodont +haplodonty +haplography +haploid +haploidy +haploidic +haploidies +haploids +haplolaly +haplology +haplologic +haploma +haplome +haplomi +haplomid +haplomitosis +haplomous +haplont +haplontic +haplonts +haploperistomic +haploperistomous +haplopetalous +haplophase +haplophyte +haplopia +haplopias +haploscope +haploscopic +haploses +haplosis +haplostemonous +haplotype +happed +happen +happenchance +happened +happening +happenings +happens +happenstance +happer +happy +happier +happiest +happify +happiless +happily +happiness +happing +haps +hapsburg +hapten +haptene +haptenes +haptenic +haptens +haptera +haptere +hapteron +haptic +haptical +haptics +haptoglobin +haptometer +haptophobia +haptophor +haptophoric +haptophorous +haptor +haptotropic +haptotropically +haptotropism +hapu +hapuku +haquebut +haqueton +harace +haraya +harakeke +harakiri +haram +harambee +harang +harangue +harangued +harangueful +haranguer +haranguers +harangues +haranguing +hararese +harari +haras +harass +harassable +harassed +harassedly +harasser +harassers +harasses +harassing +harassingly +harassment +harassments +harast +haratch +harateen +haratin +haraucana +harb +harbergage +harbi +harbinge +harbinger +harbingery +harbingers +harbingership +harbor +harborage +harbored +harborer +harborers +harborful +harboring +harborless +harbormaster +harborough +harborous +harbors +harborside +harborward +harbour +harbourage +harboured +harbourer +harbouring +harbourless +harbourous +harbours +harbourside +harbourward +harbrough +hard +hardanger +hardback +hardbacks +hardbake +hardball +hardballs +hardbeam +hardberry +hardboard +hardboiled +hardboot +hardboots +hardbought +hardbound +hardcase +hardcopy +hardcore +hardcover +hardcovered +hardcovers +harden +hardenability +hardenable +hardenbergia +hardened +hardenedness +hardener +hardeners +hardening +hardenite +hardens +harder +harderian +hardest +hardfern +hardfist +hardfisted +hardfistedness +hardhack +hardhacks +hardhanded +hardhandedness +hardhat +hardhats +hardhead +hardheaded +hardheadedly +hardheadedness +hardheads +hardhearted +hardheartedly +hardheartedness +hardhewer +hardy +hardie +hardier +hardies +hardiesse +hardiest +hardihead +hardyhead +hardihood +hardily +hardim +hardiment +hardiness +harding +hardish +hardishrew +hardystonite +hardly +hardmouth +hardmouthed +hardness +hardnesses +hardnose +hardock +hardpan +hardpans +hards +hardsalt +hardscrabble +hardset +hardshell +hardship +hardships +hardstand +hardstanding +hardstands +hardtack +hardtacks +hardtail +hardtails +hardtop +hardtops +hardway +hardwall +hardware +hardwareman +hardwares +hardweed +hardwickia +hardwired +hardwood +hardwoods +hardworking +hare +harebell +harebells +harebottle +harebrain +harebrained +harebrainedly +harebrainedness +harebur +hared +hareem +hareems +harefoot +harefooted +harehearted +harehound +hareld +harelda +harelike +harelip +harelipped +harelips +harem +haremism +haremlik +harems +harengiform +harenut +hares +harewood +harfang +hariana +harianas +harico +haricot +haricots +harier +hariffe +harigalds +harijan +harijans +harikari +harim +haring +harynges +hariolate +hariolation +hariolize +harish +hark +harka +harked +harkee +harken +harkened +harkener +harkeners +harkening +harkens +harking +harks +harl +harle +harled +harleian +harlem +harlemese +harlemite +harlequin +harlequina +harlequinade +harlequinery +harlequinesque +harlequinic +harlequinism +harlequinize +harlequins +harling +harlock +harlot +harlotry +harlotries +harlots +harls +harm +harmachis +harmal +harmala +harmalin +harmaline +harman +harmattan +harmed +harmel +harmer +harmers +harmful +harmfully +harmfulness +harmin +harmine +harmines +harming +harminic +harmins +harmless +harmlessly +harmlessness +harmon +harmony +harmonia +harmoniacal +harmonial +harmonic +harmonica +harmonical +harmonically +harmonicalness +harmonicas +harmonichord +harmonici +harmonicism +harmonicon +harmonics +harmonies +harmonious +harmoniously +harmoniousness +harmoniphon +harmoniphone +harmonisable +harmonisation +harmonise +harmonised +harmoniser +harmonising +harmonist +harmonistic +harmonistically +harmonite +harmonium +harmoniums +harmonizable +harmonization +harmonizations +harmonize +harmonized +harmonizer +harmonizers +harmonizes +harmonizing +harmonogram +harmonograph +harmonometer +harmoot +harmost +harmotome +harmotomic +harmout +harmproof +harms +harn +harness +harnessed +harnesser +harnessers +harnesses +harnessing +harnessless +harnesslike +harnessry +harnpan +harns +harold +haroset +haroseth +harp +harpa +harpago +harpagon +harpagornis +harpalides +harpalinae +harpalus +harpaxophobia +harped +harper +harperess +harpers +harpy +harpidae +harpier +harpies +harpyia +harpylike +harpin +harping +harpingly +harpings +harpins +harpist +harpists +harpless +harplike +harpocrates +harpoon +harpooned +harpooneer +harpooner +harpooners +harpooning +harpoonlike +harpoons +harporhynchus +harpress +harps +harpsical +harpsichon +harpsichord +harpsichordist +harpsichords +harpula +harpullia +harpwaytuning +harpwise +harquebus +harquebusade +harquebuse +harquebuses +harquebusier +harquebuss +harr +harrage +harrateen +harre +harry +harrycane +harrid +harridan +harridans +harried +harrier +harriers +harries +harriet +harrying +harris +harrisia +harrisite +harrison +harrovian +harrow +harrowed +harrower +harrowers +harrowing +harrowingly +harrowingness +harrowment +harrows +harrowtry +harrumph +harrumphed +harrumphing +harrumphs +harsh +harshen +harshened +harshening +harshens +harsher +harshest +harshish +harshlet +harshlets +harshly +harshness +harshweed +harslet +harslets +harst +harstigite +harstrang +harstrong +hart +hartail +hartake +hartal +hartall +hartals +hartberry +hartebeest +hartebeests +harten +hartford +hartin +hartite +hartleian +hartleyan +hartly +hartmann +hartmannia +hartogia +harts +hartshorn +hartstongue +harttite +hartungen +hartwort +haruspex +haruspical +haruspicate +haruspication +haruspice +haruspices +haruspicy +harv +harvard +harvardian +harvardize +harvey +harveian +harveyize +harvest +harvestable +harvestbug +harvested +harvester +harvesters +harvestfish +harvestfishes +harvesting +harvestless +harvestman +harvestmen +harvestry +harvests +harvesttime +harzburgite +has +hasan +hasard +hasenpfeffer +hash +hashab +hashabi +hashed +hasheesh +hasheeshes +hasher +hashery +hashes +hashhead +hashheads +hashy +hashiya +hashimite +hashing +hashish +hashishes +hasht +hasid +hasidean +hasidic +hasidim +hasidism +hasinai +hask +haskalah +haskard +hasky +haskness +haskwort +haslet +haslets +haslock +hasmonaean +hasmonaeans +hasn +hasnt +hasp +hasped +haspicol +hasping +haspling +hasps +haspspecs +hassar +hassel +hassels +hassenpfeffer +hassing +hassle +hassled +hassles +hasslet +hassling +hassock +hassocky +hassocks +hast +hasta +hastate +hastated +hastately +hastati +hastatolanceolate +hastatosagittate +haste +hasted +hasteful +hastefully +hasteless +hastelessness +hasten +hastened +hastener +hasteners +hastening +hastens +hasteproof +haster +hastes +hasty +hastier +hastiest +hastif +hastifly +hastifness +hastifoliate +hastiform +hastile +hastily +hastilude +hastiness +hasting +hastings +hastingsite +hastish +hastive +hastler +hastula +hat +hatable +hatband +hatbands +hatbox +hatboxes +hatbrim +hatbrush +hatch +hatchability +hatchable +hatchback +hatchbacks +hatcheck +hatched +hatchel +hatcheled +hatcheler +hatcheling +hatchelled +hatcheller +hatchelling +hatchels +hatcher +hatchery +hatcheries +hatcheryman +hatchers +hatches +hatchet +hatchetback +hatchetfaced +hatchetfish +hatchetfishes +hatchety +hatchetlike +hatchetman +hatchets +hatchettin +hatchettine +hatchettite +hatchettolite +hatchgate +hatching +hatchings +hatchite +hatchling +hatchman +hatchment +hatchminder +hatchway +hatchwayman +hatchways +hate +hateable +hated +hateful +hatefully +hatefulness +hatel +hateless +hatelessness +hatemonger +hatemongering +hater +haters +hates +hatful +hatfuls +hath +hatherlite +hathi +hathor +hathoric +hathpace +hati +hatikvah +hating +hatless +hatlessness +hatlike +hatmaker +hatmakers +hatmaking +hatpin +hatpins +hatrack +hatracks +hatrail +hatred +hatreds +hatress +hats +hatsful +hatstand +hatt +hatte +hatted +hattemist +hatter +hattery +hatteria +hatterias +hatters +hatti +hatty +hattic +hattie +hatting +hattism +hattize +hattock +hau +haubergeon +hauberget +hauberk +hauberks +hauberticum +haubois +hauchecornite +hauerite +hauflin +haugh +haughland +haughs +haught +haughty +haughtier +haughtiest +haughtily +haughtiness +haughtly +haughtness +haughtonite +hauyne +hauynite +hauynophyre +haul +haulabout +haulage +haulages +haulageway +haulaway +haulback +hauld +hauled +hauler +haulers +haulyard +haulyards +haulier +hauliers +hauling +haulm +haulmy +haulmier +haulmiest +haulms +hauls +haulse +haulster +hault +haum +haunce +haunch +haunched +hauncher +haunches +haunchy +haunching +haunchless +haunt +haunted +haunter +haunters +haunty +haunting +hauntingly +haunts +haupia +hauranitic +hauriant +haurient +hausa +hause +hausen +hausens +hausfrau +hausfrauen +hausfraus +hausmannite +hausse +haussmannization +haussmannize +haust +haustella +haustellate +haustellated +haustellous +haustellum +haustement +haustoria +haustorial +haustorium +haustral +haustrum +haustus +haut +hautain +hautboy +hautboyist +hautbois +hautboys +haute +hautein +hautesse +hauteur +hauteurs +hav +havage +havaiki +havaikian +havana +havance +havanese +havdalah +havdalahs +have +haveable +haveage +havel +haveless +havelock +havelocks +haven +havenage +havened +havener +havenership +havenet +havenful +havening +havenless +havens +havent +havenward +haver +haveral +havercake +havered +haverel +haverels +haverer +havergrass +havering +havermeal +havers +haversack +haversacks +haversian +haversine +haves +havier +havildar +having +havingness +havings +havior +haviored +haviors +haviour +havioured +haviours +havlagah +havoc +havocked +havocker +havockers +havocking +havocs +haw +hawaii +hawaiian +hawaiians +hawaiite +hawbuck +hawcuaite +hawcubite +hawebake +hawed +hawer +hawfinch +hawfinches +hawiya +hawing +hawk +hawkbill +hawkbills +hawkbit +hawked +hawkey +hawkeye +hawkeys +hawker +hawkery +hawkers +hawky +hawkie +hawkies +hawking +hawkings +hawkins +hawkish +hawkishly +hawkishness +hawklike +hawkmoth +hawkmoths +hawknose +hawknosed +hawknoses +hawknut +hawks +hawksbeak +hawksbill +hawkshaw +hawkshaws +hawkweed +hawkweeds +hawkwise +hawm +hawok +haworthia +haws +hawse +hawsed +hawsehole +hawseman +hawsepiece +hawsepipe +hawser +hawsers +hawserwise +hawses +hawsing +hawthorn +hawthorne +hawthorned +hawthorny +hawthorns +hazan +hazanim +hazans +hazanut +hazara +hazard +hazardable +hazarded +hazarder +hazardful +hazarding +hazardize +hazardless +hazardous +hazardously +hazardousness +hazardry +hazards +haze +hazed +hazel +hazeled +hazeless +hazelhen +hazeline +hazelly +hazelnut +hazelnuts +hazels +hazelwood +hazelwort +hazemeter +hazen +hazer +hazers +hazes +hazy +hazier +haziest +hazily +haziness +hazinesses +hazing +hazings +hazle +haznadar +hazzan +hazzanim +hazzans +hazzanut +hb +hcb +hcf +hcl +hconvert +hd +hdbk +hdkf +hdlc +hdqrs +hdwe +he +head +headache +headaches +headachy +headachier +headachiest +headband +headbander +headbands +headboard +headboards +headborough +headbox +headcap +headchair +headcheese +headchute +headcloth +headclothes +headcloths +headdress +headdresses +headed +headend +headender +headends +header +headers +headfast +headfirst +headfish +headfishes +headforemost +headframe +headful +headgate +headgates +headgear +headgears +headhunt +headhunted +headhunter +headhunters +headhunting +headhunts +heady +headier +headiest +headily +headiness +heading +headings +headkerchief +headlamp +headlamps +headland +headlands +headle +headledge +headless +headlessness +headly +headlight +headlighting +headlights +headlike +headliked +headline +headlined +headliner +headliners +headlines +headling +headlining +headload +headlock +headlocks +headlong +headlongly +headlongness +headlongs +headlongwise +headman +headmark +headmaster +headmasterly +headmasters +headmastership +headmen +headmistress +headmistresses +headmistressship +headmold +headmost +headmould +headnote +headnotes +headpenny +headphone +headphones +headpiece +headpieces +headpin +headpins +headplate +headpost +headquarter +headquartered +headquartering +headquarters +headrace +headraces +headrail +headreach +headrent +headrest +headrests +headrig +headright +headring +headroom +headrooms +headrope +heads +headsail +headsails +headsaw +headscarf +headset +headsets +headshake +headshaker +headsheet +headsheets +headship +headships +headshrinker +headsill +headskin +headsman +headsmen +headspace +headspring +headsquare +headstay +headstays +headstall +headstalls +headstand +headstands +headstick +headstock +headstone +headstones +headstream +headstrong +headstrongly +headstrongness +headtire +headway +headways +headwaiter +headwaiters +headwall +headward +headwards +headwark +headwater +headwaters +headwear +headwind +headwinds +headword +headwords +headwork +headworker +headworking +headworks +heaf +heal +healable +heald +healder +healed +healer +healers +healful +healing +healingly +healless +heals +healsome +healsomeness +health +healthcare +healthcraft +healthful +healthfully +healthfulness +healthguard +healthy +healthier +healthiest +healthily +healthiness +healthless +healthlessness +healths +healthsome +healthsomely +healthsomeness +healthward +heap +heaped +heaper +heapy +heaping +heaps +heapstead +hear +hearable +heard +hearer +hearers +hearing +hearingless +hearings +hearken +hearkened +hearkener +hearkening +hearkens +hears +hearsay +hearsays +hearse +hearsecloth +hearsed +hearselike +hearses +hearsing +hearst +heart +heartache +heartaches +heartaching +heartbeat +heartbeats +heartbird +heartblock +heartblood +heartbreak +heartbreaker +heartbreaking +heartbreakingly +heartbreaks +heartbroke +heartbroken +heartbrokenly +heartbrokenness +heartburn +heartburning +heartburns +heartdeep +heartease +hearted +heartedly +heartedness +hearten +heartened +heartener +heartening +hearteningly +heartens +heartfelt +heartful +heartfully +heartfulness +heartgrief +hearth +hearthless +hearthman +hearthpenny +hearthrug +hearths +hearthside +hearthsides +hearthstead +hearthstone +hearthstones +hearthward +hearthwarming +hearty +heartier +hearties +heartiest +heartikin +heartily +heartiness +hearting +heartland +heartlands +heartleaf +heartless +heartlessly +heartlessness +heartlet +heartly +heartlike +heartling +heartnut +heartpea +heartquake +heartrending +heartrendingly +heartroot +heartrot +hearts +heartscald +heartsease +heartseed +heartsette +heartshake +heartsick +heartsickening +heartsickness +heartsmitten +heartsome +heartsomely +heartsomeness +heartsore +heartsoreness +heartstring +heartstrings +heartthrob +heartthrobs +heartward +heartwarming +heartwater +heartweed +heartwise +heartwood +heartworm +heartwort +heartwounding +heat +heatable +heatdrop +heatdrops +heated +heatedly +heatedness +heaten +heater +heaterman +heaters +heatful +heath +heathberry +heathberries +heathbird +heathbrd +heathen +heathendom +heatheness +heathenesse +heathenhood +heathenise +heathenised +heathenish +heathenishly +heathenishness +heathenising +heathenism +heathenist +heathenize +heathenized +heathenizing +heathenly +heathenness +heathenry +heathens +heathenship +heather +heathered +heathery +heatheriness +heathers +heathfowl +heathy +heathier +heathiest +heathless +heathlike +heathrman +heaths +heathwort +heating +heatingly +heatless +heatlike +heatmaker +heatmaking +heatproof +heatronic +heats +heatsman +heatstroke +heatstrokes +heaume +heaumer +heaumes +heautarit +heautomorphism +heautontimorumenos +heautophany +heave +heaved +heaveless +heaven +heavenese +heavenful +heavenhood +heavenish +heavenishly +heavenize +heavenless +heavenly +heavenlier +heavenliest +heavenlike +heavenliness +heavens +heavenward +heavenwardly +heavenwardness +heavenwards +heaver +heavers +heaves +heavy +heavyback +heavier +heavies +heaviest +heavyhanded +heavyhandedness +heavyheaded +heavyhearted +heavyheartedly +heavyheartedness +heavily +heaviness +heaving +heavinsogme +heavyset +heavisome +heavity +heavyweight +heavyweights +heazy +hebamic +hebdomad +hebdomadal +hebdomadally +hebdomadary +hebdomadaries +hebdomader +hebdomads +hebdomary +hebdomarian +hebdomcad +hebe +hebeanthous +hebecarpous +hebecladous +hebegynous +heben +hebenon +hebeosteotomy +hebepetalous +hebephrenia +hebephreniac +hebephrenic +hebetate +hebetated +hebetates +hebetating +hebetation +hebetative +hebete +hebetic +hebetomy +hebetude +hebetudes +hebetudinous +hebotomy +hebraean +hebraic +hebraica +hebraical +hebraically +hebraicize +hebraism +hebraist +hebraistic +hebraistical +hebraistically +hebraists +hebraization +hebraize +hebraized +hebraizer +hebraizes +hebraizing +hebrew +hebrewdom +hebrewess +hebrewism +hebrews +hebrician +hebridean +hebronite +hecastotheism +hecate +hecatean +hecatic +hecatine +hecatomb +hecatombaeon +hecatombed +hecatombs +hecatomped +hecatompedon +hecatonstylon +hecatontarchy +hecatontome +hecatophyllous +hecchsmhaer +hecco +hecctkaerre +hech +hechsher +hechsherim +hechshers +hecht +hechtia +heck +heckelphone +heckerism +heckimal +heckle +heckled +heckler +hecklers +heckles +heckling +hecks +hectar +hectare +hectares +hecte +hectic +hectical +hectically +hecticly +hecticness +hectyli +hective +hectocotyl +hectocotyle +hectocotyli +hectocotyliferous +hectocotylization +hectocotylize +hectocotylus +hectogram +hectogramme +hectograms +hectograph +hectography +hectographic +hectoliter +hectoliters +hectolitre +hectometer +hectometers +hector +hectorean +hectored +hectorer +hectorian +hectoring +hectoringly +hectorism +hectorly +hectors +hectorship +hectostere +hectowatt +hecuba +hed +heddle +heddlemaker +heddler +heddles +hede +hedebo +hedenbergite +hedeoma +heder +hedera +hederaceous +hederaceously +hederal +hederated +hederic +hederiferous +hederiform +hederigerent +hederin +hederose +heders +hedge +hedgebe +hedgeberry +hedgeborn +hedgebote +hedgebreaker +hedged +hedgehog +hedgehoggy +hedgehogs +hedgehop +hedgehoppe +hedgehopped +hedgehopper +hedgehopping +hedgehops +hedgeless +hedgemaker +hedgemaking +hedgepig +hedgepigs +hedger +hedgerow +hedgerows +hedgers +hedges +hedgesmith +hedgetaper +hedgeweed +hedgewise +hedgewood +hedgy +hedgier +hedgiest +hedging +hedgingly +hedychium +hedyphane +hedysarum +hedonic +hedonical +hedonically +hedonics +hedonism +hedonisms +hedonist +hedonistic +hedonistically +hedonists +hedonology +hedonophobia +hedriophthalmous +hedrocele +hedrumite +hee +heed +heeded +heeder +heeders +heedful +heedfully +heedfulness +heedy +heedily +heediness +heeding +heedless +heedlessly +heedlessness +heeds +heehaw +heehawed +heehawing +heehaws +heel +heelball +heelballs +heelband +heelcap +heeled +heeler +heelers +heelgrip +heeling +heelings +heelless +heelmaker +heelmaking +heelpath +heelpiece +heelplate +heelpost +heelposts +heelprint +heels +heelstrap +heeltap +heeltaps +heeltree +heelwork +heemraad +heemraat +heep +heer +heeze +heezed +heezes +heezy +heezie +heezing +heft +hefted +hefter +hefters +hefty +heftier +heftiest +heftily +heftiness +hefting +hefts +hegari +hegaris +hegelian +hegelianism +hegelianize +hegelizer +hegemon +hegemony +hegemonic +hegemonical +hegemonies +hegemonist +hegemonistic +hegemonizer +hegira +hegiras +hegumen +hegumene +hegumenes +hegumeness +hegumeny +hegumenies +hegumenos +hegumens +heh +hehe +hei +hey +heiau +heyday +heydays +heydeguy +heydey +heydeys +heidi +heyduck +heifer +heiferhood +heifers +heigh +heygh +heighday +height +heighted +heighten +heightened +heightener +heightening +heightens +heighth +heighths +heights +heii +heikum +heil +heild +heiled +heily +heiling +heils +heiltsuk +heimdal +heimin +heimish +hein +heinesque +heinie +heinies +heynne +heinous +heinously +heinousness +heinrich +heintzite +heinz +heypen +heir +heyrat +heirdom +heirdoms +heired +heiress +heiressdom +heiresses +heiresshood +heiring +heirless +heirlo +heirloom +heirlooms +heirs +heirship +heirships +heirskip +heist +heisted +heister +heisters +heisting +heists +heitiki +heize +heized +heizing +hejazi +hejazian +hejira +hejiras +hekhsher +hekhsherim +hekhshers +hektare +hektares +hekteus +hektogram +hektograph +hektoliter +hektometer +hektostere +hel +helas +helbeh +helco +helcoid +helcology +helcoplasty +helcosis +helcotic +held +heldentenor +heldentenore +heldentenors +helder +helderbergian +hele +helen +helena +helenin +helenioid +helenium +helenn +helenus +helepole +helewou +helge +heliac +heliacal +heliacally +heliaea +heliaean +heliamphora +heliand +helianthaceous +helianthemum +helianthic +helianthin +helianthium +helianthoidea +helianthoidean +helianthus +helianthuses +heliast +heliastic +heliasts +heliazophyte +helibus +helical +helically +heliced +helices +helichryse +helichrysum +helicidae +heliciform +helicin +helicina +helicine +helicinidae +helicity +helicitic +helicities +helicline +helicogyrate +helicogyre +helicograph +helicoid +helicoidal +helicoidally +helicoids +helicometry +helicon +heliconia +heliconian +heliconiidae +heliconiinae +heliconist +heliconius +helicons +helicoprotein +helicopt +helicopted +helicopter +helicopters +helicopting +helicopts +helicorubin +helicotrema +helicteres +helictite +helide +helidrome +heligmus +heling +helio +heliocentric +heliocentrical +heliocentrically +heliocentricism +heliocentricity +heliochrome +heliochromy +heliochromic +heliochromoscope +heliochromotype +helioculture +heliodon +heliodor +helioelectric +helioengraving +heliofugal +heliogabalize +heliogabalus +heliogram +heliograph +heliographer +heliography +heliographic +heliographical +heliographically +heliographs +heliogravure +helioid +heliolater +heliolator +heliolatry +heliolatrous +heliolite +heliolites +heliolithic +heliolitidae +heliology +heliological +heliologist +heliometer +heliometry +heliometric +heliometrical +heliometrically +heliomicrometer +helion +heliophilia +heliophiliac +heliophyllite +heliophilous +heliophyte +heliophobe +heliophobia +heliophobic +heliophobous +heliophotography +heliopora +heliopore +helioporidae +heliopsis +heliopticon +heliornis +heliornithes +heliornithidae +helios +helioscope +helioscopy +helioscopic +heliosis +heliostat +heliostatic +heliotactic +heliotaxis +heliotherapy +heliotherapies +heliothermometer +heliothis +heliotype +heliotyped +heliotypy +heliotypic +heliotypically +heliotyping +heliotypography +heliotrope +heliotroper +heliotropes +heliotropy +heliotropiaceae +heliotropian +heliotropic +heliotropical +heliotropically +heliotropin +heliotropine +heliotropism +heliotropium +heliozoa +heliozoan +heliozoic +helipad +helipads +heliport +heliports +helipterum +helispheric +helispherical +helistop +helistops +helium +heliums +helix +helixes +helixin +helizitic +hell +helladian +helladic +helladotherium +hellandite +hellanodic +hellbender +hellbent +hellbore +hellborn +hellbox +hellboxes +hellbred +hellbroth +hellcat +hellcats +helldiver +helldog +helleboraceous +helleboraster +hellebore +helleborein +hellebores +helleboric +helleborin +helleborine +helleborism +helleborus +helled +hellelt +hellen +hellene +hellenes +hellenian +hellenic +hellenically +hellenicism +hellenism +hellenist +hellenistic +hellenistical +hellenistically +hellenisticism +hellenists +hellenization +hellenize +hellenizer +hellenocentric +hellenophile +heller +helleri +hellery +helleries +hellers +hellespont +hellespontine +hellfire +hellfires +hellgrammite +hellgrammites +hellhag +hellhole +hellholes +hellhound +helly +hellicat +hellicate +hellier +hellim +helling +hellion +hellions +hellish +hellishly +hellishness +hellkite +hellkites +hellman +hellness +hello +helloed +helloes +helloing +hellos +hellroot +hells +hellship +helluo +helluva +hellvine +hellward +hellweed +helm +helmage +helmed +helmet +helmeted +helmetflower +helmeting +helmetlike +helmetmaker +helmetmaking +helmetpod +helmets +helmholtzian +helming +helminth +helminthagogic +helminthagogue +helminthes +helminthiasis +helminthic +helminthism +helminthite +helminthocladiaceae +helminthoid +helminthology +helminthologic +helminthological +helminthologist +helminthophobia +helminthosporiose +helminthosporium +helminthosporoid +helminthous +helminths +helmless +helms +helmsman +helmsmanship +helmsmen +helobious +heloderm +heloderma +helodermatidae +helodermatoid +helodermatous +helodes +heloe +heloma +helonias +helonin +helosis +helot +helotage +helotages +helotism +helotisms +helotize +helotomy +helotry +helotries +helots +help +helpable +helped +helper +helpers +helpful +helpfully +helpfulness +helping +helpingly +helpings +helpless +helplessly +helplessness +helply +helpmate +helpmates +helpmeet +helpmeets +helps +helpsome +helpworthy +helsingkite +helsinki +helterskelteriness +helve +helved +helvell +helvella +helvellaceae +helvellaceous +helvellales +helvellic +helver +helves +helvetia +helvetian +helvetic +helvetii +helvidian +helvin +helvine +helving +helvite +helzel +hem +hemabarometer +hemachate +hemachrome +hemachrosis +hemacite +hemacytometer +hemad +hemadynameter +hemadynamic +hemadynamics +hemadynamometer +hemadrometer +hemadrometry +hemadromograph +hemadromometer +hemafibrite +hemagglutinate +hemagglutinated +hemagglutinating +hemagglutination +hemagglutinative +hemagglutinin +hemagog +hemagogic +hemagogs +hemagogue +hemal +hemalbumen +hemameba +hemamoeba +heman +hemanalysis +hemangioma +hemangiomas +hemangiomata +hemangiomatosis +hemangiosarcoma +hemaphein +hemaphobia +hemapod +hemapodous +hemapoiesis +hemapoietic +hemapophyseal +hemapophysial +hemapophysis +hemarthrosis +hemase +hemaspectroscope +hemastatics +hematachometer +hematachometry +hematal +hematein +hemateins +hematemesis +hematemetic +hematencephalon +hematherapy +hematherm +hemathermal +hemathermous +hemathidrosis +hematic +hematics +hematid +hematidrosis +hematimeter +hematin +hematine +hematines +hematinic +hematinometer +hematinometric +hematins +hematinuria +hematite +hematites +hematitic +hematobic +hematobious +hematobium +hematoblast +hematoblastic +hematobranchiate +hematocatharsis +hematocathartic +hematocele +hematochezia +hematochyluria +hematochrome +hematocyanin +hematocyst +hematocystis +hematocyte +hematocytoblast +hematocytogenesis +hematocytometer +hematocytotripsis +hematocytozoon +hematocyturia +hematoclasia +hematoclasis +hematocolpus +hematocryal +hematocrystallin +hematocrit +hematodynamics +hematodynamometer +hematodystrophy +hematogen +hematogenesis +hematogenetic +hematogenic +hematogenous +hematoglobulin +hematography +hematohidrosis +hematoid +hematoidin +hematoids +hematolymphangioma +hematolin +hematolysis +hematolite +hematolytic +hematology +hematologic +hematological +hematologies +hematologist +hematologists +hematoma +hematomancy +hematomas +hematomata +hematometer +hematometra +hematometry +hematomyelia +hematomyelitis +hematomphalocele +hematonephrosis +hematonic +hematopathology +hematopericardium +hematopexis +hematophagous +hematophyte +hematophobia +hematoplast +hematoplastic +hematopoiesis +hematopoietic +hematopoietically +hematoporphyria +hematoporphyrin +hematoporphyrinuria +hematorrhachis +hematorrhea +hematosalpinx +hematoscope +hematoscopy +hematose +hematosepsis +hematosin +hematosis +hematospectrophotometer +hematospectroscope +hematospermatocele +hematospermia +hematostibiite +hematotherapy +hematothermal +hematothorax +hematoxic +hematoxylic +hematoxylin +hematozymosis +hematozymotic +hematozoa +hematozoal +hematozoan +hematozoic +hematozoon +hematozzoa +hematuresis +hematuria +hematuric +hemautogram +hemautograph +hemautography +hemautographic +heme +hemelytra +hemelytral +hemelytron +hemelytrum +hemelyttra +hemellitene +hemellitic +hemen +hemera +hemeralope +hemeralopia +hemeralopic +hemerythrin +hemerobaptism +hemerobaptist +hemerobian +hemerobiid +hemerobiidae +hemerobius +hemerocallis +hemerology +hemerologium +hemes +hemiablepsia +hemiacetal +hemiachromatopsia +hemiageusia +hemiageustia +hemialbumin +hemialbumose +hemialbumosuria +hemialgia +hemiamaurosis +hemiamb +hemiamblyopia +hemiamyosthenia +hemianacusia +hemianalgesia +hemianatropous +hemianesthesia +hemianopia +hemianopic +hemianopsia +hemianoptic +hemianosmia +hemiapraxia +hemiascales +hemiasci +hemiascomycetes +hemiasynergia +hemiataxy +hemiataxia +hemiathetosis +hemiatrophy +hemiauxin +hemiazygous +hemibasidiales +hemibasidii +hemibasidiomycetes +hemibasidium +hemibathybian +hemibenthic +hemibenthonic +hemibranch +hemibranchiate +hemibranchii +hemic +hemicanities +hemicardia +hemicardiac +hemicarp +hemicatalepsy +hemicataleptic +hemicellulose +hemicentrum +hemicephalous +hemicerebrum +hemicholinium +hemichorda +hemichordate +hemichorea +hemichromatopsia +hemicycle +hemicyclic +hemicyclium +hemicylindrical +hemicircle +hemicircular +hemiclastic +hemicollin +hemicrane +hemicrany +hemicrania +hemicranic +hemicrystalline +hemidactyl +hemidactylous +hemidactylus +hemidemisemiquaver +hemidiapente +hemidiaphoresis +hemidysergia +hemidysesthesia +hemidystrophy +hemiditone +hemidomatic +hemidome +hemidrachm +hemiekton +hemielytra +hemielytral +hemielytron +hemielliptic +hemiepes +hemiepilepsy +hemifacial +hemiform +hemigale +hemigalus +hemiganus +hemigastrectomy +hemigeusia +hemiglyph +hemiglobin +hemiglossal +hemiglossitis +hemignathous +hemihdry +hemihedral +hemihedrally +hemihedric +hemihedrism +hemihedron +hemihydrate +hemihydrated +hemihydrosis +hemihypalgesia +hemihyperesthesia +hemihyperidrosis +hemihypertonia +hemihypertrophy +hemihypesthesia +hemihypoesthesia +hemihypotonia +hemiholohedral +hemikaryon +hemikaryotic +hemilaminectomy +hemilaryngectomy +hemileia +hemilethargy +hemiligulate +hemilingual +hemimellitene +hemimellitic +hemimelus +hemimeridae +hemimerus +hemimetabola +hemimetabole +hemimetaboly +hemimetabolic +hemimetabolism +hemimetabolous +hemimetamorphic +hemimetamorphosis +hemimetamorphous +hemimyaria +hemimorph +hemimorphy +hemimorphic +hemimorphism +hemimorphite +hemin +hemina +hemine +heminee +hemineurasthenia +hemingway +hemins +hemiobol +hemiola +hemiolas +hemiolia +hemiolic +hemionus +hemiope +hemiopia +hemiopic +hemiopsia +hemiorthotype +hemiparalysis +hemiparanesthesia +hemiparaplegia +hemiparasite +hemiparasitic +hemiparasitism +hemiparesis +hemiparesthesia +hemiparetic +hemipenis +hemipeptone +hemiphrase +hemipic +hemipinnate +hemipyramid +hemiplane +hemiplankton +hemiplegy +hemiplegia +hemiplegic +hemipod +hemipodan +hemipode +hemipodii +hemipodius +hemippe +hemiprism +hemiprismatic +hemiprotein +hemipter +hemiptera +hemipteral +hemipteran +hemipteroid +hemipterology +hemipterological +hemipteron +hemipterous +hemipters +hemiquinonoid +hemiramph +hemiramphidae +hemiramphinae +hemiramphine +hemiramphus +hemisaprophyte +hemisaprophytic +hemiscotosis +hemisect +hemisection +hemisymmetry +hemisymmetrical +hemisystematic +hemisystole +hemispasm +hemispheral +hemisphere +hemisphered +hemispheres +hemispheric +hemispherical +hemispherically +hemispheroid +hemispheroidal +hemispherule +hemistater +hemistich +hemistichal +hemistichs +hemistrumectomy +hemiterata +hemiteratic +hemiteratics +hemitery +hemiteria +hemiterpene +hemithyroidectomy +hemitype +hemitypic +hemitone +hemitremor +hemitrichous +hemitriglyph +hemitropal +hemitrope +hemitropy +hemitropic +hemitropism +hemitropous +hemivagotony +hemizygote +hemizygous +heml +hemline +hemlines +hemlock +hemlocks +hemmed +hemmel +hemmer +hemmers +hemming +hemoalkalimeter +hemoblast +hemochromatosis +hemochromatotic +hemochrome +hemochromogen +hemochromometer +hemochromometry +hemocyanin +hemocyte +hemocytes +hemocytoblast +hemocytoblastic +hemocytogenesis +hemocytolysis +hemocytometer +hemocytotripsis +hemocytozoon +hemocyturia +hemoclasia +hemoclasis +hemoclastic +hemocoel +hemocoele +hemocoelic +hemocoelom +hemocoels +hemoconcentration +hemoconia +hemoconiosis +hemocry +hemocrystallin +hemoculture +hemodia +hemodiagnosis +hemodialyses +hemodialysis +hemodialyzer +hemodilution +hemodynameter +hemodynamic +hemodynamically +hemodynamics +hemodystrophy +hemodrometer +hemodrometry +hemodromograph +hemodromometer +hemoerythrin +hemoflagellate +hemofuscin +hemogastric +hemogenesis +hemogenetic +hemogenia +hemogenic +hemogenous +hemoglobic +hemoglobin +hemoglobinemia +hemoglobinic +hemoglobiniferous +hemoglobinocholia +hemoglobinometer +hemoglobinopathy +hemoglobinophilic +hemoglobinous +hemoglobinuria +hemoglobinuric +hemoglobulin +hemogram +hemogregarine +hemoid +hemokonia +hemokoniosis +hemol +hemoleucocyte +hemoleucocytic +hemolymph +hemolymphatic +hemolysate +hemolysin +hemolysis +hemolytic +hemolyze +hemolyzed +hemolyzes +hemolyzing +hemology +hemologist +hemomanometer +hemometer +hemometry +hemonephrosis +hemopathy +hemopathology +hemopericardium +hemoperitoneum +hemopexis +hemophage +hemophagy +hemophagia +hemophagocyte +hemophagocytosis +hemophagous +hemophile +hemophileae +hemophilia +hemophiliac +hemophiliacs +hemophilic +hemophilioid +hemophilus +hemophobia +hemophthalmia +hemophthisis +hemopiezometer +hemopyrrole +hemoplasmodium +hemoplastic +hemopneumothorax +hemopod +hemopoiesis +hemopoietic +hemoproctia +hemoprotein +hemoptysis +hemoptoe +hemorrhage +hemorrhaged +hemorrhages +hemorrhagic +hemorrhagin +hemorrhaging +hemorrhea +hemorrhodin +hemorrhoid +hemorrhoidal +hemorrhoidectomy +hemorrhoidectomies +hemorrhoids +hemosalpinx +hemoscope +hemoscopy +hemosiderin +hemosiderosis +hemosiderotic +hemospasia +hemospastic +hemospermia +hemosporid +hemosporidian +hemostasia +hemostasis +hemostat +hemostatic +hemostats +hemotachometer +hemotherapeutics +hemotherapy +hemothorax +hemotoxic +hemotoxin +hemotrophe +hemotrophic +hemotropic +hemozoon +hemp +hempbush +hempen +hempherds +hempy +hempie +hempier +hempiest +hemplike +hemps +hempseed +hempseeds +hempstring +hempweed +hempweeds +hempwort +hems +hemself +hemstitch +hemstitched +hemstitcher +hemstitches +hemstitching +hemule +hen +henad +henbane +henbanes +henbill +henbit +henbits +hence +henceforth +henceforward +henceforwards +henchboy +henchman +henchmanship +henchmen +hencoop +hencoops +hencote +hend +hendecacolic +hendecagon +hendecagonal +hendecahedra +hendecahedral +hendecahedron +hendecahedrons +hendecane +hendecasemic +hendecasyllabic +hendecasyllable +hendecatoic +hendecyl +hendecoic +hendedra +hendy +hendiadys +hendly +hendness +heneicosane +henen +henequen +henequens +henequin +henequins +henfish +heng +henge +hengest +henhawk +henhearted +henheartedness +henhouse +henhouses +henhussy +henhussies +henyard +heniquen +heniquens +henism +henlike +henmoldy +henna +hennaed +hennaing +hennas +hennebique +hennery +henneries +hennes +henny +hennin +hennish +henogeny +henotheism +henotheist +henotheistic +henotic +henpeck +henpecked +henpecking +henpecks +henpen +henry +henrician +henries +henrietta +henrys +henroost +hens +hent +hented +hentenian +henter +henting +hentriacontane +hents +henware +henwife +henwile +henwise +henwoodite +heo +heortology +heortological +heortologion +hep +hepar +heparin +heparinization +heparinize +heparinized +heparinizing +heparinoid +heparins +hepatalgia +hepatatrophy +hepatatrophia +hepatauxe +hepatectomy +hepatectomies +hepatectomize +hepatectomized +hepatectomizing +hepatic +hepatica +hepaticae +hepatical +hepaticas +hepaticoduodenostomy +hepaticoenterostomy +hepaticoenterostomies +hepaticogastrostomy +hepaticology +hepaticologist +hepaticopulmonary +hepaticostomy +hepaticotomy +hepatics +hepatisation +hepatise +hepatised +hepatising +hepatite +hepatitis +hepatization +hepatize +hepatized +hepatizes +hepatizing +hepatocele +hepatocellular +hepatocirrhosis +hepatocystic +hepatocyte +hepatocolic +hepatodynia +hepatodysentery +hepatoduodenal +hepatoduodenostomy +hepatoenteric +hepatoflavin +hepatogastric +hepatogenic +hepatogenous +hepatography +hepatoid +hepatolenticular +hepatolysis +hepatolith +hepatolithiasis +hepatolithic +hepatolytic +hepatology +hepatological +hepatologist +hepatoma +hepatomalacia +hepatomas +hepatomata +hepatomegaly +hepatomegalia +hepatomelanosis +hepatonephric +hepatopancreas +hepatopathy +hepatoperitonitis +hepatopexy +hepatopexia +hepatophyma +hepatophlebitis +hepatophlebotomy +hepatopneumonic +hepatoportal +hepatoptosia +hepatoptosis +hepatopulmonary +hepatorenal +hepatorrhagia +hepatorrhaphy +hepatorrhea +hepatorrhexis +hepatorrhoea +hepatoscopy +hepatoscopies +hepatostomy +hepatotherapy +hepatotomy +hepatotoxemia +hepatotoxic +hepatotoxicity +hepatotoxin +hepatoumbilical +hepburn +hepcat +hepcats +hephaesteum +hephaestian +hephaestic +hephaestus +hephthemimer +hephthemimeral +hepialid +hepialidae +hepialus +heppen +hepper +hepplewhite +heptacapsular +heptace +heptachlor +heptachord +heptachronous +heptacolic +heptacosane +heptad +heptadecane +heptadecyl +heptadic +heptads +heptagynia +heptagynous +heptaglot +heptagon +heptagonal +heptagons +heptagrid +heptahedra +heptahedral +heptahedrdra +heptahedrical +heptahedron +heptahedrons +heptahexahedral +heptahydrate +heptahydrated +heptahydric +heptahydroxy +heptal +heptameride +heptameron +heptamerous +heptameter +heptameters +heptamethylene +heptametrical +heptanaphthene +heptanchus +heptandria +heptandrous +heptane +heptanes +heptanesian +heptangular +heptanoic +heptanone +heptapetalous +heptaphyllous +heptaploid +heptaploidy +heptapody +heptapodic +heptarch +heptarchal +heptarchy +heptarchic +heptarchical +heptarchies +heptarchist +heptarchs +heptasemic +heptasepalous +heptasyllabic +heptasyllable +heptaspermous +heptastich +heptastylar +heptastyle +heptastylos +heptastrophic +heptasulphide +heptateuch +heptatomic +heptatonic +heptatrema +heptavalent +heptene +hepteris +heptyl +heptylene +heptylic +heptine +heptyne +heptite +heptitol +heptode +heptoic +heptorite +heptose +heptoses +heptoxide +heptranchias +her +hera +heraclean +heracleid +heracleidan +heracleonite +heracleopolitan +heracleopolite +heracleum +heraclid +heraclidae +heraclidan +heraclitean +heracliteanism +heraclitic +heraclitical +heraclitism +herakles +herald +heralded +heraldess +heraldic +heraldical +heraldically +heralding +heraldist +heraldists +heraldize +heraldress +heraldry +heraldries +heralds +heraldship +herapathite +herat +heraud +heraus +herb +herba +herbaceous +herbaceously +herbage +herbaged +herbager +herbages +herbagious +herbal +herbalism +herbalist +herbalists +herbalize +herbals +herbane +herbar +herbarbaria +herbary +herbaria +herbarial +herbarian +herbariia +herbariiums +herbarism +herbarist +herbarium +herbariums +herbarize +herbarized +herbarizing +herbartian +herbartianism +herbbane +herber +herbergage +herberger +herbert +herbescent +herby +herbicidal +herbicidally +herbicide +herbicides +herbicolous +herbid +herbier +herbiest +herbiferous +herbish +herbist +herbivora +herbivore +herbivores +herbivorism +herbivority +herbivorous +herbivorously +herbivorousness +herbless +herblet +herblike +herbman +herborist +herborization +herborize +herborized +herborizer +herborizing +herbose +herbosity +herbous +herbrough +herbs +herbwife +herbwoman +hercynian +hercynite +hercogamy +hercogamous +herculanean +herculanensian +herculanian +herculean +hercules +herculeses +herculid +herd +herdboy +herdbook +herded +herder +herderite +herders +herdess +herdic +herdics +herding +herdlike +herdman +herdmen +herds +herdship +herdsman +herdsmen +herdswoman +herdswomen +herdwick +here +hereabout +hereabouts +hereadays +hereafter +hereafterward +hereagain +hereagainst +hereamong +hereanent +hereat +hereaway +hereaways +herebefore +hereby +heredes +heredia +heredipety +heredipetous +hereditability +hereditable +hereditably +heredital +hereditament +hereditaments +hereditary +hereditarian +hereditarianism +hereditarily +hereditariness +hereditarist +hereditas +hereditation +hereditative +heredity +heredities +hereditism +hereditist +hereditivity +heredium +heredofamilial +heredolues +heredoluetic +heredosyphilis +heredosyphilitic +heredosyphilogy +heredotuberculosis +hereford +herefords +herefore +herefrom +heregeld +heregild +herehence +herein +hereinabove +hereinafter +hereinbefore +hereinbelow +hereinto +herem +heremeit +herenach +hereness +hereniging +hereof +hereon +hereout +hereright +herero +heres +heresy +heresiarch +heresies +heresimach +heresiographer +heresiography +heresiographies +heresiologer +heresiology +heresiologies +heresiologist +heresyphobia +heresyproof +heretic +heretical +heretically +hereticalness +hereticate +hereticated +heretication +hereticator +hereticide +hereticize +heretics +hereto +heretoch +heretofore +heretoforetime +heretoga +heretrices +heretrix +heretrixes +hereunder +hereunto +hereupon +hereupto +hereward +herewith +herewithal +herezeld +hery +herigaut +herile +heriot +heriotable +heriots +herisson +heritability +heritabilities +heritable +heritably +heritage +heritages +heritance +heritiera +heritor +heritors +heritress +heritrices +heritrix +heritrixes +herl +herling +herls +herm +herma +hermae +hermaean +hermai +hermaic +herman +hermandad +hermaphrodeity +hermaphrodism +hermaphrodite +hermaphrodites +hermaphroditic +hermaphroditical +hermaphroditically +hermaphroditish +hermaphroditism +hermaphroditize +hermaphroditus +hermatypic +hermele +hermeneut +hermeneutic +hermeneutical +hermeneutically +hermeneutics +hermeneutist +hermes +hermesian +hermesianism +hermetic +hermetical +hermetically +hermeticism +hermetics +hermetism +hermetist +hermi +hermidin +herminone +hermione +hermit +hermitage +hermitages +hermitary +hermitess +hermitian +hermitic +hermitical +hermitically +hermitish +hermitism +hermitize +hermitlike +hermitry +hermitries +hermits +hermitship +hermo +hermodact +hermodactyl +hermogenian +hermogeniarnun +hermoglyphic +hermoglyphist +hermokopid +herms +hern +hernandia +hernandiaceae +hernandiaceous +hernanesell +hernani +hernant +herne +hernia +herniae +hernial +herniary +herniaria +herniarin +hernias +herniate +herniated +herniates +herniating +herniation +herniations +hernioenterotomy +hernioid +herniology +hernioplasty +hernioplasties +herniopuncture +herniorrhaphy +herniorrhaphies +herniotome +herniotomy +herniotomies +herniotomist +herns +hernsew +hernshaw +hero +heroarchy +herodian +herodianic +herodii +herodiones +herodionine +heroes +heroess +herohead +herohood +heroic +heroical +heroically +heroicalness +heroicity +heroicly +heroicness +heroicomic +heroicomical +heroics +heroid +heroides +heroify +heroin +heroine +heroines +heroineship +heroinism +heroinize +heroins +heroism +heroisms +heroistic +heroization +heroize +heroized +heroizes +heroizing +herola +herolike +heromonger +heron +heronbill +heroner +heronite +heronry +heronries +herons +heronsew +heroogony +heroology +heroologist +herophile +herophilist +heros +heroship +herotheism +heroworshipper +herp +herpangina +herpes +herpeses +herpestes +herpestinae +herpestine +herpesvirus +herpet +herpetic +herpetiform +herpetism +herpetography +herpetoid +herpetology +herpetologic +herpetological +herpetologically +herpetologist +herpetologists +herpetomonad +herpetomonas +herpetophobia +herpetotomy +herpetotomist +herpolhode +herpotrichia +herquein +herr +herrengrundite +herrenvolk +herrgrdsost +herry +herried +herries +herrying +herryment +herring +herringbone +herringbones +herringer +herringlike +herrings +herrnhuter +hers +hersall +herschel +herschelian +herschelite +herse +hersed +herself +hershey +hership +hersir +hert +hertfordshire +hertz +hertzes +hertzian +heruli +herulian +hervati +herve +herzegovinian +hes +heshvan +hesychasm +hesychast +hesychastic +hesiodic +hesione +hesionidae +hesitance +hesitancy +hesitancies +hesitant +hesitantly +hesitate +hesitated +hesitater +hesitaters +hesitates +hesitating +hesitatingly +hesitatingness +hesitation +hesitations +hesitative +hesitatively +hesitator +hesitatory +hesped +hespel +hespeperidia +hesper +hespera +hesperia +hesperian +hesperic +hesperid +hesperidate +hesperidene +hesperideous +hesperides +hesperidia +hesperidian +hesperidin +hesperidium +hesperiid +hesperiidae +hesperinon +hesperinos +hesperis +hesperitin +hesperornis +hesperornithes +hesperornithid +hesperornithiformes +hesperornithoid +hesperus +hessian +hessians +hessite +hessites +hessonite +hest +hester +hestern +hesternal +hesther +hesthogenous +hestia +hests +het +hetaera +hetaerae +hetaeras +hetaery +hetaeria +hetaeric +hetaerio +hetaerism +hetaerist +hetaeristic +hetaerocracy +hetaerolite +hetaira +hetairai +hetairas +hetairy +hetairia +hetairic +hetairism +hetairist +hetairistic +hetchel +hete +heteradenia +heteradenic +heterakid +heterakis +heteralocha +heterandry +heterandrous +heteratomic +heterauxesis +heteraxial +heterecious +heteric +heterically +hetericism +hetericist +heterism +heterization +heterize +hetero +heteroagglutinin +heteroalbumose +heteroaromatic +heteroatom +heteroatomic +heteroautotrophic +heteroauxin +heteroblasty +heteroblastic +heteroblastically +heterocaryon +heterocaryosis +heterocaryotic +heterocarpism +heterocarpous +heterocarpus +heterocaseose +heterocellular +heterocentric +heterocephalous +heterocera +heterocerc +heterocercal +heterocercality +heterocercy +heterocerous +heterochiral +heterochlamydeous +heterochloridales +heterochromatic +heterochromatin +heterochromatism +heterochromatization +heterochromatized +heterochrome +heterochromy +heterochromia +heterochromic +heterochromosome +heterochromous +heterochrony +heterochronic +heterochronism +heterochronistic +heterochronous +heterochrosis +heterochthon +heterochthonous +heterocycle +heterocyclic +heterocyst +heterocystous +heterocline +heteroclinous +heteroclital +heteroclite +heteroclitic +heteroclitica +heteroclitical +heteroclitous +heterocoela +heterocoelous +heterocotylea +heterocrine +heterodactyl +heterodactylae +heterodactylous +heterodera +heterodyne +heterodyned +heterodyning +heterodon +heterodont +heterodonta +heterodontidae +heterodontism +heterodontoid +heterodontus +heterodox +heterodoxal +heterodoxy +heterodoxical +heterodoxies +heterodoxly +heterodoxness +heterodromy +heterodromous +heteroecy +heteroecious +heteroeciously +heteroeciousness +heteroecism +heteroecismal +heteroepy +heteroepic +heteroerotic +heteroerotism +heterofermentative +heterofertilization +heterogalactic +heterogamete +heterogamety +heterogametic +heterogametism +heterogamy +heterogamic +heterogamous +heterogangliate +heterogen +heterogene +heterogeneal +heterogenean +heterogeneity +heterogeneities +heterogeneous +heterogeneously +heterogeneousness +heterogenesis +heterogenetic +heterogenetically +heterogeny +heterogenic +heterogenicity +heterogenisis +heterogenist +heterogenous +heterogyna +heterogynal +heterogynous +heteroglobulose +heterognath +heterognathi +heterogone +heterogony +heterogonic +heterogonism +heterogonous +heterogonously +heterograft +heterography +heterographic +heterographical +heterographies +heteroicous +heteroimmune +heteroinfection +heteroinoculable +heteroinoculation +heterointoxication +heterokaryon +heterokaryosis +heterokaryotic +heterokinesia +heterokinesis +heterokinetic +heterokontae +heterokontan +heterolalia +heterolateral +heterolecithal +heterolysin +heterolysis +heterolith +heterolytic +heterolobous +heterology +heterologic +heterological +heterologically +heterologies +heterologous +heterologously +heteromallous +heteromastigate +heteromastigote +heteromeles +heteromera +heteromeral +heteromeran +heteromeri +heteromeric +heteromerous +heteromesotrophic +heterometabola +heterometabole +heterometaboly +heterometabolic +heterometabolism +heterometabolous +heterometatrophic +heterometric +heteromi +heteromya +heteromyaria +heteromyarian +heteromyidae +heteromys +heteromita +heteromorpha +heteromorphae +heteromorphy +heteromorphic +heteromorphism +heteromorphite +heteromorphosis +heteromorphous +heteronereid +heteronereis +heteroneura +heteronym +heteronymy +heteronymic +heteronymous +heteronymously +heteronomy +heteronomic +heteronomous +heteronomously +heteronuclear +heteroousia +heteroousian +heteroousiast +heteroousious +heteropathy +heteropathic +heteropelmous +heteropetalous +heterophaga +heterophagi +heterophagous +heterophasia +heterophemy +heterophemism +heterophemist +heterophemistic +heterophemize +heterophil +heterophile +heterophylesis +heterophyletic +heterophyly +heterophilic +heterophylly +heterophyllous +heterophyte +heterophytic +heterophobia +heterophony +heterophonic +heterophoria +heterophoric +heteropia +heteropycnosis +heteropidae +heteroplasia +heteroplasm +heteroplasty +heteroplastic +heteroplasties +heteroploid +heteroploidy +heteropod +heteropoda +heteropodal +heteropodous +heteropolar +heteropolarity +heteropoly +heteropolysaccharide +heteroproteide +heteroproteose +heteropter +heteroptera +heteropterous +heteroptics +heterorhachis +heteros +heteroscedasticity +heteroscian +heteroscope +heteroscopy +heteroses +heterosex +heterosexual +heterosexuality +heterosexually +heterosexuals +heteroside +heterosyllabic +heterosiphonales +heterosis +heterosomata +heterosomati +heterosomatous +heterosome +heterosomi +heterosomous +heterosphere +heterosporeae +heterospory +heterosporic +heterosporium +heterosporous +heterostatic +heterostemonous +heterostyled +heterostyly +heterostylism +heterostylous +heterostraca +heterostracan +heterostraci +heterostrophy +heterostrophic +heterostrophous +heterostructure +heterosuggestion +heterotactic +heterotactous +heterotaxy +heterotaxia +heterotaxic +heterotaxis +heterotelic +heterotelism +heterothallic +heterothallism +heterothermal +heterothermic +heterotic +heterotype +heterotypic +heterotypical +heterotopy +heterotopia +heterotopic +heterotopism +heterotopous +heterotransplant +heterotransplantation +heterotrich +heterotricha +heterotrichales +heterotrichida +heterotrichosis +heterotrichous +heterotropal +heterotroph +heterotrophy +heterotrophic +heterotrophically +heterotropia +heterotropic +heterotropous +heteroxanthine +heteroxenous +heterozetesis +heterozygosis +heterozygosity +heterozygote +heterozygotes +heterozygotic +heterozygous +heterozygousness +heth +hethen +hething +heths +hetman +hetmanate +hetmans +hetmanship +hetter +hetterly +hetty +hettie +heuau +heuch +heuchera +heuchs +heugh +heughs +heuk +heulandite +heumite +heureka +heuretic +heuristic +heuristically +heuristics +heuvel +hevea +heved +hevi +hew +hewable +hewe +hewed +hewel +hewer +hewers +hewettite +hewgag +hewgh +hewhall +hewhole +hewing +hewn +hews +hewt +hex +hexa +hexabasic +hexabiblos +hexabiose +hexabromid +hexabromide +hexacanth +hexacanthous +hexacapsular +hexacarbon +hexace +hexachloraphene +hexachlorethane +hexachloride +hexachlorocyclohexane +hexachloroethane +hexachlorophene +hexachord +hexachronous +hexacyclic +hexacid +hexacolic +hexacoralla +hexacorallan +hexacorallia +hexacosane +hexacosihedroid +hexact +hexactinal +hexactine +hexactinellid +hexactinellida +hexactinellidan +hexactinelline +hexactinian +hexad +hexadactyle +hexadactyly +hexadactylic +hexadactylism +hexadactylous +hexadd +hexade +hexadecahedroid +hexadecane +hexadecanoic +hexadecene +hexadecyl +hexadecimal +hexades +hexadic +hexadiene +hexadiine +hexadiyne +hexads +hexaemeric +hexaemeron +hexafluoride +hexafoil +hexagyn +hexagynia +hexagynian +hexagynous +hexaglot +hexagon +hexagonal +hexagonally +hexagonial +hexagonical +hexagonous +hexagons +hexagram +hexagrammidae +hexagrammoid +hexagrammos +hexagrams +hexahedra +hexahedral +hexahedron +hexahedrons +hexahemeric +hexahemeron +hexahydrate +hexahydrated +hexahydric +hexahydride +hexahydrite +hexahydrobenzene +hexahydrothymol +hexahydroxy +hexahydroxycyclohexane +hexakisoctahedron +hexakistetrahedron +hexamer +hexameral +hexameric +hexamerism +hexameron +hexamerous +hexameter +hexameters +hexamethylenamine +hexamethylene +hexamethylenetetramine +hexamethonium +hexametral +hexametric +hexametrical +hexametrist +hexametrize +hexametrographer +hexamine +hexamines +hexamita +hexamitiasis +hexammin +hexammine +hexammino +hexanal +hexanaphthene +hexanchidae +hexanchus +hexandry +hexandria +hexandric +hexandrous +hexane +hexanedione +hexanes +hexangle +hexangular +hexangularly +hexanitrate +hexanitrodiphenylamine +hexapartite +hexaped +hexapetaloid +hexapetaloideous +hexapetalous +hexaphyllous +hexapla +hexaplar +hexaplarian +hexaplaric +hexaplas +hexaploid +hexaploidy +hexapod +hexapoda +hexapodal +hexapodan +hexapody +hexapodic +hexapodies +hexapodous +hexapods +hexapterous +hexaradial +hexarch +hexarchy +hexarchies +hexascha +hexaseme +hexasemic +hexasepalous +hexasyllabic +hexasyllable +hexaspermous +hexastemonous +hexaster +hexastich +hexasticha +hexastichy +hexastichic +hexastichon +hexastichous +hexastigm +hexastylar +hexastyle +hexastylos +hexasulphide +hexatetrahedron +hexateuch +hexateuchal +hexathlon +hexatomic +hexatriacontane +hexatriose +hexavalent +hexaxon +hexdra +hexecontane +hexed +hexenbesen +hexene +hexer +hexerei +hexereis +hexeris +hexers +hexes +hexestrol +hexicology +hexicological +hexyl +hexylene +hexylic +hexylresorcinol +hexyls +hexine +hexyne +hexing +hexiology +hexiological +hexis +hexitol +hexobarbital +hexobiose +hexoctahedral +hexoctahedron +hexode +hexoestrol +hexogen +hexoic +hexoylene +hexokinase +hexone +hexones +hexonic +hexosamine +hexosaminic +hexosan +hexosans +hexose +hexosediphosphoric +hexosemonophosphoric +hexosephosphatase +hexosephosphoric +hexoses +hexpartite +hexs +hexsub +hezekiah +hezron +hezronites +hf +hg +hgrnotine +hgt +hgwy +hhd +hi +hy +hia +hyacine +hyacinth +hyacinthia +hyacinthian +hyacinthin +hyacinthine +hyacinths +hyacinthus +hyades +hyaena +hyaenanche +hyaenarctos +hyaenas +hyaenic +hyaenid +hyaenidae +hyaenodon +hyaenodont +hyaenodontoid +hyahya +hyakume +hyalescence +hyalescent +hyalin +hyaline +hyalines +hyalinization +hyalinize +hyalinized +hyalinizing +hyalinocrystalline +hyalinosis +hyalins +hyalite +hyalites +hyalithe +hyalitis +hyaloandesite +hyalobasalt +hyalocrystalline +hyalodacite +hyalogen +hyalogens +hyalograph +hyalographer +hyalography +hyaloid +hyaloiditis +hyaloids +hyaloliparite +hyalolith +hyalomelan +hyalomere +hyalomucoid +hyalonema +hyalophagia +hyalophane +hyalophyre +hyalopilitic +hyaloplasm +hyaloplasma +hyaloplasmic +hyalopsite +hyalopterous +hyalosiderite +hyalospongia +hyalotekite +hyalotype +hyalts +hyaluronic +hyaluronidase +hianakoto +hiant +hiatal +hiate +hiation +hiatus +hiatuses +hiawatha +hibachi +hibachis +hybanthus +hibbertia +hibbin +hibernacle +hibernacula +hibernacular +hibernaculum +hibernal +hibernate +hibernated +hibernates +hibernating +hibernation +hibernator +hibernators +hibernia +hibernian +hibernianism +hibernic +hibernical +hibernically +hibernicism +hibernicize +hibernization +hibernize +hibernology +hibernologist +hibiscus +hibiscuses +hibito +hibitos +hibla +hybla +hyblaea +hyblaean +hyblan +hybodont +hybodus +hybosis +hybrid +hybrida +hybridae +hybridal +hybridation +hybridisable +hybridise +hybridised +hybridiser +hybridising +hybridism +hybridist +hybridity +hybridizable +hybridization +hybridizations +hybridize +hybridized +hybridizer +hybridizers +hybridizes +hybridizing +hybridous +hybrids +hybris +hybrises +hybristic +hibunci +hic +hicaco +hicatee +hiccough +hiccoughed +hiccoughing +hiccoughs +hiccup +hiccuped +hiccuping +hiccupped +hiccupping +hiccups +hicht +hichu +hick +hickey +hickeyes +hickeys +hicket +hicky +hickified +hickish +hickishness +hickory +hickories +hicks +hickscorner +hicksite +hickway +hickwall +hicoria +hid +hyd +hidable +hidage +hydage +hidalgism +hidalgo +hidalgoism +hidalgos +hydantoate +hydantoic +hydantoin +hidated +hydathode +hydatic +hydatid +hydatidiform +hydatidinous +hydatidocele +hydatids +hydatiform +hydatigenous +hydatina +hidation +hydatogenesis +hydatogenic +hydatogenous +hydatoid +hydatomorphic +hydatomorphism +hydatopyrogenic +hydatopneumatic +hydatopneumatolytic +hydatoscopy +hidatsa +hiddels +hidden +hiddenite +hiddenly +hiddenmost +hiddenness +hide +hyde +hideaway +hideaways +hidebind +hidebound +hideboundness +hided +hidegeld +hidel +hideland +hideless +hideling +hideosity +hideous +hideously +hideousness +hideout +hideouts +hider +hiders +hides +hiding +hidings +hidling +hidlings +hidlins +hydnaceae +hydnaceous +hydnocarpate +hydnocarpic +hydnocarpus +hydnoid +hydnora +hydnoraceae +hydnoraceous +hydnum +hydra +hydracetin +hydrachna +hydrachnid +hydrachnidae +hydracid +hydracids +hydracoral +hydracrylate +hydracrylic +hydractinia +hydractinian +hidradenitis +hydradephaga +hydradephagan +hydradephagous +hydrae +hydraemia +hydraemic +hydragog +hydragogy +hydragogs +hydragogue +hydralazine +hydramide +hydramine +hydramnion +hydramnios +hydrangea +hydrangeaceae +hydrangeaceous +hydrangeas +hydrant +hydranth +hydranths +hydrants +hydrarch +hydrargillite +hydrargyrate +hydrargyria +hydrargyriasis +hydrargyric +hydrargyrism +hydrargyrosis +hydrargyrum +hydrarthrosis +hydrarthrus +hydras +hydrase +hydrases +hydrastine +hydrastinine +hydrastis +hydrate +hydrated +hydrates +hydrating +hydration +hydrations +hydrator +hydrators +hydratropic +hydraucone +hydraul +hydrauli +hydraulic +hydraulically +hydraulician +hydraulicity +hydraulicked +hydraulicking +hydraulicon +hydraulics +hydraulis +hydraulist +hydraulus +hydrauluses +hydrazide +hydrazidine +hydrazyl +hydrazimethylene +hydrazin +hydrazine +hydrazino +hydrazo +hydrazoate +hydrazobenzene +hydrazoic +hydrazone +hydremia +hydremic +hydrencephalocele +hydrencephaloid +hydrencephalus +hydria +hydriad +hydriae +hydriatry +hydriatric +hydriatrist +hydric +hydrically +hydrid +hydride +hydrides +hydrids +hydriform +hydrindene +hydriodate +hydriodic +hydriodide +hydrion +hydriotaphia +hydriote +hydro +hydroa +hydroacoustic +hydroadipsia +hydroaeric +hydroairplane +hydroalcoholic +hydroaromatic +hydroatmospheric +hydroaviation +hydrobarometer +hydrobates +hydrobatidae +hydrobenzoin +hydrobilirubin +hydrobiology +hydrobiological +hydrobiologist +hydrobiosis +hydrobiplane +hydrobomb +hydroboracite +hydroborofluoric +hydrobranchiate +hydrobromate +hydrobromic +hydrobromid +hydrobromide +hydrocarbide +hydrocarbon +hydrocarbonaceous +hydrocarbonate +hydrocarbonic +hydrocarbonous +hydrocarbons +hydrocarbostyril +hydrocarburet +hydrocardia +hydrocaryaceae +hydrocaryaceous +hydrocatalysis +hydrocauline +hydrocaulus +hydrocele +hydrocellulose +hydrocephali +hydrocephaly +hydrocephalic +hydrocephalies +hydrocephalocele +hydrocephaloid +hydrocephalous +hydrocephalus +hydroceramic +hydrocerussite +hydrocharidaceae +hydrocharidaceous +hydrocharis +hydrocharitaceae +hydrocharitaceous +hydrochelidon +hydrochemical +hydrochemistry +hydrochlorate +hydrochlorauric +hydrochloric +hydrochlorid +hydrochloride +hydrochlorothiazide +hydrochlorplatinic +hydrochlorplatinous +hydrochoerus +hydrocholecystis +hydrocyanate +hydrocyanic +hydrocyanide +hydrocycle +hydrocyclic +hydrocyclist +hydrocinchonine +hydrocinnamaldehyde +hydrocinnamic +hydrocinnamyl +hydrocinnamoyl +hydrocyon +hydrocirsocele +hydrocyst +hydrocystic +hidrocystoma +hydrocladium +hydroclastic +hydrocleis +hydroclimate +hydrocobalticyanic +hydrocoele +hydrocollidine +hydrocolloid +hydrocolloidal +hydroconion +hydrocoral +hydrocorallia +hydrocorallinae +hydrocoralline +hydrocores +hydrocorisae +hydrocorisan +hydrocortisone +hydrocotarnine +hydrocotyle +hydrocoumaric +hydrocrack +hydrocracking +hydrocupreine +hydrodamalidae +hydrodamalis +hydrodesulfurization +hydrodesulphurization +hydrodictyaceae +hydrodictyon +hydrodynamic +hydrodynamical +hydrodynamically +hydrodynamicist +hydrodynamics +hydrodynamometer +hydrodrome +hydrodromica +hydrodromican +hydroeconomics +hydroelectric +hydroelectrically +hydroelectricity +hydroelectrization +hydroergotinine +hydroextract +hydroextractor +hydroferricyanic +hydroferrocyanate +hydroferrocyanic +hydrofluate +hydrofluoboric +hydrofluoric +hydrofluorid +hydrofluoride +hydrofluosilicate +hydrofluosilicic +hydrofluozirconic +hydrofoil +hydrofoils +hydroformer +hydroformylation +hydroforming +hydrofranklinite +hydrofuge +hydrogalvanic +hydrogasification +hydrogel +hydrogels +hydrogen +hydrogenase +hydrogenate +hydrogenated +hydrogenates +hydrogenating +hydrogenation +hydrogenations +hydrogenator +hydrogenic +hydrogenide +hydrogenisation +hydrogenise +hydrogenised +hydrogenising +hydrogenium +hydrogenization +hydrogenize +hydrogenized +hydrogenizing +hydrogenolyses +hydrogenolysis +hydrogenomonas +hydrogenous +hydrogens +hydrogeology +hydrogeologic +hydrogeological +hydrogeologist +hydrogymnastics +hydroglider +hydrognosy +hydrogode +hydrograph +hydrographer +hydrographers +hydrography +hydrographic +hydrographical +hydrographically +hydroguret +hydrohalide +hydrohematite +hydrohemothorax +hydroid +hydroida +hydroidea +hydroidean +hydroids +hydroiodic +hydrokineter +hydrokinetic +hydrokinetical +hydrokinetics +hydrol +hydrolant +hydrolase +hydrolatry +hydrolea +hydroleaceae +hydrolysable +hydrolysate +hydrolysation +hydrolyse +hydrolysed +hydrolyser +hydrolyses +hydrolysing +hydrolysis +hydrolyst +hydrolyte +hydrolytic +hydrolytically +hydrolyzable +hydrolyzate +hydrolyzation +hydrolize +hydrolyze +hydrolyzed +hydrolyzer +hydrolyzing +hydrology +hydrologic +hydrological +hydrologically +hydrologist +hydrologists +hydromagnesite +hydromagnetic +hydromagnetics +hydromancer +hidromancy +hydromancy +hydromania +hydromaniac +hydromantic +hydromantical +hydromantically +hydromassage +hydrome +hydromechanic +hydromechanical +hydromechanics +hydromedusa +hydromedusae +hydromedusan +hydromedusoid +hydromel +hydromels +hydromeningitis +hydromeningocele +hydrometallurgy +hydrometallurgical +hydrometallurgically +hydrometamorphism +hydrometeor +hydrometeorology +hydrometeorologic +hydrometeorological +hydrometeorologist +hydrometer +hydrometers +hydrometra +hydrometry +hydrometric +hydrometrical +hydrometrid +hydrometridae +hydromica +hydromicaceous +hydromyelia +hydromyelocele +hydromyoma +hydromys +hydromonoplane +hydromorph +hydromorphy +hydromorphic +hydromorphous +hydromotor +hydronaut +hydrone +hydronegative +hydronephelite +hydronephrosis +hydronephrotic +hydronic +hydronically +hydronitric +hydronitrogen +hydronitroprussic +hydronitrous +hydronium +hydropac +hydroparacoumaric +hydroparastatae +hydropath +hydropathy +hydropathic +hydropathical +hydropathically +hydropathist +hydropericarditis +hydropericardium +hydroperiod +hydroperitoneum +hydroperitonitis +hydroperoxide +hydrophane +hydrophanous +hydrophid +hydrophidae +hydrophil +hydrophylacium +hydrophile +hydrophily +hydrophilic +hydrophilicity +hydrophilid +hydrophilidae +hydrophilism +hydrophilite +hydrophyll +hydrophyllaceae +hydrophyllaceous +hydrophylliaceous +hydrophyllium +hydrophyllum +hydrophiloid +hydrophilous +hydrophinae +hydrophis +hydrophysometra +hydrophyte +hydrophytic +hydrophytism +hydrophyton +hydrophytous +hydrophobe +hydrophoby +hydrophobia +hydrophobic +hydrophobical +hydrophobicity +hydrophobist +hydrophobophobia +hydrophobous +hydrophoid +hydrophone +hydrophones +hydrophora +hydrophoran +hydrophore +hydrophoria +hydrophorous +hydrophthalmia +hydrophthalmos +hydrophthalmus +hydropic +hydropical +hydropically +hydropigenous +hydroplane +hydroplaned +hydroplaner +hydroplanes +hydroplaning +hydroplanula +hydroplatinocyanic +hydroplutonic +hydropneumatic +hydropneumatization +hydropneumatosis +hydropneumopericardium +hydropneumothorax +hidropoiesis +hidropoietic +hydropolyp +hydroponic +hydroponically +hydroponicist +hydroponics +hydroponist +hydropositive +hydropot +hydropotes +hydropower +hydropropulsion +hydrops +hydropses +hydropsy +hydropsies +hydropterideae +hydroptic +hydropult +hydropultic +hydroquinine +hydroquinol +hydroquinoline +hydroquinone +hydrorachis +hydrorhiza +hydrorhizae +hydrorhizal +hydrorrhachis +hydrorrhachitis +hydrorrhea +hydrorrhoea +hydrorubber +hydros +hydrosalpinx +hydrosalt +hydrosarcocele +hydroscope +hydroscopic +hydroscopical +hydroscopicity +hydroscopist +hydroselenic +hydroselenide +hydroselenuret +hydroseparation +hydrosere +hidroses +hydrosilicate +hydrosilicon +hidrosis +hydroski +hydrosol +hydrosole +hydrosolic +hydrosols +hydrosoma +hydrosomal +hydrosomata +hydrosomatous +hydrosome +hydrosorbic +hydrospace +hydrosphere +hydrospheres +hydrospheric +hydrospire +hydrospiric +hydrostat +hydrostatic +hydrostatical +hydrostatically +hydrostatician +hydrostatics +hydrostome +hydrosulfate +hydrosulfide +hydrosulfite +hydrosulfurous +hydrosulphate +hydrosulphide +hydrosulphite +hydrosulphocyanic +hydrosulphurated +hydrosulphuret +hydrosulphureted +hydrosulphuric +hydrosulphuryl +hydrosulphurous +hydrotachymeter +hydrotactic +hydrotalcite +hydrotasimeter +hydrotaxis +hydrotechny +hydrotechnic +hydrotechnical +hydrotechnologist +hydroterpene +hydrotheca +hydrothecae +hydrothecal +hydrotherapeutic +hydrotherapeutical +hydrotherapeutically +hydrotherapeutician +hydrotherapeuticians +hydrotherapeutics +hydrotherapy +hydrotherapies +hydrotherapist +hydrothermal +hydrothermally +hydrothoracic +hydrothorax +hidrotic +hydrotic +hydrotical +hydrotimeter +hydrotimetry +hydrotimetric +hydrotype +hydrotomy +hydrotropic +hydrotropically +hydrotropism +hydroturbine +hydrous +hydrovane +hydroxamic +hydroxamino +hydroxy +hydroxyacetic +hydroxyanthraquinone +hydroxyapatite +hydroxyazobenzene +hydroxybenzene +hydroxybutyricacid +hydroxycorticosterone +hydroxide +hydroxydehydrocorticosterone +hydroxides +hydroxydesoxycorticosterone +hydroxyketone +hydroxyl +hydroxylactone +hydroxylamine +hydroxylase +hydroxylate +hydroxylation +hydroxylic +hydroxylization +hydroxylize +hydroxyls +hydroximic +hydroxyproline +hydroxytryptamine +hydroxyurea +hydroxyzine +hydrozincite +hydrozoa +hydrozoal +hydrozoan +hydrozoic +hydrozoon +hydrula +hydruntine +hydruret +hydrurus +hydrus +hydurilate +hydurilic +hie +hye +hied +hieder +hieing +hielaman +hielamen +hielamon +hieland +hield +hielmite +hiemal +hyemal +hiemate +hiemation +hiems +hyena +hyenadog +hyenanchin +hyenas +hyenia +hyenic +hyeniform +hyenine +hyenoid +hienz +hiera +hieracian +hieracite +hieracium +hieracosphinges +hieracosphinx +hieracosphinxes +hierapicra +hierarch +hierarchal +hierarchy +hierarchial +hierarchic +hierarchical +hierarchically +hierarchies +hierarchise +hierarchised +hierarchising +hierarchism +hierarchist +hierarchize +hierarchized +hierarchizing +hierarchs +hieratic +hieratica +hieratical +hieratically +hieraticism +hieratite +hierochloe +hierocracy +hierocracies +hierocratic +hierocratical +hierodeacon +hierodule +hierodulic +hierofalco +hierogamy +hieroglyph +hieroglypher +hieroglyphy +hieroglyphic +hieroglyphical +hieroglyphically +hieroglyphics +hieroglyphist +hieroglyphize +hieroglyphology +hieroglyphologist +hierogram +hierogrammat +hierogrammate +hierogrammateus +hierogrammatic +hierogrammatical +hierogrammatist +hierograph +hierographer +hierography +hierographic +hierographical +hierolatry +hierology +hierologic +hierological +hierologist +hieromachy +hieromancy +hieromartyr +hieromnemon +hieromonach +hieromonk +hieron +hieronymian +hieronymic +hieronymite +hieropathic +hierophancy +hierophant +hierophantes +hierophantic +hierophantically +hierophanticly +hierophants +hierophobia +hieros +hieroscopy +hierosolymitan +hierosolymite +hierurgy +hierurgical +hierurgies +hies +hyetal +hyetograph +hyetography +hyetographic +hyetographical +hyetographically +hyetology +hyetological +hyetologist +hyetometer +hyetometric +hyetometrograph +hyetometrographic +hifalutin +higdon +hygeen +hygeia +hygeian +hygeiolatry +hygeist +hygeistic +hygeists +hygenics +hygeology +higgaion +higginsite +higgle +higgled +higglehaggle +higgler +higglery +higglers +higgles +higgling +high +highball +highballed +highballing +highballs +highbelia +highbinder +highbinding +highboard +highboy +highboys +highborn +highbred +highbrow +highbrowed +highbrowism +highbrows +highbush +highchair +highchairs +highdaddy +highdaddies +higher +highermost +highest +highfalutin +highfaluting +highfalutinism +highflier +highflyer +highflying +highhanded +highhandedly +highhandedness +highhat +highhatting +highhearted +highheartedly +highheartedness +highholder +highhole +highish +highjack +highjacked +highjacker +highjacking +highjacks +highland +highlander +highlanders +highlandish +highlandman +highlandry +highlands +highly +highlife +highlight +highlighted +highlighting +highlights +highline +highliving +highlow +highman +highmoor +highmost +highness +highnesses +highpockets +highroad +highroads +highs +highschool +hight +hightail +hightailed +hightailing +hightails +highted +highth +highths +highting +hightoby +hightop +hights +highveld +highway +highwayman +highwaymen +highways +hygiantic +hygiantics +hygiastic +hygiastics +hygieist +hygieists +hygienal +hygiene +hygienes +hygienic +hygienical +hygienically +hygienics +hygienist +hygienists +hygienization +hygienize +hygiology +hygiologist +higra +hygric +hygrin +hygrine +hygristor +hygroblepharic +hygrodeik +hygroexpansivity +hygrogram +hygrograph +hygrology +hygroma +hygromatous +hygrometer +hygrometers +hygrometry +hygrometric +hygrometrical +hygrometrically +hygrometries +hygrophaneity +hygrophanous +hygrophilous +hygrophyte +hygrophytic +hygrophobia +hygrophthalmic +hygroplasm +hygroplasma +hygroscope +hygroscopy +hygroscopic +hygroscopical +hygroscopically +hygroscopicity +hygrostat +hygrostatics +hygrostomia +hygrothermal +hygrothermograph +higuero +hiyakkin +hying +hyingly +hijack +hijacked +hijacker +hijackers +hijacking +hijackings +hijacks +hijinks +hijra +hike +hyke +hiked +hiker +hikers +hikes +hiking +hikuli +hila +hyla +hylactic +hylactism +hylaeosaurus +hilar +hylarchic +hylarchical +hilary +hilaria +hilarymas +hilarious +hilariously +hilariousness +hilarity +hilarytide +hilarities +hylas +hilasmic +hylasmus +hilborn +hilch +hilda +hildebrand +hildebrandian +hildebrandic +hildebrandine +hildebrandism +hildebrandist +hildebrandslied +hildegarde +hilding +hildings +hile +hyle +hylean +hyleg +hylegiacal +hili +hyli +hylic +hylicism +hylicist +hylidae +hylids +hiliferous +hylism +hylist +hill +hillary +hillberry +hillbilly +hillbillies +hillbird +hillcrest +hillculture +hillebrandite +hilled +hillel +hiller +hillers +hillet +hillfort +hillhousia +hilly +hillier +hilliest +hilliness +hilling +hillman +hillmen +hillo +hilloa +hilloaed +hilloaing +hilloas +hillock +hillocked +hillocky +hillocks +hilloed +hilloing +hillos +hills +hillsale +hillsalesman +hillside +hillsides +hillsite +hillsman +hilltop +hilltopped +hilltopper +hilltopping +hilltops +hilltrot +hyllus +hillward +hillwoman +hillwort +hylobates +hylobatian +hylobatic +hylobatine +hylocereus +hylocichla +hylocomium +hylodes +hylogenesis +hylogeny +hyloid +hyloist +hylology +hylomys +hylomorphic +hylomorphical +hylomorphism +hylomorphist +hylomorphous +hylopathy +hylopathism +hylopathist +hylophagous +hylotheism +hylotheist +hylotheistic +hylotheistical +hylotomous +hylotropic +hylozoic +hylozoism +hylozoist +hylozoistic +hylozoistically +hilsa +hilsah +hilt +hilted +hilting +hiltless +hilts +hilum +hilus +him +hima +himalaya +himalayan +himalayas +himamatia +himantopus +himati +himatia +himation +himations +himawan +hymen +hymenaea +hymenaeus +hymenaic +hymenal +himene +hymeneal +hymeneally +hymeneals +hymenean +hymenia +hymenial +hymenic +hymenicolar +hymeniferous +hymeniophore +hymenium +hymeniumnia +hymeniums +hymenocallis +hymenochaete +hymenogaster +hymenogastraceae +hymenogeny +hymenoid +hymenolepis +hymenomycetal +hymenomycete +hymenomycetes +hymenomycetoid +hymenomycetous +hymenophyllaceae +hymenophyllaceous +hymenophyllites +hymenophyllum +hymenophore +hymenophorum +hymenopter +hymenoptera +hymenopteran +hymenopterist +hymenopterology +hymenopterological +hymenopterologist +hymenopteron +hymenopterous +hymenopttera +hymenotome +hymenotomy +hymenotomies +hymens +hymettian +hymettic +himyaric +himyarite +himyaritic +himming +hymn +hymnal +hymnals +hymnary +hymnaria +hymnaries +hymnarium +hymnariunaria +hymnbook +hymnbooks +himne +hymned +hymner +hymnic +hymning +hymnist +hymnists +hymnless +hymnlike +hymnode +hymnody +hymnodical +hymnodies +hymnodist +hymnograher +hymnographer +hymnography +hymnology +hymnologic +hymnological +hymnologically +hymnologist +hymns +hymnwise +himp +himple +himself +himward +himwards +hin +hinayana +hinau +hinch +hind +hynd +hindberry +hindbrain +hindcast +hinddeck +hynde +hinder +hynder +hinderance +hindered +hinderer +hinderers +hinderest +hinderful +hinderfully +hindering +hinderingly +hinderlands +hinderly +hinderlings +hinderlins +hinderment +hindermost +hinders +hindersome +hindgut +hindguts +hindhand +hindhead +hindi +hindmost +hindoo +hindquarter +hindquarters +hindrance +hindrances +hinds +hindsaddle +hindsight +hindu +hinduism +hinduize +hindus +hindustan +hindustani +hindward +hindwards +hine +hyne +hiney +hing +hinge +hingecorner +hinged +hingeflower +hingeless +hingelike +hinger +hingers +hinges +hingeways +hinging +hingle +hinney +hinner +hinny +hinnible +hinnied +hinnies +hinnying +hinnites +hinoid +hinoideous +hinoki +hins +hinsdalite +hint +hinted +hintedly +hinter +hinterland +hinterlander +hinterlands +hinters +hinting +hintingly +hintproof +hints +hintzeite +hyobranchial +hyocholalic +hyocholic +hiodon +hiodont +hiodontidae +hyoepiglottic +hyoepiglottidean +hyoglycocholic +hyoglossal +hyoglossi +hyoglossus +hyoid +hyoidal +hyoidan +hyoideal +hyoidean +hyoides +hyoids +hyolithes +hyolithid +hyolithidae +hyolithoid +hyomandibula +hyomandibular +hyomental +hyoplastral +hyoplastron +hiortdahlite +hyoscapular +hyoscyamine +hyoscyamus +hyoscine +hyoscines +hyosternal +hyosternum +hyostyly +hyostylic +hyothere +hyotherium +hyothyreoid +hyothyroid +hip +hyp +hypabyssal +hypabyssally +hypacusia +hypacusis +hypaesthesia +hypaesthesic +hypaethral +hypaethron +hypaethros +hypaethrum +hypalgesia +hypalgesic +hypalgia +hypalgic +hypallactic +hypallage +hypanthia +hypanthial +hypanthium +hypantrum +hypapante +hypapophysial +hypapophysis +hyparterial +hypaspist +hypate +hypaton +hypautomorphic +hypaxial +hipberry +hipbone +hipbones +hipe +hype +hyped +hypegiaphobia +hypenantron +hiper +hyper +hyperabelian +hyperabsorption +hyperaccuracy +hyperaccurate +hyperaccurately +hyperaccurateness +hyperacid +hyperacidaminuria +hyperacidity +hyperacousia +hyperacoustics +hyperaction +hyperactive +hyperactively +hyperactivity +hyperactivities +hyperacuity +hyperacuness +hyperacusia +hyperacusis +hyperacute +hyperacuteness +hyperadenosis +hyperadipose +hyperadiposis +hyperadiposity +hyperadrenalemia +hyperadrenalism +hyperadrenia +hyperaemia +hyperaemic +hyperaeolism +hyperaesthesia +hyperaesthete +hyperaesthetic +hyperalbuminosis +hyperaldosteronism +hyperalgebra +hyperalgesia +hyperalgesic +hyperalgesis +hyperalgetic +hyperalgia +hyperalimentation +hyperalkalinity +hyperaltruism +hyperaltruist +hyperaltruistic +hyperaminoacidemia +hyperanabolic +hyperanabolism +hyperanacinesia +hyperanakinesia +hyperanakinesis +hyperanarchy +hyperanarchic +hyperangelic +hyperangelical +hyperangelically +hyperaphia +hyperaphic +hyperapophyseal +hyperapophysial +hyperapophysis +hyperarchaeological +hyperarchepiscopal +hyperaspist +hyperazotemia +hyperazoturia +hyperbarbarism +hyperbarbarous +hyperbarbarously +hyperbarbarousness +hyperbaric +hyperbarically +hyperbarism +hyperbata +hyperbatbata +hyperbatic +hyperbatically +hyperbaton +hyperbatons +hyperbola +hyperbolae +hyperbolaeon +hyperbolas +hyperbole +hyperboles +hyperbolic +hyperbolical +hyperbolically +hyperbolicly +hyperbolism +hyperbolist +hyperbolize +hyperbolized +hyperbolizing +hyperboloid +hyperboloidal +hyperboreal +hyperborean +hyperbrachycephal +hyperbrachycephaly +hyperbrachycephalic +hyperbrachycranial +hyperbrachyskelic +hyperbranchia +hyperbranchial +hyperbrutal +hyperbrutally +hyperbulia +hypercalcaemia +hypercalcemia +hypercalcemic +hypercalcinaemia +hypercalcinemia +hypercalcinuria +hypercalciuria +hypercalcuria +hypercapnia +hypercapnic +hypercarbamidemia +hypercarbia +hypercarbureted +hypercarburetted +hypercarnal +hypercarnally +hypercatabolism +hypercatalectic +hypercatalexis +hypercatharsis +hypercathartic +hypercathexis +hypercenosis +hyperchamaerrhine +hypercharge +hyperchloraemia +hyperchloremia +hyperchlorhydria +hyperchloric +hyperchlorination +hypercholesteremia +hypercholesteremic +hypercholesterinemia +hypercholesterolemia +hypercholesterolemic +hypercholesterolia +hypercholia +hypercyanosis +hypercyanotic +hypercycle +hypercylinder +hypercythemia +hypercytosis +hypercivilization +hypercivilized +hyperclassical +hyperclassicality +hyperclimax +hypercoagulability +hypercoagulable +hypercomplex +hypercomposite +hyperconcentration +hypercone +hyperconfidence +hyperconfident +hyperconfidently +hyperconformist +hyperconformity +hyperconscientious +hyperconscientiously +hyperconscientiousness +hyperconscious +hyperconsciousness +hyperconservatism +hyperconservative +hyperconservatively +hyperconservativeness +hyperconstitutional +hyperconstitutionalism +hyperconstitutionally +hypercoracoid +hypercorrect +hypercorrection +hypercorrectness +hypercorticoidism +hypercosmic +hypercreaturely +hypercryaesthesia +hypercryalgesia +hypercryesthesia +hypercrinemia +hypercrinia +hypercrinism +hypercrisia +hypercritic +hypercritical +hypercritically +hypercriticalness +hypercriticism +hypercriticize +hypercube +hyperdactyl +hyperdactyly +hyperdactylia +hyperdactylism +hyperdeify +hyperdeification +hyperdeified +hyperdeifying +hyperdelicacy +hyperdelicate +hyperdelicately +hyperdelicateness +hyperdelicious +hyperdeliciously +hyperdeliciousness +hyperdelness +hyperdemocracy +hyperdemocratic +hyperdeterminant +hyperdiabolical +hyperdiabolically +hyperdiabolicalness +hyperdialectism +hyperdiapason +hyperdiapente +hyperdiastole +hyperdiastolic +hyperdiatessaron +hyperdiazeuxis +hyperdicrotic +hyperdicrotism +hyperdicrotous +hyperdimensional +hyperdimensionality +hyperdiploid +hyperdissyllable +hyperdistention +hyperditone +hyperdivision +hyperdolichocephal +hyperdolichocephaly +hyperdolichocephalic +hyperdolichocranial +hyperdoricism +hyperdulia +hyperdulic +hyperdulical +hyperelegance +hyperelegancy +hyperelegant +hyperelegantly +hyperelliptic +hyperemesis +hyperemetic +hyperemia +hyperemic +hyperemization +hyperemotional +hyperemotionally +hyperemotive +hyperemotively +hyperemotiveness +hyperemotivity +hyperemphasize +hyperemphasized +hyperemphasizing +hyperendocrinia +hyperendocrinism +hyperendocrisia +hyperenergetic +hyperenthusiasm +hyperenthusiastic +hyperenthusiastically +hypereosinophilia +hyperephidrosis +hyperepinephry +hyperepinephria +hyperepinephrinemia +hyperequatorial +hypererethism +hyperessence +hyperesthesia +hyperesthete +hyperesthetic +hyperethical +hyperethically +hyperethicalness +hypereuryprosopic +hypereutectic +hypereutectoid +hyperexaltation +hyperexcitability +hyperexcitable +hyperexcitableness +hyperexcitably +hyperexcitement +hyperexcursive +hyperexcursively +hyperexcursiveness +hyperexophoria +hyperextend +hyperextension +hyperfastidious +hyperfastidiously +hyperfastidiousness +hyperfederalist +hyperfine +hyperflexibility +hyperflexible +hyperflexibleness +hyperflexibly +hyperflexion +hyperfocal +hyperform +hyperfunction +hyperfunctional +hyperfunctionally +hyperfunctioning +hypergalactia +hypergalactosia +hypergalactosis +hypergamy +hypergamous +hypergenesis +hypergenetic +hypergenetical +hypergenetically +hypergeneticalness +hypergeometry +hypergeometric +hypergeometrical +hypergeusesthesia +hypergeusia +hypergeustia +hyperglycaemia +hyperglycaemic +hyperglycemia +hyperglycemic +hyperglycistia +hyperglycorrhachia +hyperglycosuria +hyperglobulia +hyperglobulism +hypergoddess +hypergol +hypergolic +hypergolically +hypergols +hypergon +hypergrammatical +hypergrammatically +hypergrammaticalness +hyperhedonia +hyperhemoglobinemia +hyperhepatia +hyperhidrosis +hyperhidrotic +hyperhilarious +hyperhilariously +hyperhilariousness +hyperhypocrisy +hypericaceae +hypericaceous +hypericales +hypericin +hypericism +hypericum +hyperidealistic +hyperidealistically +hyperideation +hyperidrosis +hyperimmune +hyperimmunity +hyperimmunization +hyperimmunize +hyperimmunized +hyperimmunizing +hyperin +hyperinflation +hyperingenuity +hyperinosis +hyperinotic +hyperinsulinism +hyperinsulinization +hyperinsulinize +hyperintellectual +hyperintellectually +hyperintellectualness +hyperintelligence +hyperintelligent +hyperintelligently +hyperinvolution +hyperion +hyperirritability +hyperirritable +hyperisotonic +hyperite +hyperkalemia +hyperkalemic +hyperkaliemia +hyperkatabolism +hyperkeratoses +hyperkeratosis +hyperkeratotic +hyperkinesia +hyperkinesis +hyperkinetic +hyperlactation +hyperleptoprosopic +hyperlethal +hyperlethargy +hyperleucocytosis +hyperleucocytotic +hyperleukocytosis +hyperlexis +hyperlipaemia +hyperlipaemic +hyperlipemia +hyperlipemic +hyperlipidemia +hyperlipoidemia +hyperlithuria +hyperlogical +hyperlogicality +hyperlogically +hyperlogicalness +hyperlustrous +hyperlustrously +hyperlustrousness +hypermagical +hypermagically +hypermakroskelic +hypermarket +hypermedication +hypermegasoma +hypermenorrhea +hypermetabolism +hypermetamorphic +hypermetamorphism +hypermetamorphoses +hypermetamorphosis +hypermetamorphotic +hypermetaphysical +hypermetaphoric +hypermetaphorical +hypermetaplasia +hypermeter +hypermetric +hypermetrical +hypermetron +hypermetrope +hypermetropy +hypermetropia +hypermetropic +hypermetropical +hypermicrosoma +hypermyotonia +hypermyotrophy +hypermiraculous +hypermiraculously +hypermiraculousness +hypermyriorama +hypermystical +hypermystically +hypermysticalness +hypermixolydian +hypermnesia +hypermnesic +hypermnesis +hypermnestic +hypermodest +hypermodestly +hypermodestness +hypermonosyllable +hypermoral +hypermorally +hypermorph +hypermorphic +hypermorphism +hypermorphosis +hypermotile +hypermotility +hypernatremia +hypernatronemia +hypernatural +hypernaturally +hypernaturalness +hypernephroma +hyperneuria +hyperneurotic +hypernic +hypernik +hypernitrogenous +hypernomian +hypernomic +hypernormal +hypernormality +hypernormally +hypernormalness +hypernote +hypernotion +hypernotions +hypernutrition +hypernutritive +hyperoartia +hyperoartian +hyperobtrusive +hyperobtrusively +hyperobtrusiveness +hyperodontogeny +hyperon +hyperons +hyperoodon +hyperoon +hyperope +hyperopes +hyperopia +hyperopic +hyperorganic +hyperorganically +hyperorthodox +hyperorthodoxy +hyperorthognathy +hyperorthognathic +hyperorthognathous +hyperosmia +hyperosmic +hyperosteogeny +hyperostoses +hyperostosis +hyperostotic +hyperothodox +hyperothodoxy +hyperotreta +hyperotretan +hyperotreti +hyperotretous +hyperovaria +hyperovarianism +hyperovarism +hyperoxemia +hyperoxidation +hyperoxide +hyperoxygenate +hyperoxygenating +hyperoxygenation +hyperoxygenize +hyperoxygenized +hyperoxygenizing +hyperoxymuriate +hyperoxymuriatic +hyperpanegyric +hyperparasite +hyperparasitic +hyperparasitism +hyperparasitize +hyperparathyroidism +hyperparoxysm +hyperpathetic +hyperpathetical +hyperpathetically +hyperpathia +hyperpathic +hyperpatriotic +hyperpatriotically +hyperpatriotism +hyperpencil +hyperpepsinia +hyperper +hyperperfection +hyperperistalsis +hyperperistaltic +hyperpersonal +hyperpersonally +hyperphagia +hyperphagic +hyperphalangeal +hyperphalangism +hyperpharyngeal +hyperphenomena +hyperphysical +hyperphysically +hyperphysics +hyperphoria +hyperphoric +hyperphosphatemia +hyperphospheremia +hyperphosphorescence +hyperpiesia +hyperpiesis +hyperpietic +hyperpietist +hyperpigmentation +hyperpigmented +hyperpinealism +hyperpyramid +hyperpyretic +hyperpyrexia +hyperpyrexial +hyperpituitary +hyperpituitarism +hyperplagiarism +hyperplane +hyperplasia +hyperplasic +hyperplastic +hyperplatyrrhine +hyperploid +hyperploidy +hyperpnea +hyperpneic +hyperpnoea +hyperpolarization +hyperpolarize +hyperpolysyllabic +hyperpolysyllabically +hyperpotassemia +hyperpotassemic +hyperpredator +hyperprism +hyperproduction +hyperprognathous +hyperprophetic +hyperprophetical +hyperprophetically +hyperprosexia +hyperpulmonary +hyperpure +hyperpurist +hyperquadric +hyperrational +hyperrationally +hyperreactive +hyperrealize +hyperrealized +hyperrealizing +hyperresonance +hyperresonant +hyperreverential +hyperrhythmical +hyperridiculous +hyperridiculously +hyperridiculousness +hyperritualism +hyperritualistic +hyperromantic +hyperromantically +hyperromanticism +hypersacerdotal +hypersaintly +hypersalivation +hypersceptical +hyperscholastic +hyperscholastically +hyperscrupulosity +hyperscrupulous +hypersecretion +hypersensibility +hypersensitisation +hypersensitise +hypersensitised +hypersensitising +hypersensitive +hypersensitiveness +hypersensitivity +hypersensitivities +hypersensitization +hypersensitize +hypersensitized +hypersensitizing +hypersensual +hypersensualism +hypersensually +hypersensualness +hypersensuous +hypersensuously +hypersensuousness +hypersentimental +hypersentimentally +hypersexual +hypersexuality +hypersexualities +hypersystole +hypersystolic +hypersolid +hypersomnia +hypersonic +hypersonically +hypersonics +hypersophisticated +hypersophistication +hyperspace +hyperspatial +hyperspeculative +hyperspeculatively +hyperspeculativeness +hypersphere +hyperspherical +hyperspiritualizing +hypersplenia +hypersplenism +hyperstatic +hypersthene +hypersthenia +hypersthenic +hypersthenite +hyperstoic +hyperstoical +hyperstrophic +hypersubtle +hypersubtlety +hypersuggestibility +hypersuggestible +hypersuggestibleness +hypersuggestibly +hypersuperlative +hypersurface +hypersusceptibility +hypersusceptible +hypertechnical +hypertechnically +hypertechnicalness +hypertely +hypertelic +hypertense +hypertensely +hypertenseness +hypertensin +hypertensinase +hypertensinogen +hypertension +hypertensive +hyperterrestrial +hypertetrahedron +hyperthermal +hyperthermalgesia +hyperthermally +hyperthermesthesia +hyperthermy +hyperthermia +hyperthermic +hyperthesis +hyperthetic +hyperthetical +hyperthymia +hyperthyreosis +hyperthyroid +hyperthyroidism +hyperthyroidization +hyperthyroidize +hyperthyroids +hyperthrombinemia +hypertype +hypertypic +hypertypical +hypertocicity +hypertonia +hypertonic +hypertonicity +hypertonus +hypertorrid +hypertoxic +hypertoxicity +hypertragic +hypertragical +hypertragically +hypertranscendent +hypertrichy +hypertrichosis +hypertridimensional +hypertrophy +hypertrophic +hypertrophied +hypertrophies +hypertrophying +hypertrophyphied +hypertrophous +hypertropia +hypertropical +hyperurbanism +hyperuresis +hyperuricemia +hypervascular +hypervascularity +hypervelocity +hypervenosity +hyperventilate +hyperventilation +hypervigilant +hypervigilantly +hypervigilantness +hyperviscosity +hyperviscous +hypervitalization +hypervitalize +hypervitalized +hypervitalizing +hypervitaminosis +hypervolume +hypervoluminous +hyperwrought +hypes +hypesthesia +hypesthesic +hypethral +hipflask +hypha +hyphae +hyphaene +hyphaeresis +hyphal +hiphalt +hyphantria +hiphape +hyphedonia +hyphema +hyphemia +hyphemias +hyphen +hyphenate +hyphenated +hyphenates +hyphenating +hyphenation +hyphenations +hyphened +hyphenic +hyphening +hyphenisation +hyphenise +hyphenised +hyphenising +hyphenism +hyphenization +hyphenize +hyphenized +hyphenizing +hyphenless +hyphens +hypho +hyphodrome +hyphomycetales +hyphomycete +hyphomycetes +hyphomycetic +hyphomycetous +hyphomycosis +hyphopdia +hyphopodia +hyphopodium +hiphuggers +hypidiomorphic +hypidiomorphically +hyping +hypinosis +hypinotic +hiplength +hipless +hiplike +hipline +hipmi +hipmold +hypnaceae +hypnaceous +hypnagogic +hypnale +hipness +hipnesses +hypnesthesis +hypnesthetic +hypnic +hypnoanalyses +hypnoanalysis +hypnoanalytic +hypnobate +hypnocyst +hypnody +hypnoetic +hypnogenesis +hypnogenetic +hypnogenetically +hypnogia +hypnogogic +hypnograph +hypnoid +hypnoidal +hypnoidization +hypnoidize +hypnology +hypnologic +hypnological +hypnologist +hypnone +hypnopaedia +hypnophoby +hypnophobia +hypnophobias +hypnophobic +hypnopompic +hypnos +hypnoses +hypnosis +hypnosperm +hypnosporangia +hypnosporangium +hypnospore +hypnosporic +hypnotherapy +hypnotherapist +hypnotic +hypnotically +hypnotics +hypnotisability +hypnotisable +hypnotisation +hypnotise +hypnotised +hypnotiser +hypnotising +hypnotism +hypnotist +hypnotistic +hypnotists +hypnotizability +hypnotizable +hypnotization +hypnotize +hypnotized +hypnotizer +hypnotizes +hypnotizing +hypnotoid +hypnotoxin +hypnum +hypo +hypoacid +hypoacidity +hypoactive +hypoactivity +hypoacusia +hypoacussis +hypoadenia +hypoadrenia +hypoaeolian +hypoalbuminemia +hypoalimentation +hypoalkaline +hypoalkalinity +hypoalonemia +hypoaminoacidemia +hypoantimonate +hypoazoturia +hypobaric +hypobarism +hypobaropathy +hypobasal +hypobases +hypobasis +hypobatholithic +hypobenthonic +hypobenthos +hypoblast +hypoblastic +hypobole +hypobranchial +hypobranchiate +hypobromite +hypobromites +hypobromous +hypobulia +hypobulic +hypocalcemia +hypocalcemic +hypocarp +hypocarpium +hypocarpogean +hypocatharsis +hypocathartic +hypocathexis +hypocaust +hypocenter +hypocenters +hypocentral +hypocentre +hypocentrum +hypocephalus +hypochaeris +hypochchilia +hypochdria +hypochil +hypochilia +hypochylia +hypochilium +hypochloremia +hypochloremic +hypochlorhydria +hypochlorhydric +hypochloric +hypochloridemia +hypochlorite +hypochlorous +hypochloruria +hypochnaceae +hypochnose +hypochnus +hypocholesteremia +hypocholesterinemia +hypocholesterolemia +hypochonder +hypochondry +hypochondria +hypochondriac +hypochondriacal +hypochondriacally +hypochondriacism +hypochondriacs +hypochondrial +hypochondriasis +hypochondriast +hypochondric +hypochondrium +hypochordal +hypochromia +hypochromic +hypochrosis +hypocycloid +hypocycloidal +hypocist +hypocistis +hypocystotomy +hypocytosis +hypocleidian +hypocleidium +hypocoelom +hypocondylar +hypocone +hypoconid +hypoconule +hypoconulid +hypocopy +hypocoracoid +hypocorism +hypocoristic +hypocoristical +hypocoristically +hypocotyl +hypocotyleal +hypocotyledonary +hypocotyledonous +hypocotylous +hypocrater +hypocrateriform +hypocraterimorphous +hypocreaceae +hypocreaceous +hypocreales +hypocrinia +hypocrinism +hypocrisy +hypocrisies +hypocrisis +hypocrystalline +hypocrital +hypocrite +hypocrites +hypocritic +hypocritical +hypocritically +hypocriticalness +hypocrize +hypodactylum +hypoderm +hypoderma +hypodermal +hypodermatic +hypodermatically +hypodermatoclysis +hypodermatomy +hypodermella +hypodermic +hypodermically +hypodermics +hypodermis +hypodermoclysis +hypodermosis +hypodermous +hypoderms +hypodiapason +hypodiapente +hypodiastole +hypodiatessaron +hypodiazeuxis +hypodicrotic +hypodicrotous +hypodynamia +hypodynamic +hypodiploid +hypodiploidy +hypoditone +hypodorian +hypoed +hypoeliminator +hypoendocrinia +hypoendocrinism +hypoendocrisia +hypoeosinophilia +hypoergic +hypoeutectic +hypoeutectoid +hypofunction +hypogaeic +hypogamy +hypogastria +hypogastric +hypogastrium +hypogastrocele +hypogea +hypogeal +hypogeally +hypogean +hypogee +hypogeic +hypogeiody +hypogene +hypogenesis +hypogenetic +hypogenic +hypogenous +hypogeocarpous +hypogeous +hypogeugea +hypogeum +hypogeusia +hypogyn +hypogyny +hypogynic +hypogynies +hypogynium +hypogynous +hypoglycaemia +hypoglycemia +hypoglycemic +hypoglobulia +hypoglossal +hypoglossis +hypoglossitis +hypoglossus +hypoglottis +hypognathism +hypognathous +hypogonadia +hypogonadism +hypogonation +hypohalous +hypohemia +hypohepatia +hypohyal +hypohyaline +hypohydrochloria +hypohidrosis +hypohypophysism +hypohippus +hypoid +hypoidrosis +hypoing +hypoinosemia +hypoiodite +hypoiodous +hypoionian +hypoischium +hypoisotonic +hypokalemia +hypokalemic +hypokaliemia +hypokeimenometry +hypokinemia +hypokinesia +hypokinesis +hypokinetic +hypokoristikon +hypolemniscus +hypoleptically +hypoleucocytosis +hypolydian +hypolimnetic +hypolimnia +hypolimnial +hypolimnion +hypolimnionia +hypolithic +hypolocrian +hypomania +hypomanic +hypomelancholia +hypomeral +hypomere +hypomeron +hypometropia +hypomyotonia +hypomixolydian +hypomnematic +hypomnesia +hypomnesis +hypomochlion +hypomorph +hypomorphic +hypomotility +hyponasty +hyponastic +hyponastically +hyponatremia +hyponea +hyponeas +hyponeuria +hyponychial +hyponychium +hyponym +hyponymic +hyponymous +hyponitric +hyponitrite +hyponitrous +hyponoetic +hyponoia +hyponoias +hyponome +hyponomic +hypoparathyroidism +hypoparia +hypopepsy +hypopepsia +hypopepsinia +hypopetaly +hypopetalous +hypophalangism +hypophamin +hypophamine +hypophare +hypopharyngeal +hypopharynges +hypopharyngoscope +hypopharyngoscopy +hypopharynx +hypopharynxes +hypophyge +hypophyll +hypophyllium +hypophyllous +hypophyllum +hypophypophysism +hypophyse +hypophyseal +hypophysectomy +hypophysectomies +hypophysectomize +hypophysectomized +hypophysectomizing +hypophyseoprivic +hypophyseoprivous +hypophyses +hypophysial +hypophysical +hypophysics +hypophysis +hypophysitis +hypophloeodal +hypophloeodic +hypophloeous +hypophonesis +hypophonia +hypophonic +hypophonous +hypophora +hypophoria +hypophosphate +hypophosphite +hypophosphoric +hypophosphorous +hypophrenia +hypophrenic +hypophrenosis +hypophrygian +hypopial +hypopiesia +hypopiesis +hypopygial +hypopygidium +hypopygium +hypopinealism +hypopyon +hypopyons +hypopitys +hypopituitary +hypopituitarism +hypoplankton +hypoplanktonic +hypoplasy +hypoplasia +hypoplasty +hypoplastic +hypoplastral +hypoplastron +hypoploid +hypoploidy +hypopnea +hypopneas +hypopnoea +hypopoddia +hypopodia +hypopodium +hypopotassemia +hypopotassemic +hypopraxia +hypoprosexia +hypoproteinemia +hypoproteinosis +hypopselaphesia +hypopsychosis +hypopteral +hypopteron +hypoptyalism +hypoptilar +hypoptilum +hypoptosis +hypopus +hyporadial +hyporadiolus +hyporadius +hyporchema +hyporchemata +hyporchematic +hyporcheme +hyporchesis +hyporhachidian +hyporhachis +hyporhined +hyporight +hyporit +hyporrhythmic +hypos +hyposalemia +hyposarca +hyposcenium +hyposcleral +hyposcope +hyposecretion +hyposensitive +hyposensitivity +hyposensitization +hyposensitize +hyposensitized +hyposensitizing +hyposyllogistic +hyposynaphe +hyposynergia +hyposystole +hyposkeletal +hyposmia +hypospadiac +hypospadias +hyposphene +hyposphresia +hypospray +hypostase +hypostases +hypostasy +hypostasis +hypostasise +hypostasised +hypostasising +hypostasization +hypostasize +hypostasized +hypostasizing +hypostatic +hypostatical +hypostatically +hypostatisation +hypostatise +hypostatised +hypostatising +hypostatization +hypostatize +hypostatized +hypostatizing +hyposternal +hyposternum +hyposthenia +hyposthenic +hyposthenuria +hypostigma +hypostilbite +hypostyle +hypostypsis +hypostyptic +hypostoma +hypostomata +hypostomatic +hypostomatous +hypostome +hypostomial +hypostomides +hypostomous +hypostrophe +hyposulfite +hyposulfurous +hyposulphate +hyposulphite +hyposulphuric +hyposulphurous +hyposuprarenalism +hypotactic +hypotarsal +hypotarsus +hypotaxia +hypotaxic +hypotaxis +hypotension +hypotensive +hypotensor +hypotenusal +hypotenuse +hypotenuses +hypoth +hypothalami +hypothalamic +hypothalamus +hypothalli +hypothalline +hypothallus +hypothami +hypothec +hypotheca +hypothecal +hypothecary +hypothecate +hypothecated +hypothecater +hypothecates +hypothecating +hypothecation +hypothecative +hypothecator +hypothecatory +hypothecia +hypothecial +hypothecium +hypothecs +hypothenal +hypothenar +hypothenic +hypothenusal +hypothenuse +hypotheria +hypothermal +hypothermy +hypothermia +hypothermic +hypotheses +hypothesi +hypothesis +hypothesise +hypothesised +hypothesiser +hypothesising +hypothesist +hypothesists +hypothesize +hypothesized +hypothesizer +hypothesizers +hypothesizes +hypothesizing +hypothetic +hypothetical +hypothetically +hypotheticalness +hypothetics +hypothetist +hypothetize +hypothetizer +hypothyreosis +hypothyroid +hypothyroidism +hypothyroids +hypotympanic +hypotype +hypotypic +hypotypical +hypotyposis +hypotony +hypotonia +hypotonic +hypotonically +hypotonicity +hypotonus +hypotoxic +hypotoxicity +hypotrachelia +hypotrachelium +hypotralia +hypotremata +hypotrich +hypotricha +hypotrichida +hypotrichosis +hypotrichous +hypotrochanteric +hypotrochoid +hypotrochoidal +hypotrophy +hypotrophic +hypotrophies +hypotthalli +hypovalve +hypovanadate +hypovanadic +hypovanadious +hypovanadous +hypovitaminosis +hypoxanthic +hypoxanthine +hypoxemia +hypoxemic +hypoxia +hypoxias +hypoxic +hypoxylon +hypoxis +hypozeugma +hypozeuxis +hypozoa +hypozoan +hypozoic +hippa +hippalectryon +hipparch +hipparchs +hipparion +hippeastrum +hipped +hypped +hippelates +hippen +hipper +hippest +hippi +hippy +hippia +hippian +hippiater +hippiatry +hippiatric +hippiatrical +hippiatrics +hippiatrist +hippic +hippidae +hippidion +hippidium +hippie +hippiedom +hippiehood +hippier +hippies +hippiest +hipping +hippish +hyppish +hipple +hippo +hippobosca +hippoboscid +hippoboscidae +hippocamp +hippocampal +hippocampi +hippocampine +hippocampus +hippocastanaceae +hippocastanaceous +hippocaust +hippocentaur +hippocentauric +hippocerf +hippocoprosterol +hippocras +hippocratea +hippocrateaceae +hippocrateaceous +hippocrates +hippocratian +hippocratic +hippocratical +hippocratism +hippocrene +hippocrenian +hippocrepian +hippocrepiform +hippodame +hippodamia +hippodamous +hippodrome +hippodromes +hippodromic +hippodromist +hippogastronomy +hippoglosinae +hippoglossidae +hippoglossus +hippogriff +hippogriffin +hippogryph +hippoid +hippolytan +hippolite +hippolyte +hippolith +hippolytidae +hippolytus +hippology +hippological +hippologist +hippomachy +hippomancy +hippomanes +hippomedon +hippomelanin +hippomenes +hippometer +hippometry +hippometric +hipponactean +hipponosology +hipponosological +hipponous +hippopathology +hippopathological +hippophagi +hippophagy +hippophagism +hippophagist +hippophagistical +hippophagous +hippophile +hippophobia +hippopod +hippopotami +hippopotamian +hippopotamic +hippopotamidae +hippopotamine +hippopotamoid +hippopotamus +hippopotamuses +hippos +hipposelinum +hippotigrine +hippotigris +hippotomy +hippotomical +hippotomist +hippotragine +hippotragus +hippurate +hippuria +hippuric +hippurid +hippuridaceae +hippuris +hippurite +hippurites +hippuritic +hippuritidae +hippuritoid +hippus +hips +hyps +hipshot +hypsibrachycephaly +hypsibrachycephalic +hypsibrachycephalism +hypsicephaly +hypsicephalic +hypsicephalous +hypsidolichocephaly +hypsidolichocephalic +hypsidolichocephalism +hypsiliform +hypsiloid +hypsilophodon +hypsilophodont +hypsilophodontid +hypsilophodontidae +hypsilophodontoid +hypsipyle +hypsiprymninae +hypsiprymnodontinae +hypsiprymnus +hypsistarian +hypsistenocephaly +hypsistenocephalic +hypsistenocephalism +hypsobathymetric +hypsocephalous +hypsochrome +hypsochromy +hypsochromic +hypsodont +hypsodonty +hypsodontism +hypsography +hypsographic +hypsographical +hypsoisotherm +hypsometer +hypsometry +hypsometric +hypsometrical +hypsometrically +hypsometrist +hypsophyll +hypsophyllar +hypsophyllary +hypsophyllous +hypsophyllum +hypsophobia +hypsophoeia +hypsophonous +hypsothermometer +hipster +hipsterism +hipsters +hypt +hypural +hipwort +hir +hirable +hyraces +hyraceum +hyrachyus +hyracid +hyracidae +hyraciform +hyracina +hyracodon +hyracodont +hyracodontid +hyracodontidae +hyracodontoid +hyracoid +hyracoidea +hyracoidean +hyracoidian +hyracoids +hyracothere +hyracotherian +hyracotheriinae +hyracotherium +hiragana +hiraganas +hiram +hiramite +hyrate +hyrax +hyraxes +hyrcan +hyrcanian +hircarra +hircic +hircin +hircine +hircinous +hircocerf +hircocervus +hircosity +hircus +hire +hireable +hired +hireless +hireling +hirelings +hireman +hiren +hirer +hirers +hires +hiring +hirings +hirling +hirmologion +hirmos +hirneola +hiro +hirofumi +hiroyuki +hirondelle +hiroshima +hirotoshi +hirple +hirpled +hirples +hirpling +hirrient +hirse +hyrse +hirsel +hirseled +hirseling +hirselled +hirselling +hirsels +hirsle +hirsled +hirsles +hirsling +hirst +hyrst +hirstie +hirsute +hirsuteness +hirsuties +hirsutism +hirsutulous +hirtch +hirtella +hirtellous +hirudin +hirudinal +hirudine +hirudinea +hirudinean +hirudiniculture +hirudinidae +hirudinize +hirudinoid +hirudins +hirudo +hirundine +hirundinidae +hirundinous +hirundo +his +hish +hisingerite +hisis +hislopite +hisn +hyson +hysons +hispa +hispania +hispanic +hispanicism +hispanicize +hispanics +hispanidad +hispaniola +hispaniolate +hispaniolize +hispanism +hispanist +hispanize +hispano +hispanophile +hispanophobe +hispid +hispidity +hispidulate +hispidulous +hispinae +hiss +hissed +hissel +hisself +hisser +hissers +hisses +hissy +hissing +hissingly +hissings +hyssop +hyssops +hyssopus +hissproof +hist +histamin +histaminase +histamine +histaminergic +histamines +histaminic +histamins +hystazarin +histed +hister +hysteralgia +hysteralgic +hysteranthous +hysterectomy +hysterectomies +hysterectomize +hysterectomized +hysterectomizes +hysterectomizing +hysterelcosis +hysteresial +hysteresis +hysteretic +hysteretically +hysteria +hysteriac +hysteriales +hysterias +hysteric +hysterical +hysterically +hystericky +hysterics +hystericus +hysteriform +hysterioid +hysterocarpus +hysterocatalepsy +hysterocele +hysterocystic +hysterocleisis +hysterocrystalline +hysterodynia +hysterogen +hysterogenetic +hysterogeny +hysterogenic +hysterogenous +hysteroid +hysteroidal +hysterolaparotomy +hysterolysis +hysterolith +hysterolithiasis +hysterology +hysteromania +hysteromaniac +hysteromaniacal +hysterometer +hysterometry +hysteromyoma +hysteromyomectomy +hysteromorphous +hysteron +hysteroneurasthenia +hysteropathy +hysteropexy +hysteropexia +hysterophyta +hysterophytal +hysterophyte +hysterophore +hysteroproterize +hysteroptosia +hysteroptosis +hysterorrhaphy +hysterorrhexis +hysteroscope +hysterosis +hysterotely +hysterotome +hysterotomy +hysterotomies +hysterotraumatism +histidin +histidine +histidins +histie +histing +histiocyte +histiocytic +histioid +histiology +histiophoridae +histiophorus +histoblast +histochemic +histochemical +histochemically +histochemistry +histocyte +histoclastic +histocompatibility +histodiagnosis +histodialysis +histodialytic +histogen +histogenesis +histogenetic +histogenetically +histogeny +histogenic +histogenous +histogens +histogram +histograms +histographer +histography +histographic +histographical +histographically +histographies +histoid +histolysis +histolytic +histology +histologic +histological +histologically +histologies +histologist +histologists +histometabasis +histomorphology +histomorphological +histomorphologically +histon +histonal +histone +histones +histonomy +histopathology +histopathologic +histopathological +histopathologically +histopathologist +histophyly +histophysiology +histophysiologic +histophysiological +histoplasma +histoplasmin +histoplasmosis +history +historial +historian +historians +historiated +historic +historical +historically +historicalness +historician +historicism +historicist +historicity +historicize +historicocabbalistical +historicocritical +historicocultural +historicodogmatic +historicogeographical +historicophilosophica +historicophysical +historicopolitical +historicoprophetic +historicoreligious +historics +historicus +historied +historier +histories +historiette +historify +historiograph +historiographer +historiographers +historiographership +historiography +historiographic +historiographical +historiographically +historiographies +historiology +historiological +historiometry +historiometric +historionomer +historious +historism +historize +histotherapy +histotherapist +histothrombin +histotome +histotomy +histotomies +histotrophy +histotrophic +histotropic +histozyme +histozoic +hystriciasis +hystricid +hystricidae +hystricinae +hystricine +hystricism +hystricismus +hystricoid +hystricomorph +hystricomorpha +hystricomorphic +hystricomorphous +histrio +histriobdella +histriomastix +histrion +histrionic +histrionical +histrionically +histrionicism +histrionics +histrionism +histrionize +hystrix +hists +hit +hitch +hitched +hitchel +hitcher +hitchers +hitches +hitchhike +hitchhiked +hitchhiker +hitchhikers +hitchhikes +hitchhiking +hitchy +hitchier +hitchiest +hitchily +hitchiness +hitching +hitchiti +hitchproof +hyte +hithe +hither +hythergraph +hithermost +hithertills +hitherto +hithertoward +hitherunto +hitherward +hitherwards +hitler +hitlerian +hitlerism +hitlerite +hitless +hitoshi +hits +hittable +hitter +hitters +hitting +hittite +hittitics +hittitology +hittology +hive +hived +hiveless +hivelike +hiver +hives +hiveward +hiving +hivite +hyzone +hizz +hizzie +hl +hld +hler +hlidhskjalf +hlithskjalf +hlorrithi +hlqn +hm +hny +ho +hoactzin +hoactzines +hoactzins +hoagy +hoagie +hoagies +hoaming +hoar +hoard +hoarded +hoarder +hoarders +hoarding +hoardings +hoards +hoardward +hoared +hoarfrost +hoarfrosts +hoarhead +hoarheaded +hoarhound +hoary +hoarier +hoariest +hoaryheaded +hoarily +hoariness +hoarish +hoarness +hoars +hoarse +hoarsely +hoarsen +hoarsened +hoarseness +hoarsening +hoarsens +hoarser +hoarsest +hoarstone +hoarwort +hoast +hoastman +hoatching +hoatzin +hoatzines +hoatzins +hoax +hoaxability +hoaxable +hoaxed +hoaxee +hoaxer +hoaxers +hoaxes +hoaxing +hoaxproof +hoazin +hob +hobbed +hobber +hobbesian +hobbet +hobby +hobbian +hobbies +hobbyhorse +hobbyhorses +hobbyhorsical +hobbyhorsically +hobbyism +hobbyist +hobbyists +hobbil +hobbyless +hobbing +hobbinoll +hobbism +hobbist +hobbistical +hobbit +hobble +hobblebush +hobbled +hobbledehoy +hobbledehoydom +hobbledehoyhood +hobbledehoyish +hobbledehoyishness +hobbledehoyism +hobbledehoys +hobbledygee +hobbler +hobblers +hobbles +hobbly +hobbling +hobblingly +hobgoblin +hobgoblins +hobhouchin +hobiler +hobits +hoblike +hoblob +hobnail +hobnailed +hobnailer +hobnails +hobnob +hobnobbed +hobnobber +hobnobbing +hobnobs +hobo +hoboe +hoboed +hoboes +hoboing +hoboism +hoboisms +hobomoco +hobos +hobs +hobthrush +hoc +hocco +hoch +hochelaga +hochheimer +hochhuth +hock +hockamore +hockday +hocked +hockey +hockeys +hockelty +hocker +hockers +hocket +hocky +hocking +hockle +hockled +hockling +hockmoney +hocks +hockshin +hockshop +hockshops +hocktide +hocus +hocused +hocuses +hocusing +hocussed +hocusses +hocussing +hod +hodad +hodaddy +hodaddies +hodads +hodden +hoddens +hodder +hoddy +hoddin +hoddins +hoddypeak +hoddle +hodening +hodful +hodge +hodgepodge +hodgepodges +hodgkin +hodgkinsonite +hodiernal +hodman +hodmandod +hodmen +hodograph +hodometer +hodometrical +hodophobia +hodoscope +hods +hodure +hoe +hoecake +hoecakes +hoed +hoedown +hoedowns +hoeful +hoey +hoeing +hoelike +hoer +hoernesite +hoers +hoes +hoeshin +hoffmannist +hoffmannite +hog +hoga +hogan +hogans +hogarthian +hogback +hogbacks +hogbush +hogchoker +hogcote +hogen +hogfish +hogfishes +hogframe +hogg +hoggaster +hogged +hoggee +hogger +hoggerel +hoggery +hoggeries +hoggers +hogget +hoggy +hoggie +hoggin +hogging +hoggins +hoggish +hoggishly +hoggishness +hoggism +hoggler +hoggs +hoghead +hogherd +hoghide +hoghood +hogyard +hoglike +hogling +hogmace +hogmanay +hogmanays +hogmane +hogmanes +hogmenay +hogmenays +hogmolly +hogmollies +hogni +hognose +hognoses +hognut +hognuts +hogo +hogpen +hogreeve +hogrophyte +hogs +hogshead +hogsheads +hogship +hogshouther +hogskin +hogsteer +hogsty +hogsucker +hogtie +hogtied +hogtieing +hogties +hogtiing +hogtying +hogton +hogward +hogwash +hogwashes +hogweed +hogweeds +hogwort +hohe +hohenstaufen +hohenzollern +hohenzollernism +hohn +hoho +hohokam +hoi +hoy +hoya +hoick +hoicked +hoicking +hoicks +hoiden +hoyden +hoidened +hoydened +hoydenhood +hoidening +hoydening +hoidenish +hoydenish +hoydenishness +hoydenism +hoidens +hoydens +hoihere +hoyle +hoyles +hoyman +hoin +hoys +hoise +hoised +hoises +hoising +hoist +hoistaway +hoisted +hoister +hoisters +hoisting +hoistman +hoists +hoistway +hoit +hoju +hokan +hoke +hoked +hokey +hokeyness +hokeypokey +hoker +hokerer +hokerly +hokes +hokier +hokiest +hoking +hokypoky +hokypokies +hokku +hokum +hokums +hol +hola +holagogue +holandry +holandric +holarctic +holard +holards +holarthritic +holarthritis +holaspidean +holcad +holcodont +holconoti +holcus +hold +holdable +holdall +holdalls +holdback +holdbacks +holden +holdenite +holder +holders +holdership +holdfast +holdfastness +holdfasts +holding +holdingly +holdings +holdman +holdout +holdouts +holdover +holdovers +holds +holdsman +holdup +holdups +hole +holeable +holectypina +holectypoid +holed +holey +holeless +holeman +holeproof +holer +holes +holethnic +holethnos +holewort +holgate +holi +holy +holia +holibut +holibuts +holiday +holyday +holidayed +holidayer +holidaying +holidayism +holidaymaker +holidaymaking +holidays +holydays +holidam +holier +holies +holiest +holily +holiness +holinesses +holing +holinight +holyokeite +holishkes +holism +holisms +holist +holistic +holistically +holystone +holystoned +holystones +holystoning +holists +holytide +holytides +holk +holked +holking +holks +holl +holla +hollaed +hollaing +hollaite +holland +hollandaise +hollander +hollanders +hollandish +hollandite +hollands +hollantide +hollas +holleke +holler +hollered +hollering +hollers +holly +hollies +hollyhock +hollyhocks +hollyleaf +hollin +holliper +hollywood +hollywooder +hollywoodize +hollo +holloa +holloaed +holloaing +holloas +hollock +holloed +holloes +holloing +hollong +holloo +hollooed +hollooing +holloos +hollos +hollow +holloware +hollowed +hollower +hollowest +hollowfaced +hollowfoot +hollowhearted +hollowheartedness +hollowing +hollowly +hollowness +hollowroot +hollows +hollowware +holluschick +holluschickie +holm +holmberry +holmes +holmgang +holmia +holmic +holmium +holmiums +holmos +holms +holobaptist +holobenthic +holoblastic +holoblastically +holobranch +holocaine +holocarpic +holocarpous +holocaust +holocaustal +holocaustic +holocausts +holocene +holocentrid +holocentridae +holocentroid +holocentrus +holocephala +holocephalan +holocephali +holocephalian +holocephalous +holochoanites +holochoanitic +holochoanoid +holochoanoida +holochoanoidal +holochordate +holochroal +holoclastic +holocrine +holocryptic +holocrystalline +holodactylic +holodedron +holodiscus +holoenzyme +holofernes +hologamy +hologamous +hologastrula +hologastrular +hologyny +hologynic +hologynies +holognatha +holognathous +hologonidia +hologonidium +hologoninidia +hologram +holograms +holograph +holography +holographic +holographical +holographically +holographies +holographs +holohedral +holohedry +holohedric +holohedrism +holohedron +holohemihedral +holohyaline +holoku +hololith +holomastigote +holometabola +holometabole +holometaboly +holometabolian +holometabolic +holometabolism +holometabolous +holometer +holomyaria +holomyarian +holomyarii +holomorph +holomorphy +holomorphic +holomorphism +holomorphosis +holoparasite +holoparasitic +holophane +holophyte +holophytic +holophotal +holophote +holophotometer +holophrase +holophrases +holophrasis +holophrasm +holophrastic +holoplankton +holoplanktonic +holoplexia +holopneustic +holoproteide +holoptic +holoptychian +holoptychiid +holoptychiidae +holoptychius +holoquinoid +holoquinoidal +holoquinonic +holoquinonoid +holorhinal +holosaprophyte +holosaprophytic +holoscope +holosericeous +holoside +holosiderite +holosymmetry +holosymmetric +holosymmetrical +holosiphona +holosiphonate +holosystematic +holosystolic +holosomata +holosomatous +holospondaic +holostean +holostei +holosteous +holosteric +holosteum +holostylic +holostomata +holostomate +holostomatous +holostome +holostomous +holothecal +holothoracic +holothuria +holothurian +holothuridea +holothurioid +holothurioidea +holotype +holotypes +holotypic +holotony +holotonia +holotonic +holotrich +holotricha +holotrichal +holotrichida +holotrichous +holour +holozoic +holp +holpen +hols +holsom +holstein +holsteins +holster +holstered +holsters +holt +holts +holw +hom +homacanth +homage +homageable +homaged +homager +homagers +homages +homaging +homagium +homalocenchrus +homalogonatous +homalographic +homaloid +homaloidal +homalonotus +homalopsinae +homaloptera +homalopterous +homalosternal +homalosternii +homam +homard +homaridae +homarine +homaroid +homarus +homatomic +homaxial +homaxonial +homaxonic +hombre +hombres +homburg +homburgs +home +homebody +homebodies +homeborn +homebound +homebred +homebreds +homebrew +homebrewed +homebuild +homebuilder +homebuilders +homebuilding +homecome +homecomer +homecoming +homecomings +homecraft +homecroft +homecrofter +homecrofting +homed +homefarer +homefarm +homefelt +homefolk +homefolks +homegoer +homeground +homegrown +homey +homeyness +homekeeper +homekeeping +homeland +homelander +homelands +homeless +homelessly +homelessness +homelet +homely +homelier +homeliest +homelife +homelike +homelikeness +homelily +homelyn +homeliness +homeling +homelovingness +homemade +homemake +homemaker +homemakers +homemaking +homeoblastic +homeochromatic +homeochromatism +homeochronous +homeocrystalline +homeogenic +homeogenous +homeoid +homeoidal +homeoidality +homeokinesis +homeokinetic +homeomerous +homeomorph +homeomorphy +homeomorphic +homeomorphism +homeomorphisms +homeomorphous +homeopath +homeopathy +homeopathic +homeopathically +homeopathician +homeopathicity +homeopathies +homeopathist +homeophony +homeoplasy +homeoplasia +homeoplastic +homeopolar +homeosis +homeostases +homeostasis +homeostatic +homeostatically +homeostatis +homeotherapy +homeotherm +homeothermal +homeothermy +homeothermic +homeothermism +homeothermous +homeotic +homeotype +homeotypic +homeotypical +homeotransplant +homeotransplantation +homeown +homeowner +homeowners +homeozoic +homeplace +homer +homered +homerian +homeric +homerical +homerically +homerid +homeridae +homeridian +homering +homerist +homerite +homerology +homerologist +homeromastix +homeroom +homerooms +homers +homes +homeseeker +homesick +homesickly +homesickness +homesite +homesites +homesome +homespun +homespuns +homestall +homestead +homesteader +homesteaders +homesteads +homester +homestretch +homestretches +hometown +hometowns +homeward +homewardly +homewards +homework +homeworker +homeworks +homewort +homy +homichlophobia +homicidal +homicidally +homicide +homicides +homicidious +homicidium +homiculture +homier +homiest +homiform +homilete +homiletic +homiletical +homiletically +homiletics +homily +homiliary +homiliaries +homiliarium +homilies +homilist +homilists +homilite +homilize +hominal +hominem +hominess +hominesses +homing +hominy +hominian +hominians +hominid +hominidae +hominids +hominies +hominify +hominiform +hominine +hominisection +hominivorous +hominization +hominized +hominoid +hominoids +homish +homishness +hommack +hommage +homme +hommock +hommocks +homo +homoanisaldehyde +homoanisic +homoarecoline +homobaric +homoblasty +homoblastic +homobront +homocarpous +homocategoric +homocentric +homocentrical +homocentrically +homocerc +homocercal +homocercality +homocercy +homocerebrin +homochiral +homochlamydeous +homochromatic +homochromatism +homochrome +homochromy +homochromic +homochromosome +homochromous +homochronous +homocycle +homocyclic +homoclinal +homocline +homocoela +homocoelous +homocreosol +homodermy +homodermic +homodynamy +homodynamic +homodynamous +homodyne +homodont +homodontism +homodox +homodoxian +homodromal +homodrome +homodromy +homodromous +homoean +homoeanism +homoecious +homoeoarchy +homoeoblastic +homoeochromatic +homoeochronous +homoeocrystalline +homoeogenic +homoeogenous +homoeography +homoeoid +homoeokinesis +homoeomerae +homoeomeral +homoeomeri +homoeomery +homoeomeria +homoeomerian +homoeomerianism +homoeomeric +homoeomerical +homoeomerous +homoeomorph +homoeomorphy +homoeomorphic +homoeomorphism +homoeomorphous +homoeopath +homoeopathy +homoeopathic +homoeopathically +homoeopathician +homoeopathicity +homoeopathist +homoeophyllous +homoeophony +homoeoplasy +homoeoplasia +homoeoplastic +homoeopolar +homoeosis +homoeotel +homoeoteleutic +homoeoteleuton +homoeotic +homoeotype +homoeotypic +homoeotypical +homoeotopy +homoeozoic +homoerotic +homoeroticism +homoerotism +homofermentative +homogametic +homogamy +homogamic +homogamies +homogamous +homogangliate +homogen +homogenate +homogene +homogeneal +homogenealness +homogeneate +homogeneity +homogeneities +homogeneization +homogeneize +homogeneous +homogeneously +homogeneousness +homogenesis +homogenetic +homogenetical +homogenetically +homogeny +homogenic +homogenies +homogenization +homogenize +homogenized +homogenizer +homogenizers +homogenizes +homogenizing +homogenous +homogentisic +homoglot +homogone +homogony +homogonies +homogonous +homogonously +homograft +homograph +homography +homographic +homographs +homohedral +homoiotherm +homoiothermal +homoiothermy +homoiothermic +homoiothermism +homoiothermous +homoiousia +homoiousian +homoiousianism +homoiousious +homolateral +homolecithal +homolegalis +homolysin +homolysis +homolytic +homolog +homologal +homologate +homologated +homologating +homologation +homology +homologic +homological +homologically +homologies +homologise +homologised +homologiser +homologising +homologist +homologize +homologized +homologizer +homologizing +homologon +homologoumena +homologous +homolography +homolographic +homologs +homologue +homologumena +homolosine +homomallous +homomeral +homomerous +homometrical +homometrically +homomorph +homomorpha +homomorphy +homomorphic +homomorphism +homomorphisms +homomorphosis +homomorphous +homoneura +homonid +homonym +homonymy +homonymic +homonymies +homonymity +homonymous +homonymously +homonyms +homonomy +homonomous +homonuclear +homoousia +homoousian +homoousianism +homoousianist +homoousiast +homoousion +homoousious +homopathy +homopause +homoperiodic +homopetalous +homophene +homophenous +homophile +homophiles +homophyly +homophylic +homophyllous +homophobia +homophobic +homophone +homophones +homophony +homophonic +homophonically +homophonous +homophthalic +homopiperonyl +homoplasy +homoplasis +homoplasmy +homoplasmic +homoplassy +homoplast +homoplastic +homoplastically +homopolar +homopolarity +homopolic +homopolymer +homopolymerization +homopolymerize +homopter +homoptera +homopteran +homopteron +homopterous +homorelaps +homorganic +homos +homoscedastic +homoscedasticity +homoseismal +homosexual +homosexualism +homosexualist +homosexuality +homosexually +homosexuals +homosystemic +homosphere +homospory +homosporous +homosteus +homostyled +homostyly +homostylic +homostylism +homostylous +homotactic +homotatic +homotaxeous +homotaxy +homotaxia +homotaxial +homotaxially +homotaxic +homotaxis +homothallic +homothallism +homotherm +homothermal +homothermy +homothermic +homothermism +homothermous +homothety +homothetic +homotypal +homotype +homotypy +homotypic +homotypical +homotony +homotonic +homotonous +homotonously +homotopy +homotopic +homotransplant +homotransplantation +homotropal +homotropous +homousian +homovanillic +homovanillin +homoveratric +homoveratrole +homozygosis +homozygosity +homozygote +homozygotes +homozygotic +homozygous +homozygously +homozygousness +homrai +homuncio +homuncle +homuncular +homuncule +homunculi +homunculus +hon +honan +honans +honcho +honchos +hond +honda +hondas +hondo +honduran +honduranean +honduranian +hondurans +honduras +hondurean +hondurian +hone +honed +honey +honeyballs +honeybee +honeybees +honeyberry +honeybind +honeyblob +honeybloom +honeybun +honeybunch +honeybuns +honeycomb +honeycombed +honeycombing +honeycombs +honeycreeper +honeycup +honeydew +honeydewed +honeydews +honeydrop +honeyed +honeyedly +honeyedness +honeyfall +honeyflower +honeyfogle +honeyfugle +honeyful +honeyhearted +honeying +honeyless +honeylike +honeylipped +honeymonth +honeymoon +honeymooned +honeymooner +honeymooners +honeymoony +honeymooning +honeymoonlight +honeymoons +honeymoonshine +honeymoonstruck +honeymouthed +honeypod +honeypot +honeys +honeystone +honeystucker +honeysuck +honeysucker +honeysuckle +honeysuckled +honeysuckles +honeysweet +honeyware +honeywood +honeywort +honer +honers +hones +honest +honester +honestest +honestete +honesty +honesties +honestly +honestness +honestone +honewort +honeworts +hong +hongkong +hongs +honied +honily +honing +honiton +honk +honked +honkey +honkeys +honker +honkers +honky +honkie +honkies +honking +honkytonks +honks +honolulu +honor +honora +honorability +honorable +honorableness +honorables +honorableship +honorably +honorance +honorand +honorands +honorararia +honorary +honoraria +honoraries +honorarily +honorarium +honorariums +honored +honoree +honorees +honorer +honorers +honoress +honorific +honorifical +honorifically +honorifics +honoring +honorless +honorous +honors +honorsman +honorworthy +honour +honourable +honourableness +honourably +honoured +honourer +honourers +honouring +honourless +honours +hont +hontish +hontous +honzo +hoo +hooch +hooches +hoochinoo +hood +hoodcap +hooded +hoodedness +hoodful +hoody +hoodie +hoodies +hooding +hoodle +hoodless +hoodlike +hoodlum +hoodlumish +hoodlumism +hoodlumize +hoodlums +hoodman +hoodmen +hoodmold +hoodoes +hoodoo +hoodooed +hoodooing +hoodooism +hoodoos +hoods +hoodsheaf +hoodshy +hoodshyness +hoodwink +hoodwinkable +hoodwinked +hoodwinker +hoodwinking +hoodwinks +hoodwise +hoodwort +hooey +hooeys +hoof +hoofbeat +hoofbeats +hoofbound +hoofed +hoofer +hoofers +hoofy +hoofiness +hoofing +hoofish +hoofless +hooflet +hooflike +hoofmark +hoofmarks +hoofprint +hoofrot +hoofs +hoofworm +hoogaars +hooye +hook +hooka +hookah +hookahs +hookaroon +hookas +hookcheck +hooked +hookedness +hookedwise +hookey +hookeys +hooker +hookera +hookerman +hookers +hookheal +hooky +hookier +hookies +hookiest +hooking +hookish +hookland +hookless +hooklet +hooklets +hooklike +hookmaker +hookmaking +hookman +hooknose +hooknoses +hooks +hookshop +hooksmith +hookswinging +hooktip +hookum +hookup +hookups +hookupu +hookweed +hookwise +hookworm +hookwormer +hookwormy +hookworms +hool +hoolakin +hoolaulea +hoolee +hooley +hooly +hoolie +hooligan +hooliganish +hooliganism +hooliganize +hooligans +hoolihan +hoolock +hoom +hoon +hoondee +hoondi +hoonoomaun +hoop +hooped +hooper +hooperman +hoopers +hooping +hoopla +hooplas +hoople +hoopless +hooplike +hoopmaker +hoopman +hoopmen +hoopoe +hoopoes +hoopoo +hoopoos +hoops +hoopskirt +hoopster +hoopsters +hoopstick +hoopwood +hoorah +hoorahed +hoorahing +hoorahs +hooray +hoorayed +hooraying +hoorays +hooroo +hooroosh +hoose +hoosegow +hoosegows +hoosgow +hoosgows +hoosh +hoosier +hoosierdom +hoosierese +hoosierize +hoosiers +hoot +hootay +hootch +hootches +hooted +hootenanny +hootenannies +hooter +hooters +hooting +hootingly +hootmalalie +hoots +hoove +hooved +hoovey +hooven +hoover +hooverism +hooverize +hooves +hop +hopak +hopbind +hopbine +hopbush +hopcalite +hopcrease +hope +hoped +hopeful +hopefully +hopefulness +hopefuls +hopeite +hopeless +hopelessly +hopelessness +hoper +hopers +hopes +hophead +hopheads +hopi +hopyard +hoping +hopingly +hopis +hopkinsian +hopkinsianism +hopkinsonian +hoplite +hoplites +hoplitic +hoplitodromos +hoplocephalus +hoplology +hoplomachy +hoplomachic +hoplomachist +hoplomachos +hoplonemertea +hoplonemertean +hoplonemertine +hoplonemertini +hoplophoneus +hopoff +hopped +hopper +hopperburn +hoppercar +hopperdozer +hopperette +hoppergrass +hopperings +hopperman +hoppers +hoppestere +hoppet +hoppy +hopping +hoppingly +hoppity +hoppytoad +hopple +hoppled +hopples +hoppling +hoppo +hops +hopsack +hopsacking +hopsacks +hopsage +hopscotch +hopscotcher +hopthumb +hoptoad +hoptoads +hoptree +hopvine +hor +hora +horace +horae +horah +horahs +horal +horary +horas +horatian +horatiye +horatio +horation +horatius +horatory +horbachite +hordary +hordarian +horde +hordeaceous +hordeate +horded +hordeiform +hordein +hordeins +hordenine +hordeola +hordeolum +hordes +hordeum +hording +hordock +hore +horehoond +horehound +horehounds +hory +horim +horismology +horizometer +horizon +horizonal +horizonless +horizons +horizontal +horizontalism +horizontality +horizontalization +horizontalize +horizontally +horizontalness +horizontic +horizontical +horizontically +horizonward +horkey +horla +horme +hormephobia +hormetic +hormic +hormigo +hormion +hormism +hormist +hormogon +hormogonales +hormogoneae +hormogoneales +hormogonium +hormogonous +hormonal +hormonally +hormone +hormonelike +hormones +hormonic +hormonize +hormonogenesis +hormonogenic +hormonoid +hormonology +hormonopoiesis +hormonopoietic +hormos +horn +hornada +hornbeak +hornbeam +hornbeams +hornbill +hornbills +hornblende +hornblendic +hornblendite +hornblendophyre +hornblower +hornbook +hornbooks +horned +hornedness +horner +hornerah +hornero +hornet +hornety +hornets +hornfair +hornfels +hornfish +hornful +horngeld +horny +hornie +hornier +horniest +hornify +hornification +hornified +hornyhanded +hornyhead +hornily +horniness +horning +hornish +hornist +hornito +hornitos +hornkeck +hornless +hornlessness +hornlet +hornlike +hornmouth +hornotine +hornpipe +hornpipes +hornplant +hornpout +hornpouts +horns +hornslate +hornsman +hornstay +hornstone +hornswaggle +hornswoggle +hornswoggled +hornswoggling +horntail +horntails +hornthumb +horntip +hornweed +hornwood +hornwork +hornworm +hornworms +hornwort +hornworts +hornwrack +horograph +horographer +horography +horokaka +horol +horologe +horologer +horologes +horology +horologia +horologic +horological +horologically +horologies +horologigia +horologiography +horologist +horologists +horologium +horologue +horometer +horometry +horometrical +horonite +horopito +horopter +horoptery +horopteric +horoscopal +horoscope +horoscoper +horoscopes +horoscopy +horoscopic +horoscopical +horoscopist +horotely +horotelic +horouta +horrah +horray +horral +horrendous +horrendously +horrent +horrescent +horreum +horry +horribility +horrible +horribleness +horribles +horribly +horrid +horridity +horridly +horridness +horrify +horrific +horrifically +horrification +horrified +horrifiedly +horrifies +horrifying +horrifyingly +horripilant +horripilate +horripilated +horripilating +horripilation +horrisonant +horror +horrorful +horrorish +horrorist +horrorize +horrormonger +horrormongering +horrorous +horrors +horrorsome +hors +horse +horseback +horsebacker +horsebane +horsebean +horseboy +horsebox +horsebreaker +horsebush +horsecar +horsecars +horsecart +horsecloth +horsecloths +horsecraft +horsed +horsedom +horsedrawing +horseess +horsefair +horsefeathers +horsefettler +horsefight +horsefish +horsefishes +horseflesh +horsefly +horseflies +horseflower +horsefoot +horsegate +horsehair +horsehaired +horsehead +horseheads +horseheal +horseheel +horseherd +horsehide +horsehides +horsehood +horsehoof +horsey +horseier +horseiest +horsejockey +horsekeeper +horsekeeping +horselaugh +horselaugher +horselaughs +horselaughter +horseleach +horseleech +horseless +horsely +horselike +horseload +horselock +horseman +horsemanship +horsemastership +horsemen +horsemint +horsemonger +horsenail +horsepipe +horseplay +horseplayer +horseplayers +horseplayful +horsepond +horsepower +horsepowers +horsepox +horser +horseradish +horseradishes +horses +horseshit +horseshoe +horseshoed +horseshoeing +horseshoer +horseshoers +horseshoes +horseshoing +horsetail +horsetails +horsetongue +horsetown +horsetree +horseway +horseweed +horsewhip +horsewhipped +horsewhipper +horsewhipping +horsewhips +horsewoman +horsewomanship +horsewomen +horsewood +horsfordite +horsy +horsier +horsiest +horsify +horsyism +horsily +horsiness +horsing +horst +horste +horstes +horsts +hort +hortation +hortative +hortatively +hortator +hortatory +hortatorily +hortense +hortensia +hortensial +hortensian +hortesian +hortyard +horticultor +horticultural +horticulturalist +horticulturally +horticulture +horticulturist +horticulturists +hortite +hortonolite +hortorium +hortulan +horvatian +hosackia +hosanna +hosannaed +hosannaing +hosannas +hose +hosea +hosebird +hosecock +hosed +hosel +hoseless +hoselike +hosels +hoseman +hosen +hosepipe +hoses +hosier +hosiery +hosieries +hosiers +hosing +hosiomartyr +hosp +hospice +hospices +hospita +hospitable +hospitableness +hospitably +hospitage +hospital +hospitalary +hospitaler +hospitalism +hospitality +hospitalities +hospitalization +hospitalizations +hospitalize +hospitalized +hospitalizes +hospitalizing +hospitaller +hospitalman +hospitalmen +hospitals +hospitant +hospitate +hospitation +hospitator +hospitia +hospitious +hospitium +hospitize +hospodar +hospodariat +hospodariate +hospodars +hoss +host +hosta +hostage +hostaged +hostager +hostages +hostageship +hostaging +hostal +hosted +hostel +hosteled +hosteler +hostelers +hosteling +hosteller +hostelling +hostelry +hostelries +hostels +hoster +hostess +hostessed +hostesses +hostessing +hostie +hostile +hostiley +hostilely +hostileness +hostiles +hostility +hostilities +hostilize +hosting +hostle +hostler +hostlers +hostlership +hostlerwife +hostless +hostly +hostry +hosts +hostship +hot +hotbed +hotbeds +hotblood +hotblooded +hotbloods +hotbox +hotboxes +hotbrained +hotcake +hotcakes +hotch +hotcha +hotched +hotches +hotching +hotchkiss +hotchpot +hotchpotch +hotchpotchly +hotchpots +hotdog +hotdogged +hotdogger +hotdogging +hotdogs +hote +hotel +hoteldom +hotelhood +hotelier +hoteliers +hotelization +hotelize +hotelkeeper +hotelless +hotelman +hotelmen +hotels +hotelward +hotfoot +hotfooted +hotfooting +hotfoots +hothead +hotheaded +hotheadedly +hotheadedness +hotheads +hothearted +hotheartedly +hotheartedness +hothouse +hothouses +hoti +hotkey +hotly +hotline +hotmelt +hotmouthed +hotness +hotnesses +hotplate +hotpot +hotpress +hotpressed +hotpresses +hotpressing +hotrod +hotrods +hots +hotshot +hotshots +hotsprings +hotspur +hotspurred +hotspurs +hotta +hotted +hottentot +hottentotese +hottentotic +hottentotish +hottentotism +hotter +hottery +hottest +hottie +hotting +hottish +hottle +hottonia +hotzone +houbara +houdah +houdahs +houdan +hough +houghband +hougher +houghite +houghmagandy +houghsinew +houghton +houhere +houyhnhnm +houlet +hoult +houmous +hounce +hound +hounded +hounder +hounders +houndfish +houndfishes +houndy +hounding +houndish +houndlike +houndman +hounds +houndsbane +houndsberry +houndsfoot +houndshark +hounskull +houpelande +houppelande +hour +hourful +hourglass +hourglasses +houri +houris +hourless +hourly +hourlong +hours +housage +housal +housatonic +house +houseball +houseboat +houseboating +houseboats +houseboy +houseboys +housebote +housebound +housebreak +housebreaker +housebreakers +housebreaking +housebroke +housebroken +housebrokenness +housebug +housebuilder +housebuilding +housecarl +houseclean +housecleaned +housecleaner +housecleaning +housecleans +housecoat +housecoats +housecraft +housed +housedress +housefast +housefather +housefly +houseflies +housefront +houseful +housefuls +housefurnishings +houseguest +household +householder +householders +householdership +householding +householdry +households +househusband +househusbands +housekeep +housekeeper +housekeeperly +housekeeperlike +housekeepers +housekeeping +housekept +housekkept +housel +houseled +houseleek +houseless +houselessness +houselet +houselights +houseline +houseling +houselled +houselling +housels +housemaid +housemaidenly +housemaidy +housemaiding +housemaids +houseman +housemaster +housemastership +housemate +housemating +housemen +houseminder +housemistress +housemother +housemotherly +housemothers +houseowner +housepaint +houseparent +housephone +houseplant +houser +houseridden +houseroom +housers +houses +housesat +housesit +housesits +housesitting +housesmith +housetop +housetops +houseward +housewares +housewarm +housewarmer +housewarming +housewarmings +housewear +housewife +housewifely +housewifeliness +housewifery +housewifeship +housewifish +housewive +housewives +housework +houseworker +houseworkers +housewrecker +housewright +housy +housing +housings +housling +houss +housty +houston +houstonia +hout +houting +houtou +houvari +houve +hova +hove +hovedance +hovel +hoveled +hoveler +hoveling +hovelled +hoveller +hovelling +hovels +hoven +hovenia +hover +hovercar +hovercraft +hovercrafts +hovered +hoverer +hoverers +hovering +hoveringly +hoverly +hoverport +hovers +hovertrain +how +howadji +howard +howardite +howbeit +howdah +howdahs +howder +howdy +howdie +howdies +howe +howea +howel +howes +however +howf +howff +howffs +howfing +howfs +howgates +howish +howitz +howitzer +howitzers +howk +howked +howker +howking +howkit +howks +howl +howled +howler +howlers +howlet +howlets +howling +howlingly +howlite +howls +hows +howsabout +howso +howsoever +howsomever +howsour +howtowdie +hox +hp +hpital +hq +hr +hrdwre +hrimfaxi +hrothgar +hrs +hrzn +hs +hsi +hsien +hsuan +ht +htel +hts +hu +huaca +huaco +huajillo +huamuchil +huanaco +huantajayite +huapango +huapangos +huarache +huaraches +huaracho +huarachos +huari +huarizo +huashi +huastec +huastecan +huave +huavean +hub +hubb +hubba +hubbaboo +hubbed +hubber +hubby +hubbies +hubbing +hubbite +hubble +hubbly +hubbob +hubbub +hubbuboo +hubbubs +hubcap +hubcaps +hubert +hubmaker +hubmaking +hubnerite +hubris +hubrises +hubristic +hubristically +hubs +hubshi +huccatoon +huchen +huchnom +hucho +huck +huckaback +huckle +huckleback +hucklebacked +huckleberry +huckleberries +hucklebone +huckles +huckmuck +hucks +huckster +hucksterage +huckstered +hucksterer +hucksteress +huckstery +huckstering +hucksterism +hucksterize +hucksters +huckstress +hud +hudderon +huddle +huddled +huddledom +huddlement +huddler +huddlers +huddles +huddling +huddlingly +huddock +huddroun +huddup +hudibras +hudibrastic +hudibrastically +hudson +hudsonia +hudsonian +hudsonite +hue +hued +hueful +huehuetl +huey +hueless +huelessness +huemul +huer +huerta +hues +huff +huffaker +huffcap +huffed +huffer +huffy +huffier +huffiest +huffily +huffiness +huffing +huffingly +huffish +huffishly +huffishness +huffle +huffler +huffs +hug +huge +hugely +hugelia +hugelite +hugeness +hugenesses +hugeous +hugeously +hugeousness +huger +hugest +huggable +hugged +hugger +huggery +huggermugger +huggermuggery +huggers +huggin +hugging +huggingly +huggle +hugh +hughes +hughoc +hugy +hugmatee +hugo +hugoesque +hugonis +hugs +hugsome +huguenot +huguenotic +huguenotism +huguenots +huh +hui +huia +huic +huygenian +huyghenian +huile +huipil +huipilla +huisache +huiscoyol +huisher +huisquil +huissier +huitain +huitre +huk +hukbalahap +huke +hula +hulas +hulch +hulchy +huldah +huldee +huly +hulk +hulkage +hulked +hulky +hulkier +hulkiest +hulkily +hulkiness +hulking +hulkingly +hulkingness +hulks +hull +hullaballoo +hullaballoos +hullabaloo +hullabaloos +hulled +huller +hullers +hulling +hullo +hulloa +hulloaed +hulloaing +hulloas +hullock +hulloed +hulloes +hulloing +hulloo +hullooed +hullooing +hulloos +hullos +hulls +huloist +hulotheism +hulsean +hulsite +hulster +hulu +hulver +hulverhead +hulverheaded +hulwort +hum +huma +human +humanate +humane +humanely +humaneness +humaner +humanest +humanhood +humanics +humanify +humanification +humaniform +humaniformian +humanisation +humanise +humanised +humaniser +humanises +humanish +humanising +humanism +humanisms +humanist +humanistic +humanistical +humanistically +humanists +humanitary +humanitarian +humanitarianism +humanitarianist +humanitarianize +humanitarians +humanity +humanitian +humanities +humanitymonger +humanization +humanize +humanized +humanizer +humanizers +humanizes +humanizing +humankind +humanly +humanlike +humanness +humanoid +humanoids +humans +humate +humates +humation +humbird +humble +humblebee +humbled +humblehearted +humblemouthed +humbleness +humbler +humblers +humbles +humblesse +humblesso +humblest +humbly +humblie +humbling +humblingly +humbo +humboldtilite +humboldtine +humboldtite +humbug +humbugability +humbugable +humbugged +humbugger +humbuggery +humbuggers +humbugging +humbuggism +humbugs +humbuzz +humdinger +humdingers +humdrum +humdrumminess +humdrummish +humdrummishness +humdrumness +humdrums +humdudgeon +hume +humean +humect +humectant +humectate +humectation +humective +humeral +humerals +humeri +humermeri +humeroabdominal +humerocubital +humerodigital +humerodorsal +humerometacarpal +humeroradial +humeroscapular +humeroulnar +humerus +humet +humettee +humetty +humhum +humic +humicubation +humid +humidate +humidfied +humidfies +humidify +humidification +humidified +humidifier +humidifiers +humidifies +humidifying +humidistat +humidity +humidities +humidityproof +humidly +humidness +humidor +humidors +humify +humific +humification +humified +humifuse +humilation +humiliant +humiliate +humiliated +humiliates +humiliating +humiliatingly +humiliation +humiliations +humiliative +humiliator +humiliatory +humilific +humilis +humility +humilities +humilitude +humin +humiria +humiriaceae +humiriaceous +humism +humist +humistratous +humit +humite +humiture +humlie +hummable +hummaul +hummed +hummel +hummeler +hummer +hummeri +hummers +hummie +humming +hummingbird +hummingbirds +hummingly +hummock +hummocky +hummocks +hummum +hummus +humongous +humor +humoral +humoralism +humoralist +humoralistic +humored +humorer +humorers +humoresque +humoresquely +humorful +humorific +humoring +humorism +humorist +humoristic +humoristical +humorists +humorize +humorless +humorlessly +humorlessness +humorology +humorous +humorously +humorousness +humorproof +humors +humorsome +humorsomely +humorsomeness +humour +humoural +humoured +humourful +humouring +humourist +humourize +humourless +humourlessness +humours +humoursome +humous +hump +humpback +humpbacked +humpbacks +humped +humph +humphed +humphing +humphrey +humphs +humpy +humpier +humpies +humpiest +humpiness +humping +humpless +humps +humpty +hums +humstrum +humuhumunukunukuapuaa +humulene +humulon +humulone +humulus +humus +humuses +humuslike +hun +hunanese +hunch +hunchakist +hunchback +hunchbacked +hunchbacks +hunched +hunches +hunchet +hunchy +hunching +hund +hunder +hundi +hundred +hundredal +hundredary +hundreder +hundredfold +hundredman +hundredpenny +hundreds +hundredth +hundredths +hundredweight +hundredweights +hundredwork +hunfysh +hung +hungar +hungary +hungaria +hungarian +hungarians +hungaric +hungarite +hunger +hungered +hungerer +hungering +hungeringly +hungerless +hungerly +hungerproof +hungerroot +hungers +hungerweed +hungry +hungrier +hungriest +hungrify +hungrily +hungriness +hunh +hunyak +hunk +hunker +hunkered +hunkering +hunkerism +hunkerous +hunkerousness +hunkers +hunky +hunkies +hunkpapa +hunks +hunlike +hunner +hunnian +hunnic +hunnican +hunnish +hunnishness +huns +hunt +huntable +huntaway +hunted +huntedly +hunter +hunterian +hunterlike +hunters +huntilite +hunting +huntings +huntley +huntress +huntresses +hunts +huntsman +huntsmanship +huntsmen +huntswoman +hup +hupa +hupaithric +huppah +huppahs +huppot +huppoth +hura +hurcheon +hurden +hurdies +hurdis +hurdle +hurdled +hurdleman +hurdler +hurdlers +hurdles +hurdlewise +hurdling +hurds +hure +hureaulite +hureek +hurf +hurgila +hurkaru +hurkle +hurl +hurlbarrow +hurlbat +hurled +hurley +hurleyhacket +hurleyhouse +hurleys +hurlement +hurler +hurlers +hurly +hurlies +hurling +hurlings +hurlock +hurlpit +hurls +hurlwind +huron +huronian +hurr +hurrah +hurrahed +hurrahing +hurrahs +hurray +hurrayed +hurraying +hurrays +hurrer +hurri +hurry +hurrian +hurricane +hurricanes +hurricanize +hurricano +hurridly +hurried +hurriedly +hurriedness +hurrier +hurriers +hurries +hurrygraph +hurrying +hurryingly +hurryproof +hurrisome +hurrock +hurroo +hurroosh +hursinghar +hurst +hurt +hurtable +hurted +hurter +hurters +hurtful +hurtfully +hurtfulness +hurty +hurting +hurtingest +hurtle +hurtleberry +hurtleberries +hurtled +hurtles +hurtless +hurtlessly +hurtlessness +hurtling +hurtlingly +hurts +hurtsome +husband +husbandable +husbandage +husbanded +husbander +husbandfield +husbandhood +husbanding +husbandland +husbandless +husbandly +husbandlike +husbandliness +husbandman +husbandmen +husbandress +husbandry +husbands +husbandship +huscarl +huse +hush +hushaby +hushable +hushcloth +hushed +hushedly +husheen +hushel +husher +hushes +hushful +hushfully +hushing +hushingly +hushion +hushllsost +husho +hushpuppy +hushpuppies +husht +husk +huskanaw +husked +huskened +husker +huskers +huskershredder +husky +huskier +huskies +huskiest +huskily +huskiness +husking +huskings +husklike +huskroot +husks +huskwort +huso +huspel +huspil +huss +hussar +hussars +hussy +hussydom +hussies +hussyness +hussite +hussitism +hust +husting +hustings +hustle +hustlecap +hustled +hustlement +hustler +hustlers +hustles +hustling +huswife +huswifes +huswives +hut +hutch +hutched +hutcher +hutches +hutchet +hutchie +hutching +hutchinsonian +hutchinsonianism +hutchinsonite +huterian +huthold +hutholder +hutia +hutkeeper +hutlet +hutlike +hutment +hutments +hutre +huts +hutsulian +hutted +hutterites +hutting +huttonian +huttonianism +huttoning +huttonweed +hutukhtu +hutuktu +hutung +hutzpa +hutzpah +hutzpahs +hutzpas +huurder +huvelyk +huxleian +huxter +huzoor +huzvaresh +huzz +huzza +huzzaed +huzzah +huzzahed +huzzahing +huzzahs +huzzaing +huzzard +huzzas +huzzy +hv +hvy +hw +hwa +hwan +hwy +hwyl +hwt +i +y +ia +ya +yaba +yabber +yabbered +yabbering +yabbers +yabbi +yabby +yabbie +yabble +yaboo +yabu +yacal +yacare +yacata +yacca +iacchic +iacchos +iacchus +yachan +iachimo +yacht +yachtdom +yachted +yachter +yachters +yachty +yachting +yachtings +yachtist +yachtman +yachtmanship +yachtmen +yachts +yachtsman +yachtsmanlike +yachtsmanship +yachtsmen +yachtswoman +yachtswomen +yack +yacked +yacking +yacks +yad +yadayim +yadava +yade +yadim +yaff +yaffed +yaffil +yaffing +yaffingale +yaffle +yaffler +yaffs +yager +yagers +yagger +yaghourt +yagi +yagis +yagnob +iago +yagourundi +yagua +yaguarundi +yaguas +yaguaza +yah +yahan +yahgan +yahganan +yahoo +yahoodom +yahooish +yahooism +yahooisms +yahoos +yahrzeit +yahrzeits +yahuna +yahuskin +yahveh +yahweh +yahwism +yahwist +yahwistic +yay +yaya +yair +yaird +yairds +yaje +yajein +yajeine +yajenin +yajenine +yajna +yajnavalkya +yajnopavita +yak +yaka +yakala +yakalo +yakamik +yakan +yakattalo +yakima +yakin +yakitori +yakitoris +yakka +yakked +yakker +yakkers +yakking +yakmak +yakman +yakona +yakonan +yaks +yaksha +yakshi +yakut +yakutat +yalb +yald +yale +yalensian +yali +yalla +yallaer +yallock +yallow +yam +yamacraw +yamalka +yamalkas +yamamadi +yamamai +yamanai +yamaskite +yamassee +yamato +iamatology +iamb +iambe +iambelegus +iambi +iambic +iambical +iambically +iambics +iambist +iambize +iambographer +iambs +iambus +iambuses +yamel +yamen +yamens +yameo +yamilke +yammadji +yammer +yammered +yammerer +yammerers +yammering +yammerly +yammers +yamp +yampa +yampee +yamph +yams +yamshik +yamstchick +yamstchik +yamulka +yamulkas +yamun +yamuns +ian +yan +yana +yanacona +yanan +yancopin +yander +yang +yanggona +yangs +yangtao +yangtze +yank +yanked +yankee +yankeedom +yankeefy +yankeeism +yankeeist +yankeeize +yankeeland +yankeeness +yankees +yanker +yanky +yanking +yanks +yankton +yanktonai +yannam +yannigan +yanolite +yanqui +yanquis +ianthina +ianthine +ianthinite +yantra +yantras +ianus +iao +yao +yaoort +yaourt +yaourti +yap +yapa +iapetus +iapyges +iapygian +iapygii +yaply +yapman +yapness +yapock +yapocks +yapok +yapoks +yapon +yapons +yapp +yapped +yapper +yappers +yappy +yappiness +yapping +yappingly +yappish +yaps +yapster +yaqona +yaqui +yaquina +yar +yaray +yarak +yarb +yarborough +yard +yardage +yardages +yardang +yardarm +yardarms +yardbird +yardbirds +yarded +yarder +yardful +yardgrass +yarding +yardkeep +yardland +yardlands +yardman +yardmaster +yardmasters +yardmen +yards +yardsman +yardstick +yardsticks +yardwand +yardwands +yardwork +yardworks +iare +yare +yarely +yarer +yarest +yareta +yariyari +yark +yarkand +yarke +yarkee +yarl +yarly +yarm +yarmalke +yarmelke +yarmelkes +yarmouth +yarmulka +yarmulke +yarmulkes +yarn +yarned +yarnen +yarner +yarners +yarning +yarns +yarnwindle +iarovization +yarovization +iarovize +yarovize +iarovized +yarovized +iarovizing +yarovizing +yarpha +yarr +yarraman +yarramen +yarran +yarry +yarringle +yarrow +yarrows +yarth +yarthen +yaru +yarura +yaruran +yaruro +yarwhelp +yarwhip +yas +yashiro +yashmac +yashmacs +yashmak +yashmaks +yasht +yasmak +yasmaks +yasna +yat +yatagan +yatagans +yataghan +yataghans +yatalite +yate +yati +yatigan +iatraliptic +iatraliptics +iatric +iatrical +iatrochemic +iatrochemical +iatrochemically +iatrochemist +iatrochemistry +iatrogenic +iatrogenically +iatrogenicity +iatrology +iatrological +iatromathematical +iatromathematician +iatromathematics +iatromechanical +iatromechanist +iatrophysical +iatrophysicist +iatrophysics +iatrotechnics +yatter +yattered +yattering +yatters +yatvyag +yauapery +yaud +yauds +yauld +yaup +yauped +yauper +yaupers +yauping +yaupon +yaupons +yaups +yautia +yautias +yava +yavapai +yaw +yawed +yawey +yawy +yawing +yawl +yawled +yawler +yawling +yawls +yawlsman +yawmeter +yawmeters +yawn +yawned +yawney +yawner +yawners +yawnful +yawnfully +yawny +yawnily +yawniness +yawning +yawningly +yawnproof +yawns +yawnups +yawp +yawped +yawper +yawpers +yawping +yawpings +yawps +yawroot +yaws +yawshrub +yawweed +yaxche +yazata +yazdegerdian +yazoo +ib +iba +ibad +ibadite +iban +ibanag +iberes +iberi +iberia +iberian +iberians +iberic +iberis +iberism +iberite +ibex +ibexes +ibices +ibycter +ibycus +ibid +ibidem +ibididae +ibidinae +ibidine +ibidium +ibilao +ibis +ibisbill +ibises +yblent +ibm +ibo +ibolium +ibota +ibsenian +ibsenic +ibsenish +ibsenism +ibsenite +ibuprofen +ic +icacinaceae +icacinaceous +icaco +icacorea +icaria +icarian +icarianism +icarus +icasm +icbm +ice +iceberg +icebergs +iceblink +iceblinks +iceboat +iceboater +iceboating +iceboats +icebone +icebound +icebox +iceboxes +icebreaker +icebreakers +icecap +icecaps +icecraft +iced +icefall +icefalls +icefish +icefishes +icehouse +icehouses +icekhana +icekhanas +iceland +icelander +icelanders +icelandian +icelandic +iceleaf +iceless +icelidae +icelike +iceman +icemen +iceni +icepick +icequake +icerya +iceroot +ices +iceskate +iceskated +iceskating +icespar +icework +ich +ichebu +ichibu +ichneumia +ichneumon +ichneumoned +ichneumones +ichneumonid +ichneumonidae +ichneumonidan +ichneumonides +ichneumoniform +ichneumonized +ichneumonoid +ichneumonoidea +ichneumonology +ichneumous +ichneutic +ichnite +ichnites +ichnography +ichnographic +ichnographical +ichnographically +ichnographies +ichnolite +ichnolithology +ichnolitic +ichnology +ichnological +ichnomancy +icho +ichoglan +ichor +ichorous +ichorrhaemia +ichorrhea +ichorrhemia +ichorrhoea +ichors +ichs +ichth +ichthammol +ichthyal +ichthyian +ichthyic +ichthyician +ichthyism +ichthyisms +ichthyismus +ichthyization +ichthyized +ichthyobatrachian +ichthyocephali +ichthyocephalous +ichthyocol +ichthyocolla +ichthyocoprolite +ichthyodea +ichthyodectidae +ichthyodian +ichthyodont +ichthyodorylite +ichthyodorulite +ichthyofauna +ichthyofaunal +ichthyoform +ichthyographer +ichthyography +ichthyographia +ichthyographic +ichthyographies +ichthyoid +ichthyoidal +ichthyoidea +ichthyol +ichthyolatry +ichthyolatrous +ichthyolite +ichthyolitic +ichthyology +ichthyologic +ichthyological +ichthyologically +ichthyologist +ichthyologists +ichthyomancy +ichthyomania +ichthyomantic +ichthyomorpha +ichthyomorphic +ichthyomorphous +ichthyonomy +ichthyopaleontology +ichthyophagan +ichthyophagi +ichthyophagy +ichthyophagian +ichthyophagist +ichthyophagize +ichthyophagous +ichthyophile +ichthyophobia +ichthyophthalmite +ichthyophthiriasis +ichthyophthirius +ichthyopolism +ichthyopolist +ichthyopsid +ichthyopsida +ichthyopsidan +ichthyopterygia +ichthyopterygian +ichthyopterygium +ichthyornis +ichthyornithes +ichthyornithic +ichthyornithidae +ichthyornithiformes +ichthyornithoid +ichthyosaur +ichthyosauria +ichthyosaurian +ichthyosaurid +ichthyosauridae +ichthyosauroid +ichthyosaurus +ichthyosauruses +ichthyosiform +ichthyosis +ichthyosism +ichthyotic +ichthyotomi +ichthyotomy +ichthyotomist +ichthyotomous +ichthyotoxin +ichthyotoxism +ichthys +ichthytaxidermy +ichthulin +ichthulinic +ichthus +ichu +ichulle +icy +icica +icicle +icicled +icicles +ycie +icier +iciest +icily +iciness +icinesses +icing +icings +icker +ickers +icky +ickier +ickiest +ickle +yclad +ycleped +ycleping +yclept +icod +icon +icones +iconian +iconic +iconical +iconically +iconicity +iconism +iconize +iconoclasm +iconoclast +iconoclastic +iconoclastically +iconoclasticism +iconoclasts +iconodule +iconoduly +iconodulic +iconodulist +iconograph +iconographer +iconography +iconographic +iconographical +iconographically +iconographies +iconographist +iconolagny +iconolater +iconolatry +iconolatrous +iconology +iconological +iconologist +iconomachal +iconomachy +iconomachist +iconomania +iconomatic +iconomatically +iconomaticism +iconomatography +iconometer +iconometry +iconometric +iconometrical +iconometrically +iconophile +iconophily +iconophilism +iconophilist +iconoplast +iconoscope +iconostas +iconostases +iconostasion +iconostasis +iconotype +icons +iconv +iconvert +icosaheddra +icosahedra +icosahedral +icosahedron +icosahedrons +icosandria +icosasemic +icosian +icositedra +icositetrahedra +icositetrahedron +icositetrahedrons +icosteid +icosteidae +icosteine +icosteus +icotype +icteric +icterical +icterics +icteridae +icterine +icteritious +icteritous +icterode +icterogenetic +icterogenic +icterogenous +icterohematuria +icteroid +icterous +icterus +icteruses +ictic +ictonyx +ictuate +ictus +ictuses +id +yd +ida +idaean +idaein +idaho +idahoan +idahoans +yday +idaic +idalia +idalian +idant +idcue +iddat +iddhi +iddio +ide +idea +ideaed +ideaful +ideagenous +ideaistic +ideal +idealess +idealy +idealisation +idealise +idealised +idealiser +idealises +idealising +idealism +idealisms +idealist +idealistic +idealistical +idealistically +idealists +ideality +idealities +idealization +idealizations +idealize +idealized +idealizer +idealizes +idealizing +idealless +ideally +idealness +idealogy +idealogical +idealogies +idealogue +ideals +ideamonger +idean +ideas +ideata +ideate +ideated +ideates +ideating +ideation +ideational +ideationally +ideations +ideative +ideatum +idee +ideefixe +ideist +idem +idemfactor +idempotency +idempotent +idence +idenitifiers +ident +identic +identical +identicalism +identically +identicalness +identies +identifer +identifers +identify +identifiability +identifiable +identifiableness +identifiably +identific +identification +identificational +identifications +identified +identifier +identifiers +identifies +identifying +identism +identity +identities +ideo +ideogenetic +ideogeny +ideogenical +ideogenous +ideoglyph +ideogram +ideogramic +ideogrammatic +ideogrammic +ideograms +ideograph +ideography +ideographic +ideographical +ideographically +ideographs +ideokinetic +ideolatry +ideolect +ideology +ideologic +ideological +ideologically +ideologies +ideologise +ideologised +ideologising +ideologist +ideologize +ideologized +ideologizing +ideologue +ideomania +ideomotion +ideomotor +ideoogist +ideophobia +ideophone +ideophonetics +ideophonous +ideoplasty +ideoplastia +ideoplastic +ideoplastics +ideopraxist +ideotype +ides +idesia +idest +ideta +idgah +idiasm +idic +idigbo +idyl +idyler +idylian +idylism +idylist +idylists +idylize +idyll +idyller +idyllia +idyllian +idyllic +idyllical +idyllically +idyllicism +idyllion +idyllist +idyllists +idyllium +idylls +idyls +idiobiology +idioblast +idioblastic +idiochromatic +idiochromatin +idiochromosome +idiocy +idiocyclophanous +idiocies +idiocrasy +idiocrasies +idiocrasis +idiocratic +idiocratical +idiocratically +idiodynamic +idiodynamics +idioelectric +idioelectrical +idiogastra +idiogenesis +idiogenetic +idiogenous +idioglossia +idioglottic +idiogram +idiograph +idiographic +idiographical +idiohypnotism +idiolalia +idiolatry +idiolect +idiolectal +idiolects +idiolysin +idiologism +idiom +idiomatic +idiomatical +idiomatically +idiomaticalness +idiomaticity +idiomaticness +idiomelon +idiometer +idiomography +idiomology +idiomorphic +idiomorphically +idiomorphism +idiomorphous +idioms +idiomuscular +idion +idiopathetic +idiopathy +idiopathic +idiopathical +idiopathically +idiopathies +idiophanism +idiophanous +idiophone +idiophonic +idioplasm +idioplasmatic +idioplasmic +idiopsychology +idiopsychological +idioreflex +idiorepulsive +idioretinal +idiorrhythmy +idiorrhythmic +idiorrhythmism +idiosepiidae +idiosepion +idiosyncracy +idiosyncracies +idiosyncrasy +idiosyncrasies +idiosyncratic +idiosyncratical +idiosyncratically +idiosome +idiospasm +idiospastic +idiostatic +idiot +idiotcy +idiotcies +idiothalamous +idiothermy +idiothermic +idiothermous +idiotic +idiotical +idiotically +idioticalness +idioticon +idiotype +idiotypic +idiotise +idiotised +idiotish +idiotising +idiotism +idiotisms +idiotize +idiotized +idiotizing +idiotry +idiotropian +idiotropic +idiots +idiozome +idism +idist +idistic +idite +iditol +idle +idleby +idled +idleful +idleheaded +idlehood +idleman +idlemen +idlement +idleness +idlenesses +idler +idlers +idles +idleset +idleship +idlesse +idlesses +idlest +idlety +idly +idling +idlish +ido +idocrase +idocrases +idoism +idoist +idoistic +idol +idola +idolaster +idolastre +idolater +idolaters +idolatress +idolatry +idolatric +idolatrical +idolatries +idolatrise +idolatrised +idolatriser +idolatrising +idolatrize +idolatrized +idolatrizer +idolatrizing +idolatrous +idolatrously +idolatrousness +idolet +idolify +idolisation +idolise +idolised +idoliser +idolisers +idolises +idolish +idolising +idolism +idolisms +idolist +idolistic +idolization +idolize +idolized +idolizer +idolizers +idolizes +idolizing +idoloclast +idoloclastic +idolodulia +idolographical +idololater +idololatry +idololatrical +idolomancy +idolomania +idolon +idolothyte +idolothytic +idolous +idols +idolum +idomeneus +idoneal +idoneity +idoneities +idoneous +idoneousness +idorgan +idosaccharic +idose +idotea +idoteidae +idothea +idotheidae +idrialin +idrialine +idrialite +idryl +idrisid +idrisite +idrosis +ids +yds +idumaean +ie +ye +yea +yeah +yealing +yealings +yean +yeaned +yeaning +yeanling +yeanlings +yeans +yeaoman +year +yeara +yearbird +yearbook +yearbooks +yeard +yearday +yeared +yearend +yearends +yearful +yearly +yearlies +yearling +yearlings +yearlong +yearn +yearned +yearner +yearners +yearnful +yearnfully +yearnfulness +yearning +yearningly +yearnings +yearnling +yearns +yearock +years +yearth +yeas +yeasayer +yeasayers +yeast +yeasted +yeasty +yeastier +yeastiest +yeastily +yeastiness +yeasting +yeastless +yeastlike +yeasts +yeat +yeather +yecch +yecchy +yecchs +yech +yechy +yechs +yed +yedding +yede +yederly +yee +yeech +ieee +yeel +yeelaman +yeelin +yeelins +yees +yeeuch +yeeuck +yegg +yeggman +yeggmen +yeggs +yeguita +yeh +yeld +yeldrin +yeldrine +yeldring +yeldrock +yelek +yelk +yelks +yell +yelled +yeller +yellers +yelling +yelloch +yellow +yellowammer +yellowback +yellowbark +yellowbelly +yellowbellied +yellowbellies +yellowberry +yellowberries +yellowbill +yellowbird +yellowcake +yellowcrown +yellowcup +yellowed +yellower +yellowest +yellowfin +yellowfish +yellowhammer +yellowhead +yellowy +yellowing +yellowish +yellowishness +yellowknife +yellowlegs +yellowly +yellowman +yellowness +yellowroot +yellowrump +yellows +yellowseed +yellowshank +yellowshanks +yellowshins +yellowstone +yellowtail +yellowtails +yellowthorn +yellowthroat +yellowtop +yellowware +yellowweed +yellowwood +yellowwort +yells +yelm +yelmer +yelp +yelped +yelper +yelpers +yelping +yelps +yelt +yelver +yemeless +yemen +yemeni +yemenic +yemenite +yemenites +yeming +yemschik +yemsel +yen +yender +yengee +yengees +yengeese +yeni +yenisei +yeniseian +yenite +yenned +yenning +yens +yenta +yentas +yente +yentes +yentnite +yeo +yeom +yeoman +yeomaness +yeomanette +yeomanhood +yeomanly +yeomanlike +yeomanry +yeomanries +yeomanwise +yeomen +yeorling +yeowoman +yeowomen +yep +yepeleic +yepely +yephede +yeply +yer +yerava +yeraver +yerb +yerba +yerbal +yerbales +yerbas +yercum +yerd +yere +yerga +yerk +yerked +yerking +yerks +yern +ierne +yertchuk +yerth +yerva +yes +yese +yeses +yeshibah +yeshiva +yeshivah +yeshivahs +yeshivas +yeshivot +yeshivoth +yeso +yessed +yesses +yessing +yesso +yest +yester +yesterday +yesterdayness +yesterdays +yestereve +yestereven +yesterevening +yesteryear +yesteryears +yestermorn +yestermorning +yestern +yesternight +yesternoon +yesterweek +yesty +yestreen +yestreens +yet +yeta +yetapa +yeth +yether +yethhounds +yeti +yetis +yetlin +yetling +yett +yetter +yetts +yetzer +yeuk +yeuked +yeuky +yeukieness +yeuking +yeuks +yeven +yew +yews +yex +yez +yezdi +yezidi +yezzy +if +yfacks +ife +ifecks +yfere +yferre +iff +iffy +iffier +iffiest +iffiness +iffinesses +ifint +ifreal +ifree +ifrit +ifs +ifugao +igad +ygapo +igara +igarape +igasuric +igbira +igdyr +igdrasil +igelstromite +ygerne +yggdrasil +ighly +igitur +iglesia +igloo +igloos +iglu +iglulirmiut +iglus +ign +igname +ignaro +ignatia +ignatian +ignatianist +ignatias +ignatius +ignavia +ignaw +igneoaqueous +igneous +ignescence +ignescent +ignicolist +igniferous +igniferousness +ignify +ignified +ignifies +ignifying +ignifluous +igniform +ignifuge +ignigenous +ignipotent +ignipuncture +ignis +ignitability +ignitable +ignite +ignited +igniter +igniters +ignites +ignitibility +ignitible +igniting +ignition +ignitions +ignitive +ignitor +ignitors +ignitron +ignitrons +ignivomous +ignivomousness +ignobility +ignoble +ignobleness +ignoblesse +ignobly +ignominy +ignominies +ignominious +ignominiously +ignominiousness +ignomious +ignorable +ignoramus +ignoramuses +ignorance +ignorant +ignorantia +ignorantine +ignorantism +ignorantist +ignorantly +ignorantness +ignoration +ignore +ignored +ignorement +ignorer +ignorers +ignores +ignoring +ignote +ignotus +igorot +igraine +iguana +iguanas +iguania +iguanian +iguanians +iguanid +iguanidae +iguaniform +iguanodon +iguanodont +iguanodontia +iguanodontidae +iguanodontoid +iguanodontoidea +iguanoid +iguvine +ihi +ihlat +ihleite +ihp +ihram +ihrams +ihs +yhwh +ii +yi +iyar +iiasa +yid +yiddish +yiddisher +yiddishism +yiddishist +yids +yield +yieldable +yieldableness +yieldance +yielded +yielden +yielder +yielders +yieldy +yielding +yieldingly +yieldingness +yields +yigh +iii +yike +yikes +yikirgaulit +yildun +yill +yills +yilt +yin +yince +yins +yinst +iyo +yip +yipe +yipes +yipped +yippee +yippie +yippies +yipping +yips +yird +yirds +yirk +yirm +yirmilik +yirn +yirr +yirred +yirring +yirrs +yirth +yirths +yis +yite +iiwi +yizkor +ijithad +ijma +ijmaa +ijo +ijolite +ijore +ijussite +ik +ikan +ikary +ikat +ike +ikebana +ikebanas +ikey +ikeyness +ikhwan +ikon +ikona +ikons +ikra +il +ila +ylahayll +ilama +ile +ilea +ileac +ileal +ileectomy +ileitides +ileitis +ylem +ylems +ileocaecal +ileocaecum +ileocecal +ileocolic +ileocolitis +ileocolostomy +ileocolotomy +ileon +ileosigmoidostomy +ileostomy +ileostomies +ileotomy +ilesite +ileum +ileus +ileuses +ilex +ilexes +ilia +ilya +iliac +iliacus +iliad +iliadic +iliadist +iliadize +iliads +iliahi +ilial +ilian +iliau +ilicaceae +ilicaceous +ilicic +ilicin +ilima +iliocaudal +iliocaudalis +iliococcygeal +iliococcygeus +iliococcygian +iliocostal +iliocostales +iliocostalis +iliodorsal +iliofemoral +iliohypogastric +ilioinguinal +ilioischiac +ilioischiatic +iliolumbar +ilion +iliopectineal +iliopelvic +ilioperoneal +iliopsoas +iliopsoatic +iliopubic +iliosacral +iliosciatic +ilioscrotal +iliospinal +iliotibial +iliotrochanteric +ilysanthes +ilysia +ilysiidae +ilysioid +ilissus +ilium +ilixanthin +ilk +ilka +ilkane +ilks +ill +illabile +illaborate +illachrymable +illachrymableness +illaenus +illamon +illano +illanun +illapsable +illapse +illapsed +illapsing +illapsive +illaqueable +illaqueate +illaqueation +illation +illations +illative +illatively +illatives +illaudable +illaudably +illaudation +illaudatory +illbred +illdisposedness +illecebraceae +illecebration +illecebrous +illeck +illect +illegal +illegalisation +illegalise +illegalised +illegalising +illegality +illegalities +illegalization +illegalize +illegalized +illegalizing +illegally +illegalness +illegibility +illegible +illegibleness +illegibly +illegitimacy +illegitimacies +illegitimate +illegitimated +illegitimately +illegitimateness +illegitimating +illegitimation +illegitimatise +illegitimatised +illegitimatising +illegitimatize +illegitimatized +illegitimatizing +illeism +illeist +iller +illess +illest +illeviable +illfare +illguide +illguided +illguiding +illhumor +illhumored +illy +illiberal +illiberalise +illiberalism +illiberality +illiberalize +illiberalized +illiberalizing +illiberally +illiberalness +illicit +illicitly +illicitness +illicium +illigation +illighten +illimitability +illimitable +illimitableness +illimitably +illimitate +illimitation +illimited +illimitedly +illimitedness +illing +illinition +illinium +illiniums +illinoian +illinois +illinoisan +illinoisian +illipe +illipene +illiquation +illiquid +illiquidity +illiquidly +illyrian +illyric +illish +illision +illite +illiteracy +illiteracies +illiteral +illiterate +illiterately +illiterateness +illiterates +illiterati +illiterature +illites +illitic +illium +illmanneredness +illnature +illness +illnesses +illocal +illocality +illocally +illocution +illogic +illogical +illogicality +illogicalities +illogically +illogicalness +illogician +illogicity +illogics +illoyal +illoyalty +illoricata +illoricate +illoricated +ills +illtempered +illth +illtreatment +illucidate +illucidation +illucidative +illude +illuded +illudedly +illuder +illuding +illume +illumed +illumer +illumes +illuminability +illuminable +illuminance +illuminant +illuminate +illuminated +illuminates +illuminati +illuminating +illuminatingly +illumination +illuminational +illuminations +illuminatism +illuminatist +illuminative +illuminato +illuminator +illuminatory +illuminators +illuminatus +illumine +illumined +illuminee +illuminer +illumines +illuming +illumining +illuminism +illuminist +illuministic +illuminize +illuminometer +illuminous +illumonate +illupi +illure +illurement +illus +illusible +illusion +illusionable +illusional +illusionary +illusioned +illusionism +illusionist +illusionistic +illusionists +illusions +illusive +illusively +illusiveness +illusor +illusory +illusorily +illusoriness +illust +illustrable +illustratable +illustrate +illustrated +illustrates +illustrating +illustration +illustrational +illustrations +illustrative +illustratively +illustrator +illustratory +illustrators +illustratress +illustre +illustricity +illustrious +illustriously +illustriousness +illustrissimo +illustrous +illutate +illutation +illuvia +illuvial +illuviate +illuviated +illuviating +illuviation +illuvium +illuviums +illuvivia +ilmenite +ilmenites +ilmenitite +ilmenorutile +ilocano +ilokano +iloko +ilongot +ilot +ilpirra +ilth +ilvaite +im +ym +ima +image +imageable +imaged +imageless +imagen +imager +imagery +imagerial +imagerially +imageries +images +imagilet +imaginability +imaginable +imaginableness +imaginably +imaginal +imaginant +imaginary +imaginaries +imaginarily +imaginariness +imaginate +imaginated +imaginating +imagination +imaginational +imaginationalism +imaginations +imaginative +imaginatively +imaginativeness +imaginator +imagine +imagined +imaginer +imaginers +imagines +imaging +imagining +imaginings +imaginist +imaginous +imagism +imagisms +imagist +imagistic +imagistically +imagists +imagnableness +imago +imagoes +imam +imamah +imamate +imamates +imambara +imambarah +imambarra +imamic +imams +imamship +iman +imanlaut +imantophyllum +imaret +imarets +imaum +imaumbarah +imaums +imbalance +imbalances +imbalm +imbalmed +imbalmer +imbalmers +imbalming +imbalmment +imbalms +imban +imband +imbannered +imbarge +imbark +imbarkation +imbarked +imbarking +imbarkment +imbarks +imbarn +imbase +imbased +imbastardize +imbat +imbathe +imbauba +imbe +imbecile +imbecilely +imbeciles +imbecilic +imbecilitate +imbecilitated +imbecility +imbecilities +imbed +imbedded +imbedding +imbeds +imbellic +imbellious +imber +imberbe +imbesel +imbibe +imbibed +imbiber +imbibers +imbibes +imbibing +imbibition +imbibitional +imbibitions +imbibitory +imbirussu +imbitter +imbittered +imbitterer +imbittering +imbitterment +imbitters +imblaze +imblazed +imblazes +imblazing +imbody +imbodied +imbodies +imbodying +imbodiment +imbolden +imboldened +imboldening +imboldens +imbolish +imbondo +imbonity +imborder +imbordure +imborsation +imboscata +imbosk +imbosom +imbosomed +imbosoming +imbosoms +imbower +imbowered +imbowering +imbowers +imbracery +imbraceries +imbranch +imbrangle +imbrangled +imbrangling +imbreathe +imbred +imbreviate +imbreviated +imbreviating +imbrex +imbricate +imbricated +imbricately +imbricating +imbrication +imbrications +imbricative +imbrices +imbrier +imbrium +imbrocado +imbroccata +imbroglio +imbroglios +imbroin +imbrown +imbrowned +imbrowning +imbrowns +imbrue +imbrued +imbruement +imbrues +imbruing +imbrute +imbruted +imbrutement +imbrutes +imbruting +imbu +imbue +imbued +imbuement +imbues +imbuia +imbuing +imburse +imbursed +imbursement +imbursing +imbute +ymca +imcnt +imdtly +imelle +imer +imerina +imeritian +imi +imid +imidazol +imidazole +imidazolyl +imide +imides +imidic +imido +imidogen +imids +iminazole +imine +imines +imino +iminohydrin +iminourea +imipramine +imit +imitability +imitable +imitableness +imitancy +imitant +imitate +imitated +imitatee +imitates +imitating +imitation +imitational +imitationist +imitations +imitative +imitatively +imitativeness +imitator +imitators +imitatorship +imitatress +imitatrix +immaculacy +immaculance +immaculate +immaculately +immaculateness +immailed +immalleable +immanacle +immanacled +immanacling +immanation +immane +immanely +immanence +immanency +immaneness +immanent +immanental +immanentism +immanentist +immanentistic +immanently +immanes +immanifest +immanifestness +immanity +immantle +immantled +immantling +immanuel +immarble +immarcescible +immarcescibly +immarcibleness +immarginate +immartial +immask +immatchable +immatchless +immatereality +immaterial +immaterialise +immaterialised +immaterialising +immaterialism +immaterialist +immaterialistic +immateriality +immaterialities +immaterialization +immaterialize +immaterialized +immaterializing +immaterially +immaterialness +immaterials +immateriate +immatriculate +immatriculation +immature +immatured +immaturely +immatureness +immatures +immaturity +immaturities +immeability +immeasurability +immeasurable +immeasurableness +immeasurably +immeasured +immechanical +immechanically +immediacy +immediacies +immedial +immediate +immediately +immediateness +immediatism +immediatist +immediatly +immedicable +immedicableness +immedicably +immelmann +immelodious +immember +immemorable +immemorial +immemorially +immense +immensely +immenseness +immenser +immensest +immensible +immensity +immensities +immensittye +immensive +immensurability +immensurable +immensurableness +immensurate +immerd +immerge +immerged +immergence +immergent +immerges +immerging +immerit +immerited +immeritorious +immeritoriously +immeritous +immerse +immersed +immersement +immerses +immersible +immersing +immersion +immersionism +immersionist +immersions +immersive +immesh +immeshed +immeshes +immeshing +immethodic +immethodical +immethodically +immethodicalness +immethodize +immetrical +immetrically +immetricalness +immeubles +immew +immi +immy +immies +immigrant +immigrants +immigrate +immigrated +immigrates +immigrating +immigration +immigrational +immigrations +immigrator +immigratory +immind +imminence +imminency +imminent +imminently +imminentness +immingle +immingled +immingles +immingling +imminute +imminution +immis +immiscibility +immiscible +immiscibly +immiss +immission +immit +immitigability +immitigable +immitigableness +immitigably +immittance +immitted +immix +immixable +immixed +immixes +immixing +immixt +immixting +immixture +immobile +immobiles +immobilia +immobilisation +immobilise +immobilised +immobilising +immobilism +immobility +immobilities +immobilization +immobilize +immobilized +immobilizer +immobilizes +immobilizing +immoderacy +immoderate +immoderately +immoderateness +immoderation +immodest +immodesty +immodestly +immodish +immodulated +immolate +immolated +immolates +immolating +immolation +immolations +immolator +immoment +immomentous +immonastered +immoral +immoralise +immoralised +immoralising +immoralism +immoralist +immorality +immoralities +immoralize +immoralized +immoralizing +immorally +immorigerous +immorigerousness +immortability +immortable +immortal +immortalisable +immortalisation +immortalise +immortalised +immortaliser +immortalising +immortalism +immortalist +immortality +immortalities +immortalizable +immortalization +immortalize +immortalized +immortalizer +immortalizes +immortalizing +immortally +immortalness +immortals +immortalship +immortelle +immortification +immortified +immote +immotile +immotility +immotioned +immotive +immound +immov +immovability +immovable +immovableness +immovables +immovably +immoveability +immoveable +immoveableness +immoveables +immoveably +immoved +immun +immund +immundicity +immundity +immune +immunes +immunisation +immunise +immunised +immuniser +immunises +immunising +immunist +immunity +immunities +immunization +immunizations +immunize +immunized +immunizer +immunizes +immunizing +immunoassay +immunochemical +immunochemically +immunochemistry +immunodiffusion +immunoelectrophoresis +immunoelectrophoretic +immunoelectrophoretically +immunofluorescence +immunofluorescent +immunogen +immunogenesis +immunogenetic +immunogenetical +immunogenetically +immunogenetics +immunogenic +immunogenically +immunogenicity +immunoglobulin +immunohematology +immunohematologic +immunohematological +immunol +immunology +immunologic +immunological +immunologically +immunologies +immunologist +immunologists +immunopathology +immunopathologic +immunopathological +immunopathologist +immunoreaction +immunoreactive +immunoreactivity +immunosuppressant +immunosuppressants +immunosuppression +immunosuppressive +immunotherapy +immunotherapies +immunotoxin +immuration +immure +immured +immurement +immures +immuring +immusical +immusically +immutability +immutable +immutableness +immutably +immutate +immutation +immute +immutilate +immutual +imogen +imolinda +imonium +imp +impacability +impacable +impack +impackment +impact +impacted +impacter +impacters +impactful +impacting +impaction +impactionize +impactite +impactive +impactment +impactor +impactors +impacts +impactual +impages +impayable +impaint +impainted +impainting +impaints +impair +impairable +impaired +impairer +impairers +impairing +impairment +impairments +impairs +impala +impalace +impalas +impalatable +impale +impaled +impalement +impalements +impaler +impalers +impales +impaling +impall +impallid +impalm +impalmed +impalpability +impalpable +impalpably +impalsy +impaludism +impanate +impanated +impanation +impanator +impane +impanel +impaneled +impaneling +impanelled +impanelling +impanelment +impanels +impapase +impapyrate +impapyrated +impar +imparadise +imparadised +imparadising +imparalleled +imparasitic +impardonable +impardonably +imparidigitate +imparipinnate +imparisyllabic +imparity +imparities +impark +imparkation +imparked +imparking +imparks +imparl +imparlance +imparled +imparling +imparsonee +impart +impartability +impartable +impartance +impartation +imparted +imparter +imparters +impartial +impartialism +impartialist +impartiality +impartially +impartialness +impartibilibly +impartibility +impartible +impartibly +imparticipable +imparting +impartite +impartive +impartivity +impartment +imparts +impassability +impassable +impassableness +impassably +impasse +impasses +impassibilibly +impassibility +impassible +impassibleness +impassibly +impassion +impassionable +impassionate +impassionately +impassioned +impassionedly +impassionedness +impassioning +impassionment +impassive +impassively +impassiveness +impassivity +impastation +impaste +impasted +impastes +impasting +impasto +impastoed +impastos +impasture +impaternate +impatible +impatience +impatiency +impatiens +impatient +impatientaceae +impatientaceous +impatiently +impatientness +impatronize +impave +impavid +impavidity +impavidly +impawn +impawned +impawning +impawns +impeach +impeachability +impeachable +impeachableness +impeached +impeacher +impeachers +impeaches +impeaching +impeachment +impeachments +impearl +impearled +impearling +impearls +impeccability +impeccable +impeccableness +impeccably +impeccance +impeccancy +impeccant +impeccunious +impectinate +impecuniary +impecuniosity +impecunious +impecuniously +impecuniousness +imped +impedance +impedances +impede +impeded +impeder +impeders +impedes +impedibility +impedible +impedient +impediment +impedimenta +impedimental +impedimentary +impediments +impeding +impedingly +impedit +impedite +impedition +impeditive +impedometer +impedor +impeevish +impeyan +impel +impelled +impellent +impeller +impellers +impelling +impellor +impellors +impels +impen +impend +impended +impendence +impendency +impendent +impending +impendingly +impends +impenetrability +impenetrable +impenetrableness +impenetrably +impenetrate +impenetration +impenetrative +impenitence +impenitency +impenitent +impenitently +impenitentness +impenitible +impenitibleness +impennate +impennes +impennous +impent +impeople +imper +imperance +imperant +imperata +imperate +imperation +imperatival +imperativally +imperative +imperatively +imperativeness +imperatives +imperator +imperatory +imperatorial +imperatorially +imperatorian +imperatorin +imperatorious +imperatorship +imperatrice +imperatrix +imperceivable +imperceivableness +imperceivably +imperceived +imperceiverant +imperceptibility +imperceptible +imperceptibleness +imperceptibly +imperception +imperceptive +imperceptiveness +imperceptivity +impercipience +impercipient +imperdible +imperence +imperent +imperf +imperfect +imperfectability +imperfected +imperfectibility +imperfectible +imperfection +imperfections +imperfectious +imperfective +imperfectly +imperfectness +imperfects +imperforable +imperforata +imperforate +imperforated +imperforates +imperforation +imperformable +impery +imperia +imperial +imperialin +imperialine +imperialisation +imperialise +imperialised +imperialising +imperialism +imperialist +imperialistic +imperialistically +imperialists +imperiality +imperialities +imperialization +imperialize +imperialized +imperializing +imperially +imperialness +imperials +imperialty +imperii +imperil +imperiled +imperiling +imperilled +imperilling +imperilment +imperilments +imperils +imperious +imperiously +imperiousness +imperish +imperishability +imperishable +imperishableness +imperishably +imperite +imperium +imperiums +impermanence +impermanency +impermanent +impermanently +impermeability +impermeabilities +impermeabilization +impermeabilize +impermeable +impermeableness +impermeably +impermeated +impermeator +impermissibility +impermissible +impermissibly +impermixt +impermutable +imperperia +impers +imperscriptible +imperscrutable +imperseverant +impersonable +impersonal +impersonalisation +impersonalise +impersonalised +impersonalising +impersonalism +impersonality +impersonalities +impersonalization +impersonalize +impersonalized +impersonalizing +impersonally +impersonate +impersonated +impersonates +impersonating +impersonation +impersonations +impersonative +impersonator +impersonators +impersonatress +impersonatrix +impersonify +impersonification +impersonization +impersonize +imperspicable +imperspicuity +imperspicuous +imperspirability +imperspirable +impersuadability +impersuadable +impersuadableness +impersuasibility +impersuasible +impersuasibleness +impersuasibly +impertinacy +impertinence +impertinences +impertinency +impertinencies +impertinent +impertinently +impertinentness +impertransible +imperturbability +imperturbable +imperturbableness +imperturbably +imperturbation +imperturbed +imperverse +impervertible +impervestigable +imperviability +imperviable +imperviableness +impervial +impervious +imperviously +imperviousness +impest +impestation +impester +impeticos +impetiginous +impetigo +impetigos +impetition +impetrable +impetrate +impetrated +impetrating +impetration +impetrative +impetrator +impetratory +impetre +impetulant +impetulantly +impetuosity +impetuosities +impetuoso +impetuous +impetuously +impetuousness +impeturbability +impetus +impetuses +impf +imphee +imphees +impi +impy +impicture +impierce +impierceable +impies +impiety +impieties +impignorate +impignorated +impignorating +impignoration +imping +impinge +impinged +impingement +impingements +impingence +impingent +impinger +impingers +impinges +impinging +impings +impinguate +impious +impiously +impiousness +impis +impish +impishly +impishness +impiteous +impitiably +implacability +implacable +implacableness +implacably +implacement +implacental +implacentalia +implacentate +implant +implantable +implantation +implanted +implanter +implanting +implants +implastic +implasticity +implate +implausibility +implausibilities +implausible +implausibleness +implausibly +impleach +implead +impleadable +impleaded +impleader +impleading +impleads +impleasing +impledge +impledged +impledges +impledging +implement +implementable +implemental +implementation +implementational +implementations +implemented +implementer +implementers +implementiferous +implementing +implementor +implementors +implements +implete +impletion +impletive +implex +imply +impliability +impliable +impliably +implial +implicant +implicants +implicate +implicated +implicately +implicateness +implicates +implicating +implication +implicational +implications +implicative +implicatively +implicativeness +implicatory +implicit +implicity +implicitly +implicitness +implied +impliedly +impliedness +implies +implying +impling +implode +imploded +implodent +implodes +imploding +implorable +imploration +implorations +implorator +imploratory +implore +implored +implorer +implorers +implores +imploring +imploringly +imploringness +implosion +implosions +implosive +implosively +implume +implumed +implunge +impluvia +impluvium +impocket +impofo +impoison +impoisoner +impolarily +impolarizable +impolder +impolicy +impolicies +impolished +impolite +impolitely +impoliteness +impolitic +impolitical +impolitically +impoliticalness +impoliticly +impoliticness +impollute +imponderabilia +imponderability +imponderable +imponderableness +imponderables +imponderably +imponderous +impone +imponed +imponent +impones +imponing +impoor +impopular +impopularly +imporosity +imporous +import +importability +importable +importableness +importably +importance +importancy +important +importantly +importation +importations +imported +importee +importer +importers +importing +importless +importment +importray +importraiture +imports +importunable +importunacy +importunance +importunate +importunately +importunateness +importunator +importune +importuned +importunely +importunement +importuner +importunes +importuning +importunite +importunity +importunities +imposable +imposableness +imposal +impose +imposed +imposement +imposer +imposers +imposes +imposing +imposingly +imposingness +imposition +impositional +impositions +impositive +impossibilia +impossibilification +impossibilism +impossibilist +impossibilitate +impossibility +impossibilities +impossible +impossibleness +impossibly +impost +imposted +imposter +imposterous +imposters +imposthumate +imposthume +imposting +impostor +impostorism +impostors +impostorship +impostress +impostrix +impostrous +imposts +impostumate +impostumation +impostume +imposture +impostures +impostury +imposturism +imposturous +imposure +impot +impotable +impotence +impotences +impotency +impotencies +impotent +impotently +impotentness +impotents +impotionate +impound +impoundable +impoundage +impounded +impounder +impounding +impoundment +impoundments +impounds +impoverish +impoverished +impoverisher +impoverishes +impoverishing +impoverishment +impower +impowered +impowering +impowers +impracticability +impracticable +impracticableness +impracticably +impractical +impracticality +impracticalities +impractically +impracticalness +imprasa +imprecant +imprecate +imprecated +imprecates +imprecating +imprecation +imprecations +imprecator +imprecatory +imprecatorily +imprecators +imprecise +imprecisely +impreciseness +imprecision +imprecisions +impredicability +impredicable +impreg +impregn +impregnability +impregnable +impregnableness +impregnably +impregnant +impregnate +impregnated +impregnates +impregnating +impregnation +impregnations +impregnative +impregnator +impregnatory +impregned +impregning +impregns +imprejudicate +imprejudice +impremeditate +imprenable +impreparation +impresa +impresari +impresario +impresarios +impresas +imprescience +imprescribable +imprescriptibility +imprescriptible +imprescriptibly +imprese +impreses +impress +impressa +impressable +impressari +impressario +impressed +impressedly +impresser +impressers +impresses +impressibility +impressible +impressibleness +impressibly +impressing +impression +impressionability +impressionable +impressionableness +impressionably +impressional +impressionalist +impressionality +impressionally +impressionary +impressionis +impressionism +impressionist +impressionistic +impressionistically +impressionists +impressionless +impressions +impressive +impressively +impressiveness +impressment +impressments +impressor +impressure +imprest +imprestable +imprested +impresting +imprests +imprevalency +impreventability +impreventable +imprevisibility +imprevisible +imprevision +imprevu +imprimatur +imprimatura +imprimaturs +imprime +impriment +imprimery +imprimis +imprimitive +imprimitivity +imprint +imprinted +imprinter +imprinters +imprinting +imprints +imprison +imprisonable +imprisoned +imprisoner +imprisoning +imprisonment +imprisonments +imprisons +improbability +improbabilities +improbabilize +improbable +improbableness +improbably +improbate +improbation +improbative +improbatory +improbity +improcreant +improcurability +improcurable +improducible +improduction +improficience +improficiency +improfitable +improgressive +improgressively +improgressiveness +improlific +improlificate +improlificical +imprompt +impromptitude +impromptu +impromptuary +impromptuist +improof +improper +improperation +improperly +improperness +impropitious +improportion +impropry +impropriate +impropriated +impropriating +impropriation +impropriator +impropriatrice +impropriatrix +impropriety +improprieties +improprium +improsperity +improsperous +improvability +improvable +improvableness +improvably +improve +improved +improvement +improvements +improver +improvers +improvership +improves +improvided +improvidence +improvident +improvidentially +improvidently +improving +improvingly +improvisate +improvisation +improvisational +improvisations +improvisatize +improvisator +improvisatore +improvisatory +improvisatorial +improvisatorially +improvisatorize +improvisatrice +improvise +improvised +improvisedly +improviser +improvisers +improvises +improvising +improvision +improviso +improvisor +improvisors +improvvisatore +improvvisatori +imprudence +imprudency +imprudent +imprudential +imprudently +imprudentness +imps +impship +impsonite +impuberal +impuberate +impuberty +impubic +impudence +impudency +impudencies +impudent +impudently +impudentness +impudicity +impugn +impugnability +impugnable +impugnation +impugned +impugner +impugners +impugning +impugnment +impugns +impuissance +impuissant +impulse +impulsed +impulses +impulsing +impulsion +impulsions +impulsive +impulsively +impulsiveness +impulsivity +impulsor +impulsory +impunctate +impunctual +impunctuality +impune +impunely +impunible +impunibly +impunity +impunities +impunitive +impuration +impure +impurely +impureness +impurify +impuritan +impuritanism +impurity +impurities +impurple +imput +imputability +imputable +imputableness +imputably +imputation +imputations +imputative +imputatively +imputativeness +impute +imputed +imputedly +imputer +imputers +imputes +imputing +imputrescence +imputrescibility +imputrescible +imputrid +imputting +impv +imshi +imsonic +imu +imvia +in +yn +inability +inabilities +inable +inabordable +inabstinence +inabstracted +inabusively +inaccentuated +inaccentuation +inacceptable +inaccessibility +inaccessible +inaccessibleness +inaccessibly +inaccordance +inaccordancy +inaccordant +inaccordantly +inaccuracy +inaccuracies +inaccurate +inaccurately +inaccurateness +inachid +inachidae +inachoid +inachus +inacquaintance +inacquiescent +inact +inactinic +inaction +inactionist +inactions +inactivate +inactivated +inactivates +inactivating +inactivation +inactivations +inactive +inactively +inactiveness +inactivity +inactivities +inactuate +inactuation +inadaptability +inadaptable +inadaptation +inadaptive +inadept +inadeptly +inadeptness +inadequacy +inadequacies +inadequate +inadequately +inadequateness +inadequation +inadequative +inadequatively +inadherent +inadhesion +inadhesive +inadjustability +inadjustable +inadmissability +inadmissable +inadmissibility +inadmissible +inadmissibly +inadulterate +inadventurous +inadvertant +inadvertantly +inadvertence +inadvertences +inadvertency +inadvertencies +inadvertent +inadvertently +inadvertisement +inadvisability +inadvisable +inadvisableness +inadvisably +inadvisedly +inaesthetic +inaffability +inaffable +inaffably +inaffectation +inaffected +inagglutinability +inagglutinable +inaggressive +inagile +inaidable +inaidible +inaja +inalacrity +inalienability +inalienable +inalienableness +inalienably +inalimental +inalterability +inalterable +inalterableness +inalterably +ynambu +inamia +inamissibility +inamissible +inamissibleness +inamorata +inamoratas +inamorate +inamoration +inamorato +inamoratos +inamour +inamovability +inamovable +inane +inanely +inaneness +inaner +inaners +inanes +inanest +inanga +inangular +inangulate +inanimadvertence +inanimate +inanimated +inanimately +inanimateness +inanimation +inanity +inanities +inanition +inantherate +inapathy +inapostate +inapparent +inapparently +inappealable +inappeasable +inappellability +inappellable +inappendiculate +inapperceptible +inappertinent +inappetence +inappetency +inappetent +inappetible +inapplicability +inapplicable +inapplicableness +inapplicably +inapplication +inapposite +inappositely +inappositeness +inappreciability +inappreciable +inappreciably +inappreciation +inappreciative +inappreciatively +inappreciativeness +inapprehensibility +inapprehensible +inapprehensibly +inapprehension +inapprehensive +inapprehensively +inapprehensiveness +inapproachability +inapproachable +inapproachably +inappropriable +inappropriableness +inappropriate +inappropriately +inappropriateness +inapropos +inapt +inaptitude +inaptly +inaptness +inaquate +inaqueous +inarable +inarch +inarched +inarches +inarching +inarculum +inarguable +inarguably +inark +inarm +inarmed +inarming +inarms +inarticulacy +inarticulata +inarticulate +inarticulated +inarticulately +inarticulateness +inarticulation +inartificial +inartificiality +inartificially +inartificialness +inartistic +inartistical +inartisticality +inartistically +inasmuch +inassimilable +inassimilation +inassuageable +inattackable +inattention +inattentive +inattentively +inattentiveness +inaudibility +inaudible +inaudibleness +inaudibly +inaugur +inaugural +inaugurals +inaugurate +inaugurated +inaugurates +inaugurating +inauguration +inaugurations +inaugurative +inaugurator +inauguratory +inaugurer +inaunter +inaurate +inauration +inauspicate +inauspicious +inauspiciously +inauspiciousness +inauthentic +inauthenticity +inauthoritative +inauthoritativeness +inaxon +inbardge +inbassat +inbbred +inbd +inbe +inbeaming +inbearing +inbeing +inbeings +inbending +inbent +inbetweener +inby +inbye +inbirth +inbits +inblow +inblowing +inblown +inboard +inboards +inbody +inbond +inborn +inbound +inbounds +inbow +inbowed +inbread +inbreak +inbreaking +inbreath +inbreathe +inbreathed +inbreather +inbreathing +inbred +inbreed +inbreeder +inbreeding +inbreeds +inbring +inbringer +inbringing +inbrought +inbuilt +inburning +inburnt +inburst +inbursts +inbush +inc +inca +incage +incaged +incages +incaging +incaic +incalculability +incalculable +incalculableness +incalculably +incalendared +incalescence +incalescency +incalescent +incaliculate +incalver +incalving +incameration +incamp +incan +incandent +incandesce +incandesced +incandescence +incandescency +incandescent +incandescently +incandescing +incanescent +incanous +incant +incantation +incantational +incantations +incantator +incantatory +incanton +incapability +incapabilities +incapable +incapableness +incapably +incapacious +incapaciousness +incapacitant +incapacitate +incapacitated +incapacitates +incapacitating +incapacitation +incapacitator +incapacity +incapacities +incapsulate +incapsulated +incapsulating +incapsulation +incaptivate +incarcerate +incarcerated +incarcerates +incarcerating +incarceration +incarcerations +incarcerative +incarcerator +incarcerators +incardinate +incardinated +incardinating +incardination +incarial +incarmined +incarn +incarnadine +incarnadined +incarnadines +incarnadining +incarnalise +incarnalised +incarnalising +incarnalize +incarnalized +incarnalizing +incarnant +incarnate +incarnated +incarnates +incarnating +incarnation +incarnational +incarnationist +incarnations +incarnative +incarve +incarvillea +incas +incase +incased +incasement +incases +incasing +incask +incast +incastellate +incastellated +incatenate +incatenation +incautelous +incaution +incautious +incautiously +incautiousness +incavate +incavated +incavation +incave +incavern +incavo +incede +incedingly +incelebrity +incend +incendiary +incendiaries +incendiarism +incendiarist +incendiarize +incendiarized +incendious +incendium +incendivity +incensation +incense +incensed +incenseless +incensement +incenser +incenses +incensing +incension +incensive +incensor +incensory +incensories +incensurable +incensurably +incenter +incentive +incentively +incentives +incentor +incentre +incept +incepted +incepting +inception +inceptions +inceptive +inceptively +inceptor +inceptors +incepts +incerate +inceration +incertain +incertainty +incertitude +incessable +incessably +incessancy +incessant +incessantly +incessantness +incession +incest +incests +incestuous +incestuously +incestuousness +incgrporate +inch +inchain +inchamber +inchangeable +inchant +incharitable +incharity +inchase +inchastity +inched +incher +inches +inchest +inching +inchling +inchmeal +inchoacy +inchoant +inchoate +inchoated +inchoately +inchoateness +inchoating +inchoation +inchoative +inchoatively +inchpin +inchurch +inchworm +inchworms +incicurable +incide +incidence +incidency +incident +incidental +incidentalist +incidentally +incidentalness +incidentals +incidentless +incidently +incidents +incienso +incinerable +incinerate +incinerated +incinerates +incinerating +incineration +incinerations +incinerator +incinerators +incipience +incipiency +incipiencies +incipient +incipiently +incipit +incipits +incipitur +incircle +incirclet +incircumscriptible +incircumscription +incircumspect +incircumspection +incircumspectly +incircumspectness +incisal +incise +incised +incisely +incises +incisiform +incising +incision +incisions +incisive +incisively +incisiveness +incisor +incisory +incisorial +incisors +incysted +incisura +incisural +incisure +incisures +incitability +incitable +incitamentum +incitant +incitants +incitate +incitation +incitations +incitative +incite +incited +incitement +incitements +inciter +inciters +incites +inciting +incitingly +incitive +incitory +incitress +incivic +incivil +incivility +incivilities +incivilization +incivilly +incivism +incl +inclamation +inclasp +inclasped +inclasping +inclasps +inclaudent +inclavate +inclave +incle +inclemency +inclemencies +inclement +inclemently +inclementness +inclinable +inclinableness +inclination +inclinational +inclinations +inclinator +inclinatory +inclinatorily +inclinatorium +incline +inclined +incliner +incliners +inclines +inclining +inclinograph +inclinometer +inclip +inclipped +inclipping +inclips +incloister +inclose +inclosed +incloser +inclosers +incloses +inclosing +inclosure +incloude +includable +include +included +includedness +includer +includes +includible +including +inclusa +incluse +inclusion +inclusionist +inclusions +inclusive +inclusively +inclusiveness +inclusory +inclusus +incoached +incoacted +incoagulable +incoalescence +incocted +incoercible +incoexistence +incoffin +incog +incogent +incogitability +incogitable +incogitance +incogitancy +incogitant +incogitantly +incogitative +incognita +incognite +incognitive +incognito +incognitos +incognizability +incognizable +incognizance +incognizant +incognoscent +incognoscibility +incognoscible +incogs +incoherence +incoherences +incoherency +incoherencies +incoherent +incoherentific +incoherently +incoherentness +incohering +incohesion +incohesive +incoincidence +incoincident +incolant +incolumity +incomber +incombining +incombustibility +incombustible +incombustibleness +incombustibly +incombustion +income +incomeless +incomer +incomers +incomes +incoming +incomings +incommend +incommensurability +incommensurable +incommensurableness +incommensurably +incommensurate +incommensurately +incommensurateness +incommiscibility +incommiscible +incommixed +incommodate +incommodation +incommode +incommoded +incommodement +incommodes +incommoding +incommodious +incommodiously +incommodiousness +incommodity +incommodities +incommunicability +incommunicable +incommunicableness +incommunicably +incommunicado +incommunicated +incommunicative +incommunicatively +incommunicativeness +incommutability +incommutable +incommutableness +incommutably +incompact +incompacted +incompactly +incompactness +incomparability +incomparable +incomparableness +incomparably +incompared +incompassion +incompassionate +incompassionately +incompassionateness +incompatibility +incompatibilities +incompatible +incompatibleness +incompatibles +incompatibly +incompendious +incompensated +incompensation +incompentence +incompetence +incompetency +incompetencies +incompetent +incompetently +incompetentness +incompetents +incompetible +incompletability +incompletable +incompletableness +incomplete +incompleted +incompletely +incompleteness +incompletion +incomplex +incompliable +incompliance +incompliancy +incompliancies +incompliant +incompliantly +incomplicate +incomplying +incomportable +incomposed +incomposedly +incomposedness +incomposite +incompossibility +incompossible +incomposure +incomprehended +incomprehending +incomprehendingly +incomprehense +incomprehensibility +incomprehensible +incomprehensibleness +incomprehensibly +incomprehensiblies +incomprehension +incomprehensive +incomprehensively +incomprehensiveness +incompressable +incompressibility +incompressible +incompressibleness +incompressibly +incompt +incomputable +incomputably +inconcealable +inconceivability +inconceivabilities +inconceivable +inconceivableness +inconceivably +inconceptible +inconcernino +inconcievable +inconciliable +inconcinn +inconcinnate +inconcinnately +inconcinnity +inconcinnous +inconcludent +inconcluding +inconclusible +inconclusion +inconclusive +inconclusively +inconclusiveness +inconcoct +inconcocted +inconcoction +inconcrete +inconcurrent +inconcurring +inconcussible +incondensability +incondensable +incondensibility +incondensible +incondite +inconditional +inconditionate +inconditioned +inconducive +inconel +inconfirm +inconfirmed +inconform +inconformable +inconformably +inconformity +inconfused +inconfusedly +inconfusion +inconfutable +inconfutably +incongealable +incongealableness +incongenerous +incongenial +incongeniality +inconglomerate +incongruence +incongruent +incongruently +incongruity +incongruities +incongruous +incongruously +incongruousness +incony +inconjoinable +inconjunct +inconnected +inconnectedness +inconnection +inconnexion +inconnu +inconnus +inconquerable +inconscience +inconscient +inconsciently +inconscionable +inconscious +inconsciously +inconsecutive +inconsecutively +inconsecutiveness +inconsequence +inconsequent +inconsequentia +inconsequential +inconsequentiality +inconsequentially +inconsequently +inconsequentness +inconsiderable +inconsiderableness +inconsiderably +inconsideracy +inconsiderate +inconsiderately +inconsiderateness +inconsideration +inconsidered +inconsistable +inconsistence +inconsistences +inconsistency +inconsistencies +inconsistent +inconsistently +inconsistentness +inconsolability +inconsolable +inconsolableness +inconsolably +inconsolate +inconsolately +inconsonance +inconsonant +inconsonantly +inconspicuous +inconspicuously +inconspicuousness +inconstance +inconstancy +inconstant +inconstantly +inconstantness +inconstruable +inconsultable +inconsumable +inconsumably +inconsumed +inconsummate +inconsumptible +incontaminable +incontaminate +incontaminateness +incontemptible +incontestability +incontestabilities +incontestable +incontestableness +incontestably +incontested +incontiguous +incontinence +incontinency +incontinencies +incontinent +incontinently +incontinuity +incontinuous +incontracted +incontractile +incontraction +incontrollable +incontrollably +incontrolled +incontrovertibility +incontrovertible +incontrovertibleness +incontrovertibly +inconvenience +inconvenienced +inconveniences +inconveniency +inconveniencies +inconveniencing +inconvenient +inconvenienti +inconveniently +inconvenientness +inconversable +inconversant +inconversibility +inconverted +inconvertibility +inconvertibilities +inconvertible +inconvertibleness +inconvertibly +inconvinced +inconvincedly +inconvincibility +inconvincible +inconvincibly +incoordinate +incoordinated +incoordination +incopresentability +incopresentable +incor +incord +incornished +incoronate +incoronated +incoronation +incorp +incorporable +incorporal +incorporality +incorporally +incorporalness +incorporate +incorporated +incorporatedness +incorporates +incorporating +incorporation +incorporations +incorporative +incorporator +incorporators +incorporatorship +incorporeal +incorporealism +incorporealist +incorporeality +incorporealize +incorporeally +incorporealness +incorporeity +incorporeities +incorporeous +incorpse +incorpsed +incorpses +incorpsing +incorr +incorrect +incorrection +incorrectly +incorrectness +incorrespondence +incorrespondency +incorrespondent +incorresponding +incorrigibility +incorrigible +incorrigibleness +incorrigibly +incorrodable +incorrodible +incorrosive +incorrupt +incorrupted +incorruptibility +incorruptibilities +incorruptible +incorruptibleness +incorruptibly +incorruption +incorruptive +incorruptly +incorruptness +incoup +incourse +incourteous +incourteously +incr +incra +incrash +incrassate +incrassated +incrassating +incrassation +incrassative +increasable +increasableness +increase +increased +increasedly +increaseful +increasement +increaser +increasers +increases +increasing +increasingly +increate +increately +increative +incredibility +incredibilities +incredible +incredibleness +incredibly +increditability +increditable +incredited +incredulity +incredulous +incredulously +incredulousness +increep +increeping +incremable +incremate +incremated +incremating +incremation +increment +incremental +incrementalism +incrementalist +incrementally +incrementation +incremented +incrementer +incrementing +increments +increpate +increpation +incrept +increscence +increscent +increst +incretion +incretionary +incretory +incriminate +incriminated +incriminates +incriminating +incrimination +incriminator +incriminatory +incrystal +incrystallizable +incroyable +incross +incrossbred +incrosses +incrossing +incrotchet +incruent +incruental +incruentous +incrust +incrustant +incrustata +incrustate +incrustated +incrustating +incrustation +incrustations +incrustator +incrusted +incrusting +incrustive +incrustment +incrusts +inctirate +inctri +incubate +incubated +incubates +incubating +incubation +incubational +incubations +incubative +incubator +incubatory +incubatorium +incubators +incube +incubee +incubi +incubiture +incubous +incubus +incubuses +incudal +incudate +incudectomy +incudes +incudomalleal +incudostapedial +inculcate +inculcated +inculcates +inculcating +inculcation +inculcative +inculcator +inculcatory +inculk +inculp +inculpability +inculpable +inculpableness +inculpably +inculpate +inculpated +inculpates +inculpating +inculpation +inculpative +inculpatory +incult +incultivated +incultivation +inculture +incumbant +incumbence +incumbency +incumbencies +incumbent +incumbentess +incumbently +incumbents +incumber +incumbered +incumbering +incumberment +incumbers +incumbition +incumbrance +incumbrancer +incumbrances +incunable +incunabula +incunabular +incunabulist +incunabulum +incunabuulum +incuneation +incur +incurability +incurable +incurableness +incurably +incuriosity +incurious +incuriously +incuriousness +incurment +incurrable +incurred +incurrence +incurrent +incurrer +incurring +incurs +incurse +incursion +incursionary +incursionist +incursions +incursive +incurtain +incurvate +incurvated +incurvating +incurvation +incurvature +incurve +incurved +incurves +incurving +incurvity +incurvous +incus +incuse +incused +incuses +incusing +incuss +incut +incute +incutting +ind +indaba +indabas +indaconitin +indaconitine +indagate +indagated +indagates +indagating +indagation +indagative +indagator +indagatory +indamage +indamin +indamine +indamines +indamins +indan +indane +indanthrene +indart +indazin +indazine +indazol +indazole +inde +indear +indebitatus +indebt +indebted +indebtedness +indebting +indebtment +indecence +indecency +indecencies +indecent +indecenter +indecentest +indecently +indecentness +indecidua +indeciduate +indeciduous +indecimable +indecipherability +indecipherable +indecipherableness +indecipherably +indecision +indecisive +indecisively +indecisiveness +indecl +indeclinable +indeclinableness +indeclinably +indecomponible +indecomposable +indecomposableness +indecorous +indecorously +indecorousness +indecorum +indeed +indeedy +indef +indefaceable +indefatigability +indefatigable +indefatigableness +indefatigably +indefeasibility +indefeasible +indefeasibleness +indefeasibly +indefeatable +indefectibility +indefectible +indefectibly +indefective +indefensibility +indefensible +indefensibleness +indefensibly +indefensive +indeficiency +indeficient +indeficiently +indefinability +indefinable +indefinableness +indefinably +indefinite +indefinitely +indefiniteness +indefinity +indefinitive +indefinitively +indefinitiveness +indefinitude +indeflectible +indefluent +indeformable +indehiscence +indehiscent +indelectable +indelegability +indelegable +indeliberate +indeliberately +indeliberateness +indeliberation +indelibility +indelible +indelibleness +indelibly +indelicacy +indelicacies +indelicate +indelicately +indelicateness +indemnify +indemnification +indemnifications +indemnificator +indemnificatory +indemnified +indemnifier +indemnifies +indemnifying +indemnitee +indemnity +indemnities +indemnitor +indemnization +indemoniate +indemonstrability +indemonstrable +indemonstrableness +indemonstrably +indene +indenes +indenize +indent +indentation +indentations +indented +indentedly +indentee +indenter +indenters +indentifiers +indenting +indention +indentions +indentment +indentor +indentors +indents +indenture +indentured +indentures +indentureship +indenturing +indentwise +independable +independence +independency +independencies +independent +independentism +independently +independents +independing +independista +indeposable +indepravate +indeprehensible +indeprivability +indeprivable +inderite +inderivative +indescribability +indescribabilities +indescribable +indescribableness +indescribably +indescript +indescriptive +indesert +indesignate +indesinent +indesirable +indestructibility +indestructible +indestructibleness +indestructibly +indetectable +indeterminable +indeterminableness +indeterminably +indeterminacy +indeterminacies +indeterminancy +indeterminate +indeterminately +indeterminateness +indetermination +indeterminative +indetermined +indeterminism +indeterminist +indeterministic +indevirginate +indevote +indevoted +indevotion +indevotional +indevout +indevoutly +indevoutness +indew +index +indexable +indexation +indexed +indexer +indexers +indexes +indexical +indexically +indexing +indexless +indexlessness +indexterity +indy +india +indiadem +indiademed +indiaman +indian +indiana +indianaite +indianan +indianans +indianapolis +indianeer +indianesque +indianhood +indianian +indianians +indianism +indianist +indianite +indianization +indianize +indians +indiary +indic +indicable +indical +indican +indicans +indicant +indicants +indicanuria +indicatable +indicate +indicated +indicates +indicating +indication +indicational +indications +indicative +indicatively +indicativeness +indicatives +indicator +indicatory +indicatoridae +indicatorinae +indicators +indicatrix +indicavit +indice +indices +indicia +indicial +indicially +indicias +indicible +indicium +indiciums +indico +indicolite +indict +indictability +indictable +indictableness +indictably +indicted +indictee +indictees +indicter +indicters +indicting +indiction +indictional +indictive +indictment +indictments +indictor +indictors +indicts +indidicia +indienne +indies +indiferous +indifference +indifferency +indifferencies +indifferent +indifferential +indifferentiated +indifferentism +indifferentist +indifferentistic +indifferently +indifferentness +indifulvin +indifuscin +indigen +indigena +indigenae +indigenal +indigenate +indigence +indigency +indigene +indigeneity +indigenes +indigenismo +indigenist +indigenity +indigenous +indigenously +indigenousness +indigens +indigent +indigently +indigents +indiges +indigest +indigested +indigestedness +indigestibility +indigestibilty +indigestible +indigestibleness +indigestibly +indigestion +indigestive +indigitamenta +indigitate +indigitation +indigites +indiglucin +indign +indignance +indignancy +indignant +indignantly +indignation +indignatory +indignify +indignified +indignifying +indignity +indignities +indignly +indigo +indigoberry +indigoes +indigofera +indigoferous +indigogen +indigoid +indigoids +indigometer +indigos +indigotate +indigotic +indigotin +indigotindisulphonic +indigotine +indiguria +indihumin +indii +indijbiously +indyl +indilatory +indylic +indiligence +indimensible +indimensional +indiminishable +indimple +indin +indirect +indirected +indirecting +indirection +indirections +indirectly +indirectness +indirects +indirubin +indirubine +indiscernibility +indiscernible +indiscernibleness +indiscernibly +indiscerpible +indiscerptibility +indiscerptible +indiscerptibleness +indiscerptibly +indisciplinable +indiscipline +indisciplined +indiscoverable +indiscoverably +indiscovered +indiscovery +indiscreet +indiscreetly +indiscreetness +indiscrete +indiscretely +indiscretion +indiscretionary +indiscretions +indiscrimanently +indiscriminantly +indiscriminate +indiscriminated +indiscriminately +indiscriminateness +indiscriminating +indiscriminatingly +indiscrimination +indiscriminative +indiscriminatively +indiscriminatory +indiscussable +indiscussed +indiscussible +indish +indispellable +indispensability +indispensabilities +indispensable +indispensableness +indispensably +indispensible +indispersed +indispose +indisposed +indisposedness +indisposing +indisposition +indispositions +indisputability +indisputable +indisputableness +indisputably +indisputed +indissipable +indissociable +indissociably +indissolubility +indissoluble +indissolubleness +indissolubly +indissolute +indissolvability +indissolvable +indissolvableness +indissolvably +indissuadable +indissuadably +indistance +indistant +indistinct +indistinctible +indistinction +indistinctive +indistinctively +indistinctiveness +indistinctly +indistinctness +indistinguishability +indistinguishable +indistinguishableness +indistinguishably +indistinguished +indistinguishing +indistortable +indistributable +indisturbable +indisturbance +indisturbed +inditch +indite +indited +inditement +inditer +inditers +indites +inditing +indium +indiums +indiv +indivertible +indivertibly +individ +individable +individed +individua +individual +individualisation +individualise +individualised +individualiser +individualising +individualism +individualist +individualistic +individualistically +individualists +individuality +individualities +individualization +individualize +individualized +individualizer +individualizes +individualizing +individualizingly +individually +individuals +individuate +individuated +individuates +individuating +individuation +individuative +individuator +individuity +individuous +individuum +individuums +indivinable +indivinity +indivisibility +indivisible +indivisibleness +indivisibly +indivisim +indivision +indn +indochina +indochinese +indocibility +indocible +indocibleness +indocile +indocilely +indocility +indoctrinate +indoctrinated +indoctrinates +indoctrinating +indoctrination +indoctrinations +indoctrinator +indoctrine +indoctrinization +indoctrinize +indoctrinized +indoctrinizing +indogaea +indogaean +indogen +indogenide +indoin +indol +indole +indolence +indolent +indolently +indoles +indolyl +indolin +indoline +indologenous +indology +indologian +indologist +indologue +indoloid +indols +indomable +indomethacin +indomitability +indomitable +indomitableness +indomitably +indone +indonesia +indonesian +indonesians +indoor +indoors +indophenin +indophenol +indophile +indophilism +indophilist +indorsable +indorsation +indorse +indorsed +indorsee +indorsees +indorsement +indorser +indorsers +indorses +indorsing +indorsor +indorsors +indow +indowed +indowing +indows +indoxyl +indoxylic +indoxyls +indoxylsulphuric +indra +indraft +indrafts +indrape +indraught +indrawal +indrawing +indrawn +indrench +indri +indris +indubious +indubiously +indubitability +indubitable +indubitableness +indubitably +indubitate +indubitatively +induc +induce +induceable +induced +inducedly +inducement +inducements +inducer +inducers +induces +induciae +inducibility +inducible +inducing +inducive +induct +inductance +inductances +inducted +inductee +inductees +inducteous +inductile +inductility +inducting +induction +inductional +inductionally +inductionless +inductions +inductive +inductively +inductiveness +inductivity +inductometer +inductophone +inductor +inductory +inductorium +inductors +inductoscope +inductothermy +inductril +inducts +indue +indued +induement +indues +induing +induism +indulge +indulgeable +indulged +indulgement +indulgence +indulgenced +indulgences +indulgency +indulgencies +indulgencing +indulgent +indulgential +indulgentially +indulgently +indulgentness +indulger +indulgers +indulges +indulgiate +indulging +indulgingly +indulin +induline +indulines +indulins +indult +indulto +indults +indument +indumenta +indumentum +indumentums +induna +induplicate +induplication +induplicative +indurable +indurance +indurate +indurated +indurates +indurating +induration +indurations +indurative +indure +indurite +indus +indusia +indusial +indusiate +indusiated +indusiform +indusioid +indusium +industry +industrial +industrialisation +industrialise +industrialised +industrialising +industrialism +industrialist +industrialists +industrialization +industrialize +industrialized +industrializes +industrializing +industrially +industrialness +industrials +industries +industrious +industriously +industriousness +industrys +industrochemical +indutive +induviae +induvial +induviate +indwell +indweller +indwelling +indwellingness +indwells +indwelt +inearth +inearthed +inearthing +inearths +inebriacy +inebriant +inebriate +inebriated +inebriates +inebriating +inebriation +inebriative +inebriety +inebrious +ineconomy +ineconomic +inedibility +inedible +inedita +inedited +ineducabilia +ineducabilian +ineducability +ineducable +ineducation +ineffability +ineffable +ineffableness +ineffably +ineffaceability +ineffaceable +ineffaceably +ineffectible +ineffectibly +ineffective +ineffectively +ineffectiveness +ineffectual +ineffectuality +ineffectually +ineffectualness +ineffervescence +ineffervescent +ineffervescibility +ineffervescible +inefficacy +inefficacious +inefficaciously +inefficaciousness +inefficacity +inefficience +inefficiency +inefficiencies +inefficient +inefficiently +ineffulgent +inegalitarian +ineye +inelaborate +inelaborated +inelaborately +inelastic +inelastically +inelasticate +inelasticity +inelegance +inelegances +inelegancy +inelegancies +inelegant +inelegantly +ineligibility +ineligible +ineligibleness +ineligibles +ineligibly +ineliminable +ineloquence +ineloquent +ineloquently +ineluctability +ineluctable +ineluctably +ineludible +ineludibly +inembryonate +inemendable +inemotivity +inemulous +inenarrability +inenarrable +inenarrably +inenergetic +inenubilable +inenucleable +inept +ineptitude +ineptly +ineptness +inequable +inequal +inequalitarian +inequality +inequalities +inequally +inequalness +inequation +inequiaxial +inequicostate +inequidistant +inequigranular +inequilateral +inequilaterally +inequilibrium +inequilobate +inequilobed +inequipotential +inequipotentiality +inequitable +inequitableness +inequitably +inequitate +inequity +inequities +inequivalent +inequivalve +inequivalved +inequivalvular +ineradicability +ineradicable +ineradicableness +ineradicably +inerasable +inerasableness +inerasably +inerasible +inergetic +ineri +inerm +inermes +inermi +inermia +inermous +inerrability +inerrable +inerrableness +inerrably +inerrancy +inerrant +inerrantly +inerratic +inerring +inerringly +inerroneous +inert +inertance +inertia +inertiae +inertial +inertially +inertias +inertion +inertly +inertness +inerts +inerubescent +inerudite +ineruditely +inerudition +inescapable +inescapableness +inescapably +inescate +inescation +inesculent +inescutcheon +inesite +inessential +inessentiality +inessive +inesthetic +inestimability +inestimable +inestimableness +inestimably +inestivation +inethical +ineunt +ineuphonious +inevadible +inevadibly +inevaporable +inevasible +inevasibleness +inevasibly +inevidence +inevident +inevitability +inevitabilities +inevitable +inevitableness +inevitably +inexact +inexacting +inexactitude +inexactly +inexactness +inexcellence +inexcitability +inexcitable +inexcitableness +inexcitably +inexclusive +inexclusively +inexcommunicable +inexcusability +inexcusable +inexcusableness +inexcusably +inexecrable +inexecutable +inexecution +inexertion +inexhalable +inexhaust +inexhausted +inexhaustedly +inexhaustibility +inexhaustible +inexhaustibleness +inexhaustibly +inexhaustive +inexhaustively +inexhaustless +inexigible +inexist +inexistence +inexistency +inexistent +inexorability +inexorable +inexorableness +inexorably +inexpansible +inexpansive +inexpectable +inexpectance +inexpectancy +inexpectant +inexpectation +inexpected +inexpectedly +inexpectedness +inexpedience +inexpediency +inexpedient +inexpediently +inexpensive +inexpensively +inexpensiveness +inexperience +inexperienced +inexpert +inexpertly +inexpertness +inexperts +inexpiable +inexpiableness +inexpiably +inexpiate +inexplainable +inexpleble +inexplicability +inexplicable +inexplicableness +inexplicables +inexplicably +inexplicit +inexplicitly +inexplicitness +inexplorable +inexplosive +inexportable +inexposable +inexposure +inexpress +inexpressibility +inexpressibilities +inexpressible +inexpressibleness +inexpressibles +inexpressibly +inexpressive +inexpressively +inexpressiveness +inexpugnability +inexpugnable +inexpugnableness +inexpugnably +inexpungeable +inexpungibility +inexpungible +inexsuperable +inextant +inextended +inextensibility +inextensible +inextensile +inextension +inextensional +inextensive +inexterminable +inextinct +inextinguible +inextinguishability +inextinguishable +inextinguishables +inextinguishably +inextinguished +inextirpable +inextirpableness +inextricability +inextricable +inextricableness +inextricably +inez +inf +inface +infair +infall +infallibilism +infallibilist +infallibility +infallible +infallibleness +infallibly +infallid +infalling +infalsificable +infamation +infamatory +infame +infamed +infamy +infamia +infamies +infamiliar +infamiliarity +infamize +infamized +infamizing +infamonize +infamous +infamously +infamousness +infancy +infancies +infand +infandous +infang +infanglement +infangthef +infangthief +infans +infant +infanta +infantado +infantas +infante +infantes +infanthood +infanticidal +infanticide +infanticides +infantile +infantilism +infantility +infantilize +infantine +infantive +infantly +infantlike +infantry +infantries +infantryman +infantrymen +infants +infarce +infarct +infarctate +infarcted +infarction +infarctions +infarcts +infare +infares +infashionable +infatigable +infatuate +infatuated +infatuatedly +infatuatedness +infatuates +infatuating +infatuation +infatuations +infatuator +infauna +infaunae +infaunal +infaunas +infaust +infausting +infeasibility +infeasible +infeasibleness +infect +infectant +infected +infectedness +infecter +infecters +infectible +infecting +infection +infectionist +infections +infectious +infectiously +infectiousness +infective +infectiveness +infectivity +infector +infectors +infectress +infects +infectum +infectuous +infecund +infecundity +infeeble +infeed +infeft +infefting +infeftment +infeijdation +infelicific +infelicity +infelicities +infelicitous +infelicitously +infelicitousness +infelonious +infelt +infeminine +infenible +infeodation +infeof +infeoff +infeoffed +infeoffing +infeoffment +infeoffs +infer +inferable +inferably +inference +inferences +inferent +inferential +inferentialism +inferentialist +inferentially +inferial +inferible +inferior +inferiorism +inferiority +inferiorities +inferiorize +inferiorly +inferiorness +inferiors +infern +infernal +infernalism +infernality +infernalize +infernally +infernalry +infernalship +inferno +infernos +inferoanterior +inferobranch +inferobranchiate +inferofrontal +inferolateral +inferomedian +inferoposterior +inferred +inferrer +inferrers +inferribility +inferrible +inferring +inferringly +infers +infertile +infertilely +infertileness +infertility +infest +infestant +infestation +infestations +infested +infester +infesters +infesting +infestious +infestive +infestivity +infestment +infests +infeudate +infeudation +infibulate +infibulation +inficete +infidel +infidelic +infidelical +infidelism +infidelistic +infidelity +infidelities +infidelize +infidelly +infidels +infield +infielder +infielders +infields +infieldsman +infight +infighter +infighters +infighting +infigured +infile +infill +infilling +infilm +infilter +infiltered +infiltering +infiltrate +infiltrated +infiltrates +infiltrating +infiltration +infiltrations +infiltrative +infiltrator +infiltrators +infima +infimum +infin +infinitant +infinitary +infinitarily +infinitate +infinitated +infinitating +infinitation +infinite +infinitely +infiniteness +infinites +infinitesimal +infinitesimalism +infinitesimality +infinitesimally +infinitesimalness +infinitesimals +infiniteth +infinity +infinities +infinitieth +infinitival +infinitivally +infinitive +infinitively +infinitives +infinitize +infinitized +infinitizing +infinitude +infinitum +infinituple +infirm +infirmable +infirmarer +infirmaress +infirmary +infirmarian +infirmaries +infirmate +infirmation +infirmative +infirmatory +infirmed +infirming +infirmity +infirmities +infirmly +infirmness +infirms +infissile +infit +infitter +infix +infixal +infixation +infixed +infixes +infixing +infixion +infixions +infl +inflamable +inflame +inflamed +inflamedly +inflamedness +inflamer +inflamers +inflames +inflaming +inflamingly +inflammability +inflammabilities +inflammable +inflammableness +inflammably +inflammation +inflammations +inflammative +inflammatory +inflammatorily +inflatable +inflate +inflated +inflatedly +inflatedness +inflater +inflaters +inflates +inflatile +inflating +inflatingly +inflation +inflationary +inflationism +inflationist +inflationists +inflations +inflative +inflator +inflators +inflatus +inflect +inflected +inflectedness +inflecting +inflection +inflectional +inflectionally +inflectionless +inflections +inflective +inflector +inflects +inflesh +inflex +inflexed +inflexibility +inflexible +inflexibleness +inflexibly +inflexion +inflexional +inflexionally +inflexionless +inflexive +inflexure +inflict +inflictable +inflicted +inflicter +inflicting +infliction +inflictions +inflictive +inflictor +inflicts +inflight +inflood +inflooding +inflorescence +inflorescent +inflow +inflowering +inflowing +inflows +influe +influencability +influencable +influence +influenceability +influenceabilities +influenceable +influenced +influencer +influences +influencing +influencive +influent +influential +influentiality +influentially +influentialness +influents +influenza +influenzal +influenzalike +influenzas +influenzic +influx +influxable +influxes +influxible +influxibly +influxion +influxionism +influxious +influxive +info +infold +infolded +infolder +infolders +infolding +infoldment +infolds +infoliate +inforgiveable +inform +informable +informal +informalism +informalist +informality +informalities +informalize +informally +informalness +informant +informants +informatics +information +informational +informative +informatively +informativeness +informatory +informatus +informed +informedly +informer +informers +informidable +informing +informingly +informity +informous +informs +infortiate +infortitude +infortunate +infortunately +infortunateness +infortune +infortunity +infos +infound +infra +infrabasal +infrabestial +infrabranchial +infrabuccal +infracanthal +infracaudal +infracelestial +infracentral +infracephalic +infraclavicle +infraclavicular +infraclusion +infraconscious +infracortical +infracostal +infracostalis +infracotyloid +infract +infracted +infractible +infracting +infraction +infractions +infractor +infracts +infradentary +infradiaphragmatic +infragenual +infraglacial +infraglenoid +infraglottic +infragrant +infragular +infrahyoid +infrahuman +infralabial +infralapsarian +infralapsarianism +infralinear +infralittoral +inframammary +inframammillary +inframandibular +inframarginal +inframaxillary +inframedian +inframercurial +inframercurian +inframolecular +inframontane +inframundane +infranatural +infranaturalism +infranchise +infrangibility +infrangible +infrangibleness +infrangibly +infranodal +infranuclear +infraoccipital +infraocclusion +infraocular +infraoral +infraorbital +infraordinary +infrapapillary +infrapatellar +infraperipherial +infrapose +infraposed +infraposing +infraposition +infraprotein +infrapubian +infraradular +infrared +infrareds +infrarenal +infrarenally +infrarimal +infrascapular +infrascapularis +infrascientific +infrasonic +infrasonics +infraspecific +infraspinal +infraspinate +infraspinatus +infraspinous +infrastapedial +infrasternal +infrastigmatal +infrastipular +infrastructure +infrastructures +infrasutral +infratemporal +infraterrene +infraterritorial +infrathoracic +infratonsillar +infratracheal +infratrochanteric +infratrochlear +infratubal +infraturbinal +infravaginal +infraventral +infree +infrequence +infrequency +infrequent +infrequentcy +infrequently +infrigidate +infrigidation +infrigidative +infringe +infringed +infringement +infringements +infringer +infringers +infringes +infringible +infringing +infructiferous +infructuose +infructuosity +infructuous +infructuously +infrugal +infrunite +infrustrable +infrustrably +infula +infulae +infumate +infumated +infumation +infume +infund +infundibula +infundibular +infundibulata +infundibulate +infundibuliform +infundibulum +infuneral +infuriate +infuriated +infuriatedly +infuriately +infuriates +infuriating +infuriatingly +infuriation +infuscate +infuscated +infuscation +infuse +infused +infusedly +infuser +infusers +infuses +infusibility +infusible +infusibleness +infusile +infusing +infusion +infusionism +infusionist +infusions +infusive +infusory +infusoria +infusorial +infusorian +infusories +infusoriform +infusorioid +infusorium +ing +inga +ingaevones +ingaevonic +ingallantry +ingan +ingang +ingangs +ingannation +ingate +ingates +ingather +ingathered +ingatherer +ingathering +ingathers +ingeldable +ingem +ingeminate +ingeminated +ingeminating +ingemination +ingender +ingene +ingenerability +ingenerable +ingenerably +ingenerate +ingenerated +ingenerately +ingenerating +ingeneration +ingenerative +ingeny +ingeniary +ingeniate +ingenie +ingenier +ingenio +ingeniosity +ingenious +ingeniously +ingeniousness +ingenit +ingenital +ingenite +ingent +ingenu +ingenue +ingenues +ingenuity +ingenuities +ingenuous +ingenuously +ingenuousness +inger +ingerminate +ingest +ingesta +ingestant +ingested +ingester +ingestible +ingesting +ingestion +ingestive +ingests +inghamite +inghilois +ingine +ingirt +ingiver +ingiving +ingle +inglenook +ingles +inglesa +ingleside +inglobate +inglobe +inglobed +inglobing +inglorious +ingloriously +ingloriousness +inglu +inglut +inglutition +ingluvial +ingluvies +ingluviitis +ingluvious +ingnue +ingoing +ingoingness +ingomar +ingorge +ingot +ingoted +ingoting +ingotman +ingotmen +ingots +ingracious +ingraft +ingraftation +ingrafted +ingrafter +ingrafting +ingraftment +ingrafts +ingrain +ingrained +ingrainedly +ingrainedness +ingraining +ingrains +ingram +ingrammaticism +ingramness +ingrandize +ingrapple +ingrate +ingrateful +ingratefully +ingratefulness +ingrately +ingrates +ingratiate +ingratiated +ingratiates +ingratiating +ingratiatingly +ingratiation +ingratiatory +ingratitude +ingrave +ingravescence +ingravescent +ingravidate +ingravidation +ingreat +ingredience +ingredient +ingredients +ingress +ingresses +ingression +ingressive +ingressiveness +ingreve +ingross +ingrossing +ingroup +ingroups +ingrow +ingrowing +ingrown +ingrownness +ingrowth +ingrowths +ingruent +inguen +inguilty +inguinal +inguinoabdominal +inguinocrural +inguinocutaneous +inguinodynia +inguinolabial +inguinoscrotal +inguklimiut +ingulf +ingulfed +ingulfing +ingulfment +ingulfs +ingurgitate +ingurgitated +ingurgitating +ingurgitation +ingush +ingustable +inhabile +inhabit +inhabitability +inhabitable +inhabitance +inhabitancy +inhabitancies +inhabitant +inhabitants +inhabitate +inhabitation +inhabitative +inhabitativeness +inhabited +inhabitedness +inhabiter +inhabiting +inhabitiveness +inhabitress +inhabits +inhalant +inhalants +inhalation +inhalational +inhalations +inhalator +inhalators +inhale +inhaled +inhalement +inhalent +inhaler +inhalers +inhales +inhaling +inhame +inhance +inharmony +inharmonic +inharmonical +inharmonious +inharmoniously +inharmoniousness +inhaul +inhauler +inhaulers +inhauls +inhaust +inhaustion +inhearse +inheaven +inhelde +inhell +inhere +inhered +inherence +inherency +inherencies +inherent +inherently +inheres +inhering +inherit +inheritability +inheritabilities +inheritable +inheritableness +inheritably +inheritage +inheritance +inheritances +inherited +inheriting +inheritor +inheritors +inheritress +inheritresses +inheritrice +inheritrices +inheritrix +inherits +inherle +inhesion +inhesions +inhesive +inhiate +inhibit +inhibitable +inhibited +inhibiter +inhibiting +inhibition +inhibitionist +inhibitions +inhibitive +inhibitor +inhibitory +inhibitors +inhibits +inhive +inhold +inholder +inholding +inhomogeneity +inhomogeneities +inhomogeneous +inhomogeneously +inhonest +inhoop +inhospitable +inhospitableness +inhospitably +inhospitality +inhuman +inhumane +inhumanely +inhumaneness +inhumanism +inhumanity +inhumanities +inhumanize +inhumanly +inhumanness +inhumate +inhumation +inhumationist +inhume +inhumed +inhumer +inhumers +inhumes +inhuming +inhumorous +inhumorously +inia +inial +inyala +inidoneity +inidoneous +inigo +inimaginable +inimicability +inimicable +inimical +inimicality +inimically +inimicalness +inimicitious +inimicous +inimitability +inimitable +inimitableness +inimitably +inimitative +inyoite +inyoke +iniome +iniomi +iniomous +inion +inique +iniquitable +iniquitably +iniquity +iniquities +iniquitous +iniquitously +iniquitousness +iniquous +inirritability +inirritable +inirritably +inirritant +inirritative +inisle +inissuable +init +inital +initial +initialed +initialer +initialing +initialisation +initialise +initialised +initialism +initialist +initialization +initializations +initialize +initialized +initializer +initializers +initializes +initializing +initialled +initialler +initially +initialling +initialness +initials +initiant +initiary +initiate +initiated +initiates +initiating +initiation +initiations +initiative +initiatively +initiatives +initiator +initiatory +initiatorily +initiators +initiatress +initiatrices +initiatrix +initiatrixes +initio +inition +initis +initive +inject +injectable +injectant +injected +injecting +injection +injections +injective +injector +injectors +injects +injelly +injoin +injoint +injucundity +injudicial +injudicially +injudicious +injudiciously +injudiciousness +injun +injunct +injunction +injunctions +injunctive +injunctively +injurable +injure +injured +injuredly +injuredness +injurer +injurers +injures +injury +injuria +injuries +injuring +injurious +injuriously +injuriousness +injust +injustice +injustices +injustifiable +injustly +ink +inkberry +inkberries +inkblot +inkblots +inkbush +inked +inken +inker +inkerman +inkers +inket +inkfish +inkholder +inkhorn +inkhornism +inkhornist +inkhornize +inkhornizer +inkhorns +inky +inkie +inkier +inkies +inkiest +inkindle +inkiness +inkinesses +inking +inkings +inkish +inkle +inkles +inkless +inklike +inkling +inklings +inkmaker +inkmaking +inkman +inknit +inknot +inkos +inkosi +inkpot +inkpots +inkra +inkroot +inks +inkshed +inkslinger +inkslinging +inkstain +inkstand +inkstandish +inkstands +inkster +inkstone +inkweed +inkwell +inkwells +inkwood +inkwoods +inkwriter +inlace +inlaced +inlaces +inlacing +inlagary +inlagation +inlay +inlaid +inlayed +inlayer +inlayers +inlaying +inlaik +inlays +inlake +inland +inlander +inlanders +inlandish +inlands +inlapidate +inlapidatee +inlard +inlaut +inlaw +inlawry +inleague +inleagued +inleaguer +inleaguing +inleak +inleakage +inless +inlet +inlets +inletting +inly +inlier +inliers +inlighten +inlying +inlike +inline +inlook +inlooker +inlooking +inmate +inmates +inmeat +inmeats +inmesh +inmeshed +inmeshes +inmeshing +inmew +inmigrant +inmixture +inmore +inmost +inmprovidence +inn +innage +innards +innascibility +innascible +innate +innately +innateness +innatism +innative +innatural +innaturality +innaturally +innavigable +inne +inned +inneity +inner +innerly +innermore +innermost +innermostly +innerness +inners +innersole +innerspring +innervate +innervated +innervates +innervating +innervation +innervational +innervations +innerve +innerved +innerves +innerving +inness +innest +innet +innholder +innyard +inning +innings +inninmorite +innisfail +innitency +innkeeper +innkeepers +innless +innobedient +innocence +innocency +innocencies +innocent +innocenter +innocentest +innocently +innocentness +innocents +innocuity +innoculate +innoculated +innoculating +innoculation +innocuous +innocuously +innocuousness +innodate +innominability +innominable +innominables +innominata +innominate +innominatum +innomine +innovant +innovate +innovated +innovates +innovating +innovation +innovational +innovationist +innovations +innovative +innovatively +innovativeness +innovator +innovatory +innovators +innoxious +innoxiously +innoxiousness +inns +innuate +innubilous +innuendo +innuendoed +innuendoes +innuendoing +innuendos +innuit +innumerability +innumerable +innumerableness +innumerably +innumerate +innumerous +innutrient +innutrition +innutritious +innutritiousness +innutritive +ino +inobedience +inobedient +inobediently +inoblast +inobnoxious +inobscurable +inobservable +inobservance +inobservancy +inobservant +inobservantly +inobservantness +inobservation +inobtainable +inobtrusive +inobtrusively +inobtrusiveness +inobvious +inocarpin +inocarpus +inoccupation +inoceramus +inochondritis +inochondroma +inocystoma +inocyte +inocula +inoculability +inoculable +inoculant +inocular +inoculate +inoculated +inoculates +inoculating +inoculation +inoculations +inoculative +inoculativity +inoculator +inoculum +inoculums +inodes +inodiate +inodorate +inodorous +inodorously +inodorousness +inoepithelioma +inoffending +inoffensive +inoffensively +inoffensiveness +inofficial +inofficially +inofficiosity +inofficious +inofficiously +inofficiousness +inogen +inogenesis +inogenic +inogenous +inoglia +inohymenitic +inolith +inoma +inominous +inomyoma +inomyositis +inomyxoma +inone +inoneuroma +inoperability +inoperable +inoperation +inoperational +inoperative +inoperativeness +inopercular +inoperculata +inoperculate +inopinable +inopinate +inopinately +inopine +inopportune +inopportunely +inopportuneness +inopportunism +inopportunist +inopportunity +inoppressive +inoppugnable +inopulent +inorb +inorderly +inordinacy +inordinance +inordinancy +inordinary +inordinate +inordinately +inordinateness +inordination +inorg +inorganic +inorganical +inorganically +inorganity +inorganizable +inorganization +inorganized +inoriginate +inornate +inornateness +inorthography +inosclerosis +inoscopy +inosculate +inosculated +inosculating +inosculation +inosic +inosilicate +inosin +inosine +inosinic +inosite +inosites +inositol +inositols +inostensible +inostensibly +inotropic +inower +inoxidability +inoxidable +inoxidizable +inoxidize +inoxidized +inoxidizing +inpayment +inparabola +inpardonable +inparfit +inpatient +inpatients +inpensioner +inphase +inphases +inpolygon +inpolyhedron +inponderable +inport +inpour +inpoured +inpouring +inpours +inpush +input +inputfile +inputs +inputted +inputting +inqilab +inquaintance +inquartation +inquest +inquests +inquestual +inquiet +inquietation +inquieted +inquieting +inquietly +inquietness +inquiets +inquietude +inquietudes +inquilinae +inquiline +inquilinism +inquilinity +inquilinous +inquinate +inquinated +inquinating +inquination +inquirable +inquirance +inquirant +inquiration +inquire +inquired +inquirendo +inquirent +inquirer +inquirers +inquires +inquiry +inquiries +inquiring +inquiringly +inquisible +inquisit +inquisite +inquisition +inquisitional +inquisitionist +inquisitions +inquisitive +inquisitively +inquisitiveness +inquisitor +inquisitory +inquisitorial +inquisitorially +inquisitorialness +inquisitorious +inquisitors +inquisitorship +inquisitress +inquisitrix +inquisiturient +inracinate +inradii +inradius +inradiuses +inrail +inreality +inregister +inrigged +inrigger +inrighted +inring +inro +inroad +inroader +inroads +inrol +inroll +inrolling +inrooted +inrub +inrun +inrunning +inruption +inrush +inrushes +inrushing +ins +insabbatist +insack +insafety +insagacity +insalivate +insalivated +insalivating +insalivation +insalubrious +insalubriously +insalubriousness +insalubrity +insalubrities +insalutary +insalvability +insalvable +insame +insanable +insane +insanely +insaneness +insaner +insanest +insaniate +insanie +insanify +insanitary +insanitariness +insanitation +insanity +insanities +insapiency +insapient +insapory +insatiability +insatiable +insatiableness +insatiably +insatiate +insatiated +insatiately +insatiateness +insatiety +insatisfaction +insatisfactorily +insaturable +inscape +inscenation +inscibile +inscience +inscient +inscious +insconce +inscribable +inscribableness +inscribe +inscribed +inscriber +inscribers +inscribes +inscribing +inscript +inscriptible +inscription +inscriptional +inscriptioned +inscriptionist +inscriptionless +inscriptions +inscriptive +inscriptively +inscriptured +inscroll +inscrolled +inscrolling +inscrolls +inscrutability +inscrutable +inscrutableness +inscrutables +inscrutably +insculp +insculped +insculping +insculps +insculpture +insculptured +inscutcheon +insea +inseam +inseamer +inseams +insearch +insecable +insect +insecta +insectan +insectary +insectaria +insectaries +insectarium +insectariums +insectation +insectean +insected +insecticidal +insecticidally +insecticide +insecticides +insectiferous +insectiform +insectifuge +insectile +insectine +insection +insectival +insectivora +insectivore +insectivory +insectivorous +insectlike +insectmonger +insectologer +insectology +insectologist +insectproof +insects +insecure +insecurely +insecureness +insecurity +insecurities +insecution +insee +inseeing +inseer +inselberg +inselberge +inseminate +inseminated +inseminates +inseminating +insemination +inseminations +inseminator +inseminators +insenescible +insensate +insensately +insensateness +insense +insensed +insensibility +insensibilities +insensibilization +insensibilize +insensibilizer +insensible +insensibleness +insensibly +insensing +insensitive +insensitively +insensitiveness +insensitivity +insensitivities +insensuous +insentience +insentiency +insentient +insep +inseparability +inseparable +inseparableness +inseparables +inseparably +inseparate +inseparately +insequent +insert +insertable +inserted +inserter +inserters +inserting +insertion +insertional +insertions +insertive +inserts +inserve +inserviceable +inservient +insession +insessor +insessores +insessorial +inset +insets +insetted +insetter +insetters +insetting +inseverable +inseverably +inshade +inshave +insheath +insheathe +insheathed +insheathing +insheaths +inshell +inshining +inship +inshoe +inshoot +inshore +inshrine +inshrined +inshrines +inshrining +inside +insident +insider +insiders +insides +insidiate +insidiation +insidiator +insidiosity +insidious +insidiously +insidiousness +insight +insighted +insightful +insightfully +insights +insigne +insignes +insignia +insignias +insignificance +insignificancy +insignificancies +insignificant +insignificantly +insignificative +insignisigne +insignment +insimplicity +insimulate +insincere +insincerely +insincerity +insincerities +insinew +insinking +insinuant +insinuate +insinuated +insinuates +insinuating +insinuatingly +insinuation +insinuations +insinuative +insinuatively +insinuativeness +insinuator +insinuatory +insinuators +insinuendo +insipid +insipidity +insipidities +insipidly +insipidness +insipience +insipient +insipiently +insist +insisted +insistence +insistency +insistencies +insistent +insistently +insister +insisters +insisting +insistingly +insistive +insists +insisture +insistuvree +insite +insitiency +insition +insititious +insnare +insnared +insnarement +insnarer +insnarers +insnares +insnaring +insobriety +insociability +insociable +insociableness +insociably +insocial +insocially +insociate +insofar +insol +insolate +insolated +insolates +insolating +insolation +insole +insolence +insolency +insolent +insolently +insolentness +insolents +insoles +insolid +insolidity +insolite +insolubility +insolubilities +insolubilization +insolubilize +insolubilized +insolubilizing +insoluble +insolubleness +insolubly +insolvability +insolvable +insolvably +insolvence +insolvency +insolvencies +insolvent +insomnia +insomniac +insomniacs +insomnias +insomnious +insomnolence +insomnolency +insomnolent +insomnolently +insomuch +insonorous +insooth +insorb +insorbent +insordid +insouciance +insouciant +insouciantly +insoul +insouled +insouling +insouls +insp +inspake +inspan +inspanned +inspanning +inspans +inspeak +inspeaking +inspect +inspectability +inspectable +inspected +inspecting +inspectingly +inspection +inspectional +inspectioneer +inspections +inspective +inspector +inspectoral +inspectorate +inspectorial +inspectors +inspectorship +inspectress +inspectrix +inspects +insperge +insperse +inspeximus +inspheration +insphere +insphered +inspheres +insphering +inspinne +inspirability +inspirable +inspirant +inspirate +inspiration +inspirational +inspirationalism +inspirationally +inspirationist +inspirations +inspirative +inspirator +inspiratory +inspiratrix +inspire +inspired +inspiredly +inspirer +inspirers +inspires +inspiring +inspiringly +inspirit +inspirited +inspiriter +inspiriting +inspiritingly +inspiritment +inspirits +inspirometer +inspissant +inspissate +inspissated +inspissating +inspissation +inspissator +inspissosis +inspoke +inspoken +inspreith +inst +instability +instabilities +instable +instal +install +installant +installation +installations +installed +installer +installers +installing +installment +installments +installs +instalment +instals +instamp +instance +instanced +instances +instancy +instancies +instancing +instanding +instant +instantaneity +instantaneous +instantaneously +instantaneousness +instanter +instantial +instantiate +instantiated +instantiates +instantiating +instantiation +instantiations +instantly +instantness +instants +instar +instarred +instarring +instars +instate +instated +instatement +instates +instating +instaurate +instauration +instaurator +instead +instealing +insteam +insteep +instellatinn +instellation +instep +insteps +instigant +instigate +instigated +instigates +instigating +instigatingly +instigation +instigative +instigator +instigators +instigatrix +instil +instyle +instill +instillation +instillator +instillatory +instilled +instiller +instillers +instilling +instillment +instills +instilment +instils +instimulate +instinct +instinction +instinctive +instinctively +instinctiveness +instinctivist +instinctivity +instincts +instinctual +instinctually +instipulate +institor +institory +institorial +institorian +institue +institute +instituted +instituter +instituters +institutes +instituting +institution +institutional +institutionalisation +institutionalise +institutionalised +institutionalising +institutionalism +institutionalist +institutionalists +institutionality +institutionalization +institutionalize +institutionalized +institutionalizes +institutionalizing +institutionally +institutionary +institutionize +institutions +institutive +institutively +institutor +institutors +institutress +institutrix +instonement +instop +instore +instr +instratified +instreaming +instrengthen +instressed +instroke +instrokes +instruct +instructable +instructed +instructedly +instructedness +instructer +instructible +instructing +instruction +instructional +instructionary +instructions +instructive +instructively +instructiveness +instructor +instructorial +instructorless +instructors +instructorship +instructorships +instructress +instructs +instrument +instrumental +instrumentalism +instrumentalist +instrumentalists +instrumentality +instrumentalities +instrumentalize +instrumentally +instrumentals +instrumentary +instrumentate +instrumentation +instrumentations +instrumentative +instrumented +instrumenting +instrumentist +instrumentman +instruments +insuavity +insubduable +insubjection +insubmergible +insubmersible +insubmission +insubmissive +insubordinate +insubordinately +insubordinateness +insubordination +insubstantial +insubstantiality +insubstantialize +insubstantially +insubstantiate +insubstantiation +insubvertible +insuccate +insuccation +insuccess +insuccessful +insucken +insue +insuetude +insufferable +insufferableness +insufferably +insufficience +insufficiency +insufficiencies +insufficient +insufficiently +insufficientness +insufflate +insufflated +insufflating +insufflation +insufflator +insuitable +insula +insulae +insulance +insulant +insulants +insular +insulary +insularism +insularity +insularize +insularized +insularizing +insularly +insulars +insulate +insulated +insulates +insulating +insulation +insulations +insulator +insulators +insulin +insulinase +insulination +insulinize +insulinized +insulinizing +insulins +insulize +insulphured +insulse +insulsity +insult +insultable +insultant +insultation +insulted +insulter +insulters +insulting +insultingly +insultment +insultproof +insults +insume +insunk +insuper +insuperability +insuperable +insuperableness +insuperably +insupportable +insupportableness +insupportably +insupposable +insuppressibility +insuppressible +insuppressibly +insuppressive +insurability +insurable +insurance +insurant +insurants +insure +insured +insureds +insuree +insurer +insurers +insures +insurge +insurgence +insurgences +insurgency +insurgencies +insurgent +insurgentism +insurgently +insurgents +insurgescence +insuring +insurmountability +insurmountable +insurmountableness +insurmountably +insurpassable +insurrect +insurrection +insurrectional +insurrectionally +insurrectionary +insurrectionaries +insurrectionise +insurrectionised +insurrectionising +insurrectionism +insurrectionist +insurrectionists +insurrectionize +insurrectionized +insurrectionizing +insurrections +insurrecto +insurrectory +insusceptibility +insusceptibilities +insusceptible +insusceptibly +insusceptive +insuspect +insusurration +inswamp +inswarming +inswathe +inswathed +inswathement +inswathes +inswathing +insweeping +inswell +inswept +inswing +inswinger +int +inta +intablature +intabulate +intact +intactible +intactile +intactly +intactness +intagli +intagliated +intagliation +intaglio +intaglioed +intaglioing +intaglios +intagliotype +intail +intake +intaker +intakes +intaminated +intangibility +intangibilities +intangible +intangibleness +intangibles +intangibly +intangle +intaria +intarissable +intarsa +intarsas +intarsia +intarsias +intarsiate +intarsist +intastable +intaxable +intebred +intebreeding +intechnicality +integer +integers +integrability +integrable +integral +integrality +integralization +integralize +integrally +integrals +integrand +integrant +integraph +integrate +integrated +integrates +integrating +integration +integrationist +integrations +integrative +integrator +integrifolious +integrious +integriously +integripallial +integripalliate +integrity +integrities +integrodifferential +integropallial +integropallialia +integropalliata +integropalliate +integumation +integument +integumental +integumentary +integumentation +integuments +inteind +intel +intellect +intellectation +intellected +intellectible +intellection +intellective +intellectively +intellects +intellectual +intellectualisation +intellectualise +intellectualised +intellectualiser +intellectualising +intellectualism +intellectualist +intellectualistic +intellectualistically +intellectuality +intellectualities +intellectualization +intellectualizations +intellectualize +intellectualized +intellectualizer +intellectualizes +intellectualizing +intellectually +intellectualness +intellectuals +intelligence +intelligenced +intelligencer +intelligences +intelligency +intelligencing +intelligent +intelligential +intelligentiary +intelligently +intelligentsia +intelligibility +intelligibilities +intelligible +intelligibleness +intelligibly +intelligize +intelsat +intemerate +intemerately +intemerateness +intemeration +intemperable +intemperably +intemperament +intemperance +intemperances +intemperancy +intemperant +intemperate +intemperately +intemperateness +intemperature +intemperies +intempestive +intempestively +intempestivity +intemporal +intemporally +intenability +intenable +intenancy +intend +intendance +intendancy +intendancies +intendant +intendantism +intendantship +intended +intendedly +intendedness +intendeds +intendence +intendency +intendencia +intendencies +intendente +intender +intenders +intendible +intendiment +intending +intendingly +intendit +intendment +intends +intenerate +intenerated +intenerating +inteneration +intenible +intens +intensate +intensation +intensative +intense +intensely +intenseness +intenser +intensest +intensify +intensification +intensifications +intensified +intensifier +intensifiers +intensifies +intensifying +intension +intensional +intensionally +intensity +intensities +intensitive +intensitometer +intensive +intensively +intensiveness +intensivenyess +intensives +intent +intentation +intented +intention +intentional +intentionalism +intentionality +intentionally +intentioned +intentionless +intentions +intentive +intentively +intentiveness +intently +intentness +intents +inter +interabang +interabsorption +interacademic +interacademically +interaccessory +interaccuse +interaccused +interaccusing +interacinar +interacinous +interacra +interact +interactant +interacted +interacting +interaction +interactional +interactionism +interactionist +interactions +interactive +interactively +interactivity +interacts +interadaptation +interadaption +interadditive +interadventual +interaffiliate +interaffiliated +interaffiliation +interagency +interagencies +interagent +interagglutinate +interagglutinated +interagglutinating +interagglutination +interagree +interagreed +interagreeing +interagreement +interalar +interall +interally +interalliance +interallied +interalveolar +interambulacra +interambulacral +interambulacrum +interamnian +interangular +interanimate +interanimated +interanimating +interannular +interantagonism +interantennal +interantennary +interapophysal +interapophyseal +interapplication +interarboration +interarch +interarcualis +interarytenoid +interarmy +interarrival +interarticular +interartistic +interassociate +interassociated +interassociation +interassure +interassured +interassuring +interasteroidal +interastral +interatomic +interatrial +interattrition +interaulic +interaural +interauricular +interavailability +interavailable +interaxal +interaxes +interaxial +interaxillary +interaxis +interbalance +interbalanced +interbalancing +interbanded +interbank +interbanking +interbastate +interbbred +interbed +interbedded +interbelligerent +interblend +interblended +interblending +interblent +interblock +interbody +interbonding +interborough +interbourse +interbrachial +interbrain +interbranch +interbranchial +interbreath +interbred +interbreed +interbreeding +interbreeds +interbrigade +interbring +interbronchial +interbrood +intercadence +intercadent +intercalar +intercalare +intercalary +intercalarily +intercalarium +intercalate +intercalated +intercalates +intercalating +intercalation +intercalations +intercalative +intercalatory +intercale +intercalm +intercanal +intercanalicular +intercapillary +intercardinal +intercarotid +intercarpal +intercarpellary +intercarrier +intercartilaginous +intercaste +intercatenated +intercausative +intercavernous +intercede +interceded +intercedent +interceder +intercedes +interceding +intercellular +intercellularly +intercensal +intercentra +intercentral +intercentrum +intercept +interceptable +intercepted +intercepter +intercepting +interception +interceptions +interceptive +interceptor +interceptors +interceptress +intercepts +intercerebral +intercess +intercession +intercessional +intercessionary +intercessionate +intercessionment +intercessions +intercessive +intercessor +intercessory +intercessorial +intercessors +interchaff +interchain +interchange +interchangeability +interchangeable +interchangeableness +interchangeably +interchanged +interchangement +interchanger +interchanges +interchanging +interchangings +interchannel +interchapter +intercharge +intercharged +intercharging +interchase +interchased +interchasing +intercheck +interchoke +interchoked +interchoking +interchondral +interchurch +intercident +intercidona +interciliary +intercilium +intercipient +intercircle +intercircled +intercircling +intercirculate +intercirculated +intercirculating +intercirculation +intercision +intercystic +intercity +intercitizenship +intercivic +intercivilization +interclash +interclasp +interclass +interclavicle +interclavicular +interclerical +interclose +intercloud +interclub +interclude +interclusion +intercoastal +intercoccygeal +intercoccygean +intercohesion +intercollege +intercollegian +intercollegiate +intercolline +intercolonial +intercolonially +intercolonization +intercolonize +intercolonized +intercolonizing +intercolumn +intercolumnal +intercolumnar +intercolumnation +intercolumniation +intercom +intercombat +intercombination +intercombine +intercombined +intercombining +intercome +intercommission +intercommissural +intercommon +intercommonable +intercommonage +intercommoned +intercommoner +intercommoning +intercommunal +intercommune +intercommuned +intercommuner +intercommunicability +intercommunicable +intercommunicate +intercommunicated +intercommunicates +intercommunicating +intercommunication +intercommunicational +intercommunications +intercommunicative +intercommunicator +intercommuning +intercommunion +intercommunional +intercommunity +intercommunities +intercompany +intercomparable +intercompare +intercompared +intercomparing +intercomparison +intercomplexity +intercomplimentary +intercoms +interconal +interconciliary +intercondenser +intercondylar +intercondylic +intercondyloid +interconfessional +interconfound +interconnect +interconnected +interconnectedness +interconnecting +interconnection +interconnections +interconnects +interconnexion +interconsonantal +intercontinental +intercontorted +intercontradiction +intercontradictory +interconversion +interconvert +interconvertibility +interconvertible +interconvertibly +intercooler +intercooling +intercoracoid +intercorporate +intercorpuscular +intercorrelate +intercorrelated +intercorrelating +intercorrelation +intercorrelations +intercortical +intercosmic +intercosmically +intercostal +intercostally +intercostobrachial +intercostohumeral +intercotylar +intercounty +intercouple +intercoupled +intercoupling +intercourse +intercoxal +intercranial +intercreate +intercreated +intercreating +intercreedal +intercrescence +intercrinal +intercrystalline +intercrystallization +intercrystallize +intercrop +intercropped +intercropping +intercross +intercrossed +intercrossing +intercrural +intercrust +intercultural +interculturally +interculture +intercupola +intercur +intercurl +intercurrence +intercurrent +intercurrently +intercursation +intercuspidal +intercut +intercutaneous +intercuts +intercutting +interdash +interdata +interdeal +interdealer +interdebate +interdebated +interdebating +interdenominational +interdenominationalism +interdental +interdentally +interdentil +interdepartmental +interdepartmentally +interdepend +interdependability +interdependable +interdependence +interdependency +interdependencies +interdependent +interdependently +interderivative +interdespise +interdestructive +interdestructively +interdestructiveness +interdetermination +interdetermine +interdetermined +interdetermining +interdevour +interdict +interdicted +interdicting +interdiction +interdictions +interdictive +interdictor +interdictory +interdicts +interdictum +interdifferentiate +interdifferentiated +interdifferentiating +interdifferentiation +interdiffuse +interdiffused +interdiffusiness +interdiffusing +interdiffusion +interdiffusive +interdiffusiveness +interdigital +interdigitally +interdigitate +interdigitated +interdigitating +interdigitation +interdine +interdiscal +interdisciplinary +interdispensation +interdistinguish +interdistrict +interdivision +interdome +interdorsal +interdrink +intereat +interelectrode +interelectrodic +interembrace +interembraced +interembracing +interempire +interemption +interenjoy +interentangle +interentangled +interentanglement +interentangling +interepidemic +interepimeral +interepithelial +interequinoctial +interess +interesse +interessee +interessor +interest +interested +interestedly +interestedness +interester +interesterification +interesting +interestingly +interestingness +interestless +interests +interestuarine +interexchange +interface +interfaced +interfacer +interfaces +interfacial +interfacing +interfactional +interfaith +interfamily +interfascicular +interfault +interfector +interfederation +interfemoral +interfenestral +interfenestration +interferant +interfere +interfered +interference +interferences +interferent +interferential +interferer +interferers +interferes +interfering +interferingly +interferingness +interferogram +interferometer +interferometers +interferometry +interferometric +interferometrically +interferometries +interferon +interferric +interfertile +interfertility +interfibrillar +interfibrillary +interfibrous +interfilamentar +interfilamentary +interfilamentous +interfilar +interfile +interfiled +interfiles +interfiling +interfilling +interfiltrate +interfiltrated +interfiltrating +interfiltration +interfinger +interfirm +interflange +interflashing +interflow +interfluence +interfluent +interfluminal +interfluous +interfluve +interfluvial +interflux +interfold +interfoliaceous +interfoliar +interfoliate +interfollicular +interforce +interframe +interfraternal +interfraternally +interfraternity +interfret +interfretted +interfriction +interfrontal +interfruitful +interfulgent +interfuse +interfused +interfusing +interfusion +intergalactic +interganglionic +intergatory +intergenerant +intergenerating +intergeneration +intergenerational +intergenerative +intergeneric +intergential +intergesture +intergilt +intergyral +interglacial +interglandular +interglyph +interglobular +intergonial +intergossip +intergossiped +intergossiping +intergossipped +intergossipping +intergovernmental +intergradation +intergradational +intergrade +intergraded +intergradient +intergrading +intergraft +intergranular +intergrapple +intergrappled +intergrappling +intergrave +intergroup +intergroupal +intergrow +intergrown +intergrowth +intergular +interhabitation +interhaemal +interhemal +interhemispheric +interhyal +interhybridize +interhybridized +interhybridizing +interhostile +interhuman +interieur +interim +interimist +interimistic +interimistical +interimistically +interimperial +interims +interincorporation +interindependence +interindicate +interindicated +interindicating +interindividual +interinfluence +interinfluenced +interinfluencing +interinhibition +interinhibitive +interinsert +interinsular +interinsurance +interinsurer +interinvolve +interinvolved +interinvolving +interionic +interior +interiorism +interiorist +interiority +interiorization +interiorize +interiorized +interiorizes +interiorizing +interiorly +interiorness +interiors +interirrigation +interisland +interj +interjacence +interjacency +interjacent +interjaculate +interjaculateded +interjaculating +interjaculatory +interjangle +interjealousy +interject +interjected +interjecting +interjection +interjectional +interjectionalise +interjectionalised +interjectionalising +interjectionalize +interjectionalized +interjectionalizing +interjectionally +interjectionary +interjectionize +interjections +interjectiveness +interjector +interjectory +interjectorily +interjectors +interjects +interjectural +interjoin +interjoinder +interjoist +interjudgment +interjugal +interjugular +interjunction +interkinesis +interkinetic +interknit +interknitted +interknitting +interknot +interknotted +interknotting +interknow +interknowledge +interlabial +interlaboratory +interlace +interlaced +interlacedly +interlacement +interlacer +interlacery +interlaces +interlacing +interlacustrine +interlay +interlaid +interlayer +interlayering +interlaying +interlain +interlays +interlake +interlamellar +interlamellation +interlaminar +interlaminate +interlaminated +interlaminating +interlamination +interlanguage +interlap +interlapped +interlapping +interlaps +interlapse +interlard +interlardation +interlarded +interlarding +interlardment +interlards +interlatitudinal +interlaudation +interleaf +interleague +interleave +interleaved +interleaver +interleaves +interleaving +interlibel +interlibeled +interlibelling +interlibrary +interlie +interligamentary +interligamentous +interlight +interlying +interlimitation +interline +interlineal +interlineally +interlinear +interlineary +interlinearily +interlinearly +interlineate +interlineated +interlineating +interlineation +interlineations +interlined +interlinement +interliner +interlines +interlingua +interlingual +interlinguist +interlinguistic +interlining +interlink +interlinkage +interlinked +interlinking +interlinks +interlisp +interloan +interlobar +interlobate +interlobular +interlocal +interlocally +interlocate +interlocated +interlocating +interlocation +interlock +interlocked +interlocker +interlocking +interlocks +interlocular +interloculli +interloculus +interlocus +interlocution +interlocutive +interlocutor +interlocutory +interlocutorily +interlocutors +interlocutress +interlocutresses +interlocutrice +interlocutrices +interlocutrix +interloli +interloop +interlope +interloped +interloper +interlopers +interlopes +interloping +interlot +interlotted +interlotting +interlucate +interlucation +interlucent +interlude +interluder +interludes +interludial +interluency +interlunar +interlunary +interlunation +intermachine +intermalar +intermalleolar +intermammary +intermammillary +intermandibular +intermanorial +intermarginal +intermarine +intermarry +intermarriage +intermarriageable +intermarriages +intermarried +intermarries +intermarrying +intermason +intermastoid +intermat +intermatch +intermatted +intermatting +intermaxilla +intermaxillar +intermaxillary +intermaze +intermazed +intermazing +intermean +intermeasurable +intermeasure +intermeasured +intermeasuring +intermeddle +intermeddled +intermeddlement +intermeddler +intermeddlesome +intermeddlesomeness +intermeddling +intermeddlingly +intermede +intermedia +intermediacy +intermediae +intermedial +intermediary +intermediaries +intermediate +intermediated +intermediately +intermediateness +intermediates +intermediating +intermediation +intermediator +intermediatory +intermedin +intermedious +intermedium +intermedius +intermeet +intermeeting +intermell +intermelt +intermembral +intermembranous +intermeningeal +intermenstrual +intermenstruum +interment +intermental +intermention +interments +intermercurial +intermesenterial +intermesenteric +intermesh +intermeshed +intermeshes +intermeshing +intermessage +intermessenger +intermet +intermetacarpal +intermetallic +intermetameric +intermetatarsal +intermew +intermewed +intermewer +intermezzi +intermezzo +intermezzos +intermiddle +intermigrate +intermigrated +intermigrating +intermigration +interminability +interminable +interminableness +interminably +interminant +interminate +interminated +intermination +intermine +intermined +intermingle +intermingled +intermingledom +interminglement +intermingles +intermingling +intermining +interminister +interministerial +interministerium +intermise +intermission +intermissions +intermissive +intermit +intermits +intermitted +intermittedly +intermittence +intermittency +intermittencies +intermittent +intermittently +intermitter +intermitting +intermittingly +intermittor +intermix +intermixable +intermixed +intermixedly +intermixes +intermixing +intermixt +intermixtly +intermixture +intermixtures +intermmet +intermobility +intermodification +intermodillion +intermodulation +intermodule +intermolar +intermolecular +intermolecularly +intermomentary +intermontane +intermorainic +intermotion +intermountain +intermundane +intermundial +intermundian +intermundium +intermunicipal +intermunicipality +intermural +intermure +intermuscular +intermuscularity +intermuscularly +intermutation +intermutual +intermutually +intermutule +intern +internal +internality +internalities +internalization +internalize +internalized +internalizes +internalizing +internally +internalness +internals +internarial +internasal +internat +internation +international +internationale +internationalisation +internationalise +internationalised +internationalising +internationalism +internationalist +internationalists +internationality +internationalization +internationalizations +internationalize +internationalized +internationalizes +internationalizing +internationally +internationals +internatl +interne +interneciary +internecinal +internecine +internecion +internecive +internect +internection +interned +internee +internees +internegative +internes +internescine +interneship +internet +internetted +internetwork +internetworking +internetworks +interneural +interneuron +interneuronal +interneuronic +internidal +interning +internist +internists +internity +internment +internments +internobasal +internodal +internode +internodes +internodia +internodial +internodian +internodium +internodular +interns +internship +internships +internuclear +internunce +internuncial +internuncially +internunciary +internunciatory +internunciess +internuncio +internuncios +internuncioship +internuncius +internuptial +internuptials +interobjective +interoceanic +interoceptive +interoceptor +interocular +interoffice +interolivary +interopercle +interopercular +interoperculum +interoptic +interorbital +interorbitally +interoscillate +interoscillated +interoscillating +interosculant +interosculate +interosculated +interosculating +interosculation +interosseal +interossei +interosseous +interosseus +interownership +interpage +interpalatine +interpale +interpalpebral +interpapillary +interparenchymal +interparental +interparenthetic +interparenthetical +interparenthetically +interparietal +interparietale +interparliament +interparliamentary +interparoxysmal +interparty +interpass +interpause +interpave +interpaved +interpaving +interpeal +interpectoral +interpeduncular +interpel +interpellant +interpellate +interpellated +interpellating +interpellation +interpellator +interpelled +interpelling +interpendent +interpenetrable +interpenetrant +interpenetrate +interpenetrated +interpenetrating +interpenetration +interpenetrative +interpenetratively +interpermeate +interpermeated +interpermeating +interpersonal +interpersonally +interpervade +interpervaded +interpervading +interpervasive +interpervasively +interpervasiveness +interpetaloid +interpetalous +interpetiolar +interpetiolary +interphalangeal +interphase +interphone +interphones +interpiece +interpilaster +interpilastering +interplace +interplacental +interplay +interplaying +interplays +interplait +interplanetary +interplant +interplanting +interplea +interplead +interpleaded +interpleader +interpleading +interpleads +interpled +interpledge +interpledged +interpledging +interpleural +interplical +interplicate +interplication +interplight +interpoint +interpol +interpolable +interpolant +interpolar +interpolary +interpolate +interpolated +interpolater +interpolates +interpolating +interpolation +interpolations +interpolative +interpolatively +interpolator +interpolatory +interpolators +interpole +interpolymer +interpolish +interpolity +interpolitical +interpollinate +interpollinated +interpollinating +interpone +interportal +interposable +interposal +interpose +interposed +interposer +interposers +interposes +interposing +interposingly +interposition +interpositions +interposure +interpour +interppled +interppoliesh +interprater +interpressure +interpret +interpretability +interpretable +interpretableness +interpretably +interpretament +interpretate +interpretation +interpretational +interpretations +interpretative +interpretatively +interpreted +interpreter +interpreters +interpretership +interpreting +interpretive +interpretively +interpretorial +interpretress +interprets +interprismatic +interprocess +interproduce +interproduced +interproducing +interprofessional +interprofessionally +interproglottidal +interproportional +interprotoplasmic +interprovincial +interproximal +interproximate +interpterygoid +interpubic +interpulmonary +interpunct +interpunction +interpunctuate +interpunctuation +interpupillary +interquarrel +interquarreled +interquarreling +interquarter +interrace +interracial +interracialism +interradial +interradially +interradiate +interradiated +interradiating +interradiation +interradii +interradium +interradius +interrailway +interramal +interramicorn +interramification +interran +interreact +interreceive +interreceived +interreceiving +interrecord +interred +interreflect +interreflection +interregal +interregency +interregent +interreges +interregimental +interregional +interregionally +interregna +interregnal +interregnum +interregnums +interreign +interrelate +interrelated +interrelatedly +interrelatedness +interrelates +interrelating +interrelation +interrelations +interrelationship +interrelationships +interreligious +interreligiously +interrena +interrenal +interrenalism +interrepellent +interrepulsion +interrer +interresist +interresistance +interresistibility +interresponsibility +interresponsible +interresponsive +interreticular +interreticulation +interrex +interrhyme +interrhymed +interrhyming +interright +interring +interriven +interroad +interrobang +interrog +interrogability +interrogable +interrogant +interrogate +interrogated +interrogatedness +interrogatee +interrogates +interrogating +interrogatingly +interrogation +interrogational +interrogations +interrogative +interrogatively +interrogator +interrogatory +interrogatories +interrogatorily +interrogators +interrogatrix +interrogee +interroom +interrule +interruled +interruling +interrun +interrunning +interrupt +interruptable +interrupted +interruptedly +interruptedness +interrupter +interrupters +interruptible +interrupting +interruptingly +interruption +interruptions +interruptive +interruptively +interruptor +interruptory +interrupts +inters +intersale +intersalute +intersaluted +intersaluting +interscapilium +interscapular +interscapulum +interscendent +interscene +interscholastic +interschool +interscience +interscribe +interscribed +interscribing +interscription +interseaboard +interseam +interseamed +intersecant +intersect +intersectant +intersected +intersecting +intersection +intersectional +intersections +intersector +intersects +intersegmental +interseminal +interseminate +interseminated +interseminating +intersentimental +interseptal +interseptum +intersert +intersertal +interservice +intersesamoid +intersession +intersessional +intersessions +interset +intersetting +intersex +intersexes +intersexual +intersexualism +intersexuality +intersexualities +intersexually +intershade +intershaded +intershading +intershifting +intershock +intershoot +intershooting +intershop +intershot +intersidereal +intersystem +intersystematic +intersystematical +intersystematically +intersituate +intersituated +intersituating +intersocial +intersocietal +intersociety +intersoil +intersole +intersoled +intersoling +intersolubility +intersoluble +intersomnial +intersomnious +intersonant +intersow +interspace +interspaced +interspacing +interspatial +interspatially +interspeaker +interspecial +interspecies +interspecific +interspeech +interspersal +intersperse +interspersed +interspersedly +intersperses +interspersing +interspersion +interspersions +interspheral +intersphere +interspicular +interspinal +interspinalis +interspinous +interspiral +interspiration +interspire +intersporal +intersprinkle +intersprinkled +intersprinkling +intersqueeze +intersqueezed +intersqueezing +intersshot +interstade +interstadial +interstage +interstaminal +interstapedial +interstate +interstates +interstation +interstellar +interstellary +intersterile +intersterility +intersternal +interstice +intersticed +interstices +intersticial +interstimulate +interstimulated +interstimulating +interstimulation +interstinctive +interstitial +interstitially +interstition +interstitious +interstitium +interstratify +interstratification +interstratified +interstratifying +interstreak +interstream +interstreet +interstrial +interstriation +interstrive +interstriven +interstriving +interstrove +interstructure +intersubjective +intersubjectively +intersubjectivity +intersubsistence +intersubstitution +intersuperciliary +intersusceptation +intertalk +intertangle +intertangled +intertanglement +intertangles +intertangling +intertarsal +intertask +interteam +intertear +intertentacular +intertergal +interterminal +interterritorial +intertessellation +intertestamental +intertex +intertexture +interthing +interthread +interthreaded +interthreading +interthronging +intertidal +intertidally +intertie +intertied +intertieing +interties +intertill +intertillage +intertinge +intertinged +intertinging +intertype +intertissue +intertissued +intertoll +intertone +intertongue +intertonic +intertouch +intertown +intertrabecular +intertrace +intertraced +intertracing +intertrade +intertraded +intertrading +intertraffic +intertrafficked +intertrafficking +intertragian +intertransformability +intertransformable +intertransmissible +intertransmission +intertranspicuous +intertransversal +intertransversalis +intertransversary +intertransverse +intertrappean +intertree +intertribal +intertriginous +intertriglyph +intertrigo +intertrinitarian +intertrochanteric +intertrochlear +intertropic +intertropical +intertropics +intertrude +intertuberal +intertubercular +intertubular +intertwin +intertwine +intertwined +intertwinement +intertwinements +intertwines +intertwining +intertwiningly +intertwist +intertwisted +intertwisting +intertwistingly +interungular +interungulate +interunion +interuniversity +interurban +interureteric +intervaginal +interval +intervale +intervaled +intervalic +intervaling +intervalled +intervalley +intervallic +intervalling +intervallum +intervalometer +intervals +intervalvular +intervary +intervariation +intervaried +intervarietal +intervarying +intervarsity +intervascular +intervein +interveinal +interveined +interveining +interveinous +intervenant +intervene +intervened +intervener +interveners +intervenes +intervenience +interveniency +intervenient +intervening +intervenium +intervenor +intervent +intervention +interventional +interventionism +interventionist +interventionists +interventions +interventive +interventor +interventral +interventralia +interventricular +intervenue +intervenular +interverbal +interversion +intervert +intervertebra +intervertebral +intervertebrally +interverting +intervesicular +interview +interviewable +interviewed +interviewee +interviewees +interviewer +interviewers +interviewing +interviews +intervillous +intervisibility +intervisible +intervisit +intervisitation +intervital +intervocal +intervocalic +intervocalically +intervolute +intervolution +intervolve +intervolved +intervolving +interwar +interwarred +interwarring +interweave +interweaved +interweavement +interweaver +interweaves +interweaving +interweavingly +interwed +interweld +interwhiff +interwhile +interwhistle +interwhistled +interwhistling +interwind +interwinded +interwinding +interwish +interword +interwork +interworked +interworking +interworks +interworld +interworry +interwound +interwove +interwoven +interwovenly +interwrap +interwrapped +interwrapping +interwreathe +interwreathed +interwreathing +interwrought +interwwrought +interxylary +interzygapophysial +interzonal +interzone +interzooecial +intestable +intestacy +intestacies +intestate +intestation +intestinal +intestinally +intestine +intestineness +intestines +intestiniform +intestinovesical +intexine +intext +intextine +intexture +inthral +inthrall +inthralled +inthralling +inthrallment +inthralls +inthralment +inthrals +inthrone +inthroned +inthrones +inthrong +inthroning +inthronistic +inthronizate +inthronization +inthronize +inthrow +inthrust +intially +intice +intil +intill +intima +intimacy +intimacies +intimado +intimados +intimae +intimal +intimas +intimate +intimated +intimately +intimateness +intimater +intimaters +intimates +intimating +intimation +intimations +intime +intimidate +intimidated +intimidates +intimidating +intimidation +intimidations +intimidator +intimidatory +intimidity +intimism +intimist +intimiste +intimity +intimous +intinct +intinction +intinctivity +intine +intines +intire +intisy +intitle +intitled +intitles +intitling +intitulation +intitule +intituled +intitules +intituling +intl +intnl +into +intoed +intolerability +intolerable +intolerableness +intolerably +intolerance +intolerancy +intolerant +intolerantly +intolerantness +intolerated +intolerating +intoleration +intollerably +intomb +intombed +intombing +intombment +intombs +intonable +intonaci +intonaco +intonacos +intonate +intonated +intonates +intonating +intonation +intonational +intonations +intonator +intone +intoned +intonement +intoner +intoners +intones +intoning +intoothed +intorsion +intort +intorted +intortillage +intorting +intortion +intorts +intortus +intourist +intower +intown +intoxation +intoxicable +intoxicant +intoxicantly +intoxicants +intoxicate +intoxicated +intoxicatedly +intoxicatedness +intoxicates +intoxicating +intoxicatingly +intoxication +intoxications +intoxicative +intoxicatively +intoxicator +intoxicators +intr +intra +intraabdominal +intraarterial +intraarterially +intrabiontic +intrabranchial +intrabred +intrabronchial +intrabuccal +intracalicular +intracanalicular +intracanonical +intracapsular +intracardiac +intracardial +intracardially +intracarpal +intracarpellary +intracartilaginous +intracellular +intracellularly +intracephalic +intracerebellar +intracerebral +intracerebrally +intracervical +intrachordal +intracistern +intracystic +intracity +intraclitelline +intracloacal +intracoastal +intracoelomic +intracolic +intracollegiate +intracommunication +intracompany +intracontinental +intracorporeal +intracorpuscular +intracortical +intracosmic +intracosmical +intracosmically +intracostal +intracranial +intracranially +intractability +intractable +intractableness +intractably +intractile +intracutaneous +intracutaneously +intrada +intradepartment +intradepartmental +intradermal +intradermally +intradermic +intradermically +intradermo +intradistrict +intradivisional +intrado +intrados +intradoses +intradoss +intraduodenal +intradural +intraecclesiastical +intraepiphyseal +intraepithelial +intrafactory +intrafascicular +intrafissural +intrafistular +intrafoliaceous +intraformational +intrafusal +intragalactic +intragantes +intragastric +intragemmal +intragyral +intraglacial +intraglandular +intraglobular +intragroup +intragroupal +intrahepatic +intrahyoid +intrail +intraimperial +intrait +intrajugular +intralamellar +intralaryngeal +intralaryngeally +intraleukocytic +intraligamentary +intraligamentous +intraliminal +intraline +intralingual +intralobar +intralobular +intralocular +intralogical +intralumbar +intramachine +intramammary +intramarginal +intramastoid +intramatrical +intramatrically +intramedullary +intramembranous +intrameningeal +intramental +intrametropolitan +intramyocardial +intramolecular +intramolecularly +intramontane +intramorainic +intramundane +intramural +intramuralism +intramurally +intramuscular +intramuscularly +intranarial +intranasal +intranatal +intranational +intraneous +intranet +intranetwork +intraneural +intranidal +intranquil +intranquillity +intrans +intranscalency +intranscalent +intransferable +intransferrable +intransformable +intransfusible +intransgressible +intransient +intransigeance +intransigeancy +intransigeant +intransigeantly +intransigence +intransigency +intransigent +intransigentism +intransigentist +intransigently +intransigents +intransitable +intransitive +intransitively +intransitiveness +intransitives +intransitivity +intransitu +intranslatable +intransmissible +intransmutability +intransmutable +intransparency +intransparent +intrant +intrants +intranuclear +intraoctave +intraocular +intraoffice +intraoral +intraorbital +intraorganization +intraossal +intraosseous +intraosteal +intraovarian +intrap +intrapair +intraparenchymatous +intraparietal +intraparochial +intraparty +intrapelvic +intrapericardiac +intrapericardial +intraperineal +intraperiosteal +intraperitoneal +intraperitoneally +intrapersonal +intrapetiolar +intraphilosophic +intrapial +intrapyretic +intraplacental +intraplant +intrapleural +intrapolar +intrapontine +intrapopulation +intraprocess +intraprocessor +intraprostatic +intraprotoplasmic +intrapsychic +intrapsychical +intrapsychically +intrapulmonary +intrarachidian +intrarectal +intrarelation +intrarenal +intraretinal +intrarhachidian +intraschool +intrascrotal +intrasegmental +intraselection +intrasellar +intraseminal +intraseptal +intraserous +intrashop +intrasynovial +intraspecies +intraspecific +intraspecifically +intraspinal +intraspinally +intrastate +intrastromal +intrasusception +intratarsal +intrate +intratelluric +intraterritorial +intratesticular +intrathecal +intrathyroid +intrathoracic +intratympanic +intratomic +intratonsillar +intratrabecular +intratracheal +intratracheally +intratropical +intratubal +intratubular +intrauterine +intravaginal +intravalvular +intravasation +intravascular +intravascularly +intravenous +intravenously +intraventricular +intraverbal +intraversable +intravertebral +intravertebrally +intravesical +intravital +intravitally +intravitam +intravitelline +intravitreous +intraxylary +intrazonal +intreasure +intreat +intreatable +intreated +intreating +intreats +intrench +intrenchant +intrenched +intrencher +intrenches +intrenching +intrenchment +intrepid +intrepidity +intrepidly +intrepidness +intricable +intricacy +intricacies +intricate +intricately +intricateness +intrication +intrigant +intrigante +intrigantes +intrigants +intrigaunt +intrigo +intriguant +intriguante +intrigue +intrigued +intrigueproof +intriguer +intriguery +intriguers +intrigues +intriguess +intriguing +intriguingly +intrince +intrine +intrinse +intrinsic +intrinsical +intrinsicality +intrinsically +intrinsicalness +intrinsicate +intro +introactive +introceptive +introconversion +introconvertibility +introconvertible +introd +introdden +introduce +introduced +introducee +introducement +introducer +introducers +introduces +introducible +introducing +introduct +introduction +introductions +introductive +introductively +introductor +introductory +introductorily +introductoriness +introductress +introfaction +introfy +introfied +introfier +introfies +introfying +introflex +introflexion +introgressant +introgression +introgressive +introinflection +introit +introits +introitus +introject +introjection +introjective +intromissibility +intromissible +intromission +intromissive +intromit +intromits +intromitted +intromittence +intromittent +intromitter +intromitting +intropression +intropulsive +intropunitive +introreception +introrsal +introrse +introrsely +intros +introscope +introsensible +introsentient +introspect +introspectable +introspected +introspectible +introspecting +introspection +introspectional +introspectionism +introspectionist +introspectionistic +introspections +introspective +introspectively +introspectiveness +introspectivism +introspectivist +introspector +introsuction +introsume +introsuscept +introsusception +introthoracic +introtraction +introvenient +introverse +introversibility +introversible +introversion +introversions +introversive +introversively +introvert +introverted +introvertedness +introverting +introvertive +introverts +introvision +introvolution +intrudance +intrude +intruded +intruder +intruders +intrudes +intruding +intrudingly +intrudress +intrunk +intrus +intruse +intrusion +intrusional +intrusionism +intrusionist +intrusions +intrusive +intrusively +intrusiveness +intruso +intrust +intrusted +intrusting +intrusts +intsv +intubate +intubated +intubates +intubating +intubation +intubationist +intubator +intubatting +intube +intue +intuent +intuicity +intuit +intuitable +intuited +intuiting +intuition +intuitional +intuitionalism +intuitionalist +intuitionally +intuitionism +intuitionist +intuitionistic +intuitionless +intuitions +intuitive +intuitively +intuitiveness +intuitivism +intuitivist +intuito +intuits +intumesce +intumesced +intumescence +intumescent +intumescing +intumulate +intune +inturbidate +inturgescence +inturn +inturned +inturning +inturns +intuse +intussuscept +intussusception +intussusceptive +intwine +intwined +intwinement +intwines +intwining +intwist +intwisted +intwisting +intwists +inukshuk +inula +inulaceous +inulase +inulases +inulin +inulins +inuloid +inumbrate +inumbration +inunct +inunction +inunctum +inunctuosity +inunctuous +inundable +inundant +inundate +inundated +inundates +inundating +inundation +inundations +inundator +inundatory +inunderstandable +inunderstanding +inurbane +inurbanely +inurbaneness +inurbanity +inure +inured +inuredness +inurement +inurements +inures +inuring +inurn +inurned +inurning +inurnment +inurns +inusitate +inusitateness +inusitation +inust +inustion +inutile +inutilely +inutility +inutilities +inutilized +inutterable +inv +invaccinate +invaccination +invadable +invade +invaded +invader +invaders +invades +invading +invaginable +invaginate +invaginated +invaginating +invagination +invalescence +invaletudinary +invalid +invalidate +invalidated +invalidates +invalidating +invalidation +invalidations +invalidator +invalidcy +invalided +invalidhood +invaliding +invalidish +invalidism +invalidity +invalidities +invalidly +invalidness +invalids +invalidship +invalorous +invaluable +invaluableness +invaluably +invalued +invar +invariability +invariable +invariableness +invariably +invariance +invariancy +invariant +invariantive +invariantively +invariantly +invariants +invaried +invars +invasion +invasionary +invasionist +invasions +invasive +invasiveness +invecked +invect +invected +invection +invective +invectively +invectiveness +invectives +invectivist +invector +inveigh +inveighed +inveigher +inveighing +inveighs +inveigle +inveigled +inveiglement +inveigler +inveiglers +inveigles +inveigling +inveil +invein +invendibility +invendible +invendibleness +inveneme +invenient +invenit +invent +inventable +inventary +invented +inventer +inventers +inventful +inventibility +inventible +inventibleness +inventing +invention +inventional +inventionless +inventions +inventive +inventively +inventiveness +inventor +inventory +inventoriable +inventorial +inventorially +inventoried +inventories +inventorying +inventors +inventress +inventresses +invents +inventurous +inveracious +inveracity +inveracities +inverebrate +inverisimilitude +inverity +inverities +inverminate +invermination +invernacular +inverness +invernesses +inversable +inversatile +inverse +inversed +inversedly +inversely +inverses +inversing +inversion +inversionist +inversions +inversive +inversor +invert +invertant +invertase +invertebracy +invertebral +invertebrata +invertebrate +invertebrated +invertebrateness +invertebrates +inverted +invertedly +invertend +inverter +inverters +invertibility +invertible +invertile +invertin +inverting +invertive +invertor +invertors +inverts +invest +investable +invested +investible +investient +investigable +investigatable +investigate +investigated +investigates +investigating +investigatingly +investigation +investigational +investigations +investigative +investigator +investigatory +investigatorial +investigators +investing +investion +investitive +investitor +investiture +investitures +investment +investments +investor +investors +invests +investure +inveteracy +inveterate +inveterately +inveterateness +inveteration +inviability +inviabilities +inviable +inviably +invict +invicted +invictive +invidia +invidious +invidiously +invidiousness +invigilance +invigilancy +invigilate +invigilated +invigilating +invigilation +invigilator +invigor +invigorant +invigorate +invigorated +invigorates +invigorating +invigoratingly +invigoratingness +invigoration +invigorations +invigorative +invigoratively +invigorator +invigour +invile +invillage +invinate +invination +invincibility +invincible +invincibleness +invincibly +inviolability +inviolable +inviolableness +inviolably +inviolacy +inviolate +inviolated +inviolately +inviolateness +invious +inviousness +invirile +invirility +invirtuate +inviscate +inviscation +inviscerate +inviscid +inviscidity +invised +invisibility +invisible +invisibleness +invisibly +invision +invitable +invital +invitant +invitation +invitational +invitations +invitatory +invite +invited +invitee +invitees +invitement +inviter +inviters +invites +invitiate +inviting +invitingly +invitingness +invitress +invitrifiable +invivid +invocable +invocant +invocate +invocated +invocates +invocating +invocation +invocational +invocations +invocative +invocator +invocatory +invoy +invoice +invoiced +invoices +invoicing +invoke +invoked +invoker +invokers +invokes +invoking +involatile +involatility +involucel +involucelate +involucelated +involucellate +involucellated +involucra +involucral +involucrate +involucre +involucred +involucres +involucriform +involucrum +involuntary +involuntarily +involuntariness +involute +involuted +involutedly +involutely +involutes +involuting +involution +involutional +involutionary +involutions +involutory +involutorial +involve +involved +involvedly +involvedness +involvement +involvements +involvent +involver +involvers +involves +involving +invt +invulgar +invulnerability +invulnerable +invulnerableness +invulnerably +invulnerate +invultuation +invultvation +inwale +inwall +inwalled +inwalling +inwalls +inwandering +inward +inwardly +inwardness +inwards +inweave +inweaved +inweaves +inweaving +inwedged +inweed +inweight +inwheel +inwick +inwind +inwinding +inwinds +inwit +inwith +inwood +inwork +inworks +inworn +inwound +inwove +inwoven +inwrap +inwrapment +inwrapped +inwrapping +inwraps +inwrapt +inwreathe +inwreathed +inwreathing +inwrit +inwritten +inwrought +io +yo +yob +yobbo +yobboes +yobbos +yobi +yobs +yocco +yochel +yock +yocked +yockel +yockernut +yocking +yocks +iocs +yod +iodal +iodamoeba +iodate +iodated +iodates +iodating +iodation +iodations +iode +yode +yodel +yodeled +yodeler +yodelers +yodeling +yodelist +yodelled +yodeller +yodellers +yodelling +yodels +yodh +iodhydrate +iodhydric +iodhydrin +yodhs +iodic +iodid +iodide +iodides +iodids +iodiferous +iodimetry +iodimetric +iodin +iodinate +iodinated +iodinates +iodinating +iodination +iodine +iodines +iodinium +iodinophil +iodinophile +iodinophilic +iodinophilous +iodins +iodyrite +iodisation +iodism +iodisms +iodite +iodization +iodize +iodized +iodizer +iodizers +iodizes +iodizing +yodle +yodled +yodler +yodlers +yodles +yodling +iodo +iodobehenate +iodobenzene +iodobromite +iodocasein +iodochlorid +iodochloride +iodochromate +iodocresol +iododerma +iodoethane +iodoform +iodoforms +iodogallicin +iodohydrate +iodohydric +iodohydrin +iodol +iodols +iodomercurate +iodomercuriate +iodomethane +iodometry +iodometric +iodometrical +iodometrically +iodonium +iodophor +iodophors +iodoprotein +iodopsin +iodopsins +iodoso +iodosobenzene +iodospongin +iodotannic +iodotherapy +iodothyrin +iodous +iodoxy +iodoxybenzene +yods +yoe +iof +yoga +yogas +yogasana +yogee +yogeeism +yogees +yogh +yoghourt +yoghourts +yoghs +yoghurt +yoghurts +yogi +yogic +yogin +yogini +yoginis +yogins +yogis +yogism +yogist +yogoite +yogurt +yogurts +yohimbe +yohimbenine +yohimbi +yohimbin +yohimbine +yohimbinization +yohimbinize +yoho +yohourt +yoi +yoy +yoick +yoicks +yoyo +yojan +yojana +yojuane +yok +yokage +yoke +yokeable +yokeableness +yokeage +yoked +yokefellow +yokel +yokeldom +yokeless +yokelish +yokelism +yokelry +yokels +yokemate +yokemates +yokemating +yoker +yokes +yokewise +yokewood +yoky +yoking +yokohama +yokozuna +yokozunas +yoks +yokuts +yolden +yoldia +yoldring +iolite +iolites +yolk +yolked +yolky +yolkier +yolkiest +yolkiness +yolkless +yolks +yom +yomer +yomim +yomin +yomud +ion +yon +yoncopin +yond +yonder +yondmost +yondward +ione +ioni +yoni +ionian +ionic +yonic +ionical +ionicism +ionicity +ionicities +ionicization +ionicize +ionics +ionidium +yonis +ionisable +ionisation +ionise +ionised +ioniser +ionises +ionising +ionism +ionist +ionium +ioniums +ionizable +ionization +ionizations +ionize +ionized +ionizer +ionizers +ionizes +ionizing +yonkalla +yonker +yonkers +yonner +yonnie +ionogen +ionogenic +ionomer +ionomers +ionone +ionones +ionopause +ionophore +ionornis +ionosphere +ionospheres +ionospheric +ionospherically +ionoxalis +ions +yonside +yont +iontophoresis +yook +yoop +ioparameters +yor +yore +yores +yoretime +york +yorker +yorkers +yorkish +yorkist +yorkshire +yorkshireism +yorkshireman +yorlin +iortn +yoruba +yoruban +ios +yosemite +ioskeha +yot +iota +iotacism +yotacism +iotacisms +iotacismus +iotacist +yotacize +iotas +yote +iotization +iotize +iotized +iotizing +iou +you +youd +youden +youdendrift +youdith +youff +youl +young +youngberry +youngberries +younger +youngers +youngest +younghearted +youngish +younglet +youngly +youngling +younglings +youngness +youngs +youngster +youngsters +youngstown +youngth +youngun +younker +younkers +youp +youpon +youpons +your +youre +yourn +yours +yoursel +yourself +yourselves +yourt +yous +youse +youstir +youth +youthen +youthened +youthening +youthens +youthes +youthful +youthfully +youthfullity +youthfulness +youthhead +youthheid +youthhood +youthy +youthily +youthiness +youthless +youthlessness +youthly +youthlike +youthlikeness +youths +youthsome +youthtide +youthwort +youve +youward +youwards +youze +yoven +yow +iowa +iowan +iowans +yowden +yowe +yowed +yowes +yowie +yowies +yowing +yowl +yowled +yowley +yowler +yowlers +yowling +yowlring +yowls +yows +iowt +yowt +yox +ipalnemohuani +ipecac +ipecacs +ipecacuanha +ipecacuanhic +yperite +yperites +iph +iphigenia +iphimedia +iphis +ipid +ipidae +ipil +ipilipil +ipl +ipm +ipocras +ypocras +ipomea +ipomoea +ipomoeas +ipomoein +yponomeuta +yponomeutid +yponomeutidae +ipr +iproniazid +ips +ipse +ipseand +ipsedixitish +ipsedixitism +ipsedixitist +ipseity +ipsilateral +ipsilaterally +ypsiliform +ypsiloid +ipso +ypurinan +iq +iqs +yquem +ir +yr +ira +iracund +iracundity +iracundulous +irade +irades +iran +irani +iranian +iranians +iranic +iranism +iranist +iranize +iraq +iraqi +iraqian +iraqis +irascent +irascibility +irascible +irascibleness +irascibly +irate +irately +irateness +irater +iratest +irbis +yrbk +irchin +ire +ired +ireful +irefully +irefulness +ireland +irelander +ireless +irena +irenarch +irene +irenic +irenica +irenical +irenically +irenicism +irenicist +irenicon +irenics +irenicum +ireos +ires +iresine +irfan +irgun +irgunist +irian +iriartea +iriarteaceae +iricism +iricize +irid +iridaceae +iridaceous +iridadenosis +iridal +iridalgia +iridate +iridauxesis +iridectome +iridectomy +iridectomies +iridectomise +iridectomised +iridectomising +iridectomize +iridectomized +iridectomizing +iridectropium +iridemia +iridencleisis +iridentropium +irideous +irideremia +irides +iridesce +iridescence +iridescences +iridescency +iridescent +iridescently +iridial +iridian +iridiate +iridic +iridical +iridin +iridine +iridiocyte +iridiophore +iridioplatinum +iridious +iridite +iridium +iridiums +iridization +iridize +iridized +iridizing +irido +iridoavulsion +iridocapsulitis +iridocele +iridoceratitic +iridochoroiditis +iridocyclitis +iridocyte +iridocoloboma +iridoconstrictor +iridodesis +iridodiagnosis +iridodialysis +iridodonesis +iridokinesia +iridoline +iridomalacia +iridomyrmex +iridomotor +iridoncus +iridoparalysis +iridophore +iridoplegia +iridoptosis +iridopupillary +iridorhexis +iridosclerotomy +iridosmine +iridosmium +iridotasis +iridotome +iridotomy +iridotomies +iridous +iring +iris +irisate +irisated +irisation +iriscope +irised +irises +irish +irisher +irishy +irishian +irishism +irishize +irishly +irishman +irishmen +irishness +irishry +irishwoman +irishwomen +irisin +irising +irislike +irisroot +iritic +iritis +iritises +irk +irked +irking +irks +irksome +irksomely +irksomeness +irma +iroha +irok +iroko +iron +ironback +ironbark +ironbarks +ironbound +ironbush +ironclad +ironclads +irone +ironed +ironer +ironers +irones +ironfisted +ironflower +ironhanded +ironhandedly +ironhandedness +ironhard +ironhead +ironheaded +ironheads +ironhearted +ironheartedly +ironheartedness +irony +ironic +ironical +ironically +ironicalness +ironice +ironies +ironing +ironings +ironiously +ironish +ironism +ironist +ironists +ironize +ironless +ironly +ironlike +ironmaker +ironmaking +ironman +ironmaster +ironmen +ironmonger +ironmongery +ironmongeries +ironmongering +ironness +ironnesses +irons +ironshod +ironshot +ironside +ironsided +ironsides +ironsmith +ironstone +ironstones +ironware +ironwares +ironweed +ironweeds +ironwood +ironwoods +ironwork +ironworked +ironworker +ironworkers +ironworking +ironworks +ironwort +iroquoian +iroquoians +iroquois +irous +irpe +irpex +irradiance +irradiancy +irradiant +irradiate +irradiated +irradiates +irradiating +irradiatingly +irradiation +irradiations +irradiative +irradiator +irradicable +irradicably +irradicate +irradicated +irrarefiable +irrate +irrationability +irrationable +irrationably +irrational +irrationalise +irrationalised +irrationalising +irrationalism +irrationalist +irrationalistic +irrationality +irrationalities +irrationalize +irrationalized +irrationalizing +irrationally +irrationalness +irrationals +irreal +irreality +irrealizable +irrebuttable +irreceptive +irreceptivity +irreciprocal +irreciprocity +irreclaimability +irreclaimable +irreclaimableness +irreclaimably +irreclaimed +irrecognition +irrecognizability +irrecognizable +irrecognizably +irrecognizant +irrecollection +irreconcilability +irreconcilable +irreconcilableness +irreconcilably +irreconcile +irreconciled +irreconcilement +irreconciliability +irreconciliable +irreconciliableness +irreconciliably +irreconciliation +irrecordable +irrecoverable +irrecoverableness +irrecoverably +irrecuperable +irrecurable +irrecusable +irrecusably +irred +irredeemability +irredeemable +irredeemableness +irredeemably +irredeemed +irredenta +irredential +irredentism +irredentist +irredentists +irredressibility +irredressible +irredressibly +irreducibility +irreducibilities +irreducible +irreducibleness +irreducibly +irreductibility +irreductible +irreduction +irreferable +irreflection +irreflective +irreflectively +irreflectiveness +irreflexive +irreformability +irreformable +irrefragability +irrefragable +irrefragableness +irrefragably +irrefrangibility +irrefrangible +irrefrangibleness +irrefrangibly +irrefusable +irrefutability +irrefutable +irrefutableness +irrefutably +irreg +irregardless +irregeneracy +irregenerate +irregeneration +irregular +irregularism +irregularist +irregularity +irregularities +irregularize +irregularly +irregularness +irregulars +irregulate +irregulated +irregulation +irregulous +irrejectable +irrelapsable +irrelate +irrelated +irrelation +irrelative +irrelatively +irrelativeness +irrelevance +irrelevances +irrelevancy +irrelevancies +irrelevant +irrelevantly +irreliability +irrelievable +irreligion +irreligionism +irreligionist +irreligionize +irreligiosity +irreligious +irreligiously +irreligiousness +irreluctant +irremeable +irremeably +irremediable +irremediableness +irremediably +irremediless +irrememberable +irremissibility +irremissible +irremissibleness +irremissibly +irremission +irremissive +irremittable +irremovability +irremovable +irremovableness +irremovably +irremunerable +irrenderable +irrenewable +irrenowned +irrenunciable +irrepair +irrepairable +irreparability +irreparable +irreparableness +irreparably +irrepassable +irrepatriable +irrepealability +irrepealable +irrepealableness +irrepealably +irrepentance +irrepentant +irrepentantly +irrepetant +irreplacable +irreplacably +irreplaceability +irreplaceable +irreplaceableness +irreplaceably +irrepleviable +irreplevisable +irreportable +irreprehensibility +irreprehensible +irreprehensibleness +irreprehensibly +irrepresentable +irrepresentableness +irrepressibility +irrepressible +irrepressibleness +irrepressibly +irrepressive +irreproachability +irreproachable +irreproachableness +irreproachably +irreproducibility +irreproducible +irreproductive +irreprovable +irreprovableness +irreprovably +irreption +irreptitious +irrepublican +irreputable +irresilience +irresiliency +irresilient +irresistable +irresistably +irresistance +irresistibility +irresistible +irresistibleness +irresistibly +irresistless +irresolubility +irresoluble +irresolubleness +irresolute +irresolutely +irresoluteness +irresolution +irresolvability +irresolvable +irresolvableness +irresolved +irresolvedly +irresonance +irresonant +irrespectability +irrespectable +irrespectful +irrespective +irrespectively +irrespirable +irrespondence +irresponsibility +irresponsibilities +irresponsible +irresponsibleness +irresponsibly +irresponsive +irresponsiveness +irrestrainable +irrestrainably +irrestrictive +irresultive +irresuscitable +irresuscitably +irretention +irretentive +irretentiveness +irreticence +irreticent +irretraceable +irretraceably +irretractable +irretractile +irretrievability +irretrievable +irretrievableness +irretrievably +irreturnable +irrevealable +irrevealably +irreverence +irreverences +irreverend +irreverendly +irreverent +irreverential +irreverentialism +irreverentially +irreverently +irreversibility +irreversible +irreversibleness +irreversibly +irrevertible +irreviewable +irrevisable +irrevocability +irrevocable +irrevocableness +irrevocably +irrevoluble +irrhation +irride +irridenta +irrigable +irrigably +irrigant +irrigate +irrigated +irrigates +irrigating +irrigation +irrigational +irrigationist +irrigations +irrigative +irrigator +irrigatory +irrigatorial +irrigators +irriguous +irriguousness +irrisible +irrision +irrisor +irrisory +irrisoridae +irritability +irritabilities +irritable +irritableness +irritably +irritament +irritancy +irritancies +irritant +irritants +irritate +irritated +irritatedly +irritates +irritating +irritatingly +irritation +irritations +irritative +irritativeness +irritator +irritatory +irrite +irritila +irritomotile +irritomotility +irrogate +irrorate +irrorated +irroration +irrotational +irrotationally +irrubrical +irrugate +irrumation +irrupt +irrupted +irruptible +irrupting +irruption +irruptions +irruptive +irruptively +irrupts +irs +yrs +irvin +irving +irvingesque +irvingiana +irvingism +irvingite +irwin +is +ys +isaac +isabel +isabelina +isabelita +isabelite +isabella +isabelle +isabelline +isabnormal +isaconitine +isacoustic +isadelphous +isadnormal +isadora +isagoge +isagoges +isagogic +isagogical +isagogically +isagogics +isagon +isaiah +isaian +isallobar +isallobaric +isallotherm +isamin +isamine +isander +isandrous +isanemone +isangoma +isanomal +isanomalous +isanthous +isapostolic +isaria +isarioid +isarithm +isarithms +isatate +isatic +isatid +isatide +isatin +isatine +isatines +isatinic +isatins +isatis +isatogen +isatogenic +isaurian +isauxesis +isauxetic +isawa +isazoxy +isba +isbas +iscariot +iscariotic +iscariotical +iscariotism +ischaemia +ischaemic +ischar +ischchia +ischemia +ischemias +ischemic +ischia +ischiac +ischiadic +ischiadicus +ischial +ischialgia +ischialgic +ischiatic +ischidrosis +ischioanal +ischiobulbar +ischiocapsular +ischiocaudal +ischiocavernosus +ischiocavernous +ischiocele +ischiocerite +ischiococcygeal +ischyodus +ischiofemoral +ischiofibular +ischioiliac +ischioneuralgia +ischioperineal +ischiopodite +ischiopubic +ischiopubis +ischiorectal +ischiorrhogic +ischiosacral +ischiotibial +ischiovaginal +ischiovertebral +ischium +ischocholia +ischuretic +ischury +ischuria +iscose +isdn +ise +ised +isegrim +isenergic +isenthalpic +isentrope +isentropic +isentropically +isepiptesial +isepiptesis +iserine +iserite +isethionate +isethionic +iseult +iseum +isfahan +ish +ishime +ishmael +ishmaelite +ishmaelitic +ishmaelitish +ishmaelitism +ishpingo +ishshakku +isiac +isiacal +isicle +isidae +isidia +isidiiferous +isidioid +isidiophorous +isidiose +isidium +isidoid +isidore +isidorian +isidoric +isinai +isindazole +ising +isinglass +isis +isize +isl +islay +islam +islamic +islamism +islamist +islamistic +islamite +islamitic +islamitish +islamization +islamize +island +islanded +islander +islanders +islandhood +islandy +islandic +islanding +islandish +islandless +islandlike +islandman +islandmen +islandology +islandologist +islandress +islandry +islands +isle +isled +isleless +isleman +isles +islesman +islesmen +islet +isleta +isleted +islets +isleward +isling +islot +isls +ism +ismaelian +ismaelism +ismaelite +ismaelitic +ismaelitical +ismaelitish +ismaili +ismailian +ismailite +ismal +ismatic +ismatical +ismaticalness +ismdom +ismy +isms +isn +isnad +isnardia +isnt +iso +isoabnormal +isoagglutination +isoagglutinative +isoagglutinin +isoagglutinogen +isoalantolactone +isoallyl +isoalloxazine +isoamarine +isoamid +isoamide +isoamyl +isoamylamine +isoamylene +isoamylethyl +isoamylidene +isoantibody +isoantigen +isoantigenic +isoantigenicity +isoapiole +isoasparagine +isoaurore +isobar +isobarbaloin +isobarbituric +isobare +isobares +isobaric +isobarism +isobarometric +isobars +isobase +isobath +isobathic +isobathytherm +isobathythermal +isobathythermic +isobaths +isobenzofuran +isobilateral +isobilianic +isobiogenetic +isoborneol +isobornyl +isobront +isobronton +isobutane +isobutene +isobutyl +isobutylene +isobutyraldehyde +isobutyrate +isobutyric +isobutyryl +isocamphor +isocamphoric +isocaproic +isocarbostyril +isocardia +isocardiidae +isocarpic +isocarpous +isocellular +isocephaly +isocephalic +isocephalism +isocephalous +isoceraunic +isocercal +isocercy +isochasm +isochasmic +isocheim +isocheimal +isocheimenal +isocheimic +isocheimonal +isocheims +isochela +isochimal +isochime +isochimenal +isochimes +isochlor +isochlorophyll +isochlorophyllin +isocholanic +isocholesterin +isocholesterol +isochor +isochore +isochores +isochoric +isochors +isochromatic +isochron +isochronal +isochronally +isochrone +isochrony +isochronic +isochronical +isochronism +isochronize +isochronized +isochronizing +isochronon +isochronous +isochronously +isochrons +isochroous +isocyanate +isocyanic +isocyanid +isocyanide +isocyanin +isocyanine +isocyano +isocyanogen +isocyanurate +isocyanuric +isocyclic +isocymene +isocinchomeronic +isocinchonine +isocytic +isocitric +isoclasite +isoclimatic +isoclinal +isoclinally +isocline +isoclines +isoclinic +isoclinically +isocodeine +isocola +isocolic +isocolon +isocoria +isocorybulbin +isocorybulbine +isocorydine +isocoumarin +isocracy +isocracies +isocrat +isocratic +isocreosol +isocrymal +isocryme +isocrymic +isocrotonic +isodactylism +isodactylous +isodef +isodiabatic +isodialuric +isodiametric +isodiametrical +isodiaphere +isodiazo +isodiazotate +isodimorphic +isodimorphism +isodimorphous +isodynamia +isodynamic +isodynamical +isodynamous +isodomic +isodomon +isodomous +isodomum +isodont +isodontous +isodose +isodrin +isodrome +isodrosotherm +isodulcite +isodurene +isoelastic +isoelectric +isoelectrically +isoelectronic +isoelectronically +isoelemicin +isoemodin +isoenergetic +isoenzymatic +isoenzyme +isoenzymic +isoerucic +isoetaceae +isoetales +isoetes +isoeugenol +isoflavone +isoflor +isogam +isogamete +isogametic +isogametism +isogamy +isogamic +isogamies +isogamous +isogen +isogeneic +isogenesis +isogenetic +isogeny +isogenic +isogenies +isogenotype +isogenotypic +isogenous +isogeotherm +isogeothermal +isogeothermic +isogynous +isogyre +isogloss +isoglossal +isoglosses +isognathism +isognathous +isogon +isogonal +isogonality +isogonally +isogonals +isogone +isogones +isogony +isogonic +isogonics +isogonies +isogoniostat +isogonism +isogons +isogradient +isograft +isogram +isograms +isograph +isography +isographic +isographical +isographically +isographs +isogriv +isogrivs +isohaline +isohalsine +isohel +isohels +isohemolysis +isohemopyrrole +isoheptane +isohesperidin +isohexyl +isohydric +isohydrocyanic +isohydrosorbic +isohyet +isohyetal +isohyets +isohume +isoimmune +isoimmunity +isoimmunization +isoimmunize +isoindazole +isoindigotin +isoindole +isoyohimbine +isoionone +isokeraunic +isokeraunographic +isokeraunophonic +isokontae +isokontan +isokurtic +isolability +isolable +isolapachol +isolatable +isolate +isolated +isolatedly +isolates +isolating +isolation +isolationalism +isolationalist +isolationalists +isolationism +isolationist +isolationists +isolations +isolative +isolator +isolators +isolde +isolead +isoleads +isolecithal +isolette +isoleucine +isolex +isolichenin +isoline +isolines +isolinolenic +isolysin +isolysis +isoln +isolog +isology +isologous +isologs +isologue +isologues +isoloma +isomagnetic +isomaltose +isomastigate +isomelamine +isomenthone +isomer +isomera +isomerase +isomere +isomery +isomeric +isomerical +isomerically +isomeride +isomerism +isomerization +isomerize +isomerized +isomerizing +isomeromorphism +isomerous +isomers +isometry +isometric +isometrical +isometrically +isometrics +isometries +isometrograph +isometropia +isomyaria +isomyarian +isomorph +isomorphic +isomorphically +isomorphism +isomorphisms +isomorphous +isomorphs +isoneph +isonephelic +isonergic +isoniazid +isonicotinic +isonym +isonymy +isonymic +isonitramine +isonitril +isonitrile +isonitro +isonitroso +isonomy +isonomic +isonomies +isonomous +isonuclear +isooctane +isooleic +isoosmosis +isopach +isopachous +isopag +isoparaffin +isopathy +isopectic +isopedin +isopedine +isopelletierin +isopelletierine +isopentane +isopentyl +isoperimeter +isoperimetry +isoperimetric +isoperimetrical +isopetalous +isophanal +isophane +isophasal +isophene +isophenomenal +isophylly +isophyllous +isophone +isophoria +isophorone +isophotal +isophote +isophotes +isophthalic +isophthalyl +isopycnal +isopycnic +isopicramic +isopiestic +isopiestically +isopilocarpine +isopyre +isopyromucic +isopyrrole +isoplere +isopleth +isoplethic +isopleths +isopleura +isopleural +isopleuran +isopleure +isopleurous +isopod +isopoda +isopodan +isopodans +isopodiform +isopodimorphous +isopodous +isopods +isopogonous +isopoly +isopolite +isopolity +isopolitical +isopor +isoporic +isoprenaline +isoprene +isoprenes +isoprenoid +isopropanol +isopropenyl +isopropyl +isopropylacetic +isopropylamine +isopropylideneacetone +isoproterenol +isopsephic +isopsephism +isoptera +isopterous +isoptic +isopulegone +isopurpurin +isoquercitrin +isoquinine +isoquinoline +isorcinol +isorhamnose +isorhythm +isorhythmic +isorhythmically +isorhodeose +isorithm +isorosindone +isorrhythmic +isorropic +isort +isosaccharic +isosaccharin +isoscele +isosceles +isoscope +isoseismal +isoseismic +isoseismical +isoseist +isoserine +isosmotic +isosmotically +isospin +isospins +isospondyli +isospondylous +isospore +isospory +isosporic +isospories +isosporous +isostacy +isostasy +isostasies +isostasist +isostatic +isostatical +isostatically +isostemony +isostemonous +isoster +isostere +isosteric +isosterism +isostrychnine +isostructural +isosuccinic +isosulphide +isosulphocyanate +isosulphocyanic +isosultam +isotac +isotach +isotachs +isotactic +isoteles +isotely +isoteniscope +isotere +isoteric +isotheral +isothere +isotheres +isotherm +isothermal +isothermally +isothermic +isothermical +isothermobath +isothermobathic +isothermobaths +isothermous +isotherms +isotherombrose +isothiocyanates +isothiocyanic +isothiocyano +isothujone +isotimal +isotimic +isotype +isotypes +isotypic +isotypical +isotome +isotomous +isotone +isotones +isotony +isotonia +isotonic +isotonically +isotonicity +isotope +isotopes +isotopy +isotopic +isotopically +isotopies +isotopism +isotrehalose +isotria +isotrimorphic +isotrimorphism +isotrimorphous +isotron +isotronic +isotrope +isotropy +isotropic +isotropies +isotropil +isotropism +isotropous +isovalerate +isovalerianate +isovalerianic +isovaleric +isovalerone +isovaline +isovanillic +isovoluminal +isoxanthine +isoxazine +isoxazole +isoxylene +isoxime +isozyme +isozymes +isozymic +isozooid +ispaghul +ispraynik +ispravnik +israel +israeli +israelis +israelite +israelites +israeliteship +israelitic +israelitish +israelitism +israelitize +issachar +issanguila +issedoi +issedones +issei +isseis +issite +issuable +issuably +issuance +issuances +issuant +issue +issued +issueless +issuer +issuers +issues +issuing +ist +istana +istanbul +isth +isthm +isthmal +isthmectomy +isthmectomies +isthmi +isthmia +isthmial +isthmian +isthmians +isthmiate +isthmic +isthmics +isthmist +isthmistic +isthmistical +isthmistics +isthmoid +isthmus +isthmuses +istiophorid +istiophoridae +istiophorus +istle +istles +istoke +istrian +istvaeones +isuret +isuretine +isuridae +isuroid +isurus +iswara +isz +it +yt +ita +itabirite +itacism +itacist +itacistic +itacolumite +itaconate +itaconic +itai +ital +itala +itali +italy +italian +italianate +italianately +italianation +italianesque +italianiron +italianish +italianism +italianist +italianity +italianization +italianize +italianizer +italianly +italians +italic +italical +italically +italican +italicanist +italici +italicism +italicization +italicize +italicized +italicizes +italicizing +italics +italiot +italiote +italite +italomania +italon +italophile +itamalate +itamalic +itatartaric +itatartrate +itauba +itaves +itch +itched +itcheoglan +itches +itchy +itchier +itchiest +itchiness +itching +itchingly +itchings +itchless +itchproof +itchreed +itchweed +itchwood +itcze +itd +itea +iteaceae +itel +itelmes +item +itemed +itemy +iteming +itemise +itemization +itemizations +itemize +itemized +itemizer +itemizers +itemizes +itemizing +items +iten +itenean +iter +iterable +iterance +iterances +iterancy +iterant +iterate +iterated +iterately +iterates +iterating +iteration +iterations +iterative +iteratively +iterativeness +iterator +iterators +iteroparity +iteroparous +iters +iterum +ithaca +ithacan +ithacensian +ithagine +ithaginis +ithand +ither +itherness +ithiel +ithyphallic +ithyphallus +ithyphyllous +ithomiid +ithomiidae +ithomiinae +itylus +itineracy +itinerancy +itinerant +itinerantly +itinerants +itinerary +itineraria +itinerarian +itineraries +itinerarium +itinerariums +itinerate +itinerated +itinerating +itineration +itinereraria +itinerite +itinerition +itineritious +itineritis +itineritive +itinerous +itys +itll +itmo +ito +itoism +itoist +itoland +itonama +itonaman +itonia +itonidid +itonididae +itoubou +its +itself +itsy +ytter +ytterbia +ytterbias +ytterbic +ytterbite +ytterbium +ytterbous +ytterite +ittria +yttria +yttrialite +yttrias +yttric +yttriferous +yttrious +yttrium +yttriums +yttrocerite +yttrocolumbite +yttrocrasite +yttrofluorite +yttrogummite +yttrotantalite +ituraean +iturite +itza +itzebu +yuan +yuans +yuapin +yuca +yucatec +yucatecan +yucateco +yucca +yuccas +yucch +yuch +yuchi +yuck +yucked +yuckel +yucker +yucky +yuckier +yuckiest +yucking +yuckle +yucks +iud +iuds +yuechi +yuft +yug +yuga +yugada +yugas +yugoslav +yugoslavia +yugoslavian +yugoslavians +yugoslavic +yugoslavs +yuh +yuit +yuk +yukaghir +yukata +yuke +yuki +yukian +yukked +yukkel +yukking +yukon +yuks +yulan +yulans +yule +yuleblock +yules +yuletide +yuletides +iulidan +iulus +yum +yuma +yuman +yummy +yummier +yummies +yummiest +yun +yunca +yuncan +yungan +yunker +yunnanese +yup +yupon +yupons +yuppie +yuquilla +yuquillas +yurak +iurant +yurok +yurt +yurta +yurts +yurucare +yurucarean +yurucari +yurujure +yuruk +yuruna +yurupary +yus +yusdrum +yustaga +yutu +iuus +yuzlik +yuzluk +iv +iva +ivan +ive +ivy +ivybells +ivyberry +ivyberries +ivied +ivies +ivyflower +ivylike +ivin +ivyweed +ivywood +ivywort +yvonne +ivory +ivorybill +ivoried +ivories +ivorylike +ivorine +ivoriness +ivorist +ivorytype +ivorywood +ivray +ivresse +iw +iwa +iwaiwa +iwbells +iwberry +ywca +iwearth +iwflower +iwis +ywis +iworth +iwound +iwurche +iwurthen +iwwood +iwwort +ix +ixia +ixiaceae +ixiama +ixias +ixil +ixion +ixionian +ixodes +ixodian +ixodic +ixodid +ixodidae +ixodids +ixora +ixtle +ixtles +izafat +izar +izard +izars +izba +izcateco +izchak +izdubar +izing +izle +izote +iztle +izumi +izvozchik +izzard +izzards +izzat +izzy +j +ja +jaalin +jaap +jab +jabalina +jabarite +jabbed +jabber +jabbered +jabberer +jabberers +jabbering +jabberingly +jabberment +jabbernowl +jabbers +jabberwock +jabberwocky +jabberwockian +jabbing +jabbingly +jabble +jabers +jabia +jabiru +jabirus +jaborandi +jaborandis +jaborin +jaborine +jabot +jaboticaba +jabots +jabs +jabul +jabules +jaburan +jacal +jacales +jacals +jacaltec +jacalteca +jacamar +jacamaralcyon +jacamars +jacameropine +jacamerops +jacami +jacamin +jacana +jacanas +jacanidae +jacaranda +jacarandas +jacarandi +jacare +jacate +jacatoo +jacchus +jacconet +jacconot +jacens +jacent +jacht +jacinth +jacinthe +jacinthes +jacinths +jacitara +jack +jackal +jackals +jackanapes +jackanapeses +jackanapish +jackaroo +jackarooed +jackarooing +jackaroos +jackash +jackass +jackassery +jackasses +jackassification +jackassism +jackassness +jackbird +jackboy +jackboot +jackbooted +jackboots +jackbox +jackdaw +jackdaws +jacked +jackeen +jackey +jacker +jackeroo +jackerooed +jackerooing +jackeroos +jackers +jacket +jacketed +jackety +jacketing +jacketless +jacketlike +jackets +jacketwise +jackfish +jackfishes +jackfruit +jackhammer +jackhammers +jackhead +jacky +jackyard +jackyarder +jackie +jackye +jackies +jacking +jackknife +jackknifed +jackknifes +jackknifing +jackknives +jackleg +jacklegs +jacklight +jacklighter +jackman +jackmen +jacknifed +jacknifing +jacknives +jacko +jackpile +jackpiling +jackplane +jackpot +jackpots +jackpudding +jackpuddinghood +jackrabbit +jackrod +jackroll +jackrolled +jackrolling +jackrolls +jacks +jacksaw +jackscrew +jackscrews +jackshaft +jackshay +jackshea +jackslave +jacksmelt +jacksmelts +jacksmith +jacksnipe +jacksnipes +jackson +jacksonia +jacksonian +jacksonite +jacksonville +jackstay +jackstays +jackstock +jackstone +jackstones +jackstraw +jackstraws +jacktan +jacktar +jackweed +jackwood +jacob +jacobaea +jacobaean +jacobean +jacoby +jacobian +jacobic +jacobin +jacobinia +jacobinic +jacobinical +jacobinically +jacobinism +jacobinization +jacobinize +jacobins +jacobite +jacobitely +jacobitiana +jacobitic +jacobitical +jacobitically +jacobitish +jacobitishly +jacobitism +jacobsite +jacobson +jacobus +jacobuses +jacolatt +jaconace +jaconet +jaconets +jacounce +jacquard +jacquards +jacqueline +jacquemart +jacqueminot +jacquerie +jacques +jactance +jactancy +jactant +jactation +jacteleg +jactitate +jactitated +jactitating +jactitation +jactivus +jactura +jacture +jactus +jacu +jacuaru +jaculate +jaculated +jaculates +jaculating +jaculation +jaculative +jaculator +jaculatory +jaculatorial +jaculiferous +jacunda +jacutinga +jad +jadded +jadder +jadding +jade +jaded +jadedly +jadedness +jadeite +jadeites +jadelike +jadery +jades +jadesheen +jadeship +jadestone +jady +jading +jadish +jadishly +jadishness +jaditic +jaegars +jaeger +jaegers +jag +jaga +jagamohan +jagannath +jagannatha +jagat +jagatai +jagataic +jagath +jageer +jager +jagers +jagg +jaggar +jaggary +jaggaries +jagged +jaggeder +jaggedest +jaggedly +jaggedness +jagger +jaggery +jaggeries +jaggers +jagghery +jaggheries +jaggy +jaggier +jaggiest +jagging +jaggs +jagheer +jagheerdar +jaghir +jaghirdar +jaghire +jaghiredar +jagir +jagirdar +jagla +jagless +jagong +jagra +jagras +jagrata +jags +jagua +jaguar +jaguarete +jaguarondi +jaguars +jaguarundi +jaguarundis +jaguey +jah +jahannan +jahve +jahveh +jahvism +jahvist +jahvistic +jai +jay +jayant +jaybird +jaybirds +jaycee +jaycees +jayesh +jaygee +jaygees +jayhawk +jayhawker +jail +jailage +jailbait +jailbird +jailbirds +jailbreak +jailbreaker +jailbreaks +jaildom +jailed +jailer +jaileress +jailering +jailers +jailership +jailhouse +jailhouses +jailyard +jailing +jailish +jailkeeper +jailless +jaillike +jailmate +jailor +jailoring +jailors +jails +jailward +jaime +jain +jaina +jainism +jainist +jaypie +jaypiet +jaipuri +jays +jayvee +jayvees +jaywalk +jaywalked +jaywalker +jaywalkers +jaywalking +jaywalks +jajman +jak +jakarta +jake +jakey +jakes +jakfruit +jako +jakob +jakos +jakun +jalalaean +jalap +jalapa +jalapeno +jalapenos +jalapic +jalapin +jalapins +jalaps +jalee +jalet +jalkar +jalloped +jalop +jalopy +jalopies +jaloppy +jaloppies +jalops +jalor +jalouse +jaloused +jalousie +jalousied +jalousies +jalousing +jalpaite +jalur +jam +jama +jamadar +jamaica +jamaican +jamaicans +jaman +jamb +jambalaya +jambart +jambarts +jambe +jambeau +jambeaux +jambed +jambee +jamber +jambes +jambiya +jambing +jambo +jamboy +jambolan +jambolana +jambon +jambone +jambonneau +jambool +jamboree +jamborees +jambos +jambosa +jambs +jambstone +jambul +jamdanee +jamdani +james +jamesian +jamesina +jameson +jamesonite +jamestown +jami +jamie +jamlike +jammed +jammedness +jammer +jammers +jammy +jamming +jamnia +jamnut +jamoke +jampacked +jampan +jampanee +jampani +jamrosade +jams +jamshid +jamtland +jamwood +jan +janapa +janapan +janapum +janders +jane +janeiro +janes +janet +jangada +jangar +janghey +jangkar +jangle +jangled +jangler +janglery +janglers +jangles +jangly +jangling +janice +janiceps +janiculan +janiculum +janiform +janisary +janisaries +janissary +janitor +janitorial +janitors +janitorship +janitress +janitresses +janitrix +janizary +janizarian +janizaries +jank +janker +jankers +jann +janner +jannock +janos +jansenism +jansenist +jansenistic +jansenistical +jansenize +jant +jantee +janthina +janthinidae +janty +jantu +janua +january +januaries +januarius +janus +januslike +jaob +jap +japaconin +japaconine +japaconitin +japaconitine +japan +japanee +japanese +japanesery +japanesy +japanesque +japanesquely +japanesquery +japanicize +japanism +japanization +japanize +japanized +japanizes +japanizing +japanned +japanner +japannery +japanners +japanning +japannish +japanolatry +japanology +japanologist +japanophile +japanophobe +japanophobia +japans +jape +japed +japer +japery +japeries +japers +japes +japetus +japheth +japhetic +japhetide +japhetite +japygid +japygidae +japygoid +japing +japingly +japish +japishly +japishness +japyx +japonaiserie +japonic +japonica +japonically +japonicas +japonicize +japonism +japonize +japonizer +jaqueline +jaquesian +jaquette +jaquima +jar +jara +jarabe +jaragua +jarana +jararaca +jararacussu +jarbird +jarble +jarbot +jarde +jardin +jardini +jardiniere +jardinieres +jardon +jared +jareed +jarfly +jarful +jarfuls +jarg +jargle +jargogle +jargon +jargonal +jargoned +jargoneer +jargonel +jargonelle +jargonels +jargoner +jargonesque +jargonic +jargoning +jargonisation +jargonise +jargonised +jargonish +jargonising +jargonist +jargonistic +jargonium +jargonization +jargonize +jargonized +jargonizer +jargonizing +jargonnelle +jargons +jargoon +jargoons +jarhead +jarina +jarinas +jark +jarkman +jarl +jarldom +jarldoms +jarless +jarlite +jarls +jarlship +jarmo +jarnut +jarool +jarosite +jarosites +jarovization +jarovize +jarovized +jarovizes +jarovizing +jarp +jarra +jarrah +jarrahs +jarred +jarret +jarry +jarring +jarringly +jarringness +jars +jarsful +jarvey +jarveys +jarvy +jarvie +jarvies +jarvis +jasey +jaseyed +jaseys +jasy +jasies +jasione +jasmin +jasminaceae +jasmine +jasmined +jasminelike +jasmines +jasminewood +jasmins +jasminum +jasmone +jason +jasp +jaspachate +jaspagate +jaspe +jasper +jasperated +jaspered +jaspery +jasperite +jasperize +jasperized +jasperizing +jasperoid +jaspers +jasperware +jaspidean +jaspideous +jaspilite +jaspilyte +jaspis +jaspoid +jasponyx +jaspopal +jass +jassid +jassidae +jassids +jassoid +jasz +jat +jataco +jataka +jatamansi +jateorhiza +jateorhizin +jateorhizine +jatha +jati +jatki +jatni +jato +jatoba +jatos +jatropha +jatrophic +jatrorrhizine +jatulian +jaudie +jauk +jauked +jauking +jauks +jaun +jaunce +jaunced +jaunces +jauncing +jaunder +jaunders +jaundice +jaundiced +jaundiceroot +jaundices +jaundicing +jauner +jaunt +jaunted +jaunty +jauntie +jauntier +jauntiest +jauntily +jauntiness +jaunting +jauntingly +jaunts +jaup +jauped +jauping +jaups +java +javahai +javali +javan +javanee +javanese +javanine +javas +javel +javelin +javelina +javelinas +javeline +javelined +javelineer +javelining +javelins +javelot +javer +javitero +jaw +jawab +jawan +jawans +jawbation +jawbone +jawboned +jawbones +jawboning +jawbreak +jawbreaker +jawbreakers +jawbreaking +jawbreakingly +jawcrusher +jawed +jawfall +jawfallen +jawfeet +jawfish +jawfishes +jawfoot +jawfooted +jawhole +jawy +jawing +jawless +jawlike +jawline +jawlines +jawn +jawp +jawrope +jaws +jawsmith +jawtwister +jazey +jazeys +jazeran +jazerant +jazy +jazies +jazyges +jazz +jazzbow +jazzed +jazzer +jazzers +jazzes +jazzy +jazzier +jazziest +jazzily +jazziness +jazzing +jazzist +jazzlike +jazzman +jazzmen +jcl +jct +jctn +jealous +jealouse +jealousy +jealousies +jealously +jealousness +jeames +jean +jeanette +jeany +jeanie +jeanne +jeannette +jeannie +jeanpaulia +jeans +jear +jebat +jebel +jebels +jebus +jebusi +jebusite +jebusitic +jebusitical +jebusitish +jecoral +jecorin +jecorize +jed +jedburgh +jedcock +jedding +jeddock +jee +jeed +jeeing +jeel +jeep +jeepers +jeepney +jeepneys +jeeps +jeer +jeered +jeerer +jeerers +jeery +jeering +jeeringly +jeerproof +jeers +jees +jeetee +jeewhillijers +jeewhillikens +jeez +jef +jefe +jefes +jeff +jeffery +jefferisite +jefferson +jeffersonia +jeffersonian +jeffersonianism +jeffersonians +jeffersonite +jeffie +jeffrey +jeg +jehad +jehads +jehoshaphat +jehovah +jehovic +jehovism +jehovist +jehovistic +jehu +jehup +jehus +jejuna +jejunal +jejunator +jejune +jejunectomy +jejunectomies +jejunely +jejuneness +jejunity +jejunities +jejunitis +jejunoduodenal +jejunoileitis +jejunostomy +jejunostomies +jejunotomy +jejunum +jejunums +jekyll +jelab +jelerang +jelib +jelick +jell +jellab +jellaba +jellabas +jelled +jelly +jellib +jellybean +jellybeans +jellica +jellico +jellydom +jellied +jelliedness +jellies +jellify +jellification +jellified +jellifies +jellifying +jellyfish +jellyfishes +jellying +jellyleaf +jellily +jellylike +jellylikeness +jelling +jellyroll +jello +jelloid +jells +jelotong +jelske +jelutong +jelutongs +jem +jemadar +jemadars +jembe +jemble +jemez +jemidar +jemidars +jemima +jemmy +jemmied +jemmies +jemmying +jemmily +jemminess +jen +jenequen +jenine +jenkin +jenna +jennerization +jennerize +jennet +jenneting +jennets +jenny +jennie +jennier +jennies +jennifer +jenoar +jenson +jentacular +jeofail +jeon +jeopard +jeoparded +jeoparder +jeopardy +jeopardied +jeopardies +jeopardying +jeoparding +jeopardious +jeopardise +jeopardised +jeopardising +jeopardize +jeopardized +jeopardizes +jeopardizing +jeopardous +jeopardously +jeopardousness +jeopards +jequerity +jequirity +jequirities +jer +jerahmeel +jerahmeelites +jerald +jerbil +jerboa +jerboas +jere +jereed +jereeds +jeremejevite +jeremy +jeremiad +jeremiads +jeremiah +jeremian +jeremianic +jeremias +jerez +jerfalcon +jerib +jerican +jericho +jerid +jerids +jerk +jerked +jerker +jerkers +jerky +jerkier +jerkies +jerkiest +jerkily +jerkin +jerkined +jerkiness +jerking +jerkingly +jerkings +jerkinhead +jerkins +jerkish +jerks +jerksome +jerkwater +jerl +jerm +jermonal +jermoonal +jernie +jeroboam +jeroboams +jerome +jeromian +jeronymite +jeropiga +jerque +jerqued +jerquer +jerquing +jerreed +jerreeds +jerry +jerrybuild +jerrybuilding +jerrybuilt +jerrican +jerrycan +jerricans +jerrycans +jerrid +jerrids +jerrie +jerries +jerryism +jersey +jerseyan +jerseyed +jerseyite +jerseyites +jerseyman +jerseys +jert +jerusalem +jervia +jervin +jervina +jervine +jesper +jess +jessakeed +jessamy +jessamies +jessamine +jessant +jesse +jessean +jessed +jesses +jessica +jessie +jessing +jessur +jest +jestbook +jested +jestee +jester +jesters +jestful +jesting +jestingly +jestings +jestingstock +jestmonger +jestproof +jests +jestwise +jestword +jesu +jesuate +jesuist +jesuit +jesuited +jesuitess +jesuitic +jesuitical +jesuitically +jesuitish +jesuitism +jesuitist +jesuitize +jesuitocracy +jesuitry +jesuitries +jesuits +jesus +jet +jetavator +jetbead +jetbeads +jete +jetes +jethro +jethronian +jetliner +jetliners +jeton +jetons +jetport +jetports +jets +jetsam +jetsams +jetsom +jetsoms +jetstream +jettage +jettatore +jettatura +jetteau +jetted +jetter +jetty +jettied +jetties +jettyhead +jettying +jettiness +jetting +jettingly +jettison +jettisonable +jettisoned +jettisoning +jettisons +jettywise +jetton +jettons +jettru +jetware +jeu +jeunesse +jeux +jew +jewbird +jewbush +jewdom +jewed +jewel +jeweled +jeweler +jewelers +jewelfish +jewelfishes +jewelhouse +jewely +jeweling +jewelled +jeweller +jewellery +jewellers +jewelless +jewelly +jewellike +jewelling +jewelry +jewelries +jewels +jewelsmith +jewelweed +jewelweeds +jewess +jewfish +jewfishes +jewhood +jewy +jewing +jewis +jewish +jewishly +jewishness +jewism +jewless +jewlike +jewling +jewry +jews +jewship +jewstone +jezail +jezails +jezebel +jezebelian +jezebelish +jezebels +jezekite +jeziah +jezreelite +jg +jger +jharal +jheel +jhool +jhow +jhuria +jhvh +ji +jianyun +jiao +jib +jibb +jibba +jibbah +jibbed +jibbeh +jibber +jibbers +jibby +jibbing +jibbings +jibbons +jibboom +jibbooms +jibbs +jibe +jibed +jiber +jibers +jibes +jibhead +jibi +jibing +jibingly +jibman +jibmen +jiboa +jiboya +jibs +jibstay +jicama +jicamas +jicaque +jicaquean +jicara +jicarilla +jiff +jiffy +jiffies +jiffle +jiffs +jig +jigaboo +jigaboos +jigamaree +jigged +jigger +jiggered +jiggerer +jiggerman +jiggermast +jiggers +jigget +jiggety +jiggy +jigginess +jigging +jiggish +jiggit +jiggle +jiggled +jiggler +jiggles +jiggly +jigglier +jiggliest +jiggling +jiggumbob +jiglike +jigman +jigmen +jigote +jigs +jigsaw +jigsawed +jigsawing +jigsawn +jigsaws +jihad +jihads +jikungu +jill +jillaroo +jillet +jillflirt +jilling +jillion +jillions +jills +jilt +jilted +jiltee +jilter +jilters +jilting +jiltish +jilts +jim +jimbang +jimberjaw +jimberjawed +jimbo +jimcrack +jimigaki +jiminy +jimjam +jimjams +jimjums +jimmer +jimmy +jimmied +jimmies +jimmying +jimminy +jimmyweed +jymold +jimp +jimper +jimpest +jimpy +jimply +jimpness +jimpricute +jimsedge +jimson +jimsonweed +jin +jina +jincamas +jincan +jinchao +jinete +jing +jingal +jingall +jingalls +jingals +jingbai +jingbang +jynginae +jyngine +jingko +jingkoes +jingle +jinglebob +jingled +jinglejangle +jingler +jinglers +jingles +jinglet +jingly +jinglier +jingliest +jingling +jinglingly +jingo +jingodom +jingoed +jingoes +jingoing +jingoish +jingoism +jingoisms +jingoist +jingoistic +jingoistically +jingoists +jingu +jinja +jinjili +jink +jinked +jinker +jinkers +jinket +jinking +jinkle +jinks +jinn +jinnee +jinnestan +jinni +jinny +jinnies +jinniyeh +jinniwink +jinnywink +jinns +jinricksha +jinrickshaw +jinriki +jinrikiman +jinrikimen +jinrikisha +jinrikishas +jinriksha +jins +jinsha +jinshang +jinsing +jinx +jynx +jinxed +jinxes +jinxing +jipijapa +jipijapas +jipper +jiqui +jirble +jirga +jirgah +jiri +jirkinet +jisheng +jism +jisms +jissom +jitendra +jiti +jitney +jitneyed +jitneying +jitneyman +jitneys +jitneur +jitneuse +jitro +jitter +jitterbug +jitterbugged +jitterbugger +jitterbugging +jitterbugs +jittered +jittery +jitteriness +jittering +jitters +jiujitsu +jiujitsus +jiujutsu +jiujutsus +jiva +jivaran +jivaro +jivaroan +jivatma +jive +jiveass +jived +jives +jiving +jixie +jizya +jizyah +jizzen +jms +jnana +jnanayoga +jnanamarga +jnanas +jnanashakti +jnanendriya +jnd +jnt +jo +joachim +joachimite +joan +joanna +joanne +joannes +joannite +joaquinite +job +jobade +jobarbe +jobation +jobbed +jobber +jobbery +jobberies +jobbernowl +jobbernowlism +jobbers +jobbet +jobbing +jobbish +jobble +jobe +jobholder +jobholders +jobless +joblessness +joblots +jobman +jobmaster +jobmen +jobmistress +jobmonger +jobname +jobnames +jobo +jobs +jobsite +jobsmith +jobson +jocant +jocasta +jocatory +jocelin +jocelyn +joceline +joch +jochen +jock +jockey +jockeydom +jockeyed +jockeying +jockeyish +jockeyism +jockeylike +jockeys +jockeyship +jocker +jockette +jockettes +jocko +jockos +jocks +jockstrap +jockstraps +jockteleg +jocooserie +jocoque +jocoqui +jocose +jocosely +jocoseness +jocoseriosity +jocoserious +jocosity +jocosities +jocote +jocteleg +jocu +jocular +jocularity +jocularities +jocularly +jocularness +joculator +joculatory +jocum +jocuma +jocund +jocundity +jocundities +jocundly +jocundness +jocundry +jocuno +jocunoity +jodel +jodelr +jodhpur +jodhpurs +jodo +joe +joebush +joey +joeyes +joeys +joel +joes +joewood +jog +jogged +jogger +joggers +jogging +joggle +joggled +joggler +jogglers +joggles +jogglety +jogglework +joggly +joggling +jogjakarta +jogs +jogtrot +jogtrottism +johan +johann +johanna +johannean +johannes +johannesburg +johannine +johannisberger +johannist +johannite +john +johnadreams +johnathan +johnboat +johnboats +johnian +johnin +johnny +johnnycake +johnnydom +johnnie +johnnies +johns +johnsmas +johnson +johnsonese +johnsonian +johnsoniana +johnsonianism +johnsonianly +johnsonism +johnstrupite +joy +joyance +joyances +joyancy +joyant +joyce +joycean +joie +joyed +joyful +joyfuller +joyfullest +joyfully +joyfulness +joyhop +joyhouse +joying +joyleaf +joyless +joylessly +joylessness +joylet +join +joinable +joinant +joinder +joinders +joined +joiner +joinered +joinery +joineries +joinering +joiners +joinhand +joining +joiningly +joinings +joins +joint +jointage +jointed +jointedly +jointedness +jointer +jointers +jointy +jointing +jointist +jointless +jointlessness +jointly +jointress +joints +jointure +jointured +jointureless +jointures +jointuress +jointuring +jointweed +jointwood +jointworm +joyous +joyously +joyousness +joypop +joypopped +joypopper +joypopping +joypops +joyproof +joyridden +joyride +joyrider +joyriders +joyrides +joyriding +joyrode +joys +joysome +joist +joisted +joystick +joysticks +joisting +joistless +joists +joyweed +jojoba +jojobas +joke +jokebook +joked +jokey +jokeless +jokelet +jokeproof +joker +jokers +jokes +jokesmith +jokesome +jokesomeness +jokester +jokesters +joky +jokier +jokiest +joking +jokingly +jokish +jokist +joktaleg +jokul +jole +joles +joll +jolleyman +jolly +jollied +jollier +jollyer +jollies +jolliest +jollify +jollification +jollifications +jollified +jollifies +jollifying +jollyhead +jollying +jollily +jolliment +jolliness +jollytail +jollity +jollities +jollitry +jollop +jolloped +joloano +jolt +jolted +jolter +jolterhead +jolterheaded +jolterheadedness +jolters +jolthead +joltheaded +jolty +joltier +joltiest +joltily +joltiness +jolting +joltingly +joltless +joltproof +jolts +jomon +jon +jonah +jonahesque +jonahism +jonahs +jonas +jonathan +jonathanization +jondla +jones +joneses +jonesian +jong +jonglem +jonglery +jongleur +jongleurs +joni +jonnick +jonnock +jonque +jonquil +jonquille +jonquils +jonsonian +jonval +jonvalization +jonvalize +jook +jookerie +joola +joom +joon +jophiel +joram +jorams +jordan +jordanian +jordanians +jordanite +jordanon +jordans +jorden +joree +jorge +jorist +jornada +jornadas +joropo +joropos +jorram +jorum +jorums +jos +jose +josefite +josey +joseite +joseph +josepha +josephine +josephinism +josephinite +josephism +josephite +josephs +josh +joshed +josher +joshers +joshes +joshi +joshing +joshua +josiah +josie +josip +joskin +joss +jossakeed +josser +josses +jostle +jostled +jostlement +jostler +jostlers +jostles +jostling +jot +jota +jotas +jotation +jotisaru +jotisi +jotnian +jots +jotted +jotter +jotters +jotty +jotting +jottings +jotunn +jotunnheim +joual +jouals +joubarb +joubert +joug +jough +jougs +jouisance +jouissance +jouk +jouked +joukery +joukerypawkery +jouking +jouks +joul +joule +joulean +joulemeter +joules +jounce +jounced +jounces +jouncy +jouncier +jounciest +jouncing +jour +journ +journal +journalary +journaled +journalese +journaling +journalise +journalised +journalish +journalising +journalism +journalist +journalistic +journalistically +journalists +journalization +journalize +journalized +journalizer +journalizes +journalizing +journalled +journalling +journals +journey +journeycake +journeyed +journeyer +journeyers +journeying +journeyings +journeyman +journeymen +journeys +journeywoman +journeywomen +journeywork +journeyworker +journo +jours +joust +jousted +jouster +jousters +jousting +jousts +joutes +jova +jove +jovy +jovial +jovialist +jovialistic +joviality +jovialize +jovialized +jovializing +jovially +jovialness +jovialty +jovialties +jovian +jovianly +jovicentric +jovicentrical +jovicentrically +jovilabe +joviniamish +jovinian +jovinianist +jovite +jow +jowar +jowari +jowars +jowed +jowel +jower +jowery +jowing +jowl +jowled +jowler +jowly +jowlier +jowliest +jowlish +jowlop +jowls +jowpy +jows +jowser +jowter +jozy +jr +js +jt +ju +juamave +juan +juang +juans +juba +jubarb +jubardy +jubartas +jubartes +jubas +jubate +jubbah +jubbahs +jubbe +jube +juberous +jubes +jubhah +jubhahs +jubilance +jubilancy +jubilant +jubilantly +jubilar +jubilarian +jubilate +jubilated +jubilates +jubilating +jubilatio +jubilation +jubilations +jubilatory +jubile +jubileal +jubilean +jubilee +jubilees +jubiles +jubili +jubilist +jubilization +jubilize +jubilus +jubus +juchart +juck +juckies +jucuna +jucundity +jud +judaeomancy +judaeophile +judaeophilism +judaeophobe +judaeophobia +judah +judahite +judaic +judaica +judaical +judaically +judaiser +judaism +judaist +judaistic +judaistically +judaization +judaize +judaizer +judas +judases +judaslike +judcock +judder +juddered +juddering +judders +juddock +jude +judean +judex +judge +judgeable +judged +judgeless +judgelike +judgement +judgemental +judgements +judger +judgers +judges +judgeship +judgeships +judging +judgingly +judgmatic +judgmatical +judgmatically +judgment +judgmental +judgments +judgmetic +judgship +judy +judica +judicable +judical +judicata +judicate +judicatio +judication +judicative +judicator +judicatory +judicatorial +judicatories +judicature +judicatures +judice +judices +judicia +judiciable +judicial +judicialis +judiciality +judicialize +judicialized +judicializing +judicially +judicialness +judiciary +judiciaries +judiciarily +judicious +judiciously +judiciousness +judicium +judith +judo +judogi +judoist +judoists +judoka +judokas +judophobia +judophobism +judos +jueces +juergen +juffer +jufti +jufts +jug +juga +jugal +jugale +jugatae +jugate +jugated +jugation +juger +jugerum +jugful +jugfuls +jugged +jugger +juggernaut +juggernautish +juggernauts +jugging +juggins +jugginses +juggle +juggled +jugglement +juggler +jugglery +juggleries +jugglers +juggles +juggling +jugglingly +jugglings +jughead +jugheads +juglandaceae +juglandaceous +juglandales +juglandin +juglans +juglar +juglone +jugoslav +jugs +jugsful +jugula +jugular +jugulares +jugulary +jugulars +jugulate +jugulated +jugulates +jugulating +jugulation +jugulum +jugum +jugums +jugurthine +juha +juyas +juice +juiced +juiceful +juicehead +juiceless +juicelessness +juicer +juicers +juices +juicy +juicier +juiciest +juicily +juiciness +juicing +juise +jujitsu +jujitsus +juju +jujube +jujubes +jujuism +jujuisms +jujuist +jujuists +jujus +jujutsu +jujutsus +juke +jukebox +jukeboxes +juked +jukes +juking +julaceous +jule +julep +juleps +jules +juletta +july +julia +julian +juliana +juliane +julianist +julianto +julid +julidae +julidan +julie +julien +julienite +julienne +juliennes +julies +juliet +juliett +julietta +julyflower +julio +juliott +julius +juloid +juloidea +juloidian +julole +julolidin +julolidine +julolin +juloline +julus +jumada +jumana +jumart +jumba +jumbal +jumbals +jumby +jumbie +jumble +jumbled +jumblement +jumbler +jumblers +jumbles +jumbly +jumbling +jumblingly +jumbo +jumboesque +jumboism +jumbos +jumbuck +jumbucks +jumelle +jument +jumentous +jumfru +jumillite +jumma +jump +jumpable +jumped +jumper +jumperism +jumpers +jumpy +jumpier +jumpiest +jumpily +jumpiness +jumping +jumpingly +jumpmaster +jumpness +jumpoff +jumpoffs +jumprock +jumprocks +jumps +jumpscrape +jumpseed +jumpsome +jumpsuit +jumpsuits +jun +junc +juncaceae +juncaceous +juncaginaceae +juncaginaceous +juncagineous +juncat +junciform +juncite +junco +juncoes +juncoides +juncos +juncous +junction +junctional +junctions +junctive +junctly +junctor +junctural +juncture +junctures +juncus +jundy +jundie +jundied +jundies +jundying +june +juneating +juneau +juneberry +junebud +junectomy +junefish +juneflower +jungermannia +jungermanniaceae +jungermanniaceous +jungermanniales +jungian +jungle +jungled +junglegym +jungles +jungleside +junglewards +junglewood +jungli +jungly +junglier +jungliest +juniata +junior +juniorate +juniority +juniors +juniorship +juniper +juniperaceae +junipers +juniperus +junius +junk +junkboard +junkdealer +junked +junker +junkerdom +junkerish +junkerism +junkers +junket +junketed +junketeer +junketeers +junketer +junketers +junketing +junkets +junketter +junky +junkyard +junkyards +junkie +junkier +junkies +junkiest +junking +junkman +junkmen +junks +juno +junoesque +junonia +junonian +junt +junta +juntas +junto +juntos +jupard +jupati +jupe +jupes +jupiter +jupon +jupons +jur +jura +jural +jurally +jurament +juramenta +juramentado +juramentados +juramental +juramentally +juramentum +jurane +jurant +jurants +jurara +jurare +jurassic +jurat +jurata +juration +jurative +jurator +juratory +juratorial +jurats +jure +jurel +jurels +jurevis +juri +jury +juridic +juridical +juridically +juridicial +juridicus +juries +juryless +juryman +jurymen +juring +juryrigged +juris +jurisconsult +jurisdiction +jurisdictional +jurisdictionalism +jurisdictionally +jurisdictions +jurisdictive +jurisp +jurisprude +jurisprudence +jurisprudent +jurisprudential +jurisprudentialist +jurisprudentially +jurist +juristic +juristical +juristically +jurists +jurywoman +jurywomen +juror +jurors +jurupaite +jus +juslik +juslted +jusquaboutisme +jusquaboutist +jussal +jussel +jusshell +jussi +jussiaea +jussiaean +jussieuan +jussion +jussive +jussives +jussory +just +justaucorps +justed +justen +juster +justers +justest +justice +justiced +justicehood +justiceless +justicelike +justicer +justices +justiceship +justiceweed +justicia +justiciability +justiciable +justicial +justiciar +justiciary +justiciaries +justiciaryship +justiciarship +justiciatus +justicier +justicies +justicing +justico +justicoat +justifably +justify +justifiability +justifiable +justifiableness +justifiably +justification +justifications +justificative +justificator +justificatory +justified +justifiedly +justifier +justifiers +justifies +justifying +justifyingly +justin +justina +justine +justing +justinian +justinianeus +justinianian +justinianist +justitia +justle +justled +justler +justles +justly +justling +justment +justments +justness +justnesses +justo +justs +justus +jut +jute +jutelike +jutes +jutic +jutish +jutka +jutlander +jutlandish +juts +jutted +jutty +juttied +jutties +juttying +jutting +juttingly +juturna +juv +juvavian +juvenal +juvenalian +juvenals +juvenate +juvenescence +juvenescent +juvenile +juvenilely +juvenileness +juveniles +juvenilia +juvenilify +juvenilism +juvenility +juvenilities +juvenilize +juvenocracy +juvenolatry +juvent +juventas +juventude +juverna +juvia +juvite +juwise +juxta +juxtalittoral +juxtamarine +juxtapyloric +juxtapose +juxtaposed +juxtaposes +juxtaposing +juxtaposit +juxtaposition +juxtapositional +juxtapositions +juxtapositive +juxtaspinal +juxtaterrestrial +juxtatropical +juza +jwahar +k +ka +kaaba +kaama +kaas +kaataplectic +kab +kabab +kababish +kababs +kabaya +kabayas +kabaka +kabakas +kabala +kabalas +kabar +kabaragoya +kabard +kabardian +kabars +kabassou +kabbala +kabbalah +kabbalahs +kabbalas +kabbeljaws +kabel +kabeljou +kabeljous +kaberu +kabiet +kabiki +kabikis +kabyle +kabirpanthi +kabistan +kabob +kabobs +kabonga +kabs +kabuki +kabukis +kabuli +kabuzuchi +kacha +kachari +kachcha +kachin +kachina +kachinas +kadaga +kadaya +kadayan +kadarite +kadder +kaddish +kaddishes +kaddishim +kadein +kadi +kadikane +kadine +kadis +kadischi +kadish +kadishim +kadmi +kados +kadsura +kadu +kae +kaempferol +kaes +kaf +kafa +kaferita +kaffeeklatsch +kaffiyeh +kaffiyehs +kaffir +kaffirs +kaffraria +kaffrarian +kafila +kafir +kafiri +kafirin +kafirs +kafiz +kafka +kafkaesque +kafta +kaftan +kaftans +kago +kagos +kagu +kagura +kagus +kaha +kahala +kahar +kahau +kahawai +kahikatea +kahili +kahu +kahuna +kahunas +kai +kay +kaiak +kayak +kayaker +kayakers +kaiaks +kayaks +kayan +kayasth +kayastha +kaibab +kaibartha +kaid +kaif +kaifs +kaik +kaikara +kaikawaka +kail +kayles +kailyard +kailyarder +kailyardism +kailyards +kails +kaimakam +kaiman +kaimo +kain +kainah +kainga +kaingin +kainyn +kainit +kainite +kainites +kainits +kainogenesis +kainozoic +kains +kainsi +kayo +kayoed +kayoes +kayoing +kayos +kairin +kairine +kairolin +kairoline +kairos +kairotic +kays +kaiser +kaiserdom +kaiserin +kaiserins +kaiserism +kaisers +kaisership +kaitaka +kaithi +kaivalya +kayvan +kayward +kaiwhiria +kaiwi +kaj +kajar +kajawah +kajeput +kajeputs +kajugaru +kaka +kakan +kakapo +kakapos +kakar +kakarali +kakaralli +kakariki +kakas +kakatoe +kakatoidae +kakawahie +kakemono +kakemonos +kaki +kakidrosis +kakis +kakistocracy +kakistocracies +kakistocratical +kakkak +kakke +kakogenic +kakorraphiaphobia +kakortokite +kakotopia +kal +kala +kalaazar +kalach +kaladana +kalam +kalamalo +kalamansanai +kalamian +kalamkari +kalams +kalan +kalanchoe +kalandariyah +kalang +kalapooian +kalashnikov +kalasie +kalathoi +kalathos +kaldani +kale +kaleege +kaleyard +kaleyards +kaleidescope +kaleidophon +kaleidophone +kaleidoscope +kaleidoscopes +kaleidoscopic +kaleidoscopical +kaleidoscopically +kalekah +kalema +kalend +kalendae +kalendar +kalendarial +kalends +kales +kalewife +kalewives +kali +kalian +kaliana +kalians +kaliborite +kalidium +kalif +kalifate +kalifates +kaliform +kalifs +kaligenous +kalimba +kalimbas +kalymmaukion +kalymmocyte +kalinga +kalinite +kaliophilite +kalipaya +kaliph +kaliphs +kalyptra +kalyptras +kalis +kalysis +kalispel +kalium +kaliums +kalkvis +kallah +kallege +kallidin +kallidins +kallilite +kallima +kallitype +kalmarian +kalmia +kalmias +kalmuck +kalmuk +kalo +kalogeros +kalokagathia +kalon +kalong +kalongs +kalpa +kalpak +kalpaks +kalpas +kalpis +kalsomine +kalsomined +kalsominer +kalsomining +kaltemail +kalumpang +kalumpit +kalunti +kalwar +kam +kama +kamaaina +kamaainas +kamachi +kamachile +kamacite +kamacites +kamahi +kamala +kamalas +kamaloka +kamanichile +kamansi +kamao +kamares +kamarezite +kamarupa +kamarupic +kamas +kamasin +kamass +kamassi +kamavachara +kamba +kambal +kamboh +kambou +kamchadal +kamchatkan +kame +kameel +kameeldoorn +kameelthorn +kamel +kamelaukia +kamelaukion +kamelaukions +kamelkia +kamerad +kames +kami +kamian +kamias +kamichi +kamiya +kamik +kamika +kamikaze +kamikazes +kamiks +kamis +kamleika +kammalan +kammererite +kammeu +kammina +kamperite +kampylite +kampong +kampongs +kampseen +kamptomorph +kamptulicon +kampuchea +kamseen +kamseens +kamsin +kamsins +kan +kana +kanae +kanaff +kanagi +kanaima +kanaka +kanamycin +kanamono +kanap +kanara +kanarese +kanari +kanas +kanat +kanauji +kanawari +kanawha +kanchil +kand +kande +kandelia +kandjar +kandol +kane +kaneelhart +kaneh +kanephore +kanephoros +kanes +kaneshite +kanesian +kang +kanga +kangayam +kangani +kangany +kangaroo +kangarooer +kangarooing +kangaroolike +kangaroos +kangla +kangli +kangri +kanyaw +kanji +kanjis +kankanai +kankedort +kankie +kankrej +kannada +kannen +kannu +kannume +kanone +kanoon +kanred +kans +kansa +kansan +kansans +kansas +kant +kantar +kantars +kantela +kantele +kanteles +kanteletar +kanten +kanthan +kantharoi +kantharos +kantian +kantianism +kantians +kantiara +kantism +kantist +kantry +kanuka +kanuri +kanwar +kanzu +kaoliang +kaoliangs +kaolin +kaolinate +kaoline +kaolines +kaolinic +kaolinisation +kaolinise +kaolinised +kaolinising +kaolinite +kaolinization +kaolinize +kaolinized +kaolinizing +kaolins +kaon +kaons +kapa +kapai +kapas +kapeika +kapelle +kapellmeister +kaph +kaphs +kapok +kapoks +kapote +kapp +kappa +kapparah +kappas +kappe +kappellmeister +kappie +kappland +kapuka +kapur +kaput +kaputt +karabagh +karabiner +karaburan +karacul +karagan +karaya +karaism +karaite +karaitism +karaka +karakatchan +karakul +karakule +karakuls +karakurt +karamojo +karamu +karanda +karaoke +karat +karatas +karate +karateist +karates +karats +karatto +karbi +karch +kareao +kareau +kareeta +karel +karela +karelian +karen +karewa +karez +karharbari +kari +karyaster +karyatid +karyenchyma +karinghota +karyochylema +karyochrome +karyocyte +karyogamy +karyogamic +karyokinesis +karyokinetic +karyolymph +karyolysidae +karyolysis +karyolysus +karyolitic +karyolytic +karyology +karyologic +karyological +karyologically +karyomere +karyomerite +karyomicrosome +karyomitoic +karyomitome +karyomiton +karyomitosis +karyomitotic +karyon +karyopyknosis +karyoplasm +karyoplasma +karyoplasmatic +karyoplasmic +karyorrhexis +karyoschisis +karyosystematics +karyosoma +karyosome +karyotin +karyotins +karyotype +karyotypic +karyotypical +karite +kariti +karl +karling +karluk +karma +karmadharaya +karmas +karmathian +karmic +karmouth +karn +karns +karo +karoo +karoos +karos +kaross +karosses +karou +karpas +karree +karren +karri +karroo +karroos +karrusel +karsha +karshuni +karst +karstenite +karstic +karsts +kart +kartel +karthli +karting +kartings +kartometer +kartos +karts +kartvel +kartvelian +karuna +karval +karvar +karwar +karwinskia +kas +kasa +kasbah +kasbeke +kascamiol +kaser +kasha +kashan +kashas +kasher +kashered +kashering +kashers +kashga +kashi +kashyapa +kashim +kashima +kashira +kashmir +kashmiri +kashmirian +kashmirs +kashoubish +kashrut +kashruth +kashruths +kashruts +kashube +kashubian +kasida +kasikumuk +kaska +kaskaskia +kasm +kasolite +kassabah +kassak +kassite +kassu +kastura +kasubian +kat +katabanian +katabases +katabasis +katabatic +katabella +katabolic +katabolically +katabolism +katabolite +katabolize +katabothra +katabothron +katachromasis +katacrotic +katacrotism +katagelophobia +katagenesis +katagenetic +katakana +katakanas +katakinesis +katakinetic +katakinetomer +katakinetomeric +katakiribori +katalase +katalyses +katalysis +katalyst +katalytic +katalyze +katalyzed +katalyzer +katalyzing +katamorphic +katamorphism +katana +kataphoresis +kataphoretic +kataphoric +kataphrenia +kataplasia +kataplectic +kataplexy +katar +katastate +katastatic +katat +katathermometer +katatype +katatonia +katatonic +katchina +katchung +katcina +kate +kath +katha +kathak +kathal +katharevusa +katharina +katharine +katharometer +katharses +katharsis +kathartic +kathemoglobin +kathenotheism +katherine +kathy +kathisma +kathismata +kathleen +kathodal +kathode +kathodes +kathodic +katholikoi +katholikos +katholikoses +kathopanishad +kathryn +katy +katydid +katydids +katie +katik +katinka +kation +kations +katipo +katipunan +katipuneros +katjepiering +katmon +katogle +katrina +katrine +katrinka +kats +katsunkel +katsup +katsuwonidae +katuka +katukina +katun +katurai +katzenjammer +kauch +kauravas +kauri +kaury +kauries +kauris +kava +kavaic +kavas +kavass +kavasses +kaver +kavi +kavika +kaw +kawaka +kawakawa +kawchodinne +kawika +kazachki +kazachok +kazak +kazatske +kazatski +kazatsky +kazatskies +kazi +kazoo +kazoos +kazuhiro +kb +kbar +kbps +kc +kcal +kea +keach +keacorn +keap +kearn +keas +keat +keats +keatsian +keawe +keb +kebab +kebabs +kebar +kebars +kebby +kebbie +kebbies +kebbock +kebbocks +kebbuck +kebbucks +kebyar +keblah +keblahs +kebob +kebobs +kechel +kechumaran +keck +kecked +kecky +kecking +keckle +keckled +keckles +keckling +kecks +kecksy +kecksies +ked +kedar +kedarite +keddah +keddahs +kedge +kedged +kedger +kedgeree +kedgerees +kedges +kedgy +kedging +kedjave +kedlock +kedushah +kedushshah +kee +keech +keef +keefs +keek +keeked +keeker +keekers +keeking +keeks +keel +keelage +keelages +keelback +keelbill +keelbird +keelblock +keelboat +keelboatman +keelboatmen +keelboats +keeldrag +keeled +keeler +keelfat +keelhale +keelhaled +keelhales +keelhaling +keelhaul +keelhauled +keelhauling +keelhauls +keelie +keeling +keelivine +keelless +keelman +keelrake +keels +keelson +keelsons +keelvat +keen +keena +keened +keener +keeners +keenest +keening +keenly +keenness +keennesses +keens +keep +keepable +keeper +keeperess +keepering +keeperless +keepers +keepership +keeping +keepings +keepnet +keeps +keepsake +keepsakes +keepsaky +keepworthy +keerie +keerogue +kees +keeshond +keeshonden +keeshonds +keeslip +keest +keester +keesters +keet +keets +keeve +keeves +keewatin +kef +keffel +keffiyeh +kefiatoid +kefifrel +kefir +kefiric +kefirs +kefs +kefti +keftian +keftiu +keg +kegeler +kegelers +kegful +keggmiengg +kegler +keglers +kegling +keglings +kegs +kehaya +kehillah +kehilloth +kehoeite +key +keyage +keyaki +keyboard +keyboarded +keyboarder +keyboarding +keyboards +keybutton +keid +keyed +keyhole +keyholes +keying +keyless +keylet +keilhauite +keylock +keyman +keymen +keymove +keynesian +keynesianism +keynote +keynoted +keynoter +keynoters +keynotes +keynoting +keypad +keypads +keypress +keypresses +keypunch +keypunched +keypuncher +keypunchers +keypunches +keypunching +keir +keirs +keys +keyseat +keyseater +keyserlick +keyset +keysets +keyslot +keysmith +keist +keister +keyster +keisters +keysters +keystone +keystoned +keystoner +keystones +keystroke +keystrokes +keita +keith +keitloa +keitloas +keyway +keyways +keywd +keyword +keywords +keywrd +kekchi +kekotene +kekuna +kelchin +kelchyn +keld +kelder +kele +kelebe +kelectome +keleh +kelek +kelep +kelia +kelima +kelyphite +kelk +kell +kella +kelleg +kellegk +kellet +kelly +kellia +kellick +kellies +kellion +kellys +kellock +kellupweed +keloid +keloidal +keloids +kelotomy +kelotomies +kelowna +kelp +kelped +kelper +kelpfish +kelpfishes +kelpy +kelpie +kelpies +kelping +kelps +kelpware +kelpwort +kelson +kelsons +kelt +kelter +kelters +kelty +keltic +keltics +keltie +keltoi +kelts +kelvin +kelvins +kemal +kemalism +kemalist +kemancha +kemb +kemelin +kemp +kempas +kemperyman +kempy +kempite +kemple +kemps +kempster +kempt +kemptken +kempts +ken +kenaf +kenafs +kenai +kenareh +kench +kenches +kend +kendal +kendy +kendir +kendyr +kendna +kendo +kendoist +kendos +kenelm +kenema +kenya +kenyan +kenyans +kenipsim +kenyte +kenlore +kenmark +kenmpy +kenn +kennebec +kennebecker +kennebunker +kenned +kennedy +kennedya +kennel +kenneled +kenneling +kennell +kennelled +kennelly +kennelling +kennelman +kennels +kenner +kennet +kenneth +kenny +kenning +kennings +kenningwort +kenno +keno +kenogenesis +kenogenetic +kenogenetically +kenogeny +kenophobia +kenos +kenosis +kenosises +kenotic +kenoticism +kenoticist +kenotism +kenotist +kenotoxin +kenotron +kenotrons +kens +kenscoff +kenseikai +kensington +kensitite +kenspac +kenspeck +kenspeckle +kenspeckled +kent +kentallenite +kente +kentia +kenticism +kentish +kentishman +kentle +kentledge +kenton +kentrogon +kentrolite +kentucky +kentuckian +kentuckians +keogenesis +keout +kep +kephalin +kephalins +kephir +kepi +kepis +keplerian +kepped +keppen +kepping +keps +kept +ker +keracele +keraci +keralite +keramic +keramics +kerana +keraphyllocele +keraphyllous +kerasin +kerasine +kerat +keratalgia +keratectacia +keratectasia +keratectomy +keratectomies +keraterpeton +keratin +keratinization +keratinize +keratinized +keratinizing +keratinoid +keratinophilic +keratinose +keratinous +keratins +keratitis +keratoangioma +keratocele +keratocentesis +keratocni +keratoconi +keratoconjunctivitis +keratoconus +keratocricoid +keratode +keratoderma +keratodermia +keratogenic +keratogenous +keratoglobus +keratoglossus +keratohelcosis +keratohyal +keratoid +keratoidea +keratoiritis +keratol +keratoleukoma +keratolysis +keratolytic +keratoma +keratomalacia +keratomas +keratomata +keratome +keratometer +keratometry +keratometric +keratomycosis +keratoncus +keratonyxis +keratonosus +keratophyr +keratophyre +keratoplasty +keratoplastic +keratoplasties +keratorrhexis +keratoscope +keratoscopy +keratose +keratoses +keratosic +keratosis +keratosropy +keratotic +keratotome +keratotomy +keratotomies +keratto +keraulophon +keraulophone +keraunia +keraunion +keraunograph +keraunography +keraunographic +keraunophobia +keraunophone +keraunophonic +keraunoscopy +keraunoscopia +kerb +kerbaya +kerbed +kerbing +kerbs +kerbstone +kerch +kercher +kerchief +kerchiefed +kerchiefs +kerchieft +kerchieves +kerchoo +kerchug +kerchunk +kerectomy +kerel +keres +keresan +kerewa +kerf +kerfed +kerfing +kerflap +kerflop +kerflummox +kerfs +kerfuffle +kerygma +kerygmata +kerygmatic +kerykeion +kerystic +kerystics +kerite +keryx +kerl +kerman +kermanji +kermanshah +kermes +kermesic +kermesite +kermess +kermesses +kermis +kermises +kern +kerne +kerned +kernel +kerneled +kerneling +kernella +kernelled +kernelless +kernelly +kernelling +kernels +kerner +kernes +kernetty +kerning +kernish +kernite +kernites +kernoi +kernos +kerns +kero +kerogen +kerogens +kerolite +keros +kerosene +kerosenes +kerosine +kerosines +kerplunk +kerri +kerry +kerria +kerrias +kerrie +kerries +kerrikerri +kerril +kerrite +kers +kersanne +kersantite +kersey +kerseymere +kerseynette +kerseys +kerslam +kerslosh +kersmash +kerugma +kerugmata +keruing +kerve +kerwham +kesar +keslep +kesse +kesslerman +kestrel +kestrelkestrels +kestrels +ket +keta +ketal +ketapang +ketatin +ketazine +ketch +ketchcraft +ketches +ketchy +ketchup +ketchups +ketembilla +keten +ketene +ketenes +kethib +kethibh +ketyl +ketimid +ketimide +ketimin +ketimine +ketine +ketipate +ketipic +ketmie +keto +ketogen +ketogenesis +ketogenetic +ketogenic +ketoheptose +ketohexose +ketoketene +ketol +ketole +ketolyses +ketolysis +ketolytic +ketonaemia +ketone +ketonemia +ketones +ketonic +ketonimid +ketonimide +ketonimin +ketonimine +ketonization +ketonize +ketonuria +ketose +ketoses +ketoside +ketosis +ketosteroid +ketosuccinic +ketotic +ketoxime +kette +ketty +ketting +kettle +kettlecase +kettledrum +kettledrummer +kettledrums +kettleful +kettlemaker +kettlemaking +kettler +kettles +kettrin +ketu +ketuba +ketubah +ketubahs +ketuboth +ketupa +ketway +keup +keuper +keurboom +kevalin +kevan +kevazingo +kevel +kevelhead +kevels +kever +kevil +kevils +kevin +kevyn +kevutzah +kevutzoth +keweenawan +keweenawite +kewpie +kex +kexes +kexy +kg +kgf +kgr +kha +khaddar +khaddars +khadi +khadis +khafajeh +khagiarite +khahoon +khaya +khayal +khaiki +khair +khaja +khajur +khakanship +khakham +khaki +khakied +khakilike +khakis +khalal +khalat +khaldian +khalif +khalifa +khalifas +khalifat +khalifate +khalifs +khalkha +khalsa +khalsah +khamal +khami +khamseen +khamseens +khamsin +khamsins +khamti +khan +khanate +khanates +khanda +khandait +khanga +khanjar +khanjee +khankah +khans +khansama +khansamah +khansaman +khanum +khar +kharaj +kharia +kharif +kharijite +kharoshthi +kharouba +kharroubah +khartoum +khartoumer +kharua +kharwa +kharwar +khasa +khasi +khass +khat +khatib +khatin +khatri +khats +khatti +khattish +khazar +khazarian +khazen +khazenim +khazens +kheda +khedah +khedahs +khedas +khediva +khedival +khedivate +khedive +khedives +khediviah +khedivial +khediviate +khella +khellin +khepesh +kherwari +kherwarian +khesari +khet +khevzur +khi +khidmatgar +khidmutgar +khila +khilat +khir +khirka +khirkah +khirkahs +khis +khitan +khitmatgar +khitmutgar +khivan +khlysti +khmer +khodja +khoja +khojah +khoka +khokani +khond +khorassan +khot +khotan +khotana +khowar +khrushchev +khu +khuai +khubber +khud +khula +khulda +khuskhus +khussak +khutba +khutbah +khutuktu +khuzi +khvat +khwarazmian +ki +ky +kiaat +kiabooca +kyabuka +kiack +kyack +kyacks +kyah +kyak +kiaki +kialee +kialkee +kiang +kyang +kiangan +kiangs +kyanise +kyanised +kyanises +kyanising +kyanite +kyanites +kyanization +kyanize +kyanized +kyanizes +kyanizing +kyanol +kyar +kyars +kyat +kyathoi +kyathos +kyats +kiaugh +kiaughs +kyaung +kibbeh +kibber +kibble +kibbled +kibbler +kibblerman +kibbles +kibbling +kibbutz +kibbutzim +kibbutznik +kibe +kibei +kybele +kibes +kiby +kibitka +kibitz +kibitzed +kibitzer +kibitzers +kibitzes +kibitzing +kibla +kiblah +kiblahs +kiblas +kibosh +kiboshed +kiboshes +kiboshing +kibsey +kichel +kick +kickable +kickapoo +kickback +kickbacks +kickball +kickboard +kickdown +kicked +kickee +kicker +kickers +kicky +kickier +kickiest +kicking +kickish +kickless +kickoff +kickoffs +kickout +kickplate +kicks +kickseys +kickshaw +kickshaws +kicksies +kicksorter +kickstand +kickstands +kicktail +kickup +kickups +kickwheel +kickxia +kid +kyd +kidang +kidcote +kidded +kidder +kidderminster +kidders +kiddy +kiddie +kiddier +kiddies +kidding +kiddingly +kiddish +kiddishness +kiddle +kiddo +kiddoes +kiddos +kiddush +kiddushes +kiddushin +kidhood +kidlet +kidlike +kidling +kidnap +kidnaped +kidnapee +kidnaper +kidnapers +kidnaping +kidnapped +kidnappee +kidnapper +kidnappers +kidnapping +kidnappings +kidnaps +kidney +kidneylike +kidneylipped +kidneyroot +kidneys +kidneywort +kids +kidskin +kidskins +kidsman +kidvid +kie +kye +kief +kiefekil +kieffer +kiefs +kieye +kiekie +kiel +kielbasa +kielbasas +kielbasi +kielbasy +kier +kieran +kiers +kieselguhr +kieselgur +kieserite +kiesselguhr +kiesselgur +kiesserite +kiester +kiesters +kiestless +kiev +kif +kifs +kiho +kiyas +kiyi +kikar +kikatsik +kikawaeo +kike +kyke +kikes +kiki +kikki +kyklopes +kyklops +kikoi +kikongo +kikori +kiku +kikuel +kikuyu +kikumon +kil +kyl +kiladja +kilah +kilampere +kilan +kilbrickenite +kildee +kilderkin +kyle +kileh +kiley +kileys +kilerg +kilhamite +kilhig +kiliare +kylie +kylies +kilij +kylikec +kylikes +kilim +kilims +kylin +kylite +kylix +kilkenny +kill +killable +killadar +killarney +killas +killbuck +killcalf +killcrop +killcu +killdee +killdeer +killdeers +killdees +killed +killeekillee +killeen +killer +killers +killese +killy +killick +killickinnic +killickinnick +killicks +killifish +killifishes +killig +killikinic +killikinick +killing +killingly +killingness +killings +killinite +killjoy +killjoys +killoch +killock +killocks +killogie +killow +kills +killweed +killwort +kilmarnock +kiln +kilned +kilneye +kilnhole +kilning +kilnman +kilnrib +kilns +kilnstick +kilntree +kilo +kylo +kiloampere +kilobar +kilobars +kilobit +kilobyte +kilobytes +kilobits +kiloblock +kilobuck +kilocalorie +kilocycle +kilocycles +kilocurie +kilodyne +kyloe +kilogauss +kilograin +kilogram +kilogramme +kilogrammetre +kilograms +kilohertz +kilohm +kilojoule +kiloline +kiloliter +kilolitre +kilolumen +kilom +kilomegacycle +kilometer +kilometers +kilometrage +kilometre +kilometric +kilometrical +kilomole +kilomoles +kilooersted +kiloparsec +kilopoise +kilopound +kilorad +kilorads +kilos +kilostere +kiloton +kilotons +kilovar +kilovolt +kilovoltage +kilovolts +kiloware +kilowatt +kilowatts +kiloword +kilp +kilt +kilted +kilter +kilters +kilty +kiltie +kilties +kilting +kiltings +kiltlike +kilts +kiluba +kiluck +kim +kymation +kymatology +kymbalon +kimbang +kimberly +kimberlin +kimberlite +kimbo +kimbundu +kimchee +kimchi +kimeridgian +kimigayo +kimmer +kimmeridge +kimmo +kimnel +kymnel +kymogram +kymograms +kymograph +kymography +kymographic +kimono +kimonoed +kimonos +kymric +kimura +kin +kina +kinabulu +kinaestheic +kinaesthesia +kinaesthesias +kinaesthesis +kinaesthetic +kinaesthetically +kinah +kinase +kinases +kinboot +kinbot +kinbote +kinch +kinchin +kinchinmort +kincob +kind +kindal +kinder +kindergarten +kindergartener +kindergartening +kindergartens +kindergartner +kindergartners +kinderhook +kindest +kindheart +kindhearted +kindheartedly +kindheartedness +kindjal +kindle +kindled +kindler +kindlers +kindles +kindlesome +kindless +kindlessly +kindly +kindlier +kindliest +kindlily +kindliness +kindling +kindlings +kindness +kindnesses +kindred +kindredless +kindredly +kindredness +kindreds +kindredship +kindrend +kinds +kine +kinema +kinemas +kinematic +kinematical +kinematically +kinematics +kinematograph +kinematographer +kinematography +kinematographic +kinematographical +kinematographically +kinemometer +kineplasty +kinepox +kines +kinesalgia +kinescope +kinescoped +kinescopes +kinescoping +kineses +kinesiatric +kinesiatrics +kinesic +kinesically +kinesics +kinesimeter +kinesiology +kinesiologic +kinesiological +kinesiologies +kinesiometer +kinesipathy +kinesis +kinesitherapy +kinesodic +kinestheses +kinesthesia +kinesthesias +kinesthesis +kinesthetic +kinesthetically +kinetic +kinetical +kinetically +kineticism +kineticist +kinetics +kinetin +kinetins +kinetochore +kinetogenesis +kinetogenetic +kinetogenetically +kinetogenic +kinetogram +kinetograph +kinetographer +kinetography +kinetographic +kinetomer +kinetomeric +kinetonema +kinetonucleus +kinetophobia +kinetophone +kinetophonograph +kinetoplast +kinetoplastic +kinetoscope +kinetoscopic +kinetosis +kinetosome +kinfolk +kinfolks +king +kingbird +kingbirds +kingbolt +kingbolts +kingcob +kingcraft +kingcup +kingcups +kingdom +kingdomed +kingdomful +kingdomless +kingdoms +kingdomship +kinged +kingfish +kingfisher +kingfishers +kingfishes +kinghead +kinghood +kinghoods +kinghorn +kinghunter +kinging +kingklip +kingless +kinglessness +kinglet +kinglets +kingly +kinglier +kingliest +kinglihood +kinglike +kinglily +kingliness +kingling +kingmaker +kingmaking +kingpiece +kingpin +kingpins +kingpost +kingposts +kingrow +kings +kingship +kingships +kingside +kingsides +kingsize +kingsman +kingsnake +kingston +kingu +kingweed +kingwood +kingwoods +kinhin +kinic +kinin +kininogen +kininogenic +kinins +kinipetu +kink +kinkable +kinkaider +kinkajou +kinkajous +kinkcough +kinked +kinker +kinkhab +kinkhaust +kinkhost +kinky +kinkier +kinkiest +kinkily +kinkiness +kinking +kinkle +kinkled +kinkly +kinks +kinksbush +kinless +kinnery +kinnikinic +kinnikinick +kinnikinnic +kinnikinnick +kinnikinnik +kinnor +kino +kinofluous +kinology +kinone +kinoo +kinoos +kinoplasm +kinoplasmic +kinorhyncha +kinos +kinospore +kinosternidae +kinosternon +kinot +kinotannic +kins +kinsen +kinsfolk +kinship +kinships +kinsman +kinsmanly +kinsmanship +kinsmen +kinspeople +kinswoman +kinswomen +kintar +kintyre +kintlage +kintra +kintry +kinura +kynurenic +kynurin +kynurine +kioea +kioko +kionectomy +kionectomies +kionotomy +kionotomies +kyoodle +kyoodled +kyoodling +kiosk +kiosks +kyoto +kiotome +kiotomy +kiotomies +kiowa +kioway +kiowan +kip +kipage +kipchak +kipe +kipfel +kyphoscoliosis +kyphoscoliotic +kyphoses +kyphosidae +kyphosis +kyphotic +kiplingese +kiplingism +kippage +kipped +kippeen +kippen +kipper +kippered +kipperer +kippering +kippers +kippy +kippin +kipping +kippur +kips +kipsey +kipskin +kipskins +kipuka +kiranti +kirby +kirbies +kirghiz +kirghizean +kiri +kyrial +kyriale +kyrie +kyrielle +kyries +kirigami +kirigamis +kirillitsa +kirimon +kyrine +kyriologic +kyrios +kirk +kirker +kirkyard +kirkify +kirking +kirkinhead +kirklike +kirkman +kirkmen +kirks +kirkton +kirktown +kirkward +kirman +kirmess +kirmesses +kirmew +kirn +kirned +kirning +kirns +kirombo +kirpan +kirsch +kirsches +kirschwasser +kirsen +kirsten +kirsty +kirtle +kirtled +kirtles +kirundi +kirve +kirver +kisaeng +kisan +kisang +kischen +kyschty +kyschtymite +kish +kishambala +kishen +kishy +kishka +kishkas +kishke +kishkes +kishon +kiskadee +kiskatom +kiskatomas +kiskitom +kiskitomas +kislev +kismat +kismats +kismet +kismetic +kismets +kisra +kiss +kissability +kissable +kissableness +kissably +kissage +kissar +kissed +kissel +kisser +kissers +kisses +kissy +kissing +kissingly +kissproof +kisswise +kist +kistful +kistfuls +kists +kistvaen +kiswa +kiswah +kiswahili +kit +kitab +kitabi +kitabis +kitalpha +kitamat +kitambilla +kitan +kitar +kitbag +kitcat +kitchen +kitchendom +kitchener +kitchenet +kitchenette +kitchenettes +kitchenful +kitcheny +kitchenless +kitchenmaid +kitchenman +kitchenry +kitchens +kitchenward +kitchenwards +kitchenware +kitchenwife +kitchie +kitching +kite +kyte +kited +kiteflier +kiteflying +kitelike +kitenge +kiter +kiters +kites +kytes +kith +kithara +kitharas +kithe +kythe +kithed +kythed +kithes +kythes +kithing +kything +kithless +kithlessness +kithogue +kiths +kiting +kitish +kitysol +kitkahaxki +kitkehahki +kitling +kitlings +kitlope +kitman +kitmudgar +kytoon +kits +kitsch +kitsches +kitschy +kittar +kittatinny +kitted +kittel +kitten +kittendom +kittened +kittenhearted +kittenhood +kittening +kittenish +kittenishly +kittenishness +kittenless +kittenlike +kittens +kittenship +kitter +kittereen +kitthoge +kitty +kittycorner +kittycornered +kittie +kitties +kitting +kittisol +kittysol +kittiwake +kittle +kittled +kittlepins +kittler +kittles +kittlest +kittly +kittling +kittlish +kittock +kittool +kittul +kitunahan +kyu +kyung +kyurin +kyurinish +kiutle +kiva +kivas +kiver +kivikivi +kivu +kiwach +kiwai +kiwanian +kiwanis +kiwi +kiwikiwi +kiwis +kizil +kizilbash +kjeldahl +kjeldahlization +kjeldahlize +kl +klaberjass +klafter +klaftern +klam +klamath +klan +klangfarbe +klanism +klans +klansman +klanswoman +klaprotholite +klaskino +klatch +klatches +klatsch +klatsches +klaudia +klaus +klavern +klaverns +klavier +klaxon +klaxons +kleagle +kleagles +klebsiella +kleeneboc +kleenebok +kleenex +kleig +kleinian +kleinite +kleistian +klendusic +klendusity +klendusive +klepht +klephtic +klephtism +klephts +kleptic +kleptistic +kleptomania +kleptomaniac +kleptomaniacal +kleptomaniacs +kleptomanist +kleptophobia +klesha +klezmer +klick +klicket +klieg +klikitat +kling +klingsor +klino +klip +klipbok +klipdachs +klipdas +klipfish +kliphaas +klippe +klippen +klipspringer +klismoi +klismos +klister +klystron +klystrons +kln +klockmannite +kloesse +klom +klondike +klondiker +klong +klongs +klooch +kloof +kloofs +klootch +klootchman +klop +klops +klosh +klosse +klowet +kluck +klucker +kludge +kludged +kludges +kludging +klunk +klutz +klutzes +klutzy +klutzier +klutziest +klutziness +kluxer +klva +km +kmel +kmet +kmole +kn +knab +knabble +knack +knackaway +knackebrod +knacked +knacker +knackery +knackeries +knackers +knacky +knackier +knackiest +knacking +knackish +knacks +knackwurst +knackwursts +knag +knagged +knaggy +knaggier +knaggiest +knaidel +knaidlach +knaydlach +knap +knapbottle +knape +knappan +knappe +knapped +knapper +knappers +knappy +knapping +knappish +knappishly +knapple +knaps +knapsack +knapsacked +knapsacking +knapsacks +knapscap +knapscull +knapweed +knapweeds +knar +knark +knarl +knarle +knarred +knarry +knars +knaster +knatch +knatte +knautia +knave +knavery +knaveries +knaves +knaveship +knavess +knavish +knavishly +knavishness +knaw +knawel +knawels +knead +kneadability +kneadable +kneaded +kneader +kneaders +kneading +kneadingly +kneads +knebelite +knee +kneebrush +kneecap +kneecapping +kneecappings +kneecaps +kneed +kneehole +kneeholes +kneeing +kneel +kneeled +kneeler +kneelers +kneelet +kneeling +kneelingly +kneels +kneepad +kneepads +kneepan +kneepans +kneepiece +knees +kneestone +kneiffia +kneippism +knell +knelled +knelling +knells +knelt +knesset +knet +knetch +knevel +knew +knez +knezi +kniaz +knyaz +kniazi +knyazi +knick +knicker +knickerbocker +knickerbockered +knickerbockers +knickered +knickers +knickknack +knickknackatory +knickknacked +knickknackery +knickknacket +knickknacky +knickknackish +knickknacks +knicknack +knickpoint +knife +knifeboard +knifed +knifeful +knifeless +knifelike +knifeman +knifeproof +knifer +kniferest +knifers +knifes +knifesmith +knifeway +knifing +knifings +knight +knightage +knighted +knightess +knighthead +knighthood +knighthoods +knightia +knighting +knightless +knightly +knightlihood +knightlike +knightliness +knightling +knights +knightship +knightswort +kniphofia +knipperdolling +knish +knishes +knysna +knisteneaux +knit +knitback +knitch +knits +knitster +knittable +knitted +knitter +knitters +knittie +knitting +knittings +knittle +knitwear +knitwears +knitweed +knitwork +knive +knived +knivey +knives +knob +knobbed +knobber +knobby +knobbier +knobbiest +knobbiness +knobbing +knobble +knobbled +knobbler +knobbly +knobblier +knobbliest +knobbling +knobkerry +knobkerrie +knoblike +knobs +knobstick +knobstone +knobular +knobweed +knobwood +knock +knockabout +knockaway +knockdown +knockdowns +knocked +knockemdown +knocker +knockers +knocking +knockings +knockless +knockoff +knockoffs +knockout +knockouts +knocks +knockstone +knockup +knockwurst +knockwursts +knoit +knoll +knolled +knoller +knollers +knolly +knolling +knolls +knop +knopite +knopped +knopper +knoppy +knoppie +knops +knopweed +knorhaan +knorhmn +knorr +knorria +knosp +knosped +knosps +knossian +knot +knotberry +knotgrass +knothead +knothole +knotholes +knothorn +knotless +knotlike +knotroot +knots +knotted +knotter +knotters +knotty +knottier +knottiest +knottily +knottiness +knotting +knotweed +knotweeds +knotwork +knotwort +knout +knouted +knouting +knouts +know +knowability +knowable +knowableness +knowe +knower +knowers +knoweth +knowhow +knowhows +knowing +knowinger +knowingest +knowingly +knowingness +knowings +knowledgable +knowledgableness +knowledgably +knowledge +knowledgeability +knowledgeable +knowledgeableness +knowledgeably +knowledged +knowledgeless +knowledgement +knowledging +known +knownothingism +knowns +knowperts +knows +knox +knoxian +knoxville +knoxvillite +knub +knubby +knubbier +knubbiest +knubbly +knublet +knuckle +knuckleball +knuckleballer +knucklebone +knucklebones +knuckled +knucklehead +knuckleheaded +knuckleheadedness +knuckleheads +knuckler +knucklers +knuckles +knucklesome +knuckly +knucklier +knuckliest +knuckling +knucks +knuclesome +knudsen +knuffe +knulling +knur +knurl +knurled +knurly +knurlier +knurliest +knurlin +knurling +knurls +knurry +knurs +knut +knute +knuth +knutty +ko +koa +koae +koala +koalas +koali +koan +koans +koas +koasati +kob +koban +kobang +kobellite +kobi +kobird +kobold +kobolds +kobong +kobu +kobus +koch +kochab +kochia +kochliarion +koda +kodagu +kodak +kodaked +kodaker +kodaking +kodakist +kodakked +kodakking +kodakry +kodashim +kodiak +kodkod +kodogu +kodro +kodurite +koeberlinia +koeberliniaceae +koeberliniaceous +koechlinite +koeksotenok +koel +koellia +koelreuteria +koels +koenenite +koeri +koff +koft +kofta +koftgar +koftgari +kogai +kogasin +koggelmannetje +kogia +kohathite +kohekohe +koheleth +kohemp +kohen +kohens +kohistani +kohl +kohlan +kohlrabi +kohlrabies +kohls +kohua +koi +koyan +koiari +koibal +koyemshi +koil +koila +koilanaglyphic +koilon +koilonychia +koimesis +koine +koines +koinon +koinonia +koipato +koitapu +kojang +kojiki +kojima +kojiri +kokako +kokam +kokama +kokan +kokanee +kokanees +kokerboom +kokia +kokil +kokila +kokio +koklas +koklass +koko +kokobeh +kokoon +kokoona +kokopu +kokoromiko +kokos +kokowai +kokra +koksaghyz +koksagyz +kokstad +koktaite +koku +kokum +kokumin +kokumingun +kol +kola +kolach +kolacky +kolami +kolarian +kolas +kolattam +koldaji +kolea +koleroga +kolhoz +kolhozes +kolhozy +koli +kolinski +kolinsky +kolinskies +kolis +kolkhos +kolkhoses +kolkhosy +kolkhoz +kolkhozes +kolkhozy +kolkhoznik +kolkka +kolkoz +kolkozes +kolkozy +kollast +kollaster +koller +kollergang +kolmogorov +kolo +kolobia +kolobion +kolobus +kolokolo +kolos +kolskite +kolsun +koltunna +koltunnor +koluschan +kolush +komarch +komati +komatik +komatiks +kombu +kome +komi +kominuter +komitadji +komitaji +kommandatura +kommetje +kommos +komondor +komondoroc +komondorock +komondorok +komondors +kompeni +kompow +komsomol +komtok +kon +kona +konak +konariot +konde +kondo +konfyt +kong +kongo +kongoese +kongolese +kongoni +kongsbergite +kongu +konia +koniaga +konyak +koniga +konilite +konimeter +koninckite +konini +koniology +koniophobia +koniscope +konjak +konkani +konohiki +konomihu +konrad +konseal +konstantin +konstantinos +kontakia +kontakion +koodoo +koodoos +kook +kooka +kookaburra +kookeree +kookery +kooky +kookie +kookier +kookiest +kookiness +kookri +kooks +koolah +koolau +kooletah +kooliman +koolokamba +koolooly +koombar +koomkie +koonti +koopbrief +koorajong +koorg +koorhmn +koorka +koosin +kootcha +kootchar +kootenay +kop +kopagmiut +kopec +kopeck +kopecks +kopek +kopeks +kopfring +koph +kophs +kopi +kopis +kopje +kopjes +kopophobia +koppa +koppas +koppen +koppie +koppies +koppite +koprino +kops +kor +kora +koradji +korah +korahite +korahitic +korai +korait +korakan +koran +korana +koranic +koranist +korari +kordax +kore +korea +korean +koreans +korec +koreci +koreish +koreishite +korero +koreshan +koreshanity +korfball +korhmn +kori +kory +koryak +korimako +korymboi +korymbos +korin +korma +kornephorus +kornerupine +kornskeppa +kornskeppur +korntonde +korntonder +korntunna +korntunnur +koroa +koromika +koromiko +korona +korova +korrel +korrigan +korrigum +kors +korsakoff +korsakow +korumburra +korun +koruna +korunas +koruny +korwa +korzec +kos +kosalan +koschei +kosha +koshare +kosher +koshered +koshering +koshers +kosimo +kosin +kosmokrator +koso +kosong +kosos +kosotoxin +koss +kossaean +kossean +kosteletzkya +koswite +kota +kotal +kotar +kotyle +kotylos +koto +kotoite +kotoko +kotos +kotow +kotowed +kotower +kotowers +kotowing +kotows +kotschubeite +kottaboi +kottabos +kottigite +kotuku +kotukutuku +kotwal +kotwalee +kotwali +kou +koulan +koulibiaca +koumis +koumys +koumises +koumyses +koumiss +koumyss +koumisses +koumysses +koungmiut +kouprey +koupreys +kouproh +kourbash +kouroi +kouros +kousin +koussin +kousso +koussos +kouza +kovil +kowagmiut +kowbird +kowhai +kowtow +kowtowed +kowtower +kowtowers +kowtowing +kowtows +kozo +kozuka +kpc +kph +kpuesi +kr +kra +kraal +kraaled +kraaling +kraals +kraft +krafts +krag +kragerite +krageroite +krait +kraits +kraken +krakens +krakowiak +kral +krama +krameria +krameriaceae +krameriaceous +kran +krang +krans +krantz +krantzite +krapfen +krapina +kras +krasis +krater +kraters +kratogen +kratogenic +kraunhia +kraurite +kraurosis +kraurotic +krausen +krausite +kraut +krauthead +krauts +krautweed +kravers +kreatic +krebs +kreese +kreil +kreis +kreistag +kreistle +kreitonite +kreittonite +kreitzman +krelos +kremersite +kremlin +kremlinology +kremlinologist +kremlinologists +kremlins +krems +kreng +krennerite +kreosote +krepi +krepis +kreplach +kreplech +kreutzer +kreutzers +kreuzer +kreuzers +kriegspiel +krieker +krigia +krill +krills +krimmer +krimmers +krina +kryokonite +kryolite +kryolites +kryolith +kryoliths +kriophoros +krypsis +kryptic +krypticism +kryptocyanine +kryptol +kryptomere +krypton +kryptonite +kryptons +kris +krises +krishna +krishnaism +krishnaist +krishnaite +krishnaitic +krispies +kriss +kristen +kristi +kristian +kristin +kristinaux +krisuvigite +kritarchy +krithia +kriton +kritrima +krivu +krna +krobyloi +krobylos +krocidolite +krocket +krohnkite +krome +kromeski +kromesky +kromogram +kromskop +krona +krone +kronen +kroner +kronion +kronor +kronos +kronur +kroo +kroon +krooni +kroons +krosa +krouchka +kroushka +krs +kru +krubi +krubis +krubut +krubuts +krugerism +krugerite +kruller +krullers +kruman +krumhorn +krummholz +krummhorn +krzysztof +ksar +kshatriya +kshatriyahood +ksi +kt +kthibh +kua +kuan +kuar +kuba +kubachi +kubanka +kubba +kubera +kubong +kubuklion +kuchean +kuchen +kuchens +kudize +kudo +kudos +kudrun +kudu +kudus +kudzu +kudzus +kue +kueh +kuehneola +kuei +kues +kuffieh +kufic +kufiyeh +kuge +kugel +kugelhof +kuhnia +kui +kuichua +kujawiak +kukang +kukeri +kuki +kukoline +kukri +kuku +kukui +kukulcan +kukupa +kukuruku +kula +kulack +kulah +kulaite +kulak +kulaki +kulakism +kulaks +kulan +kulanapan +kulang +kuldip +kuli +kulimit +kulkarni +kullaite +kullani +kulm +kulmet +kultur +kulturkampf +kulturkreis +kulturs +kuman +kumara +kumari +kumbaloi +kumbi +kumbuk +kumhar +kumyk +kumis +kumys +kumyses +kumiss +kumisses +kumkum +kummel +kummels +kummerbund +kumminost +kumni +kumquat +kumquats +kumrah +kumshaw +kunai +kunbi +kundalini +kundry +kuneste +kung +kunk +kunkur +kunmiut +kunwari +kunzite +kunzites +kuomintang +kupfernickel +kupfferite +kuphar +kupper +kurajong +kuranko +kurbash +kurbashed +kurbashes +kurbashing +kurchatovium +kurchicine +kurchine +kurd +kurdish +kurdistan +kurgan +kurgans +kuri +kurikata +kurilian +kurku +kurmburra +kurmi +kurn +kuroshio +kurrajong +kursaal +kursch +kurt +kurta +kurtas +kurtosis +kurtosises +kuru +kuruba +kurukh +kuruma +kurumaya +kurumba +kurung +kurus +kurvey +kurveyor +kusa +kusam +kusan +kusha +kushshu +kusimanse +kusimansel +kuskite +kuskos +kuskus +kuskwogmiut +kusso +kussos +kustenau +kusti +kusum +kutch +kutcha +kutchin +kutenai +kutta +kuttab +kuttar +kuttaur +kuvasz +kuvaszok +kuvera +kuwait +kv +kvah +kvar +kvarner +kvas +kvases +kvass +kvasses +kvetch +kvetched +kvetches +kvetching +kvint +kvinter +kvutza +kvutzah +kw +kwacha +kwachas +kwaiken +kwakiutl +kwamme +kwan +kwannon +kwanza +kwapa +kwarta +kwarterka +kwartje +kwashiorkor +kwatuma +kwaznku +kwazoku +kwela +kwhr +kwintra +l +la +laager +laagered +laagering +laagers +laang +lab +labaara +labadist +laban +labara +labaria +labarum +labarums +labba +labbella +labber +labby +labdacism +labdacismus +labdanum +labdanums +labefact +labefactation +labefaction +labefy +labefied +labefying +label +labeled +labeler +labelers +labeling +labella +labellate +labelled +labeller +labellers +labelling +labelloid +labellum +labels +labia +labial +labialisation +labialise +labialised +labialising +labialism +labialismus +labiality +labialization +labialize +labialized +labializing +labially +labials +labiatae +labiate +labiated +labiates +labiatiflorous +labibia +labidometer +labidophorous +labidura +labiduridae +labiella +labile +lability +labilities +labilization +labilize +labilized +labilizing +labioalveolar +labiocervical +labiodendal +labiodental +labioglossal +labioglossolaryngeal +labioglossopharyngeal +labiograph +labiogression +labioguttural +labiolingual +labiomancy +labiomental +labionasal +labiopalatal +labiopalatalize +labiopalatine +labiopharyngeal +labioplasty +labiose +labiotenaculum +labiovelar +labiovelarisation +labiovelarise +labiovelarised +labiovelarising +labiovelarization +labiovelarize +labiovelarized +labiovelarizing +labioversion +labyrinth +labyrinthal +labyrinthally +labyrinthed +labyrinthian +labyrinthibranch +labyrinthibranchiate +labyrinthibranchii +labyrinthic +labyrinthical +labyrinthically +labyrinthici +labyrinthiform +labyrinthine +labyrinthitis +labyrinthodon +labyrinthodont +labyrinthodonta +labyrinthodontian +labyrinthodontid +labyrinthodontoid +labyrinths +labyrinthula +labyrinthulidae +labis +labite +labium +lablab +labor +laborability +laborable +laborage +laborant +laboratory +laboratorial +laboratorially +laboratorian +laboratories +labordom +labored +laboredly +laboredness +laborer +laborers +labores +laboress +laborhood +laboring +laboringly +laborings +laborious +laboriously +laboriousness +laborism +laborist +laboristic +laborite +laborites +laborius +laborless +laborous +laborously +laborousness +labors +laborsaving +laborsome +laborsomely +laborsomeness +laboulbenia +laboulbeniaceae +laboulbeniaceous +laboulbeniales +labour +labourage +laboured +labouredly +labouredness +labourer +labourers +labouress +labouring +labouringly +labourism +labourist +labourite +labourless +labours +laboursaving +laboursome +laboursomely +labra +labrador +labradorean +labradorite +labradoritic +labral +labras +labredt +labret +labretifery +labrets +labrid +labridae +labrys +labroid +labroidea +labroids +labrosaurid +labrosauroid +labrosaurus +labrose +labrum +labrums +labrus +labrusca +labs +laburnum +laburnums +lac +lacatan +lacca +laccaic +laccainic +laccase +laccic +laccin +laccol +laccolite +laccolith +laccolithic +laccoliths +laccolitic +lace +lacebark +laced +lacedaemonian +laceflower +lacey +laceybark +laceier +laceiest +laceleaf +laceless +lacelike +lacemaker +lacemaking +laceman +lacemen +lacepiece +lacepod +lacer +lacerability +lacerable +lacerant +lacerate +lacerated +lacerately +lacerates +lacerating +laceration +lacerations +lacerative +lacery +lacerna +lacernae +lacernas +lacers +lacert +lacerta +lacertae +lacertian +lacertid +lacertidae +lacertids +lacertiform +lacertilia +lacertilian +lacertiloid +lacertine +lacertoid +lacertose +laces +lacet +lacetilian +lacewing +lacewings +lacewoman +lacewomen +lacewood +lacewoods +lacework +laceworker +laceworks +lache +lachenalia +laches +lachesis +lachnanthes +lachnosterna +lachryma +lachrymable +lachrymae +lachrymaeform +lachrymal +lachrymally +lachrymalness +lachrymary +lachrymation +lachrymator +lachrymatory +lachrymatories +lachrymiform +lachrymist +lachrymogenic +lachrymonasal +lachrymosal +lachrymose +lachrymosely +lachrymosity +lachrymous +lachsa +lacy +lacier +laciest +lacily +lacinaria +laciness +lacinesses +lacing +lacings +lacinia +laciniate +laciniated +laciniation +laciniform +laciniola +laciniolate +laciniose +lacinious +lacinula +lacinulas +lacinulate +lacinulose +lacis +lack +lackaday +lackadaisy +lackadaisic +lackadaisical +lackadaisicality +lackadaisically +lackadaisicalness +lackbrained +lackbrainedness +lacked +lackey +lackeydom +lackeyed +lackeying +lackeyism +lackeys +lackeyship +lacker +lackered +lackerer +lackering +lackers +lackies +lacking +lackland +lackluster +lacklusterness +lacklustre +lacklustrous +lacks +lacksense +lackwit +lackwitted +lackwittedly +lackwittedness +lacmoid +lacmus +lacoca +lacolith +laconian +laconic +laconica +laconical +laconically +laconicalness +laconicism +laconicness +laconics +laconicum +laconism +laconisms +laconize +laconized +laconizer +laconizing +lacosomatidae +lacquey +lacqueyed +lacqueying +lacqueys +lacquer +lacquered +lacquerer +lacquerers +lacquering +lacquerist +lacquers +lacquerwork +lacrym +lacrimal +lacrimals +lacrimation +lacrimator +lacrimatory +lacrimatories +lacroixite +lacrosse +lacrosser +lacrosses +lacs +lactagogue +lactalbumin +lactam +lactamide +lactams +lactant +lactarene +lactary +lactarine +lactarious +lactarium +lactarius +lactase +lactases +lactate +lactated +lactates +lactating +lactation +lactational +lactationally +lactations +lacteal +lacteally +lacteals +lactean +lactenin +lacteous +lactesce +lactescence +lactescency +lactescenle +lactescense +lactescent +lactic +lacticinia +lactid +lactide +lactiferous +lactiferousness +lactify +lactific +lactifical +lactification +lactified +lactifying +lactiflorous +lactifluous +lactiform +lactifuge +lactigenic +lactigenous +lactigerous +lactyl +lactim +lactimide +lactinate +lactivorous +lacto +lactobaccilli +lactobacilli +lactobacillus +lactobutyrometer +lactocele +lactochrome +lactocitrate +lactodensimeter +lactoflavin +lactogen +lactogenic +lactoglobulin +lactoid +lactol +lactometer +lactone +lactones +lactonic +lactonization +lactonize +lactonized +lactonizing +lactophosphate +lactoproteid +lactoprotein +lactoscope +lactose +lactoses +lactosid +lactoside +lactosuria +lactothermometer +lactotoxin +lactovegetarian +lactuca +lactucarium +lactucerin +lactucin +lactucol +lactucon +lacuna +lacunae +lacunal +lacunar +lacunary +lacunaria +lacunaris +lacunars +lacunas +lacunate +lacune +lacunes +lacunome +lacunose +lacunosis +lacunosity +lacunule +lacunulose +lacuscular +lacustral +lacustrian +lacustrine +lacwork +lad +ladakhi +ladakin +ladang +ladanigerous +ladanum +ladanums +ladder +laddered +laddery +laddering +ladderless +ladderlike +ladderman +laddermen +ladders +ladderway +ladderwise +laddess +laddie +laddies +laddikie +laddish +laddock +lade +laded +lademan +laden +ladened +ladening +ladens +lader +laders +lades +ladhood +lady +ladybird +ladybirds +ladybug +ladybugs +ladyclock +ladydom +ladies +ladyfern +ladify +ladyfy +ladified +ladifying +ladyfinger +ladyfingers +ladyfish +ladyfishes +ladyfly +ladyflies +ladyhood +ladyhoods +ladyish +ladyishly +ladyishness +ladyism +ladik +ladykiller +ladykin +ladykind +ladykins +ladyless +ladyly +ladylike +ladylikely +ladylikeness +ladyling +ladylintywhite +ladylove +ladyloves +ladin +lading +ladings +ladino +ladinos +ladypalm +ladypalms +ladysfinger +ladyship +ladyships +ladyslipper +ladysnow +ladytide +ladkin +ladle +ladled +ladleful +ladlefuls +ladler +ladlers +ladles +ladlewood +ladling +ladner +ladron +ladrone +ladrones +ladronism +ladronize +ladrons +lads +laelia +laemodipod +laemodipoda +laemodipodan +laemodipodiform +laemodipodous +laemoparalysis +laemostenosis +laen +laender +laeotropic +laeotropism +laeotropous +laertes +laestrygones +laet +laetation +laeti +laetic +laetrile +laevigate +laevigrada +laevo +laevoduction +laevogyrate +laevogyre +laevogyrous +laevolactic +laevorotation +laevorotatory +laevotartaric +laevoversion +laevulin +laevulose +lafayette +lafite +laft +lag +lagan +lagans +lagarto +lagen +lagena +lagenae +lagenaria +lagend +lagends +lagenian +lageniform +lageniporm +lager +lagered +lagering +lagers +lagerspetze +lagerstroemia +lagetta +lagetto +laggar +laggard +laggardism +laggardly +laggardness +laggards +lagged +laggen +lagger +laggers +laggin +lagging +laggingly +laggings +laggins +laglast +lagly +lagna +lagnappe +lagnappes +lagniappe +lagniappes +lagomyidae +lagomorph +lagomorpha +lagomorphic +lagomorphous +lagomrph +lagonite +lagoon +lagoonal +lagoons +lagoonside +lagophthalmos +lagophthalmus +lagopode +lagopodous +lagopous +lagopus +lagorchestes +lagostoma +lagostomus +lagothrix +lagrangian +lags +lagthing +lagting +laguna +lagunas +laguncularia +lagune +lagunero +lagunes +lagurus +lagwort +lah +lahar +lahnda +lahontan +lahore +lahuli +lai +lay +layabout +layabouts +layaway +layaways +laibach +layback +layboy +laic +laical +laicality +laically +laich +laichs +laicisation +laicise +laicised +laicises +laicising +laicism +laicisms +laicity +laicization +laicize +laicized +laicizer +laicizes +laicizing +laics +laid +laidly +laydown +layed +layer +layerage +layerages +layered +layery +layering +layerings +layers +layette +layettes +layfolk +laigh +laighs +layia +laying +laik +layland +laylight +layloc +laylock +layman +laymanship +laymen +lain +lainage +laine +layne +lainer +layner +layoff +layoffs +laiose +layout +layouts +layover +layovers +layperson +lair +lairage +laird +lairdess +lairdie +lairdly +lairdocracy +lairds +lairdship +laired +lairy +lairing +lairless +lairman +lairmen +layrock +lairs +lairstone +lays +laiser +layshaft +layship +laisse +laissez +laystall +laystow +lait +laitance +laitances +laith +laithe +laithly +laity +laities +layup +laius +laywoman +laywomen +lak +lakarpite +lakatan +lakatoi +lake +laked +lakefront +lakey +lakeland +lakelander +lakeless +lakelet +lakelike +lakemanship +lakeport +lakeports +laker +lakers +lakes +lakeshore +lakeside +lakesides +lakeward +lakeweed +lakh +lakhs +laky +lakie +lakier +lakiest +lakin +laking +lakings +lakish +lakishness +lakism +lakist +lakke +lakmus +lakota +laksa +lakshmi +lalang +lalapalooza +lalaqui +laliophobia +lall +lallan +lalland +lallands +lallans +lallapalooza +lallation +lalled +lally +lallygag +lallygagged +lallygagging +lallygags +lalling +lalls +lalo +laloneurosis +lalopathy +lalopathies +lalophobia +laloplegia +lam +lama +lamaic +lamaism +lamaist +lamaistic +lamaite +lamany +lamanism +lamanite +lamano +lamantin +lamarckia +lamarckian +lamarckianism +lamarckism +lamas +lamasary +lamasery +lamaseries +lamastery +lamb +lamba +lamback +lambadi +lambale +lambast +lambaste +lambasted +lambastes +lambasting +lambasts +lambda +lambdacism +lambdas +lambdiod +lambdoid +lambdoidal +lambeau +lambed +lambency +lambencies +lambent +lambently +lamber +lambers +lambert +lamberts +lambes +lambhood +lamby +lambie +lambies +lambiness +lambing +lambish +lambitive +lambkill +lambkills +lambkin +lambkins +lambly +lamblia +lambliasis +lamblike +lamblikeness +lambling +lamboy +lamboys +lambrequin +lambs +lambsdown +lambskin +lambskins +lambsuccory +lamda +lamdan +lamden +lame +lamebrain +lamebrained +lamebrains +lamed +lamedh +lamedhs +lamedlamella +lameds +lameduck +lamel +lamely +lamella +lamellae +lamellar +lamellary +lamellaria +lamellariidae +lamellarly +lamellas +lamellate +lamellated +lamellately +lamellation +lamellibranch +lamellibranchia +lamellibranchiata +lamellibranchiate +lamellicorn +lamellicornate +lamellicornes +lamellicornia +lamellicornous +lamelliferous +lamelliform +lamellirostral +lamellirostrate +lamellirostres +lamelloid +lamellose +lamellosity +lamellule +lameness +lamenesses +lament +lamentabile +lamentability +lamentable +lamentableness +lamentably +lamentation +lamentational +lamentations +lamentatory +lamented +lamentedly +lamenter +lamenters +lamentful +lamenting +lamentingly +lamentive +lamentory +laments +lamer +lames +lamest +lamester +lamestery +lameter +lametta +lamia +lamiaceae +lamiaceous +lamiae +lamias +lamiger +lamiid +lamiidae +lamiides +lamiinae +lamin +lamina +laminability +laminable +laminae +laminal +laminar +laminary +laminaria +laminariaceae +laminariaceous +laminariales +laminarian +laminarin +laminarioid +laminarite +laminas +laminate +laminated +laminates +laminating +lamination +laminator +laminboard +laminectomy +laming +lamington +laminiferous +laminiform +laminiplantar +laminiplantation +laminitis +laminose +laminous +lamish +lamista +lamister +lamisters +lamiter +lamium +lamm +lammas +lammastide +lammed +lammer +lammergeier +lammergeyer +lammergeir +lammy +lammie +lamming +lammock +lamna +lamnectomy +lamnid +lamnidae +lamnoid +lamp +lampad +lampadaire +lampadary +lampadaries +lampadedromy +lampadephore +lampadephoria +lampadist +lampadite +lampads +lampara +lampas +lampases +lampate +lampatia +lampblack +lampblacked +lampblacking +lamped +lamper +lampern +lampers +lamperses +lampf +lampfly +lampflower +lampful +lamphole +lampic +lamping +lampion +lampions +lampyrid +lampyridae +lampyrids +lampyrine +lampyris +lampist +lampistry +lampless +lamplet +lamplight +lamplighted +lamplighter +lamplit +lampmaker +lampmaking +lampman +lampmen +lampong +lampoon +lampooned +lampooner +lampoonery +lampooners +lampooning +lampoonist +lampoonists +lampoons +lamppost +lampposts +lamprey +lampreys +lamprel +lampret +lampridae +lampron +lamprophyre +lamprophyric +lamprophony +lamprophonia +lamprophonic +lamprotype +lamps +lampshade +lampshell +lampsilis +lampsilus +lampstand +lampwick +lampworker +lampworking +lams +lamsiekte +lamster +lamsters +lamus +lamut +lamziekte +lan +lana +lanai +lanais +lanameter +lanao +lanarkia +lanarkite +lanas +lanate +lanated +lanaz +lancashire +lancaster +lancasterian +lancastrian +lance +lanced +lancegay +lancegaye +lancejack +lancelet +lancelets +lancely +lancelike +lancelot +lanceman +lancemen +lanceolar +lanceolate +lanceolated +lanceolately +lanceolation +lancepesade +lancepod +lanceprisado +lanceproof +lancer +lancers +lances +lancet +lanceted +lanceteer +lancetfish +lancetfishes +lancets +lancewood +lanch +lancha +lanchara +lanciers +lanciferous +lanciform +lancinate +lancinated +lancinating +lancination +lancing +land +landage +landamman +landammann +landau +landaulet +landaulette +landaus +landblink +landbook +landdrost +landdrosten +lande +landed +lander +landers +landesite +landfall +landfalls +landfang +landfast +landfill +landfills +landflood +landfolk +landform +landforms +landgafol +landgate +landgates +landgravate +landgrave +landgraveship +landgravess +landgraviate +landgravine +landhold +landholder +landholders +landholdership +landholding +landholdings +landyard +landimere +landing +landings +landiron +landlady +landladydom +landladies +landladyhood +landladyish +landladyship +landleaper +landler +landlers +landless +landlessness +landlike +landline +landlock +landlocked +landlook +landlooker +landloper +landloping +landlord +landlordism +landlordly +landlordry +landlords +landlordship +landlouper +landlouping +landlubber +landlubberish +landlubberly +landlubbers +landlubbing +landman +landmark +landmarker +landmarks +landmass +landmasses +landmen +landmil +landmonger +landocracy +landocracies +landocrat +landolphia +landowner +landowners +landownership +landowning +landplane +landrace +landrail +landraker +landreeve +landright +lands +landsale +landsat +landscape +landscaped +landscaper +landscapers +landscapes +landscaping +landscapist +landshard +landshark +landship +landsick +landside +landsides +landskip +landskips +landsknecht +landsleit +landslid +landslidden +landslide +landslided +landslides +landsliding +landslip +landslips +landsmaal +landsman +landsmanleit +landsmanshaft +landsmanshaften +landsmen +landspout +landspringy +landsting +landstorm +landsturm +landswoman +landtrost +landuman +landway +landways +landwaiter +landward +landwards +landwash +landwehr +landwhin +landwire +landwrack +landwreck +lane +laney +lanely +lanes +lanesome +lanete +laneway +lang +langaha +langarai +langate +langauge +langbanite +langbeinite +langca +langeel +langel +langhian +langi +langiel +langite +langka +langlauf +langlaufer +langlaufers +langlaufs +langle +langley +langleys +lango +langobard +langobardic +langoon +langooty +langosta +langouste +langrage +langrages +langrel +langrels +langret +langridge +langsat +langsdorffia +langset +langsettle +langshan +langshans +langsyne +langsynes +langspiel +langspil +langteraloo +language +languaged +languageless +languages +languaging +langue +langued +languedoc +languedocian +languent +langues +languescent +languet +languets +languette +languid +languidly +languidness +languish +languished +languisher +languishers +languishes +languishing +languishingly +languishment +languor +languorment +languorous +languorously +languorousness +languors +langur +langurs +laniard +lanyard +laniards +lanyards +laniary +laniaries +laniariform +laniate +lanier +laniferous +lanific +lanifice +laniflorous +laniform +lanigerous +laniidae +laniiform +laniinae +lanioid +lanista +lanistae +lanital +lanitals +lanius +lank +lanker +lankest +lanket +lanky +lankier +lankiest +lankily +lankiness +lankish +lankly +lankness +lanknesses +lanner +lanneret +lannerets +lanners +lanny +lanolated +lanolin +lanoline +lanolines +lanolins +lanose +lanosity +lanosities +lansa +lansat +lansdowne +lanseh +lansfordite +lansing +lansknecht +lanson +lansquenet +lant +lantaca +lantaka +lantana +lantanas +lantanium +lantcha +lanterloo +lantern +lanterned +lanternfish +lanternfishes +lanternflower +lanterning +lanternist +lanternleaf +lanternlit +lanternman +lanterns +lanthana +lanthania +lanthanid +lanthanide +lanthanite +lanthanon +lanthanotidae +lanthanotus +lanthanum +lanthopin +lanthopine +lanthorn +lanthorns +lantum +lanuginose +lanuginous +lanuginousness +lanugo +lanugos +lanum +lanuvian +lanx +lanzknecht +lanzon +lao +laocoon +laodah +laodicean +laodiceanism +laos +laotian +laotians +lap +lapacho +lapachol +lapactic +lapageria +laparectomy +laparocele +laparocholecystotomy +laparocystectomy +laparocystotomy +laparocolectomy +laparocolostomy +laparocolotomy +laparocolpohysterotomy +laparocolpotomy +laparoelytrotomy +laparoenterostomy +laparoenterotomy +laparogastroscopy +laparogastrotomy +laparohepatotomy +laparohysterectomy +laparohysteropexy +laparohysterotomy +laparoileotomy +laparomyitis +laparomyomectomy +laparomyomotomy +laparonephrectomy +laparonephrotomy +laparorrhaphy +laparosalpingectomy +laparosalpingotomy +laparoscope +laparoscopy +laparosplenectomy +laparosplenotomy +laparostict +laparosticti +laparothoracoscopy +laparotome +laparotomy +laparotomies +laparotomist +laparotomize +laparotomized +laparotomizing +laparotrachelotomy +lapb +lapboard +lapboards +lapcock +lapdog +lapdogs +lapeirousia +lapel +lapeler +lapelled +lapels +lapful +lapfuls +lapicide +lapidary +lapidarian +lapidaries +lapidarist +lapidate +lapidated +lapidates +lapidating +lapidation +lapidator +lapideon +lapideous +lapides +lapidescence +lapidescent +lapidicolous +lapidify +lapidific +lapidifical +lapidification +lapidified +lapidifies +lapidifying +lapidist +lapidists +lapidity +lapidose +lapies +lapilli +lapilliform +lapillo +lapillus +lapin +lapinized +lapins +lapis +lapises +lapith +lapithae +lapithaean +laplacian +lapland +laplander +laplanders +laplandian +laplandic +laplandish +lapling +lapon +laportea +lapp +lappa +lappaceous +lappage +lapped +lapper +lappered +lappering +lappers +lappet +lappeted +lappethead +lappets +lappic +lappilli +lapping +lappish +lapponese +lapponian +lapps +lappula +lapputan +laps +lapsability +lapsable +lapsana +lapsation +lapse +lapsed +lapser +lapsers +lapses +lapsful +lapsi +lapsibility +lapsible +lapsided +lapsing +lapsingly +lapstone +lapstrake +lapstreak +lapstreaked +lapstreaker +lapsus +laptop +lapulapu +laputa +laputan +laputically +lapwing +lapwings +lapwork +laquais +laquear +laquearia +laquearian +laquei +laqueus +lar +laralia +laramide +laramie +larararia +lararia +lararium +larboard +larboards +larbolins +larbowlines +larcenable +larcener +larceners +larceny +larcenic +larcenies +larcenish +larcenist +larcenists +larcenous +larcenously +larcenousness +larch +larchen +larcher +larches +larcin +larcinry +lard +lardacein +lardaceous +larded +larder +larderellite +larderer +larderful +larderie +larderlike +larders +lardy +lardier +lardiest +lardiform +lardiner +larding +lardite +lardizabalaceae +lardizabalaceous +lardlike +lardon +lardons +lardoon +lardoons +lardry +lards +lardworm +lare +lareabell +larentiidae +lares +largamente +largando +large +largebrained +largehanded +largehearted +largeheartedly +largeheartedness +largely +largemouth +largemouthed +largen +largeness +largeour +largeous +larger +larges +largess +largesse +largesses +largest +larget +larghetto +larghettos +larghissimo +larghissimos +largy +largifical +largish +largishness +largition +largitional +largo +largos +lari +laria +lariat +lariated +lariating +lariats +larick +larid +laridae +laridine +larigo +larigot +lariid +lariidae +larikin +larin +larinae +larine +laryngal +laryngalgia +laryngeal +laryngeally +laryngean +laryngeating +laryngectomee +laryngectomy +laryngectomies +laryngectomize +laryngectomized +laryngectomizing +laryngemphraxis +laryngendoscope +larynges +laryngic +laryngismal +laryngismus +laryngitic +laryngitis +laryngitus +laryngocele +laryngocentesis +laryngofission +laryngofissure +laryngograph +laryngography +laryngology +laryngologic +laryngological +laryngologist +laryngometry +laryngoparalysis +laryngopathy +laryngopharyngeal +laryngopharynges +laryngopharyngitis +laryngopharynx +laryngopharynxes +laryngophony +laryngophthisis +laryngoplasty +laryngoplegia +laryngorrhagia +laryngorrhea +laryngoscleroma +laryngoscope +laryngoscopy +laryngoscopic +laryngoscopical +laryngoscopically +laryngoscopies +laryngoscopist +laryngospasm +laryngostasis +laryngostenosis +laryngostomy +laryngostroboscope +laryngotyphoid +laryngotome +laryngotomy +laryngotomies +laryngotracheal +laryngotracheitis +laryngotracheoscopy +laryngotracheotomy +laryngovestibulitis +larynx +larynxes +larithmic +larithmics +larix +larixin +lark +larked +larker +larkers +larky +larkier +larkiest +larkiness +larking +larkingly +larkish +larkishly +larkishness +larklike +larkling +larks +larksome +larksomes +larkspur +larkspurs +larlike +larmier +larmoyant +larn +larnakes +larnaudian +larnax +larnyx +laroid +laron +larree +larry +larries +larrigan +larrigans +larrikin +larrikinalian +larrikiness +larrikinism +larrikins +larriman +larrup +larruped +larruper +larrupers +larruping +larrups +lars +larsenite +larum +larums +larunda +larus +larva +larvacea +larvae +larval +larvalia +larvaria +larvarium +larvariums +larvas +larvate +larvated +larve +larvicidal +larvicide +larvicolous +larviform +larvigerous +larvikite +larviparous +larviposit +larviposition +larvivorous +larvule +las +lasa +lasagna +lasagnas +lasagne +lasagnes +lasarwort +lascar +lascaree +lascarine +lascars +laschety +lascivient +lasciviently +lascivious +lasciviously +lasciviousness +lase +lased +laser +laserdisk +laserdisks +laserjet +laserpitium +lasers +laserwort +lases +lash +lashed +lasher +lashers +lashes +lashing +lashingly +lashings +lashins +lashkar +lashkars +lashless +lashlight +lashlite +lashness +lashorn +lasi +lasianthous +lasing +lasiocampa +lasiocampid +lasiocampidae +lasiocampoidea +lasiocarpous +lasius +lask +lasket +lasking +laspeyresia +laspring +lasque +lass +lasses +lasset +lassie +lassiehood +lassieish +lassies +lassiky +lassitude +lassitudes +lasslorn +lasso +lassock +lassockie +lassoed +lassoer +lassoers +lassoes +lassoing +lassos +lassu +last +lastage +lasted +laster +lasters +lastex +lasty +lasting +lastingly +lastingness +lastings +lastjob +lastly +lastness +lastre +lasts +lastspring +lat +lata +latah +latakia +latakias +latania +latanier +latax +latch +latched +latcher +latches +latchet +latchets +latching +latchkey +latchkeys +latchless +latchman +latchmen +latchstring +latchstrings +late +latebra +latebricole +latecomer +latecomers +latecoming +lated +lateen +lateener +lateeners +lateenrigged +lateens +lately +lateliness +latemost +laten +latence +latency +latencies +latened +lateness +latenesses +latening +latens +latensify +latensification +latensified +latensifying +latent +latentize +latently +latentness +latents +later +latera +laterad +lateral +lateraled +lateraling +lateralis +laterality +lateralities +lateralization +lateralize +lateralized +lateralizing +laterally +laterals +lateran +latericeous +latericumbent +lateriflexion +laterifloral +lateriflorous +laterifolious +laterigradae +laterigrade +laterinerved +laterite +laterites +lateritic +lateritious +lateriversion +laterization +lateroabdominal +lateroanterior +laterocaudal +laterocervical +laterodeviation +laterodorsal +lateroduction +lateroflexion +lateromarginal +lateronuchal +lateroposition +lateroposterior +lateropulsion +laterostigmatal +laterostigmatic +laterotemporal +laterotorsion +lateroventral +lateroversion +latescence +latescent +latesome +latest +latests +lateward +latewhile +latewhiles +latewood +latewoods +latex +latexes +latexosis +lath +latham +lathe +lathed +lathee +latheman +lathen +lather +latherability +latherable +lathered +lathereeve +latherer +latherers +lathery +latherin +lathering +latheron +lathers +latherwort +lathes +lathesman +lathesmen +lathhouse +lathi +lathy +lathie +lathier +lathiest +lathing +lathings +lathyric +lathyrism +lathyritic +lathyrus +lathlike +lathraea +lathreeve +laths +lathwork +lathworks +lati +latian +latibule +latibulize +latices +laticifer +laticiferous +laticlave +laticostate +latidentate +latifolia +latifoliate +latifolious +latifundia +latifundian +latifundio +latifundium +latigo +latigoes +latigos +latimer +latimeria +latin +latinate +latiner +latinesque +latinian +latinic +latiniform +latinism +latinist +latinistic +latinistical +latinitaster +latinity +latinities +latinization +latinize +latinized +latinizer +latinizes +latinizing +latinless +latino +latinos +latins +latinus +lation +latipennate +latipennine +latiplantar +latirostral +latirostres +latirostrous +latirus +latisept +latiseptal +latiseptate +latish +latissimi +latissimus +latisternal +latitancy +latitant +latitat +latite +latitude +latitudes +latitudinal +latitudinally +latitudinary +latitudinarian +latitudinarianism +latitudinarianisn +latitudinarians +latitudinous +lative +latke +latomy +latomia +laton +latona +latonian +latooka +latosol +latosolic +latosols +latoun +latrant +latrate +latration +latrede +latreutic +latreutical +latria +latrial +latrially +latrian +latrias +latrididae +latrine +latrines +latris +latro +latrobe +latrobite +latrociny +latrocinium +latrodectus +latron +lats +latten +lattener +lattens +latter +latterkin +latterly +lattermath +lattermint +lattermost +latterness +lattice +latticed +latticeleaf +latticelike +lattices +latticewise +latticework +latticicini +latticing +latticinii +latticinio +lattin +lattins +latuka +latus +latvia +latvian +latvians +lauan +lauans +laubanite +laud +laudability +laudable +laudableness +laudably +laudanidine +laudanin +laudanine +laudanosine +laudanum +laudanums +laudation +laudative +laudator +laudatory +laudatorily +laudators +laude +lauded +lauder +lauderdale +lauders +laudes +laudian +laudianism +laudification +lauding +laudism +laudist +lauds +laugh +laughability +laughable +laughableness +laughably +laughed +laughee +laugher +laughers +laughful +laughy +laughing +laughingly +laughings +laughingstock +laughingstocks +laughs +laughsome +laughter +laughterful +laughterless +laughters +laughworthy +lauhala +lauia +laulau +laumonite +laumontite +laun +launce +launces +launch +launchable +launched +launcher +launchers +launches +launchful +launching +launchings +launchpad +launchplex +launchways +laund +launder +launderability +launderable +laundered +launderer +launderers +launderette +laundering +launderings +launders +laundress +laundresses +laundry +laundries +laundrymaid +laundryman +laundrymen +laundryowner +laundrywoman +laundrywomen +laundromat +laundromats +launeddas +laur +laura +lauraceae +lauraceous +laurae +lauraldehyde +lauras +laurate +laurdalite +laure +laureal +laureate +laureated +laureates +laureateship +laureateships +laureating +laureation +laurel +laureled +laureling +laurelled +laurellike +laurelling +laurels +laurelship +laurelwood +laurence +laurencia +laurent +laurentian +laurentide +laureole +laurestinus +laury +laurianne +lauric +laurie +lauryl +laurin +laurinoxylon +laurionite +laurite +laurocerasus +lauroyl +laurone +laurotetanine +laurus +laurustine +laurustinus +laurvikite +laus +lautarite +lautenclavicymbal +lauter +lautite +lautitious +lautu +lauwine +lauwines +lav +lava +lavable +lavabo +lavaboes +lavabos +lavacre +lavadero +lavage +lavages +lavalava +lavalavas +lavalier +lavaliere +lavalieres +lavaliers +lavalike +lavalliere +lavament +lavandera +lavanderas +lavandero +lavanderos +lavandin +lavandula +lavanga +lavant +lavaret +lavas +lavash +lavatera +lavatic +lavation +lavational +lavations +lavatory +lavatorial +lavatories +lavature +lave +laveche +laved +laveer +laveered +laveering +laveers +lavehr +lavement +lavender +lavendered +lavendering +lavenders +lavenite +laver +laverania +laveroc +laverock +laverocks +lavers +laverwort +laves +lavette +lavy +lavialite +lavic +laving +lavinia +lavish +lavished +lavisher +lavishers +lavishes +lavishest +lavishing +lavishingly +lavishly +lavishment +lavishness +lavolta +lavrock +lavrocks +lavroffite +lavrovite +law +lawabidingness +lawbook +lawbreak +lawbreaker +lawbreakers +lawbreaking +lawcourt +lawcraft +lawed +laweour +lawful +lawfully +lawfullness +lawfulness +lawgive +lawgiver +lawgivers +lawgiving +lawyer +lawyeress +lawyeresses +lawyery +lawyering +lawyerism +lawyerly +lawyerlike +lawyerling +lawyers +lawyership +lawine +lawines +lawing +lawings +lawish +lawk +lawks +lawlants +lawless +lawlessly +lawlessness +lawlike +lawmake +lawmaker +lawmakers +lawmaking +lawman +lawmen +lawmonger +lawn +lawned +lawner +lawny +lawnleaf +lawnlet +lawnlike +lawnmower +lawns +lawproof +lawrence +lawrencite +lawrencium +lawrie +lawrightman +lawrightmen +laws +lawson +lawsone +lawsoneve +lawsonia +lawsonite +lawsuit +lawsuiting +lawsuits +lawter +lawton +lawzy +lax +laxate +laxation +laxations +laxative +laxatively +laxativeness +laxatives +laxator +laxer +laxest +laxiflorous +laxifoliate +laxifolious +laxism +laxist +laxity +laxities +laxly +laxness +laxnesses +laz +lazar +lazaret +lazarets +lazarette +lazaretto +lazarettos +lazary +lazarist +lazarly +lazarlike +lazarole +lazarone +lazarous +lazars +lazarus +laze +lazed +lazes +lazy +lazyback +lazybed +lazybird +lazybone +lazybones +lazyboots +lazied +lazier +lazies +laziest +lazyhood +lazying +lazyish +lazylegs +lazily +laziness +lazinesses +lazing +lazyship +lazule +lazuli +lazuline +lazulis +lazulite +lazulites +lazulitic +lazurite +lazurites +lazzarone +lazzaroni +lb +lbf +lbinit +lbs +lbw +lc +lca +lcd +lcm +lconvert +lcsymbol +ld +ldg +ldinfo +le +lea +leach +leachability +leachable +leachate +leachates +leached +leacher +leachers +leaches +leachy +leachier +leachiest +leaching +leachman +leachmen +lead +leadable +leadableness +leadage +leadback +leaded +leaden +leadenhearted +leadenheartedness +leadenly +leadenness +leadenpated +leader +leaderess +leaderette +leaderless +leaders +leadership +leaderships +leadeth +leadhillite +leady +leadier +leadiest +leadin +leadiness +leading +leadingly +leadings +leadless +leadline +leadman +leadoff +leadoffs +leadout +leadplant +leadproof +leads +leadsman +leadsmen +leadstone +leadway +leadwood +leadwork +leadworks +leadwort +leadworts +leaf +leafage +leafages +leafbird +leafboy +leafcup +leafdom +leafed +leafen +leafer +leafery +leafgirl +leafhopper +leafhoppers +leafy +leafier +leafiest +leafiness +leafing +leafit +leafless +leaflessness +leaflet +leafleteer +leaflets +leaflike +leafmold +leafs +leafstalk +leafstalks +leafwood +leafwork +leafworm +leafworms +league +leagued +leaguelong +leaguer +leaguered +leaguerer +leaguering +leaguers +leagues +leaguing +leah +leak +leakage +leakages +leakance +leaked +leaker +leakers +leaky +leakier +leakiest +leakily +leakiness +leaking +leakless +leakproof +leaks +leal +lealand +leally +lealness +lealty +lealties +leam +leamer +lean +leander +leaned +leaner +leanest +leangle +leany +leaning +leanings +leanish +leanly +leanness +leannesses +leans +leant +leap +leapable +leaped +leaper +leapers +leapfrog +leapfrogged +leapfrogger +leapfrogging +leapfrogs +leapful +leaping +leapingly +leaps +leapt +lear +learchus +leary +learier +leariest +learn +learnable +learned +learnedly +learnedness +learner +learners +learnership +learning +learnings +learns +learnt +learoyd +lears +leas +leasable +lease +leaseback +leased +leasehold +leaseholder +leaseholders +leaseholding +leaseholds +leaseless +leaseman +leasemen +leasemonger +leaser +leasers +leases +leash +leashed +leashes +leashing +leashless +leasing +leasings +leasow +least +leasts +leastways +leastwise +leat +leath +leather +leatherback +leatherbark +leatherboard +leatherbush +leathercoat +leathercraft +leathered +leatherer +leatherette +leatherfish +leatherfishes +leatherflower +leatherhead +leathery +leatherine +leatheriness +leathering +leatherize +leatherjacket +leatherleaf +leatherleaves +leatherlike +leatherlikeness +leathermaker +leathermaking +leathern +leatherneck +leathernecks +leatheroid +leatherroot +leathers +leatherside +leatherstocking +leatherware +leatherwing +leatherwood +leatherwork +leatherworker +leatherworking +leathwake +leatman +leatmen +leave +leaved +leaveless +leavelooker +leaven +leavened +leavening +leavenish +leavenless +leavenous +leavens +leaver +leavers +leaverwood +leaves +leavetaking +leavy +leavier +leaviest +leaving +leavings +leawill +leban +lebanese +lebanon +lebban +lebbek +leben +lebens +lebensraum +lebes +lebhaft +lebistes +lebkuchen +lebrancho +lecama +lecaniid +lecaniinae +lecanine +lecanium +lecanomancer +lecanomancy +lecanomantic +lecanora +lecanoraceae +lecanoraceous +lecanoric +lecanorine +lecanoroid +lecanoscopy +lecanoscopic +lech +lechayim +lechayims +lechatelierite +leche +lechea +lecher +lechered +lecherer +lechery +lecheries +lechering +lecherous +lecherously +lecherousness +lechers +leches +lechosa +lechriodont +lechriodonta +lechuguilla +lechuguillas +lechwe +lecidea +lecideaceae +lecideaceous +lecideiform +lecideine +lecidioid +lecyth +lecithal +lecithalbumin +lecithality +lecythi +lecithic +lecythid +lecythidaceae +lecythidaceous +lecithin +lecithinase +lecithins +lecythis +lecithoblast +lecythoi +lecithoid +lecythoid +lecithoprotein +lecythus +leck +lecker +lecontite +lecotropal +lect +lectern +lecterns +lecthi +lectica +lection +lectionary +lectionaries +lections +lectisternium +lector +lectorate +lectorial +lectors +lectorship +lectotype +lectress +lectrice +lectual +lectuary +lecture +lectured +lecturee +lectureproof +lecturer +lecturers +lectures +lectureship +lectureships +lecturess +lecturette +lecturing +lecturn +led +leda +lede +leden +lederhosen +lederite +ledge +ledged +ledgeless +ledgeman +ledgement +ledger +ledgerdom +ledgered +ledgering +ledgers +ledges +ledget +ledgy +ledgier +ledgiest +ledging +ledgment +ledidae +ledol +leds +ledum +lee +leeangle +leeboard +leeboards +leech +leechcraft +leechdom +leecheater +leeched +leecher +leechery +leeches +leeching +leechkin +leechlike +leechman +leechwort +leed +leeds +leef +leefang +leefange +leeftail +leeful +leefully +leegatioen +leegte +leek +leeky +leekish +leeks +leelane +leelang +leep +leepit +leer +leered +leerfish +leery +leerier +leeriest +leerily +leeriness +leering +leeringly +leerish +leerness +leeroway +leers +leersia +lees +leese +leeser +leeshyy +leesing +leesome +leesomely +leet +leetle +leetman +leetmen +leets +leeway +leeways +leewan +leeward +leewardly +leewardmost +leewardness +leewards +leewill +lefsel +lefsen +left +lefter +leftest +lefty +lefties +leftish +leftism +leftisms +leftist +leftists +leftments +leftmost +leftness +leftover +leftovers +lefts +leftward +leftwardly +leftwards +leftwing +leftwinger +leg +legacy +legacies +legal +legalese +legaleses +legalise +legalised +legalises +legalising +legalism +legalisms +legalist +legalistic +legalistically +legalists +legality +legalities +legalization +legalizations +legalize +legalized +legalizes +legalizing +legally +legalness +legals +legantine +legantinelegatary +legatary +legate +legated +legatee +legatees +legates +legateship +legateships +legati +legatine +legating +legation +legationary +legations +legative +legato +legator +legatory +legatorial +legators +legatos +legature +legatus +legbar +lege +legend +legenda +legendary +legendarian +legendaries +legendarily +legendic +legendist +legendize +legendized +legendizing +legendless +legendry +legendrian +legendries +legends +leger +legerdemain +legerdemainist +legerete +legerity +legerities +legers +leges +legge +legged +legger +leggy +leggiadrous +leggier +leggiero +leggiest +leggin +legginess +legging +legginged +leggings +leggins +legharness +leghorn +leghorns +legibility +legibilities +legible +legibleness +legibly +legifer +legific +legion +legionary +legionaries +legioned +legioner +legionnaire +legionnaires +legionry +legions +legis +legislate +legislated +legislates +legislating +legislation +legislational +legislativ +legislative +legislatively +legislator +legislatorial +legislatorially +legislators +legislatorship +legislatress +legislatresses +legislatrices +legislatrix +legislatrixes +legislature +legislatures +legist +legister +legists +legit +legitim +legitimacy +legitimacies +legitimate +legitimated +legitimately +legitimateness +legitimating +legitimation +legitimatise +legitimatised +legitimatising +legitimatist +legitimatization +legitimatize +legitimatized +legitimatizing +legitime +legitimisation +legitimise +legitimised +legitimising +legitimism +legitimist +legitimistic +legitimity +legitimization +legitimizations +legitimize +legitimized +legitimizer +legitimizes +legitimizing +legitimum +legits +leglen +legless +leglessness +leglet +leglike +legman +legmen +legoa +legong +legpiece +legpull +legpuller +legpulling +legrete +legroom +legrooms +legrope +legs +legua +leguan +leguatia +leguleian +leguleious +legume +legumelin +legumen +legumes +legumin +leguminiform +leguminosae +leguminose +leguminous +legumins +legwork +legworks +lehay +lehayim +lehayims +lehi +lehmer +lehr +lehrbachite +lehrman +lehrmen +lehrs +lehrsman +lehrsmen +lehua +lehuas +lei +ley +leibnitzian +leibnitzianism +leicester +leyden +leif +leifite +leiger +leigh +leighton +leila +leyland +leimtype +leiocephalous +leiocome +leiodermatous +leiodermia +leiomyofibroma +leiomyoma +leiomyomas +leiomyomata +leiomyomatous +leiomyosarcoma +leiophyllous +leiophyllum +leiothrix +leiotrichan +leiotriches +leiotrichi +leiotrichy +leiotrichidae +leiotrichinae +leiotrichine +leiotrichous +leiotropic +leipoa +leipzig +leis +leys +leishmania +leishmanial +leishmaniasis +leishmanic +leishmanioid +leishmaniosis +leysing +leiss +leisten +leister +leistered +leisterer +leistering +leisters +leisurabe +leisurable +leisurably +leisure +leisured +leisureful +leisureless +leisurely +leisureliness +leisureness +leisures +leith +leitmotif +leitmotifs +leitmotiv +leitneria +leitneriaceae +leitneriaceous +leitneriales +lek +lekach +lekanai +lekane +lekha +lekythi +lekythoi +lekythos +lekythus +lekker +leks +lelia +lelwel +lemaireocereus +leman +lemanea +lemaneaceae +lemanry +lemans +leme +lemel +lemma +lemmas +lemmata +lemmatize +lemming +lemmings +lemmitis +lemmoblastic +lemmocyte +lemmon +lemmus +lemna +lemnaceae +lemnaceous +lemnad +lemnian +lemniscata +lemniscate +lemniscatic +lemnisci +lemniscus +lemnisnisci +lemogra +lemography +lemology +lemon +lemonade +lemonades +lemonado +lemonfish +lemonfishes +lemongrass +lemony +lemonias +lemoniidae +lemoniinae +lemonish +lemonlike +lemons +lemonweed +lemonwood +lemosi +lemovices +lempira +lempiras +lemuel +lemur +lemures +lemuria +lemurian +lemurid +lemuridae +lemuriform +lemurinae +lemurine +lemurlike +lemuroid +lemuroidea +lemuroids +lemurs +len +lena +lenad +lenaea +lenaean +lenaeum +lenaeus +lenape +lenard +lenca +lencan +lench +lencheon +lend +lendable +lended +lendee +lender +lenders +lending +lends +lendu +lene +lenes +leng +lenger +lengest +length +lengthen +lengthened +lengthener +lengtheners +lengthening +lengthens +lengther +lengthful +lengthy +lengthier +lengthiest +lengthily +lengthiness +lengthly +lengthman +lengths +lengthsman +lengthsmen +lengthsome +lengthsomeness +lengthways +lengthwise +leniate +lenience +leniences +leniency +leniencies +lenient +leniently +lenientness +lenify +lenin +leningrad +leninism +leninist +leninists +leninite +lenis +lenity +lenitic +lenities +lenition +lenitive +lenitively +lenitiveness +lenitives +lenitude +lenny +lennilite +lennoaceae +lennoaceous +lennow +leno +lenocinant +lenora +lenos +lens +lense +lensed +lenses +lensless +lenslike +lensman +lensmen +lent +lentamente +lentando +lenten +lententide +lenth +lenthways +lentibulariaceae +lentibulariaceous +lentic +lenticel +lenticellate +lenticels +lenticle +lenticonus +lenticula +lenticular +lenticulare +lenticularis +lenticularly +lenticulas +lenticulate +lenticulated +lenticulating +lenticulation +lenticule +lenticulostriate +lenticulothalamic +lentiform +lentigerous +lentigines +lentiginose +lentiginous +lentigo +lentil +lentile +lentilla +lentils +lentiner +lentisc +lentiscine +lentisco +lentiscus +lentisk +lentisks +lentissimo +lentitude +lentitudinous +lentner +lento +lentoid +lentor +lentos +lentous +lenvoi +lenvoy +lenzites +leo +leodicid +leon +leonard +leonardesque +leonardo +leonato +leoncito +leone +leones +leonese +leonhardite +leonid +leonine +leoninely +leonines +leonis +leonist +leonite +leonnoys +leonora +leonotis +leontiasis +leontocebus +leontocephalous +leontodon +leontopodium +leonurus +leopard +leoparde +leopardess +leopardine +leopardite +leopards +leopardskin +leopardwood +leopold +leopoldinia +leopoldite +leora +leos +leotard +leotards +lep +lepa +lepadid +lepadidae +lepadoid +lepage +lepal +lepanto +lepargylic +lepargyraea +lepas +lepcha +leper +leperdom +lepered +lepero +lepers +lepid +lepidene +lepidin +lepidine +lepidity +lepidium +lepidly +lepidoblastic +lepidodendraceae +lepidodendraceous +lepidodendrid +lepidodendrids +lepidodendroid +lepidodendroids +lepidodendron +lepidoid +lepidoidei +lepidolite +lepidomelane +lepidophyllous +lepidophyllum +lepidophyte +lepidophytic +lepidophloios +lepidoporphyrin +lepidopter +lepidoptera +lepidopteral +lepidopteran +lepidopterid +lepidopterist +lepidopterology +lepidopterological +lepidopterologist +lepidopteron +lepidopterous +lepidosauria +lepidosaurian +lepidoses +lepidosiren +lepidosirenidae +lepidosirenoid +lepidosis +lepidosperma +lepidospermae +lepidosphes +lepidostei +lepidosteoid +lepidosteus +lepidostrobus +lepidote +lepidotes +lepidotic +lepidotus +lepidurus +lepilemur +lepiota +lepisma +lepismatidae +lepismidae +lepismoid +lepisosteidae +lepisosteus +lepocyta +lepocyte +lepomis +leporicide +leporid +leporidae +leporide +leporids +leporiform +leporine +leporis +lepospondyli +lepospondylous +leposternidae +leposternon +lepothrix +leppy +lepra +lepralia +lepralian +lepre +leprechaun +leprechauns +lepry +lepric +leprid +leprine +leproid +leprology +leprologic +leprologist +leproma +lepromatous +leprosaria +leprosarium +leprosariums +leprose +leprosed +leprosery +leproseries +leprosy +leprosied +leprosies +leprosis +leprosity +leprotic +leprous +leprously +leprousness +lepsaria +lepta +leptamnium +leptandra +leptandrin +leptene +leptera +leptid +leptidae +leptiform +leptilon +leptynite +leptinolite +leptinotarsa +leptite +leptobos +leptocardia +leptocardian +leptocardii +leptocentric +leptocephalan +leptocephali +leptocephaly +leptocephalia +leptocephalic +leptocephalid +leptocephalidae +leptocephaloid +leptocephalous +leptocephalus +leptocercal +leptochlorite +leptochroa +leptochrous +leptoclase +leptodactyl +leptodactylidae +leptodactylous +leptodactylus +leptodermatous +leptodermous +leptodora +leptodoridae +leptoform +leptogenesis +leptokurtic +leptokurtosis +leptolepidae +leptolepis +leptolinae +leptology +leptomatic +leptome +leptomedusae +leptomedusan +leptomeningeal +leptomeninges +leptomeningitis +leptomeninx +leptometer +leptomonad +leptomonas +lepton +leptonecrosis +leptonema +leptonic +leptons +leptopellic +leptophyllous +leptophis +leptoprosope +leptoprosopy +leptoprosopic +leptoprosopous +leptoptilus +leptorchis +leptorrhin +leptorrhine +leptorrhiny +leptorrhinian +leptorrhinism +leptosyne +leptosomatic +leptosome +leptosomic +leptosperm +leptospermum +leptosphaeria +leptospira +leptospirae +leptospiral +leptospiras +leptospire +leptospirosis +leptosporangiate +leptostraca +leptostracan +leptostracous +leptostromataceae +leptotene +leptothrix +leptotyphlopidae +leptotyphlops +leptotrichia +leptus +lepus +lequear +ler +lere +lernaea +lernaeacea +lernaean +lernaeidae +lernaeiform +lernaeoid +lernaeoides +lerot +lerp +lerret +lerwa +les +lesath +lesbia +lesbian +lesbianism +lesbians +lesche +lese +lesed +lesgh +lesya +lesiy +lesion +lesional +lesions +leskea +leskeaceae +leskeaceous +lesleya +leslie +lespedeza +lesquerella +less +lessee +lessees +lesseeship +lessen +lessened +lessener +lessening +lessens +lesser +lesses +lessest +lessive +lessn +lessness +lesson +lessoned +lessoning +lessons +lessor +lessors +lest +leste +lester +lestiwarite +lestobioses +lestobiosis +lestobiotic +lestodon +lestosaurus +lestrad +lestrigon +lestrigonian +let +letch +letches +letchy +letdown +letdowns +lete +letgame +lethal +lethality +lethalities +lethalize +lethally +lethals +lethargy +lethargic +lethargical +lethargically +lethargicalness +lethargies +lethargise +lethargised +lethargising +lethargize +lethargized +lethargizing +lethargus +lethe +lethean +lethes +lethy +lethied +lethiferous +lethocerus +lethologica +letitia +leto +letoff +letorate +letrist +lets +lett +lettable +letted +letten +letter +lettercard +lettered +letterer +letterers +letteret +letterform +lettergae +lettergram +letterhead +letterheads +letterin +lettering +letterings +letterleaf +letterless +letterman +lettermen +lettern +letterpress +letters +letterset +letterspace +letterspaced +letterspacing +letterure +letterweight +letterwood +letty +lettic +lettice +lettiga +letting +lettish +lettrin +lettrure +lettsomite +lettuce +lettuces +letuare +letup +letups +leu +leucadendron +leucadian +leucaemia +leucaemic +leucaena +leucaethiop +leucaethiopes +leucaethiopic +leucaniline +leucanthous +leucaugite +leucaurin +leucemia +leucemias +leucemic +leucetta +leuch +leuchaemia +leuchemia +leuchtenbergite +leucic +leucichthys +leucifer +leuciferidae +leucyl +leucin +leucine +leucines +leucins +leucippus +leucism +leucite +leucites +leucitic +leucitis +leucitite +leucitohedron +leucitoid +leucitophyre +leuckartia +leuckartiidae +leuco +leucobasalt +leucoblast +leucoblastic +leucobryaceae +leucobryum +leucocarpous +leucochalcite +leucocholy +leucocholic +leucochroic +leucocyan +leucocidic +leucocidin +leucocism +leucocytal +leucocyte +leucocythaemia +leucocythaemic +leucocythemia +leucocythemic +leucocytic +leucocytoblast +leucocytogenesis +leucocytoid +leucocytolysin +leucocytolysis +leucocytolytic +leucocytology +leucocytometer +leucocytopenia +leucocytopenic +leucocytoplania +leucocytopoiesis +leucocytosis +leucocytotherapy +leucocytotic +leucocytozoon +leucocrate +leucocratic +leucocrinum +leucoderma +leucodermatous +leucodermia +leucodermic +leucoencephalitis +leucoethiop +leucogenic +leucoid +leucoindigo +leucoindigotin +leucojaceae +leucojum +leucoline +leucolytic +leucoma +leucomaine +leucomas +leucomatous +leucomelanic +leucomelanous +leucon +leucones +leuconoid +leuconostoc +leucopenia +leucopenic +leucophane +leucophanite +leucophyllous +leucophyre +leucophlegmacy +leucophoenicite +leucophore +leucopyrite +leucoplakia +leucoplakial +leucoplast +leucoplastid +leucopoiesis +leucopoietic +leucopus +leucoquinizarin +leucoryx +leucorrhea +leucorrheal +leucorrhoea +leucorrhoeal +leucosyenite +leucosis +leucosolenia +leucosoleniidae +leucospermous +leucosphenite +leucosphere +leucospheric +leucostasis +leucosticte +leucotactic +leucotaxin +leucotaxine +leucothea +leucothoe +leucotic +leucotome +leucotomy +leucotomies +leucotoxic +leucous +leucoxene +leud +leudes +leuds +leuk +leukaemia +leukaemic +leukemia +leukemias +leukemic +leukemics +leukemid +leukemoid +leukoblast +leukoblastic +leukocidic +leukocidin +leukocyte +leukocytes +leukocythemia +leukocytic +leukocytoblast +leukocytoid +leukocytopenia +leukocytosis +leukocytotic +leukoctyoid +leukoderma +leukodystrophy +leukoma +leukomas +leukon +leukons +leukopedesis +leukopenia +leukopenic +leukopoiesis +leukopoietic +leukorrhea +leukorrheal +leukorrhoea +leukorrhoeal +leukoses +leukosis +leukotaxin +leukotaxine +leukotic +leukotomy +leukotomies +leuma +leung +lev +leva +levade +levalloisian +levana +levance +levancy +levant +levanted +levanter +levantera +levanters +levantine +levanting +levanto +levants +levarterenol +levation +levator +levatores +levators +leve +leveche +levee +leveed +leveeing +levees +leveful +level +leveled +leveler +levelers +levelheaded +levelheadedly +levelheadedness +leveling +levelish +levelism +levelled +leveller +levellers +levellest +levelly +levelling +levelman +levelness +levels +leven +lever +leverage +leveraged +leverages +leveraging +levered +leverer +leveret +leverets +levering +leverlike +leverman +levers +leverwood +levesel +levet +levi +levy +leviable +leviathan +leviathans +leviation +levied +levier +leviers +levies +levigable +levigate +levigated +levigates +levigating +levigation +levigator +levying +levyist +levin +levyne +leviner +levining +levynite +levins +levir +levirate +levirates +leviratic +leviratical +leviration +levis +levisticum +levitant +levitate +levitated +levitates +levitating +levitation +levitational +levitations +levitative +levitator +levite +leviter +levity +levitical +leviticalism +leviticality +levitically +leviticalness +leviticism +leviticus +levities +levitism +levo +levoduction +levogyrate +levogyre +levogyrous +levoglucose +levolactic +levolimonene +levorotary +levorotation +levorotatory +levotartaric +levoversion +levulic +levulin +levulinic +levulins +levulose +levuloses +levulosuria +lew +lewanna +lewd +lewder +lewdest +lewdly +lewdness +lewdnesses +lewdster +lewie +lewing +lewis +lewises +lewisia +lewisian +lewisite +lewisites +lewisson +lewissons +lewist +lewnite +lewth +lewty +lex +lexeme +lexemic +lexia +lexic +lexica +lexical +lexicalic +lexicality +lexically +lexicog +lexicographer +lexicographers +lexicography +lexicographian +lexicographic +lexicographical +lexicographically +lexicographist +lexicology +lexicologic +lexicological +lexicologist +lexicon +lexiconist +lexiconize +lexicons +lexicostatistic +lexicostatistical +lexicostatistics +lexigraphy +lexigraphic +lexigraphical +lexigraphically +lexiphanes +lexiphanic +lexiphanicism +lexis +lexological +lezghian +lf +lg +lgth +lh +lhb +lhd +lherzite +lherzolite +lhiamba +lhota +li +ly +liability +liabilities +liable +liableness +liaise +liaised +liaises +liaising +liaison +liaisons +lyam +liamba +liana +lianas +lyance +liane +lianes +liang +liangle +liangs +lianoid +liar +liard +lyard +liards +liars +lyart +lias +lyas +lyase +lyases +liasing +liason +liassic +liatris +lib +libament +libaniferous +libanophorous +libanotophorous +libant +libard +libate +libated +libating +libation +libational +libationary +libationer +libations +libatory +libbard +libbed +libber +libbers +libbet +libby +libbing +libbra +libecchio +libeccio +libeccios +libel +libelant +libelants +libeled +libelee +libelees +libeler +libelers +libeling +libelist +libelists +libellant +libellary +libellate +libelled +libellee +libellees +libeller +libellers +libelling +libellist +libellous +libellously +libellula +libellulid +libellulidae +libelluloid +libelous +libelously +libels +liber +libera +liberal +liberalia +liberalisation +liberalise +liberalised +liberaliser +liberalising +liberalism +liberalist +liberalistic +liberalites +liberality +liberalities +liberalization +liberalizations +liberalize +liberalized +liberalizer +liberalizes +liberalizing +liberally +liberalness +liberals +liberate +liberated +liberates +liberating +liberation +liberationism +liberationist +liberationists +liberations +liberative +liberator +liberatory +liberators +liberatress +liberatrice +liberatrix +liberia +liberian +liberians +liberomotor +libers +libertarian +libertarianism +libertarians +libertas +liberty +liberticidal +liberticide +liberties +libertyless +libertinage +libertine +libertines +libertinism +liberum +libethenite +libget +libya +libyan +libyans +libidibi +libidinal +libidinally +libidinist +libidinization +libidinized +libidinizing +libidinosity +libidinous +libidinously +libidinousness +libido +libidos +libinit +libytheidae +libytheinae +libitina +libitum +libken +libkin +libocedrus +libr +libra +librae +librairie +libral +library +librarian +librarianess +librarians +librarianship +libraries +librarii +libraryless +librarious +librarius +libras +librate +librated +librates +librating +libration +librational +libratory +libre +libretti +librettist +librettists +libretto +librettos +libri +librid +libriform +libris +libroplast +libs +lyc +lycaena +lycaenid +lycaenidae +licania +lycanthrope +lycanthropy +lycanthropia +lycanthropic +lycanthropies +lycanthropist +lycanthropize +lycanthropous +licareol +licca +lice +lycea +lyceal +lycee +lycees +licence +licenceable +licenced +licencee +licencees +licencer +licencers +licences +licencing +licensable +license +licensed +licensee +licensees +licenseless +licenser +licensers +licenses +licensing +licensor +licensors +licensure +licentiate +licentiates +licentiateship +licentiation +licentious +licentiously +licentiousness +licet +lyceum +lyceums +lich +lych +licham +lichanos +lichee +lychee +lichees +lychees +lichen +lichenaceous +lichened +lichenes +licheny +lichenian +licheniasis +lichenic +lichenicolous +lichenification +licheniform +lichenin +lichening +lichenins +lichenise +lichenised +lichenising +lichenism +lichenist +lichenivorous +lichenization +lichenize +lichenized +lichenizing +lichenlike +lichenographer +lichenography +lichenographic +lichenographical +lichenographist +lichenoid +lichenology +lichenologic +lichenological +lichenologist +lichenopora +lichenoporidae +lichenose +lichenous +lichens +lichi +lichis +lychnic +lychnis +lychnises +lychnomancy +lichnophora +lichnophoridae +lychnoscope +lychnoscopic +licht +lichted +lichting +lichtly +lichts +lichwake +lycian +lycid +lycidae +lycine +licinian +licit +licitation +licitly +licitness +lycium +lick +licked +licker +lickerish +lickerishly +lickerishness +lickerous +lickers +lickety +licking +lickings +lickpenny +licks +lickspit +lickspits +lickspittle +lickspittling +lycodes +lycodidae +lycodoid +lycopene +lycopenes +lycoperdaceae +lycoperdaceous +lycoperdales +lycoperdoid +lycoperdon +lycopersicon +lycopin +lycopod +lycopode +lycopodiaceae +lycopodiaceous +lycopodiales +lycopodium +lycopods +lycopsida +lycopsis +lycopus +licorice +licorices +lycorine +licorn +licorne +licorous +lycosa +lycosid +lycosidae +licour +lyctid +lyctidae +lictor +lictorian +lictors +lyctus +licuala +licuri +licury +lycus +lid +lida +lidar +lidars +lidded +lidder +lidderon +lidding +lyddite +lyddites +lide +lidflower +lidgate +lidia +lydia +lydian +lidias +lidicker +lydite +lidless +lidlessly +lido +lidocaine +lidos +lids +lie +lye +liebenerite +lieberkuhn +liebfraumilch +liebgeaitor +liebig +liebigite +lieblich +liechtenstein +lied +lieder +liederkranz +lief +liefer +liefest +liefly +liefsome +liege +liegedom +liegeful +liegefully +liegeless +liegely +liegeman +liegemen +lieger +lieges +liegewoman +liegier +lien +lienable +lienal +lyencephala +lyencephalous +lienculi +lienculus +lienectomy +lienectomies +lienee +lienholder +lienic +lienitis +lienocele +lienogastric +lienointestinal +lienomalacia +lienomedullary +lienomyelogenous +lienopancreatic +lienor +lienorenal +lienotoxin +liens +lientery +lienteria +lienteric +lienteries +liepot +lieproof +lieprooflier +lieproofliest +lier +lyery +lierne +liernes +lierre +liers +lies +lyes +liesh +liespfund +liest +lieu +lieue +lieus +lieut +lieutenancy +lieutenancies +lieutenant +lieutenantry +lieutenants +lieutenantship +lievaart +lieve +liever +lievest +lievrite +lif +life +lifeblood +lifeboat +lifeboatman +lifeboatmen +lifeboats +lifebuoy +lifeday +lifedrop +lifeful +lifefully +lifefulness +lifeguard +lifeguards +lifehold +lifeholder +lifehood +lifey +lifeleaf +lifeless +lifelessly +lifelessness +lifelet +lifelike +lifelikeness +lifeline +lifelines +lifelong +lifemanship +lifen +lifer +liferent +liferented +liferenter +liferenting +liferentrix +liferoot +lifers +lifesaver +lifesavers +lifesaving +lifeskills +lifesome +lifesomely +lifesomeness +lifespan +lifespans +lifespring +lifestyle +lifestyles +lifetime +lifetimes +lifeway +lifeways +lifeward +lifework +lifeworks +lyfkie +liflod +lifo +lift +liftable +liftboy +lifted +lifter +lifters +lifting +liftless +liftman +liftmen +liftoff +liftoffs +lifts +lig +ligable +lygaeid +lygaeidae +ligament +ligamenta +ligamental +ligamentary +ligamentous +ligamentously +ligaments +ligamentta +ligamentum +ligan +ligand +ligands +ligans +ligas +ligase +ligases +ligate +ligated +ligates +ligating +ligation +ligations +ligative +ligator +ligatory +ligature +ligatured +ligatures +ligaturing +lige +ligeance +liger +lygeum +liggat +ligge +ligger +light +lightable +lightage +lightboard +lightboat +lightbrained +lighted +lighten +lightened +lightener +lighteners +lightening +lightens +lighter +lighterage +lightered +lighterful +lightering +lighterman +lightermen +lighters +lightest +lightface +lightfaced +lightfast +lightfastness +lightfingered +lightfoot +lightfooted +lightful +lightfully +lightfulness +lighthead +lightheaded +lightheadedly +lightheadedness +lighthearted +lightheartedly +lightheartedness +lighthouse +lighthouseman +lighthouses +lighty +lightyears +lighting +lightings +lightish +lightkeeper +lightless +lightlessness +lightly +lightman +lightmans +lightmanship +lightmen +lightmindedly +lightmindedness +lightmouthed +lightness +lightning +lightningbug +lightninged +lightninglike +lightningproof +lightnings +lightplane +lightproof +lightroom +lights +lightscot +lightship +lightships +lightsman +lightsmen +lightsome +lightsomely +lightsomeness +lighttight +lightwards +lightweight +lightweights +lightwood +lightwort +ligyda +ligydidae +ligitimized +ligitimizing +lignaloes +lignatile +ligne +ligneous +lignes +lignescent +lignicole +lignicoline +lignicolous +ligniferous +lignify +lignification +lignifications +lignified +lignifies +lignifying +ligniform +lignin +lignins +ligninsulphonate +ligniperdous +lignite +lignites +lignitic +lignitiferous +lignitize +lignivorous +lignocaine +lignocellulose +lignocellulosic +lignoceric +lignography +lignone +lignose +lignosity +lignosulfonate +lignosulphite +lignosulphonate +lignous +lignum +lignums +lygodium +lygosoma +ligroin +ligroine +ligroines +ligroins +ligula +ligulae +ligular +ligularia +ligulas +ligulate +ligulated +ligule +ligules +liguliflorae +liguliflorous +liguliform +ligulin +liguloid +liguorian +ligure +ligures +ligurian +ligurite +ligurition +ligurrition +lygus +ligusticum +ligustrin +ligustrum +lihyanite +liin +lying +lyingly +lyings +liyuan +lija +likability +likable +likableness +like +likeability +likeable +likeableness +liked +likeful +likehood +likely +likelier +likeliest +likelihead +likelihood +likelihoods +likeliness +likeminded +likemindedness +liken +lyken +likened +likeness +likenesses +likening +likens +liker +likerish +likerous +likers +likes +likesome +likest +likeways +lykewake +likewalk +likewise +likewisely +likewiseness +likin +liking +likingly +likings +likker +liknon +likuta +lila +lilac +lilaceous +lilacin +lilacky +lilacs +lilacthroat +lilactide +lilaeopsis +lilas +lilburne +lile +liles +lily +liliaceae +liliaceous +lilial +liliales +lilian +liliated +lilied +lilies +lilyfy +liliform +lilyhanded +liliiflorae +lilylike +lilith +lilium +lilywood +lilywort +lill +lilly +lillianite +lillibullero +lilliput +lilliputian +lilliputianize +lilliputians +lilliputs +lilt +lilted +lilting +liltingly +liltingness +lilts +lim +lym +lima +limace +limacea +limacel +limacelle +limaceous +limacidae +limaciform +limacina +limacine +limacines +limacinid +limacinidae +limacoid +limacon +limacons +limail +limaille +liman +limans +lymantria +lymantriid +lymantriidae +limas +limation +limawood +limax +limb +limba +limbal +limbas +limbat +limbate +limbation +limbec +limbeck +limbecks +limbed +limber +limbered +limberer +limberest +limberham +limbering +limberly +limberneck +limberness +limbers +limbi +limby +limbic +limbie +limbier +limbiest +limbiferous +limbing +limbless +limbmeal +limbo +limboinfantum +limbos +limbous +limbs +limbu +limburger +limburgite +limbus +limbuses +lime +limeade +limeades +limean +limeberry +limeberries +limebush +limed +limehouse +limey +limeys +limekiln +limekilns +limeless +limelight +limelighter +limelights +limelike +limeman +limen +limens +limequat +limer +limerick +limericks +limes +limestone +limestones +limesulfur +limesulphur +limetta +limettin +limewash +limewater +limewood +limewort +lymhpangiophlebitis +limy +limicolae +limicoline +limicolous +limidae +limier +limiest +limina +liminal +liminary +limine +liminess +liminesses +liming +limit +limitability +limitable +limitableness +limitably +limital +limitanean +limitary +limitarian +limitaries +limitate +limitation +limitational +limitations +limitative +limitatively +limited +limitedly +limitedness +limiteds +limiter +limiters +limites +limity +limiting +limitive +limitless +limitlessly +limitlessness +limitor +limitrophe +limits +limivorous +limli +limma +limmata +limmer +limmers +limmock +limmu +limn +lymnaea +lymnaean +lymnaeid +lymnaeidae +limnal +limnanth +limnanthaceae +limnanthaceous +limnanthemum +limnanthes +limned +limner +limnery +limners +limnetic +limnetis +limniad +limnic +limnimeter +limnimetric +limning +limnite +limnobiology +limnobiologic +limnobiological +limnobiologically +limnobios +limnobium +limnocnida +limnograph +limnology +limnologic +limnological +limnologically +limnologist +limnometer +limnophil +limnophile +limnophilid +limnophilidae +limnophilous +limnophobia +limnoplankton +limnorchis +limnoria +limnoriidae +limnorioid +limns +limo +limodorum +limoid +limoncillo +limoncito +limonene +limonenes +limoniad +limonin +limonite +limonites +limonitic +limonitization +limonium +limos +limosa +limose +limosella +limosi +limous +limousin +limousine +limousines +limp +limped +limper +limpers +limpest +limpet +limpets +lymph +lymphad +lymphadenectasia +lymphadenectasis +lymphadenia +lymphadenitis +lymphadenoid +lymphadenoma +lymphadenomas +lymphadenomata +lymphadenome +lymphadenopathy +lymphadenosis +lymphaemia +lymphagogue +lymphangeitis +lymphangial +lymphangiectasis +lymphangiectatic +lymphangiectodes +lymphangiitis +lymphangioendothelioma +lymphangiofibroma +lymphangiology +lymphangioma +lymphangiomas +lymphangiomata +lymphangiomatous +lymphangioplasty +lymphangiosarcoma +lymphangiotomy +lymphangitic +lymphangitides +lymphangitis +lymphatic +lymphatical +lymphatically +lymphation +lymphatism +lymphatitis +lymphatolysin +lymphatolysis +lymphatolytic +limphault +lymphectasia +lymphedema +lymphemia +lymphenteritis +lymphy +lymphoadenoma +lymphoblast +lymphoblastic +lymphoblastoma +lymphoblastosis +lymphocele +lymphocyst +lymphocystosis +lymphocyte +lymphocytes +lymphocythemia +lymphocytic +lymphocytoma +lymphocytomatosis +lymphocytosis +lymphocytotic +lymphocytotoxin +lymphodermia +lymphoduct +lymphoedema +lymphogenic +lymphogenous +lymphoglandula +lymphogranuloma +lymphogranulomas +lymphogranulomata +lymphogranulomatosis +lymphogranulomatous +lymphography +lymphographic +lymphoid +lymphoidectomy +lymphoidocyte +lymphology +lymphoma +lymphomas +lymphomata +lymphomatoid +lymphomatosis +lymphomatous +lymphomyxoma +lymphomonocyte +lymphopathy +lymphopenia +lymphopenial +lymphopoieses +lymphopoiesis +lymphopoietic +lymphoprotease +lymphorrhage +lymphorrhagia +lymphorrhagic +lymphorrhea +lymphosarcoma +lymphosarcomas +lymphosarcomatosis +lymphosarcomatous +lymphosporidiosis +lymphostasis +lymphotaxis +lymphotome +lymphotomy +lymphotoxemia +lymphotoxin +lymphotrophy +lymphotrophic +lymphous +lymphs +lymphuria +limpy +limpid +limpidity +limpidly +limpidness +limpily +limpin +limpiness +limping +limpingly +limpingness +limpish +limpkin +limpkins +limply +limpness +limpnesses +limps +limpsey +limpsy +limpwort +limsy +limu +limuli +limulid +limulidae +limuloid +limuloidea +limuloids +limulus +limurite +lin +lyn +lina +linable +linac +linaceae +linaceous +linacs +linaga +linage +linages +linalyl +linaloa +linaloe +linalol +linalols +linalool +linalools +linamarin +linanthus +linaria +linarite +lyncean +lynceus +linch +lynch +lynchable +linchbolt +lynched +lyncher +lynchers +lynches +linchet +lynchet +lynching +lynchings +linchpin +linchpinned +linchpins +lyncid +lyncine +lincloth +lincoln +lincolnesque +lincolnian +lincolniana +lincolnlike +lincomycin +lincrusta +lincture +linctus +lind +linda +lindabrides +lindackerite +lindane +lindanes +linden +lindens +linder +lindera +lindy +lindied +lindies +lindying +lindleyan +lindo +lindoite +lyndon +lindsay +lindsey +lindworm +line +linea +lineable +lineage +lineaged +lineages +lineal +lineality +lineally +lineament +lineamental +lineamentation +lineaments +lineameter +linear +lineary +linearifolius +linearisation +linearise +linearised +linearising +linearity +linearities +linearizable +linearization +linearize +linearized +linearizes +linearizing +linearly +lineas +lineate +lineated +lineation +lineatum +lineature +linebacker +linebackers +linebacking +linebred +linebreed +linebreeding +linecaster +linecasting +linecut +linecuts +lined +linefeed +linefeeds +liney +lineiform +lineless +linelet +linelike +lineman +linemen +linen +linendrapers +linene +linener +linenette +linenfold +lineny +linenize +linenizer +linenman +linens +linenumber +linenumbers +lineocircular +lineograph +lineolate +lineolated +lineprinter +liner +linerange +linerless +liners +lines +linesides +linesman +linesmen +linet +linetest +lynette +lineup +lineups +linewalker +linework +ling +linga +lingayat +lingala +lingam +lingams +lingas +lingberry +lingberries +lyngbyaceae +lyngbyeae +lingbird +lingcod +lingcods +linge +lingel +lingenberry +lingence +linger +lingered +lingerer +lingerers +lingerie +lingeries +lingering +lingeringly +lingers +linget +lingy +lingier +lingiest +lingism +lingle +lingo +lingoe +lingoes +lingonberry +lingonberries +lingot +lingoum +lings +lingster +lingtow +lingtowman +lingua +linguacious +linguaciousness +linguadental +linguae +linguaeform +lingual +linguale +lingualis +linguality +lingualize +lingually +linguals +linguanasal +linguata +linguatula +linguatulida +linguatulina +linguatuline +linguatuloid +linguet +linguidental +linguiform +linguine +linguines +linguini +linguinis +linguipotence +linguished +linguist +linguister +linguistic +linguistical +linguistically +linguistician +linguistics +linguistry +linguists +lingula +lingulae +lingulate +lingulated +lingulella +lingulid +lingulidae +linguliferous +linguliform +linguloid +linguodental +linguodistal +linguogingival +linguopalatal +linguopapillitis +linguoversion +lingwort +linha +linhay +liny +linie +linier +liniest +liniya +liniment +liniments +linin +lininess +lining +linings +linins +linyphia +linyphiid +linyphiidae +linitis +linja +linje +link +linkable +linkage +linkages +linkboy +linkboys +linked +linkedit +linkedited +linkediting +linkeditor +linkeditted +linkeditting +linkedness +linker +linkers +linky +linkier +linkiest +linking +linkman +linkmen +links +linksman +linksmen +linksmith +linkster +linkup +linkups +linkwork +linkworks +linley +linn +lynn +linnaea +linnaean +linnaeanism +linnaeite +linne +lynne +linneon +linnet +linnets +lynnette +lynnhaven +linns +lino +linocut +linocuts +linolate +linoleate +linoleic +linolein +linolenate +linolenic +linolenin +linoleum +linoleums +linolic +linolin +linometer +linon +linonophobia +linopteris +linos +linotype +linotyped +linotyper +linotypes +linotyping +linotypist +linous +linoxin +linoxyn +linpin +linquish +lins +linsang +linsangs +linseed +linseeds +linsey +linseys +linstock +linstocks +lint +lintel +linteled +linteling +lintelled +lintelling +lintels +linten +linter +lintern +linters +linty +lintie +lintier +lintiest +lintless +lintol +lintols +lintonite +lints +lintseed +lintwhite +linum +linums +linus +linwood +lynx +lynxes +lynxlike +lyocratic +liodermia +lyolysis +lyolytic +lyomeri +lyomerous +liomyofibroma +liomyoma +lion +lyon +lionced +lioncel +lionel +lyonese +lionesque +lioness +lionesses +lionet +lyonetia +lyonetiid +lyonetiidae +lionfish +lionfishes +lionheart +lionhearted +lionheartedly +lionheartedness +lionhood +lionisation +lionise +lionised +lioniser +lionisers +lionises +lionising +lionism +lionizable +lionization +lionize +lionized +lionizer +lionizers +lionizes +lionizing +lionly +lionlike +lyonnais +lyonnaise +lionne +lyonnesse +lionproof +lions +lionship +lyophil +lyophile +lyophiled +lyophilic +lyophilization +lyophilize +lyophilized +lyophilizer +lyophilizing +lyophobe +lyophobic +lyopoma +lyopomata +lyopomatous +liothrix +liotrichi +liotrichidae +liotrichine +lyotrope +lyotropic +lip +lipa +lipacidemia +lipaciduria +lipaemia +lipaemic +lipan +liparian +liparid +liparidae +liparididae +liparis +liparite +liparocele +liparoid +liparomphalus +liparous +lipase +lipases +lipectomy +lipectomies +lypemania +lipemia +lipemic +lyperosia +lipeurus +lipic +lipid +lipide +lipides +lipidic +lipids +lipin +lipins +lipless +liplet +liplike +lipoblast +lipoblastoma +lipobranchia +lipocaic +lipocardiac +lipocele +lipoceratous +lipocere +lipochondroma +lipochrome +lipochromic +lipochromogen +lipocyte +lipocytes +lipoclasis +lipoclastic +lipodystrophy +lipodystrophia +lipoferous +lipofibroma +lipogenesis +lipogenetic +lipogenic +lipogenous +lipogram +lipogrammatic +lipogrammatism +lipogrammatist +lipography +lipographic +lipohemia +lipoid +lipoidaemia +lipoidal +lipoidemia +lipoidic +lipoids +lipolyses +lipolysis +lipolitic +lipolytic +lipoma +lipomas +lipomata +lipomatosis +lipomatous +lipometabolic +lipometabolism +lipomyoma +lipomyxoma +lipomorph +lipopectic +lipopexia +lipophagic +lipophilic +lipophore +lipopod +lipopoda +lipopolysaccharide +lipoprotein +liposarcoma +liposis +liposoluble +liposome +lipostomy +lipothymy +lipothymia +lypothymia +lipothymial +lipothymic +lipotype +lipotyphla +lipotrophy +lipotrophic +lipotropy +lipotropic +lipotropin +lipotropism +lipovaccine +lipoxeny +lipoxenous +lipoxidase +lipped +lippen +lippened +lippening +lippens +lipper +lippered +lippering +lipperings +lippers +lippy +lippia +lippie +lippier +lippiest +lippiness +lipping +lippings +lippitude +lippitudo +lipread +lipreading +lips +lipsalve +lipsanographer +lipsanotheca +lipse +lipstick +lipsticks +lipuria +lipwork +liq +liquable +liquamen +liquate +liquated +liquates +liquating +liquation +liquefacient +liquefaction +liquefactions +liquefactive +liquefy +liquefiability +liquefiable +liquefied +liquefier +liquefiers +liquefies +liquefying +liquer +liquesce +liquescence +liquescency +liquescent +liquet +liqueur +liqueured +liqueuring +liqueurs +liquid +liquidable +liquidambar +liquidamber +liquidate +liquidated +liquidates +liquidating +liquidation +liquidations +liquidator +liquidators +liquidatorship +liquidy +liquidise +liquidised +liquidising +liquidity +liquidities +liquidization +liquidize +liquidized +liquidizer +liquidizes +liquidizing +liquidless +liquidly +liquidness +liquidogenic +liquidogenous +liquids +liquidus +liquify +liquified +liquifier +liquifiers +liquifies +liquifying +liquiform +liquor +liquored +liquorer +liquory +liquorice +liquoring +liquorish +liquorishly +liquorishness +liquorist +liquorless +liquors +lir +lira +lyra +lyraid +liras +lirate +lyrate +lyrated +lyrately +liration +lyraway +lire +lyre +lyrebird +lyrebirds +lyreflower +lirella +lirellate +lirelliform +lirelline +lirellous +lyreman +lyres +lyretail +lyric +lyrical +lyrically +lyricalness +lyrichord +lyricisation +lyricise +lyricised +lyricises +lyricising +lyricism +lyricisms +lyricist +lyricists +lyricization +lyricize +lyricized +lyricizes +lyricizing +lyricked +lyricking +lyrics +lyrid +lyriform +lirioddra +liriodendra +liriodendron +liriodendrons +liripipe +liripipes +liripoop +lyrism +lyrisms +lyrist +lyrists +liroconite +lirot +liroth +lyrurus +lis +lys +lisa +lysander +lysate +lysates +lisbon +lise +lyse +lysed +lysenkoism +lisere +lysergic +lyses +lisette +lish +lysidin +lysidine +lisiere +lysigenic +lysigenous +lysigenously +lysiloma +lysimachia +lysimachus +lysimeter +lysimetric +lysin +lysine +lysines +lysing +lysins +lysis +lysistrata +lisk +lisle +lisles +lysogen +lysogenesis +lysogenetic +lysogeny +lysogenic +lysogenicity +lysogenies +lysogenization +lysogenize +lysogens +lysol +lysolecithin +lysosomal +lysosomally +lysosome +lysosomes +lysozyme +lysozymes +lisp +lisped +lisper +lispers +lisping +lispingly +lispound +lisps +lispund +liss +lyssa +lissamphibia +lissamphibian +lyssas +lissencephala +lissencephalic +lissencephalous +lisses +lyssic +lissoflagellata +lissoflagellate +lissom +lissome +lissomely +lissomeness +lissomly +lissomness +lyssophobia +lissotrichan +lissotriches +lissotrichy +lissotrichous +list +listable +listed +listedness +listel +listels +listen +listenable +listened +listener +listeners +listenership +listening +listenings +listens +lister +listera +listerelloses +listerellosis +listeria +listerian +listeriases +listeriasis +listerine +listerioses +listeriosis +listerism +listerize +listers +listful +listy +listing +listings +listless +listlessly +listlessness +listred +lists +listwork +lisuarte +liszt +lit +litai +litaneutical +litany +litanies +litanywise +litarge +litas +litation +litatu +litch +litchi +litchis +lite +liter +literacy +literacies +literaehumaniores +literaily +literal +literalisation +literalise +literalised +literaliser +literalising +literalism +literalist +literalistic +literalistically +literality +literalities +literalization +literalize +literalized +literalizer +literalizing +literally +literalminded +literalmindedness +literalness +literals +literary +literarian +literaryism +literarily +literariness +literata +literate +literated +literately +literateness +literates +literati +literatim +literation +literatist +literato +literator +literatos +literature +literatured +literatures +literatus +lyterian +literose +literosity +liters +lites +lith +lithaemia +lithaemic +lithagogue +lithangiuria +lithanode +lithanthrax +litharge +litharges +lithate +lithatic +lithe +lythe +lithectasy +lithectomy +lithely +lithemia +lithemias +lithemic +litheness +lither +litherly +litherness +lithesome +lithesomeness +lithest +lithi +lithy +lithia +lithias +lithiasis +lithiastic +lithiate +lithic +lithically +lithifaction +lithify +lithification +lithified +lithifying +lithiophilite +lithite +lithium +lithiums +lithless +litho +lithobiid +lithobiidae +lithobioid +lithobius +lithocarpus +lithocenosis +lithochemistry +lithochromatic +lithochromatics +lithochromatography +lithochromatographic +lithochromy +lithochromic +lithochromography +lithocyst +lithocystotomy +lithoclase +lithoclast +lithoclasty +lithoclastic +lithoculture +lithodes +lithodesma +lithodialysis +lithodid +lithodidae +lithodomous +lithodomus +lithoed +lithofellic +lithofellinic +lithofracteur +lithofractor +lithog +lithogenesy +lithogenesis +lithogenetic +lithogeny +lithogenous +lithoglyph +lithoglypher +lithoglyphic +lithoglyptic +lithoglyptics +lithograph +lithographed +lithographer +lithographers +lithography +lithographic +lithographical +lithographically +lithographing +lithographize +lithographs +lithogravure +lithoid +lithoidal +lithoidite +lithoing +lithol +litholabe +litholapaxy +litholatry +litholatrous +litholysis +litholyte +litholytic +lithology +lithologic +lithological +lithologically +lithologist +lithomancy +lithomarge +lithometeor +lithometer +lithonephria +lithonephritis +lithonephrotomy +lithonephrotomies +lithontriptic +lithontriptist +lithontriptor +lithopaedion +lithopaedium +lithopedion +lithopedium +lithophagous +lithophane +lithophany +lithophanic +lithophyl +lithophile +lithophyll +lithophyllous +lithophilous +lithophysa +lithophysae +lithophysal +lithophyte +lithophytic +lithophytous +lithophone +lithophotography +lithophotogravure +lithophthisis +lithopone +lithoprint +lithoprinter +lithos +lithoscope +lithosere +lithosian +lithosiid +lithosiidae +lithosiinae +lithosis +lithosol +lithosols +lithosperm +lithospermon +lithospermous +lithospermum +lithosphere +lithospheric +lithotint +lithotype +lithotyped +lithotypy +lithotypic +lithotyping +lithotome +lithotomy +lithotomic +lithotomical +lithotomies +lithotomist +lithotomize +lithotomous +lithotony +lithotresis +lithotripsy +lithotriptor +lithotrite +lithotrity +lithotritic +lithotrities +lithotritist +lithotritor +lithous +lithoxyl +lithoxyle +lithoxylite +lythraceae +lythraceous +lythrum +lithsman +lithuania +lithuanian +lithuanians +lithuanic +lithuresis +lithuria +liti +lytic +lytically +liticontestation +lityerses +litigable +litigant +litigants +litigate +litigated +litigates +litigating +litigation +litigationist +litigations +litigator +litigatory +litigators +litigiosity +litigious +litigiously +litigiousness +litiopa +litiscontest +litiscontestation +litiscontestational +litmus +litmuses +litopterna +litoral +litorina +litorinidae +litorinoid +litotes +litra +litre +litres +lits +litsea +litster +lytta +lyttae +lyttas +litten +litter +litterateur +litterateurs +litteratim +litterbag +litterbug +litterbugs +littered +litterer +litterers +littery +littering +littermate +littermates +litters +little +littleleaf +littleneck +littlenecks +littleness +littler +littles +littlest +littlewale +littlin +littling +littlish +littoral +littorals +littorella +littrateur +littress +litu +lituate +litui +lituiform +lituite +lituites +lituitidae +lituitoid +lituola +lituoline +lituoloid +liturate +liturgy +liturgic +liturgical +liturgically +liturgician +liturgics +liturgies +liturgiology +liturgiological +liturgiologist +liturgism +liturgist +liturgistic +liturgistical +liturgists +liturgize +litus +lituus +litvak +litz +liukiu +liv +livability +livable +livableness +livably +live +liveability +liveable +liveableness +livebearer +liveborn +lived +livedo +liveyer +lively +livelier +liveliest +livelihead +livelihood +livelihoods +livelily +liveliness +livelong +liven +livened +livener +liveners +liveness +livenesses +livening +livens +liver +liverance +liverberry +liverberries +livered +liverhearted +liverheartedness +livery +liverydom +liveried +liveries +liveryless +liveryman +liverymen +livering +liverish +liverishness +liverleaf +liverleaves +liverless +liverpool +liverpudlian +livers +liverwort +liverworts +liverwurst +liverwursts +lives +livest +livestock +liveth +livetin +livetrap +livetrapped +livetrapping +livetraps +liveware +liveweight +livian +livid +lividity +lividities +lividly +lividness +livier +livyer +liviers +livyers +living +livingless +livingly +livingness +livings +livingstoneite +livish +livishly +livistona +livlihood +livonian +livor +livraison +livre +livres +liwan +lixive +lixivia +lixivial +lixiviate +lixiviated +lixiviating +lixiviation +lixiviator +lixivious +lixivium +lixiviums +lyxose +liz +liza +lizard +lizardfish +lizardfishes +lizardlike +lizards +lizardtail +lizary +lizzie +ll +llama +llamas +llanberisslate +llandeilo +llandovery +llanero +llano +llanos +llareta +llautu +llb +ller +lleu +llew +llyn +lloyd +lludd +lm +ln +lndg +lnr +lo +loa +loach +loaches +load +loadable +loadage +loaded +loadedness +loaden +loader +loaders +loadinfo +loading +loadings +loadless +loadpenny +loads +loadsome +loadspecs +loadstar +loadstars +loadstone +loadstones +loadum +loaf +loafed +loafer +loaferdom +loaferish +loafers +loafing +loafingly +loaflet +loafs +loaghtan +loaiasis +loam +loamed +loamy +loamier +loamiest +loamily +loaminess +loaming +loamless +loammi +loams +loan +loanable +loanblend +loaned +loaner +loaners +loange +loanin +loaning +loanings +loanmonger +loans +loanshark +loansharking +loanshift +loanword +loanwords +loasa +loasaceae +loasaceous +loath +loathe +loathed +loather +loathers +loathes +loathful +loathfully +loathfulness +loathy +loathing +loathingly +loathings +loathly +loathliness +loathness +loathsome +loathsomely +loathsomeness +loatuko +loave +loaves +lob +lobachevskian +lobal +lobale +lobar +lobaria +lobata +lobatae +lobate +lobated +lobately +lobation +lobations +lobbed +lobber +lobbers +lobby +lobbied +lobbyer +lobbyers +lobbies +lobbygow +lobbygows +lobbying +lobbyism +lobbyisms +lobbyist +lobbyists +lobbyman +lobbymen +lobbing +lobbish +lobcock +lobcokt +lobe +lobectomy +lobectomies +lobed +lobefin +lobefins +lobefoot +lobefooted +lobefoots +lobeless +lobelet +lobelia +lobeliaceae +lobeliaceous +lobelias +lobelin +lobeline +lobelines +lobellated +lobes +lobfig +lobi +lobiform +lobigerous +lobing +lobiped +loblolly +loblollies +lobo +lobola +lobolo +lobolos +lobopodium +lobos +lobosa +lobose +lobotomy +lobotomies +lobotomize +lobotomized +lobotomizing +lobs +lobscourse +lobscouse +lobscouser +lobsided +lobster +lobstering +lobsterish +lobsterlike +lobsterman +lobsterproof +lobsters +lobstick +lobsticks +lobtail +lobular +lobularia +lobularly +lobulate +lobulated +lobulation +lobule +lobules +lobulette +lobuli +lobulose +lobulous +lobulus +lobus +lobworm +lobworms +loc +loca +locable +local +locale +localed +locales +localing +localisable +localisation +localise +localised +localiser +localises +localising +localism +localisms +localist +localistic +localists +localite +localites +locality +localities +localizable +localization +localizations +localize +localized +localizer +localizes +localizing +localled +locally +localling +localness +locals +locanda +locarnist +locarnite +locarnize +locarno +locatable +locate +located +locater +locaters +locates +locating +locatio +location +locational +locationally +locations +locative +locatives +locator +locators +locatum +locellate +locellus +loch +lochaber +lochage +lochagus +lochan +loche +lochetic +lochi +lochy +lochia +lochial +lochiocyte +lochiocolpos +lochiometra +lochiometritis +lochiopyra +lochiorrhagia +lochiorrhea +lochioschesis +lochlin +lochometritis +lochoperitonitis +lochopyra +lochs +lochus +loci +lociation +lock +lockable +lockage +lockages +lockatong +lockbox +lockboxes +locked +locker +lockerman +lockermen +lockers +locket +lockets +lockfast +lockful +lockhole +locky +lockian +lockianism +lockyer +locking +lockings +lockjaw +lockjaws +lockless +locklet +lockmaker +lockmaking +lockman +locknut +locknuts +lockout +lockouts +lockpin +lockport +lockram +lockrams +lockrum +locks +locksman +locksmith +locksmithery +locksmithing +locksmiths +lockspit +lockstep +locksteps +lockstitch +lockup +lockups +lockwork +locn +loco +locodescriptive +locoed +locoes +locofoco +locofocoism +locofocos +locoing +locoism +locoisms +locoman +locomobile +locomobility +locomote +locomoted +locomotes +locomotility +locomoting +locomotion +locomotive +locomotively +locomotiveman +locomotivemen +locomotiveness +locomotives +locomotivity +locomotor +locomotory +locomutation +locos +locoweed +locoweeds +locrian +locrine +loculament +loculamentose +loculamentous +locular +loculate +loculated +loculation +locule +loculed +locules +loculi +loculicidal +loculicidally +loculose +loculous +loculus +locum +locums +locuplete +locupletely +locus +locusca +locust +locusta +locustae +locustal +locustberry +locustelle +locustid +locustidae +locusting +locustlike +locusts +locution +locutionary +locutions +locutor +locutory +locutoria +locutories +locutorium +locutorship +locuttoria +lod +loddigesia +lode +lodeman +lodemanage +loden +lodens +lodes +lodesman +lodesmen +lodestar +lodestars +lodestone +lodestuff +lodge +lodgeable +lodged +lodgeful +lodgeman +lodgement +lodgements +lodgepole +lodger +lodgerdom +lodgers +lodges +lodging +lodginghouse +lodgings +lodgment +lodgments +lodha +lodicula +lodicule +lodicules +lodoicea +lodowic +lodowick +lodur +loe +loed +loegria +loeil +loeing +loellingite +loess +loessal +loesses +loessial +loessic +loessland +loessoid +lof +lofstelle +loft +lofted +lofter +lofters +lofty +loftier +loftiest +loftily +loftiness +lofting +loftless +loftman +loftmen +lofts +loftsman +loftsmen +log +logan +loganberry +loganberries +logania +loganiaceae +loganiaceous +loganin +logans +logaoedic +logarithm +logarithmal +logarithmetic +logarithmetical +logarithmetically +logarithmic +logarithmical +logarithmically +logarithmomancy +logarithms +logbook +logbooks +logchip +logcock +loge +logeia +logeion +loges +logeum +loggat +loggats +logged +logger +loggerhead +loggerheaded +loggerheads +loggers +logget +loggets +loggy +loggia +loggias +loggie +loggier +loggiest +loggin +logginess +logging +loggings +loggish +loghead +logheaded +logy +logia +logic +logical +logicalist +logicality +logicalization +logicalize +logically +logicalness +logicaster +logician +logicianer +logicians +logicise +logicised +logicises +logicising +logicism +logicist +logicity +logicize +logicized +logicizes +logicizing +logicless +logics +logie +logier +logiest +logily +login +loginess +loginesses +logins +logion +logions +logis +logistic +logistical +logistically +logistician +logisticians +logistics +logium +logjam +logjams +loglet +loglike +loglog +logman +lognormal +lognormality +lognormally +logo +logocracy +logodaedaly +logodaedalus +logoes +logoff +logogogue +logogram +logogrammatic +logogrammatically +logograms +logograph +logographer +logography +logographic +logographical +logographically +logogriph +logogriphic +logoi +logolatry +logology +logomach +logomacher +logomachy +logomachic +logomachical +logomachies +logomachist +logomachize +logomachs +logomancy +logomania +logomaniac +logometer +logometric +logometrical +logometrically +logopaedics +logopedia +logopedic +logopedics +logophobia +logorrhea +logorrheic +logorrhoea +logos +logothete +logotype +logotypes +logotypy +logotypies +logout +logperch +logperches +logres +logria +logris +logroll +logrolled +logroller +logrolling +logrolls +logs +logship +logway +logways +logwise +logwood +logwoods +logwork +lohan +lohana +lohar +lohengrin +lohoch +lohock +loy +loyal +loyaler +loyalest +loyalism +loyalisms +loyalist +loyalists +loyalize +loyally +loyalness +loyalty +loyalties +loiasis +loyd +loimic +loimography +loimology +loin +loyn +loincloth +loinclothes +loincloths +loined +loinguard +loins +loyolism +loyolite +loir +lois +loiseleuria +loiter +loitered +loiterer +loiterers +loitering +loiteringly +loiteringness +loiters +loka +lokacara +lokao +lokaose +lokapala +loke +lokelani +loket +loki +lokiec +lokindra +lokman +lokshen +lola +loli +loliginidae +loligo +lolium +loll +lollapaloosa +lollapalooza +lollard +lollardy +lollardian +lollardism +lollardist +lollardize +lollardlike +lollardry +lolled +loller +lollers +lolly +lollies +lollygag +lollygagged +lollygagging +lollygags +lolling +lollingite +lollingly +lollipop +lollypop +lollipops +lollypops +lollop +lolloped +lollopy +lolloping +lollops +lolls +lollup +lolo +loma +lomastome +lomata +lomatine +lomatinous +lomatium +lombard +lombardeer +lombardesque +lombardian +lombardic +lomboy +lombrosian +loment +lomenta +lomentaceous +lomentaria +lomentariaceous +lomentlike +loments +lomentum +lomentums +lomilomi +lomita +lommock +lomonite +lomta +lonchocarpus +lonchopteridae +lond +londinensian +london +londoner +londoners +londonese +londonesque +londony +londonian +londonish +londonism +londonization +londonize +londres +lone +loneful +lonely +lonelier +loneliest +lonelihood +lonelily +loneliness +loneness +lonenesses +loner +loners +lonesome +lonesomely +lonesomeness +lonesomes +long +longa +longacre +longan +longanamous +longanimity +longanimities +longanimous +longans +longaville +longbeak +longbeard +longbill +longboat +longboats +longbow +longbowman +longbows +longcloth +longe +longear +longed +longee +longeing +longer +longeron +longerons +longers +longes +longest +longeval +longeve +longevity +longevities +longevous +longfelt +longfin +longful +longhair +longhaired +longhairs +longhand +longhands +longhead +longheaded +longheadedly +longheadedness +longheads +longhorn +longhorns +longhouse +longicaudal +longicaudate +longicone +longicorn +longicornia +longies +longyi +longilateral +longilingual +longiloquence +longiloquent +longimanous +longimetry +longimetric +longing +longingly +longingness +longings +longinian +longinquity +longipennate +longipennine +longirostral +longirostrate +longirostrine +longirostrines +longisection +longish +longitude +longitudes +longitudianl +longitudinal +longitudinally +longjaw +longjaws +longleaf +longleaves +longleg +longlegs +longly +longlick +longline +longliner +longlinerman +longlinermen +longlines +longmouthed +longneck +longness +longnesses +longnose +longobard +longobardi +longobardian +longobardic +longpod +longroot +longrun +longs +longshanks +longship +longships +longshore +longshoreman +longshoremen +longshoring +longshot +longshucks +longsighted +longsightedness +longsleever +longsome +longsomely +longsomeness +longspun +longspur +longspurs +longstanding +longsuffering +longtail +longtime +longtimer +longue +longues +longueur +longueurs +longulite +longus +longway +longways +longwall +longwise +longwood +longwool +longword +longwork +longwort +longworth +lonhyn +lonicera +lonk +lonouhard +lonquhard +lontar +loo +loob +looby +loobies +loobyish +loobily +looch +lood +looed +looey +looeys +loof +loofa +loofah +loofahs +loofas +loofie +loofness +loofs +looie +looies +looing +look +lookahead +lookdown +lookdowns +looked +lookee +looker +lookers +looky +looking +lookout +lookouts +looks +lookum +lookup +lookups +loom +loomed +loomer +loomery +loomfixer +looming +looms +loon +looney +loonery +loony +loonybin +loonier +loonies +looniest +looniness +loons +loop +loopback +loope +looped +looper +loopers +loopful +loophole +loopholed +loopholes +loopholing +loopy +loopier +loopiest +looping +loopist +looplet +looplike +loops +loord +loory +loos +loose +loosebox +loosed +looseleaf +loosely +loosemouthed +loosen +loosened +loosener +looseners +looseness +loosening +loosens +looser +looses +loosest +loosestrife +loosing +loosish +loot +lootable +looted +looten +looter +looters +lootie +lootiewallah +looting +loots +lootsman +lootsmans +loover +lop +lope +loped +lopeman +loper +lopers +lopes +lopeskonce +lopezia +lopheavy +lophiid +lophiidae +lophin +lophine +lophiodon +lophiodont +lophiodontidae +lophiodontoid +lophiola +lophiomyidae +lophiomyinae +lophiomys +lophiostomate +lophiostomous +lophobranch +lophobranchiate +lophobranchii +lophocalthrops +lophocercal +lophocome +lophocomi +lophodermium +lophodont +lophophytosis +lophophora +lophophoral +lophophore +lophophorinae +lophophorine +lophophorus +lophopoda +lophornis +lophortyx +lophostea +lophosteon +lophosteons +lophotriaene +lophotrichic +lophotrichous +lophura +loping +lopolith +loppard +lopped +lopper +loppered +loppering +loppers +loppet +loppy +loppier +loppiest +lopping +lops +lopseed +lopsided +lopsidedly +lopsidedness +lopstick +lopsticks +loq +loquacious +loquaciously +loquaciousness +loquacity +loquacities +loquat +loquats +loquence +loquency +loquent +loquently +loquitur +lor +lora +loral +loran +lorandite +lorans +loranskite +loranthaceae +loranthaceous +loranthus +lorarii +lorarius +lorate +lorcha +lord +lordan +lorded +lordy +lording +lordings +lordkin +lordless +lordlet +lordly +lordlier +lordliest +lordlike +lordlily +lordliness +lordling +lordlings +lordolatry +lordoma +lordomas +lordoses +lordosis +lordotic +lords +lordship +lordships +lordswike +lordwood +lore +loreal +lored +lorel +lorelei +loreless +loren +lorenzan +lorenzenite +lorenzo +lores +loretin +lorettine +lorettoite +lorgnette +lorgnettes +lorgnon +lorgnons +lori +lory +loric +lorica +loricae +loricarian +loricariidae +loricarioid +loricata +loricate +loricated +loricates +loricati +loricating +lorication +loricoid +lorien +lories +lorikeet +lorikeets +lorilet +lorimer +lorimers +loriner +loriners +loring +loriot +loris +lorises +lorisiform +lorius +lormery +lorn +lornness +lornnesses +loro +loros +lorraine +lorrainer +lorrainese +lorry +lorries +lorriker +lors +lorum +losable +losableness +losang +lose +losel +loselism +loselry +losels +losenger +loser +losers +loses +losh +losing +losingly +losings +loss +lossenite +losser +losses +lossful +lossy +lossier +lossiest +lossless +lossproof +lost +lostling +lostness +lostnesses +lot +lota +lotah +lotahs +lotan +lotas +lotase +lote +lotebush +lotewood +loth +lotharingian +lothario +lotharios +lothly +lothsome +lotic +lotiform +lotion +lotions +lotium +lotment +loto +lotong +lotophagi +lotophagous +lotophagously +lotor +lotos +lotoses +lotrite +lots +lotta +lotte +lotted +lotter +lottery +lotteries +lottie +lotting +lotto +lottos +lotuko +lotus +lotuses +lotusin +lotuslike +lou +louch +louche +louchettes +loud +louden +loudened +loudening +loudens +louder +loudering +loudest +loudish +loudishness +loudly +loudlier +loudliest +loudmouth +loudmouthed +loudmouths +loudness +loudnesses +loudspeak +loudspeaker +loudspeakers +loudspeaking +louey +lough +lougheen +loughs +louie +louies +louiqa +louis +louisa +louise +louisiana +louisianan +louisianans +louisianian +louisianians +louisine +louisville +louk +loukas +loukoum +loukoumi +loulu +loun +lounder +lounderer +lounge +lounged +lounger +loungers +lounges +loungy +lounging +loungingly +loup +loupcervier +loupcerviers +loupe +louped +loupen +loupes +louping +loups +lour +lourd +lourdy +lourdish +loured +loury +lourie +louring +louringly +louringness +lours +louse +louseberry +louseberries +loused +louses +lousewort +lousy +lousier +lousiest +lousily +lousiness +lousing +louster +lout +louted +louter +louther +louty +louting +loutish +loutishly +loutishness +loutre +loutrophoroi +loutrophoros +louts +louvar +louver +louvered +louvering +louvers +louverwork +louvre +louvred +louvres +lovability +lovable +lovableness +lovably +lovage +lovages +lovanenty +lovat +love +loveability +loveable +loveableness +loveably +lovebird +lovebirds +loved +loveday +lovee +loveflower +loveful +lovegrass +lovehood +lovey +lovelass +loveless +lovelessly +lovelessness +lovely +lovelier +lovelies +loveliest +lovelihead +lovelily +loveliness +loveling +lovelock +lovelocks +lovelorn +lovelornness +lovemaking +loveman +lovemans +lovemate +lovemonger +lovepot +loveproof +lover +loverdom +lovered +loverhood +lovery +lovering +loverless +loverly +loverlike +loverliness +lovers +lovership +loverwise +loves +lovesick +lovesickness +lovesome +lovesomely +lovesomeness +lovevine +lovevines +loveworth +loveworthy +lovier +loviers +loving +lovingkindness +lovingly +lovingness +low +lowa +lowable +lowan +lowance +lowball +lowbell +lowboy +lowboys +lowborn +lowbred +lowbrow +lowbrowism +lowbrows +lowdah +lowder +lowdown +lowdowns +lowe +lowed +loweite +lowell +lower +lowerable +lowercase +lowerclassman +lowerclassmen +lowered +lowerer +lowery +lowering +loweringly +loweringness +lowermost +lowers +lowes +lowest +lowy +lowigite +lowing +lowings +lowish +lowishly +lowishness +lowland +lowlander +lowlanders +lowlands +lowly +lowlier +lowliest +lowlife +lowlifer +lowlifes +lowlihead +lowlihood +lowlily +lowliness +lowman +lowmen +lowmost +lown +lowness +lownesses +lownly +lowry +lowrie +lows +lowse +lowsed +lowser +lowsest +lowsin +lowsing +lowth +lowville +lowwood +lox +loxed +loxes +loxia +loxic +loxiinae +loxing +loxoclase +loxocosm +loxodograph +loxodon +loxodont +loxodonta +loxodontous +loxodrome +loxodromy +loxodromic +loxodromical +loxodromically +loxodromics +loxodromism +loxolophodon +loxolophodont +loxomma +loxophthalmus +loxosoma +loxosomidae +loxotic +loxotomy +lozenge +lozenged +lozenger +lozenges +lozengeways +lozengewise +lozengy +lp +lpm +lr +lrecisianism +lrecl +ls +lsc +lst +lt +ltr +lu +luau +luaus +lub +luba +lubbard +lubber +lubbercock +lubberland +lubberly +lubberlike +lubberliness +lubbers +lube +lubes +lubra +lubric +lubrical +lubricant +lubricants +lubricate +lubricated +lubricates +lubricating +lubrication +lubricational +lubrications +lubricative +lubricator +lubricatory +lubricators +lubricious +lubriciously +lubriciousness +lubricity +lubricities +lubricous +lubrifaction +lubrify +lubrification +lubritory +lubritorian +lubritorium +luc +lucayan +lucan +lucania +lucanid +lucanidae +lucanus +lucarne +lucarnes +lucban +lucchese +luce +lucence +lucences +lucency +lucencies +lucent +lucentio +lucently +luceres +lucern +lucernal +lucernaria +lucernarian +lucernariidae +lucerne +lucernes +lucerns +luces +lucet +luchuan +lucy +lucia +lucian +luciana +lucible +lucid +lucida +lucidae +lucidity +lucidities +lucidly +lucidness +lucifee +lucifer +luciferase +luciferian +luciferidae +luciferin +luciferoid +luciferous +luciferously +luciferousness +lucifers +lucific +luciform +lucifugal +lucifugous +lucigen +lucile +lucilia +lucille +lucimeter +lucina +lucinacea +lucinda +lucinidae +lucinoid +lucite +lucius +lucivee +luck +lucked +lucken +luckful +lucky +luckie +luckier +luckies +luckiest +luckily +luckiness +lucking +luckless +lucklessly +lucklessness +luckly +lucknow +lucks +lucombe +lucration +lucrative +lucratively +lucrativeness +lucre +lucrece +lucres +lucretia +lucretian +lucretius +lucriferous +lucriferousness +lucrify +lucrific +lucrine +lucrous +lucrum +luctation +luctiferous +luctiferousness +luctual +lucubrate +lucubrated +lucubrates +lucubrating +lucubration +lucubrations +lucubrator +lucubratory +lucule +luculent +luculently +lucullan +lucullian +lucullite +lucuma +lucumia +lucumo +lucumony +lud +ludden +luddy +luddism +luddite +ludditism +ludefisk +ludgate +ludgathian +ludgatian +ludian +ludibry +ludibrious +ludicropathetic +ludicroserious +ludicrosity +ludicrosities +ludicrosplenetic +ludicrous +ludicrously +ludicrousness +ludification +ludlamite +ludlovian +ludlow +ludo +ludolphian +ludwig +ludwigite +lue +luella +lues +luetic +luetically +luetics +lufbery +lufberry +luff +luffa +luffas +luffed +luffer +luffing +luffs +lug +luganda +luge +luger +luges +luggage +luggageless +luggages +luggar +luggard +lugged +lugger +luggers +luggie +luggies +lugging +luggnagg +lughdoan +luging +lugmark +lugnas +lugs +lugsail +lugsails +lugsome +lugubriosity +lugubrious +lugubriously +lugubriousness +lugubrous +lugworm +lugworms +luhinga +lui +luian +luigi +luigini +luigino +luis +luiseno +luite +lujaurite +lujavrite +lujula +lukan +lukas +luke +lukely +lukemia +lukeness +luket +lukeward +lukewarm +lukewarmish +lukewarmly +lukewarmness +lukewarmth +lula +lulab +lulabim +lulabs +lulav +lulavim +lulavs +lull +lullaby +lullabied +lullabies +lullabying +lullay +lulled +luller +lully +lullian +lulliloo +lullilooed +lullilooing +lulling +lullingly +lulls +lulu +luluai +lulus +lum +lumachel +lumachella +lumachelle +lumbaginous +lumbago +lumbagos +lumbayao +lumbang +lumbar +lumbarization +lumbars +lumber +lumberdar +lumberdom +lumbered +lumberer +lumberers +lumberyard +lumberyards +lumbering +lumberingly +lumberingness +lumberjack +lumberjacket +lumberjacks +lumberless +lumberly +lumberman +lumbermen +lumbermill +lumbers +lumbersome +lumbocolostomy +lumbocolotomy +lumbocostal +lumbodynia +lumbodorsal +lumbosacral +lumbovertebral +lumbrical +lumbricales +lumbricalis +lumbricid +lumbricidae +lumbriciform +lumbricine +lumbricoid +lumbricosis +lumbricus +lumbrous +lumbus +lumen +lumenal +lumens +lumeter +lumina +luminaire +luminal +luminance +luminant +luminare +luminary +luminaria +luminaries +luminarious +luminarism +luminarist +luminate +lumination +luminative +luminator +lumine +lumined +luminesce +luminesced +luminescence +luminescent +luminesces +luminescing +luminiferous +luminificent +lumining +luminism +luminist +luministe +luminists +luminodynamism +luminodynamist +luminologist +luminometer +luminophor +luminophore +luminosity +luminosities +luminous +luminously +luminousness +lumisterol +lumme +lummy +lummox +lummoxes +lump +lumpectomy +lumped +lumpen +lumpenproletariat +lumpens +lumper +lumpers +lumpet +lumpfish +lumpfishes +lumpy +lumpier +lumpiest +lumpily +lumpiness +lumping +lumpingly +lumpish +lumpishly +lumpishness +lumpkin +lumpman +lumpmen +lumps +lumpsucker +lums +lumut +luna +lunacy +lunacies +lunambulism +lunar +lunare +lunary +lunaria +lunarian +lunarians +lunarist +lunarium +lunars +lunas +lunata +lunate +lunated +lunately +lunatellus +lunatic +lunatical +lunatically +lunatics +lunation +lunations +lunatize +lunatum +lunch +lunched +luncheon +luncheoner +luncheonette +luncheonettes +luncheonless +luncheons +luncher +lunchers +lunches +lunchhook +lunching +lunchless +lunchroom +lunchrooms +lunchtime +lunda +lundyfoot +lundinarium +lundress +lune +lunel +lunes +lunet +lunets +lunette +lunettes +lung +lungan +lungans +lunge +lunged +lungee +lungees +lungeous +lunger +lungers +lunges +lungfish +lungfishes +lungflower +lungful +lungi +lungy +lungie +lungyi +lungyis +lunging +lungis +lungless +lungmotor +lungoor +lungs +lungsick +lungworm +lungworms +lungwort +lungworts +luny +lunicurrent +lunier +lunies +luniest +luniform +lunyie +lunisolar +lunistice +lunistitial +lunitidal +lunk +lunka +lunker +lunkers +lunkhead +lunkheaded +lunkheads +lunks +lunn +lunoid +lunt +lunted +lunting +lunts +lunula +lunulae +lunular +lunularia +lunulate +lunulated +lunule +lunules +lunulet +lunulite +lunulites +luo +lupanar +lupanarian +lupanars +lupanin +lupanine +lupe +lupeol +lupeose +lupercal +lupercalia +lupercalian +luperci +lupetidin +lupetidine +lupicide +lupid +lupiform +lupin +lupinaster +lupine +lupines +lupinin +lupinine +lupinosis +lupinous +lupins +lupinus +lupis +lupoid +lupoma +lupous +lupulic +lupulin +lupuline +lupulinic +lupulinous +lupulins +lupulinum +lupulone +lupulus +lupus +lupuserythematosus +lupuses +lur +lura +luracan +lural +lurch +lurched +lurcher +lurchers +lurches +lurching +lurchingfully +lurchingly +lurchline +lurdan +lurdane +lurdanes +lurdanism +lurdans +lure +lured +lureful +lurement +lurer +lurers +lures +luresome +lurg +lurgworm +luri +lurid +luridity +luridly +luridness +luring +luringly +lurk +lurked +lurker +lurkers +lurky +lurking +lurkingly +lurkingness +lurks +lurry +lurrier +lurries +lusatian +luscinia +luscious +lusciously +lusciousness +luser +lush +lushai +lushburg +lushed +lushei +lusher +lushes +lushest +lushy +lushier +lushiest +lushing +lushly +lushness +lushnesses +lusiad +lusian +lusitania +lusitanian +lusk +lusky +lusory +lust +lusted +luster +lustered +lusterer +lustering +lusterless +lusterlessness +lusters +lusterware +lustful +lustfully +lustfulness +lusty +lustick +lustier +lustiest +lustihead +lustihood +lustily +lustiness +lusting +lustless +lustly +lustra +lustral +lustrant +lustrate +lustrated +lustrates +lustrating +lustration +lustrational +lustrative +lustratory +lustre +lustred +lustreless +lustres +lustreware +lustrical +lustrify +lustrification +lustrine +lustring +lustrings +lustrous +lustrously +lustrousness +lustrum +lustrums +lusts +lusus +lususes +lut +lutaceous +lutayo +lutany +lutanist +lutanists +lutao +lutarious +lutation +lute +lutea +luteal +lutecia +lutecium +luteciums +luted +luteic +lutein +luteinization +luteinize +luteinized +luteinizing +luteins +lutelet +lutemaker +lutemaking +lutenist +lutenists +luteo +luteocobaltic +luteofulvous +luteofuscescent +luteofuscous +luteolin +luteolins +luteolous +luteoma +luteorufescent +luteotrophic +luteotrophin +luteotropic +luteotropin +luteous +luteovirescent +luter +lutes +lutescent +lutestring +lutetia +lutetian +lutetium +lutetiums +luteum +luteway +lutfisk +luther +lutheran +lutheranic +lutheranism +lutheranize +lutheranizer +lutherans +lutherism +lutherist +luthern +lutherns +luthier +lutianid +lutianidae +lutianoid +lutianus +lutidin +lutidine +lutidinic +luting +lutings +lutist +lutists +lutjanidae +lutjanus +lutose +lutra +lutraria +lutreola +lutrin +lutrinae +lutrine +lutulence +lutulent +luvaridae +luvian +luvish +luwian +lux +luxate +luxated +luxates +luxating +luxation +luxations +luxe +luxembourg +luxemburg +luxemburger +luxemburgian +luxes +luxive +luxulianite +luxullianite +luxury +luxuria +luxuriance +luxuriancy +luxuriant +luxuriantly +luxuriantness +luxuriate +luxuriated +luxuriates +luxuriating +luxuriation +luxurient +luxuries +luxuriety +luxurious +luxuriously +luxuriousness +luxurist +luxurity +luxus +luzula +lv +lvalue +lvalues +lvov +lwl +lwm +lwo +lwop +lwp +lx +lxx +m +ma +maad +maam +maamselle +maana +maar +maars +maarten +maat +mab +maba +mabble +mabel +mabela +mabellona +mabi +mabyer +mabinogion +mabolo +mabuti +mac +macaasim +macaber +macabi +macaboy +macabre +macabrely +macabreness +macabresque +macaca +macaco +macacos +macacus +macadam +macadamer +macadamia +macadamise +macadamite +macadamization +macadamize +macadamized +macadamizer +macadamizes +macadamizing +macadams +macaglia +macague +macan +macana +macanese +macao +macaque +macaques +macaranga +macarani +macareus +macarism +macarize +macarized +macarizing +macaron +macaroni +macaronic +macaronical +macaronically +macaronicism +macaronics +macaronies +macaronis +macaronism +macaroon +macaroons +macartney +macassar +macassarese +macauco +macaviator +macaw +macaws +macbeth +maccabaeus +maccabaw +maccabaws +maccabean +maccabees +maccaboy +maccaboys +maccaroni +macchia +macchie +macchinetta +macclesfield +macco +maccoboy +maccoboys +maccus +macduff +mace +macebearer +maced +macedoine +macedon +macedonia +macedonian +macedonians +macedonic +macehead +macellum +maceman +macer +macerable +macerate +macerated +macerater +maceraters +macerates +macerating +maceration +macerative +macerator +macerators +macers +maces +macfarlane +macflecknoe +mach +machair +machaira +machairodont +machairodontidae +machairodontinae +machairodus +machan +machaon +machar +machecoled +macheer +machera +machete +machetes +machi +machiavel +machiavelian +machiavellian +machiavellianism +machiavellianly +machiavellians +machiavellic +machiavellism +machiavellist +machiavellistic +machicolate +machicolated +machicolating +machicolation +machicolations +machicoulis +machicui +machila +machilidae +machilis +machin +machina +machinability +machinable +machinal +machinament +machinate +machinated +machinating +machination +machinations +machinator +machine +machineable +machined +machineful +machineless +machinely +machinelike +machineman +machinemen +machinemonger +machiner +machinery +machineries +machines +machinify +machinification +machining +machinism +machinist +machinists +machinization +machinize +machinized +machinizing +machinoclast +machinofacture +machinotechnique +machinule +machismo +machismos +machmeter +macho +machogo +machopolyp +machos +machree +machrees +machs +machtpolitik +machzor +machzorim +machzors +macies +macigno +macilence +macilency +macilent +macing +macintosh +macintoshes +mack +mackaybean +mackallow +mackenboy +mackerel +mackereler +mackereling +mackerels +mackinaw +mackinawed +mackinaws +mackinboy +mackins +mackintosh +mackintoshed +mackintoshes +mackintoshite +mackle +mackled +mackles +macklike +mackling +macks +macle +macleaya +macled +macles +maclib +maclura +maclurea +maclurin +macmillanite +maco +macoma +macon +maconite +maconne +macquereau +macracanthorhynchus +macracanthrorhynchiasis +macradenous +macram +macrame +macrames +macrander +macrandre +macrandrous +macrauchene +macrauchenia +macraucheniid +macraucheniidae +macraucheniiform +macrauchenioid +macrencephaly +macrencephalic +macrencephalous +macrli +macro +macroaggregate +macroaggregated +macroanalysis +macroanalyst +macroanalytical +macrobacterium +macrobian +macrobiosis +macrobiote +macrobiotic +macrobiotically +macrobiotics +macrobiotus +macroblast +macrobrachia +macrocarpous +macrocentrinae +macrocentrus +macrocephali +macrocephaly +macrocephalia +macrocephalic +macrocephalism +macrocephalous +macrocephalus +macrochaeta +macrochaetae +macrocheilia +macrochelys +macrochemical +macrochemically +macrochemistry +macrochira +macrochiran +macrochires +macrochiria +macrochiroptera +macrochiropteran +macrocyst +macrocystis +macrocyte +macrocythemia +macrocytic +macrocytosis +macrocladous +macroclimate +macroclimatic +macroclimatically +macroclimatology +macrococcus +macrocoly +macroconidial +macroconidium +macroconjugant +macrocornea +macrocosm +macrocosmic +macrocosmical +macrocosmically +macrocosmology +macrocosmos +macrocosms +macrocrystalline +macrodactyl +macrodactyly +macrodactylia +macrodactylic +macrodactylism +macrodactylous +macrodiagonal +macrodomatic +macrodome +macrodont +macrodontia +macrodontic +macrodontism +macroeconomic +macroeconomics +macroelement +macroergate +macroevolution +macroevolutionary +macrofarad +macrofossil +macrogamete +macrogametocyte +macrogamy +macrogastria +macroglobulin +macroglobulinemia +macroglobulinemic +macroglossate +macroglossia +macrognathic +macrognathism +macrognathous +macrogonidium +macrograph +macrography +macrographic +macroinstruction +macrolecithal +macrolepidoptera +macrolepidopterous +macrolinguistic +macrolinguistically +macrolinguistics +macrolith +macrology +macromandibular +macromania +macromastia +macromazia +macromelia +macromeral +macromere +macromeric +macromerite +macromeritic +macromesentery +macrometeorology +macrometeorological +macrometer +macromethod +macromyelon +macromyelonal +macromole +macromolecular +macromolecule +macromolecules +macron +macrons +macronuclear +macronucleate +macronucleus +macronutrient +macropetalous +macrophage +macrophagic +macrophagocyte +macrophagus +macrophyllous +macrophysics +macrophyte +macrophytic +macrophoma +macrophotograph +macrophotography +macropia +macropygia +macropinacoid +macropinacoidal +macropyramid +macroplankton +macroplasia +macroplastia +macropleural +macropod +macropodia +macropodian +macropodidae +macropodinae +macropodine +macropodous +macroprism +macroprocessor +macroprosopia +macropsy +macropsia +macropteran +macroptery +macropterous +macroptic +macropus +macroreaction +macrorhamphosidae +macrorhamphosus +macrorhinia +macrorhinus +macros +macroscale +macroscelia +macroscelides +macroscian +macroscopic +macroscopical +macroscopically +macrosegment +macroseism +macroseismic +macroseismograph +macrosepalous +macroseptum +macrosymbiont +macrosmatic +macrosomatia +macrosomatous +macrosomia +macrospecies +macrosphere +macrosplanchnic +macrosporange +macrosporangium +macrospore +macrosporic +macrosporium +macrosporophyl +macrosporophyll +macrosporophore +macrostachya +macrostyle +macrostylospore +macrostylous +macrostomatous +macrostomia +macrostructural +macrostructure +macrothere +macrotheriidae +macrotherioid +macrotherium +macrotherm +macrotia +macrotin +macrotolagus +macrotome +macrotone +macrotous +macrourid +macrouridae +macrourus +macrozamia +macrozoogonidium +macrozoospore +macrura +macrural +macruran +macrurans +macruroid +macrurous +macs +mactation +mactra +mactridae +mactroid +macuca +macula +maculacy +maculae +macular +maculas +maculate +maculated +maculates +maculating +maculation +maculations +macule +maculed +macules +maculicole +maculicolous +maculiferous +maculing +maculocerebral +maculopapular +maculose +macumba +macupa +macupi +macushla +macusi +macuta +macute +mad +madafu +madagascan +madagascar +madagascarian +madagass +madam +madame +madames +madams +madapolam +madapolan +madapollam +madarosis +madarotic +madbrain +madbrained +madcap +madcaply +madcaps +madded +madden +maddened +maddening +maddeningly +maddeningness +maddens +madder +madderish +madders +madderwort +maddest +madding +maddingly +maddish +maddle +maddled +maddock +made +madecase +madefaction +madefy +madegassy +madeira +madeiran +madeiras +madeleine +madeline +madelon +mademoiselle +mademoiselles +madescent +madge +madhab +madhouse +madhouses +madhuca +madhva +madi +madia +madid +madidans +madiga +madison +madisterium +madly +madling +madman +madmen +madnep +madness +madnesses +mado +madoc +madonna +madonnahood +madonnaish +madonnalike +madonnas +madoqua +madotheca +madrague +madras +madrasah +madrases +madrasi +madrassah +madrasseh +madre +madreline +madreperl +madrepora +madreporacea +madreporacean +madreporal +madreporaria +madreporarian +madrepore +madreporian +madreporic +madreporiform +madreporite +madreporitic +madres +madrid +madrier +madrigal +madrigaler +madrigalesque +madrigaletto +madrigalian +madrigalist +madrigals +madrih +madril +madrilene +madrilenian +madroa +madrona +madronas +madrone +madrones +madrono +madronos +mads +madship +madstone +madtom +madurese +maduro +maduros +madweed +madwoman +madwomen +madwort +madworts +madzoon +madzoons +mae +maeander +maeandra +maeandrina +maeandrine +maeandriniform +maeandrinoid +maeandroid +maecenas +maecenasship +maed +maegbot +maegbote +maeing +maelstrom +maelstroms +maemacterion +maenad +maenades +maenadic +maenadically +maenadism +maenads +maenaite +maenalus +maenidae +maeonian +maeonides +maes +maestive +maestoso +maestosos +maestra +maestri +maestro +maestros +mafey +maffia +maffias +maffick +mafficked +mafficker +mafficking +mafficks +maffioso +maffle +maffler +mafflin +mafia +mafias +mafic +mafiosi +mafioso +mafoo +maftir +maftirs +mafura +mafurra +mag +maga +magadhi +magadis +magadize +magahi +magalensia +magani +magas +magasin +magazinable +magazinage +magazine +magazined +magazinelet +magaziner +magazines +magazinette +magaziny +magazining +magazinish +magazinism +magazinist +magbote +magdalen +magdalene +magdalenes +magdalenian +magdalens +magdaleon +mage +magellan +magellanian +magellanic +magenta +magentas +magerful +mages +magged +maggy +maggie +magging +maggiore +maggle +maggot +maggoty +maggotiness +maggotpie +maggotry +maggots +magh +maghi +maghrib +maghribi +maghzen +magi +magian +magianism +magyar +magyaran +magyarism +magyarization +magyarize +magyars +magic +magical +magicalize +magically +magicdom +magician +magicians +magicianship +magicked +magicking +magics +magilp +magilps +magindanao +magiric +magirics +magirist +magiristic +magirology +magirological +magirologist +magism +magister +magistery +magisterial +magisteriality +magisterially +magisterialness +magisteries +magisterium +magisters +magistracy +magistracies +magistral +magistrality +magistrally +magistrand +magistrant +magistrate +magistrates +magistrateship +magistratic +magistratical +magistratically +magistrative +magistrature +magistratus +maglemose +maglemosean +maglemosian +magma +magmas +magmata +magmatic +magmatism +magna +magnale +magnality +magnalium +magnanerie +magnanime +magnanimity +magnanimities +magnanimous +magnanimously +magnanimousness +magnascope +magnascopic +magnate +magnates +magnateship +magnecrystallic +magnelectric +magneoptic +magnes +magnesia +magnesial +magnesian +magnesias +magnesic +magnesioferrite +magnesite +magnesium +magnet +magneta +magnetic +magnetical +magnetically +magneticalness +magnetician +magnetics +magnetiferous +magnetify +magnetification +magnetimeter +magnetisation +magnetise +magnetised +magnetiser +magnetising +magnetism +magnetisms +magnetist +magnetite +magnetitic +magnetizability +magnetizable +magnetization +magnetize +magnetized +magnetizer +magnetizers +magnetizes +magnetizing +magneto +magnetobell +magnetochemical +magnetochemistry +magnetod +magnetodynamo +magnetoelectric +magnetoelectrical +magnetoelectricity +magnetofluiddynamic +magnetofluiddynamics +magnetofluidmechanic +magnetofluidmechanics +magnetogasdynamic +magnetogasdynamics +magnetogenerator +magnetogram +magnetograph +magnetographic +magnetohydrodynamic +magnetohydrodynamically +magnetohydrodynamics +magnetoid +magnetolysis +magnetomachine +magnetometer +magnetometers +magnetometry +magnetometric +magnetometrical +magnetometrically +magnetomotive +magnetomotivity +magnetomotor +magneton +magnetons +magnetooptic +magnetooptical +magnetooptically +magnetooptics +magnetopause +magnetophone +magnetophonograph +magnetoplasmadynamic +magnetoplasmadynamics +magnetoplumbite +magnetoprinter +magnetoresistance +magnetos +magnetoscope +magnetosphere +magnetospheric +magnetostatic +magnetostriction +magnetostrictive +magnetostrictively +magnetotelegraph +magnetotelephone +magnetotelephonic +magnetotherapy +magnetothermoelectricity +magnetotransmitter +magnetron +magnets +magnicaudate +magnicaudatous +magnify +magnifiable +magnific +magnifical +magnifically +magnificat +magnificate +magnification +magnifications +magnificative +magnifice +magnificence +magnificent +magnificently +magnificentness +magnifico +magnificoes +magnificos +magnified +magnifier +magnifiers +magnifies +magnifying +magnifique +magniloquence +magniloquent +magniloquently +magniloquy +magnipotence +magnipotent +magnirostrate +magnisonant +magnitude +magnitudes +magnitudinous +magnochromite +magnoferrite +magnolia +magnoliaceae +magnoliaceous +magnolias +magnon +magnum +magnums +magnus +magog +magot +magots +magpie +magpied +magpieish +magpies +magrim +mags +magsman +maguari +maguey +magueys +magus +mah +maha +mahayana +mahayanism +mahayanist +mahayanistic +mahajan +mahajun +mahal +mahala +mahalamat +mahaleb +mahaly +mahalla +mahant +mahar +maharaj +maharaja +maharajah +maharajahs +maharajas +maharajrana +maharana +maharanee +maharanees +maharani +maharanis +maharao +maharashtri +maharawal +maharawat +maharishi +maharishis +maharmah +maharshi +mahat +mahatma +mahatmaism +mahatmas +mahbub +mahdi +mahdian +mahdiship +mahdism +mahdist +mahesh +mahewu +mahi +mahican +mahimahi +mahjong +mahjongg +mahjonggs +mahjongs +mahlstick +mahmal +mahmoud +mahmudi +mahoe +mahoes +mahogany +mahoganies +mahoganize +mahogony +mahogonies +mahoitre +maholi +maholtine +mahomet +mahometan +mahometry +mahone +mahonia +mahonias +mahori +mahound +mahout +mahouts +mahra +mahran +mahratta +mahri +mahseer +mahsir +mahsur +mahu +mahua +mahuang +mahuangs +mahwa +mahzor +mahzorim +mahzors +may +maia +maya +mayaca +mayacaceae +mayacaceous +maiacca +mayan +mayance +mayans +maianthemum +mayapis +mayapple +mayapples +mayas +mayathan +maybe +mayberry +maybird +maybloom +maybush +maybushes +maycock +maid +maida +mayda +mayday +maydays +maidan +maidchild +maiden +maidenchild +maidenhair +maidenhairs +maidenhairtree +maidenhead +maidenheads +maidenhood +maidenish +maidenism +maidenly +maidenlike +maidenliness +maidens +maidenship +maidenweed +maidhead +maidhood +maidhoods +maidy +maidie +maidin +maidish +maidishness +maidism +maidkin +maidly +maidlike +maidling +maids +maidservant +maidservants +maidu +mayduke +mayed +maiefic +mayey +mayeye +mayence +mayer +mayest +maieutic +maieutical +maieutics +mayfair +mayfish +mayfishes +mayfly +mayflies +mayflower +mayflowers +mayfowl +maigre +mayhap +mayhappen +mayhaps +maihem +mayhem +mayhemmed +mayhemming +maihems +mayhems +maiid +maiidae +maying +mayings +mail +mailability +mailable +mailbag +mailbags +mailbox +mailboxes +mailcatcher +mailclad +mailcoach +maile +mailed +mailer +mailers +mailes +mailguard +mailie +maylike +mailing +mailings +maill +maille +maillechort +mailless +maillot +maillots +maills +mailman +mailmen +mailplane +mailpouch +mails +mailsack +mailwoman +mailwomen +maim +maimed +maimedly +maimedness +maimer +maimers +maiming +maimon +maimonidean +maimonist +maims +maimul +main +mainan +mainbrace +maine +mainferre +mainframe +mainframes +mainland +mainlander +mainlanders +mainlands +mainly +mainline +mainlined +mainliner +mainliners +mainlines +mainlining +mainmast +mainmasts +mainmortable +mainor +mainour +mainpast +mainpernable +mainpernor +mainpin +mainport +mainpost +mainprise +mainprised +mainprising +mainprisor +mainprize +mainprizer +mains +mainsail +mainsails +mainsheet +mainspring +mainsprings +mainstay +mainstays +mainstream +mainstreams +mainstreeter +mainstreetism +mainswear +mainsworn +maint +maynt +maintain +maintainability +maintainable +maintainableness +maintained +maintainer +maintainers +maintaining +maintainment +maintainor +maintains +maintenance +maintenances +maintenon +maintien +maintop +maintopman +maintopmast +maintopmen +maintops +maintopsail +mainward +mayo +maioid +maioidea +maioidean +maioli +maiolica +maiolicas +mayologist +maiongkong +mayonnaise +mayor +mayoral +mayorality +mayoralty +mayoralties +mayoress +mayoresses +mayors +mayorship +mayorships +mayoruna +maypole +maypoles +maypoling +maypop +maypops +maipure +mair +mairatour +maire +mairie +mairs +mays +maysin +maison +maisonette +maisonettes +maist +mayst +maister +maistres +maistry +maists +mayten +maytenus +maythe +maythes +maithili +maythorn +maithuna +maytide +maytime +maitlandite +maitre +maitreya +maitres +maitresse +maitrise +maius +mayvin +mayvins +mayweed +mayweeds +maywings +maywort +maize +maizebird +maizenic +maizer +maizes +maja +majagga +majagua +majaguas +majas +majesta +majestatic +majestatis +majesty +majestic +majestical +majestically +majesticalness +majesticness +majesties +majestious +majestyship +majeure +majidieh +majlis +majo +majolica +majolicas +majolist +majoon +major +majora +majorat +majorate +majoration +majorcan +majordomo +majordomos +majored +majorem +majorette +majorettes +majoring +majorism +majorist +majoristic +majoritarian +majoritarianism +majority +majorities +majorize +majors +majorship +majos +majusculae +majuscular +majuscule +majuscules +makable +makadoo +makah +makahiki +makale +makar +makara +makaraka +makari +makars +makassar +makatea +make +makeable +makebate +makebates +makedom +makefast +makefasts +makefile +makeless +maker +makeready +makeress +makers +makership +makes +makeshift +makeshifty +makeshiftiness +makeshiftness +makeshifts +makeup +makeups +makeweight +makework +makhorka +makhzan +makhzen +maki +makimono +makimonos +making +makings +makluk +mako +makomako +makonde +makopa +makos +makoua +makran +makroskelic +maksoorah +maku +makua +makuk +makuta +makutas +makutu +mal +mala +malaanonang +malabar +malabarese +malabathrum +malabsorption +malacanthid +malacanthidae +malacanthine +malacanthus +malacaton +malacca +malaccan +malaccident +malaceae +malaceous +malachi +malachite +malacia +malaclemys +malaclypse +malacobdella +malacocotylea +malacoderm +malacodermatidae +malacodermatous +malacodermidae +malacodermous +malacoid +malacolite +malacology +malacologic +malacological +malacologist +malacon +malacone +malacophyllous +malacophilous +malacophonous +malacopod +malacopoda +malacopodous +malacopterygian +malacopterygii +malacopterygious +malacoscolices +malacoscolicine +malacosoma +malacostraca +malacostracan +malacostracology +malacostracous +malacotic +malactic +maladapt +maladaptation +maladapted +maladaptive +maladdress +malade +malady +maladies +maladive +maladjust +maladjusted +maladjustive +maladjustment +maladjustments +maladminister +maladministered +maladministering +maladministers +maladministration +maladministrative +maladministrator +maladresse +maladroit +maladroitly +maladroitness +maladventure +malaga +malagash +malagasy +malagigi +malagma +malaguea +malaguena +malaguenas +malaguetta +malahack +malay +malaya +malayalam +malayalim +malayan +malayans +malayic +malayize +malayoid +malays +malaise +malaises +malaysia +malaysian +malaysians +malakin +malakon +malalignment +malam +malambo +malamute +malamutes +malander +malandered +malanders +malandrous +malanga +malapaho +malapert +malapertly +malapertness +malaperts +malapi +malapplication +malappointment +malapportioned +malapportionment +malappropriate +malappropriation +malaprop +malapropian +malapropish +malapropism +malapropisms +malapropoism +malapropos +malaprops +malapterurus +malar +malaria +malarial +malarian +malariaproof +malarias +malarin +malarioid +malariology +malariologist +malariotherapy +malarious +malarkey +malarkeys +malarky +malarkies +malaroma +malaromas +malarrangement +malars +malasapsap +malassimilation +malassociation +malate +malates +malathion +malati +malattress +malawi +malawians +malax +malaxable +malaxage +malaxate +malaxation +malaxator +malaxed +malaxerman +malaxermen +malaxing +malaxis +malbehavior +malbrouck +malchite +malchus +malcolm +malconceived +malconduct +malconformation +malconstruction +malcontent +malcontented +malcontentedly +malcontentedness +malcontentism +malcontently +malcontentment +malcontents +malconvenance +malcreated +malcultivation +maldeveloped +maldevelopment +maldigestion +maldirection +maldistribute +maldistribution +maldivian +maldocchio +maldonite +malduck +male +maleability +malease +maleate +maleates +maleberry +malebolge +malebolgian +malebolgic +malebranchism +malecite +maledicent +maledict +maledicted +maledicting +malediction +maledictions +maledictive +maledictory +maledicts +maleducation +malee +malefaction +malefactions +malefactor +malefactory +malefactors +malefactress +malefactresses +malefeazance +malefic +malefical +malefically +malefice +maleficence +maleficent +maleficently +maleficia +maleficial +maleficiate +maleficiation +maleficio +maleficium +maleic +maleinoid +maleinoidal +malella +malellae +malemiut +malemuit +malemuits +malemute +malemutes +maleness +malenesses +malengin +malengine +malentendu +maleo +maleos +maleruption +males +malesherbia +malesherbiaceae +malesherbiaceous +maletolt +maletote +malevolence +malevolency +malevolent +malevolently +malevolous +malexecution +malfeasance +malfeasant +malfeasantly +malfeasants +malfeasor +malfed +malformation +malformations +malformed +malfortune +malfunction +malfunctioned +malfunctioning +malfunctions +malgovernment +malgr +malgrace +malgrado +malgre +malguzar +malguzari +malheur +malhygiene +malhonest +mali +malic +malice +maliceful +maliceproof +malices +malicho +malicious +maliciously +maliciousness +malicorium +malidentification +malie +maliferous +maliform +malign +malignance +malignancy +malignancies +malignant +malignantly +malignation +maligned +maligner +maligners +malignify +malignified +malignifying +maligning +malignity +malignities +malignly +malignment +maligns +malihini +malihinis +malik +malikadna +malikala +malikana +maliki +malikite +malikzadi +malimprinted +malinche +maline +malines +malinfluence +malinger +malingered +malingerer +malingerers +malingery +malingering +malingers +malinke +malinois +malinowskite +malinstitution +malinstruction +malintent +malinvestment +malism +malison +malisons +malist +malistic +malitia +malkin +malkins +malkite +mall +malladrite +mallam +mallanders +mallangong +mallard +mallardite +mallards +malleability +malleabilization +malleable +malleableize +malleableized +malleableizing +malleableness +malleably +malleablize +malleablized +malleablizing +malleal +mallear +malleate +malleated +malleating +malleation +mallecho +malled +mallee +mallees +mallei +malleifera +malleiferous +malleiform +mallein +malleinization +malleinize +malleli +mallemaroking +mallemuck +mallender +mallenders +malleoincudal +malleolable +malleolar +malleoli +malleolus +mallet +malleted +malleting +mallets +malleus +malling +malloy +mallophaga +mallophagan +mallophagous +malloseismic +mallotus +mallow +mallows +mallowwort +malls +mallum +mallus +malm +malmag +malmaison +malmarsh +malmed +malmy +malmier +malmiest +malmignatte +malming +malmock +malms +malmsey +malmseys +malmstone +malnourished +malnourishment +malnutrite +malnutrition +malo +malobservance +malobservation +maloca +malocchio +maloccluded +malocclusion +malocclusions +malodor +malodorant +malodorous +malodorously +malodorousness +malodors +malodour +malojilla +malolactic +malonate +malonic +malonyl +malonylurea +malope +maloperation +malorganization +malorganized +malouah +malpais +malpighia +malpighiaceae +malpighiaceous +malpighian +malplaced +malpoise +malposed +malposition +malpractice +malpracticed +malpracticing +malpractioner +malpractitioner +malpraxis +malpresentation +malproportion +malproportioned +malpropriety +malpublication +malreasoning +malrotation +malshapen +malsworn +malt +malta +maltable +maltalent +maltase +maltases +malted +malteds +malter +maltese +maltha +malthas +malthe +malthene +malthite +malthouse +malthus +malthusian +malthusianism +malthusiast +malty +maltier +maltiest +maltine +maltiness +malting +maltman +malto +maltobiose +maltodextrin +maltodextrine +maltol +maltols +maltolte +maltose +maltoses +maltreat +maltreated +maltreating +maltreatment +maltreatments +maltreator +maltreats +malts +maltster +maltsters +malturned +maltworm +malum +malunion +malurinae +malurine +malurus +malus +malva +malvaceae +malvaceous +malval +malvales +malvasia +malvasian +malvasias +malvastrum +malversation +malverse +malvin +malvoisie +malvolition +malwa +mam +mama +mamaguy +mamaloi +mamamouchi +mamamu +mamas +mamba +mambas +mambo +mamboed +mamboes +mamboing +mambos +mambu +mamey +mameyes +mameys +mameliere +mamelon +mamelonation +mameluco +mameluke +mamelukes +mamercus +mamers +mamertine +mamie +mamies +mamilius +mamilla +mamillary +mamillate +mamillated +mamillation +mamlatdar +mamluk +mamluks +mamlutdar +mamma +mammae +mammal +mammalgia +mammalia +mammalian +mammalians +mammaliferous +mammality +mammalogy +mammalogical +mammalogist +mammalogists +mammals +mammary +mammas +mammate +mammati +mammatocumulus +mammatus +mammea +mammectomy +mammee +mammees +mammey +mammeys +mammer +mammered +mammering +mammers +mammet +mammets +mammy +mammie +mammies +mammifer +mammifera +mammiferous +mammiform +mammilate +mammilated +mammilla +mammillae +mammillaplasty +mammillar +mammillary +mammillaria +mammillate +mammillated +mammillation +mammilliform +mammilloid +mammilloplasty +mammin +mammitides +mammitis +mammock +mammocked +mammocks +mammodi +mammogen +mammogenic +mammogenically +mammogram +mammography +mammographic +mammographies +mammon +mammondom +mammoni +mammoniacal +mammonish +mammonism +mammonist +mammonistic +mammonite +mammonitish +mammonization +mammonize +mammonolatry +mammons +mammonteus +mammose +mammoth +mammothrept +mammoths +mammotomy +mammotropin +mammula +mammulae +mammular +mammut +mammutidae +mamo +mamona +mamoncillo +mamoncillos +mamoty +mampalon +mampara +mampus +mamry +mamsell +mamushi +mamzer +man +mana +manabozho +manace +manacing +manacle +manacled +manacles +manacling +manacus +manada +manage +manageability +manageable +manageableness +manageably +managed +managee +manageless +management +managemental +managements +manager +managerdom +manageress +managery +managerial +managerially +managers +managership +manages +managing +manaism +manak +manakin +manakins +manal +manana +mananas +manarvel +manas +manasic +manasquan +manasseh +manatee +manatees +manati +manatidae +manatine +manation +manatoid +manatus +manavel +manavelins +manavendra +manavilins +manavlins +manba +manbarklak +manbird +manbot +manbote +manbria +mancala +mancando +manche +manches +manchester +manchesterdom +manchesterism +manchesterist +manchestrian +manchet +manchets +manchette +manchild +manchineel +manchu +manchuria +manchurian +manchurians +manchus +mancinism +mancipable +mancipant +mancipare +mancipate +mancipation +mancipative +mancipatory +mancipee +mancipia +mancipium +manciple +manciples +mancipleship +mancipular +mancono +mancunian +mancus +mand +mandacaru +mandaean +mandaeism +mandaic +mandaite +mandala +mandalay +mandalas +mandalic +mandament +mandamus +mandamuse +mandamused +mandamuses +mandamusing +mandan +mandant +mandapa +mandar +mandarah +mandarin +mandarinate +mandarindom +mandarined +mandariness +mandarinic +mandarining +mandarinism +mandarinize +mandarins +mandarinship +mandat +mandatary +mandataries +mandate +mandated +mandatedness +mandatee +mandates +mandating +mandation +mandative +mandator +mandatory +mandatories +mandatorily +mandatoriness +mandators +mandats +mandatum +mande +mandelate +mandelic +manderelle +mandi +mandyai +mandyas +mandyases +mandible +mandibles +mandibula +mandibular +mandibulary +mandibulata +mandibulate +mandibulated +mandibuliform +mandibulohyoid +mandibulomaxillary +mandibulopharyngeal +mandibulosuspensorial +mandyi +mandil +mandilion +mandingan +mandingo +mandioca +mandiocas +mandir +mandlen +mandment +mandoer +mandola +mandolas +mandolin +mandoline +mandolinist +mandolinists +mandolins +mandolute +mandom +mandora +mandore +mandorla +mandorlas +mandorle +mandra +mandragora +mandragvn +mandrake +mandrakes +mandrel +mandrels +mandriarch +mandril +mandrill +mandrills +mandrils +mandrin +mandritta +mandruka +mands +mandua +manducable +manducate +manducated +manducating +manducation +manducatory +mane +maned +manege +maneges +maneh +manei +maney +maneless +manent +manequin +manerial +manes +manesheet +maness +manet +manetti +manettia +maneuver +maneuverability +maneuverable +maneuvered +maneuverer +maneuvering +maneuvers +maneuvrability +maneuvrable +maneuvre +maneuvred +maneuvring +manfish +manfred +manfreda +manful +manfully +manfulness +mang +manga +mangabey +mangabeira +mangabeys +mangabev +mangaby +mangabies +mangal +mangana +manganapatite +manganate +manganblende +manganbrucite +manganeisen +manganese +manganesian +manganesic +manganetic +manganhedenbergite +manganic +manganiferous +manganite +manganium +manganize +manganja +manganocalcite +manganocolumbite +manganophyllite +manganosiderite +manganosite +manganostibiite +manganotantalite +manganous +manganpectolite +mangar +mangbattu +mange +mangeao +mangey +mangeier +mangeiest +mangel +mangelin +mangels +mangelwurzel +manger +mangery +mangerite +mangers +manges +mangi +mangy +mangyan +mangier +mangiest +mangifera +mangily +manginess +mangle +mangled +mangleman +mangler +manglers +mangles +mangling +manglingly +mango +mangoes +mangold +mangolds +mangona +mangonel +mangonels +mangonism +mangonization +mangonize +mangoro +mangos +mangosteen +mangour +mangrass +mangrate +mangrove +mangroves +mangue +mangwe +manhaden +manhandle +manhandled +manhandler +manhandles +manhandling +manhattan +manhattanite +manhattanize +manhattans +manhead +manhole +manholes +manhood +manhoods +manhours +manhunt +manhunter +manhunting +manhunts +mani +many +mania +maniable +maniac +maniacal +maniacally +maniacs +maniaphobia +manias +manyatta +manyberry +manic +manically +manicaria +manicate +manichaean +manichaeanism +manichaeanize +manichaeism +manichaeist +manichee +manichord +manichordon +manicole +manicon +manicord +manicotti +manics +maniculatus +manicure +manicured +manicures +manicuring +manicurist +manicurists +manid +manidae +manie +manyema +manienie +maniere +manifer +manifest +manifesta +manifestable +manifestant +manifestation +manifestational +manifestationist +manifestations +manifestative +manifestatively +manifested +manifestedness +manifester +manifesting +manifestive +manifestly +manifestness +manifesto +manifestoed +manifestoes +manifestos +manifests +manify +manificum +manifold +manyfold +manifolded +manifolder +manifolding +manifoldly +manifoldness +manifolds +manifoldwise +maniform +manihot +manihots +manikin +manikinism +manikins +manila +manilas +manilio +manilla +manillas +manille +manilles +manyness +manini +manioc +manioca +maniocas +maniocs +maniple +maniples +manyplies +manipulability +manipulable +manipular +manipulary +manipulatability +manipulatable +manipulate +manipulated +manipulates +manipulating +manipulation +manipulational +manipulations +manipulative +manipulatively +manipulator +manipulatory +manipulators +manipuri +manyroot +manis +manysidedness +manism +manist +manistic +manit +manito +manitoba +manitoban +manitos +manitou +manitous +manitrunk +manitu +manitus +maniu +manius +maniva +manyways +manywhere +manywise +manjack +manjak +manjeet +manjel +manjeri +mank +mankeeper +manky +mankie +mankiller +mankilling +mankin +mankind +mankindly +manks +manless +manlessly +manlessness +manlet +manly +manlier +manliest +manlihood +manlike +manlikely +manlikeness +manlily +manliness +manling +manmade +mann +manna +mannaia +mannan +mannans +mannas +manned +mannequin +mannequins +manner +mannerable +mannered +manneredness +mannerhood +mannering +mannerism +mannerisms +mannerist +manneristic +manneristical +manneristically +mannerize +mannerless +mannerlessness +mannerly +mannerliness +manners +mannersome +manness +mannet +mannheimar +manny +mannide +mannie +manniferous +mannify +mannified +mannikin +mannikinism +mannikins +manning +mannire +mannish +mannishly +mannishness +mannitan +mannite +mannites +mannitic +mannitol +mannitols +mannitose +mannoheptite +mannoheptitol +mannoheptose +mannoketoheptose +mannonic +mannopus +mannosan +mannose +mannoses +mano +manobo +manoc +manoeuver +manoeuvered +manoeuvering +manoeuvre +manoeuvred +manoeuvreing +manoeuvrer +manoeuvring +manograph +manoir +manolis +manometer +manometers +manometry +manometric +manometrical +manometrically +manometries +manomin +manor +manorial +manorialism +manorialize +manors +manorship +manos +manoscope +manostat +manostatic +manpack +manpower +manpowers +manqu +manque +manquee +manqueller +manred +manrent +manroot +manrope +manropes +mans +mansard +mansarded +mansards +manscape +manse +manser +manservant +manses +manship +mansion +mansional +mansionary +mansioned +mansioneer +mansionry +mansions +manslayer +manslayers +manslaying +manslaughter +manslaughterer +manslaughtering +manslaughterous +manslaughters +manso +mansonry +manstealer +manstealing +manstopper +manstopping +mansuete +mansuetely +mansuetude +manswear +mansworn +mant +manta +mantal +mantapa +mantappeaux +mantas +manteau +manteaus +manteaux +manteel +mantegar +mantel +mantelet +mantelets +manteline +mantelletta +mantellone +mantellshelves +mantelpiece +mantelpieces +mantels +mantelshelf +manteltree +manter +mantes +mantevil +manty +mantic +mantically +manticism +manticora +manticore +mantid +mantidae +mantids +mantilla +mantillas +mantinean +mantis +mantises +mantisia +mantispa +mantispid +mantispidae +mantissa +mantissas +mantistic +mantle +mantled +mantlepiece +mantlepieces +mantlerock +mantles +mantlet +mantletree +mantlets +mantling +mantlings +manto +mantodea +mantoid +mantoidea +mantology +mantologist +manton +mantra +mantram +mantrap +mantraps +mantras +mantric +mantua +mantuamaker +mantuamaking +mantuan +mantuas +mantzu +manual +manualii +manualism +manualist +manualiter +manually +manuals +manuao +manuary +manubaliste +manubria +manubrial +manubriated +manubrium +manubriums +manucaption +manucaptor +manucapture +manucode +manucodia +manucodiata +manuduce +manuduct +manuduction +manuductive +manuductor +manuductory +manuel +manuever +manueverable +manuevered +manuevers +manuf +manufact +manufaction +manufactor +manufactory +manufactories +manufacturable +manufactural +manufacture +manufactured +manufacturer +manufacturers +manufactures +manufacturess +manufacturing +manuka +manul +manuma +manumea +manumisable +manumise +manumission +manumissions +manumissive +manumit +manumits +manumitted +manumitter +manumitting +manumotive +manuprisor +manurable +manurage +manurance +manure +manured +manureless +manurement +manurer +manurers +manures +manurial +manurially +manuring +manus +manuscript +manuscriptal +manuscription +manuscripts +manuscriptural +manusina +manustupration +manutagi +manutenency +manutergium +manvantara +manway +manward +manwards +manweed +manwise +manworth +manx +manxman +manxwoman +manzana +manzanilla +manzanillo +manzanita +manzas +manzil +mao +maoism +maoist +maoists +maomao +maori +maoridom +maoriland +maorilander +maoris +maormor +map +mapach +mapache +mapau +maphrian +mapland +maple +maplebush +mapleface +maplelike +maples +mapmaker +mapmakers +mapmaking +mapo +mappable +mapped +mappemonde +mappen +mapper +mappers +mappy +mappila +mapping +mappings +mappist +maps +mapuche +mapwise +maquahuitl +maquereau +maquette +maquettes +maqui +maquillage +maquiritare +maquis +maquisard +mar +mara +marabotin +marabou +marabous +marabout +maraboutism +marabouts +marabunta +marabuto +maraca +maracaibo +maracan +maracas +maracock +marae +maragato +marage +maraged +maraging +marah +maray +marais +marajuana +marakapas +maral +maranao +maranatha +marang +maranha +maranham +maranhao +maranon +maranta +marantaceae +marantaceous +marantas +marantic +marara +mararie +maras +marasca +marascas +maraschino +maraschinos +marasmic +marasmius +marasmoid +marasmous +marasmus +marasmuses +maratha +marathi +marathon +marathoner +marathonian +marathons +maratism +maratist +marattia +marattiaceae +marattiaceous +marattiales +maraud +marauded +marauder +marauders +marauding +marauds +maravedi +maravedis +maravi +marbelization +marbelize +marbelized +marbelizing +marble +marbled +marblehead +marbleheader +marblehearted +marbleization +marbleize +marbleized +marbleizer +marbleizes +marbleizing +marblelike +marbleness +marbler +marblers +marbles +marblewood +marbly +marblier +marbliest +marbling +marblings +marblish +marbrinus +marc +marcan +marcando +marcantant +marcasite +marcasitic +marcasitical +marcassin +marcatissimo +marcato +marcel +marceline +marcella +marcelled +marceller +marcellian +marcellianism +marcelling +marcello +marcels +marcescence +marcescent +marcgrave +marcgravia +marcgraviaceae +marcgraviaceous +march +marchand +marchantia +marchantiaceae +marchantiaceous +marchantiales +marched +marchen +marcher +marchers +marches +marchesa +marchese +marchesi +marchet +marchetti +marchetto +marching +marchioness +marchionesses +marchite +marchland +marchman +marchmen +marchmont +marchpane +marci +marcia +marcid +marcionism +marcionist +marcionite +marcionitic +marcionitish +marcionitism +marcite +marco +marcobrunner +marcomanni +marconi +marconigram +marconigraph +marconigraphy +marcor +marcos +marcosian +marcot +marcottage +marcs +mardi +mardy +mare +mareblob +mareca +marechal +marechale +marehan +marek +marekanite +maremma +maremmatic +maremme +maremmese +marengo +marennin +mareograph +mareotic +mareotid +mares +mareschal +marezzo +marfik +marfire +marg +marga +margay +margays +margarate +margarelon +margaret +margaric +margarin +margarine +margarins +margarita +margaritaceous +margaritae +margarite +margaritic +margaritiferous +margaritomancy +margarodes +margarodid +margarodinae +margarodite +margaropus +margarosanite +margaux +marge +marged +margeline +margent +margented +margenting +margents +margery +marges +margie +margin +marginability +marginal +marginalia +marginality +marginalize +marginally +marginals +marginate +marginated +marginating +margination +margined +marginella +marginellidae +marginelliform +marginicidal +marginiform +margining +marginirostral +marginoplasty +margins +margosa +margot +margravate +margrave +margravely +margraves +margravial +margraviate +margravine +marguerite +marguerites +margullie +marhala +marheshvan +mari +mary +maria +mariachi +mariachis +marialite +mariamman +marian +mariana +marianic +marianist +marianna +marianne +marianolatry +marianolatrist +marybud +marica +maricolous +mariculture +marid +marie +mariengroschen +maries +mariet +marigenous +marigold +marigolds +marigram +marigraph +marigraphic +marihuana +marijuana +marikina +maryknoll +maryland +marylander +marylanders +marylandian +marilyn +marilla +marymass +marimba +marimbaist +marimbas +marimonda +marina +marinade +marinaded +marinades +marinading +marinal +marinara +marinaras +marinas +marinate +marinated +marinates +marinating +marination +marine +marined +mariner +mariners +marinership +marines +marinheiro +marinist +marinorama +mario +mariola +mariolater +mariolatry +mariolatrous +mariology +marion +marionet +marionette +marionettes +mariou +mariposa +mariposan +mariposas +mariposite +maris +marys +marish +marishes +marishy +marishness +marysole +marist +marita +maritage +maritagium +marital +maritality +maritally +mariti +mariticidal +mariticide +maritimal +maritimate +maritime +maritimes +maritorious +mariupolite +marjoram +marjorams +marjorie +mark +marka +markab +markable +markaz +markazes +markdown +markdowns +markeb +marked +markedly +markedness +marker +markery +markers +market +marketability +marketable +marketableness +marketably +marketed +marketeer +marketeers +marketer +marketers +marketing +marketings +marketman +marketplace +marketplaces +markets +marketstead +marketwise +markfieldite +markgenossenschaft +markhoor +markhoors +markhor +markhors +marking +markingly +markings +markis +markka +markkaa +markkas +markland +markless +markman +markmen +markmoot +markmote +marko +marks +markshot +marksman +marksmanly +marksmanship +marksmen +markstone +markswoman +markswomen +markup +markups +markus +markweed +markworthy +marl +marla +marlaceous +marlacious +marlberry +marled +marlena +marler +marlet +marli +marly +marlier +marliest +marlin +marline +marlines +marlinespike +marlinespikes +marling +marlings +marlingspike +marlins +marlinspike +marlinsucker +marlite +marlites +marlitic +marllike +marlock +marlovian +marlowesque +marlowish +marlowism +marlpit +marls +marm +marmalade +marmalades +marmalady +marmar +marmaritin +marmarization +marmarize +marmarized +marmarizing +marmarosis +marmatite +marmelos +marmennill +marmink +marmion +marmit +marmite +marmites +marmolite +marmor +marmoraceous +marmorate +marmorated +marmoration +marmoreal +marmoreally +marmorean +marmoric +marmorize +marmosa +marmose +marmoset +marmosets +marmot +marmota +marmots +marnix +maro +marocain +marok +maronian +maronist +maronite +maroon +marooned +marooner +marooning +maroons +maroquin +maror +maros +marotte +marouflage +marpessa +marplot +marplotry +marplots +marprelate +marque +marquee +marquees +marques +marquesan +marquess +marquessate +marquesses +marqueterie +marquetry +marquis +marquisal +marquisate +marquisdom +marquise +marquises +marquisess +marquisette +marquisettes +marquisina +marquisotte +marquisship +marquito +marquois +marraine +marram +marrams +marranism +marranize +marrano +marred +marree +marrella +marrer +marrers +marry +marriable +marriage +marriageability +marriageable +marriageableness +marriageproof +marriages +married +marriedly +marrieds +marrier +marryer +marriers +marries +marrying +marrymuffe +marring +marrys +marrock +marron +marrons +marrot +marrow +marrowbone +marrowbones +marrowed +marrowfat +marrowy +marrowing +marrowish +marrowless +marrowlike +marrows +marrowsky +marrowskyer +marrube +marrubium +marrucinian +mars +marsala +marsdenia +marse +marseillais +marseillaise +marseille +marseilles +marses +marsh +marsha +marshal +marshalate +marshalcy +marshalcies +marshaled +marshaler +marshaless +marshaling +marshall +marshalled +marshaller +marshalling +marshalls +marshalman +marshalment +marshals +marshalsea +marshalship +marshbanker +marshberry +marshberries +marshbuck +marshes +marshfire +marshflower +marshy +marshier +marshiest +marshiness +marshite +marshland +marshlander +marshlands +marshlike +marshlocks +marshmallow +marshmallowy +marshmallows +marshman +marshmen +marshs +marshwort +marsi +marsian +marsilea +marsileaceae +marsileaceous +marsilia +marsiliaceae +marsipobranch +marsipobranchia +marsipobranchiata +marsipobranchiate +marsipobranchii +marsoon +marspiter +marssonia +marssonina +marsupia +marsupial +marsupialia +marsupialian +marsupialise +marsupialised +marsupialising +marsupialization +marsupialize +marsupialized +marsupializing +marsupials +marsupian +marsupiata +marsupiate +marsupium +mart +martaban +martagon +martagons +marted +martel +martele +marteline +martellate +martellato +martellement +martello +martellos +martemper +marten +marteniko +martenot +martens +martensite +martensitic +martensitically +martes +martext +martha +marty +martial +martialed +martialing +martialism +martialist +martialists +martiality +martialization +martialize +martialled +martially +martialling +martialness +martials +martian +martians +martiloge +martin +martyn +martinet +martineta +martinetish +martinetishness +martinetism +martinets +martinetship +martinez +marting +martingal +martingale +martingales +martini +martynia +martyniaceae +martyniaceous +martinico +martinis +martinism +martinist +martinmas +martinoe +martins +martyr +martyrdom +martyrdoms +martyred +martyrer +martyress +martyry +martyria +martyries +martyring +martyrisation +martyrise +martyrised +martyrish +martyrising +martyrium +martyrization +martyrize +martyrized +martyrizer +martyrizing +martyrly +martyrlike +martyrolatry +martyrologe +martyrology +martyrologic +martyrological +martyrologist +martyrologistic +martyrologium +martyrs +martyrship +martyrtyria +martite +martius +martlet +martlets +martnet +martrix +marts +martu +maru +marvel +marveled +marveling +marvelled +marvelling +marvellous +marvellously +marvellousness +marvelment +marvelous +marvelously +marvelousness +marvelry +marvels +marver +marvy +marvin +marwari +marwer +marx +marxian +marxianism +marxism +marxist +marxists +marzipan +marzipans +mas +masa +masai +masais +masanao +masanobu +masarid +masaridid +masarididae +masaridinae +masaris +masc +mascagnine +mascagnite +mascally +mascara +mascaras +mascaron +maschera +mascle +mascled +mascleless +mascon +mascons +mascot +mascotism +mascotry +mascots +mascotte +mascouten +mascularity +masculate +masculation +masculy +masculine +masculinely +masculineness +masculines +masculinism +masculinist +masculinity +masculinities +masculinization +masculinize +masculinized +masculinizing +masculist +masculofeminine +masculonucleus +masdeu +masdevallia +maselin +maser +masers +mash +masha +mashak +mashal +mashallah +masham +mashed +mashelton +masher +mashers +mashes +mashgiach +mashgiah +mashgichim +mashgihim +mashy +mashie +mashier +mashies +mashiest +mashiness +mashing +mashlam +mashlin +mashloch +mashlum +mashman +mashmen +mashona +mashpee +mashrebeeyah +mashrebeeyeh +mashru +masjid +masjids +mask +maskable +maskalonge +maskalonges +maskanonge +maskanonges +masked +maskeg +maskegon +maskegs +maskelynite +masker +maskery +maskers +maskette +maskflower +masking +maskings +maskinonge +maskinonges +maskins +masklike +maskmv +maskoi +maskoid +masks +maslin +masochism +masochist +masochistic +masochistically +masochists +mason +masoned +masoner +masonic +masonically +masoning +masonite +masonry +masonried +masonries +masonrying +masons +masonwork +masooka +masoola +masora +masorete +masoreth +masoretic +maspiter +masque +masquer +masquerade +masqueraded +masquerader +masqueraders +masquerades +masquerading +masquers +masques +mass +massa +massachuset +massachusetts +massacre +massacred +massacrer +massacrers +massacres +massacring +massacrous +massage +massaged +massager +massagers +massages +massageuse +massaging +massagist +massagists +massalia +massalian +massaranduba +massas +massasauga +masscult +masse +massebah +massecuite +massed +massedly +massedness +massekhoth +massel +masselgem +masser +masses +masseter +masseteric +masseterine +masseters +masseur +masseurs +masseuse +masseuses +massy +massicot +massicotite +massicots +massier +massiest +massif +massifs +massig +massily +massilia +massilian +massymore +massiness +massing +massive +massively +massiveness +massivity +masskanne +massless +masslessness +masslike +massmonger +massoy +massoola +massotherapy +massotherapist +massula +mast +mastaba +mastabah +mastabahs +mastabas +mastadenitis +mastadenoma +mastage +mastalgia +mastatrophy +mastatrophia +mastauxe +mastax +mastectomy +mastectomies +masted +master +masterable +masterate +masterdom +mastered +masterer +masterfast +masterful +masterfully +masterfulness +masterhood +mastery +masteries +mastering +masterings +masterless +masterlessness +masterly +masterlike +masterlily +masterliness +masterling +masterman +mastermen +mastermind +masterminded +masterminding +masterminds +masterous +masterpiece +masterpieces +masterproof +masters +mastership +mastersinger +mastersingers +masterstroke +masterwork +masterworks +masterwort +mastful +masthead +mastheaded +mastheading +mastheads +masthelcosis +masty +mastic +masticability +masticable +masticate +masticated +masticates +masticating +mastication +mastications +masticator +masticatory +masticatories +mastiche +mastiches +masticic +masticot +mastics +masticura +masticurous +mastiff +mastiffs +mastigamoeba +mastigate +mastigia +mastigium +mastigobranchia +mastigobranchial +mastigoneme +mastigophobia +mastigophora +mastigophoran +mastigophore +mastigophoric +mastigophorous +mastigopod +mastigopoda +mastigopodous +mastigote +mastigure +masting +mastitic +mastitides +mastitis +mastix +mastixes +mastless +mastlike +mastman +mastmen +mastocarcinoma +mastocarcinomas +mastocarcinomata +mastoccipital +mastochondroma +mastochondrosis +mastodynia +mastodon +mastodonic +mastodons +mastodonsaurian +mastodonsaurus +mastodont +mastodontic +mastodontidae +mastodontine +mastodontoid +mastoid +mastoidal +mastoidale +mastoideal +mastoidean +mastoidectomy +mastoidectomies +mastoideocentesis +mastoideosquamous +mastoiditis +mastoidohumeral +mastoidohumeralis +mastoidotomy +mastoids +mastology +mastological +mastologist +mastomenia +mastoncus +mastooccipital +mastoparietal +mastopathy +mastopathies +mastopexy +mastoplastia +mastorrhagia +mastoscirrhus +mastosquamose +mastotympanic +mastotomy +mastras +masts +masturbate +masturbated +masturbates +masturbatic +masturbating +masturbation +masturbational +masturbator +masturbatory +masturbators +mastwood +masu +masulipatam +masurium +masuriums +mat +matabele +matacan +matachin +matachina +matachinas +mataco +matadero +matador +matadors +mataeology +mataeological +mataeologue +mataeotechny +matagalpa +matagalpan +matagasse +matagory +matagouri +matai +matajuelo +matalan +matamata +matambala +matamoro +matanza +matapan +matapi +matar +matara +matasano +matatua +matawan +matax +matboard +match +matchable +matchableness +matchably +matchboard +matchboarding +matchbook +matchbooks +matchbox +matchboxes +matchcloth +matchcoat +matched +matcher +matchers +matches +matchet +matchy +matching +matchings +matchless +matchlessly +matchlessness +matchlock +matchlocks +matchmake +matchmaker +matchmakers +matchmaking +matchmark +matchotic +matchsafe +matchstalk +matchstick +matchwood +mate +mated +mategriffon +matehood +matey +mateyness +mateys +matelass +matelasse +mateley +mateless +matelessness +mately +matellasse +matelot +matelotage +matelote +matelotes +matelotte +matelow +matemilk +mater +materfamilias +materia +materiable +material +materialisation +materialise +materialised +materialiser +materialising +materialism +materialist +materialistic +materialistical +materialistically +materialists +materiality +materialities +materialization +materializations +materialize +materialized +materializee +materializer +materializes +materializing +materially +materialman +materialmen +materialness +materials +materiarian +materiate +materiation +materiel +materiels +maternal +maternalise +maternalised +maternalising +maternalism +maternalistic +maternality +maternalize +maternalized +maternalizing +maternally +maternalness +maternity +maternities +maternology +maters +mates +mateship +mateships +matezite +matfellon +matfelon +matgrass +math +matha +mathe +mathematic +mathematical +mathematically +mathematicals +mathematician +mathematicians +mathematicize +mathematics +mathematization +mathematize +mathemeg +mather +mathes +mathesis +mathetic +maths +mathurin +maty +matico +matie +maties +matilda +matildas +matildite +matin +matina +matinal +matindol +matinee +matinees +matiness +matinesses +mating +matings +matins +matipo +matka +matkah +matless +matlo +matlockite +matlow +matmaker +matmaking +matman +matoke +matra +matrace +matrah +matral +matralia +matranee +matrass +matrasses +matreed +matres +matriarch +matriarchal +matriarchalism +matriarchate +matriarchy +matriarchic +matriarchical +matriarchies +matriarchist +matriarchs +matric +matrical +matricaria +matrice +matrices +matricidal +matricide +matricides +matriclan +matriclinous +matricula +matriculable +matriculae +matriculant +matriculants +matricular +matriculate +matriculated +matriculates +matriculating +matriculation +matriculations +matriculator +matriculatory +matrigan +matriheritage +matriherital +matrilateral +matrilaterally +matriline +matrilineage +matrilineal +matrilineally +matrilinear +matrilinearism +matrilinearly +matriliny +matrilinies +matrilocal +matrilocality +matrimony +matrimonial +matrimonially +matrimonies +matrimonii +matrimonious +matrimoniously +matriotism +matripotestal +matris +matrisib +matrix +matrixes +matrixing +matroclinal +matrocliny +matroclinic +matroclinous +matroid +matron +matronage +matronal +matronalia +matronhood +matronymic +matronism +matronize +matronized +matronizing +matronly +matronlike +matronliness +matrons +matronship +matross +mats +matster +matsu +matsue +matsuri +matt +matta +mattamore +mattapony +mattaro +mattboard +matte +matted +mattedly +mattedness +matter +matterate +matterative +mattered +matterful +matterfulness +mattery +mattering +matterless +matters +mattes +matteuccia +matthaean +matthean +matthew +matthias +matthieu +matthiola +matti +matty +mattin +matting +mattings +mattins +mattock +mattocks +mattoid +mattoids +mattoir +mattrass +mattrasses +mattress +mattresses +matts +mattulla +maturable +maturant +maturate +maturated +maturates +maturating +maturation +maturational +maturations +maturative +mature +matured +maturely +maturement +matureness +maturer +matures +maturescence +maturescent +maturest +maturing +maturish +maturity +maturities +matutinal +matutinally +matutinary +matutine +matutinely +matweed +matza +matzah +matzahs +matzas +matzo +matzoh +matzohs +matzoon +matzoons +matzos +matzot +matzoth +mau +mauby +maucaco +maucauco +maucherite +maud +maudeline +maudle +maudlin +maudlinism +maudlinize +maudlinly +maudlinness +maudlinwort +mauger +maugh +maught +maugis +maugrabee +maugre +maukin +maul +maulana +maulawiyah +mauled +mauley +mauler +maulers +mauling +mauls +maulstick +maulvi +maumee +maumet +maumetry +maumetries +maumets +maun +maunch +maunche +maund +maunder +maundered +maunderer +maunderers +maundering +maunders +maundful +maundy +maundies +maunds +maunge +maungy +maunna +maupassant +mauquahog +maurandia +maureen +mauresque +mauretanian +mauri +maurice +mauricio +maurist +mauritania +mauritanian +mauritanians +mauritia +mauritian +mauser +mausole +mausolea +mausoleal +mausolean +mausoleum +mausoleums +maut +mauther +mauts +mauve +mauvein +mauveine +mauves +mauvette +mauvine +maux +maven +mavens +maverick +mavericks +mavie +mavies +mavin +mavins +mavis +mavises +mavortian +mavourneen +mavournin +mavrodaphne +maw +mawali +mawbound +mawed +mawger +mawing +mawk +mawky +mawkin +mawkingly +mawkish +mawkishly +mawkishness +mawks +mawmish +mawn +mawp +maws +mawseed +mawsie +mawworm +max +maxi +maxicoat +maxicoats +maxilla +maxillae +maxillar +maxillary +maxillaries +maxillas +maxilliferous +maxilliform +maxilliped +maxillipedary +maxillipede +maxillodental +maxillofacial +maxillojugal +maxillolabial +maxillomandibular +maxillopalatal +maxillopalatine +maxillopharyngeal +maxillopremaxillary +maxilloturbinal +maxillozygomatic +maxim +maxima +maximal +maximalism +maximalist +maximally +maximals +maximate +maximation +maximed +maximin +maximins +maximise +maximised +maximises +maximising +maximist +maximistic +maximite +maximites +maximization +maximize +maximized +maximizer +maximizers +maximizes +maximizing +maximon +maxims +maximum +maximumly +maximums +maximus +maxis +maxisingle +maxiskirt +maxixe +maxixes +maxwell +maxwells +maza +mazaedia +mazaedidia +mazaedium +mazagran +mazalgia +mazama +mazame +mazanderani +mazapilite +mazard +mazards +mazarine +mazatec +mazateco +mazda +mazdaism +mazdaist +mazdakean +mazdakite +mazdean +mazdoor +mazdur +maze +mazed +mazedly +mazedness +mazeful +mazel +mazelike +mazement +mazer +mazers +mazes +mazhabi +mazy +mazic +mazier +maziest +mazily +maziness +mazinesses +mazing +mazocacothesis +mazodynia +mazolysis +mazolytic +mazopathy +mazopathia +mazopathic +mazopexy +mazourka +mazourkas +mazovian +mazuca +mazuma +mazumas +mazur +mazurian +mazurka +mazurkas +mazut +mazzard +mazzards +mazzinian +mazzinianism +mazzinist +mb +mbaya +mbalolo +mbd +mbeuer +mbira +mbiras +mbori +mbps +mbuba +mbunda +mc +mccarthyism +mccoy +mcdonald +mcf +mcg +mcintosh +mckay +mcphail +md +mdewakanton +mdnt +mdse +me +mea +meable +meach +meaching +meacock +meacon +mead +meader +meadow +meadowbur +meadowed +meadower +meadowy +meadowing +meadowink +meadowland +meadowlands +meadowlark +meadowlarks +meadowless +meadows +meadowsweet +meadowsweets +meadowwort +meads +meadsman +meadsweet +meadwort +meager +meagerly +meagerness +meagre +meagrely +meagreness +meak +meaking +meal +mealable +mealberry +mealed +mealer +mealy +mealybug +mealybugs +mealie +mealier +mealies +mealiest +mealily +mealymouth +mealymouthed +mealymouthedly +mealymouthedness +mealiness +mealing +mealywing +mealless +mealman +mealmen +mealmonger +mealmouth +mealmouthed +mealock +mealproof +meals +mealtide +mealtime +mealtimes +mealworm +mealworms +mean +meander +meandered +meanderer +meanderers +meandering +meanderingly +meanders +meandrine +meandriniform +meandrite +meandrous +meandrously +meaned +meaner +meaners +meanest +meany +meanie +meanies +meaning +meaningful +meaningfully +meaningfulness +meaningless +meaninglessly +meaninglessness +meaningly +meaningness +meanings +meanish +meanless +meanly +meanness +meannesses +means +meanspirited +meanspiritedly +meanspiritedness +meant +meantes +meantime +meantimes +meantone +meanwhile +mear +mearstone +meas +mease +measle +measled +measledness +measles +measlesproof +measly +measlier +measliest +measondue +measurability +measurable +measurableness +measurably +measurage +measuration +measure +measured +measuredly +measuredness +measureless +measurelessly +measurelessness +measurely +measurement +measurements +measurer +measurers +measures +measuring +measuringworm +meat +meatal +meatball +meatballs +meatbird +meatcutter +meated +meath +meathe +meathead +meatheads +meathook +meathooks +meaty +meatic +meatier +meatiest +meatily +meatiness +meatless +meatman +meatmen +meatometer +meatorrhaphy +meatoscope +meatoscopy +meatotome +meatotomy +meats +meature +meatus +meatuses +meatworks +meaul +meaw +meazle +mebos +mebsuta +mecamylamine +mecaptera +mecate +mecati +mecca +meccan +meccano +meccas +meccawee +mech +mechael +mechanal +mechanality +mechanalize +mechanic +mechanical +mechanicalism +mechanicalist +mechanicality +mechanicalization +mechanicalize +mechanically +mechanicalness +mechanician +mechanicochemical +mechanicocorpuscular +mechanicointellectual +mechanicotherapy +mechanics +mechanism +mechanismic +mechanisms +mechanist +mechanistic +mechanistically +mechanists +mechanizable +mechanization +mechanizations +mechanize +mechanized +mechanizer +mechanizers +mechanizes +mechanizing +mechanochemical +mechanochemistry +mechanolater +mechanology +mechanomorphic +mechanomorphically +mechanomorphism +mechanophobia +mechanoreception +mechanoreceptive +mechanoreceptor +mechanotherapeutic +mechanotherapeutics +mechanotherapy +mechanotherapies +mechanotherapist +mechanotherapists +mechanotheraputic +mechanotheraputically +mechant +mechir +mechitaristican +mechitzah +mechitzoth +mechlin +mechoacan +meck +meckelectomy +meckelian +mecklenburgian +meclizine +mecodont +mecodonta +mecometer +mecometry +mecon +meconic +meconidium +meconin +meconioid +meconium +meconiums +meconology +meconophagism +meconophagist +mecoptera +mecopteran +mecopteron +mecopterous +mecrobeproof +mecum +mecums +mecurial +mecurialism +med +medaillon +medaka +medakas +medal +medaled +medalet +medaling +medalist +medalists +medalize +medallary +medalled +medallic +medallically +medalling +medallion +medallioned +medallioning +medallionist +medallions +medallist +medals +meddle +meddlecome +meddled +meddlement +meddler +meddlers +meddles +meddlesome +meddlesomely +meddlesomeness +meddling +meddlingly +mede +medea +medellin +medenagan +medeola +medevac +medevacs +media +mediacy +mediacid +mediacies +mediad +mediae +mediaeval +mediaevalism +mediaevalist +mediaevalize +mediaevally +medial +medialization +medialize +medialkaline +medially +medials +median +medianic +medianimic +medianimity +medianism +medianity +medianly +medians +mediant +mediants +mediary +medias +mediastina +mediastinal +mediastine +mediastinitis +mediastinotomy +mediastinum +mediate +mediated +mediately +mediateness +mediates +mediating +mediatingly +mediation +mediational +mediations +mediatisation +mediatise +mediatised +mediatising +mediative +mediatization +mediatize +mediatized +mediatizing +mediator +mediatory +mediatorial +mediatorialism +mediatorially +mediatorious +mediators +mediatorship +mediatress +mediatrice +mediatrices +mediatrix +mediatrixes +medic +medica +medicable +medicably +medicago +medicaid +medicaids +medical +medicalese +medically +medicals +medicament +medicamental +medicamentally +medicamentary +medicamentation +medicamentous +medicaments +medicant +medicare +medicares +medicaster +medicate +medicated +medicates +medicating +medication +medications +medicative +medicator +medicatory +medicean +medici +medicinable +medicinableness +medicinal +medicinally +medicinalness +medicinary +medicine +medicined +medicinelike +medicinemonger +mediciner +medicines +medicining +medick +medicks +medico +medicobotanical +medicochirurgic +medicochirurgical +medicodental +medicolegal +medicolegally +medicomania +medicomechanic +medicomechanical +medicommissure +medicomoral +medicophysical +medicophysics +medicopsychology +medicopsychological +medicos +medicostatistic +medicosurgical +medicotopographic +medicozoologic +medics +medidia +medidii +mediety +medieval +medievalism +medievalist +medievalistic +medievalists +medievalize +medievally +medievals +medifixed +mediglacial +medii +medille +medimn +medimno +medimnos +medimnus +medina +medine +medinilla +medino +medio +medioanterior +mediocarpal +medioccipital +mediocracy +mediocral +mediocre +mediocrely +mediocreness +mediocris +mediocrist +mediocrity +mediocrities +mediocubital +mediodepressed +mediodigital +mediodorsal +mediodorsally +mediofrontal +mediolateral +mediopalatal +mediopalatine +mediopassive +mediopectoral +medioperforate +mediopontine +medioposterior +mediosilicic +mediostapedial +mediotarsal +medioventral +medisance +medisect +medisection +medish +medism +meditabund +meditance +meditant +meditate +meditated +meditatedly +meditater +meditates +meditating +meditatingly +meditatio +meditation +meditationist +meditations +meditatist +meditative +meditatively +meditativeness +meditator +mediterrane +mediterranean +mediterraneanism +mediterraneanization +mediterraneanize +mediterraneous +medithorax +meditrinalia +meditullium +medium +mediumism +mediumistic +mediumization +mediumize +mediumly +mediums +mediumship +medius +medize +medizer +medjidie +medjidieh +medlar +medlars +medle +medley +medleyed +medleying +medleys +medlied +medoc +medregal +medrick +medrinacks +medrinacles +medrinaque +medscheat +medula +medulla +medullae +medullar +medullary +medullas +medullate +medullated +medullation +medullispinal +medullitis +medullization +medullose +medullous +medusa +medusae +medusaean +medusal +medusalike +medusan +medusans +medusas +medusiferous +medusiform +medusoid +medusoids +mee +meebos +meece +meech +meecher +meeching +meed +meedful +meedless +meeds +meehan +meek +meeken +meeker +meekest +meekhearted +meekheartedness +meekly +meekling +meekness +meeknesses +meekoceras +meeks +meer +meered +meerkat +meerschaum +meerschaums +meese +meet +meetable +meeten +meeter +meeterly +meeters +meeth +meethelp +meethelper +meeting +meetinger +meetinghouse +meetings +meetly +meetness +meetnesses +meets +meg +megaara +megabar +megabars +megabaud +megabit +megabyte +megabytes +megabits +megabuck +megabucks +megacephaly +megacephalia +megacephalic +megacephalous +megacerine +megaceros +megacerotine +megachile +megachilid +megachilidae +megachiroptera +megachiropteran +megachiropterous +megacycle +megacycles +megacity +megacolon +megacosm +megacoulomb +megacurie +megadeath +megadeaths +megadynamics +megadyne +megadynes +megadont +megadonty +megadontia +megadontic +megadontism +megadrili +megaera +megaerg +megafarad +megafog +megagamete +megagametophyte +megahertz +megahertzes +megajoule +megakaryoblast +megakaryocyte +megakaryocytic +megalactractus +megaladapis +megalaema +megalaemidae +megalania +megalecithal +megaleme +megalensian +megalerg +megalesia +megalesian +megalesthete +megalethoscope +megalichthyidae +megalichthys +megalith +megalithic +megaliths +megalobatrachus +megaloblast +megaloblastic +megalocardia +megalocarpous +megalocephaly +megalocephalia +megalocephalic +megalocephalous +megaloceros +megalochirous +megalocyte +megalocytosis +megalocornea +megalodactylia +megalodactylism +megalodactylous +megalodon +megalodont +megalodontia +megalodontidae +megaloenteron +megalogastria +megaloglossia +megalograph +megalography +megalohepatia +megalokaryocyte +megalomania +megalomaniac +megalomaniacal +megalomaniacally +megalomaniacs +megalomanic +megalomelia +megalonychidae +megalonyx +megalopa +megalopenis +megalophonic +megalophonous +megalophthalmus +megalopia +megalopic +megalopidae +megalopyge +megalopygidae +megalopinae +megalopine +megaloplastocyte +megalopolis +megalopolises +megalopolistic +megalopolitan +megalopolitanism +megalopore +megalops +megalopsia +megalopsychy +megaloptera +megalopteran +megalopterous +megalornis +megalornithidae +megalosaur +megalosaurian +megalosauridae +megalosauroid +megalosaurus +megaloscope +megaloscopy +megalosyndactyly +megalosphere +megalospheric +megalosplenia +megaloureter +megaluridae +megamastictora +megamastictoral +megamere +megameter +megametre +megampere +meganeura +meganthropus +meganucleus +megaparsec +megaphyllous +megaphyton +megaphone +megaphoned +megaphones +megaphonic +megaphonically +megaphoning +megaphotography +megaphotographic +megapod +megapode +megapodes +megapodidae +megapodiidae +megapodius +megapolis +megapolitan +megaprosopous +megaptera +megapterinae +megapterine +megara +megarad +megarensian +megarhinus +megarhyssa +megarian +megarianism +megaric +megaron +megarons +megasclere +megascleric +megasclerous +megasclerum +megascope +megascopic +megascopical +megascopically +megaseism +megaseismic +megaseme +megasynthetic +megasoma +megasporange +megasporangium +megaspore +megasporic +megasporogenesis +megasporophyll +megass +megasse +megasses +megathere +megatherian +megatheriidae +megatherine +megatherioid +megatherium +megatherm +megathermal +megathermic +megatheroid +megatype +megatypy +megaton +megatons +megatron +megavitamin +megavolt +megavolts +megawatt +megawatts +megaweber +megaword +megawords +megazooid +megazoospore +megbote +megerg +megger +meggy +megillah +megillahs +megilloth +megilp +megilph +megilphs +megilps +megmho +megnetosphere +megohm +megohmit +megohmmeter +megohms +megomit +megophthalmus +megotalc +megrel +megrez +megrim +megrimish +megrims +meguilp +mehalla +mehari +meharis +meharist +mehelya +mehitzah +mehitzoth +mehmandar +mehrdad +mehtar +mehtarship +meibomia +meibomian +meyerhofferite +meigomian +meiji +meikle +meikles +meile +meiler +mein +meindre +meiny +meinie +meinies +meio +meiobar +meiocene +meionite +meiophylly +meioses +meiosis +meiostemonous +meiotaxy +meiotic +meiotically +meisje +meissa +meistersinger +meith +meithei +meizoseismal +meizoseismic +mejorana +mekbuda +mekhitarist +mekilta +mekometer +mekong +mel +mela +melaconite +melada +meladiorite +melaena +melaenic +melagabbro +melagra +melagranite +melaleuca +melalgia +melam +melamdim +melamed +melamin +melamine +melamines +melammdim +melammed +melampyrin +melampyrite +melampyritol +melampyrum +melampod +melampode +melampodium +melampsora +melampsoraceae +melampus +melanaemia +melanaemic +melanagogal +melanagogue +melancholy +melancholia +melancholiac +melancholiacs +melancholian +melancholic +melancholically +melancholies +melancholyish +melancholily +melancholiness +melancholious +melancholiously +melancholiousness +melancholish +melancholist +melancholize +melancholomaniac +melanchthonian +melanconiaceae +melanconiaceous +melanconiales +melanconium +melanemia +melanemic +melanesia +melanesian +melanesians +melange +melanger +melanges +melangeur +melania +melanian +melanic +melanics +melaniferous +melaniidae +melanilin +melaniline +melanin +melanins +melanippe +melanippus +melanism +melanisms +melanist +melanistic +melanists +melanite +melanites +melanitic +melanization +melanize +melanized +melanizes +melanizing +melano +melanoblast +melanoblastic +melanoblastoma +melanocarcinoma +melanocerite +melanochroi +melanochroic +melanochroid +melanochroite +melanochroous +melanocyte +melanocomous +melanocrate +melanocratic +melanodendron +melanoderm +melanoderma +melanodermia +melanodermic +melanogaster +melanogen +melanogenesis +melanoi +melanoid +melanoidin +melanoids +melanoma +melanomas +melanomata +melanopathy +melanopathia +melanophore +melanoplakia +melanoplus +melanorrhagia +melanorrhea +melanorrhoea +melanosarcoma +melanosarcomatosis +melanoscope +melanose +melanosed +melanosis +melanosity +melanosome +melanospermous +melanotekite +melanotic +melanotype +melanotrichous +melanous +melanterite +melanthaceae +melanthaceous +melanthy +melanthium +melanure +melanurenic +melanuresis +melanuria +melanuric +melaphyre +melas +melasma +melasmic +melasses +melassigenic +melastoma +melastomaceae +melastomaceous +melastomad +melastome +melatonin +melatope +melaxuma +melba +melbourne +melburnian +melcarth +melch +melchite +melchizedek +melchora +meld +melded +melder +melders +melding +meldometer +meldrop +melds +mele +meleager +meleagridae +meleagrina +meleagrinae +meleagrine +meleagris +melebiose +melee +melees +melena +melene +melenic +meles +meletian +meletin +meletski +melezitase +melezitose +melia +meliaceae +meliaceous +meliadus +melian +melianthaceae +melianthaceous +melianthus +meliatin +melibiose +melic +melica +melicent +melicera +meliceric +meliceris +melicerous +melicerta +melicertidae +melichrous +melicitose +melicocca +melicoton +melicrate +melicraton +melicratory +melicratum +melilite +melilites +melilitite +melilot +melilots +melilotus +melinae +melinda +meline +melinis +melinite +melinites +meliola +melior +meliorability +meliorable +meliorant +meliorate +meliorated +meliorater +meliorates +meliorating +melioration +meliorations +meliorative +melioratively +meliorator +meliorism +meliorist +melioristic +meliority +meliphagan +meliphagidae +meliphagidan +meliphagous +meliphanite +melipona +meliponinae +meliponine +melis +melisma +melismas +melismata +melismatic +melismatics +melissa +melissyl +melissylic +melitaea +melitaemia +melitemia +melithaemia +melithemia +melitis +melitose +melitriose +melittology +melittologist +melituria +melituric +melkhout +mell +mellaginous +mellah +mellay +mellate +melled +melleous +meller +mellic +mellifera +melliferous +mellific +mellificate +mellification +mellifluate +mellifluence +mellifluent +mellifluently +mellifluous +mellifluously +mellifluousness +mellilita +mellilot +mellimide +melling +mellisonant +mellisugent +mellit +mellita +mellitate +mellite +mellitic +mellitum +mellitus +mellivora +mellivorinae +mellivorous +mellon +mellone +mellonides +mellophone +mellow +mellowed +mellower +mellowest +mellowy +mellowing +mellowly +mellowness +mellowphone +mellows +mells +mellsman +melocactus +melocoton +melocotoon +melodeon +melodeons +melody +melodia +melodial +melodially +melodias +melodic +melodica +melodical +melodically +melodicon +melodics +melodied +melodies +melodying +melodyless +melodiograph +melodion +melodious +melodiously +melodiousness +melodise +melodised +melodises +melodising +melodism +melodist +melodists +melodium +melodize +melodized +melodizer +melodizes +melodizing +melodractically +melodram +melodrama +melodramas +melodramatic +melodramatical +melodramatically +melodramaticism +melodramatics +melodramatise +melodramatised +melodramatising +melodramatist +melodramatists +melodramatization +melodramatize +melodrame +meloe +melogram +melogrammataceae +melograph +melographic +meloid +meloidae +meloids +melologue +melolontha +melolonthid +melolonthidae +melolonthidan +melolonthides +melolonthinae +melolonthine +melomame +melomane +melomania +melomaniac +melomanic +melon +meloncus +melonechinus +melongena +melongrower +melonist +melonite +melonites +melonlike +melonmonger +melonry +melons +melophone +melophonic +melophonist +melopiano +melopianos +meloplast +meloplasty +meloplastic +meloplasties +melopoeia +melopoeic +melos +melosa +melospiza +melote +melothria +melotragedy +melotragic +melotrope +melpell +melpomene +mels +melt +meltability +meltable +meltage +meltages +meltdown +meltdowns +melted +meltedness +melteigite +melter +melters +melteth +melting +meltingly +meltingness +meltith +melton +meltonian +meltons +melts +meltwater +melungeon +melursus +melvie +mem +member +membered +memberless +members +membership +memberships +membracid +membracidae +membracine +membral +membrally +membrana +membranaceous +membranaceously +membranal +membranate +membrane +membraned +membraneless +membranelike +membranella +membranelle +membraneous +membranes +membraniferous +membraniform +membranin +membranipora +membraniporidae +membranocalcareous +membranocartilaginous +membranocoriaceous +membranocorneous +membranogenic +membranoid +membranology +membranonervous +membranophone +membranophonic +membranosis +membranous +membranously +membranula +membranule +membrette +membretto +memento +mementoes +mementos +meminna +memnon +memnonian +memnonium +memo +memoir +memoire +memoirism +memoirist +memoirs +memorabile +memorabilia +memorability +memorable +memorableness +memorably +memoranda +memorandist +memorandize +memorandum +memorandums +memorate +memoration +memorative +memorda +memory +memoria +memorial +memorialisation +memorialise +memorialised +memorialiser +memorialising +memorialist +memorialization +memorializations +memorialize +memorialized +memorializer +memorializes +memorializing +memorially +memorials +memoried +memories +memoryless +memorylessness +memorious +memorise +memorist +memoriter +memorizable +memorization +memorize +memorized +memorizer +memorizers +memorizes +memorizing +memos +memphian +memphis +memphite +mems +memsahib +memsahibs +men +menaccanite +menaccanitic +menace +menaceable +menaced +menaceful +menacement +menacer +menacers +menaces +menacing +menacingly +menacme +menad +menadic +menadione +menads +menage +menagerie +menageries +menagerist +menages +menald +menangkabau +menaquinone +menarche +menarcheal +menarches +menarchial +menaspis +menat +mend +mendable +mendacious +mendaciously +mendaciousness +mendacity +mendacities +mendaite +mende +mended +mendee +mendel +mendelevium +mendelian +mendelianism +mendelianist +mendelyeevite +mendelism +mendelist +mendelize +mendelssohn +mendelssohnian +mendelssohnic +mender +menders +mendi +mendy +mendiant +mendicancy +mendicancies +mendicant +mendicantism +mendicants +mendicate +mendicated +mendicating +mendication +mendicity +mendigo +mendigos +mending +mendings +mendipite +mendment +mendole +mendozite +mends +mene +meneghinite +menehune +menelaus +menevian +menfolk +menfolks +menfra +meng +mengwe +menhaden +menhadens +menhir +menhirs +meny +menial +menialism +meniality +menially +menialness +menials +menialty +menyanthaceae +menyanthaceous +menyanthes +menic +menyie +menilite +meningeal +meninges +meningic +meningina +meningioma +meningism +meningismus +meningitic +meningitides +meningitis +meningitophobia +meningocele +meningocephalitis +meningocerebritis +meningococcal +meningococcemia +meningococci +meningococcic +meningococcocci +meningococcus +meningocortical +meningoencephalitic +meningoencephalitis +meningoencephalocele +meningomalacia +meningomyclitic +meningomyelitis +meningomyelocele +meningomyelorrhaphy +meningorachidian +meningoradicular +meningorhachidian +meningorrhagia +meningorrhea +meningorrhoea +meningosis +meningospinal +meningotyphoid +meninting +meninx +meniscal +meniscate +meniscectomy +menisci +menisciform +meniscitis +meniscocytosis +meniscoid +meniscoidal +meniscotheriidae +meniscotherium +meniscus +meniscuses +menise +menison +menisperm +menispermaceae +menispermaceous +menispermin +menispermine +menispermum +meniver +menkalinan +menkar +menkib +menkind +mennom +mennon +mennonist +mennonite +mennonites +mennuet +meno +menobranchidae +menobranchus +menognath +menognathous +menology +menologies +menologyes +menologium +menometastasis +menominee +menopausal +menopause +menopausic +menophania +menoplania +menopoma +menorah +menorahs +menorhyncha +menorhynchous +menorrhagy +menorrhagia +menorrhagic +menorrhea +menorrheic +menorrhoea +menorrhoeic +menoschesis +menoschetic +menosepsis +menostasia +menostasis +menostatic +menostaxis +menotyphla +menotyphlic +menow +menoxenia +mens +mensa +mensae +mensal +mensalize +mensas +mensch +menschen +mensches +mense +mensed +menseful +menseless +menservants +menses +menshevik +menshevism +menshevist +mensing +mensis +mensk +menstrua +menstrual +menstruant +menstruate +menstruated +menstruates +menstruating +menstruation +menstruations +menstrue +menstruoos +menstruosity +menstruous +menstruousness +menstruum +menstruums +mensual +mensurability +mensurable +mensurableness +mensurably +mensural +mensuralist +mensurate +mensuration +mensurational +mensurative +menswear +menswears +ment +menta +mentagra +mental +mentalis +mentalism +mentalist +mentalistic +mentalistically +mentalists +mentality +mentalities +mentalization +mentalize +mentally +mentary +mentation +mentery +mentha +menthaceae +menthaceous +menthadiene +menthan +menthane +menthe +menthene +menthenes +menthenol +menthenone +menthyl +menthol +mentholated +menthols +menthone +menticide +menticultural +menticulture +mentiferous +mentiform +mentigerous +mentimeter +mentimutation +mention +mentionability +mentionable +mentioned +mentioner +mentioners +mentioning +mentionless +mentions +mentis +mentoanterior +mentobregmatic +mentocondylial +mentohyoid +mentolabial +mentomeckelian +mentoniere +mentonniere +mentonnieres +mentoposterior +mentor +mentorial +mentorism +mentors +mentorship +mentum +mentzelia +menu +menuiserie +menuiseries +menuisier +menuisiers +menuki +menura +menurae +menuridae +menus +menzie +menziesia +meo +meow +meowed +meowing +meows +mepacrine +meperidine +mephisto +mephistophelean +mephistopheleanly +mephistopheles +mephistophelic +mephistophelistic +mephitic +mephitical +mephitically +mephitinae +mephitine +mephitis +mephitises +mephitism +meprobamate +meq +mer +merak +meralgia +meraline +merat +meratia +merbaby +merbromin +merc +mercal +mercantile +mercantilely +mercantilism +mercantilist +mercantilistic +mercantilists +mercantility +mercaptal +mercaptan +mercaptide +mercaptides +mercaptids +mercapto +mercaptol +mercaptole +mercaptopurine +mercat +mercator +mercatoria +mercatorial +mercature +merce +mercedarian +mercedes +mercedinus +mercedonius +mercement +mercenary +mercenarian +mercenaries +mercenarily +mercenariness +mercer +merceress +mercery +merceries +mercerization +mercerize +mercerized +mercerizer +mercerizes +mercerizing +mercers +mercership +merch +merchandy +merchandisability +merchandisable +merchandise +merchandised +merchandiser +merchandisers +merchandises +merchandising +merchandize +merchandized +merchandry +merchandrise +merchant +merchantability +merchantable +merchantableness +merchanted +merchanteer +merchanter +merchanthood +merchanting +merchantish +merchantly +merchantlike +merchantman +merchantmen +merchantry +merchantries +merchants +merchantship +merchet +merci +mercy +merciable +merciablely +merciably +mercian +mercies +mercify +merciful +mercifully +mercifulness +merciless +mercilessly +mercilessness +merciment +mercyproof +mercurate +mercuration +mercurean +mercury +mercurial +mercurialis +mercurialisation +mercurialise +mercurialised +mercurialising +mercurialism +mercurialist +mercuriality +mercurialization +mercurialize +mercurialized +mercurializing +mercurially +mercurialness +mercuriamines +mercuriammonium +mercurian +mercuriate +mercuric +mercurid +mercuride +mercuries +mercurify +mercurification +mercurified +mercurifying +mercurius +mercurization +mercurize +mercurized +mercurizing +mercurochrome +mercurophen +mercurous +merd +merdivorous +merdurinous +mere +mered +meredithian +merel +merely +merels +merenchyma +merenchymatous +merengue +merengued +merengues +merenguing +merer +meres +meresman +meresmen +merest +merestone +mereswine +meretrices +meretricious +meretriciously +meretriciousness +meretrix +merfold +merfolk +merganser +mergansers +merge +merged +mergence +mergences +merger +mergers +merges +mergh +merginae +merging +mergulus +mergus +meriah +mericarp +merice +merychippus +merycism +merycismus +merycoidodon +merycoidodontidae +merycopotamidae +merycopotamus +merida +meridian +meridians +meridie +meridiem +meridienne +meridion +meridionaceae +meridional +meridionality +meridionally +meril +meringue +meringued +meringues +meringuing +merino +merinos +meriones +meriquinoid +meriquinoidal +meriquinone +meriquinonic +meriquinonoid +merises +merisis +merism +merismatic +merismoid +merist +meristele +meristelic +meristem +meristematic +meristematically +meristems +meristic +meristically +meristogenous +merit +meritable +merited +meritedly +meritedness +meriter +meritful +meriting +meritless +meritlessness +meritmonger +meritmongery +meritmongering +meritocracy +meritocracies +meritocrat +meritocratic +meritory +meritorious +meritoriously +meritoriousness +merits +merk +merkhet +merkin +merks +merl +merle +merles +merlette +merligo +merlin +merling +merlins +merlion +merlon +merlons +merls +merlucciidae +merluccius +mermaid +mermaiden +mermaids +merman +mermen +mermis +mermithaner +mermithergate +mermithidae +mermithization +mermithized +mermithogyne +mermnad +mermnadae +mermother +mero +meroblastic +meroblastically +merocele +merocelic +merocerite +meroceritic +merocyte +merocrine +merocrystalline +merodach +merodus +merogamy +merogastrula +merogenesis +merogenetic +merogenic +merognathite +merogony +merogonic +merohedral +merohedric +merohedrism +meroistic +meroitic +meromyaria +meromyarian +meromyosin +meromorphic +merop +merope +meropes +meropia +meropias +meropic +meropidae +meropidan +meroplankton +meroplanktonic +meropodite +meropoditic +merops +merorganization +merorganize +meros +merosymmetry +merosymmetrical +merosystematic +merosomal +merosomata +merosomatous +merosome +merosthenic +merostomata +merostomatous +merostome +merostomous +merotomy +merotomize +merotropy +merotropism +merovingian +meroxene +merozoa +merozoite +merpeople +merry +merribauks +merribush +merrier +merriest +merril +merriless +merrily +merrimack +merrymake +merrymaker +merrymakers +merrymaking +merryman +merrymeeting +merrymen +merriment +merriness +merrythought +merrytrotter +merrywing +merrow +merrowes +merse +mersion +mertensia +merthiolate +merton +meruit +merula +meruline +merulioid +merulius +merv +mervail +merveileux +merveilleux +merwinite +merwoman +mes +mesa +mesabite +mesaconate +mesaconic +mesad +mesadenia +mesail +mesal +mesalike +mesally +mesalliance +mesalliances +mesameboid +mesange +mesaortitis +mesaraic +mesaraical +mesarch +mesarteritic +mesarteritis +mesartim +mesas +mesaticephal +mesaticephali +mesaticephaly +mesaticephalic +mesaticephalism +mesaticephalous +mesatipellic +mesatipelvic +mesatiskelic +mesaxonic +mescal +mescalero +mescaline +mescalism +mescals +meschant +meschantly +mesdames +mesdemoiselles +mese +mesectoderm +meseemed +meseems +mesel +mesela +meseled +meseledness +mesely +meselry +mesem +mesembryanthemaceae +mesembryanthemum +mesembryo +mesembryonic +mesencephala +mesencephalic +mesencephalon +mesencephalons +mesenchyma +mesenchymal +mesenchymatal +mesenchymatic +mesenchymatous +mesenchyme +mesendoderm +mesenna +mesentera +mesentery +mesenterial +mesenteric +mesenterical +mesenterically +mesenteries +mesenteriform +mesenteriolum +mesenteritic +mesenteritis +mesenterium +mesenteron +mesenteronic +mesentoderm +mesepimeral +mesepimeron +mesepisternal +mesepisternum +mesepithelial +mesepithelium +meseraic +mesethmoid +mesethmoidal +mesh +meshech +meshed +meshes +meshy +meshier +meshiest +meshing +meshrabiyeh +meshrebeeyeh +meshuga +meshugaas +meshugana +meshugga +meshuggaas +meshuggah +meshuggana +meshuggenah +meshummad +meshwork +meshworks +mesiad +mesial +mesially +mesian +mesic +mesically +mesilla +mesymnion +mesiobuccal +mesiocervical +mesioclusion +mesiodistal +mesiodistally +mesiogingival +mesioincisal +mesiolabial +mesiolingual +mesion +mesioocclusal +mesiopulpal +mesioversion +mesitae +mesites +mesitidae +mesityl +mesitylene +mesitylenic +mesitine +mesitite +mesivta +mesked +meslen +mesmerian +mesmeric +mesmerical +mesmerically +mesmerisation +mesmerise +mesmeriser +mesmerism +mesmerist +mesmerists +mesmerite +mesmerizability +mesmerizable +mesmerization +mesmerize +mesmerized +mesmerizee +mesmerizer +mesmerizers +mesmerizes +mesmerizing +mesmeromania +mesmeromaniac +mesnage +mesnality +mesnalty +mesnalties +mesne +meso +mesoappendiceal +mesoappendicitis +mesoappendix +mesoarial +mesoarium +mesobar +mesobenthos +mesoblast +mesoblastem +mesoblastema +mesoblastemic +mesoblastic +mesobranchial +mesobregmate +mesocadia +mesocaecal +mesocaecum +mesocardia +mesocardium +mesocarp +mesocarpic +mesocarps +mesocentrous +mesocephal +mesocephaly +mesocephalic +mesocephalism +mesocephalon +mesocephalous +mesochilium +mesochondrium +mesochroic +mesocoele +mesocoelia +mesocoelian +mesocoelic +mesocola +mesocolic +mesocolon +mesocolons +mesocoracoid +mesocranial +mesocranic +mesocratic +mesocuneiform +mesode +mesoderm +mesodermal +mesodermic +mesoderms +mesodesma +mesodesmatidae +mesodesmidae +mesodevonian +mesodevonic +mesodic +mesodisilicic +mesodont +mesodontic +mesodontism +mesoenatides +mesofurca +mesofurcal +mesogaster +mesogastral +mesogastric +mesogastrium +mesogyrate +mesoglea +mesogleal +mesogleas +mesogloea +mesogloeal +mesognathy +mesognathic +mesognathion +mesognathism +mesognathous +mesohepar +mesohippus +mesokurtic +mesolabe +mesole +mesolecithal +mesolimnion +mesolite +mesolithic +mesology +mesologic +mesological +mesomere +mesomeres +mesomeric +mesomerism +mesometeorology +mesometeorological +mesometral +mesometric +mesometrium +mesomyodi +mesomyodian +mesomyodous +mesomitosis +mesomorph +mesomorphy +mesomorphic +mesomorphism +mesomorphous +meson +mesonasal +mesonemertini +mesonephric +mesonephridium +mesonephritic +mesonephroi +mesonephros +mesonic +mesonychidae +mesonyx +mesonotal +mesonotum +mesons +mesoparapteral +mesoparapteron +mesopause +mesopeak +mesopectus +mesopelagic +mesoperiodic +mesopetalum +mesophil +mesophyl +mesophile +mesophilic +mesophyll +mesophyllic +mesophyllous +mesophyllum +mesophilous +mesophyls +mesophyte +mesophytic +mesophytism +mesophragm +mesophragma +mesophragmal +mesophryon +mesopic +mesoplankton +mesoplanktonic +mesoplast +mesoplastic +mesoplastra +mesoplastral +mesoplastron +mesopleura +mesopleural +mesopleuron +mesoplodon +mesoplodont +mesopodia +mesopodial +mesopodiale +mesopodialia +mesopodium +mesopotamia +mesopotamian +mesopotamic +mesoprescutal +mesoprescutum +mesoprosopic +mesopterygial +mesopterygium +mesopterygoid +mesorchial +mesorchium +mesore +mesorecta +mesorectal +mesorectta +mesorectum +mesorectums +mesoreodon +mesorhin +mesorhinal +mesorhine +mesorhiny +mesorhinian +mesorhinism +mesorhinium +mesorrhin +mesorrhinal +mesorrhine +mesorrhiny +mesorrhinian +mesorrhinism +mesorrhinium +mesosalpinx +mesosaur +mesosauria +mesosaurus +mesoscale +mesoscapula +mesoscapular +mesoscutal +mesoscutellar +mesoscutellum +mesoscutum +mesoseismal +mesoseme +mesosiderite +mesosigmoid +mesoskelic +mesosoma +mesosomata +mesosomatic +mesosome +mesosomes +mesosperm +mesosphere +mesospheric +mesospore +mesosporic +mesosporium +mesost +mesostasis +mesosterna +mesosternal +mesosternebra +mesosternebral +mesosternum +mesostethium +mesostyle +mesostylous +mesostoma +mesostomatidae +mesostomid +mesosuchia +mesosuchian +mesotaeniaceae +mesotaeniales +mesotarsal +mesotartaric +mesothelae +mesothelia +mesothelial +mesothelioma +mesothelium +mesotherm +mesothermal +mesothesis +mesothet +mesothetic +mesothetical +mesothoraces +mesothoracic +mesothoracotheca +mesothorax +mesothoraxes +mesothorium +mesotympanic +mesotype +mesotonic +mesotroch +mesotrocha +mesotrochal +mesotrochous +mesotron +mesotronic +mesotrons +mesotrophic +mesotropic +mesovaria +mesovarian +mesovarium +mesoventral +mesoventrally +mesoxalate +mesoxalic +mesoxalyl +mesozoa +mesozoan +mesozoic +mespil +mespilus +mespot +mesprise +mesquin +mesquit +mesquita +mesquite +mesquites +mesquits +mesropian +mess +message +messaged +messageer +messagery +messages +messaging +messalian +messaline +messan +messans +messapian +messe +messed +messeigneurs +messelite +messenger +messengers +messengership +messer +messes +messet +messy +messiah +messiahs +messiahship +messianic +messianically +messianism +messianist +messianize +messias +messidor +messier +messiest +messieurs +messily +messin +messines +messinese +messiness +messing +messire +messkit +messman +messmate +messmates +messmen +messor +messroom +messrs +messtin +messuage +messuages +mest +mestee +mestees +mesteno +mester +mesteso +mestesoes +mestesos +mestfull +mestino +mestinoes +mestinos +mestiza +mestizas +mestizo +mestizoes +mestizos +mestlen +mestome +mestranol +mesua +mesvinian +met +meta +metabases +metabasis +metabasite +metabatic +metabiology +metabiological +metabiosis +metabiotic +metabiotically +metabismuthic +metabisulphite +metabit +metabits +metabletic +metabola +metabole +metaboly +metabolia +metabolian +metabolic +metabolical +metabolically +metabolise +metabolised +metabolising +metabolism +metabolite +metabolites +metabolizability +metabolizable +metabolize +metabolized +metabolizes +metabolizing +metabolon +metabolous +metaborate +metaboric +metabranchial +metabrushite +metabular +metacapi +metacarpal +metacarpale +metacarpals +metacarpi +metacarpophalangeal +metacarpus +metacenter +metacentral +metacentre +metacentric +metacentricity +metacercaria +metacercarial +metacetone +metachemic +metachemical +metachemistry +metachlamydeae +metachlamydeous +metachromasis +metachromatic +metachromatin +metachromatinic +metachromatism +metachrome +metachronal +metachronism +metachronistic +metachrosis +metacyclic +metacymene +metacinnabar +metacinnabarite +metacircular +metacircularity +metacism +metacismus +metaclase +metacneme +metacoele +metacoelia +metaconal +metacone +metaconid +metaconule +metacoracoid +metacrasis +metacresol +metacryst +metacromial +metacromion +metad +metadiabase +metadiazine +metadiorite +metadiscoidal +metadromous +metae +metaethical +metaethics +metafemale +metafluidal +metaformaldehyde +metafulminuric +metagalactic +metagalaxy +metagalaxies +metagaster +metagastric +metagastrula +metage +metageitnion +metagelatin +metagelatine +metagenesis +metagenetic +metagenetically +metagenic +metageometer +metageometry +metageometrical +metages +metagnath +metagnathism +metagnathous +metagnomy +metagnostic +metagnosticism +metagram +metagrammatism +metagrammatize +metagraphy +metagraphic +metagrobolize +metahewettite +metahydroxide +metayage +metayer +metaigneous +metainfective +metairie +metakinesis +metakinetic +metal +metalammonium +metalanguage +metalaw +metalbearing +metalbumin +metalcraft +metaldehyde +metaled +metalepses +metalepsis +metaleptic +metaleptical +metaleptically +metaler +metaline +metalined +metaling +metalinguistic +metalinguistically +metalinguistics +metalise +metalised +metalises +metalising +metalism +metalist +metalists +metalization +metalize +metalized +metalizes +metalizing +metall +metallary +metalled +metalleity +metaller +metallic +metallical +metallically +metallicity +metallicize +metallicly +metallics +metallide +metallifacture +metalliferous +metallify +metallification +metalliform +metallik +metallike +metalline +metalling +metallisation +metallise +metallised +metallish +metallising +metallism +metallist +metallization +metallizations +metallize +metallized +metallizing +metallocene +metallochrome +metallochromy +metalloenzyme +metallogenetic +metallogeny +metallogenic +metallograph +metallographer +metallography +metallographic +metallographical +metallographically +metallographist +metalloid +metalloidal +metallometer +metallophobia +metallophone +metalloplastic +metallorganic +metallotherapeutic +metallotherapy +metallurgy +metallurgic +metallurgical +metallurgically +metallurgist +metallurgists +metalmark +metalmonger +metalogic +metalogical +metaloph +metalorganic +metaloscope +metaloscopy +metals +metalsmith +metaluminate +metaluminic +metalware +metalwork +metalworker +metalworkers +metalworking +metalworks +metamale +metamathematical +metamathematician +metamathematics +metamer +metameral +metamere +metameres +metamery +metameric +metamerically +metameride +metamerism +metamerization +metamerize +metamerized +metamerous +metamers +metamynodon +metamitosis +metamorphy +metamorphic +metamorphically +metamorphism +metamorphisms +metamorphize +metamorphopsy +metamorphopsia +metamorphosable +metamorphose +metamorphosed +metamorphoser +metamorphoses +metamorphosy +metamorphosian +metamorphosic +metamorphosical +metamorphosing +metamorphosis +metamorphostical +metamorphotic +metamorphous +metanalysis +metanauplius +metanemertini +metanephric +metanephritic +metanephroi +metanephron +metanephros +metanepionic +metanetwork +metanilic +metaniline +metanym +metanitroaniline +metanitrophenol +metanoia +metanomen +metanotal +metanotion +metanotions +metanotum +metantimonate +metantimonic +metantimonious +metantimonite +metantimonous +metaorganism +metaparapteral +metaparapteron +metapectic +metapectus +metapepsis +metapeptone +metaperiodic +metaph +metaphase +metaphenylene +metaphenylenediamin +metaphenylenediamine +metaphenomenal +metaphenomenon +metaphys +metaphyseal +metaphysic +metaphysical +metaphysically +metaphysician +metaphysicianism +metaphysicians +metaphysicist +metaphysicize +metaphysicous +metaphysics +metaphysis +metaphyte +metaphytic +metaphyton +metaphloem +metaphony +metaphonical +metaphonize +metaphor +metaphoric +metaphorical +metaphorically +metaphoricalness +metaphorist +metaphorize +metaphors +metaphosphate +metaphosphated +metaphosphating +metaphosphoric +metaphosphorous +metaphragm +metaphragma +metaphragmal +metaphrase +metaphrased +metaphrasing +metaphrasis +metaphrast +metaphrastic +metaphrastical +metaphrastically +metaplasia +metaplasis +metaplasm +metaplasmic +metaplast +metaplastic +metapleur +metapleura +metapleural +metapleure +metapleuron +metaplumbate +metaplumbic +metapneumonic +metapneustic +metapodia +metapodial +metapodiale +metapodium +metapolitic +metapolitical +metapolitician +metapolitics +metapophyseal +metapophysial +metapophysis +metapore +metapostscutellar +metapostscutellum +metaprescutal +metaprescutum +metaprotein +metapsychic +metapsychical +metapsychics +metapsychism +metapsychist +metapsychology +metapsychological +metapsychosis +metapterygial +metapterygium +metapterygoid +metarabic +metargon +metarhyolite +metarossite +metarsenic +metarsenious +metarsenite +metarule +metarules +metas +metasaccharinic +metascope +metascutal +metascutellar +metascutellum +metascutum +metasedimentary +metasequoia +metasilicate +metasilicic +metasymbol +metasyntactic +metasoma +metasomal +metasomasis +metasomatic +metasomatically +metasomatism +metasomatosis +metasome +metasperm +metaspermae +metaspermic +metaspermous +metastability +metastable +metastably +metastannate +metastannic +metastases +metastasis +metastasize +metastasized +metastasizes +metastasizing +metastatic +metastatical +metastatically +metasternal +metasternum +metasthenic +metastibnite +metastigmate +metastyle +metastoma +metastomata +metastome +metastrophe +metastrophic +metatantalic +metatarsal +metatarsale +metatarsally +metatarse +metatarsi +metatarsophalangeal +metatarsus +metatarsusi +metatatic +metatatical +metatatically +metataxic +metataxis +metate +metates +metathalamus +metatheology +metatheory +metatheria +metatherian +metatheses +metathesis +metathesise +metathesize +metathetic +metathetical +metathetically +metathoraces +metathoracic +metathorax +metathoraxes +metatype +metatypic +metatitanate +metatitanic +metatoluic +metatoluidine +metatracheal +metatroph +metatrophy +metatrophic +metatungstic +metaurus +metavanadate +metavanadic +metavariable +metavauxite +metavoltine +metaxenia +metaxylem +metaxylene +metaxite +metazoa +metazoal +metazoan +metazoans +metazoea +metazoic +metazoon +mete +metecorn +meted +metegritics +meteyard +metel +metely +metempiric +metempirical +metempirically +metempiricism +metempiricist +metempirics +metempsychic +metempsychosal +metempsychose +metempsychoses +metempsychosic +metempsychosical +metempsychosis +metempsychosize +metemptosis +metencephala +metencephalic +metencephalla +metencephalon +metencephalons +metensarcosis +metensomatosis +metenteron +metenteronic +meteogram +meteograph +meteor +meteorgraph +meteoric +meteorical +meteorically +meteoris +meteorism +meteorist +meteoristic +meteorital +meteorite +meteorites +meteoritic +meteoritical +meteoritics +meteorization +meteorize +meteorlike +meteorogram +meteorograph +meteorography +meteorographic +meteoroid +meteoroidal +meteoroids +meteorol +meteorolite +meteorolitic +meteorology +meteorologic +meteorological +meteorologically +meteorologist +meteorologists +meteoromancy +meteorometer +meteoropathologic +meteoroscope +meteoroscopy +meteorous +meteors +meteorscope +metepa +metepas +metepencephalic +metepencephalon +metepimeral +metepimeron +metepisternal +metepisternum +meter +meterable +meterage +meterages +metered +metergram +metering +meterless +meterman +meterological +meters +metership +meterstick +metes +metestick +metestrus +metewand +meth +methacrylate +methacrylic +methadon +methadone +methadons +methaemoglobin +methamphetamine +methanal +methanate +methanated +methanating +methane +methanes +methanoic +methanol +methanolic +methanolysis +methanols +methanometer +methantheline +methaqualone +metheglin +methemoglobin +methemoglobinemia +methemoglobinuria +methenamine +methene +methenyl +mether +methhead +methicillin +methid +methide +methyl +methylacetanilide +methylal +methylals +methylamine +methylaniline +methylanthracene +methylase +methylate +methylated +methylating +methylation +methylator +methylbenzene +methylcatechol +methylcholanthrene +methyldopa +methylene +methylenimine +methylenitan +methylethylacetic +methylglycine +methylglycocoll +methylglyoxal +methylheptenone +methylic +methylidyne +methylmalonic +methylnaphthalene +methylol +methylolurea +methylosis +methylotic +methylparaben +methylpentose +methylpentoses +methylphenidate +methylpropane +methyls +methylsulfanol +methyltrinitrobenzene +methine +methinks +methiodide +methionic +methionine +methyprylon +methysergide +metho +methobromide +method +methodaster +methodeutic +methody +methodic +methodical +methodically +methodicalness +methodics +methodise +methodised +methodiser +methodising +methodism +methodist +methodisty +methodistic +methodistically +methodists +methodization +methodize +methodized +methodizer +methodizes +methodizing +methodless +methodology +methodological +methodologically +methodologies +methodologist +methodologists +methods +methol +methomania +methone +methotrexate +methought +methoxamine +methoxy +methoxybenzene +methoxychlor +methoxide +methoxyflurane +methoxyl +methronic +meths +methuselah +metic +meticulosity +meticulous +meticulously +meticulousness +metier +metiers +metif +metin +meting +metis +metisse +metisses +metoac +metochy +metochous +metoestrous +metoestrum +metoestrus +metol +metonic +metonym +metonymy +metonymic +metonymical +metonymically +metonymies +metonymous +metonymously +metonyms +metopae +metope +metopes +metopias +metopic +metopion +metopism +metopoceros +metopomancy +metopon +metopons +metoposcopy +metoposcopic +metoposcopical +metoposcopist +metorganism +metosteal +metosteon +metostylous +metoxazine +metoxeny +metoxenous +metra +metralgia +metran +metranate +metranemia +metratonia +metrazol +metre +metrectasia +metrectatic +metrectomy +metrectopy +metrectopia +metrectopic +metrectotmy +metred +metregram +metreless +metreme +metres +metreship +metreta +metrete +metretes +metreza +metria +metric +metrical +metrically +metricate +metricated +metricates +metricating +metrication +metrician +metricise +metricised +metricising +metricism +metricist +metricity +metricize +metricized +metricizes +metricizing +metrics +metridium +metrify +metrification +metrified +metrifier +metrifies +metrifying +metring +metriocephalic +metrise +metrist +metrists +metritis +metritises +metrizable +metrization +metrize +metrized +metrizing +metro +metrocampsis +metrocarat +metrocarcinoma +metrocele +metrocystosis +metroclyst +metrocolpocele +metrocracy +metrocratic +metrodynia +metrofibroma +metrography +metrolymphangitis +metroliner +metroliners +metrology +metrological +metrologically +metrologies +metrologist +metrologue +metromalacia +metromalacoma +metromalacosis +metromania +metromaniac +metromaniacal +metrometer +metron +metroneuria +metronidazole +metronym +metronymy +metronymic +metronome +metronomes +metronomic +metronomical +metronomically +metroparalysis +metropathy +metropathia +metropathic +metroperitonitis +metrophlebitis +metrophotography +metropole +metropoleis +metropolic +metropolis +metropolises +metropolitan +metropolitanate +metropolitancy +metropolitanism +metropolitanize +metropolitanized +metropolitanship +metropolite +metropolitic +metropolitical +metropolitically +metroptosia +metroptosis +metroradioscope +metrorrhagia +metrorrhagic +metrorrhea +metrorrhexis +metrorthosis +metros +metrosalpingitis +metrosalpinx +metroscirrhus +metroscope +metroscopy +metrosideros +metrosynizesis +metrostaxis +metrostenosis +metrosteresis +metrostyle +metrotherapy +metrotherapist +metrotome +metrotometry +metrotomy +metroxylon +mets +mettar +mettle +mettled +mettles +mettlesome +mettlesomely +mettlesomeness +metump +metumps +metus +metusia +metwand +metze +meu +meubles +meum +meuni +meuniere +meurtriere +meuse +meute +mev +mew +meward +mewed +mewer +mewing +mewl +mewled +mewler +mewlers +mewling +mewls +mews +mexica +mexical +mexican +mexicanize +mexicans +mexico +mexitl +mexitli +mezail +mezair +mezcal +mezcaline +mezcals +mezentian +mezentism +mezentius +mezereon +mezereons +mezereum +mezereums +mezo +mezquit +mezquite +mezquites +mezquits +mezuza +mezuzah +mezuzahs +mezuzas +mezuzot +mezuzoth +mezzanine +mezzanines +mezzavoce +mezzo +mezzograph +mezzolith +mezzolithic +mezzos +mezzotint +mezzotinted +mezzotinter +mezzotinting +mezzotinto +mf +mfd +mfg +mfr +mg +mgal +mgd +mgr +mgt +mh +mhg +mho +mhometer +mhorr +mhos +mhz +mi +my +mia +mya +myacea +miacis +miae +myal +myalgia +myalgias +myalgic +myalia +myalism +myall +miami +miamia +mian +miao +miaotse +miaotze +miaou +miaoued +miaouing +miaous +miaow +miaowed +miaower +miaowing +miaows +miaplacidus +miargyrite +myaria +myarian +miarolitic +mias +miascite +myases +myasis +miaskite +miasm +miasma +miasmal +miasmas +miasmata +miasmatic +miasmatical +miasmatically +miasmatize +miasmatology +miasmatous +miasmic +miasmology +miasmous +miasms +myasthenia +myasthenic +miastor +myatony +myatonia +myatonic +myatrophy +miauer +miaul +miauled +miauler +miauling +miauls +miauw +miazine +mib +mibound +mibs +myc +mica +micaceous +micacious +micacite +micah +micas +micasization +micasize +micast +micasting +micasts +micate +mication +micawber +micawberish +micawberism +micawbers +mice +mycele +myceles +mycelia +mycelial +mycelian +mycelioid +mycelium +micell +micella +micellae +micellar +micellarly +micelle +micelles +micells +myceloid +mycenaean +miceplot +micerun +micesource +mycetes +mycetism +mycetocyte +mycetogenesis +mycetogenetic +mycetogenic +mycetogenous +mycetoid +mycetology +mycetological +mycetoma +mycetomas +mycetomata +mycetomatous +mycetome +mycetophagidae +mycetophagous +mycetophilid +mycetophilidae +mycetous +mycetozoa +mycetozoan +mycetozoon +michabo +michabou +michael +michaelites +michaelmas +michaelmastide +miche +micheal +miched +michel +michelangelesque +michelangelism +michelangelo +michelia +michelle +micher +michery +michiel +michigamea +michigan +michigander +michiganite +miching +michoacan +michoacano +micht +mick +mickey +mickeys +mickery +micky +mickies +mickle +micklemote +mickleness +mickler +mickles +micklest +micks +micmac +mico +mycobacteria +mycobacteriaceae +mycobacterial +mycobacterium +mycocecidium +mycocyte +mycoderm +mycoderma +mycodermatoid +mycodermatous +mycodermic +mycodermitis +mycodesmoid +mycodomatium +mycoflora +mycogastritis +mycogone +mycohaemia +mycohemia +mycoid +mycol +mycology +mycologic +mycological +mycologically +mycologies +mycologist +mycologists +mycologize +mycomycete +mycomycetes +mycomycetous +mycomycin +mycomyringitis +miconcave +miconia +mycophagy +mycophagist +mycophagous +mycophyte +mycoplana +mycoplasm +mycoplasma +mycoplasmal +mycoplasmic +mycoprotein +mycorhiza +mycorhizal +mycorrhiza +mycorrhizae +mycorrhizal +mycorrhizic +mycorrihizas +mycose +mycoses +mycosymbiosis +mycosin +mycosis +mycosozin +mycosphaerella +mycosphaerellaceae +mycostat +mycostatic +mycosterol +mycotic +mycotoxic +mycotoxin +mycotrophic +micra +micraco +micracoustic +micraesthete +micramock +micrampelis +micranatomy +micrander +micrandrous +micraner +micranthropos +micraster +micrencephaly +micrencephalia +micrencephalic +micrencephalous +micrencephalus +micrergate +micresthete +micrify +micrified +micrifies +micrifying +micro +microaerophile +microaerophilic +microammeter +microampere +microanalyses +microanalysis +microanalyst +microanalytic +microanalytical +microanatomy +microanatomical +microangstrom +microapparatus +microarchitects +microarchitecture +microarchitectures +microbacteria +microbacterium +microbacteteria +microbal +microbalance +microbar +microbarogram +microbarograph +microbars +microbattery +microbe +microbeam +microbeless +microbeproof +microbes +microbial +microbian +microbic +microbicidal +microbicide +microbiology +microbiologic +microbiological +microbiologically +microbiologies +microbiologist +microbiologists +microbion +microbiophobia +microbiosis +microbiota +microbiotic +microbious +microbism +microbium +microblast +microblephary +microblepharia +microblepharism +microbody +microbrachia +microbrachius +microburet +microburette +microburner +microbus +microbuses +microbusses +microcaltrop +microcamera +microcapsule +microcard +microcardia +microcardius +microcards +microcarpous +microcebus +microcellular +microcentrosome +microcentrum +microcephal +microcephali +microcephaly +microcephalia +microcephalic +microcephalism +microcephalous +microcephalus +microceratous +microchaeta +microchaetae +microcharacter +microcheilia +microcheiria +microchemic +microchemical +microchemically +microchemistry +microchip +microchiria +microchiroptera +microchiropteran +microchiropterous +microchromosome +microchronometer +microcycle +microcycles +microcinema +microcinematograph +microcinematography +microcinematographic +microcyprini +microcircuit +microcircuitry +microcirculation +microcirculatory +microcyst +microcyte +microcythemia +microcytic +microcytosis +microcitrus +microclastic +microclimate +microclimates +microclimatic +microclimatically +microclimatology +microclimatologic +microclimatological +microclimatologist +microcline +microcnemia +microcoat +micrococcal +micrococceae +micrococci +micrococcic +micrococcocci +micrococcus +microcode +microcoded +microcodes +microcoding +microcoleoptera +microcolon +microcolorimeter +microcolorimetry +microcolorimetric +microcolorimetrically +microcolumnar +microcombustion +microcomputer +microcomputers +microconidial +microconidium +microconjugant +microconodon +microconstituent +microcopy +microcopied +microcopies +microcopying +microcoria +microcos +microcosm +microcosmal +microcosmian +microcosmic +microcosmical +microcosmically +microcosmography +microcosmology +microcosmos +microcosms +microcosmus +microcoulomb +microcranous +microcryptocrystalline +microcrystal +microcrystalline +microcrystallinity +microcrystallogeny +microcrystallography +microcrystalloscopy +microcrith +microcultural +microculture +microcurie +microdactylia +microdactylism +microdactylous +microdensitometer +microdensitometry +microdensitometric +microdentism +microdentous +microdetection +microdetector +microdetermination +microdiactine +microdimensions +microdyne +microdissection +microdistillation +microdont +microdonty +microdontia +microdontic +microdontism +microdontous +microdose +microdot +microdrawing +microdrili +microdrive +microeconomic +microeconomics +microelectrode +microelectrolysis +microelectronic +microelectronically +microelectronics +microelectrophoresis +microelectrophoretic +microelectrophoretical +microelectrophoretically +microelectroscope +microelement +microencapsulate +microencapsulation +microenvironment +microenvironmental +microerg +microestimation +microeutaxitic +microevolution +microevolutionary +microexamination +microfarad +microfauna +microfaunal +microfelsite +microfelsitic +microfibril +microfibrillar +microfiche +microfiches +microfilaria +microfilarial +microfilm +microfilmable +microfilmed +microfilmer +microfilming +microfilms +microflora +microfloral +microfluidal +microfoliation +microform +microforms +microfossil +microfungal +microfungus +microfurnace +microgadus +microgalvanometer +microgamete +microgametocyte +microgametophyte +microgamy +microgamies +microgaster +microgastria +microgastrinae +microgastrine +microgauss +microgeology +microgeological +microgeologist +microgilbert +microgyne +microgyria +microglia +microglial +microglossia +micrognathia +micrognathic +micrognathous +microgonidial +microgonidium +microgram +microgramme +microgrammes +microgramming +micrograms +microgranite +microgranitic +microgranitoid +microgranular +microgranulitic +micrograph +micrographer +micrography +micrographic +micrographical +micrographically +micrographist +micrographs +micrograver +microgravimetric +microgroove +microgrooves +microhabitat +microhardness +microhenry +microhenries +microhenrys +microhepatia +microhymenoptera +microhymenopteron +microhistochemical +microhistology +microhm +microhmmeter +microhms +microimage +microinch +microinjection +microinstruction +microinstructions +microjoule +microjump +microjumps +microlambert +microlecithal +microlepidopter +microlepidoptera +microlepidopteran +microlepidopterist +microlepidopteron +microlepidopterous +microleukoblast +microlevel +microlite +microliter +microlith +microlithic +microlitic +micrology +micrologic +micrological +micrologically +micrologist +micrologue +microluces +microlux +microluxes +micromania +micromaniac +micromanipulation +micromanipulator +micromanipulators +micromanometer +micromastictora +micromazia +micromeasurement +micromechanics +micromeli +micromelia +micromelic +micromelus +micromembrane +micromeral +micromere +micromeria +micromeric +micromerism +micromeritic +micromeritics +micromesentery +micrometallographer +micrometallography +micrometallurgy +micrometeorite +micrometeoritic +micrometeorogram +micrometeorograph +micrometeoroid +micrometeorology +micrometeorological +micrometeorologist +micrometer +micrometers +micromethod +micrometry +micrometric +micrometrical +micrometrically +micromho +micromhos +micromicrocurie +micromicrofarad +micromicron +micromyelia +micromyeloblast +micromil +micromillimeter +micromineralogy +micromineralogical +microminiature +microminiaturization +microminiaturizations +microminiaturize +microminiaturized +microminiaturizing +micromodule +micromolar +micromole +micromorph +micromorphology +micromorphologic +micromorphological +micromorphologically +micromotion +micromotoscope +micron +micronemous +micronesia +micronesian +micronesians +micronization +micronize +micronometer +microns +micronuclear +micronucleate +micronuclei +micronucleus +micronutrient +microoperations +microorganic +microorganism +microorganismal +microorganisms +micropalaeontology +micropaleontology +micropaleontologic +micropaleontological +micropaleontologist +micropantograph +microparasite +microparasitic +micropathology +micropathological +micropathologies +micropathologist +micropegmatite +micropegmatitic +micropenis +microperthite +microperthitic +micropetalous +micropetrography +micropetrology +micropetrologist +microphage +microphagy +microphagocyte +microphagous +microphakia +microphallus +microphyll +microphyllous +microphysical +microphysically +microphysics +microphysiography +microphytal +microphyte +microphytic +microphytology +microphobia +microphone +microphones +microphonic +microphonics +microphoning +microphonism +microphonograph +microphot +microphotograph +microphotographed +microphotographer +microphotography +microphotographic +microphotographing +microphotographs +microphotometer +microphotometry +microphotometric +microphotometrically +microphotoscope +microphthalmia +microphthalmic +microphthalmos +microphthalmus +micropia +micropylar +micropyle +micropin +micropipet +micropipette +micropyrometer +microplakite +microplankton +microplastocyte +microplastometer +micropodal +micropodi +micropodia +micropodidae +micropodiformes +micropodous +micropoecilitic +micropoicilitic +micropoikilitic +micropolariscope +micropolarization +micropopulation +micropore +microporosity +microporous +microporphyritic +microprint +microprobe +microprocedure +microprocedures +microprocessing +microprocessor +microprocessors +microprogram +microprogrammable +microprogrammed +microprogrammer +microprogramming +microprograms +microprojection +microprojector +micropsy +micropsia +micropterygid +micropterygidae +micropterygious +micropterygoidea +micropterism +micropteryx +micropterous +micropterus +microptic +micropublisher +micropublishing +micropulsation +micropuncture +micropus +microradiograph +microradiography +microradiographic +microradiographical +microradiographically +microradiometer +microreaction +microreader +microrefractometer +microreproduction +microrhabdus +microrheometer +microrheometric +microrheometrical +microrhopias +micros +microsauria +microsaurian +microscale +microsclere +microsclerous +microsclerum +microscopal +microscope +microscopes +microscopy +microscopial +microscopic +microscopical +microscopically +microscopics +microscopid +microscopies +microscopist +microscopium +microscopize +microscopopy +microsec +microsecond +microseconds +microsection +microsegment +microseism +microseismic +microseismical +microseismicity +microseismograph +microseismology +microseismometer +microseismometry +microseismometrograph +microseme +microseptum +microsiemens +microsystems +microskirt +microsmatic +microsmatism +microsoftware +microsoma +microsomal +microsomatous +microsome +microsomia +microsomial +microsomic +microsommite +microsorex +microspace +microspacing +microspecies +microspectrophotometer +microspectrophotometry +microspectrophotometric +microspectrophotometrical +microspectrophotometrically +microspectroscope +microspectroscopy +microspectroscopic +microspermae +microspermous +microsphaera +microsphaeric +microsphere +microspheric +microspherical +microspherulitic +microsplanchnic +microsplenia +microsplenic +microsporange +microsporanggia +microsporangia +microsporangiate +microsporangium +microspore +microsporiasis +microsporic +microsporidia +microsporidian +microsporocyte +microsporogenesis +microsporon +microsporophyll +microsporophore +microsporosis +microsporous +microsporum +microstat +microstate +microstates +microstethoscope +microsthene +microsthenes +microsthenic +microstylis +microstylospore +microstylous +microstomatous +microstome +microstomia +microstomous +microstore +microstress +microstructural +microstructure +microsublimation +microsurgeon +microsurgeons +microsurgery +microsurgeries +microsurgical +microswitch +microtasimeter +microtechnic +microtechnique +microtektite +microtelephone +microtelephonic +microthelyphonida +microtheos +microtherm +microthermic +microthyriaceae +microthorax +microtia +microtinae +microtine +microtines +microtypal +microtype +microtypical +microtitration +microtome +microtomy +microtomic +microtomical +microtomist +microtonal +microtonality +microtonally +microtone +microtubular +microtubule +microtus +microvasculature +microvax +microvaxes +microvillar +microvillous +microvillus +microvolt +microvolume +microvolumetric +microwatt +microwave +microwaves +microweber +microword +microwords +microzyma +microzyme +microzymian +microzoa +microzoal +microzoan +microzoary +microzoaria +microzoarian +microzoic +microzone +microzooid +microzoology +microzoon +microzoospore +micrurgy +micrurgic +micrurgical +micrurgies +micrurgist +micrurus +mycteria +mycteric +mycterism +miction +myctodera +myctophid +myctophidae +myctophum +micturate +micturated +micturating +micturation +micturition +mid +midafternoon +mydaidae +midair +midairs +mydaleine +midas +mydatoxine +mydaus +midautumn +midaxillary +midband +midbody +midbrain +midbrains +midcarpal +midchannel +midcourse +midday +middays +midden +middens +middenstead +middes +middest +middy +middies +middle +middlebreaker +middlebrow +middlebrowism +middlebrows +middlebuster +middleclass +middled +middlehand +middleland +middleman +middlemanism +middlemanship +middlemen +middlemost +middleness +middler +middlers +middles +middlesail +middlesplitter +middletone +middleway +middlewards +middleweight +middleweights +middlewoman +middlewomen +middling +middlingish +middlingly +middlingness +middlings +middorsal +mide +mideast +mider +midevening +midewin +midewiwin +midfacial +midfield +midfielder +midfields +midforenoon +midfrontal +midgard +midge +midges +midget +midgety +midgets +midgy +midgut +midguts +midheaven +midi +midianite +midianitish +midicoat +mididae +midyear +midyears +midified +mydine +midinette +midinettes +midiron +midirons +midis +midiskirt +midland +midlander +midlandize +midlands +midlandward +midlatitude +midleg +midlegs +midlenting +midline +midlines +midmain +midmandibular +midmonth +midmonthly +midmonths +midmorn +midmorning +midmost +midmosts +midn +midnight +midnightly +midnights +midnoon +midnoons +midocean +midparent +midparentage +midparental +midpit +midpoint +midpoints +midrange +midranges +midrash +midrashic +midrashim +midrashoth +mydriasine +mydriasis +mydriatic +mydriatine +midrib +midribbed +midribs +midriff +midriffs +mids +midscale +midseason +midsection +midsemester +midsentence +midship +midshipman +midshipmanship +midshipmen +midshipmite +midships +midspace +midspaces +midspan +midst +midstead +midstyled +midstory +midstories +midstout +midstream +midstreet +midstroke +midsts +midsummer +midsummery +midsummerish +midsummers +midtap +midtarsal +midterm +midterms +midtown +midtowns +midvein +midventral +midverse +midway +midways +midward +midwatch +midwatches +midweek +midweekly +midweeks +midwest +midwestern +midwesterner +midwesterners +midwestward +midwife +midwifed +midwifery +midwiferies +midwifes +midwifing +midwinter +midwinterly +midwinters +midwintry +midwise +midwived +midwives +midwiving +myectomy +myectomize +myectopy +myectopia +miek +myel +myelalgia +myelapoplexy +myelasthenia +myelatrophy +myelauxe +myelemia +myelencephala +myelencephalic +myelencephalon +myelencephalons +myelencephalous +myelic +myelin +myelinate +myelinated +myelination +myeline +myelines +myelinic +myelinization +myelinogenesis +myelinogenetic +myelinogeny +myelins +myelitic +myelitides +myelitis +myeloblast +myeloblastic +myelobrachium +myelocele +myelocerebellar +myelocyst +myelocystic +myelocystocele +myelocyte +myelocythaemia +myelocythemia +myelocytic +myelocytosis +myelocoele +myelodiastasis +myeloencephalitis +myelofibrosis +myelofibrotic +myeloganglitis +myelogenesis +myelogenetic +myelogenic +myelogenous +myelogonium +myelography +myelographic +myelographically +myeloic +myeloid +myelolymphangioma +myelolymphocyte +myeloma +myelomalacia +myelomas +myelomata +myelomatoid +myelomatosis +myelomatous +myelomenia +myelomeningitis +myelomeningocele +myelomere +myelon +myelonal +myeloneuritis +myelonic +myeloparalysis +myelopathy +myelopathic +myelopetal +myelophthisis +myeloplast +myeloplastic +myeloplax +myeloplaxes +myeloplegia +myelopoiesis +myelopoietic +myeloproliferative +myelorrhagia +myelorrhaphy +myelosarcoma +myelosclerosis +myelosyphilis +myelosyphilosis +myelosyringosis +myelospasm +myelospongium +myelotherapy +myelozoa +myelozoan +mien +miens +myentasis +myenteric +myenteron +miersite +miescherian +myesthesia +miff +miffed +miffy +miffier +miffiest +miffiness +miffing +miffs +mig +myg +migale +mygale +mygalid +mygaloid +migg +miggle +miggles +miggs +might +mighted +mightful +mightfully +mightfulness +mighty +mightier +mightiest +mightyhearted +mightily +mightiness +mightyship +mightless +mightly +mightnt +mights +miglio +migmatite +migniard +migniardise +migniardize +mignon +mignonette +mignonettes +mignonne +mignonness +mignons +migonitis +migraine +migraines +migrainoid +migrainous +migrans +migrant +migrants +migrate +migrated +migrates +migrating +migration +migrational +migrationist +migrations +migrative +migrator +migratory +migratorial +migrators +migs +miguel +miharaite +mihrab +myiarchus +myiases +myiasis +myiferous +myiodesopsia +myiosis +myitis +mijakite +mijl +mijnheer +mijnheerl +mijnheers +mikado +mikadoate +mikadoism +mikados +mikael +mikania +mikasuki +mike +miked +mikey +mikes +miki +mikie +miking +mikir +mykiss +mikra +mikrkra +mikron +mikrons +mikvah +mikvahs +mikveh +mikvehs +mikvoth +mil +mila +milacre +miladi +milady +miladies +miladis +milage +milages +milammeter +milan +milanaise +milanese +milanion +mylar +milarite +milch +milched +milcher +milchy +milchig +milchigs +mild +milden +mildened +mildening +mildens +milder +mildest +mildew +mildewed +mildewer +mildewy +mildewing +mildewproof +mildews +mildful +mildfulness +mildhearted +mildheartedness +mildish +mildly +mildness +mildnesses +mildred +mile +mileage +mileages +miledh +mileometer +milepost +mileposts +miler +milers +miles +milesian +milesima +milesimo +milesimos +milesius +milestone +milestones +mileway +milfoil +milfoils +milha +milia +miliaceous +miliarenses +miliarensis +miliary +miliaria +miliarial +miliarias +miliarium +milice +milicent +milieu +milieus +milieux +myliobatid +myliobatidae +myliobatine +myliobatoid +miliola +milioliform +milioline +miliolite +miliolitic +milit +militancy +militant +militantly +militantness +militants +militar +military +militaries +militaryism +militarily +militaryment +militariness +militarisation +militarise +militarised +militarising +militarism +militarist +militaristic +militaristical +militaristically +militarists +militarization +militarize +militarized +militarizes +militarizing +militaster +militate +militated +militates +militating +militation +militia +militiaman +militiamen +militias +militiate +milium +miljee +milk +milkbush +milked +milken +milker +milkeress +milkers +milkfish +milkfishes +milkgrass +milkhouse +milky +milkier +milkiest +milkily +milkiness +milking +milkless +milklike +milkmaid +milkmaids +milkman +milkmen +milkness +milko +milks +milkshake +milkshed +milkshop +milksick +milksop +milksopism +milksoppery +milksoppy +milksoppiness +milksopping +milksoppish +milksoppishness +milksops +milkstone +milktoast +milkwagon +milkweed +milkweeds +milkwood +milkwoods +milkwort +milkworts +mill +milla +millable +millage +millages +millanare +millard +millboard +millcake +millclapper +millcourse +milldam +milldams +milldoll +mille +milled +millefeuille +millefiore +millefiori +millefleur +millefleurs +milleflorous +millefoliate +millenary +millenarian +millenarianism +millenaries +millenarist +millenia +millenist +millenium +millennia +millennial +millennialism +millennialist +millennialistic +millennially +millennian +millenniary +millenniarism +millennium +millenniums +milleped +millepede +millepeds +millepora +millepore +milleporiform +milleporine +milleporite +milleporous +millepunctate +miller +milleress +milleri +millering +millerism +millerite +millerole +millers +milles +millesimal +millesimally +millet +millets +millettia +millfeed +millful +millhouse +milly +milliad +milliammeter +milliamp +milliampere +milliamperemeter +milliamperes +milliangstrom +milliard +milliardaire +milliards +milliare +milliares +milliary +milliarium +millibar +millibarn +millibars +millicron +millicurie +millidegree +millie +millieme +milliemes +milliequivalent +millier +milliers +millifarad +millifold +milliform +milligal +milligals +milligrade +milligram +milligramage +milligramme +milligrams +millihenry +millihenries +millihenrys +millijoule +millilambert +millile +milliliter +milliliters +millilitre +milliluces +millilux +milliluxes +millime +millimes +millimeter +millimeters +millimetmhos +millimetre +millimetres +millimetric +millimho +millimhos +millimiccra +millimicra +millimicron +millimicrons +millimol +millimolar +millimole +millincost +milline +milliner +millinery +millinerial +millinering +milliners +millines +milling +millings +millingtonia +millinormal +millinormality +millioctave +millioersted +milliohm +milliohms +million +millionaire +millionairedom +millionaires +millionairess +millionairish +millionairism +millionary +millioned +millioner +millionfold +millionism +millionist +millionize +millionnaire +millionocracy +millions +millionth +millionths +milliped +millipede +millipedes +millipeds +milliphot +millipoise +milliradian +millirem +millirems +milliroentgen +millisec +millisecond +milliseconds +millisiemens +millistere +millite +millithrum +millivolt +millivoltmeter +millivolts +milliwatt +milliweber +millken +millman +millmen +millnia +millocracy +millocrat +millocratism +millosevichite +millowner +millpond +millponds +millpool +millpost +millrace +millraces +millrind +millrynd +millrun +millruns +mills +millsite +millstock +millstone +millstones +millstream +millstreams +milltail +millward +millwheel +millwork +millworker +millworks +millwright +millwrighting +millwrights +milner +milo +mylodei +mylodon +mylodont +mylodontidae +mylohyoid +mylohyoidean +mylohyoidei +mylohyoideus +milometer +mylonite +mylonites +mylonitic +milor +milord +milords +milos +milpa +milpas +milquetoast +milquetoasts +milreis +milrind +mils +milsey +milsie +milt +milted +milter +milters +milty +miltier +miltiest +milting +miltlike +milton +miltonia +miltonian +miltonic +miltonically +miltonism +miltonist +miltonize +miltos +milts +miltsick +miltwaste +milvago +milvinae +milvine +milvinous +milvus +milwaukee +milwell +milzbrand +mim +mym +mima +mimamsa +mymar +mymarid +mymaridae +mimbar +mimbars +mimble +mimbreno +mime +mimed +mimeo +mimeoed +mimeograph +mimeographed +mimeography +mimeographic +mimeographically +mimeographing +mimeographist +mimeographs +mimeoing +mimeos +mimer +mimers +mimes +mimesis +mimesises +mimester +mimetene +mimetesite +mimetic +mimetical +mimetically +mimetism +mimetite +mimetites +mimi +mimiambi +mimiambic +mimiambics +mimic +mimical +mimically +mimicism +mimicked +mimicker +mimickers +mimicking +mimicry +mimicries +mimics +mimidae +miminae +mimine +miming +miminypiminy +mimir +mimish +mimly +mimmation +mimmed +mimmest +mimming +mimmock +mimmocky +mimmocking +mimmood +mimmoud +mimmouthed +mimmouthedness +mimodrama +mimographer +mimography +mimologist +mimosa +mimosaceae +mimosaceous +mimosas +mimosis +mimosite +mimotannic +mimotype +mimotypic +mimp +mimpei +mimsey +mimsy +mimulus +mimus +mimusops +mimzy +min +mina +myna +minable +minacious +minaciously +minaciousness +minacity +minacities +minae +minaean +minah +mynah +minahassa +minahassan +minahassian +mynahs +minar +minaret +minareted +minarets +minargent +minas +mynas +minasragrite +minatnrial +minatory +minatorial +minatorially +minatories +minatorily +minauderie +minaway +minbar +minbu +mince +minced +mincemeat +mincer +mincers +minces +minchah +minchen +minchery +minchiate +mincy +mincier +minciers +minciest +mincing +mincingly +mincingness +mincio +mincopi +mincopie +mind +mindblower +minded +mindedly +mindedness +mindel +mindelian +minder +mindererus +minders +mindful +mindfully +mindfulness +minding +mindless +mindlessly +mindlessness +mindly +minds +mindsickness +mindsight +mine +mineable +mined +minefield +minelayer +minelayers +mineowner +miner +mineragraphy +mineragraphic +mineraiogic +mineral +mineralise +mineralised +mineralising +mineralist +mineralizable +mineralization +mineralize +mineralized +mineralizer +mineralizes +mineralizing +mineralocorticoid +mineralogy +mineralogic +mineralogical +mineralogically +mineralogies +mineralogist +mineralogists +mineralogize +mineraloid +minerals +minery +minerology +minerologist +miners +minerva +minerval +minervan +minervic +mines +minestra +minestrone +minesweeper +minesweepers +minesweeping +minette +minever +mineworker +ming +minge +mingelen +mingy +mingie +mingier +mingiest +minginess +mingle +mingleable +mingled +mingledly +minglement +mingler +minglers +mingles +mingling +minglingly +mingo +mingrelian +minguetite +mingwort +minhag +minhagic +minhagim +minhah +mynheer +mynheers +mini +miny +miniaceous +minyadidae +minyae +minyan +minyanim +minyans +miniard +minyas +miniate +miniated +miniating +miniator +miniatous +miniature +miniatured +miniatureness +miniatures +miniaturing +miniaturist +miniaturistic +miniaturists +miniaturization +miniaturizations +miniaturize +miniaturized +miniaturizes +miniaturizing +minibike +minibikes +minibus +minibuses +minibusses +minicab +minicabs +minicam +minicamera +minicar +minicars +minicomputer +minicomputers +miniconjou +minidisk +minidisks +minidress +minie +minienize +minify +minification +minified +minifies +minifying +minifloppy +minifloppies +miniken +minikin +minikinly +minikins +minilanguage +minim +minima +minimacid +minimal +minimalism +minimalist +minimalists +minimalkaline +minimally +minimals +minimax +minimaxes +miniment +minimetric +minimi +minimifidian +minimifidianism +minimis +minimisation +minimise +minimised +minimiser +minimises +minimising +minimism +minimistic +minimite +minimitude +minimization +minimizations +minimize +minimized +minimizer +minimizers +minimizes +minimizing +minims +minimum +minimums +minimus +minimuscular +mining +minings +minion +minionette +minionism +minionly +minions +minionship +minious +minipill +minis +miniscule +miniseries +minish +minished +minisher +minishes +minishing +minishment +miniskirt +miniskirted +miniskirts +ministate +ministates +minister +ministered +ministeriable +ministerial +ministerialism +ministerialist +ministeriality +ministerially +ministerialness +ministering +ministerium +ministers +ministership +ministrable +ministral +ministrant +ministrants +ministrate +ministration +ministrations +ministrative +ministrator +ministrer +ministress +ministry +ministries +ministryship +minisub +minitant +minitari +minitrack +minium +miniums +miniver +minivers +minivet +mink +minkery +minkfish +minkfishes +minkish +minkopi +minks +minneapolis +minnehaha +minnesinger +minnesingers +minnesong +minnesota +minnesotan +minnesotans +minnetaree +minny +minnie +minniebush +minnies +minning +minnow +minnows +mino +minoan +minoize +minometer +minor +minora +minorage +minorate +minoration +minorca +minorcan +minorcas +minored +minoress +minoring +minorist +minorite +minority +minorities +minors +minorship +minos +minot +minotaur +minow +mynpacht +mynpachtbrief +mins +minseito +minsitive +minster +minsteryard +minsters +minstrel +minstreless +minstrels +minstrelship +minstrelsy +mint +mintage +mintages +mintaka +mintbush +minted +minter +minters +minty +mintier +mintiest +minting +mintmaker +mintmaking +mintman +mintmark +mintmaster +mints +mintweed +minuend +minuends +minuet +minuetic +minuetish +minuets +minum +minunet +minus +minuscular +minuscule +minuscules +minuses +minutary +minutation +minute +minuted +minutely +minuteman +minutemen +minuteness +minuter +minutes +minutest +minuthesis +minutia +minutiae +minutial +minuting +minutiose +minutious +minutiously +minutissimic +minvend +minverite +minx +minxes +minxish +minxishly +minxishness +minxship +myoalbumin +myoalbumose +myoatrophy +myoblast +myoblastic +myoblasts +miocardia +myocardia +myocardiac +myocardial +myocardiogram +myocardiograph +myocarditic +myocarditis +myocardium +myocdia +myocele +myocellulitis +miocene +miocenic +myocyte +myoclonic +myoclonus +myocoel +myocoele +myocoelom +myocolpitis +myocomma +myocommata +myodegeneration +myodes +myodiastasis +myodynamia +myodynamic +myodynamics +myodynamiometer +myodynamometer +myoedema +myoelectric +myoendocarditis +myoenotomy +myoepicardial +myoepithelial +myofibril +myofibrilla +myofibrillar +myofibroma +myofilament +myogen +myogenesis +myogenetic +myogenic +myogenicity +myogenous +myoglobin +myoglobinuria +myoglobulin +myogram +myograph +myographer +myography +myographic +myographical +myographically +myographist +myographs +myohaematin +myohematin +myohemoglobin +myohemoglobinuria +miohippus +myoid +myoidema +myoinositol +myokymia +myokinesis +myolemma +myolipoma +myoliposis +myoliposmias +myolysis +miolithic +myology +myologic +myological +myologies +myologisral +myologist +myoma +myomalacia +myomancy +myomantic +myomas +myomata +myomatous +miombo +myomectomy +myomectomies +myomelanosis +myomere +myometritis +myometrium +myomohysterectomy +myomorph +myomorpha +myomorphic +myomotomy +myonema +myoneme +myoneural +myoneuralgia +myoneurasthenia +myoneure +myoneuroma +myoneurosis +myonosus +myopachynsis +myoparalysis +myoparesis +myopathy +myopathia +myopathic +myopathies +myope +myoperitonitis +myopes +myophan +myophysical +myophysics +myophore +myophorous +myopy +myopia +myopias +myopic +myopical +myopically +myopies +myoplasm +mioplasmia +myoplasty +myoplastic +myopolar +myoporaceae +myoporaceous +myoporad +myoporum +myoproteid +myoprotein +myoproteose +myops +myorrhaphy +myorrhexis +myosalpingitis +myosarcoma +myosarcomatous +myosclerosis +myoscope +myoscopes +myoseptum +mioses +myoses +myosin +myosynizesis +myosinogen +myosinose +myosins +miosis +myosis +myositic +myositis +myosote +myosotes +myosotis +myosotises +myospasm +myospasmia +myosurus +myosuture +myotacismus +myotalpa +myotalpinae +myotasis +myotenotomy +miothermic +myothermic +miotic +myotic +miotics +myotics +myotome +myotomes +myotomy +myotomic +myotomies +myotony +myotonia +myotonias +myotonic +myotonus +myotrophy +myowun +myoxidae +myoxine +myoxus +mips +miqra +miquelet +miquelets +mir +mira +myra +myrabalanus +mirabel +mirabell +mirabelle +mirabile +mirabilia +mirabiliary +mirabilis +mirabilite +mirable +myrabolam +mirac +mirach +miracicidia +miracidia +miracidial +miracidium +miracle +miracled +miraclemonger +miraclemongering +miracles +miracling +miraclist +miracular +miraculist +miraculize +miraculosity +miraculous +miraculously +miraculousness +mirador +miradors +mirage +mirages +miragy +mirak +miramolin +mirana +miranda +mirandous +miranha +miranhan +mirate +mirbane +myrcene +myrcia +mircrobicidal +mird +mirdaha +mirdha +mire +mired +mirepois +mirepoix +mires +miresnipe +mirex +mirexes +mirfak +miri +miry +myriacanthous +miryachit +myriacoulomb +myriad +myriaded +myriadfold +myriadly +myriads +myriadth +myriagram +myriagramme +myrialiter +myrialitre +miriam +myriameter +myriametre +miriamne +myrianida +myriapod +myriapoda +myriapodan +myriapodous +myriapods +myriarch +myriarchy +myriare +myrica +myricaceae +myricaceous +myricales +myricas +myricetin +myricyl +myricylic +myricin +myrick +mirid +miridae +myrientomata +mirier +miriest +mirific +mirifical +miriki +miriness +mirinesses +miring +myringa +myringectomy +myringitis +myringodectomy +myringodermatitis +myringomycosis +myringoplasty +myringotome +myringotomy +myriological +myriologist +myriologue +myriophyllite +myriophyllous +myriophyllum +myriopod +myriopoda +myriopodous +myriopods +myriorama +myrioscope +myriosporous +myriotheism +myriotheist +myriotrichia +myriotrichiaceae +myriotrichiaceous +mirish +myristate +myristic +myristica +myristicaceae +myristicaceous +myristicivora +myristicivorous +myristin +myristone +mirk +mirker +mirkest +mirky +mirkier +mirkiest +mirkily +mirkiness +mirkish +mirkly +mirkness +mirks +mirksome +mirled +mirly +mirligo +mirliton +mirlitons +myrmecia +myrmecobiinae +myrmecobiine +myrmecobine +myrmecobius +myrmecochory +myrmecochorous +myrmecoid +myrmecoidy +myrmecology +myrmecological +myrmecologist +myrmecophaga +myrmecophagidae +myrmecophagine +myrmecophagoid +myrmecophagous +myrmecophile +myrmecophily +myrmecophilism +myrmecophilous +myrmecophyte +myrmecophytic +myrmecophobic +myrmekite +myrmeleon +myrmeleonidae +myrmeleontidae +myrmica +myrmicid +myrmicidae +myrmicine +myrmicoid +myrmidon +myrmidonian +myrmidons +myrmotherine +miro +myrobalan +myron +myronate +myronic +myropolist +myrosin +myrosinase +myrothamnaceae +myrothamnaceous +myrothamnus +mirounga +myroxylon +myrrh +myrrhed +myrrhy +myrrhic +myrrhine +myrrhis +myrrhol +myrrhophore +myrrhs +mirror +mirrored +mirrory +mirroring +mirrorize +mirrorlike +mirrors +mirrorscope +mirs +myrsinaceae +myrsinaceous +myrsinad +myrsiphyllum +myrt +myrtaceae +myrtaceous +myrtal +myrtales +mirth +mirthful +mirthfully +mirthfulness +mirthless +mirthlessly +mirthlessness +mirths +mirthsome +mirthsomeness +myrtiform +myrtilus +myrtle +myrtleberry +myrtlelike +myrtles +myrtol +myrtus +mirv +mirvs +mirza +mirzas +mis +misaccent +misaccentuation +misaccept +misacception +misaccount +misaccused +misachievement +misacknowledge +misact +misacted +misacting +misacts +misadapt +misadaptation +misadapted +misadapting +misadapts +misadd +misadded +misadding +misaddress +misaddressed +misaddresses +misaddressing +misaddrest +misadds +misadjudicated +misadjust +misadjusted +misadjusting +misadjustment +misadjusts +misadmeasurement +misadminister +misadministration +misadressed +misadressing +misadrest +misadvantage +misadventure +misadventurer +misadventures +misadventurous +misadventurously +misadvertence +misadvice +misadvise +misadvised +misadvisedly +misadvisedness +misadvises +misadvising +misaffect +misaffected +misaffection +misaffirm +misagent +misagents +misaim +misaimed +misaiming +misaims +misalienate +misaligned +misalignment +misalignments +misallegation +misallege +misalleged +misalleging +misally +misalliance +misalliances +misallied +misallies +misallying +misallocation +misallot +misallotment +misallotted +misallotting +misallowance +misalphabetize +misalphabetized +misalphabetizes +misalphabetizing +misalter +misaltered +misaltering +misalters +misanalysis +misanalyze +misanalyzed +misanalyzely +misanalyzing +misandry +misanswer +misanthrope +misanthropes +misanthropi +misanthropy +misanthropia +misanthropic +misanthropical +misanthropically +misanthropies +misanthropism +misanthropist +misanthropists +misanthropize +misanthropos +misapparel +misappear +misappearance +misappellation +misappended +misapply +misapplicability +misapplication +misapplied +misapplier +misapplies +misapplying +misappoint +misappointment +misappraise +misappraised +misappraisement +misappraising +misappreciate +misappreciation +misappreciative +misapprehend +misapprehended +misapprehending +misapprehendingly +misapprehends +misapprehensible +misapprehension +misapprehensions +misapprehensive +misapprehensively +misapprehensiveness +misappropriate +misappropriated +misappropriately +misappropriates +misappropriating +misappropriation +misappropriations +misarchism +misarchist +misarray +misarrange +misarranged +misarrangement +misarrangements +misarranges +misarranging +misarticulate +misarticulated +misarticulating +misarticulation +misascribe +misascription +misasperse +misassay +misassayed +misassaying +misassays +misassent +misassert +misassertion +misassign +misassignment +misassociate +misassociation +misate +misatone +misatoned +misatones +misatoning +misattend +misattribute +misattribution +misaunter +misauthorization +misauthorize +misauthorized +misauthorizing +misaventeur +misaver +misaverred +misaverring +misavers +misaward +misawarded +misawarding +misawards +misbandage +misbaptize +misbear +misbecame +misbecome +misbecoming +misbecomingly +misbecomingness +misbede +misbefall +misbefallen +misbefitting +misbegan +misbeget +misbegetting +misbegin +misbeginning +misbegins +misbegot +misbegotten +misbegun +misbehave +misbehaved +misbehaver +misbehavers +misbehaves +misbehaving +misbehavior +misbehaviour +misbeholden +misbelief +misbeliefs +misbelieve +misbelieved +misbeliever +misbelieving +misbelievingly +misbelove +misbeseem +misbestow +misbestowal +misbestowed +misbestowing +misbestows +misbetide +misbias +misbiased +misbiases +misbiasing +misbiassed +misbiasses +misbiassing +misbill +misbilled +misbilling +misbills +misbind +misbinding +misbinds +misbirth +misbode +misboden +misborn +misbound +misbrand +misbranded +misbranding +misbrands +misbrew +misbuild +misbuilding +misbuilds +misbuilt +misbusy +misbuttoned +misc +miscal +miscalculate +miscalculated +miscalculates +miscalculating +miscalculation +miscalculations +miscalculator +miscall +miscalled +miscaller +miscalling +miscalls +miscanonize +miscarry +miscarriage +miscarriageable +miscarriages +miscarried +miscarries +miscarrying +miscast +miscasted +miscasting +miscasts +miscasualty +miscategorize +miscategorized +miscategorizing +misce +misceability +miscegenate +miscegenation +miscegenational +miscegenationist +miscegenations +miscegenator +miscegenetic +miscegenist +miscegine +miscellanarian +miscellane +miscellanea +miscellaneal +miscellaneity +miscellaneous +miscellaneously +miscellaneousness +miscellany +miscellanies +miscellanist +miscensure +miscensured +miscensuring +mischallenge +mischance +mischanceful +mischances +mischancy +mischanter +mischaracterization +mischaracterize +mischaracterized +mischaracterizing +mischarge +mischarged +mischarges +mischarging +mischief +mischiefful +mischiefs +mischieve +mischievous +mischievously +mischievousness +mischio +mischoice +mischoose +mischoosing +mischose +mischosen +mischristen +miscibility +miscibilities +miscible +miscipher +miscitation +miscite +miscited +miscites +misciting +misclaim +misclaimed +misclaiming +misclaims +misclass +misclassed +misclasses +misclassify +misclassification +misclassifications +misclassified +misclassifies +misclassifying +misclassing +miscognizable +miscognizant +miscoin +miscoinage +miscoined +miscoining +miscoins +miscollocation +miscolor +miscoloration +miscolored +miscoloring +miscolors +miscolour +miscomfort +miscommand +miscommit +miscommunicate +miscommunication +miscommunications +miscompare +miscomplacence +miscomplain +miscomplaint +miscompose +miscomprehend +miscomprehension +miscomputation +miscompute +miscomputed +miscomputing +misconceit +misconceive +misconceived +misconceiver +misconceives +misconceiving +misconception +misconceptions +misconclusion +miscondition +misconduct +misconducted +misconducting +misconfer +misconfidence +misconfident +misconfiguration +misconjecture +misconjectured +misconjecturing +misconjugate +misconjugated +misconjugating +misconjugation +misconjunction +misconnection +misconsecrate +misconsecrated +misconsequence +misconstitutional +misconstruable +misconstrual +misconstruct +misconstruction +misconstructions +misconstructive +misconstrue +misconstrued +misconstruer +misconstrues +misconstruing +miscontent +miscontinuance +misconvey +misconvenient +miscook +miscooked +miscookery +miscooking +miscooks +miscopy +miscopied +miscopies +miscopying +miscorrect +miscorrected +miscorrecting +miscorrection +miscounsel +miscounseled +miscounseling +miscounselled +miscounselling +miscount +miscounted +miscounting +miscounts +miscovet +miscreance +miscreancy +miscreant +miscreants +miscreate +miscreated +miscreating +miscreation +miscreative +miscreator +miscredit +miscredited +miscredulity +miscreed +miscript +miscrop +miscue +miscued +miscues +miscuing +miscultivated +misculture +miscurvature +miscut +miscuts +miscutting +misdate +misdated +misdateful +misdates +misdating +misdaub +misdeal +misdealer +misdealing +misdeals +misdealt +misdecide +misdecision +misdeclaration +misdeclare +misdeed +misdeeds +misdeem +misdeemed +misdeemful +misdeeming +misdeems +misdefine +misdefined +misdefines +misdefining +misdeformed +misdeliver +misdelivery +misdeliveries +misdemean +misdemeanant +misdemeaned +misdemeaning +misdemeanist +misdemeanor +misdemeanors +misdemeanour +misdentition +misdepart +misderivation +misderive +misderived +misderiving +misdescribe +misdescribed +misdescriber +misdescribing +misdescription +misdescriptive +misdesert +misdeserve +misdesignate +misdesire +misdetermine +misdevise +misdevoted +misdevotion +misdiagnose +misdiagnosed +misdiagnoses +misdiagnosing +misdiagnosis +misdiagrammed +misdictated +misdid +misdidived +misdiet +misdight +misdirect +misdirected +misdirecting +misdirection +misdirections +misdirects +misdispose +misdisposition +misdistinguish +misdistribute +misdistribution +misdived +misdivide +misdividing +misdivision +misdo +misdoer +misdoers +misdoes +misdoing +misdoings +misdone +misdoubt +misdoubted +misdoubtful +misdoubting +misdoubts +misdower +misdraw +misdrawing +misdrawn +misdraws +misdread +misdrew +misdrive +misdriven +misdrives +misdriving +misdrove +mise +misease +miseased +miseases +miseat +miseating +miseats +misecclesiastic +misedit +misedited +misediting +misedits +miseducate +miseducated +miseducates +miseducating +miseducation +miseducative +miseffect +mysel +myself +mysell +misemphasis +misemphasize +misemphasized +misemphasizing +misemploy +misemployed +misemploying +misemployment +misemploys +misencourage +misendeavor +misenforce +misengrave +misenite +misenjoy +misenrol +misenroll +misenrolled +misenrolling +misenrolls +misenrols +misenter +misentered +misentering +misenters +misentitle +misentreat +misentry +misentries +misenunciation +misenus +miser +miserabilia +miserabilism +miserabilist +miserabilistic +miserability +miserable +miserableness +miserably +miseration +miserdom +misere +miserected +miserere +misereres +miserhood +misery +misericord +misericorde +misericordia +miseries +miserism +miserly +miserliness +misers +mises +misesteem +misesteemed +misesteeming +misestimate +misestimated +misestimating +misestimation +misevaluate +misevaluation +misevent +misevents +misexample +misexecute +misexecution +misexpectation +misexpend +misexpenditure +misexplain +misexplained +misexplanation +misexplicate +misexplication +misexposition +misexpound +misexpress +misexpression +misexpressive +misfaith +misfaiths +misfall +misfare +misfashion +misfashioned +misfate +misfather +misfault +misfeasance +misfeasances +misfeasor +misfeasors +misfeature +misfeatured +misfeign +misfield +misfielded +misfielding +misfields +misfigure +misfile +misfiled +misfiles +misfiling +misfire +misfired +misfires +misfiring +misfit +misfits +misfitted +misfitting +misfocus +misfocused +misfocusing +misfocussed +misfocussing +misfond +misforgive +misform +misformation +misformed +misforming +misforms +misfortunate +misfortunately +misfortune +misfortuned +misfortuner +misfortunes +misframe +misframed +misframes +misframing +misgauge +misgauged +misgauges +misgauging +misgave +misgesture +misgye +misgive +misgiven +misgives +misgiving +misgivingly +misgivinglying +misgivings +misgo +misgotten +misgovern +misgovernance +misgoverned +misgoverning +misgovernment +misgovernor +misgoverns +misgracious +misgrade +misgraded +misgrading +misgraff +misgraffed +misgraft +misgrafted +misgrafting +misgrafts +misgrave +misgrew +misground +misgrounded +misgrow +misgrowing +misgrown +misgrows +misgrowth +misguage +misguaged +misguess +misguessed +misguesses +misguessing +misguggle +misguidance +misguide +misguided +misguidedly +misguidedness +misguider +misguiders +misguides +misguiding +misguidingly +misguise +mishandle +mishandled +mishandles +mishandling +mishanter +mishap +mishappen +mishaps +mishara +mishave +mishear +misheard +mishearing +mishears +mishikhwutmetunne +miships +mishit +mishits +mishitting +mishmash +mishmashes +mishmee +mishmi +mishmosh +mishmoshes +mishnah +mishnaic +mishnic +mishnical +mishongnovi +misy +mysian +mysid +mysidacea +mysidae +mysidean +misidentify +misidentification +misidentifications +misidentified +misidentifies +misidentifying +misima +misimagination +misimagine +misimpression +misimprove +misimproved +misimprovement +misimproving +misimputation +misimpute +misincensed +misincite +misinclination +misincline +misinfer +misinference +misinferred +misinferring +misinfers +misinflame +misinform +misinformant +misinformants +misinformation +misinformative +misinformed +misinformer +misinforming +misinforms +misingenuity +misinspired +misinstruct +misinstructed +misinstructing +misinstruction +misinstructions +misinstructive +misinstructs +misintelligence +misintelligible +misintend +misintention +misinter +misinterment +misinterpret +misinterpretable +misinterpretation +misinterpretations +misinterpreted +misinterpreter +misinterpreting +misinterprets +misinterred +misinterring +misinters +misintimation +misyoke +misyoked +misyokes +misyoking +misiones +mysis +misitemized +misjoin +misjoinder +misjoined +misjoining +misjoins +misjudge +misjudged +misjudgement +misjudger +misjudges +misjudging +misjudgingly +misjudgment +misjudgments +miskal +miskals +miskeep +miskeeping +miskeeps +misken +miskenning +miskept +misky +miskill +miskin +miskindle +misknew +misknow +misknowing +misknowledge +misknown +misknows +mislabel +mislabeled +mislabeling +mislabelled +mislabelling +mislabels +mislabor +mislabored +mislaboring +mislabors +mislay +mislaid +mislayer +mislayers +mislaying +mislain +mislays +mislanguage +mislead +misleadable +misleader +misleading +misleadingly +misleadingness +misleads +mislear +misleared +mislearn +mislearned +mislearning +mislearns +mislearnt +misled +misleered +mislen +mislest +misly +mislie +mislies +mislight +mislighted +mislighting +mislights +mislying +mislikable +mislike +misliked +misliken +mislikeness +misliker +mislikers +mislikes +misliking +mislikingly +mislin +mislippen +mislit +mislive +mislived +mislives +misliving +mislled +mislocate +mislocated +mislocating +mislocation +mislodge +mislodged +mislodges +mislodging +misluck +mismade +mismake +mismaking +mismanage +mismanageable +mismanaged +mismanagement +mismanager +mismanages +mismanaging +mismannered +mismanners +mismark +mismarked +mismarking +mismarks +mismarry +mismarriage +mismarriages +mismatch +mismatched +mismatches +mismatching +mismatchment +mismate +mismated +mismates +mismating +mismaze +mismean +mismeasure +mismeasured +mismeasurement +mismeasuring +mismeet +mismeeting +mismeets +mismenstruation +mismet +mismetre +misminded +mismingle +mismosh +mismoshes +mismotion +mismount +mismove +mismoved +mismoves +mismoving +misname +misnamed +misnames +misnaming +misnarrate +misnarrated +misnarrating +misnatured +misnavigate +misnavigated +misnavigating +misnavigation +misniac +misnomed +misnomer +misnomered +misnomers +misnumber +misnumbered +misnumbering +misnumbers +misnurture +misnutrition +miso +misobedience +misobey +misobservance +misobserve +misocainea +misocapnic +misocapnist +misocatholic +misoccupy +misoccupied +misoccupying +misogallic +misogamy +misogamic +misogamies +misogamist +misogamists +misogyne +misogyny +misogynic +misogynical +misogynies +misogynism +mysogynism +misogynist +misogynistic +misogynistical +misogynists +misogynous +misohellene +mysoid +misology +misologies +misologist +misomath +misoneism +misoneist +misoneistic +misopaedia +misopaedism +misopaedist +misopaterist +misopedia +misopedism +misopedist +mysophilia +mysophobia +misopinion +misopolemical +misorder +misordination +mysore +misorganization +misorganize +misorganized +misorganizing +misorient +misorientation +misos +misoscopist +misosopher +misosophy +misosophist +mysosophist +mysost +mysosts +misotheism +misotheist +misotheistic +misotyranny +misotramontanism +misoxene +misoxeny +mispackaged +mispacked +mispage +mispaged +mispages +mispagination +mispaging +mispay +mispaid +mispaying +mispaint +mispainted +mispainting +mispaints +misparse +misparsed +misparses +misparsing +mispart +misparted +misparting +misparts +mispassion +mispatch +mispatched +mispatches +mispatching +mispen +mispenned +mispenning +mispens +misperceive +misperceived +misperceiving +misperception +misperform +misperformance +mispersuade +misperuse +misphrase +misphrased +misphrasing +mispick +mispickel +misplace +misplaced +misplacement +misplaces +misplacing +misplay +misplayed +misplaying +misplays +misplant +misplanted +misplanting +misplants +misplead +mispleaded +mispleading +mispleads +misplease +mispled +mispoint +mispointed +mispointing +mispoints +mispoise +mispoised +mispoises +mispoising +mispolicy +misposition +mispossessed +mispractice +mispracticed +mispracticing +mispractise +mispractised +mispractising +mispraise +misprejudiced +mispresent +misprincipled +misprint +misprinted +misprinting +misprints +misprisal +misprise +misprised +mispriser +misprising +misprision +misprisions +misprizal +misprize +misprized +misprizer +misprizes +misprizing +misproceeding +misproduce +misproduced +misproducing +misprofess +misprofessor +mispronounce +mispronounced +mispronouncement +mispronouncer +mispronounces +mispronouncing +mispronunciation +mispronunciations +misproportion +misproportioned +misproportions +misproposal +mispropose +misproposed +misproposing +misproud +misprovide +misprovidence +misprovoke +misprovoked +misprovoking +mispublicized +mispublished +mispunch +mispunctuate +mispunctuated +mispunctuating +mispunctuation +mispurchase +mispurchased +mispurchasing +mispursuit +misput +misputting +misqualify +misqualified +misqualifying +misquality +misquotation +misquotations +misquote +misquoted +misquoter +misquotes +misquoting +misraise +misraised +misraises +misraising +misrate +misrated +misrates +misrating +misread +misreaded +misreader +misreading +misreads +misrealize +misreason +misreceive +misrecital +misrecite +misreckon +misreckoned +misreckoning +misrecognition +misrecognize +misrecollect +misrecollected +misrefer +misreference +misreferred +misreferring +misrefers +misreflect +misreform +misregulate +misregulated +misregulating +misrehearsal +misrehearse +misrehearsed +misrehearsing +misrelate +misrelated +misrelating +misrelation +misrely +misreliance +misrelied +misrelies +misreligion +misrelying +misremember +misremembered +misremembrance +misrender +misrendering +misrepeat +misreport +misreported +misreporter +misreporting +misreports +misreposed +misrepresent +misrepresentation +misrepresentations +misrepresentative +misrepresented +misrepresentee +misrepresenter +misrepresenting +misrepresents +misreprint +misrepute +misresemblance +misresolved +misresult +misreward +misrhyme +misrhymed +misrhymer +misrule +misruled +misruler +misrules +misruly +misruling +misrun +miss +missa +missable +missay +missaid +missayer +missaying +missays +missal +missals +missample +missampled +missampling +missang +missary +missatical +misscribed +misscribing +misscript +misseat +misseated +misseating +misseats +missed +misseem +missel +misseldin +missels +missemblance +missend +missending +missends +missense +missenses +missent +missentence +misserve +misservice +misses +misset +missetting +misshape +misshaped +misshapen +misshapenly +misshapenness +misshapes +misshaping +misship +misshipment +misshipped +misshipping +misshod +misshood +missy +missible +missies +missificate +missyish +missile +missileer +missileman +missilemen +missileproof +missilery +missiles +missyllabication +missyllabify +missyllabification +missyllabified +missyllabifying +missilry +missilries +missiness +missing +missingly +missiology +mission +missional +missionary +missionaries +missionaryship +missionarize +missioned +missioner +missioning +missionization +missionize +missionizer +missions +missis +missisauga +missises +missish +missishness +mississippi +mississippian +mississippians +missit +missive +missives +missmark +missment +missort +missorted +missorting +missorts +missound +missounded +missounding +missounds +missouri +missourian +missourianism +missourians +missourite +missout +missouts +misspace +misspaced +misspaces +misspacing +misspeak +misspeaking +misspeaks +misspeech +misspeed +misspell +misspelled +misspelling +misspellings +misspells +misspelt +misspend +misspender +misspending +misspends +misspent +misspoke +misspoken +misstay +misstart +misstarted +misstarting +misstarts +misstate +misstated +misstatement +misstatements +misstater +misstates +misstating +missteer +missteered +missteering +missteers +misstep +misstepping +missteps +misstyle +misstyled +misstyles +misstyling +misstop +misstopped +misstopping +misstops +missuade +missuggestion +missuit +missuited +missuiting +missuits +missummation +missung +missuppose +missupposed +missupposing +missus +missuses +mist +myst +mystacal +mystacial +mystacine +mystacinous +mystacocete +mystacoceti +mystagog +mystagogy +mystagogic +mystagogical +mystagogically +mystagogs +mystagogue +mistakable +mistakableness +mistakably +mistake +mistakeful +mistaken +mistakenly +mistakenness +mistakeproof +mistaker +mistakers +mistakes +mistaking +mistakingly +mistakion +mistal +mistassini +mistaste +mistaught +mystax +mistbow +mistbows +mistcoat +misteach +misteacher +misteaches +misteaching +misted +mistell +mistelling +mistemper +mistempered +mistend +mistended +mistendency +mistending +mistends +mister +mistered +mistery +mystery +mysterial +mysteriarch +mysteries +mistering +mysteriosophy +mysteriosophic +mysterious +mysteriously +mysteriousness +mysterize +misterm +mistermed +misterming +misterms +misters +mystes +mistetch +misteuk +mistfall +mistflower +mistful +misthink +misthinking +misthinks +misthought +misthread +misthrew +misthrift +misthrive +misthrow +misthrowing +misthrown +misthrows +misty +mistic +mystic +mystical +mysticality +mystically +mysticalness +mysticete +mysticeti +mysticetous +mysticise +mysticism +mysticisms +mysticity +mysticize +mysticized +mysticizing +mysticly +mistico +mystics +mistide +mistier +mistiest +mistify +mystify +mystific +mystifically +mystification +mystifications +mystificator +mystificatory +mystified +mystifiedly +mystifier +mystifiers +mystifies +mystifying +mystifyingly +mistigri +mistigris +mistyish +mistily +mistilled +mistime +mistimed +mistimes +mistiming +mistiness +misting +mistion +mistype +mistyped +mistypes +mistyping +mistypings +mystique +mystiques +mistitle +mistitled +mistitles +mistitling +mistle +mistless +mistletoe +mistletoes +mistold +mistone +mistonusk +mistook +mistouch +mistouched +mistouches +mistouching +mistrace +mistraced +mistraces +mistracing +mistradition +mistrain +mistral +mistrals +mistranscribe +mistranscribed +mistranscribing +mistranscript +mistranscription +mistranslate +mistranslated +mistranslates +mistranslating +mistranslation +mistreading +mistreat +mistreated +mistreating +mistreatment +mistreats +mistress +mistressdom +mistresses +mistresshood +mistressless +mistressly +mistry +mistrial +mistrials +mistrist +mistryst +mistrysted +mistrysting +mistrysts +mistrow +mistrust +mistrusted +mistruster +mistrustful +mistrustfully +mistrustfulness +mistrusting +mistrustingly +mistrustless +mistrusts +mists +mistune +mistuned +mistunes +mistuning +misture +misturn +mistutor +mistutored +mistutoring +mistutors +misunderstand +misunderstandable +misunderstander +misunderstanders +misunderstanding +misunderstandingly +misunderstandings +misunderstands +misunderstood +misunderstoodness +misunion +misunions +misura +misusage +misusages +misuse +misused +misuseful +misusement +misuser +misusers +misuses +misusing +misusurped +misvaluation +misvalue +misvalued +misvalues +misvaluing +misventure +misventurous +misviding +misvouch +misvouched +misway +miswandered +miswed +miswedded +misween +miswend +miswern +miswire +miswired +miswiring +miswisdom +miswish +miswoman +misword +misworded +miswording +miswords +misworship +misworshiped +misworshiper +misworshipper +miswrest +miswrit +miswrite +miswrites +miswriting +miswritten +miswrote +miswrought +miszealous +miszone +miszoned +miszoning +mit +mytacism +mitakshara +mitanni +mitannian +mitannish +mitapsis +mitch +mitchboard +mitchell +mitchella +mite +mitella +miteproof +miter +mitered +miterer +miterers +miterflower +mitergate +mitering +miters +miterwort +mites +myth +mithan +mither +mithers +mythic +mythical +mythicalism +mythicality +mythically +mythicalness +mythicise +mythicised +mythiciser +mythicising +mythicism +mythicist +mythicization +mythicize +mythicized +mythicizer +mythicizing +mythify +mythification +mythified +mythifier +mythifying +mythism +mythist +mythize +mythland +mythmaker +mythmaking +mythoclast +mythoclastic +mythogeneses +mythogenesis +mythogeny +mythogony +mythogonic +mythographer +mythography +mythographies +mythographist +mythogreen +mythoheroic +mythohistoric +mythoi +mythol +mythologema +mythologer +mythology +mythologian +mythologic +mythological +mythologically +mythologies +mythologise +mythologist +mythologists +mythologization +mythologize +mythologized +mythologizer +mythologizing +mythologue +mythomania +mythomaniac +mythometer +mythonomy +mythopastoral +mythopeic +mythopeist +mythopoeia +mythopoeic +mythopoeism +mythopoeist +mythopoem +mythopoesy +mythopoesis +mythopoet +mythopoetic +mythopoetical +mythopoetise +mythopoetised +mythopoetising +mythopoetize +mythopoetized +mythopoetizing +mythopoetry +mythos +mithra +mithraea +mithraeum +mithraic +mithraicism +mithraicist +mithraicize +mithraism +mithraist +mithraistic +mithraitic +mithraize +mithras +mithratic +mithriac +mithridate +mithridatic +mithridatise +mithridatised +mithridatising +mithridatism +mithridatize +mithridatized +mithridatizing +myths +mythus +mity +miticidal +miticide +miticides +mitier +mitiest +mitigable +mitigant +mitigate +mitigated +mitigatedly +mitigates +mitigating +mitigation +mitigative +mitigator +mitigatory +mitigators +mytilacea +mytilacean +mytilaceous +mytiliaspis +mytilid +mytilidae +mytiliform +mytiloid +mytilotoxine +mytilus +miting +mitis +mitises +mitochondria +mitochondrial +mitochondrion +mitogen +mitogenetic +mitogenic +mitogenicity +mitogens +mitokoromono +mitome +mitomycin +mitoses +mitosis +mitosome +mitotic +mitotically +mitra +mitraille +mitrailleur +mitrailleuse +mitral +mitrate +mitre +mitred +mitreflower +mitrer +mitres +mitrewort +mitridae +mitriform +mitring +mitsukurina +mitsukurinidae +mitsumata +mitsvah +mitsvahs +mitsvoth +mitt +mittatur +mittelhand +mittelmeer +mitten +mittened +mittenlike +mittens +mittent +mitty +mittimus +mittimuses +mittle +mitts +mitu +mitua +mitvoth +mitzvah +mitzvahs +mitzvoth +miurus +mix +myxa +mixability +mixable +mixableness +myxadenitis +myxadenoma +myxaemia +myxamoeba +myxangitis +myxasthenia +mixblood +mixe +mixed +myxedema +myxedemas +myxedematoid +myxedematous +myxedemic +mixedly +mixedness +myxemia +mixen +mixer +mixeress +mixers +mixes +mixhill +mixy +mixible +mixilineal +myxine +mixing +myxinidae +myxinoid +myxinoidei +mixite +myxo +myxobacteria +myxobacteriaceae +myxobacteriaceous +myxobacteriales +mixobarbaric +myxoblastoma +myxochondroma +myxochondrosarcoma +mixochromosome +myxocystoma +myxocyte +myxocytes +myxococcus +mixodectes +mixodectidae +myxoedema +myxoedemic +myxoenchondroma +myxofibroma +myxofibrosarcoma +myxoflagellate +myxogaster +myxogasteres +myxogastrales +myxogastres +myxogastric +myxogastrous +myxoglioma +myxoid +myxoinoma +mixolydian +myxolipoma +mixology +mixologies +mixologist +myxoma +myxomas +myxomata +myxomatosis +myxomatous +myxomycetales +myxomycete +myxomycetes +myxomycetous +myxomyoma +myxoneuroma +myxopapilloma +myxophyceae +myxophycean +myxophyta +myxophobia +mixoploid +mixoploidy +myxopod +myxopoda +myxopodan +myxopodia +myxopodium +myxopodous +myxopoiesis +myxorrhea +myxosarcoma +mixosaurus +myxospongiae +myxospongian +myxospongida +myxospore +myxosporidia +myxosporidian +myxosporidiida +myxosporium +myxosporous +myxothallophyta +myxotheca +mixotrophic +myxoviral +myxovirus +mixt +mixtec +mixtecan +mixtiform +mixtilineal +mixtilinear +mixtilion +mixtion +mixture +mixtures +mixup +mixups +mizar +mize +mizen +mizenmast +mizens +mizmaze +myzodendraceae +myzodendraceous +myzodendron +myzomyia +myzont +myzontes +myzostoma +myzostomata +myzostomatous +myzostome +myzostomid +myzostomida +myzostomidae +myzostomidan +myzostomous +mizpah +mizrach +mizrah +mizraim +mizzen +mizzenmast +mizzenmastman +mizzenmasts +mizzens +mizzentop +mizzentopman +mizzentopmen +mizzy +mizzle +mizzled +mizzler +mizzles +mizzly +mizzling +mizzonite +mk +mks +mkt +mktg +ml +mlange +mlechchha +mlx +mm +mmf +mmfd +mmmm +mn +mna +mnage +mnem +mneme +mnemic +mnemiopsis +mnemonic +mnemonical +mnemonicalist +mnemonically +mnemonicon +mnemonics +mnemonism +mnemonist +mnemonization +mnemonize +mnemonized +mnemonizing +mnemosyne +mnemotechny +mnemotechnic +mnemotechnical +mnemotechnics +mnemotechnist +mnesic +mnestic +mnevis +mniaceae +mniaceous +mnioid +mniotiltidae +mnium +mo +moa +moabite +moabitess +moabitic +moabitish +moan +moaned +moanful +moanfully +moanification +moaning +moaningly +moanless +moans +moaria +moarian +moas +moat +moated +moathill +moating +moatlike +moats +moattalite +mob +mobable +mobbable +mobbed +mobber +mobbers +mobby +mobbie +mobbing +mobbish +mobbishly +mobbishness +mobbism +mobbist +mobble +mobcap +mobcaps +mobed +mobil +mobile +mobiles +mobilia +mobilian +mobilianer +mobiliary +mobilisable +mobilisation +mobilise +mobilised +mobiliser +mobilises +mobilising +mobility +mobilities +mobilizable +mobilization +mobilizations +mobilize +mobilized +mobilizer +mobilizers +mobilizes +mobilizing +mobilometer +moble +moblike +mobocracy +mobocracies +mobocrat +mobocratic +mobocratical +mobocrats +mobolatry +mobproof +mobs +mobship +mobsman +mobsmen +mobster +mobsters +mobula +mobulidae +moc +moca +moccasin +moccasins +moccenigo +mocha +mochas +moche +mochel +mochy +mochica +mochila +mochilas +mochras +mochudi +mock +mockable +mockado +mockage +mockbird +mocked +mocker +mockery +mockeries +mockernut +mockers +mocketer +mockful +mockfully +mockground +mocking +mockingbird +mockingbirds +mockingly +mockingstock +mockish +mocks +mockup +mockups +mocmain +moco +mocoa +mocoan +mocock +mocomoco +mocuck +mod +modal +modalism +modalist +modalistic +modality +modalities +modalize +modally +modder +mode +model +modeled +modeler +modelers +modeless +modelessness +modeling +modelings +modelist +modelize +modelled +modeller +modellers +modelling +modelmaker +modelmaking +models +modem +modems +modena +modenese +moder +moderant +moderantism +moderantist +moderate +moderated +moderately +moderateness +moderates +moderating +moderation +moderationism +moderationist +moderations +moderatism +moderatist +moderato +moderator +moderatorial +moderators +moderatorship +moderatos +moderatrix +modern +moderne +moderner +modernest +modernicide +modernisation +modernise +modernised +moderniser +modernish +modernising +modernism +modernist +modernistic +modernists +modernity +modernities +modernizable +modernization +modernize +modernized +modernizer +modernizers +modernizes +modernizing +modernly +modernness +moderns +modes +modest +modester +modestest +modesty +modesties +modestly +modestness +modge +modi +mody +modiation +modica +modicity +modicum +modicums +modif +modify +modifiability +modifiable +modifiableness +modifiably +modificability +modificable +modificand +modification +modificationist +modifications +modificative +modificator +modificatory +modified +modifier +modifiers +modifies +modifying +modili +modillion +modiolar +modioli +modiolus +modish +modishly +modishness +modist +modiste +modistes +modistry +modius +modo +modoc +modred +mods +modula +modulability +modulant +modular +modularity +modularization +modularize +modularized +modularizes +modularizing +modularly +modulate +modulated +modulates +modulating +modulation +modulations +modulative +modulator +modulatory +modulators +module +modules +modulet +moduli +modulidae +modulize +modulo +modulus +modumite +modus +moe +moeble +moeck +moed +moehringia +moellon +moerithere +moeritherian +moeritheriidae +moeritherium +moet +moeurs +mofette +mofettes +moff +moffette +moffettes +moffle +mofussil +mofussilite +mog +mogador +mogadore +mogdad +moggan +mogged +moggy +moggies +mogging +moggio +moghan +moghul +mogigraphy +mogigraphia +mogigraphic +mogilalia +mogilalism +mogiphonia +mogitocia +mogo +mogographia +mogollon +mogos +mogote +mograbi +mogrebbin +mogs +moguey +mogul +moguls +mogulship +moguntine +moha +mohabat +mohair +mohairs +mohalim +mohammad +mohammed +mohammedan +mohammedanism +mohammedanization +mohammedanize +mohammedism +mohammedist +mohammedization +mohammedize +mohar +moharram +mohatra +mohave +mohawk +mohawkian +mohawkite +mohawks +mohegan +mohel +mohels +mohican +mohineyam +mohism +mohnseed +moho +mohock +mohockism +mohoohoo +mohos +mohr +mohrodendron +mohur +mohurs +mohwa +moi +moy +moya +moid +moider +moidore +moidores +moyen +moyenant +moyener +moyenless +moyenne +moier +moiest +moieter +moiety +moieties +moyite +moil +moyl +moile +moyle +moiled +moiley +moiler +moilers +moiles +moiling +moilingly +moils +moilsome +moineau +moingwena +moio +moyo +moir +moira +moirai +moire +moireed +moireing +moires +moirette +moise +moism +moison +moissanite +moist +moisten +moistened +moistener +moisteners +moistening +moistens +moister +moistest +moistful +moisty +moistify +moistiness +moistish +moistishness +moistless +moistly +moistness +moisture +moistureless +moistureproof +moistures +moisturize +moisturized +moisturizer +moisturizers +moisturizes +moisturizing +moit +moither +moity +moitier +moitiest +mojarra +mojarras +mojo +mojos +mokaddam +mokador +mokamoka +moke +mokes +moki +moky +mokihana +mokihi +moko +moksha +mokum +mol +mola +molal +molala +molality +molalities +molar +molary +molariform +molarimeter +molarity +molarities +molars +molas +molasse +molasses +molasseses +molassy +molassied +molave +mold +moldability +moldable +moldableness +moldasle +moldavian +moldavite +moldboard +moldboards +molded +molder +moldered +moldery +moldering +molders +moldy +moldier +moldiest +moldiness +molding +moldings +moldmade +moldproof +molds +moldwarp +moldwarps +mole +molebut +molecast +molecula +molecular +molecularist +molecularity +molecularly +molecule +molecules +molehead +moleheap +molehill +molehilly +molehillish +molehills +moleism +molelike +molendinar +molendinary +molengraaffite +moleproof +moler +moles +moleskin +moleskins +molest +molestation +molestations +molested +molester +molesters +molestful +molestfully +molestie +molesting +molestious +molests +molet +molewarp +molge +molgula +moly +molybdate +molybdena +molybdenic +molybdeniferous +molybdenite +molybdenous +molybdenum +molybdic +molybdite +molybdocardialgia +molybdocolic +molybdodyspepsia +molybdomancy +molybdomenite +molybdonosus +molybdoparesis +molybdophyllite +molybdosis +molybdous +molidae +moliere +molies +molify +molified +molifying +molilalia +molimen +moliminous +molinary +moline +molinet +moling +molinia +molinism +molinist +molinistic +molysite +molition +molka +moll +molla +mollah +mollahs +molland +mollberg +molle +molles +mollescence +mollescent +molleton +molly +mollichop +mollycoddle +mollycoddled +mollycoddler +mollycoddlers +mollycoddles +mollycoddling +mollycosset +mollycot +mollicrush +mollie +mollienisia +mollient +molliently +mollies +mollify +mollifiable +mollification +mollified +mollifiedly +mollifier +mollifiers +mollifies +mollifying +mollifyingly +mollifyingness +molligrant +molligrubs +mollyhawk +mollymawk +mollipilose +mollisiaceae +mollisiose +mollisol +mollities +mollitious +mollitude +molls +molluginaceae +mollugo +mollusc +mollusca +molluscan +molluscans +molluscicidal +molluscicide +molluscivorous +molluscoid +molluscoida +molluscoidal +molluscoidan +molluscoidea +molluscoidean +molluscous +molluscousness +molluscs +molluscum +mollusk +molluskan +mollusklike +mollusks +molman +molmen +molmutian +moloch +molochize +molochs +molochship +molocker +moloid +moloker +molompi +molosse +molosses +molossian +molossic +molossidae +molossine +molossoid +molossus +molothrus +molpe +molrooken +mols +molt +molted +molten +moltenly +molter +molters +molting +molto +molts +moltten +molucca +moluccan +moluccella +moluche +molvi +mom +mombin +momble +mombottu +mome +moment +momenta +momental +momentally +momentaneall +momentaneity +momentaneous +momentaneously +momentaneousness +momentany +momentary +momentarily +momentariness +momently +momento +momentoes +momentos +momentous +momentously +momentousness +moments +momentum +momentums +momes +momi +momiology +momish +momism +momisms +momist +momma +mommas +momme +mommer +mommet +mommy +mommies +momo +momordica +momotidae +momotinae +momotus +moms +momser +momus +momuses +momzer +mon +mona +monacan +monacanthid +monacanthidae +monacanthine +monacanthous +monacetin +monach +monacha +monachal +monachate +monachi +monachism +monachist +monachization +monachize +monacid +monacidic +monacids +monacillo +monacillos +monaco +monact +monactin +monactinal +monactine +monactinellid +monactinellidan +monad +monadal +monadelph +monadelphia +monadelphian +monadelphous +monades +monadic +monadical +monadically +monadiform +monadigerous +monadina +monadism +monadisms +monadistic +monadnock +monadology +monads +monaene +monal +monamide +monamine +monamniotic +monanday +monander +monandry +monandria +monandrian +monandric +monandries +monandrous +monanthous +monaphase +monapsal +monarch +monarchal +monarchally +monarchess +monarchy +monarchial +monarchian +monarchianism +monarchianist +monarchianistic +monarchic +monarchical +monarchically +monarchies +monarchism +monarchist +monarchistic +monarchists +monarchize +monarchized +monarchizer +monarchizing +monarchlike +monarcho +monarchomachic +monarchomachist +monarchs +monarda +monardas +monardella +monarthritis +monarticular +monas +monasa +monascidiae +monascidian +monase +monaster +monastery +monasterial +monasterially +monasteries +monastic +monastical +monastically +monasticism +monasticize +monastics +monatomic +monatomically +monatomicity +monatomism +monaul +monauli +monaulos +monaural +monaurally +monax +monaxial +monaxile +monaxon +monaxonial +monaxonic +monaxonida +monazine +monazite +monazites +monbuttu +monchiquite +monday +mondayish +mondayishness +mondayland +mondain +mondaine +mondays +monde +mondego +mondes +mondial +mondo +mondos +mondsee +mone +monecian +monecious +monedula +monegasque +money +moneyage +moneybag +moneybags +moneychanger +moneychangers +moneyed +moneyer +moneyers +moneyflower +moneygetting +moneygrub +moneygrubber +moneygrubbing +moneying +moneylender +moneylenders +moneylending +moneyless +moneylessness +moneymake +moneymaker +moneymakers +moneymaking +moneyman +moneymonger +moneymongering +moneyocracy +moneys +moneysaving +moneywise +moneywort +monel +monembryary +monembryony +monembryonic +moneme +monepic +monepiscopacy +monepiscopal +monepiscopus +moner +monera +moneral +moneran +monergic +monergism +monergist +monergistic +moneric +moneron +monerons +monerozoa +monerozoan +monerozoic +monerula +moneses +monesia +monest +monestrous +monetary +monetarily +monetarism +monetarist +monetarists +moneth +monetise +monetised +monetises +monetising +monetite +monetization +monetize +monetized +monetizes +monetizing +mong +mongcorn +mongeese +monger +mongered +mongerer +mongery +mongering +mongers +monghol +mongholian +mongibel +mongler +mongo +mongoe +mongoes +mongoyo +mongol +mongolia +mongolian +mongolianism +mongolians +mongolic +mongolioid +mongolish +mongolism +mongolization +mongolize +mongoloid +mongoloids +mongols +mongoose +mongooses +mongos +mongrel +mongreldom +mongrelisation +mongrelise +mongrelised +mongreliser +mongrelish +mongrelising +mongrelism +mongrelity +mongrelization +mongrelize +mongrelized +mongrelizing +mongrelly +mongrelness +mongrels +mongst +monheimite +mony +monial +monias +monic +monica +monicker +monickers +monie +monied +monier +monies +moniker +monikers +monilated +monilethrix +monilia +moniliaceae +moniliaceous +monilial +moniliales +moniliasis +monilicorn +moniliform +moniliformly +monilioid +moniment +monimia +monimiaceae +monimiaceous +monimolite +monimostylic +monish +monished +monisher +monishes +monishing +monishment +monism +monisms +monist +monistic +monistical +monistically +monists +monitary +monition +monitions +monitive +monitor +monitored +monitory +monitorial +monitorially +monitories +monitoring +monitorish +monitors +monitorship +monitress +monitrix +monk +monkbird +monkcraft +monkdom +monkey +monkeyboard +monkeyed +monkeyface +monkeyfy +monkeyfied +monkeyfying +monkeyflower +monkeyhood +monkeying +monkeyish +monkeyishly +monkeyishness +monkeyism +monkeylike +monkeynut +monkeypod +monkeypot +monkeyry +monkeyrony +monkeys +monkeyshine +monkeyshines +monkeytail +monkery +monkeries +monkeryies +monkess +monkfish +monkfishes +monkflower +monkhood +monkhoods +monkish +monkishly +monkishness +monkism +monkly +monklike +monkliness +monkmonger +monks +monkship +monkshood +monkshoods +monmouth +monmouthite +monny +monniker +monnion +mono +monoacetate +monoacetin +monoacid +monoacidic +monoacids +monoalphabetic +monoamid +monoamide +monoamin +monoamine +monoaminergic +monoamino +monoammonium +monoatomic +monoazo +monobacillary +monobase +monobasic +monobasicity +monobath +monoblastic +monoblepsia +monoblepsis +monobloc +monobranchiate +monobromacetone +monobromated +monobromide +monobrominated +monobromination +monobromized +monobromoacetanilide +monobromoacetone +monobutyrin +monocable +monocalcium +monocarbide +monocarbonate +monocarbonic +monocarboxylic +monocardian +monocarp +monocarpal +monocarpellary +monocarpian +monocarpic +monocarpous +monocarps +monocellular +monocentric +monocentrid +monocentridae +monocentris +monocentroid +monocephalous +monocerco +monocercous +monoceros +monocerous +monochasia +monochasial +monochasium +monochlamydeae +monochlamydeous +monochlor +monochloracetic +monochloranthracene +monochlorbenzene +monochloride +monochlorinated +monochlorination +monochloro +monochloroacetic +monochlorobenzene +monochloromethane +monochoanitic +monochord +monochordist +monochordize +monochroic +monochromasy +monochromat +monochromate +monochromatic +monochromatically +monochromaticity +monochromatism +monochromator +monochrome +monochromes +monochromy +monochromic +monochromical +monochromically +monochromist +monochromous +monochronic +monochronometer +monochronous +monocyanogen +monocycle +monocycly +monocyclic +monocyclica +monociliated +monocystic +monocystidae +monocystidea +monocystis +monocyte +monocytes +monocytic +monocytoid +monocytopoiesis +monocle +monocled +monocleid +monocleide +monocles +monoclinal +monoclinally +monocline +monoclinian +monoclinic +monoclinism +monoclinometric +monoclinous +monoclonal +monoclonius +monocoelia +monocoelian +monocoelic +monocondyla +monocondylar +monocondylian +monocondylic +monocondylous +monocoque +monocormic +monocot +monocotyl +monocotyledon +monocotyledones +monocotyledonous +monocotyledons +monocots +monocracy +monocrat +monocratic +monocratis +monocrats +monocrotic +monocrotism +monocular +monocularity +monocularly +monoculate +monocule +monoculist +monoculous +monocultural +monoculture +monoculus +monodactyl +monodactylate +monodactyle +monodactyly +monodactylism +monodactylous +monodelph +monodelphia +monodelphian +monodelphic +monodelphous +monodermic +monody +monodic +monodical +monodically +monodies +monodimetric +monodynamic +monodynamism +monodist +monodists +monodize +monodomous +monodon +monodont +monodonta +monodontal +monodram +monodrama +monodramatic +monodramatist +monodrame +monodromy +monodromic +monoecy +monoecia +monoecian +monoecies +monoecious +monoeciously +monoeciousness +monoecism +monoeidic +monoenergetic +monoester +monoestrous +monoethanolamine +monoethylamine +monofil +monofilament +monofilm +monofils +monoflagellate +monoformin +monofuel +monofuels +monogamy +monogamian +monogamic +monogamies +monogamik +monogamist +monogamistic +monogamists +monogamou +monogamous +monogamously +monogamousness +monoganglionic +monogastric +monogene +monogenea +monogenean +monogeneity +monogeneous +monogenesy +monogenesis +monogenesist +monogenetic +monogenetica +monogeny +monogenic +monogenically +monogenies +monogenism +monogenist +monogenistic +monogenous +monogerm +monogyny +monogynia +monogynic +monogynies +monogynious +monogynist +monogynoecial +monogynous +monoglycerid +monoglyceride +monoglot +monogoneutic +monogony +monogonoporic +monogonoporous +monogram +monogramed +monograming +monogramm +monogrammatic +monogrammatical +monogrammed +monogrammic +monogramming +monograms +monograph +monographed +monographer +monographers +monographes +monography +monographic +monographical +monographically +monographing +monographist +monographs +monograptid +monograptidae +monograptus +monohybrid +monohydrate +monohydrated +monohydric +monohydrogen +monohydroxy +monohull +monoicous +monoid +monoketone +monokini +monolayer +monolater +monolatry +monolatrist +monolatrous +monoline +monolingual +monolinguist +monoliteral +monolith +monolithal +monolithic +monolithically +monolithism +monoliths +monolobular +monolocular +monolog +monology +monologian +monologic +monological +monologies +monologist +monologists +monologize +monologized +monologizing +monologs +monologue +monologues +monologuist +monologuists +monomachy +monomachist +monomail +monomania +monomaniac +monomaniacal +monomaniacs +monomanias +monomark +monomastigate +monomeniscous +monomer +monomeric +monomerous +monomers +monometalism +monometalist +monometallic +monometallism +monometallist +monometer +monomethyl +monomethylamine +monomethylated +monomethylic +monometric +monometrical +monomya +monomial +monomials +monomyary +monomyaria +monomyarian +monomict +monomineral +monomineralic +monomolecular +monomolecularly +monomolybdate +monomorium +monomorphemic +monomorphic +monomorphism +monomorphous +mononaphthalene +mononch +mononchus +mononeural +monongahela +mononychous +mononym +mononymy +mononymic +mononymization +mononymize +mononitrate +mononitrated +mononitration +mononitride +mononitrobenzene +mononomial +mononomian +monont +mononuclear +mononucleated +mononucleoses +mononucleosis +mononucleotide +monoousian +monoousious +monoparental +monoparesis +monoparesthesia +monopathy +monopathic +monopectinate +monopersonal +monopersulfuric +monopersulphuric +monopetalae +monopetalous +monophagy +monophagia +monophagism +monophagous +monophase +monophasia +monophasic +monophylety +monophyletic +monophyleticism +monophyletism +monophylite +monophyllous +monophyodont +monophyodontism +monophysite +monophysitic +monophysitical +monophysitism +monophobia +monophoic +monophone +monophony +monophonic +monophonically +monophonies +monophonous +monophotal +monophote +monophthalmic +monophthalmus +monophthong +monophthongal +monophthongization +monophthongize +monophthongized +monophthongizing +monopylaea +monopylaria +monopylean +monopyrenous +monopitch +monoplace +monoplacula +monoplacular +monoplaculate +monoplane +monoplanes +monoplanist +monoplasmatic +monoplasric +monoplast +monoplastic +monoplegia +monoplegic +monoploid +monopneumoa +monopneumonian +monopneumonous +monopode +monopodes +monopody +monopodia +monopodial +monopodially +monopodic +monopodies +monopodium +monopodous +monopolar +monopolaric +monopolarity +monopole +monopoles +monopoly +monopolies +monopolylogist +monopolylogue +monopolisation +monopolise +monopolised +monopoliser +monopolising +monopolism +monopolist +monopolistic +monopolistically +monopolists +monopolitical +monopolizable +monopolization +monopolize +monopolized +monopolizer +monopolizes +monopolizing +monopoloid +monopolous +monopotassium +monoprionid +monoprionidian +monoprogrammed +monoprogramming +monopropellant +monoprotic +monopsychism +monopsony +monopsonistic +monoptera +monopteral +monopteridae +monopteroi +monopteroid +monopteron +monopteros +monopterous +monoptic +monoptical +monoptote +monoptotic +monopttera +monorail +monorailroad +monorails +monorailway +monorchid +monorchidism +monorchis +monorchism +monorganic +monorhyme +monorhymed +monorhina +monorhinal +monorhine +monorhinous +monorhythmic +monorime +monos +monosaccharide +monosaccharose +monoschemic +monoscope +monose +monosemy +monosemic +monosepalous +monoservice +monosexuality +monosexualities +monosilane +monosilicate +monosilicic +monosyllabic +monosyllabical +monosyllabically +monosyllabicity +monosyllabism +monosyllabize +monosyllable +monosyllables +monosyllogism +monosymmetry +monosymmetric +monosymmetrical +monosymmetrically +monosymptomatic +monosynaptic +monosynaptically +monosynthetic +monosiphonic +monosiphonous +monoski +monosodium +monosomatic +monosomatous +monosome +monosomes +monosomic +monospace +monosperm +monospermal +monospermy +monospermic +monospermous +monospherical +monospondylic +monosporangium +monospore +monospored +monosporiferous +monosporous +monostable +monostele +monostely +monostelic +monostelous +monostich +monostichic +monostichous +monostylous +monostomata +monostomatidae +monostomatous +monostome +monostomidae +monostomous +monostomum +monostromatic +monostrophe +monostrophic +monostrophics +monosubstituted +monosubstitution +monosulfone +monosulfonic +monosulphide +monosulphone +monosulphonic +monotelephone +monotelephonic +monotellurite +monotessaron +monothalama +monothalaman +monothalamian +monothalamic +monothalamous +monothecal +monotheism +monotheist +monotheistic +monotheistical +monotheistically +monotheists +monothelete +monotheletian +monotheletic +monotheletism +monothelious +monothelism +monothelite +monothelitic +monothelitism +monothetic +monotic +monotint +monotints +monotypal +monotype +monotypes +monotypic +monotypical +monotypous +monotocardia +monotocardiac +monotocardian +monotocous +monotomous +monotonal +monotone +monotones +monotony +monotonic +monotonical +monotonically +monotonicity +monotonies +monotonist +monotonize +monotonous +monotonously +monotonousness +monotremal +monotremata +monotremate +monotrematous +monotreme +monotremous +monotrichate +monotrichic +monotrichous +monotriglyph +monotriglyphic +monotrocha +monotrochal +monotrochian +monotrochous +monotron +monotropa +monotropaceae +monotropaceous +monotrophic +monotropy +monotropic +monotropically +monotropies +monotropsis +monoureide +monovalence +monovalency +monovalent +monovariant +monoverticillate +monovoltine +monovular +monoxenous +monoxide +monoxides +monoxyla +monoxyle +monoxylic +monoxylon +monoxylous +monoxime +monozygotic +monozygous +monozoa +monozoan +monozoic +monroe +monroeism +monroeist +monrolite +mons +monseigneur +monseignevr +monsia +monsieur +monsieurs +monsieurship +monsignor +monsignore +monsignori +monsignorial +monsignors +monsoni +monsoon +monsoonal +monsoonish +monsoonishly +monsoons +monspermy +monster +monstera +monsterhood +monsterlike +monsters +monstership +monstrance +monstrances +monstrate +monstration +monstrator +monstricide +monstriferous +monstrify +monstrification +monstrosity +monstrosities +monstrous +monstrously +monstrousness +mont +montabyn +montadale +montage +montaged +montages +montaging +montagnac +montagnais +montagnard +montagne +montague +montana +montanan +montanans +montanas +montane +montanes +montanic +montanin +montanism +montanist +montanistic +montanistical +montanite +montanize +montant +montanto +montargis +montauk +montbretia +monte +montebrasite +montegre +monteith +monteiths +montem +montenegrin +montepulciano +montera +monterey +montero +monteros +montes +montesco +montesinos +montessori +montessorian +montessorianism +montevideo +montezuma +montgolfier +montgolfiers +montgomery +montgomeryshire +month +monthly +monthlies +monthlong +monthon +months +monty +montia +monticellite +monticle +monticola +monticolae +monticoline +monticulate +monticule +monticuline +monticulipora +monticuliporidae +monticuliporidean +monticuliporoid +monticulose +monticulous +monticulus +montiform +montigeneous +montilla +montjoy +montjoye +montmartrite +montmorency +montmorillonite +montmorillonitic +montmorilonite +monton +montpelier +montrachet +montre +montreal +montroydite +montross +montu +monture +montuvio +monumbo +monument +monumental +monumentalise +monumentalised +monumentalising +monumentalism +monumentality +monumentalization +monumentalize +monumentalized +monumentalizing +monumentally +monumentary +monumented +monumenting +monumentless +monumentlike +monuments +monuron +monurons +monzodiorite +monzogabbro +monzonite +monzonitic +moo +mooachaht +moocah +mooch +moocha +mooched +moocher +moochers +mooches +mooching +moochulka +mood +mooder +moody +moodier +moodiest +moodily +moodiness +moodir +moodish +moodishly +moodishness +moodle +moods +mooed +mooing +mookhtar +mooktar +mool +moola +moolah +moolahs +moolas +mooley +mooleys +moolet +moolings +mools +moolum +moolvee +moolvi +moolvie +moon +moonack +moonal +moonbeam +moonbeams +moonbill +moonblind +moonblink +moonbow +moonbows +mooncalf +mooncalves +mooncreeper +moondog +moondown +moondrop +mooned +mooneye +mooneyes +mooner +moonery +moonet +moonface +moonfaced +moonfall +moonfish +moonfishes +moonflower +moong +moonglade +moonglow +moonhead +moony +moonie +moonier +mooniest +moonily +mooniness +mooning +moonish +moonishly +moonite +moonja +moonjah +moonless +moonlessness +moonlet +moonlets +moonlight +moonlighted +moonlighter +moonlighters +moonlighty +moonlighting +moonlights +moonlike +moonlikeness +moonling +moonlit +moonlitten +moonman +moonmen +moonpath +moonpenny +moonproof +moonquake +moonraker +moonraking +moonrat +moonrise +moonrises +moons +moonsail +moonsails +moonscape +moonscapes +moonseed +moonseeds +moonset +moonsets +moonshade +moonshee +moonshine +moonshined +moonshiner +moonshiners +moonshiny +moonshining +moonshot +moonshots +moonsick +moonsickness +moonsif +moonstone +moonstones +moonstricken +moonstruck +moontide +moonway +moonwalk +moonwalker +moonwalking +moonwalks +moonward +moonwards +moonwort +moonworts +moop +moor +moorage +moorages +moorball +moorband +moorberry +moorberries +moorbird +moorburn +moorburner +moorburning +moorcock +moore +moored +mooress +moorflower +moorfowl +moorfowls +moorhen +moorhens +moory +moorier +mooriest +mooring +moorings +moorish +moorishly +moorishness +moorland +moorlander +moorlands +moorman +moormen +moorn +moorpan +moorpunky +moors +moorship +moorsman +moorstone +moortetter +mooruk +moorup +moorwort +moorworts +moos +moosa +moose +mooseberry +mooseberries +moosebird +moosebush +moosecall +mooseflower +moosehood +moosey +moosemilk +moosemise +moosetongue +moosewob +moosewood +moost +moot +mootable +mootch +mooted +mooter +mooters +mooth +mooting +mootman +mootmen +mootness +moots +mootstead +mootsuddy +mootworthy +mop +mopan +mopane +mopani +mopboard +mopboards +mope +moped +mopeder +mopeders +mopeds +mopehawk +mopey +mopeier +mopeiest +moper +mopery +mopers +mopes +moph +mophead +mopheaded +mopheadedness +mopy +mopier +mopiest +moping +mopingly +mopish +mopishly +mopishness +mopla +moplah +mopoke +mopokes +mopped +mopper +moppers +moppet +moppets +moppy +mopping +mops +mopsey +mopsy +mopstick +mopus +mopuses +mopusses +moquelumnan +moquette +moquettes +moqui +mor +mora +morabit +moraceae +moraceous +morada +morae +moraea +moray +morainal +moraine +moraines +morainic +morays +moral +morale +moraler +morales +moralioralist +moralise +moralised +moralises +moralising +moralism +moralisms +moralist +moralistic +moralistically +moralists +morality +moralities +moralization +moralize +moralized +moralizer +moralizers +moralizes +moralizing +moralizingly +moraller +moralless +morally +moralness +morals +moran +moras +morass +morasses +morassy +morassic +morassweed +morat +morate +moration +moratory +moratoria +moratorium +moratoriums +morattoria +moravian +moravianism +moravianized +moravid +moravite +morbid +morbidezza +morbidity +morbidities +morbidize +morbidly +morbidness +morbiferal +morbiferous +morbify +morbific +morbifical +morbifically +morbility +morbillary +morbilli +morbilliform +morbillous +morbleu +morbose +morbus +morceau +morceaux +morcellate +morcellated +morcellating +morcellation +morcellement +morcha +morchella +morcote +mord +mordacious +mordaciously +mordacity +mordancy +mordancies +mordant +mordanted +mordanting +mordantly +mordants +mordecai +mordella +mordellid +mordellidae +mordelloid +mordenite +mordent +mordents +mordicant +mordicate +mordication +mordicative +mordieu +mordisheen +mordore +mordu +mordv +mordva +mordvin +mordvinian +more +moreen +moreens +morefold +moreish +morel +morella +morelle +morelles +morello +morellos +morels +morena +morencite +morendo +moreness +morenita +morenosite +moreote +moreover +morepeon +morepork +mores +moresco +moresque +moresques +morfond +morfound +morfounder +morfrey +morg +morga +morgay +morgan +morgana +morganatic +morganatical +morganatically +morganic +morganite +morganize +morgen +morgengift +morgens +morgenstern +morglay +morgue +morgues +morian +moribund +moribundity +moribundly +moric +morice +moriche +moriform +morigerate +morigeration +morigerous +morigerously +morigerousness +moriglio +morillon +morin +morinaceae +morinda +morindin +morindone +morinel +moringa +moringaceae +moringaceous +moringad +moringua +moringuid +moringuidae +moringuoid +morion +morions +moriori +moriscan +morisco +morish +morisonian +morisonianism +morkin +morling +morlop +mormaer +mormal +mormaor +mormaordom +mormaorship +mormyr +mormyre +mormyrian +mormyrid +mormyridae +mormyroid +mormyrus +mormo +mormon +mormondom +mormoness +mormonism +mormonist +mormonite +mormons +mormonweed +mormoops +mormorando +morn +mornay +morne +morned +mornette +morning +morningless +morningly +mornings +morningstar +morningtide +morningward +mornless +mornlike +morns +morntime +mornward +moro +moroc +morocain +moroccan +moroccans +morocco +moroccos +morocota +morology +morological +morologically +morologist +moromancy +moron +moroncy +morone +morones +morong +moronic +moronically +moronidae +moronism +moronisms +moronity +moronities +moronry +morons +moropus +moror +morosaurian +morosauroid +morosaurus +morose +morosely +moroseness +morosis +morosity +morosities +morosoph +moroxite +morph +morphactin +morphallaxes +morphallaxis +morphea +morphean +morpheme +morphemes +morphemic +morphemically +morphemics +morphetic +morpheus +morphew +morphgan +morphia +morphias +morphiate +morphic +morphically +morphin +morphinate +morphine +morphines +morphinic +morphinism +morphinist +morphinization +morphinize +morphinomania +morphinomaniac +morphins +morphiomania +morphiomaniac +morphism +morphisms +morphized +morphizing +morpho +morphogeneses +morphogenesis +morphogenetic +morphogenetically +morphogeny +morphogenic +morphographer +morphography +morphographic +morphographical +morphographist +morphol +morpholin +morpholine +morphology +morphologic +morphological +morphologically +morphologies +morphologist +morphologists +morpholoical +morphometry +morphometric +morphometrical +morphometrically +morphon +morphoneme +morphonemic +morphonemics +morphonomy +morphonomic +morphophyly +morphophoneme +morphophonemic +morphophonemically +morphophonemics +morphoplasm +morphoplasmic +morphos +morphoses +morphosis +morphotic +morphotonemic +morphotonemics +morphotropy +morphotropic +morphotropism +morphous +morphrey +morphs +morpion +morpunkee +morra +morral +morrenian +morrhua +morrhuate +morrhuin +morrhuine +morrice +morricer +morrion +morrions +morris +morrisean +morrises +morro +morros +morrow +morrowing +morrowless +morrowmass +morrows +morrowspeech +morrowtide +mors +morsal +morse +morsel +morseled +morseling +morselization +morselize +morselled +morselling +morsels +morsing +morsure +mort +mortacious +mortadella +mortal +mortalism +mortalist +mortality +mortalities +mortalize +mortalized +mortalizing +mortally +mortalness +mortals +mortalty +mortalwise +mortancestry +mortar +mortarboard +mortarboards +mortared +mortary +mortaring +mortarize +mortarless +mortarlike +mortars +mortarware +mortbell +mortcloth +mortem +mortersheen +mortgage +mortgageable +mortgaged +mortgagee +mortgagees +mortgager +mortgagers +mortgages +mortgaging +mortgagor +mortgagors +morth +morthwyrtha +mortice +morticed +morticer +mortices +mortician +morticians +morticing +mortier +mortiferous +mortiferously +mortiferousness +mortify +mortific +mortification +mortifications +mortified +mortifiedly +mortifiedness +mortifier +mortifies +mortifying +mortifyingly +mortimer +mortis +mortise +mortised +mortiser +mortisers +mortises +mortising +mortlake +mortling +mortmain +mortmainer +mortmains +morton +mortorio +mortress +mortreux +mortrewes +morts +mortuary +mortuarian +mortuaries +mortuous +morula +morulae +morular +morulas +morulation +morule +moruloid +morus +morvin +morw +morwong +mos +mosaic +mosaical +mosaically +mosaicism +mosaicist +mosaicity +mosaicked +mosaicking +mosaics +mosaism +mosaist +mosan +mosandrite +mosasaur +mosasauri +mosasauria +mosasaurian +mosasaurid +mosasauridae +mosasauroid +mosasaurus +mosatenan +moschate +moschatel +moschatelline +moschi +moschidae +moschiferous +moschinae +moschine +moschus +moscow +mose +mosey +moseyed +moseying +moseys +mosel +moselle +moses +mosesite +mosetena +mosette +mosgu +moshav +moshavim +mosk +moskeneer +mosker +mosks +moslem +moslemah +moslemic +moslemin +moslemism +moslemite +moslemize +moslems +moslings +mosoceca +mosocecum +mosque +mosquelet +mosques +mosquish +mosquital +mosquito +mosquitobill +mosquitocidal +mosquitocide +mosquitoey +mosquitoes +mosquitofish +mosquitofishes +mosquitoish +mosquitoproof +mosquitos +mosquittoey +moss +mossback +mossbacked +mossbacks +mossbanker +mossberry +mossbunker +mossed +mosser +mossery +mossers +mosses +mossful +mosshead +mosshorn +mossi +mossy +mossyback +mossie +mossier +mossiest +mossiness +mossing +mossless +mosslike +mosso +mosstrooper +mosstroopery +mosstrooping +mosswort +most +mostaccioli +mostdeal +moste +mostic +mosting +mostly +mostlike +mostlings +mostness +mostra +mosts +mostwhat +mosul +mosur +mot +mota +motacil +motacilla +motacillid +motacillidae +motacillinae +motacilline +motatory +motatorious +motazilite +mote +moted +motey +motel +moteless +motels +moter +motes +motet +motets +motettist +motetus +moth +mothball +mothballed +mothballing +mothballs +mothed +mother +motherboard +mothercraft +motherdom +mothered +motherer +motherers +motherfucker +mothergate +motherhood +motherhouse +mothery +motheriness +mothering +motherkin +motherkins +motherland +motherlands +motherless +motherlessness +motherly +motherlike +motherliness +motherling +mothers +mothership +mothersome +motherward +motherwise +motherwort +mothy +mothier +mothiest +mothless +mothlike +mothproof +mothproofed +mothproofer +mothproofing +moths +mothworm +motif +motific +motifs +motyka +motile +motiles +motility +motilities +motion +motionable +motional +motioned +motioner +motioners +motioning +motionless +motionlessly +motionlessness +motions +motitation +motivate +motivated +motivates +motivating +motivation +motivational +motivationally +motivations +motivative +motivator +motive +motived +motiveless +motivelessly +motivelessness +motiveness +motives +motivic +motiving +motivity +motivities +motivo +motley +motleyer +motleyest +motleyness +motleys +motlier +motliest +motmot +motmots +motocar +motocycle +motocross +motofacient +motograph +motographic +motomagnetic +moton +motoneuron +motophone +motor +motorable +motorbicycle +motorbike +motorbikes +motorboat +motorboater +motorboating +motorboatman +motorboats +motorbus +motorbuses +motorbusses +motorcab +motorcade +motorcades +motorcar +motorcars +motorcycle +motorcycled +motorcycler +motorcycles +motorcycling +motorcyclist +motorcyclists +motorcoach +motordom +motordrome +motored +motory +motorial +motoric +motorically +motoring +motorings +motorisation +motorise +motorised +motorises +motorising +motorism +motorist +motorists +motorium +motorization +motorize +motorized +motorizes +motorizing +motorless +motorman +motormen +motorneer +motorphobe +motorphobia +motorphobiac +motors +motorsailer +motorscooters +motorship +motorships +motortruck +motortrucks +motorway +motorways +motozintlec +motozintleca +motricity +mots +mott +motte +mottes +mottetto +motty +mottle +mottled +mottledness +mottlement +mottler +mottlers +mottles +mottling +motto +mottoed +mottoes +mottoless +mottolike +mottos +mottramite +motts +mou +mouch +moucharaby +moucharabies +mouchard +mouchardism +mouche +mouched +mouches +mouching +mouchoir +mouchoirs +mouchrabieh +moud +moudy +moudie +moudieman +moue +mouedhin +moues +moufflon +moufflons +mouflon +mouflons +mougeotia +mougeotiaceae +mought +mouill +mouillation +mouille +mouillure +moujik +moujiks +moul +moulage +moulages +mould +mouldboard +moulded +moulder +mouldered +mouldery +mouldering +moulders +mouldy +mouldier +mouldies +mouldiest +mouldiness +moulding +mouldings +mouldmade +moulds +mouldwarp +moule +mouly +moulin +moulinage +moulinet +moulins +moulleen +moulrush +mouls +moult +moulted +moulten +moulter +moulters +moulting +moults +moulvi +moun +mound +mounded +moundy +moundiness +mounding +moundlet +mounds +moundsman +moundsmen +moundwork +mounseer +mount +mountable +mountably +mountain +mountained +mountaineer +mountaineered +mountaineering +mountaineers +mountainer +mountainet +mountainette +mountainy +mountainless +mountainlike +mountainous +mountainously +mountainousness +mountains +mountainside +mountainsides +mountaintop +mountaintops +mountainward +mountainwards +mountance +mountant +mountebank +mountebanked +mountebankery +mountebankeries +mountebankish +mountebankism +mountebankly +mountebanks +mounted +mountee +mounter +mounters +mounty +mountie +mounties +mounting +mountingly +mountings +mountlet +mounts +mounture +moup +mourn +mourne +mourned +mourner +mourneress +mourners +mournful +mournfuller +mournfullest +mournfully +mournfulness +mourning +mourningly +mournings +mournival +mourns +mournsome +mouse +mousebane +mousebird +moused +mousee +mousees +mousefish +mousefishes +mousehawk +mousehole +mousehound +mousey +mouseion +mousekin +mouselet +mouselike +mouseling +mousemill +mousepox +mouseproof +mouser +mousery +mouseries +mousers +mouses +mouseship +mousetail +mousetrap +mousetrapped +mousetrapping +mousetraps +mouseweb +mousy +mousier +mousiest +mousily +mousiness +mousing +mousingly +mousings +mousle +mouslingly +mousme +mousmee +mousoni +mousquetaire +mousquetaires +moussaka +moussakas +mousse +mousseline +mousses +mousseux +moustache +moustached +moustaches +moustachial +moustachio +mousterian +moustoc +mout +moutan +moutarde +mouth +mouthable +mouthbreeder +mouthbrooder +mouthe +mouthed +mouther +mouthers +mouthes +mouthful +mouthfuls +mouthy +mouthier +mouthiest +mouthily +mouthiness +mouthing +mouthingly +mouthishly +mouthless +mouthlike +mouthpart +mouthparts +mouthpiece +mouthpieces +mouthpipe +mouthroot +mouths +mouthwash +mouthwashes +mouthwatering +mouthwise +moutler +moutlers +mouton +moutoneed +moutonnee +moutons +mouzah +mouzouna +movability +movable +movableness +movables +movably +movant +move +moveability +moveable +moveableness +moveables +moveably +moved +moveless +movelessly +movelessness +movement +movements +movent +mover +movers +moves +movie +moviedom +moviedoms +moviegoer +moviegoing +movieize +movieland +moviemaker +moviemakers +movies +moving +movingly +movingness +movings +mow +mowable +mowana +mowburn +mowburnt +mowch +mowcht +mowe +mowed +mower +mowers +mowha +mowhay +mowhawk +mowie +mowing +mowland +mown +mowra +mowrah +mows +mowse +mowstead +mowt +mowth +moxa +moxas +moxibustion +moxie +moxieberry +moxieberries +moxies +moxo +mozambican +mozambique +mozarab +mozarabian +mozarabic +mozart +mozartean +moze +mozemize +mozetta +mozettas +mozette +mozing +mozo +mozos +mozzarella +mozzetta +mozzettas +mozzette +mp +mpangwe +mpb +mpbs +mpg +mph +mphps +mpondo +mpret +mr +mrem +mridang +mridanga +mridangas +mrs +mru +ms +msalliance +msec +msg +msink +msl +msource +mss +mster +mt +mtd +mtg +mtge +mtier +mtn +mts +mtscmd +mtx +mu +muang +mubarat +mucago +mucaro +mucate +mucedin +mucedinaceous +mucedine +mucedineous +mucedinous +much +muchacha +muchacho +muchachos +muchel +muches +muchfold +muchly +muchness +muchnesses +muchwhat +mucic +mucid +mucidity +mucidities +mucidness +muciferous +mucific +muciform +mucigen +mucigenous +mucilage +mucilages +mucilaginous +mucilaginously +mucilaginousness +mucin +mucinogen +mucinoid +mucinolytic +mucinous +mucins +muciparous +mucivore +mucivorous +muck +muckamuck +mucked +muckender +mucker +muckerer +muckerish +muckerism +muckers +mucket +muckhill +muckhole +mucky +muckibus +muckier +muckiest +muckily +muckiness +mucking +muckite +muckle +muckles +muckluck +mucklucks +muckman +muckment +muckmidden +muckna +muckrake +muckraked +muckraker +muckrakers +muckrakes +muckraking +mucks +mucksy +mucksweat +muckthrift +muckweed +muckworm +muckworms +mucluc +muclucs +mucocele +mucocellulose +mucocellulosic +mucocutaneous +mucodermal +mucofibrous +mucoflocculent +mucoid +mucoidal +mucoids +mucolytic +mucomembranous +muconic +mucopolysaccharide +mucoprotein +mucopurulent +mucopus +mucor +mucoraceae +mucoraceous +mucorales +mucorine +mucorioid +mucormycosis +mucorrhea +mucorrhoea +mucors +mucosa +mucosae +mucosal +mucosanguineous +mucosas +mucose +mucoserous +mucosity +mucosities +mucosocalcareous +mucosogranular +mucosopurulent +mucososaccharine +mucous +mucousness +mucoviscidosis +mucoviscoidosis +mucro +mucronate +mucronated +mucronately +mucronation +mucrones +mucroniferous +mucroniform +mucronulate +mucronulatous +muculent +mucuna +mucus +mucuses +mucusin +mud +mudar +mudbank +mudcap +mudcapped +mudcapping +mudcaps +mudcat +mudd +mudde +mudded +mudden +mudder +mudders +muddy +muddybrained +muddybreast +muddied +muddier +muddies +muddiest +muddify +muddyheaded +muddying +muddily +muddiness +mudding +muddish +muddle +muddlebrained +muddled +muddledness +muddledom +muddlehead +muddleheaded +muddleheadedness +muddlement +muddleproof +muddler +muddlers +muddles +muddlesome +muddling +muddlingly +mudee +mudejar +mudfat +mudfish +mudfishes +mudflow +mudguard +mudguards +mudhead +mudhole +mudhook +mudhopper +mudir +mudiria +mudirieh +mudland +mudlark +mudlarker +mudlarks +mudless +mudminnow +mudminnows +mudpack +mudproof +mudpuppy +mudpuppies +mudra +mudras +mudrock +mudrocks +mudroom +mudrooms +muds +mudsill +mudsills +mudskipper +mudsling +mudslinger +mudslingers +mudslinging +mudspate +mudspringer +mudstain +mudstone +mudstones +mudsucker +mudtrack +mudweed +mudwort +mueddin +mueddins +muehlenbeckia +muenster +muensters +muermo +muesli +muette +muezzin +muezzins +mufasal +muff +muffed +muffer +muffet +muffetee +muffy +muffin +muffineer +muffing +muffins +muffish +muffishness +muffle +muffled +muffledly +muffleman +mufflemen +muffler +mufflers +muffles +mufflin +muffling +muffs +mufti +mufty +muftis +mug +muga +mugearite +mugful +mugg +muggar +muggars +mugged +mugger +muggered +muggery +muggering +muggers +mugget +muggy +muggier +muggiest +muggily +mugginess +mugging +muggings +muggins +muggish +muggles +muggletonian +muggletonianism +muggs +muggur +muggurs +mugho +mughopine +mughouse +mugience +mugiency +mugient +mugil +mugilidae +mugiliform +mugiloid +mugs +muguet +mugweed +mugwet +mugwort +mugworts +mugwump +mugwumpery +mugwumpian +mugwumpish +mugwumpism +mugwumps +muhammad +muhammadan +muhammadanism +muhammadi +muharram +muhlenbergia +muhly +muhlies +muid +muilla +muir +muirburn +muircock +muirfowl +muysca +muishond +muist +muyusa +mujeres +mujik +mujiks +mujtahid +mukade +mukden +mukhtar +mukluk +mukluks +mukri +muktar +muktatma +muktear +mukti +muktuk +mulada +muladi +mulaprakriti +mulatta +mulatto +mulattoes +mulattoism +mulattos +mulattress +mulberry +mulberries +mulch +mulched +mulcher +mulches +mulching +mulciber +mulcibirian +mulct +mulctable +mulctary +mulctation +mulctative +mulctatory +mulcted +mulcting +mulcts +mulctuary +mulder +mule +muleback +muled +mulefoot +mulefooted +muley +muleys +muleman +mulemen +mules +mulet +muleta +muletas +muleteer +muleteers +muletress +muletta +mulewort +mulga +muliebral +muliebria +muliebrile +muliebrity +muliebrous +mulier +mulierine +mulierly +mulierose +mulierosity +mulierty +muling +mulish +mulishly +mulishness +mulism +mulita +mulk +mull +mulla +mullah +mullahism +mullahs +mullar +mullas +mulled +mulley +mullein +mulleins +mulleys +mullen +mullenize +mullens +muller +mullerian +mullers +mullet +mulletry +mullets +mullid +mullidae +mulligan +mulligans +mulligatawny +mulligrubs +mulling +mullion +mullioned +mullioning +mullions +mullite +mullites +mullock +mullocker +mullocky +mullocks +mulloid +mulloway +mulls +mulm +mulmul +mulmull +mulse +mulsify +mult +multangle +multangula +multangular +multangularly +multangularness +multangulous +multangulum +multani +multanimous +multarticulate +multeity +multi +multiangular +multiareolate +multiarticular +multiarticulate +multiarticulated +multiaxial +multiaxially +multiband +multibirth +multibit +multibyte +multiblade +multibladed +multiblock +multibranched +multibranchiate +multibreak +multibus +multicamerate +multicapitate +multicapsular +multicarinate +multicarinated +multicast +multicasting +multicasts +multicelled +multicellular +multicellularity +multicentral +multicentrally +multicentric +multichannel +multichanneled +multichannelled +multicharge +multichord +multichrome +multicycle +multicide +multiciliate +multiciliated +multicylinder +multicylindered +multicipital +multicircuit +multicircuited +multicoccous +multicoil +multicollinearity +multicolor +multicolored +multicolorous +multicoloured +multicomponent +multicomputer +multiconductor +multiconstant +multicordate +multicore +multicorneal +multicostate +multicourse +multicrystalline +multics +multicultural +multicurie +multicuspid +multicuspidate +multicuspidated +multidentate +multidenticulate +multidenticulated +multidestination +multidigitate +multidimensional +multidimensionality +multidirectional +multidisciplinary +multidiscipline +multidisperse +multidrop +multiengine +multiengined +multiethnic +multiexhaust +multifaced +multifaceted +multifactor +multifactorial +multifactorially +multifamily +multifamilial +multifarious +multifariously +multifariousness +multiferous +multifetation +multifibered +multifibrous +multifid +multifidly +multifidous +multifidus +multifil +multifilament +multifistular +multifistulous +multiflagellate +multiflagellated +multiflash +multiflora +multiflorae +multifloras +multiflorous +multiflow +multiflue +multifocal +multifoil +multifoiled +multifold +multifoldness +multifoliate +multifoliolate +multifont +multiform +multiformed +multiformity +multiframe +multifunction +multifurcate +multiganglionic +multigap +multigerm +multigyrate +multigranular +multigranulate +multigranulated +multigraph +multigrapher +multigravida +multiguttulate +multihead +multihearth +multihop +multihued +multihull +multiinfection +multijet +multijugate +multijugous +multilaciniate +multilayer +multilayered +multilamellar +multilamellate +multilamellous +multilaminar +multilaminate +multilaminated +multilane +multilaned +multilateral +multilaterality +multilaterally +multileaving +multilevel +multileveled +multilighted +multilineal +multilinear +multilingual +multilingualism +multilingually +multilinguist +multilirate +multiliteral +multilith +multilobar +multilobate +multilobe +multilobed +multilobular +multilobulate +multilobulated +multilocation +multilocular +multiloculate +multiloculated +multiloquence +multiloquent +multiloquy +multiloquious +multiloquous +multimachine +multimacular +multimammate +multimarble +multimascular +multimedia +multimedial +multimegaton +multimetalic +multimetallic +multimetallism +multimetallist +multimeter +multimicrocomputer +multimillion +multimillionaire +multimillionaires +multimodal +multimodality +multimode +multimolecular +multimotor +multimotored +multinational +multinationals +multinervate +multinervose +multinodal +multinodate +multinode +multinodous +multinodular +multinomial +multinominal +multinominous +multinuclear +multinucleate +multinucleated +multinucleolar +multinucleolate +multinucleolated +multiovular +multiovulate +multiovulated +multipacket +multipara +multiparae +multiparient +multiparity +multiparous +multiparty +multipartisan +multipartite +multipass +multipath +multiped +multipede +multipeds +multiperforate +multiperforated +multipersonal +multiphase +multiphaser +multiphasic +multiphotography +multipying +multipinnate +multiplan +multiplane +multiplated +multiple +multiplepoinding +multiples +multiplet +multiplex +multiplexed +multiplexer +multiplexers +multiplexes +multiplexing +multiplexor +multiplexors +multiply +multipliable +multipliableness +multiplicability +multiplicable +multiplicand +multiplicands +multiplicate +multiplication +multiplicational +multiplications +multiplicative +multiplicatively +multiplicatives +multiplicator +multiplicious +multiplicity +multiplicities +multiplied +multiplier +multipliers +multiplies +multiplying +multipointed +multipolar +multipolarity +multipole +multiported +multipotent +multipresence +multipresent +multiprocess +multiprocessing +multiprocessor +multiprocessors +multiprogram +multiprogrammed +multiprogramming +multipronged +multipurpose +multiracial +multiracialism +multiradial +multiradiate +multiradiated +multiradical +multiradicate +multiradicular +multiramified +multiramose +multiramous +multirate +multireflex +multiregister +multiresin +multirole +multirooted +multirotation +multirotatory +multisaccate +multisacculate +multisacculated +multiscience +multiscreen +multiseated +multisect +multisection +multisector +multisegmental +multisegmentate +multisegmented +multisense +multisensory +multisensual +multiseptate +multiserial +multiserially +multiseriate +multiserver +multishot +multisiliquous +multisyllabic +multisyllability +multisyllable +multisystem +multisonant +multisonic +multisonorous +multisonorously +multisonorousness +multisonous +multispecies +multispeed +multispermous +multispicular +multispiculate +multispindle +multispindled +multispinous +multispiral +multispired +multistage +multistaminate +multistate +multistep +multistorey +multistory +multistoried +multistratified +multistratous +multistriate +multisulcate +multisulcated +multitagged +multitarian +multitask +multitasking +multitentacled +multitentaculate +multitester +multitheism +multitheist +multithread +multithreaded +multititular +multitoed +multitoned +multitube +multituberculata +multituberculate +multituberculated +multituberculy +multituberculism +multitubular +multitude +multitudes +multitudinal +multitudinary +multitudinism +multitudinist +multitudinistic +multitudinosity +multitudinous +multitudinously +multitudinousness +multiturn +multiuser +multivagant +multivalence +multivalency +multivalent +multivalued +multivalve +multivalved +multivalvular +multivane +multivariant +multivariate +multivariates +multivarious +multiversant +multiverse +multiversion +multiversity +multiversities +multivibrator +multiview +multiviewing +multivincular +multivious +multivitamin +multivitamins +multivocal +multivocality +multivocalness +multivoiced +multivolent +multivoltine +multivolume +multivolumed +multivorous +multiway +multiwall +multiword +multiwords +multo +multocular +multum +multungulate +multure +multurer +multures +mulvel +mum +mumble +mumblebee +mumbled +mumblement +mumbler +mumblers +mumbles +mumbletypeg +mumbling +mumblingly +mumblings +mumbo +mumbudget +mumchance +mume +mumhouse +mumjuma +mumm +mummed +mummer +mummery +mummeries +mummers +mummy +mummia +mummichog +mummick +mummydom +mummied +mummies +mummify +mummification +mummified +mummifies +mummifying +mummiform +mummyhood +mummying +mummylike +mumming +mumms +mumness +mump +mumped +mumper +mumpers +mumphead +mumping +mumpish +mumpishly +mumpishness +mumps +mumpsimus +mumruffin +mums +mumsy +mun +munandi +muncerian +munch +munchausen +munchausenism +munchausenize +munched +munchee +muncheel +muncher +munchers +munches +munchet +munchy +munchies +munching +muncupate +mund +munda +mundal +mundane +mundanely +mundaneness +mundanism +mundanity +mundari +mundation +mundatory +mundic +mundify +mundificant +mundification +mundified +mundifier +mundifying +mundil +mundivagant +mundle +mundungo +mundungos +mundungus +mundunugu +mung +munga +mungcorn +munge +mungey +munger +mungy +mungo +mungofa +mungoos +mungoose +mungooses +mungos +mungrel +munguba +munia +munic +munich +munychia +munychian +munychion +munichism +municipal +municipalise +municipalism +municipalist +municipality +municipalities +municipalization +municipalize +municipalized +municipalizer +municipalizing +municipally +municipia +municipium +munify +munific +munificence +munificency +munificent +munificently +munificentness +munifience +muniment +muniments +munite +munited +munity +muniting +munition +munitionary +munitioned +munitioneer +munitioner +munitioning +munitions +munj +munjeet +munjistin +munnion +munnions +munnopsidae +munnopsis +muns +munsee +munshi +munsif +munsiff +munster +munsters +munt +muntiacus +muntin +munting +muntingia +muntings +muntins +muntjac +muntjacs +muntjak +muntjaks +muntz +muon +muong +muonic +muonium +muons +muphrid +mura +muradiyah +muraena +muraenid +muraenidae +muraenids +muraenoid +murage +mural +muraled +muralist +muralists +murally +murals +muran +muranese +murarium +muras +murasakite +murat +muratorian +murchy +murciana +murdabad +murder +murdered +murderee +murderees +murderer +murderers +murderess +murderesses +murdering +murderingly +murderish +murderment +murderous +murderously +murderousness +murders +murdrum +mure +mured +murein +mureins +murenger +mures +murex +murexan +murexes +murexid +murexide +murga +murgavi +murgeon +muriate +muriated +muriates +muriatic +muricate +muricated +murices +muricid +muricidae +muriciform +muricine +muricoid +muriculate +murid +muridae +muridism +murids +muriel +muriform +muriformly +murillo +murinae +murine +murines +muring +murinus +murionitric +muriti +murium +murk +murker +murkest +murky +murkier +murkiest +murkily +murkiness +murkish +murkly +murkness +murks +murksome +murlack +murlain +murlemewes +murly +murlin +murlock +murmi +murmur +murmuration +murmurator +murmured +murmurer +murmurers +murmuring +murmuringly +murmurish +murmurless +murmurlessly +murmurous +murmurously +murmurs +murnival +muroid +muromontite +murph +murphy +murphied +murphies +murphying +murr +murra +murrah +murray +murraya +murrain +murrains +murral +murraro +murras +murre +murrey +murreys +murrelet +murrelets +murres +murrha +murrhas +murrhine +murrhuine +murry +murries +murrina +murrine +murrion +murrnong +murrs +murshid +murther +murthered +murtherer +murthering +murthers +murthy +murumuru +murut +muruxi +murva +murza +murzim +mus +musa +musaceae +musaceous +musaeus +musal +musales +musalmani +musang +musar +musard +musardry +musca +muscade +muscadel +muscadelle +muscadels +muscadet +muscadin +muscadine +muscadinia +muscae +muscalonge +muscardine +muscardinidae +muscardinus +muscari +muscariform +muscarine +muscarinic +muscaris +muscat +muscatel +muscatels +muscatorium +muscats +muscavada +muscavado +muschelkalk +musci +muscicapa +muscicapidae +muscicapine +muscicide +muscicole +muscicoline +muscicolous +muscid +muscidae +muscids +musciform +muscinae +muscle +musclebound +muscled +muscleless +musclelike +muscleman +musclemen +muscles +muscly +muscling +muscogee +muscoid +muscoidea +muscology +muscologic +muscological +muscologist +muscone +muscose +muscoseness +muscosity +muscot +muscovade +muscovadite +muscovado +muscovi +muscovy +muscovite +muscovites +muscovitic +muscovitization +muscovitize +muscovitized +muscow +musculamine +muscular +muscularity +muscularities +muscularize +muscularly +musculation +musculature +musculatures +muscule +musculi +musculin +musculoarterial +musculocellular +musculocutaneous +musculodermic +musculoelastic +musculofibrous +musculointestinal +musculoligamentous +musculomembranous +musculopallial +musculophrenic +musculoskeletal +musculospinal +musculospiral +musculotegumentary +musculotendinous +musculous +musculus +muse +mused +museful +musefully +musefulness +museist +museless +muselessness +muselike +museographer +museography +museographist +museology +museologist +muser +musery +musers +muses +muset +musette +musettes +museum +museumize +museums +musgu +mush +musha +mushaa +mushabbihite +mushed +musher +mushers +mushes +mushhead +mushheaded +mushheadedness +mushy +mushier +mushiest +mushily +mushiness +mushing +mushla +mushmelon +mushrebiyeh +mushroom +mushroomed +mushroomer +mushroomy +mushroomic +mushrooming +mushroomlike +mushrooms +mushru +mushrump +music +musica +musical +musicale +musicales +musicality +musicalization +musicalize +musically +musicalness +musicals +musicate +musician +musiciana +musicianer +musicianly +musicians +musicianship +musicker +musicless +musiclike +musicmonger +musico +musicoartistic +musicodramatic +musicofanatic +musicographer +musicography +musicology +musicological +musicologically +musicologies +musicologist +musicologists +musicologue +musicomania +musicomechanical +musicophile +musicophilosophical +musicophysical +musicophobia +musicopoetic +musicotherapy +musicotherapies +musicproof +musicry +musics +musie +musily +musimon +musing +musingly +musings +musion +musit +musive +musjid +musjids +musk +muskadel +muskallonge +muskallunge +muskat +musked +muskeg +muskeggy +muskegs +muskellunge +muskellunges +musket +musketade +musketeer +musketeers +musketlike +musketo +musketoon +musketproof +musketry +musketries +muskets +muskflower +muskgrass +muskhogean +musky +muskie +muskier +muskies +muskiest +muskified +muskily +muskiness +muskish +muskit +muskits +musklike +muskmelon +muskmelons +muskogean +muskogee +muskone +muskox +muskoxen +muskrat +muskrats +muskroot +musks +muskwaki +muskwood +muslim +muslims +muslin +muslined +muslinet +muslinette +muslins +musmon +musnud +muso +musophaga +musophagi +musophagidae +musophagine +musophobia +muspike +muspikes +musquash +musquashes +musquashroot +musquashweed +musquaspen +musquaw +musqueto +musrol +musroomed +muss +mussable +mussably +mussack +mussaenda +mussal +mussalchee +mussed +mussel +musselcracker +musseled +musseler +mussellim +mussels +musses +mussy +mussick +mussier +mussiest +mussily +mussiness +mussing +mussitate +mussitation +mussolini +mussuck +mussuk +mussulman +mussulmanic +mussulmanish +mussulmanism +mussulwoman +mussurana +must +mustache +mustached +mustaches +mustachial +mustachio +mustachioed +mustachios +mustafina +mustafuz +mustahfiz +mustang +mustanger +mustangs +mustard +mustarder +mustards +musted +mustee +mustees +mustela +mustelid +mustelidae +mustelin +musteline +mustelinous +musteloid +mustelus +muster +musterable +musterdevillers +mustered +musterer +musterial +mustering +mustermaster +musters +musth +musths +musty +mustier +musties +mustiest +mustify +mustily +mustiness +musting +mustnt +musts +mustulent +musumee +mut +muta +mutabilia +mutability +mutable +mutableness +mutably +mutafacient +mutage +mutagen +mutagenesis +mutagenetic +mutagenic +mutagenically +mutagenicity +mutagenicities +mutagens +mutandis +mutant +mutants +mutarotate +mutarotation +mutase +mutases +mutate +mutated +mutates +mutating +mutation +mutational +mutationally +mutationism +mutationist +mutations +mutatis +mutative +mutator +mutatory +mutawalli +mutawallis +mutazala +mutch +mutches +mutchkin +mutchkins +mute +muted +mutedly +mutedness +mutely +muteness +mutenesses +muter +mutes +mutesarif +mutescence +mutessarif +mutessarifat +mutest +muth +muthmannite +muthmassel +mutic +muticate +muticous +mutilate +mutilated +mutilates +mutilating +mutilation +mutilations +mutilative +mutilator +mutilatory +mutilators +mutilla +mutillid +mutillidae +mutilous +mutinado +mutine +mutined +mutineer +mutineered +mutineering +mutineers +mutines +muting +mutiny +mutinied +mutinies +mutinying +mutining +mutinize +mutinous +mutinously +mutinousness +mutisia +mutisiaceae +mutism +mutisms +mutist +mutistic +mutive +mutivity +mutoscope +mutoscopic +muts +mutsje +mutsuddy +mutt +mutten +mutter +muttered +mutterer +mutterers +muttering +mutteringly +mutters +mutton +muttonbird +muttonchop +muttonchops +muttonfish +muttonfishes +muttonhead +muttonheaded +muttonheadedness +muttonhood +muttony +muttonmonger +muttons +muttonwood +mutts +mutual +mutualisation +mutualise +mutualised +mutualising +mutualism +mutualist +mutualistic +mutuality +mutualities +mutualization +mutualize +mutualized +mutualizing +mutually +mutualness +mutuals +mutuant +mutuary +mutuate +mutuatitious +mutuel +mutuels +mutular +mutulary +mutule +mutules +mutus +mutuum +mutwalli +muumuu +muumuus +muvule +mux +muzarab +muzhik +muzhiks +muzjik +muzjiks +muzo +muzoona +muzz +muzzy +muzzier +muzziest +muzzily +muzziness +muzzle +muzzled +muzzleloader +muzzleloading +muzzler +muzzlers +muzzles +muzzlewood +muzzling +mv +mw +mwa +mwalimu +mxd +mzee +mzungu +n +na +naa +naam +naaman +naassenes +nab +nabak +nabal +nabalism +nabalite +nabalitic +nabaloi +nabalus +nabataean +nabatean +nabathaean +nabathean +nabathite +nabbed +nabber +nabby +nabbing +nabbuk +nabcheat +nabis +nabk +nabla +nablas +nable +nablus +nabob +nabobery +naboberies +nabobess +nabobesses +nabobical +nabobically +nabobish +nabobishly +nabobism +nabobisms +nabobry +nabobrynabobs +nabobs +nabobship +naboth +nabothian +nabs +nabu +nacarat +nacarine +nace +nacelle +nacelles +nach +nachani +nachas +nache +nachitoch +nachitoches +nacho +nachschlag +nachtmml +nachus +nacionalista +nacket +nacre +nacred +nacreous +nacreousness +nacres +nacry +nacrine +nacrite +nacrous +nad +nada +nadder +nadeem +nadir +nadiral +nadirs +nadorite +nae +naebody +naegait +naegate +naegates +nael +naemorhedinae +naemorhedine +naemorhedus +naether +naething +naethings +naevi +naevoid +naevus +naf +nag +naga +nagaika +nagami +nagana +naganas +nagara +nagari +nagasaki +nagatelite +nagel +naggar +nagged +nagger +naggers +naggy +naggier +naggiest +naggin +nagging +naggingly +naggingness +naggish +naggle +naggly +naght +nagyagite +naging +nagkassar +nagmaal +nagman +nagnag +nagnail +nagor +nags +nagsman +nagster +nagual +nagualism +nagualist +nahanarvali +nahane +nahani +naharvali +nahoor +nahor +nahua +nahuan +nahuatl +nahuatlac +nahuatlan +nahuatleca +nahuatlecan +nahuatls +nahum +nay +naiad +naiadaceae +naiadaceous +naiadales +naiades +naiads +naiant +nayar +nayarit +nayarita +naias +nayaur +naib +naid +naif +naifly +naifs +naig +naigie +naigue +naik +nail +nailbin +nailbrush +nailed +nailer +naileress +nailery +nailers +nailfile +nailfold +nailfolds +nailhead +nailheads +naily +nailing +nailless +naillike +nailprint +nailproof +nailrod +nails +nailset +nailsets +nailshop +nailsick +nailsickness +nailsmith +nailwort +naim +nain +nainsel +nainsell +nainsook +nainsooks +naio +naipkin +naique +nair +naira +nairy +nairobi +nais +nays +naysay +naysayer +naysaying +naish +naiskoi +naiskos +naissance +naissant +naither +naitly +naive +naively +naiveness +naiver +naives +naivest +naivete +naivetes +naivety +naiveties +naivetivet +naivite +nayward +nayword +naja +nak +nake +naked +nakeder +nakedest +nakedish +nakedize +nakedly +nakedness +nakedweed +nakedwood +naker +nakhlite +nakhod +nakhoda +nakir +nako +nakomgilisala +nakong +nakoo +nakula +nale +naled +naleds +nalita +nallah +nalorphine +naloxone +naloxones +nam +nama +namability +namable +namaycush +namaqua +namaquan +namare +namaste +namatio +namaz +namazlik +namban +nambe +namby +namda +name +nameability +nameable +nameboard +named +nameless +namelessless +namelessly +namelessness +namely +nameling +nameplate +nameplates +namer +namers +names +namesake +namesakes +nametape +naming +namma +nammad +nammo +nan +nana +nanaimo +nanako +nanander +nanas +nanawood +nance +nances +nancy +nanda +nandi +nandin +nandina +nandine +nandins +nandow +nandu +nanduti +nane +nanes +nanga +nangca +nanger +nangka +nanigo +nanism +nanisms +nanitic +nanization +nankeen +nankeens +nankin +nanking +nankingese +nankins +nanmu +nannander +nannandrium +nannandrous +nannette +nanny +nannyberry +nannyberries +nannybush +nannie +nannies +nanninose +nannofossil +nannoplankton +nannoplanktonic +nanocephaly +nanocephalia +nanocephalic +nanocephalism +nanocephalous +nanocephalus +nanocurie +nanocuries +nanogram +nanograms +nanoid +nanoinstruction +nanoinstructions +nanomelia +nanomelous +nanomelus +nanometer +nanometre +nanoplankton +nanoprogram +nanoprogramming +nanosec +nanosecond +nanoseconds +nanosoma +nanosomia +nanosomus +nanostore +nanostores +nanowatt +nanowatts +nanoword +nanpie +nansomia +nant +nanticoke +nantle +nantokite +nants +nantz +naoi +naology +naological +naometry +naomi +naos +naosaurus +naoto +nap +napa +napaea +napaean +napal +napalm +napalmed +napalming +napalms +nape +napead +napecrest +napellus +naperer +napery +naperies +napes +naphtali +naphtha +naphthacene +naphthalate +naphthalene +naphthaleneacetic +naphthalenesulphonic +naphthalenic +naphthalenoid +naphthalic +naphthalidine +naphthalin +naphthaline +naphthalise +naphthalised +naphthalising +naphthalization +naphthalize +naphthalized +naphthalizing +naphthalol +naphthamine +naphthanthracene +naphthas +naphthene +naphthenic +naphthyl +naphthylamine +naphthylaminesulphonic +naphthylene +naphthylic +naphthinduline +naphthionate +naphtho +naphthoic +naphthol +naphtholate +naphtholize +naphthols +naphtholsulphonate +naphtholsulphonic +naphthoquinone +naphthoresorcinol +naphthosalol +naphthous +naphthoxide +naphtol +naphtols +napier +napierian +napiform +napkin +napkined +napkining +napkins +naples +napless +naplessness +napoleon +napoleonana +napoleonic +napoleonically +napoleonism +napoleonist +napoleonistic +napoleonite +napoleonize +napoleons +napoo +napooh +nappa +nappe +napped +napper +nappers +nappes +nappy +nappie +nappier +nappies +nappiest +nappiness +napping +nappishness +naprapath +naprapathy +napron +naps +napthionic +napu +nar +narc +narcaciontes +narcaciontidae +narcein +narceine +narceines +narceins +narciscissi +narcism +narcisms +narciss +narcissan +narcissi +narcissine +narcissism +narcissist +narcissistic +narcissistically +narcissists +narcissus +narcissuses +narcist +narcistic +narcists +narco +narcoanalysis +narcoanesthesia +narcobatidae +narcobatoidea +narcobatus +narcohypnia +narcohypnoses +narcohypnosis +narcohypnotic +narcolepsy +narcolepsies +narcoleptic +narcoma +narcomania +narcomaniac +narcomaniacal +narcomas +narcomata +narcomatous +narcomedusae +narcomedusan +narcos +narcose +narcoses +narcosynthesis +narcosis +narcostimulant +narcotherapy +narcotherapies +narcotherapist +narcotia +narcotic +narcotical +narcotically +narcoticalness +narcoticism +narcoticness +narcotics +narcotin +narcotina +narcotine +narcotinic +narcotisation +narcotise +narcotised +narcotising +narcotism +narcotist +narcotization +narcotize +narcotized +narcotizes +narcotizing +narcous +narcs +nard +nardine +nardoo +nards +nardu +nardus +nare +naren +narendra +nares +naresh +narghile +narghiles +nargil +nargile +nargileh +nargilehs +nargiles +nary +narial +naric +narica +naricorn +nariform +narine +naringenin +naringin +naris +nark +narked +narky +narking +narks +narr +narra +narraganset +narrante +narras +narratable +narrate +narrated +narrater +narraters +narrates +narrating +narratio +narration +narrational +narrations +narrative +narratively +narratives +narrator +narratory +narrators +narratress +narratrix +narrawood +narrishkeit +narrow +narrowcast +narrowed +narrower +narrowest +narrowhearted +narrowheartedness +narrowy +narrowing +narrowingness +narrowish +narrowly +narrowness +narrows +narsarsukite +narsinga +narthecal +narthecium +narthex +narthexes +narw +narwal +narwals +narwhal +narwhale +narwhales +narwhalian +narwhals +nasa +nasab +nasal +nasalis +nasalise +nasalised +nasalises +nasalising +nasalism +nasality +nasalities +nasalization +nasalize +nasalized +nasalizes +nasalizing +nasally +nasals +nasalward +nasalwards +nasard +nasat +nasaump +nascan +nascapi +nascence +nascences +nascency +nascencies +nascent +nasch +nasciturus +naseberry +naseberries +nasethmoid +nash +nashgab +nashgob +nashim +nashira +nashua +nashville +nasi +nasial +nasicorn +nasicornia +nasicornous +nasiei +nasiform +nasilabial +nasillate +nasillation +nasioalveolar +nasiobregmatic +nasioinial +nasiomental +nasion +nasions +nasitis +naskhi +naso +nasoalveola +nasoantral +nasobasilar +nasobronchial +nasobuccal +nasoccipital +nasociliary +nasoethmoidal +nasofrontal +nasolabial +nasolachrymal +nasolacrimal +nasology +nasological +nasologist +nasomalar +nasomaxillary +nasonite +nasoorbital +nasopalatal +nasopalatine +nasopharyngeal +nasopharynges +nasopharyngitis +nasopharynx +nasopharynxes +nasoprognathic +nasoprognathism +nasorostral +nasoscope +nasoseptal +nasosinuitis +nasosinusitis +nasosubnasal +nasoturbinal +nasrol +nassa +nassau +nassellaria +nassellarian +nassidae +nassology +nast +nastaliq +nasty +nastic +nastier +nastiest +nastika +nastily +nastiness +nasturtion +nasturtium +nasturtiums +nasua +nasus +nasute +nasuteness +nasutiform +nasutus +nat +natability +nataka +natal +natale +natalia +natalian +natalie +natalism +natalist +natality +natalitial +natalities +natally +nataloin +natals +natant +natantly +nataraja +natation +natational +natations +natator +natatores +natatory +natatoria +natatorial +natatorious +natatorium +natatoriums +natch +natchbone +natchez +natchezan +natchitoches +natchnee +nate +nates +nathan +nathanael +nathaniel +nathe +natheless +nathemo +nather +nathless +natica +naticidae +naticiform +naticine +natick +naticoid +natiform +natimortality +nation +national +nationaliser +nationalism +nationalist +nationalistic +nationalistically +nationalists +nationality +nationalities +nationalization +nationalizations +nationalize +nationalized +nationalizer +nationalizes +nationalizing +nationally +nationalness +nationals +nationalty +nationhood +nationless +nations +nationwide +native +natively +nativeness +natives +nativism +nativisms +nativist +nativistic +nativists +nativity +nativities +nativus +natl +nato +natr +natraj +natricinae +natricine +natrium +natriums +natriuresis +natriuretic +natrix +natrochalcite +natrojarosite +natrolite +natron +natrons +natt +natter +nattered +natteredness +nattering +natterjack +natters +natty +nattier +nattiest +nattily +nattiness +nattle +nattock +nattoria +natu +natuary +natura +naturae +natural +naturale +naturalesque +naturalia +naturalisation +naturalise +naturaliser +naturalism +naturalist +naturalistic +naturalistically +naturalists +naturality +naturalization +naturalizations +naturalize +naturalized +naturalizer +naturalizes +naturalizing +naturally +naturalness +naturals +naturata +nature +naturecraft +natured +naturedly +naturel +naturelike +natureliked +naturellement +natureopathy +natures +naturing +naturism +naturist +naturistic +naturistically +naturize +naturopath +naturopathy +naturopathic +naturopathist +natus +nauch +nauclerus +naucorid +naucrar +naucrary +naufrage +naufragous +naugahyde +nauger +naught +naughty +naughtier +naughtiest +naughtily +naughtiness +naughts +naujaite +naukrar +naulage +naulum +naumacay +naumachy +naumachia +naumachiae +naumachias +naumachies +naumannite +naumburgia +naumk +naumkeag +naumkeager +naunt +nauntle +naupathia +nauplial +naupliform +nauplii +naupliiform +nauplioid +nauplius +nauplplii +naur +nauropometer +nauscopy +nausea +nauseam +nauseant +nauseants +nauseaproof +nauseas +nauseate +nauseated +nauseates +nauseating +nauseatingly +nauseation +nauseous +nauseously +nauseousness +nauset +nauseum +nausity +naut +nautch +nautches +nauther +nautic +nautica +nautical +nauticality +nautically +nauticals +nautics +nautiform +nautilacea +nautilacean +nautili +nautilicone +nautiliform +nautilite +nautiloid +nautiloidea +nautiloidean +nautilus +nautiluses +nautophone +nav +navagium +navaho +navahoes +navahos +navaid +navaids +navajo +navajos +naval +navalese +navalism +navalist +navalistic +navalistically +navally +navar +navarch +navarchy +navarho +navarin +navarrese +navarrian +navars +nave +navel +naveled +navely +navellike +navels +navelwort +naveness +naves +navet +naveta +navete +navety +navette +navettes +navew +navi +navy +navicella +navicert +navicerts +navicula +naviculaceae +naviculaeform +navicular +naviculare +naviculoid +navies +naviform +navig +navigability +navigable +navigableness +navigably +navigant +navigate +navigated +navigates +navigating +navigation +navigational +navigationally +navigator +navigators +navigerous +navipendular +navipendulum +navis +navite +navvy +navvies +naw +nawab +nawabs +nawabship +nawies +nawle +nawob +nawt +nazarate +nazard +nazarean +nazarene +nazarenes +nazarenism +nazareth +nazarite +nazariteship +nazaritic +nazaritish +nazaritism +nazdrowie +naze +nazeranna +nazerini +nazi +nazify +nazification +nazified +nazifies +nazifying +naziism +nazim +nazir +nazirate +nazirite +naziritic +nazis +nazism +nb +nbg +nco +nd +ndoderm +ne +nea +neaf +neakes +neal +neallotype +neanderthal +neanderthaler +neanderthaloid +neanderthals +neanic +neanthropic +neap +neaped +neapolitan +neapolitans +neaps +near +nearable +nearabout +nearabouts +nearaivays +nearaway +nearaways +nearby +nearctic +nearctica +neared +nearer +nearest +nearing +nearish +nearly +nearlier +nearliest +nearmost +nearness +nearnesses +nears +nearshore +nearside +nearsight +nearsighted +nearsightedly +nearsightedness +nearthrosis +neascus +neat +neaten +neatened +neatening +neatens +neater +neatest +neath +neatherd +neatherdess +neatherds +neathmost +neatify +neatly +neatness +neatnesses +neats +neavil +neb +neback +nebaioth +nebalia +nebaliacea +nebalian +nebaliidae +nebalioid +nebbed +nebby +nebbish +nebbishes +nebbuck +nebbuk +nebel +nebelist +nebenkern +nebiim +nebraska +nebraskan +nebraskans +nebris +nebrodi +nebs +nebuchadnezzar +nebula +nebulae +nebular +nebularization +nebularize +nebulas +nebulated +nebulation +nebule +nebulescent +nebuly +nebuliferous +nebulisation +nebulise +nebulised +nebuliser +nebulises +nebulising +nebulite +nebulium +nebulization +nebulize +nebulized +nebulizer +nebulizers +nebulizes +nebulizing +nebulon +nebulose +nebulosity +nebulosities +nebulosus +nebulous +nebulously +nebulousness +necation +necator +necessar +necessary +necessarian +necessarianism +necessaries +necessarily +necessariness +necessarium +necessarius +necesse +necessism +necessist +necessitarian +necessitarianism +necessitate +necessitated +necessitatedly +necessitates +necessitating +necessitatingly +necessitation +necessitative +necessity +necessities +necessitous +necessitously +necessitousness +necessitude +necessitudo +necia +neck +neckar +neckatee +neckband +neckbands +neckcloth +necked +neckenger +necker +neckercher +neckerchief +neckerchiefs +neckerchieves +neckful +neckguard +necking +neckinger +neckings +neckyoke +necklace +necklaced +necklaces +necklaceweed +neckless +necklet +necklike +neckline +necklines +neckmold +neckmould +neckpiece +necks +neckstock +necktie +necktieless +neckties +neckward +neckwear +neckwears +neckweed +necraemia +necrectomy +necremia +necro +necrobacillary +necrobacillosis +necrobiosis +necrobiotic +necrogenic +necrogenous +necrographer +necrolatry +necrology +necrologic +necrological +necrologically +necrologies +necrologist +necrologue +necromancer +necromancers +necromancy +necromancing +necromania +necromantic +necromantical +necromantically +necromimesis +necromorphous +necronite +necropathy +necrophaga +necrophagan +necrophagy +necrophagia +necrophagous +necrophil +necrophile +necrophily +necrophilia +necrophiliac +necrophilic +necrophilism +necrophilistic +necrophilous +necrophobia +necrophobic +necrophorus +necropoleis +necropoles +necropoli +necropolis +necropolises +necropolitan +necropsy +necropsied +necropsies +necropsying +necroscopy +necroscopic +necroscopical +necrose +necrosed +necroses +necrosing +necrosis +necrotic +necrotically +necrotype +necrotypic +necrotise +necrotised +necrotising +necrotization +necrotize +necrotized +necrotizing +necrotomy +necrotomic +necrotomies +necrotomist +nectandra +nectar +nectareal +nectarean +nectared +nectareous +nectareously +nectareousness +nectary +nectarial +nectarian +nectaried +nectaries +nectariferous +nectarin +nectarine +nectarines +nectarinia +nectariniidae +nectarious +nectarise +nectarised +nectarising +nectarium +nectarivorous +nectarize +nectarized +nectarizing +nectarlike +nectarous +nectars +nectiferous +nectocalyces +nectocalycine +nectocalyx +necton +nectonema +nectophore +nectopod +nectria +nectriaceous +nectrioidaceae +nectron +necturidae +necturus +ned +nedder +neddy +neddies +nederlands +nee +neebor +neebour +need +needed +needer +needers +needfire +needful +needfully +needfulness +needfuls +needgates +needham +needy +needier +neediest +needily +neediness +needing +needle +needlebill +needlebook +needlebush +needlecase +needlecord +needlecraft +needled +needlefish +needlefishes +needleful +needlefuls +needlelike +needlemaker +needlemaking +needleman +needlemen +needlemonger +needlepoint +needlepoints +needleproof +needler +needlers +needles +needless +needlessly +needlessness +needlestone +needlewoman +needlewomen +needlewood +needlework +needleworked +needleworker +needly +needling +needlings +needment +needments +needn +neednt +needs +needsly +needsome +neeger +neela +neeld +neele +neelghan +neem +neemba +neems +neencephala +neencephalic +neencephalon +neencephalons +neengatu +neep +neepour +neeps +neer +neese +neet +neetup +neeze +nef +nefandous +nefandousness +nefarious +nefariously +nefariousness +nefas +nefast +nefastus +neffy +neftgil +neg +negara +negate +negated +negatedness +negater +negaters +negates +negating +negation +negational +negationalist +negationist +negations +negativate +negative +negatived +negatively +negativeness +negativer +negatives +negativing +negativism +negativist +negativistic +negativity +negaton +negatons +negator +negatory +negators +negatron +negatrons +neger +neginoth +neglect +neglectable +neglected +neglectedly +neglectedness +neglecter +neglectful +neglectfully +neglectfulness +neglecting +neglectingly +neglection +neglective +neglectively +neglector +neglectproof +neglects +neglig +neglige +negligee +negligees +negligence +negligency +negligent +negligentia +negligently +negliges +negligibility +negligible +negligibleness +negligibly +negoce +negotiability +negotiable +negotiables +negotiably +negotiant +negotiants +negotiate +negotiated +negotiates +negotiating +negotiation +negotiations +negotiator +negotiatory +negotiators +negotiatress +negotiatrix +negotiatrixes +negotious +negqtiator +negress +negrillo +negrine +negrita +negritian +negritic +negritize +negrito +negritoid +negritude +negro +negrodom +negroes +negrofy +negrohead +negrohood +negroid +negroidal +negroids +negroish +negroism +negroization +negroize +negrolike +negroloid +negrophil +negrophile +negrophilism +negrophilist +negrophobe +negrophobia +negrophobiac +negrophobist +negros +negrotic +negundo +negus +neguses +nehantic +nehemiah +nehiloth +nehru +nei +neyanda +neif +neifs +neigh +neighbor +neighbored +neighborer +neighboress +neighborhood +neighborhoods +neighboring +neighborless +neighborly +neighborlike +neighborlikeness +neighborliness +neighbors +neighborship +neighborstained +neighbour +neighboured +neighbourer +neighbouress +neighbourhood +neighbouring +neighbourless +neighbourly +neighbourlike +neighbourliness +neighbours +neighbourship +neighed +neigher +neighing +neighs +neil +neilah +neillia +nein +neiper +neisseria +neisserieae +neist +neither +nejd +nejdi +nek +nekkar +nekton +nektonic +nektons +nelken +nell +nelly +nellie +nelson +nelsonite +nelsons +nelumbian +nelumbium +nelumbo +nelumbonaceae +nelumbos +nema +nemaline +nemalion +nemalionaceae +nemalionales +nemalite +nemas +nemastomaceae +nematelmia +nematelminth +nematelminthes +nemathece +nemathecia +nemathecial +nemathecium +nemathelmia +nemathelminth +nemathelminthes +nematic +nematicidal +nematicide +nematoblast +nematoblastic +nematocera +nematoceran +nematocerous +nematocidal +nematocide +nematocyst +nematocystic +nematoda +nematode +nematodes +nematodiasis +nematogen +nematogene +nematogenic +nematogenous +nematognath +nematognathi +nematognathous +nematogone +nematogonous +nematoid +nematoidea +nematoidean +nematology +nematological +nematologist +nematomorpha +nematophyton +nematospora +nematozooid +nembutal +nembutsu +nemean +nemertea +nemertean +nemertian +nemertid +nemertina +nemertine +nemertinea +nemertinean +nemertini +nemertoid +nemeses +nemesia +nemesic +nemesis +nemichthyidae +nemichthys +nemine +nemo +nemocera +nemoceran +nemocerous +nemopanthus +nemophila +nemophily +nemophilist +nemophilous +nemoral +nemorensian +nemoricole +nemoricoline +nemoricolous +nemos +nempne +nenarche +nene +nenes +nengahiba +nenta +nenuphar +neo +neoacademic +neoanthropic +neoarctic +neoarsphenamine +neobalaena +neobeckia +neoblastic +neobotany +neobotanist +neocene +neoceratodus +neocerotic +neochristianity +neocyanine +neocyte +neocytosis +neoclassic +neoclassical +neoclassically +neoclassicism +neoclassicist +neoclassicists +neocolonial +neocolonialism +neocolonialist +neocolonialists +neocolonially +neocomian +neoconcretist +neoconservative +neoconstructivism +neoconstructivist +neocortex +neocortical +neocosmic +neocracy +neocriticism +neocubism +neocubist +neodadaism +neodadaist +neodamode +neodidymium +neodymium +neodiprion +neoexpressionism +neoexpressionist +neofabraea +neofascism +neofetal +neofetus +neofiber +neoformation +neoformative +neogaea +neogaean +neogamy +neogamous +neogene +neogenesis +neogenetic +neognathae +neognathic +neognathous +neogrammarian +neogrammatical +neographic +neohexane +neohipparion +neoholmia +neoholmium +neoimpressionism +neoimpressionist +neoytterbium +neolalia +neolater +neolatry +neolith +neolithic +neoliths +neology +neologian +neologianism +neologic +neological +neologically +neologies +neologise +neologised +neologising +neologism +neologisms +neologist +neologistic +neologistical +neologization +neologize +neologized +neologizing +neomedievalism +neomenia +neomenian +neomeniidae +neomycin +neomycins +neomylodon +neomiracle +neomodal +neomorph +neomorpha +neomorphic +neomorphism +neomorphs +neon +neonatal +neonatally +neonate +neonates +neonatology +neonatus +neoned +neoneds +neonychium +neonomian +neonomianism +neons +neontology +neoologist +neoorthodox +neoorthodoxy +neopagan +neopaganism +neopaganize +neopaleozoic +neopallial +neopallium +neoparaffin +neophilism +neophilological +neophilologist +neophyte +neophytes +neophytic +neophytish +neophytism +neophobia +neophobic +neophrastic +neophron +neopieris +neopine +neoplasia +neoplasm +neoplasma +neoplasmata +neoplasms +neoplasty +neoplastic +neoplasticism +neoplasticist +neoplasties +neoplatonic +neoplatonician +neoplatonism +neoplatonist +neoprene +neoprenes +neorama +neorealism +neornithes +neornithic +neosalvarsan +neosorex +neosporidia +neossin +neossine +neossology +neossoptile +neostigmine +neostyle +neostyled +neostyling +neostriatum +neoteinia +neoteinic +neoteny +neotenia +neotenic +neotenies +neotenous +neoteric +neoterical +neoterically +neoterics +neoterism +neoterist +neoteristic +neoterize +neoterized +neoterizing +neothalamus +neotype +neotypes +neotoma +neotraditionalism +neotraditionalist +neotragus +neotremata +neotropic +neotropical +neovitalism +neovolcanic +neowashingtonia +neoza +neozoic +nep +nepa +nepal +nepalese +nepali +nepenthaceae +nepenthaceous +nepenthe +nepenthean +nepenthes +neper +neperian +nepeta +nephalism +nephalist +nephalistic +nephanalysis +nephele +nepheligenous +nepheline +nephelinic +nephelinite +nephelinitic +nephelinitoid +nephelite +nephelium +nephelognosy +nepheloid +nephelometer +nephelometry +nephelometric +nephelometrical +nephelometrically +nephelorometer +nepheloscope +nephesh +nephew +nephews +nephewship +nephila +nephilim +nephilinae +nephionic +nephite +nephogram +nephograph +nephology +nephological +nephologist +nephometer +nephophobia +nephoscope +nephphridia +nephradenoma +nephralgia +nephralgic +nephrapostasis +nephratonia +nephrauxe +nephrectasia +nephrectasis +nephrectomy +nephrectomies +nephrectomise +nephrectomised +nephrectomising +nephrectomize +nephrectomized +nephrectomizing +nephrelcosis +nephremia +nephremphraxis +nephria +nephric +nephridia +nephridial +nephridiopore +nephridium +nephrism +nephrisms +nephrite +nephrites +nephritic +nephritical +nephritides +nephritis +nephritises +nephroabdominal +nephrocardiac +nephrocele +nephrocystitis +nephrocystosis +nephrocyte +nephrocoele +nephrocolic +nephrocolopexy +nephrocoloptosis +nephrodinic +nephrodium +nephroerysipelas +nephrogastric +nephrogenetic +nephrogenic +nephrogenous +nephrogonaduct +nephrohydrosis +nephrohypertrophy +nephroid +nephrolepis +nephrolysin +nephrolysis +nephrolith +nephrolithic +nephrolithosis +nephrolithotomy +nephrolithotomies +nephrolytic +nephrology +nephrologist +nephromalacia +nephromegaly +nephromere +nephron +nephroncus +nephrons +nephroparalysis +nephropathy +nephropathic +nephropexy +nephrophthisis +nephropyelitis +nephropyeloplasty +nephropyosis +nephropore +nephrops +nephropsidae +nephroptosia +nephroptosis +nephrorrhagia +nephrorrhaphy +nephros +nephrosclerosis +nephrosis +nephrostoma +nephrostome +nephrostomy +nephrostomial +nephrostomous +nephrotic +nephrotyphoid +nephrotyphus +nephrotome +nephrotomy +nephrotomies +nephrotomise +nephrotomize +nephrotoxic +nephrotoxicity +nephrotoxin +nephrotuberculosis +nephrozymosis +nepidae +nepionic +nepit +nepman +nepmen +nepotal +nepote +nepotic +nepotious +nepotism +nepotisms +nepotist +nepotistic +nepotistical +nepotistically +nepotists +nepouite +nepquite +neptune +neptunean +neptunian +neptunism +neptunist +neptunium +neral +nerd +nerds +nere +nereid +nereidae +nereidean +nereides +nereidiform +nereidiformia +nereidous +nereids +nereis +nereite +nereocystis +neri +nerine +nerita +nerite +neritic +neritidae +neritina +neritjc +neritoid +nerium +nerka +neroic +nerol +neroli +nerolis +nerols +neronian +neronic +neronize +nerterology +nerthridae +nerthrus +nerts +nertz +nerval +nervate +nervation +nervature +nerve +nerved +nerveless +nervelessly +nervelessness +nervelet +nerveproof +nerver +nerveroot +nerves +nervy +nervid +nerviduct +nervier +nerviest +nervii +nervily +nervimotion +nervimotor +nervimuscular +nervine +nervines +nerviness +nerving +nervings +nervish +nervism +nervomuscular +nervosa +nervosanguineous +nervose +nervosism +nervosity +nervosities +nervous +nervously +nervousness +nervular +nervule +nervules +nervulet +nervulose +nervuration +nervure +nervures +nervus +nescience +nescient +nescients +nese +nesh +neshly +neshness +nesiot +nesiote +neskhi +neslave +neslia +nesogaea +nesogaean +nesokia +nesonetta +nesosilicate +nesotragus +nespelim +nesquehonite +ness +nessberry +nesselrode +nesses +nesslerise +nesslerised +nesslerising +nesslerization +nesslerize +nesslerized +nesslerizing +nessus +nest +nestable +nestage +nested +nester +nesters +nestful +nesty +nestiatria +nesting +nestings +nestitherapy +nestle +nestled +nestler +nestlers +nestles +nestlike +nestling +nestlings +nestor +nestorian +nestorianism +nestorianize +nestorianizer +nestorine +nestors +nests +net +netball +netbraider +netbush +netcha +netchilik +nete +neter +netful +neth +netheist +nether +netherlander +netherlandian +netherlandic +netherlandish +netherlands +nethermore +nethermost +netherstock +netherstone +netherward +netherwards +netherworld +nethinim +neti +netkeeper +netleaf +netless +netlike +netmaker +netmaking +netman +netmen +netminder +netmonger +netop +netops +nets +netsman +netsuke +netsukes +nett +nettable +nettably +nettapus +netted +netter +netters +netty +nettie +nettier +nettiest +netting +nettings +nettion +nettle +nettlebed +nettlebird +nettled +nettlefire +nettlefish +nettlefoot +nettlelike +nettlemonger +nettler +nettlers +nettles +nettlesome +nettlewort +nettly +nettlier +nettliest +nettling +netts +netwise +network +networked +networking +networks +neudeckian +neugkroschen +neugroschen +neuk +neum +neuma +neumatic +neumatizce +neumatize +neume +neumes +neumic +neums +neurad +neuradynamia +neural +neurale +neuralgy +neuralgia +neuralgiac +neuralgias +neuralgic +neuralgiform +neuralist +neurally +neuraminidase +neurapophyseal +neurapophysial +neurapophysis +neurarthropathy +neurasthenia +neurasthenias +neurasthenic +neurasthenical +neurasthenically +neurasthenics +neurataxy +neurataxia +neuration +neuratrophy +neuratrophia +neuratrophic +neuraxial +neuraxis +neuraxitis +neuraxon +neuraxone +neuraxons +neurectasy +neurectasia +neurectasis +neurectome +neurectomy +neurectomic +neurectopy +neurectopia +neurenteric +neurepithelium +neurergic +neurexairesis +neurhypnology +neurhypnotist +neuriatry +neuric +neuridine +neurilema +neurilematic +neurilemma +neurilemmal +neurilemmatic +neurilemmatous +neurilemmitis +neurility +neurin +neurine +neurinoma +neurinomas +neurinomata +neurypnology +neurypnological +neurypnologist +neurism +neuristor +neurite +neuritic +neuritics +neuritides +neuritis +neuritises +neuroactive +neuroanatomy +neuroanatomic +neuroanatomical +neuroanatomist +neuroanotomy +neurobiology +neurobiological +neurobiologist +neurobiotactic +neurobiotaxis +neuroblast +neuroblastic +neuroblastoma +neurocanal +neurocardiac +neurocele +neurocelian +neurocental +neurocentral +neurocentrum +neurochemical +neurochemist +neurochemistry +neurochitin +neurochondrite +neurochord +neurochorioretinitis +neurocirculator +neurocirculatory +neurocyte +neurocity +neurocytoma +neuroclonic +neurocoel +neurocoele +neurocoelian +neurocrine +neurocrinism +neurodegenerative +neurodendrite +neurodendron +neurodermatitis +neurodermatosis +neurodermitis +neurodiagnosis +neurodynamic +neurodynia +neuroelectricity +neuroembryology +neuroembryological +neuroendocrine +neuroendocrinology +neuroepidermal +neuroepithelial +neuroepithelium +neurofibril +neurofibrilla +neurofibrillae +neurofibrillar +neurofibrillary +neurofibroma +neurofibromatosis +neurofil +neuroganglion +neurogastralgia +neurogastric +neurogenesis +neurogenetic +neurogenic +neurogenically +neurogenous +neuroglandular +neuroglia +neurogliac +neuroglial +neurogliar +neuroglic +neuroglioma +neurogliosis +neurogram +neurogrammic +neurography +neurographic +neurohypnology +neurohypnotic +neurohypnotism +neurohypophyseal +neurohypophysial +neurohypophysis +neurohistology +neurohormonal +neurohormone +neurohumor +neurohumoral +neuroid +neurokeratin +neurokyme +neurol +neurolemma +neuroleptanalgesia +neuroleptanalgesic +neuroleptic +neuroleptoanalgesia +neurolymph +neurolysis +neurolite +neurolytic +neurology +neurologic +neurological +neurologically +neurologies +neurologist +neurologists +neurologize +neurologized +neuroma +neuromalacia +neuromalakia +neuromas +neuromast +neuromastic +neuromata +neuromatosis +neuromatous +neuromere +neuromerism +neuromerous +neuromyelitis +neuromyic +neuromimesis +neuromimetic +neuromotor +neuromuscular +neuromusculature +neuron +neuronal +neurone +neurones +neuronic +neuronym +neuronymy +neuronism +neuronist +neuronophagy +neuronophagia +neurons +neuroparalysis +neuroparalytic +neuropath +neuropathy +neuropathic +neuropathical +neuropathically +neuropathist +neuropathology +neuropathological +neuropathologist +neurope +neurophagy +neuropharmacology +neuropharmacologic +neuropharmacological +neuropharmacologist +neurophil +neurophile +neurophilic +neurophysiology +neurophysiologic +neurophysiological +neurophysiologically +neurophysiologist +neuropil +neuropile +neuroplasm +neuroplasmatic +neuroplasmic +neuroplasty +neuroplexus +neuropod +neuropodial +neuropodium +neuropodous +neuropore +neuropsychiatry +neuropsychiatric +neuropsychiatrically +neuropsychiatrist +neuropsychic +neuropsychical +neuropsychology +neuropsychological +neuropsychologist +neuropsychopathy +neuropsychopathic +neuropsychosis +neuropter +neuroptera +neuropteran +neuropteris +neuropterist +neuropteroid +neuropteroidea +neuropterology +neuropterological +neuropteron +neuropterous +neuroretinitis +neurorrhaphy +neurorthoptera +neurorthopteran +neurorthopterous +neurosal +neurosarcoma +neuroscience +neuroscientist +neurosclerosis +neurosecretion +neurosecretory +neurosensory +neuroses +neurosynapse +neurosyphilis +neurosis +neuroskeletal +neuroskeleton +neurosome +neurospasm +neurospast +neurospongium +neurospora +neurosthenia +neurosurgeon +neurosurgery +neurosurgeries +neurosurgical +neurosuture +neurotendinous +neurotension +neurotherapeutics +neurotherapy +neurotherapist +neurothlipsis +neurotic +neurotically +neuroticism +neuroticize +neurotics +neurotization +neurotome +neurotomy +neurotomical +neurotomist +neurotomize +neurotonic +neurotoxia +neurotoxic +neurotoxicity +neurotoxin +neurotransmission +neurotransmitter +neurotransmitters +neurotripsy +neurotrophy +neurotrophic +neurotropy +neurotropic +neurotropism +neurovaccination +neurovaccine +neurovascular +neurovisceral +neurual +neurula +neustic +neuston +neustonic +neustons +neustrian +neut +neuter +neutercane +neuterdom +neutered +neutering +neuterly +neuterlike +neuterness +neuters +neutral +neutralise +neutralism +neutralist +neutralistic +neutralists +neutrality +neutralities +neutralization +neutralizations +neutralize +neutralized +neutralizer +neutralizers +neutralizes +neutralizing +neutrally +neutralness +neutrals +neutretto +neutrettos +neutria +neutrino +neutrinos +neutroceptive +neutroceptor +neutroclusion +neutrodyne +neutrologistic +neutron +neutrons +neutropassive +neutropenia +neutrophil +neutrophile +neutrophilia +neutrophilic +neutrophilous +neutrophils +neutrosphere +nevada +nevadan +nevadans +nevadians +nevadite +nevat +neve +nevel +nevell +neven +never +neverland +nevermass +nevermind +nevermore +neverness +neverthelater +nevertheless +neves +nevi +nevyanskite +neville +nevo +nevoy +nevoid +nevome +nevus +new +newar +newari +newark +newberyite +newborn +newbornness +newborns +newburg +newcal +newcastle +newcome +newcomer +newcomers +newel +newels +newelty +newer +newest +newfangle +newfangled +newfangledism +newfangledly +newfangledness +newfanglement +newfangleness +newfashioned +newfish +newfound +newfoundland +newfoundlander +newgate +newground +newichawanoc +newing +newings +newish +newlandite +newly +newlight +newline +newlines +newlings +newlins +newlywed +newlyweds +newmanism +newmanite +newmanize +newmarket +newmown +newness +newnesses +newport +news +newsagent +newsbeat +newsbill +newsboard +newsboat +newsboy +newsboys +newsbreak +newscast +newscaster +newscasters +newscasting +newscasts +newsdealer +newsdealers +newsful +newsgirl +newsgirls +newsgroup +newshawk +newshen +newshound +newsy +newsier +newsies +newsiest +newsiness +newsless +newslessness +newsletter +newsletters +newsmagazine +newsman +newsmanmen +newsmen +newsmonger +newsmongery +newsmongering +newspaper +newspaperdom +newspaperese +newspapery +newspaperish +newspaperized +newspaperman +newspapermen +newspapers +newspaperwoman +newspaperwomen +newspeak +newspeaks +newsprint +newsreader +newsreel +newsreels +newsroom +newsrooms +newssheet +newsstand +newsstands +newstand +newstands +newsteller +newsvendor +newsweek +newswoman +newswomen +newsworthy +newsworthiness +newswriter +newswriting +newt +newtake +newton +newtonian +newtonianism +newtonic +newtonist +newtonite +newtons +newts +nexal +next +nextdoor +nextly +nextness +nexum +nexus +nexuses +ng +ngai +ngaio +ngapi +ngoko +ngoma +nguyen +ngwee +nhan +nheengatu +ni +ny +niacin +niacinamide +niacins +niagara +niagaran +niagra +nyaya +niais +niaiserie +nyala +nialamide +nyalas +niall +nyamwezi +nyanja +niantic +nyanza +nias +nyas +niasese +niata +nib +nibbana +nibbed +nibber +nibby +nibbing +nibble +nybble +nibbled +nibbler +nibblers +nibbles +nybbles +nibbling +nibblingly +nybblize +nibelung +niblic +niblick +niblicks +niblike +nibong +nibs +nibsome +nibung +nicaean +nicaragua +nicaraguan +nicaraguans +nicarao +niccolic +niccoliferous +niccolite +niccolo +niccolous +nice +niceish +nicely +niceling +nicene +niceness +nicenesses +nicenian +nicenist +nicer +nicesome +nicest +nicety +niceties +nicetish +nichael +niche +niched +nichelino +nicher +niches +nichevo +nichil +niching +nicholas +nichrome +nicht +nychthemer +nychthemeral +nychthemeron +nichts +nici +nick +nickar +nicked +nickey +nickeys +nickel +nickelage +nickelbloom +nickeled +nyckelharpa +nickelic +nickeliferous +nickeline +nickeling +nickelise +nickelised +nickelising +nickelization +nickelize +nickelized +nickelizing +nickelled +nickellike +nickelling +nickelodeon +nickelodeons +nickelous +nickels +nickeltype +nicker +nickered +nickery +nickering +nickerpecker +nickers +nicky +nickie +nickieben +nicking +nickle +nickles +nicknack +nicknacks +nickname +nicknameable +nicknamed +nicknamee +nicknameless +nicknamer +nicknames +nicknaming +nickneven +nickpoint +nickpot +nicks +nickstick +nickum +nicobar +nicobarese +nicodemite +nicodemus +nicol +nicolayite +nicolaitan +nicolaitanism +nicolas +nicolette +nicolo +nicols +nicomachean +nicotia +nicotian +nicotiana +nicotianin +nicotic +nicotin +nicotina +nicotinamide +nicotine +nicotinean +nicotined +nicotineless +nicotines +nicotinian +nicotinic +nicotinise +nicotinised +nicotinising +nicotinism +nicotinize +nicotinized +nicotinizing +nicotins +nicotism +nicotize +nyctaginaceae +nyctaginaceous +nyctaginia +nyctalgia +nyctalope +nyctalopy +nyctalopia +nyctalopic +nyctalops +nyctanthes +nictate +nictated +nictates +nictating +nictation +nyctea +nyctereutes +nycteribiid +nycteribiidae +nycteridae +nycterine +nycteris +nycticorax +nyctimene +nyctinasty +nyctinastic +nyctipelagic +nyctipithecinae +nyctipithecine +nyctipithecus +nictitant +nictitate +nictitated +nictitates +nictitating +nictitation +nyctitropic +nyctitropism +nyctophobia +nycturia +nid +nidal +nidamental +nidana +nidary +nidation +nidatory +nidder +niddering +niddick +niddicock +niddle +nide +nided +nidering +niderings +nides +nidge +nidget +nidgety +nidgets +nidi +nydia +nidicolous +nidify +nidificant +nidificate +nidificated +nidificating +nidification +nidificational +nidified +nidifier +nidifies +nidifying +nidifugous +niding +nidiot +nidology +nidologist +nidor +nidorose +nidorosity +nidorous +nidorulent +nidudi +nidulant +nidularia +nidulariaceae +nidulariaceous +nidulariales +nidulate +nidulation +niduli +nidulus +nidus +niduses +nye +niece +nieceless +nieces +nieceship +niellated +nielled +nielli +niellist +niellists +niello +nielloed +nielloing +niellos +niels +nielsen +niepa +nierembergia +niersteiner +nies +nieshout +nyet +nietzsche +nietzschean +nietzscheanism +nietzscheism +nieve +nieves +nieveta +nievling +nife +nifesima +niff +niffer +niffered +niffering +niffers +nific +nifle +niflheim +nifling +nifty +niftier +nifties +niftiest +niftiness +nig +nigel +nigella +nigeria +nigerian +nigerians +niggard +niggarded +niggarding +niggardise +niggardised +niggardising +niggardize +niggardized +niggardizing +niggardly +niggardliness +niggardling +niggardness +niggards +nigged +nigger +niggerdom +niggered +niggerfish +niggerfishes +niggergoose +niggerhead +niggery +niggerish +niggerism +niggerling +niggers +niggertoe +niggerweed +nigget +nigging +niggle +niggled +niggler +nigglers +niggles +niggly +niggling +nigglingly +nigglings +niggot +niggra +niggun +nigh +nighed +nigher +nighest +nighhand +nighing +nighish +nighly +nighness +nighnesses +nighs +night +nightcap +nightcapped +nightcaps +nightchurr +nightclothes +nightclub +nightclubber +nightclubs +nightcrawler +nightcrawlers +nightdress +nighted +nighter +nightery +nighters +nightertale +nightfall +nightfalls +nightfish +nightflit +nightfowl +nightgale +nightglass +nightglow +nightgown +nightgowns +nighthawk +nighthawks +nighty +nightie +nighties +nightime +nighting +nightingale +nightingales +nightingalize +nightish +nightjar +nightjars +nightless +nightlessness +nightly +nightlife +nightlike +nightlong +nightman +nightmare +nightmares +nightmary +nightmarish +nightmarishly +nightmarishness +nightmen +nightrider +nightriders +nightriding +nights +nightshade +nightshades +nightshine +nightshirt +nightshirts +nightside +nightspot +nightspots +nightstand +nightstands +nightstick +nightstock +nightstool +nighttide +nighttime +nighttimes +nightwake +nightwalk +nightwalker +nightwalkers +nightwalking +nightward +nightwards +nightwear +nightwork +nightworker +nignay +nignye +nigori +nigranilin +nigraniline +nigre +nigrescence +nigrescent +nigresceous +nigrescite +nigricant +nigrify +nigrification +nigrified +nigrifies +nigrifying +nigrine +nigritian +nigrities +nigritude +nigritudinous +nigromancer +nigrosin +nigrosine +nigrosins +nigrous +nigua +nihal +nihil +nihilianism +nihilianistic +nihilify +nihilification +nihilism +nihilisms +nihilist +nihilistic +nihilistically +nihilists +nihility +nihilitic +nihilities +nihilobstat +nihils +nihilum +niyama +niyanda +niyoga +nijholt +nijinsky +nikau +nike +nikeno +nikethamide +nikko +nikkud +nikkudim +niklesite +nikolai +nikon +nil +nylast +nile +nilgai +nilgais +nilgau +nylgau +nilgaus +nilghai +nylghai +nilghais +nylghais +nilghau +nylghau +nilghaus +nylghaus +nill +nilled +nilling +nills +nilometer +nilometric +nylon +nylons +niloscope +nilot +nilotic +nilous +nilpotent +nils +nim +nimb +nimbated +nimbed +nimbi +nimbiferous +nimbification +nimble +nimblebrained +nimbleness +nimbler +nimblest +nimblewit +nimbly +nimbose +nimbosity +nimbostratus +nimbus +nimbused +nimbuses +nimiety +nimieties +nymil +niminy +nimious +nimkish +nimmed +nimmer +nimming +nymph +nympha +nymphae +nymphaea +nymphaeaceae +nymphaeaceous +nymphaeum +nymphal +nymphalid +nymphalidae +nymphalinae +nymphaline +nympheal +nymphean +nymphet +nymphets +nymphette +nympheum +nymphic +nymphical +nymphid +nymphine +nymphipara +nymphiparous +nymphish +nymphitis +nymphly +nymphlike +nymphlin +nympho +nymphoides +nympholepsy +nympholepsia +nympholepsies +nympholept +nympholeptic +nymphomania +nymphomaniac +nymphomaniacal +nymphomaniacs +nymphon +nymphonacea +nymphos +nymphosis +nymphotomy +nymphs +nymphwise +nimrod +nimrodian +nimrodic +nimrodical +nimrodize +nimrods +nims +nimshi +nymss +nina +nincom +nincompoop +nincompoopery +nincompoophood +nincompoopish +nincompoops +nincum +nine +ninebark +ninebarks +ninefold +nineholes +ninepegs +ninepence +ninepences +ninepenny +ninepennies +ninepin +ninepins +nines +ninescore +nineted +nineteen +nineteenfold +nineteens +nineteenth +nineteenthly +nineteenths +ninety +nineties +ninetieth +ninetieths +ninetyfold +ninetyish +ninetyknot +ninevite +ninevitical +ninevitish +ning +ningle +ningpo +ninhydrin +ninja +ninny +ninnies +ninnyhammer +ninnyish +ninnyism +ninnyship +ninnywatch +ninon +ninons +ninos +ninox +ninth +ninthly +ninths +nintu +ninut +niobate +niobe +niobean +niobic +niobid +niobite +niobium +niobiums +niobous +niog +nyoro +niota +nip +nipa +nipas +nipcheese +niphablepsia +nyphomania +niphotyphlosis +nipissing +nipmuc +nipmuck +nipped +nipper +nipperkin +nippers +nippy +nippier +nippiest +nippily +nippiness +nipping +nippingly +nippitate +nippitaty +nippitato +nippitatum +nipple +nippled +nippleless +nipples +nipplewort +nippling +nippon +nipponese +nipponism +nipponium +nipponize +nips +nipter +niquiran +niris +nirles +nirls +nirmanakaya +nyroca +nirvana +nirvanas +nirvanic +nis +nisaean +nisan +nisberry +nisei +niseis +nishada +nishiki +nisi +nisnas +nispero +nisqualli +nyssa +nyssaceae +nisse +nist +nystagmic +nystagmus +nystatin +nisus +nit +nitch +nitchevo +nitchie +nitchies +nitella +nitency +nitent +nitently +niter +niterbush +nitered +nitery +nitering +niters +nither +nithing +nitid +nitidous +nitidulid +nitidulidae +nitinol +nito +niton +nitons +nitos +nitpick +nitpicked +nitpicker +nitpickers +nitpicking +nitpicks +nitramin +nitramine +nitramino +nitranilic +nitraniline +nitrate +nitrated +nitrates +nitratine +nitrating +nitration +nitrator +nitrators +nitre +nitred +nitres +nitrian +nitriary +nitriaries +nitric +nitrid +nitridation +nitride +nitrides +nitriding +nitridization +nitridize +nitrids +nitrifaction +nitriferous +nitrify +nitrifiable +nitrification +nitrified +nitrifier +nitrifies +nitrifying +nitril +nitryl +nytril +nitrile +nitriles +nitrils +nitriot +nitriry +nitrite +nitrites +nitritoid +nitro +nitroalizarin +nitroamine +nitroanilin +nitroaniline +nitrobacter +nitrobacteria +nitrobacteriaceae +nitrobacterieae +nitrobacterium +nitrobarite +nitrobenzene +nitrobenzol +nitrobenzole +nitrocalcite +nitrocellulose +nitrocellulosic +nitrochloroform +nitrocotton +nitroform +nitrofuran +nitrogelatin +nitrogelatine +nitrogen +nitrogenate +nitrogenation +nitrogenic +nitrogenisation +nitrogenise +nitrogenised +nitrogenising +nitrogenization +nitrogenize +nitrogenized +nitrogenizing +nitrogenous +nitrogens +nitroglycerin +nitroglycerine +nitroglucose +nitrohydrochloric +nitrolamine +nitrolic +nitrolim +nitrolime +nitromagnesite +nitromannite +nitromannitol +nitromersol +nitrometer +nitromethane +nitrometric +nitromuriate +nitromuriatic +nitronaphthalene +nitroparaffin +nitrophenol +nitrophile +nitrophilous +nitrophyte +nitrophytic +nitroprussiate +nitroprussic +nitroprusside +nitros +nitrosamin +nitrosamine +nitrosate +nitrosify +nitrosification +nitrosyl +nitrosyls +nitrosylsulfuric +nitrosylsulphuric +nitrosite +nitroso +nitrosoamine +nitrosobacteria +nitrosobacterium +nitrosochloride +nitrosococcus +nitrosomonas +nitrososulphuric +nitrostarch +nitrosulphate +nitrosulphonic +nitrosulphuric +nitrotoluene +nitrotoluol +nitrotrichloromethane +nitrous +nitroxyl +nits +nitta +nitter +nitty +nittier +nittiest +nitwit +nitwits +nitwitted +nitzschia +nitzschiaceae +niuan +niue +nival +nivation +niveau +nivellate +nivellation +nivellator +nivellization +nivenite +niveous +nivernaise +nivicolous +nivosity +nix +nixe +nixed +nixer +nixes +nixy +nixie +nixies +nixing +nyxis +nixon +nixtamal +nizam +nizamat +nizamate +nizamates +nizams +nizamut +nizey +nizy +nj +njave +nl +nm +nnethermore +no +noa +noachian +noachic +noachical +noachite +noah +noahic +noam +noance +nob +nobackspace +nobatch +nobber +nobby +nobbier +nobbiest +nobbily +nobble +nobbled +nobbler +nobblers +nobbles +nobbling +nobbut +nobel +nobelist +nobelists +nobelium +nobeliums +nobiliary +nobilify +nobilitate +nobilitation +nobility +nobilities +nobis +noble +nobled +noblehearted +nobleheartedly +nobleheartedness +nobley +nobleman +noblemanly +noblemem +noblemen +nobleness +nobler +nobles +noblesse +noblesses +noblest +noblewoman +noblewomen +nobly +noblify +nobling +nobody +nobodyd +nobodies +nobodyness +nobs +nobut +nocake +nocardia +nocardiosis +nocence +nocent +nocerite +nocht +nociassociation +nociceptive +nociceptor +nociperception +nociperceptive +nocive +nock +nocked +nockerl +nocket +nocking +nocks +nocktat +noconfirm +noctambulant +noctambulate +noctambulation +noctambule +noctambulism +noctambulist +noctambulistic +noctambulous +nocten +noctidial +noctidiurnal +noctiferous +noctiflorous +noctilio +noctilionidae +noctiluca +noctilucae +noctilucal +noctilucan +noctilucence +noctilucent +noctilucidae +noctilucin +noctilucine +noctilucous +noctiluminous +noctiluscence +noctimania +noctipotent +noctis +noctivagant +noctivagation +noctivagous +noctograph +noctovision +noctua +noctuae +noctuid +noctuidae +noctuideous +noctuidous +noctuids +noctuiform +noctule +noctules +noctuoid +nocturia +nocturn +nocturnal +nocturnality +nocturnally +nocturne +nocturnes +nocturns +nocuity +nocument +nocumentum +nocuous +nocuously +nocuousness +nod +nodal +nodality +nodalities +nodally +nodated +nodded +nodder +nodders +noddi +noddy +noddies +nodding +noddingly +noddle +noddlebone +noddled +noddles +noddling +node +noded +nodes +nodi +nodiak +nodical +nodicorn +nodiferous +nodiflorous +nodiform +nodosaria +nodosarian +nodosariform +nodosarine +nodosaur +nodose +nodosity +nodosities +nodous +nods +nodular +nodulate +nodulated +nodulation +nodule +noduled +nodules +noduli +nodulize +nodulized +nodulizing +nodulose +nodulous +nodulus +nodus +noebcd +noecho +noegenesis +noegenetic +noel +noels +noematachograph +noematachometer +noematachometic +noematical +noemi +noerror +noes +noesis +noesises +noetian +noetic +noetics +noex +noexecute +nofile +nog +nogada +nogai +nogaku +nogal +nogg +nogged +noggen +noggin +nogging +noggings +noggins +noggs +noghead +nogheaded +nogs +noh +nohex +nohow +nohuntsik +noy +noyade +noyaded +noyades +noyading +noyance +noyant +noyau +noibwood +noyful +noil +noilage +noiler +noily +noils +noint +nointment +noyous +noir +noire +noires +noisance +noise +noised +noiseful +noisefully +noisefulness +noiseless +noiselessly +noiselessness +noisemake +noisemaker +noisemakers +noisemaking +noiseproof +noises +noisette +noisy +noisier +noisiest +noisily +noisiness +noising +noisome +noisomely +noisomeness +noix +nokta +nol +nolascan +nold +nolition +noll +nolle +nolleity +nollepros +nolo +nolos +nolt +nom +noma +nomad +nomade +nomades +nomadian +nomadic +nomadical +nomadically +nomadidae +nomadise +nomadism +nomadisms +nomadization +nomadize +nomads +nomancy +nomap +nomarch +nomarchy +nomarchies +nomarchs +nomarthra +nomarthral +nomas +nombles +nombril +nombrils +nome +nomeidae +nomen +nomenclate +nomenclative +nomenclator +nomenclatory +nomenclatorial +nomenclatorship +nomenclatural +nomenclature +nomenclatures +nomenclaturist +nomes +nomeus +nomial +nomic +nomina +nominable +nominal +nominalism +nominalist +nominalistic +nominalistical +nominalistically +nominality +nominalize +nominalized +nominalizing +nominally +nominalness +nominals +nominate +nominated +nominately +nominates +nominating +nomination +nominations +nominatival +nominative +nominatively +nominatives +nominator +nominators +nominatrix +nominature +nomine +nominee +nomineeism +nominees +nominy +nomism +nomisma +nomismata +nomisms +nomistic +nomnem +nomocanon +nomocracy +nomogeny +nomogenist +nomogenous +nomogram +nomograms +nomograph +nomographer +nomography +nomographic +nomographical +nomographically +nomographies +nomoi +nomology +nomological +nomologies +nomologist +nomopelmous +nomophylax +nomophyllous +nomos +nomotheism +nomothete +nomothetes +nomothetic +nomothetical +noms +non +nona +nonabandonment +nonabatable +nonabdication +nonabdicative +nonabiding +nonabidingly +nonabidingness +nonability +nonabjuration +nonabjuratory +nonabjurer +nonabolition +nonabortive +nonabortively +nonabortiveness +nonabrasive +nonabrasively +nonabrasiveness +nonabridgable +nonabridgment +nonabrogable +nonabsentation +nonabsolute +nonabsolutely +nonabsoluteness +nonabsolution +nonabsolutist +nonabsolutistic +nonabsolutistically +nonabsorbability +nonabsorbable +nonabsorbency +nonabsorbent +nonabsorbents +nonabsorbing +nonabsorption +nonabsorptive +nonabstainer +nonabstainers +nonabstaining +nonabstemious +nonabstemiously +nonabstemiousness +nonabstention +nonabstract +nonabstracted +nonabstractedly +nonabstractedness +nonabstractly +nonabstractness +nonabusive +nonabusively +nonabusiveness +nonacademic +nonacademical +nonacademically +nonacademicalness +nonacademics +nonaccedence +nonacceding +nonacceleration +nonaccelerative +nonacceleratory +nonaccent +nonaccented +nonaccenting +nonaccentual +nonaccentually +nonacceptance +nonacceptant +nonacceptation +nonaccepted +nonaccess +nonaccession +nonaccessory +nonaccessories +nonaccidental +nonaccidentally +nonaccidentalness +nonaccommodable +nonaccommodably +nonaccommodating +nonaccommodatingly +nonaccommodatingness +nonaccompanying +nonaccompaniment +nonaccomplishment +nonaccord +nonaccordant +nonaccordantly +nonaccredited +nonaccretion +nonaccretive +nonaccrued +nonaccruing +nonacculturated +nonaccumulating +nonaccumulation +nonaccumulative +nonaccumulatively +nonaccumulativeness +nonaccusing +nonachievement +nonacid +nonacidic +nonacidity +nonacids +nonacknowledgment +nonacosane +nonacoustic +nonacoustical +nonacoustically +nonacquaintance +nonacquaintanceship +nonacquiescence +nonacquiescent +nonacquiescently +nonacquiescing +nonacquisitive +nonacquisitively +nonacquisitiveness +nonacquittal +nonact +nonactinic +nonactinically +nonaction +nonactionable +nonactionably +nonactivation +nonactivator +nonactive +nonactives +nonactivity +nonactivities +nonactual +nonactuality +nonactualities +nonactualness +nonacuity +nonaculeate +nonaculeated +nonacute +nonacutely +nonacuteness +nonadaptability +nonadaptable +nonadaptableness +nonadaptabness +nonadaptation +nonadaptational +nonadapter +nonadapting +nonadaptive +nonadaptor +nonaddict +nonaddicted +nonaddicting +nonaddictive +nonadditive +nonadditivity +nonaddress +nonaddresser +nonadecane +nonadept +nonadeptly +nonadeptness +nonadherence +nonadherent +nonadhering +nonadhesion +nonadhesive +nonadhesively +nonadhesiveness +nonadjacency +nonadjacencies +nonadjacent +nonadjacently +nonadjectival +nonadjectivally +nonadjectively +nonadjoining +nonadjournment +nonadjudicated +nonadjudication +nonadjudicative +nonadjudicatively +nonadjunctive +nonadjunctively +nonadjustability +nonadjustable +nonadjustably +nonadjuster +nonadjustive +nonadjustment +nonadjustor +nonadministrable +nonadministrant +nonadministrative +nonadministratively +nonadmiring +nonadmissibility +nonadmissible +nonadmissibleness +nonadmissibly +nonadmission +nonadmissions +nonadmissive +nonadmitted +nonadmittedly +nonadoptable +nonadopter +nonadoption +nonadorantes +nonadorner +nonadorning +nonadornment +nonadult +nonadults +nonadvancement +nonadvantageous +nonadvantageously +nonadvantageousness +nonadventitious +nonadventitiously +nonadventitiousness +nonadventurous +nonadventurously +nonadventurousness +nonadverbial +nonadverbially +nonadvertence +nonadvertency +nonadvocacy +nonadvocate +nonaerated +nonaerating +nonaerobiotic +nonaesthetic +nonaesthetical +nonaesthetically +nonaffectation +nonaffecting +nonaffectingly +nonaffection +nonaffective +nonaffiliated +nonaffiliating +nonaffiliation +nonaffilliated +nonaffinity +nonaffinities +nonaffinitive +nonaffirmance +nonaffirmation +nonage +nonagenary +nonagenarian +nonagenarians +nonagenaries +nonagency +nonagent +nonages +nonagesimal +nonagglomerative +nonagglutinant +nonagglutinating +nonagglutinative +nonagglutinator +nonaggression +nonaggressive +nonagon +nonagons +nonagrarian +nonagreeable +nonagreement +nonagricultural +nonahydrate +nonaid +nonair +nonalarmist +nonalcohol +nonalcoholic +nonalgebraic +nonalgebraical +nonalgebraically +nonalien +nonalienating +nonalienation +nonalignable +nonaligned +nonalignment +nonalined +nonalinement +nonalkaloid +nonalkaloidal +nonallegation +nonallegiance +nonallegoric +nonallegorical +nonallegorically +nonallelic +nonallergenic +nonalliterated +nonalliterative +nonalliteratively +nonalliterativeness +nonallotment +nonalluvial +nonalphabetic +nonalphabetical +nonalphabetically +nonalternating +nonaltruistic +nonaltruistically +nonaluminous +nonamalgamable +nonamazedness +nonamazement +nonambiguity +nonambiguities +nonambiguous +nonambitious +nonambitiously +nonambitiousness +nonambulaties +nonambulatory +nonamenability +nonamenable +nonamenableness +nonamenably +nonamendable +nonamendment +nonamino +nonamorous +nonamorously +nonamorousness +nonamotion +nonamphibian +nonamphibious +nonamphibiously +nonamphibiousness +nonamputation +nonanachronistic +nonanachronistically +nonanachronous +nonanachronously +nonanaemic +nonanalytic +nonanalytical +nonanalytically +nonanalyzable +nonanalyzed +nonanalogy +nonanalogic +nonanalogical +nonanalogically +nonanalogicalness +nonanalogous +nonanalogously +nonanalogousness +nonanaphoric +nonanaphthene +nonanarchic +nonanarchical +nonanarchically +nonanarchistic +nonanatomic +nonanatomical +nonanatomically +nonancestral +nonancestrally +nonane +nonanemic +nonanesthetic +nonanesthetized +nonangelic +nonangling +nonanguished +nonanimal +nonanimality +nonanimate +nonanimated +nonanimating +nonanimatingly +nonanimation +nonannexable +nonannexation +nonannihilability +nonannihilable +nonannouncement +nonannuitant +nonannulment +nonanoic +nonanonymity +nonanonymousness +nonanswer +nonantagonistic +nonantagonistically +nonanticipation +nonanticipative +nonanticipatively +nonanticipatory +nonanticipatorily +nonantigenic +nonaphasiac +nonaphasic +nonaphetic +nonaphoristic +nonaphoristically +nonapologetic +nonapologetical +nonapologetically +nonapostatizing +nonapostolic +nonapostolical +nonapostolically +nonapparent +nonapparently +nonapparentness +nonapparitional +nonappealability +nonappealable +nonappealing +nonappealingly +nonappealingness +nonappearance +nonappearances +nonappearer +nonappearing +nonappeasability +nonappeasable +nonappeasing +nonappellate +nonappendance +nonappendant +nonappendence +nonappendent +nonappendicular +nonapply +nonapplicability +nonapplicable +nonapplicableness +nonapplicabness +nonapplication +nonapplicative +nonapplicatory +nonappointive +nonappointment +nonapportionable +nonapportionment +nonapposable +nonappraisal +nonappreciation +nonappreciative +nonappreciatively +nonappreciativeness +nonapprehensibility +nonapprehensible +nonapprehension +nonapprehensive +nonapproachability +nonapproachable +nonapproachableness +nonapproachabness +nonappropriable +nonappropriation +nonappropriative +nonapproval +nonaquatic +nonaqueous +nonarbitrable +nonarbitrary +nonarbitrarily +nonarbitrariness +nonarching +nonarchitectonic +nonarchitectural +nonarchitecturally +nonarcing +nonarcking +nonargentiferous +nonarguable +nonargumentative +nonargumentatively +nonargumentativeness +nonary +nonaries +nonaristocratic +nonaristocratical +nonaristocratically +nonarithmetic +nonarithmetical +nonarithmetically +nonarmament +nonarmigerous +nonaromatic +nonaromatically +nonarraignment +nonarresting +nonarrival +nonarrogance +nonarrogancy +nonarsenic +nonarsenical +nonarterial +nonartesian +nonarticulate +nonarticulated +nonarticulately +nonarticulateness +nonarticulation +nonarticulative +nonartistic +nonartistical +nonartistically +nonas +nonasbestine +nonascendance +nonascendancy +nonascendant +nonascendantly +nonascendence +nonascendency +nonascendent +nonascendently +nonascertainable +nonascertainableness +nonascertainably +nonascertaining +nonascertainment +nonascetic +nonascetical +nonascetically +nonasceticism +nonascription +nonaseptic +nonaseptically +nonaspersion +nonasphalt +nonaspirate +nonaspirated +nonaspirating +nonaspiratory +nonaspiring +nonassault +nonassent +nonassentation +nonassented +nonassenting +nonassertion +nonassertive +nonassertively +nonassertiveness +nonassessability +nonassessable +nonassessment +nonassignability +nonassignabilty +nonassignable +nonassignably +nonassigned +nonassignment +nonassimilability +nonassimilable +nonassimilating +nonassimilation +nonassimilative +nonassimilatory +nonassistance +nonassistant +nonassister +nonassistive +nonassociability +nonassociable +nonassociation +nonassociational +nonassociative +nonassociatively +nonassonance +nonassonant +nonassortment +nonassumed +nonassumption +nonassumptive +nonassurance +nonasthmatic +nonasthmatically +nonastonishment +nonastral +nonastringency +nonastringent +nonastringently +nonastronomic +nonastronomical +nonastronomically +nonatheistic +nonatheistical +nonatheistically +nonathlete +nonathletic +nonathletically +nonatmospheric +nonatmospherical +nonatmospherically +nonatomic +nonatomical +nonatomically +nonatonement +nonatrophic +nonatrophied +nonattached +nonattachment +nonattacking +nonattainability +nonattainable +nonattainment +nonattendance +nonattendant +nonattention +nonattestation +nonattribution +nonattributive +nonattributively +nonattributiveness +nonaudibility +nonaudible +nonaudibleness +nonaudibly +nonaugmentative +nonauricular +nonauriferous +nonauthentic +nonauthentical +nonauthenticated +nonauthentication +nonauthenticity +nonauthoritative +nonauthoritatively +nonauthoritativeness +nonautobiographical +nonautobiographically +nonautomated +nonautomatic +nonautomatically +nonautomotive +nonautonomous +nonautonomously +nonautonomousness +nonavailability +nonavoidable +nonavoidableness +nonavoidably +nonavoidance +nonaxiomatic +nonaxiomatical +nonaxiomatically +nonazotized +nonbachelor +nonbacterial +nonbacterially +nonbailable +nonballoting +nonbanishment +nonbank +nonbankable +nonbarbarian +nonbarbaric +nonbarbarous +nonbarbarously +nonbarbarousness +nonbaronial +nonbase +nonbasement +nonbasic +nonbasing +nonbathing +nonbearded +nonbearing +nonbeatific +nonbeatifically +nonbeauty +nonbeauties +nonbeing +nonbeings +nonbelief +nonbeliever +nonbelievers +nonbelieving +nonbelievingly +nonbelligerency +nonbelligerent +nonbelligerents +nonbending +nonbeneficed +nonbeneficence +nonbeneficent +nonbeneficently +nonbeneficial +nonbeneficially +nonbeneficialness +nonbenevolence +nonbenevolent +nonbenevolently +nonbetrayal +nonbeverage +nonbiased +nonbibulous +nonbibulously +nonbibulousness +nonbigoted +nonbigotedly +nonbilabiate +nonbilious +nonbiliously +nonbiliousness +nonbillable +nonbinding +nonbindingly +nonbindingness +nonbinomial +nonbiodegradable +nonbiographical +nonbiographically +nonbiological +nonbiologically +nonbiting +nonbitter +nonbituminous +nonblack +nonblamable +nonblamableness +nonblamably +nonblameful +nonblamefully +nonblamefulness +nonblameless +nonblank +nonblasphemy +nonblasphemies +nonblasphemous +nonblasphemously +nonblasphemousness +nonbleach +nonbleeding +nonblended +nonblending +nonblinding +nonblindingly +nonblockaded +nonblocking +nonblooded +nonblooming +nonblundering +nonblunderingly +nonboaster +nonboasting +nonboastingly +nonbodily +nonboding +nonbodingly +nonboiling +nonbook +nonbookish +nonbookishly +nonbookishness +nonbooks +nonborrower +nonborrowing +nonbotanic +nonbotanical +nonbotanically +nonbourgeois +nonbranded +nonbreach +nonbreaching +nonbreakable +nonbreeder +nonbreeding +nonbristled +nonbromidic +nonbroody +nonbroodiness +nonbrooding +nonbrowser +nonbrowsing +nonbrutal +nonbrutally +nonbudding +nonbuying +nonbulbaceous +nonbulbar +nonbulbiferous +nonbulbous +nonbulkhead +nonbuoyancy +nonbuoyant +nonbuoyantly +nonburdensome +nonburdensomely +nonburdensomeness +nonbureaucratic +nonbureaucratically +nonburgage +nonburgess +nonburnable +nonburning +nonbursting +nonbusy +nonbusily +nonbusiness +nonbusyness +nonbuttressed +noncabinet +noncadenced +noncadent +noncaffeine +noncaffeinic +noncaking +noncalcarea +noncalcareous +noncalcified +noncalculable +noncalculably +noncalculating +noncalculative +noncallability +noncallable +noncaloric +noncalumniating +noncalumnious +noncancelable +noncancellable +noncancellation +noncancerous +noncandescence +noncandescent +noncandescently +noncandidate +noncannibalistic +noncannibalistically +noncannonical +noncanonical +noncanonization +noncanvassing +noncapillary +noncapillaries +noncapillarity +noncapital +noncapitalist +noncapitalistic +noncapitalistically +noncapitalized +noncapitulation +noncapricious +noncapriciously +noncapriciousness +noncapsizable +noncaptious +noncaptiously +noncaptiousness +noncapture +noncarbohydrate +noncarbolic +noncarbon +noncarbonate +noncarbonated +noncareer +noncarnivorous +noncarnivorously +noncarnivorousness +noncarrier +noncartelized +noncash +noncaste +noncastigating +noncastigation +noncasual +noncasuistic +noncasuistical +noncasuistically +noncataclysmal +noncataclysmic +noncatalytic +noncatalytically +noncataloguer +noncatarrhal +noncatastrophic +noncatechistic +noncatechistical +noncatechizable +noncategorical +noncategorically +noncategoricalness +noncathartic +noncathartical +noncathedral +noncatholicity +noncausable +noncausal +noncausality +noncausally +noncausation +noncausative +noncausatively +noncausativeness +noncaustic +noncaustically +nonce +noncelebration +noncelestial +noncelestially +noncellular +noncellulosic +noncellulous +noncensored +noncensorious +noncensoriously +noncensoriousness +noncensurable +noncensurableness +noncensurably +noncensus +noncentral +noncentrally +noncereal +noncerebral +nonceremonial +nonceremonially +nonceremonious +nonceremoniously +nonceremoniousness +noncertain +noncertainty +noncertainties +noncertification +noncertified +noncertitude +nonces +nonchafing +nonchalance +nonchalant +nonchalantly +nonchalantness +nonchalky +nonchallenger +nonchallenging +nonchampion +nonchangeable +nonchangeableness +nonchangeably +nonchanging +nonchanneled +nonchannelized +nonchaotic +nonchaotically +noncharacteristic +noncharacteristically +noncharacterized +nonchargeable +noncharismatic +noncharitable +noncharitableness +noncharitably +nonchastisement +nonchastity +nonchemical +nonchemist +nonchimeric +nonchimerical +nonchimerically +nonchivalric +nonchivalrous +nonchivalrously +nonchivalrousness +nonchokable +nonchokebore +noncholeric +nonchromatic +nonchromatically +nonchromosomal +nonchronic +nonchronical +nonchronically +nonchronological +nonchurch +nonchurched +nonchurchgoer +nonchurchgoing +noncyclic +noncyclical +noncyclically +nonciliate +nonciliated +noncircuit +noncircuital +noncircuited +noncircuitous +noncircuitously +noncircuitousness +noncircular +noncircularly +noncirculating +noncirculation +noncirculatory +noncircumscribed +noncircumscriptive +noncircumspect +noncircumspectly +noncircumspectness +noncircumstantial +noncircumstantially +noncircumvallated +noncitable +noncitation +nonciteable +noncitizen +noncivilian +noncivilizable +noncivilized +nonclaim +nonclaimable +nonclamorous +nonclamorously +nonclarifiable +nonclarification +nonclarified +nonclassable +nonclassic +nonclassical +nonclassicality +nonclassically +nonclassifiable +nonclassification +nonclassified +nonclastic +nonclearance +noncleistogamic +noncleistogamous +nonclergyable +nonclerical +nonclerically +nonclerics +nonclimactic +nonclimactical +nonclimbable +nonclimbing +nonclinging +nonclinical +nonclinically +noncloistered +nonclose +nonclosely +nonclosure +nonclotting +noncoagulability +noncoagulable +noncoagulating +noncoagulation +noncoagulative +noncoalescence +noncoalescent +noncoalescing +noncock +noncodified +noncoercible +noncoercion +noncoercive +noncoercively +noncoerciveness +noncogency +noncogent +noncogently +noncognate +noncognition +noncognitive +noncognizable +noncognizably +noncognizance +noncognizant +noncognizantly +noncohabitation +noncoherence +noncoherency +noncoherent +noncoherently +noncohesion +noncohesive +noncohesively +noncohesiveness +noncoinage +noncoincidence +noncoincident +noncoincidental +noncoincidentally +noncoking +noncollaboration +noncollaborative +noncollapsable +noncollapsibility +noncollapsible +noncollectable +noncollectible +noncollection +noncollective +noncollectively +noncollectivistic +noncollegiate +noncollinear +noncolloid +noncolloidal +noncollusion +noncollusive +noncollusively +noncollusiveness +noncolonial +noncolonially +noncolorability +noncolorable +noncolorableness +noncolorably +noncoloring +noncom +noncombat +noncombatant +noncombatants +noncombative +noncombination +noncombinative +noncombining +noncombustibility +noncombustible +noncombustibles +noncombustion +noncombustive +noncome +noncomic +noncomical +noncomicality +noncomically +noncomicalness +noncoming +noncommemoration +noncommemorational +noncommemorative +noncommemoratively +noncommemoratory +noncommencement +noncommendable +noncommendableness +noncommendably +noncommendatory +noncommensurable +noncommercial +noncommerciality +noncommercially +noncommiseration +noncommiserative +noncommiseratively +noncommissioned +noncommitally +noncommitment +noncommittal +noncommittalism +noncommittally +noncommittalness +noncommitted +noncommodious +noncommodiously +noncommodiousness +noncommonable +noncommorancy +noncommunal +noncommunally +noncommunicability +noncommunicable +noncommunicableness +noncommunicant +noncommunicating +noncommunication +noncommunicative +noncommunicatively +noncommunicativeness +noncommunion +noncommunist +noncommunistic +noncommunistical +noncommunistically +noncommunists +noncommutative +noncompearance +noncompensable +noncompensating +noncompensation +noncompensative +noncompensatory +noncompetency +noncompetent +noncompetently +noncompeting +noncompetitive +noncompetitively +noncompetitiveness +noncomplacence +noncomplacency +noncomplacencies +noncomplacent +noncomplacently +noncomplaisance +noncomplaisant +noncomplaisantly +noncompletion +noncompliance +noncompliant +noncomplicity +noncomplicities +noncomplying +noncompos +noncomposes +noncomposite +noncompositely +noncompositeness +noncomposure +noncompound +noncompoundable +noncompounder +noncomprehendible +noncomprehending +noncomprehendingly +noncomprehensible +noncomprehensiblely +noncomprehension +noncomprehensive +noncomprehensively +noncomprehensiveness +noncompressibility +noncompressible +noncompression +noncompressive +noncompressively +noncompromised +noncompromising +noncompulsion +noncompulsive +noncompulsively +noncompulsory +noncompulsorily +noncompulsoriness +noncomputation +noncoms +noncon +nonconcealment +nonconceiving +nonconcentrated +nonconcentratiness +nonconcentration +nonconcentrative +nonconcentrativeness +nonconcentric +nonconcentrical +nonconcentrically +nonconcentricity +nonconception +nonconceptual +nonconceptually +nonconcern +nonconcession +nonconcessive +nonconciliating +nonconciliatory +nonconcision +nonconcludency +nonconcludent +nonconcluding +nonconclusion +nonconclusive +nonconclusively +nonconclusiveness +nonconcordant +nonconcordantly +nonconcur +nonconcurred +nonconcurrence +nonconcurrency +nonconcurrent +nonconcurrently +nonconcurring +noncondemnation +noncondensable +noncondensation +noncondensed +noncondensibility +noncondensible +noncondensing +noncondescending +noncondescendingly +noncondescendingness +noncondescension +noncondiment +noncondimental +nonconditional +nonconditioned +noncondonation +nonconduciness +nonconducive +nonconduciveness +nonconductibility +nonconductible +nonconducting +nonconduction +nonconductive +nonconductor +nonconductors +nonconfederate +nonconfederation +nonconferrable +nonconfession +nonconficient +nonconfidence +nonconfident +nonconfidential +nonconfidentiality +nonconfidentially +nonconfidentialness +nonconfidently +nonconfiding +nonconfined +nonconfinement +nonconfining +nonconfirmation +nonconfirmative +nonconfirmatory +nonconfirming +nonconfiscable +nonconfiscation +nonconfiscatory +nonconfitent +nonconflicting +nonconflictive +nonconform +nonconformability +nonconformable +nonconformably +nonconformance +nonconformer +nonconformest +nonconforming +nonconformism +nonconformist +nonconformistical +nonconformistically +nonconformists +nonconformitant +nonconformity +nonconfrontation +nonconfutation +noncongealing +noncongenital +noncongestion +noncongestive +noncongratulatory +noncongregative +noncongruence +noncongruency +noncongruent +noncongruently +noncongruity +noncongruities +noncongruous +noncongruously +noncongruousness +nonconjecturable +nonconjecturably +nonconjectural +nonconjugal +nonconjugality +nonconjugally +nonconjugate +nonconjugation +nonconjunction +nonconjunctive +nonconjunctively +nonconnection +nonconnective +nonconnectively +nonconnectivity +nonconnivance +nonconnivence +nonconnotative +nonconnotatively +nonconnubial +nonconnubiality +nonconnubially +nonconscientious +nonconscientiously +nonconscientiousness +nonconscious +nonconsciously +nonconsciousness +nonconscriptable +nonconscription +nonconsecration +nonconsecutive +nonconsecutively +nonconsecutiveness +nonconsent +nonconsenting +nonconsequence +nonconsequent +nonconsequential +nonconsequentiality +nonconsequentially +nonconsequentialness +nonconservation +nonconservational +nonconservative +nonconserving +nonconsideration +nonconsignment +nonconsistorial +nonconsolable +nonconsolidation +nonconsoling +nonconsolingly +nonconsonance +nonconsonant +nonconsorting +nonconspirator +nonconspiratorial +nonconspiring +nonconstant +nonconstituent +nonconstituted +nonconstitutional +nonconstraining +nonconstraint +nonconstricted +nonconstricting +nonconstrictive +nonconstruability +nonconstruable +nonconstruction +nonconstructive +nonconstructively +nonconstructiveness +nonconsular +nonconsultative +nonconsultatory +nonconsumable +nonconsuming +nonconsummation +nonconsumption +nonconsumptive +nonconsumptively +nonconsumptiveness +noncontact +noncontagion +noncontagionist +noncontagious +noncontagiously +noncontagiousness +noncontaminable +noncontamination +noncontaminative +noncontemplative +noncontemplatively +noncontemplativeness +noncontemporaneous +noncontemporaneously +noncontemporaneousness +noncontemporary +noncontemporaries +noncontemptibility +noncontemptible +noncontemptibleness +noncontemptibly +noncontemptuous +noncontemptuously +noncontemptuousness +noncontending +noncontent +noncontention +noncontentious +noncontentiously +nonconterminal +nonconterminous +nonconterminously +noncontestable +noncontestation +noncontextual +noncontextually +noncontiguity +noncontiguities +noncontiguous +noncontiguously +noncontiguousness +noncontinence +noncontinency +noncontinental +noncontingency +noncontingent +noncontingently +noncontinuable +noncontinuably +noncontinuance +noncontinuation +noncontinuity +noncontinuous +noncontinuously +noncontinuousness +noncontraband +noncontrabands +noncontraction +noncontractual +noncontradiction +noncontradictory +noncontradictories +noncontrariety +noncontrarieties +noncontrastable +noncontrastive +noncontributable +noncontributing +noncontribution +noncontributive +noncontributively +noncontributiveness +noncontributor +noncontributory +noncontributories +noncontrivance +noncontrollable +noncontrollablely +noncontrollably +noncontrolled +noncontrolling +noncontroversial +noncontroversially +noncontumacious +noncontumaciously +noncontumaciousness +nonconvective +nonconvectively +nonconveyance +nonconvenable +nonconventional +nonconventionally +nonconvergence +nonconvergency +nonconvergent +nonconvergently +nonconverging +nonconversable +nonconversableness +nonconversably +nonconversance +nonconversancy +nonconversant +nonconversantly +nonconversational +nonconversationally +nonconversion +nonconvertibility +nonconvertible +nonconvertibleness +nonconvertibly +nonconviction +nonconvivial +nonconviviality +nonconvivially +noncooperating +noncooperation +noncooperationist +noncooperative +noncooperator +noncoordinating +noncoordination +noncopying +noncoplanar +noncoring +noncorporate +noncorporately +noncorporation +noncorporative +noncorporeal +noncorporeality +noncorpuscular +noncorrection +noncorrectional +noncorrective +noncorrectively +noncorrelating +noncorrelation +noncorrelative +noncorrelatively +noncorrespondence +noncorrespondent +noncorresponding +noncorrespondingly +noncorroborating +noncorroboration +noncorroborative +noncorroboratively +noncorroboratory +noncorrodible +noncorroding +noncorrosive +noncorrosively +noncorrosiveness +noncorrupt +noncorrupter +noncorruptibility +noncorruptible +noncorruptibleness +noncorruptibly +noncorruption +noncorruptive +noncorruptly +noncorruptness +noncortical +noncortically +noncosmic +noncosmically +noncosmopolitan +noncosmopolitanism +noncosmopolite +noncosmopolitism +noncostraight +noncotyledonal +noncotyledonary +noncotyledonous +noncottager +noncounteractive +noncounterfeit +noncounty +noncovetous +noncovetously +noncovetousness +noncranking +noncreation +noncreative +noncreatively +noncreativeness +noncreativity +noncredence +noncredent +noncredibility +noncredible +noncredibleness +noncredibly +noncredit +noncreditable +noncreditableness +noncreditably +noncreditor +noncredulous +noncredulously +noncredulousness +noncreeping +noncrenate +noncrenated +noncretaceous +noncriminal +noncriminality +noncriminally +noncrinoid +noncryptic +noncryptical +noncryptically +noncrystalline +noncrystallizable +noncrystallized +noncrystallizing +noncritical +noncritically +noncriticalness +noncriticizing +noncrossover +noncrucial +noncrucially +noncruciform +noncruciformly +noncrusading +noncrushability +noncrushable +noncrustaceous +nonculminating +nonculmination +nonculpability +nonculpable +nonculpableness +nonculpably +noncultivability +noncultivable +noncultivatable +noncultivated +noncultivation +noncultural +nonculturally +nonculture +noncultured +noncumbrous +noncumbrously +noncumbrousness +noncumulative +noncumulatively +noncurantist +noncurative +noncuratively +noncurativeness +noncurdling +noncuriosity +noncurious +noncuriously +noncuriousness +noncurling +noncurrency +noncurrent +noncurrently +noncursive +noncursively +noncurtailing +noncurtailment +noncuspidate +noncuspidated +noncustodial +noncustomary +noncustomarily +noncutting +nonda +nondairy +nondamageable +nondamaging +nondamagingly +nondamnation +nondancer +nondangerous +nondangerously +nondangerousness +nondark +nondatival +nondeadly +nondeaf +nondeafened +nondeafening +nondeafeningly +nondeafly +nondeafness +nondealer +nondebatable +nondebater +nondebating +nondebilitating +nondebilitation +nondebilitative +nondebtor +nondecadence +nondecadency +nondecadent +nondecayed +nondecaying +nondecalcification +nondecalcified +nondecane +nondecasyllabic +nondecasyllable +nondecatoic +nondeceit +nondeceivable +nondeceiving +nondeceleration +nondeception +nondeceptive +nondeceptively +nondeceptiveness +nondeciduata +nondeciduate +nondeciduous +nondeciduously +nondeciduousness +nondecision +nondecisive +nondecisively +nondecisiveness +nondeclamatory +nondeclarant +nondeclaration +nondeclarative +nondeclaratively +nondeclaratory +nondeclarer +nondeclivitous +nondecomposition +nondecorated +nondecoration +nondecorative +nondecorous +nondecorously +nondecorousness +nondecreasing +nondedication +nondedicative +nondedicatory +nondeducible +nondeductibility +nondeductible +nondeduction +nondeductive +nondeductively +nondeep +nondefalcation +nondefamatory +nondefaulting +nondefeasance +nondefeasibility +nondefeasible +nondefeasibleness +nondefeasibness +nondefeat +nondefecting +nondefection +nondefective +nondefectively +nondefectiveness +nondefector +nondefendant +nondefense +nondefensibility +nondefensible +nondefensibleness +nondefensibly +nondefensive +nondefensively +nondefensiveness +nondeferable +nondeference +nondeferent +nondeferential +nondeferentially +nondeferrable +nondefiance +nondefiant +nondefiantly +nondefiantness +nondeficiency +nondeficiencies +nondeficient +nondeficiently +nondefilement +nondefiling +nondefinability +nondefinable +nondefinably +nondefined +nondefiner +nondefining +nondefinite +nondefinitely +nondefiniteness +nondefinition +nondefinitive +nondefinitively +nondefinitiveness +nondeflation +nondeflationary +nondeflected +nondeflection +nondeflective +nondeforestation +nondeformation +nondeformed +nondeformity +nondeformities +nondefunct +nondegeneracy +nondegeneracies +nondegenerate +nondegenerately +nondegenerateness +nondegeneration +nondegenerative +nondegerming +nondegradation +nondegrading +nondegreased +nondehiscent +nondeist +nondeistic +nondeistical +nondeistically +nondelegable +nondelegate +nondelegation +nondeleterious +nondeleteriously +nondeleteriousness +nondeliberate +nondeliberately +nondeliberateness +nondeliberation +nondelicate +nondelicately +nondelicateness +nondelineation +nondelineative +nondelinquent +nondeliquescence +nondeliquescent +nondelirious +nondeliriously +nondeliriousness +nondeliverance +nondelivery +nondeliveries +nondeluded +nondeluding +nondelusive +nondemand +nondemanding +nondemise +nondemobilization +nondemocracy +nondemocracies +nondemocratic +nondemocratical +nondemocratically +nondemolition +nondemonstrability +nondemonstrable +nondemonstrableness +nondemonstrably +nondemonstration +nondemonstrative +nondemonstratively +nondemonstrativeness +nondendroid +nondendroidal +nondenial +nondenominational +nondenominationalism +nondenominationally +nondenotative +nondenotatively +nondense +nondenseness +nondensity +nondenumerable +nondenunciating +nondenunciation +nondenunciative +nondenunciatory +nondeodorant +nondeodorizing +nondepartmental +nondepartmentally +nondeparture +nondependability +nondependable +nondependableness +nondependably +nondependance +nondependancy +nondependancies +nondependence +nondependency +nondependencies +nondependent +nondepletion +nondepletive +nondepletory +nondeportation +nondeported +nondeposition +nondepositor +nondepravation +nondepraved +nondepravity +nondepravities +nondeprecating +nondeprecatingly +nondeprecative +nondeprecatively +nondeprecatory +nondeprecatorily +nondepreciable +nondepreciating +nondepreciation +nondepreciative +nondepreciatively +nondepreciatory +nondepressed +nondepressing +nondepressingly +nondepression +nondepressive +nondepressively +nondeprivable +nondeprivation +nonderelict +nonderisible +nonderisive +nonderivability +nonderivable +nonderivative +nonderivatively +nonderogation +nonderogative +nonderogatively +nonderogatory +nonderogatorily +nonderogatoriness +nondescribable +nondescript +nondescriptive +nondescriptively +nondescriptiveness +nondescriptly +nondesecration +nondesignate +nondesignative +nondesigned +nondesire +nondesirous +nondesistance +nondesistence +nondesisting +nondespotic +nondespotically +nondesquamative +nondestruction +nondestructive +nondestructively +nondestructiveness +nondesulfurization +nondesulfurized +nondesulphurized +nondetachability +nondetachable +nondetachment +nondetailed +nondetention +nondeterioration +nondeterminable +nondeterminacy +nondeterminant +nondeterminate +nondeterminately +nondetermination +nondeterminative +nondeterminatively +nondeterminativeness +nondeterminism +nondeterminist +nondeterministic +nondeterministically +nondeterrent +nondetest +nondetinet +nondetonating +nondetractive +nondetractively +nondetractory +nondetrimental +nondetrimentally +nondevelopable +nondeveloping +nondevelopment +nondevelopmental +nondevelopmentally +nondeviant +nondeviating +nondeviation +nondevious +nondeviously +nondeviousness +nondevotional +nondevotionally +nondevout +nondevoutly +nondevoutness +nondexterity +nondexterous +nondexterously +nondexterousness +nondextrous +nondiabetic +nondiabolic +nondiabolical +nondiabolically +nondiabolicalness +nondiagnosis +nondiagonal +nondiagonally +nondiagrammatic +nondiagrammatical +nondiagrammatically +nondialectal +nondialectally +nondialectic +nondialectical +nondialectically +nondialyzing +nondiametral +nondiametrally +nondiapausing +nondiaphanous +nondiaphanously +nondiaphanousness +nondiastasic +nondiastatic +nondiathermanous +nondiazotizable +nondichogamy +nondichogamic +nondichogamous +nondichotomous +nondichotomously +nondictation +nondictatorial +nondictatorially +nondictatorialness +nondictionary +nondidactic +nondidactically +nondietetic +nondietetically +nondieting +nondifferentation +nondifferentiable +nondifferentiation +nondifficult +nondiffidence +nondiffident +nondiffidently +nondiffractive +nondiffractively +nondiffractiveness +nondiffuse +nondiffused +nondiffusible +nondiffusibleness +nondiffusibly +nondiffusing +nondiffusion +nondigestibility +nondigestible +nondigestibleness +nondigestibly +nondigesting +nondigestion +nondigestive +nondilapidated +nondilatability +nondilatable +nondilation +nondiligence +nondiligent +nondiligently +nondilution +nondimensioned +nondiminishing +nondynamic +nondynamical +nondynamically +nondynastic +nondynastical +nondynastically +nondiocesan +nondiphtherial +nondiphtheric +nondiphtheritic +nondiphthongal +nondiplomacy +nondiplomatic +nondiplomatically +nondipterous +nondirection +nondirectional +nondirective +nondirigibility +nondirigible +nondisagreement +nondisappearing +nondisarmament +nondisastrous +nondisastrously +nondisastrousness +nondisbursable +nondisbursed +nondisbursement +nondiscerning +nondiscernment +nondischarging +nondisciplinable +nondisciplinary +nondisciplined +nondisciplining +nondisclaim +nondisclosure +nondiscontinuance +nondiscordant +nondiscountable +nondiscoverable +nondiscovery +nondiscoveries +nondiscretionary +nondiscriminating +nondiscriminatingly +nondiscrimination +nondiscriminative +nondiscriminatively +nondiscriminatory +nondiscursive +nondiscursively +nondiscursiveness +nondiscussion +nondiseased +nondisestablishment +nondisfigurement +nondisfranchised +nondisguised +nondisingenuous +nondisingenuously +nondisingenuousness +nondisintegrating +nondisintegration +nondisinterested +nondisjunct +nondisjunction +nondisjunctional +nondisjunctive +nondisjunctively +nondismemberment +nondismissal +nondisparaging +nondisparate +nondisparately +nondisparateness +nondisparity +nondisparities +nondispensable +nondispensation +nondispensational +nondispensible +nondyspeptic +nondyspeptical +nondyspeptically +nondispersal +nondispersion +nondispersive +nondisposable +nondisposal +nondisposed +nondisputatious +nondisputatiously +nondisputatiousness +nondisqualifying +nondisrupting +nondisruptingly +nondisruptive +nondissent +nondissenting +nondissidence +nondissident +nondissipated +nondissipatedly +nondissipatedness +nondissipative +nondissolution +nondissolving +nondistant +nondistillable +nondistillation +nondistinctive +nondistinguishable +nondistinguishableness +nondistinguishably +nondistinguished +nondistinguishing +nondistorted +nondistortedly +nondistortedness +nondistorting +nondistortingly +nondistortion +nondistortive +nondistracted +nondistractedly +nondistracting +nondistractingly +nondistractive +nondistribution +nondistributional +nondistributive +nondistributively +nondistributiveness +nondisturbance +nondisturbing +nondivergence +nondivergency +nondivergencies +nondivergent +nondivergently +nondiverging +nondiversification +nondividing +nondivinity +nondivinities +nondivisibility +nondivisible +nondivisiblity +nondivision +nondivisional +nondivisive +nondivisively +nondivisiveness +nondivorce +nondivorced +nondivulgence +nondivulging +nondo +nondoctrinaire +nondoctrinal +nondoctrinally +nondocumental +nondocumentary +nondocumentaries +nondogmatic +nondogmatical +nondogmatically +nondoing +nondomestic +nondomestically +nondomesticated +nondomesticating +nondominance +nondominant +nondominating +nondomination +nondomineering +nondonation +nondormant +nondoubtable +nondoubter +nondoubting +nondoubtingly +nondramatic +nondramatically +nondrying +nondrinkable +nondrinker +nondrinkers +nondrinking +nondriver +nondropsical +nondropsically +nondruidic +nondruidical +nondualism +nondualistic +nondualistically +nonduality +nonductile +nonductility +nondumping +nonduplicating +nonduplication +nonduplicative +nonduplicity +nondurability +nondurable +nondurableness +nondurably +nondutiable +none +noneager +noneagerly +noneagerness +nonearning +noneastern +noneatable +nonebullience +nonebulliency +nonebullient +nonebulliently +noneccentric +noneccentrically +nonecclesiastic +nonecclesiastical +nonecclesiastically +nonechoic +noneclectic +noneclectically +noneclipsed +noneclipsing +nonecliptic +nonecliptical +nonecliptically +nonecompense +noneconomy +noneconomic +noneconomical +noneconomically +noneconomies +nonecstatic +nonecstatically +nonecumenic +nonecumenical +nonedibility +nonedible +nonedibleness +nonedibness +nonedified +noneditor +noneditorial +noneditorially +noneducable +noneducated +noneducation +noneducational +noneducationally +noneducative +noneducatory +noneffective +noneffervescent +noneffervescently +noneffete +noneffetely +noneffeteness +nonefficacy +nonefficacious +nonefficaciously +nonefficiency +nonefficient +nonefficiently +noneffusion +noneffusive +noneffusively +noneffusiveness +nonego +nonegocentric +nonegoistic +nonegoistical +nonegoistically +nonegos +nonegotistic +nonegotistical +nonegotistically +nonegregious +nonegregiously +nonegregiousness +noneidetic +nonejaculatory +nonejecting +nonejection +nonejective +nonelaborate +nonelaborately +nonelaborateness +nonelaborating +nonelaborative +nonelastic +nonelastically +nonelasticity +nonelect +nonelection +nonelective +nonelectively +nonelectiveness +nonelector +nonelectric +nonelectrical +nonelectrically +nonelectrification +nonelectrified +nonelectrized +nonelectrocution +nonelectrolyte +nonelectrolytic +noneleemosynary +nonelemental +nonelementally +nonelementary +nonelevating +nonelevation +nonelicited +noneligibility +noneligible +noneligibly +nonelimination +noneliminative +noneliminatory +nonelite +nonelliptic +nonelliptical +nonelliptically +nonelongation +nonelopement +noneloquence +noneloquent +noneloquently +nonelucidating +nonelucidation +nonelucidative +nonelusive +nonelusively +nonelusiveness +nonemanant +nonemanating +nonemancipation +nonemancipative +nonembarkation +nonembellished +nonembellishing +nonembellishment +nonembezzlement +nonembryonal +nonembryonic +nonembryonically +nonemendable +nonemendation +nonemergence +nonemergent +nonemigrant +nonemigration +nonemission +nonemotional +nonemotionalism +nonemotionally +nonemotive +nonemotively +nonemotiveness +nonempathic +nonempathically +nonemphatic +nonemphatical +nonempiric +nonempirical +nonempirically +nonempiricism +nonemploying +nonemployment +nonempty +nonemulation +nonemulative +nonemulous +nonemulously +nonemulousness +nonenactment +nonencyclopaedic +nonencyclopedic +nonencyclopedical +nonenclosure +nonencroachment +nonendemic +nonendorsement +nonendowment +nonendurable +nonendurance +nonenduring +nonene +nonenemy +nonenemies +nonenergetic +nonenergetically +nonenergic +nonenervating +nonenforceability +nonenforceable +nonenforced +nonenforcedly +nonenforcement +nonenforcing +nonengagement +nonengineering +nonengrossing +nonengrossingly +nonenigmatic +nonenigmatical +nonenigmatically +nonenlightened +nonenlightening +nonenrolled +nonent +nonentailed +nonenteric +nonenterprising +nonentertaining +nonentertainment +nonenthusiastic +nonenthusiastically +nonenticing +nonenticingly +nonentitative +nonentity +nonentities +nonentityism +nonentitive +nonentitize +nonentomologic +nonentomological +nonentrant +nonentreating +nonentreatingly +nonentres +nonentresse +nonentry +nonentries +nonenumerated +nonenumerative +nonenunciation +nonenunciative +nonenunciatory +nonenviable +nonenviableness +nonenviably +nonenvious +nonenviously +nonenviousness +nonenvironmental +nonenvironmentally +nonenzymic +nonephemeral +nonephemerally +nonepic +nonepical +nonepically +nonepicurean +nonepigrammatic +nonepigrammatically +nonepileptic +nonepiscopal +nonepiscopalian +nonepiscopally +nonepisodic +nonepisodical +nonepisodically +nonepithelial +nonepochal +nonequability +nonequable +nonequableness +nonequably +nonequal +nonequalization +nonequalized +nonequalizing +nonequals +nonequation +nonequatorial +nonequatorially +nonequestrian +nonequilateral +nonequilaterally +nonequilibrium +nonequitable +nonequitably +nonequivalence +nonequivalency +nonequivalent +nonequivalently +nonequivalents +nonequivocal +nonequivocally +nonequivocating +noneradicable +noneradicative +nonerasure +nonerecting +nonerection +noneroded +nonerodent +noneroding +nonerosive +nonerotic +nonerotically +nonerrant +nonerrantly +nonerratic +nonerratically +nonerroneous +nonerroneously +nonerroneousness +nonerudite +noneruditely +noneruditeness +nonerudition +noneruption +noneruptive +nones +nonescape +nonesoteric +nonesoterically +nonespionage +nonespousal +nonessential +nonessentials +nonestablishment +nonesthetic +nonesthetical +nonesthetically +nonestimable +nonestimableness +nonestimably +nonesuch +nonesuches +nonesurient +nonesuriently +nonet +noneternal +noneternally +noneternalness +noneternity +nonetheless +nonethereal +nonethereality +nonethereally +nonetherealness +nonethic +nonethical +nonethically +nonethicalness +nonethyl +nonethnic +nonethnical +nonethnically +nonethnologic +nonethnological +nonethnologically +nonetto +noneugenic +noneugenical +noneugenically +noneuphonious +noneuphoniously +noneuphoniousness +nonevacuation +nonevadable +nonevadible +nonevading +nonevadingly +nonevaluation +nonevanescent +nonevanescently +nonevangelic +nonevangelical +nonevangelically +nonevaporable +nonevaporating +nonevaporation +nonevaporative +nonevasion +nonevasive +nonevasively +nonevasiveness +nonevent +nonevents +noneviction +nonevident +nonevidential +nonevil +nonevilly +nonevilness +nonevincible +nonevincive +nonevocative +nonevolutional +nonevolutionally +nonevolutionary +nonevolutionist +nonevolving +nonexactable +nonexacting +nonexactingly +nonexactingness +nonexaction +nonexaggerated +nonexaggeratedly +nonexaggerating +nonexaggeration +nonexaggerative +nonexaggeratory +nonexamination +nonexcavation +nonexcepted +nonexcepting +nonexceptional +nonexceptionally +nonexcerptible +nonexcessive +nonexcessively +nonexcessiveness +nonexchangeability +nonexchangeable +nonexcitable +nonexcitableness +nonexcitably +nonexcitative +nonexcitatory +nonexciting +nonexclamatory +nonexclusion +nonexclusive +nonexcommunicable +nonexculpable +nonexculpation +nonexculpatory +nonexcusable +nonexcusableness +nonexcusably +nonexecutable +nonexecution +nonexecutive +nonexemplary +nonexemplification +nonexemplificatior +nonexempt +nonexemption +nonexercisable +nonexercise +nonexerciser +nonexertion +nonexertive +nonexhausted +nonexhaustible +nonexhaustive +nonexhaustively +nonexhaustiveness +nonexhibition +nonexhibitionism +nonexhibitionistic +nonexhibitive +nonexhortation +nonexhortative +nonexhortatory +nonexigent +nonexigently +nonexistence +nonexistent +nonexistential +nonexistentialism +nonexistentially +nonexisting +nonexoneration +nonexotic +nonexotically +nonexpanded +nonexpanding +nonexpansibility +nonexpansible +nonexpansile +nonexpansion +nonexpansive +nonexpansively +nonexpansiveness +nonexpectant +nonexpectantly +nonexpectation +nonexpedience +nonexpediency +nonexpedient +nonexpediential +nonexpediently +nonexpeditious +nonexpeditiously +nonexpeditiousness +nonexpendable +nonexperience +nonexperienced +nonexperiential +nonexperientially +nonexperimental +nonexperimentally +nonexpert +nonexpiable +nonexpiation +nonexpiatory +nonexpiration +nonexpiry +nonexpiries +nonexpiring +nonexplainable +nonexplanative +nonexplanatory +nonexplicable +nonexplicative +nonexploitation +nonexplorative +nonexploratory +nonexplosive +nonexplosively +nonexplosiveness +nonexplosives +nonexponential +nonexponentially +nonexponible +nonexportable +nonexportation +nonexposure +nonexpressionistic +nonexpressive +nonexpressively +nonexpressiveness +nonexpulsion +nonexpulsive +nonextant +nonextempore +nonextended +nonextendible +nonextendibleness +nonextensibility +nonextensible +nonextensibleness +nonextensibness +nonextensile +nonextension +nonextensional +nonextensive +nonextensively +nonextensiveness +nonextenuating +nonextenuatingly +nonextenuative +nonextenuatory +nonexteriority +nonextermination +nonexterminative +nonexterminatory +nonexternal +nonexternality +nonexternalized +nonexternally +nonextinct +nonextinction +nonextinguishable +nonextinguished +nonextortion +nonextortive +nonextractable +nonextracted +nonextractible +nonextraction +nonextractive +nonextraditable +nonextradition +nonextraneous +nonextraneously +nonextraneousness +nonextreme +nonextricable +nonextricably +nonextrication +nonextrinsic +nonextrinsical +nonextrinsically +nonextrusive +nonexuberance +nonexuberancy +nonexuding +nonexultant +nonexultantly +nonexultation +nonfabulous +nonfacetious +nonfacetiously +nonfacetiousness +nonfacial +nonfacility +nonfacing +nonfact +nonfactious +nonfactiously +nonfactiousness +nonfactitious +nonfactitiously +nonfactitiousness +nonfactory +nonfactual +nonfactually +nonfacultative +nonfaculty +nonfaddist +nonfading +nonfailure +nonfallacious +nonfallaciously +nonfallaciousness +nonfalse +nonfaltering +nonfalteringly +nonfamily +nonfamilial +nonfamiliar +nonfamiliarly +nonfamilies +nonfamous +nonfanatic +nonfanatical +nonfanatically +nonfanciful +nonfantasy +nonfantasies +nonfarcical +nonfarcicality +nonfarcically +nonfarcicalness +nonfarm +nonfascist +nonfascists +nonfashionable +nonfashionableness +nonfashionably +nonfastidious +nonfastidiously +nonfastidiousness +nonfat +nonfatal +nonfatalistic +nonfatality +nonfatalities +nonfatally +nonfatalness +nonfatigable +nonfatty +nonfaulty +nonfavorable +nonfavorableness +nonfavorably +nonfavored +nonfavorite +nonfealty +nonfealties +nonfeasance +nonfeasibility +nonfeasible +nonfeasibleness +nonfeasibly +nonfeasor +nonfeatured +nonfebrile +nonfecund +nonfecundity +nonfederal +nonfederated +nonfeeble +nonfeebleness +nonfeebly +nonfeeding +nonfeeling +nonfeelingly +nonfeldspathic +nonfelicity +nonfelicitous +nonfelicitously +nonfelicitousness +nonfelony +nonfelonious +nonfeloniously +nonfeloniousness +nonfenestrated +nonfermentability +nonfermentable +nonfermentation +nonfermentative +nonfermented +nonfermenting +nonferocious +nonferociously +nonferociousness +nonferocity +nonferrous +nonfertile +nonfertility +nonfervent +nonfervently +nonferventness +nonfervid +nonfervidly +nonfervidness +nonfestive +nonfestively +nonfestiveness +nonfeudal +nonfeudally +nonfeverish +nonfeverishly +nonfeverishness +nonfeverous +nonfeverously +nonfibrous +nonfiction +nonfictional +nonfictionally +nonfictitious +nonfictitiously +nonfictitiousness +nonfictive +nonfictively +nonfidelity +nonfiduciary +nonfiduciaries +nonfighter +nonfigurative +nonfiguratively +nonfigurativeness +nonfilamentous +nonfilial +nonfilter +nonfilterable +nonfimbriate +nonfimbriated +nonfinancial +nonfinancially +nonfinding +nonfinishing +nonfinite +nonfinitely +nonfiniteness +nonfireproof +nonfiscal +nonfiscally +nonfisherman +nonfishermen +nonfissile +nonfissility +nonfissionable +nonfixation +nonflagellate +nonflagellated +nonflagitious +nonflagitiously +nonflagitiousness +nonflagrance +nonflagrancy +nonflagrant +nonflagrantly +nonflaky +nonflakily +nonflakiness +nonflammability +nonflammable +nonflammatory +nonflatulence +nonflatulency +nonflatulent +nonflatulently +nonflawed +nonflexibility +nonflexible +nonflexibleness +nonflexibly +nonflyable +nonflying +nonflirtatious +nonflirtatiously +nonflirtatiousness +nonfloatation +nonfloating +nonfloatingly +nonfloriferous +nonflowering +nonflowing +nonfluctuating +nonfluctuation +nonfluency +nonfluent +nonfluently +nonfluentness +nonfluid +nonfluidic +nonfluidity +nonfluidly +nonfluids +nonfluorescence +nonfluorescent +nonflux +nonfocal +nonfollowing +nonfood +nonforbearance +nonforbearing +nonforbearingly +nonforeclosing +nonforeclosure +nonforeign +nonforeigness +nonforeignness +nonforeknowledge +nonforensic +nonforensically +nonforest +nonforested +nonforfeitable +nonforfeiting +nonforfeiture +nonforfeitures +nonforgiving +nonform +nonformal +nonformalism +nonformalistic +nonformally +nonformalness +nonformation +nonformative +nonformatively +nonformidability +nonformidable +nonformidableness +nonformidably +nonforming +nonformulation +nonfortifiable +nonfortification +nonfortifying +nonfortuitous +nonfortuitously +nonfortuitousness +nonfossiliferous +nonfouling +nonfragile +nonfragilely +nonfragileness +nonfragility +nonfragmented +nonfragrant +nonfrangibility +nonfrangible +nonfrat +nonfraternal +nonfraternally +nonfraternity +nonfrauder +nonfraudulence +nonfraudulency +nonfraudulent +nonfraudulently +nonfreedom +nonfreeman +nonfreemen +nonfreezable +nonfreeze +nonfreezing +nonfrenetic +nonfrenetically +nonfrequence +nonfrequency +nonfrequent +nonfrequently +nonfricative +nonfriction +nonfrigid +nonfrigidity +nonfrigidly +nonfrigidness +nonfrosted +nonfrosting +nonfrugal +nonfrugality +nonfrugally +nonfrugalness +nonfruition +nonfrustration +nonfugitive +nonfugitively +nonfugitiveness +nonfulfillment +nonfulminating +nonfunctional +nonfunctionally +nonfunctioning +nonfundable +nonfundamental +nonfundamentalist +nonfundamentally +nonfunded +nonfungible +nonfuroid +nonfused +nonfusibility +nonfusible +nonfusion +nonfutile +nonfuturistic +nonfuturity +nonfuturition +nong +nongalactic +nongalvanized +nongame +nonganglionic +nongangrenous +nongarrulity +nongarrulous +nongarrulously +nongarrulousness +nongas +nongaseness +nongaseous +nongaseousness +nongases +nongassy +nongelatinizing +nongelatinous +nongelatinously +nongelatinousness +nongelling +nongenealogic +nongenealogical +nongenealogically +nongeneralized +nongenerating +nongenerative +nongeneric +nongenerical +nongenerically +nongenetic +nongenetical +nongenetically +nongentile +nongenuine +nongenuinely +nongenuineness +nongeographic +nongeographical +nongeographically +nongeologic +nongeological +nongeologically +nongeometric +nongeometrical +nongeometrically +nongermane +nongerminal +nongerminating +nongermination +nongerminative +nongerundial +nongerundive +nongerundively +nongestic +nongestical +nongilded +nongildsman +nongilled +nongymnast +nongipsy +nongypsy +nonglacial +nonglacially +nonglandered +nonglandular +nonglandulous +nonglare +nonglazed +nonglobular +nonglobularly +nonglucose +nonglucosidal +nonglucosidic +nonglutenous +nongod +nongold +nongolfer +nongospel +nongovernance +nongovernment +nongovernmental +nongraceful +nongracefully +nongracefulness +nongraciosity +nongracious +nongraciously +nongraciousness +nongraduate +nongraduated +nongraduation +nongray +nongrain +nongrained +nongrammatical +nongranular +nongranulated +nongraphic +nongraphical +nongraphically +nongraphicalness +nongraphitic +nongrass +nongratification +nongratifying +nongratifyingly +nongratuitous +nongratuitously +nongratuitousness +nongraven +nongravitation +nongravitational +nongravitationally +nongravitative +nongravity +nongravities +nongreasy +nongreen +nongregarious +nongregariously +nongregariousness +nongrey +nongremial +nongrieved +nongrieving +nongrievous +nongrievously +nongrievousness +nongrooming +nongrounded +nongrounding +nonguarantee +nonguaranty +nonguaranties +nonguard +nonguidable +nonguidance +nonguilt +nonguilts +nonguttural +nongutturally +nongutturalness +nonhabitability +nonhabitable +nonhabitableness +nonhabitably +nonhabitation +nonhabitual +nonhabitually +nonhabitualness +nonhabituating +nonhackneyed +nonhalation +nonhallucinated +nonhallucination +nonhallucinatory +nonhandicap +nonhardenable +nonhardy +nonharmony +nonharmonic +nonharmonies +nonharmonious +nonharmoniously +nonharmoniousness +nonhazardous +nonhazardously +nonhazardousness +nonheading +nonhearer +nonheathen +nonheathens +nonhectic +nonhectically +nonhedonic +nonhedonically +nonhedonistic +nonhedonistically +nonheinous +nonheinously +nonheinousness +nonhematic +nonhemophilic +nonhepatic +nonhereditability +nonhereditable +nonhereditably +nonhereditary +nonhereditarily +nonhereditariness +nonheretical +nonheretically +nonheritability +nonheritable +nonheritably +nonheritor +nonhero +nonheroes +nonheroic +nonheroical +nonheroically +nonheroicalness +nonheroicness +nonhesitant +nonhesitantly +nonheuristic +nonhydrated +nonhydraulic +nonhydrogenous +nonhydrolyzable +nonhydrophobic +nonhierarchic +nonhierarchical +nonhierarchically +nonhieratic +nonhieratical +nonhieratically +nonhygrometric +nonhygroscopic +nonhygroscopically +nonhyperbolic +nonhyperbolical +nonhyperbolically +nonhypnotic +nonhypnotically +nonhypostatic +nonhypostatical +nonhypostatically +nonhistone +nonhistoric +nonhistorical +nonhistorically +nonhistoricalness +nonhistrionic +nonhistrionical +nonhistrionically +nonhistrionicalness +nonhomaloidal +nonhomiletic +nonhomogeneity +nonhomogeneous +nonhomogeneously +nonhomogeneousness +nonhomogenous +nonhomologous +nonhostile +nonhostilely +nonhostility +nonhouseholder +nonhousekeeping +nonhubristic +nonhuman +nonhumaness +nonhumanist +nonhumanistic +nonhumanized +nonhumanness +nonhumorous +nonhumorously +nonhumorousness +nonhumus +nonhunting +nonya +nonic +noniconoclastic +noniconoclastically +nonideal +nonidealist +nonidealistic +nonidealistically +nonideational +nonideationally +nonidempotent +nonidentical +nonidentification +nonidentity +nonidentities +nonideologic +nonideological +nonideologically +nonidyllic +nonidyllically +nonidiomatic +nonidiomatical +nonidiomatically +nonidiomaticalness +nonidolatrous +nonidolatrously +nonidolatrousness +nonigneous +nonignitability +nonignitable +nonignitibility +nonignitible +nonignominious +nonignominiously +nonignominiousness +nonignorant +nonignorantly +nonyielding +nonyl +nonylene +nonylenic +nonylic +nonillative +nonillatively +nonillion +nonillionth +nonilluminant +nonilluminating +nonilluminatingly +nonillumination +nonilluminative +nonillusional +nonillusive +nonillusively +nonillusiveness +nonillustration +nonillustrative +nonillustratively +nonimaginary +nonimaginarily +nonimaginariness +nonimaginational +nonimbricate +nonimbricated +nonimbricately +nonimbricating +nonimbricative +nonimitability +nonimitable +nonimitating +nonimitation +nonimitational +nonimitative +nonimitatively +nonimitativeness +nonimmanence +nonimmanency +nonimmanent +nonimmanently +nonimmateriality +nonimmersion +nonimmigrant +nonimmigration +nonimmune +nonimmunity +nonimmunities +nonimmunization +nonimmunized +nonimpact +nonimpacted +nonimpairment +nonimpartation +nonimpartment +nonimpatience +nonimpeachability +nonimpeachable +nonimpeachment +nonimpedimental +nonimpedimentary +nonimperative +nonimperatively +nonimperativeness +nonimperial +nonimperialistic +nonimperialistically +nonimperially +nonimperialness +nonimperious +nonimperiously +nonimperiousness +nonimplement +nonimplemental +nonimplication +nonimplicative +nonimplicatively +nonimportation +nonimporting +nonimposition +nonimpregnated +nonimpressionability +nonimpressionable +nonimpressionableness +nonimpressionabness +nonimpressionist +nonimpressionistic +nonimprovement +nonimpulsive +nonimpulsively +nonimpulsiveness +nonimputability +nonimputable +nonimputableness +nonimputably +nonimputation +nonimputative +nonimputatively +nonimputativeness +nonincandescence +nonincandescent +nonincandescently +nonincarnate +nonincarnated +nonincestuous +nonincestuously +nonincestuousness +nonincident +nonincidental +nonincidentally +nonincitement +noninclinable +noninclination +noninclinational +noninclinatory +noninclusion +noninclusive +noninclusively +noninclusiveness +nonincorporated +nonincorporative +nonincreasable +nonincrease +nonincreasing +nonincriminating +nonincrimination +nonincriminatory +nonincrusting +nonindependent +nonindependently +nonindexed +nonindictable +nonindictment +nonindigenous +nonindividual +nonindividualistic +nonindividuality +nonindividualities +noninduced +noninducible +noninductive +noninductively +noninductivity +nonindulgence +nonindulgent +nonindulgently +nonindurated +nonindurative +nonindustrial +nonindustrialization +nonindustrially +nonindustrious +nonindustriously +nonindustriousness +noninert +noninertial +noninertly +noninertness +noninfallibilist +noninfallibility +noninfallible +noninfallibleness +noninfallibly +noninfantry +noninfected +noninfecting +noninfection +noninfectious +noninfectiously +noninfectiousness +noninferable +noninferably +noninferential +noninferentially +noninfinite +noninfinitely +noninfiniteness +noninflammability +noninflammable +noninflammableness +noninflammably +noninflammatory +noninflation +noninflationary +noninflected +noninflectional +noninflectionally +noninfluence +noninfluential +noninfluentially +noninformational +noninformative +noninformatively +noninformativeness +noninfraction +noninfusibility +noninfusible +noninfusibleness +noninfusibness +noninhabitability +noninhabitable +noninhabitance +noninhabitancy +noninhabitancies +noninhabitant +noninherence +noninherent +noninherently +noninheritability +noninheritable +noninheritableness +noninheritabness +noninherited +noninhibitive +noninhibitory +noninitial +noninitially +noninjury +noninjuries +noninjurious +noninjuriously +noninjuriousness +noninoculation +noninoculative +noninquiring +noninquiringly +noninsect +noninsertion +noninsistence +noninsistency +noninsistencies +noninsistent +noninspissating +noninstinctive +noninstinctively +noninstinctual +noninstinctually +noninstitution +noninstitutional +noninstitutionally +noninstruction +noninstructional +noninstructionally +noninstructive +noninstructively +noninstructiveness +noninstructress +noninstrumental +noninstrumentalistic +noninstrumentally +noninsular +noninsularity +noninsurance +nonintegrable +nonintegration +nonintegrity +nonintellectual +nonintellectually +nonintellectualness +nonintellectuals +nonintelligence +nonintelligent +nonintelligently +nonintent +nonintention +noninteracting +noninteractive +nonintercepting +noninterceptive +noninterchangeability +noninterchangeable +noninterchangeableness +noninterchangeably +nonintercourse +noninterdependence +noninterdependency +noninterdependent +noninterdependently +noninterfaced +noninterference +noninterferer +noninterfering +noninterferingly +noninterleaved +nonintermission +nonintermittence +nonintermittent +nonintermittently +nonintermittentness +noninternational +noninternationally +noninterpolating +noninterpolation +noninterpolative +noninterposition +noninterpretability +noninterpretable +noninterpretational +noninterpretative +noninterpretively +noninterpretiveness +noninterrupted +noninterruptedly +noninterruptedness +noninterruption +noninterruptive +nonintersecting +nonintersectional +nonintersector +nonintervention +noninterventional +noninterventionalist +noninterventionist +noninterventionists +nonintimidation +nonintoxicant +nonintoxicants +nonintoxicating +nonintoxicatingly +nonintoxicative +nonintrospective +nonintrospectively +nonintrospectiveness +nonintroversive +nonintroversively +nonintroversiveness +nonintroverted +nonintrovertedly +nonintrovertedness +nonintrusion +nonintrusionism +nonintrusionist +nonintrusive +nonintuitive +nonintuitively +nonintuitiveness +noninvasive +noninverted +noninverting +noninvidious +noninvidiously +noninvidiousness +noninvincibility +noninvincible +noninvincibleness +noninvincibly +noninvolved +noninvolvement +noniodized +nonion +nonionic +nonionized +nonionizing +nonirate +nonirately +nonirenic +nonirenical +noniridescence +noniridescent +noniridescently +nonironic +nonironical +nonironically +nonironicalness +nonirradiated +nonirrational +nonirrationally +nonirrationalness +nonirreparable +nonirrevocability +nonirrevocable +nonirrevocableness +nonirrevocably +nonirrigable +nonirrigated +nonirrigating +nonirrigation +nonirritability +nonirritable +nonirritableness +nonirritably +nonirritancy +nonirritant +nonirritating +nonisobaric +nonisoelastic +nonisolable +nonisotropic +nonisotropous +nonissuable +nonissuably +nonius +nonjoinder +nonjournalistic +nonjournalistically +nonjudgmental +nonjudicable +nonjudicative +nonjudicatory +nonjudicatories +nonjudiciable +nonjudicial +nonjudicially +nonjurable +nonjurancy +nonjurant +nonjurantism +nonjuress +nonjury +nonjuridic +nonjuridical +nonjuridically +nonjuries +nonjurying +nonjuring +nonjurist +nonjuristic +nonjuristical +nonjuristically +nonjuror +nonjurorism +nonjurors +nonkinetic +nonknowledge +nonknowledgeable +nonkosher +nonlabeling +nonlabelling +nonlacteal +nonlacteally +nonlacteous +nonlactescent +nonlactic +nonlayered +nonlaying +nonlaminable +nonlaminated +nonlaminating +nonlaminative +nonlanguage +nonlarcenous +nonlawyer +nonleaded +nonleaking +nonlegal +nonlegato +nonlegislative +nonlegislatively +nonlegitimacy +nonlegitimate +nonlegume +nonleguminous +nonlepidopteral +nonlepidopteran +nonlepidopterous +nonleprous +nonleprously +nonlethal +nonlethally +nonlethargic +nonlethargical +nonlethargically +nonlevel +nonleviable +nonlevulose +nonly +nonliability +nonliabilities +nonliable +nonlibelous +nonlibelously +nonliberal +nonliberalism +nonliberation +nonlibidinous +nonlibidinously +nonlibidinousness +nonlicensable +nonlicensed +nonlicentiate +nonlicentious +nonlicentiously +nonlicentiousness +nonlicet +nonlicit +nonlicking +nonlife +nonlimitation +nonlimitative +nonlimiting +nonlymphatic +nonlineal +nonlinear +nonlinearity +nonlinearities +nonlinearly +nonlinguistic +nonlinkage +nonlipoidal +nonliquefiable +nonliquefying +nonliquid +nonliquidating +nonliquidation +nonliquidly +nonlyric +nonlyrical +nonlyrically +nonlyricalness +nonlyricism +nonlister +nonlisting +nonliteracy +nonliteral +nonliterality +nonliterally +nonliteralness +nonliterary +nonliterarily +nonliterariness +nonliterate +nonlitigated +nonlitigation +nonlitigious +nonlitigiously +nonlitigiousness +nonliturgic +nonliturgical +nonliturgically +nonlive +nonlives +nonliving +nonlixiviated +nonlixiviation +nonlocal +nonlocalizable +nonlocalized +nonlocally +nonlocals +nonlocation +nonlogic +nonlogical +nonlogicality +nonlogically +nonlogicalness +nonlogistic +nonlogistical +nonloyal +nonloyally +nonloyalty +nonloyalties +nonlosable +nonloser +nonlover +nonloving +nonloxodromic +nonloxodromical +nonlubricant +nonlubricating +nonlubricious +nonlubriciously +nonlubriciousness +nonlucid +nonlucidity +nonlucidly +nonlucidness +nonlucrative +nonlucratively +nonlucrativeness +nonlugubrious +nonlugubriously +nonlugubriousness +nonluminescence +nonluminescent +nonluminosity +nonluminous +nonluminously +nonluminousness +nonluster +nonlustrous +nonlustrously +nonlustrousness +nonmagnetic +nonmagnetical +nonmagnetically +nonmagnetizable +nonmagnetized +nonmailable +nonmaintenance +nonmajority +nonmajorities +nonmakeup +nonmalarial +nonmalarian +nonmalarious +nonmalicious +nonmaliciously +nonmaliciousness +nonmalignance +nonmalignancy +nonmalignant +nonmalignantly +nonmalignity +nonmalleability +nonmalleable +nonmalleableness +nonmalleabness +nonmammalian +nonman +nonmanagement +nonmandatory +nonmandatories +nonmanifest +nonmanifestation +nonmanifestly +nonmanifestness +nonmanila +nonmanipulative +nonmanipulatory +nonmannered +nonmanneristic +nonmannite +nonmanual +nonmanually +nonmanufacture +nonmanufactured +nonmanufacturing +nonmarine +nonmarital +nonmaritally +nonmaritime +nonmarket +nonmarketability +nonmarketable +nonmarriage +nonmarriageability +nonmarriageable +nonmarriageableness +nonmarriageabness +nonmarrying +nonmartial +nonmartially +nonmartialness +nonmarveling +nonmasculine +nonmasculinely +nonmasculineness +nonmasculinity +nonmaskable +nonmason +nonmastery +nonmasteries +nonmatching +nonmaterial +nonmaterialistic +nonmaterialistically +nonmateriality +nonmaternal +nonmaternally +nonmathematic +nonmathematical +nonmathematically +nonmathematician +nonmatrimonial +nonmatrimonially +nonmatter +nonmaturation +nonmaturative +nonmature +nonmaturely +nonmatureness +nonmaturity +nonmeasurability +nonmeasurable +nonmeasurableness +nonmeasurably +nonmechanical +nonmechanically +nonmechanicalness +nonmechanistic +nonmediation +nonmediative +nonmedicable +nonmedical +nonmedically +nonmedicative +nonmedicinal +nonmedicinally +nonmeditative +nonmeditatively +nonmeditativeness +nonmedullated +nonmelodic +nonmelodically +nonmelodious +nonmelodiously +nonmelodiousness +nonmelodramatic +nonmelodramatically +nonmelting +nonmember +nonmembers +nonmembership +nonmen +nonmenacing +nonmendicancy +nonmendicant +nonmenial +nonmenially +nonmental +nonmentally +nonmercantile +nonmercearies +nonmercenary +nonmercenaries +nonmerchantable +nonmeritorious +nonmetal +nonmetallic +nonmetalliferous +nonmetallurgic +nonmetallurgical +nonmetallurgically +nonmetals +nonmetamorphic +nonmetamorphoses +nonmetamorphosis +nonmetamorphous +nonmetaphysical +nonmetaphysically +nonmetaphoric +nonmetaphorical +nonmetaphorically +nonmeteoric +nonmeteorically +nonmeteorologic +nonmeteorological +nonmeteorologically +nonmethodic +nonmethodical +nonmethodically +nonmethodicalness +nonmetric +nonmetrical +nonmetrically +nonmetropolitan +nonmicrobic +nonmicroprogrammed +nonmicroscopic +nonmicroscopical +nonmicroscopically +nonmigrant +nonmigrating +nonmigration +nonmigratory +nonmilitancy +nonmilitant +nonmilitantly +nonmilitants +nonmilitary +nonmilitarily +nonmillionaire +nonmimetic +nonmimetically +nonmineral +nonmineralogical +nonmineralogically +nonminimal +nonministerial +nonministerially +nonministration +nonmyopic +nonmyopically +nonmiraculous +nonmiraculously +nonmiraculousness +nonmischievous +nonmischievously +nonmischievousness +nonmiscibility +nonmiscible +nonmissionary +nonmissionaries +nonmystic +nonmystical +nonmystically +nonmysticalness +nonmysticism +nonmythical +nonmythically +nonmythologic +nonmythological +nonmythologically +nonmitigation +nonmitigative +nonmitigatory +nonmobile +nonmobility +nonmodal +nonmodally +nonmoderate +nonmoderately +nonmoderateness +nonmodern +nonmodernistic +nonmodernly +nonmodernness +nonmodificative +nonmodificatory +nonmodifying +nonmolar +nonmolecular +nonmomentary +nonmomentariness +nonmonarchal +nonmonarchally +nonmonarchial +nonmonarchic +nonmonarchical +nonmonarchically +nonmonarchist +nonmonarchistic +nonmonastic +nonmonastically +nonmoney +nonmonetary +nonmonist +nonmonistic +nonmonistically +nonmonogamous +nonmonogamously +nonmonopolistic +nonmonotheistic +nonmorainic +nonmoral +nonmorality +nonmortal +nonmortally +nonmotile +nonmotility +nonmotion +nonmotivated +nonmotivation +nonmotivational +nonmotoring +nonmotorist +nonmountainous +nonmountainously +nonmoveability +nonmoveable +nonmoveableness +nonmoveably +nonmucilaginous +nonmucous +nonmulched +nonmultiple +nonmultiplication +nonmultiplicational +nonmultiplicative +nonmultiplicatively +nonmunicipal +nonmunicipally +nonmuscular +nonmuscularly +nonmusical +nonmusically +nonmusicalness +nonmussable +nonmutability +nonmutable +nonmutableness +nonmutably +nonmutational +nonmutationally +nonmutative +nonmutinous +nonmutinously +nonmutinousness +nonmutual +nonmutuality +nonmutually +nonnant +nonnarcism +nonnarcissism +nonnarcissistic +nonnarcotic +nonnarration +nonnarrative +nonnasal +nonnasality +nonnasally +nonnat +nonnational +nonnationalism +nonnationalistic +nonnationalistically +nonnationalization +nonnationally +nonnative +nonnatively +nonnativeness +nonnatives +nonnatty +nonnattily +nonnattiness +nonnatural +nonnaturalism +nonnaturalist +nonnaturalistic +nonnaturality +nonnaturally +nonnaturalness +nonnaturals +nonnautical +nonnautically +nonnaval +nonnavigability +nonnavigable +nonnavigableness +nonnavigably +nonnavigation +nonnebular +nonnebulous +nonnebulously +nonnebulousness +nonnecessary +nonnecessity +nonnecessities +nonnecessitous +nonnecessitously +nonnecessitousness +nonnegation +nonnegative +nonnegativism +nonnegativistic +nonnegativity +nonnegligence +nonnegligent +nonnegligently +nonnegligibility +nonnegligible +nonnegligibleness +nonnegligibly +nonnegotiability +nonnegotiable +nonnegotiation +nonnephritic +nonnervous +nonnervously +nonnervousness +nonnescience +nonnescient +nonneural +nonneurotic +nonneutral +nonneutrality +nonneutrally +nonny +nonnicotinic +nonnihilism +nonnihilist +nonnihilistic +nonnitric +nonnitrogenized +nonnitrogenous +nonnitrous +nonnobility +nonnoble +nonnocturnal +nonnocturnally +nonnomad +nonnomadic +nonnomadically +nonnominalistic +nonnomination +nonnormal +nonnormality +nonnormally +nonnormalness +nonnotable +nonnotableness +nonnotably +nonnotational +nonnotification +nonnotional +nonnoumenal +nonnoumenally +nonnourishing +nonnourishment +nonnuclear +nonnucleated +nonnullification +nonnumeral +nonnumeric +nonnumerical +nonnutrient +nonnutriment +nonnutritious +nonnutritiously +nonnutritiousness +nonnutritive +nonnutritively +nonnutritiveness +nonobedience +nonobedient +nonobediently +nonobese +nonobjectification +nonobjection +nonobjective +nonobjectivism +nonobjectivist +nonobjectivistic +nonobjectivity +nonobligated +nonobligatory +nonobligatorily +nonobscurity +nonobscurities +nonobservable +nonobservably +nonobservance +nonobservant +nonobservantly +nonobservation +nonobservational +nonobserving +nonobservingly +nonobsession +nonobsessional +nonobsessive +nonobsessively +nonobsessiveness +nonobstetric +nonobstetrical +nonobstetrically +nonobstructive +nonobstructively +nonobstructiveness +nonobvious +nonobviously +nonobviousness +nonoccidental +nonoccidentally +nonocclusion +nonocclusive +nonoccult +nonocculting +nonoccupance +nonoccupancy +nonoccupant +nonoccupation +nonoccupational +nonoccurrence +nonodoriferous +nonodoriferously +nonodoriferousness +nonodorous +nonodorously +nonodorousness +nonoecumenic +nonoecumenical +nonoffender +nonoffensive +nonoffensively +nonoffensiveness +nonofficeholder +nonofficeholding +nonofficial +nonofficially +nonofficinal +nonogenarian +nonoic +nonoily +nonolfactory +nonolfactories +nonoligarchic +nonoligarchical +nonomad +nonomissible +nonomission +nononerous +nononerously +nononerousness +nonopacity +nonopacities +nonopaque +nonopening +nonoperable +nonoperatic +nonoperatically +nonoperating +nonoperational +nonoperative +nonopinionaness +nonopinionated +nonopinionatedness +nonopinionative +nonopinionatively +nonopinionativeness +nonopposable +nonopposal +nonopposing +nonopposition +nonoppression +nonoppressive +nonoppressively +nonoppressiveness +nonopprobrious +nonopprobriously +nonopprobriousness +nonoptic +nonoptical +nonoptically +nonoptimistic +nonoptimistical +nonoptimistically +nonoptional +nonoptionally +nonoral +nonorally +nonorchestral +nonorchestrally +nonordained +nonordered +nonordination +nonorganic +nonorganically +nonorganization +nonorientable +nonoriental +nonorientation +nonoriginal +nonoriginally +nonornamental +nonornamentality +nonornamentally +nonorthodox +nonorthodoxly +nonorthogonal +nonorthogonality +nonorthographic +nonorthographical +nonorthographically +nonoscine +nonosmotic +nonosmotically +nonostensible +nonostensibly +nonostensive +nonostensively +nonostentation +nonoutlawry +nonoutlawries +nonoutrage +nonoverhead +nonoverlapping +nonowner +nonowners +nonowning +nonoxidating +nonoxidation +nonoxidative +nonoxidizable +nonoxidization +nonoxidizing +nonoxygenated +nonoxygenous +nonpacifiable +nonpacific +nonpacifical +nonpacifically +nonpacification +nonpacificatory +nonpacifist +nonpacifistic +nonpagan +nonpaganish +nonpagans +nonpaid +nonpayer +nonpaying +nonpayment +nonpainter +nonpalatability +nonpalatable +nonpalatableness +nonpalatably +nonpalatal +nonpalatalization +nonpalliation +nonpalliative +nonpalliatively +nonpalpability +nonpalpable +nonpalpably +nonpantheistic +nonpantheistical +nonpantheistically +nonpapal +nonpapist +nonpapistic +nonpapistical +nonpar +nonparabolic +nonparabolical +nonparabolically +nonparadoxical +nonparadoxically +nonparadoxicalness +nonparalyses +nonparalysis +nonparalytic +nonparallel +nonparallelism +nonparametric +nonparasitic +nonparasitical +nonparasitically +nonparasitism +nonpardoning +nonpareil +nonpareils +nonparent +nonparental +nonparentally +nonpariello +nonparishioner +nonparity +nonparliamentary +nonparlor +nonparochial +nonparochially +nonparous +nonparty +nonpartial +nonpartiality +nonpartialities +nonpartially +nonpartible +nonparticipant +nonparticipating +nonparticipation +nonpartisan +nonpartisanism +nonpartisans +nonpartisanship +nonpartizan +nonpartner +nonpassenger +nonpasserine +nonpassible +nonpassionate +nonpassionately +nonpassionateness +nonpastoral +nonpastorally +nonpatentability +nonpatentable +nonpatented +nonpatently +nonpaternal +nonpaternally +nonpathogenic +nonpathologic +nonpathological +nonpathologically +nonpatriotic +nonpatriotically +nonpatterned +nonpause +nonpeak +nonpeaked +nonpearlitic +nonpecuniary +nonpedagogic +nonpedagogical +nonpedagogically +nonpedestrian +nonpedigree +nonpedigreed +nonpejorative +nonpejoratively +nonpelagic +nonpeltast +nonpenal +nonpenalized +nonpendant +nonpendency +nonpendent +nonpendently +nonpending +nonpenetrability +nonpenetrable +nonpenetrably +nonpenetrating +nonpenetration +nonpenitent +nonpensionable +nonpensioner +nonperceivable +nonperceivably +nonperceiving +nonperceptibility +nonperceptible +nonperceptibleness +nonperceptibly +nonperception +nonperceptional +nonperceptive +nonperceptively +nonperceptiveness +nonperceptivity +nonperceptual +nonpercipience +nonpercipiency +nonpercipient +nonpercussive +nonperfected +nonperfectibility +nonperfectible +nonperfection +nonperforate +nonperforated +nonperforating +nonperformance +nonperformer +nonperforming +nonperilous +nonperilously +nonperiodic +nonperiodical +nonperiodically +nonperishable +nonperishables +nonperishing +nonperjured +nonperjury +nonperjuries +nonpermanence +nonpermanency +nonpermanent +nonpermanently +nonpermeability +nonpermeable +nonpermeation +nonpermeative +nonpermissibility +nonpermissible +nonpermissibly +nonpermission +nonpermissive +nonpermissively +nonpermissiveness +nonpermitted +nonperpendicular +nonperpendicularity +nonperpendicularly +nonperpetration +nonperpetual +nonperpetually +nonperpetuance +nonperpetuation +nonperpetuity +nonperpetuities +nonpersecuting +nonpersecution +nonpersecutive +nonpersecutory +nonperseverance +nonperseverant +nonpersevering +nonpersistence +nonpersistency +nonpersistent +nonpersistently +nonpersisting +nonperson +nonpersonal +nonpersonally +nonpersonification +nonperspective +nonpersuadable +nonpersuasible +nonpersuasive +nonpersuasively +nonpersuasiveness +nonpertinence +nonpertinency +nonpertinent +nonpertinently +nonperturbable +nonperturbing +nonperverse +nonperversely +nonperverseness +nonperversion +nonperversity +nonperversities +nonperversive +nonperverted +nonpervertedly +nonpervertible +nonpessimistic +nonpessimistically +nonpestilent +nonpestilential +nonpestilently +nonphagocytic +nonpharmaceutic +nonpharmaceutical +nonpharmaceutically +nonphenolic +nonphenomenal +nonphenomenally +nonphilanthropic +nonphilanthropical +nonphilologic +nonphilological +nonphilosophy +nonphilosophic +nonphilosophical +nonphilosophically +nonphilosophies +nonphysical +nonphysically +nonphysiologic +nonphysiological +nonphysiologically +nonphobic +nonphonemic +nonphonemically +nonphonetic +nonphonetical +nonphonetically +nonphosphatic +nonphosphorized +nonphosphorous +nonphotobiotic +nonphotographic +nonphotographical +nonphotographically +nonphrenetic +nonphrenetically +nonpickable +nonpictorial +nonpictorially +nonpigmented +nonpinaceous +nonpyogenic +nonpyritiferous +nonplacental +nonplacet +nonplanar +nonplane +nonplanetary +nonplantowning +nonplastic +nonplasticity +nonplate +nonplated +nonplatitudinous +nonplatitudinously +nonplausibility +nonplausible +nonplausibleness +nonplausibly +nonpleadable +nonpleading +nonpleadingly +nonpliability +nonpliable +nonpliableness +nonpliably +nonpliancy +nonpliant +nonpliantly +nonpliantness +nonpluralistic +nonplurality +nonpluralities +nonplus +nonplusation +nonplused +nonpluses +nonplushed +nonplusing +nonplussation +nonplussed +nonplusses +nonplussing +nonplutocratic +nonplutocratical +nonpneumatic +nonpneumatically +nonpoet +nonpoetic +nonpoisonous +nonpoisonously +nonpoisonousness +nonpolar +nonpolarity +nonpolarizable +nonpolarizing +nonpolemic +nonpolemical +nonpolemically +nonpolitical +nonpolitically +nonpolluted +nonpolluting +nonponderability +nonponderable +nonponderosity +nonponderous +nonponderously +nonponderousness +nonpopery +nonpopular +nonpopularity +nonpopularly +nonpopulous +nonpopulously +nonpopulousness +nonporness +nonpornographic +nonporous +nonporousness +nonporphyritic +nonport +nonportability +nonportable +nonportentous +nonportentously +nonportentousness +nonportrayable +nonportrayal +nonpositive +nonpositivistic +nonpossessed +nonpossession +nonpossessive +nonpossessively +nonpossessiveness +nonpossessory +nonpossible +nonpossibly +nonposthumous +nonpostponement +nonpotable +nonpotential +nonpower +nonpracticability +nonpracticable +nonpracticableness +nonpracticably +nonpractical +nonpracticality +nonpractically +nonpracticalness +nonpractice +nonpracticed +nonpraedial +nonpragmatic +nonpragmatical +nonpragmatically +nonpreaching +nonprecedent +nonprecedential +nonprecious +nonpreciously +nonpreciousness +nonprecipitation +nonprecipitative +nonpredatory +nonpredatorily +nonpredatoriness +nonpredestination +nonpredicative +nonpredicatively +nonpredictable +nonpredictive +nonpreferability +nonpreferable +nonpreferableness +nonpreferably +nonpreference +nonpreferential +nonpreferentialism +nonpreferentially +nonpreformed +nonpregnant +nonprehensile +nonprejudiced +nonprejudicial +nonprejudicially +nonprelatic +nonprelatical +nonpremium +nonprepayment +nonpreparation +nonpreparative +nonpreparatory +nonpreparedness +nonprepositional +nonprepositionally +nonpresbyter +nonprescient +nonpresciently +nonprescribed +nonprescriber +nonprescription +nonprescriptive +nonpresence +nonpresentability +nonpresentable +nonpresentableness +nonpresentably +nonpresentation +nonpresentational +nonpreservable +nonpreservation +nonpreservative +nonpresidential +nonpress +nonpressing +nonpressure +nonpresumptive +nonpresumptively +nonprevalence +nonprevalent +nonprevalently +nonpreventable +nonpreventible +nonprevention +nonpreventive +nonpreventively +nonpreventiveness +nonpriestly +nonprimitive +nonprimitively +nonprimitiveness +nonprincipiate +nonprincipled +nonprintable +nonprinting +nonprivileged +nonprivity +nonprivities +nonprobability +nonprobabilities +nonprobable +nonprobably +nonprobation +nonprobative +nonprobatory +nonproblematic +nonproblematical +nonproblematically +nonprocedural +nonprocedurally +nonprocessional +nonprocreation +nonprocreative +nonprocurable +nonprocuration +nonprocurement +nonproducer +nonproducible +nonproducing +nonproduction +nonproductive +nonproductively +nonproductiveness +nonproductivity +nonprofane +nonprofanely +nonprofaneness +nonprofanity +nonprofanities +nonprofessed +nonprofession +nonprofessional +nonprofessionalism +nonprofessionally +nonprofessorial +nonprofessorially +nonproficience +nonproficiency +nonproficient +nonprofit +nonprofitability +nonprofitable +nonprofitablely +nonprofitableness +nonprofiteering +nonprognostication +nonprognosticative +nonprogrammable +nonprogrammer +nonprogressive +nonprogressively +nonprogressiveness +nonprohibitable +nonprohibition +nonprohibitive +nonprohibitively +nonprohibitory +nonprohibitorily +nonprojecting +nonprojection +nonprojective +nonprojectively +nonproletarian +nonproletariat +nonproliferation +nonproliferous +nonprolific +nonprolificacy +nonprolifically +nonprolificness +nonprolifiness +nonprolix +nonprolixity +nonprolixly +nonprolixness +nonprolongation +nonprominence +nonprominent +nonprominently +nonpromiscuous +nonpromiscuously +nonpromiscuousness +nonpromissory +nonpromotion +nonpromotive +nonpromulgation +nonpronunciation +nonpropagable +nonpropagandist +nonpropagandistic +nonpropagation +nonpropagative +nonpropellent +nonprophetic +nonprophetical +nonprophetically +nonpropitiable +nonpropitiation +nonpropitiative +nonproportionable +nonproportional +nonproportionally +nonproportionate +nonproportionately +nonproportionateness +nonproportioned +nonproprietary +nonproprietaries +nonpropriety +nonproprietor +nonprorogation +nonpros +nonprosaic +nonprosaically +nonprosaicness +nonproscription +nonproscriptive +nonproscriptively +nonprosecution +nonprospect +nonprosperity +nonprosperous +nonprosperously +nonprosperousness +nonprossed +nonprosses +nonprossing +nonprotecting +nonprotection +nonprotective +nonprotectively +nonproteid +nonprotein +nonproteinaceous +nonprotestation +nonprotesting +nonprotractile +nonprotractility +nonprotraction +nonprotrusion +nonprotrusive +nonprotrusively +nonprotrusiveness +nonprotuberance +nonprotuberancy +nonprotuberancies +nonprotuberant +nonprotuberantly +nonprovable +nonproven +nonprovided +nonprovident +nonprovidential +nonprovidentially +nonprovidently +nonprovider +nonprovincial +nonprovincially +nonprovisional +nonprovisionally +nonprovisionary +nonprovocation +nonprovocative +nonprovocatively +nonprovocativeness +nonproximity +nonprudence +nonprudent +nonprudential +nonprudentially +nonprudently +nonpsychiatric +nonpsychic +nonpsychical +nonpsychically +nonpsychoanalytic +nonpsychoanalytical +nonpsychoanalytically +nonpsychologic +nonpsychological +nonpsychologically +nonpsychopathic +nonpsychopathically +nonpsychotic +nonpublic +nonpublication +nonpublicity +nonpublishable +nonpueblo +nonpuerile +nonpuerilely +nonpuerility +nonpuerilities +nonpulmonary +nonpulsating +nonpulsation +nonpulsative +nonpumpable +nonpunctual +nonpunctually +nonpunctualness +nonpunctuating +nonpunctuation +nonpuncturable +nonpungency +nonpungent +nonpungently +nonpunishable +nonpunishing +nonpunishment +nonpunitive +nonpunitory +nonpurchasability +nonpurchasable +nonpurchase +nonpurchaser +nonpurgation +nonpurgative +nonpurgatively +nonpurgatorial +nonpurification +nonpurifying +nonpuristic +nonpurposive +nonpurposively +nonpurposiveness +nonpursuance +nonpursuant +nonpursuantly +nonpursuit +nonpurulence +nonpurulent +nonpurulently +nonpurveyance +nonputrescence +nonputrescent +nonputrescible +nonputting +nonqualification +nonqualifying +nonqualitative +nonqualitatively +nonquality +nonqualities +nonquantitative +nonquantitatively +nonquantitativeness +nonquota +nonrabbinical +nonracial +nonracially +nonradiable +nonradiance +nonradiancy +nonradiant +nonradiantly +nonradiating +nonradiation +nonradiative +nonradical +nonradically +nonradicalness +nonradicness +nonradioactive +nonrayed +nonrailroader +nonraisable +nonraiseable +nonraised +nonrandom +nonrandomly +nonrandomness +nonranging +nonrapport +nonratability +nonratable +nonratableness +nonratably +nonrateability +nonrateable +nonrateableness +nonrateably +nonrated +nonratification +nonratifying +nonrational +nonrationalism +nonrationalist +nonrationalistic +nonrationalistical +nonrationalistically +nonrationality +nonrationalization +nonrationalized +nonrationally +nonrationalness +nonreaction +nonreactionary +nonreactionaries +nonreactive +nonreactor +nonreadability +nonreadable +nonreadableness +nonreadably +nonreader +nonreaders +nonreading +nonrealism +nonrealist +nonrealistic +nonrealistically +nonreality +nonrealities +nonrealizable +nonrealization +nonrealizing +nonreasonability +nonreasonable +nonreasonableness +nonreasonably +nonreasoner +nonreasoning +nonrebel +nonrebellion +nonrebellious +nonrebelliously +nonrebelliousness +nonrecalcitrance +nonrecalcitrancy +nonrecalcitrant +nonreceipt +nonreceivable +nonreceiving +nonrecent +nonreception +nonreceptive +nonreceptively +nonreceptiveness +nonreceptivity +nonrecess +nonrecession +nonrecessive +nonrecipience +nonrecipiency +nonrecipient +nonreciprocal +nonreciprocally +nonreciprocals +nonreciprocating +nonreciprocity +nonrecision +nonrecital +nonrecitation +nonrecitative +nonreclaimable +nonreclamation +nonrecluse +nonreclusive +nonrecognition +nonrecognized +nonrecoil +nonrecoiling +nonrecollection +nonrecollective +nonrecombinant +nonrecommendation +nonreconcilability +nonreconcilable +nonreconcilableness +nonreconcilably +nonreconciliation +nonrecourse +nonrecoverable +nonrecovery +nonrectangular +nonrectangularity +nonrectangularly +nonrectifiable +nonrectified +nonrecuperatiness +nonrecuperation +nonrecuperative +nonrecuperativeness +nonrecuperatory +nonrecurent +nonrecurently +nonrecurrent +nonrecurring +nonredeemable +nonredemptible +nonredemption +nonredemptive +nonredressing +nonreduced +nonreducibility +nonreducible +nonreducibly +nonreducing +nonreduction +nonreductional +nonreductive +nonreference +nonrefillable +nonrefined +nonrefinement +nonreflected +nonreflecting +nonreflection +nonreflective +nonreflectively +nonreflectiveness +nonreflector +nonreformation +nonreformational +nonrefracting +nonrefraction +nonrefractional +nonrefractive +nonrefractively +nonrefractiveness +nonrefrigerant +nonrefueling +nonrefuelling +nonrefundable +nonrefutal +nonrefutation +nonregardance +nonregarding +nonregenerate +nonregenerating +nonregeneration +nonregenerative +nonregeneratively +nonregent +nonregimental +nonregimented +nonregistered +nonregistrability +nonregistrable +nonregistration +nonregression +nonregressive +nonregressively +nonregulation +nonregulative +nonregulatory +nonrehabilitation +nonreigning +nonreimbursement +nonreinforcement +nonreinstatement +nonrejection +nonrejoinder +nonrelapsed +nonrelated +nonrelatiness +nonrelation +nonrelational +nonrelative +nonrelatively +nonrelativeness +nonrelativistic +nonrelativistically +nonrelativity +nonrelaxation +nonrelease +nonrelenting +nonreliability +nonreliable +nonreliableness +nonreliably +nonreliance +nonrelieving +nonreligion +nonreligious +nonreligiously +nonreligiousness +nonrelinquishment +nonremanie +nonremedy +nonremediability +nonremediable +nonremediably +nonremedial +nonremedially +nonremedies +nonremembrance +nonremissible +nonremission +nonremittable +nonremittably +nonremittal +nonremonstrance +nonremonstrant +nonremovable +nonremuneration +nonremunerative +nonremuneratively +nonrendition +nonrenewable +nonrenewal +nonrenouncing +nonrenunciation +nonrepayable +nonrepaying +nonrepair +nonrepairable +nonreparable +nonreparation +nonrepatriable +nonrepatriation +nonrepealable +nonrepealing +nonrepeat +nonrepeated +nonrepeater +nonrepellence +nonrepellency +nonrepellent +nonrepeller +nonrepentance +nonrepentant +nonrepentantly +nonrepetition +nonrepetitious +nonrepetitiously +nonrepetitiousness +nonrepetitive +nonrepetitively +nonreplaceable +nonreplacement +nonreplicate +nonreplicated +nonreplication +nonreportable +nonreprehensibility +nonreprehensible +nonreprehensibleness +nonreprehensibly +nonrepresentable +nonrepresentation +nonrepresentational +nonrepresentationalism +nonrepresentationist +nonrepresentative +nonrepresentatively +nonrepresentativeness +nonrepressed +nonrepressible +nonrepressibleness +nonrepressibly +nonrepression +nonrepressive +nonreprisal +nonreproducible +nonreproduction +nonreproductive +nonreproductively +nonreproductiveness +nonrepublican +nonrepudiable +nonrepudiation +nonrepudiative +nonreputable +nonreputably +nonrequirable +nonrequirement +nonrequisite +nonrequisitely +nonrequisiteness +nonrequisition +nonrequital +nonrescissible +nonrescission +nonrescissory +nonrescue +nonresemblance +nonreservable +nonreservation +nonreserve +nonresidence +nonresidency +nonresident +nonresidental +nonresidenter +nonresidential +nonresidentiary +nonresidentor +nonresidents +nonresidual +nonresignation +nonresilience +nonresiliency +nonresilient +nonresiliently +nonresinifiable +nonresistance +nonresistant +nonresistants +nonresister +nonresistibility +nonresistible +nonresisting +nonresistive +nonresistively +nonresistiveness +nonresolution +nonresolvability +nonresolvable +nonresolvableness +nonresolvably +nonresolvabness +nonresonant +nonresonantly +nonrespectability +nonrespectabilities +nonrespectable +nonrespectableness +nonrespectably +nonrespirable +nonresponsibility +nonresponsibilities +nonresponsible +nonresponsibleness +nonresponsibly +nonresponsive +nonresponsively +nonrestitution +nonrestoration +nonrestorative +nonrestrained +nonrestraint +nonrestricted +nonrestrictedly +nonrestricting +nonrestriction +nonrestrictive +nonrestrictively +nonresumption +nonresurrection +nonresurrectional +nonresuscitable +nonresuscitation +nonresuscitative +nonretail +nonretainable +nonretainment +nonretaliation +nonretardation +nonretardative +nonretardatory +nonretarded +nonretardment +nonretention +nonretentive +nonretentively +nonretentiveness +nonreticence +nonreticent +nonreticently +nonretinal +nonretired +nonretirement +nonretiring +nonretraceable +nonretractation +nonretractile +nonretractility +nonretraction +nonretrenchment +nonretroactive +nonretroactively +nonretroactivity +nonreturn +nonreturnable +nonrevaluation +nonrevealing +nonrevelation +nonrevenge +nonrevenger +nonrevenue +nonreverence +nonreverent +nonreverential +nonreverentially +nonreverently +nonreverse +nonreversed +nonreversibility +nonreversible +nonreversibleness +nonreversibly +nonreversing +nonreversion +nonrevertible +nonrevertive +nonreviewable +nonrevision +nonrevival +nonrevivalist +nonrevocability +nonrevocable +nonrevocably +nonrevocation +nonrevokable +nonrevolting +nonrevoltingly +nonrevolution +nonrevolutionary +nonrevolutionaries +nonrevolving +nonrhetorical +nonrhetorically +nonrheumatic +nonrhyme +nonrhymed +nonrhyming +nonrhythm +nonrhythmic +nonrhythmical +nonrhythmically +nonriding +nonrigid +nonrigidity +nonrioter +nonrioting +nonriparian +nonritualistic +nonritualistically +nonrival +nonrivals +nonroyal +nonroyalist +nonroyally +nonroyalty +nonromantic +nonromantically +nonromanticism +nonrotatable +nonrotating +nonrotation +nonrotational +nonrotative +nonround +nonrousing +nonroutine +nonrubber +nonrudimental +nonrudimentary +nonrudimentarily +nonrudimentariness +nonruinable +nonruinous +nonruinously +nonruinousness +nonruling +nonruminant +nonruminantia +nonruminating +nonruminatingly +nonrumination +nonruminative +nonrun +nonrupturable +nonrupture +nonrural +nonrurally +nonrustable +nonrustic +nonrustically +nonsabbatic +nonsaccharin +nonsaccharine +nonsaccharinity +nonsacerdotal +nonsacerdotally +nonsacramental +nonsacred +nonsacredly +nonsacredness +nonsacrifice +nonsacrificial +nonsacrificing +nonsacrilegious +nonsacrilegiously +nonsacrilegiousness +nonsailor +nonsalability +nonsalable +nonsalably +nonsalaried +nonsale +nonsaleability +nonsaleable +nonsaleably +nonsaline +nonsalinity +nonsalubrious +nonsalubriously +nonsalubriousness +nonsalutary +nonsalutarily +nonsalutariness +nonsalutation +nonsalvageable +nonsalvation +nonsanative +nonsancties +nonsanctification +nonsanctimony +nonsanctimonious +nonsanctimoniously +nonsanctimoniousness +nonsanction +nonsanctity +nonsanctities +nonsane +nonsanely +nonsaneness +nonsanguine +nonsanguinely +nonsanguineness +nonsanity +nonsaponifiable +nonsaponification +nonsaporific +nonsatiability +nonsatiable +nonsatiation +nonsatire +nonsatiric +nonsatirical +nonsatirically +nonsatiricalness +nonsatirizing +nonsatisfaction +nonsatisfying +nonsaturated +nonsaturation +nonsaving +nonsawing +nonscalding +nonscaling +nonscandalous +nonscandalously +nonscarcity +nonscarcities +nonscented +nonscheduled +nonschematic +nonschematically +nonschematized +nonschismatic +nonschismatical +nonschizophrenic +nonscholar +nonscholarly +nonscholastic +nonscholastical +nonscholastically +nonschooling +nonsciatic +nonscience +nonscientific +nonscientifically +nonscientist +nonscoring +nonscraping +nonscriptural +nonscripturalist +nonscrutiny +nonscrutinies +nonsculptural +nonsculpturally +nonsculptured +nonseasonable +nonseasonableness +nonseasonably +nonseasonal +nonseasonally +nonseasoned +nonsecession +nonsecessional +nonsecluded +nonsecludedly +nonsecludedness +nonseclusion +nonseclusive +nonseclusively +nonseclusiveness +nonsecrecy +nonsecrecies +nonsecret +nonsecretarial +nonsecretion +nonsecretionary +nonsecretive +nonsecretively +nonsecretly +nonsecretor +nonsecretory +nonsecretories +nonsectarian +nonsectional +nonsectionally +nonsectorial +nonsecular +nonsecurity +nonsecurities +nonsedentary +nonsedentarily +nonsedentariness +nonsedimentable +nonseditious +nonseditiously +nonseditiousness +nonsegmental +nonsegmentally +nonsegmentary +nonsegmentation +nonsegmented +nonsegregable +nonsegregated +nonsegregation +nonsegregative +nonseismic +nonseizure +nonselected +nonselection +nonselective +nonself +nonselfregarding +nonselling +nonsemantic +nonsemantically +nonseminal +nonsenatorial +nonsensate +nonsensation +nonsensationalistic +nonsense +nonsenses +nonsensibility +nonsensible +nonsensibleness +nonsensibly +nonsensic +nonsensical +nonsensicality +nonsensically +nonsensicalness +nonsensify +nonsensification +nonsensitive +nonsensitively +nonsensitiveness +nonsensitivity +nonsensitivities +nonsensitization +nonsensitized +nonsensitizing +nonsensory +nonsensorial +nonsensual +nonsensualistic +nonsensuality +nonsensually +nonsensuous +nonsensuously +nonsensuousness +nonsentence +nonsententious +nonsententiously +nonsententiousness +nonsentience +nonsentiency +nonsentient +nonsentiently +nonseparability +nonseparable +nonseparableness +nonseparably +nonseparating +nonseparation +nonseparatist +nonseparative +nonseptate +nonseptic +nonsequacious +nonsequaciously +nonsequaciousness +nonsequacity +nonsequent +nonsequential +nonsequentially +nonsequestered +nonsequestration +nonseraphic +nonseraphical +nonseraphically +nonserial +nonseriality +nonserially +nonseriate +nonseriately +nonserif +nonserious +nonseriously +nonseriousness +nonserous +nonserviceability +nonserviceable +nonserviceableness +nonserviceably +nonserviential +nonservile +nonservilely +nonservileness +nonsetter +nonsetting +nonsettlement +nonseverable +nonseverance +nonseverity +nonseverities +nonsexist +nonsexists +nonsexlinked +nonsexual +nonsexually +nonshaft +nonsharing +nonshatter +nonshattering +nonshedder +nonshedding +nonshipper +nonshipping +nonshredding +nonshrinkable +nonshrinking +nonshrinkingly +nonsibilance +nonsibilancy +nonsibilant +nonsibilantly +nonsiccative +nonsidereal +nonsignable +nonsignatory +nonsignatories +nonsignature +nonsignificance +nonsignificancy +nonsignificant +nonsignificantly +nonsignification +nonsignificative +nonsilicate +nonsilicated +nonsiliceous +nonsilicious +nonsyllabic +nonsyllabicness +nonsyllogistic +nonsyllogistical +nonsyllogistically +nonsyllogizing +nonsilver +nonsymbiotic +nonsymbiotical +nonsymbiotically +nonsymbolic +nonsymbolical +nonsymbolically +nonsymbolicalness +nonsimilar +nonsimilarity +nonsimilarly +nonsimilitude +nonsymmetry +nonsymmetrical +nonsymmetries +nonsympathetic +nonsympathetically +nonsympathy +nonsympathies +nonsympathizer +nonsympathizing +nonsympathizingly +nonsymphonic +nonsymphonically +nonsymphonious +nonsymphoniously +nonsymphoniousness +nonsimplicity +nonsimplification +nonsymptomatic +nonsimular +nonsimulate +nonsimulation +nonsimulative +nonsync +nonsynchronal +nonsynchronic +nonsynchronical +nonsynchronically +nonsynchronous +nonsynchronously +nonsynchronousness +nonsyncopation +nonsyndicate +nonsyndicated +nonsyndication +nonsine +nonsynesthetic +nonsinging +nonsingle +nonsingleness +nonsingular +nonsingularity +nonsingularities +nonsinkable +nonsynodic +nonsynodical +nonsynodically +nonsynonymous +nonsynonymously +nonsynoptic +nonsynoptical +nonsynoptically +nonsyntactic +nonsyntactical +nonsyntactically +nonsyntheses +nonsynthesis +nonsynthesized +nonsynthetic +nonsynthetical +nonsynthetically +nonsyntonic +nonsyntonical +nonsyntonically +nonsinusoidal +nonsiphonage +nonsystem +nonsystematic +nonsystematical +nonsystematically +nonsister +nonsitter +nonsitting +nonsked +nonskeds +nonskeletal +nonskeletally +nonskeptic +nonskeptical +nonskid +nonskidding +nonskier +nonskiers +nonskilled +nonskipping +nonslanderous +nonslaveholding +nonslip +nonslippery +nonslipping +nonsludging +nonsmoker +nonsmokers +nonsmoking +nonsmutting +nonsober +nonsobering +nonsoberly +nonsoberness +nonsobriety +nonsociability +nonsociable +nonsociableness +nonsociably +nonsocial +nonsocialist +nonsocialistic +nonsociality +nonsocially +nonsocialness +nonsocietal +nonsociety +nonsociological +nonsolar +nonsoldier +nonsolicitation +nonsolicitous +nonsolicitously +nonsolicitousness +nonsolid +nonsolidarity +nonsolidification +nonsolidified +nonsolidifying +nonsolidly +nonsolids +nonsoluable +nonsoluble +nonsolubleness +nonsolubly +nonsolution +nonsolvability +nonsolvable +nonsolvableness +nonsolvency +nonsolvent +nonsonant +nonsophistic +nonsophistical +nonsophistically +nonsophisticalness +nonsoporific +nonsovereign +nonsovereignly +nonspacious +nonspaciously +nonspaciousness +nonspalling +nonsparing +nonsparking +nonsparkling +nonspatial +nonspatiality +nonspatially +nonspeaker +nonspeaking +nonspecial +nonspecialist +nonspecialists +nonspecialized +nonspecializing +nonspecially +nonspecie +nonspecifiable +nonspecific +nonspecifically +nonspecification +nonspecificity +nonspecified +nonspecious +nonspeciously +nonspeciousness +nonspectacular +nonspectacularly +nonspectral +nonspectrality +nonspectrally +nonspeculation +nonspeculative +nonspeculatively +nonspeculativeness +nonspeculatory +nonspheral +nonspheric +nonspherical +nonsphericality +nonspherically +nonspill +nonspillable +nonspinal +nonspiny +nonspinning +nonspinose +nonspinosely +nonspinosity +nonspiral +nonspirit +nonspirited +nonspiritedly +nonspiritedness +nonspiritous +nonspiritual +nonspirituality +nonspiritually +nonspiritualness +nonspirituness +nonspirituous +nonspirituousness +nonspontaneous +nonspontaneously +nonspontaneousness +nonspored +nonsporeformer +nonsporeforming +nonsporting +nonsportingly +nonspottable +nonsprouting +nonspurious +nonspuriously +nonspuriousness +nonstabile +nonstability +nonstable +nonstableness +nonstably +nonstainable +nonstainer +nonstaining +nonstampable +nonstandard +nonstandardization +nonstandardized +nonstanzaic +nonstaple +nonstarch +nonstarter +nonstarting +nonstatement +nonstatic +nonstationary +nonstationaries +nonstatistic +nonstatistical +nonstatistically +nonstative +nonstatutable +nonstatutory +nonstellar +nonstereotyped +nonstereotypic +nonstereotypical +nonsterile +nonsterilely +nonsterility +nonsterilization +nonsteroid +nonsteroidal +nonstick +nonsticky +nonstylization +nonstylized +nonstimulable +nonstimulant +nonstimulating +nonstimulation +nonstimulative +nonstyptic +nonstyptical +nonstipticity +nonstipulation +nonstock +nonstoical +nonstoically +nonstoicalness +nonstooping +nonstop +nonstorable +nonstorage +nonstowed +nonstrategic +nonstrategical +nonstrategically +nonstratified +nonstress +nonstretchable +nonstretchy +nonstriated +nonstrictness +nonstrictured +nonstriker +nonstrikers +nonstriking +nonstringent +nonstriped +nonstrophic +nonstructural +nonstructurally +nonstructure +nonstructured +nonstudent +nonstudy +nonstudied +nonstudious +nonstudiously +nonstudiousness +nonstultification +nonsubconscious +nonsubconsciously +nonsubconsciousness +nonsubject +nonsubjected +nonsubjectification +nonsubjection +nonsubjective +nonsubjectively +nonsubjectiveness +nonsubjectivity +nonsubjugable +nonsubjugation +nonsublimation +nonsubliminal +nonsubliminally +nonsubmerged +nonsubmergence +nonsubmergibility +nonsubmergible +nonsubmersible +nonsubmissible +nonsubmission +nonsubmissive +nonsubmissively +nonsubmissiveness +nonsubordinate +nonsubordinating +nonsubordination +nonsubscriber +nonsubscribers +nonsubscribing +nonsubscripted +nonsubscription +nonsubsidy +nonsubsidiary +nonsubsidiaries +nonsubsididies +nonsubsidies +nonsubsiding +nonsubsistence +nonsubsistent +nonsubstantial +nonsubstantialism +nonsubstantialist +nonsubstantiality +nonsubstantially +nonsubstantialness +nonsubstantiation +nonsubstantival +nonsubstantivally +nonsubstantive +nonsubstantively +nonsubstantiveness +nonsubstituted +nonsubstitution +nonsubstitutional +nonsubstitutionally +nonsubstitutionary +nonsubstitutive +nonsubtile +nonsubtilely +nonsubtileness +nonsubtility +nonsubtle +nonsubtleness +nonsubtlety +nonsubtleties +nonsubtly +nonsubtraction +nonsubtractive +nonsubtractively +nonsuburban +nonsubversion +nonsubversive +nonsubversively +nonsubversiveness +nonsuccess +nonsuccessful +nonsuccessfully +nonsuccession +nonsuccessional +nonsuccessionally +nonsuccessive +nonsuccessively +nonsuccessiveness +nonsuccor +nonsuccour +nonsuch +nonsuches +nonsuction +nonsuctorial +nonsudsing +nonsufferable +nonsufferableness +nonsufferably +nonsufferance +nonsuffrage +nonsugar +nonsugars +nonsuggestible +nonsuggestion +nonsuggestive +nonsuggestively +nonsuggestiveness +nonsuit +nonsuited +nonsuiting +nonsuits +nonsulfurous +nonsulphurous +nonsummons +nonsupervision +nonsupplemental +nonsupplementally +nonsupplementary +nonsupplicating +nonsupplication +nonsupport +nonsupportability +nonsupportable +nonsupportableness +nonsupportably +nonsupporter +nonsupporting +nonsupposed +nonsupposing +nonsuppositional +nonsuppositionally +nonsuppositive +nonsuppositively +nonsuppressed +nonsuppression +nonsuppressive +nonsuppressively +nonsuppressiveness +nonsuppurative +nonsupression +nonsurface +nonsurgical +nonsurgically +nonsurrealistic +nonsurrealistically +nonsurrender +nonsurvival +nonsurvivor +nonsusceptibility +nonsusceptible +nonsusceptibleness +nonsusceptibly +nonsusceptiness +nonsusceptive +nonsusceptiveness +nonsusceptivity +nonsuspect +nonsuspended +nonsuspension +nonsuspensive +nonsuspensively +nonsuspensiveness +nonsustainable +nonsustained +nonsustaining +nonsustenance +nonswearer +nonswearing +nonsweating +nonswimmer +nonswimming +nontabular +nontabularly +nontabulated +nontactic +nontactical +nontactically +nontactile +nontactility +nontalented +nontalkative +nontalkatively +nontalkativeness +nontan +nontangental +nontangential +nontangentially +nontangible +nontangibleness +nontangibly +nontannic +nontannin +nontanning +nontarget +nontariff +nontarnishable +nontarnished +nontarnishing +nontarred +nontautological +nontautologically +nontautomeric +nontautomerizable +nontax +nontaxability +nontaxable +nontaxableness +nontaxably +nontaxation +nontaxer +nontaxes +nontaxonomic +nontaxonomical +nontaxonomically +nonteachability +nonteachable +nonteachableness +nonteachably +nonteacher +nonteaching +nontechnical +nontechnically +nontechnicalness +nontechnologic +nontechnological +nontechnologically +nonteetotaler +nonteetotalist +nontelegraphic +nontelegraphical +nontelegraphically +nonteleological +nonteleologically +nontelepathic +nontelepathically +nontelephonic +nontelephonically +nontelescopic +nontelescoping +nontelic +nontemperable +nontemperamental +nontemperamentally +nontemperate +nontemperately +nontemperateness +nontempered +nontemporal +nontemporally +nontemporary +nontemporarily +nontemporariness +nontemporizing +nontemporizingly +nontemptation +nontenability +nontenable +nontenableness +nontenably +nontenant +nontenantable +nontensile +nontensility +nontentative +nontentatively +nontentativeness +nontenure +nontenured +nontenurial +nontenurially +nonterm +nonterminability +nonterminable +nonterminableness +nonterminably +nonterminal +nonterminally +nonterminals +nonterminating +nontermination +nonterminative +nonterminatively +nonterminous +nonterrestrial +nonterritorial +nonterritoriality +nonterritorially +nontestable +nontestamentary +nontesting +nontextual +nontextually +nontextural +nontexturally +nontheatric +nontheatrical +nontheatrically +nontheistic +nontheistical +nontheistically +nonthematic +nonthematically +nontheocratic +nontheocratical +nontheocratically +nontheologic +nontheological +nontheologically +nontheoretic +nontheoretical +nontheoretically +nontheosophic +nontheosophical +nontheosophically +nontherapeutic +nontherapeutical +nontherapeutically +nonthermal +nonthermally +nonthermoplastic +nonthinker +nonthinking +nonthoracic +nonthoroughfare +nonthreaded +nonthreatening +nonthreateningly +nontidal +nontillable +nontimbered +nontinted +nontyphoidal +nontypical +nontypically +nontypicalness +nontypographic +nontypographical +nontypographically +nontyrannic +nontyrannical +nontyrannically +nontyrannicalness +nontyrannous +nontyrannously +nontyrannousness +nontitaniferous +nontitle +nontitled +nontitular +nontitularly +nontolerable +nontolerableness +nontolerably +nontolerance +nontolerant +nontolerantly +nontolerated +nontoleration +nontolerative +nontonality +nontoned +nontonic +nontopographical +nontortuous +nontortuously +nontotalitarian +nontourist +nontoxic +nontoxically +nontraceability +nontraceable +nontraceableness +nontraceably +nontractability +nontractable +nontractableness +nontractably +nontraction +nontrade +nontrader +nontrading +nontradition +nontraditional +nontraditionalist +nontraditionalistic +nontraditionally +nontraditionary +nontragedy +nontragedies +nontragic +nontragical +nontragically +nontragicalness +nontrailing +nontrained +nontraining +nontraitorous +nontraitorously +nontraitorousness +nontranscribing +nontranscription +nontranscriptive +nontransferability +nontransferable +nontransference +nontransferential +nontransformation +nontransforming +nontransgression +nontransgressive +nontransgressively +nontransience +nontransiency +nontransient +nontransiently +nontransientness +nontransitional +nontransitionally +nontransitive +nontransitively +nontransitiveness +nontranslocation +nontranslucency +nontranslucent +nontransmission +nontransmittal +nontransmittance +nontransmittible +nontransparence +nontransparency +nontransparent +nontransparently +nontransparentness +nontransportability +nontransportable +nontransportation +nontransposable +nontransposing +nontransposition +nontraveler +nontraveling +nontraveller +nontravelling +nontraversable +nontreasonable +nontreasonableness +nontreasonably +nontreatable +nontreated +nontreaty +nontreaties +nontreatment +nontrespass +nontrial +nontribal +nontribally +nontribesman +nontribesmen +nontributary +nontrier +nontrigonometric +nontrigonometrical +nontrigonometrically +nontrivial +nontriviality +nontronite +nontropic +nontropical +nontropically +nontroubling +nontruancy +nontruant +nontrump +nontrunked +nontrust +nontrusting +nontruth +nontruths +nontubercular +nontubercularly +nontuberculous +nontubular +nontumorous +nontumultuous +nontumultuously +nontumultuousness +nontuned +nonturbinate +nonturbinated +nontutorial +nontutorially +nonubiquitary +nonubiquitous +nonubiquitously +nonubiquitousness +nonulcerous +nonulcerously +nonulcerousness +nonultrafilterable +nonumbilical +nonumbilicate +nonumbrellaed +nonunanimous +nonunanimously +nonunanimousness +nonuncial +nonundergraduate +nonunderstandable +nonunderstanding +nonunderstandingly +nonunderstood +nonundulant +nonundulate +nonundulating +nonundulatory +nonunification +nonunified +nonuniform +nonuniformist +nonuniformitarian +nonuniformity +nonuniformities +nonuniformly +nonunion +nonunionism +nonunionist +nonunions +nonunique +nonuniquely +nonuniqueness +nonunison +nonunitable +nonunitarian +nonuniteable +nonunited +nonunity +nonuniting +nonuniversal +nonuniversalist +nonuniversality +nonuniversally +nonuniversity +nonuniversities +nonupholstered +nonuple +nonuples +nonuplet +nonuplicate +nonupright +nonuprightly +nonuprightness +nonurban +nonurbanite +nonurgent +nonurgently +nonusable +nonusage +nonuse +nonuseable +nonuser +nonusers +nonuses +nonusing +nonusurious +nonusuriously +nonusuriousness +nonusurping +nonusurpingly +nonuterine +nonutile +nonutilitarian +nonutility +nonutilities +nonutilization +nonutilized +nonutterance +nonvacancy +nonvacancies +nonvacant +nonvacantly +nonvaccination +nonvacillating +nonvacillation +nonvacua +nonvacuous +nonvacuously +nonvacuousness +nonvacuum +nonvacuums +nonvaginal +nonvagrancy +nonvagrancies +nonvagrant +nonvagrantly +nonvagrantness +nonvalent +nonvalid +nonvalidation +nonvalidity +nonvalidities +nonvalidly +nonvalidness +nonvalorous +nonvalorously +nonvalorousness +nonvaluable +nonvaluation +nonvalue +nonvalued +nonvalve +nonvanishing +nonvaporosity +nonvaporous +nonvaporously +nonvaporousness +nonvariability +nonvariable +nonvariableness +nonvariably +nonvariance +nonvariant +nonvariation +nonvaried +nonvariety +nonvarieties +nonvarious +nonvariously +nonvariousness +nonvascular +nonvascularly +nonvasculose +nonvasculous +nonvassal +nonvector +nonvegetable +nonvegetation +nonvegetative +nonvegetatively +nonvegetativeness +nonvegetive +nonvehement +nonvehemently +nonvenal +nonvenally +nonvendibility +nonvendible +nonvendibleness +nonvendibly +nonvenereal +nonvenomous +nonvenomously +nonvenomousness +nonvenous +nonvenously +nonvenousness +nonventilation +nonventilative +nonveracious +nonveraciously +nonveraciousness +nonveracity +nonverbal +nonverbalized +nonverbally +nonverbosity +nonverdict +nonverifiable +nonverification +nonveritable +nonveritableness +nonveritably +nonverminous +nonverminously +nonverminousness +nonvernacular +nonversatility +nonvertebral +nonvertebrate +nonvertical +nonverticality +nonvertically +nonverticalness +nonvesicular +nonvesicularly +nonvesting +nonvesture +nonveteran +nonveterinary +nonveterinaries +nonvexatious +nonvexatiously +nonvexatiousness +nonviability +nonviable +nonvibratile +nonvibrating +nonvibration +nonvibrator +nonvibratory +nonvicarious +nonvicariously +nonvicariousness +nonvictory +nonvictories +nonvigilance +nonvigilant +nonvigilantly +nonvigilantness +nonvillager +nonvillainous +nonvillainously +nonvillainousness +nonvindicable +nonvindication +nonvinosity +nonvinous +nonvintage +nonviolability +nonviolable +nonviolableness +nonviolably +nonviolation +nonviolative +nonviolence +nonviolent +nonviolently +nonviral +nonvirginal +nonvirginally +nonvirile +nonvirility +nonvirtue +nonvirtuous +nonvirtuously +nonvirtuousness +nonvirulent +nonvirulently +nonviruliferous +nonvisaed +nonvisceral +nonviscid +nonviscidity +nonviscidly +nonviscidness +nonviscous +nonviscously +nonviscousness +nonvisibility +nonvisibilities +nonvisible +nonvisibly +nonvisional +nonvisionary +nonvisitation +nonvisiting +nonvisual +nonvisualized +nonvisually +nonvital +nonvitality +nonvitalized +nonvitally +nonvitalness +nonvitiation +nonvitreous +nonvitrified +nonvitriolic +nonvituperative +nonvituperatively +nonviviparity +nonviviparous +nonviviparously +nonviviparousness +nonvocable +nonvocal +nonvocalic +nonvocality +nonvocalization +nonvocally +nonvocalness +nonvocational +nonvocationally +nonvoice +nonvoid +nonvoidable +nonvolant +nonvolatile +nonvolatileness +nonvolatility +nonvolatilizable +nonvolatilized +nonvolatiness +nonvolcanic +nonvolition +nonvolitional +nonvolubility +nonvoluble +nonvolubleness +nonvolubly +nonvoluntary +nonvortical +nonvortically +nonvoter +nonvoters +nonvoting +nonvulcanizable +nonvulcanized +nonvulgarity +nonvulgarities +nonvulval +nonvulvar +nonvvacua +nonwaiver +nonwalking +nonwar +nonwarrantable +nonwarrantably +nonwarranted +nonwashable +nonwasting +nonwatertight +nonwavering +nonwaxing +nonweakness +nonwelcome +nonwelcoming +nonwestern +nonwetted +nonwhite +nonwhites +nonwinged +nonwithering +nonwonder +nonwondering +nonwoody +nonworker +nonworkers +nonworking +nonworship +nonwoven +nonwrinkleable +nonwrite +nonzealous +nonzealously +nonzealousness +nonzebra +nonzero +nonzodiacal +nonzonal +nonzonally +nonzonate +nonzonated +nonzoologic +nonzoological +nonzoologically +noo +noodle +noodled +noodledom +noodlehead +noodleism +noodles +noodling +nook +nooked +nookery +nookeries +nooky +nookie +nookier +nookies +nookiest +nooking +nooklet +nooklike +nooks +noology +noological +noologist +noometry +noon +noonday +noondays +nooned +noonflower +nooning +noonings +noonish +noonlight +noonlit +noonmeat +noons +noonstead +noontide +noontides +noontime +noontimes +noonwards +noop +nooscopic +noose +noosed +nooser +noosers +nooses +noosing +noosphere +nootka +nopal +nopalea +nopalry +nopals +nope +nopinene +nor +nora +noradrenalin +noradrenaline +noradrenergic +norah +norard +norate +noration +norbergite +norbert +norbertine +norcamphane +nordcaper +nordenfelt +nordenskioldine +nordhausen +nordic +nordicism +nordicist +nordicity +nordicization +nordicize +nordmarkite +nore +noreast +noreaster +norelin +norepinephrine +norfolk +norfolkian +norgine +nori +noria +norias +noric +norice +norie +norimon +norit +norite +norites +noritic +norito +nork +norkyn +norland +norlander +norlandism +norlands +norleucine +norm +norma +normal +normalacy +normalcy +normalcies +normalisation +normalise +normalised +normalising +normalism +normalist +normality +normalities +normalizable +normalization +normalizations +normalize +normalized +normalizer +normalizes +normalizing +normally +normalness +normals +norman +normandy +normanesque +normanish +normanism +normanist +normanization +normanize +normanizer +normanly +normannic +normans +normated +normative +normatively +normativeness +normed +normless +normoblast +normoblastic +normocyte +normocytic +normotensive +normothermia +normothermic +norms +norn +norna +nornicotine +nornorwest +noropianic +norpinic +norry +norridgewock +norroy +norroway +norse +norsel +norseland +norseled +norseler +norseling +norselled +norselling +norseman +norsemen +norsk +nortelry +north +northbound +northcountryman +northeast +northeaster +northeasterly +northeastern +northeasterner +northeasternmost +northeasters +northeastward +northeastwardly +northeastwards +northen +northeners +norther +northered +northering +northerly +northerlies +northerliness +northern +northerner +northerners +northernize +northernly +northernmost +northernness +northerns +northers +northest +northfieldite +northing +northings +northland +northlander +northlight +northman +northmost +northness +norths +northumber +northumbrian +northupite +northward +northwardly +northwards +northwest +northwester +northwesterly +northwestern +northwesterner +northwestward +northwestwardly +northwestwards +nortriptyline +norumbega +norway +norward +norwards +norwegian +norwegians +norweyan +norwest +norwester +norwestward +nos +nosairi +nosairian +nosarian +nose +nosean +noseanite +nosebag +nosebags +noseband +nosebanded +nosebands +nosebleed +nosebleeds +nosebone +noseburn +nosed +nosedive +nosegay +nosegaylike +nosegays +noseherb +nosehole +nosey +noseless +noselessly +noselessness +noselike +noselite +nosema +nosematidae +noseover +nosepiece +nosepinch +noser +noses +nosesmart +nosethirl +nosetiology +nosewards +nosewheel +nosewing +nosewise +nosewort +nosh +noshed +nosher +noshers +noshes +noshing +nosy +nosier +nosiest +nosig +nosily +nosine +nosiness +nosinesses +nosing +nosings +nosism +nosite +nosochthonography +nosocomial +nosocomium +nosogenesis +nosogenetic +nosogeny +nosogenic +nosogeography +nosogeographic +nosogeographical +nosographer +nosography +nosographic +nosographical +nosographically +nosographies +nosohaemia +nosohemia +nosology +nosologic +nosological +nosologically +nosologies +nosologist +nosomania +nosomycosis +nosonomy +nosophyte +nosophobia +nosopoetic +nosopoietic +nosotaxy +nosotrophy +nossel +nostalgy +nostalgia +nostalgic +nostalgically +nostalgies +noster +nostic +nostoc +nostocaceae +nostocaceous +nostochine +nostocs +nostology +nostologic +nostomania +nostomanic +nostradamus +nostrificate +nostrification +nostril +nostriled +nostrility +nostrilled +nostrils +nostrilsome +nostrum +nostrummonger +nostrummongery +nostrummongership +nostrums +nosu +not +nota +notabene +notabilia +notability +notabilities +notable +notableness +notables +notably +notacanthid +notacanthidae +notacanthoid +notacanthous +notacanthus +notaeal +notaeum +notal +notalgia +notalgic +notalia +notan +notanduda +notandum +notandums +notanencephalia +notary +notarial +notarially +notariate +notaries +notarikon +notaryship +notarization +notarizations +notarize +notarized +notarizes +notarizing +notate +notated +notates +notating +notation +notational +notations +notative +notator +notaulix +notch +notchback +notchboard +notched +notchel +notcher +notchers +notches +notchful +notchy +notching +notchweed +notchwing +notchwort +note +notebook +notebooks +notecase +notecases +noted +notedly +notedness +notehead +noteholder +notekin +notelaea +noteless +notelessly +notelessness +notelet +noteman +notemigge +notemugge +notencephalocele +notencephalus +notepad +notepads +notepaper +noter +noters +noterse +notes +notewise +noteworthy +noteworthily +noteworthiness +nothal +notharctid +notharctidae +notharctus +nother +nothing +nothingarian +nothingarianism +nothingism +nothingist +nothingize +nothingless +nothingly +nothingness +nothingology +nothings +nothofagus +notholaena +nothosaur +nothosauri +nothosaurian +nothosauridae +nothosaurus +nothous +nothus +noticable +notice +noticeabili +noticeability +noticeable +noticeableness +noticeably +noticed +noticer +notices +noticing +notidani +notidanian +notidanid +notidanidae +notidanidan +notidanoid +notidanus +notify +notifiable +notification +notificational +notifications +notified +notifyee +notifier +notifiers +notifies +notifying +noting +notion +notionable +notional +notionalist +notionality +notionally +notionalness +notionary +notionate +notioned +notionist +notionless +notions +notiosorex +notist +notitia +notition +notkerian +notocentrous +notocentrum +notochord +notochordal +notocord +notodontian +notodontid +notodontidae +notodontoid +notogaea +notogaeal +notogaean +notogaeic +notoire +notommatid +notommatidae +notonecta +notonectal +notonectid +notonectidae +notopodial +notopodium +notopterid +notopteridae +notopteroid +notopterus +notorhynchus +notorhizal +notoryctes +notoriety +notorieties +notorious +notoriously +notoriousness +notornis +notostraca +notothere +nototherium +nototrema +nototribe +notoungulate +notour +notourly +notre +notropis +nots +notself +nottoway +notturni +notturno +notum +notungulata +notungulate +notus +notwithstanding +nou +nouche +nougat +nougatine +nougats +nought +noughty +noughtily +noughtiness +noughtly +noughts +nouille +nouilles +nould +noumea +noumeaite +noumeite +noumena +noumenal +noumenalism +noumenalist +noumenality +noumenalize +noumenally +noumenism +noumenon +noumenona +noummos +noun +nounal +nounally +nounize +nounless +nouns +noup +nourice +nourish +nourishable +nourished +nourisher +nourishers +nourishes +nourishing +nourishingly +nourishment +nourishments +nouriture +nous +nousel +nouses +nouther +nouveau +nouveaute +nouveautes +nouveaux +nouvelle +nouvelles +nov +nova +novaculite +novae +novale +novalia +novalike +novanglian +novanglican +novantique +novarsenobenzene +novas +novate +novatian +novatianism +novatianist +novation +novations +novative +novator +novatory +novatrix +novcic +noveboracensis +novel +novela +novelant +novelcraft +noveldom +novelese +novelesque +novelet +noveletist +novelette +noveletter +novelettes +noveletty +novelettish +novelettist +novelisation +novelise +novelised +novelises +novelish +novelising +novelism +novelist +novelistic +novelistically +novelists +novelivelle +novelization +novelizations +novelize +novelized +novelizes +novelizing +novella +novellae +novellas +novelle +novelless +novelly +novellike +novelmongering +novelness +novelry +novels +novelty +novelties +novelwright +novem +novemarticulate +november +novemberish +novembers +novemcostate +novemdecillion +novemdecillionth +novemdigitate +novemfid +novemlobate +novemnervate +novemperfoliate +novena +novenae +novenary +novenas +novendial +novene +novennial +novercal +noverify +noverint +novial +novice +novicehood +novicelike +novicery +novices +noviceship +noviciate +novillada +novillero +novillo +novilunar +novity +novitial +novitiate +novitiates +novitiateship +novitiation +novitious +novo +novobiocin +novocain +novocaine +novodamus +novorolsky +novum +novus +now +nowaday +nowadays +noway +noways +nowanights +nowch +nowder +nowed +nowel +nowhat +nowhen +nowhence +nowhere +nowhereness +nowheres +nowhit +nowhither +nowy +nowise +nowness +nowroze +nows +nowt +nowthe +nowther +nowtherd +nowts +nox +noxa +noxal +noxally +noxial +noxious +noxiously +noxiousness +nozi +nozzle +nozzler +nozzles +np +npeel +npfx +nr +nrarucu +nritta +ns +nsec +nt +nth +nu +nuadu +nuagism +nuagist +nuance +nuanced +nuances +nuancing +nub +nuba +nubby +nubbier +nubbiest +nubbin +nubbiness +nubbins +nubble +nubbled +nubbles +nubbly +nubblier +nubbliest +nubbliness +nubbling +nubecula +nubeculae +nubia +nubian +nubias +nubiferous +nubiform +nubigenous +nubilate +nubilation +nubile +nubility +nubilities +nubilose +nubilous +nubilum +nubs +nucal +nucament +nucamentaceous +nucellar +nucelli +nucellus +nucha +nuchae +nuchal +nuchale +nuchalgia +nuchals +nuciculture +nuciferous +nuciform +nucin +nucivorous +nucleal +nucleant +nuclear +nucleary +nuclease +nucleases +nucleate +nucleated +nucleates +nucleating +nucleation +nucleations +nucleator +nucleators +nucleclei +nuclei +nucleic +nucleiferous +nucleiform +nuclein +nucleinase +nucleins +nucleization +nucleize +nucleli +nucleoalbumin +nucleoalbuminuria +nucleocapsid +nucleofugal +nucleohyaloplasm +nucleohyaloplasma +nucleohistone +nucleoid +nucleoidioplasma +nucleolar +nucleolate +nucleolated +nucleole +nucleoles +nucleoli +nucleolini +nucleolinus +nucleolysis +nucleolocentrosome +nucleoloid +nucleolus +nucleomicrosome +nucleon +nucleone +nucleonic +nucleonics +nucleons +nucleopetal +nucleophile +nucleophilic +nucleophilically +nucleophilicity +nucleoplasm +nucleoplasmatic +nucleoplasmic +nucleoprotein +nucleosid +nucleosidase +nucleoside +nucleosynthesis +nucleotidase +nucleotide +nucleotides +nucleus +nucleuses +nuclide +nuclides +nuclidic +nucula +nuculacea +nuculane +nuculania +nuculanium +nucule +nuculid +nuculidae +nuculiform +nuculoid +nuda +nudate +nudation +nudd +nuddy +nuddle +nude +nudely +nudeness +nudenesses +nudens +nuder +nudes +nudest +nudge +nudged +nudger +nudgers +nudges +nudging +nudibranch +nudibranchia +nudibranchian +nudibranchiate +nudicaudate +nudicaul +nudicaulous +nudie +nudies +nudifier +nudiflorous +nudiped +nudish +nudism +nudisms +nudist +nudists +nuditarian +nudity +nudities +nudnick +nudnicks +nudnik +nudniks +nudophobia +nudum +nudzh +nugacious +nugaciousness +nugacity +nugacities +nugae +nugament +nugator +nugatory +nugatorily +nugatoriness +nuggar +nugget +nuggety +nuggets +nugify +nugilogue +nugumiut +nuisance +nuisancer +nuisances +nuisome +nuke +nukes +nukuhivan +nul +null +nullable +nullah +nullahs +nullary +nullbiety +nulled +nullibicity +nullibiety +nullibility +nullibiquitous +nullibist +nullify +nullification +nullificationist +nullifications +nullificator +nullifidian +nullifidianism +nullified +nullifier +nullifiers +nullifies +nullifying +nulling +nullipara +nulliparae +nulliparity +nulliparous +nullipennate +nullipennes +nulliplex +nullipore +nulliporous +nullism +nullisome +nullisomic +nullity +nullities +nulliverse +nullo +nullos +nulls +nullum +nullus +num +numa +numac +numantine +numb +numbat +numbed +numbedness +number +numberable +numbered +numberer +numberers +numberful +numbering +numberings +numberless +numberlessness +numberous +numberplate +numbers +numbersome +numbest +numbfish +numbfishes +numbing +numbingly +numble +numbles +numbly +numbness +numbnesses +numbs +numbskull +numda +numdah +numen +numenius +numerable +numerableness +numerably +numeracy +numeral +numerally +numerals +numerant +numerary +numerate +numerated +numerates +numerating +numeration +numerations +numerative +numerator +numerators +numeric +numerical +numerically +numericalness +numerics +numerist +numero +numerology +numerological +numerologist +numerologists +numeros +numerose +numerosity +numerous +numerously +numerousness +numida +numidae +numidian +numididae +numidinae +numina +numine +numinism +numinous +numinouses +numinously +numinousness +numis +numismatic +numismatical +numismatically +numismatician +numismatics +numismatist +numismatists +numismatography +numismatology +numismatologist +nummary +nummi +nummiform +nummular +nummulary +nummularia +nummulated +nummulation +nummuline +nummulinidae +nummulite +nummulites +nummulitic +nummulitidae +nummulitoid +nummuloidal +nummus +numnah +nump +numps +numskull +numskulled +numskulledness +numskullery +numskullism +numskulls +numud +nun +nunatak +nunataks +nunation +nunbird +nunc +nunce +nunch +nunchaku +nuncheon +nunchion +nunciate +nunciative +nunciatory +nunciature +nuncio +nuncios +nuncioship +nuncius +nuncle +nuncles +nuncupate +nuncupated +nuncupating +nuncupation +nuncupative +nuncupatively +nuncupatory +nundinal +nundination +nundine +nunhood +nunki +nunky +nunks +nunlet +nunlike +nunnari +nunnated +nunnation +nunned +nunnery +nunneries +nunni +nunnify +nunning +nunnish +nunnishness +nunquam +nunry +nuns +nunship +nunting +nuntius +nupe +nuphar +nupson +nuptial +nuptiality +nuptialize +nuptially +nuptials +nuque +nuragh +nuraghe +nuraghes +nuraghi +nurhag +nurl +nurled +nurly +nurling +nurls +nurry +nursable +nurse +nursed +nursedom +nursegirl +nursehound +nursekeeper +nursekin +nurselet +nurselike +nurseling +nursemaid +nursemaids +nurser +nursery +nurserydom +nurseries +nurseryful +nurserymaid +nurserymaids +nurseryman +nurserymen +nursers +nurses +nursetender +nursy +nursing +nursingly +nursings +nursle +nursling +nurslings +nurturable +nurtural +nurturance +nurturant +nurture +nurtured +nurtureless +nurturer +nurturers +nurtures +nurtureship +nurturing +nus +nusairis +nusakan +nusfiah +nut +nutant +nutarian +nutate +nutated +nutates +nutating +nutation +nutational +nutations +nutbreaker +nutbrown +nutcake +nutcase +nutcrack +nutcracker +nutcrackery +nutcrackers +nutgall +nutgalls +nutgrass +nutgrasses +nuthatch +nuthatches +nuthook +nuthouse +nuthouses +nutjobber +nutlet +nutlets +nutlike +nutmeat +nutmeats +nutmeg +nutmegged +nutmeggy +nutmegs +nutpecker +nutpick +nutpicks +nutramin +nutria +nutrias +nutrice +nutricial +nutricism +nutriculture +nutrient +nutrients +nutrify +nutrilite +nutriment +nutrimental +nutriments +nutritial +nutrition +nutritional +nutritionally +nutritionary +nutritionist +nutritionists +nutritious +nutritiously +nutritiousness +nutritive +nutritively +nutritiveness +nutritory +nutriture +nuts +nutsedge +nutsedges +nutseed +nutshell +nutshells +nutsy +nuttallia +nuttalliasis +nuttalliosis +nutted +nutter +nuttery +nutters +nutty +nuttier +nuttiest +nuttily +nuttiness +nutting +nuttish +nuttishness +nutwood +nutwoods +nuzzer +nuzzerana +nuzzle +nuzzled +nuzzler +nuzzlers +nuzzles +nuzzling +nv +o +oad +oadal +oaf +oafdom +oafish +oafishly +oafishness +oafs +oak +oakberry +oakboy +oaken +oakenshaw +oakesia +oaky +oakland +oaklet +oaklike +oakling +oakmoss +oakmosses +oaks +oaktongue +oakum +oakums +oakweb +oakwood +oam +oannes +oar +oarage +oarcock +oared +oarfish +oarfishes +oarhole +oary +oarial +oarialgia +oaric +oaring +oariocele +oariopathy +oariopathic +oariotomy +oaritic +oaritis +oarium +oarless +oarlike +oarlock +oarlocks +oarlop +oarman +oarrowheaded +oars +oarsman +oarsmanship +oarsmen +oarswoman +oarswomen +oarweed +oasal +oasean +oases +oasis +oasitic +oast +oasthouse +oasts +oat +oatbin +oatcake +oatcakes +oatear +oaten +oatenmeal +oater +oaters +oatfowl +oath +oathay +oathed +oathful +oathlet +oaths +oathworthy +oaty +oatland +oatlike +oatmeal +oatmeals +oats +oatseed +oaves +ob +oba +obadiah +obambulate +obambulation +obambulatory +oban +obarne +obarni +obb +obbenite +obbligati +obbligato +obbligatos +obclavate +obclude +obcompressed +obconic +obconical +obcordate +obcordiform +obcuneate +obdeltoid +obdiplostemony +obdiplostemonous +obdormition +obdt +obduce +obduction +obduracy +obduracies +obdurate +obdurated +obdurately +obdurateness +obdurating +obduration +obdure +obe +obeah +obeahism +obeahisms +obeahs +obeche +obedience +obediences +obediency +obedient +obediential +obedientially +obedientialness +obedientiar +obedientiary +obedientiaries +obediently +obey +obeyable +obeyance +obeyed +obeyeo +obeyer +obeyers +obeying +obeyingly +obeys +obeisance +obeisances +obeisant +obeisantly +obeish +obeism +obeli +obelia +obeliac +obelial +obelias +obelion +obeliscal +obeliscar +obelise +obelised +obelises +obelising +obelisk +obelisked +obelisking +obeliskoid +obelisks +obelism +obelisms +obelize +obelized +obelizes +obelizing +obelus +oberon +obes +obese +obesely +obeseness +obesity +obesities +obex +obfirm +obfuscable +obfuscate +obfuscated +obfuscates +obfuscating +obfuscation +obfuscator +obfuscatory +obfuscators +obfuscity +obfuscous +obfusk +obi +obia +obias +obidicut +obiism +obiisms +obiit +obis +obispo +obit +obital +obiter +obits +obitual +obituary +obituarian +obituaries +obituarily +obituarist +obituarize +obj +object +objectable +objectant +objectation +objectative +objected +objectee +objecter +objecthood +objectify +objectification +objectified +objectifying +objecting +objection +objectionability +objectionable +objectionableness +objectionably +objectional +objectioner +objectionist +objections +objectival +objectivate +objectivated +objectivating +objectivation +objective +objectively +objectiveness +objectives +objectivism +objectivist +objectivistic +objectivity +objectivize +objectivized +objectivizing +objectization +objectize +objectized +objectizing +objectless +objectlessly +objectlessness +objector +objectors +objects +objecttification +objet +objicient +objranging +objscan +objuration +objure +objurgate +objurgated +objurgates +objurgating +objurgation +objurgations +objurgative +objurgatively +objurgator +objurgatory +objurgatorily +objurgatrix +obl +oblanceolate +oblast +oblasti +oblasts +oblat +oblata +oblate +oblated +oblately +oblateness +oblates +oblating +oblatio +oblation +oblational +oblationary +oblations +oblatory +oblectate +oblectation +obley +obli +oblicque +obligability +obligable +obligancy +obligant +obligate +obligated +obligately +obligates +obligati +obligating +obligation +obligational +obligationary +obligations +obligative +obligativeness +obligato +obligator +obligatory +obligatorily +obligatoriness +obligatos +obligatum +oblige +obliged +obligedly +obligedness +obligee +obligees +obligement +obliger +obligers +obliges +obliging +obligingly +obligingness +obligistic +obligor +obligors +obliquangular +obliquate +obliquation +oblique +obliqued +obliquely +obliqueness +obliques +obliquing +obliquity +obliquities +obliquitous +obliquus +obliterable +obliterate +obliterated +obliterates +obliterating +obliteration +obliterations +obliterative +obliterator +obliterators +oblivescence +oblivial +obliviality +oblivion +oblivionate +oblivionist +oblivionize +oblivions +oblivious +obliviously +obliviousness +obliviscence +obliviscible +oblocution +oblocutor +oblong +oblongata +oblongatae +oblongatal +oblongatas +oblongated +oblongish +oblongitude +oblongitudinal +oblongly +oblongness +oblongs +obloquy +obloquial +obloquies +obloquious +obmit +obmutescence +obmutescent +obnebulate +obnounce +obnounced +obnouncing +obnoxiety +obnoxious +obnoxiously +obnoxiousness +obnubilate +obnubilation +obnunciation +oboe +oboes +oboist +oboists +obol +obolary +obolaria +obole +oboles +obolet +oboli +obolos +obols +obolus +obomegoid +obongo +oboormition +obouracy +oboval +obovate +obovoid +obpyramidal +obpyriform +obrazil +obreption +obreptitious +obreptitiously +obrien +obrize +obrogate +obrogated +obrogating +obrogation +obrotund +obs +obscene +obscenely +obsceneness +obscener +obscenest +obscenity +obscenities +obscura +obscurancy +obscurant +obscurantic +obscuranticism +obscurantism +obscurantist +obscurantists +obscuras +obscuration +obscurative +obscuratory +obscure +obscured +obscuredly +obscurely +obscurement +obscureness +obscurer +obscurers +obscures +obscurest +obscuring +obscurism +obscurist +obscurity +obscurities +obsecrate +obsecrated +obsecrating +obsecration +obsecrationary +obsecratory +obsede +obsequeence +obsequence +obsequent +obsequy +obsequial +obsequience +obsequies +obsequiosity +obsequious +obsequiously +obsequiousness +obsequity +obsequium +observability +observable +observableness +observably +observance +observances +observancy +observanda +observandum +observant +observantine +observantist +observantly +observantness +observatin +observation +observational +observationalism +observationally +observations +observative +observator +observatory +observatorial +observatories +observe +observed +observedly +observer +observers +observership +observes +observing +observingly +obsess +obsessed +obsesses +obsessing +obsessingly +obsession +obsessional +obsessionally +obsessionist +obsessions +obsessive +obsessively +obsessiveness +obsessor +obsessors +obside +obsidian +obsidianite +obsidians +obsidional +obsidionary +obsidious +obsign +obsignate +obsignation +obsignatory +obsolesc +obsolesce +obsolesced +obsolescence +obsolescent +obsolescently +obsolescing +obsolete +obsoleted +obsoletely +obsoleteness +obsoletes +obsoleting +obsoletion +obsoletism +obstacle +obstacles +obstancy +obstant +obstante +obstet +obstetric +obstetrical +obstetrically +obstetricate +obstetricated +obstetricating +obstetrication +obstetricy +obstetrician +obstetricians +obstetricies +obstetrics +obstetrist +obstetrix +obstinacy +obstinacies +obstinacious +obstinance +obstinancy +obstinant +obstinate +obstinately +obstinateness +obstination +obstinative +obstipant +obstipate +obstipated +obstipation +obstreperate +obstreperosity +obstreperous +obstreperously +obstreperousness +obstriction +obstringe +obstruct +obstructant +obstructed +obstructedly +obstructer +obstructers +obstructing +obstructingly +obstruction +obstructionism +obstructionist +obstructionistic +obstructionists +obstructions +obstructive +obstructively +obstructiveness +obstructivism +obstructivity +obstructor +obstructors +obstructs +obstruent +obstruse +obstruxit +obstupefy +obtain +obtainability +obtainable +obtainableness +obtainably +obtainal +obtainance +obtained +obtainer +obtainers +obtaining +obtainment +obtains +obtect +obtected +obtemper +obtemperate +obtend +obtenebrate +obtenebration +obtent +obtention +obtest +obtestation +obtested +obtesting +obtests +obtrect +obtriangular +obtrude +obtruded +obtruder +obtruders +obtrudes +obtruding +obtruncate +obtruncation +obtruncator +obtrusion +obtrusionist +obtrusions +obtrusive +obtrusively +obtrusiveness +obtund +obtunded +obtundent +obtunder +obtunding +obtundity +obtunds +obturate +obturated +obturates +obturating +obturation +obturator +obturatory +obturbinate +obtusangular +obtuse +obtusely +obtuseness +obtuser +obtusest +obtusifid +obtusifolious +obtusilingual +obtusilobous +obtusion +obtusipennate +obtusirostrate +obtusish +obtusity +obumbrant +obumbrate +obumbrated +obumbrating +obumbration +obus +obv +obvallate +obvelation +obvention +obversant +obverse +obversely +obverses +obversion +obvert +obverted +obvertend +obverting +obverts +obviable +obviate +obviated +obviates +obviating +obviation +obviations +obviative +obviator +obviators +obvious +obviously +obviousness +obvolute +obvoluted +obvolution +obvolutive +obvolve +obvolvent +oc +oca +ocarina +ocarinas +ocas +occamy +occamism +occamist +occamistic +occamite +occas +occasion +occasionable +occasional +occasionalism +occasionalist +occasionalistic +occasionality +occasionally +occasionalness +occasionary +occasionate +occasioned +occasioner +occasioning +occasionings +occasionless +occasions +occasive +occident +occidental +occidentalism +occidentalist +occidentality +occidentalization +occidentalize +occidentally +occidentals +occidents +occiduous +occipiputs +occipita +occipital +occipitalis +occipitally +occipitoanterior +occipitoatlantal +occipitoatloid +occipitoaxial +occipitoaxoid +occipitobasilar +occipitobregmatic +occipitocalcarine +occipitocervical +occipitofacial +occipitofrontal +occipitofrontalis +occipitohyoid +occipitoiliac +occipitomastoid +occipitomental +occipitonasal +occipitonuchal +occipitootic +occipitoparietal +occipitoposterior +occipitoscapular +occipitosphenoid +occipitosphenoidal +occipitotemporal +occipitothalamic +occiput +occiputs +occision +occitone +occlude +occluded +occludent +occludes +occluding +occlusal +occluse +occlusion +occlusions +occlusive +occlusiveness +occlusocervical +occlusocervically +occlusogingival +occlusometer +occlusor +occult +occultate +occultation +occulted +occulter +occulters +occulting +occultism +occultist +occultists +occultly +occultness +occults +occupable +occupance +occupancy +occupancies +occupant +occupants +occupation +occupational +occupationalist +occupationally +occupationless +occupations +occupative +occupy +occupiable +occupied +occupier +occupiers +occupies +occupying +occur +occurred +occurrence +occurrences +occurrent +occurring +occurrit +occurs +occurse +occursive +ocean +oceanarium +oceanaut +oceanauts +oceaned +oceanet +oceanfront +oceanful +oceangoing +oceania +oceanian +oceanic +oceanican +oceanicity +oceanid +oceanity +oceanlike +oceanog +oceanographer +oceanographers +oceanography +oceanographic +oceanographical +oceanographically +oceanographist +oceanology +oceanologic +oceanological +oceanologically +oceanologist +oceanologists +oceanophyte +oceanous +oceans +oceanside +oceanus +oceanways +oceanward +oceanwards +oceanwise +ocellana +ocellar +ocellary +ocellate +ocellated +ocellation +ocelli +ocellicyst +ocellicystic +ocelliferous +ocelliform +ocelligerous +ocellus +oceloid +ocelot +ocelots +och +ochava +ochavo +ocher +ochered +ochery +ochering +ocherish +ocherous +ochers +ochidore +ochymy +ochlesis +ochlesitic +ochletic +ochlocracy +ochlocrat +ochlocratic +ochlocratical +ochlocratically +ochlomania +ochlophobia +ochlophobist +ochna +ochnaceae +ochnaceous +ochone +ochophobia +ochotona +ochotonidae +ochozoma +ochraceous +ochrana +ochratoxin +ochre +ochrea +ochreae +ochreate +ochred +ochreish +ochreous +ochres +ochry +ochring +ochro +ochrocarpous +ochrogaster +ochroid +ochroleucous +ochrolite +ochroma +ochronosis +ochronosus +ochronotic +ochrous +ocht +ocydrome +ocydromine +ocydromus +ocimum +ocypete +ocypoda +ocypodan +ocypode +ocypodian +ocypodidae +ocypodoid +ocyroe +ocyroidae +ocyte +ock +ocker +ockster +oclock +ocneria +oconnell +oconnor +ocote +ocotea +ocotillo +ocotillos +ocque +ocracy +ocrea +ocreaceous +ocreae +ocreatae +ocreate +ocreated +oct +octachloride +octachord +octachordal +octachronous +octacnemus +octacolic +octactinal +octactine +octactiniae +octactinian +octad +octadecahydrate +octadecane +octadecanoic +octadecyl +octadic +octadrachm +octadrachma +octads +octaechos +octaemera +octaemeron +octaeteric +octaeterid +octaeteris +octagon +octagonal +octagonally +octagons +octahedra +octahedral +octahedrally +octahedric +octahedrical +octahedrite +octahedroid +octahedron +octahedrons +octahedrous +octahydrate +octahydrated +octakishexahedron +octal +octamerism +octamerous +octameter +octan +octanaphthene +octandria +octandrian +octandrious +octane +octanes +octangle +octangles +octangular +octangularness +octanol +octans +octant +octantal +octants +octapeptide +octapla +octaploid +octaploidy +octaploidic +octapody +octapodic +octarch +octarchy +octarchies +octary +octarius +octaroon +octarticulate +octasemic +octastich +octastichon +octastichous +octastyle +octastylos +octastrophic +octateuch +octaval +octavalent +octavaria +octavarium +octavd +octave +octaves +octavia +octavian +octavic +octavina +octavius +octavo +octavos +octdra +octect +octects +octenary +octene +octennial +octennially +octet +octets +octette +octettes +octic +octyl +octile +octylene +octillion +octillions +octillionth +octyls +octine +octyne +octingentenary +octoad +octoalloy +octoate +octobass +october +octobers +octobrachiate +octobrist +octocentenary +octocentennial +octochord +octocoralla +octocorallan +octocorallia +octocoralline +octocotyloid +octodactyl +octodactyle +octodactylous +octode +octodecillion +octodecillions +octodecillionth +octodecimal +octodecimo +octodecimos +octodentate +octodianome +octodon +octodont +octodontidae +octodontinae +octoechos +octofid +octofoil +octofoiled +octogamy +octogenary +octogenarian +octogenarianism +octogenarians +octogenaries +octogild +octogynia +octogynian +octogynious +octogynous +octoglot +octohedral +octoic +octoid +octoyl +octolateral +octolocular +octomeral +octomerous +octometer +octonal +octonare +octonary +octonarian +octonaries +octonarius +octonematous +octonion +octonocular +octoon +octopartite +octopean +octoped +octopede +octopetalous +octophyllous +octophthalmous +octopi +octopine +octoploid +octoploidy +octoploidic +octopod +octopoda +octopodan +octopodes +octopodous +octopods +octopolar +octopus +octopuses +octoradial +octoradiate +octoradiated +octoreme +octoroon +octoroons +octose +octosepalous +octosyllabic +octosyllable +octospermous +octospore +octosporous +octostichous +octothorp +octothorpe +octothorpes +octovalent +octroi +octroy +octrois +octuor +octuple +octupled +octuples +octuplet +octuplets +octuplex +octuply +octuplicate +octuplication +octupling +ocuby +ocular +oculary +ocularist +ocularly +oculars +oculate +oculated +oculauditory +oculi +oculiferous +oculiform +oculigerous +oculina +oculinid +oculinidae +oculinoid +oculist +oculistic +oculists +oculli +oculocephalic +oculofacial +oculofrontal +oculomotor +oculomotory +oculonasal +oculopalpebral +oculopupillary +oculospinal +oculozygomatic +oculus +ocurred +od +oda +odacidae +odacoid +odal +odalborn +odalisk +odalisks +odalisque +odaller +odalman +odalwoman +odax +odd +oddball +oddballs +odder +oddest +oddfellow +oddish +oddity +oddities +oddlegs +oddly +oddman +oddment +oddments +oddness +oddnesses +odds +oddsbud +oddside +oddsman +ode +odea +odel +odelet +odell +odelsthing +odelsting +odeon +odeons +odes +odessa +odeum +odible +odic +odically +odiferous +odyl +odyle +odyles +odylic +odylism +odylist +odylization +odylize +odyls +odin +odynerus +odinian +odinic +odinism +odinist +odinite +odinitic +odiometer +odious +odiously +odiousness +odyssean +odyssey +odysseys +odysseus +odist +odium +odiumproof +odiums +odling +odobenidae +odobenus +odocoileus +odograph +odographs +odology +odometer +odometers +odometry +odometrical +odometries +odonata +odonate +odonates +odonnell +odontagra +odontalgia +odontalgic +odontaspidae +odontaspididae +odontaspis +odontatrophy +odontatrophia +odontexesis +odontiasis +odontic +odontist +odontitis +odontoblast +odontoblastic +odontocele +odontocete +odontoceti +odontocetous +odontochirurgic +odontoclasis +odontoclast +odontodynia +odontogen +odontogenesis +odontogeny +odontogenic +odontoglossae +odontoglossal +odontoglossate +odontoglossum +odontognathae +odontognathic +odontognathous +odontograph +odontography +odontographic +odontohyperesthesia +odontoid +odontoids +odontolcae +odontolcate +odontolcous +odontolite +odontolith +odontology +odontological +odontologist +odontoloxia +odontoma +odontomous +odontonecrosis +odontoneuralgia +odontonosology +odontopathy +odontophobia +odontophoral +odontophoran +odontophore +odontophoridae +odontophorinae +odontophorine +odontophorous +odontophorus +odontoplast +odontoplerosis +odontopteris +odontopteryx +odontorhynchous +odontormae +odontornithes +odontornithic +odontorrhagia +odontorthosis +odontoschism +odontoscope +odontosyllis +odontosis +odontostomatous +odontostomous +odontotechny +odontotherapy +odontotherapia +odontotomy +odontotormae +odontotrypy +odontotripsis +odoom +odophone +odor +odorable +odorant +odorants +odorate +odorator +odored +odorful +odoriferant +odoriferosity +odoriferous +odoriferously +odoriferousness +odorific +odorimeter +odorimetry +odoriphor +odoriphore +odorivector +odorization +odorize +odorized +odorizer +odorizes +odorizing +odorless +odorlessly +odorlessness +odorometer +odorosity +odorous +odorously +odorousness +odorproof +odors +odostemon +odour +odoured +odourful +odourless +odours +ods +odso +odum +odwyer +odz +odzookers +odzooks +oe +oecanthus +oeci +oecist +oecodomic +oecodomical +oecoid +oecology +oecological +oecologies +oeconomic +oeconomus +oecoparasite +oecoparasitism +oecophobia +oecumenian +oecumenic +oecumenical +oecumenicalism +oecumenicity +oecus +oedema +oedemas +oedemata +oedematous +oedemerid +oedemeridae +oedicnemine +oedicnemus +oedipal +oedipally +oedipean +oedipus +oedipuses +oedogoniaceae +oedogoniaceous +oedogoniales +oedogonium +oeillade +oeillades +oeillet +oekist +oelet +oenanthaldehyde +oenanthate +oenanthe +oenanthic +oenanthyl +oenanthylate +oenanthylic +oenanthol +oenanthole +oenin +oenocarpus +oenochoae +oenochoe +oenocyte +oenocytic +oenolic +oenolin +oenology +oenological +oenologies +oenologist +oenomancy +oenomania +oenomaus +oenomel +oenomels +oenometer +oenone +oenophile +oenophiles +oenophilist +oenophobist +oenopoetic +oenothera +oenotheraceae +oenotheraceous +oenotrian +oer +oerlikon +oersted +oersteds +oes +oesogi +oesophagal +oesophageal +oesophagean +oesophagi +oesophagism +oesophagismus +oesophagitis +oesophagostomiasis +oesophagostomum +oesophagus +oestradiol +oestrelata +oestrian +oestriasis +oestrid +oestridae +oestrin +oestrins +oestriol +oestriols +oestrogen +oestroid +oestrone +oestrones +oestrous +oestrual +oestruate +oestruation +oestrum +oestrums +oestrus +oestruses +oeuvre +oeuvres +of +ofay +ofays +ofer +off +offal +offaling +offals +offbeat +offbeats +offbreak +offcast +offcasts +offcolour +offcome +offcut +offed +offence +offenceless +offencelessly +offences +offend +offendable +offendant +offended +offendedly +offendedness +offender +offenders +offendible +offending +offendress +offends +offense +offenseful +offenseless +offenselessly +offenselessness +offenseproof +offenses +offensible +offension +offensive +offensively +offensiveness +offensives +offer +offerable +offered +offeree +offerer +offerers +offering +offerings +offeror +offerors +offers +offertory +offertorial +offertories +offgoing +offgrade +offhand +offhanded +offhandedly +offhandedness +offic +officaries +office +officeholder +officeholders +officeless +officemate +officer +officerage +officered +officeress +officerhood +officerial +officering +officerism +officerless +officers +officership +offices +official +officialdom +officialese +officialisation +officialism +officiality +officialities +officialization +officialize +officialized +officializing +officially +officials +officialty +officiant +officiants +officiary +officiate +officiated +officiates +officiating +officiation +officiator +officina +officinal +officinally +officio +officious +officiously +officiousness +offing +offings +offish +offishly +offishness +offlap +offlet +offlicence +offline +offload +offloaded +offloading +offloads +offlook +offpay +offprint +offprinted +offprinting +offprints +offpspring +offs +offsaddle +offscape +offscour +offscourer +offscouring +offscourings +offscreen +offscum +offset +offsets +offsetting +offshoot +offshoots +offshore +offside +offsider +offspring +offsprings +offstage +offtake +offtype +offtrack +offuscate +offuscation +offward +offwards +oficina +oflete +ofo +oft +often +oftener +oftenest +oftenness +oftens +oftentime +oftentimes +ofter +oftest +ofthink +oftly +oftness +ofttime +ofttimes +oftwhiles +og +ogaire +ogallala +ogam +ogamic +ogams +ogboni +ogcocephalidae +ogcocephalus +ogdoad +ogdoads +ogdoas +ogee +ogeed +ogees +ogenesis +ogenetic +ogganition +ogham +oghamic +oghamist +oghamists +oghams +oghuz +ogygia +ogygian +ogival +ogive +ogived +ogives +oglala +ogle +ogled +ogler +oglers +ogles +ogling +ogmic +ogonium +ogor +ogpu +ogre +ogreish +ogreishly +ogreism +ogreisms +ogres +ogress +ogresses +ogrish +ogrishly +ogrism +ogrisms +ogtiern +ogum +oh +ohare +ohed +ohelo +ohia +ohias +ohing +ohio +ohioan +ohioans +ohm +ohmage +ohmages +ohmic +ohmically +ohmmeter +ohmmeters +ohms +oho +ohoy +ohone +ohs +ohv +oy +oyana +oyapock +oicks +oidia +oidioid +oidiomycosis +oidiomycotic +oidium +oidwlfe +oie +oyelet +oyer +oyers +oyes +oyesses +oyez +oii +oik +oikology +oikomania +oikophobia +oikoplast +oiks +oil +oilberry +oilberries +oilbird +oilbirds +oilcake +oilcamp +oilcamps +oilcan +oilcans +oilcase +oilcloth +oilcloths +oilcoat +oilcup +oilcups +oildom +oiled +oiler +oilery +oilers +oylet +oilfield +oilfired +oilfish +oilfishes +oilheating +oilhole +oilholes +oily +oilier +oiliest +oiligarchy +oilyish +oilily +oiliness +oilinesses +oiling +oilish +oilless +oillessness +oillet +oillike +oilman +oilmen +oilmonger +oilmongery +oilometer +oilpaper +oilpapers +oilproof +oilproofing +oils +oilseed +oilseeds +oilskin +oilskinned +oilskins +oilstock +oilstone +oilstoned +oilstones +oilstoning +oilstove +oiltight +oiltightness +oilway +oilways +oilwell +oime +oink +oinked +oinking +oinks +oinochoai +oinochoe +oinochoes +oinochoi +oinology +oinologies +oinomancy +oinomania +oinomel +oinomels +oint +ointment +ointments +oireachtas +oisin +oisivity +oyster +oysterage +oysterbird +oystercatcher +oystered +oysterer +oysterers +oysterfish +oysterfishes +oystergreen +oysterhood +oysterhouse +oysteries +oystering +oysterish +oysterishness +oysterlike +oysterling +oysterman +oystermen +oysterous +oysterroot +oysters +oysterseed +oystershell +oysterwife +oysterwoman +oysterwomen +oitava +oiticica +oiticicas +ojibwa +ojibway +ojibwas +ok +oka +okay +okayed +okaying +okays +okanagan +okapi +okapia +okapis +okas +oke +okee +okeh +okehs +okey +okeydoke +okeydokey +okenite +oker +okes +oket +oki +okia +okie +okimono +okinagan +okinawa +oklafalaya +oklahannali +oklahoma +oklahoman +oklahomans +okolehao +okoniosis +okonite +okoume +okra +okras +okro +okroog +okrug +okruzi +okshoofd +okta +oktastylos +okthabah +okuari +okupukupu +ol +ola +olacaceae +olacaceous +olacad +olaf +olam +olamic +olax +olcha +olchi +old +olden +oldenburg +oldened +oldening +older +oldermost +olders +oldest +oldfangled +oldfangledness +oldfieldia +oldhamia +oldhamite +oldhearted +oldy +oldie +oldies +oldish +oldland +oldness +oldnesses +olds +oldsmobile +oldster +oldsters +oldstyle +oldstyles +oldwench +oldwife +oldwives +ole +olea +oleaceae +oleaceous +oleacina +oleacinidae +oleaginous +oleaginously +oleaginousness +oleana +oleander +oleanders +oleandomycin +oleandrin +oleandrine +oleary +olearia +olease +oleaster +oleasters +oleate +oleates +olecranal +olecranarthritis +olecranial +olecranian +olecranoid +olecranon +olefiant +olefin +olefine +olefines +olefinic +olefins +oleg +oleic +oleiferous +olein +oleine +oleines +oleins +olena +olenellidian +olenellus +olenid +olenidae +olenidian +olent +olenus +oleo +oleocalcareous +oleocellosis +oleocyst +oleoduct +oleograph +oleographer +oleography +oleographic +oleoyl +oleomargaric +oleomargarin +oleomargarine +oleometer +oleoptene +oleorefractometer +oleoresin +oleoresinous +oleoresins +oleos +oleosaccharum +oleose +oleosity +oleostearate +oleostearin +oleostearine +oleothorax +oleous +olepy +oleraceae +oleraceous +olericultural +olericulturally +olericulture +olericulturist +oleron +oles +olethreutes +olethreutid +olethreutidae +oleum +oleums +olfact +olfactable +olfacty +olfactible +olfaction +olfactive +olfactology +olfactometer +olfactometry +olfactometric +olfactophobia +olfactor +olfactoreceptor +olfactory +olfactories +olfactorily +olga +oliban +olibanum +olibanums +olibene +olycook +olid +oligacanthous +oligaemia +oligandrous +oliganthous +oligarch +oligarchal +oligarchy +oligarchic +oligarchical +oligarchically +oligarchies +oligarchism +oligarchist +oligarchize +oligarchs +oligemia +oligidic +oligidria +oligist +oligistic +oligistical +oligocarpous +oligocene +oligochaeta +oligochaete +oligochaetous +oligochete +oligochylia +oligocholia +oligochrome +oligochromemia +oligochronometer +oligocystic +oligocythemia +oligocythemic +oligoclase +oligoclasite +oligodactylia +oligodendroglia +oligodendroglioma +oligodynamic +oligodipsia +oligodontous +oligogalactia +oligohemia +oligohydramnios +oligolactia +oligomenorrhea +oligomer +oligomery +oligomeric +oligomerization +oligomerous +oligomers +oligometochia +oligometochic +oligomycin +oligomyodae +oligomyodian +oligomyoid +oligonephria +oligonephric +oligonephrous +oligonite +oligonucleotide +oligopepsia +oligopetalous +oligophagy +oligophagous +oligophyllous +oligophosphaturia +oligophrenia +oligophrenic +oligopyrene +oligoplasmia +oligopnea +oligopoly +oligopolist +oligopolistic +oligoprothesy +oligoprothetic +oligopsychia +oligopsony +oligopsonistic +oligorhizous +oligosaccharide +oligosepalous +oligosialia +oligosideric +oligosiderite +oligosyllabic +oligosyllable +oligosynthetic +oligosite +oligospermia +oligospermous +oligostemonous +oligotokeus +oligotokous +oligotrichia +oligotrophy +oligotrophic +oligotropic +oliguresia +oliguresis +oliguretic +oliguria +olykoek +olympia +olympiad +olympiadic +olympiads +olympian +olympianism +olympianize +olympianly +olympians +olympianwise +olympic +olympicly +olympicness +olympics +olympieion +olympionic +olympus +olinia +oliniaceae +oliniaceous +olynthiac +olynthian +olynthus +olio +olios +oliphant +oliprance +olitory +oliva +olivaceous +olivary +olivaster +olive +olivean +olived +olivella +oliveness +olivenite +oliver +oliverian +oliverman +olivermen +oliversmith +olives +olivescent +olivesheen +olivet +olivetan +olivette +olivewood +olivia +olividae +olivier +oliviferous +oliviform +olivil +olivile +olivilin +olivine +olivinefels +olivines +olivinic +olivinite +olivinitic +olla +ollamh +ollapod +ollas +ollav +ollenite +ollie +ollock +olluck +olm +olneya +olof +ology +ological +ologies +ologist +ologistic +ologists +olograph +olographic +ololiuqui +olomao +olona +olonets +olonetsian +olonetsish +olor +oloroso +olp +olpae +olpe +olpes +olpidiaster +olpidium +olson +oltonde +oltunna +om +omadhaun +omagra +omagua +omaha +omahas +omalgia +oman +omander +omani +omao +omar +omarthritis +omasa +omasitis +omasum +omber +ombers +ombre +ombrellino +ombrellinos +ombres +ombrette +ombrifuge +ombrograph +ombrographic +ombrology +ombrological +ombrometer +ombrometric +ombrophil +ombrophile +ombrophily +ombrophilic +ombrophilous +ombrophyte +ombrophobe +ombrophoby +ombrophobous +ombudsman +ombudsmanship +ombudsmen +ombudsperson +omega +omegas +omegoid +omelet +omelets +omelette +omelettes +omelie +omen +omened +omening +omenology +omens +omenta +omental +omentectomy +omentitis +omentocele +omentofixation +omentopexy +omentoplasty +omentorrhaphy +omentosplenopexy +omentotomy +omentulum +omentum +omentums +omentuta +omer +omers +omicron +omicrons +omikron +omikrons +omina +ominate +ominous +ominously +ominousness +omissible +omission +omissions +omissive +omissively +omissus +omit +omitis +omits +omittable +omittance +omitted +omitter +omitting +omlah +ommastrephes +ommastrephidae +ommatea +ommateal +ommateum +ommatidia +ommatidial +ommatidium +ommatitidia +ommatophore +ommatophorous +ommetaphobia +ommiad +ommiades +omneity +omnes +omni +omniactive +omniactuality +omniana +omniarch +omniarchs +omnibearing +omnibenevolence +omnibenevolent +omnibus +omnibuses +omnibusman +omnicausality +omnicompetence +omnicompetent +omnicorporeal +omnicredulity +omnicredulous +omnidenominational +omnidirectional +omnidistance +omnierudite +omniessence +omnifacial +omnifarious +omnifariously +omnifariousness +omniferous +omnify +omnific +omnificence +omnificent +omnifidel +omnified +omnifying +omnifocal +omniform +omniformal +omniformity +omnigenous +omnigerent +omnigraph +omnihuman +omnihumanity +omnilegent +omnilingual +omniloquent +omnilucent +omnimental +omnimeter +omnimode +omnimodous +omninescience +omninescient +omniparent +omniparient +omniparity +omniparous +omnipatient +omnipercipience +omnipercipiency +omnipercipient +omniperfect +omnipotence +omnipotency +omnipotent +omnipotentiality +omnipotently +omnipregnant +omnipresence +omnipresent +omnipresently +omniprevalence +omniprevalent +omniproduction +omniprudence +omniprudent +omnirange +omniregency +omniregent +omnirepresentative +omnirepresentativeness +omnirevealing +omniscience +omnisciency +omniscient +omnisciently +omniscope +omniscribent +omniscriptive +omnisentience +omnisentient +omnisignificance +omnisignificant +omnispective +omnist +omnisufficiency +omnisufficient +omnitemporal +omnitenent +omnitolerant +omnitonal +omnitonality +omnitonic +omnitude +omnium +omnivagant +omnivalence +omnivalent +omnivalous +omnivarious +omnividence +omnivident +omnivision +omnivolent +omnivora +omnivoracious +omnivoracity +omnivorant +omnivore +omnivores +omnivorism +omnivorous +omnivorously +omnivorousness +omodynia +omohyoid +omoideum +omophagy +omophagia +omophagic +omophagies +omophagist +omophagous +omophoria +omophorion +omoplate +omoplatoscopy +omostegite +omosternal +omosternum +omphacy +omphacine +omphacite +omphalectomy +omphali +omphalic +omphalism +omphalitis +omphalocele +omphalode +omphalodia +omphalodium +omphalogenous +omphaloid +omphaloma +omphalomesaraic +omphalomesenteric +omphaloncus +omphalopagus +omphalophlebitis +omphalopsychic +omphalopsychite +omphalorrhagia +omphalorrhea +omphalorrhexis +omphalos +omphalosite +omphaloskepsis +omphalospinous +omphalotomy +omphalotripsy +omphalus +omrah +oms +on +ona +onager +onagers +onaggri +onagra +onagraceae +onagraceous +onagri +onan +onanism +onanisms +onanist +onanistic +onanists +onboard +onca +once +oncer +onces +oncet +oncetta +onchidiidae +onchidium +onchocerca +onchocerciasis +onchocercosis +oncia +oncidium +oncidiums +oncin +oncogenesis +oncogenic +oncogenicity +oncograph +oncography +oncology +oncologic +oncological +oncologies +oncologist +oncome +oncometer +oncometry +oncometric +oncoming +oncomings +oncorhynchus +oncoses +oncosimeter +oncosis +oncosphere +oncost +oncostman +oncotic +oncotomy +ondagram +ondagraph +ondameter +ondascope +ondatra +ondy +ondine +onding +ondogram +ondograms +ondograph +ondoyant +ondometer +ondoscope +ondule +one +oneanother +oneberry +onefold +onefoldness +onegite +onehearted +onehood +onehow +oneida +oneidas +oneyer +oneill +oneiric +oneirocrit +oneirocritic +oneirocritical +oneirocritically +oneirocriticism +oneirocritics +oneirodynia +oneirology +oneirologist +oneiromancer +oneiromancy +oneiroscopy +oneiroscopic +oneiroscopist +oneirotic +oneism +onement +oneness +onenesses +oner +onerary +onerate +onerative +onery +onerier +oneriest +onerose +onerosity +onerosities +onerous +onerously +onerousness +ones +oneself +onesigned +onethe +onetime +oneupmanship +onewhere +onfall +onflemed +onflow +onflowing +ongaro +ongoing +onhanger +oni +ony +onycha +onychatrophia +onychauxis +onychia +onychin +onychite +onychitis +onychium +onychogryposis +onychoid +onycholysis +onychomalacia +onychomancy +onychomycosis +onychonosus +onychopathy +onychopathic +onychopathology +onychophagy +onychophagia +onychophagist +onychophyma +onychophora +onychophoran +onychophorous +onychoptosis +onychorrhexis +onychoschizia +onychosis +onychotrophy +onicolo +onym +onymal +onymancy +onymatic +onymy +onymity +onymize +onymous +oniomania +oniomaniac +onion +onionet +oniony +onionized +onionlike +onionpeel +onions +onionskin +onionskins +onirotic +oniscidae +onisciform +oniscoid +oniscoidea +oniscoidean +oniscus +onium +onyx +onyxes +onyxis +onyxitis +onker +onkilonite +onkos +onlay +onlaid +onlaying +onlap +onlepy +onless +only +onliest +online +onliness +onlook +onlooker +onlookers +onlooking +onmarch +onmun +ono +onobrychis +onocentaur +onoclea +onocrotal +onofrite +onohippidium +onolatry +onomancy +onomantia +onomasiology +onomasiological +onomastic +onomastical +onomasticon +onomastics +onomatology +onomatologic +onomatological +onomatologically +onomatologist +onomatomancy +onomatomania +onomatop +onomatope +onomatophobia +onomatopy +onomatoplasm +onomatopoeia +onomatopoeial +onomatopoeian +onomatopoeic +onomatopoeical +onomatopoeically +onomatopoesy +onomatopoesis +onomatopoetic +onomatopoetically +onomatopoieses +onomatopoiesis +onomatous +onomomancy +onondaga +onondagan +onondagas +ononis +onopordon +onosmodium +onotogenic +onrush +onrushes +onrushing +ons +onset +onsets +onsetter +onsetting +onshore +onside +onsight +onslaught +onslaughts +onstage +onstand +onstanding +onstead +onsweep +onsweeping +ont +ontal +ontarian +ontaric +ontario +ontic +ontically +onto +ontocycle +ontocyclic +ontogenal +ontogeneses +ontogenesis +ontogenetic +ontogenetical +ontogenetically +ontogeny +ontogenic +ontogenically +ontogenies +ontogenist +ontography +ontology +ontologic +ontological +ontologically +ontologies +ontologise +ontologised +ontologising +ontologism +ontologist +ontologistic +ontologize +ontosophy +onus +onuses +onwaiting +onward +onwardly +onwardness +onwards +onza +ooangium +oobit +ooblast +ooblastic +oocyesis +oocyst +oocystaceae +oocystaceous +oocystic +oocystis +oocysts +oocyte +oocytes +oodles +oodlins +ooecia +ooecial +ooecium +oof +oofbird +oofy +oofier +oofiest +oofless +ooftish +oogamete +oogametes +oogamy +oogamies +oogamous +oogenesis +oogenetic +oogeny +oogenies +ooglea +oogloea +oogone +oogonia +oogonial +oogoninia +oogoniophore +oogonium +oogoniums +oograph +ooh +oohed +oohing +oohs +ooid +ooidal +ookinesis +ookinete +ookinetic +oolachan +oolachans +oolak +oolakan +oolemma +oolite +oolites +oolith +ooliths +oolitic +oolly +oollies +oology +oologic +oological +oologically +oologies +oologist +oologists +oologize +oolong +oolongs +oomancy +oomantia +oometer +oometry +oometric +oomiac +oomiack +oomiacks +oomiacs +oomiak +oomiaks +oomycete +oomycetes +oomycetous +oompah +oomph +oomphs +oons +oont +oooo +oopack +oopak +oophyte +oophytes +oophytic +oophoralgia +oophorauxe +oophore +oophorectomy +oophorectomies +oophorectomize +oophorectomized +oophorectomizing +oophoreocele +oophorhysterectomy +oophoric +oophoridia +oophoridium +oophoridiums +oophoritis +oophorocele +oophorocystectomy +oophoroepilepsy +oophoroma +oophoromalacia +oophoromania +oophoron +oophoropexy +oophororrhaphy +oophorosalpingectomy +oophorostomy +oophorotomy +ooplasm +ooplasmic +ooplast +oopod +oopodal +ooporphyrin +oops +oopuhue +oorali +ooralis +oord +oory +oorial +oorie +oos +ooscope +ooscopy +oose +oosperm +oosperms +oosphere +oospheres +oosporange +oosporangia +oosporangium +oospore +oosporeae +oospores +oosporic +oosporiferous +oosporous +oostegite +oostegitic +oosterbeek +oot +ootheca +oothecae +oothecal +ootid +ootids +ootype +ootocoid +ootocoidea +ootocoidean +ootocous +oots +ootwith +oouassa +ooze +oozed +oozes +oozy +oozier +ooziest +oozily +ooziness +oozinesses +oozing +oozoa +oozoid +oozooid +op +opa +opacate +opacify +opacification +opacified +opacifier +opacifies +opacifying +opacimeter +opacite +opacity +opacities +opacous +opacousness +opacus +opah +opahs +opai +opaion +opal +opaled +opaleye +opalesce +opalesced +opalescence +opalescent +opalesces +opalescing +opalesque +opalina +opaline +opalines +opalinid +opalinidae +opalinine +opalish +opalize +opalized +opalizing +opaloid +opalotype +opals +opaque +opaqued +opaquely +opaqueness +opaquer +opaques +opaquest +opaquing +opata +opcode +opdalite +ope +opec +oped +opedeldoc +opegrapha +opeidoscope +opelet +opelu +open +openability +openable +openairish +openairness +openband +openbeak +openbill +opencast +openchain +opencircuit +opencut +opened +openendedness +opener +openers +openest +openhanded +openhandedly +openhandedness +openhead +openhearted +openheartedly +openheartedness +opening +openings +openly +openmouthed +openmouthedly +openmouthedness +openness +opennesses +opens +openside +openwork +openworks +opera +operabily +operability +operabilities +operable +operably +operae +operagoer +operalogue +operameter +operance +operancy +operand +operandi +operands +operant +operantis +operantly +operants +operary +operas +operatable +operate +operated +operatee +operates +operatic +operatical +operatically +operatics +operating +operation +operational +operationalism +operationalist +operationalistic +operationally +operationism +operationist +operations +operative +operatively +operativeness +operatives +operativity +operatize +operator +operatory +operators +operatrices +operatrix +opercele +operceles +opercle +opercled +opercula +opercular +operculata +operculate +operculated +opercule +opercules +operculiferous +operculiform +operculigenous +operculigerous +operculum +operculums +operetta +operettas +operette +operettist +operla +operon +operons +operose +operosely +operoseness +operosity +opes +ophelia +ophelimity +ophian +ophiasis +ophic +ophicalcite +ophicephalidae +ophicephaloid +ophicephalus +ophichthyidae +ophichthyoid +ophicleide +ophicleidean +ophicleidist +ophidia +ophidian +ophidians +ophidiidae +ophidiobatrachia +ophidioid +ophidiomania +ophidion +ophidiophobia +ophidious +ophidium +ophidology +ophidologist +ophiobatrachia +ophiobolus +ophioglossaceae +ophioglossaceous +ophioglossales +ophioglossum +ophiography +ophioid +ophiolater +ophiolatry +ophiolatrous +ophiolite +ophiolitic +ophiology +ophiologic +ophiological +ophiologist +ophiomancy +ophiomorph +ophiomorpha +ophiomorphic +ophiomorphous +ophion +ophionid +ophioninae +ophionine +ophiophagous +ophiophagus +ophiophilism +ophiophilist +ophiophobe +ophiophoby +ophiophobia +ophiopluteus +ophiosaurus +ophiostaphyle +ophiouride +ophir +ophis +ophisaurus +ophism +ophite +ophites +ophitic +ophitism +ophiuchid +ophiuchus +ophiucus +ophiuran +ophiurid +ophiurida +ophiuroid +ophiuroidea +ophiuroidean +ophresiophobia +ophryon +ophrys +ophthalaiater +ophthalitis +ophthalm +ophthalmagra +ophthalmalgia +ophthalmalgic +ophthalmatrophia +ophthalmectomy +ophthalmencephalon +ophthalmetrical +ophthalmy +ophthalmia +ophthalmiac +ophthalmiater +ophthalmiatrics +ophthalmic +ophthalmious +ophthalmist +ophthalmite +ophthalmitic +ophthalmitis +ophthalmoblennorrhea +ophthalmocarcinoma +ophthalmocele +ophthalmocopia +ophthalmodiagnosis +ophthalmodiastimeter +ophthalmodynamometer +ophthalmodynia +ophthalmography +ophthalmol +ophthalmoleucoscope +ophthalmolith +ophthalmology +ophthalmologic +ophthalmological +ophthalmologically +ophthalmologies +ophthalmologist +ophthalmologists +ophthalmomalacia +ophthalmometer +ophthalmometry +ophthalmometric +ophthalmometrical +ophthalmomycosis +ophthalmomyositis +ophthalmomyotomy +ophthalmoneuritis +ophthalmopathy +ophthalmophlebotomy +ophthalmophore +ophthalmophorous +ophthalmophthisis +ophthalmoplasty +ophthalmoplegia +ophthalmoplegic +ophthalmopod +ophthalmoptosis +ophthalmorrhagia +ophthalmorrhea +ophthalmorrhexis +ophthalmosaurus +ophthalmoscope +ophthalmoscopes +ophthalmoscopy +ophthalmoscopic +ophthalmoscopical +ophthalmoscopies +ophthalmoscopist +ophthalmostasis +ophthalmostat +ophthalmostatometer +ophthalmothermometer +ophthalmotomy +ophthalmotonometer +ophthalmotonometry +ophthalmotrope +ophthalmotropometer +opiane +opianic +opianyl +opiate +opiated +opiateproof +opiates +opiatic +opiating +opiconsivia +opifex +opifice +opificer +opiism +opilia +opiliaceae +opiliaceous +opiliones +opilionina +opilionine +opilonea +opimian +opinability +opinable +opinably +opinant +opination +opinative +opinatively +opinator +opine +opined +opiner +opiners +opines +oping +opiniaster +opiniastre +opiniastrety +opiniastrous +opiniate +opiniated +opiniatedly +opiniater +opiniative +opiniatively +opiniativeness +opiniatre +opiniatreness +opiniatrety +opinicus +opinicuses +opining +opinion +opinionable +opinionaire +opinional +opinionate +opinionated +opinionatedly +opinionatedness +opinionately +opinionative +opinionatively +opinionativeness +opinioned +opinionedness +opinionist +opinions +opiomania +opiomaniac +opiophagy +opiophagism +opiparous +opisometer +opisthenar +opisthion +opisthobranch +opisthobranchia +opisthobranchiate +opisthocoelia +opisthocoelian +opisthocoelous +opisthocome +opisthocomi +opisthocomidae +opisthocomine +opisthocomous +opisthodetic +opisthodome +opisthodomos +opisthodomoses +opisthodomus +opisthodont +opisthogastric +opisthogyrate +opisthogyrous +opisthoglyph +opisthoglypha +opisthoglyphic +opisthoglyphous +opisthoglossa +opisthoglossal +opisthoglossate +opisthognathidae +opisthognathism +opisthognathous +opisthograph +opisthographal +opisthography +opisthographic +opisthographical +opisthoparia +opisthoparian +opisthophagic +opisthoporeia +opisthorchiasis +opisthorchis +opisthosomal +opisthothelae +opisthotic +opisthotonic +opisthotonoid +opisthotonos +opisthotonus +opium +opiumism +opiumisms +opiums +opobalsam +opobalsamum +opodeldoc +opodidymus +opodymus +opopanax +opoponax +oporto +opossum +opossums +opotherapy +opp +oppian +oppida +oppidan +oppidans +oppidum +oppignerate +oppignorate +oppilant +oppilate +oppilated +oppilates +oppilating +oppilation +oppilative +opplete +oppletion +oppone +opponency +opponens +opponent +opponents +opportune +opportuneless +opportunely +opportuneness +opportunism +opportunist +opportunistic +opportunistically +opportunists +opportunity +opportunities +opposability +opposabilities +opposable +opposal +oppose +opposed +opposeless +opposer +opposers +opposes +opposing +opposingly +opposit +opposite +oppositely +oppositeness +opposites +oppositiflorous +oppositifolious +opposition +oppositional +oppositionary +oppositionism +oppositionist +oppositionists +oppositionless +oppositions +oppositious +oppositipetalous +oppositipinnate +oppositipolar +oppositisepalous +oppositive +oppositively +oppositiveness +oppossum +opposure +oppress +oppressed +oppresses +oppressible +oppressing +oppression +oppressionist +oppressive +oppressively +oppressiveness +oppressor +oppressors +opprobry +opprobriate +opprobriated +opprobriating +opprobrious +opprobriously +opprobriousness +opprobrium +opprobriums +oppugn +oppugnacy +oppugnance +oppugnancy +oppugnant +oppugnate +oppugnation +oppugned +oppugner +oppugners +oppugning +oppugns +ops +opsy +opsigamy +opsimath +opsimathy +opsin +opsins +opsiometer +opsisform +opsistype +opsonia +opsonic +opsoniferous +opsonify +opsonification +opsonified +opsonifies +opsonifying +opsonin +opsonins +opsonist +opsonium +opsonization +opsonize +opsonized +opsonizes +opsonizing +opsonogen +opsonoid +opsonology +opsonometry +opsonophilia +opsonophilic +opsonophoric +opsonotherapy +opt +optable +optableness +optably +optant +optate +optation +optative +optatively +optatives +opted +opthalmic +opthalmology +opthalmologic +opthalmophorium +opthalmoplegy +opthalmoscopy +opthalmothermometer +optic +optical +optically +optician +opticians +opticism +opticist +opticists +opticity +opticly +opticochemical +opticociliary +opticon +opticopapillary +opticopupillary +optics +optigraph +optima +optimacy +optimal +optimality +optimally +optimate +optimates +optime +optimes +optimeter +optimise +optimised +optimises +optimising +optimism +optimisms +optimist +optimistic +optimistical +optimistically +optimisticalness +optimists +optimity +optimization +optimizations +optimize +optimized +optimizer +optimizers +optimizes +optimizing +optimum +optimums +opting +option +optional +optionality +optionalize +optionally +optionals +optionary +optioned +optionee +optionees +optioning +optionor +options +optive +optoacoustic +optoblast +optoelectronic +optogram +optography +optoisolate +optokinetic +optology +optological +optologist +optomeninx +optometer +optometry +optometric +optometrical +optometries +optometrist +optometrists +optophone +optotechnics +optotype +opts +opulaster +opulence +opulences +opulency +opulencies +opulent +opulently +opulus +opuntia +opuntiaceae +opuntiales +opuntias +opuntioid +opus +opuscle +opuscula +opuscular +opuscule +opuscules +opusculum +opuses +oquassa +oquassas +or +ora +orabassu +orach +orache +oraches +oracy +oracle +oracler +oracles +oracula +oracular +oracularity +oracularly +oracularness +oraculate +oraculous +oraculously +oraculousness +oraculum +orad +orae +orage +oragious +oraison +orakzai +oral +orale +oraler +oralism +oralist +orality +oralities +oralization +oralize +orally +oralogy +oralogist +orals +orang +orange +orangeade +orangeades +orangeado +orangeat +orangeberry +orangeberries +orangebird +orangey +orangeish +orangeism +orangeist +orangeleaf +orangeman +orangeness +oranger +orangery +orangeries +orangeroot +oranges +orangewoman +orangewood +orangy +orangier +orangiest +oranginess +orangish +orangism +orangist +orangite +orangize +orangoutan +orangoutang +orangs +orangutan +orangutang +orangutans +orans +orant +orante +orantes +oraon +orary +oraria +orarian +orarion +orarium +oras +orate +orated +orates +orating +oration +orational +orationer +orations +orator +oratory +oratorial +oratorially +oratorian +oratorianism +oratorianize +oratoric +oratorical +oratorically +oratories +oratorio +oratorios +oratorium +oratorize +oratorlike +orators +oratorship +oratress +oratresses +oratrices +oratrix +orb +orbate +orbation +orbed +orbell +orby +orbic +orbical +orbicella +orbicle +orbicular +orbiculares +orbicularis +orbicularity +orbicularly +orbicularness +orbiculate +orbiculated +orbiculately +orbiculation +orbiculatocordate +orbiculatoelliptical +orbiculoidea +orbific +orbilian +orbilius +orbing +orbit +orbital +orbitale +orbitally +orbitals +orbitar +orbitary +orbite +orbited +orbitelar +orbitelariae +orbitelarian +orbitele +orbitelous +orbiter +orbiters +orbity +orbiting +orbitofrontal +orbitoides +orbitolina +orbitolite +orbitolites +orbitomalar +orbitomaxillary +orbitonasal +orbitopalpebral +orbitosphenoid +orbitosphenoidal +orbitostat +orbitotomy +orbitozygomatic +orbits +orbitude +orbless +orblet +orblike +orbs +orbulina +orc +orca +orcadian +orcanet +orcanette +orcas +orcein +orceins +orch +orchamus +orchanet +orchard +orcharding +orchardist +orchardists +orchardman +orchardmen +orchards +orchat +orchectomy +orcheitis +orchel +orchella +orchen +orchesis +orchesography +orchester +orchestia +orchestian +orchestic +orchestiid +orchestiidae +orchestra +orchestral +orchestraless +orchestrally +orchestras +orchestrate +orchestrated +orchestrater +orchestrates +orchestrating +orchestration +orchestrational +orchestrations +orchestrator +orchestrators +orchestre +orchestrelle +orchestric +orchestrina +orchestrion +orchialgia +orchic +orchichorea +orchid +orchidaceae +orchidacean +orchidaceous +orchidales +orchidalgia +orchidean +orchidectomy +orchidectomies +orchideous +orchideously +orchidist +orchiditis +orchidocele +orchidocelioplasty +orchidology +orchidologist +orchidomania +orchidopexy +orchidoplasty +orchidoptosis +orchidorrhaphy +orchidotherapy +orchidotomy +orchidotomies +orchids +orchiectomy +orchiectomies +orchiencephaloma +orchiepididymitis +orchil +orchilytic +orchilla +orchils +orchiocatabasis +orchiocele +orchiodynia +orchiomyeloma +orchioncus +orchioneuralgia +orchiopexy +orchioplasty +orchiorrhaphy +orchioscheocele +orchioscirrhus +orchiotomy +orchis +orchises +orchitic +orchitis +orchitises +orchotomy +orchotomies +orcin +orcine +orcinol +orcinols +orcins +orcinus +orcs +ord +ordain +ordainable +ordained +ordainer +ordainers +ordaining +ordainment +ordains +ordalian +ordalium +ordanchite +ordeal +ordeals +ordene +order +orderable +ordered +orderedness +orderer +orderers +ordering +orderings +orderless +orderlessness +orderly +orderlies +orderliness +orders +ordinability +ordinable +ordinaire +ordinal +ordinally +ordinals +ordinance +ordinances +ordinand +ordinands +ordinant +ordinar +ordinary +ordinariate +ordinarier +ordinaries +ordinariest +ordinarily +ordinariness +ordinaryship +ordinarius +ordinate +ordinated +ordinately +ordinates +ordinating +ordination +ordinations +ordinative +ordinatomaculate +ordinator +ordinee +ordines +ordn +ordnance +ordnances +ordo +ordonnance +ordonnances +ordonnant +ordos +ordosite +ordovian +ordovices +ordovician +ordu +ordure +ordures +ordurous +ordurousness +ore +oread +oreads +oreamnos +oreas +orecchion +orectic +orective +ored +oregano +oreganos +oregon +oregoni +oregonian +oregonians +oreide +oreides +oreilet +oreiller +oreillet +oreillette +orejon +orellin +oreman +oremus +orenda +orendite +oreocarya +oreodon +oreodont +oreodontidae +oreodontine +oreodontoid +oreodoxa +oreography +oreophasinae +oreophasine +oreophasis +oreopithecus +oreortyx +oreotragine +oreotragus +oreotrochilus +ores +oreshoot +orestean +oresteia +orestes +oretic +oreweed +orewood +orexin +orexis +orf +orfe +orfevrerie +orfgild +orfray +orfrays +org +orgal +orgament +orgamy +organ +organa +organal +organbird +organdy +organdie +organdies +organella +organellae +organelle +organelles +organer +organette +organy +organic +organical +organically +organicalness +organicism +organicismal +organicist +organicistic +organicity +organics +organify +organific +organifier +organing +organisability +organisable +organisation +organisational +organisationally +organise +organised +organises +organising +organism +organismal +organismic +organismically +organisms +organist +organistic +organistrum +organists +organistship +organity +organizability +organizable +organization +organizational +organizationally +organizationist +organizations +organizatory +organize +organized +organizer +organizers +organizes +organizing +organless +organoantimony +organoarsenic +organobismuth +organoboron +organochlorine +organochordium +organogel +organogen +organogenesis +organogenetic +organogenetically +organogeny +organogenic +organogenist +organogold +organography +organographic +organographical +organographies +organographist +organoid +organoiron +organolead +organoleptic +organoleptically +organolithium +organology +organologic +organological +organologist +organomagnesium +organomercury +organomercurial +organometallic +organon +organonym +organonymal +organonymy +organonymic +organonyn +organonomy +organonomic +organons +organopathy +organophil +organophile +organophyly +organophilic +organophone +organophonic +organophosphate +organophosphorous +organophosphorus +organoplastic +organoscopy +organosilicon +organosiloxane +organosilver +organosodium +organosol +organotherapeutics +organotherapy +organotin +organotrophic +organotropy +organotropic +organotropically +organotropism +organozinc +organry +organs +organule +organum +organums +organza +organzas +organzine +organzined +orgasm +orgasmic +orgasms +orgastic +orgeat +orgeats +orgy +orgia +orgiac +orgiacs +orgiasm +orgiast +orgiastic +orgiastical +orgiastically +orgic +orgies +orgyia +orgone +orgue +orgueil +orguil +orguinette +orgulous +orgulously +orhamwood +ory +orians +orias +oribatid +oribatidae +oribatids +oribi +oribis +orichalc +orichalceous +orichalch +orichalcum +oricycle +oriconic +orycterope +orycteropodidae +orycteropus +oryctics +oryctognosy +oryctognostic +oryctognostical +oryctognostically +oryctolagus +oryctology +oryctologic +oryctologist +oriel +oriels +oriency +orient +oriental +orientalia +orientalism +orientalist +orientality +orientalization +orientalize +orientalized +orientalizing +orientally +orientalogy +orientals +orientate +orientated +orientates +orientating +orientation +orientational +orientationally +orientations +orientative +orientator +oriented +orienteering +orienter +orienting +orientite +orientization +orientize +oriently +orientness +orients +orifacial +orifice +orifices +orificial +oriflamb +oriflamme +oriform +orig +origami +origamis +origan +origanized +origans +origanum +origanums +origenian +origenic +origenical +origenism +origenist +origenistic +origenize +origin +originable +original +originalist +originality +originalities +originally +originalness +originals +originant +originary +originarily +originate +originated +originates +originating +origination +originative +originatively +originator +originators +originatress +origines +originist +origins +orignal +orihyperbola +orihon +oriya +orillion +orillon +orinasal +orinasality +orinasally +orinasals +oriole +orioles +oriolidae +oriolus +orion +oriskanian +orismology +orismologic +orismological +orison +orisons +orisphere +oryssid +oryssidae +oryssus +oristic +oryx +oryxes +oryza +oryzanin +oryzanine +oryzenin +oryzivorous +oryzomys +oryzopsis +oryzorictes +oryzorictinae +orkey +orkhon +orkneyan +orl +orlage +orlando +orle +orlean +orleanism +orleanist +orleanistic +orleans +orles +orlet +orleways +orlewise +orly +orlo +orlon +orlop +orlops +orlos +ormazd +ormer +ormers +ormolu +ormolus +ormond +ormuzine +orna +ornament +ornamental +ornamentalism +ornamentalist +ornamentality +ornamentalize +ornamentally +ornamentary +ornamentation +ornamentations +ornamented +ornamenter +ornamenting +ornamentist +ornaments +ornary +ornate +ornately +ornateness +ornation +ornature +ornery +ornerier +orneriest +ornerily +orneriness +ornes +ornify +ornis +orniscopy +orniscopic +orniscopist +ornith +ornithes +ornithic +ornithichnite +ornithine +ornithischia +ornithischian +ornithivorous +ornithobiography +ornithobiographical +ornithocephalic +ornithocephalidae +ornithocephalous +ornithocephalus +ornithocoprolite +ornithocopros +ornithodelph +ornithodelphia +ornithodelphian +ornithodelphic +ornithodelphous +ornithodoros +ornithogaea +ornithogaean +ornithogalum +ornithogeographic +ornithogeographical +ornithography +ornithoid +ornithol +ornitholestes +ornitholite +ornitholitic +ornithology +ornithologic +ornithological +ornithologically +ornithologist +ornithologists +ornithomancy +ornithomania +ornithomantia +ornithomantic +ornithomantist +ornithomimid +ornithomimidae +ornithomimus +ornithomyzous +ornithomorph +ornithomorphic +ornithon +ornithopappi +ornithophile +ornithophily +ornithophilist +ornithophilite +ornithophilous +ornithophobia +ornithopod +ornithopoda +ornithopter +ornithoptera +ornithopteris +ornithorhynchidae +ornithorhynchous +ornithorhynchus +ornithosaur +ornithosauria +ornithosaurian +ornithoscelida +ornithoscelidan +ornithoscopy +ornithoscopic +ornithoscopist +ornithoses +ornithosis +ornithotic +ornithotomy +ornithotomical +ornithotomist +ornithotrophy +ornithurae +ornithuric +ornithurous +ornithvrous +ornoite +oroanal +orobanchaceae +orobanchaceous +orobanche +orobancheous +orobathymetric +orobatoidea +orocentral +orochon +orocratic +orodiagnosis +orogen +orogenesy +orogenesis +orogenetic +orogeny +orogenic +orogenies +oroggaphical +orograph +orography +orographic +orographical +orographically +oroheliograph +orohydrography +orohydrographic +orohydrographical +orohippus +oroide +oroides +orolingual +orology +orological +orologies +orologist +orometer +orometers +orometry +orometric +oromo +oronasal +oronasally +oronoco +oronoko +oronooko +orontium +oropharyngeal +oropharynges +oropharynx +oropharynxes +orotherapy +orotinan +orotund +orotundity +orotunds +orphan +orphanage +orphanages +orphancy +orphandom +orphaned +orphange +orphanhood +orphaning +orphanism +orphanize +orphanry +orphans +orphanship +orpharion +orphean +orpheist +orpheon +orpheonist +orpheum +orpheus +orphic +orphical +orphically +orphicism +orphism +orphize +orphrey +orphreyed +orphreys +orpiment +orpiments +orpin +orpinc +orpine +orpines +orpington +orpins +orpit +orra +orrery +orreriec +orreries +orrhoid +orrhology +orrhotherapy +orrice +orrices +orris +orrises +orrisroot +orrow +ors +orsede +orsedue +orseille +orseilline +orsel +orselle +orseller +orsellic +orsellinate +orsellinic +orson +ort +ortalid +ortalidae +ortalidian +ortalis +ortanique +orterde +ortet +orth +orthagoriscus +orthal +orthant +orthantimonic +ortheris +orthian +orthic +orthicon +orthiconoscope +orthicons +orthid +orthidae +orthis +orthite +orthitic +ortho +orthoarsenite +orthoaxis +orthobenzoquinone +orthobiosis +orthoborate +orthobrachycephalic +orthocarbonic +orthocarpous +orthocarpus +orthocenter +orthocentre +orthocentric +orthocephaly +orthocephalic +orthocephalous +orthoceracone +orthoceran +orthoceras +orthoceratidae +orthoceratite +orthoceratitic +orthoceratoid +orthochlorite +orthochromatic +orthochromatize +orthocym +orthocymene +orthoclase +orthoclasite +orthoclastic +orthocoumaric +orthocresol +orthodiaene +orthodiagonal +orthodiagram +orthodiagraph +orthodiagraphy +orthodiagraphic +orthodiazin +orthodiazine +orthodolichocephalic +orthodomatic +orthodome +orthodontia +orthodontic +orthodontics +orthodontist +orthodontists +orthodox +orthodoxal +orthodoxality +orthodoxally +orthodoxes +orthodoxy +orthodoxian +orthodoxical +orthodoxically +orthodoxicalness +orthodoxies +orthodoxism +orthodoxist +orthodoxly +orthodoxness +orthodromy +orthodromic +orthodromics +orthoepy +orthoepic +orthoepical +orthoepically +orthoepies +orthoepist +orthoepistic +orthoepists +orthoformic +orthogamy +orthogamous +orthoganal +orthogenesis +orthogenetic +orthogenetically +orthogenic +orthognathy +orthognathic +orthognathism +orthognathous +orthognathus +orthogneiss +orthogonal +orthogonality +orthogonalization +orthogonalize +orthogonalized +orthogonalizing +orthogonally +orthogonial +orthograde +orthogranite +orthograph +orthographer +orthography +orthographic +orthographical +orthographically +orthographies +orthographise +orthographised +orthographising +orthographist +orthographize +orthographized +orthographizing +orthohydrogen +orthologer +orthology +orthologian +orthological +orthometopic +orthometry +orthometric +orthomolecular +orthomorphic +orthonectida +orthonitroaniline +orthonormal +orthonormality +orthopaedy +orthopaedia +orthopaedic +orthopaedically +orthopaedics +orthopaedist +orthopath +orthopathy +orthopathic +orthopathically +orthopedy +orthopedia +orthopedic +orthopedical +orthopedically +orthopedics +orthopedist +orthopedists +orthophenylene +orthophyre +orthophyric +orthophony +orthophonic +orthophoria +orthophoric +orthophosphate +orthophosphoric +orthopinacoid +orthopinacoidal +orthopyramid +orthopyroxene +orthoplasy +orthoplastic +orthoplumbate +orthopnea +orthopneic +orthopnoea +orthopnoeic +orthopod +orthopoda +orthopraxy +orthopraxia +orthopraxis +orthoprism +orthopsychiatry +orthopsychiatric +orthopsychiatrical +orthopsychiatrist +orthopter +orthoptera +orthopteral +orthopteran +orthopterist +orthopteroid +orthopteroidea +orthopterology +orthopterological +orthopterologist +orthopteron +orthopterous +orthoptetera +orthoptic +orthoptics +orthoquinone +orthorhombic +orthorrhapha +orthorrhaphy +orthorrhaphous +orthoscope +orthoscopic +orthose +orthoselection +orthosemidin +orthosemidine +orthosilicate +orthosilicic +orthosymmetry +orthosymmetric +orthosymmetrical +orthosymmetrically +orthosis +orthosite +orthosomatic +orthospermous +orthostat +orthostatai +orthostates +orthostati +orthostatic +orthostichy +orthostichies +orthostichous +orthostyle +orthosubstituted +orthotactic +orthotectic +orthotic +orthotics +orthotype +orthotypous +orthotist +orthotolidin +orthotolidine +orthotoluic +orthotoluidin +orthotoluidine +orthotomic +orthotomous +orthotone +orthotonesis +orthotonic +orthotonus +orthotropal +orthotropy +orthotropic +orthotropically +orthotropism +orthotropous +orthovanadate +orthovanadic +orthoveratraldehyde +orthoveratric +orthoxazin +orthoxazine +orthoxylene +orthron +orthros +ortiga +ortygan +ortygian +ortyginae +ortygine +ortive +ortyx +ortman +ortol +ortolan +ortolans +ortrud +orts +ortstaler +ortstein +orunchun +orvet +orvietan +orvietite +orvieto +orville +orwell +orwellian +os +osage +osages +osaka +osamin +osamine +osar +osazone +osc +oscan +oscar +oscarella +oscarellidae +oscars +oscella +oscheal +oscheitis +oscheocarcinoma +oscheocele +oscheolith +oscheoma +oscheoncus +oscheoplasty +oschophoria +oscillance +oscillancy +oscillant +oscillaria +oscillariaceae +oscillariaceous +oscillate +oscillated +oscillates +oscillating +oscillation +oscillational +oscillations +oscillative +oscillatively +oscillator +oscillatory +oscillatoria +oscillatoriaceae +oscillatoriaceous +oscillatorian +oscillators +oscillogram +oscillograph +oscillography +oscillographic +oscillographically +oscillographies +oscillometer +oscillometry +oscillometric +oscillometries +oscilloscope +oscilloscopes +oscilloscopic +oscilloscopically +oscin +oscine +oscines +oscinian +oscinidae +oscinine +oscinis +oscitance +oscitancy +oscitancies +oscitant +oscitantly +oscitate +oscitation +oscnode +oscula +osculable +osculant +oscular +oscularity +osculate +osculated +osculates +osculating +osculation +osculations +osculatory +osculatories +osculatrix +osculatrixes +oscule +oscules +osculiferous +osculum +oscurantist +oscurrantist +ose +osela +osella +oselle +oses +oshac +oshea +osi +osiandrian +oside +osier +osiered +osiery +osieries +osierlike +osiers +osirian +osiride +osiridean +osirify +osirification +osiris +osirism +oskar +oslo +osmanie +osmanli +osmanthus +osmate +osmateria +osmaterium +osmatic +osmatism +osmazomatic +osmazomatous +osmazome +osmeridae +osmerus +osmesis +osmeteria +osmeterium +osmetic +osmiamic +osmic +osmics +osmidrosis +osmin +osmina +osmious +osmiridium +osmite +osmium +osmiums +osmodysphoria +osmogene +osmograph +osmol +osmolagnia +osmolal +osmolality +osmolar +osmolarity +osmology +osmols +osmometer +osmometry +osmometric +osmometrically +osmond +osmondite +osmophobia +osmophore +osmoregulation +osmoregulatory +osmorhiza +osmoscope +osmose +osmosed +osmoses +osmosing +osmosis +osmotactic +osmotaxis +osmotherapy +osmotic +osmotically +osmous +osmund +osmunda +osmundaceae +osmundaceous +osmundas +osmundine +osmunds +osnaburg +osnaburgs +osnappar +osoberry +osoberries +osone +osophy +osophies +osophone +osotriazine +osotriazole +osperm +osphere +osphyalgia +osphyalgic +osphyarthritis +osphyitis +osphyocele +osphyomelitis +osphradia +osphradial +osphradium +osphresiolagnia +osphresiology +osphresiologic +osphresiologist +osphresiometer +osphresiometry +osphresiophilia +osphresis +osphretic +osphromenidae +ospore +osprey +ospreys +ossa +ossal +ossarium +ossature +osse +ossea +ossein +osseins +osselet +ossements +osseoalbuminoid +osseoaponeurotic +osseocartilaginous +osseofibrous +osseomucoid +osseous +osseously +osset +osseter +ossetian +ossetic +ossetine +ossetish +ossia +ossian +ossianesque +ossianic +ossianism +ossianize +ossicle +ossicles +ossicula +ossicular +ossiculate +ossiculated +ossicule +ossiculectomy +ossiculotomy +ossiculum +ossiferous +ossify +ossific +ossification +ossifications +ossificatory +ossified +ossifier +ossifiers +ossifies +ossifying +ossifluence +ossifluent +ossiform +ossifrage +ossifrangent +ossypite +ossivorous +ossuary +ossuaries +ossuarium +ostalgia +ostara +ostariophysan +ostariophyseae +ostariophysi +ostariophysial +ostariophysous +ostarthritis +osteal +ostealgia +osteanabrosis +osteanagenesis +ostearthritis +ostearthrotomy +ostectomy +ostectomies +osteectomy +osteectomies +osteectopy +osteectopia +osteichthyes +ostein +osteitic +osteitides +osteitis +ostemia +ostempyesis +ostend +ostensibility +ostensibilities +ostensible +ostensibly +ostension +ostensive +ostensively +ostensory +ostensoria +ostensories +ostensorium +ostensorsoria +ostent +ostentate +ostentation +ostentatious +ostentatiously +ostentatiousness +ostentive +ostentous +osteoaneurysm +osteoarthritic +osteoarthritis +osteoarthropathy +osteoarthrotomy +osteoblast +osteoblastic +osteoblastoma +osteocachetic +osteocarcinoma +osteocartilaginous +osteocele +osteocephaloma +osteochondritis +osteochondrofibroma +osteochondroma +osteochondromatous +osteochondropathy +osteochondrophyte +osteochondrosarcoma +osteochondrous +osteocystoma +osteocyte +osteoclasia +osteoclasis +osteoclast +osteoclasty +osteoclastic +osteocolla +osteocomma +osteocranium +osteodentin +osteodentinal +osteodentine +osteoderm +osteodermal +osteodermatous +osteodermia +osteodermis +osteodermous +osteodiastasis +osteodynia +osteodystrophy +osteoencephaloma +osteoenchondroma +osteoepiphysis +osteofibroma +osteofibrous +osteogangrene +osteogen +osteogenesis +osteogenetic +osteogeny +osteogenic +osteogenist +osteogenous +osteoglossid +osteoglossidae +osteoglossoid +osteoglossum +osteographer +osteography +osteohalisteresis +osteoid +osteoids +osteolepidae +osteolepis +osteolysis +osteolite +osteolytic +osteologer +osteology +osteologic +osteological +osteologically +osteologies +osteologist +osteoma +osteomalacia +osteomalacial +osteomalacic +osteomancy +osteomanty +osteomas +osteomata +osteomatoid +osteome +osteomere +osteometry +osteometric +osteometrical +osteomyelitis +osteoncus +osteonecrosis +osteoneuralgia +osteopaedion +osteopath +osteopathy +osteopathic +osteopathically +osteopathies +osteopathist +osteopaths +osteopedion +osteoperiosteal +osteoperiostitis +osteopetrosis +osteophage +osteophagia +osteophyma +osteophyte +osteophytic +osteophlebitis +osteophone +osteophony +osteophore +osteoplaque +osteoplast +osteoplasty +osteoplastic +osteoplasties +osteoporosis +osteoporotic +osteorrhaphy +osteosarcoma +osteosarcomatous +osteoscleroses +osteosclerosis +osteosclerotic +osteoscope +osteosynovitis +osteosynthesis +osteosis +osteosteatoma +osteostixis +osteostomatous +osteostomous +osteostracan +osteostraci +osteosuture +osteothrombosis +osteotome +osteotomy +osteotomies +osteotomist +osteotribe +osteotrite +osteotrophy +osteotrophic +osteria +ostertagia +ostia +ostyak +ostial +ostiary +ostiaries +ostiarius +ostiate +ostic +ostinato +ostinatos +ostiolar +ostiolate +ostiole +ostioles +ostitis +ostium +ostler +ostleress +ostlerie +ostlers +ostmannic +ostmark +ostmarks +ostmen +ostomatid +ostomy +ostomies +ostoses +ostosis +ostosises +ostraca +ostracea +ostracean +ostraceous +ostraciidae +ostracine +ostracioid +ostracion +ostracise +ostracism +ostracite +ostracizable +ostracization +ostracize +ostracized +ostracizer +ostracizes +ostracizing +ostracod +ostracoda +ostracodan +ostracode +ostracoderm +ostracodermi +ostracodous +ostracods +ostracoid +ostracoidea +ostracon +ostracophore +ostracophori +ostracophorous +ostracum +ostraeacea +ostraite +ostrca +ostrea +ostreaceous +ostreger +ostreicultural +ostreiculture +ostreiculturist +ostreidae +ostreiform +ostreodynamometer +ostreoid +ostreophage +ostreophagist +ostreophagous +ostrya +ostrich +ostriches +ostrichlike +ostringer +ostrogoth +ostrogothian +ostrogothic +ostsis +ostsises +osullivan +oswald +oswegan +oswego +ot +otacoustic +otacousticon +otacust +otaheitan +otalgy +otalgia +otalgias +otalgic +otalgies +otary +otaria +otarian +otaries +otariidae +otariinae +otariine +otarine +otarioid +otate +otc +otectomy +otelcosis +otello +othaematoma +othake +othelcosis +othello +othematoma +othematomata +othemorrhea +otheoscope +other +otherdom +otherest +othergates +otherguess +otherguise +otherhow +otherism +otherist +otherness +others +othersome +othertime +othertimes +otherways +otherwards +otherwhence +otherwhere +otherwhereness +otherwheres +otherwhile +otherwhiles +otherwhither +otherwise +otherwiseness +otherworld +otherworldly +otherworldliness +otherworldness +othygroma +othin +othinism +othman +othmany +othonna +otyak +otiant +otiatry +otiatric +otiatrics +otic +oticodinia +otidae +otides +otidia +otididae +otidiform +otidine +otidiphaps +otidium +otiorhynchid +otiorhynchidae +otiorhynchinae +otiose +otiosely +otioseness +otiosity +otiosities +otis +otitic +otitides +otitis +otium +otkon +oto +otoantritis +otoblennorrhea +otocariasis +otocephaly +otocephalic +otocerebritis +otocyon +otocyst +otocystic +otocysts +otocleisis +otoconia +otoconial +otoconite +otoconium +otocrane +otocranial +otocranic +otocranium +otodynia +otodynic +otoencephalitis +otogenic +otogenous +otogyps +otography +otographical +otohemineurasthenia +otolaryngology +otolaryngologic +otolaryngological +otolaryngologies +otolaryngologist +otolaryngologists +otolite +otolith +otolithic +otolithidae +otoliths +otolithus +otolitic +otology +otologic +otological +otologically +otologies +otologist +otomaco +otomassage +otomi +otomian +otomyces +otomycosis +otomitlan +otomucormycosis +otonecrectomy +otoneuralgia +otoneurasthenia +otoneurology +otopathy +otopathic +otopathicetc +otopharyngeal +otophone +otopiesis +otopyorrhea +otopyosis +otoplasty +otoplastic +otopolypus +otorhinolaryngology +otorhinolaryngologic +otorhinolaryngologist +otorrhagia +otorrhea +otorrhoea +otosalpinx +otosclerosis +otoscope +otoscopes +otoscopy +otoscopic +otoscopies +otosis +otosphenal +otosteal +otosteon +ototoi +ototomy +ototoxic +otozoum +ottajanite +ottar +ottars +ottava +ottavarima +ottavas +ottave +ottavino +ottawa +ottawas +otter +otterer +otterhound +otters +ottetto +ottinger +ottingkar +otto +ottoman +ottomanean +ottomanic +ottomanism +ottomanization +ottomanize +ottomanlike +ottomans +ottomite +ottos +ottrelife +ottrelite +ottroye +ottweilian +otuquian +oturia +otus +otxi +ouabain +ouabains +ouabaio +ouabe +ouachitite +ouakari +ouananiche +ouanga +oubliance +oubliet +oubliette +oubliettes +ouch +ouches +oud +oudemian +oudenarde +oudenodon +oudenodont +ouds +ouenite +ouf +oufought +ough +ought +oughted +oughting +oughtlings +oughtlins +oughtness +oughtnt +oughts +oui +ouyezd +ouija +ouistiti +ouistitis +oukia +oulap +ounce +ounces +oundy +ounding +ounds +ouph +ouphe +ouphes +ouphish +ouphs +our +ourali +ourang +ourangs +ouranophobia +ouranos +ourari +ouraris +ourebi +ourebis +ouricury +ourie +ourn +ouroub +ourouparia +ours +oursel +ourself +oursels +ourselves +ousel +ousels +ousia +oust +ousted +oustee +ouster +ousters +ousting +oustiti +ousts +out +outact +outacted +outacting +outacts +outadd +outadded +outadding +outadds +outadmiral +outagami +outage +outages +outambush +outarde +outargue +outargued +outargues +outarguing +outas +outasight +outask +outasked +outasking +outasks +outate +outawe +outawed +outawing +outbabble +outbabbled +outbabbling +outback +outbacker +outbacks +outbade +outbake +outbaked +outbakes +outbaking +outbalance +outbalanced +outbalances +outbalancing +outban +outbanned +outbanning +outbanter +outbar +outbargain +outbargained +outbargaining +outbargains +outbark +outbarked +outbarking +outbarks +outbarred +outbarring +outbarter +outbat +outbatted +outbatter +outbatting +outbawl +outbawled +outbawling +outbawls +outbbled +outbbred +outbeam +outbeamed +outbeaming +outbeams +outbear +outbearing +outbeg +outbeggar +outbegged +outbegging +outbegs +outbelch +outbellow +outbend +outbending +outbent +outbetter +outby +outbid +outbidden +outbidder +outbidding +outbids +outbye +outbirth +outblacken +outblaze +outblazed +outblazes +outblazing +outbleat +outbleated +outbleating +outbleats +outbled +outbleed +outbleeding +outbless +outblessed +outblesses +outblessing +outblew +outbloom +outbloomed +outblooming +outblooms +outblossom +outblot +outblotted +outblotting +outblow +outblowing +outblown +outbluff +outbluffed +outbluffing +outbluffs +outblunder +outblush +outblushed +outblushes +outblushing +outbluster +outboard +outboards +outboast +outboasted +outboasting +outboasts +outbolting +outbond +outbook +outbore +outborn +outborne +outborough +outbound +outboundaries +outbounds +outbow +outbowed +outbowl +outbox +outboxed +outboxes +outboxing +outbrag +outbragged +outbragging +outbrags +outbray +outbraid +outbranch +outbranching +outbrave +outbraved +outbraves +outbraving +outbrazen +outbreak +outbreaker +outbreaking +outbreaks +outbreath +outbreathe +outbreathed +outbreather +outbreathing +outbred +outbreed +outbreeding +outbreeds +outbribe +outbribed +outbribes +outbribing +outbridge +outbridged +outbridging +outbring +outbringing +outbrother +outbrought +outbud +outbudded +outbudding +outbuy +outbuild +outbuilding +outbuildings +outbuilds +outbuilt +outbulge +outbulged +outbulging +outbulk +outbully +outbullied +outbullies +outbullying +outburn +outburned +outburning +outburns +outburnt +outburst +outbursts +outbustle +outbustled +outbustling +outbuzz +outcame +outcant +outcaper +outcapered +outcapering +outcapers +outcarol +outcaroled +outcaroling +outcarry +outcase +outcast +outcaste +outcasted +outcastes +outcasting +outcastness +outcasts +outcatch +outcatches +outcatching +outcaught +outcavil +outcaviled +outcaviling +outcavilled +outcavilling +outcavils +outcept +outchamber +outcharm +outcharmed +outcharming +outcharms +outchase +outchased +outchasing +outchatter +outcheat +outcheated +outcheating +outcheats +outchid +outchidden +outchide +outchided +outchides +outchiding +outcity +outcities +outclamor +outclass +outclassed +outclasses +outclassing +outclerk +outclimb +outclimbed +outclimbing +outclimbs +outclomb +outcome +outcomer +outcomes +outcoming +outcompass +outcompete +outcomplete +outcompliment +outcook +outcooked +outcooking +outcooks +outcorner +outcountry +outcourt +outcrawl +outcrawled +outcrawling +outcrawls +outcreep +outcreeping +outcrept +outcry +outcricket +outcried +outcrier +outcries +outcrying +outcrop +outcropped +outcropper +outcropping +outcroppings +outcrops +outcross +outcrossed +outcrosses +outcrossing +outcrow +outcrowd +outcrowed +outcrowing +outcrows +outcull +outcure +outcured +outcuring +outcurse +outcursed +outcurses +outcursing +outcurve +outcurved +outcurves +outcurving +outcut +outcutting +outdaciousness +outdance +outdanced +outdances +outdancing +outdare +outdared +outdares +outdaring +outdate +outdated +outdatedness +outdates +outdating +outdazzle +outdazzled +outdazzling +outdespatch +outdevil +outdeviled +outdeviling +outdid +outdispatch +outdistance +outdistanced +outdistances +outdistancing +outdistrict +outdo +outdodge +outdodged +outdodges +outdodging +outdoer +outdoers +outdoes +outdoing +outdone +outdoor +outdoorness +outdoors +outdoorsy +outdoorsman +outdoorsmanship +outdoorsmen +outdraft +outdragon +outdrank +outdraught +outdraw +outdrawing +outdrawn +outdraws +outdream +outdreamed +outdreaming +outdreams +outdreamt +outdress +outdressed +outdresses +outdressing +outdrew +outdrink +outdrinking +outdrinks +outdrive +outdriven +outdrives +outdriving +outdrop +outdropped +outdropping +outdrops +outdrove +outdrunk +outdure +outdwell +outdweller +outdwelling +outdwelt +outeat +outeate +outeaten +outeating +outeats +outecho +outechoed +outechoes +outechoing +outechos +outed +outedge +outedged +outedging +outeye +outeyed +outen +outequivocate +outequivocated +outequivocating +outer +outercoat +outerly +outermost +outerness +outers +outerwear +outfable +outfabled +outfables +outfabling +outface +outfaced +outfaces +outfacing +outfall +outfalls +outfame +outfamed +outfaming +outfangthief +outfast +outfasted +outfasting +outfasts +outfawn +outfawned +outfawning +outfawns +outfeast +outfeasted +outfeasting +outfeasts +outfeat +outfed +outfeed +outfeeding +outfeel +outfeeling +outfeels +outfelt +outfence +outfenced +outfencing +outferret +outffed +outfiction +outfield +outfielded +outfielder +outfielders +outfielding +outfields +outfieldsman +outfieldsmen +outfight +outfighter +outfighting +outfights +outfigure +outfigured +outfiguring +outfind +outfinding +outfinds +outfire +outfired +outfires +outfiring +outfish +outfit +outfits +outfitted +outfitter +outfitters +outfitting +outfittings +outflame +outflamed +outflaming +outflank +outflanked +outflanker +outflanking +outflanks +outflare +outflared +outflaring +outflash +outflatter +outfled +outflee +outfleeing +outflew +outfly +outflies +outflying +outfling +outflinging +outfloat +outflourish +outflow +outflowed +outflowing +outflown +outflows +outflue +outflung +outflunky +outflush +outflux +outfold +outfool +outfooled +outfooling +outfools +outfoot +outfooted +outfooting +outfoots +outform +outfort +outforth +outfought +outfound +outfox +outfoxed +outfoxes +outfoxing +outfreeman +outfront +outfroth +outfrown +outfrowned +outfrowning +outfrowns +outgabble +outgabbled +outgabbling +outgain +outgained +outgaining +outgains +outgallop +outgamble +outgambled +outgambling +outgame +outgamed +outgaming +outgang +outgarment +outgarth +outgas +outgassed +outgasses +outgassing +outgate +outgauge +outgave +outgaze +outgazed +outgazing +outgeneral +outgeneraled +outgeneraling +outgeneralled +outgeneralling +outgive +outgiven +outgives +outgiving +outglad +outglare +outglared +outglares +outglaring +outgleam +outglitter +outgloom +outglow +outglowed +outglowing +outglows +outgnaw +outgnawed +outgnawing +outgnawn +outgnaws +outgo +outgoer +outgoes +outgoing +outgoingness +outgoings +outgone +outgreen +outgrew +outgrin +outgrinned +outgrinning +outgrins +outground +outgroup +outgroups +outgrow +outgrowing +outgrown +outgrows +outgrowth +outgrowths +outguard +outguess +outguessed +outguesses +outguessing +outguide +outguided +outguides +outguiding +outgun +outgunned +outgunning +outguns +outgush +outgushes +outgushing +outhammer +outhasten +outhaul +outhauler +outhauls +outhear +outheard +outhearing +outhears +outheart +outhector +outheel +outher +outhymn +outhyperbolize +outhyperbolized +outhyperbolizing +outhire +outhired +outhiring +outhiss +outhit +outhits +outhitting +outhold +outhorn +outhorror +outhouse +outhouses +outhousing +outhowl +outhowled +outhowling +outhowls +outhue +outhumor +outhumored +outhumoring +outhumors +outhunt +outhurl +outhut +outyard +outyell +outyelled +outyelling +outyells +outyelp +outyelped +outyelping +outyelps +outyield +outyielded +outyielding +outyields +outimage +outing +outings +outinvent +outish +outissue +outissued +outissuing +outjazz +outjest +outjet +outjetted +outjetting +outjinx +outjinxed +outjinxes +outjinxing +outjockey +outjourney +outjourneyed +outjourneying +outjuggle +outjuggled +outjuggling +outjump +outjumped +outjumping +outjumps +outjut +outjuts +outjutted +outjutting +outkeep +outkeeper +outkeeping +outkeeps +outkept +outkick +outkicked +outkicking +outkicks +outkill +outking +outkiss +outkissed +outkisses +outkissing +outkitchen +outknave +outknee +outlabor +outlay +outlaid +outlaying +outlain +outlays +outlance +outlanced +outlancing +outland +outlander +outlandish +outlandishly +outlandishlike +outlandishness +outlands +outlash +outlast +outlasted +outlasting +outlasts +outlaugh +outlaughed +outlaughing +outlaughs +outlaunch +outlaw +outlawed +outlawing +outlawry +outlawries +outlaws +outlead +outleading +outlean +outleap +outleaped +outleaping +outleaps +outleapt +outlearn +outlearned +outlearning +outlearns +outlearnt +outled +outlegend +outlength +outlengthen +outler +outlet +outlets +outly +outlie +outlier +outliers +outlies +outligger +outlighten +outlying +outlimb +outlimn +outline +outlinear +outlined +outlineless +outliner +outlines +outlinger +outlining +outlip +outlipped +outlipping +outlive +outlived +outliver +outlivers +outlives +outliving +outlled +outlodging +outlook +outlooker +outlooks +outlope +outlord +outlot +outlove +outloved +outloves +outloving +outlung +outluster +outmagic +outmalaprop +outmalapropped +outmalapropping +outman +outmaneuver +outmaneuvered +outmaneuvering +outmaneuvers +outmanned +outmanning +outmanoeuvered +outmanoeuvering +outmanoeuvre +outmans +outmantle +outmarch +outmarched +outmarches +outmarching +outmarry +outmarriage +outmarried +outmarrying +outmaster +outmatch +outmatched +outmatches +outmatching +outmate +outmated +outmating +outmeasure +outmeasured +outmeasuring +outmen +outmerchant +outmiracle +outmode +outmoded +outmodes +outmoding +outmost +outmount +outmouth +outmove +outmoved +outmoves +outmoving +outname +outness +outnight +outnoise +outnook +outnumber +outnumbered +outnumbering +outnumbers +outoffice +outoven +outpace +outpaced +outpaces +outpacing +outpage +outpay +outpayment +outpaint +outpainted +outpainting +outpaints +outparagon +outparamour +outparish +outpart +outparts +outpass +outpassed +outpasses +outpassing +outpassion +outpath +outpatient +outpatients +outpeal +outpeep +outpeer +outpension +outpensioner +outpeople +outpeopled +outpeopling +outperform +outperformed +outperforming +outperforms +outpick +outpicket +outpipe +outpiped +outpiping +outpitch +outpity +outpitied +outpities +outpitying +outplace +outplay +outplayed +outplaying +outplays +outplan +outplanned +outplanning +outplans +outplease +outpleased +outpleasing +outplod +outplodded +outplodding +outplods +outplot +outplotted +outplotting +outpocketing +outpoint +outpointed +outpointing +outpoints +outpoise +outpoison +outpoll +outpolled +outpolling +outpolls +outpomp +outpop +outpopped +outpopping +outpopulate +outpopulated +outpopulating +outporch +outport +outporter +outportion +outports +outpost +outposts +outpouching +outpour +outpoured +outpourer +outpouring +outpourings +outpours +outpractice +outpracticed +outpracticing +outpray +outprayed +outpraying +outprays +outpraise +outpraised +outpraising +outpreach +outpreen +outpreened +outpreening +outpreens +outpress +outpressed +outpresses +outpressing +outpry +outprice +outpriced +outprices +outpricing +outpried +outprying +outprodigy +outproduce +outproduced +outproduces +outproducing +outpromise +outpromised +outpromising +outpull +outpulled +outpulling +outpulls +outpupil +outpurl +outpurse +outpursue +outpursued +outpursuing +outpush +outpushed +outpushes +outpushing +output +outputs +outputted +outputter +outputting +outquaff +outquarters +outqueen +outquery +outqueried +outquerying +outquestion +outquibble +outquibbled +outquibbling +outquibled +outquibling +outquote +outquoted +outquotes +outquoting +outr +outrace +outraced +outraces +outracing +outrage +outraged +outragely +outrageous +outrageously +outrageousness +outrageproof +outrager +outrages +outraging +outray +outrail +outraise +outraised +outraises +outraising +outrake +outran +outrance +outrances +outrang +outrange +outranged +outranges +outranging +outrank +outranked +outranking +outranks +outrant +outrap +outrapped +outrapping +outrate +outrated +outrating +outraught +outrave +outraved +outraves +outraving +outraze +outre +outreach +outreached +outreaches +outreaching +outread +outreading +outreads +outreason +outreasoned +outreasoning +outreasons +outreckon +outrecuidance +outredden +outrede +outreign +outrelief +outremer +outreness +outrhyme +outrhymed +outrhyming +outrib +outribbed +outribbing +outrick +outridden +outride +outrider +outriders +outrides +outriding +outrig +outrigged +outrigger +outriggered +outriggerless +outriggers +outrigging +outright +outrightly +outrightness +outring +outringing +outrings +outrival +outrivaled +outrivaling +outrivalled +outrivalling +outrivals +outrive +outroad +outroar +outroared +outroaring +outroars +outrock +outrocked +outrocking +outrocks +outrode +outrogue +outrogued +outroguing +outroyal +outroll +outrolled +outrolling +outrolls +outromance +outromanced +outromancing +outroop +outrooper +outroot +outrooted +outrooting +outroots +outrove +outroved +outroving +outrow +outrun +outrung +outrunner +outrunning +outruns +outrush +outrushes +outs +outsay +outsaid +outsaying +outsail +outsailed +outsailing +outsails +outsaint +outsally +outsallied +outsallying +outsang +outsat +outsatisfy +outsatisfied +outsatisfying +outsavor +outsavored +outsavoring +outsavors +outsaw +outscape +outscent +outscold +outscolded +outscolding +outscolds +outscore +outscored +outscores +outscoring +outscorn +outscorned +outscorning +outscorns +outscour +outscouring +outscout +outscream +outsea +outseam +outsearch +outsee +outseeing +outseek +outseeking +outseen +outsees +outsell +outselling +outsells +outsend +outsentinel +outsentry +outsentries +outsert +outserts +outservant +outserve +outserved +outserves +outserving +outset +outsets +outsetting +outsettlement +outsettler +outshadow +outshake +outshame +outshamed +outshames +outshaming +outshape +outshaped +outshaping +outsharp +outsharpen +outsheathe +outshift +outshifts +outshine +outshined +outshiner +outshines +outshining +outshone +outshoot +outshooting +outshoots +outshot +outshoulder +outshout +outshouted +outshouting +outshouts +outshove +outshoved +outshoving +outshow +outshowed +outshower +outshown +outshriek +outshrill +outshut +outside +outsided +outsidedness +outsideness +outsider +outsiderness +outsiders +outsides +outsift +outsigh +outsight +outsights +outsin +outsing +outsinging +outsings +outsinned +outsinning +outsins +outsit +outsits +outsitting +outsize +outsized +outsizes +outskill +outskip +outskipped +outskipping +outskirmish +outskirmisher +outskirt +outskirter +outskirts +outslander +outslang +outsleep +outsleeping +outsleeps +outslept +outslick +outslid +outslide +outsling +outslink +outslip +outsmart +outsmarted +outsmarting +outsmarts +outsmell +outsmile +outsmiled +outsmiles +outsmiling +outsmoke +outsmoked +outsmokes +outsmoking +outsnatch +outsnore +outsnored +outsnores +outsnoring +outsoar +outsoared +outsoaring +outsoars +outsold +outsole +outsoler +outsoles +outsonet +outsonnet +outsophisticate +outsophisticated +outsophisticating +outsought +outsound +outspan +outspanned +outspanning +outspans +outsparkle +outsparkled +outsparkling +outsparspied +outsparspying +outsparspinned +outsparspinning +outsparsprued +outsparspruing +outspat +outspeak +outspeaker +outspeaking +outspeaks +outsped +outspeech +outspeed +outspell +outspelled +outspelling +outspells +outspelt +outspend +outspending +outspends +outspent +outspy +outspied +outspying +outspill +outspin +outspinned +outspinning +outspirit +outspit +outsplendor +outspoke +outspoken +outspokenly +outspokenness +outsport +outspout +outsprang +outspread +outspreading +outspreads +outspring +outsprint +outsprue +outsprued +outspruing +outspue +outspurn +outspurt +outstagger +outstay +outstaid +outstayed +outstaying +outstair +outstays +outstand +outstander +outstanding +outstandingly +outstandingness +outstandings +outstands +outstank +outstare +outstared +outstares +outstaring +outstart +outstarted +outstarter +outstarting +outstartle +outstartled +outstartling +outstarts +outstate +outstated +outstater +outstates +outstating +outstation +outstations +outstatistic +outstature +outstatured +outstaturing +outsteal +outstealing +outsteam +outsteer +outsteered +outsteering +outsteers +outstep +outstepped +outstepping +outsting +outstinging +outstink +outstole +outstolen +outstood +outstorm +outstrain +outstream +outstreet +outstretch +outstretched +outstretcher +outstretches +outstretching +outstridden +outstride +outstriding +outstrike +outstrip +outstripped +outstripping +outstrips +outstrive +outstriven +outstriving +outstrode +outstroke +outstrove +outstruck +outstrut +outstrutted +outstrutting +outstudent +outstudy +outstudied +outstudies +outstudying +outstung +outstunt +outstunted +outstunting +outstunts +outsubtle +outsuck +outsucken +outsuffer +outsuitor +outsulk +outsulked +outsulking +outsulks +outsum +outsummed +outsumming +outsung +outsuperstition +outswagger +outswam +outsware +outswarm +outswear +outswearing +outswears +outsweep +outsweeping +outsweepings +outsweeten +outswell +outswift +outswim +outswimming +outswims +outswindle +outswindled +outswindling +outswing +outswinger +outswinging +outswirl +outswore +outsworn +outswum +outswung +outtake +outtaken +outtakes +outtalent +outtalk +outtalked +outtalking +outtalks +outtask +outtasked +outtasking +outtasks +outtaste +outtear +outtearing +outtease +outteased +outteasing +outtell +outtelling +outtells +outthank +outthanked +outthanking +outthanks +outthieve +outthieved +outthieving +outthink +outthinking +outthinks +outthought +outthreaten +outthrew +outthrob +outthrobbed +outthrobbing +outthrobs +outthrough +outthrow +outthrowing +outthrown +outthrows +outthrust +outthruster +outthrusting +outthunder +outthwack +outtinkle +outtinkled +outtinkling +outtyrannize +outtyrannized +outtyrannizing +outtire +outtired +outtiring +outtoil +outtold +outtongue +outtongued +outtonguing +outtop +outtopped +outtopping +outtore +outtorn +outtower +outtowered +outtowering +outtowers +outtrade +outtraded +outtrades +outtrading +outtrail +outtravel +outtraveled +outtraveling +outtrick +outtricked +outtricking +outtricks +outtrot +outtrots +outtrotted +outtrotting +outtrump +outtrumped +outtrumping +outtrumps +outttore +outttorn +outturn +outturned +outturns +outtwine +outusure +outvalue +outvalued +outvalues +outvaluing +outvanish +outvaunt +outvaunted +outvaunting +outvaunts +outvelvet +outvenom +outvictor +outvie +outvied +outvier +outvigil +outvying +outvillage +outvillain +outvociferate +outvociferated +outvociferating +outvoyage +outvoyaged +outvoyaging +outvoice +outvoiced +outvoices +outvoicing +outvote +outvoted +outvoter +outvotes +outvoting +outway +outwait +outwaited +outwaiting +outwaits +outwake +outwale +outwalk +outwalked +outwalking +outwalks +outwall +outwallop +outwander +outwar +outwarble +outwarbled +outwarbling +outward +outwardly +outwardmost +outwardness +outwards +outwardsoutwarred +outwarring +outwars +outwash +outwashes +outwaste +outwasted +outwastes +outwasting +outwatch +outwatched +outwatches +outwatching +outwater +outwave +outwaved +outwaving +outwealth +outweapon +outweaponed +outwear +outweary +outwearied +outwearies +outwearying +outwearing +outwears +outweave +outweaving +outweed +outweep +outweeping +outweeps +outweigh +outweighed +outweighing +outweighs +outweight +outwell +outwent +outwept +outwhirl +outwhirled +outwhirling +outwhirls +outwick +outwiggle +outwiggled +outwiggling +outwile +outwiled +outwiles +outwiling +outwill +outwilled +outwilling +outwills +outwin +outwind +outwinded +outwinding +outwindow +outwinds +outwing +outwish +outwished +outwishes +outwishing +outwit +outwith +outwits +outwittal +outwitted +outwitter +outwitting +outwoe +outwoman +outwood +outword +outwore +outwork +outworked +outworker +outworkers +outworking +outworks +outworld +outworn +outworth +outwove +outwoven +outwrangle +outwrangled +outwrangling +outwrench +outwrest +outwrestle +outwrestled +outwrestling +outwriggle +outwriggled +outwriggling +outwring +outwringing +outwrit +outwrite +outwrites +outwriting +outwritten +outwrote +outwrought +outwrung +outwwept +outwwove +outwwoven +outzany +ouvert +ouverte +ouvrage +ouvre +ouvrier +ouvriere +ouze +ouzel +ouzels +ouzo +ouzos +ova +ovaherero +oval +ovalbumen +ovalbumin +ovalescent +ovaliform +ovalish +ovality +ovalities +ovalization +ovalize +ovally +ovalness +ovalnesses +ovaloid +ovals +ovalwise +ovambo +ovampo +ovangangela +ovant +ovary +ovaria +ovarial +ovarian +ovariectomy +ovariectomize +ovariectomized +ovariectomizing +ovaries +ovarin +ovarioabdominal +ovariocele +ovariocentesis +ovariocyesis +ovariodysneuria +ovariohysterectomy +ovariole +ovarioles +ovariolumbar +ovariorrhexis +ovariosalpingectomy +ovariosteresis +ovariostomy +ovariotomy +ovariotomies +ovariotomist +ovariotomize +ovariotubal +ovarious +ovaritides +ovaritis +ovarium +ovate +ovateconical +ovated +ovately +ovation +ovational +ovationary +ovations +ovatoacuminate +ovatocylindraceous +ovatoconical +ovatocordate +ovatodeltoid +ovatoellipsoidal +ovatoglobose +ovatolanceolate +ovatooblong +ovatoorbicular +ovatopyriform +ovatoquadrangular +ovatorotundate +ovatoserrate +ovatotriangular +ovey +oven +ovenbird +ovenbirds +ovendry +ovened +ovenful +ovening +ovenly +ovenlike +ovenman +ovenmen +ovenpeel +ovens +ovensman +ovenstone +ovenware +ovenwares +ovenwise +ovenwood +over +overability +overable +overably +overabound +overabounded +overabounding +overabounds +overabsorb +overabsorption +overabstain +overabstemious +overabstemiously +overabstemiousness +overabundance +overabundant +overabundantly +overabuse +overabused +overabusing +overabusive +overabusively +overabusiveness +overaccelerate +overaccelerated +overaccelerating +overacceleration +overaccentuate +overaccentuated +overaccentuating +overaccentuation +overaccumulate +overaccumulated +overaccumulating +overaccumulation +overaccuracy +overaccurate +overaccurately +overachieve +overachieved +overachiever +overachieving +overacidity +overact +overacted +overacting +overaction +overactivate +overactivated +overactivating +overactive +overactiveness +overactivity +overacts +overacute +overacutely +overacuteness +overaddiction +overadorn +overadorned +overadornment +overadvance +overadvanced +overadvancing +overadvice +overaffect +overaffected +overaffirm +overaffirmation +overaffirmative +overaffirmatively +overaffirmativeness +overafflict +overaffliction +overage +overageness +overages +overaggravate +overaggravated +overaggravating +overaggravation +overaggressive +overaggressively +overaggressiveness +overagitate +overagitated +overagitating +overagitation +overagonize +overalcoholize +overalcoholized +overalcoholizing +overall +overalled +overallegiance +overallegorize +overallegorized +overallegorizing +overalls +overambitioned +overambitious +overambitiously +overambitiousness +overambling +overanalysis +overanalytical +overanalytically +overanalyze +overanalyzed +overanalyzely +overanalyzes +overanalyzing +overangelic +overangry +overanimated +overanimatedly +overanimation +overannotate +overannotated +overannotating +overanswer +overanxiety +overanxious +overanxiously +overanxiousness +overappareled +overapplaud +overappraisal +overappraise +overappraised +overappraising +overappreciation +overappreciative +overappreciatively +overappreciativeness +overapprehended +overapprehension +overapprehensive +overapprehensively +overapprehensiveness +overapt +overaptly +overaptness +overarch +overarched +overarches +overarching +overargue +overargued +overarguing +overargumentative +overargumentatively +overargumentativeness +overarm +overartificial +overartificiality +overartificially +overassail +overassert +overassertion +overassertive +overassertively +overassertiveness +overassess +overassessment +overassume +overassumed +overassuming +overassumption +overassumptive +overassumptively +overassured +overassuredly +overassuredness +overate +overattached +overattachment +overattention +overattentive +overattentively +overattentiveness +overattenuate +overattenuated +overattenuating +overawe +overawed +overawes +overawful +overawing +overawn +overawning +overbade +overbait +overbake +overbaked +overbakes +overbaking +overbalance +overbalanced +overbalances +overbalancing +overballast +overbalm +overbanded +overbandy +overbank +overbanked +overbar +overbarish +overbark +overbarren +overbarrenness +overbase +overbaseness +overbashful +overbashfully +overbashfulness +overbattle +overbbore +overbborne +overbbred +overbear +overbearance +overbearer +overbearing +overbearingly +overbearingness +overbears +overbeat +overbeating +overbeetling +overbelief +overbend +overbepatched +overberg +overbet +overbets +overbetted +overbetting +overby +overbias +overbid +overbidden +overbidding +overbide +overbids +overbig +overbigness +overbill +overbillow +overbit +overbite +overbites +overbitten +overbitter +overbitterly +overbitterness +overblack +overblame +overblamed +overblaming +overblanch +overblaze +overbleach +overblessed +overblessedness +overblew +overblind +overblindly +overblithe +overbloom +overblouse +overblow +overblowing +overblown +overblows +overboard +overboast +overboastful +overboastfully +overboastfulness +overbody +overbodice +overboding +overboil +overbold +overboldly +overboldness +overbook +overbooked +overbooking +overbookish +overbookishly +overbookishness +overbooks +overbooming +overboot +overbore +overborn +overborne +overborrow +overbought +overbound +overbounteous +overbounteously +overbounteousness +overbow +overbowed +overbowl +overbrace +overbraced +overbracing +overbrag +overbragged +overbragging +overbray +overbrained +overbrake +overbraked +overbraking +overbranch +overbravado +overbrave +overbravely +overbraveness +overbravery +overbreak +overbreakage +overbreathe +overbred +overbreed +overbreeding +overbribe +overbridge +overbright +overbrightly +overbrightness +overbrilliance +overbrilliancy +overbrilliant +overbrilliantly +overbrim +overbrimmed +overbrimming +overbrimmingly +overbroaden +overbroil +overbrood +overbrow +overbrown +overbrowse +overbrowsed +overbrowsing +overbrush +overbrutal +overbrutality +overbrutalities +overbrutalization +overbrutalize +overbrutalized +overbrutalizing +overbrutally +overbubbling +overbuy +overbuying +overbuild +overbuilding +overbuilt +overbuys +overbulk +overbulky +overbulkily +overbulkiness +overbumptious +overbumptiously +overbumptiousness +overburden +overburdened +overburdening +overburdeningly +overburdens +overburdensome +overburn +overburned +overburningly +overburnt +overburst +overburthen +overbusy +overbusily +overbusiness +overbusyness +overcalculate +overcalculation +overcall +overcalled +overcalling +overcalls +overcame +overcanny +overcanopy +overcap +overcapability +overcapable +overcapably +overcapacity +overcapacities +overcape +overcapitalisation +overcapitalise +overcapitalised +overcapitalising +overcapitalization +overcapitalize +overcapitalized +overcapitalizes +overcapitalizing +overcaptious +overcaptiously +overcaptiousness +overcard +overcare +overcareful +overcarefully +overcarefulness +overcareless +overcarelessly +overcarelessness +overcaring +overcarking +overcarry +overcarrying +overcast +overcasting +overcasts +overcasual +overcasually +overcasualness +overcasuistical +overcatch +overcaustic +overcaustically +overcausticity +overcaution +overcautious +overcautiously +overcautiousness +overcensor +overcensorious +overcensoriously +overcensoriousness +overcentralization +overcentralize +overcentralized +overcentralizing +overcerebral +overcertify +overcertification +overcertified +overcertifying +overchafe +overchafed +overchafing +overchannel +overchant +overcharge +overcharged +overchargement +overcharger +overcharges +overcharging +overcharitable +overcharitableness +overcharitably +overcharity +overchase +overchased +overchasing +overcheap +overcheaply +overcheapness +overcheck +overcherish +overcherished +overchidden +overchief +overchildish +overchildishly +overchildishness +overchill +overchlorinate +overchoke +overchrome +overchurch +overcirculate +overcircumspect +overcircumspection +overcivil +overcivility +overcivilization +overcivilize +overcivilized +overcivilizing +overcivilly +overclaim +overclamor +overclasp +overclean +overcleanly +overcleanness +overcleave +overclemency +overclement +overclever +overcleverly +overcleverness +overclimb +overclinical +overclinically +overclinicalness +overcloak +overclog +overclogged +overclogging +overcloy +overclose +overclosely +overcloseness +overclothe +overclothes +overcloud +overclouded +overclouding +overclouds +overcluster +overclutter +overcoached +overcoat +overcoated +overcoating +overcoats +overcoy +overcoil +overcoyly +overcoyness +overcold +overcoldly +overcollar +overcolor +overcoloration +overcoloring +overcolour +overcomable +overcome +overcomer +overcomes +overcoming +overcomingly +overcommand +overcommend +overcommendation +overcommercialization +overcommercialize +overcommercialized +overcommercializing +overcommit +overcommitment +overcommon +overcommonly +overcommonness +overcommunicative +overcompensate +overcompensated +overcompensates +overcompensating +overcompensation +overcompensations +overcompensatory +overcompensators +overcompetition +overcompetitive +overcompetitively +overcompetitiveness +overcomplacence +overcomplacency +overcomplacent +overcomplacently +overcomplete +overcomplex +overcomplexity +overcompliant +overcomplicate +overcomplicated +overcomplicating +overcompound +overconcentrate +overconcentrated +overconcentrating +overconcentration +overconcern +overconcerned +overcondensation +overcondense +overcondensed +overcondensing +overconfidence +overconfident +overconfidently +overconfiding +overconfute +overconquer +overconscientious +overconscientiously +overconscientiousness +overconscious +overconsciously +overconsciousness +overconservatism +overconservative +overconservatively +overconservativeness +overconsiderate +overconsiderately +overconsiderateness +overconsideration +overconstant +overconstantly +overconstantness +overconsume +overconsumed +overconsuming +overconsumption +overcontented +overcontentedly +overcontentedness +overcontentious +overcontentiously +overcontentiousness +overcontentment +overcontract +overcontraction +overcontribute +overcontributed +overcontributing +overcontribution +overcontrite +overcontritely +overcontriteness +overcontrol +overcontrolled +overcontrolling +overcook +overcooked +overcooking +overcooks +overcool +overcooled +overcooling +overcoolly +overcoolness +overcools +overcopious +overcopiously +overcopiousness +overcorned +overcorrect +overcorrection +overcorrupt +overcorruption +overcorruptly +overcostly +overcostliness +overcount +overcourteous +overcourteously +overcourteousness +overcourtesy +overcover +overcovetous +overcovetously +overcovetousness +overcow +overcram +overcramme +overcrammed +overcrammi +overcramming +overcrams +overcredit +overcredulity +overcredulous +overcredulously +overcredulousness +overcreed +overcreep +overcry +overcritical +overcritically +overcriticalness +overcriticism +overcriticize +overcriticized +overcriticizing +overcrop +overcropped +overcropping +overcrops +overcross +overcrossing +overcrow +overcrowd +overcrowded +overcrowdedly +overcrowdedness +overcrowding +overcrowds +overcrown +overcrust +overcull +overcultivate +overcultivated +overcultivating +overcultivation +overculture +overcultured +overcumber +overcunning +overcunningly +overcunningness +overcup +overcured +overcuriosity +overcurious +overcuriously +overcuriousness +overcurl +overcurrency +overcurrent +overcurtain +overcustom +overcut +overcutter +overcutting +overdainty +overdaintily +overdaintiness +overdamn +overdance +overdangle +overdare +overdared +overdares +overdaring +overdaringly +overdarken +overdash +overdated +overdazed +overdazzle +overdazzled +overdazzling +overdeal +overdear +overdearly +overdearness +overdebate +overdebated +overdebating +overdebilitate +overdebilitated +overdebilitating +overdecadence +overdecadent +overdecadently +overdeck +overdecked +overdecking +overdecks +overdecorate +overdecorated +overdecorates +overdecorating +overdecoration +overdecorative +overdecoratively +overdecorativeness +overdedicate +overdedicated +overdedicating +overdedication +overdeeming +overdeep +overdeepen +overdeeply +overdefensive +overdefensively +overdefensiveness +overdeferential +overdeferentially +overdefiant +overdefiantly +overdefiantness +overdefined +overdeliberate +overdeliberated +overdeliberately +overdeliberateness +overdeliberating +overdeliberation +overdelicacy +overdelicate +overdelicately +overdelicateness +overdelicious +overdeliciously +overdeliciousness +overdelighted +overdelightedly +overdemand +overdemandiness +overdemandingly +overdemandingness +overdemocracy +overdemonstrative +overden +overdenunciation +overdependence +overdependent +overdepress +overdepressive +overdepressively +overdepressiveness +overderide +overderided +overderiding +overderisive +overderisively +overderisiveness +overdescant +overdescribe +overdescribed +overdescribing +overdescriptive +overdescriptively +overdescriptiveness +overdesire +overdesirous +overdesirously +overdesirousness +overdestructive +overdestructively +overdestructiveness +overdetailed +overdetermination +overdetermined +overdevelop +overdeveloped +overdeveloping +overdevelopment +overdevelops +overdevoted +overdevotedly +overdevotedness +overdevotion +overdevout +overdevoutness +overdid +overdye +overdyed +overdyeing +overdyer +overdyes +overdiffuse +overdiffused +overdiffusely +overdiffuseness +overdiffusing +overdiffusingly +overdiffusingness +overdiffusion +overdigest +overdignify +overdignified +overdignifiedly +overdignifiedness +overdignifying +overdignity +overdying +overdilate +overdilated +overdilating +overdilation +overdiligence +overdiligent +overdiligently +overdiligentness +overdilute +overdiluted +overdiluting +overdilution +overdischarge +overdiscipline +overdisciplined +overdisciplining +overdiscount +overdiscourage +overdiscouraged +overdiscouragement +overdiscouraging +overdiscreet +overdiscreetly +overdiscreetness +overdiscriminating +overdiscriminatingly +overdiscrimination +overdiscuss +overdistance +overdistant +overdistantly +overdistantness +overdistempered +overdistend +overdistension +overdistention +overdistort +overdistortion +overdistrait +overdistraught +overdiverse +overdiversely +overdiverseness +overdiversify +overdiversification +overdiversified +overdiversifies +overdiversifying +overdiversity +overdo +overdoctrinaire +overdoctrinize +overdoer +overdoers +overdoes +overdogmatic +overdogmatical +overdogmatically +overdogmaticalness +overdogmatism +overdoing +overdome +overdomesticate +overdomesticated +overdomesticating +overdominance +overdominant +overdominate +overdominated +overdominating +overdone +overdoor +overdosage +overdose +overdosed +overdoses +overdosing +overdoubt +overdoze +overdozed +overdozing +overdraft +overdrafts +overdrain +overdrainage +overdramatic +overdramatically +overdramatize +overdramatized +overdramatizes +overdramatizing +overdrank +overdrape +overdrapery +overdraught +overdraw +overdrawer +overdrawing +overdrawn +overdraws +overdream +overdredge +overdredged +overdredging +overdrench +overdress +overdressed +overdresses +overdressing +overdrew +overdry +overdried +overdrifted +overdrily +overdriness +overdrink +overdrinking +overdrinks +overdrip +overdrive +overdriven +overdrives +overdriving +overdroop +overdrove +overdrowsed +overdrunk +overdubbed +overdue +overdunged +overdure +overdust +overeager +overeagerly +overeagerness +overearly +overearnest +overearnestly +overearnestness +overeasy +overeasily +overeasiness +overeat +overeate +overeaten +overeater +overeating +overeats +overed +overedge +overedit +overeditorialize +overeditorialized +overeditorializing +overeducate +overeducated +overeducates +overeducating +overeducation +overeducative +overeducatively +overeffort +overeffusive +overeffusively +overeffusiveness +overegg +overeye +overeyebrowed +overeyed +overeying +overelaborate +overelaborated +overelaborately +overelaborateness +overelaborates +overelaborating +overelaboration +overelate +overelated +overelating +overelegance +overelegancy +overelegant +overelegantly +overelegantness +overelliptical +overelliptically +overembellish +overembellished +overembellishes +overembellishing +overembellishment +overembroider +overemotional +overemotionality +overemotionalize +overemotionalized +overemotionalizing +overemotionally +overemotionalness +overemphasis +overemphasize +overemphasized +overemphasizes +overemphasizing +overemphatic +overemphatical +overemphatically +overemphaticalness +overemphaticness +overempired +overempirical +overempirically +overemploy +overemployment +overempty +overemptiness +overemulate +overemulated +overemulating +overemulation +overenter +overenthusiasm +overenthusiastic +overenthusiastically +overentreat +overentry +overenvious +overenviously +overenviousness +overequal +overequip +overest +overesteem +overestimate +overestimated +overestimates +overestimating +overestimation +overestimations +overexacting +overexaggerate +overexaggerated +overexaggerating +overexcelling +overexcitability +overexcitable +overexcitably +overexcite +overexcited +overexcitement +overexcites +overexciting +overexercise +overexercised +overexercises +overexercising +overexert +overexerted +overexertedly +overexertedness +overexerting +overexertion +overexerts +overexpand +overexpanded +overexpanding +overexpands +overexpansion +overexpansive +overexpansively +overexpansiveness +overexpect +overexpectant +overexpectantly +overexpectantness +overexpend +overexpenditure +overexpert +overexplain +overexplanation +overexplicit +overexploited +overexpose +overexposed +overexposes +overexposing +overexposure +overexpress +overexpressive +overexpressively +overexpressiveness +overexquisite +overexquisitely +overextend +overextended +overextending +overextends +overextension +overextensive +overextreme +overexuberance +overexuberant +overexuberantly +overexuberantness +overface +overfacile +overfacilely +overfacility +overfactious +overfactiously +overfactiousness +overfactitious +overfag +overfagged +overfagging +overfaint +overfaintly +overfaintness +overfaith +overfaithful +overfaithfully +overfaithfulness +overfall +overfallen +overfalling +overfamed +overfamiliar +overfamiliarity +overfamiliarly +overfamous +overfancy +overfanciful +overfancifully +overfancifulness +overfar +overfast +overfastidious +overfastidiously +overfastidiousness +overfasting +overfat +overfatigue +overfatigued +overfatigues +overfatiguing +overfatness +overfatten +overfault +overfavor +overfavorable +overfavorableness +overfavorably +overfear +overfeared +overfearful +overfearfully +overfearfulness +overfearing +overfears +overfeast +overfeatured +overfed +overfee +overfeed +overfeeding +overfeeds +overfeel +overfell +overfellowly +overfellowlike +overfelon +overfeminine +overfemininely +overfemininity +overfeminize +overfeminized +overfeminizing +overfertile +overfertility +overfervent +overfervently +overferventness +overfestoon +overfew +overfierce +overfiercely +overfierceness +overfile +overfill +overfilled +overfilling +overfills +overfilm +overfilter +overfine +overfinished +overfish +overfished +overfishes +overfishing +overfit +overfix +overflap +overflat +overflatly +overflatness +overflatten +overflavor +overfleece +overfleshed +overflew +overflexion +overfly +overflies +overflight +overflights +overflying +overfling +overfloat +overflog +overflogged +overflogging +overflood +overflorid +overfloridly +overfloridness +overflour +overflourish +overflow +overflowable +overflowed +overflower +overflowing +overflowingly +overflowingness +overflown +overflows +overfluency +overfluent +overfluently +overfluentness +overflush +overflutter +overfold +overfond +overfondle +overfondled +overfondly +overfondling +overfondness +overfoolish +overfoolishly +overfoolishness +overfoot +overforce +overforced +overforcing +overforged +overformalize +overformalized +overformalizing +overformed +overforward +overforwardly +overforwardness +overfought +overfoul +overfoully +overfoulness +overfragile +overfragmented +overfrail +overfrailly +overfrailness +overfrailty +overfranchised +overfrank +overfrankly +overfrankness +overfraught +overfree +overfreedom +overfreely +overfreight +overfreighted +overfrequency +overfrequent +overfrequently +overfret +overfrieze +overfrighted +overfrighten +overfroth +overfrown +overfrozen +overfrugal +overfrugality +overfrugally +overfruited +overfruitful +overfruitfully +overfruitfulness +overfrustration +overfull +overfullness +overfunctioning +overfurnish +overfurnished +overfurnishes +overfurnishing +overgaiter +overgalled +overgamble +overgambled +overgambling +overgang +overgarment +overgarnish +overgarrison +overgaze +overgeneral +overgeneralization +overgeneralize +overgeneralized +overgeneralizes +overgeneralizing +overgenerally +overgenerosity +overgenerous +overgenerously +overgenerousness +overgenial +overgeniality +overgenially +overgenialness +overgentle +overgently +overgesticulate +overgesticulated +overgesticulating +overgesticulation +overgesticulative +overgesticulatively +overgesticulativeness +overget +overgetting +overgifted +overgild +overgilded +overgilding +overgilds +overgilt +overgilted +overgird +overgirded +overgirding +overgirdle +overgirds +overgirt +overgive +overglad +overgladly +overglance +overglanced +overglancing +overglass +overglaze +overglazed +overglazes +overglazing +overglide +overglint +overgloom +overgloomy +overgloomily +overgloominess +overglorious +overgloss +overglut +overgo +overgoad +overgoaded +overgoading +overgoads +overgod +overgodly +overgodliness +overgoing +overgone +overgood +overgorge +overgorged +overgot +overgotten +overgovern +overgovernment +overgown +overgrace +overgracious +overgraciously +overgraciousness +overgrade +overgraded +overgrading +overgraduated +overgrain +overgrainer +overgrasping +overgrateful +overgratefully +overgratefulness +overgratify +overgratification +overgratified +overgratifying +overgratitude +overgraze +overgrazed +overgrazes +overgrazing +overgreasy +overgreasiness +overgreat +overgreatly +overgreatness +overgreed +overgreedy +overgreedily +overgreediness +overgrew +overgrieve +overgrieved +overgrieving +overgrievous +overgrievously +overgrievousness +overgrind +overgross +overgrossly +overgrossness +overground +overgrow +overgrowing +overgrown +overgrows +overgrowth +overguilty +overgun +overhail +overhair +overhale +overhalf +overhand +overhanded +overhandicap +overhandicapped +overhandicapping +overhanding +overhandle +overhandled +overhandling +overhands +overhang +overhanging +overhangs +overhappy +overhappily +overhappiness +overharass +overharassment +overhard +overharden +overhardy +overhardness +overharsh +overharshly +overharshness +overhaste +overhasten +overhasty +overhastily +overhastiness +overhate +overhated +overhates +overhating +overhatted +overhaughty +overhaughtily +overhaughtiness +overhaul +overhauled +overhauler +overhauling +overhauls +overhead +overheady +overheadiness +overheadman +overheads +overheap +overheaped +overheaping +overheaps +overhear +overheard +overhearer +overhearing +overhears +overhearty +overheartily +overheartiness +overheat +overheated +overheatedly +overheating +overheats +overheave +overheavy +overheavily +overheaviness +overheight +overheighten +overheinous +overheld +overhelp +overhelpful +overhelpfully +overhelpfulness +overhie +overhigh +overhighly +overhill +overhip +overhysterical +overhit +overhold +overholding +overholds +overholy +overholiness +overhollow +overhomely +overhomeliness +overhonest +overhonesty +overhonestly +overhonestness +overhonor +overhope +overhoped +overhopes +overhoping +overhorse +overhostile +overhostilely +overhostility +overhot +overhotly +overhour +overhouse +overhover +overhuge +overhugely +overhugeness +overhuman +overhumane +overhumanity +overhumanize +overhumanized +overhumanizing +overhumble +overhumbleness +overhumbly +overhung +overhunt +overhunted +overhunting +overhunts +overhurl +overhurry +overhurried +overhurriedly +overhurrying +overhusk +overidden +overidealism +overidealistic +overidealize +overidealized +overidealizing +overidentify +overidentified +overidentifying +overidle +overidleness +overidly +overidness +overidolatrous +overidolatrously +overidolatrousness +overyear +overillustrate +overillustrated +overillustrating +overillustration +overillustrative +overillustratively +overimaginative +overimaginatively +overimaginativeness +overimitate +overimitated +overimitating +overimitation +overimitative +overimitatively +overimitativeness +overimmunize +overimmunized +overimmunizing +overimport +overimportance +overimportation +overimpose +overimposed +overimposing +overimpress +overimpressed +overimpresses +overimpressibility +overimpressible +overimpressibly +overimpressing +overimpressionability +overimpressionable +overimpressionableness +overimpressionably +overinclinable +overinclination +overincline +overinclined +overinclines +overinclining +overinclusive +overincrust +overincurious +overindividualism +overindividualistic +overindividualistically +overindividualization +overindulge +overindulged +overindulgence +overindulgent +overindulgently +overindulges +overindulging +overindustrialism +overindustrialization +overindustrialize +overindustrialized +overindustrializes +overindustrializing +overinflate +overinflated +overinflates +overinflating +overinflation +overinflationary +overinflative +overinfluence +overinfluenced +overinfluencing +overinfluential +overinform +overing +overinhibit +overinhibited +overink +overinsist +overinsistence +overinsistency +overinsistencies +overinsistent +overinsistently +overinsolence +overinsolent +overinsolently +overinstruct +overinstruction +overinstructive +overinstructively +overinstructiveness +overinsurance +overinsure +overinsured +overinsures +overinsuring +overintellectual +overintellectualism +overintellectuality +overintellectualization +overintellectualize +overintellectualized +overintellectualizing +overintellectually +overintellectualness +overintense +overintensely +overintenseness +overintensify +overintensification +overintensified +overintensifying +overintensity +overinterest +overinterested +overinterestedly +overinterestedness +overinterference +overinventoried +overinvest +overinvested +overinvesting +overinvestment +overinvests +overinvolve +overinvolved +overinvolving +overiodize +overiodized +overiodizing +overyoung +overyouthful +overirrigate +overirrigated +overirrigating +overirrigation +overissue +overissued +overissues +overissuing +overitching +overjacket +overjade +overjaded +overjading +overjawed +overjealous +overjealously +overjealousness +overjob +overjocular +overjocularity +overjocularly +overjoy +overjoyed +overjoyful +overjoyfully +overjoyfulness +overjoying +overjoyous +overjoyously +overjoyousness +overjoys +overjudge +overjudging +overjudgment +overjudicious +overjudiciously +overjudiciousness +overjump +overjust +overjutting +overkeen +overkeenly +overkeenness +overkeep +overkick +overkill +overkilled +overkilling +overkills +overkind +overkindly +overkindness +overking +overknavery +overknee +overknow +overknowing +overlabor +overlabored +overlaboring +overlabour +overlaboured +overlabouring +overlace +overlactate +overlactated +overlactating +overlactation +overlade +overladed +overladen +overlades +overlading +overlay +overlaid +overlayed +overlayer +overlaying +overlain +overlays +overland +overlander +overlands +overlaness +overlanguaged +overlap +overlapped +overlapping +overlaps +overlard +overlarge +overlargely +overlargeness +overlascivious +overlasciviously +overlasciviousness +overlash +overlast +overlate +overlateness +overlather +overlaud +overlaudation +overlaudatory +overlaugh +overlaunch +overlave +overlavish +overlavishly +overlavishness +overlax +overlaxative +overlaxly +overlaxness +overlead +overleaf +overlean +overleap +overleaped +overleaping +overleaps +overleapt +overlearn +overlearned +overlearnedly +overlearnedness +overleather +overleave +overleaven +overleer +overleg +overlegislate +overlegislated +overlegislating +overlegislation +overleisured +overlength +overlet +overlets +overlettered +overletting +overlewd +overlewdly +overlewdness +overly +overliberal +overliberality +overliberalization +overliberalize +overliberalized +overliberalizing +overliberally +overlicentious +overlicentiously +overlicentiousness +overlick +overlie +overlier +overlies +overlift +overlight +overlighted +overlightheaded +overlightly +overlightness +overlightsome +overliing +overlying +overliking +overlimit +overline +overling +overlinger +overlinked +overlip +overlipping +overlisted +overlisten +overliterary +overliterarily +overliterariness +overlittle +overlive +overlived +overlively +overliveliness +overliver +overlives +overliving +overload +overloaded +overloading +overloads +overloan +overloath +overlock +overlocker +overlofty +overloftily +overloftiness +overlogical +overlogicality +overlogically +overlogicalness +overloyal +overloyally +overloyalty +overloyalties +overlong +overlook +overlooked +overlooker +overlooking +overlooks +overloose +overloosely +overlooseness +overlord +overlorded +overlording +overlords +overlordship +overloud +overloudly +overloudness +overloup +overlove +overloved +overlover +overloves +overloving +overlow +overlowness +overlubricate +overlubricated +overlubricating +overlubricatio +overlubrication +overluscious +overlusciously +overlusciousness +overlush +overlushly +overlushness +overlusty +overlustiness +overluxuriance +overluxuriancy +overluxuriant +overluxuriantly +overluxurious +overluxuriously +overluxuriousness +overmagnetic +overmagnetically +overmagnify +overmagnification +overmagnified +overmagnifies +overmagnifying +overmagnitude +overmajority +overmalapert +overman +overmanage +overmanaged +overmanaging +overmany +overmanned +overmanning +overmans +overmantel +overmantle +overmarch +overmark +overmarking +overmarl +overmask +overmast +overmaster +overmastered +overmasterful +overmasterfully +overmasterfulness +overmastering +overmasteringly +overmasters +overmatch +overmatched +overmatches +overmatching +overmatter +overmature +overmaturely +overmatureness +overmaturity +overmean +overmeanly +overmeanness +overmeasure +overmeddle +overmeddled +overmeddling +overmeek +overmeekly +overmeekness +overmellow +overmellowly +overmellowness +overmelodied +overmelodious +overmelodiously +overmelodiousness +overmelt +overmelted +overmelting +overmelts +overmen +overmerciful +overmercifully +overmercifulness +overmerit +overmerry +overmerrily +overmerriment +overmerriness +overmeticulous +overmeticulousness +overmettled +overmickle +overmighty +overmild +overmilitaristic +overmilitaristically +overmill +overmind +overminute +overminutely +overminuteness +overmystify +overmystification +overmystified +overmystifying +overmitigate +overmitigated +overmitigating +overmix +overmixed +overmixes +overmixing +overmobilize +overmobilized +overmobilizing +overmoccasin +overmodernization +overmodernize +overmodernized +overmodernizing +overmodest +overmodesty +overmodestly +overmodify +overmodification +overmodified +overmodifies +overmodifying +overmodulation +overmoist +overmoisten +overmoisture +overmonopolize +overmonopolized +overmonopolizing +overmoral +overmoralistic +overmoralize +overmoralized +overmoralizing +overmoralizingly +overmorally +overmore +overmortgage +overmortgaged +overmortgaging +overmoss +overmost +overmotor +overmount +overmounts +overmourn +overmournful +overmournfully +overmournfulness +overmuch +overmuches +overmuchness +overmultiply +overmultiplication +overmultiplied +overmultiplying +overmultitude +overmuse +overname +overnarrow +overnarrowly +overnarrowness +overnationalization +overnationalize +overnationalized +overnationalizing +overnear +overnearness +overneat +overneatly +overneatness +overneglect +overneglectful +overneglectfully +overneglectfulness +overnegligence +overnegligent +overnegligently +overnegligentness +overnervous +overnervously +overnervousness +overness +overnet +overneutralization +overneutralize +overneutralized +overneutralizer +overneutralizing +overnew +overnice +overnicely +overniceness +overnicety +overniceties +overnigh +overnight +overnighter +overnighters +overnimble +overnipping +overnoble +overnobleness +overnobly +overnoise +overnormal +overnormality +overnormalization +overnormalize +overnormalized +overnormalizing +overnormally +overnotable +overnourish +overnourishingly +overnourishment +overnoveled +overnumber +overnumerous +overnumerously +overnumerousness +overnurse +overnursed +overnursing +overobedience +overobedient +overobediently +overobese +overobesely +overobeseness +overobesity +overobject +overobjectify +overobjectification +overobjectified +overobjectifying +overoblige +overobsequious +overobsequiously +overobsequiousness +overoffend +overoffensive +overoffensively +overoffensiveness +overofficered +overofficious +overofficiously +overofficiousness +overoptimism +overoptimist +overoptimistic +overoptimistically +overorder +overorganization +overorganize +overorganized +overorganizing +overornament +overornamental +overornamentality +overornamentally +overornamentation +overornamented +overoxidization +overoxidize +overoxidized +overoxidizing +overpack +overpay +overpaid +overpaying +overpayment +overpained +overpainful +overpainfully +overpainfulness +overpaint +overpays +overpamper +overpark +overpart +overparted +overparty +overpartial +overpartiality +overpartially +overpartialness +overparticular +overparticularity +overparticularly +overparticularness +overpass +overpassed +overpasses +overpassing +overpassionate +overpassionately +overpassionateness +overpast +overpatient +overpatriotic +overpatriotically +overpatriotism +overpeer +overpenalization +overpenalize +overpenalized +overpenalizing +overpending +overpensive +overpensively +overpensiveness +overpeople +overpeopled +overpeopling +overpepper +overperemptory +overperemptorily +overperemptoriness +overpermissive +overpermissiveness +overpersecute +overpersecuted +overpersecuting +overpersuade +overpersuaded +overpersuading +overpersuasion +overpert +overpessimism +overpessimistic +overpessimistically +overpet +overphilosophize +overphilosophized +overphilosophizing +overphysic +overpick +overpictorialize +overpictorialized +overpictorializing +overpicture +overpinching +overpious +overpiousness +overpitch +overpitched +overpiteous +overpiteously +overpiteousness +overplace +overplaced +overplacement +overplay +overplayed +overplaying +overplain +overplainly +overplainness +overplays +overplant +overplausible +overplausibleness +overplausibly +overplease +overpleased +overpleasing +overplenitude +overplenteous +overplenteously +overplenteousness +overplenty +overplentiful +overplentifully +overplentifulness +overply +overplied +overplies +overplying +overplot +overplow +overplumb +overplume +overplump +overplumpness +overplus +overpluses +overpoeticize +overpoeticized +overpoeticizing +overpointed +overpoise +overpole +overpolemical +overpolemically +overpolemicalness +overpolice +overpoliced +overpolicing +overpolish +overpolitic +overpolitical +overpolitically +overpollinate +overpollinated +overpollinating +overponderous +overponderously +overponderousness +overpopular +overpopularity +overpopularly +overpopulate +overpopulated +overpopulates +overpopulating +overpopulation +overpopulous +overpopulously +overpopulousness +overpositive +overpositively +overpositiveness +overpossess +overpost +overpot +overpotency +overpotent +overpotential +overpotently +overpotentness +overpour +overpower +overpowered +overpowerful +overpowerfully +overpowerfulness +overpowering +overpoweringly +overpoweringness +overpowers +overpractice +overpracticed +overpracticing +overpray +overpraise +overpraised +overpraises +overpraising +overpratice +overpraticed +overpraticing +overpreach +overprecise +overprecisely +overpreciseness +overprecision +overpreface +overpregnant +overpreoccupation +overpreoccupy +overpreoccupied +overpreoccupying +overpress +overpressure +overpresumption +overpresumptive +overpresumptively +overpresumptiveness +overpresumptuous +overpresumptuously +overpresumptuousness +overprice +overpriced +overprices +overpricing +overprick +overpride +overprint +overprinted +overprinting +overprints +overprize +overprized +overprizer +overprizing +overprocrastination +overproduce +overproduced +overproduces +overproducing +overproduction +overproductive +overproficiency +overproficient +overproficiently +overprofusion +overprolific +overprolifically +overprolificness +overprolix +overprolixity +overprolixly +overprolixness +overprominence +overprominent +overprominently +overprominentness +overpromise +overpromised +overpromising +overprompt +overpromptly +overpromptness +overprone +overproneness +overproness +overpronounce +overpronounced +overpronouncing +overpronunciation +overproof +overproportion +overproportionate +overproportionated +overproportionately +overproportioned +overprosperity +overprosperous +overprosperously +overprosperousness +overprotect +overprotected +overprotecting +overprotection +overprotective +overprotects +overprotract +overprotraction +overproud +overproudly +overproudness +overprove +overproved +overprovender +overprovide +overprovided +overprovident +overprovidently +overprovidentness +overproviding +overproving +overprovision +overprovocation +overprovoke +overprovoked +overprovoking +overprune +overpruned +overpruning +overpsychologize +overpsychologized +overpsychologizing +overpublic +overpublicity +overpublicize +overpublicized +overpublicizing +overpuff +overpuissant +overpuissantly +overpunish +overpunishment +overpurchase +overpurchased +overpurchasing +overput +overqualify +overqualification +overqualified +overqualifying +overquantity +overquarter +overquell +overquick +overquickly +overquiet +overquietly +overquietness +overrace +overrack +overrake +overraked +overraking +overran +overraness +overrange +overrank +overrankness +overrapture +overrapturize +overrash +overrashly +overrashness +overrate +overrated +overrates +overrating +overrational +overrationalization +overrationalize +overrationalized +overrationalizing +overrationally +overraught +overravish +overreach +overreached +overreacher +overreachers +overreaches +overreaching +overreachingly +overreachingness +overreact +overreacted +overreacting +overreaction +overreactions +overreactive +overreacts +overread +overreader +overready +overreadily +overreadiness +overreading +overrealism +overrealistic +overrealistically +overreckon +overreckoning +overrecord +overreduce +overreduced +overreducing +overreduction +overrefine +overrefined +overrefinement +overrefines +overrefining +overreflection +overreflective +overreflectively +overreflectiveness +overregiment +overregimentation +overregister +overregistration +overregular +overregularity +overregularly +overregulate +overregulated +overregulating +overregulation +overrelax +overreliance +overreliant +overreligion +overreligiosity +overreligious +overreligiously +overreligiousness +overremiss +overremissly +overremissness +overrennet +overrent +overreplete +overrepletion +overrepresent +overrepresentation +overrepresentative +overrepresentatively +overrepresentativeness +overrepresented +overrepress +overreprimand +overreserved +overreservedly +overreservedness +overresist +overresolute +overresolutely +overresoluteness +overrestore +overrestrain +overrestraint +overrestrict +overrestriction +overretention +overreward +overrich +overriches +overrichly +overrichness +overrid +overridden +override +overrider +overrides +overriding +overrife +overrigged +overright +overrighteous +overrighteously +overrighteousness +overrigid +overrigidity +overrigidly +overrigidness +overrigorous +overrigorously +overrigorousness +overrim +overriot +overripe +overripely +overripen +overripeness +overrise +overrisen +overrising +overroast +overroasted +overroasting +overroasts +overrode +overroyal +overroll +overromanticize +overromanticized +overromanticizing +overroof +overrooted +overrose +overrough +overroughly +overroughness +overrude +overrudely +overrudeness +overruff +overruffed +overruffing +overruffs +overrule +overruled +overruler +overrules +overruling +overrulingly +overrun +overrunner +overrunning +overrunningly +overruns +overrush +overrusset +overrust +overs +oversacrificial +oversacrificially +oversacrificialness +oversad +oversadly +oversadness +oversay +oversaid +oversail +oversale +oversales +oversaliva +oversalt +oversalted +oversalty +oversalting +oversalts +oversand +oversanded +oversanguine +oversanguinely +oversanguineness +oversapless +oversate +oversated +oversatiety +oversating +oversatisfy +oversaturate +oversaturated +oversaturating +oversaturation +oversauce +oversaucy +oversauciness +oversave +oversaved +oversaves +oversaving +oversaw +overscare +overscatter +overscented +oversceptical +oversceptically +overscepticalness +overscepticism +overscore +overscored +overscoring +overscour +overscratch +overscrawl +overscream +overscribble +overscrub +overscrubbed +overscrubbing +overscruple +overscrupled +overscrupling +overscrupulosity +overscrupulous +overscrupulously +overscrupulousness +overscurf +overscutched +oversea +overseal +overseam +overseamer +oversearch +overseas +overseason +overseasoned +overseated +oversecrete +oversecreted +oversecreting +oversecretion +oversecure +oversecured +oversecurely +oversecuring +oversecurity +oversedation +oversee +overseed +overseeded +overseeding +overseeds +overseeing +overseen +overseer +overseerism +overseers +overseership +oversees +overseethe +overseing +oversell +overselling +oversells +oversend +oversensibility +oversensible +oversensibleness +oversensibly +oversensitive +oversensitively +oversensitiveness +oversensitivity +oversensitize +oversensitized +oversensitizing +oversententious +oversentimental +oversentimentalism +oversentimentality +oversentimentalize +oversentimentalized +oversentimentalizing +oversentimentally +overserene +overserenely +overserenity +overserious +overseriously +overseriousness +overservice +overservile +overservilely +overservileness +overservility +overset +oversets +oversetter +oversetting +oversettle +oversettled +oversettlement +oversettling +oversevere +overseverely +oversevereness +overseverity +oversew +oversewed +oversewing +oversewn +oversews +oversexed +overshade +overshaded +overshading +overshadow +overshadowed +overshadower +overshadowing +overshadowingly +overshadowment +overshadows +overshake +oversharp +oversharpness +overshave +oversheet +overshelving +overshepherd +overshine +overshined +overshining +overshirt +overshoe +overshoes +overshone +overshoot +overshooting +overshoots +overshort +overshorten +overshortly +overshortness +overshot +overshots +overshoulder +overshowered +overshrink +overshroud +oversick +overside +oversides +oversight +oversights +oversigned +oversile +oversilence +oversilent +oversilently +oversilentness +oversilver +oversimple +oversimpleness +oversimply +oversimplicity +oversimplify +oversimplification +oversimplifications +oversimplified +oversimplifies +oversimplifying +oversystematic +oversystematically +oversystematicalness +oversystematize +oversystematized +oversystematizing +oversize +oversized +oversizes +oversizing +overskeptical +overskeptically +overskepticalness +overskeptticism +overskim +overskip +overskipper +overskirt +overslack +overslander +overslaugh +overslaughed +overslaughing +overslavish +overslavishly +overslavishness +oversleep +oversleeping +oversleeps +oversleeve +overslept +overslid +overslidden +overslide +oversliding +overslight +overslip +overslipped +overslipping +overslips +overslipt +overslop +overslope +overslow +overslowly +overslowness +overslur +oversmall +oversman +oversmite +oversmitten +oversmoke +oversmooth +oversmoothly +oversmoothness +oversness +oversnow +oversoak +oversoaked +oversoaking +oversoaks +oversoap +oversoar +oversocial +oversocialize +oversocialized +oversocializing +oversocially +oversock +oversoft +oversoften +oversoftly +oversoftness +oversold +oversolemn +oversolemnity +oversolemnly +oversolemnness +oversolicitous +oversolicitously +oversolicitousness +oversolidify +oversolidification +oversolidified +oversolidifying +oversoon +oversoothing +oversoothingly +oversophisticated +oversophistication +oversorrow +oversorrowed +oversorrowful +oversorrowfully +oversorrowfulness +oversot +oversoul +oversouls +oversound +oversour +oversourly +oversourness +oversow +oversowed +oversowing +oversown +overspacious +overspaciously +overspaciousness +overspan +overspangled +overspanned +overspanning +oversparing +oversparingly +oversparingness +oversparred +overspatter +overspeak +overspeaking +overspecialization +overspecialize +overspecialized +overspecializes +overspecializing +overspeculate +overspeculated +overspeculating +overspeculation +overspeculative +overspeculatively +overspeculativeness +overspeech +overspeed +overspeedy +overspeedily +overspeediness +overspend +overspender +overspending +overspends +overspent +overspice +overspiced +overspicing +overspill +overspilled +overspilling +overspilt +overspin +overspins +oversplash +overspoke +overspoken +overspread +overspreading +overspreads +overspring +oversprinkle +oversprung +overspun +oversqueak +oversqueamish +oversqueamishly +oversqueamishness +oversshot +overstaff +overstay +overstayal +overstaid +overstayed +overstaying +overstain +overstays +overstale +overstalely +overstaleness +overstalled +overstand +overstanding +overstarch +overstaring +overstate +overstated +overstately +overstatement +overstatements +overstates +overstating +oversteadfast +oversteadfastly +oversteadfastness +oversteady +oversteadily +oversteadiness +oversteer +overstep +overstepped +overstepping +oversteps +overstiff +overstiffen +overstiffly +overstiffness +overstifle +overstimulate +overstimulated +overstimulates +overstimulating +overstimulation +overstimulative +overstimulatively +overstimulativeness +overstir +overstirred +overstirring +overstirs +overstitch +overstock +overstocked +overstocking +overstocks +overstood +overstoop +overstoping +overstore +overstored +overstory +overstoring +overstout +overstoutly +overstoutness +overstowage +overstowed +overstraight +overstraighten +overstraightly +overstraightness +overstrain +overstrained +overstraining +overstrait +overstraiten +overstraitly +overstraitness +overstream +overstrength +overstrengthen +overstress +overstressed +overstretch +overstretched +overstretches +overstretching +overstrew +overstrewed +overstrewing +overstrewn +overstricken +overstrict +overstrictly +overstrictness +overstridden +overstride +overstridence +overstridency +overstrident +overstridently +overstridentness +overstriding +overstrike +overstrikes +overstriking +overstring +overstringing +overstrive +overstriven +overstriving +overstrode +overstrong +overstrongly +overstrongness +overstrove +overstruck +overstrung +overstud +overstudy +overstudied +overstudying +overstudious +overstudiously +overstudiousness +overstuff +overstuffed +oversublime +oversubscribe +oversubscribed +oversubscriber +oversubscribes +oversubscribing +oversubscription +oversubtile +oversubtle +oversubtlety +oversubtleties +oversubtly +oversufficiency +oversufficient +oversufficiently +oversum +oversup +oversuperstitious +oversuperstitiously +oversuperstitiousness +oversupped +oversupping +oversupply +oversupplied +oversupplies +oversupplying +oversups +oversure +oversured +oversurely +oversureness +oversurety +oversurge +oversuring +oversurviving +oversusceptibility +oversusceptible +oversusceptibleness +oversusceptibly +oversuspicious +oversuspiciously +oversuspiciousness +oversway +overswarm +overswarming +overswarth +oversweated +oversweep +oversweet +oversweeten +oversweetly +oversweetness +overswell +overswelled +overswelling +overswift +overswim +overswimmer +overswing +overswinging +overswirling +overswollen +overt +overtakable +overtake +overtaken +overtaker +overtakers +overtakes +overtaking +overtalk +overtalkative +overtalkatively +overtalkativeness +overtalker +overtame +overtamely +overtameness +overtapped +overtare +overtariff +overtarry +overtart +overtartly +overtartness +overtask +overtasked +overtasking +overtasks +overtaught +overtax +overtaxation +overtaxed +overtaxes +overtaxing +overteach +overteaching +overtechnical +overtechnicality +overtechnically +overtedious +overtediously +overtediousness +overteem +overtell +overtelling +overtempt +overtenacious +overtenaciously +overtenaciousness +overtenacity +overtender +overtenderly +overtenderness +overtense +overtensely +overtenseness +overtension +overterrible +overtest +overtheatrical +overtheatrically +overtheatricalness +overtheorization +overtheorize +overtheorized +overtheorizing +overthick +overthickly +overthickness +overthin +overthink +overthinly +overthinness +overthought +overthoughtful +overthoughtfully +overthoughtfulness +overthrew +overthrifty +overthriftily +overthriftiness +overthrong +overthrow +overthrowable +overthrowal +overthrower +overthrowers +overthrowing +overthrown +overthrows +overthrust +overthwart +overthwartarchaic +overthwartly +overthwartness +overthwartways +overthwartwise +overtide +overtight +overtightly +overtightness +overtill +overtilt +overtimbered +overtime +overtimed +overtimer +overtimes +overtimid +overtimidity +overtimidly +overtimidness +overtiming +overtimorous +overtimorously +overtimorousness +overtinsel +overtinseled +overtinseling +overtint +overtip +overtype +overtyped +overtipple +overtippled +overtippling +overtire +overtired +overtiredness +overtires +overtiring +overtitle +overtly +overtness +overtoe +overtoil +overtoiled +overtoiling +overtoils +overtoise +overtold +overtolerance +overtolerant +overtolerantly +overtone +overtones +overtongued +overtook +overtop +overtopped +overtopping +overtopple +overtops +overtorture +overtortured +overtorturing +overtower +overtrace +overtrack +overtrade +overtraded +overtrader +overtrading +overtrailed +overtrain +overtrained +overtraining +overtrains +overtrample +overtravel +overtread +overtreading +overtreatment +overtrick +overtrim +overtrimme +overtrimmed +overtrimming +overtrims +overtrod +overtrodden +overtrouble +overtroubled +overtroubling +overtrue +overtruly +overtrump +overtrust +overtrustful +overtrustfully +overtrustfulness +overtrusting +overtruthful +overtruthfully +overtruthfulness +overtumble +overture +overtured +overtures +overturing +overturn +overturnable +overturned +overturner +overturning +overturns +overtutor +overtwine +overtwist +overuberous +overunionize +overunionized +overunionizing +overunsuitable +overurbanization +overurbanize +overurbanized +overurbanizing +overurge +overurged +overurges +overurging +overuse +overused +overuses +overusing +overusual +overusually +overvaliant +overvaliantly +overvaliantness +overvaluable +overvaluableness +overvaluably +overvaluation +overvalue +overvalued +overvalues +overvaluing +overvary +overvariation +overvaried +overvariety +overvarying +overvault +overvehemence +overvehement +overvehemently +overvehementness +overveil +overventilate +overventilated +overventilating +overventilation +overventuresome +overventurous +overventurously +overventurousness +overview +overviews +overvigorous +overvigorously +overvigorousness +overviolent +overviolently +overviolentness +overvoltage +overvote +overvoted +overvotes +overvoting +overwade +overwages +overway +overwake +overwalk +overwander +overward +overwary +overwarily +overwariness +overwarm +overwarmed +overwarming +overwarms +overwart +overwash +overwasted +overwatch +overwatcher +overwater +overwave +overweak +overweakly +overweakness +overwealth +overwealthy +overweaponed +overwear +overweary +overwearied +overwearying +overwearing +overwears +overweather +overweave +overweb +overween +overweened +overweener +overweening +overweeningly +overweeningness +overweens +overweep +overweigh +overweighed +overweighing +overweighs +overweight +overweightage +overweighted +overweighting +overwell +overwelt +overwend +overwent +overwet +overwetness +overwets +overwetted +overwetting +overwheel +overwhelm +overwhelmed +overwhelmer +overwhelming +overwhelmingly +overwhelmingness +overwhelms +overwhip +overwhipped +overwhipping +overwhirl +overwhisper +overwide +overwidely +overwideness +overwild +overwildly +overwildness +overwily +overwilily +overwilling +overwillingly +overwillingness +overwin +overwind +overwinding +overwinds +overwing +overwinning +overwinter +overwintered +overwintering +overwiped +overwisdom +overwise +overwisely +overwithered +overwoman +overwomanize +overwomanly +overwon +overwood +overwooded +overwoody +overword +overwords +overwore +overwork +overworked +overworking +overworks +overworld +overworn +overworry +overworship +overwound +overwove +overwoven +overwrap +overwrest +overwrested +overwrestle +overwrite +overwrites +overwriting +overwritten +overwrote +overwroth +overwrought +overwwrought +overzeal +overzealous +overzealously +overzealousness +overzeals +ovest +ovewound +ovibos +ovibovinae +ovibovine +ovicapsular +ovicapsule +ovicell +ovicellular +ovicidal +ovicide +ovicides +ovicyst +ovicystic +ovicular +oviculated +oviculum +ovid +ovidae +ovidian +oviducal +oviduct +oviductal +oviducts +oviferous +ovification +oviform +ovigenesis +ovigenetic +ovigenic +ovigenous +oviger +ovigerm +ovigerous +ovile +ovillus +ovinae +ovine +ovines +ovinia +ovipara +oviparal +oviparity +oviparous +oviparously +oviparousness +oviposit +oviposited +ovipositing +oviposition +ovipositional +ovipositor +oviposits +ovis +ovisac +ovisaclike +ovisacs +oviscapt +ovism +ovispermary +ovispermiduct +ovist +ovistic +ovivorous +ovocyte +ovoelliptic +ovoflavin +ovogenesis +ovogenetic +ovogenous +ovoglobulin +ovogonium +ovoid +ovoidal +ovoids +ovolemma +ovoli +ovolytic +ovolo +ovology +ovological +ovologist +ovolos +ovomucoid +ovonic +ovonics +ovopyriform +ovoplasm +ovoplasmic +ovorhomboid +ovorhomboidal +ovotesticular +ovotestis +ovovitellin +ovovivipara +ovoviviparism +ovoviviparity +ovoviviparous +ovoviviparously +ovoviviparousness +ovula +ovular +ovulary +ovularian +ovulate +ovulated +ovulates +ovulating +ovulation +ovulations +ovulatory +ovule +ovules +ovuliferous +ovuligerous +ovulist +ovulite +ovulum +ovum +ow +owd +owe +owed +owelty +owen +owenia +owenian +owenism +owenist +owenite +owenize +ower +owerance +owerby +owercome +owergang +owerloup +owertaen +owerword +owes +owght +owhere +owyheeite +owing +owk +owl +owldom +owler +owlery +owleries +owlet +owlets +owlglass +owlhead +owly +owling +owlish +owlishly +owlishness +owlism +owllight +owllike +owls +owlspiegle +own +ownable +owned +owner +ownerless +owners +ownership +ownerships +ownhood +owning +ownness +owns +ownself +ownwayish +owrecome +owregane +owrehip +owrelay +owse +owsen +owser +owt +owtchah +ox +oxacid +oxacillin +oxadiazole +oxalacetate +oxalacetic +oxalaemia +oxalaldehyde +oxalamid +oxalamide +oxalan +oxalate +oxalated +oxalates +oxalating +oxalato +oxaldehyde +oxalemia +oxalic +oxalidaceae +oxalidaceous +oxalyl +oxalylurea +oxalis +oxalises +oxalite +oxaloacetate +oxaloacetic +oxalodiacetic +oxalonitril +oxalonitrile +oxaluramid +oxaluramide +oxalurate +oxaluria +oxaluric +oxamate +oxamethane +oxamic +oxamid +oxamide +oxamidin +oxamidine +oxammite +oxan +oxanate +oxane +oxanic +oxanilate +oxanilic +oxanilide +oxazin +oxazine +oxazines +oxazole +oxbane +oxberry +oxberries +oxbird +oxbiter +oxblood +oxbloods +oxboy +oxbow +oxbows +oxbrake +oxcart +oxcarts +oxcheek +oxdiacetic +oxdiazole +oxea +oxeate +oxeye +oxeyes +oxen +oxeote +oxer +oxes +oxetone +oxfly +oxford +oxfordian +oxfordism +oxfordist +oxfords +oxgall +oxgang +oxgate +oxgoad +oxharrow +oxhead +oxheal +oxheart +oxhearts +oxherd +oxhide +oxhoft +oxhorn +oxhouse +oxhuvud +oxy +oxyacanthin +oxyacanthine +oxyacanthous +oxyacetylene +oxyacid +oxyacids +oxyaena +oxyaenidae +oxyaldehyde +oxyamine +oxyanthracene +oxyanthraquinone +oxyaphia +oxyaster +oxyazo +oxybapha +oxybaphon +oxybaphus +oxybenzaldehyde +oxybenzene +oxybenzyl +oxybenzoic +oxyberberine +oxyblepsia +oxybromide +oxybutyria +oxybutyric +oxycalcium +oxycalorimeter +oxycamphor +oxycaproic +oxycarbonate +oxycellulose +oxycephaly +oxycephalic +oxycephalism +oxycephalous +oxychlorate +oxychloric +oxychlorid +oxychloride +oxychlorine +oxycholesterol +oxychromatic +oxychromatin +oxychromatinic +oxycyanide +oxycinnamic +oxycobaltammine +oxycoccus +oxycopaivic +oxycoumarin +oxycrate +oxid +oxidability +oxidable +oxydactyl +oxidant +oxidants +oxidase +oxydase +oxidases +oxidasic +oxydasic +oxidate +oxidated +oxidates +oxidating +oxidation +oxydation +oxidational +oxidations +oxidative +oxidatively +oxidator +oxide +oxydendrum +oxides +oxydiact +oxidic +oxidimetry +oxidimetric +oxidise +oxidised +oxidiser +oxidisers +oxidises +oxidising +oxidizability +oxidizable +oxidization +oxidizations +oxidize +oxidized +oxidizement +oxidizer +oxidizers +oxidizes +oxidizing +oxidoreductase +oxidoreduction +oxids +oxidulated +oxyesthesia +oxyether +oxyethyl +oxyfatty +oxyfluoride +oxygas +oxygen +oxygenant +oxygenase +oxygenate +oxygenated +oxygenates +oxygenating +oxygenation +oxygenator +oxygenerator +oxygenic +oxygenicity +oxygenium +oxygenizable +oxygenization +oxygenize +oxygenized +oxygenizement +oxygenizer +oxygenizing +oxygenless +oxygenous +oxygens +oxygeusia +oxygnathous +oxygon +oxygonal +oxygonial +oxyhaematin +oxyhaemoglobin +oxyhalide +oxyhaloid +oxyhematin +oxyhemocyanin +oxyhemoglobin +oxyhexactine +oxyhexaster +oxyhydrate +oxyhydric +oxyhydrogen +oxyiodide +oxyketone +oxyl +oxylabracidae +oxylabrax +oxyluciferin +oxyluminescence +oxyluminescent +oxim +oxymandelic +oximate +oximation +oxime +oxymel +oximes +oximeter +oxymethylene +oximetry +oximetric +oxymomora +oxymora +oxymoron +oxymoronic +oxims +oxymuriate +oxymuriatic +oxynaphthoic +oxynaphtoquinone +oxynarcotine +oxindole +oxyneurin +oxyneurine +oxynitrate +oxyntic +oxyophitic +oxyopy +oxyopia +oxyopidae +oxyosphresia +oxypetalous +oxyphenyl +oxyphenol +oxyphil +oxyphile +oxyphiles +oxyphilic +oxyphyllous +oxyphilous +oxyphils +oxyphyte +oxyphony +oxyphonia +oxyphosphate +oxyphthalic +oxypycnos +oxypicric +oxypolis +oxyproline +oxypropionic +oxypurine +oxyquinaseptol +oxyquinoline +oxyquinone +oxyrhynch +oxyrhynchid +oxyrhynchous +oxyrhynchus +oxyrhine +oxyrhinous +oxyrrhyncha +oxyrrhynchid +oxysalicylic +oxysalt +oxysalts +oxysome +oxysomes +oxystearic +oxystomata +oxystomatous +oxystome +oxysulfid +oxysulfide +oxysulphate +oxysulphid +oxysulphide +oxyterpene +oxytetracycline +oxytylotate +oxytylote +oxytocia +oxytocic +oxytocics +oxytocin +oxytocins +oxytocous +oxytoluene +oxytoluic +oxytone +oxytones +oxytonesis +oxytonic +oxytonical +oxytonize +oxytricha +oxytropis +oxyuriasis +oxyuricide +oxyurid +oxyuridae +oxyurous +oxywelding +oxland +oxlike +oxlip +oxlips +oxman +oxmanship +oxoindoline +oxonian +oxonic +oxonium +oxonolatry +oxozone +oxozonide +oxozonides +oxpecker +oxpeckers +oxphony +oxreim +oxshoe +oxskin +oxtail +oxtails +oxter +oxters +oxtongue +oxtongues +oxwort +oz +ozaena +ozan +ozark +ozarkite +ozena +ozias +ozobrome +ozocerite +ozoena +ozokerit +ozokerite +ozonate +ozonation +ozonator +ozone +ozoned +ozoner +ozones +ozonic +ozonid +ozonide +ozonides +ozoniferous +ozonify +ozonification +ozonise +ozonised +ozonises +ozonising +ozonium +ozonization +ozonize +ozonized +ozonizer +ozonizers +ozonizes +ozonizing +ozonolysis +ozonometer +ozonometry +ozonoscope +ozonoscopic +ozonosphere +ozonospheric +ozonous +ozophen +ozophene +ozostomia +ozotype +ozs +p +pa +paal +paaneleinrg +paar +paaraphimosis +paas +paauw +paawkier +paba +pabalum +pabble +pablo +pablum +pabouch +pabular +pabulary +pabulation +pabulatory +pabulous +pabulum +pabulums +pac +paca +pacable +pacaguara +pacay +pacaya +pacane +pacas +pacate +pacately +pacation +pacative +paccanarist +paccha +pacchionian +paccioli +pace +paceboard +paced +pacemake +pacemaker +pacemakers +pacemaking +pacer +pacers +paces +pacesetter +pacesetters +pacesetting +paceway +pacha +pachadom +pachadoms +pachak +pachalic +pachalics +pachanga +pachas +pachyacria +pachyaemia +pachyblepharon +pachycarpous +pachycephal +pachycephaly +pachycephalia +pachycephalic +pachycephalous +pachychilia +pachychymia +pachycholia +pachycladous +pachydactyl +pachydactyly +pachydactylous +pachyderm +pachyderma +pachydermal +pachydermata +pachydermateous +pachydermatocele +pachydermatoid +pachydermatosis +pachydermatous +pachydermatously +pachydermia +pachydermial +pachydermic +pachydermoid +pachydermous +pachyderms +pachyemia +pachyglossal +pachyglossate +pachyglossia +pachyglossous +pachyhaemia +pachyhaemic +pachyhaemous +pachyhematous +pachyhemia +pachyhymenia +pachyhymenic +pachylophus +pachylosis +pachyma +pachymenia +pachymenic +pachymeningitic +pachymeningitis +pachymeninx +pachymeter +pachynathous +pachynema +pachinko +pachynsis +pachyntic +pachyodont +pachyotia +pachyotous +pachyperitonitis +pachyphyllous +pachypleuritic +pachypod +pachypodous +pachypterous +pachyrhynchous +pachyrhizus +pachysalpingitis +pachysandra +pachysandras +pachysaurian +pachisi +pachisis +pachysomia +pachysomous +pachystichous +pachystima +pachytene +pachytylus +pachytrichous +pachyvaginitis +pachnolite +pachometer +pachomian +pachons +pachouli +pachoulis +pacht +pachuco +pachucos +pacify +pacifiable +pacific +pacifica +pacifical +pacifically +pacificate +pacificated +pacificating +pacification +pacificator +pacificatory +pacificism +pacificist +pacificistic +pacificistically +pacificity +pacifico +pacificos +pacified +pacifier +pacifiers +pacifies +pacifying +pacifyingly +pacifism +pacifisms +pacifist +pacifistic +pacifistically +pacifists +pacing +pacinian +pacinko +pack +packability +packable +package +packaged +packager +packagers +packages +packaging +packagings +packall +packboard +packbuilder +packcloth +packed +packer +packery +packeries +packers +packet +packeted +packeting +packets +packhorse +packhorses +packhouse +packing +packinghouse +packings +packless +packly +packmaker +packmaking +packman +packmanship +packmen +packness +packnesses +packplane +packrat +packs +packsack +packsacks +packsaddle +packsaddles +packstaff +packstaves +packthread +packthreaded +packthreads +packtong +packtrain +packway +packwall +packwaller +packware +packwax +packwaxes +paco +pacolet +pacos +pacota +pacouryuva +pacquet +pacs +pact +pacta +paction +pactional +pactionally +pactions +pactolian +pactolus +pacts +pactum +pacu +pad +padang +padasha +padauk +padauks +padcloth +padcluoth +padda +padded +padder +paddy +paddybird +paddies +paddyism +paddymelon +padding +paddings +paddywack +paddywatch +paddywhack +paddle +paddleball +paddleboard +paddleboat +paddlecock +paddled +paddlefish +paddlefishes +paddlefoot +paddlelike +paddler +paddlers +paddles +paddlewood +paddling +paddlings +paddock +paddocked +paddocking +paddockride +paddocks +paddockstone +paddockstool +paddoing +padeye +padeyes +padelion +padella +pademelon +padesoy +padfoot +padge +padige +padina +padishah +padishahs +padle +padles +padlike +padlock +padlocked +padlocking +padlocks +padmasana +padmelon +padnag +padnags +padou +padouk +padouks +padpiece +padraic +padraig +padre +padres +padri +padrino +padroadist +padroado +padrona +padrone +padrones +padroni +padronism +pads +padsaw +padshah +padshahs +padstone +padtree +paduan +paduanism +paduasoy +paduasoys +padus +paean +paeanism +paeanisms +paeanize +paeanized +paeanizing +paeans +paedagogy +paedagogic +paedagogism +paedagogue +paedarchy +paedatrophy +paedatrophia +paederast +paederasty +paederastic +paederastically +paedeutics +paediatry +paediatric +paediatrician +paediatrics +paedobaptism +paedobaptist +paedogenesis +paedogenetic +paedogenic +paedology +paedological +paedologist +paedometer +paedometrical +paedomorphic +paedomorphism +paedomorphosis +paedonymy +paedonymic +paedophilia +paedopsychologist +paedotribe +paedotrophy +paedotrophic +paedotrophist +paegel +paegle +paelignian +paella +paellas +paenula +paenulae +paenulas +paeon +paeony +paeonia +paeoniaceae +paeonian +paeonic +paeonin +paeons +paeounlae +paepae +paesano +paetrick +paga +pagador +pagan +paganalia +paganalian +pagandom +pagandoms +paganic +paganical +paganically +paganisation +paganise +paganised +paganiser +paganises +paganish +paganishly +paganising +paganism +paganisms +paganist +paganistic +paganists +paganity +paganization +paganize +paganized +paganizer +paganizes +paganizing +paganly +paganry +pagans +pagatpat +page +pageant +pageanted +pageanteer +pageantic +pageantry +pageantries +pageants +pageboy +pageboys +paged +pagedom +pageful +pagehood +pageless +pagelike +pager +pagers +pages +pageship +pagesize +paggle +pagina +paginae +paginal +paginary +paginate +paginated +paginates +paginating +pagination +pagine +paging +pagiopod +pagiopoda +pagne +pagnes +pagod +pagoda +pagodalike +pagodas +pagodite +pagods +pagoscope +pagrus +paguma +pagurian +pagurians +pagurid +paguridae +paguridea +pagurids +pagurine +pagurinea +paguroid +paguroidea +pagurus +pagus +pah +paha +pahachroma +pahareen +pahari +paharia +pahautea +pahi +pahlavi +pahlavis +pahlevi +pahmi +paho +pahoehoe +pahos +pahouin +pahutan +pay +payability +payable +payableness +payably +payagua +payaguan +payback +paybox +paiche +paycheck +paychecks +paycheque +paycheques +paiconeca +paid +payday +paydays +paideia +paideutic +paideutics +paidle +paidology +paidological +paidologist +paidonosology +payed +payee +payees +payen +payeny +payer +payers +payess +paigle +payyetan +paying +paijama +paik +paiked +paiker +paiking +paiks +pail +pailette +pailful +pailfuls +paillard +paillasse +pailles +paillette +pailletted +paillettes +paillon +paillons +payload +payloads +pailolo +pailoo +pailou +pailow +pails +pailsful +paimaneh +paymaster +paymasters +paymastership +payment +payments +paymistress +pain +painch +painches +paindemaine +paine +pained +painful +painfuller +painfullest +painfully +painfulness +payni +paynim +paynimhood +paynimry +paynimrie +paynims +paining +painingly +paynize +painkiller +painkillers +painkilling +painless +painlessly +painlessness +painproof +pains +painstaker +painstaking +painstakingly +painstakingness +painsworthy +paint +paintability +paintable +paintableness +paintably +paintbox +paintbrush +paintbrushes +painted +paintedness +painter +painterish +painterly +painterlike +painterliness +painters +paintership +painty +paintier +paintiest +paintiness +painting +paintingness +paintings +paintless +paintpot +paintproof +paintress +paintry +paintrix +paintroot +paints +painture +paiock +paiocke +payoff +payoffs +payola +payolas +payong +payor +payors +payout +paip +pair +paired +pairedness +pairer +pairial +pairing +pairings +pairle +pairmasts +pairment +payroll +payrolls +pairs +pairt +pairwise +pais +pays +paisa +paysage +paysagist +paisan +paisanite +paysanne +paisano +paisanos +paisans +paisas +paise +paisley +paisleys +payt +paytamine +paiute +paiwari +paized +paizing +pajahuello +pajama +pajamaed +pajamahs +pajamas +pajaroello +pajero +pajock +pajonism +pakawa +pakawan +pakchoi +pakeha +pakhpuluk +pakhtun +pakistan +pakistani +pakistanis +paktong +pal +pala +palabra +palabras +palace +palaced +palacelike +palaceous +palaces +palaceward +palacewards +palach +palacsinta +paladin +paladins +palaeanthropic +palaearctic +palaeechini +palaeechinoid +palaeechinoidea +palaeechinoidean +palaeentomology +palaeethnology +palaeethnologic +palaeethnological +palaeethnologist +palaeeudyptes +palaeic +palaeichthyan +palaeichthyes +palaeichthyic +palaemon +palaemonid +palaemonidae +palaemonoid +palaeoalchemical +palaeoanthropic +palaeoanthropography +palaeoanthropology +palaeoanthropus +palaeoatavism +palaeoatavistic +palaeobiogeography +palaeobiology +palaeobiologic +palaeobiological +palaeobiologist +palaeobotany +palaeobotanic +palaeobotanical +palaeobotanically +palaeobotanist +palaeocarida +palaeoceanography +palaeocene +palaeochorology +palaeocyclic +palaeoclimatic +palaeoclimatology +palaeoclimatologic +palaeoclimatological +palaeoclimatologist +palaeoconcha +palaeocosmic +palaeocosmology +palaeocrinoidea +palaeocrystal +palaeocrystallic +palaeocrystalline +palaeocrystic +palaeodendrology +palaeodendrologic +palaeodendrological +palaeodendrologically +palaeodendrologist +palaeodictyoptera +palaeodictyopteran +palaeodictyopteron +palaeodictyopterous +palaeoecology +palaeoecologic +palaeoecological +palaeoecologist +palaeoencephala +palaeoencephalon +palaeoentomology +palaeoentomologic +palaeoentomological +palaeoentomologist +palaeoeremology +palaeoethnic +palaeoethnobotany +palaeoethnology +palaeoethnologic +palaeoethnological +palaeoethnologist +palaeofauna +palaeogaea +palaeogaean +palaeogene +palaeogenesis +palaeogenetic +palaeogeography +palaeogeographic +palaeogeographical +palaeogeographically +palaeoglaciology +palaeoglyph +palaeognathae +palaeognathic +palaeognathous +palaeograph +palaeographer +palaeography +palaeographic +palaeographical +palaeographically +palaeographist +palaeoherpetology +palaeoherpetologist +palaeohydrography +palaeohistology +palaeolatry +palaeolimnology +palaeolith +palaeolithy +palaeolithic +palaeolithical +palaeolithist +palaeolithoid +palaeology +palaeological +palaeologist +palaeomagnetism +palaeomastodon +palaeometallic +palaeometeorology +palaeometeorological +palaeonemertea +palaeonemertean +palaeonemertine +palaeonemertinea +palaeonemertini +palaeoniscid +palaeoniscidae +palaeoniscoid +palaeoniscum +palaeoniscus +palaeontography +palaeontographic +palaeontographical +palaeontol +palaeontology +palaeontologic +palaeontological +palaeontologically +palaeontologies +palaeontologist +palaeopathology +palaeopedology +palaeophile +palaeophilist +palaeophis +palaeophysiography +palaeophysiology +palaeophytic +palaeophytology +palaeophytological +palaeophytologist +palaeoplain +palaeopotamology +palaeopsychic +palaeopsychology +palaeopsychological +palaeoptychology +palaeornis +palaeornithinae +palaeornithine +palaeornithology +palaeornithological +palaeosaur +palaeosaurus +palaeosophy +palaeospondylus +palaeostyly +palaeostylic +palaeostraca +palaeostracan +palaeostriatal +palaeostriatum +palaeotechnic +palaeothalamus +palaeothentes +palaeothentidae +palaeothere +palaeotherian +palaeotheriidae +palaeotheriodont +palaeotherioid +palaeotherium +palaeotheroid +palaeotype +palaeotypic +palaeotypical +palaeotypically +palaeotypography +palaeotypographic +palaeotypographical +palaeotypographist +palaeotropical +palaeovolcanic +palaeozoic +palaeozoology +palaeozoologic +palaeozoological +palaeozoologist +palaestra +palaestrae +palaestral +palaestras +palaestrian +palaestric +palaestrics +palaetiology +palaetiological +palaetiologist +palafitte +palagonite +palagonitic +palay +palayan +palaic +palaihnihan +palaiotype +palais +palaiste +palaite +palaka +palala +palama +palamae +palamate +palame +palamedea +palamedean +palamedeidae +palamite +palamitism +palampore +palander +palank +palanka +palankeen +palankeened +palankeener +palankeening +palankeeningly +palanquin +palanquined +palanquiner +palanquining +palanquiningly +palanquins +palapala +palapalai +palapteryx +palaquium +palar +palas +palatability +palatable +palatableness +palatably +palatal +palatalism +palatality +palatalization +palatalize +palatalized +palatally +palatals +palate +palated +palateful +palatefulness +palateless +palatelike +palates +palatia +palatial +palatially +palatialness +palatian +palatic +palatinal +palatinate +palatinates +palatine +palatines +palatineship +palatinian +palatinite +palation +palatist +palatitis +palatium +palative +palatization +palatize +palatoalveolar +palatodental +palatoglossal +palatoglossus +palatognathous +palatogram +palatograph +palatography +palatomaxillary +palatometer +palatonasal +palatopharyngeal +palatopharyngeus +palatoplasty +palatoplegia +palatopterygoid +palatoquadrate +palatorrhaphy +palatoschisis +palatua +palau +palaung +palaver +palavered +palaverer +palavering +palaverist +palaverment +palaverous +palavers +palazzi +palazzo +palberry +palch +pale +palea +paleaceous +paleae +paleal +paleanthropic +palearctic +paleate +palebelly +palebreast +palebuck +palechinoid +paled +paledness +paleencephala +paleencephalon +paleencephalons +paleentomology +paleethnographer +paleethnology +paleethnologic +paleethnological +paleethnologist +paleface +palefaces +palegold +palehearted +paleichthyology +paleichthyologic +paleichthyologist +paleiform +palely +paleman +paleness +palenesses +palenque +paleoalchemical +paleoandesite +paleoanthropic +paleoanthropography +paleoanthropology +paleoanthropological +paleoanthropologist +paleoanthropus +paleoatavism +paleoatavistic +paleobiogeography +paleobiology +paleobiologic +paleobiological +paleobiologist +paleobotany +paleobotanic +paleobotanical +paleobotanically +paleobotanist +paleoceanography +paleocene +paleochorology +paleochorologist +paleocyclic +paleoclimatic +paleoclimatology +paleoclimatologic +paleoclimatological +paleoclimatologist +paleoconcha +paleocosmic +paleocosmology +paleocrystal +paleocrystallic +paleocrystalline +paleocrystic +paleodendrology +paleodendrologic +paleodendrological +paleodendrologically +paleodendrologist +paleodentrologist +paleoecology +paleoecologic +paleoecological +paleoecologist +paleoencephalon +paleoentomologic +paleoentomological +paleoentomologist +paleoeremology +paleoethnic +paleoethnography +paleoethnology +paleoethnologic +paleoethnological +paleoethnologist +paleofauna +paleog +paleogene +paleogenesis +paleogenetic +paleogeography +paleogeographic +paleogeographical +paleogeographically +paleogeologic +paleoglaciology +paleoglaciologist +paleoglyph +paleograph +paleographer +paleographers +paleography +paleographic +paleographical +paleographically +paleographist +paleoherpetology +paleoherpetologist +paleohydrography +paleohistology +paleoichthyology +paleoytterbium +paleokinetic +paleola +paleolate +paleolatry +paleolimnology +paleolith +paleolithy +paleolithic +paleolithical +paleolithist +paleolithoid +paleology +paleological +paleologist +paleomagnetic +paleomagnetically +paleomagnetism +paleomagnetist +paleomammalogy +paleomammology +paleomammologist +paleometallic +paleometeorology +paleometeorological +paleometeorologist +paleon +paleontography +paleontographic +paleontographical +paleontol +paleontology +paleontologic +paleontological +paleontologically +paleontologies +paleontologist +paleontologists +paleopathology +paleopathologic +paleopathological +paleopathologist +paleopedology +paleophysiography +paleophysiology +paleophysiologist +paleophytic +paleophytology +paleophytological +paleophytologist +paleopicrite +paleoplain +paleopotamology +paleopotamoloy +paleopsychic +paleopsychology +paleopsychological +paleornithology +paleornithological +paleornithologist +paleostyly +paleostylic +paleostriatal +paleostriatum +paleotechnic +paleothalamus +paleothermal +paleothermic +paleotropical +paleovolcanic +paleozoic +paleozoology +paleozoologic +paleozoological +paleozoologist +paler +palermitan +palermo +paleron +pales +palesman +palest +palestine +palestinian +palestinians +palestra +palestrae +palestral +palestras +palestrian +palestric +palet +paletiology +paletot +paletots +palets +palette +palettelike +palettes +paletz +palew +paleways +palewise +palfgeys +palfrey +palfreyed +palfreys +palfrenier +palfry +palgat +pali +paly +palicourea +palier +paliest +palification +paliform +paligorskite +palikar +palikarism +palikars +palikinesia +palila +palilalia +palilia +palilicium +palillogia +palilogetic +palilogy +palimbacchic +palimbacchius +palimony +palimpsest +palimpsestic +palimpsests +palimpset +palinal +palindrome +palindromes +palindromic +palindromical +palindromically +palindromist +paling +palingenesy +palingenesia +palingenesian +palingenesis +palingenesist +palingenetic +palingenetically +palingeny +palingenic +palingenist +palings +palinode +palinoded +palinodes +palinody +palinodial +palinodic +palinodist +palynology +palynologic +palynological +palynologically +palynologist +palynomorph +palinopic +palinurid +palinuridae +palinuroid +palinurus +paliphrasia +palirrhea +palis +palisade +palisaded +palisades +palisading +palisado +palisadoed +palisadoes +palisadoing +palisander +palisfy +palish +palisse +palistrophia +paliurus +palkee +palki +pall +palla +palladammin +palladammine +palladia +palladian +palladianism +palladic +palladiferous +palladinize +palladinized +palladinizing +palladion +palladious +palladium +palladiumize +palladiumized +palladiumizing +palladiums +palladize +palladized +palladizing +palladodiammine +palladosammine +palladous +pallae +pallah +pallall +pallanesthesia +pallar +pallas +pallasite +pallbearer +pallbearers +palled +pallescence +pallescent +pallesthesia +pallet +palleting +palletization +palletize +palletized +palletizer +palletizing +pallets +pallette +pallettes +pallholder +palli +pally +pallia +pallial +palliament +palliard +palliasse +palliata +palliate +palliated +palliates +palliating +palliation +palliations +palliative +palliatively +palliator +palliatory +pallid +pallidiflorous +pallidipalpate +palliditarsate +pallidity +pallidiventrate +pallidly +pallidness +pallier +pallies +palliest +palliyan +palliness +palling +palliobranchiata +palliobranchiate +palliocardiac +pallioessexite +pallion +palliopedal +palliostratus +palliser +pallium +palliums +pallograph +pallographic +pallometric +pallone +pallor +pallors +palls +pallu +palluites +pallwise +palm +palma +palmaceae +palmaceous +palmad +palmae +palmanesthesia +palmar +palmary +palmarian +palmaris +palmate +palmated +palmately +palmatifid +palmatiform +palmatilobate +palmatilobed +palmation +palmatiparted +palmatipartite +palmatisect +palmatisected +palmature +palmchrist +palmcrist +palmed +palmella +palmellaceae +palmellaceous +palmelloid +palmer +palmery +palmeries +palmerin +palmerite +palmers +palmerworm +palmesthesia +palmette +palmettes +palmetto +palmettoes +palmettos +palmetum +palmful +palmy +palmic +palmicoleus +palmicolous +palmier +palmiest +palmiferous +palmification +palmiform +palmigrade +palmilla +palmillo +palmilobate +palmilobated +palmilobed +palmin +palminervate +palminerved +palming +palmiped +palmipedes +palmipes +palmira +palmyra +palmyras +palmyrene +palmyrenian +palmist +palmiste +palmister +palmistry +palmists +palmitate +palmite +palmitic +palmitin +palmitine +palmitinic +palmitins +palmito +palmitoleic +palmitone +palmitos +palmiveined +palmivorous +palmlike +palmo +palmodic +palmoscopy +palmospasmus +palms +palmula +palmus +palmwise +palmwood +palolo +palolos +paloma +palombino +palometa +palomino +palominos +palooka +palookas +palosapis +palour +palouser +paloverde +palp +palpability +palpable +palpableness +palpably +palpacle +palpal +palpate +palpated +palpates +palpating +palpation +palpations +palpator +palpatory +palpators +palpebra +palpebrae +palpebral +palpebrate +palpebration +palpebritis +palped +palpi +palpicorn +palpicornia +palpifer +palpiferous +palpiform +palpiger +palpigerous +palpitant +palpitate +palpitated +palpitates +palpitating +palpitatingly +palpitation +palpitations +palpless +palpocil +palpon +palps +palpulus +palpus +pals +palsgraf +palsgrave +palsgravine +palsy +palsied +palsies +palsify +palsification +palsying +palsylike +palsywort +palstaff +palstave +palster +palt +palta +palter +paltered +palterer +palterers +paltering +palterly +palters +paltock +paltry +paltrier +paltriest +paltrily +paltriness +paludal +paludament +paludamenta +paludamentum +palude +paludial +paludian +paludic +paludicella +paludicolae +paludicole +paludicoline +paludicolous +paludiferous +paludina +paludinal +paludine +paludinous +paludism +paludisms +paludose +paludous +paludrin +paludrine +palule +paluli +palulus +palus +palustral +palustrian +palustrine +pam +pamaceous +pamaquin +pamaquine +pambanmanche +pamela +pament +pameroon +pamhy +pamir +pamiri +pamirian +pamlico +pamment +pampa +pampanga +pampangan +pampango +pampanito +pampas +pampean +pampeans +pamper +pampered +pamperedly +pamperedness +pamperer +pamperers +pampering +pamperize +pampero +pamperos +pampers +pamphagous +pampharmacon +pamphiliidae +pamphilius +pamphysic +pamphysical +pamphysicism +pamphlet +pamphletage +pamphletary +pamphleteer +pamphleteers +pamphleter +pamphletful +pamphletic +pamphletical +pamphletize +pamphletized +pamphletizing +pamphlets +pamphletwise +pamphrey +pampilion +pampination +pampiniform +pampinocele +pamplegia +pampootee +pampootie +pampre +pamprodactyl +pamprodactylism +pamprodactylous +pampsychism +pampsychist +pams +pamunkey +pan +panabase +panace +panacea +panacean +panaceas +panaceist +panache +panached +panaches +panachure +panada +panadas +panade +panaesthesia +panaesthetic +panagia +panagiarion +panayan +panayano +panak +panaka +panama +panamaian +panaman +panamanian +panamanians +panamano +panamas +panamic +panamint +panamist +panapospory +panarchy +panarchic +panary +panaris +panaritium +panarteritis +panarthritis +panatela +panatelas +panatella +panatellas +panathenaea +panathenaean +panathenaic +panatrope +panatrophy +panatrophic +panautomorphic +panax +panbabylonian +panbabylonism +panboeotian +pancake +pancaked +pancakes +pancaking +pancarditis +panchayat +panchayet +panchama +panchart +panchax +panchaxes +pancheon +panchion +panchreston +panchromatic +panchromatism +panchromatization +panchromatize +panchway +pancyclopedic +panclastic +panclastite +panconciliatory +pancosmic +pancosmism +pancosmist +pancratia +pancratian +pancratiast +pancratiastic +pancratic +pancratical +pancratically +pancration +pancratism +pancratist +pancratium +pancreas +pancreases +pancreatalgia +pancreatectomy +pancreatectomize +pancreatectomized +pancreatemphraxis +pancreathelcosis +pancreatic +pancreaticoduodenal +pancreaticoduodenostomy +pancreaticogastrostomy +pancreaticosplenic +pancreatin +pancreatism +pancreatitic +pancreatitis +pancreatization +pancreatize +pancreatoduodenectomy +pancreatoenterostomy +pancreatogenic +pancreatogenous +pancreatoid +pancreatolipase +pancreatolith +pancreatomy +pancreatoncus +pancreatopathy +pancreatorrhagia +pancreatotomy +pancreatotomies +pancreectomy +pancreozymin +panctia +pand +panda +pandal +pandan +pandanaceae +pandanaceous +pandanales +pandani +pandanus +pandanuses +pandar +pandaram +pandarctos +pandaric +pandarus +pandas +pandation +pandava +pandean +pandect +pandectist +pandects +pandemy +pandemia +pandemian +pandemic +pandemicity +pandemics +pandemoniac +pandemoniacal +pandemonian +pandemonic +pandemonism +pandemonium +pandemos +pandenominational +pander +panderage +pandered +panderer +panderers +panderess +pandering +panderism +panderize +panderly +panderma +pandermite +panderous +panders +pandership +pandestruction +pandy +pandiabolism +pandybat +pandiculation +pandied +pandies +pandying +pandion +pandionidae +pandit +pandita +pandits +pandle +pandlewhew +pandoor +pandoors +pandora +pandoras +pandore +pandorea +pandores +pandoridae +pandorina +pandosto +pandour +pandoura +pandours +pandowdy +pandowdies +pandrop +pandura +panduras +pandurate +pandurated +pandure +panduriform +pane +panecclesiastical +paned +panegyre +panegyry +panegyric +panegyrica +panegyrical +panegyrically +panegyricize +panegyricon +panegyrics +panegyricum +panegyris +panegyrist +panegyrists +panegyrize +panegyrized +panegyrizer +panegyrizes +panegyrizing +panegoism +panegoist +paneity +panel +panela +panelation +panelboard +paneled +paneler +paneless +paneling +panelings +panelist +panelists +panellation +panelled +panelling +panellist +panels +panelwise +panelwork +panentheism +panes +panesthesia +panesthetic +panetela +panetelas +panetella +panetiere +panettone +panettones +panettoni +paneulogism +panfil +panfish +panfishes +panfry +panful +panfuls +pang +panga +pangaea +pangamy +pangamic +pangamous +pangamously +pangane +pangara +pangas +pangasi +pangasinan +panged +pangen +pangene +pangenesis +pangenetic +pangenetically +pangenic +pangens +pangerang +pangful +pangi +panging +pangyrical +pangium +pangless +panglessly +panglima +pangloss +panglossian +panglossic +pangolin +pangolins +pangrammatist +pangs +panguingue +panguingui +pangwe +panhandle +panhandled +panhandler +panhandlers +panhandles +panhandling +panharmonic +panharmonicon +panhas +panhead +panheaded +panhellenic +panhellenios +panhellenism +panhellenist +panhellenium +panhematopenia +panhidrosis +panhygrous +panhyperemia +panhypopituitarism +panhysterectomy +panhuman +pani +panyar +panic +panical +panically +panicful +panichthyophagous +panicked +panicky +panickier +panickiest +panickiness +panicking +panicle +panicled +panicles +paniclike +panicmonger +panicmongering +paniconograph +paniconography +paniconographic +panics +panicularia +paniculate +paniculated +paniculately +paniculitis +panicum +panicums +panidiomorphic +panidrosis +panier +paniers +panification +panime +panimmunity +paninean +panini +paniolo +panion +panionia +panionian +panionic +paniquita +paniquitan +panisc +panisca +paniscus +panisic +panisk +panivorous +panjabi +panjandrum +panjandrums +pank +pankin +pankration +panleucopenia +panleukopenia +panlogical +panlogism +panlogist +panlogistic +panlogistical +panlogistically +panman +panmelodicon +panmelodion +panmerism +panmeristic +panmyelophthisis +panmixy +panmixia +panmixias +panmnesia +panmug +panna +pannade +pannag +pannage +pannam +pannationalism +panne +panned +pannel +pannellation +panner +pannery +pannes +panneuritic +panneuritis +pannicle +pannicular +panniculitis +panniculus +pannier +panniered +pannierman +panniers +pannikin +pannikins +panning +pannonian +pannonic +pannose +pannosely +pannum +pannus +pannuscorium +panoan +panocha +panochas +panoche +panoches +panococo +panoistic +panomphaean +panomphaic +panomphean +panomphic +panophobia +panophthalmia +panophthalmitis +panoply +panoplied +panoplies +panoplying +panoplist +panoptic +panoptical +panopticon +panoram +panorama +panoramas +panoramic +panoramical +panoramically +panoramist +panornithic +panorpa +panorpatae +panorpian +panorpid +panorpidae +panos +panosteitis +panostitis +panotype +panotitis +panouchi +panowie +panpathy +panpharmacon +panphenomenalism +panphobia +panpipe +panpipes +panplegia +panpneumatism +panpolism +panpsychic +panpsychism +panpsychist +panpsychistic +pans +panscientist +pansciolism +pansciolist +pansclerosis +pansclerotic +panse +pansexism +pansexual +pansexualism +pansexualist +pansexuality +pansexualize +panshard +pansy +panside +pansideman +pansied +pansiere +pansies +pansified +pansyish +pansylike +pansinuitis +pansinusitis +pansit +pansmith +pansophy +pansophic +pansophical +pansophically +pansophies +pansophism +pansophist +panspermatism +panspermatist +panspermy +panspermia +panspermic +panspermism +panspermist +pansphygmograph +panstereorama +pant +pantachromatic +pantacosm +pantagamy +pantagogue +pantagraph +pantagraphic +pantagraphical +pantagruel +pantagruelian +pantagruelic +pantagruelically +pantagrueline +pantagruelion +pantagruelism +pantagruelist +pantagruelistic +pantagruelistical +pantagruelize +pantalan +pantaleon +pantalet +pantaletless +pantalets +pantalette +pantaletted +pantalettes +pantalgia +pantalon +pantalone +pantaloon +pantalooned +pantaloonery +pantaloons +pantameter +pantamorph +pantamorphia +pantamorphic +pantanemone +pantanencephalia +pantanencephalic +pantaphobia +pantarbe +pantarchy +pantas +pantascope +pantascopic +pantastomatida +pantastomina +pantatype +pantatrophy +pantatrophia +pantdress +pantechnic +pantechnicon +panted +pantelegraph +pantelegraphy +panteleologism +pantelephone +pantelephonic +pantelis +pantellerite +panter +panterer +panthea +pantheian +pantheic +pantheism +pantheist +pantheistic +pantheistical +pantheistically +pantheists +panthelematism +panthelism +pantheology +pantheologist +pantheon +pantheonic +pantheonization +pantheonize +pantheons +panther +pantheress +pantherine +pantherish +pantherlike +panthers +pantherwood +pantheum +panty +pantie +panties +pantihose +pantyhose +pantile +pantiled +pantiles +pantiling +pantine +panting +pantingly +pantisocracy +pantisocrat +pantisocratic +pantisocratical +pantisocratist +pantywaist +pantywaists +pantle +pantler +panto +pantochrome +pantochromic +pantochromism +pantochronometer +pantocrator +pantod +pantodon +pantodontidae +pantoffle +pantofle +pantofles +pantoganglitis +pantogelastic +pantoglossical +pantoglot +pantoglottism +pantograph +pantographer +pantography +pantographic +pantographical +pantographically +pantoiatrical +pantology +pantologic +pantological +pantologist +pantomancer +pantomania +pantometer +pantometry +pantometric +pantometrical +pantomime +pantomimed +pantomimes +pantomimic +pantomimical +pantomimically +pantomimicry +pantomiming +pantomimish +pantomimist +pantomimists +pantomimus +pantomnesia +pantomnesic +pantomorph +pantomorphia +pantomorphic +panton +pantonal +pantonality +pantoon +pantopelagian +pantophagy +pantophagic +pantophagist +pantophagous +pantophile +pantophobia +pantophobic +pantophobous +pantoplethora +pantopod +pantopoda +pantopragmatic +pantopterous +pantos +pantoscope +pantoscopic +pantosophy +pantostomata +pantostomate +pantostomatous +pantostome +pantotactic +pantothen +pantothenate +pantothenic +pantothere +pantotheria +pantotherian +pantotype +pantoum +pantoums +pantry +pantries +pantryman +pantrymen +pantrywoman +pantropic +pantropical +pantropically +pants +pantsuit +pantsuits +pantun +panuelo +panuelos +panung +panure +panurge +panurgy +panurgic +panus +panzer +panzers +panzoism +panzooty +panzootia +panzootic +paola +paolo +paon +paopao +pap +papa +papability +papable +papabot +papabote +papacy +papacies +papagay +papagayo +papagallo +papago +papaya +papayaceae +papayaceous +papayan +papayas +papain +papains +papaio +papayotin +papal +papalise +papalism +papalist +papalistic +papality +papalization +papalize +papalizer +papally +papaloi +papalty +papane +papaphobia +papaphobist +papaprelatical +papaprelatist +paparazzi +paparazzo +paparchy +paparchical +papas +papaship +papaver +papaveraceae +papaveraceous +papaverales +papaverin +papaverine +papaverous +papaw +papaws +papboat +pape +papegay +papey +papelera +papeleras +papelon +papelonne +paper +paperasserie +paperback +paperbacks +paperbark +paperboard +paperboards +paperboy +paperboys +paperbound +paperclip +papercutting +papered +paperer +paperers +paperful +papergirl +paperhanger +paperhangers +paperhanging +papery +paperiness +papering +paperings +paperknife +paperknives +paperlike +papermaker +papermaking +papermouth +papern +papers +papershell +paperweight +paperweights +paperwork +papess +papeterie +paphian +paphians +paphiopedilum +papiamento +papicolar +papicolist +papier +papilio +papilionaceae +papilionaceous +papiliones +papilionid +papilionidae +papilionides +papilioninae +papilionine +papilionoid +papilionoidea +papilla +papillae +papillar +papillary +papillate +papillated +papillectomy +papilledema +papilliferous +papilliform +papillitis +papilloadenocystoma +papillocarcinoma +papilloedema +papilloma +papillomas +papillomata +papillomatosis +papillomatous +papillon +papillons +papilloretinitis +papillosarcoma +papillose +papillosity +papillote +papillous +papillulate +papillule +papinachois +papingo +papio +papion +papiopio +papyr +papyraceous +papyral +papyrean +papyri +papyrian +papyrin +papyrine +papyritious +papyrocracy +papyrograph +papyrographer +papyrography +papyrographic +papyrology +papyrological +papyrologist +papyrophobia +papyroplastics +papyrotamia +papyrotint +papyrotype +papyrus +papyruses +papish +papisher +papism +papist +papistic +papistical +papistically +papistly +papistlike +papistry +papistries +papists +papize +papless +paplike +papmeat +papolater +papolatry +papolatrous +papoose +papooseroot +papooses +papoosh +papoula +papovavirus +pappain +pappea +pappenheimer +pappescent +pappi +pappy +pappier +pappies +pappiest +pappiferous +pappiform +pappyri +pappoose +pappooses +pappose +pappous +pappox +pappus +papreg +paprica +papricas +paprika +paprikas +papriks +paps +papua +papuan +papuans +papula +papulae +papulan +papular +papulate +papulated +papulation +papule +papules +papuliferous +papuloerythematous +papulopustular +papulopustule +papulose +papulosquamous +papulous +papulovesicular +paque +paquet +par +para +paraaminobenzoic +parabanate +parabanic +parabaptism +parabaptization +parabasal +parabases +parabasic +parabasis +parabema +parabemata +parabematic +parabenzoquinone +parabien +parabiosis +parabiotic +parabiotically +parablast +parablastic +parable +parabled +parablepsy +parablepsia +parablepsis +parableptic +parables +parabling +parabola +parabolanus +parabolas +parabole +parabolic +parabolical +parabolicalism +parabolically +parabolicness +paraboliform +parabolise +parabolised +parabolising +parabolist +parabolization +parabolize +parabolized +parabolizer +parabolizing +paraboloid +paraboloidal +parabomb +parabotulism +parabrake +parabranchia +parabranchial +parabranchiate +parabulia +parabulic +paracanthosis +paracarmine +paracasein +paracaseinate +paracelsian +paracelsianism +paracelsic +paracelsist +paracelsistic +paracelsus +paracenteses +paracentesis +paracentral +paracentric +paracentrical +paracephalus +paracerebellar +paracetaldehyde +paracetamol +parachaplain +paracholia +parachor +parachordal +parachors +parachrea +parachroia +parachroma +parachromatism +parachromatophorous +parachromatopsia +parachromatosis +parachrome +parachromoparous +parachromophoric +parachromophorous +parachronism +parachronistic +parachrose +parachute +parachuted +parachuter +parachutes +parachutic +parachuting +parachutism +parachutist +parachutists +paracyanogen +paracyeses +paracyesis +paracymene +paracystic +paracystitis +paracystium +paracium +paraclete +paracmasis +paracme +paracoele +paracoelian +paracolitis +paracolon +paracolpitis +paracolpium +paracondyloid +paracone +paraconic +paraconid +paraconscious +paracorolla +paracotoin +paracoumaric +paracresol +paracress +paracrostic +paracusia +paracusic +paracusis +parada +parade +paraded +paradeful +paradeless +paradelike +paradenitis +paradental +paradentitis +paradentium +parader +paraderm +paraders +parades +paradiastole +paradiazine +paradichlorbenzene +paradichlorbenzol +paradichlorobenzene +paradichlorobenzol +paradiddle +paradidym +paradidymal +paradidymis +paradigm +paradigmatic +paradigmatical +paradigmatically +paradigmatize +paradigms +parading +paradingly +paradiplomatic +paradisaic +paradisaical +paradisaically +paradisal +paradisally +paradise +paradisea +paradisean +paradiseidae +paradiseinae +paradises +paradisia +paradisiac +paradisiacal +paradisiacally +paradisial +paradisian +paradisic +paradisical +parado +paradoctor +parados +paradoses +paradox +paradoxal +paradoxer +paradoxes +paradoxy +paradoxial +paradoxic +paradoxical +paradoxicalism +paradoxicality +paradoxically +paradoxicalness +paradoxician +paradoxides +paradoxidian +paradoxism +paradoxist +paradoxographer +paradoxographical +paradoxology +paradoxure +paradoxurinae +paradoxurine +paradoxurus +paradromic +paradrop +paradropped +paradropping +paradrops +paraenesis +paraenesize +paraenetic +paraenetical +paraengineer +paraesthesia +paraesthetic +paraffin +paraffine +paraffined +paraffiner +paraffiny +paraffinic +paraffining +paraffinize +paraffinized +paraffinizing +paraffinoid +paraffins +paraffle +parafle +parafloccular +paraflocculus +parafoil +paraform +paraformaldehyde +paraforms +parafunction +paragammacism +paraganglion +paragaster +paragastral +paragastric +paragastrula +paragastrular +parage +paragenesia +paragenesis +paragenetic +paragenetically +paragenic +paragerontic +parageusia +parageusic +parageusis +paragglutination +paraglenal +paraglycogen +paraglider +paraglobin +paraglobulin +paraglossa +paraglossae +paraglossal +paraglossate +paraglossia +paragnath +paragnathism +paragnathous +paragnaths +paragnathus +paragneiss +paragnosia +paragoge +paragoges +paragogic +paragogical +paragogically +paragogize +paragon +paragoned +paragonimiasis +paragonimus +paragoning +paragonite +paragonitic +paragonless +paragons +paragram +paragrammatist +paragraph +paragraphed +paragrapher +paragraphia +paragraphic +paragraphical +paragraphically +paragraphing +paragraphism +paragraphist +paragraphistical +paragraphize +paragraphs +paraguay +paraguayan +paraguayans +parah +paraheliotropic +paraheliotropism +parahematin +parahemoglobin +parahepatic +parahydrogen +parahypnosis +parahippus +parahopeite +parahormone +paraiba +paraiyan +paraison +parakeet +parakeets +parakeratosis +parakilya +parakinesia +parakinesis +parakinetic +paralactate +paralalia +paralambdacism +paralambdacismus +paralanguage +paralaurionite +paraldehyde +parale +paralectotype +paralegal +paraleipsis +paralepsis +paralexia +paralexic +paralgesia +paralgesic +paralian +paralimnion +paralinguistic +paralinguistics +paralinin +paralipomena +paralipomenon +paralipses +paralipsis +paralysation +paralyse +paralysed +paralyser +paralyses +paralysing +paralysis +paralytic +paralytica +paralitical +paralytical +paralytically +paralyzant +paralyzation +paralyze +paralyzed +paralyzedly +paralyzer +paralyzers +paralyzes +paralyzing +paralyzingly +parallactic +parallactical +parallactically +parallax +parallaxes +parallel +parallelable +paralleled +parallelepiped +parallelepipedal +parallelepipedic +parallelepipedon +parallelepipedonal +parallelepipedous +paralleler +parallelinervate +parallelinerved +parallelinervous +paralleling +parallelisation +parallelise +parallelised +parallelising +parallelism +parallelist +parallelistic +parallelith +parallelization +parallelize +parallelized +parallelizer +parallelizes +parallelizing +parallelled +parallelless +parallelly +parallelling +parallelodrome +parallelodromous +parallelogram +parallelogrammatic +parallelogrammatical +parallelogrammic +parallelogrammical +parallelograms +parallelograph +parallelometer +parallelopiped +parallelopipedon +parallelotropic +parallelotropism +parallels +parallelwise +parallepipedous +paralogy +paralogia +paralogic +paralogical +paralogician +paralogism +paralogist +paralogistic +paralogize +paralogized +paralogizing +paraluminite +param +paramagnet +paramagnetic +paramagnetically +paramagnetism +paramandelic +paramarine +paramastigate +paramastitis +paramastoid +paramatta +paramecia +paramecidae +paramecium +parameciums +paramedian +paramedic +paramedical +paramedics +paramelaconite +paramenia +parament +paramenta +paraments +paramere +parameric +parameron +paramese +paramesial +parameter +parameterizable +parameterization +parameterizations +parameterize +parameterized +parameterizes +parameterizing +parameterless +parameters +parametral +parametric +parametrical +parametrically +parametritic +parametritis +parametrium +parametrization +parametrize +parametrized +parametrizing +paramid +paramide +paramyelin +paramilitary +paramylum +paramimia +paramine +paramyoclonus +paramiographer +paramyosin +paramyosinogen +paramyotone +paramyotonia +paramita +paramitome +paramyxovirus +paramnesia +paramo +paramoecium +paramorph +paramorphia +paramorphic +paramorphine +paramorphism +paramorphosis +paramorphous +paramos +paramount +paramountcy +paramountly +paramountness +paramountship +paramour +paramours +paramuthetic +paranasal +paranatellon +parandrus +paranema +paranematic +paranephric +paranephritic +paranephritis +paranephros +paranepionic +paranete +parang +parangi +parangs +paranymph +paranymphal +paranitraniline +paranitrosophenol +paranja +paranoea +paranoeac +paranoeas +paranoia +paranoiac +paranoiacs +paranoias +paranoid +paranoidal +paranoidism +paranoids +paranomia +paranormal +paranormality +paranormally +paranosic +paranotions +paranthelion +paranthracene +paranthropus +paranuclear +paranucleate +paranuclei +paranucleic +paranuclein +paranucleinic +paranucleus +parao +paraoperation +parapaguridae +paraparesis +paraparetic +parapathy +parapathia +parapdia +parapegm +parapegma +parapegmata +paraperiodic +parapet +parapetalous +parapeted +parapetless +parapets +paraph +paraphasia +paraphasic +paraphed +paraphemia +paraphenetidine +paraphenylene +paraphenylenediamine +parapherna +paraphernal +paraphernalia +paraphernalian +paraphia +paraphilia +paraphiliac +paraphyllia +paraphyllium +paraphimosis +paraphing +paraphysate +paraphysical +paraphysiferous +paraphysis +paraphonia +paraphoniac +paraphonic +paraphototropism +paraphragm +paraphrasable +paraphrase +paraphrased +paraphraser +paraphrasers +paraphrases +paraphrasia +paraphrasian +paraphrasing +paraphrasis +paraphrasist +paraphrast +paraphraster +paraphrastic +paraphrastical +paraphrastically +paraphrenia +paraphrenic +paraphrenitis +paraphronesis +paraphrosyne +paraphs +paraplasis +paraplasm +paraplasmic +paraplastic +paraplastin +paraplectic +paraplegy +paraplegia +paraplegic +paraplegics +parapleuritis +parapleurum +parapod +parapodia +parapodial +parapodium +parapophysial +parapophysis +parapphyllia +parapraxia +parapraxis +paraproctitis +paraproctium +paraprofessional +paraprofessionals +paraprostatitis +paraprotein +parapsychical +parapsychism +parapsychology +parapsychological +parapsychologies +parapsychologist +parapsychologists +parapsychosis +parapsida +parapsidal +parapsidan +parapsis +paraptera +parapteral +parapteron +parapterum +paraquadrate +paraquat +paraquats +paraquet +paraquets +paraquinone +pararctalia +pararctalian +pararectal +pararek +parareka +pararhotacism +pararosaniline +pararosolic +pararthria +paras +parasaboteur +parasalpingitis +parasang +parasangs +parascene +parascenia +parascenium +parasceve +paraschematic +parasecretion +paraselenae +paraselene +paraselenic +parasemidin +parasemidine +parasexual +parasexuality +parashah +parashioth +parashoth +parasigmatism +parasigmatismus +parasympathetic +parasympathomimetic +parasynapsis +parasynaptic +parasynaptist +parasyndesis +parasynesis +parasynetic +parasynovitis +parasynthesis +parasynthetic +parasyntheton +parasyphilis +parasyphilitic +parasyphilosis +parasystole +parasita +parasital +parasitary +parasite +parasitelike +parasitemia +parasites +parasithol +parasitic +parasitica +parasitical +parasitically +parasiticalness +parasiticidal +parasiticide +parasiticidic +parasitics +parasiticus +parasitidae +parasitism +parasitization +parasitize +parasitized +parasitizes +parasitizing +parasitogenic +parasitoid +parasitoidism +parasitoids +parasitology +parasitologic +parasitological +parasitologies +parasitologist +parasitophobia +parasitosis +parasitotrope +parasitotropy +parasitotropic +parasitotropism +paraskenion +parasnia +parasol +parasoled +parasolette +parasols +paraspecific +parasphenoid +parasphenoidal +paraspy +paraspotter +parastades +parastas +parastatic +parastemon +parastemonal +parasternal +parasternum +parastichy +parastichies +parastyle +parasubphonate +parasubstituted +parasuchia +parasuchian +paratactic +paratactical +paratactically +paratartaric +parataxic +parataxis +parate +paraterminal +paratheria +paratherian +parathesis +parathetic +parathymic +parathion +parathyrin +parathyroid +parathyroidal +parathyroidectomy +parathyroidectomies +parathyroidectomize +parathyroidectomized +parathyroidectomizing +parathyroids +parathyroprival +parathyroprivia +parathyroprivic +parathormone +paratype +paratyphlitis +paratyphoid +paratypic +paratypical +paratypically +paratitla +paratitles +paratitlon +paratoloid +paratoluic +paratoluidine +paratomial +paratomium +paratonic +paratonically +paratonnerre +paratory +paratorium +paratracheal +paratragedia +paratragoedia +paratransversan +paratrichosis +paratrimma +paratriptic +paratroop +paratrooper +paratroopers +paratroops +paratrophy +paratrophic +paratuberculin +paratuberculosis +paratuberculous +paratungstate +paratungstic +paraunter +parava +paravaginitis +paravail +paravane +paravanes +paravant +paravauxite +paravent +paravertebral +paravesical +paravidya +parawing +paraxial +paraxially +paraxylene +paraxon +paraxonic +parazoa +parazoan +parazonium +parbake +parbate +parbleu +parboil +parboiled +parboiling +parboils +parbreak +parbuckle +parbuckled +parbuckling +parc +parcae +parcel +parceled +parceling +parcellary +parcellate +parcellation +parcelled +parcelling +parcellization +parcellize +parcelment +parcels +parcelwise +parcenary +parcener +parceners +parcenership +parch +parchable +parched +parchedly +parchedness +parcheesi +parchemin +parcher +parches +parchesi +parchy +parching +parchingly +parchisi +parchment +parchmenter +parchmenty +parchmentize +parchmentized +parchmentizing +parchmentlike +parchments +parcidenta +parcidentate +parciloquy +parclose +parcook +pard +pardah +pardahs +pardal +pardale +pardalote +pardanthus +pardao +pardaos +parde +parded +pardee +pardesi +pardhan +pardi +pardy +pardie +pardieu +pardine +pardner +pardners +pardnomastic +pardo +pardon +pardonable +pardonableness +pardonably +pardoned +pardonee +pardoner +pardoners +pardoning +pardonless +pardonmonger +pardons +pards +pare +parecy +parecious +pareciously +pareciousness +parecism +parecisms +pared +paregal +paregmenon +paregoric +paregorical +pareiasauri +pareiasauria +pareiasaurian +pareiasaurus +pareil +pareioplitae +pareira +pareiras +pareja +parel +parelectronomy +parelectronomic +parella +parelle +parellic +paren +parencephalic +parencephalon +parenchym +parenchyma +parenchymal +parenchymatic +parenchymatitis +parenchymatous +parenchymatously +parenchyme +parenchymous +parenesis +parenesize +parenetic +parenetical +parennece +parennir +parens +parent +parentage +parental +parentalia +parentalism +parentality +parentally +parentate +parentation +parentdom +parented +parentela +parentele +parentelic +parenteral +parenterally +parentheses +parenthesis +parenthesize +parenthesized +parenthesizes +parenthesizing +parenthetic +parenthetical +parentheticality +parenthetically +parentheticalness +parenthood +parenticide +parenting +parentis +parentless +parentlike +parents +parentship +pareoean +parepididymal +parepididymis +parepigastric +parer +parerethesis +parergal +parergy +parergic +parergon +parers +pares +pareses +paresis +paresthesia +paresthesis +paresthetic +parethmoid +paretic +paretically +paretics +paretta +pareu +pareunia +pareus +pareve +parfait +parfaits +parfey +parfield +parfilage +parfleche +parflesh +parfleshes +parfocal +parfocality +parfocalize +parfum +parfumerie +parfumeur +parfumoir +pargana +pargasite +parge +pargeboard +parged +parges +parget +pargeted +pargeter +pargeting +pargets +pargetted +pargetting +pargyline +parging +pargo +pargos +parhelia +parheliacal +parhelic +parhelion +parhelnm +parhypate +parhomology +parhomologous +pari +pariah +pariahdom +pariahism +pariahs +pariahship +parial +parian +parians +pariasauria +pariasaurus +parica +paridae +paridigitate +paridrosis +paries +pariet +parietal +parietales +parietals +parietary +parietaria +parietes +parietofrontal +parietojugal +parietomastoid +parietoquadrate +parietosphenoid +parietosphenoidal +parietosplanchnic +parietosquamosal +parietotemporal +parietovaginal +parietovisceral +parify +parigenin +pariglin +parilia +parilicium +parilla +parillin +parimutuel +parimutuels +parinarium +parine +paring +parings +paryphodrome +paripinnate +paris +parises +parish +parished +parishen +parishes +parishional +parishionally +parishionate +parishioner +parishioners +parishionership +parishwide +parisia +parisian +parisianism +parisianization +parisianize +parisianly +parisians +parisienne +parisii +parisyllabic +parisyllabical +parisis +parisite +parisology +parison +parisonic +paristhmic +paristhmion +pariti +parity +parities +paritium +paritor +parivincular +park +parka +parkas +parked +parkee +parker +parkers +parky +parkin +parking +parkings +parkinson +parkinsonia +parkinsonian +parkinsonism +parkish +parkland +parklands +parkleaves +parklike +parks +parkway +parkways +parkward +parl +parlay +parlayed +parlayer +parlayers +parlaying +parlays +parlamento +parlance +parlances +parlando +parlante +parlatory +parlatoria +parle +parled +parley +parleyed +parleyer +parleyers +parleying +parleys +parleyvoo +parlement +parles +parlesie +parli +parly +parlia +parliament +parliamental +parliamentary +parliamentarian +parliamentarianism +parliamentarians +parliamentarily +parliamentariness +parliamentarism +parliamentarization +parliamentarize +parliamenteer +parliamenteering +parliamenter +parliaments +parling +parlish +parlor +parlorish +parlormaid +parlors +parlour +parlourish +parlours +parlous +parlously +parlousness +parma +parmacety +parmack +parmak +parmelia +parmeliaceae +parmeliaceous +parmelioid +parmentier +parmentiera +parmesan +parmese +parmigiana +parmigiano +parnas +parnassia +parnassiaceae +parnassiaceous +parnassian +parnassianism +parnassiinae +parnassism +parnassus +parnel +parnellism +parnellite +parnorpine +paroarion +paroarium +paroccipital +paroch +parochial +parochialic +parochialis +parochialise +parochialised +parochialising +parochialism +parochialist +parochiality +parochialization +parochialize +parochially +parochialness +parochian +parochin +parochine +parochiner +parode +parodi +parody +parodiable +parodial +parodic +parodical +parodied +parodies +parodying +parodinia +parodyproof +parodist +parodistic +parodistically +parodists +parodize +parodoi +parodontia +parodontitia +parodontitis +parodontium +parodos +parodus +paroecy +paroecious +paroeciously +paroeciousness +paroecism +paroemia +paroemiac +paroemiographer +paroemiography +paroemiology +paroemiologist +paroicous +parol +parolable +parole +paroled +parolee +parolees +paroler +parolers +paroles +parolfactory +paroli +paroling +parolist +parols +paromoeon +paromologetic +paromology +paromologia +paromphalocele +paromphalocelic +paronychia +paronychial +paronychium +paronym +paronymy +paronymic +paronymization +paronymize +paronymous +paronyms +paronomasia +paronomasial +paronomasian +paronomasiastic +paronomastic +paronomastical +paronomastically +paroophoric +paroophoritis +paroophoron +paropsis +paroptesis +paroptic +paroquet +paroquets +parorchid +parorchis +parorexia +parosela +parosmia +parosmic +parosteal +parosteitis +parosteosis +parostosis +parostotic +parostotis +parotia +parotic +parotid +parotidean +parotidectomy +parotiditis +parotids +parotis +parotitic +parotitis +parotoid +parotoids +parous +parousia +parousiamania +parovarian +parovariotomy +parovarium +paroxazine +paroxysm +paroxysmal +paroxysmalist +paroxysmally +paroxysmic +paroxysmist +paroxysms +paroxytone +paroxytonic +paroxytonize +parpal +parpen +parpend +parquet +parquetage +parqueted +parqueting +parquetry +parquets +parr +parra +parrah +parrakeet +parrakeets +parral +parrall +parrals +parramatta +parred +parrel +parrels +parrhesia +parrhesiastic +parry +parriable +parricidal +parricidally +parricide +parricided +parricides +parricidial +parricidism +parridae +parridge +parridges +parried +parrier +parries +parrying +parring +parritch +parritches +parrock +parroket +parrokets +parroque +parroquet +parrot +parrotbeak +parrotbill +parroted +parroter +parroters +parrotfish +parrotfishes +parrothood +parroty +parroting +parrotism +parrotize +parrotlet +parrotlike +parrotry +parrots +parrotwise +parrs +pars +parsable +parse +parsec +parsecs +parsed +parsee +parseeism +parser +parsers +parses +parsettensite +parseval +parsi +parsic +parsifal +parsiism +parsimony +parsimonious +parsimoniously +parsimoniousness +parsing +parsings +parsism +parsley +parsleylike +parsleys +parsleywort +parsnip +parsnips +parson +parsonage +parsonages +parsonarchy +parsondom +parsoned +parsonese +parsoness +parsonet +parsonhood +parsony +parsonic +parsonical +parsonically +parsoning +parsonish +parsonity +parsonize +parsonly +parsonlike +parsonolatry +parsonology +parsonry +parsons +parsonship +parsonsia +parsonsite +part +partable +partage +partakable +partake +partaken +partaker +partakers +partakes +partaking +partan +partanfull +partanhanded +partans +parte +parted +partedness +parten +parter +parterre +parterred +parterres +parters +partes +partheniad +partheniae +parthenian +parthenic +parthenium +parthenocarpelly +parthenocarpy +parthenocarpic +parthenocarpical +parthenocarpically +parthenocarpous +parthenocissus +parthenogeneses +parthenogenesis +parthenogenetic +parthenogenetically +parthenogeny +parthenogenic +parthenogenitive +parthenogenous +parthenogone +parthenogonidium +parthenolatry +parthenology +parthenon +parthenopaeus +parthenoparous +parthenope +parthenopean +parthenophobia +parthenos +parthenosperm +parthenospore +parthian +parti +party +partial +partialed +partialise +partialised +partialising +partialism +partialist +partialistic +partiality +partialities +partialize +partially +partialness +partials +partiary +partibility +partible +particate +particeps +participability +participable +participance +participancy +participant +participantly +participants +participate +participated +participates +participating +participatingly +participation +participative +participatively +participator +participatory +participators +participatress +participial +participiality +participialization +participialize +participially +participle +participles +particle +particlecelerator +particled +particles +particular +particularisation +particularise +particularised +particulariser +particularising +particularism +particularist +particularistic +particularistically +particularity +particularities +particularization +particularize +particularized +particularizer +particularizes +particularizing +particularly +particularness +particulars +particulate +particule +partie +partied +parties +partigen +partying +partyism +partyist +partykin +partile +partyless +partim +partimembered +partimen +partimento +partymonger +parting +partings +partinium +partis +partisan +partisanism +partisanize +partisanry +partisans +partisanship +partyship +partita +partitas +partite +partition +partitional +partitionary +partitioned +partitioner +partitioning +partitionist +partitionment +partitions +partitive +partitively +partitura +partiversal +partivity +partizan +partizans +partizanship +partley +partless +partlet +partlets +partly +partner +partnered +partnering +partnerless +partners +partnership +partnerships +parto +parton +partons +partook +partridge +partridgeberry +partridgeberries +partridgelike +partridges +partridgewood +partridging +parts +partschinite +parture +parturiate +parturience +parturiency +parturient +parturifacient +parturition +parturitions +parturitive +partway +parukutu +parulis +parumbilical +parura +paruras +parure +parures +paruria +parus +parvanimity +parve +parvenu +parvenudom +parvenue +parvenuism +parvenus +parvicellular +parviflorous +parvifoliate +parvifolious +parvipotent +parvirostrate +parvis +parviscient +parvise +parvises +parvitude +parvolin +parvoline +parvolins +parvule +parvuli +parvulus +pas +pasadena +pasan +pasang +pascal +pasch +pascha +paschal +paschalist +paschals +paschaltide +paschflower +paschite +pascoite +pascola +pascuage +pascual +pascuous +pase +pasear +pasela +paseng +paseo +paseos +pases +pasewa +pasgarde +pash +pasha +pashadom +pashadoms +pashalic +pashalics +pashalik +pashaliks +pashas +pashaship +pashed +pashes +pashim +pashing +pashka +pashm +pashmina +pashto +pasi +pasigraphy +pasigraphic +pasigraphical +pasilaly +pasillo +pasiphae +pasis +pasitelean +pask +pasmo +paso +paspalum +pasqueflower +pasquil +pasquilant +pasquiler +pasquilic +pasquillant +pasquiller +pasquillic +pasquils +pasquin +pasquinade +pasquinaded +pasquinader +pasquinades +pasquinading +pasquinian +pasquino +pass +passable +passableness +passably +passacaglia +passacaglio +passade +passades +passado +passadoes +passados +passage +passageable +passaged +passager +passages +passageway +passageways +passaggi +passaggio +passagian +passaging +passagio +passay +passalid +passalidae +passalus +passamaquoddy +passament +passamezzo +passangrahan +passant +passaree +passata +passback +passband +passbands +passbook +passbooks +passe +passed +passee +passegarde +passel +passels +passemeasure +passement +passemented +passementerie +passementing +passemezzo +passen +passenger +passengers +passepied +passer +passerby +passeres +passeriform +passeriformes +passerina +passerine +passerines +passers +passersby +passes +passewa +passgang +passibility +passible +passibleness +passiflora +passifloraceae +passifloraceous +passiflorales +passim +passymeasure +passimeter +passing +passingly +passingness +passings +passion +passional +passionary +passionaries +passionate +passionately +passionateness +passionative +passionato +passioned +passionflower +passionfruit +passionful +passionfully +passionfulness +passionist +passionless +passionlessly +passionlessness +passionlike +passionometer +passionproof +passions +passiontide +passionwise +passionwort +passir +passival +passivate +passivation +passive +passively +passiveness +passives +passivism +passivist +passivity +passkey +passkeys +passless +passman +passo +passometer +passout +passover +passoverish +passovers +passpenny +passport +passportless +passports +passsaging +passu +passulate +passulation +passus +passuses +passway +passwoman +password +passwords +passworts +past +pasta +pastas +paste +pasteboard +pasteboardy +pasteboards +pasted +pastedness +pastedown +pastel +pastelist +pastelists +pastellist +pastellists +pastels +paster +pasterer +pastern +pasterned +pasterns +pasters +pastes +pasteup +pasteur +pasteurella +pasteurellae +pasteurellas +pasteurelleae +pasteurellosis +pasteurian +pasteurisation +pasteurise +pasteurised +pasteurising +pasteurism +pasteurization +pasteurize +pasteurized +pasteurizer +pasteurizers +pasteurizes +pasteurizing +pasty +pasticcci +pasticci +pasticcio +pasticcios +pastiche +pastiches +pasticheur +pasticheurs +pasticheuse +pasticheuses +pastier +pasties +pastiest +pastil +pastile +pastiled +pastiling +pastille +pastilled +pastilles +pastilling +pastils +pastime +pastimer +pastimes +pastina +pastinaca +pastinas +pastiness +pasting +pastis +pastler +pastness +pastnesses +pastophor +pastophorion +pastophorium +pastophorus +pastor +pastora +pastorage +pastoral +pastorale +pastoraled +pastorales +pastorali +pastoraling +pastoralisation +pastoralism +pastoralist +pastorality +pastoralization +pastoralize +pastoralized +pastoralizing +pastorally +pastoralness +pastorals +pastorate +pastorates +pastored +pastorela +pastoress +pastorhood +pastoring +pastorised +pastorising +pastorita +pastorium +pastoriums +pastorize +pastorless +pastorly +pastorlike +pastorling +pastors +pastorship +pastose +pastosity +pastour +pastourelle +pastrami +pastramis +pastry +pastrycook +pastries +pastryman +pastromi +pastromis +pasts +pasturability +pasturable +pasturage +pastural +pasture +pastured +pastureland +pastureless +pasturer +pasturers +pastures +pasturewise +pasturing +pasul +pat +pata +pataca +patacao +patacas +patache +pataco +patacoon +patagia +patagial +patagiate +patagium +patagon +patagones +patagonia +patagonian +pataka +patamar +patamars +patana +patand +patao +patapat +pataque +pataria +patarin +patarine +patarinism +patart +patas +patashte +patata +patavian +patavinity +patball +patballer +patch +patchable +patchboard +patchcock +patched +patcher +patchery +patcheries +patchers +patches +patchhead +patchy +patchier +patchiest +patchily +patchiness +patching +patchleaf +patchless +patchouli +patchouly +patchstand +patchwise +patchword +patchwork +patchworky +patd +pate +pated +patee +patefaction +patefy +patel +patella +patellae +patellar +patellaroid +patellas +patellate +patellidae +patellidan +patelliform +patelline +patellofemoral +patelloid +patellula +patellulae +patellulate +paten +patency +patencies +patener +patens +patent +patentability +patentable +patentably +patente +patented +patentee +patentees +patenter +patenters +patenting +patently +patentness +patentor +patentors +patents +pater +patera +paterae +patercove +paterero +paterfamiliar +paterfamiliarly +paterfamilias +paterfamiliases +pateria +pateriform +paterissa +paternal +paternalism +paternalist +paternalistic +paternalistically +paternality +paternalize +paternally +paternalness +paternity +paternities +paternoster +paternosterer +paternosters +paters +pates +patesi +patesiate +patetico +patgia +path +pathan +pathbreaker +pathed +pathema +pathematic +pathematically +pathematology +pathenogenicity +pathetic +pathetical +pathetically +patheticalness +patheticate +patheticly +patheticness +pathetism +pathetist +pathetize +pathfarer +pathfind +pathfinder +pathfinders +pathfinding +pathy +pathic +pathicism +pathless +pathlessness +pathlet +pathment +pathname +pathnames +pathoanatomy +pathoanatomical +pathobiology +pathobiological +pathobiologist +pathochemistry +pathocure +pathodontia +pathoformic +pathogen +pathogene +pathogeneses +pathogenesy +pathogenesis +pathogenetic +pathogeny +pathogenic +pathogenically +pathogenicity +pathogenous +pathogens +pathogerm +pathogermic +pathognomy +pathognomic +pathognomical +pathognomonic +pathognomonical +pathognomonically +pathognostic +pathography +pathographic +pathographical +pathol +patholysis +patholytic +pathology +pathologic +pathological +pathologically +pathologicoanatomic +pathologicoanatomical +pathologicoclinical +pathologicohistological +pathologicopsychological +pathologies +pathologist +pathologists +pathomania +pathometabolism +pathometer +pathomimesis +pathomimicry +pathomorphology +pathomorphologic +pathomorphological +pathoneurosis +pathonomy +pathonomia +pathophysiology +pathophysiologic +pathophysiological +pathophobia +pathophoresis +pathophoric +pathophorous +pathoplastic +pathoplastically +pathopoeia +pathopoiesis +pathopoietic +pathopsychology +pathopsychosis +pathoradiography +pathos +pathoses +pathosis +pathosocial +pathrusim +paths +pathway +pathwayed +pathways +paty +patia +patible +patibulary +patibulate +patibulated +patience +patiences +patiency +patient +patienter +patientest +patientless +patiently +patientness +patients +patin +patina +patinae +patinaed +patinas +patinate +patinated +patination +patine +patined +patines +patining +patinize +patinized +patinous +patins +patio +patios +patise +patisserie +patisseries +patissier +patly +patmian +patmos +patness +patnesses +patnidar +pato +patois +patola +patonce +patresfamilias +patria +patriae +patrial +patriarch +patriarchal +patriarchalism +patriarchally +patriarchate +patriarchates +patriarchdom +patriarched +patriarchess +patriarchy +patriarchic +patriarchical +patriarchically +patriarchies +patriarchism +patriarchist +patriarchs +patriarchship +patrice +patrices +patricia +patrician +patricianhood +patricianism +patricianly +patricians +patricianship +patriciate +patricidal +patricide +patricides +patricio +patrick +patriclan +patriclinous +patrico +patridge +patrilateral +patrilineage +patrilineal +patrilineally +patrilinear +patrilinearly +patriliny +patrilinies +patrilocal +patrilocality +patrimony +patrimonial +patrimonially +patrimonies +patrimonium +patrin +patriofelis +patriolatry +patriot +patrioteer +patriotess +patriotic +patriotical +patriotically +patriotics +patriotism +patriotly +patriots +patriotship +patripassian +patripassianism +patripassianist +patripassianly +patripotestal +patrisib +patrist +patristic +patristical +patristically +patristicalness +patristicism +patristics +patrix +patrixes +patrizate +patrization +patrocinate +patrocinium +patrocliny +patroclinic +patroclinous +patroclus +patrogenesis +patroiophobia +patrol +patrole +patrolled +patroller +patrollers +patrolling +patrollotism +patrolman +patrolmen +patrology +patrologic +patrological +patrologies +patrologist +patrols +patrolwoman +patrolwomen +patron +patronage +patronal +patronate +patrondom +patroness +patronesses +patronessship +patronym +patronymy +patronymic +patronymically +patronymics +patronisable +patronise +patronised +patroniser +patronising +patronisingly +patronite +patronizable +patronization +patronize +patronized +patronizer +patronizers +patronizes +patronizing +patronizingly +patronless +patronly +patronne +patronomatology +patrons +patronship +patroon +patroonry +patroons +patroonship +patroullart +patruity +pats +patsy +patsies +patt +patta +pattable +pattamar +pattamars +pattara +patte +patted +pattee +patten +pattened +pattener +pattens +patter +pattered +patterer +patterers +pattering +patterings +patterist +pattern +patternable +patterned +patterner +patterny +patterning +patternize +patternless +patternlike +patternmaker +patternmaking +patterns +patternwise +patters +patty +pattidari +pattie +patties +patting +pattinsonize +pattypan +pattypans +pattle +pattoo +pattu +patu +patuca +patulent +patulin +patulous +patulously +patulousness +patuxent +patwari +patwin +pau +paua +paucal +pauciarticulate +pauciarticulated +paucidentate +paucify +pauciflorous +paucifoliate +paucifolious +paucijugate +paucilocular +pauciloquent +pauciloquently +pauciloquy +paucinervate +paucipinnate +pauciplicate +pauciradiate +pauciradiated +paucispiral +paucispirated +paucity +paucities +paucitypause +paughty +pauky +paukpan +paul +paula +paular +pauldron +pauldrons +pauliad +paulian +paulianist +pauliccian +paulician +paulicianism +paulie +paulin +paulina +pauline +paulinia +paulinian +paulinism +paulinist +paulinistic +paulinistically +paulinity +paulinize +paulins +paulinus +paulism +paulist +paulista +paulite +paulopast +paulopost +paulospore +paulownia +paulus +paumari +paunch +paunche +paunched +paunches +paunchful +paunchy +paunchier +paunchiest +paunchily +paunchiness +paup +pauper +pauperage +pauperate +pauperdom +paupered +pauperess +paupering +pauperis +pauperisation +pauperise +pauperised +pauperiser +pauperising +pauperism +pauperitic +pauperization +pauperize +pauperized +pauperizer +pauperizes +pauperizing +paupers +pauraque +paurometabola +paurometaboly +paurometabolic +paurometabolism +paurometabolous +pauropod +pauropoda +pauropodous +pausably +pausai +pausal +pausalion +pausation +pause +paused +pauseful +pausefully +pauseless +pauselessly +pausement +pauser +pausers +pauses +pausing +pausingly +paussid +paussidae +paut +pauxi +pav +pavade +pavage +pavan +pavane +pavanes +pavanne +pavans +pave +paved +paveed +pavement +pavemental +pavements +paven +paver +pavers +paves +pavestone +pavetta +pavy +pavia +pavid +pavidity +pavier +pavies +pavilion +pavilioned +pavilioning +pavilions +pavillon +pavin +paving +pavings +pavins +pavior +paviors +paviotso +paviour +paviours +pavis +pavisade +pavisado +pavise +paviser +pavisers +pavises +pavisor +pavisse +pavlov +pavlovian +pavo +pavois +pavonated +pavonazzetto +pavonazzo +pavoncella +pavone +pavonia +pavonian +pavonine +pavonize +paw +pawaw +pawdite +pawed +pawer +pawers +pawing +pawk +pawkery +pawky +pawkier +pawkiest +pawkily +pawkiness +pawkrie +pawl +pawls +pawmark +pawn +pawnable +pawnage +pawnages +pawnbroker +pawnbrokerage +pawnbrokeress +pawnbrokery +pawnbrokering +pawnbrokers +pawnbroking +pawned +pawnee +pawnees +pawner +pawners +pawnie +pawning +pawnor +pawnors +pawns +pawnshop +pawnshops +pawpaw +pawpaws +paws +pawtucket +pax +paxes +paxilla +paxillae +paxillar +paxillary +paxillate +paxilli +paxilliferous +paxilliform +paxillosa +paxillose +paxillus +paxiuba +paxwax +paxwaxes +pazaree +pazend +pbx +pbxes +pc +pcf +pci +pcm +pct +pd +pdl +pdn +pdq +pe +pea +peaberry +peabird +peabody +peabrain +peabush +peace +peaceable +peaceableness +peaceably +peacebreaker +peacebreaking +peaced +peaceful +peacefuller +peacefullest +peacefully +peacefulness +peacekeeper +peacekeepers +peacekeeping +peaceless +peacelessness +peacelike +peacemake +peacemaker +peacemakers +peacemaking +peaceman +peacemonger +peacemongering +peacenik +peaces +peacetime +peach +peachberry +peachbloom +peachblossom +peachblow +peached +peachen +peacher +peachery +peachers +peaches +peachy +peachick +peachier +peachiest +peachify +peachiness +peaching +peachlet +peachlike +peachwood +peachwort +peacing +peacoat +peacoats +peacock +peacocked +peacockery +peacocky +peacockier +peacockiest +peacocking +peacockish +peacockishly +peacockishness +peacockism +peacockly +peacocklike +peacocks +peacockwise +peacod +peafowl +peafowls +peag +peage +peages +peagoose +peags +peahen +peahens +peai +peaiism +peak +peaked +peakedly +peakedness +peaker +peakgoose +peaky +peakier +peakiest +peakyish +peakily +peakiness +peaking +peakish +peakishly +peakishness +peakless +peaklike +peaks +peakward +peal +pealed +pealer +pealike +pealing +peals +peamouth +peamouths +pean +peans +peanut +peanuts +peapod +pear +pearce +pearceite +pearch +pearl +pearlash +pearlashes +pearlberry +pearlbird +pearlbush +pearled +pearleye +pearleyed +pearleyes +pearler +pearlers +pearlescence +pearlescent +pearlet +pearlfish +pearlfishes +pearlfruit +pearly +pearlier +pearliest +pearlike +pearlin +pearliness +pearling +pearlings +pearlish +pearlite +pearlites +pearlitic +pearlized +pearloyster +pearls +pearlsides +pearlspar +pearlstone +pearlweed +pearlwort +pearmain +pearmains +pearmonger +pears +peart +pearten +pearter +peartest +peartly +peartness +pearwood +peas +peasant +peasantess +peasanthood +peasantism +peasantize +peasantly +peasantlike +peasantry +peasants +peasantship +peascod +peascods +pease +peasecod +peasecods +peaselike +peasen +peases +peaseweep +peashooter +peasy +peason +peasouper +peastake +peastaking +peastick +peasticking +peastone +peat +peatery +peathouse +peaty +peatier +peatiest +peatman +peatmen +peats +peatship +peatstack +peatweed +peatwood +peauder +peavey +peaveys +peavy +peavie +peavies +peavine +peba +peban +pebble +pebbled +pebblehearted +pebbles +pebblestone +pebbleware +pebbly +pebblier +pebbliest +pebbling +pebrine +pebrinous +pecan +pecans +peccability +peccable +peccadillo +peccadilloes +peccadillos +peccancy +peccancies +peccant +peccantly +peccantness +peccary +peccaries +peccation +peccatiphobia +peccatophobia +peccavi +peccavis +pech +pechay +pechan +pechans +peched +pechili +peching +pechys +pechs +pecht +pecify +pecite +peck +peckage +pecked +pecker +peckers +peckerwood +pecket +peckful +peckhamite +pecky +peckier +peckiest +peckiness +pecking +peckish +peckishly +peckishness +peckle +peckled +peckly +pecks +pecksniff +pecksniffery +pecksniffian +pecksniffianism +pecksniffism +pecopteris +pecopteroid +pecora +pecorino +pecos +pectase +pectases +pectate +pectates +pecten +pectens +pectic +pectin +pectinacea +pectinacean +pectinaceous +pectinal +pectinase +pectinate +pectinated +pectinately +pectinatella +pectination +pectinatodenticulate +pectinatofimbricate +pectinatopinnate +pectineal +pectines +pectinesterase +pectineus +pectinibranch +pectinibranchia +pectinibranchian +pectinibranchiata +pectinibranchiate +pectinic +pectinid +pectinidae +pectiniferous +pectiniform +pectinirostrate +pectinite +pectinogen +pectinoid +pectinose +pectinous +pectins +pectizable +pectization +pectize +pectized +pectizes +pectizing +pectocellulose +pectolite +pectora +pectoral +pectorales +pectoralgia +pectoralis +pectoralist +pectorally +pectorals +pectoriloque +pectoriloquy +pectoriloquial +pectoriloquism +pectoriloquous +pectoris +pectosase +pectose +pectosic +pectosinase +pectous +pectron +pectunculate +pectunculus +pectus +peculate +peculated +peculates +peculating +peculation +peculations +peculator +peculators +peculia +peculiar +peculiarise +peculiarised +peculiarising +peculiarism +peculiarity +peculiarities +peculiarization +peculiarize +peculiarized +peculiarizing +peculiarly +peculiarness +peculiars +peculiarsome +peculium +pecunia +pecunial +pecuniary +pecuniarily +pecuniosity +pecunious +ped +peda +pedage +pedagese +pedagog +pedagogal +pedagogery +pedagogy +pedagogyaled +pedagogic +pedagogical +pedagogically +pedagogics +pedagogies +pedagogying +pedagogish +pedagogism +pedagogist +pedagogs +pedagogue +pedagoguery +pedagogues +pedagoguish +pedagoguism +pedal +pedaled +pedaler +pedalfer +pedalferic +pedalfers +pedaliaceae +pedaliaceous +pedalian +pedalier +pedaliers +pedaling +pedalion +pedalism +pedalist +pedaliter +pedality +pedalium +pedalled +pedaller +pedalling +pedalo +pedals +pedanalysis +pedant +pedante +pedantesque +pedantess +pedanthood +pedantic +pedantical +pedantically +pedanticalness +pedanticism +pedanticly +pedanticness +pedantics +pedantism +pedantize +pedantocracy +pedantocrat +pedantocratic +pedantry +pedantries +pedants +pedary +pedarian +pedata +pedate +pedated +pedately +pedatifid +pedatiform +pedatilobate +pedatilobed +pedatinerved +pedatipartite +pedatisect +pedatisected +pedatrophy +pedatrophia +pedder +peddlar +peddle +peddled +peddler +peddleress +peddlery +peddleries +peddlerism +peddlers +peddles +peddling +peddlingly +pedee +pedelion +pederast +pederasty +pederastic +pederastically +pederasties +pederasts +pederero +pedes +pedeses +pedesis +pedestal +pedestaled +pedestaling +pedestalled +pedestalling +pedestals +pedestrial +pedestrially +pedestrian +pedestrianate +pedestrianise +pedestrianised +pedestrianising +pedestrianism +pedestrianize +pedestrianized +pedestrianizing +pedestrians +pedestrious +pedetentous +pedetes +pedetic +pedetidae +pedetinae +pediad +pediadontia +pediadontic +pediadontist +pedial +pedialgia +pediastrum +pediatry +pediatric +pediatrician +pediatricians +pediatrics +pediatrist +pedicab +pedicabs +pedicel +pediceled +pedicellar +pedicellaria +pedicellate +pedicellated +pedicellation +pedicelled +pedicelliform +pedicellina +pedicellus +pedicels +pedicle +pedicled +pedicles +pedicular +pedicularia +pedicularis +pediculate +pediculated +pediculati +pediculation +pedicule +pediculi +pediculicidal +pediculicide +pediculid +pediculidae +pediculina +pediculine +pediculofrontal +pediculoid +pediculoparietal +pediculophobia +pediculosis +pediculous +pediculus +pedicure +pedicured +pedicures +pedicuring +pedicurism +pedicurist +pedicurists +pediferous +pediform +pedigerous +pedigraic +pedigree +pedigreed +pedigreeless +pedigrees +pediluvium +pedimana +pedimane +pedimanous +pediment +pedimental +pedimented +pediments +pedimentum +pediococci +pediococcocci +pediococcus +pedioecetes +pedion +pedionomite +pedionomus +pedipalp +pedipalpal +pedipalpate +pedipalpi +pedipalpida +pedipalpous +pedipalps +pedipalpus +pedipulate +pedipulation +pedipulator +pediwak +pedlar +pedlary +pedlaries +pedlars +pedler +pedlery +pedleries +pedlers +pedobaptism +pedobaptist +pedocal +pedocalcic +pedocalic +pedocals +pedodontia +pedodontic +pedodontist +pedodontology +pedogenesis +pedogenetic +pedogenic +pedograph +pedology +pedologic +pedological +pedologies +pedologist +pedologistical +pedologistically +pedomancy +pedomania +pedometer +pedometers +pedometric +pedometrical +pedometrically +pedometrician +pedometrist +pedomorphic +pedomorphism +pedomotive +pedomotor +pedophile +pedophilia +pedophiliac +pedophilic +pedophobia +pedosphere +pedospheric +pedotribe +pedotrophy +pedotrophic +pedotrophist +pedrail +pedregal +pedrero +pedro +pedros +peds +pedule +pedum +peduncle +peduncled +peduncles +peduncular +pedunculata +pedunculate +pedunculated +pedunculation +pedunculi +pedunculus +pee +peebeen +peebeens +peebles +peed +peeing +peek +peekaboo +peekaboos +peeke +peeked +peeking +peeks +peel +peelable +peelcrow +peele +peeled +peeledness +peeler +peelers +peelhouse +peeling +peelings +peelism +peelite +peelman +peels +peen +peened +peenge +peening +peens +peeoy +peep +peeped +peepeye +peeper +peepers +peephole +peepholes +peepy +peeping +peeps +peepshow +peepshows +peepul +peepuls +peer +peerage +peerages +peerdom +peered +peeress +peeresses +peerhood +peery +peerie +peeries +peering +peeringly +peerless +peerlessly +peerlessness +peerly +peerling +peers +peership +peert +pees +peesash +peeseweep +peesoreh +peesweep +peesweeps +peetweet +peetweets +peeve +peeved +peevedly +peevedness +peever +peevers +peeves +peeving +peevish +peevishly +peevishness +peewee +peeweep +peewees +peewit +peewits +peg +pega +pegador +pegall +pegamoid +peganite +peganum +pegasean +pegasian +pegasid +pegasidae +pegasoid +pegasus +pegboard +pegboards +pegbox +pegboxes +pegged +pegger +peggy +peggymast +pegging +peggle +pegh +peglegged +pegless +peglet +peglike +pegma +pegman +pegmatite +pegmatitic +pegmatization +pegmatize +pegmatoid +pegmatophyre +pegmen +pegology +pegomancy +pegoxyl +pegroots +pegs +pegtops +peguan +pegwood +peh +pehlevi +peho +pehuenche +peyerian +peignoir +peignoirs +peiktha +pein +peine +peined +peining +peins +peyote +peyotes +peyotyl +peyotyls +peyotism +peyotl +peyotls +peiping +peirameter +peirastic +peirastically +peisage +peisant +peise +peised +peiser +peises +peising +peitho +peyton +peytral +peytrals +peitrel +peytrel +peytrels +peixere +peixerey +peize +pejerrey +pejorate +pejoration +pejorationist +pejorative +pejoratively +pejoratives +pejorism +pejorist +pejority +pekan +pekans +peke +pekes +pekin +pekinese +peking +pekingese +pekins +pekoe +pekoes +pelade +peladic +pelado +peladore +pelage +pelages +pelagial +pelagian +pelagianism +pelagianize +pelagianizer +pelagic +pelagothuria +pelagra +pelamyd +pelanos +pelargi +pelargic +pelargikon +pelargomorph +pelargomorphae +pelargomorphic +pelargonate +pelargonic +pelargonidin +pelargonin +pelargonium +pelasgi +pelasgian +pelasgic +pelasgikon +pelasgoi +pele +pelean +pelecan +pelecani +pelecanidae +pelecaniformes +pelecanoides +pelecanoidinae +pelecanus +pelecypod +pelecypoda +pelecypodous +pelecoid +pelelith +peleliu +peleng +pelerin +pelerine +pelerines +peles +peletre +peleus +pelew +pelf +pelfs +pelham +pelias +pelican +pelicanry +pelicans +pelick +pelycogram +pelycography +pelycology +pelicometer +pelycometer +pelycometry +pelycosaur +pelycosauria +pelycosaurian +pelides +pelidnota +pelikai +pelike +peliom +pelioma +peliosis +pelisse +pelisses +pelite +pelites +pelitic +pell +pellaea +pellage +pellagra +pellagragenic +pellagras +pellagric +pellagrin +pellagroid +pellagrose +pellagrous +pellar +pellard +pellas +pellate +pellation +pellekar +peller +pellet +pelletal +pelleted +pellety +pelletierine +pelleting +pelletization +pelletize +pelletized +pelletizer +pelletizes +pelletizing +pelletlike +pellets +pellian +pellicle +pellicles +pellicula +pellicular +pellicularia +pelliculate +pellicule +pellile +pellitory +pellitories +pellmell +pellmells +pellock +pellotin +pellotine +pellucent +pellucid +pellucidity +pellucidly +pellucidness +pelmanism +pelmanist +pelmanize +pelmata +pelmatic +pelmatogram +pelmatozoa +pelmatozoan +pelmatozoic +pelmet +pelobates +pelobatid +pelobatidae +pelobatoid +pelodytes +pelodytid +pelodytidae +pelodytoid +peloid +pelomedusa +pelomedusid +pelomedusidae +pelomedusoid +pelomyxa +pelon +pelopaeus +pelopea +pelopid +pelopidae +peloponnesian +pelops +peloria +pelorian +pelorias +peloriate +peloric +pelorism +pelorization +pelorize +pelorized +pelorizing +pelorus +peloruses +pelota +pelotas +pelotherapy +peloton +pelt +pelta +peltae +peltandra +peltast +peltasts +peltate +peltated +peltately +peltatifid +peltation +peltatodigitate +pelted +pelter +pelterer +pelters +peltiferous +peltifolious +peltiform +peltigera +peltigeraceae +peltigerine +peltigerous +peltinervate +peltinerved +pelting +peltingly +peltish +peltless +peltmonger +peltogaster +peltry +peltries +pelts +pelu +peludo +pelure +pelusios +pelveoperitonitis +pelves +pelvetia +pelvic +pelvics +pelviform +pelvigraph +pelvigraphy +pelvimeter +pelvimetry +pelvimetric +pelviolithotomy +pelvioperitonitis +pelvioplasty +pelvioradiography +pelvioscopy +pelviotomy +pelviperitonitis +pelvirectal +pelvis +pelvisacral +pelvises +pelvisternal +pelvisternum +pembina +pembinas +pembroke +pemican +pemicans +pemmican +pemmicanization +pemmicanize +pemmicans +pemoline +pemolines +pemphigoid +pemphigous +pemphigus +pemphix +pemphixes +pen +penacute +penaea +penaeaceae +penaeaceous +penal +penalisable +penalisation +penalise +penalised +penalises +penalising +penalist +penality +penalities +penalizable +penalization +penalize +penalized +penalizes +penalizing +penally +penalty +penalties +penance +penanced +penanceless +penancer +penances +penancy +penancing +penang +penangs +penannular +penaria +penates +penbard +pencatite +pence +pencey +pencel +penceless +pencels +penchant +penchants +penche +penchute +pencil +penciled +penciler +pencilers +penciliform +penciling +pencilled +penciller +pencillike +pencilling +pencilry +pencils +pencilwood +penclerk +pencraft +pend +penda +pendant +pendanted +pendanting +pendantlike +pendants +pendative +pendecagon +pended +pendeloque +pendency +pendencies +pendens +pendent +pendente +pendentive +pendently +pendents +pendicle +pendicler +pending +pendle +pendn +pendom +pendragon +pendragonish +pendragonship +pends +pendulant +pendular +pendulate +pendulating +pendulation +pendule +penduline +pendulosity +pendulous +pendulously +pendulousness +pendulum +pendulumlike +pendulums +penecontemporaneous +penectomy +peneid +penelope +penelopean +penelophon +penelopinae +penelopine +peneplain +peneplains +peneplanation +peneplane +penes +peneseismic +penest +penetrability +penetrable +penetrableness +penetrably +penetral +penetralia +penetralian +penetrameter +penetrance +penetrancy +penetrant +penetrate +penetrated +penetrates +penetrating +penetratingly +penetratingness +penetration +penetrations +penetrative +penetratively +penetrativeness +penetrativity +penetrator +penetrators +penetrology +penetrolqgy +penetrometer +penfieldite +penfold +penful +peng +penghulu +pengo +pengos +penguin +penguinery +penguins +pengun +penhead +penholder +penial +peniaphobia +penible +penicil +penicilium +penicillate +penicillated +penicillately +penicillation +penicillia +penicilliform +penicillin +penicillinic +penicillium +penicils +penide +penile +penillion +peninsula +peninsular +peninsularism +peninsularity +peninsulas +peninsulate +penintime +peninvariant +penis +penises +penistone +penitence +penitencer +penitency +penitent +penitentes +penitential +penitentially +penitentials +penitentiary +penitentiaries +penitentiaryship +penitently +penitents +penitis +penk +penkeeper +penknife +penknives +penlight +penlights +penlike +penlite +penlites +penlop +penmaker +penmaking +penman +penmanship +penmaster +penmen +penna +pennaceous +pennacook +pennae +pennage +pennales +penname +pennames +pennant +pennants +pennaria +pennariidae +pennatae +pennate +pennated +pennatifid +pennatilobate +pennatipartite +pennatisect +pennatisected +pennatula +pennatulacea +pennatulacean +pennatulaceous +pennatularian +pennatulid +pennatulidae +pennatuloid +penned +penneech +penneeck +penney +penner +penners +pennet +penni +penny +pennia +pennybird +pennycress +pennyearth +pennied +pennies +penniferous +pennyflower +penniform +pennigerous +pennyhole +pennyland +pennyleaf +penniless +pennilessly +pennilessness +pennill +pennine +penninervate +penninerved +pennines +penning +penninite +pennipotent +pennyroyal +pennyroyals +pennyrot +pennis +pennisetum +pennysiller +pennystone +penniveined +pennyweight +pennyweights +pennywhistle +pennywinkle +pennywise +pennywort +pennyworth +pennyworths +pennon +pennoncel +pennoncelle +pennoned +pennons +pennopluma +pennoplume +pennorth +pennsylvania +pennsylvanian +pennsylvanians +pennsylvanicus +pennuckle +penobscot +penoche +penoches +penochi +penology +penologic +penological +penologies +penologist +penologists +penoncel +penoncels +penorcon +penoun +penpoint +penpoints +penpusher +penrack +penroseite +pens +pensacola +penscript +pense +pensee +pensees +penseful +pensefulness +penseroso +penship +pensy +pensil +pensile +pensileness +pensility +pensils +pension +pensionable +pensionably +pensionary +pensionaries +pensionat +pensione +pensioned +pensioner +pensioners +pensionership +pensiones +pensioning +pensionless +pensionnaire +pensionnat +pensionry +pensions +pensive +pensived +pensively +pensiveness +penstemon +penster +pensters +penstick +penstock +penstocks +pensum +pent +penta +pentabasic +pentabromide +pentacapsular +pentacarbon +pentacarbonyl +pentacarpellary +pentace +pentacetate +pentachenium +pentachloride +pentachlorophenol +pentachord +pentachromic +pentacyanic +pentacyclic +pentacid +pentacle +pentacles +pentacoccous +pentacontane +pentacosane +pentacrinidae +pentacrinite +pentacrinoid +pentacrinus +pentacron +pentacrostic +pentactinal +pentactine +pentacular +pentad +pentadactyl +pentadactyla +pentadactylate +pentadactyle +pentadactylism +pentadactyloid +pentadecagon +pentadecahydrate +pentadecahydrated +pentadecane +pentadecatoic +pentadecyl +pentadecylic +pentadecoic +pentadelphous +pentadic +pentadicity +pentadiene +pentadodecahedron +pentadrachm +pentadrachma +pentads +pentaerythrite +pentaerythritol +pentafid +pentafluoride +pentagamist +pentagyn +pentagynia +pentagynian +pentagynous +pentaglossal +pentaglot +pentaglottical +pentagon +pentagonal +pentagonally +pentagonohedron +pentagonoid +pentagonon +pentagons +pentagram +pentagrammatic +pentagrid +pentahalide +pentahedra +pentahedral +pentahedrical +pentahedroid +pentahedron +pentahedrous +pentahexahedral +pentahexahedron +pentahydrate +pentahydrated +pentahydric +pentahydroxy +pentail +pentaiodide +pentalobate +pentalogy +pentalogies +pentalogue +pentalpha +pentamera +pentameral +pentameran +pentamery +pentamerid +pentameridae +pentamerism +pentameroid +pentamerous +pentamerus +pentameter +pentameters +pentamethylene +pentamethylenediamine +pentametrist +pentametrize +pentander +pentandria +pentandrian +pentandrous +pentane +pentanedione +pentanes +pentangle +pentangular +pentanitrate +pentanoic +pentanolide +pentanone +pentapeptide +pentapetalous +pentaphylacaceae +pentaphylacaceous +pentaphylax +pentaphyllous +pentaploid +pentaploidy +pentaploidic +pentapody +pentapodic +pentapodies +pentapolis +pentapolitan +pentaprism +pentapterous +pentaptych +pentaptote +pentaquin +pentaquine +pentarch +pentarchy +pentarchical +pentarchies +pentarchs +pentasepalous +pentasilicate +pentasyllabic +pentasyllabism +pentasyllable +pentaspermous +pentaspheric +pentaspherical +pentastich +pentastichy +pentastichous +pentastyle +pentastylos +pentastom +pentastome +pentastomida +pentastomoid +pentastomous +pentastomum +pentasulphide +pentateuch +pentateuchal +pentathionate +pentathionic +pentathlete +pentathlon +pentathlons +pentathlos +pentatomic +pentatomid +pentatomidae +pentatomoidea +pentatone +pentatonic +pentatriacontane +pentatron +pentavalence +pentavalency +pentavalent +pentazocine +penteconter +pentecontoglossal +pentecost +pentecostal +pentecostalism +pentecostalist +pentecostals +pentecostarion +pentecoster +pentecostys +pentelic +pentelican +pentene +penteteric +penthemimer +penthemimeral +penthemimeris +penthestes +penthiophen +penthiophene +penthoraceae +penthorum +penthouse +penthoused +penthouselike +penthouses +penthousing +penthrit +penthrite +pentice +penticle +pentyl +pentylene +pentylenetetrazol +pentylic +pentylidene +pentyls +pentimenti +pentimento +pentine +pentyne +pentiodide +pentit +pentite +pentitol +pentlandite +pentobarbital +pentobarbitone +pentode +pentoic +pentol +pentolite +pentomic +pentosan +pentosane +pentosans +pentose +pentoses +pentosid +pentoside +pentosuria +pentothal +pentoxide +pentremital +pentremite +pentremites +pentremitidae +pentrit +pentrite +pentrough +pentstemon +pentstock +penttail +pentzia +penuche +penuches +penuchi +penuchis +penuchle +penuchles +penuckle +penuckles +penult +penultim +penultima +penultimate +penultimately +penultimatum +penults +penumbra +penumbrae +penumbral +penumbras +penumbrous +penup +penury +penuries +penurious +penuriously +penuriousness +penutian +penwiper +penwoman +penwomanship +penwomen +penworker +penwright +peon +peonage +peonages +peones +peony +peonies +peonism +peonisms +peonize +peons +people +peopled +peopledom +peoplehood +peopleize +peopleless +peoplement +peopler +peoplers +peoples +peoplet +peopling +peoplish +peoria +peorian +peotomy +pep +peperek +peperine +peperino +peperomia +peperoni +peperonis +pepful +pephredo +pepinella +pepino +pepinos +pepysian +pepla +pepless +peplos +peplosed +peploses +peplum +peplumed +peplums +peplus +pepluses +pepo +peponid +peponida +peponidas +peponium +peponiums +pepos +pepped +pepper +pepperbox +peppercorn +peppercorny +peppercornish +peppercorns +peppered +pepperer +pepperers +peppergrass +peppery +pepperidge +pepperily +pepperiness +peppering +pepperish +pepperishly +peppermint +pepperminty +peppermints +pepperoni +pepperproof +pepperroot +peppers +peppershrike +peppertree +pepperweed +pepperwood +pepperwort +peppy +peppier +peppiest +peppily +peppin +peppiness +pepping +peps +pepsi +pepsin +pepsinate +pepsinated +pepsinating +pepsine +pepsines +pepsinhydrochloric +pepsiniferous +pepsinogen +pepsinogenic +pepsinogenous +pepsins +pepsis +peptic +peptical +pepticity +peptics +peptid +peptidase +peptide +peptides +peptidic +peptidically +peptidoglycan +peptidolytic +peptids +peptizable +peptization +peptize +peptized +peptizer +peptizers +peptizes +peptizing +peptogaster +peptogen +peptogeny +peptogenic +peptogenous +peptohydrochloric +peptolysis +peptolytic +peptonaemia +peptonate +peptone +peptonelike +peptonemia +peptones +peptonic +peptonisation +peptonise +peptonised +peptoniser +peptonising +peptonization +peptonize +peptonized +peptonizer +peptonizing +peptonoid +peptonuria +peptotoxin +peptotoxine +pequot +per +peracarida +peracephalus +peracetate +peracetic +peracid +peracidite +peracidity +peracids +peract +peracute +peradventure +peragrate +peragration +perai +perakim +peramble +perambulant +perambulate +perambulated +perambulates +perambulating +perambulation +perambulations +perambulator +perambulatory +perambulators +perameles +peramelidae +perameline +perameloid +peramium +peratae +perates +perau +perbend +perborate +perborax +perbromide +perca +percale +percales +percaline +percarbide +percarbonate +percarbonic +percase +perceant +perceivability +perceivable +perceivableness +perceivably +perceivance +perceivancy +perceive +perceived +perceivedly +perceivedness +perceiver +perceivers +perceives +perceiving +perceivingness +percent +percentable +percentably +percentage +percentaged +percentages +percental +percenter +percentile +percentiles +percents +percentual +percentum +percept +perceptibility +perceptible +perceptibleness +perceptibly +perception +perceptional +perceptionalism +perceptionism +perceptions +perceptive +perceptively +perceptiveness +perceptivity +percepts +perceptual +perceptually +perceptum +percesoces +percesocine +perceval +perch +percha +perchable +perchance +perche +perched +percher +percheron +perchers +perches +perching +perchlorate +perchlorethane +perchlorethylene +perchloric +perchloride +perchlorinate +perchlorinated +perchlorinating +perchlorination +perchloroethane +perchloroethylene +perchloromethane +perchromate +perchromic +percy +percid +percidae +perciform +perciformes +percylite +percipi +percipience +percipiency +percipient +percival +percivale +perclose +percnosome +percoct +percoid +percoidea +percoidean +percoids +percolable +percolate +percolated +percolates +percolating +percolation +percolative +percolator +percolators +percomorph +percomorphi +percomorphous +percompound +percontation +percontatorial +percribrate +percribration +percrystallization +perculsion +perculsive +percur +percurration +percurrent +percursory +percuss +percussed +percusses +percussing +percussion +percussional +percussioner +percussionist +percussionists +percussionize +percussions +percussive +percussively +percussiveness +percussor +percutaneous +percutaneously +percutient +perdendo +perdendosi +perdy +perdicinae +perdicine +perdie +perdifoil +perdifume +perdiligence +perdiligent +perdit +perdition +perditionable +perdix +perdricide +perdrigon +perdrix +perdu +perdue +perduellion +perdues +perdurability +perdurable +perdurableness +perdurably +perdurance +perdurant +perdure +perdured +perduring +perduringly +perdus +pere +perean +peregrin +peregrina +peregrinate +peregrinated +peregrination +peregrinations +peregrinative +peregrinator +peregrinatory +peregrine +peregrinism +peregrinity +peregrinoid +peregrins +peregrinus +pereia +pereion +pereiopod +pereira +pereirine +perejonet +perempt +peremption +peremptory +peremptorily +peremptoriness +perendinant +perendinate +perendination +perendure +perennate +perennation +perennial +perenniality +perennialize +perennially +perennialness +perennials +perennibranch +perennibranchiata +perennibranchiate +perennity +perequitate +pererrate +pererration +peres +pereskia +pereundem +perezone +perf +perfay +perfect +perfecta +perfectability +perfectas +perfectation +perfected +perfectedly +perfecter +perfecters +perfectest +perfecti +perfectibilian +perfectibilism +perfectibilist +perfectibilitarian +perfectibility +perfectible +perfecting +perfection +perfectionate +perfectionation +perfectionator +perfectioner +perfectionism +perfectionist +perfectionistic +perfectionists +perfectionize +perfectionizement +perfectionizer +perfectionment +perfections +perfectism +perfectist +perfective +perfectively +perfectiveness +perfectivise +perfectivised +perfectivising +perfectivity +perfectivize +perfectly +perfectness +perfecto +perfector +perfectos +perfects +perfectuation +perfervent +perfervid +perfervidity +perfervidly +perfervidness +perfervor +perfervour +perficient +perfidy +perfidies +perfidious +perfidiously +perfidiousness +perfilograph +perfin +perfins +perfix +perflable +perflate +perflation +perfluent +perfoliate +perfoliation +perforable +perforant +perforata +perforate +perforated +perforates +perforating +perforation +perforationproof +perforations +perforative +perforator +perforatory +perforatorium +perforators +perforce +perforcedly +perform +performability +performable +performance +performances +performant +performative +performatory +performed +performer +performers +performing +performs +perfricate +perfrication +perfumatory +perfume +perfumed +perfumeless +perfumer +perfumeress +perfumery +perfumeries +perfumers +perfumes +perfumy +perfuming +perfunctionary +perfunctory +perfunctorily +perfunctoriness +perfunctorious +perfunctoriously +perfunctorize +perfuncturate +perfusate +perfuse +perfused +perfuses +perfusing +perfusion +perfusive +pergamene +pergameneous +pergamenian +pergamentaceous +pergamic +pergamyn +pergelisol +pergola +pergolas +pergunnah +perh +perhalide +perhalogen +perhaps +perhapses +perhazard +perhydroanthracene +perhydrogenate +perhydrogenation +perhydrogenize +perhydrogenized +perhydrogenizing +perhydrol +perhorresce +peri +periacinal +periacinous +periactus +periadenitis +periamygdalitis +perianal +periangiocholitis +periangioma +periangitis +perianth +perianthial +perianthium +perianths +periaortic +periaortitis +periapical +periappendicitis +periappendicular +periapt +periapts +periarctic +periareum +periarterial +periarteritis +periarthric +periarthritis +periarticular +periaster +periastra +periastral +periastron +periastrum +periatrial +periauger +periauricular +periaxial +periaxillary +periaxonal +periblast +periblastic +periblastula +periblem +periblems +periboli +periboloi +peribolos +peribolus +peribranchial +peribronchial +peribronchiolar +peribronchiolitis +peribronchitis +peribulbar +peribursal +pericaecal +pericaecitis +pericanalicular +pericapsular +pericardia +pericardiac +pericardiacophrenic +pericardial +pericardian +pericardicentesis +pericardiectomy +pericardiocentesis +pericardiolysis +pericardiomediastinitis +pericardiophrenic +pericardiopleural +pericardiorrhaphy +pericardiosymphysis +pericardiotomy +pericarditic +pericarditis +pericardium +pericardotomy +pericarp +pericarpial +pericarpic +pericarpium +pericarpoidal +pericarps +pericecal +pericecitis +pericellular +pericemental +pericementitis +pericementoclasia +pericementum +pericenter +pericentral +pericentre +pericentric +pericephalic +pericerebral +perichaete +perichaetia +perichaetial +perichaetium +perichaetous +perichdria +perichete +perichylous +pericholangitis +pericholecystitis +perichondral +perichondria +perichondrial +perichondritis +perichondrium +perichord +perichordal +perichoresis +perichorioidal +perichoroidal +perichtia +pericycle +pericyclic +pericycloid +pericyclone +pericyclonic +pericynthion +pericystic +pericystitis +pericystium +pericytial +pericladium +periclase +periclasia +periclasite +periclaustral +periclean +pericles +periclinal +periclinally +pericline +periclinium +periclitate +periclitation +pericolitis +pericolpitis +periconchal +periconchitis +pericopae +pericopal +pericope +pericopes +pericopic +pericorneal +pericowperitis +pericoxitis +pericrania +pericranial +pericranitis +pericranium +pericristate +pericu +periculant +periculous +periculum +peridendritic +peridental +peridentium +peridentoclasia +periderm +peridermal +peridermic +peridermis +peridermium +periderms +peridesm +peridesmic +peridesmitis +peridesmium +peridia +peridial +peridiastole +peridiastolic +perididymis +perididymitis +peridiiform +peridila +peridineae +peridiniaceae +peridiniaceous +peridinial +peridiniales +peridinian +peridinid +peridinidae +peridinieae +peridiniidae +peridinium +peridiola +peridiole +peridiolum +peridium +peridot +peridotic +peridotite +peridotitic +peridots +peridrome +peridromoi +peridromos +periductal +periegesis +periegetic +perielesis +periencephalitis +perienteric +perienteritis +perienteron +periependymal +periergy +periesophageal +periesophagitis +perifistular +perifoliary +perifollicular +perifolliculitis +perigangliitis +periganglionic +perigastric +perigastritis +perigastrula +perigastrular +perigastrulation +perigeal +perigean +perigee +perigees +perigemmal +perigenesis +perigenital +perigeum +perigyny +perigynial +perigynies +perigynium +perigynous +periglacial +periglandular +periglial +perigloea +periglottic +periglottis +perignathic +perigon +perigonadial +perigonal +perigone +perigonia +perigonial +perigonium +perigonnia +perigons +perigord +perigraph +perigraphic +perihelia +perihelial +perihelian +perihelion +perihelium +periheloin +perihepatic +perihepatitis +perihermenial +perihernial +perihysteric +perijejunitis +perijove +perikarya +perikaryal +perikaryon +perikronion +peril +perilabyrinth +perilabyrinthitis +perilaryngeal +perilaryngitis +periled +perilenticular +periligamentous +perilymph +perilymphangial +perilymphangitis +perilymphatic +periling +perilla +perillas +perilled +perilless +perilling +perilobar +perilous +perilously +perilousness +perils +perilsome +perilune +perilunes +perimartium +perimastitis +perimedullary +perimeningitis +perimeter +perimeterless +perimeters +perimetral +perimetry +perimetric +perimetrical +perimetrically +perimetritic +perimetritis +perimetrium +perimyelitis +perimysia +perimysial +perimysium +perimorph +perimorphic +perimorphism +perimorphous +perinaeum +perinatal +perinde +perine +perinea +perineal +perineocele +perineoplasty +perineoplastic +perineorrhaphy +perineoscrotal +perineosynthesis +perineostomy +perineotomy +perineovaginal +perineovulvar +perinephral +perinephria +perinephrial +perinephric +perinephritic +perinephritis +perinephrium +perineptunium +perineum +perineural +perineuria +perineurial +perineurical +perineuritis +perineurium +perinium +perinuclear +periocular +period +periodate +periodic +periodical +periodicalism +periodicalist +periodicalize +periodically +periodicalness +periodicals +periodicity +periodid +periodide +periodids +periodization +periodize +periodogram +periodograph +periodology +periodontal +periodontally +periodontia +periodontic +periodontics +periodontist +periodontitis +periodontium +periodontoclasia +periodontology +periodontologist +periodontoses +periodontosis +periodontum +periodoscope +periods +perioeci +perioecians +perioecic +perioecid +perioecus +perioesophageal +perioikoi +periomphalic +perionychia +perionychium +perionyx +perionyxis +perioophoritis +periophthalmic +periophthalmitis +periople +perioplic +perioptic +perioptometry +perioque +perioral +periorbit +periorbita +periorbital +periorchitis +periost +periostea +periosteal +periosteally +periosteitis +periosteoalveolar +periosteoma +periosteomedullitis +periosteomyelitis +periosteophyte +periosteorrhaphy +periosteotome +periosteotomy +periosteous +periosteum +periostitic +periostitis +periostoma +periostosis +periostotomy +periostraca +periostracal +periostracum +periotic +periovular +peripachymeningitis +peripancreatic +peripancreatitis +peripapillary +peripatetian +peripatetic +peripatetical +peripatetically +peripateticate +peripateticism +peripatetics +peripatidae +peripatidea +peripatize +peripatoid +peripatopsidae +peripatopsis +peripatus +peripenial +peripericarditis +peripetalous +peripetasma +peripeteia +peripety +peripetia +peripeties +periphacitis +peripharyngeal +periphasis +peripherad +peripheral +peripherally +peripherallies +peripherals +periphery +peripherial +peripheric +peripherical +peripherically +peripheries +peripherocentral +peripheroceptor +peripheromittor +peripheroneural +peripherophose +periphyllum +periphyse +periphysis +periphytic +periphyton +periphlebitic +periphlebitis +periphractic +periphrase +periphrased +periphrases +periphrasing +periphrasis +periphrastic +periphrastical +periphrastically +periphraxy +peripylephlebitis +peripyloric +periplaneta +periplasm +periplast +periplastic +periplegmatic +peripleural +peripleuritis +periploca +periplus +peripneumony +peripneumonia +peripneumonic +peripneustic +peripolar +peripolygonal +periportal +periproct +periproctal +periproctic +periproctitis +periproctous +periprostatic +periprostatitis +peripter +peripteral +periptery +peripteries +peripteroi +peripteros +peripterous +peripters +perique +periques +perirectal +perirectitis +perirenal +perirhinal +periryrle +perirraniai +peris +perisalpingitis +perisarc +perisarcal +perisarcous +perisarcs +perisaturnium +periscian +periscians +periscii +perisclerotic +periscopal +periscope +periscopes +periscopic +periscopical +periscopism +periselene +perish +perishability +perishabilty +perishable +perishableness +perishables +perishably +perished +perisher +perishers +perishes +perishing +perishingly +perishless +perishment +perisigmoiditis +perisynovial +perisinuitis +perisinuous +perisinusitis +perisystole +perisystolic +perisoma +perisomal +perisomatic +perisome +perisomial +perisperm +perispermal +perispermatitis +perispermic +perisphere +perispheric +perispherical +perisphinctean +perisphinctes +perisphinctidae +perisphinctoid +perisplanchnic +perisplanchnitis +perisplenetic +perisplenic +perisplenitis +perispome +perispomena +perispomenon +perispondylic +perispondylitis +perispore +perisporiaceae +perisporiaceous +perisporiales +perissad +perissodactyl +perissodactyla +perissodactylate +perissodactyle +perissodactylic +perissodactylism +perissodactylous +perissology +perissologic +perissological +perissosyllabic +peristalith +peristalses +peristalsis +peristaltic +peristaltically +peristaphyline +peristaphylitis +peristele +peristerite +peristeromorph +peristeromorphae +peristeromorphic +peristeromorphous +peristeronic +peristerophily +peristeropod +peristeropodan +peristeropode +peristeropodes +peristeropodous +peristethium +peristylar +peristyle +peristyles +peristylium +peristylos +peristylum +peristole +peristoma +peristomal +peristomatic +peristome +peristomial +peristomium +peristrephic +peristrephical +peristrumitis +peristrumous +perit +peritcia +perite +peritectic +peritendineum +peritenon +perithece +perithecia +perithecial +perithecium +perithelia +perithelial +perithelioma +perithelium +perithyreoiditis +perithyroiditis +perithoracic +perityphlic +perityphlitic +perityphlitis +peritlia +peritomy +peritomize +peritomous +peritonaea +peritonaeal +peritonaeum +peritonea +peritoneal +peritonealgia +peritonealize +peritonealized +peritonealizing +peritoneally +peritoneocentesis +peritoneoclysis +peritoneomuscular +peritoneopathy +peritoneopericardial +peritoneopexy +peritoneoplasty +peritoneoscope +peritoneoscopy +peritoneotomy +peritoneum +peritoneums +peritonism +peritonital +peritonitic +peritonitis +peritonsillar +peritonsillitis +peritracheal +peritrack +peritrema +peritrematous +peritreme +peritrich +peritricha +peritrichan +peritrichate +peritrichic +peritrichous +peritrichously +peritroch +peritrochal +peritrochanteric +peritrochium +peritrochoid +peritropal +peritrophic +peritropous +peritura +periumbilical +periungual +periuranium +periureteric +periureteritis +periurethral +periurethritis +periuterine +periuvular +perivaginal +perivaginitis +perivascular +perivasculitis +perivenous +perivertebral +perivesical +perivisceral +perivisceritis +perivitellin +perivitelline +periwig +periwigged +periwigpated +periwigs +periwinkle +periwinkled +periwinkler +periwinkles +perizonium +perjink +perjinkety +perjinkities +perjinkly +perjure +perjured +perjuredly +perjuredness +perjurement +perjurer +perjurers +perjures +perjuress +perjury +perjuries +perjurymonger +perjurymongering +perjuring +perjurious +perjuriously +perjuriousness +perjurous +perk +perked +perky +perkier +perkiest +perkily +perkin +perkiness +perking +perkingly +perkinism +perkish +perknite +perks +perla +perlaceous +perlaria +perlative +perle +perleche +perlection +perlid +perlidae +perligenous +perling +perlingual +perlingually +perlite +perlites +perlitic +perlocution +perlocutionary +perloir +perlucidus +perlustrate +perlustration +perlustrator +perm +permafrost +permalloy +permanence +permanency +permanencies +permanent +permanently +permanentness +permanents +permanganate +permanganic +permansion +permansive +permatron +permeability +permeable +permeableness +permeably +permeameter +permeance +permeant +permease +permeases +permeate +permeated +permeates +permeating +permeation +permeations +permeative +permeator +permiak +permian +permillage +perminvar +permirific +permiss +permissable +permissibility +permissible +permissibleness +permissibly +permissiblity +permission +permissioned +permissions +permissive +permissively +permissiveness +permissory +permistion +permit +permits +permittable +permittance +permitted +permittedly +permittee +permitter +permitting +permittivity +permittivities +permix +permixable +permixed +permixtion +permixtive +permixture +permocarboniferous +permonosulphuric +permoralize +perms +permutability +permutable +permutableness +permutably +permutate +permutated +permutating +permutation +permutational +permutationist +permutationists +permutations +permutator +permutatory +permutatorial +permute +permuted +permuter +permutes +permuting +pern +pernancy +pernasal +pernavigate +pernea +pernel +pernephria +pernettia +pernychia +pernicion +pernicious +perniciously +perniciousness +pernickety +pernicketiness +pernicketty +pernickity +pernyi +pernine +pernio +pernis +pernitrate +pernitric +pernoctate +pernoctation +pernod +pernor +peroba +perobrachius +perocephalus +perochirus +perodactylus +perodipus +perofskite +perognathinae +perognathus +peroliary +peromedusae +peromela +peromelous +peromelus +peromyscus +peronate +perone +peroneal +peronei +peroneocalcaneal +peroneotarsal +peroneotibial +peroneus +peronial +peronium +peronnei +peronospora +peronosporaceae +peronosporaceous +peronosporales +peropod +peropoda +peropodous +peropus +peroral +perorally +perorate +perorated +perorates +perorating +peroration +perorational +perorations +perorative +perorator +peroratory +peroratorical +peroratorically +peroses +perosis +perosmate +perosmic +perosomus +perotic +perovskite +peroxy +peroxyacid +peroxyborate +peroxid +peroxidase +peroxidate +peroxidation +peroxide +peroxided +peroxides +peroxidic +peroxidicperoxiding +peroxiding +peroxidize +peroxidized +peroxidizement +peroxidizing +peroxids +peroxyl +peroxisomal +peroxisome +perozonid +perozonide +perp +perpend +perpended +perpendicle +perpendicular +perpendicularity +perpendicularly +perpendicularness +perpendiculars +perpending +perpends +perpense +perpension +perpensity +perpent +perpents +perpera +perperfect +perpession +perpet +perpetrable +perpetrate +perpetrated +perpetrates +perpetrating +perpetration +perpetrations +perpetrator +perpetrators +perpetratress +perpetratrix +perpetuable +perpetual +perpetualism +perpetualist +perpetuality +perpetually +perpetualness +perpetuana +perpetuance +perpetuant +perpetuate +perpetuated +perpetuates +perpetuating +perpetuation +perpetuator +perpetuators +perpetuity +perpetuities +perpetuum +perphenazine +perplantar +perplex +perplexable +perplexed +perplexedly +perplexedness +perplexer +perplexes +perplexing +perplexingly +perplexity +perplexities +perplexment +perplication +perquadrat +perqueer +perqueerly +perqueir +perquest +perquisite +perquisites +perquisition +perquisitor +perradial +perradially +perradiate +perradius +perreia +perry +perridiculous +perrie +perrier +perries +perryman +perrinist +perron +perrons +perroquet +perruche +perrukery +perruque +perruquier +perruquiers +perruthenate +perruthenic +pers +persae +persalt +persalts +perscent +perscribe +perscrutate +perscrutation +perscrutator +perse +persea +persecute +persecuted +persecutee +persecutes +persecuting +persecutingly +persecution +persecutional +persecutions +persecutive +persecutiveness +persecutor +persecutory +persecutors +persecutress +persecutrix +perseid +perseite +perseity +perseitol +persentiscency +persephassa +persephone +persepolitan +perses +perseus +perseverance +perseverant +perseverate +perseveration +perseverative +persevere +persevered +perseveres +persevering +perseveringly +persia +persian +persianist +persianization +persianize +persians +persic +persicary +persicaria +persicize +persico +persicot +persienne +persiennes +persiflage +persiflate +persifleur +persilicic +persillade +persymmetric +persymmetrical +persimmon +persimmons +persio +persis +persism +persist +persistance +persisted +persistence +persistency +persistent +persistently +persister +persisters +persisting +persistingly +persistive +persistively +persistiveness +persists +persnickety +persnicketiness +persolve +person +persona +personable +personableness +personably +personae +personage +personages +personal +personalia +personalis +personalisation +personalism +personalist +personalistic +personality +personalities +personalization +personalize +personalized +personalizes +personalizing +personally +personalness +personals +personalty +personalties +personam +personarum +personas +personate +personated +personately +personating +personation +personative +personator +personed +personeity +personhood +personify +personifiable +personifiant +personification +personifications +personificative +personificator +personified +personifier +personifies +personifying +personization +personize +personnel +persons +personship +persorption +perspection +perspectival +perspective +perspectived +perspectiveless +perspectively +perspectives +perspectivism +perspectivist +perspectivity +perspectograph +perspectometer +perspicable +perspicacious +perspicaciously +perspicaciousness +perspicacity +perspicil +perspicous +perspicuity +perspicuous +perspicuously +perspicuousness +perspirability +perspirable +perspirant +perspirate +perspiration +perspirative +perspiratory +perspire +perspired +perspires +perspiry +perspiring +perspiringly +perstand +perstringe +perstringement +persuadability +persuadable +persuadableness +persuadably +persuade +persuaded +persuadedly +persuadedness +persuader +persuaders +persuades +persuading +persuadingly +persuasibility +persuasible +persuasibleness +persuasibly +persuasion +persuasions +persuasive +persuasively +persuasiveness +persuasory +persue +persulfate +persulphate +persulphide +persulphocyanate +persulphocyanic +persulphuric +pert +pertain +pertained +pertaining +pertainment +pertains +perten +pertenencia +perter +pertest +perthiocyanate +perthiocyanic +perthiotophyre +perthite +perthitic +perthitically +perthophyte +perthosite +perty +pertinaceous +pertinacious +pertinaciously +pertinaciousness +pertinacity +pertinate +pertinence +pertinency +pertinencies +pertinent +pertinentia +pertinently +pertinentness +pertish +pertly +pertness +pertnesses +perturb +perturbability +perturbable +perturbance +perturbancy +perturbant +perturbate +perturbation +perturbational +perturbations +perturbatious +perturbative +perturbator +perturbatory +perturbatress +perturbatrix +perturbed +perturbedly +perturbedness +perturber +perturbing +perturbingly +perturbment +perturbs +pertusaria +pertusariaceae +pertuse +pertused +pertusion +pertussal +pertussis +peru +perugian +peruginesque +peruke +peruked +perukeless +peruker +perukery +perukes +perukier +perukiership +perula +perularia +perulate +perule +perun +perusable +perusal +perusals +peruse +perused +peruser +perusers +peruses +perusing +peruvian +peruvianize +peruvians +perv +pervade +pervaded +pervadence +pervader +pervaders +pervades +pervading +pervadingly +pervadingness +pervagate +pervagation +pervalvar +pervasion +pervasive +pervasively +pervasiveness +pervenche +perverse +perversely +perverseness +perversion +perversions +perversite +perversity +perversities +perversive +pervert +perverted +pervertedly +pervertedness +perverter +pervertibility +pervertible +pervertibly +perverting +pervertive +perverts +pervestigate +perviability +perviable +pervial +pervicacious +pervicaciously +pervicaciousness +pervicacity +pervigilium +pervious +perviously +perviousness +pervulgate +pervulgation +perwick +perwitsky +pes +pesa +pesach +pesade +pesades +pesage +pesah +pesante +pescod +peseta +pesetas +pesewa +pesewas +peshito +peshkar +peshkash +peshwa +peshwaship +pesky +peskier +peskiest +peskily +peskiness +peso +pesos +pess +pessary +pessaries +pessimal +pessimism +pessimist +pessimistic +pessimistically +pessimists +pessimize +pessimum +pessomancy +pessoner +pessular +pessulus +pest +pestalozzian +pestalozzianism +peste +pester +pestered +pesterer +pesterers +pestering +pesteringly +pesterment +pesterous +pesters +pestersome +pestful +pesthole +pestholes +pesthouse +pesticidal +pesticide +pesticides +pestiduct +pestiferous +pestiferously +pestiferousness +pestify +pestifugous +pestilence +pestilences +pestilenceweed +pestilencewort +pestilent +pestilential +pestilentially +pestilentialness +pestilently +pestis +pestle +pestled +pestles +pestling +pestology +pestological +pestologist +pestproof +pests +pet +petal +petalage +petaled +petaly +petalia +petaliferous +petaliform +petaliidae +petaline +petaling +petalism +petalite +petalled +petalless +petallike +petalling +petalocerous +petalody +petalodic +petalodies +petalodont +petalodontid +petalodontidae +petalodontoid +petalodus +petaloid +petaloidal +petaloideous +petalomania +petalon +petalostemon +petalostichous +petalous +petals +petalwise +petara +petard +petardeer +petardier +petarding +petards +petary +petasites +petasma +petasos +petasoses +petasus +petasuses +petate +petaurine +petaurist +petaurista +petauristidae +petauroides +petaurus +petchary +petcock +petcocks +pete +peteca +petechia +petechiae +petechial +petechiate +petegreu +peteman +petemen +peter +petered +peterero +petering +peterkin +peterloo +peterman +petermen +peternet +peters +petersburg +petersen +petersham +peterwort +petful +pether +pethidine +petiolar +petiolary +petiolata +petiolate +petiolated +petiole +petioled +petioles +petioli +petioliventres +petiolular +petiolulate +petiolule +petiolus +petit +petite +petiteness +petites +petitgrain +petitio +petition +petitionable +petitional +petitionary +petitionarily +petitioned +petitionee +petitioner +petitioners +petitioning +petitionist +petitionproof +petitions +petitor +petitory +petits +petiveria +petiveriaceae +petkin +petkins +petling +petnapping +petnappings +peto +petos +petr +petralogy +petrarchal +petrarchan +petrarchesque +petrarchian +petrarchianism +petrarchism +petrarchist +petrarchistic +petrarchistical +petrarchize +petrary +petre +petrea +petrean +petreity +petrel +petrels +petrescence +petrescency +petrescent +petri +petricola +petricolidae +petricolous +petrie +petrifaction +petrifactive +petrify +petrifiable +petrific +petrificant +petrificate +petrification +petrified +petrifier +petrifies +petrifying +petrine +petrinism +petrinist +petrinize +petrissage +petro +petrobium +petrobrusian +petrochemical +petrochemicals +petrochemistry +petrodollar +petrodollars +petrog +petrogale +petrogenesis +petrogenetic +petrogeny +petrogenic +petroglyph +petroglyphy +petroglyphic +petrogram +petrograph +petrographer +petrographers +petrography +petrographic +petrographical +petrographically +petrohyoid +petrol +petrolage +petrolatum +petrolean +petrolene +petroleous +petroleum +petroleur +petroleuse +petrolic +petroliferous +petrolific +petrolin +petrolist +petrolithic +petrolization +petrolize +petrolized +petrolizing +petrolled +petrolling +petrology +petrologic +petrological +petrologically +petrologist +petrologists +petrols +petromastoid +petromyzon +petromyzonidae +petromyzont +petromyzontes +petromyzontidae +petromyzontoid +petronel +petronella +petronellier +petronels +petropharyngeal +petrophilous +petrosa +petrosal +petroselinum +petrosilex +petrosiliceous +petrosilicious +petrosphenoid +petrosphenoidal +petrosphere +petrosquamosal +petrosquamous +petrostearin +petrostearine +petrosum +petrotympanic +petrous +petroxolin +pets +pettable +pettah +petted +pettedly +pettedness +petter +petters +petti +petty +pettiagua +pettichaps +petticoat +petticoated +petticoatery +petticoaterie +petticoaty +petticoating +petticoatism +petticoatless +petticoats +pettier +pettiest +pettifog +pettyfog +pettifogged +pettifogger +pettifoggery +pettifoggers +pettifogging +pettifogs +pettifogulize +pettifogulizer +pettygod +pettily +pettiness +petting +pettingly +pettish +pettishly +pettishness +pettiskirt +pettitoes +pettle +pettled +pettles +pettling +petto +petulance +petulancy +petulancies +petulant +petulantly +petum +petune +petunia +petunias +petunse +petuntse +petuntses +petuntze +petuntzes +petwood +petzite +peucedanin +peucedanum +peucetii +peucyl +peucites +peugeot +peuhl +peul +peulvan +peumus +peutingerian +pew +pewage +pewdom +pewee +pewees +pewfellow +pewful +pewholder +pewy +pewing +pewit +pewits +pewless +pewmate +pews +pewter +pewterer +pewterers +pewtery +pewters +pewterwort +pezantic +peziza +pezizaceae +pezizaceous +pezizaeform +pezizales +peziziform +pezizoid +pezograph +pezophaps +pf +pfaffian +pfc +pfd +pfeffernuss +pfeifferella +pfennig +pfennige +pfennigs +pfg +pflag +pfui +pfund +pfunde +pfx +pg +pgntt +pgnttrp +ph +phaca +phacelia +phacelite +phacella +phacellite +phacellus +phacidiaceae +phacidiales +phacitis +phacoanaphylaxis +phacocele +phacochere +phacocherine +phacochoere +phacochoerid +phacochoerine +phacochoeroid +phacochoerus +phacocyst +phacocystectomy +phacocystitis +phacoglaucoma +phacoid +phacoidal +phacoidoscope +phacolysis +phacolite +phacolith +phacomalacia +phacometer +phacopid +phacopidae +phacops +phacosclerosis +phacoscope +phacotherapy +phaeacian +phaedo +phaedra +phaeism +phaelite +phaenanthery +phaenantherous +phaenogam +phaenogamia +phaenogamian +phaenogamic +phaenogamous +phaenogenesis +phaenogenetic +phaenology +phaenological +phaenomenal +phaenomenism +phaenomenon +phaenozygous +phaeochrous +phaeodaria +phaeodarian +phaeomelanin +phaeophyceae +phaeophycean +phaeophyceous +phaeophyl +phaeophyll +phaeophyta +phaeophytin +phaeophore +phaeoplast +phaeosporales +phaeospore +phaeosporeae +phaeosporous +phaet +phaethon +phaethonic +phaethontes +phaethontic +phaethontidae +phaethusa +phaeton +phaetons +phage +phageda +phagedaena +phagedaenic +phagedaenical +phagedaenous +phagedena +phagedenic +phagedenical +phagedenous +phages +phagineae +phagocytable +phagocytal +phagocyte +phagocyter +phagocytic +phagocytism +phagocytize +phagocytized +phagocytizing +phagocytoblast +phagocytolysis +phagocytolytic +phagocytose +phagocytosed +phagocytosing +phagocytosis +phagocytotic +phagodynamometer +phagolysis +phagolytic +phagomania +phagophobia +phagosome +phainolion +phainopepla +phajus +phalacrocoracidae +phalacrocoracine +phalacrocorax +phalacrosis +phalaecean +phalaecian +phalaenae +phalaenidae +phalaenopsid +phalaenopsis +phalangal +phalange +phalangeal +phalangean +phalanger +phalangeridae +phalangerinae +phalangerine +phalanges +phalangette +phalangian +phalangic +phalangid +phalangida +phalangidan +phalangidea +phalangidean +phalangides +phalangiform +phalangigrada +phalangigrade +phalangigrady +phalangiid +phalangiidae +phalangist +phalangista +phalangistidae +phalangistine +phalangite +phalangitic +phalangitis +phalangium +phalangology +phalangologist +phalanstery +phalansterial +phalansterian +phalansterianism +phalansteric +phalansteries +phalansterism +phalansterist +phalanx +phalanxed +phalanxes +phalarica +phalaris +phalarism +phalarope +phalaropes +phalaropodidae +phalera +phalerae +phalerate +phalerated +phaleucian +phallaceae +phallaceous +phallales +phallalgia +phallaneurysm +phallephoric +phalli +phallic +phallical +phallically +phallicism +phallicist +phallics +phallin +phallis +phallism +phallisms +phallist +phallists +phallitis +phallocrypsis +phallodynia +phalloid +phalloncus +phalloplasty +phallorrhagia +phallus +phalluses +phanar +phanariot +phanariote +phanatron +phane +phaneric +phanerite +phanerocarpae +phanerocarpous +phanerocephala +phanerocephalous +phanerocodonic +phanerocryst +phanerocrystalline +phanerogam +phanerogamy +phanerogamia +phanerogamian +phanerogamic +phanerogamous +phanerogenetic +phanerogenic +phaneroglossa +phaneroglossal +phaneroglossate +phaneromania +phaneromere +phaneromerous +phanerophyte +phaneroscope +phanerosis +phanerozoic +phanerozonate +phanerozonia +phanic +phano +phanos +phanotron +phansigar +phantascope +phantasy +phantasia +phantasiast +phantasiastic +phantasied +phantasies +phantasying +phantasist +phantasize +phantasm +phantasma +phantasmag +phantasmagory +phantasmagoria +phantasmagorial +phantasmagorially +phantasmagorian +phantasmagorianly +phantasmagorias +phantasmagoric +phantasmagorical +phantasmagorically +phantasmagories +phantasmagorist +phantasmal +phantasmalian +phantasmality +phantasmally +phantasmascope +phantasmata +phantasmatic +phantasmatical +phantasmatically +phantasmatography +phantasmic +phantasmical +phantasmically +phantasmist +phantasmogenesis +phantasmogenetic +phantasmograph +phantasmology +phantasmological +phantasms +phantast +phantastic +phantastical +phantasts +phantic +phantom +phantomatic +phantomy +phantomic +phantomical +phantomically +phantomist +phantomize +phantomizer +phantomland +phantomlike +phantomnation +phantomry +phantoms +phantomship +phantoplex +phantoscope +phar +pharaoh +pharaohs +pharaonic +pharaonical +pharbitis +phare +phareodus +pharian +pharyngal +pharyngalgia +pharyngalgic +pharyngeal +pharyngealization +pharyngealized +pharyngectomy +pharyngectomies +pharyngemphraxis +pharynges +pharyngic +pharyngismus +pharyngitic +pharyngitis +pharyngoamygdalitis +pharyngobranch +pharyngobranchial +pharyngobranchiate +pharyngobranchii +pharyngocele +pharyngoceratosis +pharyngodynia +pharyngoepiglottic +pharyngoepiglottidean +pharyngoesophageal +pharyngoglossal +pharyngoglossus +pharyngognath +pharyngognathi +pharyngognathous +pharyngography +pharyngographic +pharyngokeratosis +pharyngolaryngeal +pharyngolaryngitis +pharyngolith +pharyngology +pharyngological +pharyngomaxillary +pharyngomycosis +pharyngonasal +pharyngopalatine +pharyngopalatinus +pharyngoparalysis +pharyngopathy +pharyngoplasty +pharyngoplegy +pharyngoplegia +pharyngoplegic +pharyngopleural +pharyngopneusta +pharyngopneustal +pharyngorhinitis +pharyngorhinoscopy +pharyngoscleroma +pharyngoscope +pharyngoscopy +pharyngospasm +pharyngotherapy +pharyngotyphoid +pharyngotome +pharyngotomy +pharyngotonsillitis +pharyngoxerosis +pharynogotome +pharynx +pharynxes +pharisaean +pharisaic +pharisaical +pharisaically +pharisaicalness +pharisaism +pharisaist +pharisean +pharisee +phariseeism +pharisees +pharm +pharmacal +pharmaceutic +pharmaceutical +pharmaceutically +pharmaceuticals +pharmaceutics +pharmaceutist +pharmacy +pharmacic +pharmacies +pharmacist +pharmacists +pharmacite +pharmacochemistry +pharmacodiagnosis +pharmacodynamic +pharmacodynamical +pharmacodynamically +pharmacodynamics +pharmacoendocrinology +pharmacogenetic +pharmacogenetics +pharmacognosy +pharmacognosia +pharmacognosis +pharmacognosist +pharmacognostic +pharmacognostical +pharmacognostically +pharmacognostics +pharmacography +pharmacokinetic +pharmacokinetics +pharmacol +pharmacolite +pharmacology +pharmacologia +pharmacologic +pharmacological +pharmacologically +pharmacologies +pharmacologist +pharmacologists +pharmacomania +pharmacomaniac +pharmacomaniacal +pharmacometer +pharmacon +pharmacopedia +pharmacopedic +pharmacopedics +pharmacopeia +pharmacopeial +pharmacopeian +pharmacopeias +pharmacophobia +pharmacopoeia +pharmacopoeial +pharmacopoeian +pharmacopoeias +pharmacopoeic +pharmacopoeist +pharmacopolist +pharmacoposia +pharmacopsychology +pharmacopsychosis +pharmacosiderite +pharmacotherapy +pharmakoi +pharmakos +pharmic +pharmuthi +pharo +pharology +pharomacrus +pharos +pharoses +pharsalian +phascaceae +phascaceous +phascogale +phascolarctinae +phascolarctos +phascolome +phascolomyidae +phascolomys +phascolonus +phascum +phase +phaseal +phased +phaseless +phaselin +phasemeter +phasemy +phaseolaceae +phaseolin +phaseolous +phaseolunatin +phaseolus +phaseometer +phaseout +phaseouts +phaser +phasers +phases +phaseun +phasianella +phasianellidae +phasianic +phasianid +phasianidae +phasianinae +phasianine +phasianoid +phasianus +phasic +phasing +phasiron +phasis +phasitron +phasm +phasma +phasmajector +phasmatid +phasmatida +phasmatidae +phasmatodea +phasmatoid +phasmatoidea +phasmatrope +phasmid +phasmida +phasmidae +phasmids +phasmoid +phasmophobia +phasogeneous +phasor +phasotropy +phat +phatic +phatically +pheal +phearse +pheasant +pheasantry +pheasants +pheasantwood +phebe +phecda +pheeal +phegopteris +pheidole +phellandrene +phellem +phellems +phellodendron +phelloderm +phellodermal +phellogen +phellogenetic +phellogenic +phellonic +phelloplastic +phelloplastics +phellum +phelonia +phelonion +phelonionia +phelonions +phemic +phemie +phenacaine +phenacetin +phenacetine +phenaceturic +phenacyl +phenacite +phenacodontidae +phenacodus +phenakism +phenakistoscope +phenakite +phenalgin +phenanthraquinone +phenanthrene +phenanthrenequinone +phenanthridine +phenanthridone +phenanthrol +phenanthroline +phenarsine +phenate +phenazin +phenazine +phenazins +phenazone +phene +phenegol +phenelzine +phenene +phenethicillin +phenethyl +phenetic +pheneticist +phenetics +phenetidin +phenetidine +phenetol +phenetole +phenetols +phenformin +phengite +phengitical +pheny +phenic +phenicate +phenicine +phenicious +phenicopter +phenyl +phenylacetaldehyde +phenylacetamide +phenylacetic +phenylaceticaldehyde +phenylalanine +phenylamide +phenylamine +phenylate +phenylated +phenylation +phenylbenzene +phenylboric +phenylbutazone +phenylcarbamic +phenylcarbimide +phenylcarbinol +phenyldiethanolamine +phenylene +phenylenediamine +phenylephrine +phenylethylene +phenylethylmalonylure +phenylethylmalonylurea +phenylglycine +phenylglycolic +phenylglyoxylic +phenylhydrazine +phenylhydrazone +phenylic +phenylketonuria +phenylketonuric +phenylmethane +phenyls +phenylthiocarbamide +phenylthiourea +phenin +phenine +phenix +phenixes +phenmetrazine +phenmiazine +phenobarbital +phenobarbitol +phenobarbitone +phenocain +phenocoll +phenocopy +phenocopies +phenocryst +phenocrystalline +phenocrystic +phenogenesis +phenogenetic +phenol +phenolate +phenolated +phenolia +phenolic +phenolics +phenoliolia +phenolion +phenolions +phenolization +phenolize +phenology +phenologic +phenological +phenologically +phenologist +phenoloid +phenolphthalein +phenols +phenolsulphonate +phenolsulphonephthalein +phenolsulphonic +phenom +phenomena +phenomenal +phenomenalism +phenomenalist +phenomenalistic +phenomenalistically +phenomenalists +phenomenality +phenomenalization +phenomenalize +phenomenalized +phenomenalizing +phenomenally +phenomenalness +phenomenic +phenomenical +phenomenism +phenomenist +phenomenistic +phenomenize +phenomenized +phenomenology +phenomenologic +phenomenological +phenomenologically +phenomenologies +phenomenologist +phenomenon +phenomenona +phenomenons +phenoms +phenoplast +phenoplastic +phenoquinone +phenosafranine +phenosal +phenose +phenosol +phenospermy +phenospermic +phenothiazine +phenotype +phenotypes +phenotypic +phenotypical +phenotypically +phenoxazine +phenoxybenzamine +phenoxid +phenoxide +phenozygous +phentolamine +pheochromocytoma +pheon +pheophyl +pheophyll +pheophytin +pherecratean +pherecratian +pherecratic +pherephatta +pheretrer +pherkad +pheromonal +pheromone +pheromones +pherophatta +phersephatta +phersephoneia +phew +phi +phial +phialae +phialai +phiale +phialed +phialful +phialide +phialine +phialing +phialled +phiallike +phialling +phialophore +phialospore +phials +phycic +phyciodes +phycite +phycitidae +phycitol +phycochrom +phycochromaceae +phycochromaceous +phycochrome +phycochromophyceae +phycochromophyceous +phycocyanin +phycocyanogen +phycocolloid +phycodromidae +phycoerythrin +phycography +phycology +phycological +phycologist +phycomyces +phycomycete +phycomycetes +phycomycetous +phycophaein +phycoxanthin +phycoxanthine +phidiac +phidian +phies +phigalian +phygogalactic +phil +phyla +philabeg +philabegs +phylacobiosis +phylacobiotic +phylactery +phylacteric +phylacterical +phylacteried +phylacteries +phylacterize +phylactic +phylactocarp +phylactocarpal +phylactolaema +phylactolaemata +phylactolaematous +phylactolema +phylactolemata +philadelphy +philadelphia +philadelphian +philadelphianism +philadelphians +philadelphite +philadelphus +phylae +philalethist +philamot +philander +philandered +philanderer +philanderers +philandering +philanders +philanthid +philanthidae +philanthrope +philanthropy +philanthropian +philanthropic +philanthropical +philanthropically +philanthropies +philanthropine +philanthropinism +philanthropinist +philanthropinum +philanthropise +philanthropised +philanthropising +philanthropism +philanthropist +philanthropistic +philanthropists +philanthropize +philanthropized +philanthropizing +philanthus +philantomba +phylar +phylarch +philarchaist +phylarchy +phylarchic +phylarchical +philaristocracy +phylartery +philately +philatelic +philatelical +philatelically +philatelism +philatelist +philatelistic +philatelists +philathea +philathletic +philauty +phylaxis +phylaxises +phyle +philematology +philemon +phylephebic +philepitta +philepittidae +phyleses +philesia +phylesis +phylesises +philetaerus +phyletic +phyletically +phyletism +philharmonic +philharmonics +philhellene +philhellenic +philhellenism +philhellenist +philhymnic +philhippic +philia +philiater +philibeg +philibegs +philic +phylic +philydraceae +philydraceous +philine +philip +philippa +philippan +philippe +philippian +philippians +philippic +philippicize +philippics +philippina +philippine +philippines +philippism +philippist +philippistic +philippizate +philippize +philippizer +philippus +philyra +philister +philistia +philistian +philistine +philistinely +philistines +philistinian +philistinic +philistinish +philistinism +philistinize +phill +phyllachora +phyllactinia +phyllade +phyllamania +phyllamorph +phyllanthus +phyllary +phyllaries +phyllaurea +phylliform +phillilew +philliloo +phyllin +phylline +phillip +phillipeener +phillippi +phillipsine +phillipsite +phillyrea +phillyrin +phillis +phyllis +phyllite +phyllites +phyllitic +phyllitis +phyllium +phyllobranchia +phyllobranchial +phyllobranchiate +phyllocactus +phyllocarid +phyllocarida +phyllocaridan +phylloceras +phyllocerate +phylloceratidae +phyllocyanic +phyllocyanin +phyllocyst +phyllocystic +phylloclad +phylloclade +phyllocladia +phyllocladioid +phyllocladium +phyllocladous +phyllode +phyllodes +phyllody +phyllodia +phyllodial +phyllodination +phyllodineous +phyllodiniation +phyllodinous +phyllodium +phyllodoce +phylloerythrin +phyllogenetic +phyllogenous +phylloid +phylloidal +phylloideous +phylloids +phyllomancy +phyllomania +phyllome +phyllomes +phyllomic +phyllomorph +phyllomorphy +phyllomorphic +phyllomorphosis +phyllophaga +phyllophagan +phyllophagous +phyllophyllin +phyllophyte +phyllophore +phyllophorous +phyllopyrrole +phyllopod +phyllopoda +phyllopodan +phyllopode +phyllopodiform +phyllopodium +phyllopodous +phylloporphyrin +phyllopteryx +phylloptosis +phylloquinone +phyllorhine +phyllorhinine +phylloscopine +phylloscopus +phyllosilicate +phyllosiphonic +phyllosoma +phyllosomata +phyllosome +phyllospondyli +phyllospondylous +phyllostachys +phyllosticta +phyllostoma +phyllostomatidae +phyllostomatinae +phyllostomatoid +phyllostomatous +phyllostome +phyllostomidae +phyllostominae +phyllostomine +phyllostomous +phyllostomus +phyllotactic +phyllotactical +phyllotaxy +phyllotaxic +phyllotaxis +phyllous +phylloxanthin +phylloxera +phylloxerae +phylloxeran +phylloxeras +phylloxeric +phylloxeridae +phyllozooid +phillumenist +philobiblian +philobiblic +philobiblical +philobiblist +philobotanic +philobotanist +philobrutish +philocaly +philocalic +philocalist +philocathartic +philocatholic +philocyny +philocynic +philocynical +philocynicism +philocomal +philoctetes +philocubist +philodemic +philodendra +philodendron +philodendrons +philodespot +philodestructiveness +philodina +philodinidae +philodox +philodoxer +philodoxical +philodramatic +philodramatist +philofelist +philofelon +philogarlic +philogastric +philogeant +phylogenesis +phylogenetic +phylogenetical +phylogenetically +phylogeny +phylogenic +phylogenist +philogenitive +philogenitiveness +phylogerontic +phylogerontism +philogynaecic +philogyny +philogynist +philogynous +philograph +phylography +philographic +philohela +philohellenian +philokleptic +philol +philoleucosis +philologaster +philologastry +philologer +philology +phylology +philologian +philologic +philological +philologically +philologist +philologistic +philologists +philologize +philologue +philomachus +philomath +philomathematic +philomathematical +philomathy +philomathic +philomathical +philome +philomel +philomela +philomelanist +philomelian +philomels +philomystic +philomythia +philomythic +philomuse +philomusical +phylon +philonatural +phyloneanic +philoneism +phylonepionic +philonian +philonic +philonism +philonist +philonium +philonoist +philopagan +philopater +philopatrian +philopena +philophilosophos +philopig +philoplutonic +philopoet +philopogon +philopolemic +philopolemical +philopornist +philoprogeneity +philoprogenitive +philoprogenitiveness +philopterid +philopteridae +philopublican +philoradical +philorchidaceous +philornithic +philorthodox +philos +philosoph +philosophaster +philosophastering +philosophastry +philosophe +philosophedom +philosopheme +philosopher +philosopheress +philosophers +philosophership +philosophes +philosophess +philosophy +philosophic +philosophical +philosophically +philosophicalness +philosophicide +philosophicohistorical +philosophicojuristic +philosophicolegal +philosophicopsychological +philosophicoreligious +philosophicotheological +philosophies +philosophilous +philosophisation +philosophise +philosophised +philosophiser +philosophising +philosophism +philosophist +philosophister +philosophistic +philosophistical +philosophization +philosophize +philosophized +philosophizer +philosophizers +philosophizes +philosophizing +philosophling +philosophobia +philosophocracy +philosophuncule +philosophunculist +philotadpole +philotechnic +philotechnical +philotechnist +philothaumaturgic +philotheism +philotheist +philotheistic +philotheosophical +philotherian +philotherianism +philotria +philoxenian +philoxygenous +philozoic +philozoist +philozoonist +philter +philtered +philterer +philtering +philterproof +philters +philtra +philtre +philtred +philtres +philtring +philtrum +phylum +phylumla +phyma +phymas +phymata +phymatic +phymatid +phymatidae +phymatodes +phymatoid +phymatorhysin +phymatosis +phimosed +phimoses +phymosia +phimosis +phimotic +phineas +phiomia +phippe +phiroze +phis +phys +physa +physagogue +physalia +physalian +physaliidae +physalis +physalite +physalospora +physapoda +physaria +physcia +physciaceae +physcioid +physcomitrium +physes +physeter +physeteridae +physeterinae +physeterine +physeteroid +physeteroidea +physharmonica +physianthropy +physiatric +physiatrical +physiatrics +physiatrist +physic +physical +physicalism +physicalist +physicalistic +physicalistically +physicality +physicalities +physically +physicalness +physicals +physician +physicianary +physiciancy +physicianed +physicianer +physicianess +physicianing +physicianless +physicianly +physicians +physicianship +physicism +physicist +physicists +physicked +physicker +physicky +physicking +physicks +physicoastronomical +physicobiological +physicochemic +physicochemical +physicochemically +physicochemist +physicochemistry +physicogeographical +physicologic +physicological +physicomathematical +physicomathematics +physicomechanical +physicomedical +physicomental +physicomorph +physicomorphic +physicomorphism +physicooptics +physicophilosophy +physicophilosophical +physicophysiological +physicopsychical +physicosocial +physicotheology +physicotheological +physicotheologist +physicotherapeutic +physicotherapeutics +physicotherapy +physics +physid +physidae +physiform +physiochemical +physiochemically +physiochemistry +physiocracy +physiocrat +physiocratic +physiocratism +physiocratist +physiogenesis +physiogenetic +physiogeny +physiogenic +physiognomy +physiognomic +physiognomical +physiognomically +physiognomics +physiognomies +physiognomist +physiognomize +physiognomonic +physiognomonical +physiognomonically +physiogony +physiographer +physiography +physiographic +physiographical +physiographically +physiol +physiolater +physiolatry +physiolatrous +physiologer +physiology +physiologian +physiologic +physiological +physiologically +physiologicoanatomic +physiologies +physiologist +physiologists +physiologize +physiologue +physiologus +physiopathology +physiopathologic +physiopathological +physiopathologically +physiophilist +physiophilosopher +physiophilosophy +physiophilosophical +physiopsychic +physiopsychical +physiopsychology +physiopsychological +physiosociological +physiosophy +physiosophic +physiotherapeutic +physiotherapeutical +physiotherapeutics +physiotherapy +physiotherapies +physiotherapist +physiotherapists +physiotype +physiotypy +physique +physiqued +physiques +physis +physitheism +physitheist +physitheistic +physitism +physiurgy +physiurgic +physnomy +physocarpous +physocarpus +physocele +physoclist +physoclisti +physoclistic +physoclistous +physoderma +physogastry +physogastric +physogastrism +physometra +physonectae +physonectous +physophora +physophorae +physophoran +physophore +physophorous +physopod +physopoda +physopodan +physostegia +physostigma +physostigmine +physostomatous +physostome +physostomi +physostomous +phit +phytalbumose +phytane +phytanes +phytase +phytate +phytelephas +phyteus +phytic +phytiferous +phytiform +phytyl +phytin +phytins +phytivorous +phytoalexin +phytobacteriology +phytobezoar +phytobiology +phytobiological +phytobiologist +phytochemical +phytochemically +phytochemist +phytochemistry +phytochlore +phytochlorin +phytochrome +phytocidal +phytocide +phytoclimatology +phytoclimatologic +phytoclimatological +phytocoenoses +phytocoenosis +phytodynamics +phytoecology +phytoecological +phytoecologist +phytoflagellata +phytoflagellate +phytogamy +phytogenesis +phytogenetic +phytogenetical +phytogenetically +phytogeny +phytogenic +phytogenous +phytogeographer +phytogeography +phytogeographic +phytogeographical +phytogeographically +phytoglobulin +phytognomy +phytograph +phytographer +phytography +phytographic +phytographical +phytographist +phytohaemagglutinin +phytohemagglutinin +phytohormone +phytoid +phytokinin +phytol +phytolacca +phytolaccaceae +phytolaccaceous +phytolatry +phytolatrous +phytolite +phytolith +phytolithology +phytolithological +phytolithologist +phytology +phytologic +phytological +phytologically +phytologist +phytoma +phytomastigina +phytomastigoda +phytome +phytomer +phytomera +phytometer +phytometry +phytometric +phytomonad +phytomonadida +phytomonadina +phytomonas +phytomorphic +phytomorphology +phytomorphosis +phyton +phytonadione +phitones +phytonic +phytonomy +phytonomist +phytons +phytooecology +phytopaleontology +phytopaleontologic +phytopaleontological +phytopaleontologist +phytoparasite +phytopathogen +phytopathogenic +phytopathology +phytopathologic +phytopathological +phytopathologist +phytophaga +phytophagan +phytophage +phytophagy +phytophagic +phytophagineae +phytophagous +phytopharmacology +phytopharmacologic +phytophenology +phytophenological +phytophil +phytophylogenetic +phytophylogeny +phytophylogenic +phytophilous +phytophysiology +phytophysiological +phytophthora +phytoplankton +phytoplanktonic +phytoplasm +phytopsyche +phytoptid +phytoptidae +phytoptose +phytoptosis +phytoptus +phytorhodin +phytosaur +phytosauria +phytosaurian +phytoserology +phytoserologic +phytoserological +phytoserologically +phytosynthesis +phytosis +phytosociology +phytosociologic +phytosociological +phytosociologically +phytosociologist +phytosterin +phytosterol +phytostrote +phytosuccivorous +phytotaxonomy +phytotechny +phytoteratology +phytoteratologic +phytoteratological +phytoteratologist +phytotoma +phytotomy +phytotomidae +phytotomist +phytotopography +phytotopographical +phytotoxic +phytotoxicity +phytotoxin +phytotron +phytovitellin +phytozoa +phytozoan +phytozoaria +phytozoon +phiz +phizes +phizog +phlebalgia +phlebangioma +phlebarteriectasia +phlebarteriodialysis +phlebectasy +phlebectasia +phlebectasis +phlebectomy +phlebectopy +phlebectopia +phlebemphraxis +phlebenteric +phlebenterism +phlebitic +phlebitis +phlebodium +phlebogram +phlebograph +phlebography +phlebographic +phlebographical +phleboid +phleboidal +phlebolite +phlebolith +phlebolithiasis +phlebolithic +phlebolitic +phlebology +phlebological +phlebometritis +phlebopexy +phleboplasty +phleborrhage +phleborrhagia +phleborrhaphy +phleborrhexis +phlebosclerosis +phlebosclerotic +phlebostasia +phlebostasis +phlebostenosis +phlebostrepsis +phlebothrombosis +phlebotome +phlebotomy +phlebotomic +phlebotomical +phlebotomically +phlebotomies +phlebotomisation +phlebotomise +phlebotomised +phlebotomising +phlebotomist +phlebotomization +phlebotomize +phlebotomus +phlegethon +phlegethontal +phlegethontic +phlegm +phlegma +phlegmagogue +phlegmasia +phlegmatic +phlegmatical +phlegmatically +phlegmaticalness +phlegmaticly +phlegmaticness +phlegmatism +phlegmatist +phlegmatized +phlegmatous +phlegmy +phlegmier +phlegmiest +phlegmless +phlegmon +phlegmonic +phlegmonoid +phlegmonous +phlegms +phleum +phlyctaena +phlyctaenae +phlyctaenula +phlyctena +phlyctenae +phlyctenoid +phlyctenula +phlyctenule +phlyzacious +phlyzacium +phlobaphene +phlobatannin +phloem +phloems +phloeophagous +phloeoterma +phloeum +phlogisma +phlogistian +phlogistic +phlogistical +phlogisticate +phlogistication +phlogiston +phlogistonism +phlogistonist +phlogogenetic +phlogogenic +phlogogenous +phlogopite +phlogosed +phlogosin +phlogosis +phlogotic +phlomis +phloretic +phloretin +phlorhizin +phloridzin +phlorina +phlorizin +phloroglucic +phloroglucin +phloroglucinol +phlorol +phlorone +phlorrhizin +phlox +phloxes +phloxin +pho +phoby +phobia +phobiac +phobias +phobic +phobies +phobism +phobist +phobophobia +phobos +phoca +phocacean +phocaceous +phocaean +phocaena +phocaenina +phocaenine +phocal +phocean +phocenate +phocenic +phocenin +phocian +phocid +phocidae +phociform +phocinae +phocine +phocodont +phocodontia +phocodontic +phocoena +phocoid +phocomeli +phocomelia +phocomelous +phocomelus +phoebads +phoebe +phoebean +phoebes +phoebus +phoenicaceae +phoenicaceous +phoenicales +phoenicean +phoenicia +phoenician +phoenicianism +phoenicians +phoenicid +phoenicite +phoenicize +phoenicochroite +phoenicopter +phoenicopteridae +phoenicopteriformes +phoenicopteroid +phoenicopteroideae +phoenicopterous +phoenicopterus +phoeniculidae +phoeniculus +phoenicurous +phoenigm +phoenix +phoenixes +phoenixity +phoenixlike +phoh +phokomelia +pholad +pholadacea +pholadian +pholadid +pholadidae +pholadinea +pholadoid +pholas +pholcid +pholcidae +pholcoid +pholcus +pholido +pholidolite +pholidosis +pholidota +pholidote +pholiota +phoma +phomopsis +phon +phonal +phonasthenia +phonate +phonated +phonates +phonating +phonation +phonatory +phonautogram +phonautograph +phonautographic +phonautographically +phone +phoned +phoney +phoneidoscope +phoneidoscopic +phoneier +phoneiest +phoneys +phonelescope +phonematic +phonematics +phoneme +phonemes +phonemic +phonemically +phonemicist +phonemicize +phonemicized +phonemicizing +phonemics +phonendoscope +phoner +phones +phonesis +phonestheme +phonesthemic +phonet +phonetic +phonetical +phonetically +phonetician +phoneticians +phoneticism +phoneticist +phoneticization +phoneticize +phoneticogrammatical +phoneticohieroglyphic +phonetics +phonetism +phonetist +phonetization +phonetize +phonghi +phony +phoniatry +phoniatric +phoniatrics +phonic +phonically +phonics +phonier +phonies +phoniest +phonikon +phonily +phoniness +phoning +phonism +phono +phonocamptic +phonocardiogram +phonocardiograph +phonocardiography +phonocardiographic +phonocinematograph +phonodeik +phonodynamograph +phonoglyph +phonogram +phonogramic +phonogramically +phonogrammatic +phonogrammatical +phonogrammic +phonogrammically +phonograph +phonographer +phonography +phonographic +phonographical +phonographically +phonographist +phonographs +phonol +phonolite +phonolitic +phonologer +phonology +phonologic +phonological +phonologically +phonologist +phonologists +phonomania +phonometer +phonometry +phonometric +phonomimic +phonomotor +phonon +phonons +phonopathy +phonophile +phonophobia +phonophone +phonophore +phonophoric +phonophorous +phonophote +phonophotography +phonophotoscope +phonophotoscopic +phonoplex +phonopore +phonoreception +phonoreceptor +phonorecord +phonos +phonoscope +phonotactics +phonotelemeter +phonotype +phonotyper +phonotypy +phonotypic +phonotypical +phonotypically +phonotypist +phons +phoo +phooey +phooka +phora +phoradendron +phoranthium +phorate +phorates +phorbin +phoresy +phoresis +phoria +phorid +phoridae +phorminx +phormium +phorology +phorometer +phorometry +phorometric +phorone +phoronic +phoronid +phoronida +phoronidea +phoronis +phoronomy +phoronomia +phoronomic +phoronomically +phoronomics +phororhacidae +phororhacos +phoroscope +phorozooid +phorrhea +phos +phose +phosgene +phosgenes +phosgenic +phosgenite +phosis +phosphagen +phospham +phosphamic +phosphamide +phosphamidic +phosphamidon +phosphammonium +phosphatase +phosphate +phosphated +phosphatemia +phosphates +phosphatese +phosphatic +phosphatide +phosphatidic +phosphatidyl +phosphatidylcholine +phosphation +phosphatisation +phosphatise +phosphatised +phosphatising +phosphatization +phosphatize +phosphatized +phosphatizing +phosphaturia +phosphaturic +phosphene +phosphenyl +phosphid +phosphide +phosphids +phosphyl +phosphin +phosphinate +phosphine +phosphinic +phosphins +phosphite +phospho +phosphoaminolipide +phosphocarnic +phosphocreatine +phosphodiesterase +phosphoenolpyruvate +phosphoferrite +phosphofructokinase +phosphoglyceraldehyde +phosphoglycerate +phosphoglyceric +phosphoglycoprotein +phosphoglucomutase +phosphokinase +phospholipase +phospholipid +phospholipide +phospholipin +phosphomolybdate +phosphomolybdic +phosphomonoesterase +phosphonate +phosphonic +phosphonium +phosphonuclease +phosphophyllite +phosphophori +phosphoprotein +phosphor +phosphorate +phosphorated +phosphorating +phosphore +phosphoreal +phosphorent +phosphoreous +phosphoresce +phosphoresced +phosphorescence +phosphorescent +phosphorescently +phosphorescing +phosphoreted +phosphoretted +phosphorhidrosis +phosphori +phosphoric +phosphorical +phosphoriferous +phosphoryl +phosphorylase +phosphorylate +phosphorylated +phosphorylating +phosphorylation +phosphorylative +phosphorisation +phosphorise +phosphorised +phosphorising +phosphorism +phosphorite +phosphoritic +phosphorize +phosphorizing +phosphorogen +phosphorogene +phosphorogenic +phosphorograph +phosphorography +phosphorographic +phosphorolysis +phosphorolytic +phosphoroscope +phosphorous +phosphors +phosphoruria +phosphorus +phosphosilicate +phosphotartaric +phosphotungstate +phosphotungstic +phosphowolframic +phosphuranylite +phosphuret +phosphuria +phoss +phossy +phot +photaesthesia +photaesthesis +photaesthetic +photal +photalgia +photechy +photelectrograph +photeolic +photerythrous +photesthesis +photic +photically +photics +photinia +photinian +photinianism +photism +photistic +photo +photoactinic +photoactivate +photoactivation +photoactive +photoactivity +photoaesthetic +photoalbum +photoalgraphy +photoanamorphosis +photoaquatint +photoautotrophic +photoautotrophically +photobacterium +photobathic +photobiography +photobiology +photobiologic +photobiological +photobiologist +photobiotic +photobromide +photocampsis +photocatalysis +photocatalyst +photocatalytic +photocatalyzer +photocathode +photocell +photocells +photocellulose +photoceptor +photoceramic +photoceramics +photoceramist +photochemic +photochemical +photochemically +photochemigraphy +photochemist +photochemistry +photochloride +photochlorination +photochromascope +photochromatic +photochrome +photochromy +photochromic +photochromism +photochromography +photochromolithograph +photochromoscope +photochromotype +photochromotypy +photochronograph +photochronography +photochronographic +photochronographical +photochronographically +photocinesis +photocoagulation +photocollograph +photocollography +photocollographic +photocollotype +photocombustion +photocompose +photocomposed +photocomposer +photocomposes +photocomposing +photocomposition +photoconduction +photoconductive +photoconductivity +photoconductor +photocopy +photocopied +photocopier +photocopiers +photocopies +photocopying +photocrayon +photocurrent +photodecomposition +photodensitometer +photodermatic +photodermatism +photodetector +photodynamic +photodynamical +photodynamically +photodynamics +photodiode +photodiodes +photodisintegrate +photodisintegration +photodysphoria +photodissociate +photodissociation +photodissociative +photodrama +photodramatic +photodramatics +photodramatist +photodramaturgy +photodramaturgic +photodrome +photodromy +photoduplicate +photoduplication +photoed +photoelastic +photoelasticity +photoelectric +photoelectrical +photoelectrically +photoelectricity +photoelectron +photoelectronic +photoelectronics +photoelectrotype +photoemission +photoemissive +photoeng +photoengrave +photoengraved +photoengraver +photoengravers +photoengraves +photoengraving +photoengravings +photoepinasty +photoepinastic +photoepinastically +photoesthesis +photoesthetic +photoetch +photoetched +photoetcher +photoetching +photofilm +photofinish +photofinisher +photofinishing +photofission +photoflash +photoflight +photoflood +photofloodlamp +photofluorogram +photofluorograph +photofluorography +photofluorographic +photog +photogalvanograph +photogalvanography +photogalvanographic +photogastroscope +photogelatin +photogen +photogene +photogenetic +photogeny +photogenic +photogenically +photogenous +photogeology +photogeologic +photogeological +photogyric +photoglyph +photoglyphy +photoglyphic +photoglyphography +photoglyptic +photoglyptography +photogram +photogrammeter +photogrammetry +photogrammetric +photogrammetrical +photogrammetrist +photograph +photographable +photographed +photographee +photographer +photographeress +photographers +photographess +photography +photographic +photographical +photographically +photographing +photographist +photographize +photographometer +photographs +photograt +photogravure +photogravurist +photogs +photohalide +photoheliograph +photoheliography +photoheliographic +photoheliometer +photohyponasty +photohyponastic +photohyponastically +photoimpression +photoinactivation +photoinduced +photoinduction +photoinductive +photoing +photoinhibition +photointaglio +photoionization +photoisomeric +photoisomerization +photoist +photojournalism +photojournalist +photojournalistic +photojournalists +photokinesis +photokinetic +photolysis +photolyte +photolith +photolitho +photolithograph +photolithographer +photolithography +photolithographic +photolithographically +photolithoprint +photolytic +photolytically +photolyzable +photolyze +photology +photologic +photological +photologist +photoluminescence +photoluminescent +photoluminescently +photoluminescents +photom +photoma +photomacrograph +photomacrography +photomagnetic +photomagnetism +photomap +photomappe +photomapped +photomapper +photomappi +photomapping +photomaps +photomechanical +photomechanically +photometeor +photometer +photometers +photometry +photometric +photometrical +photometrically +photometrician +photometrist +photometrograph +photomezzotype +photomicrogram +photomicrograph +photomicrographer +photomicrography +photomicrographic +photomicrographical +photomicrographically +photomicrographs +photomicroscope +photomicroscopy +photomicroscopic +photomontage +photomorphogenesis +photomorphogenic +photomorphosis +photomultiplier +photomural +photomurals +photon +photonasty +photonastic +photonegative +photonephograph +photonephoscope +photoneutron +photonic +photonosus +photons +photonuclear +photooxidation +photooxidative +photopathy +photopathic +photoperceptive +photoperimeter +photoperiod +photoperiodic +photoperiodically +photoperiodism +photophane +photophygous +photophile +photophily +photophilic +photophilous +photophysical +photophysicist +photophobe +photophobia +photophobic +photophobous +photophone +photophony +photophonic +photophore +photophoresis +photophosphorescent +photophosphorylation +photopia +photopias +photopic +photopile +photopitometer +photoplay +photoplayer +photoplays +photoplaywright +photopography +photopolarigraph +photopolymer +photopolymerization +photopositive +photoprint +photoprinter +photoprinting +photoprocess +photoproduct +photoproduction +photoproton +photoptometer +photoradio +photoradiogram +photoreactivating +photoreactivation +photoreception +photoreceptive +photoreceptor +photoreconnaissance +photorecorder +photorecording +photoreduction +photoregression +photorelief +photoresist +photoresistance +photorespiration +photos +photosalt +photosantonic +photoscope +photoscopy +photoscopic +photosculptural +photosculpture +photosensitive +photosensitiveness +photosensitivity +photosensitization +photosensitize +photosensitized +photosensitizer +photosensitizes +photosensitizing +photosensory +photoset +photosets +photosetter +photosetting +photosyntax +photosynthate +photosyntheses +photosynthesis +photosynthesize +photosynthesized +photosynthesizes +photosynthesizing +photosynthetic +photosynthetically +photosynthometer +photospectroheliograph +photospectroscope +photospectroscopy +photospectroscopic +photospectroscopical +photosphere +photospheres +photospheric +photospherically +photostability +photostable +photostat +photostated +photostater +photostatic +photostatically +photostating +photostationary +photostats +photostatted +photostatter +photostatting +photostereograph +photosurveying +phototachometer +phototachometry +phototachometric +phototachometrical +phototactic +phototactically +phototactism +phototaxy +phototaxis +phototechnic +phototelegraph +phototelegraphy +phototelegraphic +phototelegraphically +phototelephone +phototelephony +phototelescope +phototelescopic +phototheodolite +phototherapeutic +phototherapeutics +phototherapy +phototherapic +phototherapies +phototherapist +photothermic +phototimer +phototype +phototypesetter +phototypesetters +phototypesetting +phototypy +phototypic +phototypically +phototypist +phototypography +phototypographic +phototonic +phototonus +phototopography +phototopographic +phototopographical +phototransceiver +phototransistor +phototrichromatic +phototrope +phototroph +phototrophy +phototrophic +phototropy +phototropic +phototropically +phototropism +phototube +photovisual +photovitrotype +photovoltaic +photoxylography +photozinco +photozincograph +photozincography +photozincographic +photozincotype +photozincotypy +photphotonegative +phots +photuria +phousdar +phpht +phr +phractamphibia +phragma +phragmidium +phragmites +phragmocyttares +phragmocyttarous +phragmocone +phragmoconic +phragmoid +phragmoplast +phragmosis +phrampel +phrarisaical +phrasable +phrasal +phrasally +phrase +phraseable +phrased +phrasey +phraseless +phrasem +phrasemake +phrasemaker +phrasemaking +phraseman +phrasemonger +phrasemongery +phrasemongering +phraseogram +phraseograph +phraseography +phraseographic +phraseology +phraseologic +phraseological +phraseologically +phraseologies +phraseologist +phraser +phrases +phrasy +phrasify +phrasiness +phrasing +phrasings +phrator +phratral +phratry +phratria +phratriac +phratrial +phratric +phratries +phreatic +phreatophyte +phreatophytic +phren +phrenesia +phrenesiac +phrenesis +phrenetic +phrenetical +phrenetically +phreneticness +phrenic +phrenicectomy +phrenicocolic +phrenicocostal +phrenicogastric +phrenicoglottic +phrenicohepatic +phrenicolienal +phrenicopericardiac +phrenicosplenic +phrenicotomy +phrenics +phrenitic +phrenitis +phrenocardia +phrenocardiac +phrenocolic +phrenocostal +phrenodynia +phrenogastric +phrenoglottic +phrenogrady +phrenograih +phrenogram +phrenograph +phrenography +phrenohepatic +phrenol +phrenologer +phrenology +phrenologic +phrenological +phrenologically +phrenologies +phrenologist +phrenologists +phrenologize +phrenomagnetism +phrenomesmerism +phrenopathy +phrenopathia +phrenopathic +phrenopericardiac +phrenoplegy +phrenoplegia +phrenosin +phrenosinic +phrenospasm +phrenosplenic +phrenotropic +phrenoward +phrensy +phrensied +phrensies +phrensying +phryganea +phryganeid +phryganeidae +phryganeoid +phrygia +phrygian +phrygianize +phrygium +phryma +phrymaceae +phrymaceous +phrynid +phrynidae +phrynin +phrynoid +phrynosoma +phronemophobia +phronesis +phronima +phronimidae +phrontistery +phrontisterion +phrontisterium +pht +phtalic +phthalacene +phthalan +phthalanilic +phthalate +phthalazin +phthalazine +phthalein +phthaleine +phthaleinometer +phthalic +phthalid +phthalide +phthalyl +phthalylsulfathiazole +phthalimide +phthalin +phthalins +phthalocyanine +phthanite +phthartolatrae +phthinoid +phthiocol +phthiriasis +phthirius +phthirophagous +phthises +phthisic +phthisical +phthisicky +phthisics +phthisiogenesis +phthisiogenetic +phthisiogenic +phthisiology +phthisiologist +phthisiophobia +phthisiotherapeutic +phthisiotherapy +phthisipneumony +phthisipneumonia +phthisis +phthongal +phthongometer +phthor +phthoric +phu +phugoid +phulkari +phulwa +phulwara +phut +pi +pia +pya +piaba +piacaba +piacevole +piache +piacle +piacula +piacular +piacularity +piacularly +piacularness +piaculum +pyaemia +pyaemias +pyaemic +piaffe +piaffed +piaffer +piaffers +piaffes +piaffing +pial +pyal +piala +pialyn +pyalla +pian +pianet +pianeta +pianette +piangendo +pianic +pianino +pianism +pianisms +pianissimo +pianissimos +pianist +pianiste +pianistic +pianistically +pianistiec +pianists +pianka +piankashaw +piannet +piano +pianoforte +pianofortes +pianofortist +pianograph +pianokoto +pianola +pianolist +pianologue +pianos +pianosa +pians +piarhaemic +piarhemia +piarhemic +piarist +piaroa +piaroan +piaropus +piarroan +pyarthrosis +pias +pyas +piasaba +piasabas +piasava +piasavas +piassaba +piassabas +piassava +piassavas +piast +piaster +piasters +piastre +piastres +piation +piatti +piazadora +piazin +piazine +piazza +piazzaed +piazzaless +piazzalike +piazzas +piazze +piazzetta +piazzian +pibal +pibcorn +pibgorn +piblockto +piblokto +pibloktos +pibroch +pibroches +pibrochs +pic +pica +picacho +picachos +picador +picadores +picadors +picadura +picae +picayune +picayunes +picayunish +picayunishly +picayunishness +pical +picamar +picaninny +picaninnies +picara +picaras +picard +picarel +picaresque +picary +picariae +picarian +picarii +picaro +picaroon +picarooned +picarooning +picaroons +picaros +picas +picasso +piccadill +piccadilly +piccage +piccalilli +piccalillis +piccanin +piccaninny +piccaninnies +piccante +piccata +picciotto +piccolo +piccoloist +piccolos +pice +picea +picein +picene +picenian +piceoferruginous +piceotestaceous +piceous +piceworth +pich +pyche +pichey +pichi +pichiciago +pichiciagos +pichiciego +pichuric +pichurim +pici +picidae +piciform +piciformes +picinae +picine +pick +pickaback +pickable +pickableness +pickadil +pickadils +pickage +pickaninny +pickaninnies +pickaroon +pickaway +pickax +pickaxe +pickaxed +pickaxes +pickaxing +pickback +picked +pickedevant +pickedly +pickedness +pickee +pickeer +pickeered +pickeering +pickeers +pickel +pickelhaube +picker +pickerel +pickerels +pickerelweed +pickery +pickering +pickeringite +pickers +picket +picketboat +picketed +picketeer +picketer +picketers +picketing +pickets +pickfork +picky +pickier +pickiest +pickietar +pickin +picking +pickings +pickle +pickled +picklelike +pickleman +pickler +pickles +pickleweed +pickleworm +pickling +picklock +picklocks +pickman +pickmaw +pickmen +picknick +picknicker +pickoff +pickoffs +pickout +pickover +pickpenny +pickpocket +pickpocketism +pickpocketry +pickpockets +pickpole +pickproof +pickpurse +picks +pickshaft +picksman +picksmith +picksome +picksomeness +pickthank +pickthankly +pickthankness +pickthatch +picktooth +pickup +pickups +pickwick +pickwickian +pickwickianism +pickwickianly +pickwicks +pickwork +picloram +piclorams +pycnanthemum +pycnia +pycnial +picnic +pycnic +picnicked +picnicker +picnickery +picnickers +picnicky +picnickian +picnicking +picnickish +picnics +pycnid +pycnidia +pycnidial +pycnidiophore +pycnidiospore +pycnidium +pycninidia +pycniospore +pycnite +pycnium +pycnocoma +pycnoconidium +pycnodont +pycnodonti +pycnodontidae +pycnodontoid +pycnodus +pycnogonid +pycnogonida +pycnogonidium +pycnogonoid +picnometer +pycnometer +pycnometochia +pycnometochic +pycnomorphic +pycnomorphous +pycnonotidae +pycnonotinae +pycnonotine +pycnonotus +pycnosis +pycnospore +pycnosporic +pycnostyle +pycnotic +pico +picocurie +picofarad +picogram +picograms +picoid +picojoule +picolin +picoline +picolines +picolinic +picolins +picometer +picong +picory +picornavirus +picosecond +picoseconds +picot +picotah +picote +picoted +picotee +picotees +picoting +picotite +picots +picottah +picowatt +picquet +picqueter +picquets +picra +picramic +picramnia +picrasmin +picrate +picrated +picrates +picry +picric +picryl +picris +picrite +picrites +picrocarmine +picrodendraceae +picrodendron +picroerythrin +picrol +picrolite +picromerite +picropodophyllin +picrorhiza +picrorhizin +picrotin +picrotoxic +picrotoxin +picrotoxinin +pics +pict +pictarnie +pictavi +pictish +pictland +pictogram +pictograph +pictography +pictographic +pictographically +pictographs +pictones +pictoradiogram +pictorial +pictorialisation +pictorialise +pictorialised +pictorialising +pictorialism +pictorialist +pictorialization +pictorialize +pictorially +pictorialness +pictorials +pictoric +pictorical +pictorically +pictun +picturability +picturable +picturableness +picturably +pictural +picture +picturecraft +pictured +picturedom +picturedrome +pictureful +picturegoer +pictureless +picturely +picturelike +picturemaker +picturemaking +picturephone +picturephones +picturer +picturers +pictures +picturesque +picturesquely +picturesqueness +picturesquish +pictury +picturing +picturization +picturize +picturized +picturizing +picucule +picuda +picudilla +picudo +picul +picule +piculet +piculs +piculule +picumninae +picumnus +picunche +picuris +picus +pidan +piddle +piddled +piddler +piddlers +piddles +piddling +piddlingly +piddock +piddocks +pidgin +pidginization +pidginize +pidgins +pidgized +pidgizing +pidjajap +pie +pye +piebald +piebaldism +piebaldly +piebaldness +piebalds +piece +pieceable +pieced +pieceless +piecemaker +piecemeal +piecemealwise +piecen +piecener +piecer +piecers +pieces +piecette +piecewise +piecework +pieceworker +pieceworkers +piecing +piecings +piecrust +piecrusts +pied +piedfort +piedforts +piedly +piedmont +piedmontal +piedmontese +piedmontite +piedmonts +piedness +piedra +piedroit +piefort +pieforts +piegan +piehouse +pieing +pyelectasis +pieless +pielet +pyelic +pielike +pyelitic +pyelitis +pyelitises +pyelocystitis +pyelogram +pyelograph +pyelography +pyelographic +pyelolithotomy +pyelometry +pyelonephritic +pyelonephritis +pyelonephrosis +pyeloplasty +pyeloscopy +pyelotomy +pyeloureterogram +pielum +piemag +pieman +piemarker +pyemesis +pyemia +pyemias +pyemic +pien +pienaar +pienanny +piend +pyengadu +pientao +piepan +pieplant +pieplants +piepoudre +piepowder +pieprint +pier +pierage +piercarlo +pierce +pierceable +pierced +piercel +pierceless +piercent +piercer +piercers +pierces +piercing +piercingly +piercingness +pierdrop +pierette +pierhead +pierian +pierid +pieridae +pierides +pieridinae +pieridine +pierinae +pierine +pieris +pierless +pierlike +pierre +pierrette +pierrot +pierrotic +pierrots +piers +piert +pies +pyes +pieshop +piest +piet +pieta +pietas +piete +pieter +piety +pietic +pieties +pietism +pietisms +pietist +pietistic +pietistical +pietistically +pietisticalness +pietists +pieton +pietose +pietoso +piewife +piewipe +piewoman +piezo +piezochemical +piezochemistry +piezochemistries +piezocrystallization +piezoelectric +piezoelectrically +piezoelectricity +piezometer +piezometry +piezometric +piezometrical +pifero +piff +piffero +piffle +piffled +piffler +piffles +piffling +pifine +pig +pygal +pygalgia +pygarg +pygargus +pigbelly +pigboat +pigboats +pigdan +pigdom +pigeon +pigeonable +pigeonberry +pigeonberries +pigeoneer +pigeoner +pigeonfoot +pigeongram +pigeonhearted +pigeonheartedness +pigeonhole +pigeonholed +pigeonholer +pigeonholes +pigeonholing +pigeonite +pigeonman +pigeonneau +pigeonpox +pigeonry +pigeons +pigeontail +pigeonweed +pigeonwing +pigeonwood +pigface +pigfish +pigfishes +pigflower +pigfoot +pigful +pigg +pigged +piggery +piggeries +piggy +piggyback +piggybacked +piggybacking +piggybacks +piggie +piggier +piggies +piggiest +piggin +pigging +piggins +piggish +piggishly +piggishness +piggle +pighead +pigheaded +pigheadedly +pigheadedness +pigherd +pight +pightel +pightle +pigyard +pygidia +pygidial +pygidid +pygididae +pygidium +pygigidia +pigless +piglet +piglets +pigly +piglike +pigling +piglinghood +pygmaean +pigmaker +pigmaking +pygmalion +pygmalionism +pigman +pygmean +pigmeat +pigment +pigmental +pigmentally +pigmentary +pigmentation +pigmentations +pigmented +pigmenting +pigmentize +pigmentolysis +pigmentophage +pigmentose +pigments +pigmew +pigmy +pygmy +pygmydom +pigmies +pygmies +pygmyhood +pygmyish +pygmyism +pygmyisms +pygmyship +pygmyweed +pygmoid +pignet +pignolia +pignon +pignora +pignorate +pignorated +pignoration +pignoratitious +pignorative +pignus +pignut +pignuts +pygobranchia +pygobranchiata +pygobranchiate +pygofer +pygopagus +pygopod +pygopodes +pygopodidae +pygopodine +pygopodous +pygopus +pygostyle +pygostyled +pygostylous +pigpen +pigpens +pigritia +pigritude +pigroot +pigroots +pigs +pigsconce +pigskin +pigskins +pigsney +pigsneys +pigsnies +pigsty +pigstick +pigsticked +pigsticker +pigsticking +pigsticks +pigsties +pigswill +pigtail +pigtailed +pigtails +pigwash +pigweabbits +pigweed +pigweeds +pigwidgeon +pigwidgin +pigwigeon +pyic +pyin +piing +pyins +piitis +pyjama +pyjamaed +pyjamas +pik +pika +pikake +pikakes +pikas +pike +pyke +pikeblenny +pikeblennies +piked +pikey +pikel +pikelet +pikelike +pikeman +pikemen +pikemonger +pikeperch +pikeperches +piker +pikers +pikes +pikestaff +pikestaves +piketail +piki +piky +piking +pikle +pyknatom +pyknic +pyknics +pyknotic +pil +pyla +pylades +pilaf +pilaff +pilaffs +pilafs +pilage +pylagore +pilandite +pylangial +pylangium +pilapil +pilar +pylar +pilary +pilaster +pilastered +pilastering +pilasters +pilastrade +pilastraded +pilastric +pilate +pilatian +pilau +pilaued +pilaus +pilaw +pilaws +pilch +pilchard +pilchards +pilcher +pilcherd +pilcorn +pilcrow +pile +pilea +pileata +pileate +pileated +piled +pilei +pileiform +pileless +pileolated +pileoli +pileolus +pileorhiza +pileorhize +pileous +pylephlebitic +pylephlebitis +piler +pilers +piles +pylethrombophlebitis +pylethrombosis +pileum +pileup +pileups +pileus +pileweed +pilework +pileworm +pilewort +pileworts +pilfer +pilferage +pilfered +pilferer +pilferers +pilfery +pilfering +pilferingly +pilferment +pilfers +pilfre +pilgarlic +pilgarlicky +pilger +pilgrim +pilgrimage +pilgrimaged +pilgrimager +pilgrimages +pilgrimaging +pilgrimatic +pilgrimatical +pilgrimdom +pilgrimer +pilgrimess +pilgrimism +pilgrimize +pilgrimlike +pilgrims +pilgrimwise +pili +pily +pylic +pilidium +pilies +pilifer +piliferous +piliform +piligan +piliganin +piliganine +piligerous +pilikai +pilikia +pililloo +pilimiction +pilin +piline +piling +pilings +pilipilula +pilis +pilitico +pilkins +pill +pillage +pillageable +pillaged +pillagee +pillager +pillagers +pillages +pillaging +pillar +pillared +pillaret +pillary +pillaring +pillarist +pillarize +pillarlet +pillarlike +pillars +pillarwise +pillas +pillbox +pillboxes +pilled +pilledness +piller +pillery +pillet +pilleus +pillhead +pillicock +pilling +pillion +pillions +pilliver +pilliwinks +pillmaker +pillmaking +pillmonger +pillory +pilloried +pillories +pillorying +pillorization +pillorize +pillow +pillowbeer +pillowber +pillowbere +pillowcase +pillowcases +pillowed +pillowy +pillowing +pillowless +pillowlike +pillowmade +pillows +pillowslip +pillowslips +pillowwork +pills +pillular +pillule +pillworm +pillwort +pilm +pilmy +pilobolus +pilocarpidine +pilocarpin +pilocarpine +pilocarpus +pilocereus +pilocystic +piloerection +pilomotor +pilon +pylon +piloncillo +pilonidal +pylons +pyloralgia +pylorectomy +pylorectomies +pilori +pylori +pyloric +pyloristenosis +pyloritis +pylorocleisis +pylorodilator +pylorogastrectomy +pyloroplasty +pyloroptosis +pyloroschesis +pyloroscirrhus +pyloroscopy +pylorospasm +pylorostenosis +pylorostomy +pylorous +pylorouses +pylorus +pyloruses +pilose +pilosebaceous +pilosin +pilosine +pilosis +pilosism +pilosity +pilosities +pilot +pilotage +pilotages +pilotaxitic +piloted +pilotee +pilotfish +pilotfishes +pilothouse +pilothouses +piloti +piloting +pilotings +pilotism +pilotless +pilotman +pilotry +pilots +pilotship +pilotweed +pilous +pilpai +pilpay +pilpul +pilpulist +pilpulistic +pilsener +pilseners +pilsner +pilsners +piltock +pilula +pilular +pilularia +pilule +pilules +pilulist +pilulous +pilum +pilumnus +pilus +pilusli +pilwillet +pim +pima +piman +pimaric +pimas +pimbina +pimelate +pimelea +pimelic +pimelite +pimelitis +piment +pimenta +pimentel +pimento +pimenton +pimentos +pimgenet +pimienta +pimiento +pimientos +pimlico +pimola +pimp +pimped +pimpery +pimperlimpimp +pimpernel +pimpernels +pimpinella +pimping +pimpish +pimpla +pimple +pimpleback +pimpled +pimpleproof +pimples +pimply +pimplier +pimpliest +pimplinae +pimpliness +pimpling +pimplo +pimploe +pimplous +pimps +pimpship +pin +pina +pinabete +pinaceae +pinaceous +pinaces +pinachrome +pinacyanol +pinacle +pinacoceras +pinacoceratidae +pinacocytal +pinacocyte +pinacoid +pinacoidal +pinacol +pinacolate +pinacolic +pinacolin +pinacoline +pinacone +pinacoteca +pinacotheca +pinaculum +pinafore +pinafores +pinayusa +pinakiolite +pinakoid +pinakoidal +pinakotheke +pinal +pinaleno +pinales +pinang +pinangs +pinard +pinards +pinas +pinaster +pinasters +pinata +pinatas +pinatype +pinaverdol +pinax +pinball +pinballs +pinbefore +pinbone +pinbones +pinbrain +pinbush +pincase +pincement +pincer +pincerlike +pincers +pincerweed +pincette +pinch +pinchable +pinchback +pinchbeck +pinchbelly +pinchbottle +pinchbug +pinchbugs +pinchcock +pinchcommons +pinchcrust +pinche +pincheck +pinchecks +pinched +pinchedly +pinchedness +pinchem +pincher +pinchers +pinches +pinchfist +pinchfisted +pinchgut +pinching +pinchingly +pinchpenny +pincian +pinckneya +pincoffin +pincpinc +pinctada +pincushion +pincushiony +pincushions +pind +pinda +pindal +pindari +pindaric +pindarical +pindarically +pindarics +pindarism +pindarist +pindarize +pindarus +pinder +pinders +pindy +pindjajap +pindling +pine +pineal +pinealectomy +pinealism +pinealoma +pineapple +pineapples +pinebank +pinecone +pinecones +pined +pinedrops +piney +pineland +pinelike +pinene +pinenes +piner +pinery +pineries +pines +pinesap +pinesaps +pineta +pinetum +pineweed +pinewood +pinewoods +pinfall +pinfeather +pinfeathered +pinfeatherer +pinfeathery +pinfeathers +pinfire +pinfish +pinfishes +pinfold +pinfolded +pinfolding +pinfolds +ping +pinge +pinged +pinger +pingers +pinging +pingle +pingler +pingo +pingos +pingrass +pingrasses +pings +pingster +pingue +pinguecula +pinguedinous +pinguefaction +pinguefy +pinguescence +pinguescent +pinguicula +pinguiculaceae +pinguiculaceous +pinguid +pinguidity +pinguiferous +pinguin +pinguinitescent +pinguite +pinguitude +pinguitudinous +pinhead +pinheaded +pinheadedness +pinheads +pinhold +pinhole +pinholes +pinhook +piny +pinic +pinicoline +pinicolous +pinier +piniest +piniferous +piniform +pinyin +pinyl +pining +piningly +pinings +pinion +pinyon +pinioned +pinioning +pinionless +pinionlike +pinions +pinyons +pinipicrin +pinitannic +pinite +pinites +pinitol +pinivorous +pinjane +pinjra +pink +pinkany +pinkberry +pinked +pinkeen +pinkey +pinkeye +pinkeyes +pinkeys +pinken +pinkeny +pinker +pinkerton +pinkertonism +pinkest +pinkfish +pinkfishes +pinky +pinkie +pinkies +pinkify +pinkified +pinkifying +pinkily +pinkiness +pinking +pinkings +pinkish +pinkishness +pinkly +pinkness +pinknesses +pinko +pinkoes +pinkos +pinkroot +pinkroots +pinks +pinksome +pinkster +pinkweed +pinkwood +pinkwort +pinless +pinlock +pinmaker +pinmaking +pinman +pinna +pinnace +pinnaces +pinnacle +pinnacled +pinnacles +pinnaclet +pinnacling +pinnae +pinnage +pinnaglobin +pinnal +pinnas +pinnate +pinnated +pinnatedly +pinnately +pinnatifid +pinnatifidly +pinnatilobate +pinnatilobed +pinnation +pinnatipartite +pinnatiped +pinnatisect +pinnatisected +pinnatodentate +pinnatopectinate +pinnatulate +pinned +pinnel +pinner +pinners +pinnet +pinny +pinnidae +pinniferous +pinniform +pinnigerous +pinnigrada +pinnigrade +pinninervate +pinninerved +pinning +pinningly +pinnings +pinniped +pinnipedia +pinnipedian +pinnipeds +pinnisect +pinnisected +pinnitarsal +pinnitentaculate +pinniwinkis +pinnywinkle +pinnywinkles +pinnock +pinnoite +pinnotere +pinnothere +pinnotheres +pinnotherian +pinnotheridae +pinnula +pinnulae +pinnular +pinnulate +pinnulated +pinnule +pinnules +pinnulet +pino +pinocchio +pinochle +pinochles +pinocytosis +pinocytotic +pinocytotically +pinocle +pinocles +pinole +pinoles +pinoleum +pinolia +pinolin +pinon +pinones +pinonic +pinons +pinot +pynot +pinoutpinpatch +pinpillow +pinpoint +pinpointed +pinpointing +pinpoints +pinprick +pinpricked +pinpricking +pinpricks +pinproof +pinrail +pinrowed +pins +pinscher +pinschers +pinsetter +pinsetters +pinson +pinsons +pinspotter +pinspotters +pinstripe +pinstriped +pinstripes +pint +pinta +pintada +pintadas +pintadera +pintado +pintadoes +pintadoite +pintados +pintail +pintails +pintano +pintanos +pintas +pinte +pintid +pintle +pintles +pinto +pintoes +pintos +pints +pintsize +pintura +pinuela +pinulus +pynung +pinup +pinups +pinus +pinwale +pinwales +pinweed +pinweeds +pinwheel +pinwheels +pinwing +pinwork +pinworks +pinworm +pinworms +pinx +pinxit +pinxter +pyobacillosis +pyocele +pyocyanase +pyocyanin +pyocyst +pyocyte +pyoctanin +pyoctanine +pyoderma +pyodermas +pyodermatitis +pyodermatosis +pyodermia +pyodermic +pyogenesis +pyogenetic +pyogenic +pyogenin +pyogenous +pyohemothorax +pyoid +pyolabyrinthitis +piolet +piolets +pyolymph +pyometra +pyometritis +pion +pioned +pioneer +pioneerdom +pioneered +pioneering +pioneers +pioneership +pyonephritis +pyonephrosis +pyonephrotic +pionery +pyongyang +pionic +pionnotes +pions +pyopericarditis +pyopericardium +pyoperitoneum +pyoperitonitis +pyophagia +pyophylactic +pyophthalmia +pyophthalmitis +pyoplania +pyopneumocholecystitis +pyopneumocyst +pyopneumopericardium +pyopneumoperitoneum +pyopneumoperitonitis +pyopneumothorax +pyopoiesis +pyopoietic +pyoptysis +pyorrhea +pyorrheal +pyorrheas +pyorrheic +pyorrhoea +pyorrhoeal +pyorrhoeic +pyosalpingitis +pyosalpinx +pioscope +pyosepticemia +pyosepticemic +pyoses +pyosis +piosity +piosities +pyospermia +pioted +pyotherapy +pyothorax +piotine +pyotoxinemia +piotr +piotty +pioupiou +pyoureter +pioury +pious +piously +piousness +pyovesiculosis +pyoxanthose +pioxe +pip +pipa +pipage +pipages +pipal +pipals +pipe +pipeage +pipeages +pipeclay +pipecolin +pipecoline +pipecolinic +piped +pipedream +pipefish +pipefishes +pipefitter +pipefitting +pipeful +pipefuls +pipey +pipelayer +pipelaying +pipeless +pipelike +pipeline +pipelined +pipelines +pipelining +pipeman +pipemouth +piper +piperaceae +piperaceous +piperales +piperate +piperazin +piperazine +pipery +piperic +piperide +piperideine +piperidge +piperidid +piperidide +piperidin +piperidine +piperylene +piperine +piperines +piperitious +piperitone +piperly +piperno +piperocaine +piperoid +piperonal +piperonyl +pipers +pipes +pipestapple +pipestem +pipestems +pipestone +pipet +pipets +pipette +pipetted +pipettes +pipetting +pipewalker +pipewood +pipework +pipewort +pipi +pipy +pipid +pipidae +pipier +pipiest +pipikaula +pipil +pipile +pipilo +piping +pipingly +pipingness +pipings +pipiri +pipistrel +pipistrelle +pipistrellus +pipit +pipits +pipkin +pipkinet +pipkins +pipless +pipped +pippen +pipper +pipperidge +pippy +pippier +pippiest +pippin +pippiner +pippinface +pipping +pippins +pipple +pipra +pipridae +piprinae +piprine +piproid +pips +pipsissewa +pipsqueak +pipsqueaks +piptadenia +piptomeris +piptonychia +pipunculid +pipunculidae +piqu +piquable +piquance +piquancy +piquancies +piquant +piquantly +piquantness +pique +piqued +piquero +piques +piquet +piquets +piquette +piqueur +piquia +piquiere +piquing +piqure +pir +pyr +pyracanth +pyracantha +pyraceae +pyracene +piracy +piracies +pyragravure +piragua +piraguas +piraya +pirayas +pyral +pyrales +pyralid +pyralidae +pyralidan +pyralidid +pyralididae +pyralidiform +pyralidoidea +pyralids +pyralis +pyraloid +pyrameis +pyramid +pyramidaire +pyramidal +pyramidale +pyramidalis +pyramidalism +pyramidalist +pyramidally +pyramidate +pyramided +pyramidella +pyramidellid +pyramidellidae +pyramider +pyramides +pyramidia +pyramidic +pyramidical +pyramidically +pyramidicalness +pyramiding +pyramidion +pyramidist +pyramidize +pyramidlike +pyramidoattenuate +pyramidoid +pyramidoidal +pyramidologist +pyramidon +pyramidoprismatic +pyramids +pyramidwise +pyramimidia +pyramoid +pyramoidal +pyramus +pyran +pirana +piranas +pirandellian +piranga +piranha +piranhas +pyranyl +pyranoid +pyranometer +pyranose +pyranoses +pyranoside +pyrans +pyrargyrite +pirarucu +pirarucus +pirate +pirated +piratelike +piratery +pirates +piratess +piraty +piratic +piratical +piratically +pirating +piratism +piratize +piratry +pyrausta +pyraustinae +pyrazin +pyrazine +pyrazole +pyrazolyl +pyrazoline +pyrazolone +pyre +pyrectic +pyrena +pirene +pyrene +pyrenean +pyrenees +pyrenematous +pyrenes +pyrenic +pyrenin +pyrenocarp +pyrenocarpic +pyrenocarpous +pyrenochaeta +pyrenodean +pyrenodeine +pyrenodeous +pyrenoid +pyrenoids +pyrenolichen +pyrenomycetales +pyrenomycete +pyrenomycetes +pyrenomycetineae +pyrenomycetous +pyrenopeziza +pyres +pyrethrin +pyrethrine +pyrethroid +pyrethrum +pyretic +pyreticosis +pyretogenesis +pyretogenetic +pyretogenic +pyretogenous +pyretography +pyretolysis +pyretology +pyretologist +pyretotherapy +pyrewinkes +pyrex +pyrexia +pyrexial +pyrexias +pyrexic +pyrexical +pyrgeometer +pyrgocephaly +pyrgocephalic +pyrgoidal +pyrgologist +pyrgom +pyrheliometer +pyrheliometry +pyrheliometric +pyrheliophor +pyribole +pyric +piricularia +pyridazine +pyridic +pyridyl +pyridine +pyridines +pyridinium +pyridinize +pyridone +pyridoxal +pyridoxamine +pyridoxin +pyridoxine +pyriform +piriformes +piriformis +pyriformis +pirijiri +pyrylium +pyrimethamine +pyrimidyl +pyrimidin +pyrimidine +piripiri +piririgua +pyritaceous +pyrite +pyrites +pyritic +pyritical +pyritiferous +pyritization +pyritize +pyritohedral +pyritohedron +pyritoid +pyritology +pyritous +pirl +pirlie +pirn +pirned +pirner +pirny +pirnie +pirns +piro +pyro +pyroacetic +pyroacid +pyroantimonate +pyroantimonic +pyroarsenate +pyroarsenic +pyroarsenious +pyroarsenite +pyroballogy +pyrobelonite +pyrobi +pyrobitumen +pyrobituminous +pyroborate +pyroboric +pyrocatechin +pyrocatechinol +pyrocatechol +pyrocatechuic +pyrocellulose +pyrochemical +pyrochemically +pyrochlore +pyrochromate +pyrochromic +pyrocinchonic +pyrocystis +pyrocitric +pyroclastic +pyrocoll +pyrocollodion +pyrocomenic +pyrocondensation +pyroconductivity +pyrocotton +pyrocrystalline +pyrodine +pyroelectric +pyroelectricity +pirog +pyrogallate +pyrogallic +pyrogallol +pirogen +pyrogen +pyrogenation +pyrogenesia +pyrogenesis +pyrogenetic +pyrogenetically +pyrogenic +pyrogenicity +pyrogenous +pyrogens +pyrogentic +piroghi +pirogi +pyroglazer +pyroglutamic +pyrognomic +pyrognostic +pyrognostics +pyrograph +pyrographer +pyrography +pyrographic +pyrographies +pyrogravure +pyroguaiacin +pirogue +pirogues +pyroheliometer +pyroid +pirojki +pirol +pyrola +pyrolaceae +pyrolaceous +pyrolas +pyrolater +pyrolatry +pyroligneous +pyrolignic +pyrolignite +pyrolignous +pyroline +pyrolysate +pyrolyse +pyrolysis +pyrolite +pyrolytic +pyrolytically +pyrolyzable +pyrolyzate +pyrolyze +pyrolyzed +pyrolyzer +pyrolyzes +pyrolyzing +pyrollogical +pyrology +pyrological +pyrologies +pyrologist +pyrolusite +pyromachy +pyromagnetic +pyromancer +pyromancy +pyromania +pyromaniac +pyromaniacal +pyromaniacs +pyromantic +pyromeconic +pyromellitic +pyrometallurgy +pyrometallurgical +pyrometamorphic +pyrometamorphism +pyrometer +pyrometers +pyrometry +pyrometric +pyrometrical +pyrometrically +pyromorphidae +pyromorphism +pyromorphite +pyromorphous +pyromotor +pyromucate +pyromucic +pyromucyl +pyronaphtha +pyrone +pyronema +pyrones +pyronine +pyronines +pyroninophilic +pyronyxis +pyronomics +piroot +pyrope +pyropen +pyropes +pyrophanite +pyrophanous +pyrophile +pyrophilia +pyrophyllite +pyrophilous +pyrophysalite +pyrophobia +pyrophone +pyrophoric +pyrophorous +pyrophorus +pyrophosphate +pyrophosphatic +pyrophosphoric +pyrophosphorous +pyrophotograph +pyrophotography +pyrophotometer +piroplasm +piroplasma +piroplasmata +piroplasmic +piroplasmosis +piroplasms +pyropuncture +pyropus +piroque +piroques +pyroracemate +pyroracemic +pyroscope +pyroscopy +piroshki +pyrosis +pyrosises +pyrosmalite +pyrosoma +pyrosomatidae +pyrosome +pyrosomidae +pyrosomoid +pyrosphere +pyrostat +pyrostats +pyrostereotype +pyrostilpnite +pyrosulfate +pyrosulfuric +pyrosulphate +pyrosulphite +pyrosulphuric +pyrosulphuryl +pirot +pyrotantalate +pyrotartaric +pyrotartrate +pyrotechny +pyrotechnian +pyrotechnic +pyrotechnical +pyrotechnically +pyrotechnician +pyrotechnics +pyrotechnist +pyroterebic +pyrotheology +pyrotheria +pyrotherium +pyrotic +pyrotoxin +pyrotritaric +pyrotritartric +pirouette +pirouetted +pirouetter +pirouettes +pirouetting +pirouettist +pyrouric +pyrovanadate +pyrovanadic +pyroxanthin +pyroxene +pyroxenes +pyroxenic +pyroxenite +pyroxenitic +pyroxenoid +pyroxyle +pyroxylene +pyroxylic +pyroxylin +pyroxyline +pyroxmangite +pyroxonium +pirozhki +pirozhok +pirquetted +pirquetter +pirr +pirraura +pirrauru +pyrrha +pyrrhic +pyrrhichian +pyrrhichius +pyrrhicist +pyrrhics +pyrrhocoridae +pyrrhonean +pyrrhonian +pyrrhonic +pyrrhonism +pyrrhonist +pyrrhonistic +pyrrhonize +pyrrhotine +pyrrhotism +pyrrhotist +pyrrhotite +pyrrhous +pyrrhuloxia +pyrrhus +pirrie +pyrryl +pyrrylene +pirrmaw +pyrrodiazole +pyrroyl +pyrrol +pyrrole +pyrroles +pyrrolic +pyrrolidyl +pyrrolidine +pyrrolidone +pyrrolylene +pyrroline +pyrrols +pyrrophyllin +pyrroporphyrin +pyrrotriazole +pirssonite +pyrula +pyrularia +pyruline +pyruloid +pyrus +pyruvaldehyde +pyruvate +pyruvates +pyruvic +pyruvil +pyruvyl +pyruwl +pis +pisa +pisaca +pisacha +pisachee +pisachi +pisay +pisan +pisang +pisanite +pisauridae +piscary +piscaries +piscataqua +piscataway +piscation +piscatology +piscator +piscatory +piscatorial +piscatorialist +piscatorially +piscatorian +piscatorious +piscators +pisces +piscian +piscicapture +piscicapturist +piscicide +piscicolous +piscicultural +pisciculturally +pisciculture +pisciculturist +piscid +piscidia +piscifauna +pisciferous +pisciform +piscina +piscinae +piscinal +piscinas +piscine +piscinity +piscioid +piscis +piscivorous +pisco +pise +pisgah +pish +pishaug +pished +pishes +pishing +pishogue +pishpash +pishposh +pishquow +pishu +pisidium +pisiform +pisiforms +pisistance +pisistratean +pisistratidae +pisk +pisky +piskun +pismire +pismires +pismirism +piso +pisolite +pisolites +pisolitic +pisonia +pisote +piss +pissabed +pissant +pissants +pissasphalt +pissed +pisses +pissing +pissodes +pissoir +pissoirs +pist +pistache +pistaches +pistachio +pistachios +pistacia +pistacite +pistareen +piste +pisteology +pistia +pistic +pistick +pistil +pistillaceous +pistillar +pistillary +pistillate +pistillid +pistillidium +pistilliferous +pistilliform +pistilligerous +pistilline +pistillode +pistillody +pistilloid +pistilogy +pistils +pistiology +pistle +pistler +pistoiese +pistol +pistolade +pistole +pistoled +pistoleer +pistoles +pistolet +pistoleter +pistoletier +pistolgram +pistolgraph +pistolier +pistoling +pistolled +pistollike +pistolling +pistology +pistolography +pistolproof +pistols +pistolwise +piston +pistonhead +pistonlike +pistons +pistrices +pistrix +pisum +pit +pita +pitahaya +pitahauerat +pitahauirata +pitaya +pitayita +pitanga +pitangua +pitapat +pitapatation +pitapats +pitapatted +pitapatting +pitarah +pitas +pitastile +pitau +pitawas +pitbird +pitcairnia +pitch +pitchable +pitchblende +pitched +pitcher +pitchered +pitcherful +pitcherfuls +pitchery +pitcherlike +pitcherman +pitchers +pitches +pitchfield +pitchfork +pitchforks +pitchhole +pitchi +pitchy +pitchier +pitchiest +pitchily +pitchiness +pitching +pitchlike +pitchman +pitchmen +pitchometer +pitchout +pitchouts +pitchpike +pitchpole +pitchpoll +pitchpot +pitchstone +pitchwork +piteira +piteous +piteously +piteousness +pitfall +pitfalls +pitfold +pith +pythagoras +pythagorean +pythagoreanism +pythagoreanize +pythagoreanly +pythagoreans +pythagoric +pythagorical +pythagorically +pythagorism +pythagorist +pythagorize +pythagorizer +pithanology +pithead +pitheads +pithecan +pithecanthrope +pithecanthropi +pithecanthropic +pithecanthropid +pithecanthropidae +pithecanthropine +pithecanthropoid +pithecanthropus +pithecia +pithecian +pitheciinae +pitheciine +pithecism +pithecoid +pithecolobium +pithecology +pithecological +pithecometric +pithecomorphic +pithecomorphism +pithecus +pithed +pithes +pithful +pithy +pythia +pythiaceae +pythiacystis +pythiad +pythiambic +pythian +pythias +pythic +pithier +pithiest +pithily +pithiness +pithing +pythios +pythium +pythius +pithless +pithlessly +pithoegia +pythogenesis +pythogenetic +pythogenic +pythogenous +pithoi +pithoigia +pithole +python +pythoness +pythonic +pythonical +pythonid +pythonidae +pythoniform +pythoninae +pythonine +pythonism +pythonissa +pythonist +pythonize +pythonoid +pythonomorph +pythonomorpha +pythonomorphic +pythonomorphous +pythons +pithos +piths +pithsome +pithwork +pity +pitiability +pitiable +pitiableness +pitiably +pitied +pitiedly +pitiedness +pitier +pitiers +pities +pitiful +pitifuller +pitifullest +pitifully +pitifulness +pitying +pityingly +pitikins +pitiless +pitilessly +pitilessness +pitylus +pityocampa +pityocampe +pityproof +pityriasic +pityriasis +pityrogramma +pityroid +pitirri +pitless +pitlike +pitmaker +pitmaking +pitman +pitmans +pitmark +pitmen +pitmenpitmirk +pitmirk +pitocin +pitometer +pitomie +piton +pitons +pitpan +pitpit +pitprop +pitressin +pitris +pits +pitsaw +pitsaws +pitside +pitta +pittacal +pittance +pittancer +pittances +pittard +pitted +pitter +pitticite +pittidae +pittine +pitting +pittings +pittism +pittite +pittoid +pittosporaceae +pittosporaceous +pittospore +pittosporum +pittsburgher +pituicyte +pituita +pituital +pituitary +pituitaries +pituite +pituitous +pituitousness +pituitrin +pituri +pitwood +pitwork +pitwright +piu +piupiu +piuri +pyuria +pyurias +piuricapsular +pius +piute +pivalic +pivot +pivotable +pivotal +pivotally +pivoted +pivoter +pivoting +pivotman +pivots +pyvuril +piwut +pix +pyx +pixel +pixels +pixes +pyxes +pixy +pyxidanthera +pyxidate +pyxides +pyxidia +pyxidium +pixie +pyxie +pixieish +pixies +pyxies +pixyish +pixilated +pixilation +pixiness +pixinesses +pyxis +pizaine +pizazz +pizazzes +pize +pizz +pizza +pizzas +pizzazz +pizzazzes +pizzeria +pizzerias +pizzicato +pizzle +pizzles +pk +pkg +pkgs +pks +pkt +pkwy +pl +placability +placabilty +placable +placableness +placably +placaean +placage +placard +placarded +placardeer +placarder +placarders +placarding +placards +placate +placated +placater +placaters +placates +placating +placation +placative +placatively +placatory +placcate +place +placeable +placean +placebo +placeboes +placebos +placed +placeful +placeholder +placekick +placekicker +placeless +placelessly +placemaker +placemaking +placeman +placemanship +placemen +placement +placements +placemonger +placemongering +placent +placenta +placentae +placental +placentalia +placentalian +placentary +placentas +placentate +placentation +placentiferous +placentiform +placentigerous +placentitis +placentography +placentoid +placentoma +placentomata +placer +placers +places +placet +placets +placewoman +placid +placidamente +placidity +placidly +placidness +placing +placit +placitum +plack +plackart +placket +plackets +plackless +placks +placochromatic +placode +placoderm +placodermal +placodermatous +placodermi +placodermoid +placodont +placodontia +placodus +placoganoid +placoganoidean +placoganoidei +placoid +placoidal +placoidean +placoidei +placoides +placoids +placophora +placophoran +placoplast +placque +placula +placuntitis +placuntoma +placus +pladaroma +pladarosis +plafond +plafonds +plaga +plagae +plagal +plagate +plage +plages +plagianthus +plagiaplite +plagiary +plagiarical +plagiaries +plagiarise +plagiarised +plagiariser +plagiarising +plagiarism +plagiarisms +plagiarist +plagiaristic +plagiaristically +plagiarists +plagiarization +plagiarize +plagiarized +plagiarizer +plagiarizers +plagiarizes +plagiarizing +plagihedral +plagiocephaly +plagiocephalic +plagiocephalism +plagiocephalous +plagiochila +plagioclase +plagioclasite +plagioclastic +plagioclimax +plagioclinal +plagiodont +plagiograph +plagioliparite +plagionite +plagiopatagium +plagiophyre +plagiostomata +plagiostomatous +plagiostome +plagiostomi +plagiostomous +plagiotropic +plagiotropically +plagiotropism +plagiotropous +plagium +plagose +plagosity +plague +plagued +plagueful +plaguey +plagueless +plagueproof +plaguer +plaguers +plagues +plaguesome +plaguesomeness +plaguy +plaguily +plaguing +plagula +play +playa +playability +playable +playact +playacted +playacting +playactor +playacts +playas +playback +playbacks +playbill +playbills +playboy +playboyism +playboys +playbook +playbooks +playbox +playbroker +plaice +plaices +playclothes +playcraft +playcraftsman +plaid +playday +playdays +plaided +plaidy +plaidie +plaiding +plaidman +plaidoyer +playdown +playdowns +plaids +played +player +playerdom +playeress +players +playfellow +playfellows +playfellowship +playfere +playfield +playfolk +playful +playfully +playfulness +playgirl +playgirls +playgoer +playgoers +playgoing +playground +playgrounds +playhouse +playhouses +playing +playingly +playland +playlands +playless +playlet +playlets +playlike +playmaker +playmaking +playman +playmare +playmate +playmates +playmonger +playmongering +plain +plainback +plainbacks +plainchant +plainclothes +plainclothesman +plainclothesmen +plained +plainer +plainest +plainfield +plainful +plainhearted +plainy +plaining +plainish +plainly +plainness +plains +plainscraft +plainsfolk +plainsman +plainsmen +plainsoled +plainsong +plainspoken +plainspokenness +plainstanes +plainstones +plainswoman +plainswomen +plaint +plaintail +plaintext +plaintexts +plaintful +plaintiff +plaintiffs +plaintiffship +plaintile +plaintive +plaintively +plaintiveness +plaintless +plaints +plainward +playock +playoff +playoffs +playpen +playpens +playreader +playroom +playrooms +plays +plaisance +plaisanterie +playschool +playscript +playsome +playsomely +playsomeness +playstead +plaister +plaistered +plaistering +plaisters +playstow +playsuit +playsuits +plait +playte +plaited +plaiter +plaiters +plaything +playthings +playtime +playtimes +plaiting +plaitings +plaitless +plaits +plaitwork +playward +playwear +playwears +playwoman +playwomen +playwork +playwright +playwrightess +playwrighting +playwrightry +playwrights +playwriter +playwriting +plak +plakat +plan +planable +planaea +planar +planaria +planarian +planarias +planarida +planaridan +planariform +planarioid +planarity +planaru +planate +planation +planceer +plancer +planch +planche +plancheite +plancher +planches +planchet +planchets +planchette +planching +planchment +plancier +planckian +planctus +plandok +plane +planed +planeload +planeness +planer +planera +planers +planes +planeshear +planet +planeta +planetable +planetabler +planetal +planetary +planetaria +planetarian +planetaries +planetarily +planetarium +planetariums +planeted +planetesimal +planetesimals +planetfall +planetic +planeticose +planeting +planetist +planetkin +planetless +planetlike +planetogeny +planetography +planetoid +planetoidal +planetoids +planetology +planetologic +planetological +planetologist +planetologists +planets +planettaria +planetule +planform +planforms +planful +planfully +planfulness +plang +plangency +plangent +plangently +plangents +plangi +plangor +plangorous +planicaudate +planicipital +planidorsate +planifolious +planiform +planigram +planigraph +planigraphy +planilla +planimeter +planimetry +planimetric +planimetrical +planineter +planing +planipennate +planipennia +planipennine +planipetalous +planiphyllous +planirostal +planirostral +planirostrate +planiscope +planiscopic +planish +planished +planisher +planishes +planishing +planispheral +planisphere +planispheric +planispherical +planispiral +planity +plank +plankage +plankbuilt +planked +planker +planky +planking +plankings +plankless +planklike +planks +planksheer +plankter +plankters +planktology +planktologist +plankton +planktonic +planktons +planktont +plankways +plankwise +planless +planlessly +planlessness +planned +planner +planners +planning +plannings +planoblast +planoblastic +planocylindric +planococcus +planoconcave +planoconical +planoconvex +planoferrite +planogamete +planograph +planography +planographic +planographically +planographist +planohorizontal +planolindrical +planometer +planometry +planomiller +planont +planoorbicular +planorbidae +planorbiform +planorbine +planorbis +planorboid +planorotund +planosarcina +planosol +planosols +planosome +planospiral +planospore +planosubulate +plans +plansheer +plant +planta +plantable +plantad +plantae +plantage +plantagenet +plantaginaceae +plantaginaceous +plantaginales +plantagineous +plantago +plantain +plantains +plantal +plantano +plantar +plantaris +plantarium +plantation +plantationlike +plantations +plantator +plantdom +planted +planter +planterdom +planterly +planters +plantership +plantigrada +plantigrade +plantigrady +planting +plantings +plantivorous +plantless +plantlet +plantlike +plantling +plantocracy +plants +plantsman +plantula +plantulae +plantular +plantule +planula +planulae +planulan +planular +planulate +planuliform +planuloid +planuloidea +planum +planury +planuria +planxty +plap +plappert +plaque +plaques +plaquette +plash +plashed +plasher +plashers +plashes +plashet +plashy +plashier +plashiest +plashing +plashingly +plashment +plasm +plasma +plasmacyte +plasmacytoma +plasmagel +plasmagene +plasmagenic +plasmalemma +plasmalogen +plasmaphaeresis +plasmaphereses +plasmapheresis +plasmaphoresisis +plasmas +plasmase +plasmasol +plasmatic +plasmatical +plasmation +plasmatoparous +plasmatorrhexis +plasmic +plasmid +plasmids +plasmin +plasminogen +plasmins +plasmochin +plasmocyte +plasmocytoma +plasmode +plasmodesm +plasmodesma +plasmodesmal +plasmodesmata +plasmodesmic +plasmodesmus +plasmodia +plasmodial +plasmodiate +plasmodic +plasmodiocarp +plasmodiocarpous +plasmodiophora +plasmodiophoraceae +plasmodiophorales +plasmodium +plasmogamy +plasmogen +plasmogeny +plasmoid +plasmoids +plasmolyse +plasmolysis +plasmolytic +plasmolytically +plasmolyzability +plasmolyzable +plasmolyze +plasmology +plasmoma +plasmomata +plasmon +plasmons +plasmopara +plasmophagy +plasmophagous +plasmoptysis +plasmoquin +plasmoquine +plasmosoma +plasmosomata +plasmosome +plasmotomy +plasms +plasome +plass +plasson +plastein +plaster +plasterbill +plasterboard +plastered +plasterer +plasterers +plastery +plasteriness +plastering +plasterlike +plasters +plasterwise +plasterwork +plastic +plastically +plasticimeter +plasticine +plasticisation +plasticise +plasticised +plasticising +plasticism +plasticity +plasticization +plasticize +plasticized +plasticizer +plasticizes +plasticizing +plasticly +plastics +plastid +plastidial +plastidium +plastidome +plastidozoa +plastids +plastidular +plastidule +plastify +plastin +plastinoid +plastique +plastiqueur +plastiqueurs +plastisol +plastochondria +plastochron +plastochrone +plastodynamia +plastodynamic +plastogamy +plastogamic +plastogene +plastomer +plastomere +plastometer +plastometry +plastometric +plastosome +plastotype +plastral +plastron +plastrons +plastrum +plastrums +plat +plataean +platalea +plataleidae +plataleiform +plataleinae +plataleine +platan +platanaceae +platanaceous +platane +platanes +platanist +platanista +platanistidae +platanna +platano +platans +platanus +platband +platch +plate +platea +plateasm +plateau +plateaued +plateauing +plateaulith +plateaus +plateaux +plated +plateful +platefuls +plateholder +plateiasmus +platelayer +plateless +platelet +platelets +platelike +platemaker +platemaking +plateman +platemark +platemen +platen +platens +plater +platerer +plateresque +platery +platers +plates +platesful +plateway +platework +plateworker +platform +platformally +platformed +platformer +platformy +platformish +platformism +platformist +platformistic +platformless +platforms +plathelminth +platy +platybasic +platybrachycephalic +platybrachycephalous +platybregmatic +platic +platycarya +platycarpous +platycarpus +platycelian +platycelous +platycephaly +platycephalic +platycephalidae +platycephalism +platycephaloid +platycephalous +platycephalus +platycercinae +platycercine +platycercus +platycerium +platycheiria +platycyrtean +platicly +platycnemia +platycnemic +platycodon +platycoelian +platycoelous +platycoria +platycrania +platycranial +platyctenea +platydactyl +platydactyle +platydactylous +platydolichocephalic +platydolichocephalous +platie +platier +platies +platiest +platyfish +platyglossal +platyglossate +platyglossia +platyhelmia +platyhelminth +platyhelminthes +platyhelminthic +platyhieric +platykurtic +platykurtosis +platilla +platylobate +platymery +platymeria +platymeric +platymesaticephalic +platymesocephalic +platymeter +platymyoid +platina +platinamin +platinamine +platinammin +platinammine +platinas +platinate +platinated +platinating +platine +plating +platings +platinic +platinichloric +platinichloride +platiniferous +platiniridium +platinisation +platinise +platinised +platinising +platinite +platynite +platinization +platinize +platinized +platinizing +platinochloric +platinochloride +platinocyanic +platinocyanide +platinode +platinoid +platynotal +platinotype +platinotron +platinous +platinum +platinums +platinumsmith +platyodont +platyope +platyopia +platyopic +platypellic +platypetalous +platyphyllous +platypi +platypygous +platypod +platypoda +platypodia +platypodous +platyptera +platypus +platypuses +platyrhina +platyrhynchous +platyrhini +platyrrhin +platyrrhina +platyrrhine +platyrrhini +platyrrhiny +platyrrhinian +platyrrhinic +platyrrhinism +platys +platysma +platysmamyoides +platysmas +platysmata +platysomid +platysomidae +platysomus +platystaphyline +platystemon +platystencephaly +platystencephalia +platystencephalic +platystencephalism +platysternal +platysternidae +platystomidae +platystomous +platytrope +platytropy +platitude +platitudes +platitudinal +platitudinarian +platitudinarianism +platitudinisation +platitudinise +platitudinised +platitudiniser +platitudinising +platitudinism +platitudinist +platitudinization +platitudinize +platitudinized +platitudinizer +platitudinizing +platitudinous +platitudinously +platitudinousness +platly +plato +platoda +platode +platodes +platoid +platonesque +platonian +platonic +platonical +platonically +platonicalness +platonician +platonicism +platonism +platonist +platonistic +platonization +platonize +platonizer +platoon +platooned +platooning +platoons +platopic +platosamine +platosammine +plats +platt +plattdeutsch +platted +platteland +platten +platter +platterface +platterful +platters +platty +platting +plattnerite +platurous +plaud +plaudation +plaudit +plaudite +plauditor +plauditory +plaudits +plauenite +plausibility +plausible +plausibleness +plausibly +plausive +plaustral +plautine +plautus +plaza +plazas +plazolite +plbroch +plea +pleach +pleached +pleacher +pleaches +pleaching +plead +pleadable +pleadableness +pleaded +pleader +pleaders +pleading +pleadingly +pleadingness +pleadings +pleads +pleaproof +pleas +pleasable +pleasableness +pleasance +pleasant +pleasantable +pleasanter +pleasantest +pleasantish +pleasantly +pleasantness +pleasantry +pleasantries +pleasantsome +pleasaunce +please +pleased +pleasedly +pleasedness +pleaseman +pleasemen +pleaser +pleasers +pleases +pleaship +pleasing +pleasingly +pleasingness +pleasurability +pleasurable +pleasurableness +pleasurably +pleasure +pleasured +pleasureful +pleasurefulness +pleasurehood +pleasureless +pleasurelessly +pleasureman +pleasurement +pleasuremonger +pleasureproof +pleasurer +pleasures +pleasuring +pleasurist +pleasurous +pleat +pleated +pleater +pleaters +pleating +pleatless +pleats +pleb +plebby +plebe +plebeian +plebeiance +plebeianisation +plebeianise +plebeianised +plebeianising +plebeianism +plebeianization +plebeianize +plebeianized +plebeianizing +plebeianly +plebeianness +plebeians +plebeity +plebes +plebescite +plebian +plebianism +plebicolar +plebicolist +plebicolous +plebify +plebificate +plebification +plebiscitary +plebiscitarian +plebiscitarism +plebiscite +plebiscites +plebiscitic +plebiscitum +plebs +pleck +plecoptera +plecopteran +plecopterid +plecopterous +plecotinae +plecotine +plecotus +plectognath +plectognathi +plectognathic +plectognathous +plectopter +plectopteran +plectopterous +plectospondyl +plectospondyli +plectospondylous +plectra +plectre +plectridial +plectridium +plectron +plectrons +plectrontra +plectrum +plectrums +plectrumtra +pled +pledable +pledge +pledgeable +pledged +pledgee +pledgees +pledgeholder +pledgeless +pledgeor +pledgeors +pledger +pledgers +pledges +pledgeshop +pledget +pledgets +pledging +pledgor +pledgors +plegadis +plegaphonia +plegometer +pleiad +pleiades +pleiads +pleinairism +pleinairist +pleiobar +pleiocene +pleiochromia +pleiochromic +pleiomastia +pleiomazia +pleiomery +pleiomerous +pleion +pleione +pleionian +pleiophylly +pleiophyllous +pleiotaxy +pleiotaxis +pleiotropy +pleiotropic +pleiotropically +pleiotropism +pleis +pleistocene +pleistocenic +pleistoseist +plemyrameter +plemochoe +plena +plenary +plenarily +plenariness +plenarium +plenarty +pleny +plenicorn +pleniloquence +plenilunal +plenilunar +plenilunary +plenilune +plenipo +plenipotence +plenipotency +plenipotent +plenipotential +plenipotentiality +plenipotentiary +plenipotentiaries +plenipotentiarily +plenipotentiaryship +plenipotentiarize +plenish +plenished +plenishes +plenishing +plenishment +plenism +plenisms +plenist +plenists +plenity +plenitide +plenitude +plenitudinous +plenshing +plenteous +plenteously +plenteousness +plenty +plenties +plentify +plentiful +plentifully +plentifulness +plentitude +plenum +plenums +pleochroic +pleochroism +pleochroitic +pleochromatic +pleochromatism +pleochroous +pleocrystalline +pleodont +pleomastia +pleomastic +pleomazia +pleometrosis +pleometrotic +pleomorph +pleomorphy +pleomorphic +pleomorphism +pleomorphist +pleomorphous +pleon +pleonal +pleonasm +pleonasms +pleonast +pleonaste +pleonastic +pleonastical +pleonastically +pleonectic +pleonexia +pleonic +pleophagous +pleophyletic +pleopod +pleopodite +pleopods +pleospora +pleosporaceae +plerergate +plerocercoid +pleroma +pleromatic +plerome +pleromorph +plerophory +plerophoric +plerosis +plerotic +plesance +plesianthropus +plesiobiosis +plesiobiotic +plesiomorphic +plesiomorphism +plesiomorphous +plesiosaur +plesiosauri +plesiosauria +plesiosaurian +plesiosauroid +plesiosaurus +plesiotype +plessigraph +plessimeter +plessimetry +plessimetric +plessor +plessors +plethysmogram +plethysmograph +plethysmography +plethysmographic +plethysmographically +plethodon +plethodontid +plethodontidae +plethora +plethoras +plethoretic +plethoretical +plethory +plethoric +plethorical +plethorically +plethorous +plethron +plethrum +pleura +pleuracanthea +pleuracanthidae +pleuracanthini +pleuracanthoid +pleuracanthus +pleurae +pleural +pleuralgia +pleuralgic +pleurapophysial +pleurapophysis +pleuras +pleurectomy +pleurenchyma +pleurenchymatous +pleuric +pleuriseptate +pleurisy +pleurisies +pleurite +pleuritic +pleuritical +pleuritically +pleuritis +pleurobrachia +pleurobrachiidae +pleurobranch +pleurobranchia +pleurobranchial +pleurobranchiate +pleurobronchitis +pleurocapsa +pleurocapsaceae +pleurocapsaceous +pleurocarp +pleurocarpi +pleurocarpous +pleurocele +pleurocentesis +pleurocentral +pleurocentrum +pleurocera +pleurocerebral +pleuroceridae +pleuroceroid +pleurococcaceae +pleurococcaceous +pleurococcus +pleurodelidae +pleurodynia +pleurodynic +pleurodira +pleurodiran +pleurodire +pleurodirous +pleurodiscous +pleurodont +pleurogenic +pleurogenous +pleurohepatitis +pleuroid +pleurolysis +pleurolith +pleuron +pleuronect +pleuronectes +pleuronectid +pleuronectidae +pleuronectoid +pleuronema +pleuropedal +pleuropericardial +pleuropericarditis +pleuroperitonaeal +pleuroperitoneal +pleuroperitoneum +pleuropneumonia +pleuropneumonic +pleuropodium +pleuropterygian +pleuropterygii +pleuropulmonary +pleurorrhea +pleurosaurus +pleurosigma +pleurospasm +pleurosteal +pleurosteon +pleurostict +pleurosticti +pleurostigma +pleurothotonic +pleurothotonos +pleurothotonus +pleurotyphoid +pleurotoma +pleurotomaria +pleurotomariidae +pleurotomarioid +pleurotomy +pleurotomid +pleurotomidae +pleurotomies +pleurotomine +pleurotomoid +pleurotonic +pleurotonus +pleurotremata +pleurotribal +pleurotribe +pleurotropous +pleurotus +pleurovisceral +pleurum +pleuston +pleustonic +pleustons +plevin +plew +plewch +plewgh +plex +plexal +plexicose +plexiform +plexiglas +plexiglass +pleximeter +pleximetry +pleximetric +plexippus +plexodont +plexometer +plexor +plexors +plexure +plexus +plexuses +plf +pli +ply +pliability +pliable +pliableness +pliably +pliancy +pliancies +pliant +pliantly +pliantness +plyboard +plica +plicable +plicae +plical +plicate +plicated +plicately +plicateness +plicater +plicatile +plicating +plication +plicative +plicatocontorted +plicatocristate +plicatolacunose +plicatolobate +plicatopapillose +plicator +plicatoundulate +plicatulate +plicature +plicidentine +pliciferous +pliciform +plie +plied +plier +plyer +pliers +plyers +plies +plygain +plight +plighted +plighter +plighters +plighting +plights +plying +plyingly +plim +plimmed +plimming +plymouth +plymouthism +plymouthist +plymouthite +plymouths +plimsol +plimsole +plimsoles +plimsoll +plimsolls +plimsols +pliny +plinian +plinyism +plink +plinked +plinker +plinkers +plinking +plinks +plynlymmon +plinth +plinther +plinthiform +plinthless +plinthlike +plinths +pliocene +pliofilm +pliohippus +pliopithecus +pliosaur +pliosaurian +pliosauridae +pliosaurus +pliothermic +pliotron +plyscore +plisky +pliskie +pliskies +pliss +plisse +plisses +plitch +plywood +plywoods +ploat +ploce +ploceidae +ploceiform +ploceinae +ploceus +plock +plod +plodded +plodder +plodderly +plodders +plodding +ploddingly +ploddingness +plodge +plods +ploesti +ploy +ploidy +ploidies +ployed +ploying +ploima +ploimate +ployment +ploys +plomb +plonk +plonked +plonking +plonko +plonks +plook +plop +plopped +plopping +plops +ploration +ploratory +plosion +plosions +plosive +plosives +plot +plotch +plotcock +plote +plotful +plotinian +plotinic +plotinical +plotinism +plotinist +plotinize +plotless +plotlessness +plotlib +plotosid +plotproof +plots +plott +plottage +plottages +plotted +plotter +plottery +plotters +plotty +plottier +plotties +plottiest +plotting +plottingly +plotton +plotx +plough +ploughboy +ploughed +plougher +ploughers +ploughfish +ploughfoot +ploughgang +ploughgate +ploughhead +ploughing +ploughjogger +ploughland +ploughline +ploughman +ploughmanship +ploughmell +ploughmen +ploughpoint +ploughs +ploughshare +ploughshoe +ploughstaff +ploughstilt +ploughtail +ploughwise +ploughwright +plouk +plouked +plouky +plounce +plousiocracy +plout +plouteneion +plouter +plover +plovery +ploverlike +plovers +plow +plowable +plowback +plowbacks +plowboy +plowboys +plowbote +plowed +plower +plowers +plowfish +plowfoot +plowgang +plowgate +plowgraith +plowhead +plowheads +plowing +plowjogger +plowland +plowlands +plowlight +plowline +plowmaker +plowmaking +plowman +plowmanship +plowmell +plowmen +plowpoint +plowrightia +plows +plowshare +plowshares +plowshoe +plowstaff +plowstilt +plowtail +plowter +plowwise +plowwoman +plowwright +pltano +plu +pluchea +pluck +pluckage +plucked +pluckedness +plucker +pluckerian +pluckers +plucky +pluckier +pluckiest +pluckily +pluckiness +plucking +pluckless +plucklessly +plucklessness +plucks +plud +pluff +pluffer +pluffy +plug +plugboard +plugdrawer +pluggable +plugged +plugger +pluggers +pluggy +plugging +pluggingly +plughole +pluglees +plugless +pluglike +plugman +plugmen +plugs +plugtray +plugtree +plugugly +pluguglies +plum +pluma +plumaceous +plumach +plumade +plumage +plumaged +plumagery +plumages +plumasite +plumassier +plumate +plumatella +plumatellid +plumatellidae +plumatelloid +plumb +plumbable +plumbage +plumbagin +plumbaginaceae +plumbaginaceous +plumbagine +plumbaginous +plumbago +plumbagos +plumbate +plumbean +plumbed +plumbeous +plumber +plumbery +plumberies +plumbers +plumbership +plumbet +plumbic +plumbicon +plumbiferous +plumbing +plumbings +plumbism +plumbisms +plumbisolvent +plumbite +plumbless +plumblessness +plumbness +plumbog +plumbojarosite +plumboniobate +plumbosolvency +plumbosolvent +plumbous +plumbs +plumbum +plumbums +plumcot +plumdamas +plumdamis +plume +plumed +plumeless +plumelet +plumelets +plumelike +plumemaker +plumemaking +plumeopicean +plumeous +plumer +plumery +plumes +plumet +plumete +plumetis +plumette +plumy +plumicorn +plumier +plumiera +plumieride +plumiest +plumify +plumification +plumiform +plumiformly +plumigerous +pluminess +pluming +plumiped +plumipede +plumipeds +plumist +plumless +plumlet +plumlike +plummer +plummet +plummeted +plummeting +plummetless +plummets +plummy +plummier +plummiest +plumming +plumose +plumosely +plumoseness +plumosite +plumosity +plumous +plump +plumped +plumpen +plumpened +plumpening +plumpens +plumper +plumpers +plumpest +plumpy +plumping +plumpish +plumply +plumpness +plumps +plumrock +plums +plumula +plumulaceous +plumular +plumularia +plumularian +plumulariidae +plumulate +plumule +plumules +plumuliform +plumulose +plunder +plunderable +plunderage +plunderbund +plundered +plunderer +plunderers +plunderess +plundering +plunderingly +plunderless +plunderous +plunderproof +plunders +plunge +plunged +plungeon +plunger +plungers +plunges +plungy +plunging +plungingly +plungingness +plunk +plunked +plunker +plunkers +plunking +plunks +plunther +plup +plupatriotic +pluperfect +pluperfectly +pluperfectness +pluperfects +plupf +plur +plural +pluralisation +pluralise +pluralised +pluraliser +pluralising +pluralism +pluralist +pluralistic +pluralistically +plurality +pluralities +pluralization +pluralize +pluralized +pluralizer +pluralizes +pluralizing +plurally +pluralness +plurals +plurative +plurel +plurennial +pluriaxial +pluribus +pluricarinate +pluricarpellary +pluricellular +pluricentral +pluricipital +pluricuspid +pluricuspidate +pluridentate +pluries +plurifacial +plurifetation +plurify +plurification +pluriflagellate +pluriflorous +plurifoliate +plurifoliolate +pluriglandular +pluriguttulate +plurilateral +plurilingual +plurilingualism +plurilingualist +pluriliteral +plurilocular +plurimammate +plurinominal +plurinucleate +pluripara +pluriparity +pluriparous +pluripartite +pluripetalous +pluripotence +pluripotent +pluripresence +pluriseptate +pluriserial +pluriseriate +pluriseriated +plurisetose +plurisy +plurisyllabic +plurisyllable +plurispiral +plurisporous +plurivalent +plurivalve +plurivory +plurivorous +plus +pluses +plush +plushed +plusher +plushes +plushest +plushette +plushy +plushier +plushiest +plushily +plushiness +plushly +plushlike +plushness +plusia +plusiinae +plusquam +plusquamperfect +plussage +plussages +plusses +plutarch +plutarchy +plutarchian +plutarchic +plutarchical +plutarchically +pluteal +plutean +plutei +pluteiform +plutella +pluteus +pluteuses +pluteutei +pluto +plutocracy +plutocracies +plutocrat +plutocratic +plutocratical +plutocratically +plutocrats +plutolatry +plutology +plutological +plutologist +plutomania +pluton +plutonian +plutonic +plutonion +plutonism +plutonist +plutonite +plutonium +plutonometamorphism +plutonomy +plutonomic +plutonomist +plutons +plutter +plutus +pluvial +pluvialiform +pluvialine +pluvialis +pluvially +pluvials +pluvian +pluvine +pluviograph +pluviography +pluviographic +pluviographical +pluviometer +pluviometry +pluviometric +pluviometrical +pluviometrically +pluvioscope +pluvioscopic +pluviose +pluviosity +pluvious +pm +pmk +pmsg +pmt +pnce +pneodynamics +pneograph +pneomanometer +pneometer +pneometry +pneophore +pneoscope +pneudraulic +pneum +pneuma +pneumarthrosis +pneumas +pneumathaemia +pneumatic +pneumatical +pneumatically +pneumaticity +pneumaticness +pneumatics +pneumatism +pneumatist +pneumatize +pneumatized +pneumatocardia +pneumatoce +pneumatocele +pneumatochemical +pneumatochemistry +pneumatocyst +pneumatocystic +pneumatode +pneumatogenic +pneumatogenous +pneumatogram +pneumatograph +pneumatographer +pneumatography +pneumatographic +pneumatolysis +pneumatolitic +pneumatolytic +pneumatology +pneumatologic +pneumatological +pneumatologist +pneumatomachy +pneumatomachian +pneumatomachist +pneumatometer +pneumatometry +pneumatomorphic +pneumatonomy +pneumatophany +pneumatophanic +pneumatophilosophy +pneumatophobia +pneumatophony +pneumatophonic +pneumatophore +pneumatophoric +pneumatophorous +pneumatorrhachis +pneumatoscope +pneumatosic +pneumatosis +pneumatostatics +pneumatotactic +pneumatotherapeutics +pneumatotherapy +pneumatria +pneumaturia +pneume +pneumectomy +pneumectomies +pneumobacillus +pneumobranchia +pneumobranchiata +pneumocele +pneumocentesis +pneumochirurgia +pneumococcal +pneumococcemia +pneumococci +pneumococcic +pneumococcocci +pneumococcous +pneumococcus +pneumoconiosis +pneumoderma +pneumodynamic +pneumodynamics +pneumoencephalitis +pneumoencephalogram +pneumoenteritis +pneumogastric +pneumogram +pneumograph +pneumography +pneumographic +pneumohemothorax +pneumohydropericardium +pneumohydrothorax +pneumolysis +pneumolith +pneumolithiasis +pneumology +pneumological +pneumomalacia +pneumomassage +pneumometer +pneumomycosis +pneumonalgia +pneumonectasia +pneumonectomy +pneumonectomies +pneumonedema +pneumony +pneumonia +pneumonic +pneumonitic +pneumonitis +pneumonocace +pneumonocarcinoma +pneumonocele +pneumonocentesis +pneumonocirrhosis +pneumonoconiosis +pneumonodynia +pneumonoenteritis +pneumonoerysipelas +pneumonography +pneumonographic +pneumonokoniosis +pneumonolysis +pneumonolith +pneumonolithiasis +pneumonomelanosis +pneumonometer +pneumonomycosis +pneumonoparesis +pneumonopathy +pneumonopexy +pneumonophorous +pneumonophthisis +pneumonopleuritis +pneumonorrhagia +pneumonorrhaphy +pneumonosis +pneumonotherapy +pneumonotomy +pneumopericardium +pneumoperitoneum +pneumoperitonitis +pneumopexy +pneumopyothorax +pneumopleuritis +pneumorrachis +pneumorrhachis +pneumorrhagia +pneumotactic +pneumotherapeutics +pneumotherapy +pneumothorax +pneumotyphoid +pneumotyphus +pneumotomy +pneumotoxin +pneumotropic +pneumotropism +pneumoventriculography +pnigerophobia +pnigophobia +pnyx +pnxt +po +poa +poaceae +poaceous +poach +poachable +poachard +poachards +poached +poacher +poachers +poaches +poachy +poachier +poachiest +poachiness +poaching +poales +poalike +pob +pobby +pobbies +pobedy +poblacht +poblacion +pobs +pocan +pochade +pochades +pochay +pochaise +pochard +pochards +poche +pochette +pochettino +pochismo +pochoir +pochote +pocill +pocilliform +pock +pocked +pocket +pocketable +pocketableness +pocketbook +pocketbooks +pocketcase +pocketed +pocketer +pocketers +pocketful +pocketfuls +pockety +pocketing +pocketknife +pocketknives +pocketless +pocketlike +pockets +pocketsful +pockhouse +pocky +pockier +pockiest +pockily +pockiness +pocking +pockmanky +pockmanteau +pockmantie +pockmark +pockmarked +pockmarking +pockmarks +pocks +pockweed +pockwood +poco +pococurante +pococuranteism +pococurantic +pococurantish +pococurantism +pococurantist +pocosen +pocosin +pocosins +pocoson +pocul +poculary +poculation +poculent +poculiform +pocus +pod +podagra +podagral +podagras +podagry +podagric +podagrical +podagrous +podal +podalgia +podalic +podaliriidae +podalirius +podanger +podarge +podargidae +podarginae +podargine +podargue +podargus +podarthral +podarthritis +podarthrum +podatus +podaxonia +podaxonial +podded +podder +poddy +poddia +poddidge +poddies +poddige +podding +poddish +poddle +poddock +podelcoma +podeon +podesta +podestas +podesterate +podetia +podetiiform +podetium +podex +podge +podger +podgy +podgier +podgiest +podgily +podginess +podia +podial +podiatry +podiatric +podiatries +podiatrist +podiatrists +podical +podiceps +podices +podicipedidae +podilegous +podite +podites +poditic +poditti +podium +podiums +podley +podler +podlike +podobranch +podobranchia +podobranchial +podobranchiate +podocarp +podocarpaceae +podocarpineae +podocarpous +podocarpus +podocephalous +pododerm +pododynia +podogyn +podogyne +podogynium +podolian +podolite +podology +podomancy +podomere +podomeres +podometer +podometry +podophyllaceae +podophyllic +podophyllin +podophyllotoxin +podophyllous +podophyllum +podophrya +podophryidae +podophthalma +podophthalmata +podophthalmate +podophthalmatous +podophthalmia +podophthalmian +podophthalmic +podophthalmite +podophthalmitic +podophthalmous +podos +podoscaph +podoscapher +podoscopy +podosomata +podosomatous +podosperm +podosphaera +podostemaceae +podostemaceous +podostemad +podostemon +podostemonaceae +podostemonaceous +podostomata +podostomatous +podotheca +podothecal +podozamites +pods +podsnap +podsnappery +podsol +podsolic +podsolization +podsolize +podsolized +podsolizing +podsols +podtia +podunk +podura +poduran +podurid +poduridae +podware +podzol +podzolic +podzolization +podzolize +podzolized +podzolizing +podzols +poe +poebird +poechore +poechores +poechoric +poecile +poeciliidae +poecilite +poecilitic +poecilocyttares +poecilocyttarous +poecilogony +poecilogonous +poecilomere +poecilonym +poecilonymy +poecilonymic +poecilopod +poecilopoda +poecilopodous +poem +poematic +poemet +poemlet +poems +poenitentiae +poenology +poephaga +poephagous +poephagus +poesy +poesie +poesies +poesiless +poesis +poet +poetaster +poetastery +poetastering +poetasterism +poetasters +poetastress +poetastry +poetastric +poetastrical +poetcraft +poetdom +poetesque +poetess +poetesses +poethood +poetic +poetical +poeticality +poetically +poeticalness +poeticise +poeticised +poeticising +poeticism +poeticize +poeticized +poeticizing +poeticness +poetics +poeticule +poetiised +poetiising +poetise +poetised +poetiser +poetisers +poetises +poetising +poetito +poetization +poetize +poetized +poetizer +poetizers +poetizes +poetizing +poetless +poetly +poetlike +poetling +poetomachia +poetress +poetry +poetries +poetryless +poets +poetship +poetwise +poffle +pogamoggan +pogey +pogeys +pogge +poggy +poggies +pogy +pogies +pogo +pogonatum +pogonia +pogonias +pogoniasis +pogoniate +pogonion +pogonip +pogonips +pogoniris +pogonite +pogonology +pogonological +pogonologist +pogonophobia +pogonophoran +pogonotomy +pogonotrophy +pogrom +pogromed +pogroming +pogromist +pogromize +pogroms +poh +poha +pohickory +pohna +pohutukawa +poi +poy +poiana +poybird +poictesme +poiesis +poietic +poignado +poignance +poignancy +poignancies +poignant +poignantly +poignard +poignet +poikile +poikilie +poikilitic +poikiloblast +poikiloblastic +poikilocyte +poikilocythemia +poikilocytosis +poikilotherm +poikilothermal +poikilothermy +poikilothermic +poikilothermism +poil +poilu +poilus +poimenic +poimenics +poinado +poinard +poinciana +poincianas +poind +poindable +poinded +poinder +poinding +poinds +poinephobia +poinsettia +poinsettias +point +pointable +pointage +pointal +pointblank +pointe +pointed +pointedly +pointedness +pointel +poyntell +pointer +pointers +pointes +pointful +pointfully +pointfulness +pointy +pointier +pointiest +poyntill +pointillage +pointille +pointillism +pointillist +pointilliste +pointillistic +pointillists +pointing +pointingly +pointless +pointlessly +pointlessness +pointlet +pointleted +pointmaker +pointmaking +pointman +pointmen +pointment +pointrel +points +pointsman +pointsmen +pointswoman +pointure +pointways +pointwise +poyou +poyous +poire +pois +poisable +poise +poised +poiser +poisers +poises +poiseuille +poising +poison +poisonable +poisonberry +poisonbush +poisoned +poisoner +poisoners +poisonful +poisonfully +poisoning +poisonings +poisonless +poisonlessness +poisonmaker +poisonous +poisonously +poisonousness +poisonproof +poisons +poisonweed +poisonwood +poissarde +poisson +poister +poisure +poitrail +poitrel +poitrels +poitrinaire +poivrade +pokable +pokan +pokanoket +poke +pokeberry +pokeberries +poked +pokeful +pokey +pokeys +pokelogan +pokeloken +pokeout +poker +pokerface +pokerish +pokerishly +pokerishness +pokerlike +pokeroot +pokeroots +pokers +pokes +pokeweed +pokeweeds +poky +pokie +pokier +pokies +pokiest +pokily +pokiness +pokinesses +poking +pokingly +pokom +pokomam +pokomo +pokomoo +pokonchi +pokunt +pol +polab +polabian +polabish +polacca +polack +polacre +poland +polander +polanisia +polar +polaran +polarans +polary +polaric +polarid +polarigraphic +polarily +polarimeter +polarimetry +polarimetric +polarimetries +polaris +polarisability +polarisable +polarisation +polariscope +polariscoped +polariscopy +polariscopic +polariscopically +polariscoping +polariscopist +polarise +polarised +polariser +polarises +polarising +polaristic +polaristrobometer +polarity +polarities +polariton +polarizability +polarizable +polarization +polarizations +polarize +polarized +polarizer +polarizes +polarizing +polarly +polarogram +polarograph +polarography +polarographic +polarographically +polaroid +polaroids +polaron +polarons +polars +polarward +polatouche +polaxis +poldavy +poldavis +polder +polderboy +polderland +polderman +polders +poldoody +poldron +pole +polearm +poleax +poleaxe +poleaxed +poleaxer +poleaxes +poleaxing +poleburn +polecat +polecats +poled +polehead +poley +poleyn +poleyne +poleyns +poleis +polejumper +poleless +poleman +polemarch +polemic +polemical +polemically +polemician +polemicist +polemicists +polemicize +polemics +polemist +polemists +polemize +polemized +polemizes +polemizing +polemoniaceae +polemoniaceous +polemoniales +polemonium +polemoscope +polenta +polentas +poler +polers +poles +polesaw +polesetter +polesian +polesman +polestar +polestars +poleward +polewards +polewig +poly +polyacanthus +polyacid +polyacoustic +polyacoustics +polyacrylamide +polyacrylonitrile +polyact +polyactinal +polyactine +polyactinia +poliad +polyad +polyadelph +polyadelphia +polyadelphian +polyadelphous +polyadenia +polyadenitis +polyadenoma +polyadenous +poliadic +polyadic +polyaemia +polyaemic +polyaffectioned +polyalcohol +polyalphabetic +polyamide +polyamylose +polyamine +polian +polyandry +polyandria +polyandrian +polyandrianism +polyandric +polyandries +polyandrious +polyandrism +polyandrist +polyandrium +polyandrous +polyangium +polyangular +polianite +polyantha +polianthes +polyanthi +polyanthy +polyanthous +polyanthus +polyanthuses +polyarch +polyarchal +polyarchy +polyarchic +polyarchical +polyarchies +polyarchist +polyarteritis +polyarthric +polyarthritic +polyarthritis +polyarthrous +polyarticular +polyatomic +polyatomicity +polyautography +polyautographic +polyaxial +polyaxon +polyaxone +polyaxonic +polybasic +polybasicity +polybasite +polyblast +polyborinae +polyborine +polyborus +polybranch +polybranchia +polybranchian +polybranchiata +polybranchiate +polybrid +polybrids +polybromid +polybromide +polybuny +polybunous +polybutene +polybutylene +polybuttoned +polycarbonate +polycarboxylic +polycarp +polycarpellary +polycarpy +polycarpic +polycarpon +polycarpous +police +policed +policedom +policeless +polycellular +policeman +policemanish +policemanism +policemanlike +policemanship +policemen +polycentral +polycentric +polycentrism +polycentrist +polycephaly +polycephalic +polycephalous +polices +policewoman +policewomen +polychaeta +polychaetal +polychaetan +polychaete +polychaetous +polychasia +polychasial +polychasium +polichinelle +polychloride +polychoerany +polychord +polychotomy +polychotomous +polychrest +polychresty +polychrestic +polychrestical +polychroic +polychroism +polychroite +polychromasia +polychromate +polychromatic +polychromatism +polychromatist +polychromatize +polychromatophil +polychromatophile +polychromatophilia +polychromatophilic +polychrome +polychromy +polychromia +polychromic +polychromism +polychromist +polychromize +polychromous +polychronicon +polychronious +polychsia +policy +policial +polycyanide +polycycly +polycyclic +policies +polycyesis +policyholder +policyholders +polyciliate +policymaker +policymaking +policing +polycystic +polycistronic +polycythaemia +polycythaemic +polycythemia +polycythemic +polycitral +polycyttaria +policize +policizer +polyclad +polyclady +polycladida +polycladine +polycladose +polycladous +polycletan +policlinic +polyclinic +polyclinics +polyclona +polycoccous +polycodium +polycondensation +polyconic +polycormic +polycot +polycotyl +polycotyledon +polycotyledonary +polycotyledony +polycotyledonous +polycotyly +polycotylous +polycots +polycracy +polycrase +polycratic +polycrystal +polycrystalline +polycrotic +polycrotism +polyctenid +polyctenidae +polycttarian +polyculture +polydactyl +polydactyle +polydactyly +polydactylies +polydactylism +polydactylous +polydactylus +polydaemoniac +polydaemonism +polydaemonist +polydaemonistic +polydemic +polydemonism +polydemonist +polydenominational +polydental +polydermy +polydermous +polydigital +polydimensional +polydymite +polydynamic +polydipsia +polydipsic +polydisperse +polydispersity +polydomous +polydontia +polyedral +polyeidic +polyeidism +polyelectrolyte +polyembryonate +polyembryony +polyembryonic +polyemia +polyemic +poliencephalitis +poliencephalomyelitis +polyene +polyenes +polyenic +polyenzymatic +polyergic +polyergus +polies +polyester +polyesterification +polyesters +polyesthesia +polyesthetic +polyestrous +polyethylene +polyethnic +polyfenestral +polyflorous +polyfoil +polyfold +polygala +polygalaceae +polygalaceous +polygalas +polygalic +polygalin +polygam +polygamy +polygamia +polygamian +polygamic +polygamical +polygamically +polygamies +polygamist +polygamistic +polygamists +polygamize +polygamodioecious +polygamous +polygamously +polyganglionic +poligar +polygar +polygarchy +poligarship +polygastric +polygene +polygenes +polygenesic +polygenesis +polygenesist +polygenetic +polygenetically +polygeny +polygenic +polygenism +polygenist +polygenistic +polygenous +polygenouss +polygyn +polygynaiky +polygyny +polygynia +polygynian +polygynic +polygynies +polygynious +polygynist +polygynoecial +polygynous +polygyral +polygyria +polyglandular +polyglycerol +polyglobulia +polyglobulism +polyglossary +polyglot +polyglotism +polyglotry +polyglots +polyglottal +polyglottally +polyglotted +polyglotter +polyglottery +polyglottic +polyglottically +polyglotting +polyglottism +polyglottist +polyglottonic +polyglottous +polyglotwise +polygon +polygonaceae +polygonaceous +polygonal +polygonales +polygonally +polygonatum +polygonella +polygoneutic +polygoneutism +polygony +polygonia +polygonic +polygonically +polygonies +polygonoid +polygonometry +polygonous +polygons +polygonum +polygordius +polygram +polygrammatic +polygraph +polygrapher +polygraphy +polygraphic +poligraphical +polygraphically +polygraphist +polygraphs +polygroove +polygrooved +polyhaemia +polyhaemic +polyhalide +polyhalite +polyhalogen +polyharmony +polyharmonic +polyhedra +polyhedral +polyhedrals +polyhedric +polyhedrical +polyhedroid +polyhedron +polyhedrons +polyhedrosis +polyhedrous +polyhemia +polyhemic +polyhybrid +polyhydric +polyhidrosis +polyhydroxy +polyhymnia +polyhistor +polyhistory +polyhistorian +polyhistoric +polyideic +polyideism +polyidrosis +polyimide +polyiodide +polyisobutene +polyisoprene +polyisotopic +polykaryocyte +polylaminated +polylemma +polylepidous +polylinguist +polylith +polylithic +polilla +polylobular +polylogy +polyloquent +polymagnet +polymania +polymasty +polymastia +polymastic +polymastiga +polymastigate +polymastigida +polymastigina +polymastigote +polymastigous +polymastism +polymastodon +polymastodont +polymath +polymathy +polymathic +polymathist +polymaths +polymazia +polymely +polymelia +polymelian +polymer +polymerase +polymere +polymery +polymeria +polymeric +polymerically +polymeride +polymerise +polymerism +polymerization +polymerize +polymerized +polymerizes +polymerizing +polymerous +polymers +polymetallism +polymetameric +polymeter +polymethylene +polymetochia +polymetochic +polimetrum +polymyaria +polymyarian +polymyarii +polymicrian +polymicrobial +polymicrobic +polymicroscope +polymignite +polymyodi +polymyodian +polymyodous +polymyoid +polymyositis +polymythy +polymythic +polymixia +polymixiid +polymixiidae +polymyxin +polymnestor +polymny +polymnia +polymnite +polymolecular +polymolybdate +polymorph +polymorpha +polymorphean +polymorphy +polymorphic +polymorphically +polymorphism +polymorphisms +polymorphistic +polymorphonuclear +polymorphonucleate +polymorphosis +polymorphous +polymorphously +polynaphthene +polynee +polynemid +polynemidae +polynemoid +polynemus +polynesia +polynesian +polynesians +polynesic +polyneural +polyneuric +polyneuritic +polyneuritis +polyneuropathy +poling +polynia +polynya +polynyas +polinices +polynices +polynodal +polynoe +polynoid +polynoidae +polynome +polynomial +polynomialism +polynomialist +polynomials +polynomic +polynucleal +polynuclear +polynucleate +polynucleated +polynucleolar +polynucleosis +polynucleotidase +polynucleotide +polio +polyodon +polyodont +polyodontal +polyodontia +polyodontidae +polyodontoid +polyoecy +polyoecious +polyoeciously +polyoeciousness +polyoecism +polioencephalitis +polioencephalomyelitis +polyoicous +polyol +poliomyelitic +poliomyelitis +poliomyelopathy +polyommatous +polioneuromere +polyonychia +polyonym +polyonymal +polyonymy +polyonymic +polyonymist +polyonymous +polyonomy +polyonomous +polionotus +polyophthalmic +polyopia +polyopic +polyopsy +polyopsia +polyorama +poliorcetic +poliorcetics +polyorchidism +polyorchism +polyorganic +polios +polyose +poliosis +poliovirus +polyoxide +polyoxymethylene +polyp +polypage +polypaged +polypapilloma +polyparasitic +polyparasitism +polyparesis +polypary +polyparia +polyparian +polyparies +polyparium +polyparous +polypean +polyped +polypedates +polypeptide +polypeptidic +polypetal +polypetalae +polypetaly +polypetalous +polyphaga +polyphage +polyphagy +polyphagia +polyphagian +polyphagic +polyphagist +polyphagous +polyphalangism +polypharmacal +polypharmacy +polypharmacist +polypharmacon +polypharmic +polyphasal +polyphase +polyphaser +polyphasic +polypheme +polyphemian +polyphemic +polyphemous +polyphemus +polyphenol +polyphenolic +polyphylesis +polyphylety +polyphyletic +polyphyletically +polyphyleticism +polyphyly +polyphylly +polyphylline +polyphyllous +polyphylogeny +polyphyodont +polyphloesboean +polyphloisboioism +polyphloisboism +polyphobia +polyphobic +polyphone +polyphoned +polyphony +polyphonia +polyphonic +polyphonical +polyphonically +polyphonies +polyphonism +polyphonist +polyphonium +polyphonous +polyphonously +polyphore +polyphosphoric +polyphotal +polyphote +polypi +polypian +polypide +polypides +polypidom +polypier +polypifer +polypifera +polypiferous +polypigerous +polypinnate +polypite +polyplacophora +polyplacophoran +polyplacophore +polyplacophorous +polyplastic +polyplectron +polyplegia +polyplegic +polyploid +polyploidy +polyploidic +polypnea +polypneas +polypneic +polypnoea +polypnoeic +polypod +polypoda +polypody +polypodia +polypodiaceae +polypodiaceous +polypodies +polypodium +polypodous +polypods +polypoid +polypoidal +polypomorpha +polypomorphic +polyporaceae +polyporaceous +polypore +polypores +polyporite +polyporoid +polyporous +polyporus +polypose +polyposis +polypotome +polypous +polypragmacy +polypragmaty +polypragmatic +polypragmatical +polypragmatically +polypragmatism +polypragmatist +polypragmist +polypragmon +polypragmonic +polypragmonist +polyprene +polyprism +polyprismatic +polypropylene +polyprothetic +polyprotic +polyprotodont +polyprotodontia +polyps +polypseudonymous +polypsychic +polypsychical +polypsychism +polypterid +polypteridae +polypteroid +polypterus +polyptych +polyptote +polyptoton +polypus +polypuses +polyrhythm +polyrhythmic +polyrhythmical +polyrhythmically +polyrhizal +polyrhizous +polyribonucleotide +polyribosomal +polyribosome +polis +polys +polysaccharide +polysaccharose +polysaccum +polysalicylide +polysaprobic +polysarcia +polysarcous +polyschematic +polyschematist +polyscope +polyscopic +polysemant +polysemantic +polysemeia +polysemy +polysemia +polysemies +polysemous +polysemousness +polysensuous +polysensuousness +polysepalous +polyseptate +polyserositis +polish +polishable +polished +polishedly +polishedness +polisher +polishers +polishes +polishing +polishings +polishment +polysided +polysidedness +polysilicate +polysilicic +polysyllabic +polysyllabical +polysyllabically +polysyllabicism +polysyllabicity +polysyllabism +polysyllable +polysyllables +polysyllogism +polysyllogistic +polysymmetry +polysymmetrical +polysymmetrically +polysynaptic +polysynaptically +polysyndetic +polysyndetically +polysyndeton +polysynthesis +polysynthesism +polysynthetic +polysynthetical +polysynthetically +polysyntheticism +polysynthetism +polysynthetize +polysiphonia +polysiphonic +polysiphonous +polisman +polysomaty +polysomatic +polysomatous +polysome +polysomes +polysomy +polysomia +polysomic +polysomitic +polysomous +polysorbate +polyspast +polyspaston +polyspermal +polyspermatous +polyspermy +polyspermia +polyspermic +polyspermous +polyspondyly +polyspondylic +polyspondylous +polyspora +polysporangium +polyspore +polyspored +polysporic +polysporous +polissoir +polista +polystachyous +polystaurion +polystele +polystelic +polystellic +polystemonous +polistes +polystichoid +polystichous +polystichum +polystictus +polystylar +polystyle +polystylous +polystyrene +polystomata +polystomatidae +polystomatous +polystome +polystomea +polystomella +polystomidae +polystomium +polysulfide +polysulfonate +polysulphid +polysulphide +polysulphonate +polysulphuration +polysulphurization +polysuspensoid +polit +politarch +politarchic +politbureau +politburo +polite +polytechnic +polytechnical +polytechnics +polytechnist +politeful +politei +politeia +politely +polytene +politeness +polyteny +polytenies +politer +polyterpene +politesse +politest +polytetrafluoroethylene +polythalamia +polythalamian +polythalamic +polythalamous +polythecial +polytheism +polytheist +polytheistic +polytheistical +polytheistically +polytheists +polytheize +polythely +polythelia +polythelism +polythene +polythionic +polity +politic +political +politicalism +politicalization +politicalize +politicalized +politicalizing +politically +politicaster +politician +politicians +politicious +politicise +politicised +politicising +politicist +politicization +politicize +politicized +politicizer +politicizes +politicizing +politick +politicked +politicker +politicking +politicks +politicly +politicness +politico +politicoes +politicomania +politicophobia +politicos +politics +politied +polities +polytype +polytyped +polytypes +polytypy +polytypic +polytypical +polytyping +polytypism +politique +politist +polytitanic +politize +polytocous +polytoky +polytokous +polytomy +polytomies +polytomous +polytonal +polytonalism +polytonality +polytonally +polytone +polytony +polytonic +polytope +polytopic +polytopical +polytrichaceae +polytrichaceous +polytrichia +polytrichous +polytrichum +polytrochal +polytrochous +polytrope +polytrophic +polytropic +polytungstate +polytungstic +politure +politzerization +politzerize +polyunsaturate +polyunsaturated +polyuresis +polyurethan +polyurethane +polyuria +polyurias +polyuric +polyvalence +polyvalency +polyvalent +polyve +polyvinyl +polyvinylidene +polyvinylpyrrolidone +polyvirulent +polyvoltine +polywater +polyzoa +polyzoal +polyzoan +polyzoans +polyzoary +polyzoaria +polyzoarial +polyzoarium +polyzoic +polyzoism +polyzonal +polyzooid +polyzoon +polje +polk +polka +polkadot +polkaed +polkaing +polkas +polki +poll +pollable +pollack +pollacks +polladz +pollage +pollakiuria +pollam +pollan +pollarchy +pollard +pollarded +pollarding +pollards +pollbook +pollcadot +polled +pollee +pollees +pollen +pollenate +pollenation +pollened +polleniferous +pollenigerous +pollening +pollenite +pollenivorous +pollenizer +pollenless +pollenlike +pollenosis +pollenproof +pollens +pollent +poller +pollera +polleras +pollers +pollet +polleten +pollette +pollex +polly +pollyanna +pollyannish +pollical +pollicar +pollicate +pollices +pollicitation +pollyfish +pollyfishes +pollinar +pollinarium +pollinate +pollinated +pollinates +pollinating +pollination +pollinator +pollinators +pollinctor +pollincture +polling +pollinia +pollinic +pollinical +polliniferous +pollinigerous +pollinium +pollinivorous +pollinization +pollinize +pollinized +pollinizer +pollinizing +pollinodial +pollinodium +pollinoid +pollinose +pollinosis +pollist +pollists +polliwig +polliwog +pollywog +polliwogs +pollywogs +pollock +pollocks +polloi +polls +pollster +pollsters +pollucite +pollutant +pollutants +pollute +polluted +pollutedly +pollutedness +polluter +polluters +pollutes +polluting +pollutingly +pollution +pollutive +pollux +polo +polocyte +poloconic +poloi +poloidal +poloist +poloists +polonaise +polonaises +polonese +polony +polonia +polonial +polonian +polonick +polonism +polonium +poloniums +polonius +polonization +polonize +polopony +polos +pols +polska +polster +polt +poltergeist +poltergeistism +poltergeists +poltfoot +poltfooted +poltina +poltinik +poltinnik +poltophagy +poltophagic +poltophagist +poltroon +poltroonery +poltroonish +poltroonishly +poltroonishness +poltroonism +poltroons +poluphloisboic +poluphloisboiotatotic +poluphloisboiotic +polverine +polzenite +pom +pomace +pomaceae +pomacentrid +pomacentridae +pomacentroid +pomacentrus +pomaceous +pomaces +pomada +pomade +pomaded +pomaderris +pomades +pomading +pomak +pomander +pomanders +pomane +pomard +pomary +pomarine +pomarium +pomate +pomato +pomatoes +pomatomid +pomatomidae +pomatomus +pomatorhine +pomatum +pomatums +pombe +pombo +pome +pomegranate +pomegranates +pomey +pomeys +pomel +pomely +pomelo +pomelos +pomeranian +pomeranians +pomeria +pomeridian +pomerium +pomeroy +pomes +pomeshchik +pomewater +pomfret +pomfrets +pomiculture +pomiculturist +pomiferous +pomiform +pomivorous +pommado +pommage +pommard +pomme +pommee +pommey +pommel +pommeled +pommeler +pommeling +pommelion +pommelled +pommeller +pommelling +pommelo +pommels +pommer +pommery +pommet +pommetty +pommy +pommies +pomo +pomoerium +pomolo +pomology +pomological +pomologically +pomologies +pomologist +pomona +pomonal +pomonic +pomp +pompa +pompadour +pompadours +pompal +pompano +pompanos +pompatic +pompey +pompeian +pompeii +pompelmoose +pompelmous +pomperkin +pompholygous +pompholix +pompholyx +pomphus +pompier +pompilid +pompilidae +pompiloid +pompilus +pompion +pompist +pompless +pompoleon +pompom +pompoms +pompon +pompons +pompoon +pomposity +pomposities +pomposo +pompous +pompously +pompousness +pomps +pompster +pomptine +pomster +pon +ponca +ponce +ponceau +poncelet +ponces +poncho +ponchoed +ponchos +poncirus +pond +pondage +pondbush +ponder +ponderability +ponderable +ponderableness +ponderal +ponderance +ponderancy +ponderant +ponderary +ponderate +ponderation +ponderative +pondered +ponderer +ponderers +pondering +ponderingly +ponderling +ponderment +ponderomotive +ponderosa +ponderosae +ponderosapine +ponderosity +ponderous +ponderously +ponderousness +ponders +pondfish +pondfishes +pondful +pondgrass +pondy +pondlet +pondlike +pondman +pondo +pondok +pondokkie +pondomisi +ponds +pondside +pondus +pondweed +pondweeds +pondwort +pone +poney +ponent +ponera +poneramoeba +ponerid +poneridae +ponerinae +ponerine +poneroid +ponerology +pones +pong +ponga +pongee +pongees +pongid +pongidae +pongids +pongo +ponhaws +pony +poniard +poniarded +poniarding +poniards +ponica +ponycart +ponied +ponier +ponies +ponying +ponytail +ponytails +ponja +ponograph +ponos +pons +pont +pontac +pontacq +pontage +pontal +pontederia +pontederiaceae +pontederiaceous +pontee +pontes +pontiac +pontiacs +pontianac +pontianak +pontic +ponticello +ponticellos +ponticular +ponticulus +pontifex +pontiff +pontiffs +pontify +pontific +pontifical +pontificalia +pontificalibus +pontificality +pontifically +pontificals +pontificate +pontificated +pontificates +pontificating +pontification +pontificator +pontifice +pontifices +pontificial +pontificially +pontificious +pontil +pontile +pontils +pontin +pontine +pontist +pontius +pontlevis +ponto +pontocaspian +pontocerebellar +ponton +pontoneer +pontonier +pontons +pontoon +pontooneer +pontooner +pontooning +pontoons +pontus +pontvolant +ponzite +pooa +pooch +pooches +pood +pooder +poodle +poodledom +poodleish +poodler +poodles +poodleship +poods +poof +pooftah +poogye +pooh +poohed +poohing +poohpoohist +poohs +poojah +pook +pooka +pookaun +pookawn +pookhaun +pookoo +pool +pooled +pooler +poolhall +poolhalls +pooli +pooly +pooling +poolroom +poolrooms +poolroot +pools +poolside +poolwort +poon +poonac +poonah +poonce +poonga +poongee +poonghee +poonghie +poons +poop +pooped +poophyte +poophytic +pooping +poops +poopsie +poor +poorer +poorest +poorga +poorhouse +poorhouses +poori +pooris +poorish +poorly +poorlyish +poorliness +poorling +poormaster +poorness +poornesses +poort +poortith +poortiths +poorweed +poorwill +poot +poother +pooty +poove +pop +popadam +popal +popcorn +popcorns +popdock +pope +popean +popedom +popedoms +popeholy +popehood +popeye +popeyed +popeyes +popeism +popeler +popeless +popely +popelike +popeline +popeling +popery +poperies +popes +popeship +popess +popglove +popgun +popgunner +popgunnery +popguns +popian +popie +popify +popinac +popinjay +popinjays +popish +popishly +popishness +popjoy +poplar +poplared +poplars +popleman +poplesie +poplet +poplilia +poplin +poplinette +poplins +poplitaeal +popliteal +poplitei +popliteus +poplitic +poplolly +popocracy +popocrat +popode +popodium +popolari +popolis +popoloco +popomastic +popover +popovers +popovets +poppa +poppability +poppable +poppadom +poppas +poppean +popped +poppel +popper +poppers +poppet +poppethead +poppets +poppy +poppycock +poppycockish +poppied +poppies +poppyfish +poppyfishes +poppyhead +poppylike +poppin +popping +poppywort +popple +poppled +popples +popply +poppling +pops +popshop +popsy +popsicle +populace +populaces +populacy +popular +populares +popularisation +popularise +popularised +populariser +popularising +popularism +popularist +popularity +popularization +popularizations +popularize +popularized +popularizer +popularizes +popularizing +popularly +popularness +populate +populated +populates +populating +population +populational +populationist +populationistic +populationless +populations +populaton +populator +populeon +populi +populicide +populin +populism +populisms +populist +populistic +populists +populous +populously +populousness +populum +populus +popweed +por +porail +poral +porbeagle +porc +porcate +porcated +porcelain +porcelainization +porcelainize +porcelainized +porcelainizing +porcelainlike +porcelainous +porcelains +porcelaneous +porcelanic +porcelanite +porcelanous +porcellana +porcellaneous +porcellanian +porcellanic +porcellanid +porcellanidae +porcellanite +porcellanize +porcellanous +porch +porched +porches +porching +porchless +porchlike +porcine +porcula +porcupine +porcupines +porcupinish +pore +pored +porelike +porella +porencephaly +porencephalia +porencephalic +porencephalitis +porencephalon +porencephalous +porencephalus +porer +pores +poret +porett +porge +porger +porgy +porgies +porgo +pory +poria +poricidal +porifera +poriferal +poriferan +poriferous +poriform +porimania +porina +poriness +poring +poringly +poriomanic +porion +porions +porism +porismatic +porismatical +porismatically +porisms +poristic +poristical +porite +porites +poritidae +poritoid +pork +porkburger +porkchop +porkeater +porker +porkery +porkers +porket +porkfish +porkfishes +porky +porkier +porkies +porkiest +porkin +porkiness +porkish +porkless +porkling +porkman +porkolt +porkopolis +porkpen +porkpie +porkpies +porks +porkwood +porkwoods +porn +pornerastic +porno +pornocracy +pornocrat +pornograph +pornographer +pornography +pornographic +pornographically +pornographies +pornographist +pornographomania +pornological +pornos +porns +porocephalus +porodine +porodite +porogam +porogamy +porogamic +porogamous +porokaiwhiria +porokeratosis +porokoto +poroma +poromas +poromata +poromeric +porometer +porophyllous +poroplastic +poroporo +pororoca +poros +poroscope +poroscopy +poroscopic +porose +poroseness +porosimeter +porosis +porosity +porosities +porotic +porotype +porous +porously +porousness +porpentine +porphine +porphyra +porphyraceae +porphyraceous +porphyratin +porphyrean +porphyry +porphyria +porphyrian +porphyrianist +porphyries +porphyrin +porphyrine +porphyrinuria +porphyrio +porphyrion +porphyrisation +porphyrite +porphyritic +porphyrization +porphyrize +porphyrized +porphyrizing +porphyroblast +porphyroblastic +porphyrogene +porphyrogenite +porphyrogenitic +porphyrogenitism +porphyrogeniture +porphyrogenitus +porphyroid +porphyrophore +porphyropsin +porphyrous +porpita +porpitoid +porpoise +porpoiselike +porpoises +porpoising +porporate +porr +porraceous +porrect +porrection +porrectus +porret +porry +porridge +porridgelike +porridges +porridgy +porriginous +porrigo +porrima +porringer +porringers +porriwiggle +port +porta +portability +portable +portableness +portables +portably +portage +portaged +portages +portaging +portague +portahepatis +portail +portal +portaled +portalled +portalless +portals +portamenti +portamento +portamentos +portance +portances +portas +portass +portate +portatile +portative +portato +portator +portcrayon +portcullis +portcullised +portcullises +portcullising +porte +porteacid +ported +porteligature +portend +portendance +portended +portending +portendment +portends +porteno +portension +portent +portention +portentive +portentosity +portentous +portentously +portentousness +portents +porteous +porter +porterage +porteranthus +porteress +porterhouse +porterhouses +porterly +porterlike +porters +portership +portesse +portfire +portfolio +portfolios +portglaive +portglave +portgrave +portgreve +porthetria +portheus +porthole +portholes +porthook +porthors +porthouse +porty +portia +portico +porticoed +porticoes +porticos +porticus +portiere +portiered +portieres +portify +portifory +porting +portio +portiomollis +portion +portionable +portional +portionally +portioned +portioner +portioners +portiones +portioning +portionist +portionize +portionless +portions +portitor +portland +portlandian +portlast +portless +portlet +portly +portlier +portliest +portligature +portlight +portlily +portliness +portman +portmanmote +portmanteau +portmanteaus +portmanteaux +portmantle +portmantologism +portment +portmoot +portmote +porto +portoise +portolan +portolani +portolano +portolanos +portor +portpayne +portray +portrayable +portrayal +portrayals +portrayed +portrayer +portraying +portrayist +portrayment +portrays +portrait +portraitist +portraitists +portraitlike +portraits +portraiture +portreeve +portreeveship +portress +portresses +ports +portsale +portside +portsider +portsman +portsoken +portuary +portugais +portugal +portugalism +portugee +portugese +portuguese +portulaca +portulacaceae +portulacaceous +portulacaria +portulacas +portulan +portunalia +portunian +portunid +portunidae +portunus +porture +portway +porule +porulose +porulous +porus +porwigle +porzana +pos +posable +posada +posadas +posadaship +posaune +posca +poschay +pose +posed +posey +poseidon +poseidonian +posement +poser +posers +poses +poseur +poseurs +poseuse +posh +posher +poshest +poshly +poshness +posho +posy +posied +posies +posing +posingly +posit +posited +positif +positing +position +positional +positioned +positioner +positioning +positionless +positions +positival +positive +positively +positiveness +positiver +positives +positivest +positivism +positivist +positivistic +positivistically +positivity +positivize +positor +positrino +positron +positronium +positrons +posits +positum +positure +posnanian +posnet +posole +posolo +posology +posologic +posological +posologies +posologist +posostemad +pospolite +poss +posse +posseman +possemen +posses +possess +possessable +possessed +possessedly +possessedness +possesses +possessible +possessing +possessingly +possessingness +possessio +possession +possessional +possessionalism +possessionalist +possessionary +possessionate +possessioned +possessioner +possessiones +possessionist +possessionless +possessionlessness +possessions +possessival +possessive +possessively +possessiveness +possessives +possessor +possessoress +possessory +possessorial +possessoriness +possessors +possessorship +posset +possets +possy +possibile +possibilism +possibilist +possibilitate +possibility +possibilities +possible +possibleness +possibler +possibles +possiblest +possibly +possie +possies +possisdendi +possodie +possum +possumhaw +possums +possumwood +post +postabdomen +postabdominal +postable +postabortal +postacetabular +postact +postadjunct +postage +postages +postal +postallantoic +postally +postals +postalveolar +postament +postamniotic +postanal +postanesthetic +postantennal +postaortic +postapoplectic +postapostolic +postapostolical +postappendicular +postarytenoid +postarmistice +postarterial +postarthritic +postarticular +postaspirate +postaspirated +postasthmatic +postatrial +postauditory +postauricular +postaxiad +postaxial +postaxially +postaxillary +postbag +postbags +postbaptismal +postbellum +postboy +postboys +postbook +postbox +postboxes +postbrachial +postbrachium +postbranchial +postbreakfast +postbreeding +postbronchial +postbuccal +postbulbar +postbursal +postcaecal +postcalcaneal +postcalcarine +postcanonical +postcard +postcardiac +postcardinal +postcards +postcarnate +postcarotid +postcart +postcartilaginous +postcatarrhal +postcaudal +postcava +postcavae +postcaval +postcecal +postcenal +postcentral +postcentrum +postcephalic +postcerebellar +postcerebral +postcesarean +postcibal +postclassic +postclassical +postclassicism +postclavicle +postclavicula +postclavicular +postclimax +postclitellian +postclival +postcode +postcoenal +postcoital +postcolon +postcolonial +postcolumellar +postcomitial +postcommissural +postcommissure +postcommunicant +postcommunion +postconceptive +postconcretism +postconcretist +postcondylar +postcondition +postconfinement +postconnubial +postconquest +postconsonantal +postcontact +postcontract +postconvalescent +postconvalescents +postconvulsive +postcordial +postcornu +postcosmic +postcostal +postcoxal +postcretaceous +postcribrate +postcritical +postcruciate +postcrural +postcubital +postdate +postdated +postdates +postdating +postdental +postdepressive +postdetermined +postdevelopmental +postdiagnostic +postdiaphragmatic +postdiastolic +postdicrotic +postdigestive +postdigital +postdiluvial +postdiluvian +postdiphtherial +postdiphtheric +postdiphtheritic +postdisapproved +postdiscoidal +postdysenteric +postdisseizin +postdisseizor +postdoctoral +postdoctorate +postdural +postea +posted +posteen +posteens +postel +postelection +postelemental +postelementary +postembryonal +postembryonic +postemergence +postemporal +postencephalitic +postencephalon +postenteral +postentry +postentries +postepileptic +poster +posterette +posteriad +posterial +posterior +posteriori +posterioric +posteriorically +posterioristic +posterioristically +posteriority +posteriorly +posteriormost +posteriors +posteriorums +posterish +posterishness +posterist +posterity +posterities +posterization +posterize +postern +posterns +posteroclusion +posterodorsad +posterodorsal +posterodorsally +posteroexternal +posteroinferior +posterointernal +posterolateral +posteromedial +posteromedian +posteromesial +posteroparietal +posterosuperior +posterotemporal +posteroterminal +posteroventral +posters +posteruptive +postesophageal +posteternity +postethmoid +postexilian +postexilic +postexist +postexistence +postexistency +postexistent +postexpressionism +postexpressionist +postface +postfaces +postfact +postfactor +postfebrile +postfemoral +postfetal +postfix +postfixal +postfixation +postfixed +postfixes +postfixial +postfixing +postflection +postflexion +postfoetal +postform +postformed +postforming +postforms +postfoveal +postfrontal +postfurca +postfurcal +postganglionic +postgangrenal +postgastric +postgeminum +postgenial +postgenital +postgeniture +postglacial +postglenoid +postglenoidal +postgonorrheic +postgracile +postgraduate +postgraduates +postgrippal +posthabit +postharvest +posthaste +postheat +posthemiplegic +posthemorrhagic +posthepatic +posthetomy +posthetomist +posthexaplar +posthexaplaric +posthyoid +posthypnotic +posthypnotically +posthypophyseal +posthypophysis +posthippocampal +posthysterical +posthitis +posthoc +postholder +posthole +postholes +posthouse +posthuma +posthume +posthumeral +posthumous +posthumously +posthumousness +posthumus +postyard +postic +postical +postically +postiche +postiches +posticous +posticteric +posticum +posticus +postie +postil +postiler +postilion +postilioned +postilions +postillate +postillation +postillator +postiller +postillion +postillioned +postils +postimpressionism +postimpressionist +postimpressionistic +postin +postincarnation +postinfective +postinfluenzal +posting +postingly +postings +postins +postintestinal +postique +postiques +postirradiation +postischial +postjacent +postjugular +postlabial +postlabially +postlachrymal +postlapsarian +postlaryngal +postlaryngeal +postlarval +postlegal +postlegitimation +postlenticular +postless +postlicentiate +postlike +postliminary +postlimini +postliminy +postliminiary +postliminious +postliminium +postliminous +postliterate +postloitic +postloral +postlude +postludes +postludium +postluetic +postmalarial +postmamillary +postmammary +postmammillary +postman +postmandibular +postmaniacal +postmarital +postmark +postmarked +postmarking +postmarks +postmarriage +postmaster +postmasterlike +postmasters +postmastership +postmastoid +postmaturity +postmaxillary +postmaximal +postmeatal +postmedia +postmediaeval +postmedial +postmedian +postmediastinal +postmediastinum +postmedieval +postmedullary +postmeiotic +postmen +postmeningeal +postmenopausal +postmenstrual +postmental +postmeridian +postmeridional +postmesenteric +postmycotic +postmillenarian +postmillenarianism +postmillennial +postmillennialism +postmillennialist +postmillennian +postmineral +postmistress +postmistresses +postmyxedematous +postmyxedemic +postmortal +postmortem +postmortems +postmortuary +postmultiply +postmultiplied +postmultiplying +postmundane +postmuscular +postmutative +postnarial +postnaris +postnasal +postnatal +postnatally +postnate +postnati +postnatus +postnecrotic +postnephritic +postneural +postneuralgic +postneuritic +postneurotic +postnodal +postnodular +postnominal +postnota +postnotum +postnotums +postnotumta +postnuptial +postnuptially +postobituary +postocular +postoffice +postoffices +postolivary +postomental +postoperative +postoperatively +postoptic +postoral +postorbital +postorder +postordination +postorgastic +postosseous +postotic +postpagan +postpaid +postpalatal +postpalatine +postpalpebral +postpaludal +postparalytic +postparietal +postparotid +postparotitic +postparoxysmal +postpartal +postpartum +postparturient +postparturition +postpatellar +postpathologic +postpathological +postpectoral +postpeduncular +postperforated +postpericardial +postpharyngal +postpharyngeal +postphlogistic +postphragma +postphrenic +postphthisic +postphthistic +postpycnotic +postpyloric +postpyramidal +postpyretic +postpituitary +postplace +postplegic +postpneumonic +postponable +postpone +postponed +postponement +postponements +postponence +postponer +postpones +postponing +postpontile +postpose +postposit +postposited +postposition +postpositional +postpositionally +postpositive +postpositively +postprandial +postprandially +postpredicament +postprocess +postprocessing +postprocessor +postprophesy +postprophetic +postprophetical +postprostate +postpubertal +postpuberty +postpubescent +postpubic +postpubis +postpuerperal +postpulmonary +postpupillary +postrachitic +postramus +postrectal +postredemption +postreduction +postremogeniture +postremote +postrenal +postreproductive +postresurrection +postresurrectional +postretinal +postrheumatic +postrhinal +postrider +postrorse +postrostral +postrubeolar +posts +postsaccular +postsacral +postscalenus +postscapula +postscapular +postscapularis +postscarlatinal +postscarlatinoid +postscenium +postscholastic +postschool +postscorbutic +postscribe +postscript +postscripts +postscriptum +postscutella +postscutellar +postscutellum +postscuttella +postseason +postseasonal +postsigmoid +postsigmoidal +postsign +postsigner +postsymphysial +postsynaptic +postsynaptically +postsynsacral +postsyphilitic +postsystolic +postspasmodic +postsphenoid +postsphenoidal +postsphygmic +postspinous +postsplenial +postsplenic +poststernal +poststertorous +postsuppurative +postsurgical +posttabetic +posttarsal +posttemporal +posttension +posttest +posttests +posttetanic +postthalamic +postthyroidal +postthoracic +posttibial +posttympanic +posttyphoid +posttonic +posttoxic +posttracheal +posttrapezoid +posttraumatic +posttreaty +posttreatment +posttubercular +posttussive +postulance +postulancy +postulant +postulants +postulantship +postulata +postulate +postulated +postulates +postulating +postulation +postulational +postulations +postulator +postulatory +postulatum +postulnar +postumbilical +postumbonal +postural +posture +postured +posturer +posturers +postures +postureteral +postureteric +posturing +posturise +posturised +posturising +posturist +posturize +posturized +posturizing +postuterine +postvaccinal +postvaricellar +postvarioloid +postvelar +postvenereal +postvenous +postventral +postverbal +postverta +postvertebral +postvesical +postvide +postvocalic +postvocalically +postwar +postward +postwise +postwoman +postwomen +postxiphoid +postxyphoid +postzygapophyseal +postzygapophysial +postzygapophysis +pot +potability +potable +potableness +potables +potage +potager +potagere +potagery +potagerie +potages +potail +potamian +potamic +potamobiidae +potamochoerus +potamogale +potamogalidae +potamogeton +potamogetonaceae +potamogetonaceous +potamology +potamological +potamologist +potamometer +potamonidae +potamophilous +potamophobia +potamoplankton +potance +potash +potashery +potashes +potass +potassa +potassamide +potassic +potassiferous +potassium +potate +potation +potations +potative +potato +potatoes +potator +potatory +potawatami +potawatomi +potbank +potbelly +potbellied +potbellies +potboy +potboydom +potboil +potboiled +potboiler +potboilers +potboiling +potboils +potboys +potch +potcher +potcherman +potchermen +potcrook +potdar +pote +potecary +poteen +poteens +poteye +potence +potences +potency +potencies +potent +potentacy +potentate +potentates +potentee +potenty +potential +potentiality +potentialities +potentialization +potentialize +potentially +potentialness +potentials +potentiate +potentiated +potentiates +potentiating +potentiation +potentiator +potentibility +potenties +potentilla +potentiometer +potentiometers +potentiometric +potentize +potently +potentness +poter +poterium +potestal +potestas +potestate +potestative +potful +potfuls +potgirl +potgun +potgut +pothanger +pothead +potheads +pothecary +pothecaries +potheen +potheens +pother +potherb +potherbs +pothered +pothery +pothering +potherment +pothers +potholder +potholders +pothole +potholed +potholer +potholes +potholing +pothook +pothookery +pothooks +pothos +pothouse +pothousey +pothouses +pothunt +pothunted +pothunter +pothunting +poti +poticary +potycary +potiche +potiches +potichomania +potichomanist +potifer +potiguara +potion +potions +potlach +potlache +potlaches +potlatch +potlatched +potlatches +potlatching +potleg +potlicker +potlid +potlike +potlikker +potline +potling +potluck +potlucks +potmaker +potmaking +potman +potmen +potomac +potomania +potomato +potometer +potong +potoo +potoos +potophobia +potoroinae +potoroo +potoroos +potorous +potpie +potpies +potpourri +potpourris +potrack +potrero +pots +potshard +potshards +potshaw +potsherd +potsherds +potshoot +potshooter +potshot +potshots +potshotting +potsy +potsie +potsies +potstick +potstone +potstones +pott +pottage +pottages +pottagy +pottah +pottaro +potted +potteen +potteens +potter +pottered +potterer +potterers +potteress +pottery +potteries +pottering +potteringly +pottern +potters +potti +potty +pottiaceae +pottier +potties +pottiest +potting +pottinger +pottle +pottled +pottles +potto +pottos +pottur +potus +potwaller +potwalling +potwalloper +potware +potwhisky +potwork +potwort +pouce +poucey +poucer +pouch +pouched +pouches +pouchful +pouchy +pouchier +pouchiest +pouching +pouchless +pouchlike +poucy +poudret +poudrette +poudreuse +poudreuses +poudrin +pouf +poufed +pouff +pouffe +pouffed +pouffes +pouffs +poufs +poulaine +poulard +poularde +poulardes +poulardize +poulards +pouldron +poule +poulet +poulette +poulp +poulpe +poult +poulter +poulterer +poulteress +poultice +poulticed +poultices +poulticewise +poulticing +poultry +poultrydom +poultries +poultryist +poultryless +poultrylike +poultryman +poultrymen +poultryproof +poults +pounamu +pounce +pounced +pouncer +pouncers +pounces +pouncet +pouncy +pouncing +pouncingly +pound +poundage +poundages +poundal +poundals +poundbreach +poundcake +pounded +pounder +pounders +pounding +poundkeeper +poundless +poundlike +poundman +poundmaster +poundmeal +pounds +poundstone +poundworth +pour +pourability +pourable +pourboire +pourboires +poured +pourer +pourers +pourie +pouring +pouringly +pourparley +pourparler +pourparlers +pourparty +pourpiece +pourpoint +pourpointer +pourprise +pourquoi +pourris +pours +pourvete +pouser +pousy +pousse +poussette +poussetted +poussetting +poussie +poussies +poussin +poustie +pout +pouted +pouter +pouters +poutful +pouty +poutier +poutiest +pouting +poutingly +pouts +poverish +poverishment +poverty +poverties +povertyweed +povindah +pow +powan +powcat +powder +powderable +powdered +powderer +powderers +powdery +powderies +powderiness +powdering +powderization +powderize +powderizer +powderlike +powderman +powderpuff +powders +powdike +powdry +powellite +power +powerable +powerably +powerboat +powerboats +powered +powerful +powerfully +powerfulness +powerhouse +powerhouses +powering +powerless +powerlessly +powerlessness +powermonger +powerplants +powers +powerset +powersets +powerstat +powhatan +powhead +powitch +powldoody +powny +pownie +pows +powsoddy +powsowdy +powter +powters +powwow +powwowed +powwower +powwowing +powwowism +powwows +pox +poxed +poxes +poxy +poxing +poxvirus +poxviruses +poz +pozzy +pozzolan +pozzolana +pozzolanic +pozzolans +pozzuolana +pozzuolanic +pp +ppa +ppb +ppd +pph +ppi +ppl +ppm +ppr +pps +ppt +pptn +pq +pr +praam +praams +prabble +prabhu +pracharak +practic +practicability +practicabilities +practicable +practicableness +practicably +practical +practicalism +practicalist +practicality +practicalization +practicalize +practicalized +practicalizer +practically +practicalness +practicant +practice +practiced +practicedness +practicer +practices +practician +practicianism +practicing +practico +practicum +practisant +practise +practised +practiser +practises +practising +practitional +practitioner +practitionery +practitioners +practive +prad +pradeep +pradhana +prado +praeabdomen +praeacetabular +praeanal +praecava +praecipe +praecipes +praecipitatio +praecipuum +praecoces +praecocial +praecognitum +praecoracoid +praecordia +praecordial +praecordium +praecornu +praecox +praecuneus +praedial +praedialist +praediality +praedium +praeesophageal +praefect +praefectorial +praefects +praefectus +praefervid +praefloration +praefoliation +praehallux +praelabrum +praelect +praelected +praelecting +praelection +praelectionis +praelector +praelectorship +praelectress +praelects +praeludium +praemaxilla +praemolar +praemunientes +praemunire +praenarial +praenestine +praenestinian +praeneural +praenomen +praenomens +praenomina +praenominal +praeoperculum +praepositor +praepositure +praepositus +praeposter +praepostor +praepostorial +praepubis +praepuce +praescutum +praesens +praesenti +praesepe +praesertim +praeses +praesian +praesidia +praesidium +praesystolic +praesphenoid +praesternal +praesternum +praestomium +praetaxation +praetexta +praetextae +praetor +praetorial +praetorian +praetorianism +praetorium +praetors +praetorship +praezygapophysis +pragmarize +pragmat +pragmatic +pragmatica +pragmatical +pragmaticality +pragmatically +pragmaticalness +pragmaticism +pragmaticist +pragmatics +pragmatism +pragmatist +pragmatistic +pragmatists +pragmatize +pragmatizer +prague +praham +prahm +prahu +prahus +pray +praya +prayable +prayed +prayer +prayerful +prayerfully +prayerfulness +prayerless +prayerlessly +prayerlessness +prayermaker +prayermaking +prayers +prayerwise +prayful +praying +prayingly +prayingwise +prairie +prairiecraft +prairied +prairiedom +prairielike +prairies +prairieweed +prairillon +prays +praisable +praisableness +praisably +praise +praised +praiseful +praisefully +praisefulness +praiseless +praiseproof +praiser +praisers +praises +praiseworthy +praiseworthily +praiseworthiness +praising +praisingly +praiss +praisworthily +praisworthiness +prajapati +prajna +prakash +prakrit +prakriti +prakritic +prakritize +praline +pralines +pralltriller +pram +pramnian +prams +prana +pranava +prance +pranced +pranceful +prancer +prancers +prances +prancy +prancing +prancingly +prancome +prand +prandial +prandially +prang +pranged +pranging +prangs +pranidhana +prank +pranked +pranker +prankful +prankfulness +pranky +prankier +prankiest +pranking +prankingly +prankish +prankishly +prankishness +prankle +pranks +pranksome +pranksomeness +prankster +pranksters +prankt +prao +praos +prase +praseocobaltic +praseodidymium +praseodymia +praseodymium +praseolite +prases +prasine +prasinous +praskeen +prasoid +prasophagy +prasophagous +prastha +prat +pratal +pratap +pratapwant +prate +prated +prateful +pratey +pratement +pratensian +prater +praters +prates +pratfall +pratfalls +pratiyasamutpada +pratiloma +pratincola +pratincole +pratincoline +pratincolous +prating +pratingly +pratique +pratiques +prats +pratt +prattfall +pratty +prattle +prattled +prattlement +prattler +prattlers +prattles +prattly +prattling +prattlingly +prau +praus +pravilege +pravin +pravity +pravous +prawn +prawned +prawner +prawners +prawny +prawning +prawns +praxean +praxeanist +praxeology +praxeological +praxes +praxinoscope +praxiology +praxis +praxises +praxitelean +praxithea +pre +preabdomen +preabsorb +preabsorbent +preabstract +preabundance +preabundant +preabundantly +preaccept +preacceptance +preacceptances +preaccepted +preaccepting +preaccepts +preaccess +preaccessible +preaccidental +preaccidentally +preaccommodate +preaccommodated +preaccommodating +preaccommodatingly +preaccommodation +preaccomplish +preaccomplishment +preaccord +preaccordance +preaccount +preaccounting +preaccredit +preaccumulate +preaccumulated +preaccumulating +preaccumulation +preaccusation +preaccuse +preaccused +preaccusing +preaccustom +preaccustomed +preaccustoming +preaccustoms +preace +preacetabular +preach +preachable +preached +preacher +preacherdom +preacheress +preacherize +preacherless +preacherling +preachers +preachership +preaches +preachy +preachier +preachiest +preachieved +preachify +preachification +preachified +preachifying +preachily +preachiness +preaching +preachingly +preachings +preachman +preachment +preachments +preacid +preacidity +preacidly +preacidness +preacknowledge +preacknowledged +preacknowledgement +preacknowledging +preacknowledgment +preacness +preacquaint +preacquaintance +preacquire +preacquired +preacquiring +preacquisition +preacquisitive +preacquisitively +preacquisitiveness +preacquit +preacquittal +preacquitted +preacquitting +preact +preacted +preacting +preaction +preactive +preactively +preactiveness +preactivity +preacts +preacute +preacutely +preacuteness +preadamic +preadamite +preadamitic +preadamitical +preadamitism +preadapt +preadaptable +preadaptation +preadapted +preadapting +preadaptive +preadapts +preaddition +preadditional +preaddress +preadequacy +preadequate +preadequately +preadequateness +preadhere +preadhered +preadherence +preadherent +preadherently +preadhering +preadjectival +preadjectivally +preadjective +preadjourn +preadjournment +preadjunct +preadjust +preadjustable +preadjusted +preadjusting +preadjustment +preadjustments +preadjusts +preadministration +preadministrative +preadministrator +preadmire +preadmired +preadmirer +preadmiring +preadmission +preadmit +preadmits +preadmitted +preadmitting +preadmonish +preadmonition +preadolescence +preadolescent +preadolescents +preadopt +preadopted +preadopting +preadoption +preadopts +preadoration +preadore +preadorn +preadornment +preadult +preadulthood +preadults +preadvance +preadvancement +preadventure +preadvertency +preadvertent +preadvertise +preadvertised +preadvertisement +preadvertiser +preadvertising +preadvice +preadvisable +preadvise +preadvised +preadviser +preadvising +preadvisory +preadvocacy +preadvocate +preadvocated +preadvocating +preaestival +preaffect +preaffection +preaffidavit +preaffiliate +preaffiliated +preaffiliating +preaffiliation +preaffirm +preaffirmation +preaffirmative +preaffirmed +preaffirming +preaffirms +preafflict +preaffliction +preafternoon +preage +preaged +preaggravate +preaggravated +preaggravating +preaggravation +preaggression +preaggressive +preaggressively +preaggressiveness +preaging +preagitate +preagitated +preagitating +preagitation +preagonal +preagony +preagree +preagreed +preagreeing +preagreement +preagricultural +preagriculture +prealarm +prealcohol +prealcoholic +prealgebra +prealgebraic +prealkalic +preallable +preallably +preallegation +preallege +prealleged +prealleging +preally +prealliance +preallied +preallies +preallying +preallocate +preallocated +preallocating +preallot +preallotment +preallots +preallotted +preallotting +preallow +preallowable +preallowably +preallowance +preallude +prealluded +prealluding +preallusion +prealphabet +prealphabetical +prealphabetically +prealtar +prealter +prealteration +prealveolar +preamalgamation +preambassadorial +preambition +preambitious +preambitiously +preamble +preambled +preambles +preambling +preambular +preambulary +preambulate +preambulation +preambulatory +preamp +preamplifier +preamplifiers +preamps +preanal +preanaphoral +preanesthetic +preanimism +preannex +preannounce +preannounced +preannouncement +preannouncements +preannouncer +preannounces +preannouncing +preantepenult +preantepenultimate +preanterior +preanticipate +preanticipated +preanticipating +preantiquity +preantiseptic +preaortic +preappearance +preappearances +preapperception +preapply +preapplication +preapplications +preapplied +preapplying +preappoint +preappointed +preappointing +preappointment +preappoints +preapprehend +preapprehension +preapprise +preapprised +preapprising +preapprize +preapprized +preapprizing +preapprobation +preapproval +preapprove +preapproved +preapproving +preaptitude +prearm +prearmed +prearming +prearms +prearrange +prearranged +prearrangement +prearranges +prearranging +prearrest +prearrestment +prearticulate +preartistic +preascertain +preascertained +preascertaining +preascertainment +preascertains +preascetic +preascitic +preaseptic +preassemble +preassembled +preassembles +preassembly +preassembling +preassert +preassign +preassigned +preassigning +preassigns +preassume +preassumed +preassuming +preassumption +preassurance +preassure +preassured +preassuring +preataxic +preatomic +preattachment +preattune +preattuned +preattuning +preaudience +preauditory +preauricular +preaver +preaverred +preaverring +preavers +preavowal +preaxiad +preaxial +preaxially +prebachelor +prebacillary +prebade +prebake +prebalance +prebalanced +prebalancing +preballot +preballoted +preballoting +prebankruptcy +prebaptismal +prebaptize +prebarbaric +prebarbarically +prebarbarous +prebarbarously +prebarbarousness +prebargain +prebasal +prebasilar +prebble +prebeleve +prebelief +prebelieve +prebelieved +prebeliever +prebelieving +prebellum +prebeloved +prebend +prebendal +prebendary +prebendaries +prebendaryship +prebendate +prebends +prebenediction +prebeneficiary +prebeneficiaries +prebenefit +prebenefited +prebenefiting +prebeset +prebesetting +prebestow +prebestowal +prebetray +prebetrayal +prebetrothal +prebid +prebidding +prebill +prebilled +prebilling +prebills +prebind +prebinding +prebinds +prebiologic +prebiological +prebiotic +prebless +preblessed +preblesses +preblessing +preblockade +preblockaded +preblockading +preblooming +preboast +preboding +preboyhood +preboil +preboiled +preboiling +preboils +preborn +preborrowing +prebound +prebrachial +prebrachium +prebranchial +prebreathe +prebreathed +prebreathing +prebridal +prebroadcasting +prebromidic +prebronchial +prebronze +prebrute +prebuccal +prebudget +prebudgetary +prebullying +preburlesque +preburn +prec +precalculable +precalculate +precalculated +precalculates +precalculating +precalculation +precalculations +precalculus +precambrian +precampaign +precancel +precanceled +precanceling +precancellation +precancelled +precancelling +precancels +precancerous +precandidacy +precandidature +precanning +precanonical +precant +precantation +precanvass +precapillary +precapitalist +precapitalistic +precaptivity +precapture +precaptured +precapturing +precarcinomatous +precardiac +precary +precaria +precarious +precariously +precariousness +precarium +precarnival +precartilage +precartilaginous +precast +precasting +precasts +precation +precative +precatively +precatory +precaudal +precausation +precaution +precautional +precautionary +precautioning +precautions +precautious +precautiously +precautiousness +precava +precavae +precaval +precchose +precchosen +precedable +precedaneous +precede +preceded +precedence +precedences +precedency +precedencies +precedent +precedentable +precedentary +precedented +precedential +precedentless +precedently +precedents +preceder +precedes +preceding +precednce +preceeding +precel +precelebrant +precelebrate +precelebrated +precelebrating +precelebration +precelebrations +precensor +precensure +precensured +precensuring +precensus +precent +precented +precentennial +precenting +precentless +precentor +precentory +precentorial +precentors +precentorship +precentral +precentress +precentrix +precentrum +precents +precept +preception +preceptist +preceptive +preceptively +preceptor +preceptoral +preceptorate +preceptory +preceptorial +preceptorially +preceptories +preceptors +preceptorship +preceptress +preceptresses +precepts +preceptual +preceptually +preceramic +precerebellar +precerebral +precerebroid +preceremony +preceremonial +preceremonies +precertify +precertification +precertified +precertifying +preces +precess +precessed +precesses +precessing +precession +precessional +precessions +prechallenge +prechallenged +prechallenging +prechampioned +prechampionship +precharge +precharged +precharging +prechart +precharted +precheck +prechecked +prechecking +prechecks +prechemical +precherish +prechildhood +prechill +prechilled +prechilling +prechills +prechloric +prechloroform +prechoice +prechoose +prechoosing +prechordal +prechoroid +prechose +prechosen +preciation +precyclone +precyclonic +precide +precieuse +precieux +precinct +precinction +precinctive +precincts +precynical +preciosity +preciosities +precious +preciouses +preciously +preciousness +precipe +precipes +precipice +precipiced +precipices +precipitability +precipitable +precipitance +precipitancy +precipitancies +precipitant +precipitantly +precipitantness +precipitate +precipitated +precipitatedly +precipitately +precipitateness +precipitates +precipitating +precipitation +precipitations +precipitative +precipitator +precipitatousness +precipitin +precipitinogen +precipitinogenic +precipitous +precipitously +precipitousness +precirculate +precirculated +precirculating +precirculation +precis +precise +precised +precisely +preciseness +preciser +precises +precisest +precisian +precisianism +precisianist +precisianistic +precisians +precising +precision +precisional +precisioner +precisionism +precisionist +precisionistic +precisionize +precisions +precisive +preciso +precyst +precystic +precitation +precite +precited +preciting +precivilization +preclaim +preclaimant +preclaimer +preclare +preclassic +preclassical +preclassically +preclassify +preclassification +preclassified +preclassifying +preclean +precleaned +precleaner +precleaning +precleans +preclerical +preclimax +preclinical +preclival +precloacal +preclose +preclosed +preclosing +preclosure +preclothe +preclothed +preclothing +precludable +preclude +precluded +precludes +precluding +preclusion +preclusive +preclusively +precoagulation +precoccygeal +precoce +precocial +precocious +precociously +precociousness +precocity +precogitate +precogitated +precogitating +precogitation +precognition +precognitions +precognitive +precognizable +precognizant +precognize +precognized +precognizing +precognosce +precoil +precoiler +precoincidence +precoincident +precoincidently +precollapsable +precollapse +precollapsed +precollapsibility +precollapsible +precollapsing +precollect +precollectable +precollection +precollector +precollege +precollegiate +precollude +precolluded +precolluding +precollusion +precollusive +precolonial +precolor +precolorable +precoloration +precoloring +precolour +precolourable +precolouration +precombat +precombatant +precombated +precombating +precombination +precombine +precombined +precombining +precombustion +precommand +precommend +precomment +precommercial +precommissural +precommissure +precommit +precommitted +precommitting +precommune +precommuned +precommunicate +precommunicated +precommunicating +precommunication +precommuning +precommunion +precompare +precompared +precomparing +precomparison +precompass +precompel +precompelled +precompelling +precompensate +precompensated +precompensating +precompensation +precompilation +precompile +precompiled +precompiler +precompiling +precompleteness +precompletion +precompliance +precompliant +precomplicate +precomplicated +precomplicating +precomplication +precompose +precomposition +precompound +precompounding +precompoundly +precomprehend +precomprehension +precomprehensive +precomprehensively +precomprehensiveness +precompress +precompression +precompulsion +precompute +precomputed +precomputing +precomradeship +preconceal +preconcealed +preconcealing +preconcealment +preconceals +preconcede +preconceded +preconceding +preconceivable +preconceive +preconceived +preconceives +preconceiving +preconcentrate +preconcentrated +preconcentratedly +preconcentrating +preconcentration +preconcept +preconception +preconceptional +preconceptions +preconceptual +preconcern +preconcernment +preconcert +preconcerted +preconcertedly +preconcertedness +preconcertion +preconcertive +preconcession +preconcessions +preconcessive +preconclude +preconcluded +preconcluding +preconclusion +preconcur +preconcurred +preconcurrence +preconcurrent +preconcurrently +preconcurring +precondemn +precondemnation +precondemned +precondemning +precondemns +precondensation +precondense +precondensed +precondensing +precondylar +precondyloid +precondition +preconditioned +preconditioning +preconditions +preconduct +preconduction +preconductor +preconfer +preconference +preconferred +preconferring +preconfess +preconfession +preconfide +preconfided +preconfiding +preconfiguration +preconfigure +preconfigured +preconfiguring +preconfine +preconfined +preconfinedly +preconfinement +preconfinemnt +preconfining +preconfirm +preconfirmation +preconflict +preconform +preconformity +preconfound +preconfuse +preconfused +preconfusedly +preconfusing +preconfusion +precongenial +precongested +precongestion +precongestive +precongratulate +precongratulated +precongratulating +precongratulation +precongressional +precony +preconise +preconizance +preconization +preconize +preconized +preconizer +preconizing +preconjecture +preconjectured +preconjecturing +preconnection +preconnective +preconnubial +preconquer +preconquest +preconquestal +preconquestual +preconscious +preconsciously +preconsciousness +preconseccrated +preconseccrating +preconsecrate +preconsecrated +preconsecrating +preconsecration +preconsent +preconsider +preconsideration +preconsiderations +preconsidered +preconsign +preconsoidate +preconsolation +preconsole +preconsolidate +preconsolidated +preconsolidating +preconsolidation +preconsonantal +preconspiracy +preconspiracies +preconspirator +preconspire +preconspired +preconspiring +preconstituent +preconstitute +preconstituted +preconstituting +preconstruct +preconstructed +preconstructing +preconstruction +preconstructs +preconsult +preconsultation +preconsultations +preconsultor +preconsume +preconsumed +preconsumer +preconsuming +preconsumption +precontact +precontain +precontained +precontemn +precontemplate +precontemplated +precontemplating +precontemplation +precontemporaneity +precontemporaneous +precontemporaneously +precontemporary +precontend +precontent +precontention +precontently +precontentment +precontest +precontinental +precontract +precontractive +precontractual +precontribute +precontributed +precontributing +precontribution +precontributive +precontrivance +precontrive +precontrived +precontrives +precontriving +precontrol +precontrolled +precontrolling +precontroversy +precontroversial +precontroversies +preconvey +preconveyal +preconveyance +preconvention +preconversation +preconversational +preconversion +preconvert +preconvict +preconviction +preconvince +preconvinced +preconvincing +precook +precooked +precooker +precooking +precooks +precool +precooled +precooler +precooling +precools +precopy +precopied +precopying +precopulatory +precoracoid +precordia +precordial +precordiality +precordially +precordium +precorneal +precornu +precoronation +precorrect +precorrection +precorrectly +precorrectness +precorrespond +precorrespondence +precorrespondent +precorridor +precorrupt +precorruption +precorruptive +precorruptly +precorruptness +precoruptness +precosmic +precosmical +precosmically +precostal +precounsel +precounseled +precounseling +precounsellor +precourse +precover +precovering +precox +precranial +precranially +precreate +precreation +precreative +precredit +precreditor +precreed +precrystalline +precritical +precriticism +precriticize +precriticized +precriticizing +precrucial +precrural +precule +precultivate +precultivated +precultivating +precultivation +precultural +preculturally +preculture +precuneal +precuneate +precuneus +precure +precured +precures +precuring +precurrent +precurrer +precurricula +precurricular +precurriculum +precurriculums +precursal +precurse +precursive +precursor +precursory +precursors +precurtain +precut +pred +predable +predacean +predaceous +predaceousness +predacious +predaciousness +predacity +preday +predaylight +predaytime +predamage +predamaged +predamaging +predamn +predamnation +predark +predarkness +predata +predate +predated +predates +predating +predation +predations +predatism +predative +predator +predatory +predatorial +predatorily +predatoriness +predators +predawn +predawns +predazzite +predealer +predealing +predeath +predeathly +predebate +predebater +predebit +predebtor +predecay +predecease +predeceased +predeceaser +predeceases +predeceasing +predeceive +predeceived +predeceiver +predeceiving +predeception +predecess +predecession +predecessor +predecessors +predecessorship +predecide +predecided +predeciding +predecision +predecisive +predecisively +predeclaration +predeclare +predeclared +predeclaring +predeclination +predecline +predeclined +predeclining +predecree +predecreed +predecreeing +predecrement +prededicate +prededicated +prededicating +prededication +prededuct +prededuction +predefault +predefeat +predefect +predefective +predefence +predefend +predefense +predefy +predefiance +predeficiency +predeficient +predeficiently +predefied +predefying +predefine +predefined +predefines +predefining +predefinite +predefinition +predefinitions +predefray +predefrayal +predegeneracy +predegenerate +predegree +predeication +predelay +predelegate +predelegated +predelegating +predelegation +predeliberate +predeliberated +predeliberately +predeliberating +predeliberation +predelineate +predelineated +predelineating +predelineation +predelinquency +predelinquent +predelinquently +predeliver +predelivery +predeliveries +predella +predelle +predelude +predeluded +predeluding +predelusion +predemand +predemocracy +predemocratic +predemonstrate +predemonstrated +predemonstrating +predemonstration +predemonstrative +predeny +predenial +predenied +predenying +predental +predentary +predentata +predentate +predepart +predepartmental +predeparture +predependable +predependence +predependent +predeplete +predepleted +predepleting +predepletion +predeposit +predepository +predepreciate +predepreciated +predepreciating +predepreciation +predepression +predeprivation +predeprive +predeprived +predepriving +prederivation +prederive +prederived +prederiving +predescend +predescent +predescribe +predescribed +predescribing +predescription +predesert +predeserter +predesertion +predeserve +predeserved +predeserving +predesign +predesignate +predesignated +predesignates +predesignating +predesignation +predesignatory +predesirous +predesirously +predesolate +predesolation +predespair +predesperate +predespicable +predespise +predespond +predespondency +predespondent +predestinable +predestinarian +predestinarianism +predestinate +predestinated +predestinately +predestinates +predestinating +predestination +predestinational +predestinationism +predestinationist +predestinative +predestinator +predestine +predestined +predestines +predestiny +predestining +predestitute +predestitution +predestroy +predestruction +predetach +predetachment +predetail +predetain +predetainer +predetect +predetection +predetention +predeterminability +predeterminable +predeterminant +predeterminate +predeterminately +predetermination +predeterminations +predeterminative +predetermine +predetermined +predeterminer +predetermines +predetermining +predeterminism +predeterministic +predetest +predetestation +predetrimental +predevelop +predevelopment +predevise +predevised +predevising +predevote +predevotion +predevour +predy +prediabetes +prediabetic +prediagnoses +prediagnosis +prediagnostic +predial +predialist +prediality +prediastolic +prediatory +predicability +predicable +predicableness +predicably +predicament +predicamental +predicamentally +predicaments +predicant +predicate +predicated +predicates +predicating +predication +predicational +predications +predicative +predicatively +predicator +predicatory +predicrotic +predict +predictability +predictable +predictably +predictate +predictated +predictating +predictation +predicted +predicting +prediction +predictional +predictions +predictive +predictively +predictiveness +predictor +predictory +predictors +predicts +prediet +predietary +predifferent +predifficulty +predigest +predigested +predigesting +predigestion +predigests +predigital +predikant +predilect +predilected +predilection +predilections +prediligent +prediligently +prediluvial +prediluvian +prediminish +prediminishment +prediminution +predynamite +predynastic +predine +predined +predining +predinner +prediphtheritic +prediploma +prediplomacy +prediplomatic +predirect +predirection +predirector +predisability +predisable +predisadvantage +predisadvantageous +predisadvantageously +predisagree +predisagreeable +predisagreed +predisagreeing +predisagreement +predisappointment +predisaster +predisastrous +predisastrously +prediscern +prediscernment +predischarge +predischarged +predischarging +prediscipline +predisciplined +predisciplining +predisclose +predisclosed +predisclosing +predisclosure +prediscontent +prediscontented +prediscontentment +prediscontinuance +prediscontinuation +prediscontinue +prediscount +prediscountable +prediscourage +prediscouraged +prediscouragement +prediscouraging +prediscourse +prediscover +prediscoverer +prediscovery +prediscoveries +prediscreet +prediscretion +prediscretionary +prediscriminate +prediscriminated +prediscriminating +prediscrimination +prediscriminator +prediscuss +prediscussion +predisgrace +predisguise +predisguised +predisguising +predisgust +predislike +predisliked +predisliking +predismiss +predismissal +predismissory +predisorder +predisordered +predisorderly +predispatch +predispatcher +predisperse +predispersed +predispersing +predispersion +predisplace +predisplaced +predisplacement +predisplacing +predisplay +predisponency +predisponent +predisposable +predisposal +predispose +predisposed +predisposedly +predisposedness +predisposes +predisposing +predisposition +predispositional +predispositions +predisputant +predisputation +predispute +predisputed +predisputing +predisregard +predisrupt +predisruption +predissatisfaction +predissolution +predissolve +predissolved +predissolving +predissuade +predissuaded +predissuading +predistinct +predistinction +predistinguish +predistortion +predistress +predistribute +predistributed +predistributing +predistribution +predistributor +predistrict +predistrust +predistrustful +predisturb +predisturbance +prediversion +predivert +predivide +predivided +predividend +predivider +predividing +predivinable +predivinity +predivision +predivorce +predivorcement +prednisolone +prednisone +predoctoral +predoctorate +predocumentary +predomestic +predomestically +predominance +predominancy +predominant +predominantly +predominate +predominated +predominately +predominates +predominating +predominatingly +predomination +predominator +predonate +predonated +predonating +predonation +predonor +predoom +predormition +predorsal +predoubt +predoubter +predoubtful +predoubtfully +predraft +predrainage +predramatic +predraw +predrawer +predrawing +predrawn +predread +predreadnought +predrew +predry +predried +predrying +predrill +predriller +predrive +predriven +predriver +predriving +predrove +preduplicate +preduplicated +preduplicating +preduplication +predusk +predusks +predwell +pree +preearthly +preearthquake +preeconomic +preeconomical +preeconomically +preed +preedit +preedition +preeditor +preeditorial +preeditorially +preeducate +preeducated +preeducating +preeducation +preeducational +preeducationally +preeffect +preeffective +preeffectively +preeffectual +preeffectually +preeffort +preeing +preelect +preelected +preelecting +preelection +preelective +preelectric +preelectrical +preelectrically +preelects +preelemental +preelementary +preeligibility +preeligible +preeligibleness +preeligibly +preeliminate +preeliminated +preeliminating +preelimination +preeliminator +preemancipation +preembarrass +preembarrassment +preembody +preembodied +preembodying +preembodiment +preemergence +preemergency +preemergencies +preemergent +preemie +preemies +preeminence +preeminent +preeminently +preemotion +preemotional +preemotionally +preemperor +preemphasis +preemploy +preemployee +preemployer +preemployment +preempt +preempted +preempting +preemption +preemptions +preemptive +preemptively +preemptor +preemptory +preempts +preen +preenable +preenabled +preenabling +preenact +preenacted +preenacting +preenaction +preenacts +preenclose +preenclosed +preenclosing +preenclosure +preencounter +preencourage +preencouragement +preendeavor +preendorse +preendorsed +preendorsement +preendorser +preendorsing +preened +preener +preeners +preenforce +preenforced +preenforcement +preenforcing +preengage +preengaged +preengagement +preengages +preengaging +preengineering +preening +preenjoy +preenjoyable +preenjoyment +preenlarge +preenlarged +preenlargement +preenlarging +preenlighten +preenlightener +preenlightenment +preenlist +preenlistment +preenlistments +preenroll +preenrollment +preens +preentail +preentailment +preenter +preentertain +preentertainer +preentertainment +preenthusiasm +preentitle +preentitled +preentitling +preentrance +preentry +preenumerate +preenumerated +preenumerating +preenumeration +preenvelop +preenvelopment +preenvironmental +preepidemic +preepochal +preequalization +preequip +preequipment +preequipped +preequipping +preequity +preerect +preerection +preerupt +preeruption +preeruptive +preeruptively +prees +preescape +preescaped +preescaping +preesophageal +preessay +preessential +preessentially +preestablish +preestablished +preestablishes +preestablishing +preesteem +preestimate +preestimated +preestimates +preestimating +preestimation +preestival +preeternal +preeternity +preevade +preevaded +preevading +preevaporate +preevaporated +preevaporating +preevaporation +preevaporator +preevasion +preevidence +preevident +preevidently +preevolutional +preevolutionary +preevolutionist +preexact +preexaction +preexamination +preexaminations +preexamine +preexamined +preexaminer +preexamines +preexamining +preexcept +preexception +preexceptional +preexceptionally +preexchange +preexchanged +preexchanging +preexcitation +preexcite +preexcited +preexciting +preexclude +preexcluded +preexcluding +preexclusion +preexclusive +preexclusively +preexcursion +preexcuse +preexcused +preexcusing +preexecute +preexecuted +preexecuting +preexecution +preexecutor +preexempt +preexemption +preexhaust +preexhaustion +preexhibit +preexhibition +preexhibitor +preexilian +preexilic +preexist +preexisted +preexistence +preexistent +preexisting +preexists +preexpand +preexpansion +preexpect +preexpectant +preexpectation +preexpedition +preexpeditionary +preexpend +preexpenditure +preexpense +preexperience +preexperienced +preexperiencing +preexperiment +preexperimental +preexpiration +preexplain +preexplanation +preexplanatory +preexplode +preexploded +preexploding +preexplosion +preexpose +preexposed +preexposes +preexposing +preexposition +preexposure +preexposures +preexpound +preexpounder +preexpress +preexpression +preexpressive +preextend +preextensive +preextensively +preextent +preextinction +preextinguish +preextinguishment +preextract +preextraction +preeze +pref +prefab +prefabbed +prefabbing +prefabricate +prefabricated +prefabricates +prefabricating +prefabrication +prefabricator +prefabs +preface +prefaceable +prefaced +prefacer +prefacers +prefaces +prefacial +prefacing +prefacist +prefactor +prefactory +prefamiliar +prefamiliarity +prefamiliarly +prefamous +prefamously +prefashion +prefashioned +prefatial +prefator +prefatory +prefatorial +prefatorially +prefatorily +prefavor +prefavorable +prefavorably +prefavorite +prefearful +prefearfully +prefeast +prefect +prefectly +prefectoral +prefectorial +prefectorially +prefectorian +prefects +prefectship +prefectual +prefectural +prefecture +prefectures +prefecundation +prefecundatory +prefederal +prefelic +prefer +preferability +preferable +preferableness +preferably +prefered +preferee +preference +preferences +preferent +preferential +preferentialism +preferentialist +preferentially +preferment +prefermentation +preferments +preferral +preferred +preferredly +preferredness +preferrer +preferrers +preferring +preferrous +prefers +prefertile +prefertility +prefertilization +prefertilize +prefertilized +prefertilizing +prefervid +prefestival +prefet +prefeudal +prefeudalic +prefeudalism +preffroze +preffrozen +prefiction +prefictional +prefigurate +prefiguration +prefigurative +prefiguratively +prefigurativeness +prefigure +prefigured +prefigurement +prefigurer +prefigures +prefiguring +prefill +prefiller +prefills +prefilter +prefinal +prefinance +prefinanced +prefinancial +prefinancing +prefine +prefinish +prefix +prefixable +prefixal +prefixally +prefixation +prefixed +prefixedly +prefixes +prefixing +prefixion +prefixions +prefixture +preflagellate +preflagellated +preflatter +preflattery +preflavor +preflavoring +preflection +preflexion +preflight +preflood +prefloration +preflowering +prefocus +prefocused +prefocuses +prefocusing +prefocussed +prefocusses +prefocussing +prefoliation +prefool +preforbidden +preforceps +preforgave +preforgive +preforgiven +preforgiveness +preforgiving +preforgotten +preform +preformant +preformation +preformationary +preformationism +preformationist +preformative +preformed +preforming +preformism +preformist +preformistic +preforms +preformulate +preformulated +preformulating +preformulation +prefortunate +prefortunately +prefortune +prefoundation +prefounder +prefract +prefragrance +prefragrant +prefrank +prefranked +prefranking +prefrankness +prefranks +prefraternal +prefraternally +prefraud +prefreeze +prefreezing +prefreshman +prefreshmen +prefriendly +prefriendship +prefright +prefrighten +prefrontal +prefroze +prefrozen +prefulfill +prefulfillment +prefulgence +prefulgency +prefulgent +prefunction +prefunctional +prefuneral +prefungoidal +prefurlough +prefurnish +pregain +pregainer +pregalvanize +pregalvanized +pregalvanizing +pregame +preganglionic +pregastrular +pregather +pregathering +pregeminum +pregenerate +pregenerated +pregenerating +pregeneration +pregenerosity +pregenerous +pregenerously +pregenial +pregeniculatum +pregeniculum +pregenital +pregeological +preggers +preghiera +pregirlhood +preglacial +pregladden +pregladness +preglenoid +preglenoidal +preglobulin +pregnability +pregnable +pregnance +pregnancy +pregnancies +pregnant +pregnantly +pregnantness +pregnenolone +pregolden +pregolfing +pregracile +pregracious +pregrade +pregraded +pregrading +pregraduation +pregranite +pregranitic +pregratify +pregratification +pregratified +pregratifying +pregreet +pregreeting +pregrievance +pregrowth +preguarantee +preguaranteed +preguaranteeing +preguarantor +preguard +preguess +preguidance +preguide +preguided +preguiding +preguilt +preguilty +preguiltiness +pregust +pregustant +pregustation +pregustator +pregustic +prehallux +prehalter +prehalteres +prehandicap +prehandicapped +prehandicapping +prehandle +prehandled +prehandling +prehaps +preharden +prehardened +prehardener +prehardening +prehardens +preharmony +preharmonious +preharmoniously +preharmoniousness +preharsh +preharshness +preharvest +prehatred +prehaunt +prehaunted +prehaustorium +prehazard +prehazardous +preheal +prehearing +preheat +preheated +preheater +preheating +preheats +prehemiplegic +prehend +prehended +prehensibility +prehensible +prehensile +prehensility +prehension +prehensive +prehensiveness +prehensor +prehensory +prehensorial +prehepatic +prehepaticus +preheroic +prehesitancy +prehesitate +prehesitated +prehesitating +prehesitation +prehexameral +prehydration +prehypophysis +prehistory +prehistorian +prehistoric +prehistorical +prehistorically +prehistorics +prehistories +prehnite +prehnitic +preholder +preholding +preholiday +prehominid +prehorizon +prehorror +prehostile +prehostility +prehuman +prehumans +prehumiliate +prehumiliation +prehumor +prehunger +prey +preidea +preidentify +preidentification +preidentified +preidentifying +preyed +preyer +preyers +preyful +preignition +preying +preyingly +preilium +preilluminate +preillumination +preillustrate +preillustrated +preillustrating +preillustration +preimage +preimaginary +preimagination +preimagine +preimagined +preimagining +preimbibe +preimbibed +preimbibing +preimbue +preimbued +preimbuing +preimitate +preimitated +preimitating +preimitation +preimitative +preimmigration +preimpair +preimpairment +preimpart +preimperial +preimport +preimportance +preimportant +preimportantly +preimportation +preimposal +preimpose +preimposed +preimposing +preimposition +preimpress +preimpression +preimpressionism +preimpressionist +preimpressive +preimprove +preimproved +preimprovement +preimproving +preinaugural +preinaugurate +preinaugurated +preinaugurating +preincarnate +preincentive +preincination +preinclination +preincline +preinclined +preinclining +preinclude +preincluded +preincluding +preinclusion +preincorporate +preincorporated +preincorporating +preincorporation +preincrease +preincreased +preincreasing +preindebted +preindebtedly +preindebtedness +preindemnify +preindemnification +preindemnified +preindemnifying +preindemnity +preindependence +preindependent +preindependently +preindesignate +preindicant +preindicate +preindicated +preindicating +preindication +preindicative +preindispose +preindisposed +preindisposing +preindisposition +preinduce +preinduced +preinducement +preinducing +preinduction +preinductive +preindulge +preindulged +preindulgence +preindulgent +preindulging +preindustry +preindustrial +preinfect +preinfection +preinfer +preinference +preinferredpreinferring +preinflection +preinflectional +preinflict +preinfliction +preinfluence +preinform +preinformation +preinhabit +preinhabitant +preinhabitation +preinhere +preinhered +preinhering +preinherit +preinheritance +preinitial +preinitialize +preinitialized +preinitializes +preinitializing +preinitiate +preinitiated +preinitiating +preinitiation +preinjure +preinjury +preinjurious +preinquisition +preinscribe +preinscribed +preinscribing +preinscription +preinsert +preinserted +preinserting +preinsertion +preinserts +preinsinuate +preinsinuated +preinsinuating +preinsinuatingly +preinsinuation +preinsinuative +preinspect +preinspection +preinspector +preinspire +preinspired +preinspiring +preinstall +preinstallation +preinstill +preinstillation +preinstruct +preinstructed +preinstructing +preinstruction +preinstructional +preinstructive +preinstructs +preinsula +preinsular +preinsulate +preinsulated +preinsulating +preinsulation +preinsult +preinsurance +preinsure +preinsured +preinsuring +preintellectual +preintellectually +preintelligence +preintelligent +preintelligently +preintend +preintention +preintercede +preinterceded +preinterceding +preintercession +preinterchange +preintercourse +preinterest +preinterfere +preinterference +preinterpret +preinterpretation +preinterpretative +preinterrupt +preinterview +preintimate +preintimated +preintimately +preintimating +preintimation +preintone +preinvasive +preinvent +preinvention +preinventive +preinventory +preinventories +preinvest +preinvestigate +preinvestigated +preinvestigating +preinvestigation +preinvestigator +preinvestment +preinvitation +preinvite +preinvited +preinviting +preinvocation +preinvolve +preinvolved +preinvolvement +preinvolving +preiotization +preiotize +preyouthful +preirrigation +preirrigational +preys +preissuance +preissue +preissued +preissuing +prejacent +prejournalistic +prejudge +prejudged +prejudgement +prejudger +prejudges +prejudging +prejudgment +prejudgments +prejudicate +prejudication +prejudicative +prejudicator +prejudice +prejudiced +prejudicedly +prejudiceless +prejudices +prejudiciable +prejudicial +prejudicially +prejudicialness +prejudicing +prejudicious +prejudiciously +prejunior +prejurisdiction +prejustify +prejustification +prejustified +prejustifying +prejuvenile +prekantian +prekindergarten +prekindergartens +prekindle +prekindled +prekindling +preknew +preknit +preknow +preknowing +preknowledge +preknown +prela +prelabel +prelabial +prelabor +prelabrum +prelachrymal +prelacy +prelacies +prelacrimal +prelacteal +prelanguage +prelapsarian +prelaryngoscopic +prelate +prelatehood +prelateity +prelates +prelateship +prelatess +prelaty +prelatial +prelatic +prelatical +prelatically +prelaticalness +prelation +prelatish +prelatism +prelatist +prelatize +prelatry +prelature +prelaunch +prelaunching +prelaw +prelawful +prelawfully +prelawfulness +prelease +preleased +preleasing +prelect +prelected +prelecting +prelection +prelector +prelectorship +prelectress +prelects +prelecture +prelectured +prelecturing +prelegacy +prelegal +prelegate +prelegatee +prelegend +prelegendary +prelegislative +prelexical +preliability +preliable +prelibation +preliberal +preliberality +preliberally +preliberate +preliberated +preliberating +preliberation +prelicense +prelicensed +prelicensing +prelim +preliminary +preliminaries +preliminarily +prelimit +prelimitate +prelimitated +prelimitating +prelimitation +prelimited +prelimiting +prelimits +prelims +prelingual +prelingually +prelinguistic +prelinpinpin +preliquidate +preliquidated +preliquidating +preliquidation +preliteral +preliterally +preliteralness +preliterary +preliterate +preliterature +prelithic +prelitigation +preloaded +preloan +prelocalization +prelocate +prelocated +prelocating +prelogic +prelogical +preloral +preloreal +preloss +prelude +preluded +preluder +preluders +preludes +preludial +preluding +preludio +preludious +preludiously +preludium +preludize +prelumbar +prelusion +prelusive +prelusively +prelusory +prelusorily +preluxurious +preluxuriously +preluxuriousness +prem +premachine +premade +premadness +premaintain +premaintenance +premake +premaker +premaking +premalignant +preman +premandibular +premanhood +premaniacal +premanifest +premanifestation +premankind +premanufacture +premanufactured +premanufacturer +premanufacturing +premarital +premarketing +premarry +premarriage +premarried +premarrying +premastery +prematch +premate +premated +prematerial +prematernity +premating +prematrimonial +prematrimonially +prematuration +premature +prematurely +prematureness +prematurity +prematurities +premaxilla +premaxillae +premaxillary +premeasure +premeasured +premeasurement +premeasuring +premechanical +premed +premedia +premedial +premedian +premedic +premedical +premedicate +premedicated +premedicating +premedication +premedics +premedieval +premedievalism +premeditate +premeditated +premeditatedly +premeditatedness +premeditates +premeditating +premeditatingly +premeditation +premeditative +premeditator +premeditators +premeds +premegalithic +premeiotic +prememoda +prememoranda +prememorandum +prememorandums +premen +premenace +premenaced +premenacing +premenstrual +premenstrually +premention +premeridian +premerit +premetallic +premethodical +premia +premial +premiant +premiate +premiated +premiating +premycotic +premidnight +premidsummer +premie +premyelocyte +premier +premieral +premiere +premiered +premieres +premieress +premiering +premierjus +premiers +premiership +premierships +premies +premilitary +premillenarian +premillenarianism +premillenial +premillennial +premillennialise +premillennialised +premillennialising +premillennialism +premillennialist +premillennialize +premillennialized +premillennializing +premillennially +premillennian +preminister +preministry +preministries +premio +premious +premisal +premise +premised +premises +premising +premisory +premisrepresent +premisrepresentation +premiss +premissable +premisses +premit +premythical +premium +premiums +premix +premixed +premixer +premixes +premixing +premixture +premodel +premodeled +premodeling +premodern +premodify +premodification +premodified +premodifying +premolar +premolars +premold +premolder +premolding +premonarchal +premonarchial +premonarchical +premonetary +premonetory +premongolian +premonish +premonishment +premonition +premonitions +premonitive +premonitor +premonitory +premonitorily +premonopoly +premonopolies +premonopolize +premonopolized +premonopolizing +premonstrant +premonstratensian +premonstratensis +premonstration +premonumental +premoral +premorality +premorally +premorbid +premorbidly +premorbidness +premorning +premorse +premortal +premortally +premortify +premortification +premortified +premortifying +premortuary +premorula +premosaic +premotion +premourn +premove +premovement +premover +premuddle +premuddled +premuddling +premultiply +premultiplication +premultiplier +premultiplying +premundane +premune +premunicipal +premunire +premunition +premunitory +premusical +premusically +premuster +premutative +premutiny +premutinied +premutinies +premutinying +prename +prenames +prenanthes +prenarcotic +prenares +prenarial +prenaris +prenasal +prenatal +prenatalist +prenatally +prenational +prenative +prenatural +prenaval +prender +prendre +prenebular +prenecessitate +prenecessitated +prenecessitating +preneglect +preneglectful +prenegligence +prenegligent +prenegotiate +prenegotiated +prenegotiating +prenegotiation +preneolithic +prenephritic +preneural +preneuralgic +prenight +prenoble +prenodal +prenomen +prenomens +prenomina +prenominal +prenominate +prenominated +prenominating +prenomination +prenominical +prenotation +prenote +prenoted +prenotice +prenotify +prenotification +prenotified +prenotifying +prenoting +prenotion +prentice +prenticed +prentices +prenticeship +prenticing +prenumber +prenumbering +prenuncial +prenunciate +prenuptial +prenursery +prenurseries +prenzie +preobedience +preobedient +preobediently +preobject +preobjection +preobjective +preobligate +preobligated +preobligating +preobligation +preoblige +preobliged +preobliging +preoblongata +preobservance +preobservation +preobservational +preobserve +preobserved +preobserving +preobstruct +preobstruction +preobtain +preobtainable +preobtrude +preobtruded +preobtrudingpreobtrusion +preobtrusion +preobtrusive +preobviate +preobviated +preobviating +preobvious +preobviously +preobviousness +preoccasioned +preoccipital +preocclusion +preoccultation +preoccupancy +preoccupant +preoccupate +preoccupation +preoccupations +preoccupative +preoccupy +preoccupied +preoccupiedly +preoccupiedness +preoccupier +preoccupies +preoccupying +preoccur +preoccurred +preoccurrence +preoccurring +preoceanic +preocular +preodorous +preoesophageal +preoffend +preoffense +preoffensive +preoffensively +preoffensiveness +preoffer +preoffering +preofficial +preofficially +preominate +preomission +preomit +preomitted +preomitting +preopen +preopening +preoperate +preoperated +preoperating +preoperation +preoperative +preoperatively +preoperator +preopercle +preopercular +preoperculum +preopinion +preopinionated +preoppose +preopposed +preopposing +preopposition +preoppress +preoppression +preoppressor +preoptic +preoptimistic +preoption +preoral +preorally +preorbital +preordain +preordained +preordaining +preordainment +preordains +preorder +preordered +preordering +preordinance +preordination +preorganic +preorganically +preorganization +preorganize +preorganized +preorganizing +preoriginal +preoriginally +preornamental +preotic +preoutfit +preoutfitted +preoutfitting +preoutline +preoutlined +preoutlining +preoverthrew +preoverthrow +preoverthrowing +preoverthrown +preoviposition +preovulatory +prep +prepack +prepackage +prepackaged +prepackages +prepackaging +prepacked +prepacking +prepacks +prepaging +prepay +prepayable +prepaid +prepaying +prepayment +prepayments +prepainful +prepays +prepalaeolithic +prepalatal +prepalatine +prepaleolithic +prepanic +preparable +preparateur +preparation +preparationist +preparations +preparative +preparatively +preparatives +preparator +preparatory +preparatorily +prepardon +prepare +prepared +preparedly +preparedness +preparement +preparental +preparer +preparers +prepares +preparietal +preparing +preparingly +preparliamentary +preparoccipital +preparoxysmal +prepartake +prepartaken +prepartaking +preparticipation +prepartisan +prepartition +prepartnership +prepartook +prepatellar +prepatent +prepatrician +prepatriotic +prepave +prepaved +prepavement +prepaving +prepd +prepectoral +prepeduncle +prepend +prepended +prepending +prepenetrate +prepenetrated +prepenetrating +prepenetration +prepenial +prepense +prepensed +prepensely +prepeople +preperceive +preperception +preperceptive +preperfect +preperitoneal +prepersuade +prepersuaded +prepersuading +prepersuasion +prepersuasive +preperusal +preperuse +preperused +preperusing +prepetition +prepg +prephragma +prephthisical +prepigmental +prepyloric +prepineal +prepink +prepious +prepiously +prepyramidal +prepituitary +preplace +preplaced +preplacement +preplacental +preplaces +preplacing +preplan +preplanned +preplanning +preplans +preplant +preplanting +prepledge +prepledged +prepledging +preplot +preplotted +preplotting +prepn +prepoetic +prepoetical +prepoison +prepolice +prepolish +prepolitic +prepolitical +prepolitically +prepollence +prepollency +prepollent +prepollex +prepollices +preponder +preponderance +preponderancy +preponderant +preponderantly +preponderate +preponderated +preponderately +preponderates +preponderating +preponderatingly +preponderation +preponderous +preponderously +prepontile +prepontine +preportray +preportrayal +prepose +preposed +preposing +preposition +prepositional +prepositionally +prepositions +prepositive +prepositively +prepositor +prepositorial +prepositure +prepossess +prepossessed +prepossesses +prepossessing +prepossessingly +prepossessingness +prepossession +prepossessionary +prepossessions +prepossessor +preposter +preposterous +preposterously +preposterousness +prepostor +prepostorship +prepotence +prepotency +prepotent +prepotential +prepotently +prepped +preppy +preppie +preppies +prepping +prepractical +prepractice +prepracticed +prepracticing +prepractise +prepractised +prepractising +preprandial +prepreference +prepreparation +preprice +prepriced +prepricing +preprimary +preprimer +preprimitive +preprint +preprinted +preprinting +preprints +preprocess +preprocessed +preprocessing +preprocessor +preprocessors +preproduction +preprofess +preprofessional +preprogram +preprogrammed +preprohibition +prepromise +prepromised +prepromising +prepromote +prepromoted +prepromoting +prepromotion +prepronounce +prepronounced +prepronouncement +prepronouncing +preprophetic +preprostatic +preprove +preproved +preprovide +preprovided +preproviding +preprovision +preprovocation +preprovoke +preprovoked +preprovoking +preprudent +preprudently +preps +prepsychology +prepsychological +prepsychotic +prepuberal +prepuberally +prepubertal +prepubertally +prepuberty +prepubescence +prepubescent +prepubic +prepubis +prepublication +prepublish +prepuce +prepuces +prepueblo +prepunch +prepunched +prepunches +prepunching +prepunctual +prepunish +prepunishment +prepupa +prepupal +prepurchase +prepurchased +prepurchaser +prepurchasing +prepurpose +prepurposed +prepurposing +prepurposive +preputial +preputium +prequalify +prequalification +prequalified +prequalifying +prequarantine +prequarantined +prequarantining +prequel +prequestion +prequotation +prequote +prequoted +prequoting +preracing +preradio +prerailroad +prerailroadite +prerailway +preramus +prerational +preready +prereadiness +prerealization +prerealize +prerealized +prerealizing +prerebellion +prereceipt +prereceive +prereceived +prereceiver +prereceiving +prerecital +prerecite +prerecited +prereciting +prereckon +prereckoning +prerecognition +prerecognize +prerecognized +prerecognizing +prerecommend +prerecommendation +prereconcile +prereconciled +prereconcilement +prereconciliation +prereconciling +prerecord +prerecorded +prerecording +prerecords +prerectal +preredeem +preredemption +prereduction +prerefer +prereference +prereferred +prereferring +prerefine +prerefined +prerefinement +prerefining +prereform +prereformation +prereformatory +prerefusal +prerefuse +prerefused +prerefusing +preregal +preregister +preregistered +preregistering +preregisters +preregistration +preregnant +preregulate +preregulated +preregulating +preregulation +prereject +prerejection +prerejoice +prerejoiced +prerejoicing +prerelate +prerelated +prerelating +prerelation +prerelationship +prerelease +prereligious +prereluctance +prereluctation +preremit +preremittance +preremitted +preremitting +preremorse +preremote +preremoval +preremove +preremoved +preremoving +preremunerate +preremunerated +preremunerating +preremuneration +prerenal +prerent +prerental +prereport +prerepresent +prerepresentation +prereproductive +prereption +prerepublican +prerequest +prerequire +prerequired +prerequirement +prerequiring +prerequisite +prerequisites +prerequisition +preresemblance +preresemble +preresembled +preresembling +preresolution +preresolve +preresolved +preresolving +preresort +prerespectability +prerespectable +prerespiration +prerespire +preresponsibility +preresponsible +prerestoration +prerestrain +prerestraint +prerestrict +prerestriction +prereturn +prereveal +prerevelation +prerevenge +prerevenged +prerevenging +prereversal +prereverse +prereversed +prereversing +prereview +prerevise +prerevised +prerevising +prerevision +prerevival +prerevolutionary +prerheumatic +prerich +prerighteous +prerighteously +prerighteousness +prerogatival +prerogative +prerogatived +prerogatively +prerogatives +prerogativity +preroyal +preroyally +preroyalty +prerolandic +preromantic +preromanticism +preroute +prerouted +preroutine +prerouting +prerupt +preruption +pres +presa +presacral +presacrifice +presacrificed +presacrificial +presacrificing +presage +presaged +presageful +presagefully +presagefulness +presagement +presager +presagers +presages +presagient +presaging +presagingly +presay +presaid +presaying +presalvation +presanctify +presanctification +presanctified +presanctifying +presanguine +presanitary +presartorial +presatisfaction +presatisfactory +presatisfy +presatisfied +presatisfying +presavage +presavagery +presaw +presbyacousia +presbyacusia +presbycousis +presbycusis +presbyope +presbyophrenia +presbyophrenic +presbyopy +presbyopia +presbyopic +presbyte +presbyter +presbyteral +presbyterate +presbyterated +presbytere +presbyteress +presbytery +presbyteria +presbyterial +presbyterially +presbyterian +presbyterianism +presbyterianize +presbyterianly +presbyterians +presbyteries +presbyterium +presbyters +presbytership +presbytia +presbytic +presbytinae +presbytis +presbytism +prescan +prescapula +prescapular +prescapularis +prescholastic +preschool +preschooler +preschoolers +prescience +prescient +prescientific +presciently +prescind +prescinded +prescindent +prescinding +prescinds +prescission +prescore +prescored +prescores +prescoring +prescout +prescribable +prescribe +prescribed +prescriber +prescribes +prescribing +prescript +prescriptibility +prescriptible +prescription +prescriptionist +prescriptions +prescriptive +prescriptively +prescriptiveness +prescriptivism +prescriptivist +prescriptorial +prescripts +prescrive +prescutal +prescutum +prese +preseal +presearch +preseason +preseasonal +presecular +presecure +presecured +presecuring +presedentary +presee +preseeing +preseen +preselect +preselected +preselecting +preselection +preselector +preselects +presell +preselling +presells +presemilunar +preseminal +preseminary +presence +presenced +presenceless +presences +presenile +presenility +presensation +presension +present +presentability +presentable +presentableness +presentably +presental +presentation +presentational +presentationalism +presentationes +presentationism +presentationist +presentations +presentative +presentatively +presented +presentee +presentence +presentenced +presentencing +presenter +presenters +presential +presentiality +presentially +presentialness +presentiate +presentient +presentiment +presentimental +presentiments +presenting +presentist +presentive +presentively +presentiveness +presently +presentment +presentness +presentor +presents +preseparate +preseparated +preseparating +preseparation +preseparator +preseptal +preser +preservability +preservable +preserval +preservation +preservationist +preservations +preservative +preservatives +preservatize +preservatory +preserve +preserved +preserver +preserveress +preservers +preserves +preserving +preses +presession +preset +presets +presettable +presetting +presettle +presettled +presettlement +presettling +presexual +preshadow +preshape +preshaped +preshapes +preshaping +preshare +preshared +presharing +presharpen +preshelter +preship +preshipment +preshipped +preshipping +preshortage +preshorten +preshow +preshowed +preshowing +preshown +preshows +preshrink +preshrinkage +preshrinking +preshrunk +preside +presided +presidence +presidency +presidencia +presidencies +president +presidente +presidentes +presidentess +presidential +presidentially +presidentiary +presidents +presidentship +presider +presiders +presides +presidy +presidia +presidial +presidially +presidiary +presiding +presidio +presidios +presidium +presidiums +presift +presifted +presifting +presifts +presign +presignal +presignaled +presignify +presignificance +presignificancy +presignificant +presignification +presignificative +presignificator +presignified +presignifying +presylvian +presimian +presympathy +presympathize +presympathized +presympathizing +presymphysial +presymphony +presymphonic +presymptom +presymptomatic +presynapsis +presynaptic +presynaptically +presynsacral +presystematic +presystematically +presystole +presystolic +preslavery +presley +presmooth +presoak +presoaked +presoaking +presoaks +presocial +presocialism +presocialist +presolar +presold +presolicit +presolicitation +presolution +presolvated +presolve +presolved +presolving +presophomore +presound +prespecialist +prespecialize +prespecialized +prespecializing +prespecify +prespecific +prespecifically +prespecification +prespecified +prespecifying +prespective +prespeculate +prespeculated +prespeculating +prespeculation +presphenoid +presphenoidal +presphygmic +prespinal +prespinous +prespiracular +presplendor +presplenomegalic +prespoil +prespontaneity +prespontaneous +prespontaneously +prespread +prespreading +presprinkle +presprinkled +presprinkling +prespur +prespurred +prespurring +press +pressable +pressage +pressboard +pressdom +pressed +pressel +presser +pressers +presses +pressfat +pressful +pressgang +pressible +pressie +pressing +pressingly +pressingness +pressings +pression +pressiroster +pressirostral +pressive +pressly +pressman +pressmanship +pressmark +pressmaster +pressmen +pressor +pressoreceptor +pressors +pressosensitive +presspack +pressroom +pressrooms +pressrun +pressruns +pressurage +pressural +pressure +pressured +pressureless +pressureproof +pressures +pressuring +pressurization +pressurize +pressurized +pressurizer +pressurizers +pressurizes +pressurizing +presswoman +presswomen +presswork +pressworker +prest +prestabilism +prestability +prestable +prestamp +prestamped +prestamping +prestamps +prestandard +prestandardization +prestandardize +prestandardized +prestandardizing +prestant +prestate +prestated +prestating +prestation +prestatistical +presteam +presteel +prester +presternal +presternum +presters +prestezza +prestidigital +prestidigitate +prestidigitation +prestidigitator +prestidigitatory +prestidigitatorial +prestidigitators +prestige +prestigeful +prestiges +prestigiate +prestigiation +prestigiator +prestigious +prestigiously +prestigiousness +prestimulate +prestimulated +prestimulating +prestimulation +prestimuli +prestimulus +prestissimo +prestly +presto +prestock +prestomial +prestomium +prestorage +prestore +prestored +prestoring +prestos +prestraighten +prestrain +prestrengthen +prestress +prestressed +prestretch +prestricken +prestruggle +prestruggled +prestruggling +prests +prestubborn +prestudy +prestudied +prestudying +prestudious +prestudiously +prestudiousness +presubdue +presubdued +presubduing +presubiculum +presubject +presubjection +presubmission +presubmit +presubmitted +presubmitting +presubordinate +presubordinated +presubordinating +presubordination +presubscribe +presubscribed +presubscriber +presubscribing +presubscription +presubsist +presubsistence +presubsistent +presubstantial +presubstitute +presubstituted +presubstituting +presubstitution +presuccess +presuccessful +presuccessfully +presuffer +presuffering +presufficiency +presufficient +presufficiently +presuffrage +presuggest +presuggestion +presuggestive +presuitability +presuitable +presuitably +presul +presumable +presumableness +presumably +presume +presumed +presumedly +presumer +presumers +presumes +presuming +presumingly +presumption +presumptions +presumptious +presumptiously +presumptive +presumptively +presumptiveness +presumptuous +presumptuously +presumptuousness +presuperficial +presuperficiality +presuperficially +presuperfluity +presuperfluous +presuperfluously +presuperintendence +presuperintendency +presupervise +presupervised +presupervising +presupervision +presupervisor +presupplemental +presupplementary +presupply +presupplicate +presupplicated +presupplicating +presupplication +presupplied +presupplying +presupport +presupposal +presuppose +presupposed +presupposes +presupposing +presupposition +presuppositionless +presuppositions +presuppress +presuppression +presuppurative +presupremacy +presupreme +presurgery +presurgical +presurmise +presurmised +presurmising +presurprisal +presurprise +presurrender +presurround +presurvey +presusceptibility +presusceptible +presuspect +presuspend +presuspension +presuspicion +presuspicious +presuspiciously +presuspiciousness +presustain +presutural +preswallow +pret +preta +pretabulate +pretabulated +pretabulating +pretabulation +pretan +pretangible +pretangibly +pretannage +pretanned +pretanning +pretardy +pretardily +pretardiness +pretariff +pretarsi +pretarsus +pretarsusi +pretaste +pretasted +pretaster +pretastes +pretasting +pretaught +pretax +pretaxation +preteach +preteaching +pretechnical +pretechnically +preteen +preteens +pretelegraph +pretelegraphic +pretelephone +pretelephonic +pretell +pretelling +pretemperate +pretemperately +pretemporal +pretempt +pretemptation +pretence +pretenced +pretenceful +pretenceless +pretences +pretend +pretendant +pretended +pretendedly +pretender +pretenderism +pretenders +pretendership +pretending +pretendingly +pretendingness +pretends +pretense +pretensed +pretenseful +pretenseless +pretenses +pretension +pretensional +pretensionless +pretensions +pretensive +pretensively +pretensiveness +pretentative +pretention +pretentious +pretentiously +pretentiousness +preter +pretercanine +preterchristian +preterconventional +preterdetermined +preterdeterminedly +preterdiplomatic +preterdiplomatically +preterequine +preteressential +pretergress +pretergression +preterhuman +preterience +preterient +preterimperfect +preterintentional +preterist +preterit +preterite +preteriteness +preterition +preteritive +preteritness +preterits +preterlabent +preterlegal +preterlethal +preterminal +pretermission +pretermit +pretermitted +pretermitter +pretermitting +preternative +preternatural +preternaturalism +preternaturalist +preternaturality +preternaturally +preternaturalness +preternormal +preternotorious +preternuptial +preterperfect +preterpluperfect +preterpolitical +preterrational +preterregular +preterrestrial +preterritorial +preterroyal +preterscriptural +preterseasonable +pretersensual +pretervection +pretest +pretested +pretestify +pretestified +pretestifying +pretestimony +pretestimonies +pretesting +pretests +pretext +pretexta +pretextae +pretexted +pretexting +pretexts +pretextuous +pretheological +prethyroid +prethoracic +prethoughtful +prethoughtfully +prethoughtfulness +prethreaten +prethrill +prethrust +pretibial +pretil +pretimely +pretimeliness +pretympanic +pretincture +pretyphoid +pretypify +pretypified +pretypifying +pretypographical +pretyranny +pretyrannical +pretire +pretired +pretiring +pretium +pretoken +pretold +pretone +pretonic +pretor +pretoria +pretorial +pretorian +pretorium +pretors +pretorship +pretorsional +pretorture +pretortured +pretorturing +pretournament +pretrace +pretraced +pretracheal +pretracing +pretraditional +pretrain +pretraining +pretransact +pretransaction +pretranscribe +pretranscribed +pretranscribing +pretranscription +pretranslate +pretranslated +pretranslating +pretranslation +pretransmission +pretransmit +pretransmitted +pretransmitting +pretransport +pretransportation +pretravel +pretreat +pretreated +pretreaty +pretreating +pretreatment +pretreats +pretrematic +pretry +pretrial +pretribal +pretried +pretrying +pretrochal +pretty +prettied +prettier +pretties +prettiest +prettyface +prettify +prettification +prettified +prettifier +prettifiers +prettifies +prettifying +prettying +prettyish +prettyism +prettikin +prettily +prettiness +pretubercular +pretuberculous +pretzel +pretzels +preultimate +preultimately +preumbonal +preunderstand +preunderstanding +preunderstood +preundertake +preundertaken +preundertaking +preundertook +preunion +preunions +preunite +preunited +preunites +preuniting +preutilizable +preutilization +preutilize +preutilized +preutilizing +preux +prev +prevacate +prevacated +prevacating +prevacation +prevaccinate +prevaccinated +prevaccinating +prevaccination +prevail +prevailance +prevailed +prevailer +prevailers +prevailing +prevailingly +prevailingness +prevailment +prevails +prevalence +prevalency +prevalencies +prevalent +prevalently +prevalentness +prevalescence +prevalescent +prevalid +prevalidity +prevalidly +prevaluation +prevalue +prevalued +prevaluing +prevariation +prevaricate +prevaricated +prevaricates +prevaricating +prevarication +prevarications +prevaricative +prevaricator +prevaricatory +prevaricators +prevascular +preve +prevegetation +prevelar +prevenance +prevenances +prevenancy +prevenant +prevene +prevened +prevenience +prevenient +preveniently +prevening +prevent +preventability +preventable +preventably +preventative +preventatives +prevented +preventer +preventible +preventing +preventingly +prevention +preventionism +preventionist +preventions +preventive +preventively +preventiveness +preventives +preventoria +preventorium +preventoriums +preventral +prevents +preventtoria +preventure +preventured +preventuring +preverb +preverbal +preverify +preverification +preverified +preverifying +prevernal +preversed +preversing +preversion +prevertebral +prevesical +preveto +prevetoed +prevetoes +prevetoing +previctorious +previde +previdence +preview +previewed +previewing +previews +previgilance +previgilant +previgilantly +previolate +previolated +previolating +previolation +previous +previously +previousness +previse +prevised +previses +previsibility +previsible +previsibly +prevising +prevision +previsional +previsionary +previsioned +previsioning +previsit +previsitor +previsive +previsor +previsors +previze +prevocal +prevocalic +prevocalically +prevocally +prevocational +prevogue +prevoyance +prevoyant +prevoid +prevoidance +prevolitional +prevolunteer +prevomer +prevost +prevot +prevotal +prevote +prevoted +prevoting +prevue +prevued +prevues +prevuing +prewar +prewarm +prewarmed +prewarming +prewarms +prewarn +prewarned +prewarning +prewarns +prewarrant +prewash +prewashed +prewashes +prewashing +preweigh +prewelcome +prewelcomed +prewelcoming +prewelwired +prewelwiring +prewhip +prewhipped +prewhipping +prewilling +prewillingly +prewillingness +prewire +prewired +prewireless +prewiring +prewitness +prewonder +prewonderment +preworldly +preworldliness +preworship +preworthy +preworthily +preworthiness +prewound +prewrap +prewrapped +prewrapping +prewraps +prex +prexes +prexy +prexies +prezygapophysial +prezygapophysis +prezygomatic +prezonal +prezone +prf +pry +pria +priacanthid +priacanthidae +priacanthine +priacanthus +priam +priapean +priapi +priapic +priapism +priapismic +priapisms +priapitis +priapulacea +priapulid +priapulida +priapulidae +priapuloid +priapuloidea +priapulus +priapus +priapuses +priapusian +pribble +price +priceable +priceably +priced +pricefixing +pricey +priceite +priceless +pricelessly +pricelessness +pricemaker +pricer +pricers +prices +prich +pricy +pricier +priciest +pricing +prick +prickado +prickant +pricked +pricker +prickers +pricket +prickets +prickfoot +pricky +prickier +prickiest +pricking +prickingly +prickish +prickle +prickleback +prickled +pricklefish +prickles +prickless +prickly +pricklyback +pricklier +prickliest +prickliness +prickling +pricklingly +pricklouse +prickmadam +prickmedainty +prickproof +pricks +prickseam +prickshot +prickspur +pricktimber +prickwood +pride +prided +prideful +pridefully +pridefulness +prideless +pridelessly +prideling +prides +prideweed +pridy +pridian +priding +pridingly +prie +pried +priedieu +priedieus +priedieux +prier +pryer +priers +pryers +pries +priest +priestal +priestcap +priestcraft +priestdom +priested +priesteen +priestery +priestess +priestesses +priestfish +priestfishes +priesthood +priestianity +priesting +priestish +priestism +priestless +priestlet +priestly +priestlier +priestliest +priestlike +priestliness +priestling +priests +priestship +priestshire +prig +prigdom +prigged +prigger +priggery +priggeries +priggess +prigging +priggish +priggishly +priggishness +priggism +priggisms +prighood +prigman +prigs +prigster +prying +pryingly +pryingness +pryler +prill +prilled +prilling +prillion +prills +prim +prima +primacy +primacies +primacord +primaeval +primage +primages +primal +primality +primally +primaquine +primar +primary +primarian +primaried +primaries +primarily +primariness +primas +primatal +primate +primates +primateship +primatial +primatic +primatical +primatology +primatological +primatologist +primavera +primaveral +prime +primed +primegilt +primely +primeness +primer +primero +primerole +primeros +primers +primes +primeur +primeval +primevalism +primevally +primevarous +primeverin +primeverose +primevity +primevous +primevrin +primi +primy +primianist +primices +primigene +primigenial +primigenian +primigenious +primigenous +primigravida +primine +primines +priming +primings +primipara +primiparae +primiparas +primiparity +primiparous +primipilar +primity +primitiae +primitial +primitias +primitive +primitively +primitiveness +primitives +primitivism +primitivist +primitivistic +primitivity +primly +primmed +primmer +primmest +primming +primness +primnesses +primo +primogenetrix +primogenial +primogenital +primogenitary +primogenitive +primogenitor +primogenitors +primogeniture +primogenitureship +primogenous +primomo +primoprime +primoprimitive +primordality +primordia +primordial +primordialism +primordiality +primordially +primordiate +primordium +primos +primosity +primost +primp +primped +primping +primprint +primps +primrose +primrosed +primroses +primrosetide +primrosetime +primrosy +prims +primsie +primula +primulaceae +primulaceous +primulales +primulas +primulaverin +primulaveroside +primulic +primuline +primulinus +primus +primuses +primwort +prin +prince +princeage +princecraft +princedom +princedoms +princehood +princeite +princekin +princeless +princelet +princely +princelier +princeliest +princelike +princeliness +princeling +princelings +princeps +princes +princeship +princess +princessdom +princesse +princesses +princessly +princesslike +princeton +princewood +princicipia +princify +princified +principal +principality +principalities +principally +principalness +principals +principalship +principate +principe +principes +principi +principia +principial +principiant +principiate +principiation +principium +principle +principled +principles +principly +principling +principulus +princock +princocks +princod +princox +princoxes +prine +pringle +prink +prinked +prinker +prinkers +prinky +prinking +prinkle +prinks +prinos +print +printability +printable +printableness +printably +printanier +printed +printer +printerdom +printery +printeries +printerlike +printers +printing +printings +printless +printline +printmake +printmaker +printmaking +printout +printouts +prints +printscript +printshop +printworks +prio +priodon +priodont +priodontes +prion +prionid +prionidae +prioninae +prionine +prionodesmacea +prionodesmacean +prionodesmaceous +prionodesmatic +prionodon +prionodont +prionopinae +prionopine +prionops +prionus +prior +prioracy +prioral +priorate +priorates +prioress +prioresses +priori +priory +priories +prioristic +prioristically +priorite +priority +priorities +prioritize +prioritized +priorly +priors +priorship +pryproof +prys +prisable +prisage +prisal +priscan +priscian +priscianist +priscilla +priscillian +priscillianism +priscillianist +prise +pryse +prised +prisere +priseres +prises +prisiadka +prising +prism +prismal +prismatic +prismatical +prismatically +prismatization +prismatize +prismatoid +prismatoidal +prismed +prismy +prismoid +prismoidal +prismoids +prisms +prisometer +prison +prisonable +prisonbreak +prisondom +prisoned +prisoner +prisoners +prisonful +prisonhouse +prisoning +prisonlike +prisonment +prisonous +prisons +priss +prisses +prissy +prissier +prissies +prissiest +prissily +prissiness +pristane +pristanes +pristav +pristaw +pristine +pristinely +pristineness +pristipomatidae +pristipomidae +pristis +pristodus +prytaneum +prytany +prytanis +prytanize +pritch +pritchardia +pritchel +prithee +prythee +prittle +prius +priv +privacy +privacies +privacity +privado +privant +privata +privatdocent +privatdozent +private +privateer +privateered +privateering +privateers +privateersman +privately +privateness +privater +privates +privatest +privation +privations +privatism +privatistic +privative +privatively +privativeness +privatization +privatize +privatized +privatizing +privatum +privet +privets +privy +privier +privies +priviest +priviledge +privilege +privileged +privileger +privileges +privileging +privily +priviness +privity +privities +prix +prizable +prize +prizeable +prized +prizefight +prizefighter +prizefighters +prizefighting +prizefights +prizeholder +prizeman +prizemen +prizer +prizery +prizers +prizes +prizetaker +prizewinner +prizewinners +prizewinning +prizeworthy +prizing +prlate +prn +pro +proa +proabolition +proabolitionist +proabortion +proabsolutism +proabsolutist +proabstinence +proacademic +proaccelerin +proacceptance +proach +proacquisition +proacquittal +proacting +proaction +proactive +proactor +proaddition +proadjournment +proadministration +proadmission +proadoption +proadvertising +proadvertizing +proaeresis +proaesthetic +proaggressionist +proagitation +proagon +proagones +proagrarian +proagreement +proagricultural +proagule +proairesis +proairplane +proal +proalcoholism +proalien +proalliance +proallotment +proalteration +proamateur +proambient +proamendment +proamnion +proamniotic +proamusement +proanaphora +proanaphoral +proanarchy +proanarchic +proanarchism +proangiosperm +proangiospermic +proangiospermous +proanimistic +proannexation +proannexationist +proantarctic +proanthropos +proapostolic +proappointment +proapportionment +proappreciation +proappropriation +proapproval +proaquatic +proarbitration +proarbitrationist +proarchery +proarctic +proaristocracy +proaristocratic +proarmy +proart +proarthri +proas +proassessment +proassociation +proatheism +proatheist +proatheistic +proathletic +proatlas +proattack +proattendance +proauction +proaudience +proaulion +proauthor +proauthority +proautomation +proautomobile +proavian +proaviation +proavis +proaward +prob +probabiliorism +probabiliorist +probabilism +probabilist +probabilistic +probabilistically +probability +probabilities +probabilize +probabl +probable +probableness +probably +probachelor +probal +proballoon +proband +probandi +probands +probang +probangs +probanishment +probankruptcy +probant +probargaining +probaseball +probasketball +probata +probate +probated +probates +probathing +probatical +probating +probation +probational +probationally +probationary +probationer +probationerhood +probationers +probationership +probationism +probationist +probations +probationship +probative +probatively +probator +probatory +probattle +probattleship +probatum +probe +probeable +probed +probeer +probenecid +prober +probers +probes +probetting +probing +probings +probiology +probit +probity +probities +probits +probituminous +problem +problematic +problematical +problematically +problematicness +problematist +problematize +problemdom +problemist +problemistic +problemize +problems +problemwise +problockade +proboycott +probonding +probonus +proborrowing +proboscidal +proboscidate +proboscidea +proboscidean +proboscideous +proboscides +proboscidial +proboscidian +proboscidiferous +proboscidiform +probosciform +probosciformed +probosciger +proboscis +proboscises +proboscislike +probouleutic +proboulevard +probowling +proboxing +probrick +probridge +probroadcasting +probudget +probudgeting +probuying +probuilding +probusiness +proc +procaccia +procaccio +procacious +procaciously +procacity +procaine +procaines +procambial +procambium +procanal +procancellation +procapital +procapitalism +procapitalist +procapitalists +procarbazine +procaryote +procaryotic +procarnival +procarp +procarpium +procarps +procarrier +procatalectic +procatalepsis +procatarctic +procatarxis +procathedral +procathedrals +procavia +procaviidae +procbal +procedendo +procedes +procedural +procedurally +procedurals +procedure +procedured +procedures +proceduring +proceed +proceeded +proceeder +proceeders +proceeding +proceedings +proceeds +proceleusmatic +procellaria +procellarian +procellarid +procellariidae +procellariiformes +procellariine +procellas +procello +procellose +procellous +procensorship +procensure +procentralization +procephalic +procercoid +procere +procereal +procerebral +procerebrum +proceremonial +proceremonialism +proceremonialist +proceres +procerite +procerity +proceritic +procerus +process +processability +processable +processal +processed +processer +processes +processibility +processible +processing +procession +processional +processionalist +processionally +processionals +processionary +processioner +processioning +processionist +processionize +processions +processionwise +processive +processor +processors +processual +processus +prochain +procharity +prochein +prochemical +prochlorite +prochondral +prochooi +prochoos +prochordal +prochorion +prochorionic +prochromosome +prochronic +prochronism +prochronistic +prochronize +prochurch +prochurchian +procidence +procident +procidentia +procinct +procyon +procyonidae +procyoniform +procyoniformia +procyoninae +procyonine +procity +procivic +procivilian +procivism +proclaim +proclaimable +proclaimant +proclaimed +proclaimer +proclaimers +proclaiming +proclaimingly +proclaims +proclamation +proclamations +proclamator +proclamatory +proclassic +proclassical +proclei +proclergy +proclerical +proclericalism +proclimax +procline +proclisis +proclitic +proclive +proclivity +proclivities +proclivitous +proclivous +proclivousness +procne +procnemial +procoelia +procoelian +procoelous +procoercion +procoercive +procollectivism +procollectivist +procollectivistic +procollegiate +procolonial +procombat +procombination +procomedy +procommemoration +procomment +procommercial +procommission +procommittee +procommunal +procommunism +procommunist +procommunists +procommunity +procommutation +procompensation +procompetition +procomprise +procompromise +procompulsion +proconcentration +proconcession +proconciliation +procondemnation +proconfederationist +proconference +proconfession +proconfessionist +proconfiscation +proconformity +proconnesian +proconquest +proconscription +proconscriptive +proconservation +proconservationist +proconsolidation +proconstitutional +proconstitutionalism +proconsul +proconsular +proconsulary +proconsularly +proconsulate +proconsulates +proconsuls +proconsulship +proconsulships +proconsultation +procontinuation +proconvention +proconventional +proconviction +procoracoid +procoracoidal +procorporation +procosmetic +procosmopolitan +procotols +procotton +procourt +procrastinate +procrastinated +procrastinates +procrastinating +procrastinatingly +procrastination +procrastinative +procrastinatively +procrastinativeness +procrastinator +procrastinatory +procrastinators +procreant +procreate +procreated +procreates +procreating +procreation +procreative +procreativeness +procreativity +procreator +procreatory +procreators +procreatress +procreatrix +procremation +procrypsis +procryptic +procryptically +procris +procritic +procritique +procrustean +procrusteanism +procrusteanize +procrustes +proctal +proctalgy +proctalgia +proctatresy +proctatresia +proctectasia +proctectomy +procteurynter +proctitis +proctocele +proctocystoplasty +proctocystotomy +proctoclysis +proctocolitis +proctocolonoscopy +proctodaea +proctodaeal +proctodaedaea +proctodaeum +proctodaeums +proctodea +proctodeal +proctodeudea +proctodeum +proctodeums +proctodynia +proctoelytroplastic +proctology +proctologic +proctological +proctologies +proctologist +proctologists +proctoparalysis +proctoplasty +proctoplastic +proctoplegia +proctopolypus +proctoptoma +proctoptosis +proctor +proctorage +proctoral +proctored +proctorial +proctorially +proctorical +proctoring +proctorization +proctorize +proctorling +proctorrhagia +proctorrhaphy +proctorrhea +proctors +proctorship +proctoscope +proctoscopes +proctoscopy +proctoscopic +proctoscopically +proctoscopies +proctosigmoidectomy +proctosigmoiditis +proctospasm +proctostenosis +proctostomy +proctotome +proctotomy +proctotresia +proctotrypid +proctotrypidae +proctotrypoid +proctotrypoidea +proctovalvotomy +proculcate +proculcation +proculian +procumbent +procurability +procurable +procurableness +procuracy +procuracies +procural +procurals +procurance +procurate +procuration +procurative +procurator +procuratorate +procuratory +procuratorial +procurators +procuratorship +procuratrix +procure +procured +procurement +procurements +procurer +procurers +procures +procuress +procuresses +procureur +procuring +procurrent +procursive +procurvation +procurved +proczarist +prod +prodatary +prodd +prodded +prodder +prodders +prodding +proddle +prodecoration +prodefault +prodefiance +prodelay +prodelision +prodemocracy +prodemocrat +prodemocratic +prodenia +prodenominational +prodentine +prodeportation +prodespotic +prodespotism +prodialogue +prodigal +prodigalish +prodigalism +prodigality +prodigalize +prodigally +prodigals +prodigy +prodigies +prodigiosity +prodigious +prodigiously +prodigiousness +prodigus +prodisarmament +prodisplay +prodissoconch +prodissolution +prodistribution +prodition +proditor +proditorious +proditoriously +prodivision +prodivorce +prodomoi +prodomos +prodproof +prodramatic +prodroma +prodromal +prodromata +prodromatic +prodromatically +prodrome +prodromes +prodromic +prodromous +prodromus +prods +producal +produce +produceable +produceableness +produced +producement +producent +producer +producers +producership +produces +producibility +producible +producibleness +producing +product +producted +productibility +productible +productid +productidae +productile +production +productional +productionist +productions +productive +productively +productiveness +productivity +productoid +productor +productory +productress +products +productus +proecclesiastical +proeconomy +proeducation +proeducational +proegumenal +proelectric +proelectrical +proelectrification +proelectrocution +proelimination +proem +proembryo +proembryonic +proemial +proemium +proempire +proempiricism +proempiricist +proemployee +proemployer +proemployment +proemptosis +proems +proenforcement +proenlargement +proenzym +proenzyme +proepimeron +proepiscopist +proepisternum +proequality +proestrus +proethical +proethnic +proethnically +proetid +proetidae +proette +proettes +proetus +proevolution +proevolutionary +proevolutionist +proexamination +proexecutive +proexemption +proexercise +proexperiment +proexperimentation +proexpert +proexporting +proexposure +proextension +proextravagance +prof +proface +profaculty +profanable +profanableness +profanably +profanation +profanations +profanatory +profanchise +profane +profaned +profanely +profanement +profaneness +profaner +profaners +profanes +profaning +profanism +profanity +profanities +profanize +profarmer +profascism +profascist +profascists +profection +profectional +profectitious +profederation +profeminism +profeminist +profeminists +profer +proferment +profert +profess +professable +professed +professedly +professes +professing +profession +professional +professionalisation +professionalise +professionalised +professionalising +professionalism +professionalist +professionalists +professionality +professionalization +professionalize +professionalized +professionalizing +professionally +professionals +professionist +professionize +professionless +professions +professive +professively +professor +professorate +professordom +professoress +professorhood +professory +professorial +professorialism +professorially +professoriat +professoriate +professorlike +professorling +professors +professorship +professorships +proffer +proffered +profferer +profferers +proffering +proffers +profichi +proficience +proficiency +proficiencies +proficient +proficiently +proficientness +profiction +proficuous +proficuously +profile +profiled +profiler +profilers +profiles +profiling +profilist +profilograph +profit +profitability +profitable +profitableness +profitably +profited +profiteer +profiteered +profiteering +profiteers +profiter +profiterole +profiters +profiting +profitless +profitlessly +profitlessness +profitmonger +profitmongering +profitproof +profits +profitsharing +profitted +profitter +profitters +proflated +proflavine +profligacy +profligacies +profligate +profligated +profligately +profligateness +profligates +profligation +proflogger +profluence +profluent +profluvious +profluvium +profonde +proforeign +proforma +profound +profounder +profoundest +profoundly +profoundness +profounds +profraternity +profre +profs +profugate +profulgent +profunda +profundae +profundity +profundities +profuse +profusely +profuseness +profuser +profusion +profusive +profusively +profusiveness +prog +progambling +progamete +progamic +proganosaur +proganosauria +progenerate +progeneration +progenerative +progeny +progenies +progenital +progenity +progenitive +progenitiveness +progenitor +progenitorial +progenitors +progenitorship +progenitress +progenitrix +progeniture +progeotropic +progeotropism +progeria +progermination +progestational +progesterone +progestin +progestogen +progged +progger +proggers +progging +progymnasium +progymnosperm +progymnospermic +progymnospermous +progypsy +proglottic +proglottid +proglottidean +proglottides +proglottis +prognathi +prognathy +prognathic +prognathism +prognathous +progne +prognose +prognosed +prognoses +prognosing +prognosis +prognostic +prognosticable +prognostical +prognostically +prognosticate +prognosticated +prognosticates +prognosticating +prognostication +prognostications +prognosticative +prognosticator +prognosticatory +prognosticators +prognostics +progoneate +progospel +progovernment +prograde +program +programable +programatic +programed +programer +programers +programing +programist +programistic +programma +programmability +programmable +programmar +programmata +programmatic +programmatically +programmatist +programme +programmed +programmer +programmers +programmes +programming +programmist +programmng +programs +progravid +progrede +progrediency +progredient +progress +progressed +progresser +progresses +progressing +progression +progressional +progressionally +progressionary +progressionism +progressionist +progressions +progressism +progressist +progressive +progressively +progressiveness +progressives +progressivism +progressivist +progressivistic +progressivity +progressor +progs +proguardian +prohaste +proheim +prohibit +prohibita +prohibited +prohibiter +prohibiting +prohibition +prohibitionary +prohibitionism +prohibitionist +prohibitionists +prohibitions +prohibitive +prohibitively +prohibitiveness +prohibitor +prohibitory +prohibitorily +prohibits +prohibitum +prohydrotropic +prohydrotropism +proholiday +prohostility +prohuman +prohumanistic +proidealistic +proimmigration +proimmunity +proinclusion +proincrease +proindemnity +proindustry +proindustrial +proindustrialisation +proindustrialization +proinjunction +proinnovationist +proinquiry +proinsurance +prointegration +prointervention +proinvestment +proirrigation +projacient +project +projectable +projected +projectedly +projectile +projectiles +projecting +projectingly +projection +projectional +projectionist +projectionists +projections +projective +projectively +projectivity +projector +projectors +projectress +projectrix +projects +projecture +projet +projets +projicience +projicient +projiciently +projournalistic +projudicial +prokaryote +proke +prokeimenon +proker +prokindergarten +proklausis +prolabium +prolabor +prolacrosse +prolactin +prolamin +prolamine +prolamins +prolan +prolans +prolapse +prolapsed +prolapses +prolapsing +prolapsion +prolapsus +prolarva +prolarval +prolate +prolately +prolateness +prolation +prolative +prolatively +prole +proleague +proleaguer +prolectite +proleg +prolegate +prolegislative +prolegomena +prolegomenal +prolegomenary +prolegomenist +prolegomenon +prolegomenona +prolegomenous +prolegs +proleniency +prolepses +prolepsis +proleptic +proleptical +proleptically +proleptics +proles +proletaire +proletairism +proletary +proletarian +proletarianise +proletarianised +proletarianising +proletarianism +proletarianization +proletarianize +proletarianly +proletarianness +proletarians +proletariat +proletariate +proletariatism +proletaries +proletarise +proletarised +proletarising +proletarization +proletarize +proletarized +proletarizing +proletcult +proletkult +proleucocyte +proleukocyte +prolia +prolicense +prolicidal +prolicide +proliferant +proliferate +proliferated +proliferates +proliferating +proliferation +proliferations +proliferative +proliferous +proliferously +prolify +prolific +prolificacy +prolifical +prolifically +prolificalness +prolificate +prolificated +prolificating +prolification +prolificy +prolificity +prolificly +prolificness +proligerous +prolyl +prolin +proline +prolines +proliquor +proliterary +proliturgical +proliturgist +prolix +prolixious +prolixity +prolixly +prolixness +proller +prolocution +prolocutor +prolocutorship +prolocutress +prolocutrix +prolog +prologed +prologi +prologing +prologise +prologised +prologising +prologist +prologize +prologized +prologizer +prologizing +prologlike +prologos +prologs +prologue +prologued +prologuelike +prologuer +prologues +prologuing +prologuise +prologuised +prologuiser +prologuising +prologuist +prologuize +prologuized +prologuizer +prologuizing +prologulogi +prologus +prolong +prolongable +prolongableness +prolongably +prolongate +prolongated +prolongating +prolongation +prolongations +prolonge +prolonged +prolonger +prolonges +prolonging +prolongment +prolongs +prolotherapy +prolusion +prolusionize +prolusory +prom +promachinery +promachos +promagisterial +promagistracy +promagistrate +promajority +promammal +promammalia +promammalian +promarriage +promatrimonial +promatrimonialist +promaximum +promazine +promemorial +promenade +promenaded +promenader +promenaderess +promenaders +promenades +promenading +promercantile +promercy +promerger +promeristem +promerit +promeritor +promerops +prometacenter +promethazine +promethea +promethean +prometheus +promethium +promic +promycelia +promycelial +promycelium +promilitary +promilitarism +promilitarist +prominence +prominences +prominency +prominent +prominently +prominimum +proministry +prominority +promisable +promiscuity +promiscuities +promiscuous +promiscuously +promiscuousness +promise +promised +promisee +promisees +promiseful +promiseless +promisemonger +promiseproof +promiser +promisers +promises +promising +promisingly +promisingness +promisor +promisors +promiss +promissionary +promissive +promissor +promissory +promissorily +promissvry +promit +promythic +promitosis +promittor +promnesia +promo +promoderation +promoderationist +promodern +promodernist +promodernistic +promonarchy +promonarchic +promonarchical +promonarchicalness +promonarchist +promonarchists +promonopoly +promonopolist +promonopolistic +promontory +promontoried +promontories +promoral +promorph +promorphology +promorphological +promorphologically +promorphologist +promotability +promotable +promote +promoted +promotement +promoter +promoters +promotes +promoting +promotion +promotional +promotions +promotive +promotiveness +promotor +promotorial +promotress +promotrix +promovable +promoval +promove +promovent +prompt +promptbook +promptbooks +prompted +prompter +prompters +promptest +prompting +promptings +promptitude +promptive +promptly +promptness +promptorium +promptress +prompts +promptuary +prompture +proms +promulgate +promulgated +promulgates +promulgating +promulgation +promulgations +promulgator +promulgatory +promulgators +promulge +promulged +promulger +promulges +promulging +promuscidate +promuscis +pron +pronaoi +pronaos +pronate +pronated +pronates +pronating +pronation +pronational +pronationalism +pronationalist +pronationalistic +pronative +pronatoflexor +pronator +pronatores +pronators +pronaval +pronavy +prone +pronegotiation +pronegro +pronegroism +pronely +proneness +pronephric +pronephridiostome +pronephron +pronephros +proneur +prong +prongbuck +pronged +pronger +pronghorn +pronghorns +prongy +pronging +pronglike +prongs +pronic +pronymph +pronymphal +pronity +pronograde +pronomial +pronominal +pronominalize +pronominally +pronomination +prononce +pronota +pronotal +pronotum +pronoun +pronounal +pronounce +pronounceable +pronounceableness +pronounced +pronouncedly +pronouncedness +pronouncement +pronouncements +pronounceness +pronouncer +pronounces +pronouncing +pronouns +pronpl +pronto +pronuba +pronubial +pronuclear +pronuclei +pronucleus +pronumber +pronunciability +pronunciable +pronuncial +pronunciamento +pronunciamentos +pronunciation +pronunciational +pronunciations +pronunciative +pronunciator +pronunciatory +proo +proode +prooemiac +prooemion +prooemium +proof +proofed +proofer +proofers +proofful +proofy +proofing +proofless +prooflessly +prooflike +proofness +proofread +proofreader +proofreaders +proofreading +proofreads +proofroom +proofs +prop +propacifism +propacifist +propadiene +propaedeutic +propaedeutical +propaedeutics +propagability +propagable +propagableness +propagand +propaganda +propagandic +propagandise +propagandised +propagandising +propagandism +propagandist +propagandistic +propagandistically +propagandists +propagandize +propagandized +propagandizes +propagandizing +propagate +propagated +propagates +propagating +propagation +propagational +propagations +propagative +propagator +propagatory +propagators +propagatress +propagines +propago +propagula +propagule +propagulla +propagulum +propayment +propale +propalinal +propane +propanedicarboxylic +propanedioic +propanediol +propanes +propanol +propanone +propapist +proparasceve +proparent +propargyl +propargylic +proparia +proparian +proparliamental +proparoxytone +proparoxytonic +proparticipation +propassion +propatagial +propatagian +propatagium +propatriotic +propatriotism +propatronage +propel +propellable +propellant +propellants +propelled +propellent +propeller +propellers +propelling +propellor +propelment +propels +propend +propended +propendent +propending +propends +propene +propenes +propenyl +propenylic +propenoic +propenol +propenols +propense +propensely +propenseness +propension +propensity +propensities +propensitude +proper +properdin +properer +properest +properispome +properispomenon +properitoneal +properly +properness +propers +property +propertied +properties +propertyless +propertyship +propessimism +propessimist +prophage +prophages +prophase +prophases +prophasic +prophasis +prophecy +prophecies +prophecymonger +prophesy +prophesiable +prophesied +prophesier +prophesiers +prophesies +prophesying +prophet +prophetess +prophetesses +prophethood +prophetic +prophetical +propheticality +prophetically +propheticalness +propheticism +propheticly +prophetism +prophetize +prophetless +prophetlike +prophetry +prophets +prophetship +prophylactic +prophylactical +prophylactically +prophylactics +prophylactodontia +prophylactodontist +prophylaxes +prophylaxy +prophylaxis +prophyll +prophyllum +prophilosophical +prophloem +prophoric +prophototropic +prophototropism +propygidium +propyl +propyla +propylacetic +propylaea +propylaeum +propylalaea +propylamine +propylation +propylene +propylhexedrine +propylic +propylidene +propylite +propylitic +propylitization +propylon +propyls +propination +propine +propyne +propined +propines +propining +propinoic +propynoic +propinquant +propinque +propinquitatis +propinquity +propinquous +propio +propiolaldehyde +propiolate +propiolic +propionaldehyde +propionate +propione +propionibacteria +propionibacterieae +propionibacterium +propionic +propionyl +propionitril +propionitrile +propithecus +propitiable +propitial +propitiate +propitiated +propitiates +propitiating +propitiatingly +propitiation +propitiative +propitiator +propitiatory +propitiatorily +propitious +propitiously +propitiousness +propjet +propjets +proplasm +proplasma +proplastic +proplastid +propless +propleural +propleuron +proplex +proplexus +propliopithecus +propman +propmen +propmistress +propmistresses +propodeal +propodeon +propodeum +propodial +propodiale +propodite +propoditic +propodium +propoganda +propolis +propolises +propolitical +propolitics +propolization +propolize +propoma +propomata +propone +proponed +proponement +proponent +proponents +proponer +propones +proponing +propons +propontic +propontis +propooling +propopery +proport +proportion +proportionability +proportionable +proportionableness +proportionably +proportional +proportionalism +proportionality +proportionally +proportionate +proportionated +proportionately +proportionateness +proportionating +proportioned +proportioner +proportioning +proportionless +proportionment +proportions +propos +proposable +proposal +proposals +proposant +propose +proposed +proposedly +proposer +proposers +proposes +proposing +propositi +propositio +proposition +propositional +propositionally +propositioned +propositioning +propositionize +propositions +propositus +propositusti +proposterously +propound +propounded +propounder +propounders +propounding +propoundment +propounds +propoxy +propoxyphene +proppage +propped +propper +propping +propr +propraetor +propraetorial +propraetorian +propranolol +proprecedent +propretor +propretorial +propretorian +propria +propriation +propriatory +proprietage +proprietary +proprietarian +proprietariat +proprietaries +proprietarily +proprietatis +propriety +proprieties +proprietor +proprietory +proprietorial +proprietorially +proprietors +proprietorship +proprietorships +proprietous +proprietress +proprietresses +proprietrix +proprioception +proprioceptive +proprioceptor +propriospinal +proprium +proprivilege +proproctor +proprofit +proprovincial +proprovost +props +propter +propterygial +propterygium +proptosed +proptoses +proptosis +propublication +propublicity +propugn +propugnacled +propugnaculum +propugnation +propugnator +propugner +propulsation +propulsatory +propulse +propulsion +propulsions +propulsity +propulsive +propulsor +propulsory +propunishment +propupa +propupal +propurchase +propus +propwood +proquaestor +proracing +prorailroad +prorata +proratable +prorate +prorated +prorater +prorates +prorating +proration +prore +proreader +prorealism +prorealist +prorealistic +proreality +prorean +prorebate +prorebel +prorecall +proreciprocation +prorecognition +proreconciliation +prorector +prorectorate +proredemption +proreduction +proreferendum +proreform +proreformist +prorefugee +proregent +prorelease +proreptilia +proreptilian +proreption +prorepublican +proresearch +proreservationist +proresignation +prorestoration +prorestriction +prorevision +prorevisionist +prorevolution +prorevolutionary +prorevolutionist +prorex +prorhinal +prorhipidoglossomorpha +proritual +proritualistic +prorogate +prorogation +prorogations +prorogator +prorogue +prorogued +proroguer +prorogues +proroguing +proroyal +proroyalty +proromance +proromantic +proromanticism +prorrhesis +prorsa +prorsad +prorsal +prorump +proruption +pros +prosabbath +prosabbatical +prosacral +prosaic +prosaical +prosaically +prosaicalness +prosaicism +prosaicness +prosaism +prosaisms +prosaist +prosaists +prosal +prosapy +prosar +prosarthri +prosateur +proscapula +proscapular +proscenia +proscenium +prosceniums +proscholastic +proscholasticism +proscholium +proschool +proscience +proscientific +proscind +proscynemata +prosciutto +proscolecine +proscolex +proscolices +proscribable +proscribe +proscribed +proscriber +proscribes +proscribing +proscript +proscription +proscriptional +proscriptionist +proscriptions +proscriptive +proscriptively +proscriptiveness +proscutellar +proscutellum +prose +prosecrecy +prosecretin +prosect +prosected +prosecting +prosection +prosector +prosectorial +prosectorium +prosectorship +prosects +prosecutable +prosecute +prosecuted +prosecutes +prosecuting +prosecution +prosecutions +prosecutive +prosecutor +prosecutory +prosecutorial +prosecutors +prosecutrices +prosecutrix +prosecutrixes +prosed +proseity +proselenic +prosely +proselike +proselyte +proselyted +proselyter +proselytes +proselytical +proselyting +proselytingly +proselytisation +proselytise +proselytised +proselytiser +proselytising +proselytism +proselytist +proselytistic +proselytization +proselytize +proselytized +proselytizer +proselytizers +proselytizes +proselytizing +proseman +proseminar +proseminary +proseminate +prosemination +prosencephalic +prosencephalon +prosenchyma +prosenchymas +prosenchymata +prosenchymatous +proseneschal +prosequendum +prosequi +prosequitur +proser +proserpina +proserpinaca +prosers +proses +prosethmoid +proseucha +proseuche +prosy +prosier +prosiest +prosify +prosification +prosifier +prosily +prosiliency +prosilient +prosiliently +prosyllogism +prosilverite +prosimiae +prosimian +prosyndicalism +prosyndicalist +prosiness +prosing +prosingly +prosiphon +prosiphonal +prosiphonate +prosish +prosist +prosit +proskomide +proslambanomenos +proslave +proslaver +proslavery +proslaveryism +proslyted +proslyting +prosneusis +proso +prosobranch +prosobranchia +prosobranchiata +prosobranchiate +prosocele +prosocoele +prosodal +prosode +prosodemic +prosodetic +prosody +prosodiac +prosodiacal +prosodiacally +prosodial +prosodially +prosodian +prosodic +prosodical +prosodically +prosodics +prosodies +prosodion +prosodist +prosodus +prosogaster +prosogyrate +prosogyrous +prosoma +prosomal +prosomas +prosomatic +prosonomasia +prosopalgia +prosopalgic +prosopantritis +prosopectasia +prosophist +prosopic +prosopically +prosopyl +prosopyle +prosopis +prosopite +prosopium +prosoplasia +prosopography +prosopographical +prosopolepsy +prosopon +prosoponeuralgia +prosopoplegia +prosopoplegic +prosopopoeia +prosopopoeial +prosoposchisis +prosopospasm +prosopotocia +prosorus +prosos +prospect +prospected +prospecting +prospection +prospections +prospective +prospectively +prospectiveness +prospectives +prospectless +prospector +prospectors +prospects +prospectus +prospectuses +prospectusless +prospeculation +prosper +prosperation +prospered +prosperer +prospering +prosperity +prosperities +prospero +prosperous +prosperously +prosperousness +prospers +prosphysis +prosphora +prosphoron +prospice +prospicience +prosporangium +prosport +pross +prosser +prossy +prosstoa +prost +prostades +prostaglandin +prostas +prostasis +prostatauxe +prostate +prostatectomy +prostatectomies +prostatelcosis +prostates +prostatic +prostaticovesical +prostatism +prostatitic +prostatitis +prostatocystitis +prostatocystotomy +prostatodynia +prostatolith +prostatomegaly +prostatometer +prostatomyomectomy +prostatorrhea +prostatorrhoea +prostatotomy +prostatovesical +prostatovesiculectomy +prostatovesiculitis +prostemmate +prostemmatic +prostern +prosterna +prosternal +prosternate +prosternum +prosternums +prostheca +prosthenic +prostheses +prosthesis +prosthetic +prosthetically +prosthetics +prosthetist +prosthion +prosthionic +prosthodontia +prosthodontic +prosthodontics +prosthodontist +prostigmin +prostyle +prostyles +prostylos +prostitute +prostituted +prostitutely +prostitutes +prostituting +prostitution +prostitutor +prostoa +prostomia +prostomial +prostomiate +prostomium +prostomiumia +prostoon +prostrate +prostrated +prostrates +prostrating +prostration +prostrations +prostrative +prostrator +prostrike +prosubmission +prosubscription +prosubstantive +prosubstitution +prosuffrage +prosupervision +prosupport +prosurgical +prosurrender +protactic +protactinium +protagon +protagonism +protagonist +protagonists +protagorean +protagoreanism +protalbumose +protamin +protamine +protamins +protandry +protandric +protandrism +protandrous +protandrously +protanomal +protanomaly +protanomalous +protanope +protanopia +protanopic +protargentum +protargin +protargol +protariff +protarsal +protarsus +protases +protasis +protaspis +protatic +protatically +protax +protaxation +protaxial +protaxis +prote +protea +proteaceae +proteaceous +protead +protean +proteanly +proteanwise +proteas +protease +proteases +protechnical +protect +protectable +protectant +protected +protectee +protectible +protecting +protectingly +protectinglyrmal +protectingness +protection +protectional +protectionate +protectionism +protectionist +protectionists +protectionize +protections +protectionship +protective +protectively +protectiveness +protectograph +protector +protectoral +protectorate +protectorates +protectory +protectorial +protectorian +protectories +protectorless +protectors +protectorship +protectress +protectresses +protectrix +protects +protege +protegee +protegees +proteges +protegulum +protei +proteic +proteid +proteida +proteidae +proteide +proteidean +proteides +proteidogenous +proteids +proteiform +protein +proteinaceous +proteinase +proteinate +proteinic +proteinochromogen +proteinous +proteinphobia +proteins +proteinuria +proteinuric +proteles +protelidae +protelytroptera +protelytropteran +protelytropteron +protelytropterous +protemperance +protempirical +protemporaneous +protend +protended +protending +protends +protense +protension +protensity +protensive +protensively +proteoclastic +proteogenous +proteolipide +proteolysis +proteolytic +proteopectic +proteopexy +proteopexic +proteopexis +proteosaurid +proteosauridae +proteosaurus +proteose +proteoses +proteosoma +proteosomal +proteosome +proteosuria +protephemeroid +protephemeroidea +proterandry +proterandric +proterandrous +proterandrously +proterandrousness +proteranthy +proteranthous +proterobase +proterogyny +proterogynous +proteroglyph +proteroglypha +proteroglyphic +proteroglyphous +proterothesis +proterotype +proterozoic +proterve +protervity +protest +protestable +protestancy +protestant +protestantish +protestantishly +protestantism +protestantize +protestantly +protestantlike +protestants +protestation +protestations +protestator +protestatory +protested +protester +protesters +protesting +protestingly +protestive +protestor +protestors +protests +protetrarch +proteus +protevangel +protevangelion +protevangelium +protext +prothalamia +prothalamion +prothalamium +prothalamiumia +prothalli +prothallia +prothallial +prothallic +prothalline +prothallium +prothalloid +prothallus +protheatrical +protheca +protheses +prothesis +prothetely +prothetelic +prothetic +prothetical +prothetically +prothyl +prothysteron +prothmia +prothonotary +prothonotarial +prothonotariat +prothonotaries +prothonotaryship +prothoraces +prothoracic +prothorax +prothoraxes +prothrift +prothrombin +prothrombogen +protid +protide +protyl +protyle +protyles +protylopus +protyls +protiodide +protype +protist +protista +protistan +protistic +protistology +protistological +protistologist +protiston +protists +protium +protiums +proto +protoactinium +protoalbumose +protoamphibian +protoanthropic +protoapostate +protoarchitect +protoascales +protoascomycetes +protobacco +protobasidii +protobasidiomycetes +protobasidiomycetous +protobasidium +protobishop +protoblast +protoblastic +protoblattoid +protoblattoidea +protobranchia +protobranchiata +protobranchiate +protocalcium +protocanonical +protocaris +protocaseose +protocatechualdehyde +protocatechuic +protoceras +protoceratidae +protoceratops +protocercal +protocerebral +protocerebrum +protochemist +protochemistry +protochloride +protochlorophyll +protochorda +protochordata +protochordate +protochromium +protochronicler +protocitizen +protoclastic +protocneme +protococcaceae +protococcaceous +protococcal +protococcales +protococcoid +protococcus +protocol +protocolar +protocolary +protocoled +protocoleoptera +protocoleopteran +protocoleopteron +protocoleopterous +protocoling +protocolist +protocolization +protocolize +protocolled +protocolling +protocols +protoconch +protoconchal +protocone +protoconid +protoconule +protoconulid +protocopper +protocorm +protodeacon +protoderm +protodermal +protodevil +protodynastic +protodonata +protodonatan +protodonate +protodont +protodonta +protodramatic +protoelastose +protoepiphyte +protoforaminifer +protoforester +protogalaxy +protogaster +protogelatose +protogenal +protogenes +protogenesis +protogenetic +protogenic +protogenist +protogeometric +protogine +protogyny +protogynous +protoglobulose +protogod +protogonous +protogospel +protograph +protohematoblast +protohemiptera +protohemipteran +protohemipteron +protohemipterous +protoheresiarch +protohydra +protohydrogen +protohymenoptera +protohymenopteran +protohymenopteron +protohymenopterous +protohippus +protohistory +protohistorian +protohistoric +protohomo +protohuman +protoypes +protoiron +protolanguage +protoleration +protoleucocyte +protoleukocyte +protolithic +protoliturgic +protolog +protologist +protoloph +protoma +protomagister +protomagnate +protomagnesium +protomala +protomalal +protomalar +protomammal +protomammalian +protomanganese +protomartyr +protomastigida +protome +protomeristem +protomerite +protomeritic +protometal +protometallic +protometals +protometaphrast +protomycetales +protominobacter +protomyosinose +protomonadina +protomonostelic +protomorph +protomorphic +proton +protonate +protonated +protonation +protone +protonegroid +protonema +protonemal +protonemata +protonematal +protonematoid +protoneme +protonemertini +protonephridial +protonephridium +protonephros +protoneuron +protoneurone +protoneutron +protonic +protonickel +protonym +protonymph +protonymphal +protonitrate +protonotary +protonotater +protonotion +protonotions +protons +protopapas +protopappas +protoparent +protopathy +protopathia +protopathic +protopatriarchal +protopatrician +protopattern +protopectin +protopectinase +protopepsia +protoperlaria +protoperlarian +protophyll +protophilosophic +protophyta +protophyte +protophytic +protophloem +protopin +protopine +protopyramid +protoplanet +protoplasm +protoplasma +protoplasmal +protoplasmatic +protoplasmic +protoplast +protoplastic +protopod +protopodial +protopodite +protopoditic +protopods +protopoetic +protopope +protoporphyrin +protopragmatic +protopresbyter +protopresbytery +protoprism +protoproteose +protoprotestant +protopteran +protopteridae +protopteridophyte +protopterous +protopterus +protore +protorebel +protoreligious +protoreptilian +protorohippus +protorosaur +protorosauria +protorosaurian +protorosauridae +protorosauroid +protorosaurus +protorthoptera +protorthopteran +protorthopteron +protorthopterous +protosalt +protosaurian +protoscientific +protoselachii +protosilicate +protosilicon +protosinner +protosyntonose +protosiphon +protosiphonaceae +protosiphonaceous +protosocial +protosolution +protospasm +protosphargis +protospondyli +protospore +protostar +protostega +protostegidae +protostele +protostelic +protostome +protostrontium +protosulphate +protosulphide +prototaxites +prototheca +protothecal +prototheme +protothere +prototheria +prototherian +prototypal +prototype +prototyped +prototypes +prototypic +prototypical +prototypically +prototyping +prototypographer +prototyrant +prototitanium +prototracheata +prototraitor +prototroch +prototrochal +prototroph +prototrophy +prototrophic +protovanadium +protoveratrine +protovertebra +protovertebral +protovestiary +protovillain +protovum +protoxid +protoxide +protoxidize +protoxidized +protoxids +protoxylem +protozoa +protozoacidal +protozoacide +protozoal +protozoan +protozoans +protozoea +protozoean +protozoiasis +protozoic +protozoology +protozoological +protozoologist +protozoon +protozoonal +protozzoa +protracheata +protracheate +protract +protracted +protractedly +protractedness +protracter +protractible +protractile +protractility +protracting +protraction +protractive +protractor +protractors +protracts +protrade +protradition +protraditional +protragedy +protragical +protragie +protransfer +protranslation +protransubstantiation +protravel +protreasurer +protreaty +protremata +protreptic +protreptical +protriaene +protropical +protrudable +protrude +protruded +protrudent +protrudes +protruding +protrusible +protrusile +protrusility +protrusion +protrusions +protrusive +protrusively +protrusiveness +protthalli +protuberance +protuberances +protuberancy +protuberancies +protuberant +protuberantial +protuberantly +protuberantness +protuberate +protuberated +protuberating +protuberosity +protuberous +protura +proturan +protutor +protutory +proud +prouder +proudest +proudful +proudhearted +proudish +proudishly +proudly +proudling +proudness +prouniformity +prounion +prounionism +prounionist +prouniversity +proustian +proustite +prov +provability +provable +provableness +provably +provaccination +provaccine +provaccinist +provand +provant +provascular +prove +provect +provection +proved +proveditor +proveditore +provedly +provedor +provedore +proven +provenance +provenances +provencal +provencalize +provence +provencial +provend +provender +provene +provenience +provenient +provenly +provent +proventricular +proventricule +proventriculi +proventriculus +prover +proverb +proverbed +proverbial +proverbialism +proverbialist +proverbialize +proverbially +proverbic +proverbing +proverbiology +proverbiologist +proverbize +proverblike +proverbs +provers +proves +proviant +provicar +provicariate +providable +providance +provide +provided +providence +provident +providential +providentialism +providentially +providently +providentness +provider +providers +provides +providing +providore +providoring +province +provinces +provincial +provincialate +provincialism +provincialist +provinciality +provincialities +provincialization +provincialize +provincially +provincialship +provinciate +provinculum +provine +proving +provingly +proviral +provirus +proviruses +provision +provisional +provisionality +provisionally +provisionalness +provisionary +provisioned +provisioner +provisioneress +provisioning +provisionless +provisionment +provisions +provisive +proviso +provisoes +provisor +provisory +provisorily +provisorship +provisos +provitamin +provivisection +provivisectionist +provocant +provocateur +provocateurs +provocation +provocational +provocations +provocative +provocatively +provocativeness +provocator +provocatory +provokable +provoke +provoked +provokee +provoker +provokers +provokes +provoking +provokingly +provokingness +provola +provolone +provolunteering +provoquant +provost +provostal +provostess +provostorial +provostry +provosts +provostship +prow +prowar +prowarden +prowaterpower +prowed +prower +prowersite +prowess +prowessed +prowesses +prowessful +prowest +prowfish +prowfishes +prowl +prowled +prowler +prowlers +prowling +prowlingly +prowls +prows +prox +proxemic +proxemics +proxenet +proxenete +proxenetism +proxeny +proxenos +proxenus +proxy +proxically +proxied +proxies +proxying +proxima +proximad +proximal +proximally +proximate +proximately +proximateness +proximation +proxime +proximity +proximities +proximo +proximobuccal +proximolabial +proximolingual +proxyship +proxysm +prozygapophysis +prozymite +prozone +prozoning +prp +prs +prude +prudely +prudelike +prudence +prudences +prudent +prudential +prudentialism +prudentialist +prudentiality +prudentially +prudentialness +prudently +prudery +pruderies +prudes +prudhomme +prudy +prudish +prudishly +prudishness +prudist +prudity +prue +pruh +pruigo +pruinate +pruinescence +pruinose +pruinous +prulaurasin +prunability +prunable +prunableness +prunably +prunaceae +prunase +prunasin +prune +pruned +prunell +prunella +prunellas +prunelle +prunelles +prunellidae +prunello +prunellos +pruner +pruners +prunes +prunetin +prunetol +pruniferous +pruniform +pruning +prunitrin +prunt +prunted +prunus +prurience +pruriency +prurient +pruriently +pruriginous +prurigo +prurigos +pruriousness +pruritic +pruritus +prurituses +prusiano +prussia +prussian +prussianisation +prussianise +prussianised +prussianiser +prussianising +prussianism +prussianization +prussianize +prussianized +prussianizer +prussianizing +prussians +prussiate +prussic +prussify +prussification +prussin +prussine +prut +pruta +prutah +prutenic +prutot +prutoth +ps +psalis +psalloid +psalm +psalmbook +psalmed +psalmy +psalmic +psalming +psalmist +psalmister +psalmistry +psalmists +psalmless +psalmody +psalmodial +psalmodic +psalmodical +psalmodies +psalmodist +psalmodize +psalmograph +psalmographer +psalmography +psalms +psaloid +psalter +psalterer +psaltery +psalteria +psalterial +psalterian +psalteries +psalterion +psalterist +psalterium +psalters +psaltes +psalteteria +psaltress +psaltry +psaltries +psammead +psammite +psammites +psammitic +psammocarcinoma +psammocharid +psammocharidae +psammogenous +psammolithic +psammology +psammologist +psammoma +psammophile +psammophilous +psammophis +psammophyte +psammophytic +psammosarcoma +psammosere +psammotherapy +psammous +psarolite +psaronius +pschent +pschents +psec +psedera +pselaphidae +pselaphus +psellism +psellismus +psend +psephism +psephisma +psephite +psephites +psephitic +psephology +psephological +psephologist +psephomancy +psephurus +psetta +pseud +pseudaconin +pseudaconine +pseudaconitine +pseudacusis +pseudalveolar +pseudambulacral +pseudambulacrum +pseudamoeboid +pseudamphora +pseudamphorae +pseudandry +pseudangina +pseudankylosis +pseudaphia +pseudaposematic +pseudapospory +pseudaposporous +pseudapostle +pseudarachnidan +pseudarthrosis +pseudataxic +pseudatoll +pseudaxine +pseudaxis +pseudechis +pseudelephant +pseudelytron +pseudelminth +pseudembryo +pseudembryonic +pseudencephalic +pseudencephalus +pseudepigraph +pseudepigrapha +pseudepigraphal +pseudepigraphy +pseudepigraphic +pseudepigraphical +pseudepigraphous +pseudepiploic +pseudepiploon +pseudepiscopacy +pseudepiscopy +pseudepisematic +pseudesthesia +pseudhaemal +pseudhalteres +pseudhemal +pseudimaginal +pseudimago +pseudisodomic +pseudisodomum +pseudo +pseudoacaccia +pseudoacacia +pseudoacademic +pseudoacademical +pseudoacademically +pseudoaccidental +pseudoaccidentally +pseudoacid +pseudoaconitine +pseudoacquaintance +pseudoacromegaly +pseudoadiabatic +pseudoaesthetic +pseudoaesthetically +pseudoaffectionate +pseudoaffectionately +pseudoaggressive +pseudoaggressively +pseudoalkaloid +pseudoallegoristic +pseudoallele +pseudoallelic +pseudoallelism +pseudoalum +pseudoalveolar +pseudoamateurish +pseudoamateurishly +pseudoamateurism +pseudoamatory +pseudoamatorial +pseudoambidextrous +pseudoambidextrously +pseudoameboid +pseudoanachronistic +pseudoanachronistical +pseudoanaphylactic +pseudoanaphylaxis +pseudoanarchistic +pseudoanatomic +pseudoanatomical +pseudoanatomically +pseudoancestral +pseudoancestrally +pseudoanemia +pseudoanemic +pseudoangelic +pseudoangelical +pseudoangelically +pseudoangina +pseudoangular +pseudoangularly +pseudoankylosis +pseudoanthorine +pseudoanthropoid +pseudoanthropology +pseudoanthropological +pseudoantique +pseudoapologetic +pseudoapologetically +pseudoapoplectic +pseudoapoplectical +pseudoapoplectically +pseudoapoplexy +pseudoappendicitis +pseudoapplicative +pseudoapprehensive +pseudoapprehensively +pseudoaquatic +pseudoarchaic +pseudoarchaically +pseudoarchaism +pseudoarchaist +pseudoaristocratic +pseudoaristocratical +pseudoaristocratically +pseudoarthrosis +pseudoarticulate +pseudoarticulately +pseudoarticulation +pseudoartistic +pseudoartistically +pseudoascetic +pseudoascetical +pseudoascetically +pseudoasymmetry +pseudoasymmetric +pseudoasymmetrical +pseudoasymmetrically +pseudoassertive +pseudoassertively +pseudoassociational +pseudoastringent +pseudoataxia +pseudobacterium +pseudobankrupt +pseudobaptismal +pseudobasidium +pseudobchia +pseudobenefactory +pseudobenevolent +pseudobenevolently +pseudobenthonic +pseudobenthos +pseudobia +pseudobinary +pseudobiographic +pseudobiographical +pseudobiographically +pseudobiological +pseudobiologically +pseudoblepsia +pseudoblepsis +pseudobrachia +pseudobrachial +pseudobrachium +pseudobranch +pseudobranchia +pseudobranchial +pseudobranchiate +pseudobranchus +pseudobrookite +pseudobrotherly +pseudobulb +pseudobulbar +pseudobulbil +pseudobulbous +pseudobutylene +pseudocandid +pseudocandidly +pseudocapitulum +pseudocaptive +pseudocarbamide +pseudocarcinoid +pseudocarp +pseudocarpous +pseudocartilaginous +pseudocatholically +pseudocele +pseudocelian +pseudocelic +pseudocellus +pseudocelom +pseudocentric +pseudocentrous +pseudocentrum +pseudoceratites +pseudoceratitic +pseudocercaria +pseudocercariae +pseudocercerci +pseudocerci +pseudocercus +pseudoceryl +pseudocharitable +pseudocharitably +pseudochemical +pseudochylous +pseudochina +pseudochrysalis +pseudochrysolite +pseudochromesthesia +pseudochromia +pseudochromosome +pseudochronism +pseudochronologist +pseudocyclosis +pseudocyesis +pseudocyphella +pseudocirrhosis +pseudocyst +pseudoclassic +pseudoclassical +pseudoclassicality +pseudoclassicism +pseudoclerical +pseudoclerically +pseudococcinae +pseudococcus +pseudococtate +pseudocoel +pseudocoele +pseudocoelom +pseudocoelomate +pseudocoelome +pseudocollegiate +pseudocolumella +pseudocolumellar +pseudocommissural +pseudocommissure +pseudocommisural +pseudocompetitive +pseudocompetitively +pseudoconcha +pseudoconclude +pseudocone +pseudoconfessional +pseudoconglomerate +pseudoconglomeration +pseudoconhydrine +pseudoconjugation +pseudoconservative +pseudoconservatively +pseudocorneous +pseudocortex +pseudocosta +pseudocotyledon +pseudocotyledonal +pseudocotyledonary +pseudocourteous +pseudocourteously +pseudocrystalline +pseudocritical +pseudocritically +pseudocroup +pseudocubic +pseudocubical +pseudocubically +pseudocultivated +pseudocultural +pseudoculturally +pseudocumene +pseudocumenyl +pseudocumidine +pseudocumyl +pseudodeltidium +pseudodementia +pseudodemocratic +pseudodemocratically +pseudoderm +pseudodermic +pseudodevice +pseudodiagnosis +pseudodiastolic +pseudodiphtheria +pseudodiphtherial +pseudodiphtheric +pseudodiphtheritic +pseudodipteral +pseudodipterally +pseudodipteros +pseudodysentery +pseudodivine +pseudodont +pseudodox +pseudodoxal +pseudodoxy +pseudodramatic +pseudodramatically +pseudoeconomical +pseudoeconomically +pseudoedema +pseudoedemata +pseudoeditorial +pseudoeditorially +pseudoeducational +pseudoeducationally +pseudoelectoral +pseudoelephant +pseudoembryo +pseudoembryonic +pseudoemotional +pseudoemotionally +pseudoencephalitic +pseudoenthusiastic +pseudoenthusiastically +pseudoephedrine +pseudoepiscopal +pseudoequalitarian +pseudoerysipelas +pseudoerysipelatous +pseudoerythrin +pseudoerotic +pseudoerotically +pseudoeroticism +pseudoethical +pseudoethically +pseudoetymological +pseudoetymologically +pseudoeugenics +pseudoevangelic +pseudoevangelical +pseudoevangelically +pseudoexperimental +pseudoexperimentally +pseudofaithful +pseudofaithfully +pseudofamous +pseudofamously +pseudofarcy +pseudofatherly +pseudofeminine +pseudofever +pseudofeverish +pseudofeverishly +pseudofilaria +pseudofilarian +pseudofiles +pseudofinal +pseudofinally +pseudofluctuation +pseudofluorescence +pseudofoliaceous +pseudoform +pseudofossil +pseudogalena +pseudoganglion +pseudogaseous +pseudogaster +pseudogastrula +pseudogenera +pseudogeneral +pseudogeneric +pseudogenerical +pseudogenerically +pseudogenerous +pseudogenteel +pseudogentlemanly +pseudogenus +pseudogenuses +pseudogeometry +pseudogermanic +pseudogeusia +pseudogeustia +pseudogyne +pseudogyny +pseudogynous +pseudogyrate +pseudoglanders +pseudoglioma +pseudoglobulin +pseudoglottis +pseudograph +pseudographeme +pseudographer +pseudography +pseudographia +pseudographize +pseudograsserie +pseudogryphus +pseudohallucination +pseudohallucinatory +pseudohalogen +pseudohemal +pseudohemophilia +pseudohermaphrodism +pseudohermaphrodite +pseudohermaphroditic +pseudohermaphroditism +pseudoheroic +pseudoheroical +pseudoheroically +pseudohexagonal +pseudohexagonally +pseudohydrophobia +pseudohyoscyamine +pseudohypertrophy +pseudohypertrophic +pseudohistoric +pseudohistorical +pseudohistorically +pseudoholoptic +pseudohuman +pseudohumanistic +pseudoidentical +pseudoimpartial +pseudoimpartially +pseudoindependent +pseudoindependently +pseudoinfluenza +pseudoinsane +pseudoinsoluble +pseudoinspirational +pseudoinspiring +pseudoinstruction +pseudoinstructions +pseudointellectual +pseudointellectually +pseudointellectuals +pseudointernational +pseudointernationalistic +pseudoinvalid +pseudoinvalidly +pseudoyohimbine +pseudoisatin +pseudoism +pseudoisomer +pseudoisomeric +pseudoisomerism +pseudoisometric +pseudoisotropy +pseudojervine +pseudolabia +pseudolabial +pseudolabium +pseudolalia +pseudolamellibranchia +pseudolamellibranchiata +pseudolamellibranchiate +pseudolaminated +pseudolarix +pseudolateral +pseudolatry +pseudolegal +pseudolegality +pseudolegendary +pseudolegislative +pseudoleucite +pseudoleucocyte +pseudoleukemia +pseudoleukemic +pseudoliberal +pseudoliberally +pseudolichen +pseudolinguistic +pseudolinguistically +pseudoliterary +pseudolobar +pseudology +pseudological +pseudologically +pseudologist +pseudologue +pseudolunula +pseudolunulae +pseudolunule +pseudomalachite +pseudomalaria +pseudomancy +pseudomania +pseudomaniac +pseudomantic +pseudomantist +pseudomasculine +pseudomedical +pseudomedically +pseudomedieval +pseudomedievally +pseudomelanosis +pseudomembrane +pseudomembranous +pseudomemory +pseudomeningitis +pseudomenstruation +pseudomer +pseudomery +pseudomeric +pseudomerism +pseudometallic +pseudometameric +pseudometamerism +pseudometric +pseudomica +pseudomycelial +pseudomycelium +pseudomilitary +pseudomilitarily +pseudomilitarist +pseudomilitaristic +pseudoministerial +pseudoministry +pseudomiraculous +pseudomiraculously +pseudomythical +pseudomythically +pseudomitotic +pseudomnesia +pseudomodern +pseudomodest +pseudomodestly +pseudomonades +pseudomonas +pseudomonastic +pseudomonastical +pseudomonastically +pseudomonocyclic +pseudomonoclinic +pseudomonocotyledonous +pseudomonotropy +pseudomoral +pseudomoralistic +pseudomorph +pseudomorphia +pseudomorphic +pseudomorphine +pseudomorphism +pseudomorphose +pseudomorphosis +pseudomorphous +pseudomorula +pseudomorular +pseudomucin +pseudomucoid +pseudomultilocular +pseudomultiseptate +pseudomutuality +pseudonarcotic +pseudonational +pseudonationally +pseudonavicella +pseudonavicellar +pseudonavicula +pseudonavicular +pseudoneuropter +pseudoneuroptera +pseudoneuropteran +pseudoneuropterous +pseudonychium +pseudonym +pseudonymal +pseudonymic +pseudonymity +pseudonymous +pseudonymously +pseudonymousness +pseudonyms +pseudonymuncle +pseudonymuncule +pseudonitrol +pseudonitrole +pseudonitrosite +pseudonoble +pseudonuclein +pseudonucleolus +pseudoobscura +pseudooccidental +pseudoofficial +pseudoofficially +pseudoorganic +pseudoorganically +pseudooriental +pseudoorientally +pseudoorthorhombic +pseudooval +pseudoovally +pseudopagan +pseudopapal +pseudopapaverine +pseudoparalyses +pseudoparalysis +pseudoparalytic +pseudoparallel +pseudoparallelism +pseudoparaplegia +pseudoparasitic +pseudoparasitism +pseudoparenchyma +pseudoparenchymatous +pseudoparenchyme +pseudoparesis +pseudoparthenogenesis +pseudopatriotic +pseudopatriotically +pseudopediform +pseudopelletierine +pseudopercular +pseudoperculate +pseudoperculum +pseudoperianth +pseudoperidium +pseudoperiodic +pseudoperipteral +pseudoperipteros +pseudopermanent +pseudoperoxide +pseudoperspective +pseudopeziza +pseudophallic +pseudophellandrene +pseudophenanthrene +pseudophenanthroline +pseudophenocryst +pseudophilanthropic +pseudophilanthropical +pseudophilanthropically +pseudophilosophical +pseudophoenix +pseudophone +pseudopionnotes +pseudopious +pseudopiously +pseudopyriform +pseudoplasm +pseudoplasma +pseudoplasmodium +pseudopneumonia +pseudopod +pseudopodal +pseudopode +pseudopodia +pseudopodial +pseudopodian +pseudopodic +pseudopodiospore +pseudopodium +pseudopoetic +pseudopoetical +pseudopolitic +pseudopolitical +pseudopopular +pseudopore +pseudoporphyritic +pseudopregnancy +pseudopregnant +pseudopriestly +pseudoprimitive +pseudoprimitivism +pseudoprincely +pseudoproboscis +pseudoprofessional +pseudoprofessorial +pseudoprophetic +pseudoprophetical +pseudoprosperous +pseudoprosperously +pseudoprostyle +pseudopsia +pseudopsychological +pseudoptics +pseudoptosis +pseudopupa +pseudopupal +pseudopurpurin +pseudoquinol +pseudorabies +pseudoracemic +pseudoracemism +pseudoramose +pseudoramulus +pseudorandom +pseudorealistic +pseudoreduction +pseudoreformatory +pseudoreformed +pseudoregal +pseudoregally +pseudoreligious +pseudoreligiously +pseudoreminiscence +pseudorepublican +pseudoresident +pseudoresidential +pseudorganic +pseudorheumatic +pseudorhombohedral +pseudoroyal +pseudoroyally +pseudoromantic +pseudoromantically +pseudorunic +pseudosacred +pseudosacrilegious +pseudosacrilegiously +pseudosalt +pseudosatirical +pseudosatirically +pseudoscalar +pseudoscarlatina +pseudoscarus +pseudoscholarly +pseudoscholastic +pseudoscholastically +pseudoscience +pseudoscientific +pseudoscientifically +pseudoscientist +pseudoscines +pseudoscinine +pseudosclerosis +pseudoscope +pseudoscopy +pseudoscopic +pseudoscopically +pseudoscorpion +pseudoscorpiones +pseudoscorpionida +pseudoscutum +pseudosemantic +pseudosemantically +pseudosematic +pseudosensational +pseudoseptate +pseudoservile +pseudoservilely +pseudosessile +pseudosyllogism +pseudosymmetry +pseudosymmetric +pseudosymmetrical +pseudosymptomatic +pseudosyphilis +pseudosyphilitic +pseudosiphonal +pseudosiphonic +pseudosiphuncal +pseudoskeletal +pseudoskeleton +pseudoskink +pseudosmia +pseudosocial +pseudosocialistic +pseudosocially +pseudosolution +pseudosoph +pseudosopher +pseudosophy +pseudosophical +pseudosophist +pseudospectral +pseudosperm +pseudospermic +pseudospermium +pseudospermous +pseudosphere +pseudospherical +pseudospiracle +pseudospiritual +pseudospiritually +pseudosporangium +pseudospore +pseudosquamate +pseudostalactite +pseudostalactitic +pseudostalactitical +pseudostalagmite +pseudostalagmitic +pseudostalagmitical +pseudostereoscope +pseudostereoscopic +pseudostereoscopism +pseudostigma +pseudostigmatic +pseudostoma +pseudostomatous +pseudostomous +pseudostratum +pseudostudious +pseudostudiously +pseudosubtle +pseudosubtly +pseudosuchia +pseudosuchian +pseudosuicidal +pseudosweating +pseudotabes +pseudotachylite +pseudotetanus +pseudotetragonal +pseudotetramera +pseudotetrameral +pseudotetramerous +pseudotyphoid +pseudotrachea +pseudotracheal +pseudotribal +pseudotribally +pseudotributary +pseudotrimera +pseudotrimeral +pseudotrimerous +pseudotripteral +pseudotropine +pseudotsuga +pseudotubercular +pseudotuberculosis +pseudotuberculous +pseudoturbinal +pseudoval +pseudovary +pseudovarian +pseudovaries +pseudovelar +pseudovelum +pseudoventricle +pseudoviaduct +pseudoviperine +pseudoviperous +pseudoviperously +pseudoviscosity +pseudoviscous +pseudovolcanic +pseudovolcano +pseudovum +pseudowhorl +pseudoxanthine +pseudozealot +pseudozealous +pseudozealously +pseudozoea +pseudozoogloeal +pseudozoological +psf +psha +pshav +pshaw +pshawed +pshawing +pshaws +psi +psia +psych +psychagogy +psychagogic +psychagogos +psychagogue +psychal +psychalgia +psychanalysis +psychanalysist +psychanalytic +psychanalytically +psychasthenia +psychasthenic +psychataxia +psyche +psychean +psyched +psychedelia +psychedelic +psychedelically +psychedelics +psycheometry +psyches +psychesthesia +psychesthetic +psychiasis +psychiater +psychiatry +psychiatria +psychiatric +psychiatrical +psychiatrically +psychiatries +psychiatrist +psychiatrists +psychiatrize +psychic +psychical +psychically +psychichthys +psychicism +psychicist +psychics +psychid +psychidae +psyching +psychism +psychist +psycho +psychoacoustic +psychoacoustics +psychoactive +psychoanal +psychoanalyse +psychoanalyses +psychoanalysis +psychoanalyst +psychoanalysts +psychoanalytic +psychoanalytical +psychoanalytically +psychoanalyze +psychoanalyzed +psychoanalyzer +psychoanalyzes +psychoanalyzing +psychoautomatic +psychobiochemistry +psychobiology +psychobiologic +psychobiological +psychobiologist +psychobiotic +psychocatharsis +psychochemical +psychochemist +psychochemistry +psychoclinic +psychoclinical +psychoclinicist +psychoda +psychodelic +psychodiagnosis +psychodiagnostic +psychodiagnostics +psychodidae +psychodynamic +psychodynamics +psychodispositional +psychodrama +psychodramas +psychodramatic +psychoeducational +psychoepilepsy +psychoethical +psychofugal +psychogalvanic +psychogalvanometer +psychogenesis +psychogenetic +psychogenetical +psychogenetically +psychogenetics +psychogeny +psychogenic +psychogenically +psychogeriatrics +psychognosy +psychognosis +psychognostic +psychogony +psychogonic +psychogonical +psychogram +psychograph +psychographer +psychography +psychographic +psychographically +psychographist +psychohistory +psychoid +psychokyme +psychokineses +psychokinesia +psychokinesis +psychokinetic +psychol +psycholepsy +psycholeptic +psycholinguistic +psycholinguistics +psychologer +psychology +psychologian +psychologic +psychological +psychologically +psychologics +psychologies +psychologised +psychologising +psychologism +psychologist +psychologistic +psychologists +psychologize +psychologized +psychologizing +psychologue +psychomachy +psychomancy +psychomantic +psychometer +psychometry +psychometric +psychometrical +psychometrically +psychometrician +psychometrics +psychometries +psychometrist +psychometrize +psychomonism +psychomoral +psychomorphic +psychomorphism +psychomotility +psychomotor +psychon +psychoneural +psychoneurological +psychoneuroses +psychoneurosis +psychoneurotic +psychony +psychonomy +psychonomic +psychonomics +psychoorganic +psychopanychite +psychopannychy +psychopannychian +psychopannychism +psychopannychist +psychopannychistic +psychopath +psychopathy +psychopathia +psychopathic +psychopathically +psychopathies +psychopathist +psychopathology +psychopathologic +psychopathological +psychopathologically +psychopathologist +psychopaths +psychopetal +psychopharmacology +psychopharmacologic +psychopharmacological +psychophysic +psychophysical +psychophysically +psychophysicist +psychophysics +psychophysiology +psychophysiologic +psychophysiological +psychophysiologically +psychophysiologist +psychophobia +psychophonasthenia +psychoplasm +psychopomp +psychopompos +psychoprophylactic +psychoprophylaxis +psychoquackeries +psychorealism +psychorealist +psychorealistic +psychoreflex +psychorhythm +psychorhythmia +psychorhythmic +psychorhythmical +psychorhythmically +psychorrhagy +psychorrhagic +psychos +psychosarcous +psychosensory +psychosensorial +psychoses +psychosexual +psychosexuality +psychosexually +psychosyntheses +psychosynthesis +psychosynthetic +psychosis +psychosocial +psychosocially +psychosociology +psychosomatic +psychosomatics +psychosome +psychosophy +psychostasy +psychostatic +psychostatical +psychostatically +psychostatics +psychosurgeon +psychosurgery +psychotaxis +psychotechnical +psychotechnician +psychotechnics +psychotechnology +psychotechnological +psychotechnologist +psychotheism +psychotheist +psychotherapeutic +psychotherapeutical +psychotherapeutically +psychotherapeutics +psychotherapeutist +psychotherapy +psychotherapies +psychotherapist +psychotherapists +psychotic +psychotically +psychotics +psychotogen +psychotogenic +psychotomimetic +psychotoxic +psychotria +psychotrine +psychotropic +psychovital +psychozoic +psychroesthesia +psychrograph +psychrometer +psychrometry +psychrometric +psychrometrical +psychrophile +psychrophilic +psychrophyte +psychrophobia +psychrophore +psychrotherapies +psychs +psychurgy +psycter +psid +psidium +psig +psykter +psykters +psilanthropy +psilanthropic +psilanthropism +psilanthropist +psilatro +psylla +psyllas +psyllid +psyllidae +psyllids +psyllium +psiloceran +psiloceras +psiloceratan +psiloceratid +psiloceratidae +psilocybin +psilocin +psiloi +psilology +psilomelane +psilomelanic +psilophytales +psilophyte +psilophyton +psiloses +psilosis +psilosopher +psilosophy +psilotaceae +psilotaceous +psilothrum +psilotic +psilotum +psis +psithyrus +psithurism +psittaceous +psittaceously +psittaci +psittacidae +psittaciformes +psittacinae +psittacine +psittacinite +psittacism +psittacistic +psittacomorphae +psittacomorphic +psittacosis +psittacotic +psittacus +psywar +psize +psoadic +psoae +psoai +psoas +psoatic +psocid +psocidae +psocids +psocine +psoitis +psomophagy +psomophagic +psomophagist +psora +psoralea +psoraleas +psoriases +psoriasic +psoriasiform +psoriasis +psoriatic +psoriatiform +psoric +psoroid +psorophora +psorophthalmia +psorophthalmic +psoroptes +psoroptic +psorosis +psorosperm +psorospermial +psorospermiasis +psorospermic +psorospermiform +psorospermosis +psorous +psovie +pssimistical +psst +pst +psuedo +psw +pt +pta +ptarmic +ptarmica +ptarmical +ptarmigan +ptarmigans +pte +ptelea +ptenoglossa +ptenoglossate +pteranodon +pteranodont +pteranodontidae +pteraspid +pteraspidae +pteraspis +ptereal +pterergate +pterian +pteric +pterichthyodes +pterichthys +pterideous +pteridium +pteridography +pteridoid +pteridology +pteridological +pteridologist +pteridophilism +pteridophilist +pteridophilistic +pteridophyta +pteridophyte +pteridophytes +pteridophytic +pteridophytous +pteridosperm +pteridospermae +pteridospermaphyta +pteridospermaphytic +pteridospermous +pterygia +pterygial +pterygiophore +pterygium +pterygiums +pterygobranchiate +pterygode +pterygodum +pterygogenea +pterygoid +pterygoidal +pterygoidean +pterygomalar +pterygomandibular +pterygomaxillary +pterygopalatal +pterygopalatine +pterygopharyngeal +pterygopharyngean +pterygophore +pterygopodium +pterygoquadrate +pterygosphenoid +pterygospinous +pterygostaphyline +pterygota +pterygote +pterygotous +pterygotrabecular +pterygotus +pteryla +pterylae +pterylography +pterylographic +pterylographical +pterylology +pterylological +pterylosis +pterin +pterins +pterion +pteryrygia +pteris +pterna +pterobranchia +pterobranchiate +pterocarya +pterocarpous +pterocarpus +pterocaulon +pterocera +pteroceras +pterocles +pterocletes +pteroclidae +pteroclomorphae +pteroclomorphic +pterodactyl +pterodactyli +pterodactylian +pterodactylic +pterodactylid +pterodactylidae +pterodactyloid +pterodactylous +pterodactyls +pterodactylus +pterographer +pterography +pterographic +pterographical +pteroid +pteroylglutamic +pteroylmonogl +pteroma +pteromalid +pteromalidae +pteromata +pteromys +pteron +pteronophobia +pteropaedes +pteropaedic +pteropegal +pteropegous +pteropegum +pterophorid +pterophoridae +pterophorus +pterophryne +pteropid +pteropidae +pteropine +pteropod +pteropoda +pteropodal +pteropodan +pteropodial +pteropodidae +pteropodium +pteropodous +pteropods +pteropsida +pteropus +pterosaur +pterosauri +pterosauria +pterosaurian +pterospermous +pterospora +pterostemon +pterostemonaceae +pterostigma +pterostigmal +pterostigmatic +pterostigmatical +pterotheca +pterothorax +pterotic +ptg +pty +ptyalagogic +ptyalagogue +ptyalectases +ptyalectasis +ptyalin +ptyalins +ptyalism +ptyalisms +ptyalize +ptyalized +ptyalizing +ptyalocele +ptyalogenic +ptyalolith +ptyalolithiasis +ptyalorrhea +ptychoparia +ptychoparid +ptychopariid +ptychopterygial +ptychopterygium +ptychosperma +ptilichthyidae +ptiliidae +ptilimnium +ptilinal +ptilinum +ptilocercus +ptilonorhynchidae +ptilonorhynchinae +ptilopaedes +ptilopaedic +ptilosis +ptilota +ptinid +ptinidae +ptinoid +ptinus +ptisan +ptisans +ptysmagogue +ptyxis +ptochocracy +ptochogony +ptochology +ptolemaean +ptolemaian +ptolemaic +ptolemaical +ptolemaism +ptolemaist +ptolemean +ptolemy +ptomain +ptomaine +ptomaines +ptomainic +ptomains +ptomatropine +ptoses +ptosis +ptotic +ptp +pts +ptt +ptts +pu +pua +puan +pub +pubal +pubble +puberal +pubertal +puberty +pubertic +puberties +puberulent +puberulous +pubes +pubescence +pubescency +pubescent +pubian +pubic +pubigerous +pubiotomy +pubis +publ +public +publica +publicae +publically +publican +publicanism +publicans +publicate +publication +publicational +publications +publice +publichearted +publicheartedness +publici +publicism +publicist +publicists +publicity +publicization +publicize +publicized +publicizer +publicizes +publicizing +publicly +publicness +publics +publicum +publicute +publilian +publish +publishable +published +publisher +publisheress +publishers +publishership +publishes +publishing +publishment +pubococcygeal +pubofemoral +puboiliac +puboischiac +puboischial +puboischiatic +puboprostatic +puborectalis +pubotibial +pubourethral +pubovesical +pubs +puca +puccini +puccinia +pucciniaceae +pucciniaceous +puccinoid +puccoon +puccoons +puce +pucelage +pucellage +pucellas +pucelle +puceron +puces +puchanahua +puchera +pucherite +puchero +puck +pucka +puckball +pucker +puckerbush +puckered +puckerel +puckerer +puckerers +puckery +puckerier +puckeriest +puckering +puckermouth +puckers +puckfist +puckfoist +puckish +puckishly +puckishness +puckle +pucklike +puckling +puckneedle +puckrel +pucks +pucksey +puckster +pud +pudda +puddee +puddening +pudder +puddy +pudding +puddingberry +puddinghead +puddingheaded +puddinghouse +puddingy +puddinglike +puddings +puddingstone +puddingwife +puddingwives +puddle +puddleball +puddlebar +puddled +puddlelike +puddler +puddlers +puddles +puddly +puddlier +puddliest +puddling +puddlings +puddock +pudency +pudencies +pudenda +pudendal +pudendous +pudendum +pudent +pudge +pudgy +pudgier +pudgiest +pudgily +pudginess +pudiano +pudibund +pudibundity +pudic +pudical +pudicity +pudicitia +puds +pudsey +pudsy +pudu +pueblito +pueblo +puebloan +puebloization +puebloize +pueblos +puelche +puelchean +pueraria +puerer +puericulture +puerile +puerilely +puerileness +puerilism +puerility +puerilities +puerman +puerpera +puerperae +puerperal +puerperalism +puerperant +puerpery +puerperia +puerperium +puerperous +puerto +puff +puffback +puffball +puffballs +puffbird +puffed +puffer +puffery +pufferies +puffers +puffy +puffier +puffiest +puffily +puffin +puffiness +puffinet +puffing +puffingly +puffins +puffinus +pufflet +puffs +pufftn +puffwig +pug +pugaree +pugarees +pugdog +pugenello +puget +puggaree +puggarees +pugged +pugger +puggi +puggy +puggier +puggiest +pugginess +pugging +puggish +puggle +puggree +puggrees +puggry +puggries +pugh +pugil +pugilant +pugilism +pugilisms +pugilist +pugilistic +pugilistical +pugilistically +pugilists +puglianite +pugman +pugmark +pugmarks +pugmill +pugmiller +pugnacious +pugnaciously +pugnaciousness +pugnacity +pugree +pugrees +pugs +puy +puya +puyallup +puinavi +puinavian +puinavis +puir +puirness +puirtith +puisne +puisnes +puisny +puissance +puissant +puissantly +puissantness +puist +puistie +puja +pujari +pujunan +puka +pukatea +pukateine +puke +puked +pukeka +pukeko +puker +pukes +pukeweed +pukhtun +puky +puking +pukish +pukishness +pukka +pukras +puku +pul +pulahan +pulahanes +pulahanism +pulaya +pulayan +pulajan +pulas +pulasan +pulaskite +pulchrify +pulchritude +pulchritudinous +pule +puled +pulegol +pulegone +puleyn +puler +pulers +pules +pulex +pulgada +pulghere +puli +puly +pulian +pulicarious +pulicat +pulicate +pulicene +pulicid +pulicidae +pulicidal +pulicide +pulicides +pulicine +pulicoid +pulicose +pulicosity +pulicous +pulijan +pulik +puling +pulingly +pulings +puliol +pulis +pulish +pulitzer +pulk +pulka +pull +pullable +pullaile +pullalue +pullback +pullbacks +pullboat +pulldevil +pulldoo +pulldown +pulldrive +pulled +pulley +pulleyless +pulleys +pullen +puller +pullery +pulleries +pullers +pullet +pullets +pulli +pullicat +pullicate +pulling +pullings +pullisee +pullman +pullmanize +pullmans +pullock +pullorum +pullout +pullouts +pullover +pullovers +pulls +pullshovel +pullulant +pullulate +pullulated +pullulating +pullulation +pullulative +pullus +pulment +pulmobranchia +pulmobranchial +pulmobranchiate +pulmocardiac +pulmocutaneous +pulmogastric +pulmometer +pulmometry +pulmonal +pulmonar +pulmonary +pulmonaria +pulmonarian +pulmonata +pulmonate +pulmonated +pulmonectomy +pulmonectomies +pulmonic +pulmonical +pulmonifer +pulmonifera +pulmoniferous +pulmonitis +pulmotor +pulmotors +pulmotracheal +pulmotracheary +pulmotrachearia +pulmotracheate +pulp +pulpaceous +pulpal +pulpalgia +pulpally +pulpamenta +pulpar +pulpatone +pulpatoon +pulpboard +pulpectomy +pulped +pulpefaction +pulper +pulperia +pulpers +pulpy +pulpier +pulpiest +pulpify +pulpification +pulpified +pulpifier +pulpifying +pulpily +pulpiness +pulping +pulpit +pulpital +pulpitarian +pulpiteer +pulpiter +pulpitful +pulpitic +pulpitical +pulpitically +pulpitis +pulpitish +pulpitism +pulpitize +pulpitless +pulpitly +pulpitolatry +pulpitry +pulpits +pulpitum +pulpless +pulplike +pulpotomy +pulpous +pulpousness +pulps +pulpstone +pulpwood +pulpwoods +pulque +pulques +puls +pulsant +pulsar +pulsars +pulsatance +pulsate +pulsated +pulsates +pulsatile +pulsatility +pulsatilla +pulsating +pulsation +pulsational +pulsations +pulsative +pulsatively +pulsator +pulsatory +pulsators +pulse +pulsebeat +pulsed +pulsejet +pulsejets +pulseless +pulselessly +pulselessness +pulselike +pulsellum +pulser +pulsers +pulses +pulsidge +pulsific +pulsimeter +pulsing +pulsion +pulsions +pulsive +pulsojet +pulsojets +pulsometer +pulsus +pultaceous +pulton +pultost +pultun +pulture +pulu +pulv +pulverable +pulverableness +pulveraceous +pulverant +pulverate +pulverated +pulverating +pulveration +pulvereous +pulverescent +pulverin +pulverine +pulverisable +pulverisation +pulverise +pulverised +pulveriser +pulverising +pulverizable +pulverizate +pulverization +pulverizator +pulverize +pulverized +pulverizer +pulverizes +pulverizing +pulverous +pulverulence +pulverulent +pulverulently +pulvic +pulvil +pulvilio +pulvillar +pulvilli +pulvilliform +pulvillus +pulvinar +pulvinaria +pulvinarian +pulvinate +pulvinated +pulvinately +pulvination +pulvini +pulvinic +pulviniform +pulvinni +pulvino +pulvinule +pulvinulus +pulvinus +pulviplume +pulwar +puma +pumas +pume +pumelo +pumelos +pumex +pumicate +pumicated +pumicating +pumice +pumiced +pumiceous +pumicer +pumicers +pumices +pumiciform +pumicing +pumicite +pumicites +pumicose +pummel +pummeled +pummeling +pummelled +pummelling +pummels +pummice +pump +pumpable +pumpage +pumped +pumpellyite +pumper +pumpernickel +pumpers +pumpet +pumphandle +pumping +pumpkin +pumpkinify +pumpkinification +pumpkinish +pumpkinity +pumpkins +pumpkinseed +pumpknot +pumple +pumpless +pumplike +pumpman +pumpmen +pumps +pumpsman +pumpwell +pumpwright +pun +puna +punaise +punalua +punaluan +punamu +punan +punas +punatoo +punce +punch +punchable +punchayet +punchball +punchboard +punchbowl +punched +puncheon +puncheons +puncher +punchers +punches +punchy +punchier +punchiest +punchinello +punchiness +punching +punchless +punchlike +punchproof +punct +punctal +punctate +punctated +punctatim +punctation +punctator +puncticular +puncticulate +puncticulose +punctiform +punctiliar +punctilio +punctiliomonger +punctilios +punctiliosity +punctilious +punctiliously +punctiliousness +punction +punctist +punctographic +punctual +punctualist +punctuality +punctually +punctualness +punctuate +punctuated +punctuates +punctuating +punctuation +punctuational +punctuationist +punctuative +punctuator +punctuist +punctulate +punctulated +punctulation +punctule +punctulum +punctum +puncturation +puncture +punctured +punctureless +punctureproof +puncturer +punctures +puncturing +punctus +pundigrion +pundit +pundita +punditic +punditically +punditry +punditries +pundits +pundonor +pundum +puneca +punese +pung +punga +pungapung +pungar +pungey +pungence +pungency +pungencies +pungent +pungently +punger +pungi +pungy +pungie +pungies +pungyi +pungle +pungled +pungs +puny +punic +punica +punicaceae +punicaceous +puniceous +punicial +punicin +punicine +punier +puniest +punyish +punyism +punily +puniness +puninesses +punish +punishability +punishable +punishableness +punishably +punished +punisher +punishers +punishes +punishing +punyship +punishment +punishmentproof +punishments +punition +punitional +punitionally +punitions +punitive +punitively +punitiveness +punitory +punitur +punjabi +punjum +punk +punka +punkah +punkahs +punkas +punkey +punkeys +punker +punkest +punketto +punky +punkie +punkier +punkies +punkiest +punkin +punkiness +punkins +punkish +punkling +punks +punkt +punkwood +punless +punlet +punnable +punnage +punned +punner +punners +punnet +punny +punnic +punnical +punnier +punniest +punnigram +punning +punningly +punnology +puno +punproof +puns +punster +punsters +punstress +punt +punta +puntabout +puntal +punted +puntel +puntello +punter +punters +punti +punty +punties +puntil +puntilla +puntillas +puntillero +punting +puntist +puntlatsh +punto +puntos +puntout +punts +puntsman +pup +pupa +pupae +pupahood +pupal +puparia +puparial +puparium +pupas +pupate +pupated +pupates +pupating +pupation +pupations +pupelo +pupfish +pupfishes +pupidae +pupiferous +pupiform +pupigenous +pupigerous +pupil +pupilability +pupilage +pupilages +pupilar +pupilary +pupilarity +pupilate +pupildom +pupiled +pupilize +pupillage +pupillar +pupillary +pupillarity +pupillate +pupilled +pupilless +pupillidae +pupillize +pupillometer +pupillometry +pupillometries +pupillonian +pupilloscope +pupilloscopy +pupilloscoptic +pupilmonger +pupils +pupipara +pupiparous +pupivora +pupivore +pupivorous +puplike +pupoid +pupped +puppet +puppetdom +puppeteer +puppeteers +puppethead +puppethood +puppetish +puppetism +puppetize +puppetly +puppetlike +puppetman +puppetmaster +puppetry +puppetries +puppets +puppy +puppydom +puppydoms +puppied +puppies +puppyfeet +puppify +puppyfish +puppyfoot +puppyhood +puppying +puppyish +puppyism +puppily +puppylike +pupping +puppis +puppysnatch +pups +pupulo +pupuluca +pupunha +puquina +puquinan +pur +purana +puranas +puranic +puraque +purasati +purau +purbeck +purbeckian +purblind +purblindly +purblindness +purchasability +purchasable +purchase +purchaseable +purchased +purchaser +purchasery +purchasers +purchases +purchasing +purda +purdah +purdahs +purdas +purdy +purdon +pure +pureayn +pureblood +purebred +purebreds +pured +puredee +puree +pureed +pureeing +purees +purehearted +purey +purely +pureness +purenesses +purer +purest +purfle +purfled +purfler +purfles +purfly +purfling +purflings +purga +purgament +purgation +purgations +purgative +purgatively +purgatives +purgatory +purgatorial +purgatorian +purgatories +purge +purgeable +purged +purger +purgery +purgers +purges +purging +purgings +puri +purify +purificant +purification +purifications +purificative +purificator +purificatory +purified +purifier +purifiers +purifies +purifying +puriform +purim +purin +purine +purines +purins +puriri +puris +purism +purisms +purist +puristic +puristical +puristically +purists +puritan +puritandom +puritaness +puritanic +puritanical +puritanically +puritanicalness +puritanism +puritanize +puritanizer +puritanly +puritanlike +puritano +puritans +purity +purities +purkinje +purkinjean +purl +purled +purler +purlhouse +purlicue +purlicues +purlieu +purlieuman +purlieumen +purlieus +purlin +purline +purlines +purling +purlins +purlman +purloin +purloined +purloiner +purloiners +purloining +purloins +purls +purohepatitis +purohit +purolymph +puromycin +puromucous +purpart +purparty +purpense +purpie +purple +purpled +purpleheart +purplely +purplelip +purpleness +purpler +purples +purplescent +purplest +purplewood +purplewort +purply +purpliness +purpling +purplish +purplishness +purport +purported +purportedly +purporter +purporters +purportes +purporting +purportively +purportless +purports +purpose +purposed +purposedly +purposeful +purposefully +purposefulness +purposeless +purposelessly +purposelessness +purposely +purposelike +purposer +purposes +purposing +purposive +purposively +purposiveness +purposivism +purposivist +purposivistic +purpresture +purprise +purprision +purpura +purpuraceous +purpuras +purpurate +purpure +purpureal +purpurean +purpureous +purpures +purpurescent +purpuric +purpuriferous +purpuriform +purpurigenous +purpurin +purpurine +purpurins +purpuriparous +purpurite +purpurize +purpurogallin +purpurogenous +purpuroid +purpuroxanthin +purr +purrah +purre +purred +purree +purreic +purrel +purrer +purry +purring +purringly +purrone +purrs +purs +purse +pursed +purseful +purseless +purselike +purser +pursers +pursership +purses +purset +purshia +pursy +pursier +pursiest +pursily +pursiness +pursing +pursive +purslane +purslanes +pursley +purslet +pursuable +pursual +pursuance +pursuant +pursuantly +pursue +pursued +pursuer +pursuers +pursues +pursuing +pursuit +pursuitmeter +pursuits +pursuivant +purtenance +purty +puru +puruha +purulence +purulences +purulency +purulencies +purulent +purulently +puruloid +purupuru +purusha +purushartha +purvey +purveyable +purveyal +purveyance +purveyancer +purveyed +purveying +purveyor +purveyoress +purveyors +purveys +purview +purviews +purvoe +purwannah +pus +puschkinia +puseyism +puseyistical +puseyite +puses +pusgut +push +pushball +pushballs +pushbutton +pushcard +pushcart +pushcarts +pushchair +pushdown +pushdowns +pushed +pusher +pushers +pushes +pushful +pushfully +pushfulness +pushy +pushier +pushiest +pushily +pushiness +pushing +pushingly +pushingness +pushmina +pushmobile +pushout +pushover +pushovers +pushpin +pushpins +pushrod +pushtu +pushum +pushup +pushups +pushwainling +pusill +pusillanimity +pusillanimous +pusillanimously +pusillanimousness +pusley +pusleys +puslike +puss +pusscat +pusses +pussy +pussycat +pussycats +pussier +pussies +pussiest +pussyfoot +pussyfooted +pussyfooter +pussyfooting +pussyfootism +pussyfoots +pussiness +pussytoe +pussley +pussleys +pussly +pusslies +pusslike +pustulant +pustular +pustulate +pustulated +pustulating +pustulation +pustulatous +pustule +pustuled +pustulelike +pustules +pustuliform +pustulose +pustulous +puszta +put +putage +putain +putamen +putamina +putaminous +putanism +putation +putationary +putative +putatively +putback +putchen +putcher +putchuk +putdown +putdowns +puteal +putelee +puteli +puther +puthery +putid +putidly +putidness +puting +putlock +putlog +putlogs +putoff +putoffs +putois +puton +putons +putorius +putout +putouts +putredinal +putredinous +putrefacient +putrefactible +putrefaction +putrefactive +putrefactiveness +putrefy +putrefiable +putrefied +putrefier +putrefies +putrefying +putresce +putrescence +putrescency +putrescent +putrescibility +putrescible +putrescine +putricide +putrid +putridity +putridly +putridness +putrifacted +putriform +putrilage +putrilaginous +putrilaginously +puts +putsch +putsches +putschism +putschist +putt +puttan +putted +puttee +puttees +putter +puttered +putterer +putterers +puttering +putteringly +putters +putti +putty +puttyblower +puttie +puttied +puttier +puttiers +putties +puttyhead +puttyhearted +puttying +puttylike +putting +puttyroot +puttywork +putto +puttock +puttoo +putts +puture +putz +puxy +puzzle +puzzleation +puzzled +puzzledly +puzzledness +puzzledom +puzzlehead +puzzleheaded +puzzleheadedly +puzzleheadedness +puzzleman +puzzlement +puzzlepate +puzzlepated +puzzlepatedness +puzzler +puzzlers +puzzles +puzzling +puzzlingly +puzzlingness +puzzlings +puzzolan +puzzolana +pvt +pwca +pwr +pwt +q +qabbala +qabbalah +qadarite +qadi +qaf +qaid +qaids +qaimaqam +qanat +qanats +qantar +qasida +qasidas +qat +qatar +qats +qe +qed +qere +qeri +qh +qy +qiana +qibla +qid +qiyas +qindar +qindarka +qindars +qintar +qintars +qiviut +qiviuts +ql +qm +qn +qoheleth +qoph +qophs +qp +qqv +qr +qrs +qs +qt +qtam +qtd +qty +qto +qtr +qts +qu +qua +quaalude +quaaludes +quab +quabird +quachil +quack +quacked +quackery +quackeries +quackhood +quacky +quackier +quackiest +quacking +quackish +quackishly +quackishness +quackism +quackisms +quackle +quacks +quacksalver +quackster +quad +quadded +quadding +quaddle +quader +quadi +quadle +quadmeter +quadplex +quadplexes +quadra +quadrable +quadrae +quadragenarian +quadragenarious +quadragesima +quadragesimal +quadragintesimal +quadral +quadrangle +quadrangled +quadrangles +quadrangular +quadrangularly +quadrangularness +quadrangulate +quadranguled +quadrans +quadrant +quadrantal +quadrantes +quadrantid +quadrantile +quadrantly +quadrantlike +quadrants +quadraphonic +quadraphonics +quadrat +quadrate +quadrated +quadrateness +quadrates +quadratic +quadratical +quadratically +quadratics +quadratifera +quadratiferous +quadrating +quadratojugal +quadratomandibular +quadrator +quadratosquamosal +quadratrix +quadrats +quadratum +quadrature +quadratures +quadratus +quadrauricular +quadrel +quadrella +quadrennia +quadrennial +quadrennially +quadrennials +quadrennium +quadrenniums +quadriad +quadrialate +quadriannulate +quadriarticulate +quadriarticulated +quadribasic +quadric +quadricapsular +quadricapsulate +quadricarinate +quadricellular +quadricentennial +quadricentennials +quadriceps +quadricepses +quadrichord +quadricycle +quadricycler +quadricyclist +quadriciliate +quadricinium +quadricipital +quadricone +quadricorn +quadricornous +quadricostate +quadricotyledonous +quadricovariant +quadricrescentic +quadricrescentoid +quadrics +quadricuspid +quadricuspidal +quadricuspidate +quadridentate +quadridentated +quadriderivative +quadridigitate +quadriennial +quadriennium +quadrienniumutile +quadrifarious +quadrifariously +quadrifid +quadrifilar +quadrifocal +quadrifoil +quadrifoliate +quadrifoliolate +quadrifolious +quadrifolium +quadriform +quadrifrons +quadrifrontal +quadrifurcate +quadrifurcated +quadrifurcation +quadriga +quadrigabled +quadrigae +quadrigamist +quadrigate +quadrigati +quadrigatus +quadrigeminal +quadrigeminate +quadrigeminous +quadrigeminum +quadrigenarious +quadriglandular +quadrihybrid +quadrijugal +quadrijugate +quadrijugous +quadrilaminar +quadrilaminate +quadrilateral +quadrilaterally +quadrilateralness +quadrilaterals +quadrilingual +quadriliteral +quadrille +quadrilled +quadrilles +quadrilling +quadrillion +quadrillions +quadrillionth +quadrillionths +quadrilobate +quadrilobed +quadrilocular +quadriloculate +quadrilogy +quadrilogue +quadrimembral +quadrimetallic +quadrimolecular +quadrimum +quadrin +quadrine +quadrinodal +quadrinomial +quadrinomical +quadrinominal +quadrinucleate +quadrioxalate +quadriparous +quadripartite +quadripartitely +quadripartition +quadripennate +quadriphyllous +quadriphonic +quadriphosphate +quadripinnate +quadriplanar +quadriplegia +quadriplegic +quadriplicate +quadriplicated +quadripolar +quadripole +quadriportico +quadriporticus +quadripulmonary +quadriquadric +quadriradiate +quadrireme +quadrisect +quadrisected +quadrisection +quadriseptate +quadriserial +quadrisetose +quadrisyllabic +quadrisyllabical +quadrisyllable +quadrisyllabous +quadrispiral +quadristearate +quadrisulcate +quadrisulcated +quadrisulphide +quadriternate +quadriti +quadritubercular +quadrituberculate +quadriurate +quadrivalence +quadrivalency +quadrivalent +quadrivalently +quadrivalve +quadrivalvular +quadrivia +quadrivial +quadrivious +quadrivium +quadrivoltine +quadroon +quadroons +quadrophonics +quadrual +quadrula +quadrum +quadrumana +quadrumanal +quadrumane +quadrumanous +quadrumvir +quadrumvirate +quadruped +quadrupedal +quadrupedan +quadrupedant +quadrupedantic +quadrupedantical +quadrupedate +quadrupedation +quadrupedism +quadrupedous +quadrupeds +quadruplane +quadruplate +quadruplator +quadruple +quadrupled +quadrupleness +quadruples +quadruplet +quadruplets +quadruplex +quadruply +quadruplicate +quadruplicated +quadruplicates +quadruplicating +quadruplication +quadruplications +quadruplicature +quadruplicity +quadrupling +quadrupole +quads +quae +quaedam +quaequae +quaere +quaeres +quaesita +quaesitum +quaestio +quaestiones +quaestor +quaestorial +quaestorian +quaestors +quaestorship +quaestuary +quaff +quaffed +quaffer +quaffers +quaffing +quaffingly +quaffs +quag +quagga +quaggas +quaggy +quaggier +quaggiest +quagginess +quaggle +quagmire +quagmired +quagmires +quagmiry +quagmirier +quagmiriest +quags +quahaug +quahaugs +quahog +quahogs +quai +quay +quayage +quayages +quaich +quaiches +quaichs +quayed +quaife +quayful +quaigh +quaighs +quaying +quail +quailberry +quailed +quailery +quaileries +quailhead +quaily +quaylike +quailing +quaillike +quails +quayman +quaint +quaintance +quainter +quaintest +quaintise +quaintish +quaintly +quaintness +quais +quays +quayside +quaysider +quaysides +quaitso +quake +quaked +quakeful +quakeproof +quaker +quakerbird +quakerdom +quakeress +quakery +quakeric +quakerish +quakerishly +quakerishness +quakerism +quakerization +quakerize +quakerlet +quakerly +quakerlike +quakers +quakership +quakes +quaketail +quaky +quakier +quakiest +quakily +quakiness +quaking +quakingly +qual +quale +qualia +qualify +qualifiable +qualification +qualifications +qualificative +qualificator +qualificatory +qualified +qualifiedly +qualifiedness +qualifier +qualifiers +qualifies +qualifying +qualifyingly +qualimeter +qualitative +qualitatively +quality +qualitied +qualities +qualityless +qualityship +qually +qualm +qualmy +qualmier +qualmiest +qualmyish +qualminess +qualmish +qualmishly +qualmishness +qualmproof +qualms +qualtagh +quam +quamash +quamashes +quamasia +quamoclit +quan +quandang +quandangs +quandary +quandaries +quandy +quando +quandong +quandongs +quango +quangos +quannet +quant +quanta +quantal +quanted +quanti +quantic +quantical +quantics +quanties +quantify +quantifiability +quantifiable +quantifiably +quantification +quantifications +quantified +quantifier +quantifiers +quantifies +quantifying +quantile +quantiles +quantimeter +quanting +quantitate +quantitation +quantitative +quantitatively +quantitativeness +quantity +quantitied +quantities +quantitive +quantitively +quantitiveness +quantivalence +quantivalency +quantivalent +quantizable +quantization +quantize +quantized +quantizer +quantizes +quantizing +quantometer +quantong +quantongs +quants +quantulum +quantum +quantummechanical +quapaw +quaquaversal +quaquaversally +quar +quaranty +quarantinable +quarantine +quarantined +quarantiner +quarantines +quarantining +quardeel +quare +quarenden +quarender +quarentene +quaresma +quarion +quark +quarks +quarl +quarle +quarles +quarmen +quarred +quarrel +quarreled +quarreler +quarrelers +quarrelet +quarreling +quarrelingly +quarrelled +quarreller +quarrellers +quarrelling +quarrellingly +quarrellous +quarrelous +quarrelously +quarrelproof +quarrels +quarrelsome +quarrelsomely +quarrelsomeness +quarry +quarriable +quarryable +quarrian +quarried +quarrier +quarriers +quarries +quarrying +quarryman +quarrymen +quarrion +quarrystone +quarrome +quarsome +quart +quarta +quartan +quartane +quartano +quartans +quartation +quartaut +quarte +quartenylic +quarter +quarterage +quarterback +quarterbacks +quarterdeck +quarterdeckish +quarterdecks +quartered +quarterer +quarterfinal +quarterfinalist +quarterfoil +quartering +quarterings +quarterization +quarterland +quarterly +quarterlies +quarterlight +quarterman +quartermaster +quartermasterlike +quartermasters +quartermastership +quartermen +quartern +quarternight +quarternion +quarterns +quarteron +quarterpace +quarters +quartersaw +quartersawed +quartersawing +quartersawn +quarterspace +quarterstaff +quarterstaves +quarterstetch +quartes +quartet +quartets +quartette +quartetto +quartful +quartic +quartics +quartile +quartiles +quartin +quartine +quartinho +quartiparous +quarto +quartodeciman +quartodecimanism +quartole +quartos +quarts +quartus +quartz +quartzes +quartzy +quartzic +quartziferous +quartzite +quartzitic +quartzless +quartzoid +quartzose +quartzous +quasar +quasars +quash +quashed +quashee +quashey +quasher +quashers +quashes +quashy +quashing +quasi +quasicontinuous +quasijudicial +quasimodo +quasiorder +quasiparticle +quasiperiodic +quasistationary +quasky +quaskies +quasquicentennial +quass +quassation +quassative +quasses +quassia +quassias +quassiin +quassin +quassins +quat +quata +quatch +quate +quatenus +quatercentenary +quaterion +quatern +quaternal +quaternary +quaternarian +quaternaries +quaternarius +quaternate +quaternion +quaternionic +quaternionist +quaternitarian +quaternity +quaternities +quateron +quaters +quatertenses +quatorzain +quatorze +quatorzes +quatrayle +quatrain +quatrains +quatral +quatre +quatreble +quatrefeuille +quatrefoil +quatrefoiled +quatrefoils +quatrefoliated +quatres +quatrible +quatrin +quatrino +quatrocentism +quatrocentist +quatrocento +quatsino +quatty +quattie +quattrini +quattrino +quattrocento +quattuordecillion +quattuordecillionth +quatuor +quatuorvirate +quauk +quave +quaver +quavered +quaverer +quaverers +quavery +quaverymavery +quavering +quaveringly +quaverous +quavers +quaviver +quaw +quawk +qubba +que +queach +queachy +queachier +queachiest +queak +queal +quean +queanish +queanlike +queans +quease +queasy +queasier +queasiest +queasily +queasiness +queasom +queazen +queazy +queazier +queaziest +quebec +quebrachamine +quebrachine +quebrachite +quebrachitol +quebracho +quebrada +quebradilla +quebrith +quechua +quechuan +quedful +quedly +quedness +quedship +queechy +queen +queencake +queencraft +queencup +queendom +queened +queenfish +queenfishes +queenhood +queening +queenite +queenless +queenlet +queenly +queenlier +queenliest +queenlike +queenliness +queenright +queenroot +queens +queensberry +queensberries +queenship +queensware +queenweed +queenwood +queer +queered +queerer +queerest +queery +queering +queerish +queerishness +queerity +queerly +queerness +queers +queersome +queest +queesting +queet +queeve +quegh +quei +quey +queing +queintise +queys +quelch +quelea +quelite +quell +quellable +quelled +queller +quellers +quelling +quellio +quells +quellung +quelme +quelquechose +quelt +quem +quemado +queme +quemeful +quemefully +quemely +quench +quenchable +quenchableness +quenched +quencher +quenchers +quenches +quenching +quenchless +quenchlessly +quenchlessness +quenda +quenelle +quenelles +quenite +quenselite +quent +quentise +quercetagetin +quercetic +quercetin +quercetum +quercic +querciflorae +quercimeritrin +quercin +quercine +quercinic +quercitannic +quercitannin +quercite +quercitin +quercitol +quercitrin +quercitron +quercivorous +quercus +querecho +querela +querelae +querele +querencia +querendi +querendy +querent +queres +query +querida +queridas +querido +queridos +queried +querier +queriers +queries +querying +queryingly +queryist +queriman +querimans +querimony +querimonies +querimonious +querimoniously +querimoniousness +querist +querists +querken +querl +quern +quernal +quernales +querns +quernstone +querre +quersprung +querulant +querulation +querulent +querulential +querulist +querulity +querulosity +querulous +querulously +querulousness +ques +quesal +quesited +quesitive +quest +quested +quester +questers +questeur +questful +questhouse +questing +questingly +question +questionability +questionable +questionableness +questionably +questionary +questionaries +questioned +questionee +questioner +questioners +questioning +questioningly +questionings +questionist +questionle +questionless +questionlessly +questionlessness +questionnaire +questionnaires +questionous +questions +questionwise +questman +questmen +questmonger +questor +questorial +questors +questorship +questrist +quests +quet +quetch +quetenite +quethe +quetsch +quetzal +quetzalcoatl +quetzales +quetzals +queue +queued +queueing +queuer +queuers +queues +queuing +quezal +quezales +quezals +qui +quia +quiangan +quiapo +quiaquia +quib +quibble +quibbled +quibbleproof +quibbler +quibblers +quibbles +quibbling +quibblingly +quiblet +quibus +quica +quiche +quiches +quick +quickbeam +quickborn +quicked +quicken +quickenance +quickenbeam +quickened +quickener +quickening +quickens +quicker +quickest +quickfoot +quickhatch +quickhearted +quickie +quickies +quicking +quickly +quicklime +quickness +quicks +quicksand +quicksandy +quicksands +quickset +quicksets +quickside +quicksilver +quicksilvery +quicksilvering +quicksilverish +quicksilverishness +quickstep +quicksteps +quickthorn +quickwater +quickwittedness +quickwork +quid +quidae +quidam +quiddany +quiddative +quidder +quiddist +quiddit +quidditative +quidditatively +quiddity +quiddities +quiddle +quiddled +quiddler +quiddling +quidnunc +quidnuncs +quids +quienal +quiesce +quiesced +quiescence +quiescency +quiescent +quiescently +quiescing +quiet +quieta +quietable +quietage +quieted +quieten +quietened +quietener +quietening +quietens +quieter +quieters +quietest +quieti +quieting +quietism +quietisms +quietist +quietistic +quietists +quietive +quietly +quietlike +quietness +quiets +quietsome +quietude +quietudes +quietus +quietuses +quiff +quiffing +quiffs +quiina +quiinaceae +quiinaceous +quila +quilate +quileces +quiles +quileses +quileute +quilez +quilisma +quilkin +quill +quillagua +quillai +quillaia +quillaias +quillaic +quillais +quillaja +quillajas +quillajic +quillback +quillbacks +quilled +quiller +quillet +quilleted +quillets +quillfish +quillfishes +quilly +quilling +quillity +quillon +quills +quilltail +quillwork +quillwort +quilt +quilted +quilter +quilters +quilting +quiltings +quilts +quim +quimbaya +quimper +quin +quina +quinacrine +quinaielt +quinaldic +quinaldyl +quinaldin +quinaldine +quinaldinic +quinaldinium +quinamicin +quinamicine +quinamidin +quinamidine +quinamin +quinamine +quinanarii +quinanisole +quinaquina +quinary +quinarian +quinaries +quinarii +quinarius +quinas +quinate +quinatoxin +quinatoxine +quinault +quinazolyl +quinazolin +quinazoline +quince +quincentenary +quincentennial +quinces +quincewort +quinch +quincy +quincies +quincubital +quincubitalism +quincuncial +quincuncially +quincunx +quincunxes +quincunxial +quindecad +quindecagon +quindecangle +quindecaplet +quindecasyllabic +quindecemvir +quindecemvirate +quindecemviri +quindecennial +quindecylic +quindecillion +quindecillionth +quindecim +quindecima +quindecimvir +quindene +quinela +quinelas +quinella +quinellas +quinet +quinetum +quingentenary +quinhydrone +quinia +quinible +quinic +quinicin +quinicine +quinidia +quinidin +quinidine +quiniela +quinielas +quinyie +quinyl +quinin +quinina +quininas +quinine +quinines +quininiazation +quininic +quininism +quininize +quinins +quiniretin +quinisext +quinisextine +quinism +quinite +quinitol +quinizarin +quinize +quink +quinnat +quinnats +quinnet +quinnipiac +quinoa +quinoas +quinocarbonium +quinoform +quinogen +quinoid +quinoidal +quinoidation +quinoidin +quinoidine +quinoids +quinoyl +quinol +quinolas +quinolyl +quinolin +quinoline +quinolinic +quinolinyl +quinolinium +quinolins +quinology +quinologist +quinols +quinometry +quinon +quinone +quinonediimine +quinones +quinonic +quinonyl +quinonimin +quinonimine +quinonization +quinonize +quinonoid +quinopyrin +quinotannic +quinotoxine +quinova +quinovatannic +quinovate +quinovic +quinovin +quinovose +quinoxalyl +quinoxalin +quinoxaline +quinquagenary +quinquagenarian +quinquagenaries +quinquagesima +quinquagesimal +quinquangle +quinquarticular +quinquatria +quinquatrus +quinquecapsular +quinquecentenary +quinquecostate +quinquedentate +quinquedentated +quinquefarious +quinquefid +quinquefoil +quinquefoliate +quinquefoliated +quinquefoliolate +quinquegrade +quinquejugous +quinquelateral +quinqueliteral +quinquelobate +quinquelobated +quinquelobed +quinquelocular +quinqueloculine +quinquenary +quinquenerval +quinquenerved +quinquennalia +quinquennia +quinquenniad +quinquennial +quinquennialist +quinquennially +quinquennium +quinquenniums +quinquepartite +quinquepartition +quinquepedal +quinquepedalian +quinquepetaloid +quinquepunctal +quinquepunctate +quinqueradial +quinqueradiate +quinquereme +quinquertium +quinquesect +quinquesection +quinqueseptate +quinqueserial +quinqueseriate +quinquesyllabic +quinquesyllable +quinquetubercular +quinquetuberculate +quinquevalence +quinquevalency +quinquevalent +quinquevalve +quinquevalvous +quinquevalvular +quinqueverbal +quinqueverbial +quinquevir +quinquevirate +quinquevirs +quinquiliteral +quinquina +quinquino +quinquivalent +quins +quinse +quinsy +quinsyberry +quinsyberries +quinsied +quinsies +quinsywort +quint +quinta +quintad +quintadena +quintadene +quintain +quintains +quintal +quintals +quintan +quintans +quintant +quintar +quintary +quintars +quintaten +quintato +quinte +quintefoil +quintelement +quintennial +quinternion +quinteron +quinteroon +quintes +quintescence +quintessence +quintessential +quintessentiality +quintessentially +quintessentiate +quintet +quintets +quintette +quintetto +quintfoil +quintic +quintics +quintile +quintiles +quintilis +quintillian +quintillion +quintillions +quintillionth +quintillionths +quintin +quintins +quintiped +quintius +quinto +quintocubital +quintocubitalism +quintole +quinton +quintons +quintroon +quints +quintuple +quintupled +quintuples +quintuplet +quintuplets +quintuplicate +quintuplicated +quintuplicates +quintuplicating +quintuplication +quintuplinerved +quintupling +quintupliribbed +quintus +quinua +quinuclidine +quinzaine +quinze +quinzieme +quip +quipful +quipo +quippe +quipped +quipper +quippy +quipping +quippish +quippishness +quippu +quippus +quips +quipsome +quipsomeness +quipster +quipsters +quipu +quipus +quira +quircal +quire +quired +quires +quirewise +quirinal +quirinalia +quirinca +quiring +quiritary +quiritarian +quirite +quirites +quirk +quirked +quirky +quirkier +quirkiest +quirkily +quirkiness +quirking +quirkish +quirks +quirksey +quirksome +quirl +quirquincho +quirt +quirted +quirting +quirts +quis +quisby +quiscos +quisle +quisler +quisling +quislingism +quislingistic +quislings +quisqualis +quisqueite +quisquilian +quisquiliary +quisquilious +quisquous +quist +quistiti +quistron +quisutsch +quit +quitantie +quitch +quitches +quitclaim +quitclaimed +quitclaiming +quitclaims +quite +quitely +quitemoca +quiteno +quiteve +quiting +quito +quitrent +quitrents +quits +quittable +quittal +quittance +quittances +quitted +quitter +quitterbone +quitters +quitting +quittor +quittors +quitu +quiver +quivered +quiverer +quiverers +quiverful +quivery +quivering +quiveringly +quiverish +quiverleaf +quivers +quixote +quixotes +quixotic +quixotical +quixotically +quixotism +quixotize +quixotry +quixotries +quiz +quizmaster +quizzability +quizzable +quizzacious +quizzatorial +quizzed +quizzee +quizzer +quizzery +quizzers +quizzes +quizzy +quizzical +quizzicality +quizzically +quizzicalness +quizzify +quizzification +quizziness +quizzing +quizzingly +quizzish +quizzism +quizzity +qung +quo +quoad +quod +quodded +quoddies +quodding +quoddity +quodlibet +quodlibetal +quodlibetary +quodlibetarian +quodlibetic +quodlibetical +quodlibetically +quodlibetz +quodling +quods +quohog +quohogs +quoilers +quoin +quoined +quoining +quoins +quoit +quoited +quoiter +quoiting +quoitlike +quoits +quokka +quokkas +quominus +quomodo +quomodos +quondam +quondamly +quondamship +quoniam +quonking +quonset +quop +quor +quoratean +quorum +quorums +quos +quot +quota +quotability +quotable +quotableness +quotably +quotas +quotation +quotational +quotationally +quotationist +quotations +quotative +quote +quoted +quotee +quoteless +quotennial +quoter +quoters +quotes +quoteworthy +quoth +quotha +quotid +quotidian +quotidianly +quotidianness +quotient +quotients +quoties +quotiety +quotieties +quoting +quotingly +quotity +quotlibet +quott +quotum +qursh +qurshes +qurti +qurush +qurushes +qv +r +ra +raad +raadzaal +raanan +raasch +raash +rab +rabal +raband +rabanna +rabat +rabatine +rabato +rabatos +rabatte +rabatted +rabattement +rabatting +rabban +rabbanim +rabbanist +rabbanite +rabbet +rabbeted +rabbeting +rabbets +rabbi +rabbies +rabbin +rabbinate +rabbinates +rabbindom +rabbinic +rabbinica +rabbinical +rabbinically +rabbinism +rabbinist +rabbinistic +rabbinistical +rabbinite +rabbinitic +rabbinize +rabbins +rabbinship +rabbis +rabbish +rabbiship +rabbit +rabbitberry +rabbitberries +rabbited +rabbiteye +rabbiter +rabbiters +rabbitfish +rabbitfishes +rabbithearted +rabbity +rabbiting +rabbitlike +rabbitmouth +rabbitoh +rabbitproof +rabbitry +rabbitries +rabbitroot +rabbits +rabbitskin +rabbitweed +rabbitwise +rabbitwood +rabble +rabbled +rabblelike +rabblement +rabbleproof +rabbler +rabblers +rabbles +rabblesome +rabbling +rabboni +rabbonim +rabbonis +rabdomancy +rabelais +rabelaisian +rabelaisianism +rabelaism +rabfak +rabi +rabiator +rabic +rabid +rabidity +rabidities +rabidly +rabidness +rabies +rabietic +rabific +rabiform +rabigenic +rabin +rabinet +rabious +rabirubia +rabitic +rablin +rabot +rabulistic +rabulous +racahout +racallable +racche +raccoon +raccoonberry +raccoons +raccroc +race +raceabout +racebrood +racecard +racecourse +racecourses +raced +racegoer +racegoing +racehorse +racehorses +racelike +raceline +racemase +racemate +racemates +racemation +raceme +racemed +racemes +racemic +racemiferous +racemiform +racemism +racemisms +racemization +racemize +racemized +racemizes +racemizing +racemocarbonate +racemocarbonic +racemoid +racemomethylate +racemose +racemosely +racemous +racemously +racemule +racemulose +raceplate +racer +racers +racerunner +races +racetrack +racetracker +racetracks +racette +raceway +raceways +rach +rache +rachel +raches +rachet +rachets +rachial +rachialgia +rachialgic +rachianalgesia +rachianectes +rachianesthesia +rachicentesis +rachycentridae +rachycentron +rachides +rachidial +rachidian +rachiform +rachiglossa +rachiglossate +rachigraph +rachilla +rachillae +rachiocentesis +rachiocyphosis +rachiococainize +rachiodynia +rachiodont +rachiometer +rachiomyelitis +rachioparalysis +rachioplegia +rachioscoliosis +rachiotome +rachiotomy +rachipagus +rachis +rachischisis +rachises +rachitic +rachitides +rachitis +rachitism +rachitogenic +rachitome +rachitomy +rachitomous +racy +racial +racialism +racialist +racialistic +racialists +raciality +racialization +racialize +racially +racier +raciest +racily +racinage +raciness +racinesses +racing +racinglike +racings +racion +racism +racisms +racist +racists +rack +rackabones +rackan +rackapee +rackateer +rackateering +rackboard +rackbone +racked +racker +rackers +racket +racketed +racketeer +racketeering +racketeers +racketer +rackety +racketier +racketiest +racketiness +racketing +racketlike +racketproof +racketry +rackets +rackett +rackettail +rackful +racking +rackingly +rackle +rackless +rackman +rackmaster +racknumber +rackproof +rackrentable +racks +rackway +rackwork +rackworks +raclette +raclettes +racloir +racoyian +racon +racons +raconteur +raconteurs +raconteuses +racoon +racoons +racovian +racquet +racquetball +racquets +rad +rada +radar +radarman +radarmen +radars +radarscope +radarscopes +radded +radding +raddle +raddled +raddleman +raddlemen +raddles +raddling +raddlings +radeau +radeaux +radectomy +radectomieseph +radek +radeur +radevore +radford +radiability +radiable +radiably +radiac +radial +radiale +radialia +radialis +radiality +radialization +radialize +radially +radials +radian +radiance +radiances +radiancy +radiancies +radians +radiant +radiantly +radiantness +radiants +radiary +radiata +radiate +radiated +radiately +radiateness +radiates +radiatics +radiatiform +radiating +radiation +radiational +radiationless +radiations +radiative +radiatopatent +radiatoporose +radiatoporous +radiator +radiatory +radiators +radiatostriate +radiatosulcate +radiature +radiatus +radical +radicalism +radicality +radicalization +radicalize +radicalized +radicalizes +radicalizing +radically +radicalness +radicals +radicand +radicands +radicant +radicate +radicated +radicates +radicating +radication +radicel +radicels +radices +radicicola +radicicolous +radiciferous +radiciflorous +radiciform +radicivorous +radicle +radicles +radicolous +radicose +radicula +radicular +radicule +radiculectomy +radiculitis +radiculose +radidii +radiectomy +radient +radiescent +radiesthesia +radiferous +radii +radio +radioacoustics +radioactinium +radioactivate +radioactivated +radioactivating +radioactive +radioactively +radioactivity +radioactivities +radioamplifier +radioanaphylaxis +radioastronomy +radioautograph +radioautography +radioautographic +radiobicipital +radiobiology +radiobiologic +radiobiological +radiobiologically +radiobiologist +radiobroadcast +radiobroadcasted +radiobroadcaster +radiobroadcasters +radiobroadcasting +radiobserver +radiocalcium +radiocarbon +radiocarpal +radiocast +radiocaster +radiocasting +radiochemical +radiochemically +radiochemist +radiochemistry +radiocinematograph +radiocommunication +radioconductor +radiocopper +radiodating +radiode +radiodermatitis +radiodetector +radiodiagnoses +radiodiagnosis +radiodigital +radiodynamic +radiodynamics +radiodontia +radiodontic +radiodontics +radiodontist +radioecology +radioecological +radioecologist +radioed +radioelement +radiofrequency +radiogenic +radiogoniometer +radiogoniometry +radiogoniometric +radiogram +radiograms +radiograph +radiographer +radiography +radiographic +radiographical +radiographically +radiographies +radiographs +radiohumeral +radioing +radioiodine +radioiron +radioisotope +radioisotopes +radioisotopic +radioisotopically +radiolabel +radiolaria +radiolarian +radiolead +radiolysis +radiolite +radiolites +radiolitic +radiolytic +radiolitidae +radiolocation +radiolocator +radiolocators +radiology +radiologic +radiological +radiologically +radiologies +radiologist +radiologists +radiolucence +radiolucency +radiolucencies +radiolucent +radioluminescence +radioluminescent +radioman +radiomedial +radiomen +radiometallography +radiometeorograph +radiometer +radiometers +radiometry +radiometric +radiometrically +radiometries +radiomicrometer +radiomicrophone +radiomimetic +radiomobile +radiomovies +radiomuscular +radion +radionecrosis +radioneuritis +radionic +radionics +radionuclide +radiopacity +radiopalmar +radiopaque +radioparent +radiopathology +radiopelvimetry +radiophare +radiopharmaceutical +radiophysics +radiophone +radiophones +radiophony +radiophonic +radiophosphorus +radiophoto +radiophotogram +radiophotograph +radiophotography +radiopotassium +radiopraxis +radioprotection +radioprotective +radiorays +radios +radioscope +radioscopy +radioscopic +radioscopical +radiosensibility +radiosensitive +radiosensitivity +radiosensitivities +radiosymmetrical +radiosodium +radiosonde +radiosondes +radiosonic +radiostereoscopy +radiosterilization +radiosterilize +radiosterilized +radiostrontium +radiosurgery +radiosurgeries +radiosurgical +radiotechnology +radiotelegram +radiotelegraph +radiotelegrapher +radiotelegraphy +radiotelegraphic +radiotelegraphically +radiotelegraphs +radiotelemetry +radiotelemetric +radiotelemetries +radiotelephone +radiotelephoned +radiotelephones +radiotelephony +radiotelephonic +radiotelephoning +radioteletype +radioteria +radiothallium +radiotherapeutic +radiotherapeutics +radiotherapeutist +radiotherapy +radiotherapies +radiotherapist +radiotherapists +radiothermy +radiothorium +radiotoxemia +radiotoxic +radiotracer +radiotransparency +radiotransparent +radiotrician +radiotron +radiotropic +radiotropism +radious +radiov +radiovision +radish +radishes +radishlike +radium +radiumization +radiumize +radiumlike +radiumproof +radiums +radiumtherapy +radius +radiuses +radix +radixes +radknight +radly +radman +radome +radomes +radon +radons +rads +radsimir +radula +radulae +radular +radulas +radulate +raduliferous +raduliform +radzimir +rafael +rafale +rafe +raff +raffaelesque +raffe +raffee +raffery +raffia +raffias +raffinase +raffinate +raffing +raffinose +raffish +raffishly +raffishness +raffle +raffled +raffler +rafflers +raffles +rafflesia +rafflesiaceae +rafflesiaceous +raffling +raffman +raffs +rafik +rafraichissoir +raft +raftage +rafted +rafter +rafters +rafty +raftiness +rafting +raftlike +raftman +rafts +raftsman +raftsmen +rag +raga +ragabash +ragabrash +ragamuffin +ragamuffinism +ragamuffinly +ragamuffins +ragas +ragazze +ragbag +ragbags +ragbolt +rage +raged +ragee +ragees +rageful +ragefully +rageless +rageous +rageously +rageousness +rageproof +rager +ragery +rages +ragesome +ragfish +ragfishes +ragged +raggeder +raggedest +raggedy +raggedly +raggedness +raggee +ragger +raggery +raggety +raggy +raggies +raggil +raggily +ragging +raggle +raggled +raggles +raghouse +raghu +ragi +raging +ragingly +ragis +raglan +raglanite +raglans +raglet +raglin +ragman +ragmen +ragnar +ragnarok +ragondin +ragout +ragouted +ragouting +ragouts +ragpicker +rags +ragseller +ragshag +ragsorter +ragstone +ragtag +ragtags +ragtime +ragtimey +ragtimer +ragtimes +ragule +raguly +ragusye +ragweed +ragweeds +ragwork +ragworm +ragwort +ragworts +rah +rahanwin +rahdar +rahdaree +rahdari +rahul +ray +raia +raya +raiae +rayage +rayah +rayahs +rayan +raias +rayas +rayat +raid +raided +raider +raiders +raiding +raidproof +raids +rayed +raif +rayful +raygrass +raygrasses +raiyat +raiidae +raiiform +raying +rail +railage +railbird +railbirds +railcar +railed +railer +railers +rayless +raylessly +raylessness +raylet +railhead +railheads +railing +railingly +railings +raillery +railleries +railless +railleur +railly +raillike +railman +railmen +railriding +railroad +railroadana +railroaded +railroader +railroaders +railroadiana +railroading +railroadish +railroads +railroadship +rails +railside +railway +railwaydom +railwayed +railwayless +railwayman +railways +raimannia +raiment +raimented +raimentless +raiments +raymond +rain +rainband +rainbands +rainbird +rainbirds +rainbound +rainbow +rainbowy +rainbowlike +rainbows +rainbowweed +rainburst +raincheck +raincoat +raincoats +raindrop +raindrops +rained +rainer +raines +rainfall +rainfalls +rainforest +rainfowl +rainful +rainy +rainier +rainiest +rainily +raininess +raining +rainless +rainlessness +rainlight +rainmaker +rainmakers +rainmaking +rainout +rainouts +rainproof +rainproofer +rains +rainspout +rainsquall +rainstorm +rainstorms +raintight +rainwash +rainwashes +rainwater +rainwear +rainwears +rainworm +raioid +rayon +rayonnance +rayonnant +rayonne +rayonny +rayons +rais +rays +raisable +raise +raiseable +raised +raiseman +raiser +raisers +raises +raisin +raisine +raising +raisings +raisiny +raisins +raison +raisonne +raisons +raj +raja +rajab +rajah +rajahs +rajarshi +rajas +rajaship +rajasic +rajasthani +rajbansi +rajeev +rajendra +rajes +rajesh +rajidae +rajiv +rajoguna +rajpoot +rajput +rakan +rake +rakeage +raked +rakee +rakees +rakeful +rakehell +rakehelly +rakehellish +rakehells +rakely +rakeoff +rakeoffs +raker +rakery +rakers +rakes +rakeshame +rakesteel +rakestele +rakh +rakhal +raki +rakija +rakily +raking +rakingly +rakis +rakish +rakishly +rakishness +rakit +rakshasa +raku +rale +rales +ralf +ralish +rall +rallentando +rallery +rally +ralliance +rallycross +rallidae +rallye +rallied +rallier +ralliers +rallies +rallyes +ralliform +rallying +rallyings +rallyist +rallyists +rallymaster +rallinae +ralline +rallus +ralph +rals +ralstonite +ram +rama +ramack +ramada +ramadan +ramadoss +ramage +ramaism +ramaite +ramal +raman +ramanan +ramanas +ramarama +ramark +ramass +ramate +rambarre +rambeh +ramberge +rambla +ramble +rambled +rambler +ramblers +rambles +rambling +ramblingly +ramblingness +ramblings +rambo +rambong +rambooze +rambouillet +rambunctious +rambunctiously +rambunctiousness +rambure +rambutan +rambutans +ramdohrite +rame +rameal +ramean +ramed +ramee +ramees +ramekin +ramekins +ramellose +rament +ramenta +ramentaceous +ramental +ramentiferous +ramentum +rameous +ramequin +ramequins +rameses +rameseum +ramesh +ramessid +ramesside +ramet +ramets +ramex +ramfeezled +ramforce +ramgunshoch +ramhead +ramhood +rami +ramicorn +ramie +ramies +ramiferous +ramify +ramificate +ramification +ramifications +ramified +ramifies +ramifying +ramiflorous +ramiform +ramigerous +ramilie +ramilies +ramillie +ramillied +ramillies +ramiparous +ramiro +ramisection +ramisectomy +ramism +ramist +ramistical +ramjet +ramjets +ramlike +ramline +rammack +rammage +rammass +rammed +rammel +rammelsbergite +rammer +rammerman +rammermen +rammers +rammi +rammy +rammier +rammiest +ramming +rammish +rammishly +rammishness +ramneek +ramnenses +ramnes +ramon +ramona +ramoneur +ramoon +ramoosii +ramose +ramosely +ramosity +ramosities +ramosopalmate +ramosopinnate +ramososubdivided +ramous +ramp +rampacious +rampaciously +rampage +rampaged +rampageous +rampageously +rampageousness +rampager +rampagers +rampages +rampaging +rampagious +rampallion +rampancy +rampancies +rampant +rampantly +rampantness +rampart +ramparted +ramparting +ramparts +ramped +ramper +ramphastidae +ramphastides +ramphastos +rampick +rampier +rampike +rampikes +ramping +rampingly +rampion +rampions +rampire +rampish +rampler +ramplor +rampole +rampoled +rampoles +rampoling +ramps +rampsman +ramrace +ramrod +ramroddy +ramrodlike +ramrods +rams +ramscallion +ramsch +ramsey +ramshackle +ramshackled +ramshackleness +ramshackly +ramshorn +ramshorns +ramson +ramsons +ramstam +ramstead +ramta +ramtil +ramtils +ramular +ramule +ramuliferous +ramulose +ramulous +ramulus +ramus +ramuscule +ramusi +ramverse +ran +rana +ranal +ranales +ranaria +ranarian +ranarium +ranatra +rance +rancel +rancellor +rancelman +rancelmen +rancer +rances +rancescent +ranch +ranche +ranched +rancher +rancheria +rancherie +ranchero +rancheros +ranchers +ranches +ranching +ranchless +ranchlike +ranchman +ranchmen +rancho +ranchos +ranchwoman +rancid +rancidify +rancidification +rancidified +rancidifying +rancidity +rancidities +rancidly +rancidness +rancio +rancor +rancored +rancorous +rancorously +rancorousness +rancorproof +rancors +rancour +rancours +rand +randal +randall +randallite +randan +randannite +randans +randell +randem +rander +randers +randy +randia +randie +randier +randies +randiest +randiness +randing +randir +randite +randle +randn +randolph +random +randomish +randomization +randomize +randomized +randomizer +randomizes +randomizing +randomly +randomness +randoms +randomwise +randon +randori +rands +rane +ranee +ranees +ranella +ranere +ranforce +rang +rangale +rangatira +rangdoodles +range +ranged +rangefinder +rangeheads +rangey +rangeland +rangelands +rangeless +rangeman +rangemen +ranger +rangers +rangership +ranges +rangework +rangy +rangier +rangiest +rangifer +rangiferine +ranginess +ranging +rangle +rangler +rangoon +rangpur +rani +ranid +ranidae +ranids +raniferous +raniform +ranina +raninae +ranine +raninian +ranis +ranivorous +ranjit +rank +ranked +ranker +rankers +rankest +ranket +rankett +rankine +ranking +rankings +rankish +rankle +rankled +rankles +rankless +rankly +rankling +ranklingly +rankness +ranknesses +ranks +ranksman +ranksmen +rankwise +ranli +rann +rannel +ranny +rannigal +ranomer +ranomers +ranpike +ranpikes +ranquel +ransack +ransacked +ransacker +ransackers +ransacking +ransackle +ransacks +ransel +ranselman +ranselmen +ranses +ranseur +ransom +ransomable +ransomed +ransomer +ransomers +ransomfree +ransoming +ransomless +ransoms +ranstead +rant +rantan +rantankerous +ranted +rantepole +ranter +ranterism +ranters +ranty +ranting +rantingly +rantipole +rantism +rantize +rantock +rantoon +rantree +rants +ranula +ranular +ranulas +ranunculaceae +ranunculaceous +ranunculales +ranunculi +ranunculus +ranunculuses +ranzania +raob +raoulia +rap +rapaces +rapaceus +rapacious +rapaciously +rapaciousness +rapacity +rapacities +rapakivi +rapallo +rapanea +rapateaceae +rapateaceous +rape +raped +rapeful +rapeye +rapely +rapeoil +raper +rapers +rapes +rapeseed +rapeseeds +raphae +raphael +raphaelesque +raphaelic +raphaelism +raphaelite +raphaelitism +raphany +raphania +raphanus +raphe +raphes +raphia +raphias +raphide +raphides +raphidiferous +raphidiid +raphidiidae +raphidodea +raphidoidea +raphiolepis +raphis +raphus +rapic +rapid +rapidamente +rapide +rapider +rapidest +rapidity +rapidities +rapidly +rapidness +rapido +rapids +rapier +rapiered +rapiers +rapilli +rapillo +rapine +rapiner +rapines +raping +rapinic +rapist +rapists +raploch +raport +rappage +rapparee +rapparees +rappe +rapped +rappee +rappees +rappel +rappeling +rappelled +rappelling +rappels +rappen +rapper +rappers +rapping +rappini +rappist +rappite +rapport +rapporteur +rapports +rapprochement +rapprochements +raps +rapscallion +rapscallionism +rapscallionly +rapscallionry +rapscallions +rapt +raptatory +raptatorial +rapter +raptest +raptly +raptness +raptnesses +raptor +raptores +raptorial +raptorious +raptors +raptril +rapture +raptured +raptureless +raptures +raptury +rapturing +rapturist +rapturize +rapturous +rapturously +rapturousness +raptus +raquet +raquette +rara +rare +rarebit +rarebits +rarefaction +rarefactional +rarefactive +rarefy +rarefiable +rarefication +rarefied +rarefier +rarefiers +rarefies +rarefying +rareyfy +rarely +rareness +rarenesses +rarer +rareripe +rareripes +rarest +rarety +rareties +rariconstant +rariety +rarify +rarified +rarifies +rarifying +raring +rariora +rarish +rarity +rarities +rarotongan +ras +rasa +rasalas +rasalhague +rasamala +rasant +rasbora +rasboras +rascacio +rascal +rascaldom +rascaless +rascalion +rascalism +rascality +rascalities +rascalize +rascally +rascallike +rascallion +rascalry +rascals +rascalship +rascasse +rasceta +rascette +rase +rased +rasen +rasenna +raser +rasers +rases +rasgado +rash +rashbuss +rasher +rashers +rashes +rashest +rashful +rashing +rashly +rashlike +rashness +rashnesses +rashti +rasing +rasion +raskolnik +rasoir +rason +rasophore +rasores +rasorial +rasour +rasp +raspatory +raspatorium +raspberry +raspberriade +raspberries +raspberrylike +rasped +rasper +raspers +raspy +raspier +raspiest +raspiness +rasping +raspingly +raspingness +raspings +raspis +raspish +raspite +rasps +rassasy +rasse +rasselas +rassle +rassled +rassles +rassling +rastaban +rastafarian +rastafarianism +raster +rasters +rasty +rastik +rastle +rastled +rastling +rastus +rasure +rasures +rat +rata +ratability +ratable +ratableness +ratably +ratafee +ratafees +ratafia +ratafias +ratal +ratals +ratan +ratanhia +ratany +ratanies +ratans +rataplan +rataplanned +rataplanning +rataplans +ratatat +ratatats +ratatouille +ratbag +ratbaggery +ratbite +ratcatcher +ratcatching +ratch +ratchel +ratchelly +ratcher +ratches +ratchet +ratchety +ratchetlike +ratchets +ratching +ratchment +rate +rateability +rateable +rateableness +rateably +rated +rateen +ratel +rateless +ratels +ratement +ratemeter +ratepayer +ratepaying +rater +ratero +raters +rates +ratfink +ratfinks +ratfish +ratfishes +rath +ratha +rathe +rathed +rathely +ratheness +rather +ratherest +ratheripe +ratherish +ratherly +rathest +ratheter +rathite +rathnakumar +rathole +ratholes +rathripe +rathskeller +rathskellers +raticidal +raticide +raticides +raticocinator +ratify +ratifia +ratification +ratificationist +ratified +ratifier +ratifiers +ratifies +ratifying +ratihabition +ratine +ratines +rating +ratings +ratio +ratiocinant +ratiocinate +ratiocinated +ratiocinates +ratiocinating +ratiocination +ratiocinations +ratiocinative +ratiocinator +ratiocinatory +ratiocinators +ratiometer +ration +rationable +rationably +rational +rationale +rationales +rationalisation +rationalise +rationalised +rationaliser +rationalising +rationalism +rationalist +rationalistic +rationalistical +rationalistically +rationalisticism +rationalists +rationality +rationalities +rationalizable +rationalization +rationalizations +rationalize +rationalized +rationalizer +rationalizers +rationalizes +rationalizing +rationally +rationalness +rationals +rationate +rationed +rationing +rationless +rationment +rations +ratios +ratitae +ratite +ratites +ratitous +ratiuncle +ratlike +ratlin +ratline +ratliner +ratlines +ratlins +rato +ratoon +ratooned +ratooner +ratooners +ratooning +ratoons +ratos +ratproof +rats +ratsbane +ratsbanes +ratskeller +rattage +rattail +rattails +rattan +rattans +rattaree +rattattoo +ratted +ratteen +ratteens +rattel +ratten +rattened +rattener +ratteners +rattening +rattens +ratter +rattery +ratters +ratti +ratty +rattier +rattiest +rattinet +ratting +rattingly +rattish +rattle +rattlebag +rattlebones +rattlebox +rattlebrain +rattlebrained +rattlebrains +rattlebush +rattled +rattlehead +rattleheaded +rattlejack +rattlemouse +rattlenut +rattlepate +rattlepated +rattlepod +rattleproof +rattler +rattleran +rattleroot +rattlers +rattlertree +rattles +rattleskull +rattleskulled +rattlesnake +rattlesnakes +rattlesome +rattletybang +rattletrap +rattletraps +rattleweed +rattlewort +rattly +rattling +rattlingly +rattlingness +rattlings +ratton +rattoner +rattons +rattoon +rattooned +rattooning +rattoons +rattrap +rattraps +rattus +ratwa +ratwood +raucid +raucidity +raucity +raucities +raucorous +raucous +raucously +raucousness +raught +raughty +raugrave +rauk +raukle +raul +rauli +raun +raunchy +raunchier +raunchiest +raunchily +raunchiness +raunge +raunpick +raupo +rauque +rauraci +raurici +rauriki +rauwolfia +ravage +ravaged +ravagement +ravager +ravagers +ravages +ravaging +rave +raved +ravehook +raveinelike +ravel +raveled +raveler +ravelers +ravelin +raveling +ravelings +ravelins +ravelled +raveller +ravellers +ravelly +ravelling +ravellings +ravelment +ravelproof +ravels +raven +ravenala +ravendom +ravenduck +ravened +ravenelia +ravener +raveners +ravenhood +ravening +raveningly +ravenings +ravenish +ravenlike +ravenling +ravenous +ravenously +ravenousness +ravenry +ravens +ravensara +ravenstone +ravenwise +raver +ravery +ravers +raves +ravi +ravigote +ravigotes +ravin +ravinate +ravindran +ravindranath +ravine +ravined +raviney +ravinement +ravines +raving +ravingly +ravings +ravining +ravins +ravioli +raviolis +ravish +ravished +ravishedly +ravisher +ravishers +ravishes +ravishing +ravishingly +ravishingness +ravishment +ravishments +ravison +ravissant +raw +rawbone +rawboned +rawbones +rawer +rawest +rawhead +rawhide +rawhided +rawhider +rawhides +rawhiding +rawin +rawing +rawinsonde +rawish +rawishness +rawky +rawly +rawness +rawnesses +rawnie +raws +rax +raxed +raxes +raxing +raze +razed +razee +razeed +razeeing +razees +razeing +razer +razers +razes +razing +razoo +razor +razorable +razorback +razorbill +razored +razoredge +razorfish +razorfishes +razoring +razorless +razormaker +razormaking +razorman +razors +razorstrop +razoumofskya +razour +razz +razzberry +razzberries +razzed +razzer +razzes +razzia +razzing +razzle +razzly +razzmatazz +rbound +rc +rcd +rchauff +rchitect +rclame +rcpt +rct +rcvr +rd +re +rea +reaal +reabandon +reabandoned +reabandoning +reabandons +reabbreviate +reabbreviated +reabbreviates +reabbreviating +reable +reabolish +reabolition +reabridge +reabridged +reabridging +reabsence +reabsent +reabsolve +reabsorb +reabsorbed +reabsorbing +reabsorbs +reabsorption +reabuse +reaccede +reacceded +reaccedes +reacceding +reaccelerate +reaccelerated +reaccelerating +reaccent +reaccented +reaccenting +reaccents +reaccentuate +reaccentuated +reaccentuating +reaccept +reacceptance +reaccepted +reaccepting +reaccepts +reaccess +reaccession +reacclaim +reacclimate +reacclimated +reacclimates +reacclimating +reacclimatization +reacclimatize +reacclimatized +reacclimatizing +reaccommodate +reaccommodated +reaccommodates +reaccommodating +reaccomodated +reaccompany +reaccompanied +reaccompanies +reaccompanying +reaccomplish +reaccomplishment +reaccord +reaccost +reaccount +reaccredit +reaccredited +reaccrediting +reaccredits +reaccrue +reaccumulate +reaccumulated +reaccumulating +reaccumulation +reaccusation +reaccuse +reaccused +reaccuses +reaccusing +reaccustom +reaccustomed +reaccustoming +reaccustoms +reacetylation +reach +reachability +reachable +reachableness +reachably +reached +reacher +reachers +reaches +reachy +reachieve +reachievement +reaching +reachless +reacidify +reacidification +reacidified +reacidifying +reacknowledge +reacknowledged +reacknowledging +reacknowledgment +reacquaint +reacquaintance +reacquainted +reacquainting +reacquaints +reacquire +reacquired +reacquires +reacquiring +reacquisition +reacquisitions +react +reactance +reactant +reactants +reacted +reacting +reaction +reactional +reactionally +reactionary +reactionaries +reactionaryism +reactionariness +reactionarism +reactionarist +reactionism +reactionist +reactions +reactivate +reactivated +reactivates +reactivating +reactivation +reactivator +reactive +reactively +reactiveness +reactivity +reactivities +reactology +reactological +reactor +reactors +reacts +reactualization +reactualize +reactuate +reacuaintance +read +readability +readable +readableness +readably +readapt +readaptability +readaptable +readaptation +readapted +readaptiness +readapting +readaptive +readaptiveness +readapts +readd +readded +readdict +readdicted +readdicting +readdicts +readding +readdition +readdress +readdressed +readdresses +readdressing +readds +readept +reader +readerdom +readers +readership +readerships +readhere +readhesion +ready +readied +readier +readies +readiest +readying +readily +readymade +readiness +reading +readingdom +readings +readjourn +readjourned +readjourning +readjournment +readjournments +readjourns +readjudicate +readjudicated +readjudicating +readjudication +readjust +readjustable +readjusted +readjuster +readjusting +readjustment +readjustments +readjusts +readl +readmeasurement +readminister +readmiration +readmire +readmission +readmissions +readmit +readmits +readmittance +readmitted +readmitting +readopt +readopted +readopting +readoption +readopts +readorn +readorned +readorning +readornment +readorns +readout +readouts +reads +readvance +readvancement +readvent +readventure +readvertency +readvertise +readvertised +readvertisement +readvertising +readvertize +readvertized +readvertizing +readvise +readvised +readvising +readvocate +readvocated +readvocating +readvocation +reaeration +reaffect +reaffection +reaffiliate +reaffiliated +reaffiliating +reaffiliation +reaffirm +reaffirmance +reaffirmation +reaffirmations +reaffirmed +reaffirmer +reaffirming +reaffirms +reaffix +reaffixed +reaffixes +reaffixing +reafflict +reafford +reafforest +reafforestation +reaffront +reaffusion +reagan +reaganomics +reagency +reagent +reagents +reaggravate +reaggravation +reaggregate +reaggregated +reaggregating +reaggregation +reaggressive +reagin +reaginic +reaginically +reagins +reagitate +reagitated +reagitating +reagitation +reagree +reagreement +reak +reaks +real +realarm +realer +reales +realest +realestate +realgar +realgars +realia +realienate +realienated +realienating +realienation +realign +realigned +realigning +realignment +realignments +realigns +realisable +realisation +realise +realised +realiser +realisers +realises +realising +realism +realisms +realist +realistic +realistically +realisticize +realisticness +realists +reality +realities +realive +realizability +realizable +realizableness +realizably +realization +realizations +realize +realized +realizer +realizers +realizes +realizing +realizingly +reallegation +reallege +realleged +realleging +reallegorize +really +realliance +reallocate +reallocated +reallocates +reallocating +reallocation +reallocations +reallot +reallotment +reallots +reallotted +reallotting +reallow +reallowance +reallude +reallusion +realm +realmless +realmlet +realms +realness +realnesses +realpolitik +reals +realter +realterable +realterableness +realterably +realteration +realtered +realtering +realters +realty +realties +realtor +realtors +ream +reamage +reamalgamate +reamalgamated +reamalgamating +reamalgamation +reamass +reamassment +reambitious +reamed +reamend +reamendment +reamer +reamerer +reamers +reamy +reaminess +reaming +reamputation +reams +reamuse +reanalyses +reanalysis +reanalyzable +reanalyze +reanalyzed +reanalyzely +reanalyzes +reanalyzing +reanchor +reanimalize +reanimate +reanimated +reanimates +reanimating +reanimation +reanimations +reanneal +reannex +reannexation +reannexed +reannexes +reannexing +reannoy +reannoyance +reannotate +reannotated +reannotating +reannotation +reannounce +reannounced +reannouncement +reannouncing +reanoint +reanointed +reanointing +reanointment +reanoints +reanswer +reantagonize +reantagonized +reantagonizing +reanvil +reanxiety +reap +reapable +reapdole +reaped +reaper +reapers +reaphook +reaphooks +reaping +reapology +reapologies +reapologize +reapologized +reapologizing +reapparel +reapparition +reappeal +reappear +reappearance +reappearances +reappeared +reappearing +reappears +reappease +reapplaud +reapplause +reapply +reappliance +reapplicant +reapplication +reapplied +reapplier +reapplies +reapplying +reappoint +reappointed +reappointing +reappointment +reappointments +reappoints +reapportion +reapportioned +reapportioning +reapportionment +reapportionments +reapportions +reapposition +reappraisal +reappraisals +reappraise +reappraised +reappraisement +reappraiser +reappraises +reappraising +reappreciate +reappreciation +reapprehend +reapprehension +reapproach +reapproachable +reapprobation +reappropriate +reappropriated +reappropriating +reappropriation +reapproval +reapprove +reapproved +reapproving +reaps +rear +rearanged +rearanging +rearbitrate +rearbitrated +rearbitrating +rearbitration +reardoss +reared +rearer +rearers +rearguard +reargue +reargued +reargues +rearguing +reargument +rearhorse +rearii +rearing +rearisal +rearise +rearisen +rearising +rearly +rearling +rearm +rearmament +rearmed +rearmice +rearming +rearmost +rearmouse +rearms +rearose +rearousal +rearouse +rearoused +rearouses +rearousing +rearray +rearrange +rearrangeable +rearranged +rearrangement +rearrangements +rearranger +rearranges +rearranging +rearrest +rearrested +rearresting +rearrests +rearrival +rearrive +rears +rearticulate +rearticulated +rearticulating +rearticulation +rearward +rearwardly +rearwardness +rearwards +reascend +reascendancy +reascendant +reascended +reascendency +reascendent +reascending +reascends +reascension +reascensional +reascent +reascents +reascertain +reascertainment +reasearch +reashlar +reasy +reasiness +reask +reason +reasonability +reasonable +reasonableness +reasonably +reasonal +reasoned +reasonedly +reasoner +reasoners +reasoning +reasoningly +reasonings +reasonless +reasonlessly +reasonlessness +reasonlessured +reasonlessuring +reasonproof +reasons +reaspire +reassay +reassail +reassailed +reassailing +reassails +reassault +reassemblage +reassemble +reassembled +reassembles +reassembly +reassemblies +reassembling +reassent +reassert +reasserted +reasserting +reassertion +reassertor +reasserts +reassess +reassessed +reassesses +reassessing +reassessment +reassessments +reasseverate +reassign +reassignation +reassigned +reassigning +reassignment +reassignments +reassigns +reassimilate +reassimilated +reassimilates +reassimilating +reassimilation +reassist +reassistance +reassociate +reassociated +reassociating +reassociation +reassort +reassorted +reassorting +reassortment +reassortments +reassorts +reassume +reassumed +reassumes +reassuming +reassumption +reassumptions +reassurance +reassurances +reassure +reassured +reassuredly +reassurement +reassurer +reassures +reassuring +reassuringly +reast +reasty +reastiness +reastonish +reastonishment +reastray +reata +reatas +reattach +reattachable +reattached +reattaches +reattaching +reattachment +reattachments +reattack +reattacked +reattacking +reattacks +reattain +reattained +reattaining +reattainment +reattains +reattempt +reattempted +reattempting +reattempts +reattend +reattendance +reattention +reattentive +reattest +reattire +reattired +reattiring +reattract +reattraction +reattribute +reattribution +reatus +reaudit +reaudition +reaumur +reaute +reauthenticate +reauthenticated +reauthenticating +reauthentication +reauthorization +reauthorize +reauthorized +reauthorizing +reavail +reavailable +reave +reaved +reaver +reavery +reavers +reaves +reaving +reavoid +reavoidance +reavouch +reavow +reavowal +reavowed +reavowing +reavows +reawait +reawake +reawaked +reawaken +reawakened +reawakening +reawakenings +reawakenment +reawakens +reawakes +reawaking +reaward +reaware +reawoke +reawoken +reb +rebab +reback +rebag +rebait +rebaited +rebaiting +rebaits +rebake +rebaked +rebaking +rebalance +rebalanced +rebalancing +rebale +rebaled +rebaling +reballast +reballot +reballoted +reballoting +reban +rebandage +rebandaged +rebandaging +rebanish +rebanishment +rebank +rebankrupt +rebankruptcy +rebaptism +rebaptismal +rebaptization +rebaptize +rebaptized +rebaptizer +rebaptizes +rebaptizing +rebar +rebarbarization +rebarbarize +rebarbative +rebarbatively +rebarbativeness +rebargain +rebase +rebasis +rebatable +rebate +rebateable +rebated +rebatement +rebater +rebaters +rebates +rebathe +rebathed +rebathing +rebating +rebato +rebatos +rebawl +rebbe +rebbes +rebbred +rebeamer +rebear +rebeat +rebeautify +rebec +rebecca +rebeccaism +rebeccaites +rebeck +rebecks +rebecome +rebecs +rebed +rebeg +rebeget +rebeggar +rebegin +rebeginner +rebeginning +rebeguile +rebehold +rebeholding +rebekah +rebel +rebeldom +rebeldoms +rebelief +rebelieve +rebelled +rebeller +rebelly +rebellike +rebelling +rebellion +rebellions +rebellious +rebelliously +rebelliousness +rebellow +rebelong +rebelove +rebelproof +rebels +rebemire +rebend +rebending +rebenediction +rebenefit +rebent +rebeset +rebesiege +rebestow +rebestowal +rebetake +rebetray +rebewail +rebia +rebias +rebid +rebiddable +rebidden +rebidding +rebids +rebill +rebilled +rebillet +rebilling +rebills +rebind +rebinding +rebinds +rebirth +rebirths +rebite +reblade +reblame +reblast +rebleach +reblend +reblended +rebless +reblister +reblock +rebloom +rebloomed +reblooming +reblooms +reblossom +reblot +reblow +reblown +reblue +rebluff +reblunder +reboant +reboantic +reboard +reboarded +reboarding +reboards +reboast +reboation +rebob +reboil +reboiled +reboiler +reboiling +reboils +reboise +reboisement +reboke +rebold +rebolera +rebolt +rebone +rebook +reboot +rebooted +rebooting +reboots +rebop +rebops +rebore +reborn +reborrow +rebosa +reboso +rebosos +rebote +rebottle +reboulia +rebounce +rebound +reboundable +reboundant +rebounded +rebounder +rebounding +reboundingness +rebounds +rebourbonize +rebox +rebozo +rebozos +rebrace +rebraced +rebracing +rebraid +rebranch +rebranched +rebranches +rebranching +rebrand +rebrandish +rebreathe +rebred +rebreed +rebreeding +rebrew +rebribe +rebrick +rebridge +rebrighten +rebring +rebringer +rebroach +rebroadcast +rebroadcasted +rebroadcasting +rebroadcasts +rebroaden +rebroadened +rebroadening +rebroadens +rebronze +rebrown +rebrush +rebrutalize +rebs +rebubble +rebuckle +rebuckled +rebuckling +rebud +rebudget +rebudgeted +rebudgeting +rebuff +rebuffable +rebuffably +rebuffed +rebuffet +rebuffing +rebuffproof +rebuffs +rebuy +rebuying +rebuild +rebuilded +rebuilder +rebuilding +rebuilds +rebuilt +rebukable +rebuke +rebukeable +rebuked +rebukeful +rebukefully +rebukefulness +rebukeproof +rebuker +rebukers +rebukes +rebuking +rebukingly +rebulk +rebunch +rebundle +rebunker +rebuoy +rebuoyage +reburden +reburgeon +rebury +reburial +reburials +reburied +reburies +reburying +reburn +reburnish +reburse +reburst +rebus +rebused +rebuses +rebush +rebusy +rebusing +rebut +rebute +rebutment +rebuts +rebuttable +rebuttably +rebuttal +rebuttals +rebutted +rebutter +rebutters +rebutting +rebutton +rebuttoned +rebuttoning +rebuttons +rec +recable +recabled +recabling +recadency +recado +recage +recaged +recaging +recalcination +recalcine +recalcitrance +recalcitrances +recalcitrancy +recalcitrancies +recalcitrant +recalcitrate +recalcitrated +recalcitrating +recalcitration +recalculate +recalculated +recalculates +recalculating +recalculation +recalculations +recalesce +recalesced +recalescence +recalescent +recalescing +recalibrate +recalibrated +recalibrates +recalibrating +recalibration +recalk +recall +recallability +recallable +recalled +recaller +recallers +recalling +recallist +recallment +recalls +recamera +recampaign +recanalization +recancel +recanceled +recanceling +recancellation +recandescence +recandidacy +recane +recaned +recanes +recaning +recant +recantation +recantations +recanted +recanter +recanters +recanting +recantingly +recants +recanvas +recap +recapacitate +recapitalization +recapitalize +recapitalized +recapitalizes +recapitalizing +recapitulate +recapitulated +recapitulates +recapitulating +recapitulation +recapitulationist +recapitulations +recapitulative +recapitulator +recapitulatory +recappable +recapped +recapper +recapping +recaps +recaption +recaptivate +recaptivation +recaptor +recapture +recaptured +recapturer +recaptures +recapturing +recarbon +recarbonate +recarbonation +recarbonization +recarbonize +recarbonizer +recarburization +recarburize +recarburizer +recarnify +recarpet +recarry +recarriage +recarried +recarrier +recarries +recarrying +recart +recarve +recarved +recarving +recase +recash +recasket +recast +recaster +recasting +recasts +recatalog +recatalogue +recatalogued +recataloguing +recatch +recategorize +recategorized +recategorizing +recaulescence +recausticize +recaution +recce +recche +recchose +recchosen +reccy +recco +recd +recede +receded +recedence +recedent +receder +recedes +receding +receipt +receiptable +receipted +receipter +receipting +receiptless +receiptment +receiptor +receipts +receivability +receivable +receivableness +receivables +receivablness +receival +receive +received +receivedness +receiver +receivers +receivership +receiverships +receives +receiving +recelebrate +recelebrated +recelebrates +recelebrating +recelebration +recement +recementation +recency +recencies +recense +recenserecit +recension +recensionist +recensor +recensure +recensus +recent +recenter +recentest +recently +recentness +recentralization +recentralize +recentralized +recentralizing +recentre +recept +receptacle +receptacles +receptacula +receptacular +receptaculite +receptaculites +receptaculitid +receptaculitidae +receptaculitoid +receptaculum +receptant +receptary +receptibility +receptible +reception +receptionism +receptionist +receptionists +receptionreck +receptions +receptitious +receptive +receptively +receptiveness +receptivity +receptor +receptoral +receptorial +receptors +recepts +receptual +receptually +recercele +recercelee +recertify +recertificate +recertification +recertified +recertifying +recess +recessed +recesser +recesses +recessing +recession +recessional +recessionals +recessionary +recessions +recessive +recessively +recessiveness +recesslike +recessor +rechabite +rechabitism +rechafe +rechain +rechal +rechallenge +rechallenged +rechallenging +rechamber +rechange +rechanged +rechanges +rechanging +rechannel +rechanneled +rechanneling +rechannelling +rechant +rechaos +rechar +recharge +rechargeable +recharged +recharger +recharges +recharging +rechart +recharted +recharter +rechartered +rechartering +recharters +recharting +recharts +rechase +rechaser +rechasten +rechate +rechauffe +rechauffes +rechaw +recheat +recheats +recheck +rechecked +rechecking +rechecks +recheer +recherch +recherche +rechew +rechip +rechisel +rechoose +rechooses +rechoosing +rechose +rechosen +rechristen +rechristened +rechristening +rechristenings +rechristens +rechuck +rechurn +recyclability +recyclable +recycle +recycled +recycles +recycling +recide +recidivate +recidivated +recidivating +recidivation +recidive +recidivism +recidivist +recidivistic +recidivists +recidivity +recidivous +recip +recipe +recipes +recipiangle +recipiatur +recipience +recipiency +recipiend +recipiendary +recipiendum +recipient +recipients +recipiomotor +reciprocable +reciprocal +reciprocality +reciprocalize +reciprocally +reciprocalness +reciprocals +reciprocant +reciprocantive +reciprocate +reciprocated +reciprocates +reciprocating +reciprocation +reciprocatist +reciprocative +reciprocator +reciprocatory +reciprocitarian +reciprocity +reciprocities +reciproque +recircle +recircled +recircles +recircling +recirculate +recirculated +recirculates +recirculating +recirculation +recirculations +recision +recisions +recission +recissory +recit +recitable +recital +recitalist +recitalists +recitals +recitando +recitatif +recitation +recitationalism +recitationist +recitations +recitative +recitatively +recitatives +recitativi +recitativical +recitativo +recitativos +recite +recited +recitement +reciter +reciters +recites +reciting +recivilization +recivilize +reck +recked +recking +reckla +reckless +recklessly +recklessness +reckling +reckon +reckonable +reckoned +reckoner +reckoners +reckoning +reckonings +reckons +recks +reclad +reclaim +reclaimable +reclaimableness +reclaimably +reclaimant +reclaimed +reclaimer +reclaimers +reclaiming +reclaimless +reclaimment +reclaims +reclama +reclamation +reclamations +reclamatory +reclame +reclames +reclang +reclasp +reclasped +reclasping +reclasps +reclass +reclassify +reclassification +reclassifications +reclassified +reclassifies +reclassifying +reclean +recleaned +recleaner +recleaning +recleans +recleanse +recleansed +recleansing +reclear +reclearance +reclimb +reclimbed +reclimbing +reclinable +reclinant +reclinate +reclinated +reclination +recline +reclined +recliner +recliners +reclines +reclining +reclivate +reclosable +reclose +recloseable +reclothe +reclothed +reclothes +reclothing +reclude +recluse +reclusely +recluseness +reclusery +recluses +reclusion +reclusive +reclusiveness +reclusory +recoach +recoagulate +recoagulated +recoagulating +recoagulation +recoal +recoaled +recoaling +recoals +recoast +recoat +recock +recocked +recocking +recocks +recoct +recoction +recode +recoded +recodes +recodify +recodification +recodified +recodifies +recodifying +recoding +recogitate +recogitation +recognisable +recognise +recognised +recogniser +recognising +recognita +recognition +recognitions +recognitive +recognitor +recognitory +recognizability +recognizable +recognizably +recognizance +recognizant +recognize +recognized +recognizedly +recognizee +recognizer +recognizers +recognizes +recognizing +recognizingly +recognizor +recognosce +recohabitation +recoil +recoiled +recoiler +recoilers +recoiling +recoilingly +recoilless +recoilment +recoils +recoin +recoinage +recoined +recoiner +recoining +recoins +recoke +recollapse +recollate +recollation +recollect +recollectable +recollected +recollectedly +recollectedness +recollectible +recollecting +recollection +recollections +recollective +recollectively +recollectiveness +recollects +recollet +recolonisation +recolonise +recolonised +recolonising +recolonization +recolonize +recolonized +recolonizes +recolonizing +recolor +recoloration +recolored +recoloring +recolors +recolour +recolouration +recomb +recombed +recombinant +recombination +recombinational +recombinations +recombine +recombined +recombines +recombing +recombining +recombs +recomember +recomfort +recommand +recommence +recommenced +recommencement +recommencer +recommences +recommencing +recommend +recommendability +recommendable +recommendableness +recommendably +recommendation +recommendations +recommendative +recommendatory +recommended +recommendee +recommender +recommenders +recommending +recommends +recommission +recommissioned +recommissioning +recommissions +recommit +recommiting +recommitment +recommits +recommittal +recommitted +recommitting +recommunicate +recommunion +recompact +recompare +recompared +recomparing +recomparison +recompass +recompel +recompence +recompensable +recompensate +recompensated +recompensating +recompensation +recompensatory +recompense +recompensed +recompenser +recompenses +recompensing +recompensive +recompete +recompetition +recompetitor +recompilation +recompilations +recompile +recompiled +recompilement +recompiles +recompiling +recomplain +recomplaint +recomplete +recompletion +recomply +recompliance +recomplicate +recomplication +recompose +recomposed +recomposer +recomposes +recomposing +recomposition +recompound +recompounded +recompounding +recompounds +recomprehend +recomprehension +recompress +recompression +recomputation +recompute +recomputed +recomputes +recomputing +recon +reconceal +reconcealment +reconcede +reconceive +reconcentrado +reconcentrate +reconcentrated +reconcentrates +reconcentrating +reconcentration +reconception +reconcert +reconcession +reconcilability +reconcilable +reconcilableness +reconcilably +reconcile +reconciled +reconcilee +reconcileless +reconcilement +reconcilements +reconciler +reconcilers +reconciles +reconciliability +reconciliable +reconciliate +reconciliated +reconciliating +reconciliation +reconciliations +reconciliatiory +reconciliative +reconciliator +reconciliatory +reconciling +reconcilingly +reconclude +reconclusion +reconcoct +reconcrete +reconcur +recond +recondemn +recondemnation +recondensation +recondense +recondensed +recondenses +recondensing +recondite +reconditely +reconditeness +recondition +reconditioned +reconditioning +reconditions +reconditory +recondole +reconduct +reconduction +reconfer +reconferred +reconferring +reconfess +reconfide +reconfigurability +reconfigurable +reconfiguration +reconfigurations +reconfigure +reconfigured +reconfigurer +reconfigures +reconfiguring +reconfine +reconfined +reconfinement +reconfining +reconfirm +reconfirmation +reconfirmations +reconfirmed +reconfirming +reconfirms +reconfiscate +reconfiscated +reconfiscating +reconfiscation +reconform +reconfound +reconfront +reconfrontation +reconfuse +reconfused +reconfusing +reconfusion +recongeal +recongelation +recongest +recongestion +recongratulate +recongratulation +reconjoin +reconjunction +reconnaissance +reconnaissances +reconnect +reconnected +reconnecting +reconnection +reconnects +reconnoissance +reconnoiter +reconnoitered +reconnoiterer +reconnoitering +reconnoiteringly +reconnoiters +reconnoitre +reconnoitred +reconnoitrer +reconnoitring +reconnoitringly +reconquer +reconquered +reconquering +reconqueror +reconquers +reconquest +recons +reconsecrate +reconsecrated +reconsecrates +reconsecrating +reconsecration +reconsecrations +reconsent +reconsider +reconsideration +reconsidered +reconsidering +reconsiders +reconsign +reconsigned +reconsigning +reconsignment +reconsigns +reconsole +reconsoled +reconsolidate +reconsolidated +reconsolidates +reconsolidating +reconsolidation +reconsolidations +reconsoling +reconstituent +reconstitute +reconstituted +reconstitutes +reconstituting +reconstitution +reconstruct +reconstructed +reconstructible +reconstructing +reconstruction +reconstructional +reconstructionary +reconstructionism +reconstructionist +reconstructions +reconstructive +reconstructively +reconstructiveness +reconstructor +reconstructs +reconstrue +reconsult +reconsultation +recontact +recontamination +recontemplate +recontemplated +recontemplating +recontemplation +recontend +reconter +recontest +recontested +recontesting +recontests +recontinuance +recontinue +recontract +recontracted +recontracting +recontraction +recontracts +recontrast +recontribute +recontribution +recontrivance +recontrive +recontrol +recontrolling +reconvalesce +reconvalescence +reconvalescent +reconvey +reconveyance +reconveyed +reconveying +reconveys +reconvene +reconvened +reconvenes +reconvening +reconvenire +reconvention +reconventional +reconverge +reconverged +reconvergence +reconverging +reconverse +reconversion +reconversions +reconvert +reconverted +reconvertible +reconverting +reconverts +reconvict +reconviction +reconvince +reconvoke +recook +recooked +recooking +recooks +recool +recooper +recopy +recopied +recopies +recopying +recopilation +recopyright +recopper +record +recordable +recordance +recordant +recordation +recordative +recordatively +recordatory +recorded +recordedly +recorder +recorders +recordership +recording +recordings +recordist +recordists +recordless +records +recordsize +recork +recoronation +recorporify +recorporification +recorrect +recorrection +recorrupt +recorruption +recost +recostume +recostumed +recostuming +recounsel +recounseled +recounseling +recount +recountable +recountal +recounted +recountenance +recounter +recounting +recountless +recountment +recounts +recoup +recoupable +recoupe +recouped +recouper +recouping +recouple +recoupled +recouples +recoupling +recoupment +recoups +recour +recours +recourse +recourses +recover +recoverability +recoverable +recoverableness +recoverance +recovered +recoveree +recoverer +recovery +recoveries +recovering +recoveringly +recoverless +recoveror +recovers +recpt +recrayed +recramp +recrank +recrate +recrated +recrates +recrating +recreance +recreancy +recreant +recreantly +recreantness +recreants +recrease +recreatable +recreate +recreated +recreates +recreating +recreation +recreational +recreationally +recreationist +recreations +recreative +recreatively +recreativeness +recreator +recreatory +recredential +recredit +recrement +recremental +recrementitial +recrementitious +recrescence +recrew +recriminate +recriminated +recriminates +recriminating +recrimination +recriminations +recriminative +recriminator +recriminatory +recrystallise +recrystallised +recrystallising +recrystallization +recrystallize +recrystallized +recrystallizes +recrystallizing +recriticize +recriticized +recriticizing +recroon +recrop +recross +recrossed +recrosses +recrossing +recrowd +recrown +recrowned +recrowning +recrowns +recrucify +recrudency +recrudesce +recrudesced +recrudescence +recrudescency +recrudescent +recrudesces +recrudescing +recruit +recruitable +recruitage +recruital +recruited +recruitee +recruiter +recruiters +recruithood +recruity +recruiting +recruitment +recruitors +recruits +recrush +recrusher +recs +rect +recta +rectal +rectalgia +rectally +rectangle +rectangled +rectangles +rectangular +rectangularity +rectangularly +rectangularness +rectangulate +rectangulometer +rectectomy +rectectomies +recti +rectify +rectifiability +rectifiable +rectification +rectifications +rectificative +rectificator +rectificatory +rectified +rectifier +rectifiers +rectifies +rectifying +rectigrade +rectigraph +rectilineal +rectilineally +rectilinear +rectilinearism +rectilinearity +rectilinearly +rectilinearness +rectilineation +rectinerved +rection +rectipetality +rectirostral +rectischiac +rectiserial +rectitic +rectitis +rectitude +rectitudinous +recto +rectoabdominal +rectocele +rectocystotomy +rectoclysis +rectococcygeal +rectococcygeus +rectocolitic +rectocolonic +rectogenital +rectopexy +rectophobia +rectoplasty +rector +rectoral +rectorate +rectorates +rectoress +rectory +rectorial +rectories +rectorrhaphy +rectors +rectorship +rectos +rectoscope +rectoscopy +rectosigmoid +rectostenosis +rectostomy +rectotome +rectotomy +rectovaginal +rectovesical +rectress +rectrices +rectricial +rectrix +rectum +rectums +rectus +recubant +recubate +recubation +recueil +recueillement +reculade +recule +recultivate +recultivated +recultivating +recultivation +recumb +recumbence +recumbency +recumbencies +recumbent +recumbently +recuperability +recuperance +recuperate +recuperated +recuperates +recuperating +recuperation +recuperative +recuperativeness +recuperator +recuperatory +recuperet +recur +recure +recureful +recureless +recurl +recurred +recurrence +recurrences +recurrency +recurrent +recurrently +recurrer +recurring +recurringly +recurs +recursant +recurse +recursed +recurses +recursing +recursion +recursions +recursive +recursively +recursiveness +recurtain +recurvant +recurvaria +recurvate +recurvated +recurvation +recurvature +recurve +recurved +recurves +recurving +recurvirostra +recurvirostral +recurvirostridae +recurvity +recurvopatent +recurvoternate +recurvous +recusal +recusance +recusancy +recusant +recusants +recusation +recusative +recusator +recuse +recused +recuses +recusf +recushion +recusing +recussion +recut +recuts +recutting +red +redact +redacted +redacteur +redacting +redaction +redactional +redactor +redactorial +redactors +redacts +redamage +redamaged +redamaging +redamation +redame +redamnation +redan +redans +redare +redared +redargue +redargued +redargues +redarguing +redargution +redargutive +redargutory +redaring +redarken +redarn +redart +redate +redated +redates +redating +redaub +redawn +redback +redbay +redbays +redbait +redbaited +redbaiting +redbaits +redbeard +redbelly +redberry +redbill +redbird +redbirds +redbone +redbones +redbreast +redbreasts +redbrick +redbricks +redbrush +redbuck +redbud +redbuds +redbug +redbugs +redcap +redcaps +redcoat +redcoats +redcoll +redcurrant +redd +redded +redden +reddenda +reddendo +reddendum +reddened +reddening +reddens +redder +redders +reddest +reddy +redding +reddingite +reddish +reddishly +reddishness +reddition +redditive +reddle +reddled +reddleman +reddlemen +reddles +reddling +reddock +redds +reddsman +rede +redeal +redealing +redealt +redear +redears +redebate +redebit +redecay +redeceive +redeceived +redeceiving +redecide +redecided +redeciding +redecimate +redecision +redeck +redeclaration +redeclare +redeclared +redeclares +redeclaring +redecline +redeclined +redeclining +redecorate +redecorated +redecorates +redecorating +redecoration +redecorator +redecrease +redecussate +reded +rededicate +rededicated +rededicates +rededicating +rededication +rededicatory +rededuct +rededuction +redeed +redeem +redeemability +redeemable +redeemableness +redeemably +redeemed +redeemedness +redeemer +redeemeress +redeemers +redeemership +redeeming +redeemless +redeems +redefault +redefeat +redefeated +redefeating +redefeats +redefecate +redefer +redefy +redefiance +redefied +redefies +redefying +redefine +redefined +redefines +redefining +redefinition +redefinitions +redeflect +redeye +redeyes +redeify +redelay +redelegate +redelegated +redelegating +redelegation +redeless +redelete +redeleted +redeleting +redely +redeliberate +redeliberated +redeliberating +redeliberation +redeliver +redeliverance +redelivered +redeliverer +redelivery +redeliveries +redelivering +redelivers +redemand +redemandable +redemanded +redemanding +redemands +redemise +redemised +redemising +redemolish +redemonstrate +redemonstrated +redemonstrates +redemonstrating +redemonstration +redemptible +redemptine +redemption +redemptional +redemptioner +redemptionist +redemptionless +redemptions +redemptive +redemptively +redemptor +redemptory +redemptorial +redemptorist +redemptress +redemptrice +redeny +redenial +redenied +redenies +redenigrate +redenying +redepend +redeploy +redeployed +redeploying +redeployment +redeploys +redeposit +redeposited +redepositing +redeposition +redeposits +redepreciate +redepreciated +redepreciating +redepreciation +redeprive +rederivation +redes +redescend +redescent +redescribe +redescribed +redescribes +redescribing +redescription +redesert +redesertion +redeserve +redesign +redesignate +redesignated +redesignating +redesignation +redesigned +redesigning +redesigns +redesire +redesirous +redesman +redespise +redetect +redetention +redetermination +redetermine +redetermined +redetermines +redeterminible +redetermining +redevable +redevelop +redeveloped +redeveloper +redevelopers +redeveloping +redevelopment +redevelopments +redevelops +redevise +redevote +redevotion +redfield +redfin +redfinch +redfins +redfish +redfishes +redfoot +redhandedness +redhead +redheaded +redheadedly +redheadedness +redheads +redheart +redhearted +redhibition +redhibitory +redhoop +redhorse +redhorses +redia +rediae +redial +redias +redictate +redictated +redictating +redictation +redid +redye +redyed +redyeing +redient +redyes +redifferentiate +redifferentiated +redifferentiating +redifferentiation +rediffuse +rediffused +rediffusing +rediffusion +redig +redigest +redigested +redigesting +redigestion +redigests +redigitalize +redying +redilate +redilated +redilating +redimension +redimensioned +redimensioning +redimensions +rediminish +reding +redingote +redintegrate +redintegrated +redintegrating +redintegration +redintegrative +redintegrator +redip +redipped +redipper +redipping +redips +redipt +redirect +redirected +redirecting +redirection +redirections +redirects +redisable +redisappear +redisburse +redisbursed +redisbursement +redisbursing +redischarge +redischarged +redischarging +rediscipline +redisciplined +redisciplining +rediscount +rediscountable +rediscounted +rediscounting +rediscounts +rediscourage +rediscover +rediscovered +rediscoverer +rediscovery +rediscoveries +rediscovering +rediscovers +rediscuss +rediscussion +redisembark +redisinfect +redismiss +redismissal +redispatch +redispel +redispersal +redisperse +redispersed +redispersing +redisplay +redisplayed +redisplaying +redisplays +redispose +redisposed +redisposing +redisposition +redispute +redisputed +redisputing +redissect +redissection +redisseise +redisseisin +redisseisor +redisseize +redisseizin +redisseizor +redissoluble +redissolubleness +redissolubly +redissolution +redissolvable +redissolve +redissolved +redissolves +redissolving +redistend +redistill +redistillable +redistillableness +redistillabness +redistillation +redistilled +redistiller +redistilling +redistills +redistinguish +redistrain +redistrainer +redistribute +redistributed +redistributer +redistributes +redistributing +redistribution +redistributionist +redistributions +redistributive +redistributor +redistributory +redistrict +redistricted +redistricting +redistricts +redisturb +redition +redive +rediversion +redivert +redivertible +redivide +redivided +redivides +redividing +redivision +redivive +redivivous +redivivus +redivorce +redivorced +redivorcement +redivorcing +redivulge +redivulgence +redjacket +redknees +redleg +redlegs +redly +redline +redlined +redlines +redlining +redmouth +redneck +rednecks +redness +rednesses +redo +redock +redocked +redocket +redocketed +redocketing +redocking +redocks +redocument +redodid +redodoing +redodone +redoes +redoing +redolence +redolency +redolent +redolently +redominate +redominated +redominating +redondilla +redone +redoom +redos +redouble +redoubled +redoublement +redoubler +redoubles +redoubling +redoubt +redoubtable +redoubtableness +redoubtably +redoubted +redoubting +redoubts +redound +redounded +redounding +redounds +redout +redoute +redouts +redowa +redowas +redox +redoxes +redpoll +redpolls +redraft +redrafted +redrafting +redrafts +redrag +redrape +redraw +redrawer +redrawers +redrawing +redrawn +redraws +redream +redredge +redress +redressable +redressal +redressed +redresser +redresses +redressible +redressing +redressive +redressless +redressment +redressor +redrew +redry +redried +redries +redrying +redrill +redrilled +redrilling +redrills +redrive +redriven +redrives +redriving +redroop +redroot +redroots +redrove +redrug +redrugged +redrugging +reds +redsear +redshank +redshanks +redshire +redshirt +redshirted +redshirting +redshirts +redskin +redskins +redstart +redstarts +redstreak +redtab +redtail +redtapism +redthroat +redtop +redtops +redub +redubber +reduccion +reduce +reduceable +reduceableness +reduced +reducement +reducent +reducer +reducers +reduces +reducibility +reducibilities +reducible +reducibleness +reducibly +reducing +reduct +reductant +reductase +reductibility +reductio +reduction +reductional +reductionism +reductionist +reductionistic +reductions +reductive +reductively +reductivism +reductor +reductorial +redue +redug +reduit +redunca +redundance +redundances +redundancy +redundancies +redundant +redundantly +redupl +reduplicate +reduplicated +reduplicating +reduplication +reduplicative +reduplicatively +reduplicatory +reduplicature +redust +reduviid +reduviidae +reduviids +reduvioid +reduvius +redux +reduzate +redward +redware +redwares +redweed +redwing +redwings +redwithe +redwood +redwoods +redwud +ree +reearn +reearned +reearning +reearns +reebok +reechy +reecho +reechoed +reechoes +reechoing +reed +reedbird +reedbirds +reedbuck +reedbucks +reedbush +reeded +reeden +reeder +reedy +reediemadeasy +reedier +reediest +reedify +reedified +reedifies +reedifying +reedily +reediness +reeding +reedings +reedish +reedit +reedited +reediting +reedition +reedits +reedless +reedlike +reedling +reedlings +reedmaker +reedmaking +reedman +reedplot +reeds +reeducate +reeducated +reeducates +reeducating +reeducation +reeducative +reedwork +reef +reefable +reefed +reefer +reefers +reeffish +reeffishes +reefy +reefier +reefiest +reefing +reefs +reeject +reejected +reejecting +reejects +reek +reeked +reeker +reekers +reeky +reekier +reekiest +reeking +reekingly +reeks +reel +reelable +reelect +reelected +reelecting +reelection +reelections +reelects +reeled +reeledid +reeledoing +reeledone +reeler +reelers +reelevate +reelevated +reelevating +reelevation +reeligibility +reeligible +reeligibleness +reeligibly +reeling +reelingly +reelrall +reels +reem +reemanate +reemanated +reemanating +reembarcation +reembark +reembarkation +reembarked +reembarking +reembarks +reembellish +reembody +reembodied +reembodies +reembodying +reembodiment +reembrace +reembraced +reembracing +reembroider +reemerge +reemerged +reemergence +reemergent +reemerges +reemerging +reemersion +reemigrate +reemigrated +reemigrating +reemigration +reeming +reemish +reemission +reemit +reemits +reemitted +reemitting +reemphases +reemphasis +reemphasize +reemphasized +reemphasizes +reemphasizing +reemploy +reemployed +reemploying +reemployment +reemploys +reen +reenable +reenabled +reenact +reenacted +reenacting +reenaction +reenactment +reenactments +reenacts +reenclose +reenclosed +reencloses +reenclosing +reencounter +reencountered +reencountering +reencounters +reencourage +reencouraged +reencouragement +reencouraging +reendorse +reendorsed +reendorsement +reendorsing +reendow +reendowed +reendowing +reendowment +reendows +reenergize +reenergized +reenergizing +reenforce +reenforced +reenforcement +reenforces +reenforcing +reengage +reengaged +reengagement +reengages +reengaging +reenge +reengrave +reengraved +reengraving +reengross +reenjoy +reenjoyed +reenjoying +reenjoyment +reenjoin +reenjoys +reenlarge +reenlarged +reenlargement +reenlarges +reenlarging +reenlighted +reenlighten +reenlightened +reenlightening +reenlightenment +reenlightens +reenlist +reenlisted +reenlisting +reenlistment +reenlistments +reenlists +reenslave +reenslaved +reenslavement +reenslaves +reenslaving +reenter +reenterable +reentered +reentering +reenters +reentrance +reentranced +reentrances +reentrancy +reentrancing +reentrant +reentry +reentries +reenumerate +reenumerated +reenumerating +reenumeration +reenunciate +reenunciated +reenunciating +reenunciation +reeper +reequip +reequipped +reequipping +reequips +reequipt +reerect +reerected +reerecting +reerection +reerects +reerupt +reeruption +rees +reese +reeshie +reeshle +reesk +reesle +reest +reestablish +reestablished +reestablishes +reestablishing +reestablishment +reested +reester +reesty +reestimate +reestimated +reestimating +reestimation +reesting +reestle +reests +reet +reetam +reetle +reevacuate +reevacuated +reevacuating +reevacuation +reevaluate +reevaluated +reevaluates +reevaluating +reevaluation +reevaluations +reevasion +reeve +reeved +reeveland +reeves +reeveship +reevidence +reevidenced +reevidencing +reeving +reevoke +reevoked +reevokes +reevoking +reexamination +reexaminations +reexamine +reexamined +reexamines +reexamining +reexcavate +reexcavated +reexcavating +reexcavation +reexchange +reexchanged +reexchanges +reexchanging +reexecute +reexecuted +reexecuting +reexecution +reexercise +reexercised +reexercising +reexhibit +reexhibited +reexhibiting +reexhibition +reexhibits +reexpand +reexpansion +reexpel +reexpelled +reexpelling +reexpels +reexperience +reexperienced +reexperiences +reexperiencing +reexperiment +reexplain +reexplanation +reexplicate +reexplicated +reexplicating +reexplication +reexploration +reexplore +reexplored +reexploring +reexport +reexportation +reexported +reexporter +reexporting +reexports +reexpose +reexposed +reexposing +reexposition +reexposure +reexpress +reexpressed +reexpresses +reexpressing +reexpression +ref +refabricate +refabrication +reface +refaced +refaces +refacilitate +refacing +refaction +refait +refall +refallen +refalling +refallow +refalls +refamiliarization +refamiliarize +refamiliarized +refamiliarizing +refan +refascinate +refascination +refashion +refashioned +refashioner +refashioning +refashionment +refashions +refasten +refastened +refastening +refastens +refathered +refavor +refect +refected +refecting +refection +refectionary +refectioner +refective +refectorary +refectorarian +refectorer +refectory +refectorial +refectorian +refectories +refects +refed +refederalization +refederalize +refederalized +refederalizing +refederate +refederated +refederating +refederation +refeed +refeeding +refeeds +refeel +refeeling +refeign +refel +refell +refelled +refelling +refels +refelt +refence +refer +referable +referda +refered +referee +refereed +refereeing +referees +refereeship +reference +referenced +referencer +references +referencing +referenda +referendal +referendary +referendaries +referendaryship +referendum +referendums +referent +referential +referentiality +referentially +referently +referents +referment +referrable +referral +referrals +referred +referrer +referrers +referrible +referribleness +referring +refers +refertilizable +refertilization +refertilize +refertilized +refertilizing +refetch +refete +reffed +reffelt +reffing +reffo +reffos +reffroze +reffrozen +refight +refighting +refights +refigure +refigured +refigures +refiguring +refile +refiled +refiles +refiling +refill +refillable +refilled +refilling +refills +refilm +refilmed +refilming +refilms +refilter +refiltered +refiltering +refilters +refinable +refinage +refinance +refinanced +refinances +refinancing +refind +refinding +refinds +refine +refined +refinedly +refinedness +refinement +refinements +refiner +refinery +refineries +refiners +refines +refinger +refining +refiningly +refinish +refinished +refinisher +refinishes +refinishing +refire +refired +refires +refiring +refit +refitment +refits +refitted +refitting +refix +refixation +refixed +refixes +refixing +refixture +refl +reflag +reflagellate +reflair +reflame +reflash +reflate +reflated +reflates +reflating +reflation +reflationary +reflationism +reflect +reflectance +reflected +reflectedly +reflectedness +reflectent +reflecter +reflectibility +reflectible +reflecting +reflectingly +reflection +reflectional +reflectioning +reflectionist +reflectionless +reflections +reflective +reflectively +reflectiveness +reflectivity +reflectometer +reflectometry +reflector +reflectorize +reflectorized +reflectorizing +reflectors +reflectoscope +reflects +refledge +reflee +reflet +reflets +reflew +reflex +reflexed +reflexes +reflexibility +reflexible +reflexing +reflexion +reflexional +reflexism +reflexiue +reflexive +reflexively +reflexiveness +reflexives +reflexivity +reflexly +reflexness +reflexogenous +reflexology +reflexological +reflexologically +reflexologies +reflexologist +refly +reflies +reflying +refling +refloat +refloatation +refloated +refloating +refloats +reflog +reflood +reflooded +reflooding +refloods +refloor +reflorescence +reflorescent +reflourish +reflourishment +reflow +reflowed +reflower +reflowered +reflowering +reflowers +reflowing +reflown +reflows +refluctuation +refluence +refluency +refluent +refluous +reflush +reflux +refluxed +refluxes +refluxing +refocillate +refocillation +refocus +refocused +refocuses +refocusing +refocussed +refocusses +refocussing +refold +refolded +refolding +refolds +refoment +refont +refool +refoot +reforbid +reforce +reford +reforecast +reforest +reforestation +reforestational +reforested +reforesting +reforestization +reforestize +reforestment +reforests +reforfeit +reforfeiture +reforge +reforgeable +reforged +reforger +reforges +reforget +reforging +reforgive +reform +reformability +reformable +reformableness +reformado +reformanda +reformandum +reformat +reformate +reformated +reformati +reformating +reformation +reformational +reformationary +reformationist +reformations +reformative +reformatively +reformativeness +reformatness +reformatory +reformatories +reformats +reformatted +reformatting +reformed +reformedly +reformer +reformeress +reformers +reforming +reformingly +reformism +reformist +reformistic +reformproof +reforms +reformulate +reformulated +reformulates +reformulating +reformulation +reformulations +reforsake +refortify +refortification +refortified +refortifies +refortifying +reforward +refought +refound +refoundation +refounded +refounder +refounding +refounds +refr +refract +refractable +refractary +refracted +refractedly +refractedness +refractile +refractility +refracting +refraction +refractional +refractionate +refractionist +refractions +refractive +refractively +refractiveness +refractivity +refractivities +refractometer +refractometry +refractometric +refractor +refractory +refractories +refractorily +refractoriness +refractors +refracts +refracturable +refracture +refractured +refractures +refracturing +refragability +refragable +refragableness +refragate +refragment +refrain +refrained +refrainer +refraining +refrainment +refrains +reframe +reframed +reframes +reframing +refrangent +refrangibility +refrangibilities +refrangible +refrangibleness +refreeze +refreezes +refreezing +refreid +refreit +refrenation +refrenzy +refresco +refresh +refreshant +refreshed +refreshen +refreshener +refresher +refreshers +refreshes +refreshful +refreshfully +refreshing +refreshingly +refreshingness +refreshment +refreshments +refry +refricate +refried +refries +refrig +refrigerant +refrigerants +refrigerate +refrigerated +refrigerates +refrigerating +refrigeration +refrigerative +refrigerator +refrigeratory +refrigerators +refrigerium +refrighten +refrying +refringe +refringence +refringency +refringent +refroid +refront +refronted +refronting +refronts +refroze +refrozen +refrustrate +refrustrated +refrustrating +refs +reft +refuel +refueled +refueling +refuelled +refuelling +refuels +refuge +refuged +refugee +refugeeism +refugees +refugeeship +refuges +refugia +refuging +refugium +refulge +refulgence +refulgency +refulgent +refulgently +refulgentness +refunction +refund +refundability +refundable +refunded +refunder +refunders +refunding +refundment +refunds +refurbish +refurbished +refurbisher +refurbishes +refurbishing +refurbishment +refurl +refurnish +refurnished +refurnishes +refurnishing +refurnishment +refusable +refusal +refusals +refuse +refused +refusenik +refuser +refusers +refuses +refusing +refusingly +refusion +refusive +refutability +refutable +refutably +refutal +refutals +refutation +refutations +refutative +refutatory +refute +refuted +refuter +refuters +refutes +refuting +reg +regain +regainable +regained +regainer +regainers +regaining +regainment +regains +regal +regalado +regald +regale +regalecidae +regalecus +regaled +regalement +regaler +regales +regalia +regalian +regaling +regalio +regalism +regalist +regality +regalities +regalize +regally +regallop +regalness +regalo +regalty +regalvanization +regalvanize +regalvanized +regalvanizing +regamble +regambled +regambling +regard +regardable +regardance +regardancy +regardant +regarded +regarder +regardful +regardfully +regardfulness +regarding +regardless +regardlessly +regardlessness +regards +regarment +regarnish +regarrison +regather +regathered +regathering +regathers +regatta +regattas +regauge +regauged +regauges +regauging +regave +regd +regear +regeared +regearing +regears +regel +regelate +regelated +regelates +regelating +regelation +regelled +regelling +regence +regency +regencies +regenerable +regeneracy +regenerance +regenerant +regenerate +regenerated +regenerately +regenerateness +regenerates +regenerating +regeneration +regenerative +regeneratively +regenerator +regeneratory +regeneratoryregeneratress +regenerators +regeneratress +regeneratrix +regenesis +regent +regental +regentess +regents +regentship +regerminate +regerminated +regerminates +regerminating +regermination +regerminative +regerminatively +reges +regest +reget +regga +reggae +reggie +regia +regian +regicidal +regicide +regicides +regicidism +regidor +regie +regift +regifuge +regild +regilded +regilding +regilds +regill +regilt +regime +regimen +regimenal +regimens +regiment +regimental +regimentaled +regimentalled +regimentally +regimentals +regimentary +regimentation +regimented +regimenting +regiments +regimes +regiminal +regin +regina +reginae +reginal +reginald +reginas +regioide +region +regional +regionalism +regionalist +regionalistic +regionalization +regionalize +regionalized +regionalizing +regionally +regionals +regionary +regioned +regions +regird +regisseur +regisseurs +register +registerable +registered +registerer +registering +registers +registership +registrability +registrable +registral +registrant +registrants +registrar +registrary +registrars +registrarship +registrate +registrated +registrating +registration +registrational +registrationist +registrations +registrator +registrer +registry +registries +regitive +regius +regive +regiven +regives +regiving +regladden +reglair +reglaze +reglazed +reglazes +reglazing +regle +reglement +reglementary +reglementation +reglementist +reglet +reglets +reglorify +reglorification +reglorified +reglorifying +regloss +reglossed +reglosses +reglossing +reglove +reglow +reglowed +reglowing +reglows +reglue +reglued +reglues +regluing +regma +regmacarp +regmata +regna +regnal +regnancy +regnancies +regnant +regnerable +regnum +rego +regolith +regoliths +regorge +regorged +regorges +regorging +regosol +regosols +regovern +regovernment +regr +regrab +regrabbed +regrabbing +regracy +regradate +regradated +regradating +regradation +regrade +regraded +regrades +regrading +regraduate +regraduation +regraft +regrafted +regrafting +regrafts +regrant +regranted +regranting +regrants +regraph +regrasp +regrass +regrate +regrated +regrater +regrates +regratify +regratification +regrating +regratingly +regrator +regratress +regravel +regrease +regreased +regreasing +regrede +regreen +regreet +regreeted +regreeting +regreets +regress +regressed +regresses +regressing +regression +regressionist +regressions +regressive +regressively +regressiveness +regressivity +regressor +regressors +regret +regretable +regretableness +regretably +regretful +regretfully +regretfulness +regretless +regretlessness +regrets +regrettable +regrettableness +regrettably +regretted +regretter +regretters +regretting +regrettingly +regrew +regrind +regrinder +regrinding +regrinds +regrip +regripped +regroove +regrooved +regrooves +regrooving +reground +regroup +regrouped +regrouping +regroupment +regroups +regrow +regrowing +regrown +regrows +regrowth +regrowths +regt +reguarantee +reguaranteed +reguaranteeing +reguaranty +reguaranties +reguard +reguardant +reguide +reguided +reguiding +regula +regulable +regular +regulares +regularia +regularise +regularity +regularities +regularization +regularize +regularized +regularizer +regularizes +regularizing +regularly +regularness +regulars +regulatable +regulate +regulated +regulates +regulating +regulation +regulationist +regulations +regulative +regulatively +regulator +regulatory +regulators +regulatorship +regulatress +regulatris +reguli +reguline +regulize +regulus +reguluses +regur +regurge +regurgitant +regurgitate +regurgitated +regurgitates +regurgitating +regurgitation +regurgitations +regurgitative +regush +reh +rehabilitant +rehabilitate +rehabilitated +rehabilitates +rehabilitating +rehabilitation +rehabilitationist +rehabilitations +rehabilitative +rehabilitator +rehabilitee +rehair +rehayte +rehale +rehallow +rehammer +rehammered +rehammering +rehammers +rehandicap +rehandle +rehandled +rehandler +rehandles +rehandling +rehang +rehanged +rehanging +rehangs +rehappen +reharden +rehardened +rehardening +rehardens +reharm +reharmonization +reharmonize +reharmonized +reharmonizing +reharness +reharrow +reharvest +rehash +rehashed +rehashes +rehashing +rehaul +rehazard +rehboc +rehead +reheal +reheap +rehear +reheard +rehearheard +rehearhearing +rehearing +rehearings +rehears +rehearsable +rehearsal +rehearsals +rehearse +rehearsed +rehearser +rehearsers +rehearses +rehearsing +rehearten +reheat +reheated +reheater +reheaters +reheating +reheats +reheboth +rehedge +reheel +reheeled +reheeling +reheels +reheighten +rehem +rehemmed +rehemming +rehems +rehete +rehybridize +rehid +rehidden +rehide +rehydratable +rehydrate +rehydrating +rehydration +rehinge +rehinged +rehinges +rehinging +rehypnotize +rehypnotized +rehypnotizing +rehypothecate +rehypothecated +rehypothecating +rehypothecation +rehypothecator +rehire +rehired +rehires +rehiring +rehoboam +rehoboth +rehobothan +rehoe +rehoist +rehollow +rehone +rehoned +rehoning +rehonor +rehonour +rehood +rehook +rehoop +rehospitalization +rehospitalize +rehospitalized +rehospitalizing +rehouse +rehoused +rehouses +rehousing +rehumanization +rehumanize +rehumanized +rehumanizing +rehumble +rehumiliate +rehumiliated +rehumiliating +rehumiliation +rehung +rei +reice +reiced +reich +reichsgulden +reichsland +reichslander +reichsmark +reichsmarks +reichspfennig +reichstaler +reichsthaler +reicing +reid +reidentify +reidentification +reidentified +reidentifying +reif +reify +reification +reified +reifier +reifiers +reifies +reifying +reifs +reign +reigned +reigner +reigning +reignite +reignited +reignites +reigniting +reignition +reignore +reigns +reyield +reykjavik +reillume +reilluminate +reilluminated +reilluminating +reillumination +reillumine +reillustrate +reillustrated +reillustrating +reillustration +reim +reimage +reimaged +reimages +reimagination +reimagine +reimaging +reimbark +reimbarkation +reimbibe +reimbody +reimbursable +reimburse +reimburseable +reimbursed +reimbursement +reimbursements +reimburser +reimburses +reimbursing +reimbush +reimbushment +reimkennar +reimmerge +reimmerse +reimmersion +reimmigrant +reimmigration +reimpact +reimpark +reimpart +reimpatriate +reimpatriation +reimpel +reimplant +reimplantation +reimplement +reimplemented +reimply +reimplied +reimplying +reimport +reimportation +reimported +reimporting +reimports +reimportune +reimpose +reimposed +reimposes +reimposing +reimposition +reimposure +reimpregnate +reimpregnated +reimpregnating +reimpress +reimpression +reimprint +reimprison +reimprisoned +reimprisoning +reimprisonment +reimprisons +reimprove +reimprovement +reimpulse +rein +reina +reinability +reynard +reynards +reinaugurate +reinaugurated +reinaugurating +reinauguration +reincapable +reincarnadine +reincarnate +reincarnated +reincarnates +reincarnating +reincarnation +reincarnationism +reincarnationist +reincarnationists +reincarnations +reincense +reincentive +reincidence +reincidency +reincite +reincited +reincites +reinciting +reinclination +reincline +reinclined +reinclining +reinclude +reincluded +reincluding +reinclusion +reincorporate +reincorporated +reincorporates +reincorporating +reincorporation +reincrease +reincreased +reincreasing +reincrudate +reincrudation +reinculcate +reincur +reincurred +reincurring +reincurs +reindebted +reindebtedness +reindeer +reindeers +reindependence +reindex +reindexed +reindexes +reindexing +reindicate +reindicated +reindicating +reindication +reindict +reindictment +reindifferent +reindoctrinate +reindoctrinated +reindoctrinating +reindoctrination +reindorse +reindorsed +reindorsement +reindorsing +reinduce +reinduced +reinducement +reinduces +reinducing +reinduct +reinducted +reinducting +reinduction +reinducts +reindue +reindulge +reindulged +reindulgence +reindulging +reindustrialization +reindustrialize +reindustrialized +reindustrializing +reined +reiner +reinette +reinfect +reinfected +reinfecting +reinfection +reinfections +reinfectious +reinfects +reinfer +reinferred +reinferring +reinfest +reinfestation +reinfiltrate +reinfiltrated +reinfiltrating +reinfiltration +reinflame +reinflamed +reinflames +reinflaming +reinflatable +reinflate +reinflated +reinflating +reinflation +reinflict +reinfliction +reinfluence +reinfluenced +reinfluencing +reinforce +reinforceable +reinforced +reinforcement +reinforcements +reinforcer +reinforcers +reinforces +reinforcing +reinform +reinformed +reinforming +reinforms +reinfund +reinfuse +reinfused +reinfuses +reinfusing +reinfusion +reingraft +reingratiate +reingress +reinhabit +reinhabitation +reinhard +reinherit +reining +reinitialize +reinitialized +reinitializes +reinitializing +reinitiate +reinitiation +reinject +reinjure +reinjured +reinjures +reinjury +reinjuries +reinjuring +reink +reinless +reinoculate +reinoculated +reinoculates +reinoculating +reinoculation +reinoculations +reynold +reinquire +reinquired +reinquiry +reinquiries +reinquiring +reins +reinsane +reinsanity +reinscribe +reinscribed +reinscribes +reinscribing +reinsert +reinserted +reinserting +reinsertion +reinserts +reinsist +reinsman +reinsmen +reinspect +reinspected +reinspecting +reinspection +reinspector +reinspects +reinsphere +reinspiration +reinspire +reinspired +reinspiring +reinspirit +reinstall +reinstallation +reinstallations +reinstalled +reinstalling +reinstallment +reinstallments +reinstalls +reinstalment +reinstate +reinstated +reinstatement +reinstatements +reinstates +reinstating +reinstation +reinstator +reinstauration +reinstil +reinstill +reinstitute +reinstituted +reinstituting +reinstitution +reinstruct +reinstructed +reinstructing +reinstruction +reinstructs +reinsulate +reinsulated +reinsulating +reinsult +reinsurance +reinsure +reinsured +reinsurer +reinsures +reinsuring +reintegrate +reintegrated +reintegrates +reintegrating +reintegration +reintegrative +reintend +reinter +reintercede +reintercession +reinterchange +reinterest +reinterfere +reinterference +reinterment +reinterpret +reinterpretation +reinterpretations +reinterpreted +reinterpreting +reinterprets +reinterred +reinterring +reinterrogate +reinterrogated +reinterrogates +reinterrogating +reinterrogation +reinterrogations +reinterrupt +reinterruption +reinters +reintervene +reintervened +reintervening +reintervention +reinterview +reinthrone +reintimate +reintimation +reintitule +reintrench +reintrenched +reintrenches +reintrenching +reintrenchment +reintroduce +reintroduced +reintroduces +reintroducing +reintroduction +reintrude +reintrusion +reintuition +reintuitive +reinvade +reinvaded +reinvading +reinvasion +reinvent +reinvented +reinventing +reinvention +reinventor +reinvents +reinversion +reinvert +reinvest +reinvested +reinvestigate +reinvestigated +reinvestigates +reinvestigating +reinvestigation +reinvestigations +reinvesting +reinvestiture +reinvestment +reinvests +reinvigorate +reinvigorated +reinvigorates +reinvigorating +reinvigoration +reinvigorator +reinvitation +reinvite +reinvited +reinvites +reinviting +reinvoice +reinvoke +reinvoked +reinvokes +reinvoking +reinvolve +reinvolved +reinvolvement +reinvolves +reinvolving +reinwardtia +reyoke +reyoked +reyoking +reyouth +reirrigate +reirrigated +reirrigating +reirrigation +reis +reisner +reisolate +reisolated +reisolating +reisolation +reyson +reissuable +reissuably +reissue +reissued +reissuement +reissuer +reissuers +reissues +reissuing +reist +reister +reit +reitbok +reitboks +reitbuck +reitemize +reitemized +reitemizing +reiter +reiterable +reiterance +reiterant +reiterate +reiterated +reiteratedly +reiteratedness +reiterates +reiterating +reiteration +reiterations +reiterative +reiteratively +reiterativeness +reiterator +reive +reived +reiver +reivers +reives +reiving +rejail +rejang +reject +rejectable +rejectableness +rejectage +rejectamenta +rejectaneous +rejected +rejectee +rejectees +rejecter +rejecters +rejecting +rejectingly +rejection +rejections +rejective +rejectment +rejector +rejectors +rejects +rejeopardize +rejeopardized +rejeopardizing +rejerk +rejig +rejigger +rejiggered +rejiggering +rejiggers +rejoice +rejoiced +rejoiceful +rejoicement +rejoicer +rejoicers +rejoices +rejoicing +rejoicingly +rejoin +rejoinder +rejoinders +rejoindure +rejoined +rejoining +rejoins +rejolt +rejoneador +rejoneo +rejounce +rejourn +rejourney +rejudge +rejudged +rejudgement +rejudges +rejudging +rejudgment +rejumble +rejunction +rejustify +rejustification +rejustified +rejustifying +rejuvenant +rejuvenate +rejuvenated +rejuvenates +rejuvenating +rejuvenation +rejuvenations +rejuvenative +rejuvenator +rejuvenesce +rejuvenescence +rejuvenescent +rejuvenise +rejuvenised +rejuvenising +rejuvenize +rejuvenized +rejuvenizing +rekey +rekeyed +rekeying +rekeys +rekhti +reki +rekick +rekill +rekindle +rekindled +rekindlement +rekindler +rekindles +rekindling +reking +rekinole +rekiss +reknead +reknit +reknits +reknitted +reknitting +reknock +reknot +reknotted +reknotting +reknow +rel +relabel +relabeled +relabeling +relabelled +relabelling +relabels +relace +relaced +relaces +relache +relacing +relacquer +relade +reladen +reladle +reladled +reladling +relay +relaid +relayed +relayer +relaying +relayman +relais +relays +relament +relamp +relance +relanced +relancing +reland +relap +relapper +relapsable +relapse +relapsed +relapseproof +relapser +relapsers +relapses +relapsing +relast +relaster +relata +relatability +relatable +relatch +relate +related +relatedly +relatedness +relater +relaters +relates +relating +relatinization +relation +relational +relationality +relationally +relationals +relationary +relatione +relationism +relationist +relationless +relations +relationship +relationships +relatival +relative +relatively +relativeness +relatives +relativism +relativist +relativistic +relativistically +relativity +relativization +relativize +relator +relators +relatrix +relatum +relaunch +relaunched +relaunches +relaunching +relaunder +relaundered +relaundering +relaunders +relax +relaxable +relaxant +relaxants +relaxation +relaxations +relaxative +relaxatory +relaxed +relaxedly +relaxedness +relaxer +relaxers +relaxes +relaxin +relaxing +relaxins +relbun +relead +releap +relearn +relearned +relearning +relearns +relearnt +releasability +releasable +releasably +release +released +releasee +releasement +releaser +releasers +releases +releasibility +releasible +releasing +releasor +releather +relection +relegable +relegate +relegated +relegates +relegating +relegation +releivo +releivos +relend +relending +relends +relent +relented +relenting +relentingly +relentless +relentlessly +relentlessness +relentment +relents +reles +relessa +relessee +relessor +relet +relets +reletter +relettered +relettering +reletters +reletting +relevance +relevances +relevancy +relevancies +relevant +relevantly +relevate +relevation +relevator +releve +relevel +releveled +releveling +relevent +relever +relevy +relevied +relevying +rely +reliability +reliabilities +reliable +reliableness +reliably +reliance +reliances +reliant +reliantly +reliberate +reliberated +reliberating +relic +relicary +relicense +relicensed +relicenses +relicensing +relick +reliclike +relicmonger +relics +relict +relictae +relicted +relicti +reliction +relicts +relide +relied +relief +reliefer +reliefless +reliefs +relier +reliers +relies +relievable +relieve +relieved +relievedly +relievement +reliever +relievers +relieves +relieving +relievingly +relievo +relievos +relift +relig +religate +religation +relight +relightable +relighted +relighten +relightener +relighter +relighting +relights +religieuse +religieuses +religieux +religio +religion +religionary +religionate +religioner +religionism +religionist +religionistic +religionists +religionize +religionless +religions +religiose +religiosity +religioso +religious +religiously +religiousness +reliiant +relying +relime +relimit +relimitation +reline +relined +reliner +relines +relining +relink +relinked +relinquent +relinquish +relinquished +relinquisher +relinquishers +relinquishes +relinquishing +relinquishment +relinquishments +reliquaire +reliquary +reliquaries +relique +reliquefy +reliquefied +reliquefying +reliques +reliquiae +reliquian +reliquidate +reliquidated +reliquidates +reliquidating +reliquidation +reliquism +relish +relishable +relished +relisher +relishes +relishy +relishing +relishingly +relishsome +relist +relisted +relisten +relisting +relists +relit +relitigate +relitigated +relitigating +relitigation +relivable +relive +relived +reliver +relives +reliving +rellyan +rellyanism +rellyanite +reload +reloaded +reloader +reloaders +reloading +reloads +reloan +reloaned +reloaning +reloans +relocable +relocatability +relocatable +relocate +relocated +relocatee +relocates +relocating +relocation +relocations +relocator +relock +relodge +relong +relook +relose +relosing +relost +relot +relove +relower +relubricate +relubricated +relubricating +reluce +relucent +reluct +reluctance +reluctancy +reluctant +reluctantly +reluctate +reluctation +relucted +relucting +reluctivity +relucts +relume +relumed +relumes +relumine +relumined +relumines +reluming +relumining +rem +remade +remagnetization +remagnetize +remagnetized +remagnetizing +remagnify +remagnification +remagnified +remagnifying +remail +remailed +remailing +remails +remaim +remain +remainder +remaindered +remaindering +remainderman +remaindermen +remainders +remaindership +remaindment +remained +remainer +remaining +remains +remaintain +remaintenance +remake +remaker +remakes +remaking +reman +remanage +remanagement +remanation +remancipate +remancipation +remand +remanded +remanding +remandment +remands +remanence +remanency +remanent +remanet +remanie +remanifest +remanifestation +remanipulate +remanipulation +remanned +remanning +remans +remantle +remanufacture +remanufactured +remanufacturer +remanufactures +remanufacturing +remanure +remap +remapped +remapping +remaps +remarch +remargin +remark +remarkability +remarkable +remarkableness +remarkably +remarked +remarkedly +remarker +remarkers +remarket +remarking +remarks +remarque +remarques +remarry +remarriage +remarriages +remarried +remarries +remarrying +remarshal +remarshaled +remarshaling +remarshalling +remask +remass +remast +remaster +remastery +remasteries +remasticate +remasticated +remasticating +remastication +rematch +rematched +rematches +rematching +rematerialization +rematerialize +rematerialized +rematerializing +rematriculate +rematriculated +rematriculating +remblai +remble +remblere +rembrandt +rembrandtesque +rembrandtish +rembrandtism +remeant +remeasure +remeasured +remeasurement +remeasurements +remeasures +remeasuring +remede +remedy +remediability +remediable +remediableness +remediably +remedial +remedially +remediate +remediated +remediating +remediation +remedied +remedies +remedying +remediless +remedilessly +remedilessness +remeditate +remeditation +remedium +remeet +remeeting +remeets +remelt +remelted +remelting +remelts +remember +rememberability +rememberable +rememberably +remembered +rememberer +rememberers +remembering +rememberingly +remembers +remembrance +remembrancer +remembrancership +remembrances +rememorate +rememoration +rememorative +rememorize +rememorized +rememorizing +remen +remenace +remenant +remend +remended +remending +remends +remene +remention +remercy +remerge +remerged +remerges +remerging +remet +remetal +remex +remi +remica +remicate +remication +remicle +remiform +remigate +remigation +remiges +remigial +remigrant +remigrate +remigrated +remigrates +remigrating +remigration +remigrations +remijia +remilitarization +remilitarize +remilitarized +remilitarizes +remilitarizing +remill +remillable +remimic +remind +remindal +reminded +reminder +reminders +remindful +reminding +remindingly +reminds +remineralization +remineralize +remingle +remingled +remingling +reminisce +reminisced +reminiscence +reminiscenceful +reminiscencer +reminiscences +reminiscency +reminiscent +reminiscential +reminiscentially +reminiscently +reminiscer +reminisces +reminiscing +reminiscitory +remint +reminted +reminting +remints +remiped +remirror +remise +remised +remises +remising +remisrepresent +remisrepresentation +remiss +remissful +remissibility +remissible +remissibleness +remissibly +remission +remissions +remissive +remissively +remissiveness +remissly +remissness +remissory +remisunderstand +remit +remital +remitment +remits +remittable +remittal +remittals +remittance +remittancer +remittances +remitted +remittee +remittence +remittency +remittent +remittently +remitter +remitters +remitting +remittitur +remittor +remittors +remix +remixed +remixes +remixing +remixt +remixture +remnant +remnantal +remnants +remobilization +remobilize +remobilized +remobilizing +remoboth +remock +remodel +remodeled +remodeler +remodelers +remodeling +remodelled +remodeller +remodelling +remodelment +remodels +remodify +remodification +remodified +remodifies +remodifying +remodulate +remodulated +remodulating +remolade +remolades +remold +remolded +remolding +remolds +remollient +remollify +remollified +remollifying +remonetisation +remonetise +remonetised +remonetising +remonetization +remonetize +remonetized +remonetizes +remonetizing +remonstrance +remonstrances +remonstrant +remonstrantly +remonstrate +remonstrated +remonstrates +remonstrating +remonstratingly +remonstration +remonstrations +remonstrative +remonstratively +remonstrator +remonstratory +remonstrators +remontado +remontant +remontoir +remontoire +remop +remora +remoras +remorate +remord +remore +remorid +remorse +remorseful +remorsefully +remorsefulness +remorseless +remorselessly +remorselessness +remorseproof +remorses +remortgage +remortgaged +remortgages +remortgaging +remote +remoted +remotely +remoteness +remoter +remotest +remotion +remotions +remotive +remoulade +remould +remount +remounted +remounting +remounts +removability +removable +removableness +removably +removal +removalist +removals +remove +removed +removedly +removedness +removeless +removement +remover +removers +removes +removing +rems +remuable +remuda +remudas +remue +remultiply +remultiplication +remultiplied +remultiplying +remunerability +remunerable +remunerably +remunerate +remunerated +remunerates +remunerating +remuneration +remunerations +remunerative +remuneratively +remunerativeness +remunerator +remuneratory +remunerators +remurmur +remus +remuster +remutation +ren +renable +renably +renay +renail +renaissance +renaissancist +renaissant +renal +rename +renamed +renames +renaming +renardine +renascence +renascences +renascency +renascent +renascible +renascibleness +renate +renationalize +renationalized +renationalizing +renaturation +renature +renatured +renatures +renaturing +renavigate +renavigated +renavigating +renavigation +rencontre +rencontres +rencounter +rencountered +rencountering +rencounters +renculus +rend +rended +rendement +render +renderable +rendered +renderer +renderers +rendering +renderings +renders +renderset +rendezvous +rendezvoused +rendezvouses +rendezvousing +rendibility +rendible +rending +rendition +renditions +rendlewood +rendoun +rendrock +rends +rendu +rendzina +rendzinas +reneague +renealmia +renecessitate +reneg +renegade +renegaded +renegades +renegading +renegadism +renegado +renegadoes +renegados +renegate +renegated +renegating +renegation +renege +reneged +reneger +renegers +reneges +reneging +reneglect +renegotiable +renegotiate +renegotiated +renegotiates +renegotiating +renegotiation +renegotiations +renegotiator +renegue +renerve +renes +renet +renette +reneutralize +reneutralized +reneutralizing +renew +renewability +renewable +renewably +renewal +renewals +renewed +renewedly +renewedness +renewer +renewers +renewing +renewment +renews +renforce +renga +rengue +renguera +renicardiac +renickel +reniculus +renidify +renidification +reniform +renig +renigged +renigging +renigs +renilla +renillidae +renin +renins +renipericardial +reniportal +renipuncture +renish +renishly +renitence +renitency +renitent +renk +renky +renn +rennase +rennases +renne +renner +rennet +renneting +rennets +rennin +renninogen +rennins +renniogen +reno +renocutaneous +renogastric +renogram +renograms +renography +renographic +renointestinal +renoir +renomee +renominate +renominated +renominates +renominating +renomination +renominations +renomme +renommee +renone +renopericardial +renopulmonary +renormalization +renormalize +renormalized +renormalizing +renotarize +renotarized +renotarizing +renotation +renotice +renoticed +renoticing +renotify +renotification +renotified +renotifies +renotifying +renounce +renounceable +renounced +renouncement +renouncements +renouncer +renouncers +renounces +renouncing +renourish +renourishment +renovare +renovate +renovated +renovater +renovates +renovating +renovatingly +renovation +renovations +renovative +renovator +renovatory +renovators +renove +renovel +renovize +renown +renowned +renownedly +renownedness +renowner +renownful +renowning +renownless +renowns +rensselaerite +rent +rentability +rentable +rentage +rental +rentaler +rentaller +rentals +rente +rented +rentee +renter +renters +rentes +rentier +rentiers +renting +rentless +rentrayeuse +rentrant +rentree +rents +renu +renule +renullify +renullification +renullified +renullifying +renumber +renumbered +renumbering +renumbers +renumerate +renumerated +renumerating +renumeration +renunciable +renunciance +renunciant +renunciate +renunciation +renunciations +renunciative +renunciator +renunciatory +renunculus +renverse +renversement +renvoi +renvoy +renvois +renwick +reobject +reobjected +reobjecting +reobjectivization +reobjectivize +reobjects +reobligate +reobligated +reobligating +reobligation +reoblige +reobliged +reobliging +reobscure +reobservation +reobserve +reobserved +reobserving +reobtain +reobtainable +reobtained +reobtaining +reobtainment +reobtains +reoccasion +reoccupation +reoccupations +reoccupy +reoccupied +reoccupies +reoccupying +reoccur +reoccurred +reoccurrence +reoccurrences +reoccurring +reoccurs +reoffend +reoffense +reoffer +reoffered +reoffering +reoffers +reoffset +reoil +reoiled +reoiling +reoils +reometer +reomission +reomit +reopen +reopened +reopener +reopening +reopenings +reopens +reoperate +reoperated +reoperating +reoperation +reophore +reoppose +reopposed +reopposes +reopposing +reopposition +reoppress +reoppression +reorchestrate +reorchestrated +reorchestrating +reorchestration +reordain +reordained +reordaining +reordains +reorder +reordered +reordering +reorders +reordinate +reordination +reorganise +reorganised +reorganiser +reorganising +reorganization +reorganizational +reorganizationist +reorganizations +reorganize +reorganized +reorganizer +reorganizers +reorganizes +reorganizing +reorient +reorientate +reorientated +reorientating +reorientation +reorientations +reoriented +reorienting +reorients +reornament +reoutfit +reoutfitted +reoutfitting +reoutline +reoutlined +reoutlining +reoutput +reoutrage +reovercharge +reoverflow +reovertake +reoverwork +reovirus +reoviruses +reown +reoxidation +reoxidise +reoxidised +reoxidising +reoxidize +reoxidized +reoxidizing +reoxygenate +reoxygenize +rep +repace +repacify +repacification +repacified +repacifies +repacifying +repack +repackage +repackaged +repackager +repackages +repackaging +repacked +repacker +repacking +repacks +repad +repadded +repadding +repaganization +repaganize +repaganizer +repage +repaginate +repaginated +repaginates +repaginating +repagination +repay +repayable +repayal +repaid +repayed +repaying +repayment +repayments +repaint +repainted +repainting +repaints +repair +repairability +repairable +repairableness +repaired +repairer +repairers +repairing +repairman +repairmen +repairs +repays +repale +repand +repandly +repandodentate +repandodenticulate +repandolobate +repandous +repandousness +repanel +repaneled +repaneling +repaper +repapered +repapering +repapers +reparability +reparable +reparably +reparagraph +reparate +reparation +reparations +reparative +reparatory +reparel +repark +repart +repartable +repartake +repartee +reparteeist +repartees +reparticipate +reparticipation +repartition +repartitionable +repas +repass +repassable +repassage +repassant +repassed +repasser +repasses +repassing +repast +repaste +repasted +repasting +repasts +repasture +repatch +repatency +repatent +repatriable +repatriate +repatriated +repatriates +repatriating +repatriation +repatriations +repatrol +repatrolled +repatrolling +repatronize +repatronized +repatronizing +repattern +repave +repaved +repavement +repaves +repaving +repawn +repeal +repealability +repealable +repealableness +repealed +repealer +repealers +repealing +repealist +repealless +repeals +repeat +repeatability +repeatable +repeatal +repeated +repeatedly +repeater +repeaters +repeating +repeats +repechage +repeddle +repeddled +repeddling +repeg +repel +repellance +repellant +repellantly +repelled +repellence +repellency +repellent +repellently +repellents +repeller +repellers +repelling +repellingly +repellingness +repels +repen +repenalize +repenalized +repenalizing +repenetrate +repenned +repenning +repension +repent +repentable +repentance +repentant +repentantly +repented +repenter +repenters +repenting +repentingly +repents +repeople +repeopled +repeoples +repeopling +reperceive +reperceived +reperceiving +repercept +reperception +repercolation +repercuss +repercussion +repercussions +repercussive +repercussively +repercussiveness +repercussor +repercutient +reperforator +reperform +reperformance +reperfume +reperible +reperk +reperked +reperking +reperks +repermission +repermit +reperplex +repersonalization +repersonalize +repersuade +repersuasion +repertoire +repertoires +repertory +repertorial +repertories +repertorily +repertorium +reperusal +reperuse +reperused +reperusing +repetatively +repetend +repetends +repetitae +repetiteur +repetiteurs +repetition +repetitional +repetitionary +repetitions +repetitious +repetitiously +repetitiousness +repetitive +repetitively +repetitiveness +repetitory +repetoire +repetticoat +repew +rephael +rephase +rephonate +rephosphorization +rephosphorize +rephotograph +rephrase +rephrased +rephrases +rephrasing +repic +repick +repicture +repiece +repile +repin +repine +repined +repineful +repinement +repiner +repiners +repines +repining +repiningly +repinned +repinning +repins +repipe +repique +repiqued +repiquing +repitch +repkie +repl +replace +replaceability +replaceable +replaced +replacement +replacements +replacer +replacers +replaces +replacing +replay +replayed +replaying +replays +replait +replan +replane +replaned +replaning +replanned +replanning +replans +replant +replantable +replantation +replanted +replanter +replanting +replants +replaster +replate +replated +replates +replating +replead +repleader +repleading +repleat +repledge +repledged +repledger +repledges +repledging +replenish +replenished +replenisher +replenishers +replenishes +replenishing +replenishingly +replenishment +replete +repletely +repleteness +repletion +repletive +repletively +repletory +repleve +replevy +repleviable +replevied +replevies +replevying +replevin +replevined +replevining +replevins +replevisable +replevisor +reply +replial +repliant +replica +replicable +replicant +replicas +replicate +replicated +replicates +replicatile +replicating +replication +replications +replicative +replicatively +replicatory +replied +replier +repliers +replies +replight +replying +replyingly +replique +replod +replot +replotment +replotted +replotter +replotting +replough +replow +replowed +replowing +replum +replume +replumed +repluming +replunder +replunge +replunged +replunges +replunging +repocket +repoint +repolarization +repolarize +repolarized +repolarizing +repolymerization +repolymerize +repolish +repolished +repolishes +repolishing +repoll +repollute +repolon +reponder +repondez +repone +repope +repopularization +repopularize +repopularized +repopularizing +repopulate +repopulated +repopulates +repopulating +repopulation +report +reportable +reportage +reportages +reported +reportedly +reporter +reporteress +reporterism +reporters +reportership +reporting +reportingly +reportion +reportorial +reportorially +reports +reposal +reposals +repose +reposed +reposedly +reposedness +reposeful +reposefully +reposefulness +reposer +reposers +reposes +reposing +reposit +repositary +reposited +repositing +reposition +repositioned +repositioning +repositions +repositor +repository +repositories +reposits +reposoir +repossess +repossessed +repossesses +repossessing +repossession +repossessions +repossessor +repost +repostpone +repostponed +repostponing +repostulate +repostulated +repostulating +repostulation +reposure +repot +repound +repour +repoured +repouring +repours +repouss +repoussage +repousse +repousses +repowder +repower +repowered +repowering +repowers +repp +repped +repps +repr +repractice +repracticed +repracticing +repray +repraise +repraised +repraising +repreach +reprecipitate +reprecipitation +repredict +reprefer +reprehend +reprehendable +reprehendatory +reprehended +reprehender +reprehending +reprehends +reprehensibility +reprehensible +reprehensibleness +reprehensibly +reprehension +reprehensive +reprehensively +reprehensory +repremise +repremised +repremising +repreparation +reprepare +reprepared +repreparing +represcribe +represcribed +represcribing +represent +representability +representable +representably +representamen +representant +representation +representational +representationalism +representationalist +representationalistic +representationally +representationary +representationes +representationism +representationist +representations +representative +representatively +representativeness +representatives +representativeship +representativity +represented +representee +representer +representing +representment +representor +represents +represide +repress +repressed +repressedly +represser +represses +repressibility +repressibilities +repressible +repressibly +repressing +repression +repressionary +repressionist +repressions +repressive +repressively +repressiveness +repressment +repressor +repressory +repressure +repry +reprice +repriced +reprices +repricing +reprievable +reprieval +reprieve +reprieved +repriever +reprievers +reprieves +reprieving +reprimand +reprimanded +reprimander +reprimanding +reprimandingly +reprimands +reprime +reprimed +reprimer +repriming +reprint +reprinted +reprinter +reprinting +reprintings +reprints +reprisal +reprisalist +reprisals +reprise +reprised +reprises +reprising +repristinate +repristination +reprivatization +reprivatize +reprivilege +repro +reproach +reproachability +reproachable +reproachableness +reproachably +reproached +reproacher +reproaches +reproachful +reproachfully +reproachfulness +reproaching +reproachingly +reproachless +reproachlessness +reprobacy +reprobance +reprobate +reprobated +reprobateness +reprobater +reprobates +reprobating +reprobation +reprobationary +reprobationer +reprobative +reprobatively +reprobator +reprobatory +reprobe +reprobed +reprobes +reprobing +reproceed +reprocess +reprocessed +reprocesses +reprocessing +reproclaim +reproclamation +reprocurable +reprocure +reproduce +reproduceable +reproduced +reproducer +reproducers +reproduces +reproducibility +reproducibilities +reproducible +reproducibly +reproducing +reproduction +reproductionist +reproductions +reproductive +reproductively +reproductiveness +reproductivity +reproductory +reprofane +reprofess +reproffer +reprogram +reprogrammed +reprogramming +reprograms +reprography +reprohibit +reproject +repromise +repromised +repromising +repromulgate +repromulgated +repromulgating +repromulgation +repronounce +repronunciation +reproof +reproofless +reproofs +repropagate +repropitiate +repropitiation +reproportion +reproposal +repropose +reproposed +reproposing +repros +reprosecute +reprosecuted +reprosecuting +reprosecution +reprosper +reprotect +reprotection +reprotest +reprovability +reprovable +reprovableness +reprovably +reproval +reprovals +reprove +reproved +reprover +reprovers +reproves +reprovide +reproving +reprovingly +reprovision +reprovocation +reprovoke +reprune +repruned +repruning +reps +rept +reptant +reptation +reptatory +reptatorial +reptile +reptiledom +reptilelike +reptiles +reptilferous +reptilia +reptilian +reptilians +reptiliary +reptiliform +reptilious +reptiliousness +reptilism +reptility +reptilivorous +reptiloid +republic +republica +republical +republican +republicanisation +republicanise +republicanised +republicaniser +republicanising +republicanism +republicanization +republicanize +republicanizer +republicans +republication +republics +republish +republishable +republished +republisher +republishes +republishing +republishment +repudative +repuddle +repudiable +repudiate +repudiated +repudiates +repudiating +repudiation +repudiationist +repudiations +repudiative +repudiator +repudiatory +repudiators +repuff +repugn +repugnable +repugnance +repugnancy +repugnant +repugnantly +repugnantness +repugnate +repugnatorial +repugned +repugner +repugning +repugns +repullulate +repullulation +repullulative +repullulescent +repulpit +repulse +repulsed +repulseless +repulseproof +repulser +repulsers +repulses +repulsing +repulsion +repulsions +repulsive +repulsively +repulsiveness +repulsor +repulsory +repulverize +repump +repunch +repunctuate +repunctuated +repunctuating +repunctuation +repunish +repunishable +repunishment +repurchase +repurchased +repurchaser +repurchases +repurchasing +repure +repurge +repurify +repurification +repurified +repurifies +repurifying +repurple +repurpose +repurposed +repurposing +repursue +repursued +repursues +repursuing +repursuit +reputability +reputable +reputableness +reputably +reputation +reputationless +reputations +reputative +reputatively +repute +reputed +reputedly +reputeless +reputes +reputing +req +reqd +requalify +requalification +requalified +requalifying +requarantine +requeen +requench +request +requested +requester +requesters +requesting +requestion +requestor +requestors +requests +requeued +requicken +requiem +requiems +requienia +requiescat +requiescence +requin +requins +requirable +require +required +requirement +requirements +requirer +requirers +requires +requiring +requisite +requisitely +requisiteness +requisites +requisition +requisitionary +requisitioned +requisitioner +requisitioners +requisitioning +requisitionist +requisitions +requisitor +requisitory +requisitorial +requit +requitable +requital +requitals +requitative +requite +requited +requiteful +requiteless +requitement +requiter +requiters +requites +requiting +requiz +requotation +requote +requoted +requoting +rerack +reracker +reradiate +reradiated +reradiates +reradiating +reradiation +rerail +rerailer +reraise +rerake +reran +rerank +rerate +rerated +rerating +reread +rereader +rereading +rereads +rerebrace +rerecord +rerecorded +rerecording +rerecords +reredos +reredoses +reree +rereel +rereeve +rerefief +reregister +reregistration +reregulate +reregulated +reregulating +reregulation +rereign +rerelease +reremice +reremmice +reremouse +rerent +rerental +reresupper +rereward +rerewards +rerig +rering +rerise +rerisen +rerises +rerising +rerival +rerivet +rerob +rerobe +reroyalize +reroll +rerolled +reroller +rerollers +rerolling +rerolls +reroof +reroot +rerope +rerose +reroute +rerouted +reroutes +rerouting +rerow +rerub +rerummage +rerun +rerunning +reruns +res +resaca +resack +resacrifice +resaddle +resaddled +resaddles +resaddling +resay +resaid +resaying +resail +resailed +resailing +resails +resays +resalable +resale +resaleable +resales +resalgar +resalt +resalutation +resalute +resaluted +resalutes +resaluting +resalvage +resample +resampled +resamples +resampling +resanctify +resanction +resarcelee +resat +resatisfaction +resatisfy +resave +resaw +resawed +resawer +resawyer +resawing +resawn +resaws +resazurin +rescale +rescaled +rescales +rescaling +rescan +rescattering +reschedule +rescheduled +reschedules +rescheduling +reschool +rescind +rescindable +rescinded +rescinder +rescinding +rescindment +rescinds +rescissible +rescission +rescissions +rescissory +rescore +rescored +rescores +rescoring +rescounter +rescous +rescramble +rescratch +rescreen +rescreened +rescreening +rescreens +rescribe +rescript +rescription +rescriptive +rescriptively +rescripts +rescrub +rescrubbed +rescrubbing +rescrutiny +rescrutinies +rescrutinize +rescrutinized +rescrutinizing +rescuable +rescue +rescued +rescueless +rescuer +rescuers +rescues +rescuing +rescusser +reseal +resealable +resealed +resealing +reseals +reseam +research +researchable +researched +researcher +researchers +researches +researchful +researching +researchist +reseason +reseat +reseated +reseating +reseats +reseau +reseaus +reseaux +resecate +resecrete +resecretion +resect +resectability +resectabilities +resectable +resected +resecting +resection +resectional +resections +resectoscope +resects +resecure +resecured +resecuring +reseda +resedaceae +resedaceous +resedas +resee +reseed +reseeded +reseeding +reseeds +reseeing +reseek +reseeking +reseeks +reseen +resees +resegment +resegmentation +resegregate +resegregated +resegregating +resegregation +reseise +reseiser +reseize +reseized +reseizer +reseizes +reseizing +reseizure +reselect +reselected +reselecting +reselection +reselects +reself +resell +reseller +resellers +reselling +resells +resemblable +resemblance +resemblances +resemblant +resemble +resembled +resembler +resembles +resembling +resemblingly +reseminate +resend +resending +resends +resene +resensation +resensitization +resensitize +resensitized +resensitizing +resent +resentationally +resented +resentence +resentenced +resentencing +resenter +resentful +resentfully +resentfullness +resentfulness +resentience +resentiment +resenting +resentingly +resentive +resentless +resentment +resentments +resents +reseparate +reseparated +reseparating +reseparation +resepulcher +resequencing +resequent +resequester +resequestration +reserate +reserene +reserpine +reserpinized +reservable +reserval +reservation +reservationist +reservations +reservative +reservatory +reserve +reserved +reservedly +reservedness +reservee +reserveful +reserveless +reserver +reservery +reservers +reserves +reservice +reserviced +reservicing +reserving +reservist +reservists +reservoir +reservoired +reservoirs +reservor +reset +resets +resettable +resetter +resetters +resetting +resettings +resettle +resettled +resettlement +resettlements +resettles +resettling +resever +resew +resewed +resewing +resewn +resews +resex +resgat +resh +reshake +reshaken +reshaking +reshape +reshaped +reshaper +reshapers +reshapes +reshaping +reshare +reshared +resharing +resharpen +resharpened +resharpening +resharpens +reshave +reshaved +reshaving +reshear +reshearer +resheathe +reshelve +reshes +reshew +reshift +reshine +reshined +reshingle +reshingled +reshingling +reshining +reship +reshipment +reshipments +reshipped +reshipper +reshipping +reships +reshod +reshoe +reshoeing +reshoes +reshook +reshoot +reshooting +reshoots +reshorten +reshot +reshoulder +reshovel +reshow +reshowed +reshower +reshowing +reshown +reshows +reshrine +reshuffle +reshuffled +reshuffles +reshuffling +reshun +reshunt +reshut +reshutting +reshuttle +resiance +resiancy +resiant +resiccate +resicken +resid +reside +resided +residence +residencer +residences +residency +residencia +residencies +resident +residental +residenter +residential +residentiality +residentially +residentiary +residentiaryship +residents +residentship +resider +residers +resides +residing +residiuum +resids +residua +residual +residually +residuals +residuary +residuation +residue +residuent +residues +residuous +residuua +residuum +residuums +resift +resifted +resifting +resifts +resigh +resight +resign +resignal +resignaled +resignaling +resignatary +resignation +resignationism +resignations +resigned +resignedly +resignedness +resignee +resigner +resigners +resignful +resigning +resignment +resigns +resile +resiled +resilement +resiles +resilia +resilial +resiliate +resilience +resiliency +resilient +resiliently +resilifer +resiling +resiliometer +resilition +resilium +resyllabification +resilver +resilvered +resilvering +resilvers +resymbolization +resymbolize +resymbolized +resymbolizing +resimmer +resin +resina +resinaceous +resinate +resinated +resinates +resinating +resinbush +resynchronization +resynchronize +resynchronized +resynchronizing +resined +resiner +resinfiable +resing +resiny +resinic +resiniferous +resinify +resinification +resinified +resinifies +resinifying +resinifluous +resiniform +resining +resinize +resink +resinlike +resinoelectric +resinoextractive +resinogenous +resinoid +resinoids +resinol +resinolic +resinophore +resinosis +resinous +resinously +resinousness +resinovitreous +resins +resyntheses +resynthesis +resynthesize +resynthesized +resynthesizing +resynthetize +resynthetized +resynthetizing +resipiscence +resipiscent +resist +resistability +resistable +resistableness +resistably +resistance +resistances +resistant +resistante +resistantes +resistantly +resistants +resistate +resisted +resystematize +resystematized +resystematizing +resistence +resistent +resister +resisters +resistful +resistibility +resistible +resistibleness +resistibly +resisting +resistingly +resistive +resistively +resistiveness +resistivity +resistless +resistlessly +resistlessness +resistor +resistors +resists +resit +resitting +resituate +resituated +resituates +resituating +resize +resized +resizer +resizes +resizing +resketch +reskew +reskin +reslay +reslander +reslash +reslate +reslide +reslot +resmell +resmelt +resmelted +resmelting +resmelts +resmile +resmooth +resmoothed +resmoothing +resmooths +resnap +resnatch +resnatron +resnub +resoak +resoap +resoften +resoil +resojet +resojets +resojourn +resold +resolder +resoldered +resoldering +resolders +resole +resoled +resolemnize +resoles +resolicit +resolicitation +resolidify +resolidification +resoling +resolubility +resoluble +resolubleness +resolute +resolutely +resoluteness +resoluter +resolutes +resolutest +resolution +resolutioner +resolutionist +resolutions +resolutive +resolutory +resolvability +resolvable +resolvableness +resolvancy +resolve +resolved +resolvedly +resolvedness +resolvend +resolvent +resolver +resolvers +resolves +resolvible +resolving +resonance +resonances +resonancy +resonancies +resonant +resonantly +resonants +resonate +resonated +resonates +resonating +resonation +resonations +resonator +resonatory +resonators +resoothe +resorb +resorbed +resorbence +resorbent +resorbing +resorbs +resorcylic +resorcin +resorcinal +resorcine +resorcinism +resorcinol +resorcinolphthalein +resorcins +resorcinum +resorption +resorptive +resort +resorted +resorter +resorters +resorting +resorts +resorufin +resought +resound +resounded +resounder +resounding +resoundingly +resounds +resource +resourceful +resourcefully +resourcefulness +resourceless +resourcelessness +resources +resoutive +resow +resowed +resowing +resown +resows +resp +respace +respaced +respacing +respade +respaded +respading +respan +respangle +resparkle +respasse +respeak +respecify +respecification +respecifications +respecified +respecifying +respect +respectability +respectabilities +respectabilize +respectable +respectableness +respectably +respectant +respected +respecter +respecters +respectful +respectfully +respectfulness +respecting +respection +respective +respectively +respectiveness +respectless +respectlessly +respectlessness +respects +respectum +respectuous +respectworthy +respell +respelled +respelling +respells +respelt +respersive +respice +respiced +respicing +respin +respirability +respirable +respirableness +respirating +respiration +respirational +respirations +respirative +respirator +respiratored +respiratory +respiratorium +respirators +respire +respired +respires +respiring +respirit +respirometer +respirometry +respirometric +respite +respited +respiteless +respites +respiting +resplend +resplendence +resplendency +resplendent +resplendently +resplendish +resplice +respliced +resplicing +resplit +respoke +respond +responde +respondeat +responded +respondence +respondences +respondency +respondencies +respondendum +respondent +respondentia +respondents +responder +responders +responding +responds +responsa +responsable +responsal +responsary +response +responseless +responser +responses +responsibility +responsibilities +responsible +responsibleness +responsibles +responsibly +responsion +responsions +responsive +responsively +responsiveness +responsivity +responsor +responsory +responsorial +responsories +responsum +responsusa +respot +respray +resprang +respread +respreading +respreads +respring +respringing +resprings +resprinkle +resprinkled +resprinkling +resprout +resprung +respue +resquander +resquare +resqueak +ressaidar +ressala +ressalah +ressaldar +ressaut +ressentiment +resshot +ressort +rest +restab +restabbed +restabbing +restabilization +restabilize +restabilized +restabilizing +restable +restabled +restabling +restack +restacked +restacking +restacks +restaff +restaffed +restaffing +restaffs +restage +restaged +restages +restaging +restagnate +restain +restainable +restake +restamp +restamped +restamping +restamps +restandardization +restandardize +restant +restart +restartable +restarted +restarting +restarts +restate +restated +restatement +restatements +restates +restating +restation +restaur +restaurant +restauranteur +restauranteurs +restaurants +restaurate +restaurateur +restaurateurs +restauration +restbalk +resteal +rested +resteel +resteep +restem +restep +rester +resterilization +resterilize +resterilized +resterilizing +resters +restes +restful +restfuller +restfullest +restfully +restfulness +restharrow +resthouse +resty +restiaceae +restiaceous +restiad +restibrachium +restiff +restiffen +restiffener +restiffness +restifle +restiform +restigmatize +restyle +restyled +restyles +restyling +restimulate +restimulated +restimulating +restimulation +restiness +resting +restinging +restingly +restio +restionaceae +restionaceous +restipulate +restipulated +restipulating +restipulation +restipulatory +restir +restirred +restirring +restis +restitch +restitue +restitute +restituted +restituting +restitution +restitutional +restitutionism +restitutionist +restitutions +restitutive +restitutor +restitutory +restive +restively +restiveness +restless +restlessly +restlessness +restock +restocked +restocking +restocks +restopper +restorability +restorable +restorableness +restoral +restorals +restoration +restorationer +restorationism +restorationist +restorations +restorative +restoratively +restorativeness +restoratives +restorator +restoratory +restore +restored +restorer +restorers +restores +restoring +restoringmoment +restow +restowal +restproof +restr +restraighten +restraightened +restraightening +restraightens +restrain +restrainability +restrainable +restrained +restrainedly +restrainedness +restrainer +restrainers +restraining +restrainingly +restrains +restraint +restraintful +restraints +restrap +restrapped +restrapping +restratification +restream +restrengthen +restrengthened +restrengthening +restrengthens +restress +restretch +restricken +restrict +restricted +restrictedly +restrictedness +restricting +restriction +restrictionary +restrictionism +restrictionist +restrictions +restrictive +restrictively +restrictiveness +restricts +restrike +restrikes +restriking +restring +restringe +restringency +restringent +restringer +restringing +restrings +restrip +restrive +restriven +restrives +restriving +restroke +restroom +restrove +restruck +restructure +restructured +restructures +restructuring +restrung +rests +restudy +restudied +restudies +restudying +restuff +restuffed +restuffing +restuffs +restung +restward +restwards +resubject +resubjection +resubjugate +resublimate +resublimated +resublimating +resublimation +resublime +resubmerge +resubmerged +resubmerging +resubmission +resubmissions +resubmit +resubmits +resubmitted +resubmitting +resubordinate +resubscribe +resubscribed +resubscriber +resubscribes +resubscribing +resubscription +resubstantiate +resubstantiated +resubstantiating +resubstantiation +resubstitute +resubstitution +resucceed +resuck +resudation +resue +resuffer +resufferance +resuggest +resuggestion +resuing +resuit +resulfurize +resulfurized +resulfurizing +resulphurize +resulphurized +resulphurizing +result +resultance +resultancy +resultant +resultantly +resultants +resultative +resulted +resultful +resultfully +resultfulness +resulting +resultingly +resultive +resultless +resultlessly +resultlessness +results +resumability +resumable +resume +resumed +resumeing +resumer +resumers +resumes +resuming +resummon +resummonable +resummoned +resummoning +resummons +resumption +resumptions +resumptive +resumptively +resun +resup +resuperheat +resupervise +resupinate +resupinated +resupination +resupine +resupply +resupplied +resupplies +resupplying +resupport +resuppose +resupposition +resuppress +resuppression +resurface +resurfaced +resurfaces +resurfacing +resurgam +resurge +resurged +resurgence +resurgences +resurgency +resurgent +resurges +resurging +resurprise +resurrect +resurrected +resurrectible +resurrecting +resurrection +resurrectional +resurrectionary +resurrectioner +resurrectioning +resurrectionism +resurrectionist +resurrectionize +resurrections +resurrective +resurrector +resurrectors +resurrects +resurrender +resurround +resurvey +resurveyed +resurveying +resurveys +resuscitable +resuscitant +resuscitate +resuscitated +resuscitates +resuscitating +resuscitation +resuscitative +resuscitator +resuscitators +resuspect +resuspend +resuspension +reswage +reswallow +resward +reswarm +reswear +reswearing +resweat +resweep +resweeping +resweeten +reswell +reswept +reswill +reswim +reswore +ret +retable +retables +retablo +retabulate +retabulated +retabulating +retack +retackle +retag +retail +retailable +retailed +retailer +retailers +retailing +retailment +retailor +retailored +retailoring +retailors +retails +retain +retainability +retainable +retainableness +retainal +retainder +retained +retainer +retainers +retainership +retaining +retainment +retains +retake +retaken +retaker +retakers +retakes +retaking +retal +retaliate +retaliated +retaliates +retaliating +retaliation +retaliationist +retaliations +retaliative +retaliator +retaliatory +retaliators +retalk +retally +retallies +retama +retame +retan +retanned +retanner +retanning +retape +retaped +retaping +retar +retard +retardance +retardant +retardants +retardate +retardates +retardation +retardative +retardatory +retarded +retardee +retardence +retardent +retarder +retarders +retarding +retardingly +retardive +retardment +retards +retardure +retare +retariff +retarred +retarring +retaste +retasted +retastes +retasting +retation +retattle +retaught +retax +retaxation +retch +retched +retches +retching +retchless +retd +rete +reteach +reteaches +reteaching +retear +retearing +retecious +retelegraph +retelephone +retelevise +retell +retelling +retells +retem +retemper +retempt +retemptation +retems +retenant +retender +retene +retenes +retent +retention +retentionist +retentions +retentive +retentively +retentiveness +retentivity +retentivities +retentor +retenue +retepora +retepore +reteporidae +retest +retested +retestify +retestified +retestifying +retestimony +retestimonies +retesting +retests +retexture +rethank +rethatch +rethaw +rethe +retheness +rether +rethicken +rethink +rethinker +rethinking +rethinks +rethought +rethrash +rethread +rethreaded +rethreading +rethreads +rethreaten +rethresh +rethresher +rethrill +rethrive +rethrone +rethrow +rethrust +rethunder +retia +retial +retiary +retiariae +retiarian +retiarii +retiarius +reticella +reticello +reticence +reticency +reticencies +reticent +reticently +reticket +reticle +reticles +reticula +reticular +reticulary +reticularia +reticularian +reticularly +reticulate +reticulated +reticulately +reticulates +reticulating +reticulation +reticulatocoalescent +reticulatogranulate +reticulatoramose +reticulatovenose +reticule +reticuled +reticules +reticuli +reticulin +reticulitis +reticulocyte +reticulocytic +reticulocytosis +reticuloendothelial +reticuloramose +reticulosa +reticulose +reticulovenose +reticulum +retie +retied +retier +reties +retiform +retighten +retying +retile +retiled +retiling +retill +retimber +retimbering +retime +retimed +retimes +retiming +retin +retina +retinacula +retinacular +retinaculate +retinaculum +retinae +retinal +retinalite +retinals +retinas +retinasphalt +retinasphaltum +retincture +retinene +retinenes +retinerved +retinge +retinged +retingeing +retinian +retinic +retinispora +retinite +retinites +retinitis +retinize +retinker +retinned +retinning +retinoblastoma +retinochorioid +retinochorioidal +retinochorioiditis +retinoid +retinol +retinols +retinopapilitis +retinopathy +retinophoral +retinophore +retinoscope +retinoscopy +retinoscopic +retinoscopically +retinoscopies +retinoscopist +retinospora +retint +retinted +retinting +retints +retinue +retinued +retinues +retinula +retinulae +retinular +retinulas +retinule +retip +retype +retyped +retypes +retyping +retiracy +retiracied +retirade +retiral +retirant +retirants +retire +retired +retiredly +retiredness +retiree +retirees +retirement +retirements +retirer +retirers +retires +retiring +retiringly +retiringness +retistene +retitle +retitled +retitles +retitling +retled +retling +retoast +retold +retolerate +retoleration +retomb +retonation +retook +retool +retooled +retooling +retools +retooth +retoother +retore +retorn +retorsion +retort +retortable +retorted +retorter +retorters +retorting +retortion +retortive +retorts +retorture +retoss +retotal +retotaled +retotaling +retouch +retouchable +retouched +retoucher +retouchers +retouches +retouching +retouchment +retour +retourable +retrace +retraceable +retraced +retracement +retraces +retracing +retrack +retracked +retracking +retracks +retract +retractability +retractable +retractation +retracted +retractibility +retractible +retractile +retractility +retracting +retraction +retractions +retractive +retractively +retractiveness +retractor +retractors +retracts +retrad +retrade +retraded +retrading +retradition +retrahent +retraict +retrain +retrainable +retrained +retrainee +retraining +retrains +retrait +retral +retrally +retramp +retrample +retranquilize +retranscribe +retranscribed +retranscribing +retranscription +retransfer +retransference +retransferred +retransferring +retransfers +retransfigure +retransform +retransformation +retransfuse +retransit +retranslate +retranslated +retranslates +retranslating +retranslation +retranslations +retransmission +retransmissions +retransmissive +retransmit +retransmits +retransmitted +retransmitting +retransmute +retransplant +retransplantation +retransport +retransportation +retravel +retraverse +retraversed +retraversing +retraxit +retread +retreaded +retreading +retreads +retreat +retreatal +retreatant +retreated +retreater +retreatful +retreating +retreatingness +retreatism +retreatist +retreative +retreatment +retreats +retree +retrench +retrenchable +retrenched +retrencher +retrenches +retrenching +retrenchment +retrenchments +retry +retrial +retrials +retribute +retributed +retributing +retribution +retributive +retributively +retributor +retributory +retricked +retried +retrier +retriers +retries +retrievability +retrievable +retrievableness +retrievably +retrieval +retrievals +retrieve +retrieved +retrieveless +retrievement +retriever +retrieverish +retrievers +retrieves +retrieving +retrying +retrim +retrimmed +retrimmer +retrimming +retrims +retrip +retro +retroact +retroacted +retroacting +retroaction +retroactionary +retroactive +retroactively +retroactivity +retroacts +retroalveolar +retroauricular +retrobronchial +retrobuccal +retrobulbar +retrocaecal +retrocardiac +retrocecal +retrocede +retroceded +retrocedence +retrocedent +retroceding +retrocervical +retrocession +retrocessional +retrocessionist +retrocessive +retrochoir +retroclavicular +retroclusion +retrocognition +retrocognitive +retrocolic +retroconsciousness +retrocopulant +retrocopulation +retrocostal +retrocouple +retrocoupler +retrocurved +retrod +retrodate +retrodden +retrodeviation +retrodirective +retrodisplacement +retroduction +retrodural +retroesophageal +retrofire +retrofired +retrofires +retrofiring +retrofit +retrofits +retrofitted +retrofitting +retroflected +retroflection +retroflex +retroflexed +retroflexion +retroflux +retroform +retrofract +retrofracted +retrofrontal +retrogastric +retrogenerative +retrogradation +retrogradatory +retrograde +retrograded +retrogradely +retrogrades +retrogradient +retrograding +retrogradingly +retrogradism +retrogradist +retrogress +retrogressed +retrogresses +retrogressing +retrogression +retrogressionist +retrogressions +retrogressive +retrogressively +retrogressiveness +retrohepatic +retroinfection +retroinsular +retroiridian +retroject +retrojection +retrojugular +retrolabyrinthine +retrolaryngeal +retrolental +retrolingual +retrolocation +retromammary +retromammillary +retromandibular +retromastoid +retromaxillary +retromigration +retromingent +retromingently +retromorphosed +retromorphosis +retronasal +retropack +retroperitoneal +retroperitoneally +retropharyngeal +retropharyngitis +retroplacental +retroplexed +retroposed +retroposition +retropresbyteral +retropubic +retropulmonary +retropulsion +retropulsive +retroreception +retrorectal +retroreflection +retroreflective +retroreflector +retrorenal +retrorocket +retrorockets +retrorse +retrorsely +retros +retroserrate +retroserrulate +retrospect +retrospection +retrospective +retrospectively +retrospectiveness +retrospectives +retrospectivity +retrosplenic +retrostalsis +retrostaltic +retrosternal +retrosusception +retrot +retrotarsal +retrotemporal +retrothyroid +retrotympanic +retrotracheal +retrotransfer +retrotransference +retrouss +retroussage +retrousse +retrovaccinate +retrovaccination +retrovaccine +retroverse +retroversion +retrovert +retroverted +retrovision +retroxiphoid +retrude +retruded +retruding +retrue +retruse +retrusible +retrusion +retrusive +retrust +rets +retsina +retsinas +retted +retter +rettery +retteries +retting +rettore +rettory +rettorn +retube +retuck +retumble +retumescence +retund +retunded +retunding +retune +retuned +retunes +retuning +returban +returf +returfer +return +returnability +returnable +returned +returnee +returnees +returner +returners +returning +returnless +returnlessly +returns +retuse +retwine +retwined +retwining +retwist +retwisted +retwisting +retwists +retzian +reub +reuben +reubenites +reuchlinian +reuchlinism +reuel +reundercut +reundergo +reundertake +reundulate +reundulation +reune +reunfold +reunify +reunification +reunifications +reunified +reunifies +reunifying +reunion +reunionism +reunionist +reunionistic +reunions +reunitable +reunite +reunited +reunitedly +reuniter +reuniters +reunites +reuniting +reunition +reunitive +reunpack +reuphold +reupholster +reupholstered +reupholsterer +reupholstery +reupholsteries +reupholstering +reupholsters +reuplift +reurge +reusability +reusable +reusableness +reusabness +reuse +reuseable +reuseableness +reuseabness +reused +reuses +reusing +reutilise +reutilised +reutilising +reutilization +reutilizations +reutilize +reutilized +reutilizes +reutilizing +reutter +reutterance +reuttered +reuttering +reutters +rev +revacate +revacated +revacating +revaccinate +revaccinated +revaccinating +revaccination +revay +revalenta +revalescence +revalescent +revalidate +revalidated +revalidating +revalidation +revalorization +revalorize +revaluate +revaluated +revaluates +revaluating +revaluation +revaluations +revalue +revalued +revalues +revaluing +revamp +revamped +revamper +revampers +revamping +revampment +revamps +revanche +revanches +revanchism +revanchist +revaporization +revaporize +revaporized +revaporizing +revary +revarnish +revarnished +revarnishes +revarnishing +reve +reveal +revealability +revealable +revealableness +revealed +revealedly +revealer +revealers +revealing +revealingly +revealingness +revealment +reveals +revegetate +revegetated +revegetating +revegetation +revehent +reveil +reveille +reveilles +revel +revelability +revelant +revelation +revelational +revelationer +revelationist +revelationize +revelations +revelative +revelator +revelatory +reveled +reveler +revelers +reveling +revelled +revellent +reveller +revellers +revelly +revelling +revellings +revelment +revelous +revelry +revelries +revelrous +revelrout +revels +revenant +revenants +revend +revender +revendicate +revendicated +revendicating +revendication +reveneer +revenge +revengeable +revenged +revengeful +revengefully +revengefulness +revengeless +revengement +revenger +revengers +revenges +revenging +revengingly +revent +reventilate +reventilated +reventilating +reventilation +reventure +revenual +revenue +revenued +revenuer +revenuers +revenues +rever +reverable +reverb +reverbatory +reverberant +reverberantly +reverberate +reverberated +reverberates +reverberating +reverberation +reverberations +reverberative +reverberator +reverberatory +reverberatories +reverberators +reverbrate +reverbs +reverdi +reverdure +revere +revered +reveree +reverence +reverenced +reverencer +reverencers +reverences +reverencing +reverend +reverendly +reverends +reverendship +reverent +reverential +reverentiality +reverentially +reverentialness +reverently +reverentness +reverer +reverers +reveres +revery +reverie +reveries +reverify +reverification +reverifications +reverified +reverifies +reverifying +revering +reverist +revers +reversability +reversable +reversal +reversals +reverse +reversed +reversedly +reverseful +reverseless +reversely +reversement +reverser +reversers +reverses +reverseways +reversewise +reversi +reversibility +reversible +reversibleness +reversibly +reversify +reversification +reversifier +reversing +reversingly +reversion +reversionable +reversional +reversionally +reversionary +reversioner +reversionist +reversions +reversis +reversist +reversive +reverso +reversos +revert +revertal +reverted +revertendi +reverter +reverters +revertibility +revertible +reverting +revertive +revertively +reverts +revest +revested +revestiary +revesting +revestry +revests +revet +revete +revetement +revetment +revetments +reveto +revetoed +revetoing +revets +revetted +revetting +reveverberatory +revibrant +revibrate +revibrated +revibrating +revibration +revibrational +revictory +revictorious +revictual +revictualed +revictualing +revictualled +revictualling +revictualment +revictuals +revie +review +reviewability +reviewable +reviewage +reviewal +reviewals +reviewed +reviewer +revieweress +reviewers +reviewing +reviewish +reviewless +reviews +revification +revigor +revigorate +revigoration +revigour +revile +reviled +revilement +reviler +revilers +reviles +reviling +revilingly +revince +revindicate +revindicated +revindicates +revindicating +revindication +reviolate +reviolated +reviolating +reviolation +revirado +revirescence +revirescent +revisable +revisableness +revisal +revisals +revise +revised +revisee +reviser +revisers +revisership +revises +revisible +revising +revision +revisional +revisionary +revisionism +revisionist +revisionists +revisions +revisit +revisitable +revisitant +revisitation +revisited +revisiting +revisits +revisor +revisory +revisors +revisualization +revisualize +revisualized +revisualizing +revitalisation +revitalise +revitalised +revitalising +revitalization +revitalize +revitalized +revitalizer +revitalizes +revitalizing +revivability +revivable +revivably +revival +revivalism +revivalist +revivalistic +revivalists +revivalize +revivals +revivatory +revive +revived +revivement +reviver +revivers +revives +revivescence +revivescency +reviviction +revivify +revivification +revivified +revivifier +revivifies +revivifying +reviving +revivingly +reviviscence +reviviscency +reviviscent +reviviscible +revivor +revocability +revocabilty +revocable +revocableness +revocably +revocandi +revocate +revocation +revocations +revocative +revocatory +revoyage +revoyaged +revoyaging +revoice +revoiced +revoices +revoicing +revoir +revokable +revoke +revoked +revokement +revoker +revokers +revokes +revoking +revokingly +revolant +revolatilize +revolt +revolted +revolter +revolters +revolting +revoltingly +revoltress +revolts +revolubility +revoluble +revolubly +revolunteer +revolute +revoluted +revolution +revolutional +revolutionally +revolutionary +revolutionaries +revolutionarily +revolutionariness +revolutioneering +revolutioner +revolutionise +revolutionised +revolutioniser +revolutionising +revolutionism +revolutionist +revolutionists +revolutionize +revolutionized +revolutionizement +revolutionizer +revolutionizes +revolutionizing +revolutions +revolvable +revolvably +revolve +revolved +revolvement +revolvency +revolver +revolvers +revolves +revolving +revolvingly +revomit +revote +revoted +revoting +revs +revue +revues +revuette +revuist +revuists +revulsant +revulse +revulsed +revulsion +revulsionary +revulsions +revulsive +revulsively +revved +revving +rew +rewade +rewager +rewaybill +rewayle +rewake +rewaked +rewaken +rewakened +rewakening +rewakens +rewakes +rewaking +rewall +rewallow +rewan +reward +rewardable +rewardableness +rewardably +rewarded +rewardedly +rewarder +rewarders +rewardful +rewardfulness +rewarding +rewardingly +rewardingness +rewardless +rewardproof +rewards +rewarehouse +rewarm +rewarmed +rewarming +rewarms +rewarn +rewarrant +rewash +rewashed +rewashes +rewashing +rewater +rewave +rewax +rewaxed +rewaxes +rewaxing +reweaken +rewear +rewearing +reweave +reweaved +reweaves +reweaving +rewed +rewedded +rewedding +reweds +reweigh +reweighed +reweigher +reweighing +reweighs +reweight +rewelcome +reweld +rewelded +rewelding +rewelds +rewend +rewet +rewhelp +rewhirl +rewhisper +rewhiten +rewiden +rewidened +rewidening +rewidens +rewin +rewind +rewinded +rewinder +rewinders +rewinding +rewinds +rewing +rewinning +rewins +rewirable +rewire +rewired +rewires +rewiring +rewish +rewithdraw +rewithdrawal +rewoke +rewoken +rewon +rewood +reword +reworded +rewording +rewords +rewore +rework +reworked +reworking +reworks +rewound +rewove +rewoven +rewrap +rewrapped +rewrapping +rewraps +rewrapt +rewrite +rewriter +rewriters +rewrites +rewriting +rewritten +rewrote +rewrought +rewwore +rewwove +rex +rexen +rexes +rexine +rezbanyite +rezone +rezoned +rezones +rezoning +rf +rfb +rfound +rfree +rfs +rfz +rg +rgen +rgisseur +rglement +rh +rha +rhabarb +rhabarbarate +rhabarbaric +rhabarbarum +rhabdite +rhabditiform +rhabditis +rhabdium +rhabdocarpum +rhabdocoela +rhabdocoelan +rhabdocoele +rhabdocoelida +rhabdocoelidan +rhabdocoelous +rhabdoid +rhabdoidal +rhabdolith +rhabdology +rhabdom +rhabdomal +rhabdomancer +rhabdomancy +rhabdomantic +rhabdomantist +rhabdome +rhabdomere +rhabdomes +rhabdomyoma +rhabdomyosarcoma +rhabdomysarcoma +rhabdomonas +rhabdoms +rhabdophane +rhabdophanite +rhabdophobia +rhabdophora +rhabdophoran +rhabdopleura +rhabdopod +rhabdos +rhabdosome +rhabdosophy +rhabdosphere +rhabdus +rhachi +rhachides +rhachis +rhachises +rhacianectes +rhacomitrium +rhacophorus +rhadamanthine +rhadamanthys +rhadamanthus +rhaebosis +rhaetian +rhaetic +rhaetizite +rhagades +rhagadiform +rhagiocrin +rhagionid +rhagionidae +rhagite +rhagodia +rhagon +rhagonate +rhagonoid +rhagose +rhamn +rhamnaceae +rhamnaceous +rhamnal +rhamnales +rhamnetin +rhamninase +rhamninose +rhamnite +rhamnitol +rhamnohexite +rhamnohexitol +rhamnohexose +rhamnonic +rhamnose +rhamnoses +rhamnoside +rhamnus +rhamnuses +rhamphoid +rhamphorhynchus +rhamphosuchus +rhamphotheca +rhaphae +rhaphe +rhaphes +rhapidophyllum +rhapis +rhapontic +rhaponticin +rhapontin +rhapsode +rhapsodes +rhapsody +rhapsodic +rhapsodical +rhapsodically +rhapsodie +rhapsodies +rhapsodism +rhapsodist +rhapsodistic +rhapsodists +rhapsodize +rhapsodized +rhapsodizes +rhapsodizing +rhapsodomancy +rhaptopetalaceae +rhason +rhasophore +rhatany +rhatania +rhatanies +rhatikon +rhb +rhd +rhe +rhea +rheadine +rheae +rheas +rhebok +rheboks +rhebosis +rheda +rhedae +rhedas +rheeboc +rheebok +rheen +rhegmatype +rhegmatypy +rhegnopteri +rheic +rheidae +rheiformes +rhein +rheinberry +rheingold +rheinic +rhema +rhematic +rhematology +rheme +rhemish +rhemist +rhenea +rhenic +rhenish +rhenium +rheniums +rheo +rheobase +rheobases +rheocrat +rheology +rheologic +rheological +rheologically +rheologies +rheologist +rheologists +rheometer +rheometers +rheometry +rheometric +rheopexy +rheophil +rheophile +rheophilic +rheophore +rheophoric +rheoplankton +rheoscope +rheoscopic +rheostat +rheostatic +rheostatics +rheostats +rheotactic +rheotan +rheotaxis +rheotome +rheotron +rheotrope +rheotropic +rheotropism +rhesian +rhesis +rhesus +rhesuses +rhet +rhetor +rhetoric +rhetorical +rhetorically +rhetoricalness +rhetoricals +rhetorician +rhetoricians +rhetorics +rhetorize +rhetors +rheum +rheumarthritis +rheumatalgia +rheumatic +rheumatical +rheumatically +rheumaticky +rheumatics +rheumatism +rheumatismal +rheumatismoid +rheumative +rheumatiz +rheumatize +rheumatogenic +rheumatoid +rheumatoidal +rheumatoidally +rheumatology +rheumatologist +rheumed +rheumy +rheumic +rheumier +rheumiest +rheumily +rheuminess +rheums +rhexes +rhexia +rhexis +rhyacolite +rhibia +rhigolene +rhigosis +rhigotic +rhila +rhyme +rhymed +rhymeless +rhymelet +rhymemaker +rhymemaking +rhymeproof +rhymer +rhymery +rhymers +rhymes +rhymester +rhymesters +rhymewise +rhymy +rhymic +rhyming +rhymist +rhina +rhinal +rhinalgia +rhinanthaceae +rhinanthus +rhinaria +rhinarium +rhynchobdellae +rhynchobdellida +rhynchocephala +rhynchocephali +rhynchocephalia +rhynchocephalian +rhynchocephalic +rhynchocephalous +rhynchocoela +rhynchocoelan +rhynchocoele +rhynchocoelic +rhynchocoelous +rhynchodont +rhyncholite +rhynchonella +rhynchonellacea +rhynchonellidae +rhynchonelloid +rhynchophora +rhynchophoran +rhynchophore +rhynchophorous +rhynchopinae +rhynchops +rhynchosia +rhynchospora +rhynchota +rhynchotal +rhynchote +rhynchotous +rhynconellid +rhincospasm +rhyncostomi +rhine +rhinegrave +rhineland +rhinelander +rhinencephala +rhinencephalic +rhinencephalon +rhinencephalons +rhinencephalous +rhinenchysis +rhineodon +rhineodontidae +rhinestone +rhinestones +rhineura +rhineurynter +rhynia +rhyniaceae +rhinidae +rhinion +rhinitides +rhinitis +rhino +rhinobatidae +rhinobatus +rhinobyon +rhinocaul +rhinocele +rhinocelian +rhinoceri +rhinocerial +rhinocerian +rhinocerical +rhinocerine +rhinoceroid +rhinoceros +rhinoceroses +rhinoceroslike +rhinocerotic +rhinocerotidae +rhinocerotiform +rhinocerotine +rhinocerotoid +rhynocheti +rhinochiloplasty +rhinocoele +rhinocoelian +rhinoderma +rhinodynia +rhinogenous +rhinolalia +rhinolaryngology +rhinolaryngoscope +rhinolite +rhinolith +rhinolithic +rhinology +rhinologic +rhinological +rhinologist +rhinolophid +rhinolophidae +rhinolophine +rhinopharyngeal +rhinopharyngitis +rhinopharynx +rhinophidae +rhinophyma +rhinophis +rhinophonia +rhinophore +rhinoplasty +rhinoplastic +rhinopolypus +rhinoptera +rhinopteridae +rhinorrhagia +rhinorrhea +rhinorrheal +rhinorrhoea +rhinos +rhinoscleroma +rhinoscope +rhinoscopy +rhinoscopic +rhinosporidiosis +rhinosporidium +rhinotheca +rhinothecal +rhinovirus +rhynsburger +rhinthonic +rhinthonica +rhyobasalt +rhyodacite +rhyolite +rhyolites +rhyolitic +rhyotaxitic +rhyparographer +rhyparography +rhyparographic +rhyparographist +rhipidate +rhipidion +rhipidistia +rhipidistian +rhipidium +rhipidoglossa +rhipidoglossal +rhipidoglossate +rhipidoptera +rhipidopterous +rhipiphorid +rhipiphoridae +rhipiptera +rhipipteran +rhipipterous +rhypography +rhipsalis +rhyptic +rhyptical +rhiptoglossa +rhysimeter +rhyssa +rhyta +rhythm +rhythmal +rhythmed +rhythmic +rhythmical +rhythmicality +rhythmically +rhythmicity +rhythmicities +rhythmicize +rhythmics +rhythmist +rhythmizable +rhythmization +rhythmize +rhythmless +rhythmometer +rhythmopoeia +rhythmproof +rhythms +rhythmus +rhytidodon +rhytidome +rhytidosis +rhytina +rhytisma +rhyton +rhytta +rhizanth +rhizanthous +rhizautoicous +rhizina +rhizinaceae +rhizine +rhizinous +rhizobia +rhizobium +rhizocarp +rhizocarpeae +rhizocarpean +rhizocarpian +rhizocarpic +rhizocarpous +rhizocaul +rhizocaulus +rhizocephala +rhizocephalan +rhizocephalid +rhizocephalous +rhizocorm +rhizoctonia +rhizoctoniose +rhizodermis +rhizodus +rhizoflagellata +rhizoflagellate +rhizogen +rhizogenesis +rhizogenetic +rhizogenic +rhizogenous +rhizoid +rhizoidal +rhizoids +rhizoma +rhizomata +rhizomatic +rhizomatous +rhizome +rhizomelic +rhizomes +rhizomic +rhizomorph +rhizomorphic +rhizomorphoid +rhizomorphous +rhizoneure +rhizophagous +rhizophilous +rhizophyte +rhizophora +rhizophoraceae +rhizophoraceous +rhizophore +rhizophorous +rhizopi +rhizoplane +rhizoplast +rhizopod +rhizopoda +rhizopodal +rhizopodan +rhizopodist +rhizopodous +rhizopods +rhizopogon +rhizopus +rhizopuses +rhizosphere +rhizostomae +rhizostomata +rhizostomatous +rhizostome +rhizostomous +rhizota +rhizotaxy +rhizotaxis +rhizote +rhizotic +rhizotomi +rhizotomy +rhizotomies +rho +rhoda +rhodaline +rhodamin +rhodamine +rhodamins +rhodanate +rhodanian +rhodanic +rhodanine +rhodanthe +rhodeoretin +rhodeose +rhodes +rhodesia +rhodesian +rhodesians +rhodesoid +rhodeswood +rhodian +rhodic +rhodymenia +rhodymeniaceae +rhodymeniaceous +rhodymeniales +rhodinal +rhoding +rhodinol +rhodite +rhodium +rhodiums +rhodizite +rhodizonic +rhodobacteriaceae +rhodobacterioideae +rhodochrosite +rhodocystis +rhodocyte +rhodococcus +rhododaphne +rhododendron +rhododendrons +rhodolite +rhodomelaceae +rhodomelaceous +rhodomontade +rhodonite +rhodope +rhodophane +rhodophyceae +rhodophyceous +rhodophyll +rhodophyllidaceae +rhodophyta +rhodoplast +rhodopsin +rhodora +rhodoraceae +rhodoras +rhodorhiza +rhodosperm +rhodospermeae +rhodospermin +rhodospermous +rhodospirillum +rhodothece +rhodotypos +rhoeadales +rhoecus +rhoeo +rhomb +rhombencephala +rhombencephalon +rhombencephalons +rhombenla +rhombenporphyr +rhombi +rhombic +rhombical +rhombiform +rhomboclase +rhomboganoid +rhomboganoidei +rhombogene +rhombogenic +rhombogenous +rhombohedra +rhombohedral +rhombohedrally +rhombohedric +rhombohedron +rhombohedrons +rhomboid +rhomboidal +rhomboidally +rhomboidei +rhomboides +rhomboideus +rhomboidly +rhomboids +rhomboquadratic +rhomborectangular +rhombos +rhombovate +rhombozoa +rhombs +rhombus +rhombuses +rhoncal +rhonchal +rhonchi +rhonchial +rhonchus +rhonda +rhopalic +rhopalism +rhopalium +rhopalocera +rhopaloceral +rhopalocerous +rhopalura +rhos +rhotacism +rhotacismus +rhotacist +rhotacistic +rhotacize +rhotic +rhubarb +rhubarby +rhubarbs +rhumb +rhumba +rhumbaed +rhumbaing +rhumbas +rhumbatron +rhumbs +rhus +rhuses +ria +rya +rial +ryal +rials +rialty +rialto +rialtos +riancy +ryania +riant +riantly +ryas +riata +riatas +rib +ribald +ribaldish +ribaldly +ribaldness +ribaldry +ribaldries +ribaldrous +ribalds +riband +ribandism +ribandist +ribandlike +ribandmaker +ribandry +ribands +ribat +rybat +ribaudequin +ribaudred +ribazuba +ribband +ribbandry +ribbands +ribbed +ribber +ribbers +ribbet +ribby +ribbidge +ribbier +ribbiest +ribbing +ribbings +ribble +ribbon +ribbonback +ribboned +ribboner +ribbonfish +ribbonfishes +ribbony +ribboning +ribbonism +ribbonlike +ribbonmaker +ribbonman +ribbonry +ribbons +ribbonweed +ribbonwood +ribe +ribes +ribgrass +ribgrasses +ribhus +ribibe +ribless +riblet +riblets +riblike +riboflavin +ribonic +ribonuclease +ribonucleic +ribonucleoprotein +ribonucleoside +ribonucleotide +ribose +riboses +riboso +ribosomal +ribosome +ribosomes +ribosos +riboza +ribozo +ribozos +ribroast +ribroaster +ribroasting +ribs +ribskin +ribspare +ribston +ribwork +ribwort +ribworts +ribzuba +ric +ricardian +ricardianism +ricardo +ricasso +riccia +ricciaceae +ricciaceous +ricciales +rice +ricebird +ricebirds +ricecar +ricecars +riced +ricegrass +ricey +riceland +ricer +ricercar +ricercare +ricercari +ricercars +ricercata +ricers +rices +rich +richard +richardia +richardson +richardsonia +richdom +riche +richebourg +richellite +richen +richened +richening +richens +richer +riches +richesse +richest +richeted +richeting +richetted +richetting +richfield +richly +richling +richmond +richmondena +richness +richnesses +richt +richter +richterite +richweed +richweeds +ricin +ricine +ricinelaidic +ricinelaidinic +ricing +ricinic +ricinine +ricininic +ricinium +ricinoleate +ricinoleic +ricinolein +ricinolic +ricins +ricinulei +ricinus +ricinuses +rick +rickardite +ricked +rickey +rickeys +ricker +ricket +rickety +ricketier +ricketiest +ricketily +ricketiness +ricketish +rickets +rickettsia +rickettsiae +rickettsial +rickettsiales +rickettsialpox +rickettsias +ricky +rickyard +ricking +rickle +rickmatic +rickrack +rickracks +ricks +ricksha +rickshas +rickshaw +rickshaws +rickstaddle +rickstand +rickstick +ricochet +ricocheted +ricocheting +ricochets +ricochetted +ricochetting +ricolettaite +ricotta +ricottas +ricrac +ricracs +rictal +rictus +rictuses +rid +ridability +ridable +ridableness +ridably +riddam +riddance +riddances +ridded +riddel +ridden +ridder +ridders +ridding +riddle +riddled +riddlemeree +riddler +riddlers +riddles +riddling +riddlingly +riddlings +ride +rideable +rideau +riden +rident +rider +ryder +ridered +rideress +riderless +riders +ridership +riderships +rides +ridge +ridgeband +ridgeboard +ridgebone +ridged +ridgel +ridgelet +ridgelike +ridgeling +ridgels +ridgepiece +ridgeplate +ridgepole +ridgepoled +ridgepoles +ridger +ridgerope +ridges +ridgetree +ridgeway +ridgewise +ridgy +ridgier +ridgiest +ridgil +ridgils +ridging +ridgingly +ridgling +ridglings +ridibund +ridicule +ridiculed +ridiculer +ridicules +ridiculing +ridiculize +ridiculosity +ridiculous +ridiculously +ridiculousness +ridiest +riding +ridingman +ridingmen +ridings +ridley +ridleys +ridotto +ridottos +rids +rie +rye +riebeckite +ryegrass +ryegrasses +riel +riels +riem +riemannean +riemannian +riempie +ryen +ryepeck +rier +ries +ryes +riesling +riever +rievers +rifacimenti +rifacimento +rifampicin +rifampin +rifart +rife +rifely +rifeness +rifenesses +rifer +rifest +riff +riffed +riffi +riffian +riffing +riffle +riffled +riffler +rifflers +riffles +riffling +riffraff +riffraffs +riffs +rifi +rifian +rifle +riflebird +rifled +rifledom +rifleite +rifleman +riflemanship +riflemen +rifleproof +rifler +riflery +rifleries +riflers +rifles +riflescope +rifleshot +rifling +riflings +rift +rifted +rifter +rifty +rifting +riftless +rifts +rig +riga +rigadig +rigadon +rigadoon +rigadoons +rigamajig +rigamarole +rigation +rigatoni +rigatonis +rigaudon +rigaudons +rigbane +rigel +rigelian +rigescence +rigescent +riggal +riggald +rigged +rigger +riggers +rigging +riggings +riggish +riggite +riggot +right +rightable +rightabout +righted +righten +righteous +righteously +righteousness +righter +righters +rightest +rightforth +rightful +rightfully +rightfulness +righthand +rightheaded +righthearted +righty +righties +righting +rightish +rightism +rightisms +rightist +rightists +rightle +rightless +rightlessness +rightly +rightmost +rightness +righto +rights +rightship +rightward +rightwardly +rightwards +rigid +rigidify +rigidification +rigidified +rigidifies +rigidifying +rigidist +rigidity +rigidities +rigidly +rigidness +rigidulous +riginal +riglet +rigling +rigmaree +rigmarole +rigmarolery +rigmaroles +rigmarolic +rigmarolish +rigmarolishly +rignum +rigodon +rigol +rigole +rigolet +rigolette +rigor +rigorism +rigorisms +rigorist +rigoristic +rigorists +rigorous +rigorously +rigorousness +rigors +rigour +rigourism +rigourist +rigouristic +rigours +rigs +rigsby +rigsdaler +rigsmaal +rigsmal +rigueur +rigwiddy +rigwiddie +rigwoodie +riyal +riyals +rijksdaalder +rijksdaaler +rik +rikari +ryke +ryked +rykes +ryking +rikisha +rikishas +rikk +riksdaalder +riksha +rikshas +rikshaw +rikshaws +riksmaal +riksmal +rilawa +rile +riled +riley +riles +rilievi +rilievo +riling +rill +rille +rilled +rilles +rillet +rillets +rillett +rillette +rillettes +rilly +rilling +rillock +rillow +rills +rillstone +rim +rima +rimal +rymandra +rimas +rimate +rimation +rimbase +rime +ryme +rimed +rimeless +rimer +rimery +rimers +rimes +rimester +rimesters +rimfire +rimy +rimier +rimiest +rimiform +riming +rimland +rimlands +rimless +rimmaker +rimmaking +rimmed +rimmer +rimmers +rimming +rimose +rimosely +rimosity +rimosities +rimous +rimpi +rimple +rimpled +rimples +rimpling +rimption +rimptions +rimrock +rimrocks +rims +rimstone +rimu +rimula +rimulose +rin +rinaldo +rinceau +rinceaux +rinch +rynchospora +rynchosporous +rincon +rind +rynd +rinde +rinded +rinderpest +rindy +rindle +rindless +rinds +rynds +rine +rinforzando +ring +ringable +ringatu +ringbark +ringbarked +ringbarker +ringbarking +ringbarks +ringbill +ringbird +ringbolt +ringbolts +ringbone +ringboned +ringbones +ringcraft +ringdove +ringdoves +ringe +ringed +ringeye +ringent +ringer +ringers +ringgit +ringgiver +ringgiving +ringgoer +ringhals +ringhalses +ringhead +ringy +ringiness +ringing +ringingly +ringingness +ringings +ringite +ringle +ringlead +ringleader +ringleaderless +ringleaders +ringleadership +ringless +ringlet +ringleted +ringlety +ringlets +ringlike +ringmaker +ringmaking +ringman +ringmaster +ringmasters +ringneck +ringnecks +rings +ringsail +ringside +ringsider +ringsides +ringster +ringstick +ringstraked +ringtail +ringtailed +ringtails +ringtaw +ringtaws +ringtime +ringtoss +ringtosses +ringwalk +ringwall +ringwise +ringworm +ringworms +rink +rinka +rinker +rinkite +rinks +rinncefada +rinneite +rinner +rinning +rins +rinsable +rinse +rinsed +rinser +rinsers +rinses +rinsible +rinsing +rinsings +rynt +rinthereout +rintherout +rio +riobitsu +ryokan +riot +ryot +rioted +rioter +rioters +rioting +riotingly +riotise +riotist +riotistic +riotocracy +riotous +riotously +riotousness +riotproof +riotry +riots +ryots +ryotwar +ryotwari +ryotwary +rip +ripa +ripal +riparial +riparian +riparii +riparious +ripcord +ripcords +ripe +rype +rypeck +riped +ripely +ripelike +ripen +ripened +ripener +ripeners +ripeness +ripenesses +ripening +ripeningly +ripens +riper +ripes +ripest +ripgut +ripicolous +ripidolite +ripieni +ripienist +ripieno +ripienos +ripier +riping +ripoff +ripoffs +rypophobia +ripost +riposte +riposted +ripostes +riposting +riposts +rippable +ripped +ripper +ripperman +rippermen +rippers +rippet +rippier +ripping +rippingly +rippingness +rippit +ripple +rippled +rippleless +rippler +ripplers +ripples +ripplet +ripplets +ripply +ripplier +rippliest +rippling +ripplingly +rippon +riprap +riprapped +riprapping +ripraps +rips +ripsack +ripsaw +ripsaws +ripsnorter +ripsnorting +ripstone +ripstop +riptide +riptides +ripuarian +ripup +riroriro +risala +risaldar +risberm +risdaler +rise +risen +riser +risers +riserva +rises +rishi +rishis +rishtadar +risibility +risibilities +risible +risibleness +risibles +risibly +rising +risings +risk +risked +risker +riskers +riskful +riskfulness +risky +riskier +riskiest +riskily +riskiness +risking +riskish +riskless +risklessness +riskproof +risks +risorgimento +risorgimentos +risorial +risorius +risorse +risotto +risottos +risp +risper +rispetto +risposta +risqu +risque +risquee +riss +rissel +risser +rissian +rissle +rissoa +rissoid +rissoidae +rissole +rissoles +rissom +rist +ristori +risus +risuses +rit +rita +ritalynne +ritard +ritardando +ritardandos +ritards +ritchey +rite +riteless +ritelessness +ritely +ritenuto +rites +rithe +rytidosis +rytina +ritling +ritmaster +ritornel +ritornelle +ritornelli +ritornello +ritornellos +ritratto +ritschlian +ritschlianism +ritsu +ritter +ritters +rittingerite +rittmaster +rittock +ritual +rituale +ritualise +ritualism +ritualist +ritualistic +ritualistically +ritualists +rituality +ritualities +ritualization +ritualize +ritualized +ritualizing +ritualless +ritually +rituals +ritus +ritz +ritzes +ritzy +ritzier +ritziest +ritzily +ritziness +ryukyu +riv +riva +rivage +rivages +rival +rivalable +rivaled +rivaless +rivaling +rivalism +rivality +rivalize +rivalled +rivalless +rivalling +rivalry +rivalries +rivalrous +rivalrousness +rivals +rivalship +rive +rived +rivederci +rivel +riveled +riveling +rivell +rivelled +riven +river +riverain +riverbank +riverbanks +riverbed +riverbeds +riverboat +riverbush +riverdamp +rivered +riveret +riverfront +riverhead +riverhood +rivery +riverine +riverines +riverish +riverless +riverlet +riverly +riverlike +riverling +riverman +rivermen +rivers +riverscape +riverside +riversider +riverway +riverward +riverwards +riverwash +riverweed +riverwise +rives +rivet +riveted +riveter +riveters +rivethead +riveting +rivetless +rivetlike +rivets +rivetted +rivetting +riviera +rivieras +riviere +rivieres +rivina +riving +rivingly +rivinian +rivo +rivose +rivularia +rivulariaceae +rivulariaceous +rivulation +rivulet +rivulets +rivulose +rivulus +rix +rixatrix +rixdaler +rixy +rizar +riziform +rizzar +rizzer +rizzle +rizzom +rizzomed +rizzonite +rld +rle +rly +rm +rmoulade +rms +rn +rnd +ro +roach +roachback +roached +roaches +roaching +road +roadability +roadable +roadbed +roadbeds +roadblock +roadblocks +roadbook +roadcraft +roaded +roader +roaders +roadfellow +roadhead +roadholding +roadhouse +roadhouses +roading +roadite +roadless +roadlessness +roadlike +roadman +roadmaster +roadroller +roadrunner +roadrunners +roads +roadshow +roadside +roadsider +roadsides +roadsman +roadstead +roadsteads +roadster +roadsters +roadstone +roadtrack +roadway +roadways +roadweed +roadwise +roadwork +roadworks +roadworthy +roadworthiness +roak +roam +roamage +roamed +roamer +roamers +roaming +roamingly +roams +roan +roanoke +roans +roar +roared +roarer +roarers +roaring +roaringly +roarings +roars +roast +roastable +roasted +roaster +roasters +roasting +roastingly +roasts +rob +robalito +robalo +robalos +roband +robands +robbed +robber +robbery +robberies +robberproof +robbers +robbin +robbing +robbins +robe +robed +robeless +robenhausian +rober +roberd +roberdsman +robert +roberta +roberto +roberts +robes +robhah +robigalia +robigus +robin +robinet +robing +robinia +robinin +robinoside +robins +robinson +roble +robles +robomb +roborant +roborants +roborate +roboration +roborative +roborean +roboreous +robot +robotesque +robotian +robotic +robotics +robotism +robotisms +robotistic +robotization +robotize +robotized +robotizes +robotizing +robotlike +robotry +robotries +robots +robs +robur +roburite +robust +robuster +robustest +robustful +robustfully +robustfulness +robustic +robusticity +robustious +robustiously +robustiousness +robustity +robustly +robustness +robustuous +roc +rocaille +rocambole +roccella +roccellaceae +roccellic +roccellin +roccelline +roche +rochea +rochelime +rochelle +rocher +rochester +rochet +rocheted +rochets +roching +rociest +rock +rockaby +rockabye +rockabies +rockabyes +rockabilly +rockable +rockably +rockallite +rockat +rockaway +rockaways +rockbell +rockberry +rockbird +rockborn +rockbound +rockbrush +rockcist +rockcraft +rocked +rockelay +rocker +rockered +rockery +rockeries +rockers +rockerthon +rocket +rocketed +rocketeer +rocketer +rocketers +rockety +rocketing +rocketlike +rocketor +rocketry +rocketries +rockets +rocketsonde +rockfall +rockfalls +rockfish +rockfishes +rockfoil +rockhair +rockhearted +rocky +rockier +rockies +rockiest +rockiness +rocking +rockingly +rockish +rocklay +rockless +rocklet +rocklike +rockling +rocklings +rockman +rockoon +rockoons +rockribbed +rockrose +rockroses +rocks +rockshaft +rockskipper +rockslide +rockstaff +rocktree +rockward +rockwards +rockweed +rockweeds +rockwood +rockwork +rockworks +rococo +rococos +rocolo +rocouyenne +rocs +rocta +rod +rodd +rodded +rodden +rodder +rodders +roddikin +roddin +rodding +rode +rodent +rodentia +rodential +rodentially +rodentian +rodenticidal +rodenticide +rodentproof +rodents +rodeo +rodeos +roderic +roderick +rodge +rodger +rodham +rodinal +rodinesque +roding +rodingite +rodknight +rodless +rodlet +rodlike +rodmaker +rodman +rodmen +rodney +rodolph +rodolphus +rodomont +rodomontade +rodomontaded +rodomontading +rodomontadist +rodomontador +rodriguez +rods +rodsman +rodsmen +rodster +rodwood +roe +roeblingite +roebuck +roebucks +roed +roey +roelike +roemer +roemers +roeneng +roentgen +roentgenism +roentgenization +roentgenize +roentgenogram +roentgenograms +roentgenograph +roentgenography +roentgenographic +roentgenographically +roentgenology +roentgenologic +roentgenological +roentgenologically +roentgenologies +roentgenologist +roentgenologists +roentgenometer +roentgenometry +roentgenometries +roentgenopaque +roentgenoscope +roentgenoscopy +roentgenoscopic +roentgenoscopies +roentgenotherapy +roentgens +roentgentherapy +roer +roes +roestone +rog +rogan +rogation +rogations +rogationtide +rogative +rogatory +roger +rogerian +rogero +rogers +rogersite +roggle +rognon +rognons +rogue +rogued +roguedom +rogueing +rogueling +roguery +rogueries +rogues +rogueship +roguy +roguing +roguish +roguishly +roguishness +rohan +rohilla +rohob +rohun +rohuna +roi +roy +royal +royale +royalet +royalisation +royalise +royalised +royalising +royalism +royalisms +royalist +royalistic +royalists +royalization +royalize +royalized +royalizing +royally +royalmast +royalme +royals +royalty +royalties +roid +royena +royet +royetness +royetous +royetously +roil +roiled +roiledness +roily +roilier +roiliest +roiling +roils +roin +roinish +roynous +royou +roist +roister +royster +roistered +roystered +roisterer +roisterers +roistering +roystering +roisteringly +roisterly +roisterous +roisterously +roisters +roysters +roystonea +roit +royt +roitelet +rojak +rok +roka +roke +rokeage +rokee +rokey +rokelay +roker +roky +rolamite +rolamites +roland +rolandic +rolando +role +roleo +roleplayed +roleplaying +roles +rolf +rolfe +roll +rollable +rollaway +rollback +rollbacks +rollbar +rolled +rolley +rolleyway +rolleywayman +rollejee +roller +rollerer +rollermaker +rollermaking +rollerman +rollers +rollerskater +rollerskating +rolliche +rollichie +rollick +rollicked +rollicker +rollicky +rollicking +rollickingly +rollickingness +rollicks +rollicksome +rollicksomeness +rolling +rollingly +rollings +rollinia +rollix +rollman +rollmop +rollmops +rollneck +rollo +rollock +rollout +rollouts +rollover +rollovers +rolls +rolltop +rollway +rollways +roloway +rolpens +rom +romaean +romagnese +romagnol +romagnole +romaic +romaika +romain +romaine +romaines +romaji +romal +roman +romana +romance +romancealist +romancean +romanced +romanceful +romanceish +romanceishness +romanceless +romancelet +romancelike +romancemonger +romanceproof +romancer +romanceress +romancers +romances +romancy +romancical +romancing +romancist +romandom +romane +romanes +romanese +romanesque +romanhood +romany +romanian +romanic +romanies +romaniform +romanish +romanism +romanist +romanistic +romanite +romanity +romanium +romanization +romanize +romanized +romanizer +romanizes +romanizing +romanly +romano +romanos +romans +romansch +romansh +romantic +romantical +romanticalism +romanticality +romantically +romanticalness +romanticise +romanticism +romanticist +romanticistic +romanticists +romanticity +romanticization +romanticize +romanticized +romanticizes +romanticizing +romanticly +romanticness +romantics +romantism +romantist +romanza +romaunt +romaunts +romble +rombos +rombowline +rome +romeine +romeite +romeldale +romeo +romerillo +romero +romeros +romescot +romeshot +romeward +romewards +romic +romyko +romipetal +romish +romishly +romishness +rommack +rommany +romney +romneya +romp +romped +rompee +romper +rompers +rompy +romping +rompingly +rompish +rompishly +rompishness +romps +rompu +roms +romulian +romulus +ron +ronald +roncador +roncaglian +roncet +roncho +ronco +roncos +rond +rondache +rondacher +rondawel +ronde +rondeau +rondeaux +rondel +rondelet +rondeletia +rondelets +rondelier +rondelle +rondelles +rondellier +rondels +rondino +rondle +rondo +rondoletto +rondos +rondure +rondures +rone +rong +ronga +rongeur +ronggeng +ronier +ronin +ronion +ronyon +ronions +ronyons +ronnel +ronnels +ronni +ronquil +ronsardian +ronsardism +ronsardist +ronsardize +ronsdorfer +ronsdorfian +rontgen +rontgenism +rontgenize +rontgenized +rontgenizing +rontgenography +rontgenographic +rontgenographically +rontgenology +rontgenologic +rontgenological +rontgenologist +rontgenoscope +rontgenoscopy +rontgenoscopic +rontgens +roo +rood +roodebok +roodle +roodles +roods +roodstone +rooed +roof +roofage +roofed +roofer +roofers +roofy +roofing +roofings +roofless +rooflet +rooflike +roofline +rooflines +roofman +roofmen +roofpole +roofs +rooftop +rooftops +rooftree +rooftrees +roofward +roofwise +rooibok +rooyebok +rooinek +rooing +rook +rooked +rooker +rookery +rookeried +rookeries +rooky +rookie +rookier +rookies +rookiest +rooking +rookish +rooklet +rooklike +rooks +rookus +rool +room +roomage +roomed +roomer +roomers +roomette +roomettes +roomful +roomfuls +roomy +roomie +roomier +roomies +roomiest +roomily +roominess +rooming +roomkeeper +roomless +roomlet +roommate +roommates +rooms +roomsful +roomsome +roomstead +roomth +roomthy +roomthily +roomthiness +roomward +roon +roop +roorbach +roorback +roorbacks +roosa +roose +roosed +rooser +roosers +rooses +roosevelt +rooseveltian +roosing +roost +roosted +rooster +roosterfish +roosterhood +roosterless +roosters +roostership +roosty +roosting +roosts +root +rootage +rootages +rootcap +rooted +rootedly +rootedness +rooter +rootery +rooters +rootfast +rootfastness +roothold +rootholds +rooti +rooty +rootier +rootiest +rootiness +rooting +rootle +rootless +rootlessness +rootlet +rootlets +rootlike +rootling +roots +rootstalk +rootstock +rootstocks +rootwalt +rootward +rootwise +rootworm +roove +rooved +rooving +ropable +ropand +ropani +rope +ropeable +ropeband +ropebark +roped +ropedance +ropedancer +ropedancing +ropey +ropelayer +ropelaying +ropelike +ropemaker +ropemaking +ropeman +ropemen +roper +ropery +roperies +roperipe +ropers +ropes +ropesmith +ropetrick +ropeway +ropeways +ropewalk +ropewalker +ropewalks +ropework +ropy +ropier +ropiest +ropily +ropiness +ropinesses +roping +ropish +ropishness +roploch +ropp +roque +roquefort +roquelaure +roquelaures +roquellorz +roquer +roques +roquet +roqueted +roqueting +roquets +roquette +roquille +roquist +roral +roratorio +rori +rory +roric +rorid +roridula +roridulaceae +roriferous +rorifluent +roripa +rorippa +roritorious +rorqual +rorquals +rorschach +rort +rorty +rorulent +ros +rosa +rosabel +rosabella +rosace +rosaceae +rosacean +rosaceous +rosaker +rosal +rosales +rosalger +rosalia +rosalie +rosalyn +rosalind +rosaline +rosamond +rosanilin +rosaniline +rosary +rosaria +rosarian +rosarians +rosaries +rosariia +rosario +rosarium +rosariums +rosaruby +rosated +rosbif +roschach +roscherite +roscian +roscid +roscoe +roscoelite +roscoes +rose +roseal +roseate +roseately +rosebay +rosebays +rosebud +rosebuds +rosebush +rosebushes +rosed +rosedrop +rosefish +rosefishes +rosehead +rosehill +rosehiller +rosehip +roseine +rosel +roseless +roselet +roselike +roselite +rosella +rosellate +roselle +roselles +rosellinia +rosemaling +rosemary +rosemaries +rosenbergia +rosenbuschite +roseola +roseolar +roseolas +roseoliform +roseolous +roseous +rosery +roseries +roseroot +roseroots +roses +roset +rosetan +rosetangle +rosety +rosetime +rosets +rosetta +rosette +rosetted +rosettes +rosetty +rosetum +roseways +rosewater +rosewise +rosewood +rosewoods +rosewort +roshi +rosy +rosicrucian +rosicrucianism +rosied +rosier +rosieresite +rosiest +rosily +rosilla +rosillo +rosin +rosinante +rosinate +rosinduline +rosine +rosined +rosiness +rosinesses +rosing +rosiny +rosining +rosinol +rosinous +rosins +rosinweed +rosinwood +rosland +rosmarine +rosmarinus +rosminian +rosminianism +rosoli +rosolic +rosolio +rosolios +rosolite +rosorial +ross +rosser +rossite +rostel +rostella +rostellar +rostellaria +rostellarian +rostellate +rostelliform +rostellum +roster +rosters +rostra +rostral +rostrally +rostrate +rostrated +rostriferous +rostriform +rostroantennary +rostrobranchial +rostrocarinate +rostrocaudal +rostroid +rostrolateral +rostrular +rostrulate +rostrulum +rostrum +rostrums +rosttra +rosular +rosulate +rot +rota +rotacism +rotal +rotala +rotalia +rotalian +rotaliform +rotaliiform +rotaman +rotamen +rotameter +rotan +rotanev +rotang +rotary +rotarian +rotarianism +rotarianize +rotaries +rotas +rotascope +rotatable +rotatably +rotate +rotated +rotates +rotating +rotation +rotational +rotationally +rotations +rotative +rotatively +rotativism +rotatodentate +rotatoplane +rotator +rotatores +rotatory +rotatoria +rotatorian +rotators +rotavist +rotch +rotche +rotches +rote +rotella +rotenone +rotenones +roter +rotes +rotge +rotgut +rotguts +rother +rothermuck +rothesay +roti +rotifer +rotifera +rotiferal +rotiferan +rotiferous +rotifers +rotiform +rotisserie +rotisseries +rotl +rotls +roto +rotocraft +rotodyne +rotograph +rotogravure +rotogravures +rotometer +rotonda +rotonde +rotor +rotorcraft +rotors +rotos +rototill +rototilled +rototiller +rototilling +rototills +rotproof +rots +rotse +rotta +rottan +rotte +rotted +rotten +rottener +rottenest +rottenish +rottenly +rottenness +rottenstone +rotter +rotterdam +rotters +rotting +rottle +rottlera +rottlerin +rottock +rottolo +rottweiler +rotula +rotulad +rotular +rotulet +rotulian +rotuliform +rotulus +rotund +rotunda +rotundas +rotundate +rotundify +rotundifoliate +rotundifolious +rotundiform +rotundity +rotundities +rotundly +rotundness +rotundo +rotundotetragonal +roture +roturier +roturiers +roub +rouble +roubles +roubouh +rouche +rouches +roucou +roud +roudas +roue +rouelle +rouen +rouens +rouerie +roues +rouge +rougeau +rougeberry +rouged +rougelike +rougemontite +rougeot +rouges +rough +roughage +roughages +roughcast +roughcaster +roughcasting +roughdraft +roughdraw +roughdress +roughdry +roughdried +roughdries +roughdrying +roughed +roughen +roughened +roughener +roughening +roughens +rougher +roughers +roughest +roughet +roughfooted +roughhearted +roughheartedness +roughhew +roughhewed +roughhewer +roughhewing +roughhewn +roughhews +roughhouse +roughhoused +roughhouser +roughhouses +roughhousy +roughhousing +roughy +roughie +roughing +roughings +roughish +roughishly +roughishness +roughleg +roughlegs +roughly +roughneck +roughnecks +roughness +roughnesses +roughometer +roughride +roughrider +roughroot +roughs +roughscuff +roughsetter +roughshod +roughslant +roughsome +roughstring +roughstuff +rought +roughtail +roughtailed +roughwork +roughwrought +rougy +rouging +rouille +rouky +roulade +roulades +rouleau +rouleaus +rouleaux +roulette +rouletted +roulettes +rouletting +rouman +roumanian +roumeliote +roun +rounce +rounceval +rouncy +rouncival +round +roundabout +roundaboutly +roundaboutness +rounded +roundedly +roundedness +roundel +roundelay +roundelays +roundeleer +roundels +rounder +rounders +roundest +roundfish +roundhead +roundheaded +roundheadedness +roundheel +roundhouse +roundhouses +roundy +rounding +roundish +roundishness +roundle +roundlet +roundlets +roundly +roundline +roundmouthed +roundness +roundnose +roundnosed +roundoff +roundridge +rounds +roundseam +roundsman +roundtable +roundtail +roundtop +roundtree +roundup +roundups +roundure +roundwise +roundwood +roundworm +roundworms +rounge +rounspik +rountree +roup +rouped +rouper +roupet +roupy +roupie +roupier +roupiest +roupily +rouping +roupingwife +roupit +roups +rous +rousant +rouse +rouseabout +roused +rousedness +rousement +rouser +rousers +rouses +rousette +rousing +rousingly +rousseau +rousseauan +rousseauism +rousseauist +rousseauistic +rousseauite +rousseaus +roussellian +roussette +roussillon +roust +roustabout +roustabouts +rousted +rouster +rousters +rousting +rousts +rout +route +routed +routeman +routemarch +routemen +router +routers +routes +routeway +routeways +routh +routhercock +routhy +routhie +routhiness +rouths +routier +routinary +routine +routineer +routinely +routineness +routines +routing +routings +routinish +routinism +routinist +routinization +routinize +routinized +routinizes +routinizing +routivarite +routous +routously +routs +rouvillite +roux +rove +roved +roven +rover +rovers +roves +rovescio +rovet +rovetto +roving +rovingly +rovingness +rovings +row +rowable +rowan +rowanberry +rowanberries +rowans +rowboat +rowboats +rowdy +rowdydow +rowdydowdy +rowdier +rowdies +rowdiest +rowdyish +rowdyishly +rowdyishness +rowdyism +rowdyisms +rowdily +rowdiness +rowdyproof +rowed +rowel +roweled +rowelhead +roweling +rowelled +rowelling +rowels +rowen +rowena +rowens +rower +rowers +rowet +rowy +rowiness +rowing +rowings +rowland +rowlandite +rowley +rowleian +rowleyan +rowlet +rowlock +rowlocks +rowport +rows +rowt +rowte +rowted +rowth +rowths +rowty +rowting +rox +roxana +roxane +roxanne +roxburgh +roxburghe +roxburghiaceae +roxbury +roxy +roxie +roxolani +rozener +rozum +rozzer +rozzers +rpm +rps +rpt +rrhiza +rs +rsum +rsvp +rt +rte +rti +rtw +rua +ruach +ruana +rub +rubaboo +rubaboos +rubace +rubaces +rubaiyat +rubasse +rubasses +rubato +rubatos +rubbaboo +rubbaboos +rubbed +rubbee +rubber +rubberer +rubbery +rubberiness +rubberise +rubberised +rubberising +rubberize +rubberized +rubberizes +rubberizing +rubberless +rubberlike +rubberneck +rubbernecked +rubbernecker +rubbernecking +rubbernecks +rubbernose +rubbers +rubberstone +rubberwise +rubby +rubbing +rubbings +rubbingstone +rubbio +rubbish +rubbishes +rubbishy +rubbishing +rubbishingly +rubbishly +rubbishry +rubbisy +rubble +rubbled +rubbler +rubbles +rubblestone +rubblework +rubbly +rubblier +rubbliest +rubbling +rubdown +rubdowns +rube +rubedinous +rubedity +rubefacience +rubefacient +rubefaction +rubefy +rubelet +rubella +rubellas +rubelle +rubellite +rubellosis +rubens +rubensian +rubeola +rubeolar +rubeolas +rubeoloid +ruberythric +ruberythrinic +rubes +rubescence +rubescent +ruby +rubia +rubiaceae +rubiaceous +rubiacin +rubiales +rubian +rubianic +rubiate +rubiator +rubible +rubican +rubicelle +rubicola +rubicon +rubiconed +rubicund +rubicundity +rubidic +rubidine +rubidium +rubidiums +rubied +rubier +rubies +rubiest +rubify +rubific +rubification +rubificative +rubiginose +rubiginous +rubigo +rubigos +rubying +rubijervine +rubylike +rubin +rubine +rubineous +rubious +rubytail +rubythroat +rubywise +ruble +rubles +rublis +rubor +rubout +rubrail +rubric +rubrica +rubrical +rubricality +rubrically +rubricate +rubricated +rubricating +rubrication +rubricator +rubrician +rubricism +rubricist +rubricity +rubricize +rubricose +rubrics +rubrify +rubrific +rubrification +rubrisher +rubrospinal +rubs +rubstone +rubus +rucervine +rucervus +ruchbah +ruche +ruches +ruching +ruchings +ruck +rucked +rucker +rucky +rucking +ruckle +ruckling +rucks +rucksack +rucksacks +rucksey +ruckus +ruckuses +ructation +ruction +ructions +ructious +rud +rudaceous +rudas +rudbeckia +rudd +rudder +rudderfish +rudderfishes +rudderhead +rudderhole +rudderless +rudderlike +rudderpost +rudders +rudderstock +ruddervator +ruddy +ruddied +ruddier +ruddiest +ruddyish +ruddily +ruddiness +ruddish +ruddle +ruddled +ruddleman +ruddlemen +ruddles +ruddling +ruddock +ruddocks +rudds +rude +rudely +rudeness +rudenesses +rudented +rudenture +ruder +rudera +ruderal +ruderals +ruderate +rudesby +rudesbies +rudesheimer +rudest +rudge +rudy +rudiment +rudimental +rudimentary +rudimentarily +rudimentariness +rudimentation +rudiments +rudinsky +rudish +rudista +rudistae +rudistan +rudistid +rudity +rudloff +rudmasday +rudolf +rudolph +rudolphine +rudolphus +rudous +rue +rued +rueful +ruefully +ruefulness +ruely +ruelike +ruelle +ruellia +ruen +ruer +ruers +rues +ruesome +ruesomeness +ruewort +rufescence +rufescent +ruff +ruffable +ruffe +ruffed +ruffer +ruffes +ruffian +ruffianage +ruffiandom +ruffianhood +ruffianish +ruffianism +ruffianize +ruffianly +ruffianlike +ruffiano +ruffians +ruffin +ruffing +ruffle +ruffled +ruffleless +rufflement +ruffler +rufflers +ruffles +ruffly +rufflike +ruffliness +ruffling +ruffmans +ruffs +ruficarpous +ruficaudate +ruficoccin +ruficornate +rufigallic +rufoferruginous +rufofulvous +rufofuscous +rufopiceous +rufosity +rufotestaceous +rufous +rufter +rufulous +rufus +rug +ruga +rugae +rugal +rugate +rugbeian +rugby +rugbies +rugged +ruggeder +ruggedest +ruggedization +ruggedize +ruggedly +ruggedness +rugger +ruggers +ruggy +rugging +ruggle +ruggown +rugheaded +rugine +ruglike +rugmaker +rugmaking +rugosa +rugose +rugosely +rugosity +rugosities +rugous +rugs +rugulose +ruin +ruinable +ruinate +ruinated +ruinates +ruinating +ruination +ruinations +ruinatious +ruinator +ruined +ruiner +ruiners +ruing +ruiniform +ruining +ruinlike +ruinous +ruinously +ruinousness +ruinproof +ruins +rukbat +rukh +rulable +rulander +rule +ruled +ruledom +ruleless +rulemonger +ruler +rulers +rulership +rules +ruly +ruling +rulingly +rulings +rull +ruller +rullion +rullock +rum +rumage +rumaged +rumaging +rumal +ruman +rumania +rumanian +rumanians +rumanite +rumb +rumba +rumbaed +rumbaing +rumbarge +rumbas +rumbelow +rumble +rumbled +rumblegarie +rumblegumption +rumblement +rumbler +rumblers +rumbles +rumbly +rumbling +rumblingly +rumblings +rumbo +rumbooze +rumbowline +rumbowling +rumbullion +rumbumptious +rumbustical +rumbustion +rumbustious +rumbustiousness +rumchunder +rumdum +rume +rumelian +rumen +rumenitis +rumenocentesis +rumenotomy +rumens +rumex +rumfustian +rumgumption +rumgumptious +rumicin +rumina +ruminal +ruminant +ruminantia +ruminantly +ruminants +ruminate +ruminated +ruminates +ruminating +ruminatingly +rumination +ruminations +ruminative +ruminatively +ruminator +ruminators +rumkin +rumless +rumly +rummage +rummaged +rummager +rummagers +rummages +rummagy +rummaging +rummer +rummery +rummers +rummes +rummest +rummy +rummier +rummies +rummiest +rummily +rumminess +rummish +rummle +rumney +rumness +rumor +rumored +rumorer +rumoring +rumormonger +rumorous +rumorproof +rumors +rumour +rumoured +rumourer +rumouring +rumourmonger +rumours +rump +rumpad +rumpadder +rumpade +rumper +rumpy +rumple +rumpled +rumples +rumpless +rumply +rumplier +rumpliest +rumpling +rumpot +rumps +rumpscuttle +rumpuncheon +rumpus +rumpuses +rumrunner +rumrunners +rumrunning +rums +rumshop +rumswizzle +rumtytoo +run +runabout +runabouts +runagado +runagate +runagates +runaround +runaway +runaways +runback +runbacks +runby +runboard +runch +runchweed +runcinate +rundale +rundel +rundi +rundle +rundles +rundlet +rundlets +rundown +rundowns +rune +runecraft +runed +runefolk +runeless +runelike +runer +runes +runesmith +runestaff +runeword +runfish +rung +runghead +rungless +rungs +runholder +runic +runically +runiform +runite +runkeeper +runkle +runkled +runkles +runkly +runkling +runless +runlet +runlets +runman +runnable +runnel +runnels +runner +runners +runnet +runneth +runny +runnier +runniest +running +runningly +runnings +runnion +runoff +runoffs +runology +runologist +runout +runouts +runover +runovers +runproof +runrig +runround +runrounds +runs +runsy +runt +runted +runtee +runty +runtier +runtiest +runtime +runtiness +runtish +runtishly +runtishness +runts +runway +runways +rupa +rupee +rupees +rupellary +rupert +rupestral +rupestrian +rupestrine +rupia +rupiah +rupiahs +rupial +rupicapra +rupicaprinae +rupicaprine +rupicola +rupicolinae +rupicoline +rupicolous +rupie +rupitic +ruppia +ruptile +ruption +ruptive +ruptuary +rupturable +rupture +ruptured +ruptures +rupturewort +rupturing +rural +ruralisation +ruralise +ruralised +ruralises +ruralising +ruralism +ruralisms +ruralist +ruralists +ruralite +ruralites +rurality +ruralities +ruralization +ruralize +ruralized +ruralizes +ruralizing +rurally +ruralness +rurban +ruridecanal +rurigenous +ruritania +ruritanian +ruru +rus +rusa +ruscus +ruse +ruses +rush +rushbush +rushed +rushee +rushees +rushen +rusher +rushers +rushes +rushy +rushier +rushiest +rushiness +rushing +rushingly +rushingness +rushings +rushland +rushlight +rushlighted +rushlike +rushlit +rushwork +rusin +rusine +rusines +rusk +rusky +ruskin +ruskinian +rusks +rusma +rusot +ruspone +russ +russe +russel +russelet +russelia +russell +russellite +russene +russet +russety +russeting +russetish +russetlike +russets +russetting +russia +russian +russianism +russianist +russianization +russianize +russians +russify +russification +russificator +russified +russifier +russifies +russifying +russine +russism +russniak +russolatry +russolatrous +russomania +russomaniac +russomaniacal +russophile +russophilism +russophilist +russophobe +russophobia +russophobiac +russophobism +russophobist +russud +russula +rust +rustable +rusted +rustful +rusty +rustyback +rustic +rustical +rustically +rusticalness +rusticanum +rusticate +rusticated +rusticates +rusticating +rustication +rusticator +rusticators +rusticial +rusticism +rusticity +rusticities +rusticize +rusticly +rusticness +rusticoat +rustics +rusticum +rusticwork +rustier +rustiest +rustyish +rustily +rustiness +rusting +rustle +rustled +rustler +rustlers +rustles +rustless +rustly +rustling +rustlingly +rustlingness +rustproof +rustre +rustred +rusts +ruswut +rut +ruta +rutabaga +rutabagas +rutaceae +rutaceous +rutaecarpine +rutate +rutch +rutelian +rutelinae +ruth +ruthenate +ruthene +ruthenian +ruthenic +ruthenious +ruthenium +ruthenous +ruther +rutherford +rutherfordine +rutherfordite +rutherfordium +ruthful +ruthfully +ruthfulness +ruthless +ruthlessly +ruthlessness +ruths +rutic +rutidosis +rutyl +rutilant +rutilate +rutilated +rutilation +rutile +rutylene +rutiles +rutilous +rutin +rutinose +rutiodon +ruts +rutted +ruttee +rutter +rutty +ruttier +ruttiest +ruttily +ruttiness +rutting +ruttish +ruttishly +ruttishness +ruttle +rutuli +ruvid +rux +rvulsant +rwd +rwy +rwound +s +sa +saa +saad +saan +saanen +saarbrucken +sab +saba +sabadilla +sabadin +sabadine +sabadinine +sabaean +sabaeanism +sabaeism +sabaigrass +sabayon +sabaism +sabaist +sabakha +sabal +sabalaceae +sabalo +sabalos +sabalote +saban +sabana +sabanut +sabaoth +sabathikos +sabaton +sabatons +sabazian +sabazianism +sabazios +sabbat +sabbatary +sabbatarian +sabbatarianism +sabbatean +sabbath +sabbathaian +sabbathaic +sabbathaist +sabbathbreaker +sabbathbreaking +sabbathism +sabbathize +sabbathkeeper +sabbathkeeping +sabbathless +sabbathly +sabbathlike +sabbaths +sabbatia +sabbatian +sabbatic +sabbatical +sabbatically +sabbaticalness +sabbaticals +sabbatine +sabbatism +sabbatist +sabbatization +sabbatize +sabbaton +sabbats +sabbed +sabbeka +sabby +sabbing +sabbitha +sabdariffa +sabe +sabeca +sabed +sabeing +sabella +sabellan +sabellaria +sabellarian +sabelli +sabellian +sabellianism +sabellianize +sabellid +sabellidae +sabelloid +saber +saberbill +sabered +sabering +saberleg +saberlike +saberproof +sabers +sabertooth +saberwing +sabes +sabia +sabiaceae +sabiaceous +sabian +sabianism +sabicu +sabik +sabin +sabina +sabine +sabines +sabing +sabinian +sabino +sabins +sabir +sabirs +sable +sablefish +sablefishes +sableness +sables +sably +sabora +saboraim +sabot +sabotage +sabotaged +sabotages +sabotaging +saboted +saboteur +saboteurs +sabotier +sabotine +sabots +sabra +sabras +sabre +sabrebill +sabred +sabres +sabretache +sabretooth +sabreur +sabrina +sabring +sabromin +sabs +sabuja +sabuline +sabulite +sabulose +sabulosity +sabulous +sabulum +saburra +saburral +saburrate +saburration +sabutan +sabzi +sac +sacae +sacahuiste +sacalait +sacaline +sacate +sacaton +sacatons +sacatra +sacbrood +sacbut +sacbuts +saccade +saccades +saccadge +saccadic +saccage +saccammina +saccarify +saccarimeter +saccate +saccated +saccha +saccharamide +saccharase +saccharate +saccharated +saccharephidrosis +saccharic +saccharide +sacchariferous +saccharify +saccharification +saccharified +saccharifier +saccharifying +saccharilla +saccharimeter +saccharimetry +saccharimetric +saccharimetrical +saccharin +saccharinate +saccharinated +saccharine +saccharineish +saccharinely +saccharinic +saccharinity +saccharization +saccharize +saccharized +saccharizing +saccharobacillus +saccharobiose +saccharobutyric +saccharoceptive +saccharoceptor +saccharochemotropic +saccharocolloid +saccharofarinaceous +saccharogalactorrhea +saccharogenic +saccharohumic +saccharoid +saccharoidal +saccharolactonic +saccharolytic +saccharometabolic +saccharometabolism +saccharometer +saccharometry +saccharometric +saccharometrical +saccharomyces +saccharomycetaceae +saccharomycetaceous +saccharomycetales +saccharomycete +saccharomycetes +saccharomycetic +saccharomycosis +saccharomucilaginous +saccharon +saccharonate +saccharone +saccharonic +saccharophylly +saccharorrhea +saccharoscope +saccharose +saccharostarchy +saccharosuria +saccharotriose +saccharous +saccharulmic +saccharulmin +saccharum +saccharuria +sacchulmin +sacciferous +sacciform +saccli +saccobranchiata +saccobranchiate +saccobranchus +saccoderm +saccolabium +saccomyian +saccomyid +saccomyidae +saccomyina +saccomyine +saccomyoid +saccomyoidea +saccomyoidean +saccomys +saccoon +saccopharyngidae +saccopharynx +saccorhiza +saccos +saccular +sacculate +sacculated +sacculation +saccule +saccules +sacculi +sacculina +sacculoutricular +sacculus +saccus +sacela +sacella +sacellum +sacerdocy +sacerdos +sacerdotage +sacerdotal +sacerdotalism +sacerdotalist +sacerdotalize +sacerdotally +sacerdotical +sacerdotism +sacerdotium +sachamaker +sachcloth +sachem +sachemdom +sachemic +sachems +sachemship +sachet +sacheted +sachets +sacheverell +sacian +sack +sackage +sackamaker +sackbag +sackbut +sackbuts +sackbutt +sackcloth +sackclothed +sackdoudle +sacked +sacken +sacker +sackers +sacket +sackful +sackfuls +sacking +sackings +sackless +sacklike +sackmaker +sackmaking +sackman +sacks +sacksful +sacktime +saclike +saco +sacope +sacque +sacques +sacra +sacrad +sacral +sacralgia +sacralization +sacralize +sacrals +sacrament +sacramental +sacramentalis +sacramentalism +sacramentalist +sacramentality +sacramentally +sacramentalness +sacramentary +sacramentarian +sacramentarianism +sacramentarist +sacramenter +sacramentism +sacramentize +sacramento +sacraments +sacramentum +sacrary +sacraria +sacrarial +sacrarium +sacrate +sacrcraria +sacre +sacrectomy +sacred +sacredly +sacredness +sacry +sacrify +sacrificable +sacrifical +sacrificant +sacrificati +sacrification +sacrificator +sacrificatory +sacrificature +sacrifice +sacrificeable +sacrificed +sacrificer +sacrificers +sacrifices +sacrificial +sacrificially +sacrificing +sacrificingly +sacrilege +sacrileger +sacrilegious +sacrilegiously +sacrilegiousness +sacrilegist +sacrilumbal +sacrilumbalis +sacring +sacripant +sacrist +sacristan +sacristans +sacristy +sacristies +sacristry +sacrists +sacro +sacrocaudal +sacrococcygeal +sacrococcygean +sacrococcygeus +sacrococcyx +sacrocostal +sacrocotyloid +sacrocotyloidean +sacrocoxalgia +sacrocoxitis +sacrodynia +sacrodorsal +sacrofemoral +sacroiliac +sacroiliacs +sacroinguinal +sacroischiac +sacroischiadic +sacroischiatic +sacrolumbal +sacrolumbalis +sacrolumbar +sacropectineal +sacroperineal +sacropictorial +sacroposterior +sacropubic +sacrorectal +sacrosanct +sacrosanctity +sacrosanctness +sacrosciatic +sacrosecular +sacrospinal +sacrospinalis +sacrospinous +sacrotomy +sacrotuberous +sacrovertebral +sacrum +sacrums +sacs +sad +sadachbia +sadalmelik +sadalsuud +sadaqat +sadden +saddened +saddening +saddeningly +saddens +sadder +saddest +saddhu +saddhus +saddik +saddirham +saddish +saddle +saddleback +saddlebacked +saddlebag +saddlebags +saddlebill +saddlebow +saddlebows +saddlecloth +saddlecloths +saddled +saddleleaf +saddleless +saddlelike +saddlemaker +saddlenose +saddler +saddlery +saddleries +saddlers +saddles +saddlesick +saddlesore +saddlesoreness +saddlestead +saddletree +saddletrees +saddlewise +saddling +sadducaic +sadducean +sadducee +sadduceeism +sadduceeist +sadducees +sadducism +sadducize +sade +sades +sadh +sadhaka +sadhana +sadhe +sadhearted +sadheartedness +sadhes +sadhika +sadhu +sadhus +sadi +sadic +sadie +sadiron +sadirons +sadis +sadism +sadisms +sadist +sadistic +sadistically +sadists +sadite +sadleir +sadly +sadness +sadnesses +sado +sadomasochism +sadomasochist +sadomasochistic +sadomasochists +sadr +sadware +sae +saebeins +saecula +saecular +saeculum +saeima +saernaite +saeta +saeter +saeume +safar +safari +safaried +safariing +safaris +safavi +safawid +safe +safeblower +safeblowing +safebreaker +safebreaking +safecracker +safecracking +safegaurds +safeguard +safeguarded +safeguarder +safeguarding +safeguards +safehold +safekeeper +safekeeping +safely +safelight +safemaker +safemaking +safen +safener +safeness +safenesses +safer +safes +safest +safety +safetied +safeties +safetying +safetyman +safeway +saffarian +saffarid +saffian +saffior +safflor +safflorite +safflow +safflower +safflowers +saffron +saffroned +saffrony +saffrons +saffrontree +saffronwood +safi +safine +safini +safranyik +safranin +safranine +safranins +safranophil +safranophile +safrol +safrole +safroles +safrols +saft +saftly +sag +saga +sagaciate +sagacious +sagaciously +sagaciousness +sagacity +sagacities +sagai +sagaie +sagaman +sagamen +sagamite +sagamore +sagamores +sagan +saganash +saganashes +sagapen +sagapenum +sagas +sagathy +sagbut +sagbuts +sage +sagebrush +sagebrusher +sagebrushes +sagebush +sageer +sageleaf +sagely +sagene +sageness +sagenesses +sagenite +sagenitic +sager +sageretia +sagerose +sages +sageship +sagesse +sagest +sagewood +saggar +saggard +saggards +saggared +saggaring +saggars +sagged +sagger +saggered +saggering +saggers +saggy +saggier +saggiest +sagginess +sagging +saggon +saghavart +sagy +sagier +sagiest +sagina +saginate +sagination +saging +sagital +sagitarii +sagitarius +sagitta +sagittae +sagittal +sagittally +sagittary +sagittaria +sagittaries +sagittarii +sagittariid +sagittarius +sagittate +sagittid +sagittiferous +sagittiform +sagittocyst +sagittoid +sagless +sago +sagoin +sagolike +sagos +sagoweer +sagra +sags +saguaro +saguaros +saguerus +saguing +sagum +saguran +saguranes +sagvandite +sagwire +sah +sahadeva +sahaptin +sahara +saharan +saharian +saharic +sahh +sahib +sahibah +sahibs +sahidic +sahiwal +sahiwals +sahlite +sahme +saho +sahoukar +sahras +sahuaro +sahuaros +sahukar +sai +say +saya +sayability +sayable +sayableness +sayal +saibling +saic +saice +saices +said +saidi +saids +sayee +sayer +sayers +sayest +sayette +saify +saiga +saigas +saignant +saigon +saiid +sayid +sayids +saiyid +sayyid +saiyids +sayyids +saying +sayings +sail +sailable +sailage +sailboard +sailboat +sailboater +sailboating +sailboats +sailcloth +sailed +sailer +sailers +sailfin +sailfish +sailfishes +sailflying +saily +sailyard +sailye +sailing +sailingly +sailings +sailless +sailmaker +sailmaking +sailor +sailorfish +sailoring +sailorizing +sailorless +sailorly +sailorlike +sailorman +sailorproof +sailors +sailour +sailplane +sailplaned +sailplaner +sailplaning +sails +sailship +sailsman +saim +saimy +saimiri +sain +saynay +saindoux +sained +saynete +sainfoin +sainfoins +saining +sains +saint +saintdom +saintdoms +sainte +sainted +saintess +sainthood +sainting +saintish +saintism +saintless +saintly +saintlier +saintliest +saintlike +saintlikeness +saintlily +saintliness +saintling +saintology +saintologist +saintpaulia +saints +saintship +sayonara +sayonaras +saip +saiph +sair +sairy +sairly +sairve +says +sayst +saite +saith +saithe +saitic +saiva +saivism +saj +sajou +sajous +sak +saka +sakai +sakalava +sake +sakeber +sakeen +sakel +sakelarides +sakell +sakellaridis +saker +sakeret +sakers +sakes +sakha +saki +sakyamuni +sakieh +sakiyeh +sakis +sakkara +sakkoi +sakkos +sakti +saktism +sakulya +sal +sala +salaam +salaamed +salaaming +salaamlike +salaams +salability +salabilities +salable +salableness +salably +salaceta +salacious +salaciously +salaciousness +salacity +salacities +salacot +salad +salada +saladang +saladangs +salade +saladero +saladin +salading +salads +salago +salagrama +salay +salal +salamandarin +salamander +salamanderlike +salamanders +salamandra +salamandrian +salamandridae +salamandriform +salamandrin +salamandrina +salamandrine +salamandroid +salamat +salambao +salame +salami +salaminian +salamis +salamo +salampore +salamstone +salangane +salangid +salangidae +salar +salary +salariat +salariats +salaried +salariego +salaries +salarying +salaryless +salat +salband +salchow +saldid +sale +saleability +saleable +saleably +salebrous +saleeite +salegoer +saleyard +salele +salem +salema +salempore +salenixon +salep +saleps +saleratus +saleroom +salerooms +sales +salesclerk +salesclerks +salesgirl +salesgirls +salesian +salesite +saleslady +salesladies +salesman +salesmanship +salesmen +salespeople +salesperson +salespersons +salesroom +salesrooms +saleswoman +saleswomen +salet +saleware +salework +salfern +salian +saliant +saliaric +salic +salicaceae +salicaceous +salicales +salicariaceae +salicetum +salicyl +salicylal +salicylaldehyde +salicylamide +salicylanilide +salicylase +salicylate +salicylic +salicylide +salicylidene +salicylyl +salicylism +salicylize +salicylous +salicyluric +salicin +salicine +salicines +salicins +salicional +salicorn +salicornia +salience +saliences +saliency +saliencies +salient +salientia +salientian +saliently +salientness +salients +saliferous +salify +salifiable +salification +salified +salifies +salifying +saligenin +saligenol +saligot +saligram +salimeter +salimetry +salina +salinan +salinas +salination +saline +salinella +salinelle +salineness +salines +saliniferous +salinification +saliniform +salinity +salinities +salinization +salinize +salinized +salinizes +salinizing +salinometer +salinometry +salinosulphureous +salinoterreous +salique +saliretin +salisbury +salisburia +salish +salishan +salite +salited +saliva +salival +salivan +salivant +salivary +salivas +salivate +salivated +salivates +salivating +salivation +salivator +salivatory +salivous +salix +sall +salle +sallee +salleeman +salleemen +sallender +sallenders +sallet +sallets +sally +sallybloom +sallied +sallier +salliers +sallies +sallying +sallyman +sallymen +sallyport +sallywood +salloo +sallow +sallowed +sallower +sallowest +sallowy +sallowing +sallowish +sallowly +sallowness +sallows +salm +salma +salmagundi +salmagundis +salmary +salmi +salmiac +salmin +salmine +salmis +salmo +salmon +salmonberry +salmonberries +salmonella +salmonellae +salmonellas +salmonellosis +salmonet +salmonid +salmonidae +salmonids +salmoniform +salmonlike +salmonoid +salmonoidea +salmonoidei +salmons +salmonsite +salmwood +salnatron +salol +salols +salome +salometer +salometry +salomon +salomonia +salomonian +salomonic +salon +salonika +salons +saloon +saloonist +saloonkeep +saloonkeeper +saloons +saloop +saloops +salopette +salopian +salp +salpa +salpacean +salpae +salpas +salpian +salpians +salpicon +salpid +salpidae +salpids +salpiform +salpiglosis +salpiglossis +salpingectomy +salpingemphraxis +salpinges +salpingian +salpingion +salpingitic +salpingitis +salpingocatheterism +salpingocele +salpingocyesis +salpingomalleus +salpingonasal +salpingopalatal +salpingopalatine +salpingoperitonitis +salpingopexy +salpingopharyngeal +salpingopharyngeus +salpingopterygoid +salpingorrhaphy +salpingoscope +salpingostaphyline +salpingostenochoria +salpingostomatomy +salpingostomy +salpingostomies +salpingotomy +salpingotomies +salpinx +salpoid +salps +sals +salsa +salse +salsify +salsifies +salsifis +salsilla +salsillas +salsoda +salsola +salsolaceae +salsolaceous +salsuginose +salsuginous +salt +salta +saltando +saltant +saltarella +saltarelli +saltarello +saltarellos +saltary +saltate +saltation +saltativeness +saltato +saltator +saltatory +saltatoria +saltatorial +saltatorian +saltatoric +saltatorily +saltatorious +saltatras +saltbox +saltboxes +saltbrush +saltbush +saltbushes +saltcat +saltcatch +saltcellar +saltcellars +saltchuck +saltchucker +salteaux +salted +saltee +salten +salter +salteretto +saltery +saltern +salterns +salters +saltest +saltfat +saltfish +saltfoot +saltgrass +salthouse +salty +salticid +saltie +saltier +saltierra +saltiers +saltierwise +salties +saltiest +saltigradae +saltigrade +saltily +saltimbanco +saltimbank +saltimbankery +saltimbanque +saltine +saltines +saltiness +salting +saltire +saltires +saltireways +saltirewise +saltish +saltishly +saltishness +saltless +saltlessness +saltly +saltlike +saltmaker +saltmaking +saltman +saltmouth +saltness +saltnesses +saltometer +saltorel +saltpan +saltpans +saltpeter +saltpetre +saltpetrous +saltpond +salts +saltshaker +saltspoon +saltspoonful +saltsprinkler +saltus +saltuses +saltwater +saltweed +saltwife +saltwork +saltworker +saltworks +saltwort +saltworts +salubrify +salubrious +salubriously +salubriousness +salubrity +salubrities +salud +saluda +salue +salugi +saluki +salukis +salung +salus +salutary +salutarily +salutariness +salutation +salutational +salutationless +salutations +salutatious +salutatory +salutatoria +salutatorian +salutatories +salutatorily +salutatorium +salute +saluted +saluter +saluters +salutes +salutiferous +salutiferously +saluting +salutoria +salva +salvability +salvable +salvableness +salvably +salvador +salvadora +salvadoraceae +salvadoraceous +salvadoran +salvadorian +salvagable +salvage +salvageability +salvageable +salvaged +salvagee +salvagees +salvageproof +salvager +salvagers +salvages +salvaging +salvarsan +salvatella +salvation +salvational +salvationism +salvationist +salvations +salvator +salvatory +salve +salved +salveline +salvelinus +salver +salverform +salvers +salves +salvy +salvia +salvianin +salvias +salvific +salvifical +salvifically +salvifics +salving +salvinia +salviniaceae +salviniaceous +salviniales +salviol +salvo +salvoed +salvoes +salvoing +salvor +salvors +salvos +salwey +salwin +salzfelle +sam +samadera +samadh +samadhi +samaj +samal +saman +samandura +samani +samanid +samantha +samara +samaras +samaria +samariform +samaritan +samaritaness +samaritanism +samaritans +samarium +samariums +samarkand +samaroid +samarra +samarskite +samas +samba +sambaed +sambaing +sambal +sambaqui +sambaquis +sambar +sambara +sambars +sambas +sambathe +sambel +sambhar +sambhars +sambhogakaya +sambhur +sambhurs +sambo +sambos +sambouk +sambouse +sambuca +sambucaceae +sambucas +sambucus +sambuk +sambuke +sambukes +sambul +sambunigrin +sambur +samburs +samburu +same +samech +samechs +samek +samekh +samekhs +sameks +samel +samely +sameliness +samen +sameness +samenesses +samesome +samfoo +samgarnebo +samgha +samh +samhain +samhita +samian +samydaceae +samiel +samiels +samir +samiresite +samiri +samisen +samisens +samish +samite +samites +samiti +samizdat +samkara +samkhya +samlet +samlets +sammel +sammer +sammy +sammier +samnani +samnite +samoa +samoan +samoans +samogitian +samogon +samogonka +samohu +samoyed +samoyedic +samolus +samory +samosatenian +samothere +samotherium +samothracian +samovar +samovars +samp +sampaguita +sampaloc +sampan +sampans +samphire +samphires +sampi +sample +sampled +sampleman +samplemen +sampler +samplery +samplers +samples +sampling +samplings +samps +sampsaean +samsam +samsara +samsaras +samshoo +samshu +samshus +samsien +samskara +samson +samsoness +samsonian +samsonic +samsonistic +samsonite +samucan +samucu +samuel +samuin +samurai +samurais +samvat +san +sanability +sanable +sanableness +sanai +sanand +sanataria +sanatarium +sanatariums +sanation +sanative +sanativeness +sanatory +sanatoria +sanatoriria +sanatoririums +sanatorium +sanatoriums +sanballat +sanbenito +sanbenitos +sanche +sancho +sancy +sancyite +sancord +sanct +sancta +sanctae +sanctanimity +sancties +sanctify +sanctifiable +sanctifiableness +sanctifiably +sanctificate +sanctification +sanctifications +sanctified +sanctifiedly +sanctifier +sanctifiers +sanctifies +sanctifying +sanctifyingly +sanctilogy +sanctiloquent +sanctimony +sanctimonial +sanctimonious +sanctimoniously +sanctimoniousness +sanction +sanctionable +sanctionableness +sanctionary +sanctionative +sanctioned +sanctioner +sanctioners +sanctioning +sanctionist +sanctionless +sanctionment +sanctions +sanctity +sanctities +sanctitude +sanctology +sanctologist +sanctorian +sanctorium +sanctuary +sanctuaried +sanctuaries +sanctuarize +sanctum +sanctums +sanctus +sand +sandak +sandal +sandaled +sandaliform +sandaling +sandalled +sandalling +sandals +sandalwood +sandalwoods +sandalwort +sandan +sandarac +sandaracin +sandaracs +sandastra +sandastros +sandawe +sandbag +sandbagged +sandbagger +sandbaggers +sandbagging +sandbags +sandbank +sandbanks +sandbar +sandbars +sandbin +sandblast +sandblasted +sandblaster +sandblasters +sandblasting +sandblasts +sandblind +sandblindness +sandboard +sandboy +sandbox +sandboxes +sandbug +sandbur +sandburr +sandburrs +sandburs +sandclub +sandculture +sanded +sandeep +sandemanian +sandemanianism +sandemanism +sander +sanderling +sanders +sanderswood +sandfish +sandfishes +sandfly +sandflies +sandflower +sandglass +sandgoby +sandgrouse +sandheat +sandhi +sandhya +sandhill +sandhis +sandhog +sandhogs +sandy +sandia +sandier +sandies +sandiest +sandiferous +sandyish +sandiness +sanding +sandip +sandiver +sandix +sandyx +sandkey +sandlapper +sandless +sandlike +sandling +sandlings +sandlot +sandlots +sandlotter +sandlotters +sandman +sandmen +sandmite +sandnatter +sandnecker +sandpaper +sandpapered +sandpaperer +sandpapery +sandpapering +sandpapers +sandpeep +sandpeeps +sandpile +sandpiles +sandpiper +sandpipers +sandpit +sandpits +sandproof +sandra +sandrock +sandroller +sands +sandshoe +sandsoap +sandsoaps +sandspit +sandspout +sandspur +sandstay +sandstone +sandstones +sandstorm +sandunga +sandust +sandweed +sandweld +sandwich +sandwiched +sandwiches +sandwiching +sandwood +sandworm +sandworms +sandwort +sandworts +sane +saned +sanely +sanemindedness +saneness +sanenesses +saner +sanes +sanest +sanetch +sanford +sanforized +sang +sanga +sangah +sangamon +sangar +sangaree +sangarees +sangars +sangas +sangei +sanger +sangerbund +sangerfest +sangers +sangfroid +sanggau +sanggil +sangh +sangha +sangho +sanghs +sangil +sangir +sangirese +sanglant +sangley +sanglier +sangraal +sangrail +sangreal +sangreeroot +sangrel +sangria +sangrias +sangsue +sangu +sanguicolous +sanguifacient +sanguiferous +sanguify +sanguification +sanguifier +sanguifluous +sanguimotor +sanguimotory +sanguinaceous +sanguinary +sanguinaria +sanguinarily +sanguinariness +sanguine +sanguineless +sanguinely +sanguineness +sanguineobilious +sanguineophlegmatic +sanguineous +sanguineousness +sanguineovascular +sanguines +sanguinicolous +sanguiniferous +sanguinification +sanguinis +sanguinism +sanguinity +sanguinivorous +sanguinocholeric +sanguinolency +sanguinolent +sanguinometer +sanguinopoietic +sanguinopurulent +sanguinous +sanguinuity +sanguisorba +sanguisorbaceae +sanguisuge +sanguisugent +sanguisugous +sanguivorous +sanhedrim +sanhedrin +sanhedrist +sanhita +sanyakoan +sanyasi +sanicle +sanicles +sanicula +sanidine +sanidinic +sanidinite +sanies +sanify +sanification +saning +sanious +sanipractic +sanit +sanitary +sanitaria +sanitarian +sanitarians +sanitaries +sanitariia +sanitariiums +sanitarily +sanitariness +sanitarist +sanitarium +sanitariums +sanitate +sanitated +sanitates +sanitating +sanitation +sanitationist +sanity +sanities +sanitisation +sanitise +sanitised +sanitises +sanitising +sanitist +sanitization +sanitize +sanitized +sanitizer +sanitizes +sanitizing +sanitoria +sanitorium +sanjay +sanjak +sanjakate +sanjakbeg +sanjaks +sanjakship +sanjeev +sanjib +sank +sanka +sankha +sankhya +sannaite +sannhemp +sannyasi +sannyasin +sannyasis +sannoisian +sannop +sannops +sannup +sannups +sanopurulent +sanoserous +sanpoil +sans +sansar +sansara +sansars +sansculot +sansculotte +sansculottic +sansculottid +sansculottish +sansculottism +sansei +sanseis +sanserif +sanserifs +sansevieria +sanshach +sansi +sanskrit +sanskritic +sanskritist +sanskritization +sanskritize +sant +santa +santal +santalaceae +santalaceous +santalales +santali +santalic +santalin +santalol +santalum +santalwood +santapee +santar +santee +santene +santy +santiago +santification +santii +santimi +santims +santir +santirs +santo +santol +santolina +santols +santon +santonate +santonic +santonica +santonin +santonine +santoninic +santonins +santorinite +santos +santour +santours +sanukite +sanvitalia +sanzen +sao +saoshyant +sap +sapa +sapajou +sapajous +sapan +sapanwood +sapbush +sapek +sapele +saperda +sapful +sapharensian +saphead +sapheaded +sapheadedness +sapheads +saphena +saphenae +saphenal +saphenous +saphie +sapiao +sapid +sapidity +sapidities +sapidless +sapidness +sapience +sapiences +sapiency +sapiencies +sapiens +sapient +sapiential +sapientially +sapientize +sapiently +sapin +sapinda +sapindaceae +sapindaceous +sapindales +sapindaship +sapindus +sapit +sapium +sapiutan +saple +sapless +saplessness +sapling +saplinghood +saplings +sapo +sapodilla +sapodillo +sapogenin +saponaceous +saponaceousness +saponacity +saponary +saponaria +saponarin +saponated +saponi +saponiferous +saponify +saponifiable +saponification +saponified +saponifier +saponifies +saponifying +saponin +saponine +saponines +saponins +saponite +saponites +saponul +saponule +sapophoric +sapor +saporific +saporifical +saporosity +saporous +sapors +sapota +sapotaceae +sapotaceous +sapotas +sapote +sapotilha +sapotilla +sapotoxin +sapour +sapours +sappanwood +sappare +sapped +sapper +sappers +sapphic +sapphics +sapphira +sapphire +sapphireberry +sapphired +sapphires +sapphirewing +sapphiric +sapphirine +sapphism +sapphisms +sapphist +sapphists +sappho +sappy +sappier +sappiest +sappily +sappiness +sapping +sapples +sapraemia +sapremia +sapremias +sapremic +saprin +saprine +saprobe +saprobes +saprobic +saprobically +saprobiont +saprocoll +saprodil +saprodontia +saprogen +saprogenic +saprogenicity +saprogenous +saprolegnia +saprolegniaceae +saprolegniaceous +saprolegniales +saprolegnious +saprolite +saprolitic +sapromic +sapropel +sapropelic +sapropelite +sapropels +saprophagan +saprophagous +saprophile +saprophilous +saprophyte +saprophytes +saprophytic +saprophytically +saprophytism +saproplankton +saprostomous +saprozoic +saprozoon +saps +sapsago +sapsagos +sapsap +sapskull +sapsuck +sapsucker +sapsuckers +sapucaia +sapucainha +sapwood +sapwoods +sapwort +saqib +saquaro +sar +sara +saraad +sarabacan +sarabaite +saraband +sarabande +sarabands +saracen +saracenian +saracenic +saracenical +saracenism +saracenlike +saracens +sarada +saraf +sarafan +sarah +sarakolet +sarakolle +saramaccaner +saran +sarangi +sarangousty +sarans +sarape +sarapes +saratoga +saratogan +saravan +sarawakese +sarawakite +sarawan +sarbacane +sarbican +sarcasm +sarcasmproof +sarcasms +sarcast +sarcastic +sarcastical +sarcastically +sarcasticalness +sarcasticness +sarcel +sarcelle +sarcelled +sarcelly +sarcenet +sarcenets +sarcilis +sarcina +sarcinae +sarcinas +sarcine +sarcitis +sarcle +sarcler +sarcoadenoma +sarcoadenomas +sarcoadenomata +sarcobatus +sarcoblast +sarcocarcinoma +sarcocarcinomas +sarcocarcinomata +sarcocarp +sarcocele +sarcocyst +sarcocystidea +sarcocystidean +sarcocystidian +sarcocystis +sarcocystoid +sarcocyte +sarcococca +sarcocol +sarcocolla +sarcocollin +sarcode +sarcoderm +sarcoderma +sarcodes +sarcodic +sarcodictyum +sarcodina +sarcodous +sarcoenchondroma +sarcoenchondromas +sarcoenchondromata +sarcogenic +sarcogenous +sarcogyps +sarcoglia +sarcoid +sarcoidosis +sarcoids +sarcolactic +sarcolemma +sarcolemmal +sarcolemmas +sarcolemmata +sarcolemmic +sarcolemmous +sarcoline +sarcolysis +sarcolite +sarcolyte +sarcolytic +sarcology +sarcologic +sarcological +sarcologist +sarcoma +sarcomas +sarcomata +sarcomatoid +sarcomatosis +sarcomatous +sarcomere +sarcomeric +sarcophaga +sarcophagal +sarcophagi +sarcophagy +sarcophagic +sarcophagid +sarcophagidae +sarcophagine +sarcophagize +sarcophagous +sarcophagus +sarcophaguses +sarcophile +sarcophilous +sarcophilus +sarcoplasm +sarcoplasma +sarcoplasmatic +sarcoplasmic +sarcoplast +sarcoplastic +sarcopoietic +sarcopsylla +sarcopsyllidae +sarcoptes +sarcoptic +sarcoptid +sarcoptidae +sarcorhamphus +sarcosepsis +sarcosepta +sarcoseptum +sarcosin +sarcosine +sarcosis +sarcosoma +sarcosomal +sarcosome +sarcosperm +sarcosporid +sarcosporida +sarcosporidia +sarcosporidial +sarcosporidian +sarcosporidiosis +sarcostyle +sarcostosis +sarcotheca +sarcotherapeutics +sarcotherapy +sarcotic +sarcous +sarcura +sard +sardachate +sardana +sardanapalian +sardanapalus +sardar +sardars +sardel +sardelle +sardian +sardine +sardines +sardinewise +sardinia +sardinian +sardinians +sardius +sardiuses +sardoin +sardonian +sardonic +sardonical +sardonically +sardonicism +sardonyx +sardonyxes +sards +sare +saree +sarees +sargasso +sargassos +sargassum +sargassumfish +sargassumfishes +sarge +sarges +sargo +sargonic +sargonid +sargonide +sargos +sargus +sari +sarif +sarigue +sarin +sarinda +sarins +sarip +saris +sark +sarkar +sarkful +sarky +sarkical +sarkine +sarking +sarkinite +sarkit +sarkless +sarks +sarlac +sarlak +sarlyk +sarmatian +sarmatic +sarmatier +sarment +sarmenta +sarmentaceous +sarmentiferous +sarmentose +sarmentous +sarments +sarmentum +sarna +sarod +sarode +sarodes +sarodist +sarodists +sarods +saron +sarong +sarongs +saronic +saronide +saros +sarothamnus +sarothra +sarothrum +sarpanch +sarpedon +sarpler +sarpo +sarra +sarracenia +sarraceniaceae +sarraceniaceous +sarracenial +sarraceniales +sarraf +sarrasin +sarrazin +sarrow +sarrusophone +sarrusophonist +sarsa +sarsaparilla +sarsaparillas +sarsaparillin +sarsar +sarsars +sarsechim +sarsen +sarsenet +sarsenets +sarsens +sarsi +sarsnet +sarson +sarsparilla +sart +sartage +sartain +sartish +sartor +sartoriad +sartorial +sartorially +sartorian +sartorii +sartorite +sartorius +sartors +saruk +sarum +sarus +sarvarthasiddha +sarwan +sarzan +sasa +sasan +sasani +sasanqua +sasarara +sash +sashay +sashayed +sashaying +sashays +sashed +sashery +sasheries +sashes +sashimi +sashimis +sashing +sashless +sashoon +sasin +sasine +sasins +saskatchewan +saskatoon +sass +sassaby +sassabies +sassafac +sassafrack +sassafras +sassafrases +sassagum +sassak +sassan +sassandra +sassanian +sassanid +sassanidae +sassanide +sasse +sassed +sassenach +sasses +sassy +sassybark +sassier +sassies +sassiest +sassily +sassiness +sassing +sassywood +sassolin +sassoline +sassolite +sasswood +sasswoods +sastean +sastra +sastruga +sastrugi +sat +sata +satable +satai +satan +satanael +satanas +satang +satangs +satanic +satanical +satanically +satanicalness +satanism +satanisms +satanist +satanistic +satanists +satanity +satanize +satanology +satanophany +satanophil +satanophobia +satanship +satara +sataras +satchel +satcheled +satchelful +satchels +satd +sate +sated +satedness +sateen +sateens +sateenwood +sateless +satelles +satellitarian +satellite +satellited +satellites +satellitesimal +satellitian +satellitic +satellitious +satellitium +satellitoid +satellitory +satelloid +satem +sates +sati +satiability +satiable +satiableness +satiably +satyagraha +satyagrahi +satyaloka +satyashodak +satiate +satiated +satiates +satiating +satiation +satieno +satient +satiety +satieties +satin +satinay +satinbush +satine +satined +satinet +satinets +satinette +satinfin +satinflower +sating +satiny +satininess +satining +satinite +satinity +satinize +satinleaf +satinleaves +satinlike +satinpod +satinpods +satins +satinwood +satinwoods +sation +satyr +satire +satireproof +satires +satyresque +satyress +satyriases +satyriasis +satiric +satyric +satirical +satyrical +satirically +satiricalness +satyrid +satyridae +satyrids +satyrinae +satyrine +satyrion +satirisable +satirisation +satirise +satirised +satiriser +satirises +satirising +satirism +satyrism +satirist +satirists +satirizable +satirize +satirized +satirizer +satirizers +satirizes +satirizing +satyrlike +satyromaniac +satyrs +satis +satisdation +satisdiction +satisfaciendum +satisfaction +satisfactional +satisfactionist +satisfactionless +satisfactions +satisfactive +satisfactory +satisfactorily +satisfactoriness +satisfactorious +satisfy +satisfiability +satisfiable +satisfice +satisfied +satisfiedly +satisfiedness +satisfier +satisfiers +satisfies +satisfying +satisfyingly +satisfyingness +satispassion +sativa +sativae +sative +satlijk +satori +satorii +satoris +satrae +satrap +satrapal +satrapate +satrapess +satrapy +satrapic +satrapical +satrapies +satraps +satron +satsop +satsuma +sattar +satterthwaite +sattie +sattle +sattva +sattvic +satura +saturability +saturable +saturant +saturants +saturate +saturated +saturatedness +saturater +saturates +saturating +saturation +saturations +saturator +saturday +saturdays +satureia +satury +saturity +saturization +saturn +saturnal +saturnale +saturnali +saturnalia +saturnalian +saturnalianly +saturnalias +saturnia +saturnian +saturnic +saturnicentric +saturniid +saturniidae +saturnine +saturninely +saturnineness +saturninity +saturnism +saturnist +saturnity +saturnize +saturnus +sau +sauba +sauce +sauceboat +saucebox +sauceboxes +sauced +saucedish +sauceless +sauceline +saucemaker +saucemaking +sauceman +saucemen +saucepan +saucepans +sauceplate +saucepot +saucer +saucerful +saucery +saucerize +saucerized +saucerleaf +saucerless +saucerlike +saucerman +saucers +sauces +sauch +sauchs +saucy +saucier +sauciest +saucily +sauciness +saucing +saucisse +saucisson +saudi +saudis +sauerbraten +sauerkraut +sauf +sauger +saugers +saugh +saughen +saughy +saughs +saught +saul +sauld +saulge +saulie +sauls +sault +saulter +saulteur +saults +saum +saumya +saumon +saumont +saumur +sauna +saunas +sauncy +sauncier +saunciest +saunders +saunderswood +saunt +saunter +sauntered +saunterer +saunterers +sauntering +saunteringly +saunters +sauqui +saur +saura +sauraseni +saurauia +saurauiaceae +saurel +saurels +saury +sauria +saurian +saurians +sauriasis +sauries +sauriosis +saurischia +saurischian +saurless +sauroctonos +saurodont +saurodontidae +saurognathae +saurognathism +saurognathous +sauroid +sauromatian +saurophagous +sauropod +sauropoda +sauropodous +sauropods +sauropsid +sauropsida +sauropsidan +sauropsidian +sauropterygia +sauropterygian +saurornithes +saurornithic +saururaceae +saururaceous +saururae +saururan +saururous +saururus +sausage +sausagelike +sausages +sausinger +saussurea +saussurite +saussuritic +saussuritization +saussuritize +saut +saute +sauted +sauteed +sauteing +sauter +sautereau +sauterelle +sauterne +sauternes +sautes +sauteur +sauty +sautoir +sautoire +sautoires +sautoirs +sautree +sauvagesia +sauve +sauvegarde +sav +savable +savableness +savacu +savage +savaged +savagedom +savagely +savageness +savager +savagery +savageries +savagerous +savagers +savages +savagess +savagest +savaging +savagism +savagisms +savagize +savanilla +savanna +savannah +savannahs +savannas +savant +savants +savara +savarin +savate +savates +savation +save +saveable +saveableness +saved +savey +savelha +saveloy +saveloys +savement +saver +savery +savers +saves +savile +savin +savine +savines +saving +savingly +savingness +savings +savins +savintry +savior +savioress +saviorhood +saviors +saviorship +saviour +saviouress +saviourhood +saviours +saviourship +savitar +savitri +savoy +savoyard +savoyed +savoying +savoys +savola +savonarolist +savonnerie +savor +savored +savorer +savorers +savory +savorier +savories +savoriest +savorily +savoriness +savoring +savoringly +savorless +savorlessness +savorly +savorous +savors +savorsome +savour +savoured +savourer +savourers +savoury +savourier +savouries +savouriest +savourily +savouriness +savouring +savouringly +savourless +savourous +savours +savssat +savvy +savvied +savvies +savvying +saw +sawah +sawaiori +sawali +sawan +sawarra +sawback +sawbelly +sawbill +sawbills +sawbones +sawboneses +sawbuck +sawbucks +sawbwa +sawder +sawdust +sawdusty +sawdustish +sawdustlike +sawdusts +sawed +sawer +sawers +sawfish +sawfishes +sawfly +sawflies +sawflom +sawhorse +sawhorses +sawyer +sawyers +sawing +sawings +sawish +sawlike +sawlog +sawlogs +sawlshot +sawmaker +sawmaking +sawman +sawmill +sawmiller +sawmilling +sawmills +sawmon +sawmont +sawn +sawneb +sawney +sawneys +sawny +sawnie +sawpit +saws +sawsetter +sawsharper +sawsmith +sawt +sawteeth +sawtimber +sawtooth +sawway +sawworker +sawwort +sax +saxatile +saxaul +saxboard +saxcornet +saxe +saxes +saxhorn +saxhorns +saxicava +saxicavous +saxicola +saxicole +saxicolidae +saxicolinae +saxicoline +saxicolous +saxifraga +saxifragaceae +saxifragaceous +saxifragant +saxifrage +saxifragous +saxifrax +saxigenous +saxish +saxitoxin +saxon +saxondom +saxony +saxonian +saxonic +saxonical +saxonically +saxonies +saxonish +saxonism +saxonist +saxonite +saxonization +saxonize +saxonly +saxons +saxophone +saxophones +saxophonic +saxophonist +saxophonists +saxotromba +saxpence +saxten +saxtie +saxtuba +saxtubas +sazen +sazerac +sb +sbaikian +sbirro +sblood +sbodikins +sc +scab +scabbado +scabbard +scabbarded +scabbarding +scabbardless +scabbards +scabbed +scabbedness +scabbery +scabby +scabbier +scabbiest +scabbily +scabbiness +scabbing +scabble +scabbled +scabbler +scabbles +scabbling +scabellum +scaberulous +scabetic +scabia +scabicidal +scabicide +scabid +scabies +scabietic +scabine +scabinus +scabiophobia +scabiosa +scabiosas +scabiosity +scabious +scabiouses +scabish +scabland +scablike +scabrate +scabrescent +scabrid +scabridity +scabridulous +scabrin +scabrities +scabriusculose +scabriusculous +scabrock +scabrosely +scabrous +scabrously +scabrousness +scabs +scabwort +scacchic +scacchite +scad +scaddle +scads +scaean +scaena +scaff +scaffer +scaffery +scaffy +scaffie +scaffle +scaffold +scaffoldage +scaffolded +scaffolder +scaffolding +scaffoldings +scaffolds +scag +scaglia +scagliola +scagliolist +scags +scaife +scala +scalable +scalableness +scalably +scalade +scalades +scalado +scalados +scalae +scalage +scalages +scalar +scalare +scalares +scalary +scalaria +scalarian +scalariform +scalariformly +scalariidae +scalars +scalarwise +scalation +scalawag +scalawaggery +scalawaggy +scalawags +scald +scaldberry +scalded +scalder +scaldfish +scaldy +scaldic +scalding +scaldini +scaldino +scaldra +scalds +scaldweed +scale +scaleback +scalebark +scaleboard +scaled +scaledrake +scalefish +scaleful +scaleless +scalelet +scalelike +scaleman +scalemen +scalena +scalene +scaleni +scalenohedra +scalenohedral +scalenohedron +scalenohedrons +scalenon +scalenous +scalenum +scalenus +scalepan +scalepans +scaleproof +scaler +scalers +scales +scalesman +scalesmen +scalesmith +scalet +scaletail +scalewing +scalewise +scalework +scalewort +scalf +scalfe +scaly +scalier +scaliest +scaliger +scaliness +scaling +scalings +scalytail +scall +scallage +scallawag +scallawaggery +scallawaggy +scalled +scallion +scallions +scallywag +scallola +scallom +scallop +scalloped +scalloper +scallopers +scalloping +scallopini +scallops +scallopwise +scalls +scalma +scalodo +scalogram +scaloni +scaloppine +scalops +scalopus +scalp +scalped +scalpeen +scalpel +scalpellar +scalpellic +scalpellum +scalpellus +scalpels +scalper +scalpers +scalping +scalpless +scalplock +scalpra +scalpriform +scalprum +scalps +scalpture +scalt +scalx +scalz +scam +scamander +scamandrius +scamble +scambled +scambler +scambling +scamell +scamillus +scamler +scamles +scammel +scammony +scammoniate +scammonies +scammonin +scammonyroot +scamp +scampavia +scamped +scamper +scampered +scamperer +scampering +scampers +scamphood +scampi +scampies +scamping +scampingly +scampish +scampishly +scampishness +scamps +scampsman +scams +scan +scance +scandal +scandaled +scandaling +scandalisation +scandalise +scandalised +scandaliser +scandalising +scandalization +scandalize +scandalized +scandalizer +scandalizers +scandalizes +scandalizing +scandalled +scandalling +scandalmonger +scandalmongery +scandalmongering +scandalmonging +scandalous +scandalously +scandalousness +scandalproof +scandals +scandaroon +scandent +scandia +scandian +scandias +scandic +scandicus +scandinavia +scandinavian +scandinavianism +scandinavians +scandium +scandiums +scandix +scania +scanian +scanic +scanmag +scannable +scanned +scanner +scanners +scanning +scanningly +scannings +scans +scansion +scansionist +scansions +scansores +scansory +scansorial +scansorious +scanstor +scant +scanted +scanter +scantest +scanty +scantier +scanties +scantiest +scantily +scantiness +scanting +scantity +scantle +scantlet +scantly +scantling +scantlinged +scantlings +scantness +scants +scap +scape +scaped +scapegallows +scapegoat +scapegoater +scapegoating +scapegoatism +scapegoats +scapegrace +scapegraces +scapel +scapeless +scapement +scapes +scapethrift +scapewheel +scapha +scaphander +scaphandridae +scaphe +scaphion +scaphiopodidae +scaphiopus +scaphism +scaphite +scaphites +scaphitidae +scaphitoid +scaphocephaly +scaphocephalic +scaphocephalism +scaphocephalous +scaphocephalus +scaphocerite +scaphoceritic +scaphognathite +scaphognathitic +scaphoid +scaphoids +scapholunar +scaphopod +scaphopoda +scaphopodous +scapiform +scapigerous +scaping +scapoid +scapolite +scapolitization +scapose +scapple +scappler +scapula +scapulae +scapulalgia +scapular +scapulare +scapulary +scapularies +scapulars +scapulas +scapulated +scapulectomy +scapulet +scapulette +scapulimancy +scapuloaxillary +scapulobrachial +scapuloclavicular +scapulocoracoid +scapulodynia +scapulohumeral +scapulopexy +scapuloradial +scapulospinal +scapulothoracic +scapuloulnar +scapulovertebral +scapus +scar +scarab +scarabaean +scarabaei +scarabaeid +scarabaeidae +scarabaeidoid +scarabaeiform +scarabaeinae +scarabaeoid +scarabaeus +scarabaeuses +scarabee +scaraboid +scarabs +scaramouch +scaramouche +scarborough +scarce +scarcely +scarcelins +scarcement +scarcen +scarceness +scarcer +scarcest +scarcy +scarcity +scarcities +scards +scare +scarebabe +scarebug +scarecrow +scarecrowy +scarecrowish +scarecrows +scared +scareful +scarehead +scarey +scaremonger +scaremongering +scareproof +scarer +scarers +scares +scaresome +scarf +scarface +scarfe +scarfed +scarfer +scarfy +scarfing +scarfless +scarflike +scarfpin +scarfpins +scarfs +scarfskin +scarfwise +scary +scarid +scaridae +scarier +scariest +scarify +scarification +scarificator +scarified +scarifier +scarifies +scarifying +scarily +scariness +scaring +scaringly +scariole +scariose +scarious +scarlatina +scarlatinal +scarlatiniform +scarlatinoid +scarlatinous +scarless +scarlet +scarletberry +scarlety +scarletina +scarlets +scarletseed +scarman +scarn +scaroid +scarola +scarp +scarpa +scarpe +scarped +scarper +scarpered +scarpering +scarpers +scarpetti +scarph +scarphed +scarphing +scarphs +scarpines +scarping +scarplet +scarpment +scarproof +scarps +scarred +scarrer +scarry +scarrier +scarriest +scarring +scarrow +scars +scart +scarted +scarth +scarting +scarts +scarus +scarved +scarves +scase +scasely +scat +scatback +scatbacks +scatch +scathe +scathed +scatheful +scatheless +scathelessly +scathes +scathful +scathy +scathing +scathingly +scaticook +scatland +scatology +scatologia +scatologic +scatological +scatologies +scatologist +scatologize +scatoma +scatomancy +scatomas +scatomata +scatophagy +scatophagid +scatophagidae +scatophagies +scatophagoid +scatophagous +scatoscopy +scats +scatt +scatted +scatter +scatterable +scatteration +scatteraway +scatterbrain +scatterbrained +scatterbrains +scattered +scatteredly +scatteredness +scatterer +scatterers +scattergood +scattergram +scattergraph +scattergun +scattery +scattering +scatteringly +scatterings +scatterling +scatterment +scattermouch +scatterplot +scatterplots +scatters +scattershot +scattersite +scatty +scattier +scattiest +scatting +scatts +scatula +scaturient +scaul +scaum +scaup +scauper +scaupers +scaups +scaur +scaurie +scaurs +scaut +scavage +scavager +scavagery +scavel +scavenage +scavenge +scavenged +scavenger +scavengery +scavengerism +scavengers +scavengership +scavenges +scavenging +scaw +scawd +scawl +scawtite +scazon +scazontic +scclera +sceat +scegger +scelalgia +scelerat +scelerate +scelidosaur +scelidosaurian +scelidosauroid +scelidosaurus +scelidotherium +sceliphron +sceloncus +sceloporus +scelotyrbe +scelp +scena +scenary +scenario +scenarioist +scenarioization +scenarioize +scenarios +scenarist +scenarists +scenarization +scenarize +scenarizing +scenas +scend +scended +scendentality +scending +scends +scene +scenecraft +scenedesmus +sceneful +sceneman +scenery +sceneries +scenes +sceneshifter +scenewright +scenic +scenical +scenically +scenist +scenite +scenograph +scenographer +scenography +scenographic +scenographical +scenographically +scenopinidae +scension +scent +scented +scenter +scentful +scenting +scentless +scentlessness +scentproof +scents +scentwood +scepsis +scepter +scepterdom +sceptered +sceptering +scepterless +scepters +sceptibly +sceptic +sceptical +sceptically +scepticism +scepticize +scepticized +scepticizing +sceptics +sceptral +sceptre +sceptred +sceptredom +sceptreless +sceptres +sceptry +sceptring +sceptropherous +sceptrosophy +scerne +sceuophylacium +sceuophylax +sceuophorion +scewing +scf +scfh +scfm +sch +schaapsteker +schadchan +schadenfreude +schaefferia +schairerite +schalmei +schalmey +schalstein +schanse +schanz +schapbachite +schappe +schapped +schappes +schapping +schapska +scharf +scharlachberger +schatchen +schav +schavs +scheat +schedar +schediasm +schediastic +schedius +schedulable +schedular +schedulate +schedule +scheduled +scheduler +schedulers +schedules +scheduling +schedulize +scheelin +scheelite +scheffel +schefferite +scheherazade +schelly +schelling +schellingian +schellingianism +schellingism +schelm +scheltopusik +schema +schemas +schemata +schemati +schematic +schematical +schematically +schematics +schematisation +schematise +schematised +schematiser +schematising +schematism +schematist +schematization +schematize +schematized +schematizer +schematogram +schematograph +schematologetically +schematomancy +schematonics +scheme +schemed +schemeful +schemeless +schemer +schemery +schemers +schemes +schemy +scheming +schemingly +schemist +schemozzle +schene +schepel +schepen +scherm +scherzando +scherzi +scherzo +scherzos +scherzoso +schesis +scheuchzeria +scheuchzeriaceae +scheuchzeriaceous +schiavona +schiavone +schiavones +schiavoni +schick +schiedam +schiffli +schiller +schillerfels +schillerization +schillerize +schillerized +schillerizing +schillers +schilling +schillings +schillu +schimmel +schynbald +schindylesis +schindyletic +schinus +schipperke +schisandra +schisandraceae +schism +schisma +schismatic +schismatical +schismatically +schismaticalness +schismatics +schismatism +schismatist +schismatize +schismatized +schismatizing +schismic +schismless +schisms +schist +schistaceous +schistic +schistocelia +schistocephalus +schistocerca +schistocyte +schistocytosis +schistocoelia +schistocormia +schistocormus +schistoglossia +schistoid +schistomelia +schistomelus +schistoprosopia +schistoprosopus +schistorrhachis +schistoscope +schistose +schistosis +schistosity +schistosoma +schistosomal +schistosome +schistosomia +schistosomiasis +schistosomus +schistosternia +schistothorax +schistous +schists +schistus +schiz +schizaea +schizaeaceae +schizaeaceous +schizanthus +schizaxon +schizy +schizo +schizocarp +schizocarpic +schizocarpous +schizochroal +schizocyte +schizocytosis +schizocoele +schizocoelic +schizocoelous +schizodinic +schizogamy +schizogenesis +schizogenetic +schizogenetically +schizogenic +schizogenous +schizogenously +schizognath +schizognathae +schizognathism +schizognathous +schizogony +schizogonic +schizogonous +schizogregarinae +schizogregarine +schizogregarinida +schizoid +schizoidism +schizoids +schizolaenaceae +schizolaenaceous +schizolysigenous +schizolite +schizomanic +schizomeria +schizomycete +schizomycetes +schizomycetic +schizomycetous +schizomycosis +schizonemertea +schizonemertean +schizonemertine +schizoneura +schizonotus +schizont +schizonts +schizopelmous +schizopetalon +schizophasia +schizophyceae +schizophyceous +schizophyllum +schizophyta +schizophyte +schizophytic +schizophragma +schizophrene +schizophrenia +schizophreniac +schizophrenic +schizophrenically +schizophrenics +schizopod +schizopoda +schizopodal +schizopodous +schizorhinal +schizos +schizospore +schizostele +schizostely +schizostelic +schizothecal +schizothyme +schizothymia +schizothymic +schizothoracic +schizotrichia +schizotrypanum +schiztic +schizzo +schlauraffenland +schleichera +schlemiel +schlemiels +schlemihl +schlenter +schlep +schlepp +schlepped +schlepper +schlepping +schlepps +schleps +schlieren +schlieric +schlimazel +schlimazl +schlock +schlocks +schloop +schloss +schlump +schmalkaldic +schmaltz +schmaltzes +schmaltzy +schmaltzier +schmaltziest +schmalz +schmalzes +schmalzy +schmalzier +schmalziest +schmatte +schmear +schmeer +schmeered +schmeering +schmeers +schmeiss +schmelz +schmelze +schmelzes +schmitz +schmo +schmoe +schmoes +schmoos +schmoose +schmoosed +schmooses +schmoosing +schmooze +schmoozed +schmoozes +schmoozing +schmuck +schmucks +schnabel +schnabelkanne +schnapper +schnapps +schnaps +schnauzer +schnauzers +schnebelite +schnecke +schnecken +schneider +schneiderian +schnell +schnitz +schnitzel +schnook +schnooks +schnorchel +schnorkel +schnorkle +schnorrer +schnoz +schnozzle +schnozzola +scho +schochat +schoche +schochet +schoenanth +schoenobatic +schoenobatist +schoenocaulon +schoenus +schoharie +schokker +schola +scholae +scholaptitude +scholar +scholarch +scholardom +scholarian +scholarism +scholarity +scholarless +scholarly +scholarlike +scholarliness +scholars +scholarship +scholarships +scholasm +scholastic +scholastical +scholastically +scholasticate +scholasticism +scholasticly +scholastics +scholasticus +scholia +scholiast +scholiastic +scholion +scholium +scholiumlia +scholiums +schomburgkia +schone +schonfelsite +schoodic +school +schoolable +schoolage +schoolbag +schoolboy +schoolboydom +schoolboyhood +schoolboyish +schoolboyishly +schoolboyishness +schoolboyism +schoolboys +schoolbook +schoolbookish +schoolbooks +schoolbutter +schoolchild +schoolchildren +schoolcraft +schooldays +schooldame +schooldom +schooled +schooler +schoolery +schoolers +schoolfellow +schoolfellows +schoolfellowship +schoolful +schoolgirl +schoolgirlhood +schoolgirly +schoolgirlish +schoolgirlishly +schoolgirlishness +schoolgirlism +schoolgirls +schoolgoing +schoolhouse +schoolhouses +schoolyard +schoolyards +schoolie +schooling +schoolingly +schoolish +schoolkeeper +schoolkeeping +schoolless +schoollike +schoolma +schoolmaam +schoolmaamish +schoolmaid +schoolman +schoolmarm +schoolmarms +schoolmaster +schoolmasterhood +schoolmastery +schoolmastering +schoolmasterish +schoolmasterishly +schoolmasterishness +schoolmasterism +schoolmasterly +schoolmasterlike +schoolmasters +schoolmastership +schoolmate +schoolmates +schoolmen +schoolmiss +schoolmistress +schoolmistresses +schoolmistressy +schoolroom +schoolrooms +schools +schoolteacher +schoolteachery +schoolteacherish +schoolteacherly +schoolteachers +schoolteaching +schooltide +schooltime +schoolward +schoolwards +schoolwork +schoon +schooner +schooners +schooper +schopenhauereanism +schopenhauerian +schopenhauerism +schoppen +schorenbergite +schorl +schorlaceous +schorly +schorlomite +schorlous +schorls +schottische +schottish +schout +schouw +schradan +schrank +schraubthaler +schrebera +schrecklich +schreibersite +schreiner +schreinerize +schreinerized +schreinerizing +schryari +schriesheimite +schrik +schriks +schrother +schrund +schtick +schticks +schtoff +schubert +schuh +schuhe +schuit +schuyt +schuits +schul +schule +schuln +schultenite +schultz +schultze +schungite +schuss +schussboomer +schussboomers +schussed +schusses +schussing +schute +schwa +schwabacher +schwalbea +schwanpan +schwarmerei +schwarz +schwarzian +schwas +schweizer +schweizerkase +schwendenerian +schwenkfelder +schwenkfeldian +sci +sciadopitys +sciaena +sciaenid +sciaenidae +sciaenids +sciaeniform +sciaeniformes +sciaenoid +sciage +sciagraph +sciagraphed +sciagraphy +sciagraphic +sciagraphing +scialytic +sciamachy +sciamachies +sciametry +scian +sciapod +sciapodous +sciara +sciarid +sciaridae +sciarinae +sciascope +sciascopy +sciath +sciatheric +sciatherical +sciatherically +sciatic +sciatica +sciatical +sciatically +sciaticas +sciaticky +sciatics +scybala +scybalous +scybalum +scibile +scye +scyelite +science +scienced +sciences +scient +scienter +scientia +sciential +scientiarum +scientician +scientific +scientifical +scientifically +scientificalness +scientificogeographical +scientificohistorical +scientificophilosophical +scientificopoetic +scientificoreligious +scientificoromantic +scientintically +scientism +scientist +scientistic +scientistically +scientists +scientize +scientolism +scientology +scientologist +scil +scyld +scilicet +scilla +scylla +scyllaea +scyllaeidae +scillain +scyllarian +scyllaridae +scyllaroid +scyllarus +scillas +scyllidae +scylliidae +scyllioid +scylliorhinidae +scylliorhinoid +scylliorhinus +scillipicrin +scillitan +scyllite +scillitin +scillitine +scyllitol +scillitoxin +scyllium +scillonian +scimetar +scimetars +scimitar +scimitared +scimitarpod +scimitars +scimiter +scimitered +scimiterpod +scimiters +scincid +scincidae +scincidoid +scinciform +scincoid +scincoidian +scincoids +scincomorpha +scincus +scind +sciniph +scintigraphy +scintigraphic +scintil +scintilla +scintillant +scintillantly +scintillas +scintillate +scintillated +scintillates +scintillating +scintillatingly +scintillation +scintillations +scintillator +scintillators +scintillescent +scintillize +scintillometer +scintilloscope +scintillose +scintillous +scintillously +scintle +scintled +scintler +scintling +sciograph +sciography +sciographic +sciolism +sciolisms +sciolist +sciolistic +sciolists +sciolous +sciolto +sciomachy +sciomachiology +sciomancy +sciomantic +scion +scions +sciophilous +sciophyte +sciophobia +scioptic +sciopticon +scioptics +scioptric +sciosophy +sciosophies +sciosophist +sciot +scioterical +scioterique +sciotheism +sciotheric +sciotherical +sciotherically +scious +scypha +scyphae +scyphate +scyphi +scyphiferous +scyphiform +scyphiphorous +scyphistoma +scyphistomae +scyphistomas +scyphistomoid +scyphistomous +scyphoi +scyphomancy +scyphomedusae +scyphomedusan +scyphomedusoid +scyphophore +scyphophori +scyphophorous +scyphopolyp +scyphose +scyphostoma +scyphozoa +scyphozoan +scyphula +scyphulus +scyphus +scypphi +scirenga +scirocco +sciroccos +scirophoria +scirophorion +scirpus +scirrhi +scirrhogastria +scirrhoid +scirrhoma +scirrhosis +scirrhosity +scirrhous +scirrhus +scirrhuses +scirrosity +scirtopod +scirtopoda +scirtopodous +sciscitation +scissel +scissible +scissil +scissile +scission +scissions +scissiparity +scissor +scissorbill +scissorbird +scissored +scissorer +scissoria +scissoring +scissorium +scissorlike +scissorlikeness +scissors +scissorsbird +scissorsmith +scissorstail +scissortail +scissorwise +scissura +scissure +scissurella +scissurellid +scissurellidae +scissures +scyt +scytale +scitaminales +scitamineae +scyth +scythe +scythed +scytheless +scythelike +scytheman +scythes +scythesmith +scythestone +scythework +scythian +scythic +scything +scythize +scytitis +scytoblastema +scytodepsic +scytonema +scytonemataceae +scytonemataceous +scytonematoid +scytonematous +scytopetalaceae +scytopetalaceous +scytopetalum +scituate +sciurid +sciuridae +sciurine +sciurines +sciuroid +sciuroids +sciuromorph +sciuromorpha +sciuromorphic +sciuropterus +sciurus +scivvy +scivvies +sclaff +sclaffed +sclaffer +sclaffers +sclaffert +sclaffing +sclaffs +sclat +sclatch +sclate +sclater +sclav +sclavonian +sclaw +sclent +scler +sclera +sclerae +scleral +scleranth +scleranthaceae +scleranthus +scleras +scleratogenous +sclere +sclerectasia +sclerectomy +sclerectomies +scleredema +sclereid +sclereids +sclerema +sclerencephalia +sclerenchyma +sclerenchymatous +sclerenchyme +sclererythrin +scleretinite +scleria +scleriasis +sclerify +sclerification +sclerite +sclerites +scleritic +scleritis +sclerized +sclerobase +sclerobasic +scleroblast +scleroblastema +scleroblastemic +scleroblastic +sclerocauly +sclerochorioiditis +sclerochoroiditis +scleroconjunctival +scleroconjunctivitis +sclerocornea +sclerocorneal +sclerodactyly +sclerodactylia +sclerodema +scleroderm +scleroderma +sclerodermaceae +sclerodermata +sclerodermatales +sclerodermatitis +sclerodermatous +sclerodermi +sclerodermia +sclerodermic +sclerodermite +sclerodermitic +sclerodermitis +sclerodermous +sclerogen +sclerogeni +sclerogenic +sclerogenoid +sclerogenous +scleroid +scleroiritis +sclerokeratitis +sclerokeratoiritis +scleroma +scleromas +scleromata +scleromeninx +scleromere +sclerometer +sclerometric +scleronychia +scleronyxis +scleropages +scleroparei +sclerophyll +sclerophylly +sclerophyllous +sclerophthalmia +scleroprotein +sclerosal +sclerosarcoma +scleroscope +sclerose +sclerosed +scleroseptum +scleroses +sclerosing +sclerosis +scleroskeletal +scleroskeleton +sclerospora +sclerostenosis +sclerostoma +sclerostomiasis +sclerotal +sclerote +sclerotia +sclerotial +sclerotic +sclerotica +sclerotical +scleroticectomy +scleroticochorioiditis +scleroticochoroiditis +scleroticonyxis +scleroticotomy +sclerotin +sclerotinia +sclerotinial +sclerotiniose +sclerotioid +sclerotitic +sclerotitis +sclerotium +sclerotization +sclerotized +sclerotoid +sclerotome +sclerotomy +sclerotomic +sclerotomies +sclerous +scleroxanthin +sclerozone +scliff +sclim +sclimb +scoad +scob +scobby +scobicular +scobiform +scobs +scodgy +scoff +scoffed +scoffer +scoffery +scoffers +scoffing +scoffingly +scoffingstock +scofflaw +scofflaws +scoffs +scog +scoggan +scogger +scoggin +scogginism +scogginist +scogie +scoinson +scoke +scolb +scold +scoldable +scolded +scoldenore +scolder +scolders +scolding +scoldingly +scoldings +scolds +scoleces +scoleciasis +scolecid +scolecida +scoleciform +scolecite +scolecoid +scolecology +scolecophagous +scolecospore +scoley +scoleryng +scolex +scolia +scolices +scoliid +scoliidae +scolymus +scoliograptic +scoliokyposis +scolioma +scoliomas +scoliometer +scolion +scoliorachitic +scoliosis +scoliotic +scoliotone +scolite +scolytid +scolytidae +scolytids +scolytoid +scolytus +scollop +scolloped +scolloper +scolloping +scollops +scoloc +scolog +scolopaceous +scolopacidae +scolopacine +scolopax +scolopendra +scolopendrella +scolopendrellidae +scolopendrelloid +scolopendrid +scolopendridae +scolopendriform +scolopendrine +scolopendrium +scolopendroid +scolopes +scolophore +scolopophore +scolops +scomber +scomberoid +scombresocidae +scombresox +scombrid +scombridae +scombriform +scombriformes +scombrine +scombroid +scombroidea +scombroidean +scombrone +scomfit +scomm +sconce +sconced +sconcer +sconces +sconcheon +sconcible +sconcing +scone +scones +scooch +scoon +scoop +scooped +scooper +scoopers +scoopful +scoopfulfuls +scoopfuls +scooping +scoopingly +scoops +scoopsful +scoot +scooted +scooter +scooters +scooting +scoots +scop +scopa +scoparin +scoparium +scoparius +scopate +scope +scoped +scopeless +scopelid +scopelidae +scopeliform +scopelism +scopeloid +scopelus +scopes +scopet +scophony +scopic +scopidae +scopiferous +scopiform +scopiformly +scopine +scoping +scopious +scopiped +scopola +scopolamin +scopolamine +scopoleine +scopoletin +scopoline +scopone +scopophilia +scopophiliac +scopophilic +scopperil +scops +scoptical +scoptically +scoptophilia +scoptophiliac +scoptophilic +scoptophobia +scopula +scopulae +scopularia +scopularian +scopulas +scopulate +scopuliferous +scopuliform +scopuliped +scopulipedes +scopulite +scopulous +scopulousness +scopus +scorbuch +scorbute +scorbutic +scorbutical +scorbutically +scorbutize +scorbutus +scorce +scorch +scorched +scorcher +scorchers +scorches +scorching +scorchingly +scorchingness +scorchproof +scorchs +scordato +scordatura +scordaturas +scordature +scordium +score +scoreboard +scoreboards +scorebook +scorecard +scored +scorekeeper +scorekeeping +scoreless +scorepad +scorepads +scorer +scorers +scores +scoresheet +scoria +scoriac +scoriaceous +scoriae +scorify +scorification +scorified +scorifier +scorifies +scorifying +scoriform +scoring +scorings +scorious +scorkle +scorn +scorned +scorner +scorners +scornful +scornfully +scornfulness +scorny +scorning +scorningly +scornproof +scorns +scorodite +scorpaena +scorpaenid +scorpaenidae +scorpaenoid +scorpene +scorper +scorpidae +scorpididae +scorpii +scorpiid +scorpio +scorpioid +scorpioidal +scorpioidea +scorpion +scorpiones +scorpionfish +scorpionfishes +scorpionfly +scorpionflies +scorpionic +scorpionid +scorpionida +scorpionidea +scorpionis +scorpions +scorpionweed +scorpionwort +scorpios +scorpiurus +scorpius +scorse +scorser +scortation +scortatory +scorza +scorzonera +scot +scotal +scotale +scotch +scotched +scotcher +scotchery +scotches +scotchy +scotchify +scotchification +scotchiness +scotching +scotchman +scotchmen +scotchness +scotchwoman +scote +scoter +scoterythrous +scoters +scotia +scotias +scotic +scotino +scotism +scotist +scotistic +scotistical +scotize +scotland +scotlandwards +scotodinia +scotogram +scotograph +scotography +scotographic +scotoma +scotomas +scotomata +scotomatic +scotomatical +scotomatous +scotomy +scotomia +scotomic +scotophilia +scotophiliac +scotophobia +scotopia +scotopias +scotopic +scotoscope +scotosis +scots +scotsman +scotsmen +scotswoman +scott +scotty +scottice +scotticism +scotticize +scottie +scotties +scottify +scottification +scottish +scottisher +scottishly +scottishman +scottishness +scouch +scouk +scoundrel +scoundreldom +scoundrelish +scoundrelism +scoundrelly +scoundrels +scoundrelship +scoup +scour +scourage +scoured +scourer +scourers +scouress +scourfish +scourfishes +scourge +scourged +scourger +scourgers +scourges +scourging +scourgingly +scoury +scouriness +scouring +scourings +scours +scourway +scourweed +scourwort +scouse +scouses +scout +scoutcraft +scoutdom +scouted +scouter +scouters +scouth +scouther +scouthered +scouthering +scouthers +scouthood +scouths +scouting +scoutingly +scoutings +scoutish +scoutmaster +scoutmasters +scouts +scoutwatch +scove +scovel +scovy +scovillite +scow +scowbank +scowbanker +scowder +scowdered +scowdering +scowders +scowed +scowing +scowl +scowled +scowler +scowlers +scowlful +scowling +scowlingly +scowlproof +scowls +scowman +scowmen +scows +scowther +scr +scrab +scrabble +scrabbled +scrabbler +scrabblers +scrabbles +scrabbly +scrabbling +scrabe +scraber +scrae +scraffle +scrag +scragged +scraggedly +scraggedness +scragger +scraggy +scraggier +scraggiest +scraggily +scragginess +scragging +scraggle +scraggled +scraggly +scragglier +scraggliest +scraggliness +scraggling +scrags +scray +scraich +scraiched +scraiching +scraichs +scraye +scraigh +scraighed +scraighing +scraighs +scraily +scram +scramasax +scramasaxe +scramb +scramble +scramblebrained +scrambled +scramblement +scrambler +scramblers +scrambles +scrambly +scrambling +scramblingly +scrammed +scramming +scrampum +scrams +scran +scranch +scrank +scranky +scrannel +scrannels +scranny +scrannier +scranniest +scranning +scrap +scrapable +scrapbook +scrapbooks +scrape +scrapeage +scraped +scrapepenny +scraper +scraperboard +scrapers +scrapes +scrapheap +scrapy +scrapie +scrapies +scrapiness +scraping +scrapingly +scrapings +scrapler +scraplet +scrapling +scrapman +scrapmonger +scrappage +scrapped +scrapper +scrappers +scrappet +scrappy +scrappier +scrappiest +scrappily +scrappiness +scrapping +scrappingly +scrapple +scrappler +scrapples +scraps +scrapworks +scrat +scratch +scratchable +scratchably +scratchback +scratchboard +scratchbrush +scratchcard +scratchcarding +scratchcat +scratched +scratcher +scratchers +scratches +scratchy +scratchier +scratchiest +scratchification +scratchily +scratchiness +scratching +scratchingly +scratchless +scratchlike +scratchman +scratchpad +scratchpads +scratchproof +scratchweed +scratchwork +scrath +scratter +scrattle +scrattling +scrauch +scrauchle +scraunch +scraw +scrawk +scrawl +scrawled +scrawler +scrawlers +scrawly +scrawlier +scrawliest +scrawliness +scrawling +scrawls +scrawm +scrawny +scrawnier +scrawniest +scrawnily +scrawniness +scraze +screak +screaked +screaky +screaking +screaks +scream +screamed +screamer +screamers +screamy +screaminess +screaming +screamingly +screamproof +screams +screar +scree +screech +screechbird +screeched +screecher +screeches +screechy +screechier +screechiest +screechily +screechiness +screeching +screechingly +screed +screeded +screeding +screeds +screek +screel +screeman +screen +screenable +screenage +screencraft +screendom +screened +screener +screeners +screenful +screeny +screening +screenings +screenland +screenless +screenlike +screenman +screeno +screenplay +screenplays +screens +screensman +screenwise +screenwork +screenwriter +screes +screet +screeve +screeved +screever +screeving +screich +screigh +screve +screver +screw +screwable +screwage +screwball +screwballs +screwbarrel +screwbean +screwdrive +screwdriver +screwdrivers +screwed +screwer +screwers +screwfly +screwhead +screwy +screwier +screwiest +screwiness +screwing +screwish +screwless +screwlike +screwman +screwmatics +screwpile +screwplate +screwpod +screwpropeller +screws +screwship +screwsman +screwstem +screwstock +screwwise +screwworm +scrfchar +scry +scribable +scribacious +scribaciousness +scribal +scribals +scribanne +scribatious +scribatiousness +scribbet +scribblage +scribblative +scribblatory +scribble +scribbleable +scribbled +scribbledom +scribbleism +scribblemania +scribblemaniacal +scribblement +scribbleomania +scribbler +scribblers +scribbles +scribbly +scribbling +scribblingly +scribe +scribed +scriber +scribers +scribes +scribeship +scribing +scribism +scribophilous +scride +scryer +scrieve +scrieved +scriever +scrieves +scrieving +scriggle +scriggler +scriggly +scrying +scrike +scrim +scrime +scrimer +scrimy +scrimmage +scrimmaged +scrimmager +scrimmages +scrimmaging +scrimp +scrimped +scrimper +scrimpy +scrimpier +scrimpiest +scrimpily +scrimpiness +scrimping +scrimpingly +scrimpit +scrimply +scrimpness +scrimps +scrimption +scrims +scrimshander +scrimshandy +scrimshank +scrimshanker +scrimshaw +scrimshaws +scrimshon +scrimshorn +scrin +scrinch +scrine +scringe +scrinia +scriniary +scrinium +scrip +scripee +scripless +scrippage +scrips +scripsit +script +scripted +scripter +scripting +scription +scriptitious +scriptitiously +scriptitory +scriptive +scripto +scriptor +scriptory +scriptoria +scriptorial +scriptorium +scriptoriums +scripts +scriptum +scriptural +scripturalism +scripturalist +scripturality +scripturalize +scripturally +scripturalness +scripturarian +scripture +scriptured +scriptureless +scriptures +scripturiency +scripturient +scripturism +scripturist +scriptwriter +scriptwriting +scripula +scripulum +scripuralistic +scrit +scritch +scrite +scrithe +scritoire +scrivaille +scrivan +scrivano +scrive +scrived +scrivello +scrivelloes +scrivellos +scriven +scrivener +scrivenery +scriveners +scrivenership +scrivening +scrivenly +scriver +scrives +scriving +scrob +scrobble +scrobe +scrobicula +scrobicular +scrobiculate +scrobiculated +scrobicule +scrobiculus +scrobis +scrod +scroddled +scrodgill +scrods +scroff +scrofula +scrofularoot +scrofulas +scrofulaweed +scrofulide +scrofulism +scrofulitic +scrofuloderm +scrofuloderma +scrofulorachitic +scrofulosis +scrofulotuberculous +scrofulous +scrofulously +scrofulousness +scrog +scrogged +scroggy +scroggie +scroggier +scroggiest +scrogie +scrogs +scroyle +scroinoch +scroinogh +scrolar +scroll +scrolled +scrollery +scrollhead +scrolly +scrolling +scrolls +scrollwise +scrollwork +scronach +scroo +scrooch +scrooge +scrooges +scroop +scrooped +scrooping +scroops +scrophularia +scrophulariaceae +scrophulariaceous +scrota +scrotal +scrotectomy +scrotiform +scrotitis +scrotocele +scrotofemoral +scrotta +scrotum +scrotums +scrouge +scrouged +scrouger +scrouges +scrouging +scrounge +scrounged +scrounger +scroungers +scrounges +scroungy +scroungier +scroungiest +scrounging +scrout +scrow +scrub +scrubbable +scrubbed +scrubber +scrubbery +scrubbers +scrubby +scrubbier +scrubbiest +scrubbily +scrubbiness +scrubbing +scrubbird +scrubbly +scrubboard +scrubgrass +scrubland +scrublike +scrubs +scrubwoman +scrubwomen +scrubwood +scruf +scruff +scruffy +scruffier +scruffiest +scruffily +scruffiness +scruffle +scruffman +scruffs +scruft +scrum +scrummage +scrummaged +scrummager +scrummaging +scrump +scrumpy +scrumple +scrumption +scrumptious +scrumptiously +scrumptiousness +scrums +scrunch +scrunched +scrunches +scrunchy +scrunching +scrunchs +scrunge +scrunger +scrunt +scrunty +scruple +scrupled +scrupleless +scrupler +scruples +scruplesome +scruplesomeness +scrupling +scrupula +scrupular +scrupuli +scrupulist +scrupulosity +scrupulosities +scrupulous +scrupulously +scrupulousness +scrupulum +scrupulus +scrush +scrutability +scrutable +scrutate +scrutation +scrutator +scrutatory +scrutinant +scrutinate +scrutineer +scrutiny +scrutinies +scrutinisation +scrutinise +scrutinised +scrutinising +scrutinization +scrutinize +scrutinized +scrutinizer +scrutinizers +scrutinizes +scrutinizing +scrutinizingly +scrutinous +scrutinously +scruto +scrutoire +scruze +sct +sctd +scuba +scubas +scud +scuddaler +scuddawn +scudded +scudder +scuddy +scuddick +scudding +scuddle +scudi +scudler +scudo +scuds +scuff +scuffed +scuffer +scuffy +scuffing +scuffle +scuffled +scuffler +scufflers +scuffles +scuffly +scuffling +scufflingly +scuffs +scuft +scufter +scug +scuggery +sculch +sculduddery +sculdudderies +sculduggery +sculk +sculked +sculker +sculkers +sculking +sculks +scull +scullduggery +sculled +sculler +scullery +sculleries +scullers +scullful +sculling +scullion +scullionish +scullionize +scullions +scullionship +scullog +scullogue +sculls +sculp +sculped +sculper +sculpin +sculping +sculpins +sculps +sculpsit +sculpt +sculpted +sculptile +sculpting +sculptitory +sculptograph +sculptography +sculptor +sculptorid +sculptors +sculptress +sculptresses +sculpts +sculptural +sculpturally +sculpturation +sculpture +sculptured +sculpturer +sculptures +sculpturesque +sculpturesquely +sculpturesqueness +sculpturing +sculsh +scult +scum +scumber +scumble +scumbled +scumbles +scumbling +scumboard +scumfish +scumless +scumlike +scummed +scummer +scummers +scummy +scummier +scummiest +scumminess +scumming +scumproof +scums +scun +scuncheon +scunder +scunge +scungy +scungili +scungilli +scunner +scunnered +scunnering +scunners +scup +scupful +scuppaug +scuppaugs +scupper +scuppered +scuppering +scuppernong +scuppers +scuppet +scuppit +scuppler +scups +scur +scurdy +scurf +scurfer +scurfy +scurfier +scurfiest +scurfily +scurfiness +scurflike +scurfs +scurling +scurry +scurried +scurrier +scurries +scurrying +scurril +scurrile +scurrilist +scurrility +scurrilities +scurrilize +scurrilous +scurrilously +scurrilousness +scurvy +scurvied +scurvier +scurvies +scurviest +scurvily +scurviness +scurvish +scurvyweed +scusation +scuse +scusin +scut +scuta +scutage +scutages +scutal +scutate +scutated +scutatiform +scutation +scutch +scutched +scutcheon +scutcheoned +scutcheonless +scutcheonlike +scutcheons +scutcheonwise +scutcher +scutchers +scutches +scutching +scutchs +scute +scutel +scutella +scutellae +scutellar +scutellaria +scutellarin +scutellate +scutellated +scutellation +scutellerid +scutelleridae +scutelliform +scutelligerous +scutelliplantar +scutelliplantation +scutellum +scutes +scutibranch +scutibranchia +scutibranchian +scutibranchiate +scutifer +scutiferous +scutiform +scutiger +scutigera +scutigeral +scutigeridae +scutigerous +scutiped +scuts +scutta +scutter +scuttered +scuttering +scutters +scutty +scuttle +scuttlebutt +scuttled +scuttleful +scuttleman +scuttler +scuttles +scuttling +scuttock +scutula +scutular +scutulate +scutulated +scutulum +scutum +scuz +scuzzy +sd +sdeath +sdeign +sdlc +sdrucciola +sds +sdump +se +sea +seabag +seabags +seabank +seabeach +seabeaches +seabeard +seabed +seabeds +seabee +seaberry +seabird +seabirds +seaboard +seaboards +seaboot +seaboots +seaborderer +seaborne +seabound +seacannie +seacatch +seacliff +seacoast +seacoasts +seacock +seacocks +seaconny +seacraft +seacrafty +seacrafts +seacross +seacunny +seadog +seadogs +seadrome +seadromes +seafardinger +seafare +seafarer +seafarers +seafaring +seafighter +seaflood +seafloor +seafloors +seaflower +seafoam +seafolk +seafood +seafoods +seaforthia +seafowl +seafowls +seafront +seafronts +seaghan +seagirt +seagoer +seagoing +seagull +seagulls +seah +seahorse +seahound +seak +seakeeping +seakindliness +seal +sealable +sealant +sealants +sealch +sealed +sealer +sealery +sealeries +sealers +sealess +sealet +sealette +sealevel +sealflower +sealy +sealyham +sealike +sealine +sealing +sealkie +sealless +seallike +seals +sealskin +sealskins +sealwort +seam +seaman +seamancraft +seamanite +seamanly +seamanlike +seamanlikeness +seamanliness +seamanship +seamark +seamarks +seamas +seambiter +seamed +seamen +seamer +seamers +seamew +seamy +seamier +seamiest +seaminess +seaming +seamless +seamlessly +seamlessness +seamlet +seamlike +seamost +seamount +seamounts +seamrend +seamrog +seams +seamster +seamsters +seamstress +seamstresses +seamus +sean +seance +seances +seapiece +seapieces +seaplane +seaplanes +seapoose +seaport +seaports +seapost +seaquake +seaquakes +sear +searce +searcer +search +searchable +searchableness +searchant +searched +searcher +searcheress +searcherlike +searchers +searchership +searches +searchful +searching +searchingly +searchingness +searchings +searchless +searchlight +searchlights +searchment +searcloth +seared +searedness +searer +searest +seary +searing +searingly +searlesite +searness +searoving +sears +seas +seasan +seascape +seascapes +seascapist +seascout +seascouting +seascouts +seashell +seashells +seashine +seashore +seashores +seasick +seasickness +seaside +seasider +seasides +seasnail +season +seasonable +seasonableness +seasonably +seasonal +seasonality +seasonally +seasonalness +seasoned +seasonedly +seasoner +seasoners +seasoning +seasoninglike +seasonings +seasonless +seasons +seastar +seastrand +seastroke +seat +seatang +seatbelt +seated +seater +seaters +seathe +seating +seatings +seatless +seatmate +seatmates +seatrain +seatrains +seatron +seats +seatsman +seatstone +seattle +seatwork +seatworks +seave +seavy +seaway +seaways +seawall +seawalls +seawan +seawans +seawant +seawants +seaward +seawardly +seawards +seaware +seawares +seawater +seawaters +seaweed +seaweedy +seaweeds +seawife +seawoman +seaworn +seaworthy +seaworthiness +seax +seba +sebacate +sebaceous +sebaceousness +sebacic +sebago +sebait +sebasic +sebastian +sebastianite +sebastichthys +sebastine +sebastodes +sebat +sebate +sebesten +sebiferous +sebific +sebilla +sebiparous +sebkha +sebolith +seborrhagia +seborrhea +seborrheal +seborrheic +seborrhoea +seborrhoeic +seborrhoic +sebright +sebum +sebums +sebundy +sec +secability +secable +secale +secalin +secaline +secalose +secamone +secancy +secant +secantly +secants +secateur +secateurs +secchio +secco +seccos +seccotine +secede +seceded +seceder +seceders +secedes +seceding +secern +secerned +secernent +secerning +secernment +secerns +secesh +secesher +secess +secessia +secession +secessional +secessionalist +secessiondom +secessioner +secessionism +secessionist +secessionists +secessions +sech +sechium +sechuana +secy +seck +seckel +seclude +secluded +secludedly +secludedness +secludes +secluding +secluse +seclusion +seclusionist +seclusive +seclusively +seclusiveness +secno +secobarbital +secodont +secohm +secohmmeter +seconal +second +secondar +secondary +secondaries +secondarily +secondariness +seconde +seconded +seconder +seconders +secondes +secondhand +secondhanded +secondhandedly +secondhandedness +secondi +secondine +secondines +seconding +secondly +secondment +secondness +secondo +secondrater +seconds +secondsighted +secondsightedness +secos +secours +secpar +secpars +secque +secration +secre +secrecy +secrecies +secret +secreta +secretage +secretagogue +secretaire +secretar +secretary +secretarial +secretarian +secretariat +secretariate +secretariats +secretaries +secretaryship +secretaryships +secrete +secreted +secreter +secretes +secretest +secretin +secreting +secretins +secretion +secretional +secretionary +secretions +secretitious +secretive +secretively +secretivelies +secretiveness +secretly +secretmonger +secretness +secreto +secretomotor +secretor +secretory +secretors +secrets +secretum +secs +sect +sectary +sectarial +sectarian +sectarianise +sectarianised +sectarianising +sectarianism +sectarianize +sectarianized +sectarianizing +sectarianly +sectarians +sectaries +sectarism +sectarist +sectator +sectile +sectility +section +sectional +sectionalisation +sectionalise +sectionalised +sectionalising +sectionalism +sectionalist +sectionality +sectionalization +sectionalize +sectionalized +sectionalizing +sectionally +sectionary +sectioned +sectioning +sectionist +sectionize +sectionized +sectionizing +sections +sectioplanography +sectism +sectist +sectiuncle +sective +sector +sectoral +sectored +sectorial +sectoring +sectors +sectroid +sects +sectuary +sectwise +secular +secularisation +secularise +secularised +seculariser +secularising +secularism +secularist +secularistic +secularists +secularity +secularities +secularization +secularize +secularized +secularizer +secularizers +secularizes +secularizing +secularly +secularness +seculars +seculum +secund +secunda +secundate +secundation +secundiflorous +secundigravida +secundine +secundines +secundipara +secundiparity +secundiparous +secundly +secundogeniture +secundoprimary +secundum +secundus +securable +securableness +securance +secure +secured +secureful +securely +securement +secureness +securer +securers +secures +securest +securicornate +securifer +securifera +securiferous +securiform +securigera +securigerous +securing +securings +securitan +security +securities +secus +secutor +sed +sedaceae +sedan +sedang +sedanier +sedans +sedarim +sedat +sedate +sedated +sedately +sedateness +sedater +sedates +sedatest +sedating +sedation +sedations +sedative +sedatives +sedent +sedentary +sedentaria +sedentarily +sedentariness +sedentation +seder +seders +sederunt +sederunts +sedge +sedged +sedgelike +sedges +sedgy +sedgier +sedgiest +sedging +sedigitate +sedigitated +sedile +sedilia +sedilium +sediment +sedimental +sedimentary +sedimentaries +sedimentarily +sedimentate +sedimentation +sedimented +sedimenting +sedimentology +sedimentologic +sedimentological +sedimentologically +sedimentologist +sedimentous +sediments +sedimetric +sedimetrical +sedition +seditionary +seditionist +seditionists +seditions +seditious +seditiously +seditiousness +sedjadeh +sedovic +seduce +seduceability +seduceable +seduced +seducee +seducement +seducer +seducers +seduces +seducible +seducing +seducingly +seducive +seduct +seduction +seductionist +seductions +seductive +seductively +seductiveness +seductress +seductresses +sedulity +sedulities +sedulous +sedulously +sedulousness +sedum +sedums +see +seeable +seeableness +seeably +seebeck +seecatch +seecatchie +seecawk +seech +seechelt +seed +seedage +seedball +seedbed +seedbeds +seedbird +seedbox +seedcake +seedcakes +seedcase +seedcases +seedeater +seeded +seeder +seeders +seedful +seedgall +seedy +seedier +seediest +seedily +seediness +seeding +seedings +seedkin +seedleaf +seedless +seedlessness +seedlet +seedlike +seedling +seedlings +seedlip +seedman +seedmen +seedness +seedpod +seedpods +seeds +seedsman +seedsmen +seedstalk +seedster +seedtime +seedtimes +seege +seeing +seeingly +seeingness +seeings +seek +seeker +seekerism +seekers +seeking +seeks +seel +seeled +seelful +seely +seelily +seeliness +seeling +seels +seem +seemable +seemably +seemed +seemer +seemers +seeming +seemingly +seemingness +seemings +seemless +seemly +seemlier +seemliest +seemlihead +seemlily +seemliness +seems +seen +seenie +seenil +seenu +seep +seepage +seepages +seeped +seepy +seepier +seepiest +seeping +seepproof +seeps +seepweed +seer +seerband +seercraft +seeress +seeresses +seerfish +seerhand +seerhood +seerlike +seerpaw +seers +seership +seersucker +sees +seesaw +seesawed +seesawiness +seesawing +seesaws +seesee +seethe +seethed +seether +seethes +seething +seethingly +seetulputty +seewee +sefekhet +sefton +seg +segar +segathy +segetal +seggar +seggard +seggars +segged +seggy +seggio +seggiola +seggrom +seghol +segholate +seginus +segment +segmental +segmentalize +segmentally +segmentary +segmentate +segmentation +segmentations +segmented +segmenter +segmenting +segmentize +segments +segni +segno +segnos +sego +segol +segolate +segos +segou +segreant +segregable +segregant +segregate +segregated +segregatedly +segregatedness +segregateness +segregates +segregating +segregation +segregational +segregationist +segregationists +segregative +segregator +segue +segued +segueing +seguendo +segues +seguidilla +seguidillas +seguing +sehyo +sei +sey +seybertite +seicento +seicentos +seiche +seiches +seid +seidel +seidels +seidlitz +seif +seige +seigneur +seigneurage +seigneuress +seigneury +seigneurial +seigneurs +seignior +seigniorage +seignioral +seignioralty +seigniory +seigniorial +seigniories +seigniority +seigniors +seigniorship +seignorage +seignoral +seignory +seignorial +seignories +seignorize +seiyuhonto +seiyukai +seilenoi +seilenos +seimas +seymeria +seymour +seine +seined +seiner +seiners +seines +seining +seiren +seirospore +seirosporic +seis +seisable +seise +seised +seiser +seisers +seises +seisin +seising +seisings +seisins +seism +seismal +seismatical +seismetic +seismic +seismical +seismically +seismicity +seismism +seismisms +seismochronograph +seismogram +seismograms +seismograph +seismographer +seismographers +seismography +seismographic +seismographical +seismographs +seismol +seismology +seismologic +seismological +seismologically +seismologist +seismologists +seismologue +seismometer +seismometers +seismometry +seismometric +seismometrical +seismometrograph +seismomicrophone +seismoscope +seismoscopic +seismotectonic +seismotherapy +seismotic +seisms +seisor +seisors +seisure +seisures +seit +seity +seiurus +seizable +seize +seized +seizer +seizers +seizes +seizin +seizing +seizings +seizins +seizor +seizors +seizure +seizures +sejant +sejeant +sejero +sejoin +sejoined +sejour +sejugate +sejugous +sejunct +sejunction +sejunctive +sejunctively +sejunctly +sekane +sekani +sekar +seker +sekere +sekhwan +sekos +sel +selachian +selachii +selachoid +selachoidei +selachostome +selachostomi +selachostomous +seladang +seladangs +selaginaceae +selaginella +selaginellaceae +selaginellaceous +selagite +selago +selah +selahs +selamin +selamlik +selamliks +selander +selaphobia +selbergite +selbornian +selcouth +seld +selden +seldom +seldomcy +seldomer +seldomly +seldomness +seldor +seldseen +sele +select +selectable +selectance +selected +selectedly +selectee +selectees +selecting +selection +selectional +selectionism +selectionist +selectionists +selections +selective +selectively +selectiveness +selectivity +selectivitysenescence +selectly +selectman +selectmen +selectness +selector +selectors +selects +selectus +selena +selenate +selenates +selene +selenian +seleniate +selenic +selenicereus +selenide +selenidera +selenides +seleniferous +selenigenous +selenion +selenious +selenipedium +selenite +selenites +selenitic +selenitical +selenitiferous +selenitish +selenium +seleniums +seleniuret +selenobismuthite +selenocentric +selenodesy +selenodont +selenodonta +selenodonty +selenograph +selenographer +selenographers +selenography +selenographic +selenographical +selenographically +selenographist +selenolatry +selenolog +selenology +selenological +selenologist +selenomancy +selenomorphology +selenoscope +selenosis +selenotropy +selenotropic +selenotropism +selenous +selensilver +selensulphur +seletar +selety +seleucia +seleucian +seleucid +seleucidae +seleucidan +seleucidean +seleucidian +seleucidic +self +selfadjoint +selfcide +selfdom +selfdoms +selfed +selfeffacing +selfful +selffulness +selfheal +selfheals +selfhypnotization +selfhood +selfhoods +selfing +selfish +selfishly +selfishness +selfism +selfist +selfless +selflessly +selflessness +selfly +selflike +selfmovement +selfness +selfnesses +selfpreservatory +selfpropelling +selfrestrained +selfs +selfsaid +selfsame +selfsameness +selfseekingness +selfsufficiency +selfsustainingly +selfward +selfwards +selictar +seligmannite +selihoth +selina +seling +selinuntine +selion +seljuk +seljukian +sell +sella +sellable +sellably +sellaite +sellar +sellary +sellate +selle +sellenders +seller +sellers +selles +selli +selly +sellie +selliform +selling +sellout +sellouts +sells +sels +selsyn +selsyns +selsoviet +selt +selter +seltzer +seltzers +seltzogene +selung +selva +selvage +selvaged +selvagee +selvages +selvedge +selvedged +selvedges +selves +selzogene +sem +semaeostomae +semaeostomata +semainier +semainiers +semaise +semang +semanteme +semantic +semantical +semantically +semantician +semanticist +semanticists +semantics +semantology +semantological +semantron +semaphore +semaphored +semaphores +semaphoric +semaphorical +semaphorically +semaphoring +semaphorist +semarum +semasiology +semasiological +semasiologically +semasiologist +semateme +sematic +sematography +sematographic +sematology +sematrope +semball +semblable +semblably +semblance +semblances +semblant +semblative +semble +semblence +sembling +seme +semecarpus +semee +semeed +semeia +semeiography +semeiology +semeiologic +semeiological +semeiologist +semeion +semeiotic +semeiotical +semeiotics +semel +semelfactive +semelincident +semelparity +semelparous +sememe +sememes +sememic +semen +semence +semencinae +semencontra +semens +sement +sementera +semeostoma +semes +semese +semester +semesters +semestral +semestrial +semi +semiabsorbent +semiabstract +semiabstracted +semiabstraction +semiacademic +semiacademical +semiacademically +semiaccomplishment +semiacetic +semiacid +semiacidic +semiacidified +semiacidulated +semiacquaintance +semiacrobatic +semiactive +semiactively +semiactiveness +semiadherent +semiadhesive +semiadhesively +semiadhesiveness +semiadjectively +semiadnate +semiaerial +semiaffectionate +semiagricultural +semiahmoo +semialbinism +semialcoholic +semialien +semiallegiance +semiallegoric +semiallegorical +semiallegorically +semialpine +semialuminous +semiamplexicaul +semiamplitude +semian +semianaesthetic +semianalytic +semianalytical +semianalytically +semianarchism +semianarchist +semianarchistic +semianatomic +semianatomical +semianatomically +semianatropal +semianatropous +semiandrogenous +semianesthetic +semiangle +semiangular +semianimal +semianimate +semianimated +semianna +semiannealed +semiannual +semiannually +semiannular +semianthracite +semianthropologic +semianthropological +semianthropologically +semiantiministerial +semiantique +semiape +semiaperiodic +semiaperture +semiappressed +semiaquatic +semiarboreal +semiarborescent +semiarc +semiarch +semiarchitectural +semiarchitecturally +semiarid +semiaridity +semiarticulate +semiarticulately +semiasphaltic +semiatheist +semiattached +semiautomated +semiautomatic +semiautomatically +semiautomatics +semiautonomous +semiaxis +semibacchanalian +semibachelor +semibay +semibald +semibaldly +semibaldness +semibalked +semiball +semiballoon +semiband +semibarbarian +semibarbarianism +semibarbaric +semibarbarism +semibarbarous +semibaronial +semibarren +semibase +semibasement +semibastion +semibeam +semibejan +semibelted +semibifid +semibiographic +semibiographical +semibiographically +semibiologic +semibiological +semibiologically +semibituminous +semiblasphemous +semiblasphemously +semiblasphemousness +semibleached +semiblind +semiblunt +semibody +semiboiled +semibold +semibolshevist +semibolshevized +semibouffant +semibourgeois +semibreve +semibull +semibureaucratic +semibureaucratically +semiburrowing +semic +semicabalistic +semicabalistical +semicabalistically +semicadence +semicalcareous +semicalcined +semicallipygian +semicanal +semicanalis +semicannibalic +semicantilever +semicapitalistic +semicapitalistically +semicarbazide +semicarbazone +semicarbonate +semicarbonize +semicardinal +semicaricatural +semicartilaginous +semicarved +semicastrate +semicastration +semicatalyst +semicatalytic +semicathartic +semicatholicism +semicaudate +semicelestial +semicell +semicellulose +semicellulous +semicentenary +semicentenarian +semicentenaries +semicentennial +semicentury +semicha +semichannel +semichaotic +semichaotically +semichemical +semichemically +semicheviot +semichevron +semichiffon +semichivalrous +semichoric +semichorus +semichrome +semicyclic +semicycloid +semicylinder +semicylindric +semicylindrical +semicynical +semicynically +semicircle +semicircled +semicircles +semicircular +semicircularity +semicircularly +semicircularness +semicircumference +semicircumferentor +semicircumvolution +semicirque +semicitizen +semicivilization +semicivilized +semiclassic +semiclassical +semiclassically +semiclause +semicleric +semiclerical +semiclerically +semiclimber +semiclimbing +semiclinical +semiclinically +semiclose +semiclosed +semiclosure +semicoagulated +semicoke +semicollapsible +semicollar +semicollegiate +semicolloid +semicolloidal +semicolloquial +semicolloquially +semicolon +semicolony +semicolonial +semicolonialism +semicolonially +semicolons +semicolumn +semicolumnar +semicoma +semicomas +semicomatose +semicombined +semicombust +semicomic +semicomical +semicomically +semicommercial +semicommercially +semicommunicative +semicompact +semicompacted +semicomplete +semicomplicated +semiconceal +semiconcealed +semiconcrete +semiconditioned +semiconducting +semiconduction +semiconductor +semiconductors +semicone +semiconfident +semiconfinement +semiconfluent +semiconformist +semiconformity +semiconic +semiconical +semiconically +semiconnate +semiconnection +semiconoidal +semiconscious +semiconsciously +semiconsciousness +semiconservative +semiconservatively +semiconsonant +semiconsonantal +semiconspicuous +semicontinent +semicontinuous +semicontinuously +semicontinuum +semicontraction +semicontradiction +semiconventional +semiconventionality +semiconventionally +semiconvergence +semiconvergent +semiconversion +semiconvert +semicope +semicordate +semicordated +semicoriaceous +semicorneous +semicoronate +semicoronated +semicoronet +semicostal +semicostiferous +semicotyle +semicotton +semicounterarch +semicountry +semicrepe +semicrescentic +semicretin +semicretinism +semicriminal +semicrystallinc +semicrystalline +semicroma +semicrome +semicrustaceous +semicubical +semicubit +semicultivated +semicultured +semicup +semicupe +semicupium +semicupola +semicured +semicurl +semicursive +semicurvilinear +semidaily +semidangerous +semidangerously +semidangerousness +semidark +semidarkness +semidead +semideaf +semideafness +semidecadent +semidecadently +semidecay +semidecayed +semidecussation +semidefensive +semidefensively +semidefensiveness +semidefined +semidefinite +semidefinitely +semidefiniteness +semideify +semideific +semideification +semideistical +semideity +semidelight +semidelirious +semidelirium +semideltaic +semidemented +semidenatured +semidependence +semidependent +semidependently +semideponent +semidesert +semideserts +semidestruction +semidestructive +semidetached +semidetachment +semideterministic +semideveloped +semidiagrammatic +semidiameter +semidiapason +semidiapente +semidiaphaneity +semidiaphanous +semidiaphanously +semidiaphanousness +semidiatessaron +semidictatorial +semidictatorially +semidictatorialness +semidifference +semidigested +semidigitigrade +semidigression +semidilapidation +semidine +semidiness +semidirect +semidirectness +semidisabled +semidisk +semiditone +semidiurnal +semidivided +semidivine +semidivision +semidivisive +semidivisively +semidivisiveness +semidocumentary +semidodecagon +semidole +semidome +semidomed +semidomes +semidomestic +semidomestically +semidomesticated +semidomestication +semidomical +semidominant +semidormant +semidouble +semidrachm +semidramatic +semidramatical +semidramatically +semidress +semidressy +semidry +semidried +semidrying +semiductile +semidull +semiduplex +semidurables +semiduration +semiearly +semieducated +semieffigy +semiegg +semiegret +semielastic +semielastically +semielevated +semielision +semiellipse +semiellipsis +semiellipsoidal +semielliptic +semielliptical +semiemotional +semiemotionally +semiempirical +semiempirically +semienclosed +semienclosure +semiengaged +semiepic +semiepical +semiepically +semiequitant +semierect +semierectly +semierectness +semieremitical +semiessay +semievergreen +semiexclusive +semiexclusively +semiexclusiveness +semiexecutive +semiexhibitionist +semiexpanded +semiexpansible +semiexperimental +semiexperimentally +semiexplanation +semiexposed +semiexpositive +semiexpository +semiexposure +semiexpressionistic +semiexternal +semiexternalized +semiexternally +semiextinct +semiextinction +semifable +semifabulous +semifailure +semifamine +semifascia +semifasciated +semifashion +semifast +semifatalistic +semiferal +semiferous +semifeudal +semifeudalism +semify +semifib +semifiction +semifictional +semifictionalized +semifictionally +semifigurative +semifiguratively +semifigurativeness +semifigure +semifinal +semifinalist +semifinals +semifine +semifinish +semifinished +semifiscal +semifistular +semifit +semifitted +semifitting +semifixed +semiflashproof +semiflex +semiflexed +semiflexible +semiflexion +semiflexure +semiflint +semifloating +semifloret +semifloscular +semifloscule +semiflosculose +semiflosculous +semifluctuant +semifluctuating +semifluid +semifluidic +semifluidity +semifoaming +semiforbidding +semiforeign +semiform +semiformal +semiformed +semifossil +semifossilized +semifrantic +semifrater +semifriable +semifrontier +semifuddle +semifunctional +semifunctionalism +semifunctionally +semifurnished +semifused +semifusion +semifuturistic +semigala +semigelatinous +semigentleman +semigenuflection +semigeometric +semigeometrical +semigeometrically +semigirder +semiglaze +semiglazed +semiglobe +semiglobose +semiglobular +semiglobularly +semiglorious +semigloss +semiglutin +semigod +semigovernmental +semigovernmentally +semigrainy +semigranitic +semigranulate +semigraphic +semigraphics +semigravel +semigroove +semigroup +semih +semihand +semihaness +semihard +semiharden +semihardened +semihardy +semihardness +semihastate +semihepatization +semiherbaceous +semiheretic +semiheretical +semiheterocercal +semihexagon +semihexagonal +semihyaline +semihiant +semihiatus +semihibernation +semihydrate +semihydrobenzoinic +semihigh +semihyperbola +semihyperbolic +semihyperbolical +semihysterical +semihysterically +semihistoric +semihistorical +semihistorically +semihobo +semihoboes +semihobos +semiholiday +semihonor +semihoral +semihorny +semihostile +semihostilely +semihostility +semihot +semihuman +semihumanism +semihumanistic +semihumanitarian +semihumanized +semihumbug +semihumorous +semihumorously +semiyearly +semiyearlies +semiintoxicated +semijealousy +semijocular +semijocularly +semijubilee +semijudicial +semijudicially +semijuridic +semijuridical +semijuridically +semikah +semilanceolate +semilate +semilatent +semilatus +semileafless +semilegal +semilegendary +semilegislative +semilegislatively +semilens +semilenticular +semilethal +semiliberal +semiliberalism +semiliberally +semilichen +semiligneous +semilimber +semilined +semiliquid +semiliquidity +semilyric +semilyrical +semilyrically +semiliterate +semilocular +semilog +semilogarithmic +semilogical +semiloyalty +semilong +semilooper +semiloose +semilor +semilucent +semiluminous +semiluminously +semiluminousness +semilunar +semilunare +semilunary +semilunate +semilunated +semilunation +semilune +semilustrous +semiluxation +semiluxury +semimachine +semimade +semimadman +semimagical +semimagically +semimagnetic +semimagnetical +semimagnetically +semimajor +semimalicious +semimaliciously +semimaliciousness +semimalignant +semimalignantly +semimanagerial +semimanagerially +semimanneristic +semimanufacture +semimanufactured +semimanufactures +semimarine +semimarking +semimat +semimaterialistic +semimathematical +semimathematically +semimatt +semimatte +semimature +semimaturely +semimatureness +semimaturity +semimechanical +semimechanistic +semimedicinal +semimember +semimembranosus +semimembranous +semimenstrual +semimercerized +semimessianic +semimetal +semimetallic +semimetamorphosis +semimetaphoric +semimetaphorical +semimetaphorically +semimicro +semimicroanalysis +semimicrochemical +semimild +semimildness +semimilitary +semimill +semimineral +semimineralized +semiminess +semiminim +semiministerial +semiminor +semimystic +semimystical +semimystically +semimysticalness +semimythic +semimythical +semimythically +semimobile +semimoderate +semimoderately +semimoist +semimolecule +semimonarchic +semimonarchical +semimonarchically +semimonastic +semimonitor +semimonopoly +semimonopolistic +semimonster +semimonthly +semimonthlies +semimoralistic +semimoron +semimountainous +semimountainously +semimucous +semimute +semina +seminaked +seminal +seminality +seminally +seminaphthalidine +seminaphthylamine +seminar +seminarcosis +seminarcotic +seminary +seminarial +seminarian +seminarianism +seminarians +seminaries +seminarist +seminaristic +seminarize +seminarrative +seminars +seminasal +seminasality +seminasally +seminase +seminatant +seminate +seminated +seminating +semination +seminationalism +seminationalistic +seminationalization +seminationalized +seminative +seminebulous +seminecessary +seminegro +seminervous +seminervously +seminervousness +seminess +semineurotic +semineurotically +semineutral +semineutrality +seminiferal +seminiferous +seminific +seminifical +seminification +seminist +seminium +seminivorous +seminocturnal +seminole +seminoles +seminoma +seminomad +seminomadic +seminomadically +seminomadism +seminomas +seminomata +seminonconformist +seminonflammable +seminonsensical +seminormal +seminormality +seminormally +seminormalness +seminose +seminovel +seminovelty +seminude +seminudity +seminule +seminuliferous +seminuria +seminvariant +seminvariantive +semiobjective +semiobjectively +semiobjectiveness +semioblivion +semioblivious +semiobliviously +semiobliviousness +semiobscurity +semioccasional +semioccasionally +semiocclusive +semioctagonal +semiofficial +semiofficially +semiography +semiology +semiological +semiologist +semionotidae +semionotus +semiopacity +semiopacous +semiopal +semiopalescent +semiopaque +semiopen +semiopened +semiopenly +semiopenness +semioptimistic +semioptimistically +semioratorical +semioratorically +semiorb +semiorbicular +semiorbicularis +semiorbiculate +semiordinate +semiorganic +semiorganically +semiorganized +semioriental +semiorientally +semiorthodox +semiorthodoxly +semioscillation +semioses +semiosis +semiosseous +semiostracism +semiotic +semiotical +semiotician +semiotics +semioval +semiovally +semiovalness +semiovaloid +semiovate +semioviparous +semiovoid +semiovoidal +semioxidated +semioxidized +semioxygenated +semioxygenized +semipacifist +semipacifistic +semipagan +semipaganish +semipalmate +semipalmated +semipalmation +semipanic +semipapal +semipapist +semiparabola +semiparalysis +semiparalytic +semiparalyzed +semiparallel +semiparameter +semiparasite +semiparasitic +semiparasitism +semiparochial +semipassive +semipassively +semipassiveness +semipaste +semipasty +semipastoral +semipastorally +semipathologic +semipathological +semipathologically +semipatriot +semipatriotic +semipatriotically +semipatterned +semipause +semipeace +semipeaceful +semipeacefully +semipectinate +semipectinated +semipectoral +semiped +semipedal +semipedantic +semipedantical +semipedantically +semipellucid +semipellucidity +semipendent +semipendulous +semipendulously +semipendulousness +semipenniform +semiperceptive +semiperfect +semiperimeter +semiperimetry +semiperiphery +semipermanent +semipermanently +semipermeability +semipermeable +semiperoid +semiperspicuous +semipertinent +semiperviness +semipervious +semiperviousness +semipetaloid +semipetrified +semiphase +semiphenomenal +semiphenomenally +semiphilologist +semiphilosophic +semiphilosophical +semiphilosophically +semiphlogisticated +semiphonotypy +semiphosphorescence +semiphosphorescent +semiphrenetic +semipictorial +semipictorially +semipinacolic +semipinacolin +semipinnate +semipious +semipiously +semipiousness +semipyramidal +semipyramidical +semipyritic +semipiscine +semiplantigrade +semiplastic +semiplumaceous +semiplume +semipneumatic +semipneumatical +semipneumatically +semipoisonous +semipoisonously +semipolar +semipolitical +semipolitician +semipoor +semipopish +semipopular +semipopularity +semipopularized +semipopularly +semiporcelain +semiporous +semiporphyritic +semiportable +semipostal +semipractical +semiprecious +semipreservation +semipreserved +semiprimigenous +semiprimitive +semiprivacy +semiprivate +semipro +semiproductive +semiproductively +semiproductiveness +semiproductivity +semiprofane +semiprofanely +semiprofaneness +semiprofanity +semiprofessional +semiprofessionalized +semiprofessionally +semiprofessionals +semiprogressive +semiprogressively +semiprogressiveness +semipronation +semiprone +semipronely +semiproneness +semipronominal +semiproof +semipropagandist +semipros +semiproselyte +semiprosthetic +semiprostrate +semiprotected +semiprotective +semiprotectively +semiprotectorate +semiproven +semiprovincial +semiprovincially +semipsychologic +semipsychological +semipsychologically +semipsychotic +semipublic +semipunitive +semipunitory +semipupa +semipurposive +semipurposively +semipurposiveness +semipurulent +semiputrid +semiquadrangle +semiquadrantly +semiquadrate +semiquantitative +semiquantitatively +semiquartile +semiquaver +semiquietism +semiquietist +semiquinquefid +semiquintile +semiquote +semiradial +semiradiate +semiradical +semiradically +semiradicalness +semiramis +semiramize +semirapacious +semirare +semirarely +semirareness +semirationalized +semirattlesnake +semiraw +semirawly +semirawness +semireactionary +semirealistic +semirealistically +semirebel +semirebellion +semirebellious +semirebelliously +semirebelliousness +semirecondite +semirecumbent +semirefined +semireflex +semireflexive +semireflexively +semireflexiveness +semiregular +semirelief +semireligious +semireniform +semirepublic +semirepublican +semiresiny +semiresinous +semiresolute +semiresolutely +semiresoluteness +semirespectability +semirespectable +semireticulate +semiretired +semiretirement +semiretractile +semireverberatory +semirevolute +semirevolution +semirevolutionary +semirevolutionist +semirhythm +semirhythmic +semirhythmical +semirhythmically +semiriddle +semirigid +semirigorous +semirigorously +semirigorousness +semiring +semiroyal +semiroll +semiromantic +semiromantically +semirotary +semirotating +semirotative +semirotatory +semirotund +semirotunda +semiround +semiruin +semirural +semiruralism +semirurally +semirustic +semis +semisacerdotal +semisacred +semisagittate +semisaint +semisaline +semisaltire +semisaprophyte +semisaprophytic +semisarcodic +semisatiric +semisatirical +semisatirically +semisaturation +semisavage +semisavagedom +semisavagery +semiscenic +semischolastic +semischolastically +semiscientific +semiseafaring +semisecondary +semisecrecy +semisecret +semisecretly +semisection +semisedentary +semisegment +semisensuous +semisentient +semisentimental +semisentimentalized +semisentimentally +semiseparatist +semiseptate +semiserf +semiserious +semiseriously +semiseriousness +semiservile +semises +semisevere +semiseverely +semiseverity +semisextile +semishade +semishady +semishaft +semisheer +semishirker +semishrub +semishrubby +semisightseeing +semisilica +semisimious +semisymmetric +semisimple +semisingle +semisynthetic +semisirque +semisixth +semiskilled +semislave +semismelting +semismile +semisocial +semisocialism +semisocialist +semisocialistic +semisocialistically +semisociative +semisocinian +semisoft +semisolemn +semisolemnity +semisolemnly +semisolemnness +semisolid +semisolute +semisomnambulistic +semisomnolence +semisomnolent +semisomnolently +semisomnous +semisopor +semisoun +semisovereignty +semispan +semispeculation +semispeculative +semispeculatively +semispeculativeness +semisphere +semispheric +semispherical +semispheroidal +semispinalis +semispiral +semispiritous +semispontaneity +semispontaneous +semispontaneously +semispontaneousness +semisport +semisporting +semisquare +semistagnation +semistaminate +semistarvation +semistarved +semistate +semisteel +semistiff +semistiffly +semistiffness +semistill +semistimulating +semistock +semistory +semistratified +semistriate +semistriated +semistuporous +semisubterranean +semisuburban +semisuccess +semisuccessful +semisuccessfully +semisucculent +semisupernatural +semisupernaturally +semisupernaturalness +semisupinated +semisupination +semisupine +semisuspension +semisweet +semita +semitact +semitae +semitailored +semital +semitandem +semitangent +semitaur +semite +semitechnical +semiteetotal +semitelic +semitendinosus +semitendinous +semiterete +semiterrestrial +semitertian +semites +semitesseral +semitessular +semitextural +semitexturally +semitheatric +semitheatrical +semitheatricalism +semitheatrically +semitheological +semitheologically +semithoroughfare +semitic +semiticism +semiticize +semitics +semitime +semitism +semitist +semitists +semitization +semitize +semitonal +semitonally +semitone +semitones +semitonic +semitonically +semitontine +semitorpid +semitour +semitraditional +semitraditionally +semitraditonal +semitrailer +semitrailers +semitrained +semitransept +semitranslucent +semitransparency +semitransparent +semitransparently +semitransparentness +semitransverse +semitreasonable +semitrimmed +semitropic +semitropical +semitropically +semitropics +semitruth +semitruthful +semitruthfully +semitruthfulness +semituberous +semitubular +semiuncial +semiundressed +semiuniversalist +semiupright +semiurban +semiurn +semivalvate +semivault +semivector +semivegetable +semivertebral +semiverticillate +semivibration +semivirtue +semiviscid +semivisibility +semivisible +semivital +semivitreous +semivitrification +semivitrified +semivocal +semivocalic +semivolatile +semivolcanic +semivolcanically +semivoluntary +semivowel +semivowels +semivulcanized +semiwaking +semiwarfare +semiweekly +semiweeklies +semiwild +semiwildly +semiwildness +semiwoody +semiworks +semmel +semmet +semmit +semnae +semnones +semnopithecinae +semnopithecine +semnopithecus +semois +semola +semolella +semolina +semolinas +semology +semological +semostomae +semostomeous +semostomous +semoted +semoule +semper +semperannual +sempergreen +semperidem +semperidentical +semperjuvenescent +sempervirent +sempervirid +sempervivum +sempitern +sempiternal +sempiternally +sempiternity +sempiternize +sempiternous +semple +semples +semplice +semplices +sempre +sempres +sempster +sempstress +sempstry +sempstrywork +semsem +semsen +semuncia +semuncial +sen +sena +senaah +senachie +senage +senaite +senal +senam +senary +senarian +senarii +senarius +senarmontite +senate +senates +senator +senatory +senatorial +senatorially +senatorian +senators +senatorship +senatress +senatrices +senatrix +senatus +sence +senci +sencio +sencion +send +sendable +sendal +sendals +sendee +sender +senders +sending +sendle +sendoff +sendoffs +sends +seneca +senecan +senecas +senecio +senecioid +senecionine +senecios +senectitude +senectude +senectuous +senega +senegal +senegalese +senegambian +senegas +senegin +senesce +senescence +senescency +senescent +seneschal +seneschally +seneschalship +seneschalsy +seneschalty +senex +sengi +sengreen +senhor +senhora +senhoras +senhores +senhorita +senhoritas +senhors +senicide +senijextee +senile +senilely +seniles +senilis +senilism +senility +senilities +senilize +senior +seniory +seniority +seniorities +seniors +seniorship +senit +seniti +senium +senlac +senna +sennachie +sennas +sennegrass +sennet +sennets +sennett +sennight +sennights +sennit +sennite +sennits +senocular +senones +senonian +senopia +senopias +senor +senora +senoras +senores +senorita +senoritas +senors +senoufo +sensa +sensable +sensal +sensate +sensated +sensately +sensates +sensating +sensation +sensational +sensationalise +sensationalised +sensationalising +sensationalism +sensationalist +sensationalistic +sensationalists +sensationalize +sensationalized +sensationalizing +sensationally +sensationary +sensationish +sensationism +sensationist +sensationistic +sensationless +sensations +sensatory +sensatorial +sense +sensed +senseful +senseless +senselessly +senselessness +senses +sensibilia +sensibilisin +sensibility +sensibilities +sensibilitiy +sensibilitist +sensibilitous +sensibilium +sensibilization +sensibilize +sensible +sensibleness +sensibler +sensibles +sensiblest +sensibly +sensical +sensifacient +sensiferous +sensify +sensific +sensificatory +sensifics +sensigenous +sensile +sensilia +sensilla +sensillae +sensillum +sensillumla +sensimotor +sensyne +sensing +sension +sensism +sensist +sensistic +sensitisation +sensitiser +sensitive +sensitively +sensitiveness +sensitives +sensitivist +sensitivity +sensitivities +sensitization +sensitize +sensitized +sensitizer +sensitizes +sensitizing +sensitometer +sensitometers +sensitometry +sensitometric +sensitometrically +sensitory +sensive +sensize +senso +sensomobile +sensomobility +sensomotor +sensoparalysis +sensor +sensory +sensoria +sensorial +sensorially +sensories +sensoriglandular +sensorimotor +sensorimuscular +sensorineural +sensorium +sensoriums +sensorivascular +sensorivasomotor +sensorivolitional +sensors +sensu +sensual +sensualisation +sensualise +sensualism +sensualist +sensualistic +sensualists +sensuality +sensualities +sensualization +sensualize +sensualized +sensualizing +sensually +sensualness +sensuism +sensuist +sensum +sensuosity +sensuous +sensuously +sensuousness +sensus +sent +sentence +sentenced +sentencer +sentences +sentencing +sententia +sentential +sententially +sententiary +sententiarian +sententiarist +sententiosity +sententious +sententiously +sententiousness +senti +sentience +sentiency +sentiendum +sentient +sentiently +sentients +sentiment +sentimental +sentimentalisation +sentimentaliser +sentimentalism +sentimentalist +sentimentalists +sentimentality +sentimentalities +sentimentalization +sentimentalize +sentimentalized +sentimentalizer +sentimentalizes +sentimentalizing +sentimentally +sentimenter +sentimentless +sentimento +sentiments +sentine +sentinel +sentineled +sentineling +sentinelled +sentinellike +sentinelling +sentinels +sentinelship +sentinelwise +sentisection +sentition +sentry +sentried +sentries +sentrying +sents +senufo +senusi +senusian +senusism +senvy +senza +seor +seora +seorita +seoul +sep +sepad +sepal +sepaled +sepaline +sepalled +sepalody +sepaloid +sepalous +sepals +separability +separable +separableness +separably +separata +separate +separated +separatedly +separately +separateness +separates +separatical +separating +separation +separationism +separationist +separations +separatism +separatist +separatistic +separatists +separative +separatively +separativeness +separator +separatory +separators +separatress +separatrices +separatrici +separatrix +separatum +separte +sepawn +sepd +sepg +sepharad +sephardi +sephardic +sephardim +sepharvites +sephen +sephira +sephirah +sephiric +sephiroth +sephirothic +sepia +sepiacean +sepiaceous +sepiae +sepialike +sepian +sepiary +sepiarian +sepias +sepic +sepicolous +sepiidae +sepiment +sepioid +sepioidea +sepiola +sepiolidae +sepiolite +sepion +sepiost +sepiostaire +sepium +sepn +sepoy +sepoys +sepone +sepose +seppa +seppuku +seppukus +seps +sepses +sepsid +sepsidae +sepsin +sepsine +sepsis +sept +septa +septaemia +septal +septan +septane +septangle +septangled +septangular +septangularness +septaria +septarian +septariate +septarium +septate +septated +septation +septatoarticulate +septaugintal +septavalent +septave +septcentenary +septectomy +septectomies +september +septemberer +septemberism +septemberist +septembral +septembrian +septembrist +septembrize +septembrizer +septemdecenary +septemdecillion +septemfid +septemfluous +septemfoliate +septemfoliolate +septemia +septempartite +septemplicate +septemvious +septemvir +septemviral +septemvirate +septemviri +septemvirs +septenar +septenary +septenarian +septenaries +septenarii +septenarius +septenate +septendecennial +septendecillion +septendecillions +septendecillionth +septendecimal +septennary +septennate +septenniad +septennial +septennialist +septenniality +septennially +septennium +septenous +septentrial +septentrio +septentrion +septentrional +septentrionality +septentrionally +septentrionate +septentrionic +septerium +septet +septets +septette +septettes +septfoil +septi +septibranchia +septibranchiata +septic +septicaemia +septicaemic +septical +septically +septicemia +septicemic +septicidal +septicidally +septicide +septicity +septicization +septicolored +septicopyemia +septicopyemic +septics +septier +septifarious +septiferous +septifluous +septifolious +septiform +septifragal +septifragally +septilateral +septile +septillion +septillions +septillionth +septimal +septimana +septimanae +septimanal +septimanarian +septime +septimes +septimetritis +septimole +septinsular +septipartite +septisyllabic +septisyllable +septivalent +septleva +septobasidium +septocylindrical +septocylindrium +septocosta +septodiarrhea +septogerm +septogloeum +septoic +septole +septolet +septomarginal +septomaxillary +septonasal +septoria +septotomy +septs +septship +septuagenary +septuagenarian +septuagenarianism +septuagenarians +septuagenaries +septuagesima +septuagesimal +septuagint +septuagintal +septula +septulate +septulum +septum +septums +septuncial +septuor +septuple +septupled +septuples +septuplet +septuplets +septuplicate +septuplication +septupling +sepuchral +sepulcher +sepulchered +sepulchering +sepulchers +sepulchral +sepulchralize +sepulchrally +sepulchre +sepulchred +sepulchring +sepulchrous +sepult +sepultural +sepulture +seq +seqed +seqence +seqfchk +seqq +seqrch +sequa +sequaces +sequacious +sequaciously +sequaciousness +sequacity +sequan +sequani +sequanian +sequel +sequela +sequelae +sequelant +sequels +sequence +sequenced +sequencer +sequencers +sequences +sequency +sequencies +sequencing +sequencings +sequent +sequential +sequentiality +sequentialize +sequentialized +sequentializes +sequentializing +sequentially +sequentialness +sequently +sequents +sequest +sequester +sequestered +sequestering +sequesterment +sequesters +sequestra +sequestrable +sequestral +sequestrant +sequestrate +sequestrated +sequestrates +sequestrating +sequestration +sequestrations +sequestrator +sequestratrices +sequestratrix +sequestrectomy +sequestrotomy +sequestrum +sequestrums +sequin +sequined +sequinned +sequins +sequitur +sequiturs +sequoia +sequoias +seqwl +ser +sera +serab +serabend +serac +seracs +seragli +seraglio +seraglios +serahuli +serai +seraya +serail +serails +seraing +serais +seral +seralbumen +seralbumin +seralbuminous +serang +serape +serapea +serapes +serapeum +seraph +seraphic +seraphical +seraphically +seraphicalness +seraphicism +seraphicness +seraphim +seraphims +seraphin +seraphina +seraphine +seraphism +seraphlike +seraphs +seraphtide +serapias +serapic +serapis +serapist +serasker +seraskerate +seraskier +seraskierat +serau +seraw +serb +serbdom +serbia +serbian +serbians +serbize +serbonian +serbophile +serbophobe +sercial +sercom +serdab +serdabs +serdar +sere +serean +sered +sereh +serein +sereins +serement +serena +serenade +serenaded +serenader +serenaders +serenades +serenading +serenata +serenatas +serenate +serendib +serendibite +serendipity +serendipitous +serendipitously +serendite +serene +serened +serenely +sereneness +serener +serenes +serenest +serenify +serenissime +serenissimi +serenissimo +serenity +serenities +serenize +sereno +serenoa +serer +seres +serest +sereward +serf +serfage +serfages +serfdom +serfdoms +serfhood +serfhoods +serfish +serfishly +serfishness +serfism +serflike +serfs +serfship +serg +serge +sergeancy +sergeancies +sergeant +sergeantcy +sergeantcies +sergeantess +sergeantfish +sergeantfishes +sergeanty +sergeantry +sergeants +sergeantship +sergeantships +sergedesoy +sergedusoy +sergei +sergelim +serger +serges +sergette +serging +sergings +sergio +sergipe +sergiu +sergius +serglobulin +sergt +seri +serial +serialisation +serialise +serialised +serialising +serialism +serialist +serialists +seriality +serializability +serializable +serialization +serializations +serialize +serialized +serializes +serializing +serially +serials +serian +seriary +seriate +seriated +seriately +seriates +seriatim +seriating +seriation +seriaunt +seric +sericana +sericate +sericated +sericea +sericeotomentose +sericeous +sericicultural +sericiculture +sericiculturist +sericin +sericins +sericipary +sericite +sericitic +sericitization +sericocarpus +sericon +serictery +sericteria +sericteries +sericterium +serictteria +sericultural +sericulture +sericulturist +seriema +seriemas +series +serieswound +serif +serific +seriform +serifs +serigraph +serigrapher +serigraphers +serigraphy +serigraphic +serigraphs +serimeter +serimpi +serin +serine +serines +serinette +sering +seringa +seringal +seringas +seringhi +serins +serinus +serio +seriocomedy +seriocomic +seriocomical +seriocomically +seriogrotesque +seriola +seriolidae +serioline +serioludicrous +seriopantomimic +serioridiculous +seriosity +seriosities +serioso +serious +seriously +seriousness +seriplane +seripositor +serjania +serjeancy +serjeant +serjeanty +serjeantry +serjeants +serment +sermo +sermocination +sermocinatrix +sermon +sermonary +sermoneer +sermoner +sermonesque +sermonet +sermonette +sermonettino +sermonic +sermonical +sermonically +sermonics +sermoning +sermonise +sermonised +sermoniser +sermonish +sermonising +sermonism +sermonist +sermonize +sermonized +sermonizer +sermonizes +sermonizing +sermonless +sermonoid +sermonolatry +sermonology +sermonproof +sermons +sermonwise +sermuncle +sernamby +sero +seroalbumin +seroalbuminuria +seroanaphylaxis +serobiological +serocyst +serocystic +serocolitis +serodermatosis +serodermitis +serodiagnosis +serodiagnostic +seroenteritis +seroenzyme +serofibrinous +serofibrous +serofluid +serogelatinous +serohemorrhagic +serohepatitis +seroimmunity +serolactescent +serolemma +serolin +serolipase +serology +serologic +serological +serologically +serologies +serologist +seromaniac +seromembranous +seromucous +seromuscular +seron +seronegative +seronegativity +seroon +seroot +seroperitoneum +serophysiology +serophthisis +seroplastic +seropneumothorax +seropositive +seroprevention +seroprognosis +seroprophylaxis +seroprotease +seropuriform +seropurulent +seropus +seroreaction +seroresistant +serosa +serosae +serosal +serosanguineous +serosanguinolent +serosas +seroscopy +serose +serosynovial +serosynovitis +serosity +serosities +serositis +serotherapeutic +serotherapeutics +serotherapy +serotherapist +serotina +serotinal +serotine +serotines +serotinous +serotype +serotypes +serotonergic +serotonin +serotoxin +serous +serousness +serovaccine +serow +serows +serozem +serozyme +serpari +serpedinous +serpens +serpent +serpentary +serpentaria +serpentarian +serpentarii +serpentarium +serpentarius +serpentcleide +serpenteau +serpentes +serpentess +serpentian +serpenticidal +serpenticide +serpentid +serpentiferous +serpentiform +serpentile +serpentin +serpentina +serpentine +serpentinely +serpentinian +serpentinic +serpentiningly +serpentinization +serpentinize +serpentinized +serpentinizing +serpentinoid +serpentinous +serpentis +serpentivorous +serpentize +serpently +serpentlike +serpentoid +serpentry +serpents +serpentwood +serpette +serphid +serphidae +serphoid +serphoidea +serpierite +serpigines +serpiginous +serpiginously +serpigo +serpigoes +serpivolant +serpolet +serpula +serpulae +serpulan +serpulid +serpulidae +serpulidan +serpuline +serpulite +serpulitic +serpuloid +serra +serradella +serrae +serrage +serrai +serran +serrana +serranid +serranidae +serranids +serrano +serranoid +serranos +serranus +serrasalmo +serrate +serrated +serrates +serratia +serratic +serratiform +serratile +serrating +serration +serratirostral +serratocrenate +serratodentate +serratodenticulate +serratoglandulous +serratospinose +serrature +serratus +serrefile +serrefine +serry +serricorn +serricornia +serridentines +serridentinus +serried +serriedly +serriedness +serries +serrifera +serriferous +serriform +serrying +serring +serriped +serrirostrate +serrula +serrulate +serrulated +serrulateed +serrulation +serrurerie +sers +sert +serta +serting +sertion +sertive +sertularia +sertularian +sertulariidae +sertularioid +sertularoid +sertule +sertulum +sertum +serule +serum +serumal +serumdiagnosis +serums +serut +serv +servable +servage +serval +servaline +servals +servant +servantcy +servantdom +servantess +servantless +servantlike +servantry +servants +servantship +servation +serve +served +servente +serventism +server +servery +servers +serves +servet +servetian +servetianism +servette +serviable +servian +service +serviceability +serviceable +serviceableness +serviceably +serviceberry +serviceberries +serviced +serviceless +servicelessness +serviceman +servicemen +servicer +servicers +services +servicewoman +servicewomen +servicing +servidor +servient +serviential +serviette +serviettes +servile +servilely +servileness +servilism +servility +servilities +servilize +serving +servingman +servings +servist +servite +serviteur +servitial +servitium +servitor +servitorial +servitors +servitorship +servitress +servitrix +servitude +serviture +servius +servo +servocontrol +servoed +servoing +servolab +servomechanical +servomechanically +servomechanics +servomechanism +servomechanisms +servomotor +servomotors +servos +servotab +servulate +servus +serwamby +sesame +sesames +sesamin +sesamine +sesamoid +sesamoidal +sesamoiditis +sesamoids +sesamol +sesamum +sesban +sesbania +sescuncia +sescuple +seseli +seshat +sesia +sesiidae +seskin +sesma +sesperal +sesqui +sesquialter +sesquialtera +sesquialteral +sesquialteran +sesquialterous +sesquibasic +sesquicarbonate +sesquicentenary +sesquicentennial +sesquicentennially +sesquicentennials +sesquichloride +sesquiduple +sesquiduplicate +sesquih +sesquihydrate +sesquihydrated +sesquinona +sesquinonal +sesquioctava +sesquioctaval +sesquioxide +sesquipedal +sesquipedalian +sesquipedalianism +sesquipedalism +sesquipedality +sesquiplane +sesquiplicate +sesquiquadrate +sesquiquarta +sesquiquartal +sesquiquartile +sesquiquinta +sesquiquintal +sesquiquintile +sesquisalt +sesquiseptimal +sesquisextal +sesquisilicate +sesquisquare +sesquisulphate +sesquisulphide +sesquisulphuret +sesquiterpene +sesquitertia +sesquitertial +sesquitertian +sesquitertianal +sess +sessa +sessed +sessile +sessility +sessiliventres +session +sessional +sessionally +sessionary +sessions +sesspool +sesspools +sesterce +sesterces +sestertia +sestertium +sestertius +sestet +sestets +sestetto +sesti +sestia +sestiad +sestian +sestina +sestinas +sestine +sestines +sestole +sestolet +seston +sestuor +sesuto +sesuvium +set +seta +setaceous +setaceously +setae +setal +setaria +setarid +setarious +setation +setback +setbacks +setbolt +setdown +setfast +seth +sethead +sethian +sethic +sethite +setibo +setier +setifera +setiferous +setiform +setiger +setigerous +setioerr +setiparous +setirostral +setline +setlines +setling +setness +setnet +setoff +setoffs +seton +setons +setophaga +setophaginae +setophagine +setose +setous +setout +setouts +setover +setpfx +sets +setscrew +setscrews +setsman +sett +settable +settaine +settecento +settee +settees +setter +settergrass +setters +setterwort +settima +settimo +setting +settings +settle +settleability +settleable +settled +settledly +settledness +settlement +settlements +settler +settlerdom +settlers +settles +settling +settlings +settlor +settlors +settos +settsman +setuid +setula +setulae +setule +setuliform +setulose +setulous +setup +setups +setwall +setwise +setwork +setworks +seudah +seugh +sevastopol +seve +seven +sevenbark +sevener +sevenfold +sevenfolded +sevenfoldness +sevennight +sevenpence +sevenpenny +sevens +sevenscore +seventeen +seventeenfold +seventeens +seventeenth +seventeenthly +seventeenths +seventh +seventhly +sevenths +seventy +seventies +seventieth +seventieths +seventyfold +sever +severability +severable +several +severalfold +severality +severalization +severalize +severalized +severalizing +severally +severalness +severals +severalth +severalty +severalties +severance +severate +severation +severe +severed +severedly +severely +severeness +severer +severers +severest +severy +severian +severies +severing +severingly +severish +severity +severities +severization +severize +severs +sevier +sevillanas +seville +sevillian +sevres +sevum +sew +sewable +sewage +sewages +sewan +sewans +sewar +sewars +sewed +sewellel +sewen +sewer +sewerage +sewerages +sewered +sewery +sewerless +sewerlike +sewerman +sewers +sewin +sewing +sewings +sewless +sewn +sewround +sews +sewster +sex +sexadecimal +sexagenary +sexagenarian +sexagenarianism +sexagenarians +sexagenaries +sexagene +sexagesima +sexagesimal +sexagesimally +sexagesimals +sexagonal +sexangle +sexangled +sexangular +sexangularly +sexannulate +sexarticulate +sexavalent +sexcentenary +sexcentenaries +sexcuspidate +sexdecillion +sexdecillions +sexdigital +sexdigitate +sexdigitated +sexdigitism +sexed +sexenary +sexennial +sexennially +sexennium +sexern +sexes +sexfarious +sexfid +sexfoil +sexhood +sexy +sexier +sexiest +sexifid +sexily +sexillion +sexiness +sexinesses +sexing +sexiped +sexipolar +sexisyllabic +sexisyllable +sexism +sexisms +sexist +sexists +sexitubercular +sexivalence +sexivalency +sexivalent +sexless +sexlessly +sexlessness +sexly +sexlike +sexlocular +sexology +sexologic +sexological +sexologies +sexologist +sexpartite +sexploitation +sexpot +sexpots +sexradiate +sext +sextactic +sextain +sextains +sextan +sextans +sextant +sextantal +sextants +sextar +sextary +sextarii +sextarius +sextennial +sextern +sextet +sextets +sextette +sextettes +sextic +sextile +sextiles +sextilis +sextillion +sextillions +sextillionth +sextipara +sextipartite +sextipartition +sextiply +sextipolar +sexto +sextodecimo +sextodecimos +sextole +sextolet +sexton +sextoness +sextons +sextonship +sextos +sextry +sexts +sextubercular +sextuberculate +sextula +sextulary +sextumvirate +sextuor +sextuple +sextupled +sextuples +sextuplet +sextuplets +sextuplex +sextuply +sextuplicate +sextuplicated +sextuplicating +sextupling +sextur +sextus +sexual +sexuale +sexualisation +sexualism +sexualist +sexuality +sexualities +sexualization +sexualize +sexualized +sexualizing +sexually +sexuous +sexupara +sexuparous +sezession +sf +sferics +sfm +sfogato +sfoot +sforzando +sforzandos +sforzato +sforzatos +sfree +sfumato +sfumatos +sfz +sg +sgabelli +sgabello +sgabellos +sgad +sgd +sgraffiato +sgraffiti +sgraffito +sh +sha +shaatnez +shab +shaban +shabandar +shabash +shabbat +shabbath +shabbed +shabby +shabbier +shabbiest +shabbify +shabbyish +shabbily +shabbiness +shabble +shabbos +shabeque +shabrack +shabracque +shabroon +shabunder +shabuoth +shachle +shachly +shack +shackanite +shackatory +shackbolt +shacked +shacker +shacky +shacking +shackings +shackland +shackle +shacklebone +shackled +shackledom +shackler +shacklers +shackles +shacklewise +shackly +shackling +shacko +shackoes +shackos +shacks +shad +shadbelly +shadberry +shadberries +shadbird +shadblow +shadblows +shadbush +shadbushes +shadchan +shadchanim +shadchans +shadchen +shaddock +shaddocks +shade +shaded +shadeful +shadeless +shadelessness +shader +shaders +shades +shadetail +shadfly +shadflies +shadflower +shady +shadier +shadiest +shadily +shadine +shadiness +shading +shadings +shadkan +shado +shadoof +shadoofs +shadow +shadowable +shadowbox +shadowboxed +shadowboxes +shadowboxing +shadowed +shadower +shadowers +shadowfoot +shadowgram +shadowgraph +shadowgraphy +shadowgraphic +shadowgraphist +shadowy +shadowier +shadowiest +shadowily +shadowiness +shadowing +shadowishly +shadowist +shadowland +shadowless +shadowlessness +shadowly +shadowlike +shadows +shadrach +shadrachs +shads +shaduf +shadufs +shaffle +shafii +shafiite +shaft +shafted +shafter +shaftfoot +shafty +shafting +shaftings +shaftless +shaftlike +shaftman +shaftment +shafts +shaftsman +shaftway +shag +shaganappi +shaganappy +shagbag +shagbark +shagbarks +shagbush +shagged +shaggedness +shaggy +shaggier +shaggiest +shaggily +shaggymane +shagginess +shagging +shagia +shaglet +shaglike +shagpate +shagrag +shagreen +shagreened +shagreens +shagroon +shags +shagtail +shah +shahaptian +shaharit +shaharith +shahdom +shahdoms +shahee +shaheen +shahi +shahid +shahidi +shahin +shahs +shahzada +shahzadah +shahzadi +shai +shay +shayed +shaigia +shaikh +shaykh +shaikhi +shaikiyeh +shaird +shairds +shairn +shairns +shays +shaysite +shaitan +shaitans +shaiva +shaivism +shaka +shakable +shakably +shake +shakeable +shakebly +shakedown +shakedowns +shakefork +shaken +shakenly +shakeout +shakeouts +shakeproof +shaker +shakerag +shakerdom +shakeress +shakerism +shakerlike +shakers +shakes +shakescene +shakespeare +shakespearean +shakespeareana +shakespeareanism +shakespeareanly +shakespeareans +shakespearian +shakespearize +shakespearolater +shakespearolatry +shakeup +shakeups +shakha +shaky +shakyamuni +shakier +shakiest +shakil +shakily +shakiness +shaking +shakingly +shakings +shako +shakoes +shakos +shaksheer +shaksperean +shaksperian +shakta +shakti +shaktis +shaktism +shaku +shakudo +shakuhachi +shalako +shalder +shale +shaled +shalee +shalelike +shaleman +shales +shaly +shalier +shaliest +shall +shallal +shally +shallon +shalloon +shalloons +shallop +shallopy +shallops +shallot +shallots +shallow +shallowbrain +shallowbrained +shallowed +shallower +shallowest +shallowhearted +shallowy +shallowing +shallowish +shallowist +shallowly +shallowness +shallowpate +shallowpated +shallows +shallu +shalom +shalt +shalwar +sham +shama +shamable +shamableness +shamably +shamal +shamalo +shaman +shamaness +shamanic +shamanism +shamanist +shamanistic +shamanize +shamans +shamash +shamateur +shamateurism +shamba +shambala +shamble +shambled +shambles +shambling +shamblingly +shambrier +shambu +shame +shameable +shamed +shameface +shamefaced +shamefacedly +shamefacedness +shamefast +shamefastly +shamefastness +shameful +shamefully +shamefulness +shameless +shamelessly +shamelessness +shameproof +shamer +shames +shamesick +shameworthy +shamiana +shamianah +shamim +shaming +shamir +shammar +shammas +shammash +shammashi +shammashim +shammasim +shammed +shammer +shammers +shammes +shammy +shammick +shammied +shammies +shammying +shamming +shammish +shammock +shammocky +shammocking +shammos +shammosim +shamoy +shamoyed +shamoying +shamois +shamoys +shamosim +shampoo +shampooed +shampooer +shampooers +shampooing +shampoos +shamrock +shamrocks +shamroot +shams +shamsheer +shamshir +shamus +shamuses +shan +shanachas +shanachie +shanachus +shandean +shandy +shandies +shandygaff +shandyism +shandite +shandry +shandrydan +shane +shang +shangalla +shangan +shanghai +shanghaied +shanghaier +shanghaiing +shanghais +shangy +shank +shankar +shanked +shanker +shanking +shankings +shankpiece +shanks +shanksman +shanna +shanny +shannies +shannon +shansa +shant +shantey +shanteys +shanti +shanty +shantied +shanties +shantih +shantihs +shantying +shantylike +shantyman +shantymen +shantis +shantytown +shantung +shantungs +shap +shapable +shape +shapeable +shaped +shapeful +shapeless +shapelessly +shapelessness +shapely +shapelier +shapeliest +shapeliness +shapen +shaper +shapers +shapes +shapeshifter +shapesmith +shapeup +shapeups +shapy +shapier +shapiest +shaping +shapingly +shapka +shapometer +shapoo +shaps +shaptan +shaptin +sharable +sharada +sharan +shard +shardana +sharded +shardy +sharding +shards +share +shareability +shareable +sharebone +sharebroker +sharecrop +sharecropped +sharecropper +sharecroppers +sharecropping +sharecrops +shared +shareef +sharefarmer +shareholder +shareholders +shareholdership +shareman +shareown +shareowner +sharepenny +sharer +sharers +shares +shareship +sharesman +sharesmen +sharewort +sharezer +shargar +sharger +shargoss +shari +sharia +shariat +sharif +sharifian +sharifs +sharing +sharira +shark +sharked +sharker +sharkers +sharkful +sharki +sharky +sharking +sharkish +sharkishly +sharkishness +sharklet +sharklike +sharks +sharkship +sharkskin +sharkskins +sharksucker +sharn +sharnbud +sharnbug +sharny +sharns +sharon +sharp +sharpbill +sharped +sharpen +sharpened +sharpener +sharpeners +sharpening +sharpens +sharper +sharpers +sharpest +sharpy +sharpie +sharpies +sharping +sharpish +sharpite +sharply +sharpling +sharpness +sharps +sharpsaw +sharpshin +sharpshod +sharpshoot +sharpshooter +sharpshooters +sharpshooting +sharpster +sharptail +sharpware +sharra +sharrag +sharry +shashlick +shashlik +shashliks +shaslick +shaslik +shasliks +shasta +shastaite +shastan +shaster +shastra +shastracara +shastraik +shastras +shastri +shastrik +shat +shatan +shathmont +shatter +shatterable +shatterbrain +shatterbrained +shattered +shatterer +shatterheaded +shattery +shattering +shatteringly +shatterment +shatterpated +shatterproof +shatters +shatterwit +shattuckite +shauchle +shaugh +shaughs +shaul +shaula +shauled +shauling +shauls +shaup +shauri +shauwe +shavable +shave +shaveable +shaved +shavee +shavegrass +shaveling +shaven +shaver +shavery +shavers +shaves +shavese +shavester +shavetail +shaveweed +shavian +shaviana +shavianism +shavians +shavie +shavies +shaving +shavings +shaw +shawabti +shawanese +shawano +shawed +shawfowl +shawy +shawing +shawl +shawled +shawling +shawlless +shawllike +shawls +shawlwise +shawm +shawms +shawn +shawnee +shawnees +shawneewood +shawny +shaws +shawwal +shazam +she +shea +sheading +sheaf +sheafage +sheafed +sheafy +sheafing +sheaflike +sheafripe +sheafs +sheal +shealing +shealings +sheals +shean +shear +shearbill +sheard +sheared +shearer +shearers +sheargrass +shearhog +shearing +shearlegs +shearless +shearling +shearman +shearmouse +shears +shearsman +sheartail +shearwater +shearwaters +sheas +sheat +sheatfish +sheatfishes +sheath +sheathbill +sheathe +sheathed +sheather +sheathery +sheathers +sheathes +sheathy +sheathier +sheathiest +sheathing +sheathless +sheathlike +sheaths +sheave +sheaved +sheaveless +sheaveman +sheaves +sheaving +shebang +shebangs +shebar +shebat +shebean +shebeans +shebeen +shebeener +shebeening +shebeens +shechem +shechemites +shechita +shechitah +shed +shedable +sheddable +shedded +shedder +shedders +shedding +sheder +shedhand +shedim +shedlike +shedman +sheds +shedu +shedwise +shee +sheefish +sheefishes +sheel +sheely +sheeling +sheen +sheened +sheeney +sheeneys +sheenful +sheeny +sheenie +sheenier +sheenies +sheeniest +sheening +sheenless +sheenly +sheens +sheep +sheepback +sheepbacks +sheepbell +sheepberry +sheepberries +sheepbine +sheepbiter +sheepbiting +sheepcot +sheepcote +sheepcrook +sheepdip +sheepdog +sheepdogs +sheepfaced +sheepfacedly +sheepfacedness +sheepfold +sheepfolds +sheepfoot +sheepfoots +sheepgate +sheephead +sheepheaded +sheepheads +sheephearted +sheepherder +sheepherding +sheephook +sheephouse +sheepy +sheepify +sheepified +sheepifying +sheepish +sheepishly +sheepishness +sheepkeeper +sheepkeeping +sheepkill +sheepless +sheeplet +sheeplike +sheepling +sheepman +sheepmaster +sheepmen +sheepmint +sheepmonger +sheepnose +sheepnut +sheeppen +sheepshank +sheepshead +sheepsheadism +sheepsheads +sheepshear +sheepshearer +sheepshearing +sheepshed +sheepskin +sheepskins +sheepsplit +sheepsteal +sheepstealer +sheepstealing +sheepwalk +sheepwalker +sheepweed +sheer +sheered +sheerer +sheerest +sheering +sheerlegs +sheerly +sheerness +sheers +sheet +sheetage +sheeted +sheeter +sheeters +sheetfed +sheetflood +sheetful +sheety +sheeting +sheetings +sheetless +sheetlet +sheetlike +sheetling +sheetrock +sheets +sheetways +sheetwash +sheetwise +sheetwork +sheetwriting +sheeve +sheeves +sheffield +shegets +shegetz +shehita +shehitah +sheik +sheikdom +sheikdoms +sheikh +sheikhdom +sheikhly +sheikhlike +sheikhs +sheikly +sheiklike +sheiks +sheila +sheyle +sheiling +sheitan +sheitans +sheitel +sheitlen +shekel +shekels +shekinah +shel +shela +shelah +sheld +sheldapple +shelder +sheldfowl +sheldrake +sheldrakes +shelduck +shelducks +shelf +shelfback +shelffellow +shelfful +shelffuls +shelfy +shelflike +shelflist +shelfmate +shelfpiece +shelfroom +shelfworn +shelyak +shell +shellac +shellack +shellacked +shellacker +shellackers +shellacking +shellackings +shellacks +shellacs +shellak +shellapple +shellback +shellbark +shellblow +shellblowing +shellbound +shellburst +shellcracker +shelleater +shelled +shelley +shelleyan +shelleyana +shelleyesque +sheller +shellers +shellfire +shellfish +shellfishery +shellfisheries +shellfishes +shellflower +shellful +shellhead +shelly +shellycoat +shellier +shelliest +shelliness +shelling +shellman +shellmen +shellmonger +shellpad +shellpot +shellproof +shells +shellshake +shellshocked +shellum +shellwork +shellworker +shelta +shelter +shelterage +shelterbelt +sheltered +shelterer +sheltery +sheltering +shelteringly +shelterless +shelterlessness +shelters +shelterwood +shelty +sheltie +shelties +sheltron +shelve +shelved +shelver +shelvers +shelves +shelvy +shelvier +shelviest +shelving +shelvingly +shelvingness +shelvings +shem +shema +shemaal +shemaka +sheminith +shemite +shemitic +shemitish +shemozzle +shemu +shen +shenanigan +shenanigans +shend +shendful +shending +shends +sheng +shenshai +shent +sheogue +sheol +sheolic +sheols +shepherd +shepherdage +shepherddom +shepherded +shepherdess +shepherdesses +shepherdhood +shepherdy +shepherdia +shepherding +shepherdish +shepherdism +shepherdize +shepherdless +shepherdly +shepherdlike +shepherdling +shepherdry +shepherds +sheppeck +sheppey +shepperding +sheppherded +sheppick +shepstare +shepster +sher +sherani +sherardia +sherardize +sherardized +sherardizer +sherardizing +sheratan +sheraton +sherbacha +sherbert +sherberts +sherbet +sherbetlee +sherbets +sherbetzide +sherd +sherds +shereef +shereefs +sheria +sheriat +sherif +sherifa +sherifate +sheriff +sheriffalty +sheriffcy +sheriffcies +sheriffdom +sheriffess +sheriffhood +sheriffry +sheriffs +sheriffship +sheriffwick +sherifi +sherify +sherifian +sherifs +sheriyat +sheristadar +sherlock +sherlocks +sherman +sheroot +sheroots +sherpa +sherpas +sherramoor +sherri +sherry +sherries +sherrymoor +sherris +sherrises +sherryvallies +sherwani +shes +shesha +sheth +shetland +shetlander +shetlandic +shetlands +sheuch +sheuchs +sheugh +sheughs +sheva +shevel +sheveled +sheveret +shevri +shew +shewa +shewbread +shewed +shewel +shewer +shewers +shewing +shewn +shews +shfsep +shh +shi +shy +shia +shiah +shiai +shyam +shiatsu +shibah +shibahs +shibar +shibbeen +shibboleth +shibbolethic +shibboleths +shibuichi +shice +shicer +shick +shicker +shickered +shicksa +shicksas +shide +shydepoke +shied +shiel +shield +shieldable +shieldboard +shielddrake +shielded +shielder +shielders +shieldfern +shieldflower +shielding +shieldings +shieldless +shieldlessly +shieldlessness +shieldlike +shieldling +shieldmay +shieldmaker +shields +shieldtail +shieling +shielings +shiels +shier +shyer +shiers +shyers +shies +shiest +shyest +shift +shiftability +shiftable +shiftage +shifted +shifter +shifters +shiftful +shiftfulness +shifty +shiftier +shiftiest +shiftily +shiftiness +shifting +shiftingly +shiftingness +shiftless +shiftlessly +shiftlessness +shiftman +shifts +shigella +shigellae +shigellas +shiggaion +shigionoth +shigram +shih +shying +shyish +shiism +shiite +shiitic +shik +shikar +shikara +shikaree +shikarees +shikargah +shikari +shikaris +shikarred +shikarring +shikars +shikasta +shikii +shikimi +shikimic +shikimol +shikimole +shikimotoxin +shikken +shikker +shiko +shikra +shiksa +shiksas +shikse +shikses +shilf +shilfa +shilh +shilha +shily +shyly +shilingi +shill +shilla +shillaber +shillala +shillalah +shillalas +shilled +shillelagh +shillelaghs +shillelah +shiller +shillet +shillety +shillhouse +shilly +shillibeer +shilling +shillingless +shillings +shillingsworth +shillyshally +shillyshallyer +shilloo +shills +shilluh +shilluk +shylock +shylocked +shylocking +shylockism +shylocks +shiloh +shilpit +shilpits +shim +shimal +shimei +shimmed +shimmey +shimmer +shimmered +shimmery +shimmering +shimmeringly +shimmers +shimmy +shimmied +shimmies +shimmying +shimming +shimonoseki +shimose +shimper +shims +shin +shina +shinaniging +shinarump +shinbone +shinbones +shindy +shindies +shindig +shindigs +shindys +shindle +shine +shined +shineless +shiner +shiners +shines +shyness +shynesses +shingle +shingled +shingler +shinglers +shingles +shinglewise +shinglewood +shingly +shingling +shingon +shinguard +shiny +shinier +shiniest +shinily +shininess +shining +shiningly +shiningness +shinkin +shinleaf +shinleafs +shinleaves +shinnecock +shinned +shinney +shinneys +shinner +shinnery +shinneries +shinny +shinnied +shinnies +shinnying +shinning +shinplaster +shins +shinsplints +shintai +shinty +shintyan +shintiyan +shinto +shintoism +shintoist +shintoistic +shintoists +shintoize +shinwari +shinwood +shinza +ship +shipboard +shipboy +shipborne +shipbound +shipbreaking +shipbroken +shipbuild +shipbuilder +shipbuilders +shipbuilding +shipcraft +shipentine +shipferd +shipfitter +shipful +shipfuls +shiphire +shipholder +shipyard +shipyards +shipkeeper +shiplap +shiplaps +shipless +shiplessly +shiplet +shipload +shiploads +shipman +shipmanship +shipmast +shipmaster +shipmate +shipmates +shipmatish +shipmen +shipment +shipments +shypoo +shipowner +shipowning +shippable +shippage +shipped +shippen +shippens +shipper +shippers +shippy +shipping +shippings +shipplane +shippo +shippon +shippons +shippound +shiprade +ships +shipshape +shipshapely +shipside +shipsides +shipsmith +shipt +shipway +shipways +shipward +shipwards +shipwork +shipworm +shipworms +shipwreck +shipwrecked +shipwrecky +shipwrecking +shipwrecks +shipwright +shipwrightery +shipwrightry +shipwrights +shirakashi +shiralee +shirallee +shiraz +shire +shirehouse +shireman +shiremen +shires +shirewick +shirk +shirked +shirker +shirkers +shirky +shirking +shirks +shirl +shirlcock +shirley +shirpit +shirr +shirra +shirred +shirrel +shirring +shirrings +shirrs +shirt +shirtband +shirtdress +shirtfront +shirty +shirtier +shirtiest +shirtiness +shirting +shirtings +shirtless +shirtlessness +shirtlike +shirtmake +shirtmaker +shirtmaking +shirtman +shirtmen +shirts +shirtsleeve +shirttail +shirtwaist +shirtwaister +shirvan +shish +shisham +shishya +shisn +shist +shyster +shysters +shists +shit +shita +shitepoke +shithead +shitheel +shither +shits +shittah +shittahs +shitted +shitten +shitty +shittier +shittiest +shittim +shittims +shittimwood +shittiness +shitting +shittle +shiv +shiva +shivah +shivahs +shivaism +shivaist +shivaistic +shivaite +shivaree +shivareed +shivareeing +shivarees +shivas +shive +shivey +shiver +shivered +shivereens +shiverer +shiverers +shivery +shivering +shiveringly +shiverproof +shivers +shiversome +shiverweed +shives +shivy +shivoo +shivoos +shivs +shivvy +shivzoku +shizoku +shkotzim +shkupetar +shlemiehl +shlemiel +shlemiels +shlemozzle +shlep +shlimazel +shlimazl +shlock +shlocks +shlu +shluh +shmaltz +shmaltzy +shmaltzier +shmaltziest +shmo +shmoes +shnaps +shnook +sho +shoa +shoad +shoader +shoal +shoalbrain +shoaled +shoaler +shoalest +shoaly +shoalier +shoaliest +shoaliness +shoaling +shoalness +shoals +shoalwise +shoat +shoats +shochet +shochetim +shochets +shock +shockability +shockable +shocked +shockedness +shocker +shockers +shockhead +shockheaded +shockheadedness +shocking +shockingly +shockingness +shocklike +shockproof +shocks +shockstall +shockwave +shod +shodden +shoddy +shoddydom +shoddied +shoddier +shoddies +shoddiest +shoddying +shoddyism +shoddyite +shoddily +shoddylike +shoddiness +shoddyward +shoddywards +shode +shoder +shoe +shoebill +shoebills +shoebinder +shoebindery +shoebinding +shoebird +shoeblack +shoeboy +shoebrush +shoecraft +shoed +shoeflower +shoehorn +shoehorned +shoehorning +shoehorns +shoeing +shoeingsmith +shoelace +shoelaces +shoeless +shoemake +shoemaker +shoemakers +shoemaking +shoeman +shoemold +shoepac +shoepack +shoepacks +shoepacs +shoer +shoers +shoes +shoescraper +shoeshine +shoeshop +shoesmith +shoestring +shoestrings +shoetree +shoetrees +shoewoman +shofar +shofars +shoffroth +shofroth +shoful +shog +shogaol +shogged +shoggie +shogging +shoggle +shoggly +shogi +shogs +shogun +shogunal +shogunate +shoguns +shohet +shohji +shohjis +shoya +shoyu +shoji +shojis +shojo +shola +shole +sholom +shona +shonde +shone +shoneen +shoneens +shonkinite +shoo +shood +shooed +shoofa +shoofly +shooflies +shoogle +shooi +shooing +shook +shooks +shool +shooldarry +shooled +shooler +shooling +shools +shoon +shoop +shoopiltie +shoor +shoos +shoot +shootable +shootboard +shootee +shooter +shooters +shoother +shooting +shootings +shootist +shootman +shootout +shootouts +shoots +shop +shopboard +shopboy +shopboys +shopbook +shopbreaker +shopbreaking +shope +shopfolk +shopful +shopfuls +shopgirl +shopgirlish +shopgirls +shophar +shophars +shophroth +shopkeep +shopkeeper +shopkeeperess +shopkeepery +shopkeeperish +shopkeeperism +shopkeepers +shopkeeping +shopland +shoplet +shoplift +shoplifted +shoplifter +shoplifters +shoplifting +shoplifts +shoplike +shopmaid +shopman +shopmark +shopmate +shopmen +shopocracy +shopocrat +shoppe +shopped +shopper +shoppers +shoppes +shoppy +shoppier +shoppiest +shopping +shoppings +shoppini +shoppish +shoppishness +shops +shopsoiled +shopster +shoptalk +shoptalks +shopwalker +shopwear +shopwife +shopwindow +shopwoman +shopwomen +shopwork +shopworker +shopworn +shoq +shor +shoran +shorans +shore +shorea +shoreberry +shorebird +shorebirds +shorebush +shored +shoreface +shorefish +shorefront +shoregoing +shoreyer +shoreland +shoreless +shoreline +shorelines +shoreman +shorer +shores +shoreside +shoresman +shoreward +shorewards +shoreweed +shoring +shorings +shorl +shorling +shorls +shorn +short +shortage +shortages +shortbread +shortcake +shortcakes +shortchange +shortchanged +shortchanger +shortchanges +shortchanging +shortclothes +shortcoat +shortcomer +shortcoming +shortcomings +shortcut +shortcuts +shorted +shorten +shortened +shortener +shorteners +shortening +shortenings +shortens +shorter +shortest +shortfall +shortfalls +shorthand +shorthanded +shorthandedness +shorthander +shorthandwriter +shorthead +shortheaded +shortheels +shorthorn +shorthorns +shorty +shortia +shortias +shortie +shorties +shorting +shortish +shortite +shortly +shortness +shorts +shortschat +shortsighted +shortsightedly +shortsightedness +shortsome +shortstaff +shortstop +shortstops +shorttail +shortwave +shortwaves +shortzy +shoshone +shoshonean +shoshonis +shoshonite +shot +shotbush +shotcrete +shote +shotes +shotgun +shotgunned +shotgunning +shotguns +shotless +shotlike +shotmaker +shotman +shotproof +shots +shotshell +shotsman +shotstar +shott +shotted +shotten +shotter +shotty +shotting +shotts +shotweld +shou +shough +should +shoulder +shouldered +shoulderer +shoulderette +shouldering +shoulders +shouldest +shouldn +shouldna +shouldnt +shouldst +shoulerd +shoupeltin +shouse +shout +shouted +shouter +shouters +shouther +shouting +shoutingly +shouts +shoval +shove +shoved +shovegroat +shovel +shovelard +shovelbill +shovelboard +shoveled +shoveler +shovelers +shovelfish +shovelful +shovelfuls +shovelhead +shoveling +shovelled +shoveller +shovelling +shovelmaker +shovelman +shovelnose +shovels +shovelsful +shovelweed +shover +shovers +shoves +shoving +show +showable +showance +showbird +showboard +showboat +showboater +showboating +showboats +showbread +showcase +showcased +showcases +showcasing +showd +showdom +showdown +showdowns +showed +shower +showered +showerer +showerful +showerhead +showery +showerier +showeriest +showeriness +showering +showerless +showerlike +showerproof +showers +showfolk +showful +showgirl +showgirls +showy +showyard +showier +showiest +showily +showiness +showing +showings +showish +showjumping +showless +showman +showmanism +showmanly +showmanry +showmanship +showmen +shown +showoff +showoffishness +showoffs +showpiece +showpieces +showplace +showplaces +showroom +showrooms +shows +showshop +showstopper +showup +showworthy +shp +shpt +shr +shrab +shradd +shraddha +shradh +shraf +shrag +shram +shrame +shrammed +shrank +shrap +shrape +shrapnel +shrave +shravey +shreadhead +shreading +shred +shredcock +shredded +shredder +shredders +shreddy +shredding +shredless +shredlike +shreds +shree +shreeve +shrend +shreveport +shrew +shrewd +shrewder +shrewdest +shrewdy +shrewdie +shrewdish +shrewdly +shrewdness +shrewdom +shrewed +shrewing +shrewish +shrewishly +shrewishness +shrewly +shrewlike +shrewmmice +shrewmouse +shrews +shrewsbury +shrewstruck +shri +shride +shriek +shrieked +shrieker +shriekery +shriekers +shrieky +shriekier +shriekiest +shriekily +shriekiness +shrieking +shriekingly +shriekproof +shrieks +shrieval +shrievalty +shrievalties +shrieve +shrieved +shrieves +shrieving +shrift +shriftless +shriftlessness +shrifts +shrike +shrikes +shrill +shrilled +shriller +shrillest +shrilly +shrilling +shrillish +shrillness +shrills +shrimp +shrimped +shrimper +shrimpers +shrimpfish +shrimpi +shrimpy +shrimpier +shrimpiest +shrimpiness +shrimping +shrimpish +shrimpishness +shrimplike +shrimps +shrimpton +shrinal +shrine +shrined +shrineless +shrinelet +shrinelike +shriner +shrines +shrining +shrink +shrinkable +shrinkage +shrinkageproof +shrinkages +shrinker +shrinkerg +shrinkers +shrinkhead +shrinky +shrinking +shrinkingly +shrinkingness +shrinkproof +shrinks +shrip +shris +shrite +shrive +shrived +shrivel +shriveled +shriveling +shrivelled +shrivelling +shrivels +shriven +shriver +shrivers +shrives +shriving +shroff +shroffed +shroffing +shroffs +shrog +shrogs +shropshire +shroud +shrouded +shroudy +shrouding +shroudless +shroudlike +shrouds +shrove +shroved +shrover +shrovetide +shrovy +shroving +shrrinkng +shrub +shrubbed +shrubbery +shrubberies +shrubby +shrubbier +shrubbiest +shrubbiness +shrubbish +shrubland +shrubless +shrublet +shrublike +shrubs +shrubwood +shruff +shrug +shrugged +shrugging +shruggingly +shrugs +shrunk +shrunken +shrups +shruti +sht +shtchee +shtetel +shtetl +shtetlach +shtg +shtick +shticks +shtokavski +shtreimel +shu +shuba +shubunkin +shuck +shucked +shucker +shuckers +shucking +shuckings +shuckins +shuckpen +shucks +shudder +shuddered +shudderful +shuddery +shudderiness +shuddering +shudderingly +shudders +shuddersome +shudna +shuff +shuffle +shuffleboard +shufflecap +shuffled +shuffler +shufflers +shuffles +shufflewing +shuffling +shufflingly +shufty +shug +shuggy +shuhali +shukria +shukulumbwe +shul +shulamite +shuler +shuln +shuls +shulwar +shulwaurs +shumac +shumal +shun +shunammite +shune +shunless +shunnable +shunned +shunner +shunners +shunning +shunpike +shunpiked +shunpiker +shunpikers +shunpikes +shunpiking +shuns +shunt +shunted +shunter +shunters +shunting +shunts +shuntwinding +shure +shurf +shurgee +shush +shushed +shusher +shushes +shushing +shuswap +shut +shutdown +shutdowns +shute +shuted +shuteye +shuteyes +shutes +shuting +shutness +shutoff +shutoffs +shutoku +shutout +shutouts +shuts +shuttance +shutten +shutter +shutterbug +shutterbugs +shuttered +shuttering +shutterless +shutters +shutterwise +shutting +shuttle +shuttlecock +shuttlecocked +shuttlecocking +shuttlecocks +shuttled +shuttleheaded +shuttlelike +shuttler +shuttles +shuttlewise +shuttling +shuvra +shwa +shwanpan +shwanpans +shwebo +si +sia +siacalle +siafu +syagush +siak +sial +sialaden +sialadenitis +sialadenoncus +sialagogic +sialagogue +sialagoguic +sialemesis +sialia +sialic +sialid +sialidae +sialidan +sialis +sialoangitis +sialogenous +sialogogic +sialogogue +sialoid +sialolith +sialolithiasis +sialology +sialorrhea +sialoschesis +sialosemeiology +sialosyrinx +sialosis +sialostenosis +sialozemia +sials +siam +siamang +siamangs +siamese +siameses +siamoise +siauliai +sib +sybarism +sybarist +sybarital +sybaritan +sybarite +sybarites +sybaritic +sybaritical +sybaritically +sybaritish +sybaritism +sibb +sibbaldus +sibbed +sibbendy +sibbens +sibber +sibby +sibbing +sibboleth +sibbs +siberia +siberian +siberians +siberic +siberite +sibyl +sybil +sibilance +sibilancy +sibilant +sibilantly +sibilants +sibilate +sibilated +sibilates +sibilating +sibilatingly +sibilation +sibilator +sibilatory +sibylesque +sibylic +sibylism +sibylla +sibyllae +sibyllic +sibylline +sibyllism +sibyllist +sibilous +sibyls +sibilus +sibiric +sibling +siblings +sibness +sybo +syboes +sybotic +sybotism +sybow +sibrede +sibs +sibship +sibships +sibucao +sic +sicambri +sicambrian +sycamine +sycamines +sycamore +sycamores +sicana +sicani +sicanian +sicarian +sicarii +sicarious +sicarius +sicc +sicca +siccan +siccaneous +siccant +siccar +siccate +siccated +siccating +siccation +siccative +sicced +siccimeter +siccing +siccity +sice +syce +sycee +sycees +sicel +siceliot +sicer +sices +syces +sich +sychee +sychnocarpous +sicht +sicily +sicilian +siciliana +sicilianism +siciliano +sicilianos +sicilians +sicilica +sicilicum +sicilienne +sicinnian +sicyonian +sicyonic +sicyos +sycite +sick +sickbay +sickbays +sickbed +sickbeds +sicked +sicken +sickened +sickener +sickeners +sickening +sickeningly +sickens +sicker +sickerly +sickerness +sickest +sicket +sickhearted +sickie +sicking +sickish +sickishly +sickishness +sickle +sicklebill +sickled +sicklelike +sickleman +sicklemen +sicklemia +sicklemic +sicklepod +sickler +sicklerite +sickles +sickless +sickleweed +sicklewise +sicklewort +sickly +sicklied +sicklier +sicklies +sickliest +sicklying +sicklily +sickliness +sickling +sickness +sicknesses +sicknessproof +sickout +sickouts +sickroom +sickrooms +sicks +sicle +siclike +sycoceric +sycock +sycoma +sycomancy +sycomore +sycomores +sycon +syconaria +syconarian +syconate +sycones +syconia +syconid +syconidae +syconium +syconoid +syconus +sycophancy +sycophancies +sycophant +sycophantic +sycophantical +sycophantically +sycophantish +sycophantishly +sycophantism +sycophantize +sycophantly +sycophantry +sycophants +sycoses +sycosiform +sycosis +sics +sicsac +sicula +sicular +siculi +siculian +sid +syd +sida +sidalcea +sidder +siddha +siddhanta +siddhartha +siddhi +syddir +siddow +siddur +siddurim +siddurs +side +sideage +sidearm +sidearms +sideband +sidebands +sidebar +sideboard +sideboards +sidebone +sidebones +sidebox +sideburn +sideburned +sideburns +sidecar +sidecarist +sidecars +sidechair +sidechairs +sidecheck +sidecutters +sided +sidedness +sidedress +sideflash +sidehead +sidehill +sidehills +sidehold +sidekick +sidekicker +sidekicks +sidelang +sideless +sidelight +sidelights +sideline +sidelined +sideliner +sidelines +sideling +sidelings +sidelingwise +sidelining +sidelins +sidelock +sidelong +sideman +sidemen +sideness +sidenote +sidepiece +sidepieces +sider +sideral +siderate +siderated +sideration +sidereal +siderealize +sidereally +siderean +siderin +siderism +siderite +siderites +sideritic +sideritis +siderocyte +siderognost +siderographer +siderography +siderographic +siderographical +siderographist +siderolite +siderology +sideroma +sideromagnetic +sideromancy +sideromelane +sideronatrite +sideronym +siderophilin +siderophobia +sideroscope +siderose +siderosilicosis +siderosis +siderostat +siderostatic +siderotechny +siderotic +siderous +sideroxylon +sidership +siderurgy +siderurgical +sides +sidesaddle +sidesaddles +sideshake +sideshow +sideshows +sideslip +sideslipped +sideslipping +sideslips +sidesman +sidesmen +sidespin +sidespins +sidesplitter +sidesplitting +sidesplittingly +sidest +sidestep +sidestepped +sidestepper +sidesteppers +sidestepping +sidesteps +sidestick +sidestroke +sidestrokes +sidesway +sideswipe +sideswiped +sideswiper +sideswipers +sideswipes +sideswiping +sidetrack +sidetracked +sidetracking +sidetracks +sideway +sideways +sidewalk +sidewalks +sidewall +sidewalls +sideward +sidewards +sidewash +sidewheel +sidewheeler +sidewinder +sidewinders +sidewipe +sidewiper +sidewise +sidhe +sidi +sidy +sidia +siding +sidings +sidion +sidle +sidled +sidler +sidlers +sidles +sidling +sidlingly +sidlins +sidney +sydney +sydneian +sydneyite +sidonian +sidrach +sidth +sie +sye +siecle +siecles +syed +siege +siegeable +siegecraft +sieged +siegenite +sieger +sieges +siegework +siegfried +sieging +sieglingia +siegmund +siegurd +siemens +siena +sienese +sienite +syenite +sienites +syenites +sienitic +syenitic +sienna +siennas +syenodiorite +syenogabbro +sier +siering +sierozem +sierozems +sierra +sierran +sierras +siest +siesta +siestaland +siestas +sieur +sieurs +sieva +sieve +sieved +sieveful +sievelike +sievelikeness +siever +sieversia +sieves +sievy +sieving +sievings +sifac +sifaka +sifatite +sife +siffilate +siffle +sifflement +sifflet +siffleur +siffleurs +siffleuse +siffleuses +sifflot +sift +siftage +sifted +sifter +sifters +sifting +siftings +syftn +sifts +sig +siganid +siganidae +siganids +siganus +sigatoka +sigaultian +sigfile +sigfiles +sigger +sigh +sighed +sigher +sighers +sighful +sighfully +sighing +sighingly +sighingness +sighless +sighlike +sighs +sight +sightable +sighted +sightedness +sighten +sightening +sighter +sighters +sightful +sightfulness +sighthole +sighty +sighting +sightings +sightless +sightlessly +sightlessness +sightly +sightlier +sightliest +sightlily +sightliness +sightproof +sights +sightsaw +sightscreen +sightsee +sightseeing +sightseen +sightseer +sightseers +sightsees +sightsman +sightworthy +sightworthiness +sigil +sigilative +sigilistic +sigill +sigillary +sigillaria +sigillariaceae +sigillariaceous +sigillarian +sigillarid +sigillarioid +sigillarist +sigillaroid +sigillate +sigillated +sigillation +sigillative +sigillistic +sigillographer +sigillography +sigillographical +sigillum +sigils +sigla +siglarian +sigloi +siglos +siglum +sigma +sigmas +sigmaspire +sigmate +sigmatic +sigmation +sigmatism +sigmodont +sigmodontes +sigmoid +sigmoidal +sigmoidally +sigmoidectomy +sigmoiditis +sigmoidopexy +sigmoidoproctostomy +sigmoidorectostomy +sigmoidoscope +sigmoidoscopy +sigmoidostomy +sigmoids +sigmund +sign +signa +signable +signacle +signal +signaled +signalee +signaler +signalers +signalese +signaletic +signaletics +signaling +signalise +signalised +signalising +signalism +signalist +signality +signalities +signalization +signalize +signalized +signalizes +signalizing +signalled +signaller +signally +signalling +signalman +signalmen +signalment +signals +signance +signary +signatary +signate +signation +signator +signatory +signatories +signatural +signature +signatured +signatureless +signatures +signaturing +signaturist +signboard +signboards +signed +signee +signer +signers +signet +signeted +signeting +signets +signetur +signetwise +signeur +signeury +signifer +signify +signifiable +signifiant +signific +significal +significance +significancy +significancies +significand +significant +significantly +significantness +significants +significate +signification +significations +significatist +significative +significatively +significativeness +significator +significatory +significatrix +significatum +significature +significavit +significian +significs +signifie +signified +signifier +signifies +signifying +signing +signior +signiori +signiory +signiories +signiors +signiorship +signist +signitor +signless +signlike +signman +signoff +signoi +signon +signons +signor +signora +signoras +signore +signori +signory +signoria +signorial +signories +signorina +signorinas +signorine +signorini +signorino +signorinos +signorize +signors +signorship +signpost +signposted +signposting +signposts +signs +signum +signwriter +sigrim +sigurd +sihasapa +sijill +sika +sikar +sikara +sikatch +sike +syke +siker +sikerly +sykerly +sikerness +sikes +sykes +siket +sikh +sikhara +sikhism +sikhra +sikhs +sikimi +sikinnis +sikkim +sikkimese +sikra +siksika +sil +syl +silage +silages +silaginoid +silane +silanes +silanga +silas +silbergroschen +silcrete +sild +silds +sile +silen +silenaceae +silenaceous +silenales +silence +silenced +silencer +silencers +silences +silency +silencing +silene +sylene +sileni +silenic +silent +silenter +silentest +silential +silentiary +silentio +silentious +silentish +silentium +silently +silentness +silents +silenus +silesia +silesian +silesias +siletz +silex +silexes +silexite +silgreen +silhouette +silhouetted +silhouettes +silhouetting +silhouettist +silhouettograph +silybum +silica +silicam +silicane +silicas +silicate +silicates +silication +silicatization +silicea +silicean +siliceocalcareous +siliceofelspathic +siliceofluoric +siliceous +silicic +silicicalcareous +silicicolous +silicide +silicides +silicidize +siliciferous +silicify +silicification +silicified +silicifies +silicifying +silicifluoric +silicifluoride +silicyl +siliciophite +silicious +silicispongiae +silicium +siliciums +siliciuret +siliciuretted +silicize +silicle +silicles +silico +silicoacetic +silicoalkaline +silicoaluminate +silicoarsenide +silicocalcareous +silicochloroform +silicocyanide +silicoethane +silicoferruginous +silicoflagellata +silicoflagellatae +silicoflagellate +silicoflagellidae +silicofluoric +silicofluoride +silicohydrocarbon +silicoidea +silicomagnesian +silicomanganese +silicomethane +silicon +silicone +silicones +siliconize +silicononane +silicons +silicopropane +silicoses +silicosis +silicospongiae +silicotalcose +silicothermic +silicotic +silicotitanate +silicotungstate +silicotungstic +silicula +silicular +silicule +siliculose +siliculous +sylid +silyl +syling +silipan +siliqua +siliquaceous +siliquae +siliquaria +siliquariidae +silique +siliques +siliquiferous +siliquiform +siliquose +siliquous +sylistically +silk +silkalene +silkaline +silked +silken +silker +silkflower +silkgrower +silky +silkie +silkier +silkiest +silkily +silkine +silkiness +silking +silklike +silkman +silkmen +silkness +silkolene +silkoline +silks +silkscreen +silkscreened +silkscreening +silkscreens +silksman +silkstone +silktail +silkweed +silkweeds +silkwoman +silkwood +silkwork +silkworker +silkworks +silkworm +silkworms +sill +syll +syllab +syllabary +syllabaria +syllabaries +syllabarium +syllabatim +syllabation +syllabe +syllabi +syllabic +syllabical +syllabically +syllabicate +syllabicated +syllabicating +syllabication +syllabicity +syllabicness +syllabics +syllabify +syllabification +syllabifications +syllabified +syllabifies +syllabifying +syllabise +syllabised +syllabising +syllabism +syllabize +syllabized +syllabizing +syllable +syllabled +syllables +syllabling +syllabogram +syllabography +sillabub +syllabub +sillabubs +syllabubs +syllabus +syllabuses +silladar +sillaginidae +sillago +sillandar +sillar +sillcock +syllepses +syllepsis +sylleptic +sylleptical +sylleptically +siller +sillery +sillers +silly +sillibib +sillibibs +sillibouk +sillibub +sillibubs +syllid +syllidae +syllidian +sillier +sillies +silliest +sillyhood +sillyhow +sillyish +sillyism +sillikin +sillily +sillimanite +silliness +syllis +sillyton +sillock +sylloge +syllogisation +syllogiser +syllogism +syllogisms +syllogist +syllogistic +syllogistical +syllogistically +syllogistics +syllogization +syllogize +syllogized +syllogizer +syllogizing +sillograph +sillographer +sillographist +sillometer +sillon +sills +silo +siloam +siloed +siloing +siloist +silos +siloxane +siloxanes +sylph +silpha +sylphy +sylphic +silphid +sylphid +silphidae +sylphidine +sylphids +sylphine +sylphish +silphium +sylphize +sylphlike +sylphon +sylphs +silt +siltage +siltation +silted +silty +siltier +siltiest +silting +siltlike +silts +siltstone +silundum +silure +silures +silurian +siluric +silurid +siluridae +siluridan +silurids +siluroid +siluroidei +siluroids +silurus +silva +sylva +silvae +sylvae +sylvage +silvan +sylvan +sylvanesque +sylvanite +silvanity +sylvanity +sylvanitic +sylvanize +sylvanly +silvanry +sylvanry +silvans +sylvans +silvanus +silvas +sylvas +sylvate +sylvatic +sylvatical +silvendy +silver +silverback +silverbeater +silverbelly +silverberry +silverberries +silverbiddy +silverbill +silverboom +silverbush +silvered +silvereye +silverer +silverers +silverfin +silverfish +silverfishes +silverhead +silvery +silverier +silveriest +silverily +silveriness +silvering +silverise +silverised +silverish +silverising +silverite +silverize +silverized +silverizer +silverizing +silverleaf +silverleaves +silverless +silverly +silverlike +silverling +silvern +silverness +silverpoint +silverrod +silvers +silverside +silversides +silverskin +silversmith +silversmithing +silversmiths +silverspot +silvertail +silvertip +silvertop +silvervine +silverware +silverweed +silverwing +silverwood +silverwork +silverworker +silvester +sylvester +sylvestral +sylvestrene +sylvestrian +sylvestrine +silvex +silvia +sylvia +sylvian +sylvic +silvical +sylvicolidae +sylvicoline +silvicolous +silvics +silvicultural +silviculturally +silviculture +sylviculture +silviculturist +sylviid +sylviidae +sylviinae +sylviine +sylvin +sylvine +sylvines +sylvinite +sylvins +sylvite +sylvites +silvius +sylvius +sim +sym +sima +simaba +simagre +simal +simar +simara +simarouba +simaroubaceae +simaroubaceous +simarre +simars +simaruba +simarubaceous +simarubas +simas +simazine +simazines +simba +simball +symbasic +symbasical +symbasically +symbasis +simbil +symbiogenesis +symbiogenetic +symbiogenetically +symbion +symbionic +symbions +symbiont +symbiontic +symbionticism +symbionts +symbioses +symbiosis +symbiot +symbiote +symbiotes +symbiotic +symbiotical +symbiotically +symbiotics +symbiotism +symbiotrophic +symbiots +symblepharon +simblin +simbling +simblot +simblum +symbol +symbolaeography +symbolater +symbolatry +symbolatrous +symboled +symbolic +symbolical +symbolically +symbolicalness +symbolicly +symbolics +symboling +symbolisation +symbolise +symbolised +symbolising +symbolism +symbolisms +symbolist +symbolistic +symbolistical +symbolistically +symbolization +symbolizations +symbolize +symbolized +symbolizer +symbolizes +symbolizing +symbolled +symbolling +symbolofideism +symbology +symbological +symbologist +symbolography +symbololatry +symbolology +symbolry +symbols +symbolum +symbouleutic +symbranch +symbranchia +symbranchiate +symbranchoid +symbranchous +simcon +sime +simeon +simeonism +simeonite +simia +simiad +simial +simian +simianity +simians +simiesque +simiid +simiidae +simiinae +similar +similary +similarily +similarity +similarities +similarize +similarly +similate +similative +simile +similes +similimum +similiter +simility +similitive +similitude +similitudinize +similize +similor +simioid +simious +simiousness +simitar +simitars +simity +simkin +simlin +simling +simlins +symmachy +symmedian +symmelia +symmelian +symmelus +simmer +simmered +simmering +simmeringly +simmers +symmetalism +symmetallism +symmetral +symmetry +symmetrian +symmetric +symmetrical +symmetricality +symmetrically +symmetricalness +symmetries +symmetrisation +symmetrise +symmetrised +symmetrising +symmetrist +symmetrization +symmetrize +symmetrized +symmetrizing +symmetroid +symmetrophobia +symmist +simmon +simmons +symmory +symmorphic +symmorphism +simnel +simnels +simnelwise +simoleon +simoleons +simon +simony +simoniac +simoniacal +simoniacally +simoniacs +simonial +simonian +simonianism +simonies +simonious +simonism +simonist +simonists +simonize +simonized +simonizes +simonizing +simool +simoom +simooms +simoon +simoons +simosaurus +simous +simp +simpai +sympalmograph +sympathectomy +sympathectomize +sympathetectomy +sympathetectomies +sympathetic +sympathetical +sympathetically +sympatheticism +sympatheticity +sympatheticness +sympatheticotonia +sympatheticotonic +sympathetoblast +sympathy +sympathic +sympathicoblast +sympathicotonia +sympathicotonic +sympathicotripsy +sympathies +sympathin +sympathique +sympathise +sympathised +sympathiser +sympathising +sympathisingly +sympathism +sympathist +sympathize +sympathized +sympathizer +sympathizers +sympathizes +sympathizing +sympathizingly +sympathoblast +sympatholysis +sympatholytic +sympathomimetic +simpatico +sympatry +sympatric +sympatrically +sympatries +simper +simpered +simperer +simperers +simpering +simperingly +simpers +sympetalae +sympetaly +sympetalous +symphalangus +symphenomena +symphenomenal +symphyantherous +symphycarpous +symphyla +symphylan +symphile +symphily +symphilic +symphilism +symphyllous +symphilous +symphylous +symphynote +symphyogenesis +symphyogenetic +symphyostemonous +symphyseal +symphyseotomy +symphyses +symphysy +symphysial +symphysian +symphysic +symphysion +symphysiotomy +symphysis +symphysodactylia +symphysotomy +symphystic +symphyta +symphytic +symphytically +symphytism +symphytize +symphytum +symphogenous +symphonetic +symphonette +symphony +symphonia +symphonic +symphonically +symphonies +symphonion +symphonious +symphoniously +symphonisation +symphonise +symphonised +symphonising +symphonist +symphonization +symphonize +symphonized +symphonizing +symphonous +symphoricarpos +symphoricarpous +symphrase +symphronistic +sympiesometer +symplasm +symplast +simple +simplectic +symplectic +simpled +symplegades +simplehearted +simpleheartedly +simpleheartedness +simpleminded +simplemindedly +simplemindedness +simpleness +simpler +simples +symplesite +simplesse +simplest +simpleton +simpletonian +simpletonianism +simpletonic +simpletonish +simpletonism +simpletons +simplex +simplexed +simplexes +simplexity +simply +simplices +simplicia +simplicial +simplicially +simplicident +simplicidentata +simplicidentate +simplicist +simplicitarian +simpliciter +simplicity +simplicities +simplicize +simplify +simplification +simplifications +simplificative +simplificator +simplified +simplifiedly +simplifier +simplifiers +simplifies +simplifying +simpling +simplism +simplisms +simplist +simplistic +simplistically +symplocaceae +symplocaceous +symplocarpus +symploce +symplocium +symplocos +simplum +sympode +sympodia +sympodial +sympodially +sympodium +sympolity +symposia +symposiac +symposiacal +symposial +symposiarch +symposiast +symposiastic +symposion +symposisia +symposisiums +symposium +symposiums +sympossia +simps +simpson +simptico +symptom +symptomatic +symptomatical +symptomatically +symptomaticness +symptomatics +symptomatize +symptomatography +symptomatology +symptomatologic +symptomatological +symptomatologically +symptomatologies +symptomical +symptomize +symptomless +symptomology +symptoms +symptosis +simpula +simpulum +simpulumla +sympus +sims +simsim +simson +symtab +symtomology +simul +simula +simulacra +simulacral +simulacrcra +simulacre +simulacrize +simulacrum +simulacrums +simulance +simulant +simulants +simular +simulars +simulate +simulated +simulates +simulating +simulation +simulations +simulative +simulatively +simulator +simulatory +simulators +simulcast +simulcasting +simulcasts +simule +simuler +simuliid +simuliidae +simulioid +simulium +simulize +simultaneity +simultaneous +simultaneously +simultaneousness +simulty +simurg +simurgh +sin +syn +sina +synacme +synacmy +synacmic +synactic +synadelphite +sinae +sinaean +synaeresis +synaesthesia +synaesthesis +synaesthetic +synagog +synagogal +synagogian +synagogical +synagogism +synagogist +synagogs +synagogue +synagogues +sinaic +sinaite +sinaitic +sinal +sinalbin +synalepha +synalephe +synalgia +synalgic +synallactic +synallagmatic +synallaxine +sinaloa +synaloepha +synaloephe +sinamay +sinamin +sinamine +synanastomosis +synange +synangia +synangial +synangic +synangium +synanthema +synantherology +synantherological +synantherologist +synantherous +synanthesis +synanthetic +synanthy +synanthic +synanthous +sinanthropus +synanthrose +sinapate +synaphe +synaphea +synapheia +sinapic +sinapin +sinapine +sinapinic +sinapis +sinapisine +sinapism +sinapisms +sinapize +sinapoline +synaposematic +synapse +synapsed +synapses +synapsid +synapsida +synapsidan +synapsing +synapsis +synaptai +synaptase +synapte +synaptene +synaptera +synapterous +synaptic +synaptical +synaptically +synaptychus +synapticula +synapticulae +synapticular +synapticulate +synapticulum +synaptid +synaptosauria +synaptosomal +synaptosome +synarchy +synarchical +sinarchism +synarchism +sinarchist +synarmogoid +synarmogoidea +sinarquism +synarquism +sinarquist +sinarquista +synarses +synartesis +synartete +synartetic +synarthrodia +synarthrodial +synarthrodially +synarthroses +synarthrosis +synascidiae +synascidian +synastry +sinatra +sinawa +synaxar +synaxary +synaxaria +synaxaries +synaxarion +synaxarist +synaxarium +synaxaxaria +synaxes +synaxis +sync +sincaline +sincamas +syncarida +syncaryon +syncarp +syncarpy +syncarpia +syncarpies +syncarpium +syncarpous +syncarps +syncategorem +syncategorematic +syncategorematical +syncategorematically +syncategoreme +since +synced +syncellus +syncephalic +syncephalus +sincere +syncerebral +syncerebrum +sincerely +sincereness +sincerer +sincerest +sincerity +sincerities +synch +synched +synching +synchysis +synchitic +synchytriaceae +synchytrium +synchondoses +synchondrosial +synchondrosially +synchondrosis +synchondrotomy +synchoresis +synchro +synchrocyclotron +synchroflash +synchromesh +synchromism +synchromist +synchronal +synchrone +synchroneity +synchrony +synchronic +synchronical +synchronically +synchronies +synchronisation +synchronise +synchronised +synchroniser +synchronising +synchronism +synchronistic +synchronistical +synchronistically +synchronizable +synchronization +synchronize +synchronized +synchronizer +synchronizers +synchronizes +synchronizing +synchronograph +synchronology +synchronological +synchronoscope +synchronous +synchronously +synchronousness +synchros +synchroscope +synchrotron +synchs +syncing +sincipita +sincipital +sinciput +sinciputs +syncytia +syncytial +syncytioma +syncytiomas +syncytiomata +syncytium +syncladous +synclastic +synclinal +synclinally +syncline +synclines +synclinical +synclinore +synclinorial +synclinorian +synclinorium +synclitic +syncliticism +synclitism +syncoelom +syncom +syncoms +syncopal +syncopare +syncopate +syncopated +syncopates +syncopating +syncopation +syncopations +syncopative +syncopator +syncope +syncopes +syncopic +syncopism +syncopist +syncopize +syncotyledonous +syncracy +syncraniate +syncranterian +syncranteric +syncrasy +syncretic +syncretical +syncreticism +syncretion +syncretism +syncretist +syncretistic +syncretistical +syncretize +syncretized +syncretizing +syncrypta +syncryptic +syncrisis +syncs +sind +synd +syndactyl +syndactyle +syndactyli +syndactyly +syndactylia +syndactylic +syndactylism +syndactylous +syndactylus +syndectomy +sinder +synderesis +syndeses +syndesis +syndesises +syndesmectopia +syndesmies +syndesmitis +syndesmography +syndesmology +syndesmoma +syndesmon +syndesmoplasty +syndesmorrhaphy +syndesmoses +syndesmosis +syndesmotic +syndesmotomy +syndet +syndetic +syndetical +syndetically +syndeton +syndets +sindhi +syndyasmian +syndic +syndical +syndicalism +syndicalist +syndicalistic +syndicalize +syndicat +syndicate +syndicated +syndicateer +syndicates +syndicating +syndication +syndications +syndicator +syndics +syndicship +syndyoceras +syndiotactic +sindle +sindoc +syndoc +sindon +sindry +syndrome +syndromes +syndromic +sine +syne +sinebada +synecdoche +synecdochic +synecdochical +synecdochically +synecdochism +synechdochism +synechia +synechiae +synechiology +synechiological +synechist +synechistic +synechology +synechological +synechotomy +synechthran +synechthry +synecious +synecology +synecologic +synecological +synecologically +synecphonesis +synectic +synectically +synecticity +synectics +sinecural +sinecure +sinecured +sinecures +sinecureship +sinecuring +sinecurism +sinecurist +synedra +synedral +synedria +synedrial +synedrian +synedrion +synedrium +synedrous +syneidesis +synema +synemata +synemmenon +synenergistic +synenergistical +synenergistically +synentognath +synentognathi +synentognathous +synephrine +syneresis +synergastic +synergetic +synergy +synergia +synergias +synergic +synergical +synergically +synergid +synergidae +synergidal +synergids +synergies +synergism +synergisms +synergist +synergistic +synergistical +synergistically +synergists +synergize +synerize +sines +sinesian +synesis +synesises +synesthesia +synesthetic +synethnic +synetic +sinew +sinewed +sinewy +sinewiness +sinewing +sinewless +sinewous +sinews +synezisis +sinfonia +sinfonie +sinfonietta +synfuel +synfuels +sinful +sinfully +sinfulness +sing +singability +singable +singableness +singally +syngamy +syngamic +syngamies +syngamous +singapore +singarip +singe +singed +singey +singeing +singeingly +syngeneic +syngenesia +syngenesian +syngenesious +syngenesis +syngenetic +syngenic +syngenism +syngenite +singer +singeress +singerie +singers +singes +singfest +singfo +singh +singhalese +singillatim +singing +singingfish +singingfishes +singingly +singkamas +single +singlebar +singled +singlehanded +singlehandedly +singlehandedness +singlehearted +singleheartedly +singleheartedness +singlehood +singlemindedly +singleness +singleprecision +singler +singles +singlestep +singlestick +singlesticker +singlet +singleton +singletons +singletree +singletrees +singlets +singly +singling +singlings +syngnatha +syngnathi +syngnathid +syngnathidae +syngnathoid +syngnathous +syngnathus +singpho +syngraph +sings +singsing +singsong +singsongy +singsongs +singspiel +singstress +singular +singularism +singularist +singularity +singularities +singularization +singularize +singularized +singularizing +singularly +singularness +singulars +singult +singultation +singultous +singultus +singultuses +sinh +sinhalese +sinhalite +sinhasan +sinhs +sinian +sinic +sinical +sinicism +sinicization +sinicize +sinicized +sinicizes +sinicizing +sinico +sinify +sinification +sinigrin +sinigrinase +sinigrosid +sinigroside +sinisian +sinism +sinister +sinisterly +sinisterness +sinisterwise +sinistra +sinistrad +sinistral +sinistrality +sinistrally +sinistration +sinistrin +sinistrocerebral +sinistrocular +sinistrocularity +sinistrodextral +sinistrogyrate +sinistrogyration +sinistrogyric +sinistromanual +sinistrorsal +sinistrorsally +sinistrorse +sinistrorsely +sinistrous +sinistrously +sinistruous +sinite +sinitic +synizesis +sinjer +sink +sinkable +sinkage +sinkages +synkaryon +synkaryonic +synkatathesis +sinkboat +sinkbox +sinked +sinker +sinkerless +sinkers +sinkfield +sinkhead +sinkhole +sinkholes +sinky +synkinesia +synkinesis +synkinetic +sinking +sinkingly +sinkiuse +sinkless +sinklike +sinkroom +sinks +sinkstone +sinless +sinlessly +sinlessness +sinlike +sinnable +sinnableness +sinned +synnema +synnemata +sinnen +sinner +sinneress +sinners +sinnership +sinnet +synneurosis +synneusis +sinning +sinningia +sinningly +sinningness +sinnowed +sinoatrial +sinoauricular +synocha +synochal +synochoid +synochous +synochus +synocreate +synod +synodal +synodalian +synodalist +synodally +synodian +synodic +synodical +synodically +synodicon +synodist +synodite +synodontid +synodontidae +synodontoid +synods +synodsman +synodsmen +synodus +synoecete +synoecy +synoeciosis +synoecious +synoeciously +synoeciousness +synoecism +synoecize +synoekete +synoeky +synoetic +sinogram +synoicous +synoicousness +sinoidal +sinolog +sinologer +sinology +sinological +sinologies +sinologist +sinologue +sinomenine +synomosy +sinon +synonym +synonymatic +synonyme +synonymes +synonymy +synonymic +synonymical +synonymicon +synonymics +synonymies +synonymise +synonymised +synonymising +synonymist +synonymity +synonymize +synonymized +synonymizing +synonymous +synonymously +synonymousness +synonyms +sinonism +synonomous +synonomously +synop +sinoper +sinophile +sinophilism +synophthalmia +synophthalmus +sinopia +sinopias +sinopic +sinopie +sinopis +sinopite +sinople +synopses +synopsy +synopsic +synopsis +synopsise +synopsised +synopsising +synopsize +synopsized +synopsizing +synoptic +synoptical +synoptically +synoptist +synoptistic +synorchidism +synorchism +sinorespiratory +synorthographic +synosteology +synosteoses +synosteosis +synostose +synostoses +synostosis +synostotic +synostotical +synostotically +synousiacs +synovectomy +synovia +synovial +synovially +synovias +synoviparous +synovitic +synovitis +synpelmous +sinproof +synrhabdosome +sins +synsacral +synsacrum +synsepalous +sinsiga +sinsyne +sinsion +synspermous +synsporous +sinsring +syntactially +syntactic +syntactical +syntactically +syntactician +syntactics +syntagm +syntagma +syntality +syntalities +syntan +syntasis +syntax +syntaxes +syntaxis +syntaxist +syntechnic +syntectic +syntectical +syntelome +syntenosis +sinter +sinterability +sintered +synteresis +sintering +sinters +syntexis +syntheme +synthermal +syntheses +synthesis +synthesise +synthesism +synthesist +synthesization +synthesize +synthesized +synthesizer +synthesizers +synthesizes +synthesizing +synthetase +synthete +synthetic +synthetical +synthetically +syntheticism +syntheticness +synthetics +synthetisation +synthetise +synthetised +synthetiser +synthetising +synthetism +synthetist +synthetization +synthetize +synthetizer +synthol +synthroni +synthronoi +synthronos +synthronus +syntype +syntypic +syntypicism +sinto +sintoc +sintoism +sintoist +syntomy +syntomia +syntone +syntony +syntonic +syntonical +syntonically +syntonies +syntonin +syntonisation +syntonise +syntonised +syntonising +syntonization +syntonize +syntonized +syntonizer +syntonizing +syntonolydian +syntonous +syntripsis +syntrope +syntrophic +syntrophoblast +syntrophoblastic +syntropy +syntropic +syntropical +sintsink +sintu +sinuate +sinuated +sinuatedentate +sinuately +sinuates +sinuating +sinuation +sinuatocontorted +sinuatodentate +sinuatodentated +sinuatopinnatifid +sinuatoserrated +sinuatoundulate +sinuatrial +sinuauricular +sinuitis +sinuose +sinuosely +sinuosity +sinuosities +sinuous +sinuously +sinuousness +sinupallia +sinupallial +sinupallialia +sinupalliata +sinupalliate +synura +synurae +sinus +sinusal +sinuses +synusia +synusiast +sinusitis +sinuslike +sinusoid +sinusoidal +sinusoidally +sinusoids +sinuventricular +sinward +sinzer +syodicon +siol +sion +sioning +sionite +siouan +sioux +sip +sipage +sipapu +sipe +siped +siper +sipers +sipes +syph +siphac +sypher +syphered +syphering +syphers +syphilid +syphilide +syphilidography +syphilidologist +syphiliphobia +syphilis +syphilisation +syphilise +syphilises +syphilitic +syphilitically +syphilitics +syphilization +syphilize +syphilized +syphilizing +syphiloderm +syphilodermatous +syphilogenesis +syphilogeny +syphilographer +syphilography +syphiloid +syphilology +syphilologist +syphiloma +syphilomatous +syphilophobe +syphilophobia +syphilophobic +syphilopsychosis +syphilosis +syphilous +siphoid +siphon +syphon +siphonaceous +siphonage +siphonal +siphonales +siphonaptera +siphonapterous +siphonaria +siphonariid +siphonariidae +siphonata +siphonate +siphonated +siphoneae +siphoned +syphoned +siphoneous +siphonet +siphonia +siphonial +siphoniata +siphonic +siphonifera +siphoniferous +siphoniform +siphoning +syphoning +siphonium +siphonless +siphonlike +siphonobranchiata +siphonobranchiate +siphonocladales +siphonocladiales +siphonogam +siphonogama +siphonogamy +siphonogamic +siphonogamous +siphonoglyph +siphonoglyphe +siphonognathid +siphonognathidae +siphonognathous +siphonognathus +siphonophora +siphonophoran +siphonophore +siphonophorous +siphonoplax +siphonopore +siphonorhinal +siphonorhine +siphonosome +siphonostele +siphonostely +siphonostelic +siphonostoma +siphonostomata +siphonostomatous +siphonostome +siphonostomous +siphonozooid +siphons +syphons +siphonula +siphorhinal +siphorhinian +siphosome +siphuncle +siphuncled +siphuncular +siphunculata +siphunculate +siphunculated +siphunculus +sipibo +sipid +sipidity +sipylite +siping +sipling +sipped +sipper +sippers +sippet +sippets +sippy +sipping +sippingly +sippio +sipple +sips +sipunculacea +sipunculacean +sipunculid +sipunculida +sipunculoid +sipunculoidea +sipunculus +sir +syr +syracusan +syracuse +sircar +sirdar +sirdars +sirdarship +sire +syre +sired +siredon +siree +sirees +sireless +siren +syren +sirene +sireny +sirenia +sirenian +sirenians +sirenic +sirenical +sirenically +sirenidae +sirening +sirenize +sirenlike +sirenoid +sirenoidea +sirenoidei +sirenomelus +sirens +syrens +sires +sireship +siress +syrette +sirex +sirgang +syria +syriac +syriacism +syriacist +sirian +siryan +syrian +sirianian +syrianic +syrianism +syrianize +syrians +syriarch +siriasis +syriasm +siricid +siricidae +siricoidea +syryenian +sirih +siring +syringa +syringadenous +syringas +syringe +syringeal +syringed +syringeful +syringes +syringin +syringing +syringitis +syringium +syringocele +syringocoele +syringomyelia +syringomyelic +syringotome +syringotomy +syrinx +syrinxes +syriologist +siriometer +sirione +siris +sirius +sirkar +sirkeer +sirki +sirky +sirloin +sirloiny +sirloins +syrma +syrmaea +sirmark +sirmian +syrmian +sirmuellera +syrnium +siroc +sirocco +siroccoish +siroccoishly +siroccos +sirop +syrophoenician +siros +sirpea +syrphian +syrphians +syrphid +syrphidae +syrphids +syrphus +sirple +sirpoon +sirra +sirrah +sirrahs +sirras +sirree +sirrees +syrringed +syrringing +sirs +sirship +syrt +syrtic +syrtis +siruaballi +siruelas +sirup +syrup +siruped +syruped +siruper +syruper +sirupy +syrupy +syrupiness +syruplike +sirups +syrups +syrus +sirvent +sirvente +sirventes +sis +sisal +sisalana +sisals +siscowet +sise +sisel +siserara +siserary +siserskite +sises +sish +sisham +sisi +sisymbrium +sysin +sisyphean +sisyphian +sisyphides +sisyphism +sisyphist +sisyphus +sisyrinchium +sisith +siskin +siskins +sisley +sislowet +sismotherapy +sysout +siss +syssarcosic +syssarcosis +syssarcotic +syssel +sysselman +sisseton +sissy +syssiderite +sissier +sissies +sissiest +sissify +sissification +sissified +sissyish +sissyism +sissiness +sissing +syssita +syssitia +syssition +sissone +sissonne +sissonnes +sissoo +sissu +sist +syst +systaltic +sistani +systasis +systatic +system +systematy +systematic +systematical +systematicality +systematically +systematicalness +systematician +systematicness +systematics +systematisation +systematise +systematised +systematiser +systematising +systematism +systematist +systematization +systematize +systematized +systematizer +systematizes +systematizing +systematology +systemed +systemic +systemically +systemics +systemisable +systemisation +systemise +systemised +systemiser +systemising +systemist +systemizable +systemization +systemize +systemized +systemizer +systemizes +systemizing +systemless +systemoid +systemproof +systems +systemwide +systemwise +sisten +sistence +sistency +sistent +sister +sistered +sisterhood +sisterhoods +sisterin +sistering +sisterize +sisterless +sisterly +sisterlike +sisterliness +sistern +sisters +sistership +systyle +systilius +systylous +sistine +sisting +sistle +systolated +systole +systoles +systolic +sistomensin +sistra +sistren +sistroid +sistrum +sistrums +sistrurus +sit +sita +sitao +sitar +sitarist +sitarists +sitars +sitatunga +sitatungas +sitch +sitcom +sitcoms +site +sited +sitella +sites +sitfast +sith +sithcund +sithe +sithement +sithen +sithence +sithens +sithes +siti +sitient +siting +sitio +sitiology +sitiomania +sitiophobia +sitka +sitkan +sitology +sitologies +sitomania +sitophilus +sitophobia +sitophobic +sitosterin +sitosterol +sitotoxism +sitrep +sitringee +sits +sitta +sittee +sitten +sitter +sitters +sittidae +sittinae +sittine +sitting +sittings +sittringy +situ +situal +situate +situated +situates +situating +situation +situational +situationally +situations +situla +situlae +situp +situps +situs +situses +situtunga +sitz +sitzbath +sitzkrieg +sitzmark +sitzmarks +syud +sium +siums +syun +siusi +siuslaw +siva +sivaism +sivaist +sivaistic +sivaite +sivan +sivapithecus +sivathere +sivatheriidae +sivatheriinae +sivatherioid +sivatherium +siver +sivers +sivvens +siwan +siwash +siwashed +siwashing +siwens +six +sixain +sixer +sixes +sixfoil +sixfold +sixfolds +sixgun +sixhaend +sixhynde +sixing +sixish +sixmo +sixmos +sixpence +sixpences +sixpenny +sixpennyworth +sixscore +sixsome +sixte +sixteen +sixteener +sixteenfold +sixteenmo +sixteenmos +sixteenpenny +sixteens +sixteenth +sixteenthly +sixteenths +sixtes +sixth +sixthet +sixthly +sixths +sixty +sixties +sixtieth +sixtieths +sixtyfold +sixtine +sixtypenny +sixtowns +sixtus +sizable +sizableness +sizably +sizal +sizar +sizars +sizarship +size +sizeable +sizeableness +sizeably +sized +sizeine +sizeman +sizer +sizers +sizes +sizy +sizier +siziest +siziests +syzygal +syzygetic +syzygetically +syzygy +sizygia +syzygia +syzygial +syzygies +sizygium +syzygium +siziness +sizinesses +sizing +sizings +sizz +sizzard +sizzing +sizzle +sizzled +sizzler +sizzlers +sizzles +sizzling +sizzlingly +sjaak +sjambok +sjomil +sjomila +sjouke +sk +skaalpund +skaamoog +skaddle +skaff +skaffie +skag +skags +skail +skayles +skaillie +skainsmate +skair +skaitbird +skaithy +skal +skalawag +skald +skaldic +skalds +skaldship +skalpund +skance +skanda +skandhas +skart +skasely +skat +skate +skateable +skateboard +skateboarded +skateboarder +skateboarders +skateboarding +skateboards +skated +skatemobile +skatepark +skater +skaters +skates +skatikas +skatiku +skating +skatings +skatist +skatol +skatole +skatoles +skatology +skatols +skatoma +skatoscopy +skatosine +skatoxyl +skats +skaw +skean +skeane +skeanes +skeanockle +skeans +skeat +sked +skedaddle +skedaddled +skedaddler +skedaddling +skedge +skedgewith +skedlock +skee +skeeball +skeech +skeed +skeeg +skeeing +skeel +skeely +skeeling +skeen +skeenyie +skeens +skeer +skeered +skeery +skees +skeesicks +skeet +skeeter +skeeters +skeets +skeezicks +skeezix +skef +skeg +skegger +skegs +skey +skeich +skeif +skeigh +skeighish +skeily +skein +skeined +skeiner +skeining +skeins +skeipp +skeyting +skel +skelder +skelderdrake +skeldock +skeldraik +skeldrake +skelet +skeletal +skeletally +skeletin +skeletogeny +skeletogenous +skeletomuscular +skeleton +skeletony +skeletonian +skeletonic +skeletonise +skeletonised +skeletonising +skeletonization +skeletonize +skeletonized +skeletonizer +skeletonizing +skeletonless +skeletonlike +skeletons +skeletonweed +skelf +skelgoose +skelic +skell +skellat +skeller +skelly +skelloch +skellum +skellums +skelp +skelped +skelper +skelpin +skelping +skelpit +skelps +skelter +skeltered +skeltering +skelters +skeltonian +skeltonic +skeltonical +skeltonics +skelvy +skemmel +skemp +sken +skenai +skene +skenes +skeo +skeough +skep +skepful +skepfuls +skeppe +skeppist +skeppund +skeps +skepsis +skepsises +skeptic +skeptical +skeptically +skepticalness +skepticism +skepticize +skepticized +skepticizing +skeptics +skeptophylaxia +skeptophylaxis +sker +skere +skerret +skerry +skerrick +skerries +skers +sket +sketch +sketchability +sketchable +sketchbook +sketched +sketchee +sketcher +sketchers +sketches +sketchy +sketchier +sketchiest +sketchily +sketchiness +sketching +sketchingly +sketchist +sketchlike +sketchpad +skete +sketiotai +skeuomorph +skeuomorphic +skevish +skew +skewback +skewbacked +skewbacks +skewbald +skewbalds +skewed +skewer +skewered +skewerer +skewering +skewers +skewerwood +skewy +skewing +skewings +skewl +skewly +skewness +skewnesses +skews +skewwhiff +skewwise +skhian +ski +sky +skiable +skiagram +skiagrams +skiagraph +skiagraphed +skiagrapher +skiagraphy +skiagraphic +skiagraphical +skiagraphically +skiagraphing +skiamachy +skiameter +skiametry +skiapod +skiapodous +skiascope +skiascopy +skiatron +skybal +skybald +skibbet +skibby +skibob +skibobber +skibobbing +skibobs +skyborne +skibslast +skycap +skycaps +skice +skycoach +skycraft +skid +skidded +skidder +skidders +skiddy +skiddycock +skiddier +skiddiest +skidding +skiddingly +skiddoo +skiddooed +skiddooing +skiddoos +skidi +skydive +skydived +skydiver +skydivers +skydives +skydiving +skidlid +skidoo +skidooed +skidooing +skidoos +skydove +skidpan +skidproof +skids +skidway +skidways +skye +skiech +skied +skyed +skiegh +skiey +skyey +skieppe +skiepper +skier +skiers +skies +skieur +skiff +skiffle +skiffled +skiffles +skiffless +skiffling +skiffs +skift +skyfte +skyful +skyhook +skyhooks +skyhoot +skiing +skying +skiings +skiis +skyish +skyjack +skyjacked +skyjacker +skyjackers +skyjacking +skyjacks +skijore +skijorer +skijorers +skijoring +skil +skylab +skylark +skylarked +skylarker +skylarkers +skylarking +skylarks +skilder +skildfel +skyless +skilfish +skilful +skilfully +skilfulness +skylight +skylights +skylike +skyline +skylined +skylines +skylining +skill +skillagalee +skilled +skillenton +skilless +skillessness +skillet +skilletfish +skilletfishes +skillets +skillful +skillfully +skillfulness +skilly +skilligalee +skilling +skillings +skillion +skillo +skills +skylook +skylounge +skilpot +skilty +skilts +skim +skyman +skimback +skime +skymen +skimmed +skimmelton +skimmer +skimmers +skimmerton +skimmia +skimming +skimmingly +skimmings +skimmington +skimmity +skimo +skimobile +skimos +skimp +skimped +skimpy +skimpier +skimpiest +skimpily +skimpiness +skimping +skimpingly +skimps +skims +skin +skinball +skinbound +skinch +skindive +skindiver +skindiving +skinflick +skinflint +skinflinty +skinflintily +skinflintiness +skinflints +skinful +skinfuls +skinhead +skinheads +skink +skinked +skinker +skinkers +skinking +skinkle +skinks +skinless +skinlike +skinned +skinner +skinnery +skinneries +skinners +skinny +skinnier +skinniest +skinniness +skinning +skins +skint +skintight +skintle +skintled +skintling +skinworm +skiogram +skiograph +skiophyte +skioring +skiorings +skip +skipbrain +skipdent +skipetar +skyphoi +skyphos +skypipe +skipjack +skipjackly +skipjacks +skipkennel +skiplane +skiplanes +skyplast +skipman +skyport +skippable +skipped +skippel +skipper +skipperage +skippered +skippery +skippering +skippers +skippership +skippet +skippets +skippy +skipping +skippingly +skipple +skippund +skips +skiptail +skipway +skyre +skyrgaliard +skyriding +skyrin +skirl +skirlcock +skirled +skirling +skirls +skirmish +skirmished +skirmisher +skirmishers +skirmishes +skirmishing +skirmishingly +skyrocket +skyrocketed +skyrockety +skyrocketing +skyrockets +skirp +skirr +skirred +skirreh +skirret +skirrets +skirring +skirrs +skirt +skirtboard +skirted +skirter +skirters +skirty +skirting +skirtingly +skirtings +skirtless +skirtlike +skirts +skirwhit +skirwort +skis +skys +skysail +skysails +skyscape +skyscrape +skyscraper +skyscrapers +skyscraping +skyshine +skystone +skysweeper +skit +skite +skyte +skited +skiter +skites +skither +skiting +skitishly +skits +skitswish +skittaget +skittagetan +skitter +skittered +skittery +skitterier +skitteriest +skittering +skitters +skitty +skittyboot +skittish +skittishly +skittishness +skittle +skittled +skittler +skittles +skittling +skyugle +skiv +skive +skived +skiver +skivers +skiverwood +skives +skivy +skivie +skivies +skiving +skivvy +skivvies +skyway +skyways +skyward +skywards +skywave +skiwear +skiwears +skiwy +skiwies +skywrite +skywriter +skywriters +skywrites +skywriting +skywritten +skywrote +sklate +sklater +sklent +sklented +sklenting +sklents +skleropelite +sklinter +skoal +skoaled +skoaling +skoals +skodaic +skogbolite +skoinolon +skokiaan +skokomish +skol +skolly +skomerite +skoo +skookum +skoot +skopets +skoptsy +skout +skouth +skraeling +skraelling +skraigh +skreegh +skreeghed +skreeghing +skreeghs +skreel +skreigh +skreighed +skreighing +skreighs +skryer +skrike +skrimshander +skrupul +skua +skuas +skulduggery +skulk +skulked +skulker +skulkers +skulking +skulkingly +skulks +skull +skullbanker +skullcap +skullcaps +skullduggery +skullduggeries +skulled +skullery +skullfish +skullful +skully +skulls +skulp +skun +skunk +skunkbill +skunkbush +skunkdom +skunked +skunkery +skunkhead +skunky +skunking +skunkish +skunklet +skunks +skunktop +skunkweed +skupshtina +skurry +skuse +skutterudite +sl +sla +slab +slabbed +slabber +slabbered +slabberer +slabbery +slabbering +slabbers +slabby +slabbiness +slabbing +slabline +slabman +slabness +slabs +slabstone +slabwood +slack +slackage +slacked +slacken +slackened +slackener +slackening +slackens +slacker +slackerism +slackers +slackest +slackie +slacking +slackingly +slackly +slackminded +slackmindedness +slackness +slacks +slackwitted +slackwittedness +slad +sladang +slade +slae +slag +slaggability +slaggable +slagged +slagger +slaggy +slaggier +slaggiest +slagging +slagless +slaglessness +slagman +slags +slay +slayable +slayed +slayer +slayers +slaying +slain +slainte +slays +slaister +slaistery +slait +slakable +slake +slakeable +slaked +slakeless +slaker +slakers +slakes +slaky +slakier +slakiest +slakin +slaking +slalom +slalomed +slaloming +slaloms +slam +slambang +slammakin +slammed +slammer +slammerkin +slamming +slammock +slammocky +slammocking +slamp +slampamp +slampant +slams +slander +slandered +slanderer +slanderers +slanderful +slanderfully +slandering +slanderingly +slanderous +slanderously +slanderousness +slanderproof +slanders +slane +slang +slanged +slangy +slangier +slangiest +slangily +slanginess +slanging +slangish +slangishly +slangism +slangkop +slangous +slangrell +slangs +slangster +slanguage +slangular +slangwhang +slank +slant +slanted +slanter +slantindicular +slantindicularly +slanting +slantingly +slantingways +slantly +slants +slantways +slantwise +slap +slapdab +slapdash +slapdashery +slapdasheries +slapdashes +slape +slaphappy +slaphappier +slaphappiest +slapjack +slapjacks +slapped +slapper +slappers +slappy +slapping +slaps +slapshot +slapstick +slapsticky +slapsticks +slare +slart +slarth +slartibartfast +slash +slashed +slasher +slashers +slashes +slashy +slashing +slashingly +slashings +slask +slat +slatch +slatches +slate +slated +slateful +slateyard +slatelike +slatemaker +slatemaking +slater +slaters +slates +slateworks +slath +slather +slathered +slathering +slathers +slaty +slatier +slatiest +slatify +slatified +slatifying +slatiness +slating +slatings +slatish +slats +slatted +slatter +slattered +slattery +slattering +slattern +slatternish +slatternly +slatternliness +slatternness +slatterns +slatting +slaughter +slaughterdom +slaughtered +slaughterer +slaughterers +slaughterhouse +slaughterhouses +slaughtery +slaughteryard +slaughtering +slaughteringly +slaughterman +slaughterous +slaughterously +slaughters +slaum +slaunchways +slav +slavdom +slave +slaveborn +slaved +slaveholder +slaveholding +slavey +slaveys +slaveland +slaveless +slavelet +slavelike +slaveling +slavemonger +slaveowner +slaveownership +slavepen +slaver +slavered +slaverer +slaverers +slavery +slaveries +slavering +slaveringly +slavers +slaves +slavi +slavian +slavic +slavicism +slavicist +slavicize +slavify +slavification +slavikite +slavin +slaving +slavish +slavishly +slavishness +slavism +slavist +slavistic +slavization +slavize +slavocracy +slavocracies +slavocrat +slavocratic +slavonian +slavonianize +slavonic +slavonically +slavonicize +slavonish +slavonism +slavonization +slavonize +slavophile +slavophilism +slavophobe +slavophobist +slavs +slaw +slawbank +slaws +sld +sleathy +sleave +sleaved +sleaves +sleaving +sleazy +sleazier +sleaziest +sleazily +sleaziness +sleb +sleck +sled +sledded +sledder +sledders +sledding +sleddings +sledful +sledge +sledged +sledgehammer +sledgehammering +sledgehammers +sledgeless +sledgemeter +sledger +sledges +sledging +sledlike +sleds +slee +sleech +sleechy +sleek +sleeked +sleeken +sleekened +sleekening +sleekens +sleeker +sleekest +sleeky +sleekier +sleekiest +sleeking +sleekit +sleekly +sleekness +sleeks +sleep +sleepcoat +sleeper +sleepered +sleepers +sleepful +sleepfulness +sleepy +sleepier +sleepiest +sleepify +sleepyhead +sleepyheads +sleepily +sleepiness +sleeping +sleepingly +sleepings +sleepish +sleepland +sleepless +sleeplessly +sleeplessness +sleeplike +sleepmarken +sleepproof +sleepry +sleeps +sleepwaker +sleepwaking +sleepwalk +sleepwalker +sleepwalkers +sleepwalking +sleepward +sleepwear +sleepwort +sleer +sleet +sleeted +sleety +sleetier +sleetiest +sleetiness +sleeting +sleetproof +sleets +sleeve +sleeveband +sleeveboard +sleeved +sleeveen +sleevefish +sleeveful +sleeveless +sleevelessness +sleevelet +sleevelike +sleever +sleeves +sleeving +sleezy +sley +sleided +sleyed +sleyer +sleigh +sleighed +sleigher +sleighers +sleighing +sleighs +sleight +sleightful +sleighty +sleightness +sleights +sleying +sleys +slendang +slender +slenderer +slenderest +slenderish +slenderization +slenderize +slenderized +slenderizes +slenderizing +slenderly +slenderness +slent +slepez +slept +slete +sleuth +sleuthdog +sleuthed +sleuthful +sleuthhound +sleuthing +sleuthlike +sleuths +slew +slewed +slewer +slewing +slewingslews +slews +slewth +sly +slibbersauce +slyboots +slice +sliceable +sliced +slicer +slicers +slices +slich +slicht +slicing +slicingly +slick +slicked +slicken +slickens +slickenside +slickensided +slicker +slickered +slickery +slickers +slickest +slicking +slickly +slickness +slickpaper +slicks +slickstone +slid +slidable +slidableness +slidably +slidage +slidden +slidder +sliddery +slidderness +sliddry +slide +slideable +slideableness +slideably +slided +slidefilm +slidegroat +slidehead +slideknot +slideman +slideproof +slider +sliders +slides +slideway +slideways +sliding +slidingly +slidingness +slidometer +slier +slyer +sliest +slyest +slifter +sliggeen +slight +slighted +slighten +slighter +slightest +slighty +slightier +slightiest +slightily +slightiness +slighting +slightingly +slightish +slightly +slightness +slights +slyish +slik +slily +slyly +slim +slime +slimed +slimeman +slimemen +slimepit +slimer +slimes +slimy +slimier +slimiest +slimily +sliminess +sliming +slimish +slimishness +slimly +slimline +slimmed +slimmer +slimmest +slimming +slimmish +slimness +slimnesses +slimpsy +slimpsier +slimpsiest +slims +slimsy +slimsier +slimsiest +sline +slyness +slynesses +sling +slingback +slingball +slinge +slinger +slingers +slinging +slingman +slings +slingshot +slingshots +slingsman +slingsmen +slingstone +slink +slinker +slinky +slinkier +slinkiest +slinkily +slinkiness +slinking +slinkingly +slinks +slinkskin +slinkweed +slinte +slip +slipback +slipband +slipboard +slipbody +slipbodies +slipcase +slipcases +slipcoach +slipcoat +slipcote +slipcover +slipcovers +slipe +slype +sliped +slipes +slypes +slipform +slipformed +slipforming +slipforms +slipgibbet +sliphalter +sliphorn +sliphouse +sliping +slipknot +slipknots +slipless +slipman +slipnoose +slipout +slipouts +slipover +slipovers +slippage +slippages +slipped +slipper +slippered +slipperflower +slippery +slipperyback +slipperier +slipperiest +slipperily +slipperiness +slipperyroot +slipperlike +slippers +slipperweed +slipperwort +slippy +slippier +slippiest +slippiness +slipping +slippingly +slipproof +sliprail +slips +slipsheet +slipshod +slipshoddy +slipshoddiness +slipshodness +slipshoe +slipskin +slipslap +slipslop +slipsloppish +slipsloppism +slipslops +slipsole +slipsoles +slipstep +slipstick +slipstone +slipstream +slipstring +slipt +sliptopped +slipup +slipups +slipway +slipways +slipware +slipwares +slirt +slish +slit +slitch +slite +slither +slithered +slithery +slithering +slitheroo +slithers +slithy +sliting +slitless +slitlike +slits +slitshell +slitted +slitter +slitters +slitty +slitting +slitwing +slitwise +slitwork +slive +sliver +slivered +sliverer +sliverers +slivery +slivering +sliverlike +sliverproof +slivers +sliving +slivovic +slivovics +slivovitz +sliwer +sloan +sloanea +sloat +slob +slobber +slobberchops +slobbered +slobberer +slobbery +slobbering +slobbers +slobby +slobbiness +slobbish +slobs +slock +slocken +slocker +slockingstone +slockster +slod +slodder +slodge +slodger +sloe +sloeberry +sloeberries +sloebush +sloes +sloetree +slog +slogan +sloganeer +sloganize +slogans +slogged +slogger +sloggers +slogging +sloggingly +slogs +slogwood +sloid +sloyd +sloids +sloyds +slojd +slojds +sloka +sloke +sloked +sloken +sloking +slommack +slommacky +slommock +slon +slone +slonk +sloo +sloom +sloomy +sloop +sloopman +sloopmen +sloops +sloosh +sloot +slop +slopdash +slope +sloped +slopely +slopeness +sloper +slopers +slopes +slopeways +slopewise +slopy +sloping +slopingly +slopingness +slopmaker +slopmaking +sloppage +slopped +sloppery +slopperies +sloppy +sloppier +sloppiest +sloppily +sloppiness +slopping +slops +slopseller +slopselling +slopshop +slopstone +slopwork +slopworker +slopworks +slorp +slosh +sloshed +slosher +sloshes +sloshy +sloshier +sloshiest +sloshily +sloshiness +sloshing +slot +slotback +slotbacks +slote +sloted +sloth +slothful +slothfully +slothfulness +slothfuls +slothound +sloths +slotman +slots +slotted +slotten +slotter +slottery +slotting +slotwise +sloubbie +slouch +slouched +sloucher +slouchers +slouches +slouchy +slouchier +slouchiest +slouchily +slouchiness +slouching +slouchingly +slough +sloughed +sloughy +sloughier +sloughiest +sloughiness +sloughing +sloughs +slounge +slounger +slour +sloush +slovak +slovakian +slovakish +slovaks +sloven +slovene +slovenian +slovenish +slovenly +slovenlier +slovenliest +slovenlike +slovenliness +slovenry +slovens +slovenwood +slovintzi +slow +slowback +slowbelly +slowbellied +slowbellies +slowcoach +slowdown +slowdowns +slowed +slower +slowest +slowful +slowgoing +slowheaded +slowhearted +slowheartedness +slowhound +slowing +slowish +slowly +slowmouthed +slowness +slownesses +slowpoke +slowpokes +slowrie +slows +slowup +slowwitted +slowwittedly +slowworm +slowworms +slt +slub +slubbed +slubber +slubberdegullion +slubbered +slubberer +slubbery +slubbering +slubberingly +slubberly +slubbers +slubby +slubbing +slubbings +slubs +slud +sludder +sluddery +sludge +sludged +sludger +sludges +sludgy +sludgier +sludgiest +sludginess +sludging +slue +slued +sluer +slues +sluff +sluffed +sluffing +sluffs +slug +slugabed +slugabeds +slugfest +slugfests +sluggard +sluggardy +sluggarding +sluggardize +sluggardly +sluggardliness +sluggardness +sluggardry +sluggards +slugged +slugger +sluggers +sluggy +slugging +sluggingly +sluggish +sluggishly +sluggishness +slughorn +sluglike +slugs +slugwood +sluice +sluiced +sluicegate +sluicelike +sluicer +sluices +sluiceway +sluicy +sluicing +sluig +sluing +sluit +slum +slumber +slumbered +slumberer +slumberers +slumberful +slumbery +slumbering +slumberingly +slumberland +slumberless +slumberous +slumberously +slumberousness +slumberproof +slumbers +slumbersome +slumbrous +slumdom +slumgullion +slumgum +slumgums +slumland +slumlike +slumlord +slumlords +slummage +slummed +slummer +slummers +slummy +slummier +slummiest +slumminess +slumming +slummock +slummocky +slump +slumped +slumpy +slumping +slumpproof +slumproof +slumps +slumpwork +slums +slumward +slumwise +slung +slungbody +slungbodies +slunge +slungshot +slunk +slunken +slup +slur +slurb +slurban +slurbow +slurbs +slurp +slurped +slurping +slurps +slurred +slurry +slurried +slurries +slurrying +slurring +slurringly +slurs +slurvian +slush +slushed +slusher +slushes +slushy +slushier +slushiest +slushily +slushiness +slushing +slushpit +slut +slutch +slutchy +sluther +sluthood +sluts +slutted +slutter +sluttered +sluttery +sluttering +slutty +sluttikin +slutting +sluttish +sluttishly +sluttishness +sm +sma +smachrie +smack +smacked +smackee +smacker +smackeroo +smackeroos +smackers +smackful +smacking +smackingly +smacks +smacksman +smacksmen +smaik +smalcaldian +smalcaldic +small +smallage +smallages +smallboy +smallclothes +smallcoal +smallen +smaller +smallest +smallhearted +smallholder +smallholding +smally +smalling +smallish +smallishness +smallmouth +smallmouthed +smallness +smallnesses +smallpox +smallpoxes +smalls +smallsword +smalltime +smallware +smalm +smalmed +smalming +smalt +smalter +smalti +smaltine +smaltines +smaltite +smaltites +smalto +smaltos +smaltost +smalts +smaltz +smaragd +smaragde +smaragdes +smaragdine +smaragdite +smaragds +smaragdus +smarm +smarmy +smarmier +smarmiest +smarms +smart +smartass +smarted +smarten +smartened +smartening +smartens +smarter +smartest +smarty +smartie +smarties +smarting +smartingly +smartish +smartism +smartless +smartly +smartness +smarts +smartweed +smash +smashable +smashage +smashboard +smashed +smasher +smashery +smashers +smashes +smashing +smashingly +smashment +smashup +smashups +smatch +smatchet +smatter +smattered +smatterer +smattery +smattering +smatteringly +smatterings +smatters +smaze +smazes +smear +smearcase +smeared +smearer +smearers +smeary +smearier +smeariest +smeariness +smearing +smearless +smears +smeath +smectic +smectymnuan +smectymnuus +smectis +smectite +smeddum +smeddums +smee +smeech +smeek +smeeked +smeeky +smeeking +smeeks +smeer +smeeth +smegma +smegmas +smegmatic +smell +smellable +smellage +smelled +smeller +smellers +smellful +smellfungi +smellfungus +smelly +smellie +smellier +smelliest +smelliness +smelling +smellproof +smells +smellsome +smelt +smelted +smelter +smeltery +smelteries +smelterman +smelters +smelting +smeltman +smelts +smerk +smerked +smerking +smerks +smervy +smeth +smethe +smeuse +smeuth +smew +smews +smich +smicker +smicket +smickly +smiddy +smiddie +smiddum +smidge +smidgen +smidgens +smidgeon +smidgeons +smidgin +smidgins +smiercase +smifligate +smifligation +smift +smiggins +smilacaceae +smilacaceous +smilaceae +smilaceous +smilacin +smilacina +smilax +smilaxes +smile +smileable +smileage +smiled +smileful +smilefulness +smiley +smileless +smilelessly +smilelessness +smilemaker +smilemaking +smileproof +smiler +smilers +smiles +smilet +smily +smiling +smilingly +smilingness +smilodon +smintheus +sminthian +sminthurid +sminthuridae +sminthurus +smirch +smirched +smircher +smirches +smirchy +smirching +smirchless +smiris +smirk +smirked +smirker +smirkers +smirky +smirkier +smirkiest +smirking +smirkingly +smirkish +smirkle +smirkly +smirks +smyrna +smyrnaite +smyrnean +smyrniot +smyrniote +smirtle +smit +smitable +smitch +smite +smiter +smiters +smites +smith +smyth +smitham +smithcraft +smither +smithereen +smithereens +smithery +smitheries +smithers +smithfield +smithy +smithian +smithianism +smithydander +smithied +smithier +smithies +smithying +smithing +smithite +smiths +smithsonian +smithsonite +smithum +smithwork +smiting +smytrie +smitten +smitter +smitting +smittle +smittleish +smittlish +sml +smock +smocked +smocker +smockface +smocking +smockings +smockless +smocklike +smocks +smog +smoggy +smoggier +smoggiest +smogless +smogs +smokable +smokables +smoke +smokeable +smokebox +smokebush +smokechaser +smoked +smokefarthings +smokeho +smokehole +smokehouse +smokehouses +smokey +smokejack +smokejumper +smokeless +smokelessly +smokelessness +smokelike +smokepot +smokepots +smokeproof +smoker +smokery +smokers +smokes +smokescreen +smokeshaft +smokestack +smokestacks +smokestone +smoketight +smokewood +smoky +smokier +smokies +smokiest +smokily +smokiness +smoking +smokings +smokyseeming +smokish +smoko +smokos +smolder +smoldered +smoldering +smolderingness +smolders +smolt +smolts +smooch +smooched +smooches +smoochy +smooching +smoochs +smoodge +smoodged +smoodger +smoodging +smooge +smook +smoorich +smoos +smoot +smooth +smoothable +smoothback +smoothboots +smoothbore +smoothbored +smoothcoat +smoothed +smoothen +smoothened +smoothening +smoothens +smoother +smoothers +smoothes +smoothest +smoothhound +smoothy +smoothie +smoothies +smoothify +smoothification +smoothing +smoothingly +smoothish +smoothly +smoothmouthed +smoothness +smoothpate +smooths +smoothtongue +smopple +smore +smorebro +smorgasbord +smorgasbords +smorzando +smorzato +smote +smother +smotherable +smotheration +smothered +smotherer +smothery +smotheriness +smothering +smotheringly +smothers +smotter +smouch +smoucher +smoulder +smouldered +smouldering +smoulders +smous +smouse +smouser +smout +smrgs +smriti +smrrebrd +smudder +smudge +smudged +smudgedly +smudgeless +smudgeproof +smudger +smudges +smudgy +smudgier +smudgiest +smudgily +smudginess +smudging +smug +smugger +smuggery +smuggest +smuggish +smuggishly +smuggishness +smuggle +smuggleable +smuggled +smuggler +smugglery +smugglers +smuggles +smuggling +smugism +smugly +smugness +smugnesses +smuisty +smur +smurks +smurr +smurry +smurtle +smuse +smush +smut +smutch +smutched +smutches +smutchy +smutchier +smutchiest +smutchin +smutching +smutchless +smutless +smutproof +smuts +smutted +smutter +smutty +smuttier +smuttiest +smuttily +smuttiness +smutting +sn +snab +snabby +snabbie +snabble +snack +snacked +snackette +snacky +snacking +snackle +snackman +snacks +snaff +snaffle +snafflebit +snaffled +snaffles +snaffling +snafu +snafued +snafuing +snafus +snag +snagbush +snagged +snagger +snaggy +snaggier +snaggiest +snagging +snaggle +snaggled +snaggleteeth +snaggletooth +snaggletoothed +snaglike +snagline +snagrel +snags +snail +snaileater +snailed +snailery +snailfish +snailfishessnailflower +snailflower +snaily +snailing +snailish +snailishly +snaillike +snails +snaith +snake +snakebark +snakeberry +snakebird +snakebite +snakeblenny +snakeblennies +snaked +snakefish +snakefishes +snakefly +snakeflies +snakeflower +snakehead +snakeholing +snakey +snakeleaf +snakeless +snakelet +snakelike +snakeling +snakemouth +snakemouths +snakeneck +snakeology +snakephobia +snakepiece +snakepipe +snakeproof +snaker +snakery +snakeroot +snakes +snakeship +snakeskin +snakestone +snakeweed +snakewise +snakewood +snakeworm +snakewort +snaky +snakier +snakiest +snakily +snakiness +snaking +snakish +snap +snapback +snapbacks +snapbag +snapberry +snapdragon +snapdragons +snape +snaper +snaphaan +snaphance +snaphead +snapholder +snapy +snapjack +snapless +snapline +snapout +snappable +snappage +snappe +snapped +snapper +snapperback +snappers +snappy +snappier +snappiest +snappily +snappiness +snapping +snappingly +snappish +snappishly +snappishness +snapps +snaps +snapsack +snapshare +snapshoot +snapshooter +snapshot +snapshots +snapshotted +snapshotter +snapshotting +snapweed +snapweeds +snapwood +snapwort +snare +snared +snareless +snarer +snarers +snares +snary +snaring +snaringly +snark +snarks +snarl +snarled +snarleyyow +snarleyow +snarler +snarlers +snarly +snarlier +snarliest +snarling +snarlingly +snarlish +snarls +snash +snashes +snast +snaste +snasty +snatch +snatchable +snatched +snatcher +snatchers +snatches +snatchy +snatchier +snatchiest +snatchily +snatching +snatchingly +snatchproof +snath +snathe +snathes +snaths +snattock +snavel +snavvle +snaw +snawed +snawing +snawle +snaws +snazzy +snazzier +snazziest +snazziness +snead +sneak +sneakbox +sneaked +sneaker +sneakered +sneakers +sneaky +sneakier +sneakiest +sneakily +sneakiness +sneaking +sneakingly +sneakingness +sneakish +sneakishly +sneakishness +sneaks +sneaksby +sneaksman +sneap +sneaped +sneaping +sneaps +sneath +sneathe +sneb +sneck +sneckdraw +sneckdrawing +sneckdrawn +snecked +snecker +snecket +snecking +snecks +sned +snedded +snedding +sneds +snee +sneer +sneered +sneerer +sneerers +sneerful +sneerfulness +sneery +sneering +sneeringly +sneerless +sneers +sneesh +sneeshes +sneeshing +sneest +sneesty +sneeze +sneezed +sneezeless +sneezeproof +sneezer +sneezers +sneezes +sneezeweed +sneezewood +sneezewort +sneezy +sneezier +sneeziest +sneezing +snell +sneller +snellest +snelly +snells +snemovna +snerp +snew +sny +snyaptic +snib +snibbed +snibbing +snibble +snibbled +snibbler +snibel +snibs +snicher +snick +snickdraw +snickdrawing +snicked +snickey +snicker +snickered +snickerer +snickery +snickering +snickeringly +snickers +snickersnee +snicket +snicking +snickle +snicks +sniddle +snide +snidely +snideness +snider +snidery +snidest +snye +snyed +snies +snyes +sniff +sniffable +sniffed +sniffer +sniffers +sniffy +sniffier +sniffiest +sniffily +sniffiness +sniffing +sniffingly +sniffish +sniffishly +sniffishness +sniffle +sniffled +sniffler +snifflers +sniffles +sniffly +sniffling +sniffs +snift +snifted +snifter +snifters +snifty +snifting +snig +snigged +snigger +sniggered +sniggerer +sniggering +sniggeringly +sniggers +snigging +sniggle +sniggled +sniggler +snigglers +sniggles +sniggling +sniggoringly +snight +snigs +snying +snip +snipe +snipebill +sniped +snipefish +snipefishes +snipelike +sniper +snipers +sniperscope +snipes +snipesbill +snipy +sniping +snipish +snipjack +snipnose +snipocracy +snipped +snipper +snipperado +snippers +snippersnapper +snipperty +snippet +snippety +snippetier +snippetiest +snippetiness +snippets +snippy +snippier +snippiest +snippily +snippiness +snipping +snippish +snips +snipsnapsnorum +sniptious +snirl +snirt +snirtle +snit +snitch +snitched +snitcher +snitchers +snitches +snitchy +snitchier +snitchiest +snitching +snite +snithe +snithy +snits +snittle +snitz +snivey +snivel +sniveled +sniveler +snivelers +snively +sniveling +snivelled +sniveller +snivelly +snivelling +snivels +snivy +snob +snobber +snobbery +snobberies +snobbers +snobbess +snobby +snobbier +snobbiest +snobbily +snobbiness +snobbing +snobbish +snobbishly +snobbishness +snobbism +snobbisms +snobdom +snobism +snobling +snobocracy +snobocrat +snobographer +snobography +snobol +snobologist +snobonomer +snobs +snobscat +snocat +snocher +snock +snocker +snod +snodly +snoek +snoeking +snog +snoga +snohomish +snoke +snollygoster +snonowas +snood +snooded +snooding +snoods +snook +snooked +snooker +snookered +snookers +snooking +snooks +snookums +snool +snooled +snooling +snools +snoop +snooped +snooper +snoopers +snooperscope +snoopy +snoopier +snoopiest +snoopily +snooping +snoops +snoose +snoot +snooted +snootful +snootfuls +snooty +snootier +snootiest +snootily +snootiness +snooting +snoots +snoove +snooze +snoozed +snoozer +snoozers +snoozes +snoozy +snoozier +snooziest +snooziness +snoozing +snoozle +snoozled +snoozles +snoozling +snop +snoqualmie +snoquamish +snore +snored +snoreless +snorer +snorers +snores +snoring +snoringly +snork +snorkel +snorkeled +snorkeler +snorkeling +snorkels +snorker +snort +snorted +snorter +snorters +snorty +snorting +snortingly +snortle +snorts +snot +snots +snotter +snottery +snotty +snottie +snottier +snottiest +snottily +snottiness +snouch +snout +snouted +snouter +snoutfair +snouty +snoutier +snoutiest +snouting +snoutish +snoutless +snoutlike +snouts +snow +snowball +snowballed +snowballing +snowballs +snowbank +snowbanks +snowbell +snowbells +snowbelt +snowberg +snowberry +snowberries +snowbird +snowbirds +snowblink +snowblower +snowbound +snowbreak +snowbridge +snowbroth +snowbrush +snowbush +snowbushes +snowcap +snowcapped +snowcaps +snowcraft +snowcreep +snowdon +snowdonian +snowdrift +snowdrifts +snowdrop +snowdrops +snowed +snowfall +snowfalls +snowfield +snowflake +snowflakes +snowflight +snowflower +snowfowl +snowhammer +snowhouse +snowy +snowie +snowier +snowiest +snowily +snowiness +snowing +snowish +snowk +snowl +snowland +snowlands +snowless +snowlike +snowmaker +snowmaking +snowman +snowmanship +snowmast +snowmelt +snowmelts +snowmen +snowmobile +snowmobiler +snowmobilers +snowmobiles +snowmobiling +snowpack +snowpacks +snowplough +snowplow +snowplowed +snowplowing +snowplows +snowproof +snows +snowscape +snowshade +snowshed +snowsheds +snowshine +snowshoe +snowshoed +snowshoeing +snowshoer +snowshoes +snowshoing +snowslide +snowslip +snowstorm +snowstorms +snowsuit +snowsuits +snowthrower +snowworm +snozzle +snub +snubbable +snubbed +snubbee +snubber +snubbers +snubby +snubbier +snubbiest +snubbiness +snubbing +snubbingly +snubbish +snubbishly +snubbishness +snubness +snubnesses +snubnose +snubproof +snubs +snuck +snudge +snudgery +snuff +snuffbox +snuffboxer +snuffboxes +snuffcolored +snuffed +snuffer +snuffers +snuffy +snuffier +snuffiest +snuffily +snuffiness +snuffing +snuffingly +snuffish +snuffkin +snuffle +snuffled +snuffler +snufflers +snuffles +snuffless +snuffly +snufflier +snuffliest +snuffliness +snuffling +snufflingly +snuffman +snuffs +snug +snugged +snugger +snuggery +snuggerie +snuggeries +snuggest +snuggies +snugging +snuggish +snuggle +snuggled +snuggles +snuggly +snuggling +snugify +snugly +snugness +snugnesses +snugs +snum +snup +snupper +snur +snurl +snurly +snurp +snurt +snuzzle +so +soak +soakage +soakages +soakaway +soaked +soaken +soaker +soakers +soaky +soaking +soakingly +soakman +soaks +soally +soallies +soam +soap +soapbark +soapbarks +soapberry +soapberries +soapbox +soapboxer +soapboxes +soapbubbly +soapbush +soaped +soaper +soapery +soaperies +soapers +soapfish +soapfishes +soapi +soapy +soapier +soapiest +soapily +soapiness +soaping +soaplees +soapless +soaplike +soapmaker +soapmaking +soapmonger +soapolallie +soaprock +soaproot +soaps +soapstone +soapstoner +soapstones +soapsud +soapsuddy +soapsuds +soapsudsy +soapweed +soapwood +soapworks +soapwort +soapworts +soar +soarability +soarable +soared +soarer +soarers +soary +soaring +soaringly +soarings +soars +soave +soavemente +soaves +sob +sobbed +sobber +sobbers +sobby +sobbing +sobbingly +sobeit +sober +sobered +soberer +soberest +sobering +soberingly +soberize +soberized +soberizes +soberizing +soberly +soberlike +soberness +sobers +sobersault +sobersided +sobersidedly +sobersidedness +sobersides +soberwise +sobful +sobole +soboles +soboliferous +sobproof +sobralia +sobralite +sobranje +sobrevest +sobriety +sobrieties +sobriquet +sobriquetical +sobriquets +sobs +soc +socage +socager +socagers +socages +soccage +soccages +soccer +soccerist +soccerite +soccers +soce +socht +sociability +sociabilities +sociable +sociableness +sociables +sociably +social +sociales +socialisation +socialise +socialised +socialising +socialism +socialist +socialistic +socialistically +socialists +socialite +socialites +sociality +socialities +socializable +socialization +socializations +socialize +socialized +socializer +socializers +socializes +socializing +socially +socialness +socials +sociate +sociation +sociative +socies +societal +societally +societary +societarian +societarianism +societas +societe +societeit +society +societies +societyese +societified +societyish +societyless +societism +societist +societology +societologist +socii +socinian +socinianism +socinianistic +socinianize +sociobiology +sociobiological +sociocentric +sociocentricity +sociocentrism +sociocracy +sociocrat +sociocratic +sociocultural +socioculturally +sociodrama +sociodramatic +socioeconomic +socioeconomically +socioeducational +sociogenesis +sociogenetic +sociogeny +sociogenic +sociogram +sociography +sociol +sociolatry +sociolegal +sociolinguistic +sociolinguistics +sociologese +sociology +sociologian +sociologic +sociological +sociologically +sociologies +sociologism +sociologist +sociologistic +sociologistically +sociologists +sociologize +sociologized +sociologizer +sociologizing +sociomedical +sociometry +sociometric +socionomy +socionomic +socionomics +sociopath +sociopathy +sociopathic +sociopathies +sociopaths +sociophagous +sociopolitical +sociopsychological +socioreligious +socioromantic +sociosexual +sociosexuality +sociosexualities +sociostatic +sociotechnical +socius +sock +sockdolager +sockdologer +socked +sockeye +sockeyes +socker +sockeroo +sockeroos +socket +socketed +socketful +socketing +socketless +sockets +sockhead +socky +socking +sockless +socklessness +sockmaker +sockmaking +sockman +sockmen +socko +socks +socle +socles +socman +socmanry +socmen +soco +socorrito +socotran +socotri +socotrine +socratean +socrates +socratic +socratical +socratically +socraticism +socratism +socratist +socratize +sod +soda +sodaclase +sodaic +sodaless +sodalist +sodalists +sodalite +sodalites +sodalithite +sodality +sodalities +sodamid +sodamide +sodamides +sodas +sodawater +sodbuster +sodded +sodden +soddened +soddening +soddenly +soddenness +soddens +soddy +soddier +soddies +soddiest +sodding +soddite +sody +sodic +sodio +sodioaluminic +sodioaurous +sodiocitrate +sodiohydric +sodioplatinic +sodiosalicylate +sodiotartrate +sodium +sodiums +sodless +sodoku +sodom +sodomy +sodomic +sodomies +sodomist +sodomite +sodomites +sodomitess +sodomitic +sodomitical +sodomitically +sodomitish +sodomize +sods +sodwork +soe +soekoe +soever +sofa +sofane +sofar +sofars +sofas +sofer +soffarid +soffione +soffioni +soffit +soffits +soffritto +sofia +sofkee +sofoklis +sofronia +soft +softa +softas +softback +softbacks +softball +softballs +softboard +softbound +softbrained +softcoal +soften +softened +softener +softeners +softening +softens +softer +softest +softhead +softheaded +softheadedly +softheadedness +softheads +softhearted +softheartedly +softheartedness +softhorn +softy +softie +softies +softish +softly +softling +softner +softness +softnesses +softs +softship +softsoap +softtack +software +softwares +softwood +softwoods +sog +soga +sogdian +sogdianese +sogdianian +sogdoite +soger +soget +soggarth +sogged +soggendalite +soggy +soggier +soggiest +soggily +sogginess +sogging +soh +soho +soy +soya +soyas +soyate +soybean +soybeans +soiesette +soign +soigne +soignee +soil +soilage +soilages +soilborne +soiled +soyled +soiledness +soily +soilier +soiliest +soiling +soilless +soilproof +soils +soilure +soilures +soyot +soir +soiree +soirees +soys +soixantine +soja +sojas +sojourn +sojourned +sojourney +sojourner +sojourners +sojourning +sojournment +sojourns +sok +soka +soke +sokeman +sokemanemot +sokemanry +sokemanries +sokemen +soken +sokes +soko +sokoki +sokotri +sokulk +sol +sola +solace +solaced +solaceful +solacement +solaceproof +solacer +solacers +solaces +solach +solacing +solacious +solaciously +solaciousness +solay +solan +solanaceae +solanaceous +solanal +solanales +soland +solander +solanders +solandra +solands +solanein +solaneine +solaneous +solania +solanicine +solanidin +solanidine +solanin +solanine +solanines +solanins +solano +solanoid +solanos +solans +solanum +solanums +solar +solary +solaria +solariego +solariia +solarimeter +solarise +solarised +solarises +solarising +solarism +solarisms +solarist +solaristic +solaristically +solaristics +solarium +solariums +solarization +solarize +solarized +solarizes +solarizing +solarometer +solate +solated +solates +solatia +solating +solation +solations +solatium +solattia +solazzi +sold +soldado +soldadoes +soldados +soldan +soldanel +soldanella +soldanelle +soldanrie +soldans +soldat +soldatesque +solder +solderability +soldered +solderer +solderers +soldering +solderless +solders +soldi +soldier +soldierbird +soldierbush +soldierdom +soldiered +soldieress +soldierfare +soldierfish +soldierfishes +soldierhearted +soldierhood +soldiery +soldieries +soldiering +soldierize +soldierly +soldierlike +soldierliness +soldierproof +soldiers +soldiership +soldierwise +soldierwood +soldo +sole +solea +soleas +solecise +solecised +solecises +solecising +solecism +solecisms +solecist +solecistic +solecistical +solecistically +solecists +solecize +solecized +solecizer +solecizes +solecizing +soled +soleidae +soleiform +soleil +solein +soleyn +soleyne +soleless +solely +solemn +solemncholy +solemner +solemness +solemnest +solemnify +solemnified +solemnifying +solemnise +solemnity +solemnities +solemnitude +solemnization +solemnize +solemnized +solemnizer +solemnizes +solemnizing +solemnly +solemnness +solen +solenacean +solenaceous +soleness +solenesses +solenette +solenial +solenidae +solenite +solenitis +solenium +solenne +solennemente +solenocyte +solenoconch +solenoconcha +solenodon +solenodont +solenodontidae +solenogaster +solenogastres +solenoglyph +solenoglypha +solenoglyphic +solenoid +solenoidal +solenoidally +solenoids +solenopsis +solenostele +solenostelic +solenostomid +solenostomidae +solenostomoid +solenostomous +solenostomus +solent +solentine +solepiece +soleplate +soleprint +soler +solera +soleret +solerets +solert +soles +soleus +solfa +solfatara +solfataric +solfege +solfeges +solfeggi +solfeggiare +solfeggio +solfeggios +solferino +solfge +solgel +soli +soliative +solicit +solicitant +solicitation +solicitationism +solicitations +solicited +solicitee +soliciter +soliciting +solicitor +solicitors +solicitorship +solicitous +solicitously +solicitousness +solicitress +solicitrix +solicits +solicitude +solicitudes +solicitudinous +solid +solidago +solidagos +solidare +solidary +solidaric +solidarily +solidarism +solidarist +solidaristic +solidarity +solidarities +solidarize +solidarized +solidarizing +solidate +solidated +solidating +solideo +solider +solidest +solidi +solidify +solidifiability +solidifiable +solidifiableness +solidification +solidified +solidifier +solidifies +solidifying +solidiform +solidillu +solidish +solidism +solidist +solidistic +solidity +solidities +solidly +solidness +solido +solidomind +solids +solidudi +solidum +solidungula +solidungular +solidungulate +solidus +solifidian +solifidianism +solifluction +solifluctional +soliform +solifugae +solifuge +solifugean +solifugid +solifugous +soliloquacious +soliloquy +soliloquies +soliloquise +soliloquised +soliloquiser +soliloquising +soliloquisingly +soliloquist +soliloquium +soliloquize +soliloquized +soliloquizer +soliloquizes +soliloquizing +soliloquizingly +solilunar +solyma +solymaean +soling +solio +solion +solions +soliped +solipedal +solipedous +solipsism +solipsismal +solipsist +solipsistic +solipsists +soliquid +soliquids +solist +soliste +solitaire +solitaires +solitary +solitarian +solitaries +solitarily +solitariness +soliterraneous +solitidal +soliton +solitons +solitude +solitudes +solitudinarian +solitudinize +solitudinized +solitudinizing +solitudinous +solivagant +solivagous +sollar +sollaria +soller +solleret +sollerets +sollya +sollicker +sollicking +solmizate +solmization +soln +solo +solod +solodi +solodization +solodize +soloecophanes +soloed +soloing +soloist +soloistic +soloists +solomon +solomonian +solomonic +solomonical +solomonitic +solon +solonchak +solonets +solonetses +solonetz +solonetzes +solonetzic +solonetzicity +solonian +solonic +solonist +solons +solos +soloth +solotink +solotnik +solpuga +solpugid +solpugida +solpugidea +solpugides +sols +solstice +solstices +solsticion +solstitia +solstitial +solstitially +solstitium +solubility +solubilities +solubilization +solubilize +solubilized +solubilizing +soluble +solubleness +solubles +solubly +solum +solums +solunar +solus +solute +solutes +solutio +solution +solutional +solutioner +solutionis +solutionist +solutions +solutive +solutize +solutizer +solutory +solutrean +solutus +solv +solvaated +solvability +solvable +solvabled +solvableness +solvabling +solvate +solvated +solvates +solvating +solvation +solve +solved +solvement +solvency +solvencies +solvend +solvent +solventless +solvently +solventproof +solvents +solver +solvers +solves +solving +solvolysis +solvolytic +solvolyze +solvolyzed +solvolyzing +solvsbergite +solvus +soma +somacule +somal +somali +somalia +somalo +somaplasm +somas +somaschian +somasthenia +somata +somatasthenia +somaten +somatenes +somateria +somatic +somatical +somatically +somaticosplanchnic +somaticovisceral +somatics +somatism +somatist +somatization +somatochrome +somatocyst +somatocystic +somatoderm +somatogenetic +somatogenic +somatognosis +somatognostic +somatology +somatologic +somatological +somatologically +somatologist +somatome +somatomic +somatophyte +somatophytic +somatoplasm +somatoplastic +somatopleural +somatopleure +somatopleuric +somatopsychic +somatosensory +somatosplanchnic +somatotype +somatotyper +somatotypy +somatotypic +somatotypically +somatotypology +somatotonia +somatotonic +somatotrophin +somatotropic +somatotropically +somatotropin +somatotropism +somatous +somatrophin +somber +somberish +somberly +somberness +sombre +sombreish +sombreite +sombrely +sombreness +sombrerite +sombrero +sombreroed +sombreros +sombrous +sombrously +sombrousness +somdel +somdiel +some +somebody +somebodies +somebodyll +someday +somedays +somedeal +somegate +somehow +someone +someonell +someones +somepart +someplace +somers +somersault +somersaulted +somersaulting +somersaults +somerset +somerseted +somersetian +somerseting +somersets +somersetted +somersetting +somervillite +somesthesia +somesthesis +somesthesises +somesthetic +somet +something +somethingness +sometime +sometimes +somever +someway +someways +somewhat +somewhatly +somewhatness +somewhats +somewhen +somewhence +somewhere +somewheres +somewhy +somewhile +somewhiles +somewhither +somewise +somital +somite +somites +somitic +somler +somma +sommaite +sommelier +sommeliers +sommite +somnambulance +somnambulancy +somnambulant +somnambular +somnambulary +somnambulate +somnambulated +somnambulating +somnambulation +somnambulator +somnambule +somnambulency +somnambulic +somnambulically +somnambulism +somnambulist +somnambulistic +somnambulistically +somnambulists +somnambulize +somnambulous +somne +somner +somnial +somniate +somniative +somniculous +somnifacient +somniferous +somniferously +somnify +somnific +somnifuge +somnifugous +somniloquacious +somniloquence +somniloquent +somniloquy +somniloquies +somniloquism +somniloquist +somniloquize +somniloquous +somniosus +somnipathy +somnipathist +somnivolency +somnivolent +somnolence +somnolences +somnolency +somnolencies +somnolent +somnolently +somnolescence +somnolescent +somnolism +somnolize +somnopathy +somnorific +somnus +sompay +sompne +sompner +sompnour +son +sonable +sonagram +sonance +sonances +sonancy +sonant +sonantal +sonantic +sonantina +sonantized +sonants +sonar +sonarman +sonarmen +sonars +sonata +sonatas +sonatina +sonatinas +sonatine +sonation +sonchus +soncy +sond +sondage +sondation +sonde +sondeli +sonder +sonderbund +sonderclass +sondergotter +sonders +sondes +sondylomorum +sone +soneri +sones +song +songbag +songbird +songbirds +songbook +songbooks +songcraft +songer +songfest +songfests +songful +songfully +songfulness +songhai +songy +songish +songkok +songland +songle +songless +songlessly +songlessness +songlet +songlike +songman +songo +songoi +songs +songsmith +songster +songsters +songstress +songstresses +songworthy +songwright +songwriter +songwriters +songwriting +sonhood +sonic +sonica +sonically +sonicate +sonicated +sonicates +sonicating +sonication +sonicator +sonics +soniferous +sonification +soning +soniou +sonja +sonk +sonless +sonly +sonlike +sonlikeness +sonneratia +sonneratiaceae +sonneratiaceous +sonnet +sonnetary +sonneted +sonneteer +sonneteeress +sonnetic +sonneting +sonnetisation +sonnetise +sonnetised +sonnetish +sonnetising +sonnetist +sonnetization +sonnetize +sonnetized +sonnetizing +sonnetlike +sonnetry +sonnets +sonnetted +sonnetting +sonnetwise +sonny +sonnies +sonnikins +sonnobuoy +sonobuoy +sonogram +sonography +sonometer +sonoran +sonorant +sonorants +sonores +sonorescence +sonorescent +sonoric +sonoriferous +sonoriferously +sonorific +sonority +sonorities +sonorize +sonorophone +sonorosity +sonorous +sonorously +sonorousness +sonovox +sonovoxes +sonrai +sons +sonship +sonships +sonsy +sonsie +sonsier +sonsiest +sontag +sontenna +soochong +soochongs +soodle +soodled +soodly +soodling +sooey +soogan +soogee +soogeed +soogeeing +soogeing +soohong +soojee +sook +sooke +sooky +sookie +sool +sooloos +soom +soon +sooner +sooners +soonest +soony +soonish +soonly +sooper +soorah +soorawn +soord +sooreyn +soorkee +soorki +soorky +soorma +soosoo +soot +sooted +sooter +sooterkin +sooth +soothe +soothed +soother +sootherer +soothers +soothes +soothest +soothfast +soothfastly +soothfastness +soothful +soothing +soothingly +soothingness +soothless +soothly +sooths +soothsay +soothsaid +soothsayer +soothsayers +soothsayership +soothsaying +soothsays +soothsaw +sooty +sootied +sootier +sootiest +sootying +sootily +sootylike +sootiness +sooting +sootish +sootless +sootlike +sootproof +soots +sop +sope +soph +sopheme +sophene +sopher +sopheric +sopherim +sophy +sophia +sophian +sophic +sophical +sophically +sophies +sophiology +sophiologic +sophism +sophisms +sophist +sophister +sophistic +sophistical +sophistically +sophisticalness +sophisticant +sophisticate +sophisticated +sophisticatedly +sophisticates +sophisticating +sophistication +sophisticative +sophisticator +sophisticism +sophistress +sophistry +sophistries +sophists +sophoclean +sophocles +sophomore +sophomores +sophomoric +sophomorical +sophomorically +sophora +sophoria +sophronia +sophronize +sophronized +sophronizing +sophrosyne +sophs +sophta +sopite +sopited +sopites +sopiting +sopition +sopor +soporate +soporiferous +soporiferously +soporiferousness +soporific +soporifical +soporifically +soporifics +soporifousness +soporose +soporous +sopors +sopped +sopper +soppy +soppier +soppiest +soppiness +sopping +soprani +sopranino +sopranist +soprano +sopranos +sops +sora +sorabian +sorage +soral +soralium +sorance +soras +sorb +sorbability +sorbable +sorbaria +sorbate +sorbates +sorbed +sorbefacient +sorbent +sorbents +sorbet +sorbets +sorbian +sorbic +sorbile +sorbin +sorbing +sorbinose +sorbish +sorbitan +sorbite +sorbitic +sorbitize +sorbitol +sorbitols +sorbol +sorbonic +sorbonical +sorbonist +sorbonne +sorbose +sorboses +sorbosid +sorboside +sorbs +sorbus +sorcer +sorcerer +sorcerers +sorceress +sorceresses +sorcery +sorceries +sorcering +sorcerize +sorcerous +sorcerously +sorchin +sord +sorda +sordamente +sordaria +sordariaceae +sordavalite +sordawalite +sordellina +sordello +sordes +sordid +sordidity +sordidly +sordidness +sordine +sordines +sordini +sordino +sordo +sordor +sords +sore +soreddia +soredia +soredial +sorediate +sorediferous +sorediform +soredioid +soredium +soree +sorefalcon +sorefoot +sorehawk +sorehead +soreheaded +soreheadedly +soreheadedness +soreheads +sorehearted +sorehon +sorel +sorely +sorels +sorema +soreness +sorenesses +sorer +sores +sorest +sorex +sorghe +sorgho +sorghos +sorghum +sorghums +sorgo +sorgos +sori +sory +soricid +soricidae +soricident +soricinae +soricine +soricoid +soricoidea +soriferous +sorite +sorites +soritic +soritical +sorn +sornare +sornari +sorned +sorner +sorners +sorning +sorns +soroban +soroche +soroches +soroptimist +sororal +sororate +sororates +sororial +sororially +sororicidal +sororicide +sorority +sororities +sororize +sorose +soroses +sorosil +sorosilicate +sorosis +sorosises +sorosphere +sorosporella +sorosporium +sorption +sorptions +sorptive +sorra +sorrance +sorrel +sorrels +sorren +sorrento +sorry +sorrier +sorriest +sorryhearted +sorryish +sorrily +sorriness +sorroa +sorrow +sorrowed +sorrower +sorrowers +sorrowful +sorrowfully +sorrowfulness +sorrowy +sorrowing +sorrowingly +sorrowless +sorrowlessly +sorrowlessness +sorrowproof +sorrows +sort +sortable +sortably +sortal +sortance +sortation +sorted +sorter +sorters +sortes +sorty +sortiary +sortie +sortied +sortieing +sorties +sortilege +sortileger +sortilegi +sortilegy +sortilegic +sortilegious +sortilegus +sortiment +sorting +sortita +sortition +sortly +sortlige +sortment +sorts +sortwith +sorus +sorva +sos +sosh +soshed +sosia +sosie +soso +sosoish +sospiro +sospita +sosquil +soss +sossiego +sossle +sostenendo +sostenente +sostenuti +sostenuto +sostenutos +sostinente +sostinento +sot +sotadean +sotadic +soter +soteres +soterial +soteriology +soteriologic +soteriological +soth +sothiac +sothiacal +sothic +sothis +sotho +soths +sotie +sotik +sotnia +sotnik +sotol +sotols +sots +sottage +sotted +sottedness +sotter +sottery +sottie +sotting +sottise +sottish +sottishly +sottishness +sotweed +sou +souagga +souamosa +souamula +souari +souaris +soubise +soubises +soubresaut +soubresauts +soubrette +soubrettes +soubrettish +soubriquet +soucar +soucars +souchet +souchy +souchie +souchong +souchongs +soud +soudagur +soudan +soudans +soudge +soudgy +soueak +soueef +soueege +souffl +souffle +souffleed +souffleing +souffles +souffleur +soufousse +sougan +sough +soughed +sougher +soughfully +soughing +soughless +soughs +sought +souhegan +souk +soul +soulack +soulbell +soulcake +souldie +souled +souletin +soulful +soulfully +soulfulness +soulheal +soulhealth +souly +soulical +soulish +soulless +soullessly +soullessness +soullike +soulmass +soulpence +soulpenny +souls +soulsaving +soulter +soultre +soulward +soulx +soulz +soum +soumak +soumansite +soumarque +sound +soundable +soundage +soundboard +soundboards +soundbox +soundboxes +sounded +sounder +sounders +soundest +soundful +soundheaded +soundheadedness +soundhearted +soundheartednes +soundheartedness +sounding +soundingly +soundingness +soundings +soundless +soundlessly +soundlessness +soundly +soundness +soundpost +soundproof +soundproofed +soundproofing +soundproofs +sounds +soundscape +soundstripe +soundtrack +soundtracks +soup +soupbone +soupcon +soupcons +souped +souper +soupfin +soupy +soupier +soupiere +soupieres +soupiest +souping +souple +soupled +soupless +souplike +soupling +soupmeat +soupon +soups +soupspoon +sour +sourball +sourballs +sourbelly +sourbellies +sourberry +sourberries +sourbread +sourbush +sourcake +source +sourceful +sourcefulness +sourceless +sources +sourcrout +sourd +sourdeline +sourdine +sourdines +sourdock +sourdook +sourdough +sourdoughs +sourdre +soured +souredness +souren +sourer +sourest +sourhearted +soury +souring +sourish +sourishly +sourishness +sourjack +sourly +sourling +sourness +sournesses +sourock +sourpuss +sourpussed +sourpusses +sours +soursop +soursops +sourtop +sourveld +sourweed +sourwood +sourwoods +sous +sousaphone +sousaphonist +souse +soused +souser +souses +sousewife +soushy +sousing +souslik +soutache +soutaches +soutage +soutane +soutanes +soutar +souteneur +soutenu +souter +souterly +souterrain +souters +south +southard +southbound +southcottian +southdown +southeast +southeaster +southeasterly +southeastern +southeasterner +southeasternmost +southeasters +southeastward +southeastwardly +southeastwards +southed +souther +southerland +southerly +southerlies +southerliness +southermost +southern +southerner +southerners +southernest +southernism +southernize +southernly +southernliness +southernmost +southernness +southerns +southernwood +southers +southing +southings +southland +southlander +southly +southmost +southness +southpaw +southpaws +southron +southronie +southrons +souths +southumbrian +southward +southwardly +southwards +southwest +southwester +southwesterly +southwesterlies +southwestern +southwesterner +southwesterners +southwesternmost +southwesters +southwestward +southwestwardly +southwestwards +southwood +soutter +souush +souushy +souvenir +souvenirs +souverain +souvlaki +souwester +sov +sovenance +sovenez +sovereign +sovereigness +sovereignize +sovereignly +sovereignness +sovereigns +sovereignship +sovereignty +sovereignties +soverty +soviet +sovietdom +sovietic +sovietism +sovietist +sovietistic +sovietization +sovietize +sovietized +sovietizes +sovietizing +soviets +sovite +sovkhos +sovkhose +sovkhoz +sovkhozes +sovkhozy +sovprene +sovran +sovranly +sovrans +sovranty +sovranties +sow +sowable +sowan +sowans +sowar +sowarree +sowarry +sowars +sowback +sowbacked +sowbane +sowbelly +sowbellies +sowbread +sowbreads +sowcar +sowcars +sowder +sowdones +sowed +sowel +sowens +sower +sowers +sowf +sowfoot +sowing +sowins +sowish +sowl +sowle +sowlike +sowlth +sown +sows +sowse +sowt +sowte +sox +soxhlet +sozin +sozine +sozines +sozins +sozly +sozolic +sozzle +sozzled +sozzly +sp +spa +spaad +space +spaceband +spaceborne +spacecraft +spaced +spaceflight +spaceflights +spaceful +spaceless +spaceman +spacemanship +spacemen +spaceport +spacer +spacers +spaces +spacesaving +spaceship +spaceships +spacesuit +spacesuits +spacetime +spacewalk +spacewalked +spacewalker +spacewalkers +spacewalking +spacewalks +spaceward +spacewoman +spacewomen +spacy +spacial +spaciality +spacially +spaciness +spacing +spacings +spaciosity +spaciotemporal +spacious +spaciously +spaciousness +spacistor +spack +spackle +spackled +spackling +spad +spadaite +spadassin +spaddle +spade +spadebone +spaded +spadefish +spadefoot +spadeful +spadefuls +spadelike +spademan +spademen +spader +spaders +spades +spadesman +spadewise +spadework +spadger +spadiard +spadiceous +spadices +spadicifloral +spadiciflorous +spadiciform +spadicose +spadilla +spadille +spadilles +spadillo +spading +spadish +spadix +spadixes +spado +spadone +spadones +spadonic +spadonism +spadrone +spadroon +spae +spaebook +spaecraft +spaed +spaedom +spaeing +spaeings +spaeman +spaer +spaes +spaetzle +spaewife +spaewoman +spaework +spaewright +spag +spagetti +spaghetti +spaghettini +spagyric +spagyrical +spagyrically +spagyrics +spagyrist +spagnuoli +spagnuolo +spahee +spahees +spahi +spahis +spay +spayad +spayard +spaid +spayed +spaying +spaik +spail +spails +spain +spair +spairge +spays +spait +spaits +spak +spake +spaked +spalacid +spalacidae +spalacine +spalax +spald +spalder +spalding +spale +spales +spall +spallable +spallation +spalled +spaller +spallers +spalling +spalls +spalpeen +spalpeens +spalt +spam +spammed +spamming +span +spanaemia +spanaemic +spancel +spanceled +spanceling +spancelled +spancelling +spancels +spandex +spandy +spandle +spandrel +spandrels +spandril +spandrils +spane +spaned +spanemy +spanemia +spanemic +spang +spanged +spanghew +spanging +spangle +spangled +spangler +spangles +spanglet +spangly +spanglier +spangliest +spangling +spangolite +spaniard +spaniardization +spaniardize +spaniardo +spaniards +spaniel +spaniellike +spaniels +spanielship +spaning +spaniol +spaniolate +spanioli +spaniolize +spanipelagic +spanish +spanishize +spanishly +spank +spanked +spanker +spankers +spanky +spankily +spanking +spankingly +spankings +spankled +spanks +spanless +spann +spanned +spannel +spanner +spannerman +spannermen +spanners +spanning +spanopnea +spanopnoea +spanpiece +spans +spanspek +spantoon +spanule +spanworm +spanworms +spar +sparable +sparables +sparada +sparadrap +sparage +sparagrass +sparagus +sparassis +sparassodont +sparassodonta +sparaxis +sparch +spare +spareable +spared +spareful +spareless +sparely +spareness +sparer +sparerib +spareribs +sparers +spares +sparesome +sparest +sparganiaceae +sparganium +sparganosis +sparganum +sparge +sparged +spargefication +sparger +spargers +sparges +sparging +spargosis +sparhawk +spary +sparid +sparidae +sparids +sparily +sparing +sparingly +sparingness +spark +sparkback +sparked +sparker +sparkers +sparky +sparkier +sparkiest +sparkily +sparkiness +sparking +sparkingly +sparkish +sparkishly +sparkishness +sparkle +sparkleberry +sparkled +sparkler +sparklers +sparkles +sparkless +sparklessly +sparklet +sparkly +sparklike +sparkliness +sparkling +sparklingly +sparklingness +sparkplug +sparkplugged +sparkplugging +sparkproof +sparks +sparlike +sparling +sparlings +sparm +sparmannia +sparnacian +sparoid +sparoids +sparpiece +sparple +sparpled +sparpling +sparred +sparrer +sparry +sparrier +sparriest +sparrygrass +sparring +sparringly +sparrow +sparrowbill +sparrowcide +sparrowdom +sparrowgrass +sparrowhawk +sparrowy +sparrowish +sparrowless +sparrowlike +sparrows +sparrowtail +sparrowtongue +sparrowwort +spars +sparse +sparsedly +sparsely +sparseness +sparser +sparsest +sparsile +sparsim +sparsioplast +sparsity +sparsities +spart +sparta +spartacan +spartacide +spartacism +spartacist +spartan +spartanhood +spartanic +spartanically +spartanism +spartanize +spartanly +spartanlike +spartans +spartein +sparteine +sparterie +sparth +spartiate +spartina +spartium +spartle +spartled +spartling +sparus +sparver +spas +spasm +spasmatic +spasmatical +spasmatomancy +spasmed +spasmic +spasmodic +spasmodical +spasmodically +spasmodicalness +spasmodism +spasmodist +spasmolysant +spasmolysis +spasmolytic +spasmolytically +spasmophile +spasmophilia +spasmophilic +spasmotin +spasmotoxin +spasmotoxine +spasmous +spasms +spasmus +spass +spastic +spastically +spasticity +spasticities +spastics +spat +spatalamancy +spatangida +spatangina +spatangoid +spatangoida +spatangoidea +spatangoidean +spatangus +spatchcock +spate +spated +spates +spath +spatha +spathaceous +spathae +spathal +spathe +spathed +spatheful +spathes +spathic +spathyema +spathiflorae +spathiform +spathilae +spathilla +spathillae +spathose +spathous +spathulate +spatial +spatialism +spatialist +spatiality +spatialization +spatialize +spatially +spatiate +spatiation +spatilomancy +spating +spatio +spatiography +spatiotemporal +spatiotemporally +spatium +spatling +spatlum +spats +spattania +spatted +spattee +spatter +spatterdash +spatterdashed +spatterdasher +spatterdashes +spatterdock +spattered +spattering +spatteringly +spatterproof +spatters +spatterware +spatterwork +spatting +spattle +spattled +spattlehoe +spattling +spatula +spatulamancy +spatular +spatulas +spatulate +spatulation +spatule +spatuliform +spatulose +spatulous +spatzle +spaught +spauld +spaulder +spauldrochy +spave +spaver +spavie +spavied +spavies +spaviet +spavin +spavindy +spavine +spavined +spavins +spavit +spawl +spawler +spawling +spawn +spawneater +spawned +spawner +spawners +spawny +spawning +spawns +speak +speakable +speakableness +speakably +speakablies +speakeasy +speakeasies +speaker +speakeress +speakerphone +speakers +speakership +speakhouse +speakie +speakies +speaking +speakingly +speakingness +speakings +speakless +speaklessly +speaks +speal +spealbone +spean +speaned +speaning +speans +spear +spearcast +speared +speareye +spearer +spearers +spearfish +spearfishes +spearflower +spearhead +spearheaded +spearheading +spearheads +speary +spearing +spearlike +spearman +spearmanship +spearmen +spearmint +spearmints +spearproof +spears +spearsman +spearsmen +spearwood +spearwort +speave +spec +specchie +spece +special +specialer +specialest +specialisation +specialise +specialised +specialising +specialism +specialist +specialistic +specialists +speciality +specialities +specialization +specializations +specialize +specialized +specializer +specializes +specializing +specially +specialness +specials +specialty +specialties +speciate +speciated +speciates +speciating +speciation +speciational +specie +species +speciesism +speciestaler +specif +specify +specifiable +specific +specifical +specificality +specifically +specificalness +specificate +specificated +specificating +specification +specifications +specificative +specificatively +specificity +specificities +specificize +specificized +specificizing +specificly +specificness +specifics +specified +specifier +specifiers +specifies +specifying +specifist +specillum +specimen +specimenize +specimenized +specimens +speciology +speciosity +speciosities +specious +speciously +speciousness +speck +specked +speckedness +speckfall +specky +speckier +speckiest +speckiness +specking +speckle +specklebelly +specklebreast +speckled +speckledbill +speckledy +speckledness +specklehead +speckles +speckless +specklessly +specklessness +speckly +speckliness +speckling +speckproof +specks +specksioneer +specs +specsartine +spect +spectacle +spectacled +spectacleless +spectaclelike +spectaclemaker +spectaclemaking +spectacles +spectacular +spectacularism +spectacularity +spectacularly +spectaculars +spectant +spectate +spectated +spectates +spectating +spectator +spectatordom +spectatory +spectatorial +spectators +spectatorship +spectatress +spectatrix +specter +spectered +specterlike +specters +specting +spector +spectra +spectral +spectralism +spectrality +spectrally +spectralness +spectre +spectred +spectres +spectry +spectrobolograph +spectrobolographic +spectrobolometer +spectrobolometric +spectrochemical +spectrochemistry +spectrocolorimetry +spectrocomparator +spectroelectric +spectrofluorimeter +spectrofluorometer +spectrofluorometry +spectrofluorometric +spectrogram +spectrograms +spectrograph +spectrographer +spectrography +spectrographic +spectrographically +spectrographies +spectrographs +spectroheliogram +spectroheliograph +spectroheliography +spectroheliographic +spectrohelioscope +spectrohelioscopic +spectrology +spectrological +spectrologically +spectrometer +spectrometers +spectrometry +spectrometric +spectrometries +spectromicroscope +spectromicroscopical +spectrophoby +spectrophobia +spectrophone +spectrophonic +spectrophotoelectric +spectrophotograph +spectrophotography +spectrophotometer +spectrophotometry +spectrophotometric +spectrophotometrical +spectrophotometrically +spectropyrheliometer +spectropyrometer +spectropolarimeter +spectropolariscope +spectroradiometer +spectroradiometry +spectroradiometric +spectroscope +spectroscopes +spectroscopy +spectroscopic +spectroscopical +spectroscopically +spectroscopies +spectroscopist +spectroscopists +spectrotelescope +spectrous +spectrum +spectrums +specttra +specula +specular +specularia +specularity +specularly +speculate +speculated +speculates +speculating +speculation +speculations +speculatist +speculative +speculatively +speculativeness +speculativism +speculator +speculatory +speculators +speculatrices +speculatrix +speculist +speculum +speculums +specus +sped +speece +speech +speechcraft +speecher +speeches +speechful +speechfulness +speechify +speechification +speechified +speechifier +speechifying +speeching +speechless +speechlessly +speechlessness +speechlore +speechmaker +speechmaking +speechment +speechway +speed +speedaway +speedball +speedboat +speedboater +speedboating +speedboatman +speedboats +speeded +speeder +speeders +speedful +speedfully +speedfulness +speedgun +speedy +speedier +speediest +speedily +speediness +speeding +speedingly +speedingness +speedings +speedless +speedly +speedlight +speedo +speedometer +speedometers +speeds +speedster +speedup +speedups +speedway +speedways +speedwalk +speedwell +speedwells +speel +speeled +speeling +speelken +speelless +speels +speen +speer +speered +speering +speerings +speerity +speers +speyeria +speight +speil +speiled +speiling +speils +speir +speired +speiring +speirs +speise +speises +speiskobalt +speiss +speisscobalt +speisses +spekboom +spekt +spelaean +spelaeology +spelbinding +spelbound +spelder +spelding +speldring +speldron +spelean +speleology +speleological +speleologist +speleologists +spelk +spell +spellable +spellbind +spellbinder +spellbinders +spellbinding +spellbinds +spellbound +spellcasting +spellcraft +spelldown +spelldowns +spelled +speller +spellers +spellful +spellican +spelling +spellingdown +spellingly +spellings +spellken +spellmonger +spellproof +spells +spellword +spellwork +spelman +spelt +spelter +spelterman +speltermen +spelters +speltoid +spelts +speltz +speltzes +speluncar +speluncean +spelunk +spelunked +spelunker +spelunkers +spelunking +spelunks +spence +spencean +spencer +spencerian +spencerianism +spencerism +spencerite +spencers +spences +spency +spencie +spend +spendable +spender +spenders +spendful +spendible +spending +spendings +spendless +spends +spendthrift +spendthrifty +spendthriftiness +spendthriftness +spendthrifts +spenerism +spenglerian +spense +spenserian +spent +speos +speotyto +sperable +sperage +speramtozoon +speranza +sperate +spere +spergillum +spergula +spergularia +sperity +sperket +sperling +sperm +sperma +spermaceti +spermacetilike +spermaduct +spermagonia +spermagonium +spermalist +spermania +spermaphyta +spermaphyte +spermaphytic +spermary +spermaries +spermarium +spermashion +spermata +spermatangium +spermatheca +spermathecae +spermathecal +spermatia +spermatial +spermatic +spermatically +spermatid +spermatiferous +spermatin +spermatiogenous +spermation +spermatiophore +spermatism +spermatist +spermatitis +spermatium +spermatize +spermatoblast +spermatoblastic +spermatocele +spermatocidal +spermatocide +spermatocyst +spermatocystic +spermatocystitis +spermatocytal +spermatocyte +spermatogemma +spermatogene +spermatogenesis +spermatogenetic +spermatogeny +spermatogenic +spermatogenous +spermatogonia +spermatogonial +spermatogonium +spermatoid +spermatolysis +spermatolytic +spermatophyta +spermatophyte +spermatophytic +spermatophobia +spermatophoral +spermatophore +spermatophorous +spermatoplasm +spermatoplasmic +spermatoplast +spermatorrhea +spermatorrhoea +spermatospore +spermatotheca +spermatova +spermatovum +spermatoxin +spermatozoa +spermatozoal +spermatozoan +spermatozoic +spermatozoid +spermatozoio +spermatozoon +spermatozzoa +spermaturia +spermy +spermic +spermicidal +spermicide +spermidin +spermidine +spermiducal +spermiduct +spermigerous +spermin +spermine +spermines +spermiogenesis +spermism +spermist +spermoblast +spermoblastic +spermocarp +spermocenter +spermoderm +spermoduct +spermogenesis +spermogenous +spermogone +spermogonia +spermogoniferous +spermogonium +spermogonnia +spermogonous +spermolysis +spermolytic +spermologer +spermology +spermological +spermologist +spermophile +spermophiline +spermophilus +spermophyta +spermophyte +spermophytic +spermophobia +spermophore +spermophorium +spermosphere +spermotheca +spermotoxin +spermous +spermoviduct +sperms +spermule +speron +speronara +speronaras +speronares +speronaro +speronaroes +speronaros +sperone +sperple +sperrylite +sperse +spessartine +spessartite +spet +spetch +spetches +spete +spetrophoby +spettle +speuchan +spew +spewed +spewer +spewers +spewy +spewier +spewiest +spewiness +spewing +spews +spex +sphacel +sphacelaria +sphacelariaceae +sphacelariaceous +sphacelariales +sphacelate +sphacelated +sphacelating +sphacelation +sphacelia +sphacelial +sphacelism +sphaceloderma +sphaceloma +sphacelotoxin +sphacelous +sphacelus +sphaeralcea +sphaeraphides +sphaerella +sphaerenchyma +sphaeriaceae +sphaeriaceous +sphaeriales +sphaeridia +sphaeridial +sphaeridium +sphaeriidae +sphaerioidaceae +sphaeripium +sphaeristeria +sphaeristerium +sphaerite +sphaerium +sphaeroblast +sphaerobolaceae +sphaerobolus +sphaerocarpaceae +sphaerocarpales +sphaerocarpus +sphaerocobaltite +sphaerococcaceae +sphaerococcaceous +sphaerococcus +sphaerolite +sphaerolitic +sphaeroma +sphaeromidae +sphaerophoraceae +sphaerophorus +sphaeropsidaceae +sphaeropsidales +sphaeropsis +sphaerosiderite +sphaerosome +sphaerospore +sphaerostilbe +sphaerotheca +sphaerotilus +sphagia +sphagion +sphagnaceae +sphagnaceous +sphagnales +sphagnicolous +sphagnology +sphagnologist +sphagnous +sphagnum +sphagnums +sphakiot +sphalerite +sphalm +sphalma +sphargis +sphecid +sphecidae +sphecina +sphecius +sphecoid +sphecoidea +spheges +sphegid +sphegidae +sphegoidea +sphendone +sphene +sphenes +sphenethmoid +sphenethmoidal +sphenic +sphenion +spheniscan +sphenisci +spheniscidae +sphenisciformes +spheniscine +spheniscomorph +spheniscomorphae +spheniscomorphic +spheniscus +sphenobasilar +sphenobasilic +sphenocephaly +sphenocephalia +sphenocephalic +sphenocephalous +sphenodon +sphenodont +sphenodontia +sphenodontidae +sphenoethmoid +sphenoethmoidal +sphenofrontal +sphenogram +sphenographer +sphenography +sphenographic +sphenographist +sphenoid +sphenoidal +sphenoiditis +sphenoids +sphenolith +sphenomalar +sphenomandibular +sphenomaxillary +sphenopalatine +sphenoparietal +sphenopetrosal +sphenophyllaceae +sphenophyllaceous +sphenophyllales +sphenophyllum +sphenophorus +sphenopsid +sphenopteris +sphenosquamosal +sphenotemporal +sphenotic +sphenotribe +sphenotripsy +sphenoturbinal +sphenovomerine +sphenozygomatic +spherable +spheradian +spheral +spherality +spheraster +spheration +sphere +sphered +sphereless +spherelike +spheres +sphery +spheric +spherical +sphericality +spherically +sphericalness +sphericist +sphericity +sphericities +sphericle +sphericocylindrical +sphericotetrahedral +sphericotriangular +spherics +spherier +spheriest +spherify +spheriform +sphering +spheroconic +spherocrystal +spherograph +spheroid +spheroidal +spheroidally +spheroidic +spheroidical +spheroidically +spheroidicity +spheroidism +spheroidity +spheroidize +spheroids +spherome +spheromere +spherometer +spheroplast +spheroquartic +spherosome +spherula +spherular +spherulate +spherule +spherules +spherulite +spherulitic +spherulitize +spheterize +sphex +sphexide +sphygmia +sphygmic +sphygmochronograph +sphygmodic +sphygmogram +sphygmograph +sphygmography +sphygmographic +sphygmographies +sphygmoid +sphygmology +sphygmomanometer +sphygmomanometers +sphygmomanometry +sphygmomanometric +sphygmomanometrically +sphygmometer +sphygmometric +sphygmophone +sphygmophonic +sphygmoscope +sphygmus +sphygmuses +sphincter +sphincteral +sphincteralgia +sphincterate +sphincterectomy +sphincterial +sphincteric +sphincterismus +sphincteroscope +sphincteroscopy +sphincterotomy +sphincters +sphindid +sphindidae +sphindus +sphingal +sphinges +sphingid +sphingidae +sphingids +sphingiform +sphingine +sphingoid +sphingometer +sphingomyelin +sphingosin +sphingosine +sphingurinae +sphingurus +sphinx +sphinxes +sphinxian +sphinxianness +sphinxine +sphinxlike +sphyraena +sphyraenid +sphyraenidae +sphyraenoid +sphyrapicus +sphyrna +sphyrnidae +sphoeroides +sphragide +sphragistic +sphragistics +spy +spial +spyboat +spic +spica +spicae +spical +spicant +spicaria +spicas +spicate +spicated +spiccato +spiccatos +spice +spiceable +spiceberry +spiceberries +spicebush +spicecake +spiced +spiceful +spicehouse +spicey +spiceland +spiceless +spicelike +spicer +spicery +spiceries +spicers +spices +spicewood +spicy +spicier +spiciest +spiciferous +spiciform +spicigerous +spicilege +spicily +spiciness +spicing +spick +spicket +spickle +spicknel +spicks +spicose +spicosity +spicous +spicousness +spics +spicula +spiculae +spicular +spiculate +spiculated +spiculation +spicule +spicules +spiculiferous +spiculiform +spiculigenous +spiculigerous +spiculofiber +spiculose +spiculous +spiculum +spiculumamoris +spider +spidered +spiderflower +spiderhunter +spidery +spiderier +spideriest +spiderish +spiderless +spiderlet +spiderly +spiderlike +spiderling +spiderman +spidermonkey +spiders +spiderweb +spiderwebbed +spiderwebbing +spiderwork +spiderwort +spidger +spydom +spied +spiegel +spiegeleisen +spiegels +spiel +spieled +spieler +spielers +spieling +spiels +spier +spyer +spiered +spiering +spiers +spies +spif +spyfault +spiff +spiffed +spiffy +spiffier +spiffiest +spiffily +spiffiness +spiffing +spifflicate +spifflicated +spifflication +spiflicate +spiflicated +spiflication +spig +spigelia +spigeliaceae +spigelian +spiggoty +spyglass +spyglasses +spignel +spignet +spignut +spigot +spigots +spyhole +spying +spyism +spik +spike +spikebill +spiked +spikedace +spikedaces +spikedness +spikefish +spikefishes +spikehole +spikehorn +spikelet +spikelets +spikelike +spikenard +spiker +spikers +spikes +spiketail +spiketop +spikeweed +spikewise +spiky +spikier +spikiest +spikily +spikiness +spiking +spiks +spilanthes +spile +spiled +spilehole +spiler +spiles +spileworm +spilikin +spilikins +spiling +spilings +spilite +spilitic +spill +spillable +spillage +spillages +spillbox +spilled +spiller +spillers +spillet +spilly +spillikin +spillikins +spilling +spillover +spillpipe +spillproof +spills +spillway +spillways +spilogale +spiloma +spilomas +spilosite +spilt +spilth +spilths +spilus +spin +spina +spinacene +spinaceous +spinach +spinaches +spinachlike +spinacia +spinae +spinage +spinages +spinal +spinales +spinalis +spinally +spinals +spinate +spincaster +spinder +spindlage +spindle +spindleage +spindled +spindleful +spindlehead +spindlelegs +spindlelike +spindler +spindlers +spindles +spindleshank +spindleshanks +spindletail +spindlewise +spindlewood +spindleworm +spindly +spindlier +spindliest +spindliness +spindling +spindrift +spine +spinebill +spinebone +spined +spinefinned +spinel +spineless +spinelessly +spinelessness +spinelet +spinelike +spinelle +spinelles +spinels +spines +spinescence +spinescent +spinet +spinetail +spinets +spingel +spiny +spinibulbar +spinicarpous +spinicerebellar +spinidentate +spinier +spiniest +spiniferous +spinifex +spinifexes +spiniform +spinifugal +spinigerous +spinigrade +spininess +spinipetal +spinitis +spinituberculate +spink +spinless +spinnability +spinnable +spinnaker +spinnakers +spinney +spinneys +spinnel +spinner +spinneret +spinnerette +spinnery +spinneries +spinners +spinnerular +spinnerule +spinny +spinnies +spinning +spinningly +spinnings +spinobulbar +spinocarpous +spinocerebellar +spinodal +spinode +spinoff +spinoffs +spinogalvanization +spinoglenoid +spinoid +spinomuscular +spinoneural +spinoperipheral +spinor +spinors +spinose +spinosely +spinoseness +spinosympathetic +spinosity +spinosodentate +spinosodenticulate +spinosotubercular +spinosotuberculate +spinotectal +spinothalamic +spinotuberculous +spinous +spinousness +spinout +spinouts +spinozism +spinozist +spinozistic +spinproof +spins +spinster +spinsterdom +spinsterhood +spinsterial +spinsterish +spinsterishly +spinsterism +spinsterly +spinsterlike +spinsterous +spinsters +spinstership +spinstress +spinstry +spintext +spinthariscope +spinthariscopic +spintherism +spintry +spinturnix +spinula +spinulae +spinulate +spinulated +spinulation +spinule +spinules +spinulescent +spinuliferous +spinuliform +spinulosa +spinulose +spinulosely +spinulosociliate +spinulosodentate +spinulosodenticulate +spinulosogranulate +spinulososerrate +spinulous +spionid +spionidae +spioniformia +spyproof +spira +spirable +spiracle +spiracles +spiracula +spiracular +spiraculate +spiraculiferous +spiraculiform +spiraculum +spirae +spiraea +spiraeaceae +spiraeas +spiral +spirale +spiraled +spiraliform +spiraling +spiralism +spirality +spiralization +spiralize +spiralled +spirally +spiralling +spiraloid +spirals +spiraltail +spiralwise +spiran +spirane +spirant +spirantal +spiranthes +spiranthy +spiranthic +spirantic +spirantism +spirantization +spirantize +spirantized +spirantizing +spirants +spiraster +spirate +spirated +spiration +spire +spirea +spireas +spired +spiregrass +spireless +spirelet +spirem +spireme +spiremes +spirems +spirepole +spires +spireward +spirewise +spiry +spiricle +spirifer +spirifera +spiriferacea +spiriferid +spiriferidae +spiriferoid +spiriferous +spiriform +spirignath +spirignathous +spirilla +spirillaceae +spirillaceous +spirillar +spirillolysis +spirillosis +spirillotropic +spirillotropism +spirillum +spiring +spirit +spirital +spiritally +spiritdom +spirited +spiritedly +spiritedness +spiriter +spiritful +spiritfully +spiritfulness +spirithood +spirity +spiriting +spiritism +spiritist +spiritistic +spiritize +spiritlamp +spiritland +spiritleaf +spiritless +spiritlessly +spiritlessness +spiritlevel +spiritlike +spiritmonger +spiritoso +spiritous +spiritrompe +spirits +spiritsome +spiritual +spiritualisation +spiritualise +spiritualiser +spiritualism +spiritualist +spiritualistic +spiritualistically +spiritualists +spirituality +spiritualities +spiritualization +spiritualize +spiritualized +spiritualizer +spiritualizes +spiritualizing +spiritually +spiritualness +spirituals +spiritualship +spiritualty +spiritualties +spirituel +spirituelle +spirituosity +spirituous +spirituously +spirituousness +spiritus +spiritweed +spirivalve +spirket +spirketing +spirketting +spirlie +spirling +spiro +spirobranchia +spirobranchiata +spirobranchiate +spirochaeta +spirochaetaceae +spirochaetae +spirochaetal +spirochaetales +spirochaete +spirochaetosis +spirochaetotic +spirochetal +spirochete +spirochetemia +spirochetes +spirochetic +spirocheticidal +spirocheticide +spirochetosis +spirochetotic +spirodela +spirogyra +spirogram +spirograph +spirography +spirographic +spirographidin +spirographin +spirographis +spiroid +spiroidal +spiroilic +spirol +spirole +spiroloculine +spirometer +spirometry +spirometric +spirometrical +spironema +spironolactone +spiropentane +spirophyton +spirorbis +spyros +spiroscope +spirosoma +spirous +spirt +spirted +spirting +spirtle +spirts +spirula +spirulae +spirulas +spirulate +spise +spyship +spiss +spissated +spissatus +spissy +spissitude +spissus +spisula +spit +spital +spitals +spitball +spitballer +spitballs +spitbox +spitchcock +spitchcocked +spitchcocking +spite +spited +spiteful +spitefuller +spitefullest +spitefully +spitefulness +spiteless +spiteproof +spites +spitfire +spitfires +spitfrog +spitful +spithamai +spithame +spiting +spitish +spitkid +spitkit +spitous +spytower +spitpoison +spits +spitscocked +spitstick +spitsticker +spitted +spitten +spitter +spitters +spitting +spittle +spittlebug +spittlefork +spittleman +spittlemen +spittles +spittlestaff +spittoon +spittoons +spitz +spitzenberg +spitzenburg +spitzer +spitzes +spitzflute +spitzkop +spiv +spivery +spivs +spivvy +spivving +spizella +spizzerinctum +spl +splachnaceae +splachnaceous +splachnoid +splachnum +splacknuck +splad +splay +splayed +splayer +splayfeet +splayfoot +splayfooted +splaying +splaymouth +splaymouthed +splaymouths +splairge +splays +splake +splakes +splanchnapophysial +splanchnapophysis +splanchnectopia +splanchnemphraxis +splanchnesthesia +splanchnesthetic +splanchnic +splanchnicectomy +splanchnicectomies +splanchnoblast +splanchnocoele +splanchnoderm +splanchnodiastasis +splanchnodynia +splanchnographer +splanchnography +splanchnographical +splanchnolith +splanchnology +splanchnologic +splanchnological +splanchnologist +splanchnomegaly +splanchnomegalia +splanchnopathy +splanchnopleural +splanchnopleure +splanchnopleuric +splanchnoptosia +splanchnoptosis +splanchnosclerosis +splanchnoscopy +splanchnoskeletal +splanchnoskeleton +splanchnosomatic +splanchnotomy +splanchnotomical +splanchnotribe +splash +splashback +splashboard +splashdown +splashdowns +splashed +splasher +splashers +splashes +splashy +splashier +splashiest +splashily +splashiness +splashing +splashingly +splashproof +splashs +splashwing +splat +splatch +splatcher +splatchy +splather +splathering +splats +splatter +splatterdash +splatterdock +splattered +splatterer +splatterfaced +splattering +splatters +splatterwork +spleen +spleened +spleenful +spleenfully +spleeny +spleenier +spleeniest +spleening +spleenish +spleenishly +spleenishness +spleenless +spleens +spleenwort +spleet +spleetnew +splenadenoma +splenalgy +splenalgia +splenalgic +splenative +splenatrophy +splenatrophia +splenauxe +splenculi +splenculus +splendaceous +splendacious +splendaciously +splendaciousness +splendatious +splendent +splendently +splender +splendescent +splendid +splendider +splendidest +splendidious +splendidly +splendidness +splendiferous +splendiferously +splendiferousness +splendor +splendorous +splendorously +splendorousness +splendorproof +splendors +splendour +splendourproof +splendrous +splendrously +splendrousness +splenectama +splenectasis +splenectomy +splenectomies +splenectomist +splenectomize +splenectomized +splenectomizing +splenectopy +splenectopia +splenelcosis +splenemia +splenemphraxis +spleneolus +splenepatitis +splenetic +splenetical +splenetically +splenetive +splenia +splenial +splenic +splenical +splenicterus +splenification +spleniform +splenii +spleninii +spleniti +splenitis +splenitises +splenitive +splenium +splenius +splenization +splenoblast +splenocele +splenoceratosis +splenocyte +splenocleisis +splenocolic +splenodiagnosis +splenodynia +splenography +splenohemia +splenoid +splenolaparotomy +splenolymph +splenolymphatic +splenolysin +splenolysis +splenology +splenoma +splenomalacia +splenomedullary +splenomegaly +splenomegalia +splenomegalic +splenomyelogenous +splenoncus +splenonephric +splenopancreatic +splenoparectama +splenoparectasis +splenopathy +splenopexy +splenopexia +splenopexis +splenophrenic +splenopneumonia +splenoptosia +splenoptosis +splenorrhagia +splenorrhaphy +splenotyphoid +splenotomy +splenotoxin +splent +splents +splenulus +splenunculus +splet +spleuchan +spleughan +splice +spliceable +spliced +splicer +splicers +splices +splicing +splicings +splinder +spline +splined +splines +splineway +splining +splint +splintage +splintbone +splinted +splinter +splinterd +splintered +splintery +splintering +splinterize +splinterless +splinternew +splinterproof +splinters +splinty +splinting +splints +splintwood +split +splitbeak +splite +splitfinger +splitfruit +splitmouth +splitnew +splitnut +splits +splitsaw +splittable +splittail +splitted +splitten +splitter +splitterman +splitters +splitting +splittings +splitworm +splodge +splodgy +sploit +splore +splores +splosh +sploshed +sploshes +sploshy +sploshing +splotch +splotched +splotches +splotchy +splotchier +splotchiest +splotchily +splotchiness +splotching +splother +splunge +splunt +splurge +splurged +splurges +splurgy +splurgier +splurgiest +splurgily +splurging +splurt +spluther +splutter +spluttered +splutterer +spluttery +spluttering +splutters +spninx +spninxes +spoach +spock +spode +spodes +spodiosite +spodium +spodogenic +spodogenous +spodomancy +spodomantic +spodumene +spoffy +spoffish +spoffle +spogel +spoil +spoilable +spoilage +spoilages +spoilate +spoilated +spoilation +spoilbank +spoiled +spoiler +spoilers +spoilfive +spoilful +spoiling +spoilless +spoilment +spoils +spoilsman +spoilsmen +spoilsmonger +spoilsport +spoilsports +spoilt +spokan +spokane +spoke +spoked +spokeless +spoken +spokes +spokeshave +spokesman +spokesmanship +spokesmen +spokesperson +spokester +spokeswoman +spokeswomanship +spokeswomen +spokewise +spoky +spoking +spole +spolia +spoliary +spoliaria +spoliarium +spoliate +spoliated +spoliates +spoliating +spoliation +spoliative +spoliator +spoliatory +spoliators +spolium +spondaic +spondaical +spondaics +spondaize +spondean +spondee +spondees +spondiac +spondiaceae +spondias +spondil +spondyl +spondylalgia +spondylarthritis +spondylarthrocace +spondyle +spondylexarthrosis +spondylic +spondylid +spondylidae +spondylioid +spondylitic +spondylitis +spondylium +spondylizema +spondylocace +spondylocladium +spondylodiagnosis +spondylodidymia +spondylodymus +spondyloid +spondylolisthesis +spondylolisthetic +spondylopathy +spondylopyosis +spondyloschisis +spondylosyndesis +spondylosis +spondylotherapeutics +spondylotherapy +spondylotherapist +spondylotomy +spondylous +spondylus +spondulicks +spondulics +spondulix +spong +sponge +spongecake +sponged +spongefly +spongeflies +spongeful +spongeless +spongelet +spongelike +spongeous +spongeproof +sponger +spongers +sponges +spongeware +spongewood +spongy +spongiae +spongian +spongicolous +spongiculture +spongida +spongier +spongiest +spongiferous +spongiform +spongiidae +spongily +spongilla +spongillafly +spongillaflies +spongillid +spongillidae +spongilline +spongin +sponginblast +sponginblastic +sponginess +sponging +spongingly +spongins +spongioblast +spongioblastic +spongioblastoma +spongiocyte +spongiole +spongiolin +spongiopilin +spongiopiline +spongioplasm +spongioplasmic +spongiose +spongiosity +spongious +spongiousness +spongiozoa +spongiozoon +spongoblast +spongoblastic +spongocoel +spongoid +spongology +spongophore +spongospora +sponsal +sponsalia +sponsibility +sponsible +sponsing +sponsion +sponsional +sponsions +sponson +sponsons +sponsor +sponsored +sponsorial +sponsoring +sponsors +sponsorship +sponsorships +sponspeck +spontaneity +spontaneities +spontaneous +spontaneously +spontaneousness +sponton +spontoon +spontoons +spoof +spoofed +spoofer +spoofery +spooferies +spoofing +spoofish +spoofs +spook +spookdom +spooked +spookery +spookeries +spooky +spookier +spookies +spookiest +spookily +spookiness +spooking +spookish +spookism +spookist +spookology +spookological +spookologist +spooks +spool +spooled +spooler +spoolers +spoolful +spooling +spoollike +spools +spoolwood +spoom +spoon +spoonback +spoonbait +spoonbill +spoonbills +spoonbread +spoondrift +spooned +spooney +spooneyism +spooneyly +spooneyness +spooneys +spooner +spoonerism +spoonerisms +spoonflower +spoonful +spoonfuls +spoonholder +spoonhutch +spoony +spoonier +spoonies +spooniest +spoonyism +spoonily +spooniness +spooning +spoonism +spoonless +spoonlike +spoonmaker +spoonmaking +spoons +spoonsful +spoonways +spoonwise +spoonwood +spoonwort +spoor +spoored +spoorer +spooring +spoorn +spoors +spoot +spor +sporabola +sporaceous +sporades +sporadial +sporadic +sporadical +sporadically +sporadicalness +sporadicity +sporadicness +sporadin +sporadism +sporadosiderite +sporal +sporange +sporangia +sporangial +sporangidium +sporangiferous +sporangiform +sporangigia +sporangioid +sporangiola +sporangiole +sporangiolum +sporangiophore +sporangiospore +sporangite +sporangites +sporangium +sporation +spore +spored +sporeformer +sporeforming +sporeling +spores +sporicidal +sporicide +sporid +sporidesm +sporidia +sporidial +sporidiferous +sporidiiferous +sporidiole +sporidiolum +sporidium +sporiferous +sporification +sporing +sporiparity +sporiparous +sporoblast +sporobolus +sporocarp +sporocarpia +sporocarpium +sporochnaceae +sporochnus +sporocyst +sporocystic +sporocystid +sporocyte +sporoderm +sporodochia +sporodochium +sporoduct +sporogen +sporogenesis +sporogeny +sporogenic +sporogenous +sporogone +sporogony +sporogonia +sporogonial +sporogonic +sporogonium +sporogonous +sporoid +sporologist +sporomycosis +sporonia +sporont +sporophydium +sporophyl +sporophyll +sporophyllary +sporophyllum +sporophyte +sporophytic +sporophore +sporophoric +sporophorous +sporoplasm +sporopollenin +sporosac +sporostegium +sporostrote +sporotrichosis +sporotrichotic +sporotrichum +sporous +sporozoa +sporozoal +sporozoan +sporozoic +sporozoid +sporozoite +sporozooid +sporozoon +sporran +sporrans +sport +sportability +sportable +sportance +sported +sporter +sporters +sportfisherman +sportfishing +sportful +sportfully +sportfulness +sporty +sportier +sportiest +sportily +sportiness +sporting +sportingly +sportive +sportively +sportiveness +sportless +sportly +sportling +sports +sportscast +sportscaster +sportscasters +sportscasts +sportsman +sportsmanly +sportsmanlike +sportsmanlikeness +sportsmanliness +sportsmanship +sportsmen +sportsome +sportswear +sportswoman +sportswomanly +sportswomanship +sportswomen +sportswrite +sportswriter +sportswriters +sportswriting +sportula +sportulae +sporular +sporulate +sporulated +sporulating +sporulation +sporulative +sporule +sporules +sporuliferous +sporuloid +sposh +sposhy +spot +spotless +spotlessly +spotlessness +spotlight +spotlighter +spotlights +spotlike +spotrump +spots +spotsman +spotsmen +spottable +spottail +spotted +spottedly +spottedness +spotteldy +spotter +spotters +spotty +spottier +spottiest +spottily +spottiness +spotting +spottle +spotwelder +spoucher +spousage +spousal +spousally +spousals +spouse +spoused +spousehood +spouseless +spouses +spousy +spousing +spout +spouted +spouter +spouters +spouty +spoutiness +spouting +spoutless +spoutlike +spoutman +spouts +spp +sprachgefuhl +sprachle +sprack +sprackish +sprackle +sprackly +sprackness +sprad +spraddle +spraddled +spraddles +spraddling +sprag +spragged +spragger +spragging +spraggly +spragman +sprags +spray +sprayboard +spraich +sprayed +sprayey +sprayer +sprayers +sprayful +sprayfully +spraying +sprayless +spraylike +sprain +sprained +spraing +spraining +sprains +spraint +spraints +sprayproof +sprays +spraith +sprang +sprangle +sprangled +sprangly +sprangling +sprank +sprat +sprats +spratted +spratter +spratty +spratting +sprattle +sprattled +sprattles +sprattling +sprauchle +sprauchled +sprauchling +sprawl +sprawled +sprawler +sprawlers +sprawly +sprawlier +sprawliest +sprawling +sprawlingly +sprawls +spread +spreadability +spreadable +spreadation +spreadboard +spreadeagle +spreaded +spreader +spreaders +spreadhead +spready +spreading +spreadingly +spreadingness +spreadings +spreadover +spreads +spreadsheet +spreadsheets +spreagh +spreaghery +spreath +spreathed +sprechgesang +sprechstimme +spreckle +spree +spreed +spreeing +sprees +spreeuw +sprekelia +spreng +sprenge +sprenging +sprent +spret +spretty +sprew +sprewl +sprezzatura +spry +spridhogue +spried +sprier +spryer +spriest +spryest +sprig +sprigged +sprigger +spriggers +spriggy +spriggier +spriggiest +sprigging +spright +sprighted +sprightful +sprightfully +sprightfulness +sprighty +sprightly +sprightlier +sprightliest +sprightlily +sprightliness +sprights +spriglet +sprigs +sprigtail +spryly +sprindge +spryness +sprynesses +spring +springal +springald +springals +springboard +springboards +springbok +springboks +springbuck +springe +springed +springeing +springer +springerle +springers +springes +springfield +springfinger +springfish +springfishes +springful +springgun +springhaas +springhalt +springhead +springhouse +springy +springier +springiest +springily +springiness +springing +springingly +springle +springled +springless +springlet +springly +springlike +springling +springlock +springmaker +springmaking +springs +springtail +springtide +springtime +springtrap +springwater +springwood +springworm +springwort +springwurzel +sprink +sprinkle +sprinkled +sprinkleproof +sprinkler +sprinklered +sprinklers +sprinkles +sprinkling +sprinklingly +sprinklings +sprint +sprinted +sprinter +sprinters +sprinting +sprints +sprit +sprite +spritehood +spriteless +spritely +spritelike +spriteliness +sprites +spritish +sprits +spritsail +sprittail +spritted +spritty +sprittie +spritting +spritz +spritzer +sproat +sprocket +sprockets +sprod +sprogue +sproil +sprong +sprose +sprot +sproty +sprottle +sprout +sproutage +sprouted +sprouter +sproutful +sprouting +sproutland +sproutling +sprouts +sprowsy +spruce +spruced +sprucely +spruceness +sprucer +sprucery +spruces +sprucest +sprucy +sprucier +spruciest +sprucify +sprucification +sprucing +sprue +spruer +sprues +sprug +sprugs +spruik +spruiker +spruit +sprung +sprunk +sprunny +sprunt +spruntly +sprusado +sprush +sps +spt +spud +spudboy +spudded +spudder +spudders +spuddy +spudding +spuddle +spuds +spue +spued +spues +spuffle +spug +spuggy +spuilyie +spuilzie +spuing +spuke +spulyie +spulyiement +spulzie +spumante +spume +spumed +spumes +spumescence +spumescent +spumy +spumier +spumiest +spumiferous +spumification +spumiform +spuming +spumoid +spumone +spumones +spumoni +spumonis +spumose +spumous +spun +spunch +spung +spunge +spunyarn +spunk +spunked +spunky +spunkie +spunkier +spunkies +spunkiest +spunkily +spunkiness +spunking +spunkless +spunklessly +spunklessness +spunks +spunny +spunnies +spunware +spur +spurdie +spurdog +spurflower +spurgall +spurgalled +spurgalling +spurgalls +spurge +spurges +spurgewort +spuria +spuriae +spuries +spuriosity +spurious +spuriously +spuriousness +spurius +spurl +spurless +spurlet +spurlike +spurling +spurluous +spurmaker +spurmoney +spurn +spurned +spurner +spurners +spurning +spurnpoint +spurns +spurnwater +spurproof +spurred +spurrey +spurreies +spurreys +spurrer +spurrers +spurry +spurrial +spurrier +spurriers +spurries +spurring +spurrings +spurrite +spurs +spurt +spurted +spurter +spurting +spurtive +spurtively +spurtle +spurtleblade +spurtles +spurts +spurway +spurwing +spurwinged +spurwort +sput +sputa +sputative +spute +sputnik +sputniks +sputta +sputter +sputtered +sputterer +sputterers +sputtery +sputtering +sputteringly +sputters +sputum +sputumary +sputumose +sputumous +sq +sqd +sqq +sqrt +squab +squabash +squabasher +squabbed +squabber +squabby +squabbier +squabbiest +squabbing +squabbish +squabble +squabbled +squabbler +squabblers +squabbles +squabbly +squabbling +squabblingly +squabs +squacco +squaccos +squad +squadded +squadder +squaddy +squadding +squader +squadrate +squadrism +squadrol +squadron +squadrone +squadroned +squadroning +squadrons +squads +squail +squailer +squails +squalene +squalenes +squali +squalid +squalida +squalidae +squalider +squalidest +squalidity +squalidly +squalidness +squaliform +squall +squalled +squaller +squallery +squallers +squally +squallier +squalliest +squalling +squallish +squalls +squalm +squalodon +squalodont +squalodontidae +squaloid +squaloidei +squalor +squalors +squalus +squam +squama +squamaceous +squamae +squamariaceae +squamata +squamate +squamated +squamatine +squamation +squamatogranulous +squamatotuberculate +squame +squamella +squamellae +squamellate +squamelliferous +squamelliform +squameous +squamy +squamiferous +squamify +squamiform +squamigerous +squamipennate +squamipennes +squamipinnate +squamipinnes +squamish +squamocellular +squamoepithelial +squamoid +squamomastoid +squamoparietal +squamopetrosal +squamosa +squamosal +squamose +squamosely +squamoseness +squamosis +squamosity +squamosodentated +squamosoimbricated +squamosomaxillary +squamosoparietal +squamosoradiate +squamosotemporal +squamosozygomatic +squamosphenoid +squamosphenoidal +squamotemporal +squamous +squamously +squamousness +squamozygomatic +squamscot +squamula +squamulae +squamulate +squamulation +squamule +squamuliform +squamulose +squander +squandered +squanderer +squanderers +squandering +squanderingly +squandermania +squandermaniac +squanders +squantum +squarable +square +squareage +squarecap +squared +squaredly +squareface +squareflipper +squarehead +squarely +squarelike +squareman +squaremen +squaremouth +squareness +squarer +squarers +squares +squarest +squaretail +squaretoed +squarewise +squary +squarier +squaring +squarish +squarishly +squarishness +squark +squarrose +squarrosely +squarrous +squarrulose +squarson +squarsonry +squash +squashberry +squashed +squasher +squashers +squashes +squashy +squashier +squashiest +squashily +squashiness +squashing +squashs +squassation +squat +squatarola +squatarole +squaterole +squatina +squatinid +squatinidae +squatinoid +squatinoidei +squatly +squatment +squatmore +squatness +squats +squattage +squatted +squatter +squatterarchy +squatterdom +squattered +squattering +squatterism +squatterproof +squatters +squattest +squatty +squattier +squattiest +squattily +squattiness +squatting +squattingly +squattish +squattle +squattocracy +squattocratic +squatwise +squaw +squawberry +squawberries +squawbush +squawdom +squawfish +squawfishes +squawflower +squawk +squawked +squawker +squawkers +squawky +squawkie +squawkier +squawkiest +squawking +squawkingly +squawks +squawl +squawler +squawmish +squawroot +squaws +squawtits +squawweed +squaxon +squdge +squdgy +squeak +squeaked +squeaker +squeakery +squeakers +squeaky +squeakier +squeakiest +squeakyish +squeakily +squeakiness +squeaking +squeakingly +squeaklet +squeakproof +squeaks +squeal +squeald +squealed +squealer +squealers +squealing +squeals +squeam +squeamy +squeamish +squeamishly +squeamishness +squeamous +squeasy +squedunk +squeege +squeegee +squeegeed +squeegeeing +squeegees +squeegeing +squeel +squeezability +squeezable +squeezableness +squeezably +squeeze +squeezed +squeezeman +squeezer +squeezers +squeezes +squeezy +squeezing +squeezingly +squeg +squegged +squegging +squegs +squelch +squelched +squelcher +squelchers +squelches +squelchy +squelchier +squelchiest +squelchily +squelchiness +squelching +squelchingly +squelchingness +squelette +squench +squencher +squet +squeteague +squetee +squib +squibbed +squibber +squibbery +squibbing +squibbish +squibcrack +squiblet +squibling +squibs +squibster +squid +squidded +squidder +squidding +squiddle +squidge +squidgereen +squidgy +squidgier +squidgiest +squids +squiffed +squiffer +squiffy +squiffier +squiffiest +squiggle +squiggled +squiggles +squiggly +squigglier +squiggliest +squiggling +squilgee +squilgeed +squilgeeing +squilgeer +squilgees +squilgeing +squill +squilla +squillae +squillagee +squillageed +squillageeing +squillageing +squillas +squillery +squillgee +squillgeed +squillgeeing +squillgeing +squillian +squillid +squillidae +squillitic +squilloid +squilloidea +squills +squimmidge +squin +squinacy +squinance +squinancy +squinant +squinch +squinched +squinches +squinching +squinny +squinnied +squinnier +squinnies +squinniest +squinnying +squinsy +squint +squinted +squinter +squinters +squintest +squinty +squintier +squintiest +squinting +squintingly +squintingness +squintly +squintness +squints +squirage +squiralty +squirarch +squirarchal +squirarchy +squirarchical +squirarchies +squire +squirearch +squirearchal +squirearchy +squirearchical +squirearchies +squired +squiredom +squireen +squireens +squirehood +squireless +squirelet +squirely +squirelike +squireling +squireocracy +squires +squireship +squiress +squiret +squirewise +squiring +squirish +squirism +squirk +squirl +squirm +squirmed +squirmer +squirmers +squirmy +squirmier +squirmiest +squirminess +squirming +squirmingly +squirms +squirr +squirrel +squirreled +squirrelfish +squirrelfishes +squirrely +squirrelian +squirreline +squirreling +squirrelish +squirrelled +squirrelly +squirrellike +squirrelling +squirrelproof +squirrels +squirrelsstagnate +squirreltail +squirt +squirted +squirter +squirters +squirty +squirtiness +squirting +squirtingly +squirtish +squirts +squish +squished +squishes +squishy +squishier +squishiest +squishiness +squishing +squiss +squit +squitch +squitchy +squitter +squiz +squoosh +squooshed +squooshes +squooshing +squoze +squshy +squshier +squshiest +squush +squushed +squushes +squushy +squushing +sr +srac +sraddha +sraddhas +sradha +sradhas +sramana +sravaka +sri +sridhar +sridharan +srikanth +srinivas +srinivasan +sriram +sris +srivatsan +sruti +ss +ssed +ssi +ssing +ssort +ssp +sstor +ssu +st +sta +staab +staatsraad +staatsrat +stab +stabbed +stabber +stabbers +stabbing +stabbingly +stabbingness +stabilate +stabile +stabiles +stabilify +stabiliment +stabilimeter +stabilisation +stabilise +stabilised +stabiliser +stabilising +stabilist +stabilitate +stability +stabilities +stabilivolt +stabilization +stabilizator +stabilize +stabilized +stabilizer +stabilizers +stabilizes +stabilizing +stable +stableboy +stabled +stableful +stablekeeper +stablelike +stableman +stablemate +stablemeal +stablemen +stableness +stabler +stablers +stables +stablest +stablestand +stableward +stablewards +stably +stabling +stablings +stablish +stablished +stablishes +stablishing +stablishment +staboy +stabproof +stabs +stabulate +stabulation +stabwort +stacc +staccado +staccati +staccato +staccatos +stacey +stacher +stachering +stachydrin +stachydrine +stachyose +stachys +stachytarpheta +stachyuraceae +stachyuraceous +stachyurus +stacy +stack +stackable +stackage +stacked +stackencloud +stacker +stackering +stackers +stacket +stackfreed +stackful +stackgarth +stackhousia +stackhousiaceae +stackhousiaceous +stackyard +stacking +stackless +stackman +stackmen +stacks +stackstand +stackup +stacte +stactes +stactometer +stad +stadda +staddle +staddles +staddlestone +staddling +stade +stader +stades +stadholder +stadholderate +stadholdership +stadhouse +stadia +stadial +stadias +stadic +stadie +stadimeter +stadiometer +stadion +stadium +stadiums +stadle +stadthaus +stadtholder +stadtholderate +stadtholdership +stadthouse +stafette +staff +staffage +staffed +staffelite +staffer +staffers +staffete +staffier +staffing +staffish +staffless +staffman +staffmen +stafford +staffs +staffstriker +stag +stagbush +stage +stageability +stageable +stageableness +stageably +stagecoach +stagecoaches +stagecoaching +stagecraft +staged +stagedom +stagefright +stagehand +stagehands +stagehouse +stagey +stageland +stagelike +stageman +stagemen +stager +stagery +stagers +stages +stagese +stagestruck +stagewise +stageworthy +stagewright +stagflation +staggard +staggards +staggart +staggarth +staggarts +stagged +stagger +staggerbush +staggered +staggerer +staggerers +staggery +staggering +staggeringly +staggers +staggerweed +staggerwort +staggy +staggie +staggier +staggies +staggiest +stagging +staghead +staghorn +staghound +staghunt +staghunter +staghunting +stagy +stagiary +stagier +stagiest +stagily +staginess +staging +stagings +stagion +stagirite +stagyrite +stagiritic +staglike +stagmometer +stagnance +stagnancy +stagnant +stagnantly +stagnantness +stagnate +stagnated +stagnates +stagnating +stagnation +stagnatory +stagnature +stagne +stagnicolous +stagnize +stagnum +stagonospora +stags +stagskin +stagworm +stahlhelm +stahlhelmer +stahlhelmist +stahlian +stahlianism +stahlism +stay +staia +stayable +staybolt +staid +staider +staidest +staidly +staidness +stayed +stayer +stayers +staig +staigs +staying +stail +staylace +stayless +staylessness +staymaker +staymaking +stain +stainability +stainabilities +stainable +stainableness +stainably +stained +stainer +stainers +stainful +stainierite +staynil +staining +stainless +stainlessly +stainlessness +stainproof +stains +staio +stayover +staypak +stair +stairbeak +stairbuilder +stairbuilding +staircase +staircases +staired +stairhead +stairy +stairless +stairlike +stairs +stairstep +stairway +stairways +stairwell +stairwells +stairwise +stairwork +stays +staysail +staysails +stayship +staith +staithe +staithman +staithmen +staiver +stake +staked +stakehead +stakeholder +stakemaster +stakeout +stakeouts +staker +stakerope +stakes +stakhanovism +stakhanovite +staking +stalace +stalactic +stalactical +stalactiform +stalactital +stalactite +stalactited +stalactites +stalactitic +stalactitical +stalactitically +stalactitied +stalactitiform +stalactitious +stalag +stalagma +stalagmite +stalagmites +stalagmitic +stalagmitical +stalagmitically +stalagmometer +stalagmometry +stalagmometric +stalags +stalder +stale +staled +stalely +stalemate +stalemated +stalemates +stalemating +staleness +staler +stales +stalest +stalin +staling +stalingrad +stalinism +stalinist +stalinists +stalinite +stalk +stalkable +stalked +stalker +stalkers +stalky +stalkier +stalkiest +stalkily +stalkiness +stalking +stalkingly +stalkless +stalklet +stalklike +stalko +stalkoes +stalks +stall +stallage +stalland +stallar +stallary +stallboard +stallboat +stalled +stallenger +staller +stallership +stalling +stallinger +stallingken +stallings +stallion +stallionize +stallions +stallkeeper +stallman +stallmen +stallment +stallon +stalls +stalwart +stalwartism +stalwartize +stalwartly +stalwartness +stalwarts +stalworth +stalworthly +stalworthness +stam +stamba +stambha +stambouline +stamen +stamened +stamens +stamin +stamina +staminal +staminas +staminate +stamindia +stamineal +stamineous +staminiferous +staminigerous +staminode +staminody +staminodia +staminodium +stammel +stammelcolor +stammels +stammer +stammered +stammerer +stammerers +stammering +stammeringly +stammeringness +stammers +stammerwort +stammrel +stamnoi +stamnos +stamp +stampable +stampage +stamped +stampedable +stampede +stampeded +stampeder +stampedes +stampeding +stampedingly +stampedo +stampee +stamper +stampery +stampers +stamphead +stampian +stamping +stample +stampless +stampman +stampmen +stamps +stampsman +stampsmen +stampweed +stan +stance +stances +stanch +stanchable +stanched +stanchel +stancheled +stancher +stanchers +stanches +stanchest +stanching +stanchion +stanchioned +stanchioning +stanchions +stanchless +stanchlessly +stanchly +stanchness +stand +standage +standard +standardbearer +standardbearers +standardbred +standardise +standardised +standardizable +standardization +standardize +standardized +standardizer +standardizes +standardizing +standardly +standardness +standards +standardwise +standaway +standback +standby +standbybys +standbys +standee +standees +standel +standelwelks +standelwort +stander +standergrass +standers +standerwort +standeth +standfast +standi +standing +standings +standish +standishes +standoff +standoffish +standoffishly +standoffishness +standoffs +standout +standouts +standpat +standpatism +standpatter +standpattism +standpipe +standpipes +standpoint +standpoints +standpost +stands +standstill +standup +stane +stanechat +staned +stanek +stanes +stanford +stang +stanged +stangeria +stanging +stangs +stanhope +stanhopea +stanhopes +staniel +stanine +staning +stanislaw +stanitsa +stanitza +stanjen +stank +stankie +stanks +stanley +stanly +stannane +stannary +stannaries +stannate +stannator +stannel +stanner +stannery +stanners +stannic +stannid +stannide +stanniferous +stannyl +stannite +stannites +stanno +stannotype +stannous +stannoxyl +stannum +stannums +stantibus +stanza +stanzaed +stanzaic +stanzaical +stanzaically +stanzas +stanze +stanzo +stap +stapedectomy +stapedectomized +stapedes +stapedez +stapedial +stapediform +stapediovestibular +stapedius +stapelia +stapelias +stapes +staph +staphyle +staphylea +staphyleaceae +staphyleaceous +staphylectomy +staphyledema +staphylematoma +staphylic +staphyline +staphylinic +staphylinid +staphylinidae +staphylinideous +staphylinoidea +staphylinus +staphylion +staphylitis +staphyloangina +staphylococcal +staphylococcemia +staphylococcemic +staphylococci +staphylococcic +staphylococcocci +staphylococcus +staphylodermatitis +staphylodialysis +staphyloedema +staphylohemia +staphylolysin +staphyloma +staphylomatic +staphylomatous +staphylomycosis +staphyloncus +staphyloplasty +staphyloplastic +staphyloptosia +staphyloptosis +staphyloraphic +staphylorrhaphy +staphylorrhaphic +staphylorrhaphies +staphyloschisis +staphylosis +staphylotome +staphylotomy +staphylotomies +staphylotoxin +staphisagria +staphs +staple +stapled +stapler +staplers +staples +staplewise +staplf +stapling +stapple +star +starblind +starbloom +starboard +starbolins +starbowlines +starbright +starbuck +starch +starchboard +starched +starchedly +starchedness +starcher +starches +starchflower +starchy +starchier +starchiest +starchily +starchiness +starching +starchless +starchly +starchlike +starchmaker +starchmaking +starchman +starchmen +starchness +starchroot +starchworks +starchwort +starcraft +stardom +stardoms +stardust +stardusts +stare +stared +staree +starer +starers +stares +starets +starfish +starfishes +starflower +starfruit +starful +stargaze +stargazed +stargazer +stargazers +stargazes +stargazing +stary +starik +staring +staringly +stark +starken +starker +starkest +starky +starkle +starkly +starkness +starless +starlessly +starlessness +starlet +starlets +starlight +starlighted +starlights +starlike +starling +starlings +starlit +starlite +starlitten +starmonger +starn +starnel +starny +starnie +starnose +starnoses +staroobriadtsi +starost +starosta +starosti +starosty +starquake +starr +starred +starry +starrier +starriest +starrify +starrily +starriness +starring +starringly +stars +starshake +starshine +starship +starshoot +starshot +starstone +starstroke +starstruck +start +started +starter +starters +startful +startfulness +starthroat +starty +starting +startingly +startingno +startish +startle +startled +startler +startlers +startles +startly +startling +startlingly +startlingness +startlish +startlishness +startor +starts +startsy +startup +startups +starvation +starve +starveacre +starved +starvedly +starveling +starvelings +starven +starver +starvers +starves +starvy +starving +starw +starward +starwise +starworm +starwort +starworts +stases +stash +stashed +stashes +stashie +stashing +stasidia +stasidion +stasima +stasimetric +stasimon +stasimorphy +stasiphobia +stasis +stasisidia +stasophobia +stassfurtite +stat +statable +statal +statampere +statant +statary +statcoulomb +state +stateable +statecraft +stated +statedly +stateful +statefully +statefulness +statehood +statehouse +statehouses +stateless +statelessness +statelet +stately +statelich +statelier +stateliest +statelily +stateliness +statement +statements +statemonger +statequake +stater +statera +stateroom +staterooms +staters +states +statesboy +stateship +stateside +statesider +statesman +statesmanese +statesmanly +statesmanlike +statesmanship +statesmen +statesmonger +stateswoman +stateswomen +stateway +statewide +statfarad +stathenry +stathenries +stathenrys +stathmoi +stathmos +static +statical +statically +statice +statices +staticproof +statics +stating +station +stational +stationary +stationaries +stationarily +stationariness +stationarity +stationed +stationer +stationery +stationeries +stationers +stationing +stationman +stationmaster +stations +statiscope +statism +statisms +statist +statistic +statistical +statistically +statistician +statisticians +statisticize +statistics +statistology +statists +stative +statives +statize +statoblast +statocyst +statocracy +statohm +statolatry +statolith +statolithic +statometer +stator +statoreceptor +statorhab +stators +statoscope +statospore +stats +statua +statuary +statuaries +statuarism +statuarist +statue +statuecraft +statued +statueless +statuelike +statues +statuesque +statuesquely +statuesqueness +statuette +statuettes +statuing +stature +statured +statures +status +statuses +statutable +statutableness +statutably +statutary +statute +statuted +statutes +statuting +statutory +statutorily +statutoriness +statutum +statvolt +staucher +stauk +staumer +staumeral +staumrel +staumrels +staun +staunch +staunchable +staunched +stauncher +staunches +staunchest +staunching +staunchly +staunchness +staup +stauracin +stauraxonia +stauraxonial +staurion +staurolatry +staurolatries +staurolite +staurolitic +staurology +stauromedusae +stauromedusan +stauropegia +stauropegial +stauropegion +stauropgia +stauroscope +stauroscopic +stauroscopically +staurotide +stauter +stavable +stave +staveable +staved +staveless +staver +stavers +staverwort +staves +stavesacre +stavewise +stavewood +staving +stavrite +staw +stawn +stawsome +staxis +stbd +stchi +std +stddmp +steaakhouse +stead +steadable +steaded +steadfast +steadfastly +steadfastness +steady +steadied +steadier +steadiers +steadies +steadiest +steadying +steadyingly +steadyish +steadily +steadiment +steadiness +steading +steadings +steadite +steadman +steads +steak +steakhouse +steakhouses +steaks +steal +stealability +stealable +stealage +stealages +stealed +stealer +stealers +stealy +stealing +stealingly +stealings +steals +stealth +stealthful +stealthfully +stealthy +stealthier +stealthiest +stealthily +stealthiness +stealthless +stealthlike +stealths +stealthwise +steam +steamboat +steamboating +steamboatman +steamboatmen +steamboats +steamcar +steamed +steamer +steamered +steamerful +steamering +steamerless +steamerload +steamers +steamfitter +steamfitting +steamy +steamie +steamier +steamiest +steamily +steaminess +steaming +steamless +steamlike +steampipe +steamproof +steamroll +steamroller +steamrollered +steamrollering +steamrollers +steams +steamship +steamships +steamtight +steamtightness +stean +steaning +steapsin +steapsins +stearate +stearates +stearic +steariform +stearyl +stearin +stearine +stearines +stearins +stearolactone +stearone +stearoptene +stearrhea +stearrhoea +steatin +steatite +steatites +steatitic +steatocele +steatogenous +steatolysis +steatolytic +steatoma +steatomas +steatomata +steatomatous +steatopathic +steatopyga +steatopygy +steatopygia +steatopygic +steatopygous +steatornis +steatornithes +steatornithidae +steatorrhea +steatorrhoea +steatoses +steatosis +stebbins +stech +stechados +stechling +steckling +steddle +stedfast +stedfastly +stedfastness +stedhorses +stedman +steeadying +steed +steedless +steedlike +steeds +steek +steeked +steeking +steekkan +steekkannen +steeks +steel +steelboy +steelbow +steele +steeled +steelen +steeler +steelers +steelhead +steelheads +steelhearted +steely +steelyard +steelyards +steelie +steelier +steelies +steeliest +steelify +steelification +steelified +steelifying +steeliness +steeling +steelless +steellike +steelmake +steelmaker +steelmaking +steelman +steelmen +steelproof +steels +steelware +steelwork +steelworker +steelworking +steelworks +steem +steen +steenboc +steenbock +steenbok +steenboks +steenbras +steenbrass +steenie +steening +steenkirk +steenstrupine +steenth +steep +steepdown +steeped +steepen +steepened +steepening +steepens +steeper +steepers +steepest +steepgrass +steepy +steepiness +steeping +steepish +steeple +steeplebush +steeplechase +steeplechaser +steeplechases +steeplechasing +steepled +steeplejack +steeplejacks +steepleless +steeplelike +steeples +steepletop +steeply +steepness +steeps +steepweed +steepwort +steer +steerability +steerable +steerage +steerages +steerageway +steered +steerer +steerers +steery +steering +steeringly +steerless +steerling +steerman +steermanship +steers +steersman +steersmate +steersmen +steerswoman +steeve +steeved +steevely +steever +steeves +steeving +steevings +stefan +steg +steganogram +steganography +steganographical +steganographist +steganophthalmata +steganophthalmate +steganophthalmatous +steganophthalmia +steganopod +steganopodan +steganopodes +steganopodous +stegh +stegnosis +stegnosisstegnotic +stegnotic +stegocarpous +stegocephalia +stegocephalian +stegocephalous +stegodon +stegodons +stegodont +stegodontine +stegomyia +stegomus +stegosaur +stegosauri +stegosauria +stegosaurian +stegosauroid +stegosaurs +stegosaurus +stey +steid +steigh +stein +steinberger +steinbock +steinbok +steinboks +steinbuck +steinerian +steinful +steyning +steinkirk +steins +steironema +stekan +stela +stelae +stelai +stelar +stele +stelene +steles +stelic +stell +stella +stellar +stellarator +stellary +stellaria +stellas +stellate +stellated +stellately +stellation +stellature +stelled +stellenbosch +stellerid +stelleridean +stellerine +stelliferous +stellify +stellification +stellified +stellifies +stellifying +stelliform +stelling +stellio +stellion +stellionate +stelliscript +stellite +stellular +stellularly +stellulate +stelography +stem +stema +stembok +stemform +stemhead +stemless +stemlet +stemlike +stemma +stemmas +stemmata +stemmatiform +stemmatous +stemmed +stemmer +stemmery +stemmeries +stemmers +stemmy +stemmier +stemmiest +stemming +stemona +stemonaceae +stemonaceous +stempel +stemple +stempost +stems +stemson +stemsons +stemwards +stemware +stemwares +sten +stenar +stench +stenchel +stenches +stenchful +stenchy +stenchier +stenchiest +stenching +stenchion +stencil +stenciled +stenciler +stenciling +stencilize +stencilled +stenciller +stencilling +stencilmaker +stencilmaking +stencils +stend +steng +stengah +stengahs +stenia +stenion +steno +stenobathic +stenobenthic +stenobragmatic +stenobregma +stenocardia +stenocardiac +stenocarpus +stenocephaly +stenocephalia +stenocephalic +stenocephalous +stenochoria +stenochoric +stenochrome +stenochromy +stenocoriasis +stenocranial +stenocrotaphia +stenofiber +stenog +stenogastry +stenogastric +stenoglossa +stenograph +stenographed +stenographer +stenographers +stenography +stenographic +stenographical +stenographically +stenographing +stenographist +stenohaline +stenometer +stenopaeic +stenopaic +stenopeic +stenopelmatidae +stenopetalous +stenophagous +stenophile +stenophyllous +stenophragma +stenorhyncous +stenos +stenosed +stenosepalous +stenoses +stenosis +stenosphere +stenostomatous +stenostomia +stenotaphrum +stenotelegraphy +stenotherm +stenothermal +stenothermy +stenothermophilic +stenothorax +stenotic +stenotype +stenotypy +stenotypic +stenotypist +stenotopic +stenotropic +stent +stenter +stenterer +stenting +stentmaster +stenton +stentor +stentoraphonic +stentorian +stentorianly +stentorine +stentorious +stentoriously +stentoriousness +stentoronic +stentorophonic +stentorphone +stentors +stentrel +step +stepaunt +stepbairn +stepbrother +stepbrotherhood +stepbrothers +stepchild +stepchildren +stepdame +stepdames +stepdance +stepdancer +stepdancing +stepdaughter +stepdaughters +stepdown +stepdowns +stepfather +stepfatherhood +stepfatherly +stepfathers +stepgrandchild +stepgrandfather +stepgrandmother +stepgrandson +stephan +stephana +stephane +stephanial +stephanian +stephanic +stephanie +stephanion +stephanite +stephanoceros +stephanokontae +stephanome +stephanos +stephanotis +stephanurus +stephe +stephead +stephen +stepladder +stepladders +stepless +steplike +stepminnie +stepmother +stepmotherhood +stepmotherless +stepmotherly +stepmotherliness +stepmothers +stepney +stepnephew +stepniece +stepony +stepparent +stepparents +steppe +stepped +steppeland +stepper +steppers +steppes +stepping +steppingstone +steppingstones +steprelation +steprelationship +steps +stepsire +stepsister +stepsisters +stepson +stepsons +stepstone +stepstool +stept +steptoe +stepuncle +stepup +stepups +stepway +stepwise +ster +steracle +sterad +steradian +stercobilin +stercolin +stercophagic +stercophagous +stercoraceous +stercoraemia +stercoral +stercoranism +stercoranist +stercorary +stercoraries +stercorariidae +stercorariinae +stercorarious +stercorarius +stercorate +stercoration +stercorean +stercoremia +stercoreous +stercorianism +stercoricolous +stercorin +stercorist +stercorite +stercorol +stercorous +stercovorous +sterculia +sterculiaceae +sterculiaceous +sterculiad +stere +stereagnosis +stereid +sterelmintha +sterelminthic +sterelminthous +sterelminthus +stereo +stereobate +stereobatic +stereoblastula +stereocamera +stereocampimeter +stereochemic +stereochemical +stereochemically +stereochemistry +stereochromatic +stereochromatically +stereochrome +stereochromy +stereochromic +stereochromically +stereocomparagraph +stereocomparator +stereoed +stereoelectric +stereofluoroscopy +stereofluoroscopic +stereogastrula +stereognosis +stereognostic +stereogoniometer +stereogram +stereograph +stereographer +stereography +stereographic +stereographical +stereographically +stereoing +stereoisomer +stereoisomeric +stereoisomerical +stereoisomeride +stereoisomerism +stereology +stereological +stereologically +stereom +stereomatrix +stereome +stereomer +stereomeric +stereomerical +stereomerism +stereometer +stereometry +stereometric +stereometrical +stereometrically +stereomicrometer +stereomicroscope +stereomicroscopy +stereomicroscopic +stereomicroscopically +stereomonoscope +stereoneural +stereopair +stereophantascope +stereophysics +stereophone +stereophony +stereophonic +stereophonically +stereophotogrammetry +stereophotograph +stereophotography +stereophotographic +stereophotomicrograph +stereophotomicrography +stereopicture +stereoplanigraph +stereoplanula +stereoplasm +stereoplasma +stereoplasmic +stereopsis +stereopter +stereoptican +stereoptician +stereopticon +stereoradiograph +stereoradiography +stereoregular +stereoregularity +stereornithes +stereornithic +stereoroentgenogram +stereoroentgenography +stereos +stereoscope +stereoscopes +stereoscopy +stereoscopic +stereoscopical +stereoscopically +stereoscopies +stereoscopism +stereoscopist +stereospecific +stereospecifically +stereospecificity +stereospondyli +stereospondylous +stereostatic +stereostatics +stereotactic +stereotactically +stereotape +stereotapes +stereotaxy +stereotaxic +stereotaxically +stereotaxis +stereotelemeter +stereotelescope +stereotypable +stereotype +stereotyped +stereotyper +stereotypery +stereotypers +stereotypes +stereotypy +stereotypic +stereotypical +stereotypically +stereotypies +stereotyping +stereotypist +stereotypographer +stereotypography +stereotomy +stereotomic +stereotomical +stereotomist +stereotropic +stereotropism +stereovision +steres +stereum +sterhydraulic +steri +steric +sterical +sterically +sterics +sterid +steride +sterigma +sterigmas +sterigmata +sterigmatic +sterilant +sterile +sterilely +sterileness +sterilisability +sterilisable +sterilise +sterilised +steriliser +sterilising +sterility +sterilities +sterilizability +sterilizable +sterilization +sterilizations +sterilize +sterilized +sterilizer +sterilizers +sterilizes +sterilizing +sterin +sterk +sterlet +sterlets +sterling +sterlingly +sterlingness +sterlings +stern +sterna +sternad +sternage +sternal +sternalis +sternbergia +sternbergite +sterncastle +sterneber +sternebra +sternebrae +sternebral +sterned +sterner +sternest +sternforemost +sternful +sternfully +sterninae +sternite +sternites +sternitic +sternknee +sternly +sternman +sternmen +sternmost +sternna +sternness +sterno +sternoclavicular +sternocleidomastoid +sternocleidomastoideus +sternoclidomastoid +sternocoracoid +sternocostal +sternofacial +sternofacialis +sternoglossal +sternohyoid +sternohyoidean +sternohumeral +sternomancy +sternomastoid +sternomaxillary +sternonuchal +sternopericardiac +sternopericardial +sternoscapular +sternothere +sternotherus +sternothyroid +sternotracheal +sternotribe +sternovertebral +sternoxiphoid +sternpost +sterns +sternson +sternsons +sternum +sternums +sternutaries +sternutate +sternutation +sternutative +sternutator +sternutatory +sternway +sternways +sternward +sternwards +sternwheel +sternwheeler +sternworks +stero +steroid +steroidal +steroidogenesis +steroidogenic +steroids +sterol +sterols +sterope +sterrinck +stert +stertor +stertorious +stertoriously +stertoriousness +stertorous +stertorously +stertorousness +stertors +sterve +stesichorean +stet +stetch +stethal +stetharteritis +stethy +stethogoniometer +stethograph +stethographic +stethokyrtograph +stethometer +stethometry +stethometric +stethoparalysis +stethophone +stethophonometer +stethoscope +stethoscoped +stethoscopes +stethoscopy +stethoscopic +stethoscopical +stethoscopically +stethoscopies +stethoscopist +stethospasm +stets +stetson +stetsons +stetted +stetting +steuben +stevan +steve +stevedorage +stevedore +stevedored +stevedores +stevedoring +stevel +steven +stevensonian +stevensoniana +stevia +stew +stewable +steward +stewarded +stewardess +stewardesses +stewarding +stewardly +stewardry +stewards +stewardship +stewart +stewarty +stewartia +stewartry +stewbum +stewbums +stewed +stewhouse +stewy +stewing +stewish +stewpan +stewpans +stewpond +stewpot +stews +stg +stge +sthene +sthenia +sthenias +sthenic +sthenochire +sty +stiacciato +styan +styany +stib +stibble +stibbler +stibblerig +stibethyl +stibial +stibialism +stibiate +stibiated +stibic +stibiconite +stibine +stibines +stibious +stibium +stibiums +stibnite +stibnites +stibonium +stibophen +styca +sticcado +styceric +stycerin +stycerinol +stich +stichado +sticharia +sticharion +stichcharia +stichel +sticheron +stichic +stichically +stichid +stichidia +stichidium +stichocrome +stichoi +stichomancy +stichometry +stichometric +stichometrical +stichometrically +stichomythy +stichomythia +stychomythia +stichomythic +stichos +stichs +stichwort +stick +stickability +stickable +stickadore +stickadove +stickage +stickball +stickboat +sticked +stickel +sticken +sticker +stickery +stickers +sticket +stickfast +stickful +stickfuls +stickhandler +sticky +stickybeak +stickier +stickiest +stickily +stickiness +sticking +stickit +stickjaw +sticklac +stickle +stickleaf +stickleback +stickled +stickler +sticklers +stickles +stickless +stickly +sticklike +stickling +stickman +stickmen +stickout +stickouts +stickpin +stickpins +sticks +stickseed +sticksmanship +sticktail +sticktight +stickum +stickums +stickup +stickups +stickwater +stickweed +stickwork +sticta +stictaceae +stictidaceae +stictiform +stictis +stid +stiddy +stye +stied +styed +sties +styes +stife +stiff +stiffed +stiffen +stiffened +stiffener +stiffeners +stiffening +stiffens +stiffer +stiffest +stiffhearted +stiffing +stiffish +stiffleg +stiffler +stiffly +stifflike +stiffneck +stiffneckedly +stiffneckedness +stiffness +stiffrump +stiffs +stifftail +stifle +stifled +stifledly +stifler +stiflers +stifles +stifling +stiflingly +styful +styfziekte +stygial +stygian +stygiophobia +stigma +stigmai +stigmal +stigmaria +stigmariae +stigmarian +stigmarioid +stigmas +stigmasterol +stigmat +stigmata +stigmatal +stigmatic +stigmatical +stigmatically +stigmaticalness +stigmatiferous +stigmatiform +stigmatypy +stigmatise +stigmatiser +stigmatism +stigmatist +stigmatization +stigmatize +stigmatized +stigmatizer +stigmatizes +stigmatizing +stigmatoid +stigmatose +stigme +stigmeology +stigmes +stigmonose +stigonomancy +stying +stikine +stylar +stylaster +stylasteridae +stylate +stilb +stilbaceae +stilbella +stilbene +stilbenes +stilbestrol +stilbite +stilbites +stilboestrol +stilbum +styldia +stile +style +stylebook +stylebooks +styled +styledom +styleless +stylelessness +stylelike +stileman +stilemen +styler +stylers +stiles +styles +stilet +stylet +stylets +stilette +stiletted +stiletto +stilettoed +stilettoes +stilettoing +stilettolike +stilettos +stylewort +styli +stilyaga +stilyagi +stylidiaceae +stylidiaceous +stylidium +styliferous +styliform +styline +styling +stylings +stylion +stylisation +stylise +stylised +styliser +stylisers +stylises +stylish +stylishly +stylishness +stylising +stylist +stylistic +stylistical +stylistically +stylistics +stylists +stylite +stylites +stylitic +stylitism +stylization +stylize +stylized +stylizer +stylizers +stylizes +stylizing +still +stillage +stillatitious +stillatory +stillbirth +stillbirths +stillborn +stilled +stiller +stillery +stillest +stillhouse +stilly +stylli +stillicide +stillicidium +stillier +stilliest +stilliform +stilling +stillingia +stillion +stillish +stillman +stillmen +stillness +stillroom +stills +stillstand +stillwater +stylo +styloauricularis +stylobata +stylobate +stylochus +styloglossal +styloglossus +stylogonidium +stylograph +stylography +stylographic +stylographical +stylographically +stylohyal +stylohyoid +stylohyoidean +stylohyoideus +styloid +stylolite +stylolitic +stylomandibular +stylomastoid +stylomaxillary +stylometer +stylomyloid +stylommatophora +stylommatophorous +stylonychia +stylonurus +stylopharyngeal +stylopharyngeus +stilophora +stilophoraceae +stylopid +stylopidae +stylopization +stylopize +stylopized +stylopod +stylopodia +stylopodium +stylops +stylosanthes +stylospore +stylosporous +stylostegium +stylostemon +stylostixis +stylotypite +stilpnomelane +stilpnosiderite +stilt +stiltbird +stilted +stiltedly +stiltedness +stilter +stilty +stiltier +stiltiest +stiltify +stiltified +stiltifying +stiltiness +stilting +stiltish +stiltlike +stilton +stilts +stylus +styluses +stim +stime +stimes +stimy +stymy +stymie +stimied +stymied +stymieing +stimies +stymies +stimying +stymying +stimpart +stimpert +stymphalian +stymphalid +stymphalides +stimulability +stimulable +stimulance +stimulancy +stimulant +stimulants +stimulate +stimulated +stimulater +stimulates +stimulating +stimulatingly +stimulation +stimulations +stimulative +stimulatives +stimulator +stimulatory +stimulatress +stimulatrix +stimuli +stimulogenous +stimulose +stimulus +stine +sting +stingaree +stingareeing +stingbull +stinge +stinger +stingers +stingfish +stingfishes +stingy +stingier +stingiest +stingily +stinginess +stinging +stingingly +stingingness +stingless +stingo +stingos +stingproof +stingray +stingrays +stings +stingtail +stink +stinkard +stinkardly +stinkards +stinkaroo +stinkball +stinkberry +stinkberries +stinkbird +stinkbug +stinkbugs +stinkbush +stinkdamp +stinker +stinkeroo +stinkeroos +stinkers +stinkhorn +stinky +stinkibus +stinkier +stinkiest +stinkyfoot +stinking +stinkingly +stinkingness +stinko +stinkpot +stinkpots +stinks +stinkstone +stinkweed +stinkwood +stinkwort +stint +stinted +stintedly +stintedness +stinter +stinters +stinty +stinting +stintingly +stintless +stints +stion +stionic +stioning +stipa +stipate +stipe +stiped +stipel +stipellate +stipels +stipend +stipendary +stipendia +stipendial +stipendiary +stipendiarian +stipendiaries +stipendiate +stipendium +stipendiums +stipendless +stipends +stipes +styphelia +styphnate +styphnic +stipiform +stipitate +stipites +stipitiform +stipiture +stipiturus +stipo +stipos +stippen +stipple +stippled +stippledness +stippler +stipplers +stipples +stipply +stippling +stypsis +stypsises +styptic +styptical +stypticalness +stypticin +stypticity +stypticness +styptics +stipula +stipulable +stipulaceous +stipulae +stipulant +stipular +stipulary +stipulate +stipulated +stipulates +stipulating +stipulatio +stipulation +stipulations +stipulator +stipulatory +stipulators +stipule +stipuled +stipules +stipuliferous +stipuliform +stir +stirabout +styracaceae +styracaceous +styracin +styrax +styraxes +stire +styrene +styrenes +stiria +styrian +styryl +styrylic +stirk +stirks +stirless +stirlessly +stirlessness +stirling +styrofoam +styrogallol +styrol +styrolene +styrone +stirp +stirpes +stirpicultural +stirpiculture +stirpiculturist +stirps +stirra +stirrable +stirrage +stirred +stirrer +stirrers +stirring +stirringly +stirrings +stirrup +stirrupless +stirruplike +stirrups +stirrupwise +stirs +stitch +stitchbird +stitchdown +stitched +stitcher +stitchery +stitchers +stitches +stitching +stitchlike +stitchwhile +stitchwork +stitchwort +stite +stith +stithe +stythe +stithy +stithied +stithies +stithying +stithly +stituted +stive +stiver +stivers +stivy +styward +styx +styxian +stizolobium +stk +stlg +stm +stoa +stoach +stoae +stoai +stoas +stoat +stoater +stoating +stoats +stob +stobball +stobbed +stobbing +stobs +stocah +stoccado +stoccados +stoccata +stoccatas +stochastic +stochastical +stochastically +stock +stockade +stockaded +stockades +stockading +stockado +stockage +stockannet +stockateer +stockbow +stockbreeder +stockbreeding +stockbridge +stockbroker +stockbrokerage +stockbrokers +stockbroking +stockcar +stockcars +stocked +stocker +stockers +stockfather +stockfish +stockfishes +stockholder +stockholders +stockholding +stockholdings +stockholm +stockhorn +stockhouse +stocky +stockyard +stockyards +stockier +stockiest +stockily +stockiness +stockinet +stockinets +stockinette +stocking +stockinged +stockinger +stockinging +stockingless +stockings +stockish +stockishly +stockishness +stockist +stockists +stockjobber +stockjobbery +stockjobbing +stockjudging +stockkeeper +stockkeeping +stockless +stocklike +stockmaker +stockmaking +stockman +stockmen +stockowner +stockpile +stockpiled +stockpiler +stockpiles +stockpiling +stockpot +stockpots +stockproof +stockrider +stockriding +stockroom +stockrooms +stocks +stockstone +stocktaker +stocktaking +stockton +stockwork +stockwright +stod +stodge +stodged +stodger +stodgery +stodges +stodgy +stodgier +stodgiest +stodgily +stodginess +stodging +stodtone +stoechas +stoechiology +stoechiometry +stoechiometrically +stoep +stof +stoff +stog +stoga +stogey +stogeies +stogeys +stogy +stogie +stogies +stoic +stoical +stoically +stoicalness +stoicharion +stoicheiology +stoicheiometry +stoicheiometrically +stoichiology +stoichiological +stoichiometry +stoichiometric +stoichiometrical +stoichiometrically +stoicism +stoicisms +stoics +stoit +stoiter +stokavci +stokavian +stokavski +stoke +stoked +stokehold +stokehole +stoker +stokerless +stokers +stokes +stokesia +stokesias +stokesite +stoking +stokroos +stokvis +stola +stolae +stolas +stold +stole +stoled +stolelike +stolen +stolenly +stolenness +stolenwise +stoles +stolewise +stolid +stolider +stolidest +stolidity +stolidly +stolidness +stolist +stolkjaerre +stollen +stollens +stolon +stolonate +stolonic +stoloniferous +stoloniferously +stolonization +stolonlike +stolons +stolzite +stoma +stomacace +stomach +stomachable +stomachache +stomachaches +stomachachy +stomachal +stomached +stomacher +stomachers +stomaches +stomachful +stomachfully +stomachfulness +stomachy +stomachic +stomachical +stomachically +stomachicness +stomaching +stomachless +stomachlessness +stomachous +stomachs +stomack +stomal +stomapod +stomapoda +stomapodiform +stomapodous +stomas +stomata +stomatal +stomatalgia +stomate +stomates +stomatic +stomatiferous +stomatitic +stomatitis +stomatitus +stomatocace +stomatoda +stomatodaeal +stomatodaeum +stomatode +stomatodeum +stomatodynia +stomatogastric +stomatograph +stomatography +stomatolalia +stomatology +stomatologic +stomatological +stomatologist +stomatomalacia +stomatomenia +stomatomy +stomatomycosis +stomatonecrosis +stomatopathy +stomatophora +stomatophorous +stomatoplasty +stomatoplastic +stomatopod +stomatopoda +stomatopodous +stomatorrhagia +stomatoscope +stomatoscopy +stomatose +stomatosepsis +stomatotyphus +stomatotomy +stomatotomies +stomatous +stomenorrhagia +stomion +stomium +stomodaea +stomodaeal +stomodaeudaea +stomodaeum +stomodaeums +stomode +stomodea +stomodeal +stomodeum +stomodeumdea +stomodeums +stomoisia +stomoxys +stomp +stomped +stomper +stompers +stomping +stompingly +stomps +stonable +stonage +stond +stone +stoneable +stonebass +stonebird +stonebiter +stoneblindness +stoneboat +stonebow +stonebrash +stonebreak +stonebrood +stonecast +stonecat +stonechat +stonecraft +stonecrop +stonecutter +stonecutting +stoned +stonedamp +stonefish +stonefishes +stonefly +stoneflies +stonegale +stonegall +stoneground +stonehand +stonehatch +stonehead +stonehearted +stonehenge +stoney +stoneyard +stoneite +stonelayer +stonelaying +stoneless +stonelessness +stonelike +stoneman +stonemason +stonemasonry +stonemasons +stonemen +stonemint +stonen +stonepecker +stoneput +stoner +stoneroller +stoneroot +stoners +stones +stoneseed +stonesfield +stoneshot +stonesmatch +stonesmich +stonesmitch +stonesmith +stonewall +stonewalled +stonewaller +stonewally +stonewalling +stonewalls +stoneware +stoneweed +stonewise +stonewood +stonework +stoneworker +stoneworks +stonewort +stong +stony +stonied +stonier +stoniest +stonify +stonifiable +stonyhearted +stonyheartedly +stonyheartedness +stonily +stoniness +stoning +stonish +stonished +stonishes +stonishing +stonishment +stonk +stonker +stonkered +stood +stooded +stooden +stoof +stooge +stooged +stooges +stooging +stook +stooked +stooker +stookers +stookie +stooking +stooks +stool +stoolball +stooled +stoolie +stoolies +stooling +stoollike +stools +stoon +stoond +stoop +stoopball +stooped +stooper +stoopers +stoopgallant +stooping +stoopingly +stoops +stoorey +stoory +stoot +stooter +stooth +stoothing +stop +stopa +stopback +stopband +stopblock +stopboard +stopcock +stopcocks +stopdice +stope +stoped +stopen +stoper +stopers +stopes +stopgap +stopgaps +stophound +stoping +stopless +stoplessness +stoplight +stoplights +stopover +stopovers +stoppability +stoppable +stoppableness +stoppably +stoppage +stoppages +stopped +stoppel +stopper +stoppered +stoppering +stopperless +stoppers +stoppeur +stopping +stoppit +stopple +stoppled +stopples +stoppling +stops +stopship +stopt +stopway +stopwatch +stopwatches +stopwater +stopwork +stor +storability +storable +storables +storage +storages +storay +storax +storaxes +store +stored +storeen +storefront +storefronts +storehouse +storehouseman +storehouses +storey +storeyed +storeys +storekeep +storekeeper +storekeepers +storekeeping +storeman +storemaster +storemen +storer +storeroom +storerooms +stores +storeship +storesman +storewide +storge +story +storial +storiate +storiated +storiation +storyboard +storybook +storybooks +storied +storier +stories +storiette +storify +storified +storifying +storying +storyless +storyline +storylines +storymaker +storymonger +storing +storiology +storiological +storiologist +storyteller +storytellers +storytelling +storywise +storywork +storywriter +stork +storken +storkish +storklike +storkling +storks +storksbill +storkwise +storm +stormable +stormbelt +stormberg +stormbird +stormbound +stormcock +stormed +stormer +stormful +stormfully +stormfulness +stormy +stormier +stormiest +stormily +storminess +storming +stormingly +stormish +stormless +stormlessly +stormlessness +stormlike +stormproof +storms +stormtide +stormtight +stormward +stormwind +stormwise +stornelli +stornello +storthing +storting +stosh +stoss +stosston +stot +stoter +stoting +stotinka +stotinki +stotious +stott +stotter +stotterel +stoun +stound +stounded +stounding +stoundmeal +stounds +stoup +stoupful +stoups +stour +stoure +stoures +stoury +stourie +stouring +stourly +stourliness +stourness +stours +stoush +stout +stouten +stoutened +stoutening +stoutens +stouter +stoutest +stouth +stouthearted +stoutheartedly +stoutheartedness +stouthrief +stouty +stoutish +stoutly +stoutness +stouts +stoutwood +stovaine +stove +stovebrush +stoved +stoveful +stovehouse +stoveless +stovemaker +stovemaking +stoveman +stovemen +stoven +stovepipe +stovepipes +stover +stovers +stoves +stovewood +stovies +stoving +stow +stowable +stowage +stowages +stowaway +stowaways +stowball +stowboard +stowbord +stowbordman +stowbordmen +stowce +stowdown +stowed +stower +stowing +stowlins +stownet +stownlins +stowp +stowps +stows +stowse +stowth +stowwood +str +stra +strabism +strabismal +strabismally +strabismic +strabismical +strabismies +strabismometer +strabismometry +strabismus +strabometer +strabometry +strabotome +strabotomy +strabotomies +stracchino +strack +strackling +stract +strad +stradametrical +straddle +straddleback +straddlebug +straddled +straddler +straddlers +straddles +straddleways +straddlewise +straddling +straddlingly +strade +stradico +stradine +stradiot +stradivari +stradivarius +stradl +stradld +stradlings +strae +strafe +strafed +strafer +strafers +strafes +straffordian +strafing +strag +strage +straggle +straggled +straggler +stragglers +straggles +straggly +stragglier +straggliest +straggling +stragglingly +stragular +stragulum +stray +strayaway +strayed +strayer +strayers +straight +straightabout +straightaway +straightbred +straighted +straightedge +straightedged +straightedges +straightedging +straighten +straightened +straightener +straighteners +straightening +straightens +straighter +straightest +straightforward +straightforwardly +straightforwardness +straightforwards +straightfoward +straighthead +straighting +straightish +straightjacket +straightlaced +straightly +straightness +straights +straighttail +straightup +straightway +straightways +straightwards +straightwise +straying +straik +straike +strail +strayling +strain +strainable +strainableness +strainably +strained +strainedly +strainedness +strainer +strainerman +strainermen +strainers +straining +strainingly +strainless +strainlessly +strainometer +strainproof +strains +strainslip +straint +strays +strait +straiten +straitened +straitening +straitens +straiter +straitest +straitjacket +straitlaced +straitlacedly +straitlacedness +straitlacing +straitly +straitness +straits +straitsman +straitsmen +straitwork +straka +strake +straked +strakes +straky +stralet +stram +stramash +stramashes +stramazon +stramineous +stramineously +strammel +strammer +stramony +stramonies +stramonium +stramp +strand +strandage +stranded +strandedness +strander +stranders +stranding +strandless +strandline +strandlooper +strands +strandward +strang +strange +strangely +strangeling +strangeness +stranger +strangerdom +strangered +strangerhood +strangering +strangerlike +strangers +strangership +strangerwise +strangest +strangle +strangleable +strangled +stranglehold +stranglement +strangler +stranglers +strangles +strangletare +strangleweed +strangling +stranglingly +stranglings +strangulable +strangulate +strangulated +strangulates +strangulating +strangulation +strangulations +strangulative +strangulatory +strangullion +strangury +strangurious +strany +stranner +strap +straphang +straphanger +straphanging +straphead +strapless +straplike +strapontin +strappable +strappado +strappadoes +strappan +strapped +strapper +strappers +strapping +strapple +straps +strapwork +strapwort +strasburg +strass +strasses +strata +stratagem +stratagematic +stratagematical +stratagematically +stratagematist +stratagemical +stratagemically +stratagems +stratal +stratameter +stratas +strate +stratege +strategetic +strategetical +strategetics +strategi +strategy +strategian +strategic +strategical +strategically +strategics +strategies +strategist +strategists +strategize +strategoi +strategos +strategus +stratfordian +strath +straths +strathspey +strathspeys +strati +stratic +straticulate +straticulation +stratify +stratification +stratifications +stratified +stratifies +stratifying +stratiform +stratiformis +stratig +stratigrapher +stratigraphy +stratigraphic +stratigraphical +stratigraphically +stratigraphist +stratiomyiidae +stratiote +stratiotes +stratlin +stratochamber +stratocracy +stratocracies +stratocrat +stratocratic +stratocumuli +stratocumulus +stratofreighter +stratography +stratographic +stratographical +stratographically +stratojet +stratonic +stratonical +stratopause +stratopedarch +stratoplane +stratose +stratosphere +stratospheric +stratospherical +stratotrainer +stratous +stratovision +stratum +stratums +stratus +straucht +strauchten +straught +strauss +stravagant +stravage +stravaged +stravages +stravaging +stravague +stravaig +stravaiged +stravaiger +stravaiging +stravaigs +strave +stravinsky +straw +strawberry +strawberries +strawberrylike +strawbill +strawboard +strawbreadth +strawed +strawen +strawer +strawflower +strawfork +strawhat +strawy +strawyard +strawier +strawiest +strawing +strawish +strawless +strawlike +strawman +strawmote +straws +strawsmall +strawsmear +strawstack +strawstacker +strawwalker +strawwork +strawworm +stre +streahte +streak +streaked +streakedly +streakedness +streaker +streakers +streaky +streakier +streakiest +streakily +streakiness +streaking +streaklike +streaks +streakwise +stream +streambed +streamed +streamer +streamers +streamful +streamhead +streamy +streamier +streamiest +streaminess +streaming +streamingly +streamless +streamlet +streamlets +streamlike +streamline +streamlined +streamliner +streamliners +streamlines +streamling +streamlining +streams +streamside +streamway +streamward +streamwort +streck +streckly +stree +streek +streeked +streeker +streekers +streeking +streeks +streel +streeler +streen +streep +street +streetage +streetcar +streetcars +streeters +streetfighter +streetful +streetless +streetlet +streetlight +streetlike +streets +streetscape +streetside +streetway +streetwalker +streetwalkers +streetwalking +streetward +streetwise +strey +streyne +streit +streite +streke +strelitz +strelitzi +strelitzia +streltzi +stremma +stremmas +stremmatograph +streng +strengite +strength +strengthed +strengthen +strengthened +strengthener +strengtheners +strengthening +strengtheningly +strengthens +strengthful +strengthfulness +strengthy +strengthily +strengthless +strengthlessly +strengthlessness +strengths +strent +strenth +strenuity +strenuosity +strenuous +strenuously +strenuousness +strep +strepen +strepent +strepera +streperous +strephonade +strephosymbolia +strepitant +strepitantly +strepitation +strepitoso +strepitous +strepor +streps +strepsiceros +strepsinema +strepsiptera +strepsipteral +strepsipteran +strepsipteron +strepsipterous +strepsis +strepsitene +streptaster +streptobacilli +streptobacillus +streptocarpus +streptococcal +streptococci +streptococcic +streptococcocci +streptococcus +streptodornase +streptokinase +streptolysin +streptomyces +streptomycete +streptomycetes +streptomycin +streptoneura +streptoneural +streptoneurous +streptosepticemia +streptothricial +streptothricin +streptothricosis +streptothrix +streptotrichal +streptotrichosis +stress +stressed +stresser +stresses +stressful +stressfully +stressfulness +stressing +stressless +stresslessness +stressor +stressors +stret +stretch +stretchability +stretchable +stretchberry +stretched +stretcher +stretcherman +stretchers +stretches +stretchy +stretchier +stretchiest +stretchiness +stretching +stretchneck +stretchpants +stretchproof +stretman +stretmen +stretta +strettas +strette +stretti +stretto +strettos +streusel +streuselkuchen +streusels +strew +strewage +strewed +strewer +strewers +strewing +strewment +strewn +strews +strewth +stria +striae +strial +striaria +striariaceae +striatal +striate +striated +striates +striating +striation +striations +striatum +striature +strich +strych +striche +strychnia +strychnic +strychnin +strychnina +strychnine +strychninic +strychninism +strychninization +strychninize +strychnize +strychnol +strychnos +strick +stricken +strickenly +strickenness +stricker +strickle +strickled +strickler +strickles +strickless +strickling +stricks +strict +stricter +strictest +striction +strictish +strictly +strictness +strictum +stricture +strictured +strictures +strid +stridden +striddle +stride +strideleg +stridelegs +stridence +stridency +strident +stridently +strider +striders +strides +strideways +stridhan +stridhana +stridhanum +striding +stridingly +stridling +stridlins +stridor +stridors +stridulant +stridulate +stridulated +stridulating +stridulation +stridulator +stridulatory +stridulent +stridulous +stridulously +stridulousness +strife +strifeful +strifeless +strifemaker +strifemaking +strifemonger +strifeproof +strifes +striffen +strift +strig +striga +strigae +strigal +strigate +striges +striggle +stright +strigidae +strigiform +strigiformes +strigil +strigilate +strigilation +strigilator +strigiles +strigilis +strigillose +strigilous +strigils +striginae +strigine +strigose +strigous +strigovite +strigula +strigulaceae +strigulose +strike +strikeboard +strikeboat +strikebound +strikebreak +strikebreaker +strikebreakers +strikebreaking +striked +strikeless +striken +strikeout +strikeouts +strikeover +striker +strikers +strikes +striking +strikingly +strikingness +strymon +strind +string +stringboard +stringcourse +stringed +stringency +stringencies +stringendo +stringendos +stringene +stringent +stringently +stringentness +stringer +stringers +stringful +stringhalt +stringhalted +stringhaltedness +stringhalty +stringholder +stringy +stringybark +stringier +stringiest +stringily +stringiness +stringing +stringless +stringlike +stringmaker +stringmaking +stringman +stringmen +stringpiece +strings +stringsman +stringsmen +stringways +stringwood +strinkle +striola +striolae +striolate +striolated +striolet +strip +stripe +strype +striped +stripeless +striper +stripers +stripes +stripfilm +stripy +stripier +stripiest +striping +stripings +striplet +striplight +stripling +striplings +strippable +strippage +stripped +stripper +strippers +stripping +strippit +strippler +strips +stript +striptease +stripteased +stripteaser +stripteasers +stripteases +stripteasing +stripteuse +strit +strive +strived +striven +striver +strivers +strives +strivy +striving +strivingly +strivings +strix +stroam +strobe +strobed +strobes +strobic +strobil +strobila +strobilaceous +strobilae +strobilar +strobilate +strobilation +strobile +strobiles +strobili +strobiliferous +strobiliform +strobiline +strobilization +strobiloid +strobilomyces +strobilophyta +strobils +strobilus +stroboradiograph +stroboscope +stroboscopes +stroboscopy +stroboscopic +stroboscopical +stroboscopically +strobotron +strockle +stroddle +strode +stroganoff +stroy +stroyed +stroyer +stroyers +stroygood +stroying +stroil +stroys +stroke +stroked +stroker +strokers +strokes +strokesman +stroky +stroking +strokings +strold +stroll +strolld +strolled +stroller +strollers +strolling +strolls +strom +stroma +stromal +stromata +stromatal +stromateid +stromateidae +stromateoid +stromatic +stromatiform +stromatolite +stromatolitic +stromatology +stromatopora +stromatoporidae +stromatoporoid +stromatoporoidea +stromatous +stromb +strombidae +strombiform +strombite +stromboid +strombolian +strombuliferous +strombuliform +strombus +strome +stromed +stromeyerite +stroming +stromming +stromuhr +strond +strone +strong +strongarmer +strongback +strongbark +strongbox +strongboxes +strongbrained +stronger +strongest +strongfully +stronghand +stronghanded +stronghead +strongheaded +strongheadedly +strongheadedness +strongheadness +stronghearted +stronghold +strongholds +strongyl +strongylate +strongyle +strongyliasis +strongylid +strongylidae +strongylidosis +strongyloid +strongyloides +strongyloidosis +strongylon +strongyloplasmata +strongylosis +strongyls +strongylus +strongish +strongly +stronglike +strongman +strongmen +strongness +strongpoint +strongroom +strongrooms +strontia +strontian +strontianiferous +strontianite +strontias +strontic +strontion +strontitic +strontium +strook +strooken +stroot +strop +strophaic +strophanhin +strophanthin +strophanthus +stropharia +strophe +strophes +strophic +strophical +strophically +strophiolate +strophiolated +strophiole +strophoid +strophomena +strophomenacea +strophomenid +strophomenidae +strophomenoid +strophosis +strophotaxis +strophulus +stropped +stropper +stroppy +stropping +stroppings +strops +strosser +stroth +strother +stroud +strouding +strouds +strounge +stroup +strout +strouthiocamel +strouthiocamelian +strouthocamelian +strove +strow +strowd +strowed +strowing +strown +strows +strub +strubbly +strucion +struck +strucken +struct +structed +struction +structional +structive +structural +structuralism +structuralist +structuralization +structuralize +structurally +structuration +structure +structured +structureless +structurelessness +structurely +structurer +structures +structuring +structurist +strude +strudel +strudels +strue +struggle +struggled +struggler +strugglers +struggles +struggling +strugglingly +struis +struissle +struldbrug +struldbruggian +struldbruggism +strum +struma +strumae +strumas +strumatic +strumaticness +strumectomy +strumella +strumiferous +strumiform +strumiprivic +strumiprivous +strumitis +strummed +strummer +strummers +strumming +strumose +strumous +strumousness +strumpet +strumpetlike +strumpetry +strumpets +strums +strumstrum +strumulose +strung +strunt +strunted +strunting +strunts +struse +strut +struth +struthian +struthiform +struthiiform +struthiin +struthin +struthio +struthioid +struthiomimus +struthiones +struthionidae +struthioniform +struthioniformes +struthionine +struthiopteris +struthious +struthonine +struts +strutted +strutter +strutters +strutting +struttingly +struv +struvite +stu +stuart +stuartia +stub +stubachite +stubb +stubbed +stubbedness +stubber +stubby +stubbier +stubbiest +stubbily +stubbiness +stubbing +stubble +stubbleberry +stubbled +stubbles +stubbleward +stubbly +stubblier +stubbliest +stubbliness +stubbling +stubboy +stubborn +stubborner +stubbornest +stubbornhearted +stubbornly +stubbornness +stubchen +stube +stuber +stubiest +stuboy +stubornly +stubrunner +stubs +stubwort +stucco +stuccoed +stuccoer +stuccoers +stuccoes +stuccoyer +stuccoing +stuccos +stuccowork +stuccoworker +stuck +stucken +stucking +stuckling +stucturelessness +stud +studbook +studbooks +studded +studder +studdery +studdy +studdie +studdies +studding +studdings +studdingsail +studdle +stude +student +studenthood +studentless +studentlike +studentry +students +studentship +studerite +studfish +studfishes +studflower +studhorse +studhorses +study +studia +studiable +studied +studiedly +studiedness +studier +studiers +studies +studying +studio +studios +studious +studiously +studiousness +studys +studite +studium +studs +studwork +studworks +stue +stuff +stuffage +stuffata +stuffed +stuffender +stuffer +stuffers +stuffgownsman +stuffy +stuffier +stuffiest +stuffily +stuffiness +stuffing +stuffings +stuffless +stuffs +stug +stuggy +stuiver +stuivers +stull +stuller +stulls +stulm +stulty +stultify +stultification +stultified +stultifier +stultifies +stultifying +stultiloquence +stultiloquently +stultiloquy +stultiloquious +stultioquy +stultloquent +stum +stumble +stumblebum +stumblebunny +stumbled +stumbler +stumblers +stumbles +stumbly +stumbling +stumblingly +stumer +stummed +stummel +stummer +stummy +stumming +stumor +stumour +stump +stumpage +stumpages +stumped +stumper +stumpers +stumpy +stumpier +stumpiest +stumpily +stumpiness +stumping +stumpish +stumpknocker +stumpless +stumplike +stumpling +stumpnose +stumps +stumpsucker +stumpwise +stums +stun +stundism +stundist +stung +stunk +stunkard +stunned +stunner +stunners +stunning +stunningly +stunpoll +stuns +stunsail +stunsails +stunsle +stunt +stunted +stuntedly +stuntedness +stunter +stunty +stuntiness +stunting +stuntingly +stuntist +stuntness +stunts +stupa +stupas +stupe +stuped +stupefacient +stupefaction +stupefactive +stupefactiveness +stupefy +stupefied +stupefiedness +stupefier +stupefies +stupefying +stupend +stupendious +stupendly +stupendous +stupendously +stupendousness +stupent +stupeous +stupes +stupex +stuphe +stupid +stupider +stupidest +stupidhead +stupidheaded +stupidish +stupidity +stupidities +stupidly +stupidness +stupids +stuping +stupor +stuporific +stuporose +stuporous +stupors +stupose +stupp +stuprate +stuprated +stuprating +stupration +stuprum +stupulose +sturble +sturdy +sturdied +sturdier +sturdiersturdies +sturdiest +sturdyhearted +sturdily +sturdiness +sturgeon +sturgeons +sturin +sturine +sturiones +sturionian +sturionine +sturk +sturmian +sturnella +sturnidae +sturniform +sturninae +sturnine +sturnoid +sturnus +sturoch +sturshum +sturt +sturtan +sturte +sturty +sturtin +sturtion +sturtite +sturts +stuss +stut +stutter +stuttered +stutterer +stutterers +stuttering +stutteringly +stutters +su +suability +suable +suably +suade +suaeda +suaharo +sualocin +suanitian +suant +suantly +suasibility +suasible +suasion +suasionist +suasions +suasive +suasively +suasiveness +suasory +suasoria +suavastika +suave +suavely +suaveness +suaveolent +suaver +suavest +suavify +suaviloquence +suaviloquent +suavity +suavities +sub +suba +subabbot +subabbots +subabdominal +subability +subabilities +subabsolute +subabsolutely +subabsoluteness +subacademic +subacademical +subacademically +subaccount +subacetabular +subacetate +subacid +subacidity +subacidly +subacidness +subacidulous +subacrid +subacridity +subacridly +subacridness +subacrodrome +subacrodromous +subacromial +subact +subaction +subacuminate +subacumination +subacute +subacutely +subadar +subadars +subadditive +subadditively +subadjacent +subadjacently +subadjutor +subadministrate +subadministrated +subadministrating +subadministration +subadministrative +subadministratively +subadministrator +subadult +subadultness +subadults +subaduncate +subadvocate +subaerate +subaerated +subaerating +subaeration +subaerial +subaerially +subaetheric +subaffluence +subaffluent +subaffluently +subage +subagency +subagencies +subagent +subagents +subaggregate +subaggregately +subaggregation +subaggregative +subah +subahdar +subahdary +subahdars +subahs +subahship +subaid +subakhmimic +subalar +subalary +subalate +subalated +subalbid +subalgebra +subalgebraic +subalgebraical +subalgebraically +subalgebraist +subalimentation +subalkaline +suballiance +suballiances +suballocate +suballocated +suballocating +subalmoner +subalpine +subaltern +subalternant +subalternate +subalternately +subalternating +subalternation +subalternity +subalterns +subamare +subanal +subanconeal +subandean +subangled +subangular +subangularity +subangularities +subangularly +subangularness +subangulate +subangulated +subangulately +subangulation +subanniversary +subantarctic +subantichrist +subantique +subantiquely +subantiqueness +subantiquity +subantiquities +subanun +subapical +subapically +subaponeurotic +subapostolic +subapparent +subapparently +subapparentness +subappearance +subappressed +subapprobatiness +subapprobation +subapprobative +subapprobativeness +subapprobatory +subapterous +subaqua +subaqual +subaquatic +subaquean +subaqueous +subarachnoid +subarachnoidal +subarachnoidean +subarboraceous +subarboreal +subarboreous +subarborescence +subarborescent +subarch +subarchesporial +subarchitect +subarctic +subarcuate +subarcuated +subarcuation +subarea +subareal +subareas +subareolar +subareolet +subarian +subarid +subarytenoid +subarytenoidal +subarmale +subarmor +subarousal +subarouse +subarration +subarrhation +subartesian +subarticle +subarticulate +subarticulately +subarticulateness +subarticulation +subarticulative +subas +subascending +subashi +subassemblage +subassembler +subassembly +subassemblies +subassociation +subassociational +subassociations +subassociative +subassociatively +subastragalar +subastragaloid +subastral +subastringent +subatmospheric +subatom +subatomic +subatoms +subattenuate +subattenuated +subattenuation +subattorney +subattorneys +subattorneyship +subaud +subaudibility +subaudible +subaudibleness +subaudibly +subaudition +subauditionist +subauditor +subauditur +subaural +subaurally +subauricular +subauriculate +subautomatic +subautomatically +subaverage +subaveragely +subaxial +subaxially +subaxile +subaxillar +subaxillary +subbailie +subbailiff +subbailiwick +subballast +subband +subbank +subbasal +subbasaltic +subbase +subbasement +subbasements +subbases +subbass +subbassa +subbasses +subbeadle +subbeau +subbed +subbias +subbifid +subbing +subbings +subbituminous +subbookkeeper +subboreal +subbourdon +subbrachial +subbrachian +subbrachiate +subbrachycephaly +subbrachycephalic +subbrachyskelic +subbranch +subbranched +subbranches +subbranchial +subbreed +subbreeds +subbrigade +subbrigadier +subbroker +subbromid +subbromide +subbronchial +subbronchially +subbureau +subbureaus +subbureaux +subcabinet +subcaecal +subcalcareous +subcalcarine +subcaliber +subcalibre +subcallosal +subcampanulate +subcancellate +subcancellous +subcandid +subcandidly +subcandidness +subcantor +subcapsular +subcaptain +subcaptaincy +subcaptainship +subcaption +subcarbide +subcarbonaceous +subcarbonate +subcarboniferous +subcarbureted +subcarburetted +subcardinal +subcardinally +subcarinate +subcarinated +subcartilaginous +subcase +subcash +subcashier +subcasing +subcasino +subcasinos +subcast +subcaste +subcategory +subcategories +subcaudal +subcaudate +subcaulescent +subcause +subcauses +subcavate +subcavity +subcavities +subcelestial +subcell +subcellar +subcellars +subcells +subcellular +subcenter +subcentral +subcentrally +subcentre +subception +subcerebellar +subcerebral +subch +subchairman +subchairmen +subchamberer +subchancel +subchannel +subchannels +subchanter +subchapter +subchapters +subchaser +subchela +subchelae +subchelate +subcheliform +subchief +subchiefs +subchloride +subchondral +subchordal +subchorioid +subchorioidal +subchorionic +subchoroid +subchoroidal +subchronic +subchronical +subchronically +subcyaneous +subcyanid +subcyanide +subcycle +subcycles +subcylindric +subcylindrical +subcinctoria +subcinctorium +subcincttoria +subcineritious +subcingulum +subcircuit +subcircular +subcircularity +subcircularly +subcision +subcity +subcities +subcivilization +subcivilizations +subcivilized +subclaim +subclamatores +subclan +subclans +subclass +subclassed +subclasses +subclassify +subclassification +subclassifications +subclassified +subclassifies +subclassifying +subclassing +subclausal +subclause +subclauses +subclavate +subclavia +subclavian +subclavicular +subclavii +subclavioaxillary +subclaviojugular +subclavius +subclei +subclerk +subclerks +subclerkship +subclimactic +subclimate +subclimatic +subclimax +subclinical +subclinically +subclique +subclone +subclover +subcoastal +subcoat +subcollateral +subcollector +subcollectorship +subcollege +subcollegial +subcollegiate +subcolumnar +subcommander +subcommanders +subcommandership +subcommendation +subcommendatory +subcommended +subcommissary +subcommissarial +subcommissaries +subcommissaryship +subcommission +subcommissioner +subcommissioners +subcommissionership +subcommissions +subcommit +subcommittee +subcommittees +subcommunity +subcompact +subcompacts +subcompany +subcompensate +subcompensated +subcompensating +subcompensation +subcompensational +subcompensative +subcompensatory +subcomplete +subcompletely +subcompleteness +subcompletion +subcomponent +subcomponents +subcompressed +subcomputation +subcomputations +subconcave +subconcavely +subconcaveness +subconcavity +subconcavities +subconcealed +subconcession +subconcessionaire +subconcessionary +subconcessionaries +subconcessioner +subconchoidal +subconference +subconferential +subconformability +subconformable +subconformableness +subconformably +subconic +subconical +subconically +subconjunctival +subconjunctive +subconjunctively +subconnate +subconnation +subconnect +subconnectedly +subconnivent +subconscience +subconscious +subconsciously +subconsciousness +subconservator +subconsideration +subconstable +subconstellation +subconsul +subconsular +subconsulship +subcontained +subcontest +subcontiguous +subcontinent +subcontinental +subcontinents +subcontinual +subcontinued +subcontinuous +subcontract +subcontracted +subcontracting +subcontractor +subcontractors +subcontracts +subcontraoctave +subcontrary +subcontraries +subcontrariety +subcontrarily +subcontrol +subcontrolled +subcontrolling +subconvex +subconvolute +subconvolutely +subcool +subcooled +subcooling +subcools +subcoracoid +subcordate +subcordately +subcordiform +subcoriaceous +subcorymbose +subcorymbosely +subcorneous +subcornual +subcorporation +subcortex +subcortical +subcortically +subcortices +subcosta +subcostae +subcostal +subcostalis +subcouncil +subcouncils +subcover +subcranial +subcranially +subcreative +subcreatively +subcreativeness +subcreek +subcrenate +subcrenated +subcrenately +subcrepitant +subcrepitation +subcrescentic +subcrest +subcriminal +subcriminally +subcript +subcrystalline +subcritical +subcrossing +subcruciform +subcrureal +subcrureus +subcrust +subcrustaceous +subcrustal +subcubic +subcubical +subcuboid +subcuboidal +subcultrate +subcultrated +subcultural +subculturally +subculture +subcultured +subcultures +subculturing +subcuneus +subcurate +subcurator +subcuratorial +subcurators +subcuratorship +subcurrent +subcutaneous +subcutaneously +subcutaneousness +subcutes +subcuticular +subcutis +subcutises +subdatary +subdataries +subdate +subdated +subdating +subdeacon +subdeaconate +subdeaconess +subdeaconry +subdeacons +subdeaconship +subdealer +subdean +subdeanery +subdeans +subdeb +subdebs +subdebutante +subdebutantes +subdecanal +subdecimal +subdecuple +subdeducible +subdefinition +subdefinitions +subdelegate +subdelegated +subdelegating +subdelegation +subdeliliria +subdeliria +subdelirium +subdeliriums +subdeltaic +subdeltoid +subdeltoidal +subdemonstrate +subdemonstrated +subdemonstrating +subdemonstration +subdendroid +subdendroidal +subdenomination +subdentate +subdentated +subdentation +subdented +subdenticulate +subdenticulated +subdepartment +subdepartmental +subdepartments +subdeposit +subdepository +subdepositories +subdepot +subdepots +subdepressed +subdeputy +subdeputies +subderivative +subdermal +subdermic +subdeterminant +subdevil +subdiaconal +subdiaconate +subdiaconus +subdial +subdialect +subdialectal +subdialectally +subdialects +subdiapason +subdiapasonic +subdiapente +subdiaphragmatic +subdiaphragmatically +subdichotomy +subdichotomies +subdichotomize +subdichotomous +subdichotomously +subdie +subdilated +subdirector +subdirectory +subdirectories +subdirectors +subdirectorship +subdiscipline +subdisciplines +subdiscoid +subdiscoidal +subdisjunctive +subdistich +subdistichous +subdistichously +subdistinction +subdistinctions +subdistinctive +subdistinctively +subdistinctiveness +subdistinguish +subdistinguished +subdistrict +subdistricts +subdit +subdititious +subdititiously +subdivecious +subdiversify +subdividable +subdivide +subdivided +subdivider +subdivides +subdividing +subdividingly +subdivine +subdivinely +subdivineness +subdivisible +subdivision +subdivisional +subdivisions +subdivisive +subdoctor +subdolent +subdolichocephaly +subdolichocephalic +subdolichocephalism +subdolichocephalous +subdolous +subdolously +subdolousness +subdomains +subdominance +subdominant +subdorsal +subdorsally +subdouble +subdrain +subdrainage +subdrill +subdruid +subduable +subduableness +subduably +subdual +subduals +subduce +subduced +subduces +subducing +subduct +subducted +subducting +subduction +subducts +subdue +subdued +subduedly +subduedness +subduement +subduer +subduers +subdues +subduing +subduingly +subduple +subduplicate +subdural +subdurally +subdure +subdwarf +subecho +subechoes +subectodermal +subectodermic +subedit +subedited +subediting +subeditor +subeditorial +subeditors +subeditorship +subedits +subeffective +subeffectively +subeffectiveness +subelaphine +subelection +subelectron +subelement +subelemental +subelementally +subelementary +subelliptic +subelliptical +subelongate +subelongated +subemarginate +subemarginated +subemployed +subemployment +subencephalon +subencephaltic +subendymal +subendocardial +subendorse +subendorsed +subendorsement +subendorsing +subendothelial +subenfeoff +subengineer +subentire +subentitle +subentitled +subentitling +subentry +subentries +subepidermal +subepiglottal +subepiglottic +subepithelial +subepoch +subepochs +subequal +subequality +subequalities +subequally +subequatorial +subequilateral +subequivalve +suber +suberane +suberate +suberect +suberectly +suberectness +subereous +suberic +suberiferous +suberification +suberiform +suberin +suberine +suberinization +suberinize +suberins +suberise +suberised +suberises +suberising +suberite +suberites +suberitidae +suberization +suberize +suberized +suberizes +suberizing +suberone +suberose +suberous +subers +subescheator +subesophageal +subessential +subessentially +subessentialness +subestuarine +subet +subeth +subetheric +subevergreen +subexaminer +subexcitation +subexcite +subexecutor +subexpression +subexpressions +subextensibility +subextensible +subextensibleness +subextensibness +subexternal +subexternally +subface +subfacies +subfactor +subfactory +subfactorial +subfactories +subfalcate +subfalcial +subfalciform +subfamily +subfamilies +subfascial +subfastigiate +subfastigiated +subfebrile +subferryman +subferrymen +subfestive +subfestively +subfestiveness +subfeu +subfeudation +subfeudatory +subfibrous +subfief +subfield +subfields +subfigure +subfigures +subfile +subfiles +subfissure +subfix +subfixes +subflavor +subflavour +subflexuose +subflexuous +subflexuously +subfloor +subflooring +subfloors +subflora +subfluid +subflush +subfluvial +subfocal +subfoliar +subfoliate +subfoliation +subforeman +subforemanship +subforemen +subform +subformation +subformative +subformatively +subformativeness +subfossil +subfossorial +subfoundation +subfraction +subfractional +subfractionally +subfractionary +subfractions +subframe +subfreezing +subfreshman +subfreshmen +subfrontal +subfrontally +subfulgent +subfulgently +subfumigation +subfumose +subfunction +subfunctional +subfunctionally +subfunctions +subfusc +subfuscous +subfusiform +subfusk +subg +subgalea +subgallate +subganger +subganoid +subgape +subgaped +subgaping +subgelatinization +subgelatinoid +subgelatinous +subgelatinously +subgelatinousness +subgenera +subgeneric +subgenerical +subgenerically +subgeniculate +subgeniculation +subgenital +subgens +subgentes +subgenual +subgenus +subgenuses +subgeometric +subgeometrical +subgeometrically +subgerminal +subgerminally +subget +subgiant +subgyre +subgyri +subgyrus +subgit +subglabrous +subglacial +subglacially +subglenoid +subgloboid +subglobose +subglobosely +subglobosity +subglobous +subglobular +subglobularity +subglobularly +subglobulose +subglossal +subglossitis +subglottal +subglottally +subglottic +subglumaceous +subgoal +subgoals +subgod +subgoverness +subgovernor +subgovernorship +subgrade +subgrades +subgranular +subgranularity +subgranularly +subgraph +subgraphs +subgrin +subgroup +subgroups +subgular +subgum +subgwely +subhalid +subhalide +subhall +subharmonic +subhastation +subhatchery +subhatcheries +subhead +subheading +subheadings +subheadquarters +subheads +subheadwaiter +subhealth +subhedral +subhemispheric +subhemispherical +subhemispherically +subhepatic +subherd +subhero +subheroes +subhexagonal +subhyalin +subhyaline +subhyaloid +subhymenial +subhymenium +subhyoid +subhyoidean +subhypotheses +subhypothesis +subhirsuness +subhirsute +subhirsuteness +subhysteria +subhooked +subhorizontal +subhorizontally +subhorizontalness +subhornblendic +subhouse +subhuman +subhumanly +subhumans +subhumeral +subhumid +subicle +subicteric +subicterical +subicular +subiculum +subidar +subidea +subideal +subideas +subiya +subilia +subililia +subilium +subimaginal +subimago +subimbricate +subimbricated +subimbricately +subimbricative +subimposed +subimpressed +subincandescent +subincident +subincise +subincision +subincomplete +subindex +subindexes +subindicate +subindicated +subindicating +subindication +subindicative +subindices +subindividual +subinduce +subinfection +subinfer +subinferior +subinferred +subinferring +subinfeud +subinfeudate +subinfeudated +subinfeudating +subinfeudation +subinfeudatory +subinfeudatories +subinflammation +subinflammatory +subinfluent +subinform +subingression +subinguinal +subinitial +subinoculate +subinoculation +subinsert +subinsertion +subinspector +subinspectorship +subintegumental +subintegumentary +subintellection +subintelligential +subintelligitur +subintent +subintention +subintentional +subintentionally +subintercessor +subinternal +subinternally +subinterval +subintervals +subintestinal +subintimal +subintrant +subintroduce +subintroduced +subintroducing +subintroduction +subintroductive +subintroductory +subinvolute +subinvoluted +subinvolution +subiodide +subirrigate +subirrigated +subirrigating +subirrigation +subitane +subitaneous +subitany +subitem +subitems +subito +subitous +subj +subjacency +subjacent +subjacently +subjack +subject +subjectability +subjectable +subjectdom +subjected +subjectedly +subjectedness +subjecthood +subjectibility +subjectible +subjectify +subjectification +subjectified +subjectifying +subjectile +subjecting +subjection +subjectional +subjectist +subjective +subjectively +subjectiveness +subjectivism +subjectivist +subjectivistic +subjectivistically +subjectivity +subjectivization +subjectivize +subjectivoidealistic +subjectless +subjectlike +subjectness +subjects +subjectship +subjee +subjicible +subjoin +subjoinder +subjoined +subjoining +subjoins +subjoint +subjudge +subjudgeship +subjudicial +subjudicially +subjudiciary +subjudiciaries +subjugable +subjugal +subjugate +subjugated +subjugates +subjugating +subjugation +subjugator +subjugators +subjugular +subjunct +subjunction +subjunctive +subjunctively +subjunctives +subjunior +subking +subkingdom +subkingdoms +sublabial +sublabially +sublaciniate +sublacunose +sublacustrine +sublayer +sublayers +sublanate +sublanceolate +sublanguage +sublanguages +sublapsar +sublapsary +sublapsarian +sublapsarianism +sublaryngal +sublaryngeal +sublaryngeally +sublate +sublated +sublateral +sublates +sublating +sublation +sublative +sublattices +sublavius +subleader +sublease +subleased +subleases +subleasing +sublecturer +sublegislation +sublegislature +sublenticular +sublenticulate +sublessee +sublessor +sublet +sublethal +sublethally +sublets +sublettable +subletter +subletting +sublevaminous +sublevate +sublevation +sublevel +sublevels +sublibrarian +sublibrarianship +sublicense +sublicensed +sublicensee +sublicenses +sublicensing +sublid +sublieutenancy +sublieutenant +subligation +sublighted +sublimable +sublimableness +sublimant +sublimate +sublimated +sublimates +sublimating +sublimation +sublimational +sublimationist +sublimations +sublimator +sublimatory +sublime +sublimed +sublimely +sublimeness +sublimer +sublimers +sublimes +sublimest +sublimification +subliminal +subliminally +subliming +sublimish +sublimitation +sublimity +sublimities +sublimize +subline +sublinear +sublineation +sublingua +sublinguae +sublingual +sublinguate +sublist +sublists +subliterary +subliterate +subliterature +sublittoral +sublobular +sublong +subloral +subloreal +sublot +sublumbar +sublunar +sublunary +sublunate +sublunated +sublustrous +sublustrously +sublustrousness +subluxate +subluxation +submachine +submaid +submain +submakroskelic +submammary +subman +submanager +submanagership +submandibular +submania +submaniacal +submaniacally +submanic +submanor +submarginal +submarginally +submarginate +submargined +submarine +submarined +submariner +submariners +submarines +submarining +submarinism +submarinist +submarshal +submaster +submatrices +submatrix +submatrixes +submaxilla +submaxillae +submaxillary +submaxillas +submaximal +submeaning +submedial +submedially +submedian +submediant +submediation +submediocre +submeeting +submember +submembers +submembranaceous +submembranous +submen +submeningeal +submenta +submental +submentum +submerge +submerged +submergement +submergence +submergences +submerges +submergibility +submergible +submerging +submerse +submersed +submerses +submersibility +submersible +submersibles +submersing +submersion +submersions +submetallic +submetaphoric +submetaphorical +submetaphorically +submeter +submetering +submicrogram +submicron +submicroscopic +submicroscopical +submicroscopically +submiliary +submind +subminiature +subminiaturization +subminiaturize +subminiaturized +subminiaturizes +subminiaturizing +subminimal +subminister +subministrant +submiss +submissible +submission +submissionist +submissions +submissit +submissive +submissively +submissiveness +submissly +submissness +submit +submytilacea +submitochondrial +submits +submittal +submittance +submitted +submitter +submitting +submittingly +submode +submodes +submodule +submodules +submolecular +submolecule +submonition +submontagne +submontane +submontanely +submontaneous +submorphous +submortgage +submotive +submountain +submucosa +submucosae +submucosal +submucosally +submucous +submucronate +submucronated +submultiple +submultiplexed +submundane +submuriate +submuscular +submuscularly +subnacreous +subnanosecond +subnarcotic +subnasal +subnascent +subnatural +subnaturally +subnaturalness +subnect +subnervian +subness +subnet +subnets +subnetwork +subnetworks +subneural +subnex +subnitrate +subnitrated +subniveal +subnivean +subnodal +subnode +subnodes +subnodulose +subnodulous +subnormal +subnormality +subnormally +subnotation +subnotational +subnote +subnotochordal +subnubilar +subnuclei +subnucleus +subnucleuses +subnude +subnumber +subnutritious +subnutritiously +subnutritiousness +subnuvolar +suboblique +subobliquely +subobliqueness +subobscure +subobscurely +subobscureness +subobsolete +subobsoletely +subobsoleteness +subobtuse +subobtusely +subobtuseness +suboccipital +subocean +suboceanic +suboctave +suboctile +suboctuple +subocular +subocularly +suboesophageal +suboffice +subofficer +subofficers +suboffices +subofficial +subofficially +subolive +subopaque +subopaquely +subopaqueness +subopercle +subopercular +suboperculum +subopposite +suboppositely +suboppositeness +suboptic +suboptical +suboptically +suboptima +suboptimal +suboptimally +suboptimization +suboptimum +suboptimuma +suboptimums +suboral +suborbicular +suborbicularity +suborbicularly +suborbiculate +suborbiculated +suborbital +suborbitar +suborbitary +subordain +suborder +suborders +subordinacy +subordinal +subordinary +subordinaries +subordinate +subordinated +subordinately +subordinateness +subordinates +subordinating +subordinatingly +subordination +subordinationism +subordinationist +subordinations +subordinative +subordinator +suborganic +suborganically +suborn +subornation +subornations +subornative +suborned +suborner +suborners +suborning +suborns +suboscines +suboval +subovarian +subovate +subovated +suboverseer +subovoid +suboxid +suboxidation +suboxide +suboxides +subpackage +subpagoda +subpallial +subpalmate +subpalmated +subpanation +subpanel +subpar +subparagraph +subparagraphs +subparalytic +subparallel +subparameter +subparameters +subparietal +subparliament +subpart +subparty +subparties +subpartition +subpartitioned +subpartitionment +subpartnership +subparts +subpass +subpassage +subpastor +subpastorship +subpatellar +subpatron +subpatronal +subpatroness +subpattern +subpavement +subpectinate +subpectinated +subpectination +subpectoral +subpeduncle +subpeduncled +subpeduncular +subpedunculate +subpedunculated +subpellucid +subpellucidity +subpellucidly +subpellucidness +subpeltate +subpeltated +subpeltately +subpena +subpenaed +subpenaing +subpenas +subpentagonal +subpentangular +subpericardiac +subpericardial +subpericranial +subperiod +subperiosteal +subperiosteally +subperitoneal +subperitoneally +subpermanent +subpermanently +subperpendicular +subpetiolar +subpetiolate +subpetiolated +subpetrosal +subpharyngal +subpharyngeal +subpharyngeally +subphases +subphyla +subphylar +subphylla +subphylum +subphosphate +subphratry +subphratries +subphrenic +subpial +subpilose +subpilosity +subpimp +subpyramidal +subpyramidic +subpyramidical +subpyriform +subpiston +subplacenta +subplacentae +subplacental +subplacentas +subplant +subplantigrade +subplat +subplate +subpleural +subplexal +subplinth +subplot +subplots +subplow +subpodophyllous +subpoena +subpoenaed +subpoenaing +subpoenal +subpoenas +subpolar +subpolygonal +subpolygonally +subpool +subpools +subpopular +subpopulation +subpopulations +subporphyritic +subport +subpost +subpostmaster +subpostmastership +subpostscript +subpotency +subpotencies +subpotent +subpreceptor +subpreceptoral +subpreceptorate +subpreceptorial +subpredicate +subpredication +subpredicative +subprefect +subprefectorial +subprefecture +subprehensile +subprehensility +subpreputial +subpress +subprimary +subprincipal +subprincipals +subprior +subprioress +subpriorship +subproblem +subproblems +subprocess +subprocesses +subproctor +subproctorial +subproctorship +subproduct +subprofessional +subprofessionally +subprofessor +subprofessorate +subprofessoriate +subprofessorship +subprofitable +subprofitableness +subprofitably +subprogram +subprograms +subproject +subproof +subproofs +subproportional +subproportionally +subprostatic +subprotector +subprotectorship +subprovince +subprovinces +subprovincial +subpubescent +subpubic +subpulmonary +subpulverizer +subpunch +subpunctuation +subpurchaser +subpurlin +subputation +subquadrangular +subquadrate +subquality +subqualities +subquarter +subquarterly +subquestion +subqueues +subquinquefid +subquintuple +subra +subrace +subraces +subradial +subradiance +subradiancy +subradiate +subradiative +subradical +subradicalness +subradicness +subradius +subradular +subrail +subrailway +subrameal +subramose +subramous +subrange +subranges +subrational +subreader +subreason +subrebellion +subrectal +subrectangular +subrector +subrectory +subrectories +subreference +subregent +subregion +subregional +subregions +subregular +subregularity +subreguli +subregulus +subrelation +subreligion +subreniform +subrent +subrents +subrepand +subrepent +subreport +subreptary +subreption +subreptitious +subreptitiously +subreptive +subreputable +subreputably +subresin +subresults +subretinal +subretractile +subrhombic +subrhombical +subrhomboid +subrhomboidal +subrictal +subrident +subridently +subrigid +subrigidity +subrigidly +subrigidness +subring +subrings +subrision +subrisive +subrisory +subrogate +subrogated +subrogating +subrogation +subrogee +subrogor +subroot +subrostral +subrotund +subrotundity +subrotundly +subrotundness +subround +subroutine +subroutines +subroutining +subrule +subruler +subrules +subs +subsacral +subsale +subsales +subsaline +subsalinity +subsalt +subsample +subsampled +subsampling +subsartorial +subsatellite +subsatiric +subsatirical +subsatirically +subsatiricalness +subsaturated +subsaturation +subscale +subscapular +subscapulary +subscapularis +subschedule +subschedules +subschema +subschemas +subscheme +subschool +subscience +subscleral +subsclerotic +subscribable +subscribe +subscribed +subscriber +subscribers +subscribership +subscribes +subscribing +subscript +subscripted +subscripting +subscription +subscriptionist +subscriptions +subscriptive +subscriptively +subscripts +subscripture +subscrive +subscriver +subsea +subsecive +subsecretary +subsecretarial +subsecretaries +subsecretaryship +subsect +subsection +subsections +subsects +subsecurity +subsecurities +subsecute +subsecutive +subsegment +subsegments +subsella +subsellia +subsellium +subsemifusa +subsemitone +subsensation +subsense +subsensible +subsensual +subsensually +subsensuous +subsensuously +subsensuousness +subsept +subseptate +subseptuple +subsequence +subsequences +subsequency +subsequent +subsequential +subsequentially +subsequently +subsequentness +subsere +subseres +subseries +subserosa +subserous +subserrate +subserrated +subserve +subserved +subserves +subserviate +subservience +subserviency +subservient +subserviently +subservientness +subserving +subsesqui +subsessile +subset +subsets +subsetting +subsewer +subsextuple +subshaft +subshafts +subshell +subsheriff +subshire +subshrub +subshrubby +subshrubs +subsibilance +subsibilancy +subsibilant +subsibilantly +subsicive +subside +subsided +subsidence +subsidency +subsident +subsider +subsiders +subsides +subsidy +subsidiary +subsidiarie +subsidiaries +subsidiarily +subsidiariness +subsidies +subsiding +subsidise +subsidist +subsidium +subsidizable +subsidization +subsidizations +subsidize +subsidized +subsidizer +subsidizes +subsidizing +subsign +subsilicate +subsilicic +subsill +subsimian +subsimilation +subsimious +subsimple +subsyndicate +subsyndication +subsynod +subsynodal +subsynodic +subsynodical +subsynodically +subsynovial +subsinuous +subsist +subsisted +subsystem +subsystems +subsistence +subsistency +subsistent +subsistential +subsister +subsisting +subsistingly +subsists +subsizar +subsizarship +subslot +subslots +subsmile +subsneer +subsocial +subsocially +subsoil +subsoiled +subsoiler +subsoiling +subsoils +subsolar +subsolid +subsonic +subsonically +subsonics +subsort +subsorter +subsovereign +subspace +subspaces +subspatulate +subspecialist +subspecialization +subspecialize +subspecialized +subspecializing +subspecialty +subspecialties +subspecies +subspecific +subspecifically +subsphenoid +subsphenoidal +subsphere +subspheric +subspherical +subspherically +subspinose +subspinous +subspiral +subspirally +subsplenial +subspontaneous +subspontaneously +subspontaneousness +subsquadron +subssellia +subst +substage +substages +substalagmite +substalagmitic +substance +substanced +substanceless +substances +substanch +substandard +substandardization +substandardize +substandardized +substandardizing +substanially +substant +substantia +substantiability +substantiable +substantiae +substantial +substantialia +substantialism +substantialist +substantiality +substantialization +substantialize +substantialized +substantializing +substantially +substantiallying +substantialness +substantiatable +substantiate +substantiated +substantiates +substantiating +substantiation +substantiations +substantiative +substantiator +substantify +substantious +substantival +substantivally +substantive +substantively +substantiveness +substantives +substantivity +substantivize +substantivized +substantivizing +substantize +substation +substations +substernal +substylar +substile +substyle +substituent +substitutability +substitutabilities +substitutable +substitute +substituted +substituter +substitutes +substituting +substitutingly +substitution +substitutional +substitutionally +substitutionary +substitutions +substitutive +substitutively +substock +substore +substoreroom +substory +substories +substract +substraction +substrat +substrata +substratal +substrate +substrates +substrati +substrative +substrator +substratose +substratosphere +substratospheric +substratum +substratums +substream +substriate +substriated +substring +substrings +substrstrata +substruct +substruction +substructional +substructural +substructure +substructured +substructures +subsulci +subsulcus +subsulfate +subsulfid +subsulfide +subsulphate +subsulphid +subsulphide +subsult +subsultive +subsultory +subsultorily +subsultorious +subsultorysubsultus +subsultus +subsumable +subsume +subsumed +subsumes +subsuming +subsumption +subsumptive +subsuperficial +subsuperficially +subsuperficialness +subsurety +subsureties +subsurface +subsurfaces +subtack +subtacksman +subtacksmen +subtangent +subtarget +subtarsal +subtartarean +subtask +subtasking +subtasks +subtaxer +subtectacle +subtectal +subteen +subteener +subteens +subtegminal +subtegulaneous +subtegumental +subtegumentary +subtemperate +subtemporal +subtenancy +subtenancies +subtenant +subtenants +subtend +subtended +subtending +subtends +subtense +subtentacular +subtenure +subtepid +subtepidity +subtepidly +subtepidness +subteraqueous +subterbrutish +subtercelestial +subterconscious +subtercutaneous +subterete +subterethereal +subterfluent +subterfluous +subterfuge +subterfuges +subterhuman +subterjacent +subtermarine +subterminal +subterminally +subternatural +subterpose +subterposition +subterrain +subterrane +subterraneal +subterranean +subterraneanize +subterraneanized +subterraneanizing +subterraneanly +subterraneity +subterraneous +subterraneously +subterraneousness +subterrany +subterranity +subterraqueous +subterrene +subterrestrial +subterritory +subterritorial +subterritories +subtersensual +subtersensuous +subtersuperlative +subtersurface +subtertian +subtetanic +subtetanical +subtext +subtexts +subthalamic +subthalamus +subthoracal +subthoracic +subthreshold +subthrill +subtile +subtilely +subtileness +subtiler +subtilest +subtiliate +subtiliation +subtilin +subtilis +subtilisation +subtilise +subtilised +subtiliser +subtilising +subtilism +subtilist +subtility +subtilities +subtilization +subtilize +subtilized +subtilizer +subtilizing +subtill +subtillage +subtilly +subtilty +subtilties +subtympanitic +subtype +subtypes +subtypical +subtitle +subtitled +subtitles +subtitling +subtitular +subtle +subtlely +subtleness +subtler +subtlest +subtlety +subtleties +subtly +subtlist +subtone +subtones +subtonic +subtonics +subtopia +subtopic +subtopics +subtorrid +subtotal +subtotaled +subtotaling +subtotalled +subtotally +subtotalling +subtotals +subtotem +subtotemic +subtower +subtract +subtracted +subtracter +subtracting +subtraction +subtractions +subtractive +subtractor +subtractors +subtracts +subtrahend +subtrahends +subtray +subtranslucence +subtranslucency +subtranslucent +subtransparent +subtransparently +subtransparentness +subtransversal +subtransversally +subtransverse +subtransversely +subtrapezoid +subtrapezoidal +subtread +subtreasurer +subtreasurership +subtreasury +subtreasuries +subtree +subtrees +subtrench +subtriangular +subtriangularity +subtriangulate +subtribal +subtribe +subtribes +subtribual +subtrifid +subtrigonal +subtrihedral +subtriplicate +subtriplicated +subtriplication +subtriquetrous +subtrist +subtrochanteric +subtrochlear +subtrochleariform +subtropic +subtropical +subtropics +subtrousers +subtrude +subtruncate +subtruncated +subtruncation +subtrunk +subtuberant +subtubiform +subtunic +subtunics +subtunnel +subturbary +subturriculate +subturriculated +subtutor +subtutorship +subtwined +subucula +subulate +subulated +subulicorn +subulicornia +subuliform +subultimate +subumbellar +subumbellate +subumbellated +subumbelliferous +subumbilical +subumbonal +subumbonate +subumbral +subumbrella +subumbrellar +subuncinal +subuncinate +subuncinated +subunequal +subunequally +subunequalness +subungual +subunguial +subungulata +subungulate +subunit +subunits +subuniversal +subuniverse +suburb +suburban +suburbandom +suburbanhood +suburbanisation +suburbanise +suburbanised +suburbanising +suburbanism +suburbanite +suburbanites +suburbanity +suburbanities +suburbanization +suburbanize +suburbanized +suburbanizing +suburbanly +suburbans +suburbed +suburbia +suburbian +suburbias +suburbican +suburbicary +suburbicarian +suburbs +suburethral +subursine +subutopian +subvaginal +subvaluation +subvarietal +subvariety +subvarieties +subvassal +subvassalage +subvein +subvendee +subvene +subvened +subvenes +subvening +subvenize +subvention +subventionary +subventioned +subventionize +subventions +subventitious +subventive +subventral +subventrally +subventricose +subventricous +subventricular +subvermiform +subversal +subverse +subversed +subversion +subversionary +subversions +subversive +subversively +subversiveness +subversives +subversivism +subvert +subvertebral +subvertebrate +subverted +subverter +subverters +subvertible +subvertical +subvertically +subverticalness +subverticilate +subverticilated +subverticillate +subverting +subverts +subvesicular +subvestment +subvicar +subvicars +subvicarship +subvii +subvillain +subviral +subvirate +subvirile +subvisible +subvitalisation +subvitalised +subvitalization +subvitalized +subvitreous +subvitreously +subvitreousness +subvocal +subvocally +subvola +subway +subways +subwar +subwarden +subwardenship +subwater +subwealthy +subweight +subwink +subworker +subworkman +subworkmen +subzero +subzygomatic +subzonal +subzonary +subzone +subzones +succade +succah +succahs +succedanea +succedaneous +succedaneum +succedaneums +succedent +succeed +succeedable +succeeded +succeeder +succeeders +succeeding +succeedingly +succeeds +succent +succentor +succenturiate +succenturiation +succes +succesful +succesive +success +successes +successful +successfully +successfulness +succession +successional +successionally +successionist +successionless +successions +successive +successively +successiveness +successivity +successless +successlessly +successlessness +successor +successoral +successory +successors +successorship +succi +succiferous +succin +succinamate +succinamic +succinamide +succinanil +succinate +succinct +succincter +succinctest +succinctly +succinctness +succinctory +succinctoria +succinctorium +succincture +succinea +succinic +succiniferous +succinyl +succinylcholine +succinyls +succinylsulfathiazole +succinylsulphathiazole +succinimid +succinimide +succinite +succinol +succinoresinol +succinosulphuric +succinous +succintorium +succinum +succisa +succise +succivorous +succor +succorable +succored +succorer +succorers +succorful +succory +succories +succoring +succorless +succorrhea +succorrhoea +succors +succose +succotash +succoth +succour +succourable +succoured +succourer +succourful +succouring +succourless +succours +succous +succub +succuba +succubae +succube +succubi +succubine +succubous +succubus +succubuses +succudry +succula +succulence +succulency +succulencies +succulent +succulently +succulentness +succulents +succulous +succumb +succumbed +succumbence +succumbency +succumbent +succumber +succumbers +succumbing +succumbs +succursal +succursale +succus +succuss +succussation +succussatory +succussed +succusses +succussing +succussion +succussive +such +suchlike +suchness +suchnesses +suchos +suchwise +suci +sucivilized +suck +suckable +suckabob +suckage +suckauhock +sucked +sucken +suckener +suckeny +sucker +suckered +suckerel +suckerfish +suckerfishes +suckering +suckerlike +suckers +sucket +suckfish +suckfishes +suckhole +sucking +suckle +sucklebush +suckled +suckler +sucklers +suckles +suckless +suckling +sucklings +sucks +suckstone +suclat +sucramin +sucramine +sucrase +sucrases +sucrate +sucre +sucres +sucrier +sucriers +sucroacid +sucrose +sucroses +suction +suctional +suctions +suctoria +suctorial +suctorian +suctorious +sucupira +sucuri +sucury +sucuriu +sucuruju +sud +sudadero +sudamen +sudamina +sudaminal +sudan +sudanese +sudani +sudanian +sudanic +sudary +sudaria +sudaries +sudarium +sudate +sudation +sudations +sudatory +sudatoria +sudatories +sudatorium +sudburian +sudburite +sudd +sudden +suddenly +suddenness +suddens +suddenty +sudder +suddy +suddle +sudds +sude +sudes +sudic +sudiform +sudor +sudoral +sudoresis +sudoric +sudoriferous +sudoriferousness +sudorific +sudoriparous +sudorous +sudors +sudra +suds +sudsed +sudser +sudsers +sudses +sudsy +sudsier +sudsiest +sudsing +sudsless +sudsman +sudsmen +sue +suecism +sued +suede +sueded +suedes +suedine +sueding +suegee +suey +suent +suer +suerre +suers +suerte +sues +suessiones +suet +suety +suets +sueve +suevi +suevian +suevic +suez +suf +sufeism +suff +suffari +suffaris +suffect +suffection +suffer +sufferable +sufferableness +sufferably +sufferance +sufferant +suffered +sufferer +sufferers +suffering +sufferingly +sufferings +suffers +suffete +suffetes +suffice +sufficeable +sufficed +sufficer +sufficers +suffices +sufficience +sufficiency +sufficiencies +sufficient +sufficiently +sufficientness +sufficing +sufficingly +sufficingness +suffiction +suffisance +suffisant +suffix +suffixal +suffixation +suffixed +suffixer +suffixes +suffixing +suffixion +suffixment +sufflaminate +sufflamination +sufflate +sufflated +sufflates +sufflating +sufflation +sufflue +suffocate +suffocated +suffocates +suffocating +suffocatingly +suffocation +suffocative +suffolk +suffragan +suffraganal +suffraganate +suffragancy +suffraganeous +suffragans +suffragant +suffragate +suffragatory +suffrage +suffrages +suffragette +suffragettes +suffragettism +suffragial +suffragism +suffragist +suffragistic +suffragistically +suffragists +suffragitis +suffrago +suffrain +suffront +suffrutescent +suffrutex +suffrutices +suffruticose +suffruticous +suffruticulose +suffumigate +suffumigated +suffumigating +suffumigation +suffusable +suffuse +suffused +suffusedly +suffuses +suffusing +suffusion +suffusions +suffusive +sufi +sufiism +sufiistic +sufism +sufistic +sugamo +sugan +sugann +sugar +sugarberry +sugarberries +sugarbird +sugarbush +sugarcane +sugarcoat +sugarcoated +sugarcoating +sugarcoats +sugared +sugarelly +sugarer +sugarhouse +sugarhouses +sugary +sugarier +sugaries +sugariest +sugariness +sugaring +sugarings +sugarless +sugarlike +sugarloaf +sugarplate +sugarplum +sugarplums +sugars +sugarsop +sugarsweet +sugarworks +sugat +sugent +sugescent +sugg +suggan +suggest +suggesta +suggestable +suggested +suggestedness +suggester +suggestibility +suggestible +suggestibleness +suggestibly +suggesting +suggestingly +suggestion +suggestionability +suggestionable +suggestionism +suggestionist +suggestionize +suggestions +suggestive +suggestively +suggestiveness +suggestivity +suggestment +suggestor +suggestress +suggests +suggestum +suggil +suggillate +suggillation +sugh +sughed +sughing +sughs +sugi +sugih +sugillate +sugis +sugsloot +suguaro +suhuaro +sui +suicidal +suicidalism +suicidally +suicidalwise +suicide +suicided +suicides +suicidical +suiciding +suicidism +suicidist +suicidology +suicism +suid +suidae +suidian +suiform +suikerbosch +suiline +suilline +suimate +suina +suine +suing +suingly +suint +suints +suyog +suiogoth +suiogothic +suiones +suisimilar +suisse +suist +suit +suitability +suitable +suitableness +suitably +suitcase +suitcases +suite +suited +suitedness +suiters +suites +suithold +suity +suiting +suitings +suitly +suitlike +suitor +suitoress +suitors +suitorship +suitress +suits +suivante +suivez +suji +suk +sukey +sukiyaki +sukiyakis +sukkah +sukkahs +sukkenye +sukkoth +suku +sula +sulaba +sulafat +sulaib +sulbasutra +sulcal +sulcalization +sulcalize +sulcar +sulcate +sulcated +sulcation +sulcatoareolate +sulcatocostate +sulcatorimose +sulci +sulciform +sulcomarginal +sulcular +sulculate +sulculus +sulcus +suld +suldan +suldans +sulea +sulfa +sulfacid +sulfadiazine +sulfadimethoxine +sulfaguanidine +sulfamate +sulfamerazin +sulfamerazine +sulfamethazine +sulfamethylthiazole +sulfamic +sulfamidate +sulfamide +sulfamidic +sulfamyl +sulfamine +sulfaminic +sulfanilamide +sulfanilic +sulfanilylguanidine +sulfantimonide +sulfapyrazine +sulfapyridine +sulfaquinoxaline +sulfarsenide +sulfarsenite +sulfarseniuret +sulfarsphenamine +sulfas +sulfasuxidine +sulfatase +sulfate +sulfated +sulfates +sulfathiazole +sulfatic +sulfating +sulfation +sulfatization +sulfatize +sulfatized +sulfatizing +sulfato +sulfazide +sulfhydrate +sulfhydric +sulfhydryl +sulfid +sulfide +sulfides +sulfids +sulfinate +sulfindigotate +sulfindigotic +sulfindylic +sulfine +sulfinic +sulfinide +sulfinyl +sulfinyls +sulfion +sulfionide +sulfisoxazole +sulfite +sulfites +sulfitic +sulfito +sulfo +sulfoacid +sulfoamide +sulfobenzide +sulfobenzoate +sulfobenzoic +sulfobismuthite +sulfoborite +sulfocarbamide +sulfocarbimide +sulfocarbolate +sulfocarbolic +sulfochloride +sulfocyan +sulfocyanide +sulfofication +sulfogermanate +sulfohalite +sulfohydrate +sulfoindigotate +sulfoleic +sulfolysis +sulfomethylic +sulfonal +sulfonals +sulfonamic +sulfonamide +sulfonate +sulfonated +sulfonating +sulfonation +sulfonator +sulfone +sulfonephthalein +sulfones +sulfonethylmethane +sulfonic +sulfonyl +sulfonyls +sulfonylurea +sulfonium +sulfonmethane +sulfophthalein +sulfopurpurate +sulfopurpuric +sulforicinate +sulforicinic +sulforicinoleate +sulforicinoleic +sulfoselenide +sulfosilicide +sulfostannide +sulfotelluride +sulfourea +sulfovinate +sulfovinic +sulfowolframic +sulfoxide +sulfoxylate +sulfoxylic +sulfoxism +sulfur +sulfurage +sulfuran +sulfurate +sulfuration +sulfurator +sulfurea +sulfured +sulfureous +sulfureously +sulfureousness +sulfuret +sulfureted +sulfureting +sulfurets +sulfuretted +sulfuretting +sulfury +sulfuric +sulfuryl +sulfuryls +sulfuring +sulfurization +sulfurize +sulfurized +sulfurizing +sulfurosyl +sulfurous +sulfurously +sulfurousness +sulfurs +sulidae +sulides +suling +suliote +sulk +sulka +sulked +sulker +sulkers +sulky +sulkier +sulkies +sulkiest +sulkily +sulkylike +sulkiness +sulking +sulks +sull +sulla +sullage +sullages +sullan +sullen +sullener +sullenest +sullenhearted +sullenly +sullenness +sullens +sully +sulliable +sulliage +sullied +sulliedness +sullies +sullying +sullow +sulpha +sulphacid +sulphadiazine +sulphaguanidine +sulphaldehyde +sulphamate +sulphamerazine +sulphamic +sulphamid +sulphamidate +sulphamide +sulphamidic +sulphamyl +sulphamin +sulphamine +sulphaminic +sulphamino +sulphammonium +sulphanilamide +sulphanilate +sulphanilic +sulphantimonate +sulphantimonial +sulphantimonic +sulphantimonide +sulphantimonious +sulphantimonite +sulphapyrazine +sulphapyridine +sulpharsenate +sulpharseniate +sulpharsenic +sulpharsenid +sulpharsenide +sulpharsenious +sulpharsenite +sulpharseniuret +sulpharsphenamine +sulphas +sulphatase +sulphate +sulphated +sulphates +sulphathiazole +sulphatic +sulphating +sulphation +sulphatization +sulphatize +sulphatized +sulphatizing +sulphato +sulphatoacetic +sulphatocarbonic +sulphazid +sulphazide +sulphazotize +sulphbismuthite +sulphethylate +sulphethylic +sulphhemoglobin +sulphichthyolate +sulphid +sulphidation +sulphide +sulphides +sulphidic +sulphidize +sulphydrate +sulphydric +sulphydryl +sulphids +sulphimide +sulphin +sulphinate +sulphindigotate +sulphindigotic +sulphine +sulphinic +sulphinide +sulphinyl +sulphion +sulphisoxazole +sulphitation +sulphite +sulphites +sulphitic +sulphito +sulphmethemoglobin +sulpho +sulphoacetic +sulphoamid +sulphoamide +sulphoantimonate +sulphoantimonic +sulphoantimonious +sulphoantimonite +sulphoarsenic +sulphoarsenious +sulphoarsenite +sulphoazotize +sulphobenzid +sulphobenzide +sulphobenzoate +sulphobenzoic +sulphobismuthite +sulphoborite +sulphobutyric +sulphocarbamic +sulphocarbamide +sulphocarbanilide +sulphocarbimide +sulphocarbolate +sulphocarbolic +sulphocarbonate +sulphocarbonic +sulphochloride +sulphochromic +sulphocyan +sulphocyanate +sulphocyanic +sulphocyanide +sulphocyanogen +sulphocinnamic +sulphodichloramine +sulphofy +sulphofication +sulphogallic +sulphogel +sulphogermanate +sulphogermanic +sulphohalite +sulphohaloid +sulphohydrate +sulphoichthyolate +sulphoichthyolic +sulphoindigotate +sulphoindigotic +sulpholeate +sulpholeic +sulpholipin +sulpholysis +sulphonal +sulphonalism +sulphonamic +sulphonamid +sulphonamide +sulphonamido +sulphonamine +sulphonaphthoic +sulphonate +sulphonated +sulphonating +sulphonation +sulphonator +sulphoncyanine +sulphone +sulphonephthalein +sulphones +sulphonethylmethane +sulphonic +sulphonyl +sulphonium +sulphonmethane +sulphonphthalein +sulphoparaldehyde +sulphophenyl +sulphophosphate +sulphophosphite +sulphophosphoric +sulphophosphorous +sulphophthalein +sulphophthalic +sulphopropionic +sulphoproteid +sulphopupuric +sulphopurpurate +sulphopurpuric +sulphoricinate +sulphoricinic +sulphoricinoleate +sulphoricinoleic +sulphosalicylic +sulphoselenide +sulphoselenium +sulphosilicide +sulphosol +sulphostannate +sulphostannic +sulphostannide +sulphostannite +sulphostannous +sulphosuccinic +sulphosulphurous +sulphotannic +sulphotelluride +sulphoterephthalic +sulphothionyl +sulphotoluic +sulphotungstate +sulphotungstic +sulphouinic +sulphourea +sulphovanadate +sulphovinate +sulphovinic +sulphowolframic +sulphoxid +sulphoxide +sulphoxylate +sulphoxylic +sulphoxyphosphate +sulphoxism +sulphozincate +sulphur +sulphurage +sulphuran +sulphurate +sulphurated +sulphurating +sulphuration +sulphurator +sulphurea +sulphurean +sulphured +sulphureity +sulphureonitrous +sulphureosaline +sulphureosuffused +sulphureous +sulphureously +sulphureousness +sulphureovirescent +sulphuret +sulphureted +sulphureting +sulphuretted +sulphuretting +sulphury +sulphuric +sulphuriferous +sulphuryl +sulphuring +sulphurious +sulphurity +sulphurization +sulphurize +sulphurized +sulphurizing +sulphurless +sulphurlike +sulphurosyl +sulphurou +sulphurous +sulphurously +sulphurousness +sulphurproof +sulphurs +sulphurweed +sulphurwort +sulpician +sultam +sultan +sultana +sultanas +sultanaship +sultanate +sultanates +sultane +sultanesque +sultaness +sultany +sultanian +sultanic +sultanin +sultanism +sultanist +sultanize +sultanlike +sultanry +sultans +sultanship +sultone +sultry +sultrier +sultriest +sultrily +sultriness +sulu +suluan +sulung +sulvanite +sulvasutra +sum +sumac +sumach +sumachs +sumacs +sumage +sumak +sumass +sumatra +sumatran +sumatrans +sumbal +sumbul +sumbulic +sumdum +sumen +sumerian +sumerology +sumi +sumitro +sumless +sumlessness +summa +summability +summable +summae +summage +summand +summands +summar +summary +summaries +summarily +summariness +summarisable +summarisation +summarise +summarised +summariser +summarising +summarist +summarizable +summarization +summarizations +summarize +summarized +summarizer +summarizes +summarizing +summas +summat +summate +summated +summates +summating +summation +summational +summations +summative +summatory +summed +summer +summerbird +summercastle +summered +summerer +summergame +summerhead +summerhouse +summerhouses +summery +summerier +summeriest +summeriness +summering +summerings +summerish +summerite +summerize +summerlay +summerland +summerless +summerly +summerlike +summerliness +summerling +summerproof +summerroom +summers +summersault +summerset +summertide +summertime +summertree +summerward +summerweight +summerwood +summing +summings +summist +summit +summital +summity +summitless +summitry +summitries +summits +summon +summonable +summoned +summoner +summoners +summoning +summoningly +summons +summonsed +summonses +summonsing +summula +summulae +summulist +summut +sumner +sumo +sumoist +sumos +sump +sumpage +sumper +sumph +sumphy +sumphish +sumphishly +sumphishness +sumpit +sumpitan +sumple +sumpman +sumps +sumpsimus +sumpt +sumpter +sumpters +sumption +sumptious +sumptuary +sumptuosity +sumptuous +sumptuously +sumptuousness +sumpture +sumpweed +sumpweeds +sums +sun +sunback +sunbake +sunbaked +sunbath +sunbathe +sunbathed +sunbather +sunbathers +sunbathes +sunbathing +sunbaths +sunbeam +sunbeamed +sunbeamy +sunbeams +sunbelt +sunberry +sunberries +sunbird +sunbirds +sunblind +sunblink +sunbonnet +sunbonneted +sunbonnets +sunbow +sunbows +sunbreak +sunbreaker +sunburn +sunburned +sunburnedness +sunburning +sunburnproof +sunburns +sunburnt +sunburntness +sunburst +sunbursts +suncherchor +suncke +suncup +sundae +sundaes +sunday +sundayfied +sundayish +sundayism +sundaylike +sundayness +sundayproof +sundays +sundanese +sundanesian +sundang +sundar +sundaresan +sundari +sundek +sunder +sunderable +sunderance +sundered +sunderer +sunderers +sundering +sunderly +sunderment +sunders +sunderwise +sundew +sundews +sundial +sundials +sundik +sundog +sundogs +sundown +sundowner +sundowning +sundowns +sundra +sundress +sundri +sundry +sundries +sundriesman +sundrily +sundryman +sundrymen +sundriness +sundrops +sune +sunfall +sunfast +sunfish +sunfisher +sunfishery +sunfishes +sunflower +sunflowers +sunfoil +sung +sungar +sungha +sunglade +sunglass +sunglasses +sunglo +sunglow +sunglows +sungrebe +sunhat +sunyata +sunyie +sunil +sunk +sunken +sunket +sunkets +sunkie +sunkland +sunlamp +sunlamps +sunland +sunlands +sunless +sunlessly +sunlessness +sunlet +sunlight +sunlighted +sunlights +sunlike +sunlit +sunn +sunna +sunnas +sunned +sunni +sunny +sunniah +sunnyasee +sunnyasse +sunnier +sunniest +sunnyhearted +sunnyheartedness +sunnily +sunniness +sunning +sunnism +sunnite +sunns +sunnud +sunproof +sunquake +sunray +sunrise +sunrises +sunrising +sunroof +sunroofs +sunroom +sunrooms +sunrose +suns +sunscald +sunscalds +sunscorch +sunscreen +sunscreening +sunseeker +sunset +sunsets +sunsetty +sunsetting +sunshade +sunshades +sunshine +sunshineless +sunshines +sunshiny +sunshining +sunsmit +sunsmitten +sunspot +sunspots +sunspotted +sunspottedness +sunspottery +sunspotty +sunsquall +sunstay +sunstar +sunstead +sunstone +sunstones +sunstricken +sunstroke +sunstrokes +sunstruck +sunsuit +sunsuits +sunt +suntan +suntanned +suntanning +suntans +suntrap +sunup +sunups +sunway +sunways +sunward +sunwards +sunweed +sunwise +suomi +suomic +suovetaurilia +sup +supa +supai +supari +supawn +supe +supellectile +supellex +super +superabduction +superabhor +superability +superable +superableness +superably +superabnormal +superabnormally +superabominable +superabominableness +superabominably +superabomination +superabound +superabstract +superabstractly +superabstractness +superabsurd +superabsurdity +superabsurdly +superabsurdness +superabundance +superabundancy +superabundant +superabundantly +superaccession +superaccessory +superaccommodating +superaccomplished +superaccrue +superaccrued +superaccruing +superaccumulate +superaccumulated +superaccumulating +superaccumulation +superaccurate +superaccurately +superaccurateness +superacetate +superachievement +superacid +superacidity +superacidulated +superacknowledgment +superacquisition +superacromial +superactivate +superactivated +superactivating +superactive +superactively +superactiveness +superactivity +superactivities +superacute +superacutely +superacuteness +superadaptable +superadaptableness +superadaptably +superadd +superadded +superadding +superaddition +superadditional +superadds +superadequate +superadequately +superadequateness +superadjacent +superadjacently +superadministration +superadmirable +superadmirableness +superadmirably +superadmiration +superadorn +superadornment +superaerial +superaerially +superaerodynamics +superaesthetical +superaesthetically +superaffiliation +superaffiuence +superaffluence +superaffluent +superaffluently +superaffusion +superagency +superagencies +superaggravation +superagitation +superagrarian +superalbal +superalbuminosis +superalimentation +superalkaline +superalkalinity +superalloy +superallowance +superaltar +superaltern +superambition +superambitious +superambitiously +superambitiousness +superambulacral +superanal +superangelic +superangelical +superangelically +superanimal +superanimality +superannate +superannated +superannuate +superannuated +superannuating +superannuation +superannuitant +superannuity +superannuities +superapology +superapologies +superappreciation +superaqual +superaqueous +superarbiter +superarbitrary +superarctic +superarduous +superarduously +superarduousness +superarrogance +superarrogant +superarrogantly +superarseniate +superartificial +superartificiality +superartificially +superaspiration +superassertion +superassociate +superassume +superassumed +superassuming +superassumption +superastonish +superastonishment +superate +superattachment +superattainable +superattainableness +superattainably +superattendant +superattraction +superattractive +superattractively +superattractiveness +superauditor +superaural +superaverage +superaverageness +superaveraness +superavit +superaward +superaxillary +superazotation +superb +superbazaar +superbazooka +superbelief +superbelievable +superbelievableness +superbelievably +superbeloved +superbenefit +superbenevolence +superbenevolent +superbenevolently +superbenign +superbenignly +superber +superbest +superbia +superbias +superbious +superbity +superblessed +superblessedness +superbly +superblock +superblunder +superbness +superbold +superboldly +superboldness +superbomb +superborrow +superbrain +superbrave +superbravely +superbraveness +superbrute +superbuild +superbungalow +superbusy +superbusily +supercabinet +supercalender +supercallosal +supercandid +supercandidly +supercandidness +supercanine +supercanonical +supercanonization +supercanopy +supercanopies +supercapability +supercapabilities +supercapable +supercapableness +supercapably +supercapital +supercaption +supercarbonate +supercarbonization +supercarbonize +supercarbureted +supercargo +supercargoes +supercargos +supercargoship +supercarpal +supercarrier +supercatastrophe +supercatastrophic +supercatholic +supercatholically +supercausal +supercaution +supercavitation +supercede +superceded +supercedes +superceding +supercelestial +supercelestially +supercensure +supercentral +supercentrifuge +supercerebellar +supercerebral +supercerebrally +superceremonious +superceremoniously +superceremoniousness +supercharge +supercharged +supercharger +superchargers +supercharges +supercharging +superchemical +superchemically +superchery +supercherie +superchivalrous +superchivalrously +superchivalrousness +supercicilia +supercycle +supercilia +superciliary +superciliosity +supercilious +superciliously +superciliousness +supercilium +supercynical +supercynically +supercynicalness +supercity +supercivil +supercivilization +supercivilized +supercivilly +superclaim +superclass +superclassified +supercloth +supercluster +supercoincidence +supercoincident +supercoincidently +supercolossal +supercolossally +supercolumnar +supercolumniation +supercombination +supercombing +supercommendation +supercommentary +supercommentaries +supercommentator +supercommercial +supercommercially +supercommercialness +supercompetition +supercomplete +supercomplex +supercomplexity +supercomplexities +supercomprehension +supercompression +supercomputer +supercomputers +superconception +superconduct +superconducting +superconduction +superconductive +superconductivity +superconductor +superconductors +superconfidence +superconfident +superconfidently +superconfirmation +superconformable +superconformableness +superconformably +superconformist +superconformity +superconfused +superconfusion +supercongested +supercongestion +superconscious +superconsciousness +superconsecrated +superconsequence +superconsequency +superconservative +superconservatively +superconservativeness +superconstitutional +superconstitutionally +supercontest +supercontribution +supercontrol +supercool +supercooled +supercordial +supercordially +supercordialness +supercorporation +supercow +supercredit +supercrescence +supercrescent +supercretaceous +supercrime +supercriminal +supercriminally +supercritic +supercritical +supercritically +supercriticalness +supercrowned +supercrust +supercube +supercultivated +superculture +supercurious +supercuriously +supercuriousness +superdainty +superdanger +superdebt +superdeclamatory +superdecorated +superdecoration +superdeficit +superdeity +superdeities +superdejection +superdelegate +superdelicate +superdelicately +superdelicateness +superdemand +superdemocratic +superdemocratically +superdemonic +superdemonstration +superdensity +superdeposit +superdesirous +superdesirously +superdevelopment +superdevilish +superdevilishly +superdevilishness +superdevotion +superdiabolical +superdiabolically +superdiabolicalness +superdicrotic +superdifficult +superdifficultly +superdying +superdiplomacy +superdirection +superdiscount +superdistention +superdistribution +superdividend +superdivine +superdivision +superdoctor +superdominant +superdomineering +superdonation +superdose +superdramatist +superdreadnought +superdubious +superdubiously +superdubiousness +superduper +superduplication +superdural +superearthly +supereconomy +supereconomies +supered +superedify +superedification +supereducated +supereducation +supereffective +supereffectively +supereffectiveness +supereffluence +supereffluent +supereffluently +superego +superegos +superelaborate +superelaborately +superelaborateness +superelastic +superelastically +superelated +superelegance +superelegancy +superelegancies +superelegant +superelegantly +superelementary +superelevate +superelevated +superelevation +supereligibility +supereligible +supereligibleness +supereligibly +supereloquence +supereloquent +supereloquently +supereminence +supereminency +supereminent +supereminently +superemphasis +superemphasize +superemphasized +superemphasizing +superempirical +superencipher +superencipherment +superendorse +superendorsed +superendorsement +superendorsing +superendow +superenergetic +superenergetically +superenforcement +superengrave +superengraved +superengraving +superenrollment +superepic +superepoch +superequivalent +supererogant +supererogantly +supererogate +supererogated +supererogating +supererogation +supererogative +supererogator +supererogatory +supererogatorily +superespecial +superessential +superessentially +superessive +superestablish +superestablishment +supereternity +superether +superethical +superethically +superethicalness +superethmoidal +superette +superevangelical +superevangelically +superevidence +superevident +superevidently +superexacting +superexalt +superexaltation +superexaminer +superexceed +superexceeding +superexcellence +superexcellency +superexcellent +superexcellently +superexceptional +superexceptionally +superexcitation +superexcited +superexcitement +superexcrescence +superexcrescent +superexcrescently +superexert +superexertion +superexiguity +superexist +superexistent +superexpand +superexpansion +superexpectation +superexpenditure +superexplicit +superexplicitly +superexport +superexpression +superexpressive +superexpressively +superexpressiveness +superexquisite +superexquisitely +superexquisiteness +superextend +superextension +superextol +superextoll +superextreme +superextremely +superextremeness +superextremity +superextremities +superfamily +superfamilies +superfancy +superfantastic +superfantastically +superfarm +superfat +superfecta +superfecundation +superfecundity +superfee +superfemale +superfeminine +superfemininity +superfervent +superfervently +superfetate +superfetated +superfetation +superfete +superfeudation +superfibrination +superfice +superficial +superficialism +superficialist +superficiality +superficialities +superficialize +superficially +superficialness +superficiary +superficiaries +superficie +superficies +superfidel +superfinance +superfinanced +superfinancing +superfine +superfineness +superfinical +superfinish +superfinite +superfinitely +superfiniteness +superfissure +superfit +superfitted +superfitting +superfix +superfixes +superfleet +superflexion +superfluent +superfluid +superfluidity +superfluitance +superfluity +superfluities +superfluous +superfluously +superfluousness +superflux +superfoliaceous +superfoliation +superfolly +superfollies +superformal +superformally +superformalness +superformation +superformidable +superformidableness +superformidably +superfortunate +superfortunately +superfriendly +superfrontal +superfructified +superfulfill +superfulfillment +superfunction +superfunctional +superfuse +superfused +superfusibility +superfusible +superfusing +superfusion +supergaiety +supergalactic +supergalaxy +supergalaxies +supergallant +supergallantly +supergallantness +supergene +supergeneric +supergenerically +supergenerosity +supergenerous +supergenerously +supergenual +supergiant +supergyre +superglacial +superglorious +supergloriously +supergloriousness +superglottal +superglottally +superglottic +supergoddess +supergoodness +supergovern +supergovernment +supergraduate +supergrant +supergratify +supergratification +supergratified +supergratifying +supergravitate +supergravitated +supergravitating +supergravitation +supergroup +supergroups +superguarantee +superguaranteed +superguaranteeing +supergun +superhandsome +superhearty +superheartily +superheartiness +superheat +superheated +superheatedness +superheater +superheating +superheavy +superhelix +superheresy +superheresies +superhero +superheroes +superheroic +superheroically +superhet +superheterodyne +superhigh +superhighway +superhighways +superhypocrite +superhirudine +superhistoric +superhistorical +superhistorically +superhive +superhuman +superhumanity +superhumanize +superhumanized +superhumanizing +superhumanly +superhumanness +superhumeral +superi +superyacht +superial +superideal +superideally +superidealness +superignorant +superignorantly +superillustrate +superillustrated +superillustrating +superillustration +superimpend +superimpending +superimpersonal +superimpersonally +superimply +superimplied +superimplying +superimportant +superimportantly +superimposable +superimpose +superimposed +superimposes +superimposing +superimposition +superimpositions +superimposure +superimpregnated +superimpregnation +superimprobable +superimprobableness +superimprobably +superimproved +superincentive +superinclination +superinclusive +superinclusively +superinclusiveness +superincomprehensible +superincomprehensibleness +superincomprehensibly +superincrease +superincreased +superincreasing +superincumbence +superincumbency +superincumbent +superincumbently +superindependence +superindependent +superindependently +superindiction +superindictment +superindifference +superindifferent +superindifferently +superindignant +superindignantly +superindividual +superindividualism +superindividualist +superindividually +superinduce +superinduced +superinducement +superinducing +superinduct +superinduction +superindue +superindulgence +superindulgent +superindulgently +superindustry +superindustries +superindustrious +superindustriously +superindustriousness +superinenarrable +superinfection +superinfer +superinference +superinferred +superinferring +superinfeudation +superinfinite +superinfinitely +superinfiniteness +superinfirmity +superinfirmities +superinfluence +superinfluenced +superinfluencing +superinformal +superinformality +superinformalities +superinformally +superinfuse +superinfused +superinfusing +superinfusion +supering +superingenious +superingeniously +superingeniousness +superingenuity +superingenuities +superinitiative +superinjection +superinjustice +superinnocence +superinnocent +superinnocently +superinquisitive +superinquisitively +superinquisitiveness +superinsaniated +superinscribe +superinscribed +superinscribing +superinscription +superinsist +superinsistence +superinsistent +superinsistently +superinsscribed +superinsscribing +superinstitute +superinstitution +superintellectual +superintellectually +superintend +superintendant +superintended +superintendence +superintendency +superintendencies +superintendent +superintendential +superintendents +superintendentship +superintender +superintending +superintends +superintense +superintensely +superintenseness +superintensity +superintolerable +superintolerableness +superintolerably +superinundation +superinvolution +superior +superioress +superiority +superiorities +superiorly +superiorness +superiors +superiorship +superirritability +superius +superjacent +superjet +superjets +superjoined +superjudicial +superjudicially +superjunction +superjurisdiction +superjustification +superknowledge +superl +superlabial +superlaborious +superlaboriously +superlaboriousness +superlactation +superlay +superlain +superlapsarian +superlaryngeal +superlaryngeally +superlation +superlative +superlatively +superlativeness +superlatives +superlenient +superleniently +superlie +superlied +superlies +superlying +superlikelihood +superline +superliner +superload +superlocal +superlocally +superlogical +superlogicality +superlogicalities +superlogically +superloyal +superloyally +superlucky +superlunar +superlunary +superlunatical +superluxurious +superluxuriously +superluxuriousness +supermagnificent +supermagnificently +supermalate +supermale +superman +supermanhood +supermanifest +supermanism +supermanly +supermanliness +supermannish +supermarginal +supermarginally +supermarine +supermarket +supermarkets +supermarvelous +supermarvelously +supermarvelousness +supermasculine +supermasculinity +supermaterial +supermathematical +supermathematically +supermaxilla +supermaxillary +supermechanical +supermechanically +supermedial +supermedially +supermedicine +supermediocre +supermen +supermental +supermentality +supermentally +supermetropolitan +supermilitary +supermini +superminis +supermishap +supermystery +supermysteries +supermixture +supermodest +supermodestly +supermoisten +supermolecular +supermolecule +supermolten +supermoral +supermorally +supermorose +supermorosely +supermoroseness +supermotility +supermundane +supermunicipal +supermuscan +supernacular +supernaculum +supernal +supernalize +supernally +supernatant +supernatation +supernation +supernational +supernationalism +supernationalisms +supernationalist +supernationally +supernatural +supernaturaldom +supernaturalise +supernaturalised +supernaturalising +supernaturalism +supernaturalist +supernaturalistic +supernaturality +supernaturalize +supernaturalized +supernaturalizing +supernaturally +supernaturalness +supernature +supernecessity +supernecessities +supernegligence +supernegligent +supernegligently +supernormal +supernormality +supernormally +supernormalness +supernotable +supernotableness +supernotably +supernova +supernovae +supernovas +supernuity +supernumeral +supernumerary +supernumeraries +supernumerariness +supernumeraryship +supernumerous +supernumerously +supernumerousness +supernutrition +superoanterior +superobedience +superobedient +superobediently +superobese +superobject +superobjection +superobjectionable +superobjectionably +superobligation +superobstinate +superobstinately +superobstinateness +superoccipital +superoctave +superocular +superocularly +superodorsal +superoexternal +superoffensive +superoffensively +superoffensiveness +superofficious +superofficiously +superofficiousness +superofrontal +superointernal +superolateral +superomedial +superoposterior +superopposition +superoptimal +superoptimist +superoratorical +superoratorically +superorbital +superordain +superorder +superordinal +superordinary +superordinate +superordinated +superordinating +superordination +superorganic +superorganism +superorganization +superorganize +superornament +superornamental +superornamentally +superosculate +superoutput +superovulation +superoxalate +superoxide +superoxygenate +superoxygenated +superoxygenating +superoxygenation +superparamount +superparasite +superparasitic +superparasitism +superparliamentary +superparticular +superpartient +superpassage +superpatience +superpatient +superpatiently +superpatriot +superpatriotic +superpatriotically +superpatriotism +superperfect +superperfection +superperfectly +superperson +superpersonal +superpersonalism +superpersonally +superpetrosal +superpetrous +superphysical +superphysicalness +superphysicposed +superphysicposing +superphlogisticate +superphlogistication +superphosphate +superpiety +superpigmentation +superpious +superpiously +superpiousness +superplant +superplausible +superplausibleness +superplausibly +superplease +superplus +superpolymer +superpolite +superpolitely +superpoliteness +superpolitic +superponderance +superponderancy +superponderant +superpopulated +superpopulatedly +superpopulatedness +superpopulation +superposable +superpose +superposed +superposes +superposing +superposition +superpositions +superpositive +superpositively +superpositiveness +superpossition +superpower +superpowered +superpowers +superpraise +superpraised +superpraising +superprecarious +superprecariously +superprecariousness +superprecise +superprecisely +superpreciseness +superprelatical +superpreparation +superprepared +superpressure +superprinting +superprobability +superproduce +superproduced +superproducing +superproduction +superproportion +superprosperous +superpublicity +superpure +superpurgation +superpurity +superquadrupetal +superqualify +superqualified +superqualifying +superquote +superquoted +superquoting +superrace +superradical +superradically +superradicalness +superrational +superrationally +superreaction +superrealism +superrealist +superrefine +superrefined +superrefinement +superrefining +superreflection +superreform +superreformation +superrefraction +superregal +superregally +superregeneration +superregenerative +superregistration +superregulation +superreliance +superremuneration +superrenal +superrequirement +superrespectability +superrespectable +superrespectableness +superrespectably +superresponsibility +superresponsible +superresponsibleness +superresponsibly +superrestriction +superreward +superrheumatized +superrighteous +superrighteously +superrighteousness +superroyal +superromantic +superromantically +supers +supersacerdotal +supersacerdotally +supersacral +supersacred +supersacrifice +supersafe +supersafely +supersafeness +supersafety +supersagacious +supersagaciously +supersagaciousness +supersaint +supersaintly +supersalesman +supersalesmanship +supersalesmen +supersaliency +supersalient +supersalt +supersanction +supersanguine +supersanguinity +supersanity +supersarcasm +supersarcastic +supersarcastically +supersatisfaction +supersatisfy +supersatisfied +supersatisfying +supersaturate +supersaturated +supersaturates +supersaturating +supersaturation +superscandal +superscandalous +superscandalously +superscholarly +superscientific +superscientifically +superscribe +superscribed +superscribes +superscribing +superscript +superscripted +superscripting +superscription +superscriptions +superscripts +superscrive +superseaman +superseamen +supersecret +supersecretion +supersecretive +supersecretively +supersecretiveness +supersecular +supersecularly +supersecure +supersecurely +supersecureness +supersedable +supersede +supersedeas +superseded +supersedence +superseder +supersedere +supersedes +superseding +supersedure +superselect +superselection +superseminate +supersemination +superseminator +superseniority +supersensible +supersensibleness +supersensibly +supersensitisation +supersensitise +supersensitised +supersensitiser +supersensitising +supersensitive +supersensitiveness +supersensitivity +supersensitization +supersensitize +supersensitized +supersensitizing +supersensory +supersensual +supersensualism +supersensualist +supersensualistic +supersensuality +supersensually +supersensuous +supersensuously +supersensuousness +supersentimental +supersentimentally +superseptal +superseptuaginarian +superseraphic +superseraphical +superseraphically +superserious +superseriously +superseriousness +superservice +superserviceable +superserviceableness +superserviceably +supersesquitertial +supersession +supersessive +superset +supersets +supersevere +superseverely +supersevereness +superseverity +supersex +supersexes +supersexual +supershipment +supersignificant +supersignificantly +supersilent +supersilently +supersympathetic +supersympathy +supersympathies +supersimplicity +supersimplify +supersimplified +supersimplifying +supersincerity +supersyndicate +supersingular +supersystem +supersistent +supersize +supersmart +supersmartly +supersmartness +supersocial +supersoil +supersolar +supersolemn +supersolemness +supersolemnity +supersolemnly +supersolemnness +supersolicit +supersolicitation +supersolid +supersonant +supersonic +supersonically +supersonics +supersovereign +supersovereignty +superspecialize +superspecialized +superspecializing +superspecies +superspecification +supersphenoid +supersphenoidal +superspinous +superspiritual +superspirituality +superspiritually +supersquamosal +superstage +superstamp +superstandard +superstar +superstate +superstatesman +superstatesmen +superstylish +superstylishly +superstylishness +superstimulate +superstimulated +superstimulating +superstimulation +superstition +superstitionist +superstitionless +superstitions +superstitious +superstitiously +superstitiousness +superstoical +superstoically +superstrain +superstrata +superstratum +superstratums +superstrenuous +superstrenuously +superstrenuousness +superstrict +superstrictly +superstrictness +superstrong +superstruct +superstructed +superstructing +superstruction +superstructive +superstructor +superstructory +superstructral +superstructural +superstructure +superstructures +superstuff +supersublimated +supersuborder +supersubsist +supersubstantial +supersubstantiality +supersubstantially +supersubstantiate +supersubtilized +supersubtle +supersubtlety +supersufficiency +supersufficient +supersufficiently +supersulcus +supersulfate +supersulfureted +supersulfurize +supersulfurized +supersulfurizing +supersulphate +supersulphuret +supersulphureted +supersulphurize +supersulphurized +supersulphurizing +supersuperabundance +supersuperabundant +supersuperabundantly +supersuperb +supersuperior +supersupremacy +supersupreme +supersurprise +supersuspicion +supersuspicious +supersuspiciously +supersuspiciousness +supersweet +supersweetly +supersweetness +supertanker +supertare +supertartrate +supertax +supertaxation +supertaxes +supertemporal +supertempt +supertemptation +supertension +superterranean +superterraneous +superterrene +superterrestial +superterrestrial +superthankful +superthankfully +superthankfulness +superthyroidism +superthorough +superthoroughly +superthoroughness +supertoleration +supertonic +supertotal +supertower +supertragedy +supertragedies +supertragic +supertragical +supertragically +supertrain +supertramp +supertranscendent +supertranscendently +supertranscendentness +supertreason +supertrivial +supertuchun +supertunic +supertutelary +superugly +superultrafrostified +superunfit +superunit +superunity +superuniversal +superuniversally +superuniversalness +superuniverse +superurgency +superurgent +superurgently +superuser +supervalue +supervalued +supervaluing +supervast +supervastly +supervastness +supervene +supervened +supervenes +supervenience +supervenient +supervening +supervenosity +supervention +supervestment +supervexation +supervictory +supervictories +supervictorious +supervictoriously +supervictoriousness +supervigilance +supervigilant +supervigilantly +supervigorous +supervigorously +supervigorousness +supervirulent +supervirulently +supervisal +supervisance +supervise +supervised +supervisee +supervises +supervising +supervision +supervisionary +supervisive +supervisor +supervisory +supervisorial +supervisors +supervisorship +supervisual +supervisually +supervisure +supervital +supervitality +supervitally +supervitalness +supervive +supervolition +supervoluminous +supervoluminously +supervolute +superwager +superwealthy +superweening +superwise +superwoman +superwomen +superworldly +superworldliness +superwrought +superzealous +superzealously +superzealousness +supes +supinate +supinated +supinates +supinating +supination +supinator +supine +supinely +supineness +supines +supinity +suplex +suporvisory +supp +suppable +suppage +supped +suppedanea +suppedaneous +suppedaneum +suppedit +suppeditate +suppeditation +supper +suppering +supperless +suppers +suppertime +supperward +supperwards +supping +suppl +supplace +supplant +supplantation +supplanted +supplanter +supplanters +supplanting +supplantment +supplants +supple +suppled +supplejack +supplely +supplement +supplemental +supplementally +supplementals +supplementary +supplementaries +supplementarily +supplementation +supplemented +supplementer +supplementing +supplements +suppleness +suppler +supples +supplest +suppletion +suppletive +suppletively +suppletory +suppletories +suppletorily +supply +suppliable +supplial +suppliance +suppliancy +suppliancies +suppliant +suppliantly +suppliantness +suppliants +supplicancy +supplicant +supplicantly +supplicants +supplicat +supplicate +supplicated +supplicates +supplicating +supplicatingly +supplication +supplicationer +supplications +supplicative +supplicator +supplicatory +supplicavit +supplice +supplied +supplier +suppliers +supplies +supplying +suppling +suppnea +suppone +support +supportability +supportable +supportableness +supportably +supportance +supportasse +supportation +supported +supporter +supporters +supportful +supporting +supportingly +supportive +supportively +supportless +supportlessly +supportress +supports +suppos +supposable +supposableness +supposably +supposal +supposals +suppose +supposed +supposedly +supposer +supposers +supposes +supposing +supposital +supposition +suppositional +suppositionally +suppositionary +suppositionless +suppositions +suppositious +supposititious +supposititiously +supposititiousness +suppositive +suppositively +suppositor +suppository +suppositories +suppositum +suppost +suppresion +suppresive +suppress +suppressal +suppressant +suppressants +suppressed +suppressedly +suppressen +suppresser +suppresses +suppressibility +suppressible +suppressing +suppression +suppressionist +suppressions +suppressive +suppressively +suppressiveness +suppressor +suppressors +supprime +supprise +suppurant +suppurate +suppurated +suppurates +suppurating +suppuration +suppurations +suppurative +suppuratory +supputation +suppute +supr +supra +suprabasidorsal +suprabranchial +suprabuccal +supracaecal +supracargo +supracaudal +supracensorious +supracentenarian +suprachorioid +suprachorioidal +suprachorioidea +suprachoroid +suprachoroidal +suprachoroidea +supraciliary +supraclavicle +supraclavicular +supraclusion +supracommissure +supracondylar +supracondyloid +supraconduction +supraconductor +supraconscious +supraconsciousness +supracoralline +supracostal +supracoxal +supracranial +supracretaceous +supradecompound +supradental +supradorsal +supradural +suprafeminine +suprafine +suprafoliaceous +suprafoliar +supraglacial +supraglenoid +supraglottal +supraglottic +supragovernmental +suprahepatic +suprahyoid +suprahistorical +suprahuman +suprahumanity +suprailiac +suprailium +supraintellectual +suprainterdorsal +suprajural +supralabial +supralapsarian +supralapsarianism +supralateral +supralegal +supraliminal +supraliminally +supralineal +supralinear +supralittoral +supralocal +supralocally +supraloral +supralunar +supralunary +supramammary +supramarginal +supramarine +supramastoid +supramaxilla +supramaxillary +supramaximal +suprameatal +supramechanical +supramedial +supramental +supramolecular +supramoral +supramortal +supramundane +supranasal +supranational +supranationalism +supranationalist +supranationality +supranatural +supranaturalism +supranaturalist +supranaturalistic +supranature +supranervian +supraneural +supranormal +supranuclear +supraoccipital +supraocclusion +supraocular +supraoesophagal +supraoesophageal +supraoptimal +supraoptional +supraoral +supraorbital +supraorbitar +supraordinary +supraordinate +supraordination +supraorganism +suprapapillary +suprapedal +suprapharyngeal +suprapygal +supraposition +supraprotest +suprapubian +suprapubic +supraquantivalence +supraquantivalent +suprarational +suprarationalism +suprarationality +suprarenal +suprarenalectomy +suprarenalectomize +suprarenalin +suprarenin +suprarenine +suprarimal +suprasaturate +suprascapula +suprascapular +suprascapulary +suprascript +suprasegmental +suprasensible +suprasensitive +suprasensual +suprasensuous +supraseptal +suprasolar +suprasoriferous +suprasphanoidal +supraspinal +supraspinate +supraspinatus +supraspinous +suprasquamosal +suprastandard +suprastapedial +suprastate +suprasternal +suprastigmal +suprasubtle +supratemporal +supraterraneous +supraterrestrial +suprathoracic +supratympanic +supratonsillar +supratrochlear +supratropical +supravaginal +supraventricular +supraversion +supravise +supravital +supravitally +supraworld +supremacy +supremacies +supremacist +supremacists +suprematism +suprematist +supreme +supremely +supremeness +supremer +supremest +supremity +supremities +supremo +supremum +suprerogative +supressed +suprising +sups +supt +suption +supulchre +supvr +suq +sur +sura +suraddition +surah +surahee +surahi +surahs +sural +suralimentation +suramin +suranal +surance +surangular +suras +surat +surbase +surbased +surbasement +surbases +surbate +surbater +surbed +surbedded +surbedding +surcease +surceased +surceases +surceasing +surcharge +surcharged +surcharger +surchargers +surcharges +surcharging +surcingle +surcingled +surcingles +surcingling +surcle +surcloy +surcoat +surcoats +surcrue +surculi +surculigerous +surculose +surculous +surculus +surd +surdation +surdeline +surdent +surdimutism +surdity +surdomute +surds +sure +surebutted +sured +surefire +surefooted +surefootedly +surefootedness +surely +surement +sureness +surenesses +surer +sures +suresby +suresh +surest +surety +sureties +suretyship +surette +surexcitation +surf +surfable +surface +surfaced +surfacedly +surfaceless +surfacely +surfaceman +surfacemen +surfaceness +surfacer +surfacers +surfaces +surfacy +surfacing +surfactant +surfbird +surfbirds +surfboard +surfboarder +surfboarding +surfboards +surfboat +surfboatman +surfboats +surfcaster +surfcasting +surfed +surfeit +surfeited +surfeitedness +surfeiter +surfeiting +surfeits +surfer +surfers +surffish +surffishes +surfy +surficial +surfie +surfier +surfiest +surfing +surfings +surfle +surflike +surfman +surfmanship +surfmen +surfperch +surfperches +surfrappe +surfrider +surfriding +surfs +surfuse +surfusion +surg +surge +surged +surgeful +surgeless +surgency +surgent +surgeon +surgeoncy +surgeoncies +surgeoness +surgeonfish +surgeonfishes +surgeonless +surgeons +surgeonship +surgeproof +surger +surgery +surgeries +surgerize +surgers +surges +surgy +surgical +surgically +surgicotherapy +surgier +surgiest +surginess +surging +surhai +surya +suriana +surianaceae +suricat +suricata +suricate +suricates +suriga +surinam +surinamine +surique +surjection +surjective +surly +surlier +surliest +surlily +surliness +surma +surmark +surmaster +surmenage +surmisable +surmisal +surmisant +surmise +surmised +surmisedly +surmiser +surmisers +surmises +surmising +surmit +surmount +surmountability +surmountable +surmountableness +surmountal +surmounted +surmounter +surmounting +surmounts +surmullet +surmullets +surnai +surnay +surname +surnamed +surnamer +surnamers +surnames +surnaming +surnap +surnape +surnominal +surnoun +surpass +surpassable +surpassed +surpasser +surpasses +surpassing +surpassingly +surpassingness +surpeopled +surphul +surplice +surpliced +surplices +surplicewise +surplician +surplus +surplusage +surpluses +surplusing +surpoose +surpreciation +surprint +surprinted +surprinting +surprints +surprisable +surprisal +surprise +surprised +surprisedly +surprisement +surpriseproof +surpriser +surprisers +surprises +surprising +surprisingly +surprisingness +surprizal +surprize +surprized +surprizes +surprizing +surquedry +surquidy +surquidry +surra +surrah +surras +surreal +surrealism +surrealist +surrealistic +surrealistically +surrealists +surrebound +surrebut +surrebuttal +surrebutter +surrebutting +surrection +surrey +surrein +surreys +surrejoin +surrejoinder +surrejoinders +surrenal +surrender +surrendered +surrenderee +surrenderer +surrendering +surrenderor +surrenders +surrendry +surrept +surreption +surreptitious +surreptitiously +surreptitiousness +surreverence +surreverently +surrogacy +surrogacies +surrogate +surrogated +surrogates +surrogateship +surrogating +surrogation +surroyal +surroyals +surrosion +surround +surrounded +surroundedly +surrounder +surrounding +surroundings +surrounds +sursaturation +sursise +sursize +sursolid +surstyle +sursumduction +sursumvergence +sursumversion +surtax +surtaxed +surtaxes +surtaxing +surtout +surtouts +surturbrand +surucucu +surv +survey +surveyable +surveyage +surveyal +surveyance +surveyed +surveying +surveil +surveiled +surveiling +surveillance +surveillant +surveils +surveyor +surveyors +surveyorship +surveys +surview +survigrous +survise +survivability +survivable +survival +survivalism +survivalist +survivals +survivance +survivancy +survivant +survive +survived +surviver +survivers +survives +surviving +survivor +survivoress +survivors +survivorship +surwan +sus +susan +susanchite +susanee +susanna +susanne +susannite +susans +suscept +susceptance +susceptibility +susceptibilities +susceptible +susceptibleness +susceptibly +susception +susceptive +susceptiveness +susceptivity +susceptor +suscipient +suscitate +suscitation +suscite +sushi +susi +susian +susianian +susie +suslik +susliks +susotoxin +suspect +suspectable +suspected +suspectedly +suspectedness +suspecter +suspectful +suspectfulness +suspectible +suspecting +suspection +suspectless +suspector +suspects +suspend +suspended +suspender +suspenderless +suspenders +suspendibility +suspendible +suspending +suspends +suspensation +suspense +suspenseful +suspensefulness +suspensely +suspenses +suspensibility +suspensible +suspension +suspensions +suspensive +suspensively +suspensiveness +suspensoid +suspensor +suspensory +suspensoria +suspensorial +suspensories +suspensorium +suspercollate +suspicable +suspicion +suspicionable +suspicional +suspicioned +suspicionful +suspicioning +suspicionless +suspicions +suspicious +suspiciously +suspiciousness +suspiral +suspiration +suspiratious +suspirative +suspire +suspired +suspires +suspiring +suspirious +susquehanna +suss +sussex +sussexite +sussexman +sussy +susso +sussultatory +sussultorial +sustain +sustainable +sustained +sustainedly +sustainer +sustaining +sustainingly +sustainment +sustains +sustanedly +sustenance +sustenanceless +sustenant +sustentacula +sustentacular +sustentaculum +sustentate +sustentation +sustentational +sustentative +sustentator +sustention +sustentive +sustentor +sustinent +susu +susuhunan +susuidae +susumu +susurr +susurrant +susurrate +susurrated +susurrating +susurration +susurrations +susurringly +susurrous +susurrus +susurruses +sutaio +suterbery +suterberry +suterberries +suther +sutherlandia +sutile +sutler +sutlerage +sutleress +sutlery +sutlers +sutlership +suto +sutor +sutoria +sutorial +sutorian +sutorious +sutra +sutras +sutta +suttapitaka +suttas +suttee +sutteeism +suttees +sutten +sutter +suttin +suttle +sutu +sutural +suturally +suturation +suture +sutured +sutures +suturing +suu +suum +suwandi +suwarro +suwe +suz +suzan +suzanne +suzerain +suzeraine +suzerains +suzerainship +suzerainty +suzerainties +suzette +suzettes +suzy +suzuki +sv +svabite +svamin +svan +svanetian +svanish +svante +svantovit +svarabhakti +svarabhaktic +svaraj +svarajes +svarajs +svarloka +svastika +svc +svce +svedberg +svedbergs +svelt +svelte +sveltely +svelteness +svelter +sveltest +svengali +svetambara +svgs +sviatonosite +sw +swa +swab +swabbed +swabber +swabberly +swabbers +swabby +swabbie +swabbies +swabbing +swabble +swabian +swabs +swack +swacked +swacken +swacking +swad +swadder +swaddy +swaddish +swaddle +swaddlebill +swaddled +swaddler +swaddles +swaddling +swadeshi +swadeshism +swag +swagbelly +swagbellied +swagbellies +swage +swaged +swager +swagers +swages +swagged +swagger +swaggered +swaggerer +swaggerers +swaggering +swaggeringly +swaggers +swaggi +swaggy +swaggie +swagging +swaggir +swaging +swaglike +swagman +swagmen +swags +swagsman +swagsmen +swahilese +swahili +swahilian +swahilize +sway +swayable +swayableness +swayback +swaybacked +swaybacks +swayed +swayer +swayers +swayful +swaying +swayingly +swail +swayless +swails +swaimous +swain +swainish +swainishness +swainmote +swains +swainship +swainsona +swaird +sways +swale +swaler +swales +swaling +swalingly +swallet +swallo +swallow +swallowable +swallowed +swallower +swallowing +swallowlike +swallowling +swallowpipe +swallows +swallowtail +swallowtailed +swallowtails +swallowwort +swam +swami +swamy +swamies +swamis +swamp +swampable +swampberry +swampberries +swamped +swamper +swampers +swamphen +swampy +swampier +swampiest +swampine +swampiness +swamping +swampish +swampishness +swampland +swampless +swamps +swampside +swampweed +swampwood +swan +swandown +swanflower +swang +swangy +swanherd +swanherds +swanhood +swanimote +swank +swanked +swankey +swanker +swankest +swanky +swankie +swankier +swankiest +swankily +swankiness +swanking +swankness +swankpot +swanks +swanlike +swanmark +swanmarker +swanmarking +swanmote +swanneck +swannecked +swanned +swanner +swannery +swanneries +swannet +swanny +swanning +swannish +swanpan +swanpans +swans +swansdown +swanskin +swanskins +swantevit +swanweed +swanwort +swap +swape +swapped +swapper +swappers +swapping +swaps +swaraj +swarajes +swarajism +swarajist +swarbie +sward +swarded +swardy +swarding +swards +sware +swarf +swarfer +swarfs +swarga +swarm +swarmed +swarmer +swarmers +swarmy +swarming +swarmingness +swarms +swarry +swart +swartback +swarth +swarthy +swarthier +swarthiest +swarthily +swarthiness +swarthness +swarths +swarty +swartish +swartly +swartness +swartrutter +swartrutting +swartzbois +swartzia +swartzite +swarve +swash +swashbuckle +swashbuckler +swashbucklerdom +swashbucklery +swashbucklering +swashbucklers +swashbuckling +swashed +swasher +swashers +swashes +swashy +swashing +swashingly +swashway +swashwork +swastica +swasticas +swastika +swastikaed +swastikas +swat +swatch +swatchel +swatcher +swatches +swatchway +swath +swathable +swathband +swathe +swatheable +swathed +swather +swathers +swathes +swathy +swathing +swaths +swati +swatow +swats +swatted +swatter +swatters +swatting +swattle +swaver +swazi +swaziland +sweal +sweamish +swear +swearer +swearers +swearing +swearingly +swears +swearword +sweat +sweatband +sweatbox +sweatboxes +sweated +sweater +sweaters +sweatful +sweath +sweathouse +sweaty +sweatier +sweatiest +sweatily +sweatiness +sweating +sweatless +sweatproof +sweats +sweatshirt +sweatshop +sweatshops +sweatweed +swede +sweden +swedenborgian +swedenborgianism +swedenborgism +swedes +swedge +swedger +swedish +swedru +sweeny +sweenies +sweens +sweep +sweepable +sweepage +sweepback +sweepboard +sweepdom +sweeper +sweeperess +sweepers +sweepforward +sweepy +sweepier +sweepiest +sweeping +sweepingly +sweepingness +sweepings +sweeps +sweepstake +sweepstakes +sweepup +sweepwasher +sweepwashings +sweer +sweered +sweert +sweese +sweeswee +sweet +sweetbells +sweetberry +sweetbread +sweetbreads +sweetbriar +sweetbrier +sweetbriery +sweetbriers +sweetclover +sweeten +sweetened +sweetener +sweeteners +sweetening +sweetenings +sweetens +sweeter +sweetest +sweetfish +sweetful +sweetheart +sweetheartdom +sweethearted +sweetheartedness +sweethearting +sweethearts +sweetheartship +sweety +sweetie +sweeties +sweetiewife +sweeting +sweetings +sweetish +sweetishly +sweetishness +sweetkins +sweetleaf +sweetless +sweetly +sweetlike +sweetling +sweetmaker +sweetman +sweetmeal +sweetmeat +sweetmeats +sweetmouthed +sweetness +sweetroot +sweets +sweetshop +sweetsome +sweetsop +sweetsops +sweetwater +sweetweed +sweetwood +sweetwort +swego +swelchie +swell +swellage +swelldom +swelldoodle +swelled +sweller +swellest +swellfish +swellfishes +swellhead +swellheaded +swellheadedness +swellheads +swelly +swelling +swellings +swellish +swellishness +swellmobsman +swellness +swells +swelltoad +swelp +swelt +swelter +sweltered +swelterer +sweltering +swelteringly +swelters +swelth +swelty +sweltry +sweltrier +sweltriest +swep +swept +sweptback +sweptwing +swerd +swertia +swervable +swerve +swerved +swerveless +swerver +swervers +swerves +swervily +swerving +sweven +swevens +swy +swick +swidden +swidge +swietenia +swift +swiften +swifter +swifters +swiftest +swiftfoot +swifty +swiftian +swiftie +swiftlet +swiftly +swiftlier +swiftliest +swiftlike +swiftness +swifts +swig +swigged +swigger +swiggers +swigging +swiggle +swigs +swile +swilkie +swill +swillbelly +swillbowl +swilled +swiller +swillers +swilling +swillpot +swills +swilltub +swim +swimbel +swimy +swimmable +swimmer +swimmeret +swimmerette +swimmers +swimmy +swimmier +swimmiest +swimmily +swimminess +swimming +swimmingly +swimmingness +swimmings +swimmist +swims +swimsuit +swimsuits +swinburnesque +swinburnian +swindle +swindleable +swindled +swindledom +swindler +swindlery +swindlers +swindlership +swindles +swindling +swindlingly +swine +swinebread +swinecote +swinehead +swineherd +swineherdship +swinehood +swinehull +swiney +swinely +swinelike +swinepipe +swinepox +swinepoxes +swinery +swinesty +swinestone +swing +swingable +swingably +swingaround +swingback +swingboat +swingdevil +swingdingle +swinge +swinged +swingeing +swingeingly +swingel +swingeour +swinger +swingers +swinges +swingy +swingier +swingiest +swinging +swingingly +swingism +swingknife +swingle +swinglebar +swingled +swingles +swingletail +swingletree +swingling +swingman +swingometer +swings +swingstock +swingtree +swinish +swinishly +swinishness +swink +swinked +swinker +swinking +swinks +swinney +swinneys +swipe +swiped +swiper +swipes +swipy +swiping +swiple +swiples +swipper +swipple +swipples +swird +swire +swirl +swirled +swirly +swirlier +swirliest +swirling +swirlingly +swirls +swirrer +swirring +swish +swished +swisher +swishers +swishes +swishy +swishier +swishiest +swishing +swishingly +swiss +swisser +swisses +swissess +swissing +switch +switchable +switchback +switchbacker +switchbacks +switchblade +switchblades +switchboard +switchboards +switched +switchel +switcher +switcheroo +switchers +switches +switchgear +switchgirl +switchy +switchyard +switching +switchings +switchkeeper +switchlike +switchman +switchmen +switchover +switchtail +swith +swithe +swythe +swithen +swither +swithered +swithering +swithers +swithin +swithly +switzer +switzeress +switzerland +swive +swived +swivel +swiveled +swiveleye +swiveleyed +swiveling +swivelled +swivellike +swivelling +swivels +swiveltail +swiver +swives +swivet +swivets +swivetty +swiving +swiwet +swiz +swizz +swizzle +swizzled +swizzler +swizzlers +swizzles +swizzling +swleaves +swob +swobbed +swobber +swobbers +swobbing +swobs +swollen +swollenly +swollenness +swoln +swom +swonk +swonken +swoon +swooned +swooner +swooners +swoony +swooning +swooningly +swoons +swoop +swooped +swooper +swoopers +swooping +swoops +swoopstake +swoose +swooses +swoosh +swooshed +swooshes +swooshing +swop +swopped +swopping +swops +sword +swordbearer +swordbill +swordcraft +sworded +sworder +swordfish +swordfishery +swordfisherman +swordfishes +swordfishing +swordgrass +swordick +swording +swordknot +swordless +swordlet +swordlike +swordmaker +swordmaking +swordman +swordmanship +swordmen +swordplay +swordplayer +swordproof +swords +swordslipper +swordsman +swordsmanship +swordsmen +swordsmith +swordster +swordstick +swordswoman +swordtail +swordweed +swore +sworn +swosh +swot +swots +swotted +swotter +swotters +swotting +swough +swoun +swound +swounded +swounding +swounds +swouned +swouning +swouns +swow +swum +swung +swungen +swure +szaibelyite +szekler +szlachta +szopelka +t +ta +taa +taal +taalbond +taar +taata +tab +tabac +tabacco +tabacin +tabacism +tabacosis +tabacum +tabagie +tabagism +taband +tabanid +tabanidae +tabanids +tabaniform +tabanuco +tabanus +tabard +tabarded +tabardillo +tabards +tabaret +tabarets +tabasco +tabasheer +tabashir +tabatiere +tabaxir +tabbarea +tabbed +tabber +tabby +tabbied +tabbies +tabbying +tabbinet +tabbing +tabbis +tabbises +tabebuia +tabefaction +tabefy +tabel +tabella +tabellaria +tabellariaceae +tabellion +taber +taberdar +tabered +tabering +taberna +tabernacle +tabernacled +tabernacler +tabernacles +tabernacling +tabernacular +tabernae +tabernaemontana +tabernariae +tabers +tabes +tabescence +tabescent +tabet +tabetic +tabetics +tabetiform +tabetless +tabi +tabic +tabid +tabidly +tabidness +tabific +tabifical +tabinet +tabira +tabis +tabitha +tabitude +tabla +tablas +tablature +table +tableau +tableaus +tableaux +tablecloth +tableclothy +tablecloths +tableclothwise +tabled +tablefellow +tablefellowship +tableful +tablefuls +tablehopped +tablehopping +tableity +tableland +tablelands +tableless +tablelike +tablemaid +tablemaker +tablemaking +tableman +tablemate +tablement +tablemount +tabler +tables +tablesful +tablespoon +tablespoonful +tablespoonfuls +tablespoons +tablespoonsful +tablet +tabletary +tableted +tableting +tabletop +tabletops +tablets +tabletted +tabletting +tableware +tablewise +tablier +tablina +tabling +tablinum +tablita +tabloid +tabloids +tabog +taboo +tabooed +tabooing +tabooism +tabooist +taboos +taboot +taboparalysis +taboparesis +taboparetic +tabophobia +tabor +tabored +taborer +taborers +taboret +taborets +taborin +taborine +taborines +taboring +taborins +taborite +tabors +tabour +taboured +tabourer +tabourers +tabouret +tabourets +tabourin +tabourine +tabouring +tabours +tabret +tabriz +tabs +tabstop +tabstops +tabu +tabued +tabuing +tabula +tabulable +tabulae +tabular +tabulare +tabulary +tabularia +tabularisation +tabularise +tabularised +tabularising +tabularium +tabularization +tabularize +tabularized +tabularizing +tabularly +tabulata +tabulate +tabulated +tabulates +tabulating +tabulation +tabulations +tabulator +tabulatory +tabulators +tabule +tabuliform +tabus +tabut +tacahout +tacamahac +tacamahaca +tacamahack +tacan +tacana +tacanan +tacca +taccaceae +taccaceous +taccada +tace +taces +tacet +tach +tachardia +tachardiinae +tache +tacheless +tacheography +tacheometer +tacheometry +tacheometric +taches +tacheture +tachhydrite +tachi +tachyauxesis +tachyauxetic +tachibana +tachycardia +tachycardiac +tachygen +tachygenesis +tachygenetic +tachygenic +tachyglossal +tachyglossate +tachyglossidae +tachyglossus +tachygraph +tachygrapher +tachygraphy +tachygraphic +tachygraphical +tachygraphically +tachygraphist +tachygraphometer +tachygraphometry +tachyhydrite +tachyiatry +tachylalia +tachylite +tachylyte +tachylytic +tachymeter +tachymetry +tachymetric +tachina +tachinaria +tachinarian +tachinid +tachinidae +tachinids +tachiol +tachyon +tachyphagia +tachyphasia +tachyphemia +tachyphylactic +tachyphylaxia +tachyphylaxis +tachyphrasia +tachyphrenia +tachypnea +tachypneic +tachypnoea +tachypnoeic +tachyscope +tachyseism +tachysystole +tachism +tachisme +tachisms +tachist +tachiste +tachysterol +tachistes +tachistoscope +tachistoscopic +tachistoscopically +tachists +tachytely +tachytelic +tachythanatous +tachytype +tachytomy +tachogram +tachograph +tachometer +tachometers +tachometry +tachometric +tachophobia +tachoscope +tachs +tacit +tacitean +tacitly +tacitness +taciturn +taciturnist +taciturnity +taciturnities +taciturnly +tack +tackboard +tacked +tackey +tacker +tackers +tacket +tacketed +tackety +tackets +tacky +tackier +tackies +tackiest +tackify +tackified +tackifier +tackifies +tackifying +tackily +tackiness +tacking +tackingly +tackle +tackled +tackleless +tackleman +tackler +tacklers +tackles +tackless +tackling +tacklings +tackproof +tacks +tacksman +tacksmen +taclocus +tacmahack +tacnode +tacnodes +taco +tacoma +taconian +taconic +taconite +taconites +tacos +tacpoint +tacso +tacsonia +tact +tactable +tactful +tactfully +tactfulness +tactic +tactical +tactically +tactician +tacticians +tactics +tactile +tactilely +tactilist +tactility +tactilities +tactilogical +tactinvariant +taction +tactions +tactite +tactive +tactless +tactlessly +tactlessness +tactoid +tactometer +tactor +tactosol +tacts +tactual +tactualist +tactuality +tactually +tactus +tacuacine +taculli +tad +tadbhava +tade +tadjik +tadousac +tadpole +tadpoledom +tadpolehood +tadpolelike +tadpoles +tadpolism +tads +tae +tael +taels +taen +taenia +taeniacidal +taeniacide +taeniada +taeniae +taeniafuge +taenial +taenian +taenias +taeniasis +taeniata +taeniate +taenicide +taenidia +taenidial +taenidium +taeniform +taenifuge +taeniiform +taeninidia +taeniobranchia +taeniobranchiate +taeniodonta +taeniodontia +taeniodontidae +taenioglossa +taenioglossate +taenioid +taeniola +taeniosome +taeniosomi +taeniosomous +taenite +taennin +taetsia +taffarel +taffarels +tafferel +tafferels +taffeta +taffetas +taffety +taffetized +taffy +taffia +taffias +taffies +taffylike +taffymaker +taffymaking +taffywise +taffle +taffrail +taffrails +tafia +tafias +tafinagh +taft +tafwiz +tag +tagabilis +tagakaolo +tagal +tagala +tagalize +tagalo +tagalog +tagalogs +tagalong +tagalongs +tagasaste +tagassu +tagassuidae +tagatose +tagaur +tagbanua +tagboard +tagboards +tagel +tagetes +tagetol +tagetone +tagged +tagger +taggers +taggy +tagging +taggle +taghairm +taghlik +tagilite +tagish +taglet +taglia +tagliacotian +tagliacozzian +tagliarini +tagliatelle +taglike +taglioni +taglock +tagmeme +tagmemes +tagmemic +tagmemics +tagnicati +tagrag +tagraggery +tagrags +tags +tagsore +tagster +tagtail +tagua +taguan +tagula +tagus +tagwerk +taha +tahali +tahami +tahanun +tahar +taharah +taheen +tahgook +tahil +tahin +tahina +tahiti +tahitian +tahitians +tahkhana +tahltan +tahona +tahr +tahrs +tahseeldar +tahsil +tahsildar +tahsils +tahsin +tahua +tai +tay +taiaha +tayassu +tayassuid +tayassuidae +taich +tayer +taig +taiga +taigas +taygeta +taiglach +taigle +taiglesome +taihoa +taiyal +tayir +taikhana +taikih +taikun +tail +tailage +tailback +tailbacks +tailband +tailboard +tailbone +tailbones +tailcoat +tailcoated +tailcoats +tailed +tailender +tailer +tailers +tailet +tailfan +tailfirst +tailflower +tailforemost +tailgate +tailgated +tailgater +tailgates +tailgating +tailge +tailgunner +tailhead +taily +tailye +tailing +tailings +taille +tailles +tailless +taillessly +taillessness +tailleur +taillie +taillight +taillights +taillike +tailloir +tailor +taylor +tailorage +tailorbird +tailorcraft +tailordom +tailored +tailoress +tailorhood +tailory +tailoring +tailorism +taylorism +taylorite +tailorization +tailorize +taylorize +tailorless +tailorly +tailorlike +tailorman +tailors +tailorship +tailorwise +tailpiece +tailpin +tailpipe +tailpipes +tailplane +tailrace +tailraces +tails +tailshaft +tailsheet +tailskid +tailskids +tailsman +tailspin +tailspins +tailstock +tailte +tailward +tailwards +tailwater +tailwind +tailwinds +tailwise +tailzee +tailzie +tailzied +taimen +taimyrite +tain +tainan +taino +tainos +tains +taint +taintable +tainte +tainted +taintedness +tainting +taintless +taintlessly +taintlessness +taintment +taintor +taintproof +taints +tainture +taintworm +tainui +taipan +taipans +taipei +taipi +taiping +taipo +tayra +tairge +tairger +tairn +tayrona +taysaam +taisch +taise +taish +taisho +taysmm +taissle +taistrel +taistril +tait +taiver +taivers +taivert +taiwan +taiwanese +taiwanhemp +taj +tajes +tajik +tajiki +taka +takable +takahe +takahes +takayuki +takamaka +takao +takar +take +takeable +takeaway +taked +takedown +takedownable +takedowns +takeful +takeing +takelma +taken +takeoff +takeoffs +takeout +takeouts +takeover +takeovers +taker +takers +takes +taketh +takeuchi +takhaar +takhtadjy +taky +takilman +takin +taking +takingly +takingness +takings +takins +takyr +takitumu +takkanah +takosis +takrouri +takt +taku +tal +tala +talabon +talahib +talaing +talayot +talayoti +talaje +talak +talalgia +talamanca +talamancan +talanton +talao +talapoin +talapoins +talar +talari +talaria +talaric +talars +talas +talbot +talbotype +talbotypist +talc +talced +talcer +talcher +talcing +talck +talcked +talcky +talcking +talclike +talcochlorite +talcoid +talcomicaceous +talcose +talcous +talcs +talcum +talcums +tald +tale +talebearer +talebearers +talebearing +talebook +talecarrier +talecarrying +taled +taleful +talegalla +talegallinae +talegallus +taleysim +talemaster +talemonger +talemongering +talent +talented +talenter +talenting +talentless +talents +talepyet +taler +talers +tales +talesman +talesmen +taleteller +taletelling +talewise +tali +taliacotian +taliage +taliation +taliera +taligrade +talinum +talio +talion +talionic +talionis +talions +talipat +taliped +talipedic +talipeds +talipes +talipomanus +talipot +talipots +talis +talisay +talishi +talyshin +talisman +talismanic +talismanical +talismanically +talismanist +talismanni +talismans +talite +talitha +talitol +talk +talkability +talkable +talkathon +talkative +talkatively +talkativeness +talked +talkee +talker +talkers +talkfest +talkful +talky +talkie +talkier +talkies +talkiest +talkiness +talking +talkings +talks +talkworthy +tall +tallage +tallageability +tallageable +tallaged +tallages +tallaging +tallahassee +tallaisim +tallaism +tallapoi +tallate +tallboy +tallboys +tallegalane +taller +tallero +talles +tallest +tallet +talli +tally +talliable +talliage +talliar +talliate +talliated +talliating +talliatum +tallied +tallier +talliers +tallies +tallyho +tallyhoed +tallyhoing +tallyhos +tallying +tallyman +tallymanship +tallymen +tallis +tallish +tallyshop +tallit +tallith +tallithes +tallithim +tallitoth +tallywag +tallywalka +tallywoman +tallywomen +tallness +tallnesses +talloel +tallol +tallols +tallote +tallow +tallowberry +tallowberries +tallowed +tallower +tallowy +tallowiness +tallowing +tallowish +tallowlike +tallowmaker +tallowmaking +tallowman +tallowroot +tallows +tallowweed +tallowwood +tallwood +talma +talmas +talmouse +talmud +talmudic +talmudical +talmudism +talmudist +talmudistic +talmudistical +talmudists +talmudization +talmudize +talocalcaneal +talocalcanean +talocrural +talofibular +talon +talonavicular +taloned +talonic +talonid +talons +talooka +talookas +taloscaphoid +talose +talotibial +talpa +talpacoti +talpatate +talpetate +talpicide +talpid +talpidae +talpify +talpiform +talpine +talpoid +talshide +taltarum +talter +talthib +taltushtuntude +taluche +taluhet +taluk +taluka +talukas +talukdar +talukdari +taluks +talus +taluses +taluto +talwar +talweg +talwood +tam +tama +tamability +tamable +tamableness +tamably +tamaceae +tamachek +tamacoare +tamal +tamale +tamales +tamals +tamanac +tamanaca +tamanaco +tamandu +tamandua +tamanduas +tamanduy +tamandus +tamanoas +tamanoir +tamanowus +tamanu +tamara +tamarack +tamaracks +tamaraite +tamarao +tamaraos +tamarau +tamaraus +tamaricaceae +tamaricaceous +tamarin +tamarind +tamarinds +tamarindus +tamarins +tamarisk +tamarisks +tamarix +tamaroa +tamas +tamasha +tamashas +tamashek +tamasic +tamaulipecan +tambac +tambacs +tambala +tambalas +tambaroora +tamber +tambo +tamboo +tambookie +tambor +tambouki +tambour +tamboura +tambouras +tamboured +tambourer +tambouret +tambourgi +tambourin +tambourinade +tambourine +tambourines +tambouring +tambourins +tambourist +tambours +tambreet +tambuki +tambur +tambura +tamburan +tamburas +tamburello +tamburitza +tamburone +tamburs +tame +tameability +tameable +tameableness +tamed +tamehearted +tameheartedness +tamein +tameins +tameless +tamelessly +tamelessness +tamely +tamenes +tameness +tamenesses +tamer +tamerlanism +tamers +tames +tamest +tamias +tamidine +tamil +tamilian +tamilic +tamine +taming +taminy +tamis +tamise +tamises +tamlung +tammany +tammanial +tammanyism +tammanyite +tammanyize +tammanize +tammar +tammy +tammie +tammies +tammock +tammuz +tamoyo +tamonea +tamp +tampa +tampala +tampalas +tampan +tampang +tampans +tamped +tamper +tampered +tamperer +tamperers +tampering +tamperproof +tampers +tampin +tamping +tampion +tampioned +tampions +tampoe +tampoy +tampon +tamponade +tamponage +tamponed +tamponing +tamponment +tampons +tampoon +tamps +tampur +tams +tamul +tamulian +tamulic +tamure +tamus +tamworth +tamzine +tan +tana +tanacetyl +tanacetin +tanacetone +tanacetum +tanach +tanadar +tanager +tanagers +tanagra +tanagraean +tanagridae +tanagrine +tanagroid +tanaidacea +tanaist +tanak +tanaka +tanala +tanan +tanbark +tanbarks +tanbur +tancel +tanchelmian +tanchoir +tandan +tandava +tandem +tandemer +tandemist +tandemize +tandems +tandemwise +tandy +tandle +tandoor +tandoori +tandour +tandsticka +tandstickor +tane +tanega +tanekaha +tang +tanga +tangaloa +tangalung +tangantangan +tangaridae +tangaroa +tangaroan +tanged +tangeite +tangelo +tangelos +tangence +tangences +tangency +tangencies +tangent +tangental +tangentally +tangential +tangentiality +tangentially +tangently +tangents +tanger +tangerine +tangerines +tangfish +tangfishes +tangham +tanghan +tanghin +tanghinia +tanghinin +tangi +tangy +tangibile +tangibility +tangible +tangibleness +tangibles +tangibly +tangie +tangier +tangiest +tangile +tangilin +tanginess +tanging +tangipahoa +tangka +tanglad +tangle +tangleberry +tangleberries +tangled +tanglefish +tanglefishes +tanglefoot +tanglehead +tanglement +tangleproof +tangler +tangleroot +tanglers +tangles +tanglesome +tangless +tanglewrack +tangly +tanglier +tangliest +tangling +tanglingly +tango +tangoed +tangoing +tangoreceptor +tangos +tangram +tangrams +tangs +tangue +tanguile +tanguin +tangum +tangun +tangut +tanh +tanha +tanhouse +tania +tanya +tanyard +tanyards +tanica +tanier +taniko +taniness +tanyoan +tanist +tanistic +tanystomata +tanystomatous +tanystome +tanistry +tanistries +tanists +tanistship +tanite +tanitic +tanjib +tanjong +tank +tanka +tankage +tankages +tankah +tankard +tankards +tankas +tanked +tanker +tankerabogus +tankers +tankert +tankette +tankful +tankfuls +tankie +tanking +tankka +tankle +tankless +tanklike +tankmaker +tankmaking +tankman +tankodrome +tankroom +tanks +tankship +tankships +tankwise +tanling +tanna +tannable +tannadar +tannage +tannages +tannaic +tannaim +tannaitic +tannalbin +tannase +tannate +tannates +tanned +tanner +tannery +tanneries +tanners +tannest +tannhauser +tanny +tannic +tannid +tannide +tanniferous +tannigen +tannyl +tannin +tannined +tanning +tannings +tanninlike +tannins +tannish +tannocaffeic +tannogallate +tannogallic +tannogelatin +tannogen +tannoid +tannometer +tano +tanoa +tanoan +tanproof +tanquam +tanquelinian +tanquen +tanrec +tanrecs +tans +tansey +tansel +tansy +tansies +tanstuff +tantadlin +tantafflin +tantalate +tantalean +tantalian +tantalic +tantaliferous +tantalifluoride +tantalisation +tantalise +tantalised +tantaliser +tantalising +tantalisingly +tantalite +tantalization +tantalize +tantalized +tantalizer +tantalizers +tantalizes +tantalizing +tantalizingly +tantalizingness +tantalofluoride +tantalous +tantalum +tantalums +tantalus +tantaluses +tantamount +tantara +tantarabobus +tantarara +tantaras +tantawy +tanti +tantieme +tantivy +tantivies +tantle +tanto +tantony +tantra +tantras +tantric +tantrik +tantrism +tantrist +tantrum +tantrums +tantum +tanwood +tanworks +tanzania +tanzanian +tanzanians +tanzanite +tanzeb +tanzy +tanzib +tanzine +tao +taoiya +taoyin +taoism +taoist +taoistic +taoists +taonurus +taos +taotai +tap +tapa +tapachula +tapachulteca +tapacolo +tapaculo +tapaculos +tapacura +tapadera +tapaderas +tapadero +tapaderos +tapayaxin +tapajo +tapalo +tapalos +tapamaker +tapamaking +tapas +tapasvi +tape +tapeats +tapecopy +taped +tapedrives +tapeinocephaly +tapeinocephalic +tapeinocephalism +tapeless +tapelike +tapeline +tapelines +tapemaker +tapemaking +tapeman +tapemarks +tapemen +tapemove +tapen +taper +taperbearer +tapered +taperer +taperers +tapery +tapering +taperingly +taperly +tapermaker +tapermaking +taperness +tapers +taperstick +taperwise +tapes +tapesium +tapester +tapestry +tapestried +tapestries +tapestrying +tapestrylike +tapestring +tapet +tapeta +tapetal +tapete +tapeti +tapetis +tapetless +tapetta +tapetum +tapework +tapeworm +tapeworms +taphephobia +taphole +tapholes +taphouse +taphouses +taphria +taphrina +taphrinaceae +tapia +tapidero +tapijulapane +tapinceophalism +taping +tapings +tapinocephaly +tapinocephalic +tapinoma +tapinophoby +tapinophobia +tapinosis +tapioca +tapiocas +tapiolite +tapir +tapiridae +tapiridian +tapirine +tapiro +tapiroid +tapirs +tapirus +tapis +tapiser +tapises +tapism +tapisser +tapissery +tapisserie +tapissier +tapist +tapit +taplash +tapleyism +taplet +tapling +tapmost +tapnet +tapoa +taposa +tapotement +tapoun +tappa +tappable +tappableness +tappall +tappaul +tapped +tappen +tapper +tapperer +tappers +tappertitian +tappet +tappets +tappietoorie +tapping +tappings +tappish +tappit +tappoon +taprobane +taproom +taprooms +taproot +taprooted +taproots +taps +tapsalteerie +tapsman +tapster +tapsterly +tapsterlike +tapsters +tapstress +tapu +tapuya +tapuyan +tapuyo +tapul +tapwort +taqlid +taqua +tar +tara +tarabooka +taracahitian +taradiddle +taraf +tarafdar +tarage +tarahumar +tarahumara +tarahumare +tarahumari +tarai +tarairi +tarakihi +taraktogenos +taramasalata +taramellite +taramembe +taranchi +tarand +tarandean +tarandian +tarantara +tarantarize +tarantas +tarantases +tarantass +tarantella +tarantelle +tarantism +tarantist +tarantula +tarantulae +tarantular +tarantulary +tarantulas +tarantulated +tarantulid +tarantulidae +tarantulism +tarantulite +tarantulous +tarapatch +taraph +tarapin +tarapon +tarasc +tarascan +tarasco +tarassis +tarata +taratah +taratantara +taratantarize +tarau +taraxacerin +taraxacin +taraxacum +tarazed +tarbadillo +tarbagan +tarbet +tarble +tarboard +tarbogan +tarboggin +tarboy +tarboosh +tarbooshed +tarbooshes +tarbox +tarbrush +tarbush +tarbushes +tarbuttite +tarcel +tarchon +tardamente +tardando +tardant +tarde +tardenoisian +tardy +tardier +tardies +tardiest +tardigrada +tardigrade +tardigradous +tardily +tardiloquent +tardiloquy +tardiloquous +tardiness +tardity +tarditude +tardive +tardle +tardo +tare +tarea +tared +tarefa +tarefitch +tarentala +tarente +tarentine +tarentism +tarentola +tarepatch +tareq +tares +tarfa +tarflower +targe +targed +targeman +targer +targes +target +targeted +targeteer +targetier +targeting +targetless +targetlike +targetman +targets +targetshooter +targing +targum +targumic +targumical +targumist +targumistic +targumize +tarheel +tarheeler +tarhood +tari +tariana +taryard +taryba +tarie +tariff +tariffable +tariffed +tariffication +tariffing +tariffism +tariffist +tariffite +tariffize +tariffless +tariffs +tarin +taring +tariqa +tariqat +tariri +tariric +taririnic +tarish +tarkalani +tarkani +tarkashi +tarkeean +tarkhan +tarlatan +tarlataned +tarlatans +tarleather +tarletan +tarletans +tarlies +tarlike +tarltonize +tarmac +tarmacadam +tarmacs +tarman +tarmi +tarmined +tarmosined +tarn +tarnal +tarnally +tarnation +tarnish +tarnishable +tarnished +tarnisher +tarnishes +tarnishing +tarnishment +tarnishproof +tarnkappe +tarnlike +tarns +tarnside +taro +taroc +tarocco +tarocs +tarogato +tarogatos +tarok +taroks +taropatch +taros +tarot +tarots +tarp +tarpan +tarpans +tarpaper +tarpapered +tarpapers +tarpaulian +tarpaulin +tarpaulinmaker +tarpaulins +tarpeia +tarpeian +tarpon +tarpons +tarpot +tarps +tarpum +tarquin +tarquinish +tarr +tarraba +tarrack +tarradiddle +tarradiddler +tarragon +tarragona +tarragons +tarras +tarrass +tarrateen +tarratine +tarre +tarred +tarrer +tarres +tarri +tarry +tarriance +tarrie +tarried +tarrier +tarriers +tarries +tarriest +tarrify +tarryiest +tarrying +tarryingly +tarryingness +tarrily +tarriness +tarring +tarrish +tarrock +tarrow +tars +tarsadenitis +tarsal +tarsale +tarsalgia +tarsalia +tarsals +tarse +tarsectomy +tarsectopia +tarsi +tarsia +tarsias +tarsier +tarsiers +tarsiidae +tarsioid +tarsipedidae +tarsipedinae +tarsipes +tarsitis +tarsius +tarsochiloplasty +tarsoclasis +tarsomalacia +tarsome +tarsometatarsal +tarsometatarsi +tarsometatarsus +tarsonemid +tarsonemidae +tarsonemus +tarsophalangeal +tarsophyma +tarsoplasia +tarsoplasty +tarsoptosis +tarsorrhaphy +tarsotarsal +tarsotibal +tarsotomy +tarsus +tart +tartago +tartan +tartana +tartanas +tartane +tartans +tartar +tartarated +tartare +tartarean +tartareous +tartaret +tartary +tartarian +tartaric +tartarin +tartarine +tartarish +tartarism +tartarization +tartarize +tartarized +tartarizing +tartarly +tartarlike +tartarology +tartarous +tartarproof +tartars +tartarum +tartarus +tarte +tarted +tartemorion +tarten +tarter +tartest +tartine +tarting +tartish +tartishly +tartishness +tartle +tartlet +tartlets +tartly +tartness +tartnesses +tartralic +tartramate +tartramic +tartramid +tartramide +tartrate +tartrated +tartrates +tartratoferric +tartrazin +tartrazine +tartrazinic +tartrelic +tartryl +tartrylic +tartro +tartronate +tartronic +tartronyl +tartronylurea +tartrous +tarts +tartufe +tartufery +tartufes +tartuffe +tartuffery +tartuffes +tartuffian +tartuffish +tartuffishly +tartuffism +tartufian +tartufish +tartufishly +tartufism +tartwoman +tartwomen +taruma +tarumari +tarve +tarvia +tarweed +tarweeds +tarwhine +tarwood +tarworks +tarzan +tarzanish +tarzans +tas +tasajillo +tasajillos +tasajo +tasbih +tascal +tasco +taseometer +tash +tasheriff +tashie +tashlik +tashnagist +tashnakist +tashreef +tashrif +tasian +tasimeter +tasimetry +tasimetric +task +taskage +tasked +tasker +tasking +taskit +taskless +tasklike +taskmaster +taskmasters +taskmastership +taskmistress +tasks +tasksetter +tasksetting +taskwork +taskworks +taslet +tasmanian +tasmanite +tass +tassago +tassah +tassal +tassard +tasse +tassel +tasseled +tasseler +tasselet +tasselfish +tassely +tasseling +tasselled +tasseller +tasselly +tasselling +tassellus +tasselmaker +tasselmaking +tassels +tasser +tasses +tasset +tassets +tassie +tassies +tassoo +tastable +tastableness +tastably +taste +tasteable +tasteableness +tasteably +tastebuds +tasted +tasteful +tastefully +tastefulness +tastekin +tasteless +tastelessly +tastelessness +tastemaker +tasten +taster +tasters +tastes +tasty +tastier +tastiest +tastily +tastiness +tasting +tastingly +tastings +tasu +tat +tatami +tatamis +tatar +tatary +tatarian +tataric +tatarization +tatarize +tataupa +tatbeb +tatchy +tate +tater +taters +tates +tath +tathata +tatian +tatianist +tatie +tatinek +tatler +tatmjolk +tatoo +tatoos +tatou +tatouay +tatouays +tatpurusha +tats +tatsanottine +tatsman +tatta +tatted +tatter +tatterdemalion +tatterdemalionism +tatterdemalionry +tatterdemalions +tattered +tatteredly +tatteredness +tattery +tattering +tatterly +tatters +tattersall +tattersalls +tatterwag +tatterwallop +tatther +tatty +tattie +tattied +tattier +tatties +tattiest +tattily +tattiness +tatting +tattings +tattle +tattled +tattlement +tattler +tattlery +tattlers +tattles +tattletale +tattletales +tattling +tattlingly +tattoo +tattooage +tattooed +tattooer +tattooers +tattooing +tattooist +tattooists +tattooment +tattoos +tattva +tatu +tatuasu +tatukira +tatusia +tatusiidae +tau +taube +tauchnitz +taught +taula +taulch +tauli +taulia +taum +taun +taungthu +taunt +taunted +taunter +taunters +taunting +tauntingly +tauntingness +taunton +tauntress +taunts +taupe +taupes +taupo +taupou +taur +tauranga +taurean +tauri +taurian +tauric +tauricide +tauricornous +taurid +tauridian +tauriferous +tauriform +tauryl +taurylic +taurin +taurine +taurines +taurini +taurite +tauroboly +taurobolia +taurobolium +taurocephalous +taurocholate +taurocholic +taurocol +taurocolla +tauroctonus +taurodont +tauroesque +taurokathapsia +taurolatry +tauromachy +tauromachia +tauromachian +tauromachic +tauromaquia +tauromorphic +tauromorphous +taurophile +taurophobe +taurophobia +tauropolos +taurotragus +taurus +tauruses +taus +taut +tautaug +tautaugs +tauted +tautegory +tautegorical +tauten +tautened +tautening +tautens +tauter +tautest +tauting +tautirite +tautit +tautly +tautness +tautnesses +tautochrone +tautochronism +tautochronous +tautog +tautogs +tautoisomerism +tautology +tautologic +tautological +tautologically +tautologicalness +tautologies +tautologise +tautologised +tautologising +tautologism +tautologist +tautologize +tautologized +tautologizer +tautologizing +tautologous +tautologously +tautomer +tautomeral +tautomery +tautomeric +tautomerism +tautomerizable +tautomerization +tautomerize +tautomerized +tautomerizing +tautomers +tautometer +tautometric +tautometrical +tautomorphous +tautonym +tautonymy +tautonymic +tautonymies +tautonymous +tautonyms +tautoousian +tautoousious +tautophony +tautophonic +tautophonical +tautopody +tautopodic +tautosyllabic +tautotype +tautourea +tautousian +tautousious +tautozonal +tautozonality +tauts +tav +tavast +tavastian +tave +tavell +taver +tavern +taverna +taverner +taverners +tavernize +tavernless +tavernly +tavernlike +tavernous +tavernry +taverns +tavernwards +tavers +tavert +tavestock +tavghi +tavy +tavistockite +tavoy +tavola +tavolatite +tavs +taw +tawa +tawdered +tawdry +tawdrier +tawdries +tawdriest +tawdrily +tawdriness +tawed +tawer +tawery +tawers +tawgi +tawhai +tawhid +tawie +tawyer +tawing +tawite +tawkee +tawkin +tawn +tawney +tawneier +tawneiest +tawneys +tawny +tawnie +tawnier +tawnies +tawniest +tawnily +tawniness +tawnle +tawpi +tawpy +tawpie +tawpies +taws +tawse +tawsed +tawses +tawsing +tawtie +tax +taxa +taxability +taxable +taxableness +taxables +taxably +taxaceae +taxaceous +taxameter +taxaspidean +taxation +taxational +taxations +taxative +taxatively +taxator +taxeater +taxeating +taxed +taxeme +taxemes +taxemic +taxeopod +taxeopoda +taxeopody +taxeopodous +taxer +taxers +taxes +taxgatherer +taxgathering +taxi +taxy +taxiable +taxiarch +taxiauto +taxibus +taxicab +taxicabs +taxicorn +taxidea +taxidermal +taxidermy +taxidermic +taxidermist +taxidermists +taxidermize +taxidriver +taxied +taxies +taxiing +taxying +taximan +taximen +taximeter +taximetered +taxin +taxine +taxing +taxingly +taxinomy +taxinomic +taxinomist +taxiplane +taxir +taxis +taxistand +taxite +taxites +taxitic +taxiway +taxiways +taxless +taxlessly +taxlessness +taxman +taxmen +taxodiaceae +taxodium +taxodont +taxology +taxometer +taxon +taxonomer +taxonomy +taxonomic +taxonomical +taxonomically +taxonomies +taxonomist +taxonomists +taxons +taxor +taxpaid +taxpayer +taxpayers +taxpaying +taxus +taxwax +taxwise +tazeea +tazia +tazza +tazzas +tazze +tb +tbs +tbsp +tbssaraglot +tc +tcawi +tch +tchai +tchaikovsky +tchapan +tcharik +tchast +tche +tcheckup +tcheirek +tcheka +tcherkess +tchervonets +tchervonetz +tchervontzi +tchetchentsish +tchetnitsi +tchetvert +tchi +tchick +tchincou +tchr +tchu +tchwi +tck +td +tdr +te +tea +teaberry +teaberries +teaboard +teaboards +teaboy +teabowl +teabowls +teabox +teaboxes +teacake +teacakes +teacart +teacarts +teach +teachability +teachable +teachableness +teachably +teache +teached +teacher +teacherage +teacherdom +teacheress +teacherhood +teachery +teacherish +teacherless +teacherly +teacherlike +teachers +teachership +teaches +teachy +teaching +teachingly +teachings +teachless +teachment +teacup +teacupful +teacupfuls +teacups +teacupsful +tead +teadish +teaey +teaer +teagardeny +teagle +teague +teagueland +teaguelander +teahouse +teahouses +teaing +teaish +teaism +teak +teakettle +teakettles +teaks +teakwood +teakwoods +teal +tealeafy +tealery +tealess +teallite +teals +team +teamaker +teamakers +teamaking +teaman +teamed +teameo +teamer +teaming +teamland +teamless +teamman +teammate +teammates +teams +teamsman +teamster +teamsters +teamwise +teamwork +teamworks +tean +teanal +teap +teapoy +teapoys +teapot +teapotful +teapots +teapottykin +tear +tearable +tearableness +tearably +tearage +tearcat +teardown +teardowns +teardrop +teardrops +teared +tearer +tearers +tearful +tearfully +tearfulness +teargas +teargases +teargassed +teargasses +teargassing +teary +tearier +teariest +tearily +teariness +tearing +tearingly +tearjerker +tearjerkers +tearless +tearlessly +tearlessness +tearlet +tearlike +tearoom +tearooms +tearpit +tearproof +tears +tearstain +tearstained +teart +tearthroat +tearthumb +teas +teasable +teasableness +teasably +tease +teaseable +teaseableness +teaseably +teased +teasehole +teasel +teaseled +teaseler +teaselers +teaseling +teaselled +teaseller +teasellike +teaselling +teasels +teaselwort +teasement +teaser +teasers +teases +teashop +teashops +teasy +teasiness +teasing +teasingly +teasle +teasler +teaspoon +teaspoonful +teaspoonfuls +teaspoons +teaspoonsful +teat +teataster +teated +teatfish +teathe +teather +teaty +teatime +teatimes +teatlike +teatling +teatman +teats +teave +teaware +teawares +teaze +teazel +teazeled +teazeling +teazelled +teazelling +teazels +teazer +teazle +teazled +teazles +teazling +tebbad +tebbet +tebeldi +tebet +tebeth +tebu +tec +teca +tecali +tecassir +tech +teched +techy +techie +techier +techies +techiest +techily +techiness +techne +technetium +technetronic +technic +technica +technical +technicalism +technicalist +technicality +technicalities +technicalization +technicalize +technically +technicalness +technician +technicians +technicism +technicist +technicology +technicological +technicolor +technicolored +technicon +technics +techniphone +technique +techniquer +techniques +technism +technist +technocausis +technochemical +technochemistry +technocracy +technocracies +technocrat +technocratic +technocrats +technographer +technography +technographic +technographical +technographically +technol +technolithic +technology +technologic +technological +technologically +technologies +technologist +technologists +technologize +technologue +technonomy +technonomic +technopsychology +technostructure +techous +teck +tecla +tecnoctonia +tecnology +teco +tecoma +tecomin +tecon +tecpanec +tecta +tectal +tectibranch +tectibranchia +tectibranchian +tectibranchiata +tectibranchiate +tectiform +tectocephaly +tectocephalic +tectology +tectological +tectona +tectonic +tectonically +tectonics +tectonism +tectorial +tectorium +tectosages +tectosphere +tectospinal +tectospondyli +tectospondylic +tectospondylous +tectrices +tectricial +tectrix +tectum +tecture +tecum +tecuma +tecuna +ted +teda +tedded +tedder +tedders +teddy +teddies +tedding +tedesca +tedescan +tedesche +tedeschi +tedesco +tedge +tediosity +tedious +tediously +tediousness +tediousome +tedisome +tedium +tediums +teds +tee +teecall +teed +teedle +teeing +teel +teem +teemed +teemer +teemers +teemful +teemfulness +teeming +teemingly +teemingness +teemless +teems +teen +teenage +teenaged +teenager +teenagers +teener +teeners +teenet +teenful +teenfully +teenfuls +teeny +teenybopper +teenyboppers +teenie +teenier +teeniest +teenish +teens +teensy +teensier +teensiest +teenty +teentsy +teentsier +teentsiest +teepee +teepees +teer +teerer +tees +teest +teeswater +teet +teetaller +teetan +teetee +teeter +teeterboard +teetered +teeterer +teetery +teetering +teeteringly +teeters +teetertail +teeth +teethache +teethbrush +teethe +teethed +teether +teethers +teethes +teethful +teethy +teethier +teethiest +teethily +teething +teethings +teethless +teethlike +teethridge +teety +teeting +teetotal +teetotaled +teetotaler +teetotalers +teetotaling +teetotalism +teetotalist +teetotalled +teetotaller +teetotally +teetotalling +teetotals +teetotum +teetotumism +teetotumize +teetotums +teetotumwise +teetsook +teevee +teewhaap +tef +teff +teffs +tefillin +teflon +teg +tega +tegean +tegeticula +tegg +tegmen +tegment +tegmenta +tegmental +tegmentum +tegmina +tegminal +tegmine +tegs +tegua +teguas +teguexin +teguguria +teguima +tegula +tegulae +tegular +tegularly +tegulated +tegumen +tegument +tegumenta +tegumental +tegumentary +teguments +tegumentum +tegumina +teguria +tegurium +tehee +teheran +tehseel +tehseeldar +tehsil +tehsildar +tehuantepecan +tehueco +tehuelche +tehuelchean +tehuelet +teian +teicher +teichopsia +teiglach +teiglech +teihte +teiid +teiidae +teiids +teil +teind +teindable +teinder +teinds +teinland +teinoscope +teioid +teiresias +teise +tejano +tejon +teju +tekedye +tekya +tekiah +tekintsi +tekke +tekken +tekkintzi +teknonymy +teknonymous +teknonymously +tektite +tektites +tektitic +tektos +tektosi +tektosil +tektosilicate +tel +tela +telacoustic +telae +telaesthesia +telaesthetic +telakucha +telamon +telamones +telang +telangiectases +telangiectasy +telangiectasia +telangiectasis +telangiectatic +telangiosis +telanthera +telar +telary +telarian +telarly +telautogram +telautograph +telautography +telautographic +telautographist +telautomatic +telautomatically +telautomatics +telchines +telchinic +tele +teleanemograph +teleangiectasia +telebarograph +telebarometer +teleblem +telecamera +telecast +telecasted +telecaster +telecasters +telecasting +telecasts +telechemic +telechirograph +telecinematography +telecode +telecomm +telecommunicate +telecommunication +telecommunicational +telecommunications +telecomputer +telecomputing +telecon +teleconference +telecourse +telecryptograph +telectrograph +telectroscope +teledendrion +teledendrite +teledendron +teledu +teledus +telefacsimile +telefilm +telefilms +teleg +telega +telegas +telegenic +telegenically +telegn +telegnosis +telegnostic +telegony +telegonic +telegonies +telegonous +telegraf +telegram +telegrammatic +telegramme +telegrammed +telegrammic +telegramming +telegrams +telegraph +telegraphed +telegraphee +telegrapheme +telegrapher +telegraphers +telegraphese +telegraphy +telegraphic +telegraphical +telegraphically +telegraphics +telegraphing +telegraphist +telegraphists +telegraphone +telegraphonograph +telegraphophone +telegraphoscope +telegraphs +telegu +telehydrobarometer +telei +teleia +teleianthous +teleiosis +telekinematography +telekineses +telekinesis +telekinetic +telekinetically +telelectric +telelectrograph +telelectroscope +telelens +telemachus +teleman +telemanometer +telemark +telemarks +telembi +telemechanic +telemechanics +telemechanism +telemen +telemetacarpal +telemeteorograph +telemeteorography +telemeteorographic +telemeter +telemetered +telemetering +telemeters +telemetry +telemetric +telemetrical +telemetrically +telemetries +telemetrist +telemetrograph +telemetrography +telemetrographic +telemotor +telencephal +telencephala +telencephalic +telencephalla +telencephalon +telencephalons +telenergy +telenergic +teleneurite +teleneuron +telenget +telengiscope +telenomus +teleobjective +teleocephali +teleocephalous +teleoceras +teleodesmacea +teleodesmacean +teleodesmaceous +teleodont +teleology +teleologic +teleological +teleologically +teleologies +teleologism +teleologist +teleometer +teleophyte +teleophobia +teleophore +teleoptile +teleorganic +teleoroentgenogram +teleoroentgenography +teleosaur +teleosaurian +teleosauridae +teleosaurus +teleost +teleostean +teleostei +teleosteous +teleostomate +teleostome +teleostomi +teleostomian +teleostomous +teleosts +teleotemporal +teleotrocha +teleozoic +teleozoon +telepath +telepathy +telepathic +telepathically +telepathies +telepathist +telepathize +teleph +telepheme +telephone +telephoned +telephoner +telephoners +telephones +telephony +telephonic +telephonical +telephonically +telephonics +telephoning +telephonist +telephonists +telephonograph +telephonographic +telephonophobia +telephote +telephoty +telephoto +telephotograph +telephotographed +telephotography +telephotographic +telephotographing +telephotographs +telephotometer +telephus +telepicture +teleplay +teleplays +teleplasm +teleplasmic +teleplastic +teleport +teleportation +teleported +teleporting +teleports +telepost +teleprinter +teleprinters +teleprocessing +teleprompter +teleradiography +teleradiophone +teleran +telerans +telergy +telergic +telergical +telergically +teles +telescope +telescoped +telescopes +telescopy +telescopic +telescopical +telescopically +telescopiform +telescoping +telescopist +telescopium +telescreen +telescribe +telescript +telescriptor +teleseism +teleseismic +teleseismology +teleseme +teleses +telesia +telesis +telesiurgic +telesm +telesmatic +telesmatical +telesmeter +telesomatic +telespectroscope +telestereograph +telestereography +telestereoscope +telesteria +telesterion +telesthesia +telesthetic +telestial +telestic +telestich +teletactile +teletactor +teletape +teletex +teletext +teletherapy +telethermogram +telethermograph +telethermometer +telethermometry +telethermoscope +telethon +telethons +teletype +teletyped +teletyper +teletypes +teletypesetter +teletypesetting +teletypewrite +teletypewriter +teletypewriters +teletypewriting +teletyping +teletypist +teletypists +teletopometer +teletranscription +teletube +teleut +teleuto +teleutoform +teleutosori +teleutosorus +teleutosorusori +teleutospore +teleutosporic +teleutosporiferous +teleview +televiewed +televiewer +televiewing +televiews +televise +televised +televises +televising +television +televisional +televisionally +televisionary +televisions +televisor +televisors +televisual +televocal +televox +telewriter +telex +telexed +telexes +telexing +telfairia +telfairic +telfer +telferage +telfered +telfering +telfers +telford +telfordize +telfordized +telfordizing +telfords +telharmony +telharmonic +telharmonium +teli +telia +telial +telic +telical +telically +teliferous +telyn +telinga +teliosorus +teliospore +teliosporic +teliosporiferous +teliostage +telium +tell +tellable +tellach +tellee +tellen +teller +tellers +tellership +telly +tellies +tellieses +telligraph +tellima +tellin +tellina +tellinacea +tellinacean +tellinaceous +telling +tellingly +tellinidae +tellinoid +tells +tellsome +tellt +telltale +telltalely +telltales +telltruth +tellural +tellurate +telluret +tellureted +tellurethyl +telluretted +tellurhydric +tellurian +telluric +telluride +telluriferous +tellurion +tellurism +tellurist +tellurite +tellurium +tellurize +tellurized +tellurizing +tellurometer +telluronium +tellurous +tellus +telmatology +telmatological +teloblast +teloblastic +telocentric +telodendria +telodendrion +telodendron +telodynamic +teloi +telokinesis +telolecithal +telolemma +telolemmata +telome +telomerization +telomes +telomic +telomitic +telonism +teloogoo +telopea +telophase +telophasic +telophragma +telopsis +teloptic +telos +telosynapsis +telosynaptic +telosynaptist +telotaxis +teloteropathy +teloteropathic +teloteropathically +telotype +telotremata +telotrematous +telotroch +telotrocha +telotrochal +telotrochous +telotrophic +telpath +telpher +telpherage +telphered +telpheric +telphering +telpherman +telphermen +telphers +telpherway +telson +telsonic +telsons +telt +telugu +telurgy +tem +tema +temacha +temadau +temalacatl +teman +temanite +tembe +tembeitera +tembeta +tembetara +temblor +temblores +temblors +tembu +temene +temenos +temerarious +temerariously +temerariousness +temerate +temerity +temerities +temeritous +temerous +temerously +temerousness +temescal +temiak +temin +temiskaming +temne +temnospondyli +temnospondylous +temp +tempe +tempean +tempeh +tempehs +temper +tempera +temperability +temperable +temperably +temperality +temperament +temperamental +temperamentalist +temperamentally +temperamentalness +temperamented +temperaments +temperance +temperas +temperate +temperately +temperateness +temperative +temperature +temperatures +tempered +temperedly +temperedness +temperer +temperers +tempery +tempering +temperish +temperless +tempers +tempersome +tempest +tempested +tempesty +tempestical +tempesting +tempestive +tempestively +tempestivity +tempests +tempestuous +tempestuously +tempestuousness +tempete +tempi +tempyo +templar +templardom +templary +templarism +templarlike +templarlikeness +templars +template +templater +templates +temple +templed +templeful +templeless +templelike +temples +templet +templetonia +templets +templeward +templize +templon +templum +tempo +tempora +temporal +temporale +temporalis +temporalism +temporalist +temporality +temporalities +temporalize +temporally +temporalness +temporals +temporalty +temporalties +temporaneous +temporaneously +temporaneousness +temporary +temporaries +temporarily +temporariness +temporator +tempore +temporisation +temporise +temporised +temporiser +temporising +temporisingly +temporist +temporization +temporize +temporized +temporizer +temporizers +temporizes +temporizing +temporizingly +temporoalar +temporoauricular +temporocentral +temporocerebellar +temporofacial +temporofrontal +temporohyoid +temporomalar +temporomandibular +temporomastoid +temporomaxillary +temporooccipital +temporoparietal +temporopontine +temporosphenoid +temporosphenoidal +temporozygomatic +tempos +tempre +temprely +temps +tempt +temptability +temptable +temptableness +temptation +temptational +temptationless +temptations +temptatious +temptatory +tempted +tempter +tempters +tempting +temptingly +temptingness +temptress +temptresses +tempts +temptsome +tempura +tempuras +tempus +temse +temsebread +temseloaf +temser +temulence +temulency +temulent +temulentive +temulently +ten +tenability +tenable +tenableness +tenably +tenace +tenaces +tenacy +tenacious +tenaciously +tenaciousness +tenacity +tenacities +tenacle +tenacula +tenaculum +tenaculums +tenai +tenail +tenaille +tenailles +tenaillon +tenails +tenaim +tenaktak +tenalgia +tenancy +tenancies +tenant +tenantable +tenantableness +tenanted +tenanter +tenanting +tenantism +tenantless +tenantlike +tenantry +tenantries +tenants +tenantship +tench +tenches +tenchweed +tencteri +tend +tendable +tendance +tendances +tendant +tended +tendejon +tendence +tendences +tendency +tendencies +tendencious +tendenciously +tendenciousness +tendent +tendential +tendentially +tendentious +tendentiously +tendentiousness +tender +tenderability +tenderable +tenderably +tendered +tenderee +tenderer +tenderers +tenderest +tenderfeet +tenderfoot +tenderfootish +tenderfoots +tenderful +tenderfully +tenderheart +tenderhearted +tenderheartedly +tenderheartedness +tendering +tenderisation +tenderise +tenderised +tenderiser +tenderish +tenderising +tenderization +tenderize +tenderized +tenderizer +tenderizers +tenderizes +tenderizing +tenderly +tenderling +tenderloin +tenderloins +tenderness +tenderometer +tenders +tendersome +tendicle +tendido +tendinal +tendineal +tending +tendingly +tendinitis +tendinous +tendinousness +tendment +tendo +tendomucin +tendomucoid +tendon +tendonitis +tendonous +tendons +tendoor +tendoplasty +tendosynovitis +tendotome +tendotomy +tendour +tendovaginal +tendovaginitis +tendrac +tendre +tendrel +tendresse +tendry +tendril +tendriled +tendriliferous +tendrillar +tendrilled +tendrilly +tendrilous +tendrils +tendron +tends +tenebra +tenebrae +tenebres +tenebricose +tenebrific +tenebrificate +tenebrio +tenebrion +tenebrionid +tenebrionidae +tenebrious +tenebriously +tenebriousness +tenebrism +tenebrist +tenebrity +tenebrose +tenebrosi +tenebrosity +tenebrous +tenebrously +tenebrousness +tenectomy +tenement +tenemental +tenementary +tenemented +tenementer +tenementization +tenementize +tenements +tenementum +tenenda +tenendas +tenendum +tenent +teneral +teneramente +teneriffe +tenerity +tenesmic +tenesmus +tenesmuses +tenet +tenets +tenez +tenfold +tenfoldness +tenfolds +teng +tengere +tengerite +tenggerese +tengu +tenia +teniacidal +teniacide +teniae +teniafuge +tenias +teniasis +teniasises +tenible +teniente +tenino +tenio +tenla +tenline +tenmantale +tennantite +tenne +tenner +tenners +tennessean +tennesseans +tennessee +tennesseeans +tennis +tennisdom +tennises +tennisy +tennyson +tennysonian +tennysonianism +tennist +tennists +tenno +tennu +tenochtitlan +tenodesis +tenodynia +tenography +tenology +tenomyoplasty +tenomyotomy +tenon +tenonectomy +tenoned +tenoner +tenoners +tenonian +tenoning +tenonitis +tenonostosis +tenons +tenontagra +tenontitis +tenontodynia +tenontography +tenontolemmitis +tenontology +tenontomyoplasty +tenontomyotomy +tenontophyma +tenontoplasty +tenontothecitis +tenontotomy +tenophyte +tenophony +tenoplasty +tenoplastic +tenor +tenore +tenorino +tenorist +tenorister +tenorite +tenorites +tenorless +tenoroon +tenorrhaphy +tenorrhaphies +tenors +tenosynovitis +tenositis +tenostosis +tenosuture +tenotome +tenotomy +tenotomies +tenotomist +tenotomize +tenour +tenours +tenovaginitis +tenpence +tenpences +tenpenny +tenpin +tenpins +tenpounder +tenrec +tenrecidae +tenrecs +tens +tensas +tensaw +tense +tensed +tensegrity +tenseless +tenselessly +tenselessness +tensely +tenseness +tenser +tenses +tensest +tensibility +tensible +tensibleness +tensibly +tensify +tensile +tensilely +tensileness +tensility +tensimeter +tensing +tensiometer +tensiometry +tensiometric +tension +tensional +tensioned +tensioner +tensioning +tensionless +tensions +tensity +tensities +tensive +tenso +tensome +tensometer +tenson +tensor +tensorial +tensors +tensorship +tenspot +tensure +tent +tentability +tentable +tentacle +tentacled +tentaclelike +tentacles +tentacula +tentacular +tentaculata +tentaculate +tentaculated +tentaculifera +tentaculite +tentaculites +tentaculitidae +tentaculocyst +tentaculoid +tentaculum +tentage +tentages +tentamen +tentation +tentative +tentatively +tentativeness +tented +tenter +tenterbelly +tentered +tenterer +tenterhook +tenterhooks +tentering +tenters +tentful +tenth +tenthly +tenthmeter +tenthmetre +tenthredinid +tenthredinidae +tenthredinoid +tenthredinoidea +tenthredo +tenths +tenty +tenticle +tentie +tentier +tentiest +tentiform +tentigo +tentily +tentilla +tentillum +tenting +tention +tentless +tentlet +tentlike +tentmaker +tentmaking +tentmate +tentor +tentory +tentoria +tentorial +tentorium +tentortoria +tents +tenture +tentwards +tentwise +tentwork +tentwort +tenuate +tenue +tenues +tenuicostate +tenuifasciate +tenuiflorous +tenuifolious +tenuious +tenuiroster +tenuirostral +tenuirostrate +tenuirostres +tenuis +tenuistriate +tenuit +tenuity +tenuities +tenuous +tenuously +tenuousness +tenure +tenured +tenures +tenury +tenurial +tenurially +tenuti +tenuto +tenutos +tenzon +tenzone +teocalli +teocallis +teonanacatl +teopan +teopans +teosinte +teosintes +teotihuacan +tepa +tepache +tepal +tepals +tepanec +tepary +teparies +tepas +tepe +tepecano +tepee +tepees +tepefaction +tepefy +tepefied +tepefies +tepefying +tepehua +tepehuane +tepetate +tephillah +tephillim +tephillin +tephra +tephramancy +tephras +tephrite +tephrites +tephritic +tephroite +tephromalacia +tephromancy +tephromyelitic +tephrosia +tephrosis +tepid +tepidaria +tepidarium +tepidity +tepidities +tepidly +tepidness +tepomporize +teponaztli +tepor +tequila +tequilas +tequilla +tequistlateca +tequistlatecan +ter +tera +teraglin +terahertz +terahertzes +terai +terais +terakihi +teramorphous +teraohm +teraohms +terap +teraph +teraphim +teras +terass +terata +teratic +teratical +teratism +teratisms +teratoblastoma +teratogen +teratogenesis +teratogenetic +teratogeny +teratogenic +teratogenicity +teratogenous +teratoid +teratology +teratologic +teratological +teratologies +teratologist +teratoma +teratomas +teratomata +teratomatous +teratophobia +teratoscopy +teratosis +terbia +terbias +terbic +terbium +terbiums +terce +tercel +tercelet +tercelets +tercels +tercentenary +tercentenarian +tercentenaries +tercentenarize +tercentennial +tercentennials +tercer +terceron +terceroon +terces +tercet +tercets +terchloride +tercia +tercine +tercio +terdiurnal +terebate +terebella +terebellid +terebellidae +terebelloid +terebellum +terebene +terebenes +terebenic +terebenthene +terebic +terebilic +terebinic +terebinth +terebinthaceae +terebinthial +terebinthian +terebinthic +terebinthina +terebinthinate +terebinthine +terebinthinous +terebinthus +terebra +terebrae +terebral +terebrant +terebrantia +terebras +terebrate +terebration +terebratula +terebratular +terebratulid +terebratulidae +terebratuliform +terebratuline +terebratulite +terebratuloid +terebridae +teredines +teredinidae +teredo +teredos +terefah +terek +terence +terentian +terephah +terephthalate +terephthalic +terephthallic +teres +teresa +teresian +teresina +terete +teretial +tereticaudate +teretifolious +teretipronator +teretiscapular +teretiscapularis +teretish +teretism +tereu +tereus +terfez +terfezia +terfeziaceae +terga +tergal +tergant +tergeminal +tergeminate +tergeminous +tergiferous +tergite +tergites +tergitic +tergiversant +tergiversate +tergiversated +tergiversating +tergiversation +tergiversator +tergiversatory +tergiverse +tergolateral +tergum +teri +teriann +teriyaki +teriyakis +terlinguaite +term +terma +termagancy +termagant +termagantish +termagantism +termagantly +termagants +termage +termal +terman +termatic +termed +termen +termer +termers +termes +termillenary +termin +terminability +terminable +terminableness +terminably +terminal +terminalia +terminaliaceae +terminalis +terminalization +terminalized +terminally +terminals +terminant +terminate +terminated +terminates +terminating +termination +terminational +terminations +terminative +terminatively +terminator +terminatory +terminators +termine +terminer +terming +termini +terminine +terminism +terminist +terministic +terminize +termino +terminology +terminological +terminologically +terminologies +terminologist +terminologists +terminus +terminuses +termital +termitary +termitaria +termitarium +termite +termites +termitic +termitid +termitidae +termitophagous +termitophile +termitophilous +termless +termlessly +termlessness +termly +termolecular +termon +termor +termors +terms +termtime +termtimes +termwise +tern +terna +ternal +ternar +ternary +ternariant +ternaries +ternarious +ternate +ternately +ternatipinnate +ternatisect +ternatopinnate +terne +terned +terneplate +terner +ternery +ternes +terning +ternion +ternions +ternize +ternlet +terns +ternstroemia +ternstroemiaceae +terotechnology +teroxide +terp +terpadiene +terpane +terpen +terpene +terpeneless +terpenes +terpenic +terpenoid +terphenyl +terpilene +terpin +terpine +terpinene +terpineol +terpinol +terpinolene +terpinols +terpodion +terpolymer +terpsichore +terpsichoreal +terpsichoreally +terpsichorean +terr +terra +terraba +terrace +terraced +terraceless +terraceous +terracer +terraces +terracette +terracewards +terracewise +terracework +terraciform +terracing +terraculture +terrae +terraefilial +terraefilian +terrage +terrain +terrains +terral +terramara +terramare +terramycin +terran +terrance +terrane +terranean +terraneous +terranes +terrapene +terrapin +terrapins +terraquean +terraquedus +terraqueous +terraqueousness +terrar +terraria +terrariia +terrariiums +terrarium +terrariums +terras +terrases +terrasse +terrazzo +terrazzos +terre +terreen +terreens +terreity +terrella +terrellas +terremotive +terrence +terrene +terrenely +terreneness +terrenes +terreno +terreous +terreplein +terrestrial +terrestrialism +terrestriality +terrestrialize +terrestrially +terrestrialness +terrestrials +terrestricity +terrestrify +terrestrious +terret +terreted +terrets +terri +terry +terribilita +terribility +terrible +terribleness +terribles +terribly +terricole +terricoline +terricolist +terricolous +terrie +terrier +terrierlike +terriers +terries +terrify +terrific +terrifical +terrifically +terrification +terrificly +terrificness +terrified +terrifiedly +terrifier +terrifiers +terrifies +terrifying +terrifyingly +terrigene +terrigenous +terriginous +terrine +terrines +territ +territelae +territelarian +territorality +territory +territorial +territorialisation +territorialise +territorialised +territorialising +territorialism +territorialist +territoriality +territorialization +territorialize +territorialized +territorializing +territorially +territorian +territoried +territories +territs +terron +terror +terrorful +terrorific +terrorisation +terrorise +terrorised +terroriser +terrorising +terrorism +terrorist +terroristic +terroristical +terrorists +terrorization +terrorize +terrorized +terrorizer +terrorizes +terrorizing +terrorless +terrorproof +terrors +terrorsome +terse +tersely +terseness +terser +tersest +tersion +tersulfid +tersulfide +tersulphate +tersulphid +tersulphide +tersulphuret +tertenant +tertia +tertial +tertials +tertian +tertiana +tertians +tertianship +tertiary +tertiarian +tertiaries +tertiate +tertii +tertio +tertium +tertius +terton +tertrinal +tertulia +tertullianism +tertullianist +teruah +teruyuki +teruncius +terutero +teruteru +tervalence +tervalency +tervalent +tervariant +tervee +terzet +terzetto +terzettos +terzina +terzio +terzo +tesack +tesarovitch +tescaria +teschenite +teschermacherite +teskere +teskeria +tesla +teslas +tess +tessara +tessarace +tessaraconter +tessaradecad +tessaraglot +tessaraphthong +tessarescaedecahedron +tessel +tesselate +tesselated +tesselating +tesselation +tessella +tessellae +tessellar +tessellate +tessellated +tessellates +tessellating +tessellation +tessellations +tessellite +tessera +tesseract +tesseradecade +tesserae +tesseraic +tesseral +tesserants +tesserarian +tesserate +tesserated +tesseratomy +tesseratomic +tessitura +tessituras +tessiture +tessular +test +testa +testability +testable +testacea +testacean +testaceography +testaceology +testaceous +testaceousness +testacy +testacies +testae +testament +testamenta +testamental +testamentally +testamentalness +testamentary +testamentarily +testamentate +testamentation +testaments +testamentum +testamur +testandi +testao +testar +testata +testate +testation +testator +testatory +testators +testatorship +testatrices +testatrix +testatrixes +testatum +testbed +testcross +teste +tested +testee +testees +tester +testers +testes +testy +testibrachial +testibrachium +testicardinate +testicardine +testicardines +testicle +testicles +testicond +testicular +testiculate +testiculated +testier +testiere +testiest +testify +testificate +testification +testificator +testificatory +testified +testifier +testifiers +testifies +testifying +testily +testimony +testimonia +testimonial +testimonialising +testimonialist +testimonialization +testimonialize +testimonialized +testimonializer +testimonializing +testimonials +testimonies +testimonium +testiness +testing +testingly +testings +testis +testitis +testmatch +teston +testone +testons +testoon +testoons +testor +testosterone +testril +tests +testudinal +testudinaria +testudinarian +testudinarious +testudinata +testudinate +testudinated +testudineal +testudineous +testudines +testudinidae +testudinous +testudo +testudos +testule +tesuque +tesvino +tetanal +tetany +tetania +tetanic +tetanical +tetanically +tetanics +tetanies +tetaniform +tetanigenous +tetanilla +tetanine +tetanisation +tetanise +tetanised +tetanises +tetanising +tetanism +tetanization +tetanize +tetanized +tetanizes +tetanizing +tetanoid +tetanolysin +tetanomotor +tetanospasmin +tetanotoxin +tetanus +tetanuses +tetarcone +tetarconid +tetard +tetartemorion +tetartocone +tetartoconid +tetartohedral +tetartohedrally +tetartohedrism +tetartohedron +tetartoid +tetartosymmetry +tetch +tetched +tetchy +tetchier +tetchiest +tetchily +tetchiness +tete +tetel +teterrimous +teth +tethelin +tether +tetherball +tethered +tethery +tethering +tethers +tethydan +tethys +teths +teton +tetotum +tetotums +tetra +tetraamylose +tetrabasic +tetrabasicity +tetrabelodon +tetrabelodont +tetrabiblos +tetraborate +tetraboric +tetrabrach +tetrabranch +tetrabranchia +tetrabranchiate +tetrabromid +tetrabromide +tetrabromo +tetrabromoethane +tetrabromofluorescein +tetracadactylity +tetracaine +tetracarboxylate +tetracarboxylic +tetracarpellary +tetracene +tetraceratous +tetracerous +tetracerus +tetrachical +tetrachlorid +tetrachloride +tetrachlorides +tetrachloro +tetrachloroethane +tetrachloroethylene +tetrachloromethane +tetrachord +tetrachordal +tetrachordon +tetrachoric +tetrachotomous +tetrachromatic +tetrachromic +tetrachronous +tetracyclic +tetracycline +tetracid +tetracids +tetracocci +tetracoccous +tetracoccus +tetracolic +tetracolon +tetracoral +tetracoralla +tetracoralline +tetracosane +tetract +tetractinal +tetractine +tetractinellid +tetractinellida +tetractinellidan +tetractinelline +tetractinose +tetractys +tetrad +tetradactyl +tetradactyle +tetradactyly +tetradactylous +tetradarchy +tetradecane +tetradecanoic +tetradecapod +tetradecapoda +tetradecapodan +tetradecapodous +tetradecyl +tetradesmus +tetradiapason +tetradic +tetradymite +tetradynamia +tetradynamian +tetradynamious +tetradynamous +tetradite +tetradrachm +tetradrachma +tetradrachmal +tetradrachmon +tetrads +tetraedron +tetraedrum +tetraethyl +tetraethyllead +tetraethylsilane +tetrafluoride +tetrafluoroethylene +tetrafluouride +tetrafolious +tetragamy +tetragenous +tetragyn +tetragynia +tetragynian +tetragynous +tetraglot +tetraglottic +tetragon +tetragonal +tetragonally +tetragonalness +tetragonia +tetragoniaceae +tetragonidium +tetragonous +tetragons +tetragonus +tetragram +tetragrammatic +tetragrammaton +tetragrammatonic +tetragrid +tetrahedra +tetrahedral +tetrahedrally +tetrahedric +tetrahedrite +tetrahedroid +tetrahedron +tetrahedrons +tetrahexahedral +tetrahexahedron +tetrahydrate +tetrahydrated +tetrahydric +tetrahydrid +tetrahydride +tetrahydro +tetrahydrocannabinol +tetrahydrofuran +tetrahydropyrrole +tetrahydroxy +tetrahymena +tetraiodid +tetraiodide +tetraiodo +tetraiodophenolphthalein +tetraiodopyrrole +tetrakaidecahedron +tetraketone +tetrakis +tetrakisazo +tetrakishexahedron +tetralemma +tetralin +tetralite +tetralogy +tetralogic +tetralogies +tetralogue +tetralophodont +tetramastia +tetramastigote +tetramer +tetramera +tetrameral +tetrameralian +tetrameric +tetramerism +tetramerous +tetramers +tetrameter +tetrameters +tetramethyl +tetramethylammonium +tetramethyldiarsine +tetramethylene +tetramethylium +tetramethyllead +tetramethylsilane +tetramin +tetramine +tetrammine +tetramorph +tetramorphic +tetramorphism +tetramorphous +tetrander +tetrandria +tetrandrian +tetrandrous +tetrane +tetranychus +tetranitrate +tetranitro +tetranitroaniline +tetranitromethane +tetrant +tetranuclear +tetrao +tetraodon +tetraodont +tetraodontidae +tetraonid +tetraonidae +tetraoninae +tetraonine +tetrapanax +tetrapartite +tetrapetalous +tetraphalangeate +tetrapharmacal +tetrapharmacon +tetraphenol +tetraphyllous +tetraphony +tetraphosphate +tetrapyla +tetrapylon +tetrapyramid +tetrapyrenous +tetrapyrrole +tetrapla +tetraplegia +tetrapleuron +tetraploid +tetraploidy +tetraploidic +tetraplous +tetrapneumona +tetrapneumones +tetrapneumonian +tetrapneumonous +tetrapod +tetrapoda +tetrapody +tetrapodic +tetrapodies +tetrapodous +tetrapods +tetrapolar +tetrapolis +tetrapolitan +tetrapous +tetraprostyle +tetrapteran +tetrapteron +tetrapterous +tetraptych +tetraptote +tetrapturus +tetraquetrous +tetrarch +tetrarchate +tetrarchy +tetrarchic +tetrarchical +tetrarchies +tetrarchs +tetras +tetrasaccharide +tetrasalicylide +tetraselenodont +tetraseme +tetrasemic +tetrasepalous +tetrasyllabic +tetrasyllabical +tetrasyllable +tetrasymmetry +tetraskele +tetraskelion +tetrasome +tetrasomy +tetrasomic +tetraspermal +tetraspermatous +tetraspermous +tetraspgia +tetraspheric +tetrasporange +tetrasporangia +tetrasporangiate +tetrasporangium +tetraspore +tetrasporic +tetrasporiferous +tetrasporous +tetraster +tetrastich +tetrastichal +tetrastichic +tetrastichidae +tetrastichous +tetrastichus +tetrastyle +tetrastylic +tetrastylos +tetrastylous +tetrastoon +tetrasubstituted +tetrasubstitution +tetrasulfid +tetrasulfide +tetrasulphid +tetrasulphide +tetrathecal +tetratheism +tetratheist +tetratheite +tetrathionates +tetrathionic +tetratomic +tetratone +tetravalence +tetravalency +tetravalent +tetraxial +tetraxile +tetraxon +tetraxonia +tetraxonian +tetraxonid +tetraxonida +tetrazane +tetrazene +tetrazyl +tetrazin +tetrazine +tetrazo +tetrazole +tetrazolyl +tetrazolium +tetrazone +tetrazotization +tetrazotize +tetrazzini +tetrdra +tetremimeral +tetrevangelium +tetric +tetrical +tetricalness +tetricity +tetricous +tetrifol +tetrigid +tetrigidae +tetryl +tetrylene +tetryls +tetriodide +tetrix +tetrobol +tetrobolon +tetrode +tetrodes +tetrodon +tetrodont +tetrodontidae +tetrodotoxin +tetrol +tetrole +tetrolic +tetronic +tetronymal +tetrose +tetrous +tetroxalate +tetroxid +tetroxide +tetroxids +tetrsyllabical +tetter +tettered +tettery +tettering +tetterish +tetterous +tetters +tetterworm +tetterwort +tetty +tettigidae +tettigoniid +tettigoniidae +tettish +tettix +tetum +teucer +teuch +teuchit +teucri +teucrian +teucrin +teucrium +teufit +teugh +teughly +teughness +teuk +teutolatry +teutomania +teutomaniac +teuton +teutondom +teutonesque +teutonia +teutonic +teutonically +teutonicism +teutonism +teutonist +teutonity +teutonization +teutonize +teutonomania +teutonophobe +teutonophobia +teutons +teutophil +teutophile +teutophilism +teutophobe +teutophobia +teutophobism +teviss +tew +tewa +tewart +tewed +tewel +tewer +tewhit +tewing +tewit +tewly +tews +tewsome +tewtaw +tewter +tex +texaco +texan +texans +texas +texases +texcocan +texguino +text +textarian +textbook +textbookish +textbookless +textbooks +textiferous +textile +textiles +textilist +textless +textlet +textman +textorial +textrine +texts +textual +textualism +textualist +textuality +textually +textuary +textuaries +textuarist +textuist +textural +texturally +texture +textured +textureless +textures +texturing +textus +tez +tezcatlipoca +tezcatzoncatl +tezcucan +tezkere +tezkirah +tfr +tg +tgn +tgt +th +tha +thack +thacked +thacker +thackerayan +thackerayana +thackerayesque +thacking +thackless +thackoor +thacks +thad +thaddeus +thae +thai +thailand +thairm +thairms +thais +thak +thakur +thakurate +thala +thalamencephala +thalamencephalic +thalamencephalon +thalamencephalons +thalami +thalamia +thalamic +thalamically +thalamiflorae +thalamifloral +thalamiflorous +thalamite +thalamium +thalamiumia +thalamocele +thalamocoele +thalamocortical +thalamocrural +thalamolenticular +thalamomammillary +thalamopeduncular +thalamophora +thalamotegmental +thalamotomy +thalamotomies +thalamus +thalarctos +thalassa +thalassal +thalassarctos +thalassemia +thalassian +thalassiarch +thalassic +thalassical +thalassinian +thalassinid +thalassinidea +thalassinidian +thalassinoid +thalassiophyte +thalassiophytous +thalasso +thalassochelys +thalassocracy +thalassocrat +thalassographer +thalassography +thalassographic +thalassographical +thalassometer +thalassophilous +thalassophobia +thalassotherapy +thalatta +thalattology +thalenite +thaler +thalerophagous +thalers +thalesia +thalesian +thalessa +thalia +thaliacea +thaliacean +thalian +thaliard +thalictrum +thalidomide +thalli +thallic +thalliferous +thalliform +thallin +thalline +thallious +thallium +thalliums +thallochlore +thallodal +thallodic +thallogen +thallogenic +thallogenous +thallogens +thalloid +thalloidal +thallome +thallophyta +thallophyte +thallophytes +thallophytic +thallose +thallous +thallus +thalluses +thalposis +thalpotic +thalthan +thalweg +thamakau +thameng +thames +thamesis +thamin +thamyras +thammuz +thamnidium +thamnium +thamnophile +thamnophilinae +thamnophiline +thamnophilus +thamnophis +thamudean +thamudene +thamudic +thamuria +thamus +than +thana +thanadar +thanage +thanages +thanah +thanan +thanatism +thanatist +thanatobiologic +thanatognomonic +thanatographer +thanatography +thanatoid +thanatology +thanatological +thanatologies +thanatologist +thanatomantic +thanatometer +thanatophidia +thanatophidian +thanatophobe +thanatophoby +thanatophobia +thanatophobiac +thanatopsis +thanatos +thanatoses +thanatosis +thanatotic +thanatousia +thane +thanedom +thanehood +thaneland +thanes +thaneship +thaness +thank +thanked +thankee +thanker +thankers +thankful +thankfuller +thankfullest +thankfully +thankfulness +thanking +thankyou +thankless +thanklessly +thanklessness +thanks +thanksgiver +thanksgiving +thanksgivings +thankworthy +thankworthily +thankworthiness +thannadar +thapes +thapsia +thar +tharen +tharf +tharfcake +thargelion +tharginyah +tharm +tharms +thasian +thaspium +that +thataway +thatch +thatched +thatcher +thatchers +thatches +thatchy +thatching +thatchless +thatchwood +thatchwork +thatd +thatll +thatn +thatness +thats +thaught +thaumantian +thaumantias +thaumasite +thaumatogeny +thaumatography +thaumatolatry +thaumatology +thaumatologies +thaumatrope +thaumatropical +thaumaturge +thaumaturgi +thaumaturgy +thaumaturgia +thaumaturgic +thaumaturgical +thaumaturgics +thaumaturgism +thaumaturgist +thaumaturgus +thaumoscopic +thave +thaw +thawable +thawed +thawer +thawers +thawy +thawier +thawiest +thawing +thawless +thawn +thaws +the +thea +theaceae +theaceous +theah +theandric +theanthropy +theanthropic +theanthropical +theanthropism +theanthropist +theanthropology +theanthropophagy +theanthropos +theanthroposophy +thearchy +thearchic +thearchies +theasum +theat +theater +theatercraft +theatergoer +theatergoers +theatergoing +theaterless +theaterlike +theaters +theaterward +theaterwards +theaterwise +theatine +theatral +theatre +theatregoer +theatregoing +theatres +theatry +theatric +theatricable +theatrical +theatricalisation +theatricalise +theatricalised +theatricalising +theatricalism +theatricality +theatricalization +theatricalize +theatricalized +theatricalizing +theatrically +theatricalness +theatricals +theatrician +theatricism +theatricize +theatrics +theatrize +theatrocracy +theatrograph +theatromania +theatromaniac +theatron +theatrophile +theatrophobia +theatrophone +theatrophonic +theatropolis +theatroscope +theatticalism +theave +theb +thebaic +thebaid +thebain +thebaine +thebaines +thebais +thebaism +theban +theberge +thebesian +theca +thecae +thecal +thecamoebae +thecaphore +thecasporal +thecaspore +thecaspored +thecasporous +thecata +thecate +thecia +thecial +thecitis +thecium +thecla +theclan +thecodont +thecoglossate +thecoid +thecoidea +thecophora +thecosomata +thecosomatous +thed +thee +theedom +theek +theeked +theeker +theeking +theelin +theelins +theelol +theelols +theemim +theer +theet +theetsee +theezan +theft +theftbote +theftdom +theftless +theftproof +thefts +theftuous +theftuously +thegether +thegidder +thegither +thegn +thegndom +thegnhood +thegnland +thegnly +thegnlike +thegns +thegnship +thegnworthy +they +theyaou +theyd +theiform +theileria +theyll +thein +theine +theines +theinism +theins +their +theyre +theirn +theirs +theirselves +theirsens +theism +theisms +theist +theistic +theistical +theistically +theists +theyve +thelalgia +thelemite +thelephora +thelephoraceae +thelyblast +thelyblastic +theligonaceae +theligonaceous +theligonum +thelion +thelyotoky +thelyotokous +thelyphonidae +thelyphonus +thelyplasty +thelitis +thelitises +thelytocia +thelytoky +thelytokous +thelytonic +thelium +thelodontidae +thelodus +theloncus +thelorrhagia +thelphusa +thelphusian +thelphusidae +them +thema +themata +thematic +thematical +thematically +thematist +theme +themed +themeless +themelet +themer +themes +theming +themis +themistian +themsel +themselves +then +thenabouts +thenad +thenadays +thenage +thenages +thenal +thenar +thenardite +thenars +thence +thenceafter +thenceforth +thenceforward +thenceforwards +thencefoward +thencefrom +thenceward +thenne +thenness +thens +theo +theoanthropomorphic +theoanthropomorphism +theoastrological +theobald +theobroma +theobromic +theobromin +theobromine +theocentric +theocentricism +theocentricity +theocentrism +theochristic +theocollectivism +theocollectivist +theocracy +theocracies +theocrasy +theocrasia +theocrasical +theocrasies +theocrat +theocratic +theocratical +theocratically +theocratist +theocrats +theocritan +theocritean +theodemocracy +theody +theodicaea +theodicean +theodicy +theodicies +theodidact +theodolite +theodolitic +theodora +theodore +theodoric +theodosia +theodosian +theodosianus +theodotian +theodrama +theogamy +theogeological +theognostic +theogonal +theogony +theogonic +theogonical +theogonies +theogonism +theogonist +theohuman +theokrasia +theoktony +theoktonic +theol +theolatry +theolatrous +theolepsy +theoleptic +theolog +theologal +theologaster +theologastric +theologate +theologeion +theologer +theologi +theology +theologian +theologians +theologic +theological +theologically +theologician +theologicoastronomical +theologicoethical +theologicohistorical +theologicometaphysical +theologicomilitary +theologicomoral +theologiconatural +theologicopolitical +theologics +theologies +theologisation +theologise +theologised +theologiser +theologising +theologism +theologist +theologium +theologization +theologize +theologized +theologizer +theologizing +theologoumena +theologoumenon +theologs +theologue +theologus +theomachy +theomachia +theomachies +theomachist +theomagy +theomagic +theomagical +theomagics +theomammomist +theomancy +theomania +theomaniac +theomantic +theomastix +theomicrist +theomisanthropist +theomythologer +theomythology +theomorphic +theomorphism +theomorphize +theonomy +theonomies +theonomous +theonomously +theopantism +theopaschist +theopaschitally +theopaschite +theopaschitic +theopaschitism +theopathetic +theopathy +theopathic +theopathies +theophagy +theophagic +theophagite +theophagous +theophany +theophania +theophanic +theophanies +theophanism +theophanous +theophila +theophilanthrope +theophilanthropy +theophilanthropic +theophilanthropism +theophilanthropist +theophile +theophilist +theophyllin +theophylline +theophilosophic +theophilus +theophysical +theophobia +theophoric +theophorous +theophrastaceae +theophrastaceous +theophrastan +theophrastean +theopneust +theopneusted +theopneusty +theopneustia +theopneustic +theopolity +theopolitician +theopolitics +theopsychism +theor +theorbist +theorbo +theorbos +theorem +theorematic +theorematical +theorematically +theorematist +theoremic +theorems +theoretic +theoretical +theoreticalism +theoretically +theoreticalness +theoretician +theoreticians +theoreticopractical +theoretics +theory +theoria +theoriai +theoric +theorica +theorical +theorically +theorician +theoricon +theorics +theories +theoryless +theorymonger +theorisation +theorise +theorised +theoriser +theorises +theorising +theorism +theorist +theorists +theorization +theorizations +theorize +theorized +theorizer +theorizers +theorizes +theorizies +theorizing +theorum +theos +theosoph +theosopheme +theosopher +theosophy +theosophic +theosophical +theosophically +theosophies +theosophism +theosophist +theosophistic +theosophistical +theosophists +theosophize +theotechny +theotechnic +theotechnist +theoteleology +theoteleological +theotherapy +theotherapist +theotokos +theow +theowdom +theowman +theowmen +theraean +theralite +therap +therapeuses +therapeusis +therapeutae +therapeutic +therapeutical +therapeutically +therapeutics +therapeutism +therapeutist +theraphosa +theraphose +theraphosid +theraphosidae +theraphosoid +therapy +therapia +therapies +therapist +therapists +therapsid +therapsida +theraputant +theravada +therblig +there +thereabout +thereabouts +thereabove +thereacross +thereafter +thereafterward +thereagainst +thereamong +thereamongst +thereanent +thereanents +therearound +thereas +thereat +thereaway +thereaways +therebefore +thereben +therebeside +therebesides +therebetween +thereby +therebiforn +thereckly +thered +therefor +therefore +therefrom +therehence +therein +thereinafter +thereinbefore +thereinto +therell +theremin +theremins +therence +thereness +thereof +thereoid +thereology +thereologist +thereon +thereonto +thereout +thereover +thereright +theres +theresa +therese +therethrough +theretil +theretill +thereto +theretofore +theretoward +thereunder +thereuntil +thereunto +thereup +thereupon +thereva +therevid +therevidae +therewhile +therewhiles +therewhilst +therewith +therewithal +therewithin +theria +theriac +theriaca +theriacal +theriacas +theriacs +therial +therian +therianthropic +therianthropism +theriatrics +thericlean +theridiid +theridiidae +theridion +theriodic +theriodont +theriodonta +theriodontia +theriolater +theriolatry +theriomancy +theriomaniac +theriomimicry +theriomorph +theriomorphic +theriomorphism +theriomorphosis +theriomorphous +theriotheism +theriotheist +theriotrophical +theriozoic +therm +thermacogenesis +thermae +thermaesthesia +thermaic +thermal +thermalgesia +thermality +thermalization +thermalize +thermalized +thermalizes +thermalizing +thermally +thermals +thermanalgesia +thermanesthesia +thermantic +thermantidote +thermatology +thermatologic +thermatologist +therme +thermel +thermels +thermes +thermesthesia +thermesthesiometer +thermetograph +thermetrograph +thermic +thermical +thermically +thermidor +thermidorian +thermion +thermionic +thermionically +thermionics +thermions +thermistor +thermistors +thermit +thermite +thermites +thermits +thermo +thermoammeter +thermoanalgesia +thermoanesthesia +thermobarograph +thermobarometer +thermobattery +thermocautery +thermocauteries +thermochemic +thermochemical +thermochemically +thermochemist +thermochemistry +thermochroic +thermochromism +thermochrosy +thermoclinal +thermocline +thermocoagulation +thermocouple +thermocurrent +thermodiffusion +thermodynam +thermodynamic +thermodynamical +thermodynamically +thermodynamician +thermodynamicist +thermodynamics +thermodynamist +thermoduric +thermoelastic +thermoelectric +thermoelectrical +thermoelectrically +thermoelectricity +thermoelectrometer +thermoelectromotive +thermoelectron +thermoelectronic +thermoelement +thermoesthesia +thermoexcitory +thermoform +thermoformable +thermogalvanometer +thermogen +thermogenerator +thermogenesis +thermogenetic +thermogeny +thermogenic +thermogenous +thermogeography +thermogeographical +thermogram +thermograph +thermographer +thermography +thermographic +thermographically +thermohaline +thermohyperesthesia +thermojunction +thermokinematics +thermolabile +thermolability +thermolysis +thermolytic +thermolyze +thermolyzed +thermolyzing +thermology +thermological +thermoluminescence +thermoluminescent +thermomagnetic +thermomagnetically +thermomagnetism +thermometamorphic +thermometamorphism +thermometer +thermometerize +thermometers +thermometry +thermometric +thermometrical +thermometrically +thermometrograph +thermomigrate +thermomotive +thermomotor +thermomultiplier +thermonasty +thermonastic +thermonatrite +thermoneurosis +thermoneutrality +thermonous +thermonuclear +thermopair +thermopalpation +thermopenetration +thermoperiod +thermoperiodic +thermoperiodicity +thermoperiodism +thermophil +thermophile +thermophilic +thermophilous +thermophobia +thermophobous +thermophone +thermophore +thermophosphor +thermophosphorescence +thermophosphorescent +thermopile +thermoplastic +thermoplasticity +thermoplastics +thermoplegia +thermopleion +thermopolymerization +thermopolypnea +thermopolypneic +thermopower +thermopsis +thermoradiotherapy +thermoreceptor +thermoreduction +thermoregulation +thermoregulator +thermoregulatory +thermoremanence +thermoremanent +thermoresistance +thermoresistant +thermos +thermoscope +thermoscopic +thermoscopical +thermoscopically +thermosensitive +thermoses +thermoset +thermosetting +thermosynthesis +thermosiphon +thermosystaltic +thermosystaltism +thermosphere +thermospheres +thermospheric +thermostability +thermostable +thermostat +thermostated +thermostatic +thermostatically +thermostatics +thermostating +thermostats +thermostatted +thermostatting +thermostimulation +thermoswitch +thermotactic +thermotank +thermotaxic +thermotaxis +thermotelephone +thermotelephonic +thermotensile +thermotension +thermotherapeutics +thermotherapy +thermotic +thermotical +thermotically +thermotics +thermotype +thermotypy +thermotypic +thermotropy +thermotropic +thermotropism +thermovoltaic +therms +therodont +theroid +therolater +therolatry +therology +therologic +therological +therologist +theromora +theromores +theromorph +theromorpha +theromorphia +theromorphic +theromorphism +theromorphology +theromorphological +theromorphous +theron +therophyte +theropod +theropoda +theropodan +theropodous +theropods +thersitean +thersites +thersitical +thesaur +thesaural +thesauri +thesaury +thesauris +thesaurismosis +thesaurus +thesaurusauri +thesauruses +these +thesean +theses +theseum +theseus +thesial +thesicle +thesis +thesium +thesmophoria +thesmophorian +thesmophoric +thesmothetae +thesmothete +thesmothetes +thesocyte +thespesia +thespesius +thespian +thespians +thessalian +thessalonian +thessalonians +thester +thestreen +theta +thetas +thetch +thete +thetic +thetical +thetically +thetics +thetin +thetine +thetis +theurgy +theurgic +theurgical +theurgically +theurgies +theurgist +thevetia +thevetin +thew +thewed +thewy +thewier +thewiest +thewiness +thewless +thewlike +thewness +thews +thy +thiabendazole +thiacetic +thiadiazole +thialdin +thialdine +thiamid +thiamide +thiamin +thiaminase +thiamine +thiamines +thiamins +thianthrene +thiasi +thiasine +thiasite +thiasoi +thiasos +thiasote +thiasus +thiasusi +thiazide +thiazides +thiazin +thiazine +thiazines +thiazins +thiazol +thiazole +thiazoles +thiazoline +thiazols +thibet +thible +thick +thickbrained +thicke +thicken +thickened +thickener +thickeners +thickening +thickens +thicker +thickest +thicket +thicketed +thicketful +thickety +thickets +thickhead +thickheaded +thickheadedly +thickheadedness +thicky +thickish +thickleaf +thickleaves +thickly +thicklips +thickneck +thickness +thicknesses +thicknessing +thicks +thickset +thicksets +thickskin +thickskull +thickskulled +thickwind +thickwit +thief +thiefcraft +thiefdom +thiefland +thiefly +thiefmaker +thiefmaking +thiefproof +thieftaker +thiefwise +thielavia +thielaviopsis +thienyl +thienone +thierry +thyestean +thyestes +thievable +thieve +thieved +thieveless +thiever +thievery +thieveries +thieves +thieving +thievingly +thievish +thievishly +thievishness +thig +thigged +thigger +thigging +thigh +thighbone +thighbones +thighed +thighs +thight +thightness +thigmonegative +thigmopositive +thigmotactic +thigmotactically +thigmotaxis +thigmotropic +thigmotropically +thigmotropism +thyiad +thyine +thylacine +thylacynus +thylacitis +thylacoleo +thylakoid +thilanottine +thilk +thill +thiller +thilly +thills +thymacetin +thymallidae +thymallus +thymate +thimber +thimble +thimbleberry +thimbleberries +thimbled +thimbleflower +thimbleful +thimblefuls +thimblelike +thimblemaker +thimblemaking +thimbleman +thimblerig +thimblerigged +thimblerigger +thimbleriggery +thimblerigging +thimbles +thimbleweed +thimblewit +thyme +thymectomy +thymectomize +thymegol +thymey +thymelaea +thymelaeaceae +thymelaeaceous +thymelaeales +thymelcosis +thymele +thymelic +thymelical +thymelici +thymene +thimerosal +thymes +thymetic +thymi +thymy +thymiama +thymic +thymicolymphatic +thymidine +thymier +thymiest +thymyl +thymylic +thymin +thymine +thymines +thymiosis +thymitis +thymocyte +thymogenic +thymol +thymolate +thymolize +thymolphthalein +thymols +thymolsulphonephthalein +thymoma +thymomata +thymonucleic +thymopathy +thymoprivic +thymoprivous +thymopsyche +thymoquinone +thymotactic +thymotic +thymotinic +thyms +thymus +thymuses +thin +thinbrained +thinclad +thinclads +thindown +thindowns +thine +thing +thingal +thingamabob +thingamajig +thinghood +thingy +thinginess +thingish +thingless +thinglet +thingly +thinglike +thinglikeness +thingliness +thingman +thingness +things +thingstead +thingum +thingumabob +thingumadad +thingumadoodle +thingumajig +thingumajigger +thingumaree +thingumbob +thingummy +thingut +think +thinkability +thinkable +thinkableness +thinkably +thinker +thinkers +thinkful +thinking +thinkingly +thinkingness +thinkingpart +thinkings +thinkling +thinks +thinly +thinned +thinner +thinners +thinness +thinnesses +thinnest +thynnid +thynnidae +thinning +thinnish +thinocoridae +thinocorus +thinolite +thins +thio +thioacet +thioacetal +thioacetic +thioalcohol +thioaldehyde +thioamid +thioamide +thioantimonate +thioantimoniate +thioantimonious +thioantimonite +thioarsenate +thioarseniate +thioarsenic +thioarsenious +thioarsenite +thiobaccilli +thiobacilli +thiobacillus +thiobacteria +thiobacteriales +thiobismuthite +thiocarbamic +thiocarbamide +thiocarbamyl +thiocarbanilide +thiocarbimide +thiocarbonate +thiocarbonic +thiocarbonyl +thiochloride +thiochrome +thiocyanate +thiocyanation +thiocyanic +thiocyanide +thiocyano +thiocyanogen +thiocresol +thiodiazole +thiodiphenylamine +thioester +thiofuran +thiofurane +thiofurfuran +thiofurfurane +thiogycolic +thioguanine +thiohydrate +thiohydrolysis +thiohydrolyze +thioindigo +thioketone +thiokol +thiol +thiolacetic +thiolactic +thiolic +thiolics +thiols +thionamic +thionaphthene +thionate +thionates +thionation +thioneine +thionic +thionyl +thionylamine +thionyls +thionin +thionine +thionines +thionins +thionitrite +thionium +thionobenzoic +thionthiolic +thionurate +thiopental +thiopentone +thiophen +thiophene +thiophenic +thiophenol +thiophens +thiophosgene +thiophosphate +thiophosphite +thiophosphoric +thiophosphoryl +thiophthene +thiopyran +thioresorcinol +thioridazine +thiosinamine +thiospira +thiostannate +thiostannic +thiostannite +thiostannous +thiosulfate +thiosulfates +thiosulfuric +thiosulphate +thiosulphonic +thiosulphuric +thiotepa +thiotepas +thiothrix +thiotolene +thiotungstate +thiotungstic +thiouracil +thiourea +thioureas +thiourethan +thiourethane +thioxene +thiozone +thiozonid +thiozonide +thir +thyraden +thiram +thirams +thyratron +third +thirdborough +thirdendeal +thirdhand +thirdings +thirdly +thirdling +thirdness +thirds +thirdsman +thirdstream +thyreoadenitis +thyreoantitoxin +thyreoarytenoid +thyreoarytenoideus +thyreocervical +thyreocolloid +thyreocoridae +thyreoepiglottic +thyreogenic +thyreogenous +thyreoglobulin +thyreoglossal +thyreohyal +thyreohyoid +thyreoid +thyreoidal +thyreoideal +thyreoidean +thyreoidectomy +thyreoiditis +thyreoitis +thyreolingual +thyreoprotein +thyreosis +thyreotomy +thyreotoxicosis +thyreotropic +thyridia +thyridial +thyrididae +thyridium +thyris +thyrisiferous +thyristor +thirl +thirlage +thirlages +thirled +thirling +thirls +thyroadenitis +thyroantitoxin +thyroarytenoid +thyroarytenoideus +thyrocalcitonin +thyrocardiac +thyrocarditis +thyrocele +thyrocervical +thyrocolloid +thyrocricoid +thyroepiglottic +thyroepiglottidean +thyrogenic +thyrogenous +thyroglobulin +thyroglossal +thyrohyal +thyrohyoid +thyrohyoidean +thyroid +thyroidal +thyroidea +thyroideal +thyroidean +thyroidectomy +thyroidectomies +thyroidectomize +thyroidectomized +thyroidism +thyroiditis +thyroidization +thyroidless +thyroidotomy +thyroidotomies +thyroids +thyroiodin +thyrold +thyrolingual +thyronin +thyronine +thyroparathyroidectomy +thyroparathyroidectomize +thyroprival +thyroprivia +thyroprivic +thyroprivous +thyroprotein +thyroria +thyrorion +thyrorroria +thyrosis +thyrostraca +thyrostracan +thyrotherapy +thyrotome +thyrotomy +thyrotoxic +thyrotoxicity +thyrotoxicosis +thyrotrophic +thyrotrophin +thyrotropic +thyrotropin +thyroxin +thyroxine +thyroxinic +thyroxins +thyrse +thyrses +thyrsi +thyrsiflorous +thyrsiform +thyrsoid +thyrsoidal +thirst +thirsted +thirster +thirsters +thirstful +thirsty +thirstier +thirstiest +thirstily +thirstiness +thirsting +thirstingly +thirstland +thirstle +thirstless +thirstlessness +thirstproof +thirsts +thyrsus +thyrsusi +thirt +thirteen +thirteener +thirteenfold +thirteens +thirteenth +thirteenthly +thirteenths +thirty +thirties +thirtieth +thirtieths +thirtyfold +thirtyish +thirtypenny +thirtytwomo +this +thysanocarpus +thysanopter +thysanoptera +thysanopteran +thysanopteron +thysanopterous +thysanoura +thysanouran +thysanourous +thysanura +thysanuran +thysanurian +thysanuriform +thysanurous +thisbe +thysel +thyself +thysen +thishow +thislike +thisll +thisn +thisness +thissen +thistle +thistlebird +thistled +thistledown +thistlelike +thistleproof +thistlery +thistles +thistlewarp +thistly +thistlish +thiswise +thither +thitherto +thitherward +thitherwards +thitka +thitsi +thitsiol +thiuram +thivel +thixle +thixolabile +thixophobia +thixotropy +thixotropic +thlaspi +thlingchadinne +thlinget +thlipsis +tho +thob +thocht +thof +thoft +thoftfellow +thoght +thoke +thokish +tholance +thole +tholed +tholeiite +tholeiitic +tholeite +tholemod +tholepin +tholepins +tholes +tholi +tholing +tholli +tholoi +tholos +tholus +thomaean +thoman +thomas +thomasa +thomasine +thomasing +thomasite +thomisid +thomisidae +thomism +thomist +thomistic +thomistical +thomite +thomomys +thompson +thomsenolite +thomsonian +thomsonianism +thomsonite +thon +thonder +thondracians +thondraki +thondrakians +thone +thong +thonga +thonged +thongy +thongman +thongs +thoo +thooid +thoom +thor +thoracal +thoracalgia +thoracaorta +thoracectomy +thoracectomies +thoracentesis +thoraces +thoracic +thoracica +thoracical +thoracically +thoracicoabdominal +thoracicoacromial +thoracicohumeral +thoracicolumbar +thoraciform +thoracispinal +thoracoabdominal +thoracoacromial +thoracobronchotomy +thoracoceloschisis +thoracocentesis +thoracocyllosis +thoracocyrtosis +thoracodelphus +thoracodidymus +thoracodynia +thoracodorsal +thoracogastroschisis +thoracograph +thoracohumeral +thoracolysis +thoracolumbar +thoracomelus +thoracometer +thoracometry +thoracomyodynia +thoracopagus +thoracoplasty +thoracoplasties +thoracoschisis +thoracoscope +thoracoscopy +thoracostei +thoracostenosis +thoracostomy +thoracostomies +thoracostraca +thoracostracan +thoracostracous +thoracotomy +thoracotomies +thoral +thorascope +thorax +thoraxes +thore +thoria +thorianite +thorias +thoriate +thoric +thoriferous +thorina +thorite +thorites +thorium +thoriums +thorn +thornback +thornbill +thornbush +thorned +thornen +thornhead +thorny +thornier +thorniest +thornily +thorniness +thorning +thornless +thornlessness +thornlet +thornlike +thornproof +thorns +thornstone +thorntail +thoro +thorocopagous +thorogummite +thoron +thorons +thorough +thoroughbass +thoroughbrace +thoroughbred +thoroughbredness +thoroughbreds +thorougher +thoroughest +thoroughfare +thoroughfarer +thoroughfares +thoroughfaresome +thoroughfoot +thoroughfooted +thoroughfooting +thoroughgoing +thoroughgoingly +thoroughgoingness +thoroughgrowth +thoroughly +thoroughness +thoroughpaced +thoroughpin +thoroughsped +thoroughstem +thoroughstitch +thoroughstitched +thoroughway +thoroughwax +thoroughwort +thorp +thorpe +thorpes +thorps +thort +thorter +thortveitite +thos +those +thou +thoued +though +thought +thoughted +thoughten +thoughtfree +thoughtfreeness +thoughtful +thoughtfully +thoughtfulness +thoughty +thoughtkin +thoughtless +thoughtlessly +thoughtlessness +thoughtlet +thoughtness +thoughts +thoughtsick +thoughtway +thouing +thous +thousand +thousandfold +thousandfoldly +thousands +thousandth +thousandths +thousandweight +thouse +thow +thowel +thowless +thowt +thraces +thracian +thrack +thraep +thrail +thrain +thraldom +thraldoms +thrall +thrallborn +thralldom +thralled +thralling +thralls +thram +thrammle +thrang +thrangity +thranite +thranitic +thrap +thrapple +thrash +thrashed +thrashel +thrasher +thrasherman +thrashers +thrashes +thrashing +thraso +thrasonic +thrasonical +thrasonically +thrast +thratch +thraupidae +thrave +thraver +thraves +thraw +thrawart +thrawartlike +thrawartness +thrawcrook +thrawed +thrawing +thrawn +thrawneen +thrawnly +thrawnness +thraws +thrax +thread +threadbare +threadbareness +threadbarity +threaded +threaden +threader +threaders +threadfin +threadfish +threadfishes +threadflower +threadfoot +thready +threadier +threadiest +threadiness +threading +threadle +threadless +threadlet +threadlike +threadmaker +threadmaking +threads +threadway +threadweed +threadworm +threap +threaped +threapen +threaper +threapers +threaping +threaps +threat +threated +threaten +threatenable +threatened +threatener +threateners +threatening +threateningly +threateningness +threatens +threatful +threatfully +threatfulness +threating +threatless +threatproof +threats +threave +three +threedimensionality +threefold +threefolded +threefoldedness +threefoldly +threefoldness +threeling +threeness +threep +threeped +threepence +threepences +threepenny +threepennyworth +threeping +threeps +threes +threescore +threesome +threesomes +threip +thremmatology +threne +threnetic +threnetical +threnode +threnodes +threnody +threnodial +threnodian +threnodic +threnodical +threnodies +threnodist +threnos +threonin +threonine +threose +threpe +threpsology +threptic +thresh +threshal +threshed +threshel +thresher +thresherman +threshers +threshes +threshing +threshingtime +threshold +thresholds +threskiornithidae +threskiornithinae +threstle +threw +thribble +thrice +thricecock +thridace +thridacium +thrift +thriftbox +thrifty +thriftier +thriftiest +thriftily +thriftiness +thriftless +thriftlessly +thriftlessness +thriftlike +thrifts +thriftshop +thrill +thrillant +thrilled +thriller +thrillers +thrillful +thrillfully +thrilly +thrillier +thrilliest +thrilling +thrillingly +thrillingness +thrillproof +thrills +thrillsome +thrimble +thrimp +thrimsa +thrymsa +thrinax +thring +thringing +thrinter +thrioboly +thryonomys +thrip +thripel +thripid +thripidae +thrippence +thripple +thrips +thrist +thrive +thrived +thriveless +thriven +thriver +thrivers +thrives +thriving +thrivingly +thrivingness +thro +throat +throatal +throatband +throatboll +throated +throatful +throaty +throatier +throatiest +throatily +throatiness +throating +throatlash +throatlatch +throatless +throatlet +throatlike +throatroot +throats +throatstrap +throatwort +throb +throbbed +throbber +throbbers +throbbing +throbbingly +throbless +throbs +throck +throdden +throddy +throe +throed +throeing +throes +thrombase +thrombectomy +thrombectomies +thrombi +thrombin +thrombins +thromboangiitis +thromboarteritis +thrombocyst +thrombocyte +thrombocytic +thrombocytopenia +thrombocytopenic +thromboclasis +thromboclastic +thromboembolic +thromboembolism +thrombogen +thrombogenic +thromboid +thrombokinase +thrombolymphangitis +thrombolysis +thrombolytic +thrombopenia +thrombophlebitis +thromboplastic +thromboplastically +thromboplastin +thrombose +thrombosed +thromboses +thrombosing +thrombosis +thrombostasis +thrombotic +thrombus +thronal +throne +throned +thronedom +throneless +thronelet +thronelike +thrones +throneward +throng +thronged +thronger +throngful +thronging +throngingly +throngs +throning +thronize +thronoi +thronos +thrope +thropple +throroughly +throstle +throstlelike +throstles +throttle +throttleable +throttled +throttlehold +throttler +throttlers +throttles +throttling +throttlingly +throu +throuch +throucht +through +throughbear +throughbred +throughcome +throughgang +throughganging +throughgoing +throughgrow +throughither +throughknow +throughly +throughother +throughout +throughput +throughway +throughways +throve +throw +throwaway +throwaways +throwback +throwbacks +throwdown +thrower +throwers +throwing +thrown +throwoff +throwout +throws +throwst +throwster +throwwort +thru +thrum +thrumble +thrummed +thrummer +thrummers +thrummy +thrummier +thrummiest +thrumming +thrums +thrumwort +thruout +thruppence +thruput +thruputs +thrush +thrushel +thrusher +thrushes +thrushy +thrushlike +thrust +thrusted +thruster +thrusters +thrustful +thrustfulness +thrusting +thrustings +thrustle +thrustor +thrustors +thrustpush +thrusts +thrutch +thrutchings +thruthvang +thruv +thruway +thruways +thsant +thuan +thuban +thucydidean +thud +thudded +thudding +thuddingly +thuds +thug +thugdom +thugged +thuggee +thuggeeism +thuggees +thuggery +thuggeries +thuggess +thugging +thuggish +thuggism +thugs +thuya +thuyas +thuidium +thuyopsis +thuja +thujas +thujene +thujyl +thujin +thujone +thujopsis +thule +thulia +thulias +thulir +thulite +thulium +thuliums +thulr +thuluth +thumb +thumbbird +thumbed +thumber +thumbhole +thumby +thumbikin +thumbikins +thumbing +thumbkin +thumbkins +thumble +thumbless +thumblike +thumbling +thumbmark +thumbnail +thumbnails +thumbnut +thumbnuts +thumbpiece +thumbprint +thumbrope +thumbs +thumbscrew +thumbscrews +thumbstall +thumbstring +thumbtack +thumbtacked +thumbtacking +thumbtacks +thumlungur +thummin +thump +thumped +thumper +thumpers +thumping +thumpingly +thumps +thunar +thunbergia +thunbergilene +thund +thunder +thunderation +thunderball +thunderbearer +thunderbearing +thunderbird +thunderblast +thunderbolt +thunderbolts +thunderbox +thunderburst +thunderclap +thunderclaps +thundercloud +thunderclouds +thundercrack +thundered +thunderer +thunderers +thunderfish +thunderfishes +thunderflower +thunderful +thunderhead +thunderheaded +thunderheads +thundery +thundering +thunderingly +thunderless +thunderlight +thunderlike +thunderous +thunderously +thunderousness +thunderpeal +thunderplump +thunderproof +thunderpump +thunders +thundershower +thundershowers +thundersmite +thundersmiting +thundersmote +thundersquall +thunderstick +thunderstone +thunderstorm +thunderstorms +thunderstricken +thunderstrike +thunderstroke +thunderstruck +thunderwood +thunderworm +thunderwort +thundrous +thundrously +thung +thunge +thunnidae +thunnus +thunor +thuoc +thurberia +thurgi +thurible +thuribles +thuribuler +thuribulum +thurifer +thuriferous +thurifers +thurify +thurificate +thurificati +thurification +thuringian +thuringite +thurio +thurl +thurle +thurls +thurm +thurmus +thurnia +thurniaceae +thurrock +thursday +thursdays +thurse +thurst +thurt +thus +thusgate +thushi +thusly +thusness +thuswise +thutter +thwack +thwacked +thwacker +thwackers +thwacking +thwackingly +thwacks +thwackstave +thwait +thwaite +thwart +thwarted +thwartedly +thwarteous +thwarter +thwarters +thwarting +thwartingly +thwartly +thwartman +thwartmen +thwartness +thwartover +thwarts +thwartsaw +thwartship +thwartships +thwartways +thwartwise +thwite +thwittle +thworl +ti +tiahuanacan +tiam +tiang +tiangue +tiao +tiar +tiara +tiaraed +tiaralike +tiaras +tiarella +tiatinagua +tyauve +tib +tybalt +tibby +tibbie +tibbit +tibbu +tibey +tiber +tiberian +tiberine +tiberius +tibert +tibet +tibetan +tibetans +tibia +tibiad +tibiae +tibial +tibiale +tibialia +tibialis +tibias +tibicen +tibicinist +tibiocalcanean +tibiofemoral +tibiofibula +tibiofibular +tibiometatarsal +tibionavicular +tibiopopliteal +tibioscaphoid +tibiotarsal +tibiotarsi +tibiotarsus +tibiotarsusi +tibouchina +tibourbou +tyburn +tyburnian +tiburon +tiburtine +tic +tical +ticals +ticca +ticchen +tice +ticement +ticer +tyche +tichel +tychism +tychistic +tychite +tichodroma +tichodrome +tychonian +tychonic +tychoparthenogenesis +tychopotamic +tichorhine +tichorrhine +tick +tickbean +tickbird +tickeater +ticked +tickey +ticken +ticker +tickers +ticket +ticketed +ticketer +ticketing +ticketless +ticketmonger +tickets +ticky +tickicide +tickie +ticking +tickings +tickle +tickleback +ticklebrain +tickled +ticklely +ticklenburg +ticklenburgs +tickleness +tickleproof +tickler +ticklers +tickles +ticklesome +tickless +tickleweed +tickly +tickliness +tickling +ticklingly +ticklish +ticklishly +ticklishness +tickney +tickproof +ticks +tickseed +tickseeded +tickseeds +ticktack +ticktacked +ticktacker +ticktacking +ticktacks +ticktacktoe +ticktacktoo +ticktick +ticktock +ticktocked +ticktocking +ticktocks +tickweed +tycoon +tycoonate +tycoons +tics +tictac +tictacked +tictacking +tictacs +tictactoe +tictic +tictoc +tictocked +tictocking +tictocs +ticul +ticuna +ticunan +tid +tidal +tidally +tidbit +tidbits +tydden +tidder +tiddy +tyddyn +tiddle +tiddledywinks +tiddley +tiddleywink +tiddler +tiddly +tiddling +tiddlywink +tiddlywinker +tiddlywinking +tiddlywinks +tide +tidecoach +tided +tideful +tidehead +tideland +tidelands +tideless +tidelessness +tidely +tidelike +tideling +tidemaker +tidemaking +tidemark +tidemarks +tiderace +tiderip +tiderips +tiderode +tides +tidesman +tidesurveyor +tideswell +tydeus +tideway +tideways +tidewaiter +tidewaitership +tideward +tidewater +tidewaters +tidi +tidy +tidiable +tydie +tidied +tidier +tidies +tidiest +tidife +tidying +tidyism +tidily +tidiness +tidinesses +tiding +tidingless +tidings +tidiose +tidytips +tidley +tidling +tidology +tidological +tie +tye +tieback +tiebacks +tieboy +tiebreaker +tieclasp +tieclasps +tied +tiedog +tyee +tyees +tiefenthal +tieing +tieless +tiemaker +tiemaking +tiemannite +tien +tienda +tiens +tienta +tiento +tiepin +tiepins +tier +tierce +tierced +tiercel +tiercels +tierceron +tierces +tiered +tierer +tiering +tierlike +tierras +tiers +tiersman +ties +tyes +tietick +tievine +tiewig +tiewigged +tiff +tiffany +tiffanies +tiffanyite +tiffed +tiffy +tiffie +tiffin +tiffined +tiffing +tiffining +tiffins +tiffish +tiffle +tiffs +tifinagh +tift +tifter +tig +tyg +tige +tigella +tigellate +tigelle +tigellum +tigellus +tiger +tigerbird +tigereye +tigereyes +tigerfish +tigerfishes +tigerflower +tigerfoot +tigerhearted +tigerhood +tigery +tigerish +tigerishly +tigerishness +tigerism +tigerkin +tigerly +tigerlike +tigerling +tigernut +tigerproof +tigers +tigerwood +tigger +tight +tighten +tightened +tightener +tighteners +tightening +tightenings +tightens +tighter +tightest +tightfisted +tightfistedly +tightfistedness +tightfitting +tightish +tightknit +tightly +tightlier +tightliest +tightlipped +tightness +tightrope +tightroped +tightropes +tightroping +tights +tightwad +tightwads +tightwire +tiglaldehyde +tiglic +tiglinic +tiglon +tiglons +tignon +tignum +tigon +tigons +tigrai +tigre +tigrean +tigress +tigresses +tigresslike +tigridia +tigrina +tigrine +tigrinya +tigris +tigrish +tigroid +tigrolysis +tigrolytic +tigrone +tigtag +tigua +tigurine +tyigh +tying +tike +tyke +tyken +tikes +tykes +tykhana +tiki +tyking +tikis +tikitiki +tikka +tikker +tikkun +tiklin +tikolosh +tikoloshe +tikoor +tikor +tikur +til +tilaite +tilak +tilaka +tilaks +tilapia +tilapias +tylari +tylarus +tilasite +tylaster +tilbury +tilburies +tilda +tilde +tilden +tildes +tile +tyleberry +tiled +tilefish +tilefishes +tileyard +tilelike +tilemaker +tilemaking +tylenchus +tiler +tyler +tilery +tileries +tylerism +tylerite +tylerize +tileroot +tilers +tiles +tileseed +tilesherd +tilestone +tilette +tileways +tilework +tileworks +tilewright +tilia +tiliaceae +tiliaceous +tilicetum +tilyer +tilikum +tiling +tilings +tylion +till +tillable +tillaea +tillaeastrum +tillage +tillages +tillamook +tillandsia +tilled +tilley +tiller +tillered +tillering +tillerless +tillerman +tillermen +tillers +tillet +tilletia +tilletiaceae +tilletiaceous +tilly +tillicum +tilling +tillite +tillman +tillodont +tillodontia +tillodontidae +tillot +tillotter +tills +tilmus +tylocin +tyloma +tylopod +tylopoda +tylopodous +tylosaurus +tylose +tyloses +tylosis +tylosoid +tylosteresis +tylostylar +tylostyle +tylostylote +tylostylus +tylostoma +tylostomaceae +tylosurus +tylotate +tylote +tylotic +tylotoxea +tylotoxeate +tylotus +tilpah +tils +tilsit +tilt +tiltable +tiltboard +tilted +tilter +tilters +tilth +tilthead +tilths +tilty +tiltyard +tiltyards +tilting +tiltlike +tiltmaker +tiltmaking +tiltmeter +tilts +tiltup +tilture +tylus +tim +timable +timaeus +timalia +timaliidae +timaliinae +timaliine +timaline +timani +timar +timarau +timaraus +timariot +timarri +timaua +timawa +timazite +timbal +tymbal +timbale +timbales +tymbalon +timbals +tymbals +timbang +timbe +timber +timberdoodle +timbered +timberer +timberhead +timbery +timberyard +timbering +timberjack +timberland +timberlands +timberless +timberlike +timberline +timberlines +timberling +timberman +timbermen +timbermonger +timbern +timbers +timbersome +timbertuned +timberwood +timberwork +timberwright +timbestere +timbira +timbo +timbre +timbrel +timbreled +timbreler +timbrelled +timbreller +timbrels +timbres +timbrology +timbrologist +timbromania +timbromaniac +timbromanist +timbrophily +timbrophilic +timbrophilism +timbrophilist +time +timeable +timebinding +timecard +timecards +timed +timeful +timefully +timefulness +timekeep +timekeeper +timekeepers +timekeepership +timekeeping +timeless +timelessly +timelessness +timely +timelia +timelier +timeliest +timeliidae +timeliine +timelily +timeliness +timeling +timenoguy +timeous +timeously +timeout +timeouts +timepiece +timepieces +timepleaser +timeproof +timer +timerau +timerity +timers +times +timesaver +timesavers +timesaving +timescale +timeserver +timeservers +timeserving +timeservingness +timeshare +timeshares +timesharing +timestamp +timestamps +timet +timetable +timetables +timetaker +timetaking +timetrp +timeward +timework +timeworker +timeworks +timeworn +timias +timid +timider +timidest +timidity +timidities +timidly +timidness +timidous +timing +timings +timish +timist +timmer +timne +timo +timocracy +timocracies +timocratic +timocratical +timon +timoneer +timonian +timonism +timonist +timonize +timor +timorese +timoroso +timorous +timorously +timorousness +timorousnous +timorsome +timote +timotean +timothean +timothy +timothies +tymp +tympan +timpana +tympana +tympanal +tympanam +tympanectomy +timpani +tympani +tympany +tympanic +tympanichord +tympanichordal +tympanicity +tympanies +tympaniform +tympaning +tympanism +timpanist +tympanist +timpanists +tympanites +tympanitic +tympanitis +tympanize +timpano +tympano +tympanocervical +tympanohyal +tympanomalleal +tympanomandibular +tympanomastoid +tympanomaxillary +tympanon +tympanoperiotic +tympanosis +tympanosquamosal +tympanostapedial +tympanotemporal +tympanotomy +tympans +tympanuchus +timpanum +tympanum +timpanums +tympanums +timucua +timucuan +timuquan +timuquanan +timwhisky +tin +tina +tinage +tinaja +tinamidae +tinamine +tinamou +tinamous +tinampipi +tinbergen +tinc +tincal +tincals +tinchel +tinchill +tinclad +tinct +tincted +tincting +tinction +tinctorial +tinctorially +tinctorious +tincts +tinctumutation +tincture +tinctured +tinctures +tincturing +tind +tynd +tindal +tyndallization +tyndallize +tyndallmeter +tindalo +tinder +tinderbox +tinderboxes +tindered +tindery +tinderish +tinderlike +tinderous +tinders +tine +tyne +tinea +tineal +tinean +tineas +tined +tyned +tinegrass +tineid +tineidae +tineids +tineina +tineine +tineman +tinemen +tineoid +tineoidea +tineola +tinerer +tines +tynes +tinetare +tinety +tineweed +tinfoil +tinfoils +tinful +tinfuls +ting +tinge +tinged +tingeing +tingent +tinger +tinges +tinggian +tingi +tingibility +tingible +tingid +tingidae +tinging +tingis +tingitid +tingitidae +tinglass +tingle +tingled +tingler +tinglers +tingles +tingletangle +tingly +tinglier +tingliest +tingling +tinglingly +tinglish +tings +tingtang +tinguaite +tinguaitic +tinguy +tinguian +tinhorn +tinhorns +tinhouse +tiny +tinier +tiniest +tinily +tininess +tininesses +tining +tyning +tink +tinker +tinkerbird +tinkerdom +tinkered +tinkerer +tinkerers +tinkering +tinkerly +tinkerlike +tinkers +tinkershere +tinkershire +tinkershue +tinkerwise +tinkle +tinkled +tinkler +tinklerman +tinkles +tinkly +tinklier +tinkliest +tinkling +tinklingly +tinklings +tinlet +tinlike +tinman +tinmen +tinne +tinned +tinnen +tinner +tinnery +tinners +tinnet +tinni +tinny +tinnient +tinnier +tinniest +tinnified +tinnily +tinniness +tinning +tinnitus +tinnituses +tinnock +tino +tinoceras +tinoceratid +tinosa +tinplate +tinplates +tinpot +tins +tinsel +tinseled +tinseling +tinselled +tinselly +tinsellike +tinselling +tinselmaker +tinselmaking +tinselry +tinsels +tinselweaver +tinselwork +tinsy +tinsman +tinsmen +tinsmith +tinsmithy +tinsmithing +tinsmiths +tinstone +tinstones +tinstuff +tint +tinta +tintack +tintage +tintamar +tintamarre +tintarron +tinted +tinter +tinternell +tinters +tinty +tintie +tintiness +tinting +tintingly +tintings +tintinnabula +tintinnabulant +tintinnabular +tintinnabulary +tintinnabulate +tintinnabulation +tintinnabulations +tintinnabulatory +tintinnabulism +tintinnabulist +tintinnabulous +tintinnabulum +tintype +tintyper +tintypes +tintist +tintless +tintlessness +tintometer +tintometry +tintometric +tints +tinwald +tynwald +tinware +tinwares +tinwoman +tinwork +tinworker +tinworking +tinworks +tinzenite +tionontates +tionontati +tiou +tip +typ +typable +typal +typarchical +tipburn +tipcart +tipcarts +tipcat +tipcats +tipe +type +typeable +typebar +typebars +typecase +typecases +typecast +typecasting +typecasts +typed +typees +typeface +typefaces +typeform +typefounder +typefounders +typefounding +typefoundry +typehead +typeholder +typey +typeless +typeout +typer +types +typescript +typescripts +typeset +typeseting +typesets +typesetter +typesetters +typesetting +typesof +typewrite +typewriter +typewriters +typewrites +typewriting +typewritten +typewrote +tipful +typha +typhaceae +typhaceous +typhaemia +tiphead +typhemia +tiphia +typhia +typhic +tiphiidae +typhinia +typhization +typhlatony +typhlatonia +typhlectasis +typhlectomy +typhlenteritis +typhlitic +typhlitis +typhloalbuminuria +typhlocele +typhloempyema +typhloenteritis +typhlohepatitis +typhlolexia +typhlolithiasis +typhlology +typhlologies +typhlomegaly +typhlomolge +typhlon +typhlopexy +typhlopexia +typhlophile +typhlopid +typhlopidae +typhlops +typhloptosis +typhlosis +typhlosolar +typhlosole +typhlostenosis +typhlostomy +typhlotomy +typhoaemia +typhobacillosis +typhoean +typhoemia +typhoeus +typhogenic +typhoid +typhoidal +typhoidin +typhoidlike +typhoids +typholysin +typhomalaria +typhomalarial +typhomania +typhon +typhonia +typhonian +typhonic +typhons +typhoon +typhoonish +typhoons +typhopneumonia +typhose +typhosepsis +typhosis +typhotoxine +typhous +typhula +typhus +typhuses +tipi +typy +typic +typica +typical +typicality +typically +typicalness +typicon +typicum +typier +typiest +typify +typification +typified +typifier +typifiers +typifies +typifying +typika +typikon +typikons +typing +tipis +typist +typists +tipit +tipiti +tiple +tipless +tiplet +tipman +tipmen +tipmost +typo +typobar +typocosmy +tipoff +tipoffs +typograph +typographer +typographers +typography +typographia +typographic +typographical +typographically +typographies +typographist +typolithography +typolithographic +typology +typologic +typological +typologically +typologies +typologist +typomania +typometry +tiponi +typonym +typonymal +typonymic +typonymous +typophile +typorama +typos +typoscript +typotelegraph +typotelegraphy +typothere +typotheria +typotheriidae +typothetae +typp +tippable +tipped +tippee +tipper +tippers +tippet +tippets +tippy +tippier +tippiest +tipping +tippytoe +tipple +tippled +tippleman +tippler +tipplers +tipples +tipply +tippling +tipproof +typps +tipree +tips +tipsy +tipsier +tipsiest +tipsify +tipsification +tipsifier +tipsily +tipsiness +tipstaff +tipstaffs +tipstaves +tipster +tipsters +tipstock +tipstocks +tiptail +tipteerer +tiptilt +tiptoe +tiptoed +tiptoeing +tiptoeingly +tiptoes +tiptoing +typtology +typtological +typtologist +tiptop +tiptopness +tiptopper +tiptoppish +tiptoppishness +tiptops +tiptopsome +tipula +tipularia +tipulid +tipulidae +tipuloid +tipuloidea +tipup +tipura +typw +tiqueur +tyr +tirade +tirades +tirage +tirailleur +tiralee +tyramin +tyramine +tyramines +tyranness +tyranni +tyranny +tyrannial +tyrannic +tyrannical +tyrannically +tyrannicalness +tyrannicidal +tyrannicide +tyrannicly +tyrannidae +tyrannides +tyrannies +tyranninae +tyrannine +tyrannis +tyrannise +tyrannised +tyranniser +tyrannising +tyrannisingly +tyrannism +tyrannize +tyrannized +tyrannizer +tyrannizers +tyrannizes +tyrannizing +tyrannizingly +tyrannoid +tyrannophobia +tyrannosaur +tyrannosaurs +tyrannosaurus +tyrannosauruses +tyrannous +tyrannously +tyrannousness +tyrannus +tyrant +tyrantcraft +tyrantlike +tyrants +tyrantship +tyrasole +tirasse +tiraz +tire +tyre +tired +tyred +tireder +tiredest +tiredly +tiredness +tiredom +tirehouse +tireless +tirelessly +tirelessness +tireling +tiremaid +tiremaker +tiremaking +tireman +tiremen +tirement +tyremesis +tirer +tireroom +tires +tyres +tiresias +tiresmith +tiresol +tiresome +tiresomely +tiresomeness +tiresomeweed +tirewoman +tirewomen +tirhutia +tyrian +tyriasis +tiriba +tiring +tyring +tiringly +tirl +tirled +tirling +tirls +tirma +tiro +tyro +tyrocidin +tyrocidine +tirocinia +tirocinium +tyroglyphid +tyroglyphidae +tyroglyphus +tyroid +tirolean +tyrolean +tirolese +tyrolese +tyrolienne +tyrolite +tyrology +tyroma +tyromancy +tyromas +tyromata +tyromatous +tyrone +tironian +tyronic +tyronism +tiros +tyros +tyrosyl +tyrosinase +tyrosine +tyrosines +tyrosinuria +tyrothricin +tyrotoxicon +tyrotoxine +tirr +tyrr +tirracke +tirralirra +tirret +tyrrhene +tyrrheni +tyrrhenian +tirribi +tirrit +tirrivee +tirrivees +tirrivie +tirrlie +tirrwirr +tyrsenoi +tirshatha +tyrtaean +tirthankara +tirurai +tirve +tirwit +tis +tisane +tisanes +tisar +tishiya +tishri +tisic +tisiphone +tysonite +tissu +tissual +tissue +tissued +tissuey +tissueless +tissuelike +tissues +tissuing +tisswood +tyste +tystie +tiswin +tit +tyt +titan +titanate +titanates +titanaugite +titanesque +titaness +titanesses +titania +titanian +titanias +titanic +titanical +titanically +titanichthyidae +titanichthys +titaniferous +titanifluoride +titanyl +titanism +titanisms +titanite +titanites +titanitic +titanium +titaniums +titanlike +titano +titanocyanide +titanocolumbate +titanofluoride +titanolater +titanolatry +titanomachy +titanomachia +titanomagnetite +titanoniobate +titanosaur +titanosaurus +titanosilicate +titanothere +titanotheridae +titanotherium +titanous +titans +titar +titbit +titbits +titbitty +tite +titer +titeration +titers +titfer +titfish +tithable +tithal +tithe +tythe +tithebook +tithed +tythed +titheless +tithemonger +tithepayer +tither +titheright +tithers +tithes +tythes +tithymal +tithymalopsis +tithymalus +tithing +tything +tithingman +tithingmen +tithingpenny +tithings +tithonia +tithonias +tithonic +tithonicity +tithonographic +tithonometer +tithonus +titi +titian +titianesque +titianic +titians +titien +tities +titilate +titillability +titillant +titillate +titillated +titillater +titillates +titillating +titillatingly +titillation +titillations +titillative +titillator +titillatory +titis +titivate +titivated +titivates +titivating +titivation +titivator +titivil +titiviller +titlark +titlarks +title +titleboard +titled +titledom +titleholder +titleless +titlene +titleproof +titler +titles +titleship +titlike +titling +titlist +titlists +titmal +titmall +titman +titmarsh +titmarshian +titmen +titmice +titmmice +titmouse +tyto +titoism +titoist +titoki +tytonidae +titrable +titrant +titrants +titratable +titrate +titrated +titrates +titrating +titration +titrator +titrators +titre +titres +titrimetry +titrimetric +titrimetrically +tits +titter +titteration +tittered +titterel +titterer +titterers +tittery +tittering +titteringly +titters +titty +tittie +titties +tittymouse +tittivate +tittivated +tittivating +tittivation +tittivator +tittle +tittlebat +tittler +tittles +tittlin +tittup +tittuped +tittupy +tittuping +tittupped +tittuppy +tittupping +tittups +titubancy +titubant +titubantly +titubate +titubation +titulado +titular +titulary +titularies +titularity +titularly +titulars +titulation +titule +tituli +titulus +titurel +titus +tiu +tyum +tiver +tivy +tivoli +tiwaz +tiza +tizeur +tizwin +tizzy +tizzies +tjaele +tjandi +tjanting +tjenkal +tji +tjosite +tjurunga +tk +tkt +tlaco +tlakluit +tlapallan +tlascalan +tlingit +tln +tlo +tlr +tm +tmema +tmemata +tmeses +tmesipteris +tmesis +tmh +tn +tng +tnpk +tnt +to +toa +toad +toadback +toadeat +toadeater +toadeating +toader +toadery +toadess +toadfish +toadfishes +toadflax +toadflaxes +toadflower +toadhead +toady +toadied +toadier +toadies +toadying +toadyish +toadyism +toadyisms +toadish +toadyship +toadishness +toadless +toadlet +toadlike +toadlikeness +toadling +toadpipe +toadpipes +toadroot +toads +toadship +toadstone +toadstool +toadstoollike +toadstools +toadwise +toag +toarcian +toast +toastable +toasted +toastee +toaster +toasters +toasty +toastier +toastiest +toastiness +toasting +toastmaster +toastmastery +toastmasters +toastmistress +toastmistresses +toasts +toat +toatoa +tob +toba +tobacco +tobaccoes +tobaccofied +tobaccoy +tobaccoism +tobaccoite +tobaccoless +tobaccolike +tobaccoman +tobaccomen +tobacconalian +tobacconing +tobacconist +tobacconistical +tobacconists +tobacconize +tobaccophil +tobaccoroot +tobaccos +tobaccosim +tobaccoweed +tobaccowood +tobe +toby +tobiah +tobias +tobies +tobikhar +tobyman +tobymen +tobine +tobira +toboggan +tobogganed +tobogganeer +tobogganer +tobogganing +tobogganist +tobogganists +toboggans +tocalote +toccata +toccatas +toccate +toccatina +toch +tocharese +tocharian +tocharic +tocharish +tocher +tochered +tochering +tocherless +tochers +tock +toco +tocobaga +tocodynamometer +tocogenetic +tocogony +tocokinin +tocology +tocological +tocologies +tocologist +tocome +tocometer +tocopherol +tocophobia +tocororo +tocsin +tocsins +tocusso +tod +toda +today +todayish +todayll +todays +todd +todder +toddy +toddick +toddies +toddyize +toddyman +toddymen +toddite +toddle +toddled +toddlekins +toddler +toddlers +toddles +toddling +tode +todea +todelike +tody +todidae +todies +todlowrie +tods +todus +toe +toea +toeboard +toecap +toecapped +toecaps +toed +toehold +toeholds +toey +toeing +toeless +toelike +toellite +toenail +toenailed +toenailing +toenails +toepiece +toepieces +toeplate +toeplates +toerless +toernebohmite +toes +toeshoe +toeshoes +toetoe +toff +toffee +toffeeman +toffees +toffy +toffies +toffyman +toffymen +toffing +toffish +toffs +tofieldia +tofile +tofore +toforn +toft +tofter +toftman +toftmen +tofts +toftstead +tofu +tofus +tog +toga +togae +togaed +togalike +togas +togata +togate +togated +togawise +toged +togeman +together +togetherhood +togetheriness +togetherness +togethers +togged +toggel +togger +toggery +toggeries +togging +toggle +toggled +toggler +togglers +toggles +toggling +togless +togo +togs +togt +togue +togues +toher +toheroa +toho +tohome +tohubohu +tohunga +toi +toy +toydom +toyed +toyer +toyers +toyful +toyfulness +toyhouse +toying +toyingly +toyish +toyishly +toyishness +toil +toyland +toile +toiled +toiler +toilers +toiles +toyless +toilet +toileted +toileting +toiletry +toiletries +toilets +toilette +toiletted +toilettes +toiletware +toilful +toilfully +toylike +toilinet +toilinette +toiling +toilingly +toilless +toillessness +toils +toilsome +toilsomely +toilsomeness +toilworn +toymaker +toymaking +toyman +toymen +toyo +toyon +toyons +toyos +toyota +toyotas +toys +toise +toisech +toised +toyshop +toising +toysome +toison +toist +toit +toited +toity +toiting +toitish +toitoi +toytown +toits +toivel +toywoman +toywort +tokay +tokays +tokamak +toke +toked +tokelau +token +tokened +tokening +tokenism +tokenisms +tokenize +tokenless +tokens +tokenworth +tokes +tokharian +toking +tokyo +tokyoite +tokyoites +toko +tokodynamometer +tokology +tokologies +tokoloshe +tokonoma +tokonomas +tokopat +toktokje +tol +tola +tolamine +tolan +tolane +tolanes +tolans +tolas +tolbooth +tolbooths +tolbutamide +told +tolderia +toldo +tole +toled +toledan +toledo +toledoan +toledos +tolerability +tolerable +tolerableness +tolerably +tolerablish +tolerance +tolerances +tolerancy +tolerant +tolerantism +tolerantly +tolerate +tolerated +tolerates +tolerating +toleration +tolerationism +tolerationist +tolerative +tolerator +tolerators +tolerism +toles +toletan +toleware +tolfraedic +tolguacha +tolidin +tolidine +tolidines +tolidins +tolyl +tolylene +tolylenediamine +tolyls +toling +tolipane +tolypeutes +tolypeutine +tolite +toll +tollable +tollage +tollages +tollbar +tollbars +tollbook +tollbooth +tollbooths +tolled +tollefsen +tollent +toller +tollery +tollers +tollgate +tollgates +tollgatherer +tollhall +tollhouse +tollhouses +tolly +tollies +tolliker +tolling +tollkeeper +tollman +tollmaster +tollmen +tollon +tollpenny +tolls +tolltaker +tollway +tollways +tolmen +tolowa +tolpatch +tolpatchery +tolsey +tolsel +tolsester +tolstoy +tolstoyan +tolstoyism +tolstoyist +tolt +toltec +toltecan +tolter +tolu +tolualdehyde +toluate +toluates +toluene +toluenes +toluic +toluid +toluide +toluides +toluidide +toluidin +toluidine +toluidino +toluidins +toluido +toluids +toluifera +toluyl +toluylene +toluylenediamine +toluylic +toluyls +tolunitrile +toluol +toluole +toluoles +toluols +toluquinaldine +tolus +tolusafranine +tolutation +tolzey +tom +toma +tomahawk +tomahawked +tomahawker +tomahawking +tomahawks +tomalley +tomalleys +toman +tomand +tomans +tomas +tomatillo +tomatilloes +tomatillos +tomato +tomatoes +tomb +tombac +tomback +tombacks +tombacs +tombak +tombaks +tombal +tombe +tombed +tombic +tombing +tombless +tomblet +tomblike +tomboy +tomboyful +tomboyish +tomboyishly +tomboyishness +tomboyism +tomboys +tombola +tombolo +tombolos +tombs +tombstone +tombstones +tomcat +tomcats +tomcatted +tomcatting +tomcod +tomcods +tome +tomeful +tomelet +toment +tomenta +tomentose +tomentous +tomentulose +tomentum +tomes +tomfool +tomfoolery +tomfooleries +tomfoolish +tomfoolishness +tomfools +tomia +tomial +tomin +tomines +tomish +tomistoma +tomium +tomiumia +tomjohn +tomjon +tomkin +tommed +tommer +tommy +tommybag +tommycod +tommies +tomming +tommyrot +tommyrots +tomnoddy +tomnorry +tomnoup +tomogram +tomograms +tomograph +tomography +tomographic +tomographies +tomolo +tomomania +tomopteridae +tomopteris +tomorn +tomorrow +tomorrower +tomorrowing +tomorrowness +tomorrows +tomosis +tompion +tompions +tompiper +tompon +tomrig +toms +tomtate +tomtit +tomtitmouse +tomtits +ton +tonada +tonal +tonalamatl +tonalist +tonalite +tonality +tonalities +tonalitive +tonally +tonalmatl +tonant +tonation +tondi +tondino +tondo +tone +toned +tonedeafness +tonelada +toneladas +toneless +tonelessly +tonelessness +toneme +tonemes +tonemic +toneproof +toner +toners +tones +tonetic +tonetically +tonetician +tonetics +tonette +tonettes +tong +tonga +tongan +tongas +tonged +tonger +tongers +tonging +tongkang +tongman +tongmen +tongrian +tongs +tongsman +tongsmen +tongue +tonguebird +tonguecraft +tongued +tonguedoughty +tonguefence +tonguefencer +tonguefish +tonguefishes +tongueflower +tongueful +tonguefuls +tonguey +tongueless +tonguelessness +tonguelet +tonguelike +tongueman +tonguemanship +tonguemen +tongueplay +tongueproof +tonguer +tongues +tongueshot +tonguesman +tonguesore +tonguester +tonguetip +tonguy +tonguiness +tonguing +tonguings +tony +tonic +tonical +tonically +tonicity +tonicities +tonicize +tonicked +tonicking +tonicobalsamic +tonicoclonic +tonicostimulant +tonics +tonier +tonies +toniest +tonify +tonight +tonights +tonyhoop +tonikan +toning +tonish +tonishly +tonishness +tonite +tonitrocirrus +tonitrophobia +tonitrual +tonitruant +tonitruone +tonitruous +tonjon +tonk +tonka +tonkawa +tonkawan +tonkin +tonkinese +tonlet +tonlets +tonn +tonna +tonnage +tonnages +tonne +tonneau +tonneaued +tonneaus +tonneaux +tonnelle +tonner +tonners +tonnes +tonnish +tonnishly +tonnishness +tonnland +tonoclonic +tonogram +tonograph +tonology +tonological +tonometer +tonometry +tonometric +tonophant +tonoplast +tonoscope +tonotactic +tonotaxis +tonous +tons +tonsbergite +tonsil +tonsilar +tonsile +tonsilectomy +tonsilitic +tonsilitis +tonsillar +tonsillary +tonsillectome +tonsillectomy +tonsillectomic +tonsillectomies +tonsillectomize +tonsillith +tonsillitic +tonsillitis +tonsillolith +tonsillotome +tonsillotomy +tonsillotomies +tonsilomycosis +tonsils +tonsor +tonsorial +tonsurate +tonsure +tonsured +tonsures +tonsuring +tontine +tontiner +tontines +tonto +tonus +tonuses +too +tooart +toodle +toodleloodle +took +tooken +tool +toolach +toolbox +toolboxes +toolbuilder +toolbuilding +tooled +tooler +toolers +toolhead +toolheads +toolholder +toolholding +toolhouse +tooling +toolings +toolkit +toolless +toolmake +toolmaker +toolmakers +toolmaking +toolman +toolmark +toolmarking +toolmen +toolplate +toolroom +toolrooms +tools +toolsetter +toolshed +toolsheds +toolsi +toolsy +toolslide +toolsmith +toolstock +toolstone +toom +toomly +toon +toona +toons +toonwood +toop +toorie +toorock +tooroo +toosh +toosie +toot +tooted +tooter +tooters +tooth +toothache +toothaches +toothachy +toothaching +toothbill +toothbrush +toothbrushes +toothbrushy +toothbrushing +toothchiseled +toothcomb +toothcup +toothdrawer +toothdrawing +toothed +toother +toothflower +toothful +toothy +toothier +toothiest +toothily +toothill +toothing +toothless +toothlessly +toothlessness +toothlet +toothleted +toothlike +toothpaste +toothpastes +toothpick +toothpicks +toothplate +toothpowder +toothproof +tooths +toothshell +toothsome +toothsomely +toothsomeness +toothstick +toothwash +toothwork +toothwort +tooting +tootinghole +tootle +tootled +tootler +tootlers +tootles +tootling +tootlish +tootmoot +toots +tootses +tootsy +tootsie +tootsies +toozle +toozoo +top +topaesthesia +topalgia +toparch +toparchy +toparchia +toparchiae +toparchical +toparchies +topas +topass +topato +topatopa +topau +topaz +topazes +topazfels +topazy +topazine +topazite +topazolite +topcap +topcast +topcastle +topchrome +topcoat +topcoating +topcoats +topcross +topcrosses +topdress +topdressing +tope +topechee +topectomy +topectomies +toped +topee +topees +topeewallah +topeka +topeng +topepo +toper +toperdom +topers +topes +topesthesia +topfilled +topflight +topflighter +topful +topfull +topgallant +toph +tophaceous +tophaike +tophamper +tophe +tophes +tophet +tophetic +tophetical +tophetize +tophi +tophyperidrosis +tophous +tophphi +tophs +tophus +topi +topia +topiary +topiaria +topiarian +topiaries +topiarist +topiarius +topic +topical +topicality +topicalities +topically +topics +topinambou +toping +topinish +topis +topiwala +topkick +topkicks +topknot +topknots +topknotted +topless +toplessness +toplighted +toplike +topline +topliner +toplofty +toploftical +toploftier +toploftiest +toploftily +toploftiness +topmaker +topmaking +topman +topmast +topmasts +topmaul +topmen +topminnow +topminnows +topmost +topmostly +topnet +topnotch +topnotcher +topo +topoalgia +topocentric +topochemical +topochemistry +topodeme +topog +topognosia +topognosis +topograph +topographer +topographers +topography +topographic +topographical +topographically +topographics +topographies +topographist +topographize +topographometric +topoi +topolatry +topology +topologic +topological +topologically +topologies +topologist +topologize +toponarcosis +toponeural +toponeurosis +toponym +toponymal +toponymy +toponymic +toponymical +toponymics +toponymies +toponymist +toponymous +toponyms +topophobia +topophone +topopolitan +topos +topotactic +topotaxis +topotype +topotypes +topotypic +topotypical +topped +topper +toppers +toppy +toppiece +topping +toppingly +toppingness +toppings +topple +toppled +toppler +topples +topply +toppling +toprail +toprope +tops +topsail +topsailite +topsails +topsy +topside +topsider +topsiders +topsides +topsyturn +topsyturviness +topsl +topsman +topsmelt +topsmelts +topsmen +topsoil +topsoiled +topsoiling +topsoils +topspin +topssmelt +topstitch +topstone +topstones +topswarm +toptail +topwise +topwork +topworked +topworking +topworks +toque +toques +toquet +toquets +toquilla +tor +tora +torah +torahs +toraja +toral +toran +torana +toras +torbanite +torbanitic +torbernite +torc +torcel +torch +torchbearer +torchbearers +torchbearing +torched +torcher +torchere +torcheres +torches +torchet +torchy +torchier +torchiers +torchiest +torching +torchless +torchlight +torchlighted +torchlike +torchlit +torchman +torchon +torchons +torchweed +torchwood +torchwort +torcs +torcular +torculus +tordion +tordrillite +tore +toreador +toreadors +tored +torenia +torero +toreros +tores +toret +toreumatography +toreumatology +toreutic +toreutics +torfaceous +torfel +torfle +torgoch +torgot +tori +tory +toric +torydom +tories +toryess +toriest +toryfy +toryfication +torified +toryhillite +torii +toryish +toryism +toryistic +toryize +torilis +torinese +toriness +toryship +toryweed +torma +tormae +tormen +torment +tormenta +tormentable +tormentation +tormentative +tormented +tormentedly +tormenter +tormenters +tormentful +tormentil +tormentilla +tormenting +tormentingly +tormentingness +tormentive +tormentor +tormentors +tormentous +tormentress +tormentry +torments +tormentum +tormina +torminal +torminous +tormodont +torn +tornachile +tornada +tornade +tornadic +tornado +tornadoes +tornadoesque +tornadolike +tornadoproof +tornados +tornal +tornaria +tornariae +tornarian +tornarias +torney +tornese +tornesi +tornilla +tornillo +tornillos +tornit +tornote +tornus +toro +toroid +toroidal +toroidally +toroids +torolillo +toromona +toronja +toronto +torontonian +tororokombu +toros +torosaurus +torose +torosity +torosities +toroth +torotoro +torous +torpedineer +torpedinidae +torpedinous +torpedo +torpedoed +torpedoer +torpedoes +torpedoing +torpedoist +torpedolike +torpedoman +torpedomen +torpedoplane +torpedoproof +torpedos +torpent +torpescence +torpescent +torpex +torpid +torpidity +torpidities +torpidly +torpidness +torpids +torpify +torpified +torpifying +torpitude +torpor +torporific +torporize +torpors +torquate +torquated +torque +torqued +torquer +torquers +torques +torqueses +torquing +torr +torrefacation +torrefaction +torrefy +torrefication +torrefied +torrefies +torrefying +torreya +torrens +torrent +torrentful +torrentfulness +torrential +torrentiality +torrentially +torrentine +torrentless +torrentlike +torrents +torrentuous +torrentwise +torret +torricellian +torrid +torrider +torridest +torridity +torridly +torridness +torridonian +torrify +torrified +torrifies +torrifying +torrone +torrubia +tors +torsade +torsades +torsalo +torse +torsel +torses +torsi +torsibility +torsigraph +torsile +torsimeter +torsiogram +torsiograph +torsiometer +torsion +torsional +torsionally +torsioning +torsionless +torsions +torsive +torsk +torsks +torso +torsoclusion +torsoes +torsometer +torsoocclusion +torsos +torsten +tort +torta +tortays +torte +torteau +torteaus +torteaux +tortellini +torten +tortes +tortfeasor +tortfeasors +torticollar +torticollis +torticone +tortie +tortil +tortile +tortility +tortilla +tortillas +tortille +tortillions +tortillon +tortious +tortiously +tortis +tortive +tortoise +tortoiselike +tortoises +tortoiseshell +tortoni +tortonian +tortonis +tortor +tortrices +tortricid +tortricidae +tortricina +tortricine +tortricoid +tortricoidea +tortrix +tortrixes +torts +tortue +tortula +tortulaceae +tortulaceous +tortulous +tortuose +tortuosity +tortuosities +tortuous +tortuously +tortuousness +torturable +torturableness +torture +tortured +torturedly +tortureproof +torturer +torturers +tortures +torturesome +torturesomeness +torturing +torturingly +torturous +torturously +torturousness +toru +torula +torulaceous +torulae +torulaform +torulas +toruli +toruliform +torulin +toruloid +torulose +torulosis +torulous +torulus +torus +toruses +torve +torvid +torvity +torvous +tos +tosaphist +tosaphoth +tosca +toscanite +tosephta +tosephtas +tosh +toshakhana +tosher +toshery +toshes +toshy +toshly +toshnail +tosy +tosily +tosk +toskish +toss +tossed +tosser +tossers +tosses +tossy +tossicated +tossily +tossing +tossingly +tossment +tosspot +tosspots +tossup +tossups +tossut +tost +tostada +tostado +tostamente +tostao +tosticate +tosticated +tosticating +tostication +toston +tot +totable +total +totaled +totaling +totalisator +totalise +totalised +totalises +totalising +totalism +totalisms +totalistic +totalitarian +totalitarianism +totalitarianize +totalitarianized +totalitarianizing +totalitarians +totality +totalities +totalitizer +totalization +totalizator +totalizators +totalize +totalized +totalizer +totalizes +totalizing +totalled +totaller +totallers +totally +totalling +totalness +totals +totanine +totanus +totaquin +totaquina +totaquine +totara +totchka +tote +toted +toteload +totem +totemy +totemic +totemically +totemism +totemisms +totemist +totemistic +totemists +totemite +totemites +totemization +totems +toter +totery +toters +totes +tother +toty +totient +totyman +toting +totipalmatae +totipalmate +totipalmation +totipotence +totipotency +totipotencies +totipotent +totipotential +totipotentiality +totitive +toto +totoaba +totonac +totonacan +totonaco +totora +totoro +totquot +tots +totted +totten +totter +tottered +totterer +totterers +tottergrass +tottery +totteriness +tottering +totteringly +totterish +totters +totty +tottie +tottyhead +totting +tottle +tottlish +tottum +totuava +totum +tou +touareg +touart +toucan +toucanet +toucanid +toucans +touch +touchability +touchable +touchableness +touchback +touchbell +touchbox +touchdown +touchdowns +touche +touched +touchedness +toucher +touchers +touches +touchhole +touchy +touchier +touchiest +touchily +touchiness +touching +touchingly +touchingness +touchless +touchline +touchmark +touchous +touchpan +touchpiece +touchstone +touchstones +touchup +touchups +touchwood +toufic +toug +tough +toughen +toughened +toughener +tougheners +toughening +toughens +tougher +toughest +toughhead +toughhearted +toughy +toughie +toughies +toughish +toughly +toughness +toughra +toughs +tought +tould +toumnah +tounatea +toup +toupee +toupeed +toupees +toupet +tour +touraco +touracos +tourbe +tourbillion +tourbillon +toured +tourelle +tourelles +tourer +tourers +touret +tourette +touring +tourings +tourism +tourisms +tourist +touristdom +touristy +touristic +touristical +touristically +touristproof +touristry +tourists +touristship +tourize +tourmalin +tourmaline +tourmalinic +tourmaliniferous +tourmalinization +tourmalinize +tourmalite +tourmente +tourn +tournai +tournay +tournament +tournamental +tournaments +tournant +tournasin +tourne +tournedos +tournee +tournefortia +tournefortian +tourney +tourneyed +tourneyer +tourneying +tourneys +tournel +tournette +tourneur +tourniquet +tourniquets +tournois +tournure +tours +tourt +tourte +tousche +touse +toused +tousel +touser +touses +tousy +tousing +tousle +tousled +tousles +tously +tousling +toust +toustie +tout +touted +touter +touters +touting +touts +touzle +touzled +touzles +touzling +tov +tovah +tovar +tovaria +tovariaceae +tovariaceous +tovarich +tovariches +tovarisch +tovarish +tovarishes +tovet +tow +towability +towable +towage +towages +towai +towan +toward +towardly +towardliness +towardness +towards +towaway +towaways +towbar +towboat +towboats +towcock +towd +towdie +towed +towel +toweled +towelette +toweling +towelings +towelled +towelling +towelry +towels +tower +towered +towery +towerier +toweriest +towering +toweringly +toweringness +towerless +towerlet +towerlike +towerman +towermen +towerproof +towers +towerwise +towerwork +towerwort +towght +towhead +towheaded +towheads +towhee +towhees +towy +towie +towies +towing +towkay +towlike +towline +towlines +towmast +towmond +towmonds +towmont +towmonts +town +towned +townee +townees +towner +townet +townfaring +townfolk +townfolks +townful +towngate +townhood +townhouse +townhouses +towny +townie +townies +townify +townified +townifying +towniness +townish +townishly +townishness +townist +townland +townless +townlet +townlets +townly +townlike +townling +townman +townmen +towns +townsboy +townscape +townsendi +townsendia +townsendite +townsfellow +townsfolk +township +townships +townside +townsite +townsman +townsmen +townspeople +townswoman +townswomen +townward +townwards +townwear +townwears +towpath +towpaths +towrope +towropes +tows +towser +towsy +towson +towzie +tox +toxa +toxaemia +toxaemias +toxaemic +toxalbumic +toxalbumin +toxalbumose +toxamin +toxanaemia +toxanemia +toxaphene +toxcatl +toxemia +toxemias +toxemic +toxic +toxicaemia +toxical +toxically +toxicant +toxicants +toxicarol +toxicate +toxication +toxicemia +toxicity +toxicities +toxicodendrol +toxicodendron +toxicoderma +toxicodermatitis +toxicodermatosis +toxicodermia +toxicodermitis +toxicogenic +toxicognath +toxicohaemia +toxicohemia +toxicoid +toxicol +toxicology +toxicologic +toxicological +toxicologically +toxicologist +toxicologists +toxicomania +toxicon +toxicopathy +toxicopathic +toxicophagy +toxicophagous +toxicophidia +toxicophobia +toxicoses +toxicosis +toxicotraumatic +toxicum +toxidermic +toxidermitis +toxifer +toxifera +toxiferous +toxify +toxified +toxifying +toxigenic +toxigenicity +toxigenicities +toxihaemia +toxihemia +toxiinfection +toxiinfectious +toxylon +toxin +toxinaemia +toxine +toxinemia +toxines +toxinfection +toxinfectious +toxinosis +toxins +toxiphagi +toxiphagus +toxiphobia +toxiphobiac +toxiphoric +toxitabellae +toxity +toxodon +toxodont +toxodontia +toxogenesis +toxoglossa +toxoglossate +toxoid +toxoids +toxolysis +toxology +toxon +toxone +toxonosis +toxophil +toxophile +toxophily +toxophilism +toxophilite +toxophilitic +toxophilitism +toxophilous +toxophobia +toxophoric +toxophorous +toxoplasma +toxoplasmic +toxoplasmosis +toxosis +toxosozin +toxostoma +toxotae +toxotes +toxotidae +toze +tozee +tozer +tp +tpd +tph +tpi +tpk +tpke +tpm +tps +tr +tra +trabacoli +trabacolo +trabacolos +trabal +trabant +trabascolo +trabea +trabeae +trabeatae +trabeate +trabeated +trabeation +trabecula +trabeculae +trabecular +trabecularism +trabeculas +trabeculate +trabeculated +trabeculation +trabecule +trabes +trabu +trabuch +trabucho +trabuco +trabucos +trac +tracasserie +tracasseries +tracaulon +trace +traceability +traceable +traceableness +traceably +traceback +traced +tracey +traceless +tracelessly +tracer +tracery +traceried +traceries +tracers +traces +trachea +tracheae +tracheaectasy +tracheal +trachealgia +trachealis +trachean +tracheary +trachearia +trachearian +tracheas +tracheata +tracheate +tracheated +tracheation +trachecheae +trachecheas +tracheid +tracheidal +tracheide +tracheids +tracheitis +trachelagra +trachelate +trachelectomy +trachelectomopexia +trachelia +trachelismus +trachelitis +trachelium +tracheloacromialis +trachelobregmatic +trachelocyllosis +tracheloclavicular +trachelodynia +trachelology +trachelomastoid +trachelopexia +tracheloplasty +trachelorrhaphy +tracheloscapular +trachelospermum +trachelotomy +trachenchyma +tracheobronchial +tracheobronchitis +tracheocele +tracheochromatic +tracheoesophageal +tracheofissure +tracheolar +tracheolaryngeal +tracheolaryngotomy +tracheole +tracheolingual +tracheopathy +tracheopathia +tracheopharyngeal +tracheophyte +tracheophonae +tracheophone +tracheophonesis +tracheophony +tracheophonine +tracheopyosis +tracheoplasty +tracheorrhagia +tracheoschisis +tracheoscopy +tracheoscopic +tracheoscopist +tracheostenosis +tracheostomy +tracheostomies +tracheotome +tracheotomy +tracheotomies +tracheotomist +tracheotomize +tracheotomized +tracheotomizing +trachyandesite +trachybasalt +trachycarpous +trachycarpus +trachychromatic +trachydolerite +trachyglossate +trachile +trachylinae +trachyline +trachymedusae +trachymedusan +trachinidae +trachinoid +trachinus +trachyphonia +trachyphonous +trachypteridae +trachypteroid +trachypterus +trachyspermous +trachyte +trachytes +trachytic +trachitis +trachytoid +trachle +trachled +trachles +trachling +trachodon +trachodont +trachodontid +trachodontidae +trachoma +trachomas +trachomatous +trachomedusae +trachomedusan +tracy +tracing +tracingly +tracings +track +trackable +trackage +trackages +trackbarrow +tracked +tracker +trackers +trackhound +tracking +trackings +trackingscout +tracklayer +tracklaying +trackless +tracklessly +tracklessness +trackman +trackmanship +trackmaster +trackmen +trackpot +tracks +trackscout +trackshifter +tracksick +trackside +tracksuit +trackway +trackwalker +trackwork +traclia +tract +tractability +tractabilities +tractable +tractableness +tractably +tractarian +tractarianism +tractarianize +tractate +tractates +tractation +tractator +tractatule +tractellate +tractellum +tractiferous +tractile +tractility +traction +tractional +tractioneering +tractions +tractism +tractite +tractitian +tractive +tractlet +tractor +tractoration +tractory +tractorism +tractorist +tractorization +tractorize +tractors +tractrices +tractrix +tracts +tractus +trad +tradable +tradal +trade +tradeable +tradecraft +traded +tradeful +tradeless +trademark +trademarks +trademaster +tradename +tradeoff +tradeoffs +trader +traders +tradership +trades +tradescantia +tradesfolk +tradesman +tradesmanlike +tradesmanship +tradesmanwise +tradesmen +tradespeople +tradesperson +tradeswoman +tradeswomen +tradevman +trady +tradiment +trading +tradite +tradition +traditional +traditionalism +traditionalist +traditionalistic +traditionalists +traditionality +traditionalize +traditionalized +traditionally +traditionary +traditionaries +traditionarily +traditionate +traditionately +traditioner +traditionism +traditionist +traditionitis +traditionize +traditionless +traditionmonger +traditions +traditious +traditive +traditor +traditores +traditorship +traduce +traduced +traducement +traducements +traducent +traducer +traducers +traduces +traducian +traducianism +traducianist +traducianistic +traducible +traducing +traducingly +traduct +traduction +traductionist +traductive +traffic +trafficability +trafficable +trafficableness +trafficator +traffick +trafficked +trafficker +traffickers +trafficking +trafficks +trafficless +traffics +trafficway +trafflicker +trafflike +trag +tragacanth +tragacantha +tragacanthin +tragal +tragasol +tragedy +tragedial +tragedian +tragedianess +tragedians +tragedical +tragedienne +tragediennes +tragedies +tragedietta +tragedious +tragedist +tragedization +tragedize +tragelaph +tragelaphine +tragelaphus +tragi +tragia +tragic +tragical +tragicality +tragically +tragicalness +tragicaster +tragicize +tragicly +tragicness +tragicofarcical +tragicoheroicomic +tragicolored +tragicomedy +tragicomedian +tragicomedies +tragicomic +tragicomical +tragicomicality +tragicomically +tragicomipastoral +tragicoromantic +tragicose +tragion +tragions +tragoedia +tragopan +tragopans +tragopogon +tragule +tragulidae +tragulina +traguline +traguloid +traguloidea +tragulus +tragus +trah +traheen +trahison +tray +trayful +trayfuls +traik +traiked +traiky +traiking +traiks +trail +trailbaston +trailblaze +trailblazer +trailblazers +trailblazing +trailboard +trailbreaker +trailed +trailer +trailerable +trailered +trailery +trailering +trailerist +trailerite +trailerload +trailers +trailership +trailhead +traily +traylike +trailiness +trailing +trailingly +trailings +trailless +trailmaker +trailmaking +trailman +trails +trailside +trailsman +trailsmen +trailway +traymobile +train +trainability +trainable +trainableness +trainage +trainagraph +trainant +trainante +trainband +trainbearer +trainboy +trainbolt +trayne +traineau +trained +trainee +trainees +traineeship +trainel +trainer +trainers +trainful +trainfuls +trainy +training +trainings +trainless +trainline +trainload +trainman +trainmaster +trainmen +trainpipe +trains +trainshed +trainsick +trainsickness +trainster +traintime +trainway +trainways +traipse +traipsed +traipses +traipsing +trays +traist +trait +traiteur +traiteurs +traitless +traitor +traitoress +traitorhood +traitory +traitorism +traitorize +traitorly +traitorlike +traitorling +traitorous +traitorously +traitorousness +traitors +traitorship +traitorwise +traitress +traitresses +traits +traject +trajected +trajectile +trajecting +trajection +trajectitious +trajectory +trajectories +trajects +trajet +tralatician +tralaticiary +tralatition +tralatitious +tralatitiously +tralineate +tralira +trallian +tralucency +tralucent +tram +trama +tramal +tramcar +tramcars +trame +tramel +trameled +trameling +tramell +tramelled +tramelling +tramells +tramels +trametes +tramful +tramyard +tramless +tramline +tramlines +tramman +trammed +trammel +trammeled +trammeler +trammelhead +trammeling +trammelingly +trammelled +trammeller +trammelling +trammellingly +trammels +trammer +trammie +tramming +trammon +tramontana +tramontanas +tramontane +tramp +trampage +trampcock +trampdom +tramped +tramper +trampers +trampess +tramphood +tramping +trampish +trampishly +trampism +trample +trampled +trampler +tramplers +tramples +tramplike +trampling +trampolin +trampoline +trampoliner +trampoliners +trampolines +trampolining +trampolinist +trampolinists +trampoose +tramposo +trampot +tramps +tramroad +tramroads +trams +tramsmith +tramway +tramwayman +tramwaymen +tramways +tran +trance +tranced +trancedly +tranceful +trancelike +trances +tranchant +tranchante +tranche +tranchefer +tranchet +tranchoir +trancing +trancoidal +traneau +traneen +tranfd +trangam +trangams +trank +tranka +tranker +tranky +trankum +tranmissibility +trannie +tranquil +tranquiler +tranquilest +tranquility +tranquilization +tranquilize +tranquilized +tranquilizer +tranquilizers +tranquilizes +tranquilizing +tranquilizingly +tranquiller +tranquillest +tranquilly +tranquillise +tranquilliser +tranquillity +tranquillization +tranquillize +tranquillized +tranquillizer +tranquillizing +tranquillo +tranquilness +trans +transaccidentation +transact +transacted +transacting +transactinide +transaction +transactional +transactionally +transactioneer +transactions +transactor +transacts +transalpine +transalpinely +transalpiner +transaminase +transamination +transanimate +transanimation +transannular +transapical +transappalachian +transaquatic +transarctic +transatlantic +transatlantically +transatlantican +transatlanticism +transaudient +transaxle +transbay +transbaikal +transbaikalian +transboard +transborder +transcalency +transcalent +transcalescency +transcalescent +transcaucasian +transceive +transceiver +transceivers +transcend +transcendant +transcended +transcendence +transcendency +transcendent +transcendental +transcendentalisation +transcendentalism +transcendentalist +transcendentalistic +transcendentalists +transcendentality +transcendentalization +transcendentalize +transcendentalized +transcendentalizing +transcendentalizm +transcendentally +transcendentals +transcendently +transcendentness +transcendible +transcending +transcendingly +transcendingness +transcends +transcension +transchange +transchanged +transchanger +transchanging +transchannel +transcience +transcolor +transcoloration +transcolour +transcolouration +transcondylar +transcondyloid +transconductance +transconscious +transcontinental +transcontinentally +transcorporate +transcorporeal +transcortical +transcreate +transcribable +transcribble +transcribbler +transcribe +transcribed +transcriber +transcribers +transcribes +transcribing +transcript +transcriptase +transcription +transcriptional +transcriptionally +transcriptions +transcriptitious +transcriptive +transcriptively +transcripts +transcriptural +transcrystalline +transcultural +transculturally +transculturation +transcur +transcurrent +transcurrently +transcursion +transcursive +transcursively +transcurvation +transcutaneous +transdermic +transdesert +transdialect +transdiaphragmatic +transdiurnal +transduce +transduced +transducer +transducers +transducing +transduction +transductional +transe +transect +transected +transecting +transection +transects +transelement +transelemental +transelementary +transelementate +transelementated +transelementating +transelementation +transempirical +transenna +transennae +transept +transeptal +transeptally +transepts +transequatorial +transequatorially +transessentiate +transessentiated +transessentiating +transeunt +transexperiental +transexperiential +transf +transfashion +transfd +transfeature +transfeatured +transfeaturing +transfer +transferability +transferable +transferableness +transferably +transferal +transferals +transferase +transferee +transference +transferent +transferential +transferer +transferography +transferor +transferotype +transferrable +transferral +transferrals +transferred +transferrer +transferrers +transferribility +transferring +transferrins +transferror +transferrotype +transfers +transfigurate +transfiguration +transfigurations +transfigurative +transfigure +transfigured +transfigurement +transfigures +transfiguring +transfiltration +transfinite +transfission +transfix +transfixation +transfixed +transfixes +transfixing +transfixion +transfixt +transfixture +transfluent +transfluvial +transflux +transforation +transform +transformability +transformable +transformance +transformation +transformational +transformationalist +transformationist +transformations +transformative +transformator +transformed +transformer +transformers +transforming +transformingly +transformism +transformist +transformistic +transforms +transfretation +transfrontal +transfrontier +transfuge +transfugitive +transfusable +transfuse +transfused +transfuser +transfusers +transfuses +transfusible +transfusing +transfusion +transfusional +transfusionist +transfusions +transfusive +transfusively +transgender +transgeneration +transgenerations +transgredient +transgress +transgressed +transgresses +transgressible +transgressing +transgressingly +transgression +transgressional +transgressions +transgressive +transgressively +transgressor +transgressors +transhape +tranship +transhipment +transhipped +transhipping +tranships +transhuman +transhumanate +transhumanation +transhumance +transhumanize +transhumant +transience +transiency +transiencies +transient +transiently +transientness +transients +transigence +transigent +transiliac +transilience +transiliency +transilient +transilluminate +transilluminated +transilluminating +transillumination +transilluminator +transylvanian +transimpression +transincorporation +transindividual +transinsular +transire +transischiac +transisthmian +transistor +transistorization +transistorize +transistorized +transistorizes +transistorizing +transistors +transit +transitable +transited +transiter +transiting +transition +transitional +transitionally +transitionalness +transitionary +transitioned +transitionist +transitions +transitival +transitive +transitively +transitiveness +transitivism +transitivity +transitivities +transitman +transitmen +transitory +transitorily +transitoriness +transitron +transits +transitu +transitus +transjordanian +transl +translade +translay +translatability +translatable +translatableness +translate +translated +translater +translates +translating +translation +translational +translationally +translations +translative +translator +translatorese +translatory +translatorial +translators +translatorship +translatress +translatrix +transleithan +transletter +translight +translinguate +transliterate +transliterated +transliterates +transliterating +transliteration +transliterations +transliterator +translocalization +translocate +translocated +translocating +translocation +translocations +translocatory +transluce +translucence +translucency +translucencies +translucent +translucently +translucid +translucidity +translucidus +translunar +translunary +transmade +transmake +transmaking +transmarginal +transmarginally +transmarine +transmaterial +transmateriation +transmedial +transmedian +transmembrane +transmen +transmental +transmentally +transmentation +transmeridional +transmeridionally +transmethylation +transmew +transmigrant +transmigrate +transmigrated +transmigrates +transmigrating +transmigration +transmigrationism +transmigrationist +transmigrations +transmigrative +transmigratively +transmigrator +transmigratory +transmigrators +transmissibility +transmissible +transmission +transmissional +transmissionist +transmissions +transmissive +transmissively +transmissiveness +transmissivity +transmissometer +transmissory +transmit +transmits +transmittability +transmittable +transmittal +transmittals +transmittance +transmittances +transmittancy +transmittant +transmitted +transmitter +transmitters +transmittible +transmitting +transmogrify +transmogrification +transmogrifications +transmogrified +transmogrifier +transmogrifies +transmogrifying +transmold +transmontane +transmorphism +transmould +transmountain +transmue +transmundane +transmural +transmuscle +transmutability +transmutable +transmutableness +transmutably +transmutate +transmutation +transmutational +transmutationist +transmutations +transmutative +transmutatory +transmute +transmuted +transmuter +transmutes +transmuting +transmutive +transmutual +transmutually +transnatation +transnational +transnationally +transnatural +transnaturation +transnature +transnihilation +transnormal +transnormally +transocean +transoceanic +transocular +transom +transomed +transoms +transonic +transorbital +transovarian +transp +transpacific +transpadane +transpalatine +transpalmar +transpanamic +transparence +transparency +transparencies +transparent +transparentize +transparently +transparentness +transparietal +transparish +transpass +transpassional +transpatronized +transpatronizing +transpeciate +transpeciation +transpeer +transpenetrable +transpenetration +transpeninsular +transpenisular +transpeptidation +transperitoneal +transperitoneally +transpersonal +transpersonally +transphenomenal +transphysical +transphysically +transpicuity +transpicuous +transpicuously +transpicuousness +transpierce +transpierced +transpiercing +transpyloric +transpirability +transpirable +transpiration +transpirative +transpiratory +transpire +transpired +transpires +transpiring +transpirometer +transplace +transplacement +transplacental +transplacentally +transplanetary +transplant +transplantability +transplantable +transplantar +transplantation +transplantations +transplanted +transplantee +transplanter +transplanters +transplanting +transplants +transplendency +transplendent +transplendently +transpleural +transpleurally +transpolar +transpond +transponder +transponders +transpondor +transponibility +transponible +transpontine +transport +transportability +transportable +transportableness +transportables +transportal +transportance +transportation +transportational +transportationist +transportative +transported +transportedly +transportedness +transportee +transporter +transporters +transporting +transportingly +transportive +transportment +transports +transposability +transposable +transposableness +transposal +transpose +transposed +transposer +transposes +transposing +transposition +transpositional +transpositions +transpositive +transpositively +transpositor +transpository +transpour +transprint +transprocess +transprose +transproser +transpulmonary +transput +transradiable +transrational +transrationally +transreal +transrectification +transrhenane +transrhodanian +transriverina +transriverine +transscriber +transsegmental +transsegmentally +transsensual +transsensually +transseptal +transsepulchral +transsexual +transsexualism +transsexuality +transsexuals +transshape +transshaped +transshaping +transshift +transship +transshipment +transshipped +transshipping +transships +transsocietal +transsolid +transsonic +transstellar +transsubjective +transtemporal +transteverine +transthalamic +transthoracic +transthoracically +transtracheal +transubstantial +transubstantially +transubstantiate +transubstantiated +transubstantiating +transubstantiation +transubstantiationalist +transubstantiationite +transubstantiative +transubstantiatively +transubstantiatory +transudate +transudation +transudative +transudatory +transude +transuded +transudes +transuding +transume +transumed +transuming +transumpt +transumption +transumptive +transuranian +transuranic +transuranium +transurethral +transuterine +transvaal +transvaaler +transvaalian +transvaluate +transvaluation +transvalue +transvalued +transvaluing +transvasate +transvasation +transvase +transvectant +transvection +transvenom +transverbate +transverbation +transverberate +transverberation +transversal +transversale +transversalis +transversality +transversally +transversan +transversary +transverse +transversely +transverseness +transverser +transverses +transversion +transversive +transversocubital +transversomedial +transversospinal +transversovertical +transversum +transversus +transvert +transverter +transvest +transvestism +transvestite +transvestites +transvestitism +transvolation +transwritten +trant +tranter +trantlum +tranvia +tranzschelia +trap +trapa +trapaceae +trapaceous +trapan +trapanned +trapanner +trapanning +trapans +trapball +trapballs +trapdoor +trapdoors +trapes +trapesed +trapeses +trapesing +trapezate +trapeze +trapezes +trapezia +trapezial +trapezian +trapeziform +trapezing +trapeziometacarpal +trapezist +trapezium +trapeziums +trapezius +trapeziuses +trapezohedra +trapezohedral +trapezohedron +trapezohedrons +trapezoid +trapezoidal +trapezoidiform +trapezoids +trapezophora +trapezophoron +trapezophozophora +trapfall +traphole +trapiche +trapiferous +trapish +traplight +traplike +trapmaker +trapmaking +trapnest +trapnested +trapnesting +trapnests +trappability +trappabilities +trappable +trappean +trapped +trapper +trapperlike +trappers +trappy +trappier +trappiest +trappiness +trapping +trappingly +trappings +trappist +trappistine +trappoid +trappose +trappous +traprock +traprocks +traps +trapshoot +trapshooter +trapshooting +trapstick +trapt +trapunto +trapuntos +trasformism +trash +trashed +trashery +trashes +trashy +trashier +trashiest +trashify +trashily +trashiness +trashing +traship +trashless +trashman +trashmen +trashrack +trashtrie +trasy +trass +trasses +trastevere +trasteverine +tratler +trattle +trattoria +trauchle +trauchled +trauchles +trauchling +traulism +trauma +traumas +traumasthenia +traumata +traumatic +traumatically +traumaticin +traumaticine +traumatism +traumatization +traumatize +traumatized +traumatizes +traumatizing +traumatology +traumatologies +traumatonesis +traumatopyra +traumatopnea +traumatosis +traumatotactic +traumatotaxis +traumatropic +traumatropism +trautvetteria +trav +travado +travail +travailed +travailer +travailing +travailous +travails +travale +travally +travated +trave +travel +travelability +travelable +traveldom +traveled +traveler +traveleress +travelerlike +travelers +traveling +travelings +travellability +travellable +travelled +traveller +travellers +travelling +travelog +travelogs +travelogue +traveloguer +travelogues +travels +traveltime +traversable +traversal +traversals +traversary +traverse +traversed +traversely +traverser +traverses +traversewise +traversework +traversing +traversion +travertin +travertine +traves +travest +travesty +travestied +travestier +travesties +travestying +travestiment +travis +traviss +travoy +travois +travoise +travoises +trawl +trawlability +trawlable +trawlboat +trawled +trawley +trawleys +trawler +trawlerman +trawlermen +trawlers +trawling +trawlnet +trawls +trazia +treacher +treachery +treacheries +treacherous +treacherously +treacherousness +treachousness +treacle +treacleberry +treacleberries +treaclelike +treacles +treaclewort +treacly +treacliness +tread +treadboard +treaded +treader +treaders +treading +treadle +treadled +treadler +treadlers +treadles +treadless +treadling +treadmill +treadmills +treadplate +treads +treadwheel +treague +treas +treason +treasonable +treasonableness +treasonably +treasonful +treasonish +treasonist +treasonless +treasonmonger +treasonous +treasonously +treasonproof +treasons +treasr +treasurable +treasure +treasured +treasureless +treasurer +treasurers +treasurership +treasures +treasuress +treasury +treasuries +treasuring +treasuryship +treasurous +treat +treatability +treatabilities +treatable +treatableness +treatably +treated +treatee +treater +treaters +treaty +treaties +treatyist +treatyite +treatyless +treating +treatise +treatiser +treatises +treatment +treatments +treator +treats +trebellian +treble +trebled +trebleness +trebles +treblet +trebletree +trebly +trebling +trebuchet +trebucket +trecentist +trecento +trecentos +trechmannite +treckpot +treckschuyt +treculia +treddle +treddled +treddles +treddling +tredecaphobia +tredecile +tredecillion +tredecillions +tredecillionth +tredefowel +tredille +tredrille +tree +treebeard +treebine +treed +treefish +treefishes +treeful +treehair +treehood +treehopper +treey +treeify +treeiness +treeing +treeless +treelessness +treelet +treelike +treelikeness +treelined +treeling +treemaker +treemaking +treeman +treen +treenail +treenails +treenware +trees +treescape +treeship +treespeeler +treetise +treetop +treetops +treeward +treewards +tref +trefa +trefah +trefgordd +trefle +treflee +trefoil +trefoiled +trefoillike +trefoils +trefoilwise +tregadyne +tregerg +treget +tregetour +tregohm +trehala +trehalas +trehalase +trehalose +trey +treillage +treille +treys +treitour +treitre +trek +trekboer +trekked +trekker +trekkers +trekking +trekometer +trekpath +treks +trekschuit +trellis +trellised +trellises +trellising +trellislike +trelliswork +trema +tremandra +tremandraceae +tremandraceous +trematoda +trematode +trematodea +trematodes +trematoid +trematosaurus +tremble +trembled +tremblement +trembler +tremblers +trembles +trembly +tremblier +trembliest +trembling +tremblingly +tremblingness +tremblor +tremeline +tremella +tremellaceae +tremellaceous +tremellales +tremelliform +tremelline +tremellineous +tremelloid +tremellose +tremendous +tremendously +tremendousness +tremenousness +tremens +tremetol +tremex +tremie +tremogram +tremolando +tremolant +tremolist +tremolite +tremolitic +tremolo +tremolos +tremoloso +tremophobia +tremor +tremorless +tremorlessly +tremors +tremplin +tremulando +tremulant +tremulate +tremulation +tremulent +tremulous +tremulously +tremulousness +trenail +trenails +trench +trenchancy +trenchant +trenchantly +trenchantness +trenchboard +trenchcoats +trenched +trencher +trenchering +trencherless +trencherlike +trenchermaker +trenchermaking +trencherman +trenchermen +trenchers +trencherside +trencherwise +trencherwoman +trenches +trenchful +trenching +trenchlet +trenchlike +trenchmaster +trenchmore +trenchward +trenchwise +trenchwork +trend +trended +trendel +trendy +trendier +trendiest +trendily +trendiness +trending +trendle +trends +trent +trental +trentepohlia +trentepohliaceae +trentepohliaceous +trentine +trenton +trepak +trepan +trepanation +trepang +trepangs +trepanize +trepanned +trepanner +trepanning +trepanningly +trepans +trephination +trephine +trephined +trephiner +trephines +trephining +trephocyte +trephone +trepid +trepidancy +trepidant +trepidate +trepidation +trepidations +trepidatory +trepidity +trepidly +trepidness +treponema +treponemal +treponemas +treponemata +treponematosis +treponematous +treponeme +treponemiasis +treponemiatic +treponemicidal +treponemicide +trepostomata +trepostomatous +treppe +treron +treronidae +treroninae +tres +tresaiel +tresance +tresche +tresillo +tresis +trespass +trespassage +trespassed +trespasser +trespassers +trespasses +trespassing +trespassory +tress +tressed +tressel +tressels +tresses +tressful +tressy +tressier +tressiest +tressilate +tressilation +tressless +tresslet +tresslike +tresson +tressour +tressours +tressure +tressured +tressures +trest +trestle +trestles +trestletree +trestlewise +trestlework +trestling +tret +tretis +trets +trevally +trevet +trevets +trevette +trevis +trevor +trewage +trewel +trews +trewsman +trewsmen +trf +tri +try +triable +triableness +triac +triace +triacetamide +triacetate +triacetyloleandomycin +triacetonamine +triachenium +triacid +triacids +triacontad +triacontaeterid +triacontane +triaconter +triact +triactinal +triactine +triad +triadelphous +triadenum +triadic +triadical +triadically +triadics +triadism +triadisms +triadist +triads +triaene +triaenose +triage +triages +triagonal +triakid +triakisicosahedral +triakisicosahedron +triakisoctahedral +triakisoctahedrid +triakisoctahedron +triakistetrahedral +triakistetrahedron +trial +trialate +trialism +trialist +triality +trialogue +trials +triamcinolone +triamid +triamide +triamylose +triamin +triamine +triamino +triammonium +triamorph +triamorphous +triander +triandria +triandrian +triandrous +triangle +triangled +triangler +triangles +triangleways +trianglewise +trianglework +triangula +triangular +triangularis +triangularity +triangularly +triangulate +triangulated +triangulately +triangulates +triangulating +triangulation +triangulations +triangulator +triangulid +trianguloid +triangulopyramidal +triangulotriangular +triangulum +triannual +triannulate +trianon +triantaphyllos +triantelope +trianthous +triapsal +triapsidal +triarch +triarchate +triarchy +triarchies +triarctic +triarcuated +triareal +triary +triarian +triarii +triaryl +triarthrus +triarticulate +trias +triassic +triaster +triatic +triatoma +triatomic +triatomically +triatomicity +triaxal +triaxial +triaxiality +triaxon +triaxonian +triazane +triazin +triazine +triazines +triazins +triazo +triazoic +triazole +triazoles +triazolic +trib +tribade +tribades +tribady +tribadic +tribadism +tribadistic +tribal +tribalism +tribalist +tribally +tribarred +tribase +tribasic +tribasicity +tribasilar +tribble +tribe +tribeless +tribelet +tribelike +tribes +tribesfolk +tribeship +tribesman +tribesmanship +tribesmen +tribespeople +tribeswoman +tribeswomen +triblastic +triblet +triboelectric +triboelectricity +tribofluorescence +tribofluorescent +tribolium +tribology +tribological +tribologist +triboluminescence +triboluminescent +tribometer +tribonema +tribonemaceae +tribophysics +tribophosphorescence +tribophosphorescent +tribophosphoroscope +triborough +tribrac +tribrach +tribrachial +tribrachic +tribrachs +tribracteate +tribracteolate +tribromacetic +tribromid +tribromide +tribromoacetaldehyde +tribromoethanol +tribromophenol +tribromphenate +tribromphenol +tribual +tribually +tribular +tribulate +tribulation +tribulations +tribuloid +tribulus +tribuna +tribunal +tribunals +tribunary +tribunate +tribune +tribunes +tribuneship +tribunicial +tribunician +tribunitial +tribunitian +tribunitiary +tribunitive +tributable +tributary +tributaries +tributarily +tributariness +tribute +tributed +tributer +tributes +tributing +tributyrin +tributist +tributorian +trica +tricae +tricalcic +tricalcium +tricapsular +tricar +tricarballylic +tricarbimide +tricarbon +tricarboxylic +tricarinate +tricarinated +tricarpellary +tricarpellate +tricarpous +tricaudal +tricaudate +trice +triced +tricellular +tricenary +tricenaries +tricenarious +tricenarium +tricennial +tricentenary +tricentenarian +tricentennial +tricentennials +tricentral +tricephal +tricephalic +tricephalous +tricephalus +triceps +tricepses +triceratops +triceratopses +triceria +tricerion +tricerium +trices +trichatrophia +trichauxis +trichechidae +trichechine +trichechodont +trichechus +trichevron +trichi +trichy +trichia +trichiasis +trichilia +trichina +trichinae +trichinal +trichinas +trichinella +trichiniasis +trichiniferous +trichinisation +trichinise +trichinised +trichinising +trichinization +trichinize +trichinized +trichinizing +trichinoid +trichinophobia +trichinopoli +trichinopoly +trichinoscope +trichinoscopy +trichinosed +trichinoses +trichinosis +trichinotic +trichinous +trichion +trichions +trichite +trichites +trichitic +trichitis +trichiurid +trichiuridae +trichiuroid +trichiurus +trichlorethylene +trichlorethylenes +trichlorfon +trichlorid +trichloride +trichlormethane +trichloro +trichloroacetaldehyde +trichloroacetic +trichloroethane +trichloroethylene +trichloromethane +trichloromethanes +trichloromethyl +trichloronitromethane +trichobacteria +trichobezoar +trichoblast +trichobranchia +trichobranchiate +trichocarpous +trichocephaliasis +trichocephalus +trichocyst +trichocystic +trichoclasia +trichoclasis +trichode +trichoderma +trichodesmium +trichodontidae +trichoepithelioma +trichogen +trichogenous +trichogyne +trichogynial +trichogynic +trichoglossia +trichoglossidae +trichoglossinae +trichoglossine +trichogramma +trichogrammatidae +trichoid +tricholaena +trichology +trichological +trichologist +tricholoma +trichoma +trichomanes +trichomaphyte +trichomatose +trichomatosis +trichomatous +trichome +trichomes +trichomic +trichomycosis +trichomonacidal +trichomonacide +trichomonad +trichomonadal +trichomonadidae +trichomonal +trichomonas +trichomoniasis +trichonosis +trichonosus +trichonotid +trichopathy +trichopathic +trichopathophobia +trichophyllous +trichophyte +trichophytia +trichophytic +trichophyton +trichophytosis +trichophobia +trichophore +trichophoric +trichoplax +trichopore +trichopter +trichoptera +trichopteran +trichopterygid +trichopterygidae +trichopteron +trichopterous +trichord +trichorrhea +trichorrhexic +trichorrhexis +trichosanthes +trichoschisis +trichoschistic +trichoschistism +trichosis +trichosporange +trichosporangial +trichosporangium +trichosporum +trichostasis +trichostema +trichostrongyle +trichostrongylid +trichostrongylus +trichothallic +trichotillomania +trichotomy +trichotomic +trichotomies +trichotomism +trichotomist +trichotomize +trichotomous +trichotomously +trichroic +trichroism +trichromat +trichromate +trichromatic +trichromatism +trichromatist +trichromatopsia +trichrome +trichromic +trichronous +trichuriases +trichuriasis +trichuris +tricia +tricyanide +tricycle +tricycled +tricyclene +tricycler +tricycles +tricyclic +tricycling +tricyclist +tricing +tricinium +tricipital +tricircular +tricyrtis +trick +tricked +tricker +trickery +trickeries +trickers +trickful +tricky +trickie +trickier +trickiest +trickily +trickiness +tricking +trickingly +trickish +trickishly +trickishness +trickle +trickled +trickles +trickless +tricklet +trickly +tricklier +trickliest +tricklike +trickling +tricklingly +trickment +trickproof +tricks +tricksy +tricksical +tricksier +tricksiest +tricksily +tricksiness +tricksome +trickster +trickstering +tricksters +trickstress +tricktrack +triclad +tricladida +triclads +triclclinia +triclinate +triclinia +triclinial +tricliniarch +tricliniary +triclinic +triclinium +triclinohedric +tricoccose +tricoccous +tricolette +tricolic +tricolon +tricolor +tricolored +tricolors +tricolour +tricolumnar +tricompound +tricon +triconch +triconodon +triconodont +triconodonta +triconodonty +triconodontid +triconodontoid +triconsonantal +triconsonantalism +tricophorous +tricoryphean +tricorn +tricorne +tricornered +tricornes +tricorns +tricornute +tricorporal +tricorporate +tricosane +tricosanone +tricosyl +tricosylic +tricostate +tricot +tricotee +tricotyledonous +tricotine +tricots +tricouni +tricresol +tricrotic +tricrotism +tricrotous +tricrural +trictrac +trictracs +tricurvate +tricuspal +tricuspid +tricuspidal +tricuspidate +tricuspidated +tricussate +trid +tridacna +tridacnidae +tridactyl +tridactylous +tridaily +triddler +tridecane +tridecene +tridecyl +tridecilateral +tridecylene +tridecylic +tridecoic +trident +tridental +tridentate +tridentated +tridentiferous +tridentine +tridentinian +tridentlike +tridents +tridepside +tridermic +tridiagonal +tridiametral +tridiapason +tridigitate +tridii +tridimensional +tridimensionality +tridimensionally +tridimensioned +tridymite +tridynamous +tridiurnal +tridominium +tridra +tridrachm +triduam +triduan +triduo +triduum +triduums +triecious +trieciously +tried +triedly +triedness +trieennia +trielaidin +triene +trienes +triennia +triennial +trienniality +triennially +triennias +triennium +trienniums +triens +triental +trientalis +trientes +triequal +trier +trierarch +trierarchal +trierarchy +trierarchic +trierarchies +triers +trierucin +tries +trieteric +trieterics +triethanolamine +triethyl +triethylamine +triethylstibine +trifa +trifacial +trifanious +trifarious +trifasciated +trifecta +triferous +trifid +trifilar +trifistulary +triflagellate +trifle +trifled +trifledom +trifler +triflers +trifles +triflet +trifly +trifling +triflingly +triflingness +triflings +trifloral +triflorate +triflorous +trifluoperazine +trifluoride +trifluorochloromethane +trifluouride +trifluralin +trifocal +trifocals +trifoil +trifold +trifoly +trifoliate +trifoliated +trifoliolate +trifoliosis +trifolium +triforia +triforial +triforium +triform +triformed +triformin +triformity +triformous +trifornia +trifoveolate +trifuran +trifurcal +trifurcate +trifurcated +trifurcating +trifurcation +trig +triga +trigae +trigamy +trigamist +trigamous +trigatron +trigeminal +trigemini +trigeminous +trigeminus +trigeneric +trigesimal +trigged +trigger +triggered +triggerfish +triggerfishes +triggering +triggerless +triggerman +triggers +triggest +trigging +trigyn +trigynia +trigynian +trigynous +trigintal +trigintennial +trigla +triglandular +trigly +triglyceride +triglycerides +triglyceryl +triglid +triglidae +triglyph +triglyphal +triglyphed +triglyphic +triglyphical +triglyphs +triglochid +triglochin +triglot +trigness +trignesses +trigo +trigon +trygon +trigona +trigonal +trigonally +trigone +trigonella +trigonellin +trigonelline +trigoneutic +trigoneutism +trigonia +trigoniaceae +trigoniacean +trigoniaceous +trigonic +trigonid +trygonidae +trigoniidae +trigonite +trigonitis +trigonocephaly +trigonocephalic +trigonocephalous +trigonocephalus +trigonocerous +trigonododecahedron +trigonodont +trigonoid +trigonometer +trigonometry +trigonometria +trigonometric +trigonometrical +trigonometrically +trigonometrician +trigonometries +trigonon +trigonotype +trigonous +trigons +trigonum +trigos +trigram +trigrammatic +trigrammatism +trigrammic +trigrams +trigraph +trigraphic +trigraphs +trigs +triguttulate +trihalid +trihalide +trihedra +trihedral +trihedron +trihedrons +trihemeral +trihemimer +trihemimeral +trihemimeris +trihemiobol +trihemiobolion +trihemitetartemorion +trihybrid +trihydrate +trihydrated +trihydric +trihydride +trihydrol +trihydroxy +trihypostatic +trihoral +trihourly +tryhouse +trying +tryingly +tryingness +triiodomethane +triiodothyronine +trijet +trijets +trijugate +trijugous +trijunction +trikaya +trike +triker +trikeria +trikerion +triketo +triketone +trikir +trilabe +trilabiate +trilamellar +trilamellated +trilaminar +trilaminate +trilarcenous +trilateral +trilaterality +trilaterally +trilateralness +trilateration +trilaurin +trilby +trilbies +trilemma +trilinear +trilineate +trilineated +trilingual +trilingualism +trilingually +trilinguar +trilinolate +trilinoleate +trilinolenate +trilinolenin +trilisa +trilit +trilite +triliteral +triliteralism +triliterality +triliterally +triliteralness +trilith +trilithic +trilithon +trilium +trill +trillachan +trillado +trillando +trilled +triller +trillers +trillet +trilleto +trilletto +trilli +trilliaceae +trilliaceous +trillibub +trilliin +trillil +trilling +trillion +trillionaire +trillionize +trillions +trillionth +trillionths +trillium +trilliums +trillo +trilloes +trills +trilobal +trilobate +trilobated +trilobation +trilobe +trilobed +trilobita +trilobite +trilobitic +trilocular +triloculate +trilogy +trilogic +trilogical +trilogies +trilogist +trilophodon +trilophodont +triluminar +triluminous +trim +tryma +trimacer +trimacular +trimaculate +trimaculated +trimaran +trimarans +trimargarate +trimargarin +trimastigate +trymata +trimellic +trimellitic +trimembral +trimensual +trimer +trimera +trimercuric +trimeresurus +trimeric +trimeride +trimerite +trimerization +trimerous +trimers +trimesic +trimesyl +trimesinic +trimesitic +trimesitinic +trimester +trimesters +trimestral +trimestrial +trimetalism +trimetallic +trimetallism +trimeter +trimeters +trimethadione +trimethyl +trimethylacetic +trimethylamine +trimethylbenzene +trimethylene +trimethylglycine +trimethylmethane +trimethylstibine +trimethoxy +trimetric +trimetrical +trimetrogon +trimyristate +trimyristin +trimly +trimmed +trimmer +trimmers +trimmest +trimming +trimmingly +trimmings +trimness +trimnesses +trimodal +trimodality +trimolecular +trimonthly +trimoric +trimorph +trimorphic +trimorphism +trimorphous +trimorphs +trimotor +trimotored +trimotors +trims +tryms +trimscript +trimscripts +trimstone +trimtram +trimucronatus +trimurti +trimuscular +trin +trina +trinacrian +trinal +trinality +trinalize +trinary +trination +trinational +trinchera +trindle +trindled +trindles +trindling +trine +trined +trinely +trinervate +trinerve +trinerved +trines +trineural +tringa +tringine +tringle +tringoid +trinidad +trinidadian +trinidado +trinil +trining +trinitarian +trinitarianism +trinitarians +trinity +trinities +trinityhood +trinitytide +trinitrate +trinitration +trinitrid +trinitride +trinitrin +trinitro +trinitroaniline +trinitrobenzene +trinitrocarbolic +trinitrocellulose +trinitrocresol +trinitroglycerin +trinitromethane +trinitrophenylmethylnitramine +trinitrophenol +trinitroresorcin +trinitrotoluene +trinitrotoluol +trinitroxylene +trinitroxylol +trink +trinkerman +trinkermen +trinket +trinketed +trinketer +trinkety +trinketing +trinketry +trinketries +trinkets +trinkle +trinklement +trinklet +trinkum +trinkums +trinobantes +trinoctial +trinoctile +trinocular +trinodal +trinode +trinodine +trinol +trinomen +trinomial +trinomialism +trinomialist +trinomiality +trinomially +trinopticon +trinorantum +trinovant +trinovantes +trintle +trinucleate +trinucleotide +trinucleus +trinunity +trio +triobol +triobolon +trioctile +triocular +triode +triodes +triodia +triodion +triodon +triodontes +triodontidae +triodontoid +triodontoidea +triodontoidei +triodontophorus +trioecia +trioecious +trioeciously +trioecism +trioecs +trioicous +triol +triolcous +triole +trioleate +triolefin +triolefine +trioleic +triolein +triolet +triolets +triology +triols +trional +triones +trionfi +trionfo +trionychid +trionychidae +trionychoid +trionychoideachid +trionychoidean +trionym +trionymal +trionyx +trioperculate +triopidae +triops +trior +triorchis +triorchism +triorthogonal +trios +triose +trioses +triosteum +tryout +tryouts +triovulate +trioxazine +trioxid +trioxide +trioxides +trioxids +trioxymethylene +triozonid +triozonide +trip +tryp +trypa +tripack +tripacks +trypaflavine +tripal +tripaleolate +tripalmitate +tripalmitin +trypan +trypaneid +trypaneidae +trypanocidal +trypanocide +trypanolysin +trypanolysis +trypanolytic +trypanophobia +trypanosoma +trypanosomacidal +trypanosomacide +trypanosomal +trypanosomatic +trypanosomatidae +trypanosomatosis +trypanosomatous +trypanosome +trypanosomiasis +trypanosomic +tripara +tryparsamide +tripart +triparted +tripartedly +tripartible +tripartient +tripartite +tripartitely +tripartition +tripaschal +tripe +tripedal +tripel +tripelennamine +tripelike +tripeman +tripemonger +tripennate +tripenny +tripeptide +tripery +triperies +tripersonal +tripersonalism +tripersonalist +tripersonality +tripersonally +tripes +tripeshop +tripestone +trypeta +tripetaloid +tripetalous +trypetid +trypetidae +tripewife +tripewoman +triphammer +triphane +triphase +triphaser +triphasia +triphasic +tryphena +triphenyl +triphenylamine +triphenylated +triphenylcarbinol +triphenylmethane +triphenylmethyl +triphenylphosphine +triphibian +triphibious +triphyletic +triphyline +triphylite +triphyllous +triphysite +triphony +triphora +tryphosa +triphosphate +triphthong +triphthongal +tripy +trypiate +tripylaea +tripylaean +tripylarian +tripylean +tripinnate +tripinnated +tripinnately +tripinnatifid +tripinnatisect +tripyrenous +tripitaka +tripl +tripla +triplane +triplanes +triplaris +triplasian +triplasic +triple +tripleback +tripled +triplefold +triplegia +tripleness +tripler +triples +triplet +tripletail +tripletree +triplets +triplewise +triplex +triplexes +triplexity +triply +triplicate +triplicated +triplicately +triplicates +triplicating +triplication +triplications +triplicative +triplicature +triplice +triplicist +triplicity +triplicities +triplicostate +tripliform +triplinerved +tripling +triplite +triplites +triploblastic +triplocaulescent +triplocaulous +triplochitonaceae +triploid +triploidy +triploidic +triploidite +triploids +triplopy +triplopia +triplum +triplumbic +tripmadam +tripod +tripodal +trypodendron +tripody +tripodial +tripodian +tripodic +tripodical +tripodies +tripods +trypograph +trypographic +tripointed +tripolar +tripoli +tripoline +tripolis +tripolitan +tripolite +tripos +triposes +tripot +tripotage +tripotassium +tripoter +trippant +tripped +tripper +trippers +trippet +trippets +tripping +trippingly +trippingness +trippings +trippist +tripple +trippler +trips +tripsacum +tripsill +trypsin +trypsinize +trypsinogen +trypsins +tripsis +tripsome +tripsomely +tript +tryptamine +triptane +triptanes +tryptase +tripterous +tryptic +triptyca +triptycas +triptych +triptychs +triptyque +tryptogen +tryptone +tryptonize +tryptophan +tryptophane +triptote +tripudia +tripudial +tripudiant +tripudiary +tripudiate +tripudiation +tripudist +tripudium +tripunctal +tripunctate +tripwire +triquadrantal +triquet +triquetra +triquetral +triquetric +triquetrous +triquetrously +triquetrum +triquinate +triquinoyl +triradial +triradially +triradiate +triradiated +triradiately +triradiation +triradii +triradius +triradiuses +triratna +trirectangular +triregnum +trireme +triremes +trirhombohedral +trirhomboidal +triricinolein +trisaccharide +trisaccharose +trisacramentarian +trisagion +trysail +trysails +trisalt +trisazo +triscele +trisceles +trisceptral +trisect +trisected +trisecting +trisection +trisections +trisector +trisectrix +trisects +triseme +trisemes +trisemic +trisensory +trisepalous +triseptate +triserial +triserially +triseriate +triseriatim +trisetose +trisetum +trisha +trishaw +trishna +trisylabic +trisilane +trisilicane +trisilicate +trisilicic +trisyllabic +trisyllabical +trisyllabically +trisyllabism +trisyllabity +trisyllable +trisinuate +trisinuated +triskaidekaphobe +triskaidekaphobes +triskaidekaphobia +triskele +triskeles +triskelia +triskelion +trismegist +trismegistic +trismic +trismus +trismuses +trisoctahedral +trisoctahedron +trisodium +trisome +trisomes +trisomy +trisomic +trisomics +trisomies +trisonant +trisotropis +trispast +trispaston +trispermous +trispinose +trisplanchnic +trisporic +trisporous +trisquare +trist +tryst +tristachyous +tristam +tristan +tristania +tristate +triste +tryste +tristearate +tristearin +trysted +tristeness +tryster +trysters +trystes +tristesse +tristetrahedron +tristeza +tristezas +tristful +tristfully +tristfulness +tristich +tristichaceae +tristichic +tristichous +tristichs +tristigmatic +tristigmatose +tristyly +tristiloquy +tristylous +tristimulus +trysting +tristisonous +tristive +tristram +trysts +trisubstituted +trisubstitution +trisul +trisula +trisulc +trisulcate +trisulcated +trisulfate +trisulfid +trisulfide +trisulfone +trisulfoxid +trisulfoxide +trisulphate +trisulphid +trisulphide +trisulphone +trisulphonic +trisulphoxid +trisulphoxide +trit +tryt +tritactic +tritagonist +tritangent +tritangential +tritanope +tritanopia +tritanopic +tritanopsia +tritanoptic +tritaph +trite +triteleia +tritely +tritemorion +tritencephalon +triteness +triter +triternate +triternately +triterpene +triterpenoid +tritest +tritetartemorion +tritheism +tritheist +tritheistic +tritheistical +tritheite +tritheocracy +trithing +trithings +trithioaldehyde +trithiocarbonate +trithiocarbonic +trithionate +trithionates +trithionic +trithrinax +tritiate +tritiated +tritical +triticale +triticality +tritically +triticalness +triticeous +triticeum +triticin +triticism +triticoid +triticum +triticums +trityl +tritylodon +tritish +tritium +tritiums +tritocerebral +tritocerebrum +tritocone +tritoconid +tritogeneia +tritolo +tritoma +tritomas +tritomite +triton +tritonal +tritonality +tritone +tritones +tritoness +tritonia +tritonic +tritonidae +tritonymph +tritonymphal +tritonoid +tritonous +tritons +tritopatores +trytophan +tritopine +tritor +tritoral +tritorium +tritoxide +tritozooid +tritriacontane +trittichan +tritubercular +trituberculata +trituberculy +trituberculism +triturable +tritural +triturate +triturated +triturates +triturating +trituration +triturator +triturators +triturature +triture +triturium +triturus +triumf +triumfetta +triumph +triumphal +triumphance +triumphancy +triumphant +triumphantly +triumphator +triumphed +triumpher +triumphing +triumphs +triumphwise +triumvir +triumviral +triumvirate +triumvirates +triumviri +triumviry +triumvirs +triumvirship +triunal +triune +triunes +triungulin +triunification +triunion +triunitarian +triunity +triunities +triunsaturated +triurid +triuridaceae +triuridales +triuris +trivalence +trivalency +trivalent +trivalerin +trivalve +trivalves +trivalvular +trivant +trivantly +trivariant +trivat +triverbal +triverbial +trivet +trivets +trivette +trivetwise +trivia +trivial +trivialisation +trivialise +trivialised +trivialising +trivialism +trivialist +triviality +trivialities +trivialization +trivialize +trivializing +trivially +trivialness +trivirga +trivirgate +trivium +trivoltine +trivvet +triweekly +triweeklies +triweekliess +triwet +tryworks +trix +trixy +trixie +trizoic +trizomal +trizonal +trizone +trizonia +troad +troak +troaked +troaking +troaks +troat +trobador +troca +trocaical +trocar +trocars +troch +trocha +trochaic +trochaicality +trochaically +trochaics +trochal +trochalopod +trochalopoda +trochalopodous +trochanter +trochanteral +trochanteric +trochanterion +trochantin +trochantine +trochantinian +trochar +trochars +trochart +trochate +troche +trocheameter +troched +trochee +trocheeize +trochees +trochelminth +trochelminthes +troches +trocheus +trochi +trochid +trochidae +trochiferous +trochiform +trochil +trochila +trochili +trochilic +trochilics +trochilidae +trochilidine +trochilidist +trochiline +trochilopodous +trochilos +trochils +trochiluli +trochilus +troching +trochiscation +trochisci +trochiscus +trochisk +trochite +trochitic +trochius +trochlea +trochleae +trochlear +trochleary +trochleariform +trochlearis +trochleas +trochleate +trochleiform +trochocephaly +trochocephalia +trochocephalic +trochocephalus +trochodendraceae +trochodendraceous +trochodendron +trochoid +trochoidal +trochoidally +trochoides +trochoids +trochometer +trochophore +trochosphaera +trochosphaerida +trochosphere +trochospherical +trochozoa +trochozoic +trochozoon +trochus +trock +trocked +trockery +trocking +trocks +troco +troctolite +trod +trodden +trode +troegerite +troezenian +troffer +troffers +troft +trog +trogerite +trogger +troggin +troggs +troglodytal +troglodyte +troglodytes +troglodytic +troglodytical +troglodytidae +troglodytinae +troglodytish +troglodytism +trogon +trogones +trogonidae +trogoniformes +trogonoid +trogons +trogs +trogue +troy +troiades +troic +troika +troikas +troilism +troilite +troilites +troilus +troiluses +troynovant +trois +troys +troytown +trojan +trojans +troke +troked +troker +trokes +troking +troland +trolands +trolatitious +troll +trolldom +trolled +trolley +trolleybus +trolleyed +trolleyer +trolleyful +trolleying +trolleyman +trolleymen +trolleys +trolleite +troller +trollers +trollflower +trolly +trollied +trollies +trollying +trollyman +trollymen +trollimog +trolling +trollings +trollius +trollman +trollmen +trollol +trollop +trollopean +trollopeanism +trollopy +trollopian +trolloping +trollopish +trollops +trolls +tromba +trombash +trombe +trombiculid +trombidiasis +trombidiidae +trombidiosis +trombidium +trombone +trombones +trombony +trombonist +trombonists +trommel +trommels +tromometer +tromometry +tromometric +tromometrical +tromp +trompe +tromped +trompes +trompil +trompillo +tromping +tromple +tromps +tron +trona +tronador +tronage +tronas +tronc +trondhjemite +trone +troner +trones +tronk +troodont +trooly +troolie +troop +trooped +trooper +trooperess +troopers +troopfowl +troopial +troopials +trooping +troops +troopship +troopships +troopwise +trooshlach +troostite +troostitic +troot +trooz +trop +tropacocaine +tropaeola +tropaeolaceae +tropaeolaceous +tropaeoli +tropaeolin +tropaeolum +tropaeolums +tropaia +tropaion +tropal +tropary +troparia +troparion +tropate +trope +tropeic +tropein +tropeine +tropeolin +troper +tropes +tropesis +trophaea +trophaeum +trophal +trophallactic +trophallaxis +trophectoderm +trophedema +trophema +trophesy +trophesial +trophi +trophy +trophic +trophical +trophically +trophicity +trophied +trophies +trophying +trophyless +trophis +trophism +trophywort +trophobiont +trophobiosis +trophobiotic +trophoblast +trophoblastic +trophochromatin +trophocyte +trophoderm +trophodynamic +trophodynamics +trophodisc +trophogenesis +trophogeny +trophogenic +trophology +trophon +trophonema +trophoneurosis +trophoneurotic +trophonian +trophonucleus +trophopathy +trophophyte +trophophore +trophophorous +trophoplasm +trophoplasmatic +trophoplasmic +trophoplast +trophosomal +trophosome +trophosperm +trophosphere +trophospongia +trophospongial +trophospongium +trophospore +trophotaxis +trophotherapy +trophothylax +trophotropic +trophotropism +trophozoite +trophozooid +tropia +tropic +tropical +tropicalia +tropicalian +tropicalih +tropicalisation +tropicalise +tropicalised +tropicalising +tropicality +tropicalization +tropicalize +tropicalized +tropicalizing +tropically +tropicbird +tropicopolitan +tropics +tropidine +tropidoleptus +tropyl +tropin +tropine +tropines +tropins +tropism +tropismatic +tropisms +tropist +tropistic +tropocaine +tropocollagen +tropoyl +tropology +tropologic +tropological +tropologically +tropologies +tropologize +tropologized +tropologizing +tropometer +tropomyosin +tropopause +tropophil +tropophilous +tropophyte +tropophytic +troposphere +tropospheric +tropostereoscope +tropotaxis +troppaia +troppo +troptometer +trostera +trot +trotcozy +troth +trothed +trothful +trothing +trothless +trothlessness +trothlike +trothplight +troths +trotyl +trotyls +trotlet +trotline +trotlines +trotol +trots +trotskyism +trotted +trotter +trotters +trotteur +trotty +trottie +trotting +trottles +trottoir +trottoired +troubador +troubadour +troubadourish +troubadourism +troubadourist +troubadours +trouble +troubled +troubledly +troubledness +troublemaker +troublemakers +troublemaking +troublement +troubleproof +troubler +troublers +troubles +troubleshoot +troubleshooted +troubleshooter +troubleshooters +troubleshooting +troubleshoots +troubleshot +troublesome +troublesomely +troublesomeness +troublesshot +troubly +troubling +troublingly +troublous +troublously +troublousness +troue +trough +troughed +troughful +troughy +troughing +troughlike +troughs +troughster +troughway +troughwise +trounce +trounced +trouncer +trouncers +trounces +trouncing +troupand +troupe +trouped +trouper +troupers +troupes +troupial +troupials +trouping +trouse +trouser +trouserdom +trousered +trouserettes +trouserian +trousering +trouserless +trousers +trouss +trousse +trousseau +trousseaus +trousseaux +trout +troutbird +trouter +troutflower +troutful +trouty +troutier +troutiest +troutiness +troutless +troutlet +troutlike +troutling +trouts +trouv +trouvaille +trouvailles +trouvere +trouveres +trouveur +trouveurs +trouvre +trovatore +trove +troveless +trover +trovers +troves +trow +trowable +trowane +trowed +trowel +trowelbeak +troweled +troweler +trowelers +trowelful +troweling +trowelled +troweller +trowelling +trowelman +trowels +trowie +trowing +trowlesworthite +trowman +trows +trowsers +trowth +trowths +trp +trpset +trs +trt +truancy +truancies +truandise +truant +truantcy +truanted +truanting +truantism +truantly +truantlike +truantness +truantry +truantries +truants +truantship +trub +trubu +truce +trucebreaker +trucebreaking +truced +truceless +trucemaker +trucemaking +truces +trucha +truchman +trucial +trucidation +trucing +truck +truckage +truckages +truckdriver +trucked +trucker +truckers +truckful +truckie +trucking +truckings +truckle +truckled +truckler +trucklers +truckles +trucklike +truckline +truckling +trucklingly +truckload +truckloads +truckman +truckmaster +truckmen +trucks +truckster +truckway +truculence +truculency +truculent +truculental +truculently +truculentness +truddo +trudellite +trudge +trudged +trudgen +trudgens +trudgeon +trudgeons +trudger +trudgers +trudges +trudging +trudy +true +trueblue +trueblues +trueborn +truebred +trued +truehearted +trueheartedly +trueheartedness +trueing +truelike +truelove +trueloves +trueman +trueness +truenesses +truepenny +truer +trues +truest +truewood +truff +truffe +truffes +truffle +truffled +trufflelike +truffler +truffles +trufflesque +trug +trugmallion +truing +truish +truism +truismatic +truisms +truistic +truistical +truistically +truly +trull +trullan +truller +trulli +trullisatio +trullisatios +trullization +trullo +trulls +truman +trumbash +trumeau +trumeaux +trummel +trump +trumped +trumper +trumpery +trumperies +trumperiness +trumpet +trumpetbush +trumpeted +trumpeter +trumpeters +trumpetfish +trumpetfishes +trumpety +trumpeting +trumpetleaf +trumpetless +trumpetlike +trumpetry +trumpets +trumpetweed +trumpetwood +trumph +trumpie +trumping +trumpless +trumplike +trumps +trumscheit +trun +truncage +truncal +truncate +truncated +truncately +truncatella +truncatellidae +truncates +truncating +truncation +truncations +truncator +truncatorotund +truncatosinuate +truncature +trunch +trunched +truncheon +truncheoned +truncheoner +truncheoning +truncheons +truncher +trunchman +truncus +trundle +trundled +trundlehead +trundler +trundlers +trundles +trundleshot +trundletail +trundling +trunk +trunkback +trunked +trunkfish +trunkfishes +trunkful +trunkfuls +trunking +trunkless +trunkmaker +trunknose +trunks +trunkway +trunkwork +trunnel +trunnels +trunnion +trunnioned +trunnionless +trunnions +truong +trush +trusion +truss +trussed +trussell +trusser +trussery +trussers +trusses +trussing +trussings +trussmaker +trussmaking +trusswork +trust +trustability +trustable +trustableness +trustably +trustbuster +trustbusting +trusted +trustee +trusteed +trusteeing +trusteeism +trustees +trusteeship +trusteeships +trusteing +trusten +truster +trusters +trustful +trustfully +trustfulness +trusty +trustier +trusties +trustiest +trustify +trustification +trustified +trustifying +trustihood +trustily +trustiness +trusting +trustingly +trustingness +trustle +trustless +trustlessly +trustlessness +trustman +trustmen +trustmonger +trustor +trusts +trustwoman +trustwomen +trustworthy +trustworthier +trustworthiest +trustworthily +trustworthiness +truth +truthable +truthful +truthfully +truthfulness +truthy +truthify +truthiness +truthless +truthlessly +truthlessness +truthlike +truthlikeness +truths +truthsman +truthteller +truthtelling +trutinate +trutination +trutine +trutta +truttaceous +truvat +truxillic +truxillin +truxilline +ts +tsade +tsades +tsadi +tsadik +tsadis +tsamba +tsantsa +tsar +tsardom +tsardoms +tsarevitch +tsarevna +tsarevnas +tsarina +tsarinas +tsarism +tsarisms +tsarist +tsaristic +tsarists +tsaritza +tsaritzas +tsars +tsarship +tsatlee +tsattine +tscharik +tscheffkinite +tscherkess +tschernosem +tsere +tsessebe +tsetse +tsetses +tshi +tshiluba +tsi +tsia +tsiltaden +tsimmes +tsimshian +tsine +tsingtauite +tsiology +tsitsith +tsk +tsked +tsking +tsks +tsktsk +tsktsked +tsktsking +tsktsks +tsoneca +tsonecan +tsotsi +tsp +tss +tst +tsuba +tsubo +tsuga +tsukupin +tsuma +tsumebite +tsun +tsunami +tsunamic +tsunamis +tsungtu +tsures +tsuris +tsurugi +tsutsutsi +tswana +tty +tu +tua +tualati +tuamotu +tuamotuan +tuan +tuant +tuareg +tuarn +tuart +tuatara +tuataras +tuatera +tuateras +tuath +tub +tuba +tubae +tubage +tubal +tubaphone +tubar +tubaron +tubas +tubate +tubatoxin +tubatulabal +tubba +tubbable +tubbal +tubbeck +tubbed +tubber +tubbers +tubby +tubbie +tubbier +tubbiest +tubbiness +tubbing +tubbish +tubbist +tubboe +tube +tubectomy +tubectomies +tubed +tubeflower +tubeform +tubeful +tubehead +tubehearted +tubeless +tubelet +tubelike +tubemaker +tubemaking +tubeman +tubemen +tubenose +tuber +tuberaceae +tuberaceous +tuberales +tuberation +tubercle +tubercled +tuberclelike +tubercles +tubercula +tubercular +tubercularia +tuberculariaceae +tuberculariaceous +tubercularisation +tubercularise +tubercularised +tubercularising +tubercularization +tubercularize +tubercularized +tubercularizing +tubercularly +tubercularness +tuberculate +tuberculated +tuberculatedly +tuberculately +tuberculation +tuberculatogibbous +tuberculatonodose +tuberculatoradiate +tuberculatospinous +tubercule +tuberculed +tuberculid +tuberculide +tuberculiferous +tuberculiform +tuberculin +tuberculination +tuberculine +tuberculinic +tuberculinisation +tuberculinise +tuberculinised +tuberculinising +tuberculinization +tuberculinize +tuberculinized +tuberculinizing +tuberculisation +tuberculise +tuberculised +tuberculising +tuberculization +tuberculize +tuberculocele +tuberculocidin +tuberculoderma +tuberculoid +tuberculoma +tuberculomania +tuberculomas +tuberculomata +tuberculophobia +tuberculoprotein +tuberculose +tuberculosectorial +tuberculosed +tuberculoses +tuberculosis +tuberculotherapy +tuberculotherapist +tuberculotoxin +tuberculotrophic +tuberculous +tuberculously +tuberculousness +tuberculum +tuberiferous +tuberiform +tuberin +tuberization +tuberize +tuberless +tuberoid +tuberose +tuberoses +tuberosity +tuberosities +tuberous +tuberously +tuberousness +tubers +tuberuculate +tubes +tubesmith +tubesnout +tubework +tubeworks +tubfish +tubfishes +tubful +tubfuls +tubhunter +tubicen +tubicinate +tubicination +tubicola +tubicolae +tubicolar +tubicolous +tubicorn +tubicornous +tubifacient +tubifer +tubiferous +tubifex +tubifexes +tubificid +tubificidae +tubiflorales +tubiflorous +tubiform +tubig +tubik +tubilingual +tubinares +tubinarial +tubinarine +tubing +tubingen +tubings +tubiparous +tubipora +tubipore +tubiporid +tubiporidae +tubiporoid +tubiporous +tublet +tublike +tubmaker +tubmaking +tubman +tubmen +tuboabdominal +tubocurarine +tuboid +tubolabellate +tuboligamentous +tuboovarial +tuboovarian +tuboperitoneal +tuborrhea +tubotympanal +tubovaginal +tubs +tubster +tubtail +tubular +tubularia +tubulariae +tubularian +tubularida +tubularidan +tubulariidae +tubularity +tubularly +tubulate +tubulated +tubulates +tubulating +tubulation +tubulator +tubulature +tubule +tubules +tubulet +tubuli +tubulibranch +tubulibranchian +tubulibranchiata +tubulibranchiate +tubulidentata +tubulidentate +tubulifera +tubuliferan +tubuliferous +tubulifloral +tubuliflorous +tubuliform +tubulipora +tubulipore +tubuliporid +tubuliporidae +tubuliporoid +tubulization +tubulodermoid +tubuloracemose +tubulosaccular +tubulose +tubulostriato +tubulous +tubulously +tubulousness +tubulure +tubulures +tubulus +tubuphone +tubwoman +tucana +tucanae +tucandera +tucano +tuchis +tuchit +tuchun +tuchunate +tuchunism +tuchunize +tuchuns +tuck +tuckahoe +tuckahoes +tucked +tucker +tuckered +tuckering +tuckermanity +tuckers +tucket +tuckets +tucky +tucking +tuckner +tucks +tuckshop +tucktoo +tucotuco +tucson +tucum +tucuma +tucuman +tucuna +tucutucu +tudel +tudesque +tudor +tudoresque +tue +tuebor +tuedian +tueiron +tuesday +tuesdays +tufa +tufaceous +tufalike +tufan +tufas +tuff +tuffaceous +tuffet +tuffets +tuffing +tuffoon +tuffs +tuft +tuftaffeta +tufted +tufter +tufters +tufthunter +tufthunting +tufty +tuftier +tuftiest +tuftily +tufting +tuftlet +tufts +tug +tugboat +tugboatman +tugboatmen +tugboats +tugged +tugger +tuggery +tuggers +tugging +tuggingly +tughra +tugless +tuglike +tugman +tugrik +tugriks +tugs +tugui +tuguria +tugurium +tui +tuy +tuyer +tuyere +tuyeres +tuyers +tuik +tuilyie +tuille +tuilles +tuillette +tuilzie +tuinga +tuis +tuism +tuition +tuitional +tuitionary +tuitionless +tuitions +tuitive +tuyuneiri +tuke +tukra +tukuler +tukulor +tukutuku +tula +tuladi +tuladis +tulalip +tularaemia +tularaemic +tulare +tularemia +tularemic +tulasi +tulbaghia +tulcan +tulchan +tulchin +tule +tules +tuliac +tulip +tulipa +tulipant +tulipflower +tulipi +tulipy +tulipiferous +tulipist +tuliplike +tulipomania +tulipomaniac +tulips +tulipwood +tulisan +tulisanes +tulkepaia +tulle +tulles +tullian +tullibee +tullibees +tulnic +tulostoma +tulsa +tulsi +tulu +tulwar +tulwaur +tum +tumain +tumasha +tumatakuru +tumatukuru +tumbak +tumbaki +tumbek +tumbeki +tumbester +tumble +tumblebug +tumbled +tumbledown +tumbledung +tumblehome +tumbler +tumblerful +tumblerlike +tumblers +tumblerwise +tumbles +tumbleweed +tumbleweeds +tumbly +tumblification +tumbling +tumblingly +tumblings +tumboa +tumbrel +tumbrels +tumbril +tumbrils +tume +tumefacient +tumefaction +tumefactive +tumefy +tumefied +tumefies +tumefying +tumeric +tumescence +tumescent +tumfie +tumid +tumidily +tumidity +tumidities +tumidly +tumidness +tumion +tumli +tummals +tummed +tummel +tummeler +tummels +tummer +tummy +tummies +tumming +tummock +tummuler +tumor +tumoral +tumored +tumorigenic +tumorigenicity +tumorlike +tumorous +tumors +tumour +tumoured +tumours +tump +tumphy +tumpline +tumplines +tumps +tumtum +tumular +tumulary +tumulate +tumulation +tumuli +tumulose +tumulosity +tumulous +tumult +tumulter +tumults +tumultuary +tumultuaries +tumultuarily +tumultuariness +tumultuate +tumultuation +tumultuoso +tumultuous +tumultuously +tumultuousness +tumultus +tumulus +tumuluses +tumupasa +tun +tuna +tunability +tunable +tunableness +tunably +tunaburger +tunal +tunas +tunbelly +tunbellied +tunca +tund +tundagslatta +tundation +tunder +tundish +tundishes +tundra +tundras +tundun +tune +tuneable +tuneableness +tuneably +tunebo +tuned +tuneful +tunefully +tunefulness +tuneless +tunelessly +tunelessness +tunemaker +tunemaking +tuner +tuners +tunes +tunesmith +tunesome +tunester +tuneup +tuneups +tunful +tung +tunga +tungah +tungan +tungate +tungo +tungos +tungs +tungstate +tungsten +tungstenic +tungsteniferous +tungstenite +tungstens +tungstic +tungstite +tungstosilicate +tungstosilicic +tungstous +tungus +tungusian +tungusic +tunhoof +tuny +tunic +tunica +tunicae +tunican +tunicary +tunicata +tunicate +tunicated +tunicates +tunicin +tunicked +tunicle +tunicles +tunicless +tunics +tuniness +tuning +tunings +tunis +tunish +tunisia +tunisian +tunisians +tunist +tunk +tunka +tunker +tunket +tunland +tunlike +tunmoot +tunna +tunnage +tunnages +tunned +tunney +tunnel +tunneled +tunneler +tunnelers +tunneling +tunnelist +tunnelite +tunnelled +tunneller +tunnellers +tunnelly +tunnellike +tunnelling +tunnellite +tunnelmaker +tunnelmaking +tunnelman +tunnelmen +tunnels +tunnelway +tunner +tunnery +tunneries +tunny +tunnies +tunning +tunnit +tunnland +tunnor +tuno +tuns +tunu +tup +tupaia +tupaiid +tupaiidae +tupakihi +tupanship +tupara +tupek +tupelo +tupelos +tupi +tupian +tupik +tupiks +tupinamba +tupinaqui +tuple +tuples +tupman +tupmen +tupped +tuppence +tuppences +tuppeny +tuppenny +tupperian +tupperish +tupperism +tupperize +tupping +tups +tupuna +tuque +tuques +tuquoque +tur +turacin +turaco +turacos +turacou +turacous +turacoverdin +turacus +turakoo +turanian +turanianism +turanism +turanite +turanose +turb +turban +turbaned +turbanesque +turbanette +turbanless +turbanlike +turbanned +turbans +turbanto +turbantop +turbanwise +turbary +turbaries +turbeh +turbellaria +turbellarian +turbellariform +turbescency +turbeth +turbeths +turbid +turbidimeter +turbidimetry +turbidimetric +turbidimetrically +turbidite +turbidity +turbidities +turbidly +turbidness +turbinaceous +turbinage +turbinal +turbinals +turbinate +turbinated +turbination +turbinatocylindrical +turbinatoconcave +turbinatoglobose +turbinatostipitate +turbine +turbinectomy +turbined +turbinelike +turbinella +turbinellidae +turbinelloid +turbiner +turbines +turbinidae +turbiniform +turbinite +turbinoid +turbinotome +turbinotomy +turbit +turbith +turbiths +turbits +turbitteen +turble +turbo +turboalternator +turboblower +turbocar +turbocars +turbocharge +turbocharger +turbocompressor +turbodynamo +turboelectric +turboexciter +turbofan +turbofans +turbogenerator +turbojet +turbojets +turbomachine +turbomotor +turboprop +turboprops +turbopump +turbos +turboshaft +turbosupercharge +turbosupercharged +turbosupercharger +turbot +turbotlike +turbots +turboventilator +turbulator +turbulence +turbulency +turbulent +turbulently +turbulentness +turcian +turcic +turcification +turcism +turcize +turco +turcois +turcoman +turcophilism +turcopole +turcopolier +turd +turdetan +turdidae +turdiform +turdinae +turdine +turdoid +turds +turdus +tureen +tureenful +tureens +turf +turfage +turfdom +turfed +turfen +turfy +turfier +turfiest +turfiness +turfing +turfite +turfless +turflike +turfman +turfmen +turfs +turfski +turfskiing +turfskis +turfwise +turgency +turgencies +turgent +turgently +turgesce +turgesced +turgescence +turgescency +turgescent +turgescently +turgescible +turgescing +turgy +turgid +turgidity +turgidities +turgidly +turgidness +turgite +turgites +turgoid +turgor +turgors +turi +turicata +turing +turio +turion +turioniferous +turistas +turjaite +turjite +turk +turkana +turkdom +turkeer +turkey +turkeyback +turkeyberry +turkeybush +turkeydom +turkeyfish +turkeyfishes +turkeyfoot +turkeyism +turkeylike +turkeys +turken +turkery +turkess +turki +turkic +turkicize +turkify +turkification +turkis +turkish +turkishly +turkishness +turkism +turkize +turkle +turklike +turkman +turkmen +turkmenian +turkois +turkoises +turkology +turkologist +turkoman +turkomania +turkomanic +turkomanize +turkophil +turkophile +turkophilia +turkophilism +turkophobe +turkophobist +turks +turlough +turlupin +turm +turma +turmaline +turment +turmeric +turmerics +turmerol +turmet +turmit +turmoil +turmoiled +turmoiler +turmoiling +turmoils +turmut +turn +turnable +turnabout +turnabouts +turnagain +turnaround +turnarounds +turnaway +turnback +turnbout +turnbroach +turnbuckle +turnbuckles +turncap +turncoat +turncoatism +turncoats +turncock +turndown +turndowns +turndun +turned +turney +turnel +turner +turnera +turneraceae +turneraceous +turneresque +turnery +turnerian +turneries +turnerism +turnerite +turners +turngate +turnhall +turnhalle +turnhalls +turnices +turnicidae +turnicine +turnicomorphae +turnicomorphic +turning +turningness +turnings +turnip +turnipy +turniplike +turnips +turnipweed +turnipwise +turnipwood +turnix +turnkey +turnkeys +turnmeter +turnoff +turnoffs +turnor +turnout +turnouts +turnover +turnovers +turnpike +turnpiker +turnpikes +turnpin +turnplate +turnplough +turnplow +turnpoke +turnrow +turns +turnscrew +turnsheet +turnskin +turnsole +turnsoles +turnspit +turnspits +turnstile +turnstiles +turnstone +turntable +turntables +turntail +turntale +turnup +turnups +turnverein +turnway +turnwrest +turnwrist +turonian +turophile +turp +turpantineweed +turpentine +turpentined +turpentineweed +turpentiny +turpentinic +turpentining +turpentinous +turpeth +turpethin +turpeths +turpid +turpidly +turpify +turpinite +turpis +turpitude +turps +turquet +turquois +turquoise +turquoiseberry +turquoiselike +turquoises +turr +turrel +turrell +turret +turreted +turrethead +turreting +turretless +turretlike +turrets +turrical +turricle +turricula +turriculae +turricular +turriculate +turriculated +turriferous +turriform +turrigerous +turrilepas +turrilite +turrilites +turriliticone +turrilitidae +turrion +turrited +turritella +turritellid +turritellidae +turritelloid +turrum +turse +tursenoi +tursha +tursio +tursiops +turtan +turtle +turtleback +turtlebloom +turtled +turtledom +turtledove +turtledoved +turtledoves +turtledoving +turtlehead +turtleize +turtlelike +turtleneck +turtlenecks +turtlepeg +turtler +turtlers +turtles +turtlestone +turtlet +turtling +turtlings +turtosa +turtur +tururi +turus +turveydrop +turveydropdom +turveydropian +turves +turvy +turwar +tusayan +tuscan +tuscany +tuscanism +tuscanize +tuscanlike +tuscarora +tusche +tusches +tusculan +tush +tushed +tushepaw +tusher +tushery +tushes +tushy +tushie +tushies +tushing +tushs +tusk +tuskar +tusked +tuskegee +tusker +tuskers +tusky +tuskier +tuskiest +tusking +tuskish +tuskless +tusklike +tusks +tuskwise +tussah +tussahs +tussal +tussar +tussars +tusseh +tussehs +tusser +tussers +tussicular +tussilago +tussis +tussises +tussive +tussle +tussled +tussler +tussles +tussling +tussock +tussocked +tussocker +tussocky +tussocks +tussor +tussore +tussores +tussors +tussuck +tussucks +tussur +tussurs +tut +tutament +tutania +tutankhamen +tutball +tute +tutee +tutees +tutela +tutelae +tutelage +tutelages +tutelar +tutelary +tutelaries +tutelars +tutele +tutelo +tutenag +tutenague +tuth +tutin +tutiorism +tutiorist +tutler +tutly +tutman +tutmen +tutoyed +tutoiement +tutoyer +tutoyered +tutoyering +tutoyers +tutor +tutorage +tutorages +tutored +tutorer +tutoress +tutoresses +tutorhood +tutory +tutorial +tutorially +tutorials +tutoriate +tutoring +tutorism +tutorization +tutorize +tutorless +tutorly +tutors +tutorship +tutress +tutrice +tutrix +tuts +tutsan +tutster +tutted +tutti +tutty +tutties +tuttiman +tuttyman +tutting +tuttis +tutto +tutu +tutulus +tutus +tututni +tutwork +tutworker +tutworkman +tuum +tuwi +tux +tuxedo +tuxedoes +tuxedos +tuxes +tuza +tuzla +tuzzle +tv +twa +twaddell +twaddy +twaddle +twaddled +twaddledom +twaddleize +twaddlement +twaddlemonger +twaddler +twaddlers +twaddles +twaddlesome +twaddly +twaddlier +twaddliest +twaddling +twaddlingly +twae +twaes +twaesome +twafauld +twagger +tway +twayblade +twain +twains +twait +twaite +twal +twale +twalpenny +twalpennyworth +twalt +twana +twang +twanged +twanger +twangy +twangier +twangiest +twanginess +twanging +twangle +twangled +twangler +twanglers +twangles +twangling +twangs +twank +twankay +twanker +twanky +twankies +twanking +twankingly +twankle +twant +twarly +twas +twasome +twasomes +twat +twatchel +twats +twatterlight +twattle +twattled +twattler +twattles +twattling +twazzy +tweag +tweak +tweaked +tweaker +tweaky +tweakier +tweakiest +tweaking +tweaks +twee +tweed +tweeded +tweedy +tweedier +tweediest +tweediness +tweedle +tweedled +tweedledee +tweedledum +tweedles +tweedling +tweeds +tweeg +tweel +tween +tweeny +tweenies +tweenlight +tweese +tweesh +tweesht +tweest +tweet +tweeted +tweeter +tweeters +tweeting +tweets +tweeze +tweezed +tweezer +tweezered +tweezering +tweezers +tweezes +tweezing +tweyfold +tweil +twelfhynde +twelfhyndeman +twelfth +twelfthly +twelfths +twelfthtide +twelve +twelvefold +twelvehynde +twelvehyndeman +twelvemo +twelvemonth +twelvemonths +twelvemos +twelvepence +twelvepenny +twelves +twelvescore +twenty +twenties +twentieth +twentiethly +twentieths +twentyfold +twentyfourmo +twentymo +twentypenny +twere +twerp +twerps +twi +twibil +twibill +twibilled +twibills +twibils +twyblade +twice +twicer +twicet +twichild +twick +twiddle +twiddled +twiddler +twiddlers +twiddles +twiddly +twiddling +twie +twier +twyer +twiers +twyers +twifallow +twifoil +twifold +twifoldly +twig +twigful +twigged +twiggen +twigger +twiggy +twiggier +twiggiest +twigginess +twigging +twigless +twiglet +twiglike +twigs +twigsome +twigwithy +twyhynde +twilight +twilighty +twilightless +twilightlike +twilights +twilit +twill +twilled +twiller +twilly +twilling +twillings +twills +twilt +twin +twinable +twinberry +twinberries +twinborn +twindle +twine +twineable +twinebush +twined +twineless +twinelike +twinemaker +twinemaking +twiner +twiners +twines +twinflower +twinfold +twinge +twinged +twingeing +twinges +twinging +twingle +twinhood +twiny +twinier +twiniest +twinight +twinighter +twinighters +twining +twiningly +twinism +twink +twinkle +twinkled +twinkledum +twinkleproof +twinkler +twinklers +twinkles +twinkless +twinkly +twinkling +twinklingly +twinleaf +twinly +twinlike +twinling +twinned +twinner +twinness +twinning +twinnings +twins +twinship +twinships +twinsomeness +twint +twinter +twire +twirk +twirl +twirled +twirler +twirlers +twirly +twirlier +twirliest +twirligig +twirling +twirls +twirp +twirps +twiscar +twisel +twist +twistability +twistable +twisted +twistedly +twistened +twister +twisterer +twisters +twisthand +twisty +twistical +twistification +twistily +twistiness +twisting +twistingly +twistings +twistiways +twistiwise +twistle +twistless +twists +twit +twitch +twitched +twitchel +twitcheling +twitcher +twitchers +twitches +twitchet +twitchety +twitchfire +twitchy +twitchier +twitchiest +twitchily +twitchiness +twitching +twitchingly +twite +twitlark +twits +twitted +twitten +twitter +twitteration +twitterboned +twittered +twitterer +twittery +twittering +twitteringly +twitterly +twitters +twitty +twitting +twittingly +twittle +twyver +twixt +twixtbrain +twizzened +twizzle +two +twodecker +twoes +twofer +twofers +twofold +twofoldly +twofoldness +twofolds +twohandedness +twolegged +twoling +twoness +twopence +twopences +twopenny +twos +twoscore +twosome +twosomes +twp +tx +txt +tzaam +tzaddik +tzaddikim +tzapotec +tzar +tzardom +tzardoms +tzarevich +tzarevitch +tzarevna +tzarevnas +tzarina +tzarinas +tzarism +tzarisms +tzarist +tzaristic +tzarists +tzaritza +tzaritzas +tzars +tzedakah +tzendal +tzental +tzetse +tzetze +tzetzes +tzigane +tziganes +tzimmes +tzitzis +tzitzith +tzolkin +tzontle +tzotzil +tzuris +tzutuhil +u +uayeb +uakari +ualis +uang +uaraycu +uarekena +uaupe +ubangi +ubbenite +ubbonite +ubc +uberant +uberous +uberously +uberousness +uberrima +uberty +uberties +ubi +ubication +ubiety +ubieties +ubii +ubiquarian +ubique +ubiquious +ubiquist +ubiquit +ubiquitary +ubiquitarian +ubiquitarianism +ubiquitaries +ubiquitariness +ubiquity +ubiquities +ubiquitism +ubiquitist +ubiquitous +ubiquitously +ubiquitousness +ubound +ubussu +uc +uca +ucayale +ucal +uchean +uchee +uckers +uckia +ucuuba +ud +udal +udaler +udaller +udalman +udasi +udder +uddered +udderful +udderless +udderlike +udders +udell +udi +udic +udish +udo +udographic +udolphoish +udom +udometer +udometers +udometry +udometric +udometries +udomograph +udos +uds +ueueteotl +ufer +ufo +ufology +ufologies +ufologist +ufos +ufs +ug +ugali +uganda +ugandan +ugandans +ugaritic +ugarono +ugglesome +ugh +ughs +ughten +ugli +ugly +uglier +ugliest +uglify +uglification +uglified +uglifier +uglifiers +uglifies +uglifying +uglily +ugliness +uglinesses +uglis +uglisome +ugrian +ugrianize +ugric +ugroid +ugsome +ugsomely +ugsomeness +ugt +uh +uhlan +uhlans +uhllo +uhs +uhtensang +uhtsong +uhuru +ui +uighur +uigur +uigurian +uiguric +uily +uinal +uinta +uintahite +uintaite +uintaites +uintathere +uintatheriidae +uintatherium +uintjie +uirina +uit +uitlander +uitotan +uitspan +uji +ukase +ukases +uke +ukelele +ukeleles +ukes +ukiyoe +ukiyoye +ukraine +ukrainer +ukrainian +ukrainians +ukranian +ukulele +ukuleles +ula +ulama +ulamas +ulan +ulans +ulatrophy +ulatrophia +ulaula +ulcer +ulcerable +ulcerate +ulcerated +ulcerates +ulcerating +ulceration +ulcerations +ulcerative +ulcered +ulcery +ulcering +ulceromembranous +ulcerous +ulcerously +ulcerousness +ulcers +ulcus +ulcuscle +ulcuscule +ule +ulema +ulemas +ulemorrhagia +ulerythema +uletic +ulex +ulexine +ulexite +ulexites +ulicon +ulidia +ulidian +uliginose +uliginous +ulyssean +ulysses +ulitis +ull +ulla +ullage +ullaged +ullages +ullagone +uller +ulling +ullmannite +ulluco +ullucu +ulmaceae +ulmaceous +ulmaria +ulmate +ulmic +ulmin +ulminic +ulmo +ulmous +ulmus +ulna +ulnad +ulnae +ulnage +ulnar +ulnare +ulnaria +ulnas +ulnocarpal +ulnocondylar +ulnometacarpal +ulnoradial +uloborid +uloboridae +uloborus +ulocarcinoma +uloid +ulonata +uloncus +ulophocinae +ulorrhagy +ulorrhagia +ulorrhea +ulothrix +ulotrichaceae +ulotrichaceous +ulotrichales +ulotrichan +ulotriches +ulotrichi +ulotrichy +ulotrichous +ulpan +ulpanim +ulrichite +ulster +ulstered +ulsterette +ulsterian +ulstering +ulsterite +ulsterman +ulsters +ult +ulta +ulterior +ulteriorly +ultima +ultimacy +ultimacies +ultimas +ultimata +ultimate +ultimated +ultimately +ultimateness +ultimates +ultimating +ultimation +ultimatum +ultimatums +ultime +ultimity +ultimo +ultimobranchial +ultimogenitary +ultimogeniture +ultimum +ultion +ulto +ultonian +ultra +ultrabasic +ultrabasite +ultrabelieving +ultrabenevolent +ultrabrachycephaly +ultrabrachycephalic +ultrabrilliant +ultracentenarian +ultracentenarianism +ultracentralizer +ultracentrifugal +ultracentrifugally +ultracentrifugation +ultracentrifuge +ultracentrifuged +ultracentrifuging +ultraceremonious +ultrachurchism +ultracivil +ultracomplex +ultraconcomitant +ultracondenser +ultraconfident +ultraconscientious +ultraconservatism +ultraconservative +ultraconservatives +ultracordial +ultracosmopolitan +ultracredulous +ultracrepidarian +ultracrepidarianism +ultracrepidate +ultracritical +ultradandyism +ultradeclamatory +ultrademocratic +ultradespotic +ultradignified +ultradiscipline +ultradolichocephaly +ultradolichocephalic +ultradolichocranial +ultradry +ultraeducationist +ultraeligible +ultraelliptic +ultraemphasis +ultraenergetic +ultraenforcement +ultraenthusiasm +ultraenthusiastic +ultraepiscopal +ultraevangelical +ultraexcessive +ultraexclusive +ultraexpeditious +ultrafantastic +ultrafashionable +ultrafast +ultrafastidious +ultrafederalist +ultrafeudal +ultrafiche +ultrafiches +ultrafidian +ultrafidianism +ultrafilter +ultrafilterability +ultrafilterable +ultrafiltrate +ultrafiltration +ultraformal +ultrafrivolous +ultragallant +ultragaseous +ultragenteel +ultragood +ultragrave +ultrahazardous +ultraheroic +ultrahigh +ultrahonorable +ultrahot +ultrahuman +ultraimperialism +ultraimperialist +ultraimpersonal +ultrainclusive +ultraindifferent +ultraindulgent +ultraingenious +ultrainsistent +ultraintimate +ultrainvolved +ultrayoung +ultraism +ultraisms +ultraist +ultraistic +ultraists +ultralaborious +ultralegality +ultralenient +ultraliberal +ultraliberalism +ultralogical +ultraloyal +ultralow +ultraluxurious +ultramarine +ultramasculine +ultramasculinity +ultramaternal +ultramaximal +ultramelancholy +ultrametamorphism +ultramicro +ultramicrobe +ultramicrochemical +ultramicrochemist +ultramicrochemistry +ultramicrometer +ultramicron +ultramicroscope +ultramicroscopy +ultramicroscopic +ultramicroscopical +ultramicroscopically +ultramicrotome +ultraminiature +ultraminute +ultramoderate +ultramodern +ultramodernism +ultramodernist +ultramodernistic +ultramodest +ultramontane +ultramontanism +ultramontanist +ultramorose +ultramulish +ultramundane +ultranational +ultranationalism +ultranationalist +ultranationalistic +ultranationalistically +ultranatural +ultranegligent +ultranet +ultranice +ultranonsensical +ultraobscure +ultraobstinate +ultraofficious +ultraoptimistic +ultraorganized +ultraornate +ultraorthodox +ultraorthodoxy +ultraoutrageous +ultrapapist +ultraparallel +ultraperfect +ultrapersuasive +ultraphotomicrograph +ultrapious +ultraplanetary +ultraplausible +ultrapopish +ultraproud +ultraprudent +ultrapure +ultraradical +ultraradicalism +ultrarapid +ultrareactionary +ultrared +ultrareds +ultrarefined +ultrarefinement +ultrareligious +ultraremuneration +ultrarepublican +ultrarevolutionary +ultrarevolutionist +ultraritualism +ultraroyalism +ultraroyalist +ultraromantic +ultras +ultrasanguine +ultrascholastic +ultrasecret +ultraselect +ultraservile +ultrasevere +ultrashort +ultrashrewd +ultrasimian +ultrasystematic +ultrasmart +ultrasolemn +ultrasonic +ultrasonically +ultrasonics +ultrasonogram +ultrasonography +ultrasound +ultraspartan +ultraspecialization +ultraspiritualism +ultrasplendid +ultrastandardization +ultrastellar +ultrasterile +ultrastylish +ultrastrenuous +ultrastrict +ultrastructural +ultrastructure +ultrasubtle +ultrasuede +ultratechnical +ultratense +ultraterrene +ultraterrestrial +ultratotal +ultratrivial +ultratropical +ultraugly +ultrauncommon +ultraurgent +ultravicious +ultraviolent +ultraviolet +ultravirtuous +ultravirus +ultraviruses +ultravisible +ultrawealthy +ultrawise +ultrazealous +ultrazealousness +ultrazodiacal +ultroneous +ultroneously +ultroneousness +ulu +ulua +uluhi +ululant +ululate +ululated +ululates +ululating +ululation +ululations +ululative +ululatory +ululu +ulus +ulva +ulvaceae +ulvaceous +ulvales +ulvan +ulvas +um +umangite +umangites +umatilla +umaua +umbecast +umbeclad +umbel +umbelap +umbeled +umbella +umbellales +umbellar +umbellate +umbellated +umbellately +umbelled +umbellet +umbellets +umbellic +umbellifer +umbelliferae +umbelliferone +umbelliferous +umbelliflorous +umbelliform +umbelloid +umbellula +umbellularia +umbellulate +umbellule +umbellulidae +umbelluliferous +umbels +umbelwort +umber +umbered +umberima +umbering +umbers +umberty +umbeset +umbethink +umbibilici +umbilectomy +umbilic +umbilical +umbilically +umbilicar +umbilicaria +umbilicate +umbilicated +umbilication +umbilici +umbiliciform +umbilicus +umbilicuses +umbiliform +umbilroot +umble +umbles +umbo +umbolateral +umbonal +umbonate +umbonated +umbonation +umbone +umbones +umbonial +umbonic +umbonulate +umbonule +umbos +umbra +umbracious +umbraciousness +umbracle +umbraculate +umbraculiferous +umbraculiform +umbraculum +umbrae +umbrage +umbrageous +umbrageously +umbrageousness +umbrages +umbraid +umbral +umbrally +umbrana +umbras +umbrate +umbrated +umbratic +umbratical +umbratile +umbre +umbrel +umbrella +umbrellaed +umbrellaing +umbrellaless +umbrellalike +umbrellas +umbrellawise +umbrellawort +umbrere +umbret +umbrette +umbrettes +umbrian +umbriel +umbriferous +umbriferously +umbriferousness +umbril +umbrina +umbrine +umbrose +umbrosity +umbrous +umbundu +ume +umest +umfaan +umgang +umiac +umiack +umiacks +umiacs +umiak +umiaks +umiaq +umiaqs +umimpeded +umiri +umist +umland +umlaut +umlauted +umlauting +umlauts +umload +umm +ummps +umouhile +ump +umped +umph +umpy +umping +umpirage +umpirages +umpire +umpired +umpirer +umpires +umpireship +umpiress +umpiring +umpirism +umppired +umppiring +umpqua +umps +umpsteen +umpteen +umpteens +umpteenth +umptekite +umpty +umptieth +umquhile +umset +umstroke +umteen +umteenth +umu +un +una +unabandoned +unabandoning +unabased +unabasedly +unabashable +unabashed +unabashedly +unabasing +unabatable +unabated +unabatedly +unabating +unabatingly +unabbreviated +unabdicated +unabdicating +unabdicative +unabducted +unabetted +unabettedness +unabetting +unabhorred +unabhorrently +unabiding +unabidingly +unabidingness +unability +unabject +unabjective +unabjectly +unabjectness +unabjuratory +unabjured +unablative +unable +unableness +unably +unabnegated +unabnegating +unabolishable +unabolished +unaborted +unabortive +unabortively +unabortiveness +unabraded +unabrased +unabrasive +unabrasively +unabridgable +unabridged +unabrogable +unabrogated +unabrogative +unabrupt +unabruptly +unabscessed +unabsent +unabsentmindedness +unabsolute +unabsolvable +unabsolved +unabsolvedness +unabsorb +unabsorbable +unabsorbed +unabsorbent +unabsorbing +unabsorbingly +unabsorptiness +unabsorptive +unabsorptiveness +unabstemious +unabstemiously +unabstemiousness +unabstentious +unabstract +unabstracted +unabstractedly +unabstractedness +unabstractive +unabstractively +unabsurd +unabundance +unabundant +unabundantly +unabusable +unabused +unabusive +unabusively +unabusiveness +unabutting +unacademic +unacademical +unacademically +unacceding +unaccelerated +unaccelerative +unaccent +unaccented +unaccentuated +unaccept +unacceptability +unacceptable +unacceptableness +unacceptably +unacceptance +unacceptant +unaccepted +unaccepting +unaccessibility +unaccessible +unaccessibleness +unaccessibly +unaccessional +unaccessory +unaccidental +unaccidentally +unaccidented +unacclaimate +unacclaimed +unacclimated +unacclimation +unacclimatised +unacclimatization +unacclimatized +unacclivitous +unacclivitously +unaccommodable +unaccommodated +unaccommodatedness +unaccommodating +unaccommodatingly +unaccommodatingness +unaccompanable +unaccompanied +unaccompanying +unaccomplishable +unaccomplished +unaccomplishedness +unaccord +unaccordable +unaccordance +unaccordant +unaccorded +unaccording +unaccordingly +unaccostable +unaccosted +unaccountability +unaccountable +unaccountableness +unaccountably +unaccounted +unaccoutered +unaccoutred +unaccreditated +unaccredited +unaccrued +unaccumulable +unaccumulate +unaccumulated +unaccumulation +unaccumulative +unaccumulatively +unaccumulativeness +unaccuracy +unaccurate +unaccurately +unaccurateness +unaccursed +unaccusable +unaccusably +unaccuse +unaccused +unaccusing +unaccusingly +unaccustom +unaccustomed +unaccustomedly +unaccustomedness +unacerbic +unacerbically +unacetic +unachievability +unachievable +unachieved +unaching +unachingly +unacidic +unacidulated +unacknowledged +unacknowledgedness +unacknowledging +unacknowledgment +unacoustic +unacoustical +unacoustically +unacquaint +unacquaintable +unacquaintance +unacquainted +unacquaintedly +unacquaintedness +unacquiescent +unacquiescently +unacquirability +unacquirable +unacquirableness +unacquirably +unacquired +unacquisitive +unacquisitively +unacquisitiveness +unacquit +unacquittable +unacquitted +unacquittedness +unacrimonious +unacrimoniously +unacrimoniousness +unact +unactability +unactable +unacted +unacting +unactinic +unaction +unactionable +unactivated +unactive +unactively +unactiveness +unactivity +unactorlike +unactual +unactuality +unactually +unactuated +unacuminous +unacute +unacutely +unadamant +unadapt +unadaptability +unadaptable +unadaptableness +unadaptably +unadaptabness +unadapted +unadaptedly +unadaptedness +unadaptive +unadaptively +unadaptiveness +unadd +unaddable +unadded +unaddible +unaddicted +unaddictedness +unadditional +unadditioned +unaddled +unaddress +unaddressed +unadduceable +unadduced +unadducible +unadept +unadeptly +unadeptness +unadequate +unadequately +unadequateness +unadherence +unadherent +unadherently +unadhering +unadhesive +unadhesively +unadhesiveness +unadjacent +unadjacently +unadjectived +unadjoined +unadjoining +unadjourned +unadjournment +unadjudged +unadjudicated +unadjunctive +unadjunctively +unadjust +unadjustable +unadjustably +unadjusted +unadjustment +unadministered +unadministrable +unadministrative +unadministratively +unadmirable +unadmirableness +unadmirably +unadmire +unadmired +unadmiring +unadmiringly +unadmissible +unadmissibleness +unadmissibly +unadmission +unadmissive +unadmittable +unadmittableness +unadmittably +unadmitted +unadmittedly +unadmitting +unadmonished +unadmonitory +unadopt +unadoptable +unadoptably +unadopted +unadoption +unadoptional +unadoptive +unadoptively +unadorable +unadorableness +unadorably +unadoration +unadored +unadoring +unadoringly +unadorn +unadornable +unadorned +unadornedly +unadornedness +unadornment +unadroit +unadroitly +unadroitness +unadulating +unadulatory +unadult +unadulterate +unadulterated +unadulteratedly +unadulteratedness +unadulterately +unadulteration +unadulterous +unadulterously +unadvanced +unadvancedly +unadvancedness +unadvancement +unadvancing +unadvantaged +unadvantageous +unadvantageously +unadvantageousness +unadventured +unadventuring +unadventurous +unadventurously +unadventurousness +unadverse +unadversely +unadverseness +unadvertency +unadvertised +unadvertisement +unadvertising +unadvisability +unadvisable +unadvisableness +unadvisably +unadvised +unadvisedly +unadvisedness +unadvocated +unaerated +unaesthetic +unaesthetical +unaesthetically +unaestheticism +unaestheticness +unafeard +unafeared +unaffability +unaffable +unaffableness +unaffably +unaffectation +unaffected +unaffectedly +unaffectedness +unaffecting +unaffectionate +unaffectionately +unaffectionateness +unaffectioned +unaffianced +unaffied +unaffiliated +unaffiliation +unaffirmation +unaffirmed +unaffixed +unafflicted +unafflictedly +unafflictedness +unafflicting +unaffliction +unaffordable +unafforded +unaffranchised +unaffrighted +unaffrightedly +unaffronted +unafire +unafloat +unaflow +unafraid +unafraidness +unaged +unageing +unagglomerative +unaggravated +unaggravating +unaggregated +unaggression +unaggressive +unaggressively +unaggressiveness +unaghast +unagile +unagilely +unagility +unaging +unagitated +unagitatedly +unagitatedness +unagitation +unagonize +unagrarian +unagreeable +unagreeableness +unagreeably +unagreed +unagreeing +unagreement +unagricultural +unagriculturally +unai +unaidable +unaided +unaidedly +unaiding +unailing +unaimed +unaiming +unairable +unaired +unairily +unais +unaisled +unakhotana +unakin +unakite +unal +unalachtigo +unalacritous +unalarm +unalarmed +unalarming +unalarmingly +unalaska +unalcoholised +unalcoholized +unaldermanly +unalert +unalerted +unalertly +unalertness +unalgebraical +unalienability +unalienable +unalienableness +unalienably +unalienated +unalienating +unalignable +unaligned +unalike +unalimentary +unalimentative +unalist +unalive +unallayable +unallayably +unallayed +unalleged +unallegedly +unallegorical +unallegorically +unallegorized +unallergic +unalleviably +unalleviated +unalleviatedly +unalleviating +unalleviatingly +unalleviation +unalleviative +unalliable +unallied +unalliedly +unalliedness +unalliterated +unalliterative +unallocated +unalloyed +unallotment +unallotted +unallow +unallowable +unallowably +unallowed +unallowedly +unallowing +unallurable +unallured +unalluring +unalluringly +unallusive +unallusively +unallusiveness +unalmsed +unalone +unaloud +unalphabeted +unalphabetic +unalphabetical +unalphabetised +unalphabetized +unalterability +unalterable +unalterableness +unalterably +unalteration +unalterative +unaltered +unaltering +unalternated +unalternating +unaltruistic +unaltruistically +unamalgamable +unamalgamated +unamalgamating +unamalgamative +unamassed +unamative +unamatively +unamazed +unamazedly +unamazedness +unamazement +unambidextrousness +unambient +unambiently +unambiguity +unambiguous +unambiguously +unambiguousness +unambition +unambitious +unambitiously +unambitiousness +unambrosial +unambulant +unambush +unameliorable +unameliorated +unameliorative +unamenability +unamenable +unamenableness +unamenably +unamend +unamendable +unamended +unamendedly +unamending +unamendment +unamerceable +unamerced +unami +unamiability +unamiable +unamiableness +unamiably +unamicability +unamicable +unamicableness +unamicably +unamiss +unammoniated +unamo +unamorous +unamorously +unamorousness +unamortization +unamortized +unample +unamply +unamplifiable +unamplified +unamputated +unamputative +unamusable +unamusably +unamused +unamusement +unamusing +unamusingly +unamusingness +unamusive +unanachronistic +unanachronistical +unanachronistically +unanachronous +unanachronously +unanaemic +unanalagous +unanalagously +unanalagousness +unanalytic +unanalytical +unanalytically +unanalyzable +unanalyzably +unanalyzed +unanalyzing +unanalogical +unanalogically +unanalogized +unanalogous +unanalogously +unanalogousness +unanarchic +unanarchistic +unanatomisable +unanatomised +unanatomizable +unanatomized +unancestored +unancestried +unanchylosed +unanchor +unanchored +unanchoring +unanchors +unancient +unanecdotal +unanecdotally +unaneled +unanemic +unangelic +unangelical +unangelicalness +unangered +unangry +unangrily +unanguished +unangular +unangularly +unangularness +unanimalized +unanimate +unanimated +unanimatedly +unanimatedness +unanimately +unanimating +unanimatingly +unanime +unanimism +unanimist +unanimistic +unanimistically +unanimiter +unanimity +unanimities +unanimous +unanimously +unanimousness +unannealed +unannex +unannexable +unannexed +unannexedly +unannexedness +unannihilable +unannihilated +unannihilative +unannihilatory +unannoyed +unannoying +unannoyingly +unannotated +unannounced +unannullable +unannulled +unannunciable +unannunciative +unanointed +unanswerability +unanswerable +unanswerableness +unanswerably +unanswered +unanswering +unantagonisable +unantagonised +unantagonising +unantagonistic +unantagonizable +unantagonized +unantagonizing +unanthologized +unanticipated +unanticipatedly +unanticipating +unanticipatingly +unanticipation +unanticipative +unantiquated +unantiquatedness +unantique +unantiquity +unantlered +unanxiety +unanxious +unanxiously +unanxiousness +unapart +unaphasic +unapocryphal +unapologetic +unapologetically +unapologizing +unapostatized +unapostolic +unapostolical +unapostolically +unapostrophized +unappalled +unappalling +unappallingly +unapparel +unappareled +unapparelled +unapparent +unapparently +unapparentness +unappealable +unappealableness +unappealably +unappealed +unappealing +unappealingly +unappealingness +unappeasable +unappeasableness +unappeasably +unappeased +unappeasedly +unappeasedness +unappeasing +unappeasingly +unappendaged +unappended +unapperceived +unapperceptive +unappertaining +unappetising +unappetisingly +unappetizing +unappetizingly +unapplaudable +unapplauded +unapplauding +unapplausive +unappliable +unappliableness +unappliably +unapplianced +unapplicability +unapplicable +unapplicableness +unapplicably +unapplicative +unapplied +unapplying +unappliqued +unappoint +unappointable +unappointableness +unappointed +unapportioned +unapposable +unapposite +unappositely +unappositeness +unappraised +unappreciable +unappreciableness +unappreciably +unappreciated +unappreciating +unappreciation +unappreciative +unappreciatively +unappreciativeness +unapprehendable +unapprehendableness +unapprehendably +unapprehended +unapprehending +unapprehendingness +unapprehensible +unapprehensibleness +unapprehension +unapprehensive +unapprehensively +unapprehensiveness +unapprenticed +unapprised +unapprisedly +unapprisedness +unapprized +unapproachability +unapproachable +unapproachableness +unapproachably +unapproached +unapproaching +unapprobation +unappropriable +unappropriate +unappropriated +unappropriately +unappropriateness +unappropriation +unapprovable +unapprovableness +unapprovably +unapproved +unapproving +unapprovingly +unapproximate +unapproximately +unaproned +unapropos +unapt +unaptitude +unaptly +unaptness +unarbitrary +unarbitrarily +unarbitrariness +unarbitrated +unarbitrative +unarbored +unarboured +unarch +unarchdeacon +unarched +unarching +unarchitected +unarchitectural +unarchitecturally +unarchly +unarduous +unarduously +unarduousness +unarguable +unarguableness +unarguably +unargued +unarguing +unargumentative +unargumentatively +unargumentativeness +unary +unarisen +unarising +unaristocratic +unaristocratically +unarithmetical +unarithmetically +unark +unarm +unarmed +unarmedly +unarmedness +unarming +unarmored +unarmorial +unarmoured +unarms +unaromatic +unaromatically +unaromatized +unarousable +unaroused +unarousing +unarray +unarrayed +unarraignable +unarraignableness +unarraigned +unarranged +unarrestable +unarrested +unarresting +unarrestive +unarrival +unarrived +unarriving +unarrogance +unarrogant +unarrogantly +unarrogated +unarrogating +unarted +unartful +unartfully +unartfulness +unarticled +unarticulate +unarticulated +unarticulately +unarticulative +unarticulatory +unartificial +unartificiality +unartificially +unartificialness +unartistic +unartistical +unartistically +unartistlike +unascendable +unascendableness +unascendant +unascended +unascendent +unascertainable +unascertainableness +unascertainably +unascertained +unascetic +unascetically +unascribed +unashamed +unashamedly +unashamedness +unasinous +unaskable +unasked +unasking +unaskingly +unasleep +unaspersed +unaspersive +unasphalted +unaspirated +unaspiring +unaspiringly +unaspiringness +unassayed +unassaying +unassailability +unassailable +unassailableness +unassailably +unassailed +unassailing +unassassinated +unassaultable +unassaulted +unassembled +unassented +unassenting +unassentive +unasserted +unassertive +unassertively +unassertiveness +unassessable +unassessableness +unassessed +unassibilated +unassiduous +unassiduously +unassiduousness +unassignable +unassignably +unassigned +unassimilable +unassimilated +unassimilating +unassimilative +unassistant +unassisted +unassisting +unassociable +unassociably +unassociated +unassociative +unassociatively +unassociativeness +unassoiled +unassorted +unassuageable +unassuaged +unassuaging +unassuasive +unassuetude +unassumable +unassumed +unassumedly +unassuming +unassumingly +unassumingness +unassured +unassuredly +unassuredness +unassuring +unasterisk +unasthmatic +unastonish +unastonished +unastonishment +unastounded +unastray +unathirst +unathletic +unathletically +unatmospheric +unatonable +unatoned +unatoning +unatrophied +unattach +unattachable +unattached +unattackable +unattackableness +unattackably +unattacked +unattainability +unattainable +unattainableness +unattainably +unattained +unattaining +unattainment +unattaint +unattainted +unattaintedly +unattempered +unattemptable +unattempted +unattempting +unattendance +unattendant +unattended +unattentive +unattentively +unattentiveness +unattenuated +unattenuatedly +unattestable +unattested +unattestedness +unattire +unattired +unattractable +unattractableness +unattracted +unattracting +unattractive +unattractively +unattractiveness +unattributable +unattributably +unattributed +unattributive +unattributively +unattributiveness +unattuned +unau +unauctioned +unaudacious +unaudaciously +unaudaciousness +unaudible +unaudibleness +unaudibly +unaudienced +unaudited +unauditioned +unaugmentable +unaugmentative +unaugmented +unaus +unauspicious +unauspiciously +unauspiciousness +unaustere +unausterely +unaustereness +unauthentic +unauthentical +unauthentically +unauthenticalness +unauthenticated +unauthenticity +unauthorised +unauthorish +unauthoritative +unauthoritatively +unauthoritativeness +unauthoritied +unauthoritiveness +unauthorizable +unauthorization +unauthorize +unauthorized +unauthorizedly +unauthorizedness +unautistic +unautographed +unautomatic +unautomatically +unautoritied +unautumnal +unavailability +unavailable +unavailableness +unavailably +unavailed +unavailful +unavailing +unavailingly +unavailingness +unavengeable +unavenged +unavenging +unavengingly +unavenued +unaverage +unaveraged +unaverred +unaverse +unaverted +unavertible +unavertibleness +unavertibly +unavian +unavid +unavidly +unavidness +unavoidability +unavoidable +unavoidableness +unavoidably +unavoidal +unavoided +unavoiding +unavouchable +unavouchableness +unavouchably +unavouched +unavowable +unavowableness +unavowably +unavowed +unavowedly +unaway +unawakable +unawakableness +unawake +unawaked +unawakened +unawakenedness +unawakening +unawaking +unawardable +unawardableness +unawardably +unawarded +unaware +unawared +unawaredly +unawarely +unawareness +unawares +unawed +unawful +unawfully +unawfulness +unawkward +unawkwardly +unawkwardness +unawned +unaxed +unaxiomatic +unaxiomatically +unaxised +unaxled +unazotized +unb +unbackboarded +unbacked +unbackward +unbacterial +unbadged +unbadgered +unbadgering +unbaffled +unbaffling +unbafflingly +unbag +unbagged +unbay +unbailable +unbailableness +unbailed +unbain +unbait +unbaited +unbaized +unbaked +unbalance +unbalanceable +unbalanceably +unbalanced +unbalancement +unbalancing +unbalconied +unbale +unbaled +unbaling +unbalked +unbalking +unbalkingly +unballast +unballasted +unballasting +unballoted +unbandage +unbandaged +unbandaging +unbanded +unbane +unbangled +unbanished +unbank +unbankable +unbankableness +unbankably +unbanked +unbankrupt +unbanned +unbannered +unbantering +unbanteringly +unbaptised +unbaptize +unbaptized +unbar +unbarb +unbarbarise +unbarbarised +unbarbarising +unbarbarize +unbarbarized +unbarbarizing +unbarbarous +unbarbarously +unbarbarousness +unbarbed +unbarbered +unbarded +unbare +unbargained +unbark +unbarking +unbaronet +unbarrable +unbarred +unbarrel +unbarreled +unbarrelled +unbarren +unbarrenly +unbarrenness +unbarricade +unbarricaded +unbarricading +unbarricadoed +unbarring +unbars +unbartered +unbartering +unbase +unbased +unbasedness +unbashful +unbashfully +unbashfulness +unbasket +unbasketlike +unbastardised +unbastardized +unbaste +unbasted +unbastilled +unbastinadoed +unbated +unbathed +unbating +unbatted +unbatten +unbatterable +unbattered +unbattling +unbe +unbeached +unbeaconed +unbeaded +unbeamed +unbeaming +unbear +unbearable +unbearableness +unbearably +unbeard +unbearded +unbeared +unbearing +unbears +unbeast +unbeatable +unbeatableness +unbeatably +unbeaten +unbeaued +unbeauteous +unbeauteously +unbeauteousness +unbeautify +unbeautified +unbeautiful +unbeautifully +unbeautifulness +unbeavered +unbeckoned +unbeclogged +unbeclouded +unbecome +unbecoming +unbecomingly +unbecomingness +unbed +unbedabbled +unbedaggled +unbedashed +unbedaubed +unbedded +unbedecked +unbedewed +unbedimmed +unbedinned +unbedizened +unbedraggled +unbefit +unbefitting +unbefittingly +unbefittingness +unbefool +unbefriend +unbefriended +unbefringed +unbeget +unbeggar +unbeggarly +unbegged +unbegilt +unbeginning +unbeginningly +unbeginningness +unbegirded +unbegirt +unbegot +unbegotten +unbegottenly +unbegottenness +unbegreased +unbegrimed +unbegrudged +unbeguile +unbeguiled +unbeguileful +unbeguiling +unbegun +unbehaving +unbeheaded +unbeheld +unbeholdable +unbeholden +unbeholdenness +unbeholding +unbehoveful +unbehoving +unbeing +unbejuggled +unbeknown +unbeknownst +unbelied +unbelief +unbeliefful +unbelieffulness +unbeliefs +unbelievability +unbelievable +unbelievableness +unbelievably +unbelieve +unbelieved +unbeliever +unbelievers +unbelieving +unbelievingly +unbelievingness +unbell +unbellicose +unbelligerent +unbelligerently +unbelonging +unbeloved +unbelt +unbelted +unbelting +unbelts +unbemoaned +unbemourned +unbench +unbend +unbendable +unbendableness +unbendably +unbended +unbender +unbending +unbendingly +unbendingness +unbends +unbendsome +unbeneficed +unbeneficent +unbeneficently +unbeneficial +unbeneficially +unbeneficialness +unbenefitable +unbenefited +unbenefiting +unbenetted +unbenevolence +unbenevolent +unbenevolently +unbenevolentness +unbenight +unbenighted +unbenign +unbenignant +unbenignantly +unbenignity +unbenignly +unbenignness +unbent +unbenumb +unbenumbed +unbequeathable +unbequeathed +unbereaved +unbereaven +unbereft +unberouged +unberth +unberufen +unbeseeching +unbeseechingly +unbeseem +unbeseeming +unbeseemingly +unbeseemingness +unbeseemly +unbeset +unbesieged +unbesmeared +unbesmirched +unbesmutted +unbesot +unbesotted +unbesought +unbespeak +unbespoke +unbespoken +unbesprinkled +unbestarred +unbestowed +unbet +unbeteared +unbethink +unbethought +unbetide +unbetoken +unbetray +unbetrayed +unbetraying +unbetrothed +unbetterable +unbettered +unbeveled +unbevelled +unbewailed +unbewailing +unbeware +unbewilder +unbewildered +unbewilderedly +unbewildering +unbewilderingly +unbewilled +unbewitch +unbewitched +unbewitching +unbewitchingly +unbewrayed +unbewritten +unbias +unbiasable +unbiased +unbiasedly +unbiasedness +unbiasing +unbiassable +unbiassed +unbiassedly +unbiassing +unbiblical +unbibulous +unbibulously +unbibulousness +unbickered +unbickering +unbid +unbidable +unbiddable +unbidden +unbigamous +unbigamously +unbigged +unbigoted +unbigotedness +unbilious +unbiliously +unbiliousness +unbillable +unbilled +unbillet +unbilleted +unbind +unbindable +unbinding +unbinds +unbinned +unbiographical +unbiographically +unbiological +unbiologically +unbirdly +unbirdlike +unbirdlimed +unbirthday +unbishop +unbishoped +unbishoply +unbit +unbiting +unbitt +unbitted +unbitten +unbitter +unbitting +unblacked +unblackened +unblade +unbladed +unblading +unblamability +unblamable +unblamableness +unblamably +unblamed +unblameworthy +unblameworthiness +unblaming +unblanched +unblanketed +unblasphemed +unblasted +unblazoned +unbleached +unbleaching +unbled +unbleeding +unblemishable +unblemished +unblemishedness +unblemishing +unblenched +unblenching +unblenchingly +unblendable +unblended +unblent +unbless +unblessed +unblessedness +unblest +unblighted +unblightedly +unblightedness +unblind +unblinded +unblindfold +unblindfolded +unblinding +unblinking +unblinkingly +unbliss +unblissful +unblissfully +unblissfulness +unblistered +unblithe +unblithely +unblock +unblockaded +unblocked +unblocking +unblocks +unblooded +unbloody +unbloodied +unbloodily +unbloodiness +unbloom +unbloomed +unblooming +unblossomed +unblossoming +unblotted +unblottedness +unbloused +unblown +unblued +unbluestockingish +unbluffable +unbluffed +unbluffing +unblunder +unblundered +unblundering +unblunted +unblurred +unblush +unblushing +unblushingly +unblushingness +unblusterous +unblusterously +unboarded +unboasted +unboastful +unboastfully +unboastfulness +unboasting +unboat +unbobbed +unbody +unbodied +unbodily +unbodylike +unbodiliness +unboding +unbodkined +unbog +unboggy +unbohemianize +unboy +unboyish +unboyishly +unboyishness +unboiled +unboylike +unboisterous +unboisterously +unboisterousness +unbokel +unbold +unbolden +unboldly +unboldness +unbolled +unbolster +unbolstered +unbolt +unbolted +unbolting +unbolts +unbombarded +unbombast +unbombastic +unbombastically +unbombed +unbondable +unbondableness +unbonded +unbone +unboned +unbonnet +unbonneted +unbonneting +unbonnets +unbonny +unbooked +unbookish +unbookishly +unbookishness +unbooklearned +unboot +unbooted +unboraxed +unborder +unbordered +unbored +unboring +unborn +unborne +unborough +unborrowed +unborrowing +unbosom +unbosomed +unbosomer +unbosoming +unbosoms +unbossed +unbotanical +unbothered +unbothering +unbottle +unbottled +unbottling +unbottom +unbottomed +unbought +unbouncy +unbound +unboundable +unboundableness +unboundably +unbounded +unboundedly +unboundedness +unboundless +unbounteous +unbounteously +unbounteousness +unbountiful +unbountifully +unbountifulness +unbow +unbowable +unbowdlerized +unbowed +unbowel +unboweled +unbowelled +unbowered +unbowing +unbowingness +unbowled +unbowsome +unbox +unboxed +unboxes +unboxing +unbrace +unbraced +unbracedness +unbracelet +unbraceleted +unbraces +unbracing +unbracketed +unbragged +unbragging +unbraid +unbraided +unbraiding +unbraids +unbrailed +unbrained +unbran +unbranched +unbranching +unbrand +unbranded +unbrandied +unbrave +unbraved +unbravely +unbraveness +unbrawling +unbrawny +unbraze +unbrazen +unbrazenly +unbrazenness +unbreachable +unbreachableness +unbreachably +unbreached +unbreaded +unbreakability +unbreakable +unbreakableness +unbreakably +unbreakfasted +unbreaking +unbreast +unbreath +unbreathable +unbreathableness +unbreatheable +unbreathed +unbreathing +unbred +unbreech +unbreeched +unbreeches +unbreeching +unbreezy +unbrent +unbrewed +unbribable +unbribableness +unbribably +unbribed +unbribing +unbrick +unbricked +unbridegroomlike +unbridgeable +unbridged +unbridle +unbridled +unbridledly +unbridledness +unbridles +unbridling +unbrief +unbriefed +unbriefly +unbriefness +unbright +unbrightened +unbrightly +unbrightness +unbrilliant +unbrilliantly +unbrilliantness +unbrimming +unbrined +unbristled +unbrittle +unbrittleness +unbrittness +unbroached +unbroad +unbroadcast +unbroadcasted +unbroadened +unbrocaded +unbroid +unbroidered +unbroiled +unbroke +unbroken +unbrokenly +unbrokenness +unbronzed +unbrooch +unbrooded +unbrooding +unbrookable +unbrookably +unbrothered +unbrotherly +unbrotherlike +unbrotherliness +unbrought +unbrown +unbrowned +unbrowsing +unbruised +unbrushable +unbrushed +unbrutalise +unbrutalised +unbrutalising +unbrutalize +unbrutalized +unbrutalizing +unbrute +unbrutelike +unbrutify +unbrutise +unbrutised +unbrutising +unbrutize +unbrutized +unbrutizing +unbuckle +unbuckled +unbuckles +unbuckling +unbuckramed +unbud +unbudded +unbudding +unbudgeability +unbudgeable +unbudgeableness +unbudgeably +unbudged +unbudgeted +unbudging +unbudgingly +unbuffed +unbuffered +unbuffeted +unbuyable +unbuyableness +unbuying +unbuild +unbuilded +unbuilding +unbuilds +unbuilt +unbulky +unbulled +unbulletined +unbullied +unbullying +unbumped +unbumptious +unbumptiously +unbumptiousness +unbunched +unbundle +unbundled +unbundles +unbundling +unbung +unbungling +unbuoyant +unbuoyantly +unbuoyed +unburden +unburdened +unburdening +unburdenment +unburdens +unburdensome +unburdensomeness +unbureaucratic +unbureaucratically +unburgessed +unburglarized +unbury +unburiable +unburial +unburied +unburlesqued +unburly +unburn +unburnable +unburnableness +unburned +unburning +unburnished +unburnt +unburrow +unburrowed +unburst +unburstable +unburstableness +unburthen +unbush +unbusy +unbusied +unbusily +unbusiness +unbusinesslike +unbusk +unbuskin +unbuskined +unbusted +unbustling +unbutchered +unbutcherlike +unbuttered +unbutton +unbuttoned +unbuttoning +unbuttonment +unbuttons +unbuttressed +unbuxom +unbuxomly +unbuxomness +unc +unca +uncabined +uncabled +uncacophonous +uncadenced +uncage +uncaged +uncages +uncaging +uncajoling +uncake +uncaked +uncakes +uncaking +uncalamitous +uncalamitously +uncalcareous +uncalcified +uncalcined +uncalculable +uncalculableness +uncalculably +uncalculated +uncalculatedly +uncalculatedness +uncalculating +uncalculatingly +uncalculative +uncalendared +uncalendered +uncalibrated +uncalk +uncalked +uncall +uncalled +uncallous +uncallously +uncallousness +uncallow +uncallower +uncallused +uncalm +uncalmative +uncalmed +uncalmly +uncalmness +uncalorific +uncalumniated +uncalumniative +uncalumnious +uncalumniously +uncambered +uncamerated +uncamouflaged +uncamp +uncampaigning +uncamped +uncamphorated +uncanalized +uncancelable +uncanceled +uncancellable +uncancelled +uncancerous +uncandid +uncandidly +uncandidness +uncandied +uncandled +uncandor +uncandour +uncaned +uncankered +uncanned +uncanny +uncannier +uncanniest +uncannily +uncanniness +uncanonic +uncanonical +uncanonically +uncanonicalness +uncanonicity +uncanonisation +uncanonise +uncanonised +uncanonising +uncanonization +uncanonize +uncanonized +uncanonizing +uncanopied +uncantoned +uncantonized +uncanvassably +uncanvassed +uncap +uncapable +uncapableness +uncapably +uncapacious +uncapaciously +uncapaciousness +uncapacitate +uncaparisoned +uncaped +uncapering +uncapitalised +uncapitalistic +uncapitalized +uncapitulated +uncapitulating +uncapped +uncapper +uncapping +uncapricious +uncapriciously +uncapriciousness +uncaps +uncapsizable +uncapsized +uncapsuled +uncaptained +uncaptioned +uncaptious +uncaptiously +uncaptiousness +uncaptivate +uncaptivated +uncaptivating +uncaptivative +uncaptived +uncapturable +uncaptured +uncaramelised +uncaramelized +uncarbonated +uncarboned +uncarbonized +uncarbureted +uncarburetted +uncarded +uncardinal +uncardinally +uncareful +uncarefully +uncarefulness +uncaressed +uncaressing +uncaressingly +uncargoed +uncaria +uncaricatured +uncaring +uncarnate +uncarnivorous +uncarnivorously +uncarnivorousness +uncaroled +uncarolled +uncarousing +uncarpentered +uncarpeted +uncarriageable +uncarried +uncart +uncarted +uncartooned +uncarved +uncascaded +uncascading +uncase +uncased +uncasemated +uncases +uncashed +uncasing +uncask +uncasked +uncasketed +uncasque +uncassock +uncast +uncaste +uncastigated +uncastigative +uncastle +uncastled +uncastrated +uncasual +uncasually +uncasualness +uncataloged +uncatalogued +uncatastrophic +uncatastrophically +uncatchable +uncatchy +uncate +uncatechised +uncatechisedness +uncatechized +uncatechizedness +uncategorical +uncategorically +uncategoricalness +uncategorised +uncategorized +uncatenated +uncatered +uncatering +uncathartic +uncathedraled +uncatholcity +uncatholic +uncatholical +uncatholicalness +uncatholicise +uncatholicised +uncatholicising +uncatholicity +uncatholicize +uncatholicized +uncatholicizing +uncatholicly +uncaucusable +uncaught +uncausable +uncausal +uncausative +uncausatively +uncausativeness +uncause +uncaused +uncaustic +uncaustically +uncautelous +uncauterized +uncautioned +uncautious +uncautiously +uncautiousness +uncavalier +uncavalierly +uncave +uncavernous +uncavernously +uncaviling +uncavilling +uncavitied +unceasable +unceased +unceasing +unceasingly +unceasingness +unceded +unceiled +unceilinged +uncelebrated +uncelebrating +uncelestial +uncelestialized +uncelibate +uncellar +uncement +uncemented +uncementing +uncensorable +uncensored +uncensorious +uncensoriously +uncensoriousness +uncensurability +uncensurable +uncensurableness +uncensured +uncensuring +uncenter +uncentered +uncentral +uncentralised +uncentrality +uncentralized +uncentrally +uncentre +uncentred +uncentric +uncentrical +uncentripetal +uncentury +uncephalic +uncerated +uncerebric +uncereclothed +unceremented +unceremonial +unceremonially +unceremonious +unceremoniously +unceremoniousness +unceriferous +uncertain +uncertainly +uncertainness +uncertainty +uncertainties +uncertifiable +uncertifiablely +uncertifiableness +uncertificated +uncertified +uncertifying +uncertitude +uncessant +uncessantly +uncessantness +unchafed +unchaffed +unchaffing +unchagrined +unchain +unchainable +unchained +unchaining +unchains +unchair +unchaired +unchalked +unchalky +unchallengable +unchallengeable +unchallengeableness +unchallengeably +unchallenged +unchallenging +unchambered +unchamfered +unchampioned +unchance +unchanceable +unchanced +unchancellor +unchancy +unchange +unchangeability +unchangeable +unchangeableness +unchangeably +unchanged +unchangedness +unchangeful +unchangefully +unchangefulness +unchanging +unchangingly +unchangingness +unchanneled +unchannelized +unchannelled +unchanted +unchaotic +unchaotically +unchaperoned +unchaplain +unchapleted +unchapped +unchapter +unchaptered +uncharacter +uncharactered +uncharacterised +uncharacteristic +uncharacteristically +uncharacterized +uncharge +unchargeable +uncharged +uncharges +uncharging +unchary +uncharily +unchariness +unchariot +uncharitable +uncharitableness +uncharitably +uncharity +uncharm +uncharmable +uncharmed +uncharming +uncharnel +uncharred +uncharted +unchartered +unchased +unchaste +unchastely +unchastened +unchasteness +unchastisable +unchastised +unchastising +unchastity +unchastities +unchatteled +unchattering +unchauffeured +unchauvinistic +unchawed +uncheapened +uncheaply +uncheat +uncheated +uncheating +uncheck +uncheckable +unchecked +uncheckered +uncheckmated +uncheerable +uncheered +uncheerful +uncheerfully +uncheerfulness +uncheery +uncheerily +uncheeriness +uncheering +unchemical +unchemically +uncherished +uncherishing +unchested +unchevroned +unchewable +unchewableness +unchewed +unchic +unchicly +unchid +unchidden +unchided +unchiding +unchidingly +unchild +unchildish +unchildishly +unchildishness +unchildlike +unchilled +unchiming +unchinked +unchippable +unchipped +unchipping +unchiseled +unchiselled +unchivalry +unchivalric +unchivalrous +unchivalrously +unchivalrousness +unchloridized +unchlorinated +unchoicely +unchokable +unchoke +unchoked +unchokes +unchoking +uncholeric +unchoosable +unchopped +unchoral +unchorded +unchosen +unchrisom +unchrist +unchristen +unchristened +unchristian +unchristianity +unchristianize +unchristianized +unchristianly +unchristianlike +unchristianliness +unchristianness +unchromatic +unchromed +unchronic +unchronically +unchronicled +unchronological +unchronologically +unchurch +unchurched +unchurches +unchurching +unchurchly +unchurchlike +unchurlish +unchurlishly +unchurlishness +unchurn +unchurned +unci +uncia +unciae +uncial +uncialize +uncially +uncials +unciatim +uncicatrized +unciferous +unciform +unciforms +unciliated +uncinal +uncinaria +uncinariasis +uncinariatic +uncinata +uncinate +uncinated +uncinatum +uncinch +uncinct +uncinctured +uncini +uncynical +uncynically +uncinula +uncinus +uncipher +uncypress +uncircled +uncircuitous +uncircuitously +uncircuitousness +uncircular +uncircularised +uncircularized +uncircularly +uncirculated +uncirculating +uncirculative +uncircumcised +uncircumcisedness +uncircumcision +uncircumlocutory +uncircumscribable +uncircumscribed +uncircumscribedness +uncircumscript +uncircumscriptible +uncircumscription +uncircumspect +uncircumspection +uncircumspective +uncircumspectly +uncircumspectness +uncircumstanced +uncircumstantial +uncircumstantialy +uncircumstantially +uncircumvented +uncirostrate +uncitable +uncite +unciteable +uncited +uncity +uncitied +uncitizen +uncitizenly +uncitizenlike +uncivic +uncivil +uncivilisable +uncivilish +uncivility +uncivilizable +uncivilization +uncivilize +uncivilized +uncivilizedly +uncivilizedness +uncivilizing +uncivilly +uncivilness +unclad +unclay +unclayed +unclaimed +unclaiming +unclamorous +unclamorously +unclamorousness +unclamp +unclamped +unclamping +unclamps +unclandestinely +unclannish +unclannishly +unclannishness +unclarified +unclarifying +unclarity +unclashing +unclasp +unclasped +unclasping +unclasps +unclassable +unclassableness +unclassably +unclassed +unclassible +unclassical +unclassically +unclassify +unclassifiable +unclassifiableness +unclassifiably +unclassification +unclassified +unclassifying +unclawed +uncle +unclead +unclean +uncleanable +uncleaned +uncleaner +uncleanest +uncleanly +uncleanlily +uncleanliness +uncleanness +uncleansable +uncleanse +uncleansed +uncleansedness +unclear +unclearable +uncleared +unclearer +unclearest +unclearing +unclearly +unclearness +uncleavable +uncleave +uncledom +uncleft +unclehood +unclement +unclemently +unclementness +unclench +unclenched +unclenches +unclenching +unclergy +unclergyable +unclerical +unclericalize +unclerically +unclericalness +unclerkly +unclerklike +uncles +uncleship +unclever +uncleverly +uncleverness +unclew +unclick +uncliented +unclify +unclimactic +unclimaxed +unclimb +unclimbable +unclimbableness +unclimbably +unclimbed +unclimbing +unclinch +unclinched +unclinches +unclinching +uncling +unclinging +unclinical +unclip +unclipped +unclipper +unclipping +uncloak +uncloakable +uncloaked +uncloaking +uncloaks +unclog +unclogged +unclogging +unclogs +uncloyable +uncloyed +uncloying +uncloister +uncloistered +uncloistral +unclosable +unclose +unclosed +uncloses +uncloseted +unclosing +unclot +unclothe +unclothed +unclothedly +unclothedness +unclothes +unclothing +unclotted +unclotting +uncloud +unclouded +uncloudedly +uncloudedness +uncloudy +unclouding +unclouds +unclout +uncloven +unclub +unclubable +unclubbable +unclubby +unclustered +unclustering +unclutch +unclutchable +unclutched +unclutter +uncluttered +uncluttering +unco +uncoach +uncoachable +uncoachableness +uncoached +uncoacted +uncoagulable +uncoagulated +uncoagulating +uncoagulative +uncoalescent +uncoarse +uncoarsely +uncoarseness +uncoat +uncoated +uncoatedness +uncoaxable +uncoaxal +uncoaxed +uncoaxial +uncoaxing +uncobbled +uncock +uncocked +uncocking +uncockneyfy +uncocks +uncocted +uncodded +uncoddled +uncoded +uncodified +uncoerced +uncoffer +uncoffin +uncoffined +uncoffining +uncoffins +uncoffle +uncoft +uncogent +uncogently +uncogged +uncogitable +uncognisable +uncognizable +uncognizant +uncognized +uncognoscibility +uncognoscible +uncoguidism +uncoherent +uncoherently +uncoherentness +uncohesive +uncohesively +uncohesiveness +uncoy +uncoif +uncoifed +uncoiffed +uncoil +uncoiled +uncoyly +uncoiling +uncoils +uncoin +uncoincided +uncoincident +uncoincidental +uncoincidentally +uncoincidently +uncoinciding +uncoined +uncoyness +uncoked +uncoking +uncoly +uncolike +uncollaborative +uncollaboratively +uncollapsable +uncollapsed +uncollapsible +uncollar +uncollared +uncollaring +uncollated +uncollatedness +uncollectable +uncollected +uncollectedly +uncollectedness +uncollectible +uncollectibleness +uncollectibles +uncollectibly +uncollective +uncollectively +uncolleged +uncollegian +uncollegiate +uncolloquial +uncolloquially +uncollusive +uncolonellike +uncolonial +uncolonise +uncolonised +uncolonising +uncolonize +uncolonized +uncolonizing +uncolorable +uncolorably +uncolored +uncoloredly +uncoloredness +uncolourable +uncolourably +uncoloured +uncolouredly +uncolouredness +uncolt +uncombable +uncombatable +uncombatant +uncombated +uncombative +uncombed +uncombinable +uncombinableness +uncombinably +uncombinational +uncombinative +uncombine +uncombined +uncombining +uncombiningness +uncombustible +uncombustive +uncome +uncomely +uncomelier +uncomeliest +uncomelily +uncomeliness +uncomfy +uncomfort +uncomfortable +uncomfortableness +uncomfortably +uncomforted +uncomforting +uncomic +uncomical +uncomically +uncommanded +uncommandedness +uncommanderlike +uncommemorated +uncommemorative +uncommemoratively +uncommenced +uncommendable +uncommendableness +uncommendably +uncommendatory +uncommended +uncommensurability +uncommensurable +uncommensurableness +uncommensurate +uncommensurately +uncommented +uncommenting +uncommerciable +uncommercial +uncommercially +uncommercialness +uncommingled +uncomminuted +uncommiserated +uncommiserating +uncommiserative +uncommiseratively +uncommissioned +uncommitted +uncommitting +uncommixed +uncommodious +uncommodiously +uncommodiousness +uncommon +uncommonable +uncommoner +uncommones +uncommonest +uncommonly +uncommonness +uncommonplace +uncommunicable +uncommunicableness +uncommunicably +uncommunicated +uncommunicating +uncommunicative +uncommunicatively +uncommunicativeness +uncommutable +uncommutative +uncommutatively +uncommutativeness +uncommuted +uncompact +uncompacted +uncompahgre +uncompahgrite +uncompaniable +uncompanied +uncompanionability +uncompanionable +uncompanioned +uncomparable +uncomparableness +uncomparably +uncompared +uncompartmentalize +uncompartmentalized +uncompartmentalizes +uncompass +uncompassability +uncompassable +uncompassed +uncompassion +uncompassionate +uncompassionated +uncompassionately +uncompassionateness +uncompassionating +uncompassioned +uncompatible +uncompatibly +uncompellable +uncompelled +uncompelling +uncompendious +uncompensable +uncompensated +uncompensating +uncompensative +uncompensatory +uncompetent +uncompetently +uncompetitive +uncompetitively +uncompetitiveness +uncompiled +uncomplacent +uncomplacently +uncomplained +uncomplaining +uncomplainingly +uncomplainingness +uncomplaint +uncomplaisance +uncomplaisant +uncomplaisantly +uncomplemental +uncomplementally +uncomplementary +uncomplemented +uncompletable +uncomplete +uncompleted +uncompletely +uncompleteness +uncomplex +uncomplexity +uncomplexly +uncomplexness +uncompliability +uncompliable +uncompliableness +uncompliably +uncompliance +uncompliant +uncompliantly +uncomplicated +uncomplicatedness +uncomplication +uncomplying +uncomplimentary +uncomplimented +uncomplimenting +uncomportable +uncomposable +uncomposeable +uncomposed +uncompound +uncompoundable +uncompounded +uncompoundedly +uncompoundedness +uncompounding +uncomprehend +uncomprehended +uncomprehending +uncomprehendingly +uncomprehendingness +uncomprehened +uncomprehensible +uncomprehensibleness +uncomprehensibly +uncomprehension +uncomprehensive +uncomprehensively +uncomprehensiveness +uncompressed +uncompressible +uncomprised +uncomprising +uncomprisingly +uncompromisable +uncompromised +uncompromising +uncompromisingly +uncompromisingness +uncompt +uncompulsive +uncompulsively +uncompulsory +uncomputable +uncomputableness +uncomputably +uncomputed +uncomraded +unconcatenated +unconcatenating +unconcealable +unconcealableness +unconcealably +unconcealed +unconcealedly +unconcealing +unconcealingly +unconcealment +unconceded +unconceding +unconceited +unconceitedly +unconceivable +unconceivableness +unconceivably +unconceived +unconceiving +unconcentrated +unconcentratedly +unconcentrative +unconcentric +unconcentrically +unconceptual +unconceptualized +unconceptually +unconcern +unconcerned +unconcernedly +unconcernedness +unconcerning +unconcernment +unconcertable +unconcerted +unconcertedly +unconcertedness +unconcessible +unconciliable +unconciliated +unconciliatedness +unconciliating +unconciliative +unconciliatory +unconcludable +unconcluded +unconcludent +unconcluding +unconcludingness +unconclusive +unconclusively +unconclusiveness +unconcocted +unconcordant +unconcordantly +unconcrete +unconcreted +unconcretely +unconcreteness +unconcurred +unconcurrent +unconcurrently +unconcurring +uncondemnable +uncondemned +uncondemning +uncondemningly +uncondensable +uncondensableness +uncondensably +uncondensational +uncondensed +uncondensing +uncondescending +uncondescendingly +uncondescension +uncondited +uncondition +unconditional +unconditionality +unconditionally +unconditionalness +unconditionate +unconditionated +unconditionately +unconditioned +unconditionedly +unconditionedness +uncondolatory +uncondoled +uncondoling +uncondoned +uncondoning +unconducing +unconducive +unconducively +unconduciveness +unconducted +unconductible +unconductive +unconductiveness +unconfected +unconfederated +unconferred +unconfess +unconfessed +unconfessing +unconfided +unconfidence +unconfident +unconfidential +unconfidentialness +unconfidently +unconfiding +unconfinable +unconfine +unconfined +unconfinedly +unconfinedness +unconfinement +unconfining +unconfirm +unconfirmability +unconfirmable +unconfirmative +unconfirmatory +unconfirmed +unconfirming +unconfiscable +unconfiscated +unconfiscatory +unconflicting +unconflictingly +unconflictingness +unconflictive +unconform +unconformability +unconformable +unconformableness +unconformably +unconformed +unconformedly +unconforming +unconformism +unconformist +unconformity +unconformities +unconfound +unconfounded +unconfoundedly +unconfounding +unconfoundingly +unconfrontable +unconfronted +unconfusable +unconfusably +unconfused +unconfusedly +unconfusing +unconfutability +unconfutable +unconfutative +unconfuted +unconfuting +uncongeal +uncongealable +uncongealed +uncongenial +uncongeniality +uncongenially +uncongested +uncongestive +unconglobated +unconglomerated +unconglutinated +unconglutinative +uncongratulate +uncongratulated +uncongratulating +uncongratulatory +uncongregated +uncongregational +uncongregative +uncongressional +uncongruous +uncongruously +uncongruousness +unconical +unconjecturable +unconjectural +unconjectured +unconjoined +unconjugal +unconjugated +unconjunctive +unconjured +unconnected +unconnectedly +unconnectedness +unconned +unconnived +unconniving +unconnotative +unconquerable +unconquerableness +unconquerably +unconquered +unconquest +unconscienced +unconscient +unconscientious +unconscientiously +unconscientiousness +unconscionability +unconscionable +unconscionableness +unconscionably +unconscious +unconsciously +unconsciousness +unconsecrate +unconsecrated +unconsecratedly +unconsecratedness +unconsecration +unconsecrative +unconsecutive +unconsecutively +unconsent +unconsentaneous +unconsentaneously +unconsentaneousness +unconsented +unconsentient +unconsenting +unconsequential +unconsequentially +unconsequentialness +unconservable +unconservative +unconservatively +unconservativeness +unconserved +unconserving +unconsiderable +unconsiderablely +unconsiderate +unconsiderately +unconsiderateness +unconsidered +unconsideredly +unconsideredness +unconsidering +unconsideringly +unconsignable +unconsigned +unconsistent +unconsociable +unconsociated +unconsolability +unconsolable +unconsolably +unconsolatory +unconsoled +unconsolidated +unconsolidating +unconsolidation +unconsoling +unconsolingly +unconsonancy +unconsonant +unconsonantly +unconsonous +unconspicuous +unconspicuously +unconspicuousness +unconspired +unconspiring +unconspiringly +unconspiringness +unconstancy +unconstant +unconstantly +unconstantness +unconstellated +unconsternated +unconstipated +unconstituted +unconstitutional +unconstitutionalism +unconstitutionality +unconstitutionally +unconstrainable +unconstrained +unconstrainedly +unconstrainedness +unconstraining +unconstraint +unconstricted +unconstrictive +unconstruable +unconstructed +unconstructive +unconstructively +unconstructural +unconstrued +unconsular +unconsult +unconsultable +unconsultative +unconsultatory +unconsulted +unconsulting +unconsumable +unconsumed +unconsuming +unconsummate +unconsummated +unconsummately +unconsummative +unconsumptive +unconsumptively +uncontacted +uncontagious +uncontagiously +uncontainable +uncontainableness +uncontainably +uncontained +uncontaminable +uncontaminate +uncontaminated +uncontaminative +uncontemned +uncontemnedly +uncontemning +uncontemningly +uncontemplable +uncontemplated +uncontemplative +uncontemplatively +uncontemplativeness +uncontemporaneous +uncontemporaneously +uncontemporaneousness +uncontemporary +uncontemptibility +uncontemptible +uncontemptibleness +uncontemptibly +uncontemptuous +uncontemptuously +uncontemptuousness +uncontended +uncontending +uncontent +uncontentable +uncontented +uncontentedly +uncontentedness +uncontenting +uncontentingness +uncontentious +uncontentiously +uncontentiousness +uncontestability +uncontestable +uncontestablely +uncontestableness +uncontestably +uncontestant +uncontested +uncontestedly +uncontestedness +uncontiguous +uncontiguously +uncontiguousness +uncontinence +uncontinent +uncontinental +uncontinented +uncontinently +uncontingent +uncontingently +uncontinual +uncontinually +uncontinued +uncontinuous +uncontinuously +uncontorted +uncontortedly +uncontortioned +uncontortive +uncontoured +uncontract +uncontracted +uncontractedness +uncontractile +uncontradictable +uncontradictablely +uncontradictableness +uncontradictably +uncontradicted +uncontradictedly +uncontradictious +uncontradictive +uncontradictory +uncontrastable +uncontrastably +uncontrasted +uncontrasting +uncontrastive +uncontrastively +uncontributed +uncontributing +uncontributive +uncontributively +uncontributiveness +uncontributory +uncontrite +uncontriteness +uncontrived +uncontriving +uncontrol +uncontrollability +uncontrollable +uncontrollableness +uncontrollably +uncontrolled +uncontrolledly +uncontrolledness +uncontrolling +uncontroversial +uncontroversially +uncontrovertable +uncontrovertableness +uncontrovertably +uncontroverted +uncontrovertedly +uncontrovertible +uncontrovertibleness +uncontrovertibly +uncontumacious +uncontumaciously +uncontumaciousness +unconveyable +unconveyed +unconvenable +unconvened +unconvenial +unconvenience +unconvenient +unconveniently +unconvening +unconventional +unconventionalism +unconventionality +unconventionalities +unconventionalize +unconventionalized +unconventionalizes +unconventionally +unconventioned +unconverged +unconvergent +unconverging +unconversable +unconversableness +unconversably +unconversance +unconversant +unconversational +unconversing +unconversion +unconvert +unconverted +unconvertedly +unconvertedness +unconvertibility +unconvertible +unconvertibleness +unconvertibly +unconvicted +unconvicting +unconvictive +unconvince +unconvinced +unconvincedly +unconvincedness +unconvincibility +unconvincible +unconvincing +unconvincingly +unconvincingness +unconvoyed +unconvolute +unconvoluted +unconvolutely +unconvulsed +unconvulsive +unconvulsively +unconvulsiveness +uncookable +uncooked +uncool +uncooled +uncoop +uncooped +uncooperating +uncooperative +uncooperatively +uncooperativeness +uncoopered +uncooping +uncoordinate +uncoordinated +uncoordinately +uncoordinateness +uncope +uncopiable +uncopyable +uncopied +uncopious +uncopyrighted +uncoquettish +uncoquettishly +uncoquettishness +uncord +uncorded +uncordial +uncordiality +uncordially +uncordialness +uncording +uncore +uncored +uncoring +uncork +uncorked +uncorker +uncorking +uncorks +uncorned +uncorner +uncornered +uncoronated +uncoroneted +uncorporal +uncorpulent +uncorpulently +uncorrect +uncorrectable +uncorrectablely +uncorrected +uncorrectible +uncorrective +uncorrectly +uncorrectness +uncorrelated +uncorrelatedly +uncorrelative +uncorrelatively +uncorrelativeness +uncorrelativity +uncorrespondency +uncorrespondent +uncorresponding +uncorrespondingly +uncorridored +uncorrigible +uncorrigibleness +uncorrigibly +uncorroborant +uncorroborated +uncorroborative +uncorroboratively +uncorroboratory +uncorroded +uncorrugated +uncorrupt +uncorrupted +uncorruptedly +uncorruptedness +uncorruptibility +uncorruptible +uncorruptibleness +uncorruptibly +uncorrupting +uncorruption +uncorruptive +uncorruptly +uncorruptness +uncorseted +uncorven +uncos +uncosseted +uncost +uncostly +uncostliness +uncostumed +uncottoned +uncouch +uncouched +uncouching +uncounselable +uncounseled +uncounsellable +uncounselled +uncountable +uncountableness +uncountably +uncounted +uncountenanced +uncounteracted +uncounterbalanced +uncounterfeit +uncounterfeited +uncountermandable +uncountermanded +uncountervailed +uncountess +uncountrified +uncouple +uncoupled +uncoupler +uncouples +uncoupling +uncourageous +uncourageously +uncourageousness +uncoursed +uncourted +uncourteous +uncourteously +uncourteousness +uncourtesy +uncourtesies +uncourtierlike +uncourting +uncourtly +uncourtlike +uncourtliness +uncous +uncousinly +uncouth +uncouthie +uncouthly +uncouthness +uncouthsome +uncovenable +uncovenant +uncovenanted +uncover +uncoverable +uncovered +uncoveredly +uncovering +uncovers +uncoveted +uncoveting +uncovetingly +uncovetous +uncovetously +uncovetousness +uncow +uncowed +uncowl +uncracked +uncradled +uncrafty +uncraftily +uncraftiness +uncraggy +uncram +uncramp +uncramped +uncrampedness +uncranked +uncrannied +uncrate +uncrated +uncrates +uncrating +uncravatted +uncraven +uncraving +uncravingly +uncrazed +uncrazy +uncream +uncreased +uncreatability +uncreatable +uncreatableness +uncreate +uncreated +uncreatedness +uncreates +uncreating +uncreation +uncreative +uncreatively +uncreativeness +uncreativity +uncreaturely +uncredentialed +uncredentialled +uncredibility +uncredible +uncredibly +uncredit +uncreditable +uncreditableness +uncreditably +uncredited +uncrediting +uncredulous +uncredulously +uncredulousness +uncreeping +uncreosoted +uncrest +uncrested +uncrevassed +uncrib +uncribbed +uncribbing +uncried +uncrying +uncrime +uncriminal +uncriminally +uncringing +uncrinkle +uncrinkled +uncrinkling +uncrippled +uncrisp +uncrystaled +uncrystalled +uncrystalline +uncrystallisable +uncrystallizability +uncrystallizable +uncrystallized +uncritical +uncritically +uncriticalness +uncriticisable +uncriticisably +uncriticised +uncriticising +uncriticisingly +uncriticism +uncriticizable +uncriticizably +uncriticized +uncriticizing +uncriticizingly +uncrochety +uncrook +uncrooked +uncrookedly +uncrooking +uncropped +uncropt +uncross +uncrossable +uncrossableness +uncrossed +uncrosses +uncrossexaminable +uncrossexamined +uncrossing +uncrossly +uncrowded +uncrown +uncrowned +uncrowning +uncrowns +uncrucified +uncrudded +uncrude +uncrudely +uncrudeness +uncrudity +uncruel +uncruelly +uncruelness +uncrumbled +uncrumple +uncrumpled +uncrumpling +uncrushable +uncrushed +uncrusted +uncs +unct +unction +unctional +unctioneer +unctionless +unctions +unctious +unctiousness +unctorian +unctorium +unctuarium +unctuose +unctuosity +unctuous +unctuously +unctuousness +uncubbed +uncubic +uncubical +uncubically +uncubicalness +uncuckold +uncuckolded +uncudgeled +uncudgelled +uncuffed +uncular +unculled +uncullibility +uncullible +unculpable +unculted +uncultivability +uncultivable +uncultivatable +uncultivate +uncultivated +uncultivatedness +uncultivation +unculturable +unculture +uncultured +unculturedness +uncumber +uncumbered +uncumbrous +uncumbrously +uncumbrousness +uncumulative +uncunning +uncunningly +uncunningness +uncupped +uncurable +uncurableness +uncurably +uncurb +uncurbable +uncurbed +uncurbedly +uncurbing +uncurbs +uncurd +uncurdled +uncurdling +uncured +uncurious +uncuriously +uncurl +uncurled +uncurling +uncurls +uncurrent +uncurrently +uncurrentness +uncurricularized +uncurried +uncurse +uncursed +uncursing +uncurst +uncurtailable +uncurtailably +uncurtailed +uncurtain +uncurtained +uncurved +uncurving +uncus +uncushioned +uncusped +uncustomable +uncustomary +uncustomarily +uncustomariness +uncustomed +uncut +uncute +uncuth +uncuticulate +uncuttable +undabbled +undaggled +undaily +undainty +undaintily +undaintiness +undallying +undam +undamageable +undamaged +undamaging +undamasked +undammed +undamming +undamn +undamnified +undampable +undamped +undampened +undanceable +undancing +undandiacal +undandled +undangered +undangerous +undangerously +undangerousness +undapper +undappled +undared +undaring +undaringly +undark +undarken +undarkened +undarned +undashed +undatable +undate +undateable +undated +undatedness +undaub +undaubed +undaughter +undaughterly +undaughterliness +undauntable +undaunted +undauntedly +undauntedness +undaunting +undawned +undawning +undazed +undazing +undazzle +undazzled +undazzling +unde +undead +undeadened +undeadly +undeadlocked +undeaf +undealable +undealt +undean +undear +undebarred +undebased +undebatable +undebatably +undebated +undebating +undebauched +undebauchedness +undebilitated +undebilitating +undebilitative +undebited +undecadent +undecadently +undecagon +undecayable +undecayableness +undecayed +undecayedness +undecaying +undecanaphthene +undecane +undecatoic +undeceased +undeceitful +undeceitfully +undeceitfulness +undeceivability +undeceivable +undeceivableness +undeceivably +undeceive +undeceived +undeceiver +undeceives +undeceiving +undecency +undecennary +undecennial +undecent +undecently +undeception +undeceptious +undeceptitious +undeceptive +undeceptively +undeceptiveness +undecidable +undecide +undecided +undecidedly +undecidedness +undeciding +undecyl +undecylene +undecylenic +undecylic +undecillion +undecillionth +undecimal +undeciman +undecimole +undecipher +undecipherability +undecipherable +undecipherably +undeciphered +undecision +undecisive +undecisively +undecisiveness +undeck +undecked +undeclaimed +undeclaiming +undeclamatory +undeclarable +undeclarative +undeclare +undeclared +undeclinable +undeclinableness +undeclinably +undeclined +undeclining +undecocted +undecoic +undecoyed +undecolic +undecomposable +undecomposed +undecompounded +undecorated +undecorative +undecorous +undecorously +undecorousness +undecorticated +undecreased +undecreasing +undecreasingly +undecree +undecreed +undecrepit +undecretive +undecretory +undecried +undedicate +undedicated +undeduced +undeducible +undeducted +undeductible +undeductive +undeductively +undee +undeeded +undeemed +undeemous +undeemously +undeep +undeepened +undeeply +undefaceable +undefaced +undefalcated +undefamatory +undefamed +undefaming +undefatigable +undefaulted +undefaulting +undefeasible +undefeat +undefeatable +undefeatableness +undefeatably +undefeated +undefeatedly +undefeatedness +undefecated +undefectible +undefective +undefectively +undefectiveness +undefendable +undefendableness +undefendably +undefendant +undefended +undefending +undefense +undefensed +undefensible +undefensibleness +undefensibly +undefensive +undefensively +undefensiveness +undeferential +undeferentially +undeferrable +undeferrably +undeferred +undefiable +undefiably +undefiant +undefiantly +undeficient +undeficiently +undefied +undefilable +undefiled +undefiledly +undefiledness +undefinability +undefinable +undefinableness +undefinably +undefine +undefined +undefinedly +undefinedness +undefinite +undefinitely +undefiniteness +undefinitive +undefinitively +undefinitiveness +undeflectability +undeflectable +undeflected +undeflective +undeflowered +undeformable +undeformed +undeformedness +undefrayed +undefrauded +undeft +undeftly +undeftness +undegeneracy +undegenerate +undegenerated +undegenerateness +undegenerating +undegenerative +undegraded +undegrading +undeify +undeification +undeified +undeifying +undeistical +undejected +undejectedly +undejectedness +undelayable +undelayed +undelayedly +undelaying +undelayingly +undelated +undelectability +undelectable +undelectably +undelegated +undeleted +undeleterious +undeleteriously +undeleteriousness +undeliberate +undeliberated +undeliberately +undeliberateness +undeliberating +undeliberatingly +undeliberative +undeliberatively +undeliberativeness +undelible +undelicious +undeliciously +undelight +undelighted +undelightedly +undelightful +undelightfully +undelightfulness +undelighting +undelightsome +undelylene +undelimited +undelineable +undelineated +undelineative +undelinquent +undelinquently +undelirious +undeliriously +undeliverable +undeliverableness +undelivered +undelivery +undeludable +undelude +undeluded +undeludedly +undeluding +undeluged +undelusive +undelusively +undelusiveness +undelusory +undelve +undelved +undemagnetizable +undemanded +undemanding +undemandingness +undemised +undemocratic +undemocratically +undemocratisation +undemocratise +undemocratised +undemocratising +undemocratization +undemocratize +undemocratized +undemocratizing +undemolishable +undemolished +undemonstrable +undemonstrableness +undemonstrably +undemonstratable +undemonstrated +undemonstrational +undemonstrative +undemonstratively +undemonstrativeness +undemoralized +undemure +undemurely +undemureness +undemurring +unden +undeniability +undeniable +undeniableness +undeniably +undenied +undeniedly +undenizened +undenominated +undenominational +undenominationalism +undenominationalist +undenominationalize +undenominationally +undenotable +undenotative +undenotatively +undenoted +undenounced +undented +undenuded +undenunciated +undenunciatory +undepartableness +undepartably +undeparted +undeparting +undependability +undependable +undependableness +undependably +undependent +undepending +undephlegmated +undepicted +undepleted +undeplored +undeported +undeposable +undeposed +undeposited +undepraved +undepravedness +undeprecated +undeprecating +undeprecatingly +undeprecative +undeprecatively +undepreciable +undepreciated +undepreciative +undepreciatory +undepressed +undepressible +undepressing +undepressive +undepressively +undepressiveness +undeprivable +undeprived +undepurated +undeputed +undeputized +under +underabyss +underaccident +underaccommodated +underachieve +underachieved +underachievement +underachiever +underachievers +underachieves +underachieving +underact +underacted +underacting +underaction +underactivity +underactor +underacts +underadjustment +underadmiral +underadventurer +underage +underagency +underagent +underages +underagitation +underaid +underaim +underair +underalderman +underaldermen +underanged +underappreciated +underarch +underargue +underarm +underarming +underarms +underassessed +underassessment +underate +underaverage +underback +underbailiff +underbake +underbaked +underbaking +underbalance +underbalanced +underbalancing +underballast +underbank +underbarber +underbarring +underbasal +underbeadle +underbeak +underbeam +underbear +underbearer +underbearing +underbeat +underbeaten +underbed +underbedding +underbeing +underbelly +underbellies +underbeveling +underbevelling +underbid +underbidder +underbidders +underbidding +underbids +underbill +underbillow +underbind +underbishop +underbishopric +underbit +underbite +underbitted +underbitten +underboard +underboated +underbody +underbodice +underbodies +underboy +underboil +underboom +underborn +underborne +underbottom +underbough +underbought +underbound +underbowed +underbowser +underbox +underbrace +underbraced +underbracing +underbranch +underbreath +underbreathing +underbred +underbreeding +underbrew +underbridge +underbridged +underbridging +underbrigadier +underbright +underbrim +underbrush +underbubble +underbud +underbudde +underbudded +underbudding +underbudgeted +underbuds +underbuy +underbuying +underbuild +underbuilder +underbuilding +underbuilt +underbuys +underbuoy +underbury +underburn +underburned +underburnt +underbursar +underbush +underbutler +undercanopy +undercanvass +undercap +undercapitaled +undercapitalization +undercapitalize +undercapitalized +undercapitalizing +undercaptain +undercarder +undercarry +undercarriage +undercarriages +undercarried +undercarrying +undercart +undercarter +undercarve +undercarved +undercarving +undercase +undercasing +undercast +undercause +underceiling +undercellar +undercellarer +underchamber +underchamberlain +underchancellor +underchanter +underchap +undercharge +undercharged +undercharges +undercharging +underchief +underchime +underchin +underchord +underchurched +undercircle +undercircled +undercircling +undercitizen +undercitizenry +undercitizenries +underclad +undercladding +underclay +underclass +underclassman +underclassmen +underclearer +underclerk +underclerks +underclerkship +undercliff +underclift +undercloak +undercloth +underclothe +underclothed +underclothes +underclothing +underclub +underclutch +undercoachman +undercoachmen +undercoat +undercoated +undercoater +undercoating +undercoatings +undercoats +undercollector +undercolor +undercolored +undercoloring +undercommander +undercomment +undercompounded +underconcerned +undercondition +underconsciousness +underconstable +underconstumble +underconsume +underconsumed +underconsuming +underconsumption +undercook +undercooked +undercooking +undercooks +undercool +undercooled +undercooper +undercorrect +undercountenance +undercourse +undercoursed +undercoursing +undercourtier +undercover +undercovering +undercovert +undercraft +undercrawl +undercreep +undercrest +undercry +undercrier +undercrypt +undercroft +undercrop +undercrossing +undercrust +undercumstand +undercup +undercurl +undercurrent +undercurrents +undercurve +undercurved +undercurving +undercut +undercuts +undercutter +undercutting +underdauber +underdeacon +underdead +underdealer +underdealing +underdebauchee +underdeck +underdegreed +underdepth +underdevelop +underdevelope +underdeveloped +underdevelopement +underdeveloping +underdevelopment +underdevil +underdialogue +underdid +underdig +underdigging +underdip +underdish +underdistinction +underdistributor +underditch +underdive +underdo +underdoctor +underdoer +underdoes +underdog +underdogs +underdoing +underdone +underdose +underdosed +underdosing +underdot +underdotted +underdotting +underdown +underdraft +underdrag +underdrain +underdrainage +underdrainer +underdraught +underdraw +underdrawers +underdrawing +underdrawn +underdress +underdressed +underdresses +underdressing +underdrew +underdry +underdried +underdrift +underdrying +underdrive +underdriven +underdrudgery +underdrumming +underdug +underdunged +underearth +undereat +undereate +undereaten +undereating +undereats +underedge +undereducated +undereducation +undereye +undereyed +undereying +underemphasis +underemphasize +underemphasized +underemphasizes +underemphasizing +underemployed +underemployment +underengraver +underenter +underer +underescheator +underestimate +underestimated +underestimates +underestimating +underestimation +underestimations +underexcited +underexercise +underexercised +underexercising +underexpose +underexposed +underexposes +underexposing +underexposure +underexposures +underface +underfaced +underfacing +underfaction +underfactor +underfaculty +underfalconer +underfall +underfarmer +underfeathering +underfeature +underfed +underfeed +underfeeder +underfeeding +underfeeds +underfeel +underfeeling +underfeet +underfellow +underfelt +underffed +underfiend +underfill +underfilling +underfinance +underfinanced +underfinances +underfinancing +underfind +underfire +underfired +underfitting +underflame +underflannel +underfleece +underflood +underfloor +underflooring +underflow +underflowed +underflowing +underflows +underfo +underfold +underfolded +underfong +underfoot +underfootage +underfootman +underfootmen +underforebody +underform +underfortify +underfortified +underfortifying +underframe +underframework +underframing +underfreight +underfrequency +underfrequencies +underfringe +underfrock +underfur +underfurnish +underfurnished +underfurnisher +underfurrow +underfurs +undergabble +undergage +undergamekeeper +undergaoler +undergarb +undergardener +undergarment +undergarments +undergarnish +undergauge +undergear +undergeneral +undergentleman +undergentlemen +undergird +undergirded +undergirder +undergirding +undergirdle +undergirds +undergirt +undergirth +underglaze +undergloom +underglow +undergnaw +undergo +undergod +undergods +undergoer +undergoes +undergoing +undergone +undergore +undergos +undergoverness +undergovernment +undergovernor +undergown +undergrad +undergrade +undergrads +undergraduate +undergraduatedom +undergraduateness +undergraduates +undergraduateship +undergraduatish +undergraduette +undergraining +undergrass +undergreen +undergrieve +undergroan +undergrope +underground +undergrounder +undergroundling +undergroundness +undergrounds +undergrove +undergrow +undergrowl +undergrown +undergrowth +undergrub +underguard +underguardian +undergunner +underhabit +underhammer +underhand +underhanded +underhandedly +underhandedness +underhang +underhanging +underhangman +underhangmen +underhatch +underhead +underheat +underheaven +underhelp +underhew +underhid +underhill +underhint +underhistory +underhive +underhold +underhole +underhonest +underhorse +underhorsed +underhorseman +underhorsemen +underhorsing +underhoused +underhousemaid +underhum +underhung +underided +underyield +underinstrument +underinsurance +underinsured +underyoke +underisible +underisive +underisively +underisiveness +underisory +underissue +underivable +underivative +underivatively +underived +underivedly +underivedness +underjacket +underjailer +underjanitor +underjaw +underjawed +underjaws +underjobbing +underjoin +underjoint +underjudge +underjudged +underjudging +underjungle +underkeel +underkeep +underkeeper +underkind +underking +underkingdom +underlaborer +underlabourer +underlay +underlaid +underlayer +underlayers +underlaying +underlayment +underlain +underlays +underland +underlanguaged +underlap +underlapped +underlapper +underlapping +underlaps +underlash +underlaundress +underlawyer +underleaf +underlease +underleased +underleasing +underleather +underlegate +underlessee +underlet +underlets +underletter +underletting +underlevel +underlever +underli +underly +underlid +underlie +underlye +underlielay +underlier +underlies +underlieutenant +underlife +underlift +underlight +underlying +underlyingly +underliking +underlimbed +underlimit +underline +underlineation +underlined +underlineman +underlinemen +underlinement +underlinen +underliner +underlines +underling +underlings +underlining +underlinings +underlip +underlips +underlit +underlive +underload +underloaded +underlock +underlodging +underloft +underlook +underlooker +underlout +underlunged +undermade +undermaid +undermaker +underman +undermanager +undermanned +undermanning +undermark +undermarshal +undermarshalman +undermarshalmen +undermasted +undermaster +undermatch +undermatched +undermate +undermath +undermeal +undermeaning +undermeasure +undermeasured +undermeasuring +undermediator +undermelody +undermelodies +undermentioned +undermiller +undermimic +underminable +undermine +undermined +underminer +undermines +undermining +underminingly +underminister +underministry +undermirth +undermist +undermoated +undermoney +undermoral +undermost +undermotion +undermount +undermountain +undermusic +undermuslin +undern +undernam +undername +undernamed +undernatural +underneath +underness +underniceness +undernim +undernome +undernomen +undernote +undernoted +undernourish +undernourished +undernourishment +undernsong +underntide +underntime +undernumen +undernurse +undernutrition +underoccupied +underofficer +underofficered +underofficial +underofficials +underogating +underogative +underogatively +underogatory +underopinion +underorb +underorganisation +underorganization +underorseman +underoverlooker +underoxidise +underoxidised +underoxidising +underoxidize +underoxidized +underoxidizing +underpacking +underpay +underpaid +underpaying +underpayment +underpain +underpainting +underpays +underpan +underpants +underpart +underparticipation +underpartner +underparts +underpass +underpasses +underpassion +underpeep +underpeer +underpen +underpeopled +underpetticoat +underpetticoated +underpick +underpicked +underpier +underpilaster +underpile +underpin +underpinned +underpinner +underpinning +underpinnings +underpins +underpitch +underpitched +underplay +underplayed +underplaying +underplain +underplays +underplan +underplant +underplanted +underplanting +underplate +underply +underplot +underplotter +underpoint +underpole +underpopulate +underpopulated +underpopulating +underpopulation +underporch +underporter +underpose +underpossessor +underpot +underpower +underpowered +underpraise +underpraised +underprefect +underprentice +underprepared +underpresence +underpresser +underpressure +underpry +underprice +underpriced +underprices +underpricing +underpriest +underprincipal +underprint +underprior +underprivileged +underprize +underprized +underprizing +underproduce +underproduced +underproducer +underproduces +underproducing +underproduction +underproductive +underproficient +underprompt +underprompter +underproof +underprop +underproportion +underproportioned +underproposition +underpropped +underpropper +underpropping +underprospect +underpuke +underpull +underpuller +underput +underqualified +underqueen +underquote +underquoted +underquoting +underran +underranger +underrate +underrated +underratement +underrates +underrating +underreach +underread +underreader +underrealise +underrealised +underrealising +underrealize +underrealized +underrealizing +underrealm +underream +underreamer +underreceiver +underreckon +underreckoning +underrecompense +underrecompensed +underrecompensing +underregion +underregistration +underrent +underrented +underrenting +underreport +underrepresent +underrepresentation +underrepresented +underrespected +underriddle +underriding +underrigged +underring +underripe +underripened +underriver +underroarer +underroast +underrobe +underrogue +underroll +underroller +underroof +underroom +underroot +underrooted +underrower +underrule +underruled +underruler +underruling +underrun +underrunning +underruns +undersacristan +undersay +undersail +undersailed +undersally +undersap +undersatisfaction +undersaturate +undersaturated +undersaturation +undersavior +undersaw +undersawyer +underscale +underscheme +underschool +underscoop +underscore +underscored +underscores +underscoring +underscribe +underscriber +underscript +underscrub +underscrupulous +underscrupulously +undersea +underseal +underseam +underseaman +undersearch +underseas +underseated +undersecretary +undersecretariat +undersecretaries +undersecretaryship +undersect +undersee +underseeded +underseedman +underseeing +underseen +undersell +underseller +underselling +undersells +undersense +undersequence +underservant +underserve +underservice +underset +undersets +undersetter +undersetting +undersettle +undersettler +undersettling +undersexed +undersexton +undershapen +undersharp +undersheathing +undershepherd +undersheriff +undersheriffry +undersheriffship +undersheriffwick +undershield +undershine +undershining +undershire +undershirt +undershirts +undershoe +undershone +undershoot +undershooting +undershore +undershored +undershoring +undershorten +undershorts +undershot +undershrievalty +undershrieve +undershrievery +undershrub +undershrubby +undershrubbiness +undershrubs +undershunter +undershut +underside +undersides +undersight +undersighted +undersign +undersignalman +undersignalmen +undersigned +undersigner +undersill +undersinging +undersitter +undersize +undersized +undersky +underskin +underskirt +underskirts +undersleep +undersleeping +undersleeve +underslept +underslip +underslope +undersluice +underslung +undersneer +undersociety +undersoil +undersold +undersole +undersomething +undersong +undersorcerer +undersort +undersoul +undersound +undersovereign +undersow +underspan +underspar +undersparred +underspecies +underspecify +underspecified +underspecifying +underspend +underspending +underspends +underspent +undersphere +underspin +underspinner +undersplice +underspliced +undersplicing +underspore +underspread +underspreading +underspring +undersprout +underspurleather +undersquare +undersshot +understaff +understaffed +understage +understay +understain +understairs +understamp +understand +understandability +understandable +understandableness +understandably +understanded +understander +understanding +understandingly +understandingness +understandings +understands +understate +understated +understatement +understatements +understates +understating +understeer +understem +understep +understeward +understewardship +understimuli +understimulus +understock +understocking +understood +understory +understrain +understrap +understrapped +understrapper +understrapping +understrata +understratum +understratums +understream +understrength +understress +understrew +understrewed +understricken +understride +understriding +understrife +understrike +understriking +understring +understroke +understruck +understruction +understructure +understructures +understrung +understudy +understudied +understudies +understudying +understuff +understuffing +undersuck +undersuggestion +undersuit +undersupply +undersupplied +undersupplies +undersupplying +undersupport +undersurface +underswain +underswamp +undersward +underswearer +undersweat +undersweep +undersweeping +underswell +underswept +undertakable +undertake +undertakement +undertaken +undertaker +undertakery +undertakerish +undertakerly +undertakerlike +undertakers +undertakes +undertaking +undertakingly +undertakings +undertalk +undertapster +undertaught +undertax +undertaxed +undertaxes +undertaxing +underteach +underteacher +underteaching +underteamed +underteller +undertenancy +undertenant +undertenter +undertenure +underterrestrial +undertest +underthane +underthaw +underthief +underthing +underthings +underthink +underthirst +underthought +underthroating +underthrob +underthrust +undertide +undertided +undertie +undertied +undertying +undertime +undertimed +undertint +undertype +undertyrant +undertitle +undertone +undertoned +undertones +undertook +undertow +undertows +undertrade +undertraded +undertrader +undertrading +undertrain +undertrained +undertread +undertreasurer +undertreat +undertribe +undertrick +undertrodden +undertruck +undertrump +undertruss +undertub +undertune +undertuned +undertunic +undertuning +underturf +underturn +underturnkey +undertutor +undertwig +underused +underusher +underutilization +underutilize +undervaluation +undervalue +undervalued +undervaluement +undervaluer +undervalues +undervaluing +undervaluingly +undervaluinglike +undervalve +undervassal +undervaulted +undervaulting +undervegetation +underventilate +underventilated +underventilating +underventilation +underverse +undervest +undervicar +underviewer +undervillain +undervinedresser +undervitalized +undervocabularied +undervoice +undervoltage +underwage +underway +underwaist +underwaistcoat +underwaists +underwalk +underward +underwarden +underwarmth +underwarp +underwash +underwatch +underwatcher +underwater +underwaters +underwave +underwaving +underweapon +underwear +underweft +underweigh +underweight +underweighted +underwent +underwheel +underwhistle +underwind +underwinding +underwinds +underwing +underwit +underwitch +underwitted +underwood +underwooded +underwool +underwork +underworked +underworker +underworking +underworkman +underworkmen +underworld +underwound +underwrap +underwrapped +underwrapping +underwrit +underwrite +underwriter +underwriters +underwrites +underwriting +underwritten +underwrote +underwrought +underzeal +underzealot +underzealous +underzealously +underzealousness +undescendable +undescended +undescendent +undescendible +undescending +undescribable +undescribableness +undescribably +undescribed +undescried +undescrying +undescript +undescriptive +undescriptively +undescriptiveness +undesecrated +undesert +undeserted +undeserting +undeserve +undeserved +undeservedly +undeservedness +undeserver +undeserving +undeservingly +undeservingness +undesiccated +undesign +undesignated +undesignative +undesigned +undesignedly +undesignedness +undesigning +undesigningly +undesigningness +undesirability +undesirable +undesirableness +undesirably +undesire +undesired +undesiredly +undesiring +undesirous +undesirously +undesirousness +undesisting +undespaired +undespairing +undespairingly +undespatched +undespised +undespising +undespoiled +undespondent +undespondently +undesponding +undespondingly +undespotic +undespotically +undestined +undestitute +undestroyable +undestroyed +undestructible +undestructibleness +undestructibly +undestructive +undestructively +undestructiveness +undetachable +undetached +undetachment +undetailed +undetainable +undetained +undetectable +undetectably +undetected +undetectible +undeteriorated +undeteriorating +undeteriorative +undeterminable +undeterminableness +undeterminably +undeterminate +undetermination +undetermined +undeterminedly +undeterminedness +undetermining +undeterrability +undeterrable +undeterrably +undeterred +undeterring +undetestability +undetestable +undetestableness +undetestably +undetested +undetesting +undethronable +undethroned +undetonated +undetracting +undetractingly +undetractive +undetractively +undetractory +undetrimental +undetrimentally +undevastated +undevastating +undevastatingly +undevelopable +undeveloped +undeveloping +undevelopment +undevelopmental +undevelopmentally +undeviable +undeviated +undeviating +undeviatingly +undeviation +undevil +undevilish +undevious +undeviously +undeviousness +undevisable +undevised +undevoted +undevotion +undevotional +undevoured +undevout +undevoutly +undevoutness +undewed +undewy +undewily +undewiness +undexterous +undexterously +undexterousness +undextrous +undextrously +undextrousness +undflow +undy +undiabetic +undyable +undiademed +undiagnosable +undiagnosed +undiagramed +undiagrammatic +undiagrammatical +undiagrammatically +undiagrammed +undialed +undialyzed +undialled +undiametric +undiametrical +undiametrically +undiamonded +undiapered +undiaphanous +undiaphanously +undiaphanousness +undiatonic +undiatonically +undichotomous +undichotomously +undictated +undictatorial +undictatorially +undid +undidactic +undye +undyeable +undyed +undies +undieted +undifferenced +undifferent +undifferentiable +undifferentiably +undifferential +undifferentiated +undifferentiating +undifferentiation +undifferently +undiffering +undifficult +undifficultly +undiffident +undiffidently +undiffracted +undiffractive +undiffractively +undiffractiveness +undiffused +undiffusible +undiffusive +undiffusively +undiffusiveness +undig +undigenous +undigest +undigestable +undigested +undigestible +undigesting +undigestion +undigged +undight +undighted +undigitated +undigne +undignify +undignified +undignifiedly +undignifiedness +undigressive +undigressively +undigressiveness +undying +undyingly +undyingness +undiked +undilapidated +undilatable +undilated +undilating +undilative +undilatory +undilatorily +undiligent +undiligently +undilute +undiluted +undiluting +undilution +undiluvial +undiluvian +undim +undimensioned +undimerous +undimidiate +undimidiated +undiminishable +undiminishableness +undiminishably +undiminished +undiminishing +undiminutive +undimly +undimmed +undimpled +undynamic +undynamically +undynamited +undine +undined +undines +undinted +undiocesed +undiphthongize +undiplomaed +undiplomatic +undiplomatically +undipped +undirect +undirected +undirectional +undirectly +undirectness +undirk +undisabled +undisadvantageous +undisagreeable +undisappearing +undisappointable +undisappointed +undisappointing +undisarmed +undisastrous +undisastrously +undisbanded +undisbarred +undisburdened +undisbursed +undiscardable +undiscarded +undiscernable +undiscernably +undiscerned +undiscernedly +undiscernible +undiscernibleness +undiscernibly +undiscerning +undiscerningly +undiscerningness +undischargeable +undischarged +undiscipled +undisciplinable +undiscipline +undisciplined +undisciplinedness +undisclaimed +undisclosable +undisclose +undisclosed +undisclosing +undiscolored +undiscoloured +undiscomfitable +undiscomfited +undiscomposed +undisconcerted +undisconnected +undisconnectedly +undiscontinued +undiscordant +undiscordantly +undiscording +undiscountable +undiscounted +undiscourageable +undiscouraged +undiscouraging +undiscouragingly +undiscoursed +undiscoverability +undiscoverable +undiscoverableness +undiscoverably +undiscovered +undiscreditable +undiscredited +undiscreet +undiscreetly +undiscreetness +undiscretion +undiscriminated +undiscriminating +undiscriminatingly +undiscriminatingness +undiscriminative +undiscriminativeness +undiscriminatory +undiscursive +undiscussable +undiscussed +undisdained +undisdaining +undiseased +undisestablished +undisfigured +undisfranchised +undisfulfilled +undisgorged +undisgraced +undisguisable +undisguise +undisguised +undisguisedly +undisguisedness +undisguising +undisgusted +undisheartened +undished +undisheveled +undishonored +undisillusioned +undisinfected +undisinheritable +undisinherited +undisintegrated +undisinterested +undisjoined +undisjointed +undisliked +undislocated +undislodgeable +undislodged +undismay +undismayable +undismayed +undismayedly +undismantled +undismembered +undismissed +undismounted +undisobedient +undisobeyed +undisobliging +undisordered +undisorderly +undisorganized +undisowned +undisowning +undisparaged +undisparity +undispassionate +undispassionately +undispassionateness +undispatchable +undispatched +undispatching +undispellable +undispelled +undispensable +undispensed +undispensing +undispersed +undispersing +undisplaceable +undisplaced +undisplay +undisplayable +undisplayed +undisplaying +undisplanted +undispleased +undispose +undisposed +undisposedness +undisprivacied +undisprovable +undisproved +undisproving +undisputable +undisputableness +undisputably +undisputatious +undisputatiously +undisputatiousness +undisputed +undisputedly +undisputedness +undisputing +undisqualifiable +undisqualified +undisquieted +undisreputable +undisrobed +undisrupted +undissected +undissembled +undissembledness +undissembling +undissemblingly +undisseminated +undissenting +undissevered +undissimulated +undissimulating +undissipated +undissociated +undissoluble +undissolute +undissoluteness +undissolvable +undissolved +undissolving +undissonant +undissonantly +undissuadable +undissuadably +undissuade +undistanced +undistant +undistantly +undistasted +undistasteful +undistempered +undistend +undistended +undistilled +undistinct +undistinctive +undistinctly +undistinctness +undistinguish +undistinguishable +undistinguishableness +undistinguishably +undistinguished +undistinguishedness +undistinguishing +undistinguishingly +undistorted +undistortedly +undistorting +undistracted +undistractedly +undistractedness +undistracting +undistractingly +undistrained +undistraught +undistress +undistressed +undistributed +undistrusted +undistrustful +undistrustfully +undistrustfulness +undisturbable +undisturbance +undisturbed +undisturbedly +undisturbedness +undisturbing +undisturbingly +unditched +undithyrambic +undittoed +undiuretic +undiurnal +undiurnally +undivable +undivergent +undivergently +undiverging +undiverse +undiversely +undiverseness +undiversified +undiverted +undivertible +undivertibly +undiverting +undivertive +undivested +undivestedly +undividable +undividableness +undividably +undivided +undividedly +undividedness +undividing +undividual +undivinable +undivined +undivinely +undivinelike +undivining +undivisible +undivisive +undivisively +undivisiveness +undivorceable +undivorced +undivorcedness +undivorcing +undivulgable +undivulgeable +undivulged +undivulging +undizened +undizzied +undo +undoable +undocible +undock +undocked +undocketed +undocking +undocks +undoctor +undoctored +undoctrinal +undoctrinally +undoctrined +undocumentary +undocumented +undocumentedness +undodged +undoer +undoers +undoes +undoffed +undog +undogmatic +undogmatical +undogmatically +undoing +undoingness +undoings +undolled +undolorous +undolorously +undolorousness +undomed +undomestic +undomesticable +undomestically +undomesticate +undomesticated +undomestication +undomicilable +undomiciled +undominated +undominative +undomineering +undominical +undominoed +undon +undonated +undonating +undone +undoneness +undonkey +undonnish +undoomed +undoped +undormant +undose +undosed +undoting +undotted +undouble +undoubled +undoubles +undoubling +undoubtable +undoubtableness +undoubtably +undoubted +undoubtedly +undoubtedness +undoubtful +undoubtfully +undoubtfulness +undoubting +undoubtingly +undoubtingness +undouched +undoughty +undovelike +undoweled +undowelled +undowered +undowned +undowny +undrab +undraftable +undrafted +undrag +undragoned +undragooned +undrainable +undrained +undramatic +undramatical +undramatically +undramatisable +undramatizable +undramatized +undrape +undraped +undraperied +undrapes +undraping +undraw +undrawable +undrawing +undrawn +undraws +undreaded +undreadful +undreadfully +undreading +undreamed +undreamy +undreaming +undreamlike +undreamt +undredged +undreggy +undrenched +undress +undressed +undresses +undressing +undrest +undrew +undry +undryable +undried +undrifting +undrying +undrillable +undrilled +undrinkable +undrinkableness +undrinkably +undrinking +undripping +undrivable +undrivableness +undriven +undronelike +undrooping +undropped +undropsical +undrossy +undrossily +undrossiness +undrowned +undrubbed +undrugged +undrunk +undrunken +undrunkenness +undualistic +undualistically +undualize +undub +undubbed +undubious +undubiously +undubiousness +undubitable +undubitably +undubitative +undubitatively +unducal +unduchess +unductile +undue +unduelling +undueness +undug +unduke +undulance +undulancy +undulant +undular +undularly +undulatance +undulate +undulated +undulately +undulates +undulating +undulatingly +undulation +undulationist +undulations +undulative +undulator +undulatory +undulatus +unduly +undull +undulled +undullness +unduloid +undulose +undulous +undumbfounded +undumped +unduncelike +undunged +undupability +undupable +unduped +unduplicability +unduplicable +unduplicated +unduplicative +unduplicity +undurability +undurable +undurableness +undurably +undure +undust +undusted +undusty +unduteous +unduteously +unduteousness +unduty +undutiable +undutiful +undutifully +undutifulness +undwarfed +undwellable +undwelt +undwindling +uneager +uneagerly +uneagerness +uneagled +uneared +unearly +unearned +unearnest +unearnestly +unearnestness +unearth +unearthed +unearthing +unearthly +unearthliness +unearths +unease +uneaseful +uneasefulness +uneases +uneasy +uneasier +uneasiest +uneasily +uneasiness +uneastern +uneatable +uneatableness +uneated +uneaten +uneath +uneaths +uneating +uneaved +unebbed +unebbing +unebriate +unebullient +uneccentric +uneccentrically +unecclesiastic +unecclesiastical +unecclesiastically +unechoed +unechoic +unechoing +uneclectic +uneclectically +uneclipsed +uneclipsing +unecliptic +unecliptical +unecliptically +uneconomic +uneconomical +uneconomically +uneconomicalness +uneconomizing +unecstatic +unecstatically +unedacious +unedaciously +uneddied +uneddying +unedge +unedged +unedging +unedible +unedibleness +unedibly +unedificial +unedified +unedifying +uneditable +unedited +uneducable +uneducableness +uneducably +uneducate +uneducated +uneducatedly +uneducatedness +uneducative +uneduced +uneffable +uneffaceable +uneffaceably +uneffaced +uneffected +uneffectible +uneffective +uneffectively +uneffectiveness +uneffectless +uneffectual +uneffectually +uneffectualness +uneffectuated +uneffeminate +uneffeminated +uneffeminately +uneffeness +uneffervescent +uneffervescently +uneffete +uneffeteness +unefficacious +unefficaciously +unefficient +uneffigiated +uneffulgent +uneffulgently +uneffused +uneffusing +uneffusive +uneffusively +uneffusiveness +unegal +unegally +unegalness +unegoist +unegoistical +unegoistically +unegotistical +unegotistically +unegregious +unegregiously +unegregiousness +uneye +uneyeable +uneyed +unejaculated +unejected +unejective +unelaborate +unelaborated +unelaborately +unelaborateness +unelapsed +unelastic +unelastically +unelasticity +unelated +unelating +unelbowed +unelderly +unelect +unelectable +unelected +unelective +unelectric +unelectrical +unelectrically +unelectrify +unelectrified +unelectrifying +unelectrized +unelectronic +uneleemosynary +unelegant +unelegantly +unelegantness +unelemental +unelementally +unelementary +unelevated +unelicitable +unelicited +unelided +unelidible +uneligibility +uneligible +uneligibly +uneliminated +unelliptical +unelongated +uneloped +uneloping +uneloquent +uneloquently +unelucidated +unelucidating +unelucidative +uneludable +uneluded +unelusive +unelusively +unelusiveness +unelusory +unemaciated +unemanative +unemancipable +unemancipated +unemancipative +unemasculated +unemasculative +unemasculatory +unembayed +unembalmed +unembanked +unembarassed +unembarrassed +unembarrassedly +unembarrassedness +unembarrassing +unembarrassment +unembased +unembattled +unembellished +unembellishedness +unembellishment +unembezzled +unembittered +unemblazoned +unembodied +unembodiment +unembossed +unemboweled +unembowelled +unembowered +unembraceable +unembraced +unembryonal +unembryonic +unembroidered +unembroiled +unemendable +unemended +unemerged +unemergent +unemerging +unemigrant +unemigrating +uneminent +uneminently +unemissive +unemitted +unemitting +unemolumentary +unemolumented +unemotional +unemotionalism +unemotionally +unemotionalness +unemotioned +unemotive +unemotively +unemotiveness +unempaneled +unempanelled +unemphasized +unemphasizing +unemphatic +unemphatical +unemphatically +unempirical +unempirically +unemploy +unemployability +unemployable +unemployableness +unemployably +unemployed +unemployment +unempoisoned +unempowered +unempt +unempty +unemptiable +unemptied +unemulative +unemulous +unemulsified +unenabled +unenacted +unenameled +unenamelled +unenamored +unenamoured +unencamped +unenchafed +unenchant +unenchanted +unenciphered +unencircled +unencysted +unenclosed +unencompassed +unencored +unencounterable +unencountered +unencouraged +unencouraging +unencrypted +unencroached +unencroaching +unencumber +unencumbered +unencumberedly +unencumberedness +unencumbering +unendable +unendamaged +unendangered +unendeared +unendeavored +unended +unendemic +unending +unendingly +unendingness +unendly +unendorsable +unendorsed +unendowed +unendowing +unendued +unendurability +unendurable +unendurableness +unendurably +unendured +unenduring +unenduringly +unenergetic +unenergetically +unenergized +unenervated +unenfeebled +unenfiladed +unenforceability +unenforceable +unenforced +unenforcedly +unenforcedness +unenforcibility +unenfranchised +unengaged +unengaging +unengagingness +unengendered +unengineered +unenglish +unenglished +unengraved +unengraven +unengrossed +unengrossing +unenhanced +unenigmatic +unenigmatical +unenigmatically +unenjoyable +unenjoyableness +unenjoyably +unenjoyed +unenjoying +unenjoyingly +unenjoined +unenkindled +unenlarged +unenlarging +unenlightened +unenlightening +unenlightenment +unenlisted +unenlivened +unenlivening +unennobled +unennobling +unenounced +unenquired +unenquiring +unenraged +unenraptured +unenrichable +unenrichableness +unenriched +unenriching +unenrobed +unenrolled +unenshrined +unenslave +unenslaved +unensnared +unensouled +unensured +unentailed +unentangle +unentangleable +unentangled +unentanglement +unentangler +unentangling +unenterable +unentered +unentering +unenterprise +unenterprised +unenterprising +unenterprisingly +unenterprisingness +unentertainable +unentertained +unentertaining +unentertainingly +unentertainingness +unenthralled +unenthralling +unenthroned +unenthused +unenthusiasm +unenthusiastic +unenthusiastically +unenticeable +unenticed +unenticing +unentire +unentitled +unentitledness +unentitlement +unentombed +unentomological +unentrance +unentranced +unentrapped +unentreatable +unentreated +unentreating +unentrenched +unentwined +unenumerable +unenumerated +unenumerative +unenunciable +unenunciated +unenunciative +unenveloped +unenvenomed +unenviability +unenviable +unenviably +unenvied +unenviedly +unenvying +unenvyingly +unenvious +unenviously +unenvironed +unenwoven +unepauleted +unepauletted +unephemeral +unephemerally +unepic +unepicurean +unepigrammatic +unepigrammatically +unepilogued +unepiscopal +unepiscopally +unepistolary +unepitaphed +unepithelial +unepitomised +unepitomized +unepochal +unequability +unequable +unequableness +unequably +unequal +unequalable +unequaled +unequalise +unequalised +unequalising +unequality +unequalize +unequalized +unequalizing +unequalled +unequally +unequalness +unequals +unequated +unequatorial +unequestrian +unequiangular +unequiaxed +unequilateral +unequilaterally +unequilibrated +unequine +unequipped +unequitable +unequitableness +unequitably +unequivalent +unequivalently +unequivalve +unequivalved +unequivocably +unequivocal +unequivocally +unequivocalness +unequivocating +uneradicable +uneradicated +uneradicative +unerasable +unerased +unerasing +unerect +unerected +unermined +unerodable +uneroded +unerodent +uneroding +unerosive +unerotic +unerrable +unerrableness +unerrably +unerrancy +unerrant +unerrantly +unerratic +unerring +unerringly +unerringness +unerroneous +unerroneously +unerroneousness +unerudite +unerupted +uneruptive +unescaladed +unescalloped +unescapable +unescapableness +unescapably +unescaped +unescheatable +unescheated +uneschewable +uneschewably +uneschewed +unesco +unescorted +unescutcheoned +unesoteric +unespied +unespousable +unespoused +unessayed +unessence +unessential +unessentially +unessentialness +unestablish +unestablishable +unestablished +unestablishment +unesteemed +unesthetic +unestimable +unestimableness +unestimably +unestimated +unestopped +unestranged +unetched +uneternal +uneternized +unethereal +unethereally +unetherealness +unethic +unethical +unethically +unethicalness +unethylated +unethnologic +unethnological +unethnologically +unetymologic +unetymological +unetymologically +unetymologizable +uneucharistical +uneugenic +uneugenical +uneugenically +uneulogised +uneulogized +uneuphemistic +uneuphemistical +uneuphemistically +uneuphonic +uneuphonious +uneuphoniously +uneuphoniousness +unevacuated +unevadable +unevaded +unevadible +unevading +unevaluated +unevanescent +unevanescently +unevangelic +unevangelical +unevangelically +unevangelised +unevangelized +unevaporate +unevaporated +unevaporative +unevasive +unevasively +unevasiveness +uneven +unevener +unevenest +unevenly +unevenness +uneventful +uneventfully +uneventfulness +uneversible +uneverted +unevicted +unevidenced +unevident +unevidential +unevil +unevilly +unevinced +unevincible +unevirated +uneviscerated +unevitable +unevitably +unevocable +unevocative +unevokable +unevoked +unevolutional +unevolutionary +unevolved +unexacerbated +unexacerbating +unexact +unexacted +unexactedly +unexacting +unexactingly +unexactingness +unexactly +unexactness +unexaggerable +unexaggerated +unexaggerating +unexaggerative +unexaggeratory +unexalted +unexalting +unexaminable +unexamined +unexamining +unexampled +unexampledness +unexasperated +unexasperating +unexcavated +unexceedable +unexceeded +unexcelled +unexcellent +unexcellently +unexcelling +unexceptable +unexcepted +unexcepting +unexceptionability +unexceptionable +unexceptionableness +unexceptionably +unexceptional +unexceptionality +unexceptionally +unexceptionalness +unexceptive +unexcerpted +unexcessive +unexcessively +unexcessiveness +unexchangeable +unexchangeableness +unexchangeabness +unexchanged +unexcised +unexcitability +unexcitable +unexcitablely +unexcitableness +unexcited +unexciting +unexclaiming +unexcludable +unexcluded +unexcluding +unexclusive +unexclusively +unexclusiveness +unexcogitable +unexcogitated +unexcogitative +unexcommunicated +unexcoriated +unexcorticated +unexcrescent +unexcrescently +unexcreted +unexcruciating +unexculpable +unexculpably +unexculpated +unexcursive +unexcursively +unexcusable +unexcusableness +unexcusably +unexcused +unexcusedly +unexcusedness +unexcusing +unexecrated +unexecutable +unexecuted +unexecuting +unexecutorial +unexemplary +unexemplifiable +unexemplified +unexempt +unexemptable +unexempted +unexemptible +unexempting +unexercisable +unexercise +unexercised +unexerted +unexhalable +unexhaled +unexhausted +unexhaustedly +unexhaustedness +unexhaustible +unexhaustibleness +unexhaustibly +unexhaustion +unexhaustive +unexhaustively +unexhaustiveness +unexhibitable +unexhibitableness +unexhibited +unexhilarated +unexhilarating +unexhilarative +unexhortative +unexhorted +unexhumed +unexigent +unexigently +unexigible +unexilable +unexiled +unexistence +unexistent +unexistential +unexistentially +unexisting +unexonerable +unexonerated +unexonerative +unexorable +unexorableness +unexorbitant +unexorbitantly +unexorcisable +unexorcisably +unexorcised +unexotic +unexotically +unexpandable +unexpanded +unexpanding +unexpansible +unexpansive +unexpansively +unexpansiveness +unexpect +unexpectability +unexpectable +unexpectably +unexpectant +unexpectantly +unexpected +unexpectedly +unexpectedness +unexpecteds +unexpecting +unexpectingly +unexpectorated +unexpedient +unexpediently +unexpeditable +unexpeditated +unexpedited +unexpeditious +unexpeditiously +unexpeditiousness +unexpellable +unexpelled +unexpendable +unexpended +unexpensive +unexpensively +unexpensiveness +unexperience +unexperienced +unexperiencedness +unexperient +unexperiential +unexperientially +unexperimental +unexperimentally +unexperimented +unexpert +unexpertly +unexpertness +unexpiable +unexpiated +unexpired +unexpiring +unexplainable +unexplainableness +unexplainably +unexplained +unexplainedly +unexplainedness +unexplaining +unexplanatory +unexplicable +unexplicableness +unexplicably +unexplicated +unexplicative +unexplicit +unexplicitly +unexplicitness +unexplodable +unexploded +unexploitable +unexploitation +unexploitative +unexploited +unexplorable +unexplorative +unexploratory +unexplored +unexplosive +unexplosively +unexplosiveness +unexponible +unexportable +unexported +unexporting +unexposable +unexposed +unexpostulating +unexpoundable +unexpounded +unexpress +unexpressable +unexpressableness +unexpressably +unexpressed +unexpressedly +unexpressible +unexpressibleness +unexpressibly +unexpressive +unexpressively +unexpressiveness +unexpressly +unexpropriable +unexpropriated +unexpugnable +unexpunged +unexpurgated +unexpurgatedly +unexpurgatedness +unextendable +unextended +unextendedly +unextendedness +unextendibility +unextendible +unextensibility +unextensible +unextenuable +unextenuated +unextenuating +unexterminable +unexterminated +unexternal +unexternality +unexterritoriality +unextinct +unextinctness +unextinguishable +unextinguishableness +unextinguishably +unextinguished +unextirpable +unextirpated +unextolled +unextortable +unextorted +unextractable +unextracted +unextradited +unextraneous +unextraneously +unextraordinary +unextravagance +unextravagant +unextravagantly +unextravagating +unextravasated +unextreme +unextremeness +unextricable +unextricated +unextrinsic +unextruded +unexuberant +unexuberantly +unexudative +unexuded +unexultant +unexultantly +unfabled +unfabling +unfabricated +unfabulous +unfabulously +unfacaded +unface +unfaceable +unfaced +unfaceted +unfacetious +unfacetiously +unfacetiousness +unfacile +unfacilely +unfacilitated +unfact +unfactional +unfactious +unfactiously +unfactitious +unfactorable +unfactored +unfactual +unfactually +unfactualness +unfadable +unfaded +unfading +unfadingly +unfadingness +unfagged +unfagoted +unfailable +unfailableness +unfailably +unfailed +unfailing +unfailingly +unfailingness +unfain +unfaint +unfainting +unfaintly +unfair +unfairer +unfairest +unfairylike +unfairly +unfairminded +unfairness +unfaith +unfaithful +unfaithfully +unfaithfulness +unfaiths +unfaithworthy +unfaithworthiness +unfakable +unfaked +unfalcated +unfallacious +unfallaciously +unfallaciousness +unfallen +unfallenness +unfallible +unfallibleness +unfallibly +unfalling +unfallowed +unfalse +unfalseness +unfalsifiable +unfalsified +unfalsifiedness +unfalsity +unfaltering +unfalteringly +unfamed +unfamiliar +unfamiliarised +unfamiliarity +unfamiliarized +unfamiliarly +unfamous +unfanatical +unfanatically +unfancy +unfanciable +unfancied +unfanciful +unfancifulness +unfanciness +unfanged +unfanned +unfantastic +unfantastical +unfantastically +unfar +unfarced +unfarcical +unfardle +unfarewelled +unfarmable +unfarmed +unfarming +unfarrowed +unfarsighted +unfasciate +unfasciated +unfascinate +unfascinated +unfascinating +unfashion +unfashionable +unfashionableness +unfashionably +unfashioned +unfast +unfasten +unfastenable +unfastened +unfastener +unfastening +unfastens +unfastidious +unfastidiously +unfastidiousness +unfasting +unfatalistic +unfatalistically +unfated +unfather +unfathered +unfatherly +unfatherlike +unfatherliness +unfathomability +unfathomable +unfathomableness +unfathomably +unfathomed +unfatigable +unfatigue +unfatigueable +unfatigued +unfatiguing +unfattable +unfatted +unfatten +unfatty +unfatuitous +unfatuitously +unfauceted +unfaultable +unfaultfinding +unfaulty +unfavorable +unfavorableness +unfavorably +unfavored +unfavoring +unfavorite +unfavourable +unfavourableness +unfavourably +unfavoured +unfavouring +unfavourite +unfawning +unfazed +unfazedness +unfealty +unfeared +unfearful +unfearfully +unfearfulness +unfeary +unfearing +unfearingly +unfearingness +unfeasable +unfeasableness +unfeasably +unfeasibility +unfeasible +unfeasibleness +unfeasibly +unfeasted +unfeastly +unfeather +unfeathered +unfeaty +unfeatured +unfebrile +unfecund +unfecundated +unfed +unfederal +unfederated +unfederative +unfederatively +unfeeble +unfeebleness +unfeebly +unfeed +unfeedable +unfeeding +unfeeing +unfeel +unfeelable +unfeeling +unfeelingly +unfeelingness +unfeignable +unfeignableness +unfeignably +unfeigned +unfeignedly +unfeignedness +unfeigning +unfeigningly +unfeigningness +unfele +unfelicitated +unfelicitating +unfelicitous +unfelicitously +unfelicitousness +unfeline +unfellable +unfelled +unfellied +unfellow +unfellowed +unfellowly +unfellowlike +unfellowshiped +unfelon +unfelony +unfelonious +unfeloniously +unfelt +unfelted +unfemale +unfeminine +unfemininely +unfeminineness +unfemininity +unfeminise +unfeminised +unfeminising +unfeminist +unfeminize +unfeminized +unfeminizing +unfence +unfenced +unfences +unfencing +unfended +unfendered +unfenestral +unfenestrated +unfeoffed +unfermentable +unfermentableness +unfermentably +unfermentative +unfermented +unfermenting +unfernlike +unferocious +unferociously +unferreted +unferreting +unferried +unfertile +unfertileness +unfertilisable +unfertilised +unfertilising +unfertility +unfertilizable +unfertilized +unfertilizing +unfervent +unfervently +unfervid +unfervidly +unfester +unfestered +unfestering +unfestival +unfestive +unfestively +unfestooned +unfetchable +unfetched +unfetching +unfeted +unfetter +unfettered +unfettering +unfetters +unfettled +unfeudal +unfeudalise +unfeudalised +unfeudalising +unfeudalize +unfeudalized +unfeudalizing +unfeudally +unfeued +unfevered +unfeverish +unfew +unffroze +unfibbed +unfibbing +unfiber +unfibered +unfibred +unfibrous +unfibrously +unfickle +unfictitious +unfictitiously +unfictitiousness +unfidelity +unfidgeting +unfiducial +unfielded +unfiend +unfiendlike +unfierce +unfiercely +unfiery +unfight +unfightable +unfighting +unfigurable +unfigurative +unfigured +unfilamentous +unfilched +unfile +unfiled +unfilial +unfilially +unfilialness +unfiling +unfill +unfillable +unfilled +unfilleted +unfilling +unfilm +unfilmed +unfilterable +unfiltered +unfiltering +unfiltrated +unfimbriated +unfinable +unfinanced +unfinancial +unfindable +unfine +unfineable +unfined +unfinessed +unfingered +unfingured +unfinical +unfinicalness +unfinish +unfinishable +unfinished +unfinishedly +unfinishedness +unfinite +unfired +unfireproof +unfiring +unfirm +unfirmamented +unfirmly +unfirmness +unfiscal +unfiscally +unfishable +unfished +unfishing +unfishlike +unfissile +unfistulous +unfit +unfitly +unfitness +unfits +unfittable +unfitted +unfittedness +unfitten +unfitty +unfitting +unfittingly +unfittingness +unfix +unfixable +unfixated +unfixative +unfixed +unfixedness +unfixes +unfixing +unfixity +unfixt +unflag +unflagged +unflagging +unflaggingly +unflaggingness +unflagitious +unflagrant +unflagrantly +unflayed +unflaked +unflaky +unflaking +unflamboyant +unflamboyantly +unflame +unflaming +unflanged +unflank +unflanked +unflappability +unflappable +unflappably +unflapping +unflared +unflaring +unflashy +unflashing +unflat +unflated +unflatted +unflattened +unflatterable +unflattered +unflattering +unflatteringly +unflaunted +unflaunting +unflauntingly +unflavored +unflavorous +unflavoured +unflavourous +unflawed +unflead +unflecked +unfledge +unfledged +unfledgedness +unfleece +unfleeced +unfleeing +unfleeting +unflesh +unfleshed +unfleshy +unfleshly +unfleshliness +unfletched +unflexed +unflexibility +unflexible +unflexibleness +unflexibly +unflickering +unflickeringly +unflighty +unflying +unflinching +unflinchingly +unflinchingness +unflintify +unflippant +unflippantly +unflirtatious +unflirtatiously +unflirtatiousness +unflitched +unfloatable +unfloating +unflock +unfloggable +unflogged +unflooded +unfloor +unfloored +unflorid +unflossy +unflounced +unfloundering +unfloured +unflourished +unflourishing +unflouted +unflower +unflowered +unflowery +unflowering +unflowing +unflown +unfluctuant +unfluctuating +unfluent +unfluently +unfluffed +unfluffy +unfluid +unfluked +unflunked +unfluorescent +unfluorinated +unflurried +unflush +unflushed +unflustered +unfluted +unflutterable +unfluttered +unfluttering +unfluvial +unfluxile +unfoaled +unfoamed +unfoaming +unfocused +unfocusing +unfocussed +unfocussing +unfogged +unfoggy +unfogging +unfoilable +unfoiled +unfoisted +unfold +unfoldable +unfolded +unfolden +unfolder +unfolders +unfolding +unfoldment +unfolds +unfoldure +unfoliaged +unfoliated +unfollowable +unfollowed +unfollowing +unfomented +unfond +unfondled +unfondly +unfondness +unfoodful +unfool +unfoolable +unfooled +unfooling +unfoolish +unfoolishly +unfoolishness +unfooted +unfootsore +unfoppish +unforaged +unforbade +unforbearance +unforbearing +unforbid +unforbidded +unforbidden +unforbiddenly +unforbiddenness +unforbidding +unforceable +unforced +unforcedly +unforcedness +unforceful +unforcefully +unforcible +unforcibleness +unforcibly +unforcing +unfordable +unfordableness +unforded +unforeboded +unforeboding +unforecast +unforecasted +unforegone +unforeign +unforeknowable +unforeknown +unforensic +unforensically +unforeordained +unforesee +unforeseeable +unforeseeableness +unforeseeably +unforeseeing +unforeseeingly +unforeseen +unforeseenly +unforeseenness +unforeshortened +unforest +unforestallable +unforestalled +unforested +unforetellable +unforethought +unforethoughtful +unforetold +unforewarned +unforewarnedness +unforfeit +unforfeitable +unforfeited +unforfeiting +unforgeability +unforgeable +unforged +unforget +unforgetful +unforgetfully +unforgetfulness +unforgettability +unforgettable +unforgettableness +unforgettably +unforgetting +unforgettingly +unforgivable +unforgivableness +unforgivably +unforgiven +unforgiveness +unforgiver +unforgiving +unforgivingly +unforgivingness +unforgoable +unforgone +unforgot +unforgotten +unfork +unforked +unforkedness +unforlorn +unform +unformal +unformalised +unformalistic +unformality +unformalized +unformally +unformalness +unformative +unformatted +unformed +unformidable +unformidableness +unformidably +unformulable +unformularizable +unformularize +unformulated +unformulistic +unforsaken +unforsaking +unforseen +unforsook +unforsworn +unforthright +unfortify +unfortifiable +unfortified +unfortuitous +unfortuitously +unfortuitousness +unfortunate +unfortunately +unfortunateness +unfortunates +unfortune +unforward +unforwarded +unforwardly +unfossiliferous +unfossilised +unfossilized +unfostered +unfostering +unfought +unfoughten +unfoul +unfoulable +unfouled +unfouling +unfoully +unfound +unfounded +unfoundedly +unfoundedness +unfoundered +unfoundering +unfountained +unfowllike +unfoxed +unfoxy +unfractious +unfractiously +unfractiousness +unfractured +unfragile +unfragmented +unfragrance +unfragrant +unfragrantly +unfrayed +unfrail +unframable +unframableness +unframably +unframe +unframeable +unframed +unfranchised +unfrangible +unfrank +unfrankable +unfranked +unfrankly +unfrankness +unfraternal +unfraternally +unfraternised +unfraternized +unfraternizing +unfraudulent +unfraudulently +unfraught +unfrazzled +unfreakish +unfreakishly +unfreakishness +unfreckled +unfree +unfreed +unfreedom +unfreehold +unfreeing +unfreeingly +unfreely +unfreeman +unfreeness +unfrees +unfreezable +unfreeze +unfreezes +unfreezing +unfreight +unfreighted +unfreighting +unfrenchified +unfrenzied +unfrequency +unfrequent +unfrequentable +unfrequentative +unfrequented +unfrequentedness +unfrequently +unfrequentness +unfret +unfretful +unfretfully +unfretted +unfretty +unfretting +unfriable +unfriableness +unfriarlike +unfricative +unfrictional +unfrictionally +unfrictioned +unfried +unfriend +unfriended +unfriendedness +unfriending +unfriendly +unfriendlier +unfriendliest +unfriendlike +unfriendlily +unfriendliness +unfriendship +unfrighted +unfrightenable +unfrightened +unfrightenedness +unfrightening +unfrightful +unfrigid +unfrigidity +unfrigidly +unfrigidness +unfrill +unfrilled +unfrilly +unfringe +unfringed +unfringing +unfrisky +unfrisking +unfrittered +unfrivolous +unfrivolously +unfrivolousness +unfrizz +unfrizzy +unfrizzled +unfrizzly +unfrock +unfrocked +unfrocking +unfrocks +unfroglike +unfrolicsome +unfronted +unfrost +unfrosted +unfrosty +unfrothed +unfrothing +unfrounced +unfroward +unfrowardly +unfrowning +unfroze +unfrozen +unfructed +unfructify +unfructified +unfructuous +unfructuously +unfrugal +unfrugality +unfrugally +unfrugalness +unfruitful +unfruitfully +unfruitfulness +unfruity +unfrustrable +unfrustrably +unfrustratable +unfrustrated +unfrutuosity +unfuddled +unfudged +unfueled +unfuelled +unfugal +unfugally +unfugitive +unfugitively +unfulfil +unfulfill +unfulfillable +unfulfilled +unfulfilling +unfulfillment +unfulfilment +unfulgent +unfulgently +unfull +unfulled +unfully +unfulminant +unfulminated +unfulminating +unfulsome +unfumbled +unfumbling +unfumed +unfumigated +unfuming +unfunctional +unfunctionally +unfunctioning +unfundable +unfundamental +unfundamentally +unfunded +unfunereal +unfunereally +unfungible +unfunny +unfunnily +unfunniness +unfur +unfurbelowed +unfurbished +unfurcate +unfurious +unfurl +unfurlable +unfurled +unfurling +unfurls +unfurnish +unfurnished +unfurnishedness +unfurnitured +unfurred +unfurrow +unfurrowable +unfurrowed +unfurthersome +unfused +unfusibility +unfusible +unfusibleness +unfusibly +unfusibness +unfussed +unfussy +unfussily +unfussiness +unfussing +unfutile +unfuturistic +ung +ungabled +ungag +ungaged +ungagged +ungagging +ungain +ungainable +ungained +ungainful +ungainfully +ungainfulness +ungaining +ungainly +ungainlier +ungainliest +ungainlike +ungainliness +ungainness +ungainsayable +ungainsayably +ungainsaid +ungainsaying +ungainsome +ungainsomely +ungaite +ungaited +ungallant +ungallantly +ungallantness +ungalled +ungalleried +ungalling +ungalloping +ungalvanized +ungambled +ungambling +ungamboled +ungamboling +ungambolled +ungambolling +ungamelike +ungamy +unganged +ungangrened +ungangrenous +ungaping +ungaraged +ungarbed +ungarbled +ungardened +ungargled +ungarland +ungarlanded +ungarment +ungarmented +ungarnered +ungarnish +ungarnished +ungaro +ungarrisoned +ungarrulous +ungarrulously +ungarrulousness +ungarter +ungartered +ungashed +ungassed +ungastric +ungated +ungathered +ungaudy +ungaudily +ungaudiness +ungauged +ungauntlet +ungauntleted +ungazetted +ungazing +ungear +ungeared +ungelatinizable +ungelatinized +ungelatinous +ungelatinously +ungelatinousness +ungelded +ungelt +ungeminated +ungendered +ungenerable +ungeneral +ungeneraled +ungeneralised +ungeneralising +ungeneralized +ungeneralizing +ungenerate +ungenerated +ungenerating +ungenerative +ungeneric +ungenerical +ungenerically +ungenerosity +ungenerous +ungenerously +ungenerousness +ungenial +ungeniality +ungenially +ungenialness +ungenitive +ungenitured +ungenius +ungenteel +ungenteely +ungenteelly +ungenteelness +ungentile +ungentility +ungentilize +ungentle +ungentled +ungentleman +ungentlemanize +ungentlemanly +ungentlemanlike +ungentlemanlikeness +ungentlemanliness +ungentleness +ungentlewomanlike +ungently +ungenuine +ungenuinely +ungenuineness +ungeodetic +ungeodetical +ungeodetically +ungeographic +ungeographical +ungeographically +ungeological +ungeologically +ungeometric +ungeometrical +ungeometrically +ungeometricalness +ungermane +ungerminant +ungerminated +ungerminating +ungerminative +ungermlike +ungerontic +ungesticular +ungesticulating +ungesticulative +ungesticulatory +ungesting +ungestural +ungesturing +unget +ungetable +ungetatable +ungettable +ungeuntary +ungeuntarium +unghostly +unghostlike +ungiant +ungibbet +ungiddy +ungift +ungifted +ungiftedness +ungild +ungilded +ungill +ungilled +ungilt +ungymnastic +ungingled +unginned +ungypsylike +ungyrating +ungird +ungirded +ungirding +ungirdle +ungirdled +ungirdling +ungirds +ungirlish +ungirlishly +ungirlishness +ungirt +ungirth +ungirthed +ungivable +ungive +ungyve +ungiveable +ungyved +ungiven +ungiving +ungivingness +ungka +unglacial +unglacially +unglaciated +unglad +ungladden +ungladdened +ungladly +ungladness +ungladsome +unglamorous +unglamorously +unglamorousness +unglamourous +unglamourously +unglandular +unglaring +unglassed +unglassy +unglaze +unglazed +ungleaming +ungleaned +unglee +ungleeful +ungleefully +unglib +unglibly +ungliding +unglimpsed +unglistening +unglittery +unglittering +ungloating +unglobe +unglobular +unglobularly +ungloom +ungloomed +ungloomy +ungloomily +unglory +unglorify +unglorified +unglorifying +unglorious +ungloriously +ungloriousness +unglosed +ungloss +unglossaried +unglossed +unglossy +unglossily +unglossiness +unglove +ungloved +ungloves +ungloving +unglowering +ungloweringly +unglowing +unglozed +unglue +unglued +unglues +ungluing +unglutinate +unglutinosity +unglutinous +unglutinously +unglutinousness +unglutted +ungluttonous +ungnarled +ungnarred +ungnaw +ungnawed +ungnawn +ungnostic +ungoaded +ungoatlike +ungod +ungoddess +ungodly +ungodlier +ungodliest +ungodlike +ungodlily +ungodliness +ungodmothered +ungoggled +ungoitered +ungold +ungolden +ungone +ungood +ungoodly +ungoodliness +ungoodness +ungored +ungorge +ungorged +ungorgeous +ungospel +ungospelized +ungospelled +ungospellike +ungossipy +ungossiping +ungot +ungothic +ungotten +ungouged +ungouty +ungovernability +ungovernable +ungovernableness +ungovernably +ungoverned +ungovernedness +ungoverning +ungovernmental +ungovernmentally +ungown +ungowned +ungrabbing +ungrace +ungraced +ungraceful +ungracefully +ungracefulness +ungracious +ungraciously +ungraciousness +ungradated +ungradating +ungraded +ungradual +ungradually +ungraduated +ungraduating +ungraft +ungrafted +ungrayed +ungrain +ungrainable +ungrained +ungrammar +ungrammared +ungrammatic +ungrammatical +ungrammaticality +ungrammatically +ungrammaticalness +ungrammaticism +ungrand +ungrantable +ungranted +ungranular +ungranulated +ungraphable +ungraphic +ungraphical +ungraphically +ungraphitized +ungrapple +ungrappled +ungrappler +ungrappling +ungrasp +ungraspable +ungrasped +ungrasping +ungrassed +ungrassy +ungrated +ungrateful +ungratefully +ungratefulness +ungratifiable +ungratification +ungratified +ungratifying +ungratifyingly +ungrating +ungratitude +ungratuitous +ungratuitously +ungratuitousness +ungrave +ungraved +ungraveled +ungravely +ungravelled +ungravelly +ungraven +ungravitating +ungravitational +ungravitative +ungrazed +ungreased +ungreasy +ungreat +ungreatly +ungreatness +ungreeable +ungreedy +ungreen +ungreenable +ungreened +ungreeted +ungregarious +ungregariously +ungregariousness +ungreyed +ungrid +ungrieve +ungrieved +ungrieving +ungrilled +ungrimed +ungrindable +ungrinned +ungrip +ungripe +ungripped +ungripping +ungritty +ungrizzled +ungroaning +ungroined +ungroomed +ungrooved +ungropeable +ungross +ungrotesque +unground +ungroundable +ungroundably +ungrounded +ungroundedly +ungroundedness +ungroupable +ungrouped +ungroveling +ungrovelling +ungrow +ungrowing +ungrowling +ungrown +ungrubbed +ungrudged +ungrudging +ungrudgingly +ungrudgingness +ungruesome +ungruff +ungrumbling +ungrumblingly +ungrumpy +ungt +ungual +unguals +unguaranteed +unguard +unguardable +unguarded +unguardedly +unguardedness +unguarding +unguards +ungueal +unguent +unguenta +unguentary +unguentaria +unguentarian +unguentarium +unguentiferous +unguento +unguentous +unguents +unguentum +unguerdoned +ungues +unguessable +unguessableness +unguessed +unguessing +unguical +unguicorn +unguicular +unguiculata +unguiculate +unguiculated +unguicule +unguidable +unguidableness +unguidably +unguided +unguidedly +unguyed +unguiferous +unguiform +unguiled +unguileful +unguilefully +unguilefulness +unguillotined +unguilty +unguiltily +unguiltiness +unguiltless +unguinal +unguinous +unguirostral +unguis +ungula +ungulae +ungular +ungulata +ungulate +ungulated +ungulates +unguled +unguligrade +ungulite +ungull +ungullibility +ungullible +ungulous +ungulp +ungum +ungummed +ungushing +ungustatory +ungutted +unguttural +ungutturally +ungutturalness +unguzzled +unhabile +unhabit +unhabitability +unhabitable +unhabitableness +unhabitably +unhabited +unhabitual +unhabitually +unhabituate +unhabituated +unhabituatedness +unhacked +unhackled +unhackneyed +unhackneyedness +unhad +unhaft +unhafted +unhaggled +unhaggling +unhayed +unhailable +unhailed +unhair +unhaired +unhairer +unhairy +unhairily +unhairiness +unhairing +unhairs +unhale +unhallooed +unhallow +unhallowed +unhallowedness +unhallowing +unhallows +unhallucinated +unhallucinating +unhallucinatory +unhaloed +unhalsed +unhalted +unhalter +unhaltered +unhaltering +unhalting +unhaltingly +unhalved +unhammered +unhamper +unhampered +unhampering +unhand +unhandcuff +unhandcuffed +unhanded +unhandy +unhandicapped +unhandier +unhandiest +unhandily +unhandiness +unhanding +unhandled +unhands +unhandseled +unhandselled +unhandsome +unhandsomely +unhandsomeness +unhang +unhanged +unhanging +unhangs +unhanked +unhap +unhappen +unhappi +unhappy +unhappier +unhappiest +unhappily +unhappiness +unharangued +unharassed +unharbor +unharbored +unharbour +unharboured +unhard +unharden +unhardenable +unhardened +unhardy +unhardihood +unhardily +unhardiness +unhardness +unharked +unharmable +unharmed +unharmful +unharmfully +unharming +unharmony +unharmonic +unharmonical +unharmonically +unharmonious +unharmoniously +unharmoniousness +unharmonise +unharmonised +unharmonising +unharmonize +unharmonized +unharmonizing +unharness +unharnessed +unharnesses +unharnessing +unharped +unharping +unharried +unharrowed +unharsh +unharshly +unharshness +unharvested +unhashed +unhasp +unhasped +unhaste +unhasted +unhastened +unhasty +unhastily +unhastiness +unhasting +unhat +unhatchability +unhatchable +unhatched +unhatcheled +unhate +unhated +unhateful +unhating +unhatingly +unhats +unhatted +unhatting +unhauled +unhaunt +unhaunted +unhave +unhawked +unhazarded +unhazarding +unhazardous +unhazardously +unhazardousness +unhazed +unhazy +unhazily +unhaziness +unhead +unheaded +unheader +unheady +unheal +unhealable +unhealableness +unhealably +unhealed +unhealing +unhealth +unhealthful +unhealthfully +unhealthfulness +unhealthy +unhealthier +unhealthiest +unhealthily +unhealthiness +unhealthsome +unhealthsomeness +unheaped +unhearable +unheard +unhearing +unhearse +unhearsed +unheart +unhearten +unhearty +unheartily +unheartsome +unheatable +unheated +unheathen +unheaved +unheaven +unheavenly +unheavy +unheavily +unheaviness +unhectic +unhectically +unhectored +unhedge +unhedged +unhedging +unhedonistic +unhedonistically +unheed +unheeded +unheededly +unheedful +unheedfully +unheedfulness +unheedy +unheeding +unheedingly +unheeled +unheelpieced +unhefted +unheightened +unheired +unheld +unhele +unheler +unhelm +unhelmed +unhelmet +unhelmeted +unhelming +unhelms +unhelp +unhelpable +unhelpableness +unhelped +unhelpful +unhelpfully +unhelpfulness +unhelping +unhelved +unhemmed +unhende +unhent +unheppen +unheralded +unheraldic +unherbaceous +unherd +unherded +unhereditary +unheretical +unheritable +unhermetic +unhermitic +unhermitical +unhermitically +unhero +unheroic +unheroical +unheroically +unheroicalness +unheroicness +unheroism +unheroize +unherolike +unhesitant +unhesitantly +unhesitating +unhesitatingly +unhesitatingness +unhesitative +unhesitatively +unheuristic +unheuristically +unhewable +unhewed +unhewn +unhex +unhid +unhidable +unhidableness +unhidably +unhidated +unhidden +unhide +unhideable +unhideably +unhidebound +unhideboundness +unhideous +unhideously +unhideousness +unhydrated +unhydraulic +unhydrolized +unhydrolyzed +unhieratic +unhieratical +unhieratically +unhygenic +unhigh +unhygienic +unhygienically +unhygrometric +unhilarious +unhilariously +unhilariousness +unhilly +unhymeneal +unhymned +unhinderable +unhinderably +unhindered +unhindering +unhinderingly +unhinge +unhinged +unhingement +unhinges +unhinging +unhinted +unhip +unhyphenable +unhyphenated +unhyphened +unhypnotic +unhypnotically +unhypnotisable +unhypnotise +unhypnotised +unhypnotising +unhypnotizable +unhypnotize +unhypnotized +unhypnotizing +unhypocritical +unhypocritically +unhypothecated +unhypothetical +unhypothetically +unhipped +unhired +unhissed +unhysterical +unhysterically +unhistory +unhistoric +unhistorical +unhistorically +unhistoried +unhistrionic +unhit +unhitch +unhitched +unhitches +unhitching +unhittable +unhive +unhoard +unhoarded +unhoarding +unhoary +unhoaxability +unhoaxable +unhoaxed +unhobble +unhobbling +unhocked +unhoed +unhogged +unhoist +unhoisted +unhold +unholy +unholiday +unholier +unholiest +unholily +unholiness +unhollow +unhollowed +unholpen +unhome +unhomely +unhomelike +unhomelikeness +unhomeliness +unhomicidal +unhomiletic +unhomiletical +unhomiletically +unhomish +unhomogeneity +unhomogeneous +unhomogeneously +unhomogeneousness +unhomogenized +unhomologic +unhomological +unhomologically +unhomologized +unhomologous +unhoned +unhoneyed +unhonest +unhonesty +unhonestly +unhonied +unhonorable +unhonorably +unhonored +unhonourable +unhonourably +unhonoured +unhood +unhooded +unhooding +unhoods +unhoodwink +unhoodwinked +unhoofed +unhook +unhooked +unhooking +unhooks +unhoop +unhoopable +unhooped +unhooper +unhooted +unhope +unhoped +unhopedly +unhopedness +unhopeful +unhopefully +unhopefulness +unhoping +unhopingly +unhopped +unhoppled +unhorizoned +unhorizontal +unhorizontally +unhorned +unhorny +unhoroscopic +unhorrified +unhorse +unhorsed +unhorses +unhorsing +unhortative +unhortatively +unhose +unhosed +unhospitable +unhospitableness +unhospitably +unhospital +unhospitalized +unhostile +unhostilely +unhostileness +unhostility +unhot +unhounded +unhoundlike +unhouse +unhoused +unhouseled +unhouselike +unhouses +unhousewifely +unhousing +unhubristic +unhuddle +unhuddled +unhuddling +unhued +unhugged +unhull +unhulled +unhuman +unhumane +unhumanely +unhumaneness +unhumanise +unhumanised +unhumanising +unhumanistic +unhumanitarian +unhumanize +unhumanized +unhumanizing +unhumanly +unhumanness +unhumble +unhumbled +unhumbledness +unhumbleness +unhumbly +unhumbugged +unhumid +unhumidified +unhumidifying +unhumiliated +unhumiliating +unhumiliatingly +unhumored +unhumorous +unhumorously +unhumorousness +unhumoured +unhumourous +unhumourously +unhung +unhuntable +unhunted +unhurdled +unhurled +unhurried +unhurriedly +unhurriedness +unhurrying +unhurryingly +unhurt +unhurted +unhurtful +unhurtfully +unhurtfulness +unhurting +unhusbanded +unhusbandly +unhushable +unhushed +unhushing +unhusk +unhuskable +unhusked +unhusking +unhusks +unhustled +unhustling +unhutched +unhuzzaed +uni +unyachtsmanlike +unialgal +uniambic +uniambically +uniangulate +uniarticular +uniarticulate +uniat +uniate +uniatism +uniauriculate +uniauriculated +uniaxal +uniaxally +uniaxial +uniaxially +unibasal +unibivalent +unible +unibracteate +unibracteolate +unibranchiate +unicalcarate +unicameral +unicameralism +unicameralist +unicamerally +unicamerate +unicapsular +unicarinate +unicarinated +unice +uniced +unicef +unicell +unicellate +unicelled +unicellular +unicellularity +unicentral +unichord +unicycle +unicycles +unicyclist +uniciliate +unicing +unicism +unicist +unicity +uniclinal +unicolor +unicolorate +unicolored +unicolorous +unicolour +uniconoclastic +uniconoclastically +uniconstant +unicorn +unicorneal +unicornic +unicornlike +unicornous +unicorns +unicornuted +unicostate +unicotyledonous +unicum +unicursal +unicursality +unicursally +unicuspid +unicuspidate +unidactyl +unidactyle +unidactylous +unideaed +unideal +unidealised +unidealism +unidealist +unidealistic +unidealistically +unidealized +unideated +unideating +unideational +unidentate +unidentated +unidentical +unidentically +unidenticulate +unidentifiable +unidentifiableness +unidentifiably +unidentified +unidentifiedly +unidentifying +unideographic +unideographical +unideographically +unidextral +unidextrality +unidigitate +unidyllic +unidimensional +unidiomatic +unidiomatically +unidirect +unidirected +unidirection +unidirectional +unidirectionality +unidirectionally +unidle +unidleness +unidly +unidling +unidolatrous +unidolised +unidolized +unie +unyeaned +unyearned +unyearning +uniembryonate +uniequivalent +uniface +unifaced +unifaces +unifacial +unifactoral +unifactorial +unifarious +unify +unifiable +unific +unification +unificationist +unifications +unificator +unified +unifiedly +unifiedness +unifier +unifiers +unifies +unifying +unifilar +uniflagellate +unifloral +uniflorate +uniflorous +uniflow +uniflowered +unifocal +unifoliar +unifoliate +unifoliolate +unifolium +uniform +uniformal +uniformalization +uniformalize +uniformally +uniformation +uniformed +uniformer +uniformest +uniforming +uniformisation +uniformise +uniformised +uniformising +uniformist +uniformitarian +uniformitarianism +uniformity +uniformities +uniformization +uniformize +uniformized +uniformizing +uniformless +uniformly +uniformness +uniforms +unigenesis +unigenetic +unigenist +unigenistic +unigenital +unigeniture +unigenous +uniglandular +uniglobular +unignitable +unignited +unignitible +unigniting +unignominious +unignominiously +unignominiousness +unignorant +unignorantly +unignored +unignoring +unigravida +uniguttulate +unyielded +unyielding +unyieldingly +unyieldingness +unijugate +unijugous +unilabiate +unilabiated +unilamellar +unilamellate +unilaminar +unilaminate +unilateral +unilateralism +unilateralist +unilaterality +unilateralization +unilateralize +unilaterally +unilinear +unilingual +unilingualism +uniliteral +unilluded +unilludedly +unillumed +unilluminant +unilluminated +unilluminating +unillumination +unilluminative +unillumined +unillusioned +unillusive +unillusory +unillustrated +unillustrative +unillustrious +unillustriously +unillustriousness +unilobal +unilobar +unilobate +unilobe +unilobed +unilobular +unilocular +unilocularity +uniloculate +unimacular +unimaged +unimaginability +unimaginable +unimaginableness +unimaginably +unimaginary +unimaginative +unimaginatively +unimaginativeness +unimagine +unimagined +unimanual +unimbanked +unimbellished +unimbezzled +unimbibed +unimbibing +unimbittered +unimbodied +unimboldened +unimbordered +unimbosomed +unimbowed +unimbowered +unimbroiled +unimbrowned +unimbrued +unimbued +unimedial +unimitable +unimitableness +unimitably +unimitated +unimitating +unimitative +unimmaculate +unimmaculately +unimmaculateness +unimmanent +unimmanently +unimmediate +unimmediately +unimmediateness +unimmerged +unimmergible +unimmersed +unimmigrating +unimminent +unimmolated +unimmortal +unimmortalize +unimmortalized +unimmovable +unimmunised +unimmunized +unimmured +unimodal +unimodality +unimodular +unimolecular +unimolecularity +unimpacted +unimpair +unimpairable +unimpaired +unimpartable +unimparted +unimpartial +unimpartially +unimpartible +unimpassionate +unimpassionately +unimpassioned +unimpassionedly +unimpassionedness +unimpatient +unimpatiently +unimpawned +unimpeachability +unimpeachable +unimpeachableness +unimpeachably +unimpeached +unimpearled +unimped +unimpeded +unimpededly +unimpedible +unimpeding +unimpedingly +unimpedness +unimpelled +unimpenetrable +unimperative +unimperatively +unimperial +unimperialistic +unimperially +unimperious +unimperiously +unimpertinent +unimpertinently +unimpinging +unimplanted +unimplemented +unimplicable +unimplicate +unimplicated +unimplicit +unimplicitly +unimplied +unimplorable +unimplored +unimpoisoned +unimportance +unimportant +unimportantly +unimportantness +unimported +unimporting +unimportunate +unimportunately +unimportunateness +unimportuned +unimposed +unimposedly +unimposing +unimpostrous +unimpounded +unimpoverished +unimpowered +unimprecated +unimpregnable +unimpregnate +unimpregnated +unimpressed +unimpressibility +unimpressible +unimpressibleness +unimpressibly +unimpressionability +unimpressionable +unimpressionableness +unimpressive +unimpressively +unimpressiveness +unimprinted +unimprison +unimprisonable +unimprisoned +unimpropriated +unimprovable +unimprovableness +unimprovably +unimproved +unimprovedly +unimprovedness +unimprovement +unimproving +unimprovised +unimpugnable +unimpugned +unimpulsive +unimpulsively +unimpurpled +unimputable +unimputed +unimucronate +unimultiplex +unimuscular +uninaugurated +unincantoned +unincarcerated +unincarnate +unincarnated +unincensed +uninceptive +uninceptively +unincestuous +unincestuously +uninchoative +unincidental +unincidentally +unincinerated +unincised +unincisive +unincisively +unincisiveness +unincited +uninclinable +uninclined +uninclining +uninclosed +uninclosedness +unincludable +unincluded +unincludible +uninclusive +uninclusiveness +uninconvenienced +unincorporate +unincorporated +unincorporatedly +unincorporatedness +unincreasable +unincreased +unincreasing +unincriminated +unincriminating +unincubated +uninculcated +unincumbered +unindebted +unindebtedly +unindebtedness +unindemnified +unindentable +unindented +unindentured +unindexed +unindicable +unindicated +unindicative +unindicatively +unindictable +unindictableness +unindicted +unindifference +unindifferency +unindifferent +unindifferently +unindigenous +unindigenously +unindigent +unindignant +unindividual +unindividualize +unindividualized +unindividuated +unindoctrinated +unindorsed +uninduced +uninducible +uninducted +uninductive +unindulged +unindulgent +unindulgently +unindulging +unindurate +unindurated +unindurative +unindustrial +unindustrialized +unindustrious +unindustriously +unindwellable +uninebriate +uninebriated +uninebriatedness +uninebriating +uninebrious +uninert +uninertly +uninervate +uninerved +uninfallibility +uninfallible +uninfatuated +uninfectable +uninfected +uninfectious +uninfectiously +uninfectiousness +uninfective +uninfeft +uninferable +uninferably +uninferential +uninferentially +uninferrable +uninferrably +uninferred +uninferrible +uninferribly +uninfested +uninfiltrated +uninfinite +uninfinitely +uninfiniteness +uninfixed +uninflamed +uninflammability +uninflammable +uninflated +uninflected +uninflectedness +uninflective +uninflicted +uninfluenceability +uninfluenceable +uninfluenced +uninfluencing +uninfluencive +uninfluential +uninfluentiality +uninfluentially +uninfolded +uninformative +uninformatively +uninformed +uninforming +uninfracted +uninfringeable +uninfringed +uninfringible +uninfuriated +uninfused +uninfusing +uninfusive +uningenious +uningeniously +uningeniousness +uningenuity +uningenuous +uningenuously +uningenuousness +uningested +uningestive +uningrafted +uningrained +uningratiating +uninhabitability +uninhabitable +uninhabitableness +uninhabitably +uninhabited +uninhabitedness +uninhaled +uninherent +uninherently +uninheritability +uninheritable +uninherited +uninhibited +uninhibitedly +uninhibitedness +uninhibiting +uninhibitive +uninhumed +uninimical +uninimically +uniniquitous +uniniquitously +uniniquitousness +uninitialed +uninitialized +uninitialled +uninitiate +uninitiated +uninitiatedness +uninitiation +uninitiative +uninjectable +uninjected +uninjurable +uninjured +uninjuredness +uninjuring +uninjurious +uninjuriously +uninjuriousness +uninked +uninlaid +uninn +uninnate +uninnately +uninnateness +uninnocence +uninnocent +uninnocently +uninnocuous +uninnocuously +uninnocuousness +uninnovating +uninnovative +uninoculable +uninoculated +uninoculative +uninodal +uninominal +uninquired +uninquiring +uninquisitive +uninquisitively +uninquisitiveness +uninquisitorial +uninquisitorially +uninsane +uninsatiable +uninscribed +uninserted +uninshrined +uninsidious +uninsidiously +uninsidiousness +uninsightful +uninsinuated +uninsinuating +uninsinuative +uninsistent +uninsistently +uninsolated +uninsolating +uninsolvent +uninspected +uninspirable +uninspired +uninspiring +uninspiringly +uninspirited +uninspissated +uninstalled +uninstanced +uninstated +uninstigated +uninstigative +uninstilled +uninstinctive +uninstinctively +uninstinctiveness +uninstituted +uninstitutional +uninstitutionally +uninstitutive +uninstitutively +uninstructed +uninstructedly +uninstructedness +uninstructible +uninstructing +uninstructive +uninstructively +uninstructiveness +uninstrumental +uninstrumentally +uninsular +uninsulate +uninsulated +uninsulating +uninsultable +uninsulted +uninsulting +uninsurability +uninsurable +uninsured +unintegrable +unintegral +unintegrally +unintegrated +unintegrative +unintellective +unintellectual +unintellectualism +unintellectuality +unintellectually +unintelligence +unintelligent +unintelligently +unintelligentsia +unintelligibility +unintelligible +unintelligibleness +unintelligibly +unintended +unintendedly +unintensified +unintensive +unintensively +unintent +unintentional +unintentionality +unintentionally +unintentionalness +unintentiveness +unintently +unintentness +unintercalated +unintercepted +unintercepting +uninterchangeable +uninterdicted +uninterested +uninterestedly +uninterestedness +uninteresting +uninterestingly +uninterestingness +uninterferedwith +uninterjected +uninterlaced +uninterlarded +uninterleave +uninterleaved +uninterlined +uninterlinked +uninterlocked +unintermarrying +unintermediate +unintermediately +unintermediateness +unintermingled +unintermission +unintermissive +unintermitted +unintermittedly +unintermittedness +unintermittent +unintermittently +unintermitting +unintermittingly +unintermittingness +unintermixed +uninternalized +uninternational +uninterpleaded +uninterpolated +uninterpolative +uninterposed +uninterposing +uninterpretability +uninterpretable +uninterpretative +uninterpreted +uninterpretive +uninterpretively +uninterred +uninterrogable +uninterrogated +uninterrogative +uninterrogatively +uninterrogatory +uninterruptable +uninterrupted +uninterruptedly +uninterruptedness +uninterruptible +uninterruptibleness +uninterrupting +uninterruption +uninterruptive +unintersected +unintersecting +uninterspersed +unintervening +uninterviewed +unintervolved +uninterwoven +uninthralled +uninthroned +unintialized +unintimate +unintimated +unintimately +unintimidated +unintimidating +unintitled +unintombed +unintoned +unintoxicated +unintoxicatedness +unintoxicating +unintrenchable +unintrenched +unintrepid +unintrepidly +unintrepidness +unintricate +unintricately +unintricateness +unintrigued +unintriguing +unintrlined +unintroduced +unintroducible +unintroductive +unintroductory +unintroitive +unintromitted +unintromittive +unintrospective +unintrospectively +unintroversive +unintroverted +unintruded +unintruding +unintrudingly +unintrusive +unintrusively +unintrusted +unintuitable +unintuitional +unintuitive +unintuitively +unintwined +uninuclear +uninucleate +uninucleated +uninundated +uninured +uninurned +uninvadable +uninvaded +uninvaginated +uninvalidated +uninvasive +uninvective +uninveighing +uninveigled +uninvented +uninventful +uninventibleness +uninventive +uninventively +uninventiveness +uninverted +uninvertible +uninvestable +uninvested +uninvestigable +uninvestigated +uninvestigating +uninvestigative +uninvestigatory +uninvidious +uninvidiously +uninvigorated +uninvigorating +uninvigorative +uninvigoratively +uninvincible +uninvincibleness +uninvincibly +uninvite +uninvited +uninvitedly +uninviting +uninvitingly +uninvitingness +uninvocative +uninvoiced +uninvokable +uninvoked +uninvoluted +uninvolved +uninvolvement +uninweaved +uninwoven +uninwrapped +uninwreathed +unio +uniocular +unioid +unyoke +unyoked +unyokes +unyoking +uniola +unyolden +union +unioned +unionic +unionid +unionidae +unioniform +unionisation +unionise +unionised +unionises +unionising +unionism +unionisms +unionist +unionistic +unionists +unionization +unionize +unionized +unionizer +unionizers +unionizes +unionizing +unionoid +unions +unyoung +unyouthful +unyouthfully +unyouthfulness +unioval +uniovular +uniovulate +unipara +uniparental +uniparentally +uniparient +uniparous +unipart +unipartite +uniped +unipeltate +uniperiodic +unipersonal +unipersonalist +unipersonality +unipetalous +uniphase +uniphaser +uniphonous +uniplanar +uniplex +uniplicate +unipod +unipods +unipolar +unipolarity +uniporous +unipotence +unipotent +unipotential +uniprocessor +uniprocessorunix +unipulse +uniquantic +unique +uniquely +uniqueness +uniquer +uniques +uniquest +uniquity +uniradial +uniradiate +uniradiated +uniradical +uniramose +uniramous +unirascibility +unirascible +unireme +unirenic +unirhyme +uniridescent +uniridescently +unironed +unironical +unironically +unirradiated +unirradiative +unirrigable +unirrigated +unirritable +unirritableness +unirritably +unirritant +unirritated +unirritatedly +unirritating +unirritative +unirrupted +unirruptive +unisepalous +uniseptate +uniserial +uniserially +uniseriate +uniseriately +uniserrate +uniserrulate +unisex +unisexed +unisexes +unisexual +unisexuality +unisexually +unisilicate +unism +unisoil +unisolable +unisolate +unisolated +unisolating +unisolationist +unisolative +unisomeric +unisometrical +unisomorphic +unison +unisonal +unisonally +unisonance +unisonant +unisonous +unisons +unisotropic +unisotropous +unisparker +unispiculate +unispinose +unispiral +unissuable +unissuant +unissued +unist +unistylist +unisulcate +unit +unitable +unitage +unitages +unital +unitalicized +unitary +unitarian +unitarianism +unitarianize +unitarians +unitarily +unitariness +unitarism +unitarist +unite +uniteability +uniteable +uniteably +united +unitedly +unitedness +unitemized +unitentacular +uniter +uniterated +uniterative +uniters +unites +unity +unities +unitinerant +uniting +unitingly +unition +unitism +unitistic +unitive +unitively +unitiveness +unitization +unitize +unitized +unitizes +unitizing +unitooth +unitrivalent +unitrope +units +unituberculate +unitude +uniunguiculate +uniungulate +unius +univ +univalence +univalency +univalent +univalvate +univalve +univalved +univalves +univalvular +univariant +univariate +univerbal +universal +universalia +universalian +universalis +universalisation +universalise +universalised +universaliser +universalising +universalism +universalist +universalistic +universalisties +universalists +universality +universalization +universalize +universalized +universalizer +universalizes +universalizing +universally +universalness +universals +universanimous +universe +universeful +universes +universitary +universitarian +universitarianism +universitas +universitatis +universite +university +universities +universityless +universitylike +universityship +universitize +universology +universological +universologist +univied +univocability +univocacy +univocal +univocality +univocalized +univocally +univocals +univocity +univoltine +univorous +uniwear +unix +unjacketed +unjaded +unjagged +unjailed +unjam +unjammed +unjamming +unjapanned +unjarred +unjarring +unjaundiced +unjaunty +unjealous +unjealoused +unjealously +unjeered +unjeering +unjelled +unjellied +unjeopardised +unjeopardized +unjesting +unjestingly +unjesuited +unjesuitical +unjesuitically +unjewel +unjeweled +unjewelled +unjewish +unjilted +unjocose +unjocosely +unjocoseness +unjocund +unjogged +unjogging +unjoyed +unjoyful +unjoyfully +unjoyfulness +unjoin +unjoinable +unjoined +unjoint +unjointed +unjointedness +unjointing +unjointured +unjoyous +unjoyously +unjoyousness +unjoking +unjokingly +unjolly +unjolted +unjostled +unjournalistic +unjournalized +unjovial +unjovially +unjubilant +unjubilantly +unjudgable +unjudge +unjudgeable +unjudged +unjudgelike +unjudging +unjudicable +unjudicative +unjudiciable +unjudicial +unjudicially +unjudicious +unjudiciously +unjudiciousness +unjuggled +unjuiced +unjuicy +unjuicily +unjumbled +unjumpable +unjuridic +unjuridical +unjuridically +unjust +unjustice +unjusticiable +unjustify +unjustifiability +unjustifiable +unjustifiableness +unjustifiably +unjustification +unjustified +unjustifiedly +unjustifiedness +unjustled +unjustly +unjustness +unjuvenile +unjuvenilely +unjuvenileness +unkaiserlike +unkamed +unked +unkeeled +unkey +unkeyed +unkembed +unkempt +unkemptly +unkemptness +unken +unkend +unkenned +unkennedness +unkennel +unkenneled +unkenneling +unkennelled +unkennelling +unkennels +unkenning +unkensome +unkent +unkept +unkerchiefed +unket +unkicked +unkid +unkidnaped +unkidnapped +unkill +unkillability +unkillable +unkilled +unkilling +unkilned +unkin +unkind +unkinder +unkindest +unkindhearted +unkindled +unkindledness +unkindly +unkindlier +unkindliest +unkindlily +unkindliness +unkindling +unkindness +unkindred +unkindredly +unking +unkingdom +unkinged +unkinger +unkingly +unkinglike +unkink +unkinlike +unkirk +unkiss +unkissed +unkist +unknave +unkneaded +unkneeling +unknelled +unknew +unknight +unknighted +unknightly +unknightlike +unknightliness +unknit +unknits +unknittable +unknitted +unknitting +unknocked +unknocking +unknot +unknots +unknotted +unknotty +unknotting +unknow +unknowability +unknowable +unknowableness +unknowably +unknowen +unknowing +unknowingly +unknowingness +unknowledgeable +unknown +unknownly +unknownness +unknowns +unknownst +unkodaked +unkosher +unkoshered +unl +unlabeled +unlabelled +unlabialise +unlabialised +unlabialising +unlabialize +unlabialized +unlabializing +unlabiate +unlaborable +unlabored +unlaboring +unlaborious +unlaboriously +unlaboriousness +unlaboured +unlabouring +unlace +unlaced +unlacerated +unlacerating +unlaces +unlacing +unlackeyed +unlaconic +unlacquered +unlade +unladed +unladen +unlades +unladyfied +unladylike +unlading +unladled +unlagging +unlay +unlayable +unlaid +unlaying +unlays +unlame +unlamed +unlamentable +unlamented +unlaminated +unlampooned +unlanced +unland +unlanded +unlandmarked +unlanguaged +unlanguid +unlanguidly +unlanguidness +unlanguishing +unlanterned +unlap +unlapped +unlapsed +unlapsing +unlarcenous +unlarcenously +unlarded +unlarge +unlash +unlashed +unlasher +unlashes +unlashing +unlassoed +unlasting +unlatch +unlatched +unlatches +unlatching +unlath +unlathed +unlathered +unlatinized +unlatticed +unlaudable +unlaudableness +unlaudably +unlaudative +unlaudatory +unlauded +unlaugh +unlaughing +unlaunched +unlaundered +unlaureled +unlaurelled +unlaved +unlaving +unlavish +unlavished +unlaw +unlawed +unlawful +unlawfully +unlawfulness +unlawyered +unlawyerlike +unlawlearned +unlawly +unlawlike +unlax +unleached +unlead +unleaded +unleaderly +unleading +unleads +unleaf +unleafed +unleaflike +unleagued +unleaguer +unleakable +unleaky +unleal +unlean +unleared +unlearn +unlearnability +unlearnable +unlearnableness +unlearned +unlearnedly +unlearnedness +unlearning +unlearns +unlearnt +unleasable +unleased +unleash +unleashed +unleashes +unleashing +unleathered +unleave +unleaved +unleavenable +unleavened +unlecherous +unlecherously +unlecherousness +unlectured +unled +unledged +unleft +unlegacied +unlegal +unlegalised +unlegalized +unlegally +unlegalness +unlegate +unlegible +unlegislated +unlegislative +unlegislatively +unleisured +unleisuredness +unleisurely +unlengthened +unlenient +unleniently +unlensed +unlent +unless +unlessened +unlessoned +unlet +unlethal +unlethally +unlethargic +unlethargical +unlethargically +unlettable +unletted +unlettered +unletteredly +unletteredness +unlettering +unletterlike +unlevel +unleveled +unleveling +unlevelled +unlevelly +unlevelling +unlevelness +unlevels +unleviable +unlevied +unlevigated +unlexicographical +unlexicographically +unliability +unliable +unlibeled +unlibelled +unlibellous +unlibellously +unlibelous +unlibelously +unliberal +unliberalised +unliberalized +unliberally +unliberated +unlibidinous +unlibidinously +unlycanthropize +unlicensed +unlicentiated +unlicentious +unlicentiously +unlicentiousness +unlichened +unlickable +unlicked +unlid +unlidded +unlie +unlifelike +unliftable +unlifted +unlifting +unligable +unligatured +unlight +unlighted +unlightedly +unlightedness +unlightened +unlignified +unlying +unlikable +unlikableness +unlikably +unlike +unlikeable +unlikeableness +unlikeably +unliked +unlikely +unlikelier +unlikeliest +unlikelihood +unlikeliness +unliken +unlikened +unlikeness +unliking +unlimb +unlimber +unlimbered +unlimbering +unlimberness +unlimbers +unlime +unlimed +unlimitable +unlimitableness +unlimitably +unlimited +unlimitedly +unlimitedness +unlimitless +unlimned +unlimp +unline +unlineal +unlined +unlingering +unlink +unlinked +unlinking +unlinks +unlionised +unlionized +unlionlike +unliquefiable +unliquefied +unliquescent +unliquid +unliquidatable +unliquidated +unliquidating +unliquidation +unliquored +unlyric +unlyrical +unlyrically +unlyricalness +unlisping +unlist +unlisted +unlistened +unlistening +unlisty +unlit +unliteral +unliteralised +unliteralized +unliterally +unliteralness +unliterary +unliterate +unlithographic +unlitigated +unlitigating +unlitigious +unlitigiously +unlitigiousness +unlitten +unlittered +unliturgical +unliturgize +unlivability +unlivable +unlivableness +unlivably +unlive +unliveable +unliveableness +unliveably +unlived +unlively +unliveliness +unliver +unlivery +unliveried +unliveries +unlives +unliving +unlizardlike +unload +unloaded +unloaden +unloader +unloaders +unloading +unloads +unloafing +unloanably +unloaned +unloaning +unloath +unloathed +unloathful +unloathly +unloathness +unloathsome +unlobbied +unlobbying +unlobed +unlocal +unlocalisable +unlocalise +unlocalised +unlocalising +unlocalizable +unlocalize +unlocalized +unlocalizing +unlocally +unlocated +unlocative +unlock +unlockable +unlocked +unlocker +unlocking +unlocks +unlocomotive +unlodge +unlodged +unlofty +unlogged +unlogic +unlogical +unlogically +unlogicalness +unlogistic +unlogistical +unloyal +unloyally +unloyalty +unlonely +unlook +unlooked +unloop +unlooped +unloosable +unloosably +unloose +unloosed +unloosen +unloosened +unloosening +unloosens +unlooses +unloosing +unlooted +unlopped +unloquacious +unloquaciously +unloquaciousness +unlord +unlorded +unlordly +unlosable +unlosableness +unlost +unlotted +unloudly +unlouken +unlounging +unlousy +unlovable +unlovableness +unlovably +unlove +unloveable +unloveableness +unloveably +unloved +unlovely +unlovelier +unloveliest +unlovelily +unloveliness +unloverly +unloverlike +unlovesome +unloving +unlovingly +unlovingness +unlowered +unlowly +unltraconservative +unlubricant +unlubricated +unlubricating +unlubricative +unlubricious +unlucent +unlucid +unlucidly +unlucidness +unluck +unluckful +unlucky +unluckier +unluckiest +unluckily +unluckiness +unluckly +unlucrative +unludicrous +unludicrously +unludicrousness +unluffed +unlugged +unlugubrious +unlugubriously +unlugubriousness +unlumbering +unluminescent +unluminiferous +unluminous +unluminously +unluminousness +unlumped +unlumpy +unlunar +unlunate +unlunated +unlured +unlurking +unlush +unlust +unlustered +unlustful +unlustfully +unlusty +unlustie +unlustier +unlustiest +unlustily +unlustiness +unlusting +unlustred +unlustrous +unlustrously +unlute +unluted +unluxated +unluxuriant +unluxuriantly +unluxuriating +unluxurious +unluxuriously +unmacadamized +unmacerated +unmachinable +unmachinated +unmachinating +unmachineable +unmachined +unmackly +unmad +unmadded +unmaddened +unmade +unmagic +unmagical +unmagically +unmagisterial +unmagistrate +unmagistratelike +unmagnanimous +unmagnanimously +unmagnanimousness +unmagnetic +unmagnetical +unmagnetised +unmagnetized +unmagnify +unmagnified +unmagnifying +unmaid +unmaiden +unmaidenly +unmaidenlike +unmaidenliness +unmail +unmailable +unmailableness +unmailed +unmaimable +unmaimed +unmaintainable +unmaintained +unmajestic +unmajestically +unmakable +unmake +unmaker +unmakers +unmakes +unmaking +unmalarial +unmaledictive +unmaledictory +unmalevolent +unmalevolently +unmalicious +unmaliciously +unmalignant +unmalignantly +unmaligned +unmalleability +unmalleable +unmalleableness +unmalled +unmaltable +unmalted +unmammalian +unmammonized +unman +unmanacle +unmanacled +unmanacling +unmanageability +unmanageable +unmanageableness +unmanageably +unmanaged +unmancipated +unmandated +unmandatory +unmanducated +unmaned +unmaneged +unmaneuverable +unmaneuvered +unmanful +unmanfully +unmanfulness +unmangled +unmanhood +unmaniable +unmaniac +unmaniacal +unmaniacally +unmanicured +unmanifest +unmanifestative +unmanifested +unmanipulable +unmanipulatable +unmanipulated +unmanipulative +unmanipulatory +unmanly +unmanlier +unmanliest +unmanlike +unmanlily +unmanliness +unmanned +unmanner +unmannered +unmanneredly +unmannerly +unmannerliness +unmanning +unmannish +unmannishly +unmannishness +unmanoeuvred +unmanored +unmans +unmantle +unmantled +unmanual +unmanually +unmanufacturable +unmanufactured +unmanumissible +unmanumitted +unmanurable +unmanured +unmappable +unmapped +unmarbelize +unmarbelized +unmarbelizing +unmarbled +unmarbleize +unmarbleized +unmarbleizing +unmarch +unmarching +unmarginal +unmarginally +unmarginated +unmarine +unmaritime +unmarkable +unmarked +unmarketable +unmarketed +unmarking +unmarled +unmarred +unmarry +unmarriable +unmarriageability +unmarriageable +unmarried +unmarrying +unmarring +unmarshaled +unmarshalled +unmartial +unmartyr +unmartyred +unmarveling +unmarvellous +unmarvellously +unmarvellousness +unmarvelous +unmarvelously +unmarvelousness +unmasculine +unmasculinely +unmashed +unmask +unmasked +unmasker +unmaskers +unmasking +unmasks +unmasquerade +unmassacred +unmassed +unmast +unmaster +unmasterable +unmastered +unmasterful +unmasterfully +unmasticable +unmasticated +unmasticatory +unmatchable +unmatchableness +unmatchably +unmatched +unmatchedness +unmatching +unmate +unmated +unmaterial +unmaterialised +unmaterialistic +unmaterialistically +unmaterialized +unmaterially +unmateriate +unmaternal +unmaternally +unmathematical +unmathematically +unmating +unmatriculated +unmatrimonial +unmatrimonially +unmatronlike +unmatted +unmaturative +unmature +unmatured +unmaturely +unmatureness +unmaturing +unmaturity +unmaudlin +unmaudlinly +unmauled +unmaze +unmeandering +unmeanderingly +unmeaning +unmeaningful +unmeaningfully +unmeaningfulness +unmeaningly +unmeaningness +unmeant +unmeasurability +unmeasurable +unmeasurableness +unmeasurably +unmeasured +unmeasuredly +unmeasuredness +unmeasurely +unmeated +unmechanic +unmechanical +unmechanically +unmechanised +unmechanistic +unmechanize +unmechanized +unmedaled +unmedalled +unmeddle +unmeddled +unmeddlesome +unmeddling +unmeddlingly +unmeddlingness +unmediaeval +unmediated +unmediating +unmediative +unmediatized +unmedicable +unmedical +unmedically +unmedicated +unmedicative +unmedicinable +unmedicinal +unmedicinally +unmedieval +unmeditated +unmeditating +unmeditative +unmeditatively +unmediumistic +unmedullated +unmeedful +unmeedy +unmeek +unmeekly +unmeekness +unmeet +unmeetable +unmeetly +unmeetness +unmelancholy +unmelancholic +unmelancholically +unmeliorated +unmellifluent +unmellifluently +unmellifluous +unmellifluously +unmellow +unmellowed +unmelodic +unmelodically +unmelodious +unmelodiously +unmelodiousness +unmelodised +unmelodized +unmelodramatic +unmelodramatically +unmelt +unmeltable +unmeltableness +unmeltably +unmelted +unmeltedness +unmelting +unmember +unmemoired +unmemorable +unmemorably +unmemorialised +unmemorialized +unmemoried +unmemorized +unmenaced +unmenacing +unmendable +unmendableness +unmendably +unmendacious +unmendaciously +unmended +unmenial +unmenially +unmenseful +unmenstruating +unmensurable +unmental +unmentally +unmentholated +unmentionability +unmentionable +unmentionableness +unmentionables +unmentionably +unmentioned +unmercantile +unmercenary +unmercenarily +unmercenariness +unmercerized +unmerchandised +unmerchantable +unmerchantly +unmerchantlike +unmerciable +unmerciably +unmercied +unmerciful +unmercifully +unmercifulness +unmerciless +unmercurial +unmercurially +unmercurialness +unmeretricious +unmeretriciously +unmeretriciousness +unmerge +unmerged +unmerging +unmeridional +unmeridionally +unmeringued +unmeritability +unmeritable +unmerited +unmeritedly +unmeritedness +unmeriting +unmeritorious +unmeritoriously +unmeritoriousness +unmerry +unmerrily +unmesh +unmesmeric +unmesmerically +unmesmerised +unmesmerize +unmesmerized +unmet +unmetaled +unmetalised +unmetalized +unmetalled +unmetallic +unmetallically +unmetallurgic +unmetallurgical +unmetallurgically +unmetamorphic +unmetamorphosed +unmetaphysic +unmetaphysical +unmetaphysically +unmetaphorical +unmete +unmeted +unmeteorologic +unmeteorological +unmeteorologically +unmetered +unmeth +unmethylated +unmethodic +unmethodical +unmethodically +unmethodicalness +unmethodised +unmethodising +unmethodized +unmethodizing +unmeticulous +unmeticulously +unmeticulousness +unmetred +unmetric +unmetrical +unmetrically +unmetricalness +unmetrified +unmetropolitan +unmettle +unmew +unmewed +unmewing +unmews +unmiasmal +unmiasmatic +unmiasmatical +unmiasmic +unmicaceous +unmicrobial +unmicrobic +unmicroscopic +unmicroscopically +unmidwifed +unmyelinated +unmight +unmighty +unmigrant +unmigrating +unmigrative +unmigratory +unmild +unmildewed +unmildness +unmilitant +unmilitantly +unmilitary +unmilitarily +unmilitariness +unmilitarised +unmilitaristic +unmilitaristically +unmilitarized +unmilked +unmilled +unmillinered +unmilted +unmimeographed +unmimetic +unmimetically +unmimicked +unminable +unminced +unmincing +unmind +unminded +unmindful +unmindfully +unmindfulness +unminding +unmined +unmineralised +unmineralized +unmingle +unmingleable +unmingled +unmingles +unmingling +unminimised +unminimising +unminimized +unminimizing +unminished +unminister +unministered +unministerial +unministerially +unministrant +unministrative +unminted +unminuted +unmyopic +unmiracled +unmiraculous +unmiraculously +unmired +unmiry +unmirrored +unmirthful +unmirthfully +unmirthfulness +unmisanthropic +unmisanthropical +unmisanthropically +unmiscarrying +unmischievous +unmischievously +unmiscible +unmisconceivable +unmiserly +unmisgiving +unmisgivingly +unmisguided +unmisguidedly +unmisinterpretable +unmisled +unmissable +unmissed +unmissionary +unmissionized +unmist +unmistakable +unmistakableness +unmistakably +unmistakedly +unmistaken +unmistaking +unmistakingly +unmystery +unmysterious +unmysteriously +unmysteriousness +unmystic +unmystical +unmystically +unmysticalness +unmysticise +unmysticised +unmysticising +unmysticize +unmysticized +unmysticizing +unmystified +unmistressed +unmistrusted +unmistrustful +unmistrustfully +unmistrusting +unmisunderstandable +unmisunderstanding +unmisunderstood +unmiter +unmitered +unmitering +unmiters +unmythical +unmythically +unmythological +unmythologically +unmitigability +unmitigable +unmitigated +unmitigatedly +unmitigatedness +unmitigative +unmitre +unmitred +unmitres +unmitring +unmittened +unmix +unmixable +unmixableness +unmixed +unmixedly +unmixedness +unmixt +unmoaned +unmoaning +unmoated +unmobbed +unmobile +unmobilised +unmobilized +unmoble +unmocked +unmocking +unmockingly +unmodel +unmodeled +unmodelled +unmoderate +unmoderated +unmoderately +unmoderateness +unmoderating +unmodern +unmodernised +unmodernity +unmodernize +unmodernized +unmodest +unmodestly +unmodestness +unmodifiability +unmodifiable +unmodifiableness +unmodifiably +unmodificative +unmodified +unmodifiedness +unmodish +unmodishly +unmodulated +unmodulative +unmoiled +unmoist +unmoisten +unmold +unmoldable +unmoldableness +unmolded +unmoldered +unmoldering +unmoldy +unmolding +unmolds +unmolest +unmolested +unmolestedly +unmolesting +unmolified +unmollifiable +unmollifiably +unmollified +unmollifying +unmolten +unmomentary +unmomentous +unmomentously +unmomentousness +unmonarch +unmonarchic +unmonarchical +unmonarchically +unmonastic +unmonastically +unmoneyed +unmonetary +unmonistic +unmonitored +unmonkish +unmonkly +unmonogrammed +unmonopolised +unmonopolising +unmonopolize +unmonopolized +unmonopolizing +unmonotonous +unmonotonously +unmonumental +unmonumented +unmoody +unmoor +unmoored +unmooring +unmoors +unmooted +unmopped +unmoral +unmoralising +unmoralist +unmoralistic +unmorality +unmoralize +unmoralized +unmoralizing +unmorally +unmoralness +unmorbid +unmorbidly +unmorbidness +unmordant +unmordanted +unmordantly +unmoribund +unmoribundly +unmorose +unmorosely +unmoroseness +unmorphological +unmorphologically +unmorrised +unmortal +unmortalize +unmortared +unmortgage +unmortgageable +unmortgaged +unmortgaging +unmortified +unmortifiedly +unmortifiedness +unmortise +unmortised +unmortising +unmossed +unmossy +unmothered +unmotherly +unmotile +unmotionable +unmotioned +unmotioning +unmotivated +unmotivatedly +unmotivatedness +unmotivating +unmotived +unmotored +unmotorised +unmotorized +unmottled +unmould +unmouldable +unmouldered +unmouldering +unmouldy +unmounded +unmount +unmountable +unmountainous +unmounted +unmounting +unmourned +unmournful +unmournfully +unmourning +unmouthable +unmouthed +unmouthpieced +unmovability +unmovable +unmovableness +unmovablety +unmovably +unmoveable +unmoved +unmovedly +unmoving +unmovingly +unmovingness +unmowed +unmown +unmucilaged +unmudded +unmuddy +unmuddied +unmuddle +unmuddled +unmuffle +unmuffled +unmuffles +unmuffling +unmulcted +unmulish +unmulled +unmullioned +unmultiply +unmultipliable +unmultiplicable +unmultiplicative +unmultiplied +unmultipliedly +unmultiplying +unmumbled +unmumbling +unmummied +unmummify +unmummified +unmummifying +unmunched +unmundane +unmundanely +unmundified +unmunicipalised +unmunicipalized +unmunificent +unmunificently +unmunitioned +unmurmured +unmurmuring +unmurmuringly +unmurmurous +unmurmurously +unmuscled +unmuscular +unmuscularly +unmusical +unmusicality +unmusically +unmusicalness +unmusicianly +unmusing +unmusked +unmussed +unmusted +unmusterable +unmustered +unmutable +unmutant +unmutated +unmutation +unmutational +unmutative +unmuted +unmutilated +unmutilative +unmutinous +unmutinously +unmutinousness +unmuttered +unmuttering +unmutteringly +unmutual +unmutualised +unmutualized +unmutually +unmuzzle +unmuzzled +unmuzzles +unmuzzling +unn +unnabbed +unnacreous +unnagged +unnagging +unnaggingly +unnail +unnailed +unnailing +unnails +unnaive +unnaively +unnaked +unnamability +unnamable +unnamableness +unnamably +unname +unnameability +unnameable +unnameableness +unnameably +unnamed +unnapkined +unnapped +unnapt +unnarcissistic +unnarcotic +unnarratable +unnarrated +unnarrative +unnarrow +unnarrowed +unnarrowly +unnasal +unnasally +unnascent +unnation +unnational +unnationalised +unnationalistic +unnationalistically +unnationalized +unnationally +unnative +unnatural +unnaturalise +unnaturalised +unnaturalising +unnaturalism +unnaturalist +unnaturalistic +unnaturality +unnaturalizable +unnaturalize +unnaturalized +unnaturalizing +unnaturally +unnaturalness +unnature +unnauseated +unnauseating +unnautical +unnavigability +unnavigable +unnavigableness +unnavigably +unnavigated +unnealed +unneaped +unnear +unnearable +unneared +unnearly +unnearness +unneat +unneath +unneatly +unneatness +unnebulous +unneccessary +unnecessary +unnecessaries +unnecessarily +unnecessariness +unnecessitated +unnecessitating +unnecessity +unnecessitous +unnecessitously +unnecessitousness +unnectareous +unnectarial +unneeded +unneedful +unneedfully +unneedfulness +unneedy +unnefarious +unnefariously +unnefariousness +unnegated +unneglected +unneglectful +unneglectfully +unnegligent +unnegotiable +unnegotiableness +unnegotiably +unnegotiated +unnegro +unneighbored +unneighborly +unneighborlike +unneighborliness +unneighbourly +unneighbourliness +unnephritic +unnerve +unnerved +unnerves +unnerving +unnervingly +unnervous +unnervously +unnervousness +unness +unnest +unnestle +unnestled +unnet +unneth +unnethe +unnethes +unnethis +unnetted +unnettled +unneural +unneuralgic +unneurotic +unneurotically +unneutered +unneutral +unneutralise +unneutralised +unneutralising +unneutrality +unneutralize +unneutralized +unneutralizing +unneutrally +unnew +unnewly +unnewness +unnewsed +unnibbed +unnibbied +unnibbled +unnice +unnicely +unniceness +unniched +unnicked +unnickeled +unnickelled +unnicknamed +unniggard +unniggardly +unnigh +unnihilistic +unnimbed +unnimble +unnimbleness +unnimbly +unnymphal +unnymphean +unnymphlike +unnipped +unnitrogenised +unnitrogenized +unnitrogenous +unnobilitated +unnobility +unnoble +unnobleness +unnobly +unnocturnal +unnocturnally +unnodding +unnoddingly +unnoised +unnoisy +unnoisily +unnomadic +unnomadically +unnominal +unnominalistic +unnominally +unnominated +unnominative +unnonsensical +unnooked +unnoosed +unnormal +unnormalised +unnormalising +unnormalized +unnormalizing +unnormally +unnormalness +unnormative +unnorthern +unnose +unnosed +unnotable +unnotational +unnotched +unnoted +unnoteworthy +unnoteworthiness +unnoticeable +unnoticeableness +unnoticeably +unnoticed +unnoticing +unnotify +unnotified +unnoting +unnotional +unnotionally +unnotioned +unnourishable +unnourished +unnourishing +unnovel +unnovercal +unnucleated +unnullified +unnumbed +unnumber +unnumberable +unnumberableness +unnumberably +unnumbered +unnumberedness +unnumerable +unnumerated +unnumerical +unnumerous +unnumerously +unnumerousness +unnurtured +unnutritious +unnutritiously +unnutritive +unnuzzled +unoared +unobdurate +unobdurately +unobdurateness +unobedience +unobedient +unobediently +unobeyed +unobeying +unobese +unobesely +unobeseness +unobfuscated +unobjected +unobjectified +unobjectionability +unobjectionable +unobjectionableness +unobjectionably +unobjectional +unobjective +unobjectively +unobjectivized +unobligated +unobligating +unobligative +unobligatory +unobliged +unobliging +unobligingly +unobligingness +unobliterable +unobliterated +unoblivious +unobliviously +unobliviousness +unobnoxious +unobnoxiously +unobnoxiousness +unobscene +unobscenely +unobsceneness +unobscure +unobscured +unobscurely +unobscureness +unobsequious +unobsequiously +unobsequiousness +unobservable +unobservance +unobservant +unobservantly +unobservantness +unobserved +unobservedly +unobserving +unobservingly +unobsessed +unobsolete +unobstinate +unobstinately +unobstruct +unobstructed +unobstructedly +unobstructedness +unobstructive +unobstruent +unobstruently +unobtainability +unobtainable +unobtainableness +unobtainably +unobtained +unobtruded +unobtruding +unobtrusive +unobtrusively +unobtrusiveness +unobtunded +unobumbrated +unobverted +unobviable +unobviated +unobvious +unobviously +unobviousness +unoccasional +unoccasionally +unoccasioned +unoccidental +unoccidentally +unoccluded +unoccupancy +unoccupation +unoccupiable +unoccupied +unoccupiedly +unoccupiedness +unoccurring +unoceanic +unocular +unode +unodious +unodiously +unodiousness +unodored +unodoriferous +unodoriferously +unodoriferousness +unodorous +unodorously +unodorousness +unoecumenic +unoecumenical +unoffendable +unoffended +unoffendedly +unoffender +unoffending +unoffendingly +unoffensive +unoffensively +unoffensiveness +unoffered +unofficed +unofficered +unofficerlike +unofficial +unofficialdom +unofficially +unofficialness +unofficiated +unofficiating +unofficinal +unofficious +unofficiously +unofficiousness +unoffset +unoften +unogled +unoil +unoiled +unoily +unoiling +unold +unomened +unominous +unominously +unominousness +unomitted +unomnipotent +unomnipotently +unomniscient +unomnisciently +unona +unonerous +unonerously +unonerousness +unontological +unopaque +unoped +unopen +unopenable +unopened +unopening +unopenly +unopenness +unoperably +unoperatable +unoperated +unoperatic +unoperatically +unoperating +unoperative +unoperculate +unoperculated +unopiated +unopiatic +unopined +unopinionated +unopinionatedness +unopinioned +unoppignorated +unopportune +unopportunely +unopportuneness +unopportunistic +unopposable +unopposed +unopposedly +unopposedness +unopposing +unopposite +unoppositional +unoppressed +unoppressive +unoppressively +unoppressiveness +unopprobrious +unopprobriously +unopprobriousness +unoppugned +unopressible +unopted +unoptimistic +unoptimistical +unoptimistically +unoptimized +unoptional +unoptionally +unopulence +unopulent +unopulently +unoral +unorally +unorational +unoratorial +unoratorical +unoratorically +unorbed +unorbital +unorbitally +unorchestrated +unordain +unordainable +unordained +unorder +unorderable +unordered +unorderly +unordinal +unordinary +unordinarily +unordinariness +unordinate +unordinately +unordinateness +unordnanced +unorganed +unorganic +unorganical +unorganically +unorganicalness +unorganisable +unorganised +unorganizable +unorganized +unorganizedly +unorganizedness +unoriental +unorientally +unorientalness +unoriented +unoriginal +unoriginality +unoriginally +unoriginalness +unoriginate +unoriginated +unoriginatedness +unoriginately +unoriginateness +unorigination +unoriginative +unoriginatively +unoriginativeness +unorn +unornamental +unornamentally +unornamentalness +unornamentation +unornamented +unornate +unornately +unornateness +unornithological +unornly +unorphaned +unorthodox +unorthodoxy +unorthodoxically +unorthodoxly +unorthodoxness +unorthographical +unorthographically +unoscillating +unosculated +unosmotic +unossified +unossifying +unostensible +unostensibly +unostensive +unostensively +unostentation +unostentatious +unostentatiously +unostentatiousness +unousted +unoutgrown +unoutlawed +unoutraged +unoutspeakable +unoutspoken +unoutworn +unoverclouded +unovercomable +unovercome +unoverdone +unoverdrawn +unoverflowing +unoverhauled +unoverleaped +unoverlooked +unoverpaid +unoverpowered +unoverruled +unovert +unovertaken +unoverthrown +unovervalued +unoverwhelmed +unowed +unowing +unown +unowned +unoxidable +unoxidated +unoxidative +unoxidisable +unoxidised +unoxidizable +unoxidized +unoxygenated +unoxygenized +unp +unpacable +unpaced +unpacifiable +unpacific +unpacified +unpacifiedly +unpacifiedness +unpacifist +unpacifistic +unpack +unpackaged +unpacked +unpacker +unpackers +unpacking +unpacks +unpadded +unpadlocked +unpagan +unpaganize +unpaganized +unpaganizing +unpaged +unpaginal +unpaginated +unpay +unpayable +unpayableness +unpayably +unpaid +unpaying +unpayment +unpained +unpainful +unpainfully +unpaining +unpainstaking +unpaint +unpaintability +unpaintable +unpaintableness +unpaintably +unpainted +unpaintedly +unpaintedness +unpaired +unpaised +unpalatability +unpalatable +unpalatableness +unpalatably +unpalatal +unpalatalized +unpalatally +unpalatial +unpale +unpaled +unpalisaded +unpalisadoed +unpalled +unpalliable +unpalliated +unpalliative +unpalpable +unpalpablely +unpalped +unpalpitating +unpalsied +unpaltry +unpampered +unpanegyrised +unpanegyrized +unpanel +unpaneled +unpanelled +unpanged +unpanicky +unpannel +unpanniered +unpanoplied +unpantheistic +unpantheistical +unpantheistically +unpanting +unpapal +unpapaverous +unpaper +unpapered +unparaded +unparadise +unparadox +unparadoxal +unparadoxical +unparadoxically +unparagoned +unparagonized +unparagraphed +unparalysed +unparalyzed +unparallel +unparallelable +unparalleled +unparalleledly +unparalleledness +unparallelled +unparallelness +unparametrized +unparaphrased +unparasitic +unparasitical +unparasitically +unparcel +unparceled +unparceling +unparcelled +unparcelling +unparch +unparched +unparching +unpardon +unpardonability +unpardonable +unpardonableness +unpardonably +unpardoned +unpardonedness +unpardoning +unpared +unparegal +unparental +unparentally +unparented +unparenthesised +unparenthesized +unparenthetic +unparenthetical +unparenthetically +unparfit +unpargeted +unpark +unparked +unparking +unparliamentary +unparliamented +unparochial +unparochialism +unparochially +unparodied +unparolable +unparoled +unparrel +unparriable +unparried +unparrying +unparroted +unparsed +unparser +unparsimonious +unparsimoniously +unparsonic +unparsonical +unpartable +unpartableness +unpartably +unpartaken +unpartaking +unparted +unparty +unpartial +unpartiality +unpartially +unpartialness +unpartible +unparticipant +unparticipated +unparticipating +unparticipative +unparticular +unparticularised +unparticularising +unparticularized +unparticularizing +unparticularness +unpartisan +unpartitioned +unpartitive +unpartizan +unpartnered +unpartook +unpass +unpassable +unpassableness +unpassably +unpassed +unpassing +unpassionate +unpassionately +unpassionateness +unpassioned +unpassive +unpassively +unpaste +unpasted +unpasteurised +unpasteurized +unpasting +unpastor +unpastoral +unpastorally +unpastured +unpatched +unpatent +unpatentable +unpatented +unpaternal +unpaternally +unpathed +unpathetic +unpathetically +unpathological +unpathologically +unpathwayed +unpatience +unpatient +unpatiently +unpatientness +unpatinated +unpatriarchal +unpatriarchally +unpatrician +unpatriotic +unpatriotically +unpatriotism +unpatristic +unpatristical +unpatristically +unpatrolled +unpatronisable +unpatronizable +unpatronized +unpatronizing +unpatronizingly +unpatted +unpatterned +unpatternized +unpaunch +unpaunched +unpauperized +unpausing +unpausingly +unpave +unpaved +unpavilioned +unpaving +unpawed +unpawn +unpawned +unpeace +unpeaceable +unpeaceableness +unpeaceably +unpeaceful +unpeacefully +unpeacefulness +unpeaked +unpealed +unpearled +unpebbled +unpeccable +unpecked +unpeculating +unpeculiar +unpeculiarly +unpecuniarily +unpedagogic +unpedagogical +unpedagogically +unpedantic +unpedantical +unpeddled +unpedestal +unpedestaled +unpedestaling +unpedigreed +unpeel +unpeelable +unpeelableness +unpeeled +unpeeling +unpeerable +unpeered +unpeevish +unpeevishly +unpeevishness +unpeg +unpegged +unpegging +unpegs +unpejorative +unpejoratively +unpelagic +unpelted +unpen +unpenal +unpenalised +unpenalized +unpenally +unpenanced +unpenciled +unpencilled +unpendant +unpendent +unpending +unpendulous +unpendulously +unpendulousness +unpenetrable +unpenetrably +unpenetrant +unpenetrated +unpenetrating +unpenetratingly +unpenetrative +unpenetratively +unpenitent +unpenitential +unpenitentially +unpenitently +unpenitentness +unpenned +unpennied +unpenning +unpennoned +unpens +unpensionable +unpensionableness +unpensioned +unpensioning +unpent +unpenurious +unpenuriously +unpenuriousness +unpeople +unpeopled +unpeoples +unpeopling +unpeppered +unpeppery +unperceivability +unperceivable +unperceivably +unperceived +unperceivedly +unperceiving +unperceptible +unperceptibleness +unperceptibly +unperceptional +unperceptive +unperceptively +unperceptiveness +unperceptual +unperceptually +unperch +unperched +unpercipient +unpercolated +unpercussed +unpercussive +unperdurable +unperdurably +unperemptory +unperemptorily +unperemptoriness +unperfect +unperfected +unperfectedly +unperfectedness +unperfectible +unperfection +unperfective +unperfectively +unperfectiveness +unperfectly +unperfectness +unperfidious +unperfidiously +unperfidiousness +unperflated +unperforable +unperforate +unperforated +unperforating +unperforative +unperformability +unperformable +unperformance +unperformed +unperforming +unperfumed +unperilous +unperilously +unperiodic +unperiodical +unperiodically +unperipheral +unperipherally +unperiphrased +unperiphrastic +unperiphrastically +unperishable +unperishableness +unperishably +unperished +unperishing +unperjured +unperjuring +unpermanency +unpermanent +unpermanently +unpermeable +unpermeant +unpermeated +unpermeating +unpermeative +unpermissible +unpermissibly +unpermissive +unpermit +unpermits +unpermitted +unpermitting +unpermixed +unpernicious +unperniciously +unperpendicular +unperpendicularly +unperpetrated +unperpetuable +unperpetuated +unperpetuating +unperplex +unperplexed +unperplexing +unpersecuted +unpersecuting +unpersecutive +unperseverance +unpersevering +unperseveringly +unperseveringness +unpersisting +unperson +unpersonable +unpersonableness +unpersonal +unpersonalised +unpersonalising +unpersonality +unpersonalized +unpersonalizing +unpersonally +unpersonify +unpersonified +unpersonifying +unpersons +unperspicuous +unperspicuously +unperspicuousness +unperspirable +unperspired +unperspiring +unpersuadability +unpersuadable +unpersuadableness +unpersuadably +unpersuade +unpersuaded +unpersuadedness +unpersuasibility +unpersuasible +unpersuasibleness +unpersuasion +unpersuasive +unpersuasively +unpersuasiveness +unpertaining +unpertinent +unpertinently +unperturbable +unperturbably +unperturbed +unperturbedly +unperturbedness +unperturbing +unperuked +unperusable +unperused +unpervaded +unpervading +unpervasive +unpervasively +unpervasiveness +unperverse +unperversely +unperversive +unpervert +unperverted +unpervertedly +unpervious +unperviously +unperviousness +unpessimistic +unpessimistically +unpestered +unpesterous +unpestilent +unpestilential +unpestilently +unpetal +unpetaled +unpetalled +unpetitioned +unpetrify +unpetrified +unpetrifying +unpetted +unpetticoated +unpetulant +unpetulantly +unpharasaic +unpharasaical +unphased +unphenomenal +unphenomenally +unphilanthropic +unphilanthropically +unphilologic +unphilological +unphilosophy +unphilosophic +unphilosophical +unphilosophically +unphilosophicalness +unphilosophize +unphilosophized +unphysical +unphysically +unphysicianlike +unphysicked +unphysiological +unphysiologically +unphlegmatic +unphlegmatical +unphlegmatically +unphonetic +unphoneticness +unphonnetical +unphonnetically +unphonographed +unphosphatised +unphosphatized +unphotographable +unphotographed +unphotographic +unphrasable +unphrasableness +unphrased +unphrenological +unpicaresque +unpick +unpickable +unpicked +unpicketed +unpicking +unpickled +unpicks +unpictorial +unpictorialise +unpictorialised +unpictorialising +unpictorialize +unpictorialized +unpictorializing +unpictorially +unpicturability +unpicturable +unpictured +unpicturesque +unpicturesquely +unpicturesqueness +unpiece +unpieced +unpierceable +unpierced +unpiercing +unpiety +unpigmented +unpile +unpiled +unpiles +unpilfered +unpilgrimlike +unpiling +unpillaged +unpillared +unpilled +unpilloried +unpillowed +unpiloted +unpimpled +unpin +unpinched +unpining +unpinion +unpinioned +unpinked +unpinned +unpinning +unpins +unpioneering +unpious +unpiously +unpiped +unpiqued +unpirated +unpiratical +unpiratically +unpitched +unpited +unpiteous +unpiteously +unpiteousness +unpity +unpitiable +unpitiably +unpitied +unpitiedly +unpitiedness +unpitiful +unpitifully +unpitifulness +unpitying +unpityingly +unpityingness +unpitted +unplacable +unplacably +unplacated +unplacatory +unplace +unplaced +unplacement +unplacid +unplacidly +unplacidness +unplagiarised +unplagiarized +unplagued +unplayable +unplaid +unplayed +unplayful +unplayfully +unplaying +unplain +unplained +unplainly +unplainness +unplait +unplaited +unplaiting +unplaits +unplan +unplaned +unplanished +unplank +unplanked +unplanned +unplannedly +unplannedness +unplanning +unplant +unplantable +unplanted +unplantlike +unplashed +unplaster +unplastered +unplastic +unplat +unplated +unplatitudinous +unplatitudinously +unplatitudinousness +unplatted +unplausible +unplausibleness +unplausibly +unplausive +unpleached +unpleadable +unpleaded +unpleading +unpleasable +unpleasant +unpleasantish +unpleasantly +unpleasantness +unpleasantry +unpleasantries +unpleased +unpleasing +unpleasingly +unpleasingness +unpleasive +unpleasurable +unpleasurably +unpleasure +unpleat +unpleated +unplebeian +unpledged +unplenished +unplenteous +unplenteously +unplentiful +unplentifully +unplentifulness +unpliability +unpliable +unpliableness +unpliably +unpliancy +unpliant +unpliantly +unpliantness +unplied +unplight +unplighted +unplodding +unplotted +unplotting +unplough +unploughed +unplow +unplowed +unplucked +unplug +unplugged +unplugging +unplugs +unplumb +unplumbed +unplume +unplumed +unplummeted +unplump +unplundered +unplunderous +unplunderously +unplunge +unplunged +unpluralised +unpluralistic +unpluralized +unplutocratic +unplutocratical +unplutocratically +unpneumatic +unpneumatically +unpoached +unpocket +unpocketed +unpodded +unpoetic +unpoetical +unpoetically +unpoeticalness +unpoeticised +unpoeticized +unpoetize +unpoetized +unpoignant +unpoignantly +unpoignard +unpointed +unpointing +unpoise +unpoised +unpoison +unpoisonable +unpoisoned +unpoisonous +unpoisonously +unpolarised +unpolarizable +unpolarized +unpoled +unpolemic +unpolemical +unpolemically +unpoliced +unpolicied +unpolymerised +unpolymerized +unpolish +unpolishable +unpolished +unpolishedness +unpolite +unpolitely +unpoliteness +unpolitic +unpolitical +unpolitically +unpoliticly +unpollarded +unpolled +unpollened +unpollutable +unpolluted +unpollutedly +unpolluting +unpompous +unpompously +unpompousness +unponderable +unpondered +unponderous +unponderously +unponderousness +unpontifical +unpontifically +unpooled +unpope +unpopular +unpopularised +unpopularity +unpopularize +unpopularized +unpopularly +unpopularness +unpopulate +unpopulated +unpopulous +unpopulously +unpopulousness +unporcelainized +unporness +unpornographic +unporous +unporousness +unportable +unportended +unportentous +unportentously +unportentousness +unporticoed +unportionable +unportioned +unportly +unportmanteaued +unportrayable +unportrayed +unportraited +unportunate +unportuous +unposed +unposing +unpositive +unpositively +unpositiveness +unpositivistic +unpossess +unpossessable +unpossessed +unpossessedness +unpossessing +unpossessive +unpossessively +unpossessiveness +unpossibility +unpossible +unpossibleness +unpossibly +unposted +unpostered +unposthumous +unpostmarked +unpostponable +unpostponed +unpostulated +unpot +unpotable +unpotent +unpotently +unpotted +unpotting +unpouched +unpoulticed +unpounced +unpounded +unpourable +unpoured +unpouting +unpoutingly +unpowdered +unpower +unpowerful +unpowerfulness +unpracticability +unpracticable +unpracticableness +unpracticably +unpractical +unpracticality +unpractically +unpracticalness +unpractice +unpracticed +unpracticedness +unpractised +unpragmatic +unpragmatical +unpragmatically +unpray +unprayable +unprayed +unprayerful +unprayerfully +unprayerfulness +unpraying +unpraisable +unpraise +unpraised +unpraiseful +unpraiseworthy +unpraising +unpranked +unprating +unpreach +unpreached +unpreaching +unprecarious +unprecariously +unprecariousness +unprecautioned +unpreceded +unprecedented +unprecedentedly +unprecedentedness +unprecedential +unprecedently +unpreceptive +unpreceptively +unprecious +unpreciously +unpreciousness +unprecipiced +unprecipitant +unprecipitantly +unprecipitate +unprecipitated +unprecipitately +unprecipitateness +unprecipitative +unprecipitatively +unprecipitous +unprecipitously +unprecipitousness +unprecise +unprecisely +unpreciseness +unprecisive +unprecludable +unprecluded +unprecludible +unpreclusive +unpreclusively +unprecocious +unprecociously +unprecociousness +unpredaceous +unpredaceously +unpredaceousness +unpredacious +unpredaciously +unpredaciousness +unpredatory +unpredestinated +unpredestined +unpredetermined +unpredicable +unpredicableness +unpredicably +unpredicated +unpredicative +unpredicatively +unpredict +unpredictability +unpredictabilness +unpredictable +unpredictableness +unpredictably +unpredicted +unpredictedness +unpredicting +unpredictive +unpredictively +unpredisposed +unpredisposing +unpreempted +unpreened +unprefaced +unpreferable +unpreferableness +unpreferably +unpreferred +unprefigured +unprefined +unprefixal +unprefixally +unprefixed +unpregnable +unpregnant +unprehensive +unpreying +unprejudged +unprejudicated +unprejudice +unprejudiced +unprejudicedly +unprejudicedness +unprejudiciable +unprejudicial +unprejudicially +unprejudicialness +unprelatic +unprelatical +unpreluded +unpremature +unprematurely +unprematureness +unpremeditate +unpremeditated +unpremeditatedly +unpremeditatedness +unpremeditately +unpremeditation +unpremonished +unpremonstrated +unprenominated +unprenticed +unpreoccupied +unpreordained +unpreparation +unprepare +unprepared +unpreparedly +unpreparedness +unpreparing +unpreponderated +unpreponderating +unprepossessed +unprepossessedly +unprepossessing +unprepossessingly +unprepossessingness +unpreposterous +unpreposterously +unpreposterousness +unpresaged +unpresageful +unpresaging +unpresbyterated +unprescient +unpresciently +unprescinded +unprescribed +unpresentability +unpresentable +unpresentableness +unpresentably +unpresentative +unpresented +unpreservable +unpreserved +unpresidential +unpresidentially +unpresiding +unpressed +unpresses +unpressured +unprest +unpresumable +unpresumably +unpresumed +unpresuming +unpresumingness +unpresumptive +unpresumptively +unpresumptuous +unpresumptuously +unpresumptuousness +unpresupposed +unpretended +unpretending +unpretendingly +unpretendingness +unpretentious +unpretentiously +unpretentiousness +unpretermitted +unpreternatural +unpreternaturally +unpretty +unprettified +unprettily +unprettiness +unprevailing +unprevalence +unprevalent +unprevalently +unprevaricating +unpreventability +unpreventable +unpreventableness +unpreventably +unpreventative +unprevented +unpreventible +unpreventive +unpreventively +unpreventiveness +unpreviewed +unpriceably +unpriced +unpricked +unprickled +unprickly +unprideful +unpridefully +unpriest +unpriestly +unpriestlike +unpriggish +unprying +unprim +unprime +unprimed +unprimitive +unprimitively +unprimitiveness +unprimitivistic +unprimly +unprimmed +unprimness +unprince +unprincely +unprincelike +unprinceliness +unprincess +unprincipal +unprinciple +unprincipled +unprincipledly +unprincipledness +unprint +unprintable +unprintableness +unprintably +unprinted +unpriority +unprismatic +unprismatical +unprismatically +unprison +unprisonable +unprisoned +unprivate +unprivately +unprivateness +unprivileged +unprizable +unprized +unprobable +unprobably +unprobated +unprobational +unprobationary +unprobative +unprobed +unprobity +unproblematic +unproblematical +unproblematically +unprocessed +unprocessional +unproclaimed +unprocrastinated +unprocreant +unprocreate +unprocreated +unproctored +unprocurable +unprocurableness +unprocure +unprocured +unprodded +unproded +unprodigious +unprodigiously +unprodigiousness +unproduceable +unproduceableness +unproduceably +unproduced +unproducedness +unproducible +unproducibleness +unproducibly +unproductive +unproductively +unproductiveness +unproductivity +unprofanable +unprofane +unprofaned +unprofanely +unprofaneness +unprofessed +unprofessing +unprofessional +unprofessionalism +unprofessionally +unprofessionalness +unprofessorial +unprofessorially +unproffered +unproficiency +unproficient +unproficiently +unprofit +unprofitability +unprofitable +unprofitableness +unprofitably +unprofited +unprofiteering +unprofiting +unprofound +unprofoundly +unprofoundness +unprofundity +unprofuse +unprofusely +unprofuseness +unprognosticated +unprognosticative +unprogrammatic +unprogressed +unprogressive +unprogressively +unprogressiveness +unprohibited +unprohibitedness +unprohibitive +unprohibitively +unprojected +unprojecting +unprojective +unproliferous +unprolific +unprolifically +unprolificness +unprolifiness +unprolix +unprologued +unprolongable +unprolonged +unpromiscuous +unpromiscuously +unpromiscuousness +unpromise +unpromised +unpromising +unpromisingly +unpromisingness +unpromotable +unpromoted +unpromotional +unpromotive +unprompt +unprompted +unpromptly +unpromptness +unpromulgated +unpronounce +unpronounceable +unpronounced +unpronouncing +unproofread +unprop +unpropagable +unpropagandistic +unpropagated +unpropagative +unpropelled +unpropellent +unpropense +unproper +unproperly +unproperness +unpropertied +unprophesiable +unprophesied +unprophetic +unprophetical +unprophetically +unprophetlike +unpropice +unpropitiable +unpropitiated +unpropitiatedness +unpropitiating +unpropitiative +unpropitiatory +unpropitious +unpropitiously +unpropitiousness +unproportion +unproportionable +unproportionableness +unproportionably +unproportional +unproportionality +unproportionally +unproportionate +unproportionately +unproportionateness +unproportioned +unproportionedly +unproportionedness +unproposable +unproposed +unproposing +unpropounded +unpropped +unpropriety +unprorogued +unprosaic +unprosaical +unprosaically +unprosaicness +unproscribable +unproscribed +unproscriptive +unproscriptively +unprosecutable +unprosecuted +unprosecuting +unproselyte +unproselyted +unprosodic +unprospected +unprospective +unprosperably +unprospered +unprospering +unprosperity +unprosperous +unprosperously +unprosperousness +unprostitute +unprostituted +unprostrated +unprotect +unprotectable +unprotected +unprotectedly +unprotectedness +unprotecting +unprotection +unprotective +unprotectively +unprotestant +unprotestantize +unprotested +unprotesting +unprotestingly +unprotracted +unprotractive +unprotruded +unprotrudent +unprotruding +unprotrusible +unprotrusive +unprotrusively +unprotuberant +unprotuberantly +unproud +unproudly +unprovability +unprovable +unprovableness +unprovably +unproved +unprovedness +unproven +unproverbial +unproverbially +unprovidable +unprovide +unprovided +unprovidedly +unprovidedness +unprovidenced +unprovident +unprovidential +unprovidentially +unprovidently +unproviding +unprovincial +unprovincialism +unprovincially +unproving +unprovised +unprovisedly +unprovision +unprovisional +unprovisioned +unprovocative +unprovocatively +unprovocativeness +unprovokable +unprovoke +unprovoked +unprovokedly +unprovokedness +unprovoking +unprovokingly +unprowling +unproximity +unprudence +unprudent +unprudential +unprudentially +unprudently +unprunable +unpruned +unpsychic +unpsychically +unpsychological +unpsychologically +unpsychopathic +unpsychotic +unpublic +unpublicity +unpublicized +unpublicly +unpublishable +unpublishableness +unpublishably +unpublished +unpucker +unpuckered +unpuckering +unpuckers +unpuddled +unpuff +unpuffed +unpuffing +unpugilistic +unpugnacious +unpugnaciously +unpugnaciousness +unpulled +unpulleyed +unpulped +unpulsating +unpulsative +unpulverable +unpulverised +unpulverize +unpulverized +unpulvinate +unpulvinated +unpumicated +unpummeled +unpummelled +unpumpable +unpumped +unpunched +unpunctate +unpunctated +unpunctilious +unpunctiliously +unpunctiliousness +unpunctual +unpunctuality +unpunctually +unpunctualness +unpunctuated +unpunctuating +unpunctured +unpunishable +unpunishably +unpunished +unpunishedly +unpunishedness +unpunishing +unpunishingly +unpunitive +unpurchasable +unpurchased +unpure +unpured +unpurely +unpureness +unpurgative +unpurgatively +unpurgeable +unpurged +unpurifiable +unpurified +unpurifying +unpuristic +unpuritan +unpuritanic +unpuritanical +unpuritanically +unpurled +unpurloined +unpurpled +unpurported +unpurposed +unpurposely +unpurposelike +unpurposing +unpurposive +unpurse +unpursed +unpursuable +unpursuant +unpursued +unpursuing +unpurveyed +unpushed +unput +unputative +unputatively +unputrefiable +unputrefied +unputrid +unputridity +unputridly +unputridness +unputtied +unpuzzle +unpuzzled +unpuzzles +unpuzzling +unquadded +unquaffed +unquayed +unquailed +unquailing +unquailingly +unquakerly +unquakerlike +unquaking +unqualify +unqualifiable +unqualification +unqualified +unqualifiedly +unqualifiedness +unqualifying +unqualifyingly +unquality +unqualitied +unquantified +unquantitative +unquarantined +unquarreled +unquarreling +unquarrelled +unquarrelling +unquarrelsome +unquarried +unquartered +unquashed +unquavering +unqueen +unqueened +unqueening +unqueenly +unqueenlike +unquellable +unquelled +unqueme +unquemely +unquenchable +unquenchableness +unquenchably +unquenched +unqueried +unquert +unquerulous +unquerulously +unquerulousness +unquested +unquestionability +unquestionable +unquestionableness +unquestionably +unquestionate +unquestioned +unquestionedly +unquestionedness +unquestioning +unquestioningly +unquestioningness +unquibbled +unquibbling +unquick +unquickened +unquickly +unquickness +unquicksilvered +unquiescence +unquiescent +unquiescently +unquiet +unquietable +unquieted +unquieter +unquietest +unquieting +unquietly +unquietness +unquietous +unquiets +unquietude +unquilleted +unquilted +unquit +unquittable +unquitted +unquivered +unquivering +unquixotic +unquixotical +unquixotically +unquizzable +unquizzed +unquizzical +unquizzically +unquod +unquotable +unquote +unquoted +unquotes +unquoting +unrabbeted +unrabbinic +unrabbinical +unraced +unrack +unracked +unracking +unradiant +unradiated +unradiative +unradical +unradicalize +unradically +unradioactive +unraffled +unraftered +unray +unraided +unrayed +unrailed +unrailroaded +unrailwayed +unrainy +unraisable +unraiseable +unraised +unrake +unraked +unraking +unrallied +unrallying +unram +unrambling +unramified +unrammed +unramped +unranched +unrancid +unrancored +unrancorous +unrancoured +unrancourous +unrandom +unranging +unrank +unranked +unrankled +unransacked +unransomable +unransomed +unranting +unrapacious +unrapaciously +unrapaciousness +unraped +unraptured +unrapturous +unrapturously +unrapturousness +unrare +unrarefied +unrash +unrashly +unrashness +unrasped +unraspy +unrasping +unratable +unrated +unratified +unrationable +unrational +unrationalised +unrationalising +unrationalized +unrationalizing +unrationally +unrationed +unrattled +unravaged +unravel +unravelable +unraveled +unraveler +unraveling +unravellable +unravelled +unraveller +unravelling +unravelment +unravels +unraving +unravished +unravishing +unrazed +unrazored +unreachable +unreachableness +unreachably +unreached +unreactionary +unreactive +unread +unreadability +unreadable +unreadableness +unreadably +unready +unreadier +unreadiest +unreadily +unreadiness +unreal +unrealise +unrealised +unrealising +unrealism +unrealist +unrealistic +unrealistically +unreality +unrealities +unrealizability +unrealizable +unrealize +unrealized +unrealizing +unreally +unrealmed +unrealness +unreaped +unreared +unreason +unreasonability +unreasonable +unreasonableness +unreasonably +unreasoned +unreasoning +unreasoningly +unreasoningness +unreasons +unreassuring +unreassuringly +unreave +unreaving +unrebated +unrebel +unrebellious +unrebelliously +unrebelliousness +unrebuffable +unrebuffably +unrebuffed +unrebuilt +unrebukable +unrebukably +unrebukeable +unrebuked +unrebuttable +unrebuttableness +unrebutted +unrecalcitrant +unrecallable +unrecallably +unrecalled +unrecalling +unrecantable +unrecanted +unrecanting +unrecaptured +unreceding +unreceipted +unreceivable +unreceived +unreceiving +unrecent +unreceptant +unreceptive +unreceptively +unreceptiveness +unreceptivity +unrecessive +unrecessively +unrecipient +unreciprocal +unreciprocally +unreciprocated +unreciprocating +unrecitative +unrecited +unrecked +unrecking +unreckingness +unreckless +unreckon +unreckonable +unreckoned +unreclaimable +unreclaimably +unreclaimed +unreclaimedness +unreclaiming +unreclined +unreclining +unrecluse +unreclusive +unrecoded +unrecognisable +unrecognisably +unrecognition +unrecognitory +unrecognizable +unrecognizableness +unrecognizably +unrecognized +unrecognizing +unrecognizingly +unrecoined +unrecollectable +unrecollected +unrecollective +unrecommendable +unrecommended +unrecompensable +unrecompensed +unreconcilable +unreconcilableness +unreconcilably +unreconciled +unreconciling +unrecondite +unreconnoitered +unreconnoitred +unreconsidered +unreconstructed +unreconstructible +unrecordable +unrecorded +unrecordedness +unrecording +unrecountable +unrecounted +unrecoverable +unrecoverableness +unrecoverably +unrecovered +unrecreant +unrecreated +unrecreating +unrecreational +unrecriminative +unrecruitable +unrecruited +unrectangular +unrectangularly +unrectifiable +unrectifiably +unrectified +unrecumbent +unrecumbently +unrecuperated +unrecuperatiness +unrecuperative +unrecuperativeness +unrecuperatory +unrecuring +unrecurrent +unrecurrently +unrecurring +unrecusant +unred +unredacted +unredeemable +unredeemableness +unredeemably +unredeemed +unredeemedly +unredeemedness +unredeeming +unredemptive +unredressable +unredressed +unreduceable +unreduced +unreducible +unreducibleness +unreducibly +unreduct +unreefed +unreel +unreelable +unreeled +unreeler +unreelers +unreeling +unreels +unreeve +unreeved +unreeves +unreeving +unreferenced +unreferred +unrefilled +unrefine +unrefined +unrefinedly +unrefinedness +unrefinement +unrefining +unrefitted +unreflected +unreflecting +unreflectingly +unreflectingness +unreflective +unreflectively +unreformable +unreformative +unreformed +unreformedness +unreforming +unrefracted +unrefracting +unrefractive +unrefractively +unrefractiveness +unrefractory +unrefrainable +unrefrained +unrefraining +unrefrangible +unrefreshed +unrefreshful +unrefreshing +unrefreshingly +unrefrigerated +unrefulgent +unrefulgently +unrefundable +unrefunded +unrefunding +unrefusable +unrefusably +unrefused +unrefusing +unrefusingly +unrefutability +unrefutable +unrefutably +unrefuted +unrefuting +unregainable +unregained +unregal +unregaled +unregality +unregally +unregard +unregardable +unregardant +unregarded +unregardedly +unregardful +unregenerable +unregeneracy +unregenerate +unregenerated +unregenerately +unregenerateness +unregenerating +unregeneration +unregenerative +unregimental +unregimentally +unregimented +unregistered +unregistrable +unregressive +unregressively +unregressiveness +unregretful +unregretfully +unregretfulness +unregrettable +unregrettably +unregretted +unregretting +unregulable +unregular +unregularised +unregularized +unregulated +unregulative +unregulatory +unregurgitated +unrehabilitated +unrehearsable +unrehearsed +unrehearsing +unreigning +unreimbodied +unrein +unreined +unreinforced +unreinstated +unreiterable +unreiterated +unreiterating +unreiterative +unrejectable +unrejected +unrejective +unrejoiced +unrejoicing +unrejuvenated +unrejuvenating +unrelayed +unrelapsing +unrelatable +unrelated +unrelatedness +unrelating +unrelational +unrelative +unrelatively +unrelativistic +unrelaxable +unrelaxed +unrelaxing +unrelaxingly +unreleasable +unreleased +unreleasible +unreleasing +unrelegable +unrelegated +unrelentable +unrelentance +unrelented +unrelenting +unrelentingly +unrelentingness +unrelentless +unrelentor +unrelevant +unrelevantly +unreliability +unreliable +unreliableness +unreliably +unreliance +unreliant +unrelievability +unrelievable +unrelievableness +unrelieved +unrelievedly +unrelievedness +unrelieving +unreligion +unreligioned +unreligious +unreligiously +unreligiousness +unrelinquishable +unrelinquishably +unrelinquished +unrelinquishing +unrelishable +unrelished +unrelishing +unreluctance +unreluctant +unreluctantly +unremaining +unremanded +unremarkable +unremarkableness +unremarked +unremarking +unremarried +unremediable +unremedied +unremember +unrememberable +unremembered +unremembering +unremembrance +unreminded +unreminiscent +unreminiscently +unremissible +unremissive +unremittable +unremitted +unremittedly +unremittence +unremittency +unremittent +unremittently +unremitting +unremittingly +unremittingness +unremonstrant +unremonstrated +unremonstrating +unremonstrative +unremorseful +unremorsefully +unremorsefulness +unremote +unremotely +unremoteness +unremounted +unremovable +unremovableness +unremovably +unremoved +unremunerated +unremunerating +unremunerative +unremuneratively +unremunerativeness +unrenderable +unrendered +unrenewable +unrenewed +unrenounceable +unrenounced +unrenouncing +unrenovated +unrenovative +unrenowned +unrenownedly +unrenownedness +unrent +unrentable +unrented +unrenunciable +unrenunciative +unrenunciatory +unreorganised +unreorganized +unrepayable +unrepaid +unrepair +unrepairable +unrepaired +unrepairs +unrepartable +unreparted +unrepealability +unrepealable +unrepealableness +unrepealably +unrepealed +unrepeatable +unrepeated +unrepellable +unrepelled +unrepellent +unrepellently +unrepent +unrepentable +unrepentance +unrepentant +unrepentantly +unrepentantness +unrepented +unrepenting +unrepentingly +unrepentingness +unrepetitious +unrepetitiously +unrepetitiousness +unrepetitive +unrepetitively +unrepined +unrepining +unrepiningly +unrepiqued +unreplaceable +unreplaced +unrepleness +unreplenished +unreplete +unrepleteness +unrepleviable +unreplevinable +unreplevined +unreplevisable +unrepliable +unrepliably +unreplied +unreplying +unreportable +unreported +unreportedly +unreportedness +unreportorial +unrepose +unreposed +unreposeful +unreposefully +unreposefulness +unreposing +unrepossessed +unreprehended +unreprehensible +unreprehensibleness +unreprehensibly +unrepreseed +unrepresentable +unrepresentation +unrepresentational +unrepresentative +unrepresentatively +unrepresentativeness +unrepresented +unrepresentedness +unrepressed +unrepressible +unrepression +unrepressive +unrepressively +unrepressiveness +unreprievable +unreprievably +unreprieved +unreprimanded +unreprimanding +unreprinted +unreproachable +unreproachableness +unreproachably +unreproached +unreproachful +unreproachfully +unreproachfulness +unreproaching +unreproachingly +unreprobated +unreprobative +unreprobatively +unreproduced +unreproducible +unreproductive +unreproductively +unreproductiveness +unreprovable +unreprovableness +unreprovably +unreproved +unreprovedly +unreprovedness +unreproving +unrepublican +unrepudiable +unrepudiated +unrepudiative +unrepugnable +unrepugnant +unrepugnantly +unrepulsable +unrepulsed +unrepulsing +unrepulsive +unrepulsively +unrepulsiveness +unreputable +unreputed +unrequalified +unrequest +unrequested +unrequickened +unrequired +unrequisite +unrequisitely +unrequisiteness +unrequisitioned +unrequitable +unrequital +unrequited +unrequitedly +unrequitedness +unrequitement +unrequiter +unrequiting +unrescinded +unrescissable +unrescissory +unrescuable +unrescued +unresearched +unresemblance +unresemblant +unresembling +unresented +unresentful +unresentfully +unresentfulness +unresenting +unreserve +unreserved +unreservedly +unreservedness +unresident +unresidential +unresidual +unresifted +unresigned +unresignedly +unresilient +unresiliently +unresinous +unresistable +unresistably +unresistance +unresistant +unresistantly +unresisted +unresistedly +unresistedness +unresistible +unresistibleness +unresistibly +unresisting +unresistingly +unresistingness +unresistive +unresolute +unresolutely +unresoluteness +unresolvable +unresolve +unresolved +unresolvedly +unresolvedness +unresolving +unresonant +unresonantly +unresonating +unresounded +unresounding +unresourceful +unresourcefully +unresourcefulness +unrespect +unrespectability +unrespectable +unrespectably +unrespected +unrespectful +unrespectfully +unrespectfulness +unrespective +unrespectively +unrespectiveness +unrespirable +unrespired +unrespited +unresplendent +unresplendently +unresponding +unresponsal +unresponsible +unresponsibleness +unresponsibly +unresponsive +unresponsively +unresponsiveness +unrest +unrestable +unrested +unrestful +unrestfully +unrestfulness +unresty +unresting +unrestingly +unrestingness +unrestitutive +unrestorable +unrestorableness +unrestorative +unrestored +unrestrainable +unrestrainably +unrestrained +unrestrainedly +unrestrainedness +unrestraint +unrestrictable +unrestricted +unrestrictedly +unrestrictedness +unrestriction +unrestrictive +unrestrictively +unrests +unresultive +unresumed +unresumptive +unresurrected +unresuscitable +unresuscitated +unresuscitating +unresuscitative +unretainable +unretained +unretaining +unretaliated +unretaliating +unretaliative +unretaliatory +unretardable +unretarded +unretentive +unretentively +unretentiveness +unreticence +unreticent +unreticently +unretinued +unretired +unretiring +unretorted +unretouched +unretractable +unretracted +unretractive +unretreated +unretreating +unretrenchable +unretrenched +unretributive +unretributory +unretrievable +unretrieved +unretrievingly +unretroactive +unretroactively +unretrograded +unretrograding +unretrogressive +unretrogressively +unretted +unreturnable +unreturnableness +unreturnably +unreturned +unreturning +unreturningly +unrevealable +unrevealed +unrevealedness +unrevealing +unrevealingly +unrevelational +unrevelationize +unreveling +unrevelling +unrevenged +unrevengeful +unrevengefully +unrevengefulness +unrevenging +unrevengingly +unrevenue +unrevenued +unreverberant +unreverberated +unreverberating +unreverberative +unrevered +unreverence +unreverenced +unreverend +unreverendly +unreverent +unreverential +unreverentially +unreverently +unreverentness +unreversable +unreversed +unreversible +unreversibleness +unreversibly +unreverted +unrevertible +unreverting +unrevested +unrevetted +unreviewable +unreviewed +unreviled +unreviling +unrevised +unrevivable +unrevived +unrevocable +unrevocableness +unrevocably +unrevokable +unrevoked +unrevolted +unrevolting +unrevolutionary +unrevolutionized +unrevolved +unrevolving +unrewardable +unrewarded +unrewardedly +unrewarding +unrewardingly +unreworded +unrhapsodic +unrhapsodical +unrhapsodically +unrhetorical +unrhetorically +unrhetoricalness +unrheumatic +unrhyme +unrhymed +unrhyming +unrhythmic +unrhythmical +unrhythmically +unribbed +unribboned +unrich +unriched +unricht +unricked +unrid +unridable +unridableness +unridably +unridden +unriddle +unriddleable +unriddled +unriddler +unriddles +unriddling +unride +unridely +unridered +unridged +unridiculed +unridiculous +unridiculously +unridiculousness +unrife +unriffled +unrifled +unrifted +unrig +unrigged +unrigging +unright +unrightable +unrighted +unrighteous +unrighteously +unrighteousness +unrightful +unrightfully +unrightfulness +unrightly +unrightwise +unrigid +unrigidly +unrigidness +unrigorous +unrigorously +unrigorousness +unrigs +unrimed +unrimpled +unrind +unring +unringable +unringed +unringing +unrinsed +unrioted +unrioting +unriotous +unriotously +unriotousness +unrip +unripe +unriped +unripely +unripened +unripeness +unripening +unriper +unripest +unrippable +unripped +unripping +unrippled +unrippling +unripplingly +unrips +unrisen +unrisible +unrising +unriskable +unrisked +unrisky +unritual +unritualistic +unritually +unrivalable +unrivaled +unrivaledly +unrivaledness +unrivaling +unrivalled +unrivalledly +unrivalling +unrivalrous +unrived +unriven +unrivet +unriveted +unriveting +unroaded +unroadworthy +unroaming +unroast +unroasted +unrobbed +unrobe +unrobed +unrobes +unrobing +unrobust +unrobustly +unrobustness +unrocked +unrocky +unrococo +unrodded +unroyal +unroyalist +unroyalized +unroyally +unroyalness +unroiled +unroll +unrollable +unrolled +unroller +unrolling +unrollment +unrolls +unromantic +unromantical +unromantically +unromanticalness +unromanticised +unromanticism +unromanticized +unroof +unroofed +unroofing +unroofs +unroomy +unroost +unroosted +unroosting +unroot +unrooted +unrooting +unroots +unrope +unroped +unrosed +unrosined +unrostrated +unrotary +unrotated +unrotating +unrotational +unrotative +unrotatory +unroted +unrotted +unrotten +unrotund +unrouged +unrough +unroughened +unround +unrounded +unrounding +unrounds +unrousable +unroused +unrousing +unrout +unroutable +unrouted +unroutine +unroutinely +unrove +unroved +unroven +unroving +unrow +unrowdy +unrowed +unroweled +unrowelled +unrra +unrrove +unrubbed +unrubbish +unrubified +unrubrical +unrubrically +unrubricated +unruddered +unruddled +unrude +unrudely +unrued +unrueful +unruefully +unruefulness +unrufe +unruffable +unruffed +unruffle +unruffled +unruffledness +unruffling +unrugged +unruinable +unruinated +unruined +unruinous +unruinously +unruinousness +unrulable +unrulableness +unrule +unruled +unruledly +unruledness +unruleful +unruly +unrulier +unruliest +unrulily +unruliment +unruliness +unruminant +unruminated +unruminating +unruminatingly +unruminative +unrummaged +unrumored +unrumoured +unrumple +unrumpled +unrun +unrung +unrupturable +unruptured +unrural +unrurally +unrushed +unrushing +unrussian +unrust +unrusted +unrustic +unrustically +unrusticated +unrustling +unruth +uns +unsabbatical +unsabered +unsabled +unsabotaged +unsabred +unsaccharic +unsaccharine +unsacerdotal +unsacerdotally +unsack +unsacked +unsacrament +unsacramental +unsacramentally +unsacramentarian +unsacred +unsacredly +unsacredness +unsacrificeable +unsacrificeably +unsacrificed +unsacrificial +unsacrificially +unsacrificing +unsacrilegious +unsacrilegiously +unsacrilegiousness +unsad +unsadden +unsaddened +unsaddle +unsaddled +unsaddles +unsaddling +unsadistic +unsadistically +unsadly +unsadness +unsafe +unsafeguarded +unsafely +unsafeness +unsafer +unsafest +unsafety +unsafetied +unsafeties +unsagacious +unsagaciously +unsagaciousness +unsage +unsagely +unsageness +unsagging +unsay +unsayability +unsayable +unsaid +unsaying +unsailable +unsailed +unsailorlike +unsaint +unsainted +unsaintly +unsaintlike +unsaintliness +unsays +unsaked +unsalability +unsalable +unsalableness +unsalably +unsalacious +unsalaciously +unsalaciousness +unsalaried +unsaleable +unsaleably +unsalesmanlike +unsalient +unsaliently +unsaline +unsalivated +unsalivating +unsallying +unsallow +unsallowness +unsalmonlike +unsalness +unsalt +unsaltable +unsaltatory +unsaltatorial +unsalted +unsalty +unsalubrious +unsalubriously +unsalubriousness +unsalutary +unsalutariness +unsalutatory +unsaluted +unsaluting +unsalvability +unsalvable +unsalvableness +unsalvably +unsalvageability +unsalvageable +unsalvageably +unsalvaged +unsalved +unsame +unsameness +unsampled +unsanctify +unsanctification +unsanctified +unsanctifiedly +unsanctifiedness +unsanctifying +unsanctimonious +unsanctimoniously +unsanctimoniousness +unsanction +unsanctionable +unsanctioned +unsanctioning +unsanctity +unsanctitude +unsanctuaried +unsandaled +unsandalled +unsanded +unsane +unsaneness +unsanguinary +unsanguinarily +unsanguinariness +unsanguine +unsanguinely +unsanguineness +unsanguineous +unsanguineously +unsanitary +unsanitariness +unsanitated +unsanitation +unsanity +unsanitized +unsapient +unsapiential +unsapientially +unsapiently +unsaponifiable +unsaponified +unsapped +unsappy +unsarcastic +unsarcastical +unsarcastically +unsardonic +unsardonically +unsartorial +unsartorially +unsash +unsashed +unsatable +unsatanic +unsatanical +unsatanically +unsatcheled +unsated +unsatedly +unsatedness +unsatiability +unsatiable +unsatiableness +unsatiably +unsatiate +unsatiated +unsatiating +unsatin +unsating +unsatire +unsatiric +unsatirical +unsatirically +unsatiricalness +unsatirisable +unsatirised +unsatirizable +unsatirize +unsatirized +unsatyrlike +unsatisfaction +unsatisfactory +unsatisfactorily +unsatisfactoriness +unsatisfy +unsatisfiability +unsatisfiable +unsatisfiableness +unsatisfiably +unsatisfied +unsatisfiedly +unsatisfiedness +unsatisfying +unsatisfyingly +unsatisfyingness +unsaturable +unsaturate +unsaturated +unsaturatedly +unsaturatedness +unsaturates +unsaturation +unsauced +unsaught +unsaurian +unsavable +unsavage +unsavagely +unsavageness +unsaveable +unsaved +unsaving +unsavingly +unsavor +unsavored +unsavoredly +unsavoredness +unsavory +unsavorily +unsavoriness +unsavorly +unsavoured +unsavoury +unsavourily +unsavouriness +unsawed +unsawn +unscabbard +unscabbarded +unscabbed +unscabrous +unscabrously +unscabrousness +unscaffolded +unscalable +unscalableness +unscalably +unscalded +unscalding +unscale +unscaled +unscaledness +unscaly +unscaling +unscalloped +unscamped +unscandalised +unscandalize +unscandalized +unscandalous +unscandalously +unscannable +unscanned +unscanted +unscanty +unscapable +unscarb +unscarce +unscarcely +unscarceness +unscared +unscarfed +unscarified +unscarred +unscarved +unscathed +unscathedly +unscathedness +unscattered +unscavenged +unscavengered +unscenic +unscenically +unscent +unscented +unscepter +unsceptered +unsceptical +unsceptically +unsceptre +unsceptred +unscheduled +unschematic +unschematically +unschematised +unschematized +unschemed +unscheming +unschismatic +unschismatical +unschizoid +unschizophrenic +unscholar +unscholarly +unscholarlike +unscholarliness +unscholastic +unscholastically +unschool +unschooled +unschooledly +unschooledness +unscience +unscienced +unscientific +unscientifical +unscientifically +unscientificness +unscintillant +unscintillating +unscioned +unscissored +unscoffed +unscoffing +unscolded +unscolding +unsconced +unscooped +unscorched +unscorching +unscored +unscorified +unscoring +unscorned +unscornful +unscornfully +unscornfulness +unscotch +unscotched +unscottify +unscoured +unscourged +unscourging +unscouring +unscowling +unscowlingly +unscramble +unscrambled +unscrambler +unscrambles +unscrambling +unscraped +unscraping +unscratchable +unscratched +unscratching +unscratchingly +unscrawled +unscrawling +unscreen +unscreenable +unscreenably +unscreened +unscrew +unscrewable +unscrewed +unscrewing +unscrews +unscribal +unscribbled +unscribed +unscrimped +unscripted +unscriptural +unscripturally +unscripturalness +unscrubbed +unscrupled +unscrupulosity +unscrupulous +unscrupulously +unscrupulousness +unscrutable +unscrutinised +unscrutinising +unscrutinisingly +unscrutinized +unscrutinizing +unscrutinizingly +unsculptural +unsculptured +unscummed +unscutcheoned +unseafaring +unseal +unsealable +unsealed +unsealer +unsealing +unseals +unseam +unseamanlike +unseamanship +unseamed +unseaming +unseams +unsearchable +unsearchableness +unsearchably +unsearched +unsearcherlike +unsearching +unsearchingly +unseared +unseason +unseasonable +unseasonableness +unseasonably +unseasoned +unseat +unseated +unseating +unseats +unseaworthy +unseaworthiness +unseceded +unseceding +unsecluded +unsecludedly +unsecluding +unseclusive +unseclusively +unseclusiveness +unseconded +unsecrecy +unsecret +unsecretarial +unsecretarylike +unsecreted +unsecreting +unsecretive +unsecretively +unsecretiveness +unsecretly +unsecretness +unsectarian +unsectarianism +unsectarianize +unsectarianized +unsectarianizing +unsectional +unsectionalised +unsectionalized +unsectionally +unsectioned +unsecular +unsecularised +unsecularize +unsecularized +unsecularly +unsecurable +unsecurableness +unsecure +unsecured +unsecuredly +unsecuredness +unsecurely +unsecureness +unsecurity +unsedate +unsedately +unsedateness +unsedative +unsedentary +unsedimental +unsedimentally +unseditious +unseditiously +unseditiousness +unseduce +unseduceability +unseduceable +unseduced +unseducible +unseducibleness +unseducibly +unseductive +unseductively +unseductiveness +unsedulous +unsedulously +unsedulousness +unsee +unseeable +unseeableness +unseeded +unseeding +unseeing +unseeingly +unseeingness +unseeking +unseel +unseely +unseeliness +unseeming +unseemingly +unseemly +unseemlier +unseemliest +unseemlily +unseemliness +unseen +unseethed +unseething +unsegmental +unsegmentally +unsegmentary +unsegmented +unsegregable +unsegregated +unsegregatedness +unsegregating +unsegregational +unsegregative +unseignioral +unseignorial +unseismal +unseismic +unseizable +unseize +unseized +unseldom +unselect +unselected +unselecting +unselective +unselectiveness +unself +unselfassured +unselfconfident +unselfconscious +unselfconsciously +unselfconsciousness +unselfish +unselfishly +unselfishness +unselflike +unselfness +unselfreliant +unsely +unseliness +unsell +unselling +unselth +unseminared +unsenatorial +unsenescent +unsenile +unsensate +unsensational +unsensationally +unsense +unsensed +unsensibility +unsensible +unsensibleness +unsensibly +unsensing +unsensitise +unsensitised +unsensitising +unsensitive +unsensitively +unsensitiveness +unsensitize +unsensitized +unsensitizing +unsensory +unsensual +unsensualised +unsensualistic +unsensualize +unsensualized +unsensually +unsensuous +unsensuously +unsensuousness +unsent +unsentenced +unsententious +unsententiously +unsententiousness +unsentient +unsentiently +unsentimental +unsentimentalised +unsentimentalist +unsentimentality +unsentimentalize +unsentimentalized +unsentimentally +unsentineled +unsentinelled +unseparable +unseparableness +unseparably +unseparate +unseparated +unseparately +unseparateness +unseparating +unseparative +unseptate +unseptated +unsepulcher +unsepulchered +unsepulchral +unsepulchrally +unsepulchre +unsepulchred +unsepulchring +unsepultured +unsequenced +unsequent +unsequential +unsequentially +unsequestered +unseraphic +unseraphical +unseraphically +unsere +unserenaded +unserene +unserenely +unsereneness +unserflike +unserialised +unserialized +unserious +unseriously +unseriousness +unserrate +unserrated +unserried +unservable +unserved +unservice +unserviceability +unserviceable +unserviceableness +unserviceably +unserviced +unservicelike +unservile +unservilely +unserving +unsesquipedalian +unset +unsets +unsetting +unsettle +unsettleable +unsettled +unsettledness +unsettlement +unsettles +unsettling +unsettlingly +unseven +unseverable +unseverableness +unsevere +unsevered +unseveredly +unseveredness +unseverely +unsevereness +unsew +unsewed +unsewered +unsewing +unsewn +unsews +unsex +unsexed +unsexes +unsexing +unsexlike +unsexual +unsexually +unshabby +unshabbily +unshackle +unshackled +unshackles +unshackling +unshade +unshaded +unshady +unshadily +unshadiness +unshading +unshadow +unshadowable +unshadowed +unshafted +unshakable +unshakableness +unshakably +unshakeable +unshakeably +unshaked +unshaken +unshakenly +unshakenness +unshaky +unshakiness +unshaking +unshakingness +unshale +unshaled +unshamable +unshamableness +unshamably +unshameable +unshameableness +unshameably +unshamed +unshamefaced +unshamefacedness +unshameful +unshamefully +unshamefulness +unshammed +unshanked +unshapable +unshape +unshapeable +unshaped +unshapedness +unshapely +unshapeliness +unshapen +unshapenly +unshapenness +unshaping +unsharable +unshareable +unshared +unsharedness +unsharing +unsharp +unsharped +unsharpen +unsharpened +unsharpening +unsharping +unsharply +unsharpness +unshatterable +unshattered +unshavable +unshave +unshaveable +unshaved +unshavedly +unshavedness +unshaven +unshavenly +unshavenness +unshawl +unsheaf +unsheared +unsheathe +unsheathed +unsheathes +unsheathing +unshed +unshedding +unsheer +unsheerness +unsheet +unsheeted +unsheeting +unshell +unshelled +unshelling +unshells +unshelterable +unsheltered +unsheltering +unshelve +unshelved +unshent +unshepherded +unshepherding +unsheriff +unshewed +unshy +unshieldable +unshielded +unshielding +unshift +unshiftable +unshifted +unshifty +unshiftiness +unshifting +unshifts +unshyly +unshimmering +unshimmeringly +unshined +unshyness +unshingled +unshiny +unshining +unship +unshiplike +unshipment +unshippable +unshipped +unshipping +unships +unshipshape +unshipwrecked +unshirked +unshirking +unshirred +unshirted +unshivered +unshivering +unshness +unshockability +unshockable +unshocked +unshocking +unshod +unshodden +unshoe +unshoed +unshoeing +unshook +unshop +unshore +unshored +unshorn +unshort +unshorten +unshortened +unshot +unshotted +unshoulder +unshout +unshouted +unshouting +unshoved +unshoveled +unshovelled +unshowable +unshowed +unshowered +unshowering +unshowy +unshowily +unshowiness +unshowmanlike +unshown +unshredded +unshrew +unshrewd +unshrewdly +unshrewdness +unshrewish +unshrill +unshrine +unshrined +unshrinement +unshrink +unshrinkability +unshrinkable +unshrinking +unshrinkingly +unshrinkingness +unshrived +unshriveled +unshrivelled +unshriven +unshroud +unshrouded +unshrubbed +unshrugging +unshrunk +unshrunken +unshuddering +unshuffle +unshuffled +unshunnable +unshunned +unshunning +unshunted +unshut +unshutter +unshuttered +unsibilant +unsiccated +unsiccative +unsick +unsickened +unsicker +unsickered +unsickerly +unsickerness +unsickled +unsickly +unsided +unsidereal +unsiding +unsidling +unsiege +unsieged +unsieved +unsifted +unsighing +unsight +unsightable +unsighted +unsightedly +unsighting +unsightless +unsightly +unsightlier +unsightliest +unsightliness +unsights +unsigmatic +unsignable +unsignaled +unsignalised +unsignalized +unsignalled +unsignatured +unsigned +unsigneted +unsignifiable +unsignificancy +unsignificant +unsignificantly +unsignificative +unsignified +unsignifying +unsilenceable +unsilenceably +unsilenced +unsilent +unsilentious +unsilently +unsilhouetted +unsilicated +unsilicified +unsyllabic +unsyllabicated +unsyllabified +unsyllabled +unsilly +unsyllogistic +unsyllogistical +unsyllogistically +unsilvered +unsymbolic +unsymbolical +unsymbolically +unsymbolicalness +unsymbolised +unsymbolized +unsimilar +unsimilarity +unsimilarly +unsimmered +unsimmering +unsymmetry +unsymmetric +unsymmetrical +unsymmetrically +unsymmetricalness +unsymmetrized +unsympathetic +unsympathetically +unsympatheticness +unsympathy +unsympathised +unsympathising +unsympathisingly +unsympathizability +unsympathizable +unsympathized +unsympathizing +unsympathizingly +unsimpering +unsymphonious +unsymphoniously +unsimple +unsimpleness +unsimply +unsimplicity +unsimplify +unsimplified +unsimplifying +unsymptomatic +unsymptomatical +unsymptomatically +unsimular +unsimulated +unsimulating +unsimulative +unsimultaneous +unsimultaneously +unsimultaneousness +unsin +unsincere +unsincerely +unsincereness +unsincerity +unsynchronised +unsynchronized +unsynchronous +unsynchronously +unsynchronousness +unsyncopated +unsyndicated +unsinew +unsinewed +unsinewy +unsinewing +unsinful +unsinfully +unsinfulness +unsing +unsingability +unsingable +unsingableness +unsinged +unsingle +unsingled +unsingleness +unsingular +unsingularly +unsingularness +unsinister +unsinisterly +unsinisterness +unsinkability +unsinkable +unsinking +unsinnable +unsinning +unsinningness +unsynonymous +unsynonymously +unsyntactic +unsyntactical +unsyntactically +unsynthesised +unsynthesized +unsynthetic +unsynthetically +unsyntheticness +unsinuate +unsinuated +unsinuately +unsinuous +unsinuously +unsinuousness +unsiphon +unsipped +unsyringed +unsystematic +unsystematical +unsystematically +unsystematicness +unsystematised +unsystematising +unsystematized +unsystematizedly +unsystematizing +unsystemizable +unsister +unsistered +unsisterly +unsisterliness +unsisting +unsitting +unsittingly +unsituated +unsizable +unsizableness +unsizeable +unsizeableness +unsized +unskaithd +unskaithed +unskeptical +unskeptically +unskepticalness +unsketchable +unsketched +unskewed +unskewered +unskilful +unskilfully +unskilfulness +unskill +unskilled +unskilledly +unskilledness +unskillful +unskillfully +unskillfulness +unskimmed +unskin +unskinned +unskirmished +unskirted +unslack +unslacked +unslackened +unslackening +unslacking +unslagged +unslayable +unslain +unslakable +unslakeable +unslaked +unslammed +unslandered +unslanderous +unslanderously +unslanderousness +unslanted +unslanting +unslapped +unslashed +unslate +unslated +unslating +unslatted +unslaughtered +unslave +unsleaved +unsleek +unsleepably +unsleepy +unsleeping +unsleepingly +unsleeve +unsleeved +unslender +unslept +unsly +unsliced +unslicked +unsliding +unslighted +unslyly +unslim +unslimly +unslimmed +unslimness +unslyness +unsling +unslinging +unslings +unslinking +unslip +unslipped +unslippered +unslippery +unslipping +unslit +unslockened +unslogh +unsloped +unsloping +unslopped +unslot +unslothful +unslothfully +unslothfulness +unslotted +unslouched +unslouchy +unslouching +unsloughed +unsloughing +unslow +unslowed +unslowly +unslowness +unsluggish +unsluggishly +unsluggishness +unsluice +unsluiced +unslumbery +unslumbering +unslumberous +unslumbrous +unslumped +unslumping +unslung +unslurred +unsmacked +unsmart +unsmarting +unsmartly +unsmartness +unsmashed +unsmeared +unsmelled +unsmelling +unsmelted +unsmiled +unsmiling +unsmilingly +unsmilingness +unsmirched +unsmirking +unsmirkingly +unsmitten +unsmocked +unsmokable +unsmokeable +unsmoked +unsmoky +unsmokified +unsmokily +unsmokiness +unsmoking +unsmoldering +unsmooth +unsmoothed +unsmoothened +unsmoothly +unsmoothness +unsmote +unsmotherable +unsmothered +unsmothering +unsmouldering +unsmoulderingly +unsmudged +unsmug +unsmuggled +unsmugly +unsmugness +unsmutched +unsmutted +unsmutty +unsnaffled +unsnagged +unsnaggled +unsnaky +unsnap +unsnapped +unsnapping +unsnaps +unsnare +unsnared +unsnarl +unsnarled +unsnarling +unsnarls +unsnatch +unsnatched +unsneaky +unsneaking +unsneck +unsneering +unsneeringly +unsnib +unsnipped +unsnobbish +unsnobbishly +unsnobbishness +unsnoring +unsnouted +unsnow +unsnubbable +unsnubbed +unsnuffed +unsnug +unsnugly +unsnugness +unsoaked +unsoaped +unsoarable +unsoaring +unsober +unsobered +unsobering +unsoberly +unsoberness +unsobriety +unsociability +unsociable +unsociableness +unsociably +unsocial +unsocialised +unsocialising +unsocialism +unsocialistic +unsociality +unsocializable +unsocialized +unsocializing +unsocially +unsocialness +unsociological +unsociologically +unsocket +unsocketed +unsodden +unsoft +unsoftened +unsoftening +unsoftly +unsoftness +unsoggy +unsoil +unsoiled +unsoiledness +unsoiling +unsolaced +unsolacing +unsolar +unsold +unsolder +unsoldered +unsoldering +unsolders +unsoldier +unsoldiered +unsoldiery +unsoldierly +unsoldierlike +unsole +unsoled +unsolemn +unsolemness +unsolemnified +unsolemnised +unsolemnize +unsolemnized +unsolemnly +unsolemnness +unsolicitated +unsolicited +unsolicitedly +unsolicitous +unsolicitously +unsolicitousness +unsolicitude +unsolid +unsolidarity +unsolidifiable +unsolidified +unsolidity +unsolidly +unsolidness +unsoling +unsolitary +unsolubility +unsoluble +unsolubleness +unsolubly +unsolvable +unsolvableness +unsolvably +unsolve +unsolved +unsomatic +unsomber +unsomberly +unsomberness +unsombre +unsombrely +unsombreness +unsome +unsomnolent +unsomnolently +unson +unsonable +unsonant +unsonantal +unsoncy +unsonlike +unsonneted +unsonorous +unsonorously +unsonorousness +unsonsy +unsonsie +unsoot +unsoothable +unsoothed +unsoothfast +unsoothing +unsoothingly +unsooty +unsophistic +unsophistical +unsophistically +unsophisticate +unsophisticated +unsophisticatedly +unsophisticatedness +unsophistication +unsophomoric +unsophomorical +unsophomorically +unsoporiferous +unsoporiferously +unsoporiferousness +unsoporific +unsordid +unsordidly +unsordidness +unsore +unsorely +unsoreness +unsorry +unsorriness +unsorrowed +unsorrowful +unsorrowing +unsort +unsortable +unsorted +unsorting +unsotted +unsought +unsoul +unsoulful +unsoulfully +unsoulfulness +unsoulish +unsound +unsoundable +unsoundableness +unsounded +unsounder +unsoundest +unsounding +unsoundly +unsoundness +unsour +unsoured +unsourly +unsourness +unsoused +unsovereign +unsowed +unsown +unspaced +unspacious +unspaciously +unspaciousness +unspaded +unspayed +unspan +unspangled +unspanked +unspanned +unspanning +unspar +unsparable +unspared +unsparing +unsparingly +unsparingness +unsparked +unsparkling +unsparred +unsparse +unsparsely +unsparseness +unspasmed +unspasmodic +unspasmodical +unspasmodically +unspatial +unspatiality +unspatially +unspattered +unspawned +unspeak +unspeakability +unspeakable +unspeakableness +unspeakably +unspeaking +unspeaks +unspeared +unspecialised +unspecialising +unspecialized +unspecializing +unspecifiable +unspecific +unspecifically +unspecified +unspecifiedly +unspecifying +unspecious +unspeciously +unspeciousness +unspecked +unspeckled +unspectacled +unspectacular +unspectacularly +unspecterlike +unspectrelike +unspeculating +unspeculative +unspeculatively +unspeculatory +unsped +unspeed +unspeedful +unspeedy +unspeedily +unspeediness +unspeered +unspell +unspellable +unspelled +unspeller +unspelling +unspelt +unspendable +unspending +unspent +unspewed +unsphere +unsphered +unspheres +unspherical +unsphering +unspiable +unspiced +unspicy +unspicily +unspiciness +unspied +unspying +unspike +unspillable +unspilled +unspilt +unspin +unspinnable +unspinning +unspinsterlike +unspinsterlikeness +unspiral +unspiraled +unspiralled +unspirally +unspired +unspiring +unspirit +unspirited +unspiritedly +unspiriting +unspiritual +unspiritualised +unspiritualising +unspirituality +unspiritualize +unspiritualized +unspiritualizing +unspiritually +unspiritualness +unspirituous +unspissated +unspit +unspited +unspiteful +unspitefully +unspitted +unsplayed +unsplashed +unsplattered +unspleened +unspleenish +unspleenishly +unsplendid +unsplendidly +unsplendidness +unsplendorous +unsplendorously +unsplendourous +unsplendourously +unsplenetic +unsplenetically +unspliced +unsplinted +unsplintered +unsplit +unsplittable +unspoil +unspoilable +unspoilableness +unspoilably +unspoiled +unspoiledness +unspoilt +unspoke +unspoken +unspokenly +unsponged +unspongy +unsponsored +unspontaneous +unspontaneously +unspontaneousness +unspookish +unsported +unsportful +unsporting +unsportive +unsportively +unsportiveness +unsportsmanly +unsportsmanlike +unsportsmanlikeness +unsportsmanliness +unspot +unspotlighted +unspottable +unspotted +unspottedly +unspottedness +unspotten +unspoused +unspouselike +unspouted +unsprayable +unsprayed +unsprained +unspread +unspreadable +unspreading +unsprightly +unsprightliness +unspring +unspringing +unspringlike +unsprinkled +unsprinklered +unsprouted +unsproutful +unsprouting +unspruced +unsprung +unspun +unspurious +unspuriously +unspuriousness +unspurned +unspurred +unsputtering +unsquabbling +unsquandered +unsquarable +unsquare +unsquared +unsquashable +unsquashed +unsqueamish +unsqueamishly +unsqueamishness +unsqueezable +unsqueezed +unsquelched +unsquinting +unsquire +unsquired +unsquirelike +unsquirming +unsquirted +unstabbed +unstabilised +unstabilising +unstability +unstabilized +unstabilizing +unstable +unstabled +unstableness +unstabler +unstablest +unstably +unstablished +unstack +unstacked +unstacker +unstacking +unstacks +unstaffed +unstaged +unstaggered +unstaggering +unstagy +unstagily +unstaginess +unstagnant +unstagnantly +unstagnating +unstayable +unstaid +unstaidly +unstaidness +unstayed +unstayedness +unstaying +unstain +unstainable +unstainableness +unstained +unstainedly +unstainedness +unstaled +unstalemated +unstalked +unstalled +unstammering +unstammeringly +unstamped +unstampeded +unstanch +unstanchable +unstanched +unstandard +unstandardisable +unstandardised +unstandardizable +unstandardized +unstanding +unstanzaic +unstapled +unstar +unstarch +unstarched +unstarlike +unstarred +unstarted +unstarting +unstartled +unstartling +unstarved +unstatable +unstate +unstateable +unstated +unstately +unstates +unstatesmanlike +unstatic +unstatical +unstatically +unstating +unstation +unstationary +unstationed +unstatistic +unstatistical +unstatistically +unstatued +unstatuesque +unstatuesquely +unstatuesqueness +unstatutable +unstatutably +unstatutory +unstaunch +unstaunchable +unstaunched +unstavable +unstaveable +unstaved +unsteadfast +unsteadfastly +unsteadfastness +unsteady +unsteadied +unsteadier +unsteadies +unsteadiest +unsteadying +unsteadily +unsteadiness +unstealthy +unstealthily +unstealthiness +unsteamed +unsteaming +unsteck +unstecked +unsteek +unsteel +unsteeled +unsteeling +unsteels +unsteep +unsteeped +unsteepled +unsteered +unstemmable +unstemmed +unstentorian +unstentoriously +unstep +unstepped +unstepping +unsteps +unstercorated +unstereotyped +unsterile +unsterilized +unstern +unsternly +unsternness +unstethoscoped +unstewardlike +unstewed +unsty +unstick +unsticked +unsticky +unsticking +unstickingness +unsticks +unstiff +unstiffen +unstiffened +unstiffly +unstiffness +unstifled +unstifling +unstigmatic +unstigmatised +unstigmatized +unstyled +unstylish +unstylishly +unstylishness +unstylized +unstill +unstilled +unstillness +unstilted +unstimulable +unstimulated +unstimulating +unstimulatingly +unstimulative +unsting +unstinged +unstinging +unstingingly +unstinted +unstintedly +unstinting +unstintingly +unstippled +unstipulated +unstirrable +unstirred +unstirring +unstitch +unstitched +unstitching +unstock +unstocked +unstocking +unstockinged +unstoic +unstoical +unstoically +unstoicize +unstoked +unstoken +unstolen +unstonable +unstone +unstoneable +unstoned +unstony +unstonily +unstoniness +unstooped +unstooping +unstop +unstoppable +unstoppably +unstopped +unstopper +unstoppered +unstopping +unstopple +unstops +unstorable +unstore +unstored +unstoried +unstormable +unstormed +unstormy +unstormily +unstorminess +unstout +unstoutly +unstoutness +unstoved +unstow +unstowed +unstraddled +unstrafed +unstraight +unstraightened +unstraightforward +unstraightforwardness +unstraightness +unstraying +unstrain +unstrained +unstraitened +unstrand +unstranded +unstrange +unstrangely +unstrangeness +unstrangered +unstrangled +unstrangulable +unstrap +unstrapped +unstrapping +unstraps +unstrategic +unstrategical +unstrategically +unstratified +unstreaked +unstreamed +unstreaming +unstreamlined +unstreng +unstrength +unstrengthen +unstrengthened +unstrengthening +unstrenuous +unstrenuously +unstrenuousness +unstrepitous +unstress +unstressed +unstressedly +unstressedness +unstresses +unstretch +unstretchable +unstretched +unstrewed +unstrewn +unstriated +unstricken +unstrict +unstrictly +unstrictness +unstrictured +unstride +unstrident +unstridently +unstridulating +unstridulous +unstrike +unstriking +unstring +unstringed +unstringent +unstringently +unstringing +unstrings +unstrip +unstriped +unstripped +unstriving +unstroked +unstrong +unstruck +unstructural +unstructurally +unstructured +unstruggling +unstrung +unstubbed +unstubbled +unstubborn +unstubbornly +unstubbornness +unstuccoed +unstuck +unstudded +unstudied +unstudiedness +unstudious +unstudiously +unstudiousness +unstuff +unstuffed +unstuffy +unstuffily +unstuffiness +unstuffing +unstultified +unstultifying +unstumbling +unstung +unstunned +unstunted +unstupefied +unstupid +unstupidly +unstupidness +unsturdy +unsturdily +unsturdiness +unstuttered +unstuttering +unsubdivided +unsubduable +unsubduableness +unsubduably +unsubducted +unsubdued +unsubduedly +unsubduedness +unsubject +unsubjectable +unsubjected +unsubjectedness +unsubjection +unsubjective +unsubjectively +unsubjectlike +unsubjugate +unsubjugated +unsublimable +unsublimated +unsublimed +unsubmerged +unsubmergible +unsubmerging +unsubmersible +unsubmission +unsubmissive +unsubmissively +unsubmissiveness +unsubmitted +unsubmitting +unsubordinate +unsubordinated +unsubordinative +unsuborned +unsubpoenaed +unsubrogated +unsubscribed +unsubscribing +unsubscripted +unsubservient +unsubserviently +unsubsided +unsubsidiary +unsubsiding +unsubsidized +unsubstanced +unsubstantial +unsubstantiality +unsubstantialization +unsubstantialize +unsubstantially +unsubstantialness +unsubstantiatable +unsubstantiate +unsubstantiated +unsubstantiation +unsubstantive +unsubstituted +unsubstitutive +unsubtle +unsubtleness +unsubtlety +unsubtly +unsubtracted +unsubtractive +unsuburban +unsuburbed +unsubventioned +unsubventionized +unsubversive +unsubversively +unsubversiveness +unsubvertable +unsubverted +unsubvertive +unsucceedable +unsucceeded +unsucceeding +unsuccess +unsuccessful +unsuccessfully +unsuccessfulness +unsuccessive +unsuccessively +unsuccessiveness +unsuccinct +unsuccinctly +unsuccorable +unsuccored +unsucculent +unsucculently +unsuccumbing +unsucked +unsuckled +unsued +unsufferable +unsufferableness +unsufferably +unsuffered +unsuffering +unsufficed +unsufficience +unsufficiency +unsufficient +unsufficiently +unsufficing +unsufficingness +unsuffixed +unsufflated +unsuffocate +unsuffocated +unsuffocative +unsuffused +unsuffusive +unsugared +unsugary +unsuggested +unsuggestedness +unsuggestibility +unsuggestible +unsuggesting +unsuggestive +unsuggestively +unsuggestiveness +unsuicidal +unsuicidally +unsuit +unsuitability +unsuitable +unsuitableness +unsuitably +unsuited +unsuitedness +unsuiting +unsulfonated +unsulfureness +unsulfureous +unsulfureousness +unsulfurized +unsulky +unsulkily +unsulkiness +unsullen +unsullenly +unsulliable +unsullied +unsulliedly +unsulliedness +unsulphonated +unsulphureness +unsulphureous +unsulphureousness +unsulphurized +unsultry +unsummable +unsummarisable +unsummarised +unsummarizable +unsummarized +unsummed +unsummered +unsummerly +unsummerlike +unsummonable +unsummoned +unsumptuary +unsumptuous +unsumptuously +unsumptuousness +unsun +unsunburned +unsunburnt +unsundered +unsung +unsunk +unsunken +unsunned +unsunny +unsuperable +unsuperannuated +unsupercilious +unsuperciliously +unsuperciliousness +unsuperficial +unsuperficially +unsuperfluous +unsuperfluously +unsuperfluousness +unsuperior +unsuperiorly +unsuperlative +unsuperlatively +unsuperlativeness +unsupernatural +unsupernaturalize +unsupernaturalized +unsupernaturally +unsupernaturalness +unsuperscribed +unsuperseded +unsuperseding +unsuperstitious +unsuperstitiously +unsuperstitiousness +unsupervised +unsupervisedly +unsupervisory +unsupine +unsupped +unsupplantable +unsupplanted +unsupple +unsuppled +unsupplemental +unsupplementary +unsupplemented +unsuppleness +unsupply +unsuppliable +unsuppliant +unsupplicated +unsupplicating +unsupplicatingly +unsupplied +unsupportable +unsupportableness +unsupportably +unsupported +unsupportedly +unsupportedness +unsupporting +unsupposable +unsupposed +unsuppositional +unsuppositive +unsuppressed +unsuppressible +unsuppressibly +unsuppression +unsuppressive +unsuppurated +unsuppurative +unsupreme +unsurcharge +unsurcharged +unsure +unsurely +unsureness +unsurety +unsurfaced +unsurfeited +unsurfeiting +unsurgical +unsurgically +unsurging +unsurly +unsurlily +unsurliness +unsurmised +unsurmising +unsurmountable +unsurmountableness +unsurmountably +unsurmounted +unsurnamed +unsurpassable +unsurpassableness +unsurpassably +unsurpassed +unsurpassedly +unsurpassedness +unsurplice +unsurpliced +unsurprise +unsurprised +unsurprisedness +unsurprising +unsurprisingly +unsurrealistic +unsurrealistically +unsurrendered +unsurrendering +unsurrounded +unsurveyable +unsurveyed +unsurvived +unsurviving +unsusceptibility +unsusceptible +unsusceptibleness +unsusceptibly +unsusceptive +unsuspect +unsuspectable +unsuspectably +unsuspected +unsuspectedly +unsuspectedness +unsuspectful +unsuspectfully +unsuspectfulness +unsuspectible +unsuspecting +unsuspectingly +unsuspectingness +unsuspective +unsuspended +unsuspendible +unsuspicion +unsuspicious +unsuspiciously +unsuspiciousness +unsustainability +unsustainable +unsustainably +unsustained +unsustaining +unsutured +unswabbed +unswaddle +unswaddled +unswaddling +unswaggering +unswaggeringly +unswayable +unswayableness +unswayed +unswayedness +unswaying +unswallowable +unswallowed +unswampy +unswanlike +unswapped +unswarming +unswathable +unswathe +unswatheable +unswathed +unswathes +unswathing +unswear +unswearing +unswears +unsweat +unsweated +unsweating +unsweepable +unsweet +unsweeten +unsweetened +unsweetenedness +unsweetly +unsweetness +unswell +unswelled +unswelling +unsweltered +unsweltering +unswept +unswervable +unswerved +unswerving +unswervingly +unswervingness +unswilled +unswing +unswingled +unswitched +unswivel +unswiveled +unswiveling +unswollen +unswooning +unswore +unsworn +unswung +unta +untabernacled +untabled +untabulable +untabulated +untaciturn +untaciturnity +untaciturnly +untack +untacked +untacking +untackle +untackled +untackling +untacks +untactful +untactfully +untactfulness +untactical +untactically +untactile +untactual +untactually +untagged +untailed +untailored +untailorly +untailorlike +untaint +untaintable +untainted +untaintedly +untaintedness +untainting +untakable +untakableness +untakeable +untakeableness +untaken +untaking +untalented +untalkative +untalkativeness +untalked +untalking +untall +untallied +untallowed +untaloned +untamable +untamableness +untamably +untame +untameable +untamed +untamedly +untamedness +untamely +untameness +untampered +untangental +untangentally +untangential +untangentially +untangibility +untangible +untangibleness +untangibly +untangle +untangled +untangles +untangling +untanned +untantalised +untantalising +untantalized +untantalizing +untap +untaped +untapered +untapering +untapestried +untappable +untapped +untappice +untar +untarnishable +untarnished +untarnishedness +untarnishing +untarred +untarried +untarrying +untartarized +untasked +untasseled +untasselled +untastable +untaste +untasteable +untasted +untasteful +untastefully +untastefulness +untasty +untastily +untasting +untattered +untattooed +untaught +untaughtness +untaunted +untaunting +untauntingly +untaut +untautly +untautness +untautological +untautologically +untawdry +untawed +untax +untaxable +untaxed +untaxied +untaxing +unteach +unteachability +unteachable +unteachableness +unteachably +unteacherlike +unteaches +unteaching +unteam +unteamed +unteaming +untearable +unteased +unteaseled +unteaselled +unteasled +untechnical +untechnicalize +untechnically +untedded +untedious +untediously +unteem +unteeming +unteethed +untelegraphed +untelevised +untelic +untell +untellable +untellably +untelling +untemper +untemperable +untemperamental +untemperamentally +untemperance +untemperate +untemperately +untemperateness +untempered +untempering +untempested +untempestuous +untempestuously +untempestuousness +untempled +untemporal +untemporally +untemporary +untemporizing +untemptability +untemptable +untemptably +untempted +untemptible +untemptibly +untempting +untemptingly +untemptingness +untenability +untenable +untenableness +untenably +untenacious +untenaciously +untenaciousness +untenacity +untenant +untenantable +untenantableness +untenanted +untended +untender +untendered +untenderized +untenderly +untenderness +untenebrous +untenible +untenibleness +untenibly +untense +untensely +untenseness +untensibility +untensible +untensibly +untensile +untensing +untent +untentacled +untentaculate +untented +untentered +untenty +untenuous +untenuously +untenuousness +untermed +unterminable +unterminableness +unterminably +unterminated +unterminating +unterminational +unterminative +unterraced +unterred +unterrestrial +unterrible +unterribly +unterrifiable +unterrific +unterrifically +unterrified +unterrifying +unterrorized +unterse +untersely +unterseness +untessellated +untestable +untestamental +untestamentary +untestate +untested +untestifying +untether +untethered +untethering +untethers +untewed +untextual +untextually +untextural +unthank +unthanked +unthankful +unthankfully +unthankfulness +unthanking +unthatch +unthatched +unthaw +unthawed +unthawing +untheatric +untheatrical +untheatrically +untheistic +untheistical +untheistically +unthematic +unthematically +unthende +untheologic +untheological +untheologically +untheologize +untheoretic +untheoretical +untheoretically +untheorizable +untherapeutic +untherapeutical +untherapeutically +unthewed +unthick +unthicken +unthickened +unthickly +unthickness +unthievish +unthievishly +unthievishness +unthink +unthinkability +unthinkable +unthinkableness +unthinkables +unthinkably +unthinker +unthinking +unthinkingly +unthinkingness +unthinks +unthinned +unthinning +unthirsty +unthirsting +unthistle +untholeable +untholeably +unthorn +unthorny +unthorough +unthoroughly +unthoroughness +unthoughful +unthought +unthoughted +unthoughtedly +unthoughtful +unthoughtfully +unthoughtfulness +unthoughtlike +unthrall +unthralled +unthrashed +unthread +unthreadable +unthreaded +unthreading +unthreads +unthreatened +unthreatening +unthreateningly +unthreshed +unthrid +unthridden +unthrift +unthrifty +unthriftier +unthriftiest +unthriftihood +unthriftily +unthriftiness +unthriftlike +unthrilled +unthrilling +unthrive +unthriven +unthriving +unthrivingly +unthrivingness +unthroaty +unthroatily +unthrob +unthrobbing +unthrone +unthroned +unthrones +unthronged +unthroning +unthrottled +unthrowable +unthrown +unthrushlike +unthrust +unthumbed +unthumped +unthundered +unthundering +unthwacked +unthwartable +unthwarted +unthwarting +untiaraed +unticketed +untickled +untidal +untidy +untidied +untidier +untidies +untidiest +untidying +untidily +untidiness +untie +untied +untieing +untiered +unties +untight +untighten +untightened +untightening +untightness +untiing +untying +until +untile +untiled +untill +untillable +untilled +untilling +untilt +untilted +untilting +untimbered +untime +untimed +untimedness +untimeless +untimely +untimelier +untimeliest +untimeliness +untimeous +untimeously +untimesome +untimid +untimidly +untimidness +untimorous +untimorously +untimorousness +untimous +untin +untinct +untinctured +untindered +untine +untinged +untinkered +untinned +untinseled +untinselled +untinted +untyped +untypical +untypically +untippable +untipped +untippled +untipsy +untipt +untirability +untirable +untyrannic +untyrannical +untyrannically +untyrannised +untyrannized +untyrantlike +untire +untired +untiredly +untiring +untiringly +untissued +untithability +untithable +untithed +untitillated +untitillating +untitled +untittering +untitular +untitularly +unto +untoadying +untoasted +untogaed +untoggle +untoggler +untoiled +untoileted +untoiling +untold +untolerable +untolerableness +untolerably +untolerated +untolerating +untolerative +untolled +untomb +untombed +untonality +untone +untoned +untongue +untongued +untonsured +untooled +untooth +untoothed +untoothsome +untoothsomeness +untop +untopographical +untopographically +untoppable +untopped +untopping +untoppled +untormented +untormenting +untormentingly +untorn +untorpedoed +untorpid +untorpidly +untorporific +untorrid +untorridity +untorridly +untorridness +untortious +untortiously +untortuous +untortuously +untortuousness +untorture +untortured +untossed +untotaled +untotalled +untotted +untottering +untouch +untouchability +untouchable +untouchableness +untouchables +untouchably +untouched +untouchedness +untouching +untough +untoughly +untoughness +untoured +untouristed +untoward +untowardly +untowardliness +untowardness +untowered +untown +untownlike +untoxic +untoxically +untrace +untraceable +untraceableness +untraceably +untraced +untraceried +untracked +untractability +untractable +untractableness +untractably +untractarian +untracted +untractible +untractibleness +untradable +untradeable +untraded +untradesmanlike +untrading +untraditional +untraduced +untraffickable +untrafficked +untragic +untragical +untragically +untragicalness +untrailed +untrailerable +untrailered +untrailing +untrain +untrainable +untrained +untrainedly +untrainedness +untraitored +untraitorous +untraitorously +untraitorousness +untrammed +untrammeled +untrammeledness +untrammelled +untramped +untrampled +untrance +untranquil +untranquilize +untranquilized +untranquilizing +untranquilly +untranquillise +untranquillised +untranquillising +untranquillize +untranquillized +untranquilness +untransacted +untranscended +untranscendent +untranscendental +untranscendentally +untranscribable +untranscribed +untransferable +untransferred +untransferring +untransfigured +untransfixed +untransformable +untransformative +untransformed +untransforming +untransfused +untransfusible +untransgressed +untransient +untransiently +untransientness +untransitable +untransitional +untransitionally +untransitive +untransitively +untransitiveness +untransitory +untransitorily +untransitoriness +untranslatability +untranslatable +untranslatableness +untranslatably +untranslated +untransmigrated +untransmissible +untransmissive +untransmitted +untransmutability +untransmutable +untransmutableness +untransmutably +untransmuted +untransparent +untransparently +untransparentness +untranspassable +untranspired +untranspiring +untransplanted +untransportable +untransported +untransposed +untransubstantiated +untrappable +untrapped +untrashed +untraumatic +untravelable +untraveled +untraveling +untravellable +untravelled +untravelling +untraversable +untraversed +untravestied +untreacherous +untreacherously +untreacherousness +untread +untreadable +untreading +untreads +untreasonable +untreasurable +untreasure +untreasured +untreatable +untreatableness +untreatably +untreated +untreed +untrekked +untrellised +untrembling +untremblingly +untremendous +untremendously +untremendousness +untremolant +untremulant +untremulent +untremulous +untremulously +untremulousness +untrenched +untrend +untrepanned +untrespassed +untrespassing +untress +untressed +untriable +untriableness +untriabness +untribal +untribally +untributary +untributarily +untriced +untrickable +untricked +untried +untrifling +untriflingly +untrig +untriggered +untrigonometric +untrigonometrical +untrigonometrically +untrying +untrill +untrim +untrimmable +untrimmed +untrimmedness +untrimming +untrims +untrinitarian +untripe +untrippable +untripped +untripping +untrist +untrite +untritely +untriteness +untriturated +untriumphable +untriumphant +untriumphantly +untriumphed +untrivial +untrivially +untrochaic +untrod +untrodden +untroddenness +untrolled +untrophied +untropic +untropical +untropically +untroth +untrotted +untroublable +untrouble +untroubled +untroubledly +untroubledness +untroublesome +untroublesomeness +untrounced +untrowable +untrowed +untruant +untruced +untruck +untruckled +untruckling +untrue +untrueness +untruer +untruest +untruism +untruly +untrumped +untrumpeted +untrumping +untrundled +untrunked +untruss +untrussed +untrusser +untrusses +untrussing +untrust +untrustable +untrustably +untrusted +untrustful +untrustfully +untrusty +untrustiness +untrusting +untrustness +untrustworthy +untrustworthily +untrustworthiness +untruth +untruther +untruthful +untruthfully +untruthfulness +untruths +unttrod +untubbed +untubercular +untuberculous +untuck +untucked +untuckered +untucking +untucks +untufted +untugged +untumbled +untumefied +untumid +untumidity +untumidly +untumidness +untumultuous +untumultuously +untumultuousness +untunable +untunableness +untunably +untune +untuneable +untuneableness +untuneably +untuned +untuneful +untunefully +untunefulness +untunes +untuning +untunneled +untunnelled +untupped +unturbaned +unturbid +unturbidly +unturbulent +unturbulently +unturf +unturfed +unturgid +unturgidly +unturn +unturnable +unturned +unturning +unturpentined +unturreted +untusked +untutelar +untutelary +untutored +untutoredly +untutoredness +untwilled +untwinable +untwind +untwine +untwineable +untwined +untwines +untwining +untwinkled +untwinkling +untwinned +untwirl +untwirled +untwirling +untwist +untwistable +untwisted +untwister +untwisting +untwists +untwitched +untwitching +untwitten +untz +unubiquitous +unubiquitously +unubiquitousness +unugly +unulcerated +unulcerative +unulcerous +unulcerously +unulcerousness +unultra +unum +unumpired +ununanimity +ununanimous +ununanimously +ununderstandability +ununderstandable +ununderstandably +ununderstanding +ununderstood +unundertaken +unundulatory +unungun +ununifiable +ununified +ununiform +ununiformed +ununiformity +ununiformly +ununiformness +ununionized +ununique +ununiquely +ununiqueness +ununitable +ununitableness +ununitably +ununited +ununiting +ununiversity +ununiversitylike +unupbraided +unupbraiding +unupbraidingly +unupdated +unupholstered +unupright +unuprightly +unuprightness +unupset +unupsettable +unurban +unurbane +unurbanely +unurbanized +unured +unurged +unurgent +unurgently +unurging +unurn +unurned +unusability +unusable +unusableness +unusably +unusage +unuse +unuseable +unuseableness +unuseably +unused +unusedness +unuseful +unusefully +unusefulness +unushered +unusual +unusuality +unusually +unusualness +unusurious +unusuriously +unusuriousness +unusurped +unusurping +unutilitarian +unutilizable +unutilized +unutterability +unutterable +unutterableness +unutterably +unuttered +unuxorial +unuxorious +unuxoriously +unuxoriousness +unvacant +unvacantly +unvacated +unvaccinated +unvacillating +unvacuous +unvacuously +unvacuousness +unvagrant +unvagrantly +unvagrantness +unvague +unvaguely +unvagueness +unvailable +unvain +unvainly +unvainness +unvaleted +unvaletudinary +unvaliant +unvaliantly +unvaliantness +unvalid +unvalidated +unvalidating +unvalidity +unvalidly +unvalidness +unvalorous +unvalorously +unvalorousness +unvaluable +unvaluableness +unvaluably +unvalue +unvalued +unvamped +unvanishing +unvanquishable +unvanquished +unvanquishing +unvantaged +unvaporized +unvaporosity +unvaporous +unvaporously +unvaporousness +unvariable +unvariableness +unvariably +unvariant +unvariation +unvaried +unvariedly +unvariegated +unvarying +unvaryingly +unvaryingness +unvarnished +unvarnishedly +unvarnishedness +unvascular +unvascularly +unvasculous +unvassal +unvatted +unvaulted +unvaulting +unvaunted +unvaunting +unvauntingly +unveering +unveeringly +unvehement +unvehemently +unveil +unveiled +unveiledly +unveiledness +unveiler +unveiling +unveilment +unveils +unveined +unvelvety +unvenal +unvendable +unvendableness +unvended +unvendible +unvendibleness +unveneered +unvenerability +unvenerable +unvenerableness +unvenerably +unvenerated +unvenerative +unvenereal +unvenged +unvengeful +unveniable +unvenial +unveniality +unvenially +unvenialness +unvenom +unvenomed +unvenomous +unvenomously +unvenomousness +unventable +unvented +unventilated +unventured +unventuresome +unventurous +unventurously +unventurousness +unvenued +unveracious +unveraciously +unveraciousness +unveracity +unverbal +unverbalized +unverbally +unverbose +unverbosely +unverboseness +unverdant +unverdantly +unverdured +unverdurness +unverdurous +unverdurousness +unveridic +unveridical +unveridically +unverifiability +unverifiable +unverifiableness +unverifiably +unverificative +unverified +unverifiedness +unveritable +unveritableness +unveritably +unverity +unvermiculated +unverminous +unverminously +unverminousness +unvernicular +unversatile +unversatilely +unversatileness +unversatility +unversed +unversedly +unversedness +unversified +unvertebrate +unvertical +unvertically +unvertiginous +unvertiginously +unvertiginousness +unvesiculated +unvessel +unvesseled +unvest +unvested +unvetoed +unvexatious +unvexatiously +unvexatiousness +unvexed +unvext +unviable +unvibrant +unvibrantly +unvibrated +unvibrating +unvibrational +unvicar +unvicarious +unvicariously +unvicariousness +unvicious +unviciously +unviciousness +unvictimized +unvictorious +unvictualed +unvictualled +unviewable +unviewed +unvigilant +unvigilantly +unvigorous +unvigorously +unvigorousness +unvying +unvilified +unvillaged +unvillainous +unvillainously +unvincible +unvindicable +unvindicated +unvindictive +unvindictively +unvindictiveness +unvinous +unvintaged +unviolable +unviolableness +unviolably +unviolate +unviolated +unviolative +unviolenced +unviolent +unviolently +unviolined +unvirgin +unvirginal +unvirginlike +unvirile +unvirility +unvirtue +unvirtuous +unvirtuously +unvirtuousness +unvirulent +unvirulently +unvisceral +unvisible +unvisibleness +unvisibly +unvision +unvisionary +unvisioned +unvisitable +unvisited +unvisiting +unvisor +unvisored +unvistaed +unvisual +unvisualised +unvisualized +unvisually +unvital +unvitalized +unvitalizing +unvitally +unvitalness +unvitiable +unvitiated +unvitiatedly +unvitiatedness +unvitiating +unvitreosity +unvitreous +unvitreously +unvitreousness +unvitrescent +unvitrescibility +unvitrescible +unvitrifiable +unvitrified +unvitriolized +unvituperated +unvituperative +unvituperatively +unvituperativeness +unvivacious +unvivaciously +unvivaciousness +unvivid +unvividly +unvividness +unvivified +unvizard +unvizarded +unvizored +unvocable +unvocal +unvocalised +unvocalized +unvociferous +unvociferously +unvociferousness +unvoyageable +unvoyaging +unvoice +unvoiced +unvoiceful +unvoices +unvoicing +unvoid +unvoidable +unvoided +unvoidness +unvolatile +unvolatilised +unvolatilize +unvolatilized +unvolcanic +unvolcanically +unvolitional +unvolitioned +unvolitive +unvoluble +unvolubleness +unvolubly +unvolumed +unvoluminous +unvoluminously +unvoluminousness +unvoluntary +unvoluntarily +unvoluntariness +unvolunteering +unvoluptuous +unvoluptuously +unvoluptuousness +unvomited +unvoracious +unvoraciously +unvoraciousness +unvote +unvoted +unvoting +unvouched +unvouchedly +unvouchedness +unvouchsafed +unvowed +unvoweled +unvowelled +unvulcanised +unvulcanized +unvulgar +unvulgarise +unvulgarised +unvulgarising +unvulgarize +unvulgarized +unvulgarizing +unvulgarly +unvulgarness +unvulnerable +unvulturine +unvulturous +unwadable +unwadded +unwaddling +unwadeable +unwaded +unwading +unwafted +unwaged +unwagered +unwaggable +unwaggably +unwagged +unwayed +unwailed +unwailing +unwainscoted +unwainscotted +unwaited +unwaiting +unwaivable +unwaived +unwayward +unwaked +unwakeful +unwakefully +unwakefulness +unwakened +unwakening +unwaking +unwalkable +unwalked +unwalking +unwall +unwalled +unwallet +unwallowed +unwan +unwandered +unwandering +unwanderingly +unwaned +unwaning +unwanted +unwanton +unwarbled +unwarded +unware +unwarely +unwareness +unwares +unwary +unwarier +unwariest +unwarily +unwariness +unwarlike +unwarlikeness +unwarm +unwarmable +unwarmed +unwarming +unwarn +unwarned +unwarnedly +unwarnedness +unwarning +unwarnished +unwarp +unwarpable +unwarped +unwarping +unwarrayed +unwarranness +unwarrant +unwarrantability +unwarrantable +unwarrantableness +unwarrantably +unwarrantabness +unwarranted +unwarrantedly +unwarrantedness +unwarred +unwarren +unwashable +unwashed +unwashedness +unwasheds +unwashen +unwassailing +unwastable +unwasted +unwasteful +unwastefully +unwastefulness +unwasting +unwastingly +unwatchable +unwatched +unwatchful +unwatchfully +unwatchfulness +unwatching +unwater +unwatered +unwatery +unwaterlike +unwatermarked +unwattled +unwaved +unwaverable +unwavered +unwavering +unwaveringly +unwaving +unwax +unwaxed +unweaken +unweakened +unweakening +unweal +unwealsomeness +unwealthy +unweaned +unweapon +unweaponed +unwearable +unwearably +unweary +unweariability +unweariable +unweariableness +unweariably +unwearied +unweariedly +unweariedness +unwearying +unwearyingly +unwearily +unweariness +unwearing +unwearisome +unwearisomeness +unweathered +unweatherly +unweatherwise +unweave +unweaves +unweaving +unweb +unwebbed +unwebbing +unwed +unwedded +unweddedly +unweddedness +unwedge +unwedgeable +unwedged +unwedging +unweeded +unweel +unweelness +unweened +unweeping +unweeting +unweetingly +unweft +unweighability +unweighable +unweighableness +unweighed +unweighing +unweight +unweighted +unweighty +unweighting +unweights +unwelcome +unwelcomed +unwelcomely +unwelcomeness +unwelcoming +unweld +unweldable +unwelde +unwelded +unwell +unwellness +unwelted +unwelth +unwemmed +unwept +unwestern +unwesternized +unwet +unwettable +unwetted +unwheedled +unwheel +unwheeled +unwhelmed +unwhelped +unwhetted +unwhig +unwhiglike +unwhimpering +unwhimperingly +unwhimsical +unwhimsically +unwhimsicalness +unwhining +unwhiningly +unwhip +unwhipped +unwhipt +unwhirled +unwhisked +unwhiskered +unwhisperable +unwhispered +unwhispering +unwhistled +unwhite +unwhited +unwhitened +unwhitewashed +unwhole +unwholesome +unwholesomely +unwholesomeness +unwicked +unwickedly +unwickedness +unwidened +unwidowed +unwield +unwieldable +unwieldy +unwieldier +unwieldiest +unwieldily +unwieldiness +unwieldly +unwieldsome +unwifed +unwifely +unwifelike +unwig +unwigged +unwigging +unwild +unwildly +unwildness +unwilful +unwilfully +unwilfulness +unwily +unwilier +unwilily +unwiliness +unwill +unwillable +unwille +unwilled +unwilledness +unwillful +unwillfully +unwillfulness +unwilling +unwillingly +unwillingness +unwilted +unwilting +unwimple +unwincing +unwincingly +unwind +unwindable +unwinded +unwinder +unwinders +unwindy +unwinding +unwindingly +unwindowed +unwinds +unwingable +unwinged +unwink +unwinking +unwinkingly +unwinly +unwinnable +unwinning +unwinnowed +unwinsome +unwinter +unwintry +unwiped +unwirable +unwire +unwired +unwisdom +unwisdoms +unwise +unwisely +unwiseness +unwiser +unwisest +unwish +unwished +unwishes +unwishful +unwishfully +unwishfulness +unwishing +unwist +unwistful +unwistfully +unwistfulness +unwit +unwitch +unwitched +unwithdrawable +unwithdrawing +unwithdrawn +unwitherable +unwithered +unwithering +unwithheld +unwithholden +unwithholding +unwithstanding +unwithstood +unwitless +unwitnessed +unwits +unwitted +unwitty +unwittily +unwitting +unwittingly +unwittingness +unwive +unwived +unwoeful +unwoefully +unwoefulness +unwoful +unwoman +unwomanish +unwomanize +unwomanized +unwomanly +unwomanlike +unwomanliness +unwomb +unwon +unwonder +unwonderful +unwonderfully +unwondering +unwont +unwonted +unwontedly +unwontedness +unwooded +unwooed +unwoof +unwooly +unwordable +unwordably +unworded +unwordy +unwordily +unwork +unworkability +unworkable +unworkableness +unworkably +unworked +unworkedness +unworker +unworking +unworkmanly +unworkmanlike +unworld +unworldly +unworldliness +unwormed +unwormy +unworminess +unworn +unworried +unworriedly +unworriedness +unworship +unworshiped +unworshipful +unworshiping +unworshipped +unworshipping +unworth +unworthy +unworthier +unworthies +unworthiest +unworthily +unworthiness +unwotting +unwound +unwoundable +unwoundableness +unwounded +unwove +unwoven +unwrangling +unwrap +unwrapped +unwrapper +unwrappered +unwrapping +unwraps +unwrathful +unwrathfully +unwrathfulness +unwreaked +unwreaken +unwreathe +unwreathed +unwreathing +unwrecked +unwrench +unwrenched +unwrest +unwrested +unwrestedly +unwresting +unwrestled +unwretched +unwry +unwriggled +unwrinkle +unwrinkleable +unwrinkled +unwrinkles +unwrinkling +unwrit +unwritable +unwrite +unwriteable +unwriting +unwritten +unwroken +unwronged +unwrongful +unwrongfully +unwrongfulness +unwrote +unwrought +unwrung +unwwove +unwwoven +unze +unzealous +unzealously +unzealousness +unzen +unzephyrlike +unzip +unzipped +unzipping +unzips +unzone +unzoned +unzoning +up +upaya +upaisle +upaithric +upalley +upalong +upanaya +upanayana +upanishad +upanishadic +upapurana +uparch +uparching +uparise +uparm +uparna +upas +upases +upattic +upavenue +upbay +upband +upbank +upbar +upbbore +upbborne +upbear +upbearer +upbearers +upbearing +upbears +upbeat +upbeats +upbelch +upbelt +upbend +upby +upbid +upbye +upbind +upbinding +upbinds +upblacken +upblast +upblaze +upblow +upboil +upboiled +upboiling +upboils +upbolster +upbolt +upboost +upbore +upborne +upbotch +upboulevard +upbound +upbrace +upbray +upbraid +upbraided +upbraider +upbraiders +upbraiding +upbraidingly +upbraids +upbrast +upbreak +upbreathe +upbred +upbreed +upbreeze +upbrighten +upbrim +upbring +upbringing +upbristle +upbroken +upbrook +upbrought +upbrow +upbubble +upbuy +upbuild +upbuilder +upbuilding +upbuilds +upbuilt +upbulging +upbuoy +upbuoyance +upbuoying +upburn +upburst +upcall +upcanal +upcanyon +upcard +upcarry +upcast +upcasted +upcasting +upcasts +upcatch +upcaught +upchamber +upchannel +upchariot +upchaunce +upcheer +upchimney +upchoke +upchuck +upchucked +upchucking +upchucks +upcity +upclimb +upclimbed +upclimber +upclimbing +upclimbs +upclose +upcloser +upcoast +upcock +upcoil +upcoiled +upcoiling +upcoils +upcolumn +upcome +upcoming +upconjure +upcountry +upcourse +upcover +upcrane +upcrawl +upcreek +upcreep +upcry +upcrop +upcropping +upcrowd +upcurl +upcurled +upcurling +upcurls +upcurrent +upcurve +upcurved +upcurves +upcurving +upcushion +upcut +upcutting +updart +updarted +updarting +updarts +updatable +update +updated +updater +updaters +updates +updating +updeck +updelve +updive +updived +updives +updiving +updo +updome +updos +updove +updraft +updrafts +updrag +updraught +updraw +updress +updry +updried +updries +updrying +updrink +upeat +upeygan +upend +upended +upending +upends +uperize +upfeed +upfield +upfill +upfingered +upflame +upflare +upflash +upflee +upfly +upflicker +upfling +upflinging +upflings +upfloat +upflood +upflow +upflowed +upflower +upflowing +upflows +upflung +upfold +upfolded +upfolding +upfolds +upfollow +upframe +upfurl +upgale +upgang +upgape +upgather +upgathered +upgathering +upgathers +upgaze +upgazed +upgazes +upgazing +upget +upgird +upgirded +upgirding +upgirds +upgirt +upgive +upglean +upglide +upgo +upgoing +upgorge +upgrade +upgraded +upgrader +upgrades +upgrading +upgrave +upgrew +upgrow +upgrowing +upgrown +upgrows +upgrowth +upgrowths +upgully +upgush +uphale +uphand +uphang +upharbor +upharrow +upharsin +uphasp +upheal +upheap +upheaped +upheaping +upheaps +uphearted +upheaval +upheavalist +upheavals +upheave +upheaved +upheaven +upheaver +upheavers +upheaves +upheaving +upheld +uphelya +uphelm +upher +uphhove +uphill +uphills +uphillward +uphoard +uphoarded +uphoarding +uphoards +uphoist +uphold +upholden +upholder +upholders +upholding +upholds +upholster +upholstered +upholsterer +upholsterers +upholsteress +upholstery +upholsterydom +upholsteries +upholstering +upholsterous +upholsters +upholstress +uphove +uphroe +uphroes +uphung +uphurl +upyard +upyoke +upisland +upjerk +upjet +upkeep +upkeeps +upkindle +upknell +upknit +upla +upladder +uplay +uplaid +uplake +upland +uplander +uplanders +uplandish +uplands +uplane +uplead +uplean +upleap +upleaped +upleaping +upleaps +upleapt +upleg +uplick +uplift +upliftable +uplifted +upliftedly +upliftedness +uplifter +uplifters +uplifting +upliftingly +upliftingness +upliftitis +upliftment +uplifts +uplight +uplighted +uplighting +uplights +uplying +uplimb +uplimber +upline +uplink +uplinked +uplinking +uplinks +uplit +upload +uploadable +uploaded +uploading +uploads +uplock +uplong +uplook +uplooker +uploom +uploop +upmaking +upmanship +upmast +upmix +upmost +upmount +upmountain +upmove +upness +upo +upon +uppard +uppbad +upped +uppent +upper +uppercase +upperch +upperclassman +upperclassmen +uppercut +uppercuts +uppercutted +uppercutting +upperer +upperest +upperhandism +uppermore +uppermost +upperpart +uppers +upperstocks +uppertendom +upperworks +uppile +uppiled +uppiles +uppiling +upping +uppings +uppish +uppishly +uppishness +uppity +uppityness +upplough +upplow +uppluck +uppoint +uppoise +uppop +uppour +uppowoc +upprick +upprop +uppropped +uppropping +upprops +uppuff +uppull +uppush +upquiver +upraisal +upraise +upraised +upraiser +upraisers +upraises +upraising +upraught +upreach +upreached +upreaches +upreaching +uprear +upreared +uprearing +uprears +uprein +uprend +uprender +uprest +uprestore +uprid +upridge +upright +uprighted +uprighteous +uprighteously +uprighteousness +uprighting +uprightish +uprightly +uprightman +uprightness +uprights +uprip +uprisal +uprise +uprisement +uprisen +upriser +uprisers +uprises +uprising +uprisings +uprist +uprive +upriver +uprivers +uproad +uproar +uproarer +uproariness +uproarious +uproariously +uproariousness +uproars +uproom +uproot +uprootal +uprootals +uprooted +uprootedness +uprooter +uprooters +uprooting +uproots +uprose +uprouse +uproused +uprouses +uprousing +uproute +uprun +uprush +uprushed +uprushes +uprushing +ups +upsadaisy +upsaddle +upscale +upscrew +upscuddle +upseal +upsedoun +upseek +upsey +upseize +upsend +upsending +upsends +upsent +upset +upsetment +upsets +upsettable +upsettal +upsetted +upsetter +upsetters +upsetting +upsettingly +upshaft +upshear +upsheath +upshift +upshifted +upshifting +upshifts +upshoot +upshooting +upshoots +upshore +upshot +upshots +upshoulder +upshove +upshut +upsy +upsidaisy +upside +upsides +upsighted +upsiloid +upsilon +upsilonism +upsilons +upsit +upsitten +upsitting +upskip +upslant +upslip +upslope +upsloping +upsmite +upsnatch +upsoak +upsoar +upsoared +upsoaring +upsoars +upsolve +upspeak +upspear +upspeed +upspew +upspin +upspire +upsplash +upspout +upsprang +upspread +upspring +upspringing +upsprings +upsprinkle +upsprout +upsprung +upspurt +upsring +upstaff +upstage +upstaged +upstages +upstaging +upstay +upstair +upstairs +upstamp +upstand +upstander +upstanding +upstandingly +upstandingness +upstands +upstare +upstared +upstares +upstaring +upstart +upstarted +upstarting +upstartism +upstartle +upstartness +upstarts +upstate +upstater +upstaters +upstates +upstaunch +upsteal +upsteam +upstem +upstep +upstepped +upstepping +upsteps +upstick +upstir +upstirred +upstirring +upstirs +upstood +upstraight +upstream +upstreamward +upstreet +upstretch +upstretched +upstrike +upstrive +upstroke +upstrokes +upstruggle +upsuck +upsun +upsup +upsurge +upsurged +upsurgence +upsurges +upsurging +upsway +upswallow +upswarm +upsweep +upsweeping +upsweeps +upswell +upswelled +upswelling +upswells +upswept +upswing +upswinging +upswings +upswollen +upswung +uptable +uptake +uptaker +uptakes +uptear +uptearing +uptears +uptemper +uptend +upthrew +upthrow +upthrowing +upthrown +upthrows +upthrust +upthrusted +upthrusting +upthrusts +upthunder +uptide +uptie +uptight +uptightness +uptill +uptilt +uptilted +uptilting +uptilts +uptime +uptimes +uptore +uptorn +uptoss +uptossed +uptosses +uptossing +uptower +uptown +uptowner +uptowners +uptowns +uptrace +uptrack +uptrail +uptrain +uptree +uptrend +uptrends +uptrill +uptrunk +uptruss +upttore +upttorn +uptube +uptuck +upturn +upturned +upturning +upturns +uptwined +uptwist +upupa +upupidae +upupoid +upvalley +upvomit +upwaft +upwafted +upwafting +upwafts +upway +upways +upwall +upward +upwardly +upwardness +upwards +upwarp +upwax +upwell +upwelled +upwelling +upwells +upwent +upwheel +upwhelm +upwhir +upwhirl +upwind +upwinds +upwith +upwork +upwound +upwrap +upwreathe +upwrench +upwring +upwrought +ur +ura +urachal +urachovesical +urachus +uracil +uracils +uraei +uraemia +uraemias +uraemic +uraeus +uraeuses +uragoga +ural +urali +uralian +uralic +uraline +uralite +uralites +uralitic +uralitization +uralitize +uralitized +uralitizing +uralium +uramido +uramil +uramilic +uramino +uran +uranalyses +uranalysis +uranate +urania +uranian +uranic +uranicentric +uranide +uranides +uranidin +uranidine +uraniferous +uraniid +uraniidae +uranyl +uranylic +uranyls +uranin +uranine +uraninite +uranion +uraniscochasma +uraniscoplasty +uraniscoraphy +uraniscorrhaphy +uraniscus +uranism +uranisms +uranist +uranite +uranites +uranitic +uranium +uraniums +uranocircite +uranographer +uranography +uranographic +uranographical +uranographist +uranolatry +uranolite +uranology +uranological +uranologies +uranologist +uranometry +uranometria +uranometrical +uranometrist +uranophane +uranophobia +uranophotography +uranoplasty +uranoplastic +uranoplegia +uranorrhaphy +uranorrhaphia +uranoschisis +uranoschism +uranoscope +uranoscopy +uranoscopia +uranoscopic +uranoscopidae +uranoscopus +uranospathite +uranosphaerite +uranospinite +uranostaphyloplasty +uranostaphylorrhaphy +uranotantalite +uranothallite +uranothorite +uranotil +uranous +uranus +urao +urare +urares +urari +uraris +urartaean +urartic +urase +urases +urataemia +urate +uratemia +urates +uratic +uratoma +uratosis +uraturia +urazin +urazine +urazole +urb +urbacity +urbainite +urban +urbana +urbane +urbanely +urbaneness +urbaner +urbanest +urbanisation +urbanise +urbanised +urbanises +urbanising +urbanism +urbanisms +urbanist +urbanistic +urbanistically +urbanists +urbanite +urbanites +urbanity +urbanities +urbanization +urbanize +urbanized +urbanizes +urbanizing +urbanolatry +urbanology +urbanologist +urbanologists +urbarial +urbian +urbic +urbicolae +urbicolous +urbiculture +urbify +urbification +urbinate +urbs +urceiform +urceolar +urceolate +urceole +urceoli +urceolina +urceolus +urceus +urchin +urchiness +urchinly +urchinlike +urchins +urd +urde +urdee +urdy +urds +urdu +ure +urea +ureal +ureameter +ureametry +ureas +urease +ureases +urechitin +urechitoxin +uredema +uredia +uredial +uredidia +uredidinia +uredinales +uredine +uredineae +uredineal +uredineous +uredines +uredinia +uredinial +urediniopsis +urediniospore +urediniosporic +uredinium +uredinoid +uredinology +uredinologist +uredinous +urediospore +uredium +uredo +uredos +uredosorus +uredospore +uredosporic +uredosporiferous +uredosporous +uredostage +ureic +ureid +ureide +ureides +ureido +ureylene +uremia +uremias +uremic +urena +urent +ureometer +ureometry +ureosecretory +ureotelic +ureotelism +uresis +uretal +ureter +ureteral +ureteralgia +uretercystoscope +ureterectasia +ureterectasis +ureterectomy +ureterectomies +ureteric +ureteritis +ureterocele +ureterocervical +ureterocystanastomosis +ureterocystoscope +ureterocystostomy +ureterocolostomy +ureterodialysis +ureteroenteric +ureteroenterostomy +ureterogenital +ureterogram +ureterograph +ureterography +ureterointestinal +ureterolysis +ureterolith +ureterolithiasis +ureterolithic +ureterolithotomy +ureterolithotomies +ureteronephrectomy +ureterophlegma +ureteropyelitis +ureteropyelogram +ureteropyelography +ureteropyelonephritis +ureteropyelostomy +ureteropyosis +ureteroplasty +ureteroproctostomy +ureteroradiography +ureterorectostomy +ureterorrhagia +ureterorrhaphy +ureterosalpingostomy +ureterosigmoidostomy +ureterostegnosis +ureterostenoma +ureterostenosis +ureterostoma +ureterostomy +ureterostomies +ureterotomy +ureterouteral +ureterovaginal +ureterovesical +ureters +urethan +urethane +urethanes +urethans +urethylan +urethylane +urethra +urethrae +urethragraph +urethral +urethralgia +urethrameter +urethras +urethrascope +urethratome +urethratresia +urethrectomy +urethrectomies +urethremphraxis +urethreurynter +urethrism +urethritic +urethritis +urethroblennorrhea +urethrobulbar +urethrocele +urethrocystitis +urethrogenital +urethrogram +urethrograph +urethrometer +urethropenile +urethroperineal +urethrophyma +urethroplasty +urethroplastic +urethroprostatic +urethrorectal +urethrorrhagia +urethrorrhaphy +urethrorrhea +urethrorrhoea +urethroscope +urethroscopy +urethroscopic +urethroscopical +urethrosexual +urethrospasm +urethrostaxis +urethrostenosis +urethrostomy +urethrotome +urethrotomy +urethrotomic +urethrovaginal +urethrovesical +uretic +urf +urfirnis +urge +urged +urgeful +urgence +urgency +urgencies +urgent +urgently +urgentness +urger +urgers +urges +urginea +urging +urgingly +urgings +urgonian +urheen +uri +uria +uriah +urial +urian +uric +uricacidemia +uricaciduria +uricaemia +uricaemic +uricemia +uricemic +uricolysis +uricolytic +uriconian +uricosuric +uricotelic +uricotelism +uridine +uridines +uridrosis +uriel +urim +urinaemia +urinaemic +urinal +urinalyses +urinalysis +urinalist +urinals +urinant +urinary +urinaries +urinarium +urinate +urinated +urinates +urinating +urination +urinative +urinator +urine +urinemia +urinemias +urinemic +urines +uriniferous +uriniparous +urinocryoscopy +urinogenital +urinogenitary +urinogenous +urinology +urinologist +urinomancy +urinometer +urinometry +urinometric +urinoscopy +urinoscopic +urinoscopies +urinoscopist +urinose +urinosexual +urinous +urinousness +urite +urlar +urled +urling +urluch +urman +urn +urna +urnae +urnal +urnfield +urnflower +urnful +urnfuls +urning +urningism +urnism +urnlike +urnmaker +urns +uro +uroacidimeter +uroazotometer +urobenzoic +urobilin +urobilinemia +urobilinogen +urobilinogenuria +urobilinuria +urocanic +urocele +urocerata +urocerid +uroceridae +urochloralic +urochord +urochorda +urochordal +urochordate +urochords +urochrome +urochromogen +urochs +urocyanogen +urocyon +urocyst +urocystic +urocystis +urocystitis +urocoptidae +urocoptis +urodaeum +urodela +urodelan +urodele +urodeles +urodelous +urodialysis +urodynia +uroedema +uroerythrin +urofuscohematin +urogaster +urogastric +urogenic +urogenital +urogenitary +urogenous +uroglaucin +uroglena +urogomphi +urogomphus +urogram +urography +urogravimeter +urohaematin +urohematin +urohyal +urokinase +urol +urolagnia +uroleucic +uroleucinic +urolith +urolithiasis +urolithic +urolithology +uroliths +urolytic +urology +urologic +urological +urologies +urologist +urologists +urolutein +uromancy +uromantia +uromantist +uromastix +uromelanin +uromelus +uromere +uromeric +urometer +uromyces +uromycladium +uronephrosis +uronic +uronology +uroo +uroodal +uropatagium +uropeltidae +urophaein +urophanic +urophanous +urophein +urophi +urophlyctis +urophobia +urophthisis +uropygi +uropygial +uropygium +uropyloric +uroplania +uropod +uropodal +uropodous +uropods +uropoetic +uropoiesis +uropoietic +uroporphyrin +uropsile +uropsilus +uroptysis +urorosein +urorrhagia +urorrhea +urorubin +urosaccharometry +urosacral +uroschesis +uroscopy +uroscopic +uroscopies +uroscopist +urosepsis +uroseptic +urosis +urosomatic +urosome +urosomite +urosomitic +urostea +urostealith +urostegal +urostege +urostegite +urosteon +urosternite +urosthene +urosthenic +urostylar +urostyle +urostyles +urotoxy +urotoxia +urotoxic +urotoxicity +urotoxies +urotoxin +uroxanate +uroxanic +uroxanthin +uroxin +urpriser +urradhus +urrhodin +urrhodinic +urs +ursa +ursae +ursal +ursicidal +ursicide +ursid +ursidae +ursiform +ursigram +ursine +ursoid +ursolic +urson +ursone +ursprache +ursuk +ursula +ursuline +ursus +urtext +urtica +urticaceae +urticaceous +urtical +urticales +urticant +urticants +urticaria +urticarial +urticarious +urticastrum +urticate +urticated +urticates +urticating +urtication +urticose +urtite +uru +urubu +urucu +urucum +urucuri +urucury +uruguay +uruguayan +uruguayans +uruisg +urukuena +urunday +urus +uruses +urushi +urushic +urushiye +urushinic +urushiol +urushiols +urutu +urva +us +usa +usability +usable +usableness +usably +usage +usager +usages +usance +usances +usant +usar +usara +usaron +usation +usaunce +usaunces +use +useability +useable +useably +used +usedly +usedness +usednt +usee +useful +usefully +usefullish +usefulness +usehold +useless +uselessly +uselessness +usenet +usent +user +users +uses +ush +ushabti +ushabtis +ushabtiu +ushak +ushas +usheen +usher +usherance +usherdom +ushered +usherer +usheress +usherette +usherettes +usherian +ushering +usherism +usherless +ushers +ushership +usine +using +usings +usipetes +usitate +usitative +uskara +uskok +usnea +usneaceae +usneaceous +usneas +usneoid +usnic +usnin +usninic +uspanteca +uspeaking +uspoke +uspoken +usquabae +usquabaes +usque +usquebae +usquebaes +usquebaugh +usques +usself +ussels +usselven +ussingite +ussr +ust +ustarana +uster +ustilaginaceae +ustilaginaceous +ustilaginales +ustilagineous +ustilaginoidea +ustilago +ustion +ustorious +ustulate +ustulation +ustulina +usu +usual +usualism +usually +usualness +usuals +usuary +usucapient +usucapion +usucapionary +usucapt +usucaptable +usucaptible +usucaption +usucaptor +usufruct +usufructs +usufructuary +usufructuaries +usufruit +usun +usure +usurer +usurerlike +usurers +usuress +usury +usuries +usurious +usuriously +usuriousness +usurp +usurpation +usurpations +usurpative +usurpatively +usurpatory +usurpature +usurped +usurpedly +usurper +usurpers +usurpership +usurping +usurpingly +usurpment +usurpor +usurpress +usurps +usurption +usw +usward +uswards +ut +uta +utah +utahan +utahans +utahite +utai +utas +utch +utchy +ute +utees +utend +utensil +utensile +utensils +uteralgia +uterectomy +uteri +uterine +uteritis +utero +uteroabdominal +uterocele +uterocervical +uterocystotomy +uterofixation +uterogestation +uterogram +uterography +uterointestinal +uterolith +uterology +uteromania +uteromaniac +uteromaniacal +uterometer +uteroovarian +uteroparietal +uteropelvic +uteroperitoneal +uteropexy +uteropexia +uteroplacental +uteroplasty +uterosacral +uterosclerosis +uteroscope +uterotomy +uterotonic +uterotubal +uterovaginal +uteroventral +uterovesical +uterus +uteruses +utfangenethef +utfangethef +utfangthef +utfangthief +uther +uti +utible +utick +util +utile +utilidor +utilidors +utilise +utilised +utiliser +utilisers +utilises +utilising +utilitarian +utilitarianism +utilitarianist +utilitarianize +utilitarianly +utilitarians +utility +utilities +utilizability +utilizable +utilization +utilizations +utilize +utilized +utilizer +utilizers +utilizes +utilizing +utinam +utlagary +utlilized +utmost +utmostness +utmosts +utopia +utopian +utopianism +utopianist +utopianize +utopianizer +utopians +utopias +utopiast +utopism +utopisms +utopist +utopistic +utopists +utopographer +utraquism +utraquist +utraquistic +utrecht +utricle +utricles +utricul +utricular +utricularia +utriculariaceae +utriculate +utriculi +utriculiferous +utriculiform +utriculitis +utriculoid +utriculoplasty +utriculoplastic +utriculosaccular +utriculose +utriculus +utriform +utrubi +utrum +uts +utsuk +utter +utterability +utterable +utterableness +utterance +utterances +utterancy +uttered +utterer +utterers +utterest +uttering +utterless +utterly +uttermost +utterness +utters +utu +utum +uturuncu +uucpnet +uva +uval +uvala +uvalha +uvanite +uvarovite +uvate +uvea +uveal +uveas +uveitic +uveitis +uveitises +uvella +uveous +uvic +uvid +uviol +uvitic +uvitinic +uvito +uvitonic +uvre +uvres +uvrou +uvula +uvulae +uvular +uvularia +uvularly +uvulars +uvulas +uvulatomy +uvulatomies +uvulectomy +uvulectomies +uvulitis +uvulitises +uvuloptosis +uvulotome +uvulotomy +uvulotomies +uvver +ux +uxorial +uxoriality +uxorially +uxoricidal +uxoricide +uxorilocal +uxorious +uxoriously +uxoriousness +uxoris +uzan +uzara +uzarin +uzaron +uzbak +uzbeg +uzbek +v +va +vaad +vaadim +vaagmaer +vaagmar +vaagmer +vaalite +vaalpens +vac +vacabond +vacance +vacancy +vacancies +vacandi +vacant +vacante +vacanthearted +vacantheartedness +vacantia +vacantly +vacantness +vacantry +vacatable +vacate +vacated +vacates +vacating +vacation +vacational +vacationed +vacationer +vacationers +vacationing +vacationist +vacationists +vacationland +vacationless +vacations +vacatur +vaccary +vaccaria +vaccenic +vaccicide +vaccigenous +vaccina +vaccinable +vaccinal +vaccinas +vaccinate +vaccinated +vaccinates +vaccinating +vaccination +vaccinationist +vaccinations +vaccinator +vaccinatory +vaccinators +vaccine +vaccinee +vaccinella +vaccines +vaccinia +vacciniaceae +vacciniaceous +vaccinial +vaccinias +vaccinifer +vacciniform +vacciniola +vaccinist +vaccinium +vaccinization +vaccinogenic +vaccinogenous +vaccinoid +vaccinophobia +vaccinotherapy +vache +vachellia +vacherin +vachette +vacillancy +vacillant +vacillate +vacillated +vacillates +vacillating +vacillatingly +vacillation +vacillations +vacillator +vacillatory +vacillators +vacoa +vacona +vacoua +vacouf +vacua +vacual +vacuate +vacuation +vacuefy +vacuist +vacuit +vacuity +vacuities +vacuo +vacuolar +vacuolary +vacuolate +vacuolated +vacuolation +vacuole +vacuoles +vacuolization +vacuome +vacuometer +vacuous +vacuously +vacuousness +vacuua +vacuum +vacuuma +vacuumed +vacuuming +vacuumize +vacuums +vade +vadelect +vady +vadim +vadimony +vadimonium +vadis +vadium +vadose +vafrous +vag +vagabond +vagabondage +vagabondager +vagabonded +vagabondia +vagabonding +vagabondish +vagabondism +vagabondismus +vagabondize +vagabondized +vagabondizer +vagabondizing +vagabondry +vagabonds +vagal +vagally +vagancy +vagant +vaganti +vagary +vagarian +vagaries +vagarious +vagariously +vagarish +vagarisome +vagarist +vagaristic +vagarity +vagas +vagation +vagbondia +vage +vagi +vagient +vagiform +vagile +vagility +vagilities +vagina +vaginae +vaginal +vaginalectomy +vaginalectomies +vaginaless +vaginalitis +vaginally +vaginant +vaginas +vaginate +vaginated +vaginectomy +vaginectomies +vaginervose +vaginicola +vaginicoline +vaginicolous +vaginiferous +vaginipennate +vaginismus +vaginitis +vaginoabdominal +vaginocele +vaginodynia +vaginofixation +vaginolabial +vaginometer +vaginomycosis +vaginoperineal +vaginoperitoneal +vaginopexy +vaginoplasty +vaginoscope +vaginoscopy +vaginotome +vaginotomy +vaginotomies +vaginovesical +vaginovulvar +vaginula +vaginulate +vaginule +vagitus +vagnera +vagoaccessorius +vagodepressor +vagoglossopharyngeal +vagogram +vagolysis +vagosympathetic +vagotomy +vagotomies +vagotomize +vagotony +vagotonia +vagotonic +vagotropic +vagotropism +vagous +vagrance +vagrancy +vagrancies +vagrant +vagrantism +vagrantize +vagrantly +vagrantlike +vagrantness +vagrants +vagrate +vagrom +vague +vaguely +vagueness +vaguer +vaguest +vaguio +vaguios +vaguish +vaguity +vagulous +vagus +vahana +vahine +vahines +vahini +vai +vaidic +vail +vailable +vailed +vailing +vails +vain +vainer +vainest +vainful +vainglory +vainglorious +vaingloriously +vaingloriousness +vainly +vainness +vainnesses +vair +vairagi +vaire +vairee +vairy +vairs +vaishnava +vaishnavism +vaisya +vayu +vaivode +vajra +vajrasana +vakass +vakeel +vakeels +vakia +vakil +vakils +vakkaliga +val +valance +valanced +valances +valanche +valancing +valbellite +vale +valebant +valediction +valedictions +valedictory +valedictorian +valedictorians +valedictories +valedictorily +valence +valences +valency +valencia +valencian +valencianite +valencias +valenciennes +valencies +valens +valent +valentiam +valentide +valentin +valentine +valentines +valentinian +valentinianism +valentinite +valeral +valeraldehyde +valeramid +valeramide +valerate +valerates +valeria +valerian +valeriana +valerianaceae +valerianaceous +valerianales +valerianate +valerianella +valerianic +valerianoides +valerians +valeric +valerie +valeryl +valerylene +valerin +valerolactone +valerone +vales +valet +valeta +valetage +valetaille +valetdom +valeted +valethood +valeting +valetism +valetry +valets +valetude +valetudinaire +valetudinary +valetudinarian +valetudinarianism +valetudinarians +valetudinaries +valetudinariness +valetudinarist +valetudinarium +valeur +valew +valeward +valewe +valgoid +valgus +valguses +valhall +valhalla +vali +valiance +valiances +valiancy +valiancies +valiant +valiantly +valiantness +valiants +valid +validatable +validate +validated +validates +validating +validation +validations +validatory +validification +validity +validities +validly +validness +validous +valyl +valylene +valinch +valine +valines +valise +valiseful +valises +valiship +valium +valkyr +valkyria +valkyrian +valkyrie +valkyries +valkyrs +vall +vallancy +vallar +vallary +vallate +vallated +vallation +vallecula +valleculae +vallecular +valleculate +valley +valleyful +valleyite +valleylet +valleylike +valleys +valleyward +valleywise +vallevarite +vallicula +valliculae +vallicular +vallidom +vallies +vallis +valliscaulian +vallisneria +vallisneriaceae +vallisneriaceous +vallombrosan +vallota +vallum +vallums +valmy +valois +valonia +valoniaceae +valoniaceous +valonias +valor +valorem +valorisation +valorise +valorised +valorises +valorising +valorization +valorizations +valorize +valorized +valorizes +valorizing +valorous +valorously +valorousness +valors +valour +valours +valouwe +valsa +valsaceae +valsalvan +valse +valses +valsoid +valuable +valuableness +valuables +valuably +valuate +valuated +valuates +valuating +valuation +valuational +valuationally +valuations +valuative +valuator +valuators +value +valued +valueless +valuelessness +valuer +valuers +values +valuing +valure +valuta +valutas +valva +valvae +valval +valvar +valvata +valvate +valvatidae +valve +valved +valveless +valvelet +valvelets +valvelike +valveman +valvemen +valves +valviferous +valviform +valving +valvotomy +valvula +valvulae +valvular +valvulate +valvule +valvules +valvulitis +valvulotome +valvulotomy +vambrace +vambraced +vambraces +vambrash +vamfont +vammazsa +vamoose +vamoosed +vamooses +vamoosing +vamos +vamose +vamosed +vamoses +vamosing +vamp +vamped +vampey +vamper +vampers +vamphorn +vamping +vampire +vampyre +vampyrella +vampyrellidae +vampireproof +vampires +vampiric +vampirish +vampirism +vampirize +vampyrum +vampish +vamplate +vampproof +vamps +vamure +van +vanadate +vanadates +vanadiate +vanadic +vanadiferous +vanadyl +vanadinite +vanadious +vanadium +vanadiums +vanadosilicate +vanadous +vanaheim +vanaprastha +vanaspati +vanbrace +vance +vancomycin +vancourier +vancouver +vancouveria +vanda +vandal +vandalic +vandalish +vandalism +vandalistic +vandalization +vandalize +vandalized +vandalizes +vandalizing +vandalroot +vandals +vandas +vandelas +vandemonian +vandemonianism +vandiemenian +vandyke +vandyked +vandykes +vane +vaned +vaneless +vanelike +vanellus +vanes +vanessa +vanessian +vanfoss +vang +vangee +vangeli +vanglo +vangloe +vangs +vanguard +vanguardist +vanguards +vangueria +vanilla +vanillal +vanillaldehyde +vanillas +vanillate +vanille +vanillery +vanillic +vanillyl +vanillin +vanilline +vanillinic +vanillins +vanillism +vanilloes +vanilloyl +vanillon +vanir +vanish +vanished +vanisher +vanishers +vanishes +vanishing +vanishingly +vanishment +vanist +vanitarianism +vanity +vanitied +vanities +vanitory +vanitous +vanjarrah +vanlay +vanload +vanman +vanmen +vanmost +vannai +vanned +vanner +vannerman +vannermen +vannet +vannic +vanning +vannus +vanquish +vanquishable +vanquished +vanquisher +vanquishers +vanquishes +vanquishing +vanquishment +vans +vansire +vantage +vantageless +vantages +vantbrace +vantbrass +vanterie +vantguard +vanward +vapid +vapidism +vapidity +vapidities +vapidly +vapidness +vapocauterization +vapography +vapographic +vapor +vaporability +vaporable +vaporary +vaporarium +vaporate +vapored +vaporer +vaporers +vaporescence +vaporescent +vaporetti +vaporetto +vaporettos +vapory +vaporiferous +vaporiferousness +vaporific +vaporiform +vaporimeter +vaporiness +vaporing +vaporingly +vaporings +vaporise +vaporised +vaporises +vaporish +vaporishness +vaporising +vaporium +vaporizability +vaporizable +vaporization +vaporize +vaporized +vaporizer +vaporizers +vaporizes +vaporizing +vaporless +vaporlike +vaporograph +vaporographic +vaporose +vaporoseness +vaporosity +vaporous +vaporously +vaporousness +vapors +vaportight +vaporware +vapotherapy +vapour +vapourable +vapoured +vapourer +vapourers +vapourescent +vapoury +vapourific +vapourimeter +vapouring +vapouringly +vapourisable +vapourise +vapourised +vapouriser +vapourish +vapourishness +vapourising +vapourizable +vapourization +vapourize +vapourized +vapourizer +vapourizing +vapourose +vapourous +vapourously +vapours +vappa +vapulary +vapulate +vapulation +vapulatory +vaquero +vaqueros +var +vara +varactor +varahan +varan +varanger +varangi +varangian +varanian +varanid +varanidae +varanoid +varanus +varas +varda +vardapet +vardy +vardingale +vare +varec +varech +vareheaded +varella +vareuse +vargueno +vari +vary +varia +variability +variabilities +variable +variableness +variables +variably +variac +variadic +variag +variagles +variance +variances +variancy +variant +variantly +variants +variate +variated +variates +variating +variation +variational +variationally +variationist +variations +variatious +variative +variatively +variator +varical +varicated +varication +varicella +varicellar +varicellate +varicellation +varicelliform +varicelloid +varicellous +varices +variciform +varicoblepharon +varicocele +varicoid +varicolored +varicolorous +varicoloured +varicose +varicosed +varicoseness +varicosis +varicosity +varicosities +varicotomy +varicotomies +varicula +varidical +varied +variedly +variedness +variegate +variegated +variegates +variegating +variegation +variegations +variegator +varier +variers +varies +varietal +varietally +varietals +varietas +variety +varieties +varietism +varietist +varietur +varify +varificatory +variform +variformed +variformity +variformly +varigradation +varying +varyingly +varyings +varindor +varing +vario +variocoupler +variocuopler +variola +variolar +variolaria +variolas +variolate +variolated +variolating +variolation +variole +varioles +variolic +varioliform +variolite +variolitic +variolitization +variolization +varioloid +variolosser +variolous +variolovaccine +variolovaccinia +variometer +variorum +variorums +varios +variotinted +various +variously +variousness +variscite +varisized +varisse +varistor +varistors +varitype +varityped +varityping +varitypist +varix +varkas +varlet +varletaille +varletess +varletry +varletries +varlets +varletto +varmannie +varment +varments +varmint +varmints +varna +varnas +varnashrama +varnish +varnished +varnisher +varnishes +varnishy +varnishing +varnishlike +varnishment +varnpliktige +varnsingite +varolian +varronia +varronian +varsal +varsha +varsiter +varsity +varsities +varsovian +varsoviana +varsovienne +vartabed +varuna +varus +varuses +varve +varved +varvel +varves +vas +vasa +vasal +vasalled +vascla +vascon +vascons +vascula +vascular +vascularity +vascularities +vascularization +vascularize +vascularized +vascularizing +vascularly +vasculated +vasculature +vasculiferous +vasculiform +vasculitis +vasculogenesis +vasculolymphatic +vasculomotor +vasculose +vasculous +vasculum +vasculums +vase +vasectomy +vasectomies +vasectomise +vasectomised +vasectomising +vasectomize +vasectomized +vasectomizing +vaseful +vaselet +vaselike +vaseline +vasemaker +vasemaking +vases +vasewise +vasework +vashegyite +vasicentric +vasicine +vasifactive +vasiferous +vasiform +vasoactive +vasoactivity +vasoconstricting +vasoconstriction +vasoconstrictive +vasoconstrictor +vasoconstrictors +vasocorona +vasodentinal +vasodentine +vasodepressor +vasodilatation +vasodilatin +vasodilating +vasodilation +vasodilator +vasoepididymostomy +vasofactive +vasoformative +vasoganglion +vasohypertonic +vasohypotonic +vasoinhibitor +vasoinhibitory +vasoligation +vasoligature +vasomotion +vasomotor +vasomotory +vasomotorial +vasomotoric +vasoneurosis +vasoparesis +vasopressin +vasopressor +vasopuncture +vasoreflex +vasorrhaphy +vasosection +vasospasm +vasospastic +vasostimulant +vasostomy +vasotocin +vasotomy +vasotonic +vasotribe +vasotripsy +vasotrophic +vasovagal +vasovesiculectomy +vasquine +vassal +vassalage +vassaldom +vassaled +vassaless +vassalic +vassaling +vassalism +vassality +vassalize +vassalized +vassalizing +vassalless +vassalling +vassalry +vassals +vassalship +vassar +vassos +vast +vastate +vastation +vaster +vastest +vasty +vastidity +vastier +vastiest +vastily +vastiness +vastity +vastities +vastitude +vastly +vastness +vastnesses +vasts +vastus +vasu +vasudeva +vasundhara +vat +vateria +vates +vatful +vatfuls +vatic +vatical +vatically +vatican +vaticanal +vaticanic +vaticanical +vaticanism +vaticanist +vaticanization +vaticanize +vaticide +vaticides +vaticinal +vaticinant +vaticinate +vaticinated +vaticinating +vaticination +vaticinator +vaticinatory +vaticinatress +vaticinatrix +vaticine +vatmaker +vatmaking +vatman +vats +vatted +vatteluttu +vatter +vatting +vau +vaucheria +vaucheriaceae +vaucheriaceous +vaudeville +vaudevillian +vaudevillians +vaudevillist +vaudy +vaudios +vaudism +vaudois +vaudoux +vaughn +vaugnerite +vauguelinite +vault +vaultage +vaulted +vaultedly +vaulter +vaulters +vaulty +vaultier +vaultiest +vaulting +vaultings +vaultlike +vaults +vaumure +vaunce +vaunt +vauntage +vaunted +vaunter +vauntery +vaunters +vauntful +vaunty +vauntie +vauntiness +vaunting +vauntingly +vauntlay +vauntmure +vaunts +vauquelinite +vaurien +vaus +vauxhall +vauxhallian +vauxite +vav +vavasor +vavasory +vavasories +vavasors +vavasour +vavasours +vavassor +vavassors +vavs +vaw +vaward +vawards +vawntie +vaws +vax +vazimba +vb +vc +vd +veadar +veadore +veal +vealed +vealer +vealers +vealy +vealier +vealiest +vealiness +vealing +veallike +veals +vealskin +veau +vectigal +vection +vectis +vectitation +vectograph +vectographic +vector +vectorcardiogram +vectorcardiography +vectorcardiographic +vectored +vectorial +vectorially +vectoring +vectorization +vectorizing +vectors +vecture +veda +vedaic +vedaism +vedalia +vedalias +vedana +vedanga +vedanta +vedantic +vedantism +vedantist +vedda +veddoid +vedet +vedette +vedettes +vedic +vedika +vediovis +vedism +vedist +vedro +veduis +vee +veen +veena +veenas +veep +veepee +veepees +veeps +veer +veerable +veered +veery +veeries +veering +veeringly +veers +vees +vefry +veg +vega +vegan +veganism +veganisms +vegans +vegas +vegasite +vegeculture +vegetability +vegetable +vegetablelike +vegetables +vegetablewise +vegetably +vegetablize +vegetal +vegetalcule +vegetality +vegetant +vegetarian +vegetarianism +vegetarians +vegetate +vegetated +vegetates +vegetating +vegetation +vegetational +vegetationally +vegetationless +vegetative +vegetatively +vegetativeness +vegete +vegeteness +vegeterianism +vegetism +vegetist +vegetists +vegetive +vegetivorous +vegetoalkali +vegetoalkaline +vegetoalkaloid +vegetoanimal +vegetobituminous +vegetocarbonaceous +vegetomineral +vegetous +vehemence +vehemency +vehement +vehemently +vehicle +vehicles +vehicula +vehicular +vehiculary +vehicularly +vehiculate +vehiculation +vehiculatory +vehiculum +vehme +vehmgericht +vehmic +vei +veigle +veil +veiled +veiledly +veiledness +veiler +veilers +veily +veiling +veilings +veilless +veilleuse +veillike +veilmaker +veilmaking +veils +veiltail +vein +veinage +veinal +veinbanding +veined +veiner +veinery +veiners +veiny +veinier +veiniest +veininess +veining +veinings +veinless +veinlet +veinlets +veinlike +veinous +veins +veinstone +veinstuff +veinule +veinules +veinulet +veinulets +veinwise +veinwork +vejoces +vejovis +vejoz +vel +vela +velal +velamen +velamentous +velamentum +velamina +velar +velardenite +velary +velaria +velaric +velarium +velarization +velarize +velarized +velarizes +velarizing +velars +velate +velated +velating +velation +velatura +velchanos +velcro +veld +veldcraft +veldman +velds +veldschoen +veldschoenen +veldschoens +veldskoen +veldt +veldts +veldtschoen +veldtsman +velella +velellidous +veleta +velyarde +velic +velicate +veliferous +veliform +veliger +veligerous +veligers +velika +velitation +velites +vell +vellala +velleda +velleity +velleities +vellicate +vellicated +vellicating +vellication +vellicative +vellinch +vellincher +vellon +vellosin +vellosine +vellozia +velloziaceae +velloziaceous +vellum +vellumy +vellums +vellute +velo +veloce +velociman +velocimeter +velocious +velociously +velocipedal +velocipede +velocipedean +velocipeded +velocipedes +velocipedic +velocipeding +velocity +velocities +velocitous +velodrome +velometer +velour +velours +velout +veloute +veloutes +veloutine +velte +veltfare +velum +velumen +velumina +velunge +velure +velured +velures +veluring +velutina +velutinous +velveret +velverets +velvet +velvetbreast +velveted +velveteen +velveteened +velveteens +velvety +velvetiness +velveting +velvetleaf +velvetlike +velvetmaker +velvetmaking +velvetry +velvets +velvetseed +velvetweed +velvetwork +vena +venacularism +venada +venae +venal +venality +venalities +venalization +venalize +venally +venalness +venantes +venanzite +venatic +venatical +venatically +venation +venational +venations +venator +venatory +venatorial +venatorious +vencola +vend +vendable +vendace +vendaces +vendage +vendaval +vendean +vended +vendee +vendees +vender +venders +vendetta +vendettas +vendettist +vendeuse +vendibility +vendibilities +vendible +vendibleness +vendibles +vendibly +vendicate +vendidad +vending +vendis +venditate +venditation +vendition +venditor +vendor +vendors +vends +vendue +vendues +venectomy +vened +venedotian +veneer +veneered +veneerer +veneerers +veneering +veneers +venefic +venefical +venefice +veneficious +veneficness +veneficous +venemous +venenate +venenated +venenately +venenates +venenating +venenation +venene +veneniferous +venenific +venenosalivary +venenose +venenosi +venenosity +venenosus +venenosusi +venenous +venenousness +venepuncture +venerability +venerable +venerableness +venerably +veneracea +veneracean +veneraceous +veneral +veneralia +venerance +venerant +venerate +venerated +venerates +venerating +veneration +venerational +venerative +veneratively +venerativeness +venerator +venere +venereal +venerealness +venerean +venereology +venereological +venereologist +venereophobia +venereous +venerer +veneres +venery +venerial +venerian +veneridae +veneries +veneriform +veneris +venero +venerology +veneros +venerous +venesect +venesection +venesector +venesia +venetes +veneti +venetian +venetianed +venetians +venetic +veneur +venezolano +venezuela +venezuelan +venezuelans +venge +vengeable +vengeance +vengeancely +vengeant +venged +vengeful +vengefully +vengefulness +vengeously +venger +venges +venging +veny +veniable +venial +veniality +venialities +venially +venialness +veniam +venice +venie +venin +venine +venines +venins +veniplex +venipuncture +venire +venireman +veniremen +venires +venise +venisection +venison +venisonivorous +venisonlike +venisons +venisuture +venite +venizelist +venkata +venkisen +venlin +vennel +venner +venoatrial +venoauricular +venography +venom +venomed +venomer +venomers +venomy +venoming +venomization +venomize +venomless +venomly +venomness +venomosalivary +venomous +venomously +venomousness +venomproof +venoms +venomsome +venosal +venosclerosis +venose +venosinal +venosity +venosities +venostasis +venous +venously +venousness +vent +venta +ventage +ventages +ventail +ventails +ventana +vented +venter +venters +ventersdorp +venthole +ventiduct +ventifact +ventil +ventilable +ventilagin +ventilate +ventilated +ventilates +ventilating +ventilation +ventilative +ventilator +ventilatory +ventilators +ventin +venting +ventless +ventoy +ventometer +ventose +ventoseness +ventosity +ventpiece +ventrad +ventral +ventrally +ventralmost +ventrals +ventralward +ventric +ventricle +ventricles +ventricolumna +ventricolumnar +ventricornu +ventricornual +ventricose +ventricoseness +ventricosity +ventricous +ventricular +ventricularis +ventriculi +ventriculite +ventriculites +ventriculitic +ventriculitidae +ventriculogram +ventriculography +ventriculopuncture +ventriculoscopy +ventriculose +ventriculous +ventriculus +ventricumbent +ventriduct +ventrifixation +ventrilateral +ventrilocution +ventriloqual +ventriloqually +ventriloque +ventriloquy +ventriloquial +ventriloquially +ventriloquise +ventriloquised +ventriloquising +ventriloquism +ventriloquist +ventriloquistic +ventriloquists +ventriloquize +ventriloquizing +ventriloquous +ventriloquously +ventrimesal +ventrimeson +ventrine +ventripyramid +ventripotence +ventripotency +ventripotent +ventripotential +ventroaxial +ventroaxillary +ventrocaudal +ventrocystorrhaphy +ventrodorsad +ventrodorsal +ventrodorsally +ventrofixation +ventrohysteropexy +ventroinguinal +ventrolateral +ventrolaterally +ventromedial +ventromedially +ventromedian +ventromesal +ventromesial +ventromyel +ventroposterior +ventroptosia +ventroptosis +ventroscopy +ventrose +ventrosity +ventrosuspension +ventrotomy +ventrotomies +vents +venture +ventured +venturer +venturers +ventures +venturesome +venturesomely +venturesomeness +venturi +venturia +venturine +venturing +venturings +venturis +venturous +venturously +venturousness +venue +venues +venula +venulae +venular +venule +venules +venulose +venulous +venus +venusberg +venushair +venusian +venusians +venust +venusty +venutian +venville +veps +vepse +vepsish +ver +vera +veracious +veraciously +veraciousness +veracity +veracities +veray +verament +veranda +verandaed +verandah +verandahed +verandahs +verandas +verascope +veratral +veratralbin +veratralbine +veratraldehyde +veratrate +veratria +veratrias +veratric +veratridin +veratridine +veratryl +veratrylidene +veratrin +veratrina +veratrine +veratrinize +veratrinized +veratrinizing +veratrins +veratrize +veratrized +veratrizing +veratroidine +veratroyl +veratrol +veratrole +veratrum +veratrums +verb +verbal +verbalisation +verbalise +verbalised +verbaliser +verbalising +verbalism +verbalist +verbalistic +verbality +verbalities +verbalization +verbalizations +verbalize +verbalized +verbalizer +verbalizes +verbalizing +verbally +verbals +verbarian +verbarium +verbasco +verbascose +verbascum +verbate +verbatim +verbena +verbenaceae +verbenaceous +verbenalike +verbenalin +verbenarius +verbenas +verbenate +verbenated +verbenating +verbene +verbenol +verbenone +verberate +verberation +verberative +verbesina +verbesserte +verby +verbiage +verbiages +verbicide +verbiculture +verbid +verbids +verbify +verbification +verbified +verbifies +verbifying +verbigerate +verbigerated +verbigerating +verbigeration +verbigerative +verbile +verbiles +verbless +verbolatry +verbomania +verbomaniac +verbomotor +verbose +verbosely +verboseness +verbosity +verbosities +verboten +verbous +verbs +verbum +verchok +verd +verdancy +verdancies +verdant +verdantly +verdantness +verde +verdea +verdelho +verderer +verderers +verderership +verderor +verderors +verdet +verdetto +verdi +verdict +verdicts +verdigris +verdigrised +verdigrisy +verdin +verdins +verdite +verditer +verditers +verdoy +verdour +verdugo +verdugoship +verdun +verdure +verdured +verdureless +verdurer +verdures +verdurous +verdurousness +verecund +verecundity +verecundness +veredict +veredicto +veredictum +verey +verek +verenda +veretilliform +veretillum +vergaloo +verge +vergeboard +verged +vergence +vergences +vergency +vergent +vergentness +verger +vergeress +vergery +vergerism +vergerless +vergers +vergership +verges +vergi +vergiform +vergilian +vergilianism +verging +verglas +verglases +vergobret +vergoyne +vergunning +veri +very +veridic +veridical +veridicality +veridicalities +veridically +veridicalness +veridicous +veridity +verier +veriest +verify +verifiability +verifiable +verifiableness +verifiably +verificate +verification +verifications +verificative +verificatory +verified +verifier +verifiers +verifies +verifying +verily +veriment +verine +veriscope +verisimilar +verisimilarly +verisimility +verisimilitude +verisimilitudinous +verism +verismo +verismos +verisms +verist +veristic +verists +veritability +veritable +veritableness +veritably +veritas +veritates +verite +verity +verities +veritism +veritist +veritistic +verjuice +verjuiced +verjuices +verkrampte +verligte +vermeil +vermeils +vermenging +vermeology +vermeologist +vermes +vermetid +vermetidae +vermetio +vermetus +vermian +vermicelli +vermiceous +vermicidal +vermicide +vermicious +vermicle +vermicular +vermicularia +vermicularly +vermiculate +vermiculated +vermiculating +vermiculation +vermicule +vermiculite +vermiculites +vermiculose +vermiculosity +vermiculous +vermiform +vermiformia +vermiformis +vermiformity +vermiformous +vermifugal +vermifuge +vermifuges +vermifugous +vermigerous +vermigrade +vermil +vermily +vermilingues +vermilinguia +vermilinguial +vermilion +vermilionette +vermilionize +vermillion +vermin +verminal +verminate +verminated +verminating +vermination +verminer +verminy +verminicidal +verminicide +verminiferous +verminly +verminlike +verminosis +verminous +verminously +verminousness +verminproof +vermiparous +vermiparousness +vermiphobia +vermis +vermivorous +vermivorousness +vermix +vermont +vermonter +vermonters +vermontese +vermorel +vermoulu +vermoulue +vermouth +vermouths +vermuth +vermuths +vern +vernaccia +vernacle +vernacles +vernacular +vernacularisation +vernacularise +vernacularised +vernacularising +vernacularism +vernacularist +vernacularity +vernacularization +vernacularize +vernacularized +vernacularizing +vernacularly +vernacularness +vernaculars +vernaculate +vernaculous +vernage +vernal +vernalisation +vernalise +vernalised +vernalising +vernality +vernalization +vernalize +vernalized +vernalizes +vernalizing +vernally +vernant +vernation +verneuk +verneuker +verneukery +vernicle +vernicles +vernicose +vernier +verniers +vernile +vernility +vernin +vernine +vernissage +vernition +vernix +vernixes +vernon +vernonia +vernoniaceous +vernonieae +vernonin +verona +veronal +veronalism +veronese +veronica +veronicas +veronicella +veronicellidae +verpa +verquere +verray +verre +verrel +verrell +verry +verriculate +verriculated +verricule +verriere +verruca +verrucae +verrucano +verrucaria +verrucariaceae +verrucariaceous +verrucarioid +verrucated +verruciferous +verruciform +verrucose +verrucoseness +verrucosis +verrucosity +verrucosities +verrucous +verruculose +verruga +verrugas +vers +versa +versability +versable +versableness +versailles +versal +versant +versants +versate +versatec +versatile +versatilely +versatileness +versatility +versatilities +versation +versative +verse +versecraft +versed +verseless +verselet +versemaker +versemaking +verseman +versemanship +versemen +versemonger +versemongery +versemongering +verser +versers +verses +versesmith +verset +versets +versette +verseward +versewright +versicle +versicler +versicles +versicolor +versicolorate +versicolored +versicolorous +versicolour +versicoloured +versicular +versicule +versiculi +versiculus +versiera +versify +versifiable +versifiaster +versification +versifications +versificator +versificatory +versificatrix +versified +versifier +versifiers +versifies +versifying +versiform +versiloquy +versin +versine +versines +versing +version +versional +versioner +versionist +versionize +versions +versipel +verso +versor +versos +verst +versta +verste +verstes +versts +versual +versus +versute +vert +vertebra +vertebrae +vertebral +vertebraless +vertebrally +vertebraria +vertebrarium +vertebrarterial +vertebras +vertebrata +vertebrate +vertebrated +vertebrates +vertebration +vertebre +vertebrectomy +vertebriform +vertebroarterial +vertebrobasilar +vertebrochondral +vertebrocostal +vertebrodymus +vertebrofemoral +vertebroiliac +vertebromammary +vertebrosacral +vertebrosternal +vertep +vertex +vertexes +verty +vertibility +vertible +vertibleness +vertical +verticaled +verticaling +verticalism +verticality +verticalled +vertically +verticalling +verticalness +verticals +vertices +verticil +verticillary +verticillaster +verticillastrate +verticillate +verticillated +verticillately +verticillation +verticilli +verticilliaceous +verticilliose +verticillium +verticillus +verticils +verticity +verticomental +verticordious +vertiginate +vertigines +vertiginous +vertiginously +vertiginousness +vertigo +vertigoes +vertigos +vertilinear +vertimeter +verts +vertu +vertugal +vertumnus +vertus +verulamian +veruled +verumontanum +verus +veruta +verutum +vervain +vervainlike +vervains +verve +vervecean +vervecine +vervel +verveled +vervelle +vervelled +vervenia +verver +verves +vervet +vervets +vervine +verzini +verzino +vesalian +vesania +vesanic +vesbite +vese +vesica +vesicae +vesical +vesicant +vesicants +vesicate +vesicated +vesicates +vesicating +vesication +vesicatory +vesicatories +vesicle +vesicles +vesicoabdominal +vesicocavernous +vesicocele +vesicocervical +vesicoclysis +vesicofixation +vesicointestinal +vesicoprostatic +vesicopubic +vesicorectal +vesicosigmoid +vesicospinal +vesicotomy +vesicovaginal +vesicula +vesiculae +vesicular +vesiculary +vesicularia +vesicularity +vesicularly +vesiculase +vesiculata +vesiculatae +vesiculate +vesiculated +vesiculating +vesiculation +vesicule +vesiculectomy +vesiculiferous +vesiculiform +vesiculigerous +vesiculitis +vesiculobronchial +vesiculocavernous +vesiculopustular +vesiculose +vesiculotympanic +vesiculotympanitic +vesiculotomy +vesiculotubular +vesiculous +vesiculus +vesicupapular +vesigia +veskit +vesp +vespa +vespacide +vespal +vesper +vesperal +vesperals +vespery +vesperian +vespering +vespers +vespertide +vespertilian +vespertilio +vespertiliones +vespertilionid +vespertilionidae +vespertilioninae +vespertilionine +vespertinal +vespertine +vespetro +vespiary +vespiaries +vespid +vespidae +vespids +vespiform +vespina +vespine +vespoid +vespoidea +vespucci +vessel +vesseled +vesselful +vesselled +vessels +vesses +vessets +vessicnon +vessignon +vest +vesta +vestal +vestalia +vestally +vestals +vestalship +vestas +vested +vestee +vestees +vester +vestiary +vestiarian +vestiaries +vestiarium +vestible +vestibula +vestibular +vestibulary +vestibulate +vestibule +vestibuled +vestibules +vestibuling +vestibulospinal +vestibulum +vestigal +vestige +vestiges +vestigia +vestigial +vestigially +vestigian +vestigiary +vestigium +vestiment +vestimental +vestimentary +vesting +vestings +vestini +vestinian +vestiture +vestless +vestlet +vestlike +vestment +vestmental +vestmentary +vestmented +vestments +vestral +vestralization +vestry +vestrical +vestrydom +vestries +vestrify +vestrification +vestryhood +vestryish +vestryism +vestryize +vestryman +vestrymanly +vestrymanship +vestrymen +vests +vestuary +vestural +vesture +vestured +vesturer +vestures +vesturing +vesuvian +vesuvianite +vesuvians +vesuviate +vesuvin +vesuvite +vesuvius +veszelyite +vet +veta +vetanda +vetch +vetches +vetchy +vetchier +vetchiest +vetchlike +vetchling +veter +veteran +veterancy +veteraness +veteranize +veterans +veterinary +veterinarian +veterinarianism +veterinarians +veterinaries +vetitive +vetivene +vetivenol +vetiver +vetiveria +vetivers +vetivert +vetkousie +veto +vetoed +vetoer +vetoers +vetoes +vetoing +vetoism +vetoist +vetoistic +vetoistical +vets +vetted +vetting +vettura +vetture +vetturino +vetus +vetust +vetusty +veuglaire +veuve +vex +vexable +vexation +vexations +vexatious +vexatiously +vexatiousness +vexatory +vexed +vexedly +vexedness +vexer +vexers +vexes +vexful +vexil +vexilla +vexillar +vexillary +vexillaries +vexillarious +vexillate +vexillation +vexillology +vexillologic +vexillological +vexillologist +vexillum +vexils +vexing +vexingly +vexingness +vext +vg +vi +via +viability +viabilities +viable +viableness +viably +viaduct +viaducts +viage +viaggiatory +viagram +viagraph +viajaca +vial +vialed +vialful +vialing +vialled +vialling +vialmaker +vialmaking +vialogue +vials +viameter +viand +viande +vianden +viander +viandry +viands +vias +vyase +viasma +viatic +viatica +viatical +viaticals +viaticum +viaticums +viatometer +viator +viatores +viatorial +viatorially +viators +vibe +vibes +vibetoite +vibex +vibgyor +vibices +vibioid +vibist +vibists +vibix +vibracula +vibracular +vibracularium +vibraculoid +vibraculum +vibraharp +vibraharpist +vibraharps +vibrance +vibrances +vibrancy +vibrancies +vibrant +vibrantly +vibrants +vibraphone +vibraphones +vibraphonist +vibrate +vibrated +vibrates +vibratile +vibratility +vibrating +vibratingly +vibration +vibrational +vibrationless +vibrations +vibratiuncle +vibratiunculation +vibrative +vibrato +vibrator +vibratory +vibrators +vibratos +vibrio +vibrioid +vibrion +vibrionic +vibrions +vibrios +vibriosis +vibrissa +vibrissae +vibrissal +vibrograph +vibromassage +vibrometer +vibromotive +vibronic +vibrophone +vibroscope +vibroscopic +vibrotherapeutics +viburnic +viburnin +viburnum +viburnums +vic +vica +vicaire +vicar +vicara +vicarage +vicarages +vicarate +vicarates +vicarchoral +vicaress +vicargeneral +vicary +vicarial +vicarian +vicarianism +vicariate +vicariates +vicariateship +vicarii +vicariism +vicarious +vicariously +vicariousness +vicarius +vicarly +vicars +vicarship +vice +vicecomes +vicecomital +vicecomites +viced +vicegeral +vicegerency +vicegerencies +vicegerent +vicegerents +vicegerentship +viceless +vicelike +vicenary +vicennial +viceregal +viceregally +viceregency +viceregent +viceregents +vicereine +viceroy +viceroyal +viceroyalty +viceroydom +viceroies +viceroys +viceroyship +vices +vicesimal +vicety +viceversally +vichy +vichies +vichyite +vichyssoise +vicia +vicianin +vicianose +vicilin +vicinage +vicinages +vicinal +vicine +vicing +vicinity +vicinities +viciosity +vicious +viciously +viciousness +vicissitous +vicissitude +vicissitudes +vicissitudinary +vicissitudinous +vicissitudinousness +vick +vicki +vicky +vickie +vicoite +vicomte +vicomtes +vicomtesse +vicomtesses +vicontiel +vicontiels +victal +victim +victimhood +victimisation +victimise +victimised +victimiser +victimising +victimizable +victimization +victimizations +victimize +victimized +victimizer +victimizers +victimizes +victimizing +victimless +victims +victless +victor +victordom +victoress +victorfish +victorfishes +victory +victoria +victorian +victorianism +victorianize +victorianly +victorians +victorias +victoriate +victoriatus +victories +victoryless +victorine +victorious +victoriously +victoriousness +victorium +victors +victress +victresses +victrices +victrix +victrola +victual +victualage +victualed +victualer +victualers +victualing +victualled +victualler +victuallers +victuallership +victualless +victualling +victualry +victuals +victus +vicua +vicualling +vicuda +vicugna +vicugnas +vicuna +vicunas +vicus +vidame +viddhal +viddui +vidduy +vide +videlicet +videnda +videndum +video +videocassette +videocassettes +videocast +videocasting +videodisc +videodiscs +videodisk +videogenic +videophone +videos +videotape +videotaped +videotapes +videotaping +videotex +videotext +videruff +vidette +videttes +videtur +vidhyanath +vidya +vidian +vidicon +vidicons +vidimus +vidkid +vidkids +vidonia +vidry +vidua +viduage +vidual +vidually +viduate +viduated +viduation +viduinae +viduine +viduity +viduities +viduous +vie +vied +vielle +vienna +viennese +vier +vierkleur +vierling +viers +viertel +viertelein +vies +vietcong +vietminh +vietnam +vietnamese +vietnamization +view +viewable +viewably +viewed +viewer +viewers +viewfinder +viewfinders +viewy +viewier +viewiest +viewiness +viewing +viewings +viewless +viewlessly +viewlessness +viewly +viewpoint +viewpoints +viewport +views +viewsome +viewster +viewworthy +vifda +viga +vigas +vigentennial +vigesimal +vigesimation +vigesimo +vigesimoquarto +vigesimos +viggle +vigia +vigias +vigil +vigilance +vigilancy +vigilant +vigilante +vigilantes +vigilantism +vigilantist +vigilantly +vigilantness +vigilate +vigilation +vigils +vigintiangular +vigintillion +vigintillionth +vigneron +vignerons +vignette +vignetted +vignetter +vignettes +vignetting +vignettist +vignettists +vignin +vigogne +vigone +vigonia +vigor +vigorish +vigorishes +vigorist +vigorless +vigoroso +vigorous +vigorously +vigorousness +vigors +vigour +vigours +vihara +vihuela +vii +viii +vying +vyingly +vijay +vijao +viking +vikingism +vikinglike +vikings +vikingship +vil +vila +vilayet +vilayets +vild +vildly +vildness +vile +vilehearted +vileyns +vilela +vilely +vileness +vilenesses +viler +vilest +vilhelm +vili +viliaco +vilicate +vilify +vilification +vilifications +vilified +vilifier +vilifiers +vilifies +vilifying +vilifyingly +vilipend +vilipended +vilipender +vilipending +vilipendious +vilipenditory +vilipends +vility +vilities +vill +villa +villache +villadom +villadoms +villae +villaette +village +villageful +villagehood +villagey +villageless +villagelet +villagelike +villageous +villager +villageress +villagery +villagers +villages +villaget +villageward +villagy +villagism +villayet +villain +villainage +villaindom +villainess +villainesses +villainy +villainies +villainist +villainize +villainous +villainously +villainousness +villainproof +villains +villakin +villaless +villalike +villan +villanage +villancico +villanella +villanelle +villanette +villanous +villanously +villanova +villanovan +villar +villarsite +villas +villate +villatic +ville +villegiatura +villegiature +villein +villeinage +villeiness +villeinhold +villeins +villeity +villenage +villi +villiaumite +villicus +villiferous +villiform +villiplacental +villiplacentalia +villitis +villoid +villose +villosity +villosities +villota +villote +villous +villously +vills +villus +vim +vimana +vimen +vimful +vimina +viminal +vimineous +vimpa +vims +vin +vina +vinaceous +vinaconic +vinage +vinagron +vinaigre +vinaigrette +vinaigretted +vinaigrettes +vinaigrier +vinaigrous +vinal +vinalia +vinals +vinas +vinasse +vinasses +vinata +vinblastine +vinca +vincas +vince +vincent +vincentian +vincenzo +vincetoxicum +vincetoxin +vinchuca +vinci +vincibility +vincible +vincibleness +vincibly +vincristine +vincula +vincular +vinculate +vinculation +vinculo +vinculula +vinculum +vinculums +vindaloo +vindelici +vindemial +vindemiate +vindemiation +vindemiatory +vindemiatrix +vindex +vindhyan +vindicability +vindicable +vindicableness +vindicably +vindicate +vindicated +vindicates +vindicating +vindication +vindications +vindicative +vindicatively +vindicativeness +vindicator +vindicatory +vindicatorily +vindicators +vindicatorship +vindicatress +vindices +vindict +vindicta +vindictive +vindictively +vindictiveness +vindictivolence +vindresser +vine +vinea +vineae +vineal +vineatic +vined +vinedresser +vinegar +vinegarer +vinegarette +vinegary +vinegariness +vinegarish +vinegarishness +vinegarist +vinegarlike +vinegarroon +vinegars +vinegarweed +vinegerone +vinegrower +vineyard +vineyarder +vineyarding +vineyardist +vineyards +vineity +vineland +vineless +vinelet +vinelike +viner +vinery +vineries +vines +vinestalk +vinet +vinetta +vinew +vinewise +vingerhoed +vingolf +vingt +vingtieme +vingtun +vinhatico +viny +vinic +vinicultural +viniculture +viniculturist +vinier +viniest +vinifera +viniferas +viniferous +vinification +vinificator +vinyl +vinylacetylene +vinylate +vinylated +vinylating +vinylation +vinylbenzene +vinylene +vinylethylene +vinylic +vinylidene +vinylite +vinyls +vining +vinyon +vinitor +vinland +vinny +vino +vinoacetous +vinod +vinolence +vinolent +vinology +vinologist +vinometer +vinomethylic +vinos +vinose +vinosity +vinosities +vinosulphureous +vinous +vinously +vinousness +vinquish +vins +vint +vinta +vintage +vintaged +vintager +vintagers +vintages +vintaging +vintem +vintener +vinter +vintlite +vintner +vintneress +vintnery +vintners +vintnership +vintress +vintry +vinum +viol +viola +violability +violable +violableness +violably +violaceae +violacean +violaceous +violaceously +violal +violales +violan +violand +violanin +violaquercitrin +violas +violate +violated +violater +violaters +violates +violating +violation +violational +violations +violative +violator +violatory +violators +violature +violence +violences +violency +violent +violently +violentness +violer +violescent +violet +violety +violetish +violetlike +violets +violette +violetwise +violin +violina +violine +violined +violinette +violining +violinist +violinistic +violinistically +violinists +violinless +violinlike +violinmaker +violinmaking +violino +violins +violist +violists +violmaker +violmaking +violon +violoncellist +violoncellists +violoncello +violoncellos +violone +violones +violotta +violous +viols +violuric +viomycin +viomycins +viosterol +vip +viper +vipera +viperan +viperess +viperfish +viperfishes +vipery +viperian +viperid +viperidae +viperiform +viperina +viperinae +viperine +viperish +viperishly +viperlike +viperling +viperoid +viperoidea +viperous +viperously +viperousness +vipers +vipolitic +vipresident +vips +viqueen +vira +viragin +viraginian +viraginity +viraginous +virago +viragoes +viragoish +viragolike +viragos +viragoship +viral +virales +virally +virason +virbius +vire +virelai +virelay +virelais +virelays +virement +viremia +viremias +viremic +virent +vireo +vireonine +vireos +vires +virescence +virescent +virga +virgal +virgas +virgate +virgated +virgater +virgates +virgation +virge +virger +virgil +virgilia +virgilian +virgilism +virgin +virginal +virginale +virginalist +virginality +virginally +virginals +virgineous +virginhead +virginia +virginian +virginians +virginid +virginity +virginities +virginitis +virginityship +virginium +virginly +virginlike +virgins +virginship +virgo +virgos +virgouleuse +virgula +virgular +virgularia +virgularian +virgulariidae +virgulate +virgule +virgules +virgultum +virial +viricidal +viricide +viricides +virid +viridaria +viridarium +viridene +viridescence +viridescent +viridian +viridians +viridigenous +viridin +viridine +viridite +viridity +viridities +virify +virific +virile +virilely +virileness +virilescence +virilescent +virilia +virilify +viriliously +virilism +virilisms +virilist +virility +virilities +virilization +virilize +virilizing +virilocal +virilocally +virion +virions +viripotent +viritoot +viritrate +virl +virled +virls +vyrnwy +virole +viroled +virology +virologic +virological +virologically +virologies +virologist +virologists +viron +virose +viroses +virosis +virous +virtu +virtual +virtualism +virtualist +virtuality +virtualize +virtually +virtue +virtued +virtuefy +virtueless +virtuelessness +virtueproof +virtues +virtuless +virtuosa +virtuosas +virtuose +virtuosi +virtuosic +virtuosity +virtuosities +virtuoso +virtuosos +virtuosoship +virtuous +virtuously +virtuouslike +virtuousness +virtus +virtuti +virtutis +virucidal +virucide +virucides +viruela +virulence +virulences +virulency +virulencies +virulent +virulented +virulently +virulentness +viruliferous +virus +viruscidal +viruscide +virusemic +viruses +viruslike +virustatic +vis +visa +visaed +visage +visaged +visages +visagraph +visaya +visayan +visaing +visammin +visard +visards +visarga +visas +viscacha +viscachas +viscera +visceral +visceralgia +viscerally +visceralness +viscerate +viscerated +viscerating +visceration +visceripericardial +viscerogenic +visceroinhibitory +visceromotor +visceroparietal +visceroperitioneal +visceropleural +visceroptosis +visceroptotic +viscerosensory +visceroskeletal +viscerosomatic +viscerotomy +viscerotonia +viscerotonic +viscerotrophic +viscerotropic +viscerous +viscid +viscidity +viscidities +viscidize +viscidly +viscidness +viscidulous +viscin +viscoelastic +viscoelasticity +viscoid +viscoidal +viscolize +viscometer +viscometry +viscometric +viscometrical +viscometrically +viscontal +viscontial +viscoscope +viscose +viscoses +viscosimeter +viscosimetry +viscosimetric +viscosity +viscosities +viscount +viscountcy +viscountcies +viscountess +viscountesses +viscounty +viscounts +viscountship +viscous +viscously +viscousness +viscum +viscus +vise +vised +viseed +viseing +viselike +viseman +visement +visenomy +vises +vishal +vishnavite +vishnu +vishnuism +vishnuite +vishnuvite +visibility +visibilities +visibilize +visible +visibleness +visibly +visie +visier +visigoth +visigothic +visile +vising +vision +visional +visionally +visionary +visionaries +visionarily +visionariness +visioned +visioner +visionic +visioning +visionist +visionize +visionless +visionlike +visionmonger +visionproof +visions +visit +visita +visitable +visitador +visitandine +visitant +visitants +visitate +visitation +visitational +visitations +visitative +visitator +visitatorial +visite +visited +visitee +visiter +visiters +visiting +visitment +visitor +visitoress +visitorial +visitors +visitorship +visitress +visitrix +visits +visive +visne +visney +visnomy +vison +visor +visored +visory +visoring +visorless +visorlike +visors +viss +vista +vistaed +vistal +vistaless +vistamente +vistas +vistlik +visto +vistulian +visual +visualisable +visualisation +visualiser +visualist +visuality +visualities +visualizable +visualization +visualizations +visualize +visualized +visualizer +visualizers +visualizes +visualizing +visually +visuals +visuoauditory +visuokinesthetic +visuometer +visuopsychic +visuosensory +vita +vitaceae +vitaceous +vitae +vitaglass +vitagraph +vital +vitalic +vitalisation +vitalise +vitalised +vitaliser +vitalises +vitalising +vitalism +vitalisms +vitalist +vitalistic +vitalistically +vitalists +vitality +vitalities +vitalization +vitalize +vitalized +vitalizer +vitalizers +vitalizes +vitalizing +vitalizingly +vitally +vitallium +vitalness +vitals +vitamer +vitameric +vitamers +vitamin +vitamine +vitamines +vitaminic +vitaminization +vitaminize +vitaminized +vitaminizing +vitaminology +vitaminologist +vitamins +vitapath +vitapathy +vitaphone +vitascope +vitascopic +vitasti +vitativeness +vite +vitellary +vitellarian +vitellarium +vitellicle +vitelliferous +vitelligenous +vitelligerous +vitellin +vitelline +vitellins +vitellogene +vitellogenesis +vitellogenous +vitellose +vitellus +vitelluses +viterbite +vitesse +vitesses +vithayasai +viti +vitiable +vitial +vitiate +vitiated +vitiates +vitiating +vitiation +vitiator +vitiators +viticeta +viticetum +viticetums +viticulose +viticultural +viticulture +viticulturer +viticulturist +viticulturists +vitiferous +vitilago +vitiliginous +vitiligo +vitiligoid +vitiligoidea +vitiligos +vitilitigate +vitiosity +vitiosities +vitis +vitita +vitium +vitochemic +vitochemical +vitra +vitrage +vitrail +vitrailed +vitrailist +vitraillist +vitrain +vitraux +vitreal +vitrean +vitrella +vitremyte +vitreodentinal +vitreodentine +vitreoelectric +vitreosity +vitreous +vitreously +vitreouslike +vitreousness +vitrescence +vitrescency +vitrescent +vitrescibility +vitrescible +vitreum +vitry +vitrial +vitric +vitrics +vitrifaction +vitrifacture +vitrify +vitrifiability +vitrifiable +vitrificate +vitrification +vitrified +vitrifies +vitrifying +vitriform +vitrina +vitrine +vitrines +vitrinoid +vitriol +vitriolate +vitriolated +vitriolating +vitriolation +vitrioled +vitriolic +vitriolically +vitrioline +vitrioling +vitriolizable +vitriolization +vitriolize +vitriolized +vitriolizer +vitriolizing +vitriolled +vitriolling +vitriols +vitrite +vitro +vitrobasalt +vitrophyre +vitrophyric +vitrotype +vitrous +vitrum +vitruvian +vitruvianism +vitta +vittae +vittate +vittle +vittled +vittles +vittling +vitular +vitulary +vituline +vituper +vituperable +vituperance +vituperate +vituperated +vituperates +vituperating +vituperation +vituperations +vituperatiou +vituperative +vituperatively +vituperator +vituperatory +vitupery +vituperious +vituperous +viuva +viva +vivace +vivacious +vivaciously +vivaciousness +vivacissimo +vivacity +vivacities +vivamente +vivandi +vivandier +vivandiere +vivandieres +vivandire +vivant +vivants +vivary +vivaria +vivaries +vivariia +vivariiums +vivarium +vivariums +vivarvaria +vivas +vivat +vivax +vivda +vive +vivek +vively +vivency +vivendi +viver +viverra +viverrid +viverridae +viverrids +viverriform +viverrinae +viverrine +vivers +vives +viveur +vivian +vivianite +vivicremation +vivid +vivider +vividest +vividialysis +vividiffusion +vividissection +vividity +vividly +vividness +vivify +vivific +vivifical +vivificant +vivificate +vivificated +vivificating +vivification +vivificative +vivificator +vivified +vivifier +vivifiers +vivifies +vivifying +vivipara +vivipary +viviparism +viviparity +viviparities +viviparous +viviparously +viviparousness +viviperfuse +vivisect +vivisected +vivisectible +vivisecting +vivisection +vivisectional +vivisectionally +vivisectionist +vivisectionists +vivisective +vivisector +vivisectorium +vivisects +vivisepulture +vivo +vivos +vivre +vivres +vixen +vixenish +vixenishly +vixenishness +vixenly +vixenlike +vixens +viz +vizament +vizard +vizarded +vizarding +vizardless +vizardlike +vizardmonger +vizards +vizcacha +vizcachas +vizier +vizierate +viziercraft +vizierial +viziers +viziership +vizir +vizirate +vizirates +vizircraft +vizirial +vizirs +vizirship +viznomy +vizor +vizored +vizoring +vizorless +vizors +vizsla +vizslas +vizzy +vl +vlach +vladimir +vladislav +vlei +vlsi +vmintegral +vmsize +vo +voar +vobis +voc +vocab +vocability +vocable +vocables +vocably +vocabular +vocabulary +vocabularian +vocabularied +vocabularies +vocabulation +vocabulist +vocal +vocalic +vocalically +vocalics +vocalion +vocalisation +vocalisations +vocalise +vocalised +vocalises +vocalising +vocalism +vocalisms +vocalist +vocalistic +vocalists +vocality +vocalities +vocalizable +vocalization +vocalizations +vocalize +vocalized +vocalizer +vocalizers +vocalizes +vocalizing +vocaller +vocally +vocalness +vocals +vocat +vocate +vocation +vocational +vocationalism +vocationalist +vocationalization +vocationalize +vocationally +vocations +vocative +vocatively +vocatives +voce +voces +vochysiaceae +vochysiaceous +vocicultural +vociferance +vociferanced +vociferancing +vociferant +vociferate +vociferated +vociferates +vociferating +vociferation +vociferations +vociferative +vociferator +vociferize +vociferosity +vociferous +vociferously +vociferousness +vocification +vocimotor +vocoder +vocoders +vocoid +vocular +vocule +vod +voder +vodka +vodkas +vodum +vodums +vodun +voe +voes +voet +voeten +voetganger +voetian +voetsak +voetsek +voetstoots +vog +vogesite +vogie +voglite +vogt +vogue +voguey +vogues +voguish +voguishness +vogul +voyage +voyageable +voyaged +voyager +voyagers +voyages +voyageur +voyageurs +voyaging +voyagings +voyance +voice +voiceband +voiced +voicedness +voiceful +voicefulness +voiceless +voicelessly +voicelessness +voicelet +voicelike +voiceprint +voiceprints +voicer +voicers +voices +voicing +void +voidable +voidableness +voidance +voidances +voided +voidee +voider +voiders +voiding +voidless +voidly +voidness +voidnesses +voids +voyeur +voyeurism +voyeuristic +voyeuristically +voyeurs +voyeuse +voyeuses +voila +voile +voiles +voilier +voisinage +voiture +voitures +voiturette +voiturier +voiturin +voivod +voivode +voivodeship +vol +volable +volacious +volador +volage +volaille +volans +volant +volante +volantly +volapie +volapuk +volapuker +volapukism +volapukist +volar +volary +volata +volatic +volatile +volatilely +volatileness +volatiles +volatilisable +volatilisation +volatilise +volatilised +volatiliser +volatilising +volatility +volatilities +volatilizable +volatilization +volatilize +volatilized +volatilizer +volatilizes +volatilizing +volation +volational +volatize +volborthite +volcae +volcan +volcanalia +volcanian +volcanic +volcanically +volcanicity +volcanics +volcanism +volcanist +volcanite +volcanity +volcanizate +volcanization +volcanize +volcanized +volcanizing +volcano +volcanoes +volcanoism +volcanology +volcanologic +volcanological +volcanologist +volcanologists +volcanologize +volcanos +volcanus +vole +voled +volemite +volemitol +volency +volens +volent +volente +volenti +volently +volery +voleries +voles +volet +volga +volhynite +volyer +voling +volipresence +volipresent +volitant +volitate +volitation +volitational +volitiency +volitient +volition +volitional +volitionalist +volitionality +volitionally +volitionary +volitionate +volitionless +volitions +volitive +volitorial +volkerwanderung +volkslied +volkslieder +volksraad +volkswagen +volkswagens +volley +volleyball +volleyballs +volleyed +volleyer +volleyers +volleying +volleyingly +volleys +vollenge +volost +volosts +volow +volpane +volplane +volplaned +volplanes +volplaning +volplanist +vols +volsci +volscian +volsella +volsellum +volstead +volsteadism +volt +volta +voltaelectric +voltaelectricity +voltaelectrometer +voltaelectrometric +voltage +voltages +voltagraphy +voltaic +voltaire +voltairean +voltairian +voltairianize +voltairish +voltairism +voltaism +voltaisms +voltaite +voltameter +voltametric +voltammeter +voltaplast +voltatype +volte +volteador +volteadores +voltes +volti +voltigeur +voltinism +voltivity +voltize +voltmeter +voltmeters +volto +volts +voltzine +voltzite +volubilate +volubility +voluble +volubleness +volubly +volucrine +volume +volumed +volumen +volumenometer +volumenometry +volumes +volumescope +volumeter +volumetry +volumetric +volumetrical +volumetrically +volumette +volumina +voluminal +voluming +voluminosity +voluminous +voluminously +voluminousness +volumist +volumometer +volumometry +volumometrical +voluntary +voluntariate +voluntaries +voluntaryism +voluntaryist +voluntarily +voluntariness +voluntarious +voluntarism +voluntarist +voluntaristic +voluntarity +voluntative +volunteer +volunteered +volunteering +volunteerism +volunteerly +volunteers +volunteership +volunty +voluper +volupt +voluptary +voluptas +volupte +volupty +voluptuary +voluptuarian +voluptuaries +voluptuate +voluptuosity +voluptuous +voluptuously +voluptuousness +voluspa +voluta +volutae +volutate +volutation +volute +voluted +volutes +volutidae +volutiform +volutin +volutins +volution +volutions +volutoid +volva +volvas +volvate +volvell +volvelle +volvent +volvocaceae +volvocaceous +volvox +volvoxes +volvuli +volvullus +volvulus +volvuluses +vombatid +vomer +vomerine +vomerobasilar +vomeronasal +vomeropalatine +vomers +vomica +vomicae +vomicin +vomicine +vomit +vomitable +vomited +vomiter +vomiters +vomity +vomiting +vomitingly +vomition +vomitive +vomitiveness +vomitives +vomito +vomitory +vomitoria +vomitories +vomitorium +vomitos +vomitous +vomits +vomiture +vomiturition +vomitus +vomituses +vomitwort +vomtoria +von +vondsira +vonsenite +voodoo +voodooed +voodooing +voodooism +voodooist +voodooistic +voodoos +voorhuis +voorlooper +voortrekker +voracious +voraciously +voraciousness +voracity +voracities +vorage +voraginous +vorago +vorant +voraz +vorhand +vorlage +vorlages +vorlooper +vorondreo +vorpal +vorspiel +vortex +vortexes +vortical +vortically +vorticel +vorticella +vorticellae +vorticellas +vorticellid +vorticellidae +vorticellum +vortices +vorticial +vorticiform +vorticism +vorticist +vorticity +vorticities +vorticose +vorticosely +vorticular +vorticularly +vortiginous +vortumnus +vosgian +vota +votable +votal +votally +votaress +votaresses +votary +votaries +votarist +votarists +votation +vote +voteable +voted +voteen +voteless +voter +voters +votes +votyak +voting +votish +votist +votive +votively +votiveness +votograph +votometer +votress +votresses +vouch +vouchable +vouched +vouchee +vouchees +voucher +voucherable +vouchered +voucheress +vouchering +vouchers +vouches +vouching +vouchment +vouchor +vouchsafe +vouchsafed +vouchsafement +vouchsafer +vouchsafes +vouchsafing +vouge +vougeot +voulge +vouli +voussoir +voussoirs +voust +vouster +vousty +vow +vowed +vowel +vowely +vowelisation +vowelish +vowelism +vowelist +vowelization +vowelize +vowelized +vowelizes +vowelizing +vowelled +vowelless +vowellessness +vowelly +vowellike +vowels +vower +vowers +vowess +vowing +vowless +vowmaker +vowmaking +vows +vowson +vox +vp +vr +vraic +vraicker +vraicking +vraisemblance +vrbaite +vriddhi +vril +vrille +vrilled +vrilling +vrocht +vroom +vroomed +vrooming +vrooms +vrother +vrouw +vrouws +vrow +vrows +vs +vss +vt +vu +vucom +vucoms +vug +vugg +vuggy +vuggs +vugh +vughs +vugs +vulcan +vulcanalia +vulcanalial +vulcanalian +vulcanian +vulcanic +vulcanicity +vulcanisable +vulcanisation +vulcanise +vulcanised +vulcaniser +vulcanising +vulcanism +vulcanist +vulcanite +vulcanizable +vulcanizate +vulcanization +vulcanize +vulcanized +vulcanizer +vulcanizers +vulcanizes +vulcanizing +vulcano +vulcanology +vulcanological +vulcanologist +vulg +vulgar +vulgare +vulgarer +vulgarest +vulgarian +vulgarians +vulgarisation +vulgarise +vulgarised +vulgariser +vulgarish +vulgarising +vulgarism +vulgarisms +vulgarist +vulgarity +vulgarities +vulgarization +vulgarizations +vulgarize +vulgarized +vulgarizer +vulgarizers +vulgarizes +vulgarizing +vulgarly +vulgarlike +vulgarness +vulgars +vulgarwise +vulgate +vulgates +vulgo +vulgus +vulguses +vuln +vulned +vulnerability +vulnerabilities +vulnerable +vulnerableness +vulnerably +vulneral +vulnerary +vulneraries +vulnerate +vulneration +vulnerative +vulnerose +vulnific +vulnifical +vulnose +vulpanser +vulpecide +vulpecula +vulpecular +vulpeculid +vulpes +vulpic +vulpicidal +vulpicide +vulpicidism +vulpinae +vulpine +vulpinic +vulpinism +vulpinite +vulsella +vulsellum +vulsinite +vultur +vulture +vulturelike +vultures +vulturewise +vulturidae +vulturinae +vulturine +vulturish +vulturism +vulturn +vulturous +vulva +vulvae +vulval +vulvar +vulvas +vulvate +vulviform +vulvitis +vulvitises +vulvocrural +vulvouterine +vulvovaginal +vulvovaginitis +vum +vv +vvll +w +wa +waac +waag +waapa +waar +waasi +wab +wabayo +wabber +wabby +wabble +wabbled +wabbler +wabblers +wabbles +wabbly +wabblier +wabbliest +wabbliness +wabbling +wabblingly +wabe +wabena +wabeno +wabi +wabron +wabs +wabster +wabuma +wabunga +wac +wacadash +wacago +wacapou +wace +wachaga +wachenheimer +wachna +wachuset +wack +wacke +wacken +wacker +wackes +wacky +wackier +wackiest +wackily +wackiness +wacks +waco +wacs +wad +wadable +wadcutter +wadded +waddent +wadder +wadders +waddy +waddie +waddied +waddies +waddying +wadding +waddings +waddywood +waddle +waddled +waddler +waddlers +waddles +waddlesome +waddly +waddling +waddlingly +wade +wadeable +waded +wader +waders +wades +wadge +wadi +wady +wadies +wading +wadingly +wadis +wadlike +wadmaal +wadmaals +wadmaker +wadmaking +wadmal +wadmals +wadmeal +wadmel +wadmels +wadmol +wadmoll +wadmolls +wadmols +wadna +wads +wadset +wadsets +wadsetted +wadsetter +wadsetting +wae +waefu +waeful +waeg +waeness +waenesses +waer +waes +waesome +waesuck +waesucks +waf +wafd +wafdist +wafer +wafered +waferer +wafery +wafering +waferish +waferlike +wafermaker +wafermaking +wafers +waferwoman +waferwork +waff +waffed +waffie +waffies +waffing +waffle +waffled +waffles +waffly +wafflike +waffling +waffness +waffs +waflib +waft +waftage +waftages +wafted +wafter +wafters +wafty +wafting +wafts +wafture +waftures +wag +waganda +wagang +waganging +wagati +wagaun +wagbeard +wage +waged +wagedom +wageless +wagelessness +wageling +wagenboom +wagener +wager +wagered +wagerer +wagerers +wagering +wagers +wages +wagesman +waget +wagework +wageworker +wageworking +wagga +waggable +waggably +wagged +waggel +wagger +waggery +waggeries +waggers +waggy +waggie +wagging +waggish +waggishly +waggishness +waggle +waggled +waggles +waggly +waggling +wagglingly +waggon +waggonable +waggonage +waggoned +waggoner +waggoners +waggonette +waggoning +waggonload +waggonry +waggons +waggonsmith +waggonway +waggonwayman +waggonwright +waggumbura +wagh +waging +waglike +wagling +wagner +wagneresque +wagnerian +wagneriana +wagnerianism +wagnerians +wagnerism +wagnerist +wagnerite +wagnerize +wagogo +wagoma +wagon +wagonable +wagonage +wagonages +wagoned +wagoneer +wagoner +wagoners +wagoness +wagonette +wagonettes +wagonful +wagoning +wagonless +wagonload +wagonmaker +wagonmaking +wagonman +wagonry +wagons +wagonsmith +wagonway +wagonwayman +wagonwork +wagonwright +wags +wagsome +wagtail +wagtails +waguha +wagwag +wagwants +wagweno +wagwit +wah +wahabi +wahabiism +wahabit +wahabitism +wahahe +wahconda +wahcondas +wahehe +wahhabi +wahima +wahine +wahines +wahlenbergia +wahlund +wahoo +wahoos +wahpekute +wahpeton +wahwah +way +wayaka +wayang +wayao +waiata +wayback +wayberry +waybill +waybills +waybird +waibling +waybook +waybread +waybung +waicuri +waicurian +waif +wayfare +wayfarer +wayfarers +wayfaring +wayfaringly +wayfarings +waifed +wayfellow +waifing +waifs +waygang +waygate +waygoer +waygoing +waygoings +waygone +waygoose +waiguli +wayhouse +waiilatpuan +waying +waik +waikly +waikness +wail +waylay +waylaid +waylaidlessness +waylayer +waylayers +waylaying +waylays +wailaki +wayland +wayleave +wailed +wailer +wailers +wayless +wailful +wailfully +waily +wailing +wailingly +wailment +wails +wailsome +waymaker +wayman +waymark +waymate +waymen +wayment +wain +wainable +wainage +wainbote +wayne +wainer +wainful +wainman +wainmen +wainrope +wains +wainscot +wainscoted +wainscoting +wainscots +wainscotted +wainscotting +wainwright +wainwrights +waipiro +waypost +wair +wairch +waird +waired +wairepo +wairing +wairs +wairsh +ways +waise +wayside +waysider +waysides +waysliding +waist +waistband +waistbands +waistcloth +waistcloths +waistcoat +waistcoated +waistcoateer +waistcoathole +waistcoating +waistcoatless +waistcoats +waisted +waister +waisters +waisting +waistings +waistless +waistline +waistlines +waists +wait +waited +waiter +waiterage +waiterdom +waiterhood +waitering +waiterlike +waiters +waitership +waitewoman +waythorn +waiting +waitingly +waitings +waitlist +waitress +waitresses +waitressless +waits +waitsmen +waivatua +waive +waived +waiver +waiverable +waivery +waivers +waives +waiving +waivod +waiwai +wayward +waywarden +waywardly +waywardness +waywiser +waiwode +waywode +waywodeship +wayworn +waywort +wayzgoose +wajang +waka +wakamba +wakan +wakanda +wakandas +wakari +wakas +wakashan +wake +waked +wakeel +wakeful +wakefully +wakefulness +wakeless +wakeman +wakemen +waken +wakened +wakener +wakeners +wakening +wakenings +wakens +waker +wakerife +wakerifeness +wakerobin +wakers +wakes +waketime +wakeup +wakf +wakhi +waky +wakif +wakiki +wakikis +waking +wakingly +wakiup +wakizashi +wakken +wakon +wakonda +wakore +wakwafi +walach +walachian +walahee +walapai +walcheren +walchia +waldenses +waldensian +waldflute +waldglas +waldgrave +waldgravine +waldheimia +waldhorn +waldmeister +waldorf +waldsteinia +wale +waled +walepiece +waler +walers +wales +walewort +walhalla +wali +waly +walycoat +walies +waling +walk +walkable +walkabout +walkaway +walkaways +walked +walkene +walker +walkerite +walkers +walkie +walking +walkings +walkingstick +walkyrie +walkyries +walkist +walkmill +walkmiller +walkout +walkouts +walkover +walkovers +walkrife +walks +walkside +walksman +walksmen +walkup +walkups +walkway +walkways +wall +walla +wallaba +wallaby +wallabies +wallach +wallago +wallah +wallahs +wallaroo +wallaroos +wallas +wallawalla +wallbird +wallboard +walled +walleye +walleyed +walleyes +waller +wallerian +wallet +walletful +wallets +wallflower +wallflowers +wallful +wallhick +wally +wallydrag +wallydraigle +wallie +wallies +walling +wallise +wallless +wallman +walloch +wallon +wallonian +walloon +wallop +walloped +walloper +wallopers +walloping +wallops +wallow +wallowed +wallower +wallowers +wallowing +wallowish +wallowishly +wallowishness +wallows +wallpaper +wallpapered +wallpapering +wallpapers +wallpiece +walls +wallsend +wallwise +wallwork +wallwort +walnut +walnuts +walpapi +walpolean +walpurgis +walpurgite +walrus +walruses +walsh +walspere +walt +walter +walth +walty +waltonian +waltron +waltrot +waltz +waltzed +waltzer +waltzers +waltzes +waltzing +waltzlike +wamara +wambais +wamble +wambled +wambles +wambly +wamblier +wambliest +wambliness +wambling +wamblingly +wambuba +wambugu +wambutti +wame +wamefou +wamefous +wamefu +wameful +wamefull +wamefuls +wamel +wames +wamfle +wammikin +wammus +wammuses +wamp +wampanoag +wampee +wampish +wampished +wampishes +wampishing +wample +wampum +wampumpeag +wampums +wampus +wampuses +wamus +wamuses +wan +wanapum +wanchancy +wand +wander +wanderable +wandered +wanderer +wanderers +wandery +wanderyear +wandering +wanderingly +wanderingness +wanderings +wanderjahr +wanderlust +wanderluster +wanderlustful +wanderoo +wanderoos +wanders +wandflower +wandy +wandle +wandlike +wandoo +wandorobo +wandought +wandreth +wands +wandsman +wane +waneatta +waned +waney +waneless +wanely +wanes +wang +wanga +wangala +wangan +wangans +wangara +wangateur +wanger +wanghee +wangle +wangled +wangler +wanglers +wangles +wangling +wangoni +wangrace +wangtooth +wangun +wanguns +wanhap +wanhappy +wanhope +wanhorn +wany +wanyakyusa +wanyamwezi +waniand +wanyasa +wanier +waniest +wanigan +wanigans +waning +wanion +wanions +wanyoro +wank +wankapin +wankel +wanker +wanky +wankle +wankly +wankliness +wanlas +wanle +wanly +wanmol +wanna +wanned +wanner +wanness +wannesses +wannest +wanny +wannigan +wannigans +wanning +wannish +wanrest +wanrestful +wanrufe +wanruly +wans +wanshape +wansith +wansome +wansonsy +want +wantage +wantages +wanted +wanter +wanters +wantful +wanthill +wanthrift +wanthriven +wanty +wanting +wantingly +wantingness +wantless +wantlessness +wanton +wantoned +wantoner +wantoners +wantoning +wantonize +wantonly +wantonlike +wantonness +wantons +wantroke +wantrust +wants +wantwit +wanweird +wanwit +wanwordy +wanworth +wanze +wap +wapacut +wapata +wapato +wapatoo +wapatoos +wapentake +wapinschaw +wapisiana +wapiti +wapitis +wapogoro +wapokomo +wapp +wappato +wapped +wappened +wappenschaw +wappenschawing +wappenshaw +wappenshawing +wapper +wapperjaw +wapperjawed +wappet +wapping +wappinger +wappo +waps +war +warabi +waragi +warantee +waratah +warb +warbird +warbite +warble +warbled +warblelike +warbler +warblerlike +warblers +warbles +warblet +warbly +warbling +warblingly +warbonnet +warch +warcraft +warcrafts +ward +wardable +wardage +warday +wardapet +wardatour +wardcors +warded +warden +wardency +wardenry +wardenries +wardens +wardenship +warder +warderer +warders +wardership +wardholding +wardian +warding +wardite +wardless +wardlike +wardmaid +wardman +wardmen +wardmote +wardress +wardresses +wardrobe +wardrober +wardrobes +wardroom +wardrooms +wards +wardship +wardships +wardsmaid +wardsman +wardswoman +wardwite +wardwoman +wardwomen +wardword +ware +wared +wareful +waregga +warehou +warehouse +warehouseage +warehoused +warehouseful +warehouseman +warehousemen +warehouser +warehousers +warehouses +warehousing +wareless +warely +waremaker +waremaking +wareman +warentment +wareroom +warerooms +wares +wareship +warf +warfare +warfared +warfarer +warfares +warfarin +warfaring +warfarins +warful +wargus +warhead +warheads +warhorse +warhorses +wary +wariance +wariangle +waried +warier +wariest +warily +wariment +warine +wariness +warinesses +waring +waringin +warish +warison +warisons +warytree +wark +warkamoowee +warked +warking +warkloom +warklume +warks +warl +warless +warlessly +warlessness +warly +warlike +warlikely +warlikeness +warling +warlock +warlockry +warlocks +warlord +warlordism +warlords +warlow +warluck +warm +warmable +warmaker +warmakers +warmaking +warman +warmblooded +warmed +warmedly +warmen +warmer +warmers +warmest +warmful +warmhearted +warmheartedly +warmheartedness +warmhouse +warming +warmish +warmly +warmmess +warmness +warmnesses +warmonger +warmongering +warmongers +warmouth +warmouths +warms +warmth +warmthless +warmthlessness +warmths +warmup +warmups +warmus +warn +warnage +warned +warnel +warner +warners +warning +warningly +warningproof +warnings +warnish +warnison +warniss +warnoth +warns +warnt +warori +warp +warpable +warpage +warpages +warpath +warpaths +warped +warper +warpers +warping +warplane +warplanes +warple +warplike +warpower +warpowers +warproof +warps +warpwise +warracoori +warragal +warragals +warray +warrambool +warran +warrand +warrandice +warrant +warrantability +warrantable +warrantableness +warrantably +warranted +warrantedly +warrantedness +warrantee +warranteed +warrantees +warranter +warranty +warranties +warranting +warrantise +warrantize +warrantless +warranto +warrantor +warrantors +warrants +warratau +warrau +warred +warree +warren +warrener +warreners +warrenlike +warrens +warrer +warri +warrigal +warrigals +warrin +warryn +warring +warrior +warrioress +warriorhood +warriorism +warriorlike +warriors +warriorship +warriorwise +warrish +warrok +warrty +wars +warsaw +warsaws +warse +warsel +warship +warships +warsle +warsled +warsler +warslers +warsles +warsling +warst +warstle +warstled +warstler +warstlers +warstles +warstling +wart +warted +wartern +wartflower +warth +warthog +warthogs +warty +wartyback +wartier +wartiest +wartime +wartimes +wartiness +wartless +wartlet +wartlike +wartproof +warts +wartweed +wartwort +warua +warundi +warve +warwards +warwick +warwickite +warwolf +warwork +warworker +warworks +warworn +was +wasabi +wasagara +wasandawi +wasango +wasat +wasatch +wasco +wase +wasegua +wasel +wash +washability +washable +washableness +washaki +washaway +washbasin +washbasins +washbasket +washboard +washboards +washbowl +washbowls +washbrew +washcloth +washcloths +washday +washdays +washdish +washdown +washed +washen +washer +washery +washeries +washeryman +washerymen +washerless +washerman +washermen +washers +washerwife +washerwoman +washerwomen +washes +washhand +washhouse +washy +washier +washiest +washin +washiness +washing +washings +washington +washingtonia +washingtonian +washingtoniana +washingtonians +washita +washland +washleather +washmaid +washman +washmen +washo +washoan +washoff +washout +washouts +washpot +washproof +washrag +washrags +washroad +washroom +washrooms +washshed +washstand +washstands +washtail +washtray +washtrough +washtub +washtubs +washup +washway +washwoman +washwomen +washwork +wasir +wasn +wasnt +wasoga +wasp +waspen +wasphood +waspy +waspier +waspiest +waspily +waspiness +waspish +waspishly +waspishness +wasplike +waspling +waspnesting +wasps +wassail +wassailed +wassailer +wassailers +wassailing +wassailous +wassailry +wassails +wassie +wast +wastabl +wastable +wastage +wastages +waste +wastebasket +wastebaskets +wastebin +wasteboard +wasted +wasteful +wastefully +wastefulness +wasteyard +wastel +wasteland +wastelands +wastelbread +wasteless +wastely +wastelot +wastelots +wasteman +wastemen +wastement +wasteness +wastepaper +wastepile +wasteproof +waster +wasterful +wasterfully +wasterfulness +wastery +wasterie +wasteries +wastern +wasters +wastes +wastethrift +wasteway +wasteways +wastewater +wasteweir +wasteword +wasty +wastier +wastiest +wastine +wasting +wastingly +wastingness +wastland +wastme +wastrel +wastrels +wastry +wastrie +wastries +wastrife +wasts +wasukuma +waswahili +wat +watala +watap +watape +watapeh +watapes +wataps +watch +watchable +watchband +watchbands +watchbill +watchboat +watchcase +watchcry +watchcries +watchdog +watchdogged +watchdogging +watchdogs +watched +watcheye +watcheyes +watcher +watchers +watches +watchet +watchfire +watchfree +watchful +watchfully +watchfulness +watchglass +watchglassful +watchhouse +watching +watchingly +watchings +watchkeeper +watchless +watchlessness +watchmake +watchmaker +watchmakers +watchmaking +watchman +watchmanly +watchmanship +watchmate +watchmen +watchment +watchout +watchouts +watchstrap +watchtower +watchtowers +watchwise +watchwoman +watchwomen +watchword +watchwords +watchwork +watchworks +water +waterage +waterages +waterbailage +waterbank +waterbear +waterbed +waterbeds +waterbelly +waterberg +waterblink +waterbloom +waterboard +waterbok +waterborne +waterbosh +waterbottle +waterbound +waterbrain +waterbroo +waterbrose +waterbuck +waterbucks +waterbury +waterbush +watercart +watercaster +waterchat +watercycle +watercolor +watercoloring +watercolorist +watercolors +watercolour +watercolourist +watercourse +watercourses +watercraft +watercress +watercresses +watercup +waterdoe +waterdog +waterdogs +waterdrop +watered +waterer +waterers +waterfall +waterfalls +waterfinder +waterflood +waterfowl +waterfowler +waterfowls +waterfree +waterfront +waterfronts +watergate +waterglass +waterhead +waterheap +waterhorse +watery +waterie +waterier +wateriest +waterily +wateriness +watering +wateringly +wateringman +waterings +waterish +waterishly +waterishness +waterlander +waterlandian +waterleaf +waterleafs +waterleave +waterleaves +waterless +waterlessly +waterlessness +waterlike +waterlily +waterlilies +waterlilly +waterline +waterlocked +waterlog +waterlogged +waterloggedness +waterlogger +waterlogging +waterlogs +waterloo +waterloos +watermain +waterman +watermanship +watermark +watermarked +watermarking +watermarks +watermaster +watermelon +watermelons +watermen +watermonger +waterphone +waterpit +waterplane +waterpot +waterpower +waterproof +waterproofed +waterproofer +waterproofing +waterproofness +waterproofs +waterquake +waterrug +waters +waterscape +watershake +watershed +watersheds +watershoot +watershut +waterside +watersider +waterskier +waterskiing +waterskin +watersmeet +watersoaked +waterspout +waterspouts +waterstead +waterstoup +watertight +watertightal +watertightness +waterway +waterways +waterwall +waterward +waterwards +waterweed +waterwheel +waterwise +waterwoman +waterwood +waterwork +waterworker +waterworks +waterworm +waterworn +waterwort +waterworthy +watfiv +wath +wather +wathstead +wats +watson +watsonia +watt +wattage +wattages +wattape +wattapes +watteau +watter +wattest +watthour +watthours +wattis +wattle +wattlebird +wattleboy +wattled +wattles +wattless +wattlework +wattling +wattman +wattmen +wattmeter +watts +wattsecond +watusi +waubeen +wauble +wauch +wauchle +waucht +wauchted +wauchting +wauchts +wauf +waufie +waugh +waughy +waught +waughted +waughting +waughts +wauk +wauked +wauken +wauking +waukit +waukrife +wauks +waul +wauled +wauling +wauls +waumle +wauner +wauns +waup +waur +waura +wauregan +wauve +wavable +wavably +wave +waveband +wavebands +waved +waveform +waveforms +wavefront +wavefronts +waveguide +waveguides +wavey +waveys +wavelength +wavelengths +waveless +wavelessly +wavelessness +wavelet +wavelets +wavelike +wavellite +wavemark +wavement +wavemeter +wavenumber +waveoff +waveoffs +waveproof +waver +waverable +wavered +waverer +waverers +wavery +wavering +waveringly +waveringness +waverous +wavers +waves +waveshape +waveson +waveward +wavewise +wavy +waviata +wavicle +wavier +wavies +waviest +wavily +waviness +wavinesses +waving +wavingly +wavira +waw +wawa +wawah +wawaskeesh +wawl +wawled +wawling +wawls +waws +wax +waxand +waxberry +waxberries +waxbill +waxbills +waxbird +waxbush +waxchandler +waxchandlery +waxcomb +waxed +waxen +waxer +waxers +waxes +waxflower +waxhaw +waxhearted +waxy +waxier +waxiest +waxily +waxiness +waxinesses +waxing +waxingly +waxings +waxlike +waxmaker +waxmaking +waxman +waxplant +waxplants +waxweed +waxweeds +waxwing +waxwings +waxwork +waxworker +waxworking +waxworks +waxworm +waxworms +wazir +wazirate +wazirship +wb +wc +wd +we +wea +weak +weakbrained +weaken +weakened +weakener +weakeners +weakening +weakens +weaker +weakest +weakfish +weakfishes +weakhanded +weakhearted +weakheartedly +weakheartedness +weaky +weakish +weakishly +weakishness +weakly +weaklier +weakliest +weakliness +weakling +weaklings +weakmouthed +weakness +weaknesses +weal +weald +wealden +wealdish +wealds +wealdsman +wealdsmen +wealful +weals +wealsman +wealsome +wealth +wealthful +wealthfully +wealthy +wealthier +wealthiest +wealthily +wealthiness +wealthless +wealthmaker +wealthmaking +wealthmonger +wealths +weam +wean +weanable +weaned +weanedness +weanel +weaner +weaners +weanie +weanyer +weaning +weanly +weanling +weanlings +weanoc +weans +weapemeoc +weapon +weaponed +weaponeer +weaponing +weaponless +weaponmaker +weaponmaking +weaponproof +weaponry +weaponries +weapons +weaponshaw +weaponshow +weaponshowing +weaponsmith +weaponsmithy +weapschawing +wear +wearability +wearable +wearables +weared +wearer +wearers +weary +weariable +weariableness +wearied +weariedly +weariedness +wearier +wearies +weariest +weariful +wearifully +wearifulness +wearying +wearyingly +weariless +wearilessly +wearily +weariness +wearing +wearingly +wearish +wearishly +wearishness +wearisome +wearisomely +wearisomeness +wearproof +wears +weasand +weasands +weasel +weaseled +weaselfish +weaseling +weaselly +weasellike +weasels +weaselship +weaselskin +weaselsnout +weaselwise +weaser +weason +weasons +weather +weatherability +weatherbeaten +weatherboard +weatherboarding +weatherbound +weatherbreak +weathercast +weathercock +weathercocky +weathercockish +weathercockism +weathercocks +weathered +weatherer +weatherfish +weatherfishes +weatherglass +weatherglasses +weathergleam +weatherhead +weatherheaded +weathery +weathering +weatherize +weatherly +weatherliness +weathermaker +weathermaking +weatherman +weathermen +weathermost +weatherology +weatherologist +weatherproof +weatherproofed +weatherproofing +weatherproofness +weatherproofs +weathers +weathersick +weatherstrip +weatherstripped +weatherstrippers +weatherstripping +weatherstrips +weathertight +weathertightness +weatherward +weatherwise +weatherworn +weatings +weavable +weave +weaveable +weaved +weavement +weaver +weaverbird +weaveress +weavers +weaves +weaving +weazand +weazands +weazen +weazened +weazeny +web +webbed +webber +webby +webbier +webbiest +webbing +webbings +webeye +webelos +weber +weberian +webers +webfed +webfeet +webfoot +webfooted +webfooter +webless +weblike +webmaker +webmaking +webs +webster +websterian +websterite +websters +webwheel +webwork +webworm +webworms +webworn +wecche +wecht +wechts +wed +wedana +wedbed +wedbedrip +wedded +weddedly +weddedness +weddeed +wedder +wedders +wedding +weddinger +weddings +wede +wedel +wedeled +wedeling +wedeln +wedelns +wedels +wedfee +wedge +wedgeable +wedgebill +wedged +wedgelike +wedger +wedges +wedgewise +wedgy +wedgie +wedgier +wedgies +wedgiest +wedging +wedgwood +wedlock +wedlocks +wednesday +wednesdays +weds +wedset +wee +weeble +weed +weeda +weedable +weedage +weeded +weeder +weedery +weeders +weedful +weedhook +weedy +weedicide +weedier +weediest +weedily +weediness +weeding +weedingtime +weedish +weedkiller +weedless +weedlike +weedling +weedow +weedproof +weeds +week +weekday +weekdays +weekend +weekended +weekender +weekending +weekends +weekly +weeklies +weekling +weeklong +weeknight +weeknights +weeks +weekwam +weel +weelfard +weelfaured +weem +weemen +ween +weendigo +weened +weeness +weeny +weenie +weenier +weenies +weeniest +weening +weenong +weens +weensy +weensier +weensiest +weent +weenty +weep +weepable +weeped +weeper +weepered +weepers +weepful +weepy +weepier +weepiest +weepiness +weeping +weepingly +weeply +weeps +weer +weerish +wees +weesh +weeshee +weeshy +weest +weet +weetbird +weeted +weety +weeting +weetless +weets +weever +weevers +weevil +weeviled +weevily +weevilled +weevilly +weevillike +weevilproof +weevils +weewaw +weewee +weeweed +weeweeing +weewees +weewow +weeze +weezle +wef +weft +weftage +wefted +wefty +wefts +weftwise +weftwize +wega +wegenerian +wegotism +wehee +wehner +wehrlite +wei +wey +weibyeite +weichselwood +weierstrassian +weigela +weigelas +weigelia +weigelias +weigelite +weigh +weighable +weighage +weighbar +weighbauk +weighbeam +weighbridge +weighbridgeman +weighed +weigher +weighers +weighership +weighhouse +weighin +weighing +weighings +weighlock +weighman +weighmaster +weighmen +weighment +weighs +weighshaft +weight +weightchaser +weighted +weightedly +weightedness +weighter +weighters +weighty +weightier +weightiest +weightily +weightiness +weighting +weightings +weightless +weightlessly +weightlessness +weightlifter +weightlifting +weightometer +weights +weightwith +weilang +weimaraner +weymouth +weinbergerite +weiner +weiners +weinmannia +weinschenkite +weir +weirangle +weird +weirder +weirdest +weirdful +weirdy +weirdie +weirdies +weirdish +weirdless +weirdlessness +weirdly +weirdlike +weirdliness +weirdness +weirdo +weirdoes +weirdos +weirds +weirdsome +weirdward +weirdwoman +weirdwomen +weiring +weirless +weirs +weys +weisbachite +weiselbergite +weisenheimer +weism +weismannian +weismannism +weissite +weissnichtwo +weitspekan +wejack +weka +wekas +wekau +wekeen +weki +welch +welched +welcher +welchers +welches +welching +welcome +welcomed +welcomeless +welcomely +welcomeness +welcomer +welcomers +welcomes +welcoming +welcomingly +weld +weldability +weldable +welded +welder +welders +welding +weldless +weldment +weldments +weldor +weldors +welds +welf +welfare +welfares +welfaring +welfarism +welfarist +welfaristic +welfic +weli +welk +welkin +welkinlike +welkins +well +wellacquainted +welladay +welladays +welladvised +wellaffected +wellat +wellaway +wellaways +wellbeing +wellborn +wellbred +wellchosen +wellconnected +wellcontent +wellcurb +wellcurbs +welldecked +welldoer +welldoers +welldoing +welldone +welled +weller +welleresque +wellerism +wellfound +wellfounded +wellhead +wellheads +wellhole +wellholes +wellhouse +wellhouses +welly +wellyard +wellies +welling +wellington +wellingtonia +wellingtonian +wellish +wellknown +wellmaker +wellmaking +wellman +wellmen +wellmost +wellnear +wellness +wellnesses +wellnigh +wellpoint +wellqueme +wellread +wellring +wells +wellseen +wellset +wellsian +wellside +wellsite +wellsites +wellspoken +wellspring +wellsprings +wellstead +wellstrand +wels +welsbach +welsh +welshed +welsher +welshery +welshers +welshes +welshy +welshing +welshism +welshland +welshlike +welshman +welshmen +welshness +welshry +welshwoman +welshwomen +welsium +welsom +welt +weltanschauung +weltanschauungen +welted +welter +weltered +weltering +welters +welterweight +welterweights +welting +weltings +welts +weltschmerz +welwitschia +wem +wemless +wemmy +wemodness +wen +wench +wenched +wenchel +wencher +wenchers +wenches +wenching +wenchless +wenchlike +wenchman +wenchmen +wenchow +wenchowese +wend +wende +wended +wendell +wendi +wendy +wendic +wendigo +wendigos +wending +wendish +wends +wene +weneth +wenliche +wenlock +wenlockian +wennebergite +wenny +wennier +wenniest +wennish +wenonah +wenrohronon +wens +wensleydale +went +wentle +wentletrap +wenzel +wepman +wepmankin +wept +wer +werchowinci +were +wereass +werebear +wereboar +werecalf +werecat +werecrocodile +werefolk +werefox +weregild +weregilds +werehare +werehyena +werejaguar +wereleopard +werelion +weren +werent +weretiger +werewall +werewolf +werewolfish +werewolfism +werewolves +werf +wergeld +wergelds +wergelt +wergelts +wergil +wergild +wergilds +weri +wering +wermethe +wernard +werner +wernerian +wernerism +wernerite +weroole +werowance +wersh +werslete +werste +wert +werther +wertherian +wertherism +wervel +werwolf +werwolves +wes +wese +weskit +weskits +wesley +wesleyan +wesleyanism +wesleyans +wesleyism +wessand +wessands +wessel +wesselton +wessexman +west +westabout +westaway +westbound +weste +wester +westered +westering +westerly +westerlies +westerliness +westerling +westermost +western +westerner +westerners +westernisation +westernise +westernised +westernising +westernism +westernization +westernize +westernized +westernizes +westernizing +westernly +westernmost +westerns +westers +westerwards +westfalite +westham +westy +westing +westinghouse +westings +westlan +westland +westlander +westlandways +westlaw +westlin +westling +westlings +westlins +westme +westmeless +westminster +westmost +westness +westnorthwestwardly +westphalia +westphalian +westralian +westralianism +wests +westward +westwardly +westwardmost +westwards +westwork +wet +weta +wetback +wetbacks +wetbird +wetched +wetchet +wether +wetherhog +wethers +wetherteg +wetland +wetlands +wetly +wetness +wetnesses +wetproof +wets +wetsuit +wettability +wettable +wetted +wetter +wetters +wettest +wetting +wettings +wettish +wettishness +wetumpka +weve +wevet +wewenoc +wezen +wezn +wf +wg +wh +wha +whabby +whack +whacked +whacker +whackers +whacky +whackier +whackiest +whacking +whacks +whaddie +whafabout +whale +whaleback +whalebacker +whalebird +whaleboat +whaleboats +whalebone +whaleboned +whalebones +whaled +whaledom +whalehead +whalelike +whaleman +whalemen +whaler +whalery +whaleries +whaleroad +whalers +whales +whaleship +whalesucker +whaly +whaling +whalings +whalish +whally +whallock +whalm +whalp +wham +whamble +whame +whammed +whammy +whammies +whamming +whammle +whammo +whamp +whampee +whample +whams +whan +whand +whang +whangable +whangam +whangdoodle +whanged +whangee +whangees +whangers +whanghee +whanging +whangs +whank +whap +whapped +whapper +whappers +whappet +whapping +whaps +whapuka +whapukee +whapuku +whar +whare +whareer +wharf +wharfage +wharfages +wharfe +wharfed +wharfhead +wharfholder +wharfie +wharfing +wharfinger +wharfingers +wharfland +wharfless +wharfman +wharfmaster +wharfmen +wharfrae +wharfs +wharfside +wharl +wharp +wharry +wharrow +whart +whartonian +wharve +wharves +whase +whasle +what +whata +whatabouts +whatchy +whatd +whatever +whatkin +whatlike +whatman +whatna +whatness +whatnot +whatnots +whatre +whatreck +whats +whatsis +whatso +whatsoeer +whatsoever +whatsomever +whatten +whatzit +whau +whauk +whaup +whaups +whaur +whauve +wheal +whealed +whealy +whealing +wheals +whealworm +wheam +wheat +wheatbird +wheatear +wheateared +wheatears +wheaten +wheatflakes +wheatgrass +wheatgrower +wheaty +wheaties +wheatland +wheatless +wheatlike +wheatmeal +wheats +wheatstalk +wheatstone +wheatworm +whedder +whee +wheedle +wheedled +wheedler +wheedlers +wheedles +wheedlesome +wheedling +wheedlingly +wheel +wheelabrate +wheelabrated +wheelabrating +wheelage +wheelband +wheelbarrow +wheelbarrower +wheelbarrowful +wheelbarrows +wheelbase +wheelbases +wheelbird +wheelbox +wheelchair +wheelchairs +wheeldom +wheeled +wheeler +wheelery +wheelerite +wheelers +wheelhorse +wheelhouse +wheelhouses +wheely +wheelie +wheelies +wheeling +wheelingly +wheelings +wheelless +wheellike +wheelmaker +wheelmaking +wheelman +wheelmen +wheelrace +wheelroad +wheels +wheelsman +wheelsmen +wheelsmith +wheelspin +wheelswarf +wheelway +wheelwise +wheelwork +wheelworks +wheelwright +wheelwrighting +wheelwrights +wheem +wheen +wheencat +wheenge +wheens +wheep +wheeped +wheeping +wheeple +wheepled +wheeples +wheepling +wheeps +wheer +wheerikins +wheesht +wheetle +wheeze +wheezed +wheezer +wheezers +wheezes +wheezy +wheezier +wheeziest +wheezily +wheeziness +wheezing +wheezingly +wheezle +wheft +whey +wheybeard +wheybird +wheyey +wheyeyness +wheyface +wheyfaced +wheyfaces +wheyish +wheyishness +wheyisness +wheylike +whein +wheyness +wheys +wheyworm +wheywormed +whekau +wheki +whelk +whelked +whelker +whelky +whelkier +whelkiest +whelklike +whelks +whelm +whelmed +whelming +whelms +whelp +whelped +whelphood +whelping +whelpish +whelpless +whelpling +whelps +whelve +whemmel +whemmle +when +whenabouts +whenas +whence +whenceeer +whenceforth +whenceforward +whencesoeer +whencesoever +whencever +wheneer +whenever +whenness +whens +whenso +whensoever +whensomever +where +whereabout +whereabouts +whereafter +whereanent +whereas +whereases +whereat +whereaway +whereby +whered +whereer +wherefor +wherefore +wherefores +whereforth +wherefrom +wherehence +wherein +whereinsoever +whereinto +whereis +whereness +whereof +whereon +whereout +whereover +wherere +wheres +whereso +wheresoeer +wheresoever +wheresomever +wherethrough +wheretill +whereto +wheretoever +wheretosoever +whereunder +whereuntil +whereunto +whereup +whereupon +wherever +wherewith +wherewithal +wherret +wherry +wherried +wherries +wherrying +wherryman +wherrit +wherve +wherves +whesten +whet +whether +whetile +whetrock +whets +whetstone +whetstones +whetted +whetter +whetters +whetting +whew +whewellite +whewer +whewl +whews +whewt +whf +why +whiba +which +whichever +whichsoever +whichway +whichways +whick +whicken +whicker +whickered +whickering +whickers +whid +whidah +whydah +whidahs +whydahs +whidded +whidder +whidding +whids +whyever +whiff +whiffable +whiffed +whiffenpoof +whiffer +whiffers +whiffet +whiffets +whiffy +whiffing +whiffle +whiffled +whiffler +whifflery +whiffleries +whifflers +whiffles +whiffletree +whiffletrees +whiffling +whifflingly +whiffs +whyfor +whift +whig +whiggamore +whiggarchy +whigged +whiggery +whiggess +whiggify +whiggification +whigging +whiggish +whiggishly +whiggishness +whiggism +whiglet +whigling +whigmaleery +whigmaleerie +whigmaleeries +whigmeleerie +whigs +whigship +whikerby +while +whileas +whiled +whileen +whiley +whilend +whilere +whiles +whilie +whiling +whilk +whilkut +whill +whillaballoo +whillaloo +whilly +whillikers +whillikins +whillilew +whillywha +whilock +whilom +whils +whilst +whilter +whim +whimberry +whimble +whimbrel +whimbrels +whimling +whimmed +whimmy +whimmier +whimmiest +whimming +whimper +whimpered +whimperer +whimpering +whimperingly +whimpers +whims +whimsey +whimseys +whimsy +whimsic +whimsical +whimsicality +whimsicalities +whimsically +whimsicalness +whimsied +whimsies +whimstone +whimwham +whimwhams +whin +whinberry +whinberries +whinchacker +whinchat +whinchats +whincheck +whincow +whindle +whine +whined +whiney +whiner +whiners +whines +whyness +whinestone +whing +whinge +whinger +whiny +whinyard +whinier +whiniest +whininess +whining +whiningly +whinnel +whinner +whinny +whinnied +whinnier +whinnies +whinniest +whinnying +whinnock +whins +whinstone +whyo +whip +whipbelly +whipbird +whipcat +whipcord +whipcordy +whipcords +whipcrack +whipcracker +whipcraft +whipgraft +whipjack +whipking +whiplash +whiplashes +whiplike +whipmaker +whipmaking +whipman +whipmanship +whipmaster +whipoorwill +whippa +whippable +whipparee +whipped +whipper +whipperginny +whippers +whippersnapper +whippersnappers +whippertail +whippet +whippeter +whippets +whippy +whippier +whippiest +whippiness +whipping +whippingly +whippings +whippletree +whippoorwill +whippoorwills +whippost +whippowill +whipray +whiprays +whips +whipsaw +whipsawed +whipsawyer +whipsawing +whipsawn +whipsaws +whipship +whipsocket +whipstaff +whipstaffs +whipstalk +whipstall +whipstaves +whipster +whipstick +whipstitch +whipstitching +whipstock +whipt +whiptail +whiptails +whiptree +whipwise +whipworm +whipworms +whir +whirken +whirl +whirlabout +whirlbat +whirlblast +whirlbone +whirlbrain +whirled +whirley +whirler +whirlers +whirlgig +whirly +whirlybird +whirlybirds +whirlicane +whirlicote +whirlier +whirlies +whirliest +whirligig +whirligigs +whirlygigum +whirlimagig +whirling +whirlingly +whirlmagee +whirlpit +whirlpool +whirlpools +whirlpuff +whirls +whirlwig +whirlwind +whirlwindy +whirlwindish +whirlwinds +whirr +whirred +whirrey +whirret +whirry +whirrick +whirried +whirries +whirrying +whirring +whirroo +whirrs +whirs +whirtle +whys +whish +whished +whishes +whishing +whisht +whishted +whishting +whishts +whisk +whiskbroom +whisked +whiskey +whiskeys +whisker +whiskerage +whiskerando +whiskerandoed +whiskerandos +whiskered +whiskerer +whiskerette +whiskery +whiskerless +whiskerlike +whiskers +whisket +whiskful +whisky +whiskied +whiskies +whiskified +whiskyfied +whiskylike +whiskin +whisking +whiskingly +whisks +whisp +whisper +whisperable +whisperation +whispered +whisperer +whisperhood +whispery +whispering +whisperingly +whisperingness +whisperings +whisperless +whisperous +whisperously +whisperproof +whispers +whiss +whissle +whisson +whist +whisted +whister +whisterpoop +whisting +whistle +whistleable +whistlebelly +whistled +whistlefish +whistlefishes +whistlelike +whistler +whistlerian +whistlerism +whistlers +whistles +whistlewing +whistlewood +whistly +whistlike +whistling +whistlingly +whistness +whistonian +whists +whit +whitblow +white +whiteacre +whiteback +whitebait +whitebark +whitebeam +whitebeard +whitebelly +whitebelt +whiteberry +whitebill +whitebird +whiteblaze +whiteblow +whiteboy +whiteboyism +whitebottle +whitecap +whitecapper +whitecapping +whitecaps +whitechapel +whitecoat +whitecomb +whitecorn +whitecup +whited +whitedamp +whiteface +whitefeet +whitefieldian +whitefieldism +whitefieldite +whitefish +whitefisher +whitefishery +whitefishes +whitefly +whiteflies +whitefoot +whitefootism +whitehall +whitehanded +whitehass +whitehawse +whitehead +whiteheads +whiteheart +whitehearted +whitey +whiteys +whitely +whitelike +whiteline +whiten +whitened +whitener +whiteners +whiteness +whitening +whitenose +whitens +whiteout +whiteouts +whitepot +whiter +whiteroot +whiterump +whites +whitesark +whiteseam +whiteshank +whiteside +whiteslave +whitesmith +whitespace +whitest +whitestone +whitestraits +whitetail +whitethorn +whitethroat +whitetip +whitetop +whitevein +whiteveins +whitewall +whitewalls +whitewards +whiteware +whitewash +whitewashed +whitewasher +whitewashes +whitewashing +whiteweed +whitewing +whitewood +whiteworm +whitewort +whitfield +whitfinch +whither +whitherso +whithersoever +whitherto +whitherward +whitherwards +whity +whitier +whities +whitiest +whitin +whiting +whitings +whitish +whitishness +whitleather +whitleyism +whitling +whitlow +whitlows +whitlowwort +whitman +whitmanese +whitmanesque +whitmanism +whitmanize +whitmonday +whitney +whitneyite +whitrack +whitracks +whitret +whits +whitster +whitsun +whitsunday +whitsuntide +whittaw +whittawer +whitten +whittener +whitter +whitterick +whitters +whittle +whittled +whittler +whittlers +whittles +whittling +whittlings +whittret +whittrets +whittrick +whitworth +whiz +whizbang +whizbangs +whizgig +whizz +whizzbang +whizzed +whizzer +whizzerman +whizzers +whizzes +whizziness +whizzing +whizzingly +whizzle +who +whoa +whod +whodunit +whodunits +whodunnit +whoever +whole +wholefood +wholehearted +wholeheartedly +wholeheartedness +wholely +wholemeal +wholeness +wholes +wholesale +wholesaled +wholesalely +wholesaleness +wholesaler +wholesalers +wholesales +wholesaling +wholesome +wholesomely +wholesomeness +wholesomer +wholesomest +wholetone +wholewheat +wholewise +wholism +wholisms +wholistic +wholl +wholly +whom +whomble +whomever +whomp +whomped +whomping +whomps +whomso +whomsoever +whone +whoo +whoof +whoop +whoope +whooped +whoopee +whoopees +whooper +whoopers +whooping +whoopingly +whoopla +whooplas +whooplike +whoops +whooses +whoosh +whooshed +whooshes +whooshing +whoosy +whoosies +whoosis +whoosises +whoot +whop +whopped +whopper +whoppers +whopping +whops +whorage +whore +whored +whoredom +whoredoms +whorehouse +whorehouses +whoreishly +whoreishness +whorelike +whoremaster +whoremastery +whoremasterly +whoremonger +whoremongering +whoremonging +whores +whoreship +whoreson +whoresons +whory +whoring +whorish +whorishly +whorishness +whorl +whorle +whorled +whorlflower +whorly +whorlywort +whorls +whorry +whort +whortle +whortleberry +whortleberries +whortles +whorts +whose +whosen +whosesoever +whosever +whosis +whosises +whoso +whosoever +whosome +whosomever +whosumdever +whr +whs +whse +whsle +whud +whuff +whuffle +whulk +whulter +whummle +whump +whumped +whumping +whumps +whun +whunstane +whup +whush +whuskie +whussle +whute +whuther +whutter +whuttering +whuz +wi +wy +wyandot +wyandotte +wibble +wicca +wice +wich +wych +wiches +wyches +wichita +wicht +wichtisite +wichtje +wick +wickape +wickapes +wickawee +wicked +wickeder +wickedest +wickedish +wickedly +wickedlike +wickedness +wicken +wicker +wickerby +wickers +wickerware +wickerwork +wickerworked +wickerworker +wicket +wicketkeep +wicketkeeper +wicketkeeping +wickets +wicketwork +wicky +wicking +wickings +wickiup +wickyup +wickiups +wickyups +wickless +wicks +wickthing +wickup +wycliffian +wycliffism +wycliffist +wycliffite +wyclifian +wyclifism +wyclifite +wicopy +wicopies +wid +widbin +widdendream +widder +widders +widdershins +widdy +widdie +widdies +widdifow +widdle +widdled +widdles +widdling +widdrim +wide +wyde +wideawake +wideband +widegab +widegap +widehearted +widely +widemouthed +widen +widened +widener +wideners +wideness +widenesses +widening +widens +wider +widershins +wides +widespread +widespreadedly +widespreading +widespreadly +widespreadness +widest +widewhere +widework +widgeon +widgeons +widget +widgets +widgie +widish +widorror +widow +widowed +widower +widowered +widowerhood +widowery +widowers +widowership +widowhood +widowy +widowing +widowish +widowly +widowlike +widowman +widowmen +widows +width +widthless +widths +widthway +widthways +widthwise +widu +wye +wied +wiedersehen +wielare +wield +wieldable +wieldableness +wielded +wielder +wielders +wieldy +wieldier +wieldiest +wieldiness +wielding +wields +wiener +wieners +wienerwurst +wienie +wienies +wierangle +wierd +wyes +wiesenboden +wyethia +wife +wifecarl +wifed +wifedom +wifedoms +wifehood +wifehoods +wifeism +wifekin +wifeless +wifelessness +wifelet +wifely +wifelier +wifeliest +wifelike +wifeliness +wifeling +wifelkin +wifes +wifeship +wifething +wifeward +wifie +wifiekie +wifing +wifish +wifock +wig +wigan +wigans +wigdom +wigeling +wigeon +wigeons +wigful +wigged +wiggen +wigger +wiggery +wiggeries +wiggy +wigging +wiggings +wiggish +wiggishness +wiggism +wiggle +wiggled +wiggler +wigglers +wiggles +wiggly +wigglier +wiggliest +wiggling +wigher +wight +wightly +wightness +wights +wigless +wiglet +wiglets +wiglike +wigmake +wigmaker +wigmakers +wigmaking +wigs +wigtail +wigwag +wigwagged +wigwagger +wigwagging +wigwags +wigwam +wigwams +wiyat +wiikite +wiyot +wyke +wykehamical +wykehamist +wikeno +wiking +wikiup +wikiups +wikiwiki +wikstroemia +wilbur +wilburite +wilco +wilcoxon +wilcweme +wild +wildbore +wildcard +wildcat +wildcats +wildcatted +wildcatter +wildcatting +wildebeest +wildebeeste +wildebeests +wilded +wilder +wildered +wilderedly +wildering +wilderment +wildern +wilderness +wildernesses +wilders +wildest +wildfire +wildfires +wildflower +wildflowers +wildfowl +wildfowler +wildfowling +wildfowls +wildgrave +wilding +wildings +wildish +wildishly +wildishness +wildly +wildlife +wildlike +wildling +wildlings +wildness +wildnesses +wilds +wildsome +wildtype +wildwind +wildwood +wildwoods +wile +wyle +wiled +wyled +wileful +wileless +wileproof +wiles +wyles +wilfred +wilful +wilfully +wilfulness +wilga +wilgers +wilhelm +wilhelmina +wilhelmine +wily +wilycoat +wyliecoat +wilier +wiliest +wilily +wiliness +wilinesses +wiling +wyling +wiliwili +wilk +wilkeite +wilkin +wilkinson +will +willable +willawa +willble +willed +willedness +willey +willeyer +willemite +willer +willers +willes +willet +willets +willful +willfully +willfulness +willi +willy +william +williamite +williams +williamsite +williamsonia +williamsoniaceae +willyard +willyart +williche +willie +willied +willier +willyer +willies +williewaucht +willying +willing +willinger +willingest +willinghearted +willinghood +willingly +willingness +williwau +williwaus +williwaw +willywaw +williwaws +willywaws +willmaker +willmaking +willness +willock +willow +willowbiter +willowed +willower +willowers +willowherb +willowy +willowier +willowiest +willowiness +willowing +willowish +willowlike +willows +willowware +willowweed +willowworm +willowwort +willpower +wills +willugbaeya +wilmer +wilning +wilrone +wilroun +wilsome +wilsomely +wilsomeness +wilson +wilsonian +wilt +wilted +wilter +wilting +wilton +wiltproof +wilts +wiltshire +wim +wimberry +wimble +wimbled +wimblelike +wimbles +wimbling +wimbrel +wime +wimick +wimlunge +wymote +wimple +wimpled +wimpleless +wimplelike +wimpler +wimples +wimpling +win +wyn +winare +winberry +winbrow +wince +winced +wincey +winceyette +winceys +wincer +wincers +winces +winch +winched +wincher +winchers +winches +winchester +winching +winchman +winchmen +wincing +wincingly +wincopipe +wind +wynd +windable +windage +windages +windas +windbag +windbagged +windbaggery +windbags +windball +windberry +windbibber +windblast +windblown +windboat +windbore +windbound +windbracing +windbreak +windbreaker +windbreaks +windbroach +windburn +windburned +windburning +windburns +windburnt +windcatcher +windcheater +windchest +windchill +windclothes +windcuffer +winddog +winded +windedly +windedness +windel +winder +windermost +winders +windesheimer +windfall +windfallen +windfalls +windfanner +windfirm +windfish +windfishes +windflaw +windflaws +windflower +windflowers +windgall +windgalled +windgalls +windhole +windhover +windy +windier +windiest +windigo +windigos +windily +windill +windiness +winding +windingly +windingness +windings +windjam +windjammer +windjammers +windjamming +windlass +windlassed +windlasser +windlasses +windlassing +windle +windled +windles +windless +windlessly +windlessness +windlestrae +windlestraw +windlike +windlin +windling +windlings +windmill +windmilled +windmilly +windmilling +windmills +windock +windore +window +windowed +windowful +windowy +windowing +windowless +windowlessness +windowlet +windowlight +windowlike +windowmaker +windowmaking +windowman +windowpane +windowpanes +windowpeeper +windows +windowshade +windowshopped +windowshopping +windowshut +windowsill +windowward +windowwards +windowwise +windpipe +windpipes +windplayer +windproof +windring +windroad +windrode +windroot +windrow +windrowed +windrower +windrowing +windrows +winds +wynds +windsail +windsailor +windscoop +windscreen +windshake +windshield +windshields +windship +windshock +windslab +windsock +windsocks +windsor +windsorite +windstorm +windstorms +windstream +windsucker +windsurf +windswept +windtight +windup +windups +windway +windways +windwayward +windwaywardly +windward +windwardly +windwardmost +windwardness +windwards +windz +wine +wyne +wineball +wineberry +wineberries +winebibber +winebibbery +winebibbing +winebrennerian +wineconner +wined +winedraf +wineglass +wineglasses +wineglassful +wineglassfuls +winegrower +winegrowing +winehouse +winey +wineyard +wineier +wineiest +wineless +winelike +winemay +winemake +winemaker +winemaking +winemaster +winepot +winepress +winepresser +winer +winery +wineries +winers +wines +winesap +wineshop +wineshops +wineskin +wineskins +winesop +winesops +winetaster +winetasting +winetree +winevat +winfred +winfree +winful +wing +wingable +wingate +wingback +wingbacks +wingbeat +wingbow +wingbows +wingcut +wingding +wingdings +winged +wingedly +wingedness +winger +wingers +wingfish +wingfishes +winghanded +wingy +wingier +wingiest +winging +wingle +wingless +winglessness +winglet +winglets +winglike +wingman +wingmanship +wingmen +wingover +wingovers +wingpiece +wingpost +wings +wingseed +wingspan +wingspans +wingspread +wingspreads +wingstem +wingtip +winy +winier +winiest +winifred +wining +winish +wink +winked +winkel +winkelman +winker +winkered +wynkernel +winkers +winking +winkingly +winkle +winkled +winklehawk +winklehole +winkles +winklet +winkling +winklot +winks +winless +winlestrae +winly +wynn +winna +winnable +winnard +wynne +winnebago +winnecowet +winned +winnel +winnelstrae +winner +winners +winnie +winning +winningly +winningness +winnings +winninish +winnipeg +winnipesaukee +winnle +winnock +winnocks +winnonish +winnow +winnowed +winnower +winnowers +winnowing +winnowingly +winnows +wynns +wino +winoes +winona +winos +winrace +wynris +winrow +wins +winslow +winsome +winsomely +winsomeness +winsomer +winsomest +winster +winston +wint +winter +winteraceae +winterage +winteranaceae +winterberry +winterbloom +winterbound +winterbourne +wintercreeper +winterdykes +wintered +winterer +winterers +winterfed +winterfeed +winterfeeding +winterffed +wintergreen +wintergreens +winterhain +wintery +winterier +winteriest +wintering +winterish +winterishly +winterishness +winterization +winterize +winterized +winterizes +winterizing +winterkill +winterkilled +winterkilling +winterkills +winterless +winterly +winterlike +winterliness +winterling +winterproof +winters +wintersome +wintertide +wintertime +winterward +winterwards +winterweed +winterweight +wintle +wintled +wintles +wintling +wintry +wintrier +wintriest +wintrify +wintrily +wintriness +wintrish +wintrous +wintun +winze +winzeman +winzemen +winzes +wyoming +wyomingite +wipe +wype +wiped +wipeout +wipeouts +wiper +wipers +wipes +wiping +wippen +wips +wipstock +wir +wirable +wirble +wird +wire +wirebar +wirebird +wirecutters +wired +wiredancer +wiredancing +wiredraw +wiredrawer +wiredrawing +wiredrawn +wiredraws +wiredrew +wiregrass +wirehair +wirehaired +wirehairs +wireless +wirelessed +wirelesses +wirelessing +wirelessly +wirelessness +wirelike +wiremaker +wiremaking +wireman +wiremen +wiremonger +wirephoto +wirephotos +wirepull +wirepuller +wirepullers +wirepulling +wirer +wirers +wires +wiresmith +wiresonde +wirespun +wirestitched +wiretail +wiretap +wiretapped +wiretapper +wiretappers +wiretapping +wiretaps +wireway +wireways +wirewalker +wireweed +wirework +wireworker +wireworking +wireworks +wireworm +wireworms +wiry +wirier +wiriest +wirily +wiriness +wirinesses +wiring +wirings +wirl +wirling +wyrock +wiros +wirr +wirra +wirrah +wirrasthru +wis +wisconsin +wisconsinite +wisconsinites +wisdom +wisdomful +wisdomless +wisdomproof +wisdoms +wisdomship +wise +wiseacre +wiseacred +wiseacredness +wiseacredom +wiseacreish +wiseacreishness +wiseacreism +wiseacres +wisecrack +wisecracked +wisecracker +wisecrackery +wisecrackers +wisecracking +wisecracks +wised +wiseguy +wisehead +wisehearted +wiseheartedly +wiseheimer +wisely +wiselier +wiseliest +wiselike +wiseling +wiseman +wisen +wiseness +wisenesses +wisenheimer +wisent +wisents +wiser +wises +wisest +wiseweed +wisewoman +wisewomen +wish +wisha +wishable +wishbone +wishbones +wished +wishedly +wisher +wishers +wishes +wishful +wishfully +wishfulness +wishy +wishing +wishingly +wishless +wishly +wishmay +wishness +wishoskan +wishram +wisht +wishtonwish +wisigothic +wising +wisket +wisking +wiskinky +wiskinkie +wismuth +wyson +wisp +wisped +wispy +wispier +wispiest +wispily +wispiness +wisping +wispish +wisplike +wisps +wiss +wyss +wisse +wissed +wissel +wisses +wisshe +wissing +wissle +wist +wistaria +wistarias +wiste +wisted +wistened +wister +wisteria +wisterias +wistful +wistfully +wistfulness +wysty +wisting +wistit +wistiti +wistless +wistlessness +wistly +wistonwish +wists +wisure +wit +witan +witbooi +witch +witchbells +witchbroom +witchcraft +witched +witchedly +witchen +witcher +witchercully +witchery +witcheries +witchering +witches +witchet +witchetty +witchgrass +witchhood +witchy +witchier +witchiest +witching +witchingly +witchings +witchleaf +witchlike +witchman +witchmonger +witchuck +witchweed +witchwife +witchwoman +witchwood +witchwork +witcraft +wite +wyte +wited +wyted +witeless +witen +witenagemot +witenagemote +witepenny +witereden +wites +wytes +witess +witful +with +withal +witham +withamite +withania +withbeg +withcall +withdaw +withdraught +withdraw +withdrawable +withdrawal +withdrawals +withdrawer +withdrawing +withdrawingness +withdrawment +withdrawn +withdrawnness +withdraws +withdrew +withe +withed +withen +wither +witherband +witherblench +withercraft +witherdeed +withered +witheredly +witheredness +witherer +witherers +withergloom +withery +withering +witheringly +witherite +witherly +witherling +withernam +withers +withershins +withertip +witherwards +witherweight +withes +withewood +withgang +withgate +withheld +withhele +withhie +withhold +withholdable +withholdal +withholden +withholder +withholders +withholding +withholdings +withholdment +withholds +withy +withier +withies +withiest +within +withindoors +withinforth +withing +withins +withinside +withinsides +withinward +withinwards +withypot +withywind +withnay +withness +withnim +witholden +without +withoutdoors +withouten +withoutforth +withouts +withoutside +withoutwards +withsay +withsayer +withsave +withsaw +withset +withslip +withspar +withstay +withstand +withstander +withstanding +withstandingness +withstands +withstood +withstrain +withtake +withtee +withturn +withvine +withwind +witing +wyting +witjar +witless +witlessly +witlessness +witlet +witling +witlings +witloof +witloofs +witlosen +witmonger +witney +witneyer +witneys +witness +witnessable +witnessdom +witnessed +witnesser +witnessers +witnesses +witnesseth +witnessing +witoto +wits +witsafe +witship +wittal +wittall +wittawer +witteboom +witted +wittedness +witten +witter +wittering +witterly +witterness +witty +witticaster +wittichenite +witticism +witticisms +witticize +wittier +wittiest +wittified +wittily +wittiness +witting +wittingite +wittingly +wittings +wittol +wittolly +wittols +wittome +witumki +witwall +witwanton +witword +witworm +witzchoura +wive +wyve +wived +wiver +wyver +wivern +wyvern +wiverns +wyverns +wivers +wives +wiving +wiwi +wiz +wizard +wizardess +wizardism +wizardly +wizardlike +wizardry +wizardries +wizards +wizardship +wizen +wizened +wizenedness +wizening +wizens +wizes +wizier +wizzen +wizzens +wjc +wk +wkly +wl +wlatful +wlatsome +wlecche +wlench +wlity +wloka +wlonkhede +wm +wmk +wo +woa +woad +woaded +woader +woady +woadman +woads +woadwax +woadwaxen +woadwaxes +woak +woald +woalds +woan +wob +wobbegong +wobble +wobbled +wobbler +wobblers +wobbles +wobbly +wobblier +wobblies +wobbliest +wobbliness +wobbling +wobblingly +wobegone +wobegoneness +wobegonish +wobster +wocas +wocheinite +wochua +wod +woddie +wode +wodeleie +woden +wodenism +wodge +wodgy +woe +woebegone +woebegoneness +woebegonish +woefare +woeful +woefuller +woefullest +woefully +woefulness +woehlerite +woeness +woenesses +woes +woesome +woevine +woeworn +woffler +woft +woful +wofully +wofulness +wog +woggle +woghness +wogiet +wogul +wogulian +wohlac +wohlerite +woy +woyaway +woibe +woidre +woilie +wok +wokas +woke +woken +wokowi +woks +wold +woldes +woldy +woldlike +wolds +woldsman +woleai +wolf +wolfachite +wolfbane +wolfberry +wolfberries +wolfdom +wolfed +wolfen +wolfer +wolfers +wolffia +wolffian +wolffianism +wolffish +wolffishes +wolfgang +wolfhood +wolfhound +wolfhounds +wolfian +wolfing +wolfish +wolfishly +wolfishness +wolfkin +wolfless +wolflike +wolfling +wolfman +wolfmen +wolfram +wolframate +wolframic +wolframine +wolframinium +wolframite +wolframium +wolframs +wolfs +wolfsbane +wolfsbanes +wolfsbergite +wolfskin +wolfward +wolfwards +wollastonite +wolly +wollock +wollomai +wollop +wolof +wolter +wolve +wolveboon +wolver +wolverene +wolverine +wolverines +wolvers +wolves +wolvish +woman +womanbody +womanbodies +womandom +womaned +womanfolk +womanfully +womanhead +womanhearted +womanhood +womanhouse +womaning +womanise +womanised +womanises +womanish +womanishly +womanishness +womanising +womanism +womanist +womanity +womanization +womanize +womanized +womanizer +womanizers +womanizes +womanizing +womankind +womanless +womanly +womanlier +womanliest +womanlihood +womanlike +womanlikeness +womanliness +womanmuckle +womanness +womanpost +womanpower +womanproof +womans +womanship +womanways +womanwise +womb +wombat +wombats +wombed +womby +wombier +wombiest +womble +wombs +wombside +wombstone +women +womenfolk +womenfolks +womenkind +womenswear +womera +womerah +womeras +wommala +wommera +wommerah +wommerala +wommeras +womp +womplit +won +wonder +wonderberry +wonderberries +wonderbright +wondercraft +wonderdeed +wondered +wonderer +wonderers +wonderful +wonderfuller +wonderfully +wonderfulness +wondering +wonderingly +wonderland +wonderlandish +wonderlands +wonderless +wonderlessness +wonderment +wondermonger +wondermongering +wonders +wondersmith +wondersome +wonderstrong +wonderstruck +wonderwell +wonderwork +wonderworthy +wondie +wondrous +wondrously +wondrousness +wone +wonegan +wong +wonga +wongah +wongara +wongen +wongshy +wongsky +woning +wonk +wonky +wonkier +wonkiest +wonna +wonned +wonner +wonners +wonning +wonnot +wons +wont +wonted +wontedly +wontedness +wonting +wontless +wonton +wontons +wonts +woo +wooable +wood +woodagate +woodbark +woodbin +woodbind +woodbinds +woodbine +woodbined +woodbines +woodbins +woodblock +woodblocks +woodborer +woodbound +woodbox +woodboxes +woodbury +woodburytype +woodburning +woodbush +woodcarver +woodcarvers +woodcarving +woodcarvings +woodchat +woodchats +woodchopper +woodchopping +woodchuck +woodchucks +woodcoc +woodcock +woodcockize +woodcocks +woodcracker +woodcraf +woodcraft +woodcrafter +woodcrafty +woodcraftiness +woodcraftsman +woodcreeper +woodcut +woodcuts +woodcutter +woodcutters +woodcutting +wooded +wooden +woodendite +woodener +woodenest +woodenhead +woodenheaded +woodenheadedness +woodeny +woodenly +woodenness +woodenware +woodenweary +woodfall +woodfish +woodgeld +woodgrain +woodgraining +woodgrouse +woodgrub +woodhack +woodhacker +woodhen +woodhens +woodhewer +woodhole +woodhorse +woodhouse +woodhouses +woodhung +woody +woodyard +woodie +woodier +woodies +woodiest +woodine +woodiness +wooding +woodish +woodjobber +woodkern +woodknacker +woodland +woodlander +woodlands +woodlark +woodlarks +woodless +woodlessness +woodlet +woodly +woodlike +woodlind +woodlocked +woodlore +woodlores +woodlot +woodlots +woodlouse +woodmaid +woodman +woodmancraft +woodmanship +woodmen +woodmonger +woodmote +woodness +woodnote +woodnotes +woodoo +woodpeck +woodpecker +woodpeckers +woodpenny +woodpile +woodpiles +woodprint +woodranger +woodreed +woodreeve +woodrick +woodrime +woodris +woodrock +woodroof +woodrow +woodrowel +woodruff +woodruffs +woodrush +woods +woodscrew +woodsere +woodshed +woodshedde +woodshedded +woodsheddi +woodshedding +woodsheds +woodship +woodshock +woodshop +woodsy +woodsia +woodsias +woodside +woodsier +woodsiest +woodsilver +woodskin +woodsman +woodsmen +woodsorrel +woodspite +woodstone +woodturner +woodturning +woodwale +woodwall +woodward +woodwardia +woodwardship +woodware +woodwax +woodwaxen +woodwaxes +woodwind +woodwinds +woodwise +woodwork +woodworker +woodworking +woodworks +woodworm +woodworms +woodwose +woodwright +wooed +wooer +wooers +woof +woofed +woofell +woofer +woofers +woofy +woofing +woofs +woohoo +wooing +wooingly +wool +woold +woolded +woolder +woolding +wooled +woolen +woolenet +woolenette +woolenization +woolenize +woolens +wooler +woolers +woolert +woolf +woolfell +woolfells +woolgather +woolgatherer +woolgathering +woolgrower +woolgrowing +woolhead +wooly +woolie +woolier +woolies +wooliest +wooliness +woolled +woollen +woollenize +woollens +woolly +woollybutt +woollier +woollies +woolliest +woollyhead +woollyish +woollike +woolliness +woolman +woolmen +woolpack +woolpacks +woolpress +wools +woolsack +woolsacks +woolsaw +woolsey +woolshearer +woolshearing +woolshears +woolshed +woolsheds +woolskin +woolskins +woolsorter +woolsorting +woolsower +woolstapling +woolstock +woolulose +woolwa +woolward +woolwasher +woolweed +woolwheel +woolwich +woolwinder +woolwork +woolworker +woolworking +woolworth +woom +woomer +woomera +woomerah +woomerang +woomeras +woomp +woomping +woon +woons +woops +woorali +wooralis +woorari +wooraris +woordbook +woos +woosh +wooshed +wooshes +wooshing +wooster +wootz +woozy +woozier +wooziest +woozily +wooziness +woozle +wop +woppish +wops +wopsy +worble +worcester +worcestershire +word +wordable +wordably +wordage +wordages +wordbook +wordbooks +wordbreak +wordbuilding +wordcraft +wordcraftsman +worded +worden +worder +wordhoard +wordy +wordier +wordiers +wordiest +wordily +wordiness +wording +wordings +wordish +wordishly +wordishness +wordle +wordlength +wordless +wordlessly +wordlessness +wordlier +wordlike +wordlore +wordlorist +wordmaker +wordmaking +wordman +wordmanship +wordmen +wordmonger +wordmongery +wordmongering +wordness +wordperfect +wordplay +wordplays +wordprocessors +words +wordsman +wordsmanship +wordsmen +wordsmith +wordspinner +wordspite +wordstar +wordster +wordsworthian +wordsworthianism +wore +work +workability +workable +workableness +workably +workaday +workaholic +workaholics +workaholism +workaway +workbag +workbags +workbank +workbasket +workbench +workbenches +workboat +workboats +workbook +workbooks +workbox +workboxes +workbrittle +workday +workdays +worked +worker +workers +workfellow +workfile +workfolk +workfolks +workforce +workful +workgirl +workhand +workhorse +workhorses +workhouse +workhoused +workhouses +worky +workyard +working +workingly +workingman +workingmen +workings +workingwoman +workingwomen +workingwonan +workless +worklessness +workload +workloads +workloom +workman +workmanly +workmanlike +workmanlikeness +workmanliness +workmanship +workmaster +workmen +workmistress +workout +workouts +workpan +workpeople +workpiece +workplace +workroom +workrooms +works +worksheet +worksheets +workshy +workship +workshop +workshops +worksome +workspace +workstand +workstation +workstations +worktable +worktables +worktime +workup +workups +workways +workweek +workweeks +workwise +workwoman +workwomanly +workwomanlike +workwomen +world +worldaught +worldbeater +worldbeaters +worlded +worldful +worldy +worldish +worldless +worldlet +worldly +worldlier +worldliest +worldlike +worldlily +worldliness +worldling +worldlings +worldmaker +worldmaking +worldman +worldproof +worldquake +worlds +worldway +worldward +worldwards +worldwide +worldwideness +worm +wormcast +wormed +wormer +wormers +wormfish +wormfishes +wormgear +wormhole +wormholed +wormholes +wormhood +wormy +wormian +wormier +wormiest +wormil +wormils +worminess +worming +wormish +wormless +wormlike +wormling +wormproof +wormroot +wormroots +worms +wormseed +wormseeds +wormship +wormweed +wormwood +wormwoods +worn +wornil +wornness +wornnesses +wornout +worral +worrel +worry +worriable +worricow +worriecow +worried +worriedly +worriedness +worrier +worriers +worries +worrying +worryingly +worriless +worriment +worriments +worryproof +worrisome +worrisomely +worrisomeness +worrit +worrited +worriter +worriting +worrits +worrywart +worrywarts +worrywort +worse +worsement +worsen +worsened +worseness +worsening +worsens +worser +worserment +worses +worset +worsets +worship +worshipability +worshipable +worshiped +worshiper +worshipers +worshipful +worshipfully +worshipfulness +worshiping +worshipingly +worshipless +worshipped +worshipper +worshippers +worshipping +worshippingly +worships +worshipworth +worshipworthy +worsle +worssett +worst +worsted +worsteds +worsting +worsts +worsum +wort +worth +worthed +worthful +worthfulness +worthy +worthier +worthies +worthiest +worthily +worthiness +worthing +worthless +worthlessly +worthlessness +worths +worthship +worthward +worthwhile +worthwhileness +wortle +worts +wortworm +wos +wosbird +wosith +wosome +wost +wostteth +wot +wote +wotlink +wots +wotted +wottest +wotteth +wotting +woubit +wouch +wouf +wough +wouhleche +would +wouldest +woulding +wouldn +wouldnt +wouldst +woulfe +wound +woundability +woundable +woundableness +wounded +woundedly +wounder +woundy +woundily +wounding +woundingly +woundless +woundly +wounds +woundwort +woundworth +wourali +wourari +wournil +woustour +wove +woven +wovoka +wow +wowed +wowening +wowing +wows +wowser +wowserdom +wowsery +wowserian +wowserish +wowserism +wowsers +wowt +wowwows +wpm +wr +wrabbe +wrabill +wrack +wracked +wracker +wrackful +wracking +wracks +wraf +wrager +wraggle +wray +wrayful +wrainbolt +wrainstaff +wrainstave +wraist +wraith +wraithe +wraithy +wraithlike +wraiths +wraitly +wraker +wramp +wran +wrang +wrangle +wrangled +wrangler +wranglers +wranglership +wrangles +wranglesome +wrangling +wranglingly +wrangs +wranny +wrannock +wrap +wraparound +wraparounds +wraple +wrappage +wrapped +wrapper +wrapperer +wrappering +wrappers +wrapping +wrappings +wraprascal +wrapround +wraps +wrapt +wrapup +wrasse +wrasses +wrast +wrastle +wrastled +wrastler +wrastles +wrastling +wratack +wrath +wrathed +wrathful +wrathfully +wrathfulness +wrathy +wrathier +wrathiest +wrathily +wrathiness +wrathing +wrathless +wrathlike +wraths +wraw +wrawl +wrawler +wraxle +wraxled +wraxling +wreak +wreaked +wreaker +wreakers +wreakful +wreaking +wreakless +wreaks +wreat +wreath +wreathage +wreathe +wreathed +wreathen +wreather +wreathes +wreathy +wreathing +wreathingly +wreathless +wreathlet +wreathlike +wreathmaker +wreathmaking +wreathpiece +wreaths +wreathwise +wreathwork +wreathwort +wreck +wreckage +wreckages +wrecked +wrecker +wreckers +wreckfish +wreckfishes +wreckful +wrecky +wrecking +wreckings +wrecks +wren +wrench +wrenched +wrencher +wrenches +wrenching +wrenchingly +wrenlet +wrenlike +wrens +wrentail +wrest +wrestable +wrested +wrester +wresters +wresting +wrestingly +wrestle +wrestled +wrestler +wrestlerlike +wrestlers +wrestles +wrestling +wrestlings +wrests +wretch +wretched +wretcheder +wretchedest +wretchedly +wretchedness +wretches +wretchless +wretchlessly +wretchlessness +wretchock +wry +wrybill +wrible +wricht +wrick +wride +wried +wrier +wryer +wries +wriest +wryest +wrig +wriggle +wriggled +wriggler +wrigglers +wriggles +wrigglesome +wrigglework +wriggly +wrigglier +wriggliest +wriggling +wrigglingly +wright +wrightine +wrightry +wrights +wrigley +wrihte +wrying +wryly +wrymouth +wrymouths +wrimple +wryneck +wrynecked +wrynecks +wryness +wrynesses +wring +wringbolt +wringed +wringer +wringers +wringing +wringle +wringman +wrings +wringstaff +wringstaves +wrinkle +wrinkleable +wrinkled +wrinkledy +wrinkledness +wrinkleful +wrinkleless +wrinkleproof +wrinkles +wrinklet +wrinkly +wrinklier +wrinkliest +wrinkling +wrist +wristband +wristbands +wristbone +wristdrop +wristed +wrister +wristfall +wristy +wristier +wristiest +wristikin +wristlet +wristlets +wristlock +wrists +wristwatch +wristwatches +wristwork +writ +writability +writable +wrytail +writation +writative +write +writeable +writee +writeoff +writeoffs +writer +writeress +writerling +writers +writership +writes +writeup +writeups +writh +writhe +writhed +writhedly +writhedness +writhen +writheneck +writher +writhers +writhes +writhy +writhing +writhingly +writhled +writing +writinger +writings +writmaker +writmaking +writproof +writs +written +writter +wrive +wrixle +wrizzled +wrnt +wro +wrocht +wroke +wroken +wrong +wrongdo +wrongdoer +wrongdoers +wrongdoing +wronged +wronger +wrongers +wrongest +wrongfile +wrongful +wrongfuly +wrongfully +wrongfulness +wronghead +wrongheaded +wrongheadedly +wrongheadedness +wronghearted +wrongheartedly +wrongheartedness +wronging +wrongish +wrongless +wronglessly +wrongly +wrongness +wrongous +wrongously +wrongousness +wrongrel +wrongs +wrongwise +wronskian +wroot +wrossle +wrote +wroth +wrothe +wrothful +wrothfully +wrothy +wrothily +wrothiness +wrothly +wrothsome +wrought +wrox +wrung +wrungness +ws +wt +wu +wuchereria +wud +wuddie +wudge +wudu +wuff +wugg +wuggishness +wulder +wulfenite +wulk +wull +wullawins +wullcat +wullie +wulliwa +wumble +wumman +wummel +wun +wunderbar +wunderkind +wunderkinder +wundtian +wungee +wunna +wunner +wunsome +wuntee +wup +wur +wurley +wurleys +wurly +wurlies +wurmal +wurmian +wurraluh +wurrung +wurrup +wurrus +wurset +wurst +wursts +wurtzilite +wurtzite +wurtzitic +wurzburger +wurzel +wurzels +wus +wush +wusp +wuss +wusser +wust +wut +wuther +wuthering +wuzu +wuzzer +wuzzy +wuzzle +wuzzled +wuzzling +x +xalostockite +xanthaline +xanthamic +xanthamid +xanthamide +xanthan +xanthane +xanthans +xanthate +xanthates +xanthation +xanthein +xantheins +xanthelasma +xanthelasmic +xanthelasmoidea +xanthene +xanthenes +xanthian +xanthic +xanthid +xanthide +xanthidium +xanthydrol +xanthyl +xanthin +xanthindaba +xanthine +xanthines +xanthins +xanthinuria +xanthione +xanthippe +xanthism +xanthisma +xanthite +xanthium +xanthiuria +xanthocarpous +xanthocephalus +xanthoceras +xanthochroi +xanthochroia +xanthochroic +xanthochroid +xanthochroism +xanthochromia +xanthochromic +xanthochroous +xanthocyanopy +xanthocyanopia +xanthocyanopsy +xanthocyanopsia +xanthocobaltic +xanthocone +xanthoconite +xanthocreatinine +xanthoderm +xanthoderma +xanthodermatous +xanthodont +xanthodontous +xanthogen +xanthogenamic +xanthogenamide +xanthogenate +xanthogenic +xantholeucophore +xanthoma +xanthomas +xanthomata +xanthomatosis +xanthomatous +xanthomelanoi +xanthomelanous +xanthometer +xanthomyeloma +xanthomonas +xanthone +xanthones +xanthophane +xanthophyceae +xanthophyl +xanthophyll +xanthophyllic +xanthophyllite +xanthophyllous +xanthophore +xanthophose +xanthopia +xanthopicrin +xanthopicrite +xanthoproteic +xanthoprotein +xanthoproteinic +xanthopsia +xanthopsydracia +xanthopsin +xanthopterin +xanthopurpurin +xanthorhamnin +xanthorrhiza +xanthorrhoea +xanthosiderite +xanthosis +xanthosoma +xanthospermous +xanthotic +xanthoura +xanthous +xanthoxalis +xanthoxenite +xanthoxylin +xanthrochroid +xanthuria +xantippe +xarque +xat +xaverian +xc +xcl +xctl +xd +xdiv +xebec +xebecs +xed +xema +xeme +xenacanthine +xenacanthini +xenagogy +xenagogue +xenarchi +xenarthra +xenarthral +xenarthrous +xenelasy +xenelasia +xenia +xenial +xenian +xenias +xenic +xenically +xenicidae +xenicus +xenyl +xenylamine +xenium +xenobiology +xenobiologies +xenobiosis +xenoblast +xenochia +xenocyst +xenocratean +xenocratic +xenocryst +xenocrystic +xenoderm +xenodiagnosis +xenodiagnostic +xenodocheion +xenodochy +xenodochia +xenodochium +xenogamy +xenogamies +xenogamous +xenogeneic +xenogenesis +xenogenetic +xenogeny +xenogenic +xenogenies +xenogenous +xenoglossia +xenograft +xenolite +xenolith +xenolithic +xenoliths +xenomania +xenomaniac +xenomi +xenomorpha +xenomorphic +xenomorphically +xenomorphosis +xenon +xenons +xenoparasite +xenoparasitism +xenopeltid +xenopeltidae +xenophanean +xenophya +xenophile +xenophilism +xenophilous +xenophobe +xenophobes +xenophoby +xenophobia +xenophobian +xenophobic +xenophobism +xenophonic +xenophontean +xenophontian +xenophontic +xenophontine +xenophora +xenophoran +xenophoridae +xenophthalmia +xenoplastic +xenopodid +xenopodidae +xenopodoid +xenopsylla +xenopteran +xenopteri +xenopterygian +xenopterygii +xenopus +xenorhynchus +xenos +xenosaurid +xenosauridae +xenosauroid +xenosaurus +xenotime +xenotropic +xenurus +xerafin +xeransis +xeranthemum +xerantic +xeraphin +xerarch +xerasia +xeres +xeric +xerically +xeriff +xerocline +xeroderma +xerodermatic +xerodermatous +xerodermia +xerodermic +xerogel +xerographer +xerography +xerographic +xerographically +xeroma +xeromata +xeromenia +xeromyron +xeromyrum +xeromorph +xeromorphy +xeromorphic +xeromorphous +xeronate +xeronic +xerophagy +xerophagia +xerophagies +xerophil +xerophile +xerophily +xerophyllum +xerophilous +xerophyte +xerophytic +xerophytically +xerophytism +xerophobous +xerophthalmy +xerophthalmia +xerophthalmic +xerophthalmos +xeroprinting +xerosere +xeroseres +xeroses +xerosis +xerostoma +xerostomia +xerotes +xerotherm +xerothermic +xerotic +xerotocia +xerotripsis +xerox +xeroxed +xeroxes +xeroxing +xerus +xeruses +xi +xicak +xicaque +xii +xiii +xyla +xylan +xylans +xylanthrax +xylaria +xylariaceae +xylate +xyleborus +xylem +xylems +xylene +xylenes +xylenyl +xylenol +xyletic +xylia +xylic +xylidic +xylidin +xylidine +xylidines +xylidins +xylyl +xylylene +xylylic +xylyls +xylina +xylindein +xylinid +xylite +xylitol +xylitols +xylitone +xylo +xylobalsamum +xylocarp +xylocarpous +xylocarps +xylocopa +xylocopid +xylocopidae +xylogen +xyloglyphy +xylograph +xylographer +xylography +xylographic +xylographical +xylographically +xyloid +xyloidin +xyloidine +xyloyl +xylol +xylology +xylols +xyloma +xylomancy +xylomas +xylomata +xylometer +xylon +xylonic +xylonite +xylonitrile +xylophaga +xylophagan +xylophage +xylophagid +xylophagidae +xylophagous +xylophagus +xylophilous +xylophone +xylophones +xylophonic +xylophonist +xylophonists +xylopia +xylopyrographer +xylopyrography +xyloplastic +xylopolist +xyloquinone +xylorcin +xylorcinol +xylose +xyloses +xylosid +xyloside +xylosma +xylostroma +xylostromata +xylostromatoid +xylotile +xylotypography +xylotypographic +xylotomy +xylotomic +xylotomical +xylotomies +xylotomist +xylotomous +xylotrya +ximenia +xina +xinca +xint +xipe +xiphias +xiphydria +xiphydriid +xiphydriidae +xiphihumeralis +xiphiid +xiphiidae +xiphiiform +xiphioid +xiphiplastra +xiphiplastral +xiphiplastron +xiphisterna +xiphisternal +xiphisternum +xiphistna +xiphisura +xiphisuran +xiphiura +xiphius +xiphocostal +xiphodynia +xiphodon +xiphodontidae +xiphoid +xyphoid +xiphoidal +xiphoidian +xiphoids +xiphopagic +xiphopagous +xiphopagus +xiphophyllous +xiphosterna +xiphosternum +xiphosura +xiphosuran +xiphosure +xiphosuridae +xiphosurous +xiphosurus +xiphuous +xiphura +xiraxara +xyrichthys +xyrid +xyridaceae +xyridaceous +xyridales +xyris +xis +xyst +xyster +xysters +xysti +xystoi +xystos +xysts +xystum +xystus +xiv +xix +xyz +xmas +xmases +xoana +xoanon +xoanona +xonotlite +xosa +xr +xray +xref +xs +xu +xurel +xvi +xvii +xviii +xw +xx +xxi +xxii +xxiii +xxiv +xxv +xxx +z +za +zabaean +zabaglione +zabaione +zabaiones +zabaism +zabajone +zabajones +zaberma +zabeta +zabian +zabism +zaboglione +zabra +zabti +zabtie +zaburro +zac +zacate +zacatec +zacateco +zacaton +zacatons +zach +zachariah +zachun +zack +zad +zaddick +zaddickim +zaddik +zaddikim +zadokite +zadruga +zaffar +zaffars +zaffer +zaffers +zaffir +zaffirs +zaffre +zaffree +zaffres +zafree +zaftig +zag +zagaie +zagged +zagging +zaglossus +zags +zaguan +zayat +zaibatsu +zayin +zayins +zain +zaire +zaires +zairian +zairians +zaitha +zak +zakah +zakat +zakkeu +zaklohpakap +zakuska +zakuski +zalambdodont +zalambdodonta +zalamboodont +zalophus +zaman +zamang +zamarra +zamarras +zamarro +zamarros +zambac +zambal +zambezi +zambezian +zambia +zambian +zambians +zambo +zambomba +zamboorak +zambra +zamenis +zamia +zamiaceae +zamias +zamicrus +zamindar +zamindari +zamindary +zamindars +zaminder +zamorin +zamorine +zamouse +zampogna +zan +zanana +zananas +zanclidae +zanclodon +zanclodontidae +zande +zander +zanders +zandmole +zanella +zany +zaniah +zanier +zanies +zaniest +zanyish +zanyism +zanily +zaniness +zaninesses +zanyship +zanjero +zanjon +zanjona +zannichellia +zannichelliaceae +zanonia +zant +zante +zantedeschia +zantewood +zanthorrhiza +zanthoxylaceae +zanthoxylum +zantiot +zantiote +zanza +zanzalian +zanzas +zanze +zanzibar +zanzibari +zap +zapara +zaparan +zaparo +zaparoan +zapas +zapateado +zapateados +zapateo +zapateos +zapatero +zaphara +zaphetic +zaphrentid +zaphrentidae +zaphrentis +zaphrentoid +zapodidae +zapodinae +zaporogian +zaporogue +zapota +zapote +zapotec +zapotecan +zapoteco +zapped +zapping +zaps +zaptiah +zaptiahs +zaptieh +zaptiehs +zaptoeca +zapupe +zapus +zaqqum +zaque +zar +zarabanda +zaramo +zarathustrian +zarathustrianism +zarathustrism +zaratite +zaratites +zardushti +zareba +zarebas +zareeba +zareebas +zarema +zarf +zarfs +zariba +zaribas +zarnec +zarnich +zarp +zarzuela +zarzuelas +zastruga +zastrugi +zat +zati +zattare +zaurak +zauschneria +zavijava +zax +zaxes +zazen +zazens +zea +zeal +zealand +zealander +zealanders +zealed +zealful +zealless +zeallessness +zealot +zealotic +zealotical +zealotism +zealotist +zealotry +zealotries +zealots +zealous +zealousy +zealously +zealousness +zealproof +zeals +zeatin +zeatins +zeaxanthin +zebec +zebeck +zebecks +zebecs +zebedee +zebra +zebrafish +zebrafishes +zebraic +zebralike +zebras +zebrass +zebrasses +zebrawood +zebrina +zebrine +zebrinny +zebrinnies +zebroid +zebrula +zebrule +zebu +zebub +zebulun +zebulunite +zeburro +zebus +zecchin +zecchini +zecchino +zecchinos +zecchins +zechariah +zechin +zechins +zechstein +zed +zedoary +zedoaries +zeds +zee +zeed +zeekoe +zeelander +zees +zeguha +zehner +zeidae +zeilanite +zein +zeins +zeism +zeiss +zeist +zeitgeist +zek +zeke +zeks +zel +zelanian +zelant +zelator +zelatrice +zelatrix +zelkova +zelkovas +zelophobia +zelotic +zelotypia +zelotypie +zeltinger +zeme +zemeism +zemi +zemiism +zemimdari +zemindar +zemindari +zemindary +zemindars +zemmi +zemni +zemstroist +zemstva +zemstvo +zemstvos +zen +zenaga +zenaida +zenaidas +zenaidinae +zenaidura +zenana +zenanas +zend +zendic +zendician +zendik +zendikite +zendo +zendos +zenelophon +zenick +zenith +zenithal +zeniths +zenithward +zenithwards +zenobia +zenocentric +zenography +zenographic +zenographical +zenonian +zenonic +zentner +zenu +zenzuic +zeoidei +zeolite +zeolites +zeolitic +zeolitization +zeolitize +zeolitized +zeolitizing +zeoscope +zep +zephaniah +zepharovichite +zephyr +zephiran +zephyranth +zephyranthes +zephyrean +zephyry +zephyrian +zephyrless +zephyrlike +zephyrous +zephyrs +zephyrus +zeppelin +zeppelins +zequin +zer +zerda +zereba +zerma +zermahbub +zero +zeroaxial +zeroed +zeroes +zeroeth +zeroing +zeroize +zeros +zeroth +zerumbet +zest +zested +zestful +zestfully +zestfulness +zesty +zestier +zestiest +zestiness +zesting +zestless +zests +zeta +zetacism +zetas +zetetic +zeuctocoelomata +zeuctocoelomatic +zeuctocoelomic +zeugite +zeuglodon +zeuglodont +zeuglodonta +zeuglodontia +zeuglodontidae +zeuglodontoid +zeugma +zeugmas +zeugmatic +zeugmatically +zeugobranchia +zeugobranchiata +zeunerite +zeus +zeuxian +zeuxite +zeuzera +zeuzerian +zeuzeridae +zhmud +zho +ziamet +ziara +ziarat +zibeline +zibelines +zibelline +zibet +zibeth +zibethone +zibeths +zibetone +zibets +zibetum +ziczac +zydeco +zydecos +ziega +zieger +zietrisikite +ziff +ziffs +zig +zyga +zygadenin +zygadenine +zygadenus +zygadite +zygaena +zygaenid +zygaenidae +zygal +zigamorph +zigan +ziganka +zygantra +zygantrum +zygapophyseal +zygapophyses +zygapophysial +zygapophysis +zygenid +zigged +zigger +zigging +ziggurat +ziggurats +zygion +zygite +zygnema +zygnemaceae +zygnemaceous +zygnemales +zygnemataceae +zygnemataceous +zygnematales +zygobranch +zygobranchia +zygobranchiata +zygobranchiate +zygocactus +zygodactyl +zygodactylae +zygodactyle +zygodactyli +zygodactylic +zygodactylism +zygodactylous +zygodont +zygogenesis +zygogenetic +zygoid +zygolabialis +zygoma +zygomas +zygomata +zygomatic +zygomaticoauricular +zygomaticoauricularis +zygomaticofacial +zygomaticofrontal +zygomaticomaxillary +zygomaticoorbital +zygomaticosphenoid +zygomaticotemporal +zygomaticum +zygomaticus +zygomaxillare +zygomaxillary +zygomycete +zygomycetes +zygomycetous +zygomorphy +zygomorphic +zygomorphism +zygomorphous +zygon +zygoneure +zygophyceae +zygophyceous +zygophyllaceae +zygophyllaceous +zygophyllum +zygophyte +zygophore +zygophoric +zygopleural +zygoptera +zygopteraceae +zygopteran +zygopterid +zygopterides +zygopteris +zygopteron +zygopterous +zygosaccharomyces +zygose +zygoses +zygosis +zygosity +zygosities +zygosperm +zygosphenal +zygosphene +zygosphere +zygosporange +zygosporangium +zygospore +zygosporic +zygosporophore +zygostyle +zygotactic +zygotaxis +zygote +zygotene +zygotenes +zygotes +zygotic +zygotically +zygotoblast +zygotoid +zygotomere +zygous +zygozoospore +zigs +zigzag +zigzagged +zigzaggedly +zigzaggedness +zigzagger +zigzaggery +zigzaggy +zigzagging +zigzags +zigzagways +zigzagwise +zihar +zikkurat +zikkurats +zikurat +zikurats +zila +zilch +zilches +zilchviticetum +zill +zilla +zillah +zillahs +zillion +zillions +zillionth +zillionths +zills +zilpah +zimarra +zymase +zymases +zimb +zimbabwe +zimbalon +zimbaloon +zimbi +zyme +zimentwater +zymes +zymic +zymin +zymite +zimme +zimmerwaldian +zimmerwaldist +zimmi +zimmy +zimmis +zimocca +zymochemistry +zymogen +zymogene +zymogenes +zymogenesis +zymogenic +zymogenous +zymogens +zymogram +zymograms +zymoid +zymolyis +zymolysis +zymolytic +zymology +zymologic +zymological +zymologies +zymologist +zymome +zymometer +zymomin +zymophyte +zymophore +zymophoric +zymophosphate +zymoplastic +zymosan +zymosans +zymoscope +zymoses +zymosimeter +zymosis +zymosterol +zymosthenic +zymotechny +zymotechnic +zymotechnical +zymotechnics +zymotic +zymotically +zymotize +zymotoxic +zymurgy +zymurgies +zinc +zincalo +zincate +zincates +zinced +zincenite +zincy +zincic +zincid +zincide +zinciferous +zincify +zincification +zincified +zincifies +zincifying +zincing +zincite +zincites +zincize +zincke +zincked +zinckenite +zincky +zincking +zinco +zincode +zincograph +zincographer +zincography +zincographic +zincographical +zincoid +zincolysis +zincotype +zincous +zincs +zincum +zincuret +zindabad +zindiq +zineb +zinebs +zinfandel +zing +zingana +zingani +zingano +zingara +zingare +zingaresca +zingari +zingaro +zinged +zingel +zinger +zingerone +zingers +zingy +zingiber +zingiberaceae +zingiberaceous +zingiberene +zingiberol +zingiberone +zingier +zingiest +zinging +zings +zinyamunga +zinjanthropi +zinjanthropus +zink +zinke +zinked +zinkenite +zinky +zinkiferous +zinkify +zinkified +zinkifies +zinkifying +zinnia +zinnias +zinnwaldite +zinober +zinsang +zinzar +zinziberaceae +zinziberaceous +zion +zionism +zionist +zionistic +zionists +zionite +zionless +zionward +zip +zipa +ziphian +ziphiidae +ziphiinae +ziphioid +ziphius +zipless +zipped +zippeite +zipper +zippered +zippering +zippers +zippy +zippier +zippiest +zipping +zippingly +zipppier +zipppiest +zips +zira +zirai +zirak +ziram +zirams +zirbanit +zircalloy +zircaloy +zircite +zircofluoride +zircon +zirconate +zirconia +zirconian +zirconias +zirconic +zirconiferous +zirconifluoride +zirconyl +zirconium +zirconofluoride +zirconoid +zircons +zyrenian +zirian +zyrian +zyryan +zirianian +zirkelite +zirkite +zit +zythem +zither +zitherist +zitherists +zithern +zitherns +zithers +zythia +zythum +ziti +zitis +zits +zitter +zittern +zitzit +zitzith +zizany +zizania +zizel +zizia +zizyphus +zizit +zizith +zyzomys +zizz +zyzzyva +zyzzyvas +zizzle +zizzled +zizzles +zizzling +zyzzogeton +zlote +zloty +zlotych +zloties +zlotys +zmudz +zn +zo +zoa +zoacum +zoaea +zoanthacea +zoanthacean +zoantharia +zoantharian +zoanthid +zoanthidae +zoanthidea +zoanthodeme +zoanthodemic +zoanthoid +zoanthropy +zoanthus +zoarces +zoarcidae +zoaria +zoarial +zoarite +zoarium +zobo +zobtenite +zocalo +zocco +zoccolo +zod +zodiac +zodiacal +zodiacs +zodiophilous +zoea +zoeae +zoeaform +zoeal +zoeas +zoeform +zoehemera +zoehemerae +zoetic +zoetrope +zoetropic +zoftig +zogan +zogo +zohak +zoharist +zoharite +zoiatria +zoiatrics +zoic +zoid +zoidiophilous +zoidogamous +zoilean +zoilism +zoilist +zoilus +zoysia +zoysias +zoisite +zoisites +zoisitization +zoism +zoist +zoistic +zokor +zolaesque +zolaism +zolaist +zolaistic +zolaize +zoll +zolle +zollernia +zollpfund +zollverein +zolotink +zolotnik +zombi +zombie +zombielike +zombies +zombiism +zombiisms +zombis +zomotherapeutic +zomotherapy +zona +zonaesthesia +zonal +zonality +zonally +zonar +zonary +zonaria +zonate +zonated +zonation +zonations +zonda +zone +zoned +zoneless +zonelet +zonelike +zoner +zoners +zones +zonesthesia +zonetime +zonetimes +zongora +zonic +zoniferous +zoning +zonite +zonites +zonitid +zonitidae +zonitoides +zonked +zonnar +zonochlorite +zonociliate +zonoid +zonolimnetic +zonoplacental +zonoplacentalia +zonoskeleton +zonotrichia +zonta +zontian +zonula +zonulae +zonular +zonulas +zonule +zonules +zonulet +zonure +zonurid +zonuridae +zonuroid +zonurus +zoo +zoobenthoic +zoobenthos +zooblast +zoocarp +zoocecidium +zoochem +zoochemy +zoochemical +zoochemistry +zoochlorella +zoochore +zoochores +zoocyst +zoocystic +zoocytial +zoocytium +zoocoenocyte +zoocultural +zooculture +zoocurrent +zoodendria +zoodendrium +zoodynamic +zoodynamics +zooecia +zooecial +zooecium +zooerastia +zooerythrin +zooflagellate +zoofulvin +zoogamete +zoogamy +zoogamous +zoogene +zoogenesis +zoogeny +zoogenic +zoogenous +zoogeog +zoogeographer +zoogeography +zoogeographic +zoogeographical +zoogeographically +zoogeographies +zoogeology +zoogeological +zoogeologist +zooglea +zoogleae +zoogleal +zoogleas +zoogler +zoogloea +zoogloeae +zoogloeal +zoogloeas +zoogloeic +zoogony +zoogonic +zoogonidium +zoogonous +zoograft +zoografting +zoographer +zoography +zoographic +zoographical +zoographically +zoographist +zooid +zooidal +zooidiophilous +zooids +zookers +zooks +zool +zoolater +zoolaters +zoolatry +zoolatria +zoolatries +zoolatrous +zoolite +zoolith +zoolithic +zoolitic +zoologer +zoology +zoologic +zoological +zoologically +zoologicoarchaeologist +zoologicobotanical +zoologies +zoologist +zoologists +zoologize +zoologized +zoologizing +zoom +zoomagnetic +zoomagnetism +zoomancy +zoomania +zoomanias +zoomantic +zoomantist +zoomastigina +zoomastigoda +zoomechanical +zoomechanics +zoomed +zoomelanin +zoometry +zoometric +zoometrical +zoometries +zoomimetic +zoomimic +zooming +zoomorph +zoomorphy +zoomorphic +zoomorphism +zoomorphize +zoomorphs +zooms +zoon +zoona +zoonal +zoonerythrin +zoonic +zoonist +zoonite +zoonitic +zoonomy +zoonomia +zoonomic +zoonomical +zoonomist +zoonoses +zoonosis +zoonosology +zoonosologist +zoonotic +zoons +zoonule +zoopaleontology +zoopantheon +zooparasite +zooparasitic +zoopathy +zoopathology +zoopathological +zoopathologies +zoopathologist +zooperal +zoopery +zooperist +zoophaga +zoophagan +zoophagineae +zoophagous +zoophagus +zoopharmacy +zoopharmacological +zoophile +zoophiles +zoophily +zoophilia +zoophiliac +zoophilic +zoophilies +zoophilism +zoophilist +zoophilite +zoophilitic +zoophilous +zoophysical +zoophysicist +zoophysics +zoophysiology +zoophism +zoophyta +zoophytal +zoophyte +zoophytes +zoophytic +zoophytical +zoophytish +zoophytography +zoophytoid +zoophytology +zoophytological +zoophytologist +zoophobe +zoophobes +zoophobia +zoophobous +zoophori +zoophoric +zoophorous +zoophorus +zooplankton +zooplanktonic +zooplasty +zooplastic +zoopraxiscope +zoopsia +zoopsychology +zoopsychological +zoopsychologist +zoos +zooscopy +zooscopic +zoosis +zoosmosis +zoosperm +zoospermatic +zoospermia +zoospermium +zoosperms +zoospgia +zoosphere +zoosporange +zoosporangia +zoosporangial +zoosporangiophore +zoosporangium +zoospore +zoospores +zoosporic +zoosporiferous +zoosporocyst +zoosporous +zoosterol +zootaxy +zootaxonomist +zootechny +zootechnic +zootechnical +zootechnician +zootechnics +zooter +zoothecia +zoothecial +zoothecium +zootheism +zootheist +zootheistic +zootherapy +zoothome +zooty +zootic +zootype +zootypic +zootoca +zootomy +zootomic +zootomical +zootomically +zootomies +zootomist +zoototemism +zootoxin +zootrophy +zootrophic +zooxanthella +zooxanthellae +zooxanthin +zoozoo +zophophori +zophori +zophorus +zopilote +zoque +zoquean +zoraptera +zorgite +zori +zoril +zorilla +zorillas +zorille +zorilles +zorillinae +zorillo +zorillos +zorils +zoris +zoroaster +zoroastra +zoroastrian +zoroastrianism +zoroastrians +zoroastrism +zorotypus +zorrillo +zorro +zortzico +zosma +zoster +zostera +zosteraceae +zosteriform +zosteropinae +zosterops +zosters +zouave +zouaves +zounds +zowie +zs +zubeneschamali +zubr +zuccarino +zucchetti +zucchetto +zucchettos +zucchini +zucchinis +zucco +zuchetto +zudda +zuffolo +zufolo +zugtierlast +zugtierlaster +zugzwang +zuisin +zuleika +zulhijjah +zulinde +zulkadah +zulu +zuludom +zuluize +zulus +zumatic +zumbooruk +zuni +zunian +zunyite +zunis +zupanate +zurich +zurlite +zutugil +zuurveldt +zuza +zwanziger +zwieback +zwiebacks +zwieselite +zwinglian +zwinglianism +zwinglianist +zwitter +zwitterion +zwitterionic \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/tweet_words.txt b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/tweet_words.txt new file mode 100755 index 00000000..3b71040c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/tweet_words.txt @@ -0,0 +1,40 @@ +panic +solar +shire +proxy +point +robot +prick +wince +crimp +knoll +sugar +whack +mount +perky +could +wrung +light +those +moist +shard +pleat +aloft +skill +elder +frame +humor +pause +ulcer +ultra +robin +cynic +aroma +caulk +shake +dodge +swill +tacit +other +thorn +trove \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/wordle_official.txt b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/wordle_official.txt new file mode 100755 index 00000000..50838083 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/wordle_official.txt @@ -0,0 +1,2315 @@ +aback +abase +abate +abbey +abbot +abhor +abide +abled +abode +abort +about +above +abuse +abyss +acorn +acrid +actor +acute +adage +adapt +adept +admin +admit +adobe +adopt +adore +adorn +adult +affix +afire +afoot +afoul +after +again +agape +agate +agent +agile +aging +aglow +agony +agora +agree +ahead +aider +aisle +alarm +album +alert +algae +alibi +alien +align +alike +alive +allay +alley +allot +allow +alloy +aloft +alone +along +aloof +aloud +alpha +altar +alter +amass +amaze +amber +amble +amend +amiss +amity +among +ample +amply +amuse +angel +anger +angle +angry +angst +anime +ankle +annex +annoy +annul +anode +antic +anvil +aorta +apart +aphid +aping +apnea +apple +apply +apron +aptly +arbor +ardor +arena +argue +arise +armor +aroma +arose +array +arrow +arson +artsy +ascot +ashen +aside +askew +assay +asset +atoll +atone +attic +audio +audit +augur +aunty +avail +avert +avian +avoid +await +awake +award +aware +awash +awful +awoke +axial +axiom +axion +azure +bacon +badge +badly +bagel +baggy +baker +baler +balmy +banal +banjo +barge +baron +basal +basic +basil +basin +basis +baste +batch +bathe +baton +batty +bawdy +bayou +beach +beady +beard +beast +beech +beefy +befit +began +begat +beget +begin +begun +being +belch +belie +belle +belly +below +bench +beret +berry +berth +beset +betel +bevel +bezel +bible +bicep +biddy +bigot +bilge +billy +binge +bingo +biome +birch +birth +bison +bitty +black +blade +blame +bland +blank +blare +blast +blaze +bleak +bleat +bleed +bleep +blend +bless +blimp +blind +blink +bliss +blitz +bloat +block +bloke +blond +blood +bloom +blown +bluer +bluff +blunt +blurb +blurt +blush +board +boast +bobby +boney +bongo +bonus +booby +boost +booth +booty +booze +boozy +borax +borne +bosom +bossy +botch +bough +boule +bound +bowel +boxer +brace +braid +brain +brake +brand +brash +brass +brave +bravo +brawl +brawn +bread +break +breed +briar +bribe +brick +bride +brief +brine +bring +brink +briny +brisk +broad +broil +broke +brood +brook +broom +broth +brown +brunt +brush +brute +buddy +budge +buggy +bugle +build +built +bulge +bulky +bully +bunch +bunny +burly +burnt +burst +bused +bushy +butch +butte +buxom +buyer +bylaw +cabal +cabby +cabin +cable +cacao +cache +cacti +caddy +cadet +cagey +cairn +camel +cameo +canal +candy +canny +canoe +canon +caper +caput +carat +cargo +carol +carry +carve +caste +catch +cater +catty +caulk +cause +cavil +cease +cedar +cello +chafe +chaff +chain +chair +chalk +champ +chant +chaos +chard +charm +chart +chase +chasm +cheap +cheat +check +cheek +cheer +chess +chest +chick +chide +chief +child +chili +chill +chime +china +chirp +chock +choir +choke +chord +chore +chose +chuck +chump +chunk +churn +chute +cider +cigar +cinch +circa +civic +civil +clack +claim +clamp +clang +clank +clash +clasp +class +clean +clear +cleat +cleft +clerk +click +cliff +climb +cling +clink +cloak +clock +clone +close +cloth +cloud +clout +clove +clown +cluck +clued +clump +clung +coach +coast +cobra +cocoa +colon +color +comet +comfy +comic +comma +conch +condo +conic +copse +coral +corer +corny +couch +cough +could +count +coupe +court +coven +cover +covet +covey +cower +coyly +crack +craft +cramp +crane +crank +crash +crass +crate +crave +crawl +craze +crazy +creak +cream +credo +creed +creek +creep +creme +crepe +crept +cress +crest +crick +cried +crier +crime +crimp +crisp +croak +crock +crone +crony +crook +cross +croup +crowd +crown +crude +cruel +crumb +crump +crush +crust +crypt +cubic +cumin +curio +curly +curry +curse +curve +curvy +cutie +cyber +cycle +cynic +daddy +daily +dairy +daisy +dally +dance +dandy +datum +daunt +dealt +death +debar +debit +debug +debut +decal +decay +decor +decoy +decry +defer +deign +deity +delay +delta +delve +demon +demur +denim +dense +depot +depth +derby +deter +detox +deuce +devil +diary +dicey +digit +dilly +dimly +diner +dingo +dingy +diode +dirge +dirty +disco +ditch +ditto +ditty +diver +dizzy +dodge +dodgy +dogma +doing +dolly +donor +donut +dopey +doubt +dough +dowdy +dowel +downy +dowry +dozen +draft +drain +drake +drama +drank +drape +drawl +drawn +dread +dream +dress +dried +drier +drift +drill +drink +drive +droit +droll +drone +drool +droop +dross +drove +drown +druid +drunk +dryer +dryly +duchy +dully +dummy +dumpy +dunce +dusky +dusty +dutch +duvet +dwarf +dwell +dwelt +dying +eager +eagle +early +earth +easel +eaten +eater +ebony +eclat +edict +edify +eerie +egret +eight +eject +eking +elate +elbow +elder +elect +elegy +elfin +elide +elite +elope +elude +email +embed +ember +emcee +empty +enact +endow +enema +enemy +enjoy +ennui +ensue +enter +entry +envoy +epoch +epoxy +equal +equip +erase +erect +erode +error +erupt +essay +ester +ether +ethic +ethos +etude +evade +event +every +evict +evoke +exact +exalt +excel +exert +exile +exist +expel +extol +extra +exult +eying +fable +facet +faint +fairy +faith +false +fancy +fanny +farce +fatal +fatty +fault +fauna +favor +feast +fecal +feign +fella +felon +femme +femur +fence +feral +ferry +fetal +fetch +fetid +fetus +fever +fewer +fiber +fibre +ficus +field +fiend +fiery +fifth +fifty +fight +filer +filet +filly +filmy +filth +final +finch +finer +first +fishy +fixer +fizzy +fjord +flack +flail +flair +flake +flaky +flame +flank +flare +flash +flask +fleck +fleet +flesh +flick +flier +fling +flint +flirt +float +flock +flood +floor +flora +floss +flour +flout +flown +fluff +fluid +fluke +flume +flung +flunk +flush +flute +flyer +foamy +focal +focus +foggy +foist +folio +folly +foray +force +forge +forgo +forte +forth +forty +forum +found +foyer +frail +frame +frank +fraud +freak +freed +freer +fresh +friar +fried +frill +frisk +fritz +frock +frond +front +frost +froth +frown +froze +fruit +fudge +fugue +fully +fungi +funky +funny +furor +furry +fussy +fuzzy +gaffe +gaily +gamer +gamma +gamut +gassy +gaudy +gauge +gaunt +gauze +gavel +gawky +gayer +gayly +gazer +gecko +geeky +geese +genie +genre +ghost +ghoul +giant +giddy +gipsy +girly +girth +given +giver +glade +gland +glare +glass +glaze +gleam +glean +glide +glint +gloat +globe +gloom +glory +gloss +glove +glyph +gnash +gnome +godly +going +golem +golly +gonad +goner +goody +gooey +goofy +goose +gorge +gouge +gourd +grace +grade +graft +grail +grain +grand +grant +grape +graph +grasp +grass +grate +grave +gravy +graze +great +greed +green +greet +grief +grill +grime +grimy +grind +gripe +groan +groin +groom +grope +gross +group +grout +grove +growl +grown +gruel +gruff +grunt +guard +guava +guess +guest +guide +guild +guile +guilt +guise +gulch +gully +gumbo +gummy +guppy +gusto +gusty +gypsy +habit +hairy +halve +handy +happy +hardy +harem +harpy +harry +harsh +haste +hasty +hatch +hater +haunt +haute +haven +havoc +hazel +heady +heard +heart +heath +heave +heavy +hedge +hefty +heist +helix +hello +hence +heron +hilly +hinge +hippo +hippy +hitch +hoard +hobby +hoist +holly +homer +honey +honor +horde +horny +horse +hotel +hotly +hound +house +hovel +hover +howdy +human +humid +humor +humph +humus +hunch +hunky +hurry +husky +hussy +hutch +hydro +hyena +hymen +hyper +icily +icing +ideal +idiom +idiot +idler +idyll +igloo +iliac +image +imbue +impel +imply +inane +inbox +incur +index +inept +inert +infer +ingot +inlay +inlet +inner +input +inter +intro +ionic +irate +irony +islet +issue +itchy +ivory +jaunt +jazzy +jelly +jerky +jetty +jewel +jiffy +joint +joist +joker +jolly +joust +judge +juice +juicy +jumbo +jumpy +junta +junto +juror +kappa +karma +kayak +kebab +khaki +kinky +kiosk +kitty +knack +knave +knead +kneed +kneel +knelt +knife +knock +knoll +known +koala +krill +label +labor +laden +ladle +lager +lance +lanky +lapel +lapse +large +larva +lasso +latch +later +lathe +latte +laugh +layer +leach +leafy +leaky +leant +leapt +learn +lease +leash +least +leave +ledge +leech +leery +lefty +legal +leggy +lemon +lemur +leper +level +lever +libel +liege +light +liken +lilac +limbo +limit +linen +liner +lingo +lipid +lithe +liver +livid +llama +loamy +loath +lobby +local +locus +lodge +lofty +logic +login +loopy +loose +lorry +loser +louse +lousy +lover +lower +lowly +loyal +lucid +lucky +lumen +lumpy +lunar +lunch +lunge +lupus +lurch +lurid +lusty +lying +lymph +lynch +lyric +macaw +macho +macro +madam +madly +mafia +magic +magma +maize +major +maker +mambo +mamma +mammy +manga +mange +mango +mangy +mania +manic +manly +manor +maple +march +marry +marsh +mason +masse +match +matey +mauve +maxim +maybe +mayor +mealy +meant +meaty +mecca +medal +media +medic +melee +melon +mercy +merge +merit +merry +metal +meter +metro +micro +midge +midst +might +milky +mimic +mince +miner +minim +minor +minty +minus +mirth +miser +missy +mocha +modal +model +modem +mogul +moist +molar +moldy +money +month +moody +moose +moral +moron +morph +mossy +motel +motif +motor +motto +moult +mound +mount +mourn +mouse +mouth +mover +movie +mower +mucky +mucus +muddy +mulch +mummy +munch +mural +murky +mushy +music +musky +musty +myrrh +nadir +naive +nanny +nasal +nasty +natal +naval +navel +needy +neigh +nerdy +nerve +never +newer +newly +nicer +niche +niece +night +ninja +ninny +ninth +noble +nobly +noise +noisy +nomad +noose +north +nosey +notch +novel +nudge +nurse +nutty +nylon +nymph +oaken +obese +occur +ocean +octal +octet +odder +oddly +offal +offer +often +olden +older +olive +ombre +omega +onion +onset +opera +opine +opium +optic +orbit +order +organ +other +otter +ought +ounce +outdo +outer +outgo +ovary +ovate +overt +ovine +ovoid +owing +owner +oxide +ozone +paddy +pagan +paint +paler +palsy +panel +panic +pansy +papal +paper +parer +parka +parry +parse +party +pasta +paste +pasty +patch +patio +patsy +patty +pause +payee +payer +peace +peach +pearl +pecan +pedal +penal +pence +penne +penny +perch +peril +perky +pesky +pesto +petal +petty +phase +phone +phony +photo +piano +picky +piece +piety +piggy +pilot +pinch +piney +pinky +pinto +piper +pique +pitch +pithy +pivot +pixel +pixie +pizza +place +plaid +plain +plait +plane +plank +plant +plate +plaza +plead +pleat +plied +plier +pluck +plumb +plume +plump +plunk +plush +poesy +point +poise +poker +polar +polka +polyp +pooch +poppy +porch +poser +posit +posse +pouch +pound +pouty +power +prank +prawn +preen +press +price +prick +pride +pried +prime +primo +print +prior +prism +privy +prize +probe +prone +prong +proof +prose +proud +prove +prowl +proxy +prude +prune +psalm +pubic +pudgy +puffy +pulpy +pulse +punch +pupal +pupil +puppy +puree +purer +purge +purse +pushy +putty +pygmy +quack +quail +quake +qualm +quark +quart +quash +quasi +queen +queer +quell +query +quest +queue +quick +quiet +quill +quilt +quirk +quite +quota +quote +quoth +rabbi +rabid +racer +radar +radii +radio +rainy +raise +rajah +rally +ralph +ramen +ranch +randy +range +rapid +rarer +raspy +ratio +ratty +raven +rayon +razor +reach +react +ready +realm +rearm +rebar +rebel +rebus +rebut +recap +recur +recut +reedy +refer +refit +regal +rehab +reign +relax +relay +relic +remit +renal +renew +repay +repel +reply +rerun +reset +resin +retch +retro +retry +reuse +revel +revue +rhino +rhyme +rider +ridge +rifle +right +rigid +rigor +rinse +ripen +riper +risen +riser +risky +rival +river +rivet +roach +roast +robin +robot +rocky +rodeo +roger +rogue +roomy +roost +rotor +rouge +rough +round +rouse +route +rover +rowdy +rower +royal +ruddy +ruder +rugby +ruler +rumba +rumor +rupee +rural +rusty +sadly +safer +saint +salad +sally +salon +salsa +salty +salve +salvo +sandy +saner +sappy +sassy +satin +satyr +sauce +saucy +sauna +saute +savor +savoy +savvy +scald +scale +scalp +scaly +scamp +scant +scare +scarf +scary +scene +scent +scion +scoff +scold +scone +scoop +scope +score +scorn +scour +scout +scowl +scram +scrap +scree +screw +scrub +scrum +scuba +sedan +seedy +segue +seize +semen +sense +sepia +serif +serum +serve +setup +seven +sever +sewer +shack +shade +shady +shaft +shake +shaky +shale +shall +shalt +shame +shank +shape +shard +share +shark +sharp +shave +shawl +shear +sheen +sheep +sheer +sheet +sheik +shelf +shell +shied +shift +shine +shiny +shire +shirk +shirt +shoal +shock +shone +shook +shoot +shore +shorn +short +shout +shove +shown +showy +shrew +shrub +shrug +shuck +shunt +shush +shyly +siege +sieve +sight +sigma +silky +silly +since +sinew +singe +siren +sissy +sixth +sixty +skate +skier +skiff +skill +skimp +skirt +skulk +skull +skunk +slack +slain +slang +slant +slash +slate +slave +sleek +sleep +sleet +slept +slice +slick +slide +slime +slimy +sling +slink +sloop +slope +slosh +sloth +slump +slung +slunk +slurp +slush +slyly +smack +small +smart +smash +smear +smell +smelt +smile +smirk +smite +smith +smock +smoke +smoky +smote +snack +snail +snake +snaky +snare +snarl +sneak +sneer +snide +sniff +snipe +snoop +snore +snort +snout +snowy +snuck +snuff +soapy +sober +soggy +solar +solid +solve +sonar +sonic +sooth +sooty +sorry +sound +south +sower +space +spade +spank +spare +spark +spasm +spawn +speak +spear +speck +speed +spell +spelt +spend +spent +sperm +spice +spicy +spied +spiel +spike +spiky +spill +spilt +spine +spiny +spire +spite +splat +split +spoil +spoke +spoof +spook +spool +spoon +spore +sport +spout +spray +spree +sprig +spunk +spurn +spurt +squad +squat +squib +stack +staff +stage +staid +stain +stair +stake +stale +stalk +stall +stamp +stand +stank +stare +stark +start +stash +state +stave +stead +steak +steal +steam +steed +steel +steep +steer +stein +stern +stick +stiff +still +stilt +sting +stink +stint +stock +stoic +stoke +stole +stomp +stone +stony +stood +stool +stoop +store +stork +storm +story +stout +stove +strap +straw +stray +strip +strut +stuck +study +stuff +stump +stung +stunk +stunt +style +suave +sugar +suing +suite +sulky +sully +sumac +sunny +super +surer +surge +surly +sushi +swami +swamp +swarm +swash +swath +swear +sweat +sweep +sweet +swell +swept +swift +swill +swine +swing +swirl +swish +swoon +swoop +sword +swore +sworn +swung +synod +syrup +tabby +table +taboo +tacit +tacky +taffy +taint +taken +taker +tally +talon +tamer +tango +tangy +taper +tapir +tardy +tarot +taste +tasty +tatty +taunt +tawny +teach +teary +tease +teddy +teeth +tempo +tenet +tenor +tense +tenth +tepee +tepid +terra +terse +testy +thank +theft +their +theme +there +these +theta +thick +thief +thigh +thing +think +third +thong +thorn +those +three +threw +throb +throw +thrum +thumb +thump +thyme +tiara +tibia +tidal +tiger +tight +tilde +timer +timid +tipsy +titan +tithe +title +toast +today +toddy +token +tonal +tonga +tonic +tooth +topaz +topic +torch +torso +torus +total +totem +touch +tough +towel +tower +toxic +toxin +trace +track +tract +trade +trail +train +trait +tramp +trash +trawl +tread +treat +trend +triad +trial +tribe +trice +trick +tried +tripe +trite +troll +troop +trope +trout +trove +truce +truck +truer +truly +trump +trunk +truss +trust +truth +tryst +tubal +tuber +tulip +tulle +tumor +tunic +turbo +tutor +twang +tweak +tweed +tweet +twice +twine +twirl +twist +twixt +tying +udder +ulcer +ultra +umbra +uncle +uncut +under +undid +undue +unfed +unfit +unify +union +unite +unity +unlit +unmet +unset +untie +until +unwed +unzip +upper +upset +urban +urine +usage +usher +using +usual +usurp +utile +utter +vague +valet +valid +valor +value +valve +vapid +vapor +vault +vaunt +vegan +venom +venue +verge +verse +verso +verve +vicar +video +vigil +vigor +villa +vinyl +viola +viper +viral +virus +visit +visor +vista +vital +vivid +vixen +vocal +vodka +vogue +voice +voila +vomit +voter +vouch +vowel +vying +wacky +wafer +wager +wagon +waist +waive +waltz +warty +waste +watch +water +waver +waxen +weary +weave +wedge +weedy +weigh +weird +welch +welsh +wench +whack +whale +wharf +wheat +wheel +whelp +where +which +whiff +while +whine +whiny +whirl +whisk +white +whole +whoop +whose +widen +wider +widow +width +wield +wight +willy +wimpy +wince +winch +windy +wiser +wispy +witch +witty +woken +woman +women +woody +wooer +wooly +woozy +wordy +world +worry +worse +worst +worth +would +wound +woven +wrack +wrath +wreak +wreck +wrest +wring +wrist +write +wrong +wrote +wrung +wryly +yacht +yearn +yeast +yield +young +youth +zebra +zesty +zonal \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/wordle_official_200.txt b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/wordle_official_200.txt new file mode 100755 index 00000000..2ebd2cca --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/wordle_official_200.txt @@ -0,0 +1,236 @@ +trash +snare +taffy +solar +dopey +strip +raspy +glade +ulcer +denim +spore +rarer +wedge +stash +finer +vicar +panel +tryst +siege +rocky +audio +final +umbra +badly +slack +dodge +close +manor +forte +aloft +shard +patsy +mince +warty +tiara +tacit +weedy +knoll +wince +juice +doubt +smear +eject +shark +faint +night +acrid +knelt +media +iliac +blown +squad +waxen +swath +stock +chafe +sense +baker +leash +block +amaze +treat +fishy +sling +mucky +prick +other +rayon +modem +adage +tilde +build +tipsy +stand +sonic +spill +story +crimp +flank +chili +burly +gravy +poise +swill +fight +ridge +exile +gloom +petty +wrist +those +islet +elder +smoky +scout +sedan +arose +enjoy +shire +labor +proxy +panic +bulge +pansy +trawl +rowdy +thorn +soapy +aside +route +laden +befit +gypsy +stead +papal +clank +beard +hotel +might +outgo +trove +spent +pecan +pleat +lapse +roach +angst +where +could +buyer +nadir +index +pause +wagon +sugar +plush +frock +krill +octal +badge +whose +sinew +elfin +blaze +depot +wrung +crook +tenth +cynic +ruler +patch +waste +ditty +curve +tweet +maple +drawn +ensue +chaff +suite +freak +spiky +awash +lyric +soggy +spree +pried +skill +glide +ionic +mount +group +equal +light +awoke +anime +perky +leant +attic +wring +giddy +belly +drill +swamp +aroma +robot +guile +kinky +noisy +salad +stalk +wager +ennui +ought +grief +inter +haven +abate +comic +ultra +chose +quark +daily +humor +shirk +hydro +testy +slope +sappy +snake +nerdy +hazel +point +renal +robin +pearl +chest +downy +bushy +moist +three +table +dimly +caulk +flame +ratio +overt +tulle +shake +sooth +whack +frame +foray +triad +shale +bliss \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/wordle_official_400.txt b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/wordle_official_400.txt new file mode 100755 index 00000000..ab7d2c94 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/wordle_official_400.txt @@ -0,0 +1,431 @@ +elect +nymph +solar +pence +glade +ulcer +solve +coupe +heath +chirp +hunch +bacon +baggy +tacit +abled +fried +recut +retry +ivory +unity +apart +altar +slyly +fudge +swine +avian +stole +sniff +blush +braid +algae +niece +swill +clung +wrist +noble +north +elder +polka +spilt +medic +laden +blade +tacky +trove +camel +storm +hello +index +elbow +idler +knead +chaff +genie +creak +mamma +gavel +theft +swish +perky +rodeo +cacao +lipid +skate +salty +hedge +hyena +range +humor +spiny +ruddy +prime +bluff +house +amber +revel +drink +frame +gaudy +inner +retro +abide +plied +tiger +idiot +lunch +dopey +twirl +seven +flung +fella +smash +fence +flush +fault +alloy +gonad +board +exact +rumba +aloft +mince +wryly +model +clean +happy +knoll +vigil +small +equip +knelt +acute +broom +proof +peril +hatch +saucy +tough +moral +noose +other +nomad +boney +label +gusto +scoff +spill +crimp +spice +worth +recur +blare +vixen +cedar +topic +civil +fugue +rhino +speak +spawn +ruder +fiber +retch +grave +cider +among +cheat +trial +pixie +chase +geese +loyal +hunky +quota +cynic +tract +buggy +minim +logic +impel +shoot +stomp +ovary +adore +rinse +spear +attic +guard +kneed +annoy +needy +manly +bully +shirk +prank +shell +cough +spurn +torso +snort +moist +scrum +raise +honey +trope +local +erupt +livid +shied +felon +mecca +shake +reach +style +covey +delve +unset +jiffy +crash +barge +toast +allot +audio +print +badly +trust +habit +hoard +shard +azure +lucky +blind +hefty +rebel +ethos +frown +godly +valor +slate +aider +stoop +finch +aback +women +maker +gully +nasty +prick +wrath +frisk +spell +royal +lefty +slept +petal +stunk +smack +fluid +clear +lodge +proxy +panic +thorn +shock +hotly +gamma +gypsy +farce +koala +broth +stink +merit +excel +angst +slurp +could +creep +pause +salsa +dandy +tithe +optic +atoll +brute +wrung +churn +natal +ensue +vying +brawl +cloth +soggy +bough +glaze +chock +teary +jetty +light +adobe +leant +brink +forgo +asset +bawdy +taste +gloat +going +morph +swamp +robot +stalk +rajah +ultra +liver +fizzy +ditch +sushi +dusty +sheep +limbo +groom +biome +debug +slain +ethic +foist +wound +sloop +gamer +point +pesky +twist +voter +aisle +tally +teeth +trail +miner +caulk +synod +touch +whack +guava +dutch +juicy +youth +bayou +denim +disco +blurt +rocky +frost +gooey +dodge +forte +snowy +shrug +relax +tiara +depth +stuff +wince +copse +alive +decry +mania +grant +alter +elegy +icily +blunt +basil +brush +voice +total +chili +worry +seedy +those +smoky +cream +roger +loose +shire +allow +groin +china +pinky +grime +acorn +uncut +donut +pleat +glass +where +liken +nadir +flume +twang +sugar +navel +being +pushy +focal +hymen +baler +tweet +video +skill +sonar +aloud +mount +spurt +anode +shack +break +satyr +belly +aroma +await +neigh +skull +derby +jerky +humph +inter +sober +icing +sound +trace +blame +plank +augur +robin +madly +check +mirth +delta +cliff +facet +evoke +clown +overt +furor +start +zonal +blond +doing +cello +creme +motto \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/wordle_official_800.txt b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/wordle_official_800.txt new file mode 100755 index 00000000..6c6a8fab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/wordle_official_800.txt @@ -0,0 +1,826 @@ +inert +solar +thump +dwell +spoke +grail +ulcer +shoal +polar +axion +rarer +snuff +slide +sully +spelt +novel +tryst +coupe +ninth +minty +bitty +until +patsy +essay +chirp +swear +pouty +tacit +skulk +crank +scuba +assay +input +harem +apply +shaft +smear +recap +avert +unity +shark +jolly +shape +crump +apart +dully +blown +river +caste +bravo +altar +verse +anger +rouge +choke +opium +glyph +treat +elope +waltz +swine +blush +prize +quote +cobra +exalt +bleak +press +swill +cloud +wrist +lemur +ghoul +wacky +terra +spunk +elder +north +noise +helix +fiery +theta +stump +donor +knife +uncle +sleek +truce +phase +medic +squat +setup +about +deity +stead +train +upset +papal +grown +beard +stark +unmet +trove +camel +lapse +humus +waver +widen +elbow +sieve +third +drake +slice +ember +decal +spout +bless +coast +grape +spicy +bilge +gross +turbo +idler +unify +pedal +agile +drape +mealy +mercy +mamma +gavel +width +spiky +surge +album +trade +crawl +titan +theft +holly +awoke +burst +dunce +viper +perky +serve +march +rodeo +dumpy +relay +dwarf +semen +chime +hutch +slimy +gruel +sperm +stiff +hyena +ficus +range +humor +pinch +rebus +dread +feast +kappa +hovel +blurb +sappy +scant +siren +lasso +binge +boule +melon +ruddy +steep +flunk +magma +agape +study +abase +hurry +valet +urine +drown +sooty +steak +ratio +cramp +drink +frame +below +foray +gaily +bliss +motel +resin +clerk +caper +sweat +dopey +embed +crumb +unfed +sheik +swash +dirge +singe +rusty +hussy +cover +fence +flush +cabal +ninja +tibia +dusky +dried +alloy +bleep +cubic +revue +grain +aloft +owing +tabby +tribe +stint +lever +gorge +model +knoll +vigil +bring +equip +harsh +broom +truer +proof +salon +flair +saucy +hatch +whoop +envoy +leash +fifth +brash +elate +freed +noose +other +taint +court +boney +odder +diver +diner +spook +spare +glove +scoff +crony +spill +punch +crimp +skier +visor +raven +blare +hoist +vixen +enema +usurp +begat +epoxy +climb +right +enjoy +eagle +fugue +strut +rowdy +parse +aside +route +deign +irony +swift +pithy +angry +rider +welch +borax +crude +foamy +butch +click +ninny +shirt +moose +among +chick +totem +humid +trial +krill +howdy +afire +ready +drain +sinew +hunky +drawl +tasty +cynic +chasm +patch +entry +while +scrap +boxer +amble +harry +infer +tract +idiom +manga +notch +karma +tonal +gruff +quill +shoot +feign +ovary +adore +rinse +spear +jumbo +error +vaunt +crown +dicey +tease +sepia +noisy +their +rebut +frill +ought +zesty +demur +maxim +canal +event +legal +bully +extra +sheen +shirk +testy +hitch +haunt +whine +torso +flirt +grill +stood +adopt +flake +renal +swore +brine +moist +scrum +trope +candy +felon +filly +pulse +mecca +shake +dross +crepe +style +metro +cause +repay +unset +taffy +judge +poker +betel +dowel +prune +prowl +cheap +toast +allot +finer +react +great +title +newer +valve +drool +print +flare +badly +trust +reset +stank +shine +towel +shear +broad +slack +manor +woken +lying +shard +bleat +nerve +nasal +bingo +booty +fetch +learn +hound +quest +usual +rainy +mural +doubt +blind +hefty +night +godly +viola +floor +macho +aider +rivet +aback +vista +maker +curly +tubal +vegan +lance +admin +sense +block +phony +liner +prick +brunt +rogue +devil +birch +frisk +spell +spoof +kiosk +vocal +lefty +write +story +toddy +miser +snout +large +exile +corny +minor +risky +snore +token +fuzzy +cocoa +every +forth +cleft +sedan +fraud +beefy +chunk +proxy +panic +tight +coven +thorn +datum +tenet +hotly +fleck +death +stake +floss +broth +clank +plane +stink +plier +shift +cabin +aphid +pecan +weave +crypt +stove +spire +angst +elude +could +creep +scoop +pause +dandy +dairy +daisy +arena +payer +tithe +optic +gleam +saint +cyber +drone +whose +baron +wrung +crook +molar +waste +suite +cloth +glaze +lyric +smile +couch +elide +pried +ombre +gayer +group +light +salve +anime +forgo +serif +sumac +bison +juror +taste +going +viral +clang +store +swamp +queer +lapel +robot +guile +pixel +minus +mulch +amass +ultra +buddy +quell +limbo +cycle +sigma +flack +hobby +staid +cluck +slain +ethic +jazzy +point +pesky +voter +month +tally +along +knock +scene +affix +decay +agree +genre +miner +caulk +trice +lunge +ester +touch +bezel +cameo +whack +guava +queen +spent +puffy +radar +price +stain +moody +focus +tuber +since +empty +beget +jewel +rabid +ripen +blurt +vicar +giver +slung +rocky +diode +frost +basic +quash +guppy +swirl +gooey +dodge +close +gawky +snowy +lobby +llama +stung +breed +clout +shrug +guise +dough +wince +idyll +juice +gnome +sleep +skunk +tapir +pound +scald +peace +aging +mania +froth +diary +alter +piano +still +chafe +elegy +purer +party +sling +scorn +fishy +snide +mucky +arson +crave +druid +musty +icily +lynch +waive +rearm +pride +brain +basil +brush +total +satin +worry +chili +briny +tonic +bride +ridge +petty +geeky +those +awful +preen +smoky +usher +crass +shire +guilt +bathe +femur +flute +moldy +worse +score +rumor +afoul +murky +afoot +grade +savvy +slave +acorn +mimic +drive +steam +shall +uncut +pleat +donut +canon +where +filer +feral +wrong +liege +older +sugar +navel +abort +being +giant +anvil +blend +crazy +folio +focal +carat +again +bloat +depot +chart +baler +frond +seize +ditty +brand +tweet +loopy +video +fully +skill +oddly +sonar +pupal +mount +spurt +shack +voila +proud +taper +music +birth +belly +polyp +aroma +medal +tweed +chard +neigh +khaki +leaky +salad +nobly +alarm +spite +worst +charm +jerky +humph +shaky +inter +abate +comic +thief +agent +chose +brook +lupus +slope +stack +fifty +timid +trace +cheer +pulpy +trunk +quack +opera +botch +robin +tunic +curse +moult +vivid +audit +thyme +cliff +gayly +smart +cower +front +overt +start +wheat +caput +gecko +forty +doing +cello +aglow +creme +motto \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/wordle_official_guess.txt b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/wordle_official_guess.txt new file mode 100755 index 00000000..b38b7aa0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/llm_rl_scripts/wordle/vocab/wordle_official_guess.txt @@ -0,0 +1,12972 @@ +aahed +aalii +aargh +aarti +abaca +abaci +abacs +abaft +abaka +abamp +aband +abash +abask +abaya +abbas +abbed +abbes +abcee +abeam +abear +abele +abers +abets +abies +abler +ables +ablet +ablow +abmho +abohm +aboil +aboma +aboon +abord +abore +abram +abray +abrim +abrin +abris +absey +absit +abuna +abune +abuts +abuzz +abyes +abysm +acais +acari +accas +accoy +acerb +acers +aceta +achar +ached +aches +achoo +acids +acidy +acing +acini +ackee +acker +acmes +acmic +acned +acnes +acock +acold +acred +acres +acros +acted +actin +acton +acyls +adaws +adays +adbot +addax +added +adder +addio +addle +adeem +adhan +adieu +adios +adits +adman +admen +admix +adobo +adown +adoze +adrad +adred +adsum +aduki +adunc +adust +advew +adyta +adzed +adzes +aecia +aedes +aegis +aeons +aerie +aeros +aesir +afald +afara +afars +afear +aflaj +afore +afrit +afros +agama +agami +agars +agast +agave +agaze +agene +agers +agger +aggie +aggri +aggro +aggry +aghas +agila +agios +agism +agist +agita +aglee +aglet +agley +agloo +aglus +agmas +agoge +agone +agons +agood +agria +agrin +agros +agued +agues +aguna +aguti +aheap +ahent +ahigh +ahind +ahing +ahint +ahold +ahull +ahuru +aidas +aided +aides +aidoi +aidos +aiery +aigas +aight +ailed +aimed +aimer +ainee +ainga +aioli +aired +airer +airns +airth +airts +aitch +aitus +aiver +aiyee +aizle +ajies +ajiva +ajuga +ajwan +akees +akela +akene +aking +akita +akkas +alaap +alack +alamo +aland +alane +alang +alans +alant +alapa +alaps +alary +alate +alays +albas +albee +alcid +alcos +aldea +alder +aldol +aleck +alecs +alefs +aleft +aleph +alews +aleye +alfas +algal +algas +algid +algin +algor +algum +alias +alifs +aline +alist +aliya +alkie +alkos +alkyd +alkyl +allee +allel +allis +allod +allyl +almah +almas +almeh +almes +almud +almug +alods +aloed +aloes +aloha +aloin +aloos +alowe +altho +altos +alula +alums +alure +alvar +alway +amahs +amain +amate +amaut +amban +ambit +ambos +ambry +ameba +ameer +amene +amens +ament +amias +amice +amici +amide +amido +amids +amies +amiga +amigo +amine +amino +amins +amirs +amlas +amman +ammon +ammos +amnia +amnic +amnio +amoks +amole +amort +amour +amove +amowt +amped +ampul +amrit +amuck +amyls +anana +anata +ancho +ancle +ancon +andro +anear +anele +anent +angas +anglo +anigh +anile +anils +anima +animi +anion +anise +anker +ankhs +ankus +anlas +annal +annas +annat +anoas +anole +anomy +ansae +antae +antar +antas +anted +antes +antis +antra +antre +antsy +anura +anyon +apace +apage +apaid +apayd +apays +apeak +apeek +apers +apert +apery +apgar +aphis +apian +apiol +apish +apism +apode +apods +apoop +aport +appal +appay +appel +appro +appui +appuy +apres +apses +apsis +apsos +apted +apter +aquae +aquas +araba +araks +arame +arars +arbas +arced +archi +arcos +arcus +ardeb +ardri +aread +areae +areal +arear +areas +areca +aredd +arede +arefy +areic +arene +arepa +arere +arete +arets +arett +argal +argan +argil +argle +argol +argon +argot +argus +arhat +arias +ariel +ariki +arils +ariot +arish +arked +arled +arles +armed +armer +armet +armil +arnas +arnut +aroba +aroha +aroid +arpas +arpen +arrah +arras +arret +arris +arroz +arsed +arses +arsey +arsis +artal +artel +artic +artis +aruhe +arums +arval +arvee +arvos +aryls +asana +ascon +ascus +asdic +ashed +ashes +ashet +asked +asker +askoi +askos +aspen +asper +aspic +aspie +aspis +aspro +assai +assam +asses +assez +assot +aster +astir +astun +asura +asway +aswim +asyla +ataps +ataxy +atigi +atilt +atimy +atlas +atman +atmas +atmos +atocs +atoke +atoks +atoms +atomy +atony +atopy +atria +atrip +attap +attar +atuas +audad +auger +aught +aulas +aulic +auloi +aulos +aumil +aunes +aunts +aurae +aural +aurar +auras +aurei +aures +auric +auris +aurum +autos +auxin +avale +avant +avast +avels +avens +avers +avgas +avine +avion +avise +aviso +avize +avows +avyze +awarn +awato +awave +aways +awdls +aweel +aweto +awing +awmry +awned +awner +awols +awork +axels +axile +axils +axing +axite +axled +axles +axman +axmen +axoid +axone +axons +ayahs +ayaya +ayelp +aygre +ayins +ayont +ayres +ayrie +azans +azide +azido +azine +azlon +azoic +azole +azons +azote +azoth +azuki +azurn +azury +azygy +azyme +azyms +baaed +baals +babas +babel +babes +babka +baboo +babul +babus +bacca +bacco +baccy +bacha +bachs +backs +baddy +baels +baffs +baffy +bafts +baghs +bagie +bahts +bahus +bahut +bails +bairn +baisa +baith +baits +baiza +baize +bajan +bajra +bajri +bajus +baked +baken +bakes +bakra +balas +balds +baldy +baled +bales +balks +balky +balls +bally +balms +baloo +balsa +balti +balun +balus +bambi +banak +banco +bancs +banda +bandh +bands +bandy +baned +banes +bangs +bania +banks +banns +bants +bantu +banty +banya +bapus +barbe +barbs +barby +barca +barde +bardo +bards +bardy +bared +barer +bares +barfi +barfs +baric +barks +barky +barms +barmy +barns +barny +barps +barra +barre +barro +barry +barye +basan +based +basen +baser +bases +basho +basij +basks +bason +basse +bassi +basso +bassy +basta +basti +basto +basts +bated +bates +baths +batik +batta +batts +battu +bauds +bauks +baulk +baurs +bavin +bawds +bawks +bawls +bawns +bawrs +bawty +bayed +bayer +bayes +bayle +bayts +bazar +bazoo +beads +beaks +beaky +beals +beams +beamy +beano +beans +beany +beare +bears +beath +beats +beaty +beaus +beaut +beaux +bebop +becap +becke +becks +bedad +bedel +bedes +bedew +bedim +bedye +beedi +beefs +beeps +beers +beery +beets +befog +begad +begar +begem +begot +begum +beige +beigy +beins +bekah +belah +belar +belay +belee +belga +bells +belon +belts +bemad +bemas +bemix +bemud +bends +bendy +benes +benet +benga +benis +benne +benni +benny +bento +bents +benty +bepat +beray +beres +bergs +berko +berks +berme +berms +berob +beryl +besat +besaw +besee +beses +besit +besom +besot +besti +bests +betas +beted +betes +beths +betid +beton +betta +betty +bever +bevor +bevue +bevvy +bewet +bewig +bezes +bezil +bezzy +bhais +bhaji +bhang +bhats +bhels +bhoot +bhuna +bhuts +biach +biali +bialy +bibbs +bibes +biccy +bices +bided +bider +bides +bidet +bidis +bidon +bield +biers +biffo +biffs +biffy +bifid +bigae +biggs +biggy +bigha +bight +bigly +bigos +bijou +biked +biker +bikes +bikie +bilbo +bilby +biled +biles +bilgy +bilks +bills +bimah +bimas +bimbo +binal +bindi +binds +biner +bines +bings +bingy +binit +binks +bints +biogs +biont +biota +biped +bipod +birds +birks +birle +birls +biros +birrs +birse +birsy +bises +bisks +bisom +bitch +biter +bites +bitos +bitou +bitsy +bitte +bitts +bivia +bivvy +bizes +bizzo +bizzy +blabs +blads +blady +blaer +blaes +blaff +blags +blahs +blain +blams +blart +blase +blash +blate +blats +blatt +blaud +blawn +blaws +blays +blear +blebs +blech +blees +blent +blert +blest +blets +bleys +blimy +bling +blini +blins +bliny +blips +blist +blite +blits +blive +blobs +blocs +blogs +blook +bloop +blore +blots +blows +blowy +blubs +blude +bluds +bludy +blued +blues +bluet +bluey +bluid +blume +blunk +blurs +blype +boabs +boaks +boars +boart +boats +bobac +bobak +bobas +bobol +bobos +bocca +bocce +bocci +boche +bocks +boded +bodes +bodge +bodhi +bodle +boeps +boets +boeuf +boffo +boffs +bogan +bogey +boggy +bogie +bogle +bogue +bogus +bohea +bohos +boils +boing +boink +boite +boked +bokeh +bokes +bokos +bolar +bolas +bolds +boles +bolix +bolls +bolos +bolts +bolus +bomas +bombe +bombo +bombs +bonce +bonds +boned +boner +bones +bongs +bonie +bonks +bonne +bonny +bonza +bonze +booai +booay +boobs +boody +booed +boofy +boogy +boohs +books +booky +bools +booms +boomy +boong +boons +boord +boors +boose +boots +boppy +borak +boral +boras +borde +bords +bored +boree +borel +borer +bores +borgo +boric +borks +borms +borna +boron +borts +borty +bortz +bosie +bosks +bosky +boson +bosun +botas +botel +botes +bothy +botte +botts +botty +bouge +bouks +boult +bouns +bourd +bourg +bourn +bouse +bousy +bouts +bovid +bowat +bowed +bower +bowes +bowet +bowie +bowls +bowne +bowrs +bowse +boxed +boxen +boxes +boxla +boxty +boyar +boyau +boyed +boyfs +boygs +boyla +boyos +boysy +bozos +braai +brach +brack +bract +brads +braes +brags +brail +braks +braky +brame +brane +brank +brans +brant +brast +brats +brava +bravi +braws +braxy +brays +braza +braze +bream +brede +breds +breem +breer +brees +breid +breis +breme +brens +brent +brere +brers +breve +brews +breys +brier +bries +brigs +briki +briks +brill +brims +brins +brios +brise +briss +brith +brits +britt +brize +broch +brock +brods +brogh +brogs +brome +bromo +bronc +brond +brool +broos +brose +brosy +brows +brugh +bruin +bruit +brule +brume +brung +brusk +brust +bruts +buats +buaze +bubal +bubas +bubba +bubbe +bubby +bubus +buchu +bucko +bucks +bucku +budas +budis +budos +buffa +buffe +buffi +buffo +buffs +buffy +bufos +bufty +buhls +buhrs +buiks +buist +bukes +bulbs +bulgy +bulks +bulla +bulls +bulse +bumbo +bumfs +bumph +bumps +bumpy +bunas +bunce +bunco +bunde +bundh +bunds +bundt +bundu +bundy +bungs +bungy +bunia +bunje +bunjy +bunko +bunks +bunns +bunts +bunty +bunya +buoys +buppy +buran +buras +burbs +burds +buret +burfi +burgh +burgs +burin +burka +burke +burks +burls +burns +buroo +burps +burqa +burro +burrs +burry +bursa +burse +busby +buses +busks +busky +bussu +busti +busts +busty +buteo +butes +butle +butoh +butts +butty +butut +butyl +buzzy +bwana +bwazi +byded +bydes +byked +bykes +byres +byrls +byssi +bytes +byway +caaed +cabas +caber +cabob +caboc +cabre +cacas +cacks +cacky +cadee +cades +cadge +cadgy +cadie +cadis +cadre +caeca +caese +cafes +caffs +caged +cager +cages +cagot +cahow +caids +cains +caird +cajon +cajun +caked +cakes +cakey +calfs +calid +calif +calix +calks +calla +calls +calms +calmy +calos +calpa +calps +calve +calyx +caman +camas +cames +camis +camos +campi +campo +camps +campy +camus +caned +caneh +caner +canes +cangs +canid +canna +canns +canso +canst +canto +cants +canty +capas +caped +capes +capex +caphs +capiz +caple +capon +capos +capot +capri +capul +carap +carbo +carbs +carby +cardi +cards +cardy +cared +carer +cares +caret +carex +carks +carle +carls +carns +carny +carob +carom +caron +carpi +carps +carrs +carse +carta +carte +carts +carvy +casas +casco +cased +cases +casks +casky +casts +casus +cates +cauda +cauks +cauld +cauls +caums +caups +cauri +causa +cavas +caved +cavel +caver +caves +cavie +cawed +cawks +caxon +ceaze +cebid +cecal +cecum +ceded +ceder +cedes +cedis +ceiba +ceili +ceils +celeb +cella +celli +cells +celom +celts +cense +cento +cents +centu +ceorl +cepes +cerci +cered +ceres +cerge +ceria +ceric +cerne +ceroc +ceros +certs +certy +cesse +cesta +cesti +cetes +cetyl +cezve +chace +chack +chaco +chado +chads +chaft +chais +chals +chams +chana +chang +chank +chape +chaps +chapt +chara +chare +chark +charr +chars +chary +chats +chave +chavs +chawk +chaws +chaya +chays +cheep +chefs +cheka +chela +chelp +chemo +chems +chere +chert +cheth +chevy +chews +chewy +chiao +chias +chibs +chica +chich +chico +chics +chiel +chiks +chile +chimb +chimo +chimp +chine +ching +chink +chino +chins +chips +chirk +chirl +chirm +chiro +chirr +chirt +chiru +chits +chive +chivs +chivy +chizz +choco +chocs +chode +chogs +choil +choko +choky +chola +choli +cholo +chomp +chons +choof +chook +choom +choon +chops +chota +chott +chout +choux +chowk +chows +chubs +chufa +chuff +chugs +chums +churl +churr +chuse +chuts +chyle +chyme +chynd +cibol +cided +cides +ciels +ciggy +cilia +cills +cimar +cimex +cinct +cines +cinqs +cions +cippi +circs +cires +cirls +cirri +cisco +cissy +cists +cital +cited +citer +cites +cives +civet +civie +civvy +clach +clade +clads +claes +clags +clame +clams +clans +claps +clapt +claro +clart +clary +clast +clats +claut +clave +clavi +claws +clays +cleck +cleek +cleep +clefs +clegs +cleik +clems +clepe +clept +cleve +clews +clied +clies +clift +clime +cline +clint +clipe +clips +clipt +clits +cloam +clods +cloff +clogs +cloke +clomb +clomp +clonk +clons +cloop +cloot +clops +clote +clots +clour +clous +clows +cloye +cloys +cloze +clubs +clues +cluey +clunk +clype +cnida +coact +coady +coala +coals +coaly +coapt +coarb +coate +coati +coats +cobbs +cobby +cobia +coble +cobza +cocas +cocci +cocco +cocks +cocky +cocos +codas +codec +coded +coden +coder +codes +codex +codon +coeds +coffs +cogie +cogon +cogue +cohab +cohen +cohoe +cohog +cohos +coifs +coign +coils +coins +coirs +coits +coked +cokes +colas +colby +colds +coled +coles +coley +colic +colin +colls +colly +colog +colts +colza +comae +comal +comas +combe +combi +combo +combs +comby +comer +comes +comix +commo +comms +commy +compo +comps +compt +comte +comus +coned +cones +coney +confs +conga +conge +congo +conia +conin +conks +conky +conne +conns +conte +conto +conus +convo +cooch +cooed +cooee +cooer +cooey +coofs +cooks +cooky +cools +cooly +coomb +cooms +coomy +coons +coops +coopt +coost +coots +cooze +copal +copay +coped +copen +coper +copes +coppy +copra +copsy +coqui +coram +corbe +corby +cords +cored +cores +corey +corgi +coria +corks +corky +corms +corni +corno +corns +cornu +corps +corse +corso +cosec +cosed +coses +coset +cosey +cosie +costa +coste +costs +cotan +coted +cotes +coths +cotta +cotts +coude +coups +courb +courd +coure +cours +couta +couth +coved +coves +covin +cowal +cowan +cowed +cowks +cowls +cowps +cowry +coxae +coxal +coxed +coxes +coxib +coyau +coyed +coyer +coypu +cozed +cozen +cozes +cozey +cozie +craal +crabs +crags +craic +craig +crake +crame +crams +crans +crape +craps +crapy +crare +craws +crays +creds +creel +crees +crems +crena +creps +crepy +crewe +crews +crias +cribs +cries +crims +crine +crios +cripe +crips +crise +crith +crits +croci +crocs +croft +crogs +cromb +crome +cronk +crons +crool +croon +crops +crore +crost +crout +crows +croze +cruck +crudo +cruds +crudy +crues +cruet +cruft +crunk +cruor +crura +cruse +crusy +cruve +crwth +cryer +ctene +cubby +cubeb +cubed +cuber +cubes +cubit +cuddy +cuffo +cuffs +cuifs +cuing +cuish +cuits +cukes +culch +culet +culex +culls +cully +culms +culpa +culti +cults +culty +cumec +cundy +cunei +cunit +cunts +cupel +cupid +cuppa +cuppy +curat +curbs +curch +curds +curdy +cured +curer +cures +curet +curfs +curia +curie +curli +curls +curns +curny +currs +cursi +curst +cusec +cushy +cusks +cusps +cuspy +cusso +cusum +cutch +cuter +cutes +cutey +cutin +cutis +cutto +cutty +cutup +cuvee +cuzes +cwtch +cyano +cyans +cycad +cycas +cyclo +cyder +cylix +cymae +cymar +cymas +cymes +cymol +cysts +cytes +cyton +czars +daals +dabba +daces +dacha +dacks +dadah +dadas +dados +daffs +daffy +dagga +daggy +dagos +dahls +daiko +daine +daint +daker +daled +dales +dalis +dalle +dalts +daman +damar +dames +damme +damns +damps +dampy +dancy +dangs +danio +danks +danny +dants +daraf +darbs +darcy +dared +darer +dares +darga +dargs +daric +daris +darks +darky +darns +darre +darts +darzi +dashi +dashy +datal +dated +dater +dates +datos +datto +daube +daubs +dauby +dauds +dault +daurs +dauts +daven +davit +dawah +dawds +dawed +dawen +dawks +dawns +dawts +dayan +daych +daynt +dazed +dazer +dazes +deads +deair +deals +deans +deare +dearn +dears +deary +deash +deave +deaws +deawy +debag +debby +debel +debes +debts +debud +debur +debus +debye +decad +decaf +decan +decko +decks +decos +dedal +deeds +deedy +deely +deems +deens +deeps +deere +deers +deets +deeve +deevs +defat +deffo +defis +defog +degas +degum +degus +deice +deids +deify +deils +deism +deist +deked +dekes +dekko +deled +deles +delfs +delft +delis +dells +delly +delos +delph +delts +deman +demes +demic +demit +demob +demoi +demos +dempt +denar +denay +dench +denes +denet +denis +dents +deoxy +derat +deray +dered +deres +derig +derma +derms +derns +derny +deros +derro +derry +derth +dervs +desex +deshi +desis +desks +desse +devas +devel +devis +devon +devos +devot +dewan +dewar +dewax +dewed +dexes +dexie +dhaba +dhaks +dhals +dhikr +dhobi +dhole +dholl +dhols +dhoti +dhows +dhuti +diact +dials +diane +diazo +dibbs +diced +dicer +dices +dicht +dicks +dicky +dicot +dicta +dicts +dicty +diddy +didie +didos +didst +diebs +diels +diene +diets +diffs +dight +dikas +diked +diker +dikes +dikey +dildo +dilli +dills +dimbo +dimer +dimes +dimps +dinar +dined +dines +dinge +dings +dinic +dinks +dinky +dinna +dinos +dints +diols +diota +dippy +dipso +diram +direr +dirke +dirks +dirls +dirts +disas +disci +discs +dishy +disks +disme +dital +ditas +dited +dites +ditsy +ditts +ditzy +divan +divas +dived +dives +divis +divna +divos +divot +divvy +diwan +dixie +dixit +diyas +dizen +djinn +djins +doabs +doats +dobby +dobes +dobie +dobla +dobra +dobro +docht +docks +docos +docus +doddy +dodos +doeks +doers +doest +doeth +doffs +dogan +doges +dogey +doggo +doggy +dogie +dohyo +doilt +doily +doits +dojos +dolce +dolci +doled +doles +dolia +dolls +dolma +dolor +dolos +dolts +domal +domed +domes +domic +donah +donas +donee +doner +donga +dongs +donko +donna +donne +donny +donsy +doobs +dooce +doody +dooks +doole +dools +dooly +dooms +doomy +doona +doorn +doors +doozy +dopas +doped +doper +dopes +dorad +dorba +dorbs +doree +dores +doric +doris +dorks +dorky +dorms +dormy +dorps +dorrs +dorsa +dorse +dorts +dorty +dosai +dosas +dosed +doseh +doser +doses +dosha +dotal +doted +doter +dotes +dotty +douar +douce +doucs +douks +doula +douma +doums +doups +doura +douse +douts +doved +doven +dover +doves +dovie +dowar +dowds +dowed +dower +dowie +dowle +dowls +dowly +downa +downs +dowps +dowse +dowts +doxed +doxes +doxie +doyen +doyly +dozed +dozer +dozes +drabs +drack +draco +draff +drags +drail +drams +drant +draps +drats +drave +draws +drays +drear +dreck +dreed +dreer +drees +dregs +dreks +drent +drere +drest +dreys +dribs +drice +dries +drily +drips +dript +droid +droil +droke +drole +drome +drony +droob +droog +drook +drops +dropt +drouk +drows +drubs +drugs +drums +drupe +druse +drusy +druxy +dryad +dryas +dsobo +dsomo +duads +duals +duans +duars +dubbo +ducal +ducat +duces +ducks +ducky +ducts +duddy +duded +dudes +duels +duets +duett +duffs +dufus +duing +duits +dukas +duked +dukes +dukka +dulce +dules +dulia +dulls +dulse +dumas +dumbo +dumbs +dumka +dumky +dumps +dunam +dunch +dunes +dungs +dungy +dunks +dunno +dunny +dunsh +dunts +duomi +duomo +duped +duper +dupes +duple +duply +duppy +dural +duras +dured +dures +durgy +durns +duroc +duros +duroy +durra +durrs +durry +durst +durum +durzi +dusks +dusts +duxes +dwaal +dwale +dwalm +dwams +dwang +dwaum +dweeb +dwile +dwine +dyads +dyers +dyked +dykes +dykey +dykon +dynel +dynes +dzhos +eagre +ealed +eales +eaned +eards +eared +earls +earns +earnt +earst +eased +easer +eases +easle +easts +eathe +eaved +eaves +ebbed +ebbet +ebons +ebook +ecads +eched +eches +echos +ecrus +edema +edged +edger +edges +edile +edits +educe +educt +eejit +eensy +eeven +eevns +effed +egads +egers +egest +eggar +egged +egger +egmas +ehing +eider +eidos +eigne +eiked +eikon +eilds +eisel +ejido +ekkas +elain +eland +elans +elchi +eldin +elemi +elfed +eliad +elint +elmen +eloge +elogy +eloin +elops +elpee +elsin +elute +elvan +elven +elver +elves +emacs +embar +embay +embog +embow +embox +embus +emeer +emend +emerg +emery +emeus +emics +emirs +emits +emmas +emmer +emmet +emmew +emmys +emoji +emong +emote +emove +empts +emule +emure +emyde +emyds +enarm +enate +ended +ender +endew +endue +enews +enfix +eniac +enlit +enmew +ennog +enoki +enols +enorm +enows +enrol +ensew +ensky +entia +enure +enurn +envoi +enzym +eorls +eosin +epact +epees +ephah +ephas +ephod +ephor +epics +epode +epopt +epris +eques +equid +erbia +erevs +ergon +ergos +ergot +erhus +erica +erick +erics +ering +erned +ernes +erose +erred +erses +eruct +erugo +eruvs +erven +ervil +escar +escot +esile +eskar +esker +esnes +esses +estoc +estop +estro +etage +etape +etats +etens +ethal +ethne +ethyl +etics +etnas +ettin +ettle +etuis +etwee +etyma +eughs +euked +eupad +euros +eusol +evens +evert +evets +evhoe +evils +evite +evohe +ewers +ewest +ewhow +ewked +exams +exeat +execs +exeem +exeme +exfil +exies +exine +exing +exits +exode +exome +exons +expat +expos +exude +exuls +exurb +eyass +eyers +eyots +eyras +eyres +eyrie +eyrir +ezine +fabby +faced +facer +faces +facia +facta +facts +faddy +faded +fader +fades +fadge +fados +faena +faery +faffs +faffy +faggy +fagin +fagot +faiks +fails +faine +fains +fairs +faked +faker +fakes +fakey +fakie +fakir +falaj +falls +famed +fames +fanal +fands +fanes +fanga +fango +fangs +fanks +fanon +fanos +fanum +faqir +farad +farci +farcy +fards +fared +farer +fares +farle +farls +farms +faros +farro +farse +farts +fasci +fasti +fasts +fated +fates +fatly +fatso +fatwa +faugh +fauld +fauns +faurd +fauts +fauve +favas +favel +faver +faves +favus +fawns +fawny +faxed +faxes +fayed +fayer +fayne +fayre +fazed +fazes +feals +feare +fears +feart +fease +feats +feaze +feces +fecht +fecit +fecks +fedex +feebs +feeds +feels +feens +feers +feese +feeze +fehme +feint +feist +felch +felid +fells +felly +felts +felty +femal +femes +femmy +fends +fendy +fenis +fenks +fenny +fents +feods +feoff +ferer +feres +feria +ferly +fermi +ferms +ferns +ferny +fesse +festa +fests +festy +fetas +feted +fetes +fetor +fetta +fetts +fetwa +feuar +feuds +feued +feyed +feyer +feyly +fezes +fezzy +fiars +fiats +fibro +fices +fiche +fichu +ficin +ficos +fides +fidge +fidos +fiefs +fient +fiere +fiers +fiest +fifed +fifer +fifes +fifis +figgy +figos +fiked +fikes +filar +filch +filed +files +filii +filks +fille +fillo +fills +filmi +films +filos +filum +finca +finds +fined +fines +finis +finks +finny +finos +fiord +fiqhs +fique +fired +firer +fires +firie +firks +firms +firns +firry +firth +fiscs +fisks +fists +fisty +fitch +fitly +fitna +fitte +fitts +fiver +fives +fixed +fixes +fixit +fjeld +flabs +flaff +flags +flaks +flamm +flams +flamy +flane +flans +flaps +flary +flats +flava +flawn +flaws +flawy +flaxy +flays +fleam +fleas +fleek +fleer +flees +flegs +fleme +fleur +flews +flexi +flexo +fleys +flics +flied +flies +flimp +flims +flips +flirs +flisk +flite +flits +flitt +flobs +flocs +floes +flogs +flong +flops +flors +flory +flosh +flota +flote +flows +flubs +flued +flues +fluey +fluky +flump +fluor +flurr +fluty +fluyt +flyby +flype +flyte +foals +foams +foehn +fogey +fogie +fogle +fogou +fohns +foids +foils +foins +folds +foley +folia +folic +folie +folks +folky +fomes +fonda +fonds +fondu +fones +fonly +fonts +foods +foody +fools +foots +footy +foram +forbs +forby +fordo +fords +forel +fores +forex +forks +forky +forme +forms +forts +forza +forze +fossa +fosse +fouat +fouds +fouer +fouet +foule +fouls +fount +fours +fouth +fovea +fowls +fowth +foxed +foxes +foxie +foyle +foyne +frabs +frack +fract +frags +fraim +franc +frape +fraps +frass +frate +frati +frats +fraus +frays +frees +freet +freit +fremd +frena +freon +frere +frets +fribs +frier +fries +frigs +frise +frist +frith +frits +fritt +frize +frizz +froes +frogs +frons +frore +frorn +frory +frosh +frows +frowy +frugs +frump +frush +frust +fryer +fubar +fubby +fubsy +fucks +fucus +fuddy +fudgy +fuels +fuero +fuffs +fuffy +fugal +fuggy +fugie +fugio +fugle +fugly +fugus +fujis +fulls +fumed +fumer +fumes +fumet +fundi +funds +fundy +fungo +fungs +funks +fural +furan +furca +furls +furol +furrs +furth +furze +furzy +fused +fusee +fusel +fuses +fusil +fusks +fusts +fusty +futon +fuzed +fuzee +fuzes +fuzil +fyces +fyked +fykes +fyles +fyrds +fytte +gabba +gabby +gable +gaddi +gades +gadge +gadid +gadis +gadje +gadjo +gadso +gaffs +gaged +gager +gages +gaids +gains +gairs +gaita +gaits +gaitt +gajos +galah +galas +galax +galea +galed +gales +galls +gally +galop +galut +galvo +gamas +gamay +gamba +gambe +gambo +gambs +gamed +games +gamey +gamic +gamin +gamme +gammy +gamps +ganch +gandy +ganef +ganev +gangs +ganja +ganof +gants +gaols +gaped +gaper +gapes +gapos +gappy +garbe +garbo +garbs +garda +gares +garis +garms +garni +garre +garth +garum +gases +gasps +gaspy +gasts +gatch +gated +gater +gates +gaths +gator +gauch +gaucy +gauds +gauje +gault +gaums +gaumy +gaups +gaurs +gauss +gauzy +gavot +gawcy +gawds +gawks +gawps +gawsy +gayal +gazal +gazar +gazed +gazes +gazon +gazoo +geals +geans +geare +gears +geats +gebur +gecks +geeks +geeps +geest +geist +geits +gelds +gelee +gelid +gelly +gelts +gemel +gemma +gemmy +gemot +genal +genas +genes +genet +genic +genii +genip +genny +genoa +genom +genro +gents +genty +genua +genus +geode +geoid +gerah +gerbe +geres +gerle +germs +germy +gerne +gesse +gesso +geste +gests +getas +getup +geums +geyan +geyer +ghast +ghats +ghaut +ghazi +ghees +ghest +ghyll +gibed +gibel +giber +gibes +gibli +gibus +gifts +gigas +gighe +gigot +gigue +gilas +gilds +gilet +gills +gilly +gilpy +gilts +gimel +gimme +gimps +gimpy +ginch +ginge +gings +ginks +ginny +ginzo +gipon +gippo +gippy +girds +girls +girns +giron +giros +girrs +girsh +girts +gismo +gisms +gists +gitch +gites +giust +gived +gives +gizmo +glace +glads +glady +glaik +glair +glams +glans +glary +glaum +glaur +glazy +gleba +glebe +gleby +glede +gleds +gleed +gleek +glees +gleet +gleis +glens +glent +gleys +glial +glias +glibs +gliff +glift +glike +glime +glims +glisk +glits +glitz +gloam +globi +globs +globy +glode +glogg +gloms +gloop +glops +glost +glout +glows +gloze +glued +gluer +glues +gluey +glugs +glume +glums +gluon +glute +gluts +gnarl +gnarr +gnars +gnats +gnawn +gnaws +gnows +goads +goafs +goals +goary +goats +goaty +goban +gobar +gobbi +gobbo +gobby +gobis +gobos +godet +godso +goels +goers +goest +goeth +goety +gofer +goffs +gogga +gogos +goier +gojis +golds +goldy +goles +golfs +golpe +golps +gombo +gomer +gompa +gonch +gonef +gongs +gonia +gonif +gonks +gonna +gonof +gonys +gonzo +gooby +goods +goofs +googs +gooks +gooky +goold +gools +gooly +goons +goony +goops +goopy +goors +goory +goosy +gopak +gopik +goral +goras +gored +gores +goris +gorms +gormy +gorps +gorse +gorsy +gosht +gosse +gotch +goths +gothy +gotta +gouch +gouks +goura +gouts +gouty +gowan +gowds +gowfs +gowks +gowls +gowns +goxes +goyim +goyle +graal +grabs +grads +graff +graip +grama +grame +gramp +grams +grana +grans +grapy +gravs +grays +grebe +grebo +grece +greek +grees +grege +grego +grein +grens +grese +greve +grews +greys +grice +gride +grids +griff +grift +grigs +grike +grins +griot +grips +gript +gripy +grise +grist +grisy +grith +grits +grize +groat +grody +grogs +groks +groma +grone +groof +grosz +grots +grouf +grovy +grows +grrls +grrrl +grubs +grued +grues +grufe +grume +grump +grund +gryce +gryde +gryke +grype +grypt +guaco +guana +guano +guans +guars +gucks +gucky +gudes +guffs +gugas +guids +guimp +guiro +gulag +gular +gulas +gules +gulet +gulfs +gulfy +gulls +gulph +gulps +gulpy +gumma +gummi +gumps +gundy +gunge +gungy +gunks +gunky +gunny +guqin +gurdy +gurge +gurls +gurly +gurns +gurry +gursh +gurus +gushy +gusla +gusle +gusli +gussy +gusts +gutsy +gutta +gutty +guyed +guyle +guyot +guyse +gwine +gyals +gyans +gybed +gybes +gyeld +gymps +gynae +gynie +gynny +gynos +gyoza +gypos +gyppo +gyppy +gyral +gyred +gyres +gyron +gyros +gyrus +gytes +gyved +gyves +haafs +haars +hable +habus +hacek +hacks +hadal +haded +hades +hadji +hadst +haems +haets +haffs +hafiz +hafts +haggs +hahas +haick +haika +haiks +haiku +hails +haily +hains +haint +hairs +haith +hajes +hajis +hajji +hakam +hakas +hakea +hakes +hakim +hakus +halal +haled +haler +hales +halfa +halfs +halid +hallo +halls +halma +halms +halon +halos +halse +halts +halva +halwa +hamal +hamba +hamed +hames +hammy +hamza +hanap +hance +hanch +hands +hangi +hangs +hanks +hanky +hansa +hanse +hants +haole +haoma +hapax +haply +happi +hapus +haram +hards +hared +hares +harim +harks +harls +harms +harns +haros +harps +harts +hashy +hasks +hasps +hasta +hated +hates +hatha +hauds +haufs +haugh +hauld +haulm +hauls +hault +hauns +hause +haver +haves +hawed +hawks +hawms +hawse +hayed +hayer +hayey +hayle +hazan +hazed +hazer +hazes +heads +heald +heals +heame +heaps +heapy +heare +hears +heast +heats +heben +hebes +hecht +hecks +heder +hedgy +heeds +heedy +heels +heeze +hefte +hefts +heids +heigh +heils +heirs +hejab +hejra +heled +heles +helio +hells +helms +helos +helot +helps +helve +hemal +hemes +hemic +hemin +hemps +hempy +hench +hends +henge +henna +henny +henry +hents +hepar +herbs +herby +herds +heres +herls +herma +herms +herns +heros +herry +herse +hertz +herye +hesps +hests +hetes +heths +heuch +heugh +hevea +hewed +hewer +hewgh +hexad +hexed +hexer +hexes +hexyl +heyed +hiant +hicks +hided +hider +hides +hiems +highs +hight +hijab +hijra +hiked +hiker +hikes +hikoi +hilar +hilch +hillo +hills +hilts +hilum +hilus +himbo +hinau +hinds +hings +hinky +hinny +hints +hiois +hiply +hired +hiree +hirer +hires +hissy +hists +hithe +hived +hiver +hives +hizen +hoaed +hoagy +hoars +hoary +hoast +hobos +hocks +hocus +hodad +hodja +hoers +hogan +hogen +hoggs +hoghs +hohed +hoick +hoied +hoiks +hoing +hoise +hokas +hoked +hokes +hokey +hokis +hokku +hokum +holds +holed +holes +holey +holks +holla +hollo +holme +holms +holon +holos +holts +homas +homed +homes +homey +homie +homme +homos +honan +honda +honds +honed +honer +hones +hongi +hongs +honks +honky +hooch +hoods +hoody +hooey +hoofs +hooka +hooks +hooky +hooly +hoons +hoops +hoord +hoors +hoosh +hoots +hooty +hoove +hopak +hoped +hoper +hopes +hoppy +horah +horal +horas +horis +horks +horme +horns +horst +horsy +hosed +hosel +hosen +hoser +hoses +hosey +hosta +hosts +hotch +hoten +hotty +houff +houfs +hough +houri +hours +houts +hovea +hoved +hoven +hoves +howbe +howes +howff +howfs +howks +howls +howre +howso +hoxed +hoxes +hoyas +hoyed +hoyle +hubby +hucks +hudna +hudud +huers +huffs +huffy +huger +huggy +huhus +huias +hulas +hules +hulks +hulky +hullo +hulls +hully +humas +humfs +humic +humps +humpy +hunks +hunts +hurds +hurls +hurly +hurra +hurst +hurts +hushy +husks +husos +hutia +huzza +huzzy +hwyls +hydra +hyens +hygge +hying +hykes +hylas +hyleg +hyles +hylic +hymns +hynde +hyoid +hyped +hypes +hypha +hyphy +hypos +hyrax +hyson +hythe +iambi +iambs +ibrik +icers +iched +iches +ichor +icier +icker +ickle +icons +ictal +ictic +ictus +idant +ideas +idees +ident +idled +idles +idola +idols +idyls +iftar +igapo +igged +iglus +ihram +ikans +ikats +ikons +ileac +ileal +ileum +ileus +iliad +ilial +ilium +iller +illth +imago +imams +imari +imaum +imbar +imbed +imide +imido +imids +imine +imino +immew +immit +immix +imped +impis +impot +impro +imshi +imshy +inapt +inarm +inbye +incel +incle +incog +incus +incut +indew +india +indie +indol +indow +indri +indue +inerm +infix +infos +infra +ingan +ingle +inion +inked +inker +inkle +inned +innit +inorb +inrun +inset +inspo +intel +intil +intis +intra +inula +inure +inurn +inust +invar +inwit +iodic +iodid +iodin +iotas +ippon +irade +irids +iring +irked +iroko +irone +irons +isbas +ishes +isled +isles +isnae +issei +istle +items +ither +ivied +ivies +ixias +ixnay +ixora +ixtle +izard +izars +izzat +jaaps +jabot +jacal +jacks +jacky +jaded +jades +jafas +jaffa +jagas +jager +jaggs +jaggy +jagir +jagra +jails +jaker +jakes +jakey +jalap +jalop +jambe +jambo +jambs +jambu +james +jammy +jamon +janes +janns +janny +janty +japan +japed +japer +japes +jarks +jarls +jarps +jarta +jarul +jasey +jaspe +jasps +jatos +jauks +jaups +javas +javel +jawan +jawed +jaxie +jeans +jeats +jebel +jedis +jeels +jeely +jeeps +jeers +jeeze +jefes +jeffs +jehad +jehus +jelab +jello +jells +jembe +jemmy +jenny +jeons +jerid +jerks +jerry +jesse +jests +jesus +jetes +jeton +jeune +jewed +jewie +jhala +jiaos +jibba +jibbs +jibed +jiber +jibes +jiffs +jiggy +jigot +jihad +jills +jilts +jimmy +jimpy +jingo +jinks +jinne +jinni +jinns +jirds +jirga +jirre +jisms +jived +jiver +jives +jivey +jnana +jobed +jobes +jocko +jocks +jocky +jocos +jodel +joeys +johns +joins +joked +jokes +jokey +jokol +joled +joles +jolls +jolts +jolty +jomon +jomos +jones +jongs +jonty +jooks +joram +jorum +jotas +jotty +jotun +joual +jougs +jouks +joule +jours +jowar +jowed +jowls +jowly +joyed +jubas +jubes +jucos +judas +judgy +judos +jugal +jugum +jujus +juked +jukes +jukus +julep +jumar +jumby +jumps +junco +junks +junky +jupes +jupon +jural +jurat +jurel +jures +justs +jutes +jutty +juves +juvie +kaama +kabab +kabar +kabob +kacha +kacks +kadai +kades +kadis +kafir +kagos +kagus +kahal +kaiak +kaids +kaies +kaifs +kaika +kaiks +kails +kaims +kaing +kains +kakas +kakis +kalam +kales +kalif +kalis +kalpa +kamas +kames +kamik +kamis +kamme +kanae +kanas +kandy +kaneh +kanes +kanga +kangs +kanji +kants +kanzu +kaons +kapas +kaphs +kapok +kapow +kapus +kaput +karas +karat +karks +karns +karoo +karos +karri +karst +karsy +karts +karzy +kasha +kasme +katal +katas +katis +katti +kaugh +kauri +kauru +kaury +kaval +kavas +kawas +kawau +kawed +kayle +kayos +kazis +kazoo +kbars +kebar +kebob +kecks +kedge +kedgy +keech +keefs +keeks +keels +keema +keeno +keens +keeps +keets +keeve +kefir +kehua +keirs +kelep +kelim +kells +kelly +kelps +kelpy +kelts +kelty +kembo +kembs +kemps +kempt +kempy +kenaf +kench +kendo +kenos +kente +kents +kepis +kerbs +kerel +kerfs +kerky +kerma +kerne +kerns +keros +kerry +kerve +kesar +kests +ketas +ketch +ketes +ketol +kevel +kevil +kexes +keyed +keyer +khadi +khafs +khans +khaph +khats +khaya +khazi +kheda +kheth +khets +khoja +khors +khoum +khuds +kiaat +kiack +kiang +kibbe +kibbi +kibei +kibes +kibla +kicks +kicky +kiddo +kiddy +kidel +kidge +kiefs +kiers +kieve +kievs +kight +kikes +kikoi +kiley +kilim +kills +kilns +kilos +kilps +kilts +kilty +kimbo +kinas +kinda +kinds +kindy +kines +kings +kinin +kinks +kinos +kiore +kipes +kippa +kipps +kirby +kirks +kirns +kirri +kisan +kissy +kists +kited +kiter +kites +kithe +kiths +kitul +kivas +kiwis +klang +klaps +klett +klick +klieg +kliks +klong +kloof +kluge +klutz +knags +knaps +knarl +knars +knaur +knawe +knees +knell +knish +knits +knive +knobs +knops +knosp +knots +knout +knowe +knows +knubs +knurl +knurr +knurs +knuts +koans +koaps +koban +kobos +koels +koffs +kofta +kogal +kohas +kohen +kohls +koine +kojis +kokam +kokas +koker +kokra +kokum +kolas +kolos +kombu +konbu +kondo +konks +kooks +kooky +koori +kopek +kophs +kopje +koppa +korai +koras +korat +kores +korma +koros +korun +korus +koses +kotch +kotos +kotow +koura +kraal +krabs +kraft +krais +krait +krang +krans +kranz +kraut +krays +kreep +kreng +krewe +krona +krone +kroon +krubi +krunk +ksars +kubie +kudos +kudus +kudzu +kufis +kugel +kuias +kukri +kukus +kulak +kulan +kulas +kulfi +kumis +kumys +kuris +kurre +kurta +kurus +kusso +kutas +kutch +kutis +kutus +kuzus +kvass +kvell +kwela +kyack +kyaks +kyang +kyars +kyats +kybos +kydst +kyles +kylie +kylin +kylix +kyloe +kynde +kynds +kypes +kyrie +kytes +kythe +laari +labda +labia +labis +labra +laced +lacer +laces +lacet +lacey +lacks +laddy +laded +lader +lades +laers +laevo +lagan +lahal +lahar +laich +laics +laids +laigh +laika +laiks +laird +lairs +lairy +laith +laity +laked +laker +lakes +lakhs +lakin +laksa +laldy +lalls +lamas +lambs +lamby +lamed +lamer +lames +lamia +lammy +lamps +lanai +lanas +lanch +lande +lands +lanes +lanks +lants +lapin +lapis +lapje +larch +lards +lardy +laree +lares +largo +laris +larks +larky +larns +larnt +larum +lased +laser +lases +lassi +lassu +lassy +lasts +latah +lated +laten +latex +lathi +laths +lathy +latke +latus +lauan +lauch +lauds +laufs +laund +laura +laval +lavas +laved +laver +laves +lavra +lavvy +lawed +lawer +lawin +lawks +lawns +lawny +laxed +laxer +laxes +laxly +layed +layin +layup +lazar +lazed +lazes +lazos +lazzi +lazzo +leads +leady +leafs +leaks +leams +leans +leany +leaps +leare +lears +leary +leats +leavy +leaze +leben +leccy +ledes +ledgy +ledum +leear +leeks +leeps +leers +leese +leets +leeze +lefte +lefts +leger +leges +legge +leggo +legit +lehrs +lehua +leirs +leish +leman +lemed +lemel +lemes +lemma +lemme +lends +lenes +lengs +lenis +lenos +lense +lenti +lento +leone +lepid +lepra +lepta +lered +leres +lerps +lesbo +leses +lests +letch +lethe +letup +leuch +leuco +leuds +leugh +levas +levee +leves +levin +levis +lewis +lexes +lexis +lezes +lezza +lezzy +liana +liane +liang +liard +liars +liart +liber +libra +libri +lichi +licht +licit +licks +lidar +lidos +liefs +liens +liers +lieus +lieve +lifer +lifes +lifts +ligan +liger +ligge +ligne +liked +liker +likes +likin +lills +lilos +lilts +liman +limas +limax +limba +limbi +limbs +limby +limed +limen +limes +limey +limma +limns +limos +limpa +limps +linac +linch +linds +lindy +lined +lines +liney +linga +lings +lingy +linin +links +linky +linns +linny +linos +lints +linty +linum +linux +lions +lipas +lipes +lipin +lipos +lippy +liras +lirks +lirot +lisks +lisle +lisps +lists +litai +litas +lited +liter +lites +litho +liths +litre +lived +liven +lives +livor +livre +llano +loach +loads +loafs +loams +loans +loast +loave +lobar +lobed +lobes +lobos +lobus +loche +lochs +locie +locis +locks +locos +locum +loden +lodes +loess +lofts +logan +loges +loggy +logia +logie +logoi +logon +logos +lohan +loids +loins +loipe +loirs +lokes +lolls +lolly +lolog +lomas +lomed +lomes +loner +longa +longe +longs +looby +looed +looey +loofa +loofs +looie +looks +looky +looms +loons +loony +loops +loord +loots +loped +loper +lopes +loppy +loral +loran +lords +lordy +lorel +lores +loric +loris +losed +losel +losen +loses +lossy +lotah +lotas +lotes +lotic +lotos +lotsa +lotta +lotte +lotto +lotus +loued +lough +louie +louis +louma +lound +louns +loupe +loups +loure +lours +loury +louts +lovat +loved +loves +lovey +lovie +lowan +lowed +lowes +lownd +lowne +lowns +lowps +lowry +lowse +lowts +loxed +loxes +lozen +luach +luaus +lubed +lubes +lubra +luces +lucks +lucre +ludes +ludic +ludos +luffa +luffs +luged +luger +luges +lulls +lulus +lumas +lumbi +lumme +lummy +lumps +lunas +lunes +lunet +lungi +lungs +lunks +lunts +lupin +lured +lurer +lures +lurex +lurgi +lurgy +lurks +lurry +lurve +luser +lushy +lusks +lusts +lusus +lutea +luted +luter +lutes +luvvy +luxed +luxer +luxes +lweis +lyams +lyard +lyart +lyase +lycea +lycee +lycra +lymes +lynes +lyres +lysed +lyses +lysin +lysis +lysol +lyssa +lyted +lytes +lythe +lytic +lytta +maaed +maare +maars +mabes +macas +maced +macer +maces +mache +machi +machs +macks +macle +macon +madge +madid +madre +maerl +mafic +mages +maggs +magot +magus +mahoe +mahua +mahwa +maids +maiko +maiks +maile +maill +mails +maims +mains +maire +mairs +maise +maist +makar +makes +makis +makos +malam +malar +malas +malax +males +malic +malik +malis +malls +malms +malmy +malts +malty +malus +malva +malwa +mamas +mamba +mamee +mamey +mamie +manas +manat +mandi +maneb +maned +maneh +manes +manet +mangs +manis +manky +manna +manos +manse +manta +manto +manty +manul +manus +mapau +maqui +marae +marah +maras +marcs +mardy +mares +marge +margs +maria +marid +marka +marks +marle +marls +marly +marms +maron +maror +marra +marri +marse +marts +marvy +masas +mased +maser +mases +mashy +masks +massa +massy +masts +masty +masus +matai +mated +mater +mates +maths +matin +matlo +matte +matts +matza +matzo +mauby +mauds +mauls +maund +mauri +mausy +mauts +mauzy +maven +mavie +mavin +mavis +mawed +mawks +mawky +mawns +mawrs +maxed +maxes +maxis +mayan +mayas +mayed +mayos +mayst +mazed +mazer +mazes +mazey +mazut +mbira +meads +meals +meane +means +meany +meare +mease +meath +meats +mebos +mechs +mecks +medii +medle +meeds +meers +meets +meffs +meins +meint +meiny +meith +mekka +melas +melba +melds +melic +melik +mells +melts +melty +memes +memos +menad +mends +mened +menes +menge +mengs +mensa +mense +mensh +menta +mento +menus +meous +meows +merch +mercs +merde +mered +merel +merer +meres +meril +meris +merks +merle +merls +merse +mesal +mesas +mesel +meses +meshy +mesic +mesne +meson +messy +mesto +meted +metes +metho +meths +metic +metif +metis +metol +metre +meuse +meved +meves +mewed +mewls +meynt +mezes +mezze +mezzo +mhorr +miaou +miaow +miasm +miaul +micas +miche +micht +micks +micky +micos +micra +middy +midgy +midis +miens +mieve +miffs +miffy +mifty +miggs +mihas +mihis +miked +mikes +mikra +mikva +milch +milds +miler +miles +milfs +milia +milko +milks +mille +mills +milor +milos +milpa +milts +milty +miltz +mimed +mimeo +mimer +mimes +mimsy +minae +minar +minas +mincy +minds +mined +mines +minge +mings +mingy +minis +minke +minks +minny +minos +mints +mired +mires +mirex +mirid +mirin +mirks +mirky +mirly +miros +mirvs +mirza +misch +misdo +mises +misgo +misos +missa +mists +misty +mitch +miter +mites +mitis +mitre +mitts +mixed +mixen +mixer +mixes +mixte +mixup +mizen +mizzy +mneme +moans +moats +mobby +mobes +mobey +mobie +moble +mochi +mochs +mochy +mocks +moder +modes +modge +modii +modus +moers +mofos +moggy +mohel +mohos +mohrs +mohua +mohur +moile +moils +moira +moire +moits +mojos +mokes +mokis +mokos +molal +molas +molds +moled +moles +molla +molls +molly +molto +molts +molys +momes +momma +mommy +momus +monad +monal +monas +monde +mondo +moner +mongo +mongs +monic +monie +monks +monos +monte +monty +moobs +mooch +moods +mooed +mooks +moola +mooli +mools +mooly +moong +moons +moony +moops +moors +moory +moots +moove +moped +moper +mopes +mopey +moppy +mopsy +mopus +morae +moras +morat +moray +morel +mores +moria +morne +morns +morra +morro +morse +morts +mosed +moses +mosey +mosks +mosso +moste +mosts +moted +moten +motes +motet +motey +moths +mothy +motis +motte +motts +motty +motus +motza +mouch +moues +mould +mouls +moups +moust +mousy +moved +moves +mowas +mowed +mowra +moxas +moxie +moyas +moyle +moyls +mozed +mozes +mozos +mpret +mucho +mucic +mucid +mucin +mucks +mucor +mucro +mudge +mudir +mudra +muffs +mufti +mugga +muggs +muggy +muhly +muids +muils +muirs +muist +mujik +mulct +muled +mules +muley +mulga +mulie +mulla +mulls +mulse +mulsh +mumms +mumps +mumsy +mumus +munga +munge +mungo +mungs +munis +munts +muntu +muons +muras +mured +mures +murex +murid +murks +murls +murly +murra +murre +murri +murrs +murry +murti +murva +musar +musca +mused +muser +muses +muset +musha +musit +musks +musos +musse +mussy +musth +musts +mutch +muted +muter +mutes +mutha +mutis +muton +mutts +muxed +muxes +muzak +muzzy +mvule +myall +mylar +mynah +mynas +myoid +myoma +myope +myops +myopy +mysid +mythi +myths +mythy +myxos +mzees +naams +naans +nabes +nabis +nabks +nabla +nabob +nache +nacho +nacre +nadas +naeve +naevi +naffs +nagas +naggy +nagor +nahal +naiad +naifs +naiks +nails +naira +nairu +naked +naker +nakfa +nalas +naled +nalla +named +namer +names +namma +namus +nanas +nance +nancy +nandu +nanna +nanos +nanua +napas +naped +napes +napoo +nappa +nappe +nappy +naras +narco +narcs +nards +nares +naric +naris +narks +narky +narre +nashi +natch +nates +natis +natty +nauch +naunt +navar +naves +navew +navvy +nawab +nazes +nazir +nazis +nduja +neafe +neals +neaps +nears +neath +neats +nebek +nebel +necks +neddy +needs +neeld +neele +neemb +neems +neeps +neese +neeze +negro +negus +neifs +neist +neive +nelis +nelly +nemas +nemns +nempt +nenes +neons +neper +nepit +neral +nerds +nerka +nerks +nerol +nerts +nertz +nervy +nests +netes +netop +netts +netty +neuks +neume +neums +nevel +neves +nevus +newbs +newed +newel +newie +newsy +newts +nexts +nexus +ngaio +ngana +ngati +ngoma +ngwee +nicad +nicht +nicks +nicol +nidal +nided +nides +nidor +nidus +niefs +nieve +nifes +niffs +niffy +nifty +niger +nighs +nihil +nikab +nikah +nikau +nills +nimbi +nimbs +nimps +niner +nines +ninon +nipas +nippy +niqab +nirls +nirly +nisei +nisse +nisus +niter +nites +nitid +niton +nitre +nitro +nitry +nitty +nival +nixed +nixer +nixes +nixie +nizam +nkosi +noahs +nobby +nocks +nodal +noddy +nodes +nodus +noels +noggs +nohow +noils +noily +noint +noirs +noles +nolls +nolos +nomas +nomen +nomes +nomic +nomoi +nomos +nonas +nonce +nones +nonet +nongs +nonis +nonny +nonyl +noobs +nooit +nooks +nooky +noons +noops +nopal +noria +noris +norks +norma +norms +nosed +noser +noses +notal +noted +noter +notes +notum +nould +noule +nouls +nouns +nouny +noups +novae +novas +novum +noway +nowed +nowls +nowts +nowty +noxal +noxes +noyau +noyed +noyes +nubby +nubia +nucha +nuddy +nuder +nudes +nudie +nudzh +nuffs +nugae +nuked +nukes +nulla +nulls +numbs +numen +nummy +nunny +nurds +nurdy +nurls +nurrs +nutso +nutsy +nyaff +nyala +nying +nyssa +oaked +oaker +oakum +oared +oases +oasis +oasts +oaten +oater +oaths +oaves +obang +obeah +obeli +obeys +obias +obied +obiit +obits +objet +oboes +obole +oboli +obols +occam +ocher +oches +ochre +ochry +ocker +ocrea +octad +octan +octas +octyl +oculi +odahs +odals +odeon +odeum +odism +odist +odium +odors +odour +odyle +odyls +ofays +offed +offie +oflag +ofter +ogams +ogeed +ogees +oggin +ogham +ogive +ogled +ogler +ogles +ogmic +ogres +ohias +ohing +ohmic +ohone +oidia +oiled +oiler +oinks +oints +ojime +okapi +okays +okehs +okras +oktas +oldie +oleic +olein +olent +oleos +oleum +olios +ollas +ollav +oller +ollie +ology +olpae +olpes +omasa +omber +ombus +omens +omers +omits +omlah +omovs +omrah +oncer +onces +oncet +oncus +onely +oners +onery +onium +onkus +onlay +onned +ontic +oobit +oohed +oomph +oonts +ooped +oorie +ooses +ootid +oozed +oozes +opahs +opals +opens +opepe +oping +oppos +opsin +opted +opter +orach +oracy +orals +orang +orant +orate +orbed +orcas +orcin +ordos +oread +orfes +orgia +orgic +orgue +oribi +oriel +orixa +orles +orlon +orlop +ormer +ornis +orpin +orris +ortho +orval +orzos +oscar +oshac +osier +osmic +osmol +ossia +ostia +otaku +otary +ottar +ottos +oubit +oucht +ouens +ouija +oulks +oumas +oundy +oupas +ouped +ouphe +ouphs +ourie +ousel +ousts +outby +outed +outre +outro +outta +ouzel +ouzos +ovals +ovels +ovens +overs +ovist +ovoli +ovolo +ovule +owche +owies +owled +owler +owlet +owned +owres +owrie +owsen +oxbow +oxers +oxeye +oxids +oxies +oxime +oxims +oxlip +oxter +oyers +ozeki +ozzie +paals +paans +pacas +paced +pacer +paces +pacey +pacha +packs +pacos +pacta +pacts +padis +padle +padma +padre +padri +paean +paedo +paeon +paged +pager +pages +pagle +pagod +pagri +paiks +pails +pains +paire +pairs +paisa +paise +pakka +palas +palay +palea +paled +pales +palet +palis +palki +palla +palls +pally +palms +palmy +palpi +palps +palsa +pampa +panax +pance +panda +pands +pandy +paned +panes +panga +pangs +panim +panko +panne +panni +panto +pants +panty +paoli +paolo +papas +papaw +papes +pappi +pappy +parae +paras +parch +pardi +pards +pardy +pared +paren +pareo +pares +pareu +parev +parge +pargo +paris +parki +parks +parky +parle +parly +parma +parol +parps +parra +parrs +parti +parts +parve +parvo +paseo +pases +pasha +pashm +paska +paspy +passe +pasts +pated +paten +pater +pates +paths +patin +patka +patly +patte +patus +pauas +pauls +pavan +paved +paven +paver +paves +pavid +pavin +pavis +pawas +pawaw +pawed +pawer +pawks +pawky +pawls +pawns +paxes +payed +payor +paysd +peage +peags +peaks +peaky +peals +peans +peare +pears +peart +pease +peats +peaty +peavy +peaze +pebas +pechs +pecke +pecks +pecky +pedes +pedis +pedro +peece +peeks +peels +peens +peeoy +peepe +peeps +peers +peery +peeve +peggy +peghs +peins +peise +peize +pekan +pekes +pekin +pekoe +pelas +pelau +peles +pelfs +pells +pelma +pelon +pelta +pelts +pends +pendu +pened +penes +pengo +penie +penis +penks +penna +penni +pents +peons +peony +pepla +pepos +peppy +pepsi +perai +perce +percs +perdu +perdy +perea +peres +peris +perks +perms +perns +perog +perps +perry +perse +perst +perts +perve +pervo +pervs +pervy +pesos +pests +pesty +petar +peter +petit +petre +petri +petti +petto +pewee +pewit +peyse +phage +phang +phare +pharm +pheer +phene +pheon +phese +phial +phish +phizz +phlox +phoca +phono +phons +phots +phpht +phuts +phyla +phyle +piani +pians +pibal +pical +picas +piccy +picks +picot +picra +picul +piend +piers +piert +pieta +piets +piezo +pight +pigmy +piing +pikas +pikau +piked +piker +pikes +pikey +pikis +pikul +pilae +pilaf +pilao +pilar +pilau +pilaw +pilch +pilea +piled +pilei +piler +piles +pilis +pills +pilow +pilum +pilus +pimas +pimps +pinas +pined +pines +pingo +pings +pinko +pinks +pinna +pinny +pinon +pinot +pinta +pints +pinup +pions +piony +pious +pioye +pioys +pipal +pipas +piped +pipes +pipet +pipis +pipit +pippy +pipul +pirai +pirls +pirns +pirog +pisco +pises +pisky +pisos +pissy +piste +pitas +piths +piton +pitot +pitta +piums +pixes +pized +pizes +plaas +plack +plage +plans +plaps +plash +plasm +plast +plats +platt +platy +playa +plays +pleas +plebe +plebs +plena +pleon +plesh +plews +plica +plies +plims +pling +plink +ploat +plods +plong +plonk +plook +plops +plots +plotz +plouk +plows +ploye +ploys +plues +pluff +plugs +plums +plumy +pluot +pluto +plyer +poach +poaka +poake +poboy +pocks +pocky +podal +poddy +podex +podge +podgy +podia +poems +poeps +poets +pogey +pogge +pogos +pohed +poilu +poind +pokal +poked +pokes +pokey +pokie +poled +poler +poles +poley +polio +polis +polje +polks +polls +polly +polos +polts +polys +pombe +pomes +pommy +pomos +pomps +ponce +poncy +ponds +pones +poney +ponga +pongo +pongs +pongy +ponks +ponts +ponty +ponzu +poods +pooed +poofs +poofy +poohs +pooja +pooka +pooks +pools +poons +poops +poopy +poori +poort +poots +poove +poovy +popes +poppa +popsy +porae +poral +pored +porer +pores +porge +porgy +porin +porks +porky +porno +porns +porny +porta +ports +porty +posed +poses +posey +posho +posts +potae +potch +poted +potes +potin +potoo +potsy +potto +potts +potty +pouff +poufs +pouke +pouks +poule +poulp +poult +poupe +poupt +pours +pouts +powan +powin +pownd +powns +powny +powre +poxed +poxes +poynt +poyou +poyse +pozzy +praam +prads +prahu +prams +prana +prang +praos +prase +prate +prats +pratt +praty +praus +prays +predy +preed +prees +preif +prems +premy +prent +preon +preop +preps +presa +prese +prest +preve +prexy +preys +prial +pricy +prief +prier +pries +prigs +prill +prima +primi +primp +prims +primy +prink +prion +prise +priss +proas +probs +prods +proem +profs +progs +proin +proke +prole +proll +promo +proms +pronk +props +prore +proso +pross +prost +prosy +proto +proul +prows +proyn +prunt +pruta +pryer +pryse +pseud +pshaw +psion +psoae +psoai +psoas +psora +psych +psyop +pubco +pubes +pubis +pucan +pucer +puces +pucka +pucks +puddy +pudge +pudic +pudor +pudsy +pudus +puers +puffa +puffs +puggy +pugil +puhas +pujah +pujas +pukas +puked +puker +pukes +pukey +pukka +pukus +pulao +pulas +puled +puler +pules +pulik +pulis +pulka +pulks +pulli +pulls +pully +pulmo +pulps +pulus +pumas +pumie +pumps +punas +punce +punga +pungs +punji +punka +punks +punky +punny +punto +punts +punty +pupae +pupas +pupus +purda +pured +pures +purin +puris +purls +purpy +purrs +pursy +purty +puses +pusle +pussy +putid +puton +putti +putto +putts +puzel +pwned +pyats +pyets +pygal +pyins +pylon +pyned +pynes +pyoid +pyots +pyral +pyran +pyres +pyrex +pyric +pyros +pyxed +pyxes +pyxie +pyxis +pzazz +qadis +qaids +qajaq +qanat +qapik +qibla +qophs +qorma +quads +quaff +quags +quair +quais +quaky +quale +quant +quare +quass +quate +quats +quayd +quays +qubit +quean +queme +quena +quern +queyn +queys +quich +quids +quiff +quims +quina +quine +quino +quins +quint +quipo +quips +quipu +quire +quirt +quist +quits +quoad +quods +quoif +quoin +quoit +quoll +quonk +quops +qursh +quyte +rabat +rabic +rabis +raced +races +rache +racks +racon +radge +radix +radon +raffs +rafts +ragas +ragde +raged +ragee +rager +rages +ragga +raggs +raggy +ragis +ragus +rahed +rahui +raias +raids +raiks +raile +rails +raine +rains +raird +raita +raits +rajas +rajes +raked +rakee +raker +rakes +rakia +rakis +rakus +rales +ramal +ramee +ramet +ramie +ramin +ramis +rammy +ramps +ramus +ranas +rance +rands +ranee +ranga +rangi +rangs +rangy +ranid +ranis +ranke +ranks +rants +raped +raper +rapes +raphe +rappe +rared +raree +rares +rarks +rased +raser +rases +rasps +rasse +rasta +ratal +ratan +ratas +ratch +rated +ratel +rater +rates +ratha +rathe +raths +ratoo +ratos +ratus +rauns +raupo +raved +ravel +raver +raves +ravey +ravin +rawer +rawin +rawly +rawns +raxed +raxes +rayah +rayas +rayed +rayle +rayne +razed +razee +razer +razes +razoo +readd +reads +reais +reaks +realo +reals +reame +reams +reamy +reans +reaps +rears +reast +reata +reate +reave +rebbe +rebec +rebid +rebit +rebop +rebuy +recal +recce +recco +reccy +recit +recks +recon +recta +recti +recto +redan +redds +reddy +reded +redes +redia +redid +redip +redly +redon +redos +redox +redry +redub +redux +redye +reech +reede +reeds +reefs +reefy +reeks +reeky +reels +reens +reest +reeve +refed +refel +reffo +refis +refix +refly +refry +regar +reges +reggo +regie +regma +regna +regos +regur +rehem +reifs +reify +reiki +reiks +reink +reins +reird +reist +reive +rejig +rejon +reked +rekes +rekey +relet +relie +relit +rello +reman +remap +remen +remet +remex +remix +renay +rends +reney +renga +renig +renin +renne +renos +rente +rents +reoil +reorg +repeg +repin +repla +repos +repot +repps +repro +reran +rerig +resat +resaw +resay +resee +reses +resew +resid +resit +resod +resow +resto +rests +resty +resus +retag +retax +retem +retia +retie +retox +revet +revie +rewan +rewax +rewed +rewet +rewin +rewon +rewth +rexes +rezes +rheas +rheme +rheum +rhies +rhime +rhine +rhody +rhomb +rhone +rhumb +rhyne +rhyta +riads +rials +riant +riata +ribas +ribby +ribes +riced +ricer +rices +ricey +richt +ricin +ricks +rides +ridgy +ridic +riels +riems +rieve +rifer +riffs +rifte +rifts +rifty +riggs +rigol +riled +riles +riley +rille +rills +rimae +rimed +rimer +rimes +rimus +rinds +rindy +rines +rings +rinks +rioja +riots +riped +ripes +ripps +rises +rishi +risks +risps +risus +rites +ritts +ritzy +rivas +rived +rivel +riven +rives +riyal +rizas +roads +roams +roans +roars +roary +roate +robed +robes +roble +rocks +roded +rodes +roguy +rohes +roids +roils +roily +roins +roist +rojak +rojis +roked +roker +rokes +rolag +roles +rolfs +rolls +romal +roman +romeo +romps +ronde +rondo +roneo +rones +ronin +ronne +ronte +ronts +roods +roofs +roofy +rooks +rooky +rooms +roons +roops +roopy +roosa +roose +roots +rooty +roped +roper +ropes +ropey +roque +roral +rores +roric +rorid +rorie +rorts +rorty +rosed +roses +roset +roshi +rosin +rosit +rosti +rosts +rotal +rotan +rotas +rotch +roted +rotes +rotis +rotls +roton +rotos +rotte +rouen +roues +roule +rouls +roums +roups +roupy +roust +routh +routs +roved +roven +roves +rowan +rowed +rowel +rowen +rowie +rowme +rownd +rowth +rowts +royne +royst +rozet +rozit +ruana +rubai +rubby +rubel +rubes +rubin +ruble +rubli +rubus +ruche +rucks +rudas +rudds +rudes +rudie +rudis +rueda +ruers +ruffe +ruffs +rugae +rugal +ruggy +ruing +ruins +rukhs +ruled +rules +rumal +rumbo +rumen +rumes +rumly +rummy +rumpo +rumps +rumpy +runch +runds +runed +runes +rungs +runic +runny +runts +runty +rupia +rurps +rurus +rusas +ruses +rushy +rusks +rusma +russe +rusts +ruths +rutin +rutty +ryals +rybat +ryked +rykes +rymme +rynds +ryots +ryper +saags +sabal +sabed +saber +sabes +sabha +sabin +sabir +sable +sabot +sabra +sabre +sacks +sacra +saddo +sades +sadhe +sadhu +sadis +sados +sadza +safed +safes +sagas +sager +sages +saggy +sagos +sagum +saheb +sahib +saice +saick +saics +saids +saiga +sails +saims +saine +sains +sairs +saist +saith +sajou +sakai +saker +sakes +sakia +sakis +sakti +salal +salat +salep +sales +salet +salic +salix +salle +salmi +salol +salop +salpa +salps +salse +salto +salts +salue +salut +saman +samas +samba +sambo +samek +samel +samen +sames +samey +samfu +sammy +sampi +samps +sands +saned +sanes +sanga +sangh +sango +sangs +sanko +sansa +santo +sants +saola +sapan +sapid +sapor +saran +sards +sared +saree +sarge +sargo +sarin +saris +sarks +sarky +sarod +saros +sarus +saser +sasin +sasse +satai +satay +sated +satem +sates +satis +sauba +sauch +saugh +sauls +sault +saunt +saury +sauts +saved +saver +saves +savey +savin +sawah +sawed +sawer +saxes +sayed +sayer +sayid +sayne +sayon +sayst +sazes +scabs +scads +scaff +scags +scail +scala +scall +scams +scand +scans +scapa +scape +scapi +scarp +scars +scart +scath +scats +scatt +scaud +scaup +scaur +scaws +sceat +scena +scend +schav +schmo +schul +schwa +sclim +scody +scogs +scoog +scoot +scopa +scops +scots +scoug +scoup +scowp +scows +scrab +scrae +scrag +scran +scrat +scraw +scray +scrim +scrip +scrob +scrod +scrog +scrow +scudi +scudo +scuds +scuff +scuft +scugs +sculk +scull +sculp +sculs +scums +scups +scurf +scurs +scuse +scuta +scute +scuts +scuzz +scyes +sdayn +sdein +seals +seame +seams +seamy +seans +seare +sears +sease +seats +seaze +sebum +secco +sechs +sects +seder +sedes +sedge +sedgy +sedum +seeds +seeks +seeld +seels +seely +seems +seeps +seepy +seers +sefer +segar +segni +segno +segol +segos +sehri +seifs +seils +seine +seirs +seise +seism +seity +seiza +sekos +sekts +selah +seles +selfs +sella +selle +sells +selva +semee +semes +semie +semis +senas +sends +senes +sengi +senna +senor +sensa +sensi +sente +senti +sents +senvy +senza +sepad +sepal +sepic +sepoy +septa +septs +serac +serai +seral +sered +serer +seres +serfs +serge +seric +serin +serks +seron +serow +serra +serre +serrs +serry +servo +sesey +sessa +setae +setal +seton +setts +sewan +sewar +sewed +sewel +sewen +sewin +sexed +sexer +sexes +sexto +sexts +seyen +shads +shags +shahs +shako +shakt +shalm +shaly +shama +shams +shand +shans +shaps +sharn +shash +shaul +shawm +shawn +shaws +shaya +shays +shchi +sheaf +sheal +sheas +sheds +sheel +shend +shent +sheol +sherd +shere +shero +shets +sheva +shewn +shews +shiai +shiel +shier +shies +shill +shily +shims +shins +ships +shirr +shirs +shish +shiso +shist +shite +shits +shiur +shiva +shive +shivs +shlep +shlub +shmek +shmoe +shoat +shoed +shoer +shoes +shogi +shogs +shoji +shojo +shola +shool +shoon +shoos +shope +shops +shorl +shote +shots +shott +showd +shows +shoyu +shred +shris +shrow +shtik +shtum +shtup +shule +shuln +shuls +shuns +shura +shute +shuts +shwas +shyer +sials +sibbs +sibyl +sices +sicht +sicko +sicks +sicky +sidas +sided +sider +sides +sidha +sidhe +sidle +sield +siens +sient +sieth +sieur +sifts +sighs +sigil +sigla +signa +signs +sijos +sikas +siker +sikes +silds +siled +silen +siler +siles +silex +silks +sills +silos +silts +silty +silva +simar +simas +simba +simis +simps +simul +sinds +sined +sines +sings +sinhs +sinks +sinky +sinus +siped +sipes +sippy +sired +siree +sires +sirih +siris +siroc +sirra +sirup +sisal +sises +sista +sists +sitar +sited +sites +sithe +sitka +situp +situs +siver +sixer +sixes +sixmo +sixte +sizar +sized +sizel +sizer +sizes +skags +skail +skald +skank +skart +skats +skatt +skaws +skean +skear +skeds +skeed +skeef +skeen +skeer +skees +skeet +skegg +skegs +skein +skelf +skell +skelm +skelp +skene +skens +skeos +skeps +skers +skets +skews +skids +skied +skies +skiey +skimo +skims +skink +skins +skint +skios +skips +skirl +skirr +skite +skits +skive +skivy +sklim +skoal +skody +skoff +skogs +skols +skool +skort +skosh +skran +skrik +skuas +skugs +skyed +skyer +skyey +skyfs +skyre +skyrs +skyte +slabs +slade +slaes +slags +slaid +slake +slams +slane +slank +slaps +slart +slats +slaty +slaws +slays +slebs +sleds +sleer +slews +sleys +slier +slily +slims +slipe +slips +slipt +slish +slits +slive +sloan +slobs +sloes +slogs +sloid +slojd +slomo +sloom +sloot +slops +slopy +slorm +slots +slove +slows +sloyd +slubb +slubs +slued +slues +sluff +slugs +sluit +slums +slurb +slurs +sluse +sluts +slyer +slype +smaak +smaik +smalm +smalt +smarm +smaze +smeek +smees +smeik +smeke +smerk +smews +smirr +smirs +smits +smogs +smoko +smolt +smoor +smoot +smore +smorg +smout +smowt +smugs +smurs +smush +smuts +snabs +snafu +snags +snaps +snarf +snark +snars +snary +snash +snath +snaws +snead +sneap +snebs +sneck +sneds +sneed +snees +snell +snibs +snick +snies +snift +snigs +snips +snipy +snirt +snits +snobs +snods +snoek +snoep +snogs +snoke +snood +snook +snool +snoot +snots +snowk +snows +snubs +snugs +snush +snyes +soaks +soaps +soare +soars +soave +sobas +socas +soces +socko +socks +socle +sodas +soddy +sodic +sodom +sofar +sofas +softa +softs +softy +soger +sohur +soils +soily +sojas +sojus +sokah +soken +sokes +sokol +solah +solan +solas +solde +soldi +soldo +solds +soled +solei +soler +soles +solon +solos +solum +solus +soman +somas +sonce +sonde +sones +songs +sonly +sonne +sonny +sonse +sonsy +sooey +sooks +sooky +soole +sools +sooms +soops +soote +soots +sophs +sophy +sopor +soppy +sopra +soral +soras +sorbo +sorbs +sorda +sordo +sords +sored +soree +sorel +sorer +sores +sorex +sorgo +sorns +sorra +sorta +sorts +sorus +soths +sotol +souce +souct +sough +souks +souls +soums +soups +soupy +sours +souse +souts +sowar +sowce +sowed +sowff +sowfs +sowle +sowls +sowms +sownd +sowne +sowps +sowse +sowth +soyas +soyle +soyuz +sozin +spacy +spado +spaed +spaer +spaes +spags +spahi +spail +spain +spait +spake +spald +spale +spall +spalt +spams +spane +spang +spans +spard +spars +spart +spate +spats +spaul +spawl +spaws +spayd +spays +spaza +spazz +speal +spean +speat +specs +spect +speel +speer +speil +speir +speks +speld +spelk +speos +spets +speug +spews +spewy +spial +spica +spick +spics +spide +spier +spies +spiff +spifs +spiks +spile +spims +spina +spink +spins +spirt +spiry +spits +spitz +spivs +splay +splog +spode +spods +spoom +spoor +spoot +spork +sposh +spots +sprad +sprag +sprat +spred +sprew +sprit +sprod +sprog +sprue +sprug +spuds +spued +spuer +spues +spugs +spule +spume +spumy +spurs +sputa +spyal +spyre +squab +squaw +squeg +squid +squit +squiz +stabs +stade +stags +stagy +staig +stane +stang +staph +staps +starn +starr +stars +stats +staun +staws +stays +stean +stear +stedd +stede +steds +steek +steem +steen +steil +stela +stele +stell +steme +stems +stend +steno +stens +stent +steps +stept +stere +stets +stews +stewy +steys +stich +stied +sties +stilb +stile +stime +stims +stimy +stipa +stipe +stire +stirk +stirp +stirs +stive +stivy +stoae +stoai +stoas +stoat +stobs +stoep +stogy +stoit +stoln +stoma +stond +stong +stonk +stonn +stook +stoor +stope +stops +stopt +stoss +stots +stott +stoun +stoup +stour +stown +stowp +stows +strad +strae +strag +strak +strep +strew +stria +strig +strim +strop +strow +stroy +strum +stubs +stude +studs +stull +stulm +stumm +stums +stuns +stupa +stupe +sture +sturt +styed +styes +styli +stylo +styme +stymy +styre +styte +subah +subas +subby +suber +subha +succi +sucks +sucky +sucre +sudds +sudor +sudsy +suede +suent +suers +suete +suets +suety +sugan +sughs +sugos +suhur +suids +suint +suits +sujee +sukhs +sukuk +sulci +sulfa +sulfo +sulks +sulph +sulus +sumis +summa +sumos +sumph +sumps +sunis +sunks +sunna +sunns +sunup +supes +supra +surah +sural +suras +surat +surds +sured +sures +surfs +surfy +surgy +surra +sused +suses +susus +sutor +sutra +sutta +swabs +swack +swads +swage +swags +swail +swain +swale +swaly +swamy +swang +swank +swans +swaps +swapt +sward +sware +swarf +swart +swats +swayl +sways +sweal +swede +sweed +sweel +sweer +swees +sweir +swelt +swerf +sweys +swies +swigs +swile +swims +swink +swipe +swire +swiss +swith +swits +swive +swizz +swobs +swole +swoln +swops +swopt +swots +swoun +sybbe +sybil +syboe +sybow +sycee +syces +sycon +syens +syker +sykes +sylis +sylph +sylva +symar +synch +syncs +synds +syned +synes +synth +syped +sypes +syphs +syrah +syren +sysop +sythe +syver +taals +taata +taber +tabes +tabid +tabis +tabla +tabor +tabun +tabus +tacan +taces +tacet +tache +tacho +tachs +tacks +tacos +tacts +taels +tafia +taggy +tagma +tahas +tahrs +taiga +taigs +taiko +tails +tains +taira +taish +taits +tajes +takas +takes +takhi +takin +takis +takky +talak +talaq +talar +talas +talcs +talcy +talea +taler +tales +talks +talky +talls +talma +talpa +taluk +talus +tamal +tamed +tames +tamin +tamis +tammy +tamps +tanas +tanga +tangi +tangs +tanhs +tanka +tanks +tanky +tanna +tansy +tanti +tanto +tanty +tapas +taped +tapen +tapes +tapet +tapis +tappa +tapus +taras +tardo +tared +tares +targa +targe +tarns +taroc +tarok +taros +tarps +tarre +tarry +tarsi +tarts +tarty +tasar +tased +taser +tases +tasks +tassa +tasse +tasso +tatar +tater +tates +taths +tatie +tatou +tatts +tatus +taube +tauld +tauon +taupe +tauts +tavah +tavas +taver +tawai +tawas +tawed +tawer +tawie +tawse +tawts +taxed +taxer +taxes +taxis +taxol +taxon +taxor +taxus +tayra +tazza +tazze +teade +teads +teaed +teaks +teals +teams +tears +teats +teaze +techs +techy +tecta +teels +teems +teend +teene +teens +teeny +teers +teffs +teggs +tegua +tegus +tehrs +teiid +teils +teind +teins +telae +telco +teles +telex +telia +telic +tells +telly +teloi +telos +temed +temes +tempi +temps +tempt +temse +tench +tends +tendu +tenes +tenge +tenia +tenne +tenno +tenny +tenon +tents +tenty +tenue +tepal +tepas +tepoy +terai +teras +terce +terek +teres +terfe +terfs +terga +terms +terne +terns +terry +terts +tesla +testa +teste +tests +tetes +teths +tetra +tetri +teuch +teugh +tewed +tewel +tewit +texas +texes +texts +thack +thagi +thaim +thale +thali +thana +thane +thang +thans +thanx +tharm +thars +thaws +thawy +thebe +theca +theed +theek +thees +thegn +theic +thein +thelf +thema +thens +theow +therm +thesp +thete +thews +thewy +thigs +thilk +thill +thine +thins +thiol +thirl +thoft +thole +tholi +thoro +thorp +thous +thowl +thrae +thraw +thrid +thrip +throe +thuds +thugs +thuja +thunk +thurl +thuya +thymi +thymy +tians +tiars +tical +ticca +ticed +tices +tichy +ticks +ticky +tiddy +tided +tides +tiers +tiffs +tifos +tifts +tiges +tigon +tikas +tikes +tikis +tikka +tilak +tiled +tiler +tiles +tills +tilly +tilth +tilts +timbo +timed +times +timon +timps +tinas +tinct +tinds +tinea +tined +tines +tinge +tings +tinks +tinny +tints +tinty +tipis +tippy +tired +tires +tirls +tiros +tirrs +titch +titer +titis +titre +titty +titup +tiyin +tiyns +tizes +tizzy +toads +toady +toaze +tocks +tocky +tocos +todde +toeas +toffs +toffy +tofts +tofus +togae +togas +toged +toges +togue +tohos +toile +toils +toing +toise +toits +tokay +toked +toker +tokes +tokos +tolan +tolar +tolas +toled +toles +tolls +tolly +tolts +tolus +tolyl +toman +tombs +tomes +tomia +tommy +tomos +tondi +tondo +toned +toner +tones +toney +tongs +tonka +tonks +tonne +tonus +tools +tooms +toons +toots +toped +topee +topek +toper +topes +tophe +tophi +tophs +topis +topoi +topos +toppy +toque +torah +toran +toras +torcs +tores +toric +torii +toros +torot +torrs +torse +torsi +torsk +torta +torte +torts +tosas +tosed +toses +toshy +tossy +toted +toter +totes +totty +touks +touns +tours +touse +tousy +touts +touze +touzy +towed +towie +towns +towny +towse +towsy +towts +towze +towzy +toyed +toyer +toyon +toyos +tozed +tozes +tozie +trabs +trads +tragi +traik +trams +trank +tranq +trans +trant +trape +traps +trapt +trass +trats +tratt +trave +trayf +trays +treck +treed +treen +trees +trefa +treif +treks +trema +trems +tress +trest +trets +trews +treyf +treys +triac +tride +trier +tries +triff +trigo +trigs +trike +trild +trill +trims +trine +trins +triol +trior +trios +trips +tripy +trist +troad +troak +troat +trock +trode +trods +trogs +trois +troke +tromp +trona +tronc +trone +tronk +trons +trooz +troth +trots +trows +troys +trued +trues +trugo +trugs +trull +tryer +tryke +tryma +tryps +tsade +tsadi +tsars +tsked +tsuba +tsubo +tuans +tuart +tuath +tubae +tubar +tubas +tubby +tubed +tubes +tucks +tufas +tuffe +tuffs +tufts +tufty +tugra +tuile +tuina +tuism +tuktu +tules +tulpa +tulsi +tumid +tummy +tumps +tumpy +tunas +tunds +tuned +tuner +tunes +tungs +tunny +tupek +tupik +tuple +tuque +turds +turfs +turfy +turks +turme +turms +turns +turnt +turps +turrs +tushy +tusks +tusky +tutee +tutti +tutty +tutus +tuxes +tuyer +twaes +twain +twals +twank +twats +tways +tweel +tween +tweep +tweer +twerk +twerp +twier +twigs +twill +twilt +twink +twins +twiny +twire +twirp +twite +twits +twoer +twyer +tyees +tyers +tyiyn +tykes +tyler +tymps +tynde +tyned +tynes +typal +typed +types +typey +typic +typos +typps +typto +tyran +tyred +tyres +tyros +tythe +tzars +udals +udons +ugali +ugged +uhlan +uhuru +ukase +ulama +ulans +ulema +ulmin +ulnad +ulnae +ulnar +ulnas +ulpan +ulvas +ulyie +ulzie +umami +umbel +umber +umble +umbos +umbre +umiac +umiak +umiaq +ummah +ummas +ummed +umped +umphs +umpie +umpty +umrah +umras +unais +unapt +unarm +unary +unaus +unbag +unban +unbar +unbed +unbid +unbox +uncap +unces +uncia +uncos +uncoy +uncus +undam +undee +undos +undug +uneth +unfix +ungag +unget +ungod +ungot +ungum +unhat +unhip +unica +units +unjam +unked +unket +unkid +unlaw +unlay +unled +unlet +unlid +unman +unmew +unmix +unpay +unpeg +unpen +unpin +unred +unrid +unrig +unrip +unsaw +unsay +unsee +unsew +unsex +unsod +untax +untin +unwet +unwit +unwon +upbow +upbye +updos +updry +upend +upjet +uplay +upled +uplit +upped +upran +uprun +upsee +upsey +uptak +upter +uptie +uraei +urali +uraos +urare +urari +urase +urate +urbex +urbia +urdee +ureal +ureas +uredo +ureic +urena +urent +urged +urger +urges +urial +urite +urman +urnal +urned +urped +ursae +ursid +urson +urubu +urvas +users +usnea +usque +usure +usury +uteri +uveal +uveas +uvula +vacua +vaded +vades +vagal +vagus +vails +vaire +vairs +vairy +vakas +vakil +vales +valis +valse +vamps +vampy +vanda +vaned +vanes +vangs +vants +vaped +vaper +vapes +varan +varas +vardy +varec +vares +varia +varix +varna +varus +varve +vasal +vases +vasts +vasty +vatic +vatus +vauch +vaute +vauts +vawte +vaxes +veale +veals +vealy +veena +veeps +veers +veery +vegas +veges +vegie +vegos +vehme +veils +veily +veins +veiny +velar +velds +veldt +veles +vells +velum +venae +venal +vends +vendu +veney +venge +venin +vents +venus +verbs +verra +verry +verst +verts +vertu +vespa +vesta +vests +vetch +vexed +vexer +vexes +vexil +vezir +vials +viand +vibes +vibex +vibey +viced +vices +vichy +viers +views +viewy +vifda +viffs +vigas +vigia +vilde +viler +villi +vills +vimen +vinal +vinas +vinca +vined +viner +vines +vinew +vinic +vinos +vints +viold +viols +vired +vireo +vires +virga +virge +virid +virls +virtu +visas +vised +vises +visie +visne +vison +visto +vitae +vitas +vitex +vitro +vitta +vivas +vivat +vivda +viver +vives +vizir +vizor +vleis +vlies +vlogs +voars +vocab +voces +voddy +vodou +vodun +voema +vogie +voids +voile +voips +volae +volar +voled +voles +volet +volks +volta +volte +volti +volts +volva +volve +vomer +voted +votes +vouge +voulu +vowed +vower +voxel +vozhd +vraic +vrils +vroom +vrous +vrouw +vrows +vuggs +vuggy +vughs +vughy +vulgo +vulns +vulva +vutty +waacs +wacke +wacko +wacks +wadds +waddy +waded +wader +wades +wadge +wadis +wadts +waffs +wafts +waged +wages +wagga +wagyu +wahoo +waide +waifs +waift +wails +wains +wairs +waite +waits +wakas +waked +waken +waker +wakes +wakfs +waldo +walds +waled +waler +wales +walie +walis +walks +walla +walls +wally +walty +wamed +wames +wamus +wands +waned +wanes +waney +wangs +wanks +wanky +wanle +wanly +wanna +wants +wanty +wanze +waqfs +warbs +warby +wards +wared +wares +warez +warks +warms +warns +warps +warre +warst +warts +wases +washy +wasms +wasps +waspy +wasts +watap +watts +wauff +waugh +wauks +waulk +wauls +waurs +waved +waves +wavey +wawas +wawes +wawls +waxed +waxer +waxes +wayed +wazir +wazoo +weald +weals +weamb +weans +wears +webby +weber +wecht +wedel +wedgy +weeds +weeke +weeks +weels +weems +weens +weeny +weeps +weepy +weest +weete +weets +wefte +wefts +weids +weils +weirs +weise +weize +wekas +welds +welke +welks +welkt +wells +welly +welts +wembs +wends +wenge +wenny +wents +weros +wersh +wests +wetas +wetly +wexed +wexes +whamo +whams +whang +whaps +whare +whata +whats +whaup +whaur +wheal +whear +wheen +wheep +wheft +whelk +whelm +whens +whets +whews +wheys +whids +whift +whigs +whilk +whims +whins +whios +whips +whipt +whirr +whirs +whish +whiss +whist +whits +whity +whizz +whomp +whoof +whoot +whops +whore +whorl +whort +whoso +whows +whump +whups +whyda +wicca +wicks +wicky +widdy +wides +wiels +wifed +wifes +wifey +wifie +wifty +wigan +wigga +wiggy +wikis +wilco +wilds +wiled +wiles +wilga +wilis +wilja +wills +wilts +wimps +winds +wined +wines +winey +winge +wings +wingy +winks +winna +winns +winos +winze +wiped +wiper +wipes +wired +wirer +wires +wirra +wised +wises +wisha +wisht +wisps +wists +witan +wited +wites +withe +withs +withy +wived +wiver +wives +wizen +wizes +woads +woald +wocks +wodge +woful +wojus +woker +wokka +wolds +wolfs +wolly +wolve +wombs +womby +womyn +wonga +wongi +wonks +wonky +wonts +woods +wooed +woofs +woofy +woold +wools +woons +woops +woopy +woose +woosh +wootz +words +works +worms +wormy +worts +wowed +wowee +woxen +wrang +wraps +wrapt +wrast +wrate +wrawl +wrens +wrick +wried +wrier +wries +writs +wroke +wroot +wroth +wryer +wuddy +wudus +wulls +wurst +wuses +wushu +wussy +wuxia +wyled +wyles +wynds +wynns +wyted +wytes +xebec +xenia +xenic +xenon +xeric +xerox +xerus +xoana +xrays +xylan +xylem +xylic +xylol +xylyl +xysti +xysts +yaars +yabas +yabba +yabby +yacca +yacka +yacks +yaffs +yager +yages +yagis +yahoo +yaird +yakka +yakow +yales +yamen +yampy +yamun +yangs +yanks +yapok +yapon +yapps +yappy +yarak +yarco +yards +yarer +yarfa +yarks +yarns +yarrs +yarta +yarto +yates +yauds +yauld +yaups +yawed +yawey +yawls +yawns +yawny +yawps +ybore +yclad +ycled +ycond +ydrad +ydred +yeads +yeahs +yealm +yeans +yeard +years +yecch +yechs +yechy +yedes +yeeds +yeesh +yeggs +yelks +yells +yelms +yelps +yelts +yenta +yente +yerba +yerds +yerks +yeses +yesks +yests +yesty +yetis +yetts +yeuks +yeuky +yeven +yeves +yewen +yexed +yexes +yfere +yiked +yikes +yills +yince +yipes +yippy +yirds +yirks +yirrs +yirth +yites +yitie +ylems +ylike +ylkes +ymolt +ympes +yobbo +yobby +yocks +yodel +yodhs +yodle +yogas +yogee +yoghs +yogic +yogin +yogis +yoick +yojan +yoked +yokel +yoker +yokes +yokul +yolks +yolky +yomim +yomps +yonic +yonis +yonks +yoofs +yoops +yores +yorks +yorps +youks +yourn +yours +yourt +youse +yowed +yowes +yowie +yowls +yowza +yrapt +yrent +yrivd +yrneh +ysame +ytost +yuans +yucas +yucca +yucch +yucko +yucks +yucky +yufts +yugas +yuked +yukes +yukky +yukos +yulan +yules +yummo +yummy +yumps +yupon +yuppy +yurta +yurts +yuzus +zabra +zacks +zaida +zaidy +zaire +zakat +zaman +zambo +zamia +zanja +zante +zanza +zanze +zappy +zarfs +zaris +zatis +zaxes +zayin +zazen +zeals +zebec +zebub +zebus +zedas +zeins +zendo +zerda +zerks +zeros +zests +zetas +zexes +zezes +zhomo +zibet +ziffs +zigan +zilas +zilch +zilla +zills +zimbi +zimbs +zinco +zincs +zincy +zineb +zines +zings +zingy +zinke +zinky +zippo +zippy +ziram +zitis +zizel +zizit +zlote +zloty +zoaea +zobos +zobus +zocco +zoeae +zoeal +zoeas +zoism +zoist +zombi +zonae +zonda +zoned +zoner +zones +zonks +zooea +zooey +zooid +zooks +zooms +zoons +zooty +zoppa +zoppo +zoril +zoris +zorro +zouks +zowee +zowie +zulus +zupan +zupas +zuppa +zurfs +zuzim +zygal +zygon +zymes +zymic +aback +abase +abate +abbey +abbot +abhor +abide +abled +abode +abort +about +above +abuse +abyss +acorn +acrid +actor +acute +adage +adapt +adept +admin +admit +adobe +adopt +adore +adorn +adult +affix +afire +afoot +afoul +after +again +agape +agate +agent +agile +aging +aglow +agony +agora +agree +ahead +aider +aisle +alarm +album +alert +algae +alibi +alien +align +alike +alive +allay +alley +allot +allow +alloy +aloft +alone +along +aloof +aloud +alpha +altar +alter +amass +amaze +amber +amble +amend +amiss +amity +among +ample +amply +amuse +angel +anger +angle +angry +angst +anime +ankle +annex +annoy +annul +anode +antic +anvil +aorta +apart +aphid +aping +apnea +apple +apply +apron +aptly +arbor +ardor +arena +argue +arise +armor +aroma +arose +array +arrow +arson +artsy +ascot +ashen +aside +askew +assay +asset +atoll +atone +attic +audio +audit +augur +aunty +avail +avert +avian +avoid +await +awake +award +aware +awash +awful +awoke +axial +axiom +axion +azure +bacon +badge +badly +bagel +baggy +baker +baler +balmy +banal +banjo +barge +baron +basal +basic +basil +basin +basis +baste +batch +bathe +baton +batty +bawdy +bayou +beach +beady +beard +beast +beech +beefy +befit +began +begat +beget +begin +begun +being +belch +belie +belle +belly +below +bench +beret +berry +berth +beset +betel +bevel +bezel +bible +bicep +biddy +bigot +bilge +billy +binge +bingo +biome +birch +birth +bison +bitty +black +blade +blame +bland +blank +blare +blast +blaze +bleak +bleat +bleed +bleep +blend +bless +blimp +blind +blink +bliss +blitz +bloat +block +bloke +blond +blood +bloom +blown +bluer +bluff +blunt +blurb +blurt +blush +board +boast +bobby +boney +bongo +bonus +booby +boost +booth +booty +booze +boozy +borax +borne +bosom +bossy +botch +bough +boule +bound +bowel +boxer +brace +braid +brain +brake +brand +brash +brass +brave +bravo +brawl +brawn +bread +break +breed +briar +bribe +brick +bride +brief +brine +bring +brink +briny +brisk +broad +broil +broke +brood +brook +broom +broth +brown +brunt +brush +brute +buddy +budge +buggy +bugle +build +built +bulge +bulky +bully +bunch +bunny +burly +burnt +burst +bused +bushy +butch +butte +buxom +buyer +bylaw +cabal +cabby +cabin +cable +cacao +cache +cacti +caddy +cadet +cagey +cairn +camel +cameo +canal +candy +canny +canoe +canon +caper +caput +carat +cargo +carol +carry +carve +caste +catch +cater +catty +caulk +cause +cavil +cease +cedar +cello +chafe +chaff +chain +chair +chalk +champ +chant +chaos +chard +charm +chart +chase +chasm +cheap +cheat +check +cheek +cheer +chess +chest +chick +chide +chief +child +chili +chill +chime +china +chirp +chock +choir +choke +chord +chore +chose +chuck +chump +chunk +churn +chute +cider +cigar +cinch +circa +civic +civil +clack +claim +clamp +clang +clank +clash +clasp +class +clean +clear +cleat +cleft +clerk +click +cliff +climb +cling +clink +cloak +clock +clone +close +cloth +cloud +clout +clove +clown +cluck +clued +clump +clung +coach +coast +cobra +cocoa +colon +color +comet +comfy +comic +comma +conch +condo +conic +copse +coral +corer +corny +couch +cough +could +count +coupe +court +coven +cover +covet +covey +cower +coyly +crack +craft +cramp +crane +crank +crash +crass +crate +crave +crawl +craze +crazy +creak +cream +credo +creed +creek +creep +creme +crepe +crept +cress +crest +crick +cried +crier +crime +crimp +crisp +croak +crock +crone +crony +crook +cross +croup +crowd +crown +crude +cruel +crumb +crump +crush +crust +crypt +cubic +cumin +curio +curly +curry +curse +curve +curvy +cutie +cyber +cycle +cynic +daddy +daily +dairy +daisy +dally +dance +dandy +datum +daunt +dealt +death +debar +debit +debug +debut +decal +decay +decor +decoy +decry +defer +deign +deity +delay +delta +delve +demon +demur +denim +dense +depot +depth +derby +deter +detox +deuce +devil +diary +dicey +digit +dilly +dimly +diner +dingo +dingy +diode +dirge +dirty +disco +ditch +ditto +ditty +diver +dizzy +dodge +dodgy +dogma +doing +dolly +donor +donut +dopey +doubt +dough +dowdy +dowel +downy +dowry +dozen +draft +drain +drake +drama +drank +drape +drawl +drawn +dread +dream +dress +dried +drier +drift +drill +drink +drive +droit +droll +drone +drool +droop +dross +drove +drown +druid +drunk +dryer +dryly +duchy +dully +dummy +dumpy +dunce +dusky +dusty +dutch +duvet +dwarf +dwell +dwelt +dying +eager +eagle +early +earth +easel +eaten +eater +ebony +eclat +edict +edify +eerie +egret +eight +eject +eking +elate +elbow +elder +elect +elegy +elfin +elide +elite +elope +elude +email +embed +ember +emcee +empty +enact +endow +enema +enemy +enjoy +ennui +ensue +enter +entry +envoy +epoch +epoxy +equal +equip +erase +erect +erode +error +erupt +essay +ester +ether +ethic +ethos +etude +evade +event +every +evict +evoke +exact +exalt +excel +exert +exile +exist +expel +extol +extra +exult +eying +fable +facet +faint +fairy +faith +false +fancy +fanny +farce +fatal +fatty +fault +fauna +favor +feast +fecal +feign +fella +felon +femme +femur +fence +feral +ferry +fetal +fetch +fetid +fetus +fever +fewer +fiber +fibre +ficus +field +fiend +fiery +fifth +fifty +fight +filer +filet +filly +filmy +filth +final +finch +finer +first +fishy +fixer +fizzy +fjord +flack +flail +flair +flake +flaky +flame +flank +flare +flash +flask +fleck +fleet +flesh +flick +flier +fling +flint +flirt +float +flock +flood +floor +flora +floss +flour +flout +flown +fluff +fluid +fluke +flume +flung +flunk +flush +flute +flyer +foamy +focal +focus +foggy +foist +folio +folly +foray +force +forge +forgo +forte +forth +forty +forum +found +foyer +frail +frame +frank +fraud +freak +freed +freer +fresh +friar +fried +frill +frisk +fritz +frock +frond +front +frost +froth +frown +froze +fruit +fudge +fugue +fully +fungi +funky +funny +furor +furry +fussy +fuzzy +gaffe +gaily +gamer +gamma +gamut +gassy +gaudy +gauge +gaunt +gauze +gavel +gawky +gayer +gayly +gazer +gecko +geeky +geese +genie +genre +ghost +ghoul +giant +giddy +gipsy +girly +girth +given +giver +glade +gland +glare +glass +glaze +gleam +glean +glide +glint +gloat +globe +gloom +glory +gloss +glove +glyph +gnash +gnome +godly +going +golem +golly +gonad +goner +goody +gooey +goofy +goose +gorge +gouge +gourd +grace +grade +graft +grail +grain +grand +grant +grape +graph +grasp +grass +grate +grave +gravy +graze +great +greed +green +greet +grief +grill +grime +grimy +grind +gripe +groan +groin +groom +grope +gross +group +grout +grove +growl +grown +gruel +gruff +grunt +guard +guava +guess +guest +guide +guild +guile +guilt +guise +gulch +gully +gumbo +gummy +guppy +gusto +gusty +gypsy +habit +hairy +halve +handy +happy +hardy +harem +harpy +harry +harsh +haste +hasty +hatch +hater +haunt +haute +haven +havoc +hazel +heady +heard +heart +heath +heave +heavy +hedge +hefty +heist +helix +hello +hence +heron +hilly +hinge +hippo +hippy +hitch +hoard +hobby +hoist +holly +homer +honey +honor +horde +horny +horse +hotel +hotly +hound +house +hovel +hover +howdy +human +humid +humor +humph +humus +hunch +hunky +hurry +husky +hussy +hutch +hydro +hyena +hymen +hyper +icily +icing +ideal +idiom +idiot +idler +idyll +igloo +iliac +image +imbue +impel +imply +inane +inbox +incur +index +inept +inert +infer +ingot +inlay +inlet +inner +input +inter +intro +ionic +irate +irony +islet +issue +itchy +ivory +jaunt +jazzy +jelly +jerky +jetty +jewel +jiffy +joint +joist +joker +jolly +joust +judge +juice +juicy +jumbo +jumpy +junta +junto +juror +kappa +karma +kayak +kebab +khaki +kinky +kiosk +kitty +knack +knave +knead +kneed +kneel +knelt +knife +knock +knoll +known +koala +krill +label +labor +laden +ladle +lager +lance +lanky +lapel +lapse +large +larva +lasso +latch +later +lathe +latte +laugh +layer +leach +leafy +leaky +leant +leapt +learn +lease +leash +least +leave +ledge +leech +leery +lefty +legal +leggy +lemon +lemur +leper +level +lever +libel +liege +light +liken +lilac +limbo +limit +linen +liner +lingo +lipid +lithe +liver +livid +llama +loamy +loath +lobby +local +locus +lodge +lofty +logic +login +loopy +loose +lorry +loser +louse +lousy +lover +lower +lowly +loyal +lucid +lucky +lumen +lumpy +lunar +lunch +lunge +lupus +lurch +lurid +lusty +lying +lymph +lynch +lyric +macaw +macho +macro +madam +madly +mafia +magic +magma +maize +major +maker +mambo +mamma +mammy +manga +mange +mango +mangy +mania +manic +manly +manor +maple +march +marry +marsh +mason +masse +match +matey +mauve +maxim +maybe +mayor +mealy +meant +meaty +mecca +medal +media +medic +melee +melon +mercy +merge +merit +merry +metal +meter +metro +micro +midge +midst +might +milky +mimic +mince +miner +minim +minor +minty +minus +mirth +miser +missy +mocha +modal +model +modem +mogul +moist +molar +moldy +money +month +moody +moose +moral +moron +morph +mossy +motel +motif +motor +motto +moult +mound +mount +mourn +mouse +mouth +mover +movie +mower +mucky +mucus +muddy +mulch +mummy +munch +mural +murky +mushy +music +musky +musty +myrrh +nadir +naive +nanny +nasal +nasty +natal +naval +navel +needy +neigh +nerdy +nerve +never +newer +newly +nicer +niche +niece +night +ninja +ninny +ninth +noble +nobly +noise +noisy +nomad +noose +north +nosey +notch +novel +nudge +nurse +nutty +nylon +nymph +oaken +obese +occur +ocean +octal +octet +odder +oddly +offal +offer +often +olden +older +olive +ombre +omega +onion +onset +opera +opine +opium +optic +orbit +order +organ +other +otter +ought +ounce +outdo +outer +outgo +ovary +ovate +overt +ovine +ovoid +owing +owner +oxide +ozone +paddy +pagan +paint +paler +palsy +panel +panic +pansy +papal +paper +parer +parka +parry +parse +party +pasta +paste +pasty +patch +patio +patsy +patty +pause +payee +payer +peace +peach +pearl +pecan +pedal +penal +pence +penne +penny +perch +peril +perky +pesky +pesto +petal +petty +phase +phone +phony +photo +piano +picky +piece +piety +piggy +pilot +pinch +piney +pinky +pinto +piper +pique +pitch +pithy +pivot +pixel +pixie +pizza +place +plaid +plain +plait +plane +plank +plant +plate +plaza +plead +pleat +plied +plier +pluck +plumb +plume +plump +plunk +plush +poesy +point +poise +poker +polar +polka +polyp +pooch +poppy +porch +poser +posit +posse +pouch +pound +pouty +power +prank +prawn +preen +press +price +prick +pride +pried +prime +primo +print +prior +prism +privy +prize +probe +prone +prong +proof +prose +proud +prove +prowl +proxy +prude +prune +psalm +pubic +pudgy +puffy +pulpy +pulse +punch +pupal +pupil +puppy +puree +purer +purge +purse +pushy +putty +pygmy +quack +quail +quake +qualm +quark +quart +quash +quasi +queen +queer +quell +query +quest +queue +quick +quiet +quill +quilt +quirk +quite +quota +quote +quoth +rabbi +rabid +racer +radar +radii +radio +rainy +raise +rajah +rally +ralph +ramen +ranch +randy +range +rapid +rarer +raspy +ratio +ratty +raven +rayon +razor +reach +react +ready +realm +rearm +rebar +rebel +rebus +rebut +recap +recur +recut +reedy +refer +refit +regal +rehab +reign +relax +relay +relic +remit +renal +renew +repay +repel +reply +rerun +reset +resin +retch +retro +retry +reuse +revel +revue +rhino +rhyme +rider +ridge +rifle +right +rigid +rigor +rinse +ripen +riper +risen +riser +risky +rival +river +rivet +roach +roast +robin +robot +rocky +rodeo +roger +rogue +roomy +roost +rotor +rouge +rough +round +rouse +route +rover +rowdy +rower +royal +ruddy +ruder +rugby +ruler +rumba +rumor +rupee +rural +rusty +sadly +safer +saint +salad +sally +salon +salsa +salty +salve +salvo +sandy +saner +sappy +sassy +satin +satyr +sauce +saucy +sauna +saute +savor +savoy +savvy +scald +scale +scalp +scaly +scamp +scant +scare +scarf +scary +scene +scent +scion +scoff +scold +scone +scoop +scope +score +scorn +scour +scout +scowl +scram +scrap +scree +screw +scrub +scrum +scuba +sedan +seedy +segue +seize +semen +sense +sepia +serif +serum +serve +setup +seven +sever +sewer +shack +shade +shady +shaft +shake +shaky +shale +shall +shalt +shame +shank +shape +shard +share +shark +sharp +shave +shawl +shear +sheen +sheep +sheer +sheet +sheik +shelf +shell +shied +shift +shine +shiny +shire +shirk +shirt +shoal +shock +shone +shook +shoot +shore +shorn +short +shout +shove +shown +showy +shrew +shrub +shrug +shuck +shunt +shush +shyly +siege +sieve +sight +sigma +silky +silly +since +sinew +singe +siren +sissy +sixth +sixty +skate +skier +skiff +skill +skimp +skirt +skulk +skull +skunk +slack +slain +slang +slant +slash +slate +slave +sleek +sleep +sleet +slept +slice +slick +slide +slime +slimy +sling +slink +sloop +slope +slosh +sloth +slump +slung +slunk +slurp +slush +slyly +smack +small +smart +smash +smear +smell +smelt +smile +smirk +smite +smith +smock +smoke +smoky +smote +snack +snail +snake +snaky +snare +snarl +sneak +sneer +snide +sniff +snipe +snoop +snore +snort +snout +snowy +snuck +snuff +soapy +sober +soggy +solar +solid +solve +sonar +sonic +sooth +sooty +sorry +sound +south +sower +space +spade +spank +spare +spark +spasm +spawn +speak +spear +speck +speed +spell +spelt +spend +spent +sperm +spice +spicy +spied +spiel +spike +spiky +spill +spilt +spine +spiny +spire +spite +splat +split +spoil +spoke +spoof +spook +spool +spoon +spore +sport +spout +spray +spree +sprig +spunk +spurn +spurt +squad +squat +squib +stack +staff +stage +staid +stain +stair +stake +stale +stalk +stall +stamp +stand +stank +stare +stark +start +stash +state +stave +stead +steak +steal +steam +steed +steel +steep +steer +stein +stern +stick +stiff +still +stilt +sting +stink +stint +stock +stoic +stoke +stole +stomp +stone +stony +stood +stool +stoop +store +stork +storm +story +stout +stove +strap +straw +stray +strip +strut +stuck +study +stuff +stump +stung +stunk +stunt +style +suave +sugar +suing +suite +sulky +sully +sumac +sunny +super +surer +surge +surly +sushi +swami +swamp +swarm +swash +swath +swear +sweat +sweep +sweet +swell +swept +swift +swill +swine +swing +swirl +swish +swoon +swoop +sword +swore +sworn +swung +synod +syrup +tabby +table +taboo +tacit +tacky +taffy +taint +taken +taker +tally +talon +tamer +tango +tangy +taper +tapir +tardy +tarot +taste +tasty +tatty +taunt +tawny +teach +teary +tease +teddy +teeth +tempo +tenet +tenor +tense +tenth +tepee +tepid +terra +terse +testy +thank +theft +their +theme +there +these +theta +thick +thief +thigh +thing +think +third +thong +thorn +those +three +threw +throb +throw +thrum +thumb +thump +thyme +tiara +tibia +tidal +tiger +tight +tilde +timer +timid +tipsy +titan +tithe +title +toast +today +toddy +token +tonal +tonga +tonic +tooth +topaz +topic +torch +torso +torus +total +totem +touch +tough +towel +tower +toxic +toxin +trace +track +tract +trade +trail +train +trait +tramp +trash +trawl +tread +treat +trend +triad +trial +tribe +trice +trick +tried +tripe +trite +troll +troop +trope +trout +trove +truce +truck +truer +truly +trump +trunk +truss +trust +truth +tryst +tubal +tuber +tulip +tulle +tumor +tunic +turbo +tutor +twang +tweak +tweed +tweet +twice +twine +twirl +twist +twixt +tying +udder +ulcer +ultra +umbra +uncle +uncut +under +undid +undue +unfed +unfit +unify +union +unite +unity +unlit +unmet +unset +untie +until +unwed +unzip +upper +upset +urban +urine +usage +usher +using +usual +usurp +utile +utter +vague +valet +valid +valor +value +valve +vapid +vapor +vault +vaunt +vegan +venom +venue +verge +verse +verso +verve +vicar +video +vigil +vigor +villa +vinyl +viola +viper +viral +virus +visit +visor +vista +vital +vivid +vixen +vocal +vodka +vogue +voice +voila +vomit +voter +vouch +vowel +vying +wacky +wafer +wager +wagon +waist +waive +waltz +warty +waste +watch +water +waver +waxen +weary +weave +wedge +weedy +weigh +weird +welch +welsh +wench +whack +whale +wharf +wheat +wheel +whelp +where +which +whiff +while +whine +whiny +whirl +whisk +white +whole +whoop +whose +widen +wider +widow +width +wield +wight +willy +wimpy +wince +winch +windy +wiser +wispy +witch +witty +woken +woman +women +woody +wooer +wooly +woozy +wordy +world +worry +worse +worst +worth +would +wound +woven +wrack +wrath +wreak +wreck +wrest +wring +wrist +write +wrong +wrote +wrung +wryly +yacht +yearn +yeast +yield +young +youth +zebra +zesty +zonal \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/requirements.txt b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/requirements.txt new file mode 100755 index 00000000..984aab94 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/requirements.txt @@ -0,0 +1,39 @@ +flax==0.7.2 +optax==0.1.3 +chex==0.1.5 +torch==1.11 +tqdm==4.64.0 +wandb==0.12.18 +dm-tree==0.1.7 +jaxtyping==0.0.2 +frozendict==2.3.4 +transformers==4.26.1 +six==1.16.0 +pyyaml==6.0 +sentencepiece==0.1.96 +redis==4.3.4 +termcolor==1.1.0 +google-cloud-storage==2.5.0 +Flask==2.2.1 +Flask-Cors==3.0.10 +jax==0.4.7 +jaxlib==0.4.7 +h5py==3.7.0 +scipy==1.9.0 +sklearn==0.0 +openai==0.27.2 +scikit-image==0.19.3 +dill==0.3.5.1 +tyro==0.3.23 +rouge-score==0.1.2 +gcsfs==2022.8.2 +streamlit==1.20.0 +sseclient-py==1.7.2 +nltk==3.8.1 +tiktoken==0.5.1 +chess +stockfish +IPython + +# Text-nav dependency +textworld @ git+https://github.com/jxihong/TextWorld.git@main diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/setup.py b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/setup.py new file mode 100755 index 00000000..58ac8c9a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/setup.py @@ -0,0 +1,22 @@ +import os + +from setuptools import find_packages, setup + + +def read_requirements_file(filename): + req_file_path = os.path.join(os.path.dirname(os.path.realpath(__file__)), + filename) + with open(req_file_path) as f: + return [line.strip() for line in f if line.strip() != ''] + + +setup( + name='LLM_RL', + version='1.0.0', + description='Implementations of LLM Reinforcement Learning algorithms in JAX.', + url='https://github.com/Sea-Snell/LLM_RL', + author='Charlie Snell', + packages=find_packages(), + install_requires=read_requirements_file('requirements.txt'), + license='LICENCE', +) diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/setup_jaxseq.sh b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/setup_jaxseq.sh new file mode 100755 index 00000000..30794291 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/setup_jaxseq.sh @@ -0,0 +1,4 @@ +cd ~/ +git clone https://github.com/Sea-Snell/JaxSEQ +cd JaxSEQ +python -m pip install -e . \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/AUTHORS b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/AUTHORS new file mode 100755 index 00000000..432d9b90 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/AUTHORS @@ -0,0 +1,216 @@ +# List of authors for Stockfish + +# Founders of the Stockfish project and fishtest infrastructure +Tord Romstad (romstad) +Marco Costalba (mcostalba) +Joona Kiiski (zamar) +Gary Linscott (glinscott) + +# Authors and inventors of NNUE, training, NNUE port +Yu Nasu (ynasu87) +Motohiro Isozaki (yaneurao) +Hisayori Noda (nodchip) + +# all other authors of the code in alphabetical order +Aditya (absimaldata) +Adrian Petrescu (apetresc) +Ajith Chandy Jose (ajithcj) +Alain Savard (Rocky640) +Alayan Feh (Alayan-stk-2) +Alexander Kure +Alexander Pagel (Lolligerhans) +Alfredo Menezes (lonfom169) +Ali AlZhrani (Cooffe) +Andrei Vetrov (proukornew) +Andrew Grant (AndyGrant) +Andrey Neporada (nepal) +Andy Duplain +Antoine Champion (antoinechampion) +Aram Tumanian (atumanian) +Arjun Temurnikar +Artem Solopiy (EntityFX) +Auguste Pop +Balint Pfliegel +Ben Chaney (Chaneybenjamini) +Ben Koshy (BKSpurgeon) +Bill Henry (VoyagerOne) +Bojun Guo (noobpwnftw, Nooby) +Boštjan Mejak (PedanticHacker) +braich +Brian Sheppard (SapphireBrand, briansheppard-toast) +Bruno de Melo Costa (BM123499) +Bruno Pellanda (pellanda) +Bryan Cross (crossbr) +candirufish +Chess13234 +Chris Cain (ceebo) +clefrks +Dale Weiler (graphitemaster) +Dan Schmidt (dfannius) +Daniel Axtens (daxtens) +Daniel Dugovic (ddugovic) +Dariusz Orzechowski (dorzechowski) +David Zar +David (dav1312) +Daylen Yang (daylen) +Deshawn Mohan-Smith (GoldenRare) +Dieter Dobbelaere (ddobbelaere) +DiscanX +Dominik Schlösser (domschl) +double-beep +Douglas Matos Gomes (dsmsgms) +Dubslow +Eduardo Cáceres (eduherminio) +Eelco de Groot (KingDefender) +Elvin Liu (solarlight2) +erbsenzaehler +Ernesto Gatti +Linmiao Xu (linrock) +Fabian Beuke (madnight) +Fabian Fichter (ianfab) +Fanael Linithien (Fanael) +fanon +Fauzi Akram Dabat (FauziAkram) +Felix Wittmann +gamander +Gary Heckman (gheckman) +George Sobala (gsobala) +gguliash +Giacomo Lorenzetti (G-Lorenz) +Gian-Carlo Pascutto (gcp) +Gontran Lemaire (gonlem) +Goodkov Vasiliy Aleksandrovich (goodkov) +Gregor Cramer +GuardianRM +Günther Demetz (pb00067, pb00068) +Guy Vreuls (gvreuls) +Henri Wiechers +Hiraoka Takuya (HiraokaTakuya) +homoSapiensSapiens +Hongzhi Cheng +Ivan Ivec (IIvec) +Jacques B. (Timshel) +Jan Ondruš (hxim) +Jared Kish (Kurtbusch, kurt22i) +Jarrod Torriero (DU-jdto) +Jean Gauthier (OuaisBla) +Jean-Francois Romang (jromang) +Jekaa +Jerry Donald Watson (jerrydonaldwatson) +jjoshua2 +Jonathan Calovski (Mysseno) +Jonathan Buladas Dumale (SFisGOD) +Joost VandeVondele (vondele) +Jörg Oster (joergoster) +Joseph Ellis (jhellis3) +Joseph R. Prostko +Julian Willemer (NightlyKing) +jundery +Justin Blanchard (UncombedCoconut) +Kelly Wilson +Ken Takusagawa +Kian E (KJE-98) +kinderchocolate +Kiran Panditrao (Krgp) +Kojirion +Krystian Kuzniarek (kuzkry) +Leonardo Ljubičić (ICCF World Champion) +Leonid Pechenik (lp--) +Liam Keegan (lkeegan) +Linus Arver (listx) +loco-loco +Lub van den Berg (ElbertoOne) +Luca Brivio (lucabrivio) +Lucas Braesch (lucasart) +Lyudmil Antonov (lantonov) +Maciej Żenczykowski (zenczykowski) +Malcolm Campbell (xoto10) +Mark Tenzer (31m059) +marotear +Matt Ginsberg (mattginsberg) +Matthew Lai (matthewlai) +Matthew Sullivan (Matt14916) +Max A. (Disservin) +Maxim Molchanov (Maxim) +Michael An (man) +Michael Byrne (MichaelB7) +Michael Chaly (Vizvezdenec) +Michael Stembera (mstembera) +Michael Whiteley (protonspring) +Michel Van den Bergh (vdbergh) +Miguel Lahoz (miguel-l) +Mikael Bäckman (mbootsector) +Mike Babigian (Farseer) +Mira +Miroslav Fontán (Hexik) +Moez Jellouli (MJZ1977) +Mohammed Li (tthsqe12) +Nathan Rugg (nmrugg) +Nick Pelling (nickpelling) +Nicklas Persson (NicklasPersson) +Niklas Fiekas (niklasf) +Nikolay Kostov (NikolayIT) +Nguyen Pham (nguyenpham) +Norman Schmidt (FireFather) +notruck +Ofek Shochat (OfekShochat, ghostway) +Ondrej Mosnáček (WOnder93) +Oskar Werkelin Ahlin +Pablo Vazquez +Panthee +Pascal Romaret +Pasquale Pigazzini (ppigazzini) +Patrick Jansen (mibere) +Peter Schneider (pschneider1968) +Peter Zsifkovits (CoffeeOne) +Praveen Kumar Tummala (praveentml) +Rahul Dsilva (silversolver1) +Ralph Stößer (Ralph Stoesser) +Raminder Singh +renouve +Reuven Peleg (R-Peleg) +Richard Lloyd (Richard-Lloyd) +Rodrigo Exterckötter Tjäder +Rodrigo Roim (roim) +Ron Britvich (Britvich) +Ronald de Man (syzygy1, syzygy) +rqs +Rui Coelho (ruicoelhopedro) +Ryan Schmitt +Ryan Takker +Sami Kiminki (skiminki) +Sebastian Buchwald (UniQP) +Sergei Antonov (saproj) +Sergei Ivanov (svivanov72) +Sergio Vieri (sergiovieri) +sf-x +Shane Booth (shane31) +Shawn Varghese (xXH4CKST3RXx) +Siad Daboul (Topologist) +Stefan Geschwentner (locutus2) +Stefano Cardanobile (Stefano80) +Steinar Gunderson (sesse) +Stéphane Nicolet (snicolet) +Syine Mineta (MinetaS) +Prokop Randáček (ProkopRandacek) +Thanar2 +thaspel +theo77186 +Tom Truscott +Tom Vijlbrief (tomtor) +Tomasz Sobczyk (Sopel97) +Torsten Franz (torfranz, tfranzer) +Torsten Hellwig (Torom) +Tracey Emery (basepr1me) +tttak +Unai Corzo (unaiic) +Uri Blass (uriblass) +Vince Negri (cuddlestmonkey) +xefoci7612 +zz4032 + + +# Additionally, we acknowledge the authors and maintainers of fishtest, +# an amazing and essential framework for the development of Stockfish! +# +# https://github.com/glinscott/fishtest/blob/master/AUTHORS diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/Copying.txt b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/Copying.txt new file mode 100755 index 00000000..818433ec --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/Copying.txt @@ -0,0 +1,674 @@ + GNU GENERAL PUBLIC LICENSE + Version 3, 29 June 2007 + + Copyright (C) 2007 Free Software Foundation, Inc. + Everyone is permitted to copy and distribute verbatim copies + of this license document, but changing it is not allowed. + + Preamble + + The GNU General Public License is a free, copyleft license for +software and other kinds of works. + + The licenses for most software and other practical works are designed +to take away your freedom to share and change the works. By contrast, +the GNU General Public License is intended to guarantee your freedom to +share and change all versions of a program--to make sure it remains free +software for all its users. We, the Free Software Foundation, use the +GNU General Public License for most of our software; it applies also to +any other work released this way by its authors. You can apply it to +your programs, too. + + When we speak of free software, we are referring to freedom, not +price. Our General Public Licenses are designed to make sure that you +have the freedom to distribute copies of free software (and charge for +them if you wish), that you receive source code or can get it if you +want it, that you can change the software or use pieces of it in new +free programs, and that you know you can do these things. + + To protect your rights, we need to prevent others from denying you +these rights or asking you to surrender the rights. Therefore, you have +certain responsibilities if you distribute copies of the software, or if +you modify it: responsibilities to respect the freedom of others. + + For example, if you distribute copies of such a program, whether +gratis or for a fee, you must pass on to the recipients the same +freedoms that you received. You must make sure that they, too, receive +or can get the source code. And you must show them these terms so they +know their rights. + + Developers that use the GNU GPL protect your rights with two steps: +(1) assert copyright on the software, and (2) offer you this License +giving you legal permission to copy, distribute and/or modify it. + + For the developers' and authors' protection, the GPL clearly explains +that there is no warranty for this free software. For both users' and +authors' sake, the GPL requires that modified versions be marked as +changed, so that their problems will not be attributed erroneously to +authors of previous versions. + + Some devices are designed to deny users access to install or run +modified versions of the software inside them, although the manufacturer +can do so. This is fundamentally incompatible with the aim of +protecting users' freedom to change the software. The systematic +pattern of such abuse occurs in the area of products for individuals to +use, which is precisely where it is most unacceptable. Therefore, we +have designed this version of the GPL to prohibit the practice for those +products. If such problems arise substantially in other domains, we +stand ready to extend this provision to those domains in future versions +of the GPL, as needed to protect the freedom of users. + + Finally, every program is threatened constantly by software patents. +States should not allow patents to restrict development and use of +software on general-purpose computers, but in those that do, we wish to +avoid the special danger that patents applied to a free program could +make it effectively proprietary. To prevent this, the GPL assures that +patents cannot be used to render the program non-free. + + The precise terms and conditions for copying, distribution and +modification follow. + + TERMS AND CONDITIONS + + 0. Definitions. + + "This License" refers to version 3 of the GNU General Public License. + + "Copyright" also means copyright-like laws that apply to other kinds of +works, such as semiconductor masks. + + "The Program" refers to any copyrightable work licensed under this +License. Each licensee is addressed as "you". "Licensees" and +"recipients" may be individuals or organizations. + + To "modify" a work means to copy from or adapt all or part of the work +in a fashion requiring copyright permission, other than the making of an +exact copy. The resulting work is called a "modified version" of the +earlier work or a work "based on" the earlier work. + + A "covered work" means either the unmodified Program or a work based +on the Program. + + To "propagate" a work means to do anything with it that, without +permission, would make you directly or secondarily liable for +infringement under applicable copyright law, except executing it on a +computer or modifying a private copy. Propagation includes copying, +distribution (with or without modification), making available to the +public, and in some countries other activities as well. + + To "convey" a work means any kind of propagation that enables other +parties to make or receive copies. Mere interaction with a user through +a computer network, with no transfer of a copy, is not conveying. + + An interactive user interface displays "Appropriate Legal Notices" +to the extent that it includes a convenient and prominently visible +feature that (1) displays an appropriate copyright notice, and (2) +tells the user that there is no warranty for the work (except to the +extent that warranties are provided), that licensees may convey the +work under this License, and how to view a copy of this License. If +the interface presents a list of user commands or options, such as a +menu, a prominent item in the list meets this criterion. + + 1. Source Code. + + The "source code" for a work means the preferred form of the work +for making modifications to it. "Object code" means any non-source +form of a work. + + A "Standard Interface" means an interface that either is an official +standard defined by a recognized standards body, or, in the case of +interfaces specified for a particular programming language, one that +is widely used among developers working in that language. + + The "System Libraries" of an executable work include anything, other +than the work as a whole, that (a) is included in the normal form of +packaging a Major Component, but which is not part of that Major +Component, and (b) serves only to enable use of the work with that +Major Component, or to implement a Standard Interface for which an +implementation is available to the public in source code form. A +"Major Component", in this context, means a major essential component +(kernel, window system, and so on) of the specific operating system +(if any) on which the executable work runs, or a compiler used to +produce the work, or an object code interpreter used to run it. + + The "Corresponding Source" for a work in object code form means all +the source code needed to generate, install, and (for an executable +work) run the object code and to modify the work, including scripts to +control those activities. However, it does not include the work's +System Libraries, or general-purpose tools or generally available free +programs which are used unmodified in performing those activities but +which are not part of the work. For example, Corresponding Source +includes interface definition files associated with source files for +the work, and the source code for shared libraries and dynamically +linked subprograms that the work is specifically designed to require, +such as by intimate data communication or control flow between those +subprograms and other parts of the work. + + The Corresponding Source need not include anything that users +can regenerate automatically from other parts of the Corresponding +Source. + + The Corresponding Source for a work in source code form is that +same work. + + 2. Basic Permissions. + + All rights granted under this License are granted for the term of +copyright on the Program, and are irrevocable provided the stated +conditions are met. This License explicitly affirms your unlimited +permission to run the unmodified Program. The output from running a +covered work is covered by this License only if the output, given its +content, constitutes a covered work. This License acknowledges your +rights of fair use or other equivalent, as provided by copyright law. + + You may make, run and propagate covered works that you do not +convey, without conditions so long as your license otherwise remains +in force. You may convey covered works to others for the sole purpose +of having them make modifications exclusively for you, or provide you +with facilities for running those works, provided that you comply with +the terms of this License in conveying all material for which you do +not control copyright. Those thus making or running the covered works +for you must do so exclusively on your behalf, under your direction +and control, on terms that prohibit them from making any copies of +your copyrighted material outside their relationship with you. + + Conveying under any other circumstances is permitted solely under +the conditions stated below. Sublicensing is not allowed; section 10 +makes it unnecessary. + + 3. Protecting Users' Legal Rights From Anti-Circumvention Law. + + No covered work shall be deemed part of an effective technological +measure under any applicable law fulfilling obligations under article +11 of the WIPO copyright treaty adopted on 20 December 1996, or +similar laws prohibiting or restricting circumvention of such +measures. + + When you convey a covered work, you waive any legal power to forbid +circumvention of technological measures to the extent such circumvention +is effected by exercising rights under this License with respect to +the covered work, and you disclaim any intention to limit operation or +modification of the work as a means of enforcing, against the work's +users, your or third parties' legal rights to forbid circumvention of +technological measures. + + 4. Conveying Verbatim Copies. + + You may convey verbatim copies of the Program's source code as you +receive it, in any medium, provided that you conspicuously and +appropriately publish on each copy an appropriate copyright notice; +keep intact all notices stating that this License and any +non-permissive terms added in accord with section 7 apply to the code; +keep intact all notices of the absence of any warranty; and give all +recipients a copy of this License along with the Program. + + You may charge any price or no price for each copy that you convey, +and you may offer support or warranty protection for a fee. + + 5. Conveying Modified Source Versions. + + You may convey a work based on the Program, or the modifications to +produce it from the Program, in the form of source code under the +terms of section 4, provided that you also meet all of these conditions: + + a) The work must carry prominent notices stating that you modified + it, and giving a relevant date. + + b) The work must carry prominent notices stating that it is + released under this License and any conditions added under section + 7. This requirement modifies the requirement in section 4 to + "keep intact all notices". + + c) You must license the entire work, as a whole, under this + License to anyone who comes into possession of a copy. This + License will therefore apply, along with any applicable section 7 + additional terms, to the whole of the work, and all its parts, + regardless of how they are packaged. This License gives no + permission to license the work in any other way, but it does not + invalidate such permission if you have separately received it. + + d) If the work has interactive user interfaces, each must display + Appropriate Legal Notices; however, if the Program has interactive + interfaces that do not display Appropriate Legal Notices, your + work need not make them do so. + + A compilation of a covered work with other separate and independent +works, which are not by their nature extensions of the covered work, +and which are not combined with it such as to form a larger program, +in or on a volume of a storage or distribution medium, is called an +"aggregate" if the compilation and its resulting copyright are not +used to limit the access or legal rights of the compilation's users +beyond what the individual works permit. Inclusion of a covered work +in an aggregate does not cause this License to apply to the other +parts of the aggregate. + + 6. Conveying Non-Source Forms. + + You may convey a covered work in object code form under the terms +of sections 4 and 5, provided that you also convey the +machine-readable Corresponding Source under the terms of this License, +in one of these ways: + + a) Convey the object code in, or embodied in, a physical product + (including a physical distribution medium), accompanied by the + Corresponding Source fixed on a durable physical medium + customarily used for software interchange. + + b) Convey the object code in, or embodied in, a physical product + (including a physical distribution medium), accompanied by a + written offer, valid for at least three years and valid for as + long as you offer spare parts or customer support for that product + model, to give anyone who possesses the object code either (1) a + copy of the Corresponding Source for all the software in the + product that is covered by this License, on a durable physical + medium customarily used for software interchange, for a price no + more than your reasonable cost of physically performing this + conveying of source, or (2) access to copy the + Corresponding Source from a network server at no charge. + + c) Convey individual copies of the object code with a copy of the + written offer to provide the Corresponding Source. This + alternative is allowed only occasionally and noncommercially, and + only if you received the object code with such an offer, in accord + with subsection 6b. + + d) Convey the object code by offering access from a designated + place (gratis or for a charge), and offer equivalent access to the + Corresponding Source in the same way through the same place at no + further charge. You need not require recipients to copy the + Corresponding Source along with the object code. If the place to + copy the object code is a network server, the Corresponding Source + may be on a different server (operated by you or a third party) + that supports equivalent copying facilities, provided you maintain + clear directions next to the object code saying where to find the + Corresponding Source. Regardless of what server hosts the + Corresponding Source, you remain obligated to ensure that it is + available for as long as needed to satisfy these requirements. + + e) Convey the object code using peer-to-peer transmission, provided + you inform other peers where the object code and Corresponding + Source of the work are being offered to the general public at no + charge under subsection 6d. + + A separable portion of the object code, whose source code is excluded +from the Corresponding Source as a System Library, need not be +included in conveying the object code work. + + A "User Product" is either (1) a "consumer product", which means any +tangible personal property which is normally used for personal, family, +or household purposes, or (2) anything designed or sold for incorporation +into a dwelling. In determining whether a product is a consumer product, +doubtful cases shall be resolved in favor of coverage. For a particular +product received by a particular user, "normally used" refers to a +typical or common use of that class of product, regardless of the status +of the particular user or of the way in which the particular user +actually uses, or expects or is expected to use, the product. A product +is a consumer product regardless of whether the product has substantial +commercial, industrial or non-consumer uses, unless such uses represent +the only significant mode of use of the product. + + "Installation Information" for a User Product means any methods, +procedures, authorization keys, or other information required to install +and execute modified versions of a covered work in that User Product from +a modified version of its Corresponding Source. The information must +suffice to ensure that the continued functioning of the modified object +code is in no case prevented or interfered with solely because +modification has been made. + + If you convey an object code work under this section in, or with, or +specifically for use in, a User Product, and the conveying occurs as +part of a transaction in which the right of possession and use of the +User Product is transferred to the recipient in perpetuity or for a +fixed term (regardless of how the transaction is characterized), the +Corresponding Source conveyed under this section must be accompanied +by the Installation Information. But this requirement does not apply +if neither you nor any third party retains the ability to install +modified object code on the User Product (for example, the work has +been installed in ROM). + + The requirement to provide Installation Information does not include a +requirement to continue to provide support service, warranty, or updates +for a work that has been modified or installed by the recipient, or for +the User Product in which it has been modified or installed. Access to a +network may be denied when the modification itself materially and +adversely affects the operation of the network or violates the rules and +protocols for communication across the network. + + Corresponding Source conveyed, and Installation Information provided, +in accord with this section must be in a format that is publicly +documented (and with an implementation available to the public in +source code form), and must require no special password or key for +unpacking, reading or copying. + + 7. Additional Terms. + + "Additional permissions" are terms that supplement the terms of this +License by making exceptions from one or more of its conditions. +Additional permissions that are applicable to the entire Program shall +be treated as though they were included in this License, to the extent +that they are valid under applicable law. If additional permissions +apply only to part of the Program, that part may be used separately +under those permissions, but the entire Program remains governed by +this License without regard to the additional permissions. + + When you convey a copy of a covered work, you may at your option +remove any additional permissions from that copy, or from any part of +it. (Additional permissions may be written to require their own +removal in certain cases when you modify the work.) You may place +additional permissions on material, added by you to a covered work, +for which you have or can give appropriate copyright permission. + + Notwithstanding any other provision of this License, for material you +add to a covered work, you may (if authorized by the copyright holders of +that material) supplement the terms of this License with terms: + + a) Disclaiming warranty or limiting liability differently from the + terms of sections 15 and 16 of this License; or + + b) Requiring preservation of specified reasonable legal notices or + author attributions in that material or in the Appropriate Legal + Notices displayed by works containing it; or + + c) Prohibiting misrepresentation of the origin of that material, or + requiring that modified versions of such material be marked in + reasonable ways as different from the original version; or + + d) Limiting the use for publicity purposes of names of licensors or + authors of the material; or + + e) Declining to grant rights under trademark law for use of some + trade names, trademarks, or service marks; or + + f) Requiring indemnification of licensors and authors of that + material by anyone who conveys the material (or modified versions of + it) with contractual assumptions of liability to the recipient, for + any liability that these contractual assumptions directly impose on + those licensors and authors. + + All other non-permissive additional terms are considered "further +restrictions" within the meaning of section 10. If the Program as you +received it, or any part of it, contains a notice stating that it is +governed by this License along with a term that is a further +restriction, you may remove that term. If a license document contains +a further restriction but permits relicensing or conveying under this +License, you may add to a covered work material governed by the terms +of that license document, provided that the further restriction does +not survive such relicensing or conveying. + + If you add terms to a covered work in accord with this section, you +must place, in the relevant source files, a statement of the +additional terms that apply to those files, or a notice indicating +where to find the applicable terms. + + Additional terms, permissive or non-permissive, may be stated in the +form of a separately written license, or stated as exceptions; +the above requirements apply either way. + + 8. Termination. + + You may not propagate or modify a covered work except as expressly +provided under this License. Any attempt otherwise to propagate or +modify it is void, and will automatically terminate your rights under +this License (including any patent licenses granted under the third +paragraph of section 11). + + However, if you cease all violation of this License, then your +license from a particular copyright holder is reinstated (a) +provisionally, unless and until the copyright holder explicitly and +finally terminates your license, and (b) permanently, if the copyright +holder fails to notify you of the violation by some reasonable means +prior to 60 days after the cessation. + + Moreover, your license from a particular copyright holder is +reinstated permanently if the copyright holder notifies you of the +violation by some reasonable means, this is the first time you have +received notice of violation of this License (for any work) from that +copyright holder, and you cure the violation prior to 30 days after +your receipt of the notice. + + Termination of your rights under this section does not terminate the +licenses of parties who have received copies or rights from you under +this License. If your rights have been terminated and not permanently +reinstated, you do not qualify to receive new licenses for the same +material under section 10. + + 9. Acceptance Not Required for Having Copies. + + You are not required to accept this License in order to receive or +run a copy of the Program. Ancillary propagation of a covered work +occurring solely as a consequence of using peer-to-peer transmission +to receive a copy likewise does not require acceptance. However, +nothing other than this License grants you permission to propagate or +modify any covered work. These actions infringe copyright if you do +not accept this License. Therefore, by modifying or propagating a +covered work, you indicate your acceptance of this License to do so. + + 10. Automatic Licensing of Downstream Recipients. + + Each time you convey a covered work, the recipient automatically +receives a license from the original licensors, to run, modify and +propagate that work, subject to this License. You are not responsible +for enforcing compliance by third parties with this License. + + An "entity transaction" is a transaction transferring control of an +organization, or substantially all assets of one, or subdividing an +organization, or merging organizations. If propagation of a covered +work results from an entity transaction, each party to that +transaction who receives a copy of the work also receives whatever +licenses to the work the party's predecessor in interest had or could +give under the previous paragraph, plus a right to possession of the +Corresponding Source of the work from the predecessor in interest, if +the predecessor has it or can get it with reasonable efforts. + + You may not impose any further restrictions on the exercise of the +rights granted or affirmed under this License. For example, you may +not impose a license fee, royalty, or other charge for exercise of +rights granted under this License, and you may not initiate litigation +(including a cross-claim or counterclaim in a lawsuit) alleging that +any patent claim is infringed by making, using, selling, offering for +sale, or importing the Program or any portion of it. + + 11. Patents. + + A "contributor" is a copyright holder who authorizes use under this +License of the Program or a work on which the Program is based. The +work thus licensed is called the contributor's "contributor version". + + A contributor's "essential patent claims" are all patent claims +owned or controlled by the contributor, whether already acquired or +hereafter acquired, that would be infringed by some manner, permitted +by this License, of making, using, or selling its contributor version, +but do not include claims that would be infringed only as a +consequence of further modification of the contributor version. For +purposes of this definition, "control" includes the right to grant +patent sublicenses in a manner consistent with the requirements of +this License. + + Each contributor grants you a non-exclusive, worldwide, royalty-free +patent license under the contributor's essential patent claims, to +make, use, sell, offer for sale, import and otherwise run, modify and +propagate the contents of its contributor version. + + In the following three paragraphs, a "patent license" is any express +agreement or commitment, however denominated, not to enforce a patent +(such as an express permission to practice a patent or covenant not to +sue for patent infringement). To "grant" such a patent license to a +party means to make such an agreement or commitment not to enforce a +patent against the party. + + If you convey a covered work, knowingly relying on a patent license, +and the Corresponding Source of the work is not available for anyone +to copy, free of charge and under the terms of this License, through a +publicly available network server or other readily accessible means, +then you must either (1) cause the Corresponding Source to be so +available, or (2) arrange to deprive yourself of the benefit of the +patent license for this particular work, or (3) arrange, in a manner +consistent with the requirements of this License, to extend the patent +license to downstream recipients. "Knowingly relying" means you have +actual knowledge that, but for the patent license, your conveying the +covered work in a country, or your recipient's use of the covered work +in a country, would infringe one or more identifiable patents in that +country that you have reason to believe are valid. + + If, pursuant to or in connection with a single transaction or +arrangement, you convey, or propagate by procuring conveyance of, a +covered work, and grant a patent license to some of the parties +receiving the covered work authorizing them to use, propagate, modify +or convey a specific copy of the covered work, then the patent license +you grant is automatically extended to all recipients of the covered +work and works based on it. + + A patent license is "discriminatory" if it does not include within +the scope of its coverage, prohibits the exercise of, or is +conditioned on the non-exercise of one or more of the rights that are +specifically granted under this License. You may not convey a covered +work if you are a party to an arrangement with a third party that is +in the business of distributing software, under which you make payment +to the third party based on the extent of your activity of conveying +the work, and under which the third party grants, to any of the +parties who would receive the covered work from you, a discriminatory +patent license (a) in connection with copies of the covered work +conveyed by you (or copies made from those copies), or (b) primarily +for and in connection with specific products or compilations that +contain the covered work, unless you entered into that arrangement, +or that patent license was granted, prior to 28 March 2007. + + Nothing in this License shall be construed as excluding or limiting +any implied license or other defenses to infringement that may +otherwise be available to you under applicable patent law. + + 12. No Surrender of Others' Freedom. + + If conditions are imposed on you (whether by court order, agreement or +otherwise) that contradict the conditions of this License, they do not +excuse you from the conditions of this License. If you cannot convey a +covered work so as to satisfy simultaneously your obligations under this +License and any other pertinent obligations, then as a consequence you may +not convey it at all. For example, if you agree to terms that obligate you +to collect a royalty for further conveying from those to whom you convey +the Program, the only way you could satisfy both those terms and this +License would be to refrain entirely from conveying the Program. + + 13. Use with the GNU Affero General Public License. + + Notwithstanding any other provision of this License, you have +permission to link or combine any covered work with a work licensed +under version 3 of the GNU Affero General Public License into a single +combined work, and to convey the resulting work. The terms of this +License will continue to apply to the part which is the covered work, +but the special requirements of the GNU Affero General Public License, +section 13, concerning interaction through a network will apply to the +combination as such. + + 14. Revised Versions of this License. + + The Free Software Foundation may publish revised and/or new versions of +the GNU General Public License from time to time. Such new versions will +be similar in spirit to the present version, but may differ in detail to +address new problems or concerns. + + Each version is given a distinguishing version number. If the +Program specifies that a certain numbered version of the GNU General +Public License "or any later version" applies to it, you have the +option of following the terms and conditions either of that numbered +version or of any later version published by the Free Software +Foundation. If the Program does not specify a version number of the +GNU General Public License, you may choose any version ever published +by the Free Software Foundation. + + If the Program specifies that a proxy can decide which future +versions of the GNU General Public License can be used, that proxy's +public statement of acceptance of a version permanently authorizes you +to choose that version for the Program. + + Later license versions may give you additional or different +permissions. However, no additional obligations are imposed on any +author or copyright holder as a result of your choosing to follow a +later version. + + 15. Disclaimer of Warranty. + + THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY +APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT +HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY +OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, +THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR +PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM +IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF +ALL NECESSARY SERVICING, REPAIR OR CORRECTION. + + 16. Limitation of Liability. + + IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING +WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS +THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY +GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE +USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF +DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD +PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), +EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF +SUCH DAMAGES. + + 17. Interpretation of Sections 15 and 16. + + If the disclaimer of warranty and limitation of liability provided +above cannot be given local legal effect according to their terms, +reviewing courts shall apply local law that most closely approximates +an absolute waiver of all civil liability in connection with the +Program, unless a warranty or assumption of liability accompanies a +copy of the Program in return for a fee. + + END OF TERMS AND CONDITIONS + + How to Apply These Terms to Your New Programs + + If you develop a new program, and you want it to be of the greatest +possible use to the public, the best way to achieve this is to make it +free software which everyone can redistribute and change under these terms. + + To do so, attach the following notices to the program. It is safest +to attach them to the start of each source file to most effectively +state the exclusion of warranty; and each file should have at least +the "copyright" line and a pointer to where the full notice is found. + + + Copyright (C) + + This program is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . + +Also add information on how to contact you by electronic and paper mail. + + If the program does terminal interaction, make it output a short +notice like this when it starts in an interactive mode: + + Copyright (C) + This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'. + This is free software, and you are welcome to redistribute it + under certain conditions; type `show c' for details. + +The hypothetical commands `show w' and `show c' should show the appropriate +parts of the General Public License. Of course, your program's commands +might be different; for a GUI interface, you would use an "about box". + + You should also get your employer (if you work as a programmer) or school, +if any, to sign a "copyright disclaimer" for the program, if necessary. +For more information on this, and how to apply and follow the GNU GPL, see +. + + The GNU General Public License does not permit incorporating your program +into proprietary programs. If your program is a subroutine library, you +may consider it more useful to permit linking proprietary applications with +the library. If this is what you want to do, use the GNU Lesser General +Public License instead of this License. But first, please read +. diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/Top CPU Contributors.txt b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/Top CPU Contributors.txt new file mode 100755 index 00000000..30c963d7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/Top CPU Contributors.txt @@ -0,0 +1,260 @@ +Contributors to Fishtest with >10,000 CPU hours, as of 2022-11-19. +Thank you! + +Username CPU Hours Games played +------------------------------------------------------------------ +noobpwnftw 36475307 2748033975 +technologov 14570711 760073590 +mlang 3026000 200065824 +dew 1689222 100034318 +grandphish2 1442171 86798057 +okrout 1439985 133471766 +pemo 1405374 44189811 +linrock 1299003 28382783 +TueRens 1163420 71159522 +JojoM 897158 55177114 +tvijlbrief 796125 51897690 +mibere 703840 46867607 +gvreuls 635982 40652394 +oz 590763 41201352 +sebastronomy 581517 23307132 +cw 517915 34865769 +fastgm 504266 30264740 +CSU_Dynasty 479901 31846710 +ctoks 433503 28180725 +crunchy 427035 27344275 +leszek 416883 27493447 +bcross 409982 28062127 +velislav 345954 22232274 +Fisherman 327231 21829379 +Dantist 296386 18031762 +mgrabiak 288928 18869896 +rpngn 259965 16281463 +robal 237653 15148350 +ncfish1 231764 15275003 +nordlandia 226923 14624832 +glinscott 208125 13277240 +drabel 204167 13930674 +mhoram 202894 12601997 +bking_US 198894 11876016 +thirdlife 198844 5453268 +Thanar 179852 12365359 +vdv 175544 9904472 +armo9494 168201 11136452 +spams 157128 10319326 +marrco 151599 9551115 +sqrt2 147963 9724586 +vdbergh 137690 8971569 +CoffeeOne 137100 5024116 +malala 136182 8002293 +DesolatedDodo 135276 8657464 +xoto 133759 9159372 +davar 129023 8376525 +dsmith 122059 7570238 +amicic 119661 7938029 +Data 113305 8220352 +BrunoBanani 112960 7436849 +CypressChess 108331 7759788 +skiminki 106518 7062598 +MaZePallas 102823 6633619 +sterni1971 100532 5880772 +sunu 100167 7040199 +zeryl 99331 6221261 +ElbertoOne 99028 7023771 +DMBK 97572 6950312 +Calis007 96779 5611552 +cuistot 93111 5536500 +brabos 92118 6186135 +Wolfgang 91769 5720158 +psk 89957 5984901 +racerschmacer 85805 6122790 +jcAEie 85527 5630616 +Vizvezdenec 83761 5344740 +sschnee 83557 4853690 +0x3C33 82614 5271253 +BRAVONE 81239 5054681 +Dubslow 78461 5042980 +nssy 76497 5259388 +jromang 76106 5236025 +teddybaer 75125 5407666 +yurikvelo 73933 5031096 +tolkki963 73885 4721430 +Pking_cda 73776 5293873 +Bobo1239 71675 4860987 +solarlight 70517 5028306 +dv8silencer 70287 3883992 +Gelma 69304 3980932 +manap 66273 4121774 +megaman7de 65419 4120200 +markkulix 65331 4114860 +bigpen0r 64932 4683883 +tinker 64333 4268790 +qurashee 61208 3429862 +AGI 58325 4258646 +robnjr 57262 4053117 +Freja 56938 3733019 +MaxKlaxxMiner 56879 3423958 +ttruscott 56010 3680085 +rkl 55132 4164467 +renouve 53811 3501516 +Spprtr 52736 3410019 +finfish 51360 3370515 +eva42 51272 3599691 +eastorwest 51117 3454811 +rap 49985 3219146 +unixwizard 49734 2536230 +pb00067 49727 3298270 +ronaldjerum 47654 3240695 +biffhero 46564 3111352 +GPUex 45861 2926502 +Fifis 45843 3088497 +oryx 45578 3493978 +VoyagerOne 45476 3452465 +Wencey 44943 2654490 +speedycpu 43842 3003273 +jbwiebe 43305 2805433 +Antihistamine 41788 2761312 +mhunt 41735 2691355 +olafm 41277 3284344 +homyur 39893 2850481 +gri 39871 2515779 +MarcusTullius 38303 2251097 +Garf 37741 2999686 +kdave 37424 2557406 +SC 37299 2731694 +csnodgrass 36207 2688994 +jmdana 36157 2210661 +strelock 34716 2074055 +EthanOConnor 33370 2090311 +slakovv 32915 2021889 +gopeto 31669 2060958 +manapbk 30987 1810399 +Prcuvu 30377 2170122 +anst 30301 2190091 +jkiiski 30136 1904470 +spcc 30135 1903728 +hyperbolic.tom 29840 2017394 +xwziegtm 29763 2347412 +chuckstablers 29659 2093438 +Pyafue 29650 1902349 +belzedar94 28846 1811530 +OuaisBla 27636 1578800 +chriswk 26902 1868317 +achambord 26582 1767323 +Patrick_G 26276 1801617 +yorkman 26193 1992080 +Ulysses 25289 1674274 +SFTUser 25182 1675689 +nabildanial 24942 1519409 +Sharaf_DG 24765 1786697 +rodneyc 24376 1416402 +agg177 23890 1395014 +Ente 23747 1674582 +Karpovbot 23629 1313186 +JanErik 23408 1703875 +Isidor 23388 1680691 +Norabor 23371 1603244 +cisco2015 22934 1763773 +Zirie 22542 1472937 +team-oh 22272 1636708 +Roady 22220 1465606 +MazeOfGalious 21978 1629593 +sg4032 21947 1643353 +ianh2105 21725 1632562 +xor12 21628 1680365 +dex 21612 1467203 +nesoneg 21494 1463031 +user213718 21454 1404128 +AndreasKrug 21227 1577833 +sphinx 21211 1384728 +jjoshua2 21001 1423089 +horst.prack 20878 1465656 +jsys14 20729 1221010 +0xB00B1ES 20590 1208666 +j3corre 20405 941444 +Adrian.Schmidt123 20316 1281436 +bonsi 20022 1300682 +wei 19973 1745989 +dapper 19754 1167758 +Zake9298 19745 1458416 +fishtester 19617 1257388 +rstoesser 19569 1293588 +eudhan 19274 1283717 +vulcan 18871 1729392 +Jopo12321 18803 1036284 +jundery 18445 1115855 +ville 17883 1384026 +5t0ckf15hTr4in3r 17809 1105858 +chris 17698 1487385 +dju 17697 994333 +purplefishies 17595 1092533 +iisiraider 17275 1049015 +DragonLord 17014 1162790 +Karby 16457 1010138 +Goatminola 16278 1145026 +IgorLeMasson 16064 1147232 +Gaster319 16056 1109070 +redstone59 15953 1161664 +scuzzi 15757 968735 +ako027ako 15671 1173203 +Nikolay.IT 15154 1068349 +Andrew Grant 15114 895539 +Naven94 15054 834762 +OssumOpossum 14857 1007129 +qoo_charly_cai 14490 847865 +enedene 14476 905279 +szupaw 14252 929130 +bpfliegel 14233 882523 +mpx86 14019 759568 +jpulman 13982 870599 +crocogoat 13803 1117422 +Nesa92 13786 1114691 +joster 13710 946160 +mbeier 13650 1044928 +Hjax 13535 915487 +Dark_wizzie 13422 1007152 +Rudolphous 13244 883140 +Machariel 13010 863104 +infinigon 12991 943216 +pirt 12925 985437 +Skiff84 12923 649994 +mabichito 12903 749391 +thijsk 12886 722107 +AdrianSA 12860 804972 +Flopzee 12698 894821 +fatmurphy 12547 853210 +woutboat 12419 836696 +SapphireBrand 12416 969604 +Oakwen 12406 840961 +deflectooor 12386 579392 +modolief 12386 896470 +Farseer 12249 694108 +pgontarz 12151 848794 +stocky 11954 699440 +mschmidt 11941 803401 +MooTheCow 11871 773654 +Jackfish 11867 773550 +dbernier 11705 821780 +whelanh 11557 245188 +Maxim 11543 836024 +Nullvalue 11534 731410 +icewulf 11528 650470 +FormazChar 11523 861599 +infinity 11470 727027 +aga 11412 695127 +torbjo 11395 729145 +Thomas A. Anderson 11372 732094 +savage84 11358 670860 +ali-al-zhrani 11272 781310 +d64 11263 789184 +Bourbaki 11108 709144 +snicolet 11106 869170 +Alb11747 10855 696920 +basepi 10637 744851 +Cubox 10621 826448 +Karmatron 10616 674818 +michaelrpg 10509 739239 +OIVAS7572 10420 995586 +Garruk 10348 704905 +dzjp 10343 732529 +ols 10259 570669 diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/Makefile b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/Makefile new file mode 100755 index 00000000..917bd5c0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/Makefile @@ -0,0 +1,1009 @@ +# Stockfish, a UCI chess playing engine derived from Glaurung 2.1 +# Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) +# +# Stockfish is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# Stockfish is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + + +### ========================================================================== +### Section 1. General Configuration +### ========================================================================== + +### Establish the operating system name +KERNEL = $(shell uname -s) +ifeq ($(KERNEL),Linux) + OS = $(shell uname -o) +endif + +### Target Windows OS +ifeq ($(OS),Windows_NT) + ifneq ($(COMP),ndk) + target_windows = yes + endif +else ifeq ($(COMP),mingw) + target_windows = yes + ifeq ($(WINE_PATH),) + WINE_PATH = $(shell which wine) + endif +endif + +### Executable name +ifeq ($(target_windows),yes) + EXE = stockfish.exe +else + EXE = stockfish +endif + +### Installation dir definitions +PREFIX = /usr/local +BINDIR = $(PREFIX)/bin + +### Built-in benchmark for pgo-builds +ifeq ($(SDE_PATH),) + PGOBENCH = $(WINE_PATH) ./$(EXE) bench +else + PGOBENCH = $(SDE_PATH) -- $(WINE_PATH) ./$(EXE) bench +endif + +### Source and object files +SRCS = benchmark.cpp bitbase.cpp bitboard.cpp endgame.cpp evaluate.cpp main.cpp \ + material.cpp misc.cpp movegen.cpp movepick.cpp pawns.cpp position.cpp psqt.cpp \ + search.cpp thread.cpp timeman.cpp tt.cpp uci.cpp ucioption.cpp tune.cpp syzygy/tbprobe.cpp \ + nnue/evaluate_nnue.cpp nnue/features/half_ka_v2_hm.cpp + +OBJS = $(notdir $(SRCS:.cpp=.o)) + +VPATH = syzygy:nnue:nnue/features + +### ========================================================================== +### Section 2. High-level Configuration +### ========================================================================== +# +# flag --- Comp switch --- Description +# ---------------------------------------------------------------------------- +# +# debug = yes/no --- -DNDEBUG --- Enable/Disable debug mode +# sanitize = none/ ... (-fsanitize ) +# --- ( undefined ) --- enable undefined behavior checks +# --- ( thread ) --- enable threading error checks +# --- ( address ) --- enable memory access checks +# --- ...etc... --- see compiler documentation for supported sanitizers +# optimize = yes/no --- (-O3/-fast etc.) --- Enable/Disable optimizations +# arch = (name) --- (-arch) --- Target architecture +# bits = 64/32 --- -DIS_64BIT --- 64-/32-bit operating system +# prefetch = yes/no --- -DUSE_PREFETCH --- Use prefetch asm-instruction +# popcnt = yes/no --- -DUSE_POPCNT --- Use popcnt asm-instruction +# pext = yes/no --- -DUSE_PEXT --- Use pext x86_64 asm-instruction +# sse = yes/no --- -msse --- Use Intel Streaming SIMD Extensions +# mmx = yes/no --- -mmmx --- Use Intel MMX instructions +# sse2 = yes/no --- -msse2 --- Use Intel Streaming SIMD Extensions 2 +# ssse3 = yes/no --- -mssse3 --- Use Intel Supplemental Streaming SIMD Extensions 3 +# sse41 = yes/no --- -msse4.1 --- Use Intel Streaming SIMD Extensions 4.1 +# avx2 = yes/no --- -mavx2 --- Use Intel Advanced Vector Extensions 2 +# avxvnni = yes/no --- -mavxvnni --- Use Intel Vector Neural Network Instructions AVX +# avx512 = yes/no --- -mavx512bw --- Use Intel Advanced Vector Extensions 512 +# vnni256 = yes/no --- -mavx512vnni --- Use Intel Vector Neural Network Instructions 256 +# vnni512 = yes/no --- -mavx512vnni --- Use Intel Vector Neural Network Instructions 512 +# neon = yes/no --- -DUSE_NEON --- Use ARM SIMD architecture +# +# Note that Makefile is space sensitive, so when adding new architectures +# or modifying existing flags, you have to make sure there are no extra spaces +# at the end of the line for flag values. +# +# Example of use for these flags: +# make build ARCH=x86-64-avx512 debug=yes sanitize="address undefined" + + +### 2.1. General and architecture defaults + +ifeq ($(ARCH),) + ARCH = x86-64-modern + help_skip_sanity = yes +endif +# explicitly check for the list of supported architectures (as listed with make help), +# the user can override with `make ARCH=x86-32-vnni256 SUPPORTED_ARCH=true` +ifeq ($(ARCH), $(filter $(ARCH), \ + x86-64-vnni512 x86-64-vnni256 x86-64-avx512 x86-64-avxvnni x86-64-bmi2 \ + x86-64-avx2 x86-64-sse41-popcnt x86-64-modern x86-64-ssse3 x86-64-sse3-popcnt \ + x86-64 x86-32-sse41-popcnt x86-32-sse2 x86-32 ppc-64 ppc-32 e2k \ + armv7 armv7-neon armv8 apple-silicon general-64 general-32 riscv64)) + SUPPORTED_ARCH=true +else + SUPPORTED_ARCH=false +endif + +optimize = yes +debug = no +sanitize = none +bits = 64 +prefetch = no +popcnt = no +pext = no +sse = no +mmx = no +sse2 = no +ssse3 = no +sse41 = no +avx2 = no +avxvnni = no +avx512 = no +vnni256 = no +vnni512 = no +neon = no +arm_version = 0 +STRIP = strip + +### 2.2 Architecture specific + +ifeq ($(findstring x86,$(ARCH)),x86) + +# x86-32/64 + +ifeq ($(findstring x86-32,$(ARCH)),x86-32) + arch = i386 + bits = 32 + sse = no + mmx = yes +else + arch = x86_64 + sse = yes + sse2 = yes +endif + +ifeq ($(findstring -sse,$(ARCH)),-sse) + sse = yes +endif + +ifeq ($(findstring -popcnt,$(ARCH)),-popcnt) + popcnt = yes +endif + +ifeq ($(findstring -mmx,$(ARCH)),-mmx) + mmx = yes +endif + +ifeq ($(findstring -sse2,$(ARCH)),-sse2) + sse = yes + sse2 = yes +endif + +ifeq ($(findstring -ssse3,$(ARCH)),-ssse3) + sse = yes + sse2 = yes + ssse3 = yes +endif + +ifeq ($(findstring -sse41,$(ARCH)),-sse41) + sse = yes + sse2 = yes + ssse3 = yes + sse41 = yes +endif + +ifeq ($(findstring -modern,$(ARCH)),-modern) + popcnt = yes + sse = yes + sse2 = yes + ssse3 = yes + sse41 = yes +endif + +ifeq ($(findstring -avx2,$(ARCH)),-avx2) + popcnt = yes + sse = yes + sse2 = yes + ssse3 = yes + sse41 = yes + avx2 = yes +endif + +ifeq ($(findstring -avxvnni,$(ARCH)),-avxvnni) + popcnt = yes + sse = yes + sse2 = yes + ssse3 = yes + sse41 = yes + avx2 = yes + avxvnni = yes + pext = yes +endif + +ifeq ($(findstring -bmi2,$(ARCH)),-bmi2) + popcnt = yes + sse = yes + sse2 = yes + ssse3 = yes + sse41 = yes + avx2 = yes + pext = yes +endif + +ifeq ($(findstring -avx512,$(ARCH)),-avx512) + popcnt = yes + sse = yes + sse2 = yes + ssse3 = yes + sse41 = yes + avx2 = yes + pext = yes + avx512 = yes +endif + +ifeq ($(findstring -vnni256,$(ARCH)),-vnni256) + popcnt = yes + sse = yes + sse2 = yes + ssse3 = yes + sse41 = yes + avx2 = yes + pext = yes + vnni256 = yes +endif + +ifeq ($(findstring -vnni512,$(ARCH)),-vnni512) + popcnt = yes + sse = yes + sse2 = yes + ssse3 = yes + sse41 = yes + avx2 = yes + pext = yes + avx512 = yes + vnni512 = yes +endif + +ifeq ($(sse),yes) + prefetch = yes +endif + +# 64-bit pext is not available on x86-32 +ifeq ($(bits),32) + pext = no +endif + +else + +# all other architectures + +ifeq ($(ARCH),general-32) + arch = any + bits = 32 +endif + +ifeq ($(ARCH),general-64) + arch = any +endif + +ifeq ($(ARCH),armv7) + arch = armv7 + prefetch = yes + bits = 32 + arm_version = 7 +endif + +ifeq ($(ARCH),armv7-neon) + arch = armv7 + prefetch = yes + popcnt = yes + neon = yes + bits = 32 + arm_version = 7 +endif + +ifeq ($(ARCH),armv8) + arch = armv8 + prefetch = yes + popcnt = yes + neon = yes + arm_version = 8 +endif + +ifeq ($(ARCH),apple-silicon) + arch = arm64 + prefetch = yes + popcnt = yes + neon = yes + arm_version = 8 +endif + +ifeq ($(ARCH),ppc-32) + arch = ppc + bits = 32 +endif + +ifeq ($(ARCH),ppc-64) + arch = ppc64 + popcnt = yes + prefetch = yes +endif + +ifeq ($(findstring e2k,$(ARCH)),e2k) + arch = e2k + mmx = yes + bits = 64 + sse = yes + sse2 = yes + ssse3 = yes + sse41 = yes + popcnt = yes +endif + +ifeq ($(ARCH),riscv64) + arch = riscv64 +endif +endif + + +### ========================================================================== +### Section 3. Low-level Configuration +### ========================================================================== + +### 3.1 Selecting compiler (default = gcc) +ifeq ($(MAKELEVEL),0) + export ENV_CXXFLAGS := $(CXXFLAGS) + export ENV_DEPENDFLAGS := $(DEPENDFLAGS) + export ENV_LDFLAGS := $(LDFLAGS) +endif + +CXXFLAGS = $(ENV_CXXFLAGS) -Wall -Wcast-qual -fno-exceptions -std=c++17 $(EXTRACXXFLAGS) +DEPENDFLAGS = $(ENV_DEPENDFLAGS) -std=c++17 +LDFLAGS = $(ENV_LDFLAGS) $(EXTRALDFLAGS) + +ifeq ($(COMP),) + COMP=gcc +endif + +ifeq ($(COMP),gcc) + comp=gcc + CXX=g++ + CXXFLAGS += -pedantic -Wextra -Wshadow + + ifeq ($(arch),$(filter $(arch),armv7 armv8 riscv64)) + ifeq ($(OS),Android) + CXXFLAGS += -m$(bits) + LDFLAGS += -m$(bits) + endif + ifeq ($(ARCH),riscv64) + CXXFLAGS += -latomic + endif + else + CXXFLAGS += -m$(bits) + LDFLAGS += -m$(bits) + endif + + ifeq ($(arch),$(filter $(arch),armv7)) + LDFLAGS += -latomic + endif + + ifneq ($(KERNEL),Darwin) + LDFLAGS += -Wl,--no-as-needed + endif +endif + +ifeq ($(target_windows),yes) + LDFLAGS += -static +endif + +ifeq ($(COMP),mingw) + comp=mingw + + ifeq ($(bits),64) + ifeq ($(shell which x86_64-w64-mingw32-c++-posix 2> /dev/null),) + CXX=x86_64-w64-mingw32-c++ + else + CXX=x86_64-w64-mingw32-c++-posix + endif + else + ifeq ($(shell which i686-w64-mingw32-c++-posix 2> /dev/null),) + CXX=i686-w64-mingw32-c++ + else + CXX=i686-w64-mingw32-c++-posix + endif + endif + CXXFLAGS += -pedantic -Wextra -Wshadow +endif + +ifeq ($(COMP),icc) + comp=icc + CXX=icpc + CXXFLAGS += -diag-disable 1476,10120 -Wcheck -Wabi -Wdeprecated -strict-ansi +endif + +ifeq ($(COMP),clang) + comp=clang + CXX=clang++ + ifeq ($(target_windows),yes) + CXX=x86_64-w64-mingw32-clang++ + endif + + CXXFLAGS += -pedantic -Wextra -Wshadow + + ifeq ($(filter $(KERNEL),Darwin OpenBSD FreeBSD),) + ifeq ($(target_windows),) + ifneq ($(RTLIB),compiler-rt) + LDFLAGS += -latomic + endif + endif + endif + + ifeq ($(arch),$(filter $(arch),armv7 armv8 riscv64)) + ifeq ($(OS),Android) + CXXFLAGS += -m$(bits) + LDFLAGS += -m$(bits) + endif + ifeq ($(ARCH),riscv64) + CXXFLAGS += -latomic + endif + else + CXXFLAGS += -m$(bits) + LDFLAGS += -m$(bits) + endif +endif + +ifeq ($(KERNEL),Darwin) + CXXFLAGS += -mmacosx-version-min=10.14 + LDFLAGS += -mmacosx-version-min=10.14 + ifneq ($(arch),any) + CXXFLAGS += -arch $(arch) + LDFLAGS += -arch $(arch) + endif + XCRUN = xcrun +endif + +# To cross-compile for Android, NDK version r21 or later is recommended. +# In earlier NDK versions, you'll need to pass -fno-addrsig if using GNU binutils. +# Currently we don't know how to make PGO builds with the NDK yet. +ifeq ($(COMP),ndk) + CXXFLAGS += -stdlib=libc++ -fPIE + comp=clang + ifeq ($(arch),armv7) + CXX=armv7a-linux-androideabi16-clang++ + CXXFLAGS += -mthumb -march=armv7-a -mfloat-abi=softfp -mfpu=neon + ifneq ($(shell which arm-linux-androideabi-strip 2>/dev/null),) + STRIP=arm-linux-androideabi-strip + else + STRIP=llvm-strip + endif + endif + ifeq ($(arch),armv8) + CXX=aarch64-linux-android21-clang++ + ifneq ($(shell which aarch64-linux-android-strip 2>/dev/null),) + STRIP=aarch64-linux-android-strip + else + STRIP=llvm-strip + endif + endif + LDFLAGS += -static-libstdc++ -pie -lm -latomic +endif + +ifeq ($(comp),icc) + profile_make = icc-profile-make + profile_use = icc-profile-use +else ifeq ($(comp),clang) + profile_make = clang-profile-make + profile_use = clang-profile-use +else + profile_make = gcc-profile-make + profile_use = gcc-profile-use + ifeq ($(KERNEL),Darwin) + EXTRAPROFILEFLAGS = -fvisibility=hidden + endif +endif + +### Travis CI script uses COMPILER to overwrite CXX +ifdef COMPILER + COMPCXX=$(COMPILER) +endif + +### Allow overwriting CXX from command line +ifdef COMPCXX + CXX=$(COMPCXX) +endif + +### Sometimes gcc is really clang +ifeq ($(COMP),gcc) + gccversion = $(shell $(CXX) --version) + gccisclang = $(findstring clang,$(gccversion)) + ifneq ($(gccisclang),) + profile_make = clang-profile-make + profile_use = clang-profile-use + endif +endif + +### On mingw use Windows threads, otherwise POSIX +ifneq ($(comp),mingw) + CXXFLAGS += -DUSE_PTHREADS + # On Android Bionic's C library comes with its own pthread implementation bundled in + ifneq ($(OS),Android) + # Haiku has pthreads in its libroot, so only link it in on other platforms + ifneq ($(KERNEL),Haiku) + ifneq ($(COMP),ndk) + LDFLAGS += -lpthread + endif + endif + endif +endif + +### 3.2.1 Debugging +ifeq ($(debug),no) + CXXFLAGS += -DNDEBUG +else + CXXFLAGS += -g +endif + +### 3.2.2 Debugging with undefined behavior sanitizers +ifneq ($(sanitize),none) + CXXFLAGS += -g3 $(addprefix -fsanitize=,$(sanitize)) + LDFLAGS += $(addprefix -fsanitize=,$(sanitize)) +endif + +### 3.3 Optimization +ifeq ($(optimize),yes) + + CXXFLAGS += -O3 + + ifeq ($(comp),gcc) + ifeq ($(OS), Android) + CXXFLAGS += -fno-gcse -mthumb -march=armv7-a -mfloat-abi=softfp + endif + endif + + ifeq ($(KERNEL),Darwin) + ifeq ($(comp),$(filter $(comp),clang icc)) + CXXFLAGS += -mdynamic-no-pic + endif + + ifeq ($(comp),gcc) + ifneq ($(arch),arm64) + CXXFLAGS += -mdynamic-no-pic + endif + endif + endif + + ifeq ($(comp),clang) + CXXFLAGS += -fexperimental-new-pass-manager + endif +endif + +### 3.4 Bits +ifeq ($(bits),64) + CXXFLAGS += -DIS_64BIT +endif + +### 3.5 prefetch and popcount +ifeq ($(prefetch),yes) + ifeq ($(sse),yes) + CXXFLAGS += -msse + endif +else + CXXFLAGS += -DNO_PREFETCH +endif + +ifeq ($(popcnt),yes) + ifeq ($(arch),$(filter $(arch),ppc64 armv7 armv8 arm64)) + CXXFLAGS += -DUSE_POPCNT + else ifeq ($(comp),icc) + CXXFLAGS += -msse3 -DUSE_POPCNT + else + CXXFLAGS += -msse3 -mpopcnt -DUSE_POPCNT + endif +endif + +### 3.6 SIMD architectures +ifeq ($(avx2),yes) + CXXFLAGS += -DUSE_AVX2 + ifeq ($(comp),$(filter $(comp),gcc clang mingw)) + CXXFLAGS += -mavx2 -mbmi + endif +endif + +ifeq ($(avxvnni),yes) + CXXFLAGS += -DUSE_VNNI -DUSE_AVXVNNI + ifeq ($(comp),$(filter $(comp),gcc clang mingw)) + CXXFLAGS += -mavxvnni + endif +endif + +ifeq ($(avx512),yes) + CXXFLAGS += -DUSE_AVX512 + ifeq ($(comp),$(filter $(comp),gcc clang mingw)) + CXXFLAGS += -mavx512f -mavx512bw + endif +endif + +ifeq ($(vnni256),yes) + CXXFLAGS += -DUSE_VNNI + ifeq ($(comp),$(filter $(comp),gcc clang mingw)) + CXXFLAGS += -mavx512f -mavx512bw -mavx512vnni -mavx512dq -mavx512vl -mprefer-vector-width=256 + endif +endif + +ifeq ($(vnni512),yes) + CXXFLAGS += -DUSE_VNNI + ifeq ($(comp),$(filter $(comp),gcc clang mingw)) + CXXFLAGS += -mavx512vnni -mavx512dq -mavx512vl + endif +endif + +ifeq ($(sse41),yes) + CXXFLAGS += -DUSE_SSE41 + ifeq ($(comp),$(filter $(comp),gcc clang mingw)) + CXXFLAGS += -msse4.1 + endif +endif + +ifeq ($(ssse3),yes) + CXXFLAGS += -DUSE_SSSE3 + ifeq ($(comp),$(filter $(comp),gcc clang mingw)) + CXXFLAGS += -mssse3 + endif +endif + +ifeq ($(sse2),yes) + CXXFLAGS += -DUSE_SSE2 + ifeq ($(comp),$(filter $(comp),gcc clang mingw)) + CXXFLAGS += -msse2 + endif +endif + +ifeq ($(mmx),yes) + CXXFLAGS += -DUSE_MMX + ifeq ($(comp),$(filter $(comp),gcc clang mingw)) + CXXFLAGS += -mmmx + endif +endif + +ifeq ($(neon),yes) + CXXFLAGS += -DUSE_NEON=$(arm_version) + ifeq ($(KERNEL),Linux) + ifneq ($(COMP),ndk) + ifneq ($(arch),armv8) + CXXFLAGS += -mfpu=neon + endif + endif + endif +endif + +### 3.7 pext +ifeq ($(pext),yes) + CXXFLAGS += -DUSE_PEXT + ifeq ($(comp),$(filter $(comp),gcc clang mingw)) + CXXFLAGS += -mbmi2 + endif +endif + +### 3.7.1 Try to include git commit sha for versioning +GIT_SHA = $(shell git rev-parse --short HEAD 2>/dev/null) +ifneq ($(GIT_SHA), ) + CXXFLAGS += -DGIT_SHA=\"$(GIT_SHA)\" +endif + +### 3.7.2 Try to include git commit date for versioning +GIT_DATE = $(shell git show -s --date=format:'%Y%m%d' --format=%cd HEAD 2>/dev/null) +ifneq ($(GIT_DATE), ) + CXXFLAGS += -DGIT_DATE=\"$(GIT_DATE)\" +endif + +### 3.8 Link Time Optimization +### This is a mix of compile and link time options because the lto link phase +### needs access to the optimization flags. +ifeq ($(optimize),yes) +ifeq ($(debug), no) + ifeq ($(comp),clang) + CXXFLAGS += -flto=full + ifeq ($(target_windows),yes) + CXXFLAGS += -fuse-ld=lld + endif + LDFLAGS += $(CXXFLAGS) + +# GCC and CLANG use different methods for parallelizing LTO and CLANG pretends to be +# GCC on some systems. + else ifeq ($(comp),gcc) + ifeq ($(gccisclang),) + CXXFLAGS += -flto -flto-partition=one + LDFLAGS += $(CXXFLAGS) -flto=jobserver + else + CXXFLAGS += -flto=full + LDFLAGS += $(CXXFLAGS) + endif + +# To use LTO and static linking on Windows, +# the tool chain requires gcc version 10.1 or later. + else ifeq ($(comp),mingw) + CXXFLAGS += -flto -flto-partition=one + LDFLAGS += $(CXXFLAGS) -save-temps + endif +endif +endif + +### 3.9 Android 5 can only run position independent executables. Note that this +### breaks Android 4.0 and earlier. +ifeq ($(OS), Android) + CXXFLAGS += -fPIE + LDFLAGS += -fPIE -pie +endif + +### ========================================================================== +### Section 4. Public Targets +### ========================================================================== + + +help: + @echo "" + @echo "To compile stockfish, type: " + @echo "" + @echo "make target ARCH=arch [COMP=compiler] [COMPCXX=cxx]" + @echo "" + @echo "Supported targets:" + @echo "" + @echo "help > Display architecture details" + @echo "build > Standard build" + @echo "net > Download the default nnue net" + @echo "profile-build > Faster build (with profile-guided optimization)" + @echo "strip > Strip executable" + @echo "install > Install executable" + @echo "clean > Clean up" + @echo "" + @echo "Supported archs:" + @echo "" + @echo "x86-64-vnni512 > x86 64-bit with vnni support 512bit wide" + @echo "x86-64-vnni256 > x86 64-bit with vnni support 256bit wide" + @echo "x86-64-avx512 > x86 64-bit with avx512 support" + @echo "x86-64-avxvnni > x86 64-bit with avxvnni support" + @echo "x86-64-bmi2 > x86 64-bit with bmi2 support" + @echo "x86-64-avx2 > x86 64-bit with avx2 support" + @echo "x86-64-sse41-popcnt > x86 64-bit with sse41 and popcnt support" + @echo "x86-64-modern > common modern CPU, currently x86-64-sse41-popcnt" + @echo "x86-64-ssse3 > x86 64-bit with ssse3 support" + @echo "x86-64-sse3-popcnt > x86 64-bit with sse3 and popcnt support" + @echo "x86-64 > x86 64-bit generic (with sse2 support)" + @echo "x86-32-sse41-popcnt > x86 32-bit with sse41 and popcnt support" + @echo "x86-32-sse2 > x86 32-bit with sse2 support" + @echo "x86-32 > x86 32-bit generic (with mmx and sse support)" + @echo "ppc-64 > PPC 64-bit" + @echo "ppc-32 > PPC 32-bit" + @echo "armv7 > ARMv7 32-bit" + @echo "armv7-neon > ARMv7 32-bit with popcnt and neon" + @echo "armv8 > ARMv8 64-bit with popcnt and neon" + @echo "e2k > Elbrus 2000" + @echo "apple-silicon > Apple silicon ARM64" + @echo "general-64 > unspecified 64-bit" + @echo "general-32 > unspecified 32-bit" + @echo "riscv64 > RISC-V 64-bit" + @echo "" + @echo "Supported compilers:" + @echo "" + @echo "gcc > Gnu compiler (default)" + @echo "mingw > Gnu compiler with MinGW under Windows" + @echo "clang > LLVM Clang compiler" + @echo "icc > Intel compiler" + @echo "ndk > Google NDK to cross-compile for Android" + @echo "" + @echo "Simple examples. If you don't know what to do, you likely want to run: " + @echo "" + @echo "make -j build ARCH=x86-64 (A portable, slow compile for 64-bit systems)" + @echo "make -j build ARCH=x86-32 (A portable, slow compile for 32-bit systems)" + @echo "" + @echo "Advanced examples, for experienced users looking for performance: " + @echo "" + @echo "make help ARCH=x86-64-bmi2" + @echo "make -j profile-build ARCH=x86-64-bmi2 COMP=gcc COMPCXX=g++-9.0" + @echo "make -j build ARCH=x86-64-ssse3 COMP=clang" + @echo "" + @echo "-------------------------------" +ifeq ($(SUPPORTED_ARCH)$(help_skip_sanity), true) + @echo "The selected architecture $(ARCH) will enable the following configuration: " + @$(MAKE) ARCH=$(ARCH) COMP=$(COMP) config-sanity +else + @echo "Specify a supported architecture with the ARCH option for more details" + @echo "" +endif + + +.PHONY: help build profile-build strip install clean net objclean profileclean \ + config-sanity icc-profile-use icc-profile-make gcc-profile-use gcc-profile-make \ + clang-profile-use clang-profile-make FORCE + +build: net config-sanity + $(MAKE) ARCH=$(ARCH) COMP=$(COMP) all + +profile-build: net config-sanity objclean profileclean + @echo "" + @echo "Step 1/4. Building instrumented executable ..." + $(MAKE) ARCH=$(ARCH) COMP=$(COMP) $(profile_make) + @echo "" + @echo "Step 2/4. Running benchmark for pgo-build ..." + $(PGOBENCH) 2>&1 | tail -n 4 + @echo "" + @echo "Step 3/4. Building optimized executable ..." + $(MAKE) ARCH=$(ARCH) COMP=$(COMP) objclean + $(MAKE) ARCH=$(ARCH) COMP=$(COMP) $(profile_use) + @echo "" + @echo "Step 4/4. Deleting profile data ..." + $(MAKE) ARCH=$(ARCH) COMP=$(COMP) profileclean + +strip: + $(STRIP) $(EXE) + +install: + -mkdir -p -m 755 $(BINDIR) + -cp $(EXE) $(BINDIR) + $(STRIP) $(BINDIR)/$(EXE) + +# clean all +clean: objclean profileclean + @rm -f .depend *~ core + +# evaluation network (nnue) +net: + $(eval nnuenet := $(shell grep EvalFileDefaultName evaluate.h | grep define | sed 's/.*\(nn-[a-z0-9]\{12\}.nnue\).*/\1/')) + @echo "Default net: $(nnuenet)" + $(eval nnuedownloadurl1 := https://tests.stockfishchess.org/api/nn/$(nnuenet)) + $(eval nnuedownloadurl2 := https://github.com/official-stockfish/networks/raw/master/$(nnuenet)) + $(eval curl_or_wget := $(shell if hash curl 2>/dev/null; then echo "curl -skL"; elif hash wget 2>/dev/null; then echo "wget -qO-"; fi)) + @if [ "x$(curl_or_wget)" = "x" ]; then \ + echo "Automatic download failed: neither curl nor wget is installed. Install one of these tools or download the net manually"; exit 1; \ + fi + $(eval shasum_command := $(shell if hash shasum 2>/dev/null; then echo "shasum -a 256 "; elif hash sha256sum 2>/dev/null; then echo "sha256sum "; fi)) + @if [ "x$(shasum_command)" = "x" ]; then \ + echo "shasum / sha256sum not found, skipping net validation"; \ + fi + @for nnuedownloadurl in "$(nnuedownloadurl1)" "$(nnuedownloadurl2)"; do \ + if test -f "$(nnuenet)"; then \ + echo "$(nnuenet) available."; \ + else \ + if [ "x$(curl_or_wget)" != "x" ]; then \ + echo "Downloading $${nnuedownloadurl}"; $(curl_or_wget) $${nnuedownloadurl} > $(nnuenet);\ + fi; \ + fi; \ + if [ "x$(shasum_command)" != "x" ]; then \ + if [ "$(nnuenet)" != "nn-"`$(shasum_command) $(nnuenet) | cut -c1-12`".nnue" ]; then \ + echo "Removing failed download"; rm -f $(nnuenet); \ + else \ + echo "Network validated"; break; \ + fi; \ + fi; \ + done + @if ! test -f "$(nnuenet)"; then \ + echo "Failed to download $(nnuenet)."; \ + fi + +# clean binaries and objects +objclean: + @rm -f stockfish stockfish.exe *.o ./syzygy/*.o ./nnue/*.o ./nnue/features/*.o + +# clean auxiliary profiling files +profileclean: + @rm -rf profdir + @rm -f bench.txt *.gcda *.gcno ./syzygy/*.gcda ./nnue/*.gcda ./nnue/features/*.gcda *.s + @rm -f stockfish.profdata *.profraw + @rm -f stockfish.*args* + @rm -f stockfish.*lt* + @rm -f stockfish.res + @rm -f ./-lstdc++.res + +default: + help + +### ========================================================================== +### Section 5. Private Targets +### ========================================================================== + +all: $(EXE) .depend + +config-sanity: net + @echo "" + @echo "Config:" + @echo "debug: '$(debug)'" + @echo "sanitize: '$(sanitize)'" + @echo "optimize: '$(optimize)'" + @echo "arch: '$(arch)'" + @echo "bits: '$(bits)'" + @echo "kernel: '$(KERNEL)'" + @echo "os: '$(OS)'" + @echo "prefetch: '$(prefetch)'" + @echo "popcnt: '$(popcnt)'" + @echo "pext: '$(pext)'" + @echo "sse: '$(sse)'" + @echo "mmx: '$(mmx)'" + @echo "sse2: '$(sse2)'" + @echo "ssse3: '$(ssse3)'" + @echo "sse41: '$(sse41)'" + @echo "avx2: '$(avx2)'" + @echo "avxvnni: '$(avxvnni)'" + @echo "avx512: '$(avx512)'" + @echo "vnni256: '$(vnni256)'" + @echo "vnni512: '$(vnni512)'" + @echo "neon: '$(neon)'" + @echo "arm_version: '$(arm_version)'" + @echo "" + @echo "Flags:" + @echo "CXX: $(CXX)" + @echo "CXXFLAGS: $(CXXFLAGS)" + @echo "LDFLAGS: $(LDFLAGS)" + @echo "" + @echo "Testing config sanity. If this fails, try 'make help' ..." + @echo "" + @test "$(debug)" = "yes" || test "$(debug)" = "no" + @test "$(optimize)" = "yes" || test "$(optimize)" = "no" + @test "$(SUPPORTED_ARCH)" = "true" + @test "$(arch)" = "any" || test "$(arch)" = "x86_64" || test "$(arch)" = "i386" || \ + test "$(arch)" = "ppc64" || test "$(arch)" = "ppc" || test "$(arch)" = "e2k" || \ + test "$(arch)" = "armv7" || test "$(arch)" = "armv8" || test "$(arch)" = "arm64" || test "$(arch)" = "riscv64" + @test "$(bits)" = "32" || test "$(bits)" = "64" + @test "$(prefetch)" = "yes" || test "$(prefetch)" = "no" + @test "$(popcnt)" = "yes" || test "$(popcnt)" = "no" + @test "$(pext)" = "yes" || test "$(pext)" = "no" + @test "$(sse)" = "yes" || test "$(sse)" = "no" + @test "$(mmx)" = "yes" || test "$(mmx)" = "no" + @test "$(sse2)" = "yes" || test "$(sse2)" = "no" + @test "$(ssse3)" = "yes" || test "$(ssse3)" = "no" + @test "$(sse41)" = "yes" || test "$(sse41)" = "no" + @test "$(avx2)" = "yes" || test "$(avx2)" = "no" + @test "$(avx512)" = "yes" || test "$(avx512)" = "no" + @test "$(vnni256)" = "yes" || test "$(vnni256)" = "no" + @test "$(vnni512)" = "yes" || test "$(vnni512)" = "no" + @test "$(neon)" = "yes" || test "$(neon)" = "no" + @test "$(comp)" = "gcc" || test "$(comp)" = "icc" || test "$(comp)" = "mingw" || test "$(comp)" = "clang" \ + || test "$(comp)" = "armv7a-linux-androideabi16-clang" || test "$(comp)" = "aarch64-linux-android21-clang" + +$(EXE): $(OBJS) + +$(CXX) -o $@ $(OBJS) $(LDFLAGS) + +# Force recompilation to ensure version info is up-to-date +misc.o: FORCE +FORCE: + +clang-profile-make: + $(MAKE) ARCH=$(ARCH) COMP=$(COMP) \ + EXTRACXXFLAGS='-fprofile-instr-generate ' \ + EXTRALDFLAGS=' -fprofile-instr-generate' \ + all + +clang-profile-use: + $(XCRUN) llvm-profdata merge -output=stockfish.profdata *.profraw + $(MAKE) ARCH=$(ARCH) COMP=$(COMP) \ + EXTRACXXFLAGS='-fprofile-instr-use=stockfish.profdata' \ + EXTRALDFLAGS='-fprofile-use ' \ + all + +gcc-profile-make: + @mkdir -p profdir + $(MAKE) ARCH=$(ARCH) COMP=$(COMP) \ + EXTRACXXFLAGS='-fprofile-generate=profdir' \ + EXTRACXXFLAGS+=$(EXTRAPROFILEFLAGS) \ + EXTRALDFLAGS='-lgcov' \ + all + +gcc-profile-use: + $(MAKE) ARCH=$(ARCH) COMP=$(COMP) \ + EXTRACXXFLAGS='-fprofile-use=profdir -fno-peel-loops -fno-tracer' \ + EXTRACXXFLAGS+=$(EXTRAPROFILEFLAGS) \ + EXTRALDFLAGS='-lgcov' \ + all + +icc-profile-make: + @mkdir -p profdir + $(MAKE) ARCH=$(ARCH) COMP=$(COMP) \ + EXTRACXXFLAGS='-prof-gen=srcpos -prof_dir ./profdir' \ + all + +icc-profile-use: + $(MAKE) ARCH=$(ARCH) COMP=$(COMP) \ + EXTRACXXFLAGS='-prof_use -prof_dir ./profdir' \ + all + +.depend: $(SRCS) + -@$(CXX) $(DEPENDFLAGS) -MM $(SRCS) > $@ 2> /dev/null + +-include .depend diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/benchmark.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/benchmark.cpp new file mode 100755 index 00000000..e1c025ad --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/benchmark.cpp @@ -0,0 +1,175 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include +#include +#include +#include + +#include "position.h" + +using namespace std; + +namespace { + +const vector Defaults = { + "setoption name UCI_Chess960 value false", + "rnbqkbnr/pppppppp/8/8/8/8/PPPPPPPP/RNBQKBNR w KQkq - 0 1", + "r3k2r/p1ppqpb1/bn2pnp1/3PN3/1p2P3/2N2Q1p/PPPBBPPP/R3K2R w KQkq - 0 10", + "8/2p5/3p4/KP5r/1R3p1k/8/4P1P1/8 w - - 0 11", + "4rrk1/pp1n3p/3q2pQ/2p1pb2/2PP4/2P3N1/P2B2PP/4RRK1 b - - 7 19", + "rq3rk1/ppp2ppp/1bnpb3/3N2B1/3NP3/7P/PPPQ1PP1/2KR3R w - - 7 14 moves d4e6", + "r1bq1r1k/1pp1n1pp/1p1p4/4p2Q/4Pp2/1BNP4/PPP2PPP/3R1RK1 w - - 2 14 moves g2g4", + "r3r1k1/2p2ppp/p1p1bn2/8/1q2P3/2NPQN2/PPP3PP/R4RK1 b - - 2 15", + "r1bbk1nr/pp3p1p/2n5/1N4p1/2Np1B2/8/PPP2PPP/2KR1B1R w kq - 0 13", + "r1bq1rk1/ppp1nppp/4n3/3p3Q/3P4/1BP1B3/PP1N2PP/R4RK1 w - - 1 16", + "4r1k1/r1q2ppp/ppp2n2/4P3/5Rb1/1N1BQ3/PPP3PP/R5K1 w - - 1 17", + "2rqkb1r/ppp2p2/2npb1p1/1N1Nn2p/2P1PP2/8/PP2B1PP/R1BQK2R b KQ - 0 11", + "r1bq1r1k/b1p1npp1/p2p3p/1p6/3PP3/1B2NN2/PP3PPP/R2Q1RK1 w - - 1 16", + "3r1rk1/p5pp/bpp1pp2/8/q1PP1P2/b3P3/P2NQRPP/1R2B1K1 b - - 6 22", + "r1q2rk1/2p1bppp/2Pp4/p6b/Q1PNp3/4B3/PP1R1PPP/2K4R w - - 2 18", + "4k2r/1pb2ppp/1p2p3/1R1p4/3P4/2r1PN2/P4PPP/1R4K1 b - - 3 22", + "3q2k1/pb3p1p/4pbp1/2r5/PpN2N2/1P2P2P/5PP1/Q2R2K1 b - - 4 26", + "6k1/6p1/6Pp/ppp5/3pn2P/1P3K2/1PP2P2/3N4 b - - 0 1", + "3b4/5kp1/1p1p1p1p/pP1PpP1P/P1P1P3/3KN3/8/8 w - - 0 1", + "2K5/p7/7P/5pR1/8/5k2/r7/8 w - - 0 1 moves g5g6 f3e3 g6g5 e3f3", + "8/6pk/1p6/8/PP3p1p/5P2/4KP1q/3Q4 w - - 0 1", + "7k/3p2pp/4q3/8/4Q3/5Kp1/P6b/8 w - - 0 1", + "8/2p5/8/2kPKp1p/2p4P/2P5/3P4/8 w - - 0 1", + "8/1p3pp1/7p/5P1P/2k3P1/8/2K2P2/8 w - - 0 1", + "8/pp2r1k1/2p1p3/3pP2p/1P1P1P1P/P5KR/8/8 w - - 0 1", + "8/3p4/p1bk3p/Pp6/1Kp1PpPp/2P2P1P/2P5/5B2 b - - 0 1", + "5k2/7R/4P2p/5K2/p1r2P1p/8/8/8 b - - 0 1", + "6k1/6p1/P6p/r1N5/5p2/7P/1b3PP1/4R1K1 w - - 0 1", + "1r3k2/4q3/2Pp3b/3Bp3/2Q2p2/1p1P2P1/1P2KP2/3N4 w - - 0 1", + "6k1/4pp1p/3p2p1/P1pPb3/R7/1r2P1PP/3B1P2/6K1 w - - 0 1", + "8/3p3B/5p2/5P2/p7/PP5b/k7/6K1 w - - 0 1", + "5rk1/q6p/2p3bR/1pPp1rP1/1P1Pp3/P3B1Q1/1K3P2/R7 w - - 93 90", + "4rrk1/1p1nq3/p7/2p1P1pp/3P2bp/3Q1Bn1/PPPB4/1K2R1NR w - - 40 21", + "r3k2r/3nnpbp/q2pp1p1/p7/Pp1PPPP1/4BNN1/1P5P/R2Q1RK1 w kq - 0 16", + "3Qb1k1/1r2ppb1/pN1n2q1/Pp1Pp1Pr/4P2p/4BP2/4B1R1/1R5K b - - 11 40", + "4k3/3q1r2/1N2r1b1/3ppN2/2nPP3/1B1R2n1/2R1Q3/3K4 w - - 5 1", + + // 5-man positions + "8/8/8/8/5kp1/P7/8/1K1N4 w - - 0 1", // Kc2 - mate + "8/8/8/5N2/8/p7/8/2NK3k w - - 0 1", // Na2 - mate + "8/3k4/8/8/8/4B3/4KB2/2B5 w - - 0 1", // draw + + // 6-man positions + "8/8/1P6/5pr1/8/4R3/7k/2K5 w - - 0 1", // Re5 - mate + "8/2p4P/8/kr6/6R1/8/8/1K6 w - - 0 1", // Ka2 - mate + "8/8/3P3k/8/1p6/8/1P6/1K3n2 b - - 0 1", // Nd2 - draw + + // 7-man positions + "8/R7/2q5/8/6k1/8/1P5p/K6R w - - 0 124", // Draw + + // Mate and stalemate positions + "6k1/3b3r/1p1p4/p1n2p2/1PPNpP1q/P3Q1p1/1R1RB1P1/5K2 b - - 0 1", + "r2r1n2/pp2bk2/2p1p2p/3q4/3PN1QP/2P3R1/P4PP1/5RK1 w - - 0 1", + "8/8/8/8/8/6k1/6p1/6K1 w - -", + "7k/7P/6K1/8/3B4/8/8/8 b - -", + + // Chess 960 + "setoption name UCI_Chess960 value true", + "bbqnnrkr/pppppppp/8/8/8/8/PPPPPPPP/BBQNNRKR w HFhf - 0 1 moves g2g3 d7d5 d2d4 c8h3 c1g5 e8d6 g5e7 f7f6", + "nqbnrkrb/pppppppp/8/8/8/8/PPPPPPPP/NQBNRKRB w KQkq - 0 1", + "setoption name UCI_Chess960 value false" +}; + +} // namespace + +namespace Stockfish { + +/// setup_bench() builds a list of UCI commands to be run by bench. There +/// are five parameters: TT size in MB, number of search threads that +/// should be used, the limit value spent for each position, a file name +/// where to look for positions in FEN format, the type of the limit: +/// depth, perft, nodes and movetime (in millisecs), and evaluation type +/// mixed (default), classical, NNUE. +/// +/// bench -> search default positions up to depth 13 +/// bench 64 1 15 -> search default positions up to depth 15 (TT = 64MB) +/// bench 64 4 5000 current movetime -> search current position with 4 threads for 5 sec +/// bench 64 1 100000 default nodes -> search default positions for 100K nodes each +/// bench 16 1 5 default perft -> run a perft 5 on default positions + +vector setup_bench(const Position& current, istream& is) { + + vector fens, list; + string go, token; + + // Assign default values to missing arguments + string ttSize = (is >> token) ? token : "16"; + string threads = (is >> token) ? token : "1"; + string limit = (is >> token) ? token : "13"; + string fenFile = (is >> token) ? token : "default"; + string limitType = (is >> token) ? token : "depth"; + string evalType = (is >> token) ? token : "mixed"; + + go = limitType == "eval" ? "eval" : "go " + limitType + " " + limit; + + if (fenFile == "default") + fens = Defaults; + + else if (fenFile == "current") + fens.push_back(current.fen()); + + else + { + string fen; + ifstream file(fenFile); + + if (!file.is_open()) + { + cerr << "Unable to open file " << fenFile << endl; + exit(EXIT_FAILURE); + } + + while (getline(file, fen)) + if (!fen.empty()) + fens.push_back(fen); + + file.close(); + } + + list.emplace_back("setoption name Threads value " + threads); + list.emplace_back("setoption name Hash value " + ttSize); + list.emplace_back("ucinewgame"); + + size_t posCounter = 0; + + for (const string& fen : fens) + if (fen.find("setoption") != string::npos) + list.emplace_back(fen); + else + { + if (evalType == "classical" || (evalType == "mixed" && posCounter % 2 == 0)) + list.emplace_back("setoption name Use NNUE value false"); + else if (evalType == "NNUE" || (evalType == "mixed" && posCounter % 2 != 0)) + list.emplace_back("setoption name Use NNUE value true"); + list.emplace_back("position fen " + fen); + list.emplace_back(go); + ++posCounter; + } + + list.emplace_back("setoption name Use NNUE value true"); + + return list; +} + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/bitbase.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/bitbase.cpp new file mode 100755 index 00000000..84300baf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/bitbase.cpp @@ -0,0 +1,172 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include +#include +#include + +#include "bitboard.h" +#include "types.h" + +namespace Stockfish { + +namespace { + + // There are 24 possible pawn squares: files A to D and ranks from 2 to 7. + // Positions with the pawn on files E to H will be mirrored before probing. + constexpr unsigned MAX_INDEX = 2*24*64*64; // stm * psq * wksq * bksq = 196608 + + std::bitset KPKBitbase; + + // A KPK bitbase index is an integer in [0, IndexMax] range + // + // Information is mapped in a way that minimizes the number of iterations: + // + // bit 0- 5: white king square (from SQ_A1 to SQ_H8) + // bit 6-11: black king square (from SQ_A1 to SQ_H8) + // bit 12: side to move (WHITE or BLACK) + // bit 13-14: white pawn file (from FILE_A to FILE_D) + // bit 15-17: white pawn RANK_7 - rank (from RANK_7 - RANK_7 to RANK_7 - RANK_2) + unsigned index(Color stm, Square bksq, Square wksq, Square psq) { + return int(wksq) | (bksq << 6) | (stm << 12) | (file_of(psq) << 13) | ((RANK_7 - rank_of(psq)) << 15); + } + + enum Result { + INVALID = 0, + UNKNOWN = 1, + DRAW = 2, + WIN = 4 + }; + + Result& operator|=(Result& r, Result v) { return r = Result(r | v); } + + struct KPKPosition { + KPKPosition() = default; + explicit KPKPosition(unsigned idx); + operator Result() const { return result; } + Result classify(const std::vector& db); + + Color stm; + Square ksq[COLOR_NB], psq; + Result result; + }; + +} // namespace + +bool Bitbases::probe(Square wksq, Square wpsq, Square bksq, Color stm) { + + assert(file_of(wpsq) <= FILE_D); + + return KPKBitbase[index(stm, bksq, wksq, wpsq)]; +} + + +void Bitbases::init() { + + std::vector db(MAX_INDEX); + unsigned idx, repeat = 1; + + // Initialize db with known win / draw positions + for (idx = 0; idx < MAX_INDEX; ++idx) + db[idx] = KPKPosition(idx); + + // Iterate through the positions until none of the unknown positions can be + // changed to either wins or draws (15 cycles needed). + while (repeat) + for (repeat = idx = 0; idx < MAX_INDEX; ++idx) + repeat |= (db[idx] == UNKNOWN && db[idx].classify(db) != UNKNOWN); + + // Fill the bitbase with the decisive results + for (idx = 0; idx < MAX_INDEX; ++idx) + if (db[idx] == WIN) + KPKBitbase.set(idx); +} + +namespace { + + KPKPosition::KPKPosition(unsigned idx) { + + ksq[WHITE] = Square((idx >> 0) & 0x3F); + ksq[BLACK] = Square((idx >> 6) & 0x3F); + stm = Color ((idx >> 12) & 0x01); + psq = make_square(File((idx >> 13) & 0x3), Rank(RANK_7 - ((idx >> 15) & 0x7))); + + // Invalid if two pieces are on the same square or if a king can be captured + if ( distance(ksq[WHITE], ksq[BLACK]) <= 1 + || ksq[WHITE] == psq + || ksq[BLACK] == psq + || (stm == WHITE && (pawn_attacks_bb(WHITE, psq) & ksq[BLACK]))) + result = INVALID; + + // Win if the pawn can be promoted without getting captured + else if ( stm == WHITE + && rank_of(psq) == RANK_7 + && ksq[WHITE] != psq + NORTH + && ( distance(ksq[BLACK], psq + NORTH) > 1 + || (distance(ksq[WHITE], psq + NORTH) == 1))) + result = WIN; + + // Draw if it is stalemate or the black king can capture the pawn + else if ( stm == BLACK + && ( !(attacks_bb(ksq[BLACK]) & ~(attacks_bb(ksq[WHITE]) | pawn_attacks_bb(WHITE, psq))) + || (attacks_bb(ksq[BLACK]) & ~attacks_bb(ksq[WHITE]) & psq))) + result = DRAW; + + // Position will be classified later + else + result = UNKNOWN; + } + + Result KPKPosition::classify(const std::vector& db) { + + // White to move: If one move leads to a position classified as WIN, the result + // of the current position is WIN. If all moves lead to positions classified + // as DRAW, the current position is classified as DRAW, otherwise the current + // position is classified as UNKNOWN. + // + // Black to move: If one move leads to a position classified as DRAW, the result + // of the current position is DRAW. If all moves lead to positions classified + // as WIN, the position is classified as WIN, otherwise the current position is + // classified as UNKNOWN. + const Result Good = (stm == WHITE ? WIN : DRAW); + const Result Bad = (stm == WHITE ? DRAW : WIN); + + Result r = INVALID; + Bitboard b = attacks_bb(ksq[stm]); + + while (b) + r |= stm == WHITE ? db[index(BLACK, ksq[BLACK], pop_lsb(b), psq)] + : db[index(WHITE, pop_lsb(b), ksq[WHITE], psq)]; + + if (stm == WHITE) + { + if (rank_of(psq) < RANK_7) // Single push + r |= db[index(BLACK, ksq[BLACK], ksq[WHITE], psq + NORTH)]; + + if ( rank_of(psq) == RANK_2 // Double push + && psq + NORTH != ksq[WHITE] + && psq + NORTH != ksq[BLACK]) + r |= db[index(BLACK, ksq[BLACK], ksq[WHITE], psq + NORTH + NORTH)]; + } + + return result = r & Good ? Good : r & UNKNOWN ? UNKNOWN : Bad; + } + +} // namespace + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/bitboard.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/bitboard.cpp new file mode 100755 index 00000000..fd0ba235 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/bitboard.cpp @@ -0,0 +1,222 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include +#include + +#include "bitboard.h" +#include "misc.h" + +namespace Stockfish { + +uint8_t PopCnt16[1 << 16]; +uint8_t SquareDistance[SQUARE_NB][SQUARE_NB]; + +Bitboard SquareBB[SQUARE_NB]; +Bitboard LineBB[SQUARE_NB][SQUARE_NB]; +Bitboard BetweenBB[SQUARE_NB][SQUARE_NB]; +Bitboard PseudoAttacks[PIECE_TYPE_NB][SQUARE_NB]; +Bitboard PawnAttacks[COLOR_NB][SQUARE_NB]; + +Magic RookMagics[SQUARE_NB]; +Magic BishopMagics[SQUARE_NB]; + +namespace { + + Bitboard RookTable[0x19000]; // To store rook attacks + Bitboard BishopTable[0x1480]; // To store bishop attacks + + void init_magics(PieceType pt, Bitboard table[], Magic magics[]); + +} + +/// safe_destination() returns the bitboard of target square for the given step +/// from the given square. If the step is off the board, returns empty bitboard. + +inline Bitboard safe_destination(Square s, int step) { + Square to = Square(s + step); + return is_ok(to) && distance(s, to) <= 2 ? square_bb(to) : Bitboard(0); +} + + +/// Bitboards::pretty() returns an ASCII representation of a bitboard suitable +/// to be printed to standard output. Useful for debugging. + +std::string Bitboards::pretty(Bitboard b) { + + std::string s = "+---+---+---+---+---+---+---+---+\n"; + + for (Rank r = RANK_8; r >= RANK_1; --r) + { + for (File f = FILE_A; f <= FILE_H; ++f) + s += b & make_square(f, r) ? "| X " : "| "; + + s += "| " + std::to_string(1 + r) + "\n+---+---+---+---+---+---+---+---+\n"; + } + s += " a b c d e f g h\n"; + + return s; +} + + +/// Bitboards::init() initializes various bitboard tables. It is called at +/// startup and relies on global objects to be already zero-initialized. + +void Bitboards::init() { + + for (unsigned i = 0; i < (1 << 16); ++i) + PopCnt16[i] = uint8_t(std::bitset<16>(i).count()); + + for (Square s = SQ_A1; s <= SQ_H8; ++s) + SquareBB[s] = (1ULL << s); + + for (Square s1 = SQ_A1; s1 <= SQ_H8; ++s1) + for (Square s2 = SQ_A1; s2 <= SQ_H8; ++s2) + SquareDistance[s1][s2] = std::max(distance(s1, s2), distance(s1, s2)); + + init_magics(ROOK, RookTable, RookMagics); + init_magics(BISHOP, BishopTable, BishopMagics); + + for (Square s1 = SQ_A1; s1 <= SQ_H8; ++s1) + { + PawnAttacks[WHITE][s1] = pawn_attacks_bb(square_bb(s1)); + PawnAttacks[BLACK][s1] = pawn_attacks_bb(square_bb(s1)); + + for (int step : {-9, -8, -7, -1, 1, 7, 8, 9} ) + PseudoAttacks[KING][s1] |= safe_destination(s1, step); + + for (int step : {-17, -15, -10, -6, 6, 10, 15, 17} ) + PseudoAttacks[KNIGHT][s1] |= safe_destination(s1, step); + + PseudoAttacks[QUEEN][s1] = PseudoAttacks[BISHOP][s1] = attacks_bb(s1, 0); + PseudoAttacks[QUEEN][s1] |= PseudoAttacks[ ROOK][s1] = attacks_bb< ROOK>(s1, 0); + + for (PieceType pt : { BISHOP, ROOK }) + for (Square s2 = SQ_A1; s2 <= SQ_H8; ++s2) + { + if (PseudoAttacks[pt][s1] & s2) + { + LineBB[s1][s2] = (attacks_bb(pt, s1, 0) & attacks_bb(pt, s2, 0)) | s1 | s2; + BetweenBB[s1][s2] = (attacks_bb(pt, s1, square_bb(s2)) & attacks_bb(pt, s2, square_bb(s1))); + } + BetweenBB[s1][s2] |= s2; + } + } +} + +namespace { + + Bitboard sliding_attack(PieceType pt, Square sq, Bitboard occupied) { + + Bitboard attacks = 0; + Direction RookDirections[4] = {NORTH, SOUTH, EAST, WEST}; + Direction BishopDirections[4] = {NORTH_EAST, SOUTH_EAST, SOUTH_WEST, NORTH_WEST}; + + for (Direction d : (pt == ROOK ? RookDirections : BishopDirections)) + { + Square s = sq; + while (safe_destination(s, d) && !(occupied & s)) + attacks |= (s += d); + } + + return attacks; + } + + + // init_magics() computes all rook and bishop attacks at startup. Magic + // bitboards are used to look up attacks of sliding pieces. As a reference see + // www.chessprogramming.org/Magic_Bitboards. In particular, here we use the so + // called "fancy" approach. + + void init_magics(PieceType pt, Bitboard table[], Magic magics[]) { + + // Optimal PRNG seeds to pick the correct magics in the shortest time + int seeds[][RANK_NB] = { { 8977, 44560, 54343, 38998, 5731, 95205, 104912, 17020 }, + { 728, 10316, 55013, 32803, 12281, 15100, 16645, 255 } }; + + Bitboard occupancy[4096], reference[4096], edges, b; + int epoch[4096] = {}, cnt = 0, size = 0; + + for (Square s = SQ_A1; s <= SQ_H8; ++s) + { + // Board edges are not considered in the relevant occupancies + edges = ((Rank1BB | Rank8BB) & ~rank_bb(s)) | ((FileABB | FileHBB) & ~file_bb(s)); + + // Given a square 's', the mask is the bitboard of sliding attacks from + // 's' computed on an empty board. The index must be big enough to contain + // all the attacks for each possible subset of the mask and so is 2 power + // the number of 1s of the mask. Hence we deduce the size of the shift to + // apply to the 64 or 32 bits word to get the index. + Magic& m = magics[s]; + m.mask = sliding_attack(pt, s, 0) & ~edges; + m.shift = (Is64Bit ? 64 : 32) - popcount(m.mask); + + // Set the offset for the attacks table of the square. We have individual + // table sizes for each square with "Fancy Magic Bitboards". + m.attacks = s == SQ_A1 ? table : magics[s - 1].attacks + size; + + // Use Carry-Rippler trick to enumerate all subsets of masks[s] and + // store the corresponding sliding attack bitboard in reference[]. + b = size = 0; + do { + occupancy[size] = b; + reference[size] = sliding_attack(pt, s, b); + + if (HasPext) + m.attacks[pext(b, m.mask)] = reference[size]; + + size++; + b = (b - m.mask) & m.mask; + } while (b); + + if (HasPext) + continue; + + PRNG rng(seeds[Is64Bit][rank_of(s)]); + + // Find a magic for square 's' picking up an (almost) random number + // until we find the one that passes the verification test. + for (int i = 0; i < size; ) + { + for (m.magic = 0; popcount((m.magic * m.mask) >> 56) < 6; ) + m.magic = rng.sparse_rand(); + + // A good magic must map every possible occupancy to an index that + // looks up the correct sliding attack in the attacks[s] database. + // Note that we build up the database for square 's' as a side + // effect of verifying the magic. Keep track of the attempt count + // and save it in epoch[], little speed-up trick to avoid resetting + // m.attacks[] after every failed attempt. + for (++cnt, i = 0; i < size; ++i) + { + unsigned idx = m.index(occupancy[i]); + + if (epoch[idx] < cnt) + { + epoch[idx] = cnt; + m.attacks[idx] = reference[i]; + } + else if (m.attacks[idx] != reference[i]) + break; + } + } + } + } +} + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/bitboard.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/bitboard.h new file mode 100755 index 00000000..2b6e2a69 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/bitboard.h @@ -0,0 +1,451 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef BITBOARD_H_INCLUDED +#define BITBOARD_H_INCLUDED + +#include + +#include "types.h" + +namespace Stockfish { + +namespace Bitbases { + +void init(); +bool probe(Square wksq, Square wpsq, Square bksq, Color us); + +} // namespace Stockfish::Bitbases + +namespace Bitboards { + +void init(); +std::string pretty(Bitboard b); + +} // namespace Stockfish::Bitboards + +constexpr Bitboard AllSquares = ~Bitboard(0); +constexpr Bitboard DarkSquares = 0xAA55AA55AA55AA55ULL; + +constexpr Bitboard FileABB = 0x0101010101010101ULL; +constexpr Bitboard FileBBB = FileABB << 1; +constexpr Bitboard FileCBB = FileABB << 2; +constexpr Bitboard FileDBB = FileABB << 3; +constexpr Bitboard FileEBB = FileABB << 4; +constexpr Bitboard FileFBB = FileABB << 5; +constexpr Bitboard FileGBB = FileABB << 6; +constexpr Bitboard FileHBB = FileABB << 7; + +constexpr Bitboard Rank1BB = 0xFF; +constexpr Bitboard Rank2BB = Rank1BB << (8 * 1); +constexpr Bitboard Rank3BB = Rank1BB << (8 * 2); +constexpr Bitboard Rank4BB = Rank1BB << (8 * 3); +constexpr Bitboard Rank5BB = Rank1BB << (8 * 4); +constexpr Bitboard Rank6BB = Rank1BB << (8 * 5); +constexpr Bitboard Rank7BB = Rank1BB << (8 * 6); +constexpr Bitboard Rank8BB = Rank1BB << (8 * 7); + +constexpr Bitboard QueenSide = FileABB | FileBBB | FileCBB | FileDBB; +constexpr Bitboard CenterFiles = FileCBB | FileDBB | FileEBB | FileFBB; +constexpr Bitboard KingSide = FileEBB | FileFBB | FileGBB | FileHBB; +constexpr Bitboard Center = (FileDBB | FileEBB) & (Rank4BB | Rank5BB); + +constexpr Bitboard KingFlank[FILE_NB] = { + QueenSide ^ FileDBB, QueenSide, QueenSide, + CenterFiles, CenterFiles, + KingSide, KingSide, KingSide ^ FileEBB +}; + +extern uint8_t PopCnt16[1 << 16]; +extern uint8_t SquareDistance[SQUARE_NB][SQUARE_NB]; + +extern Bitboard SquareBB[SQUARE_NB]; +extern Bitboard BetweenBB[SQUARE_NB][SQUARE_NB]; +extern Bitboard LineBB[SQUARE_NB][SQUARE_NB]; +extern Bitboard PseudoAttacks[PIECE_TYPE_NB][SQUARE_NB]; +extern Bitboard PawnAttacks[COLOR_NB][SQUARE_NB]; + + +/// Magic holds all magic bitboards relevant data for a single square +struct Magic { + Bitboard mask; + Bitboard magic; + Bitboard* attacks; + unsigned shift; + + // Compute the attack's index using the 'magic bitboards' approach + unsigned index(Bitboard occupied) const { + + if (HasPext) + return unsigned(pext(occupied, mask)); + + if (Is64Bit) + return unsigned(((occupied & mask) * magic) >> shift); + + unsigned lo = unsigned(occupied) & unsigned(mask); + unsigned hi = unsigned(occupied >> 32) & unsigned(mask >> 32); + return (lo * unsigned(magic) ^ hi * unsigned(magic >> 32)) >> shift; + } +}; + +extern Magic RookMagics[SQUARE_NB]; +extern Magic BishopMagics[SQUARE_NB]; + +inline Bitboard square_bb(Square s) { + assert(is_ok(s)); + return SquareBB[s]; +} + + +/// Overloads of bitwise operators between a Bitboard and a Square for testing +/// whether a given bit is set in a bitboard, and for setting and clearing bits. + +inline Bitboard operator&( Bitboard b, Square s) { return b & square_bb(s); } +inline Bitboard operator|( Bitboard b, Square s) { return b | square_bb(s); } +inline Bitboard operator^( Bitboard b, Square s) { return b ^ square_bb(s); } +inline Bitboard& operator|=(Bitboard& b, Square s) { return b |= square_bb(s); } +inline Bitboard& operator^=(Bitboard& b, Square s) { return b ^= square_bb(s); } + +inline Bitboard operator&(Square s, Bitboard b) { return b & s; } +inline Bitboard operator|(Square s, Bitboard b) { return b | s; } +inline Bitboard operator^(Square s, Bitboard b) { return b ^ s; } + +inline Bitboard operator|(Square s1, Square s2) { return square_bb(s1) | s2; } + +constexpr bool more_than_one(Bitboard b) { + return b & (b - 1); +} + + +constexpr bool opposite_colors(Square s1, Square s2) { + return (s1 + rank_of(s1) + s2 + rank_of(s2)) & 1; +} + + +/// rank_bb() and file_bb() return a bitboard representing all the squares on +/// the given file or rank. + +constexpr Bitboard rank_bb(Rank r) { + return Rank1BB << (8 * r); +} + +constexpr Bitboard rank_bb(Square s) { + return rank_bb(rank_of(s)); +} + +constexpr Bitboard file_bb(File f) { + return FileABB << f; +} + +constexpr Bitboard file_bb(Square s) { + return file_bb(file_of(s)); +} + + +/// shift() moves a bitboard one or two steps as specified by the direction D + +template +constexpr Bitboard shift(Bitboard b) { + return D == NORTH ? b << 8 : D == SOUTH ? b >> 8 + : D == NORTH+NORTH? b <<16 : D == SOUTH+SOUTH? b >>16 + : D == EAST ? (b & ~FileHBB) << 1 : D == WEST ? (b & ~FileABB) >> 1 + : D == NORTH_EAST ? (b & ~FileHBB) << 9 : D == NORTH_WEST ? (b & ~FileABB) << 7 + : D == SOUTH_EAST ? (b & ~FileHBB) >> 7 : D == SOUTH_WEST ? (b & ~FileABB) >> 9 + : 0; +} + + +/// pawn_attacks_bb() returns the squares attacked by pawns of the given color +/// from the squares in the given bitboard. + +template +constexpr Bitboard pawn_attacks_bb(Bitboard b) { + return C == WHITE ? shift(b) | shift(b) + : shift(b) | shift(b); +} + +inline Bitboard pawn_attacks_bb(Color c, Square s) { + + assert(is_ok(s)); + return PawnAttacks[c][s]; +} + + +/// pawn_double_attacks_bb() returns the squares doubly attacked by pawns of the +/// given color from the squares in the given bitboard. + +template +constexpr Bitboard pawn_double_attacks_bb(Bitboard b) { + return C == WHITE ? shift(b) & shift(b) + : shift(b) & shift(b); +} + + +/// adjacent_files_bb() returns a bitboard representing all the squares on the +/// adjacent files of a given square. + +constexpr Bitboard adjacent_files_bb(Square s) { + return shift(file_bb(s)) | shift(file_bb(s)); +} + + +/// line_bb() returns a bitboard representing an entire line (from board edge +/// to board edge) that intersects the two given squares. If the given squares +/// are not on a same file/rank/diagonal, the function returns 0. For instance, +/// line_bb(SQ_C4, SQ_F7) will return a bitboard with the A2-G8 diagonal. + +inline Bitboard line_bb(Square s1, Square s2) { + + assert(is_ok(s1) && is_ok(s2)); + + return LineBB[s1][s2]; +} + + +/// between_bb(s1, s2) returns a bitboard representing the squares in the semi-open +/// segment between the squares s1 and s2 (excluding s1 but including s2). If the +/// given squares are not on a same file/rank/diagonal, it returns s2. For instance, +/// between_bb(SQ_C4, SQ_F7) will return a bitboard with squares D5, E6 and F7, but +/// between_bb(SQ_E6, SQ_F8) will return a bitboard with the square F8. This trick +/// allows to generate non-king evasion moves faster: the defending piece must either +/// interpose itself to cover the check or capture the checking piece. + +inline Bitboard between_bb(Square s1, Square s2) { + + assert(is_ok(s1) && is_ok(s2)); + + return BetweenBB[s1][s2]; +} + + +/// forward_ranks_bb() returns a bitboard representing the squares on the ranks in +/// front of the given one, from the point of view of the given color. For instance, +/// forward_ranks_bb(BLACK, SQ_D3) will return the 16 squares on ranks 1 and 2. + +constexpr Bitboard forward_ranks_bb(Color c, Square s) { + return c == WHITE ? ~Rank1BB << 8 * relative_rank(WHITE, s) + : ~Rank8BB >> 8 * relative_rank(BLACK, s); +} + + +/// forward_file_bb() returns a bitboard representing all the squares along the +/// line in front of the given one, from the point of view of the given color. + +constexpr Bitboard forward_file_bb(Color c, Square s) { + return forward_ranks_bb(c, s) & file_bb(s); +} + + +/// pawn_attack_span() returns a bitboard representing all the squares that can +/// be attacked by a pawn of the given color when it moves along its file, starting +/// from the given square. + +constexpr Bitboard pawn_attack_span(Color c, Square s) { + return forward_ranks_bb(c, s) & adjacent_files_bb(s); +} + + +/// passed_pawn_span() returns a bitboard which can be used to test if a pawn of +/// the given color and on the given square is a passed pawn. + +constexpr Bitboard passed_pawn_span(Color c, Square s) { + return pawn_attack_span(c, s) | forward_file_bb(c, s); +} + + +/// aligned() returns true if the squares s1, s2 and s3 are aligned either on a +/// straight or on a diagonal line. + +inline bool aligned(Square s1, Square s2, Square s3) { + return line_bb(s1, s2) & s3; +} + + +/// distance() functions return the distance between x and y, defined as the +/// number of steps for a king in x to reach y. + +template inline int distance(Square x, Square y); +template<> inline int distance(Square x, Square y) { return std::abs(file_of(x) - file_of(y)); } +template<> inline int distance(Square x, Square y) { return std::abs(rank_of(x) - rank_of(y)); } +template<> inline int distance(Square x, Square y) { return SquareDistance[x][y]; } + +inline int edge_distance(File f) { return std::min(f, File(FILE_H - f)); } +inline int edge_distance(Rank r) { return std::min(r, Rank(RANK_8 - r)); } + + +/// attacks_bb(Square) returns the pseudo attacks of the give piece type +/// assuming an empty board. + +template +inline Bitboard attacks_bb(Square s) { + + assert((Pt != PAWN) && (is_ok(s))); + + return PseudoAttacks[Pt][s]; +} + + +/// attacks_bb(Square, Bitboard) returns the attacks by the given piece +/// assuming the board is occupied according to the passed Bitboard. +/// Sliding piece attacks do not continue passed an occupied square. + +template +inline Bitboard attacks_bb(Square s, Bitboard occupied) { + + assert((Pt != PAWN) && (is_ok(s))); + + switch (Pt) + { + case BISHOP: return BishopMagics[s].attacks[BishopMagics[s].index(occupied)]; + case ROOK : return RookMagics[s].attacks[ RookMagics[s].index(occupied)]; + case QUEEN : return attacks_bb(s, occupied) | attacks_bb(s, occupied); + default : return PseudoAttacks[Pt][s]; + } +} + +inline Bitboard attacks_bb(PieceType pt, Square s, Bitboard occupied) { + + assert((pt != PAWN) && (is_ok(s))); + + switch (pt) + { + case BISHOP: return attacks_bb(s, occupied); + case ROOK : return attacks_bb< ROOK>(s, occupied); + case QUEEN : return attacks_bb(s, occupied) | attacks_bb(s, occupied); + default : return PseudoAttacks[pt][s]; + } +} + + +/// popcount() counts the number of non-zero bits in a bitboard + +inline int popcount(Bitboard b) { + +#ifndef USE_POPCNT + + union { Bitboard bb; uint16_t u[4]; } v = { b }; + return PopCnt16[v.u[0]] + PopCnt16[v.u[1]] + PopCnt16[v.u[2]] + PopCnt16[v.u[3]]; + +#elif defined(_MSC_VER) || defined(__INTEL_COMPILER) + + return (int)_mm_popcnt_u64(b); + +#else // Assumed gcc or compatible compiler + + return __builtin_popcountll(b); + +#endif +} + + +/// lsb() and msb() return the least/most significant bit in a non-zero bitboard + +#if defined(__GNUC__) // GCC, Clang, ICC + +inline Square lsb(Bitboard b) { + assert(b); + return Square(__builtin_ctzll(b)); +} + +inline Square msb(Bitboard b) { + assert(b); + return Square(63 ^ __builtin_clzll(b)); +} + +#elif defined(_MSC_VER) // MSVC + +#ifdef _WIN64 // MSVC, WIN64 + +inline Square lsb(Bitboard b) { + assert(b); + unsigned long idx; + _BitScanForward64(&idx, b); + return (Square) idx; +} + +inline Square msb(Bitboard b) { + assert(b); + unsigned long idx; + _BitScanReverse64(&idx, b); + return (Square) idx; +} + +#else // MSVC, WIN32 + +inline Square lsb(Bitboard b) { + assert(b); + unsigned long idx; + + if (b & 0xffffffff) { + _BitScanForward(&idx, int32_t(b)); + return Square(idx); + } else { + _BitScanForward(&idx, int32_t(b >> 32)); + return Square(idx + 32); + } +} + +inline Square msb(Bitboard b) { + assert(b); + unsigned long idx; + + if (b >> 32) { + _BitScanReverse(&idx, int32_t(b >> 32)); + return Square(idx + 32); + } else { + _BitScanReverse(&idx, int32_t(b)); + return Square(idx); + } +} + +#endif + +#else // Compiler is neither GCC nor MSVC compatible + +#error "Compiler not supported." + +#endif + +/// least_significant_square_bb() returns the bitboard of the least significant +/// square of a non-zero bitboard. It is equivalent to square_bb(lsb(bb)). + +inline Bitboard least_significant_square_bb(Bitboard b) { + assert(b); + return b & -b; +} + +/// pop_lsb() finds and clears the least significant bit in a non-zero bitboard + +inline Square pop_lsb(Bitboard& b) { + assert(b); + const Square s = lsb(b); + b &= b - 1; + return s; +} + + +/// frontmost_sq() returns the most advanced square for the given color, +/// requires a non-zero bitboard. +inline Square frontmost_sq(Color c, Bitboard b) { + assert(b); + return c == WHITE ? msb(b) : lsb(b); +} + +} // namespace Stockfish + +#endif // #ifndef BITBOARD_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/endgame.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/endgame.cpp new file mode 100755 index 00000000..e773e7a9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/endgame.cpp @@ -0,0 +1,747 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include + +#include "bitboard.h" +#include "endgame.h" +#include "movegen.h" + +namespace Stockfish { + +namespace { + + // Used to drive the king towards the edge of the board + // in KX vs K and KQ vs KR endgames. + // Values range from 27 (center squares) to 90 (in the corners) + inline int push_to_edge(Square s) { + int rd = edge_distance(rank_of(s)), fd = edge_distance(file_of(s)); + return 90 - (7 * fd * fd / 2 + 7 * rd * rd / 2); + } + + // Used to drive the king towards A1H8 corners in KBN vs K endgames. + // Values range from 0 on A8H1 diagonal to 7 in A1H8 corners + inline int push_to_corner(Square s) { + return abs(7 - rank_of(s) - file_of(s)); + } + + // Drive a piece close to or away from another piece + inline int push_close(Square s1, Square s2) { return 140 - 20 * distance(s1, s2); } + inline int push_away(Square s1, Square s2) { return 120 - push_close(s1, s2); } + +#ifndef NDEBUG + bool verify_material(const Position& pos, Color c, Value npm, int pawnsCnt) { + return pos.non_pawn_material(c) == npm && pos.count(c) == pawnsCnt; + } +#endif + + // Map the square as if strongSide is white and strongSide's only pawn + // is on the left half of the board. + Square normalize(const Position& pos, Color strongSide, Square sq) { + + assert(pos.count(strongSide) == 1); + + if (file_of(pos.square(strongSide)) >= FILE_E) + sq = flip_file(sq); + + return strongSide == WHITE ? sq : flip_rank(sq); + } + +} // namespace + + +namespace Endgames { + + std::pair, Map> maps; + + void init() { + + add("KPK"); + add("KNNK"); + add("KBNK"); + add("KRKP"); + add("KRKB"); + add("KRKN"); + add("KQKP"); + add("KQKR"); + add("KNNKP"); + + add("KRPKR"); + add("KRPKB"); + add("KBPKB"); + add("KBPKN"); + add("KBPPKB"); + add("KRPPKRP"); + } +} + + +/// Mate with KX vs K. This function is used to evaluate positions with +/// king and plenty of material vs a lone king. It simply gives the +/// attacking side a bonus for driving the defending king towards the edge +/// of the board, and for keeping the distance between the two kings small. +template<> +Value Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, weakSide, VALUE_ZERO, 0)); + assert(!pos.checkers()); // Eval is never called when in check + + // Stalemate detection with lone king + if (pos.side_to_move() == weakSide && !MoveList(pos).size()) + return VALUE_DRAW; + + Square strongKing = pos.square(strongSide); + Square weakKing = pos.square(weakSide); + + Value result = pos.non_pawn_material(strongSide) + + pos.count(strongSide) * PawnValueEg + + push_to_edge(weakKing) + + push_close(strongKing, weakKing); + + if ( pos.count(strongSide) + || pos.count(strongSide) + ||(pos.count(strongSide) && pos.count(strongSide)) + || ( (pos.pieces(strongSide, BISHOP) & ~DarkSquares) + && (pos.pieces(strongSide, BISHOP) & DarkSquares))) + result = std::min(result + VALUE_KNOWN_WIN, VALUE_TB_WIN_IN_MAX_PLY - 1); + + return strongSide == pos.side_to_move() ? result : -result; +} + + +/// Mate with KBN vs K. This is similar to KX vs K, but we have to drive the +/// defending king towards a corner square that our bishop attacks. +template<> +Value Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, KnightValueMg + BishopValueMg, 0)); + assert(verify_material(pos, weakSide, VALUE_ZERO, 0)); + + Square strongKing = pos.square(strongSide); + Square strongBishop = pos.square(strongSide); + Square weakKing = pos.square(weakSide); + + // If our bishop does not attack A1/H8, we flip the enemy king square + // to drive to opposite corners (A8/H1). + + Value result = (VALUE_KNOWN_WIN + 3520) + + push_close(strongKing, weakKing) + + 420 * push_to_corner(opposite_colors(strongBishop, SQ_A1) ? flip_file(weakKing) : weakKing); + + assert(abs(result) < VALUE_TB_WIN_IN_MAX_PLY); + return strongSide == pos.side_to_move() ? result : -result; +} + + +/// KP vs K. This endgame is evaluated with the help of a bitbase +template<> +Value Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, VALUE_ZERO, 1)); + assert(verify_material(pos, weakSide, VALUE_ZERO, 0)); + + // Assume strongSide is white and the pawn is on files A-D + Square strongKing = normalize(pos, strongSide, pos.square(strongSide)); + Square strongPawn = normalize(pos, strongSide, pos.square(strongSide)); + Square weakKing = normalize(pos, strongSide, pos.square(weakSide)); + + Color us = strongSide == pos.side_to_move() ? WHITE : BLACK; + + if (!Bitbases::probe(strongKing, strongPawn, weakKing, us)) + return VALUE_DRAW; + + Value result = VALUE_KNOWN_WIN + PawnValueEg + Value(rank_of(strongPawn)); + + return strongSide == pos.side_to_move() ? result : -result; +} + + +/// KR vs KP. This is a somewhat tricky endgame to evaluate precisely without +/// a bitbase. The function below returns drawish scores when the pawn is +/// far advanced with support of the king, while the attacking king is far +/// away. +template<> +Value Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, RookValueMg, 0)); + assert(verify_material(pos, weakSide, VALUE_ZERO, 1)); + + Square strongKing = pos.square(strongSide); + Square weakKing = pos.square(weakSide); + Square strongRook = pos.square(strongSide); + Square weakPawn = pos.square(weakSide); + Square queeningSquare = make_square(file_of(weakPawn), relative_rank(weakSide, RANK_8)); + Value result; + + // If the stronger side's king is in front of the pawn, it's a win + if (forward_file_bb(strongSide, strongKing) & weakPawn) + result = RookValueEg - distance(strongKing, weakPawn); + + // If the weaker side's king is too far from the pawn and the rook, + // it's a win. + else if ( distance(weakKing, weakPawn) >= 3 + (pos.side_to_move() == weakSide) + && distance(weakKing, strongRook) >= 3) + result = RookValueEg - distance(strongKing, weakPawn); + + // If the pawn is far advanced and supported by the defending king, + // the position is drawish + else if ( relative_rank(strongSide, weakKing) <= RANK_3 + && distance(weakKing, weakPawn) == 1 + && relative_rank(strongSide, strongKing) >= RANK_4 + && distance(strongKing, weakPawn) > 2 + (pos.side_to_move() == strongSide)) + result = Value(80) - 8 * distance(strongKing, weakPawn); + + else + result = Value(200) - 8 * ( distance(strongKing, weakPawn + pawn_push(weakSide)) + - distance(weakKing, weakPawn + pawn_push(weakSide)) + - distance(weakPawn, queeningSquare)); + + return strongSide == pos.side_to_move() ? result : -result; +} + + +/// KR vs KB. This is very simple, and always returns drawish scores. The +/// score is slightly bigger when the defending king is close to the edge. +template<> +Value Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, RookValueMg, 0)); + assert(verify_material(pos, weakSide, BishopValueMg, 0)); + + Value result = Value(push_to_edge(pos.square(weakSide))); + return strongSide == pos.side_to_move() ? result : -result; +} + + +/// KR vs KN. The attacking side has slightly better winning chances than +/// in KR vs KB, particularly if the king and the knight are far apart. +template<> +Value Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, RookValueMg, 0)); + assert(verify_material(pos, weakSide, KnightValueMg, 0)); + + Square weakKing = pos.square(weakSide); + Square weakKnight = pos.square(weakSide); + Value result = Value(push_to_edge(weakKing) + push_away(weakKing, weakKnight)); + return strongSide == pos.side_to_move() ? result : -result; +} + + +/// KQ vs KP. In general, this is a win for the stronger side, but there are a +/// few important exceptions. A pawn on 7th rank and on the A,C,F or H files +/// with a king positioned next to it can be a draw, so in that case, we only +/// use the distance between the kings. +template<> +Value Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, QueenValueMg, 0)); + assert(verify_material(pos, weakSide, VALUE_ZERO, 1)); + + Square strongKing = pos.square(strongSide); + Square weakKing = pos.square(weakSide); + Square weakPawn = pos.square(weakSide); + + Value result = Value(push_close(strongKing, weakKing)); + + if ( relative_rank(weakSide, weakPawn) != RANK_7 + || distance(weakKing, weakPawn) != 1 + || ((FileBBB | FileDBB | FileEBB | FileGBB) & weakPawn)) + result += QueenValueEg - PawnValueEg; + + return strongSide == pos.side_to_move() ? result : -result; +} + + +/// KQ vs KR. This is almost identical to KX vs K: we give the attacking +/// king a bonus for having the kings close together, and for forcing the +/// defending king towards the edge. If we also take care to avoid null move for +/// the defending side in the search, this is usually sufficient to win KQ vs KR. +template<> +Value Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, QueenValueMg, 0)); + assert(verify_material(pos, weakSide, RookValueMg, 0)); + + Square strongKing = pos.square(strongSide); + Square weakKing = pos.square(weakSide); + + Value result = QueenValueEg + - RookValueEg + + push_to_edge(weakKing) + + push_close(strongKing, weakKing); + + return strongSide == pos.side_to_move() ? result : -result; +} + + +/// KNN vs KP. Very drawish, but there are some mate opportunities if we can +/// press the weakSide King to a corner before the pawn advances too much. +template<> +Value Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, 2 * KnightValueMg, 0)); + assert(verify_material(pos, weakSide, VALUE_ZERO, 1)); + + Square weakKing = pos.square(weakSide); + Square weakPawn = pos.square(weakSide); + + Value result = PawnValueEg + + 2 * push_to_edge(weakKing) + - 10 * relative_rank(weakSide, weakPawn); + + return strongSide == pos.side_to_move() ? result : -result; +} + + +/// Some cases of trivial draws +template<> Value Endgame::operator()(const Position&) const { return VALUE_DRAW; } + + +/// KB and one or more pawns vs K. It checks for draws with rook pawns and +/// a bishop of the wrong color. If such a draw is detected, SCALE_FACTOR_DRAW +/// is returned. If not, the return value is SCALE_FACTOR_NONE, i.e. no scaling +/// will be used. +template<> +ScaleFactor Endgame::operator()(const Position& pos) const { + + assert(pos.non_pawn_material(strongSide) == BishopValueMg); + assert(pos.count(strongSide) >= 1); + + // No assertions about the material of weakSide, because we want draws to + // be detected even when the weaker side has some pawns. + + Bitboard strongPawns = pos.pieces(strongSide, PAWN); + Bitboard allPawns = pos.pieces(PAWN); + + Square strongBishop = pos.square(strongSide); + Square weakKing = pos.square(weakSide); + Square strongKing = pos.square(strongSide); + + // All strongSide pawns are on a single rook file? + if (!(strongPawns & ~FileABB) || !(strongPawns & ~FileHBB)) + { + Square queeningSquare = relative_square(strongSide, make_square(file_of(lsb(strongPawns)), RANK_8)); + + if ( opposite_colors(queeningSquare, strongBishop) + && distance(queeningSquare, weakKing) <= 1) + return SCALE_FACTOR_DRAW; + } + + // If all the pawns are on the same B or G file, then it's potentially a draw + if ((!(allPawns & ~FileBBB) || !(allPawns & ~FileGBB)) + && pos.non_pawn_material(weakSide) == 0 + && pos.count(weakSide) >= 1) + { + // Get the least advanced weakSide pawn + Square weakPawn = frontmost_sq(strongSide, pos.pieces(weakSide, PAWN)); + + // There's potential for a draw if our pawn is blocked on the 7th rank, + // the bishop cannot attack it or they only have one pawn left. + if ( relative_rank(strongSide, weakPawn) == RANK_7 + && (strongPawns & (weakPawn + pawn_push(weakSide))) + && (opposite_colors(strongBishop, weakPawn) || !more_than_one(strongPawns))) + { + int strongKingDist = distance(weakPawn, strongKing); + int weakKingDist = distance(weakPawn, weakKing); + + // It's a draw if the weak king is on its back two ranks, within 2 + // squares of the blocking pawn and the strong king is not + // closer. (I think this rule only fails in practically + // unreachable positions such as 5k1K/6p1/6P1/8/8/3B4/8/8 w + // and positions where qsearch will immediately correct the + // problem such as 8/4k1p1/6P1/1K6/3B4/8/8/8 w). + if ( relative_rank(strongSide, weakKing) >= RANK_7 + && weakKingDist <= 2 + && weakKingDist <= strongKingDist) + return SCALE_FACTOR_DRAW; + } + } + + return SCALE_FACTOR_NONE; +} + + +/// KQ vs KR and one or more pawns. It tests for fortress draws with a rook on +/// the third rank defended by a pawn. +template<> +ScaleFactor Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, QueenValueMg, 0)); + assert(pos.count(weakSide) == 1); + assert(pos.count(weakSide) >= 1); + + Square strongKing = pos.square(strongSide); + Square weakKing = pos.square(weakSide); + Square weakRook = pos.square(weakSide); + + if ( relative_rank(weakSide, weakKing) <= RANK_2 + && relative_rank(weakSide, strongKing) >= RANK_4 + && relative_rank(weakSide, weakRook) == RANK_3 + && ( pos.pieces(weakSide, PAWN) + & attacks_bb(weakKing) + & pawn_attacks_bb(strongSide, weakRook))) + return SCALE_FACTOR_DRAW; + + return SCALE_FACTOR_NONE; +} + + +/// KRP vs KR. This function knows a handful of the most important classes of +/// drawn positions, but is far from perfect. It would probably be a good idea +/// to add more knowledge in the future. +/// +/// It would also be nice to rewrite the actual code for this function, +/// which is mostly copied from Glaurung 1.x, and isn't very pretty. +template<> +ScaleFactor Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, RookValueMg, 1)); + assert(verify_material(pos, weakSide, RookValueMg, 0)); + + // Assume strongSide is white and the pawn is on files A-D + Square strongKing = normalize(pos, strongSide, pos.square(strongSide)); + Square strongRook = normalize(pos, strongSide, pos.square(strongSide)); + Square strongPawn = normalize(pos, strongSide, pos.square(strongSide)); + Square weakKing = normalize(pos, strongSide, pos.square(weakSide)); + Square weakRook = normalize(pos, strongSide, pos.square(weakSide)); + + File pawnFile = file_of(strongPawn); + Rank pawnRank = rank_of(strongPawn); + Square queeningSquare = make_square(pawnFile, RANK_8); + int tempo = (pos.side_to_move() == strongSide); + + // If the pawn is not too far advanced and the defending king defends the + // queening square, use the third-rank defence. + if ( pawnRank <= RANK_5 + && distance(weakKing, queeningSquare) <= 1 + && strongKing <= SQ_H5 + && (rank_of(weakRook) == RANK_6 || (pawnRank <= RANK_3 && rank_of(strongRook) != RANK_6))) + return SCALE_FACTOR_DRAW; + + // The defending side saves a draw by checking from behind in case the pawn + // has advanced to the 6th rank with the king behind. + if ( pawnRank == RANK_6 + && distance(weakKing, queeningSquare) <= 1 + && rank_of(strongKing) + tempo <= RANK_6 + && (rank_of(weakRook) == RANK_1 || (!tempo && distance(weakRook, strongPawn) >= 3))) + return SCALE_FACTOR_DRAW; + + if ( pawnRank >= RANK_6 + && weakKing == queeningSquare + && rank_of(weakRook) == RANK_1 + && (!tempo || distance(strongKing, strongPawn) >= 2)) + return SCALE_FACTOR_DRAW; + + // White pawn on a7 and rook on a8 is a draw if black's king is on g7 or h7 + // and the black rook is behind the pawn. + if ( strongPawn == SQ_A7 + && strongRook == SQ_A8 + && (weakKing == SQ_H7 || weakKing == SQ_G7) + && file_of(weakRook) == FILE_A + && (rank_of(weakRook) <= RANK_3 || file_of(strongKing) >= FILE_D || rank_of(strongKing) <= RANK_5)) + return SCALE_FACTOR_DRAW; + + // If the defending king blocks the pawn and the attacking king is too far + // away, it's a draw. + if ( pawnRank <= RANK_5 + && weakKing == strongPawn + NORTH + && distance(strongKing, strongPawn) - tempo >= 2 + && distance(strongKing, weakRook) - tempo >= 2) + return SCALE_FACTOR_DRAW; + + // Pawn on the 7th rank supported by the rook from behind usually wins if the + // attacking king is closer to the queening square than the defending king, + // and the defending king cannot gain tempi by threatening the attacking rook. + if ( pawnRank == RANK_7 + && pawnFile != FILE_A + && file_of(strongRook) == pawnFile + && strongRook != queeningSquare + && (distance(strongKing, queeningSquare) < distance(weakKing, queeningSquare) - 2 + tempo) + && (distance(strongKing, queeningSquare) < distance(weakKing, strongRook) + tempo)) + return ScaleFactor(SCALE_FACTOR_MAX - 2 * distance(strongKing, queeningSquare)); + + // Similar to the above, but with the pawn further back + if ( pawnFile != FILE_A + && file_of(strongRook) == pawnFile + && strongRook < strongPawn + && (distance(strongKing, queeningSquare) < distance(weakKing, queeningSquare) - 2 + tempo) + && (distance(strongKing, strongPawn + NORTH) < distance(weakKing, strongPawn + NORTH) - 2 + tempo) + && ( distance(weakKing, strongRook) + tempo >= 3 + || ( distance(strongKing, queeningSquare) < distance(weakKing, strongRook) + tempo + && (distance(strongKing, strongPawn + NORTH) < distance(weakKing, strongPawn) + tempo)))) + return ScaleFactor( SCALE_FACTOR_MAX + - 8 * distance(strongPawn, queeningSquare) + - 2 * distance(strongKing, queeningSquare)); + + // If the pawn is not far advanced and the defending king is somewhere in + // the pawn's path, it's probably a draw. + if (pawnRank <= RANK_4 && weakKing > strongPawn) + { + if (file_of(weakKing) == file_of(strongPawn)) + return ScaleFactor(10); + if ( distance(weakKing, strongPawn) == 1 + && distance(strongKing, weakKing) > 2) + return ScaleFactor(24 - 2 * distance(strongKing, weakKing)); + } + return SCALE_FACTOR_NONE; +} + +template<> +ScaleFactor Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, RookValueMg, 1)); + assert(verify_material(pos, weakSide, BishopValueMg, 0)); + + // Test for a rook pawn + if (pos.pieces(PAWN) & (FileABB | FileHBB)) + { + Square weakKing = pos.square(weakSide); + Square weakBishop = pos.square(weakSide); + Square strongKing = pos.square(strongSide); + Square strongPawn = pos.square(strongSide); + Rank pawnRank = relative_rank(strongSide, strongPawn); + Direction push = pawn_push(strongSide); + + // If the pawn is on the 5th rank and the pawn (currently) is on + // the same color square as the bishop then there is a chance of + // a fortress. Depending on the king position give a moderate + // reduction or a stronger one if the defending king is near the + // corner but not trapped there. + if (pawnRank == RANK_5 && !opposite_colors(weakBishop, strongPawn)) + { + int d = distance(strongPawn + 3 * push, weakKing); + + if (d <= 2 && !(d == 0 && weakKing == strongKing + 2 * push)) + return ScaleFactor(24); + else + return ScaleFactor(48); + } + + // When the pawn has moved to the 6th rank we can be fairly sure + // it's drawn if the bishop attacks the square in front of the + // pawn from a reasonable distance and the defending king is near + // the corner + if ( pawnRank == RANK_6 + && distance(strongPawn + 2 * push, weakKing) <= 1 + && (attacks_bb(weakBishop) & (strongPawn + push)) + && distance(weakBishop, strongPawn) >= 2) + return ScaleFactor(8); + } + + return SCALE_FACTOR_NONE; +} + +/// KRPP vs KRP. There is just a single rule: if the stronger side has no passed +/// pawns and the defending king is actively placed, the position is drawish. +template<> +ScaleFactor Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, RookValueMg, 2)); + assert(verify_material(pos, weakSide, RookValueMg, 1)); + + Square strongPawn1 = lsb(pos.pieces(strongSide, PAWN)); + Square strongPawn2 = msb(pos.pieces(strongSide, PAWN)); + Square weakKing = pos.square(weakSide); + + // Does the stronger side have a passed pawn? + if (pos.pawn_passed(strongSide, strongPawn1) || pos.pawn_passed(strongSide, strongPawn2)) + return SCALE_FACTOR_NONE; + + Rank pawnRank = std::max(relative_rank(strongSide, strongPawn1), relative_rank(strongSide, strongPawn2)); + + if ( distance(weakKing, strongPawn1) <= 1 + && distance(weakKing, strongPawn2) <= 1 + && relative_rank(strongSide, weakKing) > pawnRank) + { + assert(pawnRank > RANK_1 && pawnRank < RANK_7); + return ScaleFactor(7 * pawnRank); + } + return SCALE_FACTOR_NONE; +} + + +/// K and two or more pawns vs K. There is just a single rule here: if all pawns +/// are on the same rook file and are blocked by the defending king, it's a draw. +template<> +ScaleFactor Endgame::operator()(const Position& pos) const { + + assert(pos.non_pawn_material(strongSide) == VALUE_ZERO); + assert(pos.count(strongSide) >= 2); + assert(verify_material(pos, weakSide, VALUE_ZERO, 0)); + + Square weakKing = pos.square(weakSide); + Bitboard strongPawns = pos.pieces(strongSide, PAWN); + + // If all pawns are ahead of the king on a single rook file, it's a draw. + if ( !(strongPawns & ~(FileABB | FileHBB)) + && !(strongPawns & ~passed_pawn_span(weakSide, weakKing))) + return SCALE_FACTOR_DRAW; + + return SCALE_FACTOR_NONE; +} + + +/// KBP vs KB. There are two rules: if the defending king is somewhere along the +/// path of the pawn, and the square of the king is not of the same color as the +/// stronger side's bishop, it's a draw. If the two bishops have opposite color, +/// it's almost always a draw. +template<> +ScaleFactor Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, BishopValueMg, 1)); + assert(verify_material(pos, weakSide, BishopValueMg, 0)); + + Square strongPawn = pos.square(strongSide); + Square strongBishop = pos.square(strongSide); + Square weakBishop = pos.square(weakSide); + Square weakKing = pos.square(weakSide); + + // Case 1: Defending king blocks the pawn, and cannot be driven away + if ( (forward_file_bb(strongSide, strongPawn) & weakKing) + && ( opposite_colors(weakKing, strongBishop) + || relative_rank(strongSide, weakKing) <= RANK_6)) + return SCALE_FACTOR_DRAW; + + // Case 2: Opposite colored bishops + if (opposite_colors(strongBishop, weakBishop)) + return SCALE_FACTOR_DRAW; + + return SCALE_FACTOR_NONE; +} + + +/// KBPP vs KB. It detects a few basic draws with opposite-colored bishops +template<> +ScaleFactor Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, BishopValueMg, 2)); + assert(verify_material(pos, weakSide, BishopValueMg, 0)); + + Square strongBishop = pos.square(strongSide); + Square weakBishop = pos.square(weakSide); + + if (!opposite_colors(strongBishop, weakBishop)) + return SCALE_FACTOR_NONE; + + Square weakKing = pos.square(weakSide); + Square strongPawn1 = lsb(pos.pieces(strongSide, PAWN)); + Square strongPawn2 = msb(pos.pieces(strongSide, PAWN)); + Square blockSq1, blockSq2; + + if (relative_rank(strongSide, strongPawn1) > relative_rank(strongSide, strongPawn2)) + { + blockSq1 = strongPawn1 + pawn_push(strongSide); + blockSq2 = make_square(file_of(strongPawn2), rank_of(strongPawn1)); + } + else + { + blockSq1 = strongPawn2 + pawn_push(strongSide); + blockSq2 = make_square(file_of(strongPawn1), rank_of(strongPawn2)); + } + + switch (distance(strongPawn1, strongPawn2)) + { + case 0: + // Both pawns are on the same file. It's an easy draw if the defender firmly + // controls some square in the frontmost pawn's path. + if ( file_of(weakKing) == file_of(blockSq1) + && relative_rank(strongSide, weakKing) >= relative_rank(strongSide, blockSq1) + && opposite_colors(weakKing, strongBishop)) + return SCALE_FACTOR_DRAW; + else + return SCALE_FACTOR_NONE; + + case 1: + // Pawns on adjacent files. It's a draw if the defender firmly controls the + // square in front of the frontmost pawn's path, and the square diagonally + // behind this square on the file of the other pawn. + if ( weakKing == blockSq1 + && opposite_colors(weakKing, strongBishop) + && ( weakBishop == blockSq2 + || (attacks_bb(blockSq2, pos.pieces()) & pos.pieces(weakSide, BISHOP)) + || distance(strongPawn1, strongPawn2) >= 2)) + return SCALE_FACTOR_DRAW; + + else if ( weakKing == blockSq2 + && opposite_colors(weakKing, strongBishop) + && ( weakBishop == blockSq1 + || (attacks_bb(blockSq1, pos.pieces()) & pos.pieces(weakSide, BISHOP)))) + return SCALE_FACTOR_DRAW; + else + return SCALE_FACTOR_NONE; + + default: + // The pawns are not on the same file or adjacent files. No scaling. + return SCALE_FACTOR_NONE; + } +} + + +/// KBP vs KN. There is a single rule: if the defending king is somewhere along +/// the path of the pawn, and the square of the king is not of the same color as +/// the stronger side's bishop, it's a draw. +template<> +ScaleFactor Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, BishopValueMg, 1)); + assert(verify_material(pos, weakSide, KnightValueMg, 0)); + + Square strongPawn = pos.square(strongSide); + Square strongBishop = pos.square(strongSide); + Square weakKing = pos.square(weakSide); + + if ( file_of(weakKing) == file_of(strongPawn) + && relative_rank(strongSide, strongPawn) < relative_rank(strongSide, weakKing) + && ( opposite_colors(weakKing, strongBishop) + || relative_rank(strongSide, weakKing) <= RANK_6)) + return SCALE_FACTOR_DRAW; + + return SCALE_FACTOR_NONE; +} + + +/// KP vs KP. This is done by removing the weakest side's pawn and probing the +/// KP vs K bitbase: if the weakest side has a draw without the pawn, it probably +/// has at least a draw with the pawn as well. The exception is when the stronger +/// side's pawn is far advanced and not on a rook file; in this case it is often +/// possible to win (e.g. 8/4k3/3p4/3P4/6K1/8/8/8 w - - 0 1). +template<> +ScaleFactor Endgame::operator()(const Position& pos) const { + + assert(verify_material(pos, strongSide, VALUE_ZERO, 1)); + assert(verify_material(pos, weakSide, VALUE_ZERO, 1)); + + // Assume strongSide is white and the pawn is on files A-D + Square strongKing = normalize(pos, strongSide, pos.square(strongSide)); + Square weakKing = normalize(pos, strongSide, pos.square(weakSide)); + Square strongPawn = normalize(pos, strongSide, pos.square(strongSide)); + + Color us = strongSide == pos.side_to_move() ? WHITE : BLACK; + + // If the pawn has advanced to the fifth rank or further, and is not a + // rook pawn, it's too dangerous to assume that it's at least a draw. + if (rank_of(strongPawn) >= RANK_5 && file_of(strongPawn) != FILE_A) + return SCALE_FACTOR_NONE; + + // Probe the KPK bitbase with the weakest side's pawn removed. If it's a draw, + // it's probably at least a draw even with the pawn. + return Bitbases::probe(strongKing, strongPawn, weakKing, us) ? SCALE_FACTOR_NONE : SCALE_FACTOR_DRAW; +} + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/endgame.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/endgame.h new file mode 100755 index 00000000..e79f696f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/endgame.h @@ -0,0 +1,126 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef ENDGAME_H_INCLUDED +#define ENDGAME_H_INCLUDED + +#include +#include +#include +#include +#include + +#include "position.h" +#include "types.h" + +namespace Stockfish { + +/// EndgameCode lists all supported endgame functions by corresponding codes + +enum EndgameCode { + + EVALUATION_FUNCTIONS, + KNNK, // KNN vs K + KNNKP, // KNN vs KP + KXK, // Generic "mate lone king" eval + KBNK, // KBN vs K + KPK, // KP vs K + KRKP, // KR vs KP + KRKB, // KR vs KB + KRKN, // KR vs KN + KQKP, // KQ vs KP + KQKR, // KQ vs KR + + SCALING_FUNCTIONS, + KBPsK, // KB and pawns vs K + KQKRPs, // KQ vs KR and pawns + KRPKR, // KRP vs KR + KRPKB, // KRP vs KB + KRPPKRP, // KRPP vs KRP + KPsK, // K and pawns vs K + KBPKB, // KBP vs KB + KBPPKB, // KBPP vs KB + KBPKN, // KBP vs KN + KPKP // KP vs KP +}; + + +/// Endgame functions can be of two types depending on whether they return a +/// Value or a ScaleFactor. + +template using +eg_type = typename std::conditional<(E < SCALING_FUNCTIONS), Value, ScaleFactor>::type; + + +/// Base and derived functors for endgame evaluation and scaling functions + +template +struct EndgameBase { + + explicit EndgameBase(Color c) : strongSide(c), weakSide(~c) {} + virtual ~EndgameBase() = default; + virtual T operator()(const Position&) const = 0; + + const Color strongSide, weakSide; +}; + + +template> +struct Endgame : public EndgameBase { + + explicit Endgame(Color c) : EndgameBase(c) {} + T operator()(const Position&) const override; +}; + + +/// The Endgames namespace handles the pointers to endgame evaluation and scaling +/// base objects in two std::map. We use polymorphism to invoke the actual +/// endgame function by calling its virtual operator(). + +namespace Endgames { + + template using Ptr = std::unique_ptr>; + template using Map = std::unordered_map>; + + extern std::pair, Map> maps; + + void init(); + + template + Map& map() { + return std::get::value>(maps); + } + + template> + void add(const std::string& code) { + + StateInfo st; + map()[Position().set(code, WHITE, &st).material_key()] = Ptr(new Endgame(WHITE)); + map()[Position().set(code, BLACK, &st).material_key()] = Ptr(new Endgame(BLACK)); + } + + template + const EndgameBase* probe(Key key) { + auto it = map().find(key); + return it != map().end() ? it->second.get() : nullptr; + } +} + +} // namespace Stockfish + +#endif // #ifndef ENDGAME_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/evaluate.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/evaluate.cpp new file mode 100755 index 00000000..87412b81 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/evaluate.cpp @@ -0,0 +1,1171 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include +#include +#include +#include // For std::memset +#include +#include +#include +#include +#include +#include + +#include "bitboard.h" +#include "evaluate.h" +#include "material.h" +#include "misc.h" +#include "pawns.h" +#include "thread.h" +#include "timeman.h" +#include "uci.h" +#include "incbin/incbin.h" + + +// Macro to embed the default efficiently updatable neural network (NNUE) file +// data in the engine binary (using incbin.h, by Dale Weiler). +// This macro invocation will declare the following three variables +// const unsigned char gEmbeddedNNUEData[]; // a pointer to the embedded data +// const unsigned char *const gEmbeddedNNUEEnd; // a marker to the end +// const unsigned int gEmbeddedNNUESize; // the size of the embedded file +// Note that this does not work in Microsoft Visual Studio. +#if !defined(_MSC_VER) && !defined(NNUE_EMBEDDING_OFF) + INCBIN(EmbeddedNNUE, EvalFileDefaultName); +#else + const unsigned char gEmbeddedNNUEData[1] = {0x0}; + const unsigned char *const gEmbeddedNNUEEnd = &gEmbeddedNNUEData[1]; + const unsigned int gEmbeddedNNUESize = 1; +#endif + + +using namespace std; + +namespace Stockfish { + +namespace Eval { + + bool useNNUE; + string currentEvalFileName = "None"; + + /// NNUE::init() tries to load a NNUE network at startup time, or when the engine + /// receives a UCI command "setoption name EvalFile value nn-[a-z0-9]{12}.nnue" + /// The name of the NNUE network is always retrieved from the EvalFile option. + /// We search the given network in three locations: internally (the default + /// network may be embedded in the binary), in the active working directory and + /// in the engine directory. Distro packagers may define the DEFAULT_NNUE_DIRECTORY + /// variable to have the engine search in a special directory in their distro. + + void NNUE::init() { + + useNNUE = Options["Use NNUE"]; + if (!useNNUE) + return; + + string eval_file = string(Options["EvalFile"]); + if (eval_file.empty()) + eval_file = EvalFileDefaultName; + + #if defined(DEFAULT_NNUE_DIRECTORY) + #define stringify2(x) #x + #define stringify(x) stringify2(x) + vector dirs = { "" , "" , CommandLine::binaryDirectory , stringify(DEFAULT_NNUE_DIRECTORY) }; + #else + vector dirs = { "" , "" , CommandLine::binaryDirectory }; + #endif + + for (string directory : dirs) + if (currentEvalFileName != eval_file) + { + if (directory != "") + { + ifstream stream(directory + eval_file, ios::binary); + if (load_eval(eval_file, stream)) + currentEvalFileName = eval_file; + } + + if (directory == "" && eval_file == EvalFileDefaultName) + { + // C++ way to prepare a buffer for a memory stream + class MemoryBuffer : public basic_streambuf { + public: MemoryBuffer(char* p, size_t n) { setg(p, p, p + n); setp(p, p + n); } + }; + + MemoryBuffer buffer(const_cast(reinterpret_cast(gEmbeddedNNUEData)), + size_t(gEmbeddedNNUESize)); + (void) gEmbeddedNNUEEnd; // Silence warning on unused variable + + istream stream(&buffer); + if (load_eval(eval_file, stream)) + currentEvalFileName = eval_file; + } + } + } + + /// NNUE::verify() verifies that the last net used was loaded successfully + void NNUE::verify() { + + string eval_file = string(Options["EvalFile"]); + if (eval_file.empty()) + eval_file = EvalFileDefaultName; + + if (useNNUE && currentEvalFileName != eval_file) + { + + string msg1 = "If the UCI option \"Use NNUE\" is set to true, network evaluation parameters compatible with the engine must be available."; + string msg2 = "The option is set to true, but the network file " + eval_file + " was not loaded successfully."; + string msg3 = "The UCI option EvalFile might need to specify the full path, including the directory name, to the network file."; + string msg4 = "The default net can be downloaded from: https://tests.stockfishchess.org/api/nn/" + std::string(EvalFileDefaultName); + string msg5 = "The engine will be terminated now."; + + sync_cout << "info string ERROR: " << msg1 << sync_endl; + sync_cout << "info string ERROR: " << msg2 << sync_endl; + sync_cout << "info string ERROR: " << msg3 << sync_endl; + sync_cout << "info string ERROR: " << msg4 << sync_endl; + sync_cout << "info string ERROR: " << msg5 << sync_endl; + + exit(EXIT_FAILURE); + } + + if (useNNUE) + sync_cout << "info string NNUE evaluation using " << eval_file << " enabled" << sync_endl; + else + sync_cout << "info string classical evaluation enabled" << sync_endl; + } +} + +namespace Trace { + + enum Tracing { NO_TRACE, TRACE }; + + enum Term { // The first 8 entries are reserved for PieceType + MATERIAL = 8, IMBALANCE, MOBILITY, THREAT, PASSED, SPACE, WINNABLE, TOTAL, TERM_NB + }; + + Score scores[TERM_NB][COLOR_NB]; + + double to_cp(Value v) { return double(v) / UCI::NormalizeToPawnValue; } + + void add(int idx, Color c, Score s) { + scores[idx][c] = s; + } + + void add(int idx, Score w, Score b = SCORE_ZERO) { + scores[idx][WHITE] = w; + scores[idx][BLACK] = b; + } + + std::ostream& operator<<(std::ostream& os, Score s) { + os << std::setw(5) << to_cp(mg_value(s)) << " " + << std::setw(5) << to_cp(eg_value(s)); + return os; + } + + std::ostream& operator<<(std::ostream& os, Term t) { + + if (t == MATERIAL || t == IMBALANCE || t == WINNABLE || t == TOTAL) + os << " ---- ----" << " | " << " ---- ----"; + else + os << scores[t][WHITE] << " | " << scores[t][BLACK]; + + os << " | " << scores[t][WHITE] - scores[t][BLACK] << " |\n"; + return os; + } +} + +using namespace Trace; + +namespace { + + // Threshold for lazy and space evaluation + constexpr Value LazyThreshold1 = Value(3631); + constexpr Value LazyThreshold2 = Value(2084); + constexpr Value SpaceThreshold = Value(11551); + + // KingAttackWeights[PieceType] contains king attack weights by piece type + constexpr int KingAttackWeights[PIECE_TYPE_NB] = { 0, 0, 76, 46, 45, 14 }; + + // SafeCheck[PieceType][single/multiple] contains safe check bonus by piece type, + // higher if multiple safe checks are possible for that piece type. + constexpr int SafeCheck[][2] = { + {}, {}, {805, 1292}, {650, 984}, {1071, 1886}, {730, 1128} + }; + +#define S(mg, eg) make_score(mg, eg) + + // MobilityBonus[PieceType-2][attacked] contains bonuses for middle and end game, + // indexed by piece type and number of attacked squares in the mobility area. + constexpr Score MobilityBonus[][32] = { + { S(-62,-79), S(-53,-57), S(-12,-31), S( -3,-17), S( 3, 7), S( 12, 13), // Knight + S( 21, 16), S( 28, 21), S( 37, 26) }, + { S(-47,-59), S(-20,-25), S( 14, -8), S( 29, 12), S( 39, 21), S( 53, 40), // Bishop + S( 53, 56), S( 60, 58), S( 62, 65), S( 69, 72), S( 78, 78), S( 83, 87), + S( 91, 88), S( 96, 98) }, + { S(-60,-82), S(-24,-15), S( 0, 17) ,S( 3, 43), S( 4, 72), S( 14,100), // Rook + S( 20,102), S( 30,122), S( 41,133), S(41 ,139), S( 41,153), S( 45,160), + S( 57,165), S( 58,170), S( 67,175) }, + { S(-29,-49), S(-16,-29), S( -8, -8), S( -8, 17), S( 18, 39), S( 25, 54), // Queen + S( 23, 59), S( 37, 73), S( 41, 76), S( 54, 95), S( 65, 95) ,S( 68,101), + S( 69,124), S( 70,128), S( 70,132), S( 70,133) ,S( 71,136), S( 72,140), + S( 74,147), S( 76,149), S( 90,153), S(104,169), S(105,171), S(106,171), + S(112,178), S(114,185), S(114,187), S(119,221) } + }; + + // BishopPawns[distance from edge] contains a file-dependent penalty for pawns on + // squares of the same color as our bishop. + constexpr Score BishopPawns[int(FILE_NB) / 2] = { + S(3, 8), S(3, 9), S(2, 7), S(3, 7) + }; + + // KingProtector[knight/bishop] contains penalty for each distance unit to own king + constexpr Score KingProtector[] = { S(9, 9), S(7, 9) }; + + // Outpost[knight/bishop] contains bonuses for each knight or bishop occupying a + // pawn protected square on rank 4 to 6 which is also safe from a pawn attack. + constexpr Score Outpost[] = { S(54, 34), S(31, 25) }; + + // PassedRank[Rank] contains a bonus according to the rank of a passed pawn + constexpr Score PassedRank[RANK_NB] = { + S(0, 0), S(2, 38), S(15, 36), S(22, 50), S(64, 81), S(166, 184), S(284, 269) + }; + + constexpr Score RookOnClosedFile = S(10, 5); + constexpr Score RookOnOpenFile[] = { S(18, 8), S(49, 26) }; + + // ThreatByMinor/ByRook[attacked PieceType] contains bonuses according to + // which piece type attacks which one. Attacks on lesser pieces which are + // pawn-defended are not considered. + constexpr Score ThreatByMinor[PIECE_TYPE_NB] = { + S(0, 0), S(6, 37), S(64, 50), S(82, 57), S(103, 130), S(81, 163) + }; + + constexpr Score ThreatByRook[PIECE_TYPE_NB] = { + S(0, 0), S(3, 44), S(36, 71), S(44, 59), S(0, 39), S(60, 39) + }; + + constexpr Value CorneredBishop = Value(50); + + // Assorted bonuses and penalties + constexpr Score UncontestedOutpost = S( 0, 10); + constexpr Score BishopOnKingRing = S( 24, 0); + constexpr Score BishopXRayPawns = S( 4, 5); + constexpr Score FlankAttacks = S( 8, 0); + constexpr Score Hanging = S( 72, 40); + constexpr Score KnightOnQueen = S( 16, 11); + constexpr Score LongDiagonalBishop = S( 45, 0); + constexpr Score MinorBehindPawn = S( 18, 3); + constexpr Score PassedFile = S( 13, 8); + constexpr Score PawnlessFlank = S( 19, 97); + constexpr Score ReachableOutpost = S( 33, 19); + constexpr Score RestrictedPiece = S( 6, 7); + constexpr Score RookOnKingRing = S( 16, 0); + constexpr Score SliderOnQueen = S( 62, 21); + constexpr Score ThreatByKing = S( 24, 87); + constexpr Score ThreatByPawnPush = S( 48, 39); + constexpr Score ThreatBySafePawn = S(167, 99); + constexpr Score TrappedRook = S( 55, 13); + constexpr Score WeakQueenProtection = S( 14, 0); + constexpr Score WeakQueen = S( 57, 19); + + +#undef S + + // Evaluation class computes and stores attacks tables and other working data + template + class Evaluation { + + public: + Evaluation() = delete; + explicit Evaluation(const Position& p) : pos(p) {} + Evaluation& operator=(const Evaluation&) = delete; + Value value(); + + private: + template void initialize(); + template Score pieces(); + template Score king() const; + template Score threats() const; + template Score passed() const; + template Score space() const; + Value winnable(Score score) const; + + const Position& pos; + Material::Entry* me; + Pawns::Entry* pe; + Bitboard mobilityArea[COLOR_NB]; + Score mobility[COLOR_NB] = { SCORE_ZERO, SCORE_ZERO }; + + // attackedBy[color][piece type] is a bitboard representing all squares + // attacked by a given color and piece type. Special "piece types" which + // is also calculated is ALL_PIECES. + Bitboard attackedBy[COLOR_NB][PIECE_TYPE_NB]; + + // attackedBy2[color] are the squares attacked by at least 2 units of a given + // color, including x-rays. But diagonal x-rays through pawns are not computed. + Bitboard attackedBy2[COLOR_NB]; + + // kingRing[color] are the squares adjacent to the king plus some other + // very near squares, depending on king position. + Bitboard kingRing[COLOR_NB]; + + // kingAttackersCount[color] is the number of pieces of the given color + // which attack a square in the kingRing of the enemy king. + int kingAttackersCount[COLOR_NB]; + + // kingAttackersWeight[color] is the sum of the "weights" of the pieces of + // the given color which attack a square in the kingRing of the enemy king. + // The weights of the individual piece types are given by the elements in + // the KingAttackWeights array. + int kingAttackersWeight[COLOR_NB]; + + // kingAttacksCount[color] is the number of attacks by the given color to + // squares directly adjacent to the enemy king. Pieces which attack more + // than one square are counted multiple times. For instance, if there is + // a white knight on g5 and black's king is on g8, this white knight adds 2 + // to kingAttacksCount[WHITE]. + int kingAttacksCount[COLOR_NB]; + }; + + + // Evaluation::initialize() computes king and pawn attacks, and the king ring + // bitboard for a given color. This is done at the beginning of the evaluation. + + template template + void Evaluation::initialize() { + + constexpr Color Them = ~Us; + constexpr Direction Up = pawn_push(Us); + constexpr Direction Down = -Up; + constexpr Bitboard LowRanks = (Us == WHITE ? Rank2BB | Rank3BB : Rank7BB | Rank6BB); + + const Square ksq = pos.square(Us); + + Bitboard dblAttackByPawn = pawn_double_attacks_bb(pos.pieces(Us, PAWN)); + + // Find our pawns that are blocked or on the first two ranks + Bitboard b = pos.pieces(Us, PAWN) & (shift(pos.pieces()) | LowRanks); + + // Squares occupied by those pawns, by our king or queen, by blockers to attacks on our king + // or controlled by enemy pawns are excluded from the mobility area. + mobilityArea[Us] = ~(b | pos.pieces(Us, KING, QUEEN) | pos.blockers_for_king(Us) | pe->pawn_attacks(Them)); + + // Initialize attackedBy[] for king and pawns + attackedBy[Us][KING] = attacks_bb(ksq); + attackedBy[Us][PAWN] = pe->pawn_attacks(Us); + attackedBy[Us][ALL_PIECES] = attackedBy[Us][KING] | attackedBy[Us][PAWN]; + attackedBy2[Us] = dblAttackByPawn | (attackedBy[Us][KING] & attackedBy[Us][PAWN]); + + // Init our king safety tables + Square s = make_square(std::clamp(file_of(ksq), FILE_B, FILE_G), + std::clamp(rank_of(ksq), RANK_2, RANK_7)); + kingRing[Us] = attacks_bb(s) | s; + + kingAttackersCount[Them] = popcount(kingRing[Us] & pe->pawn_attacks(Them)); + kingAttacksCount[Them] = kingAttackersWeight[Them] = 0; + + // Remove from kingRing[] the squares defended by two pawns + kingRing[Us] &= ~dblAttackByPawn; + } + + + // Evaluation::pieces() scores pieces of a given color and type + + template template + Score Evaluation::pieces() { + + constexpr Color Them = ~Us; + constexpr Direction Down = -pawn_push(Us); + constexpr Bitboard OutpostRanks = (Us == WHITE ? Rank4BB | Rank5BB | Rank6BB + : Rank5BB | Rank4BB | Rank3BB); + Bitboard b1 = pos.pieces(Us, Pt); + Bitboard b, bb; + Score score = SCORE_ZERO; + + attackedBy[Us][Pt] = 0; + + while (b1) + { + Square s = pop_lsb(b1); + + // Find attacked squares, including x-ray attacks for bishops and rooks + b = Pt == BISHOP ? attacks_bb(s, pos.pieces() ^ pos.pieces(QUEEN)) + : Pt == ROOK ? attacks_bb< ROOK>(s, pos.pieces() ^ pos.pieces(QUEEN) ^ pos.pieces(Us, ROOK)) + : attacks_bb(s, pos.pieces()); + + if (pos.blockers_for_king(Us) & s) + b &= line_bb(pos.square(Us), s); + + attackedBy2[Us] |= attackedBy[Us][ALL_PIECES] & b; + attackedBy[Us][Pt] |= b; + attackedBy[Us][ALL_PIECES] |= b; + + if (b & kingRing[Them]) + { + kingAttackersCount[Us]++; + kingAttackersWeight[Us] += KingAttackWeights[Pt]; + kingAttacksCount[Us] += popcount(b & attackedBy[Them][KING]); + } + + else if (Pt == ROOK && (file_bb(s) & kingRing[Them])) + score += RookOnKingRing; + + else if (Pt == BISHOP && (attacks_bb(s, pos.pieces(PAWN)) & kingRing[Them])) + score += BishopOnKingRing; + + int mob = popcount(b & mobilityArea[Us]); + mobility[Us] += MobilityBonus[Pt - 2][mob]; + + if (Pt == BISHOP || Pt == KNIGHT) + { + // Bonus if the piece is on an outpost square or can reach one + // Bonus for knights (UncontestedOutpost) if few relevant targets + bb = OutpostRanks & (attackedBy[Us][PAWN] | shift(pos.pieces(PAWN))) + & ~pe->pawn_attacks_span(Them); + Bitboard targets = pos.pieces(Them) & ~pos.pieces(PAWN); + + if ( Pt == KNIGHT + && bb & s & ~CenterFiles // on a side outpost + && !(b & targets) // no relevant attacks + && (!more_than_one(targets & (s & QueenSide ? QueenSide : KingSide)))) + score += UncontestedOutpost * popcount(pos.pieces(PAWN) & (s & QueenSide ? QueenSide : KingSide)); + else if (bb & s) + score += Outpost[Pt == BISHOP]; + else if (Pt == KNIGHT && bb & b & ~pos.pieces(Us)) + score += ReachableOutpost; + + // Bonus for a knight or bishop shielded by pawn + if (shift(pos.pieces(PAWN)) & s) + score += MinorBehindPawn; + + // Penalty if the piece is far from the king + score -= KingProtector[Pt == BISHOP] * distance(pos.square(Us), s); + + if constexpr (Pt == BISHOP) + { + // Penalty according to the number of our pawns on the same color square as the + // bishop, bigger when the center files are blocked with pawns and smaller + // when the bishop is outside the pawn chain. + Bitboard blocked = pos.pieces(Us, PAWN) & shift(pos.pieces()); + + score -= BishopPawns[edge_distance(file_of(s))] * pos.pawns_on_same_color_squares(Us, s) + * (!(attackedBy[Us][PAWN] & s) + popcount(blocked & CenterFiles)); + + // Penalty for all enemy pawns x-rayed + score -= BishopXRayPawns * popcount(attacks_bb(s) & pos.pieces(Them, PAWN)); + + // Bonus for bishop on a long diagonal which can "see" both center squares + if (more_than_one(attacks_bb(s, pos.pieces(PAWN)) & Center)) + score += LongDiagonalBishop; + + // An important Chess960 pattern: a cornered bishop blocked by a friendly + // pawn diagonally in front of it is a very serious problem, especially + // when that pawn is also blocked. + if ( pos.is_chess960() + && (s == relative_square(Us, SQ_A1) || s == relative_square(Us, SQ_H1))) + { + Direction d = pawn_push(Us) + (file_of(s) == FILE_A ? EAST : WEST); + if (pos.piece_on(s + d) == make_piece(Us, PAWN)) + score -= !pos.empty(s + d + pawn_push(Us)) ? 4 * make_score(CorneredBishop, CorneredBishop) + : 3 * make_score(CorneredBishop, CorneredBishop); + } + } + } + + if constexpr (Pt == ROOK) + { + // Bonuses for rook on a (semi-)open or closed file + if (pos.is_on_semiopen_file(Us, s)) + { + score += RookOnOpenFile[pos.is_on_semiopen_file(Them, s)]; + } + else + { + // If our pawn on this file is blocked, increase penalty + if ( pos.pieces(Us, PAWN) + & shift(pos.pieces()) + & file_bb(s)) + { + score -= RookOnClosedFile; + } + + // Penalty when trapped by the king, even more if the king cannot castle + if (mob <= 3) + { + File kf = file_of(pos.square(Us)); + if ((kf < FILE_E) == (file_of(s) < kf)) + score -= TrappedRook * (1 + !pos.castling_rights(Us)); + } + } + } + + if constexpr (Pt == QUEEN) + { + // Penalty if any relative pin or discovered attack against the queen + Bitboard queenPinners; + if (pos.slider_blockers(pos.pieces(Them, ROOK, BISHOP), s, queenPinners)) + score -= WeakQueen; + } + } + if constexpr (T) + Trace::add(Pt, Us, score); + + return score; + } + + + // Evaluation::king() assigns bonuses and penalties to a king of a given color + + template template + Score Evaluation::king() const { + + constexpr Color Them = ~Us; + constexpr Bitboard Camp = (Us == WHITE ? AllSquares ^ Rank6BB ^ Rank7BB ^ Rank8BB + : AllSquares ^ Rank1BB ^ Rank2BB ^ Rank3BB); + + Bitboard weak, b1, b2, b3, safe, unsafeChecks = 0; + Bitboard rookChecks, queenChecks, bishopChecks, knightChecks; + int kingDanger = 0; + const Square ksq = pos.square(Us); + + // Init the score with king shelter and enemy pawns storm + Score score = pe->king_safety(pos); + + // Attacked squares defended at most once by our queen or king + weak = attackedBy[Them][ALL_PIECES] + & ~attackedBy2[Us] + & (~attackedBy[Us][ALL_PIECES] | attackedBy[Us][KING] | attackedBy[Us][QUEEN]); + + // Analyse the safe enemy's checks which are possible on next move + safe = ~pos.pieces(Them); + safe &= ~attackedBy[Us][ALL_PIECES] | (weak & attackedBy2[Them]); + + b1 = attacks_bb(ksq, pos.pieces() ^ pos.pieces(Us, QUEEN)); + b2 = attacks_bb(ksq, pos.pieces() ^ pos.pieces(Us, QUEEN)); + + // Enemy rooks checks + rookChecks = b1 & attackedBy[Them][ROOK] & safe; + if (rookChecks) + kingDanger += SafeCheck[ROOK][more_than_one(rookChecks)]; + else + unsafeChecks |= b1 & attackedBy[Them][ROOK]; + + // Enemy queen safe checks: count them only if the checks are from squares from + // which opponent cannot give a rook check, because rook checks are more valuable. + queenChecks = (b1 | b2) & attackedBy[Them][QUEEN] & safe + & ~(attackedBy[Us][QUEEN] | rookChecks); + if (queenChecks) + kingDanger += SafeCheck[QUEEN][more_than_one(queenChecks)]; + + // Enemy bishops checks: count them only if they are from squares from which + // opponent cannot give a queen check, because queen checks are more valuable. + bishopChecks = b2 & attackedBy[Them][BISHOP] & safe + & ~queenChecks; + if (bishopChecks) + kingDanger += SafeCheck[BISHOP][more_than_one(bishopChecks)]; + + else + unsafeChecks |= b2 & attackedBy[Them][BISHOP]; + + // Enemy knights checks + knightChecks = attacks_bb(ksq) & attackedBy[Them][KNIGHT]; + if (knightChecks & safe) + kingDanger += SafeCheck[KNIGHT][more_than_one(knightChecks & safe)]; + else + unsafeChecks |= knightChecks; + + // Find the squares that opponent attacks in our king flank, the squares + // which they attack twice in that flank, and the squares that we defend. + b1 = attackedBy[Them][ALL_PIECES] & KingFlank[file_of(ksq)] & Camp; + b2 = b1 & attackedBy2[Them]; + b3 = attackedBy[Us][ALL_PIECES] & KingFlank[file_of(ksq)] & Camp; + + int kingFlankAttack = popcount(b1) + popcount(b2); + int kingFlankDefense = popcount(b3); + + kingDanger += kingAttackersCount[Them] * kingAttackersWeight[Them] // (~10 Elo) + + 183 * popcount(kingRing[Us] & weak) // (~15 Elo) + + 148 * popcount(unsafeChecks) // (~4 Elo) + + 98 * popcount(pos.blockers_for_king(Us)) // (~2 Elo) + + 69 * kingAttacksCount[Them] // (~0.5 Elo) + + 3 * kingFlankAttack * kingFlankAttack / 8 // (~0.5 Elo) + + mg_value(mobility[Them] - mobility[Us]) // (~0.5 Elo) + - 873 * !pos.count(Them) // (~24 Elo) + - 100 * bool(attackedBy[Us][KNIGHT] & attackedBy[Us][KING]) // (~5 Elo) + - 6 * mg_value(score) / 8 // (~8 Elo) + - 4 * kingFlankDefense // (~5 Elo) + + 37; // (~0.5 Elo) + + // Transform the kingDanger units into a Score, and subtract it from the evaluation + if (kingDanger > 100) + score -= make_score(kingDanger * kingDanger / 4096, kingDanger / 16); + + // Penalty when our king is on a pawnless flank + if (!(pos.pieces(PAWN) & KingFlank[file_of(ksq)])) + score -= PawnlessFlank; + + // Penalty if king flank is under attack, potentially moving toward the king + score -= FlankAttacks * kingFlankAttack; + + if constexpr (T) + Trace::add(KING, Us, score); + + return score; + } + + + // Evaluation::threats() assigns bonuses according to the types of the + // attacking and the attacked pieces. + + template template + Score Evaluation::threats() const { + + constexpr Color Them = ~Us; + constexpr Direction Up = pawn_push(Us); + constexpr Bitboard TRank3BB = (Us == WHITE ? Rank3BB : Rank6BB); + + Bitboard b, weak, defended, nonPawnEnemies, stronglyProtected, safe; + Score score = SCORE_ZERO; + + // Non-pawn enemies + nonPawnEnemies = pos.pieces(Them) & ~pos.pieces(PAWN); + + // Squares strongly protected by the enemy, either because they defend the + // square with a pawn, or because they defend the square twice and we don't. + stronglyProtected = attackedBy[Them][PAWN] + | (attackedBy2[Them] & ~attackedBy2[Us]); + + // Non-pawn enemies, strongly protected + defended = nonPawnEnemies & stronglyProtected; + + // Enemies not strongly protected and under our attack + weak = pos.pieces(Them) & ~stronglyProtected & attackedBy[Us][ALL_PIECES]; + + // Bonus according to the kind of attacking pieces + if (defended | weak) + { + b = (defended | weak) & (attackedBy[Us][KNIGHT] | attackedBy[Us][BISHOP]); + while (b) + score += ThreatByMinor[type_of(pos.piece_on(pop_lsb(b)))]; + + b = weak & attackedBy[Us][ROOK]; + while (b) + score += ThreatByRook[type_of(pos.piece_on(pop_lsb(b)))]; + + if (weak & attackedBy[Us][KING]) + score += ThreatByKing; + + b = ~attackedBy[Them][ALL_PIECES] + | (nonPawnEnemies & attackedBy2[Us]); + score += Hanging * popcount(weak & b); + + // Additional bonus if weak piece is only protected by a queen + score += WeakQueenProtection * popcount(weak & attackedBy[Them][QUEEN]); + } + + // Bonus for restricting their piece moves + b = attackedBy[Them][ALL_PIECES] + & ~stronglyProtected + & attackedBy[Us][ALL_PIECES]; + score += RestrictedPiece * popcount(b); + + // Protected or unattacked squares + safe = ~attackedBy[Them][ALL_PIECES] | attackedBy[Us][ALL_PIECES]; + + // Bonus for attacking enemy pieces with our relatively safe pawns + b = pos.pieces(Us, PAWN) & safe; + b = pawn_attacks_bb(b) & nonPawnEnemies; + score += ThreatBySafePawn * popcount(b); + + // Find squares where our pawns can push on the next move + b = shift(pos.pieces(Us, PAWN)) & ~pos.pieces(); + b |= shift(b & TRank3BB) & ~pos.pieces(); + + // Keep only the squares which are relatively safe + b &= ~attackedBy[Them][PAWN] & safe; + + // Bonus for safe pawn threats on the next move + b = pawn_attacks_bb(b) & nonPawnEnemies; + score += ThreatByPawnPush * popcount(b); + + // Bonus for threats on the next moves against enemy queen + if (pos.count(Them) == 1) + { + bool queenImbalance = pos.count() == 1; + + Square s = pos.square(Them); + safe = mobilityArea[Us] + & ~pos.pieces(Us, PAWN) + & ~stronglyProtected; + + b = attackedBy[Us][KNIGHT] & attacks_bb(s); + + score += KnightOnQueen * popcount(b & safe) * (1 + queenImbalance); + + b = (attackedBy[Us][BISHOP] & attacks_bb(s, pos.pieces())) + | (attackedBy[Us][ROOK ] & attacks_bb(s, pos.pieces())); + + score += SliderOnQueen * popcount(b & safe & attackedBy2[Us]) * (1 + queenImbalance); + } + + if constexpr (T) + Trace::add(THREAT, Us, score); + + return score; + } + + // Evaluation::passed() evaluates the passed pawns and candidate passed + // pawns of the given color. + + template template + Score Evaluation::passed() const { + + constexpr Color Them = ~Us; + constexpr Direction Up = pawn_push(Us); + constexpr Direction Down = -Up; + + auto king_proximity = [&](Color c, Square s) { + return std::min(distance(pos.square(c), s), 5); + }; + + Bitboard b, bb, squaresToQueen, unsafeSquares, blockedPassers, helpers; + Score score = SCORE_ZERO; + + b = pe->passed_pawns(Us); + + blockedPassers = b & shift(pos.pieces(Them, PAWN)); + if (blockedPassers) + { + helpers = shift(pos.pieces(Us, PAWN)) + & ~pos.pieces(Them) + & (~attackedBy2[Them] | attackedBy[Us][ALL_PIECES]); + + // Remove blocked candidate passers that don't have help to pass + b &= ~blockedPassers + | shift(helpers) + | shift(helpers); + } + + while (b) + { + Square s = pop_lsb(b); + + assert(!(pos.pieces(Them, PAWN) & forward_file_bb(Us, s + Up))); + + int r = relative_rank(Us, s); + + Score bonus = PassedRank[r]; + + if (r > RANK_3) + { + int w = 5 * r - 13; + Square blockSq = s + Up; + + // Adjust bonus based on the king's proximity + bonus += make_score(0, ( king_proximity(Them, blockSq) * 19 / 4 + - king_proximity(Us, blockSq) * 2) * w); + + // If blockSq is not the queening square then consider also a second push + if (r != RANK_7) + bonus -= make_score(0, king_proximity(Us, blockSq + Up) * w); + + // If the pawn is free to advance, then increase the bonus + if (pos.empty(blockSq)) + { + squaresToQueen = forward_file_bb(Us, s); + unsafeSquares = passed_pawn_span(Us, s); + + bb = forward_file_bb(Them, s) & pos.pieces(ROOK, QUEEN); + + if (!(pos.pieces(Them) & bb)) + unsafeSquares &= attackedBy[Them][ALL_PIECES] | pos.pieces(Them); + + // If there are no enemy pieces or attacks on passed pawn span, assign a big bonus. + // Or if there is some, but they are all attacked by our pawns, assign a bit smaller bonus. + // Otherwise assign a smaller bonus if the path to queen is not attacked + // and even smaller bonus if it is attacked but block square is not. + int k = !unsafeSquares ? 36 : + !(unsafeSquares & ~attackedBy[Us][PAWN]) ? 30 : + !(unsafeSquares & squaresToQueen) ? 17 : + !(unsafeSquares & blockSq) ? 7 : + 0 ; + + // Assign a larger bonus if the block square is defended + if ((pos.pieces(Us) & bb) || (attackedBy[Us][ALL_PIECES] & blockSq)) + k += 5; + + bonus += make_score(k * w, k * w); + } + } // r > RANK_3 + + score += bonus - PassedFile * edge_distance(file_of(s)); + } + + if constexpr (T) + Trace::add(PASSED, Us, score); + + return score; + } + + + // Evaluation::space() computes a space evaluation for a given side, aiming to improve game + // play in the opening. It is based on the number of safe squares on the four central files + // on ranks 2 to 4. Completely safe squares behind a friendly pawn are counted twice. + // Finally, the space bonus is multiplied by a weight which decreases according to occupancy. + + template template + Score Evaluation::space() const { + + // Early exit if, for example, both queens or 6 minor pieces have been exchanged + if (pos.non_pawn_material() < SpaceThreshold) + return SCORE_ZERO; + + constexpr Color Them = ~Us; + constexpr Direction Down = -pawn_push(Us); + constexpr Bitboard SpaceMask = + Us == WHITE ? CenterFiles & (Rank2BB | Rank3BB | Rank4BB) + : CenterFiles & (Rank7BB | Rank6BB | Rank5BB); + + // Find the available squares for our pieces inside the area defined by SpaceMask + Bitboard safe = SpaceMask + & ~pos.pieces(Us, PAWN) + & ~attackedBy[Them][PAWN]; + + // Find all squares which are at most three squares behind some friendly pawn + Bitboard behind = pos.pieces(Us, PAWN); + behind |= shift(behind); + behind |= shift(behind); + + // Compute space score based on the number of safe squares and number of our pieces + // increased with number of total blocked pawns in position. + int bonus = popcount(safe) + popcount(behind & safe & ~attackedBy[Them][ALL_PIECES]); + int weight = pos.count(Us) - 3 + std::min(pe->blocked_count(), 9); + Score score = make_score(bonus * weight * weight / 16, 0); + + if constexpr (T) + Trace::add(SPACE, Us, score); + + return score; + } + + + // Evaluation::winnable() adjusts the midgame and endgame score components, based on + // the known attacking/defending status of the players. The final value is derived + // by interpolation from the midgame and endgame values. + + template + Value Evaluation::winnable(Score score) const { + + int outflanking = distance(pos.square(WHITE), pos.square(BLACK)) + + int(rank_of(pos.square(WHITE)) - rank_of(pos.square(BLACK))); + + bool pawnsOnBothFlanks = (pos.pieces(PAWN) & QueenSide) + && (pos.pieces(PAWN) & KingSide); + + bool almostUnwinnable = outflanking < 0 + && !pawnsOnBothFlanks; + + bool infiltration = rank_of(pos.square(WHITE)) > RANK_4 + || rank_of(pos.square(BLACK)) < RANK_5; + + // Compute the initiative bonus for the attacking side + int complexity = 9 * pe->passed_count() + + 12 * pos.count() + + 9 * outflanking + + 21 * pawnsOnBothFlanks + + 24 * infiltration + + 51 * !pos.non_pawn_material() + - 43 * almostUnwinnable + -110 ; + + Value mg = mg_value(score); + Value eg = eg_value(score); + + // Now apply the bonus: note that we find the attacking side by extracting the + // sign of the midgame or endgame values, and that we carefully cap the bonus + // so that the midgame and endgame scores do not change sign after the bonus. + int u = ((mg > 0) - (mg < 0)) * std::clamp(complexity + 50, -abs(mg), 0); + int v = ((eg > 0) - (eg < 0)) * std::max(complexity, -abs(eg)); + + mg += u; + eg += v; + + // Compute the scale factor for the winning side + Color strongSide = eg > VALUE_DRAW ? WHITE : BLACK; + int sf = me->scale_factor(pos, strongSide); + + // If scale factor is not already specific, scale up/down via general heuristics + if (sf == SCALE_FACTOR_NORMAL) + { + if (pos.opposite_bishops()) + { + // For pure opposite colored bishops endgames use scale factor + // based on the number of passed pawns of the strong side. + if ( pos.non_pawn_material(WHITE) == BishopValueMg + && pos.non_pawn_material(BLACK) == BishopValueMg) + sf = 18 + 4 * popcount(pe->passed_pawns(strongSide)); + // For every other opposite colored bishops endgames use scale factor + // based on the number of all pieces of the strong side. + else + sf = 22 + 3 * pos.count(strongSide); + } + // For rook endgames with strong side not having overwhelming pawn number advantage + // and its pawns being on one flank and weak side protecting its pieces with a king + // use lower scale factor. + else if ( pos.non_pawn_material(WHITE) == RookValueMg + && pos.non_pawn_material(BLACK) == RookValueMg + && pos.count(strongSide) - pos.count(~strongSide) <= 1 + && bool(KingSide & pos.pieces(strongSide, PAWN)) != bool(QueenSide & pos.pieces(strongSide, PAWN)) + && (attacks_bb(pos.square(~strongSide)) & pos.pieces(~strongSide, PAWN))) + sf = 36; + // For queen vs no queen endgames use scale factor + // based on number of minors of side that doesn't have queen. + else if (pos.count() == 1) + sf = 37 + 3 * (pos.count(WHITE) == 1 ? pos.count(BLACK) + pos.count(BLACK) + : pos.count(WHITE) + pos.count(WHITE)); + // In every other case use scale factor based on + // the number of pawns of the strong side reduced if pawns are on a single flank. + else + sf = std::min(sf, 36 + 7 * pos.count(strongSide)) - 4 * !pawnsOnBothFlanks; + + // Reduce scale factor in case of pawns being on a single flank + sf -= 4 * !pawnsOnBothFlanks; + } + + // Interpolate between the middlegame and (scaled by 'sf') endgame score + v = mg * int(me->game_phase()) + + eg * int(PHASE_MIDGAME - me->game_phase()) * ScaleFactor(sf) / SCALE_FACTOR_NORMAL; + v /= PHASE_MIDGAME; + + if constexpr (T) + { + Trace::add(WINNABLE, make_score(u, eg * ScaleFactor(sf) / SCALE_FACTOR_NORMAL - eg_value(score))); + Trace::add(TOTAL, make_score(mg, eg * ScaleFactor(sf) / SCALE_FACTOR_NORMAL)); + } + + return Value(v); + } + + + // Evaluation::value() is the main function of the class. It computes the various + // parts of the evaluation and returns the value of the position from the point + // of view of the side to move. + + template + Value Evaluation::value() { + + assert(!pos.checkers()); + + // Probe the material hash table + me = Material::probe(pos); + + // If we have a specialized evaluation function for the current material + // configuration, call it and return. + if (me->specialized_eval_exists()) + return me->evaluate(pos); + + // Initialize score by reading the incrementally updated scores included in + // the position object (material + piece square tables) and the material + // imbalance. Score is computed internally from the white point of view. + Score score = pos.psq_score() + me->imbalance(); + + // Probe the pawn hash table + pe = Pawns::probe(pos); + score += pe->pawn_score(WHITE) - pe->pawn_score(BLACK); + + // Early exit if score is high + auto lazy_skip = [&](Value lazyThreshold) { + return abs(mg_value(score) + eg_value(score)) > lazyThreshold + + std::abs(pos.this_thread()->bestValue) * 5 / 4 + + pos.non_pawn_material() / 32; + }; + + if (lazy_skip(LazyThreshold1)) + goto make_v; + + // Main evaluation begins here + initialize(); + initialize(); + + // Pieces evaluated first (also populates attackedBy, attackedBy2). + // Note that the order of evaluation of the terms is left unspecified. + score += pieces() - pieces() + + pieces() - pieces() + + pieces() - pieces() + + pieces() - pieces(); + + score += mobility[WHITE] - mobility[BLACK]; + + // More complex interactions that require fully populated attack bitboards + score += king< WHITE>() - king< BLACK>() + + passed< WHITE>() - passed< BLACK>(); + + if (lazy_skip(LazyThreshold2)) + goto make_v; + + score += threats() - threats() + + space< WHITE>() - space< BLACK>(); + +make_v: + // Derive single value from mg and eg parts of score + Value v = winnable(score); + + // In case of tracing add all remaining individual evaluation terms + if constexpr (T) + { + Trace::add(MATERIAL, pos.psq_score()); + Trace::add(IMBALANCE, me->imbalance()); + Trace::add(PAWN, pe->pawn_score(WHITE), pe->pawn_score(BLACK)); + Trace::add(MOBILITY, mobility[WHITE], mobility[BLACK]); + } + + // Evaluation grain + v = (v / 16) * 16; + + // Side to move point of view + v = (pos.side_to_move() == WHITE ? v : -v); + + return v; + } + +} // namespace Eval + + +/// evaluate() is the evaluator for the outer world. It returns a static +/// evaluation of the position from the point of view of the side to move. + +Value Eval::evaluate(const Position& pos, int* complexity) { + + Value v; + Value psq = pos.psq_eg_stm(); + + // We use the much less accurate but faster Classical eval when the NNUE + // option is set to false. Otherwise we use the NNUE eval unless the + // PSQ advantage is decisive and several pieces remain. (~3 Elo) + bool useClassical = !useNNUE || (pos.count() > 7 && abs(psq) > 1760); + + if (useClassical) + v = Evaluation(pos).value(); + else + { + int nnueComplexity; + int scale = 1064 + 106 * pos.non_pawn_material() / 5120; + + Color stm = pos.side_to_move(); + Value optimism = pos.this_thread()->optimism[stm]; + + Value nnue = NNUE::evaluate(pos, true, &nnueComplexity); + + // Blend nnue complexity with (semi)classical complexity + nnueComplexity = ( 416 * nnueComplexity + + 424 * abs(psq - nnue) + + (optimism > 0 ? int(optimism) * int(psq - nnue) : 0) + ) / 1024; + + // Return hybrid NNUE complexity to caller + if (complexity) + *complexity = nnueComplexity; + + optimism = optimism * (269 + nnueComplexity) / 256; + v = (nnue * scale + optimism * (scale - 754)) / 1024; + } + + // Damp down the evaluation linearly when shuffling + v = v * (195 - pos.rule50_count()) / 211; + + // Guarantee evaluation does not hit the tablebase range + v = std::clamp(v, VALUE_TB_LOSS_IN_MAX_PLY + 1, VALUE_TB_WIN_IN_MAX_PLY - 1); + + // When not using NNUE, return classical complexity to caller + if (complexity && (!useNNUE || useClassical)) + *complexity = abs(v - psq); + + return v; +} + +/// trace() is like evaluate(), but instead of returning a value, it returns +/// a string (suitable for outputting to stdout) that contains the detailed +/// descriptions and values of each evaluation term. Useful for debugging. +/// Trace scores are from white's point of view + +std::string Eval::trace(Position& pos) { + + if (pos.checkers()) + return "Final evaluation: none (in check)"; + + std::stringstream ss; + ss << std::showpoint << std::noshowpos << std::fixed << std::setprecision(2); + + Value v; + + std::memset(scores, 0, sizeof(scores)); + + // Reset any global variable used in eval + pos.this_thread()->bestValue = VALUE_ZERO; + pos.this_thread()->optimism[WHITE] = VALUE_ZERO; + pos.this_thread()->optimism[BLACK] = VALUE_ZERO; + + v = Evaluation(pos).value(); + + ss << std::showpoint << std::noshowpos << std::fixed << std::setprecision(2) + << " Contributing terms for the classical eval:\n" + << "+------------+-------------+-------------+-------------+\n" + << "| Term | White | Black | Total |\n" + << "| | MG EG | MG EG | MG EG |\n" + << "+------------+-------------+-------------+-------------+\n" + << "| Material | " << Term(MATERIAL) + << "| Imbalance | " << Term(IMBALANCE) + << "| Pawns | " << Term(PAWN) + << "| Knights | " << Term(KNIGHT) + << "| Bishops | " << Term(BISHOP) + << "| Rooks | " << Term(ROOK) + << "| Queens | " << Term(QUEEN) + << "| Mobility | " << Term(MOBILITY) + << "|King safety | " << Term(KING) + << "| Threats | " << Term(THREAT) + << "| Passed | " << Term(PASSED) + << "| Space | " << Term(SPACE) + << "| Winnable | " << Term(WINNABLE) + << "+------------+-------------+-------------+-------------+\n" + << "| Total | " << Term(TOTAL) + << "+------------+-------------+-------------+-------------+\n"; + + if (Eval::useNNUE) + ss << '\n' << NNUE::trace(pos) << '\n'; + + ss << std::showpoint << std::showpos << std::fixed << std::setprecision(2) << std::setw(15); + + v = pos.side_to_move() == WHITE ? v : -v; + ss << "\nClassical evaluation " << to_cp(v) << " (white side)\n"; + if (Eval::useNNUE) + { + v = NNUE::evaluate(pos, false); + v = pos.side_to_move() == WHITE ? v : -v; + ss << "NNUE evaluation " << to_cp(v) << " (white side)\n"; + } + + v = evaluate(pos); + v = pos.side_to_move() == WHITE ? v : -v; + ss << "Final evaluation " << to_cp(v) << " (white side)"; + if (Eval::useNNUE) + ss << " [with scaled NNUE, hybrid, ...]"; + ss << "\n"; + + return ss.str(); +} + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/evaluate.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/evaluate.h new file mode 100755 index 00000000..f5ac3263 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/evaluate.h @@ -0,0 +1,62 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef EVALUATE_H_INCLUDED +#define EVALUATE_H_INCLUDED + +#include +#include + +#include "types.h" + +namespace Stockfish { + +class Position; + +namespace Eval { + + std::string trace(Position& pos); + Value evaluate(const Position& pos, int* complexity = nullptr); + + extern bool useNNUE; + extern std::string currentEvalFileName; + + // The default net name MUST follow the format nn-[SHA256 first 12 digits].nnue + // for the build process (profile-build and fishtest) to work. Do not change the + // name of the macro, as it is used in the Makefile. + #define EvalFileDefaultName "nn-ad9b42354671.nnue" + + namespace NNUE { + + std::string trace(Position& pos); + Value evaluate(const Position& pos, bool adjusted = false, int* complexity = nullptr); + + void init(); + void verify(); + + bool load_eval(std::string name, std::istream& stream); + bool save_eval(std::ostream& stream); + bool save_eval(const std::optional& filename); + + } // namespace NNUE + +} // namespace Eval + +} // namespace Stockfish + +#endif // #ifndef EVALUATE_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/incbin/UNLICENCE b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/incbin/UNLICENCE new file mode 100755 index 00000000..32484ab5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/incbin/UNLICENCE @@ -0,0 +1,26 @@ +The file "incbin.h" is free and unencumbered software released into +the public domain by Dale Weiler, see: + + +Anyone is free to copy, modify, publish, use, compile, sell, or +distribute this software, either in source code form or as a compiled +binary, for any purpose, commercial or non-commercial, and by any +means. + +In jurisdictions that recognize copyright laws, the author or authors +of this software dedicate any and all copyright interest in the +software to the public domain. We make this dedication for the benefit +of the public at large and to the detriment of our heirs and +successors. We intend this dedication to be an overt act of +relinquishment in perpetuity of all present and future rights to this +software under copyright law. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. +IN NO EVENT SHALL THE AUTHORS BE LIABLE FOR ANY CLAIM, DAMAGES OR +OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, +ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR +OTHER DEALINGS IN THE SOFTWARE. + +For more information, please refer to diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/incbin/incbin.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/incbin/incbin.h new file mode 100755 index 00000000..c19684d7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/incbin/incbin.h @@ -0,0 +1,368 @@ +/** + * @file incbin.h + * @author Dale Weiler + * @brief Utility for including binary files + * + * Facilities for including binary files into the current translation unit and + * making use from them externally in other translation units. + */ +#ifndef INCBIN_HDR +#define INCBIN_HDR +#include +#if defined(__AVX512BW__) || \ + defined(__AVX512CD__) || \ + defined(__AVX512DQ__) || \ + defined(__AVX512ER__) || \ + defined(__AVX512PF__) || \ + defined(__AVX512VL__) || \ + defined(__AVX512F__) +# define INCBIN_ALIGNMENT_INDEX 6 +#elif defined(__AVX__) || \ + defined(__AVX2__) +# define INCBIN_ALIGNMENT_INDEX 5 +#elif defined(__SSE__) || \ + defined(__SSE2__) || \ + defined(__SSE3__) || \ + defined(__SSSE3__) || \ + defined(__SSE4_1__) || \ + defined(__SSE4_2__) || \ + defined(__neon__) +# define INCBIN_ALIGNMENT_INDEX 4 +#elif ULONG_MAX != 0xffffffffu +# define INCBIN_ALIGNMENT_INDEX 3 +# else +# define INCBIN_ALIGNMENT_INDEX 2 +#endif + +/* Lookup table of (1 << n) where `n' is `INCBIN_ALIGNMENT_INDEX' */ +#define INCBIN_ALIGN_SHIFT_0 1 +#define INCBIN_ALIGN_SHIFT_1 2 +#define INCBIN_ALIGN_SHIFT_2 4 +#define INCBIN_ALIGN_SHIFT_3 8 +#define INCBIN_ALIGN_SHIFT_4 16 +#define INCBIN_ALIGN_SHIFT_5 32 +#define INCBIN_ALIGN_SHIFT_6 64 + +/* Actual alignment value */ +#define INCBIN_ALIGNMENT \ + INCBIN_CONCATENATE( \ + INCBIN_CONCATENATE(INCBIN_ALIGN_SHIFT, _), \ + INCBIN_ALIGNMENT_INDEX) + +/* Stringize */ +#define INCBIN_STR(X) \ + #X +#define INCBIN_STRINGIZE(X) \ + INCBIN_STR(X) +/* Concatenate */ +#define INCBIN_CAT(X, Y) \ + X ## Y +#define INCBIN_CONCATENATE(X, Y) \ + INCBIN_CAT(X, Y) +/* Deferred macro expansion */ +#define INCBIN_EVAL(X) \ + X +#define INCBIN_INVOKE(N, ...) \ + INCBIN_EVAL(N(__VA_ARGS__)) + +/* Green Hills uses a different directive for including binary data */ +#if defined(__ghs__) +# if (__ghs_asm == 2) +# define INCBIN_MACRO ".file" +/* Or consider the ".myrawdata" entry in the ld file */ +# else +# define INCBIN_MACRO "\tINCBIN" +# endif +#else +# define INCBIN_MACRO ".incbin" +#endif + +#ifndef _MSC_VER +# define INCBIN_ALIGN \ + __attribute__((aligned(INCBIN_ALIGNMENT))) +#else +# define INCBIN_ALIGN __declspec(align(INCBIN_ALIGNMENT)) +#endif + +#if defined(__arm__) || /* GNU C and RealView */ \ + defined(__arm) || /* Diab */ \ + defined(_ARM) /* ImageCraft */ +# define INCBIN_ARM +#endif + +#ifdef __GNUC__ +/* Utilize .balign where supported */ +# define INCBIN_ALIGN_HOST ".balign " INCBIN_STRINGIZE(INCBIN_ALIGNMENT) "\n" +# define INCBIN_ALIGN_BYTE ".balign 1\n" +#elif defined(INCBIN_ARM) +/* + * On arm assemblers, the alignment value is calculated as (1 << n) where `n' is + * the shift count. This is the value passed to `.align' + */ +# define INCBIN_ALIGN_HOST ".align " INCBIN_STRINGIZE(INCBIN_ALIGNMENT_INDEX) "\n" +# define INCBIN_ALIGN_BYTE ".align 0\n" +#else +/* We assume other inline assembler's treat `.align' as `.balign' */ +# define INCBIN_ALIGN_HOST ".align " INCBIN_STRINGIZE(INCBIN_ALIGNMENT) "\n" +# define INCBIN_ALIGN_BYTE ".align 1\n" +#endif + +/* INCBIN_CONST is used by incbin.c generated files */ +#if defined(__cplusplus) +# define INCBIN_EXTERNAL extern "C" +# define INCBIN_CONST extern const +#else +# define INCBIN_EXTERNAL extern +# define INCBIN_CONST const +#endif + +/** + * @brief Optionally override the linker section into which data is emitted. + * + * @warning If you use this facility, you'll have to deal with platform-specific linker output + * section naming on your own + * + * Overriding the default linker output section, e.g for esp8266/Arduino: + * @code + * #define INCBIN_OUTPUT_SECTION ".irom.text" + * #include "incbin.h" + * INCBIN(Foo, "foo.txt"); + * // Data is emitted into program memory that never gets copied to RAM + * @endcode + */ +#if !defined(INCBIN_OUTPUT_SECTION) +# if defined(__APPLE__) +# define INCBIN_OUTPUT_SECTION ".const_data" +# else +# define INCBIN_OUTPUT_SECTION ".rodata" +# endif +#endif + +#if defined(__APPLE__) +/* The directives are different for Apple branded compilers */ +# define INCBIN_SECTION INCBIN_OUTPUT_SECTION "\n" +# define INCBIN_GLOBAL(NAME) ".globl " INCBIN_MANGLE INCBIN_STRINGIZE(INCBIN_PREFIX) #NAME "\n" +# define INCBIN_INT ".long " +# define INCBIN_MANGLE "_" +# define INCBIN_BYTE ".byte " +# define INCBIN_TYPE(...) +#else +# define INCBIN_SECTION ".section " INCBIN_OUTPUT_SECTION "\n" +# define INCBIN_GLOBAL(NAME) ".global " INCBIN_STRINGIZE(INCBIN_PREFIX) #NAME "\n" +# if defined(__ghs__) +# define INCBIN_INT ".word " +# else +# define INCBIN_INT ".int " +# endif +# if defined(__USER_LABEL_PREFIX__) +# define INCBIN_MANGLE INCBIN_STRINGIZE(__USER_LABEL_PREFIX__) +# else +# define INCBIN_MANGLE "" +# endif +# if defined(INCBIN_ARM) +/* On arm assemblers, `@' is used as a line comment token */ +# define INCBIN_TYPE(NAME) ".type " INCBIN_STRINGIZE(INCBIN_PREFIX) #NAME ", %object\n" +# elif defined(__MINGW32__) || defined(__MINGW64__) +/* Mingw doesn't support this directive either */ +# define INCBIN_TYPE(NAME) +# else +/* It's safe to use `@' on other architectures */ +# define INCBIN_TYPE(NAME) ".type " INCBIN_STRINGIZE(INCBIN_PREFIX) #NAME ", @object\n" +# endif +# define INCBIN_BYTE ".byte " +#endif + +/* List of style types used for symbol names */ +#define INCBIN_STYLE_CAMEL 0 +#define INCBIN_STYLE_SNAKE 1 + +/** + * @brief Specify the prefix to use for symbol names. + * + * By default this is `g', producing symbols of the form: + * @code + * #include "incbin.h" + * INCBIN(Foo, "foo.txt"); + * + * // Now you have the following symbols: + * // const unsigned char gFooData[]; + * // const unsigned char *const gFooEnd; + * // const unsigned int gFooSize; + * @endcode + * + * If however you specify a prefix before including: e.g: + * @code + * #define INCBIN_PREFIX incbin + * #include "incbin.h" + * INCBIN(Foo, "foo.txt"); + * + * // Now you have the following symbols instead: + * // const unsigned char incbinFooData[]; + * // const unsigned char *const incbinFooEnd; + * // const unsigned int incbinFooSize; + * @endcode + */ +#if !defined(INCBIN_PREFIX) +# define INCBIN_PREFIX g +#endif + +/** + * @brief Specify the style used for symbol names. + * + * Possible options are + * - INCBIN_STYLE_CAMEL "CamelCase" + * - INCBIN_STYLE_SNAKE "snake_case" + * + * Default option is *INCBIN_STYLE_CAMEL* producing symbols of the form: + * @code + * #include "incbin.h" + * INCBIN(Foo, "foo.txt"); + * + * // Now you have the following symbols: + * // const unsigned char FooData[]; + * // const unsigned char *const FooEnd; + * // const unsigned int FooSize; + * @endcode + * + * If however you specify a style before including: e.g: + * @code + * #define INCBIN_STYLE INCBIN_STYLE_SNAKE + * #include "incbin.h" + * INCBIN(foo, "foo.txt"); + * + * // Now you have the following symbols: + * // const unsigned char foo_data[]; + * // const unsigned char *const foo_end; + * // const unsigned int foo_size; + * @endcode + */ +#if !defined(INCBIN_STYLE) +# define INCBIN_STYLE INCBIN_STYLE_CAMEL +#endif + +/* Style lookup tables */ +#define INCBIN_STYLE_0_DATA Data +#define INCBIN_STYLE_0_END End +#define INCBIN_STYLE_0_SIZE Size +#define INCBIN_STYLE_1_DATA _data +#define INCBIN_STYLE_1_END _end +#define INCBIN_STYLE_1_SIZE _size + +/* Style lookup: returning identifier */ +#define INCBIN_STYLE_IDENT(TYPE) \ + INCBIN_CONCATENATE( \ + INCBIN_STYLE_, \ + INCBIN_CONCATENATE( \ + INCBIN_EVAL(INCBIN_STYLE), \ + INCBIN_CONCATENATE(_, TYPE))) + +/* Style lookup: returning string literal */ +#define INCBIN_STYLE_STRING(TYPE) \ + INCBIN_STRINGIZE( \ + INCBIN_STYLE_IDENT(TYPE)) \ + +/* Generate the global labels by indirectly invoking the macro with our style + * type and concatenating the name against them. */ +#define INCBIN_GLOBAL_LABELS(NAME, TYPE) \ + INCBIN_INVOKE( \ + INCBIN_GLOBAL, \ + INCBIN_CONCATENATE( \ + NAME, \ + INCBIN_INVOKE( \ + INCBIN_STYLE_IDENT, \ + TYPE))) \ + INCBIN_INVOKE( \ + INCBIN_TYPE, \ + INCBIN_CONCATENATE( \ + NAME, \ + INCBIN_INVOKE( \ + INCBIN_STYLE_IDENT, \ + TYPE))) + +/** + * @brief Externally reference binary data included in another translation unit. + * + * Produces three external symbols that reference the binary data included in + * another translation unit. + * + * The symbol names are a concatenation of `INCBIN_PREFIX' before *NAME*; with + * "Data", as well as "End" and "Size" after. An example is provided below. + * + * @param NAME The name given for the binary data + * + * @code + * INCBIN_EXTERN(Foo); + * + * // Now you have the following symbols: + * // extern const unsigned char FooData[]; + * // extern const unsigned char *const FooEnd; + * // extern const unsigned int FooSize; + * @endcode + */ +#define INCBIN_EXTERN(NAME) \ + INCBIN_EXTERNAL const INCBIN_ALIGN unsigned char \ + INCBIN_CONCATENATE( \ + INCBIN_CONCATENATE(INCBIN_PREFIX, NAME), \ + INCBIN_STYLE_IDENT(DATA))[]; \ + INCBIN_EXTERNAL const INCBIN_ALIGN unsigned char *const \ + INCBIN_CONCATENATE( \ + INCBIN_CONCATENATE(INCBIN_PREFIX, NAME), \ + INCBIN_STYLE_IDENT(END)); \ + INCBIN_EXTERNAL const unsigned int \ + INCBIN_CONCATENATE( \ + INCBIN_CONCATENATE(INCBIN_PREFIX, NAME), \ + INCBIN_STYLE_IDENT(SIZE)) + +/** + * @brief Include a binary file into the current translation unit. + * + * Includes a binary file into the current translation unit, producing three symbols + * for objects that encode the data and size respectively. + * + * The symbol names are a concatenation of `INCBIN_PREFIX' before *NAME*; with + * "Data", as well as "End" and "Size" after. An example is provided below. + * + * @param NAME The name to associate with this binary data (as an identifier.) + * @param FILENAME The file to include (as a string literal.) + * + * @code + * INCBIN(Icon, "icon.png"); + * + * // Now you have the following symbols: + * // const unsigned char IconData[]; + * // const unsigned char *const IconEnd; + * // const unsigned int IconSize; + * @endcode + * + * @warning This must be used in global scope + * @warning The identifiers may be different if INCBIN_STYLE is not default + * + * To externally reference the data included by this in another translation unit + * please @see INCBIN_EXTERN. + */ +#ifdef _MSC_VER +#define INCBIN(NAME, FILENAME) \ + INCBIN_EXTERN(NAME) +#else +#define INCBIN(NAME, FILENAME) \ + __asm__(INCBIN_SECTION \ + INCBIN_GLOBAL_LABELS(NAME, DATA) \ + INCBIN_ALIGN_HOST \ + INCBIN_MANGLE INCBIN_STRINGIZE(INCBIN_PREFIX) #NAME INCBIN_STYLE_STRING(DATA) ":\n" \ + INCBIN_MACRO " \"" FILENAME "\"\n" \ + INCBIN_GLOBAL_LABELS(NAME, END) \ + INCBIN_ALIGN_BYTE \ + INCBIN_MANGLE INCBIN_STRINGIZE(INCBIN_PREFIX) #NAME INCBIN_STYLE_STRING(END) ":\n" \ + INCBIN_BYTE "1\n" \ + INCBIN_GLOBAL_LABELS(NAME, SIZE) \ + INCBIN_ALIGN_HOST \ + INCBIN_MANGLE INCBIN_STRINGIZE(INCBIN_PREFIX) #NAME INCBIN_STYLE_STRING(SIZE) ":\n" \ + INCBIN_INT INCBIN_MANGLE INCBIN_STRINGIZE(INCBIN_PREFIX) #NAME INCBIN_STYLE_STRING(END) " - " \ + INCBIN_MANGLE INCBIN_STRINGIZE(INCBIN_PREFIX) #NAME INCBIN_STYLE_STRING(DATA) "\n" \ + INCBIN_ALIGN_HOST \ + ".text\n" \ + ); \ + INCBIN_EXTERN(NAME) + +#endif +#endif diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/main.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/main.cpp new file mode 100755 index 00000000..fad0ef84 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/main.cpp @@ -0,0 +1,53 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include + +#include "bitboard.h" +#include "endgame.h" +#include "position.h" +#include "psqt.h" +#include "search.h" +#include "syzygy/tbprobe.h" +#include "thread.h" +#include "tt.h" +#include "uci.h" + +using namespace Stockfish; + +int main(int argc, char* argv[]) { + + std::cout << engine_info() << std::endl; + + CommandLine::init(argc, argv); + UCI::init(Options); + Tune::init(); + PSQT::init(); + Bitboards::init(); + Position::init(); + Bitbases::init(); + Endgames::init(); + Threads.set(size_t(Options["Threads"])); + Search::clear(); // After threads are up + Eval::NNUE::init(); + + UCI::loop(argc, argv); + + Threads.set(0); + return 0; +} diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/material.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/material.cpp new file mode 100755 index 00000000..1567358a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/material.cpp @@ -0,0 +1,229 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include +#include // For std::memset + +#include "material.h" +#include "thread.h" + +using namespace std; + +namespace Stockfish { + +namespace { + #define S(mg, eg) make_score(mg, eg) + + // Polynomial material imbalance parameters + + // One Score parameter for each pair (our piece, another of our pieces) + constexpr Score QuadraticOurs[][PIECE_TYPE_NB] = { + // OUR PIECE 2 + // bishop pair pawn knight bishop rook queen + {S(1419, 1455) }, // Bishop pair + {S( 101, 28), S( 37, 39) }, // Pawn + {S( 57, 64), S(249, 187), S(-49, -62) }, // Knight OUR PIECE 1 + {S( 0, 0), S(118, 137), S( 10, 27), S( 0, 0) }, // Bishop + {S( -63, -68), S( -5, 3), S(100, 81), S(132, 118), S(-246, -244) }, // Rook + {S(-210, -211), S( 37, 14), S(147, 141), S(161, 105), S(-158, -174), S(-9,-31) } // Queen + }; + + // One Score parameter for each pair (our piece, their piece) + constexpr Score QuadraticTheirs[][PIECE_TYPE_NB] = { + // THEIR PIECE + // bishop pair pawn knight bishop rook queen + { }, // Bishop pair + {S( 33, 30) }, // Pawn + {S( 46, 18), S(106, 84) }, // Knight OUR PIECE + {S( 75, 35), S( 59, 44), S( 60, 15) }, // Bishop + {S( 26, 35), S( 6, 22), S( 38, 39), S(-12, -2) }, // Rook + {S( 97, 93), S(100, 163), S(-58, -91), S(112, 192), S(276, 225) } // Queen + }; + + #undef S + + // Endgame evaluation and scaling functions are accessed directly and not through + // the function maps because they correspond to more than one material hash key. + Endgame EvaluateKXK[] = { Endgame(WHITE), Endgame(BLACK) }; + + Endgame ScaleKBPsK[] = { Endgame(WHITE), Endgame(BLACK) }; + Endgame ScaleKQKRPs[] = { Endgame(WHITE), Endgame(BLACK) }; + Endgame ScaleKPsK[] = { Endgame(WHITE), Endgame(BLACK) }; + Endgame ScaleKPKP[] = { Endgame(WHITE), Endgame(BLACK) }; + + // Helper used to detect a given material distribution + bool is_KXK(const Position& pos, Color us) { + return !more_than_one(pos.pieces(~us)) + && pos.non_pawn_material(us) >= RookValueMg; + } + + bool is_KBPsK(const Position& pos, Color us) { + return pos.non_pawn_material(us) == BishopValueMg + && pos.count(us) >= 1; + } + + bool is_KQKRPs(const Position& pos, Color us) { + return !pos.count(us) + && pos.non_pawn_material(us) == QueenValueMg + && pos.count(~us) == 1 + && pos.count(~us) >= 1; + } + + + /// imbalance() calculates the imbalance by comparing the piece count of each + /// piece type for both colors. + + template + Score imbalance(const int pieceCount[][PIECE_TYPE_NB]) { + + constexpr Color Them = ~Us; + + Score bonus = SCORE_ZERO; + + // Second-degree polynomial material imbalance, by Tord Romstad + for (int pt1 = NO_PIECE_TYPE; pt1 <= QUEEN; ++pt1) + { + if (!pieceCount[Us][pt1]) + continue; + + int v = QuadraticOurs[pt1][pt1] * pieceCount[Us][pt1]; + + for (int pt2 = NO_PIECE_TYPE; pt2 < pt1; ++pt2) + v += QuadraticOurs[pt1][pt2] * pieceCount[Us][pt2] + + QuadraticTheirs[pt1][pt2] * pieceCount[Them][pt2]; + + bonus += pieceCount[Us][pt1] * v; + } + + return bonus; + } + +} // namespace + +namespace Material { + + +/// Material::probe() looks up the current position's material configuration in +/// the material hash table. It returns a pointer to the Entry if the position +/// is found. Otherwise a new Entry is computed and stored there, so we don't +/// have to recompute all when the same material configuration occurs again. + +Entry* probe(const Position& pos) { + + Key key = pos.material_key(); + Entry* e = pos.this_thread()->materialTable[key]; + + if (e->key == key) + return e; + + std::memset(e, 0, sizeof(Entry)); + e->key = key; + e->factor[WHITE] = e->factor[BLACK] = (uint8_t)SCALE_FACTOR_NORMAL; + + Value npm_w = pos.non_pawn_material(WHITE); + Value npm_b = pos.non_pawn_material(BLACK); + Value npm = std::clamp(npm_w + npm_b, EndgameLimit, MidgameLimit); + + // Map total non-pawn material into [PHASE_ENDGAME, PHASE_MIDGAME] + e->gamePhase = Phase(((npm - EndgameLimit) * PHASE_MIDGAME) / (MidgameLimit - EndgameLimit)); + + // Let's look if we have a specialized evaluation function for this particular + // material configuration. Firstly we look for a fixed configuration one, then + // for a generic one if the previous search failed. + if ((e->evaluationFunction = Endgames::probe(key)) != nullptr) + return e; + + for (Color c : { WHITE, BLACK }) + if (is_KXK(pos, c)) + { + e->evaluationFunction = &EvaluateKXK[c]; + return e; + } + + // OK, we didn't find any special evaluation function for the current material + // configuration. Is there a suitable specialized scaling function? + const auto* sf = Endgames::probe(key); + + if (sf) + { + e->scalingFunction[sf->strongSide] = sf; // Only strong color assigned + return e; + } + + // We didn't find any specialized scaling function, so fall back on generic + // ones that refer to more than one material distribution. Note that in this + // case we don't return after setting the function. + for (Color c : { WHITE, BLACK }) + { + if (is_KBPsK(pos, c)) + e->scalingFunction[c] = &ScaleKBPsK[c]; + + else if (is_KQKRPs(pos, c)) + e->scalingFunction[c] = &ScaleKQKRPs[c]; + } + + if (npm_w + npm_b == VALUE_ZERO && pos.pieces(PAWN)) // Only pawns on the board + { + if (!pos.count(BLACK)) + { + assert(pos.count(WHITE) >= 2); + + e->scalingFunction[WHITE] = &ScaleKPsK[WHITE]; + } + else if (!pos.count(WHITE)) + { + assert(pos.count(BLACK) >= 2); + + e->scalingFunction[BLACK] = &ScaleKPsK[BLACK]; + } + else if (pos.count(WHITE) == 1 && pos.count(BLACK) == 1) + { + // This is a special case because we set scaling functions + // for both colors instead of only one. + e->scalingFunction[WHITE] = &ScaleKPKP[WHITE]; + e->scalingFunction[BLACK] = &ScaleKPKP[BLACK]; + } + } + + // Zero or just one pawn makes it difficult to win, even with a small material + // advantage. This catches some trivial draws like KK, KBK and KNK and gives a + // drawish scale factor for cases such as KRKBP and KmmKm (except for KBBKN). + if (!pos.count(WHITE) && npm_w - npm_b <= BishopValueMg) + e->factor[WHITE] = uint8_t(npm_w < RookValueMg ? SCALE_FACTOR_DRAW : + npm_b <= BishopValueMg ? 4 : 14); + + if (!pos.count(BLACK) && npm_b - npm_w <= BishopValueMg) + e->factor[BLACK] = uint8_t(npm_b < RookValueMg ? SCALE_FACTOR_DRAW : + npm_w <= BishopValueMg ? 4 : 14); + + // Evaluate the material imbalance. We use PIECE_TYPE_NONE as a place holder + // for the bishop pair "extended piece", which allows us to be more flexible + // in defining bishop pair bonuses. + const int pieceCount[COLOR_NB][PIECE_TYPE_NB] = { + { pos.count(WHITE) > 1, pos.count(WHITE), pos.count(WHITE), + pos.count(WHITE) , pos.count(WHITE), pos.count(WHITE) }, + { pos.count(BLACK) > 1, pos.count(BLACK), pos.count(BLACK), + pos.count(BLACK) , pos.count(BLACK), pos.count(BLACK) } }; + + e->score = (imbalance(pieceCount) - imbalance(pieceCount)) / 16; + return e; +} + +} // namespace Material + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/material.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/material.h new file mode 100755 index 00000000..3ca169ce --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/material.h @@ -0,0 +1,71 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef MATERIAL_H_INCLUDED +#define MATERIAL_H_INCLUDED + +#include "endgame.h" +#include "misc.h" +#include "position.h" +#include "types.h" + +namespace Stockfish::Material { + +/// Material::Entry contains various information about a material configuration. +/// It contains a material imbalance evaluation, a function pointer to a special +/// endgame evaluation function (which in most cases is NULL, meaning that the +/// standard evaluation function will be used), and scale factors. +/// +/// The scale factors are used to scale the evaluation score up or down. For +/// instance, in KRB vs KR endgames, the score is scaled down by a factor of 4, +/// which will result in scores of absolute value less than one pawn. + +struct Entry { + + Score imbalance() const { return score; } + Phase game_phase() const { return (Phase)gamePhase; } + bool specialized_eval_exists() const { return evaluationFunction != nullptr; } + Value evaluate(const Position& pos) const { return (*evaluationFunction)(pos); } + + // scale_factor() takes a position and a color as input and returns a scale factor + // for the given color. We have to provide the position in addition to the color + // because the scale factor may also be a function which should be applied to + // the position. For instance, in KBP vs K endgames, the scaling function looks + // for rook pawns and wrong-colored bishops. + ScaleFactor scale_factor(const Position& pos, Color c) const { + ScaleFactor sf = scalingFunction[c] ? (*scalingFunction[c])(pos) + : SCALE_FACTOR_NONE; + return sf != SCALE_FACTOR_NONE ? sf : ScaleFactor(factor[c]); + } + + Key key; + const EndgameBase* evaluationFunction; + const EndgameBase* scalingFunction[COLOR_NB]; // Could be one for each + // side (e.g. KPKP, KBPsK) + Score score; + int16_t gamePhase; + uint8_t factor[COLOR_NB]; +}; + +typedef HashTable Table; + +Entry* probe(const Position& pos); + +} // namespace Stockfish::Material + +#endif // #ifndef MATERIAL_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/misc.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/misc.cpp new file mode 100755 index 00000000..2d86969f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/misc.cpp @@ -0,0 +1,687 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifdef _WIN32 +#if _WIN32_WINNT < 0x0601 +#undef _WIN32_WINNT +#define _WIN32_WINNT 0x0601 // Force to include needed API prototypes +#endif + +#ifndef NOMINMAX +#define NOMINMAX +#endif + +#include +// The needed Windows API for processor groups could be missed from old Windows +// versions, so instead of calling them directly (forcing the linker to resolve +// the calls at compile time), try to load them at runtime. To do this we need +// first to define the corresponding function pointers. +extern "C" { +typedef bool(*fun1_t)(LOGICAL_PROCESSOR_RELATIONSHIP, + PSYSTEM_LOGICAL_PROCESSOR_INFORMATION_EX, PDWORD); +typedef bool(*fun2_t)(USHORT, PGROUP_AFFINITY); +typedef bool(*fun3_t)(HANDLE, CONST GROUP_AFFINITY*, PGROUP_AFFINITY); +typedef bool(*fun4_t)(USHORT, PGROUP_AFFINITY, USHORT, PUSHORT); +typedef WORD(*fun5_t)(); +} +#endif + +#include +#include +#include +#include +#include +#include + +#if defined(__linux__) && !defined(__ANDROID__) +#include +#include +#endif + +#if defined(__APPLE__) || defined(__ANDROID__) || defined(__OpenBSD__) || (defined(__GLIBCXX__) && !defined(_GLIBCXX_HAVE_ALIGNED_ALLOC) && !defined(_WIN32)) || defined(__e2k__) +#define POSIXALIGNEDALLOC +#include +#endif + +#include "misc.h" +#include "thread.h" + +using namespace std; + +namespace Stockfish { + +namespace { + +/// Version number or dev. +const string version = "15.1"; + +/// Our fancy logging facility. The trick here is to replace cin.rdbuf() and +/// cout.rdbuf() with two Tie objects that tie cin and cout to a file stream. We +/// can toggle the logging of std::cout and std:cin at runtime whilst preserving +/// usual I/O functionality, all without changing a single line of code! +/// Idea from http://groups.google.com/group/comp.lang.c++/msg/1d941c0f26ea0d81 + +struct Tie: public streambuf { // MSVC requires split streambuf for cin and cout + + Tie(streambuf* b, streambuf* l) : buf(b), logBuf(l) {} + + int sync() override { return logBuf->pubsync(), buf->pubsync(); } + int overflow(int c) override { return log(buf->sputc((char)c), "<< "); } + int underflow() override { return buf->sgetc(); } + int uflow() override { return log(buf->sbumpc(), ">> "); } + + streambuf *buf, *logBuf; + + int log(int c, const char* prefix) { + + static int last = '\n'; // Single log file + + if (last == '\n') + logBuf->sputn(prefix, 3); + + return last = logBuf->sputc((char)c); + } +}; + +class Logger { + + Logger() : in(cin.rdbuf(), file.rdbuf()), out(cout.rdbuf(), file.rdbuf()) {} + ~Logger() { start(""); } + + ofstream file; + Tie in, out; + +public: + static void start(const std::string& fname) { + + static Logger l; + + if (l.file.is_open()) + { + cout.rdbuf(l.out.buf); + cin.rdbuf(l.in.buf); + l.file.close(); + } + + if (!fname.empty()) + { + l.file.open(fname, ifstream::out); + + if (!l.file.is_open()) + { + cerr << "Unable to open debug log file " << fname << endl; + exit(EXIT_FAILURE); + } + + cin.rdbuf(&l.in); + cout.rdbuf(&l.out); + } + } +}; + +} // namespace + + +/// engine_info() returns the full name of the current Stockfish version. +/// For local dev compiles we try to append the commit sha and commit date +/// from git if that fails only the local compilation date is set and "nogit" is specified: +/// Stockfish dev-YYYYMMDD-SHA +/// or +/// Stockfish dev-YYYYMMDD-nogit +/// +/// For releases (non dev builds) we only include the version number: +/// Stockfish version + +string engine_info(bool to_uci) { + stringstream ss; + ss << "Stockfish " << version << setfill('0'); + + if (version == "dev") + { + ss << "-"; + #ifdef GIT_DATE + ss << GIT_DATE; + #else + const string months("Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec"); + string month, day, year; + stringstream date(__DATE__); // From compiler, format is "Sep 21 2008" + + date >> month >> day >> year; + ss << year << setw(2) << setfill('0') << (1 + months.find(month) / 4) << setw(2) << setfill('0') << day; + #endif + + ss << "-"; + + #ifdef GIT_SHA + ss << GIT_SHA; + #else + ss << "nogit"; + #endif + } + + ss << (to_uci ? "\nid author ": " by ") + << "the Stockfish developers (see AUTHORS file)"; + + return ss.str(); +} + + +/// compiler_info() returns a string trying to describe the compiler we use + +std::string compiler_info() { + + #define stringify2(x) #x + #define stringify(x) stringify2(x) + #define make_version_string(major, minor, patch) stringify(major) "." stringify(minor) "." stringify(patch) + +/// Predefined macros hell: +/// +/// __GNUC__ Compiler is gcc, Clang or Intel on Linux +/// __INTEL_COMPILER Compiler is Intel +/// _MSC_VER Compiler is MSVC or Intel on Windows +/// _WIN32 Building on Windows (any) +/// _WIN64 Building on Windows 64 bit + + std::string compiler = "\nCompiled by "; + + #ifdef __clang__ + compiler += "clang++ "; + compiler += make_version_string(__clang_major__, __clang_minor__, __clang_patchlevel__); + #elif __INTEL_COMPILER + compiler += "Intel compiler "; + compiler += "(version "; + compiler += stringify(__INTEL_COMPILER) " update " stringify(__INTEL_COMPILER_UPDATE); + compiler += ")"; + #elif _MSC_VER + compiler += "MSVC "; + compiler += "(version "; + compiler += stringify(_MSC_FULL_VER) "." stringify(_MSC_BUILD); + compiler += ")"; + #elif defined(__e2k__) && defined(__LCC__) + #define dot_ver2(n) \ + compiler += (char)'.'; \ + compiler += (char)('0' + (n) / 10); \ + compiler += (char)('0' + (n) % 10); + + compiler += "MCST LCC "; + compiler += "(version "; + compiler += std::to_string(__LCC__ / 100); + dot_ver2(__LCC__ % 100) + dot_ver2(__LCC_MINOR__) + compiler += ")"; + #elif __GNUC__ + compiler += "g++ (GNUC) "; + compiler += make_version_string(__GNUC__, __GNUC_MINOR__, __GNUC_PATCHLEVEL__); + #else + compiler += "Unknown compiler "; + compiler += "(unknown version)"; + #endif + + #if defined(__APPLE__) + compiler += " on Apple"; + #elif defined(__CYGWIN__) + compiler += " on Cygwin"; + #elif defined(__MINGW64__) + compiler += " on MinGW64"; + #elif defined(__MINGW32__) + compiler += " on MinGW32"; + #elif defined(__ANDROID__) + compiler += " on Android"; + #elif defined(__linux__) + compiler += " on Linux"; + #elif defined(_WIN64) + compiler += " on Microsoft Windows 64-bit"; + #elif defined(_WIN32) + compiler += " on Microsoft Windows 32-bit"; + #else + compiler += " on unknown system"; + #endif + + compiler += "\nCompilation settings include: "; + compiler += (Is64Bit ? " 64bit" : " 32bit"); + #if defined(USE_VNNI) + compiler += " VNNI"; + #endif + #if defined(USE_AVX512) + compiler += " AVX512"; + #endif + compiler += (HasPext ? " BMI2" : ""); + #if defined(USE_AVX2) + compiler += " AVX2"; + #endif + #if defined(USE_SSE41) + compiler += " SSE41"; + #endif + #if defined(USE_SSSE3) + compiler += " SSSE3"; + #endif + #if defined(USE_SSE2) + compiler += " SSE2"; + #endif + compiler += (HasPopCnt ? " POPCNT" : ""); + #if defined(USE_MMX) + compiler += " MMX"; + #endif + #if defined(USE_NEON) + compiler += " NEON"; + #endif + + #if !defined(NDEBUG) + compiler += " DEBUG"; + #endif + + compiler += "\n__VERSION__ macro expands to: "; + #ifdef __VERSION__ + compiler += __VERSION__; + #else + compiler += "(undefined macro)"; + #endif + compiler += "\n"; + + return compiler; +} + + +/// Debug functions used mainly to collect run-time statistics +static std::atomic hits[2], means[2]; + +void dbg_hit_on(bool b) { ++hits[0]; if (b) ++hits[1]; } +void dbg_hit_on(bool c, bool b) { if (c) dbg_hit_on(b); } +void dbg_mean_of(int v) { ++means[0]; means[1] += v; } + +void dbg_print() { + + if (hits[0]) + cerr << "Total " << hits[0] << " Hits " << hits[1] + << " hit rate (%) " << 100 * hits[1] / hits[0] << endl; + + if (means[0]) + cerr << "Total " << means[0] << " Mean " + << (double)means[1] / means[0] << endl; +} + + +/// Used to serialize access to std::cout to avoid multiple threads writing at +/// the same time. + +std::ostream& operator<<(std::ostream& os, SyncCout sc) { + + static std::mutex m; + + if (sc == IO_LOCK) + m.lock(); + + if (sc == IO_UNLOCK) + m.unlock(); + + return os; +} + + +/// Trampoline helper to avoid moving Logger to misc.h +void start_logger(const std::string& fname) { Logger::start(fname); } + + +/// prefetch() preloads the given address in L1/L2 cache. This is a non-blocking +/// function that doesn't stall the CPU waiting for data to be loaded from memory, +/// which can be quite slow. +#ifdef NO_PREFETCH + +void prefetch(void*) {} + +#else + +void prefetch(void* addr) { + +# if defined(__INTEL_COMPILER) + // This hack prevents prefetches from being optimized away by + // Intel compiler. Both MSVC and gcc seem not be affected by this. + __asm__ (""); +# endif + +# if defined(__INTEL_COMPILER) || defined(_MSC_VER) + _mm_prefetch((char*)addr, _MM_HINT_T0); +# else + __builtin_prefetch(addr); +# endif +} + +#endif + + +/// std_aligned_alloc() is our wrapper for systems where the c++17 implementation +/// does not guarantee the availability of aligned_alloc(). Memory allocated with +/// std_aligned_alloc() must be freed with std_aligned_free(). + +void* std_aligned_alloc(size_t alignment, size_t size) { + +#if defined(POSIXALIGNEDALLOC) + void *mem; + return posix_memalign(&mem, alignment, size) ? nullptr : mem; +#elif defined(_WIN32) + return _mm_malloc(size, alignment); +#else + return std::aligned_alloc(alignment, size); +#endif +} + +void std_aligned_free(void* ptr) { + +#if defined(POSIXALIGNEDALLOC) + free(ptr); +#elif defined(_WIN32) + _mm_free(ptr); +#else + free(ptr); +#endif +} + +/// aligned_large_pages_alloc() will return suitably aligned memory, if possible using large pages. + +#if defined(_WIN32) + +static void* aligned_large_pages_alloc_windows([[maybe_unused]] size_t allocSize) { + + #if !defined(_WIN64) + return nullptr; + #else + + HANDLE hProcessToken { }; + LUID luid { }; + void* mem = nullptr; + + const size_t largePageSize = GetLargePageMinimum(); + if (!largePageSize) + return nullptr; + + // We need SeLockMemoryPrivilege, so try to enable it for the process + if (!OpenProcessToken(GetCurrentProcess(), TOKEN_ADJUST_PRIVILEGES | TOKEN_QUERY, &hProcessToken)) + return nullptr; + + if (LookupPrivilegeValue(NULL, SE_LOCK_MEMORY_NAME, &luid)) + { + TOKEN_PRIVILEGES tp { }; + TOKEN_PRIVILEGES prevTp { }; + DWORD prevTpLen = 0; + + tp.PrivilegeCount = 1; + tp.Privileges[0].Luid = luid; + tp.Privileges[0].Attributes = SE_PRIVILEGE_ENABLED; + + // Try to enable SeLockMemoryPrivilege. Note that even if AdjustTokenPrivileges() succeeds, + // we still need to query GetLastError() to ensure that the privileges were actually obtained. + if (AdjustTokenPrivileges( + hProcessToken, FALSE, &tp, sizeof(TOKEN_PRIVILEGES), &prevTp, &prevTpLen) && + GetLastError() == ERROR_SUCCESS) + { + // Round up size to full pages and allocate + allocSize = (allocSize + largePageSize - 1) & ~size_t(largePageSize - 1); + mem = VirtualAlloc( + NULL, allocSize, MEM_RESERVE | MEM_COMMIT | MEM_LARGE_PAGES, PAGE_READWRITE); + + // Privilege no longer needed, restore previous state + AdjustTokenPrivileges(hProcessToken, FALSE, &prevTp, 0, NULL, NULL); + } + } + + CloseHandle(hProcessToken); + + return mem; + + #endif +} + +void* aligned_large_pages_alloc(size_t allocSize) { + + // Try to allocate large pages + void* mem = aligned_large_pages_alloc_windows(allocSize); + + // Fall back to regular, page aligned, allocation if necessary + if (!mem) + mem = VirtualAlloc(NULL, allocSize, MEM_RESERVE | MEM_COMMIT, PAGE_READWRITE); + + return mem; +} + +#else + +void* aligned_large_pages_alloc(size_t allocSize) { + +#if defined(__linux__) + constexpr size_t alignment = 2 * 1024 * 1024; // assumed 2MB page size +#else + constexpr size_t alignment = 4096; // assumed small page size +#endif + + // round up to multiples of alignment + size_t size = ((allocSize + alignment - 1) / alignment) * alignment; + void *mem = std_aligned_alloc(alignment, size); +#if defined(MADV_HUGEPAGE) + madvise(mem, size, MADV_HUGEPAGE); +#endif + return mem; +} + +#endif + + +/// aligned_large_pages_free() will free the previously allocated ttmem + +#if defined(_WIN32) + +void aligned_large_pages_free(void* mem) { + + if (mem && !VirtualFree(mem, 0, MEM_RELEASE)) + { + DWORD err = GetLastError(); + std::cerr << "Failed to free large page memory. Error code: 0x" + << std::hex << err + << std::dec << std::endl; + exit(EXIT_FAILURE); + } +} + +#else + +void aligned_large_pages_free(void *mem) { + std_aligned_free(mem); +} + +#endif + + +namespace WinProcGroup { + +#ifndef _WIN32 + +void bindThisThread(size_t) {} + +#else + +/// best_node() retrieves logical processor information using Windows specific +/// API and returns the best node id for the thread with index idx. Original +/// code from Texel by Peter Österlund. + +int best_node(size_t idx) { + + int threads = 0; + int nodes = 0; + int cores = 0; + DWORD returnLength = 0; + DWORD byteOffset = 0; + + // Early exit if the needed API is not available at runtime + HMODULE k32 = GetModuleHandle("Kernel32.dll"); + auto fun1 = (fun1_t)(void(*)())GetProcAddress(k32, "GetLogicalProcessorInformationEx"); + if (!fun1) + return -1; + + // First call to GetLogicalProcessorInformationEx() to get returnLength. + // We expect the call to fail due to null buffer. + if (fun1(RelationAll, nullptr, &returnLength)) + return -1; + + // Once we know returnLength, allocate the buffer + SYSTEM_LOGICAL_PROCESSOR_INFORMATION_EX *buffer, *ptr; + ptr = buffer = (SYSTEM_LOGICAL_PROCESSOR_INFORMATION_EX*)malloc(returnLength); + + // Second call to GetLogicalProcessorInformationEx(), now we expect to succeed + if (!fun1(RelationAll, buffer, &returnLength)) + { + free(buffer); + return -1; + } + + while (byteOffset < returnLength) + { + if (ptr->Relationship == RelationNumaNode) + nodes++; + + else if (ptr->Relationship == RelationProcessorCore) + { + cores++; + threads += (ptr->Processor.Flags == LTP_PC_SMT) ? 2 : 1; + } + + assert(ptr->Size); + byteOffset += ptr->Size; + ptr = (SYSTEM_LOGICAL_PROCESSOR_INFORMATION_EX*)(((char*)ptr) + ptr->Size); + } + + free(buffer); + + std::vector groups; + + // Run as many threads as possible on the same node until core limit is + // reached, then move on filling the next node. + for (int n = 0; n < nodes; n++) + for (int i = 0; i < cores / nodes; i++) + groups.push_back(n); + + // In case a core has more than one logical processor (we assume 2) and we + // have still threads to allocate, then spread them evenly across available + // nodes. + for (int t = 0; t < threads - cores; t++) + groups.push_back(t % nodes); + + // If we still have more threads than the total number of logical processors + // then return -1 and let the OS to decide what to do. + return idx < groups.size() ? groups[idx] : -1; +} + + +/// bindThisThread() set the group affinity of the current thread + +void bindThisThread(size_t idx) { + + // Use only local variables to be thread-safe + int node = best_node(idx); + + if (node == -1) + return; + + // Early exit if the needed API are not available at runtime + HMODULE k32 = GetModuleHandle("Kernel32.dll"); + auto fun2 = (fun2_t)(void(*)())GetProcAddress(k32, "GetNumaNodeProcessorMaskEx"); + auto fun3 = (fun3_t)(void(*)())GetProcAddress(k32, "SetThreadGroupAffinity"); + auto fun4 = (fun4_t)(void(*)())GetProcAddress(k32, "GetNumaNodeProcessorMask2"); + auto fun5 = (fun5_t)(void(*)())GetProcAddress(k32, "GetMaximumProcessorGroupCount"); + + if (!fun2 || !fun3) + return; + + if (!fun4 || !fun5) + { + GROUP_AFFINITY affinity; + if (fun2(node, &affinity)) // GetNumaNodeProcessorMaskEx + fun3(GetCurrentThread(), &affinity, nullptr); // SetThreadGroupAffinity + } + else + { + // If a numa node has more than one processor group, we assume they are + // sized equal and we spread threads evenly across the groups. + USHORT elements, returnedElements; + elements = fun5(); // GetMaximumProcessorGroupCount + GROUP_AFFINITY *affinity = (GROUP_AFFINITY*)malloc(elements * sizeof(GROUP_AFFINITY)); + if (fun4(node, affinity, elements, &returnedElements)) // GetNumaNodeProcessorMask2 + fun3(GetCurrentThread(), &affinity[idx % returnedElements], nullptr); // SetThreadGroupAffinity + free(affinity); + } +} + +#endif + +} // namespace WinProcGroup + +#ifdef _WIN32 +#include +#define GETCWD _getcwd +#else +#include +#define GETCWD getcwd +#endif + +namespace CommandLine { + +string argv0; // path+name of the executable binary, as given by argv[0] +string binaryDirectory; // path of the executable directory +string workingDirectory; // path of the working directory + +void init([[maybe_unused]] int argc, char* argv[]) { + string pathSeparator; + + // extract the path+name of the executable binary + argv0 = argv[0]; + +#ifdef _WIN32 + pathSeparator = "\\"; + #ifdef _MSC_VER + // Under windows argv[0] may not have the extension. Also _get_pgmptr() had + // issues in some windows 10 versions, so check returned values carefully. + char* pgmptr = nullptr; + if (!_get_pgmptr(&pgmptr) && pgmptr != nullptr && *pgmptr) + argv0 = pgmptr; + #endif +#else + pathSeparator = "/"; +#endif + + // extract the working directory + workingDirectory = ""; + char buff[40000]; + char* cwd = GETCWD(buff, 40000); + if (cwd) + workingDirectory = cwd; + + // extract the binary directory path from argv0 + binaryDirectory = argv0; + size_t pos = binaryDirectory.find_last_of("\\/"); + if (pos == std::string::npos) + binaryDirectory = "." + pathSeparator; + else + binaryDirectory.resize(pos + 1); + + // pattern replacement: "./" at the start of path is replaced by the working directory + if (binaryDirectory.find("." + pathSeparator) == 0) + binaryDirectory.replace(0, 1, workingDirectory); +} + + +} // namespace CommandLine + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/misc.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/misc.h new file mode 100755 index 00000000..77b81d50 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/misc.h @@ -0,0 +1,198 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef MISC_H_INCLUDED +#define MISC_H_INCLUDED + +#include +#include +#include +#include +#include +#include + +#include "types.h" + +namespace Stockfish { + +std::string engine_info(bool to_uci = false); +std::string compiler_info(); +void prefetch(void* addr); +void start_logger(const std::string& fname); +void* std_aligned_alloc(size_t alignment, size_t size); +void std_aligned_free(void* ptr); +void* aligned_large_pages_alloc(size_t size); // memory aligned by page size, min alignment: 4096 bytes +void aligned_large_pages_free(void* mem); // nop if mem == nullptr + +void dbg_hit_on(bool b); +void dbg_hit_on(bool c, bool b); +void dbg_mean_of(int v); +void dbg_print(); + +typedef std::chrono::milliseconds::rep TimePoint; // A value in milliseconds +static_assert(sizeof(TimePoint) == sizeof(int64_t), "TimePoint should be 64 bits"); +inline TimePoint now() { + return std::chrono::duration_cast + (std::chrono::steady_clock::now().time_since_epoch()).count(); +} + +template +struct HashTable { + Entry* operator[](Key key) { return &table[(uint32_t)key & (Size - 1)]; } + +private: + std::vector table = std::vector(Size); // Allocate on the heap +}; + + +enum SyncCout { IO_LOCK, IO_UNLOCK }; +std::ostream& operator<<(std::ostream&, SyncCout); + +#define sync_cout std::cout << IO_LOCK +#define sync_endl std::endl << IO_UNLOCK + + +// align_ptr_up() : get the first aligned element of an array. +// ptr must point to an array of size at least `sizeof(T) * N + alignment` bytes, +// where N is the number of elements in the array. +template +T* align_ptr_up(T* ptr) +{ + static_assert(alignof(T) < Alignment); + + const uintptr_t ptrint = reinterpret_cast(reinterpret_cast(ptr)); + return reinterpret_cast(reinterpret_cast((ptrint + (Alignment - 1)) / Alignment * Alignment)); +} + + +// IsLittleEndian : true if and only if the binary is compiled on a little endian machine +static inline const union { uint32_t i; char c[4]; } Le = { 0x01020304 }; +static inline const bool IsLittleEndian = (Le.c[0] == 4); + + +// RunningAverage : a class to calculate a running average of a series of values. +// For efficiency, all computations are done with integers. +class RunningAverage { + public: + + // Reset the running average to rational value p / q + void set(int64_t p, int64_t q) + { average = p * PERIOD * RESOLUTION / q; } + + // Update average with value v + void update(int64_t v) + { average = RESOLUTION * v + (PERIOD - 1) * average / PERIOD; } + + // Test if average is strictly greater than rational a / b + bool is_greater(int64_t a, int64_t b) const + { return b * average > a * (PERIOD * RESOLUTION); } + + int64_t value() const + { return average / (PERIOD * RESOLUTION); } + + private : + static constexpr int64_t PERIOD = 4096; + static constexpr int64_t RESOLUTION = 1024; + int64_t average; +}; + +template +class ValueList { + +public: + std::size_t size() const { return size_; } + void push_back(const T& value) { values_[size_++] = value; } + const T* begin() const { return values_; } + const T* end() const { return values_ + size_; } + +private: + T values_[MaxSize]; + std::size_t size_ = 0; +}; + + +/// xorshift64star Pseudo-Random Number Generator +/// This class is based on original code written and dedicated +/// to the public domain by Sebastiano Vigna (2014). +/// It has the following characteristics: +/// +/// - Outputs 64-bit numbers +/// - Passes Dieharder and SmallCrush test batteries +/// - Does not require warm-up, no zeroland to escape +/// - Internal state is a single 64-bit integer +/// - Period is 2^64 - 1 +/// - Speed: 1.60 ns/call (Core i7 @3.40GHz) +/// +/// For further analysis see +/// + +class PRNG { + + uint64_t s; + + uint64_t rand64() { + + s ^= s >> 12, s ^= s << 25, s ^= s >> 27; + return s * 2685821657736338717LL; + } + +public: + PRNG(uint64_t seed) : s(seed) { assert(seed); } + + template T rand() { return T(rand64()); } + + /// Special generator used to fast init magic numbers. + /// Output values only have 1/8th of their bits set on average. + template T sparse_rand() + { return T(rand64() & rand64() & rand64()); } +}; + +inline uint64_t mul_hi64(uint64_t a, uint64_t b) { +#if defined(__GNUC__) && defined(IS_64BIT) + __extension__ typedef unsigned __int128 uint128; + return ((uint128)a * (uint128)b) >> 64; +#else + uint64_t aL = (uint32_t)a, aH = a >> 32; + uint64_t bL = (uint32_t)b, bH = b >> 32; + uint64_t c1 = (aL * bL) >> 32; + uint64_t c2 = aH * bL + c1; + uint64_t c3 = aL * bH + (uint32_t)c2; + return aH * bH + (c2 >> 32) + (c3 >> 32); +#endif +} + +/// Under Windows it is not possible for a process to run on more than one +/// logical processor group. This usually means to be limited to use max 64 +/// cores. To overcome this, some special platform specific API should be +/// called to set group affinity for each thread. Original code from Texel by +/// Peter Österlund. + +namespace WinProcGroup { + void bindThisThread(size_t idx); +} + +namespace CommandLine { + void init(int argc, char* argv[]); + + extern std::string binaryDirectory; // path of the executable directory + extern std::string workingDirectory; // path of the working directory +} + +} // namespace Stockfish + +#endif // #ifndef MISC_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/movegen.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/movegen.cpp new file mode 100755 index 00000000..c7a3c29b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/movegen.cpp @@ -0,0 +1,276 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include + +#include "movegen.h" +#include "position.h" + +namespace Stockfish { + +namespace { + + template + ExtMove* make_promotions(ExtMove* moveList, Square to) { + + if (Type == CAPTURES || Type == EVASIONS || Type == NON_EVASIONS) + *moveList++ = make(to - D, to, QUEEN); + + if (Type == QUIETS || Type == EVASIONS || Type == NON_EVASIONS) + { + *moveList++ = make(to - D, to, ROOK); + *moveList++ = make(to - D, to, BISHOP); + *moveList++ = make(to - D, to, KNIGHT); + } + + return moveList; + } + + + template + ExtMove* generate_pawn_moves(const Position& pos, ExtMove* moveList, Bitboard target) { + + constexpr Color Them = ~Us; + constexpr Bitboard TRank7BB = (Us == WHITE ? Rank7BB : Rank2BB); + constexpr Bitboard TRank3BB = (Us == WHITE ? Rank3BB : Rank6BB); + constexpr Direction Up = pawn_push(Us); + constexpr Direction UpRight = (Us == WHITE ? NORTH_EAST : SOUTH_WEST); + constexpr Direction UpLeft = (Us == WHITE ? NORTH_WEST : SOUTH_EAST); + + const Bitboard emptySquares = ~pos.pieces(); + const Bitboard enemies = Type == EVASIONS ? pos.checkers() + : pos.pieces(Them); + + Bitboard pawnsOn7 = pos.pieces(Us, PAWN) & TRank7BB; + Bitboard pawnsNotOn7 = pos.pieces(Us, PAWN) & ~TRank7BB; + + // Single and double pawn pushes, no promotions + if (Type != CAPTURES) + { + Bitboard b1 = shift(pawnsNotOn7) & emptySquares; + Bitboard b2 = shift(b1 & TRank3BB) & emptySquares; + + if (Type == EVASIONS) // Consider only blocking squares + { + b1 &= target; + b2 &= target; + } + + if (Type == QUIET_CHECKS) + { + // To make a quiet check, you either make a direct check by pushing a pawn + // or push a blocker pawn that is not on the same file as the enemy king. + // Discovered check promotion has been already generated amongst the captures. + Square ksq = pos.square(Them); + Bitboard dcCandidatePawns = pos.blockers_for_king(Them) & ~file_bb(ksq); + b1 &= pawn_attacks_bb(Them, ksq) | shift< Up>(dcCandidatePawns); + b2 &= pawn_attacks_bb(Them, ksq) | shift(dcCandidatePawns); + } + + while (b1) + { + Square to = pop_lsb(b1); + *moveList++ = make_move(to - Up, to); + } + + while (b2) + { + Square to = pop_lsb(b2); + *moveList++ = make_move(to - Up - Up, to); + } + } + + // Promotions and underpromotions + if (pawnsOn7) + { + Bitboard b1 = shift(pawnsOn7) & enemies; + Bitboard b2 = shift(pawnsOn7) & enemies; + Bitboard b3 = shift(pawnsOn7) & emptySquares; + + if (Type == EVASIONS) + b3 &= target; + + while (b1) + moveList = make_promotions(moveList, pop_lsb(b1)); + + while (b2) + moveList = make_promotions(moveList, pop_lsb(b2)); + + while (b3) + moveList = make_promotions(moveList, pop_lsb(b3)); + } + + // Standard and en passant captures + if (Type == CAPTURES || Type == EVASIONS || Type == NON_EVASIONS) + { + Bitboard b1 = shift(pawnsNotOn7) & enemies; + Bitboard b2 = shift(pawnsNotOn7) & enemies; + + while (b1) + { + Square to = pop_lsb(b1); + *moveList++ = make_move(to - UpRight, to); + } + + while (b2) + { + Square to = pop_lsb(b2); + *moveList++ = make_move(to - UpLeft, to); + } + + if (pos.ep_square() != SQ_NONE) + { + assert(rank_of(pos.ep_square()) == relative_rank(Us, RANK_6)); + + // An en passant capture cannot resolve a discovered check + if (Type == EVASIONS && (target & (pos.ep_square() + Up))) + return moveList; + + b1 = pawnsNotOn7 & pawn_attacks_bb(Them, pos.ep_square()); + + assert(b1); + + while (b1) + *moveList++ = make(pop_lsb(b1), pos.ep_square()); + } + } + + return moveList; + } + + + template + ExtMove* generate_moves(const Position& pos, ExtMove* moveList, Bitboard target) { + + static_assert(Pt != KING && Pt != PAWN, "Unsupported piece type in generate_moves()"); + + Bitboard bb = pos.pieces(Us, Pt); + + while (bb) + { + Square from = pop_lsb(bb); + Bitboard b = attacks_bb(from, pos.pieces()) & target; + + // To check, you either move freely a blocker or make a direct check. + if (Checks && (Pt == QUEEN || !(pos.blockers_for_king(~Us) & from))) + b &= pos.check_squares(Pt); + + while (b) + *moveList++ = make_move(from, pop_lsb(b)); + } + + return moveList; + } + + + template + ExtMove* generate_all(const Position& pos, ExtMove* moveList) { + + static_assert(Type != LEGAL, "Unsupported type in generate_all()"); + + constexpr bool Checks = Type == QUIET_CHECKS; // Reduce template instantiations + const Square ksq = pos.square(Us); + Bitboard target; + + // Skip generating non-king moves when in double check + if (Type != EVASIONS || !more_than_one(pos.checkers())) + { + target = Type == EVASIONS ? between_bb(ksq, lsb(pos.checkers())) + : Type == NON_EVASIONS ? ~pos.pieces( Us) + : Type == CAPTURES ? pos.pieces(~Us) + : ~pos.pieces( ); // QUIETS || QUIET_CHECKS + + moveList = generate_pawn_moves(pos, moveList, target); + moveList = generate_moves(pos, moveList, target); + moveList = generate_moves(pos, moveList, target); + moveList = generate_moves(pos, moveList, target); + moveList = generate_moves(pos, moveList, target); + } + + if (!Checks || pos.blockers_for_king(~Us) & ksq) + { + Bitboard b = attacks_bb(ksq) & (Type == EVASIONS ? ~pos.pieces(Us) : target); + if (Checks) + b &= ~attacks_bb(pos.square(~Us)); + + while (b) + *moveList++ = make_move(ksq, pop_lsb(b)); + + if ((Type == QUIETS || Type == NON_EVASIONS) && pos.can_castle(Us & ANY_CASTLING)) + for (CastlingRights cr : { Us & KING_SIDE, Us & QUEEN_SIDE } ) + if (!pos.castling_impeded(cr) && pos.can_castle(cr)) + *moveList++ = make(ksq, pos.castling_rook_square(cr)); + } + + return moveList; + } + +} // namespace + + +/// Generates all pseudo-legal captures plus queen promotions +/// Generates all pseudo-legal non-captures and underpromotions +/// Generates all pseudo-legal check evasions when the side to move is in check +/// Generates all pseudo-legal non-captures giving check, except castling and promotions +/// Generates all pseudo-legal captures and non-captures +/// +/// Returns a pointer to the end of the move list. + +template +ExtMove* generate(const Position& pos, ExtMove* moveList) { + + static_assert(Type != LEGAL, "Unsupported type in generate()"); + assert((Type == EVASIONS) == (bool)pos.checkers()); + + Color us = pos.side_to_move(); + + return us == WHITE ? generate_all(pos, moveList) + : generate_all(pos, moveList); +} + +// Explicit template instantiations +template ExtMove* generate(const Position&, ExtMove*); +template ExtMove* generate(const Position&, ExtMove*); +template ExtMove* generate(const Position&, ExtMove*); +template ExtMove* generate(const Position&, ExtMove*); +template ExtMove* generate(const Position&, ExtMove*); + + +/// generate generates all the legal moves in the given position + +template<> +ExtMove* generate(const Position& pos, ExtMove* moveList) { + + Color us = pos.side_to_move(); + Bitboard pinned = pos.blockers_for_king(us) & pos.pieces(us); + Square ksq = pos.square(us); + ExtMove* cur = moveList; + + moveList = pos.checkers() ? generate(pos, moveList) + : generate(pos, moveList); + while (cur != moveList) + if ( ((pinned && pinned & from_sq(*cur)) || from_sq(*cur) == ksq || type_of(*cur) == EN_PASSANT) + && !pos.legal(*cur)) + *cur = (--moveList)->move; + else + ++cur; + + return moveList; +} + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/movegen.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/movegen.h new file mode 100755 index 00000000..bbb35b39 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/movegen.h @@ -0,0 +1,77 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef MOVEGEN_H_INCLUDED +#define MOVEGEN_H_INCLUDED + +#include + +#include "types.h" + +namespace Stockfish { + +class Position; + +enum GenType { + CAPTURES, + QUIETS, + QUIET_CHECKS, + EVASIONS, + NON_EVASIONS, + LEGAL +}; + +struct ExtMove { + Move move; + int value; + + operator Move() const { return move; } + void operator=(Move m) { move = m; } + + // Inhibit unwanted implicit conversions to Move + // with an ambiguity that yields to a compile error. + operator float() const = delete; +}; + +inline bool operator<(const ExtMove& f, const ExtMove& s) { + return f.value < s.value; +} + +template +ExtMove* generate(const Position& pos, ExtMove* moveList); + +/// The MoveList struct is a simple wrapper around generate(). It sometimes comes +/// in handy to use this class instead of the low level generate() function. +template +struct MoveList { + + explicit MoveList(const Position& pos) : last(generate(pos, moveList)) {} + const ExtMove* begin() const { return moveList; } + const ExtMove* end() const { return last; } + size_t size() const { return last - moveList; } + bool contains(Move move) const { + return std::find(begin(), end(), move) != end(); + } + +private: + ExtMove moveList[MAX_MOVES], *last; +}; + +} // namespace Stockfish + +#endif // #ifndef MOVEGEN_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/movepick.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/movepick.cpp new file mode 100755 index 00000000..188d6bd8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/movepick.cpp @@ -0,0 +1,296 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include + +#include "bitboard.h" +#include "movepick.h" + +namespace Stockfish { + +namespace { + + enum Stages { + MAIN_TT, CAPTURE_INIT, GOOD_CAPTURE, REFUTATION, QUIET_INIT, QUIET, BAD_CAPTURE, + EVASION_TT, EVASION_INIT, EVASION, + PROBCUT_TT, PROBCUT_INIT, PROBCUT, + QSEARCH_TT, QCAPTURE_INIT, QCAPTURE, QCHECK_INIT, QCHECK + }; + + // partial_insertion_sort() sorts moves in descending order up to and including + // a given limit. The order of moves smaller than the limit is left unspecified. + void partial_insertion_sort(ExtMove* begin, ExtMove* end, int limit) { + + for (ExtMove *sortedEnd = begin, *p = begin + 1; p < end; ++p) + if (p->value >= limit) + { + ExtMove tmp = *p, *q; + *p = *++sortedEnd; + for (q = sortedEnd; q != begin && *(q - 1) < tmp; --q) + *q = *(q - 1); + *q = tmp; + } + } + +} // namespace + + +/// Constructors of the MovePicker class. As arguments we pass information +/// to help it to return the (presumably) good moves first, to decide which +/// moves to return (in the quiescence search, for instance, we only want to +/// search captures, promotions, and some checks) and how important good move +/// ordering is at the current node. + +/// MovePicker constructor for the main search +MovePicker::MovePicker(const Position& p, Move ttm, Depth d, const ButterflyHistory* mh, + const CapturePieceToHistory* cph, + const PieceToHistory** ch, + Move cm, + const Move* killers) + : pos(p), mainHistory(mh), captureHistory(cph), continuationHistory(ch), + ttMove(ttm), refutations{{killers[0], 0}, {killers[1], 0}, {cm, 0}}, depth(d) +{ + assert(d > 0); + + stage = (pos.checkers() ? EVASION_TT : MAIN_TT) + + !(ttm && pos.pseudo_legal(ttm)); + threatenedPieces = 0; +} + +/// MovePicker constructor for quiescence search +MovePicker::MovePicker(const Position& p, Move ttm, Depth d, const ButterflyHistory* mh, + const CapturePieceToHistory* cph, + const PieceToHistory** ch, + Square rs) + : pos(p), mainHistory(mh), captureHistory(cph), continuationHistory(ch), ttMove(ttm), recaptureSquare(rs), depth(d) +{ + assert(d <= 0); + + stage = (pos.checkers() ? EVASION_TT : QSEARCH_TT) + + !( ttm + && pos.pseudo_legal(ttm)); +} + +/// MovePicker constructor for ProbCut: we generate captures with SEE greater +/// than or equal to the given threshold. +MovePicker::MovePicker(const Position& p, Move ttm, Value th, const CapturePieceToHistory* cph) + : pos(p), captureHistory(cph), ttMove(ttm), threshold(th) +{ + assert(!pos.checkers()); + + stage = PROBCUT_TT + !(ttm && pos.capture(ttm) + && pos.pseudo_legal(ttm) + && pos.see_ge(ttm, threshold)); +} + +/// MovePicker::score() assigns a numerical value to each move in a list, used +/// for sorting. Captures are ordered by Most Valuable Victim (MVV), preferring +/// captures with a good history. Quiets moves are ordered using the histories. +template +void MovePicker::score() { + + static_assert(Type == CAPTURES || Type == QUIETS || Type == EVASIONS, "Wrong type"); + + [[maybe_unused]] Bitboard threatenedByPawn, threatenedByMinor, threatenedByRook; + if constexpr (Type == QUIETS) + { + Color us = pos.side_to_move(); + + threatenedByPawn = pos.attacks_by(~us); + threatenedByMinor = pos.attacks_by(~us) | pos.attacks_by(~us) | threatenedByPawn; + threatenedByRook = pos.attacks_by(~us) | threatenedByMinor; + + // Pieces threatened by pieces of lesser material value + threatenedPieces = (pos.pieces(us, QUEEN) & threatenedByRook) + | (pos.pieces(us, ROOK) & threatenedByMinor) + | (pos.pieces(us, KNIGHT, BISHOP) & threatenedByPawn); + } + + for (auto& m : *this) + if constexpr (Type == CAPTURES) + m.value = 6 * int(PieceValue[MG][pos.piece_on(to_sq(m))]) + + (*captureHistory)[pos.moved_piece(m)][to_sq(m)][type_of(pos.piece_on(to_sq(m)))]; + + else if constexpr (Type == QUIETS) + m.value = 2 * (*mainHistory)[pos.side_to_move()][from_to(m)] + + 2 * (*continuationHistory[0])[pos.moved_piece(m)][to_sq(m)] + + (*continuationHistory[1])[pos.moved_piece(m)][to_sq(m)] + + (*continuationHistory[3])[pos.moved_piece(m)][to_sq(m)] + + (*continuationHistory[5])[pos.moved_piece(m)][to_sq(m)] + + (threatenedPieces & from_sq(m) ? + (type_of(pos.moved_piece(m)) == QUEEN && !(to_sq(m) & threatenedByRook) ? 50000 + : type_of(pos.moved_piece(m)) == ROOK && !(to_sq(m) & threatenedByMinor) ? 25000 + : !(to_sq(m) & threatenedByPawn) ? 15000 + : 0) + : 0) + + bool(pos.check_squares(type_of(pos.moved_piece(m))) & to_sq(m)) * 16384; + else // Type == EVASIONS + { + if (pos.capture(m)) + m.value = PieceValue[MG][pos.piece_on(to_sq(m))] + - Value(type_of(pos.moved_piece(m))) + + (1 << 28); + else + m.value = (*mainHistory)[pos.side_to_move()][from_to(m)] + + (*continuationHistory[0])[pos.moved_piece(m)][to_sq(m)]; + } +} + +/// MovePicker::select() returns the next move satisfying a predicate function. +/// It never returns the TT move. +template +Move MovePicker::select(Pred filter) { + + while (cur < endMoves) + { + if (T == Best) + std::swap(*cur, *std::max_element(cur, endMoves)); + + if (*cur != ttMove && filter()) + return *cur++; + + cur++; + } + return MOVE_NONE; +} + +/// MovePicker::next_move() is the most important method of the MovePicker class. It +/// returns a new pseudo-legal move every time it is called until there are no more +/// moves left, picking the move with the highest score from a list of generated moves. +Move MovePicker::next_move(bool skipQuiets) { + +top: + switch (stage) { + + case MAIN_TT: + case EVASION_TT: + case QSEARCH_TT: + case PROBCUT_TT: + ++stage; + return ttMove; + + case CAPTURE_INIT: + case PROBCUT_INIT: + case QCAPTURE_INIT: + cur = endBadCaptures = moves; + endMoves = generate(pos, cur); + + score(); + partial_insertion_sort(cur, endMoves, std::numeric_limits::min()); + ++stage; + goto top; + + case GOOD_CAPTURE: + if (select([&](){ + return pos.see_ge(*cur, Value(-69 * cur->value / 1024)) ? + // Move losing capture to endBadCaptures to be tried later + true : (*endBadCaptures++ = *cur, false); })) + return *(cur - 1); + + // Prepare the pointers to loop over the refutations array + cur = std::begin(refutations); + endMoves = std::end(refutations); + + // If the countermove is the same as a killer, skip it + if ( refutations[0].move == refutations[2].move + || refutations[1].move == refutations[2].move) + --endMoves; + + ++stage; + [[fallthrough]]; + + case REFUTATION: + if (select([&](){ return *cur != MOVE_NONE + && !pos.capture(*cur) + && pos.pseudo_legal(*cur); })) + return *(cur - 1); + ++stage; + [[fallthrough]]; + + case QUIET_INIT: + if (!skipQuiets) + { + cur = endBadCaptures; + endMoves = generate(pos, cur); + + score(); + partial_insertion_sort(cur, endMoves, -3000 * depth); + } + + ++stage; + [[fallthrough]]; + + case QUIET: + if ( !skipQuiets + && select([&](){return *cur != refutations[0].move + && *cur != refutations[1].move + && *cur != refutations[2].move;})) + return *(cur - 1); + + // Prepare the pointers to loop over the bad captures + cur = moves; + endMoves = endBadCaptures; + + ++stage; + [[fallthrough]]; + + case BAD_CAPTURE: + return select([](){ return true; }); + + case EVASION_INIT: + cur = moves; + endMoves = generate(pos, cur); + + score(); + ++stage; + [[fallthrough]]; + + case EVASION: + return select([](){ return true; }); + + case PROBCUT: + return select([&](){ return pos.see_ge(*cur, threshold); }); + + case QCAPTURE: + if (select([&](){ return depth > DEPTH_QS_RECAPTURES + || to_sq(*cur) == recaptureSquare; })) + return *(cur - 1); + + // If we did not find any move and we do not try checks, we have finished + if (depth != DEPTH_QS_CHECKS) + return MOVE_NONE; + + ++stage; + [[fallthrough]]; + + case QCHECK_INIT: + cur = moves; + endMoves = generate(pos, cur); + + ++stage; + [[fallthrough]]; + + case QCHECK: + return select([](){ return true; }); + } + + assert(false); + return MOVE_NONE; // Silence warning +} + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/movepick.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/movepick.h new file mode 100755 index 00000000..e4c4a5bf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/movepick.h @@ -0,0 +1,157 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef MOVEPICK_H_INCLUDED +#define MOVEPICK_H_INCLUDED + +#include +#include +#include + +#include "movegen.h" +#include "position.h" +#include "types.h" + +namespace Stockfish { + +/// StatsEntry stores the stat table value. It is usually a number but could +/// be a move or even a nested history. We use a class instead of naked value +/// to directly call history update operator<<() on the entry so to use stats +/// tables at caller sites as simple multi-dim arrays. +template +class StatsEntry { + + T entry; + +public: + void operator=(const T& v) { entry = v; } + T* operator&() { return &entry; } + T* operator->() { return &entry; } + operator const T&() const { return entry; } + + void operator<<(int bonus) { + assert(abs(bonus) <= D); // Ensure range is [-D, D] + static_assert(D <= std::numeric_limits::max(), "D overflows T"); + + entry += bonus - entry * abs(bonus) / D; + + assert(abs(entry) <= D); + } +}; + +/// Stats is a generic N-dimensional array used to store various statistics. +/// The first template parameter T is the base type of the array, the second +/// template parameter D limits the range of updates in [-D, D] when we update +/// values with the << operator, while the last parameters (Size and Sizes) +/// encode the dimensions of the array. +template +struct Stats : public std::array, Size> +{ + typedef Stats stats; + + void fill(const T& v) { + + // For standard-layout 'this' points to first struct member + assert(std::is_standard_layout::value); + + typedef StatsEntry entry; + entry* p = reinterpret_cast(this); + std::fill(p, p + sizeof(*this) / sizeof(entry), v); + } +}; + +template +struct Stats : public std::array, Size> {}; + +/// In stats table, D=0 means that the template parameter is not used +enum StatsParams { NOT_USED = 0 }; +enum StatsType { NoCaptures, Captures }; + +/// ButterflyHistory records how often quiet moves have been successful or +/// unsuccessful during the current search, and is used for reduction and move +/// ordering decisions. It uses 2 tables (one for each color) indexed by +/// the move's from and to squares, see www.chessprogramming.org/Butterfly_Boards +/// (~11 elo) +typedef Stats ButterflyHistory; + +/// CounterMoveHistory stores counter moves indexed by [piece][to] of the previous +/// move, see www.chessprogramming.org/Countermove_Heuristic +typedef Stats CounterMoveHistory; + +/// CapturePieceToHistory is addressed by a move's [piece][to][captured piece type] +typedef Stats CapturePieceToHistory; + +/// PieceToHistory is like ButterflyHistory but is addressed by a move's [piece][to] +typedef Stats PieceToHistory; + +/// ContinuationHistory is the combined history of a given pair of moves, usually +/// the current one given a previous one. The nested history table is based on +/// PieceToHistory instead of ButterflyBoards. +/// (~63 elo) +typedef Stats ContinuationHistory; + + +/// MovePicker class is used to pick one pseudo-legal move at a time from the +/// current position. The most important method is next_move(), which returns a +/// new pseudo-legal move each time it is called, until there are no moves left, +/// when MOVE_NONE is returned. In order to improve the efficiency of the +/// alpha-beta algorithm, MovePicker attempts to return the moves which are most +/// likely to get a cut-off first. +class MovePicker { + + enum PickType { Next, Best }; + +public: + MovePicker(const MovePicker&) = delete; + MovePicker& operator=(const MovePicker&) = delete; + MovePicker(const Position&, Move, Depth, const ButterflyHistory*, + const CapturePieceToHistory*, + const PieceToHistory**, + Move, + const Move*); + MovePicker(const Position&, Move, Depth, const ButterflyHistory*, + const CapturePieceToHistory*, + const PieceToHistory**, + Square); + MovePicker(const Position&, Move, Value, const CapturePieceToHistory*); + Move next_move(bool skipQuiets = false); + + Bitboard threatenedPieces; + +private: + template Move select(Pred); + template void score(); + ExtMove* begin() { return cur; } + ExtMove* end() { return endMoves; } + + const Position& pos; + const ButterflyHistory* mainHistory; + const CapturePieceToHistory* captureHistory; + const PieceToHistory** continuationHistory; + Move ttMove; + ExtMove refutations[3], *cur, *endMoves, *endBadCaptures; + int stage; + Square recaptureSquare; + Value threshold; + Depth depth; + ExtMove moves[MAX_MOVES]; +}; + +} // namespace Stockfish + +#endif // #ifndef MOVEPICK_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/evaluate_nnue.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/evaluate_nnue.cpp new file mode 100755 index 00000000..4715fed0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/evaluate_nnue.cpp @@ -0,0 +1,406 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +// Code for calculating NNUE evaluation function + +#include +#include +#include +#include +#include + +#include "../evaluate.h" +#include "../position.h" +#include "../misc.h" +#include "../uci.h" +#include "../types.h" + +#include "evaluate_nnue.h" + +namespace Stockfish::Eval::NNUE { + + // Input feature converter + LargePagePtr featureTransformer; + + // Evaluation function + AlignedPtr network[LayerStacks]; + + // Evaluation function file name + std::string fileName; + std::string netDescription; + + namespace Detail { + + // Initialize the evaluation function parameters + template + void initialize(AlignedPtr& pointer) { + + pointer.reset(reinterpret_cast(std_aligned_alloc(alignof(T), sizeof(T)))); + std::memset(pointer.get(), 0, sizeof(T)); + } + + template + void initialize(LargePagePtr& pointer) { + + static_assert(alignof(T) <= 4096, "aligned_large_pages_alloc() may fail for such a big alignment requirement of T"); + pointer.reset(reinterpret_cast(aligned_large_pages_alloc(sizeof(T)))); + std::memset(pointer.get(), 0, sizeof(T)); + } + + // Read evaluation function parameters + template + bool read_parameters(std::istream& stream, T& reference) { + + std::uint32_t header; + header = read_little_endian(stream); + if (!stream || header != T::get_hash_value()) return false; + return reference.read_parameters(stream); + } + + // Write evaluation function parameters + template + bool write_parameters(std::ostream& stream, const T& reference) { + + write_little_endian(stream, T::get_hash_value()); + return reference.write_parameters(stream); + } + + } // namespace Detail + + // Initialize the evaluation function parameters + void initialize() { + + Detail::initialize(featureTransformer); + for (std::size_t i = 0; i < LayerStacks; ++i) + Detail::initialize(network[i]); + } + + // Read network header + bool read_header(std::istream& stream, std::uint32_t* hashValue, std::string* desc) + { + std::uint32_t version, size; + + version = read_little_endian(stream); + *hashValue = read_little_endian(stream); + size = read_little_endian(stream); + if (!stream || version != Version) return false; + desc->resize(size); + stream.read(&(*desc)[0], size); + return !stream.fail(); + } + + // Write network header + bool write_header(std::ostream& stream, std::uint32_t hashValue, const std::string& desc) + { + write_little_endian(stream, Version); + write_little_endian(stream, hashValue); + write_little_endian(stream, (std::uint32_t)desc.size()); + stream.write(&desc[0], desc.size()); + return !stream.fail(); + } + + // Read network parameters + bool read_parameters(std::istream& stream) { + + std::uint32_t hashValue; + if (!read_header(stream, &hashValue, &netDescription)) return false; + if (hashValue != HashValue) return false; + if (!Detail::read_parameters(stream, *featureTransformer)) return false; + for (std::size_t i = 0; i < LayerStacks; ++i) + if (!Detail::read_parameters(stream, *(network[i]))) return false; + return stream && stream.peek() == std::ios::traits_type::eof(); + } + + // Write network parameters + bool write_parameters(std::ostream& stream) { + + if (!write_header(stream, HashValue, netDescription)) return false; + if (!Detail::write_parameters(stream, *featureTransformer)) return false; + for (std::size_t i = 0; i < LayerStacks; ++i) + if (!Detail::write_parameters(stream, *(network[i]))) return false; + return (bool)stream; + } + + // Evaluation function. Perform differential calculation. + Value evaluate(const Position& pos, bool adjusted, int* complexity) { + + // We manually align the arrays on the stack because with gcc < 9.3 + // overaligning stack variables with alignas() doesn't work correctly. + + constexpr uint64_t alignment = CacheLineSize; + int delta = 24 - pos.non_pawn_material() / 9560; + +#if defined(ALIGNAS_ON_STACK_VARIABLES_BROKEN) + TransformedFeatureType transformedFeaturesUnaligned[ + FeatureTransformer::BufferSize + alignment / sizeof(TransformedFeatureType)]; + + auto* transformedFeatures = align_ptr_up(&transformedFeaturesUnaligned[0]); +#else + alignas(alignment) + TransformedFeatureType transformedFeatures[FeatureTransformer::BufferSize]; +#endif + + ASSERT_ALIGNED(transformedFeatures, alignment); + + const int bucket = (pos.count() - 1) / 4; + const auto psqt = featureTransformer->transform(pos, transformedFeatures, bucket); + const auto positional = network[bucket]->propagate(transformedFeatures); + + if (complexity) + *complexity = abs(psqt - positional) / OutputScale; + + // Give more value to positional evaluation when adjusted flag is set + if (adjusted) + return static_cast(((1024 - delta) * psqt + (1024 + delta) * positional) / (1024 * OutputScale)); + else + return static_cast((psqt + positional) / OutputScale); + } + + struct NnueEvalTrace { + static_assert(LayerStacks == PSQTBuckets); + + Value psqt[LayerStacks]; + Value positional[LayerStacks]; + std::size_t correctBucket; + }; + + static NnueEvalTrace trace_evaluate(const Position& pos) { + + // We manually align the arrays on the stack because with gcc < 9.3 + // overaligning stack variables with alignas() doesn't work correctly. + + constexpr uint64_t alignment = CacheLineSize; + +#if defined(ALIGNAS_ON_STACK_VARIABLES_BROKEN) + TransformedFeatureType transformedFeaturesUnaligned[ + FeatureTransformer::BufferSize + alignment / sizeof(TransformedFeatureType)]; + + auto* transformedFeatures = align_ptr_up(&transformedFeaturesUnaligned[0]); +#else + alignas(alignment) + TransformedFeatureType transformedFeatures[FeatureTransformer::BufferSize]; +#endif + + ASSERT_ALIGNED(transformedFeatures, alignment); + + NnueEvalTrace t{}; + t.correctBucket = (pos.count() - 1) / 4; + for (IndexType bucket = 0; bucket < LayerStacks; ++bucket) { + const auto materialist = featureTransformer->transform(pos, transformedFeatures, bucket); + const auto positional = network[bucket]->propagate(transformedFeatures); + + t.psqt[bucket] = static_cast( materialist / OutputScale ); + t.positional[bucket] = static_cast( positional / OutputScale ); + } + + return t; + } + + static const std::string PieceToChar(" PNBRQK pnbrqk"); + + + // format_cp_compact() converts a Value into (centi)pawns and writes it in a buffer. + // The buffer must have capacity for at least 5 chars. + static void format_cp_compact(Value v, char* buffer) { + + buffer[0] = (v < 0 ? '-' : v > 0 ? '+' : ' '); + + int cp = std::abs(100 * v / UCI::NormalizeToPawnValue); + if (cp >= 10000) + { + buffer[1] = '0' + cp / 10000; cp %= 10000; + buffer[2] = '0' + cp / 1000; cp %= 1000; + buffer[3] = '0' + cp / 100; + buffer[4] = ' '; + } + else if (cp >= 1000) + { + buffer[1] = '0' + cp / 1000; cp %= 1000; + buffer[2] = '0' + cp / 100; cp %= 100; + buffer[3] = '.'; + buffer[4] = '0' + cp / 10; + } + else + { + buffer[1] = '0' + cp / 100; cp %= 100; + buffer[2] = '.'; + buffer[3] = '0' + cp / 10; cp %= 10; + buffer[4] = '0' + cp / 1; + } + } + + + // format_cp_aligned_dot() converts a Value into (centi)pawns and writes it in a buffer, + // always keeping two decimals. The buffer must have capacity for at least 7 chars. + static void format_cp_aligned_dot(Value v, char* buffer) { + + buffer[0] = (v < 0 ? '-' : v > 0 ? '+' : ' '); + + double cp = 1.0 * std::abs(int(v)) / UCI::NormalizeToPawnValue; + sprintf(&buffer[1], "%6.2f", cp); + } + + + // trace() returns a string with the value of each piece on a board, + // and a table for (PSQT, Layers) values bucket by bucket. + + std::string trace(Position& pos) { + + std::stringstream ss; + + char board[3*8+1][8*8+2]; + std::memset(board, ' ', sizeof(board)); + for (int row = 0; row < 3*8+1; ++row) + board[row][8*8+1] = '\0'; + + // A lambda to output one box of the board + auto writeSquare = [&board](File file, Rank rank, Piece pc, Value value) { + + const int x = ((int)file) * 8; + const int y = (7 - (int)rank) * 3; + for (int i = 1; i < 8; ++i) + board[y][x+i] = board[y+3][x+i] = '-'; + for (int i = 1; i < 3; ++i) + board[y+i][x] = board[y+i][x+8] = '|'; + board[y][x] = board[y][x+8] = board[y+3][x+8] = board[y+3][x] = '+'; + if (pc != NO_PIECE) + board[y+1][x+4] = PieceToChar[pc]; + if (value != VALUE_NONE) + format_cp_compact(value, &board[y+2][x+2]); + }; + + // We estimate the value of each piece by doing a differential evaluation from + // the current base eval, simulating the removal of the piece from its square. + Value base = evaluate(pos); + base = pos.side_to_move() == WHITE ? base : -base; + + for (File f = FILE_A; f <= FILE_H; ++f) + for (Rank r = RANK_1; r <= RANK_8; ++r) + { + Square sq = make_square(f, r); + Piece pc = pos.piece_on(sq); + Value v = VALUE_NONE; + + if (pc != NO_PIECE && type_of(pc) != KING) + { + auto st = pos.state(); + + pos.remove_piece(sq); + st->accumulator.computed[WHITE] = false; + st->accumulator.computed[BLACK] = false; + + Value eval = evaluate(pos); + eval = pos.side_to_move() == WHITE ? eval : -eval; + v = base - eval; + + pos.put_piece(pc, sq); + st->accumulator.computed[WHITE] = false; + st->accumulator.computed[BLACK] = false; + } + + writeSquare(f, r, pc, v); + } + + ss << " NNUE derived piece values:\n"; + for (int row = 0; row < 3*8+1; ++row) + ss << board[row] << '\n'; + ss << '\n'; + + auto t = trace_evaluate(pos); + + ss << " NNUE network contributions " + << (pos.side_to_move() == WHITE ? "(White to move)" : "(Black to move)") << std::endl + << "+------------+------------+------------+------------+\n" + << "| Bucket | Material | Positional | Total |\n" + << "| | (PSQT) | (Layers) | |\n" + << "+------------+------------+------------+------------+\n"; + + for (std::size_t bucket = 0; bucket < LayerStacks; ++bucket) + { + char buffer[3][8]; + std::memset(buffer, '\0', sizeof(buffer)); + + format_cp_aligned_dot(t.psqt[bucket], buffer[0]); + format_cp_aligned_dot(t.positional[bucket], buffer[1]); + format_cp_aligned_dot(t.psqt[bucket] + t.positional[bucket], buffer[2]); + + ss << "| " << bucket << " " + << " | " << buffer[0] << " " + << " | " << buffer[1] << " " + << " | " << buffer[2] << " " + << " |"; + if (bucket == t.correctBucket) + ss << " <-- this bucket is used"; + ss << '\n'; + } + + ss << "+------------+------------+------------+------------+\n"; + + return ss.str(); + } + + + // Load eval, from a file stream or a memory stream + bool load_eval(std::string name, std::istream& stream) { + + initialize(); + fileName = name; + return read_parameters(stream); + } + + // Save eval, to a file stream or a memory stream + bool save_eval(std::ostream& stream) { + + if (fileName.empty()) + return false; + + return write_parameters(stream); + } + + /// Save eval, to a file given by its name + bool save_eval(const std::optional& filename) { + + std::string actualFilename; + std::string msg; + + if (filename.has_value()) + actualFilename = filename.value(); + else + { + if (currentEvalFileName != EvalFileDefaultName) + { + msg = "Failed to export a net. A non-embedded net can only be saved if the filename is specified"; + + sync_cout << msg << sync_endl; + return false; + } + actualFilename = EvalFileDefaultName; + } + + std::ofstream stream(actualFilename, std::ios_base::binary); + bool saved = save_eval(stream); + + msg = saved ? "Network saved successfully to " + actualFilename + : "Failed to export a net"; + + sync_cout << msg << sync_endl; + return saved; + } + + +} // namespace Stockfish::Eval::NNUE diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/evaluate_nnue.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/evaluate_nnue.h new file mode 100755 index 00000000..2e4f1f50 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/evaluate_nnue.h @@ -0,0 +1,59 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +// header used in NNUE evaluation function + +#ifndef NNUE_EVALUATE_NNUE_H_INCLUDED +#define NNUE_EVALUATE_NNUE_H_INCLUDED + +#include "nnue_feature_transformer.h" + +#include + +namespace Stockfish::Eval::NNUE { + + // Hash value of evaluation function structure + constexpr std::uint32_t HashValue = + FeatureTransformer::get_hash_value() ^ Network::get_hash_value(); + + // Deleter for automating release of memory area + template + struct AlignedDeleter { + void operator()(T* ptr) const { + ptr->~T(); + std_aligned_free(ptr); + } + }; + + template + struct LargePageDeleter { + void operator()(T* ptr) const { + ptr->~T(); + aligned_large_pages_free(ptr); + } + }; + + template + using AlignedPtr = std::unique_ptr>; + + template + using LargePagePtr = std::unique_ptr>; + +} // namespace Stockfish::Eval::NNUE + +#endif // #ifndef NNUE_EVALUATE_NNUE_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/features/half_ka_v2_hm.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/features/half_ka_v2_hm.cpp new file mode 100755 index 00000000..7dbd3415 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/features/half_ka_v2_hm.cpp @@ -0,0 +1,84 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +//Definition of input features HalfKAv2_hm of NNUE evaluation function + +#include "half_ka_v2_hm.h" + +#include "../../position.h" + +namespace Stockfish::Eval::NNUE::Features { + + // Index of a feature for a given king position and another piece on some square + template + inline IndexType HalfKAv2_hm::make_index(Square s, Piece pc, Square ksq) { + return IndexType((int(s) ^ OrientTBL[Perspective][ksq]) + PieceSquareIndex[Perspective][pc] + KingBuckets[Perspective][ksq]); + } + + // Get a list of indices for active features + template + void HalfKAv2_hm::append_active_indices( + const Position& pos, + IndexList& active + ) { + Square ksq = pos.square(Perspective); + Bitboard bb = pos.pieces(); + while (bb) + { + Square s = pop_lsb(bb); + active.push_back(make_index(s, pos.piece_on(s), ksq)); + } + } + + // Explicit template instantiations + template void HalfKAv2_hm::append_active_indices(const Position& pos, IndexList& active); + template void HalfKAv2_hm::append_active_indices(const Position& pos, IndexList& active); + + // append_changed_indices() : get a list of indices for recently changed features + template + void HalfKAv2_hm::append_changed_indices( + Square ksq, + const DirtyPiece& dp, + IndexList& removed, + IndexList& added + ) { + for (int i = 0; i < dp.dirty_num; ++i) { + if (dp.from[i] != SQ_NONE) + removed.push_back(make_index(dp.from[i], dp.piece[i], ksq)); + if (dp.to[i] != SQ_NONE) + added.push_back(make_index(dp.to[i], dp.piece[i], ksq)); + } + } + + // Explicit template instantiations + template void HalfKAv2_hm::append_changed_indices(Square ksq, const DirtyPiece& dp, IndexList& removed, IndexList& added); + template void HalfKAv2_hm::append_changed_indices(Square ksq, const DirtyPiece& dp, IndexList& removed, IndexList& added); + + int HalfKAv2_hm::update_cost(const StateInfo* st) { + return st->dirtyPiece.dirty_num; + } + + int HalfKAv2_hm::refresh_cost(const Position& pos) { + return pos.count(); + } + + bool HalfKAv2_hm::requires_refresh(const StateInfo* st, Color perspective) { + return st->dirtyPiece.piece[0] == make_piece(perspective, KING); + } + +} // namespace Stockfish::Eval::NNUE::Features diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/features/half_ka_v2_hm.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/features/half_ka_v2_hm.h new file mode 100755 index 00000000..a95d4328 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/features/half_ka_v2_hm.h @@ -0,0 +1,152 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +//Definition of input features HalfKP of NNUE evaluation function + +#ifndef NNUE_FEATURES_HALF_KA_V2_HM_H_INCLUDED +#define NNUE_FEATURES_HALF_KA_V2_HM_H_INCLUDED + +#include "../nnue_common.h" + +#include "../../evaluate.h" +#include "../../misc.h" + +namespace Stockfish { + struct StateInfo; +} + +namespace Stockfish::Eval::NNUE::Features { + + // Feature HalfKAv2_hm: Combination of the position of own king + // and the position of pieces. Position mirrored such that king always on e..h files. + class HalfKAv2_hm { + + // unique number for each piece type on each square + enum { + PS_NONE = 0, + PS_W_PAWN = 0, + PS_B_PAWN = 1 * SQUARE_NB, + PS_W_KNIGHT = 2 * SQUARE_NB, + PS_B_KNIGHT = 3 * SQUARE_NB, + PS_W_BISHOP = 4 * SQUARE_NB, + PS_B_BISHOP = 5 * SQUARE_NB, + PS_W_ROOK = 6 * SQUARE_NB, + PS_B_ROOK = 7 * SQUARE_NB, + PS_W_QUEEN = 8 * SQUARE_NB, + PS_B_QUEEN = 9 * SQUARE_NB, + PS_KING = 10 * SQUARE_NB, + PS_NB = 11 * SQUARE_NB + }; + + static constexpr IndexType PieceSquareIndex[COLOR_NB][PIECE_NB] = { + // convention: W - us, B - them + // viewed from other side, W and B are reversed + { PS_NONE, PS_W_PAWN, PS_W_KNIGHT, PS_W_BISHOP, PS_W_ROOK, PS_W_QUEEN, PS_KING, PS_NONE, + PS_NONE, PS_B_PAWN, PS_B_KNIGHT, PS_B_BISHOP, PS_B_ROOK, PS_B_QUEEN, PS_KING, PS_NONE }, + { PS_NONE, PS_B_PAWN, PS_B_KNIGHT, PS_B_BISHOP, PS_B_ROOK, PS_B_QUEEN, PS_KING, PS_NONE, + PS_NONE, PS_W_PAWN, PS_W_KNIGHT, PS_W_BISHOP, PS_W_ROOK, PS_W_QUEEN, PS_KING, PS_NONE } + }; + + // Index of a feature for a given king position and another piece on some square + template + static IndexType make_index(Square s, Piece pc, Square ksq); + + public: + // Feature name + static constexpr const char* Name = "HalfKAv2_hm(Friend)"; + + // Hash value embedded in the evaluation file + static constexpr std::uint32_t HashValue = 0x7f234cb8u; + + // Number of feature dimensions + static constexpr IndexType Dimensions = + static_cast(SQUARE_NB) * static_cast(PS_NB) / 2; + +#define B(v) (v * PS_NB) + static constexpr int KingBuckets[COLOR_NB][SQUARE_NB] = { + { B(28), B(29), B(30), B(31), B(31), B(30), B(29), B(28), + B(24), B(25), B(26), B(27), B(27), B(26), B(25), B(24), + B(20), B(21), B(22), B(23), B(23), B(22), B(21), B(20), + B(16), B(17), B(18), B(19), B(19), B(18), B(17), B(16), + B(12), B(13), B(14), B(15), B(15), B(14), B(13), B(12), + B( 8), B( 9), B(10), B(11), B(11), B(10), B( 9), B( 8), + B( 4), B( 5), B( 6), B( 7), B( 7), B( 6), B( 5), B( 4), + B( 0), B( 1), B( 2), B( 3), B( 3), B( 2), B( 1), B( 0) }, + { B( 0), B( 1), B( 2), B( 3), B( 3), B( 2), B( 1), B( 0), + B( 4), B( 5), B( 6), B( 7), B( 7), B( 6), B( 5), B( 4), + B( 8), B( 9), B(10), B(11), B(11), B(10), B( 9), B( 8), + B(12), B(13), B(14), B(15), B(15), B(14), B(13), B(12), + B(16), B(17), B(18), B(19), B(19), B(18), B(17), B(16), + B(20), B(21), B(22), B(23), B(23), B(22), B(21), B(20), + B(24), B(25), B(26), B(27), B(27), B(26), B(25), B(24), + B(28), B(29), B(30), B(31), B(31), B(30), B(29), B(28) } + }; +#undef B + + // Orient a square according to perspective (rotates by 180 for black) + static constexpr int OrientTBL[COLOR_NB][SQUARE_NB] = { + { SQ_H1, SQ_H1, SQ_H1, SQ_H1, SQ_A1, SQ_A1, SQ_A1, SQ_A1, + SQ_H1, SQ_H1, SQ_H1, SQ_H1, SQ_A1, SQ_A1, SQ_A1, SQ_A1, + SQ_H1, SQ_H1, SQ_H1, SQ_H1, SQ_A1, SQ_A1, SQ_A1, SQ_A1, + SQ_H1, SQ_H1, SQ_H1, SQ_H1, SQ_A1, SQ_A1, SQ_A1, SQ_A1, + SQ_H1, SQ_H1, SQ_H1, SQ_H1, SQ_A1, SQ_A1, SQ_A1, SQ_A1, + SQ_H1, SQ_H1, SQ_H1, SQ_H1, SQ_A1, SQ_A1, SQ_A1, SQ_A1, + SQ_H1, SQ_H1, SQ_H1, SQ_H1, SQ_A1, SQ_A1, SQ_A1, SQ_A1, + SQ_H1, SQ_H1, SQ_H1, SQ_H1, SQ_A1, SQ_A1, SQ_A1, SQ_A1 }, + { SQ_H8, SQ_H8, SQ_H8, SQ_H8, SQ_A8, SQ_A8, SQ_A8, SQ_A8, + SQ_H8, SQ_H8, SQ_H8, SQ_H8, SQ_A8, SQ_A8, SQ_A8, SQ_A8, + SQ_H8, SQ_H8, SQ_H8, SQ_H8, SQ_A8, SQ_A8, SQ_A8, SQ_A8, + SQ_H8, SQ_H8, SQ_H8, SQ_H8, SQ_A8, SQ_A8, SQ_A8, SQ_A8, + SQ_H8, SQ_H8, SQ_H8, SQ_H8, SQ_A8, SQ_A8, SQ_A8, SQ_A8, + SQ_H8, SQ_H8, SQ_H8, SQ_H8, SQ_A8, SQ_A8, SQ_A8, SQ_A8, + SQ_H8, SQ_H8, SQ_H8, SQ_H8, SQ_A8, SQ_A8, SQ_A8, SQ_A8, + SQ_H8, SQ_H8, SQ_H8, SQ_H8, SQ_A8, SQ_A8, SQ_A8, SQ_A8 } + }; + + // Maximum number of simultaneously active features. + static constexpr IndexType MaxActiveDimensions = 32; + using IndexList = ValueList; + + // Get a list of indices for active features + template + static void append_active_indices( + const Position& pos, + IndexList& active); + + // Get a list of indices for recently changed features + template + static void append_changed_indices( + Square ksq, + const DirtyPiece& dp, + IndexList& removed, + IndexList& added + ); + + // Returns the cost of updating one perspective, the most costly one. + // Assumes no refresh needed. + static int update_cost(const StateInfo* st); + static int refresh_cost(const Position& pos); + + // Returns whether the change stored in this StateInfo means that + // a full accumulator refresh is required. + static bool requires_refresh(const StateInfo* st, Color perspective); + }; + +} // namespace Stockfish::Eval::NNUE::Features + +#endif // #ifndef NNUE_FEATURES_HALF_KA_V2_HM_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/layers/affine_transform.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/layers/affine_transform.h new file mode 100755 index 00000000..461a7b83 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/layers/affine_transform.h @@ -0,0 +1,545 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +// Definition of layer AffineTransform of NNUE evaluation function + +#ifndef NNUE_LAYERS_AFFINE_TRANSFORM_H_INCLUDED +#define NNUE_LAYERS_AFFINE_TRANSFORM_H_INCLUDED + +#include +#include +#include +#include "../nnue_common.h" +#include "simd.h" + +/* + This file contains the definition for a fully connected layer (aka affine transform). + Two approaches are employed, depending on the sizes of the transform. + + Approach 1: + - used when the PaddedInputDimensions >= 128 + - uses AVX512 if possible + - processes inputs in batches of 2*InputSimdWidth + - so in batches of 128 for AVX512 + - the weight blocks of size InputSimdWidth are transposed such that + access is sequential + - N columns of the weight matrix are processed a time, where N + depends on the architecture (the amount of registers) + - accumulate + hadd is used + + Approach 2: + - used when the PaddedInputDimensions < 128 + - does not use AVX512 + - expected use-case is for when PaddedInputDimensions == 32 and InputDimensions <= 32. + - that's why AVX512 is hard to implement + - expected use-case is small layers + - not optimized as well as the approach 1 + - inputs are processed in chunks of 4, weights are respectively transposed + - accumulation happens directly to int32s +*/ + +namespace Stockfish::Eval::NNUE::Layers { + +// Fallback implementation for older/other architectures. +// Identical for both approaches. Requires the input to be padded to at least 16 values. +#if !defined(USE_SSSE3) + template + static void affine_transform_non_ssse3(std::int32_t* output, const std::int8_t* weights, const std::int32_t* biases, const std::uint8_t* input) + { +# if defined(USE_SSE2) + // At least a multiple of 16, with SSE2. + constexpr IndexType NumChunks = ceil_to_multiple(InputDimensions, 16) / 16; + const __m128i Zeros = _mm_setzero_si128(); + const auto inputVector = reinterpret_cast(input); + +# elif defined(USE_MMX) + constexpr IndexType NumChunks = ceil_to_multiple(InputDimensions, 8) / 8; + const __m64 Zeros = _mm_setzero_si64(); + const auto inputVector = reinterpret_cast(input); + +# elif defined(USE_NEON) + constexpr IndexType NumChunks = ceil_to_multiple(InputDimensions, 16) / 16; + const auto inputVector = reinterpret_cast(input); +# endif + + for (IndexType i = 0; i < OutputDimensions; ++i) { + const IndexType offset = i * PaddedInputDimensions; + +# if defined(USE_SSE2) + __m128i sumLo = _mm_cvtsi32_si128(biases[i]); + __m128i sumHi = Zeros; + const auto row = reinterpret_cast(&weights[offset]); + for (IndexType j = 0; j < NumChunks; ++j) { + __m128i row_j = _mm_load_si128(&row[j]); + __m128i input_j = _mm_load_si128(&inputVector[j]); + __m128i extendedRowLo = _mm_srai_epi16(_mm_unpacklo_epi8(row_j, row_j), 8); + __m128i extendedRowHi = _mm_srai_epi16(_mm_unpackhi_epi8(row_j, row_j), 8); + __m128i extendedInputLo = _mm_unpacklo_epi8(input_j, Zeros); + __m128i extendedInputHi = _mm_unpackhi_epi8(input_j, Zeros); + __m128i productLo = _mm_madd_epi16(extendedRowLo, extendedInputLo); + __m128i productHi = _mm_madd_epi16(extendedRowHi, extendedInputHi); + sumLo = _mm_add_epi32(sumLo, productLo); + sumHi = _mm_add_epi32(sumHi, productHi); + } + __m128i sum = _mm_add_epi32(sumLo, sumHi); + __m128i sumHigh_64 = _mm_shuffle_epi32(sum, _MM_SHUFFLE(1, 0, 3, 2)); + sum = _mm_add_epi32(sum, sumHigh_64); + __m128i sum_second_32 = _mm_shufflelo_epi16(sum, _MM_SHUFFLE(1, 0, 3, 2)); + sum = _mm_add_epi32(sum, sum_second_32); + output[i] = _mm_cvtsi128_si32(sum); + +# elif defined(USE_MMX) + __m64 sumLo = _mm_cvtsi32_si64(biases[i]); + __m64 sumHi = Zeros; + const auto row = reinterpret_cast(&weights[offset]); + for (IndexType j = 0; j < NumChunks; ++j) { + __m64 row_j = row[j]; + __m64 input_j = inputVector[j]; + __m64 extendedRowLo = _mm_srai_pi16(_mm_unpacklo_pi8(row_j, row_j), 8); + __m64 extendedRowHi = _mm_srai_pi16(_mm_unpackhi_pi8(row_j, row_j), 8); + __m64 extendedInputLo = _mm_unpacklo_pi8(input_j, Zeros); + __m64 extendedInputHi = _mm_unpackhi_pi8(input_j, Zeros); + __m64 productLo = _mm_madd_pi16(extendedRowLo, extendedInputLo); + __m64 productHi = _mm_madd_pi16(extendedRowHi, extendedInputHi); + sumLo = _mm_add_pi32(sumLo, productLo); + sumHi = _mm_add_pi32(sumHi, productHi); + } + __m64 sum = _mm_add_pi32(sumLo, sumHi); + sum = _mm_add_pi32(sum, _mm_unpackhi_pi32(sum, sum)); + output[i] = _mm_cvtsi64_si32(sum); + +# elif defined(USE_NEON) + int32x4_t sum = {biases[i]}; + const auto row = reinterpret_cast(&weights[offset]); + for (IndexType j = 0; j < NumChunks; ++j) { + int16x8_t product = vmull_s8(inputVector[j * 2], row[j * 2]); + product = vmlal_s8(product, inputVector[j * 2 + 1], row[j * 2 + 1]); + sum = vpadalq_s16(sum, product); + } + output[i] = sum[0] + sum[1] + sum[2] + sum[3]; + +# else + std::int32_t sum = biases[i]; + for (IndexType j = 0; j < InputDimensions; ++j) { + sum += weights[offset + j] * input[j]; + } + output[i] = sum; +# endif + } + +# if defined(USE_MMX) + _mm_empty(); +# endif + } +#endif + + template + class AffineTransform; + +#if defined (USE_AVX512) + constexpr IndexType LargeInputSize = 2 * 64; +#else + constexpr IndexType LargeInputSize = std::numeric_limits::max(); +#endif + + // A specialization for large inputs. + template + class AffineTransform(InDims, MaxSimdWidth) >= LargeInputSize)>> { + public: + // Input/output type + using InputType = std::uint8_t; + using OutputType = std::int32_t; + + // Number of input/output dimensions + static constexpr IndexType InputDimensions = InDims; + static constexpr IndexType OutputDimensions = OutDims; + + static constexpr IndexType PaddedInputDimensions = + ceil_to_multiple(InputDimensions, MaxSimdWidth); + static constexpr IndexType PaddedOutputDimensions = + ceil_to_multiple(OutputDimensions, MaxSimdWidth); + + using OutputBuffer = OutputType[PaddedOutputDimensions]; + + static_assert(PaddedInputDimensions >= LargeInputSize, "Something went wrong. This specialization should not have been chosen."); + +#if defined (USE_AVX512) + static constexpr const IndexType InputSimdWidth = 64; + static constexpr const IndexType MaxNumOutputRegs = 16; +#elif defined (USE_AVX2) + static constexpr const IndexType InputSimdWidth = 32; + static constexpr const IndexType MaxNumOutputRegs = 8; +#elif defined (USE_SSSE3) + static constexpr const IndexType InputSimdWidth = 16; + static constexpr const IndexType MaxNumOutputRegs = 8; +#elif defined (USE_NEON) + static constexpr const IndexType InputSimdWidth = 8; + static constexpr const IndexType MaxNumOutputRegs = 8; +#else + // The fallback implementation will not have permuted weights. + // We define these to avoid a lot of ifdefs later. + static constexpr const IndexType InputSimdWidth = 1; + static constexpr const IndexType MaxNumOutputRegs = 1; +#endif + + // A big block is a region in the weight matrix of the size [PaddedInputDimensions, NumOutputRegs]. + // A small block is a region of size [InputSimdWidth, 1] + + static constexpr const IndexType NumOutputRegs = std::min(MaxNumOutputRegs, OutputDimensions); + static constexpr const IndexType SmallBlockSize = InputSimdWidth; + static constexpr const IndexType BigBlockSize = NumOutputRegs * PaddedInputDimensions; + static constexpr const IndexType NumSmallBlocksInBigBlock = BigBlockSize / SmallBlockSize; + static constexpr const IndexType NumSmallBlocksPerOutput = PaddedInputDimensions / SmallBlockSize; + static constexpr const IndexType NumBigBlocks = OutputDimensions / NumOutputRegs; + + static_assert(OutputDimensions % NumOutputRegs == 0); + + // Hash value embedded in the evaluation file + static constexpr std::uint32_t get_hash_value(std::uint32_t prevHash) { + std::uint32_t hashValue = 0xCC03DAE4u; + hashValue += OutputDimensions; + hashValue ^= prevHash >> 1; + hashValue ^= prevHash << 31; + return hashValue; + } + + /* + Transposes the small blocks within a block. + Effectively means that weights can be traversed sequentially during inference. + */ + static IndexType get_weight_index(IndexType i) + { + const IndexType smallBlock = (i / SmallBlockSize) % NumSmallBlocksInBigBlock; + const IndexType smallBlockCol = smallBlock / NumSmallBlocksPerOutput; + const IndexType smallBlockRow = smallBlock % NumSmallBlocksPerOutput; + const IndexType bigBlock = i / BigBlockSize; + const IndexType rest = i % SmallBlockSize; + + const IndexType idx = + bigBlock * BigBlockSize + + smallBlockRow * SmallBlockSize * NumOutputRegs + + smallBlockCol * SmallBlockSize + + rest; + + return idx; + } + + // Read network parameters + bool read_parameters(std::istream& stream) { + for (IndexType i = 0; i < OutputDimensions; ++i) + biases[i] = read_little_endian(stream); + + for (IndexType i = 0; i < OutputDimensions * PaddedInputDimensions; ++i) + weights[get_weight_index(i)] = read_little_endian(stream); + + return !stream.fail(); + } + + // Write network parameters + bool write_parameters(std::ostream& stream) const { + for (IndexType i = 0; i < OutputDimensions; ++i) + write_little_endian(stream, biases[i]); + + for (IndexType i = 0; i < OutputDimensions * PaddedInputDimensions; ++i) + write_little_endian(stream, weights[get_weight_index(i)]); + + return !stream.fail(); + } + + // Forward propagation + const OutputType* propagate( + const InputType* input, OutputType* output) const { + +#if defined (USE_AVX512) + using acc_vec_t = __m512i; + using bias_vec_t = __m128i; + using weight_vec_t = __m512i; + using in_vec_t = __m512i; + #define vec_zero _mm512_setzero_si512() + #define vec_add_dpbusd_32x2 Simd::m512_add_dpbusd_epi32x2 + #define vec_hadd Simd::m512_hadd + #define vec_haddx4 Simd::m512_haddx4 +#elif defined (USE_AVX2) + using acc_vec_t = __m256i; + using bias_vec_t = __m128i; + using weight_vec_t = __m256i; + using in_vec_t = __m256i; + #define vec_zero _mm256_setzero_si256() + #define vec_add_dpbusd_32x2 Simd::m256_add_dpbusd_epi32x2 + #define vec_hadd Simd::m256_hadd + #define vec_haddx4 Simd::m256_haddx4 +#elif defined (USE_SSSE3) + using acc_vec_t = __m128i; + using bias_vec_t = __m128i; + using weight_vec_t = __m128i; + using in_vec_t = __m128i; + #define vec_zero _mm_setzero_si128() + #define vec_add_dpbusd_32x2 Simd::m128_add_dpbusd_epi32x2 + #define vec_hadd Simd::m128_hadd + #define vec_haddx4 Simd::m128_haddx4 +#elif defined (USE_NEON) + using acc_vec_t = int32x4_t; + using bias_vec_t = int32x4_t; + using weight_vec_t = int8x8_t; + using in_vec_t = int8x8_t; + #define vec_zero {0} + #define vec_add_dpbusd_32x2 Simd::neon_m128_add_dpbusd_epi32x2 + #define vec_hadd Simd::neon_m128_hadd + #define vec_haddx4 Simd::neon_m128_haddx4 +#endif + +#if defined (USE_SSSE3) || defined (USE_NEON) + const in_vec_t* invec = reinterpret_cast(input); + + // Perform accumulation to registers for each big block + for (IndexType bigBlock = 0; bigBlock < NumBigBlocks; ++bigBlock) + { + acc_vec_t acc[NumOutputRegs] = { vec_zero }; + + // Each big block has NumOutputRegs small blocks in each "row", one per register. + // We process two small blocks at a time to save on one addition without VNNI. + for (IndexType smallBlock = 0; smallBlock < NumSmallBlocksPerOutput; smallBlock += 2) + { + const weight_vec_t* weightvec = + reinterpret_cast( + weights + + bigBlock * BigBlockSize + + smallBlock * SmallBlockSize * NumOutputRegs); + + const in_vec_t in0 = invec[smallBlock + 0]; + const in_vec_t in1 = invec[smallBlock + 1]; + + for (IndexType k = 0; k < NumOutputRegs; ++k) + vec_add_dpbusd_32x2(acc[k], in0, weightvec[k], in1, weightvec[k + NumOutputRegs]); + } + + // Horizontally add all accumulators. + if constexpr (NumOutputRegs % 4 == 0) + { + bias_vec_t* outputvec = reinterpret_cast(output); + const bias_vec_t* biasvec = reinterpret_cast(biases); + + for (IndexType k = 0; k < NumOutputRegs; k += 4) + { + const IndexType idx = (bigBlock * NumOutputRegs + k) / 4; + outputvec[idx] = vec_haddx4(acc[k+0], acc[k+1], acc[k+2], acc[k+3], biasvec[idx]); + } + } + else + { + for (IndexType k = 0; k < NumOutputRegs; ++k) + { + const IndexType idx = (bigBlock * NumOutputRegs + k); + output[idx] = vec_hadd(acc[k], biases[idx]); + } + } + } + +# undef vec_zero +# undef vec_add_dpbusd_32x2 +# undef vec_hadd +# undef vec_haddx4 +#else + // Use old implementation for the other architectures. + affine_transform_non_ssse3< + InputDimensions, + PaddedInputDimensions, + OutputDimensions>(output, weights, biases, input); + +#endif + + return output; + } + + private: + using BiasType = OutputType; + using WeightType = std::int8_t; + + alignas(CacheLineSize) BiasType biases[OutputDimensions]; + alignas(CacheLineSize) WeightType weights[OutputDimensions * PaddedInputDimensions]; + }; + + template + class AffineTransform(InDims, MaxSimdWidth) < LargeInputSize)>> { + public: + // Input/output type + // Input/output type + using InputType = std::uint8_t; + using OutputType = std::int32_t; + + // Number of input/output dimensions + static constexpr IndexType InputDimensions = InDims; + static constexpr IndexType OutputDimensions = OutDims; + + static constexpr IndexType PaddedInputDimensions = + ceil_to_multiple(InputDimensions, MaxSimdWidth); + static constexpr IndexType PaddedOutputDimensions = + ceil_to_multiple(OutputDimensions, MaxSimdWidth); + + using OutputBuffer = OutputType[PaddedOutputDimensions]; + + static_assert(PaddedInputDimensions < LargeInputSize, "Something went wrong. This specialization should not have been chosen."); + +#if defined (USE_SSSE3) + static constexpr const IndexType OutputSimdWidth = SimdWidth / 4; + static constexpr const IndexType InputSimdWidth = SimdWidth; +#endif + + // Hash value embedded in the evaluation file + static constexpr std::uint32_t get_hash_value(std::uint32_t prevHash) { + std::uint32_t hashValue = 0xCC03DAE4u; + hashValue += OutputDimensions; + hashValue ^= prevHash >> 1; + hashValue ^= prevHash << 31; + return hashValue; + } + + static IndexType get_weight_index_scrambled(IndexType i) + { + return + (i / 4) % (PaddedInputDimensions / 4) * OutputDimensions * 4 + + i / PaddedInputDimensions * 4 + + i % 4; + } + + static IndexType get_weight_index(IndexType i) + { +#if defined (USE_SSSE3) + return get_weight_index_scrambled(i); +#else + return i; +#endif + } + + // Read network parameters + bool read_parameters(std::istream& stream) { + for (IndexType i = 0; i < OutputDimensions; ++i) + biases[i] = read_little_endian(stream); + for (IndexType i = 0; i < OutputDimensions * PaddedInputDimensions; ++i) + weights[get_weight_index(i)] = read_little_endian(stream); + + return !stream.fail(); + } + + // Write network parameters + bool write_parameters(std::ostream& stream) const { + for (IndexType i = 0; i < OutputDimensions; ++i) + write_little_endian(stream, biases[i]); + + for (IndexType i = 0; i < OutputDimensions * PaddedInputDimensions; ++i) + write_little_endian(stream, weights[get_weight_index(i)]); + + return !stream.fail(); + } + // Forward propagation + const OutputType* propagate( + const InputType* input, OutputType* output) const { + +#if defined (USE_AVX2) + using vec_t = __m256i; + #define vec_setzero _mm256_setzero_si256 + #define vec_set_32 _mm256_set1_epi32 + #define vec_add_dpbusd_32 Simd::m256_add_dpbusd_epi32 + #define vec_add_dpbusd_32x2 Simd::m256_add_dpbusd_epi32x2 + #define vec_add_dpbusd_32x4 Simd::m256_add_dpbusd_epi32x4 + #define vec_hadd Simd::m256_hadd + #define vec_haddx4 Simd::m256_haddx4 +#elif defined (USE_SSSE3) + using vec_t = __m128i; + #define vec_setzero _mm_setzero_si128 + #define vec_set_32 _mm_set1_epi32 + #define vec_add_dpbusd_32 Simd::m128_add_dpbusd_epi32 + #define vec_add_dpbusd_32x2 Simd::m128_add_dpbusd_epi32x2 + #define vec_add_dpbusd_32x4 Simd::m128_add_dpbusd_epi32x4 + #define vec_hadd Simd::m128_hadd + #define vec_haddx4 Simd::m128_haddx4 +#endif + +#if defined (USE_SSSE3) + const auto inputVector = reinterpret_cast(input); + + static_assert(OutputDimensions % OutputSimdWidth == 0 || OutputDimensions == 1); + + if constexpr (OutputDimensions % OutputSimdWidth == 0) + { + constexpr IndexType NumChunks = ceil_to_multiple(InputDimensions, 8) / 4; + constexpr IndexType NumRegs = OutputDimensions / OutputSimdWidth; + + const auto input32 = reinterpret_cast(input); + const vec_t* biasvec = reinterpret_cast(biases); + vec_t acc[NumRegs]; + for (IndexType k = 0; k < NumRegs; ++k) + acc[k] = biasvec[k]; + + for (IndexType i = 0; i < NumChunks; i += 2) + { + const vec_t in0 = vec_set_32(input32[i + 0]); + const vec_t in1 = vec_set_32(input32[i + 1]); + const auto col0 = reinterpret_cast(&weights[(i + 0) * OutputDimensions * 4]); + const auto col1 = reinterpret_cast(&weights[(i + 1) * OutputDimensions * 4]); + for (IndexType k = 0; k < NumRegs; ++k) + vec_add_dpbusd_32x2(acc[k], in0, col0[k], in1, col1[k]); + } + + vec_t* outptr = reinterpret_cast(output); + for (IndexType k = 0; k < NumRegs; ++k) + outptr[k] = acc[k]; + } + else if constexpr (OutputDimensions == 1) + { + constexpr IndexType NumChunks = PaddedInputDimensions / SimdWidth; + vec_t sum0 = vec_setzero(); + const auto row0 = reinterpret_cast(&weights[0]); + + for (int j = 0; j < (int)NumChunks; ++j) + { + const vec_t in = inputVector[j]; + vec_add_dpbusd_32(sum0, in, row0[j]); + } + output[0] = vec_hadd(sum0, biases[0]); + } + +# undef vec_setzero +# undef vec_set_32 +# undef vec_add_dpbusd_32 +# undef vec_add_dpbusd_32x2 +# undef vec_add_dpbusd_32x4 +# undef vec_hadd +# undef vec_haddx4 +#else + // Use old implementation for the other architectures. + affine_transform_non_ssse3< + InputDimensions, + PaddedInputDimensions, + OutputDimensions>(output, weights, biases, input); +#endif + + return output; + } + + private: + using BiasType = OutputType; + using WeightType = std::int8_t; + + alignas(CacheLineSize) BiasType biases[OutputDimensions]; + alignas(CacheLineSize) WeightType weights[OutputDimensions * PaddedInputDimensions]; + }; + +} // namespace Stockfish::Eval::NNUE::Layers + +#endif // #ifndef NNUE_LAYERS_AFFINE_TRANSFORM_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/layers/clipped_relu.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/layers/clipped_relu.h new file mode 100755 index 00000000..f94d3082 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/layers/clipped_relu.h @@ -0,0 +1,180 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +// Definition of layer ClippedReLU of NNUE evaluation function + +#ifndef NNUE_LAYERS_CLIPPED_RELU_H_INCLUDED +#define NNUE_LAYERS_CLIPPED_RELU_H_INCLUDED + +#include "../nnue_common.h" + +namespace Stockfish::Eval::NNUE::Layers { + + // Clipped ReLU + template + class ClippedReLU { + public: + // Input/output type + using InputType = std::int32_t; + using OutputType = std::uint8_t; + + // Number of input/output dimensions + static constexpr IndexType InputDimensions = InDims; + static constexpr IndexType OutputDimensions = InputDimensions; + static constexpr IndexType PaddedOutputDimensions = + ceil_to_multiple(OutputDimensions, 32); + + using OutputBuffer = OutputType[PaddedOutputDimensions]; + + // Hash value embedded in the evaluation file + static constexpr std::uint32_t get_hash_value(std::uint32_t prevHash) { + std::uint32_t hashValue = 0x538D24C7u; + hashValue += prevHash; + return hashValue; + } + + // Read network parameters + bool read_parameters(std::istream&) { + return true; + } + + // Write network parameters + bool write_parameters(std::ostream&) const { + return true; + } + + // Forward propagation + const OutputType* propagate( + const InputType* input, OutputType* output) const { + + #if defined(USE_AVX2) + if constexpr (InputDimensions % SimdWidth == 0) { + constexpr IndexType NumChunks = InputDimensions / SimdWidth; + const __m256i Zero = _mm256_setzero_si256(); + const __m256i Offsets = _mm256_set_epi32(7, 3, 6, 2, 5, 1, 4, 0); + const auto in = reinterpret_cast(input); + const auto out = reinterpret_cast<__m256i*>(output); + for (IndexType i = 0; i < NumChunks; ++i) { + const __m256i words0 = _mm256_srai_epi16(_mm256_packs_epi32( + _mm256_load_si256(&in[i * 4 + 0]), + _mm256_load_si256(&in[i * 4 + 1])), WeightScaleBits); + const __m256i words1 = _mm256_srai_epi16(_mm256_packs_epi32( + _mm256_load_si256(&in[i * 4 + 2]), + _mm256_load_si256(&in[i * 4 + 3])), WeightScaleBits); + _mm256_store_si256(&out[i], _mm256_permutevar8x32_epi32(_mm256_max_epi8( + _mm256_packs_epi16(words0, words1), Zero), Offsets)); + } + } else { + constexpr IndexType NumChunks = InputDimensions / (SimdWidth / 2); + const __m128i Zero = _mm_setzero_si128(); + const auto in = reinterpret_cast(input); + const auto out = reinterpret_cast<__m128i*>(output); + for (IndexType i = 0; i < NumChunks; ++i) { + const __m128i words0 = _mm_srai_epi16(_mm_packs_epi32( + _mm_load_si128(&in[i * 4 + 0]), + _mm_load_si128(&in[i * 4 + 1])), WeightScaleBits); + const __m128i words1 = _mm_srai_epi16(_mm_packs_epi32( + _mm_load_si128(&in[i * 4 + 2]), + _mm_load_si128(&in[i * 4 + 3])), WeightScaleBits); + const __m128i packedbytes = _mm_packs_epi16(words0, words1); + _mm_store_si128(&out[i], _mm_max_epi8(packedbytes, Zero)); + } + } + constexpr IndexType Start = + InputDimensions % SimdWidth == 0 + ? InputDimensions / SimdWidth * SimdWidth + : InputDimensions / (SimdWidth / 2) * (SimdWidth / 2); + + #elif defined(USE_SSE2) + constexpr IndexType NumChunks = InputDimensions / SimdWidth; + + #ifdef USE_SSE41 + const __m128i Zero = _mm_setzero_si128(); + #else + const __m128i k0x80s = _mm_set1_epi8(-128); + #endif + + const auto in = reinterpret_cast(input); + const auto out = reinterpret_cast<__m128i*>(output); + for (IndexType i = 0; i < NumChunks; ++i) { + const __m128i words0 = _mm_srai_epi16(_mm_packs_epi32( + _mm_load_si128(&in[i * 4 + 0]), + _mm_load_si128(&in[i * 4 + 1])), WeightScaleBits); + const __m128i words1 = _mm_srai_epi16(_mm_packs_epi32( + _mm_load_si128(&in[i * 4 + 2]), + _mm_load_si128(&in[i * 4 + 3])), WeightScaleBits); + const __m128i packedbytes = _mm_packs_epi16(words0, words1); + _mm_store_si128(&out[i], + + #ifdef USE_SSE41 + _mm_max_epi8(packedbytes, Zero) + #else + _mm_subs_epi8(_mm_adds_epi8(packedbytes, k0x80s), k0x80s) + #endif + + ); + } + constexpr IndexType Start = NumChunks * SimdWidth; + + #elif defined(USE_MMX) + constexpr IndexType NumChunks = InputDimensions / SimdWidth; + const __m64 k0x80s = _mm_set1_pi8(-128); + const auto in = reinterpret_cast(input); + const auto out = reinterpret_cast<__m64*>(output); + for (IndexType i = 0; i < NumChunks; ++i) { + const __m64 words0 = _mm_srai_pi16( + _mm_packs_pi32(in[i * 4 + 0], in[i * 4 + 1]), + WeightScaleBits); + const __m64 words1 = _mm_srai_pi16( + _mm_packs_pi32(in[i * 4 + 2], in[i * 4 + 3]), + WeightScaleBits); + const __m64 packedbytes = _mm_packs_pi16(words0, words1); + out[i] = _mm_subs_pi8(_mm_adds_pi8(packedbytes, k0x80s), k0x80s); + } + _mm_empty(); + constexpr IndexType Start = NumChunks * SimdWidth; + + #elif defined(USE_NEON) + constexpr IndexType NumChunks = InputDimensions / (SimdWidth / 2); + const int8x8_t Zero = {0}; + const auto in = reinterpret_cast(input); + const auto out = reinterpret_cast(output); + for (IndexType i = 0; i < NumChunks; ++i) { + int16x8_t shifted; + const auto pack = reinterpret_cast(&shifted); + pack[0] = vqshrn_n_s32(in[i * 2 + 0], WeightScaleBits); + pack[1] = vqshrn_n_s32(in[i * 2 + 1], WeightScaleBits); + out[i] = vmax_s8(vqmovn_s16(shifted), Zero); + } + constexpr IndexType Start = NumChunks * (SimdWidth / 2); + #else + constexpr IndexType Start = 0; + #endif + + for (IndexType i = Start; i < InputDimensions; ++i) { + output[i] = static_cast( + std::max(0, std::min(127, input[i] >> WeightScaleBits))); + } + + return output; + } + }; + +} // namespace Stockfish::Eval::NNUE::Layers + +#endif // NNUE_LAYERS_CLIPPED_RELU_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/layers/simd.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/layers/simd.h new file mode 100755 index 00000000..7b9e8fb2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/layers/simd.h @@ -0,0 +1,387 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef STOCKFISH_SIMD_H_INCLUDED +#define STOCKFISH_SIMD_H_INCLUDED + +#if defined(USE_AVX2) +# include + +#elif defined(USE_SSE41) +# include + +#elif defined(USE_SSSE3) +# include + +#elif defined(USE_SSE2) +# include + +#elif defined(USE_MMX) +# include + +#elif defined(USE_NEON) +# include +#endif + +// The inline asm is only safe for GCC, where it is necessary to get good codegen. +// See https://gcc.gnu.org/bugzilla/show_bug.cgi?id=101693 +// Clang does fine without it. +// Play around here: https://godbolt.org/z/7EWqrYq51 +#if (defined(__GNUC__) && !defined(__clang__) && !defined(__INTEL_COMPILER)) +#define USE_INLINE_ASM +#endif + +// Use either the AVX512 or AVX-VNNI version of the VNNI instructions. +#if defined(USE_AVXVNNI) +#define VNNI_PREFIX "%{vex%} " +#else +#define VNNI_PREFIX "" +#endif + +namespace Stockfish::Simd { + +#if defined (USE_AVX512) + + [[maybe_unused]] static int m512_hadd(__m512i sum, int bias) { + return _mm512_reduce_add_epi32(sum) + bias; + } + + /* + Parameters: + sum0 = [zmm0.i128[0], zmm0.i128[1], zmm0.i128[2], zmm0.i128[3]] + sum1 = [zmm1.i128[0], zmm1.i128[1], zmm1.i128[2], zmm1.i128[3]] + sum2 = [zmm2.i128[0], zmm2.i128[1], zmm2.i128[2], zmm2.i128[3]] + sum3 = [zmm3.i128[0], zmm3.i128[1], zmm3.i128[2], zmm3.i128[3]] + + Returns: + ret = [ + reduce_add_epi32(zmm0.i128[0]), reduce_add_epi32(zmm1.i128[0]), reduce_add_epi32(zmm2.i128[0]), reduce_add_epi32(zmm3.i128[0]), + reduce_add_epi32(zmm0.i128[1]), reduce_add_epi32(zmm1.i128[1]), reduce_add_epi32(zmm2.i128[1]), reduce_add_epi32(zmm3.i128[1]), + reduce_add_epi32(zmm0.i128[2]), reduce_add_epi32(zmm1.i128[2]), reduce_add_epi32(zmm2.i128[2]), reduce_add_epi32(zmm3.i128[2]), + reduce_add_epi32(zmm0.i128[3]), reduce_add_epi32(zmm1.i128[3]), reduce_add_epi32(zmm2.i128[3]), reduce_add_epi32(zmm3.i128[3]) + ] + */ + [[maybe_unused]] static __m512i m512_hadd128x16_interleave( + __m512i sum0, __m512i sum1, __m512i sum2, __m512i sum3) { + + __m512i sum01a = _mm512_unpacklo_epi32(sum0, sum1); + __m512i sum01b = _mm512_unpackhi_epi32(sum0, sum1); + + __m512i sum23a = _mm512_unpacklo_epi32(sum2, sum3); + __m512i sum23b = _mm512_unpackhi_epi32(sum2, sum3); + + __m512i sum01 = _mm512_add_epi32(sum01a, sum01b); + __m512i sum23 = _mm512_add_epi32(sum23a, sum23b); + + __m512i sum0123a = _mm512_unpacklo_epi64(sum01, sum23); + __m512i sum0123b = _mm512_unpackhi_epi64(sum01, sum23); + + return _mm512_add_epi32(sum0123a, sum0123b); + } + + [[maybe_unused]] static __m128i m512_haddx4( + __m512i sum0, __m512i sum1, __m512i sum2, __m512i sum3, + __m128i bias) { + + __m512i sum = m512_hadd128x16_interleave(sum0, sum1, sum2, sum3); + + __m256i sum256lo = _mm512_castsi512_si256(sum); + __m256i sum256hi = _mm512_extracti64x4_epi64(sum, 1); + + sum256lo = _mm256_add_epi32(sum256lo, sum256hi); + + __m128i sum128lo = _mm256_castsi256_si128(sum256lo); + __m128i sum128hi = _mm256_extracti128_si256(sum256lo, 1); + + return _mm_add_epi32(_mm_add_epi32(sum128lo, sum128hi), bias); + } + + [[maybe_unused]] static void m512_add_dpbusd_epi32( + __m512i& acc, + __m512i a, + __m512i b) { + +# if defined (USE_VNNI) +# if defined (USE_INLINE_ASM) + asm( + "vpdpbusd %[b], %[a], %[acc]\n\t" + : [acc]"+v"(acc) + : [a]"v"(a), [b]"vm"(b) + ); +# else + acc = _mm512_dpbusd_epi32(acc, a, b); +# endif +# else +# if defined (USE_INLINE_ASM) + __m512i tmp = _mm512_maddubs_epi16(a, b); + asm( + "vpmaddwd %[tmp], %[ones], %[tmp]\n\t" + "vpaddd %[acc], %[tmp], %[acc]\n\t" + : [acc]"+v"(acc), [tmp]"+&v"(tmp) + : [ones]"v"(_mm512_set1_epi16(1)) + ); +# else + __m512i product0 = _mm512_maddubs_epi16(a, b); + product0 = _mm512_madd_epi16(product0, _mm512_set1_epi16(1)); + acc = _mm512_add_epi32(acc, product0); +# endif +# endif + } + + [[maybe_unused]] static void m512_add_dpbusd_epi32x2( + __m512i& acc, + __m512i a0, __m512i b0, + __m512i a1, __m512i b1) { + +# if defined (USE_VNNI) +# if defined (USE_INLINE_ASM) + asm( + "vpdpbusd %[b0], %[a0], %[acc]\n\t" + "vpdpbusd %[b1], %[a1], %[acc]\n\t" + : [acc]"+v"(acc) + : [a0]"v"(a0), [b0]"vm"(b0), [a1]"v"(a1), [b1]"vm"(b1) + ); +# else + acc = _mm512_dpbusd_epi32(acc, a0, b0); + acc = _mm512_dpbusd_epi32(acc, a1, b1); +# endif +# else +# if defined (USE_INLINE_ASM) + __m512i tmp0 = _mm512_maddubs_epi16(a0, b0); + __m512i tmp1 = _mm512_maddubs_epi16(a1, b1); + asm( + "vpaddsw %[tmp0], %[tmp1], %[tmp0]\n\t" + "vpmaddwd %[tmp0], %[ones], %[tmp0]\n\t" + "vpaddd %[acc], %[tmp0], %[acc]\n\t" + : [acc]"+v"(acc), [tmp0]"+&v"(tmp0) + : [tmp1]"v"(tmp1), [ones]"v"(_mm512_set1_epi16(1)) + ); +# else + __m512i product0 = _mm512_maddubs_epi16(a0, b0); + __m512i product1 = _mm512_maddubs_epi16(a1, b1); + product0 = _mm512_adds_epi16(product0, product1); + product0 = _mm512_madd_epi16(product0, _mm512_set1_epi16(1)); + acc = _mm512_add_epi32(acc, product0); +# endif +# endif + } + +#endif + +#if defined (USE_AVX2) + + [[maybe_unused]] static int m256_hadd(__m256i sum, int bias) { + __m128i sum128 = _mm_add_epi32(_mm256_castsi256_si128(sum), _mm256_extracti128_si256(sum, 1)); + sum128 = _mm_add_epi32(sum128, _mm_shuffle_epi32(sum128, _MM_PERM_BADC)); + sum128 = _mm_add_epi32(sum128, _mm_shuffle_epi32(sum128, _MM_PERM_CDAB)); + return _mm_cvtsi128_si32(sum128) + bias; + } + + [[maybe_unused]] static __m128i m256_haddx4( + __m256i sum0, __m256i sum1, __m256i sum2, __m256i sum3, + __m128i bias) { + + sum0 = _mm256_hadd_epi32(sum0, sum1); + sum2 = _mm256_hadd_epi32(sum2, sum3); + + sum0 = _mm256_hadd_epi32(sum0, sum2); + + __m128i sum128lo = _mm256_castsi256_si128(sum0); + __m128i sum128hi = _mm256_extracti128_si256(sum0, 1); + + return _mm_add_epi32(_mm_add_epi32(sum128lo, sum128hi), bias); + } + + [[maybe_unused]] static void m256_add_dpbusd_epi32( + __m256i& acc, + __m256i a, + __m256i b) { + +# if defined (USE_VNNI) +# if defined (USE_INLINE_ASM) + asm( + VNNI_PREFIX "vpdpbusd %[b], %[a], %[acc]\n\t" + : [acc]"+v"(acc) + : [a]"v"(a), [b]"vm"(b) + ); +# else + acc = _mm256_dpbusd_epi32(acc, a, b); +# endif +# else +# if defined (USE_INLINE_ASM) + __m256i tmp = _mm256_maddubs_epi16(a, b); + asm( + "vpmaddwd %[tmp], %[ones], %[tmp]\n\t" + "vpaddd %[acc], %[tmp], %[acc]\n\t" + : [acc]"+v"(acc), [tmp]"+&v"(tmp) + : [ones]"v"(_mm256_set1_epi16(1)) + ); +# else + __m256i product0 = _mm256_maddubs_epi16(a, b); + product0 = _mm256_madd_epi16(product0, _mm256_set1_epi16(1)); + acc = _mm256_add_epi32(acc, product0); +# endif +# endif + } + + [[maybe_unused]] static void m256_add_dpbusd_epi32x2( + __m256i& acc, + __m256i a0, __m256i b0, + __m256i a1, __m256i b1) { + +# if defined (USE_VNNI) +# if defined (USE_INLINE_ASM) + asm( + VNNI_PREFIX "vpdpbusd %[b0], %[a0], %[acc]\n\t" + VNNI_PREFIX "vpdpbusd %[b1], %[a1], %[acc]\n\t" + : [acc]"+v"(acc) + : [a0]"v"(a0), [b0]"vm"(b0), [a1]"v"(a1), [b1]"vm"(b1) + ); +# else + acc = _mm256_dpbusd_epi32(acc, a0, b0); + acc = _mm256_dpbusd_epi32(acc, a1, b1); +# endif +# else +# if defined (USE_INLINE_ASM) + __m256i tmp0 = _mm256_maddubs_epi16(a0, b0); + __m256i tmp1 = _mm256_maddubs_epi16(a1, b1); + asm( + "vpaddsw %[tmp0], %[tmp1], %[tmp0]\n\t" + "vpmaddwd %[tmp0], %[ones], %[tmp0]\n\t" + "vpaddd %[acc], %[tmp0], %[acc]\n\t" + : [acc]"+v"(acc), [tmp0]"+&v"(tmp0) + : [tmp1]"v"(tmp1), [ones]"v"(_mm256_set1_epi16(1)) + ); +# else + __m256i product0 = _mm256_maddubs_epi16(a0, b0); + __m256i product1 = _mm256_maddubs_epi16(a1, b1); + product0 = _mm256_adds_epi16(product0, product1); + product0 = _mm256_madd_epi16(product0, _mm256_set1_epi16(1)); + acc = _mm256_add_epi32(acc, product0); +# endif +# endif + } + +#endif + +#if defined (USE_SSSE3) + + [[maybe_unused]] static int m128_hadd(__m128i sum, int bias) { + sum = _mm_add_epi32(sum, _mm_shuffle_epi32(sum, 0x4E)); //_MM_PERM_BADC + sum = _mm_add_epi32(sum, _mm_shuffle_epi32(sum, 0xB1)); //_MM_PERM_CDAB + return _mm_cvtsi128_si32(sum) + bias; + } + + [[maybe_unused]] static __m128i m128_haddx4( + __m128i sum0, __m128i sum1, __m128i sum2, __m128i sum3, + __m128i bias) { + + sum0 = _mm_hadd_epi32(sum0, sum1); + sum2 = _mm_hadd_epi32(sum2, sum3); + sum0 = _mm_hadd_epi32(sum0, sum2); + return _mm_add_epi32(sum0, bias); + } + + [[maybe_unused]] static void m128_add_dpbusd_epi32( + __m128i& acc, + __m128i a, + __m128i b) { + +# if defined (USE_INLINE_ASM) + __m128i tmp = _mm_maddubs_epi16(a, b); + asm( + "pmaddwd %[ones], %[tmp]\n\t" + "paddd %[tmp], %[acc]\n\t" + : [acc]"+v"(acc), [tmp]"+&v"(tmp) + : [ones]"v"(_mm_set1_epi16(1)) + ); +# else + __m128i product0 = _mm_maddubs_epi16(a, b); + product0 = _mm_madd_epi16(product0, _mm_set1_epi16(1)); + acc = _mm_add_epi32(acc, product0); +# endif + } + + [[maybe_unused]] static void m128_add_dpbusd_epi32x2( + __m128i& acc, + __m128i a0, __m128i b0, + __m128i a1, __m128i b1) { + +# if defined (USE_INLINE_ASM) + __m128i tmp0 = _mm_maddubs_epi16(a0, b0); + __m128i tmp1 = _mm_maddubs_epi16(a1, b1); + asm( + "paddsw %[tmp1], %[tmp0]\n\t" + "pmaddwd %[ones], %[tmp0]\n\t" + "paddd %[tmp0], %[acc]\n\t" + : [acc]"+v"(acc), [tmp0]"+&v"(tmp0) + : [tmp1]"v"(tmp1), [ones]"v"(_mm_set1_epi16(1)) + ); +# else + __m128i product0 = _mm_maddubs_epi16(a0, b0); + __m128i product1 = _mm_maddubs_epi16(a1, b1); + product0 = _mm_adds_epi16(product0, product1); + product0 = _mm_madd_epi16(product0, _mm_set1_epi16(1)); + acc = _mm_add_epi32(acc, product0); +# endif + } + +#endif + +#if defined (USE_NEON) + + [[maybe_unused]] static int neon_m128_reduce_add_epi32(int32x4_t s) { +# if USE_NEON >= 8 + return vaddvq_s32(s); +# else + return s[0] + s[1] + s[2] + s[3]; +# endif + } + + [[maybe_unused]] static int neon_m128_hadd(int32x4_t sum, int bias) { + return neon_m128_reduce_add_epi32(sum) + bias; + } + + [[maybe_unused]] static int32x4_t neon_m128_haddx4( + int32x4_t sum0, int32x4_t sum1, int32x4_t sum2, int32x4_t sum3, + int32x4_t bias) { + + int32x4_t hsums { + neon_m128_reduce_add_epi32(sum0), + neon_m128_reduce_add_epi32(sum1), + neon_m128_reduce_add_epi32(sum2), + neon_m128_reduce_add_epi32(sum3) + }; + return vaddq_s32(hsums, bias); + } + + [[maybe_unused]] static void neon_m128_add_dpbusd_epi32x2( + int32x4_t& acc, + int8x8_t a0, int8x8_t b0, + int8x8_t a1, int8x8_t b1) { + + int16x8_t product = vmull_s8(a0, b0); + product = vmlal_s8(product, a1, b1); + acc = vpadalq_s16(acc, product); + } + +#endif + +} + +#endif // STOCKFISH_SIMD_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/layers/sqr_clipped_relu.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/layers/sqr_clipped_relu.h new file mode 100755 index 00000000..b603a277 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/layers/sqr_clipped_relu.h @@ -0,0 +1,120 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +// Definition of layer ClippedReLU of NNUE evaluation function + +#ifndef NNUE_LAYERS_SQR_CLIPPED_RELU_H_INCLUDED +#define NNUE_LAYERS_SQR_CLIPPED_RELU_H_INCLUDED + +#include "../nnue_common.h" + +namespace Stockfish::Eval::NNUE::Layers { + + // Clipped ReLU + template + class SqrClippedReLU { + public: + // Input/output type + using InputType = std::int32_t; + using OutputType = std::uint8_t; + + // Number of input/output dimensions + static constexpr IndexType InputDimensions = InDims; + static constexpr IndexType OutputDimensions = InputDimensions; + static constexpr IndexType PaddedOutputDimensions = + ceil_to_multiple(OutputDimensions, 32); + + using OutputBuffer = OutputType[PaddedOutputDimensions]; + + // Hash value embedded in the evaluation file + static constexpr std::uint32_t get_hash_value(std::uint32_t prevHash) { + std::uint32_t hashValue = 0x538D24C7u; + hashValue += prevHash; + return hashValue; + } + + // Read network parameters + bool read_parameters(std::istream&) { + return true; + } + + // Write network parameters + bool write_parameters(std::ostream&) const { + return true; + } + + // Forward propagation + const OutputType* propagate( + const InputType* input, OutputType* output) const { + + #if defined(USE_SSE2) + constexpr IndexType NumChunks = InputDimensions / 16; + + #ifdef USE_SSE41 + const __m128i Zero = _mm_setzero_si128(); + #else + const __m128i k0x80s = _mm_set1_epi8(-128); + #endif + + static_assert(WeightScaleBits == 6); + const auto in = reinterpret_cast(input); + const auto out = reinterpret_cast<__m128i*>(output); + for (IndexType i = 0; i < NumChunks; ++i) { + __m128i words0 = _mm_packs_epi32( + _mm_load_si128(&in[i * 4 + 0]), + _mm_load_si128(&in[i * 4 + 1])); + __m128i words1 = _mm_packs_epi32( + _mm_load_si128(&in[i * 4 + 2]), + _mm_load_si128(&in[i * 4 + 3])); + + // Not sure if + words0 = _mm_srli_epi16(_mm_mulhi_epi16(words0, words0), 3); + words1 = _mm_srli_epi16(_mm_mulhi_epi16(words1, words1), 3); + + const __m128i packedbytes = _mm_packs_epi16(words0, words1); + + _mm_store_si128(&out[i], + + #ifdef USE_SSE41 + _mm_max_epi8(packedbytes, Zero) + #else + _mm_subs_epi8(_mm_adds_epi8(packedbytes, k0x80s), k0x80s) + #endif + + ); + } + constexpr IndexType Start = NumChunks * 16; + + #else + constexpr IndexType Start = 0; + #endif + + for (IndexType i = Start; i < InputDimensions; ++i) { + output[i] = static_cast( + // realy should be /127 but we need to make it fast + // needs to be accounted for in the trainer + std::max(0ll, std::min(127ll, (((long long)input[i] * input[i]) >> (2 * WeightScaleBits)) / 128))); + } + + return output; + } + }; + +} // namespace Stockfish::Eval::NNUE::Layers + +#endif // NNUE_LAYERS_SQR_CLIPPED_RELU_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/nnue_accumulator.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/nnue_accumulator.h new file mode 100755 index 00000000..600483b5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/nnue_accumulator.h @@ -0,0 +1,37 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +// Class for difference calculation of NNUE evaluation function + +#ifndef NNUE_ACCUMULATOR_H_INCLUDED +#define NNUE_ACCUMULATOR_H_INCLUDED + +#include "nnue_architecture.h" + +namespace Stockfish::Eval::NNUE { + + // Class that holds the result of affine transformation of input features + struct alignas(CacheLineSize) Accumulator { + std::int16_t accumulation[2][TransformedFeatureDimensions]; + std::int32_t psqtAccumulation[2][PSQTBuckets]; + bool computed[2]; + }; + +} // namespace Stockfish::Eval::NNUE + +#endif // NNUE_ACCUMULATOR_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/nnue_architecture.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/nnue_architecture.h new file mode 100755 index 00000000..cac83730 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/nnue_architecture.h @@ -0,0 +1,138 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +// Input features and network structure used in NNUE evaluation function + +#ifndef NNUE_ARCHITECTURE_H_INCLUDED +#define NNUE_ARCHITECTURE_H_INCLUDED + +#include + +#include "nnue_common.h" + +#include "features/half_ka_v2_hm.h" + +#include "layers/affine_transform.h" +#include "layers/clipped_relu.h" +#include "layers/sqr_clipped_relu.h" + +#include "../misc.h" + +namespace Stockfish::Eval::NNUE { + +// Input features used in evaluation function +using FeatureSet = Features::HalfKAv2_hm; + +// Number of input feature dimensions after conversion +constexpr IndexType TransformedFeatureDimensions = 1024; +constexpr IndexType PSQTBuckets = 8; +constexpr IndexType LayerStacks = 8; + +struct Network +{ + static constexpr int FC_0_OUTPUTS = 15; + static constexpr int FC_1_OUTPUTS = 32; + + Layers::AffineTransform fc_0; + Layers::SqrClippedReLU ac_sqr_0; + Layers::ClippedReLU ac_0; + Layers::AffineTransform fc_1; + Layers::ClippedReLU ac_1; + Layers::AffineTransform fc_2; + + // Hash value embedded in the evaluation file + static constexpr std::uint32_t get_hash_value() { + // input slice hash + std::uint32_t hashValue = 0xEC42E90Du; + hashValue ^= TransformedFeatureDimensions * 2; + + hashValue = decltype(fc_0)::get_hash_value(hashValue); + hashValue = decltype(ac_0)::get_hash_value(hashValue); + hashValue = decltype(fc_1)::get_hash_value(hashValue); + hashValue = decltype(ac_1)::get_hash_value(hashValue); + hashValue = decltype(fc_2)::get_hash_value(hashValue); + + return hashValue; + } + + // Read network parameters + bool read_parameters(std::istream& stream) { + if (!fc_0.read_parameters(stream)) return false; + if (!ac_0.read_parameters(stream)) return false; + if (!fc_1.read_parameters(stream)) return false; + if (!ac_1.read_parameters(stream)) return false; + if (!fc_2.read_parameters(stream)) return false; + return true; + } + + // Read network parameters + bool write_parameters(std::ostream& stream) const { + if (!fc_0.write_parameters(stream)) return false; + if (!ac_0.write_parameters(stream)) return false; + if (!fc_1.write_parameters(stream)) return false; + if (!ac_1.write_parameters(stream)) return false; + if (!fc_2.write_parameters(stream)) return false; + return true; + } + + std::int32_t propagate(const TransformedFeatureType* transformedFeatures) + { + struct alignas(CacheLineSize) Buffer + { + alignas(CacheLineSize) decltype(fc_0)::OutputBuffer fc_0_out; + alignas(CacheLineSize) decltype(ac_sqr_0)::OutputType ac_sqr_0_out[ceil_to_multiple(FC_0_OUTPUTS * 2, 32)]; + alignas(CacheLineSize) decltype(ac_0)::OutputBuffer ac_0_out; + alignas(CacheLineSize) decltype(fc_1)::OutputBuffer fc_1_out; + alignas(CacheLineSize) decltype(ac_1)::OutputBuffer ac_1_out; + alignas(CacheLineSize) decltype(fc_2)::OutputBuffer fc_2_out; + + Buffer() + { + std::memset(this, 0, sizeof(*this)); + } + }; + +#if defined(__clang__) && (__APPLE__) + // workaround for a bug reported with xcode 12 + static thread_local auto tlsBuffer = std::make_unique(); + // Access TLS only once, cache result. + Buffer& buffer = *tlsBuffer; +#else + alignas(CacheLineSize) static thread_local Buffer buffer; +#endif + + fc_0.propagate(transformedFeatures, buffer.fc_0_out); + ac_sqr_0.propagate(buffer.fc_0_out, buffer.ac_sqr_0_out); + ac_0.propagate(buffer.fc_0_out, buffer.ac_0_out); + std::memcpy(buffer.ac_sqr_0_out + FC_0_OUTPUTS, buffer.ac_0_out, FC_0_OUTPUTS * sizeof(decltype(ac_0)::OutputType)); + fc_1.propagate(buffer.ac_sqr_0_out, buffer.fc_1_out); + ac_1.propagate(buffer.fc_1_out, buffer.ac_1_out); + fc_2.propagate(buffer.ac_1_out, buffer.fc_2_out); + + // buffer.fc_0_out[FC_0_OUTPUTS] is such that 1.0 is equal to 127*(1<. +*/ + +// Constants used in NNUE evaluation function + +#ifndef NNUE_COMMON_H_INCLUDED +#define NNUE_COMMON_H_INCLUDED + +#include +#include + +#include "../misc.h" // for IsLittleEndian + +#if defined(USE_AVX2) +#include + +#elif defined(USE_SSE41) +#include + +#elif defined(USE_SSSE3) +#include + +#elif defined(USE_SSE2) +#include + +#elif defined(USE_MMX) +#include + +#elif defined(USE_NEON) +#include +#endif + +namespace Stockfish::Eval::NNUE { + + // Version of the evaluation file + constexpr std::uint32_t Version = 0x7AF32F20u; + + // Constant used in evaluation value calculation + constexpr int OutputScale = 16; + constexpr int WeightScaleBits = 6; + + // Size of cache line (in bytes) + constexpr std::size_t CacheLineSize = 64; + + // SIMD width (in bytes) + #if defined(USE_AVX2) + constexpr std::size_t SimdWidth = 32; + + #elif defined(USE_SSE2) + constexpr std::size_t SimdWidth = 16; + + #elif defined(USE_MMX) + constexpr std::size_t SimdWidth = 8; + + #elif defined(USE_NEON) + constexpr std::size_t SimdWidth = 16; + #endif + + constexpr std::size_t MaxSimdWidth = 32; + + // Type of input feature after conversion + using TransformedFeatureType = std::uint8_t; + using IndexType = std::uint32_t; + + // Round n up to be a multiple of base + template + constexpr IntType ceil_to_multiple(IntType n, IntType base) { + return (n + base - 1) / base * base; + } + + // read_little_endian() is our utility to read an integer (signed or unsigned, any size) + // from a stream in little-endian order. We swap the byte order after the read if + // necessary to return a result with the byte ordering of the compiling machine. + template + inline IntType read_little_endian(std::istream& stream) { + IntType result; + + if (IsLittleEndian) + stream.read(reinterpret_cast(&result), sizeof(IntType)); + else + { + std::uint8_t u[sizeof(IntType)]; + typename std::make_unsigned::type v = 0; + + stream.read(reinterpret_cast(u), sizeof(IntType)); + for (std::size_t i = 0; i < sizeof(IntType); ++i) + v = (v << 8) | u[sizeof(IntType) - i - 1]; + + std::memcpy(&result, &v, sizeof(IntType)); + } + + return result; + } + + // write_little_endian() is our utility to write an integer (signed or unsigned, any size) + // to a stream in little-endian order. We swap the byte order before the write if + // necessary to always write in little endian order, independently of the byte + // ordering of the compiling machine. + template + inline void write_little_endian(std::ostream& stream, IntType value) { + + if (IsLittleEndian) + stream.write(reinterpret_cast(&value), sizeof(IntType)); + else + { + std::uint8_t u[sizeof(IntType)]; + typename std::make_unsigned::type v = value; + + std::size_t i = 0; + // if constexpr to silence the warning about shift by 8 + if constexpr (sizeof(IntType) > 1) + { + for (; i + 1 < sizeof(IntType); ++i) + { + u[i] = (std::uint8_t)v; + v >>= 8; + } + } + u[i] = (std::uint8_t)v; + + stream.write(reinterpret_cast(u), sizeof(IntType)); + } + } + + // read_little_endian(s, out, N) : read integers in bulk from a little indian stream. + // This reads N integers from stream s and put them in array out. + template + inline void read_little_endian(std::istream& stream, IntType* out, std::size_t count) { + if (IsLittleEndian) + stream.read(reinterpret_cast(out), sizeof(IntType) * count); + else + for (std::size_t i = 0; i < count; ++i) + out[i] = read_little_endian(stream); + } + + // write_little_endian(s, values, N) : write integers in bulk to a little indian stream. + // This takes N integers from array values and writes them on stream s. + template + inline void write_little_endian(std::ostream& stream, const IntType* values, std::size_t count) { + if (IsLittleEndian) + stream.write(reinterpret_cast(values), sizeof(IntType) * count); + else + for (std::size_t i = 0; i < count; ++i) + write_little_endian(stream, values[i]); + } + +} // namespace Stockfish::Eval::NNUE + +#endif // #ifndef NNUE_COMMON_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/nnue_feature_transformer.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/nnue_feature_transformer.h new file mode 100755 index 00000000..b6dd54d3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/nnue/nnue_feature_transformer.h @@ -0,0 +1,589 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +// A class that converts the input features of the NNUE evaluation function + +#ifndef NNUE_FEATURE_TRANSFORMER_H_INCLUDED +#define NNUE_FEATURE_TRANSFORMER_H_INCLUDED + +#include "nnue_common.h" +#include "nnue_architecture.h" + +#include // std::memset() + +namespace Stockfish::Eval::NNUE { + + using BiasType = std::int16_t; + using WeightType = std::int16_t; + using PSQTWeightType = std::int32_t; + + // If vector instructions are enabled, we update and refresh the + // accumulator tile by tile such that each tile fits in the CPU's + // vector registers. + #define VECTOR + + static_assert(PSQTBuckets % 8 == 0, + "Per feature PSQT values cannot be processed at granularity lower than 8 at a time."); + + #ifdef USE_AVX512 + typedef __m512i vec_t; + typedef __m256i psqt_vec_t; + #define vec_load(a) _mm512_load_si512(a) + #define vec_store(a,b) _mm512_store_si512(a,b) + #define vec_add_16(a,b) _mm512_add_epi16(a,b) + #define vec_sub_16(a,b) _mm512_sub_epi16(a,b) + #define vec_mul_16(a,b) _mm512_mullo_epi16(a,b) + #define vec_zero() _mm512_setzero_epi32() + #define vec_set_16(a) _mm512_set1_epi16(a) + #define vec_max_16(a,b) _mm512_max_epi16(a,b) + #define vec_min_16(a,b) _mm512_min_epi16(a,b) + inline vec_t vec_msb_pack_16(vec_t a, vec_t b){ + vec_t compacted = _mm512_packs_epi16(_mm512_srli_epi16(a,7),_mm512_srli_epi16(b,7)); + return _mm512_permutexvar_epi64(_mm512_setr_epi64(0, 2, 4, 6, 1, 3, 5, 7), compacted); + } + #define vec_load_psqt(a) _mm256_load_si256(a) + #define vec_store_psqt(a,b) _mm256_store_si256(a,b) + #define vec_add_psqt_32(a,b) _mm256_add_epi32(a,b) + #define vec_sub_psqt_32(a,b) _mm256_sub_epi32(a,b) + #define vec_zero_psqt() _mm256_setzero_si256() + #define NumRegistersSIMD 32 + #define MaxChunkSize 64 + + #elif USE_AVX2 + typedef __m256i vec_t; + typedef __m256i psqt_vec_t; + #define vec_load(a) _mm256_load_si256(a) + #define vec_store(a,b) _mm256_store_si256(a,b) + #define vec_add_16(a,b) _mm256_add_epi16(a,b) + #define vec_sub_16(a,b) _mm256_sub_epi16(a,b) + #define vec_mul_16(a,b) _mm256_mullo_epi16(a,b) + #define vec_zero() _mm256_setzero_si256() + #define vec_set_16(a) _mm256_set1_epi16(a) + #define vec_max_16(a,b) _mm256_max_epi16(a,b) + #define vec_min_16(a,b) _mm256_min_epi16(a,b) + inline vec_t vec_msb_pack_16(vec_t a, vec_t b){ + vec_t compacted = _mm256_packs_epi16(_mm256_srli_epi16(a,7), _mm256_srli_epi16(b,7)); + return _mm256_permute4x64_epi64(compacted, 0b11011000); + } + #define vec_load_psqt(a) _mm256_load_si256(a) + #define vec_store_psqt(a,b) _mm256_store_si256(a,b) + #define vec_add_psqt_32(a,b) _mm256_add_epi32(a,b) + #define vec_sub_psqt_32(a,b) _mm256_sub_epi32(a,b) + #define vec_zero_psqt() _mm256_setzero_si256() + #define NumRegistersSIMD 16 + #define MaxChunkSize 32 + + #elif USE_SSE2 + typedef __m128i vec_t; + typedef __m128i psqt_vec_t; + #define vec_load(a) (*(a)) + #define vec_store(a,b) *(a)=(b) + #define vec_add_16(a,b) _mm_add_epi16(a,b) + #define vec_sub_16(a,b) _mm_sub_epi16(a,b) + #define vec_mul_16(a,b) _mm_mullo_epi16(a,b) + #define vec_zero() _mm_setzero_si128() + #define vec_set_16(a) _mm_set1_epi16(a) + #define vec_max_16(a,b) _mm_max_epi16(a,b) + #define vec_min_16(a,b) _mm_min_epi16(a,b) + #define vec_msb_pack_16(a,b) _mm_packs_epi16(_mm_srli_epi16(a,7),_mm_srli_epi16(b,7)) + #define vec_load_psqt(a) (*(a)) + #define vec_store_psqt(a,b) *(a)=(b) + #define vec_add_psqt_32(a,b) _mm_add_epi32(a,b) + #define vec_sub_psqt_32(a,b) _mm_sub_epi32(a,b) + #define vec_zero_psqt() _mm_setzero_si128() + #define NumRegistersSIMD (Is64Bit ? 16 : 8) + #define MaxChunkSize 16 + + #elif USE_MMX + typedef __m64 vec_t; + typedef __m64 psqt_vec_t; + #define vec_load(a) (*(a)) + #define vec_store(a,b) *(a)=(b) + #define vec_add_16(a,b) _mm_add_pi16(a,b) + #define vec_sub_16(a,b) _mm_sub_pi16(a,b) + #define vec_mul_16(a,b) _mm_mullo_pi16(a,b) + #define vec_zero() _mm_setzero_si64() + #define vec_set_16(a) _mm_set1_pi16(a) + inline vec_t vec_max_16(vec_t a,vec_t b){ + vec_t comparison = _mm_cmpgt_pi16(a,b); + return _mm_or_si64(_mm_and_si64(comparison, a), _mm_andnot_si64(comparison, b)); + } + inline vec_t vec_min_16(vec_t a,vec_t b){ + vec_t comparison = _mm_cmpgt_pi16(a,b); + return _mm_or_si64(_mm_and_si64(comparison, b), _mm_andnot_si64(comparison, a)); + } + #define vec_msb_pack_16(a,b) _mm_packs_pi16(_mm_srli_pi16(a,7),_mm_srli_pi16(b,7)) + #define vec_load_psqt(a) (*(a)) + #define vec_store_psqt(a,b) *(a)=(b) + #define vec_add_psqt_32(a,b) _mm_add_pi32(a,b) + #define vec_sub_psqt_32(a,b) _mm_sub_pi32(a,b) + #define vec_zero_psqt() _mm_setzero_si64() + #define vec_cleanup() _mm_empty() + #define NumRegistersSIMD 8 + #define MaxChunkSize 8 + + #elif USE_NEON + typedef int16x8_t vec_t; + typedef int32x4_t psqt_vec_t; + #define vec_load(a) (*(a)) + #define vec_store(a,b) *(a)=(b) + #define vec_add_16(a,b) vaddq_s16(a,b) + #define vec_sub_16(a,b) vsubq_s16(a,b) + #define vec_mul_16(a,b) vmulq_s16(a,b) + #define vec_zero() vec_t{0} + #define vec_set_16(a) vdupq_n_s16(a) + #define vec_max_16(a,b) vmaxq_s16(a,b) + #define vec_min_16(a,b) vminq_s16(a,b) + inline vec_t vec_msb_pack_16(vec_t a, vec_t b){ + const int8x8_t shifta = vshrn_n_s16(a, 7); + const int8x8_t shiftb = vshrn_n_s16(b, 7); + const int8x16_t compacted = vcombine_s8(shifta,shiftb); + return *reinterpret_cast (&compacted); + } + #define vec_load_psqt(a) (*(a)) + #define vec_store_psqt(a,b) *(a)=(b) + #define vec_add_psqt_32(a,b) vaddq_s32(a,b) + #define vec_sub_psqt_32(a,b) vsubq_s32(a,b) + #define vec_zero_psqt() psqt_vec_t{0} + #define NumRegistersSIMD 16 + #define MaxChunkSize 16 + + #else + #undef VECTOR + + #endif + + + #ifdef VECTOR + + // Compute optimal SIMD register count for feature transformer accumulation. + + // We use __m* types as template arguments, which causes GCC to emit warnings + // about losing some attribute information. This is irrelevant to us as we + // only take their size, so the following pragma are harmless. + #if defined(__GNUC__) + #pragma GCC diagnostic push + #pragma GCC diagnostic ignored "-Wignored-attributes" + #endif + + template + static constexpr int BestRegisterCount() + { + #define RegisterSize sizeof(SIMDRegisterType) + #define LaneSize sizeof(LaneType) + + static_assert(RegisterSize >= LaneSize); + static_assert(MaxRegisters <= NumRegistersSIMD); + static_assert(MaxRegisters > 0); + static_assert(NumRegistersSIMD > 0); + static_assert(RegisterSize % LaneSize == 0); + static_assert((NumLanes * LaneSize) % RegisterSize == 0); + + const int ideal = (NumLanes * LaneSize) / RegisterSize; + if (ideal <= MaxRegisters) + return ideal; + + // Look for the largest divisor of the ideal register count that is smaller than MaxRegisters + for (int divisor = MaxRegisters; divisor > 1; --divisor) + if (ideal % divisor == 0) + return divisor; + + return 1; + } + + static constexpr int NumRegs = BestRegisterCount(); + static constexpr int NumPsqtRegs = BestRegisterCount(); + #if defined(__GNUC__) + #pragma GCC diagnostic pop + #endif + #endif + + + + // Input feature converter + class FeatureTransformer { + + private: + // Number of output dimensions for one side + static constexpr IndexType HalfDimensions = TransformedFeatureDimensions; + + #ifdef VECTOR + static constexpr IndexType TileHeight = NumRegs * sizeof(vec_t) / 2; + static constexpr IndexType PsqtTileHeight = NumPsqtRegs * sizeof(psqt_vec_t) / 4; + static_assert(HalfDimensions % TileHeight == 0, "TileHeight must divide HalfDimensions"); + static_assert(PSQTBuckets % PsqtTileHeight == 0, "PsqtTileHeight must divide PSQTBuckets"); + #endif + + public: + // Output type + using OutputType = TransformedFeatureType; + + // Number of input/output dimensions + static constexpr IndexType InputDimensions = FeatureSet::Dimensions; + static constexpr IndexType OutputDimensions = HalfDimensions; + + // Size of forward propagation buffer + static constexpr std::size_t BufferSize = + OutputDimensions * sizeof(OutputType); + + // Hash value embedded in the evaluation file + static constexpr std::uint32_t get_hash_value() { + return FeatureSet::HashValue ^ (OutputDimensions * 2); + } + + // Read network parameters + bool read_parameters(std::istream& stream) { + + read_little_endian(stream, biases , HalfDimensions ); + read_little_endian(stream, weights , HalfDimensions * InputDimensions); + read_little_endian(stream, psqtWeights, PSQTBuckets * InputDimensions); + + return !stream.fail(); + } + + // Write network parameters + bool write_parameters(std::ostream& stream) const { + + write_little_endian(stream, biases , HalfDimensions ); + write_little_endian(stream, weights , HalfDimensions * InputDimensions); + write_little_endian(stream, psqtWeights, PSQTBuckets * InputDimensions); + + return !stream.fail(); + } + + // Convert input features + std::int32_t transform(const Position& pos, OutputType* output, int bucket) const { + update_accumulator(pos); + update_accumulator(pos); + + const Color perspectives[2] = {pos.side_to_move(), ~pos.side_to_move()}; + const auto& accumulation = pos.state()->accumulator.accumulation; + const auto& psqtAccumulation = pos.state()->accumulator.psqtAccumulation; + + const auto psqt = ( + psqtAccumulation[perspectives[0]][bucket] + - psqtAccumulation[perspectives[1]][bucket] + ) / 2; + + + for (IndexType p = 0; p < 2; ++p) + { + const IndexType offset = (HalfDimensions / 2) * p; + +#if defined(VECTOR) + + constexpr IndexType OutputChunkSize = MaxChunkSize; + static_assert((HalfDimensions / 2) % OutputChunkSize == 0); + constexpr IndexType NumOutputChunks = HalfDimensions / 2 / OutputChunkSize; + + vec_t Zero = vec_zero(); + vec_t One = vec_set_16(127); + + const vec_t* in0 = reinterpret_cast(&(accumulation[perspectives[p]][0])); + const vec_t* in1 = reinterpret_cast(&(accumulation[perspectives[p]][HalfDimensions / 2])); + vec_t* out = reinterpret_cast< vec_t*>(output + offset); + + for (IndexType j = 0; j < NumOutputChunks; j += 1) + { + const vec_t sum0a = vec_max_16(vec_min_16(in0[j * 2 + 0], One), Zero); + const vec_t sum0b = vec_max_16(vec_min_16(in0[j * 2 + 1], One), Zero); + const vec_t sum1a = vec_max_16(vec_min_16(in1[j * 2 + 0], One), Zero); + const vec_t sum1b = vec_max_16(vec_min_16(in1[j * 2 + 1], One), Zero); + + const vec_t pa = vec_mul_16(sum0a, sum1a); + const vec_t pb = vec_mul_16(sum0b, sum1b); + + out[j] = vec_msb_pack_16(pa, pb); + } + +#else + + for (IndexType j = 0; j < HalfDimensions / 2; ++j) { + BiasType sum0 = accumulation[static_cast(perspectives[p])][j + 0]; + BiasType sum1 = accumulation[static_cast(perspectives[p])][j + HalfDimensions / 2]; + sum0 = std::max(0, std::min(127, sum0)); + sum1 = std::max(0, std::min(127, sum1)); + output[offset + j] = static_cast(sum0 * sum1 / 128); + } + +#endif + } + +#if defined(vec_cleanup) + vec_cleanup(); +#endif + + return psqt; + + } // end of function transform() + + + + private: + template + void update_accumulator(const Position& pos) const { + + // The size must be enough to contain the largest possible update. + // That might depend on the feature set and generally relies on the + // feature set's update cost calculation to be correct and never + // allow updates with more added/removed features than MaxActiveDimensions. + + #ifdef VECTOR + // Gcc-10.2 unnecessarily spills AVX2 registers if this array + // is defined in the VECTOR code below, once in each branch + vec_t acc[NumRegs]; + psqt_vec_t psqt[NumPsqtRegs]; + #endif + + // Look for a usable accumulator of an earlier position. We keep track + // of the estimated gain in terms of features to be added/subtracted. + StateInfo *st = pos.state(), *next = nullptr; + int gain = FeatureSet::refresh_cost(pos); + while (st->previous && !st->accumulator.computed[Perspective]) + { + // This governs when a full feature refresh is needed and how many + // updates are better than just one full refresh. + if ( FeatureSet::requires_refresh(st, Perspective) + || (gain -= FeatureSet::update_cost(st) + 1) < 0) + break; + next = st; + st = st->previous; + } + + if (st->accumulator.computed[Perspective]) + { + if (next == nullptr) + return; + + // Update incrementally in two steps. First, we update the "next" + // accumulator. Then, we update the current accumulator (pos.state()). + + // Gather all features to be updated. + const Square ksq = pos.square(Perspective); + FeatureSet::IndexList removed[2], added[2]; + FeatureSet::append_changed_indices( + ksq, next->dirtyPiece, removed[0], added[0]); + for (StateInfo *st2 = pos.state(); st2 != next; st2 = st2->previous) + FeatureSet::append_changed_indices( + ksq, st2->dirtyPiece, removed[1], added[1]); + + // Mark the accumulators as computed. + next->accumulator.computed[Perspective] = true; + pos.state()->accumulator.computed[Perspective] = true; + + // Now update the accumulators listed in states_to_update[], where the last element is a sentinel. + StateInfo *states_to_update[3] = + { next, next == pos.state() ? nullptr : pos.state(), nullptr }; + #ifdef VECTOR + for (IndexType j = 0; j < HalfDimensions / TileHeight; ++j) + { + // Load accumulator + auto accTile = reinterpret_cast( + &st->accumulator.accumulation[Perspective][j * TileHeight]); + for (IndexType k = 0; k < NumRegs; ++k) + acc[k] = vec_load(&accTile[k]); + + for (IndexType i = 0; states_to_update[i]; ++i) + { + // Difference calculation for the deactivated features + for (const auto index : removed[i]) + { + const IndexType offset = HalfDimensions * index + j * TileHeight; + auto column = reinterpret_cast(&weights[offset]); + for (IndexType k = 0; k < NumRegs; ++k) + acc[k] = vec_sub_16(acc[k], column[k]); + } + + // Difference calculation for the activated features + for (const auto index : added[i]) + { + const IndexType offset = HalfDimensions * index + j * TileHeight; + auto column = reinterpret_cast(&weights[offset]); + for (IndexType k = 0; k < NumRegs; ++k) + acc[k] = vec_add_16(acc[k], column[k]); + } + + // Store accumulator + accTile = reinterpret_cast( + &states_to_update[i]->accumulator.accumulation[Perspective][j * TileHeight]); + for (IndexType k = 0; k < NumRegs; ++k) + vec_store(&accTile[k], acc[k]); + } + } + + for (IndexType j = 0; j < PSQTBuckets / PsqtTileHeight; ++j) + { + // Load accumulator + auto accTilePsqt = reinterpret_cast( + &st->accumulator.psqtAccumulation[Perspective][j * PsqtTileHeight]); + for (std::size_t k = 0; k < NumPsqtRegs; ++k) + psqt[k] = vec_load_psqt(&accTilePsqt[k]); + + for (IndexType i = 0; states_to_update[i]; ++i) + { + // Difference calculation for the deactivated features + for (const auto index : removed[i]) + { + const IndexType offset = PSQTBuckets * index + j * PsqtTileHeight; + auto columnPsqt = reinterpret_cast(&psqtWeights[offset]); + for (std::size_t k = 0; k < NumPsqtRegs; ++k) + psqt[k] = vec_sub_psqt_32(psqt[k], columnPsqt[k]); + } + + // Difference calculation for the activated features + for (const auto index : added[i]) + { + const IndexType offset = PSQTBuckets * index + j * PsqtTileHeight; + auto columnPsqt = reinterpret_cast(&psqtWeights[offset]); + for (std::size_t k = 0; k < NumPsqtRegs; ++k) + psqt[k] = vec_add_psqt_32(psqt[k], columnPsqt[k]); + } + + // Store accumulator + accTilePsqt = reinterpret_cast( + &states_to_update[i]->accumulator.psqtAccumulation[Perspective][j * PsqtTileHeight]); + for (std::size_t k = 0; k < NumPsqtRegs; ++k) + vec_store_psqt(&accTilePsqt[k], psqt[k]); + } + } + + #else + for (IndexType i = 0; states_to_update[i]; ++i) + { + std::memcpy(states_to_update[i]->accumulator.accumulation[Perspective], + st->accumulator.accumulation[Perspective], + HalfDimensions * sizeof(BiasType)); + + for (std::size_t k = 0; k < PSQTBuckets; ++k) + states_to_update[i]->accumulator.psqtAccumulation[Perspective][k] = st->accumulator.psqtAccumulation[Perspective][k]; + + st = states_to_update[i]; + + // Difference calculation for the deactivated features + for (const auto index : removed[i]) + { + const IndexType offset = HalfDimensions * index; + + for (IndexType j = 0; j < HalfDimensions; ++j) + st->accumulator.accumulation[Perspective][j] -= weights[offset + j]; + + for (std::size_t k = 0; k < PSQTBuckets; ++k) + st->accumulator.psqtAccumulation[Perspective][k] -= psqtWeights[index * PSQTBuckets + k]; + } + + // Difference calculation for the activated features + for (const auto index : added[i]) + { + const IndexType offset = HalfDimensions * index; + + for (IndexType j = 0; j < HalfDimensions; ++j) + st->accumulator.accumulation[Perspective][j] += weights[offset + j]; + + for (std::size_t k = 0; k < PSQTBuckets; ++k) + st->accumulator.psqtAccumulation[Perspective][k] += psqtWeights[index * PSQTBuckets + k]; + } + } + #endif + } + else + { + // Refresh the accumulator + auto& accumulator = pos.state()->accumulator; + accumulator.computed[Perspective] = true; + FeatureSet::IndexList active; + FeatureSet::append_active_indices(pos, active); + + #ifdef VECTOR + for (IndexType j = 0; j < HalfDimensions / TileHeight; ++j) + { + auto biasesTile = reinterpret_cast( + &biases[j * TileHeight]); + for (IndexType k = 0; k < NumRegs; ++k) + acc[k] = biasesTile[k]; + + for (const auto index : active) + { + const IndexType offset = HalfDimensions * index + j * TileHeight; + auto column = reinterpret_cast(&weights[offset]); + + for (unsigned k = 0; k < NumRegs; ++k) + acc[k] = vec_add_16(acc[k], column[k]); + } + + auto accTile = reinterpret_cast( + &accumulator.accumulation[Perspective][j * TileHeight]); + for (unsigned k = 0; k < NumRegs; k++) + vec_store(&accTile[k], acc[k]); + } + + for (IndexType j = 0; j < PSQTBuckets / PsqtTileHeight; ++j) + { + for (std::size_t k = 0; k < NumPsqtRegs; ++k) + psqt[k] = vec_zero_psqt(); + + for (const auto index : active) + { + const IndexType offset = PSQTBuckets * index + j * PsqtTileHeight; + auto columnPsqt = reinterpret_cast(&psqtWeights[offset]); + + for (std::size_t k = 0; k < NumPsqtRegs; ++k) + psqt[k] = vec_add_psqt_32(psqt[k], columnPsqt[k]); + } + + auto accTilePsqt = reinterpret_cast( + &accumulator.psqtAccumulation[Perspective][j * PsqtTileHeight]); + for (std::size_t k = 0; k < NumPsqtRegs; ++k) + vec_store_psqt(&accTilePsqt[k], psqt[k]); + } + + #else + std::memcpy(accumulator.accumulation[Perspective], biases, + HalfDimensions * sizeof(BiasType)); + + for (std::size_t k = 0; k < PSQTBuckets; ++k) + accumulator.psqtAccumulation[Perspective][k] = 0; + + for (const auto index : active) + { + const IndexType offset = HalfDimensions * index; + + for (IndexType j = 0; j < HalfDimensions; ++j) + accumulator.accumulation[Perspective][j] += weights[offset + j]; + + for (std::size_t k = 0; k < PSQTBuckets; ++k) + accumulator.psqtAccumulation[Perspective][k] += psqtWeights[index * PSQTBuckets + k]; + } + #endif + } + + #if defined(USE_MMX) + _mm_empty(); + #endif + } + + alignas(CacheLineSize) BiasType biases[HalfDimensions]; + alignas(CacheLineSize) WeightType weights[HalfDimensions * InputDimensions]; + alignas(CacheLineSize) PSQTWeightType psqtWeights[InputDimensions * PSQTBuckets]; + }; + +} // namespace Stockfish::Eval::NNUE + +#endif // #ifndef NNUE_FEATURE_TRANSFORMER_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/pawns.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/pawns.cpp new file mode 100755 index 00000000..fdcfa022 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/pawns.cpp @@ -0,0 +1,305 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include +#include + +#include "bitboard.h" +#include "pawns.h" +#include "position.h" +#include "thread.h" + +namespace Stockfish { + +namespace { + + #define V Value + #define S(mg, eg) make_score(mg, eg) + + // Pawn penalties + constexpr Score Backward = S( 6, 19); + constexpr Score Doubled = S(11, 51); + constexpr Score DoubledEarly = S(17, 7); + constexpr Score Isolated = S( 1, 20); + constexpr Score WeakLever = S( 2, 57); + constexpr Score WeakUnopposed = S(15, 18); + + // Bonus for blocked pawns at 5th or 6th rank + constexpr Score BlockedPawn[2] = { S(-19, -8), S(-7, 3) }; + + constexpr Score BlockedStorm[RANK_NB] = { + S(0, 0), S(0, 0), S(64, 75), S(-3, 14), S(-12, 19), S(-7, 4), S(-10, 5) + }; + + // Connected pawn bonus + constexpr int Connected[RANK_NB] = { 0, 3, 7, 7, 15, 54, 86 }; + + // Strength of pawn shelter for our king by [distance from edge][rank]. + // RANK_1 = 0 is used for files where we have no pawn, or pawn is behind our king. + constexpr Value ShelterStrength[int(FILE_NB) / 2][RANK_NB] = { + { V(-2), V(85), V(95), V(53), V(39), V(23), V(25) }, + { V(-55), V(64), V(32), V(-55), V(-30), V(-11), V(-61) }, + { V(-11), V(75), V(19), V(-6), V(26), V(9), V(-47) }, + { V(-41), V(-11), V(-27), V(-58), V(-42), V(-66), V(-163) } + }; + + // Danger of enemy pawns moving toward our king by [distance from edge][rank]. + // RANK_1 = 0 is used for files where the enemy has no pawn, or their pawn + // is behind our king. Note that UnblockedStorm[0][1-2] accommodate opponent pawn + // on edge, likely blocked by our king. + constexpr Value UnblockedStorm[int(FILE_NB) / 2][RANK_NB] = { + { V(94), V(-280), V(-170), V(90), V(59), V(47), V(53) }, + { V(43), V(-17), V(128), V(39), V(26), V(-17), V(15) }, + { V(-9), V(62), V(170), V(34), V(-5), V(-20), V(-11) }, + { V(-27), V(-19), V(106), V(10), V(2), V(-13), V(-24) } + }; + + + // KingOnFile[semi-open Us][semi-open Them] contains bonuses/penalties + // for king when the king is on a semi-open or open file. + constexpr Score KingOnFile[2][2] = {{ S(-18,11), S(-6,-3) }, + { S( 0, 0), S( 5,-4) }}; + + #undef S + #undef V + + + /// evaluate() calculates a score for the static pawn structure of the given position. + /// We cannot use the location of pieces or king in this function, as the evaluation + /// of the pawn structure will be stored in a small cache for speed reasons, and will + /// be re-used even when the pieces have moved. + + template + Score evaluate(const Position& pos, Pawns::Entry* e) { + + constexpr Color Them = ~Us; + constexpr Direction Up = pawn_push(Us); + constexpr Direction Down = -Up; + + Bitboard neighbours, stoppers, support, phalanx, opposed; + Bitboard lever, leverPush, blocked; + Square s; + bool backward, passed, doubled; + Score score = SCORE_ZERO; + Bitboard b = pos.pieces(Us, PAWN); + + Bitboard ourPawns = pos.pieces( Us, PAWN); + Bitboard theirPawns = pos.pieces(Them, PAWN); + + Bitboard doubleAttackThem = pawn_double_attacks_bb(theirPawns); + + e->passedPawns[Us] = 0; + e->kingSquares[Us] = SQ_NONE; + e->pawnAttacks[Us] = e->pawnAttacksSpan[Us] = pawn_attacks_bb(ourPawns); + e->blockedCount += popcount(shift(ourPawns) & (theirPawns | doubleAttackThem)); + + // Loop through all pawns of the current color and score each pawn + while (b) + { + s = pop_lsb(b); + + assert(pos.piece_on(s) == make_piece(Us, PAWN)); + + Rank r = relative_rank(Us, s); + + // Flag the pawn + opposed = theirPawns & forward_file_bb(Us, s); + blocked = theirPawns & (s + Up); + stoppers = theirPawns & passed_pawn_span(Us, s); + lever = theirPawns & pawn_attacks_bb(Us, s); + leverPush = theirPawns & pawn_attacks_bb(Us, s + Up); + doubled = ourPawns & (s - Up); + neighbours = ourPawns & adjacent_files_bb(s); + phalanx = neighbours & rank_bb(s); + support = neighbours & rank_bb(s - Up); + + if (doubled) + { + // Additional doubled penalty if none of their pawns is fixed + if (!(ourPawns & shift(theirPawns | pawn_attacks_bb(theirPawns)))) + score -= DoubledEarly; + } + + // A pawn is backward when it is behind all pawns of the same color on + // the adjacent files and cannot safely advance. + backward = !(neighbours & forward_ranks_bb(Them, s + Up)) + && (leverPush | blocked); + + // Compute additional span if pawn is not backward nor blocked + if (!backward && !blocked) + e->pawnAttacksSpan[Us] |= pawn_attack_span(Us, s); + + // A pawn is passed if one of the three following conditions is true: + // (a) there is no stoppers except some levers + // (b) the only stoppers are the leverPush, but we outnumber them + // (c) there is only one front stopper which can be levered. + // (Refined in Evaluation::passed) + passed = !(stoppers ^ lever) + || ( !(stoppers ^ leverPush) + && popcount(phalanx) >= popcount(leverPush)) + || ( stoppers == blocked && r >= RANK_5 + && (shift(support) & ~(theirPawns | doubleAttackThem))); + + passed &= !(forward_file_bb(Us, s) & ourPawns); + + // Passed pawns will be properly scored later in evaluation when we have + // full attack info. + if (passed) + e->passedPawns[Us] |= s; + + // Score this pawn + if (support | phalanx) + { + int v = Connected[r] * (2 + bool(phalanx) - bool(opposed)) + + 22 * popcount(support); + + score += make_score(v, v * (r - 2) / 4); + } + + else if (!neighbours) + { + if ( opposed + && (ourPawns & forward_file_bb(Them, s)) + && !(theirPawns & adjacent_files_bb(s))) + score -= Doubled; + else + score -= Isolated + + WeakUnopposed * !opposed; + } + + else if (backward) + score -= Backward + + WeakUnopposed * !opposed * bool(~(FileABB | FileHBB) & s); + + if (!support) + score -= Doubled * doubled + + WeakLever * more_than_one(lever); + + if (blocked && r >= RANK_5) + score += BlockedPawn[r - RANK_5]; + } + + return score; + } + +} // namespace + +namespace Pawns { + + +/// Pawns::probe() looks up the current position's pawns configuration in +/// the pawns hash table. It returns a pointer to the Entry if the position +/// is found. Otherwise a new Entry is computed and stored there, so we don't +/// have to recompute all when the same pawns configuration occurs again. + +Entry* probe(const Position& pos) { + + Key key = pos.pawn_key(); + Entry* e = pos.this_thread()->pawnsTable[key]; + + if (e->key == key) + return e; + + e->key = key; + e->blockedCount = 0; + e->scores[WHITE] = evaluate(pos, e); + e->scores[BLACK] = evaluate(pos, e); + + return e; +} + + +/// Entry::evaluate_shelter() calculates the shelter bonus and the storm +/// penalty for a king, looking at the king file and the two closest files. + +template +Score Entry::evaluate_shelter(const Position& pos, Square ksq) const { + + constexpr Color Them = ~Us; + + Bitboard b = pos.pieces(PAWN) & ~forward_ranks_bb(Them, ksq); + Bitboard ourPawns = b & pos.pieces(Us) & ~pawnAttacks[Them]; + Bitboard theirPawns = b & pos.pieces(Them); + + Score bonus = make_score(5, 5); + + File center = std::clamp(file_of(ksq), FILE_B, FILE_G); + for (File f = File(center - 1); f <= File(center + 1); ++f) + { + b = ourPawns & file_bb(f); + int ourRank = b ? relative_rank(Us, frontmost_sq(Them, b)) : 0; + + b = theirPawns & file_bb(f); + int theirRank = b ? relative_rank(Us, frontmost_sq(Them, b)) : 0; + + int d = edge_distance(f); + bonus += make_score(ShelterStrength[d][ourRank], 0); + + if (ourRank && (ourRank == theirRank - 1)) + bonus -= BlockedStorm[theirRank]; + else + bonus -= make_score(UnblockedStorm[d][theirRank], 0); + } + + // King On File + bonus -= KingOnFile[pos.is_on_semiopen_file(Us, ksq)][pos.is_on_semiopen_file(Them, ksq)]; + + return bonus; +} + + +/// Entry::do_king_safety() calculates a bonus for king safety. It is called only +/// when king square changes, which is about 20% of total king_safety() calls. + +template +Score Entry::do_king_safety(const Position& pos) { + + Square ksq = pos.square(Us); + kingSquares[Us] = ksq; + castlingRights[Us] = pos.castling_rights(Us); + auto compare = [](Score a, Score b) { return mg_value(a) < mg_value(b); }; + + Score shelter = evaluate_shelter(pos, ksq); + + // If we can castle use the bonus after castling if it is bigger + + if (pos.can_castle(Us & KING_SIDE)) + shelter = std::max(shelter, evaluate_shelter(pos, relative_square(Us, SQ_G1)), compare); + + if (pos.can_castle(Us & QUEEN_SIDE)) + shelter = std::max(shelter, evaluate_shelter(pos, relative_square(Us, SQ_C1)), compare); + + // In endgame we like to bring our king near our closest pawn + Bitboard pawns = pos.pieces(Us, PAWN); + int minPawnDist = 6; + + if (pawns & attacks_bb(ksq)) + minPawnDist = 1; + else while (pawns) + minPawnDist = std::min(minPawnDist, distance(ksq, pop_lsb(pawns))); + + return shelter - make_score(0, 16 * minPawnDist); +} + +// Explicit template instantiation +template Score Entry::do_king_safety(const Position& pos); +template Score Entry::do_king_safety(const Position& pos); + +} // namespace Pawns + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/pawns.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/pawns.h new file mode 100755 index 00000000..af0370fc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/pawns.h @@ -0,0 +1,70 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef PAWNS_H_INCLUDED +#define PAWNS_H_INCLUDED + +#include "misc.h" +#include "position.h" +#include "types.h" + +namespace Stockfish::Pawns { + +/// Pawns::Entry contains various information about a pawn structure. A lookup +/// to the pawn hash table (performed by calling the probe function) returns a +/// pointer to an Entry object. + +struct Entry { + + Score pawn_score(Color c) const { return scores[c]; } + Bitboard pawn_attacks(Color c) const { return pawnAttacks[c]; } + Bitboard passed_pawns(Color c) const { return passedPawns[c]; } + Bitboard pawn_attacks_span(Color c) const { return pawnAttacksSpan[c]; } + int passed_count() const { return popcount(passedPawns[WHITE] | passedPawns[BLACK]); } + int blocked_count() const { return blockedCount; } + + template + Score king_safety(const Position& pos) { + return kingSquares[Us] == pos.square(Us) && castlingRights[Us] == pos.castling_rights(Us) + ? kingSafety[Us] : (kingSafety[Us] = do_king_safety(pos)); + } + + template + Score do_king_safety(const Position& pos); + + template + Score evaluate_shelter(const Position& pos, Square ksq) const; + + Key key; + Score scores[COLOR_NB]; + Bitboard passedPawns[COLOR_NB]; + Bitboard pawnAttacks[COLOR_NB]; + Bitboard pawnAttacksSpan[COLOR_NB]; + Square kingSquares[COLOR_NB]; + Score kingSafety[COLOR_NB]; + int castlingRights[COLOR_NB]; + int blockedCount; +}; + +typedef HashTable Table; + +Entry* probe(const Position& pos); + +} // namespace Stockfish::Pawns + +#endif // #ifndef PAWNS_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/position.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/position.cpp new file mode 100755 index 00000000..5befcaf2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/position.cpp @@ -0,0 +1,1353 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include +#include +#include // For offsetof() +#include // For std::memset, std::memcmp +#include +#include + +#include "bitboard.h" +#include "misc.h" +#include "movegen.h" +#include "position.h" +#include "thread.h" +#include "tt.h" +#include "uci.h" +#include "syzygy/tbprobe.h" + +using std::string; + +namespace Stockfish { + +namespace Zobrist { + + Key psq[PIECE_NB][SQUARE_NB]; + Key enpassant[FILE_NB]; + Key castling[CASTLING_RIGHT_NB]; + Key side, noPawns; +} + +namespace { + +const string PieceToChar(" PNBRQK pnbrqk"); + +constexpr Piece Pieces[] = { W_PAWN, W_KNIGHT, W_BISHOP, W_ROOK, W_QUEEN, W_KING, + B_PAWN, B_KNIGHT, B_BISHOP, B_ROOK, B_QUEEN, B_KING }; +} // namespace + + +/// operator<<(Position) returns an ASCII representation of the position + +std::ostream& operator<<(std::ostream& os, const Position& pos) { + + os << "\n +---+---+---+---+---+---+---+---+\n"; + + for (Rank r = RANK_8; r >= RANK_1; --r) + { + for (File f = FILE_A; f <= FILE_H; ++f) + os << " | " << PieceToChar[pos.piece_on(make_square(f, r))]; + + os << " | " << (1 + r) << "\n +---+---+---+---+---+---+---+---+\n"; + } + + os << " a b c d e f g h\n" + << "\nFen: " << pos.fen() << "\nKey: " << std::hex << std::uppercase + << std::setfill('0') << std::setw(16) << pos.key() + << std::setfill(' ') << std::dec << "\nCheckers: "; + + for (Bitboard b = pos.checkers(); b; ) + os << UCI::square(pop_lsb(b)) << " "; + + if ( int(Tablebases::MaxCardinality) >= popcount(pos.pieces()) + && !pos.can_castle(ANY_CASTLING)) + { + StateInfo st; + ASSERT_ALIGNED(&st, Eval::NNUE::CacheLineSize); + + Position p; + p.set(pos.fen(), pos.is_chess960(), &st, pos.this_thread()); + Tablebases::ProbeState s1, s2; + Tablebases::WDLScore wdl = Tablebases::probe_wdl(p, &s1); + int dtz = Tablebases::probe_dtz(p, &s2); + os << "\nTablebases WDL: " << std::setw(4) << wdl << " (" << s1 << ")" + << "\nTablebases DTZ: " << std::setw(4) << dtz << " (" << s2 << ")"; + } + + return os; +} + + +// Marcel van Kervinck's cuckoo algorithm for fast detection of "upcoming repetition" +// situations. Description of the algorithm in the following paper: +// https://marcelk.net/2013-04-06/paper/upcoming-rep-v2.pdf + +// First and second hash functions for indexing the cuckoo tables +inline int H1(Key h) { return h & 0x1fff; } +inline int H2(Key h) { return (h >> 16) & 0x1fff; } + +// Cuckoo tables with Zobrist hashes of valid reversible moves, and the moves themselves +Key cuckoo[8192]; +Move cuckooMove[8192]; + + +/// Position::init() initializes at startup the various arrays used to compute hash keys + +void Position::init() { + + PRNG rng(1070372); + + for (Piece pc : Pieces) + for (Square s = SQ_A1; s <= SQ_H8; ++s) + Zobrist::psq[pc][s] = rng.rand(); + + for (File f = FILE_A; f <= FILE_H; ++f) + Zobrist::enpassant[f] = rng.rand(); + + for (int cr = NO_CASTLING; cr <= ANY_CASTLING; ++cr) + Zobrist::castling[cr] = rng.rand(); + + Zobrist::side = rng.rand(); + Zobrist::noPawns = rng.rand(); + + // Prepare the cuckoo tables + std::memset(cuckoo, 0, sizeof(cuckoo)); + std::memset(cuckooMove, 0, sizeof(cuckooMove)); + [[maybe_unused]] int count = 0; + for (Piece pc : Pieces) + for (Square s1 = SQ_A1; s1 <= SQ_H8; ++s1) + for (Square s2 = Square(s1 + 1); s2 <= SQ_H8; ++s2) + if ((type_of(pc) != PAWN) && (attacks_bb(type_of(pc), s1, 0) & s2)) + { + Move move = make_move(s1, s2); + Key key = Zobrist::psq[pc][s1] ^ Zobrist::psq[pc][s2] ^ Zobrist::side; + int i = H1(key); + while (true) + { + std::swap(cuckoo[i], key); + std::swap(cuckooMove[i], move); + if (move == MOVE_NONE) // Arrived at empty slot? + break; + i = (i == H1(key)) ? H2(key) : H1(key); // Push victim to alternative slot + } + count++; + } + assert(count == 3668); +} + + +/// Position::set() initializes the position object with the given FEN string. +/// This function is not very robust - make sure that input FENs are correct, +/// this is assumed to be the responsibility of the GUI. + +Position& Position::set(const string& fenStr, bool isChess960, StateInfo* si, Thread* th) { +/* + A FEN string defines a particular position using only the ASCII character set. + + A FEN string contains six fields separated by a space. The fields are: + + 1) Piece placement (from white's perspective). Each rank is described, starting + with rank 8 and ending with rank 1. Within each rank, the contents of each + square are described from file A through file H. Following the Standard + Algebraic Notation (SAN), each piece is identified by a single letter taken + from the standard English names. White pieces are designated using upper-case + letters ("PNBRQK") whilst Black uses lowercase ("pnbrqk"). Blank squares are + noted using digits 1 through 8 (the number of blank squares), and "/" + separates ranks. + + 2) Active color. "w" means white moves next, "b" means black. + + 3) Castling availability. If neither side can castle, this is "-". Otherwise, + this has one or more letters: "K" (White can castle kingside), "Q" (White + can castle queenside), "k" (Black can castle kingside), and/or "q" (Black + can castle queenside). + + 4) En passant target square (in algebraic notation). If there's no en passant + target square, this is "-". If a pawn has just made a 2-square move, this + is the position "behind" the pawn. Following X-FEN standard, this is recorded only + if there is a pawn in position to make an en passant capture, and if there really + is a pawn that might have advanced two squares. + + 5) Halfmove clock. This is the number of halfmoves since the last pawn advance + or capture. This is used to determine if a draw can be claimed under the + fifty-move rule. + + 6) Fullmove number. The number of the full move. It starts at 1, and is + incremented after Black's move. +*/ + + unsigned char col, row, token; + size_t idx; + Square sq = SQ_A8; + std::istringstream ss(fenStr); + + std::memset(this, 0, sizeof(Position)); + std::memset(si, 0, sizeof(StateInfo)); + st = si; + + ss >> std::noskipws; + + // 1. Piece placement + while ((ss >> token) && !isspace(token)) + { + if (isdigit(token)) + sq += (token - '0') * EAST; // Advance the given number of files + + else if (token == '/') + sq += 2 * SOUTH; + + else if ((idx = PieceToChar.find(token)) != string::npos) { + put_piece(Piece(idx), sq); + ++sq; + } + } + + // 2. Active color + ss >> token; + sideToMove = (token == 'w' ? WHITE : BLACK); + ss >> token; + + // 3. Castling availability. Compatible with 3 standards: Normal FEN standard, + // Shredder-FEN that uses the letters of the columns on which the rooks began + // the game instead of KQkq and also X-FEN standard that, in case of Chess960, + // if an inner rook is associated with the castling right, the castling tag is + // replaced by the file letter of the involved rook, as for the Shredder-FEN. + while ((ss >> token) && !isspace(token)) + { + Square rsq; + Color c = islower(token) ? BLACK : WHITE; + Piece rook = make_piece(c, ROOK); + + token = char(toupper(token)); + + if (token == 'K') + for (rsq = relative_square(c, SQ_H1); piece_on(rsq) != rook; --rsq) {} + + else if (token == 'Q') + for (rsq = relative_square(c, SQ_A1); piece_on(rsq) != rook; ++rsq) {} + + else if (token >= 'A' && token <= 'H') + rsq = make_square(File(token - 'A'), relative_rank(c, RANK_1)); + + else + continue; + + set_castling_right(c, rsq); + } + + // 4. En passant square. + // Ignore if square is invalid or not on side to move relative rank 6. + bool enpassant = false; + + if ( ((ss >> col) && (col >= 'a' && col <= 'h')) + && ((ss >> row) && (row == (sideToMove == WHITE ? '6' : '3')))) + { + st->epSquare = make_square(File(col - 'a'), Rank(row - '1')); + + // En passant square will be considered only if + // a) side to move have a pawn threatening epSquare + // b) there is an enemy pawn in front of epSquare + // c) there is no piece on epSquare or behind epSquare + enpassant = pawn_attacks_bb(~sideToMove, st->epSquare) & pieces(sideToMove, PAWN) + && (pieces(~sideToMove, PAWN) & (st->epSquare + pawn_push(~sideToMove))) + && !(pieces() & (st->epSquare | (st->epSquare + pawn_push(sideToMove)))); + } + + if (!enpassant) + st->epSquare = SQ_NONE; + + // 5-6. Halfmove clock and fullmove number + ss >> std::skipws >> st->rule50 >> gamePly; + + // Convert from fullmove starting from 1 to gamePly starting from 0, + // handle also common incorrect FEN with fullmove = 0. + gamePly = std::max(2 * (gamePly - 1), 0) + (sideToMove == BLACK); + + chess960 = isChess960; + thisThread = th; + set_state(st); + + assert(pos_is_ok()); + + return *this; +} + + +/// Position::set_castling_right() is a helper function used to set castling +/// rights given the corresponding color and the rook starting square. + +void Position::set_castling_right(Color c, Square rfrom) { + + Square kfrom = square(c); + CastlingRights cr = c & (kfrom < rfrom ? KING_SIDE: QUEEN_SIDE); + + st->castlingRights |= cr; + castlingRightsMask[kfrom] |= cr; + castlingRightsMask[rfrom] |= cr; + castlingRookSquare[cr] = rfrom; + + Square kto = relative_square(c, cr & KING_SIDE ? SQ_G1 : SQ_C1); + Square rto = relative_square(c, cr & KING_SIDE ? SQ_F1 : SQ_D1); + + castlingPath[cr] = (between_bb(rfrom, rto) | between_bb(kfrom, kto)) + & ~(kfrom | rfrom); +} + + +/// Position::set_check_info() sets king attacks to detect if a move gives check + +void Position::set_check_info(StateInfo* si) const { + + si->blockersForKing[WHITE] = slider_blockers(pieces(BLACK), square(WHITE), si->pinners[BLACK]); + si->blockersForKing[BLACK] = slider_blockers(pieces(WHITE), square(BLACK), si->pinners[WHITE]); + + Square ksq = square(~sideToMove); + + si->checkSquares[PAWN] = pawn_attacks_bb(~sideToMove, ksq); + si->checkSquares[KNIGHT] = attacks_bb(ksq); + si->checkSquares[BISHOP] = attacks_bb(ksq, pieces()); + si->checkSquares[ROOK] = attacks_bb(ksq, pieces()); + si->checkSquares[QUEEN] = si->checkSquares[BISHOP] | si->checkSquares[ROOK]; + si->checkSquares[KING] = 0; +} + + +/// Position::set_state() computes the hash keys of the position, and other +/// data that once computed is updated incrementally as moves are made. +/// The function is only used when a new position is set up, and to verify +/// the correctness of the StateInfo data when running in debug mode. + +void Position::set_state(StateInfo* si) const { + + si->key = si->materialKey = 0; + si->pawnKey = Zobrist::noPawns; + si->nonPawnMaterial[WHITE] = si->nonPawnMaterial[BLACK] = VALUE_ZERO; + si->checkersBB = attackers_to(square(sideToMove)) & pieces(~sideToMove); + + set_check_info(si); + + for (Bitboard b = pieces(); b; ) + { + Square s = pop_lsb(b); + Piece pc = piece_on(s); + si->key ^= Zobrist::psq[pc][s]; + + if (type_of(pc) == PAWN) + si->pawnKey ^= Zobrist::psq[pc][s]; + + else if (type_of(pc) != KING) + si->nonPawnMaterial[color_of(pc)] += PieceValue[MG][pc]; + } + + if (si->epSquare != SQ_NONE) + si->key ^= Zobrist::enpassant[file_of(si->epSquare)]; + + if (sideToMove == BLACK) + si->key ^= Zobrist::side; + + si->key ^= Zobrist::castling[si->castlingRights]; + + for (Piece pc : Pieces) + for (int cnt = 0; cnt < pieceCount[pc]; ++cnt) + si->materialKey ^= Zobrist::psq[pc][cnt]; +} + + +/// Position::set() is an overload to initialize the position object with +/// the given endgame code string like "KBPKN". It is mainly a helper to +/// get the material key out of an endgame code. + +Position& Position::set(const string& code, Color c, StateInfo* si) { + + assert(code[0] == 'K'); + + string sides[] = { code.substr(code.find('K', 1)), // Weak + code.substr(0, std::min(code.find('v'), code.find('K', 1))) }; // Strong + + assert(sides[0].length() > 0 && sides[0].length() < 8); + assert(sides[1].length() > 0 && sides[1].length() < 8); + + std::transform(sides[c].begin(), sides[c].end(), sides[c].begin(), tolower); + + string fenStr = "8/" + sides[0] + char(8 - sides[0].length() + '0') + "/8/8/8/8/" + + sides[1] + char(8 - sides[1].length() + '0') + "/8 w - - 0 10"; + + return set(fenStr, false, si, nullptr); +} + + +/// Position::fen() returns a FEN representation of the position. In case of +/// Chess960 the Shredder-FEN notation is used. This is mainly a debugging function. + +string Position::fen() const { + + int emptyCnt; + std::ostringstream ss; + + for (Rank r = RANK_8; r >= RANK_1; --r) + { + for (File f = FILE_A; f <= FILE_H; ++f) + { + for (emptyCnt = 0; f <= FILE_H && empty(make_square(f, r)); ++f) + ++emptyCnt; + + if (emptyCnt) + ss << emptyCnt; + + if (f <= FILE_H) + ss << PieceToChar[piece_on(make_square(f, r))]; + } + + if (r > RANK_1) + ss << '/'; + } + + ss << (sideToMove == WHITE ? " w " : " b "); + + if (can_castle(WHITE_OO)) + ss << (chess960 ? char('A' + file_of(castling_rook_square(WHITE_OO ))) : 'K'); + + if (can_castle(WHITE_OOO)) + ss << (chess960 ? char('A' + file_of(castling_rook_square(WHITE_OOO))) : 'Q'); + + if (can_castle(BLACK_OO)) + ss << (chess960 ? char('a' + file_of(castling_rook_square(BLACK_OO ))) : 'k'); + + if (can_castle(BLACK_OOO)) + ss << (chess960 ? char('a' + file_of(castling_rook_square(BLACK_OOO))) : 'q'); + + if (!can_castle(ANY_CASTLING)) + ss << '-'; + + ss << (ep_square() == SQ_NONE ? " - " : " " + UCI::square(ep_square()) + " ") + << st->rule50 << " " << 1 + (gamePly - (sideToMove == BLACK)) / 2; + + return ss.str(); +} + + +/// Position::slider_blockers() returns a bitboard of all the pieces (both colors) +/// that are blocking attacks on the square 's' from 'sliders'. A piece blocks a +/// slider if removing that piece from the board would result in a position where +/// square 's' is attacked. For example, a king-attack blocking piece can be either +/// a pinned or a discovered check piece, according if its color is the opposite +/// or the same of the color of the slider. + +Bitboard Position::slider_blockers(Bitboard sliders, Square s, Bitboard& pinners) const { + + Bitboard blockers = 0; + pinners = 0; + + // Snipers are sliders that attack 's' when a piece and other snipers are removed + Bitboard snipers = ( (attacks_bb< ROOK>(s) & pieces(QUEEN, ROOK)) + | (attacks_bb(s) & pieces(QUEEN, BISHOP))) & sliders; + Bitboard occupancy = pieces() ^ snipers; + + while (snipers) + { + Square sniperSq = pop_lsb(snipers); + Bitboard b = between_bb(s, sniperSq) & occupancy; + + if (b && !more_than_one(b)) + { + blockers |= b; + if (b & pieces(color_of(piece_on(s)))) + pinners |= sniperSq; + } + } + return blockers; +} + + +/// Position::attackers_to() computes a bitboard of all pieces which attack a +/// given square. Slider attacks use the occupied bitboard to indicate occupancy. + +Bitboard Position::attackers_to(Square s, Bitboard occupied) const { + + return (pawn_attacks_bb(BLACK, s) & pieces(WHITE, PAWN)) + | (pawn_attacks_bb(WHITE, s) & pieces(BLACK, PAWN)) + | (attacks_bb(s) & pieces(KNIGHT)) + | (attacks_bb< ROOK>(s, occupied) & pieces( ROOK, QUEEN)) + | (attacks_bb(s, occupied) & pieces(BISHOP, QUEEN)) + | (attacks_bb(s) & pieces(KING)); +} + + +/// Position::legal() tests whether a pseudo-legal move is legal + +bool Position::legal(Move m) const { + + assert(is_ok(m)); + + Color us = sideToMove; + Square from = from_sq(m); + Square to = to_sq(m); + + assert(color_of(moved_piece(m)) == us); + assert(piece_on(square(us)) == make_piece(us, KING)); + + // En passant captures are a tricky special case. Because they are rather + // uncommon, we do it simply by testing whether the king is attacked after + // the move is made. + if (type_of(m) == EN_PASSANT) + { + Square ksq = square(us); + Square capsq = to - pawn_push(us); + Bitboard occupied = (pieces() ^ from ^ capsq) | to; + + assert(to == ep_square()); + assert(moved_piece(m) == make_piece(us, PAWN)); + assert(piece_on(capsq) == make_piece(~us, PAWN)); + assert(piece_on(to) == NO_PIECE); + + return !(attacks_bb< ROOK>(ksq, occupied) & pieces(~us, QUEEN, ROOK)) + && !(attacks_bb(ksq, occupied) & pieces(~us, QUEEN, BISHOP)); + } + + // Castling moves generation does not check if the castling path is clear of + // enemy attacks, it is delayed at a later time: now! + if (type_of(m) == CASTLING) + { + // After castling, the rook and king final positions are the same in + // Chess960 as they would be in standard chess. + to = relative_square(us, to > from ? SQ_G1 : SQ_C1); + Direction step = to > from ? WEST : EAST; + + for (Square s = to; s != from; s += step) + if (attackers_to(s) & pieces(~us)) + return false; + + // In case of Chess960, verify if the Rook blocks some checks + // For instance an enemy queen in SQ_A1 when castling rook is in SQ_B1. + return !chess960 || !(blockers_for_king(us) & to_sq(m)); + } + + // If the moving piece is a king, check whether the destination square is + // attacked by the opponent. + if (type_of(piece_on(from)) == KING) + return !(attackers_to(to, pieces() ^ from) & pieces(~us)); + + // A non-king move is legal if and only if it is not pinned or it + // is moving along the ray towards or away from the king. + return !(blockers_for_king(us) & from) + || aligned(from, to, square(us)); +} + + +/// Position::pseudo_legal() takes a random move and tests whether the move is +/// pseudo legal. It is used to validate moves from TT that can be corrupted +/// due to SMP concurrent access or hash position key aliasing. + +bool Position::pseudo_legal(const Move m) const { + + Color us = sideToMove; + Square from = from_sq(m); + Square to = to_sq(m); + Piece pc = moved_piece(m); + + // Use a slower but simpler function for uncommon cases + // yet we skip the legality check of MoveList(). + if (type_of(m) != NORMAL) + return checkers() ? MoveList< EVASIONS>(*this).contains(m) + : MoveList(*this).contains(m); + + // Is not a promotion, so promotion piece must be empty + if (promotion_type(m) - KNIGHT != NO_PIECE_TYPE) + return false; + + // If the 'from' square is not occupied by a piece belonging to the side to + // move, the move is obviously not legal. + if (pc == NO_PIECE || color_of(pc) != us) + return false; + + // The destination square cannot be occupied by a friendly piece + if (pieces(us) & to) + return false; + + // Handle the special case of a pawn move + if (type_of(pc) == PAWN) + { + // We have already handled promotion moves, so destination + // cannot be on the 8th/1st rank. + if ((Rank8BB | Rank1BB) & to) + return false; + + if ( !(pawn_attacks_bb(us, from) & pieces(~us) & to) // Not a capture + && !((from + pawn_push(us) == to) && empty(to)) // Not a single push + && !( (from + 2 * pawn_push(us) == to) // Not a double push + && (relative_rank(us, from) == RANK_2) + && empty(to) + && empty(to - pawn_push(us)))) + return false; + } + else if (!(attacks_bb(type_of(pc), from, pieces()) & to)) + return false; + + // Evasions generator already takes care to avoid some kind of illegal moves + // and legal() relies on this. We therefore have to take care that the same + // kind of moves are filtered out here. + if (checkers()) + { + if (type_of(pc) != KING) + { + // Double check? In this case a king move is required + if (more_than_one(checkers())) + return false; + + // Our move must be a blocking interposition or a capture of the checking piece + if (!(between_bb(square(us), lsb(checkers())) & to)) + return false; + } + // In case of king moves under check we have to remove king so as to catch + // invalid moves like b1a1 when opposite queen is on c1. + else if (attackers_to(to, pieces() ^ from) & pieces(~us)) + return false; + } + + return true; +} + + +/// Position::gives_check() tests whether a pseudo-legal move gives a check + +bool Position::gives_check(Move m) const { + + assert(is_ok(m)); + assert(color_of(moved_piece(m)) == sideToMove); + + Square from = from_sq(m); + Square to = to_sq(m); + + // Is there a direct check? + if (check_squares(type_of(piece_on(from))) & to) + return true; + + // Is there a discovered check? + if ( (blockers_for_king(~sideToMove) & from) + && !aligned(from, to, square(~sideToMove))) + return true; + + switch (type_of(m)) + { + case NORMAL: + return false; + + case PROMOTION: + return attacks_bb(promotion_type(m), to, pieces() ^ from) & square(~sideToMove); + + // En passant capture with check? We have already handled the case + // of direct checks and ordinary discovered check, so the only case we + // need to handle is the unusual case of a discovered check through + // the captured pawn. + case EN_PASSANT: + { + Square capsq = make_square(file_of(to), rank_of(from)); + Bitboard b = (pieces() ^ from ^ capsq) | to; + + return (attacks_bb< ROOK>(square(~sideToMove), b) & pieces(sideToMove, QUEEN, ROOK)) + | (attacks_bb(square(~sideToMove), b) & pieces(sideToMove, QUEEN, BISHOP)); + } + default: //CASTLING + { + // Castling is encoded as 'king captures the rook' + Square ksq = square(~sideToMove); + Square rto = relative_square(sideToMove, to > from ? SQ_F1 : SQ_D1); + + return (attacks_bb(rto) & ksq) + && (attacks_bb(rto, pieces() ^ from ^ to) & ksq); + } + } +} + + +/// Position::do_move() makes a move, and saves all information necessary +/// to a StateInfo object. The move is assumed to be legal. Pseudo-legal +/// moves should be filtered out before this function is called. + +void Position::do_move(Move m, StateInfo& newSt, bool givesCheck) { + + assert(is_ok(m)); + assert(&newSt != st); + + thisThread->nodes.fetch_add(1, std::memory_order_relaxed); + Key k = st->key ^ Zobrist::side; + + // Copy some fields of the old state to our new StateInfo object except the + // ones which are going to be recalculated from scratch anyway and then switch + // our state pointer to point to the new (ready to be updated) state. + std::memcpy(&newSt, st, offsetof(StateInfo, key)); + newSt.previous = st; + st = &newSt; + + // Increment ply counters. In particular, rule50 will be reset to zero later on + // in case of a capture or a pawn move. + ++gamePly; + ++st->rule50; + ++st->pliesFromNull; + + // Used by NNUE + st->accumulator.computed[WHITE] = false; + st->accumulator.computed[BLACK] = false; + auto& dp = st->dirtyPiece; + dp.dirty_num = 1; + + Color us = sideToMove; + Color them = ~us; + Square from = from_sq(m); + Square to = to_sq(m); + Piece pc = piece_on(from); + Piece captured = type_of(m) == EN_PASSANT ? make_piece(them, PAWN) : piece_on(to); + + assert(color_of(pc) == us); + assert(captured == NO_PIECE || color_of(captured) == (type_of(m) != CASTLING ? them : us)); + assert(type_of(captured) != KING); + + if (type_of(m) == CASTLING) + { + assert(pc == make_piece(us, KING)); + assert(captured == make_piece(us, ROOK)); + + Square rfrom, rto; + do_castling(us, from, to, rfrom, rto); + + k ^= Zobrist::psq[captured][rfrom] ^ Zobrist::psq[captured][rto]; + captured = NO_PIECE; + } + + if (captured) + { + Square capsq = to; + + // If the captured piece is a pawn, update pawn hash key, otherwise + // update non-pawn material. + if (type_of(captured) == PAWN) + { + if (type_of(m) == EN_PASSANT) + { + capsq -= pawn_push(us); + + assert(pc == make_piece(us, PAWN)); + assert(to == st->epSquare); + assert(relative_rank(us, to) == RANK_6); + assert(piece_on(to) == NO_PIECE); + assert(piece_on(capsq) == make_piece(them, PAWN)); + } + + st->pawnKey ^= Zobrist::psq[captured][capsq]; + } + else + st->nonPawnMaterial[them] -= PieceValue[MG][captured]; + + if (Eval::useNNUE) + { + dp.dirty_num = 2; // 1 piece moved, 1 piece captured + dp.piece[1] = captured; + dp.from[1] = capsq; + dp.to[1] = SQ_NONE; + } + + // Update board and piece lists + remove_piece(capsq); + + if (type_of(m) == EN_PASSANT) + board[capsq] = NO_PIECE; + + // Update material hash key and prefetch access to materialTable + k ^= Zobrist::psq[captured][capsq]; + st->materialKey ^= Zobrist::psq[captured][pieceCount[captured]]; + prefetch(thisThread->materialTable[st->materialKey]); + + // Reset rule 50 counter + st->rule50 = 0; + } + + // Update hash key + k ^= Zobrist::psq[pc][from] ^ Zobrist::psq[pc][to]; + + // Reset en passant square + if (st->epSquare != SQ_NONE) + { + k ^= Zobrist::enpassant[file_of(st->epSquare)]; + st->epSquare = SQ_NONE; + } + + // Update castling rights if needed + if (st->castlingRights && (castlingRightsMask[from] | castlingRightsMask[to])) + { + k ^= Zobrist::castling[st->castlingRights]; + st->castlingRights &= ~(castlingRightsMask[from] | castlingRightsMask[to]); + k ^= Zobrist::castling[st->castlingRights]; + } + + // Move the piece. The tricky Chess960 castling is handled earlier + if (type_of(m) != CASTLING) + { + if (Eval::useNNUE) + { + dp.piece[0] = pc; + dp.from[0] = from; + dp.to[0] = to; + } + + move_piece(from, to); + } + + // If the moving piece is a pawn do some special extra work + if (type_of(pc) == PAWN) + { + // Set en passant square if the moved pawn can be captured + if ( (int(to) ^ int(from)) == 16 + && (pawn_attacks_bb(us, to - pawn_push(us)) & pieces(them, PAWN))) + { + st->epSquare = to - pawn_push(us); + k ^= Zobrist::enpassant[file_of(st->epSquare)]; + } + + else if (type_of(m) == PROMOTION) + { + Piece promotion = make_piece(us, promotion_type(m)); + + assert(relative_rank(us, to) == RANK_8); + assert(type_of(promotion) >= KNIGHT && type_of(promotion) <= QUEEN); + + remove_piece(to); + put_piece(promotion, to); + + if (Eval::useNNUE) + { + // Promoting pawn to SQ_NONE, promoted piece from SQ_NONE + dp.to[0] = SQ_NONE; + dp.piece[dp.dirty_num] = promotion; + dp.from[dp.dirty_num] = SQ_NONE; + dp.to[dp.dirty_num] = to; + dp.dirty_num++; + } + + // Update hash keys + k ^= Zobrist::psq[pc][to] ^ Zobrist::psq[promotion][to]; + st->pawnKey ^= Zobrist::psq[pc][to]; + st->materialKey ^= Zobrist::psq[promotion][pieceCount[promotion]-1] + ^ Zobrist::psq[pc][pieceCount[pc]]; + + // Update material + st->nonPawnMaterial[us] += PieceValue[MG][promotion]; + } + + // Update pawn hash key + st->pawnKey ^= Zobrist::psq[pc][from] ^ Zobrist::psq[pc][to]; + + // Reset rule 50 draw counter + st->rule50 = 0; + } + + // Set capture piece + st->capturedPiece = captured; + + // Update the key with the final value + st->key = k; + + // Calculate checkers bitboard (if move gives check) + st->checkersBB = givesCheck ? attackers_to(square(them)) & pieces(us) : 0; + + sideToMove = ~sideToMove; + + // Update king attacks used for fast check detection + set_check_info(st); + + // Calculate the repetition info. It is the ply distance from the previous + // occurrence of the same position, negative in the 3-fold case, or zero + // if the position was not repeated. + st->repetition = 0; + int end = std::min(st->rule50, st->pliesFromNull); + if (end >= 4) + { + StateInfo* stp = st->previous->previous; + for (int i = 4; i <= end; i += 2) + { + stp = stp->previous->previous; + if (stp->key == st->key) + { + st->repetition = stp->repetition ? -i : i; + break; + } + } + } + + assert(pos_is_ok()); +} + + +/// Position::undo_move() unmakes a move. When it returns, the position should +/// be restored to exactly the same state as before the move was made. + +void Position::undo_move(Move m) { + + assert(is_ok(m)); + + sideToMove = ~sideToMove; + + Color us = sideToMove; + Square from = from_sq(m); + Square to = to_sq(m); + Piece pc = piece_on(to); + + assert(empty(from) || type_of(m) == CASTLING); + assert(type_of(st->capturedPiece) != KING); + + if (type_of(m) == PROMOTION) + { + assert(relative_rank(us, to) == RANK_8); + assert(type_of(pc) == promotion_type(m)); + assert(type_of(pc) >= KNIGHT && type_of(pc) <= QUEEN); + + remove_piece(to); + pc = make_piece(us, PAWN); + put_piece(pc, to); + } + + if (type_of(m) == CASTLING) + { + Square rfrom, rto; + do_castling(us, from, to, rfrom, rto); + } + else + { + move_piece(to, from); // Put the piece back at the source square + + if (st->capturedPiece) + { + Square capsq = to; + + if (type_of(m) == EN_PASSANT) + { + capsq -= pawn_push(us); + + assert(type_of(pc) == PAWN); + assert(to == st->previous->epSquare); + assert(relative_rank(us, to) == RANK_6); + assert(piece_on(capsq) == NO_PIECE); + assert(st->capturedPiece == make_piece(~us, PAWN)); + } + + put_piece(st->capturedPiece, capsq); // Restore the captured piece + } + } + + // Finally point our state pointer back to the previous state + st = st->previous; + --gamePly; + + assert(pos_is_ok()); +} + + +/// Position::do_castling() is a helper used to do/undo a castling move. This +/// is a bit tricky in Chess960 where from/to squares can overlap. +template +void Position::do_castling(Color us, Square from, Square& to, Square& rfrom, Square& rto) { + + bool kingSide = to > from; + rfrom = to; // Castling is encoded as "king captures friendly rook" + rto = relative_square(us, kingSide ? SQ_F1 : SQ_D1); + to = relative_square(us, kingSide ? SQ_G1 : SQ_C1); + + if (Do && Eval::useNNUE) + { + auto& dp = st->dirtyPiece; + dp.piece[0] = make_piece(us, KING); + dp.from[0] = from; + dp.to[0] = to; + dp.piece[1] = make_piece(us, ROOK); + dp.from[1] = rfrom; + dp.to[1] = rto; + dp.dirty_num = 2; + } + + // Remove both pieces first since squares could overlap in Chess960 + remove_piece(Do ? from : to); + remove_piece(Do ? rfrom : rto); + board[Do ? from : to] = board[Do ? rfrom : rto] = NO_PIECE; // Since remove_piece doesn't do this for us + put_piece(make_piece(us, KING), Do ? to : from); + put_piece(make_piece(us, ROOK), Do ? rto : rfrom); +} + + +/// Position::do_null_move() is used to do a "null move": it flips +/// the side to move without executing any move on the board. + +void Position::do_null_move(StateInfo& newSt) { + + assert(!checkers()); + assert(&newSt != st); + + std::memcpy(&newSt, st, offsetof(StateInfo, accumulator)); + + newSt.previous = st; + st = &newSt; + + st->dirtyPiece.dirty_num = 0; + st->dirtyPiece.piece[0] = NO_PIECE; // Avoid checks in UpdateAccumulator() + st->accumulator.computed[WHITE] = false; + st->accumulator.computed[BLACK] = false; + + if (st->epSquare != SQ_NONE) + { + st->key ^= Zobrist::enpassant[file_of(st->epSquare)]; + st->epSquare = SQ_NONE; + } + + st->key ^= Zobrist::side; + ++st->rule50; + prefetch(TT.first_entry(key())); + + st->pliesFromNull = 0; + + sideToMove = ~sideToMove; + + set_check_info(st); + + st->repetition = 0; + + assert(pos_is_ok()); +} + + +/// Position::undo_null_move() must be used to undo a "null move" + +void Position::undo_null_move() { + + assert(!checkers()); + + st = st->previous; + sideToMove = ~sideToMove; +} + + +/// Position::key_after() computes the new hash key after the given move. Needed +/// for speculative prefetch. It doesn't recognize special moves like castling, +/// en passant and promotions. + +Key Position::key_after(Move m) const { + + Square from = from_sq(m); + Square to = to_sq(m); + Piece pc = piece_on(from); + Piece captured = piece_on(to); + Key k = st->key ^ Zobrist::side; + + if (captured) + k ^= Zobrist::psq[captured][to]; + + k ^= Zobrist::psq[pc][to] ^ Zobrist::psq[pc][from]; + + return (captured || type_of(pc) == PAWN) + ? k : adjust_key50(k); +} + + +/// Position::see_ge (Static Exchange Evaluation Greater or Equal) tests if the +/// SEE value of move is greater or equal to the given threshold. We'll use an +/// algorithm similar to alpha-beta pruning with a null window. + +bool Position::see_ge(Move m, Value threshold) const { + + assert(is_ok(m)); + + // Only deal with normal moves, assume others pass a simple SEE + if (type_of(m) != NORMAL) + return VALUE_ZERO >= threshold; + + Square from = from_sq(m), to = to_sq(m); + + int swap = PieceValue[MG][piece_on(to)] - threshold; + if (swap < 0) + return false; + + swap = PieceValue[MG][piece_on(from)] - swap; + if (swap <= 0) + return true; + + assert(color_of(piece_on(from)) == sideToMove); + Bitboard occupied = pieces() ^ from ^ to; + Color stm = sideToMove; + Bitboard attackers = attackers_to(to, occupied); + Bitboard stmAttackers, bb; + int res = 1; + + while (true) + { + stm = ~stm; + attackers &= occupied; + + // If stm has no more attackers then give up: stm loses + if (!(stmAttackers = attackers & pieces(stm))) + break; + + // Don't allow pinned pieces to attack as long as there are + // pinners on their original square. + if (pinners(~stm) & occupied) + { + stmAttackers &= ~blockers_for_king(stm); + + if (!stmAttackers) + break; + } + + res ^= 1; + + // Locate and remove the next least valuable attacker, and add to + // the bitboard 'attackers' any X-ray attackers behind it. + if ((bb = stmAttackers & pieces(PAWN))) + { + if ((swap = PawnValueMg - swap) < res) + break; + + occupied ^= least_significant_square_bb(bb); + attackers |= attacks_bb(to, occupied) & pieces(BISHOP, QUEEN); + } + + else if ((bb = stmAttackers & pieces(KNIGHT))) + { + if ((swap = KnightValueMg - swap) < res) + break; + + occupied ^= least_significant_square_bb(bb); + } + + else if ((bb = stmAttackers & pieces(BISHOP))) + { + if ((swap = BishopValueMg - swap) < res) + break; + + occupied ^= least_significant_square_bb(bb); + attackers |= attacks_bb(to, occupied) & pieces(BISHOP, QUEEN); + } + + else if ((bb = stmAttackers & pieces(ROOK))) + { + if ((swap = RookValueMg - swap) < res) + break; + + occupied ^= least_significant_square_bb(bb); + attackers |= attacks_bb(to, occupied) & pieces(ROOK, QUEEN); + } + + else if ((bb = stmAttackers & pieces(QUEEN))) + { + if ((swap = QueenValueMg - swap) < res) + break; + + occupied ^= least_significant_square_bb(bb); + attackers |= (attacks_bb(to, occupied) & pieces(BISHOP, QUEEN)) + | (attacks_bb(to, occupied) & pieces(ROOK , QUEEN)); + } + + else // KING + // If we "capture" with the king but opponent still has attackers, + // reverse the result. + return (attackers & ~pieces(stm)) ? res ^ 1 : res; + } + + return bool(res); +} + + +/// Position::is_draw() tests whether the position is drawn by 50-move rule +/// or by repetition. It does not detect stalemates. + +bool Position::is_draw(int ply) const { + + if (st->rule50 > 99 && (!checkers() || MoveList(*this).size())) + return true; + + // Return a draw score if a position repeats once earlier but strictly + // after the root, or repeats twice before or at the root. + return st->repetition && st->repetition < ply; +} + + +// Position::has_repeated() tests whether there has been at least one repetition +// of positions since the last capture or pawn move. + +bool Position::has_repeated() const { + + StateInfo* stc = st; + int end = std::min(st->rule50, st->pliesFromNull); + while (end-- >= 4) + { + if (stc->repetition) + return true; + + stc = stc->previous; + } + return false; +} + + +/// Position::has_game_cycle() tests if the position has a move which draws by repetition, +/// or an earlier position has a move that directly reaches the current position. + +bool Position::has_game_cycle(int ply) const { + + int j; + + int end = std::min(st->rule50, st->pliesFromNull); + + if (end < 3) + return false; + + Key originalKey = st->key; + StateInfo* stp = st->previous; + + for (int i = 3; i <= end; i += 2) + { + stp = stp->previous->previous; + + Key moveKey = originalKey ^ stp->key; + if ( (j = H1(moveKey), cuckoo[j] == moveKey) + || (j = H2(moveKey), cuckoo[j] == moveKey)) + { + Move move = cuckooMove[j]; + Square s1 = from_sq(move); + Square s2 = to_sq(move); + + if (!((between_bb(s1, s2) ^ s2) & pieces())) + { + if (ply > i) + return true; + + // For nodes before or at the root, check that the move is a + // repetition rather than a move to the current position. + // In the cuckoo table, both moves Rc1c5 and Rc5c1 are stored in + // the same location, so we have to select which square to check. + if (color_of(piece_on(empty(s1) ? s2 : s1)) != side_to_move()) + continue; + + // For repetitions before or at the root, require one more + if (stp->repetition) + return true; + } + } + } + return false; +} + + +/// Position::flip() flips position with the white and black sides reversed. This +/// is only useful for debugging e.g. for finding evaluation symmetry bugs. + +void Position::flip() { + + string f, token; + std::stringstream ss(fen()); + + for (Rank r = RANK_8; r >= RANK_1; --r) // Piece placement + { + std::getline(ss, token, r > RANK_1 ? '/' : ' '); + f.insert(0, token + (f.empty() ? " " : "/")); + } + + ss >> token; // Active color + f += (token == "w" ? "B " : "W "); // Will be lowercased later + + ss >> token; // Castling availability + f += token + " "; + + std::transform(f.begin(), f.end(), f.begin(), + [](char c) { return char(islower(c) ? toupper(c) : tolower(c)); }); + + ss >> token; // En passant square + f += (token == "-" ? token : token.replace(1, 1, token[1] == '3' ? "6" : "3")); + + std::getline(ss, token); // Half and full moves + f += token; + + set(f, is_chess960(), st, this_thread()); + + assert(pos_is_ok()); +} + + +/// Position::pos_is_ok() performs some consistency checks for the +/// position object and raises an asserts if something wrong is detected. +/// This is meant to be helpful when debugging. + +bool Position::pos_is_ok() const { + + constexpr bool Fast = true; // Quick (default) or full check? + + if ( (sideToMove != WHITE && sideToMove != BLACK) + || piece_on(square(WHITE)) != W_KING + || piece_on(square(BLACK)) != B_KING + || ( ep_square() != SQ_NONE + && relative_rank(sideToMove, ep_square()) != RANK_6)) + assert(0 && "pos_is_ok: Default"); + + if (Fast) + return true; + + if ( pieceCount[W_KING] != 1 + || pieceCount[B_KING] != 1 + || attackers_to(square(~sideToMove)) & pieces(sideToMove)) + assert(0 && "pos_is_ok: Kings"); + + if ( (pieces(PAWN) & (Rank1BB | Rank8BB)) + || pieceCount[W_PAWN] > 8 + || pieceCount[B_PAWN] > 8) + assert(0 && "pos_is_ok: Pawns"); + + if ( (pieces(WHITE) & pieces(BLACK)) + || (pieces(WHITE) | pieces(BLACK)) != pieces() + || popcount(pieces(WHITE)) > 16 + || popcount(pieces(BLACK)) > 16) + assert(0 && "pos_is_ok: Bitboards"); + + for (PieceType p1 = PAWN; p1 <= KING; ++p1) + for (PieceType p2 = PAWN; p2 <= KING; ++p2) + if (p1 != p2 && (pieces(p1) & pieces(p2))) + assert(0 && "pos_is_ok: Bitboards"); + + StateInfo si = *st; + ASSERT_ALIGNED(&si, Eval::NNUE::CacheLineSize); + + set_state(&si); + if (std::memcmp(&si, st, sizeof(StateInfo))) + assert(0 && "pos_is_ok: State"); + + for (Piece pc : Pieces) + if ( pieceCount[pc] != popcount(pieces(color_of(pc), type_of(pc))) + || pieceCount[pc] != std::count(board, board + SQUARE_NB, pc)) + assert(0 && "pos_is_ok: Pieces"); + + for (Color c : { WHITE, BLACK }) + for (CastlingRights cr : {c & KING_SIDE, c & QUEEN_SIDE}) + { + if (!can_castle(cr)) + continue; + + if ( piece_on(castlingRookSquare[cr]) != make_piece(c, ROOK) + || castlingRightsMask[castlingRookSquare[cr]] != cr + || (castlingRightsMask[square(c)] & cr) != cr) + assert(0 && "pos_is_ok: Castling"); + } + + return true; +} + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/position.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/position.h new file mode 100755 index 00000000..078ff5b7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/position.h @@ -0,0 +1,443 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef POSITION_H_INCLUDED +#define POSITION_H_INCLUDED + +#include +#include +#include // For std::unique_ptr +#include + +#include "bitboard.h" +#include "evaluate.h" +#include "psqt.h" +#include "types.h" + +#include "nnue/nnue_accumulator.h" + +namespace Stockfish { + +/// StateInfo struct stores information needed to restore a Position object to +/// its previous state when we retract a move. Whenever a move is made on the +/// board (by calling Position::do_move), a StateInfo object must be passed. + +struct StateInfo { + + // Copied when making a move + Key pawnKey; + Key materialKey; + Value nonPawnMaterial[COLOR_NB]; + int castlingRights; + int rule50; + int pliesFromNull; + Square epSquare; + + // Not copied when making a move (will be recomputed anyhow) + Key key; + Bitboard checkersBB; + StateInfo* previous; + Bitboard blockersForKing[COLOR_NB]; + Bitboard pinners[COLOR_NB]; + Bitboard checkSquares[PIECE_TYPE_NB]; + Piece capturedPiece; + int repetition; + + // Used by NNUE + Eval::NNUE::Accumulator accumulator; + DirtyPiece dirtyPiece; +}; + + +/// A list to keep track of the position states along the setup moves (from the +/// start position to the position just before the search starts). Needed by +/// 'draw by repetition' detection. Use a std::deque because pointers to +/// elements are not invalidated upon list resizing. +typedef std::unique_ptr> StateListPtr; + + +/// Position class stores information regarding the board representation as +/// pieces, side to move, hash keys, castling info, etc. Important methods are +/// do_move() and undo_move(), used by the search to update node info when +/// traversing the search tree. +class Thread; + +class Position { +public: + static void init(); + + Position() = default; + Position(const Position&) = delete; + Position& operator=(const Position&) = delete; + + // FEN string input/output + Position& set(const std::string& fenStr, bool isChess960, StateInfo* si, Thread* th); + Position& set(const std::string& code, Color c, StateInfo* si); + std::string fen() const; + + // Position representation + Bitboard pieces(PieceType pt) const; + Bitboard pieces(PieceType pt1, PieceType pt2) const; + Bitboard pieces(Color c) const; + Bitboard pieces(Color c, PieceType pt) const; + Bitboard pieces(Color c, PieceType pt1, PieceType pt2) const; + Piece piece_on(Square s) const; + Square ep_square() const; + bool empty(Square s) const; + template int count(Color c) const; + template int count() const; + template Square square(Color c) const; + bool is_on_semiopen_file(Color c, Square s) const; + + // Castling + CastlingRights castling_rights(Color c) const; + bool can_castle(CastlingRights cr) const; + bool castling_impeded(CastlingRights cr) const; + Square castling_rook_square(CastlingRights cr) const; + + // Checking + Bitboard checkers() const; + Bitboard blockers_for_king(Color c) const; + Bitboard check_squares(PieceType pt) const; + Bitboard pinners(Color c) const; + + // Attacks to/from a given square + Bitboard attackers_to(Square s) const; + Bitboard attackers_to(Square s, Bitboard occupied) const; + Bitboard slider_blockers(Bitboard sliders, Square s, Bitboard& pinners) const; + template Bitboard attacks_by(Color c) const; + + // Properties of moves + bool legal(Move m) const; + bool pseudo_legal(const Move m) const; + bool capture(Move m) const; + bool gives_check(Move m) const; + Piece moved_piece(Move m) const; + Piece captured_piece() const; + + // Piece specific + bool pawn_passed(Color c, Square s) const; + bool opposite_bishops() const; + int pawns_on_same_color_squares(Color c, Square s) const; + + // Doing and undoing moves + void do_move(Move m, StateInfo& newSt); + void do_move(Move m, StateInfo& newSt, bool givesCheck); + void undo_move(Move m); + void do_null_move(StateInfo& newSt); + void undo_null_move(); + + // Static Exchange Evaluation + bool see_ge(Move m, Value threshold = VALUE_ZERO) const; + + // Accessing hash keys + Key key() const; + Key key_after(Move m) const; + Key material_key() const; + Key pawn_key() const; + + // Other properties of the position + Color side_to_move() const; + int game_ply() const; + bool is_chess960() const; + Thread* this_thread() const; + bool is_draw(int ply) const; + bool has_game_cycle(int ply) const; + bool has_repeated() const; + int rule50_count() const; + Score psq_score() const; + Value psq_eg_stm() const; + Value non_pawn_material(Color c) const; + Value non_pawn_material() const; + + // Position consistency check, for debugging + bool pos_is_ok() const; + void flip(); + + // Used by NNUE + StateInfo* state() const; + + void put_piece(Piece pc, Square s); + void remove_piece(Square s); + +private: + // Initialization helpers (used while setting up a position) + void set_castling_right(Color c, Square rfrom); + void set_state(StateInfo* si) const; + void set_check_info(StateInfo* si) const; + + // Other helpers + void move_piece(Square from, Square to); + template + void do_castling(Color us, Square from, Square& to, Square& rfrom, Square& rto); + template + Key adjust_key50(Key k) const; + + // Data members + Piece board[SQUARE_NB]; + Bitboard byTypeBB[PIECE_TYPE_NB]; + Bitboard byColorBB[COLOR_NB]; + int pieceCount[PIECE_NB]; + int castlingRightsMask[SQUARE_NB]; + Square castlingRookSquare[CASTLING_RIGHT_NB]; + Bitboard castlingPath[CASTLING_RIGHT_NB]; + Thread* thisThread; + StateInfo* st; + int gamePly; + Color sideToMove; + Score psq; + bool chess960; +}; + +extern std::ostream& operator<<(std::ostream& os, const Position& pos); + +inline Color Position::side_to_move() const { + return sideToMove; +} + +inline Piece Position::piece_on(Square s) const { + assert(is_ok(s)); + return board[s]; +} + +inline bool Position::empty(Square s) const { + return piece_on(s) == NO_PIECE; +} + +inline Piece Position::moved_piece(Move m) const { + return piece_on(from_sq(m)); +} + +inline Bitboard Position::pieces(PieceType pt = ALL_PIECES) const { + return byTypeBB[pt]; +} + +inline Bitboard Position::pieces(PieceType pt1, PieceType pt2) const { + return pieces(pt1) | pieces(pt2); +} + +inline Bitboard Position::pieces(Color c) const { + return byColorBB[c]; +} + +inline Bitboard Position::pieces(Color c, PieceType pt) const { + return pieces(c) & pieces(pt); +} + +inline Bitboard Position::pieces(Color c, PieceType pt1, PieceType pt2) const { + return pieces(c) & (pieces(pt1) | pieces(pt2)); +} + +template inline int Position::count(Color c) const { + return pieceCount[make_piece(c, Pt)]; +} + +template inline int Position::count() const { + return count(WHITE) + count(BLACK); +} + +template inline Square Position::square(Color c) const { + assert(count(c) == 1); + return lsb(pieces(c, Pt)); +} + +inline Square Position::ep_square() const { + return st->epSquare; +} + +inline bool Position::is_on_semiopen_file(Color c, Square s) const { + return !(pieces(c, PAWN) & file_bb(s)); +} + +inline bool Position::can_castle(CastlingRights cr) const { + return st->castlingRights & cr; +} + +inline CastlingRights Position::castling_rights(Color c) const { + return c & CastlingRights(st->castlingRights); +} + +inline bool Position::castling_impeded(CastlingRights cr) const { + assert(cr == WHITE_OO || cr == WHITE_OOO || cr == BLACK_OO || cr == BLACK_OOO); + + return pieces() & castlingPath[cr]; +} + +inline Square Position::castling_rook_square(CastlingRights cr) const { + assert(cr == WHITE_OO || cr == WHITE_OOO || cr == BLACK_OO || cr == BLACK_OOO); + + return castlingRookSquare[cr]; +} + +inline Bitboard Position::attackers_to(Square s) const { + return attackers_to(s, pieces()); +} + +template +inline Bitboard Position::attacks_by(Color c) const { + + if constexpr (Pt == PAWN) + return c == WHITE ? pawn_attacks_bb(pieces(WHITE, PAWN)) + : pawn_attacks_bb(pieces(BLACK, PAWN)); + else + { + Bitboard threats = 0; + Bitboard attackers = pieces(c, Pt); + while (attackers) + threats |= attacks_bb(pop_lsb(attackers), pieces()); + return threats; + } +} + +inline Bitboard Position::checkers() const { + return st->checkersBB; +} + +inline Bitboard Position::blockers_for_king(Color c) const { + return st->blockersForKing[c]; +} + +inline Bitboard Position::pinners(Color c) const { + return st->pinners[c]; +} + +inline Bitboard Position::check_squares(PieceType pt) const { + return st->checkSquares[pt]; +} + +inline bool Position::pawn_passed(Color c, Square s) const { + return !(pieces(~c, PAWN) & passed_pawn_span(c, s)); +} + +inline int Position::pawns_on_same_color_squares(Color c, Square s) const { + return popcount(pieces(c, PAWN) & ((DarkSquares & s) ? DarkSquares : ~DarkSquares)); +} + +inline Key Position::key() const { + return adjust_key50(st->key); +} + +template +inline Key Position::adjust_key50(Key k) const +{ + return st->rule50 < 14 - AfterMove + ? k : k ^ make_key((st->rule50 - (14 - AfterMove)) / 8); +} + +inline Key Position::pawn_key() const { + return st->pawnKey; +} + +inline Key Position::material_key() const { + return st->materialKey; +} + +inline Score Position::psq_score() const { + return psq; +} + +inline Value Position::psq_eg_stm() const { + return (sideToMove == WHITE ? 1 : -1) * eg_value(psq); +} + +inline Value Position::non_pawn_material(Color c) const { + return st->nonPawnMaterial[c]; +} + +inline Value Position::non_pawn_material() const { + return non_pawn_material(WHITE) + non_pawn_material(BLACK); +} + +inline int Position::game_ply() const { + return gamePly; +} + +inline int Position::rule50_count() const { + return st->rule50; +} + +inline bool Position::opposite_bishops() const { + return count(WHITE) == 1 + && count(BLACK) == 1 + && opposite_colors(square(WHITE), square(BLACK)); +} + +inline bool Position::is_chess960() const { + return chess960; +} + +inline bool Position::capture(Move m) const { + assert(is_ok(m)); + // Castling is encoded as "king captures rook" + return (!empty(to_sq(m)) && type_of(m) != CASTLING) || type_of(m) == EN_PASSANT; +} + +inline Piece Position::captured_piece() const { + return st->capturedPiece; +} + +inline Thread* Position::this_thread() const { + return thisThread; +} + +inline void Position::put_piece(Piece pc, Square s) { + + board[s] = pc; + byTypeBB[ALL_PIECES] |= byTypeBB[type_of(pc)] |= s; + byColorBB[color_of(pc)] |= s; + pieceCount[pc]++; + pieceCount[make_piece(color_of(pc), ALL_PIECES)]++; + psq += PSQT::psq[pc][s]; +} + +inline void Position::remove_piece(Square s) { + + Piece pc = board[s]; + byTypeBB[ALL_PIECES] ^= s; + byTypeBB[type_of(pc)] ^= s; + byColorBB[color_of(pc)] ^= s; + board[s] = NO_PIECE; + pieceCount[pc]--; + pieceCount[make_piece(color_of(pc), ALL_PIECES)]--; + psq -= PSQT::psq[pc][s]; +} + +inline void Position::move_piece(Square from, Square to) { + + Piece pc = board[from]; + Bitboard fromTo = from | to; + byTypeBB[ALL_PIECES] ^= fromTo; + byTypeBB[type_of(pc)] ^= fromTo; + byColorBB[color_of(pc)] ^= fromTo; + board[from] = NO_PIECE; + board[to] = pc; + psq += PSQT::psq[pc][to] - PSQT::psq[pc][from]; +} + +inline void Position::do_move(Move m, StateInfo& newSt) { + do_move(m, newSt, gives_check(m)); +} + +inline StateInfo* Position::state() const { + + return st; +} + +} // namespace Stockfish + +#endif // #ifndef POSITION_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/psqt.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/psqt.cpp new file mode 100755 index 00000000..ca5664c2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/psqt.cpp @@ -0,0 +1,131 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + + +#include "psqt.h" + +#include + +#include "bitboard.h" +#include "types.h" + +namespace Stockfish { + +namespace +{ + +auto constexpr S = make_score; + +// 'Bonus' contains Piece-Square parameters. +// Scores are explicit for files A to D, implicitly mirrored for E to H. +constexpr Score Bonus[][RANK_NB][int(FILE_NB) / 2] = { + { }, + { }, + { // Knight + { S(-175, -96), S(-92,-65), S(-74,-49), S(-73,-21) }, + { S( -77, -67), S(-41,-54), S(-27,-18), S(-15, 8) }, + { S( -61, -40), S(-17,-27), S( 6, -8), S( 12, 29) }, + { S( -35, -35), S( 8, -2), S( 40, 13), S( 49, 28) }, + { S( -34, -45), S( 13,-16), S( 44, 9), S( 51, 39) }, + { S( -9, -51), S( 22,-44), S( 58,-16), S( 53, 17) }, + { S( -67, -69), S(-27,-50), S( 4,-51), S( 37, 12) }, + { S(-201,-100), S(-83,-88), S(-56,-56), S(-26,-17) } + }, + { // Bishop + { S(-37,-40), S(-4 ,-21), S( -6,-26), S(-16, -8) }, + { S(-11,-26), S( 6, -9), S( 13,-12), S( 3, 1) }, + { S(-5 ,-11), S( 15, -1), S( -4, -1), S( 12, 7) }, + { S(-4 ,-14), S( 8, -4), S( 18, 0), S( 27, 12) }, + { S(-8 ,-12), S( 20, -1), S( 15,-10), S( 22, 11) }, + { S(-11,-21), S( 4, 4), S( 1, 3), S( 8, 4) }, + { S(-12,-22), S(-10,-14), S( 4, -1), S( 0, 1) }, + { S(-34,-32), S( 1,-29), S(-10,-26), S(-16,-17) } + }, + { // Rook + { S(-31, -9), S(-20,-13), S(-14,-10), S(-5, -9) }, + { S(-21,-12), S(-13, -9), S( -8, -1), S( 6, -2) }, + { S(-25, 6), S(-11, -8), S( -1, -2), S( 3, -6) }, + { S(-13, -6), S( -5, 1), S( -4, -9), S(-6, 7) }, + { S(-27, -5), S(-15, 8), S( -4, 7), S( 3, -6) }, + { S(-22, 6), S( -2, 1), S( 6, -7), S(12, 10) }, + { S( -2, 4), S( 12, 5), S( 16, 20), S(18, -5) }, + { S(-17, 18), S(-19, 0), S( -1, 19), S( 9, 13) } + }, + { // Queen + { S( 3,-69), S(-5,-57), S(-5,-47), S( 4,-26) }, + { S(-3,-54), S( 5,-31), S( 8,-22), S(12, -4) }, + { S(-3,-39), S( 6,-18), S(13, -9), S( 7, 3) }, + { S( 4,-23), S( 5, -3), S( 9, 13), S( 8, 24) }, + { S( 0,-29), S(14, -6), S(12, 9), S( 5, 21) }, + { S(-4,-38), S(10,-18), S( 6,-11), S( 8, 1) }, + { S(-5,-50), S( 6,-27), S(10,-24), S( 8, -8) }, + { S(-2,-74), S(-2,-52), S( 1,-43), S(-2,-34) } + }, + { // King + { S(271, 1), S(327, 45), S(271, 85), S(198, 76) }, + { S(278, 53), S(303,100), S(234,133), S(179,135) }, + { S(195, 88), S(258,130), S(169,169), S(120,175) }, + { S(164,103), S(190,156), S(138,172), S( 98,172) }, + { S(154, 96), S(179,166), S(105,199), S( 70,199) }, + { S(123, 92), S(145,172), S( 81,184), S( 31,191) }, + { S( 88, 47), S(120,121), S( 65,116), S( 33,131) }, + { S( 59, 11), S( 89, 59), S( 45, 73), S( -1, 78) } + } +}; + +constexpr Score PBonus[RANK_NB][FILE_NB] = + { // Pawn (asymmetric distribution) + { }, + { S( 2, -8), S( 4, -6), S( 11, 9), S( 18, 5), S( 16, 16), S( 21, 6), S( 9, -6), S( -3,-18) }, + { S( -9, -9), S(-15, -7), S( 11,-10), S( 15, 5), S( 31, 2), S( 23, 3), S( 6, -8), S(-20, -5) }, + { S( -3, 7), S(-20, 1), S( 8, -8), S( 19, -2), S( 39,-14), S( 17,-13), S( 2,-11), S( -5, -6) }, + { S( 11, 12), S( -4, 6), S(-11, 2), S( 2, -6), S( 11, -5), S( 0, -4), S(-12, 14), S( 5, 9) }, + { S( 3, 27), S(-11, 18), S( -6, 19), S( 22, 29), S( -8, 30), S( -5, 9), S(-14, 8), S(-11, 14) }, + { S( -7, -1), S( 6,-14), S( -2, 13), S(-11, 22), S( 4, 24), S(-14, 17), S( 10, 7), S( -9, 7) } + }; + +} // namespace + + +namespace PSQT +{ + +Score psq[PIECE_NB][SQUARE_NB]; + +// PSQT::init() initializes piece-square tables: the white halves of the tables are +// copied from Bonus[] and PBonus[], adding the piece value, then the black halves of +// the tables are initialized by flipping and changing the sign of the white scores. +void init() { + + for (Piece pc : {W_PAWN, W_KNIGHT, W_BISHOP, W_ROOK, W_QUEEN, W_KING}) + { + Score score = make_score(PieceValue[MG][pc], PieceValue[EG][pc]); + + for (Square s = SQ_A1; s <= SQ_H8; ++s) + { + File f = File(edge_distance(file_of(s))); + psq[ pc][s] = score + (type_of(pc) == PAWN ? PBonus[rank_of(s)][file_of(s)] + : Bonus[pc][rank_of(s)][f]); + psq[~pc][flip_rank(s)] = -psq[pc][s]; + } + } +} + +} // namespace PSQT + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/psqt.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/psqt.h new file mode 100755 index 00000000..4ee0e379 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/psqt.h @@ -0,0 +1,38 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + + +#ifndef PSQT_H_INCLUDED +#define PSQT_H_INCLUDED + + +#include "types.h" + + +namespace Stockfish::PSQT +{ + +extern Score psq[PIECE_NB][SQUARE_NB]; + +// Fill psqt array from a set of internally linked parameters +extern void init(); + +} // namespace Stockfish::PSQT + + +#endif // PSQT_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/search.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/search.cpp new file mode 100755 index 00000000..c8163d1f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/search.cpp @@ -0,0 +1,1959 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include +#include +#include +#include // For std::memset +#include +#include + +#include "evaluate.h" +#include "misc.h" +#include "movegen.h" +#include "movepick.h" +#include "position.h" +#include "search.h" +#include "thread.h" +#include "timeman.h" +#include "tt.h" +#include "uci.h" +#include "syzygy/tbprobe.h" + +namespace Stockfish { + +namespace Search { + + LimitsType Limits; +} + +namespace Tablebases { + + int Cardinality; + bool RootInTB; + bool UseRule50; + Depth ProbeDepth; +} + +namespace TB = Tablebases; + +using std::string; +using Eval::evaluate; +using namespace Search; + +namespace { + + // Different node types, used as a template parameter + enum NodeType { NonPV, PV, Root }; + + // Futility margin + Value futility_margin(Depth d, bool improving) { + return Value(165 * (d - improving)); + } + + // Reductions lookup table, initialized at startup + int Reductions[MAX_MOVES]; // [depth or moveNumber] + + Depth reduction(bool i, Depth d, int mn, Value delta, Value rootDelta) { + int r = Reductions[d] * Reductions[mn]; + return (r + 1642 - int(delta) * 1024 / int(rootDelta)) / 1024 + (!i && r > 916); + } + + constexpr int futility_move_count(bool improving, Depth depth) { + return improving ? (3 + depth * depth) + : (3 + depth * depth) / 2; + } + + // History and stats update bonus, based on depth + int stat_bonus(Depth d) { + return std::min((12 * d + 282) * d - 349 , 1594); + } + + // Add a small random component to draw evaluations to avoid 3-fold blindness + Value value_draw(const Thread* thisThread) { + return VALUE_DRAW - 1 + Value(thisThread->nodes & 0x2); + } + + // Skill structure is used to implement strength limit. If we have an uci_elo then + // we convert it to a suitable fractional skill level using anchoring to CCRL Elo + // (goldfish 1.13 = 2000) and a fit through Ordo derived Elo for match (TC 60+0.6) + // results spanning a wide range of k values. + struct Skill { + Skill(int skill_level, int uci_elo) { + if (uci_elo) + level = std::clamp(std::pow((uci_elo - 1346.6) / 143.4, 1 / 0.806), 0.0, 20.0); + else + level = double(skill_level); + } + bool enabled() const { return level < 20.0; } + bool time_to_pick(Depth depth) const { return depth == 1 + int(level); } + Move pick_best(size_t multiPV); + + double level; + Move best = MOVE_NONE; + }; + + template + Value search(Position& pos, Stack* ss, Value alpha, Value beta, Depth depth, bool cutNode); + + template + Value qsearch(Position& pos, Stack* ss, Value alpha, Value beta, Depth depth = 0); + + Value value_to_tt(Value v, int ply); + Value value_from_tt(Value v, int ply, int r50c); + void update_pv(Move* pv, Move move, const Move* childPv); + void update_continuation_histories(Stack* ss, Piece pc, Square to, int bonus); + void update_quiet_stats(const Position& pos, Stack* ss, Move move, int bonus); + void update_all_stats(const Position& pos, Stack* ss, Move bestMove, Value bestValue, Value beta, Square prevSq, + Move* quietsSearched, int quietCount, Move* capturesSearched, int captureCount, Depth depth); + + // perft() is our utility to verify move generation. All the leaf nodes up + // to the given depth are generated and counted, and the sum is returned. + template + uint64_t perft(Position& pos, Depth depth) { + + StateInfo st; + ASSERT_ALIGNED(&st, Eval::NNUE::CacheLineSize); + + uint64_t cnt, nodes = 0; + const bool leaf = (depth == 2); + + for (const auto& m : MoveList(pos)) + { + if (Root && depth <= 1) + cnt = 1, nodes++; + else + { + pos.do_move(m, st); + cnt = leaf ? MoveList(pos).size() : perft(pos, depth - 1); + nodes += cnt; + pos.undo_move(m); + } + if (Root) + sync_cout << UCI::move(m, pos.is_chess960()) << ": " << cnt << sync_endl; + } + return nodes; + } + +} // namespace + + +/// Search::init() is called at startup to initialize various lookup tables + +void Search::init() { + + for (int i = 1; i < MAX_MOVES; ++i) + Reductions[i] = int((20.26 + std::log(Threads.size()) / 2) * std::log(i)); +} + + +/// Search::clear() resets search state to its initial value + +void Search::clear() { + + Threads.main()->wait_for_search_finished(); + + Time.availableNodes = 0; + TT.clear(); + Threads.clear(); + Tablebases::init(Options["SyzygyPath"]); // Free mapped files +} + + +/// MainThread::search() is started when the program receives the UCI 'go' +/// command. It searches from the root position and outputs the "bestmove". + +void MainThread::search() { + + if (Limits.perft) + { + nodes = perft(rootPos, Limits.perft); + sync_cout << "\nNodes searched: " << nodes << "\n" << sync_endl; + return; + } + + Color us = rootPos.side_to_move(); + Time.init(Limits, us, rootPos.game_ply()); + TT.new_search(); + + Eval::NNUE::verify(); + + if (rootMoves.empty()) + { + rootMoves.emplace_back(MOVE_NONE); + sync_cout << "info depth 0 score " + << UCI::value(rootPos.checkers() ? -VALUE_MATE : VALUE_DRAW) + << sync_endl; + } + else + { + Threads.start_searching(); // start non-main threads + Thread::search(); // main thread start searching + } + + // When we reach the maximum depth, we can arrive here without a raise of + // Threads.stop. However, if we are pondering or in an infinite search, + // the UCI protocol states that we shouldn't print the best move before the + // GUI sends a "stop" or "ponderhit" command. We therefore simply wait here + // until the GUI sends one of those commands. + + while (!Threads.stop && (ponder || Limits.infinite)) + {} // Busy wait for a stop or a ponder reset + + // Stop the threads if not already stopped (also raise the stop if + // "ponderhit" just reset Threads.ponder). + Threads.stop = true; + + // Wait until all threads have finished + Threads.wait_for_search_finished(); + + // When playing in 'nodes as time' mode, subtract the searched nodes from + // the available ones before exiting. + if (Limits.npmsec) + Time.availableNodes += Limits.inc[us] - Threads.nodes_searched(); + + Thread* bestThread = this; + Skill skill = Skill(Options["Skill Level"], Options["UCI_LimitStrength"] ? int(Options["UCI_Elo"]) : 0); + + if ( int(Options["MultiPV"]) == 1 + && !Limits.depth + && !skill.enabled() + && rootMoves[0].pv[0] != MOVE_NONE) + bestThread = Threads.get_best_thread(); + + bestPreviousScore = bestThread->rootMoves[0].score; + bestPreviousAverageScore = bestThread->rootMoves[0].averageScore; + + for (Thread* th : Threads) + th->previousDepth = bestThread->completedDepth; + + // Send again PV info if we have a new best thread + if (bestThread != this) + sync_cout << UCI::pv(bestThread->rootPos, bestThread->completedDepth) << sync_endl; + + sync_cout << "bestmove " << UCI::move(bestThread->rootMoves[0].pv[0], rootPos.is_chess960()); + + if (bestThread->rootMoves[0].pv.size() > 1 || bestThread->rootMoves[0].extract_ponder_from_tt(rootPos)) + std::cout << " ponder " << UCI::move(bestThread->rootMoves[0].pv[1], rootPos.is_chess960()); + + std::cout << sync_endl; +} + + +/// Thread::search() is the main iterative deepening loop. It calls search() +/// repeatedly with increasing depth until the allocated thinking time has been +/// consumed, the user stops the search, or the maximum search depth is reached. + +void Thread::search() { + + // To allow access to (ss-7) up to (ss+2), the stack must be oversized. + // The former is needed to allow update_continuation_histories(ss-1, ...), + // which accesses its argument at ss-6, also near the root. + // The latter is needed for statScore and killer initialization. + Stack stack[MAX_PLY+10], *ss = stack+7; + Move pv[MAX_PLY+1]; + Value alpha, beta, delta; + Move lastBestMove = MOVE_NONE; + Depth lastBestMoveDepth = 0; + MainThread* mainThread = (this == Threads.main() ? Threads.main() : nullptr); + double timeReduction = 1, totBestMoveChanges = 0; + Color us = rootPos.side_to_move(); + int iterIdx = 0; + + std::memset(ss-7, 0, 10 * sizeof(Stack)); + for (int i = 7; i > 0; i--) + (ss-i)->continuationHistory = &this->continuationHistory[0][0][NO_PIECE][0]; // Use as a sentinel + + for (int i = 0; i <= MAX_PLY + 2; ++i) + (ss+i)->ply = i; + + ss->pv = pv; + + bestValue = delta = alpha = -VALUE_INFINITE; + beta = VALUE_INFINITE; + + if (mainThread) + { + if (mainThread->bestPreviousScore == VALUE_INFINITE) + for (int i = 0; i < 4; ++i) + mainThread->iterValue[i] = VALUE_ZERO; + else + for (int i = 0; i < 4; ++i) + mainThread->iterValue[i] = mainThread->bestPreviousScore; + } + + size_t multiPV = size_t(Options["MultiPV"]); + Skill skill(Options["Skill Level"], Options["UCI_LimitStrength"] ? int(Options["UCI_Elo"]) : 0); + + // When playing with strength handicap enable MultiPV search that we will + // use behind the scenes to retrieve a set of possible moves. + if (skill.enabled()) + multiPV = std::max(multiPV, (size_t)4); + + multiPV = std::min(multiPV, rootMoves.size()); + + complexityAverage.set(155, 1); + + optimism[us] = optimism[~us] = VALUE_ZERO; + + int searchAgainCounter = 0; + + // Iterative deepening loop until requested to stop or the target depth is reached + while ( ++rootDepth < MAX_PLY + && !Threads.stop + && !(Limits.depth && mainThread && rootDepth > Limits.depth)) + { + // Age out PV variability metric + if (mainThread) + totBestMoveChanges /= 2; + + // Save the last iteration's scores before first PV line is searched and + // all the move scores except the (new) PV are set to -VALUE_INFINITE. + for (RootMove& rm : rootMoves) + rm.previousScore = rm.score; + + size_t pvFirst = 0; + pvLast = 0; + + if (!Threads.increaseDepth) + searchAgainCounter++; + + // MultiPV loop. We perform a full root search for each PV line + for (pvIdx = 0; pvIdx < multiPV && !Threads.stop; ++pvIdx) + { + if (pvIdx == pvLast) + { + pvFirst = pvLast; + for (pvLast++; pvLast < rootMoves.size(); pvLast++) + if (rootMoves[pvLast].tbRank != rootMoves[pvFirst].tbRank) + break; + } + + // Reset UCI info selDepth for each depth and each PV line + selDepth = 0; + + // Reset aspiration window starting size + if (rootDepth >= 4) + { + Value prev = rootMoves[pvIdx].averageScore; + delta = Value(10) + int(prev) * prev / 15620; + alpha = std::max(prev - delta,-VALUE_INFINITE); + beta = std::min(prev + delta, VALUE_INFINITE); + + // Adjust optimism based on root move's previousScore + int opt = 118 * prev / (std::abs(prev) + 169); + optimism[ us] = Value(opt); + optimism[~us] = -optimism[us]; + } + + // Start with a small aspiration window and, in the case of a fail + // high/low, re-search with a bigger window until we don't fail + // high/low anymore. + int failedHighCnt = 0; + while (true) + { + // Adjust the effective depth searched, but ensuring at least one effective increment for every + // four searchAgain steps (see issue #2717). + Depth adjustedDepth = std::max(1, rootDepth - failedHighCnt - 3 * (searchAgainCounter + 1) / 4); + bestValue = Stockfish::search(rootPos, ss, alpha, beta, adjustedDepth, false); + + // Bring the best move to the front. It is critical that sorting + // is done with a stable algorithm because all the values but the + // first and eventually the new best one are set to -VALUE_INFINITE + // and we want to keep the same order for all the moves except the + // new PV that goes to the front. Note that in case of MultiPV + // search the already searched PV lines are preserved. + std::stable_sort(rootMoves.begin() + pvIdx, rootMoves.begin() + pvLast); + + // If search has been stopped, we break immediately. Sorting is + // safe because RootMoves is still valid, although it refers to + // the previous iteration. + if (Threads.stop) + break; + + // When failing high/low give some update (without cluttering + // the UI) before a re-search. + if ( mainThread + && multiPV == 1 + && (bestValue <= alpha || bestValue >= beta) + && Time.elapsed() > 3000) + sync_cout << UCI::pv(rootPos, rootDepth) << sync_endl; + + // In case of failing low/high increase aspiration window and + // re-search, otherwise exit the loop. + if (bestValue <= alpha) + { + beta = (alpha + beta) / 2; + alpha = std::max(bestValue - delta, -VALUE_INFINITE); + + failedHighCnt = 0; + if (mainThread) + mainThread->stopOnPonderhit = false; + } + else if (bestValue >= beta) + { + beta = std::min(bestValue + delta, VALUE_INFINITE); + ++failedHighCnt; + } + else + break; + + delta += delta / 4 + 2; + + assert(alpha >= -VALUE_INFINITE && beta <= VALUE_INFINITE); + } + + // Sort the PV lines searched so far and update the GUI + std::stable_sort(rootMoves.begin() + pvFirst, rootMoves.begin() + pvIdx + 1); + + if ( mainThread + && (Threads.stop || pvIdx + 1 == multiPV || Time.elapsed() > 3000)) + sync_cout << UCI::pv(rootPos, rootDepth) << sync_endl; + } + + if (!Threads.stop) + completedDepth = rootDepth; + + if (rootMoves[0].pv[0] != lastBestMove) { + lastBestMove = rootMoves[0].pv[0]; + lastBestMoveDepth = rootDepth; + } + + // Have we found a "mate in x"? + if ( Limits.mate + && bestValue >= VALUE_MATE_IN_MAX_PLY + && VALUE_MATE - bestValue <= 2 * Limits.mate) + Threads.stop = true; + + if (!mainThread) + continue; + + // If skill level is enabled and time is up, pick a sub-optimal best move + if (skill.enabled() && skill.time_to_pick(rootDepth)) + skill.pick_best(multiPV); + + // Use part of the gained time from a previous stable move for the current move + for (Thread* th : Threads) + { + totBestMoveChanges += th->bestMoveChanges; + th->bestMoveChanges = 0; + } + + // Do we have time for the next iteration? Can we stop searching now? + if ( Limits.use_time_management() + && !Threads.stop + && !mainThread->stopOnPonderhit) + { + double fallingEval = (71 + 12 * (mainThread->bestPreviousAverageScore - bestValue) + + 6 * (mainThread->iterValue[iterIdx] - bestValue)) / 656.7; + fallingEval = std::clamp(fallingEval, 0.5, 1.5); + + // If the bestMove is stable over several iterations, reduce time accordingly + timeReduction = lastBestMoveDepth + 9 < completedDepth ? 1.37 : 0.65; + double reduction = (1.4 + mainThread->previousTimeReduction) / (2.15 * timeReduction); + double bestMoveInstability = 1 + 1.7 * totBestMoveChanges / Threads.size(); + int complexity = mainThread->complexityAverage.value(); + double complexPosition = std::min(1.0 + (complexity - 261) / 1738.7, 1.5); + + double totalTime = Time.optimum() * fallingEval * reduction * bestMoveInstability * complexPosition; + + // Cap used time in case of a single legal move for a better viewer experience in tournaments + // yielding correct scores and sufficiently fast moves. + if (rootMoves.size() == 1) + totalTime = std::min(500.0, totalTime); + + // Stop the search if we have exceeded the totalTime + if (Time.elapsed() > totalTime) + { + // If we are allowed to ponder do not stop the search now but + // keep pondering until the GUI sends "ponderhit" or "stop". + if (mainThread->ponder) + mainThread->stopOnPonderhit = true; + else + Threads.stop = true; + } + else if ( Threads.increaseDepth + && !mainThread->ponder + && Time.elapsed() > totalTime * 0.53) + Threads.increaseDepth = false; + else + Threads.increaseDepth = true; + } + + mainThread->iterValue[iterIdx] = bestValue; + iterIdx = (iterIdx + 1) & 3; + } + + if (!mainThread) + return; + + mainThread->previousTimeReduction = timeReduction; + + // If skill level is enabled, swap best PV line with the sub-optimal one + if (skill.enabled()) + std::swap(rootMoves[0], *std::find(rootMoves.begin(), rootMoves.end(), + skill.best ? skill.best : skill.pick_best(multiPV))); +} + + +namespace { + + // search<>() is the main search function for both PV and non-PV nodes + + template + Value search(Position& pos, Stack* ss, Value alpha, Value beta, Depth depth, bool cutNode) { + + constexpr bool PvNode = nodeType != NonPV; + constexpr bool rootNode = nodeType == Root; + const Depth maxNextDepth = rootNode ? depth : depth + 1; + + // Check if we have an upcoming move which draws by repetition, or + // if the opponent had an alternative move earlier to this position. + if ( !rootNode + && pos.rule50_count() >= 3 + && alpha < VALUE_DRAW + && pos.has_game_cycle(ss->ply)) + { + alpha = value_draw(pos.this_thread()); + if (alpha >= beta) + return alpha; + } + + // Dive into quiescence search when the depth reaches zero + if (depth <= 0) + return qsearch(pos, ss, alpha, beta); + + assert(-VALUE_INFINITE <= alpha && alpha < beta && beta <= VALUE_INFINITE); + assert(PvNode || (alpha == beta - 1)); + assert(0 < depth && depth < MAX_PLY); + assert(!(PvNode && cutNode)); + + Move pv[MAX_PLY+1], capturesSearched[32], quietsSearched[64]; + StateInfo st; + ASSERT_ALIGNED(&st, Eval::NNUE::CacheLineSize); + + TTEntry* tte; + Key posKey; + Move ttMove, move, excludedMove, bestMove; + Depth extension, newDepth; + Value bestValue, value, ttValue, eval, maxValue, probCutBeta; + bool givesCheck, improving, priorCapture, singularQuietLMR; + bool capture, moveCountPruning, ttCapture; + Piece movedPiece; + int moveCount, captureCount, quietCount, improvement, complexity; + + // Step 1. Initialize node + Thread* thisThread = pos.this_thread(); + ss->inCheck = pos.checkers(); + priorCapture = pos.captured_piece(); + Color us = pos.side_to_move(); + moveCount = captureCount = quietCount = ss->moveCount = 0; + bestValue = -VALUE_INFINITE; + maxValue = VALUE_INFINITE; + + // Check for the available remaining time + if (thisThread == Threads.main()) + static_cast(thisThread)->check_time(); + + // Used to send selDepth info to GUI (selDepth counts from 1, ply from 0) + if (PvNode && thisThread->selDepth < ss->ply + 1) + thisThread->selDepth = ss->ply + 1; + + if (!rootNode) + { + // Step 2. Check for aborted search and immediate draw + if ( Threads.stop.load(std::memory_order_relaxed) + || pos.is_draw(ss->ply) + || ss->ply >= MAX_PLY) + return (ss->ply >= MAX_PLY && !ss->inCheck) ? evaluate(pos) + : value_draw(pos.this_thread()); + + // Step 3. Mate distance pruning. Even if we mate at the next move our score + // would be at best mate_in(ss->ply+1), but if alpha is already bigger because + // a shorter mate was found upward in the tree then there is no need to search + // because we will never beat the current alpha. Same logic but with reversed + // signs applies also in the opposite condition of being mated instead of giving + // mate. In this case return a fail-high score. + alpha = std::max(mated_in(ss->ply), alpha); + beta = std::min(mate_in(ss->ply+1), beta); + if (alpha >= beta) + return alpha; + } + else + thisThread->rootDelta = beta - alpha; + + assert(0 <= ss->ply && ss->ply < MAX_PLY); + + (ss+1)->ttPv = false; + (ss+1)->excludedMove = bestMove = MOVE_NONE; + (ss+2)->killers[0] = (ss+2)->killers[1] = MOVE_NONE; + (ss+2)->cutoffCnt = 0; + ss->doubleExtensions = (ss-1)->doubleExtensions; + Square prevSq = to_sq((ss-1)->currentMove); + + // Initialize statScore to zero for the grandchildren of the current position. + // So statScore is shared between all grandchildren and only the first grandchild + // starts with statScore = 0. Later grandchildren start with the last calculated + // statScore of the previous grandchild. This influences the reduction rules in + // LMR which are based on the statScore of parent position. + if (!rootNode) + (ss+2)->statScore = 0; + + // Step 4. Transposition table lookup. We don't want the score of a partial + // search to overwrite a previous full search TT value, so we use a different + // position key in case of an excluded move. + excludedMove = ss->excludedMove; + posKey = excludedMove == MOVE_NONE ? pos.key() : pos.key() ^ make_key(excludedMove); + tte = TT.probe(posKey, ss->ttHit); + ttValue = ss->ttHit ? value_from_tt(tte->value(), ss->ply, pos.rule50_count()) : VALUE_NONE; + ttMove = rootNode ? thisThread->rootMoves[thisThread->pvIdx].pv[0] + : ss->ttHit ? tte->move() : MOVE_NONE; + ttCapture = ttMove && pos.capture(ttMove); + if (!excludedMove) + ss->ttPv = PvNode || (ss->ttHit && tte->is_pv()); + + // At non-PV nodes we check for an early TT cutoff + if ( !PvNode + && ss->ttHit + && tte->depth() > depth - (tte->bound() == BOUND_EXACT) + && ttValue != VALUE_NONE // Possible in case of TT access race + && (tte->bound() & (ttValue >= beta ? BOUND_LOWER : BOUND_UPPER))) + { + // If ttMove is quiet, update move sorting heuristics on TT hit (~1 Elo) + if (ttMove) + { + if (ttValue >= beta) + { + // Bonus for a quiet ttMove that fails high (~3 Elo) + if (!ttCapture) + update_quiet_stats(pos, ss, ttMove, stat_bonus(depth)); + + // Extra penalty for early quiet moves of the previous ply (~0 Elo) + if ((ss-1)->moveCount <= 2 && !priorCapture) + update_continuation_histories(ss-1, pos.piece_on(prevSq), prevSq, -stat_bonus(depth + 1)); + } + // Penalty for a quiet ttMove that fails low (~1 Elo) + else if (!ttCapture) + { + int penalty = -stat_bonus(depth); + thisThread->mainHistory[us][from_to(ttMove)] << penalty; + update_continuation_histories(ss, pos.moved_piece(ttMove), to_sq(ttMove), penalty); + } + } + + // Partial workaround for the graph history interaction problem + // For high rule50 counts don't produce transposition table cutoffs. + if (pos.rule50_count() < 90) + return ttValue; + } + + // Step 5. Tablebases probe + if (!rootNode && TB::Cardinality) + { + int piecesCount = pos.count(); + + if ( piecesCount <= TB::Cardinality + && (piecesCount < TB::Cardinality || depth >= TB::ProbeDepth) + && pos.rule50_count() == 0 + && !pos.can_castle(ANY_CASTLING)) + { + TB::ProbeState err; + TB::WDLScore wdl = Tablebases::probe_wdl(pos, &err); + + // Force check of time on the next occasion + if (thisThread == Threads.main()) + static_cast(thisThread)->callsCnt = 0; + + if (err != TB::ProbeState::FAIL) + { + thisThread->tbHits.fetch_add(1, std::memory_order_relaxed); + + int drawScore = TB::UseRule50 ? 1 : 0; + + // use the range VALUE_MATE_IN_MAX_PLY to VALUE_TB_WIN_IN_MAX_PLY to score + value = wdl < -drawScore ? VALUE_MATED_IN_MAX_PLY + ss->ply + 1 + : wdl > drawScore ? VALUE_MATE_IN_MAX_PLY - ss->ply - 1 + : VALUE_DRAW + 2 * wdl * drawScore; + + Bound b = wdl < -drawScore ? BOUND_UPPER + : wdl > drawScore ? BOUND_LOWER : BOUND_EXACT; + + if ( b == BOUND_EXACT + || (b == BOUND_LOWER ? value >= beta : value <= alpha)) + { + tte->save(posKey, value_to_tt(value, ss->ply), ss->ttPv, b, + std::min(MAX_PLY - 1, depth + 6), + MOVE_NONE, VALUE_NONE); + + return value; + } + + if (PvNode) + { + if (b == BOUND_LOWER) + bestValue = value, alpha = std::max(alpha, bestValue); + else + maxValue = value; + } + } + } + } + + CapturePieceToHistory& captureHistory = thisThread->captureHistory; + + // Step 6. Static evaluation of the position + if (ss->inCheck) + { + // Skip early pruning when in check + ss->staticEval = eval = VALUE_NONE; + improving = false; + improvement = 0; + complexity = 0; + goto moves_loop; + } + else if (ss->ttHit) + { + // Never assume anything about values stored in TT + ss->staticEval = eval = tte->eval(); + if (eval == VALUE_NONE) + ss->staticEval = eval = evaluate(pos, &complexity); + else // Fall back to (semi)classical complexity for TT hits, the NNUE complexity is lost + complexity = abs(ss->staticEval - pos.psq_eg_stm()); + + // ttValue can be used as a better position evaluation (~4 Elo) + if ( ttValue != VALUE_NONE + && (tte->bound() & (ttValue > eval ? BOUND_LOWER : BOUND_UPPER))) + eval = ttValue; + } + else + { + ss->staticEval = eval = evaluate(pos, &complexity); + + // Save static evaluation into transposition table + if (!excludedMove) + tte->save(posKey, VALUE_NONE, ss->ttPv, BOUND_NONE, DEPTH_NONE, MOVE_NONE, eval); + } + + thisThread->complexityAverage.update(complexity); + + // Use static evaluation difference to improve quiet move ordering (~3 Elo) + if (is_ok((ss-1)->currentMove) && !(ss-1)->inCheck && !priorCapture) + { + int bonus = std::clamp(-19 * int((ss-1)->staticEval + ss->staticEval), -1914, 1914); + thisThread->mainHistory[~us][from_to((ss-1)->currentMove)] << bonus; + } + + // Set up the improvement variable, which is the difference between the current + // static evaluation and the previous static evaluation at our turn (if we were + // in check at our previous move we look at the move prior to it). The improvement + // margin and the improving flag are used in various pruning heuristics. + improvement = (ss-2)->staticEval != VALUE_NONE ? ss->staticEval - (ss-2)->staticEval + : (ss-4)->staticEval != VALUE_NONE ? ss->staticEval - (ss-4)->staticEval + : 168; + improving = improvement > 0; + + // Step 7. Razoring. + // If eval is really low check with qsearch if it can exceed alpha, if it can't, + // return a fail low. + if (eval < alpha - 369 - 254 * depth * depth) + { + value = qsearch(pos, ss, alpha - 1, alpha); + if (value < alpha) + return value; + } + + // Step 8. Futility pruning: child node (~25 Elo). + // The depth condition is important for mate finding. + if ( !ss->ttPv + && depth < 8 + && eval - futility_margin(depth, improving) - (ss-1)->statScore / 303 >= beta + && eval >= beta + && eval < 28031) // larger than VALUE_KNOWN_WIN, but smaller than TB wins + return eval; + + // Step 9. Null move search with verification search (~22 Elo) + if ( !PvNode + && (ss-1)->currentMove != MOVE_NULL + && (ss-1)->statScore < 17139 + && eval >= beta + && eval >= ss->staticEval + && ss->staticEval >= beta - 20 * depth - improvement / 13 + 233 + complexity / 25 + && !excludedMove + && pos.non_pawn_material(us) + && (ss->ply >= thisThread->nmpMinPly || us != thisThread->nmpColor)) + { + assert(eval - beta >= 0); + + // Null move dynamic reduction based on depth, eval and complexity of position + Depth R = std::min(int(eval - beta) / 168, 7) + depth / 3 + 4 - (complexity > 861); + + ss->currentMove = MOVE_NULL; + ss->continuationHistory = &thisThread->continuationHistory[0][0][NO_PIECE][0]; + + pos.do_null_move(st); + + Value nullValue = -search(pos, ss+1, -beta, -beta+1, depth-R, !cutNode); + + pos.undo_null_move(); + + if (nullValue >= beta) + { + // Do not return unproven mate or TB scores + if (nullValue >= VALUE_TB_WIN_IN_MAX_PLY) + nullValue = beta; + + if (thisThread->nmpMinPly || (abs(beta) < VALUE_KNOWN_WIN && depth < 14)) + return nullValue; + + assert(!thisThread->nmpMinPly); // Recursive verification is not allowed + + // Do verification search at high depths, with null move pruning disabled + // for us, until ply exceeds nmpMinPly. + thisThread->nmpMinPly = ss->ply + 3 * (depth-R) / 4; + thisThread->nmpColor = us; + + Value v = search(pos, ss, beta-1, beta, depth-R, false); + + thisThread->nmpMinPly = 0; + + if (v >= beta) + return nullValue; + } + } + + probCutBeta = beta + 191 - 54 * improving; + + // Step 10. ProbCut (~4 Elo) + // If we have a good enough capture and a reduced search returns a value + // much above beta, we can (almost) safely prune the previous move. + if ( !PvNode + && depth > 4 + && abs(beta) < VALUE_TB_WIN_IN_MAX_PLY + // if value from transposition table is lower than probCutBeta, don't attempt probCut + // there and in further interactions with transposition table cutoff depth is set to depth - 3 + // because probCut search has depth set to depth - 4 but we also do a move before it + // so effective depth is equal to depth - 3 + && !( ss->ttHit + && tte->depth() >= depth - 3 + && ttValue != VALUE_NONE + && ttValue < probCutBeta)) + { + assert(probCutBeta < VALUE_INFINITE); + + MovePicker mp(pos, ttMove, probCutBeta - ss->staticEval, &captureHistory); + + while ((move = mp.next_move()) != MOVE_NONE) + if (move != excludedMove && pos.legal(move)) + { + assert(pos.capture(move) || promotion_type(move) == QUEEN); + + ss->currentMove = move; + ss->continuationHistory = &thisThread->continuationHistory[ss->inCheck] + [true] + [pos.moved_piece(move)] + [to_sq(move)]; + + pos.do_move(move, st); + + // Perform a preliminary qsearch to verify that the move holds + value = -qsearch(pos, ss+1, -probCutBeta, -probCutBeta+1); + + // If the qsearch held, perform the regular search + if (value >= probCutBeta) + value = -search(pos, ss+1, -probCutBeta, -probCutBeta+1, depth - 4, !cutNode); + + pos.undo_move(move); + + if (value >= probCutBeta) + { + // Save ProbCut data into transposition table + tte->save(posKey, value_to_tt(value, ss->ply), ss->ttPv, BOUND_LOWER, depth - 3, move, ss->staticEval); + return value; + } + } + } + + // Step 11. If the position is not in TT, decrease depth by 3. + // Use qsearch if depth is equal or below zero (~4 Elo) + if ( PvNode + && !ttMove) + depth -= 3; + + if (depth <= 0) + return qsearch(pos, ss, alpha, beta); + + if ( cutNode + && depth >= 9 + && !ttMove) + depth -= 2; + +moves_loop: // When in check, search starts here + + // Step 12. A small Probcut idea, when we are in check (~0 Elo) + probCutBeta = beta + 417; + if ( ss->inCheck + && !PvNode + && depth >= 2 + && ttCapture + && (tte->bound() & BOUND_LOWER) + && tte->depth() >= depth - 3 + && ttValue >= probCutBeta + && abs(ttValue) <= VALUE_KNOWN_WIN + && abs(beta) <= VALUE_KNOWN_WIN + ) + return probCutBeta; + + + const PieceToHistory* contHist[] = { (ss-1)->continuationHistory, (ss-2)->continuationHistory, + nullptr , (ss-4)->continuationHistory, + nullptr , (ss-6)->continuationHistory }; + + Move countermove = thisThread->counterMoves[pos.piece_on(prevSq)][prevSq]; + + MovePicker mp(pos, ttMove, depth, &thisThread->mainHistory, + &captureHistory, + contHist, + countermove, + ss->killers); + + value = bestValue; + moveCountPruning = singularQuietLMR = false; + + // Indicate PvNodes that will probably fail low if the node was searched + // at a depth equal or greater than the current depth, and the result of this search was a fail low. + bool likelyFailLow = PvNode + && ttMove + && (tte->bound() & BOUND_UPPER) + && tte->depth() >= depth; + + // Step 13. Loop through all pseudo-legal moves until no moves remain + // or a beta cutoff occurs. + while ((move = mp.next_move(moveCountPruning)) != MOVE_NONE) + { + assert(is_ok(move)); + + if (move == excludedMove) + continue; + + // At root obey the "searchmoves" option and skip moves not listed in Root + // Move List. As a consequence any illegal move is also skipped. In MultiPV + // mode we also skip PV moves which have been already searched and those + // of lower "TB rank" if we are in a TB root position. + if (rootNode && !std::count(thisThread->rootMoves.begin() + thisThread->pvIdx, + thisThread->rootMoves.begin() + thisThread->pvLast, move)) + continue; + + // Check for legality + if (!rootNode && !pos.legal(move)) + continue; + + ss->moveCount = ++moveCount; + + if (rootNode && thisThread == Threads.main() && Time.elapsed() > 3000) + sync_cout << "info depth " << depth + << " currmove " << UCI::move(move, pos.is_chess960()) + << " currmovenumber " << moveCount + thisThread->pvIdx << sync_endl; + if (PvNode) + (ss+1)->pv = nullptr; + + extension = 0; + capture = pos.capture(move); + movedPiece = pos.moved_piece(move); + givesCheck = pos.gives_check(move); + + // Calculate new depth for this move + newDepth = depth - 1; + + Value delta = beta - alpha; + + // Step 14. Pruning at shallow depth (~98 Elo). Depth conditions are important for mate finding. + if ( !rootNode + && pos.non_pawn_material(us) + && bestValue > VALUE_TB_LOSS_IN_MAX_PLY) + { + // Skip quiet moves if movecount exceeds our FutilityMoveCount threshold (~7 Elo) + moveCountPruning = moveCount >= futility_move_count(improving, depth); + + // Reduced depth of the next LMR search + int lmrDepth = std::max(newDepth - reduction(improving, depth, moveCount, delta, thisThread->rootDelta), 0); + + if ( capture + || givesCheck) + { + // Futility pruning for captures (~0 Elo) + if ( !givesCheck + && !PvNode + && lmrDepth < 7 + && !ss->inCheck + && ss->staticEval + 180 + 201 * lmrDepth + PieceValue[EG][pos.piece_on(to_sq(move))] + + captureHistory[movedPiece][to_sq(move)][type_of(pos.piece_on(to_sq(move)))] / 6 < alpha) + continue; + + // SEE based pruning (~9 Elo) + if (!pos.see_ge(move, Value(-222) * depth)) + continue; + } + else + { + int history = (*contHist[0])[movedPiece][to_sq(move)] + + (*contHist[1])[movedPiece][to_sq(move)] + + (*contHist[3])[movedPiece][to_sq(move)]; + + // Continuation history based pruning (~2 Elo) + if ( lmrDepth < 5 + && history < -3875 * (depth - 1)) + continue; + + history += 2 * thisThread->mainHistory[us][from_to(move)]; + + // Futility pruning: parent node (~9 Elo) + if ( !ss->inCheck + && lmrDepth < 13 + && ss->staticEval + 106 + 145 * lmrDepth + history / 52 <= alpha) + continue; + + // Prune moves with negative SEE (~3 Elo) + if (!pos.see_ge(move, Value(-24 * lmrDepth * lmrDepth - 15 * lmrDepth))) + continue; + } + } + + // Step 15. Extensions (~66 Elo) + // We take care to not overdo to avoid search getting stuck. + if (ss->ply < thisThread->rootDepth * 2) + { + // Singular extension search (~58 Elo). If all moves but one fail low on a + // search of (alpha-s, beta-s), and just one fails high on (alpha, beta), + // then that move is singular and should be extended. To verify this we do + // a reduced search on all the other moves but the ttMove and if the + // result is lower than ttValue minus a margin, then we will extend the ttMove. + if ( !rootNode + && depth >= 4 - (thisThread->previousDepth > 24) + 2 * (PvNode && tte->is_pv()) + && move == ttMove + && !excludedMove // Avoid recursive singular search + /* && ttValue != VALUE_NONE Already implicit in the next condition */ + && abs(ttValue) < VALUE_KNOWN_WIN + && (tte->bound() & BOUND_LOWER) + && tte->depth() >= depth - 3) + { + Value singularBeta = ttValue - (3 + (ss->ttPv && !PvNode)) * depth; + Depth singularDepth = (depth - 1) / 2; + + ss->excludedMove = move; + value = search(pos, ss, singularBeta - 1, singularBeta, singularDepth, cutNode); + ss->excludedMove = MOVE_NONE; + + if (value < singularBeta) + { + extension = 1; + singularQuietLMR = !ttCapture; + + // Avoid search explosion by limiting the number of double extensions + if ( !PvNode + && value < singularBeta - 25 + && ss->doubleExtensions <= 9) + extension = 2; + } + + // Multi-cut pruning + // Our ttMove is assumed to fail high, and now we failed high also on a reduced + // search without the ttMove. So we assume this expected Cut-node is not singular, + // that multiple moves fail high, and we can prune the whole subtree by returning + // a soft bound. + else if (singularBeta >= beta) + return singularBeta; + + // If the eval of ttMove is greater than beta, we reduce it (negative extension) + else if (ttValue >= beta) + extension = -2; + + // If the eval of ttMove is less than alpha and value, we reduce it (negative extension) + else if (ttValue <= alpha && ttValue <= value) + extension = -1; + } + + // Check extensions (~1 Elo) + else if ( givesCheck + && depth > 9 + && abs(ss->staticEval) > 82) + extension = 1; + + // Quiet ttMove extensions (~0 Elo) + else if ( PvNode + && move == ttMove + && move == ss->killers[0] + && (*contHist[0])[movedPiece][to_sq(move)] >= 5177) + extension = 1; + } + + // Add extension to new depth + newDepth += extension; + ss->doubleExtensions = (ss-1)->doubleExtensions + (extension == 2); + + // Speculative prefetch as early as possible + prefetch(TT.first_entry(pos.key_after(move))); + + // Update the current move (this must be done after singular extension search) + ss->currentMove = move; + ss->continuationHistory = &thisThread->continuationHistory[ss->inCheck] + [capture] + [movedPiece] + [to_sq(move)]; + + // Step 16. Make the move + pos.do_move(move, st, givesCheck); + + // Step 17. Late moves reduction / extension (LMR, ~98 Elo) + // We use various heuristics for the sons of a node after the first son has + // been searched. In general we would like to reduce them, but there are many + // cases where we extend a son if it has good chances to be "interesting". + if ( depth >= 2 + && moveCount > 1 + (PvNode && ss->ply <= 1) + && ( !ss->ttPv + || !capture + || (cutNode && (ss-1)->moveCount > 1))) + { + Depth r = reduction(improving, depth, moveCount, delta, thisThread->rootDelta); + + // Decrease reduction if position is or has been on the PV + // and node is not likely to fail low. (~3 Elo) + if ( ss->ttPv + && !likelyFailLow) + r -= 2; + + // Decrease reduction if opponent's move count is high (~1 Elo) + if ((ss-1)->moveCount > 7) + r--; + + // Increase reduction for cut nodes (~3 Elo) + if (cutNode) + r += 2; + + // Increase reduction if ttMove is a capture (~3 Elo) + if (ttCapture) + r++; + + // Decrease reduction for PvNodes based on depth + if (PvNode) + r -= 1 + 11 / (3 + depth); + + // Decrease reduction if ttMove has been singularly extended (~1 Elo) + if (singularQuietLMR) + r--; + + // Decrease reduction if we move a threatened piece (~1 Elo) + if ( depth > 9 + && (mp.threatenedPieces & from_sq(move))) + r--; + + // Increase reduction if next ply has a lot of fail high + if ((ss+1)->cutoffCnt > 3) + r++; + + ss->statScore = 2 * thisThread->mainHistory[us][from_to(move)] + + (*contHist[0])[movedPiece][to_sq(move)] + + (*contHist[1])[movedPiece][to_sq(move)] + + (*contHist[3])[movedPiece][to_sq(move)] + - 4433; + + // Decrease/increase reduction for moves with a good/bad history (~30 Elo) + r -= ss->statScore / (13628 + 4000 * (depth > 7 && depth < 19)); + + // In general we want to cap the LMR depth search at newDepth, but when + // reduction is negative, we allow this move a limited search extension + // beyond the first move depth. This may lead to hidden double extensions. + Depth d = std::clamp(newDepth - r, 1, newDepth + 1); + + value = -search(pos, ss+1, -(alpha+1), -alpha, d, true); + + // Do full depth search when reduced LMR search fails high + if (value > alpha && d < newDepth) + { + // Adjust full depth search based on LMR results - if result + // was good enough search deeper, if it was bad enough search shallower + const bool doDeeperSearch = value > (alpha + 64 + 11 * (newDepth - d)); + const bool doShallowerSearch = value < bestValue + newDepth; + + newDepth += doDeeperSearch - doShallowerSearch; + + if (newDepth > d) + value = -search(pos, ss+1, -(alpha+1), -alpha, newDepth, !cutNode); + + int bonus = value > alpha ? stat_bonus(newDepth) + : -stat_bonus(newDepth); + + if (capture) + bonus /= 6; + + update_continuation_histories(ss, movedPiece, to_sq(move), bonus); + } + } + + // Step 18. Full depth search when LMR is skipped + else if (!PvNode || moveCount > 1) + { + value = -search(pos, ss+1, -(alpha+1), -alpha, newDepth, !cutNode); + } + + // For PV nodes only, do a full PV search on the first move or after a fail + // high (in the latter case search only if value < beta), otherwise let the + // parent node fail low with value <= alpha and try another move. + if (PvNode && (moveCount == 1 || (value > alpha && (rootNode || value < beta)))) + { + (ss+1)->pv = pv; + (ss+1)->pv[0] = MOVE_NONE; + + value = -search(pos, ss+1, -beta, -alpha, + std::min(maxNextDepth, newDepth), false); + } + + // Step 19. Undo move + pos.undo_move(move); + + assert(value > -VALUE_INFINITE && value < VALUE_INFINITE); + + // Step 20. Check for a new best move + // Finished searching the move. If a stop occurred, the return value of + // the search cannot be trusted, and we return immediately without + // updating best move, PV and TT. + if (Threads.stop.load(std::memory_order_relaxed)) + return VALUE_ZERO; + + if (rootNode) + { + RootMove& rm = *std::find(thisThread->rootMoves.begin(), + thisThread->rootMoves.end(), move); + + rm.averageScore = rm.averageScore != -VALUE_INFINITE ? (2 * value + rm.averageScore) / 3 : value; + + // PV move or new best move? + if (moveCount == 1 || value > alpha) + { + rm.score = value; + rm.selDepth = thisThread->selDepth; + rm.scoreLowerbound = value >= beta; + rm.scoreUpperbound = value <= alpha; + rm.pv.resize(1); + + assert((ss+1)->pv); + + for (Move* m = (ss+1)->pv; *m != MOVE_NONE; ++m) + rm.pv.push_back(*m); + + // We record how often the best move has been changed in each iteration. + // This information is used for time management. In MultiPV mode, + // we must take care to only do this for the first PV line. + if ( moveCount > 1 + && !thisThread->pvIdx) + ++thisThread->bestMoveChanges; + } + else + // All other moves but the PV are set to the lowest value: this + // is not a problem when sorting because the sort is stable and the + // move position in the list is preserved - just the PV is pushed up. + rm.score = -VALUE_INFINITE; + } + + if (value > bestValue) + { + bestValue = value; + + if (value > alpha) + { + bestMove = move; + + if (PvNode && !rootNode) // Update pv even in fail-high case + update_pv(ss->pv, move, (ss+1)->pv); + + if (PvNode && value < beta) // Update alpha! Always alpha < beta + { + alpha = value; + + // Reduce other moves if we have found at least one score improvement + if ( depth > 1 + && depth < 6 + && beta < VALUE_KNOWN_WIN + && alpha > -VALUE_KNOWN_WIN) + depth -= 1; + + assert(depth > 0); + } + else + { + ss->cutoffCnt++; + assert(value >= beta); // Fail high + break; + } + } + } + + + // If the move is worse than some previously searched move, remember it to update its stats later + if (move != bestMove) + { + if (capture && captureCount < 32) + capturesSearched[captureCount++] = move; + + else if (!capture && quietCount < 64) + quietsSearched[quietCount++] = move; + } + } + + // The following condition would detect a stop only after move loop has been + // completed. But in this case bestValue is valid because we have fully + // searched our subtree, and we can anyhow save the result in TT. + /* + if (Threads.stop) + return VALUE_DRAW; + */ + + // Step 21. Check for mate and stalemate + // All legal moves have been searched and if there are no legal moves, it + // must be a mate or a stalemate. If we are in a singular extension search then + // return a fail low score. + + assert(moveCount || !ss->inCheck || excludedMove || !MoveList(pos).size()); + + if (!moveCount) + bestValue = excludedMove ? alpha : + ss->inCheck ? mated_in(ss->ply) + : VALUE_DRAW; + + // If there is a move which produces search value greater than alpha we update stats of searched moves + else if (bestMove) + update_all_stats(pos, ss, bestMove, bestValue, beta, prevSq, + quietsSearched, quietCount, capturesSearched, captureCount, depth); + + // Bonus for prior countermove that caused the fail low + else if ( (depth >= 5 || PvNode) + && !priorCapture) + { + //Assign extra bonus if current node is PvNode or cutNode + //or fail low was really bad + bool extraBonus = PvNode + || cutNode + || bestValue < alpha - 62 * depth; + + update_continuation_histories(ss-1, pos.piece_on(prevSq), prevSq, stat_bonus(depth) * (1 + extraBonus)); + } + + if (PvNode) + bestValue = std::min(bestValue, maxValue); + + // If no good move is found and the previous position was ttPv, then the previous + // opponent move is probably good and the new position is added to the search tree. + if (bestValue <= alpha) + ss->ttPv = ss->ttPv || ((ss-1)->ttPv && depth > 3); + + // Write gathered information in transposition table + if (!excludedMove && !(rootNode && thisThread->pvIdx)) + tte->save(posKey, value_to_tt(bestValue, ss->ply), ss->ttPv, + bestValue >= beta ? BOUND_LOWER : + PvNode && bestMove ? BOUND_EXACT : BOUND_UPPER, + depth, bestMove, ss->staticEval); + + assert(bestValue > -VALUE_INFINITE && bestValue < VALUE_INFINITE); + + return bestValue; + } + + + // qsearch() is the quiescence search function, which is called by the main search + // function with zero depth, or recursively with further decreasing depth per call. + // (~155 elo) + template + Value qsearch(Position& pos, Stack* ss, Value alpha, Value beta, Depth depth) { + + static_assert(nodeType != Root); + constexpr bool PvNode = nodeType == PV; + + assert(alpha >= -VALUE_INFINITE && alpha < beta && beta <= VALUE_INFINITE); + assert(PvNode || (alpha == beta - 1)); + assert(depth <= 0); + + Move pv[MAX_PLY+1]; + StateInfo st; + ASSERT_ALIGNED(&st, Eval::NNUE::CacheLineSize); + + TTEntry* tte; + Key posKey; + Move ttMove, move, bestMove; + Depth ttDepth; + Value bestValue, value, ttValue, futilityValue, futilityBase; + bool pvHit, givesCheck, capture; + int moveCount; + + if (PvNode) + { + (ss+1)->pv = pv; + ss->pv[0] = MOVE_NONE; + } + + Thread* thisThread = pos.this_thread(); + bestMove = MOVE_NONE; + ss->inCheck = pos.checkers(); + moveCount = 0; + + // Check for an immediate draw or maximum ply reached + if ( pos.is_draw(ss->ply) + || ss->ply >= MAX_PLY) + return (ss->ply >= MAX_PLY && !ss->inCheck) ? evaluate(pos) : VALUE_DRAW; + + assert(0 <= ss->ply && ss->ply < MAX_PLY); + + // Decide whether or not to include checks: this fixes also the type of + // TT entry depth that we are going to use. Note that in qsearch we use + // only two types of depth in TT: DEPTH_QS_CHECKS or DEPTH_QS_NO_CHECKS. + ttDepth = ss->inCheck || depth >= DEPTH_QS_CHECKS ? DEPTH_QS_CHECKS + : DEPTH_QS_NO_CHECKS; + // Transposition table lookup + posKey = pos.key(); + tte = TT.probe(posKey, ss->ttHit); + ttValue = ss->ttHit ? value_from_tt(tte->value(), ss->ply, pos.rule50_count()) : VALUE_NONE; + ttMove = ss->ttHit ? tte->move() : MOVE_NONE; + pvHit = ss->ttHit && tte->is_pv(); + + if ( !PvNode + && ss->ttHit + && tte->depth() >= ttDepth + && ttValue != VALUE_NONE // Only in case of TT access race + && (tte->bound() & (ttValue >= beta ? BOUND_LOWER : BOUND_UPPER))) + return ttValue; + + // Evaluate the position statically + if (ss->inCheck) + { + ss->staticEval = VALUE_NONE; + bestValue = futilityBase = -VALUE_INFINITE; + } + else + { + if (ss->ttHit) + { + // Never assume anything about values stored in TT + if ((ss->staticEval = bestValue = tte->eval()) == VALUE_NONE) + ss->staticEval = bestValue = evaluate(pos); + + // ttValue can be used as a better position evaluation (~7 Elo) + if ( ttValue != VALUE_NONE + && (tte->bound() & (ttValue > bestValue ? BOUND_LOWER : BOUND_UPPER))) + bestValue = ttValue; + } + else + // In case of null move search use previous static eval with a different sign + ss->staticEval = bestValue = + (ss-1)->currentMove != MOVE_NULL ? evaluate(pos) + : -(ss-1)->staticEval; + + // Stand pat. Return immediately if static value is at least beta + if (bestValue >= beta) + { + // Save gathered info in transposition table + if (!ss->ttHit) + tte->save(posKey, value_to_tt(bestValue, ss->ply), false, BOUND_LOWER, + DEPTH_NONE, MOVE_NONE, ss->staticEval); + + return bestValue; + } + + if (PvNode && bestValue > alpha) + alpha = bestValue; + + futilityBase = bestValue + 153; + } + + const PieceToHistory* contHist[] = { (ss-1)->continuationHistory, (ss-2)->continuationHistory, + nullptr , (ss-4)->continuationHistory, + nullptr , (ss-6)->continuationHistory }; + + // Initialize a MovePicker object for the current position, and prepare + // to search the moves. Because the depth is <= 0 here, only captures, + // queen promotions, and other checks (only if depth >= DEPTH_QS_CHECKS) + // will be generated. + Square prevSq = to_sq((ss-1)->currentMove); + MovePicker mp(pos, ttMove, depth, &thisThread->mainHistory, + &thisThread->captureHistory, + contHist, + prevSq); + + int quietCheckEvasions = 0; + + // Loop through the moves until no moves remain or a beta cutoff occurs + while ((move = mp.next_move()) != MOVE_NONE) + { + assert(is_ok(move)); + + // Check for legality + if (!pos.legal(move)) + continue; + + givesCheck = pos.gives_check(move); + capture = pos.capture(move); + + moveCount++; + + // Futility pruning and moveCount pruning (~5 Elo) + if ( bestValue > VALUE_TB_LOSS_IN_MAX_PLY + && !givesCheck + && to_sq(move) != prevSq + && futilityBase > -VALUE_KNOWN_WIN + && type_of(move) != PROMOTION) + { + + if (moveCount > 2) + continue; + + futilityValue = futilityBase + PieceValue[EG][pos.piece_on(to_sq(move))]; + + if (futilityValue <= alpha) + { + bestValue = std::max(bestValue, futilityValue); + continue; + } + + if (futilityBase <= alpha && !pos.see_ge(move, VALUE_ZERO + 1)) + { + bestValue = std::max(bestValue, futilityBase); + continue; + } + } + + // Do not search moves with negative SEE values (~5 Elo) + if ( bestValue > VALUE_TB_LOSS_IN_MAX_PLY + && !pos.see_ge(move)) + continue; + + // Speculative prefetch as early as possible + prefetch(TT.first_entry(pos.key_after(move))); + + ss->currentMove = move; + ss->continuationHistory = &thisThread->continuationHistory[ss->inCheck] + [capture] + [pos.moved_piece(move)] + [to_sq(move)]; + + // Continuation history based pruning (~2 Elo) + if ( !capture + && bestValue > VALUE_TB_LOSS_IN_MAX_PLY + && (*contHist[0])[pos.moved_piece(move)][to_sq(move)] < 0 + && (*contHist[1])[pos.moved_piece(move)][to_sq(move)] < 0) + continue; + + // We prune after 2nd quiet check evasion where being 'in check' is implicitly checked through the counter + // and being a 'quiet' apart from being a tt move is assumed after an increment because captures are pushed ahead. + if ( bestValue > VALUE_TB_LOSS_IN_MAX_PLY + && quietCheckEvasions > 1) + break; + + quietCheckEvasions += !capture && ss->inCheck; + + // Make and search the move + pos.do_move(move, st, givesCheck); + value = -qsearch(pos, ss+1, -beta, -alpha, depth - 1); + pos.undo_move(move); + + assert(value > -VALUE_INFINITE && value < VALUE_INFINITE); + + // Check for a new best move + if (value > bestValue) + { + bestValue = value; + + if (value > alpha) + { + bestMove = move; + + if (PvNode) // Update pv even in fail-high case + update_pv(ss->pv, move, (ss+1)->pv); + + if (PvNode && value < beta) // Update alpha here! + alpha = value; + else + break; // Fail high + } + } + } + + // All legal moves have been searched. A special case: if we're in check + // and no legal moves were found, it is checkmate. + if (ss->inCheck && bestValue == -VALUE_INFINITE) + { + assert(!MoveList(pos).size()); + + return mated_in(ss->ply); // Plies to mate from the root + } + + // Save gathered info in transposition table + tte->save(posKey, value_to_tt(bestValue, ss->ply), pvHit, + bestValue >= beta ? BOUND_LOWER : BOUND_UPPER, + ttDepth, bestMove, ss->staticEval); + + assert(bestValue > -VALUE_INFINITE && bestValue < VALUE_INFINITE); + + return bestValue; + } + + + // value_to_tt() adjusts a mate or TB score from "plies to mate from the root" to + // "plies to mate from the current position". Standard scores are unchanged. + // The function is called before storing a value in the transposition table. + + Value value_to_tt(Value v, int ply) { + + assert(v != VALUE_NONE); + + return v >= VALUE_TB_WIN_IN_MAX_PLY ? v + ply + : v <= VALUE_TB_LOSS_IN_MAX_PLY ? v - ply : v; + } + + + // value_from_tt() is the inverse of value_to_tt(): it adjusts a mate or TB score + // from the transposition table (which refers to the plies to mate/be mated from + // current position) to "plies to mate/be mated (TB win/loss) from the root". However, + // for mate scores, to avoid potentially false mate scores related to the 50 moves rule + // and the graph history interaction, we return an optimal TB score instead. + + Value value_from_tt(Value v, int ply, int r50c) { + + if (v == VALUE_NONE) + return VALUE_NONE; + + if (v >= VALUE_TB_WIN_IN_MAX_PLY) // TB win or better + { + if (v >= VALUE_MATE_IN_MAX_PLY && VALUE_MATE - v > 99 - r50c) + return VALUE_MATE_IN_MAX_PLY - 1; // do not return a potentially false mate score + + return v - ply; + } + + if (v <= VALUE_TB_LOSS_IN_MAX_PLY) // TB loss or worse + { + if (v <= VALUE_MATED_IN_MAX_PLY && VALUE_MATE + v > 99 - r50c) + return VALUE_MATED_IN_MAX_PLY + 1; // do not return a potentially false mate score + + return v + ply; + } + + return v; + } + + + // update_pv() adds current move and appends child pv[] + + void update_pv(Move* pv, Move move, const Move* childPv) { + + for (*pv++ = move; childPv && *childPv != MOVE_NONE; ) + *pv++ = *childPv++; + *pv = MOVE_NONE; + } + + + // update_all_stats() updates stats at the end of search() when a bestMove is found + + void update_all_stats(const Position& pos, Stack* ss, Move bestMove, Value bestValue, Value beta, Square prevSq, + Move* quietsSearched, int quietCount, Move* capturesSearched, int captureCount, Depth depth) { + + Color us = pos.side_to_move(); + Thread* thisThread = pos.this_thread(); + CapturePieceToHistory& captureHistory = thisThread->captureHistory; + Piece moved_piece = pos.moved_piece(bestMove); + PieceType captured = type_of(pos.piece_on(to_sq(bestMove))); + int bonus1 = stat_bonus(depth + 1); + + if (!pos.capture(bestMove)) + { + int bonus2 = bestValue > beta + 137 ? bonus1 // larger bonus + : stat_bonus(depth); // smaller bonus + + // Increase stats for the best move in case it was a quiet move + update_quiet_stats(pos, ss, bestMove, bonus2); + + // Decrease stats for all non-best quiet moves + for (int i = 0; i < quietCount; ++i) + { + thisThread->mainHistory[us][from_to(quietsSearched[i])] << -bonus2; + update_continuation_histories(ss, pos.moved_piece(quietsSearched[i]), to_sq(quietsSearched[i]), -bonus2); + } + } + else + // Increase stats for the best move in case it was a capture move + captureHistory[moved_piece][to_sq(bestMove)][captured] << bonus1; + + // Extra penalty for a quiet early move that was not a TT move or + // main killer move in previous ply when it gets refuted. + if ( ((ss-1)->moveCount == 1 + (ss-1)->ttHit || ((ss-1)->currentMove == (ss-1)->killers[0])) + && !pos.captured_piece()) + update_continuation_histories(ss-1, pos.piece_on(prevSq), prevSq, -bonus1); + + // Decrease stats for all non-best capture moves + for (int i = 0; i < captureCount; ++i) + { + moved_piece = pos.moved_piece(capturesSearched[i]); + captured = type_of(pos.piece_on(to_sq(capturesSearched[i]))); + captureHistory[moved_piece][to_sq(capturesSearched[i])][captured] << -bonus1; + } + } + + + // update_continuation_histories() updates histories of the move pairs formed + // by moves at ply -1, -2, -4, and -6 with current move. + + void update_continuation_histories(Stack* ss, Piece pc, Square to, int bonus) { + + for (int i : {1, 2, 4, 6}) + { + // Only update first 2 continuation histories if we are in check + if (ss->inCheck && i > 2) + break; + if (is_ok((ss-i)->currentMove)) + (*(ss-i)->continuationHistory)[pc][to] << bonus; + } + } + + + // update_quiet_stats() updates move sorting heuristics + + void update_quiet_stats(const Position& pos, Stack* ss, Move move, int bonus) { + + // Update killers + if (ss->killers[0] != move) + { + ss->killers[1] = ss->killers[0]; + ss->killers[0] = move; + } + + Color us = pos.side_to_move(); + Thread* thisThread = pos.this_thread(); + thisThread->mainHistory[us][from_to(move)] << bonus; + update_continuation_histories(ss, pos.moved_piece(move), to_sq(move), bonus); + + // Update countermove history + if (is_ok((ss-1)->currentMove)) + { + Square prevSq = to_sq((ss-1)->currentMove); + thisThread->counterMoves[pos.piece_on(prevSq)][prevSq] = move; + } + } + + // When playing with strength handicap, choose best move among a set of RootMoves + // using a statistical rule dependent on 'level'. Idea by Heinz van Saanen. + + Move Skill::pick_best(size_t multiPV) { + + const RootMoves& rootMoves = Threads.main()->rootMoves; + static PRNG rng(now()); // PRNG sequence should be non-deterministic + + // RootMoves are already sorted by score in descending order + Value topScore = rootMoves[0].score; + int delta = std::min(topScore - rootMoves[multiPV - 1].score, PawnValueMg); + int maxScore = -VALUE_INFINITE; + double weakness = 120 - 2 * level; + + // Choose best move. For each move score we add two terms, both dependent on + // weakness. One is deterministic and bigger for weaker levels, and one is + // random. Then we choose the move with the resulting highest score. + for (size_t i = 0; i < multiPV; ++i) + { + // This is our magic formula + int push = int(( weakness * int(topScore - rootMoves[i].score) + + delta * (rng.rand() % int(weakness))) / 128); + + if (rootMoves[i].score + push >= maxScore) + { + maxScore = rootMoves[i].score + push; + best = rootMoves[i].pv[0]; + } + } + + return best; + } + +} // namespace + + +/// MainThread::check_time() is used to print debug info and, more importantly, +/// to detect when we are out of available time and thus stop the search. + +void MainThread::check_time() { + + if (--callsCnt > 0) + return; + + // When using nodes, ensure checking rate is not lower than 0.1% of nodes + callsCnt = Limits.nodes ? std::min(1024, int(Limits.nodes / 1024)) : 1024; + + static TimePoint lastInfoTime = now(); + + TimePoint elapsed = Time.elapsed(); + TimePoint tick = Limits.startTime + elapsed; + + if (tick - lastInfoTime >= 1000) + { + lastInfoTime = tick; + dbg_print(); + } + + // We should not stop pondering until told so by the GUI + if (ponder) + return; + + if ( (Limits.use_time_management() && (elapsed > Time.maximum() - 10 || stopOnPonderhit)) + || (Limits.movetime && elapsed >= Limits.movetime) + || (Limits.nodes && Threads.nodes_searched() >= (uint64_t)Limits.nodes)) + Threads.stop = true; +} + + +/// UCI::pv() formats PV information according to the UCI protocol. UCI requires +/// that all (if any) unsearched PV lines are sent using a previous search score. + +string UCI::pv(const Position& pos, Depth depth) { + + std::stringstream ss; + TimePoint elapsed = Time.elapsed() + 1; + const RootMoves& rootMoves = pos.this_thread()->rootMoves; + size_t pvIdx = pos.this_thread()->pvIdx; + size_t multiPV = std::min((size_t)Options["MultiPV"], rootMoves.size()); + uint64_t nodesSearched = Threads.nodes_searched(); + uint64_t tbHits = Threads.tb_hits() + (TB::RootInTB ? rootMoves.size() : 0); + + for (size_t i = 0; i < multiPV; ++i) + { + bool updated = rootMoves[i].score != -VALUE_INFINITE; + + if (depth == 1 && !updated && i > 0) + continue; + + Depth d = updated ? depth : std::max(1, depth - 1); + Value v = updated ? rootMoves[i].score : rootMoves[i].previousScore; + + if (v == -VALUE_INFINITE) + v = VALUE_ZERO; + + bool tb = TB::RootInTB && abs(v) < VALUE_MATE_IN_MAX_PLY; + v = tb ? rootMoves[i].tbScore : v; + + if (ss.rdbuf()->in_avail()) // Not at first line + ss << "\n"; + + ss << "info" + << " depth " << d + << " seldepth " << rootMoves[i].selDepth + << " multipv " << i + 1 + << " score " << UCI::value(v); + + if (Options["UCI_ShowWDL"]) + ss << UCI::wdl(v, pos.game_ply()); + + if (i == pvIdx && !tb && updated) // tablebase- and previous-scores are exact + ss << (rootMoves[i].scoreLowerbound ? " lowerbound" : (rootMoves[i].scoreUpperbound ? " upperbound" : "")); + + ss << " nodes " << nodesSearched + << " nps " << nodesSearched * 1000 / elapsed + << " hashfull " << TT.hashfull() + << " tbhits " << tbHits + << " time " << elapsed + << " pv"; + + for (Move m : rootMoves[i].pv) + ss << " " << UCI::move(m, pos.is_chess960()); + } + + return ss.str(); +} + + +/// RootMove::extract_ponder_from_tt() is called in case we have no ponder move +/// before exiting the search, for instance, in case we stop the search during a +/// fail high at root. We try hard to have a ponder move to return to the GUI, +/// otherwise in case of 'ponder on' we have nothing to think on. + +bool RootMove::extract_ponder_from_tt(Position& pos) { + + StateInfo st; + ASSERT_ALIGNED(&st, Eval::NNUE::CacheLineSize); + + bool ttHit; + + assert(pv.size() == 1); + + if (pv[0] == MOVE_NONE) + return false; + + pos.do_move(pv[0], st); + TTEntry* tte = TT.probe(pos.key(), ttHit); + + if (ttHit) + { + Move m = tte->move(); // Local copy to be SMP safe + if (MoveList(pos).contains(m)) + pv.push_back(m); + } + + pos.undo_move(pv[0]); + return pv.size() > 1; +} + +void Tablebases::rank_root_moves(Position& pos, Search::RootMoves& rootMoves) { + + RootInTB = false; + UseRule50 = bool(Options["Syzygy50MoveRule"]); + ProbeDepth = int(Options["SyzygyProbeDepth"]); + Cardinality = int(Options["SyzygyProbeLimit"]); + bool dtz_available = true; + + // Tables with fewer pieces than SyzygyProbeLimit are searched with + // ProbeDepth == DEPTH_ZERO + if (Cardinality > MaxCardinality) + { + Cardinality = MaxCardinality; + ProbeDepth = 0; + } + + if (Cardinality >= popcount(pos.pieces()) && !pos.can_castle(ANY_CASTLING)) + { + // Rank moves using DTZ tables + RootInTB = root_probe(pos, rootMoves); + + if (!RootInTB) + { + // DTZ tables are missing; try to rank moves using WDL tables + dtz_available = false; + RootInTB = root_probe_wdl(pos, rootMoves); + } + } + + if (RootInTB) + { + // Sort moves according to TB rank + std::stable_sort(rootMoves.begin(), rootMoves.end(), + [](const RootMove &a, const RootMove &b) { return a.tbRank > b.tbRank; } ); + + // Probe during search only if DTZ is not available and we are winning + if (dtz_available || rootMoves[0].tbScore <= VALUE_DRAW) + Cardinality = 0; + } + else + { + // Clean up if root_probe() and root_probe_wdl() have failed + for (auto& m : rootMoves) + m.tbRank = 0; + } +} + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/search.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/search.h new file mode 100755 index 00000000..60f2762a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/search.h @@ -0,0 +1,115 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef SEARCH_H_INCLUDED +#define SEARCH_H_INCLUDED + +#include + +#include "misc.h" +#include "movepick.h" +#include "types.h" + +namespace Stockfish { + +class Position; + +namespace Search { + + +/// Stack struct keeps track of the information we need to remember from nodes +/// shallower and deeper in the tree during the search. Each search thread has +/// its own array of Stack objects, indexed by the current ply. + +struct Stack { + Move* pv; + PieceToHistory* continuationHistory; + int ply; + Move currentMove; + Move excludedMove; + Move killers[2]; + Value staticEval; + int statScore; + int moveCount; + bool inCheck; + bool ttPv; + bool ttHit; + int doubleExtensions; + int cutoffCnt; +}; + + +/// RootMove struct is used for moves at the root of the tree. For each root move +/// we store a score and a PV (really a refutation in the case of moves which +/// fail low). Score is normally set at -VALUE_INFINITE for all non-pv moves. + +struct RootMove { + + explicit RootMove(Move m) : pv(1, m) {} + bool extract_ponder_from_tt(Position& pos); + bool operator==(const Move& m) const { return pv[0] == m; } + bool operator<(const RootMove& m) const { // Sort in descending order + return m.score != score ? m.score < score + : m.previousScore < previousScore; + } + + Value score = -VALUE_INFINITE; + Value previousScore = -VALUE_INFINITE; + Value averageScore = -VALUE_INFINITE; + bool scoreLowerbound = false; + bool scoreUpperbound = false; + int selDepth = 0; + int tbRank = 0; + Value tbScore; + std::vector pv; +}; + +typedef std::vector RootMoves; + + +/// LimitsType struct stores information sent by GUI about available time to +/// search the current move, maximum depth/time, or if we are in analysis mode. + +struct LimitsType { + + LimitsType() { // Init explicitly due to broken value-initialization of non POD in MSVC + time[WHITE] = time[BLACK] = inc[WHITE] = inc[BLACK] = npmsec = movetime = TimePoint(0); + movestogo = depth = mate = perft = infinite = 0; + nodes = 0; + } + + bool use_time_management() const { + return time[WHITE] || time[BLACK]; + } + + std::vector searchmoves; + TimePoint time[COLOR_NB], inc[COLOR_NB], npmsec, movetime, startTime; + int movestogo, depth, mate, perft, infinite; + int64_t nodes; +}; + +extern LimitsType Limits; + +void init(); +void clear(); + +} // namespace Search + +} // namespace Stockfish + +#endif // #ifndef SEARCH_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/syzygy/tbprobe.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/syzygy/tbprobe.cpp new file mode 100755 index 00000000..f2de036d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/syzygy/tbprobe.cpp @@ -0,0 +1,1628 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include +#include +#include +#include // For std::memset and std::memcpy +#include +#include +#include +#include +#include +#include +#include + +#include "../bitboard.h" +#include "../movegen.h" +#include "../position.h" +#include "../search.h" +#include "../types.h" +#include "../uci.h" + +#include "tbprobe.h" + +#ifndef _WIN32 +#include +#include +#include +#include +#else +#define WIN32_LEAN_AND_MEAN +#ifndef NOMINMAX +# define NOMINMAX // Disable macros min() and max() +#endif +#include +#endif + +using namespace Stockfish::Tablebases; + +int Stockfish::Tablebases::MaxCardinality; + +namespace Stockfish { + +namespace { + +constexpr int TBPIECES = 7; // Max number of supported pieces +constexpr int MAX_DTZ = 1 << 18; // Max DTZ supported, large enough to deal with the syzygy TB limit. + +enum { BigEndian, LittleEndian }; +enum TBType { WDL, DTZ }; // Used as template parameter + +// Each table has a set of flags: all of them refer to DTZ tables, the last one to WDL tables +enum TBFlag { STM = 1, Mapped = 2, WinPlies = 4, LossPlies = 8, Wide = 16, SingleValue = 128 }; + +inline WDLScore operator-(WDLScore d) { return WDLScore(-int(d)); } +inline Square operator^(Square s, int i) { return Square(int(s) ^ i); } + +const std::string PieceToChar = " PNBRQK pnbrqk"; + +int MapPawns[SQUARE_NB]; +int MapB1H1H7[SQUARE_NB]; +int MapA1D1D4[SQUARE_NB]; +int MapKK[10][SQUARE_NB]; // [MapA1D1D4][SQUARE_NB] + +int Binomial[6][SQUARE_NB]; // [k][n] k elements from a set of n elements +int LeadPawnIdx[6][SQUARE_NB]; // [leadPawnsCnt][SQUARE_NB] +int LeadPawnsSize[6][4]; // [leadPawnsCnt][FILE_A..FILE_D] + +// Comparison function to sort leading pawns in ascending MapPawns[] order +bool pawns_comp(Square i, Square j) { return MapPawns[i] < MapPawns[j]; } +int off_A1H8(Square sq) { return int(rank_of(sq)) - file_of(sq); } + +constexpr Value WDL_to_value[] = { + -VALUE_MATE + MAX_PLY + 1, + VALUE_DRAW - 2, + VALUE_DRAW, + VALUE_DRAW + 2, + VALUE_MATE - MAX_PLY - 1 +}; + +template +inline void swap_endian(T& x) +{ + static_assert(std::is_unsigned::value, "Argument of swap_endian not unsigned"); + + uint8_t tmp, *c = (uint8_t*)&x; + for (int i = 0; i < Half; ++i) + tmp = c[i], c[i] = c[End - i], c[End - i] = tmp; +} +template<> inline void swap_endian(uint8_t&) {} + +template T number(void* addr) +{ + T v; + + if ((uintptr_t)addr & (alignof(T) - 1)) // Unaligned pointer (very rare) + std::memcpy(&v, addr, sizeof(T)); + else + v = *((T*)addr); + + if (LE != IsLittleEndian) + swap_endian(v); + return v; +} + +// DTZ tables don't store valid scores for moves that reset the rule50 counter +// like captures and pawn moves but we can easily recover the correct dtz of the +// previous move if we know the position's WDL score. +int dtz_before_zeroing(WDLScore wdl) { + return wdl == WDLWin ? 1 : + wdl == WDLCursedWin ? 101 : + wdl == WDLBlessedLoss ? -101 : + wdl == WDLLoss ? -1 : 0; +} + +// Return the sign of a number (-1, 0, 1) +template int sign_of(T val) { + return (T(0) < val) - (val < T(0)); +} + +// Numbers in little endian used by sparseIndex[] to point into blockLength[] +struct SparseEntry { + char block[4]; // Number of block + char offset[2]; // Offset within the block +}; + +static_assert(sizeof(SparseEntry) == 6, "SparseEntry must be 6 bytes"); + +typedef uint16_t Sym; // Huffman symbol + +struct LR { + enum Side { Left, Right }; + + uint8_t lr[3]; // The first 12 bits is the left-hand symbol, the second 12 + // bits is the right-hand symbol. If symbol has length 1, + // then the left-hand symbol is the stored value. + template + Sym get() { + return S == Left ? ((lr[1] & 0xF) << 8) | lr[0] : + S == Right ? (lr[2] << 4) | (lr[1] >> 4) : (assert(false), Sym(-1)); + } +}; + +static_assert(sizeof(LR) == 3, "LR tree entry must be 3 bytes"); + +// Tablebases data layout is structured as following: +// +// TBFile: memory maps/unmaps the physical .rtbw and .rtbz files +// TBTable: one object for each file with corresponding indexing information +// TBTables: has ownership of TBTable objects, keeping a list and a hash + +// class TBFile memory maps/unmaps the single .rtbw and .rtbz files. Files are +// memory mapped for best performance. Files are mapped at first access: at init +// time only existence of the file is checked. +class TBFile : public std::ifstream { + + std::string fname; + +public: + // Look for and open the file among the Paths directories where the .rtbw + // and .rtbz files can be found. Multiple directories are separated by ";" + // on Windows and by ":" on Unix-based operating systems. + // + // Example: + // C:\tb\wdl345;C:\tb\wdl6;D:\tb\dtz345;D:\tb\dtz6 + static std::string Paths; + + TBFile(const std::string& f) { + +#ifndef _WIN32 + constexpr char SepChar = ':'; +#else + constexpr char SepChar = ';'; +#endif + std::stringstream ss(Paths); + std::string path; + + while (std::getline(ss, path, SepChar)) + { + fname = path + "/" + f; + std::ifstream::open(fname); + if (is_open()) + return; + } + } + + // Memory map the file and check it. File should be already open and will be + // closed after mapping. + uint8_t* map(void** baseAddress, uint64_t* mapping, TBType type) { + + assert(is_open()); + + close(); // Need to re-open to get native file descriptor + +#ifndef _WIN32 + struct stat statbuf; + int fd = ::open(fname.c_str(), O_RDONLY); + + if (fd == -1) + return *baseAddress = nullptr, nullptr; + + fstat(fd, &statbuf); + + if (statbuf.st_size % 64 != 16) + { + std::cerr << "Corrupt tablebase file " << fname << std::endl; + exit(EXIT_FAILURE); + } + + *mapping = statbuf.st_size; + *baseAddress = mmap(nullptr, statbuf.st_size, PROT_READ, MAP_SHARED, fd, 0); +#if defined(MADV_RANDOM) + madvise(*baseAddress, statbuf.st_size, MADV_RANDOM); +#endif + ::close(fd); + + if (*baseAddress == MAP_FAILED) + { + std::cerr << "Could not mmap() " << fname << std::endl; + exit(EXIT_FAILURE); + } +#else + // Note FILE_FLAG_RANDOM_ACCESS is only a hint to Windows and as such may get ignored. + HANDLE fd = CreateFile(fname.c_str(), GENERIC_READ, FILE_SHARE_READ, nullptr, + OPEN_EXISTING, FILE_FLAG_RANDOM_ACCESS, nullptr); + + if (fd == INVALID_HANDLE_VALUE) + return *baseAddress = nullptr, nullptr; + + DWORD size_high; + DWORD size_low = GetFileSize(fd, &size_high); + + if (size_low % 64 != 16) + { + std::cerr << "Corrupt tablebase file " << fname << std::endl; + exit(EXIT_FAILURE); + } + + HANDLE mmap = CreateFileMapping(fd, nullptr, PAGE_READONLY, size_high, size_low, nullptr); + CloseHandle(fd); + + if (!mmap) + { + std::cerr << "CreateFileMapping() failed" << std::endl; + exit(EXIT_FAILURE); + } + + *mapping = (uint64_t)mmap; + *baseAddress = MapViewOfFile(mmap, FILE_MAP_READ, 0, 0, 0); + + if (!*baseAddress) + { + std::cerr << "MapViewOfFile() failed, name = " << fname + << ", error = " << GetLastError() << std::endl; + exit(EXIT_FAILURE); + } +#endif + uint8_t* data = (uint8_t*)*baseAddress; + + constexpr uint8_t Magics[][4] = { { 0xD7, 0x66, 0x0C, 0xA5 }, + { 0x71, 0xE8, 0x23, 0x5D } }; + + if (memcmp(data, Magics[type == WDL], 4)) + { + std::cerr << "Corrupted table in file " << fname << std::endl; + unmap(*baseAddress, *mapping); + return *baseAddress = nullptr, nullptr; + } + + return data + 4; // Skip Magics's header + } + + static void unmap(void* baseAddress, uint64_t mapping) { + +#ifndef _WIN32 + munmap(baseAddress, mapping); +#else + UnmapViewOfFile(baseAddress); + CloseHandle((HANDLE)mapping); +#endif + } +}; + +std::string TBFile::Paths; + +// struct PairsData contains low level indexing information to access TB data. +// There are 8, 4 or 2 PairsData records for each TBTable, according to type of +// table and if positions have pawns or not. It is populated at first access. +struct PairsData { + uint8_t flags; // Table flags, see enum TBFlag + uint8_t maxSymLen; // Maximum length in bits of the Huffman symbols + uint8_t minSymLen; // Minimum length in bits of the Huffman symbols + uint32_t blocksNum; // Number of blocks in the TB file + size_t sizeofBlock; // Block size in bytes + size_t span; // About every span values there is a SparseIndex[] entry + Sym* lowestSym; // lowestSym[l] is the symbol of length l with the lowest value + LR* btree; // btree[sym] stores the left and right symbols that expand sym + uint16_t* blockLength; // Number of stored positions (minus one) for each block: 1..65536 + uint32_t blockLengthSize; // Size of blockLength[] table: padded so it's bigger than blocksNum + SparseEntry* sparseIndex; // Partial indices into blockLength[] + size_t sparseIndexSize; // Size of SparseIndex[] table + uint8_t* data; // Start of Huffman compressed data + std::vector base64; // base64[l - min_sym_len] is the 64bit-padded lowest symbol of length l + std::vector symlen; // Number of values (-1) represented by a given Huffman symbol: 1..256 + Piece pieces[TBPIECES]; // Position pieces: the order of pieces defines the groups + uint64_t groupIdx[TBPIECES+1]; // Start index used for the encoding of the group's pieces + int groupLen[TBPIECES+1]; // Number of pieces in a given group: KRKN -> (3, 1) + uint16_t map_idx[4]; // WDLWin, WDLLoss, WDLCursedWin, WDLBlessedLoss (used in DTZ) +}; + +// struct TBTable contains indexing information to access the corresponding TBFile. +// There are 2 types of TBTable, corresponding to a WDL or a DTZ file. TBTable +// is populated at init time but the nested PairsData records are populated at +// first access, when the corresponding file is memory mapped. +template +struct TBTable { + typedef typename std::conditional::type Ret; + + static constexpr int Sides = Type == WDL ? 2 : 1; + + std::atomic_bool ready; + void* baseAddress; + uint8_t* map; + uint64_t mapping; + Key key; + Key key2; + int pieceCount; + bool hasPawns; + bool hasUniquePieces; + uint8_t pawnCount[2]; // [Lead color / other color] + PairsData items[Sides][4]; // [wtm / btm][FILE_A..FILE_D or 0] + + PairsData* get(int stm, int f) { + return &items[stm % Sides][hasPawns ? f : 0]; + } + + TBTable() : ready(false), baseAddress(nullptr) {} + explicit TBTable(const std::string& code); + explicit TBTable(const TBTable& wdl); + + ~TBTable() { + if (baseAddress) + TBFile::unmap(baseAddress, mapping); + } +}; + +template<> +TBTable::TBTable(const std::string& code) : TBTable() { + + StateInfo st; + Position pos; + + key = pos.set(code, WHITE, &st).material_key(); + pieceCount = pos.count(); + hasPawns = pos.pieces(PAWN); + + hasUniquePieces = false; + for (Color c : { WHITE, BLACK }) + for (PieceType pt = PAWN; pt < KING; ++pt) + if (popcount(pos.pieces(c, pt)) == 1) + hasUniquePieces = true; + + // Set the leading color. In case both sides have pawns the leading color + // is the side with less pawns because this leads to better compression. + bool c = !pos.count(BLACK) + || ( pos.count(WHITE) + && pos.count(BLACK) >= pos.count(WHITE)); + + pawnCount[0] = pos.count(c ? WHITE : BLACK); + pawnCount[1] = pos.count(c ? BLACK : WHITE); + + key2 = pos.set(code, BLACK, &st).material_key(); +} + +template<> +TBTable::TBTable(const TBTable& wdl) : TBTable() { + + // Use the corresponding WDL table to avoid recalculating all from scratch + key = wdl.key; + key2 = wdl.key2; + pieceCount = wdl.pieceCount; + hasPawns = wdl.hasPawns; + hasUniquePieces = wdl.hasUniquePieces; + pawnCount[0] = wdl.pawnCount[0]; + pawnCount[1] = wdl.pawnCount[1]; +} + +// class TBTables creates and keeps ownership of the TBTable objects, one for +// each TB file found. It supports a fast, hash based, table lookup. Populated +// at init time, accessed at probe time. +class TBTables { + + struct Entry + { + Key key; + TBTable* wdl; + TBTable* dtz; + + template + TBTable* get() const { + return (TBTable*)(Type == WDL ? (void*)wdl : (void*)dtz); + } + }; + + static constexpr int Size = 1 << 12; // 4K table, indexed by key's 12 lsb + static constexpr int Overflow = 1; // Number of elements allowed to map to the last bucket + + Entry hashTable[Size + Overflow]; + + std::deque> wdlTable; + std::deque> dtzTable; + + void insert(Key key, TBTable* wdl, TBTable* dtz) { + uint32_t homeBucket = (uint32_t)key & (Size - 1); + Entry entry{ key, wdl, dtz }; + + // Ensure last element is empty to avoid overflow when looking up + for (uint32_t bucket = homeBucket; bucket < Size + Overflow - 1; ++bucket) { + Key otherKey = hashTable[bucket].key; + if (otherKey == key || !hashTable[bucket].get()) { + hashTable[bucket] = entry; + return; + } + + // Robin Hood hashing: If we've probed for longer than this element, + // insert here and search for a new spot for the other element instead. + uint32_t otherHomeBucket = (uint32_t)otherKey & (Size - 1); + if (otherHomeBucket > homeBucket) { + std::swap(entry, hashTable[bucket]); + key = otherKey; + homeBucket = otherHomeBucket; + } + } + std::cerr << "TB hash table size too low!" << std::endl; + exit(EXIT_FAILURE); + } + +public: + template + TBTable* get(Key key) { + for (const Entry* entry = &hashTable[(uint32_t)key & (Size - 1)]; ; ++entry) { + if (entry->key == key || !entry->get()) + return entry->get(); + } + } + + void clear() { + memset(hashTable, 0, sizeof(hashTable)); + wdlTable.clear(); + dtzTable.clear(); + } + size_t size() const { return wdlTable.size(); } + void add(const std::vector& pieces); +}; + +TBTables TBTables; + +// If the corresponding file exists two new objects TBTable and TBTable +// are created and added to the lists and hash table. Called at init time. +void TBTables::add(const std::vector& pieces) { + + std::string code; + + for (PieceType pt : pieces) + code += PieceToChar[pt]; + + TBFile file(code.insert(code.find('K', 1), "v") + ".rtbw"); // KRK -> KRvK + + if (!file.is_open()) // Only WDL file is checked + return; + + file.close(); + + MaxCardinality = std::max((int)pieces.size(), MaxCardinality); + + wdlTable.emplace_back(code); + dtzTable.emplace_back(wdlTable.back()); + + // Insert into the hash keys for both colors: KRvK with KR white and black + insert(wdlTable.back().key , &wdlTable.back(), &dtzTable.back()); + insert(wdlTable.back().key2, &wdlTable.back(), &dtzTable.back()); +} + +// TB tables are compressed with canonical Huffman code. The compressed data is divided into +// blocks of size d->sizeofBlock, and each block stores a variable number of symbols. +// Each symbol represents either a WDL or a (remapped) DTZ value, or a pair of other symbols +// (recursively). If you keep expanding the symbols in a block, you end up with up to 65536 +// WDL or DTZ values. Each symbol represents up to 256 values and will correspond after +// Huffman coding to at least 1 bit. So a block of 32 bytes corresponds to at most +// 32 x 8 x 256 = 65536 values. This maximum is only reached for tables that consist mostly +// of draws or mostly of wins, but such tables are actually quite common. In principle, the +// blocks in WDL tables are 64 bytes long (and will be aligned on cache lines). But for +// mostly-draw or mostly-win tables this can leave many 64-byte blocks only half-filled, so +// in such cases blocks are 32 bytes long. The blocks of DTZ tables are up to 1024 bytes long. +// The generator picks the size that leads to the smallest table. The "book" of symbols and +// Huffman codes is the same for all blocks in the table. A non-symmetric pawnless TB file +// will have one table for wtm and one for btm, a TB file with pawns will have tables per +// file a,b,c,d also in this case one set for wtm and one for btm. +int decompress_pairs(PairsData* d, uint64_t idx) { + + // Special case where all table positions store the same value + if (d->flags & TBFlag::SingleValue) + return d->minSymLen; + + // First we need to locate the right block that stores the value at index "idx". + // Because each block n stores blockLength[n] + 1 values, the index i of the block + // that contains the value at position idx is: + // + // for (i = -1, sum = 0; sum <= idx; i++) + // sum += blockLength[i + 1] + 1; + // + // This can be slow, so we use SparseIndex[] populated with a set of SparseEntry that + // point to known indices into blockLength[]. Namely SparseIndex[k] is a SparseEntry + // that stores the blockLength[] index and the offset within that block of the value + // with index I(k), where: + // + // I(k) = k * d->span + d->span / 2 (1) + + // First step is to get the 'k' of the I(k) nearest to our idx, using definition (1) + uint32_t k = uint32_t(idx / d->span); + + // Then we read the corresponding SparseIndex[] entry + uint32_t block = number(&d->sparseIndex[k].block); + int offset = number(&d->sparseIndex[k].offset); + + // Now compute the difference idx - I(k). From definition of k we know that + // + // idx = k * d->span + idx % d->span (2) + // + // So from (1) and (2) we can compute idx - I(K): + int diff = idx % d->span - d->span / 2; + + // Sum the above to offset to find the offset corresponding to our idx + offset += diff; + + // Move to previous/next block, until we reach the correct block that contains idx, + // that is when 0 <= offset <= d->blockLength[block] + while (offset < 0) + offset += d->blockLength[--block] + 1; + + while (offset > d->blockLength[block]) + offset -= d->blockLength[block++] + 1; + + // Finally, we find the start address of our block of canonical Huffman symbols + uint32_t* ptr = (uint32_t*)(d->data + ((uint64_t)block * d->sizeofBlock)); + + // Read the first 64 bits in our block, this is a (truncated) sequence of + // unknown number of symbols of unknown length but we know the first one + // is at the beginning of this 64 bits sequence. + uint64_t buf64 = number(ptr); ptr += 2; + int buf64Size = 64; + Sym sym; + + while (true) + { + int len = 0; // This is the symbol length - d->min_sym_len + + // Now get the symbol length. For any symbol s64 of length l right-padded + // to 64 bits we know that d->base64[l-1] >= s64 >= d->base64[l] so we + // can find the symbol length iterating through base64[]. + while (buf64 < d->base64[len]) + ++len; + + // All the symbols of a given length are consecutive integers (numerical + // sequence property), so we can compute the offset of our symbol of + // length len, stored at the beginning of buf64. + sym = Sym((buf64 - d->base64[len]) >> (64 - len - d->minSymLen)); + + // Now add the value of the lowest symbol of length len to get our symbol + sym += number(&d->lowestSym[len]); + + // If our offset is within the number of values represented by symbol sym + // we are done... + if (offset < d->symlen[sym] + 1) + break; + + // ...otherwise update the offset and continue to iterate + offset -= d->symlen[sym] + 1; + len += d->minSymLen; // Get the real length + buf64 <<= len; // Consume the just processed symbol + buf64Size -= len; + + if (buf64Size <= 32) { // Refill the buffer + buf64Size += 32; + buf64 |= (uint64_t)number(ptr++) << (64 - buf64Size); + } + } + + // Ok, now we have our symbol that expands into d->symlen[sym] + 1 symbols. + // We binary-search for our value recursively expanding into the left and + // right child symbols until we reach a leaf node where symlen[sym] + 1 == 1 + // that will store the value we need. + while (d->symlen[sym]) + { + Sym left = d->btree[sym].get(); + + // If a symbol contains 36 sub-symbols (d->symlen[sym] + 1 = 36) and + // expands in a pair (d->symlen[left] = 23, d->symlen[right] = 11), then + // we know that, for instance the ten-th value (offset = 10) will be on + // the left side because in Recursive Pairing child symbols are adjacent. + if (offset < d->symlen[left] + 1) + sym = left; + else { + offset -= d->symlen[left] + 1; + sym = d->btree[sym].get(); + } + } + + return d->btree[sym].get(); +} + +bool check_dtz_stm(TBTable*, int, File) { return true; } + +bool check_dtz_stm(TBTable* entry, int stm, File f) { + + auto flags = entry->get(stm, f)->flags; + return (flags & TBFlag::STM) == stm + || ((entry->key == entry->key2) && !entry->hasPawns); +} + +// DTZ scores are sorted by frequency of occurrence and then assigned the +// values 0, 1, 2, ... in order of decreasing frequency. This is done for each +// of the four WDLScore values. The mapping information necessary to reconstruct +// the original values is stored in the TB file and read during map[] init. +WDLScore map_score(TBTable*, File, int value, WDLScore) { return WDLScore(value - 2); } + +int map_score(TBTable* entry, File f, int value, WDLScore wdl) { + + constexpr int WDLMap[] = { 1, 3, 0, 2, 0 }; + + auto flags = entry->get(0, f)->flags; + + uint8_t* map = entry->map; + uint16_t* idx = entry->get(0, f)->map_idx; + if (flags & TBFlag::Mapped) { + if (flags & TBFlag::Wide) + value = ((uint16_t *)map)[idx[WDLMap[wdl + 2]] + value]; + else + value = map[idx[WDLMap[wdl + 2]] + value]; + } + + // DTZ tables store distance to zero in number of moves or plies. We + // want to return plies, so we have convert to plies when needed. + if ( (wdl == WDLWin && !(flags & TBFlag::WinPlies)) + || (wdl == WDLLoss && !(flags & TBFlag::LossPlies)) + || wdl == WDLCursedWin + || wdl == WDLBlessedLoss) + value *= 2; + + return value + 1; +} + +// Compute a unique index out of a position and use it to probe the TB file. To +// encode k pieces of same type and color, first sort the pieces by square in +// ascending order s1 <= s2 <= ... <= sk then compute the unique index as: +// +// idx = Binomial[1][s1] + Binomial[2][s2] + ... + Binomial[k][sk] +// +template +Ret do_probe_table(const Position& pos, T* entry, WDLScore wdl, ProbeState* result) { + + Square squares[TBPIECES]; + Piece pieces[TBPIECES]; + uint64_t idx; + int next = 0, size = 0, leadPawnsCnt = 0; + PairsData* d; + Bitboard b, leadPawns = 0; + File tbFile = FILE_A; + + // A given TB entry like KRK has associated two material keys: KRvk and Kvkr. + // If both sides have the same pieces keys are equal. In this case TB tables + // only store the 'white to move' case, so if the position to lookup has black + // to move, we need to switch the color and flip the squares before to lookup. + bool symmetricBlackToMove = (entry->key == entry->key2 && pos.side_to_move()); + + // TB files are calculated for white as stronger side. For instance we have + // KRvK, not KvKR. A position where stronger side is white will have its + // material key == entry->key, otherwise we have to switch the color and + // flip the squares before to lookup. + bool blackStronger = (pos.material_key() != entry->key); + + int flipColor = (symmetricBlackToMove || blackStronger) * 8; + int flipSquares = (symmetricBlackToMove || blackStronger) * 56; + int stm = (symmetricBlackToMove || blackStronger) ^ pos.side_to_move(); + + // For pawns, TB files store 4 separate tables according if leading pawn is on + // file a, b, c or d after reordering. The leading pawn is the one with maximum + // MapPawns[] value, that is the one most toward the edges and with lowest rank. + if (entry->hasPawns) { + + // In all the 4 tables, pawns are at the beginning of the piece sequence and + // their color is the reference one. So we just pick the first one. + Piece pc = Piece(entry->get(0, 0)->pieces[0] ^ flipColor); + + assert(type_of(pc) == PAWN); + + leadPawns = b = pos.pieces(color_of(pc), PAWN); + do + squares[size++] = pop_lsb(b) ^ flipSquares; + while (b); + + leadPawnsCnt = size; + + std::swap(squares[0], *std::max_element(squares, squares + leadPawnsCnt, pawns_comp)); + + tbFile = File(edge_distance(file_of(squares[0]))); + } + + // DTZ tables are one-sided, i.e. they store positions only for white to + // move or only for black to move, so check for side to move to be stm, + // early exit otherwise. + if (!check_dtz_stm(entry, stm, tbFile)) + return *result = CHANGE_STM, Ret(); + + // Now we are ready to get all the position pieces (but the lead pawns) and + // directly map them to the correct color and square. + b = pos.pieces() ^ leadPawns; + do { + Square s = pop_lsb(b); + squares[size] = s ^ flipSquares; + pieces[size++] = Piece(pos.piece_on(s) ^ flipColor); + } while (b); + + assert(size >= 2); + + d = entry->get(stm, tbFile); + + // Then we reorder the pieces to have the same sequence as the one stored + // in pieces[i]: the sequence that ensures the best compression. + for (int i = leadPawnsCnt; i < size - 1; ++i) + for (int j = i + 1; j < size; ++j) + if (d->pieces[i] == pieces[j]) + { + std::swap(pieces[i], pieces[j]); + std::swap(squares[i], squares[j]); + break; + } + + // Now we map again the squares so that the square of the lead piece is in + // the triangle A1-D1-D4. + if (file_of(squares[0]) > FILE_D) + for (int i = 0; i < size; ++i) + squares[i] = flip_file(squares[i]); + + // Encode leading pawns starting with the one with minimum MapPawns[] and + // proceeding in ascending order. + if (entry->hasPawns) { + idx = LeadPawnIdx[leadPawnsCnt][squares[0]]; + + std::stable_sort(squares + 1, squares + leadPawnsCnt, pawns_comp); + + for (int i = 1; i < leadPawnsCnt; ++i) + idx += Binomial[i][MapPawns[squares[i]]]; + + goto encode_remaining; // With pawns we have finished special treatments + } + + // In positions without pawns, we further flip the squares to ensure leading + // piece is below RANK_5. + if (rank_of(squares[0]) > RANK_4) + for (int i = 0; i < size; ++i) + squares[i] = flip_rank(squares[i]); + + // Look for the first piece of the leading group not on the A1-D4 diagonal + // and ensure it is mapped below the diagonal. + for (int i = 0; i < d->groupLen[0]; ++i) { + if (!off_A1H8(squares[i])) + continue; + + if (off_A1H8(squares[i]) > 0) // A1-H8 diagonal flip: SQ_A3 -> SQ_C1 + for (int j = i; j < size; ++j) + squares[j] = Square(((squares[j] >> 3) | (squares[j] << 3)) & 63); + break; + } + + // Encode the leading group. + // + // Suppose we have KRvK. Let's say the pieces are on square numbers wK, wR + // and bK (each 0...63). The simplest way to map this position to an index + // is like this: + // + // index = wK * 64 * 64 + wR * 64 + bK; + // + // But this way the TB is going to have 64*64*64 = 262144 positions, with + // lots of positions being equivalent (because they are mirrors of each + // other) and lots of positions being invalid (two pieces on one square, + // adjacent kings, etc.). + // Usually the first step is to take the wK and bK together. There are just + // 462 ways legal and not-mirrored ways to place the wK and bK on the board. + // Once we have placed the wK and bK, there are 62 squares left for the wR + // Mapping its square from 0..63 to available squares 0..61 can be done like: + // + // wR -= (wR > wK) + (wR > bK); + // + // In words: if wR "comes later" than wK, we deduct 1, and the same if wR + // "comes later" than bK. In case of two same pieces like KRRvK we want to + // place the two Rs "together". If we have 62 squares left, we can place two + // Rs "together" in 62 * 61 / 2 ways (we divide by 2 because rooks can be + // swapped and still get the same position.) + // + // In case we have at least 3 unique pieces (included kings) we encode them + // together. + if (entry->hasUniquePieces) { + + int adjust1 = squares[1] > squares[0]; + int adjust2 = (squares[2] > squares[0]) + (squares[2] > squares[1]); + + // First piece is below a1-h8 diagonal. MapA1D1D4[] maps the b1-d1-d3 + // triangle to 0...5. There are 63 squares for second piece and and 62 + // (mapped to 0...61) for the third. + if (off_A1H8(squares[0])) + idx = ( MapA1D1D4[squares[0]] * 63 + + (squares[1] - adjust1)) * 62 + + squares[2] - adjust2; + + // First piece is on a1-h8 diagonal, second below: map this occurrence to + // 6 to differentiate from the above case, rank_of() maps a1-d4 diagonal + // to 0...3 and finally MapB1H1H7[] maps the b1-h1-h7 triangle to 0..27. + else if (off_A1H8(squares[1])) + idx = ( 6 * 63 + rank_of(squares[0]) * 28 + + MapB1H1H7[squares[1]]) * 62 + + squares[2] - adjust2; + + // First two pieces are on a1-h8 diagonal, third below + else if (off_A1H8(squares[2])) + idx = 6 * 63 * 62 + 4 * 28 * 62 + + rank_of(squares[0]) * 7 * 28 + + (rank_of(squares[1]) - adjust1) * 28 + + MapB1H1H7[squares[2]]; + + // All 3 pieces on the diagonal a1-h8 + else + idx = 6 * 63 * 62 + 4 * 28 * 62 + 4 * 7 * 28 + + rank_of(squares[0]) * 7 * 6 + + (rank_of(squares[1]) - adjust1) * 6 + + (rank_of(squares[2]) - adjust2); + } else + // We don't have at least 3 unique pieces, like in KRRvKBB, just map + // the kings. + idx = MapKK[MapA1D1D4[squares[0]]][squares[1]]; + +encode_remaining: + idx *= d->groupIdx[0]; + Square* groupSq = squares + d->groupLen[0]; + + // Encode remaining pawns then pieces according to square, in ascending order + bool remainingPawns = entry->hasPawns && entry->pawnCount[1]; + + while (d->groupLen[++next]) + { + std::stable_sort(groupSq, groupSq + d->groupLen[next]); + uint64_t n = 0; + + // Map down a square if "comes later" than a square in the previous + // groups (similar to what done earlier for leading group pieces). + for (int i = 0; i < d->groupLen[next]; ++i) + { + auto f = [&](Square s) { return groupSq[i] > s; }; + auto adjust = std::count_if(squares, groupSq, f); + n += Binomial[i + 1][groupSq[i] - adjust - 8 * remainingPawns]; + } + + remainingPawns = false; + idx += n * d->groupIdx[next]; + groupSq += d->groupLen[next]; + } + + // Now that we have the index, decompress the pair and get the score + return map_score(entry, tbFile, decompress_pairs(d, idx), wdl); +} + +// Group together pieces that will be encoded together. The general rule is that +// a group contains pieces of same type and color. The exception is the leading +// group that, in case of positions without pawns, can be formed by 3 different +// pieces (default) or by the king pair when there is not a unique piece apart +// from the kings. When there are pawns, pawns are always first in pieces[]. +// +// As example KRKN -> KRK + N, KNNK -> KK + NN, KPPKP -> P + PP + K + K +// +// The actual grouping depends on the TB generator and can be inferred from the +// sequence of pieces in piece[] array. +template +void set_groups(T& e, PairsData* d, int order[], File f) { + + int n = 0, firstLen = e.hasPawns ? 0 : e.hasUniquePieces ? 3 : 2; + d->groupLen[n] = 1; + + // Number of pieces per group is stored in groupLen[], for instance in KRKN + // the encoder will default on '111', so groupLen[] will be (3, 1). + for (int i = 1; i < e.pieceCount; ++i) + if (--firstLen > 0 || d->pieces[i] == d->pieces[i - 1]) + d->groupLen[n]++; + else + d->groupLen[++n] = 1; + + d->groupLen[++n] = 0; // Zero-terminated + + // The sequence in pieces[] defines the groups, but not the order in which + // they are encoded. If the pieces in a group g can be combined on the board + // in N(g) different ways, then the position encoding will be of the form: + // + // g1 * N(g2) * N(g3) + g2 * N(g3) + g3 + // + // This ensures unique encoding for the whole position. The order of the + // groups is a per-table parameter and could not follow the canonical leading + // pawns/pieces -> remaining pawns -> remaining pieces. In particular the + // first group is at order[0] position and the remaining pawns, when present, + // are at order[1] position. + bool pp = e.hasPawns && e.pawnCount[1]; // Pawns on both sides + int next = pp ? 2 : 1; + int freeSquares = 64 - d->groupLen[0] - (pp ? d->groupLen[1] : 0); + uint64_t idx = 1; + + for (int k = 0; next < n || k == order[0] || k == order[1]; ++k) + if (k == order[0]) // Leading pawns or pieces + { + d->groupIdx[0] = idx; + idx *= e.hasPawns ? LeadPawnsSize[d->groupLen[0]][f] + : e.hasUniquePieces ? 31332 : 462; + } + else if (k == order[1]) // Remaining pawns + { + d->groupIdx[1] = idx; + idx *= Binomial[d->groupLen[1]][48 - d->groupLen[0]]; + } + else // Remaining pieces + { + d->groupIdx[next] = idx; + idx *= Binomial[d->groupLen[next]][freeSquares]; + freeSquares -= d->groupLen[next++]; + } + + d->groupIdx[n] = idx; +} + +// In Recursive Pairing each symbol represents a pair of children symbols. So +// read d->btree[] symbols data and expand each one in his left and right child +// symbol until reaching the leafs that represent the symbol value. +uint8_t set_symlen(PairsData* d, Sym s, std::vector& visited) { + + visited[s] = true; // We can set it now because tree is acyclic + Sym sr = d->btree[s].get(); + + if (sr == 0xFFF) + return 0; + + Sym sl = d->btree[s].get(); + + if (!visited[sl]) + d->symlen[sl] = set_symlen(d, sl, visited); + + if (!visited[sr]) + d->symlen[sr] = set_symlen(d, sr, visited); + + return d->symlen[sl] + d->symlen[sr] + 1; +} + +uint8_t* set_sizes(PairsData* d, uint8_t* data) { + + d->flags = *data++; + + if (d->flags & TBFlag::SingleValue) { + d->blocksNum = d->blockLengthSize = 0; + d->span = d->sparseIndexSize = 0; // Broken MSVC zero-init + d->minSymLen = *data++; // Here we store the single value + return data; + } + + // groupLen[] is a zero-terminated list of group lengths, the last groupIdx[] + // element stores the biggest index that is the tb size. + uint64_t tbSize = d->groupIdx[std::find(d->groupLen, d->groupLen + 7, 0) - d->groupLen]; + + d->sizeofBlock = 1ULL << *data++; + d->span = 1ULL << *data++; + d->sparseIndexSize = size_t((tbSize + d->span - 1) / d->span); // Round up + auto padding = number(data++); + d->blocksNum = number(data); data += sizeof(uint32_t); + d->blockLengthSize = d->blocksNum + padding; // Padded to ensure SparseIndex[] + // does not point out of range. + d->maxSymLen = *data++; + d->minSymLen = *data++; + d->lowestSym = (Sym*)data; + d->base64.resize(d->maxSymLen - d->minSymLen + 1); + + // The canonical code is ordered such that longer symbols (in terms of + // the number of bits of their Huffman code) have lower numeric value, + // so that d->lowestSym[i] >= d->lowestSym[i+1] (when read as LittleEndian). + // Starting from this we compute a base64[] table indexed by symbol length + // and containing 64 bit values so that d->base64[i] >= d->base64[i+1]. + // See https://en.wikipedia.org/wiki/Huffman_coding + for (int i = d->base64.size() - 2; i >= 0; --i) { + d->base64[i] = (d->base64[i + 1] + number(&d->lowestSym[i]) + - number(&d->lowestSym[i + 1])) / 2; + + assert(d->base64[i] * 2 >= d->base64[i+1]); + } + + // Now left-shift by an amount so that d->base64[i] gets shifted 1 bit more + // than d->base64[i+1] and given the above assert condition, we ensure that + // d->base64[i] >= d->base64[i+1]. Moreover for any symbol s64 of length i + // and right-padded to 64 bits holds d->base64[i-1] >= s64 >= d->base64[i]. + for (size_t i = 0; i < d->base64.size(); ++i) + d->base64[i] <<= 64 - i - d->minSymLen; // Right-padding to 64 bits + + data += d->base64.size() * sizeof(Sym); + d->symlen.resize(number(data)); data += sizeof(uint16_t); + d->btree = (LR*)data; + + // The compression scheme used is "Recursive Pairing", that replaces the most + // frequent adjacent pair of symbols in the source message by a new symbol, + // reevaluating the frequencies of all of the symbol pairs with respect to + // the extended alphabet, and then repeating the process. + // See http://www.larsson.dogma.net/dcc99.pdf + std::vector visited(d->symlen.size()); + + for (Sym sym = 0; sym < d->symlen.size(); ++sym) + if (!visited[sym]) + d->symlen[sym] = set_symlen(d, sym, visited); + + return data + d->symlen.size() * sizeof(LR) + (d->symlen.size() & 1); +} + +uint8_t* set_dtz_map(TBTable&, uint8_t* data, File) { return data; } + +uint8_t* set_dtz_map(TBTable& e, uint8_t* data, File maxFile) { + + e.map = data; + + for (File f = FILE_A; f <= maxFile; ++f) { + auto flags = e.get(0, f)->flags; + if (flags & TBFlag::Mapped) { + if (flags & TBFlag::Wide) { + data += (uintptr_t)data & 1; // Word alignment, we may have a mixed table + for (int i = 0; i < 4; ++i) { // Sequence like 3,x,x,x,1,x,0,2,x,x + e.get(0, f)->map_idx[i] = (uint16_t)((uint16_t *)data - (uint16_t *)e.map + 1); + data += 2 * number(data) + 2; + } + } + else { + for (int i = 0; i < 4; ++i) { + e.get(0, f)->map_idx[i] = (uint16_t)(data - e.map + 1); + data += *data + 1; + } + } + } + } + + return data += (uintptr_t)data & 1; // Word alignment +} + +// Populate entry's PairsData records with data from the just memory mapped file. +// Called at first access. +template +void set(T& e, uint8_t* data) { + + PairsData* d; + + enum { Split = 1, HasPawns = 2 }; + + assert(e.hasPawns == bool(*data & HasPawns)); + assert((e.key != e.key2) == bool(*data & Split)); + + data++; // First byte stores flags + + const int sides = T::Sides == 2 && (e.key != e.key2) ? 2 : 1; + const File maxFile = e.hasPawns ? FILE_D : FILE_A; + + bool pp = e.hasPawns && e.pawnCount[1]; // Pawns on both sides + + assert(!pp || e.pawnCount[0]); + + for (File f = FILE_A; f <= maxFile; ++f) { + + for (int i = 0; i < sides; i++) + *e.get(i, f) = PairsData(); + + int order[][2] = { { *data & 0xF, pp ? *(data + 1) & 0xF : 0xF }, + { *data >> 4, pp ? *(data + 1) >> 4 : 0xF } }; + data += 1 + pp; + + for (int k = 0; k < e.pieceCount; ++k, ++data) + for (int i = 0; i < sides; i++) + e.get(i, f)->pieces[k] = Piece(i ? *data >> 4 : *data & 0xF); + + for (int i = 0; i < sides; ++i) + set_groups(e, e.get(i, f), order[i], f); + } + + data += (uintptr_t)data & 1; // Word alignment + + for (File f = FILE_A; f <= maxFile; ++f) + for (int i = 0; i < sides; i++) + data = set_sizes(e.get(i, f), data); + + data = set_dtz_map(e, data, maxFile); + + for (File f = FILE_A; f <= maxFile; ++f) + for (int i = 0; i < sides; i++) { + (d = e.get(i, f))->sparseIndex = (SparseEntry*)data; + data += d->sparseIndexSize * sizeof(SparseEntry); + } + + for (File f = FILE_A; f <= maxFile; ++f) + for (int i = 0; i < sides; i++) { + (d = e.get(i, f))->blockLength = (uint16_t*)data; + data += d->blockLengthSize * sizeof(uint16_t); + } + + for (File f = FILE_A; f <= maxFile; ++f) + for (int i = 0; i < sides; i++) { + data = (uint8_t*)(((uintptr_t)data + 0x3F) & ~0x3F); // 64 byte alignment + (d = e.get(i, f))->data = data; + data += d->blocksNum * d->sizeofBlock; + } +} + +// If the TB file corresponding to the given position is already memory mapped +// then return its base address, otherwise try to memory map and init it. Called +// at every probe, memory map and init only at first access. Function is thread +// safe and can be called concurrently. +template +void* mapped(TBTable& e, const Position& pos) { + + static std::mutex mutex; + + // Use 'acquire' to avoid a thread reading 'ready' == true while + // another is still working. (compiler reordering may cause this). + if (e.ready.load(std::memory_order_acquire)) + return e.baseAddress; // Could be nullptr if file does not exist + + std::scoped_lock lk(mutex); + + if (e.ready.load(std::memory_order_relaxed)) // Recheck under lock + return e.baseAddress; + + // Pieces strings in decreasing order for each color, like ("KPP","KR") + std::string fname, w, b; + for (PieceType pt = KING; pt >= PAWN; --pt) { + w += std::string(popcount(pos.pieces(WHITE, pt)), PieceToChar[pt]); + b += std::string(popcount(pos.pieces(BLACK, pt)), PieceToChar[pt]); + } + + fname = (e.key == pos.material_key() ? w + 'v' + b : b + 'v' + w) + + (Type == WDL ? ".rtbw" : ".rtbz"); + + uint8_t* data = TBFile(fname).map(&e.baseAddress, &e.mapping, Type); + + if (data) + set(e, data); + + e.ready.store(true, std::memory_order_release); + return e.baseAddress; +} + +template::Ret> +Ret probe_table(const Position& pos, ProbeState* result, WDLScore wdl = WDLDraw) { + + if (pos.count() == 2) // KvK + return Ret(WDLDraw); + + TBTable* entry = TBTables.get(pos.material_key()); + + if (!entry || !mapped(*entry, pos)) + return *result = FAIL, Ret(); + + return do_probe_table(pos, entry, wdl, result); +} + +// For a position where the side to move has a winning capture it is not necessary +// to store a winning value so the generator treats such positions as "don't cares" +// and tries to assign to it a value that improves the compression ratio. Similarly, +// if the side to move has a drawing capture, then the position is at least drawn. +// If the position is won, then the TB needs to store a win value. But if the +// position is drawn, the TB may store a loss value if that is better for compression. +// All of this means that during probing, the engine must look at captures and probe +// their results and must probe the position itself. The "best" result of these +// probes is the correct result for the position. +// DTZ tables do not store values when a following move is a zeroing winning move +// (winning capture or winning pawn move). Also DTZ store wrong values for positions +// where the best move is an ep-move (even if losing). So in all these cases set +// the state to ZEROING_BEST_MOVE. +template +WDLScore search(Position& pos, ProbeState* result) { + + WDLScore value, bestValue = WDLLoss; + StateInfo st; + + auto moveList = MoveList(pos); + size_t totalCount = moveList.size(), moveCount = 0; + + for (const Move move : moveList) + { + if ( !pos.capture(move) + && (!CheckZeroingMoves || type_of(pos.moved_piece(move)) != PAWN)) + continue; + + moveCount++; + + pos.do_move(move, st); + value = -search(pos, result); + pos.undo_move(move); + + if (*result == FAIL) + return WDLDraw; + + if (value > bestValue) + { + bestValue = value; + + if (value >= WDLWin) + { + *result = ZEROING_BEST_MOVE; // Winning DTZ-zeroing move + return value; + } + } + } + + // In case we have already searched all the legal moves we don't have to probe + // the TB because the stored score could be wrong. For instance TB tables + // do not contain information on position with ep rights, so in this case + // the result of probe_wdl_table is wrong. Also in case of only capture + // moves, for instance here 4K3/4q3/6p1/2k5/6p1/8/8/8 w - - 0 7, we have to + // return with ZEROING_BEST_MOVE set. + bool noMoreMoves = (moveCount && moveCount == totalCount); + + if (noMoreMoves) + value = bestValue; + else + { + value = probe_table(pos, result); + + if (*result == FAIL) + return WDLDraw; + } + + // DTZ stores a "don't care" value if bestValue is a win + if (bestValue >= value) + return *result = ( bestValue > WDLDraw + || noMoreMoves ? ZEROING_BEST_MOVE : OK), bestValue; + + return *result = OK, value; +} + +} // namespace + + +/// Tablebases::init() is called at startup and after every change to +/// "SyzygyPath" UCI option to (re)create the various tables. It is not thread +/// safe, nor it needs to be. +void Tablebases::init(const std::string& paths) { + + TBTables.clear(); + MaxCardinality = 0; + TBFile::Paths = paths; + + if (paths.empty() || paths == "") + return; + + // MapB1H1H7[] encodes a square below a1-h8 diagonal to 0..27 + int code = 0; + for (Square s = SQ_A1; s <= SQ_H8; ++s) + if (off_A1H8(s) < 0) + MapB1H1H7[s] = code++; + + // MapA1D1D4[] encodes a square in the a1-d1-d4 triangle to 0..9 + std::vector diagonal; + code = 0; + for (Square s = SQ_A1; s <= SQ_D4; ++s) + if (off_A1H8(s) < 0 && file_of(s) <= FILE_D) + MapA1D1D4[s] = code++; + + else if (!off_A1H8(s) && file_of(s) <= FILE_D) + diagonal.push_back(s); + + // Diagonal squares are encoded as last ones + for (auto s : diagonal) + MapA1D1D4[s] = code++; + + // MapKK[] encodes all the 462 possible legal positions of two kings where + // the first is in the a1-d1-d4 triangle. If the first king is on the a1-d4 + // diagonal, the other one shall not to be above the a1-h8 diagonal. + std::vector> bothOnDiagonal; + code = 0; + for (int idx = 0; idx < 10; idx++) + for (Square s1 = SQ_A1; s1 <= SQ_D4; ++s1) + if (MapA1D1D4[s1] == idx && (idx || s1 == SQ_B1)) // SQ_B1 is mapped to 0 + { + for (Square s2 = SQ_A1; s2 <= SQ_H8; ++s2) + if ((PseudoAttacks[KING][s1] | s1) & s2) + continue; // Illegal position + + else if (!off_A1H8(s1) && off_A1H8(s2) > 0) + continue; // First on diagonal, second above + + else if (!off_A1H8(s1) && !off_A1H8(s2)) + bothOnDiagonal.emplace_back(idx, s2); + + else + MapKK[idx][s2] = code++; + } + + // Legal positions with both kings on diagonal are encoded as last ones + for (auto p : bothOnDiagonal) + MapKK[p.first][p.second] = code++; + + // Binomial[] stores the Binomial Coefficients using Pascal rule. There + // are Binomial[k][n] ways to choose k elements from a set of n elements. + Binomial[0][0] = 1; + + for (int n = 1; n < 64; n++) // Squares + for (int k = 0; k < 6 && k <= n; ++k) // Pieces + Binomial[k][n] = (k > 0 ? Binomial[k - 1][n - 1] : 0) + + (k < n ? Binomial[k ][n - 1] : 0); + + // MapPawns[s] encodes squares a2-h7 to 0..47. This is the number of possible + // available squares when the leading one is in 's'. Moreover the pawn with + // highest MapPawns[] is the leading pawn, the one nearest the edge and, + // among pawns with same file, the one with lowest rank. + int availableSquares = 47; // Available squares when lead pawn is in a2 + + // Init the tables for the encoding of leading pawns group: with 7-men TB we + // can have up to 5 leading pawns (KPPPPPK). + for (int leadPawnsCnt = 1; leadPawnsCnt <= 5; ++leadPawnsCnt) + for (File f = FILE_A; f <= FILE_D; ++f) + { + // Restart the index at every file because TB table is split + // by file, so we can reuse the same index for different files. + int idx = 0; + + // Sum all possible combinations for a given file, starting with + // the leading pawn on rank 2 and increasing the rank. + for (Rank r = RANK_2; r <= RANK_7; ++r) + { + Square sq = make_square(f, r); + + // Compute MapPawns[] at first pass. + // If sq is the leading pawn square, any other pawn cannot be + // below or more toward the edge of sq. There are 47 available + // squares when sq = a2 and reduced by 2 for any rank increase + // due to mirroring: sq == a3 -> no a2, h2, so MapPawns[a3] = 45 + if (leadPawnsCnt == 1) + { + MapPawns[sq] = availableSquares--; + MapPawns[flip_file(sq)] = availableSquares--; + } + LeadPawnIdx[leadPawnsCnt][sq] = idx; + idx += Binomial[leadPawnsCnt - 1][MapPawns[sq]]; + } + // After a file is traversed, store the cumulated per-file index + LeadPawnsSize[leadPawnsCnt][f] = idx; + } + + // Add entries in TB tables if the corresponding ".rtbw" file exists + for (PieceType p1 = PAWN; p1 < KING; ++p1) { + TBTables.add({KING, p1, KING}); + + for (PieceType p2 = PAWN; p2 <= p1; ++p2) { + TBTables.add({KING, p1, p2, KING}); + TBTables.add({KING, p1, KING, p2}); + + for (PieceType p3 = PAWN; p3 < KING; ++p3) + TBTables.add({KING, p1, p2, KING, p3}); + + for (PieceType p3 = PAWN; p3 <= p2; ++p3) { + TBTables.add({KING, p1, p2, p3, KING}); + + for (PieceType p4 = PAWN; p4 <= p3; ++p4) { + TBTables.add({KING, p1, p2, p3, p4, KING}); + + for (PieceType p5 = PAWN; p5 <= p4; ++p5) + TBTables.add({KING, p1, p2, p3, p4, p5, KING}); + + for (PieceType p5 = PAWN; p5 < KING; ++p5) + TBTables.add({KING, p1, p2, p3, p4, KING, p5}); + } + + for (PieceType p4 = PAWN; p4 < KING; ++p4) { + TBTables.add({KING, p1, p2, p3, KING, p4}); + + for (PieceType p5 = PAWN; p5 <= p4; ++p5) + TBTables.add({KING, p1, p2, p3, KING, p4, p5}); + } + } + + for (PieceType p3 = PAWN; p3 <= p1; ++p3) + for (PieceType p4 = PAWN; p4 <= (p1 == p3 ? p2 : p3); ++p4) + TBTables.add({KING, p1, p2, KING, p3, p4}); + } + } + + sync_cout << "info string Found " << TBTables.size() << " tablebases" << sync_endl; +} + +// Probe the WDL table for a particular position. +// If *result != FAIL, the probe was successful. +// The return value is from the point of view of the side to move: +// -2 : loss +// -1 : loss, but draw under 50-move rule +// 0 : draw +// 1 : win, but draw under 50-move rule +// 2 : win +WDLScore Tablebases::probe_wdl(Position& pos, ProbeState* result) { + + *result = OK; + return search(pos, result); +} + +// Probe the DTZ table for a particular position. +// If *result != FAIL, the probe was successful. +// The return value is from the point of view of the side to move: +// n < -100 : loss, but draw under 50-move rule +// -100 <= n < -1 : loss in n ply (assuming 50-move counter == 0) +// -1 : loss, the side to move is mated +// 0 : draw +// 1 < n <= 100 : win in n ply (assuming 50-move counter == 0) +// 100 < n : win, but draw under 50-move rule +// +// The return value n can be off by 1: a return value -n can mean a loss +// in n+1 ply and a return value +n can mean a win in n+1 ply. This +// cannot happen for tables with positions exactly on the "edge" of +// the 50-move rule. +// +// This implies that if dtz > 0 is returned, the position is certainly +// a win if dtz + 50-move-counter <= 99. Care must be taken that the engine +// picks moves that preserve dtz + 50-move-counter <= 99. +// +// If n = 100 immediately after a capture or pawn move, then the position +// is also certainly a win, and during the whole phase until the next +// capture or pawn move, the inequality to be preserved is +// dtz + 50-move-counter <= 100. +// +// In short, if a move is available resulting in dtz + 50-move-counter <= 99, +// then do not accept moves leading to dtz + 50-move-counter == 100. +int Tablebases::probe_dtz(Position& pos, ProbeState* result) { + + *result = OK; + WDLScore wdl = search(pos, result); + + if (*result == FAIL || wdl == WDLDraw) // DTZ tables don't store draws + return 0; + + // DTZ stores a 'don't care' value in this case, or even a plain wrong + // one as in case the best move is a losing ep, so it cannot be probed. + if (*result == ZEROING_BEST_MOVE) + return dtz_before_zeroing(wdl); + + int dtz = probe_table(pos, result, wdl); + + if (*result == FAIL) + return 0; + + if (*result != CHANGE_STM) + return (dtz + 100 * (wdl == WDLBlessedLoss || wdl == WDLCursedWin)) * sign_of(wdl); + + // DTZ stores results for the other side, so we need to do a 1-ply search and + // find the winning move that minimizes DTZ. + StateInfo st; + int minDTZ = 0xFFFF; + + for (const Move move : MoveList(pos)) + { + bool zeroing = pos.capture(move) || type_of(pos.moved_piece(move)) == PAWN; + + pos.do_move(move, st); + + // For zeroing moves we want the dtz of the move _before_ doing it, + // otherwise we will get the dtz of the next move sequence. Search the + // position after the move to get the score sign (because even in a + // winning position we could make a losing capture or going for a draw). + dtz = zeroing ? -dtz_before_zeroing(search(pos, result)) + : -probe_dtz(pos, result); + + // If the move mates, force minDTZ to 1 + if (dtz == 1 && pos.checkers() && MoveList(pos).size() == 0) + minDTZ = 1; + + // Convert result from 1-ply search. Zeroing moves are already accounted + // by dtz_before_zeroing() that returns the DTZ of the previous move. + if (!zeroing) + dtz += sign_of(dtz); + + // Skip the draws and if we are winning only pick positive dtz + if (dtz < minDTZ && sign_of(dtz) == sign_of(wdl)) + minDTZ = dtz; + + pos.undo_move(move); + + if (*result == FAIL) + return 0; + } + + // When there are no legal moves, the position is mate: we return -1 + return minDTZ == 0xFFFF ? -1 : minDTZ; +} + + +// Use the DTZ tables to rank root moves. +// +// A return value false indicates that not all probes were successful. +bool Tablebases::root_probe(Position& pos, Search::RootMoves& rootMoves) { + + ProbeState result; + StateInfo st; + + // Obtain 50-move counter for the root position + int cnt50 = pos.rule50_count(); + + // Check whether a position was repeated since the last zeroing move. + bool rep = pos.has_repeated(); + + int dtz, bound = Options["Syzygy50MoveRule"] ? (MAX_DTZ - 100) : 1; + + // Probe and rank each move + for (auto& m : rootMoves) + { + pos.do_move(m.pv[0], st); + + // Calculate dtz for the current move counting from the root position + if (pos.rule50_count() == 0) + { + // In case of a zeroing move, dtz is one of -101/-1/0/1/101 + WDLScore wdl = -probe_wdl(pos, &result); + dtz = dtz_before_zeroing(wdl); + } + else if (pos.is_draw(1)) + { + // In case a root move leads to a draw by repetition or + // 50-move rule, we set dtz to zero. Note: since we are + // only 1 ply from the root, this must be a true 3-fold + // repetition inside the game history. + dtz = 0; + } + else + { + // Otherwise, take dtz for the new position and correct by 1 ply + dtz = -probe_dtz(pos, &result); + dtz = dtz > 0 ? dtz + 1 + : dtz < 0 ? dtz - 1 : dtz; + } + + // Make sure that a mating move is assigned a dtz value of 1 + if ( pos.checkers() + && dtz == 2 + && MoveList(pos).size() == 0) + dtz = 1; + + pos.undo_move(m.pv[0]); + + if (result == FAIL) + return false; + + // Better moves are ranked higher. Certain wins are ranked equally. + // Losing moves are ranked equally unless a 50-move draw is in sight. + int r = dtz > 0 ? (dtz + cnt50 <= 99 && !rep ? MAX_DTZ : MAX_DTZ - (dtz + cnt50)) + : dtz < 0 ? (-dtz * 2 + cnt50 < 100 ? -MAX_DTZ : -MAX_DTZ + (-dtz + cnt50)) + : 0; + m.tbRank = r; + + // Determine the score to be displayed for this move. Assign at least + // 1 cp to cursed wins and let it grow to 49 cp as the positions gets + // closer to a real win. + m.tbScore = r >= bound ? VALUE_MATE - MAX_PLY - 1 + : r > 0 ? Value((std::max( 3, r - (MAX_DTZ - 200)) * int(PawnValueEg)) / 200) + : r == 0 ? VALUE_DRAW + : r > -bound ? Value((std::min(-3, r + (MAX_DTZ - 200)) * int(PawnValueEg)) / 200) + : -VALUE_MATE + MAX_PLY + 1; + } + + return true; +} + + +// Use the WDL tables to rank root moves. +// This is a fallback for the case that some or all DTZ tables are missing. +// +// A return value false indicates that not all probes were successful. +bool Tablebases::root_probe_wdl(Position& pos, Search::RootMoves& rootMoves) { + + static const int WDL_to_rank[] = { -MAX_DTZ, -MAX_DTZ + 101, 0, MAX_DTZ - 101, MAX_DTZ }; + + ProbeState result; + StateInfo st; + WDLScore wdl; + + bool rule50 = Options["Syzygy50MoveRule"]; + + // Probe and rank each move + for (auto& m : rootMoves) + { + pos.do_move(m.pv[0], st); + + if (pos.is_draw(1)) + wdl = WDLDraw; + else + wdl = -probe_wdl(pos, &result); + + pos.undo_move(m.pv[0]); + + if (result == FAIL) + return false; + + m.tbRank = WDL_to_rank[wdl + 2]; + + if (!rule50) + wdl = wdl > WDLDraw ? WDLWin + : wdl < WDLDraw ? WDLLoss : WDLDraw; + m.tbScore = WDL_to_value[wdl + 2]; + } + + return true; +} + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/syzygy/tbprobe.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/syzygy/tbprobe.h new file mode 100755 index 00000000..179c7572 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/syzygy/tbprobe.h @@ -0,0 +1,76 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef TBPROBE_H +#define TBPROBE_H + +#include + +#include "../search.h" + +namespace Stockfish::Tablebases { + +enum WDLScore { + WDLLoss = -2, // Loss + WDLBlessedLoss = -1, // Loss, but draw under 50-move rule + WDLDraw = 0, // Draw + WDLCursedWin = 1, // Win, but draw under 50-move rule + WDLWin = 2, // Win +}; + +// Possible states after a probing operation +enum ProbeState { + FAIL = 0, // Probe failed (missing file table) + OK = 1, // Probe successful + CHANGE_STM = -1, // DTZ should check the other side + ZEROING_BEST_MOVE = 2 // Best move zeroes DTZ (capture or pawn move) +}; + +extern int MaxCardinality; + +void init(const std::string& paths); +WDLScore probe_wdl(Position& pos, ProbeState* result); +int probe_dtz(Position& pos, ProbeState* result); +bool root_probe(Position& pos, Search::RootMoves& rootMoves); +bool root_probe_wdl(Position& pos, Search::RootMoves& rootMoves); +void rank_root_moves(Position& pos, Search::RootMoves& rootMoves); + +inline std::ostream& operator<<(std::ostream& os, const WDLScore v) { + + os << (v == WDLLoss ? "Loss" : + v == WDLBlessedLoss ? "Blessed loss" : + v == WDLDraw ? "Draw" : + v == WDLCursedWin ? "Cursed win" : + v == WDLWin ? "Win" : "None"); + + return os; +} + +inline std::ostream& operator<<(std::ostream& os, const ProbeState v) { + + os << (v == FAIL ? "Failed" : + v == OK ? "Success" : + v == CHANGE_STM ? "Probed opponent side" : + v == ZEROING_BEST_MOVE ? "Best move zeroes DTZ" : "None"); + + return os; +} + +} // namespace Stockfish::Tablebases + +#endif diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/thread.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/thread.cpp new file mode 100755 index 00000000..b7471f60 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/thread.cpp @@ -0,0 +1,268 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include + +#include // For std::count +#include "movegen.h" +#include "search.h" +#include "thread.h" +#include "uci.h" +#include "syzygy/tbprobe.h" +#include "tt.h" + +namespace Stockfish { + +ThreadPool Threads; // Global object + + +/// Thread constructor launches the thread and waits until it goes to sleep +/// in idle_loop(). Note that 'searching' and 'exit' should be already set. + +Thread::Thread(size_t n) : idx(n), stdThread(&Thread::idle_loop, this) { + + wait_for_search_finished(); +} + + +/// Thread destructor wakes up the thread in idle_loop() and waits +/// for its termination. Thread should be already waiting. + +Thread::~Thread() { + + assert(!searching); + + exit = true; + start_searching(); + stdThread.join(); +} + + +/// Thread::clear() reset histories, usually before a new game + +void Thread::clear() { + + counterMoves.fill(MOVE_NONE); + mainHistory.fill(0); + captureHistory.fill(0); + previousDepth = 0; + + for (bool inCheck : { false, true }) + for (StatsType c : { NoCaptures, Captures }) + for (auto& to : continuationHistory[inCheck][c]) + for (auto& h : to) + h->fill(-71); +} + + +/// Thread::start_searching() wakes up the thread that will start the search + +void Thread::start_searching() { + + std::lock_guard lk(mutex); + searching = true; + cv.notify_one(); // Wake up the thread in idle_loop() +} + + +/// Thread::wait_for_search_finished() blocks on the condition variable +/// until the thread has finished searching. + +void Thread::wait_for_search_finished() { + + std::unique_lock lk(mutex); + cv.wait(lk, [&]{ return !searching; }); +} + + +/// Thread::idle_loop() is where the thread is parked, blocked on the +/// condition variable, when it has no work to do. + +void Thread::idle_loop() { + + // If OS already scheduled us on a different group than 0 then don't overwrite + // the choice, eventually we are one of many one-threaded processes running on + // some Windows NUMA hardware, for instance in fishtest. To make it simple, + // just check if running threads are below a threshold, in this case all this + // NUMA machinery is not needed. + if (Options["Threads"] > 8) + WinProcGroup::bindThisThread(idx); + + while (true) + { + std::unique_lock lk(mutex); + searching = false; + cv.notify_one(); // Wake up anyone waiting for search finished + cv.wait(lk, [&]{ return searching; }); + + if (exit) + return; + + lk.unlock(); + + search(); + } +} + +/// ThreadPool::set() creates/destroys threads to match the requested number. +/// Created and launched threads will immediately go to sleep in idle_loop. +/// Upon resizing, threads are recreated to allow for binding if necessary. + +void ThreadPool::set(size_t requested) { + + if (size() > 0) // destroy any existing thread(s) + { + main()->wait_for_search_finished(); + + while (size() > 0) + delete back(), pop_back(); + } + + if (requested > 0) // create new thread(s) + { + push_back(new MainThread(0)); + + while (size() < requested) + push_back(new Thread(size())); + clear(); + + // Reallocate the hash with the new threadpool size + TT.resize(size_t(Options["Hash"])); + + // Init thread number dependent search params. + Search::init(); + } +} + + +/// ThreadPool::clear() sets threadPool data to initial values + +void ThreadPool::clear() { + + for (Thread* th : *this) + th->clear(); + + main()->callsCnt = 0; + main()->bestPreviousScore = VALUE_INFINITE; + main()->bestPreviousAverageScore = VALUE_INFINITE; + main()->previousTimeReduction = 1.0; +} + + +/// ThreadPool::start_thinking() wakes up main thread waiting in idle_loop() and +/// returns immediately. Main thread will wake up other threads and start the search. + +void ThreadPool::start_thinking(Position& pos, StateListPtr& states, + const Search::LimitsType& limits, bool ponderMode) { + + main()->wait_for_search_finished(); + + main()->stopOnPonderhit = stop = false; + increaseDepth = true; + main()->ponder = ponderMode; + Search::Limits = limits; + Search::RootMoves rootMoves; + + for (const auto& m : MoveList(pos)) + if ( limits.searchmoves.empty() + || std::count(limits.searchmoves.begin(), limits.searchmoves.end(), m)) + rootMoves.emplace_back(m); + + if (!rootMoves.empty()) + Tablebases::rank_root_moves(pos, rootMoves); + + // After ownership transfer 'states' becomes empty, so if we stop the search + // and call 'go' again without setting a new position states.get() == NULL. + assert(states.get() || setupStates.get()); + + if (states.get()) + setupStates = std::move(states); // Ownership transfer, states is now empty + + // We use Position::set() to set root position across threads. But there are + // some StateInfo fields (previous, pliesFromNull, capturedPiece) that cannot + // be deduced from a fen string, so set() clears them and they are set from + // setupStates->back() later. The rootState is per thread, earlier states are shared + // since they are read-only. + for (Thread* th : *this) + { + th->nodes = th->tbHits = th->nmpMinPly = th->bestMoveChanges = 0; + th->rootDepth = th->completedDepth = 0; + th->rootMoves = rootMoves; + th->rootPos.set(pos.fen(), pos.is_chess960(), &th->rootState, th); + th->rootState = setupStates->back(); + } + + main()->start_searching(); +} + +Thread* ThreadPool::get_best_thread() const { + + Thread* bestThread = front(); + std::map votes; + Value minScore = VALUE_NONE; + + // Find minimum score of all threads + for (Thread* th: *this) + minScore = std::min(minScore, th->rootMoves[0].score); + + // Vote according to score and depth, and select the best thread + auto thread_value = [minScore](Thread* th) { + return (th->rootMoves[0].score - minScore + 14) * int(th->completedDepth); + }; + + for (Thread* th : *this) + votes[th->rootMoves[0].pv[0]] += thread_value(th); + + for (Thread* th : *this) + if (abs(bestThread->rootMoves[0].score) >= VALUE_TB_WIN_IN_MAX_PLY) + { + // Make sure we pick the shortest mate / TB conversion or stave off mate the longest + if (th->rootMoves[0].score > bestThread->rootMoves[0].score) + bestThread = th; + } + else if ( th->rootMoves[0].score >= VALUE_TB_WIN_IN_MAX_PLY + || ( th->rootMoves[0].score > VALUE_TB_LOSS_IN_MAX_PLY + && ( votes[th->rootMoves[0].pv[0]] > votes[bestThread->rootMoves[0].pv[0]] + || ( votes[th->rootMoves[0].pv[0]] == votes[bestThread->rootMoves[0].pv[0]] + && thread_value(th) > thread_value(bestThread))))) + bestThread = th; + + return bestThread; +} + + +/// Start non-main threads + +void ThreadPool::start_searching() { + + for (Thread* th : *this) + if (th != front()) + th->start_searching(); +} + + +/// Wait for non-main threads + +void ThreadPool::wait_for_search_finished() const { + + for (Thread* th : *this) + if (th != front()) + th->wait_for_search_finished(); +} + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/thread.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/thread.h new file mode 100755 index 00000000..5f0b2c3e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/thread.h @@ -0,0 +1,135 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef THREAD_H_INCLUDED +#define THREAD_H_INCLUDED + +#include +#include +#include +#include +#include + +#include "material.h" +#include "movepick.h" +#include "pawns.h" +#include "position.h" +#include "search.h" +#include "thread_win32_osx.h" + +namespace Stockfish { + +/// Thread class keeps together all the thread-related stuff. We use +/// per-thread pawn and material hash tables so that once we get a +/// pointer to an entry its life time is unlimited and we don't have +/// to care about someone changing the entry under our feet. + +class Thread { + + std::mutex mutex; + std::condition_variable cv; + size_t idx; + bool exit = false, searching = true; // Set before starting std::thread + NativeThread stdThread; + +public: + explicit Thread(size_t); + virtual ~Thread(); + virtual void search(); + void clear(); + void idle_loop(); + void start_searching(); + void wait_for_search_finished(); + size_t id() const { return idx; } + + Pawns::Table pawnsTable; + Material::Table materialTable; + size_t pvIdx, pvLast; + RunningAverage complexityAverage; + std::atomic nodes, tbHits, bestMoveChanges; + int selDepth, nmpMinPly; + Color nmpColor; + Value bestValue, optimism[COLOR_NB]; + + Position rootPos; + StateInfo rootState; + Search::RootMoves rootMoves; + Depth rootDepth, completedDepth, previousDepth; + Value rootDelta; + CounterMoveHistory counterMoves; + ButterflyHistory mainHistory; + CapturePieceToHistory captureHistory; + ContinuationHistory continuationHistory[2][2]; +}; + + +/// MainThread is a derived class specific for main thread + +struct MainThread : public Thread { + + using Thread::Thread; + + void search() override; + void check_time(); + + double previousTimeReduction; + Value bestPreviousScore; + Value bestPreviousAverageScore; + Value iterValue[4]; + int callsCnt; + bool stopOnPonderhit; + std::atomic_bool ponder; +}; + + +/// ThreadPool struct handles all the threads-related stuff like init, starting, +/// parking and, most importantly, launching a thread. All the access to threads +/// is done through this class. + +struct ThreadPool : public std::vector { + + void start_thinking(Position&, StateListPtr&, const Search::LimitsType&, bool = false); + void clear(); + void set(size_t); + + MainThread* main() const { return static_cast(front()); } + uint64_t nodes_searched() const { return accumulate(&Thread::nodes); } + uint64_t tb_hits() const { return accumulate(&Thread::tbHits); } + Thread* get_best_thread() const; + void start_searching(); + void wait_for_search_finished() const; + + std::atomic_bool stop, increaseDepth; + +private: + StateListPtr setupStates; + + uint64_t accumulate(std::atomic Thread::* member) const { + + uint64_t sum = 0; + for (Thread* th : *this) + sum += (th->*member).load(std::memory_order_relaxed); + return sum; + } +}; + +extern ThreadPool Threads; + +} // namespace Stockfish + +#endif // #ifndef THREAD_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/thread_win32_osx.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/thread_win32_osx.h new file mode 100755 index 00000000..77d1c3c7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/thread_win32_osx.h @@ -0,0 +1,74 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef THREAD_WIN32_OSX_H_INCLUDED +#define THREAD_WIN32_OSX_H_INCLUDED + +#include + +/// On OSX threads other than the main thread are created with a reduced stack +/// size of 512KB by default, this is too low for deep searches, which require +/// somewhat more than 1MB stack, so adjust it to TH_STACK_SIZE. +/// The implementation calls pthread_create() with the stack size parameter +/// equal to the linux 8MB default, on platforms that support it. + +#if defined(__APPLE__) || defined(__MINGW32__) || defined(__MINGW64__) || defined(USE_PTHREADS) + +#include + +namespace Stockfish { + +static const size_t TH_STACK_SIZE = 8 * 1024 * 1024; + +template > +void* start_routine(void* ptr) +{ + P* p = reinterpret_cast(ptr); + (p->first->*(p->second))(); // Call member function pointer + delete p; + return NULL; +} + +class NativeThread { + + pthread_t thread; + +public: + template> + explicit NativeThread(void(T::*fun)(), T* obj) { + pthread_attr_t attr_storage, *attr = &attr_storage; + pthread_attr_init(attr); + pthread_attr_setstacksize(attr, TH_STACK_SIZE); + pthread_create(&thread, attr, start_routine, new P(obj, fun)); + } + void join() { pthread_join(thread, NULL); } +}; + +} // namespace Stockfish + +#else // Default case: use STL classes + +namespace Stockfish { + +typedef std::thread NativeThread; + +} // namespace Stockfish + +#endif + +#endif // #ifndef THREAD_WIN32_OSX_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/timeman.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/timeman.cpp new file mode 100755 index 00000000..cab0d767 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/timeman.cpp @@ -0,0 +1,105 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include +#include +#include + +#include "search.h" +#include "timeman.h" +#include "uci.h" + +namespace Stockfish { + +TimeManagement Time; // Our global time management object + + +/// TimeManagement::init() is called at the beginning of the search and calculates +/// the bounds of time allowed for the current game ply. We currently support: +// 1) x basetime (+ z increment) +// 2) x moves in y seconds (+ z increment) + +void TimeManagement::init(Search::LimitsType& limits, Color us, int ply) { + + TimePoint moveOverhead = TimePoint(Options["Move Overhead"]); + TimePoint slowMover = TimePoint(Options["Slow Mover"]); + TimePoint npmsec = TimePoint(Options["nodestime"]); + + // optScale is a percentage of available time to use for the current move. + // maxScale is a multiplier applied to optimumTime. + double optScale, maxScale; + + // If we have to play in 'nodes as time' mode, then convert from time + // to nodes, and use resulting values in time management formulas. + // WARNING: to avoid time losses, the given npmsec (nodes per millisecond) + // must be much lower than the real engine speed. + if (npmsec) + { + if (!availableNodes) // Only once at game start + availableNodes = npmsec * limits.time[us]; // Time is in msec + + // Convert from milliseconds to nodes + limits.time[us] = TimePoint(availableNodes); + limits.inc[us] *= npmsec; + limits.npmsec = npmsec; + } + + startTime = limits.startTime; + + // Maximum move horizon of 50 moves + int mtg = limits.movestogo ? std::min(limits.movestogo, 50) : 50; + + // Make sure timeLeft is > 0 since we may use it as a divisor + TimePoint timeLeft = std::max(TimePoint(1), + limits.time[us] + limits.inc[us] * (mtg - 1) - moveOverhead * (2 + mtg)); + + // Use extra time with larger increments + double optExtra = std::clamp(1.0 + 12.0 * limits.inc[us] / limits.time[us], 1.0, 1.12); + + // A user may scale time usage by setting UCI option "Slow Mover" + // Default is 100 and changing this value will probably lose elo. + timeLeft = slowMover * timeLeft / 100; + + // x basetime (+ z increment) + // If there is a healthy increment, timeLeft can exceed actual available + // game time for the current move, so also cap to 20% of available game time. + if (limits.movestogo == 0) + { + optScale = std::min(0.0120 + std::pow(ply + 3.0, 0.45) * 0.0039, + 0.2 * limits.time[us] / double(timeLeft)) + * optExtra; + maxScale = std::min(7.0, 4.0 + ply / 12.0); + } + + // x moves in y seconds (+ z increment) + else + { + optScale = std::min((0.88 + ply / 116.4) / mtg, + 0.88 * limits.time[us] / double(timeLeft)); + maxScale = std::min(6.3, 1.5 + 0.11 * mtg); + } + + // Never use more than 80% of the available time for this move + optimumTime = TimePoint(optScale * timeLeft); + maximumTime = TimePoint(std::min(0.8 * limits.time[us] - moveOverhead, maxScale * optimumTime)); + + if (Options["Ponder"]) + optimumTime += optimumTime / 4; +} + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/timeman.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/timeman.h new file mode 100755 index 00000000..a86f0769 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/timeman.h @@ -0,0 +1,51 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef TIMEMAN_H_INCLUDED +#define TIMEMAN_H_INCLUDED + +#include "misc.h" +#include "search.h" +#include "thread.h" + +namespace Stockfish { + +/// The TimeManagement class computes the optimal time to think depending on +/// the maximum available time, the game move number and other parameters. + +class TimeManagement { +public: + void init(Search::LimitsType& limits, Color us, int ply); + TimePoint optimum() const { return optimumTime; } + TimePoint maximum() const { return maximumTime; } + TimePoint elapsed() const { return Search::Limits.npmsec ? + TimePoint(Threads.nodes_searched()) : now() - startTime; } + + int64_t availableNodes; // When in 'nodes as time' mode + +private: + TimePoint startTime; + TimePoint optimumTime; + TimePoint maximumTime; +}; + +extern TimeManagement Time; + +} // namespace Stockfish + +#endif // #ifndef TIMEMAN_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/tt.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/tt.cpp new file mode 100755 index 00000000..c7118aea --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/tt.cpp @@ -0,0 +1,162 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include // For std::memset +#include +#include + +#include "bitboard.h" +#include "misc.h" +#include "thread.h" +#include "tt.h" +#include "uci.h" + +namespace Stockfish { + +TranspositionTable TT; // Our global transposition table + +/// TTEntry::save() populates the TTEntry with a new node's data, possibly +/// overwriting an old position. Update is not atomic and can be racy. + +void TTEntry::save(Key k, Value v, bool pv, Bound b, Depth d, Move m, Value ev) { + + // Preserve any existing move for the same position + if (m || (uint16_t)k != key16) + move16 = (uint16_t)m; + + // Overwrite less valuable entries (cheapest checks first) + if ( b == BOUND_EXACT + || (uint16_t)k != key16 + || d - DEPTH_OFFSET + 2 * pv > depth8 - 4) + { + assert(d > DEPTH_OFFSET); + assert(d < 256 + DEPTH_OFFSET); + + key16 = (uint16_t)k; + depth8 = (uint8_t)(d - DEPTH_OFFSET); + genBound8 = (uint8_t)(TT.generation8 | uint8_t(pv) << 2 | b); + value16 = (int16_t)v; + eval16 = (int16_t)ev; + } +} + + +/// TranspositionTable::resize() sets the size of the transposition table, +/// measured in megabytes. Transposition table consists of a power of 2 number +/// of clusters and each cluster consists of ClusterSize number of TTEntry. + +void TranspositionTable::resize(size_t mbSize) { + + Threads.main()->wait_for_search_finished(); + + aligned_large_pages_free(table); + + clusterCount = mbSize * 1024 * 1024 / sizeof(Cluster); + + table = static_cast(aligned_large_pages_alloc(clusterCount * sizeof(Cluster))); + if (!table) + { + std::cerr << "Failed to allocate " << mbSize + << "MB for transposition table." << std::endl; + exit(EXIT_FAILURE); + } + + clear(); +} + + +/// TranspositionTable::clear() initializes the entire transposition table to zero, +// in a multi-threaded way. + +void TranspositionTable::clear() { + + std::vector threads; + + for (size_t idx = 0; idx < Options["Threads"]; ++idx) + { + threads.emplace_back([this, idx]() { + + // Thread binding gives faster search on systems with a first-touch policy + if (Options["Threads"] > 8) + WinProcGroup::bindThisThread(idx); + + // Each thread will zero its part of the hash table + const size_t stride = size_t(clusterCount / Options["Threads"]), + start = size_t(stride * idx), + len = idx != Options["Threads"] - 1 ? + stride : clusterCount - start; + + std::memset(&table[start], 0, len * sizeof(Cluster)); + }); + } + + for (std::thread& th : threads) + th.join(); +} + + +/// TranspositionTable::probe() looks up the current position in the transposition +/// table. It returns true and a pointer to the TTEntry if the position is found. +/// Otherwise, it returns false and a pointer to an empty or least valuable TTEntry +/// to be replaced later. The replace value of an entry is calculated as its depth +/// minus 8 times its relative age. TTEntry t1 is considered more valuable than +/// TTEntry t2 if its replace value is greater than that of t2. + +TTEntry* TranspositionTable::probe(const Key key, bool& found) const { + + TTEntry* const tte = first_entry(key); + const uint16_t key16 = (uint16_t)key; // Use the low 16 bits as key inside the cluster + + for (int i = 0; i < ClusterSize; ++i) + if (tte[i].key16 == key16 || !tte[i].depth8) + { + tte[i].genBound8 = uint8_t(generation8 | (tte[i].genBound8 & (GENERATION_DELTA - 1))); // Refresh + + return found = (bool)tte[i].depth8, &tte[i]; + } + + // Find an entry to be replaced according to the replacement strategy + TTEntry* replace = tte; + for (int i = 1; i < ClusterSize; ++i) + // Due to our packed storage format for generation and its cyclic + // nature we add GENERATION_CYCLE (256 is the modulus, plus what + // is needed to keep the unrelated lowest n bits from affecting + // the result) to calculate the entry age correctly even after + // generation8 overflows into the next cycle. + if ( replace->depth8 - ((GENERATION_CYCLE + generation8 - replace->genBound8) & GENERATION_MASK) + > tte[i].depth8 - ((GENERATION_CYCLE + generation8 - tte[i].genBound8) & GENERATION_MASK)) + replace = &tte[i]; + + return found = false, replace; +} + + +/// TranspositionTable::hashfull() returns an approximation of the hashtable +/// occupation during a search. The hash is x permill full, as per UCI protocol. + +int TranspositionTable::hashfull() const { + + int cnt = 0; + for (int i = 0; i < 1000; ++i) + for (int j = 0; j < ClusterSize; ++j) + cnt += table[i].entry[j].depth8 && (table[i].entry[j].genBound8 & GENERATION_MASK) == generation8; + + return cnt / ClusterSize; +} + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/tt.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/tt.h new file mode 100755 index 00000000..03fe3e14 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/tt.h @@ -0,0 +1,107 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef TT_H_INCLUDED +#define TT_H_INCLUDED + +#include "misc.h" +#include "types.h" + +namespace Stockfish { + +/// TTEntry struct is the 10 bytes transposition table entry, defined as below: +/// +/// key 16 bit +/// depth 8 bit +/// generation 5 bit +/// pv node 1 bit +/// bound type 2 bit +/// move 16 bit +/// value 16 bit +/// eval value 16 bit + +struct TTEntry { + + Move move() const { return (Move )move16; } + Value value() const { return (Value)value16; } + Value eval() const { return (Value)eval16; } + Depth depth() const { return (Depth)depth8 + DEPTH_OFFSET; } + bool is_pv() const { return (bool)(genBound8 & 0x4); } + Bound bound() const { return (Bound)(genBound8 & 0x3); } + void save(Key k, Value v, bool pv, Bound b, Depth d, Move m, Value ev); + +private: + friend class TranspositionTable; + + uint16_t key16; + uint8_t depth8; + uint8_t genBound8; + uint16_t move16; + int16_t value16; + int16_t eval16; +}; + + +/// A TranspositionTable is an array of Cluster, of size clusterCount. Each +/// cluster consists of ClusterSize number of TTEntry. Each non-empty TTEntry +/// contains information on exactly one position. The size of a Cluster should +/// divide the size of a cache line for best performance, as the cacheline is +/// prefetched when possible. + +class TranspositionTable { + + static constexpr int ClusterSize = 3; + + struct Cluster { + TTEntry entry[ClusterSize]; + char padding[2]; // Pad to 32 bytes + }; + + static_assert(sizeof(Cluster) == 32, "Unexpected Cluster size"); + + // Constants used to refresh the hash table periodically + static constexpr unsigned GENERATION_BITS = 3; // nb of bits reserved for other things + static constexpr int GENERATION_DELTA = (1 << GENERATION_BITS); // increment for generation field + static constexpr int GENERATION_CYCLE = 255 + (1 << GENERATION_BITS); // cycle length + static constexpr int GENERATION_MASK = (0xFF << GENERATION_BITS) & 0xFF; // mask to pull out generation number + +public: + ~TranspositionTable() { aligned_large_pages_free(table); } + void new_search() { generation8 += GENERATION_DELTA; } // Lower bits are used for other things + TTEntry* probe(const Key key, bool& found) const; + int hashfull() const; + void resize(size_t mbSize); + void clear(); + + TTEntry* first_entry(const Key key) const { + return &table[mul_hi64(key, clusterCount)].entry[0]; + } + +private: + friend struct TTEntry; + + size_t clusterCount; + Cluster* table; + uint8_t generation8; // Size must be not bigger than TTEntry::genBound8 +}; + +extern TranspositionTable TT; + +} // namespace Stockfish + +#endif // #ifndef TT_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/tune.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/tune.cpp new file mode 100755 index 00000000..a885845f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/tune.cpp @@ -0,0 +1,133 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include +#include +#include + +#include "types.h" +#include "misc.h" +#include "uci.h" + +using std::string; + +namespace Stockfish { + +bool Tune::update_on_last; +const UCI::Option* LastOption = nullptr; +static std::map TuneResults; + +string Tune::next(string& names, bool pop) { + + string name; + + do { + string token = names.substr(0, names.find(',')); + + if (pop) + names.erase(0, token.size() + 1); + + std::stringstream ws(token); + name += (ws >> token, token); // Remove trailing whitespace + + } while ( std::count(name.begin(), name.end(), '(') + - std::count(name.begin(), name.end(), ')')); + + return name; +} + +static void on_tune(const UCI::Option& o) { + + if (!Tune::update_on_last || LastOption == &o) + Tune::read_options(); +} + +static void make_option(const string& n, int v, const SetRange& r) { + + // Do not generate option when there is nothing to tune (ie. min = max) + if (r(v).first == r(v).second) + return; + + if (TuneResults.count(n)) + v = TuneResults[n]; + + Options[n] << UCI::Option(v, r(v).first, r(v).second, on_tune); + LastOption = &Options[n]; + + // Print formatted parameters, ready to be copy-pasted in Fishtest + std::cout << n << "," + << v << "," + << r(v).first << "," << r(v).second << "," + << (r(v).second - r(v).first) / 20.0 << "," + << "0.0020" + << std::endl; +} + +template<> void Tune::Entry::init_option() { make_option(name, value, range); } + +template<> void Tune::Entry::read_option() { + if (Options.count(name)) + value = int(Options[name]); +} + +template<> void Tune::Entry::init_option() { make_option(name, value, range); } + +template<> void Tune::Entry::read_option() { + if (Options.count(name)) + value = Value(int(Options[name])); +} + +template<> void Tune::Entry::init_option() { + make_option("m" + name, mg_value(value), range); + make_option("e" + name, eg_value(value), range); +} + +template<> void Tune::Entry::read_option() { + if (Options.count("m" + name)) + value = make_score(int(Options["m" + name]), eg_value(value)); + + if (Options.count("e" + name)) + value = make_score(mg_value(value), int(Options["e" + name])); +} + +// Instead of a variable here we have a PostUpdate function: just call it +template<> void Tune::Entry::init_option() {} +template<> void Tune::Entry::read_option() { value(); } + +} // namespace Stockfish + + +// Init options with tuning session results instead of default values. Useful to +// get correct bench signature after a tuning session or to test tuned values. +// Just copy fishtest tuning results in a result.txt file and extract the +// values with: +// +// cat results.txt | sed 's/^param: \([^,]*\), best: \([^,]*\).*/ TuneResults["\1"] = int(round(\2));/' +// +// Then paste the output below, as the function body + +#include + +namespace Stockfish { + +void Tune::read_results() { + + /* ...insert your values here... */ +} + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/tune.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/tune.h new file mode 100755 index 00000000..75ab484a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/tune.h @@ -0,0 +1,163 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef TUNE_H_INCLUDED +#define TUNE_H_INCLUDED + +#include +#include +#include +#include + +namespace Stockfish { + +typedef std::pair Range; // Option's min-max values +typedef Range (RangeFun) (int); + +// Default Range function, to calculate Option's min-max values +inline Range default_range(int v) { + return v > 0 ? Range(0, 2 * v) : Range(2 * v, 0); +} + +struct SetRange { + explicit SetRange(RangeFun f) : fun(f) {} + SetRange(int min, int max) : fun(nullptr), range(min, max) {} + Range operator()(int v) const { return fun ? fun(v) : range; } + + RangeFun* fun; + Range range; +}; + +#define SetDefaultRange SetRange(default_range) + + +/// Tune class implements the 'magic' code that makes the setup of a fishtest +/// tuning session as easy as it can be. Mainly you have just to remove const +/// qualifiers from the variables you want to tune and flag them for tuning, so +/// if you have: +/// +/// const Score myScore = S(10, 15); +/// const Value myValue[][2] = { { V(100), V(20) }, { V(7), V(78) } }; +/// +/// If you have a my_post_update() function to run after values have been updated, +/// and a my_range() function to set custom Option's min-max values, then you just +/// remove the 'const' qualifiers and write somewhere below in the file: +/// +/// TUNE(SetRange(my_range), myScore, myValue, my_post_update); +/// +/// You can also set the range directly, and restore the default at the end +/// +/// TUNE(SetRange(-100, 100), myScore, SetDefaultRange); +/// +/// In case update function is slow and you have many parameters, you can add: +/// +/// UPDATE_ON_LAST(); +/// +/// And the values update, including post update function call, will be done only +/// once, after the engine receives the last UCI option, that is the one defined +/// and created as the last one, so the GUI should send the options in the same +/// order in which have been defined. + +class Tune { + + typedef void (PostUpdate) (); // Post-update function + + Tune() { read_results(); } + Tune(const Tune&) = delete; + void operator=(const Tune&) = delete; + void read_results(); + + static Tune& instance() { static Tune t; return t; } // Singleton + + // Use polymorphism to accommodate Entry of different types in the same vector + struct EntryBase { + virtual ~EntryBase() = default; + virtual void init_option() = 0; + virtual void read_option() = 0; + }; + + template + struct Entry : public EntryBase { + + static_assert(!std::is_const::value, "Parameter cannot be const!"); + + static_assert( std::is_same::value + || std::is_same::value + || std::is_same::value + || std::is_same::value, "Parameter type not supported!"); + + Entry(const std::string& n, T& v, const SetRange& r) : name(n), value(v), range(r) {} + void operator=(const Entry&) = delete; // Because 'value' is a reference + void init_option() override; + void read_option() override; + + std::string name; + T& value; + SetRange range; + }; + + // Our facility to fill the container, each Entry corresponds to a parameter + // to tune. We use variadic templates to deal with an unspecified number of + // entries, each one of a possible different type. + static std::string next(std::string& names, bool pop = true); + + int add(const SetRange&, std::string&&) { return 0; } + + template + int add(const SetRange& range, std::string&& names, T& value, Args&&... args) { + list.push_back(std::unique_ptr(new Entry(next(names), value, range))); + return add(range, std::move(names), args...); + } + + // Template specialization for arrays: recursively handle multi-dimensional arrays + template + int add(const SetRange& range, std::string&& names, T (&value)[N], Args&&... args) { + for (size_t i = 0; i < N; i++) + add(range, next(names, i == N - 1) + "[" + std::to_string(i) + "]", value[i]); + return add(range, std::move(names), args...); + } + + // Template specialization for SetRange + template + int add(const SetRange&, std::string&& names, SetRange& value, Args&&... args) { + return add(value, (next(names), std::move(names)), args...); + } + + std::vector> list; + +public: + template + static int add(const std::string& names, Args&&... args) { + return instance().add(SetDefaultRange, names.substr(1, names.size() - 2), args...); // Remove trailing parenthesis + } + static void init() { for (auto& e : instance().list) e->init_option(); read_options(); } // Deferred, due to UCI::Options access + static void read_options() { for (auto& e : instance().list) e->read_option(); } + static bool update_on_last; +}; + +// Some macro magic :-) we define a dummy int variable that compiler initializes calling Tune::add() +#define STRINGIFY(x) #x +#define UNIQUE2(x, y) x ## y +#define UNIQUE(x, y) UNIQUE2(x, y) // Two indirection levels to expand __LINE__ +#define TUNE(...) int UNIQUE(p, __LINE__) = Tune::add(STRINGIFY((__VA_ARGS__)), __VA_ARGS__) + +#define UPDATE_ON_LAST() bool UNIQUE(p, __LINE__) = Tune::update_on_last = true + +} // namespace Stockfish + +#endif // #ifndef TUNE_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/types.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/types.h new file mode 100755 index 00000000..c2087c6c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/types.h @@ -0,0 +1,486 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef TYPES_H_INCLUDED +#define TYPES_H_INCLUDED + +/// When compiling with provided Makefile (e.g. for Linux and OSX), configuration +/// is done automatically. To get started type 'make help'. +/// +/// When Makefile is not used (e.g. with Microsoft Visual Studio) some switches +/// need to be set manually: +/// +/// -DNDEBUG | Disable debugging mode. Always use this for release. +/// +/// -DNO_PREFETCH | Disable use of prefetch asm-instruction. You may need this to +/// | run on some very old machines. +/// +/// -DUSE_POPCNT | Add runtime support for use of popcnt asm-instruction. Works +/// | only in 64-bit mode and requires hardware with popcnt support. +/// +/// -DUSE_PEXT | Add runtime support for use of pext asm-instruction. Works +/// | only in 64-bit mode and requires hardware with pext support. + +#include +#include +#include +#include +#include + +#if defined(_MSC_VER) +// Disable some silly and noisy warning from MSVC compiler +#pragma warning(disable: 4127) // Conditional expression is constant +#pragma warning(disable: 4146) // Unary minus operator applied to unsigned type +#pragma warning(disable: 4800) // Forcing value to bool 'true' or 'false' +#endif + +/// Predefined macros hell: +/// +/// __GNUC__ Compiler is gcc, Clang or Intel on Linux +/// __INTEL_COMPILER Compiler is Intel +/// _MSC_VER Compiler is MSVC or Intel on Windows +/// _WIN32 Building on Windows (any) +/// _WIN64 Building on Windows 64 bit + +#if defined(__GNUC__ ) && (__GNUC__ < 9 || (__GNUC__ == 9 && __GNUC_MINOR__ <= 2)) && defined(_WIN32) && !defined(__clang__) +#define ALIGNAS_ON_STACK_VARIABLES_BROKEN +#endif + +#define ASSERT_ALIGNED(ptr, alignment) assert(reinterpret_cast(ptr) % alignment == 0) + +#if defined(_WIN64) && defined(_MSC_VER) // No Makefile used +# include // Microsoft header for _BitScanForward64() +# define IS_64BIT +#endif + +#if defined(USE_POPCNT) && (defined(__INTEL_COMPILER) || defined(_MSC_VER)) +# include // Intel and Microsoft header for _mm_popcnt_u64() +#endif + +#if !defined(NO_PREFETCH) && (defined(__INTEL_COMPILER) || defined(_MSC_VER)) +# include // Intel and Microsoft header for _mm_prefetch() +#endif + +#if defined(USE_PEXT) +# include // Header for _pext_u64() intrinsic +# define pext(b, m) _pext_u64(b, m) +#else +# define pext(b, m) 0 +#endif + +namespace Stockfish { + +#ifdef USE_POPCNT +constexpr bool HasPopCnt = true; +#else +constexpr bool HasPopCnt = false; +#endif + +#ifdef USE_PEXT +constexpr bool HasPext = true; +#else +constexpr bool HasPext = false; +#endif + +#ifdef IS_64BIT +constexpr bool Is64Bit = true; +#else +constexpr bool Is64Bit = false; +#endif + +typedef uint64_t Key; +typedef uint64_t Bitboard; + +constexpr int MAX_MOVES = 256; +constexpr int MAX_PLY = 246; + +/// A move needs 16 bits to be stored +/// +/// bit 0- 5: destination square (from 0 to 63) +/// bit 6-11: origin square (from 0 to 63) +/// bit 12-13: promotion piece type - 2 (from KNIGHT-2 to QUEEN-2) +/// bit 14-15: special move flag: promotion (1), en passant (2), castling (3) +/// NOTE: en passant bit is set only when a pawn can be captured +/// +/// Special cases are MOVE_NONE and MOVE_NULL. We can sneak these in because in +/// any normal move destination square is always different from origin square +/// while MOVE_NONE and MOVE_NULL have the same origin and destination square. + +enum Move : int { + MOVE_NONE, + MOVE_NULL = 65 +}; + +enum MoveType { + NORMAL, + PROMOTION = 1 << 14, + EN_PASSANT = 2 << 14, + CASTLING = 3 << 14 +}; + +enum Color { + WHITE, BLACK, COLOR_NB = 2 +}; + +enum CastlingRights { + NO_CASTLING, + WHITE_OO, + WHITE_OOO = WHITE_OO << 1, + BLACK_OO = WHITE_OO << 2, + BLACK_OOO = WHITE_OO << 3, + + KING_SIDE = WHITE_OO | BLACK_OO, + QUEEN_SIDE = WHITE_OOO | BLACK_OOO, + WHITE_CASTLING = WHITE_OO | WHITE_OOO, + BLACK_CASTLING = BLACK_OO | BLACK_OOO, + ANY_CASTLING = WHITE_CASTLING | BLACK_CASTLING, + + CASTLING_RIGHT_NB = 16 +}; + +enum Phase { + PHASE_ENDGAME, + PHASE_MIDGAME = 128, + MG = 0, EG = 1, PHASE_NB = 2 +}; + +enum ScaleFactor { + SCALE_FACTOR_DRAW = 0, + SCALE_FACTOR_NORMAL = 64, + SCALE_FACTOR_MAX = 128, + SCALE_FACTOR_NONE = 255 +}; + +enum Bound { + BOUND_NONE, + BOUND_UPPER, + BOUND_LOWER, + BOUND_EXACT = BOUND_UPPER | BOUND_LOWER +}; + +enum Value : int { + VALUE_ZERO = 0, + VALUE_DRAW = 0, + VALUE_KNOWN_WIN = 10000, + VALUE_MATE = 32000, + VALUE_INFINITE = 32001, + VALUE_NONE = 32002, + + VALUE_TB_WIN_IN_MAX_PLY = VALUE_MATE - 2 * MAX_PLY, + VALUE_TB_LOSS_IN_MAX_PLY = -VALUE_TB_WIN_IN_MAX_PLY, + VALUE_MATE_IN_MAX_PLY = VALUE_MATE - MAX_PLY, + VALUE_MATED_IN_MAX_PLY = -VALUE_MATE_IN_MAX_PLY, + + PawnValueMg = 126, PawnValueEg = 208, + KnightValueMg = 781, KnightValueEg = 854, + BishopValueMg = 825, BishopValueEg = 915, + RookValueMg = 1276, RookValueEg = 1380, + QueenValueMg = 2538, QueenValueEg = 2682, + + MidgameLimit = 15258, EndgameLimit = 3915 +}; + +enum PieceType { + NO_PIECE_TYPE, PAWN, KNIGHT, BISHOP, ROOK, QUEEN, KING, + ALL_PIECES = 0, + PIECE_TYPE_NB = 8 +}; + +enum Piece { + NO_PIECE, + W_PAWN = PAWN, W_KNIGHT, W_BISHOP, W_ROOK, W_QUEEN, W_KING, + B_PAWN = PAWN + 8, B_KNIGHT, B_BISHOP, B_ROOK, B_QUEEN, B_KING, + PIECE_NB = 16 +}; + +constexpr Value PieceValue[PHASE_NB][PIECE_NB] = { + { VALUE_ZERO, PawnValueMg, KnightValueMg, BishopValueMg, RookValueMg, QueenValueMg, VALUE_ZERO, VALUE_ZERO, + VALUE_ZERO, PawnValueMg, KnightValueMg, BishopValueMg, RookValueMg, QueenValueMg, VALUE_ZERO, VALUE_ZERO }, + { VALUE_ZERO, PawnValueEg, KnightValueEg, BishopValueEg, RookValueEg, QueenValueEg, VALUE_ZERO, VALUE_ZERO, + VALUE_ZERO, PawnValueEg, KnightValueEg, BishopValueEg, RookValueEg, QueenValueEg, VALUE_ZERO, VALUE_ZERO } +}; + +typedef int Depth; + +enum : int { + DEPTH_QS_CHECKS = 0, + DEPTH_QS_NO_CHECKS = -1, + DEPTH_QS_RECAPTURES = -5, + + DEPTH_NONE = -6, + + DEPTH_OFFSET = -7 // value used only for TT entry occupancy check +}; + +enum Square : int { + SQ_A1, SQ_B1, SQ_C1, SQ_D1, SQ_E1, SQ_F1, SQ_G1, SQ_H1, + SQ_A2, SQ_B2, SQ_C2, SQ_D2, SQ_E2, SQ_F2, SQ_G2, SQ_H2, + SQ_A3, SQ_B3, SQ_C3, SQ_D3, SQ_E3, SQ_F3, SQ_G3, SQ_H3, + SQ_A4, SQ_B4, SQ_C4, SQ_D4, SQ_E4, SQ_F4, SQ_G4, SQ_H4, + SQ_A5, SQ_B5, SQ_C5, SQ_D5, SQ_E5, SQ_F5, SQ_G5, SQ_H5, + SQ_A6, SQ_B6, SQ_C6, SQ_D6, SQ_E6, SQ_F6, SQ_G6, SQ_H6, + SQ_A7, SQ_B7, SQ_C7, SQ_D7, SQ_E7, SQ_F7, SQ_G7, SQ_H7, + SQ_A8, SQ_B8, SQ_C8, SQ_D8, SQ_E8, SQ_F8, SQ_G8, SQ_H8, + SQ_NONE, + + SQUARE_ZERO = 0, + SQUARE_NB = 64 +}; + +enum Direction : int { + NORTH = 8, + EAST = 1, + SOUTH = -NORTH, + WEST = -EAST, + + NORTH_EAST = NORTH + EAST, + SOUTH_EAST = SOUTH + EAST, + SOUTH_WEST = SOUTH + WEST, + NORTH_WEST = NORTH + WEST +}; + +enum File : int { + FILE_A, FILE_B, FILE_C, FILE_D, FILE_E, FILE_F, FILE_G, FILE_H, FILE_NB +}; + +enum Rank : int { + RANK_1, RANK_2, RANK_3, RANK_4, RANK_5, RANK_6, RANK_7, RANK_8, RANK_NB +}; + +// Keep track of what a move changes on the board (used by NNUE) +struct DirtyPiece { + + // Number of changed pieces + int dirty_num; + + // Max 3 pieces can change in one move. A promotion with capture moves + // both the pawn and the captured piece to SQ_NONE and the piece promoted + // to from SQ_NONE to the capture square. + Piece piece[3]; + + // From and to squares, which may be SQ_NONE + Square from[3]; + Square to[3]; +}; + +/// Score enum stores a middlegame and an endgame value in a single integer (enum). +/// The least significant 16 bits are used to store the middlegame value and the +/// upper 16 bits are used to store the endgame value. We have to take care to +/// avoid left-shifting a signed int to avoid undefined behavior. +enum Score : int { SCORE_ZERO }; + +constexpr Score make_score(int mg, int eg) { + return Score((int)((unsigned int)eg << 16) + mg); +} + +/// Extracting the signed lower and upper 16 bits is not so trivial because +/// according to the standard a simple cast to short is implementation defined +/// and so is a right shift of a signed integer. +inline Value eg_value(Score s) { + union { uint16_t u; int16_t s; } eg = { uint16_t(unsigned(s + 0x8000) >> 16) }; + return Value(eg.s); +} + +inline Value mg_value(Score s) { + union { uint16_t u; int16_t s; } mg = { uint16_t(unsigned(s)) }; + return Value(mg.s); +} + +#define ENABLE_BASE_OPERATORS_ON(T) \ +constexpr T operator+(T d1, int d2) { return T(int(d1) + d2); } \ +constexpr T operator-(T d1, int d2) { return T(int(d1) - d2); } \ +constexpr T operator-(T d) { return T(-int(d)); } \ +inline T& operator+=(T& d1, int d2) { return d1 = d1 + d2; } \ +inline T& operator-=(T& d1, int d2) { return d1 = d1 - d2; } + +#define ENABLE_INCR_OPERATORS_ON(T) \ +inline T& operator++(T& d) { return d = T(int(d) + 1); } \ +inline T& operator--(T& d) { return d = T(int(d) - 1); } + +#define ENABLE_FULL_OPERATORS_ON(T) \ +ENABLE_BASE_OPERATORS_ON(T) \ +constexpr T operator*(int i, T d) { return T(i * int(d)); } \ +constexpr T operator*(T d, int i) { return T(int(d) * i); } \ +constexpr T operator/(T d, int i) { return T(int(d) / i); } \ +constexpr int operator/(T d1, T d2) { return int(d1) / int(d2); } \ +inline T& operator*=(T& d, int i) { return d = T(int(d) * i); } \ +inline T& operator/=(T& d, int i) { return d = T(int(d) / i); } + +ENABLE_FULL_OPERATORS_ON(Value) +ENABLE_FULL_OPERATORS_ON(Direction) + +ENABLE_INCR_OPERATORS_ON(Piece) +ENABLE_INCR_OPERATORS_ON(PieceType) +ENABLE_INCR_OPERATORS_ON(Square) +ENABLE_INCR_OPERATORS_ON(File) +ENABLE_INCR_OPERATORS_ON(Rank) + +ENABLE_BASE_OPERATORS_ON(Score) + +#undef ENABLE_FULL_OPERATORS_ON +#undef ENABLE_INCR_OPERATORS_ON +#undef ENABLE_BASE_OPERATORS_ON + +/// Additional operators to add a Direction to a Square +constexpr Square operator+(Square s, Direction d) { return Square(int(s) + int(d)); } +constexpr Square operator-(Square s, Direction d) { return Square(int(s) - int(d)); } +inline Square& operator+=(Square& s, Direction d) { return s = s + d; } +inline Square& operator-=(Square& s, Direction d) { return s = s - d; } + +/// Only declared but not defined. We don't want to multiply two scores due to +/// a very high risk of overflow. So user should explicitly convert to integer. +Score operator*(Score, Score) = delete; + +/// Division of a Score must be handled separately for each term +inline Score operator/(Score s, int i) { + return make_score(mg_value(s) / i, eg_value(s) / i); +} + +/// Multiplication of a Score by an integer. We check for overflow in debug mode. +inline Score operator*(Score s, int i) { + + Score result = Score(int(s) * i); + + assert(eg_value(result) == (i * eg_value(s))); + assert(mg_value(result) == (i * mg_value(s))); + assert((i == 0) || (result / i) == s); + + return result; +} + +/// Multiplication of a Score by a boolean +inline Score operator*(Score s, bool b) { + return b ? s : SCORE_ZERO; +} + +constexpr Color operator~(Color c) { + return Color(c ^ BLACK); // Toggle color +} + +constexpr Square flip_rank(Square s) { // Swap A1 <-> A8 + return Square(s ^ SQ_A8); +} + +constexpr Square flip_file(Square s) { // Swap A1 <-> H1 + return Square(s ^ SQ_H1); +} + +constexpr Piece operator~(Piece pc) { + return Piece(pc ^ 8); // Swap color of piece B_KNIGHT <-> W_KNIGHT +} + +constexpr CastlingRights operator&(Color c, CastlingRights cr) { + return CastlingRights((c == WHITE ? WHITE_CASTLING : BLACK_CASTLING) & cr); +} + +constexpr Value mate_in(int ply) { + return VALUE_MATE - ply; +} + +constexpr Value mated_in(int ply) { + return -VALUE_MATE + ply; +} + +constexpr Square make_square(File f, Rank r) { + return Square((r << 3) + f); +} + +constexpr Piece make_piece(Color c, PieceType pt) { + return Piece((c << 3) + pt); +} + +constexpr PieceType type_of(Piece pc) { + return PieceType(pc & 7); +} + +inline Color color_of(Piece pc) { + assert(pc != NO_PIECE); + return Color(pc >> 3); +} + +constexpr bool is_ok(Square s) { + return s >= SQ_A1 && s <= SQ_H8; +} + +constexpr File file_of(Square s) { + return File(s & 7); +} + +constexpr Rank rank_of(Square s) { + return Rank(s >> 3); +} + +constexpr Square relative_square(Color c, Square s) { + return Square(s ^ (c * 56)); +} + +constexpr Rank relative_rank(Color c, Rank r) { + return Rank(r ^ (c * 7)); +} + +constexpr Rank relative_rank(Color c, Square s) { + return relative_rank(c, rank_of(s)); +} + +constexpr Direction pawn_push(Color c) { + return c == WHITE ? NORTH : SOUTH; +} + +constexpr Square from_sq(Move m) { + return Square((m >> 6) & 0x3F); +} + +constexpr Square to_sq(Move m) { + return Square(m & 0x3F); +} + +constexpr int from_to(Move m) { + return m & 0xFFF; +} + +constexpr MoveType type_of(Move m) { + return MoveType(m & (3 << 14)); +} + +constexpr PieceType promotion_type(Move m) { + return PieceType(((m >> 12) & 3) + KNIGHT); +} + +constexpr Move make_move(Square from, Square to) { + return Move((from << 6) + to); +} + +template +constexpr Move make(Square from, Square to, PieceType pt = KNIGHT) { + return Move(T + ((pt - KNIGHT) << 12) + (from << 6) + to); +} + +constexpr bool is_ok(Move m) { + return from_sq(m) != to_sq(m); // Catch MOVE_NULL and MOVE_NONE +} + +/// Based on a congruential pseudo random number generator +constexpr Key make_key(uint64_t seed) { + return seed * 6364136223846793005ULL + 1442695040888963407ULL; +} + +} // namespace Stockfish + +#endif // #ifndef TYPES_H_INCLUDED + +#include "tune.h" // Global visibility to tuning setup diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/uci.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/uci.cpp new file mode 100755 index 00000000..5d842d25 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/uci.cpp @@ -0,0 +1,393 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include +#include +#include +#include +#include + +#include "evaluate.h" +#include "movegen.h" +#include "position.h" +#include "search.h" +#include "thread.h" +#include "timeman.h" +#include "tt.h" +#include "uci.h" +#include "syzygy/tbprobe.h" + +using namespace std; + +namespace Stockfish { + +extern vector setup_bench(const Position&, istream&); + +namespace { + + // FEN string for the initial position in standard chess + const char* StartFEN = "rnbqkbnr/pppppppp/8/8/8/8/PPPPPPPP/RNBQKBNR w KQkq - 0 1"; + + + // position() is called when the engine receives the "position" UCI command. + // It sets up the position that is described in the given FEN string ("fen") or + // the initial position ("startpos") and then makes the moves given in the following + // move list ("moves"). + + void position(Position& pos, istringstream& is, StateListPtr& states) { + + Move m; + string token, fen; + + is >> token; + + if (token == "startpos") + { + fen = StartFEN; + is >> token; // Consume the "moves" token, if any + } + else if (token == "fen") + while (is >> token && token != "moves") + fen += token + " "; + else + return; + + states = StateListPtr(new std::deque(1)); // Drop the old state and create a new one + pos.set(fen, Options["UCI_Chess960"], &states->back(), Threads.main()); + + // Parse the move list, if any + while (is >> token && (m = UCI::to_move(pos, token)) != MOVE_NONE) + { + states->emplace_back(); + pos.do_move(m, states->back()); + } + } + + // trace_eval() prints the evaluation of the current position, consistent with + // the UCI options set so far. + + void trace_eval(Position& pos) { + + StateListPtr states(new std::deque(1)); + Position p; + p.set(pos.fen(), Options["UCI_Chess960"], &states->back(), Threads.main()); + + Eval::NNUE::verify(); + + sync_cout << "\n" << Eval::trace(p) << sync_endl; + } + + + // setoption() is called when the engine receives the "setoption" UCI command. + // The function updates the UCI option ("name") to the given value ("value"). + + void setoption(istringstream& is) { + + string token, name, value; + + is >> token; // Consume the "name" token + + // Read the option name (can contain spaces) + while (is >> token && token != "value") + name += (name.empty() ? "" : " ") + token; + + // Read the option value (can contain spaces) + while (is >> token) + value += (value.empty() ? "" : " ") + token; + + if (Options.count(name)) + Options[name] = value; + else + sync_cout << "No such option: " << name << sync_endl; + } + + + // go() is called when the engine receives the "go" UCI command. The function + // sets the thinking time and other parameters from the input string, then starts + // with a search. + + void go(Position& pos, istringstream& is, StateListPtr& states) { + + Search::LimitsType limits; + string token; + bool ponderMode = false; + + limits.startTime = now(); // The search starts as early as possible + + while (is >> token) + if (token == "searchmoves") // Needs to be the last command on the line + while (is >> token) + limits.searchmoves.push_back(UCI::to_move(pos, token)); + + else if (token == "wtime") is >> limits.time[WHITE]; + else if (token == "btime") is >> limits.time[BLACK]; + else if (token == "winc") is >> limits.inc[WHITE]; + else if (token == "binc") is >> limits.inc[BLACK]; + else if (token == "movestogo") is >> limits.movestogo; + else if (token == "depth") is >> limits.depth; + else if (token == "nodes") is >> limits.nodes; + else if (token == "movetime") is >> limits.movetime; + else if (token == "mate") is >> limits.mate; + else if (token == "perft") is >> limits.perft; + else if (token == "infinite") limits.infinite = 1; + else if (token == "ponder") ponderMode = true; + + Threads.start_thinking(pos, states, limits, ponderMode); + } + + + // bench() is called when the engine receives the "bench" command. + // Firstly, a list of UCI commands is set up according to the bench + // parameters, then it is run one by one, printing a summary at the end. + + void bench(Position& pos, istream& args, StateListPtr& states) { + + string token; + uint64_t num, nodes = 0, cnt = 1; + + vector list = setup_bench(pos, args); + num = count_if(list.begin(), list.end(), [](string s) { return s.find("go ") == 0 || s.find("eval") == 0; }); + + TimePoint elapsed = now(); + + for (const auto& cmd : list) + { + istringstream is(cmd); + is >> skipws >> token; + + if (token == "go" || token == "eval") + { + cerr << "\nPosition: " << cnt++ << '/' << num << " (" << pos.fen() << ")" << endl; + if (token == "go") + { + go(pos, is, states); + Threads.main()->wait_for_search_finished(); + nodes += Threads.nodes_searched(); + } + else + trace_eval(pos); + } + else if (token == "setoption") setoption(is); + else if (token == "position") position(pos, is, states); + else if (token == "ucinewgame") { Search::clear(); elapsed = now(); } // Search::clear() may take a while + } + + elapsed = now() - elapsed + 1; // Ensure positivity to avoid a 'divide by zero' + + dbg_print(); + + cerr << "\n===========================" + << "\nTotal time (ms) : " << elapsed + << "\nNodes searched : " << nodes + << "\nNodes/second : " << 1000 * nodes / elapsed << endl; + } + + // The win rate model returns the probability of winning (in per mille units) given an + // eval and a game ply. It fits the LTC fishtest statistics rather accurately. + int win_rate_model(Value v, int ply) { + + // The model only captures up to 240 plies, so limit the input and then rescale + double m = std::min(240, ply) / 64.0; + + // The coefficients of a third-order polynomial fit is based on the fishtest data + // for two parameters that need to transform eval to the argument of a logistic + // function. + constexpr double as[] = { -0.58270499, 2.68512549, 15.24638015, 344.49745382}; + constexpr double bs[] = { -2.65734562, 15.96509799, -20.69040836, 73.61029937 }; + + // Enforce that NormalizeToPawnValue corresponds to a 50% win rate at ply 64 + static_assert(UCI::NormalizeToPawnValue == int(as[0] + as[1] + as[2] + as[3])); + + double a = (((as[0] * m + as[1]) * m + as[2]) * m) + as[3]; + double b = (((bs[0] * m + bs[1]) * m + bs[2]) * m) + bs[3]; + + // Transform the eval to centipawns with limited range + double x = std::clamp(double(v), -4000.0, 4000.0); + + // Return the win rate in per mille units rounded to the nearest value + return int(0.5 + 1000 / (1 + std::exp((a - x) / b))); + } + +} // namespace + + +/// UCI::loop() waits for a command from the stdin, parses it and then calls the appropriate +/// function. It also intercepts an end-of-file (EOF) indication from the stdin to ensure a +/// graceful exit if the GUI dies unexpectedly. When called with some command-line arguments, +/// like running 'bench', the function returns immediately after the command is executed. +/// In addition to the UCI ones, some additional debug commands are also supported. + +void UCI::loop(int argc, char* argv[]) { + + Position pos; + string token, cmd; + StateListPtr states(new std::deque(1)); + + pos.set(StartFEN, false, &states->back(), Threads.main()); + + for (int i = 1; i < argc; ++i) + cmd += std::string(argv[i]) + " "; + + do { + if (argc == 1 && !getline(cin, cmd)) // Wait for an input or an end-of-file (EOF) indication + cmd = "quit"; + + istringstream is(cmd); + + token.clear(); // Avoid a stale if getline() returns nothing or a blank line + is >> skipws >> token; + + if ( token == "quit" + || token == "stop") + Threads.stop = true; + + // The GUI sends 'ponderhit' to tell that the user has played the expected move. + // So, 'ponderhit' is sent if pondering was done on the same move that the user + // has played. The search should continue, but should also switch from pondering + // to the normal search. + else if (token == "ponderhit") + Threads.main()->ponder = false; // Switch to the normal search + + else if (token == "uci") + sync_cout << "id name " << engine_info(true) + << "\n" << Options + << "\nuciok" << sync_endl; + + else if (token == "setoption") setoption(is); + else if (token == "go") go(pos, is, states); + else if (token == "position") position(pos, is, states); + else if (token == "ucinewgame") Search::clear(); + else if (token == "isready") sync_cout << "readyok" << sync_endl; + + // Add custom non-UCI commands, mainly for debugging purposes. + // These commands must not be used during a search! + else if (token == "flip") pos.flip(); + else if (token == "bench") bench(pos, is, states); + else if (token == "d") sync_cout << pos << sync_endl; + else if (token == "eval") trace_eval(pos); + else if (token == "compiler") sync_cout << compiler_info() << sync_endl; + else if (token == "export_net") + { + std::optional filename; + std::string f; + if (is >> skipws >> f) + filename = f; + Eval::NNUE::save_eval(filename); + } + else if (token == "--help" || token == "help" || token == "--license" || token == "license") + sync_cout << "\nStockfish is a powerful chess engine for playing and analyzing." + "\nIt is released as free software licensed under the GNU GPLv3 License." + "\nStockfish is normally used with a graphical user interface (GUI) and implements" + "\nthe Universal Chess Interface (UCI) protocol to communicate with a GUI, an API, etc." + "\nFor any further information, visit https://github.com/official-stockfish/Stockfish#readme" + "\nor read the corresponding README.md and Copying.txt files distributed along with this program.\n" << sync_endl; + else if (!token.empty() && token[0] != '#') + sync_cout << "Unknown command: '" << cmd << "'. Type help for more information." << sync_endl; + + } while (token != "quit" && argc == 1); // The command-line arguments are one-shot +} + + +/// UCI::value() converts a Value to a string by adhering to the UCI protocol specification: +/// +/// cp The score from the engine's point of view in centipawns. +/// mate Mate in 'y' moves (not plies). If the engine is getting mated, +/// uses negative values for 'y'. + +string UCI::value(Value v) { + + assert(-VALUE_INFINITE < v && v < VALUE_INFINITE); + + stringstream ss; + + if (abs(v) < VALUE_MATE_IN_MAX_PLY) + ss << "cp " << v * 100 / NormalizeToPawnValue; + else + ss << "mate " << (v > 0 ? VALUE_MATE - v + 1 : -VALUE_MATE - v) / 2; + + return ss.str(); +} + + +/// UCI::wdl() reports the win-draw-loss (WDL) statistics given an evaluation +/// and a game ply based on the data gathered for fishtest LTC games. + +string UCI::wdl(Value v, int ply) { + + stringstream ss; + + int wdl_w = win_rate_model( v, ply); + int wdl_l = win_rate_model(-v, ply); + int wdl_d = 1000 - wdl_w - wdl_l; + ss << " wdl " << wdl_w << " " << wdl_d << " " << wdl_l; + + return ss.str(); +} + + +/// UCI::square() converts a Square to a string in algebraic notation (g1, a7, etc.) + +std::string UCI::square(Square s) { + return std::string{ char('a' + file_of(s)), char('1' + rank_of(s)) }; +} + + +/// UCI::move() converts a Move to a string in coordinate notation (g1f3, a7a8q). +/// The only special case is castling where the e1g1 notation is printed in +/// standard chess mode and in e1h1 notation it is printed in Chess960 mode. +/// Internally, all castling moves are always encoded as 'king captures rook'. + +string UCI::move(Move m, bool chess960) { + + Square from = from_sq(m); + Square to = to_sq(m); + + if (m == MOVE_NONE) + return "(none)"; + + if (m == MOVE_NULL) + return "0000"; + + if (type_of(m) == CASTLING && !chess960) + to = make_square(to > from ? FILE_G : FILE_C, rank_of(from)); + + string move = UCI::square(from) + UCI::square(to); + + if (type_of(m) == PROMOTION) + move += " pnbrqk"[promotion_type(m)]; + + return move; +} + + +/// UCI::to_move() converts a string representing a move in coordinate notation +/// (g1f3, a7a8q) to the corresponding legal Move, if any. + +Move UCI::to_move(const Position& pos, string& str) { + + if (str.length() == 5) + str[4] = char(tolower(str[4])); // The promotion piece character must be lowercased + + for (const auto& m : MoveList(pos)) + if (str == UCI::move(m, pos.is_chess960())) + return m; + + return MOVE_NONE; +} + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/uci.h b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/uci.h new file mode 100755 index 00000000..3b5a6764 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/uci.h @@ -0,0 +1,92 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#ifndef UCI_H_INCLUDED +#define UCI_H_INCLUDED + +#include +#include + +#include "types.h" + +namespace Stockfish { + +class Position; + +namespace UCI { + +// Normalizes the internal value as reported by evaluate or search +// to the UCI centipawn result used in output. This value is derived from +// the win_rate_model() such that Stockfish outputs an advantage of +// "100 centipawns" for a position if the engine has a 50% probability to win +// from this position in selfplay at fishtest LTC time control. +const int NormalizeToPawnValue = 361; + +class Option; + +/// Define a custom comparator, because the UCI options should be case-insensitive +struct CaseInsensitiveLess { + bool operator() (const std::string&, const std::string&) const; +}; + +/// The options container is defined as a std::map +typedef std::map OptionsMap; + +/// The Option class implements each option as specified by the UCI protocol +class Option { + + typedef void (*OnChange)(const Option&); + +public: + Option(OnChange = nullptr); + Option(bool v, OnChange = nullptr); + Option(const char* v, OnChange = nullptr); + Option(double v, int minv, int maxv, OnChange = nullptr); + Option(const char* v, const char* cur, OnChange = nullptr); + + Option& operator=(const std::string&); + void operator<<(const Option&); + operator double() const; + operator std::string() const; + bool operator==(const char*) const; + +private: + friend std::ostream& operator<<(std::ostream&, const OptionsMap&); + + std::string defaultValue, currentValue, type; + int min, max; + size_t idx; + OnChange on_change; +}; + +void init(OptionsMap&); +void loop(int argc, char* argv[]); +std::string value(Value v); +std::string square(Square s); +std::string move(Move m, bool chess960); +std::string pv(const Position& pos, Depth depth); +std::string wdl(Value v, int ply); +Move to_move(const Position& pos, std::string& str); + +} // namespace UCI + +extern UCI::OptionsMap Options; + +} // namespace Stockfish + +#endif // #ifndef UCI_H_INCLUDED diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/ucioption.cpp b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/ucioption.cpp new file mode 100755 index 00000000..9fb48345 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/src/ucioption.cpp @@ -0,0 +1,194 @@ +/* + Stockfish, a UCI chess playing engine derived from Glaurung 2.1 + Copyright (C) 2004-2022 The Stockfish developers (see AUTHORS file) + + Stockfish is free software: you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + Stockfish is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program. If not, see . +*/ + +#include +#include +#include +#include + +#include "evaluate.h" +#include "misc.h" +#include "search.h" +#include "thread.h" +#include "tt.h" +#include "uci.h" +#include "syzygy/tbprobe.h" + +using std::string; + +namespace Stockfish { + +UCI::OptionsMap Options; // Global object + +namespace UCI { + +/// 'On change' actions, triggered by an option's value change +void on_clear_hash(const Option&) { Search::clear(); } +void on_hash_size(const Option& o) { TT.resize(size_t(o)); } +void on_logger(const Option& o) { start_logger(o); } +void on_threads(const Option& o) { Threads.set(size_t(o)); } +void on_tb_path(const Option& o) { Tablebases::init(o); } +void on_use_NNUE(const Option& ) { Eval::NNUE::init(); } +void on_eval_file(const Option& ) { Eval::NNUE::init(); } + +/// Our case insensitive less() function as required by UCI protocol +bool CaseInsensitiveLess::operator() (const string& s1, const string& s2) const { + + return std::lexicographical_compare(s1.begin(), s1.end(), s2.begin(), s2.end(), + [](char c1, char c2) { return tolower(c1) < tolower(c2); }); +} + + +/// UCI::init() initializes the UCI options to their hard-coded default values + +void init(OptionsMap& o) { + + constexpr int MaxHashMB = Is64Bit ? 33554432 : 2048; + + o["Debug Log File"] << Option("", on_logger); + o["Threads"] << Option(1, 1, 1024, on_threads); + o["Hash"] << Option(16, 1, MaxHashMB, on_hash_size); + o["Clear Hash"] << Option(on_clear_hash); + o["Ponder"] << Option(false); + o["MultiPV"] << Option(1, 1, 500); + o["Skill Level"] << Option(20, 0, 20); + o["Move Overhead"] << Option(10, 0, 5000); + o["Slow Mover"] << Option(100, 10, 1000); + o["nodestime"] << Option(0, 0, 10000); + o["UCI_Chess960"] << Option(false); + o["UCI_AnalyseMode"] << Option(false); + o["UCI_LimitStrength"] << Option(false); + o["UCI_Elo"] << Option(1350, 1350, 2850); + o["UCI_ShowWDL"] << Option(false); + o["SyzygyPath"] << Option("", on_tb_path); + o["SyzygyProbeDepth"] << Option(1, 1, 100); + o["Syzygy50MoveRule"] << Option(true); + o["SyzygyProbeLimit"] << Option(7, 0, 7); + o["Use NNUE"] << Option(true, on_use_NNUE); + o["EvalFile"] << Option(EvalFileDefaultName, on_eval_file); +} + + +/// operator<<() is used to print all the options default values in chronological +/// insertion order (the idx field) and in the format defined by the UCI protocol. + +std::ostream& operator<<(std::ostream& os, const OptionsMap& om) { + + for (size_t idx = 0; idx < om.size(); ++idx) + for (const auto& it : om) + if (it.second.idx == idx) + { + const Option& o = it.second; + os << "\noption name " << it.first << " type " << o.type; + + if (o.type == "string" || o.type == "check" || o.type == "combo") + os << " default " << o.defaultValue; + + if (o.type == "spin") + os << " default " << int(stof(o.defaultValue)) + << " min " << o.min + << " max " << o.max; + + break; + } + + return os; +} + + +/// Option class constructors and conversion operators + +Option::Option(const char* v, OnChange f) : type("string"), min(0), max(0), on_change(f) +{ defaultValue = currentValue = v; } + +Option::Option(bool v, OnChange f) : type("check"), min(0), max(0), on_change(f) +{ defaultValue = currentValue = (v ? "true" : "false"); } + +Option::Option(OnChange f) : type("button"), min(0), max(0), on_change(f) +{} + +Option::Option(double v, int minv, int maxv, OnChange f) : type("spin"), min(minv), max(maxv), on_change(f) +{ defaultValue = currentValue = std::to_string(v); } + +Option::Option(const char* v, const char* cur, OnChange f) : type("combo"), min(0), max(0), on_change(f) +{ defaultValue = v; currentValue = cur; } + +Option::operator double() const { + assert(type == "check" || type == "spin"); + return (type == "spin" ? stof(currentValue) : currentValue == "true"); +} + +Option::operator std::string() const { + assert(type == "string"); + return currentValue; +} + +bool Option::operator==(const char* s) const { + assert(type == "combo"); + return !CaseInsensitiveLess()(currentValue, s) + && !CaseInsensitiveLess()(s, currentValue); +} + + +/// operator<<() inits options and assigns idx in the correct printing order + +void Option::operator<<(const Option& o) { + + static size_t insert_order = 0; + + *this = o; + idx = insert_order++; +} + + +/// operator=() updates currentValue and triggers on_change() action. It's up to +/// the GUI to check for option's limits, but we could receive the new value +/// from the user by console window, so let's check the bounds anyway. + +Option& Option::operator=(const string& v) { + + assert(!type.empty()); + + if ( (type != "button" && type != "string" && v.empty()) + || (type == "check" && v != "true" && v != "false") + || (type == "spin" && (stof(v) < min || stof(v) > max))) + return *this; + + if (type == "combo") + { + OptionsMap comboMap; // To have case insensitive compare + string token; + std::istringstream ss(defaultValue); + while (ss >> token) + comboMap[token] << Option(); + if (!comboMap.count(v) || v == "var") + return *this; + } + + if (type != "button") + currentValue = v; + + if (on_change) + on_change(*this); + + return *this; +} + +} // namespace UCI + +} // namespace Stockfish diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/stockfish-ubuntu-20.04-x86-64-avx2 b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/stockfish-ubuntu-20.04-x86-64-avx2 new file mode 100755 index 00000000..88f48d52 Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/stockfish/stockfish-ubuntu-20.04-x86-64-avx2 differ diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/tpu_vm_setup.sh b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/tpu_vm_setup.sh new file mode 100755 index 00000000..264b086c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/lmrlgym/tpu_vm_setup.sh @@ -0,0 +1,26 @@ +install basics +apt-get update -q \ + && DEBIAN_FRONTEND=noninteractive apt-get install -y \ + apt-utils \ + curl \ + git \ + vim \ + wget \ + tmux \ + && apt-get clean \ + && rm -rf /var/lib/apt/lists/* + +# install miniforge +rm -rf ~/Miniconda3-py39_4.12.0-Linux-x86_64.sh +wget https://repo.anaconda.com/miniconda/Miniconda3-py310_23.1.0-1-Linux-x86_64.sh -P ~/ +bash ~/Miniconda3-py310_23.1.0-1-Linux-x86_64.sh -b + +# install dependencies +source ~/miniconda3/bin/activate +conda init bash +conda env create -f environment.yml +conda activate LLM_RL +python -m pip install --upgrade pip && python -m pip install jax[tpu] -f https://storage.googleapis.com/jax-releases/libtpu_releases.html + +# clean up +# rm -rf ~/Miniconda3-py310_23.1.0-1-Linux-x86_64.sh diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/pyproject.toml b/openmanus_rl/agentgym/agentenv-lmrlgym/pyproject.toml new file mode 100644 index 00000000..9aa1cdb3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/pyproject.toml @@ -0,0 +1,18 @@ +[project] +name = "agentenv_lmrlgym" +version = "0.0.1" +description = "" +authors = [ + {name = "zsxmwjz", email = "13816862266@163.com"}, +] +dependencies = ["fastapi", "uvicorn"] +requires-python = "==3.9.12" +readme = "README.md" +license = {text = "MIT"} + +[build-system] +requires = ["pdm-backend"] +build-backend = "pdm.backend" + +[project.scripts] +lmrlgym = "agentenv_lmrlgym:launch" diff --git a/openmanus_rl/agentgym/agentenv-lmrlgym/setup.sh b/openmanus_rl/agentgym/agentenv-lmrlgym/setup.sh new file mode 100644 index 00000000..ae6157d5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-lmrlgym/setup.sh @@ -0,0 +1,2 @@ +pip install -e ./lmrlgym +pip install -e . \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-sciworld/README.md b/openmanus_rl/agentgym/agentenv-sciworld/README.md new file mode 100644 index 00000000..16fc24fa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sciworld/README.md @@ -0,0 +1,15 @@ +# Agent Environments - SciWorld + +## Setup +Before running: You will have to have Java 1.8+ installed on your system (shipped with most linux distributions). +``` sh +conda create --name agentenv-sciworld python=3.8 +conda activate agentenv-sciworld +pip install -e . +``` + +## Launch + +``` sh +sciworld --host 0.0.0.0 --port 36001 +``` diff --git a/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/PKG-INFO b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/PKG-INFO new file mode 100644 index 00000000..c4ec6239 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/PKG-INFO @@ -0,0 +1,26 @@ +Metadata-Version: 2.1 +Name: agentenv_sciworld +Version: 0.0.1 +Author-email: zsxmwjz <13816862266@163.com> +License: MIT +Requires-Python: ~=3.8 +Description-Content-Type: text/markdown +Requires-Dist: fastapi +Requires-Dist: uvicorn +Requires-Dist: scienceworld + +# Agent Environments - SciWorld + +## Setup +Before running: You will have to have Java 1.8+ installed on your system (shipped with most linux distributions). +``` sh +conda create --name agentenv-sciworld python=3.8 +conda activate agentenv-sciworld +pip install -e . +``` + +## Launch + +``` sh +sciworld --host 0.0.0.0 --port 36001 +``` diff --git a/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/SOURCES.txt b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/SOURCES.txt new file mode 100644 index 00000000..04275341 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/SOURCES.txt @@ -0,0 +1,13 @@ +README.md +pyproject.toml +agentenv_sciworld/__init__.py +agentenv_sciworld/environment.py +agentenv_sciworld/launch.py +agentenv_sciworld/model.py +agentenv_sciworld/server.py +agentenv_sciworld.egg-info/PKG-INFO +agentenv_sciworld.egg-info/SOURCES.txt +agentenv_sciworld.egg-info/dependency_links.txt +agentenv_sciworld.egg-info/entry_points.txt +agentenv_sciworld.egg-info/requires.txt +agentenv_sciworld.egg-info/top_level.txt \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/dependency_links.txt b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/dependency_links.txt new file mode 100644 index 00000000..8b137891 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/dependency_links.txt @@ -0,0 +1 @@ + diff --git a/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/entry_points.txt b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/entry_points.txt new file mode 100644 index 00000000..6001abe1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/entry_points.txt @@ -0,0 +1,2 @@ +[console_scripts] +sciworld = agentenv_sciworld:launch diff --git a/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/requires.txt b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/requires.txt new file mode 100644 index 00000000..5d6818e8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/requires.txt @@ -0,0 +1,3 @@ +fastapi +uvicorn +scienceworld diff --git a/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/top_level.txt b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/top_level.txt new file mode 100644 index 00000000..86a2b1a3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld.egg-info/top_level.txt @@ -0,0 +1 @@ +agentenv_sciworld diff --git a/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld/__init__.py b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld/__init__.py new file mode 100644 index 00000000..ad8b8b4c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld/__init__.py @@ -0,0 +1,2 @@ +from .server import app +from .launch import launch diff --git a/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld/environment.py b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld/environment.py new file mode 100644 index 00000000..027b767f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld/environment.py @@ -0,0 +1,112 @@ +from scienceworld import ScienceWorldEnv +import uuid + + +class SciWorldEnv: + def __init__(self): + self._max_id = 0 + self.env = {} + self.info = {} + self.games = [] + + def create(self): + try: + idx = self._max_id + self.env[idx] = ScienceWorldEnv() + self.info[idx] = {"deleted": False, "done": False} + self._max_id += 1 + + exceptions = {"5-1", "5-2", "9-1", "9-2", "9-3", "10-1", "10-2"} + + for key, value in self.env[idx].tasks.items(): + if key not in exceptions: + self.games += [ + {"taskName": value, "variationIdx": i} + for i in range(self.env[idx].getMaxVariations(value)) + ] + print(f"-------Env {idx} created--------") + return {"id": idx} + except Exception as e: + return {"error": str(e)} + + def step(self, idx: int, action: str): + try: + self._check_id(idx) + ob, reward, done, info = self.env[idx].step(action) + payload = { + "observation": ob, + "reward": reward, + "score": info["score"], + "done": done, + } + self.info[idx].update(payload) + return payload + except Exception as e: + return {"error": str(e)} + + def reset(self, idx: int, data_idx: int): + try: + self._check_id(idx, True) + self.env[idx].load( + self.games[data_idx]["taskName"], self.games[data_idx]["variationIdx"] + ) + + task_description = self.env[idx].getTaskDescription() + ob, reward, done, info = self.env[idx].step("look around") + + payload = { + "task_name": self.games[data_idx]["taskName"], + "var_num": self.games[data_idx]["variationIdx"], + "task_description": task_description, + "observation": ob, + "reward": reward, + "score": info["score"], + "deleted": False, + "done": done, + } + self.info[idx].update(payload) + return payload + except Exception as e: + return {"error": str(e)} + + def get_observation(self, idx: int): + try: + self._check_id(idx) + return self.info[idx]["observation"] + except Exception as e: + return {"error": str(e)} + + def get_action_hint(self, idx: int): + try: + self._check_id(idx) + return { + "possible_actions": self.env[idx].getPossibleActions(), + "possible_objects": self.env[idx].getPossibleObjects(), + } + except Exception as e: + return {"error": str(e)} + + def get_goals(self, idx: int): + try: + self._check_id(idx) + return {"goals": self.env[idx].getGoalProgressStr()} + except Exception as e: + return {"error": str(e)} + + def get_detailed_info(self, idx: int): + try: + self._check_id(idx) + return self.info[idx] + except Exception as e: + return {"error": str(e)} + + def _check_id(self, idx: int, is_reset: bool = False): + if idx not in self.info: + raise ValueError(f"The id {idx} is not valid.") + if self.info[idx]["deleted"]: + raise ValueError(f"The task with environment {idx} has been deleted.") + if not is_reset and self.info[idx]["done"]: + raise ValueError(f"The task with environment {idx} has finished.") + + +server = SciWorldEnv() diff --git a/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld/launch.py b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld/launch.py new file mode 100644 index 00000000..8e4007d1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld/launch.py @@ -0,0 +1,16 @@ +""" +Entrypoint for the SciWorld agent environment. +""" + +import argparse +import uvicorn + + +def launch(): + """entrypoint for `sciworld` commond""" + + parser = argparse.ArgumentParser() + parser.add_argument("--port", type=int, default=8000) + parser.add_argument("--host", type=str, default="0.0.0.0") + args = parser.parse_args() + uvicorn.run("agentenv_sciworld:app", host=args.host, port=args.port) diff --git a/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld/model.py b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld/model.py new file mode 100644 index 00000000..47297fae --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld/model.py @@ -0,0 +1,12 @@ +from pydantic import BaseModel +from typing import Optional + + +class StepRequestBody(BaseModel): + id: int + action: str + + +class ResetRequestBody(BaseModel): + id: int + data_idx: int diff --git a/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld/server.py b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld/server.py new file mode 100644 index 00000000..9f1ca0bc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sciworld/agentenv_sciworld/server.py @@ -0,0 +1,45 @@ +from fastapi import FastAPI +from .model import * +from .environment import server + +app = FastAPI() + + +@app.get("/") +def hello(): + return "This is environment ScienceWorld." + + +@app.post("/create") +async def create(): + return server.create() + + +@app.post("/step") +def step(body: StepRequestBody): + return server.step(body.id, body.action) + + +@app.post("/reset") +def reset(body: ResetRequestBody): + return server.reset(body.id, body.data_idx) + + +@app.get("/observation") +def get_observation(id: int): + return server.get_observation(id) + + +@app.get("/action_hint") +def get_action_hint(id: int): + return server.get_action_hint(id) + + +@app.get("/goals") +def get_goals(id: int): + return server.get_goals(id) + + +@app.get("/detail") +def get_detailed_info(id: int): + return server.get_detailed_info(id) diff --git a/openmanus_rl/agentgym/agentenv-sciworld/pyproject.toml b/openmanus_rl/agentgym/agentenv-sciworld/pyproject.toml new file mode 100644 index 00000000..944c0a13 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sciworld/pyproject.toml @@ -0,0 +1,18 @@ +[project] +name = "agentenv_sciworld" +version = "0.0.1" +description = "" +authors = [ + {name = "zsxmwjz", email = "13816862266@163.com"}, +] +dependencies = [ + "fastapi", + "uvicorn", + "scienceworld" +] +requires-python = "~=3.8" +readme = "README.md" +license = {text = "MIT"} + +[project.scripts] +sciworld = "agentenv_sciworld:launch" diff --git a/openmanus_rl/agentgym/agentenv-sqlgym/README.md b/openmanus_rl/agentgym/agentenv-sqlgym/README.md new file mode 100644 index 00000000..a15acf0a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sqlgym/README.md @@ -0,0 +1,26 @@ +# Agent Environments - SQLGym + +## Setup + +``` sh +conda create --name agentenv-sqlgym +conda activate agentenv-sqlgym +conda install python +cd AgentEnvironments/agentenv-sqlgym +pip install . +bash setup.sh +# or pip install -e . ? +``` + +## Launch + +``` sh +AGENTENV_SQLGYM_BIRD_PATH=./bird sqlgym --host 0.0.0.0 --port 36002 # setup.sh will show `bird_path` +``` + +## Item ID + +| Item ID | Description | +| ------------ | ------------------ | +| 0 ~ 9427 | Train set for BIRD | +| 9428 ~ 10961 | Dev set for BIRD | diff --git a/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/__init__.py b/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/__init__.py new file mode 100644 index 00000000..cc4e3f5f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/__init__.py @@ -0,0 +1,5 @@ +import os +import sys + +from .launch import launch +from .server import app diff --git a/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/environment.py b/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/environment.py new file mode 100644 index 00000000..5d57ba6e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/environment.py @@ -0,0 +1,110 @@ +""" +SqlGymEnvServer +""" + +import os +import random +import time +from typing import Literal, Mapping, Optional, Tuple + +from sqlgym import SqlGymEnv +from sqlgym.datasets import BirdDataset + + +class NotInitializedError(Exception): + pass + + +SqlGymMode = Literal["not_initialized"] | Literal["bird_train"] | Literal["bird_dev"] + +ITEM_RANGE = { + "bird_train": (0, 9428), # 0 <= item_id < 9428 + "bird_dev": (9428, 10962), +} + + +class SqlGymEnvServer: + """ + SqlGymEnvServer + """ + + def __init__(self) -> None: + + self.env: Mapping[int, Tuple[SqlGymEnv | None, SqlGymMode]] = {} + self.ls = [] + self.sz = 8 + self.now = -1 + + def create(self) -> int: + random.seed(time.time()) + idx = random.randint(0, 489576) + print(f"-------Env {idx} created--------") + if len(self.env) == self.sz: + self.now = self.now + 1 + if self.now == self.sz: + self.now = 0 + return self.ls[self.now] + + self.env[idx] = (None, "not_initialized") + self.ls.append(idx) + return idx + + def observation(self, env_idx): + self._check_env_idx(env_idx) + return self.env[env_idx][0].observation + + def step(self, env_idx, action: str): + self._check_env_idx(env_idx) + execution_result, reward, terminated, info, _ = self.env[env_idx][0].step( + action + ) + execution_result = str(execution_result) + if len(execution_result) > 100: + execution_result = execution_result[:100] + "..." + return execution_result, reward, terminated, info + + def reset(self, env_idx, item_id: Optional[int]): + try: + self._check_env_idx(env_idx) + except NotInitializedError: + print(f"env_idx {env_idx} not initialized, initializing...") + + _id = None + for mode, r in ITEM_RANGE.items(): + if r[0] <= item_id < r[1]: + if self.env[env_idx][1] != mode: + self.env[env_idx] = ( + SqlGymEnv(self._get_dataset_from_mode(mode)), + mode, + ) + _id = item_id - r[0] + break + if _id is None: + raise ValueError(f"Item id {item_id} is out of range.") + + return self.env[env_idx][0].reset(_id) + + def _get_dataset_from_mode(self, mode: SqlGymMode) -> SqlGymEnv: + if mode == "bird_train": + bird_path = self._get_bird_path() + return BirdDataset(bird_path, "train") + elif mode == "bird_dev": + bird_path = self._get_bird_path() + return BirdDataset(bird_path, "dev") + else: + raise ValueError(f"Mode {mode} not supported") + + def _get_bird_path(self): + bird_path = os.environ.get("AGENTENV_SQLGYM_BIRD_PATH", None) + if bird_path is None: + raise ValueError("Please set AGENTENV_SQLGYM_BIRD_PATH") + return bird_path + + def _check_env_idx(self, env_idx): + if env_idx not in self.env: + raise IndexError(f"Env {env_idx} not found") + if self.env[env_idx] is None: + raise NotInitializedError(f"Env {env_idx} not initialized") + + +sqlgym_env_server = SqlGymEnvServer() diff --git a/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/launch.py b/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/launch.py new file mode 100644 index 00000000..17f6e5ff --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/launch.py @@ -0,0 +1,26 @@ +""" +Entrypoint for the sqlgym agent environment. +""" + +import argparse + +import uvicorn + +from .utils import debug_flg + + +def launch(): + """entrypoint for `sqlgym` commond""" + parser = argparse.ArgumentParser() + parser.add_argument("--port", type=int, default=8000) + parser.add_argument("--host", type=str, default="0.0.0.0") + parser.add_argument("--workers", type=int, default=1) + args = parser.parse_args() + + uvicorn.run( + "agentenv_sqlgym:app", + host=args.host, + port=args.port, + reload=debug_flg, + workers=args.workers, + ) diff --git a/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/model.py b/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/model.py new file mode 100644 index 00000000..8515c88e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/model.py @@ -0,0 +1,20 @@ +from typing import Any, List, Optional + +from pydantic import BaseModel + + +class StepQuery(BaseModel): + env_idx: int + action: str + + +class StepResponse(BaseModel): + state: str + reward: float + done: bool + info: Any + + +class ResetQuery(BaseModel): + env_idx: int + item_id: int diff --git a/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/server.py b/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/server.py new file mode 100644 index 00000000..91585d05 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/server.py @@ -0,0 +1,75 @@ +""" +FastAPI Server +""" + +import logging +import time +from typing import List, Literal, Tuple + +from fastapi import FastAPI, Request + +from .environment import sqlgym_env_server +from .model import * +from .utils import debug_flg + +app = FastAPI(debug=debug_flg) +logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(message)s") + + +# 自定义中间件 +@app.middleware("http") +async def log_request_response_time(request: Request, call_next): + start_time = time.time() + response = await call_next(request) + process_time = time.time() - start_time + logging.info( + f"{request.client.host} - {request.method} {request.url.path} - {response.status_code} - {process_time:.2f} seconds" + ) + return response + + +@app.get("/", response_model=str) +async def generate_ok(): + """Test connectivity""" + return "ok" + + +@app.get("/list_envs", response_model=List[int]) +async def list_envs(): + """List all environments""" + return list(sqlgym_env_server.env.keys()) + + +@app.post("/create", response_model=int) +async def create(): + """Create a new environment""" + env = sqlgym_env_server.create() + + return env + + +@app.post("/step", response_model=StepResponse) +async def step(step_query: StepQuery): + print("/step") + print(step_query.env_idx) + print(step_query.action) + state, reward, done, info = sqlgym_env_server.step( + step_query.env_idx, step_query.action + ) + print(step_query.env_idx) + print(state) + return StepResponse(state=state, reward=reward, done=done, info=info) + + +@app.get("/observation", response_model=str) +async def observation(env_idx: int): + print("/observation") + print(env_idx) + res = sqlgym_env_server.observation(env_idx) + return res + + +@app.post("/reset", response_model=Tuple[str, None]) +async def reset(reset_query: ResetQuery): + print(reset_query) + return sqlgym_env_server.reset(reset_query.env_idx, reset_query.item_id), None diff --git a/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/utils.py b/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/utils.py new file mode 100644 index 00000000..04958e88 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sqlgym/agentenv_sqlgym/utils.py @@ -0,0 +1,6 @@ +import os + +debug_flg = bool(os.environ.get("AGENTENV_DEBUG", False)) + +if debug_flg: + print("Debug mode") diff --git a/openmanus_rl/agentgym/agentenv-sqlgym/pyproject.toml b/openmanus_rl/agentgym/agentenv-sqlgym/pyproject.toml new file mode 100644 index 00000000..3d626114 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sqlgym/pyproject.toml @@ -0,0 +1,18 @@ +[project] +name = "agentenv_sqlgym" +version = "0.0.1" +description = "" +authors = [ + {name = "KYLN24", email = "1296845690@qq.com"}, +] +dependencies = [ + "sqlgym==0.1.2", + "fastapi", + "uvicorn" +] +requires-python = ">=3.8" +readme = "README.md" +license = {text = "MIT"} + +[project.scripts] +sqlgym = "agentenv_sqlgym:launch" diff --git a/openmanus_rl/agentgym/agentenv-sqlgym/setup.sh b/openmanus_rl/agentgym/agentenv-sqlgym/setup.sh new file mode 100644 index 00000000..a09efa8d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-sqlgym/setup.sh @@ -0,0 +1,19 @@ +# https://github.com/KYLN24/sqlgym/blob/master/README.md + +mkdir bird +cd bird + +# Download BIRD-SQL Dataset +wget -c https://bird-bench.oss-cn-beijing.aliyuncs.com/train.zip +unzip train.zip +cd train +unzip train_databases.zip +cd .. + +wget -c https://bird-bench.oss-cn-beijing.aliyuncs.com/dev.zip +unzip dev.zip +cd dev +unzip dev_databases.zip +cd .. + +pwd diff --git a/openmanus_rl/agentgym/agentenv-textcraft/README.md b/openmanus_rl/agentgym/agentenv-textcraft/README.md new file mode 100644 index 00000000..e160306a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/README.md @@ -0,0 +1,16 @@ +# Agent Environments - TextCraft + +## Setup + +``` sh +conda create --name agentenv-textcraft python=3.9 +conda activate agentenv-textcraft +cd AgentEnvironments/agentenv-textcraft +pip install -e . +``` + +## Launch + +``` sh +textcraft --host 0.0.0.0 --port 36001 +``` diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/__init__.py b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/__init__.py new file mode 100644 index 00000000..44c5bb1f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/__init__.py @@ -0,0 +1,5 @@ +from .server import app +from .launch import launch +from .environment import TextCraftEnv +from .crafting_tree import CraftingTree +from .utils import item_id_to_str diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/crafting_tree.py b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/crafting_tree.py new file mode 100644 index 00000000..2a307ceb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/crafting_tree.py @@ -0,0 +1,362 @@ +from copy import deepcopy +import json +from math import ceil +import os +import random +from unittest import skip +from typing import List, Set, Dict + +from numpy import rec + +from .utils import ItemTag, ItemTagWithCount, Recipe, ActionFailed, item_id_to_str + + +class CraftingTree: + + def __init__(self, minecraft_dir): + self.tag_recipes = {} # recipes for tags (i.e. item types) + self.itemid_recipes: Dict[str, list[Recipe]] = {} # recipes for items + self.tag_set = set() # set of tags + self.itemid_set = set() + self.item_id_to_tag = {} # mapping from item id to tag + # all the items that could be used to craft an item (down to the base items). Useful to + # remove cycles + self.transitive_dependencies = {} + # minimum depth of recipe tree to craft an item + self.min_depth = {} + self._load_recipes(minecraft_dir) + self.clean_up_recipes() + + def clean_up_recipes(self): + # make sure every recipe with input tag has craftable recipes or items + new_items = set() + for item, recipes in self.itemid_recipes.items(): + # for each recipe + for recipe in recipes: + # for each input item + for input_item in recipe.input_items: + input_tag = input_item.item_tag.tag + # when only tag is specified + if input_item.item_tag.item_id is None: + assert input_tag is not None + # make sure that the tag is craftable or fetchable + item_list = list(self.get_items_with_tags(input_tag)) + success = False + # if an item in this list has a recipe, we are good + for item_id in item_list: + if item_id in self.itemid_recipes: + success = True + break + # if not, this type can't be crafted, so we convert it to an item + if not success: + input_item.item_tag = ItemTag(item_id=input_tag) + new_items.add(input_tag) + + # clean up itemid_set and tag_set + for item in new_items: + self.itemid_set.add(item) + self.tag_set.remove(item) + + def _load_recipes(self, minecraft_dir): + for f in os.listdir(os.path.join(minecraft_dir, "recipes/")): + with open(os.path.join(minecraft_dir, "recipes/", f), "r") as fp: + recipe_details = json.load(fp) + input_items = [] + if recipe_details["type"] == "minecraft:crafting_shaped": + pattern = recipe_details["pattern"] + for key, item in recipe_details["key"].items(): + count = 0 + if isinstance(item, list): + item = item[0] + for line in pattern: + count += line.count(key) + if "item" in item: + input_item = ItemTag(item_id=item["item"]) + self.itemid_set.add(item["item"]) + elif "tag" in item: + input_item = ItemTag(tag=item["tag"]) + self.tag_set.add(item["tag"]) + else: + print(recipe_details, item) + raise ValueError("Unknown item type") + input_items.append(ItemTagWithCount(input_item, count)) + elif recipe_details["type"] == "minecraft:crafting_shapeless": + item_name_idx = {} + for ingredient in recipe_details["ingredients"]: + if isinstance(ingredient, list): + ingredient = ingredient[0] + if "item" in ingredient: + item_name = ingredient["item"] + input_item = ItemTag(item_id=item_name) + self.itemid_set.add(item_name) + elif "tag" in ingredient: + input_item = ItemTag(tag=ingredient["tag"]) + item_name = ingredient["tag"] + self.tag_set.add(ingredient["tag"]) + else: + print(recipe_details) + raise ValueError("Unknown item type") + if item_name not in item_name_idx: + item_name_idx[item_name] = len(input_items) + input_items.append(ItemTagWithCount(input_item, 1)) + else: + curr_count = input_items[item_name_idx[item_name]].count + # frozen dataclass so can't modify in place + input_items[item_name_idx[item_name]] = ItemTagWithCount( + input_item, curr_count + 1 + ) + else: + continue + + recipe_result = recipe_details["result"] + if isinstance(recipe_result, str): + output_item_id = recipe_result + output_item_count = 1 + elif "item" in recipe_result: + output_item_id = recipe_result["item"] + output_item_count = recipe_result.get("count") or 1 + else: + print(recipe_details) + raise ValueError("Unknown item type") + self.itemid_set.add(output_item_id) + # Remove block recipes + if len(input_items) == 1 and input_items[0].item_tag.name.endswith( + "_block" + ): + continue + output_tag = None + if "group" in recipe_details: + output_tag = "minecraft:" + recipe_details["group"] + # sometimes the group is the same as the output item id + if output_tag != output_item_id: + self.tag_set.add(output_tag) + self.item_id_to_tag[output_item_id] = output_tag + + output_item = ItemTagWithCount( + ItemTag(tag=output_tag, item_id=output_item_id), output_item_count + ) + recipe = Recipe(input_items, output_item) + + if output_item_id not in self.transitive_dependencies: + self.transitive_dependencies[output_item_id] = set() + skip_recipe = False + for input_itemtag_count in input_items: + input_item_name = input_itemtag_count.item_tag.name + if input_item_name in self.transitive_dependencies: + if ( + output_item_id + in self.transitive_dependencies[input_item_name] + ): + skip_recipe = True + + if not skip_recipe: + recipe_item_id = output_item.item_tag.item_id + if recipe_item_id not in self.itemid_recipes: + self.itemid_recipes[recipe_item_id] = [recipe] + else: + self.itemid_recipes[recipe_item_id].append(recipe) + + for input_itemtag_count in input_items: + input_item_name = input_itemtag_count.item_tag.name + self.transitive_dependencies[output_item_id].add( + input_item_name + ) + if input_item_name in self.transitive_dependencies: + self.transitive_dependencies[output_item_id].update( + self.transitive_dependencies[ + input_itemtag_count.item_tag.name + ] + ) + + recipe_tag = output_item.item_tag.tag + if recipe_tag is not None: + if recipe_tag not in self.tag_recipes: + self.tag_recipes[recipe_tag] = [recipe] + else: + self.tag_recipes[recipe_tag].append(recipe) + + def craft(self, recipe: Recipe) -> ItemTagWithCount: + if recipe.output_item.item_tag.item_id not in self.itemid_recipes: + return None + target_recipes = self.itemid_recipes[recipe.output_item.item_tag.item_id] + for target_recipe in target_recipes: + success = True + # check that input recipe items matches the target recipe items + input_recipe_items_clone = deepcopy(recipe.input_items) + for itemtag_count in target_recipe.input_items: + itemtag = itemtag_count.item_tag + input_itemtag_count = self.find_matching_item( + itemtag, input_recipe_items_clone + ) + if input_itemtag_count is None: + success = False + break + + if input_itemtag_count.count != itemtag_count.count: + print("Wrong Item Count for: {}".format(input_itemtag_count)) + success = False + break + + input_recipe_items_clone.remove(input_itemtag_count) + + if len(input_recipe_items_clone): + success = False + + if success: + return target_recipe.output_item + + return None + + def find_matching_item( + self, itemtag: ItemTag, input_recipe_items: List[ItemTagWithCount] + ): + for input_itemtag_count in input_recipe_items: + if itemtag.item_id is not None: + if input_itemtag_count.item_tag.item_id == itemtag.item_id: + return input_itemtag_count + elif itemtag.tag is not None: + if ( + input_itemtag_count.item_tag.tag == itemtag.tag + or self.item_id_to_tag.get(input_itemtag_count.item_tag.item_id) + == itemtag.tag + ): + return input_itemtag_count + return None + + def is_craftable(self, item: str): + return item in self.itemid_recipes or item in self.tag_recipes + + def is_valid_item(self, item: str): + return item in self.itemid_set + + def is_tag(self, input: str): + return input in self.tag_set + + def get_items_with_tags(self, input_tag: str): + for item_id, tag in self.item_id_to_tag.items(): + if input_tag == tag: + yield item_id + + def print_all_recipes(self): + for item, recipes in self.itemid_recipes.items(): + for recipe in recipes: + self.print_recipe(recipe) + for tag, recipes in self.tag_recipes.items(): + for recipe in recipes: + self.print_recipe(recipe) + + def print_recipe(self, recipe: Recipe): + print(recipe.recipe_str) + + def traverse_recipe_tree(self, item_name: str, visited_names: Set[str]): + if item_name in visited_names: + print("Cycle detected for {}: {}".format(item_name, visited_names)) + return [] + recipes = ( + self.itemid_recipes.get(item_name) or self.tag_recipes.get(item_name) or [] + ) + for recipe in recipes: + new_visited_names = deepcopy(visited_names) + for input_itemtag_count in recipe.input_items: + input_item_name = input_itemtag_count.item_tag.name + new_visited_names.add(item_name) + recipes.extend( + self.traverse_recipe_tree(input_item_name, new_visited_names) + ) + return recipes + + def collect_item_uses(self): + item_uses = {} + for item, recipes in self.itemid_recipes.items(): + for recipe in recipes: + for input_itemtag in recipe.input_items: + if input_itemtag.item_tag.name not in item_uses: + item_uses[input_itemtag.item_tag.name] = [] + + item_uses[input_itemtag.item_tag.name].append(recipe) + for tag, recipes in self.tag_recipes.items(): + for recipe in recipes: + for input_itemtag in recipe.input_items: + if input_itemtag.item_tag.name not in item_uses: + item_uses[input_itemtag.item_tag.name] = [] + item_uses[input_itemtag.item_tag.name].append(recipe) + return item_uses + + def get_min_depth(self, item_tag: str): + if item_tag in self.min_depth: + return self.min_depth[item_tag] + + if item_tag in self.itemid_recipes: + self.min_depth[item_tag] = self.get_min_depth_recipes( + self.itemid_recipes[item_tag] + ) + elif item_tag in self.tag_recipes: + self.min_depth[item_tag] = self.get_min_depth_recipes( + self.tag_recipes[item_tag] + ) + else: + self.min_depth[item_tag] = 0 + + return self.min_depth[item_tag] + + def get_min_depth_recipes(self, recipes): + depths = [] + for recipe in recipes: + recipe_depths = [] + for input_itemtag_count in recipe.input_items: + recipe_depths.append( + self.get_min_depth(input_itemtag_count.item_tag.name) + 1 + ) + # pick the max here since each item has to be built + depths.append(max(recipe_depths)) + # pick the min here since the model could make the easiest recip + return min(depths) + + def item_recipes_min_depth(self, min_depth: int): + for item, recipes in self.itemid_recipes.items(): + item_depth = self.get_min_depth(item) + if item_depth >= min_depth: + yield item, item_depth + + def item_recipes_min_items(self, min_items: int): + for item, recipes in self.itemid_recipes.items(): + for recipe in recipes: + if len(recipe.input_items) >= min_items: + yield item + + def item_recipes_min_closure(self, min_closure: int): + for item, closure in self.transitive_dependencies.items(): + if len(closure) >= min_closure: + yield item + + def create_recipe_set(self, item_name: str): + item_uses = self.collect_item_uses() + recipes = self.traverse_recipe_tree(item_name, set()) + distractors = [] + for recipe in recipes: + for item in recipe.input_items: + input_item_name = item.item_tag.name + if input_item_name in item_uses: + input_item_uses_recipes = item_uses[input_item_name] + distractors.extend( + random.sample( + input_item_uses_recipes, + min(len(input_item_uses_recipes), 10), + ) + ) + + return (recipes, distractors) + + +def main(): + tree = CraftingTree(minecraft_dir="agentenv_textcraft/") + + for item_id, recipes in tree.itemid_recipes.items(): + print(item_id, tree.get_min_depth(item_id), sep="\t") + + for item_tag, recipes in tree.tag_recipes.items(): + print(item_tag, tree.get_min_depth(item_tag), sep="\t") + + +if __name__ == "__main__": + main() diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/env_wrapper.py b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/env_wrapper.py new file mode 100644 index 00000000..5e6fd345 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/env_wrapper.py @@ -0,0 +1,75 @@ +from .environment import TextCraftEnv +from .crafting_tree import CraftingTree + + +class TextCraft_Wrapper: + def __init__(self, minecraft_dir="agentenv_textcraft/"): + self._max_id = 0 + self.env = {} # dict[id, env_item] + self.info = {} # dict[id, env_info] + self.crafting_tree = CraftingTree(minecraft_dir=minecraft_dir) + + def create(self, commands: str = None, goal: str = None): + try: + id = self._max_id + new_env = TextCraftEnv( + crafting_tree=self.crafting_tree, commands=commands, goal=goal + ) + ob, _ = new_env.reset(data_idx=id) + print(f"-------Env {id} created--------") + payload = {"id": id, "observation": ob, "done": False, "reward": 0} + self.env[id] = new_env + self.info[id] = { + "observation": ob, + "done": False, + "reward": 0, + "deleted": False, + } + self._max_id += 1 + except Exception as e: + payload = {"error": f"{e}"} + return payload + + def step(self, id: int, action: str): + try: + self._check_id(id) + (ob, reward, done, _, _) = self.env[id].step(action) + payload = {"observation": ob, "reward": reward, "done": done} + self.info[id].update(payload) + except Exception as e: + payload = {"error": f"{e}"} + return payload + + def reset(self, id: int, data_idx: int): + try: + self._check_id(id) + ob, _ = self.env[id].reset(data_idx=data_idx) + payload = {"id": id, "observation": ob, "done": False, "reward": 0} + self.info[id].update( + {"observation": ob, "done": False, "reward": 0, "deleted": False} + ) + except Exception as e: + payload = {"error": str(e)} + return payload + + def get_observation(self, id: int): + try: + self._check_id(id) + return self.info[id]["observation"] + except Exception as e: + return {"error": str(e)} + + def get_detailed_info(self, id: int): + try: + self._check_id(id) + return self.info[id] + except Exception as e: + return {"error": str(e)} + + def _check_id(self, id: int): + if id not in self.info: + raise NameError(f"The id {id} is not valid.") + if self.info[id]["deleted"]: + raise NameError(f"The task with environment {id} has been deleted.") + +server = TextCraft_Wrapper() diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/environment.py b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/environment.py new file mode 100644 index 00000000..afbb61a3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/environment.py @@ -0,0 +1,198 @@ +import random +import gymnasium as gym +import re +from .utils import ActionFailed, ItemTag, ItemTagWithCount, Recipe, item_id_to_str +from .crafting_tree import CraftingTree +from typing import List + + +class TextCraftEnv(gym.Env[str, str]): + def __init__(self, crafting_tree, commands, goal): + self.inventory = {} + self.action_regexes = { + "craft": r"craft (.*) using (.*)", + "get": r"get ([0-9]+) (.*)", + "inventory": r"inventory", + } + self.count_regex = r"([0-9]+) (.*)" + self.crafting_tree = crafting_tree + self.commands = commands + self.goal = goal + + def step(self, action): + observation = None + reward = 0 + terminated = False + truncated = False + info = {} + try: + for action_type, regex in self.action_regexes.items(): + match = re.match(regex, action) + if match: + if action_type == "craft": + recipe = self.extract_recipe(match.group(1), match.group(2)) + if recipe is None: + raise ActionFailed( + "Could not extract recipe from {}".format(action) + ) + if not self.has_items(recipe.input_items): + raise ActionFailed( + "Could not find enough items to craft {}".format( + recipe.output_item.item_tag.item_id + ) + ) + output_itemtag_count = self.crafting_tree.craft(recipe) + if output_itemtag_count is None: + raise ActionFailed( + "Could not find a valid recipe for {}".format( + recipe.output_item + ) + ) + self.remove_items(recipe.input_items) + self.add_item( + output_itemtag_count.item_tag, output_itemtag_count.count + ) + observation = "Crafted {} {}".format( + output_itemtag_count.count, + output_itemtag_count.item_tag.item_id, + ) + if output_itemtag_count.item_tag.item_id == self.goal: + reward = 1 + terminated = True + elif action_type == "get": + (item, amt) = match.group(2), int(match.group(1)) + item_obj = self.item_str_to_obj(item) + if self.crafting_tree.is_craftable(item_obj.name): + raise ActionFailed("Could not find {}".format(item)) + if ( + self.crafting_tree.is_tag(item_obj.item_id) + or item_obj.item_id is None + ): + raise ActionFailed("Could not find {}".format(item)) + if not self.crafting_tree.is_valid_item(item_obj.item_id): + raise ActionFailed("Could not find {}".format(item)) + self.add_item(item_obj, amt) + observation = "Got {} {}".format(amt, item) + if item_obj.item_id == self.goal: + reward = 1 + terminated = True + elif action_type == "inventory": + observation = "Inventory: " + if not len(self.inventory.items()): + observation += "You are not carrying anything." + for item, amt in self.inventory.items(): + observation += "[{}] ({}) ".format( + item_id_to_str(item), amt + ) + else: + raise NotImplementedError( + "Action type {} not implemented".format(action_type) + ) + if observation is None: + raise ActionFailed("Could not execute {}".format(action)) + + except ActionFailed as e: + observation = "{}".format(e.args[0]) + reward = 0 + info = {} + + return (observation, reward, terminated, truncated, info) + + def has_items(self, items: List[ItemTagWithCount]): + for itemtag_count in items: + if ( + itemtag_count.item_tag.item_id not in self.inventory + or self.inventory[itemtag_count.item_tag.item_id] < itemtag_count.count + ): + return False + return True + + def add_item(self, item_tag: ItemTag, amt: int): + if item_tag.item_id not in self.inventory: + self.inventory[item_tag.item_id] = 0 + self.inventory[item_tag.item_id] += amt + + def remove_items(self, items: List[ItemTagWithCount]): + for itemtag_amts in items: + self.inventory[itemtag_amts.item_tag.item_id] -= itemtag_amts.count + if self.inventory[itemtag_amts.item_tag.item_id] == 0: + del self.inventory[itemtag_amts.item_tag.item_id] + + def extract_recipe(self, output_item_str, input_items_str) -> Recipe: + # check if there is a number in the output item + m = re.match("([0-9]+) (.*)", output_item_str) + if m: + output_item = self.item_str_to_obj(m.group(2)) + output_item_count = int(m.group(1)) + else: + output_item = self.item_str_to_obj(output_item_str) + output_item_count = 1 + output_item_count = ItemTagWithCount(output_item, output_item_count) + input_items = [] + for input_item_count in input_items_str.split(","): + match = re.match(self.count_regex, input_item_count.strip()) + if match: + count = int(match.group(1)) + item_str = match.group(2) + input_item_obj = self.item_str_to_obj(item_str) + input_items.append(ItemTagWithCount(input_item_obj, count)) + else: + raise ActionFailed( + "Wrong item format: {}".format(input_item_count.strip()) + ) + return Recipe(input_items=input_items, output_item=output_item_count) + + def item_str_to_obj(self, item): + item_id = "minecraft:" + item.replace(" ", "_") + if self.crafting_tree.is_tag(item_id): + return ItemTag(tag=item_id) + else: + return ItemTag(item_id=item_id) + + def reset(self, seed=42, data_idx=0, commands=None, goal=None): + super().reset(seed=seed) + # clean inventory + self.inventory = {} + if commands is not None and goal is not None: + self.commands = commands + self.goal = goal + return ( + "Crafting commands:\n{}\n\nGoal: craft {}.".format( + self.commands, item_id_to_str(self.goal) + ), + {}, + ) + random.seed(seed) + item_depth_list = list(self.crafting_tree.item_recipes_min_depth(1)) + # use idx to deterministically select goal + sorted_item_depth_list = sorted(item_depth_list, key=lambda x: x[1]) + goal_depth = sorted_item_depth_list[data_idx % len(item_depth_list)] + # example: self.goal = "minecraft:dark_oak_sign" + self.goal = goal_depth[0] + recipes_set = set() + distractor_set = set() + max_distractor = 10 + recipes, distractors = self.crafting_tree.create_recipe_set(self.goal) + for recipe in recipes: + recipes_set.add(recipe.recipe_str) + for distractor in distractors: + if distractor.recipe_str not in recipes_set: + distractor_set.add(distractor.recipe_str) + + recipes_list = list(recipes_set) + random.sample( + list(distractor_set), min(len(distractor_set), max_distractor) + ) + random.shuffle(recipes_list) + self.commands = "\n".join(recipes_list) + return ( + "Crafting commands:\n{}\n\nGoal: craft {}.".format( + self.commands, item_id_to_str(self.goal) + ), + {}, + ) + + def render(self, mode="human"): + pass + + def close(self): + pass diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/launch.py b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/launch.py new file mode 100644 index 00000000..58416221 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/launch.py @@ -0,0 +1,16 @@ +""" +Entrypoint for the TextCraft agent environment. +""" + +import argparse +import uvicorn + + +def launch(): + """entrypoint for `textcraft` commond""" + + parser = argparse.ArgumentParser() + parser.add_argument("--port", type=int, default=8000) + parser.add_argument("--host", type=str, default="0.0.0.0") + args = parser.parse_args() + uvicorn.run("agentenv_textcraft:app", host=args.host, port=args.port) diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/model.py b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/model.py new file mode 100644 index 00000000..19b6ad1d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/model.py @@ -0,0 +1,17 @@ +from pydantic import BaseModel +from typing import Optional + + +class CreateRequestBody(BaseModel): + commands: Optional[str] = None + goal: Optional[str] = None + + +class StepRequestBody(BaseModel): + id: int + action: str + + +class ResetRequestBody(BaseModel): + id: int + data_idx: Optional[int] = 0 diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_boat.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_boat.json new file mode 100644 index 00000000..c720cff5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_boat.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "boat", + "pattern": [ + "# #", + "###" + ], + "key": { + "#": { + "item": "minecraft:acacia_planks" + } + }, + "result": { + "item": "minecraft:acacia_boat" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_button.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_button.json new file mode 100644 index 00000000..8c747843 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_button.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wooden_button", + "ingredients": [ + { + "item": "minecraft:acacia_planks" + } + ], + "result": { + "item": "minecraft:acacia_button" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_door.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_door.json new file mode 100644 index 00000000..e4cbbd86 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_door.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_door", + "pattern": [ + "##", + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:acacia_planks" + } + }, + "result": { + "item": "minecraft:acacia_door", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_fence.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_fence.json new file mode 100644 index 00000000..6f2de276 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_fence.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence", + "pattern": [ + "W#W", + "W#W" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:acacia_planks" + } + }, + "result": { + "item": "minecraft:acacia_fence", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_fence_gate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_fence_gate.json new file mode 100644 index 00000000..cbd3b24e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_fence_gate.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence_gate", + "pattern": [ + "#W#", + "#W#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:acacia_planks" + } + }, + "result": { + "item": "minecraft:acacia_fence_gate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_planks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_planks.json new file mode 100644 index 00000000..c420aa08 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_planks.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "planks", + "ingredients": [ + { + "tag": "minecraft:acacia_logs" + } + ], + "result": { + "item": "minecraft:acacia_planks", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_pressure_plate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_pressure_plate.json new file mode 100644 index 00000000..4cae6486 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_pressure_plate.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_pressure_plate", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:acacia_planks" + } + }, + "result": { + "item": "minecraft:acacia_pressure_plate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_sign.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_sign.json new file mode 100644 index 00000000..bfb054da --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_sign.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "sign", + "pattern": [ + "###", + "###", + " X " + ], + "key": { + "#": { + "item": "minecraft:acacia_planks" + }, + "X": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:acacia_sign", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_slab.json new file mode 100644 index 00000000..3cbd581b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_slab.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_slab", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:acacia_planks" + } + }, + "result": { + "item": "minecraft:acacia_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_stairs.json new file mode 100644 index 00000000..2218bb3c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_stairs.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_stairs", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:acacia_planks" + } + }, + "result": { + "item": "minecraft:acacia_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_trapdoor.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_trapdoor.json new file mode 100644 index 00000000..8868cd3e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_trapdoor.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_trapdoor", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:acacia_planks" + } + }, + "result": { + "item": "minecraft:acacia_trapdoor", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_wood.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_wood.json new file mode 100644 index 00000000..3d87063a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/acacia_wood.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:acacia_log" + } + }, + "result": { + "item": "minecraft:acacia_wood", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/activator_rail.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/activator_rail.json new file mode 100644 index 00000000..a697a0e7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/activator_rail.json @@ -0,0 +1,23 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XSX", + "X#X", + "XSX" + ], + "key": { + "#": { + "item": "minecraft:redstone_torch" + }, + "S": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:activator_rail", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite.json new file mode 100644 index 00000000..c061485f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:diorite" + }, + { + "item": "minecraft:cobblestone" + } + ], + "result": { + "item": "minecraft:andesite", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_slab.json new file mode 100644 index 00000000..f4a6c390 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:andesite" + } + }, + "result": { + "item": "minecraft:andesite_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_slab_from_andesite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_slab_from_andesite_stonecutting.json new file mode 100644 index 00000000..9f45b4a1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_slab_from_andesite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:andesite" + }, + "result": "minecraft:andesite_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_stairs.json new file mode 100644 index 00000000..a5ba1c05 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:andesite" + } + }, + "result": { + "item": "minecraft:andesite_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_stairs_from_andesite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_stairs_from_andesite_stonecutting.json new file mode 100644 index 00000000..398f661a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_stairs_from_andesite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:andesite" + }, + "result": "minecraft:andesite_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_wall.json new file mode 100644 index 00000000..bcad6853 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:andesite" + } + }, + "result": { + "item": "minecraft:andesite_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_wall_from_andesite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_wall_from_andesite_stonecutting.json new file mode 100644 index 00000000..0fd2650e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/andesite_wall_from_andesite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:andesite" + }, + "result": "minecraft:andesite_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/anvil.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/anvil.json new file mode 100644 index 00000000..fba3814b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/anvil.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "III", + " i ", + "iii" + ], + "key": { + "I": { + "item": "minecraft:iron_block" + }, + "i": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:anvil" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/armor_dye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/armor_dye.json new file mode 100644 index 00000000..09dd44fd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/armor_dye.json @@ -0,0 +1,3 @@ +{ + "type": "minecraft:crafting_special_armordye" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/armor_stand.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/armor_stand.json new file mode 100644 index 00000000..d77f4987 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/armor_stand.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "///", + " / ", + "/_/" + ], + "key": { + "/": { + "item": "minecraft:stick" + }, + "_": { + "item": "minecraft:smooth_stone_slab" + } + }, + "result": { + "item": "minecraft:armor_stand" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/arrow.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/arrow.json new file mode 100644 index 00000000..2d8980fd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/arrow.json @@ -0,0 +1,23 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X", + "#", + "Y" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:flint" + }, + "Y": { + "item": "minecraft:feather" + } + }, + "result": { + "item": "minecraft:arrow", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/baked_potato.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/baked_potato.json new file mode 100644 index 00000000..a50aa2b4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/baked_potato.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:potato" + }, + "result": "minecraft:baked_potato", + "experience": 0.35, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/baked_potato_from_campfire_cooking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/baked_potato_from_campfire_cooking.json new file mode 100644 index 00000000..8b36c4e1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/baked_potato_from_campfire_cooking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:campfire_cooking", + "ingredient": { + "item": "minecraft:potato" + }, + "result": "minecraft:baked_potato", + "experience": 0.35, + "cookingtime": 600 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/baked_potato_from_smoking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/baked_potato_from_smoking.json new file mode 100644 index 00000000..69575806 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/baked_potato_from_smoking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smoking", + "ingredient": { + "item": "minecraft:potato" + }, + "result": "minecraft:baked_potato", + "experience": 0.35, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/banner_duplicate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/banner_duplicate.json new file mode 100644 index 00000000..1af352ee --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/banner_duplicate.json @@ -0,0 +1,3 @@ +{ + "type": "minecraft:crafting_special_bannerduplicate" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/barrel.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/barrel.json new file mode 100644 index 00000000..4cdf148e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/barrel.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "PSP", + "P P", + "PSP" + ], + "key": { + "P": { + "tag": "minecraft:planks" + }, + "S": { + "tag": "minecraft:wooden_slabs" + } + }, + "result": { + "item": "minecraft:barrel" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/beacon.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/beacon.json new file mode 100644 index 00000000..7b3540df --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/beacon.json @@ -0,0 +1,22 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "GGG", + "GSG", + "OOO" + ], + "key": { + "S": { + "item": "minecraft:nether_star" + }, + "G": { + "item": "minecraft:glass" + }, + "O": { + "item": "minecraft:obsidian" + } + }, + "result": { + "item": "minecraft:beacon" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/beehive.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/beehive.json new file mode 100644 index 00000000..eddbb9e4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/beehive.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "PPP", + "HHH", + "PPP" + ], + "key": { + "P": { + "tag": "minecraft:planks" + }, + "H": { + "item": "minecraft:honeycomb" + } + }, + "result": { + "item": "minecraft:beehive" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/beetroot_soup.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/beetroot_soup.json new file mode 100644 index 00000000..ef6cf635 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/beetroot_soup.json @@ -0,0 +1,29 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:bowl" + }, + { + "item": "minecraft:beetroot" + }, + { + "item": "minecraft:beetroot" + }, + { + "item": "minecraft:beetroot" + }, + { + "item": "minecraft:beetroot" + }, + { + "item": "minecraft:beetroot" + }, + { + "item": "minecraft:beetroot" + } + ], + "result": { + "item": "minecraft:beetroot_soup" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_boat.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_boat.json new file mode 100644 index 00000000..644bb8e6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_boat.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "boat", + "pattern": [ + "# #", + "###" + ], + "key": { + "#": { + "item": "minecraft:birch_planks" + } + }, + "result": { + "item": "minecraft:birch_boat" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_button.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_button.json new file mode 100644 index 00000000..09475349 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_button.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wooden_button", + "ingredients": [ + { + "item": "minecraft:birch_planks" + } + ], + "result": { + "item": "minecraft:birch_button" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_door.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_door.json new file mode 100644 index 00000000..3e454a26 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_door.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_door", + "pattern": [ + "##", + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:birch_planks" + } + }, + "result": { + "item": "minecraft:birch_door", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_fence.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_fence.json new file mode 100644 index 00000000..d60256a9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_fence.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence", + "pattern": [ + "W#W", + "W#W" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:birch_planks" + } + }, + "result": { + "item": "minecraft:birch_fence", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_fence_gate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_fence_gate.json new file mode 100644 index 00000000..af0bb7d7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_fence_gate.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence_gate", + "pattern": [ + "#W#", + "#W#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:birch_planks" + } + }, + "result": { + "item": "minecraft:birch_fence_gate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_planks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_planks.json new file mode 100644 index 00000000..8d2eeaac --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_planks.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "planks", + "ingredients": [ + { + "tag": "minecraft:birch_logs" + } + ], + "result": { + "item": "minecraft:birch_planks", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_pressure_plate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_pressure_plate.json new file mode 100644 index 00000000..a4924df2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_pressure_plate.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_pressure_plate", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:birch_planks" + } + }, + "result": { + "item": "minecraft:birch_pressure_plate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_sign.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_sign.json new file mode 100644 index 00000000..0f70b021 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_sign.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "sign", + "pattern": [ + "###", + "###", + " X " + ], + "key": { + "#": { + "item": "minecraft:birch_planks" + }, + "X": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:birch_sign", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_slab.json new file mode 100644 index 00000000..55712887 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_slab.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_slab", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:birch_planks" + } + }, + "result": { + "item": "minecraft:birch_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_stairs.json new file mode 100644 index 00000000..4f6478f0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_stairs.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_stairs", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:birch_planks" + } + }, + "result": { + "item": "minecraft:birch_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_trapdoor.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_trapdoor.json new file mode 100644 index 00000000..01d530c2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_trapdoor.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_trapdoor", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:birch_planks" + } + }, + "result": { + "item": "minecraft:birch_trapdoor", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_wood.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_wood.json new file mode 100644 index 00000000..cce7b817 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/birch_wood.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:birch_log" + } + }, + "result": { + "item": "minecraft:birch_wood", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_banner.json new file mode 100644 index 00000000..321597cf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:black_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:black_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_bed.json new file mode 100644 index 00000000..9f2b9c7d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:black_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:black_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_bed_from_white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_bed_from_white_bed.json new file mode 100644 index 00000000..37f34979 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_bed_from_white_bed.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "dyed_bed", + "ingredients": [ + { + "item": "minecraft:white_bed" + }, + { + "item": "minecraft:black_dye" + } + ], + "result": { + "item": "minecraft:black_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_carpet.json new file mode 100644 index 00000000..f794f067 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:black_wool" + } + }, + "result": { + "item": "minecraft:black_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_carpet_from_white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_carpet_from_white_carpet.json new file mode 100644 index 00000000..f8064759 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_carpet_from_white_carpet.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_carpet" + }, + "$": { + "item": "minecraft:black_dye" + } + }, + "result": { + "item": "minecraft:black_carpet", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_concrete_powder.json new file mode 100644 index 00000000..1ccccf6d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:black_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:black_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_dye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_dye.json new file mode 100644 index 00000000..c0c21f9e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_dye.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "black_dye", + "ingredients": [ + { + "item": "minecraft:ink_sac" + } + ], + "result": { + "item": "minecraft:black_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_dye_from_wither_rose.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_dye_from_wither_rose.json new file mode 100644 index 00000000..7ba123d3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_dye_from_wither_rose.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "black_dye", + "ingredients": [ + { + "item": "minecraft:wither_rose" + } + ], + "result": { + "item": "minecraft:black_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_glazed_terracotta.json new file mode 100644 index 00000000..71d9dd49 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:black_terracotta" + }, + "result": "minecraft:black_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_stained_glass.json new file mode 100644 index 00000000..65f84a0f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:black_dye" + } + }, + "result": { + "item": "minecraft:black_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_stained_glass_pane.json new file mode 100644 index 00000000..4f5b07c0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:black_stained_glass" + } + }, + "result": { + "item": "minecraft:black_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..5d9a8178 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:black_dye" + } + }, + "result": { + "item": "minecraft:black_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_terracotta.json new file mode 100644 index 00000000..f10ac468 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:black_dye" + } + }, + "result": { + "item": "minecraft:black_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_wool.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_wool.json new file mode 100644 index 00000000..748f9074 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/black_wool.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wool", + "ingredients": [ + { + "item": "minecraft:black_dye" + }, + { + "item": "minecraft:white_wool" + } + ], + "result": { + "item": "minecraft:black_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_slab.json new file mode 100644 index 00000000..8aa1f44c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:blackstone" + } + }, + "result": { + "item": "minecraft:blackstone_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_slab_from_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_slab_from_blackstone_stonecutting.json new file mode 100644 index 00000000..fbf0337a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_slab_from_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:blackstone" + }, + "result": "minecraft:blackstone_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_stairs.json new file mode 100644 index 00000000..ccb230e1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:blackstone" + } + }, + "result": { + "item": "minecraft:blackstone_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_stairs_from_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_stairs_from_blackstone_stonecutting.json new file mode 100644 index 00000000..c9a0c3c6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_stairs_from_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:blackstone" + }, + "result": "minecraft:blackstone_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_wall.json new file mode 100644 index 00000000..dd4e7a7d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:blackstone" + } + }, + "result": { + "item": "minecraft:blackstone_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_wall_from_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_wall_from_blackstone_stonecutting.json new file mode 100644 index 00000000..fe098066 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blackstone_wall_from_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:blackstone" + }, + "result": "minecraft:blackstone_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blast_furnace.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blast_furnace.json new file mode 100644 index 00000000..ea0c1170 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blast_furnace.json @@ -0,0 +1,22 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "III", + "IXI", + "###" + ], + "key": { + "#": { + "item": "minecraft:smooth_stone" + }, + "X": { + "item": "minecraft:furnace" + }, + "I": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:blast_furnace" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blaze_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blaze_powder.json new file mode 100644 index 00000000..b7be6952 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blaze_powder.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:blaze_rod" + } + ], + "result": { + "item": "minecraft:blaze_powder", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_banner.json new file mode 100644 index 00000000..f079c788 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:blue_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:blue_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_bed.json new file mode 100644 index 00000000..e2ff2178 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:blue_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:blue_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_bed_from_white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_bed_from_white_bed.json new file mode 100644 index 00000000..7f8c551a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_bed_from_white_bed.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "dyed_bed", + "ingredients": [ + { + "item": "minecraft:white_bed" + }, + { + "item": "minecraft:blue_dye" + } + ], + "result": { + "item": "minecraft:blue_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_carpet.json new file mode 100644 index 00000000..246e62fa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:blue_wool" + } + }, + "result": { + "item": "minecraft:blue_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_carpet_from_white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_carpet_from_white_carpet.json new file mode 100644 index 00000000..30dddcfa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_carpet_from_white_carpet.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_carpet" + }, + "$": { + "item": "minecraft:blue_dye" + } + }, + "result": { + "item": "minecraft:blue_carpet", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_concrete_powder.json new file mode 100644 index 00000000..c739f624 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:blue_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:blue_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_dye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_dye.json new file mode 100644 index 00000000..5ddf1a9c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_dye.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "blue_dye", + "ingredients": [ + { + "item": "minecraft:lapis_lazuli" + } + ], + "result": { + "item": "minecraft:blue_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_dye_from_cornflower.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_dye_from_cornflower.json new file mode 100644 index 00000000..a15fc5d2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_dye_from_cornflower.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "blue_dye", + "ingredients": [ + { + "item": "minecraft:cornflower" + } + ], + "result": { + "item": "minecraft:blue_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_glazed_terracotta.json new file mode 100644 index 00000000..590f11ee --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:blue_terracotta" + }, + "result": "minecraft:blue_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_ice.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_ice.json new file mode 100644 index 00000000..d28f4b21 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_ice.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:packed_ice" + } + }, + "result": { + "item": "minecraft:blue_ice" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_stained_glass.json new file mode 100644 index 00000000..4b1d0f77 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:blue_dye" + } + }, + "result": { + "item": "minecraft:blue_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_stained_glass_pane.json new file mode 100644 index 00000000..53f76b3a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:blue_stained_glass" + } + }, + "result": { + "item": "minecraft:blue_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..82e02fca --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:blue_dye" + } + }, + "result": { + "item": "minecraft:blue_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_terracotta.json new file mode 100644 index 00000000..a5606c91 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:blue_dye" + } + }, + "result": { + "item": "minecraft:blue_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_wool.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_wool.json new file mode 100644 index 00000000..7703b8ab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/blue_wool.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wool", + "ingredients": [ + { + "item": "minecraft:blue_dye" + }, + { + "item": "minecraft:white_wool" + } + ], + "result": { + "item": "minecraft:blue_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bone_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bone_block.json new file mode 100644 index 00000000..803fdbbe --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bone_block.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + "XXX", + "XXX" + ], + "key": { + "X": { + "item": "minecraft:bone_meal" + } + }, + "result": { + "item": "minecraft:bone_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bone_meal.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bone_meal.json new file mode 100644 index 00000000..52ffbecf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bone_meal.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "bonemeal", + "ingredients": [ + { + "item": "minecraft:bone" + } + ], + "result": { + "item": "minecraft:bone_meal", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bone_meal_from_bone_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bone_meal_from_bone_block.json new file mode 100644 index 00000000..53a2d4a3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bone_meal_from_bone_block.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "bonemeal", + "ingredients": [ + { + "item": "minecraft:bone_block" + } + ], + "result": { + "item": "minecraft:bone_meal", + "count": 9 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/book.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/book.json new file mode 100644 index 00000000..1994cdc3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/book.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:paper" + }, + { + "item": "minecraft:paper" + }, + { + "item": "minecraft:paper" + }, + { + "item": "minecraft:leather" + } + ], + "result": { + "item": "minecraft:book" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/book_cloning.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/book_cloning.json new file mode 100644 index 00000000..f17b05fb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/book_cloning.json @@ -0,0 +1,3 @@ +{ + "type": "minecraft:crafting_special_bookcloning" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bookshelf.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bookshelf.json new file mode 100644 index 00000000..d4ff4f7f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bookshelf.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "XXX", + "###" + ], + "key": { + "#": { + "tag": "minecraft:planks" + }, + "X": { + "item": "minecraft:book" + } + }, + "result": { + "item": "minecraft:bookshelf" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bow.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bow.json new file mode 100644 index 00000000..c1426e20 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bow.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + " #X", + "# X", + " #X" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:string" + } + }, + "result": { + "item": "minecraft:bow" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bowl.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bowl.json new file mode 100644 index 00000000..b5da0233 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bowl.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# #", + " # " + ], + "key": { + "#": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:bowl", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bread.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bread.json new file mode 100644 index 00000000..e3542657 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bread.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:wheat" + } + }, + "result": { + "item": "minecraft:bread" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brewing_stand.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brewing_stand.json new file mode 100644 index 00000000..986306c9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brewing_stand.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + " B ", + "###" + ], + "key": { + "B": { + "item": "minecraft:blaze_rod" + }, + "#": { + "tag": "minecraft:stone_crafting_materials" + } + }, + "result": { + "item": "minecraft:brewing_stand" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick.json new file mode 100644 index 00000000..90974f89 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:clay_ball" + }, + "result": "minecraft:brick", + "experience": 0.3, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_slab.json new file mode 100644 index 00000000..49cd85a9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:bricks" + } + }, + "result": { + "item": "minecraft:brick_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_slab_from_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_slab_from_bricks_stonecutting.json new file mode 100644 index 00000000..693c225f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_slab_from_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:bricks" + }, + "result": "minecraft:brick_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_stairs.json new file mode 100644 index 00000000..4a8a928c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:bricks" + } + }, + "result": { + "item": "minecraft:brick_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_stairs_from_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_stairs_from_bricks_stonecutting.json new file mode 100644 index 00000000..73daa508 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_stairs_from_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:bricks" + }, + "result": "minecraft:brick_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_wall.json new file mode 100644 index 00000000..c3e564da --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:bricks" + } + }, + "result": { + "item": "minecraft:brick_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_wall_from_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_wall_from_bricks_stonecutting.json new file mode 100644 index 00000000..fd1c37c9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brick_wall_from_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:bricks" + }, + "result": "minecraft:brick_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bricks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bricks.json new file mode 100644 index 00000000..1c4fadf5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bricks.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:brick" + } + }, + "result": { + "item": "minecraft:bricks" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_banner.json new file mode 100644 index 00000000..b18a7dca --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:brown_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:brown_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_bed.json new file mode 100644 index 00000000..1dcc26a0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:brown_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:brown_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_bed_from_white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_bed_from_white_bed.json new file mode 100644 index 00000000..97305089 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_bed_from_white_bed.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "dyed_bed", + "ingredients": [ + { + "item": "minecraft:white_bed" + }, + { + "item": "minecraft:brown_dye" + } + ], + "result": { + "item": "minecraft:brown_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_carpet.json new file mode 100644 index 00000000..2cbcad79 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:brown_wool" + } + }, + "result": { + "item": "minecraft:brown_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_carpet_from_white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_carpet_from_white_carpet.json new file mode 100644 index 00000000..c129639d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_carpet_from_white_carpet.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_carpet" + }, + "$": { + "item": "minecraft:brown_dye" + } + }, + "result": { + "item": "minecraft:brown_carpet", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_concrete_powder.json new file mode 100644 index 00000000..9243a2f7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:brown_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:brown_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_dye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_dye.json new file mode 100644 index 00000000..b46d98c3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_dye.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "brown_dye", + "ingredients": [ + { + "item": "minecraft:cocoa_beans" + } + ], + "result": { + "item": "minecraft:brown_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_glazed_terracotta.json new file mode 100644 index 00000000..11003344 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:brown_terracotta" + }, + "result": "minecraft:brown_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_stained_glass.json new file mode 100644 index 00000000..b3a2f452 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:brown_dye" + } + }, + "result": { + "item": "minecraft:brown_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_stained_glass_pane.json new file mode 100644 index 00000000..9f10b1ae --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:brown_stained_glass" + } + }, + "result": { + "item": "minecraft:brown_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..7e20375c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:brown_dye" + } + }, + "result": { + "item": "minecraft:brown_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_terracotta.json new file mode 100644 index 00000000..e3dc3927 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:brown_dye" + } + }, + "result": { + "item": "minecraft:brown_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_wool.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_wool.json new file mode 100644 index 00000000..92e20fcb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/brown_wool.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wool", + "ingredients": [ + { + "item": "minecraft:brown_dye" + }, + { + "item": "minecraft:white_wool" + } + ], + "result": { + "item": "minecraft:brown_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bucket.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bucket.json new file mode 100644 index 00000000..f648245b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/bucket.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# #", + " # " + ], + "key": { + "#": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:bucket" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cake.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cake.json new file mode 100644 index 00000000..1c50885e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cake.json @@ -0,0 +1,25 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "AAA", + "BEB", + "CCC" + ], + "key": { + "A": { + "item": "minecraft:milk_bucket" + }, + "B": { + "item": "minecraft:sugar" + }, + "C": { + "item": "minecraft:wheat" + }, + "E": { + "item": "minecraft:egg" + } + }, + "result": { + "item": "minecraft:cake" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/campfire.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/campfire.json new file mode 100644 index 00000000..3cdb1580 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/campfire.json @@ -0,0 +1,22 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + " S ", + "SCS", + "LLL" + ], + "key": { + "L": { + "tag": "minecraft:logs" + }, + "S": { + "item": "minecraft:stick" + }, + "C": { + "tag": "minecraft:coals" + } + }, + "result": { + "item": "minecraft:campfire" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/carrot_on_a_stick.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/carrot_on_a_stick.json new file mode 100644 index 00000000..a78fe1f9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/carrot_on_a_stick.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + " X" + ], + "key": { + "#": { + "item": "minecraft:fishing_rod" + }, + "X": { + "item": "minecraft:carrot" + } + }, + "result": { + "item": "minecraft:carrot_on_a_stick" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cartography_table.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cartography_table.json new file mode 100644 index 00000000..1fac415b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cartography_table.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "@@", + "##", + "##" + ], + "key": { + "#": { + "tag": "minecraft:planks" + }, + "@": { + "item": "minecraft:paper" + } + }, + "result": { + "item": "minecraft:cartography_table" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cauldron.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cauldron.json new file mode 100644 index 00000000..542680b9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cauldron.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# #", + "# #", + "###" + ], + "key": { + "#": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:cauldron" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chain.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chain.json new file mode 100644 index 00000000..45b2dc61 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chain.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "N", + "I", + "N" + ], + "key": { + "I": { + "item": "minecraft:iron_ingot" + }, + "N": { + "item": "minecraft:iron_nugget" + } + }, + "result": { + "item": "minecraft:chain" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/charcoal.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/charcoal.json new file mode 100644 index 00000000..3a6cc52d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/charcoal.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "tag": "minecraft:logs_that_burn" + }, + "result": "minecraft:charcoal", + "experience": 0.15, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chest.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chest.json new file mode 100644 index 00000000..6a289e0f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chest.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "# #", + "###" + ], + "key": { + "#": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:chest" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chest_minecart.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chest_minecart.json new file mode 100644 index 00000000..f0fc9bae --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chest_minecart.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "A", + "B" + ], + "key": { + "A": { + "item": "minecraft:chest" + }, + "B": { + "item": "minecraft:minecart" + } + }, + "result": { + "item": "minecraft:chest_minecart" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_nether_bricks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_nether_bricks.json new file mode 100644 index 00000000..f07d596f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_nether_bricks.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "#", + "#" + ], + "key": { + "#": { + "item": "minecraft:nether_brick_slab" + } + }, + "result": { + "item": "minecraft:chiseled_nether_bricks" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_nether_bricks_from_nether_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_nether_bricks_from_nether_bricks_stonecutting.json new file mode 100644 index 00000000..b51ce730 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_nether_bricks_from_nether_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:nether_bricks" + }, + "result": "minecraft:chiseled_nether_bricks", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_polished_blackstone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_polished_blackstone.json new file mode 100644 index 00000000..fff9cc71 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_polished_blackstone.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "#", + "#" + ], + "key": { + "#": { + "item": "minecraft:polished_blackstone_slab" + } + }, + "result": { + "item": "minecraft:chiseled_polished_blackstone" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_polished_blackstone_from_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_polished_blackstone_from_blackstone_stonecutting.json new file mode 100644 index 00000000..fa4d403c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_polished_blackstone_from_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:blackstone" + }, + "result": "minecraft:chiseled_polished_blackstone", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_polished_blackstone_from_polished_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_polished_blackstone_from_polished_blackstone_stonecutting.json new file mode 100644 index 00000000..e7d86e63 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_polished_blackstone_from_polished_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_blackstone" + }, + "result": "minecraft:chiseled_polished_blackstone", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_quartz_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_quartz_block.json new file mode 100644 index 00000000..dc2fef75 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_quartz_block.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "#", + "#" + ], + "key": { + "#": { + "item": "minecraft:quartz_slab" + } + }, + "result": { + "item": "minecraft:chiseled_quartz_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_quartz_block_from_quartz_block_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_quartz_block_from_quartz_block_stonecutting.json new file mode 100644 index 00000000..0920a1f7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_quartz_block_from_quartz_block_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:quartz_block" + }, + "result": "minecraft:chiseled_quartz_block", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_red_sandstone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_red_sandstone.json new file mode 100644 index 00000000..4cf7d7fc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_red_sandstone.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "#", + "#" + ], + "key": { + "#": { + "item": "minecraft:red_sandstone_slab" + } + }, + "result": { + "item": "minecraft:chiseled_red_sandstone" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_red_sandstone_from_red_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_red_sandstone_from_red_sandstone_stonecutting.json new file mode 100644 index 00000000..de8dd3f6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_red_sandstone_from_red_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:red_sandstone" + }, + "result": "minecraft:chiseled_red_sandstone", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_sandstone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_sandstone.json new file mode 100644 index 00000000..35067163 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_sandstone.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "#", + "#" + ], + "key": { + "#": { + "item": "minecraft:sandstone_slab" + } + }, + "result": { + "item": "minecraft:chiseled_sandstone" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_sandstone_from_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_sandstone_from_sandstone_stonecutting.json new file mode 100644 index 00000000..dde7d3b3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_sandstone_from_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:sandstone" + }, + "result": "minecraft:chiseled_sandstone", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_stone_bricks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_stone_bricks.json new file mode 100644 index 00000000..07273125 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_stone_bricks.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "#", + "#" + ], + "key": { + "#": { + "item": "minecraft:stone_brick_slab" + } + }, + "result": { + "item": "minecraft:chiseled_stone_bricks" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_stone_bricks_from_stone_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_stone_bricks_from_stone_bricks_stonecutting.json new file mode 100644 index 00000000..88c67735 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_stone_bricks_from_stone_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:stone_bricks" + }, + "result": "minecraft:chiseled_stone_bricks", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_stone_bricks_stone_from_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_stone_bricks_stone_from_stonecutting.json new file mode 100644 index 00000000..e66c3caf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/chiseled_stone_bricks_stone_from_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:stone" + }, + "result": "minecraft:chiseled_stone_bricks", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/clay.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/clay.json new file mode 100644 index 00000000..b8e53d22 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/clay.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:clay_ball" + } + }, + "result": { + "item": "minecraft:clay" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/clock.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/clock.json new file mode 100644 index 00000000..1f149273 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/clock.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + " # ", + "#X#", + " # " + ], + "key": { + "#": { + "item": "minecraft:gold_ingot" + }, + "X": { + "item": "minecraft:redstone" + } + }, + "result": { + "item": "minecraft:clock" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/coal.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/coal.json new file mode 100644 index 00000000..dd451258 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/coal.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:coal_block" + } + ], + "result": { + "item": "minecraft:coal", + "count": 9 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/coal_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/coal_block.json new file mode 100644 index 00000000..fa18c4ae --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/coal_block.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:coal" + } + }, + "result": { + "item": "minecraft:coal_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/coal_from_blasting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/coal_from_blasting.json new file mode 100644 index 00000000..6a0cdbfc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/coal_from_blasting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:blasting", + "ingredient": { + "item": "minecraft:coal_ore" + }, + "result": "minecraft:coal", + "experience": 0.1, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/coal_from_smelting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/coal_from_smelting.json new file mode 100644 index 00000000..6e22323b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/coal_from_smelting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:coal_ore" + }, + "result": "minecraft:coal", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/coarse_dirt.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/coarse_dirt.json new file mode 100644 index 00000000..43dbebe0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/coarse_dirt.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "DG", + "GD" + ], + "key": { + "D": { + "item": "minecraft:dirt" + }, + "G": { + "item": "minecraft:gravel" + } + }, + "result": { + "item": "minecraft:coarse_dirt", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_slab.json new file mode 100644 index 00000000..a602e9a5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:cobblestone" + } + }, + "result": { + "item": "minecraft:cobblestone_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_slab_from_cobblestone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_slab_from_cobblestone_stonecutting.json new file mode 100644 index 00000000..81d45c36 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_slab_from_cobblestone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:cobblestone" + }, + "result": "minecraft:cobblestone_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_stairs.json new file mode 100644 index 00000000..59ffa38a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:cobblestone" + } + }, + "result": { + "item": "minecraft:cobblestone_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_stairs_from_cobblestone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_stairs_from_cobblestone_stonecutting.json new file mode 100644 index 00000000..ebc2c111 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_stairs_from_cobblestone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:cobblestone" + }, + "result": "minecraft:cobblestone_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_wall.json new file mode 100644 index 00000000..02988169 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:cobblestone" + } + }, + "result": { + "item": "minecraft:cobblestone_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_wall_from_cobblestone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_wall_from_cobblestone_stonecutting.json new file mode 100644 index 00000000..790063fe --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cobblestone_wall_from_cobblestone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:cobblestone" + }, + "result": "minecraft:cobblestone_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/comparator.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/comparator.json new file mode 100644 index 00000000..920930de --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/comparator.json @@ -0,0 +1,22 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + " # ", + "#X#", + "III" + ], + "key": { + "#": { + "item": "minecraft:redstone_torch" + }, + "X": { + "item": "minecraft:quartz" + }, + "I": { + "item": "minecraft:stone" + } + }, + "result": { + "item": "minecraft:comparator" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/compass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/compass.json new file mode 100644 index 00000000..5ded6770 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/compass.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + " # ", + "#X#", + " # " + ], + "key": { + "#": { + "item": "minecraft:iron_ingot" + }, + "X": { + "item": "minecraft:redstone" + } + }, + "result": { + "item": "minecraft:compass" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/composter.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/composter.json new file mode 100644 index 00000000..24907a13 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/composter.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# #", + "# #", + "###" + ], + "key": { + "#": { + "tag": "minecraft:wooden_slabs" + } + }, + "result": { + "item": "minecraft:composter" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/conduit.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/conduit.json new file mode 100644 index 00000000..1e095e50 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/conduit.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:nautilus_shell" + }, + "X": { + "item": "minecraft:heart_of_the_sea" + } + }, + "result": { + "item": "minecraft:conduit" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_beef.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_beef.json new file mode 100644 index 00000000..e33bad43 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_beef.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:beef" + }, + "result": "minecraft:cooked_beef", + "experience": 0.35, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_beef_from_campfire_cooking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_beef_from_campfire_cooking.json new file mode 100644 index 00000000..116e959e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_beef_from_campfire_cooking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:campfire_cooking", + "ingredient": { + "item": "minecraft:beef" + }, + "result": "minecraft:cooked_beef", + "experience": 0.35, + "cookingtime": 600 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_beef_from_smoking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_beef_from_smoking.json new file mode 100644 index 00000000..75ed73b4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_beef_from_smoking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smoking", + "ingredient": { + "item": "minecraft:beef" + }, + "result": "minecraft:cooked_beef", + "experience": 0.35, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_chicken.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_chicken.json new file mode 100644 index 00000000..3ba49978 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_chicken.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:chicken" + }, + "result": "minecraft:cooked_chicken", + "experience": 0.35, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_chicken_from_campfire_cooking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_chicken_from_campfire_cooking.json new file mode 100644 index 00000000..70b6f0a7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_chicken_from_campfire_cooking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:campfire_cooking", + "ingredient": { + "item": "minecraft:chicken" + }, + "result": "minecraft:cooked_chicken", + "experience": 0.35, + "cookingtime": 600 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_chicken_from_smoking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_chicken_from_smoking.json new file mode 100644 index 00000000..378a20a4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_chicken_from_smoking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smoking", + "ingredient": { + "item": "minecraft:chicken" + }, + "result": "minecraft:cooked_chicken", + "experience": 0.35, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_cod.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_cod.json new file mode 100644 index 00000000..d524fae3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_cod.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:cod" + }, + "result": "minecraft:cooked_cod", + "experience": 0.35, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_cod_from_campfire_cooking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_cod_from_campfire_cooking.json new file mode 100644 index 00000000..e5f2c297 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_cod_from_campfire_cooking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:campfire_cooking", + "ingredient": { + "item": "minecraft:cod" + }, + "result": "minecraft:cooked_cod", + "experience": 0.35, + "cookingtime": 600 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_cod_from_smoking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_cod_from_smoking.json new file mode 100644 index 00000000..62d47cb3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_cod_from_smoking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smoking", + "ingredient": { + "item": "minecraft:cod" + }, + "result": "minecraft:cooked_cod", + "experience": 0.35, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_mutton.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_mutton.json new file mode 100644 index 00000000..c0f8ea91 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_mutton.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:mutton" + }, + "result": "minecraft:cooked_mutton", + "experience": 0.35, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_mutton_from_campfire_cooking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_mutton_from_campfire_cooking.json new file mode 100644 index 00000000..35b63391 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_mutton_from_campfire_cooking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:campfire_cooking", + "ingredient": { + "item": "minecraft:mutton" + }, + "result": "minecraft:cooked_mutton", + "experience": 0.35, + "cookingtime": 600 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_mutton_from_smoking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_mutton_from_smoking.json new file mode 100644 index 00000000..b688a2ab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_mutton_from_smoking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smoking", + "ingredient": { + "item": "minecraft:mutton" + }, + "result": "minecraft:cooked_mutton", + "experience": 0.35, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_porkchop.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_porkchop.json new file mode 100644 index 00000000..18a301ed --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_porkchop.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:porkchop" + }, + "result": "minecraft:cooked_porkchop", + "experience": 0.35, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_porkchop_from_campfire_cooking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_porkchop_from_campfire_cooking.json new file mode 100644 index 00000000..0ad1c880 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_porkchop_from_campfire_cooking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:campfire_cooking", + "ingredient": { + "item": "minecraft:porkchop" + }, + "result": "minecraft:cooked_porkchop", + "experience": 0.35, + "cookingtime": 600 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_porkchop_from_smoking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_porkchop_from_smoking.json new file mode 100644 index 00000000..4d8cb223 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_porkchop_from_smoking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smoking", + "ingredient": { + "item": "minecraft:porkchop" + }, + "result": "minecraft:cooked_porkchop", + "experience": 0.35, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_rabbit.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_rabbit.json new file mode 100644 index 00000000..30cc8150 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_rabbit.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:rabbit" + }, + "result": "minecraft:cooked_rabbit", + "experience": 0.35, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_rabbit_from_campfire_cooking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_rabbit_from_campfire_cooking.json new file mode 100644 index 00000000..6950d25f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_rabbit_from_campfire_cooking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:campfire_cooking", + "ingredient": { + "item": "minecraft:rabbit" + }, + "result": "minecraft:cooked_rabbit", + "experience": 0.35, + "cookingtime": 600 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_rabbit_from_smoking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_rabbit_from_smoking.json new file mode 100644 index 00000000..098be9f6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_rabbit_from_smoking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smoking", + "ingredient": { + "item": "minecraft:rabbit" + }, + "result": "minecraft:cooked_rabbit", + "experience": 0.35, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_salmon.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_salmon.json new file mode 100644 index 00000000..32e1ed96 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_salmon.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:salmon" + }, + "result": "minecraft:cooked_salmon", + "experience": 0.35, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_salmon_from_campfire_cooking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_salmon_from_campfire_cooking.json new file mode 100644 index 00000000..cbbdb5ce --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_salmon_from_campfire_cooking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:campfire_cooking", + "ingredient": { + "item": "minecraft:salmon" + }, + "result": "minecraft:cooked_salmon", + "experience": 0.35, + "cookingtime": 600 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_salmon_from_smoking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_salmon_from_smoking.json new file mode 100644 index 00000000..d567dd6b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cooked_salmon_from_smoking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smoking", + "ingredient": { + "item": "minecraft:salmon" + }, + "result": "minecraft:cooked_salmon", + "experience": 0.35, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cookie.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cookie.json new file mode 100644 index 00000000..dfbc13c2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cookie.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "#X#" + ], + "key": { + "#": { + "item": "minecraft:wheat" + }, + "X": { + "item": "minecraft:cocoa_beans" + } + }, + "result": { + "item": "minecraft:cookie", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cracked_nether_bricks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cracked_nether_bricks.json new file mode 100644 index 00000000..4dd536af --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cracked_nether_bricks.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:nether_bricks" + }, + "result": "minecraft:cracked_nether_bricks", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cracked_polished_blackstone_bricks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cracked_polished_blackstone_bricks.json new file mode 100644 index 00000000..d694d9b2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cracked_polished_blackstone_bricks.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:polished_blackstone_bricks" + }, + "result": "minecraft:cracked_polished_blackstone_bricks", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cracked_stone_bricks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cracked_stone_bricks.json new file mode 100644 index 00000000..9eb43371 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cracked_stone_bricks.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:stone_bricks" + }, + "result": "minecraft:cracked_stone_bricks", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crafting_table.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crafting_table.json new file mode 100644 index 00000000..b0dc306b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crafting_table.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:crafting_table" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/creeper_banner_pattern.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/creeper_banner_pattern.json new file mode 100644 index 00000000..b2f6eed2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/creeper_banner_pattern.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:paper" + }, + { + "item": "minecraft:creeper_head" + } + ], + "result": { + "item": "minecraft:creeper_banner_pattern" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_button.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_button.json new file mode 100644 index 00000000..4dc921e9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_button.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wooden_button", + "ingredients": [ + { + "item": "minecraft:crimson_planks" + } + ], + "result": { + "item": "minecraft:crimson_button" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_door.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_door.json new file mode 100644 index 00000000..f25d8256 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_door.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_door", + "pattern": [ + "##", + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:crimson_planks" + } + }, + "result": { + "item": "minecraft:crimson_door", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_fence.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_fence.json new file mode 100644 index 00000000..facc629f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_fence.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence", + "pattern": [ + "W#W", + "W#W" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:crimson_planks" + } + }, + "result": { + "item": "minecraft:crimson_fence", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_fence_gate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_fence_gate.json new file mode 100644 index 00000000..7d576692 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_fence_gate.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence_gate", + "pattern": [ + "#W#", + "#W#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:crimson_planks" + } + }, + "result": { + "item": "minecraft:crimson_fence_gate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_hyphae.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_hyphae.json new file mode 100644 index 00000000..5fb2cbe9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_hyphae.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:crimson_stem" + } + }, + "result": { + "item": "minecraft:crimson_hyphae", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_planks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_planks.json new file mode 100644 index 00000000..cbc44f4f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_planks.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "planks", + "ingredients": [ + { + "tag": "minecraft:crimson_stems" + } + ], + "result": { + "item": "minecraft:crimson_planks", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_pressure_plate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_pressure_plate.json new file mode 100644 index 00000000..d91f19bb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_pressure_plate.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_pressure_plate", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:crimson_planks" + } + }, + "result": { + "item": "minecraft:crimson_pressure_plate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_sign.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_sign.json new file mode 100644 index 00000000..e105a4bc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_sign.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "sign", + "pattern": [ + "###", + "###", + " X " + ], + "key": { + "#": { + "item": "minecraft:crimson_planks" + }, + "X": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:crimson_sign", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_slab.json new file mode 100644 index 00000000..8a1f6374 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_slab.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_slab", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:crimson_planks" + } + }, + "result": { + "item": "minecraft:crimson_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_stairs.json new file mode 100644 index 00000000..8799b69d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_stairs.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_stairs", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:crimson_planks" + } + }, + "result": { + "item": "minecraft:crimson_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_trapdoor.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_trapdoor.json new file mode 100644 index 00000000..064cbc84 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crimson_trapdoor.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_trapdoor", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:crimson_planks" + } + }, + "result": { + "item": "minecraft:crimson_trapdoor", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crossbow.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crossbow.json new file mode 100644 index 00000000..cc274fc0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/crossbow.json @@ -0,0 +1,25 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "#\u0026#", + "~$~", + " # " + ], + "key": { + "~": { + "item": "minecraft:string" + }, + "#": { + "item": "minecraft:stick" + }, + "\u0026": { + "item": "minecraft:iron_ingot" + }, + "$": { + "item": "minecraft:tripwire_hook" + } + }, + "result": { + "item": "minecraft:crossbow" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_red_sandstone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_red_sandstone.json new file mode 100644 index 00000000..54c744bf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_red_sandstone.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:red_sandstone" + } + }, + "result": { + "item": "minecraft:cut_red_sandstone", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_red_sandstone_from_red_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_red_sandstone_from_red_sandstone_stonecutting.json new file mode 100644 index 00000000..b34a94df --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_red_sandstone_from_red_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:red_sandstone" + }, + "result": "minecraft:cut_red_sandstone", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_red_sandstone_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_red_sandstone_slab.json new file mode 100644 index 00000000..f77bd256 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_red_sandstone_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:cut_red_sandstone" + } + }, + "result": { + "item": "minecraft:cut_red_sandstone_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_red_sandstone_slab_from_cut_red_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_red_sandstone_slab_from_cut_red_sandstone_stonecutting.json new file mode 100644 index 00000000..173b64a1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_red_sandstone_slab_from_cut_red_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:cut_red_sandstone" + }, + "result": "minecraft:cut_red_sandstone_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_red_sandstone_slab_from_red_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_red_sandstone_slab_from_red_sandstone_stonecutting.json new file mode 100644 index 00000000..fcff6d7c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_red_sandstone_slab_from_red_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:red_sandstone" + }, + "result": "minecraft:cut_red_sandstone_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_sandstone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_sandstone.json new file mode 100644 index 00000000..471b30ff --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_sandstone.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:sandstone" + } + }, + "result": { + "item": "minecraft:cut_sandstone", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_sandstone_from_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_sandstone_from_sandstone_stonecutting.json new file mode 100644 index 00000000..f049f641 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_sandstone_from_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:sandstone" + }, + "result": "minecraft:cut_sandstone", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_sandstone_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_sandstone_slab.json new file mode 100644 index 00000000..e5b86b04 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_sandstone_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:cut_sandstone" + } + }, + "result": { + "item": "minecraft:cut_sandstone_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_sandstone_slab_from_cut_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_sandstone_slab_from_cut_sandstone_stonecutting.json new file mode 100644 index 00000000..eeb425db --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_sandstone_slab_from_cut_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:cut_sandstone" + }, + "result": "minecraft:cut_sandstone_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_sandstone_slab_from_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_sandstone_slab_from_sandstone_stonecutting.json new file mode 100644 index 00000000..5bfb4a32 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cut_sandstone_slab_from_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:sandstone" + }, + "result": "minecraft:cut_sandstone_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_banner.json new file mode 100644 index 00000000..a1004f79 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:cyan_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:cyan_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_bed.json new file mode 100644 index 00000000..e396e047 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:cyan_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:cyan_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_bed_from_white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_bed_from_white_bed.json new file mode 100644 index 00000000..88bb80ca --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_bed_from_white_bed.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "dyed_bed", + "ingredients": [ + { + "item": "minecraft:white_bed" + }, + { + "item": "minecraft:cyan_dye" + } + ], + "result": { + "item": "minecraft:cyan_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_carpet.json new file mode 100644 index 00000000..83c49eb2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:cyan_wool" + } + }, + "result": { + "item": "minecraft:cyan_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_carpet_from_white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_carpet_from_white_carpet.json new file mode 100644 index 00000000..71013c6a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_carpet_from_white_carpet.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_carpet" + }, + "$": { + "item": "minecraft:cyan_dye" + } + }, + "result": { + "item": "minecraft:cyan_carpet", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_concrete_powder.json new file mode 100644 index 00000000..fae84bba --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:cyan_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:cyan_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_dye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_dye.json new file mode 100644 index 00000000..58381b85 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_dye.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:blue_dye" + }, + { + "item": "minecraft:green_dye" + } + ], + "result": { + "item": "minecraft:cyan_dye", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_glazed_terracotta.json new file mode 100644 index 00000000..25a8e476 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:cyan_terracotta" + }, + "result": "minecraft:cyan_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_stained_glass.json new file mode 100644 index 00000000..33e2bd42 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:cyan_dye" + } + }, + "result": { + "item": "minecraft:cyan_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_stained_glass_pane.json new file mode 100644 index 00000000..c853586e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:cyan_stained_glass" + } + }, + "result": { + "item": "minecraft:cyan_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..c673027a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:cyan_dye" + } + }, + "result": { + "item": "minecraft:cyan_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_terracotta.json new file mode 100644 index 00000000..a35c2d39 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:cyan_dye" + } + }, + "result": { + "item": "minecraft:cyan_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_wool.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_wool.json new file mode 100644 index 00000000..7e161817 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/cyan_wool.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wool", + "ingredients": [ + { + "item": "minecraft:cyan_dye" + }, + { + "item": "minecraft:white_wool" + } + ], + "result": { + "item": "minecraft:cyan_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_boat.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_boat.json new file mode 100644 index 00000000..3ca003c1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_boat.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "boat", + "pattern": [ + "# #", + "###" + ], + "key": { + "#": { + "item": "minecraft:dark_oak_planks" + } + }, + "result": { + "item": "minecraft:dark_oak_boat" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_button.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_button.json new file mode 100644 index 00000000..bd19c4bc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_button.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wooden_button", + "ingredients": [ + { + "item": "minecraft:dark_oak_planks" + } + ], + "result": { + "item": "minecraft:dark_oak_button" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_door.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_door.json new file mode 100644 index 00000000..08ce2b16 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_door.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_door", + "pattern": [ + "##", + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:dark_oak_planks" + } + }, + "result": { + "item": "minecraft:dark_oak_door", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_fence.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_fence.json new file mode 100644 index 00000000..469e5000 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_fence.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence", + "pattern": [ + "W#W", + "W#W" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:dark_oak_planks" + } + }, + "result": { + "item": "minecraft:dark_oak_fence", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_fence_gate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_fence_gate.json new file mode 100644 index 00000000..9448672e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_fence_gate.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence_gate", + "pattern": [ + "#W#", + "#W#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:dark_oak_planks" + } + }, + "result": { + "item": "minecraft:dark_oak_fence_gate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_planks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_planks.json new file mode 100644 index 00000000..215751f4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_planks.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "planks", + "ingredients": [ + { + "tag": "minecraft:dark_oak_logs" + } + ], + "result": { + "item": "minecraft:dark_oak_planks", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_pressure_plate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_pressure_plate.json new file mode 100644 index 00000000..359c41a1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_pressure_plate.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_pressure_plate", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:dark_oak_planks" + } + }, + "result": { + "item": "minecraft:dark_oak_pressure_plate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_sign.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_sign.json new file mode 100644 index 00000000..047af17a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_sign.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "sign", + "pattern": [ + "###", + "###", + " X " + ], + "key": { + "#": { + "item": "minecraft:dark_oak_planks" + }, + "X": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:dark_oak_sign", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_slab.json new file mode 100644 index 00000000..f75c405c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_slab.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_slab", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:dark_oak_planks" + } + }, + "result": { + "item": "minecraft:dark_oak_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_stairs.json new file mode 100644 index 00000000..abdb8d8a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_stairs.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_stairs", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:dark_oak_planks" + } + }, + "result": { + "item": "minecraft:dark_oak_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_trapdoor.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_trapdoor.json new file mode 100644 index 00000000..a6ba90bd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_trapdoor.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_trapdoor", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:dark_oak_planks" + } + }, + "result": { + "item": "minecraft:dark_oak_trapdoor", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_wood.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_wood.json new file mode 100644 index 00000000..10bd96dd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_oak_wood.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:dark_oak_log" + } + }, + "result": { + "item": "minecraft:dark_oak_wood", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_prismarine.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_prismarine.json new file mode 100644 index 00000000..fd9581a2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_prismarine.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "SSS", + "SIS", + "SSS" + ], + "key": { + "S": { + "item": "minecraft:prismarine_shard" + }, + "I": { + "item": "minecraft:black_dye" + } + }, + "result": { + "item": "minecraft:dark_prismarine" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_prismarine_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_prismarine_slab.json new file mode 100644 index 00000000..c2be0d04 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_prismarine_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:dark_prismarine" + } + }, + "result": { + "item": "minecraft:dark_prismarine_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_prismarine_slab_from_dark_prismarine_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_prismarine_slab_from_dark_prismarine_stonecutting.json new file mode 100644 index 00000000..c416c88e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_prismarine_slab_from_dark_prismarine_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:dark_prismarine" + }, + "result": "minecraft:dark_prismarine_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_prismarine_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_prismarine_stairs.json new file mode 100644 index 00000000..4e742175 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_prismarine_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:dark_prismarine" + } + }, + "result": { + "item": "minecraft:dark_prismarine_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_prismarine_stairs_from_dark_prismarine_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_prismarine_stairs_from_dark_prismarine_stonecutting.json new file mode 100644 index 00000000..a497f7f8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dark_prismarine_stairs_from_dark_prismarine_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:dark_prismarine" + }, + "result": "minecraft:dark_prismarine_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/daylight_detector.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/daylight_detector.json new file mode 100644 index 00000000..6b3b61a1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/daylight_detector.json @@ -0,0 +1,22 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "GGG", + "QQQ", + "WWW" + ], + "key": { + "Q": { + "item": "minecraft:quartz" + }, + "G": { + "item": "minecraft:glass" + }, + "W": { + "tag": "minecraft:wooden_slabs" + } + }, + "result": { + "item": "minecraft:daylight_detector" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/detector_rail.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/detector_rail.json new file mode 100644 index 00000000..2d1c95da --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/detector_rail.json @@ -0,0 +1,23 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X X", + "X#X", + "XRX" + ], + "key": { + "R": { + "item": "minecraft:redstone" + }, + "#": { + "item": "minecraft:stone_pressure_plate" + }, + "X": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:detector_rail", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond.json new file mode 100644 index 00000000..b90351af --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:diamond_block" + } + ], + "result": { + "item": "minecraft:diamond", + "count": 9 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_axe.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_axe.json new file mode 100644 index 00000000..b77f0dfd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_axe.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XX", + "X#", + " #" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:diamond" + } + }, + "result": { + "item": "minecraft:diamond_axe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_block.json new file mode 100644 index 00000000..d6bbb6de --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_block.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:diamond" + } + }, + "result": { + "item": "minecraft:diamond_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_boots.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_boots.json new file mode 100644 index 00000000..548eb8c4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_boots.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X X", + "X X" + ], + "key": { + "X": { + "item": "minecraft:diamond" + } + }, + "result": { + "item": "minecraft:diamond_boots" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_chestplate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_chestplate.json new file mode 100644 index 00000000..55fd936d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_chestplate.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X X", + "XXX", + "XXX" + ], + "key": { + "X": { + "item": "minecraft:diamond" + } + }, + "result": { + "item": "minecraft:diamond_chestplate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_from_blasting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_from_blasting.json new file mode 100644 index 00000000..816cf111 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_from_blasting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:blasting", + "ingredient": { + "item": "minecraft:diamond_ore" + }, + "result": "minecraft:diamond", + "experience": 1.0, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_from_smelting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_from_smelting.json new file mode 100644 index 00000000..cf31cf95 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_from_smelting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:diamond_ore" + }, + "result": "minecraft:diamond", + "experience": 1.0, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_helmet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_helmet.json new file mode 100644 index 00000000..c83a4922 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_helmet.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + "X X" + ], + "key": { + "X": { + "item": "minecraft:diamond" + } + }, + "result": { + "item": "minecraft:diamond_helmet" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_hoe.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_hoe.json new file mode 100644 index 00000000..2401cb25 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_hoe.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XX", + " #", + " #" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:diamond" + } + }, + "result": { + "item": "minecraft:diamond_hoe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_leggings.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_leggings.json new file mode 100644 index 00000000..32f4c2b4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_leggings.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + "X X", + "X X" + ], + "key": { + "X": { + "item": "minecraft:diamond" + } + }, + "result": { + "item": "minecraft:diamond_leggings" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_pickaxe.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_pickaxe.json new file mode 100644 index 00000000..56fc30e7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_pickaxe.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + " # ", + " # " + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:diamond" + } + }, + "result": { + "item": "minecraft:diamond_pickaxe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_shovel.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_shovel.json new file mode 100644 index 00000000..84d2d4fd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_shovel.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X", + "#", + "#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:diamond" + } + }, + "result": { + "item": "minecraft:diamond_shovel" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_sword.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_sword.json new file mode 100644 index 00000000..d4bf6ee7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diamond_sword.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X", + "X", + "#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:diamond" + } + }, + "result": { + "item": "minecraft:diamond_sword" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite.json new file mode 100644 index 00000000..69c4996a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "CQ", + "QC" + ], + "key": { + "Q": { + "item": "minecraft:quartz" + }, + "C": { + "item": "minecraft:cobblestone" + } + }, + "result": { + "item": "minecraft:diorite", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_slab.json new file mode 100644 index 00000000..61ed93f1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:diorite" + } + }, + "result": { + "item": "minecraft:diorite_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_slab_from_diorite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_slab_from_diorite_stonecutting.json new file mode 100644 index 00000000..67d77c7c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_slab_from_diorite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:diorite" + }, + "result": "minecraft:diorite_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_stairs.json new file mode 100644 index 00000000..c11c0322 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:diorite" + } + }, + "result": { + "item": "minecraft:diorite_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_stairs_from_diorite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_stairs_from_diorite_stonecutting.json new file mode 100644 index 00000000..c3e963eb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_stairs_from_diorite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:diorite" + }, + "result": "minecraft:diorite_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_wall.json new file mode 100644 index 00000000..16f9b8dc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:diorite" + } + }, + "result": { + "item": "minecraft:diorite_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_wall_from_diorite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_wall_from_diorite_stonecutting.json new file mode 100644 index 00000000..f3f3e828 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/diorite_wall_from_diorite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:diorite" + }, + "result": "minecraft:diorite_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dispenser.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dispenser.json new file mode 100644 index 00000000..93d89cb4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dispenser.json @@ -0,0 +1,22 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "#X#", + "#R#" + ], + "key": { + "R": { + "item": "minecraft:redstone" + }, + "#": { + "item": "minecraft:cobblestone" + }, + "X": { + "item": "minecraft:bow" + } + }, + "result": { + "item": "minecraft:dispenser" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dried_kelp.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dried_kelp.json new file mode 100644 index 00000000..2e95b1c2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dried_kelp.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:dried_kelp_block" + } + ], + "result": { + "item": "minecraft:dried_kelp", + "count": 9 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dried_kelp_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dried_kelp_block.json new file mode 100644 index 00000000..cd1414c3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dried_kelp_block.json @@ -0,0 +1,35 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:dried_kelp" + }, + { + "item": "minecraft:dried_kelp" + }, + { + "item": "minecraft:dried_kelp" + }, + { + "item": "minecraft:dried_kelp" + }, + { + "item": "minecraft:dried_kelp" + }, + { + "item": "minecraft:dried_kelp" + }, + { + "item": "minecraft:dried_kelp" + }, + { + "item": "minecraft:dried_kelp" + }, + { + "item": "minecraft:dried_kelp" + } + ], + "result": { + "item": "minecraft:dried_kelp_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dried_kelp_from_campfire_cooking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dried_kelp_from_campfire_cooking.json new file mode 100644 index 00000000..6d8a7ad1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dried_kelp_from_campfire_cooking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:campfire_cooking", + "ingredient": { + "item": "minecraft:kelp" + }, + "result": "minecraft:dried_kelp", + "experience": 0.1, + "cookingtime": 600 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dried_kelp_from_smelting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dried_kelp_from_smelting.json new file mode 100644 index 00000000..d288d9c5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dried_kelp_from_smelting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:kelp" + }, + "result": "minecraft:dried_kelp", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dried_kelp_from_smoking.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dried_kelp_from_smoking.json new file mode 100644 index 00000000..cdc40ba7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dried_kelp_from_smoking.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smoking", + "ingredient": { + "item": "minecraft:kelp" + }, + "result": "minecraft:dried_kelp", + "experience": 0.1, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dropper.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dropper.json new file mode 100644 index 00000000..d276f164 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/dropper.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "# #", + "#R#" + ], + "key": { + "R": { + "item": "minecraft:redstone" + }, + "#": { + "item": "minecraft:cobblestone" + } + }, + "result": { + "item": "minecraft:dropper" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/emerald.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/emerald.json new file mode 100644 index 00000000..d337d447 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/emerald.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:emerald_block" + } + ], + "result": { + "item": "minecraft:emerald", + "count": 9 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/emerald_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/emerald_block.json new file mode 100644 index 00000000..9ebdb204 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/emerald_block.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:emerald" + } + }, + "result": { + "item": "minecraft:emerald_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/emerald_from_blasting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/emerald_from_blasting.json new file mode 100644 index 00000000..853b4275 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/emerald_from_blasting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:blasting", + "ingredient": { + "item": "minecraft:emerald_ore" + }, + "result": "minecraft:emerald", + "experience": 1.0, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/emerald_from_smelting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/emerald_from_smelting.json new file mode 100644 index 00000000..695e393a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/emerald_from_smelting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:emerald_ore" + }, + "result": "minecraft:emerald", + "experience": 1.0, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/enchanting_table.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/enchanting_table.json new file mode 100644 index 00000000..16eb0d39 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/enchanting_table.json @@ -0,0 +1,22 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + " B ", + "D#D", + "###" + ], + "key": { + "B": { + "item": "minecraft:book" + }, + "#": { + "item": "minecraft:obsidian" + }, + "D": { + "item": "minecraft:diamond" + } + }, + "result": { + "item": "minecraft:enchanting_table" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_crystal.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_crystal.json new file mode 100644 index 00000000..d9e40b53 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_crystal.json @@ -0,0 +1,22 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "GGG", + "GEG", + "GTG" + ], + "key": { + "T": { + "item": "minecraft:ghast_tear" + }, + "E": { + "item": "minecraft:ender_eye" + }, + "G": { + "item": "minecraft:glass" + } + }, + "result": { + "item": "minecraft:end_crystal" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_rod.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_rod.json new file mode 100644 index 00000000..be2bd413 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_rod.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "/", + "#" + ], + "key": { + "#": { + "item": "minecraft:popped_chorus_fruit" + }, + "/": { + "item": "minecraft:blaze_rod" + } + }, + "result": { + "item": "minecraft:end_rod", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_slab.json new file mode 100644 index 00000000..4dbbb67d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:end_stone_bricks" + } + }, + "result": { + "item": "minecraft:end_stone_brick_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_slab_from_end_stone_brick_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_slab_from_end_stone_brick_stonecutting.json new file mode 100644 index 00000000..a043a1be --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_slab_from_end_stone_brick_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:end_stone_bricks" + }, + "result": "minecraft:end_stone_brick_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_slab_from_end_stone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_slab_from_end_stone_stonecutting.json new file mode 100644 index 00000000..e257cceb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_slab_from_end_stone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:end_stone" + }, + "result": "minecraft:end_stone_brick_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_stairs.json new file mode 100644 index 00000000..ce0512d7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:end_stone_bricks" + } + }, + "result": { + "item": "minecraft:end_stone_brick_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_stairs_from_end_stone_brick_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_stairs_from_end_stone_brick_stonecutting.json new file mode 100644 index 00000000..e2310de0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_stairs_from_end_stone_brick_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:end_stone_bricks" + }, + "result": "minecraft:end_stone_brick_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_stairs_from_end_stone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_stairs_from_end_stone_stonecutting.json new file mode 100644 index 00000000..bd3bfe6e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_stairs_from_end_stone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:end_stone" + }, + "result": "minecraft:end_stone_brick_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_wall.json new file mode 100644 index 00000000..7bf02d28 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:end_stone_bricks" + } + }, + "result": { + "item": "minecraft:end_stone_brick_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_wall_from_end_stone_brick_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_wall_from_end_stone_brick_stonecutting.json new file mode 100644 index 00000000..ab117409 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_wall_from_end_stone_brick_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:end_stone_bricks" + }, + "result": "minecraft:end_stone_brick_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_wall_from_end_stone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_wall_from_end_stone_stonecutting.json new file mode 100644 index 00000000..cb04bfd9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_brick_wall_from_end_stone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:end_stone" + }, + "result": "minecraft:end_stone_brick_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_bricks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_bricks.json new file mode 100644 index 00000000..70989ac1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_bricks.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:end_stone" + } + }, + "result": { + "item": "minecraft:end_stone_bricks", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_bricks_from_end_stone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_bricks_from_end_stone_stonecutting.json new file mode 100644 index 00000000..bf96a6e9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/end_stone_bricks_from_end_stone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:end_stone" + }, + "result": "minecraft:end_stone_bricks", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/ender_chest.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/ender_chest.json new file mode 100644 index 00000000..a1d13381 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/ender_chest.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "#E#", + "###" + ], + "key": { + "#": { + "item": "minecraft:obsidian" + }, + "E": { + "item": "minecraft:ender_eye" + } + }, + "result": { + "item": "minecraft:ender_chest" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/ender_eye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/ender_eye.json new file mode 100644 index 00000000..59ad02bc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/ender_eye.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:ender_pearl" + }, + { + "item": "minecraft:blaze_powder" + } + ], + "result": { + "item": "minecraft:ender_eye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/fermented_spider_eye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/fermented_spider_eye.json new file mode 100644 index 00000000..bce59e61 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/fermented_spider_eye.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:spider_eye" + }, + { + "item": "minecraft:brown_mushroom" + }, + { + "item": "minecraft:sugar" + } + ], + "result": { + "item": "minecraft:fermented_spider_eye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/fire_charge.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/fire_charge.json new file mode 100644 index 00000000..f7e57e62 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/fire_charge.json @@ -0,0 +1,23 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:gunpowder" + }, + { + "item": "minecraft:blaze_powder" + }, + [ + { + "item": "minecraft:coal" + }, + { + "item": "minecraft:charcoal" + } + ] + ], + "result": { + "item": "minecraft:fire_charge", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/firework_rocket.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/firework_rocket.json new file mode 100644 index 00000000..889dedc7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/firework_rocket.json @@ -0,0 +1,3 @@ +{ + "type": "minecraft:crafting_special_firework_rocket" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/firework_star.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/firework_star.json new file mode 100644 index 00000000..7168ef92 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/firework_star.json @@ -0,0 +1,3 @@ +{ + "type": "minecraft:crafting_special_firework_star" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/firework_star_fade.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/firework_star_fade.json new file mode 100644 index 00000000..c6b80654 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/firework_star_fade.json @@ -0,0 +1,3 @@ +{ + "type": "minecraft:crafting_special_firework_star_fade" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/fishing_rod.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/fishing_rod.json new file mode 100644 index 00000000..d79d9ac9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/fishing_rod.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + " #", + " #X", + "# X" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:string" + } + }, + "result": { + "item": "minecraft:fishing_rod" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/fletching_table.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/fletching_table.json new file mode 100644 index 00000000..d91cf280 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/fletching_table.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "@@", + "##", + "##" + ], + "key": { + "#": { + "tag": "minecraft:planks" + }, + "@": { + "item": "minecraft:flint" + } + }, + "result": { + "item": "minecraft:fletching_table" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/flint_and_steel.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/flint_and_steel.json new file mode 100644 index 00000000..ec774421 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/flint_and_steel.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:iron_ingot" + }, + { + "item": "minecraft:flint" + } + ], + "result": { + "item": "minecraft:flint_and_steel" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/flower_banner_pattern.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/flower_banner_pattern.json new file mode 100644 index 00000000..fa398b65 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/flower_banner_pattern.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:paper" + }, + { + "item": "minecraft:oxeye_daisy" + } + ], + "result": { + "item": "minecraft:flower_banner_pattern" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/flower_pot.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/flower_pot.json new file mode 100644 index 00000000..1bf914c2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/flower_pot.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# #", + " # " + ], + "key": { + "#": { + "item": "minecraft:brick" + } + }, + "result": { + "item": "minecraft:flower_pot" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/furnace.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/furnace.json new file mode 100644 index 00000000..60f78a82 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/furnace.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "# #", + "###" + ], + "key": { + "#": { + "tag": "minecraft:stone_crafting_materials" + } + }, + "result": { + "item": "minecraft:furnace" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/furnace_minecart.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/furnace_minecart.json new file mode 100644 index 00000000..28802cb4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/furnace_minecart.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "A", + "B" + ], + "key": { + "A": { + "item": "minecraft:furnace" + }, + "B": { + "item": "minecraft:minecart" + } + }, + "result": { + "item": "minecraft:furnace_minecart" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/glass.json new file mode 100644 index 00000000..32b5ece9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/glass.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "tag": "minecraft:sand" + }, + "result": "minecraft:glass", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/glass_bottle.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/glass_bottle.json new file mode 100644 index 00000000..81885ac8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/glass_bottle.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# #", + " # " + ], + "key": { + "#": { + "item": "minecraft:glass" + } + }, + "result": { + "item": "minecraft:glass_bottle", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/glass_pane.json new file mode 100644 index 00000000..a10664d0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/glass_pane.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + } + }, + "result": { + "item": "minecraft:glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/glistering_melon_slice.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/glistering_melon_slice.json new file mode 100644 index 00000000..1e4c7d2c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/glistering_melon_slice.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:gold_nugget" + }, + "X": { + "item": "minecraft:melon_slice" + } + }, + "result": { + "item": "minecraft:glistering_melon_slice" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/glowstone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/glowstone.json new file mode 100644 index 00000000..8e58f3f9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/glowstone.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:glowstone_dust" + } + }, + "result": { + "item": "minecraft:glowstone" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_block.json new file mode 100644 index 00000000..28f1a3ec --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_block.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:gold_ingot" + } + }, + "result": { + "item": "minecraft:gold_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_ingot.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_ingot.json new file mode 100644 index 00000000..a839b991 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_ingot.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "tag": "minecraft:gold_ores" + }, + "result": "minecraft:gold_ingot", + "experience": 1.0, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_ingot_from_blasting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_ingot_from_blasting.json new file mode 100644 index 00000000..d344cfa5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_ingot_from_blasting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:blasting", + "ingredient": { + "tag": "minecraft:gold_ores" + }, + "result": "minecraft:gold_ingot", + "experience": 1.0, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_ingot_from_gold_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_ingot_from_gold_block.json new file mode 100644 index 00000000..bcaf158f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_ingot_from_gold_block.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "gold_ingot", + "ingredients": [ + { + "item": "minecraft:gold_block" + } + ], + "result": { + "item": "minecraft:gold_ingot", + "count": 9 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_ingot_from_nuggets.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_ingot_from_nuggets.json new file mode 100644 index 00000000..0dae15c7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_ingot_from_nuggets.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "gold_ingot", + "pattern": [ + "###", + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:gold_nugget" + } + }, + "result": { + "item": "minecraft:gold_ingot" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_nugget.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_nugget.json new file mode 100644 index 00000000..170d8779 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_nugget.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:gold_ingot" + } + ], + "result": { + "item": "minecraft:gold_nugget", + "count": 9 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_nugget_from_blasting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_nugget_from_blasting.json new file mode 100644 index 00000000..e2f1acd7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_nugget_from_blasting.json @@ -0,0 +1,38 @@ +{ + "type": "minecraft:blasting", + "ingredient": [ + { + "item": "minecraft:golden_pickaxe" + }, + { + "item": "minecraft:golden_shovel" + }, + { + "item": "minecraft:golden_axe" + }, + { + "item": "minecraft:golden_hoe" + }, + { + "item": "minecraft:golden_sword" + }, + { + "item": "minecraft:golden_helmet" + }, + { + "item": "minecraft:golden_chestplate" + }, + { + "item": "minecraft:golden_leggings" + }, + { + "item": "minecraft:golden_boots" + }, + { + "item": "minecraft:golden_horse_armor" + } + ], + "result": "minecraft:gold_nugget", + "experience": 0.1, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_nugget_from_smelting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_nugget_from_smelting.json new file mode 100644 index 00000000..58e52b64 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gold_nugget_from_smelting.json @@ -0,0 +1,38 @@ +{ + "type": "minecraft:smelting", + "ingredient": [ + { + "item": "minecraft:golden_pickaxe" + }, + { + "item": "minecraft:golden_shovel" + }, + { + "item": "minecraft:golden_axe" + }, + { + "item": "minecraft:golden_hoe" + }, + { + "item": "minecraft:golden_sword" + }, + { + "item": "minecraft:golden_helmet" + }, + { + "item": "minecraft:golden_chestplate" + }, + { + "item": "minecraft:golden_leggings" + }, + { + "item": "minecraft:golden_boots" + }, + { + "item": "minecraft:golden_horse_armor" + } + ], + "result": "minecraft:gold_nugget", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_apple.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_apple.json new file mode 100644 index 00000000..fe8f98a4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_apple.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:gold_ingot" + }, + "X": { + "item": "minecraft:apple" + } + }, + "result": { + "item": "minecraft:golden_apple" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_axe.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_axe.json new file mode 100644 index 00000000..265a2583 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_axe.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XX", + "X#", + " #" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:gold_ingot" + } + }, + "result": { + "item": "minecraft:golden_axe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_boots.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_boots.json new file mode 100644 index 00000000..c55a355d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_boots.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X X", + "X X" + ], + "key": { + "X": { + "item": "minecraft:gold_ingot" + } + }, + "result": { + "item": "minecraft:golden_boots" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_carrot.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_carrot.json new file mode 100644 index 00000000..c0f6966a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_carrot.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:gold_nugget" + }, + "X": { + "item": "minecraft:carrot" + } + }, + "result": { + "item": "minecraft:golden_carrot" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_chestplate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_chestplate.json new file mode 100644 index 00000000..7e983508 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_chestplate.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X X", + "XXX", + "XXX" + ], + "key": { + "X": { + "item": "minecraft:gold_ingot" + } + }, + "result": { + "item": "minecraft:golden_chestplate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_helmet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_helmet.json new file mode 100644 index 00000000..cd547a1a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_helmet.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + "X X" + ], + "key": { + "X": { + "item": "minecraft:gold_ingot" + } + }, + "result": { + "item": "minecraft:golden_helmet" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_hoe.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_hoe.json new file mode 100644 index 00000000..3baa42f5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_hoe.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XX", + " #", + " #" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:gold_ingot" + } + }, + "result": { + "item": "minecraft:golden_hoe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_leggings.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_leggings.json new file mode 100644 index 00000000..1d12b5a6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_leggings.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + "X X", + "X X" + ], + "key": { + "X": { + "item": "minecraft:gold_ingot" + } + }, + "result": { + "item": "minecraft:golden_leggings" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_pickaxe.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_pickaxe.json new file mode 100644 index 00000000..32f56751 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_pickaxe.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + " # ", + " # " + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:gold_ingot" + } + }, + "result": { + "item": "minecraft:golden_pickaxe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_shovel.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_shovel.json new file mode 100644 index 00000000..fd9b522b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_shovel.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X", + "#", + "#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:gold_ingot" + } + }, + "result": { + "item": "minecraft:golden_shovel" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_sword.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_sword.json new file mode 100644 index 00000000..21d5982b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/golden_sword.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X", + "X", + "#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:gold_ingot" + } + }, + "result": { + "item": "minecraft:golden_sword" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite.json new file mode 100644 index 00000000..42c945c3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:diorite" + }, + { + "item": "minecraft:quartz" + } + ], + "result": { + "item": "minecraft:granite" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_slab.json new file mode 100644 index 00000000..1b94399e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:granite" + } + }, + "result": { + "item": "minecraft:granite_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_slab_from_granite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_slab_from_granite_stonecutting.json new file mode 100644 index 00000000..275a8587 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_slab_from_granite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:granite" + }, + "result": "minecraft:granite_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_stairs.json new file mode 100644 index 00000000..63d6f6d2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:granite" + } + }, + "result": { + "item": "minecraft:granite_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_stairs_from_granite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_stairs_from_granite_stonecutting.json new file mode 100644 index 00000000..941b9874 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_stairs_from_granite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:granite" + }, + "result": "minecraft:granite_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_wall.json new file mode 100644 index 00000000..ca185771 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:granite" + } + }, + "result": { + "item": "minecraft:granite_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_wall_from_granite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_wall_from_granite_stonecutting.json new file mode 100644 index 00000000..1bbc4f2c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/granite_wall_from_granite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:granite" + }, + "result": "minecraft:granite_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_banner.json new file mode 100644 index 00000000..61555521 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:gray_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:gray_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_bed.json new file mode 100644 index 00000000..4941f32d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:gray_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:gray_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_bed_from_white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_bed_from_white_bed.json new file mode 100644 index 00000000..ff07964c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_bed_from_white_bed.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "dyed_bed", + "ingredients": [ + { + "item": "minecraft:white_bed" + }, + { + "item": "minecraft:gray_dye" + } + ], + "result": { + "item": "minecraft:gray_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_carpet.json new file mode 100644 index 00000000..3538c167 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:gray_wool" + } + }, + "result": { + "item": "minecraft:gray_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_carpet_from_white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_carpet_from_white_carpet.json new file mode 100644 index 00000000..4a5a40a2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_carpet_from_white_carpet.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_carpet" + }, + "$": { + "item": "minecraft:gray_dye" + } + }, + "result": { + "item": "minecraft:gray_carpet", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_concrete_powder.json new file mode 100644 index 00000000..235c847f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:gray_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:gray_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_dye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_dye.json new file mode 100644 index 00000000..0402c1c3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_dye.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:black_dye" + }, + { + "item": "minecraft:white_dye" + } + ], + "result": { + "item": "minecraft:gray_dye", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_glazed_terracotta.json new file mode 100644 index 00000000..d8280bf1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:gray_terracotta" + }, + "result": "minecraft:gray_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_stained_glass.json new file mode 100644 index 00000000..8841283c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:gray_dye" + } + }, + "result": { + "item": "minecraft:gray_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_stained_glass_pane.json new file mode 100644 index 00000000..bcbc1361 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:gray_stained_glass" + } + }, + "result": { + "item": "minecraft:gray_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..dc40e8f0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:gray_dye" + } + }, + "result": { + "item": "minecraft:gray_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_terracotta.json new file mode 100644 index 00000000..79d10ed6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:gray_dye" + } + }, + "result": { + "item": "minecraft:gray_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_wool.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_wool.json new file mode 100644 index 00000000..f886b516 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/gray_wool.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wool", + "ingredients": [ + { + "item": "minecraft:gray_dye" + }, + { + "item": "minecraft:white_wool" + } + ], + "result": { + "item": "minecraft:gray_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_banner.json new file mode 100644 index 00000000..a8dd9830 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:green_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:green_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_bed.json new file mode 100644 index 00000000..2a75621a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:green_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:green_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_bed_from_white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_bed_from_white_bed.json new file mode 100644 index 00000000..45b77842 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_bed_from_white_bed.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "dyed_bed", + "ingredients": [ + { + "item": "minecraft:white_bed" + }, + { + "item": "minecraft:green_dye" + } + ], + "result": { + "item": "minecraft:green_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_carpet.json new file mode 100644 index 00000000..93843636 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:green_wool" + } + }, + "result": { + "item": "minecraft:green_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_carpet_from_white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_carpet_from_white_carpet.json new file mode 100644 index 00000000..6fc0d1c7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_carpet_from_white_carpet.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_carpet" + }, + "$": { + "item": "minecraft:green_dye" + } + }, + "result": { + "item": "minecraft:green_carpet", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_concrete_powder.json new file mode 100644 index 00000000..ac1c1ad1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:green_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:green_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_dye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_dye.json new file mode 100644 index 00000000..871c8ede --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_dye.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:cactus" + }, + "result": "minecraft:green_dye", + "experience": 1.0, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_glazed_terracotta.json new file mode 100644 index 00000000..efd4eb3e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:green_terracotta" + }, + "result": "minecraft:green_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_stained_glass.json new file mode 100644 index 00000000..9894998b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:green_dye" + } + }, + "result": { + "item": "minecraft:green_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_stained_glass_pane.json new file mode 100644 index 00000000..6ed28b04 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:green_stained_glass" + } + }, + "result": { + "item": "minecraft:green_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..90cf3ee9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:green_dye" + } + }, + "result": { + "item": "minecraft:green_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_terracotta.json new file mode 100644 index 00000000..db34bd70 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:green_dye" + } + }, + "result": { + "item": "minecraft:green_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_wool.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_wool.json new file mode 100644 index 00000000..19b441cf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/green_wool.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wool", + "ingredients": [ + { + "item": "minecraft:green_dye" + }, + { + "item": "minecraft:white_wool" + } + ], + "result": { + "item": "minecraft:green_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/grindstone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/grindstone.json new file mode 100644 index 00000000..6a725583 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/grindstone.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "I-I", + "# #" + ], + "key": { + "I": { + "item": "minecraft:stick" + }, + "-": { + "item": "minecraft:stone_slab" + }, + "#": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:grindstone" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/hay_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/hay_block.json new file mode 100644 index 00000000..2a80b8d5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/hay_block.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:wheat" + } + }, + "result": { + "item": "minecraft:hay_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/heavy_weighted_pressure_plate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/heavy_weighted_pressure_plate.json new file mode 100644 index 00000000..ee28d2d7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/heavy_weighted_pressure_plate.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:heavy_weighted_pressure_plate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/honey_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/honey_block.json new file mode 100644 index 00000000..dc06fd44 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/honey_block.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "SS", + "SS" + ], + "key": { + "S": { + "item": "minecraft:honey_bottle" + } + }, + "result": { + "item": "minecraft:honey_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/honey_bottle.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/honey_bottle.json new file mode 100644 index 00000000..f16d660c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/honey_bottle.json @@ -0,0 +1,24 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:honey_block" + }, + { + "item": "minecraft:glass_bottle" + }, + { + "item": "minecraft:glass_bottle" + }, + { + "item": "minecraft:glass_bottle" + }, + { + "item": "minecraft:glass_bottle" + } + ], + "result": { + "item": "minecraft:honey_bottle", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/honeycomb_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/honeycomb_block.json new file mode 100644 index 00000000..da034046 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/honeycomb_block.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "HH", + "HH" + ], + "key": { + "H": { + "item": "minecraft:honeycomb" + } + }, + "result": { + "item": "minecraft:honeycomb_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/hopper.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/hopper.json new file mode 100644 index 00000000..5ccbe928 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/hopper.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "I I", + "ICI", + " I " + ], + "key": { + "C": { + "item": "minecraft:chest" + }, + "I": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:hopper" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/hopper_minecart.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/hopper_minecart.json new file mode 100644 index 00000000..f85471be --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/hopper_minecart.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "A", + "B" + ], + "key": { + "A": { + "item": "minecraft:hopper" + }, + "B": { + "item": "minecraft:minecart" + } + }, + "result": { + "item": "minecraft:hopper_minecart" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_axe.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_axe.json new file mode 100644 index 00000000..8d3430ba --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_axe.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XX", + "X#", + " #" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:iron_axe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_bars.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_bars.json new file mode 100644 index 00000000..0e2552f3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_bars.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:iron_bars", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_block.json new file mode 100644 index 00000000..5cdfe03f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_block.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:iron_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_boots.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_boots.json new file mode 100644 index 00000000..f257c35c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_boots.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X X", + "X X" + ], + "key": { + "X": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:iron_boots" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_chestplate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_chestplate.json new file mode 100644 index 00000000..d06a59cc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_chestplate.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X X", + "XXX", + "XXX" + ], + "key": { + "X": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:iron_chestplate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_door.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_door.json new file mode 100644 index 00000000..c1d6bdd2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_door.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:iron_door", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_helmet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_helmet.json new file mode 100644 index 00000000..05423277 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_helmet.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + "X X" + ], + "key": { + "X": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:iron_helmet" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_hoe.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_hoe.json new file mode 100644 index 00000000..f2359573 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_hoe.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XX", + " #", + " #" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:iron_hoe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_ingot.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_ingot.json new file mode 100644 index 00000000..08171eaa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_ingot.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:iron_ore" + }, + "result": "minecraft:iron_ingot", + "experience": 0.7, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_ingot_from_blasting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_ingot_from_blasting.json new file mode 100644 index 00000000..4626b158 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_ingot_from_blasting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:blasting", + "ingredient": { + "item": "minecraft:iron_ore" + }, + "result": "minecraft:iron_ingot", + "experience": 0.7, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_ingot_from_iron_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_ingot_from_iron_block.json new file mode 100644 index 00000000..d0acfdf6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_ingot_from_iron_block.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "iron_ingot", + "ingredients": [ + { + "item": "minecraft:iron_block" + } + ], + "result": { + "item": "minecraft:iron_ingot", + "count": 9 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_ingot_from_nuggets.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_ingot_from_nuggets.json new file mode 100644 index 00000000..c095051b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_ingot_from_nuggets.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "iron_ingot", + "pattern": [ + "###", + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:iron_nugget" + } + }, + "result": { + "item": "minecraft:iron_ingot" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_leggings.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_leggings.json new file mode 100644 index 00000000..25898f49 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_leggings.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + "X X", + "X X" + ], + "key": { + "X": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:iron_leggings" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_nugget.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_nugget.json new file mode 100644 index 00000000..82b1e0f9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_nugget.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:iron_ingot" + } + ], + "result": { + "item": "minecraft:iron_nugget", + "count": 9 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_nugget_from_blasting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_nugget_from_blasting.json new file mode 100644 index 00000000..1ce36c60 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_nugget_from_blasting.json @@ -0,0 +1,50 @@ +{ + "type": "minecraft:blasting", + "ingredient": [ + { + "item": "minecraft:iron_pickaxe" + }, + { + "item": "minecraft:iron_shovel" + }, + { + "item": "minecraft:iron_axe" + }, + { + "item": "minecraft:iron_hoe" + }, + { + "item": "minecraft:iron_sword" + }, + { + "item": "minecraft:iron_helmet" + }, + { + "item": "minecraft:iron_chestplate" + }, + { + "item": "minecraft:iron_leggings" + }, + { + "item": "minecraft:iron_boots" + }, + { + "item": "minecraft:iron_horse_armor" + }, + { + "item": "minecraft:chainmail_helmet" + }, + { + "item": "minecraft:chainmail_chestplate" + }, + { + "item": "minecraft:chainmail_leggings" + }, + { + "item": "minecraft:chainmail_boots" + } + ], + "result": "minecraft:iron_nugget", + "experience": 0.1, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_nugget_from_smelting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_nugget_from_smelting.json new file mode 100644 index 00000000..90023301 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_nugget_from_smelting.json @@ -0,0 +1,50 @@ +{ + "type": "minecraft:smelting", + "ingredient": [ + { + "item": "minecraft:iron_pickaxe" + }, + { + "item": "minecraft:iron_shovel" + }, + { + "item": "minecraft:iron_axe" + }, + { + "item": "minecraft:iron_hoe" + }, + { + "item": "minecraft:iron_sword" + }, + { + "item": "minecraft:iron_helmet" + }, + { + "item": "minecraft:iron_chestplate" + }, + { + "item": "minecraft:iron_leggings" + }, + { + "item": "minecraft:iron_boots" + }, + { + "item": "minecraft:iron_horse_armor" + }, + { + "item": "minecraft:chainmail_helmet" + }, + { + "item": "minecraft:chainmail_chestplate" + }, + { + "item": "minecraft:chainmail_leggings" + }, + { + "item": "minecraft:chainmail_boots" + } + ], + "result": "minecraft:iron_nugget", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_pickaxe.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_pickaxe.json new file mode 100644 index 00000000..d85cb570 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_pickaxe.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + " # ", + " # " + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:iron_pickaxe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_shovel.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_shovel.json new file mode 100644 index 00000000..b08e6aca --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_shovel.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X", + "#", + "#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:iron_shovel" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_sword.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_sword.json new file mode 100644 index 00000000..069e94b0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_sword.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X", + "X", + "#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:iron_sword" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_trapdoor.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_trapdoor.json new file mode 100644 index 00000000..ffc5716f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/iron_trapdoor.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:iron_trapdoor" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/item_frame.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/item_frame.json new file mode 100644 index 00000000..3dd76f7a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/item_frame.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:leather" + } + }, + "result": { + "item": "minecraft:item_frame" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jack_o_lantern.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jack_o_lantern.json new file mode 100644 index 00000000..386ccf2a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jack_o_lantern.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "A", + "B" + ], + "key": { + "A": { + "item": "minecraft:carved_pumpkin" + }, + "B": { + "item": "minecraft:torch" + } + }, + "result": { + "item": "minecraft:jack_o_lantern" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jukebox.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jukebox.json new file mode 100644 index 00000000..3bce8a50 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jukebox.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "tag": "minecraft:planks" + }, + "X": { + "item": "minecraft:diamond" + } + }, + "result": { + "item": "minecraft:jukebox" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_boat.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_boat.json new file mode 100644 index 00000000..e0975b58 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_boat.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "boat", + "pattern": [ + "# #", + "###" + ], + "key": { + "#": { + "item": "minecraft:jungle_planks" + } + }, + "result": { + "item": "minecraft:jungle_boat" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_button.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_button.json new file mode 100644 index 00000000..467014cf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_button.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wooden_button", + "ingredients": [ + { + "item": "minecraft:jungle_planks" + } + ], + "result": { + "item": "minecraft:jungle_button" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_door.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_door.json new file mode 100644 index 00000000..d622528f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_door.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_door", + "pattern": [ + "##", + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:jungle_planks" + } + }, + "result": { + "item": "minecraft:jungle_door", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_fence.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_fence.json new file mode 100644 index 00000000..46e54a34 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_fence.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence", + "pattern": [ + "W#W", + "W#W" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:jungle_planks" + } + }, + "result": { + "item": "minecraft:jungle_fence", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_fence_gate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_fence_gate.json new file mode 100644 index 00000000..ca06f9a6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_fence_gate.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence_gate", + "pattern": [ + "#W#", + "#W#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:jungle_planks" + } + }, + "result": { + "item": "minecraft:jungle_fence_gate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_planks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_planks.json new file mode 100644 index 00000000..e5561057 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_planks.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "planks", + "ingredients": [ + { + "tag": "minecraft:jungle_logs" + } + ], + "result": { + "item": "minecraft:jungle_planks", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_pressure_plate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_pressure_plate.json new file mode 100644 index 00000000..526818e3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_pressure_plate.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_pressure_plate", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:jungle_planks" + } + }, + "result": { + "item": "minecraft:jungle_pressure_plate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_sign.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_sign.json new file mode 100644 index 00000000..ae02f3d1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_sign.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "sign", + "pattern": [ + "###", + "###", + " X " + ], + "key": { + "#": { + "item": "minecraft:jungle_planks" + }, + "X": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:jungle_sign", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_slab.json new file mode 100644 index 00000000..70bc8b0e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_slab.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_slab", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:jungle_planks" + } + }, + "result": { + "item": "minecraft:jungle_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_stairs.json new file mode 100644 index 00000000..826e2bf5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_stairs.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_stairs", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:jungle_planks" + } + }, + "result": { + "item": "minecraft:jungle_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_trapdoor.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_trapdoor.json new file mode 100644 index 00000000..109463fa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_trapdoor.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_trapdoor", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:jungle_planks" + } + }, + "result": { + "item": "minecraft:jungle_trapdoor", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_wood.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_wood.json new file mode 100644 index 00000000..e69b0475 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/jungle_wood.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:jungle_log" + } + }, + "result": { + "item": "minecraft:jungle_wood", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/ladder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/ladder.json new file mode 100644 index 00000000..dc5c6ff8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/ladder.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# #", + "###", + "# #" + ], + "key": { + "#": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:ladder", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lantern.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lantern.json new file mode 100644 index 00000000..0215e065 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lantern.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + "X#X", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:torch" + }, + "X": { + "item": "minecraft:iron_nugget" + } + }, + "result": { + "item": "minecraft:lantern" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lapis_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lapis_block.json new file mode 100644 index 00000000..b7c62317 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lapis_block.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:lapis_lazuli" + } + }, + "result": { + "item": "minecraft:lapis_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lapis_from_blasting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lapis_from_blasting.json new file mode 100644 index 00000000..1f4e1627 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lapis_from_blasting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:blasting", + "ingredient": { + "item": "minecraft:lapis_ore" + }, + "result": "minecraft:lapis_lazuli", + "experience": 0.2, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lapis_from_smelting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lapis_from_smelting.json new file mode 100644 index 00000000..5d11c137 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lapis_from_smelting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:lapis_ore" + }, + "result": "minecraft:lapis_lazuli", + "experience": 0.2, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lapis_lazuli.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lapis_lazuli.json new file mode 100644 index 00000000..b15a540f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lapis_lazuli.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:lapis_block" + } + ], + "result": { + "item": "minecraft:lapis_lazuli", + "count": 9 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lead.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lead.json new file mode 100644 index 00000000..5e1976a6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lead.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "~~ ", + "~O ", + " ~" + ], + "key": { + "~": { + "item": "minecraft:string" + }, + "O": { + "item": "minecraft:slime_ball" + } + }, + "result": { + "item": "minecraft:lead", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather.json new file mode 100644 index 00000000..028548e1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:rabbit_hide" + } + }, + "result": { + "item": "minecraft:leather" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather_boots.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather_boots.json new file mode 100644 index 00000000..75a20b21 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather_boots.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X X", + "X X" + ], + "key": { + "X": { + "item": "minecraft:leather" + } + }, + "result": { + "item": "minecraft:leather_boots" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather_chestplate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather_chestplate.json new file mode 100644 index 00000000..f0c5f848 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather_chestplate.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X X", + "XXX", + "XXX" + ], + "key": { + "X": { + "item": "minecraft:leather" + } + }, + "result": { + "item": "minecraft:leather_chestplate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather_helmet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather_helmet.json new file mode 100644 index 00000000..cd724715 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather_helmet.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + "X X" + ], + "key": { + "X": { + "item": "minecraft:leather" + } + }, + "result": { + "item": "minecraft:leather_helmet" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather_horse_armor.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather_horse_armor.json new file mode 100644 index 00000000..d7677bd0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather_horse_armor.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X X", + "XXX", + "X X" + ], + "key": { + "X": { + "item": "minecraft:leather" + } + }, + "result": { + "item": "minecraft:leather_horse_armor" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather_leggings.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather_leggings.json new file mode 100644 index 00000000..8adb27a1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/leather_leggings.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + "X X", + "X X" + ], + "key": { + "X": { + "item": "minecraft:leather" + } + }, + "result": { + "item": "minecraft:leather_leggings" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lectern.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lectern.json new file mode 100644 index 00000000..c58f9498 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lectern.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "SSS", + " B ", + " S " + ], + "key": { + "S": { + "tag": "minecraft:wooden_slabs" + }, + "B": { + "item": "minecraft:bookshelf" + } + }, + "result": { + "item": "minecraft:lectern" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lever.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lever.json new file mode 100644 index 00000000..4032febe --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lever.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X", + "#" + ], + "key": { + "#": { + "item": "minecraft:cobblestone" + }, + "X": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:lever" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_banner.json new file mode 100644 index 00000000..6b1cf55d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:light_blue_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:light_blue_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_bed.json new file mode 100644 index 00000000..71c8efa2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:light_blue_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:light_blue_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_bed_from_white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_bed_from_white_bed.json new file mode 100644 index 00000000..ff47a253 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_bed_from_white_bed.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "dyed_bed", + "ingredients": [ + { + "item": "minecraft:white_bed" + }, + { + "item": "minecraft:light_blue_dye" + } + ], + "result": { + "item": "minecraft:light_blue_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_carpet.json new file mode 100644 index 00000000..298a9ce4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:light_blue_wool" + } + }, + "result": { + "item": "minecraft:light_blue_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_carpet_from_white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_carpet_from_white_carpet.json new file mode 100644 index 00000000..6be4700a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_carpet_from_white_carpet.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_carpet" + }, + "$": { + "item": "minecraft:light_blue_dye" + } + }, + "result": { + "item": "minecraft:light_blue_carpet", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_concrete_powder.json new file mode 100644 index 00000000..5377768c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:light_blue_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:light_blue_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_dye_from_blue_orchid.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_dye_from_blue_orchid.json new file mode 100644 index 00000000..d670f917 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_dye_from_blue_orchid.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "light_blue_dye", + "ingredients": [ + { + "item": "minecraft:blue_orchid" + } + ], + "result": { + "item": "minecraft:light_blue_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_dye_from_blue_white_dye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_dye_from_blue_white_dye.json new file mode 100644 index 00000000..7a61de2b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_dye_from_blue_white_dye.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "light_blue_dye", + "ingredients": [ + { + "item": "minecraft:blue_dye" + }, + { + "item": "minecraft:white_dye" + } + ], + "result": { + "item": "minecraft:light_blue_dye", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_glazed_terracotta.json new file mode 100644 index 00000000..d4d2be4f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:light_blue_terracotta" + }, + "result": "minecraft:light_blue_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_stained_glass.json new file mode 100644 index 00000000..4af7f3db --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:light_blue_dye" + } + }, + "result": { + "item": "minecraft:light_blue_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_stained_glass_pane.json new file mode 100644 index 00000000..a0b10277 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:light_blue_stained_glass" + } + }, + "result": { + "item": "minecraft:light_blue_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..f6a92918 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:light_blue_dye" + } + }, + "result": { + "item": "minecraft:light_blue_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_terracotta.json new file mode 100644 index 00000000..3cb36df1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:light_blue_dye" + } + }, + "result": { + "item": "minecraft:light_blue_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_wool.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_wool.json new file mode 100644 index 00000000..c69ddf52 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_blue_wool.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wool", + "ingredients": [ + { + "item": "minecraft:light_blue_dye" + }, + { + "item": "minecraft:white_wool" + } + ], + "result": { + "item": "minecraft:light_blue_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_banner.json new file mode 100644 index 00000000..b94336b4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:light_gray_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:light_gray_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_bed.json new file mode 100644 index 00000000..245b256c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:light_gray_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:light_gray_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_bed_from_white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_bed_from_white_bed.json new file mode 100644 index 00000000..ae3473e4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_bed_from_white_bed.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "dyed_bed", + "ingredients": [ + { + "item": "minecraft:white_bed" + }, + { + "item": "minecraft:light_gray_dye" + } + ], + "result": { + "item": "minecraft:light_gray_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_carpet.json new file mode 100644 index 00000000..eaa24eab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:light_gray_wool" + } + }, + "result": { + "item": "minecraft:light_gray_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_carpet_from_white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_carpet_from_white_carpet.json new file mode 100644 index 00000000..37754b51 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_carpet_from_white_carpet.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_carpet" + }, + "$": { + "item": "minecraft:light_gray_dye" + } + }, + "result": { + "item": "minecraft:light_gray_carpet", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_concrete_powder.json new file mode 100644 index 00000000..c831b651 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:light_gray_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:light_gray_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_dye_from_azure_bluet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_dye_from_azure_bluet.json new file mode 100644 index 00000000..2b3f4b22 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_dye_from_azure_bluet.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "light_gray_dye", + "ingredients": [ + { + "item": "minecraft:azure_bluet" + } + ], + "result": { + "item": "minecraft:light_gray_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_dye_from_black_white_dye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_dye_from_black_white_dye.json new file mode 100644 index 00000000..ecea949e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_dye_from_black_white_dye.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "light_gray_dye", + "ingredients": [ + { + "item": "minecraft:black_dye" + }, + { + "item": "minecraft:white_dye" + }, + { + "item": "minecraft:white_dye" + } + ], + "result": { + "item": "minecraft:light_gray_dye", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_dye_from_gray_white_dye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_dye_from_gray_white_dye.json new file mode 100644 index 00000000..fc7936fb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_dye_from_gray_white_dye.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "light_gray_dye", + "ingredients": [ + { + "item": "minecraft:gray_dye" + }, + { + "item": "minecraft:white_dye" + } + ], + "result": { + "item": "minecraft:light_gray_dye", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_dye_from_oxeye_daisy.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_dye_from_oxeye_daisy.json new file mode 100644 index 00000000..399a2872 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_dye_from_oxeye_daisy.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "light_gray_dye", + "ingredients": [ + { + "item": "minecraft:oxeye_daisy" + } + ], + "result": { + "item": "minecraft:light_gray_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_dye_from_white_tulip.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_dye_from_white_tulip.json new file mode 100644 index 00000000..74c305c1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_dye_from_white_tulip.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "light_gray_dye", + "ingredients": [ + { + "item": "minecraft:white_tulip" + } + ], + "result": { + "item": "minecraft:light_gray_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_glazed_terracotta.json new file mode 100644 index 00000000..2272f459 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:light_gray_terracotta" + }, + "result": "minecraft:light_gray_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_stained_glass.json new file mode 100644 index 00000000..799584d7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:light_gray_dye" + } + }, + "result": { + "item": "minecraft:light_gray_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_stained_glass_pane.json new file mode 100644 index 00000000..a06d2f6b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:light_gray_stained_glass" + } + }, + "result": { + "item": "minecraft:light_gray_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..5bd8e695 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:light_gray_dye" + } + }, + "result": { + "item": "minecraft:light_gray_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_terracotta.json new file mode 100644 index 00000000..b178027a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:light_gray_dye" + } + }, + "result": { + "item": "minecraft:light_gray_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_wool.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_wool.json new file mode 100644 index 00000000..e5c52edf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_gray_wool.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wool", + "ingredients": [ + { + "item": "minecraft:light_gray_dye" + }, + { + "item": "minecraft:white_wool" + } + ], + "result": { + "item": "minecraft:light_gray_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_weighted_pressure_plate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_weighted_pressure_plate.json new file mode 100644 index 00000000..7dd012da --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/light_weighted_pressure_plate.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:gold_ingot" + } + }, + "result": { + "item": "minecraft:light_weighted_pressure_plate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_banner.json new file mode 100644 index 00000000..d7047e8b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:lime_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:lime_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_bed.json new file mode 100644 index 00000000..12da0abe --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:lime_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:lime_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_bed_from_white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_bed_from_white_bed.json new file mode 100644 index 00000000..8fc7e36e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_bed_from_white_bed.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "dyed_bed", + "ingredients": [ + { + "item": "minecraft:white_bed" + }, + { + "item": "minecraft:lime_dye" + } + ], + "result": { + "item": "minecraft:lime_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_carpet.json new file mode 100644 index 00000000..afdfdf55 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:lime_wool" + } + }, + "result": { + "item": "minecraft:lime_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_carpet_from_white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_carpet_from_white_carpet.json new file mode 100644 index 00000000..19fc5eb4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_carpet_from_white_carpet.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_carpet" + }, + "$": { + "item": "minecraft:lime_dye" + } + }, + "result": { + "item": "minecraft:lime_carpet", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_concrete_powder.json new file mode 100644 index 00000000..2aec6fad --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:lime_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:lime_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_dye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_dye.json new file mode 100644 index 00000000..5c185c80 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_dye.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:green_dye" + }, + { + "item": "minecraft:white_dye" + } + ], + "result": { + "item": "minecraft:lime_dye", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_dye_from_smelting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_dye_from_smelting.json new file mode 100644 index 00000000..bfe390eb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_dye_from_smelting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:sea_pickle" + }, + "result": "minecraft:lime_dye", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_glazed_terracotta.json new file mode 100644 index 00000000..e0034f1d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:lime_terracotta" + }, + "result": "minecraft:lime_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_stained_glass.json new file mode 100644 index 00000000..a0f45d3c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:lime_dye" + } + }, + "result": { + "item": "minecraft:lime_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_stained_glass_pane.json new file mode 100644 index 00000000..3781a7a0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:lime_stained_glass" + } + }, + "result": { + "item": "minecraft:lime_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..aee7f0b3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:lime_dye" + } + }, + "result": { + "item": "minecraft:lime_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_terracotta.json new file mode 100644 index 00000000..46769ae9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:lime_dye" + } + }, + "result": { + "item": "minecraft:lime_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_wool.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_wool.json new file mode 100644 index 00000000..28e3ed10 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lime_wool.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wool", + "ingredients": [ + { + "item": "minecraft:lime_dye" + }, + { + "item": "minecraft:white_wool" + } + ], + "result": { + "item": "minecraft:lime_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lodestone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lodestone.json new file mode 100644 index 00000000..c18325c2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/lodestone.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "SSS", + "S#S", + "SSS" + ], + "key": { + "S": { + "item": "minecraft:chiseled_stone_bricks" + }, + "#": { + "item": "minecraft:netherite_ingot" + } + }, + "result": { + "item": "minecraft:lodestone" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/loom.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/loom.json new file mode 100644 index 00000000..def1838f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/loom.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "@@", + "##" + ], + "key": { + "#": { + "tag": "minecraft:planks" + }, + "@": { + "item": "minecraft:string" + } + }, + "result": { + "item": "minecraft:loom" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_banner.json new file mode 100644 index 00000000..5ecf7602 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:magenta_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:magenta_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_bed.json new file mode 100644 index 00000000..60395c09 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:magenta_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:magenta_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_bed_from_white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_bed_from_white_bed.json new file mode 100644 index 00000000..a861654a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_bed_from_white_bed.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "dyed_bed", + "ingredients": [ + { + "item": "minecraft:white_bed" + }, + { + "item": "minecraft:magenta_dye" + } + ], + "result": { + "item": "minecraft:magenta_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_carpet.json new file mode 100644 index 00000000..bc1c90a4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:magenta_wool" + } + }, + "result": { + "item": "minecraft:magenta_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_carpet_from_white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_carpet_from_white_carpet.json new file mode 100644 index 00000000..023405c2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_carpet_from_white_carpet.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_carpet" + }, + "$": { + "item": "minecraft:magenta_dye" + } + }, + "result": { + "item": "minecraft:magenta_carpet", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_concrete_powder.json new file mode 100644 index 00000000..1e1963c2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:magenta_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:magenta_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_dye_from_allium.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_dye_from_allium.json new file mode 100644 index 00000000..33d15273 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_dye_from_allium.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "magenta_dye", + "ingredients": [ + { + "item": "minecraft:allium" + } + ], + "result": { + "item": "minecraft:magenta_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_dye_from_blue_red_pink.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_dye_from_blue_red_pink.json new file mode 100644 index 00000000..e0c10e8e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_dye_from_blue_red_pink.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "magenta_dye", + "ingredients": [ + { + "item": "minecraft:blue_dye" + }, + { + "item": "minecraft:red_dye" + }, + { + "item": "minecraft:pink_dye" + } + ], + "result": { + "item": "minecraft:magenta_dye", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_dye_from_blue_red_white_dye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_dye_from_blue_red_white_dye.json new file mode 100644 index 00000000..ce8ec2d5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_dye_from_blue_red_white_dye.json @@ -0,0 +1,22 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "magenta_dye", + "ingredients": [ + { + "item": "minecraft:blue_dye" + }, + { + "item": "minecraft:red_dye" + }, + { + "item": "minecraft:red_dye" + }, + { + "item": "minecraft:white_dye" + } + ], + "result": { + "item": "minecraft:magenta_dye", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_dye_from_lilac.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_dye_from_lilac.json new file mode 100644 index 00000000..2290ae86 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_dye_from_lilac.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "magenta_dye", + "ingredients": [ + { + "item": "minecraft:lilac" + } + ], + "result": { + "item": "minecraft:magenta_dye", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_dye_from_purple_and_pink.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_dye_from_purple_and_pink.json new file mode 100644 index 00000000..5bd698d3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_dye_from_purple_and_pink.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "magenta_dye", + "ingredients": [ + { + "item": "minecraft:purple_dye" + }, + { + "item": "minecraft:pink_dye" + } + ], + "result": { + "item": "minecraft:magenta_dye", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_glazed_terracotta.json new file mode 100644 index 00000000..afd84f7f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:magenta_terracotta" + }, + "result": "minecraft:magenta_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_stained_glass.json new file mode 100644 index 00000000..20aac2c5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:magenta_dye" + } + }, + "result": { + "item": "minecraft:magenta_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_stained_glass_pane.json new file mode 100644 index 00000000..58e794df --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:magenta_stained_glass" + } + }, + "result": { + "item": "minecraft:magenta_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..84eea68d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:magenta_dye" + } + }, + "result": { + "item": "minecraft:magenta_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_terracotta.json new file mode 100644 index 00000000..d981d39f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:magenta_dye" + } + }, + "result": { + "item": "minecraft:magenta_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_wool.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_wool.json new file mode 100644 index 00000000..bdd3afb8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magenta_wool.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wool", + "ingredients": [ + { + "item": "minecraft:magenta_dye" + }, + { + "item": "minecraft:white_wool" + } + ], + "result": { + "item": "minecraft:magenta_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magma_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magma_block.json new file mode 100644 index 00000000..79ea04d4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magma_block.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:magma_cream" + } + }, + "result": { + "item": "minecraft:magma_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magma_cream.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magma_cream.json new file mode 100644 index 00000000..36981e0a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/magma_cream.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:blaze_powder" + }, + { + "item": "minecraft:slime_ball" + } + ], + "result": { + "item": "minecraft:magma_cream" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/map.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/map.json new file mode 100644 index 00000000..7ac390b9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/map.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:paper" + }, + "X": { + "item": "minecraft:compass" + } + }, + "result": { + "item": "minecraft:map" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/map_cloning.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/map_cloning.json new file mode 100644 index 00000000..8fdbbceb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/map_cloning.json @@ -0,0 +1,3 @@ +{ + "type": "minecraft:crafting_special_mapcloning" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/map_extending.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/map_extending.json new file mode 100644 index 00000000..97a5a923 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/map_extending.json @@ -0,0 +1,3 @@ +{ + "type": "minecraft:crafting_special_mapextending" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/melon.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/melon.json new file mode 100644 index 00000000..f2f00345 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/melon.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "MMM", + "MMM", + "MMM" + ], + "key": { + "M": { + "item": "minecraft:melon_slice" + } + }, + "result": { + "item": "minecraft:melon" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/melon_seeds.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/melon_seeds.json new file mode 100644 index 00000000..334e9e3e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/melon_seeds.json @@ -0,0 +1,11 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:melon_slice" + } + ], + "result": { + "item": "minecraft:melon_seeds" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/minecart.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/minecart.json new file mode 100644 index 00000000..ea352208 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/minecart.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# #", + "###" + ], + "key": { + "#": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:minecart" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mojang_banner_pattern.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mojang_banner_pattern.json new file mode 100644 index 00000000..079f221a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mojang_banner_pattern.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:paper" + }, + { + "item": "minecraft:enchanted_golden_apple" + } + ], + "result": { + "item": "minecraft:mojang_banner_pattern" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone.json new file mode 100644 index 00000000..f7bf19b4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:cobblestone" + }, + { + "item": "minecraft:vine" + } + ], + "result": { + "item": "minecraft:mossy_cobblestone" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_slab.json new file mode 100644 index 00000000..84de5e06 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:mossy_cobblestone" + } + }, + "result": { + "item": "minecraft:mossy_cobblestone_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_slab_from_mossy_cobblestone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_slab_from_mossy_cobblestone_stonecutting.json new file mode 100644 index 00000000..eb76e9d1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_slab_from_mossy_cobblestone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:mossy_cobblestone" + }, + "result": "minecraft:mossy_cobblestone_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_stairs.json new file mode 100644 index 00000000..e859d20c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:mossy_cobblestone" + } + }, + "result": { + "item": "minecraft:mossy_cobblestone_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_stairs_from_mossy_cobblestone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_stairs_from_mossy_cobblestone_stonecutting.json new file mode 100644 index 00000000..58f78430 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_stairs_from_mossy_cobblestone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:mossy_cobblestone" + }, + "result": "minecraft:mossy_cobblestone_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_wall.json new file mode 100644 index 00000000..eaa9f1c9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:mossy_cobblestone" + } + }, + "result": { + "item": "minecraft:mossy_cobblestone_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_wall_from_mossy_cobblestone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_wall_from_mossy_cobblestone_stonecutting.json new file mode 100644 index 00000000..1265aa8a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_cobblestone_wall_from_mossy_cobblestone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:mossy_cobblestone" + }, + "result": "minecraft:mossy_cobblestone_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_slab.json new file mode 100644 index 00000000..63a7b200 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:mossy_stone_bricks" + } + }, + "result": { + "item": "minecraft:mossy_stone_brick_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_slab_from_mossy_stone_brick_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_slab_from_mossy_stone_brick_stonecutting.json new file mode 100644 index 00000000..5c6cdda9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_slab_from_mossy_stone_brick_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:mossy_stone_bricks" + }, + "result": "minecraft:mossy_stone_brick_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_stairs.json new file mode 100644 index 00000000..ce787b12 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:mossy_stone_bricks" + } + }, + "result": { + "item": "minecraft:mossy_stone_brick_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_stairs_from_mossy_stone_brick_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_stairs_from_mossy_stone_brick_stonecutting.json new file mode 100644 index 00000000..9b2e1728 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_stairs_from_mossy_stone_brick_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:mossy_stone_bricks" + }, + "result": "minecraft:mossy_stone_brick_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_wall.json new file mode 100644 index 00000000..e91a8ebf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:mossy_stone_bricks" + } + }, + "result": { + "item": "minecraft:mossy_stone_brick_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_wall_from_mossy_stone_brick_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_wall_from_mossy_stone_brick_stonecutting.json new file mode 100644 index 00000000..cd58b30e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_brick_wall_from_mossy_stone_brick_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:mossy_stone_bricks" + }, + "result": "minecraft:mossy_stone_brick_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_bricks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_bricks.json new file mode 100644 index 00000000..74fa333a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mossy_stone_bricks.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:stone_bricks" + }, + { + "item": "minecraft:vine" + } + ], + "result": { + "item": "minecraft:mossy_stone_bricks" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mushroom_stew.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mushroom_stew.json new file mode 100644 index 00000000..507d110f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/mushroom_stew.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:brown_mushroom" + }, + { + "item": "minecraft:red_mushroom" + }, + { + "item": "minecraft:bowl" + } + ], + "result": { + "item": "minecraft:mushroom_stew" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick.json new file mode 100644 index 00000000..205d738d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:netherrack" + }, + "result": "minecraft:nether_brick", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_fence.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_fence.json new file mode 100644 index 00000000..e8acd844 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_fence.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "#-#", + "#-#" + ], + "key": { + "#": { + "item": "minecraft:nether_bricks" + }, + "-": { + "item": "minecraft:nether_brick" + } + }, + "result": { + "item": "minecraft:nether_brick_fence", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_slab.json new file mode 100644 index 00000000..65806f5a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:nether_bricks" + } + }, + "result": { + "item": "minecraft:nether_brick_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_slab_from_nether_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_slab_from_nether_bricks_stonecutting.json new file mode 100644 index 00000000..5da3c144 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_slab_from_nether_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:nether_bricks" + }, + "result": "minecraft:nether_brick_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_stairs.json new file mode 100644 index 00000000..bb9789fe --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:nether_bricks" + } + }, + "result": { + "item": "minecraft:nether_brick_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_stairs_from_nether_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_stairs_from_nether_bricks_stonecutting.json new file mode 100644 index 00000000..955937be --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_stairs_from_nether_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:nether_bricks" + }, + "result": "minecraft:nether_brick_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_wall.json new file mode 100644 index 00000000..351346cb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:nether_bricks" + } + }, + "result": { + "item": "minecraft:nether_brick_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_wall_from_nether_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_wall_from_nether_bricks_stonecutting.json new file mode 100644 index 00000000..650fd271 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_brick_wall_from_nether_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:nether_bricks" + }, + "result": "minecraft:nether_brick_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_bricks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_bricks.json new file mode 100644 index 00000000..b0fb36ad --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_bricks.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "NN", + "NN" + ], + "key": { + "N": { + "item": "minecraft:nether_brick" + } + }, + "result": { + "item": "minecraft:nether_bricks" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_wart_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_wart_block.json new file mode 100644 index 00000000..d8263254 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/nether_wart_block.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:nether_wart" + } + }, + "result": { + "item": "minecraft:nether_wart_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_axe_smithing.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_axe_smithing.json new file mode 100644 index 00000000..c2996de0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_axe_smithing.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:smithing", + "base": { + "item": "minecraft:diamond_axe" + }, + "addition": { + "item": "minecraft:netherite_ingot" + }, + "result": { + "item": "minecraft:netherite_axe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_block.json new file mode 100644 index 00000000..cbf3126c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_block.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:netherite_ingot" + } + }, + "result": { + "item": "minecraft:netherite_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_boots_smithing.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_boots_smithing.json new file mode 100644 index 00000000..48b3da7a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_boots_smithing.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:smithing", + "base": { + "item": "minecraft:diamond_boots" + }, + "addition": { + "item": "minecraft:netherite_ingot" + }, + "result": { + "item": "minecraft:netherite_boots" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_chestplate_smithing.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_chestplate_smithing.json new file mode 100644 index 00000000..87b583b9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_chestplate_smithing.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:smithing", + "base": { + "item": "minecraft:diamond_chestplate" + }, + "addition": { + "item": "minecraft:netherite_ingot" + }, + "result": { + "item": "minecraft:netherite_chestplate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_helmet_smithing.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_helmet_smithing.json new file mode 100644 index 00000000..3788b0c0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_helmet_smithing.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:smithing", + "base": { + "item": "minecraft:diamond_helmet" + }, + "addition": { + "item": "minecraft:netherite_ingot" + }, + "result": { + "item": "minecraft:netherite_helmet" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_hoe_smithing.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_hoe_smithing.json new file mode 100644 index 00000000..8c593171 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_hoe_smithing.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:smithing", + "base": { + "item": "minecraft:diamond_hoe" + }, + "addition": { + "item": "minecraft:netherite_ingot" + }, + "result": { + "item": "minecraft:netherite_hoe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_ingot.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_ingot.json new file mode 100644 index 00000000..6077a9bd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_ingot.json @@ -0,0 +1,33 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "netherite_ingot", + "ingredients": [ + { + "item": "minecraft:netherite_scrap" + }, + { + "item": "minecraft:netherite_scrap" + }, + { + "item": "minecraft:netherite_scrap" + }, + { + "item": "minecraft:netherite_scrap" + }, + { + "item": "minecraft:gold_ingot" + }, + { + "item": "minecraft:gold_ingot" + }, + { + "item": "minecraft:gold_ingot" + }, + { + "item": "minecraft:gold_ingot" + } + ], + "result": { + "item": "minecraft:netherite_ingot" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_ingot_from_netherite_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_ingot_from_netherite_block.json new file mode 100644 index 00000000..e61416e2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_ingot_from_netherite_block.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "netherite_ingot", + "ingredients": [ + { + "item": "minecraft:netherite_block" + } + ], + "result": { + "item": "minecraft:netherite_ingot", + "count": 9 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_leggings_smithing.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_leggings_smithing.json new file mode 100644 index 00000000..b646d523 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_leggings_smithing.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:smithing", + "base": { + "item": "minecraft:diamond_leggings" + }, + "addition": { + "item": "minecraft:netherite_ingot" + }, + "result": { + "item": "minecraft:netherite_leggings" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_pickaxe_smithing.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_pickaxe_smithing.json new file mode 100644 index 00000000..c39310c6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_pickaxe_smithing.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:smithing", + "base": { + "item": "minecraft:diamond_pickaxe" + }, + "addition": { + "item": "minecraft:netherite_ingot" + }, + "result": { + "item": "minecraft:netherite_pickaxe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_scrap.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_scrap.json new file mode 100644 index 00000000..8cf69f5c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_scrap.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:ancient_debris" + }, + "result": "minecraft:netherite_scrap", + "experience": 2.0, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_scrap_from_blasting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_scrap_from_blasting.json new file mode 100644 index 00000000..dd586b3c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_scrap_from_blasting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:blasting", + "ingredient": { + "item": "minecraft:ancient_debris" + }, + "result": "minecraft:netherite_scrap", + "experience": 2.0, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_shovel_smithing.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_shovel_smithing.json new file mode 100644 index 00000000..45302898 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_shovel_smithing.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:smithing", + "base": { + "item": "minecraft:diamond_shovel" + }, + "addition": { + "item": "minecraft:netherite_ingot" + }, + "result": { + "item": "minecraft:netherite_shovel" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_sword_smithing.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_sword_smithing.json new file mode 100644 index 00000000..15afa77e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/netherite_sword_smithing.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:smithing", + "base": { + "item": "minecraft:diamond_sword" + }, + "addition": { + "item": "minecraft:netherite_ingot" + }, + "result": { + "item": "minecraft:netherite_sword" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/note_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/note_block.json new file mode 100644 index 00000000..6baea028 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/note_block.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "tag": "minecraft:planks" + }, + "X": { + "item": "minecraft:redstone" + } + }, + "result": { + "item": "minecraft:note_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_boat.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_boat.json new file mode 100644 index 00000000..1de9bf3f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_boat.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "boat", + "pattern": [ + "# #", + "###" + ], + "key": { + "#": { + "item": "minecraft:oak_planks" + } + }, + "result": { + "item": "minecraft:oak_boat" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_button.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_button.json new file mode 100644 index 00000000..afbfeddd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_button.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wooden_button", + "ingredients": [ + { + "item": "minecraft:oak_planks" + } + ], + "result": { + "item": "minecraft:oak_button" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_door.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_door.json new file mode 100644 index 00000000..92779b12 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_door.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_door", + "pattern": [ + "##", + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:oak_planks" + } + }, + "result": { + "item": "minecraft:oak_door", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_fence.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_fence.json new file mode 100644 index 00000000..7ad33d70 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_fence.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence", + "pattern": [ + "W#W", + "W#W" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:oak_planks" + } + }, + "result": { + "item": "minecraft:oak_fence", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_fence_gate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_fence_gate.json new file mode 100644 index 00000000..563bfb35 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_fence_gate.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence_gate", + "pattern": [ + "#W#", + "#W#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:oak_planks" + } + }, + "result": { + "item": "minecraft:oak_fence_gate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_planks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_planks.json new file mode 100644 index 00000000..e6e42790 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_planks.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "planks", + "ingredients": [ + { + "tag": "minecraft:oak_logs" + } + ], + "result": { + "item": "minecraft:oak_planks", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_pressure_plate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_pressure_plate.json new file mode 100644 index 00000000..03e3df62 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_pressure_plate.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_pressure_plate", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:oak_planks" + } + }, + "result": { + "item": "minecraft:oak_pressure_plate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_sign.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_sign.json new file mode 100644 index 00000000..1c3a03a8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_sign.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "sign", + "pattern": [ + "###", + "###", + " X " + ], + "key": { + "#": { + "item": "minecraft:oak_planks" + }, + "X": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:oak_sign", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_slab.json new file mode 100644 index 00000000..8e36e00f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_slab.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_slab", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:oak_planks" + } + }, + "result": { + "item": "minecraft:oak_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_stairs.json new file mode 100644 index 00000000..1fa97dd4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_stairs.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_stairs", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:oak_planks" + } + }, + "result": { + "item": "minecraft:oak_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_trapdoor.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_trapdoor.json new file mode 100644 index 00000000..4c2b717d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_trapdoor.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_trapdoor", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:oak_planks" + } + }, + "result": { + "item": "minecraft:oak_trapdoor", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_wood.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_wood.json new file mode 100644 index 00000000..62124544 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/oak_wood.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:oak_log" + } + }, + "result": { + "item": "minecraft:oak_wood", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/observer.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/observer.json new file mode 100644 index 00000000..0637ba95 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/observer.json @@ -0,0 +1,22 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "RRQ", + "###" + ], + "key": { + "Q": { + "item": "minecraft:quartz" + }, + "R": { + "item": "minecraft:redstone" + }, + "#": { + "item": "minecraft:cobblestone" + } + }, + "result": { + "item": "minecraft:observer" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_banner.json new file mode 100644 index 00000000..70692a4b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:orange_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:orange_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_bed.json new file mode 100644 index 00000000..8f7ae1cf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:orange_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:orange_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_bed_from_white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_bed_from_white_bed.json new file mode 100644 index 00000000..3d223a0b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_bed_from_white_bed.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "dyed_bed", + "ingredients": [ + { + "item": "minecraft:white_bed" + }, + { + "item": "minecraft:orange_dye" + } + ], + "result": { + "item": "minecraft:orange_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_carpet.json new file mode 100644 index 00000000..f22346a4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:orange_wool" + } + }, + "result": { + "item": "minecraft:orange_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_carpet_from_white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_carpet_from_white_carpet.json new file mode 100644 index 00000000..fc2d2a1b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_carpet_from_white_carpet.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_carpet" + }, + "$": { + "item": "minecraft:orange_dye" + } + }, + "result": { + "item": "minecraft:orange_carpet", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_concrete_powder.json new file mode 100644 index 00000000..7b603f77 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:orange_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:orange_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_dye_from_orange_tulip.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_dye_from_orange_tulip.json new file mode 100644 index 00000000..257ca4fa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_dye_from_orange_tulip.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "orange_dye", + "ingredients": [ + { + "item": "minecraft:orange_tulip" + } + ], + "result": { + "item": "minecraft:orange_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_dye_from_red_yellow.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_dye_from_red_yellow.json new file mode 100644 index 00000000..e801eebf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_dye_from_red_yellow.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "orange_dye", + "ingredients": [ + { + "item": "minecraft:red_dye" + }, + { + "item": "minecraft:yellow_dye" + } + ], + "result": { + "item": "minecraft:orange_dye", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_glazed_terracotta.json new file mode 100644 index 00000000..ee417a35 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:orange_terracotta" + }, + "result": "minecraft:orange_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_stained_glass.json new file mode 100644 index 00000000..bc5f43fc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:orange_dye" + } + }, + "result": { + "item": "minecraft:orange_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_stained_glass_pane.json new file mode 100644 index 00000000..d7f02d10 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:orange_stained_glass" + } + }, + "result": { + "item": "minecraft:orange_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..ba938592 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:orange_dye" + } + }, + "result": { + "item": "minecraft:orange_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_terracotta.json new file mode 100644 index 00000000..e252427c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:orange_dye" + } + }, + "result": { + "item": "minecraft:orange_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_wool.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_wool.json new file mode 100644 index 00000000..7ab4e687 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/orange_wool.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wool", + "ingredients": [ + { + "item": "minecraft:orange_dye" + }, + { + "item": "minecraft:white_wool" + } + ], + "result": { + "item": "minecraft:orange_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/packed_ice.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/packed_ice.json new file mode 100644 index 00000000..bba61763 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/packed_ice.json @@ -0,0 +1,35 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:ice" + }, + { + "item": "minecraft:ice" + }, + { + "item": "minecraft:ice" + }, + { + "item": "minecraft:ice" + }, + { + "item": "minecraft:ice" + }, + { + "item": "minecraft:ice" + }, + { + "item": "minecraft:ice" + }, + { + "item": "minecraft:ice" + }, + { + "item": "minecraft:ice" + } + ], + "result": { + "item": "minecraft:packed_ice" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/painting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/painting.json new file mode 100644 index 00000000..5ee04b56 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/painting.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "tag": "minecraft:wool" + } + }, + "result": { + "item": "minecraft:painting" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/paper.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/paper.json new file mode 100644 index 00000000..b03abbe4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/paper.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:sugar_cane" + } + }, + "result": { + "item": "minecraft:paper", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_banner.json new file mode 100644 index 00000000..9369d3db --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:pink_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:pink_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_bed.json new file mode 100644 index 00000000..81b023e3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:pink_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:pink_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_bed_from_white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_bed_from_white_bed.json new file mode 100644 index 00000000..ff590686 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_bed_from_white_bed.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "dyed_bed", + "ingredients": [ + { + "item": "minecraft:white_bed" + }, + { + "item": "minecraft:pink_dye" + } + ], + "result": { + "item": "minecraft:pink_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_carpet.json new file mode 100644 index 00000000..27eb7999 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:pink_wool" + } + }, + "result": { + "item": "minecraft:pink_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_carpet_from_white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_carpet_from_white_carpet.json new file mode 100644 index 00000000..a2fd626c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_carpet_from_white_carpet.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_carpet" + }, + "$": { + "item": "minecraft:pink_dye" + } + }, + "result": { + "item": "minecraft:pink_carpet", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_concrete_powder.json new file mode 100644 index 00000000..0dde6d55 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:pink_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:pink_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_dye_from_peony.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_dye_from_peony.json new file mode 100644 index 00000000..af2a378a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_dye_from_peony.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "pink_dye", + "ingredients": [ + { + "item": "minecraft:peony" + } + ], + "result": { + "item": "minecraft:pink_dye", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_dye_from_pink_tulip.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_dye_from_pink_tulip.json new file mode 100644 index 00000000..15b063f5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_dye_from_pink_tulip.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "pink_dye", + "ingredients": [ + { + "item": "minecraft:pink_tulip" + } + ], + "result": { + "item": "minecraft:pink_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_dye_from_red_white_dye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_dye_from_red_white_dye.json new file mode 100644 index 00000000..3ed81616 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_dye_from_red_white_dye.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "pink_dye", + "ingredients": [ + { + "item": "minecraft:red_dye" + }, + { + "item": "minecraft:white_dye" + } + ], + "result": { + "item": "minecraft:pink_dye", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_glazed_terracotta.json new file mode 100644 index 00000000..d3b6d67e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:pink_terracotta" + }, + "result": "minecraft:pink_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_stained_glass.json new file mode 100644 index 00000000..b7888ee4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:pink_dye" + } + }, + "result": { + "item": "minecraft:pink_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_stained_glass_pane.json new file mode 100644 index 00000000..8dd8d9ea --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:pink_stained_glass" + } + }, + "result": { + "item": "minecraft:pink_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..3892925f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:pink_dye" + } + }, + "result": { + "item": "minecraft:pink_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_terracotta.json new file mode 100644 index 00000000..2b3fc186 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:pink_dye" + } + }, + "result": { + "item": "minecraft:pink_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_wool.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_wool.json new file mode 100644 index 00000000..8654621b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pink_wool.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wool", + "ingredients": [ + { + "item": "minecraft:pink_dye" + }, + { + "item": "minecraft:white_wool" + } + ], + "result": { + "item": "minecraft:pink_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/piston.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/piston.json new file mode 100644 index 00000000..5d44f8b7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/piston.json @@ -0,0 +1,25 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "TTT", + "#X#", + "#R#" + ], + "key": { + "R": { + "item": "minecraft:redstone" + }, + "#": { + "item": "minecraft:cobblestone" + }, + "T": { + "tag": "minecraft:planks" + }, + "X": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:piston" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite.json new file mode 100644 index 00000000..98cbdfd4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "SS", + "SS" + ], + "key": { + "S": { + "item": "minecraft:andesite" + } + }, + "result": { + "item": "minecraft:polished_andesite", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_from_andesite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_from_andesite_stonecutting.json new file mode 100644 index 00000000..0291f167 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_from_andesite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:andesite" + }, + "result": "minecraft:polished_andesite", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_slab.json new file mode 100644 index 00000000..36e787c4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:polished_andesite" + } + }, + "result": { + "item": "minecraft:polished_andesite_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_slab_from_andesite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_slab_from_andesite_stonecutting.json new file mode 100644 index 00000000..ced7b279 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_slab_from_andesite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:andesite" + }, + "result": "minecraft:polished_andesite_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_slab_from_polished_andesite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_slab_from_polished_andesite_stonecutting.json new file mode 100644 index 00000000..64478122 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_slab_from_polished_andesite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_andesite" + }, + "result": "minecraft:polished_andesite_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_stairs.json new file mode 100644 index 00000000..d0afed3a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:polished_andesite" + } + }, + "result": { + "item": "minecraft:polished_andesite_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_stairs_from_andesite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_stairs_from_andesite_stonecutting.json new file mode 100644 index 00000000..33317829 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_stairs_from_andesite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:andesite" + }, + "result": "minecraft:polished_andesite_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_stairs_from_polished_andesite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_stairs_from_polished_andesite_stonecutting.json new file mode 100644 index 00000000..e47f70f1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_andesite_stairs_from_polished_andesite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_andesite" + }, + "result": "minecraft:polished_andesite_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_basalt.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_basalt.json new file mode 100644 index 00000000..0ff33eb8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_basalt.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "SS", + "SS" + ], + "key": { + "S": { + "item": "minecraft:basalt" + } + }, + "result": { + "item": "minecraft:polished_basalt", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_basalt_from_basalt_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_basalt_from_basalt_stonecutting.json new file mode 100644 index 00000000..ae62b09b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_basalt_from_basalt_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:basalt" + }, + "result": "minecraft:polished_basalt", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone.json new file mode 100644 index 00000000..b59335ac --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "SS", + "SS" + ], + "key": { + "S": { + "item": "minecraft:blackstone" + } + }, + "result": { + "item": "minecraft:polished_blackstone", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_slab.json new file mode 100644 index 00000000..c0f2f679 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:polished_blackstone_bricks" + } + }, + "result": { + "item": "minecraft:polished_blackstone_brick_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_slab_from_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_slab_from_blackstone_stonecutting.json new file mode 100644 index 00000000..4b50e4e9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_slab_from_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:blackstone" + }, + "result": "minecraft:polished_blackstone_brick_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_slab_from_polished_blackstone_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_slab_from_polished_blackstone_bricks_stonecutting.json new file mode 100644 index 00000000..07af9144 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_slab_from_polished_blackstone_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_blackstone_bricks" + }, + "result": "minecraft:polished_blackstone_brick_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_slab_from_polished_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_slab_from_polished_blackstone_stonecutting.json new file mode 100644 index 00000000..52d92d49 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_slab_from_polished_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_blackstone" + }, + "result": "minecraft:polished_blackstone_brick_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_stairs.json new file mode 100644 index 00000000..4591b011 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:polished_blackstone_bricks" + } + }, + "result": { + "item": "minecraft:polished_blackstone_brick_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_stairs_from_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_stairs_from_blackstone_stonecutting.json new file mode 100644 index 00000000..5f6d13e6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_stairs_from_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:blackstone" + }, + "result": "minecraft:polished_blackstone_brick_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_stairs_from_polished_blackstone_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_stairs_from_polished_blackstone_bricks_stonecutting.json new file mode 100644 index 00000000..bca3891f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_stairs_from_polished_blackstone_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_blackstone_bricks" + }, + "result": "minecraft:polished_blackstone_brick_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_stairs_from_polished_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_stairs_from_polished_blackstone_stonecutting.json new file mode 100644 index 00000000..e9971666 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_stairs_from_polished_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_blackstone" + }, + "result": "minecraft:polished_blackstone_brick_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_wall.json new file mode 100644 index 00000000..9dbf7761 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:polished_blackstone_bricks" + } + }, + "result": { + "item": "minecraft:polished_blackstone_brick_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_wall_from_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_wall_from_blackstone_stonecutting.json new file mode 100644 index 00000000..0af88de6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_wall_from_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:blackstone" + }, + "result": "minecraft:polished_blackstone_brick_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_wall_from_polished_blackstone_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_wall_from_polished_blackstone_bricks_stonecutting.json new file mode 100644 index 00000000..55124ece --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_wall_from_polished_blackstone_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_blackstone_bricks" + }, + "result": "minecraft:polished_blackstone_brick_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_wall_from_polished_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_wall_from_polished_blackstone_stonecutting.json new file mode 100644 index 00000000..fe937e30 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_brick_wall_from_polished_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_blackstone" + }, + "result": "minecraft:polished_blackstone_brick_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_bricks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_bricks.json new file mode 100644 index 00000000..4f18772a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_bricks.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:polished_blackstone" + } + }, + "result": { + "item": "minecraft:polished_blackstone_bricks", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_bricks_from_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_bricks_from_blackstone_stonecutting.json new file mode 100644 index 00000000..bbea7027 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_bricks_from_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:blackstone" + }, + "result": "minecraft:polished_blackstone_bricks", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_bricks_from_polished_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_bricks_from_polished_blackstone_stonecutting.json new file mode 100644 index 00000000..d9cd6610 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_bricks_from_polished_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_blackstone" + }, + "result": "minecraft:polished_blackstone_bricks", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_button.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_button.json new file mode 100644 index 00000000..292d1fd5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_button.json @@ -0,0 +1,11 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:polished_blackstone" + } + ], + "result": { + "item": "minecraft:polished_blackstone_button" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_from_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_from_blackstone_stonecutting.json new file mode 100644 index 00000000..d1e9e50b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_from_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:blackstone" + }, + "result": "minecraft:polished_blackstone", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_pressure_plate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_pressure_plate.json new file mode 100644 index 00000000..e853ec91 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_pressure_plate.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:polished_blackstone" + } + }, + "result": { + "item": "minecraft:polished_blackstone_pressure_plate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_slab.json new file mode 100644 index 00000000..c4ad40c0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:polished_blackstone" + } + }, + "result": { + "item": "minecraft:polished_blackstone_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_slab_from_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_slab_from_blackstone_stonecutting.json new file mode 100644 index 00000000..3c00f202 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_slab_from_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:blackstone" + }, + "result": "minecraft:polished_blackstone_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_slab_from_polished_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_slab_from_polished_blackstone_stonecutting.json new file mode 100644 index 00000000..8bf386bd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_slab_from_polished_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_blackstone" + }, + "result": "minecraft:polished_blackstone_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_stairs.json new file mode 100644 index 00000000..2abf2502 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:polished_blackstone" + } + }, + "result": { + "item": "minecraft:polished_blackstone_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_stairs_from_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_stairs_from_blackstone_stonecutting.json new file mode 100644 index 00000000..c793f74f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_stairs_from_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:blackstone" + }, + "result": "minecraft:polished_blackstone_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_stairs_from_polished_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_stairs_from_polished_blackstone_stonecutting.json new file mode 100644 index 00000000..fa77af5d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_stairs_from_polished_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_blackstone" + }, + "result": "minecraft:polished_blackstone_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_wall.json new file mode 100644 index 00000000..555486e4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:polished_blackstone" + } + }, + "result": { + "item": "minecraft:polished_blackstone_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_wall_from_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_wall_from_blackstone_stonecutting.json new file mode 100644 index 00000000..e40a0cdc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_wall_from_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:blackstone" + }, + "result": "minecraft:polished_blackstone_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_wall_from_polished_blackstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_wall_from_polished_blackstone_stonecutting.json new file mode 100644 index 00000000..ba3c0f3a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_blackstone_wall_from_polished_blackstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_blackstone" + }, + "result": "minecraft:polished_blackstone_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite.json new file mode 100644 index 00000000..94020d0e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "SS", + "SS" + ], + "key": { + "S": { + "item": "minecraft:diorite" + } + }, + "result": { + "item": "minecraft:polished_diorite", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_from_diorite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_from_diorite_stonecutting.json new file mode 100644 index 00000000..144024c4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_from_diorite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:diorite" + }, + "result": "minecraft:polished_diorite", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_slab.json new file mode 100644 index 00000000..52f02578 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:polished_diorite" + } + }, + "result": { + "item": "minecraft:polished_diorite_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_slab_from_diorite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_slab_from_diorite_stonecutting.json new file mode 100644 index 00000000..897753f2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_slab_from_diorite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:diorite" + }, + "result": "minecraft:polished_diorite_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_slab_from_polished_diorite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_slab_from_polished_diorite_stonecutting.json new file mode 100644 index 00000000..63b9932d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_slab_from_polished_diorite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_diorite" + }, + "result": "minecraft:polished_diorite_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_stairs.json new file mode 100644 index 00000000..4aa8827e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:polished_diorite" + } + }, + "result": { + "item": "minecraft:polished_diorite_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_stairs_from_diorite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_stairs_from_diorite_stonecutting.json new file mode 100644 index 00000000..6081197b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_stairs_from_diorite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:diorite" + }, + "result": "minecraft:polished_diorite_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_stairs_from_polished_diorite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_stairs_from_polished_diorite_stonecutting.json new file mode 100644 index 00000000..2dcf368d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_diorite_stairs_from_polished_diorite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_diorite" + }, + "result": "minecraft:polished_diorite_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite.json new file mode 100644 index 00000000..aaac5bcb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "SS", + "SS" + ], + "key": { + "S": { + "item": "minecraft:granite" + } + }, + "result": { + "item": "minecraft:polished_granite", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_from_granite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_from_granite_stonecutting.json new file mode 100644 index 00000000..701aaace --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_from_granite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:granite" + }, + "result": "minecraft:polished_granite", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_slab.json new file mode 100644 index 00000000..6657ae29 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:polished_granite" + } + }, + "result": { + "item": "minecraft:polished_granite_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_slab_from_granite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_slab_from_granite_stonecutting.json new file mode 100644 index 00000000..abc85b0f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_slab_from_granite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:granite" + }, + "result": "minecraft:polished_granite_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_slab_from_polished_granite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_slab_from_polished_granite_stonecutting.json new file mode 100644 index 00000000..590afc3c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_slab_from_polished_granite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_granite" + }, + "result": "minecraft:polished_granite_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_stairs.json new file mode 100644 index 00000000..761db4d7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:polished_granite" + } + }, + "result": { + "item": "minecraft:polished_granite_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_stairs_from_granite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_stairs_from_granite_stonecutting.json new file mode 100644 index 00000000..7231f28a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_stairs_from_granite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:granite" + }, + "result": "minecraft:polished_granite_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_stairs_from_polished_granite_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_stairs_from_polished_granite_stonecutting.json new file mode 100644 index 00000000..ecee75c2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/polished_granite_stairs_from_polished_granite_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:polished_granite" + }, + "result": "minecraft:polished_granite_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/popped_chorus_fruit.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/popped_chorus_fruit.json new file mode 100644 index 00000000..bce84d31 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/popped_chorus_fruit.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:chorus_fruit" + }, + "result": "minecraft:popped_chorus_fruit", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/powered_rail.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/powered_rail.json new file mode 100644 index 00000000..d531334f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/powered_rail.json @@ -0,0 +1,23 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X X", + "X#X", + "XRX" + ], + "key": { + "R": { + "item": "minecraft:redstone" + }, + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:gold_ingot" + } + }, + "result": { + "item": "minecraft:powered_rail", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine.json new file mode 100644 index 00000000..bc4b3a8b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "SS", + "SS" + ], + "key": { + "S": { + "item": "minecraft:prismarine_shard" + } + }, + "result": { + "item": "minecraft:prismarine" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_brick_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_brick_slab.json new file mode 100644 index 00000000..23be8e56 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_brick_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:prismarine_bricks" + } + }, + "result": { + "item": "minecraft:prismarine_brick_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_brick_slab_from_prismarine_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_brick_slab_from_prismarine_stonecutting.json new file mode 100644 index 00000000..09763ce9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_brick_slab_from_prismarine_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:prismarine_bricks" + }, + "result": "minecraft:prismarine_brick_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_brick_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_brick_stairs.json new file mode 100644 index 00000000..68601e44 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_brick_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:prismarine_bricks" + } + }, + "result": { + "item": "minecraft:prismarine_brick_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_brick_stairs_from_prismarine_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_brick_stairs_from_prismarine_stonecutting.json new file mode 100644 index 00000000..bd34ab3c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_brick_stairs_from_prismarine_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:prismarine_bricks" + }, + "result": "minecraft:prismarine_brick_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_bricks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_bricks.json new file mode 100644 index 00000000..a682ed9e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_bricks.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "SSS", + "SSS", + "SSS" + ], + "key": { + "S": { + "item": "minecraft:prismarine_shard" + } + }, + "result": { + "item": "minecraft:prismarine_bricks" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_slab.json new file mode 100644 index 00000000..5957feb3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:prismarine" + } + }, + "result": { + "item": "minecraft:prismarine_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_slab_from_prismarine_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_slab_from_prismarine_stonecutting.json new file mode 100644 index 00000000..6bbbdd65 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_slab_from_prismarine_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:prismarine" + }, + "result": "minecraft:prismarine_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_stairs.json new file mode 100644 index 00000000..03335c1a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:prismarine" + } + }, + "result": { + "item": "minecraft:prismarine_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_stairs_from_prismarine_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_stairs_from_prismarine_stonecutting.json new file mode 100644 index 00000000..39eef1e6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_stairs_from_prismarine_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:prismarine" + }, + "result": "minecraft:prismarine_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_wall.json new file mode 100644 index 00000000..e80d38b3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:prismarine" + } + }, + "result": { + "item": "minecraft:prismarine_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_wall_from_prismarine_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_wall_from_prismarine_stonecutting.json new file mode 100644 index 00000000..fe46ef67 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/prismarine_wall_from_prismarine_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:prismarine" + }, + "result": "minecraft:prismarine_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pumpkin_pie.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pumpkin_pie.json new file mode 100644 index 00000000..bff9f687 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pumpkin_pie.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:pumpkin" + }, + { + "item": "minecraft:sugar" + }, + { + "item": "minecraft:egg" + } + ], + "result": { + "item": "minecraft:pumpkin_pie" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pumpkin_seeds.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pumpkin_seeds.json new file mode 100644 index 00000000..da8f3b46 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/pumpkin_seeds.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:pumpkin" + } + ], + "result": { + "item": "minecraft:pumpkin_seeds", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_banner.json new file mode 100644 index 00000000..d18a8d5e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:purple_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:purple_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_bed.json new file mode 100644 index 00000000..0d23fecb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:purple_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:purple_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_bed_from_white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_bed_from_white_bed.json new file mode 100644 index 00000000..218754f0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_bed_from_white_bed.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "dyed_bed", + "ingredients": [ + { + "item": "minecraft:white_bed" + }, + { + "item": "minecraft:purple_dye" + } + ], + "result": { + "item": "minecraft:purple_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_carpet.json new file mode 100644 index 00000000..b2f8e9d1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:purple_wool" + } + }, + "result": { + "item": "minecraft:purple_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_carpet_from_white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_carpet_from_white_carpet.json new file mode 100644 index 00000000..93010dd2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_carpet_from_white_carpet.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_carpet" + }, + "$": { + "item": "minecraft:purple_dye" + } + }, + "result": { + "item": "minecraft:purple_carpet", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_concrete_powder.json new file mode 100644 index 00000000..431f8870 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:purple_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:purple_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_dye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_dye.json new file mode 100644 index 00000000..750d5494 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_dye.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:blue_dye" + }, + { + "item": "minecraft:red_dye" + } + ], + "result": { + "item": "minecraft:purple_dye", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_glazed_terracotta.json new file mode 100644 index 00000000..5b130a01 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:purple_terracotta" + }, + "result": "minecraft:purple_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_stained_glass.json new file mode 100644 index 00000000..4b9a91d9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:purple_dye" + } + }, + "result": { + "item": "minecraft:purple_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_stained_glass_pane.json new file mode 100644 index 00000000..8aa7364d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:purple_stained_glass" + } + }, + "result": { + "item": "minecraft:purple_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..6925ffea --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:purple_dye" + } + }, + "result": { + "item": "minecraft:purple_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_terracotta.json new file mode 100644 index 00000000..81e60a1d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:purple_dye" + } + }, + "result": { + "item": "minecraft:purple_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_wool.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_wool.json new file mode 100644 index 00000000..dd3674e3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purple_wool.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wool", + "ingredients": [ + { + "item": "minecraft:purple_dye" + }, + { + "item": "minecraft:white_wool" + } + ], + "result": { + "item": "minecraft:purple_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_block.json new file mode 100644 index 00000000..1ef4ce09 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_block.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "FF", + "FF" + ], + "key": { + "F": { + "item": "minecraft:popped_chorus_fruit" + } + }, + "result": { + "item": "minecraft:purpur_block", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_pillar.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_pillar.json new file mode 100644 index 00000000..11ab831c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_pillar.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "#", + "#" + ], + "key": { + "#": { + "item": "minecraft:purpur_slab" + } + }, + "result": { + "item": "minecraft:purpur_pillar" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_pillar_from_purpur_block_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_pillar_from_purpur_block_stonecutting.json new file mode 100644 index 00000000..8b89545c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_pillar_from_purpur_block_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:purpur_block" + }, + "result": "minecraft:purpur_pillar", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_slab.json new file mode 100644 index 00000000..f837478f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_slab.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": [ + { + "item": "minecraft:purpur_block" + }, + { + "item": "minecraft:purpur_pillar" + } + ] + }, + "result": { + "item": "minecraft:purpur_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_slab_from_purpur_block_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_slab_from_purpur_block_stonecutting.json new file mode 100644 index 00000000..14b8e883 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_slab_from_purpur_block_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:purpur_block" + }, + "result": "minecraft:purpur_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_stairs.json new file mode 100644 index 00000000..fc020932 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_stairs.json @@ -0,0 +1,22 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": [ + { + "item": "minecraft:purpur_block" + }, + { + "item": "minecraft:purpur_pillar" + } + ] + }, + "result": { + "item": "minecraft:purpur_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_stairs_from_purpur_block_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_stairs_from_purpur_block_stonecutting.json new file mode 100644 index 00000000..fef0028e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/purpur_stairs_from_purpur_block_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:purpur_block" + }, + "result": "minecraft:purpur_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz.json new file mode 100644 index 00000000..26f2e3ab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:nether_quartz_ore" + }, + "result": "minecraft:quartz", + "experience": 0.2, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_block.json new file mode 100644 index 00000000..102e898e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_block.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:quartz" + } + }, + "result": { + "item": "minecraft:quartz_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_bricks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_bricks.json new file mode 100644 index 00000000..f2c94440 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_bricks.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:quartz_block" + } + }, + "result": { + "item": "minecraft:quartz_bricks", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_bricks_from_quartz_block_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_bricks_from_quartz_block_stonecutting.json new file mode 100644 index 00000000..475b5f33 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_bricks_from_quartz_block_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:quartz_block" + }, + "result": "minecraft:quartz_bricks", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_from_blasting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_from_blasting.json new file mode 100644 index 00000000..097af64f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_from_blasting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:blasting", + "ingredient": { + "item": "minecraft:nether_quartz_ore" + }, + "result": "minecraft:quartz", + "experience": 0.2, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_pillar.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_pillar.json new file mode 100644 index 00000000..256a1be1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_pillar.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "#", + "#" + ], + "key": { + "#": { + "item": "minecraft:quartz_block" + } + }, + "result": { + "item": "minecraft:quartz_pillar", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_pillar_from_quartz_block_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_pillar_from_quartz_block_stonecutting.json new file mode 100644 index 00000000..213b63f0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_pillar_from_quartz_block_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:quartz_block" + }, + "result": "minecraft:quartz_pillar", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_slab.json new file mode 100644 index 00000000..eaa9664c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_slab.json @@ -0,0 +1,23 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": [ + { + "item": "minecraft:chiseled_quartz_block" + }, + { + "item": "minecraft:quartz_block" + }, + { + "item": "minecraft:quartz_pillar" + } + ] + }, + "result": { + "item": "minecraft:quartz_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_slab_from_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_slab_from_stonecutting.json new file mode 100644 index 00000000..5ca2c2ea --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_slab_from_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:quartz_block" + }, + "result": "minecraft:quartz_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_stairs.json new file mode 100644 index 00000000..b1578f1a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_stairs.json @@ -0,0 +1,25 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": [ + { + "item": "minecraft:chiseled_quartz_block" + }, + { + "item": "minecraft:quartz_block" + }, + { + "item": "minecraft:quartz_pillar" + } + ] + }, + "result": { + "item": "minecraft:quartz_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_stairs_from_quartz_block_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_stairs_from_quartz_block_stonecutting.json new file mode 100644 index 00000000..3c16d709 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/quartz_stairs_from_quartz_block_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:quartz_block" + }, + "result": "minecraft:quartz_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/rabbit_stew_from_brown_mushroom.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/rabbit_stew_from_brown_mushroom.json new file mode 100644 index 00000000..dd5d8037 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/rabbit_stew_from_brown_mushroom.json @@ -0,0 +1,24 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "rabbit_stew", + "ingredients": [ + { + "item": "minecraft:baked_potato" + }, + { + "item": "minecraft:cooked_rabbit" + }, + { + "item": "minecraft:bowl" + }, + { + "item": "minecraft:carrot" + }, + { + "item": "minecraft:brown_mushroom" + } + ], + "result": { + "item": "minecraft:rabbit_stew" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/rabbit_stew_from_red_mushroom.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/rabbit_stew_from_red_mushroom.json new file mode 100644 index 00000000..cf7eec03 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/rabbit_stew_from_red_mushroom.json @@ -0,0 +1,24 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "rabbit_stew", + "ingredients": [ + { + "item": "minecraft:baked_potato" + }, + { + "item": "minecraft:cooked_rabbit" + }, + { + "item": "minecraft:bowl" + }, + { + "item": "minecraft:carrot" + }, + { + "item": "minecraft:red_mushroom" + } + ], + "result": { + "item": "minecraft:rabbit_stew" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/rail.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/rail.json new file mode 100644 index 00000000..ee8fc022 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/rail.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X X", + "X#X", + "X X" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:rail", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_banner.json new file mode 100644 index 00000000..bcb9bf93 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:red_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:red_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_bed.json new file mode 100644 index 00000000..ffb0e9ea --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:red_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:red_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_bed_from_white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_bed_from_white_bed.json new file mode 100644 index 00000000..36140a6b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_bed_from_white_bed.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "dyed_bed", + "ingredients": [ + { + "item": "minecraft:white_bed" + }, + { + "item": "minecraft:red_dye" + } + ], + "result": { + "item": "minecraft:red_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_carpet.json new file mode 100644 index 00000000..00b18ce6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:red_wool" + } + }, + "result": { + "item": "minecraft:red_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_carpet_from_white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_carpet_from_white_carpet.json new file mode 100644 index 00000000..7236d614 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_carpet_from_white_carpet.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_carpet" + }, + "$": { + "item": "minecraft:red_dye" + } + }, + "result": { + "item": "minecraft:red_carpet", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_concrete_powder.json new file mode 100644 index 00000000..a0d04bf3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:red_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:red_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_dye_from_beetroot.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_dye_from_beetroot.json new file mode 100644 index 00000000..23b85d86 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_dye_from_beetroot.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "red_dye", + "ingredients": [ + { + "item": "minecraft:beetroot" + } + ], + "result": { + "item": "minecraft:red_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_dye_from_poppy.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_dye_from_poppy.json new file mode 100644 index 00000000..0b3c31b5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_dye_from_poppy.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "red_dye", + "ingredients": [ + { + "item": "minecraft:poppy" + } + ], + "result": { + "item": "minecraft:red_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_dye_from_rose_bush.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_dye_from_rose_bush.json new file mode 100644 index 00000000..2b463353 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_dye_from_rose_bush.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "red_dye", + "ingredients": [ + { + "item": "minecraft:rose_bush" + } + ], + "result": { + "item": "minecraft:red_dye", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_dye_from_tulip.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_dye_from_tulip.json new file mode 100644 index 00000000..8f061a29 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_dye_from_tulip.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "red_dye", + "ingredients": [ + { + "item": "minecraft:red_tulip" + } + ], + "result": { + "item": "minecraft:red_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_glazed_terracotta.json new file mode 100644 index 00000000..1ac5a53f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:red_terracotta" + }, + "result": "minecraft:red_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_slab.json new file mode 100644 index 00000000..b4273ce5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:red_nether_bricks" + } + }, + "result": { + "item": "minecraft:red_nether_brick_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_slab_from_red_nether_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_slab_from_red_nether_bricks_stonecutting.json new file mode 100644 index 00000000..152c3070 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_slab_from_red_nether_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:red_nether_bricks" + }, + "result": "minecraft:red_nether_brick_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_stairs.json new file mode 100644 index 00000000..a2adaf86 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:red_nether_bricks" + } + }, + "result": { + "item": "minecraft:red_nether_brick_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_stairs_from_red_nether_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_stairs_from_red_nether_bricks_stonecutting.json new file mode 100644 index 00000000..c7f346ec --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_stairs_from_red_nether_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:red_nether_bricks" + }, + "result": "minecraft:red_nether_brick_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_wall.json new file mode 100644 index 00000000..ddff055a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:red_nether_bricks" + } + }, + "result": { + "item": "minecraft:red_nether_brick_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_wall_from_red_nether_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_wall_from_red_nether_bricks_stonecutting.json new file mode 100644 index 00000000..7e030526 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_brick_wall_from_red_nether_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:red_nether_bricks" + }, + "result": "minecraft:red_nether_brick_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_bricks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_bricks.json new file mode 100644 index 00000000..c43f8c89 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_nether_bricks.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "NW", + "WN" + ], + "key": { + "W": { + "item": "minecraft:nether_wart" + }, + "N": { + "item": "minecraft:nether_brick" + } + }, + "result": { + "item": "minecraft:red_nether_bricks" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone.json new file mode 100644 index 00000000..eca9a865 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:red_sand" + } + }, + "result": { + "item": "minecraft:red_sandstone" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_slab.json new file mode 100644 index 00000000..82d05777 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_slab.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": [ + { + "item": "minecraft:red_sandstone" + }, + { + "item": "minecraft:chiseled_red_sandstone" + } + ] + }, + "result": { + "item": "minecraft:red_sandstone_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_slab_from_red_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_slab_from_red_sandstone_stonecutting.json new file mode 100644 index 00000000..a43c3857 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_slab_from_red_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:red_sandstone" + }, + "result": "minecraft:red_sandstone_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_stairs.json new file mode 100644 index 00000000..359ee43d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_stairs.json @@ -0,0 +1,25 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": [ + { + "item": "minecraft:red_sandstone" + }, + { + "item": "minecraft:chiseled_red_sandstone" + }, + { + "item": "minecraft:cut_red_sandstone" + } + ] + }, + "result": { + "item": "minecraft:red_sandstone_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_stairs_from_red_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_stairs_from_red_sandstone_stonecutting.json new file mode 100644 index 00000000..2282ac20 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_stairs_from_red_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:red_sandstone" + }, + "result": "minecraft:red_sandstone_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_wall.json new file mode 100644 index 00000000..3f512dc4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:red_sandstone" + } + }, + "result": { + "item": "minecraft:red_sandstone_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_wall_from_red_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_wall_from_red_sandstone_stonecutting.json new file mode 100644 index 00000000..75208671 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_sandstone_wall_from_red_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:red_sandstone" + }, + "result": "minecraft:red_sandstone_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_stained_glass.json new file mode 100644 index 00000000..8f686aac --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:red_dye" + } + }, + "result": { + "item": "minecraft:red_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_stained_glass_pane.json new file mode 100644 index 00000000..652a4ada --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:red_stained_glass" + } + }, + "result": { + "item": "minecraft:red_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..b238fc3e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:red_dye" + } + }, + "result": { + "item": "minecraft:red_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_terracotta.json new file mode 100644 index 00000000..437be0dd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:red_dye" + } + }, + "result": { + "item": "minecraft:red_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_wool.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_wool.json new file mode 100644 index 00000000..5777674b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/red_wool.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wool", + "ingredients": [ + { + "item": "minecraft:red_dye" + }, + { + "item": "minecraft:white_wool" + } + ], + "result": { + "item": "minecraft:red_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone.json new file mode 100644 index 00000000..9fea268f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:redstone_block" + } + ], + "result": { + "item": "minecraft:redstone", + "count": 9 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone_block.json new file mode 100644 index 00000000..b5844c04 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone_block.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:redstone" + } + }, + "result": { + "item": "minecraft:redstone_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone_from_blasting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone_from_blasting.json new file mode 100644 index 00000000..e0010240 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone_from_blasting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:blasting", + "ingredient": { + "item": "minecraft:redstone_ore" + }, + "result": "minecraft:redstone", + "experience": 0.7, + "cookingtime": 100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone_from_smelting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone_from_smelting.json new file mode 100644 index 00000000..ae73cd29 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone_from_smelting.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:redstone_ore" + }, + "result": "minecraft:redstone", + "experience": 0.7, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone_lamp.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone_lamp.json new file mode 100644 index 00000000..c0e0c13f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone_lamp.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + " R ", + "RGR", + " R " + ], + "key": { + "R": { + "item": "minecraft:redstone" + }, + "G": { + "item": "minecraft:glowstone" + } + }, + "result": { + "item": "minecraft:redstone_lamp" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone_torch.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone_torch.json new file mode 100644 index 00000000..68d88e6d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/redstone_torch.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X", + "#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "item": "minecraft:redstone" + } + }, + "result": { + "item": "minecraft:redstone_torch" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/repair_item.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/repair_item.json new file mode 100644 index 00000000..d3fbc161 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/repair_item.json @@ -0,0 +1,3 @@ +{ + "type": "minecraft:crafting_special_repairitem" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/repeater.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/repeater.json new file mode 100644 index 00000000..e693e760 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/repeater.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "#X#", + "III" + ], + "key": { + "#": { + "item": "minecraft:redstone_torch" + }, + "X": { + "item": "minecraft:redstone" + }, + "I": { + "item": "minecraft:stone" + } + }, + "result": { + "item": "minecraft:repeater" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/respawn_anchor.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/respawn_anchor.json new file mode 100644 index 00000000..6ba2caf8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/respawn_anchor.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "OOO", + "GGG", + "OOO" + ], + "key": { + "O": { + "item": "minecraft:crying_obsidian" + }, + "G": { + "item": "minecraft:glowstone" + } + }, + "result": { + "item": "minecraft:respawn_anchor" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone.json new file mode 100644 index 00000000..da258451 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:sand" + } + }, + "result": { + "item": "minecraft:sandstone" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_slab.json new file mode 100644 index 00000000..c92668c0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_slab.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": [ + { + "item": "minecraft:sandstone" + }, + { + "item": "minecraft:chiseled_sandstone" + } + ] + }, + "result": { + "item": "minecraft:sandstone_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_slab_from_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_slab_from_sandstone_stonecutting.json new file mode 100644 index 00000000..cb338cb7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_slab_from_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:sandstone" + }, + "result": "minecraft:sandstone_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_stairs.json new file mode 100644 index 00000000..19f75a65 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_stairs.json @@ -0,0 +1,25 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": [ + { + "item": "minecraft:sandstone" + }, + { + "item": "minecraft:chiseled_sandstone" + }, + { + "item": "minecraft:cut_sandstone" + } + ] + }, + "result": { + "item": "minecraft:sandstone_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_stairs_from_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_stairs_from_sandstone_stonecutting.json new file mode 100644 index 00000000..58b3c90a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_stairs_from_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:sandstone" + }, + "result": "minecraft:sandstone_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_wall.json new file mode 100644 index 00000000..17463683 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:sandstone" + } + }, + "result": { + "item": "minecraft:sandstone_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_wall_from_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_wall_from_sandstone_stonecutting.json new file mode 100644 index 00000000..9fb5e3f1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sandstone_wall_from_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:sandstone" + }, + "result": "minecraft:sandstone_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/scaffolding.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/scaffolding.json new file mode 100644 index 00000000..915fd07f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/scaffolding.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "I~I", + "I I", + "I I" + ], + "key": { + "~": { + "item": "minecraft:string" + }, + "I": { + "item": "minecraft:bamboo" + } + }, + "result": { + "item": "minecraft:scaffolding", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sea_lantern.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sea_lantern.json new file mode 100644 index 00000000..8a767029 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sea_lantern.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "SCS", + "CCC", + "SCS" + ], + "key": { + "S": { + "item": "minecraft:prismarine_shard" + }, + "C": { + "item": "minecraft:prismarine_crystals" + } + }, + "result": { + "item": "minecraft:sea_lantern" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/shears.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/shears.json new file mode 100644 index 00000000..c69c8330 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/shears.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + " #", + "# " + ], + "key": { + "#": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:shears" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/shield.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/shield.json new file mode 100644 index 00000000..35f0cee7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/shield.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "WoW", + "WWW", + " W " + ], + "key": { + "W": { + "tag": "minecraft:planks" + }, + "o": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:shield" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/shield_decoration.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/shield_decoration.json new file mode 100644 index 00000000..76728515 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/shield_decoration.json @@ -0,0 +1,3 @@ +{ + "type": "minecraft:crafting_special_shielddecoration" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/shulker_box.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/shulker_box.json new file mode 100644 index 00000000..1a1a2244 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/shulker_box.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "-", + "#", + "-" + ], + "key": { + "#": { + "item": "minecraft:chest" + }, + "-": { + "item": "minecraft:shulker_shell" + } + }, + "result": { + "item": "minecraft:shulker_box" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/shulker_box_coloring.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/shulker_box_coloring.json new file mode 100644 index 00000000..ef723821 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/shulker_box_coloring.json @@ -0,0 +1,3 @@ +{ + "type": "minecraft:crafting_special_shulkerboxcoloring" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/skull_banner_pattern.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/skull_banner_pattern.json new file mode 100644 index 00000000..b0f63fe9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/skull_banner_pattern.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:paper" + }, + { + "item": "minecraft:wither_skeleton_skull" + } + ], + "result": { + "item": "minecraft:skull_banner_pattern" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/slime_ball.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/slime_ball.json new file mode 100644 index 00000000..e9a44ded --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/slime_ball.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:slime_block" + } + ], + "result": { + "item": "minecraft:slime_ball", + "count": 9 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/slime_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/slime_block.json new file mode 100644 index 00000000..b432818b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/slime_block.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:slime_ball" + } + }, + "result": { + "item": "minecraft:slime_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smithing_table.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smithing_table.json new file mode 100644 index 00000000..28b693f3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smithing_table.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "@@", + "##", + "##" + ], + "key": { + "#": { + "tag": "minecraft:planks" + }, + "@": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:smithing_table" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smoker.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smoker.json new file mode 100644 index 00000000..fdd33375 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smoker.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + " # ", + "#X#", + " # " + ], + "key": { + "#": { + "tag": "minecraft:logs" + }, + "X": { + "item": "minecraft:furnace" + } + }, + "result": { + "item": "minecraft:smoker" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_quartz.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_quartz.json new file mode 100644 index 00000000..edcc3c87 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_quartz.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:quartz_block" + }, + "result": "minecraft:smooth_quartz", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_quartz_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_quartz_slab.json new file mode 100644 index 00000000..d4555cd7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_quartz_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:smooth_quartz" + } + }, + "result": { + "item": "minecraft:smooth_quartz_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_quartz_slab_from_smooth_quartz_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_quartz_slab_from_smooth_quartz_stonecutting.json new file mode 100644 index 00000000..dcdef33b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_quartz_slab_from_smooth_quartz_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:smooth_quartz" + }, + "result": "minecraft:smooth_quartz_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_quartz_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_quartz_stairs.json new file mode 100644 index 00000000..e6376cb5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_quartz_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:smooth_quartz" + } + }, + "result": { + "item": "minecraft:smooth_quartz_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_quartz_stairs_from_smooth_quartz_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_quartz_stairs_from_smooth_quartz_stonecutting.json new file mode 100644 index 00000000..46933de5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_quartz_stairs_from_smooth_quartz_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:smooth_quartz" + }, + "result": "minecraft:smooth_quartz_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_red_sandstone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_red_sandstone.json new file mode 100644 index 00000000..a738995f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_red_sandstone.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:red_sandstone" + }, + "result": "minecraft:smooth_red_sandstone", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_red_sandstone_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_red_sandstone_slab.json new file mode 100644 index 00000000..46570ef8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_red_sandstone_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:smooth_red_sandstone" + } + }, + "result": { + "item": "minecraft:smooth_red_sandstone_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_red_sandstone_slab_from_smooth_red_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_red_sandstone_slab_from_smooth_red_sandstone_stonecutting.json new file mode 100644 index 00000000..82e3d667 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_red_sandstone_slab_from_smooth_red_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:smooth_red_sandstone" + }, + "result": "minecraft:smooth_red_sandstone_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_red_sandstone_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_red_sandstone_stairs.json new file mode 100644 index 00000000..27dc4ac3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_red_sandstone_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:smooth_red_sandstone" + } + }, + "result": { + "item": "minecraft:smooth_red_sandstone_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_red_sandstone_stairs_from_smooth_red_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_red_sandstone_stairs_from_smooth_red_sandstone_stonecutting.json new file mode 100644 index 00000000..e83848cc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_red_sandstone_stairs_from_smooth_red_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:smooth_red_sandstone" + }, + "result": "minecraft:smooth_red_sandstone_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_sandstone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_sandstone.json new file mode 100644 index 00000000..c6d07d85 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_sandstone.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:sandstone" + }, + "result": "minecraft:smooth_sandstone", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_sandstone_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_sandstone_slab.json new file mode 100644 index 00000000..f534019f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_sandstone_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:smooth_sandstone" + } + }, + "result": { + "item": "minecraft:smooth_sandstone_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_sandstone_slab_from_smooth_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_sandstone_slab_from_smooth_sandstone_stonecutting.json new file mode 100644 index 00000000..d194f0c0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_sandstone_slab_from_smooth_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:smooth_sandstone" + }, + "result": "minecraft:smooth_sandstone_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_sandstone_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_sandstone_stairs.json new file mode 100644 index 00000000..ae0b6b95 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_sandstone_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:smooth_sandstone" + } + }, + "result": { + "item": "minecraft:smooth_sandstone_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_sandstone_stairs_from_smooth_sandstone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_sandstone_stairs_from_smooth_sandstone_stonecutting.json new file mode 100644 index 00000000..86ff37a1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_sandstone_stairs_from_smooth_sandstone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:smooth_sandstone" + }, + "result": "minecraft:smooth_sandstone_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_stone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_stone.json new file mode 100644 index 00000000..b8edf4b8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_stone.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:stone" + }, + "result": "minecraft:smooth_stone", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_stone_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_stone_slab.json new file mode 100644 index 00000000..5b5ded69 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_stone_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:smooth_stone" + } + }, + "result": { + "item": "minecraft:smooth_stone_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_stone_slab_from_smooth_stone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_stone_slab_from_smooth_stone_stonecutting.json new file mode 100644 index 00000000..622e5fd3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/smooth_stone_slab_from_smooth_stone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:smooth_stone" + }, + "result": "minecraft:smooth_stone_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/snow.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/snow.json new file mode 100644 index 00000000..fdbf8860 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/snow.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:snow_block" + } + }, + "result": { + "item": "minecraft:snow", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/snow_block.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/snow_block.json new file mode 100644 index 00000000..78f0f13c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/snow_block.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:snowball" + } + }, + "result": { + "item": "minecraft:snow_block" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/soul_campfire.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/soul_campfire.json new file mode 100644 index 00000000..172dc489 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/soul_campfire.json @@ -0,0 +1,22 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + " S ", + "S#S", + "LLL" + ], + "key": { + "L": { + "tag": "minecraft:logs" + }, + "S": { + "item": "minecraft:stick" + }, + "#": { + "tag": "minecraft:soul_fire_base_blocks" + } + }, + "result": { + "item": "minecraft:soul_campfire" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/soul_lantern.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/soul_lantern.json new file mode 100644 index 00000000..48c87eea --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/soul_lantern.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + "X#X", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:soul_torch" + }, + "X": { + "item": "minecraft:iron_nugget" + } + }, + "result": { + "item": "minecraft:soul_lantern" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/soul_torch.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/soul_torch.json new file mode 100644 index 00000000..d7beb34a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/soul_torch.json @@ -0,0 +1,28 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X", + "#", + "S" + ], + "key": { + "X": [ + { + "item": "minecraft:coal" + }, + { + "item": "minecraft:charcoal" + } + ], + "#": { + "item": "minecraft:stick" + }, + "S": { + "tag": "minecraft:soul_fire_base_blocks" + } + }, + "result": { + "item": "minecraft:soul_torch", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spectral_arrow.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spectral_arrow.json new file mode 100644 index 00000000..9989657a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spectral_arrow.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + " # ", + "#X#", + " # " + ], + "key": { + "#": { + "item": "minecraft:glowstone_dust" + }, + "X": { + "item": "minecraft:arrow" + } + }, + "result": { + "item": "minecraft:spectral_arrow", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sponge.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sponge.json new file mode 100644 index 00000000..27fa250b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sponge.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:wet_sponge" + }, + "result": "minecraft:sponge", + "experience": 0.15, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_boat.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_boat.json new file mode 100644 index 00000000..d60edada --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_boat.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "boat", + "pattern": [ + "# #", + "###" + ], + "key": { + "#": { + "item": "minecraft:spruce_planks" + } + }, + "result": { + "item": "minecraft:spruce_boat" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_button.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_button.json new file mode 100644 index 00000000..05a92177 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_button.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wooden_button", + "ingredients": [ + { + "item": "minecraft:spruce_planks" + } + ], + "result": { + "item": "minecraft:spruce_button" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_door.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_door.json new file mode 100644 index 00000000..478d8d33 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_door.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_door", + "pattern": [ + "##", + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:spruce_planks" + } + }, + "result": { + "item": "minecraft:spruce_door", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_fence.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_fence.json new file mode 100644 index 00000000..980344e9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_fence.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence", + "pattern": [ + "W#W", + "W#W" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:spruce_planks" + } + }, + "result": { + "item": "minecraft:spruce_fence", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_fence_gate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_fence_gate.json new file mode 100644 index 00000000..ae5e5b66 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_fence_gate.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence_gate", + "pattern": [ + "#W#", + "#W#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:spruce_planks" + } + }, + "result": { + "item": "minecraft:spruce_fence_gate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_planks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_planks.json new file mode 100644 index 00000000..641608e9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_planks.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "planks", + "ingredients": [ + { + "tag": "minecraft:spruce_logs" + } + ], + "result": { + "item": "minecraft:spruce_planks", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_pressure_plate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_pressure_plate.json new file mode 100644 index 00000000..9e8bd0d6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_pressure_plate.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_pressure_plate", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:spruce_planks" + } + }, + "result": { + "item": "minecraft:spruce_pressure_plate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_sign.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_sign.json new file mode 100644 index 00000000..220548f1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_sign.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "sign", + "pattern": [ + "###", + "###", + " X " + ], + "key": { + "#": { + "item": "minecraft:spruce_planks" + }, + "X": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:spruce_sign", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_slab.json new file mode 100644 index 00000000..ec16b946 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_slab.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_slab", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:spruce_planks" + } + }, + "result": { + "item": "minecraft:spruce_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_stairs.json new file mode 100644 index 00000000..d937ce08 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_stairs.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_stairs", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:spruce_planks" + } + }, + "result": { + "item": "minecraft:spruce_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_trapdoor.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_trapdoor.json new file mode 100644 index 00000000..da6268d3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_trapdoor.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_trapdoor", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:spruce_planks" + } + }, + "result": { + "item": "minecraft:spruce_trapdoor", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_wood.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_wood.json new file mode 100644 index 00000000..a47010b6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/spruce_wood.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:spruce_log" + } + }, + "result": { + "item": "minecraft:spruce_wood", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stick.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stick.json new file mode 100644 index 00000000..70d79d38 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stick.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "sticks", + "pattern": [ + "#", + "#" + ], + "key": { + "#": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:stick", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stick_from_bamboo_item.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stick_from_bamboo_item.json new file mode 100644 index 00000000..e25ceea3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stick_from_bamboo_item.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "sticks", + "pattern": [ + "#", + "#" + ], + "key": { + "#": { + "item": "minecraft:bamboo" + } + }, + "result": { + "item": "minecraft:stick" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sticky_piston.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sticky_piston.json new file mode 100644 index 00000000..b153e164 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sticky_piston.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "S", + "P" + ], + "key": { + "P": { + "item": "minecraft:piston" + }, + "S": { + "item": "minecraft:slime_ball" + } + }, + "result": { + "item": "minecraft:sticky_piston" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone.json new file mode 100644 index 00000000..8ed533f5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:cobblestone" + }, + "result": "minecraft:stone", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_axe.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_axe.json new file mode 100644 index 00000000..c796920b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_axe.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XX", + "X#", + " #" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "tag": "minecraft:stone_tool_materials" + } + }, + "result": { + "item": "minecraft:stone_axe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_slab.json new file mode 100644 index 00000000..7cd943c0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:stone_bricks" + } + }, + "result": { + "item": "minecraft:stone_brick_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_slab_from_stone_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_slab_from_stone_bricks_stonecutting.json new file mode 100644 index 00000000..94f762f4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_slab_from_stone_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:stone_bricks" + }, + "result": "minecraft:stone_brick_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_slab_from_stone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_slab_from_stone_stonecutting.json new file mode 100644 index 00000000..ab4aebfa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_slab_from_stone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:stone" + }, + "result": "minecraft:stone_brick_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_stairs.json new file mode 100644 index 00000000..f1394afe --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:stone_bricks" + } + }, + "result": { + "item": "minecraft:stone_brick_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_stairs_from_stone_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_stairs_from_stone_bricks_stonecutting.json new file mode 100644 index 00000000..21ce9d81 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_stairs_from_stone_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:stone_bricks" + }, + "result": "minecraft:stone_brick_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_stairs_from_stone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_stairs_from_stone_stonecutting.json new file mode 100644 index 00000000..a48822aa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_stairs_from_stone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:stone" + }, + "result": "minecraft:stone_brick_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_wall.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_wall.json new file mode 100644 index 00000000..d5e0e9ed --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_wall.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:stone_bricks" + } + }, + "result": { + "item": "minecraft:stone_brick_wall", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_wall_from_stone_bricks_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_wall_from_stone_bricks_stonecutting.json new file mode 100644 index 00000000..9a5800ce --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_wall_from_stone_bricks_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:stone_bricks" + }, + "result": "minecraft:stone_brick_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_walls_from_stone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_walls_from_stone_stonecutting.json new file mode 100644 index 00000000..bbf630c4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_brick_walls_from_stone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:stone" + }, + "result": "minecraft:stone_brick_wall", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_bricks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_bricks.json new file mode 100644 index 00000000..4595c260 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_bricks.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:stone" + } + }, + "result": { + "item": "minecraft:stone_bricks", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_bricks_from_stone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_bricks_from_stone_stonecutting.json new file mode 100644 index 00000000..bc1f9715 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_bricks_from_stone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:stone" + }, + "result": "minecraft:stone_bricks", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_button.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_button.json new file mode 100644 index 00000000..ee596e0c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_button.json @@ -0,0 +1,11 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:stone" + } + ], + "result": { + "item": "minecraft:stone_button" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_hoe.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_hoe.json new file mode 100644 index 00000000..b1612f62 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_hoe.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XX", + " #", + " #" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "tag": "minecraft:stone_tool_materials" + } + }, + "result": { + "item": "minecraft:stone_hoe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_pickaxe.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_pickaxe.json new file mode 100644 index 00000000..fadc41ba --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_pickaxe.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + " # ", + " # " + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "tag": "minecraft:stone_tool_materials" + } + }, + "result": { + "item": "minecraft:stone_pickaxe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_pressure_plate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_pressure_plate.json new file mode 100644 index 00000000..ea714c33 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_pressure_plate.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:stone" + } + }, + "result": { + "item": "minecraft:stone_pressure_plate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_shovel.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_shovel.json new file mode 100644 index 00000000..f1de4303 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_shovel.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X", + "#", + "#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "tag": "minecraft:stone_tool_materials" + } + }, + "result": { + "item": "minecraft:stone_shovel" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_slab.json new file mode 100644 index 00000000..de66ee7f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_slab.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:stone" + } + }, + "result": { + "item": "minecraft:stone_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_slab_from_stone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_slab_from_stone_stonecutting.json new file mode 100644 index 00000000..c7394e71 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_slab_from_stone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:stone" + }, + "result": "minecraft:stone_slab", + "count": 2 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_stairs.json new file mode 100644 index 00000000..7af7bbd2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_stairs.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:stone" + } + }, + "result": { + "item": "minecraft:stone_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_stairs_from_stone_stonecutting.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_stairs_from_stone_stonecutting.json new file mode 100644 index 00000000..d2b9b106 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_stairs_from_stone_stonecutting.json @@ -0,0 +1,8 @@ +{ + "type": "minecraft:stonecutting", + "ingredient": { + "item": "minecraft:stone" + }, + "result": "minecraft:stone_stairs", + "count": 1 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_sword.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_sword.json new file mode 100644 index 00000000..37a0dd65 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stone_sword.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X", + "X", + "#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "tag": "minecraft:stone_tool_materials" + } + }, + "result": { + "item": "minecraft:stone_sword" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stonecutter.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stonecutter.json new file mode 100644 index 00000000..d6da2494 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stonecutter.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + " I ", + "###" + ], + "key": { + "I": { + "item": "minecraft:iron_ingot" + }, + "#": { + "item": "minecraft:stone" + } + }, + "result": { + "item": "minecraft:stonecutter" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_acacia_wood.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_acacia_wood.json new file mode 100644 index 00000000..a40906c1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_acacia_wood.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:stripped_acacia_log" + } + }, + "result": { + "item": "minecraft:stripped_acacia_wood", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_birch_wood.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_birch_wood.json new file mode 100644 index 00000000..5e969cc5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_birch_wood.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:stripped_birch_log" + } + }, + "result": { + "item": "minecraft:stripped_birch_wood", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_crimson_hyphae.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_crimson_hyphae.json new file mode 100644 index 00000000..e9725afc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_crimson_hyphae.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:stripped_crimson_stem" + } + }, + "result": { + "item": "minecraft:stripped_crimson_hyphae", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_dark_oak_wood.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_dark_oak_wood.json new file mode 100644 index 00000000..e03e49e2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_dark_oak_wood.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:stripped_dark_oak_log" + } + }, + "result": { + "item": "minecraft:stripped_dark_oak_wood", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_jungle_wood.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_jungle_wood.json new file mode 100644 index 00000000..dfff75fe --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_jungle_wood.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:stripped_jungle_log" + } + }, + "result": { + "item": "minecraft:stripped_jungle_wood", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_oak_wood.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_oak_wood.json new file mode 100644 index 00000000..de68d18e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_oak_wood.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:stripped_oak_log" + } + }, + "result": { + "item": "minecraft:stripped_oak_wood", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_spruce_wood.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_spruce_wood.json new file mode 100644 index 00000000..301a9080 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_spruce_wood.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:stripped_spruce_log" + } + }, + "result": { + "item": "minecraft:stripped_spruce_wood", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_warped_hyphae.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_warped_hyphae.json new file mode 100644 index 00000000..4cc7f88a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/stripped_warped_hyphae.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:stripped_warped_stem" + } + }, + "result": { + "item": "minecraft:stripped_warped_hyphae", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sugar.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sugar.json new file mode 100644 index 00000000..9e170526 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sugar.json @@ -0,0 +1,11 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:sugar_cane" + } + ], + "result": { + "item": "minecraft:sugar" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sugar_from_honey_bottle.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sugar_from_honey_bottle.json new file mode 100644 index 00000000..23b30e8c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sugar_from_honey_bottle.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "sugar", + "ingredients": [ + { + "item": "minecraft:honey_bottle" + } + ], + "result": { + "item": "minecraft:sugar", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sugar_from_sugar_cane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sugar_from_sugar_cane.json new file mode 100644 index 00000000..68d44c07 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/sugar_from_sugar_cane.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "sugar", + "ingredients": [ + { + "item": "minecraft:sugar_cane" + } + ], + "result": { + "item": "minecraft:sugar" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/suspicious_stew.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/suspicious_stew.json new file mode 100644 index 00000000..c737e8a2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/suspicious_stew.json @@ -0,0 +1,3 @@ +{ + "type": "minecraft:crafting_special_suspiciousstew" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/target.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/target.json new file mode 100644 index 00000000..6d57cc78 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/target.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + " R ", + "RHR", + " R " + ], + "key": { + "H": { + "item": "minecraft:hay_block" + }, + "R": { + "item": "minecraft:redstone" + } + }, + "result": { + "item": "minecraft:target" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/terracotta.json new file mode 100644 index 00000000..0938de6f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:clay" + }, + "result": "minecraft:terracotta", + "experience": 0.35, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/tipped_arrow.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/tipped_arrow.json new file mode 100644 index 00000000..71c7aa58 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/tipped_arrow.json @@ -0,0 +1,3 @@ +{ + "type": "minecraft:crafting_special_tippedarrow" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/tnt.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/tnt.json new file mode 100644 index 00000000..02aa4cce --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/tnt.json @@ -0,0 +1,24 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X#X", + "#X#", + "X#X" + ], + "key": { + "#": [ + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:red_sand" + } + ], + "X": { + "item": "minecraft:gunpowder" + } + }, + "result": { + "item": "minecraft:tnt" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/tnt_minecart.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/tnt_minecart.json new file mode 100644 index 00000000..777df94e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/tnt_minecart.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "A", + "B" + ], + "key": { + "A": { + "item": "minecraft:tnt" + }, + "B": { + "item": "minecraft:minecart" + } + }, + "result": { + "item": "minecraft:tnt_minecart" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/torch.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/torch.json new file mode 100644 index 00000000..b7c74de5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/torch.json @@ -0,0 +1,24 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X", + "#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": [ + { + "item": "minecraft:coal" + }, + { + "item": "minecraft:charcoal" + } + ] + }, + "result": { + "item": "minecraft:torch", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/trapped_chest.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/trapped_chest.json new file mode 100644 index 00000000..342a79e5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/trapped_chest.json @@ -0,0 +1,14 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:chest" + }, + { + "item": "minecraft:tripwire_hook" + } + ], + "result": { + "item": "minecraft:trapped_chest" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/tripwire_hook.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/tripwire_hook.json new file mode 100644 index 00000000..5cc506f5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/tripwire_hook.json @@ -0,0 +1,23 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "I", + "S", + "#" + ], + "key": { + "#": { + "tag": "minecraft:planks" + }, + "S": { + "item": "minecraft:stick" + }, + "I": { + "item": "minecraft:iron_ingot" + } + }, + "result": { + "item": "minecraft:tripwire_hook", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/turtle_helmet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/turtle_helmet.json new file mode 100644 index 00000000..9efb5d6a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/turtle_helmet.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + "X X" + ], + "key": { + "X": { + "item": "minecraft:scute" + } + }, + "result": { + "item": "minecraft:turtle_helmet" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_button.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_button.json new file mode 100644 index 00000000..b7c3515a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_button.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wooden_button", + "ingredients": [ + { + "item": "minecraft:warped_planks" + } + ], + "result": { + "item": "minecraft:warped_button" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_door.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_door.json new file mode 100644 index 00000000..7bccc979 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_door.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_door", + "pattern": [ + "##", + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:warped_planks" + } + }, + "result": { + "item": "minecraft:warped_door", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_fence.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_fence.json new file mode 100644 index 00000000..8b73e8a2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_fence.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence", + "pattern": [ + "W#W", + "W#W" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:warped_planks" + } + }, + "result": { + "item": "minecraft:warped_fence", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_fence_gate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_fence_gate.json new file mode 100644 index 00000000..93f9cc09 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_fence_gate.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_fence_gate", + "pattern": [ + "#W#", + "#W#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "W": { + "item": "minecraft:warped_planks" + } + }, + "result": { + "item": "minecraft:warped_fence_gate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_fungus_on_a_stick.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_fungus_on_a_stick.json new file mode 100644 index 00000000..fdb1ab4b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_fungus_on_a_stick.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "# ", + " X" + ], + "key": { + "#": { + "item": "minecraft:fishing_rod" + }, + "X": { + "item": "minecraft:warped_fungus" + } + }, + "result": { + "item": "minecraft:warped_fungus_on_a_stick" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_hyphae.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_hyphae.json new file mode 100644 index 00000000..880f1c66 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_hyphae.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bark", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:warped_stem" + } + }, + "result": { + "item": "minecraft:warped_hyphae", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_planks.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_planks.json new file mode 100644 index 00000000..6acc4013 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_planks.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "planks", + "ingredients": [ + { + "tag": "minecraft:warped_stems" + } + ], + "result": { + "item": "minecraft:warped_planks", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_pressure_plate.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_pressure_plate.json new file mode 100644 index 00000000..a6294ac7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_pressure_plate.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_pressure_plate", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:warped_planks" + } + }, + "result": { + "item": "minecraft:warped_pressure_plate" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_sign.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_sign.json new file mode 100644 index 00000000..747d3514 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_sign.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "sign", + "pattern": [ + "###", + "###", + " X " + ], + "key": { + "#": { + "item": "minecraft:warped_planks" + }, + "X": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:warped_sign", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_slab.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_slab.json new file mode 100644 index 00000000..39497bbf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_slab.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_slab", + "pattern": [ + "###" + ], + "key": { + "#": { + "item": "minecraft:warped_planks" + } + }, + "result": { + "item": "minecraft:warped_slab", + "count": 6 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_stairs.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_stairs.json new file mode 100644 index 00000000..e5dcfb7b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_stairs.json @@ -0,0 +1,18 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_stairs", + "pattern": [ + "# ", + "## ", + "###" + ], + "key": { + "#": { + "item": "minecraft:warped_planks" + } + }, + "result": { + "item": "minecraft:warped_stairs", + "count": 4 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_trapdoor.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_trapdoor.json new file mode 100644 index 00000000..472d4868 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/warped_trapdoor.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "wooden_trapdoor", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:warped_planks" + } + }, + "result": { + "item": "minecraft:warped_trapdoor", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wheat.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wheat.json new file mode 100644 index 00000000..5701cadc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wheat.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:hay_block" + } + ], + "result": { + "item": "minecraft:wheat", + "count": 9 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_banner.json new file mode 100644 index 00000000..5485871d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:white_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:white_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_bed.json new file mode 100644 index 00000000..44da6771 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:white_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:white_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_carpet.json new file mode 100644 index 00000000..059e09ed --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:white_wool" + } + }, + "result": { + "item": "minecraft:white_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_concrete_powder.json new file mode 100644 index 00000000..da54cf5f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:white_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:white_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_dye.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_dye.json new file mode 100644 index 00000000..54ef2a3f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_dye.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "white_dye", + "ingredients": [ + { + "item": "minecraft:bone_meal" + } + ], + "result": { + "item": "minecraft:white_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_dye_from_lily_of_the_valley.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_dye_from_lily_of_the_valley.json new file mode 100644 index 00000000..ee55ebb3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_dye_from_lily_of_the_valley.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "white_dye", + "ingredients": [ + { + "item": "minecraft:lily_of_the_valley" + } + ], + "result": { + "item": "minecraft:white_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_glazed_terracotta.json new file mode 100644 index 00000000..c8400387 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:white_terracotta" + }, + "result": "minecraft:white_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_stained_glass.json new file mode 100644 index 00000000..132571a0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:white_dye" + } + }, + "result": { + "item": "minecraft:white_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_stained_glass_pane.json new file mode 100644 index 00000000..64ccc28d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_stained_glass" + } + }, + "result": { + "item": "minecraft:white_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..96fe7b69 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:white_dye" + } + }, + "result": { + "item": "minecraft:white_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_terracotta.json new file mode 100644 index 00000000..d6e28b06 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:white_dye" + } + }, + "result": { + "item": "minecraft:white_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_wool_from_string.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_wool_from_string.json new file mode 100644 index 00000000..8736bcdd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/white_wool_from_string.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "##", + "##" + ], + "key": { + "#": { + "item": "minecraft:string" + } + }, + "result": { + "item": "minecraft:white_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wooden_axe.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wooden_axe.json new file mode 100644 index 00000000..ee3a585f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wooden_axe.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XX", + "X#", + " #" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:wooden_axe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wooden_hoe.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wooden_hoe.json new file mode 100644 index 00000000..e4596c2d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wooden_hoe.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XX", + " #", + " #" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:wooden_hoe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wooden_pickaxe.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wooden_pickaxe.json new file mode 100644 index 00000000..28aee5a8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wooden_pickaxe.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "XXX", + " # ", + " # " + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:wooden_pickaxe" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wooden_shovel.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wooden_shovel.json new file mode 100644 index 00000000..69f95946 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wooden_shovel.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X", + "#", + "#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:wooden_shovel" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wooden_sword.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wooden_sword.json new file mode 100644 index 00000000..e81f2cbb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/wooden_sword.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "pattern": [ + "X", + "X", + "#" + ], + "key": { + "#": { + "item": "minecraft:stick" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:wooden_sword" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/writable_book.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/writable_book.json new file mode 100644 index 00000000..babaf730 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/writable_book.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shapeless", + "ingredients": [ + { + "item": "minecraft:book" + }, + { + "item": "minecraft:ink_sac" + }, + { + "item": "minecraft:feather" + } + ], + "result": { + "item": "minecraft:writable_book" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_banner.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_banner.json new file mode 100644 index 00000000..f8e805a6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_banner.json @@ -0,0 +1,20 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "banner", + "pattern": [ + "###", + "###", + " | " + ], + "key": { + "#": { + "item": "minecraft:yellow_wool" + }, + "|": { + "item": "minecraft:stick" + } + }, + "result": { + "item": "minecraft:yellow_banner" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_bed.json new file mode 100644 index 00000000..4f3b4986 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_bed.json @@ -0,0 +1,19 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "bed", + "pattern": [ + "###", + "XXX" + ], + "key": { + "#": { + "item": "minecraft:yellow_wool" + }, + "X": { + "tag": "minecraft:planks" + } + }, + "result": { + "item": "minecraft:yellow_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_bed_from_white_bed.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_bed_from_white_bed.json new file mode 100644 index 00000000..ca14e46e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_bed_from_white_bed.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "dyed_bed", + "ingredients": [ + { + "item": "minecraft:white_bed" + }, + { + "item": "minecraft:yellow_dye" + } + ], + "result": { + "item": "minecraft:yellow_bed" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_carpet.json new file mode 100644 index 00000000..7fdaa7db --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_carpet.json @@ -0,0 +1,16 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "##" + ], + "key": { + "#": { + "item": "minecraft:yellow_wool" + } + }, + "result": { + "item": "minecraft:yellow_carpet", + "count": 3 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_carpet_from_white_carpet.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_carpet_from_white_carpet.json new file mode 100644 index 00000000..3bc19daf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_carpet_from_white_carpet.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "carpet", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:white_carpet" + }, + "$": { + "item": "minecraft:yellow_dye" + } + }, + "result": { + "item": "minecraft:yellow_carpet", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_concrete_powder.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_concrete_powder.json new file mode 100644 index 00000000..6e51ad1b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_concrete_powder.json @@ -0,0 +1,37 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "concrete_powder", + "ingredients": [ + { + "item": "minecraft:yellow_dye" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:sand" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + }, + { + "item": "minecraft:gravel" + } + ], + "result": { + "item": "minecraft:yellow_concrete_powder", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_dye_from_dandelion.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_dye_from_dandelion.json new file mode 100644 index 00000000..b7d09c3f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_dye_from_dandelion.json @@ -0,0 +1,12 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "yellow_dye", + "ingredients": [ + { + "item": "minecraft:dandelion" + } + ], + "result": { + "item": "minecraft:yellow_dye" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_dye_from_sunflower.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_dye_from_sunflower.json new file mode 100644 index 00000000..df823675 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_dye_from_sunflower.json @@ -0,0 +1,13 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "yellow_dye", + "ingredients": [ + { + "item": "minecraft:sunflower" + } + ], + "result": { + "item": "minecraft:yellow_dye", + "count": 2 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_glazed_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_glazed_terracotta.json new file mode 100644 index 00000000..d65c6c47 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_glazed_terracotta.json @@ -0,0 +1,9 @@ +{ + "type": "minecraft:smelting", + "ingredient": { + "item": "minecraft:yellow_terracotta" + }, + "result": "minecraft:yellow_glazed_terracotta", + "experience": 0.1, + "cookingtime": 200 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_stained_glass.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_stained_glass.json new file mode 100644 index 00000000..3ce80d95 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_stained_glass.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass" + }, + "X": { + "item": "minecraft:yellow_dye" + } + }, + "result": { + "item": "minecraft:yellow_stained_glass", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_stained_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_stained_glass_pane.json new file mode 100644 index 00000000..13cc1f13 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_stained_glass_pane.json @@ -0,0 +1,17 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "###" + ], + "key": { + "#": { + "item": "minecraft:yellow_stained_glass" + } + }, + "result": { + "item": "minecraft:yellow_stained_glass_pane", + "count": 16 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_stained_glass_pane_from_glass_pane.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_stained_glass_pane_from_glass_pane.json new file mode 100644 index 00000000..b6d03ce2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_stained_glass_pane_from_glass_pane.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_glass_pane", + "pattern": [ + "###", + "#$#", + "###" + ], + "key": { + "#": { + "item": "minecraft:glass_pane" + }, + "$": { + "item": "minecraft:yellow_dye" + } + }, + "result": { + "item": "minecraft:yellow_stained_glass_pane", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_terracotta.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_terracotta.json new file mode 100644 index 00000000..538fd4fe --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_terracotta.json @@ -0,0 +1,21 @@ +{ + "type": "minecraft:crafting_shaped", + "group": "stained_terracotta", + "pattern": [ + "###", + "#X#", + "###" + ], + "key": { + "#": { + "item": "minecraft:terracotta" + }, + "X": { + "item": "minecraft:yellow_dye" + } + }, + "result": { + "item": "minecraft:yellow_terracotta", + "count": 8 + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_wool.json b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_wool.json new file mode 100644 index 00000000..bf0d73d8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/recipes/yellow_wool.json @@ -0,0 +1,15 @@ +{ + "type": "minecraft:crafting_shapeless", + "group": "wool", + "ingredients": [ + { + "item": "minecraft:yellow_dye" + }, + { + "item": "minecraft:white_wool" + } + ], + "result": { + "item": "minecraft:yellow_wool" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/server.py b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/server.py new file mode 100644 index 00000000..5a40383e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/server.py @@ -0,0 +1,48 @@ +from fastapi import FastAPI +from .model import * +from .env_wrapper import server + +app = FastAPI() + + +@app.get("/") +def hello(): + return "This is environment TextCraft." + + +@app.post("/create") +async def create(body: CreateRequestBody): + return server.create(body.commands, body.goal) + + +@app.post("/step") +def step(body: StepRequestBody): + print(f"/step {body.id} {body.action}") + return server.step(body.id, body.action) + + +@app.post("/reset") +def reset(body: ResetRequestBody): + print(f"/reset {body.id} {body.data_idx}") + return server.reset(body.id, body.data_idx) + + +@app.get("/observation") +def get_observation(id: int): + print(f"/observation {id}") + return server.get_observation(id) + + +@app.get("/commands") +def get_commands(id: int): + return server.get_commands(id) + + +@app.get("/goal") +def get_goal(id: int): + return server.get_goal(id) + + +@app.get("/detail") +def get_detailed_info(id: int): + return server.get_detailed_info(id) diff --git a/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/utils.py b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/utils.py new file mode 100644 index 00000000..7c126341 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/agentenv_textcraft/utils.py @@ -0,0 +1,45 @@ +from dataclasses import dataclass +from typing import List + + +@dataclass(frozen=True) +class ItemTag: + tag: str = None + item_id: str = None + + @property + def name(self): + return self.item_id or self.tag + + +@dataclass +class ItemTagWithCount: + item_tag: ItemTag + count: int + + +@dataclass(frozen=True) +class Recipe: + input_items: List[ItemTagWithCount] + output_item: ItemTagWithCount + + @property + def recipe_str(self): + output_str = "craft {} {} using ".format( + self.output_item.count, item_id_to_str(self.output_item.item_tag.name) + ) + for input_itemtag_count in self.input_items: + output_str += "{} {}, ".format( + input_itemtag_count.count, + item_id_to_str(input_itemtag_count.item_tag.name), + ) + output_str = output_str[:-2] + return output_str + + +class ActionFailed(Exception): + pass + + +def item_id_to_str(item_id: str): + return item_id.replace("minecraft:", "").replace("_", " ") diff --git a/openmanus_rl/agentgym/agentenv-textcraft/pyproject.toml b/openmanus_rl/agentgym/agentenv-textcraft/pyproject.toml new file mode 100644 index 00000000..8cc002af --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-textcraft/pyproject.toml @@ -0,0 +1,19 @@ +[project] +name = "agentenv_textcraft" +version = "0.0.1" +description = "" +authors = [ + {name = "XinGuo2002", email = "1208650808@qq.com"}, +] +dependencies = [ + "fastapi", + "uvicorn", + "gymnasium", + "transformers" +] +requires-python = ">=3.7" +readme = "README.md" +license = {text = "MIT"} + +[project.scripts] +textcraft = "agentenv_textcraft:launch" diff --git a/openmanus_rl/agentgym/agentenv-tool/README.md b/openmanus_rl/agentgym/agentenv-tool/README.md new file mode 100644 index 00000000..be3a31a5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/README.md @@ -0,0 +1,40 @@ +# Agent Environments - Tool + +## Apply for api key + +**Movie**: https://developer.themoviedb.org/docs/getting-started + +**Todo**: https://developer.todoist.com/rest/v2/#getting-started + +**Sheet**: https://developers.google.cn/workspace/guides/get-started?hl=en + +Then modify the last three lines of setup.sh. Remember to put the credential.json file of the **Sheet** in agentenv-tool/ToolUsage/toolusage/utils/sheet. + +Ref: https://github.com/hkust-nlp/AgentBoard/blob/main/assets/api_keys_tool.md + +## Setup + +``` sh +conda create -n agentenv-tool python=3.8.13 +conda activate agentenv-tool +source ./setup.sh +``` + +## Launch +**NOTE**: launch server under `AgentEnvironments/agentenv-tool` path +``` sh +weather --host 0.0.0.0 --port 8000 +movie --host 0.0.0.0 --port 8000 +academia --host 0.0.0.0 --port 8000 +todo --host 0.0.0.0 --port 8000 +sheet --host 0.0.0.0 --port 8000 +``` + +## Testset +``` +weather: agentenv-tool/ToolUsage/data/weather.jsonl "id":0-342 +movie: agentenv-tool/ToolUsage/data/movie.jsonl "id":0-237 +academia: agentenv-tool/ToolUsage/data/academia.jsonl "id":0-19 +todo: agentenv-tool/ToolUsage/data/todo.jsonl "id":0-154 +sheet: agentenv-tool/ToolUsage/data/sheet.jsonl "id":0-19 +``` diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/README.md b/openmanus_rl/agentgym/agentenv-tool/Toolusage/README.md new file mode 100644 index 00000000..36c1ed72 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/README.md @@ -0,0 +1 @@ +These codes are based on [AgentBoard](https://github.com/hkust-nlp/AgentBoard). diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/data/academia.jsonl b/openmanus_rl/agentgym/agentenv-tool/Toolusage/data/academia.jsonl new file mode 100644 index 00000000..10dff371 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/data/academia.jsonl @@ -0,0 +1,20 @@ +{"task": "tool-query", "id": 0, "goal": "How many mutual collaborators do Florian Kirchbuchner and Fadi Boutros share? Please give me a numerical value as an answer.", "subgoals": [2], "additional_info": {"answer": 2, "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "easy"} +{"task": "tool-query", "id": 1, "goal": "Which paper by Lazhar Labiod has the most citations in the DBLP citation network?", "subgoals": ["Efficient Graph Convolution for Joint Node Representation Learning and Clustering"], "additional_info": {"answer": "Efficient Graph Convolution for Joint Node Representation Learning and Clustering", "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "hard"} +{"task": "tool-query", "id": 2, "goal": "Who are the co-authors with whom Lazhar Labiod has written the paper that has the highest number of citations in the DBLP citation network? Please answer in the form of a list ['author1', 'author2', ...].", "subgoals": [["Chakib Fettal", "Mohamed Nadif"]], "additional_info": {"answer": ["Chakib Fettal", "Mohamed Nadif"], "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "hard"} +{"task": "tool-query", "id": 3, "goal": "In the DBLP citation network, which venue has the most publications by Andrea Omicini?", "subgoals": ["EXPLAINABLE AND TRANSPARENT AI AND MULTI-AGENT SYSTEMS, EXTRAAMAS 2022"], "additional_info": {"answer": "EXPLAINABLE AND TRANSPARENT AI AND MULTI-AGENT SYSTEMS, EXTRAAMAS 2022", "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "hard"} +{"task": "tool-query", "id": 4, "goal": "How many citations do papers co-authored by Florian Kirchbuchner and Fadi Boutros have in the DBLP citation network? Please give me a numerical value as an answer.", "subgoals": [51], "additional_info": {"answer": 51, "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "hard"} +{"task": "tool-query", "id": 5, "goal": "Who has the most collaborations with Lazhar Labiod in the DBLP citation network?", "subgoals": ["Mohamed Nadif"], "additional_info": {"answer": "Mohamed Nadif", "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "easy"} +{"task": "tool-query", "id": 6, "goal": "Which organizations were involved in the research titled 'mToFNet: Object Anti-Spoofing with Mobile Time-of-Flight Data'? Please answer in the form of a list ['org1', 'org2', ...]", "subgoals": [["Chung-Ang University", "Line+"]], "additional_info": {"answer": ["Line+", "Chung-Ang University"], "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "hard"} +{"task": "tool-query", "id": 7, "goal": "Which keyword does Correia Miguel emphasize most frequently in the DBLP citation network?", "subgoals": ["Intel SGX"], "additional_info": {"answer": "Intel SGX", "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "hard"} +{"task": "tool-query", "id": 8, "goal": "Who wrote the paper titled 'Density Ratio Estimation via Infinitesimal Classification'? Please answer in the form of a list ['author1', 'author2', ...].", "subgoals": [["Chenlin Meng", "Stefano Ermon", "Yang Song_2"]], "additional_info": {"answer": ["Chenlin Meng", "Yang Song_2", "Stefano Ermon"], "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "easy"} +{"task": "tool-query", "id": 9, "goal": "Do the authors of 'Decoupled Dynamic Spatial-Temporal Graph Neural Network for Traffic Forecasting._2' and 'Evolutionary Clustering of Moving Objects' have any overlap? Please respond with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "easy"} +{"task": "tool-query", "id": 10, "goal": "Which organizations is Yilun Zhou affiliated with?", "subgoals": ["MIT"], "additional_info": {"answer": "MIT", "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "easy"} +{"task": "tool-query", "id": 11, "goal": "Is Tonghan Wang_2 affiliated with the same organization as Zeyang Zhang? Please answer 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "easy"} +{"task": "tool-query", "id": 12, "goal": "How many papers within the DBLP citation network reference the work titled 'Joint extraction of entities and overlapping relations by improved graph convolutional networks'? Please give me a numerical value as an answer.", "subgoals": [8], "additional_info": {"answer": 8, "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "easy"} +{"task": "tool-query", "id": 13, "goal": "Which paper has received more citations: 'Stability and Risk Bounds of Iterative Hard Thresholding' or 'Compressive Wideband Spectrum Sensing and Signal Recovery With Unknown Multipath Channels'?", "subgoals": ["Stability and Risk Bounds of Iterative Hard Thresholding"], "additional_info": {"answer": "Stability and Risk Bounds of Iterative Hard Thresholding", "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "easy"} +{"task": "tool-query", "id": 14, "goal": "Which paper was published first: 'Topology optimization of structures undergoing brittle fracture' or 'Classification Model for IDS Using Auto Cryptographic Denoising Technique'?", "subgoals": ["Topology optimization of structures undergoing brittle fracture"], "additional_info": {"answer": "Topology optimization of structures undergoing brittle fracture", "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "easy"} +{"task": "tool-query", "id": 15, "goal": "Is the article 'Road Traffic Forecast Based on Meteorological Information through Deep Learning Methods' from the same publication venue as 'Dynamic Selection Techniques for Detecting GPS Spoofing Attacks on UAVs'? Please answer 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "easy"} +{"task": "tool-query", "id": 16, "goal": "Are the articles 'Road Traffic Forecast Based on Meteorological Information through Deep Learning Methods' and 'Dynamic Selection Techniques for Detecting GPS Spoofing Attacks on UAVs' published in the same venue and in the same year? Please answer 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "easy"} +{"task": "tool-query", "id": 17, "goal": "Are 'Sliding Mode FTC of an Octoplane UAV transition mode' and 'Panoptic Visual Analytics of Eye Tracking Data' both conference papers? Please answer 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "easy"} +{"task": "tool-query", "id": 18, "goal": "Who are the collaborators of Jay Leverett from the same organization as him? Please provide the names in the following format: ['author1', 'author2', ...]", "subgoals": [["Aayush Prakash", "Daeil Kim"]], "additional_info": {"answer": ["Daeil Kim", "Aayush Prakash"], "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "hard"} +{"task": "tool-query", "id": 19, "goal": "Of Fred Zhang's collaborators, who are from different organizations than Fred Zhang? Please provide a list in the format: ['author1', 'author2', ...].", "subgoals": [["Ali Vakilian", "Justin Y. Chen", "Sandeep Silwal_3"]], "additional_info": {"answer": ["Justin Y. Chen", "Sandeep Silwal_3", "Ali Vakilian"], "init_config": null, "goal_type": 0, "tool": "academia"}, "difficulty": "hard"} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/data/movie.jsonl b/openmanus_rl/agentgym/agentenv-tool/Toolusage/data/movie.jsonl new file mode 100644 index 00000000..0ec7d8c8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/data/movie.jsonl @@ -0,0 +1,238 @@ +{"id": 0, "goal": "Where was the director of Minions: The Rise of Gru born? Please answer me with the birthplace as a string.", "subgoals": ["Tucson, Arizona, USA"], "additional_info": {"answer": "Tucson, Arizona, USA", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 1, "goal": "Is the director of The Dark Knight the same as the director of Spider-Man: Across the Spider-Verse? Please answer with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 2, "goal": "Avatar versus Forrest Gump, which has a higher rating? Please answer me with the film name as a string.", "subgoals": ["Forrest Gump"], "additional_info": {"answer": "Forrest Gump", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 3, "goal": "Did the movie 'How do you know' make a profit? Please answer with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 4, "goal": "In 'The Dark Knight' and 'The Pursuit of Happyness', which of the two movies had higher earnings? Please answer me with the film name as a string.", "subgoals": ["'The Dark Knight'"], "additional_info": {"answer": "'The Dark Knight'", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 5, "goal": "Does Top Gun: Maverick and Black Panther: Wakanda Forever share a common genre? Please answer with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 6, "goal": "What character did Cate Blanchett play in Don't Look Up? Please answer me with the character's name as a string.", "subgoals": ["Brie Evantee"], "additional_info": {"answer": "Brie Evantee", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 7, "goal": "The actress who played Evelyn Wang in \"Everything Everywhere All at Once\", what role did she play in \"Crouching Tiger, Hidden Dragon\"?", "subgoals": ["Yu Shu Lien"], "additional_info": {"answer": "Yu Shu Lien", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 8, "goal": "Which movie was released earlier, Turning Red or Everything Everywhere All at Once?", "subgoals": ["Turning Red"], "additional_info": {"answer": "Turning Red", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 9, "goal": "Is Black Panther: Wakanda Forever a movie produced by Marvel Studios? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 10, "goal": "Is the movie 'Disenchanted' a Japanese film? Please answer with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 11, "goal": "Are 'Disenchanted' and 'Lighting Up the Stars' movies from the same country? Please answer with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 12, "goal": "May I ask, in which movie did Brad Pitt first gain attention?", "subgoals": ["Thelma & Louise"], "additional_info": {"answer": "Thelma & Louise", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 13, "goal": "Who is the director of the film that Brad Pitt first gained attention? Please answer me with the director's name as a string.", "subgoals": ["Robert Redford"], "additional_info": {"answer": "Robert Redford", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 14, "goal": "In the movie for which Michelle Yeoh won the Oscar for Best Actress, what role did Jamie Lee Curtis play? Please answer me with the character's name as a string.", "subgoals": ["Deirdre Beaubeirdre"], "additional_info": {"answer": "Deirdre Beaubeirdre", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 15, "goal": "I am very interested in the actress who plays Wanda Maximoff in Doctor Strange in the Multiverse of Madness. What is her IMDB ID? Please provide the IMDB ID as a string.", "subgoals": ["nm0647634"], "additional_info": {"answer": "nm0647634", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 16, "goal": "Brendan Fraser won the Academy Award for Best Actor in 2023. I would like to see the movie for which he won the award. What is its official Korean title? Please provide the title as a string.", "subgoals": ["\ub354 \uc6e8\uc77c"], "additional_info": {"answer": "\ub354 \uc6e8\uc77c", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 17, "goal": "Jessica Chastain won the Academy Award for Best Actress in 2022. Please give an overview in Dutch about the movie for which she won the award.", "subgoals": ["In de jaren 70 en 80 cre\u00eberden Tammy Faye en haar man, Jim Bakker, vanuit het niets 's werelds grootste religieuze omroep en themapark en werden ze vereerd vanwege hun boodschap van liefde, acceptatie en welvaart. Het duurde echter niet lang voordat financi\u00eble onregelmatigheden, sluwe rivalen en schandalen hun zorgvuldig opgebouwde rijk ten val brachten."], "additional_info": {"answer": "In de jaren 70 en 80 cre\u00eberden Tammy Faye en haar man, Jim Bakker, vanuit het niets 's werelds grootste religieuze omroep en themapark en werden ze vereerd vanwege hun boodschap van liefde, acceptatie en welvaart. Het duurde echter niet lang voordat financi\u00eble onregelmatigheden, sluwe rivalen en schandalen hun zorgvuldig opgebouwde rijk ten val brachten.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 18, "goal": "What is the budget of the movie \"Inception\"? Please provide the budget as a number.", "subgoals": [160000000], "additional_info": {"answer": 160000000, "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 19, "goal": "Where was the actress Emma Stone born? Please answer me with the location as a string.", "subgoals": ["Scottsdale, Arizona, USA"], "additional_info": {"answer": "Scottsdale, Arizona, USA", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 20, "goal": "Is the movie \"The Matrix Resurrections\" directed by Lana Wachowski? Please answer with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 21, "goal": "Which movie has a higher revenue, \"Avengers: Endgame\" or \"Jurassic World\"? Please answer me with the film name as a string.", "subgoals": ["Avengers: Endgame"], "additional_info": {"answer": "Avengers: Endgame", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 22, "goal": "Did the movie \"La La Land\" win any Oscars? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 23, "goal": "Do the movies \"The Godfather\" and \"Pulp Fiction\" share a common genre? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 24, "goal": "What is the release date of the movie \"Interstellar\"? Please provide the date in the format YYYY-MM-DD.", "subgoals": ["2014-11-05"], "additional_info": {"answer": "2014-11-05", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 25, "goal": "Is the movie \"The Social Network\" based on a true story? Please answer with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 26, "goal": "What is the biography of actor Leonardo DiCaprio?", "subgoals": ["Leonardo Wilhelm DiCaprio (born November 11, 1974) is an American actor and film producer. Known for his work in biopics and period films, DiCaprio is the recipient of numerous accolades, including an Academy Award, a British Academy Film Award, and three Golden Globe Awards. As of 2019, his films have grossed over $7.2 billion worldwide, and he has been placed eight times in annual rankings of the world's highest-paid actors.\n\nBorn in Los Angeles, DiCaprio began his career in the late 1980s by appearing in television commercials. In the early 1990s, he had recurring roles in various television shows, such as the sitcom Parenthood, and had his first major film part as author Tobias Wolff in This Boy's Life (1993). At age 19, he received critical acclaim and his first Academy Award and Golden Globe Award nominations for his performance as a developmentally disabled boy in What's Eating Gilbert Grape (1993). He achieved international stardom with the star-crossed romances Romeo + Juliet (1996) and Titanic (1997).\n\nAfter the latter became the highest-grossing film at the time, he reduced his workload for a few years. In an attempt to shed his image of a romantic hero, DiCaprio sought roles in other genres, including crime drama in Catch Me If You Can (2002) and Gangs of New York (2002); the latter marked the first of his many successful collaborations with director Martin Scorsese. DiCaprio portrayed Howard Hughes in The Aviator (2004) and received acclaim for his performances in the political thriller Blood Diamond (2006), the crime drama The Departed (2006), and the romantic drama Revolutionary Road (2008).\n\nIn the following decade, DiCaprio starred in several high-profile directors' projects, including the science fiction thriller Inception (2010), the western Django Unchained (2012), the biopic The Wolf of Wall Street (2013), the survival drama The Revenant (2015), for which he won an Academy Award and a BAFTA Award for Best Actor in a Leading Role, and the comedy-drama Once Upon a Time in Hollywood (2019), all of which were critical and commercial successes.\n\nDiCaprio is the founder of Appian Way Productions, a production company that has produced some of his films and the documentary series Greensburg (2008\u20132010), and the Leonardo DiCaprio Foundation, a nonprofit organization devoted to promoting environmental awareness. He regularly supports charitable causes and has produced several documentaries on the environment. In 2005, he was named a Commander of the Ordre des Arts et des Lettres for his contributions to the arts, and in 2016, he appeared in Time magazine's 100 most influential people in the world."], "additional_info": {"answer": "Leonardo Wilhelm DiCaprio (born November 11, 1974) is an American actor and film producer. Known for his work in biopics and period films, DiCaprio is the recipient of numerous accolades, including an Academy Award, a British Academy Film Award, and three Golden Globe Awards. As of 2019, his films have grossed over $7.2 billion worldwide, and he has been placed eight times in annual rankings of the world's highest-paid actors.\n\nBorn in Los Angeles, DiCaprio began his career in the late 1980s by appearing in television commercials. In the early 1990s, he had recurring roles in various television shows, such as the sitcom Parenthood, and had his first major film part as author Tobias Wolff in This Boy's Life (1993). At age 19, he received critical acclaim and his first Academy Award and Golden Globe Award nominations for his performance as a developmentally disabled boy in What's Eating Gilbert Grape (1993). He achieved international stardom with the star-crossed romances Romeo + Juliet (1996) and Titanic (1997).\n\nAfter the latter became the highest-grossing film at the time, he reduced his workload for a few years. In an attempt to shed his image of a romantic hero, DiCaprio sought roles in other genres, including crime drama in Catch Me If You Can (2002) and Gangs of New York (2002); the latter marked the first of his many successful collaborations with director Martin Scorsese. DiCaprio portrayed Howard Hughes in The Aviator (2004) and received acclaim for his performances in the political thriller Blood Diamond (2006), the crime drama The Departed (2006), and the romantic drama Revolutionary Road (2008).\n\nIn the following decade, DiCaprio starred in several high-profile directors' projects, including the science fiction thriller Inception (2010), the western Django Unchained (2012), the biopic The Wolf of Wall Street (2013), the survival drama The Revenant (2015), for which he won an Academy Award and a BAFTA Award for Best Actor in a Leading Role, and the comedy-drama Once Upon a Time in Hollywood (2019), all of which were critical and commercial successes.\n\nDiCaprio is the founder of Appian Way Productions, a production company that has produced some of his films and the documentary series Greensburg (2008\u20132010), and the Leonardo DiCaprio Foundation, a nonprofit organization devoted to promoting environmental awareness. He regularly supports charitable causes and has produced several documentaries on the environment. In 2005, he was named a Commander of the Ordre des Arts et des Lettres for his contributions to the arts, and in 2016, he appeared in Time magazine's 100 most influential people in the world.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 27, "goal": "Is the movie \"The Revenant\" set in a post-apocalyptic world? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 28, "goal": "What is the average vote score of the movie \"The Godfather Part II\"? Please provide the answer as a number.", "subgoals": [8.576], "additional_info": {"answer": 8.576, "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 29, "goal": "Who played the character of Jack Dawson in the movie \"Titanic\"? Please answer me with the actor's name as a string.", "subgoals": ["Leonardo DiCaprio"], "additional_info": {"answer": "Leonardo DiCaprio", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 30, "goal": "Is the movie \"The Silence of the Lambs\" a horror film? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 31, "goal": "What are the production companies of the movie \"Joker\"? Please provide the names as an array.", "subgoals": [["Bron Studios", "DC Films", "Joint Effort", "Village Roadshow Pictures", "Warner Bros. Pictures"]], "additional_info": {"answer": ["Bron Studios", "DC Films", "Joint Effort", "Village Roadshow Pictures", "Warner Bros. Pictures"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 32, "goal": "Is the movie \"The Grand Budapest Hotel\" directed by Wes Anderson? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 33, "goal": "What is the place of birth of actor Tom Hanks? Please answer me with the location as a string.", "subgoals": ["Concord, California, USA"], "additional_info": {"answer": "Concord, California, USA", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 34, "goal": "Who directed the movie \"The Shawshank Redemption\"? Please answer me with the director's name as a string.", "subgoals": ["Frank Darabont"], "additional_info": {"answer": "Frank Darabont", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 35, "goal": "What is the release date of \"The Matrix Resurrections\"? Please provide the date in the format YYYY-MM-DD.", "subgoals": ["2021-12-16"], "additional_info": {"answer": "2021-12-16", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 36, "goal": "Which production company worked on \"Jurassic Park\"? Please provide the names of the production companies in an array.", "subgoals": [["Amblin Entertainment", "Universal Pictures"]], "additional_info": {"answer": ["Amblin Entertainment", "Universal Pictures"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 37, "goal": "Who directed the movie \"Inception\"? Please answer me with the director's name as a string.", "subgoals": ["Christopher Nolan"], "additional_info": {"answer": "Christopher Nolan", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 38, "goal": "Does the movie \"Jurassic Park\" have any alternative titles? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 39, "goal": "What is the budget of \"The Avengers\"? Please provide the budget as a number.", "subgoals": [220000000], "additional_info": {"answer": 220000000, "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 40, "goal": "What is the release date of \"Interstellar\"? Please provide the date in the format YYYY-MM-DD.", "subgoals": ["2014-11-05"], "additional_info": {"answer": "2014-11-05", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 41, "goal": "Is the actor Tom Hanks part of the cast in \"Saving Private Ryan\"? Please answer with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 42, "goal": "Where was the actress Scarlett Johansson born? Please answer me with the location as a string.", "subgoals": ["New York City, New York, USA"], "additional_info": {"answer": "New York City, New York, USA", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 43, "goal": "What genre does the movie \"The Shawshank Redemption\" belong to? Please answer me with a list of genres.", "subgoals": [["Crime", "Drama"]], "additional_info": {"answer": ["Crime", "Drama"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 44, "goal": "Did the movie \"The Lion King\" generate revenue? Please answer with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 45, "goal": "Who wrote the screenplay for \"The Godfather\"? Please answer me with the name of the writer as a string.", "subgoals": ["Mario Puzo"], "additional_info": {"answer": "Mario Puzo", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 46, "goal": "Is there any translation available for the movie \"Pulp Fiction\"? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 47, "goal": "What is the IMDB id of actress Emma Stone? Please provide the answer as a string.", "subgoals": ["nm1297015"], "additional_info": {"answer": "nm1297015", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 48, "goal": "What is the Facebook id of actor Chris Evans? Please provide the answer as a string.", "subgoals": ["chrisevans"], "additional_info": {"answer": "chrisevans", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 49, "goal": "What is the Instagram id of actor Dwayne Johnson? Please provide the Instagram id as a string.", "subgoals": ["therock"], "additional_info": {"answer": "therock", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 50, "goal": "What is the Twitter id of actress Jennifer Lawrence? Please provide the Twitter id as a string.", "subgoals": ["JLawrence_RepUs"], "additional_info": {"answer": "JLawrence_RepUs", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 51, "goal": "Are there any keywords associated with the movie \"The Matrix\"? Please provide me with a list of keywords.", "subgoals": [["action hero", "artificial intelligence (a.i.)", "complex", "cyberpunk", "dream", "dream world", "dystopia", "fight", "gnosticism", "hacker", "insurgence", "man vs machine", "martial arts", "messiah", "philosophy", "prophecy", "saving the world", "self sacrifice", "simulated reality ", "truth", "virtual reality", "woman director"]], "additional_info": {"answer": ["action hero", "artificial intelligence (a.i.)", "complex", "cyberpunk", "dream", "dream world", "dystopia", "fight", "gnosticism", "hacker", "insurgence", "man vs machine", "martial arts", "messiah", "philosophy", "prophecy", "saving the world", "self sacrifice", "simulated reality ", "truth", "virtual reality", "woman director"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 52, "goal": "Who was the producer of the movie \"The Dark Knight Rises\"? Please provide the name of the producer as an array.", "subgoals": [["Charles Roven", "Christopher Nolan", "Emma Thomas"]], "additional_info": {"answer": ["Charles Roven", "Christopher Nolan", "Emma Thomas"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 53, "goal": "What is the place of birth of actor Robert Downey Jr.? Please answer me with the location as a string.", "subgoals": ["New York City, New York, USA"], "additional_info": {"answer": "New York City, New York, USA", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 54, "goal": "Is the movie \"Inglourious Basterds\" produced by Quentin Tarantino? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 55, "goal": "Is the budget of The Godfather higher than the budget of Titanic? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 56, "goal": "Who directed the movie Inception? Please answer me with the director's name as a string.", "subgoals": ["Christopher Nolan"], "additional_info": {"answer": "Christopher Nolan", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 57, "goal": "What is the release date of The Shawshank Redemption? Please provide the date in the format of YYYY-MM-DD.", "subgoals": ["1994-09-23"], "additional_info": {"answer": "1994-09-23", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 58, "goal": "Did the movie Jurassic Park earn more revenue than The Lion King? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 59, "goal": "Are there any common genres between The Matrix and Inception? Please answer me with a Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 60, "goal": "What role did Tom Hanks play in Saving Private Ryan? Please answer me with the character's name as a string.", "subgoals": ["Captain John H. Miller"], "additional_info": {"answer": "Captain John H. Miller", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 61, "goal": "Which movie was released first, Pulp Fiction or Forrest Gump? Please answer me with the film name as a string.", "subgoals": ["Forrest Gump"], "additional_info": {"answer": "Forrest Gump", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 62, "goal": "Is there any common production company between The Avengers and Iron Man? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 63, "goal": "Who composed the music for The Lord of the Rings: The Fellowship of the Ring? Please answer me with the composer's name as a string.", "subgoals": ["Howard Shore"], "additional_info": {"answer": "Howard Shore", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 64, "goal": "What is the place of birth of Scarlett Johansson? Please answer me with the location as a string.", "subgoals": ["New York City, New York, USA"], "additional_info": {"answer": "New York City, New York, USA", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 65, "goal": "Did the movie Interstellar make a profit? Please answer with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 66, "goal": "Are there any common production countries between Gladiator and Braveheart? Please answer me with the name of the country as a string.", "subgoals": ["United States of America"], "additional_info": {"answer": "United States of America", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 67, "goal": "Who wrote the screenplay for The Social Network? Please answer me with the name of the writer as a string.", "subgoals": ["Aaron Sorkin"], "additional_info": {"answer": "Aaron Sorkin", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 68, "goal": "What is the biography of Leonardo DiCaprio?", "subgoals": ["Leonardo Wilhelm DiCaprio (born November 11, 1974) is an American actor and film producer. Known for his work in biopics and period films, DiCaprio is the recipient of numerous accolades, including an Academy Award, a British Academy Film Award, and three Golden Globe Awards. As of 2019, his films have grossed over $7.2 billion worldwide, and he has been placed eight times in annual rankings of the world's highest-paid actors.\n\nBorn in Los Angeles, DiCaprio began his career in the late 1980s by appearing in television commercials. In the early 1990s, he had recurring roles in various television shows, such as the sitcom Parenthood, and had his first major film part as author Tobias Wolff in This Boy's Life (1993). At age 19, he received critical acclaim and his first Academy Award and Golden Globe Award nominations for his performance as a developmentally disabled boy in What's Eating Gilbert Grape (1993). He achieved international stardom with the star-crossed romances Romeo + Juliet (1996) and Titanic (1997).\n\nAfter the latter became the highest-grossing film at the time, he reduced his workload for a few years. In an attempt to shed his image of a romantic hero, DiCaprio sought roles in other genres, including crime drama in Catch Me If You Can (2002) and Gangs of New York (2002); the latter marked the first of his many successful collaborations with director Martin Scorsese. DiCaprio portrayed Howard Hughes in The Aviator (2004) and received acclaim for his performances in the political thriller Blood Diamond (2006), the crime drama The Departed (2006), and the romantic drama Revolutionary Road (2008).\n\nIn the following decade, DiCaprio starred in several high-profile directors' projects, including the science fiction thriller Inception (2010), the western Django Unchained (2012), the biopic The Wolf of Wall Street (2013), the survival drama The Revenant (2015), for which he won an Academy Award and a BAFTA Award for Best Actor in a Leading Role, and the comedy-drama Once Upon a Time in Hollywood (2019), all of which were critical and commercial successes.\n\nDiCaprio is the founder of Appian Way Productions, a production company that has produced some of his films and the documentary series Greensburg (2008\u20132010), and the Leonardo DiCaprio Foundation, a nonprofit organization devoted to promoting environmental awareness. He regularly supports charitable causes and has produced several documentaries on the environment. In 2005, he was named a Commander of the Ordre des Arts et des Lettres for his contributions to the arts, and in 2016, he appeared in Time magazine's 100 most influential people in the world."], "additional_info": {"answer": "Leonardo Wilhelm DiCaprio (born November 11, 1974) is an American actor and film producer. Known for his work in biopics and period films, DiCaprio is the recipient of numerous accolades, including an Academy Award, a British Academy Film Award, and three Golden Globe Awards. As of 2019, his films have grossed over $7.2 billion worldwide, and he has been placed eight times in annual rankings of the world's highest-paid actors.\n\nBorn in Los Angeles, DiCaprio began his career in the late 1980s by appearing in television commercials. In the early 1990s, he had recurring roles in various television shows, such as the sitcom Parenthood, and had his first major film part as author Tobias Wolff in This Boy's Life (1993). At age 19, he received critical acclaim and his first Academy Award and Golden Globe Award nominations for his performance as a developmentally disabled boy in What's Eating Gilbert Grape (1993). He achieved international stardom with the star-crossed romances Romeo + Juliet (1996) and Titanic (1997).\n\nAfter the latter became the highest-grossing film at the time, he reduced his workload for a few years. In an attempt to shed his image of a romantic hero, DiCaprio sought roles in other genres, including crime drama in Catch Me If You Can (2002) and Gangs of New York (2002); the latter marked the first of his many successful collaborations with director Martin Scorsese. DiCaprio portrayed Howard Hughes in The Aviator (2004) and received acclaim for his performances in the political thriller Blood Diamond (2006), the crime drama The Departed (2006), and the romantic drama Revolutionary Road (2008).\n\nIn the following decade, DiCaprio starred in several high-profile directors' projects, including the science fiction thriller Inception (2010), the western Django Unchained (2012), the biopic The Wolf of Wall Street (2013), the survival drama The Revenant (2015), for which he won an Academy Award and a BAFTA Award for Best Actor in a Leading Role, and the comedy-drama Once Upon a Time in Hollywood (2019), all of which were critical and commercial successes.\n\nDiCaprio is the founder of Appian Way Productions, a production company that has produced some of his films and the documentary series Greensburg (2008\u20132010), and the Leonardo DiCaprio Foundation, a nonprofit organization devoted to promoting environmental awareness. He regularly supports charitable causes and has produced several documentaries on the environment. In 2005, he was named a Commander of the Ordre des Arts et des Lettres for his contributions to the arts, and in 2016, he appeared in Time magazine's 100 most influential people in the world.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 69, "goal": "What role did Morgan Freeman play in The Dark Knight? Please answer me with the character name as a string.", "subgoals": ["Lucius Fox"], "additional_info": {"answer": "Lucius Fox", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 70, "goal": "Are there any common keywords between Fight Club and The Matrix? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 71, "goal": "What is the birthday of Brad Pitt? Please provide the date in the format YYYY-MM-DD.", "subgoals": ["1963-12-18"], "additional_info": {"answer": "1963-12-18", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 72, "goal": "Which movie has a higher vote average, The Godfather or The Dark Knight? Please answer me with the film name as a string.", "subgoals": ["The Godfather"], "additional_info": {"answer": "The Godfather", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 73, "goal": "Who directed the movie Joker? Please answer me with the director's name as a string.", "subgoals": ["Todd Phillips"], "additional_info": {"answer": "Todd Phillips", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 74, "goal": "What is the place of birth of Christopher Nolan? Please answer me with the location as a string.", "subgoals": ["Westminster, London, England, UK"], "additional_info": {"answer": "Westminster, London, England, UK", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 75, "goal": "Are there any common production companies between The Silence of the Lambs and Schindler's List? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 76, "goal": "Who composed the music for The Lion King? Please answer me with the composer's name as a string.", "subgoals": ["Hans Zimmer"], "additional_info": {"answer": "Hans Zimmer", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 77, "goal": "What is the biography of Steven Spielberg?", "subgoals": ["Steven Allan Spielberg (born December 18, 1946) is an American film director, writer and producer. A major figure of the New Hollywood era and pioneer of the modern blockbuster, he is the most commercially successful director of all time. Spielberg is the recipient of various accolades, including three Academy Awards, a Kennedy Center honor, four Directors Guild of America Awards, two BAFTA Awards, a Cecil B. DeMille Award and an AFI Life Achievement Award. Seven of his films have been inducted into the National Film Registry by the Library of Congress as \"culturally, historically or aesthetically significant\".\n\nSpielberg was born in Cincinnati, Ohio, and grew up in Phoenix, Arizona. He moved to California and studied film in college. After directing several episodes for television including Night Gallery and Columbo, he directed the television film Duel (1971) which gained acclaim from critics and audiences. He made his directorial film debut with The Sugarland Express (1974), and became a household name with the 1975 summer blockbuster Jaws. He then directed huge box office successes Close Encounters of the Third Kind (1977), E.T. the Extra-Terrestrial (1982) and the Indiana Jones original trilogy (1981-89). Spielberg subsequently explored drama in the acclaimed The Color Purple (1985) and Empire of the Sun (1987).\n\nAfter a brief hiatus, Spielberg directed the science fiction thriller Jurassic Park (1993), the highest-grossing film ever at the time, and the Holocaust drama Schindler's List (1993), which has often been listed as one of the greatest films ever made. He won the Academy Award for Best Director for the latter and for the 1998 World War II epic Saving Private Ryan. Spielberg continued in the 2000s with science fiction films A.I. Artificial Intelligence (2001), Minority Report (2002) and War of the Worlds (2005). He also directed the adventure films The Adventures of Tintin (2011) and Ready Player One (2018); the historical dramas Amistad (1997), Munich (2005), War Horse (2011), Lincoln (2012), Bridge of Spies (2015) and The Post (2017); the musical West Side Story (2021); and the semi-autobiographical drama The Fabelmans (2022). He has been a producer on several successful films, including Poltergeist (1982), Gremlins (1984), Back to the Future (1985) and Who Framed Roger Rabbit (1988) as well as the miniseries Band of Brothers (2001).\n\nSpielberg co-founded Amblin Entertainment and DreamWorks, and has served as a producer for many successful films and television series. He is also known for his long collaboration with the composer John Williams, with whom he has worked for all but five of his feature films. Several of Spielberg's works are among the highest-grossing and greatest films all time. Premiere ranked him first place in the list of 100 Most Powerful People in Movies in 2003. In 2013, Time listed him as one of the 100 most influential people."], "additional_info": {"answer": "Steven Allan Spielberg (born December 18, 1946) is an American film director, writer and producer. A major figure of the New Hollywood era and pioneer of the modern blockbuster, he is the most commercially successful director of all time. Spielberg is the recipient of various accolades, including three Academy Awards, a Kennedy Center honor, four Directors Guild of America Awards, two BAFTA Awards, a Cecil B. DeMille Award and an AFI Life Achievement Award. Seven of his films have been inducted into the National Film Registry by the Library of Congress as \"culturally, historically or aesthetically significant\".\n\nSpielberg was born in Cincinnati, Ohio, and grew up in Phoenix, Arizona. He moved to California and studied film in college. After directing several episodes for television including Night Gallery and Columbo, he directed the television film Duel (1971) which gained acclaim from critics and audiences. He made his directorial film debut with The Sugarland Express (1974), and became a household name with the 1975 summer blockbuster Jaws. He then directed huge box office successes Close Encounters of the Third Kind (1977), E.T. the Extra-Terrestrial (1982) and the Indiana Jones original trilogy (1981-89). Spielberg subsequently explored drama in the acclaimed The Color Purple (1985) and Empire of the Sun (1987).\n\nAfter a brief hiatus, Spielberg directed the science fiction thriller Jurassic Park (1993), the highest-grossing film ever at the time, and the Holocaust drama Schindler's List (1993), which has often been listed as one of the greatest films ever made. He won the Academy Award for Best Director for the latter and for the 1998 World War II epic Saving Private Ryan. Spielberg continued in the 2000s with science fiction films A.I. Artificial Intelligence (2001), Minority Report (2002) and War of the Worlds (2005). He also directed the adventure films The Adventures of Tintin (2011) and Ready Player One (2018); the historical dramas Amistad (1997), Munich (2005), War Horse (2011), Lincoln (2012), Bridge of Spies (2015) and The Post (2017); the musical West Side Story (2021); and the semi-autobiographical drama The Fabelmans (2022). He has been a producer on several successful films, including Poltergeist (1982), Gremlins (1984), Back to the Future (1985) and Who Framed Roger Rabbit (1988) as well as the miniseries Band of Brothers (2001).\n\nSpielberg co-founded Amblin Entertainment and DreamWorks, and has served as a producer for many successful films and television series. He is also known for his long collaboration with the composer John Williams, with whom he has worked for all but five of his feature films. Several of Spielberg's works are among the highest-grossing and greatest films all time. Premiere ranked him first place in the list of 100 Most Powerful People in Movies in 2003. In 2013, Time listed him as one of the 100 most influential people.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 78, "goal": "Did the movie The Matrix Revolutions make a profit? Please answer with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 79, "goal": "Are there any common production countries between Avatar and Titanic? Please answer me with the name of the country as a string.", "subgoals": ["United States of America"], "additional_info": {"answer": "United States of America", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 80, "goal": "Who wrote the screenplay for The Shawshank Redemption? Please answer me with the name of the writer as a string.", "subgoals": ["Frank Darabont"], "additional_info": {"answer": "Frank Darabont", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 81, "goal": "What is the birthday of Emma Watson? Please provide the date in the format of YYYY-MM-DD.", "subgoals": ["1990-04-15"], "additional_info": {"answer": "1990-04-15", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 82, "goal": "Did the movie The Lord of the Rings: The Return of the King win any Academy Awards? Please answer with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 83, "goal": "Are there any common keywords between Forrest Gump and Titanic? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 84, "goal": "What role did Robert De Niro play in Taxi Driver? Please answer me with the character name as a string.", "subgoals": ["Travis Bickle"], "additional_info": {"answer": "Travis Bickle", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 85, "goal": "Which movie was released first, The Terminator or Die Hard? Please answer me with the film name as a string.", "subgoals": ["The Terminator"], "additional_info": {"answer": "The Terminator", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 86, "goal": "Is there any common production company between The Dark Knight Rises and Inception? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 87, "goal": "Who directed the movie Schindler's List? Please answer me with the director's name as a string.", "subgoals": ["Steven Spielberg"], "additional_info": {"answer": "Steven Spielberg", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 88, "goal": "What is the place of birth of Quentin Tarantino? Please answer me with the birthplace as a string.", "subgoals": ["Knoxville, Tennessee, USA"], "additional_info": {"answer": "Knoxville, Tennessee, USA", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 89, "goal": "Did the movie The Green Mile earn more revenue than The Shawshank Redemption? Please answer with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 90, "goal": "Are there any common production countries between The Godfather Part II and Goodfellas? Please answer with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 91, "goal": "Who wrote the screenplay for Inglourious Basterds? Please answer me with the name of the writer as a string.", "subgoals": ["Quentin Tarantino"], "additional_info": {"answer": "Quentin Tarantino", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 92, "goal": "What is the biography of Martin Scorsese? Please provide me with a brief summary.", "subgoals": ["Martin Charles Scorsese (born November 17, 1942) is an American film director, producer, screenwriter, and actor. One of the major figures of the New Hollywood era, he is widely regarded as one of the greatest and most influential directors in film history. Scorsese's body of work explores themes such as Italian-American identity, Catholic concepts of guilt and redemption, faith, machismo, nihilism, crime and sectarianism. Many of his films are known for their depiction of violence and the liberal use of profanity. Scorsese has also dedicated his life to film preservation and film restoration by founding the nonprofit organization The Film Foundation in 1990, as well as the World Cinema Foundation in 2007 and the African Film Heritage Project in 2017.\n\nScorsese studied at New York University (NYU), where he received a bachelor's degree in English literature in 1964, and received a master's degree in fine arts in film from NYU's Tisch School of the Arts in 1968. In 1967 Scorsese's first feature film Who's That Knocking at My Door was released and was accepted into the Chicago Film Festival, where critic Roger Ebert saw it and called it \"a marvelous evocation of American city life, announcing the arrival of an important new director\".\n\nHe has established a filmmaking history involving repeat collaborations with actors and film technicians, including nine films made with Robert De Niro. His films with De Niro are the psychological thriller Taxi Driver (1976), the biographical sports drama Raging Bull (1980), the satirical black comedy The King of Comedy (1982), the musical drama New York, New York (1977), the psychological thriller Cape Fear (1991), and the crime films Mean Streets (1973), Goodfellas (1990), Casino (1995) and The Irishman (2019). Scorsese has also been noted for his collaborations with actor Leonardo DiCaprio, having directed him in five films: the historical epic Gangs of New York (2002), the Howard Hughes biography The Aviator (2004), the crime thriller The Departed (2006), the psychological thriller Shutter Island (2010), and the Wall Street black comedy The Wolf of Wall Street (2013). The Departed won Scorsese an Academy Award for Best Director, and for Best Picture. Scorsese is also known for his long-time collaboration with film editor Thelma Schoonmaker, who has edited every Scorsese film beginning with Raging Bull. Scorsese's other film work includes the black comedy After Hours (1985), the romantic drama The Age of Innocence (1993), the children's adventure drama Hugo (2011), and the religious epics The Last Temptation of Christ (1988), Kundun (1997) and Silence (2016)."], "additional_info": {"answer": "Martin Charles Scorsese (born November 17, 1942) is an American film director, producer, screenwriter, and actor. One of the major figures of the New Hollywood era, he is widely regarded as one of the greatest and most influential directors in film history. Scorsese's body of work explores themes such as Italian-American identity, Catholic concepts of guilt and redemption, faith, machismo, nihilism, crime and sectarianism. Many of his films are known for their depiction of violence and the liberal use of profanity. Scorsese has also dedicated his life to film preservation and film restoration by founding the nonprofit organization The Film Foundation in 1990, as well as the World Cinema Foundation in 2007 and the African Film Heritage Project in 2017.\n\nScorsese studied at New York University (NYU), where he received a bachelor's degree in English literature in 1964, and received a master's degree in fine arts in film from NYU's Tisch School of the Arts in 1968. In 1967 Scorsese's first feature film Who's That Knocking at My Door was released and was accepted into the Chicago Film Festival, where critic Roger Ebert saw it and called it \"a marvelous evocation of American city life, announcing the arrival of an important new director\".\n\nHe has established a filmmaking history involving repeat collaborations with actors and film technicians, including nine films made with Robert De Niro. His films with De Niro are the psychological thriller Taxi Driver (1976), the biographical sports drama Raging Bull (1980), the satirical black comedy The King of Comedy (1982), the musical drama New York, New York (1977), the psychological thriller Cape Fear (1991), and the crime films Mean Streets (1973), Goodfellas (1990), Casino (1995) and The Irishman (2019). Scorsese has also been noted for his collaborations with actor Leonardo DiCaprio, having directed him in five films: the historical epic Gangs of New York (2002), the Howard Hughes biography The Aviator (2004), the crime thriller The Departed (2006), the psychological thriller Shutter Island (2010), and the Wall Street black comedy The Wolf of Wall Street (2013). The Departed won Scorsese an Academy Award for Best Director, and for Best Picture. Scorsese is also known for his long-time collaboration with film editor Thelma Schoonmaker, who has edited every Scorsese film beginning with Raging Bull. Scorsese's other film work includes the black comedy After Hours (1985), the romantic drama The Age of Innocence (1993), the children's adventure drama Hugo (2011), and the religious epics The Last Temptation of Christ (1988), Kundun (1997) and Silence (2016).", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 93, "goal": "Did the movie The Revenant win any Academy Awards? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 94, "goal": "Is the genre of the movie \"Inception\" the same as the genre of \"Interstellar\"? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 95, "goal": "Who directed the movie \"Pulp Fiction\"? Please answer me with the director's name as a string.", "subgoals": ["Quentin Tarantino"], "additional_info": {"answer": "Quentin Tarantino", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 96, "goal": "What is the release date of the movie \"The Shawshank Redemption\"? Please provide the date in the format of YYYY-MM-DD.", "subgoals": ["1994-09-23"], "additional_info": {"answer": "1994-09-23", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 97, "goal": "Does the movie \"Jurassic Park\" have the same production company as \"The Matrix\"? Please answer with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 98, "goal": "What is the budget of the movie \"Titanic\"? Please provide the budget as a number.", "subgoals": [200000000], "additional_info": {"answer": 200000000, "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 99, "goal": "Is the actress who played Hermione Granger in the Harry Potter series the same as the actress who played Belle in \"Beauty and the Beast\" (2017)? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 100, "goal": "What is the biography of the actor who played Tony Stark in the Marvel Cinematic Universe? Please answer me with a string.", "subgoals": ["Robert John Downey Jr. (born April 4, 1966) is an American actor and producer. His career has been characterized by critical and popular success in his youth, followed by a period of substance abuse and legal troubles, before a resurgence of commercial success later in his career. In 2008, Downey was named by Time magazine among the 100 most influential people in the world, and from 2013 to 2015, he was listed by Forbes as Hollywood's highest-paid actor.\n\nAt the age of five, he made his acting debut in his father Robert Downey Sr.'s film Pound in 1970. He subsequently worked with the Brat Pack in the teen films Weird Science (1985) and Less than Zero (1987). In 1992, Downey portrayed the title character in the biopic Chaplin, for which he was nominated for the Academy Award for Best Actor and won a BAFTA Award. Following a stint at the Corcoran Substance Abuse Treatment Facility on drug charges, he joined the TV series Ally McBeal, for which he won a Golden Globe Award. He was fired from the show in the wake of drug charges in 2000 and 2001. He stayed in a court-ordered drug treatment program and has maintained his sobriety since 2003.\n\nInitially, completion bond companies would not insure Downey, until Mel Gibson paid the insurance bond for the 2003 film The Singing Detective. He went on to star in the black comedy Kiss Kiss Bang Bang (2005), the thriller Zodiac (2007), and the action comedy Tropic Thunder (2008); for the latter, he was nominated for an Academy Award for Best Supporting Actor.\n\nDowney gained global recognition for starring as Tony Stark / Iron Man in ten films within the Marvel Cinematic Universe, beginning with Iron Man (2008), and leading up to Avengers: Endgame (2019). He has also played the title character in Guy Ritchie's Sherlock Holmes (2009), which earned him his second Golden Globe, and its sequel, Sherlock Holmes: A Game of Shadows (2011).\n\nIn 2024 he won his first Academy Award for Best Supporting Actor thanks to his work in \"Oppenheimer.\""], "additional_info": {"answer": "Robert John Downey Jr. (born April 4, 1966) is an American actor and producer. His career has been characterized by critical and popular success in his youth, followed by a period of substance abuse and legal troubles, before a resurgence of commercial success later in his career. In 2008, Downey was named by Time magazine among the 100 most influential people in the world, and from 2013 to 2015, he was listed by Forbes as Hollywood's highest-paid actor.\n\nAt the age of five, he made his acting debut in his father Robert Downey Sr.'s film Pound in 1970. He subsequently worked with the Brat Pack in the teen films Weird Science (1985) and Less than Zero (1987). In 1992, Downey portrayed the title character in the biopic Chaplin, for which he was nominated for the Academy Award for Best Actor and won a BAFTA Award. Following a stint at the Corcoran Substance Abuse Treatment Facility on drug charges, he joined the TV series Ally McBeal, for which he won a Golden Globe Award. He was fired from the show in the wake of drug charges in 2000 and 2001. He stayed in a court-ordered drug treatment program and has maintained his sobriety since 2003.\n\nInitially, completion bond companies would not insure Downey, until Mel Gibson paid the insurance bond for the 2003 film The Singing Detective. He went on to star in the black comedy Kiss Kiss Bang Bang (2005), the thriller Zodiac (2007), and the action comedy Tropic Thunder (2008); for the latter, he was nominated for an Academy Award for Best Supporting Actor.\n\nDowney gained global recognition for starring as Tony Stark / Iron Man in ten films within the Marvel Cinematic Universe, beginning with Iron Man (2008), and leading up to Avengers: Endgame (2019). He has also played the title character in Guy Ritchie's Sherlock Holmes (2009), which earned him his second Golden Globe, and its sequel, Sherlock Holmes: A Game of Shadows (2011).\n\nIn 2024 he won his first Academy Award for Best Supporting Actor thanks to his work in \"Oppenheimer.\"", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 101, "goal": "Did the actor who played Batman in \"The Dark Knight\" also appear in \"American Psycho\"? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 102, "goal": "What are the alternative titles for the movie \"La La Land\"? Please provide the alternative titles as an array.", "subgoals": [["A\u015f\u0131klar \u015eehri", "La La Land: Kalifornijas sap\u0146i", "La ciudad de las estrellas", "LaLaLand", "\u0633\u0631\u0632\u0645\u06cc\u0646 \u0631\u0648\u06cc\u0627\u0647\u0627", "\u0644\u0627 \u0644\u0627 \u0644\u0646\u062f", "\u0644\u0627\u0644\u0627 \u0644\u0646\u062f", "\u0e19\u0e04\u0e23\u0e14\u0e32\u0e23\u0e32", "\u30e9\u30fb\u30e9\u30fb\u30e9\u30f3\u30c9\uff1a2016", "\ub77c\ub77c\ub79c\ub4dc"]], "additional_info": {"answer": ["A\u015f\u0131klar \u015eehri", "La La Land: Kalifornijas sap\u0146i", "La ciudad de las estrellas", "LaLaLand", "\u0633\u0631\u0632\u0645\u06cc\u0646 \u0631\u0648\u06cc\u0627\u0647\u0627", "\u0644\u0627 \u0644\u0627 \u0644\u0646\u062f", "\u0644\u0627\u0644\u0627 \u0644\u0646\u062f", "\u0e19\u0e04\u0e23\u0e14\u0e32\u0e23\u0e32", "\u30e9\u30fb\u30e9\u30fb\u30e9\u30f3\u30c9\uff1a2016", "\ub77c\ub77c\ub79c\ub4dc"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 103, "goal": "Who wrote the screenplay for the movie \"The Social Network\"? Please answer me with the name of the writer as a string.", "subgoals": ["Aaron Sorkin"], "additional_info": {"answer": "Aaron Sorkin", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 104, "goal": "Is the movie \"The Godfather\" set in the same country as \"The Lord of the Rings: The Fellowship of the Ring\"? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 105, "goal": "What are the keywords associated with the movie \"Fight Club\"? Please give me an array of keywords.", "subgoals": [["alter ego", "based on novel or book", "breaking the fourth wall", "dissociative identity disorder", "dual identity", "dystopia", "fight", "insomnia", "nihilism", "quitting a job", "rage and hate", "self destructiveness", "split personality", "support group"]], "additional_info": {"answer": ["alter ego", "based on novel or book", "breaking the fourth wall", "dissociative identity disorder", "dual identity", "dystopia", "fight", "insomnia", "nihilism", "quitting a job", "rage and hate", "self destructiveness", "split personality", "support group"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 106, "goal": "What is the birthday of the actress who played Rey in the Star Wars sequel trilogy? Please provide the date in the format YYYY-MM-DD.", "subgoals": ["1992-04-10"], "additional_info": {"answer": "1992-04-10", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 107, "goal": "Did the actress who played Black Widow in the Marvel Cinematic Universe also appear in \"Lost in Translation\"? Please answer with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 108, "goal": "What is the revenue of the movie \"Avengers: Endgame\"? Please provide the revenue as a number.", "subgoals": [2800000000], "additional_info": {"answer": 2800000000, "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 109, "goal": "Who composed the music for the movie \"The Lion King\" (1994)? Please answer me with the composer's name as a string.", "subgoals": ["Hans Zimmer"], "additional_info": {"answer": "Hans Zimmer", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 110, "goal": "What is the release date of the movie \"Back to the Future\"? Please provide the date in the format YYYY-MM-DD.", "subgoals": ["1985-07-03"], "additional_info": {"answer": "1985-07-03", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 111, "goal": "Is the average vote score of the movie \"The Godfather\" higher than that of \"The Dark Knight\"? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 112, "goal": "What is the place of birth of the actor who played Jack Dawson in \"Titanic\"? Please provide the birthplace as a string.", "subgoals": ["Los Angeles, California, USA"], "additional_info": {"answer": "Los Angeles, California, USA", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 113, "goal": "Are the production countries of \"The Matrix\" and \"Inception\" the same? Please answer with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 114, "goal": "Can you provide the biography of the actress who portrayed Rey in the Star Wars sequel trilogy? Please answer me with a brief description.", "subgoals": ["Daisy Jazz Isobel Ridley (born 10 April 1992) is an English actress, who rose to prominence for her role as Rey in the Star Wars sequel trilogy: The Force Awakens (2015), The Last Jedi (2017), and The Rise of Skywalker (2019).\n\nShe also appeared in the mystery film Murder on the Orient Express (2017), played the title character of the romantic drama Ophelia (2018), and has done occasional voice acting, notably the live-action/animated film Peter Rabbit (2018) and video games such as 12 Minutes.\n\nDescription above from the Wikipedia article Daisy Ridley, licensed under CC-BY-SA, full list of contributors on Wikipedia."], "additional_info": {"answer": "Daisy Jazz Isobel Ridley (born 10 April 1992) is an English actress, who rose to prominence for her role as Rey in the Star Wars sequel trilogy: The Force Awakens (2015), The Last Jedi (2017), and The Rise of Skywalker (2019).\n\nShe also appeared in the mystery film Murder on the Orient Express (2017), played the title character of the romantic drama Ophelia (2018), and has done occasional voice acting, notably the live-action/animated film Peter Rabbit (2018) and video games such as 12 Minutes.\n\nDescription above from the Wikipedia article Daisy Ridley, licensed under CC-BY-SA, full list of contributors on Wikipedia.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 115, "goal": "What is the budget of the movie directed by Christopher Nolan that explores the concept of dreams within dreams? Please provide the budget as a number.", "subgoals": [160000000], "additional_info": {"answer": 160000000, "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 116, "goal": "Which actor starred in both \"Inception\" and \"The Wolf of Wall Street\"? Please answer me with the actor's name as a string.", "subgoals": ["Leonardo DiCaprio"], "additional_info": {"answer": "Leonardo DiCaprio", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 117, "goal": "What are the production countries of the movie \"Avatar\"? Please answer me with an array of country names.", "subgoals": [["United Kingdom", "United States of America"]], "additional_info": {"answer": ["United Kingdom", "United States of America"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 118, "goal": "Can you provide the alternative titles for the movie \"Pulp Fiction\"? Give me an array of alternative titles.", "subgoals": [["Fiction pulpeuse", "Lubene", "Makulatura", "Pulp Fiction", "Pulp Fiction - Chronological Cut", "Pulp Fiction - Tarinoita v\u00e4kivallasta", "Pulp Fiction: Historky z podsvetia", "Sifrut Zolla", "Sund", "Tiempos Violentos", "parup fikusyon", "\u03bc\u03c5\u03b8\u03bf\u03c0\u03bb\u03b1\u03c3\u03af\u03b1 \u03c0\u03bf\u03bb\u03c4\u03bf\u03cd", "\u0415\u0432\u0442\u0438\u043d\u0438 \u043f\u0440\u0438\u043a\u0430\u0437\u043d\u0438", "\u041a\u0440\u0438\u043ci\u043d\u0430\u043b\u044c\u043d\u0435 \u0447\u0442\u0438\u0432\u043e", "\u041a\u0440\u0438\u043c\u0438\u043d\u0430\u043b\u044c\u043d\u043e\u0435 \u0447\u0442\u0438\u0432\u043e", "\u041f\u0435\u0442\u043f\u0430\u0440\u0430\u0447\u043a\u0435 \u043f\u0440\u0438\u0447\u0435", "\u092a\u0932\u094d\u092a \u092b\u093f\u0915\u094d\u0936\u0928", "\u4f4e\u4fd7\u5c0f\u8bf4", "\u5371\u96aa\u4eba\u7269", "\u9ed1\u8272\u8ffd\u7ddd\u4ee4", "\ud384\ud504 \ud53d\uc158"]], "additional_info": {"answer": ["Fiction pulpeuse", "Lubene", "Makulatura", "Pulp Fiction", "Pulp Fiction - Chronological Cut", "Pulp Fiction - Tarinoita v\u00e4kivallasta", "Pulp Fiction: Historky z podsvetia", "Sifrut Zolla", "Sund", "Tiempos Violentos", "parup fikusyon", "\u03bc\u03c5\u03b8\u03bf\u03c0\u03bb\u03b1\u03c3\u03af\u03b1 \u03c0\u03bf\u03bb\u03c4\u03bf\u03cd", "\u0415\u0432\u0442\u0438\u043d\u0438 \u043f\u0440\u0438\u043a\u0430\u0437\u043d\u0438", "\u041a\u0440\u0438\u043ci\u043d\u0430\u043b\u044c\u043d\u0435 \u0447\u0442\u0438\u0432\u043e", "\u041a\u0440\u0438\u043c\u0438\u043d\u0430\u043b\u044c\u043d\u043e\u0435 \u0447\u0442\u0438\u0432\u043e", "\u041f\u0435\u0442\u043f\u0430\u0440\u0430\u0447\u043a\u0435 \u043f\u0440\u0438\u0447\u0435", "\u092a\u0932\u094d\u092a \u092b\u093f\u0915\u094d\u0936\u0928", "\u4f4e\u4fd7\u5c0f\u8bf4", "\u5371\u96aa\u4eba\u7269", "\u9ed1\u8272\u8ffd\u7ddd\u4ee4", "\ud384\ud504 \ud53d\uc158"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 119, "goal": "Who wrote the screenplay for the movie adaptation of \"The Lord of the Rings: The Return of the King\"? Please provide the names as an array.", "subgoals": [["Peter Jackson", "Philippa Boyens"]], "additional_info": {"answer": ["Peter Jackson", "Philippa Boyens"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 120, "goal": "What are the genres of the movie \"The Shawshank Redemption\"? Please answer me with an array.", "subgoals": [["Crime", "Drama"]], "additional_info": {"answer": ["Crime", "Drama"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 121, "goal": "Who directed the film that won the Palme d'Or at the Cannes Film Festival in 2022? Please answer me with the director's name as a string.", "subgoals": ["Ruben \u00d6stlund"], "additional_info": {"answer": "Ruben \u00d6stlund", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 122, "goal": "Can you provide the keywords associated with the movie \"The Matrix\"? Please answer me with an array.", "subgoals": [["action hero", "artificial intelligence (a.i.)", "complex", "cyberpunk", "dream", "dream world", "dystopia", "fight", "gnosticism", "hacker", "insurgence", "man vs machine", "martial arts", "messiah", "philosophy", "prophecy", "saving the world", "self sacrifice", "simulated reality ", "truth", "virtual reality", "woman director"]], "additional_info": {"answer": ["action hero", "artificial intelligence (a.i.)", "complex", "cyberpunk", "dream", "dream world", "dystopia", "fight", "gnosticism", "hacker", "insurgence", "man vs machine", "martial arts", "messiah", "philosophy", "prophecy", "saving the world", "self sacrifice", "simulated reality ", "truth", "virtual reality", "woman director"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 123, "goal": "Which actress won the Academy Award for Best Supporting Actress for her role in \"12 Years a Slave\"? Please answer me with the actress name as a string.", "subgoals": ["Lupita Nyong'o"], "additional_info": {"answer": "Lupita Nyong'o", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 124, "goal": "What are the production companies behind the movie \"Interstellar\"? Please provide the names as an array.", "subgoals": [["Legendary Pictures", "Lynda Obst Productions", "Syncopy"]], "additional_info": {"answer": ["Legendary Pictures", "Lynda Obst Productions", "Syncopy"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 125, "goal": "Who is the actor known for portraying Batman in the film directed by Christopher Nolan, which explores the theme of justice and morality? Please answer me with the actor's name as a string.", "subgoals": ["Christian Bale"], "additional_info": {"answer": "Christian Bale", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 126, "goal": "Can you provide the biography of the actor who played the lead role in the film adaptation of \"The Great Gatsby\"? Please answer me with a string.", "subgoals": ["Leonardo Wilhelm DiCaprio (born November 11, 1974) is an American actor and film producer. Known for his work in biopics and period films, DiCaprio is the recipient of numerous accolades, including an Academy Award, a British Academy Film Award, and three Golden Globe Awards. As of 2019, his films have grossed over $7.2 billion worldwide, and he has been placed eight times in annual rankings of the world's highest-paid actors.\n\nBorn in Los Angeles, DiCaprio began his career in the late 1980s by appearing in television commercials. In the early 1990s, he had recurring roles in various television shows, such as the sitcom Parenthood, and had his first major film part as author Tobias Wolff in This Boy's Life (1993). At age 19, he received critical acclaim and his first Academy Award and Golden Globe Award nominations for his performance as a developmentally disabled boy in What's Eating Gilbert Grape (1993). He achieved international stardom with the star-crossed romances Romeo + Juliet (1996) and Titanic (1997).\n\nAfter the latter became the highest-grossing film at the time, he reduced his workload for a few years. In an attempt to shed his image of a romantic hero, DiCaprio sought roles in other genres, including crime drama in Catch Me If You Can (2002) and Gangs of New York (2002); the latter marked the first of his many successful collaborations with director Martin Scorsese. DiCaprio portrayed Howard Hughes in The Aviator (2004) and received acclaim for his performances in the political thriller Blood Diamond (2006), the crime drama The Departed (2006), and the romantic drama Revolutionary Road (2008).\n\nIn the following decade, DiCaprio starred in several high-profile directors' projects, including the science fiction thriller Inception (2010), the western Django Unchained (2012), the biopic The Wolf of Wall Street (2013), the survival drama The Revenant (2015), for which he won an Academy Award and a BAFTA Award for Best Actor in a Leading Role, and the comedy-drama Once Upon a Time in Hollywood (2019), all of which were critical and commercial successes.\n\nDiCaprio is the founder of Appian Way Productions, a production company that has produced some of his films and the documentary series Greensburg (2008\u20132010), and the Leonardo DiCaprio Foundation, a nonprofit organization devoted to promoting environmental awareness. He regularly supports charitable causes and has produced several documentaries on the environment. In 2005, he was named a Commander of the Ordre des Arts et des Lettres for his contributions to the arts, and in 2016, he appeared in Time magazine's 100 most influential people in the world."], "additional_info": {"answer": "Leonardo Wilhelm DiCaprio (born November 11, 1974) is an American actor and film producer. Known for his work in biopics and period films, DiCaprio is the recipient of numerous accolades, including an Academy Award, a British Academy Film Award, and three Golden Globe Awards. As of 2019, his films have grossed over $7.2 billion worldwide, and he has been placed eight times in annual rankings of the world's highest-paid actors.\n\nBorn in Los Angeles, DiCaprio began his career in the late 1980s by appearing in television commercials. In the early 1990s, he had recurring roles in various television shows, such as the sitcom Parenthood, and had his first major film part as author Tobias Wolff in This Boy's Life (1993). At age 19, he received critical acclaim and his first Academy Award and Golden Globe Award nominations for his performance as a developmentally disabled boy in What's Eating Gilbert Grape (1993). He achieved international stardom with the star-crossed romances Romeo + Juliet (1996) and Titanic (1997).\n\nAfter the latter became the highest-grossing film at the time, he reduced his workload for a few years. In an attempt to shed his image of a romantic hero, DiCaprio sought roles in other genres, including crime drama in Catch Me If You Can (2002) and Gangs of New York (2002); the latter marked the first of his many successful collaborations with director Martin Scorsese. DiCaprio portrayed Howard Hughes in The Aviator (2004) and received acclaim for his performances in the political thriller Blood Diamond (2006), the crime drama The Departed (2006), and the romantic drama Revolutionary Road (2008).\n\nIn the following decade, DiCaprio starred in several high-profile directors' projects, including the science fiction thriller Inception (2010), the western Django Unchained (2012), the biopic The Wolf of Wall Street (2013), the survival drama The Revenant (2015), for which he won an Academy Award and a BAFTA Award for Best Actor in a Leading Role, and the comedy-drama Once Upon a Time in Hollywood (2019), all of which were critical and commercial successes.\n\nDiCaprio is the founder of Appian Way Productions, a production company that has produced some of his films and the documentary series Greensburg (2008\u20132010), and the Leonardo DiCaprio Foundation, a nonprofit organization devoted to promoting environmental awareness. He regularly supports charitable causes and has produced several documentaries on the environment. In 2005, he was named a Commander of the Ordre des Arts et des Lettres for his contributions to the arts, and in 2016, he appeared in Time magazine's 100 most influential people in the world.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 127, "goal": "Could you tell me the release date of the film that marked the directorial debut of Bradley Cooper? Please provide the date in the format of YYYY-MM-DD.", "subgoals": ["2018-10-03"], "additional_info": {"answer": "2018-10-03", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 128, "goal": "Which actress starred alongside Tom Hanks in the film directed by Robert Zemeckis, known for its innovative use of motion capture technology? Please answer me with the actress's name as a string.", "subgoals": ["Nona Gaye"], "additional_info": {"answer": "Nona Gaye", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 129, "goal": "Who composed the soundtrack for the movie adaptation of \"The Hunger Games\" series? Please answer me with the composer's name as a string.", "subgoals": ["The information about the composer for 'The Hunger Games' soundtrack is not provided in the crew list."], "additional_info": {"answer": "The information about the composer for 'The Hunger Games' soundtrack is not provided in the crew list.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 130, "goal": "What is the revenue generated by the film directed by Quentin Tarantino, which is set in the post-Civil War era? Please provide the revenue as a number.", "subgoals": [155760117], "additional_info": {"answer": 155760117, "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 131, "goal": "What is the birthdate of the actor who portrayed the Joker in the film directed by Todd Phillips? Please provide the date in the format of YYYY-MM-DD.", "subgoals": ["1974-10-28"], "additional_info": {"answer": "1974-10-28", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 132, "goal": "Can you provide the alternative titles for the movie \"La La Land\"? Please answer me with an array.", "subgoals": [["A\u015f\u0131klar \u015eehri", "La La Land: Kalifornijas sap\u0146i", "La ciudad de las estrellas", "LaLaLand", "\u0633\u0631\u0632\u0645\u06cc\u0646 \u0631\u0648\u06cc\u0627\u0647\u0627", "\u0644\u0627 \u0644\u0627 \u0644\u0646\u062f", "\u0644\u0627\u0644\u0627 \u0644\u0646\u062f", "\u0e19\u0e04\u0e23\u0e14\u0e32\u0e23\u0e32", "\u30e9\u30fb\u30e9\u30fb\u30e9\u30f3\u30c9\uff1a2016", "\ub77c\ub77c\ub79c\ub4dc"]], "additional_info": {"answer": ["A\u015f\u0131klar \u015eehri", "La La Land: Kalifornijas sap\u0146i", "La ciudad de las estrellas", "LaLaLand", "\u0633\u0631\u0632\u0645\u06cc\u0646 \u0631\u0648\u06cc\u0627\u0647\u0627", "\u0644\u0627 \u0644\u0627 \u0644\u0646\u062f", "\u0644\u0627\u0644\u0627 \u0644\u0646\u062f", "\u0e19\u0e04\u0e23\u0e14\u0e32\u0e23\u0e32", "\u30e9\u30fb\u30e9\u30fb\u30e9\u30f3\u30c9\uff1a2016", "\ub77c\ub77c\ub79c\ub4dc"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 133, "goal": "What is the IMDB ID of the actress who played Black Widow in the Marvel Cinematic Universe? Please provide the IMDB ID as a string.", "subgoals": ["nm0424060"], "additional_info": {"answer": "nm0424060", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 134, "goal": "Who directed the film that explores the life of Stephen Hawking, starring Eddie Redmayne in the lead role? Please answer me with the director's name as a string.", "subgoals": ["James Marsh"], "additional_info": {"answer": "James Marsh", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 135, "goal": "What are the genres of the movie \"The Godfather\"? Please provide the genres as an array.", "subgoals": [["Crime", "Drama"]], "additional_info": {"answer": ["Crime", "Drama"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 136, "goal": "Who composed the soundtrack for the film adaptation of \"The Chronicles of Narnia: The Lion, the Witch and the Wardrobe\"? Please answer me with the composer's name as a string.", "subgoals": ["The information is not available."], "additional_info": {"answer": "The information is not available.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 137, "goal": "What is the place of birth of the actor known for his role as Spider-Man in the Marvel Cinematic Universe? Please answer me with the birthplace as a string.", "subgoals": ["Surrey, England, UK"], "additional_info": {"answer": "Surrey, England, UK", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 138, "goal": "Can you provide the keywords associated with the movie \"Fight Club\"? Please answer me with an array.", "subgoals": [["alter ego", "based on novel or book", "breaking the fourth wall", "dissociative identity disorder", "dual identity", "dystopia", "fight", "insomnia", "nihilism", "quitting a job", "rage and hate", "self destructiveness", "split personality", "support group"]], "additional_info": {"answer": ["alter ego", "based on novel or book", "breaking the fourth wall", "dissociative identity disorder", "dual identity", "dystopia", "fight", "insomnia", "nihilism", "quitting a job", "rage and hate", "self destructiveness", "split personality", "support group"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 139, "goal": "Which actress won the Academy Award for Best Actress for her role in the film directed by Guillermo del Toro, known for its unique blend of fantasy and romance? Please answer me with the actress name as a string.", "subgoals": ["Sally Hawkins"], "additional_info": {"answer": "Sally Hawkins", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 140, "goal": "What are the production companies behind the movie \"Jurassic Park\"? Please answer me with an array of strings.", "subgoals": [["Amblin Entertainment", "Universal Pictures"]], "additional_info": {"answer": ["Amblin Entertainment", "Universal Pictures"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 141, "goal": "Who is the director of the film that won the Academy Award for Best Animated Feature in 2022? Please answer me with the names of the directors as a string.", "subgoals": ["Byron Howard and Jared Bush"], "additional_info": {"answer": "Byron Howard and Jared Bush", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 142, "goal": "Could you tell me the biography of the actor who portrayed Tony Stark in the Marvel Cinematic Universe? Please answer me with a string.", "subgoals": ["Robert John Downey Jr. (born April 4, 1966) is an American actor and producer. His career has been characterized by critical and popular success in his youth, followed by a period of substance abuse and legal troubles, before a resurgence of commercial success later in his career. In 2008, Downey was named by Time magazine among the 100 most influential people in the world, and from 2013 to 2015, he was listed by Forbes as Hollywood's highest-paid actor.\n\nAt the age of five, he made his acting debut in his father Robert Downey Sr.'s film Pound in 1970. He subsequently worked with the Brat Pack in the teen films Weird Science (1985) and Less than Zero (1987). In 1992, Downey portrayed the title character in the biopic Chaplin, for which he was nominated for the Academy Award for Best Actor and won a BAFTA Award. Following a stint at the Corcoran Substance Abuse Treatment Facility on drug charges, he joined the TV series Ally McBeal, for which he won a Golden Globe Award. He was fired from the show in the wake of drug charges in 2000 and 2001. He stayed in a court-ordered drug treatment program and has maintained his sobriety since 2003.\n\nInitially, completion bond companies would not insure Downey, until Mel Gibson paid the insurance bond for the 2003 film The Singing Detective. He went on to star in the black comedy Kiss Kiss Bang Bang (2005), the thriller Zodiac (2007), and the action comedy Tropic Thunder (2008); for the latter, he was nominated for an Academy Award for Best Supporting Actor.\n\nDowney gained global recognition for starring as Tony Stark / Iron Man in ten films within the Marvel Cinematic Universe, beginning with Iron Man (2008), and leading up to Avengers: Endgame (2019). He has also played the title character in Guy Ritchie's Sherlock Holmes (2009), which earned him his second Golden Globe, and its sequel, Sherlock Holmes: A Game of Shadows (2011).\n\nIn 2024 he won his first Academy Award for Best Supporting Actor thanks to his work in \"Oppenheimer.\""], "additional_info": {"answer": "Robert John Downey Jr. (born April 4, 1966) is an American actor and producer. His career has been characterized by critical and popular success in his youth, followed by a period of substance abuse and legal troubles, before a resurgence of commercial success later in his career. In 2008, Downey was named by Time magazine among the 100 most influential people in the world, and from 2013 to 2015, he was listed by Forbes as Hollywood's highest-paid actor.\n\nAt the age of five, he made his acting debut in his father Robert Downey Sr.'s film Pound in 1970. He subsequently worked with the Brat Pack in the teen films Weird Science (1985) and Less than Zero (1987). In 1992, Downey portrayed the title character in the biopic Chaplin, for which he was nominated for the Academy Award for Best Actor and won a BAFTA Award. Following a stint at the Corcoran Substance Abuse Treatment Facility on drug charges, he joined the TV series Ally McBeal, for which he won a Golden Globe Award. He was fired from the show in the wake of drug charges in 2000 and 2001. He stayed in a court-ordered drug treatment program and has maintained his sobriety since 2003.\n\nInitially, completion bond companies would not insure Downey, until Mel Gibson paid the insurance bond for the 2003 film The Singing Detective. He went on to star in the black comedy Kiss Kiss Bang Bang (2005), the thriller Zodiac (2007), and the action comedy Tropic Thunder (2008); for the latter, he was nominated for an Academy Award for Best Supporting Actor.\n\nDowney gained global recognition for starring as Tony Stark / Iron Man in ten films within the Marvel Cinematic Universe, beginning with Iron Man (2008), and leading up to Avengers: Endgame (2019). He has also played the title character in Guy Ritchie's Sherlock Holmes (2009), which earned him his second Golden Globe, and its sequel, Sherlock Holmes: A Game of Shadows (2011).\n\nIn 2024 he won his first Academy Award for Best Supporting Actor thanks to his work in \"Oppenheimer.\"", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 143, "goal": "Who is the actor known for playing the lead role in the film adaptation of \"The Fault in Our Stars,\" based on the novel by John Green? Please answer me with the actor's name as a string.", "subgoals": ["Ansel Elgort"], "additional_info": {"answer": "Ansel Elgort", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 144, "goal": "Can you provide the biography of the actress who starred in the film directed by Damien Chazelle, which follows the journey of a young aspiring actress and a jazz musician? Please answer me with the actress's name as a string.", "subgoals": ["Emily Jean \"Emma\" Stone (born November 6, 1988) is an American actress. The recipient of numerous accolades, including two Academy Awards and two Golden Globe Award, she was the world's highest-paid actress in 2017.\n\nBorn and raised in Scottsdale, Arizona, Stone began acting as a child, in a theater production of The Wind in the Willows in 2000. As a teenager, she relocated to Los Angeles with her mother and made her television debut in In Search of the New Partridge Family (2004), a reality show that produced only an unsold pilot. After small television roles, she made her film debut in Superbad (2007), and received positive media attention for her role in Zombieland (2009). The 2010 teen comedy Easy A was Stone's first starring role, earning her nominations for the BAFTA Rising Star Award and a Golden Globe Award for Best Actress.\n\nStone gained wider recognition as Gwen Stacy in the 2012 superhero film The Amazing Spider-Man, and its 2014 sequel. She was nominated for the Academy Award for Best Supporting Actress for playing a recovering drug addict in the black comedy Birdman (2014), and her Broadway debut came in a revival of the musical Cabaret (2014\u20132015). She won the Academy Award for Best Actress for playing an aspiring actress in the romantic musical La La Land (2016). Stone received a third Academy Award nomination for her portrayal of Abigail Masham in the historical comedy-drama The Favourite (2018)."], "additional_info": {"answer": "Emily Jean \"Emma\" Stone (born November 6, 1988) is an American actress. The recipient of numerous accolades, including two Academy Awards and two Golden Globe Award, she was the world's highest-paid actress in 2017.\n\nBorn and raised in Scottsdale, Arizona, Stone began acting as a child, in a theater production of The Wind in the Willows in 2000. As a teenager, she relocated to Los Angeles with her mother and made her television debut in In Search of the New Partridge Family (2004), a reality show that produced only an unsold pilot. After small television roles, she made her film debut in Superbad (2007), and received positive media attention for her role in Zombieland (2009). The 2010 teen comedy Easy A was Stone's first starring role, earning her nominations for the BAFTA Rising Star Award and a Golden Globe Award for Best Actress.\n\nStone gained wider recognition as Gwen Stacy in the 2012 superhero film The Amazing Spider-Man, and its 2014 sequel. She was nominated for the Academy Award for Best Supporting Actress for playing a recovering drug addict in the black comedy Birdman (2014), and her Broadway debut came in a revival of the musical Cabaret (2014\u20132015). She won the Academy Award for Best Actress for playing an aspiring actress in the romantic musical La La Land (2016). Stone received a third Academy Award nomination for her portrayal of Abigail Masham in the historical comedy-drama The Favourite (2018).", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 145, "goal": "What is the budget of the movie directed by Martin Scorsese, which depicts the rise and fall of a real-life stockbroker? Please provide the budget as a number.", "subgoals": [100000000], "additional_info": {"answer": 100000000, "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 146, "goal": "Which actor starred alongside Jennifer Lawrence in the film directed by David O. Russell, known for its portrayal of mental illness and family dynamics? Please answer me with the actor's name as a string.", "subgoals": ["Bradley Cooper"], "additional_info": {"answer": "Bradley Cooper", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 147, "goal": "Who composed the soundtrack for the movie adaptation of \"The Girl with the Dragon Tattoo\"? Please answer me with the composer's name as a string.", "subgoals": ["The information about the composer is not listed in the top 10 crew members provided."], "additional_info": {"answer": "The information about the composer is not listed in the top 10 crew members provided.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 148, "goal": "What is the revenue generated by the film directed by Christopher Nolan, which explores the concept of time manipulation? Please provide the revenue as a number.", "subgoals": [825532764], "additional_info": {"answer": 825532764, "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 149, "goal": "What is the birthdate of the actor who portrayed the lead character in the film adaptation of \"The Perks of Being a Wallflower\"? Please provide the date in the format YYYY-MM-DD.", "subgoals": ["1992-01-19"], "additional_info": {"answer": "1992-01-19", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 150, "goal": "Can you provide the alternative titles for the movie \"Eternal Sunshine of the Spotless Mind\"? Please list them as an array.", "subgoals": [["Du soleil plein la t\u00eate", "Eterno resplandor de una mente sin recuerdos", "Evig solskinn i et plettfritt sinn", "Karge Meele Igavene S\u00e4ra", "Sil Ba\u015ftan", "\u00a1Olv\u00eddate de m\u00ed!", "\u00c1nh D\u01b0\u01a1ng V\u0129nh C\u1eedu C\u1ee7a T\u00e2m H\u1ed3n Thanh Khi\u1ebft", "\u65e0\u6687\u5fc3\u7075\u7684\u6c38\u6052\u9633\u5149", "\u66a7\u66a7\u5185\u542b\u5149", "\u7075\u5149\u4e4d\u73b0", "\u7f8e\u4e3d\u5fc3\u7075\u7684\u6c38\u6052\u9633\u5149", "\uc774\ud130\ub110 \uc120\uc0e4\uc778"]], "additional_info": {"answer": ["Du soleil plein la t\u00eate", "Eterno resplandor de una mente sin recuerdos", "Evig solskinn i et plettfritt sinn", "Karge Meele Igavene S\u00e4ra", "Sil Ba\u015ftan", "\u00a1Olv\u00eddate de m\u00ed!", "\u00c1nh D\u01b0\u01a1ng V\u0129nh C\u1eedu C\u1ee7a T\u00e2m H\u1ed3n Thanh Khi\u1ebft", "\u65e0\u6687\u5fc3\u7075\u7684\u6c38\u6052\u9633\u5149", "\u66a7\u66a7\u5185\u542b\u5149", "\u7075\u5149\u4e4d\u73b0", "\u7f8e\u4e3d\u5fc3\u7075\u7684\u6c38\u6052\u9633\u5149", "\uc774\ud130\ub110 \uc120\uc0e4\uc778"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 151, "goal": "What is the IMDB ID of the actress who played Katniss Everdeen in \"The Hunger Games\" film series? Please provide the IMDB ID as a string.", "subgoals": ["nm2225369"], "additional_info": {"answer": "nm2225369", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 152, "goal": "Who directed the film that follows the journey of a young boy who survives a shipwreck and is stranded on a lifeboat with a Bengal tiger? Please answer me with the director's name as a string.", "subgoals": ["Ang Lee"], "additional_info": {"answer": "Ang Lee", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 153, "goal": "What are the genres of the movie \"Forrest Gump\"? Please provide the genres as an array.", "subgoals": [["Comedy", "Drama", "Romance"]], "additional_info": {"answer": ["Comedy", "Drama", "Romance"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 154, "goal": "Who composed the soundtrack for the film adaptation of \"The Lord of the Rings: The Fellowship of the Ring\"? Please answer me with the composer's name as a string.", "subgoals": ["Howard Shore"], "additional_info": {"answer": "Howard Shore", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 155, "goal": "What is the place of birth of the actor known for his role as Thor in the Marvel Cinematic Universe? Please answer me with the birthplace as a string.", "subgoals": ["Melbourne, Victoria, Australia"], "additional_info": {"answer": "Melbourne, Victoria, Australia", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 156, "goal": "Can you provide the keywords associated with the movie \"The Dark Knight\"? Please answer me with an array.", "subgoals": [["anti hero", "anti villain", "based on comic", "chaos", "crime fighter", "criminal mastermind", "district attorney", "joker", "neo-noir", "organized crime", "sadism", "scarecrow", "secret identity", "super power", "super villain", "superhero", "tragic hero", "vigilante"]], "additional_info": {"answer": ["anti hero", "anti villain", "based on comic", "chaos", "crime fighter", "criminal mastermind", "district attorney", "joker", "neo-noir", "organized crime", "sadism", "scarecrow", "secret identity", "super power", "super villain", "superhero", "tragic hero", "vigilante"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 157, "goal": "What are the production companies behind the movie \"The Avengers\"? Please answer me with the name of the production company as a string.", "subgoals": ["Marvel Studios"], "additional_info": {"answer": "Marvel Studios", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 158, "goal": "Who is the director of the film that won the Academy Award for Best Foreign Language Film in 2021? Please answer me with the director's name as a string.", "subgoals": ["Thomas Vinterberg"], "additional_info": {"answer": "Thomas Vinterberg", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 159, "goal": "Could you tell me the biography of the actor who portrayed Harry Potter in the film series based on the novels by J.K. Rowling? Please answer me with a brief summary.", "subgoals": ["Daniel Jacob Radcliffe (born 23 July 1989) is an English actor. He rose to fame at age twelve, when he began portraying Harry Potter in the film series of the same name; and has held various other film and theatre roles. Over his career, Radcliffe has received various awards and nominations.\n\nRadcliffe made his acting debut at age 10 in the BBC One television film David Copperfield (1999), followed by his feature film debut in The Tailor of Panama (2001). The same year, he starred as Harry Potter in the film adaptation of the J.K. Rowling fantasy novel, Harry Potter and the Philosopher's Stone. Over the next decade, he played the eponymous role in seven sequels, culminating with Harry Potter and the Deathly Hallows \u2013 Part 2 (2011). During this period, he became one of the world's highest-paid actors and gained worldwide fame, popularity, and critical acclaim.\n\nFollowing the success of Harry Potter, Radcliffe starred in the romantic comedy What If? (2013), and played the lawyer Arthur Kipps in the horror film The Woman in Black (2012), poet Allen Ginsberg in the drama film Kill Your Darlings (2013), Igor in the science-fiction horror film Victor Frankenstein (2015), a sentient corpse in the comedy-drama film Swiss Army Man (2016), technological prodigy Walter Mabry in the heist thriller film Now You See Me 2 (2016), and FBI agent Nate Foster in the critically acclaimed thriller film Imperium (2016). Since 2019, he has starred in the TBS anthology series Miracle Workers. In 2022, he starred in the action comedy The Lost City and portrayed Weird Al Yankovic in Weird: The Al Yankovic Story.\n\nRadcliffe branched out to stage acting in 2007, starring in the West End and Broadway productions of Equus. From 2011 to 2012 he portrayed J. Pierrepont Finch in the Broadway revival of the musical How to Succeed in Business Without Really Trying. He continued in Martin McDonagh's dark comedy The Cripple of Inishmaan (2013-2014) in the West End and Broadway and a revival of Tom Stoppard's play Rosencrantz and Guildenstern Are Dead (2017) at The Old Vic. He also starred in the satirical plays Privacy (2016) and The Lifespan of a Fact (2018), respectively off and on Broadway. In 2022 starred in the New York Theatre Workshop revival of Stephen Sondheim's Merrily We Roll Along."], "additional_info": {"answer": "Daniel Jacob Radcliffe (born 23 July 1989) is an English actor. He rose to fame at age twelve, when he began portraying Harry Potter in the film series of the same name; and has held various other film and theatre roles. Over his career, Radcliffe has received various awards and nominations.\n\nRadcliffe made his acting debut at age 10 in the BBC One television film David Copperfield (1999), followed by his feature film debut in The Tailor of Panama (2001). The same year, he starred as Harry Potter in the film adaptation of the J.K. Rowling fantasy novel, Harry Potter and the Philosopher's Stone. Over the next decade, he played the eponymous role in seven sequels, culminating with Harry Potter and the Deathly Hallows \u2013 Part 2 (2011). During this period, he became one of the world's highest-paid actors and gained worldwide fame, popularity, and critical acclaim.\n\nFollowing the success of Harry Potter, Radcliffe starred in the romantic comedy What If? (2013), and played the lawyer Arthur Kipps in the horror film The Woman in Black (2012), poet Allen Ginsberg in the drama film Kill Your Darlings (2013), Igor in the science-fiction horror film Victor Frankenstein (2015), a sentient corpse in the comedy-drama film Swiss Army Man (2016), technological prodigy Walter Mabry in the heist thriller film Now You See Me 2 (2016), and FBI agent Nate Foster in the critically acclaimed thriller film Imperium (2016). Since 2019, he has starred in the TBS anthology series Miracle Workers. In 2022, he starred in the action comedy The Lost City and portrayed Weird Al Yankovic in Weird: The Al Yankovic Story.\n\nRadcliffe branched out to stage acting in 2007, starring in the West End and Broadway productions of Equus. From 2011 to 2012 he portrayed J. Pierrepont Finch in the Broadway revival of the musical How to Succeed in Business Without Really Trying. He continued in Martin McDonagh's dark comedy The Cripple of Inishmaan (2013-2014) in the West End and Broadway and a revival of Tom Stoppard's play Rosencrantz and Guildenstern Are Dead (2017) at The Old Vic. He also starred in the satirical plays Privacy (2016) and The Lifespan of a Fact (2018), respectively off and on Broadway. In 2022 starred in the New York Theatre Workshop revival of Stephen Sondheim's Merrily We Roll Along.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 160, "goal": "What is the television debut directing of the director of 'The French Dispatch'? Please answer me with the specific work or state if it is not specified.", "subgoals": ["Not specified"], "additional_info": {"answer": "Not specified", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 161, "goal": "Which year did the director of the movie 'Knives Out' win the America Award for Outstanding Directing \u2013 Drama Series? Please answer me with a specific year or state if it's not available.", "subgoals": ["Not available"], "additional_info": {"answer": "Not available", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 162, "goal": "May I ask, in which movie did Meryl Streep first gain attention? Please answer me with the movie name as a string.", "subgoals": ["The Deer Hunter"], "additional_info": {"answer": "The Deer Hunter", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 163, "goal": "Who is the director of the film that Meryl Streep first gained attention? Please answer me with the director's name as a string.", "subgoals": ["Michael Cimino"], "additional_info": {"answer": "Michael Cimino", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 164, "goal": "In the movie for which Halle Berry won the Oscar for Best Actress, what role did Ian McKellen play? Please answer me with the character name as a string.", "subgoals": ["Ian McKellen did not have a role in 'Monster's Ball'."], "additional_info": {"answer": "Ian McKellen did not have a role in 'Monster's Ball'.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 165, "goal": "I am very interested in the actor who plays Arthur Curry in Aquaman. What is his IMDB ID? Please provide the answer as a string.", "subgoals": ["nm0597388"], "additional_info": {"answer": "nm0597388", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 166, "goal": "Meryl Streep won the Academy Award for Best Actress in 2012. I would like to see the movie for which she won the award. What is its official Japanese title? Please provide me with the official Japanese title as a string.", "subgoals": ["The official Japanese title for 'The Iron Lady' is not available."], "additional_info": {"answer": "The official Japanese title for 'The Iron Lady' is not available.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 167, "goal": "Cate Blanchett won the Academy Award for Best Actress in 2014. Please give you an overview in German about the movie for which she won the award. Please provide the overview as a string.", "subgoals": ["Nach der Verhaftung ihres Gatten wegen Investmentbetrugs fliegt Society-Lady Jasmine aus ihrem s\u00fcndteuren Manhattan-Luxus-Appartement und findet Unterschlupf in der kleinen Mietwohnung bei ihrer Adoptivschwester in San Francisco. Mangels Ausbildung und Computerkenntnissen findet sie keinen ihr genehmen Job. Als sie einen reichen und von ihr faszinierten Diplomaten kennen lernt, hofft das Nervenb\u00fcndel auf einen Neuanfang."], "additional_info": {"answer": "Nach der Verhaftung ihres Gatten wegen Investmentbetrugs fliegt Society-Lady Jasmine aus ihrem s\u00fcndteuren Manhattan-Luxus-Appartement und findet Unterschlupf in der kleinen Mietwohnung bei ihrer Adoptivschwester in San Francisco. Mangels Ausbildung und Computerkenntnissen findet sie keinen ihr genehmen Job. Als sie einen reichen und von ihr faszinierten Diplomaten kennen lernt, hofft das Nervenb\u00fcndel auf einen Neuanfang.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 168, "goal": "Who composed the soundtrack for the movie adaptation of \"Harry Potter and the Philosopher's Stone\"? Please answer me with the composer's name as a string.", "subgoals": ["The information about the composer is not listed in the top 10 crew members provided. Please check the full movie credits for this information."], "additional_info": {"answer": "The information about the composer is not listed in the top 10 crew members provided. Please check the full movie credits for this information.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 169, "goal": "Can you provide the biography of the actor who played Legolas in \"The Lord of the Rings\" film series? Please answer me with a brief summary.", "subgoals": ["Orlando Jonathan Blanchard Copeland Bloom (born 13 January 1977) is an English actor. He made his breakthrough as the character Legolas in The Lord of the Rings film series, a role he reprised in The Hobbit film series. He gained further notice appearing in epic fantasy, historical, and adventure films, notably as Will Turner in the Pirates of the Caribbean film series.\n\nBloom appeared in Hollywood films such as Paris in Troy (2004) and Balian de Ibelin in Kingdom of Heaven (2005). He stars in the Amazon Prime Video series Carnival Row (2019\u2013present).\n\nHe made his professional stage debut in In Celebration at the Duke of York's Theatre in the West End in 2007 and starred in a Broadway adaption of Romeo and Juliet in 2013. In 2009, Bloom was named a UNICEF Goodwill Ambassador. In 2015 he received the BAFTA Britannia Humanitarian Award."], "additional_info": {"answer": "Orlando Jonathan Blanchard Copeland Bloom (born 13 January 1977) is an English actor. He made his breakthrough as the character Legolas in The Lord of the Rings film series, a role he reprised in The Hobbit film series. He gained further notice appearing in epic fantasy, historical, and adventure films, notably as Will Turner in the Pirates of the Caribbean film series.\n\nBloom appeared in Hollywood films such as Paris in Troy (2004) and Balian de Ibelin in Kingdom of Heaven (2005). He stars in the Amazon Prime Video series Carnival Row (2019\u2013present).\n\nHe made his professional stage debut in In Celebration at the Duke of York's Theatre in the West End in 2007 and starred in a Broadway adaption of Romeo and Juliet in 2013. In 2009, Bloom was named a UNICEF Goodwill Ambassador. In 2015 he received the BAFTA Britannia Humanitarian Award.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 170, "goal": "Could you provide the Mandarin translation of the overview for the film \"Your Name\"? Please answer me with a string.", "subgoals": ["\u5728\u8fdc\u79bb\u5927\u90fd\u4f1a\u7684\u5c0f\u5c71\u6751\uff0c\u4f4f\u7740\u5deb\u5973\u4e16\u5bb6\u51fa\u8eab\u7684\u9ad8\u4e2d\u5973\u5b69\u5bab\u6c34\u4e09\u53f6\uff08\u4e0a\u767d\u77f3\u840c\u97f3 \u914d\u97f3\uff09\u3002\u6821\u56ed\u548c\u5bb6\u5ead\u7684\u539f\u56e0\u672c\u5c31\u8ba9\u5979\u5145\u6ee1\u70e6\u607c\uff0c\u800c\u8fd1\u4e00\u6bb5\u65f6\u95f4\u53d1\u751f\u7684\u5947\u602a\u4e8b\u4ef6\uff0c\u53c8\u8ba9\u4e09\u53f6\u6478\u4e0d\u6e05\u5934\u8111\u3002\u4e0d\u77e5\u4ece\u4f55\u65f6\u8d77\uff0c\u4e09\u53f6\u5728\u68a6\u4e2d\u5c31\u4f1a\u53d8\u6210\u4e00\u4e2a\u4f4f\u5728\u4e1c\u4eac\u7684\u9ad8\u4e2d\u7537\u5b69\u3002\u90a3\u91cc\u6709\u964c\u751f\u7684\u540c\u5b66\u548c\u670b\u53cb\uff0c\u6709\u4eb2\u5207\u7684\u524d\u8f88\u548c\u7e41\u534e\u7684\u8857\u9053\uff0c\u4e00\u5207\u90fd\u662f\u5982\u6b64\u8bf1\u4eba\u800c\u771f\u5b9e\u3002\u53e6\u4e00\u65b9\u9762\uff0c\u4f4f\u5728\u4e1c\u4eac\u7684\u9ad8\u4e2d\u7537\u5b69\u7acb\u82b1\u6cf7\uff08\u795e\u6728\u9686\u4e4b\u4ecb \u914d\u97f3\uff09\u5219\u603b\u5728\u68a6\u91cc\u6765\u5230\u964c\u751f\u7684\u5c0f\u5c71\u6751\uff0c\u4ee5\u5973\u5b69\u5b50\u7684\u8eab\u4efd\u8fc7\u7740\u5168\u65b0\u7684\u751f\u6d3b\u3002\u8bb8\u662f\u53d7\u90a3\u9897\u795e\u79d8\u5f57\u661f\u7684\u5f71\u54cd\uff0c\u7acb\u82b1\u548c\u4e09\u53f6\u5728\u68a6\u4e2d\u4ea4\u6362\u4e86\u8eab\u4efd\u3002\u4ed6\u4eec\u4ee5\u4ed6\u8005\u7684\u89d2\u5ea6\u4f53\u9a8c\u7740\u5bf9\u65b9\u7684\u4eba\u751f\uff0c\u8fd9\u671f\u95f4\u6709\u6124\u6012\u3001\u6709\u6b22\u7b11\u4e5f\u6709\u6696\u5fc3\u3002\u53ea\u662f\u4e24\u4eba\u5e76\u4e0d\u77e5\u9053\uff0c\u8eab\u4efd\u4ea4\u6362\u7684\u80cc\u540e\u9690\u85cf\u7740\u91cd\u5927\u800c\u9525\u5fc3\u7684\u79d8\u5bc6\u2026\u2026"], "additional_info": {"answer": "\u5728\u8fdc\u79bb\u5927\u90fd\u4f1a\u7684\u5c0f\u5c71\u6751\uff0c\u4f4f\u7740\u5deb\u5973\u4e16\u5bb6\u51fa\u8eab\u7684\u9ad8\u4e2d\u5973\u5b69\u5bab\u6c34\u4e09\u53f6\uff08\u4e0a\u767d\u77f3\u840c\u97f3 \u914d\u97f3\uff09\u3002\u6821\u56ed\u548c\u5bb6\u5ead\u7684\u539f\u56e0\u672c\u5c31\u8ba9\u5979\u5145\u6ee1\u70e6\u607c\uff0c\u800c\u8fd1\u4e00\u6bb5\u65f6\u95f4\u53d1\u751f\u7684\u5947\u602a\u4e8b\u4ef6\uff0c\u53c8\u8ba9\u4e09\u53f6\u6478\u4e0d\u6e05\u5934\u8111\u3002\u4e0d\u77e5\u4ece\u4f55\u65f6\u8d77\uff0c\u4e09\u53f6\u5728\u68a6\u4e2d\u5c31\u4f1a\u53d8\u6210\u4e00\u4e2a\u4f4f\u5728\u4e1c\u4eac\u7684\u9ad8\u4e2d\u7537\u5b69\u3002\u90a3\u91cc\u6709\u964c\u751f\u7684\u540c\u5b66\u548c\u670b\u53cb\uff0c\u6709\u4eb2\u5207\u7684\u524d\u8f88\u548c\u7e41\u534e\u7684\u8857\u9053\uff0c\u4e00\u5207\u90fd\u662f\u5982\u6b64\u8bf1\u4eba\u800c\u771f\u5b9e\u3002\u53e6\u4e00\u65b9\u9762\uff0c\u4f4f\u5728\u4e1c\u4eac\u7684\u9ad8\u4e2d\u7537\u5b69\u7acb\u82b1\u6cf7\uff08\u795e\u6728\u9686\u4e4b\u4ecb \u914d\u97f3\uff09\u5219\u603b\u5728\u68a6\u91cc\u6765\u5230\u964c\u751f\u7684\u5c0f\u5c71\u6751\uff0c\u4ee5\u5973\u5b69\u5b50\u7684\u8eab\u4efd\u8fc7\u7740\u5168\u65b0\u7684\u751f\u6d3b\u3002\u8bb8\u662f\u53d7\u90a3\u9897\u795e\u79d8\u5f57\u661f\u7684\u5f71\u54cd\uff0c\u7acb\u82b1\u548c\u4e09\u53f6\u5728\u68a6\u4e2d\u4ea4\u6362\u4e86\u8eab\u4efd\u3002\u4ed6\u4eec\u4ee5\u4ed6\u8005\u7684\u89d2\u5ea6\u4f53\u9a8c\u7740\u5bf9\u65b9\u7684\u4eba\u751f\uff0c\u8fd9\u671f\u95f4\u6709\u6124\u6012\u3001\u6709\u6b22\u7b11\u4e5f\u6709\u6696\u5fc3\u3002\u53ea\u662f\u4e24\u4eba\u5e76\u4e0d\u77e5\u9053\uff0c\u8eab\u4efd\u4ea4\u6362\u7684\u80cc\u540e\u9690\u85cf\u7740\u91cd\u5927\u800c\u9525\u5fc3\u7684\u79d8\u5bc6\u2026\u2026", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 171, "goal": "May I ask for the German translation of the description of the movie \"El Laberinto del Fauno\"? Please provide the translation as a string.", "subgoals": ["Spanien, 1944: Nachdem der B\u00fcrgerkrieg schon seit f\u00fcnf Jahren vorbei ist, k\u00e4mpfen in den Bergen Nordspaniens immer noch republikanische Partisanen gegen das faschistische Franco-Regime. Die elfj\u00e4hrige Ofelia zieht mit ihrer schwangeren Mutter Carmen in die umk\u00e4mpfte Region, da ihr Stiefvater Hauptmann Vidal seine neue Frau bei sich haben will, wenn sie das Kind bekommt. Der sadistische Hauptmann ist von der Regierung mit der Zerschlagung des Widerstandes beauftragt worden und geht mit grausamen Methoden gegen die Rebellen und vermeintliche Sympathisanten vor. Ofelia fl\u00fcchtet sich w\u00e4hrenddessen in die Fantasiewelt ihrer B\u00fccher, die von Elfen und andere Kreaturen bev\u00f6lkert ist. Eines Tages erscheint ihr in einem Labyrinth in der N\u00e4he des Landsitzes ein Pan, der ihr offenbart, dass sie in Wirklichkeit eine K\u00f6nigstochter aus einem unterirdischen K\u00f6nigreich sei. Er erlegt Ofelia drei Mutproben auf, die sie bestehen muss, um in das Reich ihres Vaters zur\u00fcckkehren zu k\u00f6nnen\u2026"], "additional_info": {"answer": "Spanien, 1944: Nachdem der B\u00fcrgerkrieg schon seit f\u00fcnf Jahren vorbei ist, k\u00e4mpfen in den Bergen Nordspaniens immer noch republikanische Partisanen gegen das faschistische Franco-Regime. Die elfj\u00e4hrige Ofelia zieht mit ihrer schwangeren Mutter Carmen in die umk\u00e4mpfte Region, da ihr Stiefvater Hauptmann Vidal seine neue Frau bei sich haben will, wenn sie das Kind bekommt. Der sadistische Hauptmann ist von der Regierung mit der Zerschlagung des Widerstandes beauftragt worden und geht mit grausamen Methoden gegen die Rebellen und vermeintliche Sympathisanten vor. Ofelia fl\u00fcchtet sich w\u00e4hrenddessen in die Fantasiewelt ihrer B\u00fccher, die von Elfen und andere Kreaturen bev\u00f6lkert ist. Eines Tages erscheint ihr in einem Labyrinth in der N\u00e4he des Landsitzes ein Pan, der ihr offenbart, dass sie in Wirklichkeit eine K\u00f6nigstochter aus einem unterirdischen K\u00f6nigreich sei. Er erlegt Ofelia drei Mutproben auf, die sie bestehen muss, um in das Reich ihres Vaters zur\u00fcckkehren zu k\u00f6nnen\u2026", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 172, "goal": "What is the German translation of the overview for the film \"Cinema Paradiso\"? Please provide the translation as a string.", "subgoals": ["Alfredo ist tot. Das Paradiso ist tot \u2013 es lebe das Kino. Cinema Paradiso ist die Geschichte des skurrilen Filmvorf\u00fchrers Alfredo zu dem kleinen Jungen Toto. In Rom wird Toto ein ber\u00fchmter Regisseur und kehrt erst wieder in seine sizilianische Heimat zur\u00fcck, als Alfredo stirbt und das sch\u00f6ne, alte Provinzkino abgerissen wird. Alfredos Verm\u00e4chtnis sind all die zensierten Szenen, die er in vielen Jahren aus so vielen Filmen herausschneiden musste."], "additional_info": {"answer": "Alfredo ist tot. Das Paradiso ist tot \u2013 es lebe das Kino. Cinema Paradiso ist die Geschichte des skurrilen Filmvorf\u00fchrers Alfredo zu dem kleinen Jungen Toto. In Rom wird Toto ein ber\u00fchmter Regisseur und kehrt erst wieder in seine sizilianische Heimat zur\u00fcck, als Alfredo stirbt und das sch\u00f6ne, alte Provinzkino abgerissen wird. Alfredos Verm\u00e4chtnis sind all die zensierten Szenen, die er in vielen Jahren aus so vielen Filmen herausschneiden musste.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 173, "goal": "Could you give me the Russian translation of the description for the movie \"Mission \u00abSky\u00bb\"? Please provide the translation as a string.", "subgoals": ["\u041f\u043e\u0434\u043f\u043e\u043b\u043a\u043e\u0432\u043d\u0438\u043a \u0421\u043e\u0448\u043d\u0438\u043a\u043e\u0432 \u0438 \u043a\u0430\u043f\u0438\u0442\u0430\u043d \u041c\u0443\u0440\u0430\u0432\u044c\u0435\u0432 \u2014 \u0434\u0432\u0430 \u0440\u0430\u0437\u043d\u044b\u0445 \u0445\u0430\u0440\u0430\u043a\u0442\u0435\u0440\u0430, \u0434\u0432\u0435 \u0440\u0430\u0437\u043d\u044b\u0435 \u0441\u0443\u0434\u044c\u0431\u044b, \u043a\u043e\u0442\u043e\u0440\u044b\u043c \u0441\u0443\u0436\u0434\u0435\u043d\u043e \u0431\u0443\u0434\u0435\u0442 \u0441\u043e\u0439\u0442\u0438\u0441\u044c \u043d\u0430 \u0432\u043e\u0435\u043d\u043d\u043e\u0439 \u0431\u0430\u0437\u0435 \u0425\u043c\u0435\u0439\u043c\u0438\u043c. \u0412\u043e \u0432\u0440\u0435\u043c\u044f \u0431\u043e\u0435\u0432\u043e\u0433\u043e \u0432\u044b\u043b\u0435\u0442\u0430 \u0441\u0430\u043c\u043e\u043b\u0435\u0442 \u0421\u043e\u0448\u043d\u0438\u043a\u043e\u0432\u0430 \u0431\u044b\u043b \u0441\u0431\u0438\u0442 \u0442\u0443\u0440\u0435\u0446\u043a\u0438\u043c \u0438\u0441\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0435\u043c. \u042d\u0442\u043e \u0441\u043e\u0431\u044b\u0442\u0438\u0435 \u043e\u0441\u0432\u0435\u0449\u0430\u043b\u0438 \u0432\u0441\u0435 \u043c\u0438\u0440\u043e\u0432\u044b\u0435 \u0421\u041c\u0418, \u0430 \u0437\u0430 \u0445\u043e\u0434\u043e\u043c \u0441\u043f\u0430\u0441\u0430\u0442\u0435\u043b\u044c\u043d\u043e\u0439 \u043e\u043f\u0435\u0440\u0430\u0446\u0438\u0438 \u0441\u043b\u0435\u0434\u0438\u043b\u0430 \u0432\u0441\u044f \u0420\u043e\u0441\u0441\u0438\u044f."], "additional_info": {"answer": "\u041f\u043e\u0434\u043f\u043e\u043b\u043a\u043e\u0432\u043d\u0438\u043a \u0421\u043e\u0448\u043d\u0438\u043a\u043e\u0432 \u0438 \u043a\u0430\u043f\u0438\u0442\u0430\u043d \u041c\u0443\u0440\u0430\u0432\u044c\u0435\u0432 \u2014 \u0434\u0432\u0430 \u0440\u0430\u0437\u043d\u044b\u0445 \u0445\u0430\u0440\u0430\u043a\u0442\u0435\u0440\u0430, \u0434\u0432\u0435 \u0440\u0430\u0437\u043d\u044b\u0435 \u0441\u0443\u0434\u044c\u0431\u044b, \u043a\u043e\u0442\u043e\u0440\u044b\u043c \u0441\u0443\u0436\u0434\u0435\u043d\u043e \u0431\u0443\u0434\u0435\u0442 \u0441\u043e\u0439\u0442\u0438\u0441\u044c \u043d\u0430 \u0432\u043e\u0435\u043d\u043d\u043e\u0439 \u0431\u0430\u0437\u0435 \u0425\u043c\u0435\u0439\u043c\u0438\u043c. \u0412\u043e \u0432\u0440\u0435\u043c\u044f \u0431\u043e\u0435\u0432\u043e\u0433\u043e \u0432\u044b\u043b\u0435\u0442\u0430 \u0441\u0430\u043c\u043e\u043b\u0435\u0442 \u0421\u043e\u0448\u043d\u0438\u043a\u043e\u0432\u0430 \u0431\u044b\u043b \u0441\u0431\u0438\u0442 \u0442\u0443\u0440\u0435\u0446\u043a\u0438\u043c \u0438\u0441\u0442\u0440\u0435\u0431\u0438\u0442\u0435\u043b\u0435\u043c. \u042d\u0442\u043e \u0441\u043e\u0431\u044b\u0442\u0438\u0435 \u043e\u0441\u0432\u0435\u0449\u0430\u043b\u0438 \u0432\u0441\u0435 \u043c\u0438\u0440\u043e\u0432\u044b\u0435 \u0421\u041c\u0418, \u0430 \u0437\u0430 \u0445\u043e\u0434\u043e\u043c \u0441\u043f\u0430\u0441\u0430\u0442\u0435\u043b\u044c\u043d\u043e\u0439 \u043e\u043f\u0435\u0440\u0430\u0446\u0438\u0438 \u0441\u043b\u0435\u0434\u0438\u043b\u0430 \u0432\u0441\u044f \u0420\u043e\u0441\u0441\u0438\u044f.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 174, "goal": "May I request the Japanese translation of the overview for the film \"The Garden of Words\"? Please provide the translation as a string.", "subgoals": ["\u5b66\u6821\u3092\u30b5\u30dc\u308a\u3001\u516c\u5712\u306e\u65e5\u672c\u5ead\u5712\u3067\u9774\u306e\u30b9\u30b1\u30c3\u30c1\u3092\u63cf\u304f\u9ad8\u6821\u751f\u306e\u30bf\u30ab\u30aa\u3002\u9774\u8077\u4eba\u3092\u76ee\u6307\u3059\u30bf\u30ab\u30aa\u306f\u305d\u3053\u3067\u3001\u7f36\u30d3\u30fc\u30eb\u3092\u98f2\u3080\u5973\u6027\u3001\u30e6\u30ad\u30ce\u3068\u51fa\u4f1a\u3046\u3002\u30e6\u30ad\u30ce\u306f\u30bf\u30ab\u30aa\u306b\u300c\u307e\u305f\u4f1a\u3046\u304b\u3082\u306d\u3002\u96e8\u304c\u964d\u3063\u305f\u3089\u300d\u3068\u544a\u3052\u3001\u305d\u306e\u5834\u3092\u5f8c\u306b\u3057\u305f\u3002\u3053\u3046\u3057\u3066\u4e8c\u4eba\u306f\u7d04\u675f\u3082\u306a\u3044\u307e\u307e\u3001\u96e8\u306e\u65e5\u306e\u516c\u5712\u3067\u9022\u702c\u3092\u91cd\u306d\u308b\u3088\u3046\u306b\u306a\u308b\u3002\u6b69\u304d\u65b9\u3092\u5fd8\u308c\u305f\u3068\u3044\u3046\u30e6\u30ad\u30ce\u306e\u305f\u3081\u3001\u30bf\u30ab\u30aa\u306f\u9774\u3092\u4f5c\u308d\u3046\u3068\u3059\u308b\u306e\u3060\u3063\u305f\u3002"], "additional_info": {"answer": "\u5b66\u6821\u3092\u30b5\u30dc\u308a\u3001\u516c\u5712\u306e\u65e5\u672c\u5ead\u5712\u3067\u9774\u306e\u30b9\u30b1\u30c3\u30c1\u3092\u63cf\u304f\u9ad8\u6821\u751f\u306e\u30bf\u30ab\u30aa\u3002\u9774\u8077\u4eba\u3092\u76ee\u6307\u3059\u30bf\u30ab\u30aa\u306f\u305d\u3053\u3067\u3001\u7f36\u30d3\u30fc\u30eb\u3092\u98f2\u3080\u5973\u6027\u3001\u30e6\u30ad\u30ce\u3068\u51fa\u4f1a\u3046\u3002\u30e6\u30ad\u30ce\u306f\u30bf\u30ab\u30aa\u306b\u300c\u307e\u305f\u4f1a\u3046\u304b\u3082\u306d\u3002\u96e8\u304c\u964d\u3063\u305f\u3089\u300d\u3068\u544a\u3052\u3001\u305d\u306e\u5834\u3092\u5f8c\u306b\u3057\u305f\u3002\u3053\u3046\u3057\u3066\u4e8c\u4eba\u306f\u7d04\u675f\u3082\u306a\u3044\u307e\u307e\u3001\u96e8\u306e\u65e5\u306e\u516c\u5712\u3067\u9022\u702c\u3092\u91cd\u306d\u308b\u3088\u3046\u306b\u306a\u308b\u3002\u6b69\u304d\u65b9\u3092\u5fd8\u308c\u305f\u3068\u3044\u3046\u30e6\u30ad\u30ce\u306e\u305f\u3081\u3001\u30bf\u30ab\u30aa\u306f\u9774\u3092\u4f5c\u308d\u3046\u3068\u3059\u308b\u306e\u3060\u3063\u305f\u3002", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 175, "goal": "What is the Dutch translation of the overview for the film \"The Dragon That Wasn't (Or Was He)\"? Please provide the translation as a string.", "subgoals": ["Slot Bommelstein wordt opgeschrikt door een jonge Zwelbast, een draakje dat bij boosheid opzwelt tot gigantische afmetingen en veel schade berokkent. Als een pleegvader ontfermt heer Bommel zich over het beestje dat Zwelgje wordt genoemd, met alle gevolgen van dien."], "additional_info": {"answer": "Slot Bommelstein wordt opgeschrikt door een jonge Zwelbast, een draakje dat bij boosheid opzwelt tot gigantische afmetingen en veel schade berokkent. Als een pleegvader ontfermt heer Bommel zich over het beestje dat Zwelgje wordt genoemd, met alle gevolgen van dien.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 176, "goal": "Could you give me the Japanese translation of the description for the movie \"5 Centimeters per Second\"?", "subgoals": ["\u6771\u4eac\u306e\u5c0f\u5b66\u751f\u30fb\u9060\u91ce\u8cb4\u6a39\u3068\u7be0\u539f\u660e\u91cc\u306f\u304a\u4e92\u3044\u306b\u5bfe\u3059\u308b\u300c\u4ed6\u4eba\u306b\u306f\u5206\u3089\u306a\u3044\u7279\u5225\u306a\u60f3\u3044\u300d\u3092\u62b1\u3048\u3066\u3044\u305f\u3002\u3057\u304b\u3057\u5c0f\u5b66\u6821\u5352\u696d\u3068\u540c\u6642\u306b\u660e\u91cc\u306f\u6803\u6728\u3078\u8ee2\u6821\u3057\u3066\u3057\u307e\u3044\u3001\u305d\u308c\u304d\u308a\u4f1a\u3046\u3053\u3068\u304c\u7121\u304f\u306a\u3063\u3066\u3057\u307e\u3046\u3002\u8cb4\u6a39\u304c\u4e2d\u5b66\u306b\u5165\u5b66\u3057\u3066\u534a\u5e74\u304c\u7d4c\u904e\u3057\u305f\u590f\u306e\u3042\u308b\u65e5\u3001\u6803\u6728\u306e\u660e\u91cc\u304b\u3089\u624b\u7d19\u304c\u5c4a\u304f\u3002\u305d\u308c\u3092\u304d\u3063\u304b\u3051\u306b\u3001\u6587\u901a\u3092\u91cd\u306d\u308b\u3088\u3046\u306b\u306a\u308b2\u4eba\u3002\u3057\u304b\u3057\u305d\u306e\u5e74\u306e\u51ac\u306b\u3001\u4eca\u5ea6\u306f\u8cb4\u6a39\u304c\u9e7f\u5150\u5cf6\u3078\u8ee2\u6821\u3059\u308b\u3053\u3068\u304c\u6c7a\u307e\u3063\u305f\u3002\u9e7f\u5150\u5cf6\u3068\u6803\u6728\u3067\u306f\u7d76\u671b\u7684\u306b\u9060\u3044\u3002\u300c\u3082\u3046\u4e8c\u5ea6\u3068\u4f1a\u3048\u306a\u304f\u306a\u308b\u304b\u3082\u3057\u308c\u306a\u3044\u2026\u300d\u305d\u3046\u601d\u3063\u305f\u8cb4\u6a39\u306f\u3001\u660e\u91cc\u306b\u4f1a\u3044\u306b\u884c\u304f\u6c7a\u610f\u3092\u3059\u308b\u3002\u3057\u304b\u3057\u305d\u306e\u7d04\u675f\u306e\u65e5\u3001\u95a2\u6771\u3067\u306f\u5927\u96ea\u3068\u306a\u3063\u305f\u3002\u5f53\u521d\u306e\u4e88\u5b9a\u306f\u5217\u8eca\u306e\u9045\u5ef6\u3067\u5927\u5e45\u306b\u72c2\u3044\u3001\u6642\u9593\u3060\u3051\u304c\u305f\u3060\u6b8b\u9177\u306b\u6d41\u308c\u3066\u3044\u304f\u2026\u3002\u8cb4\u6a39\u3068\u660e\u91cc\u306e\u3001\u518d\u4f1a\u3068\u5225\u308c\u306e1\u65e5\u3092\u6642\u9593\u7d4c\u904e\u3068\u5171\u306b\u63cf\u304f\u3002"], "additional_info": {"answer": "\u6771\u4eac\u306e\u5c0f\u5b66\u751f\u30fb\u9060\u91ce\u8cb4\u6a39\u3068\u7be0\u539f\u660e\u91cc\u306f\u304a\u4e92\u3044\u306b\u5bfe\u3059\u308b\u300c\u4ed6\u4eba\u306b\u306f\u5206\u3089\u306a\u3044\u7279\u5225\u306a\u60f3\u3044\u300d\u3092\u62b1\u3048\u3066\u3044\u305f\u3002\u3057\u304b\u3057\u5c0f\u5b66\u6821\u5352\u696d\u3068\u540c\u6642\u306b\u660e\u91cc\u306f\u6803\u6728\u3078\u8ee2\u6821\u3057\u3066\u3057\u307e\u3044\u3001\u305d\u308c\u304d\u308a\u4f1a\u3046\u3053\u3068\u304c\u7121\u304f\u306a\u3063\u3066\u3057\u307e\u3046\u3002\u8cb4\u6a39\u304c\u4e2d\u5b66\u306b\u5165\u5b66\u3057\u3066\u534a\u5e74\u304c\u7d4c\u904e\u3057\u305f\u590f\u306e\u3042\u308b\u65e5\u3001\u6803\u6728\u306e\u660e\u91cc\u304b\u3089\u624b\u7d19\u304c\u5c4a\u304f\u3002\u305d\u308c\u3092\u304d\u3063\u304b\u3051\u306b\u3001\u6587\u901a\u3092\u91cd\u306d\u308b\u3088\u3046\u306b\u306a\u308b2\u4eba\u3002\u3057\u304b\u3057\u305d\u306e\u5e74\u306e\u51ac\u306b\u3001\u4eca\u5ea6\u306f\u8cb4\u6a39\u304c\u9e7f\u5150\u5cf6\u3078\u8ee2\u6821\u3059\u308b\u3053\u3068\u304c\u6c7a\u307e\u3063\u305f\u3002\u9e7f\u5150\u5cf6\u3068\u6803\u6728\u3067\u306f\u7d76\u671b\u7684\u306b\u9060\u3044\u3002\u300c\u3082\u3046\u4e8c\u5ea6\u3068\u4f1a\u3048\u306a\u304f\u306a\u308b\u304b\u3082\u3057\u308c\u306a\u3044\u2026\u300d\u305d\u3046\u601d\u3063\u305f\u8cb4\u6a39\u306f\u3001\u660e\u91cc\u306b\u4f1a\u3044\u306b\u884c\u304f\u6c7a\u610f\u3092\u3059\u308b\u3002\u3057\u304b\u3057\u305d\u306e\u7d04\u675f\u306e\u65e5\u3001\u95a2\u6771\u3067\u306f\u5927\u96ea\u3068\u306a\u3063\u305f\u3002\u5f53\u521d\u306e\u4e88\u5b9a\u306f\u5217\u8eca\u306e\u9045\u5ef6\u3067\u5927\u5e45\u306b\u72c2\u3044\u3001\u6642\u9593\u3060\u3051\u304c\u305f\u3060\u6b8b\u9177\u306b\u6d41\u308c\u3066\u3044\u304f\u2026\u3002\u8cb4\u6a39\u3068\u660e\u91cc\u306e\u3001\u518d\u4f1a\u3068\u5225\u308c\u306e1\u65e5\u3092\u6642\u9593\u7d4c\u904e\u3068\u5171\u306b\u63cf\u304f\u3002", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 177, "goal": "May I request the Mandarin translation of the overview for the film \"A Silent Voice: The Movie\"?", "subgoals": ["\u300a\u58f0\u4e4b\u5f62\u300b\u662f\u7ee7\u300a\u4f60\u7684\u540d\u5b57\u3002\u300b\u4e4b\u540e\uff0c\u65e5\u672c\u53c8\u4e00\u90e8\u73b0\u8c61\u7ea7\u7684\u52a8\u6f2b\u7535\u5f71\u3002\u8bb2\u8ff0\u5584\u826f\u3001\u53ef\u7231\uff0c\u53c8\u6709\u542c\u89c9\u969c\u788d\u7684\u5c11\u5973\u897f\u5bab\u785d\u5b50\uff08\u65e9\u89c1\u6c99\u7ec7 \u914d\u97f3\uff09\uff0c\u548c\u66fe\u7ecf\u4f24\u5bb3\u8fc7\u5979\u7684\u5c11\u5e74\u77f3\u7530\u5c06\u4e5f\uff08\u5165\u91ce\u81ea\u7531 \u914d\u97f3\uff09\u7684\u6545\u4e8b\u3002\u897f\u5bab\u785d\u5b50\u5728\u5b66\u6821\u5907\u53d7\u6b3a\u8d1f\uff0c\u5f97\u4e0d\u5230\u53cb\u60c5\u548c\u5173\u7231\uff0c\u4f46\u5979\u603b\u662f\u5bf9\u5468\u56f4\u4e00\u5207\u62b1\u4ee5\u5584\u610f\u3002\u77f3\u7530\u5c06\u4e5f\u662f\u4e3b\u8981\u65bd\u66b4\u8005\u4e4b\u4e00\uff0c\u4ed6\u56e0\u6b64\u4e5f\u88ab\u5468\u56f4\u7684\u540c\u5b66\u5b64\u7acb\u8d77\u6765\u3002\u7ecf\u8fc7\u4e94\u5e74\u65f6\u95f4\uff0c\u4e24\u4eba\u6b65\u5165\u9ad8\u4e2d\uff0c\u968f\u7740\u6210\u957f\u4ed6\u4eec\u9010\u6e10\u4f53\u4f1a\u5230\u5f7c\u6b64\u7684\u5fc3\u60c5\u548c\u5904\u5883\u3002\u5728\u8dcc\u8dcc\u649e\u649e\u7684\u9752\u6625\u4e2d\uff0c\u5c11\u7537\u5c11\u5973\u4eec\u7ec8\u4e8e\u5b66\u4f1a\u4e86\u63a5\u7eb3\u522b\u4eba\uff0c\u4e0e\u81ea\u5df1\u548c\u89e3\u3002"], "additional_info": {"answer": "\u300a\u58f0\u4e4b\u5f62\u300b\u662f\u7ee7\u300a\u4f60\u7684\u540d\u5b57\u3002\u300b\u4e4b\u540e\uff0c\u65e5\u672c\u53c8\u4e00\u90e8\u73b0\u8c61\u7ea7\u7684\u52a8\u6f2b\u7535\u5f71\u3002\u8bb2\u8ff0\u5584\u826f\u3001\u53ef\u7231\uff0c\u53c8\u6709\u542c\u89c9\u969c\u788d\u7684\u5c11\u5973\u897f\u5bab\u785d\u5b50\uff08\u65e9\u89c1\u6c99\u7ec7 \u914d\u97f3\uff09\uff0c\u548c\u66fe\u7ecf\u4f24\u5bb3\u8fc7\u5979\u7684\u5c11\u5e74\u77f3\u7530\u5c06\u4e5f\uff08\u5165\u91ce\u81ea\u7531 \u914d\u97f3\uff09\u7684\u6545\u4e8b\u3002\u897f\u5bab\u785d\u5b50\u5728\u5b66\u6821\u5907\u53d7\u6b3a\u8d1f\uff0c\u5f97\u4e0d\u5230\u53cb\u60c5\u548c\u5173\u7231\uff0c\u4f46\u5979\u603b\u662f\u5bf9\u5468\u56f4\u4e00\u5207\u62b1\u4ee5\u5584\u610f\u3002\u77f3\u7530\u5c06\u4e5f\u662f\u4e3b\u8981\u65bd\u66b4\u8005\u4e4b\u4e00\uff0c\u4ed6\u56e0\u6b64\u4e5f\u88ab\u5468\u56f4\u7684\u540c\u5b66\u5b64\u7acb\u8d77\u6765\u3002\u7ecf\u8fc7\u4e94\u5e74\u65f6\u95f4\uff0c\u4e24\u4eba\u6b65\u5165\u9ad8\u4e2d\uff0c\u968f\u7740\u6210\u957f\u4ed6\u4eec\u9010\u6e10\u4f53\u4f1a\u5230\u5f7c\u6b64\u7684\u5fc3\u60c5\u548c\u5904\u5883\u3002\u5728\u8dcc\u8dcc\u649e\u649e\u7684\u9752\u6625\u4e2d\uff0c\u5c11\u7537\u5c11\u5973\u4eec\u7ec8\u4e8e\u5b66\u4f1a\u4e86\u63a5\u7eb3\u522b\u4eba\uff0c\u4e0e\u81ea\u5df1\u548c\u89e3\u3002", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 178, "goal": "Could you provide the Russian translation of the overview for the film \"About Love\"?", "subgoals": ["\u041a\u0440\u0430\u0441\u0430\u0432\u0438\u0446\u0430 \u041d\u0438\u043d\u0430 \u0436\u0438\u0432\u0435\u0442, \u043a\u0430\u043a \u0435\u0439 \u00a0\u043a\u0430\u0436\u0435\u0442\u0441\u044f, \u0432 \u00a0\u0441\u0447\u0430\u0441\u0442\u043b\u0438\u0432\u043e\u043c \u0431\u0440\u0430\u043a\u0435 \u0441 \u00a0\u0438\u043d\u0442\u0435\u043b\u043b\u0438\u0433\u0435\u043d\u0442\u043d\u044b\u043c \u043f\u0440\u043e\u0444\u0435\u0441\u0441\u043e\u0440\u043e\u043c-\u043a\u0438\u0442\u0430\u0438\u0441\u0442\u043e\u043c \u0410\u043b\u0435\u043a\u0441\u0430\u043d\u0434\u0440\u043e\u043c, \u043f\u043e \u00a0\u0441\u043e\u0432\u043c\u0435\u0441\u0442\u0438\u0442\u0435\u043b\u044c\u0441\u0442\u0432\u0443 \u0435\u0435 \u00a0\u043f\u0440\u0435\u043f\u043e\u0434\u0430\u0432\u0430\u0442\u0435\u043b\u0435\u043c. \u041d\u043e \u00a0\u0434\u043e\u043b\u0433 \u0437\u0430 \u00a0\u0438\u043f\u043e\u0442\u0435\u043a\u0443 \u043f\u043e\u0434\u0441\u043f\u0443\u0434\u043d\u043e \u0434\u0430\u0432\u0438\u0442 \u043d\u0430 \u00a0\u0441\u0443\u043f\u0440\u0443\u0436\u0435\u0441\u043a\u0438\u0435 \u043e\u0442\u043d\u043e\u0448\u0435\u043d\u0438\u044f. \u041e\u0434\u043d\u0430\u0436\u0434\u044b \u041d\u0438\u043d\u0430 \u0437\u043d\u0430\u043a\u043e\u043c\u0438\u0442\u0441\u044f \u0441 \u00a0\u0421\u0435\u0440\u0433\u0435\u0435\u043c, \u0440\u0443\u043a\u043e\u0432\u043e\u0434\u0438\u0442\u0435\u043b\u0435\u043c \u0442\u043e\u0433\u043e \u0441\u0430\u043c\u043e\u0433\u043e \u0431\u0430\u043d\u043a\u0430, \u043a\u043e\u0442\u043e\u0440\u043e\u043c\u0443 \u0434\u043e\u043b\u0436\u0435\u043d \u0435\u0435 \u00a0\u043c\u0443\u0436, \u0438 \u00a0\u0434\u0435\u043b\u043e\u0432\u0430\u044f \u0432\u0441\u0442\u0440\u0435\u0447\u0430 \u043f\u0440\u0435\u0432\u0440\u0430\u0449\u0430\u0435\u0442\u0441\u044f \u0432 \u00a0\u043d\u0435\u0444\u043e\u0440\u043c\u0430\u043b\u044c\u043d\u0443\u044e. \u0415\u0434\u0432\u0430 \u00a0\u043b\u0438 \u041d\u0438\u043d\u0443 \u0432\u0435\u0434\u0435\u0442 \u043a \u00a0\u044d\u0444\u0444\u0435\u043a\u0442\u043d\u043e\u043c\u0443 \u043c\u0443\u0436\u0447\u0438\u043d\u0435 \u0441\u0438\u0442\u0443\u0430\u0446\u0438\u044f \u0441 \u00a0\u0438\u043f\u043e\u0442\u0435\u043a\u043e\u0439, \u043a\u043e\u0442\u043e\u0440\u0430\u044f \u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u0441\u044f \u043b\u0438\u0448\u044c \u043f\u043e\u0432\u043e\u0434\u043e\u043c \u043e\u0442\u0434\u0430\u0442\u044c\u0441\u044f \u0432\u043b\u0435\u0447\u0435\u043d\u0438\u044e. \u0420\u043e\u043c\u0430\u043d \u0441 \u00a0\u0436\u0435\u043d\u0430\u0442\u044b\u043c \u0421\u0435\u0440\u0433\u0435\u0435\u043c \u0432\u0440\u044f\u0434 \u00a0\u043b\u0438 \u0441\u0443\u043b\u0438\u0442 \u0441\u0447\u0430\u0441\u0442\u044c\u0435, \u043d\u043e \u00a0\u0434\u0435\u0432\u0443\u0448\u043a\u0430 \u043e\u0441\u043e\u0437\u043d\u0430\u0435\u0442, \u0447\u0442\u043e \u0432\u043f\u0435\u0440\u0432\u044b\u0435 \u0447\u0443\u0432\u0441\u0442\u0432\u0443\u0435\u0442 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0443\u044e \u043b\u044e\u0431\u043e\u0432\u044c."], "additional_info": {"answer": "\u041a\u0440\u0430\u0441\u0430\u0432\u0438\u0446\u0430 \u041d\u0438\u043d\u0430 \u0436\u0438\u0432\u0435\u0442, \u043a\u0430\u043a \u0435\u0439 \u00a0\u043a\u0430\u0436\u0435\u0442\u0441\u044f, \u0432 \u00a0\u0441\u0447\u0430\u0441\u0442\u043b\u0438\u0432\u043e\u043c \u0431\u0440\u0430\u043a\u0435 \u0441 \u00a0\u0438\u043d\u0442\u0435\u043b\u043b\u0438\u0433\u0435\u043d\u0442\u043d\u044b\u043c \u043f\u0440\u043e\u0444\u0435\u0441\u0441\u043e\u0440\u043e\u043c-\u043a\u0438\u0442\u0430\u0438\u0441\u0442\u043e\u043c \u0410\u043b\u0435\u043a\u0441\u0430\u043d\u0434\u0440\u043e\u043c, \u043f\u043e \u00a0\u0441\u043e\u0432\u043c\u0435\u0441\u0442\u0438\u0442\u0435\u043b\u044c\u0441\u0442\u0432\u0443 \u0435\u0435 \u00a0\u043f\u0440\u0435\u043f\u043e\u0434\u0430\u0432\u0430\u0442\u0435\u043b\u0435\u043c. \u041d\u043e \u00a0\u0434\u043e\u043b\u0433 \u0437\u0430 \u00a0\u0438\u043f\u043e\u0442\u0435\u043a\u0443 \u043f\u043e\u0434\u0441\u043f\u0443\u0434\u043d\u043e \u0434\u0430\u0432\u0438\u0442 \u043d\u0430 \u00a0\u0441\u0443\u043f\u0440\u0443\u0436\u0435\u0441\u043a\u0438\u0435 \u043e\u0442\u043d\u043e\u0448\u0435\u043d\u0438\u044f. \u041e\u0434\u043d\u0430\u0436\u0434\u044b \u041d\u0438\u043d\u0430 \u0437\u043d\u0430\u043a\u043e\u043c\u0438\u0442\u0441\u044f \u0441 \u00a0\u0421\u0435\u0440\u0433\u0435\u0435\u043c, \u0440\u0443\u043a\u043e\u0432\u043e\u0434\u0438\u0442\u0435\u043b\u0435\u043c \u0442\u043e\u0433\u043e \u0441\u0430\u043c\u043e\u0433\u043e \u0431\u0430\u043d\u043a\u0430, \u043a\u043e\u0442\u043e\u0440\u043e\u043c\u0443 \u0434\u043e\u043b\u0436\u0435\u043d \u0435\u0435 \u00a0\u043c\u0443\u0436, \u0438 \u00a0\u0434\u0435\u043b\u043e\u0432\u0430\u044f \u0432\u0441\u0442\u0440\u0435\u0447\u0430 \u043f\u0440\u0435\u0432\u0440\u0430\u0449\u0430\u0435\u0442\u0441\u044f \u0432 \u00a0\u043d\u0435\u0444\u043e\u0440\u043c\u0430\u043b\u044c\u043d\u0443\u044e. \u0415\u0434\u0432\u0430 \u00a0\u043b\u0438 \u041d\u0438\u043d\u0443 \u0432\u0435\u0434\u0435\u0442 \u043a \u00a0\u044d\u0444\u0444\u0435\u043a\u0442\u043d\u043e\u043c\u0443 \u043c\u0443\u0436\u0447\u0438\u043d\u0435 \u0441\u0438\u0442\u0443\u0430\u0446\u0438\u044f \u0441 \u00a0\u0438\u043f\u043e\u0442\u0435\u043a\u043e\u0439, \u043a\u043e\u0442\u043e\u0440\u0430\u044f \u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u0441\u044f \u043b\u0438\u0448\u044c \u043f\u043e\u0432\u043e\u0434\u043e\u043c \u043e\u0442\u0434\u0430\u0442\u044c\u0441\u044f \u0432\u043b\u0435\u0447\u0435\u043d\u0438\u044e. \u0420\u043e\u043c\u0430\u043d \u0441 \u00a0\u0436\u0435\u043d\u0430\u0442\u044b\u043c \u0421\u0435\u0440\u0433\u0435\u0435\u043c \u0432\u0440\u044f\u0434 \u00a0\u043b\u0438 \u0441\u0443\u043b\u0438\u0442 \u0441\u0447\u0430\u0441\u0442\u044c\u0435, \u043d\u043e \u00a0\u0434\u0435\u0432\u0443\u0448\u043a\u0430 \u043e\u0441\u043e\u0437\u043d\u0430\u0435\u0442, \u0447\u0442\u043e \u0432\u043f\u0435\u0440\u0432\u044b\u0435 \u0447\u0443\u0432\u0441\u0442\u0432\u0443\u0435\u0442 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0443\u044e \u043b\u044e\u0431\u043e\u0432\u044c.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 179, "goal": "What is the IMDB ID of the actor who portrayed Batman in \"The Dark Knight\" trilogy directed by Christopher Nolan? Please provide the IMDB ID as a string.", "subgoals": ["nm0000288"], "additional_info": {"answer": "nm0000288", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 180, "goal": "May I request the Twitter ID of the actor known for his role as Jack Dawson in \"Titanic\"? Please provide the Twitter ID as a string.", "subgoals": ["leodicaprio"], "additional_info": {"answer": "leodicaprio", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 181, "goal": "What is the Facebook ID of the actress who starred in \"Gone with the Wind\"? Please answer me with the actress name.", "subgoals": ["Vivien Leigh"], "additional_info": {"answer": "Vivien Leigh", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 182, "goal": "Could you provide the Twitter ID of the actor known for playing Neo in \"The Matrix\" trilogy? Please answer me with the actor's name.", "subgoals": ["Keanu Reeves"], "additional_info": {"answer": "Keanu Reeves", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 183, "goal": "May I ask for the Instagram ID of the actress who portrayed Rey in the Star Wars sequel trilogy? Please provide the Instagram ID as a string.", "subgoals": ["daisyridley"], "additional_info": {"answer": "daisyridley", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 184, "goal": "What is the Facebook ID of the actor who played Spider-Man in the Marvel Cinematic Universe? Please answer me with the actor's name.", "subgoals": ["Tom Holland"], "additional_info": {"answer": "Tom Holland", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 185, "goal": "Could you give me the Twitter ID of the actress known for her role as Princess Leia in the original \"Star Wars\" trilogy? Please provide the Twitter ID as a string.", "subgoals": ["carrieffisher"], "additional_info": {"answer": "carrieffisher", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 186, "goal": "May I request the IMDB ID of the actor known for portraying Captain Jack Sparrow in the \"Pirates of the Caribbean\" franchise? Please provide the answer as a string.", "subgoals": ["nm0000136"], "additional_info": {"answer": "nm0000136", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 187, "goal": "Can you provide the production companies for both \"The Matrix\" and \"Inception\"? Are there any similarities? Please answer me with the production company name as a string.", "subgoals": ["Warner Bros. Pictures"], "additional_info": {"answer": "Warner Bros. Pictures", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 188, "goal": "Which film had a bigger impact on the box office, \"The Avengers\" or \"Avengers: Age of Ultron\"? Please answer me with the film name as a string.", "subgoals": ["The Avengers"], "additional_info": {"answer": "The Avengers", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 189, "goal": "Among \"The Social Network\" and \"The Big Short,\" which movie has a larger budget? Please answer me with the film name as a string.", "subgoals": ["The Social Network"], "additional_info": {"answer": "The Social Network", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 190, "goal": "Compare the genres of \"The Silence of the Lambs\" and \"Se7en.\" Do they share any common genres? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 191, "goal": "Between \"Titanic\" and \"Avatar,\" which movie has more production countries involved? Please answer me with the film name as a string.", "subgoals": ["Avatar"], "additional_info": {"answer": "Avatar", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 192, "goal": "Which film, \"Inglourious Basterds\" or \"Django Unchained,\" has more keywords associated with it? Please answer me with the film name that has more keywords as a string.", "subgoals": ["Django Unchained"], "additional_info": {"answer": "Django Unchained", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 193, "goal": "When it comes to revenue, which movie performed better, \"The Lion King\" (1994) or \"Beauty and the Beast\" (1991)? Please answer me with the film name as a string.", "subgoals": ["The Lion King"], "additional_info": {"answer": "The Lion King", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 194, "goal": "Among \"The Dark Knight\" and \"The Dark Knight Rises,\" which movie has a higher average vote score? Please answer me with the film name as a string.", "subgoals": ["The Dark Knight"], "additional_info": {"answer": "The Dark Knight", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 195, "goal": "How do the budgets of \"Avengers: Infinity War\" and \"Avengers: Endgame\" compare to each other? Please answer me with the movie name and budget as a string.", "subgoals": ["'Avengers: Endgame' ($356,000,000) is higher than 'Avengers: Infinity War' ($300,000,000)"], "additional_info": {"answer": "'Avengers: Endgame' ($356,000,000) is higher than 'Avengers: Infinity War' ($300,000,000)", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 196, "goal": "Compare the release dates of Star Wars: Episode IV - A New Hope and Star Wars: Episode V - The Empire Strikes Back. Which one was released first? Please answer me with the film name as a string.", "subgoals": ["Star Wars: Episode IV - A New Hope"], "additional_info": {"answer": "Star Wars: Episode IV - A New Hope", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 197, "goal": "The actor who played Neo in \"The Matrix\", what role did he play in \"John Wick\"? Please answer me with the character name as a string.", "subgoals": ["John Wick"], "additional_info": {"answer": "John Wick", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 198, "goal": "The actress who played Rey in \"Star Wars: The Rise of Skywalker\", what role did she play in \"Murder on the Orient Express\"? Please answer me with the character name as a string.", "subgoals": ["Mary Debenham"], "additional_info": {"answer": "Mary Debenham", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 199, "goal": "The actor who played Captain Jack Sparrow in \"Pirates of the Caribbean: The Curse of the Black Pearl\", what role did he play in \"Edward Scissorhands\"? Please answer me with the character name as a string.", "subgoals": ["Edward Scissorhands"], "additional_info": {"answer": "Edward Scissorhands", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 200, "goal": "The actress who played Katniss Everdeen in \"The Hunger Games: Mockingjay - Part 2\", what role did she play in \"Silver Linings Playbook\"? Please answer me with the character name as a string.", "subgoals": ["Tiffany Maxwell"], "additional_info": {"answer": "Tiffany Maxwell", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 201, "goal": "The actor who played Forrest Gump in \"Forrest Gump\", what role did he play in \"Cast Away\"? Please answer me with the character name as a string.", "subgoals": ["Chuck Noland"], "additional_info": {"answer": "Chuck Noland", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 202, "goal": "The actor who played Bruce Wayne in \"The Dark Knight\", what role did he play in \"Inception\"? Please answer me with the character name as a string.", "subgoals": ["Christian Bale did not have a role in 'Inception'."], "additional_info": {"answer": "Christian Bale did not have a role in 'Inception'.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 203, "goal": "Can you provide me with the biography of the actress who played Rey in \"Star Wars: The Force Awakens\"? Please answer me with a brief description.", "subgoals": ["Daisy Jazz Isobel Ridley (born 10 April 1992) is an English actress, who rose to prominence for her role as Rey in the Star Wars sequel trilogy: The Force Awakens (2015), The Last Jedi (2017), and The Rise of Skywalker (2019).\n\nShe also appeared in the mystery film Murder on the Orient Express (2017), played the title character of the romantic drama Ophelia (2018), and has done occasional voice acting, notably the live-action/animated film Peter Rabbit (2018) and video games such as 12 Minutes.\n\nDescription above from the Wikipedia article Daisy Ridley, licensed under CC-BY-SA, full list of contributors on Wikipedia."], "additional_info": {"answer": "Daisy Jazz Isobel Ridley (born 10 April 1992) is an English actress, who rose to prominence for her role as Rey in the Star Wars sequel trilogy: The Force Awakens (2015), The Last Jedi (2017), and The Rise of Skywalker (2019).\n\nShe also appeared in the mystery film Murder on the Orient Express (2017), played the title character of the romantic drama Ophelia (2018), and has done occasional voice acting, notably the live-action/animated film Peter Rabbit (2018) and video games such as 12 Minutes.\n\nDescription above from the Wikipedia article Daisy Ridley, licensed under CC-BY-SA, full list of contributors on Wikipedia.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 204, "goal": "Could you find out if the actor who played Tony Stark in \"Iron Man\" also appeared in \"The Judge\"? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 205, "goal": "Among the movies directed by Quentin Tarantino, which one has the highest budget? Please answer me with the film name as a string.", "subgoals": ["Kill Bill: Vol. 1"], "additional_info": {"answer": "Kill Bill: Vol. 1", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 206, "goal": "Is there any movie where both Leonardo DiCaprio and Kate Winslet starred together after \"Titanic\"? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 207, "goal": "Can you find out if the actress who portrayed Hermione Granger in the \"Harry Potter\" series appeared in any movies directed by Steven Spielberg? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 208, "goal": "What is the average vote score of the movies directed by Martin Scorsese? Please provide the answer as a number.", "subgoals": [7.64], "additional_info": {"answer": 7.64, "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 209, "goal": "Is there any movie where both Tom Hanks and Meg Ryan starred together? Please answer me with the film name as a string.", "subgoals": ["Sleepless in Seattle"], "additional_info": {"answer": "Sleepless in Seattle", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 210, "goal": "Is there any movie where both Brad Pitt and Angelina Jolie starred together? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 211, "goal": "What is the birthday of the actor who played Jack Dawson in \"Titanic\"? Please provide the date in the format of YYYY-MM-DD.", "subgoals": ["1974-11-11"], "additional_info": {"answer": "1974-11-11", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 212, "goal": "Can you find out if the actor who portrayed Jon Snow in \"Game of Thrones\" appeared in any movies directed by Ridley Scott? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 213, "goal": "What is the biography of the actor who played Spider-Man in Spider-Man: Homecoming? Please provide the information as a string.", "subgoals": ["Thomas \"Tom\" Stanley Holland is an English actor and dancer.\n\nHe is best known for playing Peter Parker / Spider-Man in the Marvel Cinematic Universe and has appeared as the character in six films: Captain America: Civil War (2016), Spider-Man: Homecoming (2017), Avengers: Infinity War (2018), Avengers: Endgame (2019), Spider-Man: Far From Home (2019), and Spider-Man: No Way Home (2021).\n\nHe is also known for playing the title role in Billy Elliot the Musical at the Victoria Palace Theatre, London, as well as for starring in the 2012 film The Impossible."], "additional_info": {"answer": "Thomas \"Tom\" Stanley Holland is an English actor and dancer.\n\nHe is best known for playing Peter Parker / Spider-Man in the Marvel Cinematic Universe and has appeared as the character in six films: Captain America: Civil War (2016), Spider-Man: Homecoming (2017), Avengers: Infinity War (2018), Avengers: Endgame (2019), Spider-Man: Far From Home (2019), and Spider-Man: No Way Home (2021).\n\nHe is also known for playing the title role in Billy Elliot the Musical at the Victoria Palace Theatre, London, as well as for starring in the 2012 film The Impossible.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 214, "goal": "Could you provide the revenue of the movie in which Vin Diesel portrayed Dominic Toretto? Please give me a number.", "subgoals": [207283925], "additional_info": {"answer": 207283925, "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 215, "goal": "Is there any movie where both Emma Stone and Ryan Gosling starred together after \"La La Land\"? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 216, "goal": "What is the place of birth of the actress who played Katniss Everdeen in \"The Hunger Games\"? Please provide the birthplace as a string.", "subgoals": ["Indian Hills, Kentucky, USA"], "additional_info": {"answer": "Indian Hills, Kentucky, USA", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 217, "goal": "Among the movies directed by Ridley Scott, which one has the highest number of production countries? Please answer me with the film names as an array.", "subgoals": [["1492: Conquest of Paradise", "Kingdom of Heaven"]], "additional_info": {"answer": ["1492: Conquest of Paradise", "Kingdom of Heaven"], "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 218, "goal": "Can you find out if the actor who played Aragorn in \"The Lord of the Rings\" series appeared in any movies directed by Peter Jackson? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 219, "goal": "Could you provide the budget of the movie in which Daniel Craig portrayed James Bond? Please give me a number.", "subgoals": [200000000], "additional_info": {"answer": 200000000, "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 220, "goal": "Is there any movie where both Emma Watson and Rupert Grint starred together after the \"Harry Potter\" series? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 221, "goal": "What is the birthday of the actor who played Bruce Wayne in \"The Dark Knight\" trilogy? Please provide the date in the format of YYYY-MM-DD.", "subgoals": ["1974-01-30"], "additional_info": {"answer": "1974-01-30", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 222, "goal": "Among the movies directed by Peter Jackson, which one has the highest revenue? Please answer me with the film name as a string.", "subgoals": ["The Lord of the Rings: The Return of the King"], "additional_info": {"answer": "The Lord of the Rings: The Return of the King", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 223, "goal": "Can you find out if the actress who portrayed Black Widow in the Marvel Cinematic Universe appeared in any movies directed by the Russo brothers? Please answer me with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 224, "goal": "What is the biography of the actor who played Thor in the Marvel Cinematic Universe?", "subgoals": ["Chris Hemsworth (born 11 August 1983) is an Australian actor. He is best known for his roles as Kim Hyde in the Australian TV series Home and Away (2004) and as Thor in the Marvel Cinematic Universe films Thor (2011), The Avengers (2012), Thor: The Dark World (2013), Avengers: Age of Ultron (2015), Thor: Ragnarok (2017), Avengers: Infinity War (2018), Avengers: Endgame (2019), and Thor: Love and Thunder (2022). He has also appeared in the science fiction action film Star Trek (2009), the thriller adventure A Perfect Getaway (2009), the horror comedy The Cabin in the Woods (2012), the dark fantasy action film Snow White and the Huntsman (2012), the war film Red Dawn (2012) and the biographical sports drama film Rush (2013).\n\nDescription above from the Wikipedia article Chris Hemsworth, licensed under CC-BY-SA, full list of contributors on Wikipedia."], "additional_info": {"answer": "Chris Hemsworth (born 11 August 1983) is an Australian actor. He is best known for his roles as Kim Hyde in the Australian TV series Home and Away (2004) and as Thor in the Marvel Cinematic Universe films Thor (2011), The Avengers (2012), Thor: The Dark World (2013), Avengers: Age of Ultron (2015), Thor: Ragnarok (2017), Avengers: Infinity War (2018), Avengers: Endgame (2019), and Thor: Love and Thunder (2022). He has also appeared in the science fiction action film Star Trek (2009), the thriller adventure A Perfect Getaway (2009), the horror comedy The Cabin in the Woods (2012), the dark fantasy action film Snow White and the Huntsman (2012), the war film Red Dawn (2012) and the biographical sports drama film Rush (2013).\n\nDescription above from the Wikipedia article Chris Hemsworth, licensed under CC-BY-SA, full list of contributors on Wikipedia.", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 225, "goal": "Could you provide the revenue of the movie in which Scarlett Johansson portrayed Natasha Romanoff? Please give me a number.", "subgoals": [379751131], "additional_info": {"answer": 379751131, "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 226, "goal": "Is there any movie where both Chris Evans and Robert Downey Jr. starred together? Please answer me with the film name as a string.", "subgoals": ["The Avengers"], "additional_info": {"answer": "The Avengers", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 227, "goal": "What is the place of birth of the actor who played Iron Man in the Marvel Cinematic Universe? Please answer me with the birthplace as a string.", "subgoals": ["New York City, New York, USA"], "additional_info": {"answer": "New York City, New York, USA", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 228, "goal": "Can you find out if the actress who portrayed Queen Elizabeth II in \"The Crown\" appeared in any movies directed by Stephen Daldry? Please answer with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 229, "goal": "What is the release date of the movie in which Meryl Streep portrayed Margaret Thatcher?Please provide the date in the format YYYY-MM-DD.", "subgoals": ["2011-12-26"], "additional_info": {"answer": "2011-12-26", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 230, "goal": "Among the movies directed by Clint Eastwood, which one has the highest vote average? Please answer me with the film name as a string.", "subgoals": ["Million Dollar Baby"], "additional_info": {"answer": "Million Dollar Baby", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 231, "goal": "Can you provide the budget of the movie in which Sandra Bullock portrayed Leigh Anne Tuohy? Please give me a number.", "subgoals": [29000000], "additional_info": {"answer": 29000000, "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 232, "goal": "Is there any movie where both Tom Hardy and Charlize Theron starred together after \"Mad Max: Fury Road\"? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 233, "goal": "What is the average vote score of the movies in which Denzel Washington portrayed Malcolm X? Please provide the average vote score as a number.", "subgoals": [7.531], "additional_info": {"answer": 7.531, "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 234, "goal": "Could you find out if the actor who played Neo in \"The Matrix\" appeared in any movies directed by Lana Wachowski? Please answer with Yes or No.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 235, "goal": "Among the movies directed by David Fincher, which one has the highest revenue? Please answer me with the film name as a string.", "subgoals": ["The Curious Case of Benjamin Button"], "additional_info": {"answer": "The Curious Case of Benjamin Button", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 236, "goal": "Can you provide the release date of the movie in which Brad Pitt portrayed Tyler Durden? Please provide the date in the format YYYY-MM-DD.", "subgoals": ["1999-10-15"], "additional_info": {"answer": "1999-10-15", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} +{"id": 237, "goal": "Is there any movie where both Natalie Portman and Mila Kunis starred together after \"Black Swan\"? Please answer me with Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": null, "goal_type": 0, "tool": "movie"}, "difficulty": "hard"} diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/data/sheet.jsonl b/openmanus_rl/agentgym/agentenv-tool/Toolusage/data/sheet.jsonl new file mode 100644 index 00000000..4626d94e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/data/sheet.jsonl @@ -0,0 +1,20 @@ +{"task": "tool-operation", "id": 0, "goal": "Product Update: The table in \"Sheet1\" contains the product inventory information, and [['Product', 'Today Sold'], ['beef', '5'], ['pork', '2'], ['chicken', '8'], ['lamb', '12'], ['duck', '3'], ['fish', '23'], ['shrimp', '21'], ['salmon', '12'], ['apple', '100'], ['banana', '287'], ['orange', '234'], ['carrot', '12']] is today's sales data. Please update the product information in \"Sheet1\" in time and then sort by \"Quantity\" in descending order.", "subgoals": "Reference Action Path: \nAction 1: update_range with Action Input: {'start_position': 'D2', 'end_position': 'D13', 'values_list': '[[8], [5], [10], [10], [7], [66], [21], [3], [20], [-87], [-84], [68]]'}\nAction 2: sort_sheet_by_col with Action Input: {'col_num': '4', 'order': 'des'}\n", "additional_info": {"answer": "[[\"Product\", \"Category\", \"Price\", \"Quantity\", \"Discount\", \"Location\", \"Product Rating\"], [\"carrot\", \"Vegetables\", \"0.40\", \"68.00\", \"0.00\", \"Store D\", \"4.2\"], [\"fish\", \"Seafood\", \"2.80\", \"66.00\", \"0.08\", \"Store B\", \"4.1\"], [\"shrimp\", \"Seafood\", \"5.40\", \"21.00\", \"0.10\", \"Store C\", \"4.4\"], [\"apple\", \"Fruits\", \"1.20\", \"20.00\", \"0.00\", \"Store A\", \"4.3\"], [\"chicken\", \"Meat\", \"9.70\", \"10.00\", \"0.15\", \"Store C\", \"4.7\"], [\"lamb\", \"Meat\", \"6.10\", \"10.00\", \"0.20\", \"Store D\", \"4.3\"], [\"beef\", \"Meat\", \"8.50\", \"8.00\", \"0.10\", \"Store A\", \"4.5\"], [\"duck\", \"Meat\", \"14.30\", \"7.00\", \"0.12\", \"Store A\", \"4.6\"], [\"pork\", \"Meat\", \"3.20\", \"5.00\", \"0.05\", \"Store B\", \"4.2\"], [\"salmon\", \"Seafood\", \"12.70\", \"3.00\", \"0.05\", \"Store D\", \"4.2\"], [\"orange\", \"Fruits\", \"0.80\", \"-84.00\", \"0.00\", \"Store C\", \"4.6\"], [\"banana\", \"Fruits\", \"0.50\", \"-87.00\", \"0.00\", \"Store B\", \"4.1\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "easy"} +{"task": "tool-operation", "id": 1, "goal": "Product Promotion: \"Sheet2\" contains the product inventory information, please sort the products in descending order by product ratings, and then, increase the discount rate of the three products with the lowest ratings by 5 percentage points.", "subgoals": "Reference Action Path: \nAction 1: sort_sheet_by_col with Action Input: {'col_num': '7', 'order': 'des'}\nAction 2: update_range with Action Input: {'start_position': 'E11', 'end_position': 'E13', 'values_list': '[[0.05], [0.13], [0.05]]'}\n", "additional_info": {"answer": "[[\"Product\", \"Category\", \"Price\", \"Quantity\", \"Discount\", \"Location\", \"Product Rating\"], [\"chicken\", \"Meat\", \"9.70\", \"18.00\", \"0.15\", \"Store C\", \"4.70\"], [\"duck\", \"Meat\", \"14.30\", \"10.00\", \"0.12\", \"Store A\", \"4.60\"], [\"orange\", \"Fruits\", \"0.80\", \"150.00\", \"0.00\", \"Store C\", \"4.60\"], [\"beef\", \"Meat\", \"8.50\", \"13.00\", \"0.10\", \"Store A\", \"4.50\"], [\"shrimp\", \"Seafood\", \"5.40\", \"42.00\", \"0.10\", \"Store C\", \"4.40\"], [\"lamb\", \"Meat\", \"6.10\", \"22.00\", \"0.20\", \"Store D\", \"4.30\"], [\"apple\", \"Fruits\", \"1.20\", \"120.00\", \"0.00\", \"Store A\", \"4.30\"], [\"pork\", \"Meat\", \"3.20\", \"7.00\", \"0.05\", \"Store B\", \"4.20\"], [\"salmon\", \"Seafood\", \"12.70\", \"15.00\", \"0.05\", \"Store D\", \"4.20\"], [\"carrot\", \"Vegetables\", \"0.40\", \"80.00\", \"0.05\", \"Store D\", \"4.20\"], [\"fish\", \"Seafood\", \"2.80\", \"89.00\", \"0.13\", \"Store B\", \"4.10\"], [\"banana\", \"Fruits\", \"0.50\", \"200.00\", \"0.05\", \"Store B\", \"4.10\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "easy"} +{"task": "tool-operation", "id": 2, "goal": " Product Filtering: The table in \"Sheet3\" contains the product inventory information, and now you need to filter out the products that are neither in the 'Vegetables' nor 'Fruits' categories , and have a price greater than 5. Then, sort the filtered products in descending order by \"Quantity\".", "subgoals": "Reference Action Path: \nAction 1: filter_cells with Action Input: {'query': \"re.compile('^(Vegetables|Fruits)$')\"}\nAction 2: delete_batch_data with Action Input: {'dimension': 'row', 'index_list': '[10, 11, 12, 13]'}\nAction 3: delete_batch_data with Action Input: {'dimension': 'row', 'index_list': '[3, 7]'}\nAction 4: sort_sheet_by_col with Action Input: {'col_num': '4', 'order': 'des'}\n", "additional_info": {"answer": "[[\"Product\", \"Category\", \"Price\", \"Quantity\", \"Discount\", \"Location\", \"Product Rating\"], [\"shrimp\", \"Seafood\", \"5.40\", \"42.00\", \"0.10\", \"Store C\", \"4.40\"], [\"lamb\", \"Meat\", \"6.10\", \"22.00\", \"0.20\", \"Store D\", \"4.30\"], [\"chicken\", \"Meat\", \"9.70\", \"18.00\", \"0.15\", \"Store C\", \"4.70\"], [\"salmon\", \"Seafood\", \"12.70\", \"15.00\", \"0.05\", \"Store D\", \"4.20\"], [\"beef\", \"Meat\", \"8.50\", \"13.00\", \"0.10\", \"Store A\", \"4.50\"], [\"duck\", \"Meat\", \"14.30\", \"10.00\", \"0.12\", \"Store A\", \"4.60\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "hard"} +{"task": "tool-operation", "id": 3, "goal": "In \"Sheet4\", delete the empty rows and columns, then merge the titles of first and second column into a single cell", "subgoals": "Reference Action Path: \nAction 1: delete_batch_data with Action Input: {'dimension': 'row', 'index_list': '[8]'}\nAction 2: delete_batch_data with Action Input: {'dimension': 'col', 'index_list': '[3]'}\nAction 3: merge_cells with Action Input: {'start_position': 'A1', 'end_position': 'B1'}\n", "additional_info": {"answer": "[[\"Product\", \"Product\", \"Price\", \"Quantity\", \"Discount\", \"Location\", \"Product Rating\"], [\"Meat\", \"beef\", \"8.50\", \"13.00\", \"0.10\", \"Store A\", \"4.50\"], [\"Meat\", \"pork\", \"3.20\", \"7.00\", \"0.05\", \"Store B\", \"4.20\"], [\"Meat\", \"chicken\", \"9.70\", \"18.00\", \"0.15\", \"Store C\", \"4.70\"], [\"Meat\", \"lamb\", \"6.10\", \"22.00\", \"0.20\", \"Store D\", \"4.30\"], [\"Meat\", \"duck\", \"14.30\", \"10.00\", \"0.12\", \"Store A\", \"4.60\"], [\"Seafood\", \"fish\", \"2.80\", \"89.00\", \"0.08\", \"Store B\", \"4.10\"], [\"Seafood\", \"shrimp\", \"5.40\", \"42.00\", \"0.10\", \"Store C\", \"4.40\"], [\"Seafood\", \"salmon\", \"12.70\", \"15.00\", \"0.05\", \"Store D\", \"4.20\"], [\"Fruits\", \"apple\", \"1.20\", \"120.00\", \"0.00\", \"Store A\", \"4.30\"], [\"Fruits\", \"banana\", \"0.50\", \"200.00\", \"0.00\", \"Store B\", \"4.10\"], [\"Fruits\", \"orange\", \"0.80\", \"150.00\", \"0.00\", \"Store C\", \"4.60\"], [\"Vegetables\", \"carrot\", \"0.40\", \"80.00\", \"0.00\", \"Store D\", \"4.20\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "hard"} +{"task": "tool-operation", "id": 4, "goal": "In \"Sheet5\", please update the data according to the notes on cells: \"James Harris\", \"Matthew Thompson\", \"Sarah Johnson\" and \"Christopher Anderson\", and then sort the data in descending order by overall score.", "subgoals": "Reference Action Path: \nAction 1: get_note with Action Input: {'position': 'A4'}\nAction 2: get_note with Action Input: {'position': 'A8'}\nAction 3: get_note with Action Input: {'position': 'A11'}\nAction 4: get_note with Action Input: {'position': 'A15'}\nAction 5: update_cell with Action Input: {'position': 'C4', 'value': 'Chapter 3'}\nAction 6: update_cell with Action Input: {'position': 'C8', 'value': 'Chapter 8'}\nAction 7: update_cell with Action Input: {'position': 'C11', 'value': 'Chapter 4'}\nAction 8: update_cell with Action Input: {'position': 'C15', 'value': 'Chapter 5'}\nAction 9: update_cell with Action Input: {'position': 'D4', 'value': '45'}\nAction 10: update_cell with Action Input: {'position': 'D8', 'value': '85'}\nAction 11: update_cell with Action Input: {'position': 'D11', 'value': '62'}\nAction 12: update_cell with Action Input: {'position': 'D15', 'value': '57'}\nAction 13: sort_sheet_by_col with Action Input: {'col_num': '4', 'order': 'des'}\n", "additional_info": {"answer": "[[\"Name\", \"Group Number\", \"Progress\", \"Overall Score\"], [\"Emma Thompson\", \"Group 1\", \"Chapter 10\", \"90\"], [\"Sophia Thomas\", \"Group 2\", \"Chapter 6\", \"89\"], [\"Isabella Robinson\", \"Group 2\", \"Chapter 10\", \"86\"], [\"James Harris\", \"Group 3\", \"Chapter 8\", \"85\"], [\"Andrew Martin\", \"Group 5\", \"Chapter 9\", \"83\"], [\"Samantha Martinez\", \"Group 4\", \"Chapter 4\", \"80\"], [\"Lucas Garcia\", \"Group 4\", \"Chapter 5\", \"79\"], [\"Ethan Johnson\", \"Group 2\", \"Chapter 9\", \"77\"], [\"Chloe Jackson\", \"Group 4\", \"Chapter 8\", \"76\"], [\"Jessica Wilson\", \"Group 5\", \"Chapter 3\", \"65\"], [\"Matthew Thompson\", \"Group 4\", \"Chapter 4\", \"62\"], [\"Sarah Johnson\", \"Group 5\", \"Chapter 5\", \"57\"], [\"Olivia Garcia\", \"Group 3\", \"Chapter 3\", \"55\"], [\"Christopher Anderson\", \"Group 1\", \"Chapter 3\", \"45\"], [\"Michael Brown\", \"Group 2\", \"Chapter 4\", \"35\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "hard"} +{"task": "tool-operation", "id": 5, "goal": "In \"Sheet6\", calculate the sum and average scores, then enter the results in the appropriate cells in the table. Afterward, sort the table in descending order based on the sum score.", "subgoals": "Reference Action Path: \nAction 1: update_cell_by_formula with Action Input: {'start_position': 'C2', 'end_position': 'G2', 'result_position': 'H2', 'operator': 'SUM'}\nAction 2: update_cell_by_formula with Action Input: {'start_position': 'C2', 'end_position': 'G2', 'result_position': 'I2', 'operator': 'AVERAGE'}\nAction 3: update_cell_by_formula with Action Input: {'start_position': 'C3', 'end_position': 'G3', 'result_position': 'H3', 'operator': 'SUM'}\nAction 4: update_cell_by_formula with Action Input: {'start_position': 'C3', 'end_position': 'G3', 'result_position': 'I3', 'operator': 'AVERAGE'}\nAction 5: update_cell_by_formula with Action Input: {'start_position': 'C4', 'end_position': 'G4', 'result_position': 'H4', 'operator': 'SUM'}\nAction 6: update_cell_by_formula with Action Input: {'start_position': 'C4', 'end_position': 'G4', 'result_position': 'I4', 'operator': 'AVERAGE'}\nAction 7: update_cell_by_formula with Action Input: {'start_position': 'C5', 'end_position': 'G5', 'result_position': 'H5', 'operator': 'SUM'}\nAction 8: update_cell_by_formula with Action Input: {'start_position': 'C5', 'end_position': 'G5', 'result_position': 'I5', 'operator': 'AVERAGE'}\nAction 9: update_cell_by_formula with Action Input: {'start_position': 'C6', 'end_position': 'G6', 'result_position': 'H6', 'operator': 'SUM'}\nAction 10: update_cell_by_formula with Action Input: {'start_position': 'C6', 'end_position': 'G6', 'result_position': 'I6', 'operator': 'AVERAGE'}\nAction 11: update_cell_by_formula with Action Input: {'start_position': 'C7', 'end_position': 'G7', 'result_position': 'H7', 'operator': 'SUM'}\nAction 12: update_cell_by_formula with Action Input: {'start_position': 'C7', 'end_position': 'G7', 'result_position': 'I7', 'operator': 'AVERAGE'}\nAction 13: update_cell_by_formula with Action Input: {'start_position': 'C8', 'end_position': 'G8', 'result_position': 'H8', 'operator': 'SUM'}\nAction 14: update_cell_by_formula with Action Input: {'start_position': 'C8', 'end_position': 'G8', 'result_position': 'I8', 'operator': 'AVERAGE'}\nAction 15: update_cell_by_formula with Action Input: {'start_position': 'C9', 'end_position': 'G9', 'result_position': 'H9', 'operator': 'SUM'}\nAction 16: update_cell_by_formula with Action Input: {'start_position': 'C9', 'end_position': 'G9', 'result_position': 'I9', 'operator': 'AVERAGE'}\nAction 17: update_cell_by_formula with Action Input: {'start_position': 'C10', 'end_position': 'G10', 'result_position': 'H10', 'operator': 'SUM'}\nAction 18: update_cell_by_formula with Action Input: {'start_position': 'C10', 'end_position': 'G10', 'result_position': 'I10', 'operator': 'AVERAGE'}\nAction 19: update_cell_by_formula with Action Input: {'start_position': 'C11', 'end_position': 'G11', 'result_position': 'H11', 'operator': 'SUM'}\nAction 20: update_cell_by_formula with Action Input: {'start_position': 'C11', 'end_position': 'G11', 'result_position': 'I11', 'operator': 'AVERAGE'}\nAction 21: update_cell_by_formula with Action Input: {'start_position': 'C12', 'end_position': 'G12', 'result_position': 'H12', 'operator': 'SUM'}\nAction 22: update_cell_by_formula with Action Input: {'start_position': 'C12', 'end_position': 'G12', 'result_position': 'I12', 'operator': 'AVERAGE'}\nAction 23: update_cell_by_formula with Action Input: {'start_position': 'C13', 'end_position': 'G13', 'result_position': 'H13', 'operator': 'SUM'}\nAction 24: update_cell_by_formula with Action Input: {'start_position': 'C13', 'end_position': 'G13', 'result_position': 'I13', 'operator': 'AVERAGE'}\nAction 25: update_cell_by_formula with Action Input: {'start_position': 'C14', 'end_position': 'G14', 'result_position': 'H14', 'operator': 'SUM'}\nAction 26: update_cell_by_formula with Action Input: {'start_position': 'C14', 'end_position': 'G14', 'result_position': 'I14', 'operator': 'AVERAGE'}\nAction 27: update_cell_by_formula with Action Input: {'start_position': 'C15', 'end_position': 'G15', 'result_position': 'H15', 'operator': 'SUM'}\nAction 28: update_cell_by_formula with Action Input: {'start_position': 'C15', 'end_position': 'G15', 'result_position': 'I15', 'operator': 'AVERAGE'}\nAction 29: sort_sheet_by_col with Action Input: {'col_num': '8', 'order': 'des'}\n", "additional_info": {"answer": "[[\"Name\", \"Class\", \"Math\", \"English\", \"Physics\", \"Chemistry\", \"Biology\", \"Overall\", \"Avg\"], [\"Jack\", \"1\", \"95.0\", \"88.0\", \"92.0\", \"76.0\", \"93.0\", \"444.0\", \"88.8\"], [\"Hugo\", \"1\", \"90.0\", \"79.0\", \"85.0\", \"91.0\", \"92.0\", \"437.0\", \"87.4\"], [\"Mandy\", \"1\", \"85.0\", \"92.0\", \"79.0\", \"88.0\", \"91.0\", \"435.0\", \"87.0\"], [\"David\", \"1\", \"77.0\", \"93.0\", \"93.0\", \"85.0\", \"82.0\", \"430.0\", \"86.0\"], [\"Grace\", \"1\", \"93.0\", \"78.0\", \"89.0\", \"82.0\", \"86.0\", \"428.0\", \"85.6\"], [\"Nelson\", \"1\", \"90.0\", \"83.0\", \"94.0\", \"79.0\", \"80.0\", \"426.0\", \"85.2\"], [\"Eva\", \"1\", \"80.0\", \"82.0\", \"91.0\", \"84.0\", \"88.0\", \"425.0\", \"85.0\"], [\"Ivy\", \"1\", \"87.0\", \"96.0\", \"80.0\", \"87.0\", \"74.0\", \"424.0\", \"84.8\"], [\"Bob\", \"1\", \"90.0\", \"74.0\", \"86.0\", \"83.0\", \"90.0\", \"423.0\", \"84.6\"], [\"Leo\", \"1\", \"85.0\", \"87.0\", \"90.0\", \"75.0\", \"85.0\", \"422.0\", \"84.4\"], [\"Alice\", \"1\", \"78.0\", \"85.0\", \"88.0\", \"75.0\", \"95.0\", \"421.0\", \"84.2\"], [\"Katie\", \"1\", \"78.0\", \"94.0\", \"85.0\", \"80.0\", \"79.0\", \"416.0\", \"83.2\"], [\"Catherine\", \"1\", \"83.0\", \"80.0\", \"75.0\", \"76.0\", \"97.0\", \"411.0\", \"82.2\"], [\"Frank\", \"1\", \"89.0\", \"90.0\", \"77.0\", \"76.0\", \"75.0\", \"407.0\", \"81.4\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "hard"} +{"task": "tool-operation", "id": 6, "goal": "In \"Sheet7\", rank sheet by Biology score, and insert the column \"Biology_Rank\" after column \"Biology\", filling in the rank of each student's Biology score ( starting from 1).", "subgoals": "Reference Action Path: \nAction 1: sort_sheet_by_col with Action Input: {'col_num': '7', 'order': 'des'}\nAction 2: update_range with Action Input: {'start_position': 'H2', 'end_position': 'H26', 'values_list': '[[1], [2], [3], [4], [5], [6], [7], [8], [9], [10], [11], [12], [13], [14], [15], [16], [17], [18], [19], [20], [21], [22], [23], [24], [25]]'}\n", "additional_info": {"answer": "[[\"Name\", \"Class\", \"Math\", \"English\", \"Physics\", \"Chemistry\", \"Biology\", \"Biology_Rank\"], [\"Xavier\", \"1\", \"85.0\", \"80.0\", \"85.0\", \"91.0\", \"100.0\", \"1.0\"], [\"Catherine\", \"1\", \"83.0\", \"91.0\", \"75.0\", \"76.0\", \"97.0\", \"2.0\"], [\"Robert\", \"1\", \"77.0\", \"88.0\", \"93.0\", \"77.0\", \"96.0\", \"3.0\"], [\"Alice\", \"1\", \"78.0\", \"85.0\", \"88.0\", \"77.0\", \"95.0\", \"4.0\"], [\"Yasmine\", \"1\", \"88.0\", \"87.0\", \"86.0\", \"78.0\", \"94.0\", \"5.0\"], [\"Jack\", \"1\", \"75.0\", \"88.0\", \"92.0\", \"76.0\", \"93.0\", \"6.0\"], [\"Hugo\", \"1\", \"90.0\", \"79.0\", \"85.0\", \"91.0\", \"92.0\", \"7.0\"], [\"Mandy\", \"1\", \"85.0\", \"92.0\", \"79.0\", \"88.0\", \"91.0\", \"8.0\"], [\"Bob\", \"1\", \"92.0\", \"74.0\", \"86.0\", \"83.0\", \"90.0\", \"9.0\"], [\"Wendy\", \"1\", \"78.0\", \"91.0\", \"80.0\", \"83.0\", \"89.0\", \"10.0\"], [\"Eva\", \"1\", \"80.0\", \"82.0\", \"91.0\", \"84.0\", \"88.0\", \"11.0\"], [\"Victor\", \"1\", \"86.0\", \"82.0\", \"87.0\", \"92.0\", \"87.0\", \"12.0\"], [\"Grace\", \"1\", \"93.0\", \"78.0\", \"89.0\", \"80.0\", \"86.0\", \"13.0\"], [\"Leo\", \"1\", \"86.0\", \"89.0\", \"90.0\", \"75.0\", \"85.0\", \"14.0\"], [\"David\", \"1\", \"77.0\", \"88.0\", \"93.0\", \"85.0\", \"82.0\", \"15.0\"], [\"Paul\", \"1\", \"83.0\", \"78.0\", \"86.0\", \"85.0\", \"81.0\", \"16.0\"], [\"Nelson\", \"1\", \"90.0\", \"83.0\", \"94.0\", \"79.0\", \"80.0\", \"17.0\"], [\"Katie\", \"1\", \"78.0\", \"94.0\", \"85.0\", \"80.0\", \"79.0\", \"18.0\"], [\"Sophia\", \"1\", \"88.0\", \"86.0\", \"91.0\", \"86.0\", \"78.0\", \"19.0\"], [\"Olivia\", \"1\", \"92.0\", \"74.0\", \"88.0\", \"83.0\", \"77.0\", \"20.0\"], [\"Ursula\", \"1\", \"82.0\", \"95.0\", \"77.0\", \"85.0\", \"76.0\", \"21.0\"], [\"Frank\", \"1\", \"89.0\", \"90.0\", \"77.0\", \"76.0\", \"75.0\", \"22.0\"], [\"Tom\", \"1\", \"91.0\", \"84.0\", \"78.0\", \"90.0\", \"74.0\", \"23.0\"], [\"Ivy\", \"1\", \"88.0\", \"96.0\", \"80.0\", \"87.0\", \"73.0\", \"24.0\"], [\"Quincy\", \"1\", \"84.0\", \"90.0\", \"75.0\", \"82.0\", \"72.0\", \"25.0\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "easy"} +{"task": "tool-operation", "id": 7, "goal": "In \"Sheet8\", filter out the records with incorrect scores and delete the records of the corresponding students.", "subgoals": "Reference Action Path: \nAction 1: filter_cells with Action Input: {'query': '-1'}\nAction 2: delete_batch_data with Action Input: {'dimension': 'row', 'index_list': '[2, 4, 6, 7, 10, 13]'}\n", "additional_info": {"answer": "[[\"Name\", \"Class\", \"Math\", \"English\", \"Physics\", \"Chemistry\", \"Biology\"], [\"Hugo\", \"1\", \"90\", \"79\", \"85\", \"91\", \"92\"], [\"Jack\", \"1\", \"75\", \"88\", \"92\", \"76\", \"93\"], [\"Paul\", \"1\", \"83\", \"78\", \"86\", \"85\", \"81\"], [\"Quincy\", \"1\", \"84\", \"90\", \"75\", \"82\", \"79\"], [\"Sophia\", \"1\", \"88\", \"86\", \"91\", \"86\", \"78\"], [\"Tom\", \"1\", \"91\", \"84\", \"78\", \"90\", \"74\"], [\"Victor\", \"1\", \"86\", \"82\", \"87\", \"92\", \"88\"], [\"Wendy\", \"1\", \"78\", \"91\", \"80\", \"83\", \"90\"], [\"Xavier\", \"1\", \"85\", \"80\", \"85\", \"91\", \"92\"], [\"Yasmine\", \"1\", \"88\", \"87\", \"86\", \"78\", \"94\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "easy"} +{"task": "tool-operation", "id": 8, "goal": "Insert \"Nelson 1 99 75 80 79\" and \"Robert 1 63 75 92 72\" into the \"Sheet9\" and sort this table by \"Name\" in ascending order.", "subgoals": "Reference Action Path: \nAction 1: insert_rows with Action Input: {'values_list': \"[['Nelson', 1, 99, 75, 80, 79], ['Robert', 1, 63, 75, 92, 72]]\", 'row_idx': '2'}\nAction 2: freeze_data with Action Input: {'dimension': 'rows', 'num': '1'}\nAction 3: sort_sheet_by_col with Action Input: {'col_num': '1', 'order': 'asc'}\n", "additional_info": {"answer": "[[\"Name\", \"Class\", \"Math\", \"English\", \"Physics\", \"Chemistry\"], [\"Katie\", \"1\", \"75\", \"77\", \"79\", \"80\"], [\"Leo\", \"1\", \"73\", \"87\", \"85\", \"75\"], [\"Mandy\", \"1\", \"91\", \"98\", \"91\", \"88\"], [\"Nelson\", \"1\", \"99\", \"75\", \"80\", \"79\"], [\"Olivia\", \"1\", \"98\", \"97\", \"77\", \"83\"], [\"Paul\", \"1\", \"91\", \"93\", \"81\", \"85\"], [\"Quincy\", \"1\", \"87\", \"99\", \"79\", \"82\"], [\"Robert\", \"1\", \"63\", \"75\", \"92\", \"72\"], [\"Sophia\", \"1\", \"90\", \"88\", \"78\", \"86\"], [\"Tom\", \"1\", \"83\", \"94\", \"74\", \"90\"], [\"Ursula\", \"1\", \"76\", \"92\", \"76\", \"85\"], [\"Victor\", \"1\", \"89\", \"77\", \"88\", \"92\"], [\"Wendy\", \"1\", \"74\", \"86\", \"90\", \"83\"], [\"Xavier\", \"1\", \"99\", \"79\", \"92\", \"91\"], [\"Yasmine\", \"1\", \"63\", \"78\", \"94\", \"78\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "hard"} +{"task": "tool-operation", "id": 9, "goal": "In \"Sheet10\", filter out the class with the most students and delete the data of other classes, then sort the class in descending order by Chemistry scores.", "subgoals": "Reference Action Path: \nAction 1: filter_cells with Action Input: {'query': '1', 'in_column': '2'}\nAction 2: filter_cells with Action Input: {'query': '2', 'in_column': '2'}\nAction 3: delete_batch_data with Action Input: {'dimension': 'row', 'index_list': '[3, 5, 6, 7, 9, 11, 12, 14, 17, 19, 20, 22, 23]'}\nAction 4: sort_sheet_by_col with Action Input: {'col_num': '6', 'order': 'des'}\n", "additional_info": {"answer": "[[\"Name\", \"Class\", \"Math\", \"English\", \"Physics\", \"Chemistry\"], [\"Victor\", \"1\", \"89\", \"77\", \"88\", \"92\"], [\"Ivy\", \"1\", \"89\", \"89\", \"74\", \"87\"], [\"Sophia\", \"1\", \"90\", \"88\", \"78\", \"86\"], [\"Olivia\", \"1\", \"98\", \"97\", \"77\", \"83\"], [\"Grace\", \"1\", \"76\", \"89\", \"86\", \"80\"], [\"Yasmine\", \"1\", \"63\", \"78\", \"94\", \"78\"], [\"Alice\", \"1\", \"70\", \"78\", \"95\", \"77\"], [\"Catherine\", \"1\", \"78\", \"87\", \"97\", \"76\"], [\"Leo\", \"1\", \"73\", \"87\", \"85\", \"75\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "hard"} +{"task": "tool-operation", "id": 10, "goal": "In the task assignment table \"Sheet11\", find and delete the tasks with the status \"Completed\". Then, sort the table in descending order by \"Estimated Hours\".", "subgoals": "Reference Action Path: \nAction 1: filter_cells with Action Input: {'query': 'Completed', 'in_column': '3'}\nAction 2: delete_batch_data with Action Input: {'dimension': 'row', 'index_list': '[3, 10, 13]'}\nAction 3: sort_sheet_by_col with Action Input: {'col_num': '5', 'order': 'des'}\n", "additional_info": {"answer": "[[\"Task Name\", \"Responsible Person\", \"Status\", \"Priority\", \"Estimated Hours\"], [\"App Development\", \"Susan Clark\", \"Not Started\", \"Medium\", \"25\"], [\"Content Creation\", \"Mary Johnson\", \"In Progress\", \"High\", \"20\"], [\"Market Research\", \"Elizabeth Davis\", \"In Progress\", \"Low\", \"15\"], [\"Security Audit\", \"Steven Harris\", \"In Progress\", \"High\", \"11\"], [\"Website Update\", \"John Doe\", \"In Progress\", \"High\", \"10\"], [\"SEO Optimization\", \"Peter Williams\", \"Not Started\", \"Medium\", \"8\"], [\"Newsletter Preparation\", \"Patricia Anderson\", \"In Progress\", \"Medium\", \"7\"], [\"Hardware Upgrade\", \"Barbara White\", \"Not Started\", \"Medium\", \"6\"], [\"Client Meeting\", \"Emily Taylor\", \"Scheduled\", \"High\", \"4\"], [\"Server Maintenance\", \"John Doe\", \"Scheduled\", \"Low\", \"3\"], [\"Budget Review\", \"Michael Brown\", \"Not Started\", \"Medium\", \"3\"], [\"Social Media Update\", \"Robert Thomas\", \"Scheduled\", \"Low\", \"2\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "easy"} +{"task": "tool-operation", "id": 11, "goal": "In \"Sheet12\", you need to update the grades of the following students: Quincy, Tom, Grace and Leo, please check the note in the cell under their names to complete the updating of the subject grades and sums. Lastly, sort the table in descending order by 'English score'.", "subgoals": "Reference Action Path: \nAction 1: get_note with Action Input: {'position': 'A5'}\nAction 2: update_cell with Action Input: {'position': 'E5', 'value': '82'}\nAction 3: update_cell_by_formula with Action Input: {'start_position': 'C5', 'end_position': 'F5', 'result_position': 'G5', 'operator': 'SUM'}\nAction 4: get_note with Action Input: {'position': 'A9'}\nAction 5: update_cell with Action Input: {'position': 'C9', 'value': '86'}\nAction 6: update_cell_by_formula with Action Input: {'start_position': 'C9', 'end_position': 'F9', 'result_position': 'G9', 'operator': 'SUM'}\nAction 7: get_note with Action Input: {'position': 'A13'}\nAction 8: update_cell with Action Input: {'position': 'C13', 'value': '84'}\nAction 9: update_cell_by_formula with Action Input: {'start_position': 'C13', 'end_position': 'F13', 'result_position': 'G13', 'operator': 'SUM'}\nAction 10: get_note with Action Input: {'position': 'A15'}\nAction 11: update_cell with Action Input: {'position': 'F15', 'value': '83'}\nAction 12: update_cell_by_formula with Action Input: {'start_position': 'C15', 'end_position': 'F15', 'result_position': 'G15', 'operator': 'SUM'}\nAction 13: sort_sheet_by_col with Action Input: {'col_num': '4', 'order': 'des'}\n", "additional_info": {"answer": "[[\"Name\", \"Class\", \"Math\", \"English\", \"Physics\", \"Chemistry\", \"Sum\"], [\"Quincy\", \"1\", \"87\", \"99\", \"82\", \"82\", \"350\"], [\"Mandy\", \"2\", \"91\", \"98\", \"91\", \"88\", \"368\"], [\"Olivia\", \"1\", \"98\", \"97\", \"77\", \"83\", \"355\"], [\"Tom\", \"2\", \"86\", \"94\", \"74\", \"90\", \"344\"], [\"Paul\", \"2\", \"91\", \"93\", \"81\", \"85\", \"350\"], [\"Ursula\", \"2\", \"76\", \"92\", \"76\", \"85\", \"329\"], [\"Jack\", \"2\", \"87\", \"89\", \"93\", \"76\", \"345\"], [\"Ivy\", \"1\", \"89\", \"89\", \"72\", \"87\", \"339\"], [\"Grace\", \"1\", \"84\", \"89\", \"86\", \"80\", \"339\"], [\"Sophia\", \"1\", \"90\", \"88\", \"78\", \"86\", \"342\"], [\"Hugo\", \"2\", \"61\", \"87\", \"92\", \"91\", \"331\"], [\"Leo\", \"1\", \"73\", \"87\", \"85\", \"83\", \"328\"], [\"Wendy\", \"2\", \"74\", \"86\", \"90\", \"83\", \"333\"], [\"Yasmine\", \"1\", \"63\", \"78\", \"94\", \"78\", \"313\"], [\"Victor\", \"1\", \"89\", \"77\", \"88\", \"92\", \"346\"], [\"Katie\", \"2\", \"75\", \"77\", \"79\", \"80\", \"311\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "hard"} +{"task": "tool-operation", "id": 12, "goal": "In \"Sheet13\", update the information for the task with the following: [['Task Name', 'Status', 'Time required'], ['Database Backup', 'In Progress', '2'], ['Client Meeting', 'Completed', '0'], ['Newsletter Preparation', 'In Progress', '3'], ['Security Audit', 'In Progress', '5']]. After updating, sort the table by \"Time required\" in descending order", "subgoals": "Reference Action Path: \nAction 1: update_range with Action Input: {'start_position': 'A3', 'end_position': 'C3', 'values_list': \"[['Database Backup', 'In Progress', '2']]\"}\nAction 2: update_range with Action Input: {'start_position': 'A7', 'end_position': 'C7', 'values_list': \"[['Client Meeting', 'Completed', '0']]\"}\nAction 3: update_range with Action Input: {'start_position': 'A10', 'end_position': 'C10', 'values_list': \"[['Newsletter Preparation', 'In Progress', '3']]\"}\nAction 4: update_range with Action Input: {'start_position': 'A13', 'end_position': 'C13', 'values_list': \"[['Security Audit', 'In Progress', '5']]\"}\nAction 5: sort_sheet_by_col with Action Input: {'col_num': '3', 'order': 'des'}\n", "additional_info": {"answer": "[[\"Task Name\", \"Status\", \"Time required\", \"Category\"], [\"Content Creation\", \"In Progress\", \"20\", \"Marketing\"], [\"Market Research\", \"In Progress\", \"15\", \"Marketing\"], [\"Website Update\", \"In Progress\", \"10\", \"Development\"], [\"SEO Optimization\", \"Not Started\", \"8\", \"Marketing\"], [\"Graphic Design\", \"Completed\", \"7\", \"Design\"], [\"Hardware Upgrade\", \"Not Started\", \"6\", \"IT\"], [\"Security Audit\", \"In Progress\", \"5\", \"IT\"], [\"Server Maintenance\", \"Scheduled\", \"4\", \"Maintenance\"], [\"Newsletter Preparation\", \"In Progress\", \"3\", \"Marketing\"], [\"Database Backup\", \"In Progress\", \"2\", \"Maintenance\"], [\"Social Media Update\", \"Scheduled\", \"1\", \"Marketing\"], [\"Client Meeting\", \"Completed\", \"0\", \"Client Relations\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "hard"} +{"task": "tool-operation", "id": 13, "goal": "In \"Sheet14\", complete the table with the missing elements based on the information provided : [['Maintenance', 'Marketing', 'Finance'], ['Jane Smith', 'James Wilson', 'Linda Jackson']]. Then, sort the table in descending order by \"Time required\".", "subgoals": "Reference Action Path: \nAction 1: filter_cells with Action Input: {'query': 'None', 'in_column': '2'}\nAction 2: update_cell with Action Input: {'position': 'B3', 'value': 'Jane Smith'}\nAction 3: update_cell with Action Input: {'position': 'B5', 'value': 'James Wilson'}\nAction 4: update_cell with Action Input: {'position': 'B7', 'value': 'Linda Jackson'}\nAction 5: sort_sheet_by_col with Action Input: {'col_num': '4', 'order': 'des'}\n", "additional_info": {"answer": "[[\"Task Name\", \"Responsible Person\", \"Priority\", \"Estimated Hours\", \"Category\"], [\"App Development\", \"Susan Clark\", \"Medium\", \"25\", \"Development\"], [\"Content Creation\", \"Mary Johnson\", \"High\", \"20\", \"Marketing\"], [\"Market Research\", \"Elizabeth Davis\", \"Low\", \"15\", \"Marketing\"], [\"Security Audit\", \"Steven Harris\", \"High\", \"11\", \"IT\"], [\"Website Update\", \"John Doe\", \"High\", \"10\", \"Development\"], [\"SEO Optimization\", \"James Wilson\", \"Medium\", \"8\", \"Marketing\"], [\"Newsletter Preparation\", \"Patricia Anderson\", \"Medium\", \"7\", \"Marketing\"], [\"Hardware Upgrade\", \"Barbara White\", \"Medium\", \"6\", \"IT\"], [\"Client Meeting\", \"Peter Williams\", \"High\", \"4\", \"Client Relations\"], [\"Server Maintenance\", \"Jane Smith\", \"Low\", \"3\", \"Maintenance\"], [\"Social Media Update\", \"Robert Thomas\", \"Low\", \"2\", \"Marketing\"], [\"Budget Review\", \"Linda Jackson\", \"Medium\", \"1\", \"Finance\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "hard"} +{"task": "tool-operation", "id": 14, "goal": "In \"Sheet15\" with the work assignment information, please sort the sheet in ascending order by \"Category\", then, calculate the total amount of time consumed for each task category, fill in the result in \"Sum Hours\". Lastly, merge the results of tasks in the same category into a single cell representing the total amount of time consumed for that category. ", "subgoals": "Reference Action Path: \nAction 1: sort_sheet_by_col with Action Input: {'col_num': '4', 'order': 'asc'}\nAction 2: merge_cells with Action Input: {'start_position': 'F4', 'end_position': 'F5'}\nAction 3: merge_cells with Action Input: {'start_position': 'F6', 'end_position': 'F7'}\nAction 4: merge_cells with Action Input: {'start_position': 'F8', 'end_position': 'F12'}\nAction 5: update_range with Action Input: {'start_position': 'F2', 'end_position': 'F3', 'values_list': '[[4], [10]]'}\nAction 6: update_cell_by_formula with Action Input: {'start_position': 'E4', 'end_position': 'E5', 'result_position': 'F4', 'operator': 'SUM'}\nAction 7: update_cell_by_formula with Action Input: {'start_position': 'E6', 'end_position': 'E7', 'result_position': 'F6', 'operator': 'SUM'}\nAction 8: update_cell_by_formula with Action Input: {'start_position': 'E8', 'end_position': 'E12', 'result_position': 'F8', 'operator': 'SUM'}\n", "additional_info": {"answer": "[[\"Task Name\", \"Status\", \"Priority\", \"Category\", \"Time required\", \"Sum Hours\"], [\"Client Meeting\", \"Scheduled\", \"High\", \"Client Relations\", \"4\", \"4\"], [\"Website Update\", \"In Progress\", \"High\", \"Development\", \"10\", \"10\"], [\"Hardware Upgrade\", \"Not Started\", \"Medium\", \"IT\", \"6\", \"17\"], [\"Security Audit\", \"In Progress\", \"High\", \"IT\", \"11\", \"17\"], [\"Database Backup\", \"Scheduled\", \"Medium\", \"Maintenance\", \"2\", \"5\"], [\"Server Maintenance\", \"Scheduled\", \"Low\", \"Maintenance\", \"3\", \"5\"], [\"Content Creation\", \"In Progress\", \"High\", \"Marketing\", \"20\", \"52\"], [\"SEO Optimization\", \"Not Started\", \"Medium\", \"Marketing\", \"8\", \"52\"], [\"Market Research\", \"In Progress\", \"Low\", \"Marketing\", \"15\", \"52\"], [\"Newsletter Preparation\", \"In Progress\", \"Medium\", \"Marketing\", \"7\", \"52\"], [\"Social Media Update\", \"Scheduled\", \"Low\", \"Marketing\", \"2\", \"52\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "hard"} +{"task": "tool-operation", "id": 15, "goal": "In \"Sheet16\", which contains product inventory information, please first update it with the following information: [['Product', ' Updated Discount'], ['banana', '0.10'], ['duck', '0.00'], ['fish', '0.05'], ['pork', '0.00'], ['shrimp' , '0.08'], ['chicken', '0.15'], ['apple', '0.12'], ['beef', '0.12']]. After that, sort the table by \"Product Rating\" in descending order.", "subgoals": "Reference Action Path: \nAction 1: update_range with Action Input: {'start_position': 'E2', 'end_position': 'E9', 'values_list': \"[['0.10'], ['0.00'], ['0.05'], ['0.00'], ['0.08'], ['0.15'], ['0.12'], ['0.12']]\"}\nAction 2: sort_sheet_by_col with Action Input: {'col_num': '7', 'order': 'des'}\n", "additional_info": {"answer": "[[\"Product\", \"Category\", \"Price\", \"Quantity\", \"Discount\", \"Location\", \"Product Rating\"], [\"chicken\", \"Meat\", \"9.70\", \"10.00\", \"0.15\", \"Store C\", \"4.7\"], [\"duck\", \"Meat\", \"14.30\", \"7.00\", \"0.00\", \"Store A\", \"4.6\"], [\"beef\", \"Meat\", \"8.50\", \"8.00\", \"0.12\", \"Store A\", \"4.5\"], [\"shrimp\", \"Seafood\", \"5.40\", \"21.00\", \"0.08\", \"Store C\", \"4.4\"], [\"apple\", \"Fruits\", \"1.20\", \"20.00\", \"0.12\", \"Store A\", \"4.3\"], [\"pork\", \"Meat\", \"3.20\", \"5.00\", \"0.00\", \"Store B\", \"4.2\"], [\"banana\", \"Fruits\", \"0.50\", \"13.00\", \"0.10\", \"Store B\", \"4.1\"], [\"fish\", \"Seafood\", \"2.80\", \"66.00\", \"0.05\", \"Store B\", \"4.1\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "easy"} +{"task": "tool-operation", "id": 16, "goal": "In \"Sheet17\", calculate and complete the \"Profit\" of the products in the table based on the sales information of the products. And then, sort the table in descending order by \"Profit\".", "subgoals": "Reference Action Path: \nAction 1: update_cell_by_formula with Action Input: {'start_position': 'C2', 'end_position': 'D2', 'result_position': 'E2', 'operator': 'PRODUCT'}\nAction 2: update_cell_by_formula with Action Input: {'start_position': 'C3', 'end_position': 'D3', 'result_position': 'E3', 'operator': 'PRODUCT'}\nAction 3: update_cell_by_formula with Action Input: {'start_position': 'C4', 'end_position': 'D4', 'result_position': 'E4', 'operator': 'PRODUCT'}\nAction 4: update_cell_by_formula with Action Input: {'start_position': 'C5', 'end_position': 'D5', 'result_position': 'E5', 'operator': 'PRODUCT'}\nAction 5: update_cell_by_formula with Action Input: {'start_position': 'C6', 'end_position': 'D6', 'result_position': 'E6', 'operator': 'PRODUCT'}\nAction 6: update_cell_by_formula with Action Input: {'start_position': 'C7', 'end_position': 'D7', 'result_position': 'E7', 'operator': 'PRODUCT'}\nAction 7: update_cell_by_formula with Action Input: {'start_position': 'C8', 'end_position': 'D8', 'result_position': 'E8', 'operator': 'PRODUCT'}\nAction 8: update_cell_by_formula with Action Input: {'start_position': 'C9', 'end_position': 'D9', 'result_position': 'E9', 'operator': 'PRODUCT'}\nAction 9: sort_sheet_by_col with Action Input: {'col_num': '5', 'order': 'des'}\n", "additional_info": {"answer": "[[\"Product\", \"Category\", \"Price\", \"Sold out\", \"Profit\"], [\"fish\", \"Seafood\", \"2.80\", \"66.00\", \"184.8\"], [\"shrimp\", \"Seafood\", \"5.40\", \"21.00\", \"113.4\"], [\"duck\", \"Meat\", \"14.30\", \"7.00\", \"100.1\"], [\"chicken\", \"Meat\", \"9.70\", \"10.00\", \"97\"], [\"beef\", \"Meat\", \"8.50\", \"8.00\", \"68\"], [\"apple\", \"Fruits\", \"1.20\", \"20.00\", \"24\"], [\"pork\", \"Meat\", \"3.20\", \"5.00\", \"16\"], [\"banana\", \"Fruits\", \"0.50\", \"13.00\", \"6.5\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "hard"} +{"task": "tool-operation", "id": 17, "goal": "In \"Sheet18\", remove all records for the store with the highest total profit, and then sort the table in descending order by \"Profit\".", "subgoals": "Reference Action Path: \nAction 1: filter_cells with Action Input: {'query': 'Store C', 'in_column': '5'}\nAction 2: get_value_by_formula with Action Input: {'position_list': \"['F2', 'F9']\", 'operator': 'SUM'}\nAction 3: delete_batch_data with Action Input: {'dimension': 'row', 'index_list': '[2, 9]'}\nAction 4: sort_sheet_by_col with Action Input: {'col_num': '6', 'order': 'des'}\n", "additional_info": {"answer": "[[\"Product\", \"Category\", \"Price\", \"Quantity\", \"Location\", \"Profit\"], [\"fish\", \"Seafood\", \"2.80\", \"66.00\", \"Store B\", \"184.8\"], [\"duck\", \"Meat\", \"14.30\", \"7.00\", \"Store A\", \"100.1\"], [\"beef\", \"Meat\", \"8.50\", \"8.00\", \"Store A\", \"68\"], [\"apple\", \"Fruits\", \"1.20\", \"20.00\", \"Store A\", \"24\"], [\"pork\", \"Meat\", \"3.20\", \"5.00\", \"Store B\", \"16\"], [\"banana\", \"Fruits\", \"0.50\", \"13.00\", \"Store B\", \"6.5\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "hard"} +{"task": "tool-operation", "id": 18, "goal": "In \"Sheet19\", filter out records with \"math\" greater than 80 and \"Chemistry\" greater than 85, delete the other records. Lastly, sort by \"Chemistry scores\" in descending order.", "subgoals": "Reference Action Path: \nAction 1: filter_cells with Action Input: {'query': \"re.compile('8[1-9]|[9]\\\\\\\\d|\\\\\\\\d{3,}')\", 'in_column': '3'}\nAction 2: delete_batch_data with Action Input: {'dimension': 'row', 'index_list': '[2, 5, 6, 12]'}\nAction 3: filter_cells with Action Input: {'query': \"re.compile('8[6-9]|[9]\\\\\\\\d|\\\\\\\\d{3,}')\", 'in_column': '6'}\nAction 4: delete_batch_data with Action Input: {'dimension': 'row', 'index_list': '[2, 3, 4, 5, 8, 9, 11]'}\nAction 5: sort_sheet_by_col with Action Input: {'col_num': '6', 'order': 'des'}\n", "additional_info": {"answer": "[[\"Name\", \"Class\", \"Math\", \"English\", \"Physics\", \"Chemistry\", \"Biology\"], [\"Hugo\", \"1\", \"90\", \"79\", \"85\", \"91\", \"92\"], [\"Mandy\", \"1\", \"85\", \"92\", \"79\", \"88\", \"91\"], [\"Ivy\", \"1\", \"87\", \"96\", \"80\", \"87\", \"74\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "hard"} +{"task": "tool-operation", "id": 19, "goal": "In \"Sheet20\", filter out the highest score for each subject and delete those records. And then sort the table in descending order by \"Biology scores\".", "subgoals": "Reference Action Path: \nAction 1: get_value_by_formula with Action Input: {'start_position': 'B2', 'end_position': 'B11', 'operator': 'MAX'}\nAction 2: filter_cells with Action Input: {'query': '95.0', 'in_column': '2'}\nAction 3: get_value_by_formula with Action Input: {'start_position': 'C2', 'end_position': 'C11', 'operator': 'MAX'}\nAction 4: filter_cells with Action Input: {'query': '96.0', 'in_column': '3'}\nAction 5: get_value_by_formula with Action Input: {'start_position': 'D2', 'end_position': 'D11', 'operator': 'MAX'}\nAction 6: filter_cells with Action Input: {'query': '91.0', 'in_column': '4'}\nAction 7: filter_cells with Action Input: {'query': '97.0', 'in_column': '5'}\nAction 8: delete_batch_data with Action Input: {'dimension': 'row', 'index_list': '[11, 10, 9, 4]'}\nAction 9: sort_sheet_by_col with Action Input: {'col_num': '5', 'order': 'des'}\n", "additional_info": {"answer": "[[\"Name\", \"Math\", \"English\", \"Chemistry\", \"Biology\"], [\"Alice\", \"78.0\", \"85.0\", \"75.0\", \"95.0\"], [\"Bob\", \"90.0\", \"74.0\", \"83.0\", \"90.0\"], [\"Eva\", \"80.0\", \"82.0\", \"84.0\", \"88.0\"], [\"Grace\", \"93.0\", \"78.0\", \"82.0\", \"86.0\"], [\"David\", \"77.0\", \"93.0\", \"85.0\", \"82.0\"], [\"Frank\", \"89.0\", \"90.0\", \"76.0\", \"75.0\"]]", "init_config": null, "goal_type": 1, "tool": "sheet"}, "difficulty": "hard"} diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/data/todo.jsonl b/openmanus_rl/agentgym/agentenv-tool/Toolusage/data/todo.jsonl new file mode 100644 index 00000000..31737236 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/data/todo.jsonl @@ -0,0 +1,155 @@ +{"id": 0, "goal": "When is the due date of Solve algebra equations in Homework and Assignments? Please provide the answer in the YYYY-MM-DD format. ", "subgoals": ["2015-06-01"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-05-31", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 1, "goal": "Finally, I have completed the task Read and summarize a history chapter, please mark it as completed. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-05-31", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 2, "goal": "I think it is hard for me to complete the task Conduct a chemistry experiment timely, please extend the due date to 2015-06-30 ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-30"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-05-31", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 3, "goal": "Which task should I do first today to avoid missing the deadline? Solve algebra equations or Conduct a chemistry experiment ? ", "subgoals": ["Solve algebra equations"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-05-31", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 4, "goal": "Which task should I do first today to avoid missing the deadline? Solve algebra equations or Attend soccer practice ? ", "subgoals": ["Solve algebra equations"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-05-31", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 5, "goal": "What tasks should I complete before 2015-06-11 in Homework and Assignments project ? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Read and summarize a history chapter", "Solve algebra equations"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-05-31", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 6, "goal": "What tasks should I complete before 2015-06-11? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Attend debate club meeting", "Read and summarize a history chapter", "Rehearse with the school band", "Solve algebra equations"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-05-31", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 7, "goal": "Until today, how many tasks are overdue? Please give me a number as an answer. ", "subgoals": [4], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-03", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 8, "goal": "What is the most important task for me in the next 7 days ? ", "subgoals": ["Rehearse with the school band"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 9, "goal": "How long is it expected to take to complete the task Rehearse with the school band? Please answer in the format of 'number(unit)'. ", "subgoals": ["60(minute)"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 10, "goal": "I recall the task of summarizing a history chapter, but I've forgotten the chapter's title. Could you please remind me of the chapter's name? ", "subgoals": ["World Modern History"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 11, "goal": "Is the location for conducting chemistry experiments the same as the location for rehearsing with the school band? Please answer Yes or No. ", "subgoals": ["Yes"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 12, "goal": "Until today, some tasks have expired. Please help me adjust their deadlines to tomorrow. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-06"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-06"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-05", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 13, "goal": "Until today, please help me clear all expired tasks ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-05", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 14, "goal": "Which task requires more time, attending soccer practice or rehearsing with the school band? ", "subgoals": ["attending soccer practice"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 15, "goal": "Please mark the project that includes the chemistry experiment task as a favorite. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": true}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 16, "goal": "What is the task that takes the longest time in the Homework and Assignments project? ", "subgoals": ["Conduct a chemistry experiment"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 17, "goal": "Which task in the Extracurricular Activities project requires the least amount of time? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Attend debate club meeting", "Rehearse with the school band"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 18, "goal": "How many tasks are there in total? Please answer in the form of a number. ", "subgoals": [17], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 19, "goal": "What is the priority level of the task \"Write a research paper on the experiment\" in the Science Fair Project? Please answer in the form of a number. ", "subgoals": [1], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 20, "goal": "How many minutes in total are required to complete all tasks in the Picnic Preparation project? Please answer in the form of a number. ", "subgoals": [105], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 21, "goal": "What is the due date for the task \"Select picnic location and plan activities\" in the Picnic Preparation project? Please answer in 'YYYY-MM-DD' format. ", "subgoals": ["2015-06-25"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 22, "goal": "Which task in the Homework and Assignments project has the longest duration? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Conduct a chemistry experiment"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 23, "goal": "What is the description of the task \"Do the laundry\" in the Household Chores project? Please answer in the form of a string. ", "subgoals": ["- Place: Home\n- Tasks: Sort clothes, wash, dry, fold, and put away\n- Tips: Separate whites, colors, and delicates to avoid color bleeding or damage."], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 24, "goal": "Is there any task with a priority level of 4 (urgent)? Please answer Yes or No. ", "subgoals": ["Yes"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 25, "goal": "What is the due date for the task \"Prepare presentation for science fair\"? Please answer in 'YYYY-MM-DD' format. ", "subgoals": ["2015-06-21"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 26, "goal": "How many projects are there? Please answer in the form of a number. ", "subgoals": [5], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 27, "goal": "What is the project name that includes the task \"Tidy up the living room\"? Please answer in the form of a string. ", "subgoals": ["Household Chores"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 28, "goal": "Which project is marked as a favorite? Please answer in the form of a string or \"None\".", "subgoals": ["None"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 29, "goal": "How many tasks are overdue? Please answer in the form of a number. ", "subgoals": [2], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 30, "goal": "What is the description of the task \"Prepare presentation for science fair\"? Please answer in the form of a string. ", "subgoals": ["- Place: Home\n- Format: PowerPoint presentation\n- Content: Introduction, hypothesis, methodology, results, conclusion, and references\n- Tips: Practice presenting to family members or friends to improve public speaking skills."], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 31, "goal": "Which task has the highest priority level? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Attend soccer practice", "Rehearse with the school band", "Water the plants"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 32, "goal": "Are there any tasks that require more than 1 hour to complete? Please answer Yes or No. ", "subgoals": ["Yes"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 33, "goal": "What is the due date for the task \"Prepare presentation for science fair\"? Please answer in 'YYYY-MM-DD' format. ", "subgoals": ["2015-06-21"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 34, "goal": "How many tasks have a priority level of 2? Please answer in the form of a number. ", "subgoals": [4], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 35, "goal": "What is the duration of the task \"Water the plants\" in the Household Chores project? Please answer in the format 'number(unit)'. ", "subgoals": ["20(minute)"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 36, "goal": "Which task has the earliest due date? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Solve algebra equations"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 37, "goal": "What is the location for conducting the task \"Design and conduct a biology experiment\"? Please answer in the form of a string. ", "subgoals": ["School laboratory"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 38, "goal": "Are there any tasks with a duration of more than 2 hours? Please answer Yes or No. ", "subgoals": ["Yes"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 39, "goal": "Which task has the highest priority level? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Attend soccer practice", "Rehearse with the school band", "Water the plants"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 40, "goal": "What is the due date for the task \"Attend soccer practice\"? Please answer in 'YYYY-MM-DD' format. ", "subgoals": ["2015-06-12"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 41, "goal": "How many tasks have a priority level of 1? Please answer in the form of a number. ", "subgoals": [4], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 42, "goal": "Which project has the most tasks? Please answer in the form of a string. ", "subgoals": ["Household Chores"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 43, "goal": "What is the duration of the task \"Clean the kitchen\" in the Household Chores project? Please answer in the format 'number(unit)'. ", "subgoals": ["45(minute)"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 44, "goal": "What tasks need to be completed before 2015-06-11 in the Homework and Assignments project? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Read and summarize a history chapter", "Solve algebra equations"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 45, "goal": "What tasks need to be completed before 2015-06-11? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Attend debate club meeting", "Read and summarize a history chapter", "Rehearse with the school band", "Solve algebra equations"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 46, "goal": "Until today, how many tasks are overdue? Please provide the answer as a number. ", "subgoals": [4], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-03", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 47, "goal": "How long is it expected to take to complete the task \"Rehearse with the school band\"? Please answer in the format of 'number(unit)'. ", "subgoals": ["60(minute)"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 48, "goal": "I recall the task of summarizing a history chapter, but I've forgotten the chapter's title. Could you please remind me of the chapter's name? Please answer in the form of a string. ", "subgoals": ["World Modern History"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 49, "goal": "Until today, some tasks have expired. Please help me adjust their deadlines to tomorrow. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-06"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-06"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-05", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 50, "goal": "Until today, please help me clear all expired tasks. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-05", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 51, "goal": "Which task requires more time, attending soccer practice or rehearsing with the school band? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Attend soccer practice"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 52, "goal": "Please mark the project that includes the chemistry experiment task as a favorite. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": true}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 53, "goal": "I remember there is an assignment that required me to contact the teacher in advance. Can you help me find out which task it is? Please answer in the form of a string. ", "subgoals": ["Solve algebra equations"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 54, "goal": "What tasks need to be completed in the Student Building according to the to-do list? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [[]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 55, "goal": "What is the task that takes the longest time in the Homework and Assignments project? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Conduct a chemistry experiment"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 56, "goal": "Which tasks have the same deadline as attending soccer practice? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Conduct a chemistry experiment"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 57, "goal": "What is the project name that includes the task \"Attend soccer practice\"? Please answer in the form of a string. ", "subgoals": ["Extracurricular Activities"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 58, "goal": "What tasks need to be completed before the due date of \"Attend soccer practice\"? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Attend debate club meeting", "Rehearse with the school band"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 59, "goal": "Which task has the earliest due date among all projects? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Solve algebra equations"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 60, "goal": "What is the total duration of tasks in the \"Extracurricular Activities\" project? Please answer in the format 'number(unit)'. ", "subgoals": ["210(minute)"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 61, "goal": "What tasks in the Science Fair Project have a duration of more than 1 hour? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Design and conduct a biology experiment", "Prepare presentation for science fair", "Write a research paper on the experiment"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 62, "goal": "What tasks have a priority level of 3? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Do the laundry", "Prepare presentation for science fair", "Read and summarize a history chapter", "Select picnic location and plan activities"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 63, "goal": "How many tasks are there in the \"Picnic Preparation\" project? Please answer in the form of a number. ", "subgoals": [2], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 64, "goal": "What is the due date for the task \"Solve algebra equations\" in the Homework and Assignments project? Please answer in 'YYYY-MM-DD' format. ", "subgoals": ["2015-06-01"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 65, "goal": "Are there any tasks in the Household Chores project with a priority level of 4 (urgent)? Please answer Yes or No. ", "subgoals": ["Yes"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 66, "goal": "What is the total duration of all tasks in the \"Extracurricular Activities\" project? Please answer in the format 'number(unit)'. ", "subgoals": ["210(minute)"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 67, "goal": "What is the project name that includes the task \"Write a research paper on the experiment\"? Please answer in the form of a string. ", "subgoals": ["Science Fair Project"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 68, "goal": "What tasks in the Homework and Assignments project need to be completed before the due date of \"Conduct a chemistry experiment\"? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Read and summarize a history chapter", "Solve algebra equations"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 69, "goal": "Which project has the most urgent task based on priority level? Please answer in the form of a string. ", "subgoals": ["Extracurricular Activities"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 70, "goal": "What is the description of the task \"Conduct a chemistry experiment\" in the Homework and Assignments project? Please answer in the form of a string. ", "subgoals": ["- Place: Student Building\n- Textbook: Principles of Modern Chemistry by Dr. Alan Thompson\n- Equipment Needed: pH paper, thermometer and stirring rod\n- Chemicals Required: distilled water, hydrochloric acid and sodium hydroxide\n- Tips: 1. Ensure all apparatus are clean and dry before starting. 2. Conduct the experiment slowly to ensure accuracy. 3. Contact the teacher in advance."], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 71, "goal": "Is there any task in the Household Chores project that requires more than 1 hour to complete? Please answer Yes or No. ", "subgoals": ["Yes"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 72, "goal": "How many tasks in the \"Extracurricular Activities\" project have a priority level of 1? Please answer in the form of a number. ", "subgoals": [1], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 73, "goal": "What is the due date for the task \"Prepare presentation for science fair\"? Please answer in 'YYYY-MM-DD' format. ", "subgoals": ["2015-06-21"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 74, "goal": "What tasks in the Picnic Preparation project have a priority level of 2? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Purchase picnic supplies"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 75, "goal": "How many tasks in total need to be completed before 2015-06-11? Please answer in the form of a number. ", "subgoals": [4], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 76, "goal": "What is the priority level of the task \"Attend soccer practice\" in the Extracurricular Activities project? Please answer in the form of a number. ", "subgoals": [4], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 77, "goal": "Are there any tasks in the Picnic Preparation project with a priority level of 3? Please answer Yes or No. ", "subgoals": ["Yes"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 78, "goal": "What tasks in the Science Fair Project have a due date before 2015-06-20? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Design and conduct a biology experiment"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 79, "goal": "What's the current status of the task \"Prepare presentation for science fair\"? ", "subgoals": ["The task 'Prepare presentation for science fair' is not completed."], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 80, "goal": "How many tasks are there in the \"Science Fair Project\" project? ", "subgoals": [3], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 81, "goal": "Please adjust the due date for the task \"Prepare presentation for science fair\" to 2015-06-28. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-28"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 82, "goal": "Could you mark the project \"Extracurricular Activities\" as a favorite? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": true}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 83, "goal": "Extend the due date for the task \"Tidy up the living room\" to 2015-06-26. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-26"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 84, "goal": "Could you update the due date for the task \"Attend debate club meeting\" to 2015-06-15? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-15"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 85, "goal": "Please delete the task \"Water the plants\". ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 86, "goal": "Mark the task \"Design and conduct a biology experiment\" as completed. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 87, "goal": "Could you update the due date for the task \"Clean the kitchen\" to 2015-06-25? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-25"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 88, "goal": "Delete the task \"Rehearse with the school band\". ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 89, "goal": "Extend the due date for the task \"Attend soccer practice\" to 2015-06-15. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-15"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 90, "goal": "Mark the task \"Read and summarize a history chapter\" as completed. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 91, "goal": "Could you update the due date for the task \"Do the laundry\" to 2015-06-28? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-28"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 92, "goal": "Please adjust the due date for the task \"Write a research paper on the experiment\" to 2015-06-30. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-30"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 93, "goal": "Delete the task \"Solve algebra equations\". ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 94, "goal": "Mark the task \"Select picnic location and plan activities\" as completed. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 95, "goal": "Please update the due date for the task \"Conduct a chemistry experiment\" to 2015-07-10. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-07-10"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 96, "goal": "Could you mark the project \"Homework and Assignments\" as a favorite? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": true}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 97, "goal": "Which task in the Extracurricular Activities project requires the least amount of time? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Attend debate club meeting", "Rehearse with the school band"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 98, "goal": "What is the priority level of the task 'Write a research paper on the experiment' in the Science Fair Project project? Please answer as a number. ", "subgoals": [1], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 99, "goal": "Among the tasks in the Household Chores project, which one has the highest priority? Please answer in the form of a list ['task1', 'task2', ...].", "subgoals": [["Water the plants"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 100, "goal": "Could you provide the due dates for both 'Prepare presentation for science fair' and 'Attend debate club meeting'? Please answer in the format of a list ['YYYY-MM-DD', 'YYYY-MM-DD']. ", "subgoals": [["2015-06-08", "2015-06-21"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 101, "goal": "What is the total duration needed to complete all tasks in the Picnic Preparation project? Please answer in the format of 'number(unit)'. ", "subgoals": ["105(minute)"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 102, "goal": "Is there any task in the Extracurricular Activities project that needs to be completed before the task 'Attend soccer practice'? Please answer 'Yes' or 'No'. ", "subgoals": ["Yes"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 103, "goal": "What is the total number of tasks in the Todoist account? Please answer as a number. ", "subgoals": [15], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 104, "goal": "Could you provide the due date for the task 'Tidy up the living room' in the Household Chores project? Please answer in 'YYYY-MM-DD' format. ", "subgoals": ["2015-06-24"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 105, "goal": "Which project has the highest number of tasks? Please answer with the project name. ", "subgoals": ["Household Chores"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 106, "goal": "What is the priority level of the task 'Attend debate club meeting' in the Extracurricular Activities project? Please answer as a number. ", "subgoals": [1], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 107, "goal": "Are there any tasks in the Todoist account with the same priority as 'Prepare presentation for science fair'? Please answer 'Yes' or 'No'. ", "subgoals": ["Yes"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 108, "goal": "Could you provide the due dates for all tasks in the Homework and Assignments project? Please answer in the format of a list ['YYYY-MM-DD', 'YYYY-MM-DD', ...]. ", "subgoals": [["2015-06-01", "2015-06-06", "2015-06-12"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 109, "goal": "Is there any task in the Todoist account that needs to be completed before the task 'Purchase picnic supplies' in the Picnic Preparation project? Please answer 'Yes' or 'No'. ", "subgoals": ["No"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 110, "goal": "Are there any tasks in the Todoist account with the same due date as 'Select picnic location and plan activities' in the Picnic Preparation project? Please answer 'Yes' or 'No'. ", "subgoals": ["No"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 111, "goal": "Could you provide the due date for the task 'Attend soccer practice' in the Extracurricular Activities project? Please answer in 'YYYY-MM-DD' format. ", "subgoals": ["2015-06-12"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 112, "goal": "Among the tasks in the Extracurricular Activities project, which one has the earliest due date? Please answer with the task name. ", "subgoals": ["Rehearse with the school band"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 113, "goal": "Is there any task in the Todoist account that needs to be completed before the task 'Read and summarize a history chapter' in the Homework and Assignments project? Please answer 'Yes' or 'No'. ", "subgoals": ["Yes"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 114, "goal": "What is the total number of tasks with a priority level of 4 in the Todoist account? Please answer as a number. ", "subgoals": [3], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 115, "goal": "Could you provide the due date for the task 'Do the laundry' in the Household Chores project? Please answer in 'YYYY-MM-DD' format. ", "subgoals": ["2015-06-22"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 116, "goal": "Among the tasks in the Homework and Assignments project, which one has the latest due date? Please answer with the task name. ", "subgoals": ["Conduct a chemistry experiment"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 117, "goal": "What is the total duration needed to complete all tasks with a priority level of 2 in the Todoist account? Please answer in the format of 'number(unit)'. ", "subgoals": ["300(minute)"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 118, "goal": "Are there any tasks in the Todoist account with the same duration as 'Conduct a chemistry experiment' in the Homework and Assignments project? Please answer 'Yes' or 'No'. ", "subgoals": ["Yes"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 119, "goal": "Could you update the due date of the task \"Prepare presentation for science fair\" to three days later in the \"Science Fair Project\" project? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-24"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-18", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 120, "goal": "Can you mark the task \"Tidy up the living room\" in the \"Household Chores\" project as completed? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-23", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 121, "goal": "Please help me delete the task \"Attend debate club meeting\" from the \"Extracurricular Activities\" project. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 122, "goal": "Could you update the due date of the task \"Write a research paper on the experiment\" to be one day earlier in the \"Science Fair Project\" project? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-22"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-22", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 123, "goal": "Can you make the project \"Science Fair Project\" a favorite project? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": true}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-19", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 124, "goal": "Please update the due date of the task \"Read and summarize a history chapter\" to two days later in the \"Homework and Assignments\" project. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-08"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-08", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 125, "goal": "Could you mark the task \"Attend soccer practice\" in the \"Extracurricular Activities\" project as completed? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-13", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 126, "goal": "Can you delete the task \"Clean the kitchen\" from the \"Household Chores\" project? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-20", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 127, "goal": "Please update the due date of the task \"Rehearse with the school band\" to be tomorrow in the \"Extracurricular Activities\" project. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-01", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 128, "goal": "Can you rearrange the tasks in the \"Science Fair Project\" project by their priorities, from highest to lowest? ", "subgoals": [["Design and conduct a biology experiment", "Prepare presentation for science fair", "Write a research paper on the experiment"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-19", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 129, "goal": "Please mark the task \"Design and conduct a biology experiment\" in the \"Science Fair Project\" project as completed. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-21", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 130, "goal": "Could you update the due date of the task \"Do the laundry\" to be two days earlier in the \"Household Chores\" project? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-20"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-20", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 131, "goal": "Can you delete the task \"Select picnic location and plan activities\" from the \"Picnic Preparation\" project? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}]}, "init_config": {"current_date": "2015-06-26", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 132, "goal": "Could you mark the task \"Rehearse with the school band\" in the \"Extracurricular Activities\" project as completed? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-03", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 133, "goal": "Please help me expire tasks in the \"Science Fair Project\" project whose priority is 1. Then tell me how long is it expected to take to complete the all the tasks in \"Science Fair Project\" project? Please answer in the format of 'number(unit)'. ", "subgoals": ["330(minute)"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-05"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-05", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 134, "goal": "Until today, please help me clear all expired tasks. Then tell me what is the total duration of tasks in Homework and Assignments? Please answer as a number. ", "subgoals": [135], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-03", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 135, "goal": "Please help me mark all tasks in the \"Extracurricular Activities\" project with priority 1 as completed. Then, could you provide me with the names of those completed tasks? Please answer in the form of a list ['task1', 'task2', ...]. ", "subgoals": [["Attend debate club meeting"]], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-05", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 136, "goal": "Could you assist me in updating the due dates of all tasks in the \"Household Chores\" project to be one day earlier? Afterward, please tell me how many tasks are there in total across all projects. Please answer as a number. ", "subgoals": [15], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-19"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-23"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-05", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 137, "goal": "I need help in marking all tasks in the \"Picnic Preparation\" project with a due date before \"2015-06-23\" as completed. Then, could you tell me the total number of completed tasks across all projects? Please answer as a number. ", "subgoals": [1], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-22", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 138, "goal": "Could you help me in completing all tasks in the \"Science Fair Project\" project? After that, please tell me the total number of tasks with priority 2 across all projects. Please answer as a number. ", "subgoals": [3], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-20", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 139, "goal": "Please help me update the due dates of all tasks in the \"Extracurricular Activities\" project to be two days later. Then, could you tell me the total number of tasks with priority 3 across all projects? Please answer as a number. ", "subgoals": [4], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-14"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-04"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-10"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-05", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 140, "goal": "Could you help me update the due dates of all tasks in the \"Household Chores\" project to be one week later? Afterward, please tell me the total number of tasks with priority 4 across all projects. Please answer as a number. ", "subgoals": [3], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-27"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-29"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-07-01"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-07-01"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-05", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 141, "goal": "Please assist me in marking all tasks in the \"Picnic Preparation\" project with priority 3 or higher as completed. Then, could you tell me the total number of completed tasks across all projects? Please answer as a number. ", "subgoals": [1], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}]}, "init_config": {"current_date": "2015-06-23", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 142, "goal": "I need help in updating the due dates of all tasks in the \"Homework and Assignments\" project to be one day earlier. After that, could you provide me with the total number of tasks across all projects? Please answer as a number. ", "subgoals": [14], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-05-31"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-11"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-05"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-05", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 143, "goal": "Please help me mark all tasks in the \"Extracurricular Activities\" project with a due date before \"2015-06-22\" as completed. Then, could you tell me the total number of completed tasks across all projects? Please answer as a number. ", "subgoals": [3], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-21", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 144, "goal": "Please help me mark all tasks in the \"Picnic Preparation\" project with priority 2 or higher as completed. Then, could you tell me the total number of completed tasks across all projects? Please answer as a number. ", "subgoals": [2], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}]}, "init_config": {"current_date": "2015-06-23", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 145, "goal": "Could you assist me in updating the due dates of all tasks in the \"Science Fair Project\" project to be one day earlier? Afterward, please tell me the total number of tasks with priority 3 across all projects. Please answer as a number. ", "subgoals": [4], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-19"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-20"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-22"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-05", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 146, "goal": "Please help me update the due dates of all tasks in the \"Household Chores\" project to be one day later. After that, could you tell me the total number of tasks with priority 4 across all projects? Please answer as a number. ", "subgoals": [2], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-21"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-23"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-25"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-25"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-05", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 147, "goal": "Could you assist me in marking all tasks in the \"Picnic Preparation\" project with a due date before \"2015-06-25\" as completed? Then, could you tell me the total number of completed tasks across all projects? Please answer as a number. ", "subgoals": [1], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-24", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 148, "goal": "Can you mark all tasks in the \"Extracurricular Activities\" project with a priority of 4 as completed? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-12", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 149, "goal": "Please help me find and delete all tasks in the \"Household Chores\" project that have a duration less than 30 minutes. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-15", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 150, "goal": "Can you update the due date of tasks in the \"Picnic Preparation\" project to be three days from today, except those with a priority of 3? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-25"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-22", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 151, "goal": "Help me mark all tasks in the \"Science Fair Project\" project with a duration longer than 90 minutes as completed. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-18", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 152, "goal": "Can you update the due date of tasks in the \"Household Chores\" project to be tomorrow, except those with a priority of 2? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2023-10-05"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2023-10-05"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2023-10-05"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-20", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 153, "goal": "Please help me mark all tasks in the \"Homework and Assignments\" project with a duration less than 45 minutes as completed. ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-21"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-10", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} +{"id": 154, "goal": "Can you update the due date of tasks in the \"Science Fair Project\" project to be four days from today, except those with a priority of 4? ", "subgoals": ["done"], "additional_info": {"answer": {"projects": [{"order": 1, "color": "charcoal", "name": "Homework and Assignments", "is_favorite": false}, {"order": 2, "color": "charcoal", "name": "Extracurricular Activities", "is_favorite": false}, {"order": 3, "color": "charcoal", "name": "Science Fair Project", "is_favorite": false}, {"order": 4, "color": "charcoal", "name": "Household Chores", "is_favorite": false}, {"order": 5, "color": "charcoal", "name": "Picnic Preparation", "is_favorite": false}], "tasks": [{"order": 1, "content": "Solve algebra equations", "is_completed": false, "priority": 1, "due_date": "2015-06-01"}, {"order": 2, "content": "Conduct a chemistry experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-12"}, {"order": 3, "content": "Read and summarize a history chapter", "is_completed": false, "priority": 3, "due_date": "2015-06-06"}, {"order": 1, "content": "Attend soccer practice", "is_completed": false, "priority": 4, "due_date": "2015-06-12"}, {"order": 2, "content": "Rehearse with the school band", "is_completed": false, "priority": 4, "due_date": "2015-06-02"}, {"order": 3, "content": "Attend debate club meeting", "is_completed": false, "priority": 1, "due_date": "2015-06-08"}, {"order": 1, "content": "Design and conduct a biology experiment", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Prepare presentation for science fair", "is_completed": false, "priority": 3, "due_date": "2015-06-23"}, {"order": 3, "content": "Write a research paper on the experiment", "is_completed": false, "priority": 1, "due_date": "2015-06-23"}, {"order": 1, "content": "Clean the kitchen", "is_completed": false, "priority": 2, "due_date": "2015-06-20"}, {"order": 2, "content": "Do the laundry", "is_completed": false, "priority": 3, "due_date": "2015-06-22"}, {"order": 3, "content": "Tidy up the living room", "is_completed": false, "priority": 1, "due_date": "2015-06-24"}, {"order": 4, "content": "Water the plants", "is_completed": false, "priority": 4, "due_date": "2015-06-24"}, {"order": 1, "content": "Purchase picnic supplies", "is_completed": false, "priority": 2, "due_date": "2015-06-23"}, {"order": 2, "content": "Select picnic location and plan activities", "is_completed": false, "priority": 3, "due_date": "2015-06-25"}]}, "init_config": {"current_date": "2015-06-19", "current_location": "New York"}, "goal_type": 0, "tool": "todo"}, "difficulty": "hard"} diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/data/weather.jsonl b/openmanus_rl/agentgym/agentenv-tool/Toolusage/data/weather.jsonl new file mode 100644 index 00000000..34d77cb0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/data/weather.jsonl @@ -0,0 +1,343 @@ +{"id": 0, "goal": "What was the average temperature in Celsius yesterday? Please provide the answer as a number.", "subgoals": [18.5], "additional_info": {"answer": 18.5, "init_config": {"current_date": "2023-06-15", "current_location": "New York"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 1, "goal": "Today is really hot, it seems like it wasn't this hot last year. What was the highest temperature on this day last year? Please provide the answer as a number.", "subgoals": [33.4], "additional_info": {"answer": 33.4, "init_config": {"current_date": "2023-07-16", "current_location": "Los Angeles"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 2, "goal": "It's snowing outside today, it's so cold, what's the lowest temperature today? Please provide the answer as a number.", "subgoals": [1.1], "additional_info": {"answer": 1.1, "init_config": {"current_date": "2023-12-30", "current_location": "New York"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 3, "goal": "I want to wear short sleeves tomorrow. What is the average temperature tomorrow according to the weather forecast? Please provide the answer as a number.", "subgoals": [17.7], "additional_info": {"answer": 17.7, "init_config": {"current_date": "2023-06-12", "current_location": "Los Angeles"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 4, "goal": "Is the average temperature today higher than yesterday? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-05-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 5, "goal": "Among the 20th, 25th, and 30th of this month, which day has the highest average temperature? Please provide the answer in the form of a date 'YYYY-MM-DD'.", "subgoals": ["2023-05-30"], "additional_info": {"answer": "2023-05-30", "init_config": {"current_date": "2023-05-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 6, "goal": "I'm going to Washington on a business trip the day after tomorrow. On the day after tomorrow, is the average temperature there higher than the average temperature here? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-05-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 7, "goal": "I will be going to Los Angeles on a business trip on the 8th of next month. What is the temperature difference in Los Angeles on that day? Please provide the answer as a number.", "subgoals": [11.3], "additional_info": {"answer": 11.3, "init_config": {"current_date": "2023-05-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 8, "goal": "What was the highest temperature recorded on this day last year? Please provide the answer as a number.", "subgoals": [26.0], "additional_info": {"answer": 26.0, "init_config": {"current_date": "2023-08-20", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 9, "goal": "What is the average temperature forecasted for tomorrow? Please provide the answer as a number.", "subgoals": [21.8], "additional_info": {"answer": 21.8, "init_config": {"current_date": "2023-04-10", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 10, "goal": "Is the current temperature higher than the average temperature on this day last year? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-05-25", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 11, "goal": "Among the 10th, 15th, and 20th of this month, which day has the lowest average temperature? Please provide the answer in the form of a date 'YYYY-MM-DD'.", "subgoals": ["2023-03-10"], "additional_info": {"answer": "2023-03-10", "init_config": {"current_date": "2023-03-15", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 12, "goal": "I'm planning a hiking trip next week. What is the temperature difference between the start and end of the week? Please provide the answer as a number.", "subgoals": [0.4], "additional_info": {"answer": 0.4, "init_config": {"current_date": "2023-06-01", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 13, "goal": "What is the average temperature expected in Las Vegas on the 25th of this month? Please provide the answer as a number.", "subgoals": ["Error"], "additional_info": {"answer": "Error", "init_config": {"current_date": "2023-09-25", "current_location": "Las Vegas"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 14, "goal": "Which city will have a higher temperature tomorrow, Atlanta or Houston? Please provide the answer with 'Atlanta' or 'Houston'.", "subgoals": ["Houston"], "additional_info": {"answer": "Houston", "init_config": {"current_date": "2023-11-05", "current_location": "Atlanta"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 15, "goal": "What is the temperature difference between morning and evening in Seattle today? Please provide the answer as a number.", "subgoals": [7.4], "additional_info": {"answer": 7.4, "init_config": {"current_date": "2023-12-15", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 16, "goal": "Is the temperature in Dallas expected to drop significantly tomorrow compared to today? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-12-31", "current_location": "Dallas"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 17, "goal": "What is the average temperature in New Orleans on Christmas Day? Please provide the answer as a number.", "subgoals": [2.7], "additional_info": {"answer": 2.7, "init_config": {"current_date": "2023-12-25", "current_location": "New Orleans"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 18, "goal": "Will there be a temperature increase in San Diego over the weekend? Answer Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-01-20", "current_location": "San Diego"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 19, "goal": "What is the temperature trend in Portland for the next three days? Please provide the answer with 'Increasing', 'Decreasing', or 'Stable'.", "subgoals": ["Decreasing"], "additional_info": {"answer": "Decreasing", "init_config": {"current_date": "2023-02-10", "current_location": "Portland"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 20, "goal": "Is the temperature in Salt Lake City today suitable for outdoor activities? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-03-05", "current_location": "Salt Lake City"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 21, "goal": "What is the expected temperature range in Anchorage for the upcoming week? Please provide the range in Celsius as an array.", "subgoals": [[-10.6, 4.0]], "additional_info": {"answer": [-10.6, 4.0], "init_config": {"current_date": "2023-04-01", "current_location": "Anchorage"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 22, "goal": "Will there be a sudden temperature drop in Minneapolis tomorrow? Answer Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-05-15", "current_location": "Minneapolis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 23, "goal": "What is the temperature forecast for Paris on the 20th of next month? Please provide the answer in Celsius as an array.", "subgoals": [[4.9, 7.9, 9.8]], "additional_info": {"answer": [4.9, 7.9, 9.8], "init_config": {"current_date": "2023-11-10", "current_location": "London"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 24, "goal": "What is the current temperature in Tokyo today? Please provide the answer as a number.", "subgoals": [21.6], "additional_info": {"answer": 21.6, "init_config": {"current_date": "2023-09-25", "current_location": "Tokyo"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 25, "goal": "How does the average temperature today compare to the same day last year? Answer with 'higher', 'lower', or 'same'.", "subgoals": ["lower"], "additional_info": {"answer": "lower", "init_config": {"current_date": "2023-09-05", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 26, "goal": "What is the forecasted average temperature for tomorrow in your current city? Please provide the answer as a number.", "subgoals": [6.4], "additional_info": {"answer": 6.4, "init_config": {"current_date": "2023-11-20", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 27, "goal": "Is the temperature difference between today and tomorrow significant in your current location? Answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-03-25", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 28, "goal": "What is the current temperature trend in your current city compared to yesterday? Answer with 'increasing', 'decreasing', or 'stable'.", "subgoals": ["stable"], "additional_info": {"answer": "stable", "init_config": {"current_date": "2023-07-30", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 29, "goal": "How does today's average temperature compare to the average temperature on the same day five years ago? Please provide the answer with 'warmer', 'colder', or 'same'.", "subgoals": ["colder"], "additional_info": {"answer": "colder", "init_config": {"current_date": "2023-04-10", "current_location": "Atlanta"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 30, "goal": "What is the expected temperature range for the upcoming weekend in your current city? Please provide the answer in Celsius as an array.", "subgoals": [[12.6, 19.4]], "additional_info": {"answer": [12.6, 19.4], "init_config": {"current_date": "2023-09-28", "current_location": "San Francisco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 31, "goal": "Will there be a significant temperature drop from today to tomorrow in your current location? Answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-02-12", "current_location": "Boston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 32, "goal": "What is the average temperature expected for next Friday in your current city? Please provide the answer as a number.", "subgoals": [13.2], "additional_info": {"answer": 13.2, "init_config": {"current_date": "2023-03-05", "current_location": "Dallas"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 33, "goal": "Is there a noticeable difference in temperature between morning and evening today in your current location? Answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-11-22", "current_location": "Portland"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 34, "goal": "What is the projected temperature increase over the next three days in your current location? Please provide the answer in Celsius as an array.", "subgoals": [[4.1, 7.9]], "additional_info": {"answer": [4.1, 7.9], "init_config": {"current_date": "2023-01-30", "current_location": "Las Vegas"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 35, "goal": "Will there be a sudden temperature spike towards the end of this week in your current city? Answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-06-08", "current_location": "Salt Lake City"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 36, "goal": "How does today's average temperature compare to the same day last month in your current location? Please provide the answer with 'higher', 'lower', or 'same'.", "subgoals": ["lower"], "additional_info": {"answer": "lower", "init_config": {"current_date": "2023-10-17", "current_location": "Charlotte"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 37, "goal": "Is there a noticeable cooling trend expected over the next week in your current city? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-12-03", "current_location": "St. Louis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 38, "goal": "Which day of this month had the coldest average temperature so far in your current city? Please provide the answer in 'YYYY-MM-DD' format.", "subgoals": ["2023-02-03"], "additional_info": {"answer": "2023-02-03", "init_config": {"current_date": "2023-02-14", "current_location": "Kansas City"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 39, "goal": "What is the temperature difference between the highest temperature in Tokyo and the highest temperature in Sydney tomorrow? Please provide the answer as a number.", "subgoals": [6.399999999999999, 6.4], "additional_info": {"answer": 6.4, "init_config": {"current_date": "2023-09-20", "current_location": "Tokyo"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 40, "goal": "What is the average temperature forecast for Paris next week? Please provide the answer in Celsius as a number.", "subgoals": [18.2], "additional_info": {"answer": 18.2, "init_config": {"current_date": "2023-09-20", "current_location": "Paris"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 41, "goal": "Will there be a temperature drop in London towards the end of this week? Answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-09-20", "current_location": "London"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 42, "goal": "What is the average temperature in Rome on the 25th of this month? Please provide the answer in Celsius as a number.", "subgoals": [19.2], "additional_info": {"answer": 19.2, "init_config": {"current_date": "2023-09-20", "current_location": "Rome"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 43, "goal": "I'm planning a trip to Madrid on the 10th of next month. Can you tell me if it will be warmer or colder than today in Madrid on that day? Please provide the answer with 'warmer' or 'colder'.", "subgoals": ["warmer"], "additional_info": {"answer": "warmer", "init_config": {"current_date": "2023-09-20", "current_location": "Madrid"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 44, "goal": "What is the temperature difference between the current temperature in Berlin and the current temperature in Amsterdam? Please provide the answer as a number.", "subgoals": [0.9], "additional_info": {"answer": 0.9, "init_config": {"current_date": "2023-09-20", "current_location": "Berlin"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 45, "goal": "What is the average temperature in Dubai on the 1st of next month? Please provide the answer as a number.", "subgoals": [31.5], "additional_info": {"answer": 31.5, "init_config": {"current_date": "2023-09-20", "current_location": "Dubai"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 46, "goal": "Is it expected to be hotter in Sydney compared to Melbourne on the 5th of next month? Answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-09-20", "current_location": "Sydney"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 47, "goal": "What is the temperature forecast for Shanghai on the 30th of this month? Please provide the answer in Celsius as an array.", "subgoals": [[19.4, 22.4, 26.1]], "additional_info": {"answer": [19.4, 22.4, 26.1], "init_config": {"current_date": "2023-09-20", "current_location": "Shanghai"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 48, "goal": "Will there be a sudden temperature increase in Seoul towards the end of this week? Please answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-09-20", "current_location": "Seoul"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 49, "goal": "Is it expected to be warmer in Barcelona compared to Lisbon on the 8th of next month? Please provide the answer with 'warmer' or 'colder'.", "subgoals": ["colder"], "additional_info": {"answer": "colder", "init_config": {"current_date": "2023-09-20", "current_location": "Barcelona"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 50, "goal": "What is the average temperature forecast for Istanbul next week? Please provide the answer in Celsius as a number.", "subgoals": [20.2], "additional_info": {"answer": 20.2, "init_config": {"current_date": "2023-09-20", "current_location": "Istanbul"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 51, "goal": "Will there be a temperature rise in Athens towards the end of this week? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-09-20", "current_location": "Athens"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 52, "goal": "I'm planning a trip to Zurich on the 5th of next month. Can you tell me if it will be warmer or colder than today in Zurich on that day? Please provide the answer with 'warmer' or 'colder'.", "subgoals": ["colder"], "additional_info": {"answer": "colder", "init_config": {"current_date": "2023-09-20", "current_location": "Zurich"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 53, "goal": "What is the temperature difference between the current temperature in Vienna and the current temperature in Budapest? Please provide the answer as a number.", "subgoals": [0.4], "additional_info": {"answer": 0.4, "init_config": {"current_date": "2023-09-20", "current_location": "Vienna"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 54, "goal": "How many degrees Celsius will the temperature drop in Chicago tomorrow compared to today? Please provide the answer as a number.", "subgoals": [1.3], "additional_info": {"answer": 1.3, "init_config": {"current_date": "2023-10-20", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 55, "goal": "What is the expected average temperature in Denver for the next 5 days? Please provide the answer in Celsius as a number.", "subgoals": [13.3], "additional_info": {"answer": 13.3, "init_config": {"current_date": "2023-10-20", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 56, "goal": "Will there be a significant temperature increase in Phoenix over the weekend? Answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-10-20", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 57, "goal": "Please predict the temperature trend for Seattle for the next 3 days. Will it be increasing, decreasing, or fluctuating?", "subgoals": ["fluctuating"], "additional_info": {"answer": "fluctuating", "init_config": {"current_date": "2023-10-20", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 58, "goal": "What is the average temperature expected in Atlanta for the next 7 days? Please provide the answer in Celsius as a number.", "subgoals": [16.7], "additional_info": {"answer": 16.7, "init_config": {"current_date": "2023-10-20", "current_location": "Atlanta"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 59, "goal": "How many degrees Celsius is the current temperature in San Francisco above the average temperature for this time of year? Please provide the answer as a number.", "subgoals": [0.5], "additional_info": {"answer": 0.5, "init_config": {"current_date": "2023-10-20", "current_location": "San Francisco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 60, "goal": "What is the temperature forecast for Las Vegas on Halloween night? Please provide the answer in Celsius as an array.", "subgoals": [[6.9, 15.0, 21.4]], "additional_info": {"answer": [6.9, 15.0, 21.4], "init_config": {"current_date": "2023-10-20", "current_location": "Las Vegas"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 61, "goal": "By how many degrees Celsius will the temperature in Orlando exceed the temperature in New Orleans tomorrow?", "subgoals": [-0.09999999999999787, -0.1], "additional_info": {"answer": -0.09999999999999787, "init_config": {"current_date": "2023-10-20", "current_location": "Orlando"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 62, "goal": "Please predict the temperature trend for Minneapolis for the next 5 days. Will it be increasing, decreasing, or fluctuating? Please provide the answer with 'increasing', 'decreasing', or 'fluctuating'.", "subgoals": ["fluctuating"], "additional_info": {"answer": "fluctuating", "init_config": {"current_date": "2023-10-20", "current_location": "Minneapolis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 63, "goal": "What is the expected high temperature in New Orleans on Thanksgiving Day this year? Please provide the answer as a number.", "subgoals": [14.4], "additional_info": {"answer": 14.4, "init_config": {"current_date": "2023-10-20", "current_location": "New Orleans"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 64, "goal": "How many degrees Celsius will the temperature drop from morning to evening in Boston tomorrow?", "subgoals": [2], "additional_info": {"answer": 2, "init_config": {"current_date": "2023-10-20", "current_location": "Boston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 65, "goal": "What is the average temperature range for San Diego during the month of October? Please provide the answer in Celsius as an array.", "subgoals": [[15.7, 32.4]], "additional_info": {"answer": [15.7, 32.4], "init_config": {"current_date": "2023-10-20", "current_location": "San Diego"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 66, "goal": "Will there be a significant temperature drop in Seattle compared to San Francisco tomorrow? Answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-11-20", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 67, "goal": "Is it expected to be warmer in Phoenix than in Las Vegas next week? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-12-05", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 68, "goal": "Which city is likely to have the highest temperature next Friday: Denver, Houston, or Atlanta? Please provide the city name.", "subgoals": ["Houston"], "additional_info": {"answer": "Houston", "init_config": {"current_date": "2023-01-20", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 69, "goal": "Is it expected to be cooler in Minneapolis than in Detroit next Wednesday? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-04-05", "current_location": "Minneapolis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 70, "goal": "Which city is likely to experience a temperature rise on Saturday: San Diego, Portland, or Salt Lake City? Please provide the city name.", "subgoals": ["Portland"], "additional_info": {"answer": "Portland", "init_config": {"current_date": "2023-05-20", "current_location": "San Diego"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 71, "goal": "Will there be a temperature increase in Anchorage compared to Honolulu next Wednesday? Answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-11-10", "current_location": "Anchorage"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 72, "goal": "What is the temperature forecast for hiking in the mountains next weekend? Please provide the temperature in Celsius as an array.", "subgoals": [[22.9, 23.9]], "additional_info": {"answer": [22.9, 23.9], "init_config": {"current_date": "2023-07-20", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 73, "goal": "Will it be warm enough for a picnic in the park this Saturday afternoon? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-09-02", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 74, "goal": "What is the expected temperature for a beach day next Friday? Please provide the temperature in Fahrenheit as a number.", "subgoals": [82], "additional_info": {"answer": 82, "init_config": {"current_date": "2023-06-30", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 75, "goal": "What will be the temperature range for a camping trip in the mountains next week? Please provide the range in Celsius as an array.", "subgoals": [[14.7, 28.1]], "additional_info": {"answer": [14.7, 28.1], "init_config": {"current_date": "2023-08-18", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 76, "goal": "Should I pack extra layers for a morning hike in the desert this Sunday? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-05-14", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 77, "goal": "What is the expected temperature for a rooftop dinner in Los Angeles next Saturday night? Please provide the temperature in Fahrenheit as a number.", "subgoals": [68], "additional_info": {"answer": 68, "init_config": {"current_date": "2023-09-09", "current_location": "Los Angeles"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 78, "goal": "What will be the average temperature outlook for a family BBQ in the backyard next Friday evening? Please provide the temperature in Celsius.", "subgoals": [32.6], "additional_info": {"answer": 32.6, "init_config": {"current_date": "2023-08-04", "current_location": "Houston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 79, "goal": "Should I bring a sweater for an outdoor movie night in New Orleans next Wednesday? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-10-18", "current_location": "New Orleans"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 80, "goal": "What is the average temperature expected in London for the next 5 days? Please provide the answer as a number.", "subgoals": [8.1], "additional_info": {"answer": 8.1, "init_config": {"current_date": "2023-11-05", "current_location": "London"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 81, "goal": "What is the current temperature in Paris compared to Rome right now? Please provide the answer as a number.", "subgoals": [1.1], "additional_info": {"answer": 1.1, "init_config": {"current_date": "2023-09-10", "current_location": "Paris"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 82, "goal": "What is the temperature forecast for Berlin for the next 3 days? Please provide the answer as an array.", "subgoals": [[16.5, 17.4, 20.8]], "additional_info": {"answer": [16.5, 17.4, 20.8], "init_config": {"current_date": "2023-08-25", "current_location": "Berlin"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 83, "goal": "What is the average temperature in San Francisco and Los Angeles for the upcoming weekend? Please provide the answer as an array.", "subgoals": [[11.65, 14.05]], "additional_info": {"answer": [11.65, 14.05], "init_config": {"current_date": "2023-04-01", "current_location": "San Francisco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 84, "goal": "What is the current temperature difference in Dubai compared to Singapore right now? Please provide the answer as a number.", "subgoals": [-2.6], "additional_info": {"answer": -2.6, "init_config": {"current_date": "2023-11-30", "current_location": "Dubai"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 85, "goal": "What is the temperature difference between the highest temperature in Salt Lake City and the highest temperature in Shanghai today? Please provide the answer as a number.", "subgoals": [6.6], "additional_info": {"answer": 6.6, "init_config": {"current_date": "2023-11-30", "current_location": "Shanghai"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 86, "goal": "What is the average of the average temperatures tomorrow in Boston, Philadelphia, and New York? Please provide the answer as a number.", "subgoals": [5.53], "additional_info": {"answer": 5.53, "init_config": {"current_date": "2023-11-30", "current_location": "New York"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 87, "goal": "What is the difference in temperature between the highest temperature in Los Angeles and the lowest temperature in Denver tomorrow? Please provide the answer as a number.", "subgoals": [20.0], "additional_info": {"answer": 20.0, "init_config": {"current_date": "2023-09-10", "current_location": "Los Angeles"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 88, "goal": "What is the average temperature for the next three days in Miami? Please provide the answer as a number.", "subgoals": [26.5], "additional_info": {"answer": 26.5, "init_config": {"current_date": "2023-06-20", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 89, "goal": "What is the highest temperature recorded in Tokyo during the upcoming heatwave next week? Please provide the answer as a number.", "subgoals": [35.2], "additional_info": {"answer": 35.2, "init_config": {"current_date": "2023-08-05", "current_location": "Tokyo"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 90, "goal": "What is the average temperature difference between Paris and Rome on Valentine's Day next year? Please provide the answer as a number.", "subgoals": [2.6], "additional_info": {"answer": 2.6, "init_config": {"current_date": "2023-02-14", "current_location": "Paris"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 91, "goal": "What is the temperature variation between sunrise and sunset in Dubai tomorrow? Please provide the answer as a number.", "subgoals": [13.3], "additional_info": {"answer": 13.3, "init_config": {"current_date": "2023-07-01", "current_location": "Dubai"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 92, "goal": "What is the average temperature in Miami next week? Please provide the answer as a number.", "subgoals": [27.2], "additional_info": {"answer": 27.2, "init_config": {"current_date": "2023-06-20", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 93, "goal": "What is the forecasted temperature range in Denver for the next three days? Please provide the answer as a range in an array.", "subgoals": [[-0.9, 21.5]], "additional_info": {"answer": [-0.9, 21.5], "init_config": {"current_date": "2023-11-05", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 94, "goal": "What is the expected temperature drop in Phoenix from morning to evening today? Please provide the answer as a number.", "subgoals": [16.9], "additional_info": {"answer": 16.9, "init_config": {"current_date": "2023-04-15", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 95, "goal": "What is the highest temperature recorded in San Francisco in the last week? Please provide the answer as a number.", "subgoals": [14.0], "additional_info": {"answer": 14.0, "init_config": {"current_date": "2023-02-28", "current_location": "San Francisco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 96, "goal": "What is the expected temperature range in Atlanta for the upcoming weekend? Please provide the answer in Celsius as an array.", "subgoals": [[21.5, 33.1]], "additional_info": {"answer": [21.5, 33.1], "init_config": {"current_date": "2023-07-08", "current_location": "Atlanta"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 97, "goal": "What is the temperature variation between morning and night in New Orleans today? Please provide the answer as a number.", "subgoals": [6.9], "additional_info": {"answer": 6.9, "init_config": {"current_date": "2023-08-30", "current_location": "New Orleans"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 98, "goal": "Which day had a greater amount of rainfall, the 7th of last month or the 20th of last month? Please provide the answer in the form of a date 'YYYY-MM-DD'.", "subgoals": ["2023-04-07"], "additional_info": {"answer": "2023-04-07", "init_config": {"current_date": "2023-05-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 99, "goal": "What was the total rainfall on the 10th of last month in comparison to the 5th of last month? Please provide the answer with 'higher', 'lower' or 'same'.", "subgoals": ["same"], "additional_info": {"answer": "same", "init_config": {"current_date": "2023-07-10", "current_location": "Los Angeles"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 100, "goal": "Is the current rainfall higher than the rainfall on the same day last year? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-09-25", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 101, "goal": "What is the average rainfall for the first week of this month? Please provide the answer in millimeters as a number.", "subgoals": [1.425], "additional_info": {"answer": 1.425, "init_config": {"current_date": "2023-03-05", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 102, "goal": "Has there been any rainfall in the past week in comparison to the same week last year? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-11-20", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 103, "goal": "Which day had heavier rainfall, the 3rd of last month or the 10th of last month? Please provide the answer with '3rd' or '10th'.", "subgoals": ["3rd"], "additional_info": {"answer": "3rd", "init_config": {"current_date": "2023-04-03", "current_location": "Houston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 104, "goal": "What is the total rainfall for the last 3 days? Please provide the answer in millimeters as a number.", "subgoals": [33.3], "additional_info": {"answer": 33.3, "init_config": {"current_date": "2023-01-15", "current_location": "San Francisco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 105, "goal": "Is the current rainfall significantly different from the rainfall on this day two years ago? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-12-30", "current_location": "New York"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 106, "goal": "Which day had more rainfall, the 22nd of last month or the 28th of last month? Please provide the answer with '22nd' or '28th'.", "subgoals": ["22nd"], "additional_info": {"answer": "22nd", "init_config": {"current_date": "2023-08-22", "current_location": "Atlanta"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 107, "goal": "What is the total rainfall for the past 5 days? Please provide the answer in millimeters as a number.", "subgoals": [29.4], "additional_info": {"answer": 29.4, "init_config": {"current_date": "2023-02-05", "current_location": "Dallas"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 108, "goal": "Is there a pattern of increasing or decreasing rainfall compared to this time last year? Please provide the answer with 'Increasing', 'Decreasing', or 'No Pattern'.", "subgoals": ["Decreasing"], "additional_info": {"answer": "Decreasing", "init_config": {"current_date": "2023-10-10", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 109, "goal": "What is the total rainfall for the past 2 weeks? Please provide the answer in millimeters as a number.", "subgoals": [9.1], "additional_info": {"answer": 9.1, "init_config": {"current_date": "2023-05-20", "current_location": "Portland"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 110, "goal": "Is today's rainfall higher than yesterday's? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-04-18", "current_location": "Las Vegas"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 111, "goal": "Which day had more rainfall, the 8th of last month or the 14th of last month? Please provide the answer with '8th' or '14th'.", "subgoals": ["14th"], "additional_info": {"answer": "14th", "init_config": {"current_date": "2023-11-08", "current_location": "Minneapolis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 112, "goal": "What is the average rainfall for this month so far? Please provide the answer in millimeters as a number.", "subgoals": [6.65], "additional_info": {"answer": 6.65, "init_config": {"current_date": "2023-07-05", "current_location": "Detroit"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 113, "goal": "Is there a trend of increasing or decreasing rainfall compared to this time last month? Please provide the answer with 'Increasing', 'Decreasing', or 'No Trend'.", "subgoals": ["Increasing"], "additional_info": {"answer": "Increasing", "init_config": {"current_date": "2023-12-12", "current_location": "Salt Lake City"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 114, "goal": "Which day had heavier rainfall, the 25th of last month or the 30th of last month? Please provide the answer with '25th', '30th' or 'Both'.", "subgoals": ["Both"], "additional_info": {"answer": "Both", "init_config": {"current_date": "2023-06-25", "current_location": "St. Louis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 115, "goal": "What is the total rainfall for the past week? Please provide the answer in millimeters as a number.", "subgoals": [16.4], "additional_info": {"answer": 16.4, "init_config": {"current_date": "2023-09-10", "current_location": "Orlando"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 116, "goal": "What is the average rainfall for the past week? Please provide the answer in millimeters as a number.", "subgoals": [0.014], "additional_info": {"answer": 0.014, "init_config": {"current_date": "2023-07-15", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 117, "goal": "Will there be any rainfall on the 10th of next month? Answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-07-15", "current_location": "Los Angeles"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 118, "goal": "How many days of rainfall are expected in the upcoming week? Please provide the answer as a number.", "subgoals": [7], "additional_info": {"answer": 7, "init_config": {"current_date": "2023-07-15", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 119, "goal": "What is the highest recorded rainfall amount in the past 5 years on this day? Please provide the answer as a number.", "subgoals": [2.9], "additional_info": {"answer": 2.9, "init_config": {"current_date": "2023-07-15", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 120, "goal": "Are there any chances of heavy rainfall in the next 48 hours? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-07-15", "current_location": "Houston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 121, "goal": "What is the percentage chance of rainfall on the 5th of next month? Please provide the answer as a percentage.", "subgoals": ["Not provided"], "additional_info": {"answer": "Not provided", "init_config": {"current_date": "2023-07-15", "current_location": "Atlanta"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 122, "goal": "Has there been any significant increase in rainfall compared to last week? Answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-07-15", "current_location": "Boston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 123, "goal": "What is the forecasted rainfall amount for the upcoming weekend? Please provide the answer in millimeters in an array.", "subgoals": [[0.0, 0.0]], "additional_info": {"answer": [0.0, 0.0], "init_config": {"current_date": "2023-07-15", "current_location": "San Francisco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 124, "goal": "Will there be sporadic showers throughout the day tomorrow? Answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-07-15", "current_location": "Dallas"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 125, "goal": "How does the current location's rainfall compare to the same time last year? Please provide the answer with 'Higher', 'Lower', or 'Similar'.", "subgoals": ["Higher"], "additional_info": {"answer": "Higher", "init_config": {"current_date": "2023-07-15", "current_location": "New York"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 126, "goal": "Which day had a greater amount of rainfall, the 5th of last month or the 15th of last month? Please provide the answer in the form of a date 'YYYY-MM-DD'.", "subgoals": ["2023-04-15"], "additional_info": {"answer": "2023-04-15", "init_config": {"current_date": "2023-05-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 127, "goal": "What was the total rainfall on the 10th of last month in your current location? Please provide the answer in millimeters as a number.", "subgoals": [97.5], "additional_info": {"answer": 97.5, "init_config": {"current_date": "2023-02-10", "current_location": "Los Angeles"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 128, "goal": "How many days of rain were recorded last week in your current city?", "subgoals": [3], "additional_info": {"answer": 3, "init_config": {"current_date": "2023-03-20", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 129, "goal": "Is the rainfall today higher than the average rainfall for this week in your current location? Answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-03-25", "current_location": "Houston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 130, "goal": "If it rains tomorrow, the sports event will be canceled. Please check tomorrow's precipitation to let me know if it will be canceled. Answer with 'Yes' or 'No'", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-03-28", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 131, "goal": "How many consecutive days of rain are expected starting from tomorrow in your current location?", "subgoals": [6], "additional_info": {"answer": 6, "init_config": {"current_date": "2023-04-05", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 132, "goal": "Do I need to bring an umbrella tomorrow? Answer with 'Yes' or 'No'", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-05-10", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 133, "goal": "Will there be any rainfall during the weekend in your current location? Answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-04-15", "current_location": "Atlanta"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 134, "goal": "How many days of heavy rainfall (more than 50mm) were recorded last week in your current city? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-06-10", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 135, "goal": "How many days of light rain (less than 10mm) are expected next week in your current location?", "subgoals": [6], "additional_info": {"answer": 6, "init_config": {"current_date": "2023-06-15", "current_location": "Portland"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 136, "goal": "What is the trend in rainfall over the past 5 days in your current city? Please provide the answer with 'Increasing', 'Decreasing', or 'Stable'.", "subgoals": ["Stable"], "additional_info": {"answer": "Stable", "init_config": {"current_date": "2023-07-01", "current_location": "Las Vegas"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 137, "goal": "Which day had a greater amount of rainfall, the 2th of last month or the 22th of last month? Please provide the answer in the YYYY-MM-DD format.", "subgoals": ["2023-04-22"], "additional_info": {"answer": "2023-04-22", "init_config": {"current_date": "2023-05-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 138, "goal": "What is the average daily rainfall expected in your current location for the upcoming week? Please provide the answer as a number.", "subgoals": [12.6], "additional_info": {"answer": 12.6, "init_config": {"current_date": "2023-09-20", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 139, "goal": "Which city is forecasted to have the highest amount of rainfall in the next 3 days: Seattle or Portland? Please tell me the city name.", "subgoals": ["Seattle"], "additional_info": {"answer": "Seattle", "init_config": {"current_date": "2023-09-20", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 140, "goal": "How many days of light rain are predicted in your current location for the next 10 days? Please provide the answer as a number.", "subgoals": [4], "additional_info": {"answer": 4, "init_config": {"current_date": "2023-09-20", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 141, "goal": "What is the total rainfall over the past week? Please provide the answer as a number.", "subgoals": [53.9], "additional_info": {"answer": 53.9, "init_config": {"current_date": "2023-09-20", "current_location": "Houston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 142, "goal": "Which city is likely to experience the most consecutive days of rain in the next month: Boston or San Francisco? Please tell me the city name.", "subgoals": ["Boston"], "additional_info": {"answer": "Boston", "init_config": {"current_date": "2023-09-20", "current_location": "Boston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 143, "goal": "How many millimeters of rain are forecasted in your current location for the next 7 days? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-09-20", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 144, "goal": "Which city is expected to have the highest hourly rainfall rate tomorrow: Atlanta or Dallas? Please tell me the city name.", "subgoals": ["Dallas"], "additional_info": {"answer": "Dallas", "init_config": {"current_date": "2023-09-20", "current_location": "Atlanta"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 145, "goal": "Which city had a higher total rainfall over the past week: New York or Washington? Please provide the answer with 'New York' or 'Washington'.", "subgoals": ["New York"], "additional_info": {"answer": "New York", "init_config": {"current_date": "2023-09-20", "current_location": "New York"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 146, "goal": "Which day had a greater amount of rainfall, the 4th of last month or the 13th of last month? Please provide the answer in the form of a date 'YYYY-MM-DD'.", "subgoals": ["2023-04-04"], "additional_info": {"answer": "2023-04-04", "init_config": {"current_date": "2023-05-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 147, "goal": "What is the total rainfall over the past 10 days in your current location? Please provide the answer as a number.", "subgoals": [10.8], "additional_info": {"answer": 10.8, "init_config": {"current_date": "2023-11-10", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 148, "goal": "I'm curious about the city with the highest total rainfall over the past 5 days: Chicago or Houston? Please tell me the city name.", "subgoals": ["Chicago"], "additional_info": {"answer": "Chicago", "init_config": {"current_date": "2023-11-10", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 149, "goal": "Which city is forecasted to have the highest amount of rainfall in the next 7 days: San Francisco or Denver? Please tell me the city name.", "subgoals": ["San Francisco"], "additional_info": {"answer": "San Francisco", "init_config": {"current_date": "2023-11-10", "current_location": "San Francisco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 150, "goal": "What is the total rainfall over the past 2 weeks in your current location? Please provide the answer as a number.", "subgoals": [0.0], "additional_info": {"answer": 0.0, "init_config": {"current_date": "2023-11-10", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 151, "goal": "I'm interested in knowing which city had a higher total rainfall over the past week: Atlanta or Boston? Please tell me the city name.", "subgoals": ["Boston"], "additional_info": {"answer": "Boston", "init_config": {"current_date": "2023-11-10", "current_location": "Atlanta"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 152, "goal": "Which city is forecasted to have the highest amount of rainfall in the next 5 days: Minneapolis or Salt Lake City? Please tell me the city name.", "subgoals": ["Minneapolis"], "additional_info": {"answer": "Minneapolis", "init_config": {"current_date": "2023-11-10", "current_location": "Minneapolis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 153, "goal": "Which day had a greater amount of rainfall, the 1th of last month or the 20th of last month? Please provide the answer in the form of a date 'YYYY-MM-DD'.", "subgoals": ["2023-04-01"], "additional_info": {"answer": "2023-04-01", "init_config": {"current_date": "2023-05-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 154, "goal": "What is the total rainfall in inches over the past 10 days in Los Angeles? Please provide the answer as a number.", "subgoals": [2.89], "additional_info": {"answer": 2.89, "init_config": {"current_date": "2023-03-25", "current_location": "Los Angeles"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 155, "goal": "Which city experienced the highest amount of rainfall in millimeters over the past 5 days: Chicago or Houston? Please tell me the city name.", "subgoals": ["Houston"], "additional_info": {"answer": "Houston", "init_config": {"current_date": "2023-04-10", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 156, "goal": "Which city had the lowest total rainfall in inches over the past week: Denver or Phoenix? Please tell me the city name.", "subgoals": ["Phoenix"], "additional_info": {"answer": "Phoenix", "init_config": {"current_date": "2023-06-15", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 157, "goal": "What is the total rainfall in millimeters over the past 3 days in San Francisco? Please provide the answer as a number.", "subgoals": [0.0], "additional_info": {"answer": 0.0, "init_config": {"current_date": "2023-07-05", "current_location": "San Francisco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 158, "goal": "What is the average daily rainfall in inches over the past month in Boston? Please provide the answer as a number.", "subgoals": [7.87], "additional_info": {"answer": 7.87, "init_config": {"current_date": "2023-09-25", "current_location": "Boston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 159, "goal": "Which city had the lowest total rainfall in millimeters over the past 4 days: Minneapolis or Orlando? Please tell me the city name.", "subgoals": ["Orlando"], "additional_info": {"answer": "Orlando", "init_config": {"current_date": "2023-10-15", "current_location": "Minneapolis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 160, "goal": "Which city experienced the highest amount of rainfall in inches over the past 6 days: San Diego or Nashville? Please tell me the city name.", "subgoals": ["Nashville"], "additional_info": {"answer": "Nashville", "init_config": {"current_date": "2023-12-05", "current_location": "San Diego"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 161, "goal": "Which year in the previous 3 years had the most snowfall on December 1st? Please provide the answer in the YYYY format or 'Same'.", "subgoals": ["Same"], "additional_info": {"answer": "Same", "init_config": {"current_date": "2023-12-01", "current_location": "New York"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 162, "goal": "It has been snowing for several days. What is the total snowfall over the past week? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-12-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 163, "goal": "I'm planning a trip to other cities. Which city had a higher total snowfall over the past week: New York or Washington? Please tell me the city name.", "subgoals": ["New York"], "additional_info": {"answer": "New York", "init_config": {"current_date": "2023-01-15", "current_location": "New York"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 164, "goal": "Which city is forecasted to have the highest amount of snowfall in the next 3 days: Seattle or Portland? Please tell me the city name.", "subgoals": ["Seattle"], "additional_info": {"answer": "Seattle", "init_config": {"current_date": "2023-12-20", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 165, "goal": "How many consecutive days of snow are expected starting from tomorrow in your current location?", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-12-20", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 166, "goal": "What is the total snowfall expected in the next 5 days in your current location? Please provide the answer as a number.", "subgoals": [0.49], "additional_info": {"answer": 0.49, "init_config": {"current_date": "2023-01-10", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 167, "goal": "How does the snowfall forecast look for the upcoming week in Seattle? Please tell me 'Increasing', 'Decreasing' or 'Stable'.", "subgoals": ["Increasing"], "additional_info": {"answer": "Increasing", "init_config": {"current_date": "2023-02-15", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 168, "goal": "Can you predict the total snowfall for the next 7 days in your current location? Please provide the answer as a number.", "subgoals": [0.0], "additional_info": {"answer": 0.0, "init_config": {"current_date": "2023-03-20", "current_location": "Boston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 169, "goal": "How many days of continuous snowfall are anticipated starting from tomorrow in your current location? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-04-05", "current_location": "Salt Lake City"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 170, "goal": "What is the total snowfall expected in the next 5 days in Denver? Please provide the answer as a number.", "subgoals": [4.62], "additional_info": {"answer": 4.62, "init_config": {"current_date": "2023-02-10", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 171, "goal": "How many inches of snow are forecasted for tomorrow in Chicago? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-02-10", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 172, "goal": "What is the average snowfall per day expected in Salt Lake City for the next week? Please provide the answer as a number.", "subgoals": [0.1], "additional_info": {"answer": 0.1, "init_config": {"current_date": "2023-02-10", "current_location": "Salt Lake City"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 173, "goal": "How many consecutive days of snow are forecasted starting from the day after tomorrow in Boston? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-02-10", "current_location": "Boston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 174, "goal": "What is the total snowfall accumulation expected in Denver over the next 10 days? Please provide the answer as a number.", "subgoals": [5.74], "additional_info": {"answer": 5.74, "init_config": {"current_date": "2023-02-10", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 175, "goal": "How does the snowfall trend look for the next 5 days in Anchorage: 'Increasing', 'Decreasing', or 'Stable'?", "subgoals": ["Decreasing"], "additional_info": {"answer": "Decreasing", "init_config": {"current_date": "2023-02-10", "current_location": "Anchorage"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 176, "goal": "How many inches of snow are expected in Detroit over the next 48 hours? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-02-10", "current_location": "Detroit"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 177, "goal": "What is the total snowfall expected in the next week in Vancouver, Canada? Please provide the answer as a number.", "subgoals": [1.12], "additional_info": {"answer": 1.12, "init_config": {"current_date": "2023-02-10", "current_location": "Vancouver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 178, "goal": "What is the average snowfall per day expected in Minneapolis for the next 5 days? Please provide the answer as a number.", "subgoals": [0.154], "additional_info": {"answer": 0.154, "init_config": {"current_date": "2023-02-10", "current_location": "Minneapolis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 179, "goal": "How many inches of snow are forecasted for tomorrow in Toronto, Canada? Please provide the answer as a number.", "subgoals": [0.0], "additional_info": {"answer": 0.0, "init_config": {"current_date": "2023-02-10", "current_location": "Toronto"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 180, "goal": "What is the total snowfall accumulation expected in Asheville over the next 7 days? Please provide the answer as a number.", "subgoals": [3.15], "additional_info": {"answer": 3.15, "init_config": {"current_date": "2023-02-10", "current_location": "Asheville"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 181, "goal": "How does the snowfall trend look for the next 4 days in Phoenix: 'Increasing', 'Decreasing', or 'Stable'?", "subgoals": ["Stable"], "additional_info": {"answer": "Stable", "init_config": {"current_date": "2023-02-10", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 182, "goal": "What is the total snowfall expected in inches over the next 5 days in Denver? Please provide the answer as a number.", "subgoals": [1.8189], "additional_info": {"answer": 1.8189, "init_config": {"current_date": "2023-02-10", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 183, "goal": "How many centimeters of snow are forecasted to fall in Chicago in the next 48 hours? Please provide the answer as a number.", "subgoals": [2.03], "additional_info": {"answer": 2.03, "init_config": {"current_date": "2023-01-25", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 184, "goal": "What is the average snowfall per day over the past 10 days in Denver? Please provide the answer as a number.", "subgoals": [0.245], "additional_info": {"answer": 0.245, "init_config": {"current_date": "2023-02-10", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 185, "goal": "What is the total snowfall expected in the next 5 days in Denver? Please provide the answer as a number.", "subgoals": [4.48], "additional_info": {"answer": 4.48, "init_config": {"current_date": "2023-01-01", "current_location": "Shanghai"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 186, "goal": "How much is the difference in snowfall between New York and Boston today? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-01-10", "current_location": "New York"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 187, "goal": "How much snowfall is forecasted for Salt Lake City in the next 2 days? Please provide the answer as a number.", "subgoals": [7.35], "additional_info": {"answer": 7.35, "init_config": {"current_date": "2023-01-15", "current_location": "Salt Lake City"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 188, "goal": "What is the difference in snowfall accumulation between Anchorage and Honolulu today? Please provide the answer as a number.", "subgoals": [4.2], "additional_info": {"answer": 4.2, "init_config": {"current_date": "2023-01-20", "current_location": "Anchorage"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 189, "goal": "Which city is expected to have the least amount of snowfall in the next 7 days: Boston or Miami? Please tell me the city name.", "subgoals": ["Miami"], "additional_info": {"answer": "Miami", "init_config": {"current_date": "2023-01-25", "current_location": "Boston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 190, "goal": "What is the total snowfall in inches over the past month in Denver? Please provide the answer as a number.", "subgoals": [23.99], "additional_info": {"answer": 23.99, "init_config": {"current_date": "2023-01-15", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 191, "goal": "How much more snowfall is expected in Chicago compared to Minneapolis tomorrow? Please provide the answer as a number.", "subgoals": [1.19], "additional_info": {"answer": 1.19, "init_config": {"current_date": "2023-02-20", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 192, "goal": "What is the difference in snow accumulation between Seattle and Portland today? Please provide the answer as a number.", "subgoals": [1.89], "additional_info": {"answer": 1.89, "init_config": {"current_date": "2023-03-10", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 193, "goal": "How many centimeters of snowfall have been recorded in Toronto over the past two weeks? Please provide the answer as a number.", "subgoals": [null], "additional_info": {"answer": null, "init_config": {"current_date": "2023-02-28", "current_location": "Toronto"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 194, "goal": "What is the projected snowfall in Vancouver for the next 3 days? Please provide the answer as a number.", "subgoals": [0.0], "additional_info": {"answer": 0.0, "init_config": {"current_date": "2023-03-15", "current_location": "Vancouver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 195, "goal": "I'm planning a hiking trip to the Rocky Mountains. I'm curious about the elevation difference between there and my current location. Please give me the elevation difference in meters as a number.", "subgoals": [636.0], "additional_info": {"answer": 636.0, "init_config": {"current_date": "2023-09-01", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 196, "goal": "I'm considering visiting the Grand Canyon next month. How does the elevation there compare to where I am now? Please provide the elevation difference in meters as a number.", "subgoals": [1763], "additional_info": {"answer": 1763, "init_config": {"current_date": "2023-10-15", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 197, "goal": "I'm thinking of traveling to Mount Everest Base Camp. Can you tell me how much higher the elevation is there compared to my current location? Please provide the elevation difference in meters as a number.", "subgoals": [7431], "additional_info": {"answer": 7431, "init_config": {"current_date": "2023-11-20", "current_location": "Kathmandu"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 198, "goal": "I'm planning a trip to Death Valley National Park. How does the elevation there differ from my current location? Please give me the elevation difference in meters as an answer.", "subgoals": [1359.0], "additional_info": {"answer": 1359.0, "init_config": {"current_date": "2023-03-10", "current_location": "Los Angeles"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 199, "goal": "I'm considering a visit to the Alps. Can you tell me the elevation difference between there and my current location? Please provide the elevation difference in meters as a number.", "subgoals": [1841.0], "additional_info": {"answer": 1841.0, "init_config": {"current_date": "2023-06-01", "current_location": "Geneva"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 200, "goal": "I'm thinking of exploring the Andes Mountains. How does the elevation there compare to where I am now? Please give me the elevation difference in meters as an answer.", "subgoals": [6280.0], "additional_info": {"answer": 6280.0, "init_config": {"current_date": "2023-08-15", "current_location": "Santiago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 201, "goal": "I'm planning a trip to Mount Kilimanjaro. Can you tell me how much higher the elevation is there compared to my current location? Please provide the elevation difference in meters as a number.", "subgoals": [4130], "additional_info": {"answer": 4130, "init_config": {"current_date": "2023-12-05", "current_location": "Nairobi"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 202, "goal": "I'm considering visiting the Himalayas. How does the elevation there differ from my current location? Please give me the elevation difference in meters as an answer.", "subgoals": [8493.0], "additional_info": {"answer": 8493.0, "init_config": {"current_date": "2023-02-20", "current_location": "Delhi"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 203, "goal": "I'm thinking of traveling to the Sierra Nevada Mountains. Can you tell me how much higher the elevation is there compared to my current location? Please provide the elevation difference in meters as a number.", "subgoals": [1879.0], "additional_info": {"answer": 1879.0, "init_config": {"current_date": "2023-05-10", "current_location": "Sacramento"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 204, "goal": "I'm planning a hiking trip to Mount Rainier. How does the elevation there compare to where I am now? Please give me the elevation difference in meters as an answer.", "subgoals": [4321], "additional_info": {"answer": 4321, "init_config": {"current_date": "2023-08-01", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 205, "goal": "I'm considering a visit to the Swiss Alps. Can you tell me the elevation difference between there and my current location? Please provide the elevation difference in meters as a number.", "subgoals": [1166.0], "additional_info": {"answer": 1166.0, "init_config": {"current_date": "2023-10-15", "current_location": "Zurich"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 206, "goal": "I'm thinking of exploring the Rocky Mountains. How does the elevation there compare to where I am now? Please give me the elevation difference in meters as a number.", "subgoals": [1208.0], "additional_info": {"answer": 1208.0, "init_config": {"current_date": "2023-01-10", "current_location": "Calgary"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 207, "goal": "I'm planning a trip to the Appalachian Mountains. Can you tell me how much higher the elevation is there compared to my current location? Please provide the elevation difference in meters as a number.", "subgoals": [53], "additional_info": {"answer": 53, "init_config": {"current_date": "2023-04-20", "current_location": "Charlotte"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 208, "goal": "I'm considering visiting the Cascade Range. How does the elevation there differ from my current location? Please give me the elevation difference in meters as a number.", "subgoals": [4367], "additional_info": {"answer": 4367, "init_config": {"current_date": "2023-07-15", "current_location": "Portland"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 209, "goal": "I'm thinking of traveling to the Dolomites. Can you tell me how much higher the elevation is there compared to my current location? Please provide the elevation difference in meters as a number.", "subgoals": [1861.0], "additional_info": {"answer": 1861.0, "init_config": {"current_date": "2023-10-01", "current_location": "Venice"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 210, "goal": "I'm going to Ulaanbaatar on a business trip. It is said that it is on a plateau. How much higher is the elevation there than here? Please provide the answer as a number.", "subgoals": [1049], "additional_info": {"answer": 1049, "init_config": {"current_date": "2023-05-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 211, "goal": "How much higher is the elevation in Denver compared to San Francisco? Please provide the answer as a number.", "subgoals": [1597], "additional_info": {"answer": 1597, "init_config": {"current_date": "2023-01-15", "current_location": "San Francisco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 212, "goal": "I'm planning a hiking trip to Mount Kilimanjaro. Can you tell me the elevation difference between the base and the summit? Please provide the answer in meters as a number.", "subgoals": [4007], "additional_info": {"answer": 4007, "init_config": {"current_date": "2023-07-15", "current_location": "Mount Kilimanjaro"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 213, "goal": "I heard that Machu Picchu is located at a high altitude. How much higher is its elevation compared to Cusco? Please give me the answer as a number.", "subgoals": [935], "additional_info": {"answer": 935, "init_config": {"current_date": "2023-03-15", "current_location": "Cusco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 214, "goal": "I'm interested in visiting Lake Tahoe for skiing. What is the elevation difference between the highest and lowest ski resort in the area? Please provide the answer as 'Unknown'.", "subgoals": ["Unknown"], "additional_info": {"answer": "Unknown", "init_config": {"current_date": "2023-12-15", "current_location": "Lake Tahoe"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 215, "goal": "Planning a trip to Nepal, specifically to Everest Base Camp. How much higher is the elevation there compared to Kathmandu? Please give me a number as an answer.", "subgoals": [3989.0], "additional_info": {"answer": 3989.0, "init_config": {"current_date": "2023-09-15", "current_location": "Kathmandu"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 216, "goal": "I'm considering a trip to La Paz, Bolivia, known for its high altitude. How much higher is its elevation compared to Lima, Peru? Please provide the answer as a number.", "subgoals": [3612.0], "additional_info": {"answer": 3612.0, "init_config": {"current_date": "2023-06-15", "current_location": "Lima"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 217, "goal": "I'm planning a visit to Lhasa, Tibet, known as the \"Roof of the World.\" How much higher is its elevation compared to Beijing? Please provide the answer as a number.", "subgoals": [3602.0], "additional_info": {"answer": 3602.0, "init_config": {"current_date": "2023-08-15", "current_location": "Beijing"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 218, "goal": "Interested in hiking in the Swiss Alps. What is the elevation difference between Zermatt and St. Moritz? Please provide the answer in meters as a number.", "subgoals": [245], "additional_info": {"answer": 245, "init_config": {"current_date": "2023-10-15", "current_location": "Zermatt"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 219, "goal": "Considering a trip to Leadville, Colorado, one of the highest cities in the United States. How much higher is its elevation compared to Denver? Please give me a number as an answer.", "subgoals": [1483.0], "additional_info": {"answer": 1483.0, "init_config": {"current_date": "2023-02-15", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 220, "goal": "Thinking of exploring Mauna Kea in Hawaii, known for its observatories at high altitude. How much higher is its elevation compared to Honolulu? Please provide the answer as a number.", "subgoals": [4127], "additional_info": {"answer": 4127, "init_config": {"current_date": "2023-11-15", "current_location": "Honolulu"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 221, "goal": "Planning a trip to Bogot\u00e1, Colombia, located at high altitude in the Andes Mountains. How much higher is its elevation compared to Medell\u00edn? Please provide the answer as a number.", "subgoals": [1089], "additional_info": {"answer": 1089, "init_config": {"current_date": "2023-01-15", "current_location": "Medell\u00edn"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 222, "goal": "Considering a visit to Quito, Ecuador, known for being situated high in the Andes Mountains. How much higher is its elevation compared to Guayaquil? Please provide the answer as a number.", "subgoals": [2848], "additional_info": {"answer": 2848, "init_config": {"current_date": "2023-02-15", "current_location": "Guayaquil"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 223, "goal": "Thinking of exploring Aspen, Colorado, famous for its ski resorts at high altitude. How much higher is its elevation compared to Vail? Please provide the answer as a number.", "subgoals": [87.0], "additional_info": {"answer": 87.0, "init_config": {"current_date": "2023-03-15", "current_location": "Vail"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 224, "goal": "I'm interested in visiting Leh, India, located at high altitude near the Himalayas. How much higher is its elevation compared to New Delhi? Please give me a number as an answer.", "subgoals": [3289.0], "additional_info": {"answer": 3289.0, "init_config": {"current_date": "2023-04-15", "current_location": "New Delhi"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 225, "goal": "I will be on a business trip to New York on the 1st of next month. How far is it from my current location? Please provide the answer as a number.", "subgoals": [507.978], "additional_info": {"answer": 507.978, "init_config": {"current_date": "2023-05-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 226, "goal": "How far is it from my current location to Los Angeles for a weekend getaway next month? Please provide the distance in kilometers as a number.", "subgoals": [2807.4453593102035], "additional_info": {"answer": 2807.4453593102035, "init_config": {"current_date": "2023-08-15", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 227, "goal": "I am planning a hiking trip to Denver in two weeks. Can you tell me the distance from my current location? Please provide the distance in kilometers as a number.", "subgoals": [1643.9370992973086], "additional_info": {"answer": 1643.9370992973086, "init_config": {"current_date": "2023-07-30", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 228, "goal": "I have a conference in Miami next month. How far is it from my current location in Atlanta? Please provide the distance in kilometers as a number.", "subgoals": [972.3468436269721], "additional_info": {"answer": 972.3468436269721, "init_config": {"current_date": "2023-08-10", "current_location": "Atlanta"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 229, "goal": "I am considering a road trip to San Francisco next month. Can you tell me the distance from my current location in Phoenix? Please provide the distance in kilometers as a number.", "subgoals": [1052.2127214963332], "additional_info": {"answer": 1052.2127214963332, "init_config": {"current_date": "2023-08-05", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 230, "goal": "I am planning a family vacation to Orlando next month. How far is it from my current location in Houston? Please provide the distance in kilometers as a number.", "subgoals": [1366.5125333931778], "additional_info": {"answer": 1366.5125333931778, "init_config": {"current_date": "2023-08-20", "current_location": "Houston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 231, "goal": "I am thinking of visiting Las Vegas next month. How far is it from my current location in San Diego? Please provide the distance in kilometers as a number.", "subgoals": [426.55102509114494], "additional_info": {"answer": 426.55102509114494, "init_config": {"current_date": "2023-08-18", "current_location": "San Diego"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 232, "goal": "I am planning a weekend trip to New Orleans next month. Can you tell me the distance from my current location in Dallas? Please provide the distance in kilometers as a number.", "subgoals": [712.857], "additional_info": {"answer": 712.857, "init_config": {"current_date": "2023-08-12", "current_location": "Dallas"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 233, "goal": "I am considering a beach vacation in Honolulu next month. How far is it from my current location in Anchorage? Please provide the distance in kilometers as a number.", "subgoals": [4475.716424369004], "additional_info": {"answer": 4475.716424369004, "init_config": {"current_date": "2023-08-22", "current_location": "Anchorage"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 234, "goal": "I have a family reunion in Nashville next month. Can you tell me the distance from my current location in Minneapolis? Please provide the distance in kilometers as a number.", "subgoals": [1121.143507592255], "additional_info": {"answer": 1121.143507592255, "init_config": {"current_date": "2023-08-28", "current_location": "Minneapolis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 235, "goal": "I am planning a ski trip to Salt Lake City next month. How far is it from my current location in Denver? Please provide the distance in kilometers as a number.", "subgoals": [598.2838850691438], "additional_info": {"answer": 598.2838850691438, "init_config": {"current_date": "2023-08-08", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 236, "goal": "I am thinking of visiting Portland next month. Can you tell me the distance from my current location in San Francisco? Please provide the distance in kilometers as a number.", "subgoals": [860.8669149690029], "additional_info": {"answer": 860.8669149690029, "init_config": {"current_date": "2023-08-16", "current_location": "San Francisco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 237, "goal": "I am planning a road trip to Phoenix next month. How far is it from my current location in Albuquerque? Please provide the distance in kilometers as a number.", "subgoals": [531.284], "additional_info": {"answer": 531.284, "init_config": {"current_date": "2023-08-14", "current_location": "Albuquerque"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 238, "goal": "I have a business meeting in Chicago next month. Can you tell me the distance from my current location in Detroit? Please provide the distance in kilometers as a number.", "subgoals": [384.61258129000424], "additional_info": {"answer": 384.61258129000424, "init_config": {"current_date": "2023-08-30", "current_location": "Detroit"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 239, "goal": "I am considering a visit to Seattle next month. How far is it from my current location in Vancouver? Please provide the distance in kilometers as a number.", "subgoals": [191.80912451976255], "additional_info": {"answer": 191.80912451976255, "init_config": {"current_date": "2023-08-24", "current_location": "Vancouver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 240, "goal": "I have a conference in Miami next month. How far is it from my current location? Please provide the distance in kilometers as a number.", "subgoals": [1557.81056449014], "additional_info": {"answer": 1557.81056449014, "init_config": {"current_date": "2023-08-10", "current_location": "Houston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 241, "goal": "I am considering a road trip to San Francisco in three weeks. Can you tell me the distance from my current location? Please provide the distance in kilometers as a number.", "subgoals": [1052.21], "additional_info": {"answer": 1052.21, "init_config": {"current_date": "2023-08-05", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 242, "goal": "I am planning a family vacation to Orlando next month. How far is it from my current location? Please provide the distance in kilometers as a number.", "subgoals": [644.945], "additional_info": {"answer": 644.945, "init_config": {"current_date": "2023-08-20", "current_location": "Atlanta"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 243, "goal": "I have a wedding to attend in New Orleans in four weeks. Can you tell me the distance from my current location? Please provide the distance in kilometers as a number.", "subgoals": [712.857], "additional_info": {"answer": 712.857, "init_config": {"current_date": "2023-08-01", "current_location": "Dallas"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 244, "goal": "I am thinking of visiting Las Vegas for a weekend getaway next month. How far is it from my current location? Please provide the distance in kilometers as a number.", "subgoals": [426.55102509114494], "additional_info": {"answer": 426.55102509114494, "init_config": {"current_date": "2023-08-25", "current_location": "San Diego"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 245, "goal": "I am planning a beach trip to Honolulu in three weeks. Can you tell me the distance from my current location? Please provide the distance in kilometers as a number.", "subgoals": [4176.845887778902], "additional_info": {"answer": 4176.845887778902, "init_config": {"current_date": "2023-08-12", "current_location": "Portland"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 246, "goal": "I have a family reunion in Nashville next month. How far is it from my current location? Please provide the distance in kilometers as a number.", "subgoals": [1121.143507592255], "additional_info": {"answer": 1121.143507592255, "init_config": {"current_date": "2023-08-17", "current_location": "Minneapolis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 247, "goal": "I am considering a weekend getaway to Boston in two weeks. Can you tell me the distance from my current location? Please provide the distance in kilometers as a number.", "subgoals": [986.8522073759522], "additional_info": {"answer": 986.8522073759522, "init_config": {"current_date": "2023-08-08", "current_location": "Detroit"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 248, "goal": "I am planning a ski trip to Salt Lake City next month. How far is it from my current location? Please provide the distance in kilometers as a number.", "subgoals": [598.2838850691438], "additional_info": {"answer": 598.2838850691438, "init_config": {"current_date": "2023-08-22", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 249, "goal": "I have a business meeting in Atlanta in four weeks. Can you tell me the distance from my current location? Please provide the distance in kilometers as a number.", "subgoals": [364.525], "additional_info": {"answer": 364.525, "init_config": {"current_date": "2023-07-28", "current_location": "Charlotte"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 250, "goal": "I am thinking of visiting San Antonio for a weekend getaway next month. How far is it from my current location? Please provide the distance in kilometers as a number.", "subgoals": [118.294], "additional_info": {"answer": 118.294, "init_config": {"current_date": "2023-08-19", "current_location": "Austin"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 251, "goal": "I am planning a road trip to Vancouver in three weeks. Can you tell me the distance from my current location? Please provide the distance in kilometers as a number.", "subgoals": [675.52], "additional_info": {"answer": 675.52, "init_config": {"current_date": "2023-08-13", "current_location": "Calgary"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 252, "goal": "I have a concert to attend in Toronto next month. How far is it from my current location? Please provide the distance in kilometers as a number.", "subgoals": [504.318], "additional_info": {"answer": 504.318, "init_config": {"current_date": "2023-08-03", "current_location": "Montreal"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 253, "goal": "I went to New York on a business trip on the 1st of this month. How was the air quality level there that day?", "subgoals": ["fair"], "additional_info": {"answer": "fair", "init_config": {"current_date": "2023-11-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 254, "goal": "I'm going to New York on a business trip on the 11th. I'm not sure about the air there. Is the air quality level there the same as here today? Please provide the answer in 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-12-01", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 255, "goal": "Which city has the better air quality index today: Boston, New York or Philadelphia? Tell me the city name.", "subgoals": ["Philadelphia"], "additional_info": {"answer": "Philadelphia", "init_config": {"current_date": "2023-12-01", "current_location": "Philadelphia"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 256, "goal": "Which city has the better air quality index in the past three days: Boston, New York or Philadelphia? Tell me the city name.", "subgoals": ["Boston"], "additional_info": {"answer": "Boston", "init_config": {"current_date": "2023-12-01", "current_location": "Philadelphia"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 257, "goal": "I am planning a hiking trip to Denver in two weeks. Can you tell me if the air quality there will be suitable for outdoor activities? Please provide the air quality level as a string.", "subgoals": ["fair"], "additional_info": {"answer": "fair", "init_config": {"current_date": "2023-12-17", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 258, "goal": "I will be visiting Miami for a vacation in three weeks. I want to know if the air quality there is generally good during that time of the year. Please provide the air quality level as a string.", "subgoals": ["fair"], "additional_info": {"answer": "fair", "init_config": {"current_date": "2023-12-24", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 259, "goal": "I am a nature photographer planning a trip to Yellowstone National Park next summer. Can you give me an estimate of the air quality index during that time of the year? Please provide the answer as a range of European AQI PM2.5 values.", "subgoals": [[7, 16]], "additional_info": {"answer": [7, 16], "init_config": {"current_date": "2023-06-15", "current_location": "Yellowstone National Park"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 260, "goal": "I will be attending a music festival in Austin next spring. Can you tell me if the air quality there is usually good during that season? Please provide the air quality level as a string.", "subgoals": ["good"], "additional_info": {"answer": "good", "init_config": {"current_date": "2023-04-20", "current_location": "Austin"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 261, "goal": "I will be traveling to Portland for a food festival next month. Can you tell me if the air quality there is usually good during that time of the year? Please provide the air quality level as a string.", "subgoals": ["fair"], "additional_info": {"answer": "fair", "init_config": {"current_date": "2023-03-10", "current_location": "Portland"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 262, "goal": "On the 1st and the 22nd of next month, which days will have both rain and snow? Please provide the answer in the form of a list ['YYYY-MM-DD'].", "subgoals": [[]], "additional_info": {"answer": [], "init_config": {"current_date": "2023-11-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 263, "goal": "On the 21st and 28th of this month, which days has more rainfall than snowfall? Please provide the answer in the form of a list ['YYYY-MM-DD'].", "subgoals": [["2023-12-23", "2023-12-24", "2023-12-25", "2023-12-26", "2023-12-27", "2023-12-28"]], "additional_info": {"answer": ["2023-12-23", "2023-12-24", "2023-12-25", "2023-12-26", "2023-12-27", "2023-12-28"], "init_config": {"current_date": "2023-12-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 264, "goal": "Will tomorrow be a rainy day with temperatures exceeding 30 degrees? Answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-06-15", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 265, "goal": "What is the total precipitation and rainfall over the past 3 days? Please give me a number in millimeter.", "subgoals": [45.0], "additional_info": {"answer": 45.0, "init_config": {"current_date": "2023-03-25", "current_location": "Pittsburgh"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 266, "goal": "What is the forecasted snowfall and rainfall for the upcoming week? Please provide the answer in the form of a list of tuples [('YYYY-MM-DD', 'Snowfall', 'Rainfall'), ...].", "subgoals": [[["2023-12-11", "0.0", "0.0"], ["2023-12-12", "0.0", "0.0"], ["2023-12-13", "0.7", "0.0"], ["2023-12-14", "2.1", "0.0"], ["2023-12-15", "0.0", "0.0"], ["2023-12-16", "0.0", "0.0"], ["2023-12-17", "0.0", "0.0"]]], "additional_info": {"answer": [["2023-12-11", "0.0", "0.0"], ["2023-12-12", "0.0", "0.0"], ["2023-12-13", "0.7", "0.0"], ["2023-12-14", "2.1", "0.0"], ["2023-12-15", "0.0", "0.0"], ["2023-12-16", "0.0", "0.0"], ["2023-12-17", "0.0", "0.0"]], "init_config": {"current_date": "2023-12-10", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 267, "goal": "Will there be any snow accumulation tomorrow along with temperatures below freezing tomorrow? Please provide the answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-01-05", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 268, "goal": "What is the forecast for both snowfall and rainfall on the 10th of next month? Please provide the answer in the form of a number list ['Snowfall', 'Rainfall'].", "subgoals": [[0.0, 0.0]], "additional_info": {"answer": [0.0, 0.0], "init_config": {"current_date": "2023-09-10", "current_location": "New York"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 269, "goal": "Which day next week will have the highest snowfall and rainfall combined? Please provide the answer in the form of a date 'YYYY-MM-DD' or 'None'.", "subgoals": ["2023-07-21"], "additional_info": {"answer": "2023-07-21", "init_config": {"current_date": "2023-07-15", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 270, "goal": "Which day in the upcoming week will have more rainfall than snowfall? Please provide the answer in the form of a date 'YYYY-MM-DD' or 'None'.", "subgoals": ["None"], "additional_info": {"answer": "None", "init_config": {"current_date": "2023-08-05", "current_location": "San Francisco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 271, "goal": "Which day in the next 10 days will have the lowest temperature and highest snowfall combined? Please provide the answer in the form of a date 'YYYY-MM-DD' or 'None'.", "subgoals": ["2023-09-07"], "additional_info": {"answer": "2023-09-07", "init_config": {"current_date": "2023-09-01", "current_location": "Minneapolis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 272, "goal": "What is the rainfall forecast for the 18th of this month? Please provide the answer as a number.", "subgoals": [17.9], "additional_info": {"answer": 17.9, "init_config": {"current_date": "2023-06-18", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 273, "goal": "Which day next month will have the most snowfall? Please provide the answer in the form of a date 'YYYY-MM-DD' or 'None'.", "subgoals": ["2023-02-22"], "additional_info": {"answer": "2023-02-22", "init_config": {"current_date": "2023-01-01", "current_location": "Portland"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 274, "goal": "What is the current rainfall data for today? Please provide the answer as a number.", "subgoals": [2.2], "additional_info": {"answer": 2.2, "init_config": {"current_date": "2023-05-30", "current_location": "Houston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 275, "goal": "Which day in the upcoming month will have more snowfall than rainfall? Please provide the answer in the form of a date 'YYYY-MM-DD' or 'None'.", "subgoals": ["2023-02-12"], "additional_info": {"answer": "2023-02-12", "init_config": {"current_date": "2023-01-15", "current_location": "Anchorage"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 276, "goal": "What is the total precipitation and rainfall over the past week? Please provide the answer in an array.", "subgoals": [[0.0]], "additional_info": {"answer": [0.0], "init_config": {"current_date": "2023-01-25", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 277, "goal": "Which days in the upcoming week will experience both rain and snow? Please provide the answer in the form of a list ['YYYY-MM-DD'].", "subgoals": [["2023-01-16"]], "additional_info": {"answer": ["2023-01-16"], "init_config": {"current_date": "2023-01-10", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 278, "goal": "What is the total precipitation and snowfall for tomorrow? Please provide the answer in an array.", "subgoals": [[0.0, 0.4]], "additional_info": {"answer": [0.0, 0.4], "init_config": {"current_date": "2023-01-09", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 279, "goal": "On the 15th and 25th of this month, which days will have higher snowfall than rainfall? Please provide the answer in the form of a list ['YYYY-MM-DD'].", "subgoals": [["2023-01-25"]], "additional_info": {"answer": ["2023-01-25"], "init_config": {"current_date": "2023-01-15", "current_location": "Boston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 280, "goal": "How many days in the next two weeks are expected to have rain but no snow? Please provide the answer as a number.", "subgoals": [12], "additional_info": {"answer": 12, "init_config": {"current_date": "2023-01-08", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 281, "goal": "What is the total precipitation and rainfall over the past 5 days? Please provide the answer as an array.", "subgoals": [[33.9]], "additional_info": {"answer": [33.9], "init_config": {"current_date": "2023-01-30", "current_location": "New York"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 282, "goal": "Which days in the upcoming month will have the highest combined precipitation of rain and snow? Please provide the answer in the form of a list ['YYYY-MM-DD',...].", "subgoals": [["2023-02-25"]], "additional_info": {"answer": ["2023-02-25"], "init_config": {"current_date": "2023-01-08", "current_location": "Los Angeles"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 283, "goal": "How many days in the upcoming week are expected to have snow but no rain? Please provide the answer as a number.", "subgoals": [1], "additional_info": {"answer": 1, "init_config": {"current_date": "2023-01-08", "current_location": "Minneapolis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 284, "goal": "What is the total precipitation and snowfall for the next three days? Please provide the answer in an array.", "subgoals": [[0.0, 20.5]], "additional_info": {"answer": [0.0, 20.5], "init_config": {"current_date": "2023-01-08", "current_location": "Portland"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 285, "goal": "Which days in the upcoming month will have rain but no snow? Please provide the answer in the form of a list ['YYYY-MM-DD'].", "subgoals": [["2023-02-03", "2023-02-04", "2023-02-05", "2023-02-10", "2023-02-11", "2023-02-14", "2023-02-15", "2023-02-23", "2023-02-24", "2023-02-25", "2023-02-26", "2023-02-27", "2023-02-28"]], "additional_info": {"answer": ["2023-02-03", "2023-02-04", "2023-02-05", "2023-02-10", "2023-02-11", "2023-02-14", "2023-02-15", "2023-02-23", "2023-02-24", "2023-02-25", "2023-02-26", "2023-02-27", "2023-02-28"], "init_config": {"current_date": "2023-01-08", "current_location": "San Francisco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 286, "goal": "On the 10th and 22nd of next month, which days will have higher snowfall than rainfall? Please provide the answer in the form of a list ['YYYY-MM-DD'].", "subgoals": [[]], "additional_info": {"answer": [], "init_config": {"current_date": "2023-01-08", "current_location": "Dallas"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 287, "goal": "How many days in the upcoming two weeks are expected to have both rain and snow? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-01-08", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 288, "goal": "What is the total precipitation and rainfall for the past 7 days? Please provide the answer as an array.", "subgoals": [[0.3]], "additional_info": {"answer": [0.3], "init_config": {"current_date": "2023-03-31", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 289, "goal": "Which days in the upcoming month will have the lowest combined precipitation of rain and snow? Please provide the answer in the form of a list ['YYYY-MM-DD'].", "subgoals": [["2023-02-04", "2023-02-05", "2023-02-06", "2023-02-09", "2023-02-10", "2023-02-12", "2023-02-13", "2023-02-17", "2023-02-18", "2023-02-19"]], "additional_info": {"answer": ["2023-02-04", "2023-02-05", "2023-02-06", "2023-02-09", "2023-02-10", "2023-02-12", "2023-02-13", "2023-02-17", "2023-02-18", "2023-02-19"], "init_config": {"current_date": "2023-01-08", "current_location": "Houston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 290, "goal": "On the 12th and 24th of next month, which days will have higher rainfall than snowfall? Please provide the answer in the form of a list ['YYYY-MM-DD'].", "subgoals": [["2023-02-12", "2023-02-13", "2023-02-16", "2023-02-17", "2023-02-21", "2023-02-22", "2023-02-23"]], "additional_info": {"answer": ["2023-02-12", "2023-02-13", "2023-02-16", "2023-02-17", "2023-02-21", "2023-02-22", "2023-02-23"], "init_config": {"current_date": "2023-01-08", "current_location": "Philadelphia"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 291, "goal": "How much snowfall is expected in the next 5 days and what is the total rainfall for the same period? Please provide the answer in an array.", "subgoals": [[0.0, 1.12]], "additional_info": {"answer": [0.0, 1.12], "init_config": {"current_date": "2023-02-15", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 292, "goal": "What is the forecasted temperature for the next 3 days and how many days are expected to have rain showers? Please provide the answer as an array and a number.", "subgoals": [{"temperatures": [5.6, 3.7, 6.3], "rainy_days": 2}], "additional_info": {"answer": {"temperatures": [5.6, 3.7, 6.3], "rainy_days": 2}, "init_config": {"current_date": "2023-03-10", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 293, "goal": "How many days in the upcoming week are expected to have snowfall and what is the total rainfall for the same period? Please provide the two answers as an array.", "subgoals": [[0, 22.7]], "additional_info": {"answer": [0, 22.7], "init_config": {"current_date": "2023-12-20", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 294, "goal": "What is the current snowfall data and how much rain is expected in the next 2 days? Please provide the two answers as an array.", "subgoals": [[0.0, 1.9]], "additional_info": {"answer": [0.0, 1.9], "init_config": {"current_date": "2023-01-30", "current_location": "New York"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 295, "goal": "How much snowfall is expected in the next 7 days and what is the total rainfall for the same period? Please provide the two answers in an array.", "subgoals": [[0.0, 30.1]], "additional_info": {"answer": [0.0, 30.1], "init_config": {"current_date": "2023-11-10", "current_location": "San Francisco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 296, "goal": "How many days in the upcoming week are expected to have rain but no snowfall? Please provide the answer as a number.", "subgoals": [5], "additional_info": {"answer": 5, "init_config": {"current_date": "2023-06-15", "current_location": "Houston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 297, "goal": "What is the total precipitation for the next 5 days and how much snowfall is expected in the same period? Please provide the two answers in an array.", "subgoals": [[0.0, 0.0]], "additional_info": {"answer": [0.0, 0.0], "init_config": {"current_date": "2023-07-20", "current_location": "Phoenix"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 298, "goal": "What is the average temperature during days with rainfall over the past 10 days? Please provide the answer as a number.", "subgoals": [16.933333333333334], "additional_info": {"answer": 16.933333333333334, "init_config": {"current_date": "2023-09-15", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 299, "goal": "What is the highest amount of snowfall recorded in a single day in the past year? Please provide the answer as a number.", "subgoals": [15.89], "additional_info": {"answer": 15.89, "init_config": {"current_date": "2023-12-20", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 300, "goal": "How many days of rain are forecasted in the upcoming week? Please provide the answer as a number.", "subgoals": [6], "additional_info": {"answer": 6, "init_config": {"current_date": "2023-07-25", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 301, "goal": "What is the total snowfall expected in the next 3 days? Please provide the answer as a number.", "subgoals": [0.0], "additional_info": {"answer": 0.0, "init_config": {"current_date": "2023-11-05", "current_location": "Minneapolis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 302, "goal": "What is the average temperature during days with both rain and snow over the past month? Please provide the answer as a number.", "subgoals": ["Manual calculation is required as the system cannot process complex calculations within a single step."], "additional_info": {"answer": "Manual calculation is required as the system cannot process complex calculations within a single step.", "init_config": {"current_date": "2023-04-10", "current_location": "Boston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 303, "goal": "What is the total precipitation on the days with both snowfall and rainfall over the past 5 days? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-12-20", "current_location": "New York"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 304, "goal": "What is the average temperature during days with snowfall and rainfall in the last 10 days? Please provide the answer as a number.", "subgoals": ["2023-11-05"], "additional_info": {"answer": "2023-11-05", "init_config": {"current_date": "2023-11-15", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 305, "goal": "How many days in the past month had both snowfall and rainfall? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-10-25", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 306, "goal": "What is the total precipitation on the days with both snowfall and rainfall over the past 2 weeks? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-09-05", "current_location": "Boston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 307, "goal": "What is the average temperature during days with both snowfall and rainfall in the past week in Miami? Please provide the answer as a number.", "subgoals": ["None"], "additional_info": {"answer": "None", "init_config": {"current_date": "2023-04-20", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 308, "goal": "Will tomorrow be a rainy day with temperatures exceeding 30 degrees? Tell me Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-07-08", "current_location": "Philadelphia"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 309, "goal": "What is the total precipitation on the days with snowfall over the past 7 days? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-01-08", "current_location": "Philadelphia"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 310, "goal": "What is the total precipitation on the days with snowfall over the past 5 days? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-11-10", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 311, "goal": "Will there be snowfall and rainfall on the same day next week? Tell me Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-09-15", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 312, "goal": "What is the highest temperature recorded on days with both snowfall and rainfall in the past month? Please provide the answer as a number.", "subgoals": ["None"], "additional_info": {"answer": "None", "init_config": {"current_date": "2023-10-25", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 313, "goal": "How many days in the upcoming week will have both snowfall and rainfall? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-08-05", "current_location": "Boston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 314, "goal": "What is the average snowfall amount on days with temperatures below freezing in the past 10 days? Please provide the answer as a number.", "subgoals": [0.7275], "additional_info": {"answer": 0.7275, "init_config": {"current_date": "2023-02-15", "current_location": "Minneapolis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 315, "goal": "Will there be a day with snowfall and rainfall together in the next 3 days? Tell me Yes or No.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-06-30", "current_location": "Portland"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 316, "goal": "What is the total precipitation on days with snowfall and temperatures above 0 degrees Celsius in the past week? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-04-10", "current_location": "Detroit"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 317, "goal": "How many days in the upcoming month are forecasted to have both snowfall and rainfall? Please provide the answer as a number.", "subgoals": [5], "additional_info": {"answer": 5, "init_config": {"current_date": "2023-12-01", "current_location": "Salt Lake City"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 318, "goal": "What is the average temperature during days with both snowfall and rainfall in the next 2 weeks? Please provide the answer as a number.", "subgoals": ["None"], "additional_info": {"answer": "None", "init_config": {"current_date": "2023-07-20", "current_location": "San Francisco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 319, "goal": "What is the average temperature for the days with precipitation over the past week? Please provide the answer as a number.", "subgoals": [26.26], "additional_info": {"answer": 26.26, "init_config": {"current_date": "2023-07-08", "current_location": "Philadelphia"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 320, "goal": "What is the forecasted snowfall amount and temperature for the upcoming weekend? Please provide the snowfall amount in inches and the temperature in degrees Celsius in an array.", "subgoals": [[0, 0.66]], "additional_info": {"answer": [0, 0.66], "init_config": {"current_date": "2023-12-20", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 321, "goal": "What is the expected rainfall and temperature for the next 3 days? Please provide the rainfall amount in millimeters and the temperature in degrees Fahrenheit.", "subgoals": [[{"rainfall": [0.0, 0.0, 0.3], "temperature": [77, 71.78, 68.72]}]], "additional_info": {"answer": [{"rainfall": [0.0, 0.0, 0.3], "temperature": [77, 71.78, 68.72]}], "init_config": {"current_date": "2023-09-15", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 322, "goal": "Can you predict if there will be snow and rain on Christmas Day this year? Please answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-12-25", "current_location": "New York"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 323, "goal": "What is the average temperature during days with snowfall in the last month? Please provide the answer as a number.", "subgoals": [0.3], "additional_info": {"answer": 0.3, "init_config": {"current_date": "2023-11-10", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 324, "goal": "Will there be any snow accumulation and rainfall in the next 48 hours? Please answer with 'Yes' or 'No'.", "subgoals": ["Yes"], "additional_info": {"answer": "Yes", "init_config": {"current_date": "2023-10-05", "current_location": "Minneapolis"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 325, "goal": "Can you forecast the temperature and rainfall for the upcoming long weekend? Please provide the temperature in degrees Celsius and the rainfall amount in millimeters.", "subgoals": [[[0.4, 0.0, 0.0], [18.5, 14.2, 15.9], [19.9, 14.6, 17.0], [22.1, 16.3, 18.2]]], "additional_info": {"answer": [[0.4, 0.0, 0.0], [18.5, 14.2, 15.9], [19.9, 14.6, 17.0], [22.1, 16.3, 18.2]], "init_config": {"current_date": "2023-09-01", "current_location": "San Francisco"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 326, "goal": "What is the average temperature during days with rainfall in the past 2 weeks? Please provide the answer as a number.", "subgoals": ["Calculation done outside of this interaction"], "additional_info": {"answer": "Calculation done outside of this interaction", "init_config": {"current_date": "2023-08-15", "current_location": "Miami"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 327, "goal": "Will there be any snowfall and rain showers on Halloween this year? Please answer with 'Yes' or 'No'.", "subgoals": ["No"], "additional_info": {"answer": "No", "init_config": {"current_date": "2023-10-31", "current_location": "Portland"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 328, "goal": "What is the average temperature on days when both rain and snow occur over the past month? Please provide the answer as a number.", "subgoals": ["N/A"], "additional_info": {"answer": "N/A", "init_config": {"current_date": "2023-02-15", "current_location": "Denver"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 329, "goal": "What is the total snowfall accumulation on days when the temperature drops below freezing in the last two weeks? Please provide the answer as a string.", "subgoals": ["Cannot be directly calculated without manual analysis. Please refer to the provided data for temperatures and snowfall."], "additional_info": {"answer": "Cannot be directly calculated without manual analysis. Please refer to the provided data for temperatures and snowfall.", "init_config": {"current_date": "2023-03-20", "current_location": "Chicago"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 330, "goal": "What is the average temperature during snowfall events in the last month? Please provide the answer in degrees Celsius as a number.", "subgoals": [-0.12], "additional_info": {"answer": -0.12, "init_config": {"current_date": "2023-01-10", "current_location": "Boston"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 331, "goal": "How many days in the past week had both rain and temperatures below 10 degrees Celsius? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-05-20", "current_location": "London"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 332, "goal": "On days with both rain and snow, what is the difference between the maximum and minimum temperatures over the past month? Please provide the answer in degrees Fahrenheit as a number.", "subgoals": ["No days with both rain and snow in the past month."], "additional_info": {"answer": "No days with both rain and snow in the past month.", "init_config": {"current_date": "2023-06-05", "current_location": "Seattle"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 333, "goal": "What is the total snowfall accumulation on days when the temperature drops below 5 degrees Celsius in the last five days? Please provide the answer in millimeters as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-06-10", "current_location": "Oslo"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 334, "goal": "How many days in the past three days experienced both rain and temperatures above 25 degrees Celsius? Please provide the answer as a number.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-08-20", "current_location": "Sydney"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 335, "goal": "What is the average temperature during snowfall events in the last four days? Please provide the answer with 'No snowfall'.", "subgoals": ["No snowfall"], "additional_info": {"answer": "No snowfall", "init_config": {"current_date": "2023-09-05", "current_location": "Toronto"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 336, "goal": "On days with both rain and snow, what is the difference between the maximum and minimum temperatures over the past three days? Please provide the answer in degrees Fahrenheit as a number.", "subgoals": ["There were no days with both rain and snow in the past three days."], "additional_info": {"answer": "There were no days with both rain and snow in the past three days.", "init_config": {"current_date": "2023-11-02", "current_location": "Paris"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 337, "goal": "What is the total snowfall accumulation on days when the temperature drops below freezing in the last two days? Please provide the answer in inches as a number.", "subgoals": [0.0], "additional_info": {"answer": 0.0, "init_config": {"current_date": "2023-12-25", "current_location": "New York"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 338, "goal": "How many days in the past five days had both rain and temperatures below 10 degrees Celsius?", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-12-01", "current_location": "Los Angeles"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 339, "goal": "What is the average temperature during snowfall events in the last two days? Please provide the answer with 'average temperature' or 'no snowfall'.", "subgoals": ["no snowfall"], "additional_info": {"answer": "no snowfall", "init_config": {"current_date": "2023-11-10", "current_location": "Rome"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 340, "goal": "What is the maximum temperature during days when snowfall exceeds 15 centimeters in the last four days? Please provide the answer as a number.", "subgoals": ["None"], "additional_info": {"answer": "None", "init_config": {"current_date": "2023-10-10", "current_location": "Beijing"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 341, "goal": "On days with both rain and snow, what is the difference between the maximum and minimum temperatures over the past five days? Please provide the answer in degrees Celsius as a number.", "subgoals": ["First, I need to find the user's current location to proceed with gathering weather data."], "additional_info": {"answer": "First, I need to find the user's current location to proceed with gathering weather data.", "init_config": {"current_date": "2023-09-10", "current_location": "Seoul"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} +{"id": 342, "goal": "What is the total snowfall accumulation on days when the temperature drops below 3 degrees Celsius in the last three days? Please provide the answer in millimeters.", "subgoals": [0], "additional_info": {"answer": 0, "init_config": {"current_date": "2023-08-20", "current_location": "Copenhagen"}, "goal_type": 0, "tool": "weather"}, "difficulty": "hard"} diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/requirements.txt b/openmanus_rl/agentgym/agentenv-tool/Toolusage/requirements.txt new file mode 100644 index 00000000..c90920f1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/requirements.txt @@ -0,0 +1,9 @@ +gymnasium +gym==0.24.0 +gspread==5.12.3 +jsonlines +pandas==1.4.2 +requests==2.27.1 +requests_mock +typing_extensions==4.5.0 +typing-inspect==0.8.0 diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/common/registry.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/common/registry.py new file mode 100644 index 00000000..ab08c164 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/common/registry.py @@ -0,0 +1,233 @@ +""" + Copyright (c) 2022, salesforce.com, inc. + All rights reserved. + SPDX-License-Identifier: BSD-3-Clause + For full license text, see the LICENSE_Lavis file in the repo root or https://opensource.org/licenses/BSD-3-Clause +""" + + +class Registry: + mapping = { + "environment_name_mapping": {}, + "agent_name_mapping": {}, + "llm_name_mapping": {}, + "task_name_mapping": {}, + "state": {}, + } + @classmethod + def register_environment(cls, name): + r"""Register an environment to registry with key 'name' + + Args: + name: Key with which the environment will be registered. + + Usage: + + from common.registry import registry + """ + + def wrap(env_cls): + # from environment.base_env import BaseEnvironment + + # assert issubclass( + # env_cls, BaseEnvironment + # ), "All environments must inherit BaseEnvironment class" + if name in cls.mapping["environment_name_mapping"]: + raise KeyError( + "Name '{}' already registered for {}.".format( + name, cls.mapping["environment_name_mapping"][name] + ) + ) + cls.mapping["environment_name_mapping"][name] = env_cls + return env_cls + + return wrap + + @classmethod + def register_agent(cls, name): + r"""Register an agent to registry with key 'name' + + Args: + name: Key with which the agent will be registered. + + Usage: + + from common.registry import registry + """ + + def wrap(agent_cls): + from agents.base_agent import BaseAgent + + assert issubclass( + agent_cls, BaseAgent + ), "All builders must inherit BaseAgent class, found {}".format( + agent_cls + ) + if name in cls.mapping["agent_name_mapping"]: + raise KeyError( + "Name '{}' already registered for {}.".format( + name, cls.mapping["agent_name_mapping"][name] + ) + ) + cls.mapping["agent_name_mapping"][name] = agent_cls + return agent_cls + + return wrap + + + @classmethod + def register_llm(cls, name): + r"""Register an llm to registry with key 'name' + + Args: + name: Key with which the llm will be registered. + + Usage: + + from common.registry import registry + """ + + def wrap(llm_cls): + + if name in cls.mapping["llm_name_mapping"]: + raise KeyError( + "Name '{}' already registered for {}.".format( + name, cls.mapping["llm_name_mapping"][name] + ) + ) + cls.mapping["llm_name_mapping"][name] = llm_cls + return llm_cls + + return wrap + + @classmethod + def register_task(cls, name): + r"""Register an task to registry with key 'name' + + Args: + name: Key with which the llm will be registered. + + Usage: + + from common.registry import registry + """ + + def wrap(task_cls): + + if name in cls.mapping["task_name_mapping"]: + raise KeyError( + "Name '{}' already registered for {}.".format( + name, cls.mapping["task_name_mapping"][name] + ) + ) + cls.mapping["task_name_mapping"][name] = task_cls + return task_cls + + return wrap + + + @classmethod + def register(cls, name, obj): + r"""Register an item to registry with key 'name' + + Args: + name: Key with which the item will be registered. + + Usage:: + + from common.registry import registry + + registry.register("config", {}) + """ + path = name.split(".") + current = cls.mapping["state"] + + for part in path[:-1]: + if part not in current: + current[part] = {} + current = current[part] + + current[path[-1]] = obj + + + + @classmethod + def get_environment_class(cls, name): + return cls.mapping["environment_name_mapping"].get(name, None) + + @classmethod + def get_llm_class(cls, name): + return cls.mapping["llm_name_mapping"].get(name, None) + + @classmethod + def get_agent_class(cls, name): + return cls.mapping["agent_name_mapping"].get(name, None) + + @classmethod + def get_task_class(cls, name): + return cls.mapping["task_name_mapping"].get(name, None) + + @classmethod + def list_environments(cls): + return sorted(cls.mapping["environment_name_mapping"].keys()) + + @classmethod + def list_agents(cls): + return sorted(cls.mapping["agent_name_mapping"].keys()) + + @classmethod + def list_llms(cls): + return sorted(cls.mapping["llm_name_mapping"].keys()) + + @classmethod + def list_tasks(cls): + return sorted(cls.mapping["task_name_mapping"].keys()) + + + @classmethod + def get(cls, name, default=None, no_warning=False): + r"""Get an item from registry with key 'name' + + Args: + name (string): Key whose value needs to be retrieved. + default: If passed and key is not in registry, default value will + be returned with a warning. Default: None + no_warning (bool): If passed as True, warning when key doesn't exist + will not be generated. Useful for MMF's + internal operations. Default: False + """ + original_name = name + name = name.split(".") + value = cls.mapping["state"] + for subname in name: + value = value.get(subname, default) + if value is default: + break + + if ( + "writer" in cls.mapping["state"] + and value == default + and no_warning is False + ): + cls.mapping["state"]["writer"].warning( + "Key {} is not present in registry, returning default value " + "of {}".format(original_name, default) + ) + return value + + @classmethod + def unregister(cls, name): + r"""Remove an item from registry with key 'name' + + Args: + name: Key which needs to be removed. + Usage:: + + from mmf.common.registry import registry + + config = registry.unregister("config") + """ + return cls.mapping["state"].pop(name, None) + + +registry = Registry() diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/__init__.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/__init__.py new file mode 100644 index 00000000..622d5c28 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/__init__.py @@ -0,0 +1,19 @@ + +from common.registry import registry +import json +import os + +def load_environment(name, config): + + if name not in registry.list_environments(): + if name == "academia": from environment.academia_env import AcademiaEnv + if name == "todo": from environment.todo_env import TodoEnv + if name == "movie": from environment.movie_env import MovieEnv + if name == "weather": from environment.weather_env import WeatherEnv + if name == "sheet": from environment.sheet_env import SheetEnv + + + env = registry.get_environment_class(name).from_config(config) + + return env + diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/academia_env.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/academia_env.py new file mode 100644 index 00000000..389d3ee1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/academia_env.py @@ -0,0 +1,141 @@ +import subprocess +import os +import re +import json +import logging +from common.registry import registry +from utils.academia.academia_tools import academia_toolkits +from utils.tool.helpers import parse_action + +logging.basicConfig( + format="%(asctime)s | %(levelname)s | %(name)s | %(message)s", + datefmt="%Y-%m-%d %H:%M:%S", + level=logging.INFO, +) + +logger = logging.getLogger(__name__) + +@registry.register_environment("academia") +class AcademiaEnv: + def __init__(self, dataset): + super().__init__() + self.action_path = [] + self.academia_toolkits = academia_toolkits(path=os.environ["PROJECT_PATH"], dataset=dataset) + self.dataset = dataset + self.reset() + + def get_info(self): + return self.infos + + def get_obs(self): + return self.states[-1] + + def get_goal(self): + return self.goal + + def get_history(self): + return self.history + + def get_action_space(self, with_input=False): + if not with_input: + action_space = [ item["name"] for item in json.load( open("{}/toolusage/prompts/Raw/academia_raw.json".format(os.environ["PROJECT_PATH"]), "r") )["tool_set_message"] ] + return action_space + else: + raise NotImplemented("Action space with input is not implemented yet.") + + def is_done(self): + return self.done + + def reset(self): + if self.dataset is not None: + self.goal = self.dataset["goal"] + self.ground_truth = self.dataset["ground_truth"] + self.ground_truth_subgoals = self.dataset["ground_truth_subgoals"] + self.num_subgoals = len(self.ground_truth_subgoals) + else: + self.goal = None + self.init_obs = "New trial starts. Once you have finished the goal, please remember to take 'finish' action to end this goal." + self.infos = dict() + + self.states = [self.init_obs] # record a stream of states + self.history = [("state", self.init_obs)] # record a stream of s0, a0, r0, s1, a1, r1, ... + self.steps = 0 + + self.infos["goal"] = self.goal + self.infos["states"] = self.states + self.infos["history"] = self.history + self.infos["steps"] = self.steps + self.infos["state"] = self.states[-1] + + self.reward = 0 + self.done = False + + def update(self, action_path, observation, reward, done, info): + predicted_subgoals = [ item["Subgoal"] for item in action_path] + count = 0 + for subgoal in self.ground_truth_subgoals: + if subgoal in predicted_subgoals: + predicted_subgoals.remove(subgoal) + count += 1 + reward = count / self.num_subgoals + self.reward = max(self.reward, reward) + + self.done = done + + def get_unfinished(self): + predicted_subgoals = [ item["Subgoal"] for item in self.action_path] + unfinished_subgoals = [] + for idx, subgoal in enumerate(self.ground_truth_subgoals): + if subgoal not in predicted_subgoals: + unfinished_subgoals.append( subgoal ) + return unfinished_subgoals + + def step(self, action, action_path=None): + if action_path == None: + action_path = self.action_path + try: + action_type, params = parse_action(action) + except Exception as e: + observation = "ERROR | " + type(e).__name__ + "(" + str(e) + ")" + done = False + return observation, self.reward, self.done, None + + try: + if action_type == "loadPaperNet": + observation = self.academia_toolkits.loadPaperNet(action_path=action_path) + elif action_type == "loadAuthorNet": + observation = self.academia_toolkits.loadAuthorNet(action_path=action_path) + elif action_type == "neighbourCheck" or action_type == "neighborCheck": + observation = self.academia_toolkits.neighbourCheck(graph=params["graph"], node=params["node"], action_path=action_path) + elif action_type == "authorNodeCheck": + observation = self.academia_toolkits.authorNodeCheck(node=params["node"], action_path=action_path) + elif action_type == "paperNodeCheck": + observation = self.academia_toolkits.paperNodeCheck(node=params["node"], action_path=action_path) + elif action_type == "authorEdgeCheck": + observation = self.academia_toolkits.authorEdgeCheck(node1=params["node1"], node2=params["node2"], action_path=action_path) + elif action_type == "paperEdgeCheck": + observation = self.academia_toolkits.paperEdgeCheck(node1=params["node1"], node2=params["node2"], action_path=action_path) + elif action_type == "finish": + observation = self.academia_toolkits.finish(answer=params["answer"], action_path=action_path) + elif action_type == "check_valid_actions": + observation = "You can use following valid actions: {}".format(self.get_action_space(with_input=False)) + else: + observation = "ERROR | Invalid action: {}.".format(action_type) + except Exception as e: + observation = "ERROR | " + type(e).__name__ + "(" + str(e) + ")" + done = False + return observation, self.reward, self.done, None + + done = "Finish" in action or "finish" in action + self.done = done + + if self.dataset is not None and "Invalid" not in str(observation): + self.update(action_path, observation, self.reward, done, None) + + return str(observation), self.reward, self.done, None + + @classmethod + def from_config(cls, cfg): + env = cls(dataset = cfg.get("dataset")) + + return env diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/base_env.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/base_env.py new file mode 100644 index 00000000..a1f417ea --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/base_env.py @@ -0,0 +1,44 @@ +import gym +import subprocess +import os +import re +import numpy as np + + +class BaseEnvironment(gym.Env): + def __init__(self): + super().__init__() + + def get_info(self): + pass + + def get_obs(self): + pass + + def get_goal(self): + pass + + def get_history(self): + pass + + def get_action_space(self): + pass + + def is_done(self): + pass + + def update(self, action, obs, reward, done, infos): + pass + + def reset(self): + pass + + def step(self, action): + pass + + def save_log(self, log_path): + pass + + @classmethod + def from_config(cls, config): + pass \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/movie_env.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/movie_env.py new file mode 100644 index 00000000..bf9015f9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/movie_env.py @@ -0,0 +1,164 @@ +import subprocess +import os +import re +import json +import logging +from common.registry import registry +from utils.movie.movie_tools import movie_toolkits +from utils.tool.helpers import parse_action + +logging.basicConfig( + format="%(asctime)s | %(levelname)s | %(name)s | %(message)s", + datefmt="%Y-%m-%d %H:%M:%S", + level=logging.INFO, +) + +logger = logging.getLogger(__name__) + +@registry.register_environment("movie") +class MovieEnv: + def __init__(self, dataset=None, use_dataset=True): + super().__init__() + self.action_path = [] + self.movie_toolkits = movie_toolkits() + if not use_dataset: + self.dataset = None + else: + self.dataset = dataset + self.reset() + + def get_info(self): + return self.infos + + def get_obs(self): + return self.states[-1] + + def get_goal(self): + return self.goal + + def get_history(self): + return self.history + + def get_action_space(self, with_input=False): + if not with_input: + action_space = [ item["name"] for item in json.load( open("{}/toolusage/prompts/Raw/movie_raw.json".format(os.environ["PROJECT_PATH"]), "r") )["tool_set_message"] ] + return action_space + else: + raise NotImplemented("Action space with input is not implemented yet.") + + + def is_done(self): + return self.done + + def reset(self): + if self.dataset is not None: + self.goal = self.dataset["goal"] + self.ground_truth = self.dataset["ground_truth"] + self.ground_truth_subgoals = self.dataset["ground_truth_subgoals"] + self.num_subgoals = len(self.ground_truth_subgoals) + else: + self.goal = None + + self.init_obs = "New trial starts. Once you have finished the goal, please remember to take 'finish' action to end this goal." + # self.goal = None # "goal" maybe the human instruction + self.infos = dict() + + self.states = [self.init_obs] # record a stream of states + self.history = [("state", self.init_obs)] # record a stream of s0, a0, r0, s1, a1, r1, ... + self.steps = 0 + + self.infos["goal"] = self.goal + self.infos["states"] = self.states + self.infos["history"] = self.history + self.infos["steps"] = self.steps + self.infos["state"] = self.states[-1] + + self.reward = 0 + self.done = False + + + + def update(self, action_path, observation, reward, done, info): + predicted_subgoals = [ item["Subgoal"] for item in action_path] + count = 0 + for subgoal in self.ground_truth_subgoals: + if subgoal in predicted_subgoals: + predicted_subgoals.remove(subgoal) + count += 1 + reward = count / self.num_subgoals + self.reward = max(self.reward, reward) + + self.done = done + + def get_unfinished(self): + predicted_subgoals = [ item["Subgoal"] for item in self.action_path] + unfinished_subgoals = [] + for idx, subgoal in enumerate(self.ground_truth_subgoals): + if subgoal not in predicted_subgoals: + unfinished_subgoals.append( subgoal ) + return unfinished_subgoals + + def step(self, action, action_path=None): + if action_path == None: + action_path = self.action_path + try: + action_type, params = parse_action(action) + except Exception as e: + observation = "ERROR | " + type(e).__name__ + "(" + str(e) + ")" + done = False + return observation, self.reward, self.done, None + + try: + if action_type == "get_search_movie": + observation = self.movie_toolkits.get_search_movie(movie_name=params["movie_name"], action_path=action_path) + elif action_type == "get_movie_details": + observation = self.movie_toolkits.get_movie_details(movie_id=params["movie_id"], action_path=action_path) + elif action_type == "get_movie_production_companies": + observation = self.movie_toolkits.get_movie_production_companies(movie_id=params["movie_id"], action_path=action_path) + elif action_type == "get_movie_production_countries": + observation = self.movie_toolkits.get_movie_production_countries(movie_id=params["movie_id"], action_path=action_path) + elif action_type == "get_movie_keywords": + observation = self.movie_toolkits.get_movie_keywords(movie_id=params["movie_id"], action_path=action_path) + elif action_type == "get_search_person": + observation = self.movie_toolkits.get_search_person(person_name=params["person_name"], action_path=action_path) + elif action_type == "get_person_details": + observation = self.movie_toolkits.get_person_details(person_id=params["person_id"], action_path=action_path) + elif action_type == "get_movie_cast": + observation = self.movie_toolkits.get_movie_cast(movie_id=params["movie_id"], action_path=action_path) + elif action_type == "get_movie_crew": + observation = self.movie_toolkits.get_movie_crew(movie_id=params["movie_id"], action_path=action_path) + elif action_type == "get_person_cast": + observation = self.movie_toolkits.get_person_cast(person_id=params["person_id"], action_path=action_path) + elif action_type == "get_person_crew": + observation = self.movie_toolkits.get_person_crew(person_id=params["person_id"], action_path=action_path) + elif action_type == "get_person_external_ids": + observation = self.movie_toolkits.get_person_external_ids(person_id=params["person_id"], action_path=action_path) + elif action_type == "get_movie_alternative_titles": + observation = self.movie_toolkits.get_movie_alternative_titles(movie_id=params["movie_id"], action_path=action_path) + elif action_type == "get_movie_translation": + observation = self.movie_toolkits.get_movie_translation(movie_id=params["movie_id"], action_path=action_path) + elif action_type == "finish": + observation = self.movie_toolkits.finish(answer=params["answer"], action_path=action_path) + elif action_type == "check_valid_actions": + observation = "You can use following valid actions: {}".format(self.get_action_space(with_input=False)) + else: + observation = "ERROR | Invalid action: {}.".format(action_type) + except Exception as e: + observation = "ERROR | " + type(e).__name__ + "(" + str(e) + ")" + done = False + return observation, self.reward, self.done, None + + done = "Finish" in action or "finish" in action + self.done = done + + if self.dataset is not None and "Invalid" not in str(observation): + self.update(action_path, observation, self.reward, done, None) + + return str(observation), self.reward, self.done, None + + @classmethod + def from_config(cls, cfg): + + env = cls(dataset = cfg.get("dataset")) + + return env diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/sheet_env.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/sheet_env.py new file mode 100644 index 00000000..c14801dd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/sheet_env.py @@ -0,0 +1,267 @@ +import pdb +import subprocess +import os +import re +import json +import logging +from common.registry import registry +from utils.sheet.sheets_tools import sheet_toolkits +from utils.tool.helpers import parse_action + +logging.basicConfig( + format="%(asctime)s | %(levelname)s | %(name)s | %(message)s", + datefmt="%Y-%m-%d %H:%M:%S", + level=logging.INFO, +) + +logger = logging.getLogger(__name__) + + +# extract current sheet id and open sheet first +def extract_sheet_name(s): + match = re.search(r'"Sheet(\d{1,2})"', s) + if match: + return "Sheet" + match.group(1) + else: + return None + +@registry.register_environment("sheet") +class SheetEnv: + def __init__(self, dataset): + super().__init__() + self.action_path = [] + self.sheet_toolkits = sheet_toolkits() + self.sheet_toolkits.init_sheets() + self.dataset = dataset + self.reset() + + def get_info(self): + return self.infos + + def get_obs(self): + return self.states[-1] + + def get_goal(self): + return self.goal + + def get_history(self): + return self.history + + def get_action_space(self): + action_space = [item["name"] for item in json.load( + open("{}/toolusage/prompts/Raw/sheet_raw.json".format(os.environ["PROJECT_PATH"]), "r"))[ + "tool_set_message"]] + return action_space + + def is_done(self): + return self.done + + def get_match_score(self, sheet1, sheet2): # only check content + if sheet1 == 'Please open a sheet before operating it': + return 0.0 + + # Get minimum number of rows and columns for both sheets + min_rows = min(len(sheet1), len(sheet2)) + min_cols = min(len(sheet1[0]) if sheet1 else 0, len(sheet2[0]) if sheet2 else 0) + + # Count of matching cells + matching_count = 0 + total_cells = 0 + + for i in range(min_rows): + for j in range(min_cols): + total_cells += 1 + if sheet1[i][j] == sheet2[i][j]: + matching_count += 1 + + matching_degree = matching_count / total_cells if total_cells else 0 + + logger.info("count: {}".format(matching_count)) + logger.info(f"Matching Degree: {matching_degree * 100:.2f}%") + + return matching_degree + # [To-Do] only check format + # [To-Do] only check format and content + + def clean_up_text(self, text): + cleaned_text = re.sub(r'\n', '', text).replace('>', '') + cleaned_text = re.sub(r' {2,}', ' ', cleaned_text) + return cleaned_text + + def reset(self): + if self.dataset is not None: + self.goal = self.dataset["goal"] + self.sheet_name = extract_sheet_name(self.goal) + self.ground_truth = self.dataset["ground_truth"] + else: + self.goal = None + + self.init_obs = "New trial starts. Once you have finished the goal, please remember to take 'finish' action to end this goal." + + self.infos = dict() + self.states = [self.init_obs] # record a stream of states + self.history = [("state", self.init_obs)] # record a stream of s0, a0, r0, s1, a1, r1, ... + self.steps = 0 + + self.infos["goal"] = self.goal + self.infos["states"] = self.states + self.infos["history"] = self.history + self.infos["steps"] = self.steps + self.infos["state"] = self.states[-1] + + self.reward = 0 + self.done = False + + # for each question: 1.open sheet first 2.provide valid function[load from prompt file] + def reset_question_env(self, question, sheet_name): + _, _, _, _ = self.step(f"Action: open_sheet with Action Input:{{'name': '{sheet_name}'}}") + + self.states.append(f"You have open the {sheet_name}") + self.history.append( ("state", self.states[-1]) ) + + action = f"open_sheet with Action Input: {{'name': '{sheet_name}'}}" + observation = f"You are now in {sheet_name}\n" + str(self.observation_space) + + # since self.step() call update() function, we need to reset reward and done + self.reward = 0 + self.done = False + + return action, observation + + def update(self, observation_space, done, info): + reward = self.get_match_score(observation_space, json.loads(self.ground_truth)) + self.reward = max(self.reward, reward) + self.done = done + + def get_unfinished(self): + return None + + def step(self, action, action_path=None): + if action_path == None: + action_path = self.action_path + try: + action_type, params = parse_action(action) + except Exception as e: + observation = "ERROR | " + type(e).__name__ + "(" + str(e) + ")" + done = False + return observation, self.reward, self.done, None + + try: + if action_type == "open_sheet": + observation = self.sheet_toolkits.open_sheet(name=params["name"], action_path=action_path) + elif action_type == "del_sheet": + observation = self.sheet_toolkits.del_sheet(name=params["name"], action_path=action_path) + elif action_type == "freeze_data": + observation = self.sheet_toolkits.freeze_data(dimension=params["dimension"], num=params["num"], + action_path=action_path) + elif action_type == "get_A1_annotation": + observation = self.sheet_toolkits.get_A1_annotation(row=params["row"], col=params["col"], + action_path=action_path) + elif action_type == "insert_cols": + observation = self.sheet_toolkits.insert_cols(values_list=params["values_list"], + col_idx=params["col_idx"], action_path=action_path) + elif action_type == "insert_rows": + observation = self.sheet_toolkits.insert_rows(values_list=params["values_list"], + row_idx=params["row_idx"], action_path=action_path) + elif action_type == "delete_batch_data": + observation = self.sheet_toolkits.delete_batch_data(dimension=params["dimension"], + index_list=params["index_list"], + action_path=action_path) + elif action_type == "update_cell": + observation = self.sheet_toolkits.update_cell(position=params["position"], value=params["value"], + action_path=action_path) + elif action_type == "update_cell_by_formula": + if "position_list" in params: + observation = self.sheet_toolkits.update_cell_by_formula(position_list=params["position_list"], + operator=params["operator"], + result_position=params["result_position"], + action_path=action_path) + else: + observation = self.sheet_toolkits.update_cell_by_formula(start_position=params["start_position"], + end_position=params["end_position"], + result_position=params["result_position"], + operator=params["operator"], + action_path=action_path) + elif action_type == "update_range": + observation = self.sheet_toolkits.update_range(start_position=params["start_position"], + end_position=params["end_position"], + values_list=params["values_list"], + action_path=action_path) + elif action_type == "sort_sheet_by_col": + observation = self.sheet_toolkits.sort_sheet_by_col(col_num=params["col_num"], + order=params["order"], + action_path=action_path) + elif action_type == "merge_cells": + observation = self.sheet_toolkits.merge_cells(start_position=params["start_position"], + end_position=params["end_position"], + action_path=action_path) + elif action_type == "update_note": + observation = self.sheet_toolkits.update_note(position=params["position"], + content=params["content"], + action_path=action_path) + elif action_type == "get_all_values": + observation = self.sheet_toolkits.get_all_values(action_path=action_path) + elif action_type == "update_note": + observation = self.sheet_toolkits.update_note(position=params["position"], + content=params["content"], + action_path=action_path) + elif action_type == "get_range_values": + observation = self.sheet_toolkits.get_range_values(start_position=params["start_position"], + end_position=params["end_position"], + action_path=action_path) + elif action_type == "get_cell_value": + observation = self.sheet_toolkits.get_cell_value(position=params["position"], + action_path=action_path) + elif action_type == "get_value_by_formula": + if "position_list" in params: + observation = self.sheet_toolkits.get_value_by_formula(position_list=params["position_list"], + operator=params["operator"], + action_path=action_path) + else: + observation = self.sheet_toolkits.get_value_by_formula(start_position=params["start_position"], + end_position=params["end_position"], + operator=params["operator"], + action_path=action_path) + elif action_type == "filter_cells": + observation = self.sheet_toolkits.filter_cells(query=params.get("query"), + in_row=params.get("in_row"), + in_column=params.get("in_column"), + action_path=action_path) + elif action_type == "get_note": + observation = self.sheet_toolkits.get_note(position=params["position"], + action_path=action_path) + elif action_type == "finish": + observation = self.sheet_toolkits.finish(action_path=action_path) + + elif action_type == "get_observation_space": + observation = "" # just get observation space for calculate + else: + observation = "ERROR | Invalid action: {}. Please choose another valid action from {}".format(action_type, + self.get_action_space()) + except Exception as e: + observation_space = self.sheet_toolkits.get_all_values()[1] + self.observation_space = observation_space + observation = "ERROR | " + str(type(e).__name__) + "(" + str(e) + ")" + self.done = False + + if self.dataset is not None and "Invalid" not in str(observation): + self.update(observation_space, self.done, None) + + return str(observation), self.reward, self.done, None + + done = "finish" in action.lower() + self.done = done + + observation_space = self.sheet_toolkits.get_all_values()[1] + self.observation_space = observation_space + + if self.dataset is not None and "Invalid" not in str(observation): + self.update(observation_space, done, None) + + return str(observation), self.reward, self.done, None + + @classmethod + def from_config(cls, cfg): + env = cls(dataset=cfg.get("dataset")) + + return env diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/todo_env.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/todo_env.py new file mode 100644 index 00000000..54eebb14 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/todo_env.py @@ -0,0 +1,150 @@ +import os +import json +from common.registry import registry +from utils.todo.todo_tools import todo_toolkits +from utils.tool.helpers import parse_action +import time + + +@registry.register_environment("todo") +class TodoEnv: + def __init__(self, dataset): + super().__init__() + self.action_path = [] + + for attempt in range(5): + try: + self.todo_toolkits = todo_toolkits() + break + except Exception as e: + print(f"Error on attempt {attempt + 1} to initialize todo_toolkits.") + if attempt < 4: # If not the last attempt + time.sleep(10) # Wait before retrying + else: + print("Failed to initialize todo_toolkits after multiple attempts.") + raise e + + self.dataset = dataset + self.reset() + + def get_info(self): + return self.infos + + def get_obs(self): + return self.states[-1] + + def get_goal(self): + return self.goal + + def get_history(self): + return self.history + + def get_action_space(self, with_input=False): + if not with_input: + action_space = [ item["name"] for item in json.load( open("{}/toolusage/prompts/Raw/todo_raw.json".format(os.environ["PROJECT_PATH"]), "r") )["tool_set_message"] ] + return action_space + else: + raise NotImplemented("Action space with input is not implemented yet.") + + def is_done(self): + return self.done + + def reset(self): + if self.dataset is not None: + self.goal = self.dataset["goal"] + self.ground_truth = self.dataset["ground_truth"] + self.ground_truth_subgoals = self.dataset["ground_truth_subgoals"] + self.num_subgoals = len(self.ground_truth_subgoals) + else: + self.goal = None + self.init_obs = "New trial starts. Once you have finished the goal, please remember to take 'finish' action to end this goal." + self.infos = dict() + + self.states = [self.init_obs] # record a stream of states + self.history = [("state", self.init_obs)] # record a stream of s0, a0, r0, s1, a1, r1, ... + self.steps = 0 + + self.infos["goal"] = self.goal + self.infos["states"] = self.states + self.infos["history"] = self.history + self.infos["steps"] = self.steps + self.infos["state"] = self.states[-1] + + self.reward = 0 + self.done = False + + def update(self, action_path, observation, reward, done, info): + predicted_subgoals = [ item["Subgoal"] for item in action_path] + count = 0 + for subgoal in self.ground_truth_subgoals: + if subgoal in predicted_subgoals: + predicted_subgoals.remove(subgoal) + count += 1 + reward = count / self.num_subgoals + self.reward = max(self.reward, reward) + + self.done = done + + def get_unfinished(self): + predicted_subgoals = [ item["Subgoal"] for item in self.action_path] + unfinished_subgoals = [] + for idx, subgoal in enumerate(self.ground_truth_subgoals): + if subgoal not in predicted_subgoals: + unfinished_subgoals.append( subgoal ) + return unfinished_subgoals + + def step(self, action, action_path=None): + if action_path == None: + action_path = self.action_path + try: + action_type, params = parse_action(action) + except Exception as e: + observation = "ERROR | " + type(e).__name__ + "(" + str(e) + ")" + done = False + return observation, self.reward, self.done, None + + try: + if action_type == "get_user_current_date": + observation = self.todo_toolkits.get_user_current_date(action_path=action_path) + elif action_type == "get_user_current_location": + observation = self.todo_toolkits.get_user_current_location(action_path=action_path) + elif action_type == "get_projects": + observation = self.todo_toolkits.get_projects(action_path=action_path) + elif action_type == "update_project": + observation = self.todo_toolkits.update_project(project_id=params["project_id"], is_favorite=params["is_favorite"], action_path=action_path) + elif action_type == "get_tasks": + observation = self.todo_toolkits.get_tasks(project_id=params["project_id"], action_path=action_path) + elif action_type == "get_task_description": + observation = self.todo_toolkits.get_task_description(task_id=params["task_id"], action_path=action_path) + elif action_type == "get_task_duration": + observation = self.todo_toolkits.get_task_duration(task_id=params["task_id"], action_path=action_path) + elif action_type == "complete_task": + observation = self.todo_toolkits.complete_task(task_id=params["task_id"], action_path=action_path) + elif action_type == "update_task": + observation = self.todo_toolkits.update_task(task_id=params["task_id"], due_date=params["due_date"], action_path=action_path) + elif action_type == "delete_task": + observation = self.todo_toolkits.delete_task(task_id=params["task_id"], action_path=action_path) + elif action_type == "finish": + observation = self.todo_toolkits.finish(answer=params["answer"], action_path=action_path) + elif action_type == "check_valid_actions": + observation = "You can use following valid actions: {}".format(self.get_action_space(with_input=False)) + else: + observation = "ERROR | Invalid action: {}.".format(action_type) + except Exception as e: + observation = "ERROR | " + type(e).__name__ + "(" + str(e) + ")" + done = False + return observation, self.reward, self.done, None + + done = "Finish" in action or "finish" in action + self.done = done + + if self.dataset is not None and "Invalid" not in str(observation): + self.update(action_path, observation, self.reward, done, None) + + return str(observation), self.reward, self.done, None + + @classmethod + def from_config(cls, cfg): + env = cls(dataset = cfg.get("dataset")) + + return env diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/weather_env.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/weather_env.py new file mode 100644 index 00000000..bca5977a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/environment/weather_env.py @@ -0,0 +1,291 @@ +import subprocess +import os +import re +import json +import logging +from common.registry import registry +from utils.weather.weather_tools import weather_toolkits +from utils.tool.helpers import parse_action, is_same_location + +logging.basicConfig( + format="%(asctime)s | %(levelname)s | %(name)s | %(message)s", + datefmt="%Y-%m-%d %H:%M:%S", + level=logging.INFO, +) + +logger = logging.getLogger(__name__) + +@registry.register_environment("weather") +class WeatherEnv: + def __init__(self, dataset): + super().__init__() + self.action_path = [] + self.weather_toolkits = weather_toolkits() + + self.dataset = dataset + self.reset() + + + def get_info(self): + return self.infos + + def get_obs(self): + return self.states[-1] + + def get_goal(self): + return self.goal + + def get_history(self): + return self.history + + def get_action_space(self, with_input=False): + if not with_input: + action_space = [ item["name"] for item in json.load( open("{}/toolusage/prompts/Raw/weather_raw.json".format(os.environ["PROJECT_PATH"]), "r") )["tool_set_message"] ] + return action_space + else: + raise NotImplemented("Action space with input is not implemented yet.") + + + def is_done(self): + return self.done + + def reset(self): + self.weather_toolkits.current_date = self.dataset["current_date"] + self.weather_toolkits.current_location = self.dataset["current_location"] + self.goal = self.dataset["goal"] + self.ground_truth = self.dataset["ground_truth"] + self.ground_truth_subgoals = self.dataset["ground_truth_subgoals"] + self.num_subgoals = len(self.ground_truth_subgoals) + + self.init_obs = "New trial starts. Once you have finished the goal, please remember to take 'finish' action to end this goal." + self.infos = dict() + + self.states = [self.init_obs] # record a stream of states + self.history = [("state", self.init_obs)] # record a stream of s0, a0, r0, s1, a1, r1, ... + self.steps = 0 + + self.infos["goal"] = self.goal + self.infos["states"] = self.states + self.infos["history"] = self.history + self.infos["steps"] = self.steps + self.infos["state"] = self.states[-1] + + self.reward = 0 + self.done = False + + + def check_equality(self, subgoal, predicted_subgoal): + subgoal = subgoal.copy() + predicted_subgoal = predicted_subgoal.copy() + + coord1 = (subgoal["latitude"], subgoal["longitude"]) + coord2 = (predicted_subgoal["latitude"], predicted_subgoal["longitude"]) + + subgoal.pop("latitude") + subgoal.pop("longitude") + predicted_subgoal.pop("latitude") + predicted_subgoal.pop("longitude") + + if is_same_location(coord1, coord2) and subgoal == predicted_subgoal: + return True + else: + return False + + def update(self, action_path, observation, reward, done, info): + predicted_subgoals = [ item["Subgoal"] for item in action_path] + count = 0 + + for subgoal in self.ground_truth_subgoals: + # Special case for latitude and longitude + if type(subgoal) == dict and "latitude" in subgoal and 'longitude' in subgoal: + for predicted_subgoal in predicted_subgoals: + if type(predicted_subgoal) == dict and "latitude" in predicted_subgoal and 'longitude' in predicted_subgoal: + if self.check_equality(subgoal, predicted_subgoal): + predicted_subgoals.remove(predicted_subgoal) + count += 1 + break + + elif subgoal in predicted_subgoals: + predicted_subgoals.remove(subgoal) + count += 1 + reward = count / self.num_subgoals + self.reward = max(self.reward, reward) + + self.done = done + + def get_unfinished(self): + predicted_subgoals = [ item["Subgoal"] for item in self.action_path] + unfinished_subgoals = [] + for idx, subgoal in enumerate(self.ground_truth_subgoals): + tag = False + if type(subgoal) == dict and "latitude" in subgoal and 'longitude' in subgoal: + for predicted_subgoal in predicted_subgoals: + if type(predicted_subgoal) == dict and "latitude" in predicted_subgoal and 'longitude' in predicted_subgoal: + if self.check_equality(subgoal, predicted_subgoal): + tag = True + break + + elif subgoal in predicted_subgoals: + tag = True + if not tag: + unfinished_subgoals.append(subgoal) + return unfinished_subgoals + + def step(self, action, action_path=None): + if action_path == None: + action_path = self.action_path + try: + action_type, params = parse_action(action) + except Exception as e: + observation = "ERROR | " + type(e).__name__ + "(" + str(e) + ")" + done = False + return observation, self.reward, self.done, None + + try: + if action_type == "get_user_current_date": + observation = self.weather_toolkits.get_user_current_date(action_path=action_path) + elif action_type == "get_user_current_location": + observation = self.weather_toolkits.get_user_current_location(action_path=action_path) + elif action_type == "get_historical_temp": + observation = self.weather_toolkits.get_historical_temp( + latitude=params["latitude"], + longitude=params["longitude"], + start_date=params["start_date"], + end_date=params["end_date"], + action_path=action_path + ) + elif action_type == "get_historical_rain": + observation = self.weather_toolkits.get_historical_rain( + latitude=params["latitude"], + longitude=params["longitude"], + start_date=params["start_date"], + end_date=params["end_date"], + action_path=action_path + ) + elif action_type == "get_historical_snow": + observation = self.weather_toolkits.get_historical_snow( + latitude=params["latitude"], + longitude=params["longitude"], + start_date=params["start_date"], + end_date=params["end_date"], + action_path=action_path + ) + elif action_type == "get_snow_forecast": + observation = self.weather_toolkits.get_snow_forecast( + latitude=params["latitude"], + longitude=params["longitude"], + start_date=params["start_date"], + end_date=params["end_date"], + action_path=action_path + ) + elif action_type == "get_current_snow": + observation = self.weather_toolkits.get_current_snow( + latitude=params["latitude"], + longitude=params["longitude"], + current_date=params["current_date"], + action_path=action_path + ) + elif action_type == "get_current_temp": + observation = self.weather_toolkits.get_current_temp( + latitude=params["latitude"], + longitude=params["longitude"], + current_date=params["current_date"], + action_path=action_path + ) + elif action_type == "get_latitude_longitude": + observation = self.weather_toolkits.get_latitude_longitude( + name=params["name"], + action_path=action_path + ) + # elif action_type == "get_air_quality": + # observation = self.weather_toolkits.get_air_quality( + # latitude=params["latitude"], + # longitude=params["longitude"], + # action_path=action_path + # ) + elif action_type == "get_elevation": + observation = self.weather_toolkits.get_elevation( + latitude=params["latitude"], + longitude=params["longitude"], + action_path=action_path + ) + elif action_type == "get_temp_forecast": + observation = self.weather_toolkits.get_temp_forecast( + latitude=params["latitude"], + longitude=params["longitude"], + start_date=params["start_date"], + end_date=params["end_date"], + action_path=action_path + ) + elif action_type == "get_rain_forecast": + observation = self.weather_toolkits.get_rain_forecast( + latitude=params["latitude"], + longitude=params["longitude"], + start_date=params["start_date"], + end_date=params["end_date"], + action_path=action_path + ) + elif action_type == "get_current_rain": + observation = self.weather_toolkits.get_current_rain( + latitude=params["latitude"], + longitude=params["longitude"], + current_date=params["current_date"], + action_path=action_path + ) + elif action_type == "get_distance": + observation = self.weather_toolkits.get_distance( + latitude1=params["latitude1"], + longitude1=params["longitude1"], + latitude2=params["latitude2"], + longitude2=params["longitude2"], + action_path=action_path + ) + elif action_type == "get_historical_air_quality_index": + observation = self.weather_toolkits.get_historical_air_quality_index( + latitude=params["latitude"], + longitude=params["longitude"], + start_date=params["start_date"], + end_date=params["end_date"], + action_path=action_path + ) + elif action_type == "get_current_air_quality_index": + observation = self.weather_toolkits.get_current_air_quality_index( + latitude=params["latitude"], + longitude=params["longitude"], + current_date=params["current_date"], + action_path=action_path + ) + elif action_type == "get_air_quality_level": + observation = self.weather_toolkits.get_air_quality_level( + air_quality_index=params["air_quality_index"], + action_path=action_path + ) + elif action_type == "convert_zipcode_to_address": + observation = self.weather_toolkits.convert_zipcode_to_address( + zipcode=params["zipcode"], + action_path=action_path + ) + elif action_type == "finish": + observation = self.weather_toolkits.finish(answer=params["answer"], action_path=action_path) + elif action_type == "check_valid_actions": + observation = "You can use following valid actions: {}".format(self.get_action_space(with_input=False)) + else: + observation = "ERROR | Invalid action: {}.".format(action_type) + except Exception as e: + observation = "ERROR | " + type(e).__name__ + "(" + str(e) + ")" + done = False + return observation, self.reward, self.done, None + + done = "Finish" in action or "finish" in action + self.done = done + + if self.dataset is not None and "Invalid" not in str(observation): + self.update(action_path, observation, self.reward, done, None) + + return str(observation), self.reward, self.done, None + + @classmethod + def from_config(cls, cfg): + env = cls(dataset = cfg.get("dataset")) + + return env \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/Raw/academia_raw.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/Raw/academia_raw.json new file mode 100644 index 00000000..9597c2de --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/Raw/academia_raw.json @@ -0,0 +1,304 @@ +{ + "system_message": "You can use actions to help people solve problems.\n", + "tool_set_message": [ + { + "name": "loadPaperNet", + "description": "Load PaperNet. In this net, nodes are papers and edges are citation relationships between papers.", + "parameters": {} + }, + { + "name": "loadAuthorNet", + "description": "Load AuthorNet. In this net, nodes are authors and edges are collaboration relationships between authors.", + "parameters": {} + }, + { + "name": "neighbourCheck", + "description": "List the first-order neighbors connect to the node. In paperNet, neigbours are cited papers of the paper. In authorNet, neigbours are collaborators of the author.", + "parameters": { + "type": "object", + "properties": { + "graph": { + "type": "string", + "enum": [ + "PaperNet", + "AuthorNet" + ], + "description": "The name of the graph to check" + }, + "node": { + "type": "string", + "description": "The node for which neighbors will be listed" + } + }, + "required": [ + "graph", + "node" + ] + }, + "returns": { + "type": "object", + "properties": { + "neighbors": { + "type": "array" + } + } + } + }, + { + "name": "paperNodeCheck", + "description": "Return detailed attribute information of a specified paper in PaperNet", + "parameters": { + "type": "object", + "properties": { + "node": { + "type": "string", + "description": "Name of the paper." + } + }, + "required": [ + "node" + ] + }, + "returns": { + "type": "object", + "properties": { + "authors": { + "description": "The authors of the paper" + }, + "year": { + "description": "The puslished year of the paper" + }, + "venue": { + "description": "The published venue of the paper" + }, + "n_citation": { + "description": "The number of citations of the paper" + }, + "keywords": { + "description": "The keywords of the paper" + }, + "doc_type": { + "description": "The document type of the paper" + } + } + } + }, + { + "name": "authorNodeCheck", + "description": "Return detailed attribute information of a specified author in AuthorNet", + "parameters": { + "type": "object", + "properties": { + "node": { + "type": "string", + "description": "name of the author." + } + }, + "required": [ + "node" + ] + }, + "returns": { + "type": "object", + "properties": { + "name": { + "description": "The name of the author" + }, + "org": { + "description": "The organization of the author" + } + } + } + }, + { + "name": "authorEdgeCheck", + "description": "Return detailed attribute information of the edge between two specified nodes in a AuthorNet.", + "parameters": { + "type": "object", + "properties": { + "node1": { + "type": "string", + "description": "The first node of the edge" + }, + "node2": { + "type": "string", + "description": "The second node of the edge" + } + }, + "required": [ + "node1", + "node2" + ] + }, + "returns": { + "type": "object", + "properties": { + "papers": { + "description": "All papers that the two authors have co-authored" + } + } + } + }, + { + "name": "paperEdgeCheck", + "description": "Return detailed attribute information of the edge between two specified nodes in a PaperNet.", + "parameters": { + "type": "object", + "properties": { + "node1": { + "type": "string", + "description": "The first node of the edge" + }, + "node2": { + "type": "string", + "description": "The second node of the edge" + } + }, + "required": [ + "node1", + "node2" + ] + }, + "returns": { + "type": "object", + "properties":{} + } + }, + { + "name": "check_valid_actions", + "description": "Get supported actions for current tool.", + "parameters": {}, + "returns": { + "type": "object", + "properties": { + "actions": { + "type": "array", + "description": "Supported actions for current tool." + } + } + } + }, + { + "name": "finish", + "description": "Return an answer and finish the task", + "parameters": { + "type": "object", + "properties": { + "answer": { + "type": [ + "string", + "number", + "array" + ], + "description": "The answer to be returned" + } + }, + "required": [ + "answer" + ] + } + } + ], + "in_context_examples": [ + { + "goal": "When was the paper Learning the Principle of Least Action with Reinforcement Learning. published?", + "react_steps": [ + [ + "Action", + "loadPaperNet with Action Input: {}" + ], + [ + "Observation", + "PaperNet is loaded." + ], + [ + "Think", + "The question is asking the published date of a paper, I should use paperNodeCheck to check the node from the PaperNet in DBLP graph." + ], + [ + "Think", + "The paper node is Learning the Principle of Least Action with Reinforcement Learning." + ], + [ + "Action", + "paperNodeCheck with Action Input: {\"node\":\"Learning the Principle of Least Action with Reinforcement Learning.\"}" + ], + [ + "Observation", + "{'year': 2021, 'venue': 'AAAI Spring Symposium - MLPS', 'n_citation': 0, 'keywords': [], 'doc_type': 'Conference'}" + ], + [ + "Think", + "The published date of the paper is 2021. I can finish this goal" + ], + [ + "Action", + "finish with Action Input: {\"answer\": \"2021\"}" + ], + [ + "Observation", + "2021" + ] + ], + "react_steps_w_grounding": [ + [ + "Action", + "loadPaperNet with Action Input: {}" + ], + [ + "Observation", + "PaperNet is loaded.\nChoose an action from these valid actions: ['paperNodeCheck', 'authorNodeCheck', 'check_valid_actions', 'finish']" + ], + [ + "Think", + "The question is asking the published date of a paper, I should use paperNodeCheck to check the node from the PaperNet in DBLP graph." + ], + [ + "Think", + "The paper node is Learning the Principle of Least Action with Reinforcement Learning." + ], + [ + "Action", + "paperNodeCheck with Action Input: {\"node\":\"Learning the Principle of Least Action with Reinforcement Learning.\"}" + ], + [ + "Observation", + "{'year': 2021, 'venue': 'AAAI Spring Symposium - MLPS', 'n_citation': 0, 'keywords': [], 'doc_type': 'Conference'}\nChoose an action from these valid actions: ['loadPaperNet', 'loadAuthorNet', 'neighbourCheck', 'paperNodeCheck', 'authorNodeCheck', 'authorEdgeCheck', 'paperEdgeCheck', 'check_valid_actions', 'finish']" + ], + [ + "Think", + "The published date of the paper is 2021. I can finish this goal" + ], + [ + "Action", + "finish with Action Input: {\"answer\": \"2021\"}" + ], + [ + "Observation", + "2021" + ] + ], + "old_react_steps": [ + { + "Think": "The question is asking some basic information of a dblp paper. I need to load the DBLP graph.", + "Action": "loadGraphData", + "Action Input": "{\"dataName\":\"DBLP\"}", + "Observation": "DBLP data is loaded, including two sub-graphs: AuthorNet and PaperNet." + }, + { + "Think": "The question is asking the published date of a paper, we need to check the node from the PaperNet in DBLP graph.", + "Action": "paperNodeCheck", + "Action Input": "{\"node\":\"Learning the Principle of Least Action with Reinforcement Learning.\"}", + "Observation": "{'year': 2021, 'venue': 'AAAI Spring Symposium - MLPS', 'n_citation': 0, 'keywords': [], 'doc_type': 'Conference'}" + }, + { + "Think": "The published date of the paper is 2021.", + "Action": "finish", + "Action Input": "{\"answer\": \"2021\"}", + "Observation": "2021" + } + ] + } + ], + "old_instruction": "Please refer to the format of examples above to solve the following question. Your response must contain three components: \"Thought: [your thought]\", \"Action: [your action]\",\"Action Input: [your action input]\"" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/Raw/movie_raw.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/Raw/movie_raw.json new file mode 100644 index 00000000..9fd15869 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/Raw/movie_raw.json @@ -0,0 +1,481 @@ +{ + "system_message": "You can use actions to help people solve problems.\n", + "tool_set_message": [ + { + "name": "get_search_movie", + "description": "Search for a movie by name and return basic details", + "parameters": { + "type": "object", + "properties": { + "movie_name": { + "type": "string", + "description": "The name of the movie to search for." + } + }, + "required": [ + "movie_name" + ] + }, + "returns": { + "type": "object", + "properties": { + "id": { + "description": "The ID of the found movie." + }, + "overview": { + "description": "The overview description of the movie." + }, + "title": { + "description": "The title of the movie." + } + } + } + }, + { + "name": "get_movie_details", + "description": "Get detailed information about a movie by ID", + "parameters": { + "type": "object", + "properties": { + "movie_id": { + "type": "string", + "description": "The ID of the movie." + } + }, + "required": [ + "movie_id" + ] + }, + "returns": { + "type": "object", + "properties": { + "budget": { + "description": "The budget of the movie." + }, + "genres": { + "description": "The genres of the movie." + }, + "revenue": { + "description": "The revenue of the movie." + }, + "vote_average": { + "description": "The average vote score of the movie." + }, + "release_date": { + "description": "The release date of the movie." + } + } + } + }, + { + "name": "get_movie_production_companies", + "description": "Get the production companies of a movie by its ID", + "parameters": { + "type": "object", + "properties": { + "movie_id": { + "type": "string", + "description": "The ID of the movie." + } + }, + "required": [ + "movie_id" + ] + }, + "returns": { + "type": "object", + "properties": { + "production_companies": { + "description": "The production companies of the movie." + } + } + } + }, + { + "name": "get_movie_production_countries", + "description": "Get the production countries of a movie by its ID", + "parameters": { + "type": "object", + "properties": { + "movie_id": { + "type": "string", + "description": "The ID of the movie." + } + }, + "required": [ + "movie_id" + ] + }, + "returns": { + "type": "object", + "properties": { + "production_countries": { + "description": "The production countries of the movie." + } + } + } + }, + { + "name": "get_movie_cast", + "description": "Retrieve the list of the top 10 cast members from a movie by its ID.", + "parameters": { + "type": "object", + "properties": { + "movie_id": { + "type": "string", + "description": "The ID of the movie." + } + }, + "required": [ + "movie_id" + ] + }, + "returns": { + "type": "object", + "properties": { + "cast": { + "description": "List of the top 10 cast members." + } + } + } + }, + { + "name": "get_movie_crew", + "description": "Retrieve the list of crew members (limited to 10) from a movie by its ID. The list primarily includes Director, Producer, and Writer roles.", + "parameters": { + "type": "object", + "properties": { + "movie_id": { + "type": "string", + "description": "The ID of the movie." + } + }, + "required": [ + "movie_id" + ] + }, + "returns": { + "type": "object", + "properties": { + "crew": { + "description": "List of the top 10 of crew members" + } + } + } + }, + { + "name": "get_movie_keywords", + "description": "Get the keywords associated with a movie by ID", + "parameters": { + "type": "object", + "properties": { + "movie_id": { + "type": "string", + "description": "The ID of the movie." + } + }, + "required": [ + "movie_id" + ] + }, + "returns": { + "type": "object", + "properties": { + "keywords": { + "description": "The keywords associated with the movie." + } + } + } + }, + { + "name": "get_search_person", + "description": "Search for a person by name.", + "parameters": { + "type": "object", + "properties": { + "person_name": { + "type": "string", + "description": "The name of the person to search for." + } + }, + "required": [ + "person_name" + ] + }, + "returns": { + "type": "object", + "properties": { + "id": { + "description": "The ID of the found person." + }, + "name": { + "description": "The name of the person." + } + } + } + }, + { + "name": "get_person_details", + "description": "Get detailed information about a person by ID", + "parameters": { + "type": "object", + "properties": { + "person_id": { + "type": "string", + "description": "The ID of the person." + } + }, + "required": [ + "person_id" + ] + }, + "returns": { + "type": "object", + "properties": { + "biography": { + "description": "The biography of the person." + }, + "birthday": { + "description": "The birthday of the person." + }, + "place_of_birth": { + "description": "The place of birth of the person." + } + } + } + }, + { + "name": "get_person_cast", + "description": "Retrieve the top 10 movie cast roles of a person by their ID", + "parameters": { + "type": "object", + "properties": { + "person_id": { + "type": "string", + "description": "The ID of the person." + } + }, + "required": [ + "person_id" + ] + }, + "returns": { + "type": "object", + "properties": { + "cast": { + "description": "A list of movies where the person has acted, limited to top 10" + } + } + } + }, + { + "name": "get_person_crew", + "description": "Retrieve the top 10 movie crew roles of a person by their ID", + "parameters": { + "type": "object", + "properties": { + "person_id": { + "type": "string", + "description": "The ID of the person." + } + }, + "required": [ + "person_id" + ] + }, + "returns": { + "type": "object", + "properties": { + "crew": { + "description": "A list of movies where the person has participated as crew, limited to top 10" + } + } + } + }, + { + "name": "get_person_external_ids", + "description": "Get the external ids for a person by ID", + "parameters": { + "type": "object", + "properties": { + "person_id": { + "type": "string", + "description": "The ID of the person." + } + }, + "required": [ + "person_id" + ] + }, + "returns": { + "type": "object", + "properties": { + "imdb_id": { + "description": "The IMDB id of the person." + }, + "facebook_id": { + "description": "The Facebook id of the person." + }, + "instagram_id": { + "description": "The Instagram id of the person." + }, + "twitter_id": { + "description": "The Twitter id of the person." + } + } + } + }, + { + "name": "get_movie_alternative_titles", + "description": "Get the alternative titles for a movie by ID", + "parameters": { + "type": "object", + "properties": { + "movie_id": { + "type": "string", + "description": "The ID of the movie." + } + }, + "required": [ + "movie_id" + ] + }, + "returns": { + "type": "object", + "properties": { + "titles": { + "description": "The alternative titles of the movie." + }, + "id": { + "description": "The ID of the movie." + } + } + } + }, + { + "name": "get_movie_translation", + "description": "Get the description translation for a movie by ID", + "parameters": { + "type": "object", + "properties": { + "movie_id": { + "type": "string", + "description": "The ID of the movie." + } + }, + "required": [ + "movie_id" + ] + }, + "returns": { + "type": "object", + "properties": { + "translations": { + "description": "The description translation of the movie." + }, + "id": { + "description": "The ID of the movie." + } + } + } + }, + { + "name": "check_valid_actions", + "description": "Get supported actions for current tool.", + "parameters": {}, + "returns": { + "type": "object", + "properties": { + "actions": { + "type": "array", + "description": "Supported actions for current tool." + } + } + } + }, + { + "name": "finish", + "description": "Return an answer and finish the task", + "parameters": { + "type": "object", + "properties": { + "answer": { + "type": [ + "string", + "number", + "array" + ], + "description": "The answer to be returned" + } + }, + "required": [ + "answer" + ] + } + } + ], + "in_context_examples": [ + { + "goal": "When did the movie Scream 6 come out?", + "react_steps": [ + [ + "Think", + "This question is about release date of the movie, I need to get the movie id first and use the movie id to query movie details" + ], + [ + "Think", + "To get the movie id, I can use get_search_movie action." + ], + [ + "Action", + "get_search_movie with Action Input: {\"movie_name\": \"Scream 6\"}" + ], + [ + "Observation", + "{'id': 934433, 'overview': 'Following the latest Ghostface killings, the four survivors leave Woodsboro behind and start a fresh chapter.', 'title': 'Scream VI'}" + ], + [ + "Action", + "get_movie_details with Action Input: {\"movie_id\": \"934433\"}" + ], + [ + "Observation", + "{'budget': 35000000, 'genres': [{'id': 27, 'name': 'Horror'}, {'id': 53, 'name': 'Thriller'}, {'id': 9648, 'name': 'Mystery'}], 'revenue': 168961389, 'vote_average': 7.175, 'release_date': '2023-03-08'}" + ], + [ + "Think", + "The release date is 2023-03-08, I will call finish to end this goal." + ], + [ + "Action", + "finish with Action Input: {\"answer\": \"2023-03-08\"}" + ], + [ + "Observation", + "2023-03-08" + ] + ], + "old_react_steps": [ + { + "Thought": "This question is about movie release date, I need to use get_search_movie action to get the movie id and use the movie id to query movie details", + "Action": "get_search_movie", + "Action Input": "{\"movie_name\": \"Scream 6\"}", + "Observation": "{'id': 934433, 'overview': 'Following the latest Ghostface killings, the four survivors leave Woodsboro behind and start a fresh chapter.', 'title': 'Scream VI'}" + }, + { + "Thought": "The movie id of Scream 6 is 934433, I need to use get_movie_details action to get the release date", + "Action": "get_movie_details", + "Action Input": "{\"movie_id\": \"934433\"}", + "Observation": "{'budget': 35000000, 'genres': [{'id': 27, 'name': 'Horror'}, {'id': 53, 'name': 'Thriller'}, {'id': 9648, 'name': 'Mystery'}], 'revenue': 168961389, 'vote_average': 7.175, 'release_date': '2023-03-08'}" + }, + { + "Thought": "The release date is 2023-03-08, I will call finish to end the task.", + "Action": "finish", + "Action Input": "{\"answer\": \"2023-03-08\"}", + "Observation": "2023-03-08" + } + ] + } + ], + "old_instruction": "Please refer to the format of examples above to solve the following question. Your response must contain three components: \"Thought: [your thought]\", \"Action: [your action]\",\"Action Input: [your action input]\"" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/Raw/sheet_raw.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/Raw/sheet_raw.json new file mode 100644 index 00000000..cd5e2c65 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/Raw/sheet_raw.json @@ -0,0 +1,782 @@ +{ + "system_message": "You can use actions to help people solve problems.\n", + "tool_set_message": [ + { + "name": "open_sheet", + "description": "Open a sheet by name", + "parameters": { + "type": "object", + "properties": { + "name": { + "type": "string", + "description": "The name of the sheet to open." + } + }, + "required": [ + "name" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "object", + "description": "The opened worksheet object or an error message." + } + } + } + }, + { + "name": "del_sheet", + "description": "Deletes the specified sheet.", + "parameters": { + "type": "object", + "properties": { + "name": { + "type": "string", + "description": "The name of the sheet to be deleted." + } + }, + "required": [ + "name" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "object", + "description": "Whether the operation was successful." + } + } + } + }, + { + "name": "freeze_data", + "description": "Freeze rows and/or columns on the worksheet", + "parameters": { + "type": "object", + "properties": { + "dimension": { + "type": "string", + "description": "The dimension to freeze, either 'rows' or 'columns'" + }, + "num": { + "type": "integer", + "description": "Number of rows/cols to freeze." + } + }, + "required": [ + "dimension", + "num" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "object", + "description": "Whether the operation was successful." + } + } + } + }, + { + "name": "get_A1_annotation", + "description": "Translate the cell position (row,col) into A1 annotation", + "parameters": { + "type": "object", + "properties": { + "row": { + "type": "integer", + "description": "Row index." + }, + "col": { + "type": "integer", + "description": "Column index." + } + }, + "required": [ + "row", + "col" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "string", + "description": "The A1 notation of the cell or an error message." + } + } + } + }, + { + "name": "insert_cols", + "description": "Insert columns into sheet at specified column index", + "parameters": { + "type": "object", + "properties": { + "values_list": { + "type": "array", + "description": "A list of lists, each list containing one column's values, which can be expressions", + "items": { + "type": "array", + "items": { + "type": "string" + } + } + }, + "col_idx": { + "type": "integer", + "description": "Start column to update. Defaults to 1." + } + }, + "required": [ + "values_list", + "col_idx" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "object", + "description": "The updated worksheet data or an error message." + } + } + } + }, + { + "name": "insert_rows", + "description": "Insert rows into sheet at specified row index", + "parameters": { + "type": "object", + "properties": { + "values_list": { + "type": "array", + "description": "A list of lists, each list containing one row's values, which can be expressions", + "items": { + "type": "array", + "items": { + "type": "string" + } + } + }, + "row_idx": { + "type": "integer", + "description": "Start row to update. Defaults to 1." + } + }, + "required": [ + "values_list", + "row_idx" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "object", + "description": "The updated worksheet data or an error message." + } + } + } + }, + { + "name": "delete_batch_data", + "description": "Delete a batch of data in the sheet", + "parameters": { + "type": "object", + "properties": { + "dimension": { + "type": "string", + "description": "The dimension to delete, either 'row' or 'col'." + }, + "index_list": { + "type": "array", + "items": { + "type": "integer" + }, + "description": "List of the indexes of rows/cols for deletion." + } + }, + "required": [ + "dimension", + "index_list" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "object", + "description": "The updated worksheet data or an error message." + } + } + } + }, + { + "name": "update_cell", + "description": "Update the value of the cell", + "parameters": { + "type": "object", + "properties": { + "position": { + "type": "string", + "description": "A1 notation of the cell position." + }, + "value": { + "description": "The value to set." + } + }, + "required": [ + "position", + "value" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "object", + "description": "The updated worksheet data or an error message." + } + } + } + }, + { + "name": "update_cell_by_formula", + "description": "Update the value of the target cell by applying formulas on some specified cells. Note: Either specify position_list or start_position and end_position.", + "parameters": { + "type": "object", + "properties": { + "start_position": { + "type": "string", + "description": "The starting position of the range. Default: 'B1'." + }, + "end_position": { + "type": "string", + "description": "The ending position of the range. Default: 'D2'." + }, + "position_list": { + "type": "array", + "description": "A list of cell positions in A1 notation.", + "items": { + "type": "string" + } + }, + "result_position": { + "type": "string", + "description": "The position of the cell where the result of the formula will be stored in. Default: 'G2'." + }, + "operator": { + "type": "string", + "description": "The operator to be applied on selected cells. Choose one from ['SUM', 'AVERAGE', 'COUNT', 'MAX', 'MIN', 'MINUS', 'PRODUCT']." + } + }, + "required": [ + "operator", + "result_position" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "object", + "description": "The updated worksheet data or an error message." + } + } + } + }, + { + "name": "update_range", + "description": "Update a range of the cells from a list", + "parameters": { + "type": "object", + "properties": { + "start_position": { + "type": "string", + "description": "A1 notation of the start cell." + }, + "end_position": { + "type": "string", + "description": "A1 notation of the end cell." + }, + "values_list": { + "type": "array", + "description": "List of values to be inserted, which can be expressions", + "items": { + "type": "array", + "items": {} + } + } + }, + "oneOf": [ + { + "required": [ + "start_position", + "end_position", + "operator" + ] + }, + { + "required": [ + "position_list", + "operator" + ] + } + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "object", + "description": "The updated worksheet data or an error message." + } + } + } + }, + { + "name": "sort_sheet_by_col", + "description": "Sorts the current sheet using given sort orders", + "parameters": { + "type": "object", + "properties": { + "col_num": { + "type": "integer", + "description": "The index of the sort column." + }, + "order": { + "type": "string", + "description": "The sort order. Possible values are 'asc' or 'des'." + } + }, + "required": [ + "col_num", + "order" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "object", + "description": "The updated worksheet data or an error message." + } + } + } + }, + { + "name": "merge_cells", + "description": "Merge cells in sheet", + "parameters": { + "type": "object", + "properties": { + "start_position": { + "type": "string", + "description": "Starting cell position(top left) in A1 annotation." + }, + "end_position": { + "type": "string", + "description": "Ending cell position(bottom right) in A1 annotation." + } + }, + "required": [ + "start_position", + "end_position" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "object", + "description": "The updated worksheet data or an error message." + } + } + } + }, + { + "name": "update_note", + "description": "Update a note in a certain cell", + "parameters": { + "type": "object", + "properties": { + "position": { + "type": "string", + "description": "cell position in A1 annotation." + }, + "content": { + "type": "string", + "description": "The text note to insert." + } + }, + "required": [ + "position", + "content" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "string", + "description": "The updated note or an error message." + } + } + } + }, + { + "name": "get_all_values", + "description": "Display all cell values in current sheet", + "parameters": {}, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "array", + "description": "Return all cell values or an error message.", + "items": { + "type": "array", + "items": {} + } + } + } + } + }, + { + "name": "get_range_values", + "description": "Returns a list of cell data from a specified range.", + "parameters": { + "type": "object", + "properties": { + "start_position": { + "type": "string", + "description": "Starting cell position in A1 annotation." + }, + "end_position": { + "type": "string", + "description": "Ending cell position in A1 annotation." + } + }, + "required": [ + "start_position", + "end_position" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "array", + "description": "List of cell data from the specified range or an error message.", + "items": { + "type": "array", + "items": {} + } + } + } + } + }, + { + "name": "get_cell_value", + "description": "Get the value of a specific cell", + "parameters": { + "type": "object", + "properties": { + "position": { + "type": "string", + "description": "Cell position in A1 annotation." + } + }, + "required": [ + "position" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "description": "Cell value or an error message." + } + } + } + }, + { + "name": "get_value_by_formula", + "description": "Calculate a value applying formulas on specified cells. Note: Either specify position_list or start_position and end_position.", + "parameters": { + "type": "object", + "properties": { + "start_position": { + "type": "string", + "description": "The starting position of the range. Default: 'B1'." + }, + "end_position": { + "type": "string", + "description": "The ending position of the range. Default: 'D2'." + }, + "position_list": { + "type": "array", + "description": "A list of cell positions in A1 notation.", + "items": { + "type": "string" + } + }, + "operator": { + "type": "string", + "description": "The operator to be applied on selected cells. Choose one from ['SUM', 'AVERAGE', 'COUNT', 'MAX', 'MIN', 'MINUS', 'PRODUCT']." + } + }, + "oneOf": [ + { + "required": [ + "start_position", + "end_position", + "operator" + ] + }, + { + "required": [ + "position_list", + "operator" + ] + } + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "string", + "description": "Calculated result or an error message." + } + } + } + }, + { + "name": "filter_cells", + "description": "Find all cells matching the query, return all cells' position.", + "parameters": { + "type": "object", + "properties": { + "query": { + "type": [ + "string", + "re.RegexObject" + ], + "description": "A string to match or compiled regular expression." + }, + "in_row": { + "type": [ + "integer", + "None" + ], + "description": "Row number to scope the search. Default is all rows" + }, + "in_column": { + "type": [ + "integer", + "None" + ], + "description": "Column number to scope the search. Default is all columns" + } + }, + "required": [ + "query" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "array", + "description": "List of cell addresses that match the query or an error message.", + "items": { + "type": "string" + } + } + } + } + }, + { + "name": "get_note", + "description": "Get the note at the certain cell, or return empty string if the cell does not have a note.", + "parameters": { + "type": "object", + "properties": { + "position": { + "type": "string", + "description": "Cell position in A1 annotation." + } + }, + "required": [ + "position" + ] + }, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "string", + "description": "Note content or an error message." + } + } + } + }, + { + "name": "finish", + "description": "Return an answer and finish the task", + "parameters": {}, + "returns": { + "type": "object", + "properties": { + "result": { + "type": "array", + "description": "Return all cell values or an error message.", + "items": { + "type": "array", + "items": {} + } + } + } + } + } + ], + "in_context_examples": [ + { + "goal": "\"Sheet90\" saves the clothing inventory information, please delete items with price changed by more than 25%, update the price of other items.", + "react_steps": [ + [ + "Think", + "I need to retrieve the inventory from \"Sheet90\" to identify which items' price changes exceeding 25%" + ], + [ + "Action", + "get_all_values with Action Input: {}" + ], + [ + "Observation", + "[['Category', 'Brand', 'Size', 'Price', 'Stock', 'Price Update'], ['T-shirt', 'Nike', 'M', '25.00', '100', '20.00%'], ['Jeans', \"Levi's\", '32', '59.00', '150', '-10.00%'], ['Shoes', 'Adidas', '8', '99.00', '80', '-45.00%'], ['Bags', 'Louis Vuitton', 'Universal', '699.00', '20', '30.00%'], ['Watches', 'Omega', 'Universal', '999.00', '10', '56.00%']]" + ], + [ + "Think", + "The items with price changes of more than 20% are \"Shoes\", \"Bags\" and \"Watches\", so I will delete the records for these items." + ], + [ + "Action", + "delete_batch with Action Input: {\"dimension\": \"row\", \"index_list\": [3, 4, 5]}" + ], + [ + "Observation", + "[['Category', 'Brand', 'Size', 'Price', 'Stock', 'Price Update'], ['T-shirt', 'Nike', 'M', '25.00', '100', '20.00%'], ['Jeans', \"Levi's\", '32', '59.00', '150', '-10.00%']]" + ], + [ + "Think", + "It seems delete successfully, the next step is to calculate the changed prices of remaining items by using the provided formula \"PRODUCT\" and we calculate \"T-shirt\" first." + ], + [ + "Action", + "get_value_by_formula with Action Input: {\"position_list\": [\"D2\", \"F2\"], operator=\"PRODUCT\"}" + ], + [ + "Observation", + "5" + ], + [ + "Think", + "Calculate the changed prices of \"Jeans\" by using a formula \"PRODUCT\"." + ], + [ + "Action", + "get_value_by_formula with Action Input: {\"position_list\": [\"D3\", \"F3\"], operator=\"PRODUCT\"}" + ], + [ + "Observation", + "-5.9" + ], + [ + "Think", + "We have calculated the changed price, we can update the price column at once" + ], + [ + "Action", + "update_range with Action Input: {\"start_position\": \"D2\", \"end_position\": \"D3\", values_list=[[25.00 + 5], [59.00 - 5.9]]}" + ], + [ + "Observation", + "[['Category', 'Brand', 'Size', 'Price', 'Stock', 'Price Update'], ['T-shirt', 'Nike', 'M', '30.00', '100', '20.00%'], ['Jeans', \"Levi's\", '32', '53.10', '150', '-10.00%']]" + ], + [ + "Think", + "After I check the result, it seems update successfully. we could call \"finish\"" + ], + [ + "Action", + "finish with Action Input: {}" + ], + [ + "Observation", + "[['Category', 'Brand', 'Size', 'Price', 'Stock', 'Price Update'], ['T-shirt', 'Nike', 'M', '30.00', '100', '20.00%'], ['Jeans', \"Levi's\", '32', '53.10', '150', '-10.00%']]" + ] + ] + }, + { + "goal": "\"Sheet34\" saves the employees information, sort the items in ascending order by the \"Innovation Ability\".", + "react_steps": [ + [ + "Think", + "I want to get the values from \"Sheet34\"" + ], + [ + "Action", + "get_all_values with Action Input: {}" + ], + [ + "Observation", + "[['Name', 'Performance Score', 'Teamwork', 'Innovation Ability', 'Work Attitude'], ['John Smith', '87', '8.5', '7', '9'], ['Jane Doe', '92', '9.2', '8.5', '9.3'], ['Michael Johnson', '76', '7', '6.5', '7.2']]" + ], + [ + "Think", + "The \"Innovation Ability\" contained in \"Sheet34\", before sort I have to freeze the title row(row 1)." + ], + [ + "Action", + "freeze_data with Action Input: {\"dimension\": \"rows\", \"num\": 1}" + ], + [ + "Observation", + "[['Name', 'Performance Score', 'Teamwork', 'Innovation Ability', 'Work Attitude'], ['John Smith', '87', '8.5', '7', '9'], ['Jane Doe', '92', '9.2', '8.5', '9.3'], ['Michael Johnson', '76', '7', '6.5', '7.2']]" + ], + [ + "Think", + "After freeze the first row, I could start sorting. The \"Innovation Ability\" is the column D in \"Sheet34\", so I will sort column D in ascending order." + ], + [ + "Action", + "sort_sheet_by_col with Action Input: {\"col_num\": 4, \"order\": \"asc\"}" + ], + [ + "Observation", + "[['Name', 'Performance Score', 'Teamwork', 'Innovation Ability', 'Work Attitude'], ['Michael Johnson', '76', '7', '6.5', '7.2'], ['John Smith', '87', '8.5', '7', '9']]" + ], + [ + "Think", + "After I check the result, the task is finished successfully, I could call \"finish\"" + ], + [ + "Action", + "finish with Action Input: {}" + ], + [ + "Observation", + "[['Name', 'Performance Score', 'Teamwork', 'Innovation Ability', 'Work Attitude'], ['Michael Johnson', '76', '7', '6.5', '7.2'], ['John Smith', '87', '8.5', '7', '9']]" + ] + ] + } + ], + "old_instruction": "Please refer to the format of examples above to solve the following question. Your response must contain: \"Think: [your Think]\" OR \"Action: [your action] with Action Input: [your action input]\".\nHere are some common senses you may need: \n1.You should open sheet mentioned in goal before operating it\n2.You should use A1 notation to display the cell position in the sheet.\n3.The col and row are start with 1\n4.freeze the first row before sort col\nHere are the action you'll have:\n" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/Raw/todo_raw.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/Raw/todo_raw.json new file mode 100644 index 00000000..1a5b5d43 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/Raw/todo_raw.json @@ -0,0 +1,338 @@ +{ + "system_message": "You can use actions to help people solve problems.", + "tool_set_message": [ + { + "name": "get_user_current_date", + "description": "Get the user's current date.", + "parameters": {}, + "returns": { + "type": "string", + "description": "The current date in 'YYYY-MM-DD' format." + } + }, + { + "name": "get_user_current_location", + "description": "Get the user's current city.", + "parameters": {}, + "returns": { + "type": "string", + "description": "The user's current city." + } + }, + { + "name": "get_projects", + "description": "Get all projects in the Todoist account", + "parameters": {}, + "returns": { + "type": "array", + "items": { + "type": "object", + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "order": { + "type": "integer" + }, + "color": { + "type": "string" + }, + "is_favorite": { + "type": "boolean" + } + } + } + } + }, + { + "name": "update_project", + "description": "Update a project", + "parameters": { + "type": "object", + "properties": { + "project_id": { + "type": "string" + }, + "is_favorite": { + "type": "string", + "enum": [ + "True", + "False" + ] + } + }, + "required": [ + "project_id", + "is_favorite" + ] + }, + "returns": { + "type": "object", + "description": "Information of the updated project" + } + }, + { + "name": "get_tasks", + "description": "Get all tasks for a given project", + "parameters": { + "type": "object", + "properties": { + "project_id": { + "type": "string" + } + }, + "required": [ + "project_id" + ] + }, + "returns": { + "type": "array", + "description": "A list of tasks", + "items": { + "type": "object", + "properties": { + "id": { + "type": "string" + }, + "project_id": { + "type": "string" + }, + "order": { + "type": "integer" + }, + "content": { + "type": "string", + "description": "Name of the task." + }, + "is_completed": { + "type": "boolean" + }, + "priority": { + "type": "integer", + "description": "Task priority from 1 (normal) to 4 (urgent)." + }, + "due_date": { + "type": "string", + "description": "The due date of the task." + } + } + } + } + }, + { + "name": "get_task_description", + "description": "Get the description of a specific task in the Todoist account.", + "parameters": { + "type": "object", + "properties": { + "task_id": { + "type": "string" + } + }, + "required": [ + "task_id" + ] + }, + "returns": { + "type": "object", + "properties": { + "id": { + "type": "string", + "description": "Unique identifier of the task." + }, + "content": { + "type": "string", + "description": "Name of the task." + }, + "description": { + "type": "string", + "description": "Description of the task. Incluing the Place, Tips, etc." + } + } + } + }, + { + "name": "get_task_duration", + "description": "Get the duration of a specific task in the Todoist account.", + "parameters": { + "type": "object", + "properties": { + "task_id": { + "type": "string" + } + }, + "required": [ + "task_id" + ] + }, + "returns": { + "type": "object", + "properties": { + "id": { + "type": "string" + }, + "content": { + "type": "string", + "description": "Name of the task." + }, + "duration": { + "type": "string", + "description": "Duration of the task in the format of 'amount(unit)'." + } + } + } + }, + { + "name": "complete_task", + "description": "Mark a task as completed", + "parameters": { + "type": "object", + "properties": { + "task_id": { + "type": "string" + } + }, + "required": [ + "task_id" + ] + }, + "returns": { + "type": "object", + "description": "information of the completed task" + } + }, + { + "name": "update_task", + "description": "Update a task", + "parameters": { + "type": "object", + "properties": { + "task_id": { + "type": "string" + }, + "due_date": { + "type": "string" + } + }, + "required": [ + "task_id", + "due_date" + ] + }, + "returns": { + "type": "object", + "description": "Information of the updated task" + } + }, + { + "name": "delete_task", + "description": "Delete a specific task from the Todoist account.", + "parameters": { + "type": "object", + "properties": { + "task_id": { + "type": "string", + "description": "Unique identifier of the task to delete." + } + } + }, + "returns": { + "type": "object", + "description": "Information of the deleted task." + } + }, + { + "name": "check_valid_actions", + "description": "Get supported actions for current tool.", + "parameters": {}, + "returns": { + "type": "array", + "description": "Supported actions for current tool." + } + }, + { + "name": "finish", + "description": "Call this action, when find the answer for the current task or complete essential operations.", + "parameters": { + "type": "object", + "properties": { + "answer": { + "type": [ + "string", + "number", + "array" + ], + "description": "If the task is a question answering task, this is the answer to be returned. If the task is an operation task, the answer in 'done'" + } + } + } + } + ], + "in_context_examples": [ + { + "goal": "Is Prepare for history quiz a task of School project?", + "react_steps": [ + [ + "Think", + "To check whether Prepare for history quiz is a task of School project, I should get the tasks of School project." + ], + [ + "Think", + "But get_task requires project_id, I should first get the project id of School." + ], + [ + "Action", + "get_projects with Action Input: {}" + ], + [ + "Observation", + "[{'id': '12345', 'order': 0, 'color': 'charcoal', 'name': 'School', 'is_favorite': false}]" + ], + [ + "Action", + "get_tasks with Action Input: {\"project_id\": \"12345\"}" + ], + [ + "Observation", + "[{'id': '123451', 'order': 0, 'content': 'Prepare for history quiz', 'is_completed': false, 'priority': 1, 'due_date': '2030-10-10'}, {'id': '123452', 'order': 1, 'content': 'Prepare for math quiz', 'is_completed': false, 'priority': 1, 'due_date': '2030-11-10'}]" + ], + [ + "Think", + "Prepare for history quiz is in the result, so it is a task of School project. I will call action: finish to terminate the conversation." + ], + [ + "Action", + "finish with Action Input: {\"answer\": \"yes\"}" + ], + [ + "Observation", + "yes" + ] + ], + "old_react_steps": [ + { + "Thought": "To check whether Prepare for history quiz is a task of School project. I should first get the project id of School.", + "Action": "get_projects", + "Action Input": "{}", + "Observation": "[{'id': '12345', 'order': 0, 'color': 'charcoal', 'name': 'School', 'is_favorite': false}]" + }, + { + "Thought": "From the result, the project id of School is 12345, then I can get all tasks of this project. And check whether Prepare for history quiz is in the result.", + "Action": "get_tasks", + "Action Input": "{\"project_id\": \"12345\"}", + "Observation": "[{'id': '123451', 'order': 0, 'content': 'Prepare for history quiz', 'is_completed': false, 'priority': 1, 'due_date': '2030-10-10'}, {'id': '123452', 'order': 1, 'content': 'Prepare for math quiz', 'is_completed': false, 'priority': 1, 'due_date': '2030-11-10'}]" + }, + { + "Thought": "Prepare for history quiz is in the result, so it is a task of School project. I will call action: finish to terminate the conversation.", + "Action": "finish", + "Action Input": "{\"answer\": \"yes\"}", + "Observation": "yes" + } + ] + } + ], + "old_instruction": "Please refer to the format of examples above to solve the following question. Do not give up easily. Your response must contain three components: \"Thought: [your thought]\", \"Action: [your action]\",\"Action Input: [your action input]\"" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/Raw/weather_raw.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/Raw/weather_raw.json new file mode 100644 index 00000000..228d4ade --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/Raw/weather_raw.json @@ -0,0 +1,606 @@ +{ + "system_message": "You can use actions to help people solve problems.\n", + "tool_set_message": [ + { + "name": "get_user_current_date", + "description": "Get the user's current date.", + "parameters": {}, + "returns": { + "type": "string", + "description": "The current date in 'YYYY-MM-DD' format." + } + }, + { + "name": "get_user_current_location", + "description": "Get the user's current city.", + "parameters": {}, + "returns": { + "type": "string", + "description": "The user's current city." + } + }, + { + "name": "get_historical_temp", + "description": "Get historical temperature data for a specified location and date range.", + "parameters": { + "type": "object", + "properties": { + "latitude": { + "type": "number", + "description": "The latitude of the location." + }, + "longitude": { + "type": "number", + "description": "The longitude of the location." + }, + "start_date": { + "type": "string", + "description": "The start date of the historical data (YYYY-MM-DD)." + }, + "end_date": { + "type": "string", + "description": "The end date of the historical data (YYYY-MM-DD)." + } + } + }, + "returns": { + "type": "object", + "description": "Historical temperature data." + } + }, + { + "name": "get_historical_rain", + "description": "Get historical rainfall data for a specified location and date range.", + "parameters": { + "type": "object", + "properties": { + "latitude": { + "type": "number", + "description": "The latitude of the location." + }, + "longitude": { + "type": "number", + "description": "The longitude of the location." + }, + "start_date": { + "type": "string", + "description": "The start date of the historical data (YYYY-MM-DD)." + }, + "end_date": { + "type": "string", + "description": "The end date of the historical data (YYYY-MM-DD)." + } + } + }, + "returns": { + "type": "object", + "description": "Historical rainfall data." + } + }, + { + "name": "get_historical_snow", + "description": "Get historical snowfall data for a specified location and date range.", + "parameters": { + "type": "object", + "properties": { + "latitude": { + "type": "number", + "description": "The latitude of the location." + }, + "longitude": { + "type": "number", + "description": "The longitude of the location." + }, + "start_date": { + "type": "string", + "description": "The start date of the historical data (YYYY-MM-DD)." + }, + "end_date": { + "type": "string", + "description": "The end date of the historical data (YYYY-MM-DD)." + } + } + }, + "returns": { + "type": "object", + "description": "Historical snowfall data." + } + }, + { + "name": "get_snow_forecast", + "description": "Get snowfall forecast data for a specified location and date range.", + "parameters": { + "type": "object", + "properties": { + "latitude": { + "type": "number", + "description": "The latitude of the location." + }, + "longitude": { + "type": "number", + "description": "The longitude of the location." + }, + "start_date": { + "type": "string", + "description": "The start date of the forecast (YYYY-MM-DD)." + }, + "end_date": { + "type": "string", + "description": "The end date of the forecast (YYYY-MM-DD)." + } + } + }, + "returns": { + "type": "object", + "description": "Snowfall forecast data." + } + }, + { + "name": "get_current_snow", + "description": "Get current snowfall data for a specified location and date.", + "parameters": { + "type": "object", + "properties": { + "latitude": { + "type": "number", + "description": "The latitude of the location." + }, + "longitude": { + "type": "number", + "description": "The longitude of the location." + }, + "current_date": { + "type": "string", + "description": "The current date to retrieve snowfall data (YYYY-MM-DD)." + } + } + }, + "returns": { + "type": "object", + "description": "Current snowfall data." + } + }, + { + "name": "get_current_temp", + "description": "Get current temperature data for a specified location and date.", + "parameters": { + "type": "object", + "properties": { + "latitude": { + "type": "number", + "description": "The latitude of the location." + }, + "longitude": { + "type": "number", + "description": "The longitude of the location." + }, + "current_date": { + "type": "string", + "description": "The current date to retrieve temperature data (YYYY-MM-DD)." + } + } + }, + "returns": { + "type": "object", + "description": "Current temperature data." + } + }, + { + "name": "get_latitude_longitude", + "description": "Get latitude and longitude information for a specified location name.", + "parameters": { + "type": "object", + "properties": { + "name": { + "type": "string", + "description": "The name of the location. (e.g., city name)" + } + } + }, + "returns": { + "type": "object", + "description": "latitude and longitude information for the specified location." + } + }, + { + "name": "get_elevation", + "description": "Get elevation data for a specified location.", + "parameters": { + "type": "object", + "properties": { + "latitude": { + "type": "number", + "description": "The latitude of the location." + }, + "longitude": { + "type": "number", + "description": "The longitude of the location." + } + } + }, + "returns": { + "type": "object", + "description": "Elevation data for the specified location." + } + }, + { + "name": "get_temp_forecast", + "description": "Get temperature forecast data for a specified location and date range.", + "parameters": { + "type": "object", + "properties": { + "latitude": { + "type": "number", + "description": "The latitude of the location." + }, + "longitude": { + "type": "number", + "description": "The longitude of the location." + }, + "start_date": { + "type": "string", + "description": "The start date of the forecast (YYYY-MM-DD)." + }, + "end_date": { + "type": "string", + "description": "The end date of the forecast (YYYY-MM-DD)." + } + } + }, + "returns": { + "type": "object", + "description": "Temperature forecast data." + } + }, + { + "name": "get_rain_forecast", + "description": "Get rainfall forecast data for a specified location and date range.", + "parameters": { + "type": "object", + "properties": { + "latitude": { + "type": "number", + "description": "The latitude of the location." + }, + "longitude": { + "type": "number", + "description": "The longitude of the location." + }, + "start_date": { + "type": "string", + "description": "The start date of the forecast (YYYY-MM-DD)." + }, + "end_date": { + "type": "string", + "description": "The end date of the forecast (YYYY-MM-DD)." + } + } + }, + "returns": { + "type": "object", + "description": "Rainfall forecast data." + } + }, + { + "name": "get_current_rain", + "description": "Get current rainfall data for a specified location and date.", + "parameters": { + "type": "object", + "properties": { + "latitude": { + "type": "number", + "description": "The latitude of the location." + }, + "longitude": { + "type": "number", + "description": "The longitude of the location." + }, + "current_date": { + "type": "string", + "description": "The current date to retrieve rainfall data (YYYY-MM-DD)." + } + } + }, + "returns": { + "type": "object", + "description": "Current rainfall data." + } + }, + { + "name": "get_distance", + "description": "Calculate the distance between two sets of latitude and longitude coordinates.", + "parameters": { + "type": "object", + "properties": { + "latitude1": { + "type": "number", + "description": "The latitude of the first location." + }, + "longitude1": { + "type": "number", + "description": "The longitude of the first location." + }, + "latitude2": { + "type": "number", + "description": "The latitude of the second location." + }, + "longitude2": { + "type": "number", + "description": "The longitude of the second location." + } + } + }, + "returns": { + "type": "number", + "description": "The distance between the two sets of coordinates in kilometers." + } + }, + { + "name": "get_historical_air_quality_index", + "description": "Get historical air quality index data for a specified location and date range.", + "parameters": { + "type": "object", + "properties": { + "latitude": { + "type": "number", + "description": "The latitude of the location." + }, + "longitude": { + "type": "number", + "description": "The longitude of the location." + }, + "start_date": { + "type": "string", + "description": "The start date of the historical data (YYYY-MM-DD)." + }, + "end_date": { + "type": "string", + "description": "The end date of the historical data (YYYY-MM-DD)." + } + } + }, + "returns": { + "type": "object", + "description": "Historical air quality index (PM2.5) data." + } + }, + { + "name": "get_current_air_quality_index", + "description": "Get current air quality index data for a specified location and date.", + "parameters": { + "type": "object", + "properties": { + "latitude": { + "type": "number", + "description": "The latitude of the location." + }, + "longitude": { + "type": "number", + "description": "The longitude of the location." + }, + "current_date": { + "type": "string", + "description": "The current date to retrieve air quality index data (YYYY-MM-DD)." + } + } + }, + "returns": { + "type": "object", + "description": "Current air quality index (PM2.5) data." + } + }, + { + "name": "get_air_quality_level", + "description": "Determine the air quality level based on the air quality index (AQI).", + "parameters": { + "type": "object", + "properties": { + "air_quality_index": { + "type": "number", + "description": "The air quality index (AQI) value." + } + } + }, + "returns": { + "type": "string", + "description": "The air quality level, which can be 'good', 'fair', 'moderate', 'poor', 'very poor', or 'extremely poor'." + } + }, + { + "name": "check_valid_actions", + "description": "Get supported actions for current tool.", + "parameters": {}, + "returns": { + "type": "object", + "properties": { + "actions": { + "type": "array", + "description": "Supported actions for current tool." + } + } + } + }, + { + "name": "finish", + "description": "Return an answer and finish the task", + "parameters": { + "type": "object", + "properties": { + "answer": { + "type": [ + "string", + "number", + "array" + ], + "description": "The answer to be returned" + } + }, + "required": [ + "answer" + ] + } + } + ], + "in_context_examples": [ + { + "goal": "What is the lowest temperature yesterday?", + "react_steps": [ + [ + "Think", + "This question is about the lowest temperature yesterday." + ], + [ + "Think", + "I should get the latitude and longitude information of user's current location first." + ], + [ + "Action", + "get_user_current_location with Action Input: {}" + ], + [ + "Observation", + "Shanghai" + ], + [ + "Action", + "get_latitude_longitude with Action Input: {\"name\": \"Shanghai\"}" + ], + [ + "Observation", + "{'results': [{'name': 'Shanghai', 'latitude': 31.22222, 'longitude': 121.45806, 'country_code': 'CN'}, {'name': 'Shanghai', 'latitude': 34.85009, 'longitude': -87.08501, 'country_code': 'US'}, {'name': 'Cornelia', 'latitude': 38.64363, 'longitude': -93.73938, 'country_code': 'US'}]}" + ], + [ + "Think", + "I have got the latitude and longitude information of Shanghai, I should get the current date to get the date of yesterday." + ], + [ + "Action", + "get_user_current_date with Action Input: {}" + ], + [ + "Observation", + "2015-01-02" + ], + [ + "Think", + "Current date in 2015-01-02, so yesterday is 2015-01-01. Now, I can get the temperature data of Shanghai in 2015-01-01." + ], + [ + "Action", + "get_historical_temp with Action Input: {\"latitude\": 31.22222, \"longitude\": 121.45806, \"start_date\": \"2015-01-01\", \"end_date\": \"2015-01-01\"}" + ], + [ + "Observation", + "{'latitude': 31.200005, 'longitude': 121.5, 'daily_units': {'time': 'iso8601', 'temperature_2m_max': '°C', 'temperature_2m_min': '°C', 'temperature_2m_mean': '°C'}, 'daily': {'time': ['2015-01-01'], 'temperature_2m_max': [4.3], 'temperature_2m_min': [-3.6], 'temperature_2m_mean': [-0.1]}}" + ], + [ + "Think", + "The observation mentions that 'temperature_2m_mean': [-0.1]',so the average temperature is -0.1. I will call finish to end the goal." + ], + [ + "Action", + "finish with Action Input: {\"answer\": -0.1}" + ], + [ + "Observation", + -0.1 + ] + ], + "react_steps_w_grounding": [ + [ + "Think", + "This question is about the lowest temperature yesterday." + ], + [ + "Think", + "I should get the latitude and longitude information of user's current location first." + ], + [ + "Action", + "get_user_current_location with Action Input: {}" + ], + [ + "Observation", + "Shanghai" + ], + [ + "Action", + "get_latitude_longitude with Action Input: {\"name\": \"Shanghai\"}" + ], + [ + "Observation", + "{'results': [{'name': 'Shanghai', 'latitude': 31.22222, 'longitude': 121.45806, 'country_code': 'CN'}, {'name': 'Shanghai', 'latitude': 34.85009, 'longitude': -87.08501, 'country_code': 'US'}, {'name': 'Cornelia', 'latitude': 38.64363, 'longitude': -93.73938, 'country_code': 'US'}]} \nChoose an action from these valid actions: ['get_user_current_location', 'get_historical_snow', 'get_user_current_date', 'check_valid_actions', 'finish']" + ], + [ + "Think", + "I have got the latitude and longitude information of Shanghai, I should get the current date to get the date of yesterday." + ], + [ + "Action", + "get_user_current_date with Action Input: {}" + ], + [ + "Observation", + "2015-01-02" + ], + [ + "Think", + "Current date in 2015-01-02, so yesterday is 2015-01-01. Now, I can get the temperature data of Shanghai in 2015-01-01." + ], + [ + "Action", + "get_historical_temp with Action Input: {\"latitude\": 31.22222, \"longitude\": 121.45806, \"start_date\": \"2015-01-01\", \"end_date\": \"2015-01-01\"}" + ], + [ + "Observation", + "{'latitude': 31.200005, 'longitude': 121.5, 'daily_units': {'time': 'iso8601', 'temperature_2m_max': '°C', 'temperature_2m_min': '°C', 'temperature_2m_mean': '°C'}, 'daily': {'time': ['2015-01-01'], 'temperature_2m_max': [4.3], 'temperature_2m_min': [-3.6], 'temperature_2m_mean': [-0.1]}} \nChoose an action from these valid actions: ['get_user_current_date', 'get_current_snow', 'get_latitude_longitude', 'get_temp_forecast', 'get_air_quality_level', 'check_valid_actions', 'finish']" + ], + [ + "Think", + "The observation mentions that 'temperature_2m_mean': [-0.1]',so the average temperature is -0.1. I will call finish to end the goal." + ], + [ + "Action", + "finish with Action Input: {\"answer\": -0.1}" + ], + [ + "Observation", + -0.1 + ] + ], + "old_react_steps": [ + { + "Thought": "This question is about the lowest temperature yesterday, I should first get the location information of the user", + "Action": "get_user_current_location", + "Action Input": "{}", + "Observation": "Shanghai" + }, + { + "Thought": "The user is currently in Shanghai. I should first get the latitude and longitude information of Shanghai", + "Action": "get_latitude_longitude", + "Action Input": "{\"name\": \"Shanghai\"}", + "Observation": "{'results': [{'name': 'Shanghai', 'latitude': 31.22222, 'longitude': 121.45806, 'country_code': 'CN'}, {'name': 'Shanghai', 'latitude': 34.85009, 'longitude': -87.08501, 'country_code': 'US'}, {'name': 'Cornelia', 'latitude': 38.64363, 'longitude': -93.73938, 'country_code': 'US'}]}" + }, + { + "Thought": "I have got the latitude and longitude information of Shanghai, I should get the current date to get the date of yesterday.", + "Action": "get_user_current_date", + "Action Input": "{}", + "Observation": "2015-01-02" + }, + { + "Thought": "Current date in 2015-01-02, so yesterday is 2015-01-01. Now, I can get the temperature data of Shanghai in 2015-01-01", + "Action": "get_historical_temp", + "Action Input": "{\"latitude\": 31.22222, \"longitude\": 121.45806, \"start_date\": \"2015-01-01\", \"end_date\": \"2015-01-01\"}", + "Observation": "{'latitude': 31.200005, 'longitude': 121.5, 'daily_units': {'time': 'iso8601', 'temperature_2m_max': '°C', 'temperature_2m_min': '°C', 'temperature_2m_mean': '°C'}, 'daily': {'time': ['2015-01-01'], 'temperature_2m_max': [4.3], 'temperature_2m_min': [-3.6], 'temperature_2m_mean': [-0.1]}}" + }, + { + "Thought": "The average temperature is -0.1, I will call finish to end the task. ", + "Action": "finish", + "Action Input": "{\"answer\": -0.1}", + "Observation": -0.1 + } + ] + } + ], + "old_instruction": "Please refer to the format of examples above to solve the following question. Your response must contain three components: \"Thought: [your thought]\", \"Action: [your action]\",\"Action Input: [your action input]\"" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/ReactAgent/academia_prompt.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/ReactAgent/academia_prompt.json new file mode 100644 index 00000000..ecaa16ff --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/ReactAgent/academia_prompt.json @@ -0,0 +1,7 @@ +{ + "instruction": "We detail name, description, input(parameters) and output(returns) of each action as follows:\nName: loadPaperNet()\nDescription: Load PaperNet. In this net, nodes are papers and edges are citation relationships between papers.\n\nName: loadAuthorNet()\nDescription: Load AuthorNet. In this net, nodes are authors and edges are collaboration relationships between authors.\n\nName: neighbourCheck(graph, node)\nDescription: List the first-order neighbors connect to the node. In paperNet, neigbours are cited papers of the paper. In authorNet, neigbours are collaborators of the author.\nParameters:\n- graph (Type: string, Enum: [PaperNet, AuthorNet]): The name of the graph to check\n- node (Type: string): The node for which neighbors will be listed\nReturns:\n- neighbors (Type: array)\n\nName: paperNodeCheck(node)\nDescription: Return detailed attribute information of a specified paper in PaperNet\nParameters:\n- node (Type: string): Name of the paper.\nReturns:\n- authors : The authors of the paper\n- year : The puslished year of the paper\n- venue : The published venue of the paper\n- n_citation : The number of citations of the paper\n- keywords : The keywords of the paper\n- doc_type : The document type of the paper\n\nName: authorNodeCheck(node)\nDescription: Return detailed attribute information of a specified author in AuthorNet\nParameters:\n- node (Type: string): name of the author.\nReturns:\n- name : The name of the author\n- org : The organization of the author\n\nName: authorEdgeCheck(node1, node2)\nDescription: Return detailed attribute information of the edge between two specified nodes in a AuthorNet.\nParameters:\n- node1 (Type: string): The first node of the edge\n- node2 (Type: string): The second node of the edge\nReturns:\n- papers : All papers that the two authors have co-authored\n\nName: paperEdgeCheck(node1, node2)\nDescription: Return detailed attribute information of the edge between two specified nodes in a PaperNet.\nParameters:\n- node1 (Type: string): The first node of the edge\n- node2 (Type: string): The second node of the edge\nReturns:\nNone\n\nName: check_valid_actions()\nDescription: Get supported actions for current tool.\nReturns:\n- actions (Type: array): Supported actions for current tool.\n\nName: finish(answer)\nDescription: Return an answer and finish the task\nParameters:\n- answer (Type: ['string', 'number', 'array']): The answer to be returned\n\n\nIf you are finished, you will call \"finish\" action\nPlease refer to the format of examples below to solve the requested goal.\nYour response must be one of the following two formats:\n (1) \"Think: [your thinking]\"\n(2) \"Action: [your action] with Action Input: [your action input]\".", + "examples": [ + "Goal: When was the paper Learning the Principle of Least Action with Reinforcement Learning. published?\n\nAction: loadPaperNet with Action Input: {}\nObservation: PaperNet is loaded.\nThink: The question is asking the published date of a paper, I should use paperNodeCheck to check the node from the PaperNet in DBLP graph. The paper node is Learning the Principle of Least Action with Reinforcement Learning.\nAction: paperNodeCheck with Action Input: {\"node\":\"Learning the Principle of Least Action with Reinforcement Learning.\"}\nObservation: {'year': 2021, 'venue': 'AAAI Spring Symposium - MLPS', 'n_citation': 0, 'keywords': [], 'doc_type': 'Conference'}\nThink: The published date of the paper is 2021. I can finish this goal\nAction: finish with Action Input: {\"answer\": \"2021\"}\nObservation: 2021\n" + ], + "system_msg": "You can use actions to help people solve problems.\n" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/ReactAgent/movie_prompt.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/ReactAgent/movie_prompt.json new file mode 100644 index 00000000..c032e680 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/ReactAgent/movie_prompt.json @@ -0,0 +1,7 @@ +{ + "instruction": "We detail name, description, input(parameters) and output(returns) of each action as follows:\nName: get_search_movie(movie_name)\nDescription: Search for a movie by name and return basic details\nParameters:\n- movie_name (Type: string): The name of the movie to search for.\nReturns:\n- id : The ID of the found movie.\n- overview : The overview description of the movie.\n- title : The title of the movie.\n\nName: get_movie_details(movie_id)\nDescription: Get detailed information about a movie by ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- budget : The budget of the movie.\n- genres : The genres of the movie.\n- revenue : The revenue of the movie.\n- vote_average : The average vote score of the movie.\n- release_date : The release date of the movie.\n\nName: get_movie_production_companies(movie_id)\nDescription: Get the production companies of a movie by its ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- production_companies : The production companies of the movie.\n\nName: get_movie_production_countries(movie_id)\nDescription: Get the production countries of a movie by its ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- production_countries : The production countries of the movie.\n\nName: get_movie_cast(movie_id)\nDescription: Retrieve the list of the top 10 cast members from a movie by its ID.\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- cast : List of the top 10 cast members.\n\nName: get_movie_crew(movie_id)\nDescription: Retrieve the list of crew members (limited to 10) from a movie by its ID. The list primarily includes Director, Producer, and Writer roles.\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- crew : List of the top 10 of crew members\n\nName: get_movie_keywords(movie_id)\nDescription: Get the keywords associated with a movie by ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- keywords : The keywords associated with the movie.\n\nName: get_search_person(person_name)\nDescription: Search for a person by name.\nParameters:\n- person_name (Type: string): The name of the person to search for.\nReturns:\n- id : The ID of the found person.\n- name : The name of the person.\n\nName: get_person_details(person_id)\nDescription: Get detailed information about a person by ID\nParameters:\n- person_id (Type: string): The ID of the person.\nReturns:\n- biography : The biography of the person.\n- birthday : The birthday of the person.\n- place_of_birth : The place of birth of the person.\n\nName: get_person_cast(person_id)\nDescription: Retrieve the top 10 movie cast roles of a person by their ID\nParameters:\n- person_id (Type: string): The ID of the person.\nReturns:\n- cast : A list of movies where the person has acted, limited to top 10\n\nName: get_person_crew(person_id)\nDescription: Retrieve the top 10 movie crew roles of a person by their ID\nParameters:\n- person_id (Type: string): The ID of the person.\nReturns:\n- crew : A list of movies where the person has participated as crew, limited to top 10\n\nName: get_person_external_ids(person_id)\nDescription: Get the external ids for a person by ID\nParameters:\n- person_id (Type: string): The ID of the person.\nReturns:\n- imdb_id : The IMDB id of the person.\n- facebook_id : The Facebook id of the person.\n- instagram_id : The Instagram id of the person.\n- twitter_id : The Twitter id of the person.\n\nName: get_movie_alternative_titles(movie_id)\nDescription: Get the alternative titles for a movie by ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- titles : The alternative titles of the movie.\n- id : The ID of the movie.\n\nName: get_movie_translation(movie_id)\nDescription: Get the description translation for a movie by ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- translations : The description translation of the movie.\n- id : The ID of the movie.\n\nName: check_valid_actions()\nDescription: Get supported actions for current tool.\nReturns:\n- actions (Type: array): Supported actions for current tool.\n\nName: finish(answer)\nDescription: Return an answer and finish the task\nParameters:\n- answer (Type: ['string', 'number', 'array']): The answer to be returned\n\n\nIf you are finished, you will call \"finish\" action\nPlease refer to the format of examples below to solve the requested goal.\nYour response must be one of the following two formats:\n (1) \"Think: [your thinking]\"\n(2) \"Action: [your action] with Action Input: [your action input]\".", + "examples": [ + "Goal: When did the movie Scream 6 come out?\n\nThink: This question is about release date of the movie, I need to get the movie id first and use the movie id to query movie details\nThink: To get the movie id, I can use get_search_movie action.\nAction: get_search_movie with Action Input: {\"movie_name\": \"Scream 6\"}\nObservation: {'id': 934433, 'overview': 'Following the latest Ghostface killings, the four survivors leave Woodsboro behind and start a fresh chapter.', 'title': 'Scream VI'}\nAction: get_movie_details with Action Input: {\"movie_id\": \"934433\"}\nObservation: {'budget': 35000000, 'genres': [{'id': 27, 'name': 'Horror'}, {'id': 53, 'name': 'Thriller'}, {'id': 9648, 'name': 'Mystery'}], 'revenue': 168961389, 'vote_average': 7.175, 'release_date': '2023-03-08'}\nThink: The release date is 2023-03-08, I will call finish to end this goal.\nAction: finish with Action Input: {\"answer\": \"2023-03-08\"}\nObservation: 2023-03-08\n" + ], + "system_msg": "You can use actions to help people solve problems.\n" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/ReactAgent/weather_prompt.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/ReactAgent/weather_prompt.json new file mode 100644 index 00000000..b3bf549a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/ReactAgent/weather_prompt.json @@ -0,0 +1,7 @@ +{ + "instruction": "We detail name, description, input(parameters) and output(returns) of each action as follows:\nName: get_user_current_date()\nDescription: Get the user's current date.\nReturns:\nThe current date in 'YYYY-MM-DD' format.\n\nName: get_user_current_location()\nDescription: Get the user's current city.\nReturns:\nThe user's current city.\n\nName: get_historical_temp(latitude, longitude, start_date, end_date)\nDescription: Get historical temperature data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the historical data (YYYY-MM-DD).\n- end_date (Type: string): The end date of the historical data (YYYY-MM-DD).\nReturns:\nHistorical temperature data.\n\nName: get_historical_rain(latitude, longitude, start_date, end_date)\nDescription: Get historical rainfall data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the historical data (YYYY-MM-DD).\n- end_date (Type: string): The end date of the historical data (YYYY-MM-DD).\nReturns:\nHistorical rainfall data.\n\nName: get_historical_snow(latitude, longitude, start_date, end_date)\nDescription: Get historical snowfall data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the historical data (YYYY-MM-DD).\n- end_date (Type: string): The end date of the historical data (YYYY-MM-DD).\nReturns:\nHistorical snowfall data.\n\nName: get_snow_forecast(latitude, longitude, start_date, end_date)\nDescription: Get snowfall forecast data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the forecast (YYYY-MM-DD).\n- end_date (Type: string): The end date of the forecast (YYYY-MM-DD).\nReturns:\nSnowfall forecast data.\n\nName: get_current_snow(latitude, longitude, current_date)\nDescription: Get current snowfall data for a specified location and date.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- current_date (Type: string): The current date to retrieve snowfall data (YYYY-MM-DD).\nReturns:\nCurrent snowfall data.\n\nName: get_current_temp(latitude, longitude, current_date)\nDescription: Get current temperature data for a specified location and date.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- current_date (Type: string): The current date to retrieve temperature data (YYYY-MM-DD).\nReturns:\nCurrent temperature data.\n\nName: get_latitude_longitude(name)\nDescription: Get latitude and longitude information for a specified location name.\nParameters:\n- name (Type: string): The name of the location. (e.g., city name)\nReturns:\nlatitude and longitude information for the specified location.\n\nName: get_elevation(latitude, longitude)\nDescription: Get elevation data for a specified location.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\nReturns:\nElevation data for the specified location.\n\nName: get_temp_forecast(latitude, longitude, start_date, end_date)\nDescription: Get temperature forecast data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the forecast (YYYY-MM-DD).\n- end_date (Type: string): The end date of the forecast (YYYY-MM-DD).\nReturns:\nTemperature forecast data.\n\nName: get_rain_forecast(latitude, longitude, start_date, end_date)\nDescription: Get rainfall forecast data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the forecast (YYYY-MM-DD).\n- end_date (Type: string): The end date of the forecast (YYYY-MM-DD).\nReturns:\nRainfall forecast data.\n\nName: get_current_rain(latitude, longitude, current_date)\nDescription: Get current rainfall data for a specified location and date.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- current_date (Type: string): The current date to retrieve rainfall data (YYYY-MM-DD).\nReturns:\nCurrent rainfall data.\n\nName: get_distance(latitude1, longitude1, latitude2, longitude2)\nDescription: Calculate the distance between two sets of latitude and longitude coordinates.\nParameters:\n- latitude1 (Type: number): The latitude of the first location.\n- longitude1 (Type: number): The longitude of the first location.\n- latitude2 (Type: number): The latitude of the second location.\n- longitude2 (Type: number): The longitude of the second location.\nReturns:\nThe distance between the two sets of coordinates in kilometers.\n\nName: get_historical_air_quality_index(latitude, longitude, start_date, end_date)\nDescription: Get historical air quality index data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the historical data (YYYY-MM-DD).\n- end_date (Type: string): The end date of the historical data (YYYY-MM-DD).\nReturns:\nHistorical air quality index (PM2.5) data.\n\nName: get_current_air_quality_index(latitude, longitude, current_date)\nDescription: Get current air quality index data for a specified location and date.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- current_date (Type: string): The current date to retrieve air quality index data (YYYY-MM-DD).\nReturns:\nCurrent air quality index (PM2.5) data.\n\nName: get_air_quality_level(air_quality_index)\nDescription: Determine the air quality level based on the air quality index (AQI).\nParameters:\n- air_quality_index (Type: number): The air quality index (AQI) value.\nReturns:\nThe air quality level, which can be 'good', 'fair', 'moderate', 'poor', 'very poor', or 'extremely poor'.\n\nName: check_valid_actions()\nDescription: Get supported actions for current tool.\nReturns:\n- actions (Type: array): Supported actions for current tool.\n\nName: finish(answer)\nDescription: Return an answer and finish the task\nParameters:\n- answer (Type: ['string', 'number', 'array']): The answer to be returned\n\n\nIf you are finished, you will call \"finish\" action\nPlease refer to the format of examples below to solve the requested goal.\nYour response must be one of the following two formats:\n (1) \"Think: [your thinking]\"\n(2) \"Action: [your action] with Action Input: [your action input]\".", + "examples": [ + "Goal: What is the lowest temperature yesterday?\n\nThink: This question is about the lowest temperature yesterday.\nThink: I should get the latitude and longitude information of user's current location first.\nAction: get_user_current_location with Action Input: {}\nObservation: Shanghai\nAction: get_latitude_longitude with Action Input: {\"name\": \"Shanghai\"}\nObservation: {'results': [{'name': 'Shanghai', 'latitude': 31.22222, 'longitude': 121.45806, 'country_code': 'CN'}, {'name': 'Shanghai', 'latitude': 34.85009, 'longitude': -87.08501, 'country_code': 'US'}, {'name': 'Cornelia', 'latitude': 38.64363, 'longitude': -93.73938, 'country_code': 'US'}]}\nThink: I have got the latitude and longitude information of Shanghai, I should get the current date to get the date of yesterday.\nAction: get_user_current_date with Action Input: {}\nObservation: 2015-01-02\nThink: Current date in 2015-01-02, so yesterday is 2015-01-01. Now, I can get the temperature data of Shanghai in 2015-01-01.\nAction: get_historical_temp with Action Input: {\"latitude\": 31.22222, \"longitude\": 121.45806, \"start_date\": \"2015-01-01\", \"end_date\": \"2015-01-01\"}\nObservation: {'latitude': 31.200005, 'longitude': 121.5, 'daily_units': {'time': 'iso8601', 'temperature_2m_max': '°C', 'temperature_2m_min': '°C', 'temperature_2m_mean': '°C'}, 'daily': {'time': ['2015-01-01'], 'temperature_2m_max': [4.3], 'temperature_2m_min': [-3.6], 'temperature_2m_mean': [-0.1]}}\nThink: The observation mentions that 'temperature_2m_mean': [-0.1]',so the average temperature is -0.1. I will call finish to end the goal.\nAction: finish with Action Input: {\"answer\": -0.1}\nObservation: -0.1\n" + ], + "system_msg": "You can use actions to help people solve problems.\n" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/academia_prompt.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/academia_prompt.json new file mode 100644 index 00000000..2ff265af --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/academia_prompt.json @@ -0,0 +1,7 @@ +{ + "instruction": "We detail name, description, input(parameters) and output(returns) of each action as follows:\nName: loadPaperNet()\nDescription: Load PaperNet. In this net, nodes are papers and edges are citation relationships between papers.\n\nName: loadAuthorNet()\nDescription: Load AuthorNet. In this net, nodes are authors and edges are collaboration relationships between authors.\n\nName: neighbourCheck(graph, node)\nDescription: List the first-order neighbors connect to the node. In paperNet, neigbours are cited papers of the paper. In authorNet, neigbours are collaborators of the author.\nParameters:\n- graph (Type: string, Enum: [PaperNet, AuthorNet]): The name of the graph to check\n- node (Type: string): The node for which neighbors will be listed\nReturns:\n- neighbors (Type: array)\n\nName: paperNodeCheck(node)\nDescription: Return detailed attribute information of a specified paper in PaperNet\nParameters:\n- node (Type: string): Name of the paper.\nReturns:\n- authors : The authors of the paper\n- year : The puslished year of the paper\n- venue : The published venue of the paper\n- n_citation : The number of citations of the paper\n- keywords : The keywords of the paper\n- doc_type : The document type of the paper\n\nName: authorNodeCheck(node)\nDescription: Return detailed attribute information of a specified author in AuthorNet\nParameters:\n- node (Type: string): name of the author.\nReturns:\n- name : The name of the author\n- org : The organization of the author\n\nName: authorEdgeCheck(node1, node2)\nDescription: Return detailed attribute information of the edge between two specified nodes in a AuthorNet.\nParameters:\n- node1 (Type: string): The first node of the edge\n- node2 (Type: string): The second node of the edge\nReturns:\n- papers : All papers that the two authors have co-authored\n\nName: paperEdgeCheck(node1, node2)\nDescription: Return detailed attribute information of the edge between two specified nodes in a PaperNet.\nParameters:\n- node1 (Type: string): The first node of the edge\n- node2 (Type: string): The second node of the edge\nReturns:\nNone\n\nName: check_valid_actions()\nDescription: Get supported actions for current tool.\nReturns:\n- actions (Type: array): Supported actions for current tool.\n\nName: finish(answer)\nDescription: Return an answer and finish the task\nParameters:\n- answer (Type: ['string', 'number', 'array']): The answer to be returned\n\n\nIf you are finished, you will call \"finish\" action\nPlease refer to the format of examples below to solve the requested goal. Your response must be in the format of \"Action: [your action] with Action Input: [your action input]\"", + "examples": [ + "Goal: When was the paper Learning the Principle of Least Action with Reinforcement Learning. published?\n\nAction: loadPaperNet with Action Input: {}\nObservation: PaperNet is loaded.\nAction: paperNodeCheck with Action Input: {\"node\":\"Learning the Principle of Least Action with Reinforcement Learning.\"}\nObservation: {'year': 2021, 'venue': 'AAAI Spring Symposium - MLPS', 'n_citation': 0, 'keywords': [], 'doc_type': 'Conference'}\nAction: finish with Action Input: {\"answer\": \"2021\"}\nObservation: 2021\n" + ], + "system_msg": "You can use actions to help people solve problems.\n" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/alfworld_base.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/alfworld_base.json new file mode 100644 index 00000000..cd2a43fa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/alfworld_base.json @@ -0,0 +1,102 @@ +{ + "examples": { + "put": [ + "Your task is to: put some spraybottle on toilet.\nYou are in the middle of a room. Looking quickly around you, you see a cabinet 4, a cabinet 3, a cabinet 2, a cabinet 1, a countertop 1, a garbagecan 1, a handtowelholder 2, a handtowelholder 1, a sinkbasin 2, a sinkbasin 1, a toilet 1, a toiletpaperhanger 1, and a towelholder 1.\n", + "Action: go to cabinet 1\n", + "Observation: On the cabinet 1, you see a cloth 1, a soapbar 1, a soapbottle 1.\n", + "Action: go to cabinet 2\n", + "Observation: The cabinet 2 is closed.\n", + "Action: open cabinet 2\n", + "Observation: You open the cabinet 2. The cabinet 2 is open. In it, you see a candle 1, and a spraybottle 2.\n", + "Action: take spraybottle 2 from cabinet 2\n", + "Observation: You pick up the spraybottle 2 from the cabinet 2.\n", + "Action: go to toilet 1\n", + "Observation: On the toilet 1, you see a soapbottle 2.\n", + "Action: put spraybottle 2 in/on toilet 1\n", + "Observation: You put the spraybottle 2 in/on the toilet 1.\n" + ], + "clean": [ + "Your task is to: clean some soapbar and put it in toilet.\nYou are in the middle of a room. Looking quickly around you, you see a bathtubbasin 1, a garbagecan 1, a handtowelholder 1, a shelf 3, a shelf 2, a shelf 1, a sinkbasin 1, a toilet 1, a toiletpaperhanger 1, and a towelholder 1.\n", + "Action: go to toilet 1\n", + "Observation: On the toilet 1, you see a soapbar 4, and a soapbar 3.\n", + "Action: take soapbar 4 from toilet 1\n", + "Observation: You pick up the soapbar 4 from the toilet 1.\n", + "Action: go to sinkbasin 1\n", + "Observation: On the sinkbasin 1, you see nothing.\n", + "Action: clean soapbar 4 with sinkbasin 1\n", + "Observation: You clean the soapbar 4 using the sinkbasin 1.\n", + "Action: go to toilet 1\n", + "Observation: On the toilet 1, you see a soapbar 3.\n", + "Action: put soapbar 4 in/on toilet 1\n", + "Observation: You put the soapbar 4 in/on the toilet 1.\n" + ], + "heat": [ + "Your task is to: put a hot apple in fridge.\nYou are in the middle of a room. Looking quickly around you, you see a cabinet 13, a cabinet 12, a cabinet 11, a cabinet 10, a cabinet 9, a cabinet 8, a cabinet 7, a cabinet 6, a cabinet 5, a cabinet 4, a cabinet 3, a cabinet 2, a cabinet 1, a coffeemachine 1, a countertop 1, a diningtable 1, a drawer 1, a fridge 1, a garbagecan 1, a microwave 1, a shelf 3, a shelf 2, a shelf 1, a sinkbasin 1, a stoveburner 4, a stoveburner 3, a stoveburner 2, a stoveburner 1, and a toaster 1.\n", + "Action: go to diningtable 1\n", + "Observation: On the diningtable 1, you see a apple 1, a bread 1, a fork 3, a fork 2, a fork 1, a mug 2, a peppershaker 3, a plate 2, a pot 1, a soapbottle 3, a spatula 1, a spoon 3, a spoon 2, a spoon 1, a winebottle 3, and a winebottle 2.\n\n", + "Action: take apple 1 from diningtable 1\n", + "Observation: You pick up the apple 1 from the diningtable 1.\n", + "Action: go to microwave 1\n", + "Observation: The microwave 1 is closed.\n", + "Action: heat apple 1 with microwave 1\n", + "Observation: You heat the apple 1 using the microwave 1.\n", + "Action: go to fridge 1\n", + "Observation: The fridge 1 is open. In it, you see a cup 1, and a egg 1.\n", + "Action: put apple 1 in/on fridge 1\n", + "Observation: You put the apple 1 in/on the fridge 1.\n" + ], + "cool": [ + "Your task is to: cool some pan and put it in stoveburner.\nYou are in the middle of a room. Looking quickly around you, you see a cabinet 16, a cabinet 15, a cabinet 14, a cabinet 13, a cabinet 12, a cabinet 11, a cabinet 10, a cabinet 9, a cabinet 8, a cabinet 7, a cabinet 6, a cabinet 5, a cabinet 4, a cabinet 3, a cabinet 2, a cabinet 1, a coffeemachine 1, a countertop 2, a countertop 1, a diningtable 1, a drawer 5, a drawer 4, a drawer 3, a drawer 2, a drawer 1, a fridge 1, a garbagecan 1, a microwave 1, a safe 1, a sinkbasin 1, a stoveburner 4, a stoveburner 3, a stoveburner 2, a stoveburner 1, and a toaster 1.\n", + "Action: go to stoveburner 1\n", + "Observation: On the stoveburner 1, you see nothing.\n", + "Action: go to stoveburner 2\n", + "Observation: On the stoveburner 2, you see a pot 1.\n", + "Action: go to stoveburner 3\n", + "Observation: On the stoveburner 3, you see a pan 1.\n", + "Action: take pan 1 from stoveburner 3\n", + "Observation: You pick up the pan 1 from the stoveburner 3.\n", + "Action: go to fridge 1\n", + "Observation: The fridge 1 is closed.\n", + "Action: cool pan 1 with fridge 1\n", + "Observation: You cool the pan 1 using the fridge 1.\n", + "Action: go to stoveburner 1\n", + "Observation: On the stoveburner 1, you see nothing.\n", + "Action: put pan 1 in/on stoveburner 1\n", + "Observation: You put the pan 1 in/on the stoveburner 1.\n" + ], + "puttwo": [ + "Your task is to: put two cellphone in sofa.\nYou are in the middle of a room. Looking quickly around you, you see a coffeetable 1, a diningtable 1, a drawer 4, a drawer 3, a drawer 2, a drawer 1, a dresser 1, a garbagecan 1, a sidetable 2, a sidetable 1, and a sofa 1.\n", + "Action: go to coffeetable 1\n", + "Observation: On the coffeetable 1, you see a box 1, a cellphone 3, and a plate 1.\n", + "Action: take cellphone 3 from coffeetable 1\n", + "Observation: You pick up the cellphone 3 from the coffeetable 1.\n", + "Action: go to sofa 1\n", + "Observation: On the sofa 1, you see a newspaper 2, a pillow 1, a remotecontrol 2, and a remotecontrol 1.\n", + "Action: put cellphone 3 in/on sofa 1\n", + "Observation: You put the cellphone 3 in/on the sofa 1.\n", + "Action: go to diningtable 1\n", + "Observation: On the diningtable 1, you see a cellphone 2, a keychain 2, a laptop 1, a statue 2, and a statue 1.\n", + "Action: take cellphone 2 from diningtable 1\n", + "Observation: You pick up the cellphone 2 from the diningtable 1.\n", + "Action: go to sofa 1\n", + "Observation: On the sofa 1, you see a cellphone 3, a newspaper 2, a pillow 1, a remotecontrol 2, and a remotecontrol 1.\n", + "Action: put cellphone 2 in/on sofa 1\n", + "Observation: You put the cellphone 2 in/on the sofa 1.\n" + ], + "examine": [ + "Your task is to: look at statue under the desklamp.\nYou are in the middle of a room. Looking quickly around you, you see a coffeetable 1, a diningtable 1, a drawer 4, a drawer 3, a drawer 2, a drawer 1, a dresser 1, a garbagecan 1, a sidetable 2, a sidetable 1, and a sofa 1.\n", + "Action: go to dresser 1\n", + "Observation: On the dresser 1, you see a cellphone 3, a newspaper 2, a statue 1, and a television 1.\n", + "Action: take statue 1 from dresser 1\n", + "Observation: You pick up the statue 1 from the dresser 1.\n", + "Action: go to sidetable 1\n", + "Observation: On the sidetable 1, you see nothing.\n", + "Action: go to sidetable 2\n", + "Observation: On the sidetable 2, you see a desklamp 3, a newspaper 1, and a statue 2.\n", + "Action: use desklamp 3\n", + "Observation: You turn on the desklamp 3.\n" + ] + }, + "system_msg": "You are a helpful assistant.", + "instruction": "Your task is to interact with a virtual household simulator to accomplish a specific task. With each interaction, you will receive an observation.\nYour role is to decide on an action based on the observation. Please ensure that any objects ('{obj}') and receptacles ('{recep}') you mention in your response are present in the observation provided.\n\nHere are the available actions you can take:\n- 'take {obj} from {recep}'\n- 'put {obj} in/on {recep}'\n- 'open {recep}'\n- 'close {recep}'\n- 'toggle {obj}/{recep}'\n- 'clean {obj} using {recep}'\n- 'cool {obj} using {recep}'\n- 'heat {obj} using {recep}'\n- 'inventory'\n- 'examine {recep}/{obj}'\n- 'go to {recep}'\n" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/babyai_vanilla_prompt.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/babyai_vanilla_prompt.json new file mode 100644 index 00000000..41711cfc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/babyai_vanilla_prompt.json @@ -0,0 +1,5 @@ +{ + "examples": ["Observation: In front of you in this room, you can see several objects: The room has walls around you. You are facing a wall 1 steps away. You are not carrying anything.\nAction: move forward\nObservation: There is a barrier in front of you, you can't move forward.\nAction: turn right\nObservation: In front of you in this room, you can see several objects: The room has walls around you. You are facing a wall 2 steps away. You are not carrying anything.\nAction: move forward\nObservation: In front of you in this room, you can see several objects: The room has walls around you. You are facing a wall 1 steps away. You are not carrying anything.\nAction: turn left\nObservation: In front of you in this room, you can see several objects: The room has walls around you. You are facing a wall 1 steps away. You are not carrying anything.\nAction: move forward\nObservation: There is a barrier in front of you, you can't move forward.\nAction: turn left\nObservation: In front of you in this room, you can see several objects: There is a grey box 1 3 steps in front of you and 1 steps to your left. There is a grey ball 1 2 steps in front of you and 2 steps to your left. There is a red ball 1 right in front of you 5 steps away. There is a grey key 1 4 steps in front of you and 1 steps to your left. The room has walls around you. You are facing a wall 6 steps away. You are not carrying anything.\nAction: move forward\nObservation: In front of you in this room, you can see several objects: There is a grey box 1 2 steps in front of you and 1 steps to your left. There is a grey ball 1 1 steps in front of you and 2 steps to your left. There is a red ball 1 right in front of you 4 steps away. There is a grey key 1 3 steps in front of you and 1 steps to your left. The room has walls around you. You are facing a wall 5 steps away. You are not carrying anything.\nAction: move forward\nObservation: In front of you in this room, you can see several objects: There is a grey box 1 1 steps in front of you and 1 steps to your left. There is a grey ball 1 0 steps in front of you and 2 steps to your left. There is a red ball 1 right in front of you 3 steps away. There is a grey key 1 2 steps in front of you and 1 steps to your left. The room has walls around you. You are facing a wall 4 steps away. You are not carrying anything.\nAction: move right\nObservation: The action is not recognized. Please check valid actions.\nAction: check valid actions\nObservation: You can take the following actions: turn left, turn right, move forward, pickup grey box 1, pickup grey ball 1, pickup red ball 1, pickup grey key 1, go to grey box 1, go to grey ball 1, go to red ball 1, go to grey key 1, check available actions\nAction: go to red ball 1\nObservation: In front of you in this room, you can see several objects: There is a red ball 1 right in front of you 1 steps away. There is a grey key 1 0 steps in front of you and 1 steps to your left. The room has walls around you. You are facing a wall 2 steps away. You are not carrying anything.\nThe task is completed.\n"], + "instruction": "You are placed in a room and you need to accomplish the given goal with actions. \n\nYou can use the following actions: \n\n- turn right \n\n- turn left \n\n- move forward \n\n- go to \n\n- pick up \n\n- go through : must be an open door. \n\n- toggle and go through : can be a closed door or a locked door. If you want to open a locked door, you need to carry a key that is of the same color as the locked door. \n\n- toggle: there is a closed or locked door right in front of you and you can toggle it. \n", + "system_msg": "You are an exploration master that wants to finish every goal you are given." +} diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/game24_vanilla_prompt.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/game24_vanilla_prompt.json new file mode 100644 index 00000000..16f8a07e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/game24_vanilla_prompt.json @@ -0,0 +1,5 @@ +{ + "examples": ["Goal is to get 24. Observation: Numbers left: 1, 2, 3, 4\n Action: 1 * 2 \n Observation: Numbers left: 3, 4, 2\n Action: 3 * 4 \n Observation: Numbers left: 2, 12\n Action: 2 * 12 \n Observation: Numbers left: 24 .Goal reached!"], + "instruction": "You are given a set of numbers and you have to combine them using the four basic operations (+, -, *, /) to get a given goal number. You can only use each number once. Every time you use two numbers, you get a new number, which must be an integer. You would use this number along with other unused number to proceed the process. Each action must follow this format:\n + : add two intergers a and b, substitute a, b for available number. \n * : multiple two intergers a and b, substitute a, b for available number. \n / : divide a by b, substitute a, b for available number.\n - : minus b from a, substitute a, b for available number. \n", + "system_msg": "You are an master in math." +} diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/jericho_vanilla_prompt.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/jericho_vanilla_prompt.json new file mode 100644 index 00000000..7c6e97dd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/jericho_vanilla_prompt.json @@ -0,0 +1,5 @@ +{ + "examples": ["Goal: You are the warrior Link that needs to save the princess from the castle.\nObservation: You are at the path leading to the castle. The castle is to your north. There is a barrel in front of you. \nAction: Examine barrel\nObservation: There is a gleaming elvish sword. \nAction: take the sword\nObservation: The sword is taken\nAction: north\nObservation: Main hall \n The castle is dimly lit, with lava flowing in many places. There is a staircase leading up to princess bedroom, a door to your north leading to the kitchen hall, and the door you just entered on your south\nAction: check valid actions\nObservation: south, north, up, look, examine staircase\nAction: up\nObservation: Princess’s bedroom. Princess is sleeping in bed. \nAction: check valid actions\nObservation: wake up the princess, take out sword, down\nAction: wake up the princess\nObservation: The princess wake up from the coma. Thank you my knight, she says. The task is finished."], + "instruction": "You are in a fictional game environment and you need to accomplish goals by performing actions. Each action is a simple phrase. Here are the actions you can do: \nInventory: check things you are carrying\nLook: check your surroundings\nExamine : check the details of something\nTake : pickup obj\n Put down : leave a obj at your current place.\n Drop \nCheck valid actions: Check actions you can use\nSouth: go south\nNorth: go north\nEast: go east\nWest: go west\nUp: go up\nDown: go down\nOther available actions could be determined through check valid actions.\n", + "system_msg": "You are a game master in fictional text games." +} diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/movie_prompt.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/movie_prompt.json new file mode 100644 index 00000000..f63e37ef --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/movie_prompt.json @@ -0,0 +1,7 @@ +{ + "instruction": "We detail name, description, input(parameters) and output(returns) of each action as follows:\nName: get_search_movie(movie_name)\nDescription: Search for a movie by name and return basic details\nParameters:\n- movie_name (Type: string): The name of the movie to search for.\nReturns:\n- id : The ID of the found movie.\n- overview : The overview description of the movie.\n- title : The title of the movie.\n\nName: get_movie_details(movie_id)\nDescription: Get detailed information about a movie by ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- budget : The budget of the movie.\n- genres : The genres of the movie.\n- revenue : The revenue of the movie.\n- vote_average : The average vote score of the movie.\n- release_date : The release date of the movie.\n\nName: get_movie_production_companies(movie_id)\nDescription: Get the production companies of a movie by its ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- production_companies : The production companies of the movie.\n\nName: get_movie_production_countries(movie_id)\nDescription: Get the production countries of a movie by its ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- production_countries : The production countries of the movie.\n\nName: get_movie_cast(movie_id)\nDescription: Retrieve the list of the top 10 cast members from a movie by its ID.\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- cast : List of the top 10 cast members.\n\nName: get_movie_crew(movie_id)\nDescription: Retrieve the list of crew members (limited to 10) from a movie by its ID. The list primarily includes Director, Producer, and Writer roles.\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- crew : List of the top 10 of crew members\n\nName: get_movie_keywords(movie_id)\nDescription: Get the keywords associated with a movie by ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- keywords : The keywords associated with the movie.\n\nName: get_search_person(person_name)\nDescription: Search for a person by name.\nParameters:\n- person_name (Type: string): The name of the person to search for.\nReturns:\n- id : The ID of the found person.\n- name : The name of the person.\n\nName: get_person_details(person_id)\nDescription: Get detailed information about a person by ID\nParameters:\n- person_id (Type: string): The ID of the person.\nReturns:\n- biography : The biography of the person.\n- birthday : The birthday of the person.\n- place_of_birth : The place of birth of the person.\n\nName: get_person_cast(person_id)\nDescription: Retrieve the top 10 movie cast roles of a person by their ID\nParameters:\n- person_id (Type: string): The ID of the person.\nReturns:\n- cast : A list of movies where the person has acted, limited to top 10\n\nName: get_person_crew(person_id)\nDescription: Retrieve the top 10 movie crew roles of a person by their ID\nParameters:\n- person_id (Type: string): The ID of the person.\nReturns:\n- crew : A list of movies where the person has participated as crew, limited to top 10\n\nName: get_person_external_ids(person_id)\nDescription: Get the external ids for a person by ID\nParameters:\n- person_id (Type: string): The ID of the person.\nReturns:\n- imdb_id : The IMDB id of the person.\n- facebook_id : The Facebook id of the person.\n- instagram_id : The Instagram id of the person.\n- twitter_id : The Twitter id of the person.\n\nName: get_movie_alternative_titles(movie_id)\nDescription: Get the alternative titles for a movie by ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- titles : The alternative titles of the movie.\n- id : The ID of the movie.\n\nName: get_movie_translation(movie_id)\nDescription: Get the description translation for a movie by ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- translations : The description translation of the movie.\n- id : The ID of the movie.\n\nName: check_valid_actions()\nDescription: Get supported actions for current tool.\nReturns:\n- actions (Type: array): Supported actions for current tool.\n\nName: finish(answer)\nDescription: Return an answer and finish the task\nParameters:\n- answer (Type: ['string', 'number', 'array']): The answer to be returned\n\n\nIf you are finished, you will call \"finish\" action\nPlease refer to the format of examples below to solve the requested goal. Your response must be in the format of \"Action: [your action] with Action Input: [your action input]\"", + "examples": [ + "Goal: When did the movie Scream 6 come out?\n\nAction: get_search_movie with Action Input: {\"movie_name\": \"Scream 6\"}\nObservation: {'id': 934433, 'overview': 'Following the latest Ghostface killings, the four survivors leave Woodsboro behind and start a fresh chapter.', 'title': 'Scream VI'}\nAction: get_movie_details with Action Input: {\"movie_id\": \"934433\"}\nObservation: {'budget': 35000000, 'genres': [{'id': 27, 'name': 'Horror'}, {'id': 53, 'name': 'Thriller'}, {'id': 9648, 'name': 'Mystery'}], 'revenue': 168961389, 'vote_average': 7.175, 'release_date': '2023-03-08'}\nAction: finish with Action Input: {\"answer\": \"2023-03-08\"}\nObservation: 2023-03-08\n" + ], + "system_msg": "You can use actions to help people solve problems.\n" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/pddl_vanilla_prompt.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/pddl_vanilla_prompt.json new file mode 100644 index 00000000..e832a7b0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/pddl_vanilla_prompt.json @@ -0,0 +1,18 @@ +{ + "blockworld": { + "examples": [" Goal: The goal is to satisfy the following conditions: b1 is on b2., b2 is on b3.\nObservation: b1 is on the table. b2 is on the table. B3 is on the table. Robot arm is empty. The b1 is clear. The b2 is clear. The b3 is clear. \nAction: pickup b2\nObservation: b1 is on the table. B2 is on the table. The b1 is clear. The b3 is clear. You are holding b2. \nAction: stack b2 b3\nObservation: b1 is on the table. b1 is on b2. B3 is on the table. Robot arm is empty. The b1 is clear. The b2 is clear. \nAction: pickup b2. \nObservation: The action is not valid and therefore takes no effect. Please remember to satisfy the restriction of actions. You can also check valid actions. \n Action: check valid actions. \n Observation: valid actions are: pickup b2, unstack b1 b2.\nAction: pickup b1\nObservation: b2 is on b3. B3 is on the table. Robot arm is empty. The b2 is clear. You are holding b1. \nAction: stack b1 b2\nObservation: b1 is on b2. b2 is on b3. B3 is on the table. Robot arm is empty. The b1 is clear. The goal is satisfied.\n"], + "instruction": "The robot has four actions: pickup, putdown, stack, and unstack. The domain assumes a world where there are a set of blocks that can be stacked on top of each other, an arm that can hold one block at a time, and a table where blocks can be placed.\n The actions defined in this domain include:\n pickup : allows the arm to pick up a block from the table if it is clear and the arm is empty. After the pickup action, the arm will be holding the block, and the block will no longer be on the table or clear.\n putdown : allows the arm to put down a block on the table if it is holding a block. After the putdown action, the arm will be empty, and the block will be on the table and clear.\n stack : allows the arm to stack a block on top of another block if the arm is holding the top block and the bottom block is clear. After the stack action, the arm will be empty, the top block will be on top of the bottom block, and the bottom block will no longer be clear.\n unstack : allows the arm to unstack a block from on top of another block if the arm is empty and the top block is clear. After the unstack action, the arm will be holding the top block, the top block will no longer be on top of the bottom block, and the bottom block will be clear.\n", + "system_msg": "You are a master in planning."}, + "barman": { + "examples": ["The goal is to satisfy the following conditions: shot1 contains cocktail1. \nObservation: Cocktail1 part1 ingredient is ingredient1. Cocktail1 part2 ingredient is ingredient3. Cocktail2 part1 ingredient is ingredient2. Cocktail2 part2 ingredient is ingredient3. Cocktail3 part1 ingredient is ingredient1. Cocktail3 part2 ingredient is ingredient2. Dispenser1 dispenses ingredient1. Dispenser2 dispenses ingredient2. Dispenser3 dispenses ingredient3. Left hand is empty. Level l0 is next to level l1. Level l1 is next to level l2. Right hand is empty. Shaker1 is at empty level l0. Shaker1 is at level l0. Shaker1 is clean. Shaker1 is empty. Shaker1 is on the table. Shot1 is clean. Shot1 is empty. Shot1 is on the table. Shot2 is clean. Shot2 is empty. Shot2 is on the table. Shot3 is clean. Shot3 is empty. Shot3 is on the table. Shot4 is clean. Shot4 is empty. Shot4 is on the table.\nAction: check valid actions\nObservation: Valid actions are: right grasp shot1. , left grasp shot3. , left grasp shot1. , left grasp shot2. , right grasp shaker1. , right grasp shot4. , right grasp shot3. , right grasp shot2. , left grasp shaker1. , left grasp shot4. , check valid actions\nAction: right grasp shot1.\nObservation: You are holding right.\nAction: fill-shot glass shot1 with ingredient3 with right and left holding dispenser3\nObservation: Shot1 contains ingredient3. \nAction: check valid actions\nObservation: Valid actions are: pour-shot-to-clean-shaker from a shot glass shot1 with ingredient3 to a clean shaker shaker1 with hand right from level l0 to level l1, left grasp shot3. , left grasp shot2. , use hand right to empty-shot glass shot1 with beverage ingredient3. , right leave shot1. , left grasp shaker1. , left grasp shot4. , check valid actions\nAction: pour-shot-to-clean-shaker from a shot glass shot1 with ingredient3 to a clean shaker shaker1 with hand right from level l0 to level l1\nObservation: Pour shot1 from a shot glass to a used shaker ingredient3 Shaker1 contains ingredient3. \nAction: clean-shot glass shot1 with ingredient3 with hand right holding shot glass and left\nObservation: Shot1 is clean. \nAction: fill-shot glass shot1 with ingredient1 with right and left holding dispenser1\nObservation: Shot1 contains ingredient1.\nAction: pour-shot-to-used-shaker from a shot glass shot1 with ingredient1 to a used shaker shaker1 with hand right from level l1 to level l2\nObservation: Pour shot1 from a shot glass to a used shaker ingredient1 Shaker1 contains ingredient1. Shaker1 contains ingredient3. Shaker1 is at empty level l0. Shaker1 is at level l2. Shaker1 is on the table. Shaker1 is unshaked.\nAction: clean-shot glass shot1 with ingredient1 with hand right holding shot glass and left\nObservation: Shot1 is clean. \nAction: right leave shot1\nObservation: Right hand is empty.\nAction: right grasp shaker1\nObservation: You are holding right.\nAction: shake a cocktail cocktail1 with ingredient ingredient1 and ingredient ingredient3 in a shaker shaker1 with hand right and hand left\nObservation: Shaker1 is shaked.\nAction: pour-shaker-to-shot to a shot glass cocktail1 the ingredient shot1 with hand right from shaker shaker1 from level l2 to level l1\nObservation: Shot1 contains cocktail1. The task is completed."], + "instruction": "You are a robot barman that manipulates drink dispensers, shot glasses and a shaker. You have two hands. The goal is to find a plan that serves a desired set of drinks. Here are the actions you can do. Each valid action is a short phrase following fixed patterns:\n\n grasp : Grasp a container\n leave : Leave a container on the table\n fill-shot : Fill a shot glass with an ingredient from dispenser\n refill-shot : Refill a shot glass with an ingredient from dispenser\n empty-shot : Empty a shot glass\n clean-shot : Clean a shot glass\n pour-shot-to-clean-shaker : Pour an ingredient from a shot glass to a clean shaker from level1 to level2\n pour-shot-to-used-shaker : Pour an ingredient from a shot glass to a used shaker from level1 to level2\n empty-shaker : Empty a shaker containing cocktail from level1 to level2\n clean-shaker : Clean a shaker\n shake : Shake a cocktail in a shaker\n pour-shaker-to-shot : Pour a beverage from a shaker to a shot glass from level1 to level2\n\n You have the following restrictions on your actions:\n You can only grasp a container if your hand is empty and it is on the table.\n You can only leave a container if you are holding it.\n You can only fill a shot glass if you are holding the shot glass, your other hand is empty, the shot glass is empty and clean.\n You can only refill a shot glass if you are holding the shot glass, your other hand is empty, the shot glass is empty and has contained the saree ingredient before.\n You can only empty a shot glass if you are holding the shot glass and it contains a beverage.\n You can only pour from a shot glass to a clean shaker if you are holding the shot glass, the shot glass contains an ingredient, and the shaker is empty and clean.\n You can only pour from a shot glass to a used shaker if you are holding the shot glass, the shot glass contains an ingredient, the shaker is unshaked and at a level not full.\n You can only empty a shaker if you are holding the shaker and the shaker contains a shaked beverage.\n You can only clean a shaker if you are holding the shaker, your other hand is empty, and the shaker is empty.\n You can only shake a cocktail if you are holding the shaker, your other hand is empty, the shaker is unshaked, and the shaker contains two ingredients, and both ingredients are parts of a cocktail.\n You can only pour from a shaker to a shot glass if you are holding the shaker, the shaker contains the cocktail, the shaker is shaked, and the shot glass is empty and clean.\n\n Once you grasp a container, you are holding the container and the container is not on the table.\n Once you leave a container on the table, your hand become empty.\n Once you pour an ingredient from a shot glass to a shaker, the shaker contains the ingredient and is at one level above the previous level, and the shot glass becomes empty.\n Once you empty a shaker, the shaker is at the empty level.\n Once you shake, the two ingredients in the shaker become a cocktail.\n Once you pour from a shaker to a shot glass, the shot glass contains the beverage in the shaker, the shot glass is no longer clean and empty, and the shaker is at one level below the previous level.\n", + "system_msg": "You are a master in planning."}, + "gripper": { + "examples": ["The goal is to satisfy the following conditions: ball1 is at roomb. , ball2 is at roomb. , ball3 is at roomb. \nObservation: Ball1 is a ball. Ball1 is at rooma. Ball2 is a ball. Ball2 is at rooma. Ball3 is a ball. Ball3 is at rooma. Left is a gripper. Left is free. Right is a gripper. Right is free. Robby is at rooma. Room rooma Room roomb\nAction: Pick up ball1 at rooma with arm right.\nObservation: Ball1 is a ball. Ball1 is carrying right. Ball2 is a ball. Ball2 is at rooma. Ball3 is a ball. Ball3 is at rooma. Left is a gripper. Left is free. Right is a gripper. Robby is at rooma. Room rooma Room roomb\nAction: Pick up ball2 at rooma with arm left.\nObservation: Ball1 is a ball. Ball1 is carrying right. Ball2 is a ball. Ball2 is carrying left. Ball3 is a ball. Ball3 is at rooma. Left is a gripper. Right is a gripper. Robby is at rooma. Room rooma Room roomb\nAction: Move from rooma to roomb\nObservation: Ball1 is a ball. Ball1 is carrying right. Ball2 is a ball. Ball2 is carrying left. Ball3 is a ball. Ball3 is at rooma. Left is a gripper. Right is a gripper. Robby is at roomb. Room rooma Room roomb\nAction: drop ball1 at rooma with arm right\nObservation: The action is not valid and therefore takes no effect. Please remember to satisfy the restriction of actions. You can also check valid actions.\nAction: check valid actions\nObservation: Valid actions are: drop ball1 roomb right, drop ball2 roomb left, Move from roomb to rooma. , check valid actions\nAction: drop ball1 roomb right\nObservation: Ball1 is a ball. Ball1 is at roomb. Ball2 is a ball. Ball2 is carrying left. Ball3 is a ball. Ball3 is at rooma. Left is a gripper. Right is a gripper. Right is free. Robby is at roomb. Room rooma Room roomb\nAction: drop ball2 roomb left\nObservation: Ball1 is a ball. Ball1 is at roomb. Ball2 is a ball. Ball2 is at roomb. Ball3 is a ball. Ball3 is at rooma. Left is a gripper. Left is free. Right is a gripper. Right is free. Robby is at roomb. Room rooma Room roomb\nAction: move from roomb to rooma\nObservation: Ball1 is a ball. Ball1 is at roomb. Ball2 is a ball. Ball2 is at roomb. Ball3 is a ball. Ball3 is at rooma.Left is a gripper. Left is free. Right is a gripper. Right is free. Robby is at rooma. Room rooma Room roomb\nAction: Pick up ball3 at rooma with arm right.\nObservation: Ball1 is a ball. Ball1 is at roomb. Ball2 is a ball. Ball2 is at roomb. Ball3 is a ball. Ball3 is carrying right. Left is a gripper. Left is free. Right is a gripper. Robby is at rooma. Room rooma Room roomb\nAction: Move from rooma to roomb\nObservation: Ball1 is a ball. Ball1 is at roomb. Ball2 is a ball. Ball2 is at roomb. Ball3 is a ball. Ball3 is carrying right. Ball4 is a ball. Ball4 is at rooma. Left is a gripper. Left is free. Right is a gripper. Robby is at roomb. Room rooma Room roomb\nAction: drop ball3 rooms right\nObservation: Ball1 is a ball. Ball1 is at roomb. Ball2 is a ball. Ball2 is at roomb. Ball3 is a ball. Ball3 is at roomb. Ball4 is a ball. Ball4 is at rooma. Left is a gripper. Left is free. Right is a gripper. Right is free. Robby is at roomb. Room rooma Room roomb. The task is completed."], + "instruction": "You are a robot with a gripper that can move objects between different rooms. Your name is Robby.\n There are three actions defined in this domain:\n move : This action allows the robot to move from one room to another.The action has a single precondition, which is that the robot is currently in a room. The effect of this action is to move the robot to another room and to remove the fact that it is in the original room.\n pick : This action allows the robot to pick up an object using the gripper. The action has three preconditions: (1) the object is located in a room (2) the robot is currently in the same room and (3) the gripper is free (i.e., not holding any object). The effect of this action is to update the state of the world to show that the robot is carrying the object using the gripper, the object is no longer in the room, and the gripper is no longer free.\n drop : This action allows the robot to drop an object that it is carrying. The action has two preconditions: (1) the robot is currently carrying the object using the gripper, and (2) the robot is currently in a room. The effect of this action is to update the state of the world to show that the robot is no longer carrying the object using the gripper, the object is now located in the room, and the gripper is now free.\n", + "system_msg": "You are a master in moving objects."}, + "tyreworld": { + "examples": ["The goal is to satisfy the following conditions: w1 is in boot. (Note you need to open boot first so that you can extract tools from it.)\nObservation: Boot is closed. Boot is unlocked. Hub the-hub1 is fastened. Hub the-hub1 is on the ground. Jack is in boot. Pump is in boot. R1 is in boot. The nut nuts1 on the hub the-hub1 is tight. Wheel r1 is intact. Wheel r1 is not inflated. Wheel w1 is on hub the-hub1. Wrench is in boot.\nAction: check valid actions.\nObservation: Valid actions are: Open boot. Check valid actions. Look around.\nAction: Open boot.\nObservation: Boot is open. \nAction: fetch wrench from boot\nObservation: You have wrench.\nAction: check valid actions\nObservation: Valid actions are: Fetch pump from boot., Fetch r1 from boot., Put-away wrench in boot., Close boot., Fetch jack from boot., Loosen the nut nuts1 on the hub the-hub1., check valid actions\nAction: Loosen the nut nuts1 on the hub the-hub1.\nObservation: The nut nuts1 on the hub the-hub1 is loose. \nAction: fetch jack from boot\nObservation: You have jack. \nAction: jack-up the hub the-hub1\nObservation: Hub the-hub1 is not on the ground. \nAction: Undo the fastening of the nut nuts1 on the hub the-hub1.\nObservation: Hub the-hub1 is unfastened. \nAction: Remove-wheel w1 from the hub the-hub1.\nObservation: You have w1. \nAction: Put-away w1 in boot\nObservation: W1 is in boot. Goal is completed."], + "instruction": "Your goal is to replace flat tyres with intact tyres on the hubs. Remember to open boot first to get tools you need. Intact tyres should be inflated. The nuts should be tight on the hubs. The flat tyres, wrench, jack, and pump should be in the boot. The boot should be closed.\n There are 13 actions defined in this domain:\n open : The precondition for this action is that the container is unlocked and closed. The effect of this action is that the container is open and not closed.\n close : The precondition for this action is that the container is open. The effect of this action is that the container is closed and not open.\n fetch : The precondition for this action is that the object is inside the container and the container is open. The effect of this action is that the object is held by the agent and not inside the container.\n put-away : The precondition for this action is that the object is held by the agent and the container is open. The effect of this action is that the object is inside the container and not held by the agent.\n loosen : The precondition for this action is that the agent has a wrench, the nut on hub is tight, and the hub is on the ground. The effect of this action is that the nut on hub is loose and not tight.\n tighten : The precondition for this action is that the agent has a wrench, the nut on hub is loose, and the hub is on the ground. The effect of this action is that the nut on hub is tight and not loose.\n jack-up : This action represents the process of lifting a hub off the ground using a jack. It requires the agent to have a jack and for the hub to be on the ground. After performing this action, the hub will no longer be on the ground and the agent will no longer have the jack.\n jack-down : This action represents the process of lowering a hub back to the ground from an elevated position using a jack. It requires the agent to have the hub off the ground. After performing this action, the hub will be back on the ground and the agent will have the jack.\n undo : This action undo the fastening of a nut on a hub. The preconditions are the hub is not on the ground (i.e., it has been jacked up), the hub is fastened, the agent has a wrench and the nut is loose. The effects are the agent has the nut, the hub is unfastened, the hub is no longer loose and the hub is not fastened anymore.\n do-up : This action fasten a nut on a hub. The preconditions are the agent has a wrench, the hub is unfastened, the hub is not on the ground (i.e., it has been jacked up) and the agent has the nut to be fastened. The effects are the nut is now loose on the hub, the hub is fastened, the hub is no longer unfastened and the agent no longer has the nut.\n remove-wheel : This action removes a wheel from a hub. It can only be performed if the hub is not on the ground, the wheel is currently on the hub, and the hub is unfastened. After the action is performed, the agent will have the removed wheel and the hub will be free, meaning that the wheel is no longer on the hub.\n put-on-wheel : This action puts a wheel onto a hub. It can only be performed if the agent has the wheel, the hub is free, the hub is unfastened, and the hub is not on the ground. After the action is performed, the wheel will be on the hub, the hub will no longer be free, and the agent will no longer have the wheel.\n inflate : This action inflates a wheel using a pump. It can only be performed if the agent has a pump, the wheel is not inflated, and the wheel is intact. After the action is performed, the wheel will be inflated.\n", + "system_msg": "You are a master in car repair."} +} diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/scienceworld_base.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/scienceworld_base.json new file mode 100644 index 00000000..4d312956 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/scienceworld_base.json @@ -0,0 +1 @@ +{"examples": "Task Description: Your task is to boil water. For compounds without a boiling point, combusting the substance is also acceptable. First, focus on the substance. Then, take actions that will cause it to change its state of matter.\n\nACTION: look around\nOBSERVATION: This room is called the hallway. In it, you see: \n\ta picture\n\ta substance called air\n\tthe agent\nYou also see:\n\tA door to the green house (that is open)\n\tA door to the living room (that is open)\n\tA door to the art studio (that is open)\n\tA door to the kitchen (that is open)\n\tA door to the bedroom (that is open)\n\tA door to the workshop (that is open)\n\nACTION: open door to kitchen\nOBSERVATION: The door is already open.\n\nACTION: go to kitchen\nOBSERVATION: You move to the kitchen.\n\nACTION: look around\nOBSERVATION: This room is called the kitchen. In it, you see: \n\ta substance called soap\n\ta painting\n\ta thermometer, currently reading a temperature of 10 degrees celsius\n\ta counter. On the counter is: a bowl (containing a banana, a potato, a red apple, an orange), a drawer.\n\ta sink, which is turned off. In the sink is: nothing.\n\ta table. On the table is: a glass cup (containing nothing).\n\ta chair. On the chair is: nothing.\n\ta freezer. The freezer door is closed. \n\ta lighter\n\ta stopwatch, which is deactivated. \n\ta fridge. The fridge door is closed. \n\ta substance called air\n\ta cupboard. The cupboard door is closed. \n\ta oven, which is turned off. The oven door is closed. \n\ta glass jar (containing a substance called sodium chloride)\n\tthe agent\n\ta stove, which is turned off. On the stove is: nothing.\nYou also see:\n\tA door to the outside (that is open)\n\tA door to the bathroom (that is open)\n\tA door to the hallway (that is open)\n\nACTION: pick up thermometer\nOBSERVATION: You move the thermometer to the inventory.\n\nACTION: open cupboard\nOBSERVATION: The cupboard is now open.\n\nACTION: pick up metal pot\nOBSERVATION: You move the metal pot to the inventory.\n\nACTION: look around\nOBSERVATION: This room is called the kitchen. In it, you see: \n\ta substance called soap\n\ta painting\n\ta counter. On the counter is: a bowl (containing a banana, a potato, a red apple, an orange), a drawer.\n\ta sink, which is turned off. In the sink is: nothing.\n\ta table. On the table is: a glass cup (containing nothing).\n\ta chair. On the chair is: nothing.\n\ta freezer. The freezer door is closed. \n\ta lighter\n\ta stopwatch, which is deactivated. \n\ta fridge. The fridge door is closed. \n\ta substance called air\n\ta cupboard. The cupboard door is open. In the cupboard is: a tin cup (containing nothing), a ceramic cup (containing nothing), a drawer.\n\ta oven, which is turned off. The oven door is closed. \n\ta glass jar (containing a substance called sodium chloride)\n\tthe agent\n\ta stove, which is turned off. On the stove is: nothing.\nYou also see:\n\tA door to the outside (that is open)\n\tA door to the bathroom (that is open)\n\tA door to the hallway (that is open)\n\nACTION: move metal pot to sink\nOBSERVATION: You move the metal pot to the sink.\n\nACTION: activate sink\nOBSERVATION: The sink is now activated.\n\nACTION: deactivate sink\nOBSERVATION: The sink is now deactivated.\n\nACTION: pick up metal pot\nOBSERVATION: You move the metal pot to the inventory.\n\nACTION: focus on substance in metal pot\nOBSERVATION: You focus on the water.\n\nACTION: pour metal pot into metal pot\nOBSERVATION: You can't move something into itself.\n\nACTION: pick up metal pot\nOBSERVATION: You move the metal pot to the inventory.\n\nACTION: move metal pot to stove\nOBSERVATION: You move the metal pot to the stove.\n\nACTION: activate stove\nOBSERVATION: The stove is now activated.\n\nACTION: examine substance in metal pot\nOBSERVATION: a substance called water\n\nACTION: use thermometer in inventory on substance in metal pot\nOBSERVATION: the thermometer measures a temperature of 13 degrees celsius\n\nACTION: examine substance in metal pot\nOBSERVATION: a substance called water\n\nACTION: use thermometer in inventory on substance in metal pot\nOBSERVATION: the thermometer measures a temperature of 20 degrees celsius\n\nACTION: examine substance in metal pot\nOBSERVATION: a substance called water\n\nACTION: use thermometer in inventory on substance in metal pot\nOBSERVATION: the thermometer measures a temperature of 28 degrees celsius\n\nACTION: examine substance in metal pot\nOBSERVATION: a substance called water\n\nACTION: use thermometer in inventory on substance in metal pot\nOBSERVATION: the thermometer measures a temperature of 38 degrees celsius\n\nACTION: examine substance in metal pot\nOBSERVATION: a substance called water\n\nACTION: use thermometer in inventory on substance in metal pot\nOBSERVATION: the thermometer measures a temperature of 48 degrees celsius\n\nACTION: examine substance in metal pot\nOBSERVATION: a substance called water\n\nACTION: use thermometer in inventory on substance in metal pot\nOBSERVATION: the thermometer measures a temperature of 58 degrees celsius\n\nACTION: examine substance in metal pot\nOBSERVATION: a substance called water\n\nACTION: use thermometer in inventory on substance in metal pot\nOBSERVATION: the thermometer measures a temperature of 68 degrees celsius\n\nACTION: examine substance in metal pot\nOBSERVATION: a substance called water\n\nACTION: use thermometer in inventory on substance in metal pot\nOBSERVATION: the thermometer measures a temperature of 78 degrees celsius\n\nACTION: examine substance in metal pot\nOBSERVATION: a substance called water\n\nACTION: use thermometer in inventory on substance in metal pot\nOBSERVATION: the thermometer measures a temperature of 88 degrees celsius\n\nACTION: examine substance in metal pot\nOBSERVATION: a substance called water\n\nACTION: use thermometer in inventory on substance in metal pot\nOBSERVATION: the thermometer measures a temperature of 98 degrees celsius\n\nACTION: examine steam\nOBSERVATION: a substance called steam\n\nACTION: use thermometer in inventory on steam\nOBSERVATION: the thermometer measures a temperature of 107 degrees celsius\n\nACTION: wait1\nOBSERVATION: You decide to wait for 1 iterations.\n", "instruction": "You are an agent in a virtual science school environment, tasked to interact with various elements. Here are the commands you can use:\n\n- **Manipulation**: \n - `open {OBJ}` / `close {OBJ}`: Interact with a container.\n - `pick up {OBJ}`: Add an object to your inventory.\n - `put down {OBJ}`: Remove an object from your inventory.\n - `move {OBJ} to {OBJ}`: Transfer an object.\n - `pour {OBJ} into {OBJ}`: Pour a substance.\n - `dunk {OBJ} into {OBJ}`: Immerse a container in a liquid.\n - `mix {OBJ}`: Chemically combine contents.\n\n- **Inspection**:\n - `look around`: Survey your surroundings.\n - `look at {OBJ}`: Examine an object closely.\n - `look in {OBJ}`: Peek inside a container.\n - `read {OBJ}`: Review written content.\n\n- **Device Operations**:\n - `activate {OBJ}` / `deactivate {OBJ}`: Toggle a device.\n - `use {OBJ} [on {OBJ}]`: Utilize a device or item.\n\n- **Movement**:\n - `go to {LOC}`: Relocate.\n\n- **Miscellaneous**:\n - `eat {OBJ}`: Consume an edible item.\n - `flush {OBJ}`: Activate a flushing mechanism.\n - `focus on {OBJ}`: Direct attention to a particular object.\n - `wait [DURATION]`: Pause for a specified period.\n\n- **Information**:\n - `task`: Recap your current objective.\n - `inventory`: Display items you're carrying.\n\nWhere:\n- `{OBJ}`: Object\n- `{LOC}`: Location\n- `[DURATION]`: Specified time\n", "system_msg": "You are a helpful agent that interacts with the virtual science school environment to solve the given task. "} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/sheet_prompt.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/sheet_prompt.json new file mode 100644 index 00000000..73b9ef8f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/sheet_prompt.json @@ -0,0 +1,7 @@ +{ + "instruction": "We detail name, description, input(parameters) and output(returns) of each action as follows:\nName: open_sheet(name)\nDescription: Open a sheet by name\nParameters:\n- name (Type: string): The name of the sheet to open.\nReturns:\n- result (Type: object): The opened worksheet object or an error message.\n\nName: del_sheet(name)\nDescription: Deletes the specified sheet.\nParameters:\n- name (Type: string): The name of the sheet to be deleted.\nReturns:\n- result (Type: object): Whether the operation was successful.\n\nName: freeze_data(dimension, num)\nDescription: Freeze rows and/or columns on the worksheet\nParameters:\n- dimension (Type: string): The dimension to freeze, either 'rows' or 'columns'\n- num (Type: integer): Number of rows/cols to freeze.\nReturns:\n- result (Type: object): Whether the operation was successful.\n\nName: get_A1_annotation(row, col)\nDescription: Translate the cell position (row,col) into A1 annotation\nParameters:\n- row (Type: integer): Row index.\n- col (Type: integer): Column index.\nReturns:\n- result (Type: string): The A1 notation of the cell or an error message.\n\nName: insert_cols(values_list, col_idx)\nDescription: Insert columns into sheet at specified column index\nParameters:\n- values_list (Type: array[array[string]]): A list of lists, each list containing one column's values, which can be expressions\n- col_idx (Type: integer): Start column to update. Defaults to 1.\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: insert_rows(values_list, row_idx)\nDescription: Insert rows into sheet at specified row index\nParameters:\n- values_list (Type: array[array[string]]): A list of lists, each list containing one row's values, which can be expressions\n- row_idx (Type: integer): Start row to update. Defaults to 1.\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: delete_batch_data(dimension, index_list)\nDescription: Delete a batch of data in the sheet\nParameters:\n- dimension (Type: string): The dimension to delete, either 'row' or 'col'.\n- index_list (Type: array[integer]): List of the indexes of rows/cols for deletion.\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: update_cell(position, value)\nDescription: Update the value of the cell\nParameters:\n- position (Type: string): A1 notation of the cell position.\n- value: The value to set.\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: update_cell_by_formula(start_position, end_position, position_list, result_position, operator)\nDescription: Update the value of the target cell by applying formulas on some specified cells. Note: Either specify position_list or start_position and end_position.\nParameters:\n- start_position (Type: string): The starting position of the range. Default: 'B1'.\n- end_position (Type: string): The ending position of the range. Default: 'D2'.\n- position_list (Type: array[string]): A list of cell positions in A1 notation.\n- result_position (Type: string): The position of the cell where the result of the formula will be stored in. Default: 'G2'.\n- operator (Type: string): The operator to be applied on selected cells. Choose one from ['SUM', 'AVERAGE', 'COUNT', 'MAX', 'MIN', 'MINUS', 'PRODUCT'].\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: update_range(start_position, end_position, values_list)\nDescription: Update a range of the cells from a list\nParameters:\n- start_position (Type: string): A1 notation of the start cell.\n- end_position (Type: string): A1 notation of the end cell.\n- values_list (Type: array[array[Any]]): List of values to be inserted, which can be expressions\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: sort_sheet_by_col(col_num, order)\nDescription: Sorts the current sheet using given sort orders\nParameters:\n- col_num (Type: integer): The index of the sort column.\n- order (Type: string): The sort order. Possible values are 'asc' or 'des'.\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: merge_cells(start_position, end_position)\nDescription: Merge cells in sheet\nParameters:\n- start_position (Type: string): Starting cell position(top left) in A1 annotation.\n- end_position (Type: string): Ending cell position(bottom right) in A1 annotation.\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: update_note(position, content)\nDescription: Update a note in a certain cell\nParameters:\n- position (Type: string): cell position in A1 annotation.\n- content (Type: string): The text note to insert.\nReturns:\n- result (Type: string): The updated note or an error message.\n\nName: get_all_values()\nDescription: Display all cell values in current sheet\nReturns:\n- result (Type: array[array[Any]]): Return all cell values or an error message.\n\nName: get_range_values(start_position, end_position)\nDescription: Returns a list of cell data from a specified range.\nParameters:\n- start_position (Type: string): Starting cell position in A1 annotation.\n- end_position (Type: string): Ending cell position in A1 annotation.\nReturns:\n- result (Type: array[array[Any]]): List of cell data from the specified range or an error message.\n\nName: get_cell_value(position)\nDescription: Get the value of a specific cell\nParameters:\n- position (Type: string): Cell position in A1 annotation.\nReturns:\n- result : Cell value or an error message.\n\nName: get_value_by_formula(start_position, end_position, position_list, operator)\nDescription: Calculate a value applying formulas on specified cells. Note: Either specify position_list or start_position and end_position.\nParameters:\n- start_position (Type: string): The starting position of the range. Default: 'B1'.\n- end_position (Type: string): The ending position of the range. Default: 'D2'.\n- position_list (Type: array[string]): A list of cell positions in A1 notation.\n- operator (Type: string): The operator to be applied on selected cells. Choose one from ['SUM', 'AVERAGE', 'COUNT', 'MAX', 'MIN', 'MINUS', 'PRODUCT'].\nReturns:\n- result (Type: string): Calculated result or an error message.\n\nName: filter_cells(query, in_row, in_column)\nDescription: Find all cells matching the query, return all cells' position.\nParameters:\n- query (Type: ['string', 're.RegexObject']): A string to match or compiled regular expression.\n- in_row (Type: ['integer', 'None']): Row number to scope the search. Default is all rows\n- in_column (Type: ['integer', 'None']): Column number to scope the search. Default is all columns\nReturns:\n- result (Type: array[string]): List of cell addresses that match the query or an error message.\n\nName: get_note(position)\nDescription: Get the note at the certain cell, or return empty string if the cell does not have a note.\nParameters:\n- position (Type: string): Cell position in A1 annotation.\nReturns:\n- result (Type: string): Note content or an error message.\n\nName: finish()\nDescription: Return an answer and finish the task\nReturns:\n- result (Type: array[array[Any]]): Return all cell values or an error message.\n\n\n\nHere are some common senses you may need: \n1.You should open sheet mentioned in goal before operating it\n2.You should use A1 notation to display the cell position in the sheet.\n3.The col and row are start with 1\n4.freeze the first row before sort col\nPlease refer to the format of examples above to solve the following question. Your response must be in the format of \"Action: [your action] with Action Input: [your action input]\".", + "examples": [ + "Goal: \"Sheet90\" saves the clothing inventory information, please delete items with price changed by more than 25%, update the price of other items.\n\nAction: get_all_values with Action Input: {}\nObservation: [['Category', 'Brand', 'Size', 'Price', 'Stock', 'Price Update'], ['T-shirt', 'Nike', 'M', '25.00', '100', '20.00%'], ['Jeans', \"Levi's\", '32', '59.00', '150', '-10.00%'], ['Shoes', 'Adidas', '8', '99.00', '80', '-45.00%'], ['Bags', 'Louis Vuitton', 'Universal', '699.00', '20', '30.00%'], ['Watches', 'Omega', 'Universal', '999.00', '10', '56.00%']]\nAction: delete_batch_data with Action Input: {\"dimension\": \"row\", \"index_list\": [3, 4, 5]}\nObservation: [['Category', 'Brand', 'Size', 'Price', 'Stock', 'Price Update'], ['T-shirt', 'Nike', 'M', '25.00', '100', '20.00%'], ['Jeans', \"Levi's\", '32', '59.00', '150', '-10.00%']]\nAction: get_value_by_formula with Action Input: {\"position_list\": [\"D2\", \"F2\"], operator=\"PRODUCT\"}\nObservation: 5\nAction: get_value_by_formula with Action Input: {\"position_list\": [\"D3\", \"F3\"], operator=\"PRODUCT\"}\nObservation: -5.9\nAction: update_range with Action Input: {\"start_position\": \"D2\", \"end_position\": \"D3\", values_list=[[25.00 + 5], [59.00 - 5.9]]}\nObservation: [['Category', 'Brand', 'Size', 'Price', 'Stock', 'Price Update'], ['T-shirt', 'Nike', 'M', '30.00', '100', '20.00%'], ['Jeans', \"Levi's\", '32', '53.10', '150', '-10.00%']]\nAction: finish with Action Input: {}\nObservation: [['Category', 'Brand', 'Size', 'Price', 'Stock', 'Price Update'], ['T-shirt', 'Nike', 'M', '30.00', '100', '20.00%'], ['Jeans', \"Levi's\", '32', '53.10', '150', '-10.00%']]\n" + ], + "system_msg": "You can use actions to help people solve problems.\n" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/todo_prompt.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/todo_prompt.json new file mode 100644 index 00000000..49e22ffb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/todo_prompt.json @@ -0,0 +1,7 @@ +{ + "instruction": "We detail name, description, input(parameters) and output(returns) of each action as follows:\nName: get_user_current_date()\nDescription: Get the user's current date.\nReturns:\nThe current date in 'YYYY-MM-DD' format.\n\nName: get_user_current_location()\nDescription: Get the user's current city.\nReturns:\nThe user's current city.\n\nName: get_projects()\nDescription: Get all projects in the Todoist account\nReturns:\n- Array of objects with properties:\n - id (Type: string)\n - name (Type: string)\n - order (Type: integer)\n - color (Type: string)\n - is_favorite (Type: boolean)\n\nName: update_project(project_id, is_favorite)\nDescription: Update a project\nParameters:\n- project_id (Type: string)\n- is_favorite (Type: string, Enum: [True, False])\nReturns:\nInformation of the updated project\n\nName: get_tasks(project_id)\nDescription: Get all tasks for a given project\nParameters:\n- project_id (Type: string)\nReturns:\n- Array of objects with properties:\n - id (Type: string)\n - project_id (Type: string)\n - order (Type: integer)\n - content (Type: string): Name of the task.\n - is_completed (Type: boolean)\n - priority (Type: integer): Task priority from 1 (normal) to 4 (urgent).\n - due_date (Type: string): The due date of the task.\n\nName: get_task_description(task_id)\nDescription: Get the description of a specific task in the Todoist account.\nParameters:\n- task_id (Type: string)\nReturns:\n- id (Type: string): Unique identifier of the task.\n- content (Type: string): Name of the task.\n- description (Type: string): Description of the task. Incluing the Place, Tips, etc.\n\nName: get_task_duration(task_id)\nDescription: Get the duration of a specific task in the Todoist account.\nParameters:\n- task_id (Type: string)\nReturns:\n- id (Type: string)\n- content (Type: string): Name of the task.\n- duration (Type: string): Duration of the task in the format of 'amount(unit)'.\n\nName: complete_task(task_id)\nDescription: Mark a task as completed\nParameters:\n- task_id (Type: string)\nReturns:\ninformation of the completed task\n\nName: update_task(task_id, due_date)\nDescription: Update a task\nParameters:\n- task_id (Type: string)\n- due_date (Type: string)\nReturns:\nInformation of the updated task\n\nName: delete_task(task_id)\nDescription: Delete a specific task from the Todoist account.\nParameters:\n- task_id (Type: string): Unique identifier of the task to delete.\nReturns:\nInformation of the deleted task.\n\nName: check_valid_actions()\nDescription: Get supported actions for current tool.\nReturns:\nSupported actions for current tool.\n\nName: finish(answer)\nDescription: Call this action, when find the answer for the current task or complete essential operations.\nParameters:\n- answer (Type: ['string', 'number', 'array']): If the task is a question answering task, this is the answer to be returned. If the task is an operation task, the answer in 'done'\n\n\nIf you are finished, you will call \"finish\" action\nPlease refer to the format of examples below to solve the requested goal. Your response must be in the format of \"Action: [your action] with Action Input: [your action input]\"", + "examples": [ + "Goal: Is Prepare for history quiz a task of School project? Please answer yes or no.\n\nAction: get_projects with Action Input: {}\nObservation: [{'id': '12345', 'order': 0, 'color': 'charcoal', 'name': 'School', 'is_favorite': false}]\nAction: get_tasks with Action Input: {\"project_id\": \"12345\"}\nObservation: [{'id': '123451', 'order': 0, 'content': 'Prepare for history quiz', 'is_completed': false, 'priority': 1, 'due_date': '2030-10-10'}, {'id': '123452', 'order': 1, 'content': 'Prepare for math quiz', 'is_completed': false, 'priority': 1, 'due_date': '2030-11-10'}]\nAction: finish with Action Input: {\"answer\": \"yes\"}\nObservation: yes\n" + ], + "system_msg": "You can use actions to help people solve problems." +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/weather_prompt.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/weather_prompt.json new file mode 100644 index 00000000..6eff5125 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/weather_prompt.json @@ -0,0 +1,7 @@ +{ + "instruction": "We detail name, description, input(parameters) and output(returns) of each action as follows:\nName: get_user_current_date()\nDescription: Get the user's current date.\nReturns:\nThe current date in 'YYYY-MM-DD' format.\n\nName: get_user_current_location()\nDescription: Get the user's current city.\nReturns:\nThe user's current city.\n\nName: get_historical_temp(latitude, longitude, start_date, end_date)\nDescription: Get historical temperature data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the historical data (YYYY-MM-DD).\n- end_date (Type: string): The end date of the historical data (YYYY-MM-DD).\nReturns:\nHistorical temperature data.\n\nName: get_historical_rain(latitude, longitude, start_date, end_date)\nDescription: Get historical rainfall data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the historical data (YYYY-MM-DD).\n- end_date (Type: string): The end date of the historical data (YYYY-MM-DD).\nReturns:\nHistorical rainfall data.\n\nName: get_historical_snow(latitude, longitude, start_date, end_date)\nDescription: Get historical snowfall data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the historical data (YYYY-MM-DD).\n- end_date (Type: string): The end date of the historical data (YYYY-MM-DD).\nReturns:\nHistorical snowfall data.\n\nName: get_snow_forecast(latitude, longitude, start_date, end_date)\nDescription: Get snowfall forecast data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the forecast (YYYY-MM-DD).\n- end_date (Type: string): The end date of the forecast (YYYY-MM-DD).\nReturns:\nSnowfall forecast data.\n\nName: get_current_snow(latitude, longitude, current_date)\nDescription: Get current snowfall data for a specified location and date.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- current_date (Type: string): The current date to retrieve snowfall data (YYYY-MM-DD).\nReturns:\nCurrent snowfall data.\n\nName: get_current_temp(latitude, longitude, current_date)\nDescription: Get current temperature data for a specified location and date.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- current_date (Type: string): The current date to retrieve temperature data (YYYY-MM-DD).\nReturns:\nCurrent temperature data.\n\nName: get_latitude_longitude(name)\nDescription: Get latitude and longitude information for a specified location name.\nParameters:\n- name (Type: string): The name of the location. (e.g., city name)\nReturns:\nlatitude and longitude information for the specified location.\n\nName: get_elevation(latitude, longitude)\nDescription: Get elevation data for a specified location.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\nReturns:\nElevation data for the specified location.\n\nName: get_temp_forecast(latitude, longitude, start_date, end_date)\nDescription: Get temperature forecast data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the forecast (YYYY-MM-DD).\n- end_date (Type: string): The end date of the forecast (YYYY-MM-DD).\nReturns:\nTemperature forecast data.\n\nName: get_rain_forecast(latitude, longitude, start_date, end_date)\nDescription: Get rainfall forecast data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the forecast (YYYY-MM-DD).\n- end_date (Type: string): The end date of the forecast (YYYY-MM-DD).\nReturns:\nRainfall forecast data.\n\nName: get_current_rain(latitude, longitude, current_date)\nDescription: Get current rainfall data for a specified location and date.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- current_date (Type: string): The current date to retrieve rainfall data (YYYY-MM-DD).\nReturns:\nCurrent rainfall data.\n\nName: get_distance(latitude1, longitude1, latitude2, longitude2)\nDescription: Calculate the distance between two sets of latitude and longitude coordinates.\nParameters:\n- latitude1 (Type: number): The latitude of the first location.\n- longitude1 (Type: number): The longitude of the first location.\n- latitude2 (Type: number): The latitude of the second location.\n- longitude2 (Type: number): The longitude of the second location.\nReturns:\nThe distance between the two sets of coordinates in kilometers.\n\nName: get_historical_air_quality_index(latitude, longitude, start_date, end_date)\nDescription: Get historical air quality index data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the historical data (YYYY-MM-DD).\n- end_date (Type: string): The end date of the historical data (YYYY-MM-DD).\nReturns:\nHistorical air quality index (PM2.5) data.\n\nName: get_current_air_quality_index(latitude, longitude, current_date)\nDescription: Get current air quality index data for a specified location and date.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- current_date (Type: string): The current date to retrieve air quality index data (YYYY-MM-DD).\nReturns:\nCurrent air quality index (PM2.5) data.\n\nName: get_air_quality_level(air_quality_index)\nDescription: Determine the air quality level based on the air quality index (AQI).\nParameters:\n- air_quality_index (Type: number): The air quality index (AQI) value.\nReturns:\nThe air quality level, which can be 'good', 'fair', 'moderate', 'poor', 'very poor', or 'extremely poor'.\n\nName: check_valid_actions()\nDescription: Get supported actions for current tool.\nReturns:\n- actions (Type: array): Supported actions for current tool.\n\nName: finish(answer)\nDescription: Return an answer and finish the task\nParameters:\n- answer (Type: ['string', 'number', 'array']): The answer to be returned\n\n\nIf you want to get the latitude and longitude information of a city, you must call \"get_latitude_longitude\", do not generate it by yourself which maybe wrong.\nIf you are finished, you will call \"finish\" action\nPlease refer to the format of examples below to solve the requested goal. Your response must be in the format of \"Action: [your action] with Action Input: [your action input]\"", + "examples": [ + "Goal: What is the lowest temperature yesterday?\n\nAction: get_user_current_location with Action Input: {}\nObservation: Shanghai\nAction: get_latitude_longitude with Action Input: {\"name\": \"Shanghai\"}\nObservation: {'results': [{'name': 'Shanghai', 'latitude': 31.22222, 'longitude': 121.45806, 'country_code': 'CN'}, {'name': 'Shanghai', 'latitude': 34.85009, 'longitude': -87.08501, 'country_code': 'US'}, {'name': 'Cornelia', 'latitude': 38.64363, 'longitude': -93.73938, 'country_code': 'US'}]}\nAction: get_user_current_date with Action Input: {}\nObservation: 2015-01-02\nAction: get_historical_temp with Action Input: {\"latitude\": 31.22222, \"longitude\": 121.45806, \"start_date\": \"2015-01-01\", \"end_date\": \"2015-01-01\"}\nObservation: {'latitude': 31.200005, 'longitude': 121.5, 'daily_units': {'time': 'iso8601', 'temperature_2m_max': '\u00b0C', 'temperature_2m_min': '\u00b0C', 'temperature_2m_mean': '\u00b0C'}, 'daily': {'time': ['2015-01-01'], 'temperature_2m_max': [4.3], 'temperature_2m_min': [-3.6], 'temperature_2m_mean': [-0.1]}}\nAction: finish with Action Input: {\"answer\": -0.1}\nObservation: -0.1\n" + ], + "system_msg": "You can use actions to help people solve problems.\n" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/webbrowse_vanilla.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/webbrowse_vanilla.json new file mode 100644 index 00000000..9c7c9dec --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/webbrowse_vanilla.json @@ -0,0 +1 @@ +{"examples": "You should perform actions to accomplish the goal: Add a white desk to my wish list\nObservation:\nWINDOWED PAGE:{\nTab 0 (current): One Stop Market\n\n[1] RootWebArea 'One Stop Market' focused: True\n\t[1254] link 'My Wish List'\n\t[2427] StaticText 'Search'\n\t[1585] combobox 'Search' autocomplete: both hasPopup: listbox required: False expanded: False\n\t[2430] link 'Advanced Search'\n\t[1588] button 'Search' disabled: True\n}\nURL: http://onestopmarket.com\n\nAction: @type [1585] [white desk] [press_enter_after=1]@\nObservation:\nWINDOWED PAGE:{\nTab 0 (current): Search results for: 'white desk'\n\n[2635] RootWebArea \"Search results for: 'white desk'\" focused: True\n\t[3869] link 'My Wish List'\n\t[4827] StaticText 'Search'\n\t[4072] combobox 'Search' autocomplete: both hasPopup: listbox required: False expanded: False\n\t\t[5027] StaticText 'white desk'\n\t[4830] link 'Advanced Search'\n\t[4075] button 'Search' disabled: True\n [3729] main ''\n\t\t[3842] heading \"Search results for: 'white desk'\"\n\t\t[3907] StaticText 'Items 1-12 of 38823'\n\t\t[4781] link 'Image'\n\t\t\t[4833] img 'Image'\n\t\t[4783] link 'Image'\n\t\t\t[4849] img 'Image'\n}\nURL: http://onestopmarket.com/catalogsearch/result/?q=white+desk\n\nAction: @scroll [down]@\nObservation:\nWINDOWED PAGE:{\nTab 0 (current): Search results for: 'white desk'\n\n[2635] RootWebArea \"Search results for: 'white desk'\" focused: True\n\t[3729] main ''\n\t\t[4781] link 'Image'\n\t\t\t[4833] img 'Image'\n\t\t[4838] link 'Techni Mobili Rolling Writing Height Adjustable Desktop and Moveable Shelf,White Desk'\n\t\t[5034] StaticText '$123.99'\n\t\t[5038] button 'Add to Cart'\n\t\t[4783] link 'Image'\n\t\t\t[4849] img 'Image'\n\t\t[4853] link 'VIVO Electric Motor Height Adjustable Corner 3 Leg Standing Desk Frame, Frame Only, Sit Stand Ergonomic L Frame, White, DESK-V130EW'\n\t\t[5043] StaticText '$499.99'\n\t\t[5047] button 'Add to Cart'\n [4785] link 'Image'\n\t\t\t[4862] img 'Image'\n\t\t[4787] link 'Image'\n\t\t\t[4875] img 'Image'\n}\nURL: http://onestopmarket.com/catalogsearch/result/?q=white+desk\n\nAction: @scroll [down]@\nObservation:\nWINDOWED PAGE:{\nTab 0 (current): My Wish List\n\n[5381] RootWebArea 'My Wish List' focused: True\n\t[6685] link 'My Wish List 1 items'\n\t[6470] main ''\n\t\t[6605] alert '' live: assertive atomic: True relevant: additions text\n\t\t\t[6777] StaticText 'Techni Mobili Rolling Writing Height Adjustable Desktop and Moveable Shelf,White Desk has been added to your Wish List. Click '\n\t\t\t[6778] link 'here'\n\t\t\t[6779] StaticText ' to continue shopping.'\n}\nURL: http://onestopmarket.com/wishlist/index/index/wishlist_id/5/\n\nAction: @stop [Done]@\nObservation:\nWell Done!\nURL: http://onestopmarket.com/wishlist/index/index/wishlist_id/5/\n", "instruction": "Here's the information you'll have:\nThe user's objective: This is the task you're trying to complete.\nThe current web page's accessibility tree: This is a simplified representation of the windowed webpage, providing key information.\nThe current web page's URL: This is the page you're currently navigating.\nThe open tabs: These are the tabs you have open.\n\nThe useful websites and corresponding URL you can navigate:\n'reddit': \"http://reddit.com\"\n'online shop': \"http://onestopmarket.com\"\n'e-commerce platform': \"http://luma.com/admin\"\n'gitlab': \"http://gitlab.com\"\n'wikipedia': \"http://wikipedia.org\"\n'map': \"http://openstreetmap.org\"\n\nThe actions you can perform fall into several categories:\n\nPage Operation Actions:\n`click [id]`: This action clicks on an element with a specific id on the webpage.\n`type [id] [content] [press_enter_after=0|1]`: Use this to type the content into the field with id. By default, the \"Enter\" key is pressed after typing unless press_enter_after is set to 0.\n`hover [id]`: Hover over an element with id.\n`press [key_comb]`: Simulates the pressing of a key combination on the keyboard (e.g., Ctrl+v).\n`scroll [direction=down|up]`: Scroll the page up or down.\n\nTab Management Actions:\n`new_tab`: Open a new, empty browser tab.\n`tab_focus [tab_index]`: Switch the browser's focus to a specific tab using its index.\n`close_tab`: Close the currently active tab.\n\nURL Navigation Actions:\n`goto [url]`: Navigate to a specific URL.\n`go_back`: Navigate to the previously viewed page.\n`go_forward`: Navigate to the next page (if a previous 'go_back' action was performed).\n\nCompletion Action:\n`stop [answer]`: Apply this action when you believe the task is complete. If it is a operation-type task, use `stop [Done]` when finished. If the objective is to give a text-based answer, provide the answer in the bracket. \n\nTo be successful, it is very important to follow the following rules:\n1. You should only issue an action that is valid given the current observation\n2. You should only issue one action at a time.\n3. Generate the action in the correct format and always put the action inside a pair of @. Such as, @click [1234]@.\n4. Complete the task by interacting with the starting page, and avoid using 'goto' actions casually.\n5. Reasonable inputs will return accurate observations, so do not repeat the same action when unnecessary.\n\n", "system_msg": "You are an autonomous intelligent agent tasked with navigating a web browser. You will be given web-based tasks. These tasks will be accomplished through the use of specific actions you can issue.\n"} diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/webshop_vanilla.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/webshop_vanilla.json new file mode 100644 index 00000000..8cc9aa31 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/VanillaAgent/webshop_vanilla.json @@ -0,0 +1 @@ +{"examples": "You should perform actions to accomplish the goal: i would like a 3 ounce bottle of bright citrus deodorant for sensitive skin, and price lower than 50.00 dollars\nAction: reset[]\nObservation: WEB PAGE: {Let us begin shopping \n[Search]}\n\nAction: search[3 ounce bright citrus deodorant sensitive skin]\nObservation: WEB PAGE: {\n[Back to Search] \nPage 1 (Total results: 15) \n[Next >] \n[B078GWRC1J] \nBright Citrus Deodorant by Earth Mama | Natural and Safe for Sensitive Skin, Pregnancy and Breastfeeding, Contains Organic Calendula 3-Ounce \n$10.99}\n\nAction: click[B078GWRC1J]\nObservation: WEB PAGE: {\n[Back to Search] \n[< Prev] \nscent [assorted scents][bright citrus][calming lavender][ginger fresh][simply non-scents]\nsize [3 ounce (pack of 1)]}\n\nAction: click[bright citrus]\nObservation: You have clicked bright citrus. \n\nAction: click[3 ounce (pack of 1)]\nObservation: You have clicked 3 ounce (pack of 1). \n\nAction: click[Buy Now]\nObservation: You have bought 3 ounce (pack of 1).\n\n", "instruction": "You are now the virtual webshop assistant, navigating a website to locate and purchase items based on given commands. Our interaction will follow this structure:\n\nYour Actions: You will preface each of your actions with \"Action: \".\nWebsite's Response: The website will provide feedback starting with \"Observation: \".\n\n[click]something: Engage with specific buttons or links.\n[search]something: Seek specific data on the website. Use this only if a [Search] button appears in the observation.\nNote: If you wish to search and there's no [Search] button, click the [Back to Search] button instead.\n\nObservation Format: The website will showcase its content. Elements within square brackets (like [Buy Now]) indicate clickable buttons or links.\n\n", "system_msg": "You are a helpful virtual webshop assistant that interacts with the simulated website to solve a task. "} diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/prompt_template.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/prompt_template.py new file mode 100644 index 00000000..84f6d14c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/prompts/prompt_template.py @@ -0,0 +1,52 @@ +prompt_templates = { + "deepseek": + """ + {system_prompt} + + USER: {prompt}<|end▁of▁sentence|> + + ASSISTANT: + """, + "codellama-13b": + """ + + <> + {system_prompt} + <> + [INST]{prompt}[/INST] + """, + "codellama-34b": + """ + [INST]{system_prompt}{prompt}[/INST] + """, + "llama": + """ + <> + {system_prompt} + <> + [INST]{prompt}[/INST] + """, + "lemur": + """ + <|im_start|>system + {system_prompt} + <|im_end|> + <|im_start|>user + {prompt}<|im_end|> + <|im_start|>assistant\n + """, + "vicuna": + """ + {system_prompt} + + USER: {prompt} + ASSISTANT: + """, + "mistral": + """ + + {system_prompt} + + [INST]{prompt}[/INST] + """, +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/setup.cfg b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/setup.cfg new file mode 100644 index 00000000..fbc9d183 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/setup.cfg @@ -0,0 +1,11 @@ +[metadata] +name = toolusage + +[options] +python_requires = >=3.7, <4 +packages = + common + environment + prompts + utils + diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/setup.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/setup.py new file mode 100644 index 00000000..7f1a1763 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/setup.py @@ -0,0 +1,4 @@ +from setuptools import setup + +if __name__ == "__main__": + setup() diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/academia/academia_tools.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/academia/academia_tools.py new file mode 100644 index 00000000..65311747 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/academia/academia_tools.py @@ -0,0 +1,282 @@ +import pandas as pd +import jsonlines +import json +import re +from dotenv import load_dotenv +import pickle +import os +import copy + +def log_path(func): + def wrapper(*args, **kwargs): + if "action_path" in kwargs.keys(): + action_path = kwargs["action_path"] + kwargs.pop("action_path") + success, result = func(*args, **kwargs) + + # convert value in kwargs to string + # for key, value in kwargs.items(): + # kwargs[key] = str(value) + + if success: + action_path.append({ + "Action" : func.__name__, + "Action Input" : str(kwargs), + "Observation": result, + "Subgoal": result, + }) + return result + else: + action_path.append({ + "Action" : func.__name__, + "Action Input" : str(kwargs), + "Observation": result, + "Subgoal": "Calling " + func.__name__ + " with " + str(kwargs) + " failed", + }) + return result + else: + return func(*args, **kwargs) + return wrapper + +class academia_toolkits: + # init + def __init__(self, path, dataset): + self.paper_net = None + self.author_net = None + self.id2title_dict = None + self.title2id_dict = None + self.id2author_dict = None + self.author2id_dict = None + self.path = path + self.dataset = dataset + + def load_graph(self, graph_name): + # print(graph_name) + if graph_name == 'dblp' or graph_name == "DBLP": + with open('{}/data/tool-query/academia/raw/paper_net.pkl'.format(self.path), 'rb') as f: + self.paper_net = pickle.load(f) + + with open('{}/data/tool-query/academia/raw/author_net.pkl'.format(self.path), 'rb') as f: + self.author_net = pickle.load(f) + + with open("{}/data/tool-query/academia/raw/title2id_dict.pkl".format(self.path), "rb") as f: + self.title2id_dict = pickle.load(f) + with open("{}/data/tool-query/academia/raw/author2id_dict.pkl".format(self.path), "rb") as f: + self.author2id_dict = pickle.load(f) + with open("{}/data/tool-query/academia/raw/id2title_dict.pkl".format(self.path), "rb") as f: + self.id2title_dict = pickle.load(f) + with open("{}/data/tool-query/academia/raw/id2author_dict.pkl".format(self.path), "rb") as f: + self.id2author_dict = pickle.load(f) + return True, "DBLP data is loaded, including two sub-graphs: AuthorNet and PaperNet." + else: + return False, "{} is not a valid graph name.".format(graph_name) + + @log_path + def loadPaperNet(self): + with open('{}/data/tool-query/academia/raw/paper_net.pkl'.format(self.path), 'rb') as f: + self.paper_net = pickle.load(f) + + + with open("{}/data/tool-query/academia/raw/title2id_dict.pkl".format(self.path), "rb") as f: + self.title2id_dict = pickle.load(f) + with open("{}/data/tool-query/academia/raw/id2title_dict.pkl".format(self.path), "rb") as f: + self.id2title_dict = pickle.load(f) + with open("{}/data/tool-query/academia/raw/author2id_dict.pkl".format(self.path), "rb") as f: + self.author2id_dict = pickle.load(f) + with open("{}/data/tool-query/academia/raw/id2author_dict.pkl".format(self.path), "rb") as f: + self.id2author_dict = pickle.load(f) + + return True, "PaperNet is loaded." + + @log_path + def loadAuthorNet(self): + with open('{}/data/tool-query/academia/raw/author_net.pkl'.format(self.path), 'rb') as f: + self.author_net = pickle.load(f) + + with open("{}/data/tool-query/academia/raw/title2id_dict.pkl".format(self.path), "rb") as f: + self.title2id_dict = pickle.load(f) + with open("{}/data/tool-query/academia/raw/id2title_dict.pkl".format(self.path), "rb") as f: + self.id2title_dict = pickle.load(f) + with open("{}/data/tool-query/academia/raw/author2id_dict.pkl".format(self.path), "rb") as f: + self.author2id_dict = pickle.load(f) + with open("{}/data/tool-query/academia/raw/id2author_dict.pkl".format(self.path), "rb") as f: + self.id2author_dict = pickle.load(f) + + return True, "AuthorNet is loaded." + + @log_path + def neighbourCheck(self, graph, node): + if graph == "PaperNet" and self.paper_net == None: + return False, "Please load the PaperNet first." + elif graph == "AuthorNet" and self.author_net == None: + return False, "Please load the AuthorNet first." + try: + if graph == 'PaperNet': + graph = self.paper_net + dictionary = self.title2id_dict + inv_dict = self.id2title_dict + + if node not in dictionary.keys(): + return False, "There is no node named {} in the PaperNet.".format(node) + + elif graph == 'AuthorNet': + graph = self.author_net + dictionary = self.author2id_dict + inv_dict = self.id2author_dict + + if node not in dictionary.keys(): + return False, "There is no node named {} in the AuthorNet.".format(node) + + neighbour_list = [] + for neighbour in graph.neighbors(dictionary[node]): + neighbour_list.append(inv_dict[neighbour]) + return True, neighbour_list + except Exception as e: + return False, type(e).__name__ + "(" + str(e) + ")" + + @log_path + def paperNodeCheck(self, node=None): + if self.paper_net == None: + return False, "Please load the PaperNet first." + try: + graph = self.paper_net + dictionary = self.title2id_dict + inv_dict = self.id2title_dict + + if node not in dictionary.keys(): + return False, "There is no node named {} in the PaperNet.".format(node) + + return True, graph.nodes[dictionary[node]] + except Exception as e: + return False, type(e).__name__ + "(" + str(e) + ")" + + @log_path + def authorNodeCheck(self, node=None): + if self.author_net == None: + return False, "Please load the AuthorNet first." + try: + + graph = self.author_net + dictionary = self.author2id_dict + inv_dict = self.id2author_dict + + if node not in dictionary.keys(): + return False, "There is no node named {} in the AuthorNet.".format(node) + + author_node_info = copy.deepcopy( graph.nodes[dictionary[node]] ) + # for idx, paper in enumerate(author_node_info['papers']): + # author_node_info['papers'][idx] = self.id2title_dict[paper] + return True, author_node_info + + except Exception as e: + return False, type(e).__name__ + "(" + str(e) + ")" + + def check_nodes(self, graph, node): + if self.paper_net == None: + return False, "Please load the graph first." + try: + if graph == 'PaperNet': + graph = self.paper_net + dictionary = self.title2id_dict + inv_dict = self.id2title_dict + return True, graph.nodes[dictionary[node]] + elif graph == 'AuthorNet': + graph = self.author_net + dictionary = self.author2id_dict + inv_dict = self.id2author_dict + + author_node_info = copy.deepcopy( graph.nodes[dictionary[node]] ) + for idx, paper in enumerate(author_node_info['papers']): + author_node_info['papers'][idx] = self.id2title_dict[paper] + return True, author_node_info + except Exception as e: + return False, type(e).__name__ + "(" + str(e) + ")" + + @log_path + def authorEdgeCheck(self, node1=None, node2=None): + if self.author_net == None: + return False, "Please load the AuthorNet first." + try: + graph = self.author_net + dictionary = self.author2id_dict + inv_dict = self.id2title_dict + + if node1 not in dictionary.keys(): + return False, "There is no node named {} in the AuthorNet.".format(node1) + + if node2 not in dictionary.keys(): + return False, "There is no node named {} in the AuthorNet.".format(node2) + + if dictionary[node2] not in graph.neighbors(dictionary[node1]): + return False, "There is no edge between {} and {}.".format(node1, node2) + + edge = graph.edges[dictionary[node1], dictionary[node2]] + new_edge = copy.deepcopy(edge) + # print(edge) + for id in range(len(edge['collaborative_papers'])): + new_edge['collaborative_papers'][id] = inv_dict[edge['collaborative_papers'][id]] + return True, new_edge + except Exception as e: + return False, type(e).__name__ + "(" + str(e) + ")" + + @log_path + def paperEdgeCheck(self, node1=None, node2=None): + if self.paper_net == None: + return False, "Please load the PaperNet first." + try: + graph = self.paper_net + dictionary = self.title2id_dict + inv_dict = self.id2title_dict + + if node1 not in dictionary.keys(): + return False, "There is no node named {} in the PaperNet.".format(node1) + + if node2 not in dictionary.keys(): + return False, "There is no node named {} in the PaperNet.".format(node2) + + if dictionary[node2] not in graph.neighbors(dictionary[node1]): + return False, "There is no edge between {} and {}.".format(node1, node2) + + edge = graph.edges[dictionary[node1], dictionary[node2]] + return True, edge + except Exception as e: + return False, type(e).__name__ + "(" + str(e) + ")" + + # check the attributes of the edges + def check_edges(self, graph, node1, node2): + if self.paper_net == None: + return False, "Please load the graph first." + try: + + if graph == 'PaperNet': + graph = self.paper_net + dictionary = self.title2id_dict + inv_dict = self.id2title_dict + edge = graph.edges[dictionary[node1], dictionary[node2]] + return True, edge + elif graph == 'AuthorNet': + graph = self.author_net + dictionary = self.author2id_dict + inv_dict = self.id2title_dict + edge = graph.edges[dictionary[node1], dictionary[node2]] + new_edge = copy.deepcopy(edge) + # print(edge) + for id in range(len(edge['papers'])): + new_edge['papers'][id] = inv_dict[edge['papers'][id]] + return True, new_edge + + except Exception as e: + return False, type(e).__name__ + "(" + str(e) + ")" + + @log_path + def finish(self, answer): + if type(answer) == list: + answer = sorted(answer) + return True, answer + +if __name__ == "__main__": + load_dotenv() + academia_toolkits = academia_toolkits(path=os.environ["PROJECT_PATH"]) + logs = academia_toolkits.load_graph('dblp') + print( str(academia_toolkits.check_neighbours("AuthorNet", "Mucong Li")) ) + print( str(academia_toolkits.check_edges("AuthorNet", "Chao Zhang", "Weihong Lin")) ) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/common_exception.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/common_exception.py new file mode 100644 index 00000000..191c5c54 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/common_exception.py @@ -0,0 +1,2 @@ +class PageNumberError(Exception): + pass diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/logging/agent_logger.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/logging/agent_logger.py new file mode 100644 index 00000000..cde09479 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/logging/agent_logger.py @@ -0,0 +1,74 @@ +import logging + +# ANSI escape sequences for colors +BLACK, RED, GREEN, YELLOW, BLUE, MAGENTA, CYAN, WHITE = range(8) + +RESET_SEQ = "\033[0m" +COLOR_SEQ = "\033[1;%dm" +BOLD_SEQ = "\033[1m" + + +COLORS = { + 'GOAL': BLUE, + 'FINISH': YELLOW, +} + +class ColoredFormatter(logging.Formatter): + def __init__(self, msg, datefmt=None): + super().__init__(msg, datefmt) + + def format(self, record): + levelname = record.levelname + if levelname in COLORS: + color_code = 30 + COLORS[levelname] + message_color = COLOR_SEQ % color_code + record.getMessage() + RESET_SEQ + record.msg = message_color + return logging.Formatter.format(self, record) + +class ColoredHandler(logging.StreamHandler): + def __init__(self, filepath=None, stream=None): # filepath: log saved path + super().__init__(stream) + self.file_handler = None + if filepath is not None: + self.file_handler = logging.FileHandler(filepath) + + colored_formatter = ColoredFormatter('%(asctime)s | %(levelname)s | %(name)s | %(message)s', datefmt='%Y-%m-%d %H:%M:%S') + self.setFormatter(colored_formatter) + if self.file_handler: + standard_formatter = logging.Formatter('%(asctime)s | %(levelname)s | %(name)s | %(message)s', datefmt='%Y-%m-%d %H:%M:%S') + self.file_handler.setFormatter(standard_formatter) + + def emit(self, record): + original_msg = record.msg + + super().emit(record) + + if self.file_handler: + record.msg = original_msg + self.file_handler.emit(record) + +class AgentLogger(logging.Logger): + GOAL_LEVEL_NUM = 100 + MESSAGE_LEVEL_NUM = 101 + ACTION_LEVEL_NUM = 102 + ACTION_INPUT_LEVEL_NUM = 103 + OBSERVATION_LEVEL_NUM = 104 + FINISH_LEVEL_NUM = 105 + + def __init__(self, name, level=logging.NOTSET, filepath=None): + super().__init__(name, level) + self.addHandler(ColoredHandler(filepath)) + self.setLevel(logging.INFO) + + def goal(self, msg, *args, **kwargs): + if self.isEnabledFor(self.GOAL_LEVEL_NUM): + self._log(self.GOAL_LEVEL_NUM, msg, args, **kwargs) + + def finish(self, msg, *args, **kwargs): + if self.isEnabledFor(self.FINISH_LEVEL_NUM): + self._log(self.FINISH_LEVEL_NUM, msg, args, **kwargs) + +logging.addLevelName(AgentLogger.GOAL_LEVEL_NUM, "GOAL") +logging.addLevelName(AgentLogger.FINISH_LEVEL_NUM, "FINISH") + +logging.setLoggerClass(AgentLogger) diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/logging/logger.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/logging/logger.py new file mode 100644 index 00000000..8637a579 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/logging/logger.py @@ -0,0 +1,651 @@ +import wandb +import os +import json +import re +import logging +import plotly +import pandas as pd +import numpy as np +import matplotlib.pyplot as plt +import plotly.graph_objects as go +from plotly.subplots import make_subplots +import plotly.express as px + + +class SummaryLogger: + def __init__(self, log_path, baseline_dir= "data/baseline_results"): + + self.dimension_scoring = { + "Memory": {"alfworld": 1, "scienceworld": 2, "babyai": 1, "jericho": 1, "pddl": 2, "webshop": 1, "webarena": 3, "tool-query": 2, "tool-operation": 3}, + "Planning": {"alfworld": 1, "scienceworld": 2, "babyai": 2, "jericho": 3, "pddl": 3, "webshop": 2, "webarena": 3, "tool-query": 2, "tool-operation": 2}, + "World Modeling": {"alfworld": 3, "scienceworld": 3, "babyai": 2, "jericho": 3, "pddl": 1, "webshop": 1, "webarena": 3, "tool-query": 1, "tool-operation": 1}, + "Self-reflection": {"alfworld": 3, "scienceworld": 2, "babyai": 2, "jericho": 1, "pddl": 3, "webshop": 2, "webarena": 2, "tool-query": 1, "tool-operation": 1}, + "Grounding": {"alfworld": 2, "scienceworld": 3, "babyai": 2, "jericho": 1, "pddl": 3, "webshop": 3, "webarena": 3, "tool-query": 3, "tool-operation": 3}, + "Spatial Navigation": {"alfworld": 2, "scienceworld": 2, "babyai": 2, "jericho": 2, "pddl": 1, "webshop": 1, "webarena": 2, "tool-query": 1, "tool-operation": 1} + } + + self.baseline_dir = baseline_dir + self.current_run_metrics = [] + self.log_path = os.path.join(log_path, "all_results.txt") + self.log_dimension_path = os.path.join(log_path, "dimension.txt") + + + def check_metric_item_is_logged(self, metric_type, file_name): + with open(file_name) as f: + for line in f: + if metric_type in line: + return True + return False + + def log_run_result(self, task_name, success_rate, reward_score, grounding_acc, hard_sr, easy_sr, hard_pr, easy_pr): + result = {"task_name": task_name, + "success_rate": success_rate, + "progress_rate": reward_score, + "grounding_acc": grounding_acc, + "success_rate_hard": hard_sr, + "success_rate_easy": easy_sr, + "progress_rate_hard": hard_pr, + "progress_rate_easy": easy_pr + } + + self.current_run_metrics.append(result) + + if not self.check_metric_item_is_logged(task_name, self.log_path): + with open(self.log_path, "a+") as f: + f.write(json.dumps(result) + "\n") + + def load_baseline_results(self, task_name, baseline_dir): + # load baseline success rate, reward score, grounding accuracy from baseline_dir + baseline_results = {} + for model_name in os.listdir(baseline_dir): + model_path = os.path.join(baseline_dir, model_name) + file_path = os.path.join(model_path, "all_results.txt") + if not os.path.exists(file_path): + continue + else: + for line in open(file_path, "r"): + try: + result = json.loads(line.strip()) + if result["task_name"] == task_name: + baseline_results[model_name] = result + except: + continue + + return baseline_results + + def log_summary_metric(self): + tasks_type = { + "embodied": ["alfworld", "scienceworld", "babyai"], + "game": ["jericho", "pddl"], + "web": ["webshop", "webarena"], + "tool": ["tool-query", "tool-operation"], + "all": ["alfworld", "scienceworld", "babyai", "jericho", "pddl", "webshop", "webarena", "tool-query", "tool-operation"] + } + + # if all tasks in a type have been run, then calculate the average success rate, reward score for this type + + metrics_table = wandb.Table(columns=["Metric Name", "Metric Value (%)"]) + + metrics_dict = dict() + + for type in tasks_type: + tasks = tasks_type[type] + results = [] + + for task_name in tasks: + for task_result in self.current_run_metrics: + if task_result["task_name"] == task_name: + results.append(task_result) + + if len(results) == len(tasks): + + all_metrics = {} + all_metrics["task_name"] = type+"_summary" + + for metric in ["success_rate", "progress_rate", "grounding_acc", "success_rate_hard", "success_rate_easy", "progress_rate_hard", "progress_rate_easy"]: + mean_metric = np.mean(np.array([task_result[metric] for task_result in results])) + all_metrics[metric] = mean_metric + metric_name = " ".join([word.capitalize() for word in metric.split("_")]) + metrics_table.add_data(f"Average {type.capitalize()} {metric_name}", mean_metric) + + if not self.check_metric_item_is_logged(type+"_summary", self.log_path): + with open(self.log_path, "a+") as f: + f.write(json.dumps(all_metrics) + "\n") + + success_rate = all_metrics["success_rate"] + progress_rate = all_metrics["progress_rate"] + + metrics_table.add_data(f"Average {type.capitalize()} Progress Rate", progress_rate) + metrics_table.add_data(f"Average {type.capitalize()} Success Rate", success_rate) + + metrics_dict[type] = {"success_rate": success_rate, "progress_rate": progress_rate} + + if type == "all": + dimension_metrics = {} + DIMENSION_CATEGORIES = self.dimension_scoring.keys() + for dimension in DIMENSION_CATEGORIES: + weights = self.dimension_scoring[dimension] + weights_sum = sum([weights[task_name] for task_name in tasks_type["all"]] ) + score = 0 + for task_result in results: + task_name = task_result["task_name"] + score += weights[task_name] * task_result["success_rate"] * 100 + score /= weights_sum + dimension_metrics[dimension] = score + + with open(self.log_dimension_path, "w") as f: + f.write(json.dumps(dimension_metrics)) + + wandb.log({"summary/metrics": metrics_table}) + + # if all tasks in a type have been run, then draw a bar plot to compare the avg performance of different models + + if "all" in metrics_dict: + + # first calculate the average performance of each baseline model + avg_baseline_results = dict() + + for task_name in tasks_type["all"]: + baseline_results = self.load_baseline_results(task_name, self.baseline_dir) + baseline_models = list(baseline_results.keys()) + for model_name in baseline_models: + if model_name not in avg_baseline_results: + avg_baseline_results[model_name] = {"success_rate": [], "progress_rate": []} + avg_baseline_results[model_name]["success_rate"].append(baseline_results[model_name]["success_rate"]) + avg_baseline_results[model_name]["progress_rate"].append(baseline_results[model_name]["progress_rate"]) + + all_baseline_models = list(avg_baseline_results.keys()) + for model_name in all_baseline_models: + if len(avg_baseline_results[model_name]["success_rate"]) == len(tasks_type["all"]): + + avg_baseline_results[model_name]["success_rate"] = np.mean(avg_baseline_results[model_name]["success_rate"]) + avg_baseline_results[model_name]["progress_rate"] = np.mean(avg_baseline_results[model_name]["progress_rate"]) + else: + del avg_baseline_results[model_name] + + metrics = metrics_dict["all"] + baseline_models = list(baseline_results.keys()) + models = ["Current Run"] + [ model_name.capitalize() for model_name in baseline_models] + + accuracys = [metrics["success_rate"]] + [ avg_baseline_results[model_name]["success_rate"] for model_name in baseline_models ] + rewards = [metrics["progress_rate"]] + [ avg_baseline_results[model_name]["progress_rate"] for model_name in baseline_models ] + + marker_color_acc=['rgba(0,128, 255, 1)'] + ['rgba(0,128, 255, 0.6)'] * len(baseline_models) + marker_color_reward=['rgba(51, 255,153, 1)'] + ['rgba(51, 255,153, 0.6)'] * len(baseline_models) + + data=[ + go.Bar(name='Progress Rate (%)', x=models, y=rewards, marker_color=marker_color_reward), + go.Bar(name='Success Rate (%)', x=models, y=accuracys, marker_color=marker_color_acc) + ] + + layout = go.Layout( + width=800, + height=400, + xaxis={'categoryorder':'total descending'}, + title='Average Metrics for All Tasks Compared to Baseline Models', + ) + + fig = go.Figure(data=data, layout=layout) + wandb.log({"summary/avg_metrics_comparison": wandb.Plotly(fig)}) + + + def log_summary(self): + + # first log the average success rate, reward score, grounding accuracy for all tasks and types + self.log_summary_metric() + + # first get all baselines + all_results = dict() + + for task_result in self.current_run_metrics: + task_name = task_result["task_name"] + results_dict = dict() + results_dict["Current Run"] = task_result + + # add results to results_dict + results_dict.update(self.load_baseline_results(task_name, self.baseline_dir)) + all_results[task_name] = results_dict + + valid_baseline_models = set(all_results[list(all_results.keys())[0]].keys()) + for task_name in all_results: + valid_baseline_models = valid_baseline_models.intersection(set(all_results[task_name].keys())) + + for task_name in all_results: + for model_name in list(all_results[task_name].keys()): + if model_name not in valid_baseline_models: + del all_results[task_name][model_name] + # draw a radar chart for all tasks that have been run in this run + + CATEGORIES = all_results.keys() + N = len(CATEGORIES) + result_df = pd.DataFrame(columns=["model_name", "task_name", "success_rate"]) + for task_name in CATEGORIES: + for model_name in all_results[task_name]: + dash = False if model_name == "Current Run" else True + result_df = result_df.append({"model_name": model_name, "task_name": task_name, "success_rate": 100 * all_results[task_name][model_name]["success_rate"], "baseline": dash}, ignore_index=True) + + radar_results = px.line_polar(result_df, + r = 'success_rate', + theta = 'task_name', + line_close = True, + category_orders = {"category": CATEGORIES}, + color = 'model_name', + markers=True, + labels={'success_rate': 'Success Rate (%)', 'task_name': 'Task Name', 'model_name': 'Model Name'}, + line_dash="baseline" + ) + + radar_results.update_layout( + width=700, + height=400, + title='Success Rate (%) w.r.t Tasks for All Models', + title_x=0.1, + legend_title_text='', + ) + wandb.log({"summary/all_results": wandb.Html(plotly.io.to_html(radar_results))}) + + + # draw a radar chart based on dimension scoring + + DIMENSION_CATEGORIES = self.dimension_scoring.keys() + dimension_df = pd.DataFrame(columns=["model_name", "dimension", "score"]) + + for dimension in DIMENSION_CATEGORIES: + weights = self.dimension_scoring[dimension] + weights = [ weights[task_name] for task_name in CATEGORIES ] + weights_sum = sum(weights) + + for model_name in all_results[list(CATEGORIES)[0]]: + score = [] + for i, task_name in enumerate(CATEGORIES): + score.append((100 * all_results[task_name][model_name]["success_rate"], self.dimension_scoring[dimension][task_name])) + + score = [ i[0] * i[1] for i in score ] + score = sum(score) / weights_sum + + dash = False if model_name == "Current Run" else True + dimension_df = dimension_df.append({"model_name": model_name, "dimension": dimension, "score": score, "baseline": dash}, ignore_index=True) + + radar_dimension = px.line_polar(dimension_df, + r = 'score', + theta = 'dimension', + line_close = True, + category_orders = {"category": DIMENSION_CATEGORIES}, + color = 'model_name', + markers=True, + line_dash="baseline", + labels={'score': 'Score', 'dimension': 'Dimension', 'model_name': 'Model Name'}, + ) + + radar_dimension.update_layout( + width=700, + height=400, + title='Agent Ability Dimension Score w.r.t Models', + title_x=0.1, + legend_title_text='', + ) + + wandb.log({"summary/agent_abilities": wandb.Html(plotly.io.to_html(radar_dimension))}) + # wandb.log({"summary/agent_abilities": wandb.Plotly(radar_dimension)}) + + +class TaskLogger: + def __init__(self, task_name, log_path, max_num_steps=30, baseline_dir= "data/baseline_results"): + self.task_name = task_name + + columns=["id", "is_done", "env", "reward", "grounding_accuracy", "reward_wrt_step", "trajectory"] + self.table = wandb.Table(columns=columns) + self.max_num_steps = max_num_steps + self.baseline_dir = baseline_dir + self.columns = columns + + self.log_path = os.path.join(log_path, "logs", f"{task_name}.jsonl") + self.log_summary_path = os.path.join(log_path, f"{task_name}.txt") + + with open(self.log_path, "w") as f: + f.write("") + f.close() + + with open(self.log_summary_path, "w") as f: + f.write("") + f.close() + + + self.baseline_metrics, self.baseline_reward_wrt_step = self.load_baseline_results() + + def extract_variables(self, line): + pattern = r"\[EXP\] (\d+): \[success_rate\]: (.*), \[progress_rate\]: (.*), \[grounding_acc\]: (.*), \[score_state\]: (.*)" + match = re.match(pattern, line) + if match: + i = int(match.group(1)) + sr_temp = match.group(2) + if sr_temp=="True": sr_temp = 1 + if sr_temp=="False": sr_temp = 0 + sr = float(sr_temp) + score = float(match.group(3)) + grounding_acc = float(match.group(4)) + score_state_str = match.group(5) + score_state = eval(score_state_str) + + # make score_state index integer, and value float + score_state = [ (int(step), float(score)) for step, score in score_state ] + return_dict = { + "EXP": i, + "success_rate": sr, + "progress_rate": score, + "grounding_acc": grounding_acc, + "score_state": score_state + } + return return_dict + + def complete_score_state(self, score_state): + complete_state = [] + current_score = 0 + for step in range(self.max_num_steps): + if score_state and step == score_state[0][0]: + current_score = score_state.pop(0)[1] + complete_state.append((step, current_score)) + return complete_state + + + def load_baseline_results(self): + # load baseline success rate, reward score, grounding accuracy from baseline_dir + baseline_results = {} + for model_name in os.listdir(self.baseline_dir): + model_path = os.path.join(self.baseline_dir, model_name) + file_path = os.path.join(model_path, "all_results.txt") + if not os.path.exists(file_path): + continue + else: + for line in open(file_path, "r"): + try: + result = json.loads(line.strip()) + if result["task_name"] == self.task_name: + baseline_results[model_name] = result + except: + continue + + # load baseline reward_wrt_step from baseline_dir + baseline_reward_wrt_step = {} + for model_name in os.listdir(self.baseline_dir): + model_path = os.path.join(self.baseline_dir, model_name) + file_path = os.path.join(model_path, f"{self.task_name}.txt") + if not os.path.exists(file_path): + continue + else: + results = [] + for line in open(file_path, "r"): + result = self.extract_variables(line) + result['score_state'] = self.complete_score_state(result['score_state']) + results.append(result) + # acculated score + reward_score_list = [] + + # initialize reward score + for i in range(self.max_num_steps): + reward_score_list.append(0) + + for result in results: + for step, score in result['score_state']: + reward_score_list[step] += score + + # normalize reward score + for i in range(self.max_num_steps): + reward_score_list[i] /= len(results) + + reward_score_list = [ i*100 for i in reward_score_list[:self.max_num_steps] ] + + # at step 0, reward score is 0 + reward_score_list.insert(0, 0) + + baseline_reward_wrt_step[model_name] = reward_score_list + + return baseline_results, baseline_reward_wrt_step + + + def log_example_data(self, id, is_done, reward, grounding_accuracy, score_change_record, env_details, trajectory): + if self.task_name not in ["webarena"]: + is_done = bool(is_done) + reward = float(reward) + grounding_accuracy = float(grounding_accuracy) + + # draw a line plot in wandb for reward_wrt_steps + reward_wrt_steps = [0] * self.max_num_steps + for step, reward in score_change_record: + for i in range(int(step), self.max_num_steps): + reward_wrt_steps[i] = reward + # data = [[x, y] for (x, y) in zip(range(self.max_num_steps), reward_wrt_steps)] + # table = wandb.Table(data=data, columns=["step", "reward"]) + plt.figure(figsize=(4, 4)) + # draw the following plot on the figures + plt.plot(range(self.max_num_steps), reward_wrt_steps, color='blue', marker='o', linestyle='solid', linewidth=1, markersize=2) + # plt.xlabel("step") + # plt.ylabel("reward") + ax = plt.gca()#获取边框 + ax.spines['top'].set_visible(False) + ax.spines['right'].set_visible(False) + plt.ylim(0, 1) + + + # build a piece of html code for the trajectory + html_head = ''' + + + + + + + + ''' + + html_body = "" + for item in trajectory: + type = list(item.keys())[0] + type_name=type + step_id = item["id"] + content = item[type] + if isinstance(content,str) and len(content.split('\n')) > 5: + content = "\n".join(content.split('\n')[:5]) + "\n ..." + + if type == "Progress Rate": type = "progress" + html = ''' +

Step {step_id} {type_name}: {content}

+ '''.format(type=type.lower(), step_id = step_id, type_name=type_name, content=content) + html_head += html + + html_tail = ''' + + + ''' + html_text = html_head + html_body + html_tail + + + self.table.add_data(id, is_done, env_details, reward, grounding_accuracy, + wandb.Image(plt), # add the plot as an image + wandb.Html(html_text) # add the trajectory as html + ) + + def update(self): + new_table = wandb.Table( + columns=self.table.columns, data=self.table.data + ) + wandb.log({"{task}/predictions".format(task=self.task_name) : new_table}) + + def save_sample_data_to_file_detailed(self, id, is_done, reward, grounding_accuracy, score_change_record, env_details, trajectory, example_prompt): + if self.task_name not in ["webarena"]: + is_done = bool(is_done) + reward = float(reward) + grounding_accuracy = float(grounding_accuracy) + + sample_result = dict() + sample_result["id"] = id + sample_result.update(env_details) + sample_result["is_done"] = is_done + sample_result["progress_rate"] = reward + sample_result["grounding_acc"] = grounding_accuracy + sample_result["score_change_record"] = score_change_record + sample_result["trajectory"] = {} + + for item in trajectory: + type = list(item.keys())[0] + step_id = int(item["id"]) + content = item[type] + + step_name = f"Interaction Turn {step_id}" + + if step_name not in sample_result["trajectory"]: + sample_result["trajectory"][step_name] = dict() + # sample_result["trajectory"][int(step_id)]["Interaction Turn"] = step_id + sample_result["trajectory"][step_name][type] = content + + if example_prompt is not None: + sample_result["example_prompt"] = example_prompt + + with open(self.log_path, "a+") as f: + f.write(json.dumps(sample_result, indent=2)+'\n') + + def save_sample_data_to_file_overview(self, id, is_done, reward, grounding_accuracy, score_change_record, env_details, trajectory): + with open(self.log_summary_path, "a+") as f: + f.write(f"[EXP] {id}: [success_rate]: {is_done}, [progress_rate]: {reward}, [grounding_acc]: {grounding_accuracy}, [score_state]: {score_change_record} \n") + + + + def log_example(self, id, is_done, reward, grounding_accuracy, score_change_record, env_details, trajectory, example_prompt=None): + self.save_sample_data_to_file_detailed(id, is_done, reward, grounding_accuracy, score_change_record, env_details, trajectory, example_prompt) # log to file + self.save_sample_data_to_file_overview(id, is_done, reward, grounding_accuracy, score_change_record, env_details, trajectory) + + self.log_example_data(id, is_done, reward, grounding_accuracy, score_change_record, env_details, trajectory) # log to wandb table + self.update() + + + + def log_summary(self, success_rate, reward_score, grounding_acc, score_steps, hard_sr=None, hard_rs=None, easy_sr=None, easy_rs=None): + # wandb.log({"{task}/success_rate".format(task=self.task_name) : success_rate, + # "{task}/reward_score".format(task=self.task_name) : reward_score, + # "{task}/grounding_acc".format(task=self.task_name) : grounding_acc}) + + # log success rate, reward score, grounding accuracy to a table + metrics_table = wandb.Table(columns=["Metric Name", "Metric Value (%)"]) + metrics_table.add_data("Progress Rate", reward_score) + metrics_table.add_data("Success Rate", success_rate) + metrics_table.add_data("Grounding Accuracy", grounding_acc) + wandb.log({"{task}/metrics".format(task=self.task_name) : metrics_table}) + + # Limit this display due to too much information + # if hard_sr is not None: + # wandb.log({"{task}/hard_success_rate".format(task=self.task_name) : hard_sr, + # "{task}/easy_success_rate".format(task=self.task_name) : easy_sr}) + + + # draw a bar chart for alfworld accuracy and reward with figure size 6*6 + + baseline_models = list(self.baseline_metrics.keys()) + models = ["Current Run"] + baseline_models + + accuracys = [success_rate] + [ self.baseline_metrics[model_name]["success_rate"] for model_name in baseline_models ] + rewards = [reward_score] + [ self.baseline_metrics[model_name]["progress_rate"] for model_name in baseline_models ] + grounding_accs = [grounding_acc] + [ self.baseline_metrics[model_name]["grounding_acc"] for model_name in baseline_models ] + + marker_color_acc=['rgba(0,128, 255, 1)'] + ['rgba(0,128, 255, 0.6)'] * len(baseline_models) + marker_color_reward=['rgba(0, 204,102, 1)'] + ['rgba(0, 204,102, 0.6)'] * len(baseline_models) + marker_color_grounding=['rgba( 248,173,30, 1)'] + ['rgba(248,173,30, 0.6)'] * len(baseline_models) + + data=[ + go.Bar(name='Progress Rate (%)', x=models, y=rewards, marker_color=marker_color_reward), + go.Bar(name='Success Rate (%)', x=models, y=accuracys, marker_color=marker_color_acc), + go.Bar(name='Grounding Accuracy (%)', x=models, y=grounding_accs, marker_color=marker_color_grounding) + ] + + layout = go.Layout( + width=800, + height=400, + xaxis={'categoryorder':'total descending'}, + title='{task} Metrics Compared to Baseline Models'.format(task=self.task_name.capitalize()), + + ) + + fig = go.Figure(data=data, layout=layout) + wandb.log({"{task}/metrics_comparison".format(task=self.task_name) : wandb.Plotly(fig)}) + + + # draw a line plot in wandb for reward_wrt_steps + df = pd.DataFrame(columns=["models", "steps", "score"]) + + # add current run + reward_score_list = [] + for i in range(self.max_num_steps): + reward_score_list.append(0) + + for score_step_example in score_steps: + score_step_example = self.complete_score_state(score_step_example) + for step, score in score_step_example: + reward_score_list[step] += score + + for i in range(self.max_num_steps): + reward_score_list[i] /= len(score_steps) + + reward_score_list = [ i*100 for i in reward_score_list[:self.max_num_steps] ] + reward_score_list.insert(0, 0) + + + for step, score in enumerate(reward_score_list): + df = df.append({"models": "Current Run", "steps": step, "score": score, "baseline": False}, ignore_index=True) + + # add baseline runs + for model in list(self.baseline_metrics.keys()): + for step, score in enumerate(self.baseline_reward_wrt_step[model]): + df = df.append({"models": model, "steps": step, "score": score, "baseline": True}, ignore_index=True) + + # legend of line_fig only contains models + + line_fig = px.line(df, x="steps", y="score", color='models', title="Average Progress Rate (%) w.r.t Steps for {task} Tasks".format(task=self.task_name), width=800, height=400, line_dash="baseline", + labels={"models": "Model Name", "baseline": "Is Baseline"}) + + plot = wandb.Plotly(line_fig) + + wandb.log({"{task}/task_reward_w.r.t_steps".format(task=self.task_name): plot}) + + if hard_sr is not None: + + easy_sr_data = [easy_sr] + [ self.baseline_metrics[model_name]["success_rate_easy"] for model_name in baseline_models ] + hard_sr_data = [hard_sr] + [ self.baseline_metrics[model_name]["success_rate_hard"] for model_name in baseline_models ] + + difficulty_sr_data = [ + go.Bar(name='Success Rate For Easy Examples(%)', y=models, x=easy_sr_data, marker_color=['rgba(102, 255, 255, 1)'] + ['rgba(102, 255,255, 0.6)'] * len(baseline_models), orientation='h'), + go.Bar(name='Success Rate For Hard Examples(%)', y=models, x=hard_sr_data, marker_color=['rgba(0, 128, 255, 0.4)'] + ['rgba(0, 128,255, 0.4)'] * len(baseline_models), orientation='h') + ] + layout_sr_difficulty = go.Layout( + width=800, + height=400, + yaxis={'categoryorder':'total ascending'}, + barmode='overlay', + title='{task} Success Rate w.r.t Difficulty'.format(task=self.task_name.capitalize()), + ) + + fig_sr_difficulty = go.Figure(data=difficulty_sr_data, layout=layout_sr_difficulty) + + easy_rs_data = [easy_rs] + [ self.baseline_metrics[model_name]["progress_rate_easy"] for model_name in baseline_models ] + hard_rs_data = [hard_rs] + [ self.baseline_metrics[model_name]["progress_rate_hard"] for model_name in baseline_models ] + + difficulty_rs_data = [ + go.Bar(name='Progress Rate For Easy Examples(%)', y=models, x=easy_rs_data, marker_color=['rgba(0,255,128, 1)'] + ['rgba(0,255,128, 0.6)'] * len(baseline_models), orientation='h'), + go.Bar(name='Progress Rate For Hard Examples(%)', y=models, x=hard_rs_data, marker_color=['rgba(0, 153,76, 0.6)'] + ['rgba(0, 153,76, 0.6)'] * len(baseline_models), orientation='h') + ] + + layout_rs_difficulty = go.Layout( + width=800, + height=400, + barmode='overlay', + yaxis={'categoryorder':'total ascending'}, + title='{task} Progress Rate w.r.t Difficulty'.format(task=self.task_name.capitalize()), + ) + fig_rs_difficulty = go.Figure(data=difficulty_rs_data, layout=layout_rs_difficulty) + fig_rs_difficulty.for_each_trace(lambda t: t.update(name = '' + t.name +'') if t.name in "Current Run" else()) + + wandb.log({"{task}/success_rate_w.r.t_difficulty".format(task=self.task_name) : wandb.Plotly(fig_sr_difficulty)}) + wandb.log({"{task}/progress_score_w.r.t_difficulty".format(task=self.task_name) : wandb.Plotly(fig_rs_difficulty)}) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/movie/movie_tools.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/movie/movie_tools.py new file mode 100644 index 00000000..c724f9aa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/movie/movie_tools.py @@ -0,0 +1,353 @@ +import requests +import copy +from copy import deepcopy +from typing import List, Dict, Any, Union +import os +from dotenv import load_dotenv + +load_dotenv() + +url = 'https://api.themoviedb.org/3/search/movie' + +URLS = { + "movies" : { + "details" : "https://api.themoviedb.org/3/movie/{movie_id}", + "credits" : "https://api.themoviedb.org/3/movie/{movie_id}/credits", + "keywords" : "https://api.themoviedb.org/3/movie/{movie_id}/keywords", + "alternative_titles": "https://api.themoviedb.org/3/movie/{movie_id}/alternative_titles", + "translation": "https://api.themoviedb.org/3/movie/{movie_id}/translations" + }, + "people" : { + "details" : "https://api.themoviedb.org/3/person/{person_id}", + "movie_credits" : "https://api.themoviedb.org/3/person/{person_id}/movie_credits", + "external_ids": "https://api.themoviedb.org/3/person/{person_id}/external_ids", + }, + "search" : { + "movie" : "https://api.themoviedb.org/3/search/movie", + "person": "https://api.themoviedb.org/3/search/person" + } +} +params = { + 'query': 'Mulholland Drive', + 'include_adult': 'false', + 'language': 'en-US', + 'page': '1' +} + +headers = { + 'Authorization': 'Bearer {}'.format(os.environ["MOVIE_KEY"] if "MOVIE_KEY" in os.environ.keys() else ""), +} + +def clean_observation( + observation : Union[ List[Dict[str, Any]], Dict[str, Any] ] + ): + # remove all "id" in observation + new_observation = deepcopy(observation) + ignore_keys = ["overview", "biography", "vote_average", "genres", "revenue", "budget", "release_date"] + if isinstance(new_observation, list): + for item in new_observation: + if isinstance(item, dict): + for key in ignore_keys: + if key in item.keys(): + item.pop(key) + elif isinstance(new_observation, dict): + for key in ignore_keys: + if key in new_observation: + new_observation.pop(key) + return new_observation + +def log_path(func): + def wrapper(*args, **kwargs): + if "action_path" in kwargs.keys(): + action_path = kwargs["action_path"] + kwargs.pop("action_path") + success, result = func(*args, **kwargs) + + # convert value in kwargs to string + # for key, value in kwargs.items(): + # kwargs[key] = str(value) + + if success: + action_path.append({ + "Action" : func.__name__, + "Action Input" : str(kwargs), + "Observation": result, + "Subgoal": clean_observation(result) + }) + return result + else: + action_path.append({ + "Action" : func.__name__, + "Action Input" : str(kwargs), + "Observation": result, + "Subgoal": "Calling " + func.__name__ + " with " + str(kwargs) + " failed", + }) + return result + else: + return func(*args, **kwargs) + return wrapper + +class movie_toolkits: + def __init__(self): + pass + + @log_path + def get_search_movie(self, movie_name=None): + url = URLS['search']['movie'] + params['query'] = movie_name + params['include_adult'] = 'false' + params['language'] = 'en-US' + params['page'] = '1' + response = requests.get(url, params=params, headers=headers) + if response.status_code == 200: + data = response.json() + # json.dump(data, open("search_movie.json", "w"), indent=4) + return_data = [{ + "id" : data["results"][0]["id"], + "overview" : data["results"][0]["overview"], + "title": data["results"][0]["title"], + # "release_date": data["results"][0]["release_date"] + }] + return True, return_data + else: + return False, response.text + + @log_path + def get_movie_details(self, movie_id=None): + url = URLS['movies']['details'].format(movie_id=movie_id) + response = requests.get(url, headers=headers) + if response.status_code == 200: + data = response.json() + # json.dump(data, open("movie_details.json", "w"), indent=4) + return_data = { + "title": data["title"], + "budget": data["budget"], + "genres": data["genres"], + "revenue": data["revenue"], + "vote_average": data["vote_average"], + "release_date": data["release_date"], + # "production_companies": data["production_companies"], + # "production_countries": data["production_countries"], + } + return True, return_data + else: + return False, response.text + + @log_path + def get_movie_production_companies(self, movie_id=None): + url = URLS['movies']['details'].format(movie_id=movie_id) + response = requests.get(url, headers=headers) + if response.status_code == 200: + data = response.json() + # json.dump(data, open("movie_details.json", "w"), indent=4) + return_data = { + "production_companies": data["production_companies"], + } + return True, return_data + else: + return False, response.text + + @log_path + def get_movie_production_countries(self, movie_id=None): + url = URLS['movies']['details'].format(movie_id=movie_id) + response = requests.get(url, headers=headers) + if response.status_code == 200: + data = response.json() + # json.dump(data, open("movie_details.json", "w"), indent=4) + return_data = { + "production_countries": data["production_countries"], + } + return True, return_data + else: + return False, response.text + + @log_path + def get_movie_cast(self, movie_id=None): + url = URLS['movies']['credits'].format(movie_id=movie_id) + response = requests.get(url, headers=headers) + if response.status_code == 200: + data = response.json() + + # json.dump(data, open("movie_credits.json", "w"), indent=4) + return_data = { + "cast" : [ {"id": cast["id"], "name": cast["name"], "character": cast["character"]} for cast in data["cast"][:10] ], + } + return True, return_data + else: + return False, response.text + + @log_path + def get_movie_crew(self, movie_id=None): + url = URLS['movies']['credits'].format(movie_id=movie_id) + response = requests.get(url, headers=headers) + if response.status_code == 200: + data = response.json() + + must_contain_job = ["Director", "Producer", "Writer"] + + # json.dump(data, open("movie_credits.json", "w"), indent=4) + return_data = { + "crew": [ {"id": crew["id"], "name": crew["name"], "job": crew["job"]} for crew in data["crew"] if crew["job"] in must_contain_job ] + } + if len(return_data["crew"]) < 10: + ids = [ crew["id"] for crew in return_data["crew"] ] + for crew in data["crew"]: + if crew["id"] not in ids: + return_data["crew"].append({"id": crew["id"], "name": crew["name"], "job": crew["job"]}) + if len(return_data["crew"]) == 10: + break + # print("Out of Loop") + return True, return_data + else: + return False, response.text + + @log_path + def get_movie_keywords(self, movie_id=None): + url = URLS['movies']['keywords'].format(movie_id=movie_id) + response = requests.get(url, headers=headers) + if response.status_code == 200: + data = response.json() + # json.dump(data, open("movie_keywords.json", "w"), indent=4) + return_data = { + "keywords" : [ keyword["name"] for keyword in data["keywords"] ] + } + return True, return_data + else: + return False, response.text + + @log_path + def get_search_person(self, person_name=None): + url = URLS['search']['person'] + params['query'] = person_name + params['include_adult'] = 'false' + params['language'] = 'en-US' + params['page'] = '1' + response = requests.get(url, params=params, headers=headers) + if response.status_code == 200: + data = response.json() + # print(data) + # json.dump(data, open("search_people.json", "w"), indent=4) + if len(data["results"]) == 0: + return True, [] + else: + return_data = [{ + "id" : data["results"][0]["id"], + "name": data["results"][0]["name"], + # "gender": data["results"][0]["gender"] + }] + return True, return_data + else: + return False, response.text + + @log_path + def get_person_details(self, person_id=None): + url = URLS['people']['details'].format(person_id=person_id) + response = requests.get(url, headers=headers) + if response.status_code == 200: + data = response.json() + # json.dump(data, open("people_details.json", "w"), indent=4) + #! no imdb information + return_data = { + "name": data["name"], + "biography": data["biography"], + "birthday": data["birthday"], + "place_of_birth": data["place_of_birth"], + } + return True, return_data + else: + return False, response.text + + @log_path + def get_person_cast(self, person_id=None): + url = URLS['people']['movie_credits'].format(person_id=person_id) + response = requests.get(url, headers=headers) + if response.status_code == 200: + data = response.json() + # json.dump(data, open("people_movie_credits.json", "w"), indent=4) + return_data = { + "cast" : [ {"id": cast["id"], "title": cast["title"], "character": cast["character"]} for cast in data["cast"][:10] ], + } + return True, return_data + else: + return False, response.text + + @log_path + def get_person_crew(self, person_id=None): + url = URLS['people']['movie_credits'].format(person_id=person_id) + response = requests.get(url, headers=headers) + if response.status_code == 200: + data = response.json() + # json.dump(data, open("people_movie_credits.json", "w"), indent=4) + return_data = { + "crew": [ {"id": crew["id"], "title": crew["title"], "job": crew["job"]} for crew in data["crew"][:10] ] + } + return True, return_data + else: + return False, response.text + + @log_path + def get_person_external_ids(self, person_id=None): + url = URLS['people']['external_ids'].format( + person_id=person_id + ) + response = requests.get(url, headers=headers) + if response.status_code == 200: + data = response.json() + # json.dump(data, open("people_external_ids.json", "w"), indent=4) + return_data = { + "imdb_id": data["imdb_id"], + "facebook_id": data["facebook_id"], + "instagram_id": data["instagram_id"], + "twitter_id": data["twitter_id"] + } + return True, return_data + else: + return False, response.text + + @log_path + def get_movie_alternative_titles(self, movie_id=None): + url = URLS['movies']['alternative_titles'].format( + movie_id=movie_id + ) + response = requests.get(url, headers=headers) + if response.status_code == 200: + data = response.json() + # json.dump(data, open("movie_alternative_titles.json", "w"), indent=4, ensure_ascii=False) + return_data = data + return True, return_data + else: + return False, response.text + + @log_path + def get_movie_translation(self, movie_id=None): + url = URLS["movies"]["translation"].format( + movie_id=movie_id + ) + response = requests.get(url, headers=headers) + if response.status_code == 200: + data = response.json() + # json.dump(data, open("movie_translation.json", "w"), indent=4, ensure_ascii=False) + + # get dutch + target_lang = ["NL", "CN", "US", "DE", "RU", "JP"] + return_data = copy.deepcopy(data) + + return_data["translations"] = [ item for item in data["translations"] if item["iso_3166_1"] in target_lang ] + + for item in return_data["translations"]: + item["data"].pop("title") + + return True, return_data + else: + return False, response.text + + @log_path + def finish(self, answer): + if type(answer) == list: + answer = sorted(answer) + return True, answer + + +if __name__ == "__main__": + tool = movie_toolkits() + print( tool.get_movie_details("934433") ) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/sheet/Test Sheet-For Copy.xlsx b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/sheet/Test Sheet-For Copy.xlsx new file mode 100644 index 00000000..aa52a645 Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/sheet/Test Sheet-For Copy.xlsx differ diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/sheet/sheets_tools.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/sheet/sheets_tools.py new file mode 100644 index 00000000..11a96d43 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/sheet/sheets_tools.py @@ -0,0 +1,500 @@ +import os +import time +import re +from datetime import datetime +import logging +import gspread +from gspread.utils import Dimension +from dotenv import load_dotenv +import os + +load_dotenv() +PROJECT_PATH = os.getenv("PROJECT_PATH") + +logging.basicConfig( + format="%(asctime)s | %(levelname)s | %(name)s | %(message)s", + datefmt="%Y-%m-%d %H:%M:%S", + level=logging.INFO, +) + +logger = logging.getLogger(__name__) + + +AUTHORIZATION = { + "API_JSON": f"{PROJECT_PATH}/toolusage/utils/sheet/credential.json", + "REFERENCE_SHEET_ID": "17MVNCONh-6Pw3Met2O31WhUHlgOcQz8TPJKikVpL8IY", + "YOUR_EMAIL": os.getenv("SHEET_EMAIL") +} + + +def validate_A1_annotation(input_str): + pattern = r"^[A-Z]{1}[0-9]+$" + match = re.match(pattern, input_str) + if match: + return True + else: + return False + + +def get_shape(lst): + shape = [] + while isinstance(lst, list): + shape.append(len(lst)) + lst = lst[0] if len(lst) > 0 else None + return shape + + +def check_2d_list(input_list): + if isinstance(input_list, list) and all(isinstance(sub_list, list) for sub_list in input_list): + return True + else: + error = "The values_list needs to be a 2D list, please check your parameter" + return False, repr(error) + + +def is_numeric(value): + try: + float(value) + return True + except ValueError: + return False + +def convert_range_to_float(data): + converted_data = [] + for row in data: + converted_row = [float(value) if is_numeric(value) else value for value in row] + converted_data.append(converted_row) + return converted_data + +def convert_value_to_float(value): + if is_numeric(value): + return float(value) + else: + return value + +def log_path(func): + def wrapper(self, *args, **kwargs): + if func.__name__ == "open_sheet" or func.__name__ == "delete_sheet": + pass + else: + if not hasattr(self, 'worksheet'): + error = "Please open a sheet before operating it" + return error + # print(f"Now Operate Sheet: {self.worksheet}") + if "action_path" in kwargs.keys(): + action_path = kwargs["action_path"] + kwargs.pop("action_path") + success, result = func(self, *args, **kwargs) + + # convert value in kwargs to string + for key, value in kwargs.items(): + kwargs[key] = str(value) + + if success: + action_path.append({ + "Action": func.__name__, + "Action Input": str(kwargs), + "Observation": "Calling " + func.__name__ + " with " + str(kwargs) + " successfully." + str(result), + }) + return result + else: + action_path.append({ + "Action": func.__name__, + "Action Input": str(kwargs), + "Observation": "Calling " + func.__name__ + " with " + str(kwargs) + " failed." + result, + }) + return result + else: + return func(self, *args, **kwargs) + + return wrapper + + +class sheet_toolkits: + def __init__(self): + # Authenticate using API credentials + api_json = AUTHORIZATION["API_JSON"] + self.client = gspread.service_account(api_json) + + def init_sheets(self): + print(">>>>>>>>>Init<<<<<<<<<<") + + # Check if the API_JSON file exists + if not os.path.exists(AUTHORIZATION["API_JSON"]): + raise Exception("Please get the API_JSON file from Google Cloud Platform and put it in `./utils/sheet/` folder") + while True: + try: + gc = gspread.service_account(filename=AUTHORIZATION["API_JSON"]) # Please use your client. + + ss_copy = gc.copy(file_id=AUTHORIZATION["REFERENCE_SHEET_ID"]) + res = ss_copy.share(email_address=AUTHORIZATION["YOUR_EMAIL"], perm_type="user", role="writer", notify=False) + permissionId = res.json()["id"] + ss_copy.transfer_ownership(permissionId) + self.spreadsheet_id = ss_copy.id + self.spreadsheet = self.client.open_by_key(self.spreadsheet_id) + print("Created Success") + print(f"SpreadSheet_id:{self.spreadsheet_id}") + break + except Exception as error: + print(error) + time.sleep(10) + + def for_test(self): + # Get the unique identifier of the spreadsheet + self.spreadsheet_id = "1RN2jyxoowTCS04Ct4v8Q-_OrOaBgViz3XjWgckuxl5k" + self.spreadsheet = self.client.open_by_key(self.spreadsheet_id) + + @log_path + def delete_sheets(self): + self.client.del_spreadsheet(self.spreadsheet_id) + print("deleted sheets") + + @log_path + def open_sheet(self, name): + try: + self.worksheet = self.spreadsheet.worksheet(name) + except Exception as error: + return False, repr(error) + return True, self.worksheet + + @log_path + def del_sheet(self, name): + try: + self.spreadsheet.del_worksheet(name) + except Exception as error: + return False, repr(error) + return True, f"You have deleted sheet {name} successfully" + + ###### UTILS ####### + # Freeze rows and/or columns on the worksheet; + # dimension((rows/columns) - freeze row/col); + # num((int) - Number of rows/cols to freeze.) + @log_path + def freeze_data(self, dimension, num): + try: + num = int(num) + if dimension == "rows": + self.worksheet.freeze(rows=num, cols=None) + elif dimension == "columns": + self.worksheet.freeze(rows=None, cols=num) + else: + error = "Error: the dimension should be one of the rows/columns" + return False, repr(error) + except Exception as error: + return False, repr(error) + return True, f"You have successfully freeze the {dimension} {num}" + + # Translate the (row,col) into A1 annotation to get the cell position in A1 annotation; + # row(int); col(int) + @log_path + def get_A1_annotation(self, row, col): + try: + result = self.worksheet.cell(int(row), int(col)).address + except Exception as error: + return False, repr(error) + return True, result + + ###### ADD ####### + # insert cols into sheet in col "col_idx"; + # values_list((list(list)) - a list of lists, with the lists each containing one col’s values); + # col_idx((int) – Start col to update. Defaults to 1.) + @log_path + def insert_cols(self, values_list, col_idx): + try: + if check_2d_list(values_list): + values_list = convert_range_to_float(values_list) + else: + return check_2d_list(values_list) + col_num = len(self.get_all_values()[1][0]) + if int(col_idx) == col_num + 1: + self.worksheet.insert_cols(values_list, col_idx, value_input_option='RAW', inherit_from_before=True) + else: + self.worksheet.insert_cols(values_list, col_idx, value_input_option='RAW', + inherit_from_before=False) + except Exception as error: + return False, repr(error) + return True, self.get_all_values()[1] + + # insert raws into sheet in raw "raw_idx"; + # values_list((list(list)) - a list of lists, with the lists each containing one row’s values); + # row_idx((int) – Start row to update. Defaults to 1.) + @log_path + def insert_rows(self, values_list, row_idx): + try: + if check_2d_list(values_list): + values_list = convert_range_to_float(values_list) + else: + return check_2d_list(values_list) + raw_num = len(self.get_all_values()[1]) + if int(row_idx) == raw_num + 1: + self.worksheet.insert_rows(values_list, row_idx, value_input_option='RAW', inherit_from_before=True) + else: + self.worksheet.insert_rows(values_list, row_idx, value_input_option='RAW', + inherit_from_before=False) + except Exception as error: + return False, repr(error) + return True, self.get_all_values()[1] + + + ###### DELETE ####### + # delete range of data; dimension("row"/"col") - delete dimension; start_index(int) - Index of a first row/col / + # for deletion; end_index(int) - Index of a last row/col for deletion. if None, only delete a single row/col at / + # start_index. + # def delete_range(self, dimension, start_index, end_index=None): + # try: + # if dimension == "row": + # self.worksheet.delete_dimension(Dimension.rows, start_index, end_index) + # elif dimension == "col": + # self.worksheet.delete_dimension(Dimension.cols, start_index, end_index) + # else: + # error = "Wrong dimension, please choose from row/col" + # return False, repr(error) + # except Exception as error: + # return False, repr(error) + # return True, self.get_all_values()[1] + + # delete range of data; dimension("row"/"col") - delete dimension; start_index(list(int)) - list of the index / + # of rows/cols for deletion + @log_path + def delete_batch_data(self, dimension, index_list): + try: + sorted_list = sorted(index_list, key=lambda x: int(x), reverse=True) + if dimension == "row": + rows = len(self.get_all_values()[1]) + if len(index_list) >= rows - 1: + error = "Warning: You cannot delete whole sheet at once, please try other functions" + return False, repr(error) + for i in sorted_list: + time.sleep(0.2) + self.worksheet.delete_dimension(Dimension.rows, i) + elif dimension == "col": + cols = len(self.get_all_values()[1][0]) + if len(index_list) == cols: + error = "Warning: You cannot delete whole sheet at once, please try other functions" + return False, repr(error) + for i in sorted_list: + time.sleep(0.2) + self.worksheet.delete_dimension(Dimension.cols, i) + else: + error = "Wrong dimension, please choose from row/col" + return False, repr(error) + except Exception as error: + return False, repr(error) + return True, self.get_all_values()[1] + + ###### MODIFY ####### + # Update the value of the cell by setting value + @log_path + def update_cell(self, position, value): + try: + value = convert_value_to_float(value) + self.worksheet.update_acell(position, value) + except Exception as error: + return False, repr(error) + return True, self.get_all_values()[1] + + # Update the value of the target cell by using formulas on other cells + # here has two type representing ranges: [start_position:end_position](str,str) or position_list(list(str)), \ + # please choose one of them according to your needs, and note that all positions should be A1 annotation + @log_path + def update_cell_by_formula(self, start_position="B1", end_position="D2", position_list=None, result_position="G2", + operator=""): + try: + if operator not in ["SUM", "AVERAGE", "COUNT", "MAX", "MIN", "MINUS", "PRODUCT"]: + error = """the operator should be one of the ["SUM", "AVERAGE", "COUNT", "MAX", "MIN", "MINUS", "PRODUCT"]""" + return False, repr(error) + if position_list is None: + if validate_A1_annotation(start_position) and validate_A1_annotation(end_position) and \ + validate_A1_annotation(result_position): + overall_formula = f"={operator}({start_position}:{end_position})" + self.worksheet.update(result_position, overall_formula, raw=False) + else: + error = ("In the sheet formula, you should use A1 notation to display all positions in the " + "sheet and you can use get_A1_annotation(row, col) to get its A1 address.") + return False, repr(error) + else: + if all(validate_A1_annotation(position) for position in position_list) and \ + validate_A1_annotation(result_position): + positions = ",".join(position_list) + overall_formula = f"={operator}({positions})" + self.worksheet.update(result_position, overall_formula, raw=False) + else: + error = ("In the sheet formula, you should use A1 notation to display all positions in the " + "sheet and you can use get_A1_annotation(row, col) to get its A1 address.") + return False, repr(error) + + return True, self.get_all_values()[1] + except Exception as error: + return False, repr(error) + + # update a range of sheet from a list, should notice the shape of values_list + @log_path + def update_range(self, start_position, end_position, values_list): + try: + # if get_shape(self.get_range_values(start_position, end_position)) == get_shape(values_list): + # print() + # pass + # else: + # error = "The values_list to be inserted is different in shape from the selected range." + # return False, repr(error) + max_rows = len(self.get_all_values()[1]) + max_cols = len(self.get_all_values()[1][0]) + + last_position = self.worksheet.cell(max_rows, max_cols).address + if start_position == "A1" and end_position == last_position: + error = "Warning: You cannot update whole sheet at once, please try other functions" + return False, repr(error) + values_list = convert_range_to_float(values_list) + + self.worksheet.update(f"{start_position}:{end_position}", values_list) + except Exception as error: + return False, repr(error) + return True, self.get_all_values()[1] + + # Sorts worksheet using given sort orders; + # col_num((int) - the index of the sort column); + # order((‘asc’ or ‘des’) - the order); + @log_path + def sort_sheet_by_col(self, col_num, order): + try: + self.worksheet.sort((int(col_num), order)) + except Exception as error: + return False, repr(error) + return True, self.get_all_values()[1] + + # Merge cells. + # start_position(str) - Starting cell position(top left) in A1 annotation + # end_position(str) - Ending cell position(bottom right) in A1 annotation + @log_path + def merge_cells(self, start_position, end_position): + try: + self.worksheet.merge_cells(f"{start_position}:{end_position}", merge_type='MERGE_ALL') + except Exception as error: + return False, repr(error) + # time.sleep(1) + return True, self.get_all_values()[1] + + # Update a note in a certain cell; + # position(str) - Cell position in A1 annotation + # content(str) - The text note to insert + @log_path + def update_note(self, position, content): + try: + self.worksheet.update_note(position, content) + except Exception as error: + return False, repr(error) + result = "Updated! the {}'s note is {}".format(position, self.get_note(position)[1]) + return True, result + + ###### CHECK ####### + # display all cell values in worksheet + # rewrite + @log_path + def get_all_values(self): + try: + max_rows = len(self.worksheet.get_all_values()) + max_cols = len(self.worksheet.get_all_values()[0]) + last_position = self.worksheet.cell(max_rows, max_cols).address + result = self.worksheet.get_values(f"A1:{last_position}", combine_merged_cells=True) + except Exception as error: + return False, repr(error) + return True, result + + # Returns a list of cell data from a specified range. + @log_path + def get_range_values(self, start_position, end_position): + try: + result = self.worksheet.get_values(f"{start_position}:{end_position}", combine_merged_cells=True) + except Exception as error: + return False, repr(error) + return True, result + + # get cell value + # position(str) - Cell position in A1 annotation + @log_path + def get_cell_value(self, position): + try: + result = self.worksheet.acell(position).value + except Exception as error: + return False, repr(error) + return True, result + + # calculate by using formulas on cells; + # here has two type representing ranges: [start_position:end_position](str,str) or position_list(list(str)), \ + # please choose one of them according to your needs, and note that all positions should present by A1 annotation + @log_path + def get_value_by_formula(self, start_position='B1', end_position='D2', position_list=None, operator=""): + max_cols = len(self.worksheet.get_all_values()[0]) + self.insert_cols([[1]], max_cols+1) + templete_cell = self.worksheet.cell(1, max_cols+1).address # used for save result temporarily + + try: + if operator not in ["SUM", "AVERAGE", "COUNT", "MAX", "MIN", "MINUS", "PRODUCT"]: + self.worksheet.delete_columns(max_cols+1) + error = """the operator should be one of the ["SUM", "AVERAGE", "COUNT", "MAX", "MIN", "MINUS", "PRODUCT"]""" + return False, repr(error) + if position_list is None: + if validate_A1_annotation(start_position) and validate_A1_annotation(end_position): + overall_formula = f"={operator}({start_position}:{end_position})" + self.worksheet.update(templete_cell, overall_formula, raw=False) + result = self.worksheet.acell(templete_cell).value + self.worksheet.delete_columns(max_cols + 1) + else: + error = "In the sheet formula, you should use A1 notation to display the start and end cell address in the " \ + "sheet and you can use get_A1_annotation(row, col) to get its A1 address." + return False, repr(error) + else: + if all(validate_A1_annotation(position) for position in position_list): + positions = ",".join(position_list) + overall_formula = f"={operator}({positions})" + self.worksheet.update(templete_cell, overall_formula, raw=False) + result = self.worksheet.acell(templete_cell).value + self.worksheet.delete_columns(max_cols + 1) + else: + error = ("In the sheet formula, you should use A1 notation to display all positions in the " + "sheet and you can use get_A1_annotation(row, col) to get its A1 address.") + return False, repr(error) + + return True, result + except Exception as error: + return False, repr(error) + + # find all cells matching the query, return all cells' position(list); + # query(str, re.RegexObject) - A literal string to match or compiled regular expression. + # in_row(int, None) - row number to scope the search + # in_column(int, None) - col number to scope the search + @log_path + def filter_cells(self, query, in_row=None, in_column=None): + try: + in_row = int(in_row) if in_row is not None else None + in_column = int(in_column) if in_column is not None else None + position = [] + if isinstance(query, str): + query = re.compile(query) + results = self.worksheet.findall(query, in_row, in_column, case_sensitive=True) + for cell in results: + position.append(cell.address) + except Exception as error: + return False, repr(error) + return True, position + + # Get the content of the note located at cell, or the empty string if the cell does not have a note; + # position(str) - Cell position in A1 annotation + @log_path + def get_note(self, position): + try: + result = self.worksheet.get_note(position) + except Exception as error: + return False, repr(error) + return True, result + + @log_path + def finish(self): + return True, self.get_all_values()[1] + + +if __name__ == "__main__": + tool = sheet_toolkits() + tool.for_test() + _, worksheet = tool.open_sheet("Sheet1_1") + print(tool.sort_sheet_by_col(7, "des")) diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/todo/projects.json b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/todo/projects.json new file mode 100644 index 00000000..8f4336d2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/todo/projects.json @@ -0,0 +1,157 @@ +[ + { + "name": "Homework and Assignments", + "is_favorite": false, + "tasks": + [ + { + "content": "Solve algebra equations", + "description": "- Place: Library\n- TextBook: Algebra Essentials by Dr. Jane Smith\n- Consultation: If faced with difficulties, consult the teacher, tutor, or study group\n- Tips: Start with simpler equations to build confidence, don’t rush, and practice regularly.", + "due_date": "2015-06-01", + "duration": 60, + "duration_unit": "minute", + "priority": 1 + }, + { + "content": "Conduct a chemistry experiment", + "description": "- Place: Student Building\n- Textbook:Principles of Modern Chemistry by Dr. Alan Thompson\n- Equipment Needed: pH paper, thermometer and stirring rod\n- Chemicals Required: distilled water, hydrochloric acid and sodium hydroxide\n- Tips: 1. Ensure all apparatus are clean and dry before starting. 2. Conduct the experiment slowly to ensure accuracy. 3. Contact the teacher in advance.", + "due_date": "2015-06-12", + "duration": 90, + "duration_unit": "minute", + "priority": 2 + }, + { + "content": "Read and summarize a history chapter", + "description": "- Place: Quiet study room in the west wing of the library, second floor\n- TextBook: 'Epochs of World Civilization' by Prof. Alexander Williams\n- Chaper Name: World Modern History\n- Page Numbers: 255-280\n- Tips: Take breaks every 30 minutes to avoid information overload.", + "due_date": "2015-06-06", + "duration": 45, + "duration_unit": "minute", + "priority": 3 + } + ] + }, + { + "name": "Extracurricular Activities", + "is_favorite": false, + "tasks": + [ + { + "content": "Attend soccer practice", + "description": "- Place: Community Sports Field, Pitch #2\n- Coach: Mr. Alberto Ramirez\n- Equipment: soccer shoes and water bottle", + "due_date": "2015-06-12", + "duration": 90, + "duration_unit": "minute", + "priority": 4 + }, + { + "content": "Rehearse with the school band", + "description": "- Place: Student Building\n- Instrument: violin\n- Keys: Practice the assigned songs", + "due_date": "2015-06-02", + "duration": 60, + "duration_unit": "minute", + "priority": 4 + }, + { + "content": "Attend debate club meeting", + "description": "- Place: Student Building\n- Advisor: Mr. John Roberts, English Department\n- Keys: Prepare arguments on the assigned topic", + "due_date": "2015-06-08", + "duration": 60, + "duration_unit": "minute", + "priority":1 + } + ] + }, + { + "name": "Science Fair Project", + "is_favorite": false, + "tasks": + [ + { + "content": "Design and conduct a biology experiment", + "description": "- Place: School laboratory\n- Materials: Petri dishes, microscope, agar, samples\n- Procedure: Research different experiment ideas, choose one, design the experiment, conduct it, and record observations\n- Tips: Ensure a sterile environment when handling samples and equipment.", + "due_date": "2015-06-20", + "duration": 120, + "duration_unit": "minute", + "priority": 2 + }, + { + "content": "Prepare presentation for science fair", + "description": "- Place: Home\n- Format: PowerPoint presentation\n- Content: Introduction, hypothesis, methodology, results, conclusion, and references\n- Tips: Practice presenting to family members or friends to improve public speaking skills.", + "due_date": "2015-06-21", + "duration": 90, + "duration_unit": "minute", + "priority": 3 + }, + { + "content": "Write a research paper on the experiment", + "description": "- Place: Library\n- Structure: Abstract, introduction, methods, results, discussion, conclusion, references\n- Length: 5-7 pages\n- Tips: Use reliable sources for citations and proofread thoroughly for grammar and spelling errors.", + "due_date": "2015-06-23", + "duration": 120, + "duration_unit": "minute", + "priority": 1 + } + ] + }, + { + "name": "Household Chores", + "is_favorite": false, + "tasks": + [ + { + "content": "Clean the kitchen", + "description": "- Place: Home\n- Tasks: Wash dishes, wipe countertops, clean appliances, sweep and mop the floor\n- Tips: Start with clearing clutter before deep cleaning surfaces.", + "due_date": "2015-06-20", + "duration": 45, + "duration_unit": "minute", + "priority": 2 + }, + { + "content": "Do the laundry", + "description": "- Place: Home\n- Tasks: Sort clothes, wash, dry, fold, and put away\n- Tips: Separate whites, colors, and delicates to avoid color bleeding or damage.", + "due_date": "2015-06-22", + "duration": 90, + "duration_unit": "minute", + "priority": 3 + }, + { + "content": "Tidy up the living room", + "description": "- Place: Home\n- Tasks: Straighten cushions, fold throws, dust surfaces, vacuum carpet\n- Tips: Work from top to bottom, dusting shelves before vacuuming the floor.", + "due_date": "2015-06-24", + "duration": 30, + "duration_unit": "minute", + "priority": 1 + }, + { + "content": "Water the plants", + "description": "- Place: Home\n- Tasks: Check soil moisture, water plants accordingly, prune if needed\n- Tips: Use room-temperature water and avoid overwatering.", + "due_date": "2015-06-24", + "duration": 20, + "duration_unit": "minute", + "priority": 4 + } + ] + }, + { + "name": "Picnic Preparation", + "is_favorite": false, + "tasks": + [ + { + "content": "Purchase picnic supplies", + "description": "- Place: Local supermarket\n- Items Needed: Blanket, picnic basket, disposable plates, cups, and utensils, sunscreen, insect repellent, cooler, snacks, drinks, fruits, sandwiches, napkins\n- Tips: Make a list beforehand to ensure nothing is forgotten. Choose a variety of snacks and drinks to cater to different preferences.", + "due_date": "2015-06-23", + "duration": 45, + "duration_unit": "minute", + "priority": 2 + }, + { + "content": "Select picnic location and plan activities", + "description": "- Place: Library\n- Activities: Outdoor games (frisbee, soccer, etc.), nature walk, bird watching, kite flying\n- Tips: Choose a shaded area if possible. Check weather forecast in advance and prepare accordingly. Plan activities suitable for all ages and interests.", + "due_date": "2015-06-25", + "duration": 60, + "duration_unit": "minute", + "priority": 3 + } + ] + } +] \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/todo/todo_tools.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/todo/todo_tools.py new file mode 100644 index 00000000..20bd2397 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/todo/todo_tools.py @@ -0,0 +1,371 @@ +import os +import json +import requests +from typing import List, Dict, Any, Union +from copy import deepcopy +from dotenv import load_dotenv + +load_dotenv() + +URLS = { + "get_projects": "https://api.todoist.com/rest/v2/projects", + "add_projects": "https://api.todoist.com/rest/v2/projects", + "update_project": "https://api.todoist.com/rest/v2/projects/{project_id}", + "get_sections": "https://api.todoist.com/rest/v2/sections", + "add_sections": "https://api.todoist.com/rest/v2/sections", + "get_tasks": "https://api.todoist.com/rest/v2/tasks", + "add_tasks": "https://api.todoist.com/rest/v2/tasks", + "update_tasks": "https://api.todoist.com/rest/v2/tasks/{task_id}", + "complete_tasks": "https://api.todoist.com/rest/v2/tasks/{task_id}/close", + "delete_projects": "https://api.todoist.com/rest/v2/projects/{project_id}", + "get_task_by_id": "https://api.todoist.com/rest/v2/tasks/{task_id}", + "get_project_by_id": "https://api.todoist.com/rest/v2/projects/{project_id}", + "delete_task": "https://api.todoist.com/rest/v2/tasks/{task_id}" +} + +GET_HEADERS = { + "Authorization" : "Bearer {}".format(os.environ["TODO_KEY"] if "TODO_KEY" in os.environ.keys() else "") +} + +POST_HEADERS = { + "Authorization" : "Bearer {}".format(os.environ["TODO_KEY"] if "TODO_KEY" in os.environ.keys() else "") +} + +def clean_observation( + observation : Union[ List[Dict[str, Any]], Dict[str, Any] ] + ): + # remove all "id" in observation + new_observation = deepcopy(observation) + if isinstance(new_observation, list): + for item in new_observation: + if isinstance(item, dict): + item.pop("id") + elif isinstance(new_observation, dict): + if "id" in new_observation.keys(): + new_observation.pop("id") + if "task" in new_observation.keys(): + new_observation["task"].pop("id") + if "project" in new_observation.keys(): + new_observation["project"].pop("id") + return new_observation + +def log_path(func): + def wrapper(*args, **kwargs): + if "action_path" in kwargs.keys(): + action_path = kwargs["action_path"] + kwargs.pop("action_path") + success, result = func(*args, **kwargs) + + # convert value in kwargs to string + # for key, value in kwargs.items(): + # kwargs[key] = str(value) + if success: + action_path.append({ + "Action" : func.__name__, + "Action Input" : str(kwargs), + "Observation": result, + "Subgoal": clean_observation(result) + }) + return result + else: + action_path.append({ + "Action" : func.__name__, + "Action Input" : str(kwargs), + "Observation": result, + "Subgoal": "Calling " + func.__name__ + " with " + str(kwargs) + " failed", + }) + return result + else: + return func(*args, **kwargs) + return wrapper + +class todo_toolkits: + def __init__(self, init_config=None): + # remove all projects and upload the initial project + # 1. remove all projects + print("Removing all projects from account") + _, all_projects = self.get_projects() + for project in all_projects: + self.delete_project(project_id=project["id"]) + + # 2. upload the initial project + print("Initializing the project") + self.initial_project() + print("Initialization completed") + + if init_config is not None: + if "current_date" in init_config.keys(): + self.current_date = init_config["current_date"] + if "current_location" in init_config.keys(): + self.current_location = init_config["current_location"] + + @log_path + def get_user_current_date(self): + return True, self.current_date + + @log_path + def get_user_current_location(self): + return True, self.current_location + + def initial_project(self): + with open("{}/toolusage/utils/todo/projects.json".format(os.environ["PROJECT_PATH"]), "r") as f: + projects = json.load(f) + for project in projects: + _, returned_project = self.add_project(project={"name": project["name"]}) + project_id = returned_project["id"] + for task in project["tasks"]: + self.add_task(project_id=project_id, + content=task["content"], + description=task["description"], + due_date=task["due_date"], + duration=task["duration"], + duration_unit=task["duration_unit"], + priority=task["priority"], + # labels=task["labels"] + ) + + @log_path + def get_projects(self): + response = requests.get(URLS["get_projects"], headers=GET_HEADERS) + if response.status_code == 200: + response = response.json() + for project in response: + self._clean_project(project) + # remove project "Inbox" + response = [project for project in response if project["name"] != "Inbox"] + return True, response + else: + return False, response.text + + @log_path + def add_project(self, project=None): + params = project + response = requests.post(URLS["add_projects"], headers=POST_HEADERS, params=params) + if response.status_code == 200: + response = response.json() + project = self._clean_project(response) + return True, project + else: + return False, response.text + + @log_path + def update_project(self, project_id=None, is_favorite=None): + params = {} + if is_favorite is not None: + params["is_favorite"] = is_favorite + response = requests.post(URLS["update_project"].format(project_id=project_id), headers=POST_HEADERS, params=params) + if response.status_code == 200: + response = response.json() + project = self._clean_project(response) + returned_object = {} + returned_object["message"] = "Update the project successfully." + returned_object["project"] = project + return True, returned_object + return f"Update project - {project['name']} successfully." + else: + return False, response.text + + @log_path + def get_tasks(self, project_id=None): + params = { + "project_id": project_id + } + response = requests.get(URLS["get_tasks"], headers=GET_HEADERS, params=params) + if response.status_code == 200: + response = response.json() + for task in response: + self._clean_task(task) + return True, response + else: + return False, response.text + + @log_path + def get_task_description(self, task_id=None): + response = requests.get(URLS["get_task_by_id"].format(task_id=task_id), headers=GET_HEADERS) + if response.status_code == 200: + response = response.json() + return_data = { + "id": response["id"], + "content": response["content"], + "description": response["description"] + } + return True, return_data + else: + return False, response.text + + @log_path + def get_task_duration(self, task_id=None): + response = requests.get(URLS["get_task_by_id"].format(task_id=task_id), headers=GET_HEADERS) + if response.status_code == 200: + response = response.json() + return_data = { + "id": response["id"], + "content": response["content"], + "duration": str(response["duration"]["amount"]) + "(" + response["duration"]["unit"] + ")" + } + return True, return_data + else: + return False, response.text + + @log_path + def add_task(self, + project_id=None, + content=None, + description=None, + due_date=None, + duration=None, + duration_unit=None, + priority=None, + labels=None + ): + params = { + "project_id": project_id, + "content": content, + "description": description, + "due_date": due_date, + "duration": duration, + "duration_unit": duration_unit, + "priority": priority + # "labels": labels + } + response = requests.post(URLS["add_tasks"], headers=POST_HEADERS, params=params) + if response.status_code == 200: + response = response.json() + response = self._clean_task(response) + return True, response + else: + return False, response.text + + @log_path + def complete_task(self, task_id=None): + # First, we should whether this task is exists + response = requests.get(URLS["get_task_by_id"].format(task_id=task_id), headers=GET_HEADERS) + if response.status_code == 200: + response = response.json() + task = self._clean_task(response) + else: + return False, f"Task {task_id} is not exists." + + # Second, we should complete this task + response = requests.post(URLS["complete_tasks"].format(task_id=task_id), headers=POST_HEADERS) + if response.status_code == 204: + return_object = {} + return_object["message"] = "Complete task successfully." + task.pop("is_completed") + return_object["task"] = task + return True, return_object + else: + return False, response.text + + @log_path + def update_task(self, task_id=None, due_date=None): + params = { + "due_date": due_date + } + response = requests.post(URLS["update_tasks"].format(task_id=task_id), headers=POST_HEADERS, params=params) + if response.status_code == 200: + task = response.json() + task = self._clean_task(task) + returned_object = {} + returned_object["message"] = "Update the task successfully" + returned_object["task"] = task + return True, returned_object + else: + return False, response.text + + @log_path + def delete_project(self, project_id=None): + # First, we should whether this project is exists + response = requests.get(URLS["get_project_by_id"].format(project_id=project_id), headers=GET_HEADERS) + if response.status_code == 200: + response = response.json() + project = self._clean_project(response) + else: + return False, f"Project {project_id} is not exists." + + # Second, we should delete this project + response = requests.delete(URLS["delete_projects"].format(project_id=project_id), headers=POST_HEADERS) + # return response.json() + if response.status_code == 204: + return True, project + else: + return False, response.text + + @log_path + def delete_task(self, task_id=None): + # First, we should whether this task is exists + response = requests.get(URLS["get_task_by_id"].format(task_id=task_id), headers=GET_HEADERS) + if response.status_code == 200: + response = response.json() + task = self._clean_task(response) + else: + return False, f"Task {task_id} is not exists." + + # Second, we should delete this task + response = requests.delete(URLS["delete_task"].format(task_id=task_id), headers=POST_HEADERS) + if response.status_code == 204: + returned_object = {} + returned_object["message"] = "Delete the task successfully." + returned_object["task"] = task + return True, returned_object + else: + return False, response.text + + def _clean_task(self, task): + task.pop("assigner_id") + task.pop("assignee_id") + task.pop("section_id") + task.pop("parent_id") + task.pop("labels") + task.pop("comment_count") + task.pop("creator_id") + task.pop("created_at") + task.pop("url") + task.pop("project_id") + task["due_date"] = task["due"]["date"] + task.pop("due") + task.pop("description") + task.pop("duration") + # task["duration"] = str(task["duration"]["amount"]) + "(" + task["duration"]["unit"] + ")" + return task + + def _clean_project(self, project): + project.pop("comment_count") + project.pop("is_shared") + project.pop("is_inbox_project") + project.pop("is_team_inbox") + project.pop("url") + project.pop("view_style") + project.pop("parent_id") + return project + + def _get_all_projects(self): + response = requests.get(URLS["get_projects"], headers=GET_HEADERS) + if response.status_code == 200: + response = response.json() + for project in response: + self._clean_project(project) + # remove project "Inbox" + response = [project for project in response if project["name"] != "Inbox"] + return True, response + else: + return False, response.text + + def _get_all_tasks(self): + # response = requests.get(URLS["get_tasks"], headers=GET_HEADERS) + # get project first + tasks = [] + _, projects = self._get_all_projects() + for project in projects: + tasks.extend(self.get_tasks(project_id=project["id"])[1] ) + + return True, tasks + + @log_path + def finish(self, answer): + if type(answer) == list: + answer = sorted(answer) + return True, answer + +if __name__ == "__main__": + tool = todo_toolkits() \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/tool/data_utils.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/tool/data_utils.py new file mode 100644 index 00000000..330f70f8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/tool/data_utils.py @@ -0,0 +1,36 @@ +import json +import os + +class ToolDataset: + def __init__(self, test_file) -> None: + super().__init__() + self._load_data(test_file) + + def _load_data(self, test_file_path): + + data = None + with open(test_file_path, "r") as f: + data = [json.loads(line) for line in f.readlines()] + + self.goals = [ i["goal"] for i in data ] + + if "answer" in data[0]["additional_info"]: + self.ground_truths = [ i["additional_info"]["answer"] for i in data ] + + if "subgoals" in data[0]: + self.ground_truth_subgoals = [ i["subgoals"] for i in data ] + + if "init_config" in data[0]["additional_info"]: + self.init_configs = [ i["additional_info"]["init_config"] for i in data ] + + if "goal_type" in data[0]["additional_info"]: + self.goal_types = [ i["additional_info"]["goal_type"] for i in data ] + + if "tool" in data[0]["additional_info"]: + self.tools = [ i["additional_info"]["tool"] for i in data ] + + if "difficulty" in data[0]: + self.difficulties = [ i["difficulty"] for i in data ] + + def __len__(self): + return len(self.goals) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/tool/helpers.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/tool/helpers.py new file mode 100644 index 00000000..81a9b121 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/tool/helpers.py @@ -0,0 +1,95 @@ +import re +import math +import os +from utils.logging.agent_logger import AgentLogger + +def extract_action_name_and_action_input(text): + pattern = r"\s*(.*?)\s*with\s*Action Input:\s*(.*?)$" + match = re.search(pattern, text) + if match: + action = match.group(1) + action_input = match.group(2) + return action, action_input + else: + return None, None + +def parse_action(string): + pattern = r".*?Action:\s*(.*?)\s*with\s*Action Input:\s*(.*?)$" + match = re.match(pattern, string, re.MULTILINE | re.DOTALL) + if match: + action_type = match.group(1) + params = match.group(2) + try: + params = eval(params) + # convert all value to string + # for key, value in params.items(): + # params[key] = str(value) + except: + raise Exception("Parameters in action input are not valid, please change your action input.") + return action_type, params + + else: + return None + +# extract current sheet id and open sheet first +def extract_sheet_number(s): + match = re.search(r'"Sheet(\d{1,2})"', s) + if match: + return "Sheet" + match.group(1) + else: + return None + +def is_same_location(coord1, coord2, threshold=50): + lat1, lon1 = map(math.radians, coord1) + lat2, lon2 = map(math.radians, coord2) + + dlat = lat2 - lat1 + dlon = lon2 - lon1 + + a = math.sin(dlat/2)**2 + math.cos(lat1) * math.cos(lat2) * math.sin(dlon/2)**2 + c = 2 * math.atan2(math.sqrt(a), math.sqrt(1-a)) + + radius = 6371 + + distance = radius * c + + return distance < threshold + + +def check_credentials(): + if "MOVIE_KEY" not in os.environ: + raise Exception("Please set MOVIE_KEY in `.env` .") + + if "TODO_KEY" not in os.environ: + raise Exception("Please set TODO_KEY in `.env` .") + + PROJECT_PATH = os.getenv("PROJECT_PATH") + if not os.path.exists(f"{PROJECT_PATH}/toolusage/utils/sheet/credential.json"): + raise Exception("Please set `credential.json` in `./toolusage/utils/sheet/credential.json` .") + +def contains_network_error(observation): + network_errors = [ + "ConnectionError", + "HTTPError", + "HTTPSError", + "TimeoutError", + "SSLError", + "ProxyError", + "TooManyRedirects", + "RequestException" + ] + + for error in network_errors: + if error in observation: + return True + + return False + +def save_log(logger_name, task_name, output_dir): + """Creates a log file and logging object for the corresponding task Name""" + log_dir = os.path.join(output_dir, 'trajectory') + os.makedirs(log_dir, exist_ok=True) + log_file_name = f'{task_name}.log' + log_file_path = os.path.join(log_dir, log_file_name) + logger = AgentLogger(logger_name, filepath=log_file_path) + return logger \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/weather/weather_tools.py b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/weather/weather_tools.py new file mode 100644 index 00000000..657bf09c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/Toolusage/toolusage/utils/weather/weather_tools.py @@ -0,0 +1,564 @@ +import requests +import logging +from geopy.distance import geodesic +from datetime import datetime +from copy import deepcopy +from datetime import datetime, timedelta + +logging.basicConfig( + format="%(asctime)s | %(levelname)s | %(name)s | %(message)s", + datefmt="%Y-%m-%d %H:%M:%S", + level=logging.INFO, +) + +logger = logging.getLogger(__name__) + +# 从IP中生成物理地址 + +URLS = { + "historical_weather": "https://archive-api.open-meteo.com/v1/archive", + "geocoding": "https://geocoding-api.open-meteo.com/v1/search", + "air_quality": "https://air-quality-api.open-meteo.com/v1/air-quality", + "elevation": "https://api.open-meteo.com/v1/elevation", + # "zipcode": "http://ZiptasticAPI.com/{zipcode}" + # "weather_forecast": "https://api.open-meteo.com/v1/forecast", +} + +def is_within_30_days(start_date: str, end_date: str) -> bool: + # 将字符串格式的日期转换为datetime对象 + start_date_obj = datetime.strptime(start_date, '%Y-%m-%d') + end_date_obj = datetime.strptime(end_date, '%Y-%m-%d') + + # 计算两个日期之间的差异 + difference = end_date_obj - start_date_obj + + # 判断差异是否为30天 + if difference > timedelta(days=30): + return False + else: + return True + +def clean_observation(observation): + new_observation = deepcopy(observation) + if type(new_observation) == dict and "daily" in new_observation.keys() and "temperature_2m_max" in new_observation["daily"].keys(): + new_observation["daily"].pop("temperature_2m_max") + new_observation["daily"].pop("temperature_2m_min") + new_observation["daily"].pop("temperature_2m_mean") + return new_observation + +def log_path(func): + def wrapper(*args, **kwargs): + if "action_path" in kwargs.keys(): + action_path = kwargs["action_path"] + kwargs.pop("action_path") + success, result = func(*args, **kwargs) + + # convert value in kwargs to string + # for key, value in kwargs.items(): + # kwargs[key] = str(value) + + if success: + action_path.append({ + "Action" : func.__name__, + "Action Input" : str(kwargs), + "Observation": result, + "Subgoal": clean_observation( result ) + }) + return result + else: + action_path.append({ + "Action" : func.__name__, + "Action Input" : str(kwargs), + "Observation": result, + "Subgoal": "Calling " + func.__name__ + " with " + str(kwargs) + " failed", + }) + return result + else: + return func(*args, **kwargs) + return wrapper + +class weather_toolkits: + def __init__(self, init_config=None): + if init_config is not None: + if "current_date" in init_config.keys(): + self.current_date = init_config["current_date"] + if "current_location" in init_config.keys(): + self.current_location = init_config["current_location"] + + @log_path + def get_user_current_date(self): + return True, self.current_date + + @log_path + def get_user_current_location(self): + return True, self.current_location + + @log_path + def get_historical_temp(self, latitude=None, longitude=None, start_date=None, end_date=None, is_historical=True): + if is_historical is True: + # make sure that start_date and end_date are fewer than current_date + if start_date is not None: + start_date_obj = datetime.strptime(start_date, "%Y-%m-%d") + current_date_obj = datetime.strptime(self.current_date, "%Y-%m-%d") + if start_date_obj >= current_date_obj: + return False, "Error: start_date should be earlier than current_date" + if end_date is not None: + end_date_obj = datetime.strptime(end_date, "%Y-%m-%d") + current_date_obj = datetime.strptime(self.current_date, "%Y-%m-%d") + if end_date_obj >= current_date_obj: + return False, "Error: end_date should be earlier than current_date" + + if is_within_30_days(start_date, end_date) is False: + return False, "Error: Sorry, at present, we support a maximum time span of 30 days between start_date and end_date in a single query. Your input exceeds this range. You can split your current query into multiple sub-queries that meet our criteria." + + def _clean(response): + if "elevation" in response.keys(): + response.pop("elevation") + if "generationtime_ms" in response.keys(): + response.pop("generationtime_ms") + if "timezone" in response.keys(): + response.pop("timezone") + if "timezone_abbreviation" in response.keys(): + response.pop("timezone_abbreviation") + if "utc_offset_seconds" in response.keys(): + response.pop("utc_offset_seconds") + # if "daily_units" in response.keys(): + # response.pop("daily_units") + return response + + params = { + "latitude": latitude, + "longitude": longitude, + "start_date": start_date, + "end_date": end_date, + "timezone": "GMT", # Use default timezone + "daily": "temperature_2m_max,temperature_2m_min,temperature_2m_mean" + } + response = requests.get(URLS["historical_weather"], params=params) + if response.status_code == 200: + return True, _clean( response.json() ) + else: + return False, response.text + + @log_path + def get_historical_rain(self, latitude=None, longitude=None, start_date=None, end_date=None, is_historical=True): + if is_historical is True: + # make sure that start_date and end_date are fewer than current_date + if start_date is not None: + start_date_obj = datetime.strptime(start_date, "%Y-%m-%d") + current_date_obj = datetime.strptime(self.current_date, "%Y-%m-%d") + if start_date_obj >= current_date_obj: + return False, "Error: start_date should be earlier than current_date" + if end_date is not None: + end_date_obj = datetime.strptime(end_date, "%Y-%m-%d") + current_date_obj = datetime.strptime(self.current_date, "%Y-%m-%d") + if end_date_obj >= current_date_obj: + return False, "Error: end_date should be earlier than current_date" + + if is_within_30_days(start_date, end_date) is False: + return False, "Error: Sorry, at present, we support a maximum time span of 30 days between start_date and end_date in a single query. Your input exceeds this range. You can split your current query into multiple sub-queries that meet our criteria." + + def _clean(response): + if "elevation" in response.keys(): + response.pop("elevation") + if "generationtime_ms" in response.keys(): + response.pop("generationtime_ms") + if "timezone" in response.keys(): + response.pop("timezone") + if "timezone_abbreviation" in response.keys(): + response.pop("timezone_abbreviation") + if "utc_offset_seconds" in response.keys(): + response.pop("utc_offset_seconds") + return response + + params = { + "latitude": latitude, + "longitude": longitude, + "start_date": start_date, + "end_date": end_date, + "timezone": "GMT", # Use default timezone + "daily": "rain_sum" + } + response = requests.get(URLS["historical_weather"], params=params) + if response.status_code == 200: + return True, _clean( response.json() ) + else: + return False, response.text + + @log_path + def get_historical_snow(self, latitude=None, longitude=None, start_date=None, end_date=None, is_historical=True): + if is_historical is True: + # make sure that start_date and end_date are fewer than current_date + if start_date is not None: + start_date_obj = datetime.strptime(start_date, "%Y-%m-%d") + current_date_obj = datetime.strptime(self.current_date, "%Y-%m-%d") + if start_date_obj >= current_date_obj: + return False, "Error: start_date should be earlier than current_date" + if end_date is not None: + end_date_obj = datetime.strptime(end_date, "%Y-%m-%d") + current_date_obj = datetime.strptime(self.current_date, "%Y-%m-%d") + if end_date_obj >= current_date_obj: + return False, "Error: end_date should be earlier than current_date" + + if is_within_30_days(start_date, end_date) is False: + return False, "Error: Sorry, at present, we support a maximum time span of 30 days between start_date and end_date in a single query. Your input exceeds this range. You can split your current query into multiple sub-queries that meet our criteria." + + def _clean(response): + if "elevation" in response.keys(): + response.pop("elevation") + if "generationtime_ms" in response.keys(): + response.pop("generationtime_ms") + if "timezone" in response.keys(): + response.pop("timezone") + if "timezone_abbreviation" in response.keys(): + response.pop("timezone_abbreviation") + if "utc_offset_seconds" in response.keys(): + response.pop("utc_offset_seconds") + return response + + params = { + "latitude": latitude, + "longitude": longitude, + "start_date": start_date, + "end_date": end_date, + "timezone": "GMT", # Use default timezone + "daily": "snowfall_sum" + } + response = requests.get(URLS["historical_weather"], params=params) + if response.status_code == 200: + return True, _clean( response.json() ) + else: + return False, response.text + + @log_path + def get_snow_forecast(self, + latitude=None, + longitude=None, + start_date=None, + end_date=None): + # make sure that start_date and end_date are later than current_date + if start_date is not None: + start_date_obj = datetime.strptime(start_date, "%Y-%m-%d") + current_date_obj = datetime.strptime(self.current_date, "%Y-%m-%d") + if start_date_obj <= current_date_obj: + return False, "Error: start_date should be later than current_date" + if end_date is not None: + end_date_obj = datetime.strptime(end_date, "%Y-%m-%d") + current_date_obj = datetime.strptime(self.current_date, "%Y-%m-%d") + if end_date_obj <= current_date_obj: + return False, "Error: end_date should be later than current_date" + + if is_within_30_days(start_date, end_date) is False: + return False, "Error: Sorry, at present, we support a maximum time span of 30 days between start_date and end_date in a single query. Your input exceeds this range. You can split your current query into multiple sub-queries that meet our criteria." + + success, response = self.get_historical_snow(latitude=latitude, + longitude=longitude, + start_date=start_date, + end_date=end_date, + is_historical=False) + return success, response + + @log_path + def get_current_snow(self, + latitude=None, + longitude=None, + current_date=None): + success, response = self.get_historical_snow(latitude=latitude, + longitude=longitude, + start_date=current_date, + end_date=current_date, + is_historical=False + ) + return success, response + + @log_path + def get_current_temp(self, latitude=None, longitude=None, current_date=None): + # We use get_historical_weather to get current weather + success, response = self.get_historical_temp(latitude=latitude, + longitude=longitude, + start_date=current_date, + end_date=current_date, + is_historical=False + ) + return success, response + + @log_path + def get_latitude_longitude(self, name=None): + def _clean(response): + for item in response["results"]: + if "elevation" in item.keys(): + item.pop("elevation") + if "feature_code" in item.keys(): + item.pop("feature_code") + if "country_code" in item.keys(): + item.pop("country") + if "country_id" in item.keys(): + item.pop("country_id") + if "admin1_id" in item.keys(): + item.pop("admin1_id") + if "timezone" in item.keys(): + item.pop("timezone") + if "population" in item.keys(): + item.pop("population") + if "postcodes" in item.keys(): + item.pop("postcodes") + for key in list(item.keys()): + if key.endswith("id"): + item.pop(key) + for key in list(item.keys()): + if "admin" in key: + item.pop(key) + if "generationtime_ms" in response.keys(): + response.pop("generationtime_ms") + return response + + params = { + "name": name, + "count": 3, + "language": "en", + "format": "json" + } + + response = requests.get(URLS["geocoding"], params=params) + if response.status_code == 200: + return True, _clean( response.json() ) + else: + return False, response.text + + @log_path + def get_air_quality(slef, latitude=None, longitude=None): + params = { + "latitude": latitude, + "longitude": longitude, + "hourly": "european_aqi_pm2_5" + # "hourly": hourly + } + response = requests.get(URLS["air_quality"], params=params) + if response.status_code == 200: + return True, response.json() + else: + return False, response.text + + @log_path + def get_elevation(self, latitude=None, longitude=None): + params = { + "latitude": latitude, + "longitude": longitude + } + response = requests.get(URLS["elevation"], params=params) + if response.status_code == 200: + return True, response.json() + else: + return False, response.text + + @log_path + def get_temp_forecast(self, + latitude=None, + longitude=None, + start_date=None, + end_date=None): + # make sure that start_date and end_date are later than current_date + if start_date is not None: + start_date_obj = datetime.strptime(start_date, "%Y-%m-%d") + current_date_obj = datetime.strptime(self.current_date, "%Y-%m-%d") + if start_date_obj <= current_date_obj: + return False, "Error: start_date should be later than current_date" + if end_date is not None: + end_date_obj = datetime.strptime(end_date, "%Y-%m-%d") + current_date_obj = datetime.strptime(self.current_date, "%Y-%m-%d") + if end_date_obj <= current_date_obj: + return False, "Error: end_date should be later than current_date" + + if is_within_30_days(start_date, end_date) is False: + return False, "Error: Sorry, at present, we support a maximum time span of 30 days between start_date and end_date in a single query. Your input exceeds this range. You can split your current query into multiple sub-queries that meet our criteria." + + success, response = self.get_historical_temp(latitude=latitude, + longitude=longitude, + start_date=start_date, + end_date=end_date, + is_historical=False) + return success, response + + @log_path + def get_rain_forecast(self, + latitude=None, + longitude=None, + start_date=None, + end_date=None): + # make sure that start_date and end_date are later than current_date + if start_date is not None: + start_date_obj = datetime.strptime(start_date, "%Y-%m-%d") + current_date_obj = datetime.strptime(self.current_date, "%Y-%m-%d") + if start_date_obj <= current_date_obj: + return False, "Error: start_date should be later than current_date" + if end_date is not None: + end_date_obj = datetime.strptime(end_date, "%Y-%m-%d") + current_date_obj = datetime.strptime(self.current_date, "%Y-%m-%d") + if end_date_obj <= current_date_obj: + return False, "Error: end_date should be later than current_date" + + if is_within_30_days(start_date, end_date) is False: + return False, "Error: Sorry, at present, we support a maximum time span of 30 days between start_date and end_date in a single query. Your input exceeds this range. You can split your current query into multiple sub-queries that meet our criteria." + + success, response = self.get_historical_rain(latitude=latitude, + longitude=longitude, + start_date=start_date, + end_date=end_date, + is_historical=False) + return success, response + + @log_path + def get_current_rain(self, + latitude=None, + longitude=None, + current_date=None): + success, response = self.get_historical_rain(latitude=latitude, + longitude=longitude, + start_date=current_date, + end_date=current_date, + is_historical=False + ) + return success, response + + @log_path + def get_distance(self, latitude1=None, longitude1=None, latitude2=None, + longitude2=None): + coord1 = (latitude1, longitude1) + coord2 = (latitude2, longitude2) + distance = geodesic(coord1, coord2).km + return True, distance + + @log_path + def get_historical_air_quality_index(self, + latitude=None, + longitude=None, + start_date=None, + end_date=None, + is_historical=True): + if is_historical is True: + # make sure that start_date and end_date are fewer than current_date + if start_date is not None: + start_date_obj = datetime.strptime(start_date, "%Y-%m-%d") + current_date_obj = datetime.strptime(self.current_date, "%Y-%m-%d") + if start_date_obj >= current_date_obj: + return False, "Error: start_date should be earlier than current_date" + if end_date is not None: + end_date_obj = datetime.strptime(end_date, "%Y-%m-%d") + current_date_obj = datetime.strptime(self.current_date, "%Y-%m-%d") + if end_date_obj >= current_date_obj: + return False, "Error: end_date should be earlier than current_date" + + if is_within_30_days(start_date, end_date) is False: + return False, "Error: Sorry, at present, we support a maximum time span of 30 days between start_date and end_date in a single query. Your input exceeds this range. You can split your current query into multiple sub-queries that meet our criteria." + + def _clean(response): + if "elevation" in response.keys(): + response.pop("elevation") + if "generationtime_ms" in response.keys(): + response.pop("generationtime_ms") + if "timezone" in response.keys(): + response.pop("timezone") + if "timezone_abbreviation" in response.keys(): + response.pop("timezone_abbreviation") + if "utc_offset_seconds" in response.keys(): + response.pop("utc_offset_seconds") + return response + + def _gather_data(response): + new_response = { + "latitude": response["latitude"], + "longitude": response["longitude"], + "daily_units": response["hourly_units"], + "daily": response["hourly"] + } + + # filter 12:00 data as daily data + num_days = len(new_response["daily"]["time"]) // 24 + european_aqi_pm2_5 = [] + for i in range(num_days): + european_aqi_pm2_5.append( new_response["daily"]["european_aqi_pm2_5"][24*i+12] ) + new_response["daily"]["european_aqi_pm2_5"] = european_aqi_pm2_5 + time = [] + for i in range(num_days): + time.append( new_response["daily"]["time"][24*i+12] ) + new_response["daily"]["time"] = time + return new_response + + params = { + "latitude": latitude, + "longitude": longitude, + "start_date": start_date, + "end_date": end_date, + "timezone": "GMT", # Use default timezone + "hourly": "european_aqi_pm2_5" + } + response = requests.get(URLS["air_quality"], params=params) + if response.status_code == 200: + response = _clean( response.json() ) + response = _gather_data( response ) + return True, response + else: + return False, response.text + + @log_path + def get_current_air_quality_index(self, + latitude=None, + longitude=None, + current_date=None): + success, response = self.get_historical_air_quality_index(latitude=latitude, + longitude=longitude, + start_date=current_date, + end_date=current_date, + is_historical=False) + return success, response + + @log_path + def get_air_quality_level(self, air_quality_index): + response = None + if air_quality_index <= 20: + response = "good" + elif 21 < air_quality_index <= 40: + response = "fair" + elif 41 < air_quality_index <= 60: + response = "moderate" + elif 61 < air_quality_index <= 80: + response = "poor" + elif 81 < air_quality_index <= 100: + response = "very poor" + else: + response = "extremely poor" + return True, response + + @log_path + def convert_zipcode_to_address(self, zipcode): + response = requests.get(URLS["zipcode"].format(zipcode=zipcode)) + if response.status_code == 200: + return True, response.json() + else: + return False, response.text + + @log_path + def finish(self, answer): + if type(answer) == list: + answer = sorted(answer) + return True, answer + + # @log_path + +if __name__ == "__main__": + init_config = { + "current_date": "2023-01-01" + } + tool = weather_toolkits(init_config=init_config) + + # print( tool.get_temp_forecast(latitude=40.699997, + # longitude= ) ) + # print( tool.get_weather_forecast(latitude="52.52", longitude="13.41") ) + # print( tool.get_weather_forecast(latitude="52.52", longitude="13.41") ) + # print( tool.get_eveluation(latitude="52.52", longitude="13.41") ) + # pprint( tool.get_air_quality(latitude="40.7128", longitude="-74.0060") ) + # pprint(tool.get_geocoding(name="New York")) + print(tool.get_historical_temp(latitude=31.22222, longitude=121.45806, start_date="2015-01-01", end_date="2015-03-01")) + # pprint( tool.get_historical_air(latitude=52.52, longitude=13.41, start_date="2022-11-01", end_date="2022-11-30") ) + # pprint( tool.convert_zipcode_to_address("84323") ) + # print( tool.get_geocoding(name="Shanghai") ) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/__init__.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/__init__.py new file mode 100644 index 00000000..7142252f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/__init__.py @@ -0,0 +1,9 @@ +import os +import sys + +sys.path.append( + os.path.join(os.path.dirname(os.path.realpath(__file__)), "..", "Toolusage") +) + +from .academia_launch import launch +from .academia_server import app diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/academia_environment.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/academia_environment.py new file mode 100644 index 00000000..4a0d8865 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/academia_environment.py @@ -0,0 +1,85 @@ +""" +AcademiaEnvServer +""" + +from typing import Optional + +from environment.academia_env import AcademiaEnv +from utils.tool.data_utils import ToolDataset +from utils.tool.helpers import extract_action_name_and_action_input + + +class AcademiaEnvServer: + """ + AcademiaEnvServer + """ + + def __init__(self) -> None: + self._max_id = 0 + self.env = {} + dataset_path = "Toolusage/data/academia.jsonl" + self.dataset = ToolDataset(test_file=dataset_path) + + def create(self, id: int = 0) -> int: + env_idx = self._max_id + dataset = self.dataset + dataset_i = dict() + dataset_i["goal"] = dataset.goals[id] + dataset_i["ground_truth"] = dataset.ground_truths[id] + dataset_i["ground_truth_subgoals"] = dataset.ground_truth_subgoals[id] + dataset_i["tool"] = dataset.tools[id] + + self.env[self._max_id] = AcademiaEnv(dataset=dataset_i) + self._max_id += 1 + return env_idx + + def reset(self, env_idx, id: Optional[int] = None): + if id is not None: + print(id) + dataset = self.dataset + dataset_i = dict() + dataset_i["goal"] = dataset.goals[id] + dataset_i["ground_truth"] = dataset.ground_truths[id] + dataset_i["ground_truth_subgoals"] = dataset.ground_truth_subgoals[id] + dataset_i["tool"] = dataset.tools[id] + + self.env[env_idx].__init__(dataset=dataset_i) + else: + print(None) + self.env[env_idx].__init__(dataset=self.env[env_idx].dataset) + + def step(self, env_idx, message: str): + """ + observation, reward, done, None + """ + action, action_input = extract_action_name_and_action_input(message) + if action_input == None: + observation, done = ( + 'Format error, please response in the format of "Action: [your action] with Action Input: [your action input]', + False, + ) + reward = self.env[env_idx].reward + return observation, reward, done, None + else: + action_with_action_input = action + " with Action Input: " + action_input + observation, reward, done, _ = self.env[env_idx].step( + action=action_with_action_input + ) + observation = "Observation: " + observation + "\nGive me one action." + return observation, reward, done, None + + def observation(self, env_idx): + """ + Return: + {'year': 2021, 'venue': 'AAAI Spring Symposium - MLPS', 'n_citation': 0, 'keywords': [], 'doc_type': 'Conference'} + """ + if "New trial starts." in self.env[env_idx].get_obs(): + return ( + "Now new trial starts.\nYou should perform actions to accomplish the goal: " + + self.env[env_idx].goal + + "\nGive me one action." + ) + return "Observation: " + self.env[env_idx].get_obs() + + +academia_env_server = AcademiaEnvServer() diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/academia_launch.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/academia_launch.py new file mode 100644 index 00000000..d095a174 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/academia_launch.py @@ -0,0 +1,26 @@ +""" +Entrypoint for the academia agent environment. +""" + +import argparse + +import uvicorn + +from .academia_utils import debug_flg + + +def launch(): + """entrypoint for `academia` commond""" + + parser = argparse.ArgumentParser() + parser.add_argument("--port", type=int, default=8000) + parser.add_argument("--host", type=str, default="0.0.0.0") + parser.add_argument("--workers", type=int, default=1) + args = parser.parse_args() + uvicorn.run( + "agentenv_academia:app", + host=args.host, + port=args.port, + reload=debug_flg, + workers=args.workers, + ) diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/academia_model.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/academia_model.py new file mode 100644 index 00000000..e1d1ae18 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/academia_model.py @@ -0,0 +1,23 @@ +from typing import List, Optional + +from pydantic import BaseModel + + +class CreateQuery(BaseModel): + id: int + + +class StepQuery(BaseModel): + env_idx: int + action: str + + +class StepResponse(BaseModel): + observation: str + reward: float + done: bool + + +class ResetQuery(BaseModel): + env_idx: int + id: Optional[int] = None diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/academia_server.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/academia_server.py new file mode 100644 index 00000000..872f5a96 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/academia_server.py @@ -0,0 +1,51 @@ +""" +FastAPI Server +""" + +from typing import List + +from fastapi import FastAPI + +from .academia_environment import academia_env_server +from .academia_model import * +from .academia_utils import debug_flg + +app = FastAPI(debug=debug_flg) + + +@app.get("/", response_model=str) +def generate_ok(): + """Test connectivity""" + return "ok" + + +@app.get("/list_envs", response_model=List[int]) +def list_envs(): + """List all environments""" + return list(academia_env_server.env.keys()) + + +@app.post("/create", response_model=int) +def create(create_query: CreateQuery): + """Create a new environment""" + env = academia_env_server.create(create_query.id) + return env + + +@app.post("/step", response_model=StepResponse) +def step(step_query: StepQuery): + observation, reward, done, _ = academia_env_server.step( + step_query.env_idx, step_query.action + ) + return StepResponse(observation=observation, reward=reward, done=done) + + +@app.get("/observation", response_model=str) +def observation(env_idx: int): + return academia_env_server.observation(env_idx) + + +@app.post("/reset", response_model=str) +def reset(reset_query: ResetQuery): + academia_env_server.reset(reset_query.env_idx, reset_query.id) + return academia_env_server.observation(reset_query.env_idx) diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/academia_utils.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/academia_utils.py new file mode 100644 index 00000000..04958e88 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_academia/academia_utils.py @@ -0,0 +1,6 @@ +import os + +debug_flg = bool(os.environ.get("AGENTENV_DEBUG", False)) + +if debug_flg: + print("Debug mode") diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/__init__.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/__init__.py new file mode 100644 index 00000000..dd5730ff --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/__init__.py @@ -0,0 +1,9 @@ +import os +import sys + +sys.path.append( + os.path.join(os.path.dirname(os.path.realpath(__file__)), "..", "Toolusage") +) + +from .movie_launch import launch +from .movie_server import app diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/movie_environment.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/movie_environment.py new file mode 100644 index 00000000..b255b5e0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/movie_environment.py @@ -0,0 +1,92 @@ +""" +MovieEnvServer +""" + +from typing import Optional + +from environment.movie_env import MovieEnv +from utils.tool.data_utils import ToolDataset +from utils.tool.helpers import extract_action_name_and_action_input +import time + + +class MovieEnvServer: + """ + MovieEnvServer + """ + + def __init__(self) -> None: + self._max_id = 0 + self.env = {} + dataset_path = "Toolusage/data/movie.jsonl" + self.dataset = ToolDataset(test_file=dataset_path) + + def create(self, id: int = 0) -> int: + env_idx = self._max_id + dataset = self.dataset + dataset_i = dict() + dataset_i["goal"] = dataset.goals[id] + dataset_i["ground_truth"] = dataset.ground_truths[id] + dataset_i["ground_truth_subgoals"] = dataset.ground_truth_subgoals[id] + dataset_i["tool"] = dataset.tools[id] + + self.env[self._max_id] = MovieEnv(dataset=dataset_i) + self._max_id += 1 + return env_idx + + def reset(self, env_idx, id: Optional[int] = None): + if id is not None: + print(id) + dataset = self.dataset + dataset_i = dict() + dataset_i["goal"] = dataset.goals[id] + dataset_i["ground_truth"] = dataset.ground_truths[id] + dataset_i["ground_truth_subgoals"] = dataset.ground_truth_subgoals[id] + dataset_i["tool"] = dataset.tools[id] + + self.env[env_idx].__init__(dataset=dataset_i) + else: + print(None) + self.env[env_idx].__init__(dataset=self.env[env_idx].dataset) + + def step(self, env_idx, message: str): + """ + observation, reward, done, None + """ + action, action_input = extract_action_name_and_action_input(message) + if action_input == None: + observation, done = ( + 'Format error, please response in the format of "Action: [your action] with Action Input: [your action input]', + False, + ) + reward = self.env[env_idx].reward + return observation, reward, done, None + else: + action_with_action_input = action + " with Action Input: " + action_input + idx = 0 + while True and idx < 10: + observation, reward, done, _ = self.env[env_idx].step( + action=action_with_action_input + ) + if "HTTPSConnectionPool" not in observation: + break + idx += 1 + time.sleep(15) + observation = "Observation: " + observation + "\nGive me one action." + return observation, reward, done, None + + def observation(self, env_idx): + """ + Return: + {'id': 934433, 'overview': 'Following the latest Ghostface killings, the four survivors leave Woodsboro behind and start a fresh chapter.', 'title': 'Scream VI'} + """ + if "New trial starts." in self.env[env_idx].get_obs(): + return ( + "Now new trial starts.\nYou should perform actions to accomplish the goal: " + + self.env[env_idx].goal + + "\nGive me one action." + ) + return "Observation: " + self.env[env_idx].get_obs() + + +movie_env_server = MovieEnvServer() diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/movie_launch.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/movie_launch.py new file mode 100644 index 00000000..3e757489 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/movie_launch.py @@ -0,0 +1,26 @@ +""" +Entrypoint for the movie agent environment. +""" + +import argparse + +import uvicorn + +from .movie_utils import debug_flg + + +def launch(): + """entrypoint for `movie` commond""" + + parser = argparse.ArgumentParser() + parser.add_argument("--port", type=int, default=8000) + parser.add_argument("--host", type=str, default="0.0.0.0") + parser.add_argument("--workers", type=int, default=1) + args = parser.parse_args() + uvicorn.run( + "agentenv_movie:app", + host=args.host, + port=args.port, + reload=debug_flg, + workers=args.workers, + ) diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/movie_model.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/movie_model.py new file mode 100644 index 00000000..e1d1ae18 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/movie_model.py @@ -0,0 +1,23 @@ +from typing import List, Optional + +from pydantic import BaseModel + + +class CreateQuery(BaseModel): + id: int + + +class StepQuery(BaseModel): + env_idx: int + action: str + + +class StepResponse(BaseModel): + observation: str + reward: float + done: bool + + +class ResetQuery(BaseModel): + env_idx: int + id: Optional[int] = None diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/movie_server.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/movie_server.py new file mode 100644 index 00000000..54b9d36d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/movie_server.py @@ -0,0 +1,51 @@ +""" +FastAPI Server +""" + +from typing import List + +from fastapi import FastAPI + +from .movie_environment import movie_env_server +from .movie_model import * +from .movie_utils import debug_flg + +app = FastAPI(debug=debug_flg) + + +@app.get("/", response_model=str) +def generate_ok(): + """Test connectivity""" + return "ok" + + +@app.get("/list_envs", response_model=List[int]) +def list_envs(): + """List all environments""" + return list(movie_env_server.env.keys()) + + +@app.post("/create", response_model=int) +def create(create_query: CreateQuery): + """Create a new environment""" + env = movie_env_server.create(create_query.id) + return env + + +@app.post("/step", response_model=StepResponse) +def step(step_query: StepQuery): + observation, reward, done, _ = movie_env_server.step( + step_query.env_idx, step_query.action + ) + return StepResponse(observation=observation, reward=reward, done=done) + + +@app.get("/observation", response_model=str) +def observation(env_idx: int): + return movie_env_server.observation(env_idx) + + +@app.post("/reset", response_model=str) +def reset(reset_query: ResetQuery): + movie_env_server.reset(reset_query.env_idx, reset_query.id) + return movie_env_server.observation(reset_query.env_idx) diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/movie_utils.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/movie_utils.py new file mode 100644 index 00000000..04958e88 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_movie/movie_utils.py @@ -0,0 +1,6 @@ +import os + +debug_flg = bool(os.environ.get("AGENTENV_DEBUG", False)) + +if debug_flg: + print("Debug mode") diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/__init__.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/__init__.py new file mode 100644 index 00000000..fe7938af --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/__init__.py @@ -0,0 +1,9 @@ +import os +import sys + +sys.path.append( + os.path.join(os.path.dirname(os.path.realpath(__file__)), "..", "Toolusage") +) + +from .sheet_launch import launch +from .sheet_server import app diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/sheet_environment.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/sheet_environment.py new file mode 100644 index 00000000..e82283fc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/sheet_environment.py @@ -0,0 +1,94 @@ +""" +SheetEnvServer +""" + +from typing import Optional + +from environment.sheet_env import SheetEnv +from utils.tool.data_utils import ToolDataset +from utils.tool.helpers import extract_action_name_and_action_input +import time + + +class SheetEnvServer: + """ + SheetEnvServer + """ + + def __init__(self) -> None: + self._max_id = 0 + self.env = {} + dataset_path = "Toolusage/data/sheet.jsonl" + self.dataset = ToolDataset(test_file=dataset_path) + + def create(self, id: int = 0) -> int: + env_idx = self._max_id + dataset = self.dataset + dataset_i = dict() + dataset_i["goal"] = dataset.goals[id] + dataset_i["ground_truth"] = dataset.ground_truths[id] + dataset_i["ground_truth_subgoals"] = dataset.ground_truth_subgoals[id] + dataset_i["tool"] = dataset.tools[id] + + self.env[self._max_id] = SheetEnv(dataset=dataset_i) + self._max_id += 1 + return env_idx + + def reset(self, env_idx, id: Optional[int] = None): + if id is not None: + print(id) + dataset = self.dataset + dataset_i = dict() + dataset_i["goal"] = dataset.goals[id] + dataset_i["ground_truth"] = dataset.ground_truths[id] + dataset_i["ground_truth_subgoals"] = dataset.ground_truth_subgoals[id] + dataset_i["tool"] = dataset.tools[id] + + self.env[env_idx].__init__(dataset=dataset_i) + else: + print(None) + self.env[env_idx].__init__(dataset=self.env[env_idx].dataset) + + def step(self, env_idx, message: str): + """ + observation, reward, done, None + """ + action, action_input = extract_action_name_and_action_input(message) + if action_input == None: + observation, done = ( + 'Format error, please response in the format of "Action: [your action] with Action Input: [your action input]', + False, + ) + reward = self.env[env_idx].reward + return observation, reward, done, None + else: + count = 0 + while count < 4: + action_with_action_input = ( + action + " with Action Input: " + action_input + ) + observation, reward, done, _ = self.env[env_idx].step( + action=action_with_action_input + ) + observation = "Observation: " + observation + "\nGive me one action." + if "error" not in observation.lower(): + break + count += 1 + time.sleep(10) + return observation, reward, done, None + + def observation(self, env_idx): + """ + Return: + [['Category', 'Brand', 'Size', 'Price', 'Stock', 'Price Update'], ['T-shirt', 'Nike', 'M', '30.00', '100', '20.00%'], ['Jeans', \"Levi's\", '32', '53.10', '150', '-10.00%']] + """ + if "New trial starts." in self.env[env_idx].get_obs(): + return ( + "Now new trial starts.\nYou should perform actions to accomplish the goal: " + + self.env[env_idx].goal + + "\nGive me one action." + ) + return "Observation: " + self.env[env_idx].get_obs() + + +sheet_env_server = SheetEnvServer() diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/sheet_launch.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/sheet_launch.py new file mode 100644 index 00000000..9b601470 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/sheet_launch.py @@ -0,0 +1,26 @@ +""" +Entrypoint for the sheet agent environment. +""" + +import argparse + +import uvicorn + +from .sheet_utils import debug_flg + + +def launch(): + """entrypoint for `sheet` commond""" + + parser = argparse.ArgumentParser() + parser.add_argument("--port", type=int, default=8000) + parser.add_argument("--host", type=str, default="0.0.0.0") + parser.add_argument("--workers", type=int, default=1) + args = parser.parse_args() + uvicorn.run( + "agentenv_sheet:app", + host=args.host, + port=args.port, + reload=debug_flg, + workers=args.workers, + ) diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/sheet_model.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/sheet_model.py new file mode 100644 index 00000000..e1d1ae18 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/sheet_model.py @@ -0,0 +1,23 @@ +from typing import List, Optional + +from pydantic import BaseModel + + +class CreateQuery(BaseModel): + id: int + + +class StepQuery(BaseModel): + env_idx: int + action: str + + +class StepResponse(BaseModel): + observation: str + reward: float + done: bool + + +class ResetQuery(BaseModel): + env_idx: int + id: Optional[int] = None diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/sheet_server.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/sheet_server.py new file mode 100644 index 00000000..89087ac9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/sheet_server.py @@ -0,0 +1,51 @@ +""" +FastAPI Server +""" + +from typing import List, Tuple + +from fastapi import FastAPI + +from .sheet_environment import sheet_env_server +from .sheet_model import * +from .sheet_utils import debug_flg + +app = FastAPI(debug=debug_flg) + + +@app.get("/", response_model=str) +def generate_ok(): + """Test connectivity""" + return "ok" + + +@app.get("/list_envs", response_model=List[int]) +def list_envs(): + """List all environments""" + return list(sheet_env_server.env.keys()) + + +@app.post("/create", response_model=int) +def create(create_query: CreateQuery): + """Create a new environment""" + env = sheet_env_server.create(create_query.id) + return env + + +@app.post("/step", response_model=StepResponse) +def step(step_query: StepQuery): + observation, reward, done, _ = sheet_env_server.step( + step_query.env_idx, step_query.action + ) + return StepResponse(observation=observation, reward=reward, done=done) + + +@app.get("/observation", response_model=str) +def observation(env_idx: int): + return sheet_env_server.observation(env_idx) + + +@app.post("/reset", response_model=str) +def reset(reset_query: ResetQuery): + sheet_env_server.reset(reset_query.env_idx, reset_query.id) + return sheet_env_server.observation(reset_query.env_idx) diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/sheet_utils.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/sheet_utils.py new file mode 100644 index 00000000..04958e88 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_sheet/sheet_utils.py @@ -0,0 +1,6 @@ +import os + +debug_flg = bool(os.environ.get("AGENTENV_DEBUG", False)) + +if debug_flg: + print("Debug mode") diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/__init__.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/__init__.py new file mode 100644 index 00000000..aa16bfc6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/__init__.py @@ -0,0 +1,9 @@ +import os +import sys + +sys.path.append( + os.path.join(os.path.dirname(os.path.realpath(__file__)), "..", "Toolusage") +) + +from .todo_launch import launch +from .todo_server import app diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/todo_environment.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/todo_environment.py new file mode 100644 index 00000000..34114198 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/todo_environment.py @@ -0,0 +1,128 @@ +""" +TodoEnvServer +""" + +from typing import Optional + +from environment.todo_env import TodoEnv +from utils.tool.data_utils import ToolDataset +from utils.tool.helpers import extract_action_name_and_action_input +from copy import deepcopy +def clean_answer(answer): + # remove all "id" in observation + new_answer = deepcopy(answer) + if isinstance(new_answer, list): + for item in new_answer: + item.pop("id") + elif isinstance(new_answer, dict): + new_answer.pop("id") + return new_answer + +def get_todo_status(tool): + # get all projects + _, projects = tool._get_all_projects() + projects = clean_answer(projects) + + # get all tasks + _, tasks = tool._get_all_tasks() + tasks = clean_answer(tasks) + + result = { + "projects": projects, + "tasks": tasks + } + + return result + +class TodoEnvServer: + """ + TodoEnvServer + """ + + def __init__(self) -> None: + self._max_id = 0 + self.env = {} + dataset_path = "Toolusage/data/todo.jsonl" + self.dataset = ToolDataset(test_file=dataset_path) + + def create(self, id: int = 0) -> int: + env_idx = self._max_id + dataset = self.dataset + dataset_i = dict() + dataset_i["goal"] = dataset.goals[id] + dataset_i["ground_truth"] = dataset.ground_truths[id] + dataset_i["ground_truth_subgoals"] = dataset.ground_truth_subgoals[id] + dataset_i["tool"] = dataset.tools[id] + + self.env[self._max_id] = TodoEnv(dataset=dataset_i) + self.env[self._max_id].todo_toolkits.current_date = self.dataset.init_configs[id]["current_date"] + self.env[self._max_id].todo_toolkits.current_location = ( + self.dataset.init_configs[id]["current_location"] + ) + self._max_id += 1 + return env_idx + + def reset(self, env_idx, id: Optional[int] = None): + if id is not None: + print(id) + dataset = self.dataset + dataset_i = dict() + dataset_i["goal"] = dataset.goals[id] + dataset_i["ground_truth"] = dataset.ground_truths[id] + dataset_i["ground_truth_subgoals"] = dataset.ground_truth_subgoals[id] + dataset_i["tool"] = dataset.tools[id] + + self.env[env_idx].__init__(dataset=dataset_i) + self.env[env_idx].todo_toolkits.current_date = self.dataset.init_configs[ + id + ]["current_date"] + self.env[env_idx].todo_toolkits.current_location = ( + self.dataset.init_configs[id]["current_location"] + ) + else: + print(None) + date = self.env[env_idx].todo_toolkits.current_date + location = self.env[env_idx].todo_toolkits.current_date + self.env[env_idx].__init__(dataset=self.env[env_idx].dataset) + self.env[env_idx].todo_toolkits.current_date = date + self.env[env_idx].todo_toolkits.current_location = location + + def step(self, env_idx, message: str): + """ + observation, reward, done, None + """ + action, action_input = extract_action_name_and_action_input(message) + if action_input == None: + observation, done = ( + 'Format error, please response in the format of "Action: [your action] with Action Input: [your action input]', + False, + ) + reward = self.env[env_idx].reward + return observation, reward, done, None + else: + action_with_action_input = action + " with Action Input: " + action_input + observation, reward, done, _ = self.env[env_idx].step( + action=action_with_action_input + ) + observation = "Observation: " + observation + "\nGive me one action." + if done: + current_stat = get_todo_status(self.env[env_idx].todo_toolkits) + ground_stat = self.env[env_idx].dataset["ground_truth"] + reward = (reward == 1.0) and (current_stat == ground_stat) + return observation, reward, done, None + + def observation(self, env_idx): + """ + Return: + [{'id': '12345', 'order': 0, 'color': 'charcoal', 'name': 'School', 'is_favorite': false}] + """ + if "New trial starts." in self.env[env_idx].get_obs(): + return ( + "Now new trial starts.\nYou should perform actions to accomplish the goal: " + + self.env[env_idx].goal + + "\nGive me one action." + ) + return "Observation: " + self.env[env_idx].get_obs() + + +todo_env_server = TodoEnvServer() diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/todo_launch.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/todo_launch.py new file mode 100644 index 00000000..8550a10c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/todo_launch.py @@ -0,0 +1,26 @@ +""" +Entrypoint for the todo agent environment. +""" + +import argparse + +import uvicorn + +from .todo_utils import debug_flg + + +def launch(): + """entrypoint for `todo` commond""" + + parser = argparse.ArgumentParser() + parser.add_argument("--port", type=int, default=8000) + parser.add_argument("--host", type=str, default="0.0.0.0") + parser.add_argument("--workers", type=int, default=1) + args = parser.parse_args() + uvicorn.run( + "agentenv_todo:app", + host=args.host, + port=args.port, + reload=debug_flg, + workers=args.workers, + ) diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/todo_model.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/todo_model.py new file mode 100644 index 00000000..e1d1ae18 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/todo_model.py @@ -0,0 +1,23 @@ +from typing import List, Optional + +from pydantic import BaseModel + + +class CreateQuery(BaseModel): + id: int + + +class StepQuery(BaseModel): + env_idx: int + action: str + + +class StepResponse(BaseModel): + observation: str + reward: float + done: bool + + +class ResetQuery(BaseModel): + env_idx: int + id: Optional[int] = None diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/todo_server.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/todo_server.py new file mode 100644 index 00000000..68871f28 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/todo_server.py @@ -0,0 +1,51 @@ +""" +FastAPI Server +""" + +from typing import List, Tuple + +from fastapi import FastAPI + +from .todo_environment import todo_env_server +from .todo_model import * +from .todo_utils import debug_flg + +app = FastAPI(debug=debug_flg) + + +@app.get("/", response_model=str) +def generate_ok(): + """Test connectivity""" + return "ok" + + +@app.get("/list_envs", response_model=List[int]) +def list_envs(): + """List all environments""" + return list(todo_env_server.env.keys()) + + +@app.post("/create", response_model=int) +def create(create_query: CreateQuery): + """Create a new environment""" + env = todo_env_server.create(create_query.id) + return env + + +@app.post("/step", response_model=StepResponse) +def step(step_query: StepQuery): + observation, reward, done, _ = todo_env_server.step( + step_query.env_idx, step_query.action + ) + return StepResponse(observation=observation, reward=reward, done=done) + + +@app.get("/observation", response_model=str) +def observation(env_idx: int): + return todo_env_server.observation(env_idx) + + +@app.post("/reset", response_model=str) +def reset(reset_query: ResetQuery): + todo_env_server.reset(reset_query.env_idx, reset_query.id) + return todo_env_server.observation(reset_query.env_idx) diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/todo_utils.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/todo_utils.py new file mode 100644 index 00000000..04958e88 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_todo/todo_utils.py @@ -0,0 +1,6 @@ +import os + +debug_flg = bool(os.environ.get("AGENTENV_DEBUG", False)) + +if debug_flg: + print("Debug mode") diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/__init__.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/__init__.py new file mode 100644 index 00000000..d72fdf9e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/__init__.py @@ -0,0 +1,9 @@ +import os +import sys + +sys.path.append( + os.path.join(os.path.dirname(os.path.realpath(__file__)), "..", "Toolusage") +) + +from .weather_launch import launch +from .weather_server import app diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/weather_environment.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/weather_environment.py new file mode 100644 index 00000000..354bc638 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/weather_environment.py @@ -0,0 +1,94 @@ +""" +WeatherEnvServer +""" + +from typing import Optional + +from environment.weather_env import WeatherEnv +from utils.tool.data_utils import ToolDataset +from utils.tool.helpers import extract_action_name_and_action_input + + +class WeatherEnvServer: + """ + WeatherEnvServer + """ + + def __init__(self) -> None: + self._max_id = 0 + self.env = {} + dataset_path = "Toolusage/data/weather.jsonl" + self.dataset = ToolDataset(test_file=dataset_path) + + def create(self, id: int = 0) -> int: + env_idx = self._max_id + dataset = self.dataset + dataset_i = dict() + dataset_i["goal"] = dataset.goals[id] + dataset_i["ground_truth"] = dataset.ground_truths[id] + dataset_i["ground_truth_subgoals"] = dataset.ground_truth_subgoals[id] + dataset_i["tool"] = dataset.tools[id] + dataset_i["current_date"] = dataset.init_configs[id]["current_date"] + dataset_i["current_location"] = dataset.init_configs[id]["current_location"] + + self.env[self._max_id] = WeatherEnv(dataset=dataset_i) + self._max_id += 1 + return env_idx + + def reset(self, env_idx, id: Optional[int] = None): + if id is not None: + print(id) + dataset = self.dataset + dataset_i = dict() + dataset_i["goal"] = dataset.goals[id] + dataset_i["ground_truth"] = dataset.ground_truths[id] + dataset_i["ground_truth_subgoals"] = dataset.ground_truth_subgoals[id] + dataset_i["tool"] = dataset.tools[id] + dataset_i["current_date"] = dataset.init_configs[id]["current_date"] + dataset_i["current_location"] = dataset.init_configs[id]["current_location"] + + self.env[env_idx].__init__(dataset=dataset_i) + else: + print(None) + self.env[env_idx].__init__(dataset=self.env[env_idx].dataset) + + def step(self, env_idx, message: str): + """ + observation, reward, done, None + """ + action, action_input = extract_action_name_and_action_input(message) + if action_input == None: + observation, done = ( + 'Format error, please response in the format of "Action: [your action] with Action Input: [your action input]', + False, + ) + reward = self.env[env_idx].reward + if reward > 0: + reward = 1.0 + return observation, reward, done, None + else: + action_with_action_input = action + " with Action Input: " + action_input + observation, reward, done, _ = self.env[env_idx].step( + action=action_with_action_input + ) + observation = "Observation: " + observation + "\nGive me one action." + if reward > 0: + reward = 1.0 + return observation, reward, done, None + + def observation(self, env_idx): + """ + Return: + {'results': [{'name': 'Shanghai', 'latitude': 31.22222, 'longitude': 121.45806, 'country_code': 'CN'}, {'name': 'Shanghai', 'latitude': 34.85009, 'longitude': -87.08501, 'country_code': 'US'}, {'name': 'Cornelia', 'latitude': 38.64363, 'longitude': -93.73938, 'country_code': 'US'}]} + {'latitude': 31.200005, 'longitude': 121.5, 'daily_units': {'time': 'iso8601', 'temperature_2m_max': '\u00b0C', 'temperature_2m_min': '\u00b0C', 'temperature_2m_mean': '\u00b0C'}, 'daily': {'time': ['2015-01-01'], 'temperature_2m_max': [4.3], 'temperature_2m_min': [-3.6], 'temperature_2m_mean': [-0.1]}} + """ + if "New trial starts." in self.env[env_idx].get_obs(): + return ( + "Now new trial starts.\nYou should perform actions to accomplish the goal: " + + self.env[env_idx].goal + + "\nGive me one action." + ) + return "Observation: " + self.env[env_idx].get_obs() + + +weather_env_server = WeatherEnvServer() diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/weather_launch.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/weather_launch.py new file mode 100644 index 00000000..68f442ab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/weather_launch.py @@ -0,0 +1,26 @@ +""" +Entrypoint for the weather agent environment. +""" + +import argparse + +import uvicorn + +from .weather_utils import debug_flg + + +def launch(): + """entrypoint for `weather` commond""" + + parser = argparse.ArgumentParser() + parser.add_argument("--port", type=int, default=8000) + parser.add_argument("--host", type=str, default="0.0.0.0") + parser.add_argument("--workers", type=int, default=1) + args = parser.parse_args() + uvicorn.run( + "agentenv_weather:app", + host=args.host, + port=args.port, + reload=debug_flg, + workers=args.workers, + ) diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/weather_model.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/weather_model.py new file mode 100644 index 00000000..e1d1ae18 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/weather_model.py @@ -0,0 +1,23 @@ +from typing import List, Optional + +from pydantic import BaseModel + + +class CreateQuery(BaseModel): + id: int + + +class StepQuery(BaseModel): + env_idx: int + action: str + + +class StepResponse(BaseModel): + observation: str + reward: float + done: bool + + +class ResetQuery(BaseModel): + env_idx: int + id: Optional[int] = None diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/weather_server.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/weather_server.py new file mode 100644 index 00000000..d36ccd8d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/weather_server.py @@ -0,0 +1,51 @@ +""" +FastAPI Server +""" + +from typing import List + +from fastapi import FastAPI + +from .weather_environment import weather_env_server +from .weather_model import * +from .weather_utils import debug_flg + +app = FastAPI(debug=debug_flg) + + +@app.get("/", response_model=str) +def generate_ok(): + """Test connectivity""" + return "ok" + + +@app.get("/list_envs", response_model=List[int]) +def list_envs(): + """List all environments""" + return list(weather_env_server.env.keys()) + + +@app.post("/create", response_model=int) +def create(create_query: CreateQuery): + """Create a new environment""" + env = weather_env_server.create(create_query.id) + return env + + +@app.post("/step", response_model=StepResponse) +def step(step_query: StepQuery): + observation, reward, done, _ = weather_env_server.step( + step_query.env_idx, step_query.action + ) + return StepResponse(observation=observation, reward=reward, done=done) + + +@app.get("/observation", response_model=str) +def observation(env_idx: int): + return weather_env_server.observation(env_idx) + + +@app.post("/reset", response_model=str) +def reset(reset_query: ResetQuery): + weather_env_server.reset(reset_query.env_idx, reset_query.id) + return weather_env_server.observation(reset_query.env_idx) diff --git a/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/weather_utils.py b/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/weather_utils.py new file mode 100644 index 00000000..04958e88 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/agentenv_weather/weather_utils.py @@ -0,0 +1,6 @@ +import os + +debug_flg = bool(os.environ.get("AGENTENV_DEBUG", False)) + +if debug_flg: + print("Debug mode") diff --git a/openmanus_rl/agentgym/agentenv-tool/pyproject.toml b/openmanus_rl/agentgym/agentenv-tool/pyproject.toml new file mode 100644 index 00000000..01c5acb5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/pyproject.toml @@ -0,0 +1,22 @@ +[project] +name = "agentenv_tool" +version = "0.0.1" +description = "" +authors = [ + {name = "hotdog-zz", email = "21307130044@m.fudan.edu.cn"}, +] +dependencies = [] +requires-python = "==3.8.13" +readme = "README.md" +license = {text = "MIT"} + +[build-system] +requires = ["pdm-backend"] +build-backend = "pdm.backend" + +[project.scripts] +weather = "agentenv_weather:launch" +movie = "agentenv_movie:launch" +academia = "agentenv_academia:launch" +todo = "agentenv_todo:launch" +sheet = "agentenv_sheet:launch" diff --git a/openmanus_rl/agentgym/agentenv-tool/requirements.txt b/openmanus_rl/agentgym/agentenv-tool/requirements.txt new file mode 100644 index 00000000..9895360d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/requirements.txt @@ -0,0 +1,2 @@ +fastapi==0.103.2 +uvicorn[standard] diff --git a/openmanus_rl/agentgym/agentenv-tool/setup.sh b/openmanus_rl/agentgym/agentenv-tool/setup.sh new file mode 100755 index 00000000..e4674cb5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-tool/setup.sh @@ -0,0 +1,19 @@ +#!/bin/bash + +pip install -r requirements.txt +cd ./Toolusage + +pip install -r requirements.txt + +cd toolusage +pip install -e . +cd .. +cd .. +pip install --upgrade openai +pip install -e . + +current_dir=$(cd "$(dirname "${BASH_SOURCE[0]}")" && pwd) +export PROJECT_PATH="$current_dir/Toolusage" +export MOVIE_KEY="" +export TODO_KEY="" +export SHEET_EMAIL="" \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/README.md b/openmanus_rl/agentgym/agentenv-webarena/README.md new file mode 100644 index 00000000..70f53061 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/README.md @@ -0,0 +1,15 @@ +# Agent Environments - Webarena + +## Setup + +``` sh +conda create -n agentenv-webarena python=3.10.13 +conda activate agentenv-webarena +source ./setup.sh +``` + +## Launch + +``` sh +webarena --host 0.0.0.0 --port 8000 +``` diff --git a/openmanus_rl/agentgym/agentenv-webarena/agentenv_webarena/__init__.py b/openmanus_rl/agentgym/agentenv-webarena/agentenv_webarena/__init__.py new file mode 100644 index 00000000..407419aa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/agentenv_webarena/__init__.py @@ -0,0 +1,24 @@ +import os +import sys + +sys.path.append( + os.path.join(os.path.dirname(os.path.realpath(__file__)), "..", "webarena") +) + +# webarena urls +os.environ["SHOPPING"] = "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770" +os.environ["SHOPPING_ADMIN"] = ( + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin" +) +os.environ["REDDIT"] = "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999" +os.environ["GITLAB"] = "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023" +os.environ["MAP"] = "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000" +os.environ["WIKIPEDIA"] = ( + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8888/wikipedia_en_all_maxi_2022-05/A/User:The_other_Kiwix_guy/Landing" +) +os.environ["HOMEPAGE"] = "PASS" + +os.chdir("./webarena") + +from .launch import launch +from .server import app diff --git a/openmanus_rl/agentgym/agentenv-webarena/agentenv_webarena/environment.py b/openmanus_rl/agentgym/agentenv-webarena/agentenv_webarena/environment.py new file mode 100644 index 00000000..3b032ff3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/agentenv_webarena/environment.py @@ -0,0 +1,258 @@ +""" +WebarenaEnvServer +""" + +import json +import re +from pathlib import Path +from typing import Any, Optional + +from browser_env import ( + Action, + ActionTypes, + ScriptBrowserEnv, + StateInfo, + Trajectory, + create_id_based_action, + create_stop_action, +) +from browser_env.actions import ActionParsingError +from browser_env.env_config import URL_MAPPINGS +from browser_env.helper_functions import RenderHelper, get_action_description +from browser_env.utils import Observation +from evaluation_harness import evaluator_router + + +class PromptConstructor: + """ + Construct prompt + """ + + def __init__( + self, + instruction_path: str | Path, + ): + self.instruction_path = Path(instruction_path) + self.obs_modality = "text" + instruction = json.load(open(self.instruction_path)) + instruction["examples"] = [tuple(e) for e in instruction["examples"]] + self.instruction = instruction + + def construct( + self, + trajectory: list, + intent: str, + meta_data: dict[str, Any] = {}, + ): + """Construct prompt given the trajectory""" + intro = self.instruction["intro"] + examples = self.instruction["examples"] + template = self.instruction["template"] + keywords = self.instruction["meta_data"]["keywords"] + state_info = trajectory[-1] # type: ignore[assignment] + + obs = state_info["observation"][self.obs_modality] + + page = state_info["info"]["page"] + url = page.url + previous_action_str = meta_data["action_history"][-1] + + # input x + current = template.format( + objective=intent, + url=self.map_url_to_real(url), + observation=obs, + previous_action=previous_action_str, + ) + + # make sure all keywords are replaced + assert all([f"{{k}}" not in current for k in keywords]) + + return current + + def _extract_action(self, response: str) -> str: + action_splitter = self.instruction["meta_data"]["action_splitter"] + pattern = rf"{action_splitter}((.|\n)*?){action_splitter}" + match = re.search(pattern, response) + if match: + return match.group(1).strip() + else: + raise ActionParsingError(f"Cannot parse action from response {response}") + + def map_url_to_real(self, url: str) -> str: + """Map the urls to their real world counterparts""" + for i, j in URL_MAPPINGS.items(): + if i in url: + url = url.replace(i, j) + return url + + def map_url_to_local(self, url: str) -> str: + """Map the urls to their local counterparts""" + for i, j in URL_MAPPINGS.items(): + if j in url: + url = url.replace(j, i) + # https + if j.replace("http", "https") in url: + url = url.replace(j.replace("http", "https"), i) + return url + + def extract_action(self, response: str) -> str: + response = self._extract_action(response) + response = self.map_url_to_local(response) + return response + + +class WebarenaEnvServer: + """ + WebarenaEnvServer + """ + + def __init__(self) -> None: + self._max_id = 0 + self.env = {} + self.trajectory = {} + self.meta_data = {} + self.intent = {} # question in config_file + self.prompt_constructor = PromptConstructor( + instruction_path="./agent/prompts/jsons/p_cot_id_actree_2s.json" + ) + + def create(self) -> int: + """ + Only call this create function once. + """ + env_idx = self._max_id + self.env[self._max_id] = ScriptBrowserEnv( + headless=True, + slow_mo=100, + observation_type="accessibility_tree", + current_viewport_only=True, + viewport_size={"width": 1280, "height": 720}, + ) + self.trajectory[self._max_id] = [] + self.meta_data[self._max_id] = {} + self.intent[self._max_id] = "" + self.env[self._max_id].reset() + self._max_id += 1 + return env_idx + + def step( + self, + env_idx: int, + response: str, + ) -> tuple[dict[str, Observation], float, bool, bool, dict[str, Any]]: + """ + Return: + ( + observation, + reward, + terminated, + truncated, + info, + ) + """ + try: + force_prefix = self.prompt_constructor.instruction["meta_data"].get( + "force_prefix", "" + ) + response = f"{force_prefix}{response}" + parsed_response = self.prompt_constructor.extract_action(response) + action = create_id_based_action(parsed_response) + action["raw_prediction"] = response + + self.trajectory[env_idx].append(action) + + action_str = get_action_description( + action, + self.state_info["info"]["observation_metadata"], + action_set_tag="id_accessibility_tree", + prompt_constructor=self.prompt_constructor, + ) + self.meta_data[env_idx]["action_history"].append(action_str) + + obs, reward, terminated, truncated, info = self.env[env_idx].step(action) + + self.state_info = {"observation": obs, "info": info} + self.trajectory[env_idx].append(self.state_info) + + prompt = self.prompt_constructor.construct( + self.trajectory[env_idx], self.intent[env_idx], self.meta_data[env_idx] + ) + + if terminated: + # add a action place holder + self.trajectory.append(create_stop_action("")) + + if terminated or action["action_type"] == ActionTypes.STOP: + terminated = True + evaluator = evaluator_router(self.config_file) + reward = evaluator( + trajectory=self.trajectory[env_idx], + config_file=self.config_file, + page=self.env[env_idx].page, + client=self.env[env_idx].get_page_client(self.env[env_idx].page), + ) + + return (prompt, reward, terminated, truncated, info) + except Exception as e: + return (str(e), 0, False, False, None) + + def observation(self, env_idx) -> dict[str, Observation]: + """ + Return + {"text": text_obs, "image": image_obs} + + Example text: + [4] RootWebArea 'Projects · Dashboard · GitLab' focused: True + [12] link 'Skip to content' + [28] link 'Dashboard' + [2266] button '' hasPopup: menu expanded: False + [63] textbox 'Search GitLab' required: False + [61] generic 'Use the shortcut key / to start a search' + [79] link 'Create new...' + [95] link 'Issues' + [97] generic '13 assigned issues' + [101] link 'Merge requests' + [104] generic '8 merge requests + """ + return self.prompt_constructor.construct( + self.trajectory[env_idx], self.intent[env_idx], self.meta_data[env_idx] + ) + + def observation_metadata(self, env_idx): + """ + Return + { + "text": self.text_processor.meta_data, + "image": self.image_processor.meta_data, + } + """ + return self.env[env_idx]._get_obs_metadata() + + def reset( + self, env_idx, seed: int | None = None, options: dict[str, str] | None = None + ) -> tuple[dict[str, Observation], dict[str, Any]]: + """ + options={"config_file": config_file} + Return: + (observation, info) + """ + self.config_file = Path(options["config_file"]) + with open(self.config_file) as f: + _c = json.load(f) + self.intent[env_idx] = _c["intent"] + obs, info = self.env[env_idx].reset(seed=seed, options=options) + + self.trajectory[env_idx] = [] + self.state_info = {"observation": obs, "info": info} + self.trajectory[env_idx].append(self.state_info) + + self.meta_data[env_idx] = {"action_history": ["None"]} + + return (obs, info) + + def close(self, env_idx) -> None: + self.env[env_idx].close() + + +webarena_env_server = WebarenaEnvServer() diff --git a/openmanus_rl/agentgym/agentenv-webarena/agentenv_webarena/launch.py b/openmanus_rl/agentgym/agentenv-webarena/agentenv_webarena/launch.py new file mode 100644 index 00000000..82efc63f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/agentenv_webarena/launch.py @@ -0,0 +1,43 @@ +""" +Entrypoint for the webarena agent environment. +""" + +from gunicorn.app.base import BaseApplication +import argparse + +from .utils import debug_flg +from .server import app + + +class CustomGunicornApp(BaseApplication): + def __init__(self, app, options=None): + self.options = options or {} + self.application = app + super().__init__() + + def load_config(self): + for key, value in self.options.items(): + if key in self.cfg.settings and value is not None: + self.cfg.set(key.lower(), value) + + def load(self): + return self.application + + +def launch(): + """entrypoint for `webarena` commond""" + + parser = argparse.ArgumentParser() + parser.add_argument("--port", type=int, default=8000) + parser.add_argument("--host", type=str, default="0.0.0.0") + parser.add_argument("--workers", type=int, default=1) + args = parser.parse_args() + + options = { + "bind": "{}:{}".format(args.host, args.port), + "workers": args.workers, + "timeout": 120, # first creation takes long time + "reload": True, + } + + CustomGunicornApp(app, options).run() diff --git a/openmanus_rl/agentgym/agentenv-webarena/agentenv_webarena/server.py b/openmanus_rl/agentgym/agentenv-webarena/agentenv_webarena/server.py new file mode 100644 index 00000000..106a34a8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/agentenv_webarena/server.py @@ -0,0 +1,109 @@ +""" +Flask Server +""" + +from typing import List, Tuple, Any + +from flask import Flask, jsonify, request +import subprocess + +from .environment import webarena_env_server +from .utils import debug_flg + + +app = Flask(__name__) + + +@app.route("/", methods=["GET"]) +def generate_ok(): + """Test connectivity""" + return "ok" + + +@app.route("/list_envs", methods=["GET"]) +def list_envs(): + """List all environments. In fact, only one env is allowed.""" + return jsonify(list(webarena_env_server.env.keys())) + + +@app.route("/create", methods=["POST"]) +def create(): + """Create a new environment""" + subprocess.run( + ["python", "browser_env/auto_login.py"] + ) # This will take a long time. + env = webarena_env_server.create() + return jsonify({"env_idx": env}) + + +@app.route("/step", methods=["POST"]) +def step(): + """ + Make an action + + step_query: + { + "env_idx": int, + "action": str, # llm output + } + + """ + step_query = request.json + step_data = webarena_env_server.step(step_query["env_idx"], step_query["action"]) + step_response = {} + step_response["observation"] = step_data[0] + step_response["reward"] = step_data[1] + step_response["terminated"] = step_data[2] + step_response["truncated"] = step_data[3] + step_response["info"] = step_data[4] + return jsonify(step_response) + + +@app.route("/observation", methods=["GET"]) +def get_observation(): + """ + current observation + """ + env_idx = request.args.get("env_idx", type=int) + obs = webarena_env_server.observation(env_idx) + return jsonify(obs) + + +@app.route("/observation_metadata", methods=["GET"]) +def get_obsmetadata(): + """ + current observation metadata + """ + env_idx = request.args.get("env_idx", type=int) + obs_meta = webarena_env_server.observation_metadata(env_idx) + return jsonify(obs_meta["text"]) + + +@app.route("/reset", methods=["POST"]) +def reset(): + """ + reset the environment + reset_query: + { + "env_idx": int, + "seed": int, # please sent 0 + "idx" : int, + } + """ + reset_query = request.json + reset_query["options"] = { + "config_file": "./config_files/{}.json".format(reset_query["idx"]) + } + obs, info = webarena_env_server.reset( + reset_query["env_idx"], reset_query["seed"], reset_query["options"] + ) + reset_response = {} + reset_response["observation"] = obs["text"] + return jsonify(reset_response) + + +@app.route("/close", methods=["POST"]) +def close(): + close_query = request.json + webarena_env_server.close(close_query["env_idx"]) + return "closed" diff --git a/openmanus_rl/agentgym/agentenv-webarena/agentenv_webarena/utils.py b/openmanus_rl/agentgym/agentenv-webarena/agentenv_webarena/utils.py new file mode 100644 index 00000000..04958e88 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/agentenv_webarena/utils.py @@ -0,0 +1,6 @@ +import os + +debug_flg = bool(os.environ.get("AGENTENV_DEBUG", False)) + +if debug_flg: + print("Debug mode") diff --git a/openmanus_rl/agentgym/agentenv-webarena/pyproject.toml b/openmanus_rl/agentgym/agentenv-webarena/pyproject.toml new file mode 100644 index 00000000..0f5e1fe0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/pyproject.toml @@ -0,0 +1,18 @@ +[project] +name = "agentenv_webarena" +version = "0.0.1" +description = "" +authors = [ + {name = "hotdog-zz", email = "21307130044@m.fudan.edu.cn"}, +] +dependencies = ["flask", "gunicorn"] +requires-python = "==3.10.13" +readme = "README.md" +license = {text = "MIT"} + +[build-system] +requires = ["pdm-backend"] +build-backend = "pdm.backend" + +[project.scripts] +webarena = "agentenv_webarena:launch" diff --git a/openmanus_rl/agentgym/agentenv-webarena/setup.sh b/openmanus_rl/agentgym/agentenv-webarena/setup.sh new file mode 100755 index 00000000..d669fe6f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/setup.sh @@ -0,0 +1,23 @@ +#!/bin/bash +cd ./webarena +pip install -r requirements.txt +playwright install-deps +playwright install +pip install -e . + +export SHOPPING="http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770" +export SHOPPING_ADMIN="http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin" +export REDDIT="http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999" +export GITLAB="http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023" +export MAP="http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000" +export WIKIPEDIA="http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8888/wikipedia_en_all_maxi_2022-05/A/User:The_other_Kiwix_guy/Landing" +export HOMEPAGE="http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:4399" + +python scripts/generate_test_data.py +mkdir -p ./.auth +python browser_env/auto_login.py +python agent/prompts/to_json.py + +cd .. + +pip install -e . diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/CITATION.cff b/openmanus_rl/agentgym/agentenv-webarena/webarena/CITATION.cff new file mode 100644 index 00000000..a28320d2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/CITATION.cff @@ -0,0 +1,6 @@ +@article{zhou2023webarena, + title={WebArena: A Realistic Web Environment for Building Autonomous Agents}, + author={Zhou, Shuyan and Xu, Frank F and Zhu, Hao and Zhou, Xuhui and Lo, Robert and Sridhar, Abishek and Cheng, Xianyi and Bisk, Yonatan and Fried, Daniel and Alon, Uri and others}, + journal={arXiv preprint arXiv:2307.13854}, + year={2023} +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/LICENSE b/openmanus_rl/agentgym/agentenv-webarena/webarena/LICENSE new file mode 100644 index 00000000..261eeb9e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/LICENSE @@ -0,0 +1,201 @@ + Apache License + Version 2.0, January 2004 + http://www.apache.org/licenses/ + + TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION + + 1. Definitions. + + "License" shall mean the terms and conditions for use, reproduction, + and distribution as defined by Sections 1 through 9 of this document. + + "Licensor" shall mean the copyright owner or entity authorized by + the copyright owner that is granting the License. + + "Legal Entity" shall mean the union of the acting entity and all + other entities that control, are controlled by, or are under common + control with that entity. For the purposes of this definition, + "control" means (i) the power, direct or indirect, to cause the + direction or management of such entity, whether by contract or + otherwise, or (ii) ownership of fifty percent (50%) or more of the + outstanding shares, or (iii) beneficial ownership of such entity. + + "You" (or "Your") shall mean an individual or Legal Entity + exercising permissions granted by this License. + + "Source" form shall mean the preferred form for making modifications, + including but not limited to software source code, documentation + source, and configuration files. + + "Object" form shall mean any form resulting from mechanical + transformation or translation of a Source form, including but + not limited to compiled object code, generated documentation, + and conversions to other media types. + + "Work" shall mean the work of authorship, whether in Source or + Object form, made available under the License, as indicated by a + copyright notice that is included in or attached to the work + (an example is provided in the Appendix below). + + "Derivative Works" shall mean any work, whether in Source or Object + form, that is based on (or derived from) the Work and for which the + editorial revisions, annotations, elaborations, or other modifications + represent, as a whole, an original work of authorship. For the purposes + of this License, Derivative Works shall not include works that remain + separable from, or merely link (or bind by name) to the interfaces of, + the Work and Derivative Works thereof. + + "Contribution" shall mean any work of authorship, including + the original version of the Work and any modifications or additions + to that Work or Derivative Works thereof, that is intentionally + submitted to Licensor for inclusion in the Work by the copyright owner + or by an individual or Legal Entity authorized to submit on behalf of + the copyright owner. For the purposes of this definition, "submitted" + means any form of electronic, verbal, or written communication sent + to the Licensor or its representatives, including but not limited to + communication on electronic mailing lists, source code control systems, + and issue tracking systems that are managed by, or on behalf of, the + Licensor for the purpose of discussing and improving the Work, but + excluding communication that is conspicuously marked or otherwise + designated in writing by the copyright owner as "Not a Contribution." + + "Contributor" shall mean Licensor and any individual or Legal Entity + on behalf of whom a Contribution has been received by Licensor and + subsequently incorporated within the Work. + + 2. Grant of Copyright License. Subject to the terms and conditions of + this License, each Contributor hereby grants to You a perpetual, + worldwide, non-exclusive, no-charge, royalty-free, irrevocable + copyright license to reproduce, prepare Derivative Works of, + publicly display, publicly perform, sublicense, and distribute the + Work and such Derivative Works in Source or Object form. + + 3. Grant of Patent License. Subject to the terms and conditions of + this License, each Contributor hereby grants to You a perpetual, + worldwide, non-exclusive, no-charge, royalty-free, irrevocable + (except as stated in this section) patent license to make, have made, + use, offer to sell, sell, import, and otherwise transfer the Work, + where such license applies only to those patent claims licensable + by such Contributor that are necessarily infringed by their + Contribution(s) alone or by combination of their Contribution(s) + with the Work to which such Contribution(s) was submitted. If You + institute patent litigation against any entity (including a + cross-claim or counterclaim in a lawsuit) alleging that the Work + or a Contribution incorporated within the Work constitutes direct + or contributory patent infringement, then any patent licenses + granted to You under this License for that Work shall terminate + as of the date such litigation is filed. + + 4. Redistribution. You may reproduce and distribute copies of the + Work or Derivative Works thereof in any medium, with or without + modifications, and in Source or Object form, provided that You + meet the following conditions: + + (a) You must give any other recipients of the Work or + Derivative Works a copy of this License; and + + (b) You must cause any modified files to carry prominent notices + stating that You changed the files; and + + (c) You must retain, in the Source form of any Derivative Works + that You distribute, all copyright, patent, trademark, and + attribution notices from the Source form of the Work, + excluding those notices that do not pertain to any part of + the Derivative Works; and + + (d) If the Work includes a "NOTICE" text file as part of its + distribution, then any Derivative Works that You distribute must + include a readable copy of the attribution notices contained + within such NOTICE file, excluding those notices that do not + pertain to any part of the Derivative Works, in at least one + of the following places: within a NOTICE text file distributed + as part of the Derivative Works; within the Source form or + documentation, if provided along with the Derivative Works; or, + within a display generated by the Derivative Works, if and + wherever such third-party notices normally appear. The contents + of the NOTICE file are for informational purposes only and + do not modify the License. You may add Your own attribution + notices within Derivative Works that You distribute, alongside + or as an addendum to the NOTICE text from the Work, provided + that such additional attribution notices cannot be construed + as modifying the License. + + You may add Your own copyright statement to Your modifications and + may provide additional or different license terms and conditions + for use, reproduction, or distribution of Your modifications, or + for any such Derivative Works as a whole, provided Your use, + reproduction, and distribution of the Work otherwise complies with + the conditions stated in this License. + + 5. Submission of Contributions. Unless You explicitly state otherwise, + any Contribution intentionally submitted for inclusion in the Work + by You to the Licensor shall be under the terms and conditions of + this License, without any additional terms or conditions. + Notwithstanding the above, nothing herein shall supersede or modify + the terms of any separate license agreement you may have executed + with Licensor regarding such Contributions. + + 6. Trademarks. This License does not grant permission to use the trade + names, trademarks, service marks, or product names of the Licensor, + except as required for reasonable and customary use in describing the + origin of the Work and reproducing the content of the NOTICE file. + + 7. Disclaimer of Warranty. Unless required by applicable law or + agreed to in writing, Licensor provides the Work (and each + Contributor provides its Contributions) on an "AS IS" BASIS, + WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or + implied, including, without limitation, any warranties or conditions + of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A + PARTICULAR PURPOSE. You are solely responsible for determining the + appropriateness of using or redistributing the Work and assume any + risks associated with Your exercise of permissions under this License. + + 8. Limitation of Liability. In no event and under no legal theory, + whether in tort (including negligence), contract, or otherwise, + unless required by applicable law (such as deliberate and grossly + negligent acts) or agreed to in writing, shall any Contributor be + liable to You for damages, including any direct, indirect, special, + incidental, or consequential damages of any character arising as a + result of this License or out of the use or inability to use the + Work (including but not limited to damages for loss of goodwill, + work stoppage, computer failure or malfunction, or any and all + other commercial damages or losses), even if such Contributor + has been advised of the possibility of such damages. + + 9. Accepting Warranty or Additional Liability. While redistributing + the Work or Derivative Works thereof, You may choose to offer, + and charge a fee for, acceptance of support, warranty, indemnity, + or other liability obligations and/or rights consistent with this + License. However, in accepting such obligations, You may act only + on Your own behalf and on Your sole responsibility, not on behalf + of any other Contributor, and only if You agree to indemnify, + defend, and hold each Contributor harmless for any liability + incurred by, or claims asserted against, such Contributor by reason + of your accepting any such warranty or additional liability. + + END OF TERMS AND CONDITIONS + + APPENDIX: How to apply the Apache License to your work. + + To apply the Apache License to your work, attach the following + boilerplate notice, with the fields enclosed by brackets "[]" + replaced with your own identifying information. (Don't include + the brackets!) The text should be enclosed in the appropriate + comment syntax for the file format. We also recommend that a + file or class name and description of purpose be included on the + same "printed page" as the copyright notice for easier + identification within third-party archives. + + Copyright [yyyy] [name of copyright owner] + + Licensed under the Apache License, Version 2.0 (the "License"); + you may not use this file except in compliance with the License. + You may obtain a copy of the License at + + http://www.apache.org/licenses/LICENSE-2.0 + + Unless required by applicable law or agreed to in writing, software + distributed under the License is distributed on an "AS IS" BASIS, + WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + See the License for the specific language governing permissions and + limitations under the License. diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/README.md b/openmanus_rl/agentgym/agentenv-webarena/webarena/README.md new file mode 100644 index 00000000..f4d58013 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/README.md @@ -0,0 +1,152 @@ +# WebArena: A Realistic Web Environment for Building Autonomous Agents +

+ Logo +
+ WebArena is a standalone, self-hostable web environment for building autonomous agents +

+ + +

+Python 3.10 +pre-commit +Code style: black +Checked with mypy +bear-ified +

+ +

+Website • +Paper +

+ +![Overview](media/overview.png) + + +## News +* [12/21/2023] We release the recording of trajectories performed by human annotators on ~170 tasks. Check out the [resource page](./resources/README.md#12212023-human-trajectories) for more details. +* [11/3/2023] Multiple features! + * Uploaded newest [execution trajectories](./resources/README.md#1132023-execution-traces-from-our-experiments-v2) + * Added [Amazon Machine Image](./environment_docker/README.md#pre-installed-amazon-machine-image) that pre-installed all websites so that you don't have to! + * [Zeno](https://zenoml.com/) x WebArena which allows you to analyze your agents on WebArena without pain. Check out this [notebook](./scripts/webarena-zeno.ipynb) to upload your own data to Zeno, and [this](https://hub.zenoml.com/project/9db3e1cf-6e28-4cfc-aeec-1670cac01872/WebArena%20Tester/explore?params=eyJtb2RlbCI6ImdwdDM1LWRpcmVjdCIsIm1ldHJpYyI6eyJpZCI6NzQ5MiwibmFtZSI6InN1Y2Nlc3MiLCJ0eXBlIjoibWVhbiIsImNvbHVtbnMiOlsic3VjY2VzcyJdfSwiY29tcGFyaXNvbk1vZGVsIjoiZ3B0NC1jb3QiLCJjb21wYXJpc29uQ29sdW1uIjp7ImlkIjoiYTVlMDFiZDUtZTg0NS00M2I4LTllNDgtYTU4NzRiNDJjNjNhIiwibmFtZSI6ImNvbnRleHQiLCJjb2x1bW5UeXBlIjoiT1VUUFVUIiwiZGF0YVR5cGUiOiJOT01JTkFMIiwibW9kZWwiOiJncHQzNS1kaXJlY3QifSwiY29tcGFyZVNvcnQiOltudWxsLHRydWVdLCJtZXRyaWNSYW5nZSI6WzAsMV0sInNlbGVjdGlvbnMiOnsibWV0YWRhdGEiOnt9LCJzbGljZXMiOltdLCJ0YWdzIjpbXX19) page for browsing our existing results! +* [10/24/2023] We re-examined the whole dataset and fixed the spotted annotation bugs. The current version ([v0.2.0](https://github.com/web-arena-x/webarena/releases/tag/v0.2.0)) is relatively stable and we don't expect major updates on the annotation in the future. The new results with better prompts and the comparison with human performance can be found in our [paper](https://arxiv.org/abs/2307.13854) +* [8/4/2023] Added the instructions and the docker resources to host your own WebArena Environment. Check out [this page](environment_docker/README.md) for details. +* [7/29/2023] Added [a well commented script](minimal_example.py) to walk through the environment setup. +## Install +```bash +# Python 3.10+ +conda create -n webarena python=3.10; conda activate webarena +pip install -r requirements.txt +playwright install +pip install -e . + +# optional, dev only +pip install -e ".[dev]" +mypy --install-types --non-interactive browser_env agents evaluation_harness +pip install pre-commit +pre-commit install +``` +## Quick Walkthrough +Check out [this script](minimal_example.py) for a quick walkthrough on how to set up the browser environment and interact with it using the demo sites we hosted. This script is only for education purpose, to perform *reproducible* experiments, please check out the next section. In the nutshell, using WebArena is very similar to using OpenAI Gym. The following code snippet shows how to interact with the environment. +```python +from browser_env import ScriptBrowserEnv, create_id_based_action +# init the environment +env = ScriptBrowserEnv( + headless=False, + observation_type="accessibility_tree", + current_viewport_only=True, + viewport_size={"width": 1280, "height": 720}, +) +# prepare the environment for a configuration defined in a json file +config_file = "config_files/0.json" +obs, info = env.reset(options={"config_file": config_file}) +# get the text observation (e.g., html, accessibility tree) through obs["text"] + +# create a random action +id = random.randint(0, 1000) +action = create_id_based_action(f"click [id]") + +# take the action +obs, _, terminated, _, info = env.step(action) +``` +## End-to-end Evaluation +1. Setup the standalone environment. +Please check out [this page](environment_docker/README.md) for details. + +2. Configurate the urls for each website. +```bash +export SHOPPING=":7770" +export SHOPPING_ADMIN=":7780/admin" +export REDDIT=":9999" +export GITLAB=":8023" +export MAP=":3000" +export WIKIPEDIA=":8888/wikipedia_en_all_maxi_2022-05/A/User:The_other_Kiwix_guy/Landing" +export HOMEPAGE=":4399" # this is a placeholder +``` + +> You are encouraged to update the environment variables in [github workflow](.github/workflows/tests.yml#L7) to ensure the correctness of unit tests + +3. Generate config file for each test example +```bash +python scripts/generate_test_data.py +``` +You will see `*.json` files generated in [config_files](./config_files) folder. Each file contains the configuration for one test example. + +4. Obtain the auto-login cookies for all websites +``` +mkdir -p ./.auth +python browser_env/auto_login.py +``` +5. export `OPENAI_API_KEY=your_key`, a valid OpenAI API key starts with `sk-` + +6. Launch the evaluation +```bash +python run.py \ + --instruction_path agent/prompts/jsons/p_cot_id_actree_2s.json \ # this is the reasoning agent prompt we used in the paper + --test_start_idx 0 \ + --test_end_idx 1 \ + --model gpt-3.5-turbo \ + --result_dir +``` +This script will run the first example with GPT-3.5 reasoning agent. The trajectory will be saved in `/0.html` + +## Develop Your Prompt-based Agent +1. Define the prompts. We provide two baseline agents whose correrponding prompts are listed [here](./agent/prompts/raw). Each prompt is a dictionary with the following keys: +```python +prompt = { + "intro": , + "examples": [ + ( + example_1_observation, + example_1_response + ), + ( + example_2_observation, + example_2_response + ), + ... + ], + "template": , + "meta_data": { + "observation": , + "action_type": , + "keywords": , + "prompt_constructor": , + "action_splitter": + } + } +``` + +2. Implement the prompt constructor. An example prompt constructor using Chain-of-thought/ReAct style reasoning is [here](./agent/prompts/prompt_constructor.py#L184). The prompt constructor is a class with the following methods: +* `construct`: construct the input feed to an LLM +* `_extract_action`: given the generation from an LLM, how to extract the phrase that corresponds to the action + +## Citation +If you use our environment or data, please cite our paper: +``` +@article{zhou2023webarena, + title={WebArena: A Realistic Web Environment for Building Autonomous Agents}, + author={Zhou, Shuyan and Xu, Frank F and Zhu, Hao and Zhou, Xuhui and Lo, Robert and Sridhar, Abishek and Cheng, Xianyi and Bisk, Yonatan and Fried, Daniel and Alon, Uri and others}, + journal={arXiv preprint arXiv:2307.13854}, + year={2023} +} +``` diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/__init__.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/__init__.py new file mode 100644 index 00000000..9028d30c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/__init__.py @@ -0,0 +1,8 @@ +from .agent import ( + Agent, + PromptAgent, + TeacherForcingAgent, + construct_agent, +) + +__all__ = ["Agent", "TeacherForcingAgent", "PromptAgent", "construct_agent"] diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/agent.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/agent.py new file mode 100644 index 00000000..923ebce6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/agent.py @@ -0,0 +1,182 @@ +import argparse +import json +from typing import Any + +import tiktoken +from beartype import beartype + +from agent.prompts import * +from browser_env import Trajectory +from browser_env.actions import ( + Action, + ActionParsingError, + create_id_based_action, + create_none_action, + create_playwright_action, +) +from browser_env.utils import Observation, StateInfo +from llms import ( + call_llm, + generate_from_huggingface_completion, + generate_from_openai_chat_completion, + generate_from_openai_completion, + lm_config, +) +from llms.tokenizers import Tokenizer + + +class Agent: + """Base class for the agent""" + + def __init__(self, *args: Any) -> None: + pass + + def next_action( + self, trajectory: Trajectory, intent: str, meta_data: Any + ) -> Action: + """Predict the next action given the observation""" + raise NotImplementedError + + def reset( + self, + test_config_file: str, + ) -> None: + raise NotImplementedError + + +class TeacherForcingAgent(Agent): + """Agent that follows a pre-defined action sequence""" + + def __init__(self) -> None: + super().__init__() + + def set_action_set_tag(self, tag: str) -> None: + self.action_set_tag = tag + + def set_actions(self, action_seq: str | list[str]) -> None: + if isinstance(action_seq, str): + action_strs = action_seq.strip().split("\n") + else: + action_strs = action_seq + action_strs = [a.strip() for a in action_strs] + + actions = [] + for a_str in action_strs: + try: + if self.action_set_tag == "playwright": + cur_action = create_playwright_action(a_str) + elif self.action_set_tag == "id_accessibility_tree": + cur_action = create_id_based_action(a_str) + else: + raise ValueError( + f"Unknown action type {self.action_set_tag}" + ) + except ActionParsingError as e: + cur_action = create_none_action() + + cur_action["raw_prediction"] = a_str + actions.append(cur_action) + + self.actions: list[Action] = actions + + def next_action( + self, trajectory: Trajectory, intent: str, meta_data: Any + ) -> Action: + """Predict the next action given the observation""" + return self.actions.pop(0) + + def reset( + self, + test_config_file: str, + ) -> None: + with open(test_config_file) as f: + ref_actions = json.load(f)["reference_action_sequence"] + tag = ref_actions["action_set_tag"] + action_seq = ref_actions["action_sequence"] + self.set_action_set_tag(tag) + self.set_actions(action_seq) + + +class PromptAgent(Agent): + """prompt-based agent that emits action given the history""" + + @beartype + def __init__( + self, + action_set_tag: str, + lm_config: lm_config.LMConfig, + prompt_constructor: PromptConstructor, + ) -> None: + super().__init__() + self.lm_config = lm_config + self.prompt_constructor = prompt_constructor + self.action_set_tag = action_set_tag + + def set_action_set_tag(self, tag: str) -> None: + self.action_set_tag = tag + + @beartype + def next_action( + self, trajectory: Trajectory, intent: str, meta_data: dict[str, Any] + ) -> Action: + prompt = self.prompt_constructor.construct( + trajectory, intent, meta_data + ) + lm_config = self.lm_config + n = 0 + while True: + response = call_llm(lm_config, prompt) + force_prefix = self.prompt_constructor.instruction[ + "meta_data" + ].get("force_prefix", "") + response = f"{force_prefix}{response}" + n += 1 + try: + parsed_response = self.prompt_constructor.extract_action( + response + ) + if self.action_set_tag == "id_accessibility_tree": + action = create_id_based_action(parsed_response) + elif self.action_set_tag == "playwright": + action = create_playwright_action(parsed_response) + else: + raise ValueError( + f"Unknown action type {self.action_set_tag}" + ) + action["raw_prediction"] = response + break + except ActionParsingError as e: + if n >= lm_config.gen_config["max_retry"]: + action = create_none_action() + action["raw_prediction"] = response + break + + return action + + def reset(self, test_config_file: str) -> None: + pass + + +def construct_agent(args: argparse.Namespace) -> Agent: + llm_config = lm_config.construct_llm_config(args) + + agent: Agent + if args.agent_type == "teacher_forcing": + agent = TeacherForcingAgent() + elif args.agent_type == "prompt": + with open(args.instruction_path) as f: + constructor_type = json.load(f)["meta_data"]["prompt_constructor"] + tokenizer = Tokenizer(args.provider, args.model) + prompt_constructor = eval(constructor_type)( + args.instruction_path, lm_config=llm_config, tokenizer=tokenizer + ) + agent = PromptAgent( + action_set_tag=args.action_set_tag, + lm_config=llm_config, + prompt_constructor=prompt_constructor, + ) + else: + raise NotImplementedError( + f"agent type {args.agent_type} not implemented" + ) + return agent diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/README.md b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/README.md new file mode 100644 index 00000000..e0682719 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/README.md @@ -0,0 +1,2 @@ +## Naming of the prompt files +`description.action_space.observation_space.json` diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/__init__.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/__init__.py new file mode 100644 index 00000000..3f3caba8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/__init__.py @@ -0,0 +1 @@ +from .prompt_constructor import * diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/jsons/p_cot_id_actree_2s.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/jsons/p_cot_id_actree_2s.json new file mode 100644 index 00000000..9d2eae47 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/jsons/p_cot_id_actree_2s.json @@ -0,0 +1,27 @@ +{ + "intro": "You are an autonomous intelligent agent tasked with navigating a web browser. You will be given web-based tasks. These tasks will be accomplished through the use of specific actions you can issue.\n\nHere's the information you'll have:\nThe user's objective: This is the task you're trying to complete.\nThe current web page's accessibility tree: This is a simplified representation of the webpage, providing key information.\nThe current web page's URL: This is the page you're currently navigating.\nThe open tabs: These are the tabs you have open.\nThe previous action: This is the action you just performed. It may be helpful to track your progress.\n\nThe actions you can perform fall into several categories:\n\nPage Operation Actions:\n`click [id]`: This action clicks on an element with a specific id on the webpage.\n`type [id] [content] [press_enter_after=0|1]`: Use this to type the content into the field with id. By default, the \"Enter\" key is pressed after typing unless press_enter_after is set to 0.\n`hover [id]`: Hover over an element with id.\n`press [key_comb]`: Simulates the pressing of a key combination on the keyboard (e.g., Ctrl+v).\n`scroll [direction=down|up]`: Scroll the page up or down.\n\nTab Management Actions:\n`new_tab`: Open a new, empty browser tab.\n`tab_focus [tab_index]`: Switch the browser's focus to a specific tab using its index.\n`close_tab`: Close the currently active tab.\n\nURL Navigation Actions:\n`goto [url]`: Navigate to a specific URL.\n`go_back`: Navigate to the previously viewed page.\n`go_forward`: Navigate to the next page (if a previous 'go_back' action was performed).\n\nCompletion Action:\n`stop [answer]`: Issue this action when you believe the task is complete. If the objective is to find a text-based answer, provide the answer in the bracket. If you believe the task is impossible to complete, provide the answer as \"N/A\" in the bracket.\n\nHomepage:\nIf you want to visit other websites, check out the homepage at http://homepage.com. It has a list of websites you can visit.\nhttp://homepage.com/password.html lists all the account name and password for the websites. You can use them to log in to the websites.\n\nTo be successful, it is very important to follow the following rules:\n1. You should only issue an action that is valid given the current observation\n2. You should only issue one action at a time.\n3. You should follow the examples to reason step by step and then issue the next action.\n4. Generate the action in the correct format. Start with a \"In summary, the next action I will perform is\" phrase, followed by action inside ``````. For example, \"In summary, the next action I will perform is ```click [1234]```\".\n5. Issue stop action when you think you have achieved the objective. Don't generate anything after stop.", + "examples": [ + [ + "OBSERVATION:\n[1744] link 'HP CB782A#ABA 640 Inkjet Fax Machine (Renewed)'\n\t\t[1749] StaticText '$279.49'\n\t\t[1757] button 'Add to Cart'\n\t\t[1760] button 'Add to Wish List'\n\t\t[1761] button 'Add to Compare'\nURL: http://onestopmarket.com/office-products/office-electronics.html\nOBJECTIVE: What is the price of HP Inkjet Fax Machine\nPREVIOUS ACTION: None", + "Let's think step-by-step. This page list the information of HP Inkjet Fax Machine, which is the product identified in the objective. Its price is $279.49. I think I have achieved the objective. I will issue the stop action with the answer. In summary, the next action I will perform is ```stop [$279.49]```" + ], + [ + "OBSERVATION:\n[164] textbox 'Search' focused: True required: False\n[171] button 'Go'\n[174] link 'Find directions between two points'\n[212] heading 'Search Results'\n[216] button 'Close'\nURL: http://openstreetmap.org\nOBJECTIVE: Show me the restaurants near CMU\nPREVIOUS ACTION: None", + "Let's think step-by-step. This page has a search box whose ID is [164]. According to the nominatim rule of openstreetmap, I can search for the restaurants near a location by \"restaurants near\". I can submit my typing by pressing the Enter afterwards. In summary, the next action I will perform is ```type [164] [restaurants near CMU] [1]```" + ] + ], + "template": "OBSERVATION:\n{observation}\nURL: {url}\nOBJECTIVE: {objective}\nPREVIOUS ACTION: {previous_action}", + "meta_data": { + "observation": "accessibility_tree", + "action_type": "id_accessibility_tree", + "keywords": [ + "url", + "objective", + "observation", + "previous_action" + ], + "prompt_constructor": "CoTPromptConstructor", + "answer_phrase": "In summary, the next action I will perform is", + "action_splitter": "```" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/jsons/p_cot_id_actree_2s_no_na.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/jsons/p_cot_id_actree_2s_no_na.json new file mode 100644 index 00000000..6b0f23fc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/jsons/p_cot_id_actree_2s_no_na.json @@ -0,0 +1,27 @@ +{ + "intro": "You are an autonomous intelligent agent tasked with navigating a web browser. You will be given web-based tasks. These tasks will be accomplished through the use of specific actions you can issue.\n\nHere's the information you'll have:\nThe user's objective: This is the task you're trying to complete.\nThe current web page's accessibility tree: This is a simplified representation of the webpage, providing key information.\nThe current web page's URL: This is the page you're currently navigating.\nThe open tabs: These are the tabs you have open.\nThe previous action: This is the action you just performed. It may be helpful to track your progress.\n\nThe actions you can perform fall into several categories:\n\nPage Operation Actions:\n`click [id]`: This action clicks on an element with a specific id on the webpage.\n`type [id] [content] [press_enter_after=0|1]`: Use this to type the content into the field with id. By default, the \"Enter\" key is pressed after typing unless press_enter_after is set to 0.\n`hover [id]`: Hover over an element with id.\n`press [key_comb]`: Simulates the pressing of a key combination on the keyboard (e.g., Ctrl+v).\n`scroll [direction=down|up]`: Scroll the page up or down.\n\nTab Management Actions:\n`new_tab`: Open a new, empty browser tab.\n`tab_focus [tab_index]`: Switch the browser's focus to a specific tab using its index.\n`close_tab`: Close the currently active tab.\n\nURL Navigation Actions:\n`goto [url]`: Navigate to a specific URL.\n`go_back`: Navigate to the previously viewed page.\n`go_forward`: Navigate to the next page (if a previous 'go_back' action was performed).\n\nCompletion Action:\n`stop [answer]`: Issue this action when you believe the task is complete. If the objective is to find a text-based answer, provide the answer in the bracket.\n\nHomepage:\nIf you want to visit other websites, check out the homepage at http://homepage.com. It has a list of websites you can visit.\nhttp://homepage.com/password.html lists all the account name and password for the websites. You can use them to log in to the websites.\n\nTo be successful, it is very important to follow the following rules:\n1. You should only issue an action that is valid given the current observation\n2. You should only issue one action at a time.\n3. You should follow the examples to reason step by step and then issue the next action.\n4. Generate the action in the correct format. Start with a \"In summary, the next action I will perform is\" phrase, followed by action inside ``````. For example, \"In summary, the next action I will perform is ```click [1234]```\".\n5. Issue stop action when you think you have achieved the objective. Don't generate anything after stop.", + "examples": [ + [ + "OBSERVATION:\n[1744] link 'HP CB782A#ABA 640 Inkjet Fax Machine (Renewed)'\n\t\t[1749] StaticText '$279.49'\n\t\t[1757] button 'Add to Cart'\n\t\t[1760] button 'Add to Wish List'\n\t\t[1761] button 'Add to Compare'\nURL: http://onestopmarket.com/office-products/office-electronics.html\nOBJECTIVE: What is the price of HP Inkjet Fax Machine\nPREVIOUS ACTION: None", + "Let's think step-by-step. This page list the information of HP Inkjet Fax Machine, which is the product identified in the objective. Its price is $279.49. I think I have achieved the objective. I will issue the stop action with the answer. In summary, the next action I will perform is ```stop [$279.49]```" + ], + [ + "OBSERVATION:\n[164] textbox 'Search' focused: True required: False\n[171] button 'Go'\n[174] link 'Find directions between two points'\n[212] heading 'Search Results'\n[216] button 'Close'\nURL: http://openstreetmap.org\nOBJECTIVE: Show me the restaurants near CMU\nPREVIOUS ACTION: None", + "Let's think step-by-step. This page has a search box whose ID is [164]. According to the nominatim rule of openstreetmap, I can search for the restaurants near a location by \"restaurants near\". I can submit my typing by pressing the Enter afterwards. In summary, the next action I will perform is ```type [164] [restaurants near CMU] [1]```" + ] + ], + "template": "OBSERVATION:\n{observation}\nURL: {url}\nOBJECTIVE: {objective}\nPREVIOUS ACTION: {previous_action}", + "meta_data": { + "observation": "accessibility_tree", + "action_type": "id_accessibility_tree", + "keywords": [ + "url", + "objective", + "observation", + "previous_action" + ], + "prompt_constructor": "CoTPromptConstructor", + "answer_phrase": "In summary, the next action I will perform is", + "action_splitter": "```" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/jsons/p_direct_id_actree_2s.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/jsons/p_direct_id_actree_2s.json new file mode 100644 index 00000000..d336a039 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/jsons/p_direct_id_actree_2s.json @@ -0,0 +1,26 @@ +{ + "intro": "You are an autonomous intelligent agent tasked with navigating a web browser. You will be given web-based tasks. These tasks will be accomplished through the use of specific actions you can issue.\n\nHere's the information you'll have:\nThe user's objective: This is the task you're trying to complete.\nThe current web page's accessibility tree: This is a simplified representation of the webpage, providing key information.\nThe current web page's URL: This is the page you're currently navigating.\nThe open tabs: These are the tabs you have open.\nThe previous action: This is the action you just performed. It may be helpful to track your progress.\n\nThe actions you can perform fall into several categories:\n\nPage Operation Actions:\n`click [id]`: This action clicks on an element with a specific id on the webpage.\n`type [id] [content] [press_enter_after=0|1]`: Use this to type the content into the field with id. By default, the \"Enter\" key is pressed after typing unless press_enter_after is set to 0.\n`hover [id]`: Hover over an element with id.\n`press [key_comb]`: Simulates the pressing of a key combination on the keyboard (e.g., Ctrl+v).\n`scroll [direction=down|up]`: Scroll the page up or down.\n\nTab Management Actions:\n`new_tab`: Open a new, empty browser tab.\n`tab_focus [tab_index]`: Switch the browser's focus to a specific tab using its index.\n`close_tab`: Close the currently active tab.\n\nURL Navigation Actions:\n`goto [url]`: Navigate to a specific URL.\n`go_back`: Navigate to the previously viewed page.\n`go_forward`: Navigate to the next page (if a previous 'go_back' action was performed).\n\nCompletion Action:\n`stop [answer]`: Issue this action when you believe the task is complete. If the objective is to find a text-based answer, provide the answer in the bracket. If you believe the task is impossible to complete, provide the answer as \"N/A\" in the bracket.\n\nHomepage:\nIf you want to visit other websites, check out the homepage at http://homepage.com. It has a list of websites you can visit.\nhttp://homepage.com/password.html lists all the account name and password for the websites. You can use them to log in to the websites.\n\nTo be successful, it is very important to follow the following rules:\n1. You should only issue an action that is valid given the current observation\n2. You should only issue one action at a time.\n3. Generate the action in the correct format. Always put the action inside a pair of ```. For example, ```click [1234]```.\n5. Issue stop action when you think you have achieved the objective. Don't generate anything after stop.", + "examples": [ + [ + "OBSERVATION:\n[1744] link 'HP CB782A#ABA 640 Inkjet Fax Machine (Renewed)'\n\t\t[1749] StaticText '$279.49'\n\t\t[1757] button 'Add to Cart'\n\t\t[1760] button 'Add to Wish List'\n\t\t[1761] button 'Add to Compare'\nURL: http://onestopmarket.com/office-products/office-electronics.html\nOBJECTIVE: What is the price of HP Inkjet Fax Machine\nPREVIOUS ACTION: None", + "```stop [$279.49]```" + ], + [ + "OBSERVATION:\n[164] textbox 'Search' focused: True required: False\n[171] button 'Go'\n[174] link 'Find directions between two points'\n[212] heading 'Search Results'\n[216] button 'Close'\nURL: http://openstreetmap.org\nOBJECTIVE: Show me the restaurants near CMU\nPREVIOUS ACTION: None", + "```type [164] [restaurants near CMU] [1]```" + ] + ], + "template": "OBSERVATION:\n{observation}\nURL: {url}\nOBJECTIVE: {objective}\nPREVIOUS ACTION: {previous_action}", + "meta_data": { + "observation": "accessibility_tree", + "action_type": "id_accessibility_tree", + "keywords": [ + "url", + "objective", + "observation", + "previous_action" + ], + "prompt_constructor": "DirectPromptConstructor", + "action_splitter": "```" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/jsons/p_direct_id_actree_2s_no_na.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/jsons/p_direct_id_actree_2s_no_na.json new file mode 100644 index 00000000..ac3306fe --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/jsons/p_direct_id_actree_2s_no_na.json @@ -0,0 +1,27 @@ +{ + "intro": "You are an autonomous intelligent agent tasked with navigating a web browser. You will be given web-based tasks. These tasks will be accomplished through the use of specific actions you can issue.\n\nHere's the information you'll have:\nThe user's objective: This is the task you're trying to complete.\nThe current web page's accessibility tree: This is a simplified representation of the webpage, providing key information.\nThe current web page's URL: This is the page you're currently navigating.\nThe open tabs: These are the tabs you have open.\nThe previous action: This is the action you just performed. It may be helpful to track your progress.\n\nThe actions you can perform fall into several categories:\n\nPage Operation Actions:\n`click [id]`: This action clicks on an element with a specific id on the webpage.\n`type [id] [content] [press_enter_after=0|1]`: Use this to type the content into the field with id. By default, the \"Enter\" key is pressed after typing unless press_enter_after is set to 0.\n`hover [id]`: Hover over an element with id.\n`press [key_comb]`: Simulates the pressing of a key combination on the keyboard (e.g., Ctrl+v).\n`scroll [direction=down|up]`: Scroll the page up or down.\n\nTab Management Actions:\n`new_tab`: Open a new, empty browser tab.\n`tab_focus [tab_index]`: Switch the browser's focus to a specific tab using its index.\n`close_tab`: Close the currently active tab.\n\nURL Navigation Actions:\n`goto [url]`: Navigate to a specific URL.\n`go_back`: Navigate to the previously viewed page.\n`go_forward`: Navigate to the next page (if a previous 'go_back' action was performed).\n\nCompletion Action:\n`stop [answer]`: Issue this action when you believe the task is complete. If the objective is to find a text-based answer, provide the answer in the bracket.\n\nHomepage:\nIf you want to visit other websites, check out the homepage at http://homepage.com. It has a list of websites you can visit.\nhttp://homepage.com/password.html lists all the account name and password for the websites. You can use them to log in to the websites.\n\nTo be successful, it is very important to follow the following rules:\n1. You should only issue an action that is valid given the current observation\n2. You should only issue one action at a time.\n4. Generate the action in the correct format, wrap the action inside ``````. For example, ```click [1234]```\".\n5. Issue stop action when you think you have achieved the objective.", + "examples": [ + [ + "OBSERVATION:\n[1744] link 'HP CB782A#ABA 640 Inkjet Fax Machine (Renewed)'\n\t\t[1749] StaticText '$279.49'\n\t\t[1757] button 'Add to Cart'\n\t\t[1760] button 'Add to Wish List'\n\t\t[1761] button 'Add to Compare'\nURL: http://onestopmarket.com/office-products/office-electronics.html\nOBJECTIVE: What is the price of HP Inkjet Fax Machine\nPREVIOUS ACTION: None", + "```stop [$279.49]```" + ], + [ + "OBSERVATION:\n[164] textbox 'Search' focused: True required: False\n[171] button 'Go'\n[174] link 'Find directions between two points'\n[212] heading 'Search Results'\n[216] button 'Close'\nURL: http://openstreetmap.org\nOBJECTIVE: Show me the restaurants near CMU\nPREVIOUS ACTION: None", + "```type [164] [restaurants near CMU] [1]```" + ] + ], + "template": "OBSERVATION:\n{observation}\nURL: {url}\nOBJECTIVE: {objective}\nPREVIOUS ACTION: {previous_action}", + "meta_data": { + "observation": "accessibility_tree", + "action_type": "id_accessibility_tree", + "keywords": [ + "url", + "objective", + "observation", + "previous_action" + ], + "prompt_constructor": "CoTPromptConstructor", + "answer_phrase": "In summary, the next action I will perform is", + "action_splitter": "```" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/jsons/p_direct_id_actree_3s_llama.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/jsons/p_direct_id_actree_3s_llama.json new file mode 100644 index 00000000..f87f09f1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/jsons/p_direct_id_actree_3s_llama.json @@ -0,0 +1,32 @@ +{ + "intro": "You are an autonomous intelligent agent tasked with navigating a web browser. The actions you can perform fall into several categories:\n\nPage Operation Actions:\n`click [id]`: This action clicks on an element with a specific id on the webpage.\n`type [id] [content] [press_enter_after=0|1]`: Use this to type the content into the field with id. By default, the \"Enter\" key is pressed after typing unless press_enter_after is set to 0.\n`hover [id]`: Hover over an element with id.\n`press [key_comb]`: Simulates the pressing of a key combination on the keyboard (e.g., Ctrl+v).\n`scroll [direction=down|up]`: Scroll the page up or down.\n\nTab Management Actions:\n`new_tab`: Open a new, empty browser tab.\n`tab_focus [tab_index]`: Switch the browser's focus to a specific tab using its index.\n`close_tab`: Close the currently active tab.\n\nURL Navigation Actions:\n`goto [url]`: Navigate to a specific URL.\n`go_back`: Navigate to the previously viewed page.\n`go_forward`: Navigate to the next page (if a previous 'go_back' action was performed).\n\nCompletion Action:\n`stop [answer]`: Issue this action when you believe the task is complete. If the objective is to find a text-based answer, provide the answer in the bracket.\n\nHomepage:\nIf you want to visit other websites, check out the homepage at http://homepage.com. It has a list of websites you can visit.\n\nYou can only issue one action at a time", + "examples": [ + [ + "Observation:\n[1744] link 'HP CB782A#ABA 640 Inkjet Fax Machine (Renewed)'\n\t[1749] StaticText '$279.49'\n\t[1757] button 'Add to Cart'\n\t[1760] button 'Add to Wish List'\n\t[1761] button 'Add to Compare'\nURL: http://onestopmarket.com/office-products/office-electronics.html\nObjective: What is the price of HP Inkjet Fax Machine\nPrevious action: None", + "```stop [$279.49]```" + ], + [ + "Observation:\n[164] textbox 'Search' focused: True required: False\n[171] button 'Go'\n[174] link 'Find directions between two points'\n[212] heading 'Search Results'\n[216] button 'Close'\nURL: http://openstreetmap.org\nObjective: Show me the restaurants near CMU\nPrevious action: None", + "```type [164] [restaurants near CMU] [1]```" + ], + [ + "Observation:\n[2036] button 'Sort by: New' hasPopup: menu expanded: False\n\t[587] link 'US Marine\u2019s adoption of Afghan war orphan voided'\n\t\t[989] time 'March 30, 2023 at 15:03:48 AM UTC'\n\t[602] link 'York student uses AI chatbot to get parking fine revoked'\n\t\t[1025] time 'March 15, 2023 at 7:48:34 AM UTC'\n\t[617] link 'Loveland parents furious after teachers leave, communication lagged during school threat investigation'\n\t\t[1025] time 'March 2, 2023 at 3:46:01 AM UTC'\nURL: http://reddit.com/f/news/new\nObjective: Open the most recent post that was published prior to March 1st.\nPrevious action: None", + "```scroll [down]```" + ] + ], + "template": "Observation:\n{observation}\nURL: {url}\nObjective: {objective}\nPrevious action: {previous_action}", + "meta_data": { + "observation": "accessibility_tree", + "action_type": "id_accessibility_tree", + "keywords": [ + "url", + "objective", + "observation", + "previous_action" + ], + "prompt_constructor": "DirectPromptConstructor", + "answer_phrase": "In summary, the next action I will perform is", + "action_splitter": "```", + "force_prefix": "```" + } +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/prompt_constructor.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/prompt_constructor.py new file mode 100644 index 00000000..35d92aa3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/prompt_constructor.py @@ -0,0 +1,260 @@ +import json +import re +from pathlib import Path +from typing import Any, TypedDict + +from browser_env import Action, ActionParsingError, Trajectory +from browser_env.env_config import URL_MAPPINGS +from browser_env.utils import StateInfo +from llms import lm_config +from llms.tokenizers import Tokenizer +from llms.utils import APIInput + + +class Instruction(TypedDict): + """Instruction for constructing prompt""" + + intro: str + examples: list[tuple[str, str]] + template: str + meta_data: dict[str, Any] + + +class PromptConstructor(object): + def __init__( + self, + instruction_path: str | Path, + lm_config: lm_config.LMConfig, + tokenizer: Tokenizer, + ): + self.instruction_path = Path(instruction_path) + self.obs_modality = "text" + self.lm_config = lm_config + instruction = json.load(open(self.instruction_path)) + instruction["examples"] = [tuple(e) for e in instruction["examples"]] + self.instruction: Instruction = instruction + self.tokenizer = tokenizer + + def get_lm_api_input( + self, intro: str, examples: list[tuple[str, str]], current: str + ) -> APIInput: + + """Return the require format for an API""" + message: list[dict[str, str]] | str + if "openai" in self.lm_config.provider: + if self.lm_config.mode == "chat": + message = [{"role": "system", "content": intro}] + for (x, y) in examples: + message.append( + { + "role": "system", + "name": "example_user", + "content": x, + } + ) + message.append( + { + "role": "system", + "name": "example_assistant", + "content": y, + } + ) + message.append({"role": "user", "content": current}) + return message + elif self.lm_config.mode == "completion": + message = f"{intro}\n\n" + message += "Here are a few examples:\n" + for example in examples: + message += f"Observation\n:{example[0]}\n\n" + message += f"Action: {example[1]}\n\n" + message += "Now make prediction given the observation\n\n" + message += f"Observation\n:{current}\n\n" + message += "Action:" + return message + else: + raise ValueError( + f"OpenAI models do not support mode {self.lm_config.mode}" + ) + elif "huggingface" in self.lm_config.provider: + # https://huggingface.co/blog/llama2#how-to-prompt-llama-2 + # https://github.com/facebookresearch/llama/blob/main/llama/generation.py#L320 + if "Llama-2" in self.lm_config.model: + if self.lm_config.mode == "chat": + B_INST, E_INST = "[INST]", "[/INST]" + B_SYS, E_SYS = "<>\n", "\n<>\n\n" + BOS, EOS = "", "" + # adding the system message to be the starting of the first example + examples = [ + ( + B_SYS + intro + E_SYS + examples[0][0], + examples[0][1], + ) + ] + examples[1:] + message = "".join( + [ + f"{BOS}{B_INST} {x.strip()} {E_INST} {y.strip()} {EOS}" + for (x, y) in examples + ] + ) + # add the current observation + message += f"{BOS}{B_INST} {current.strip()} {E_INST} {self.instruction['meta_data'].get('force_prefix', '')}" + + return message + else: + raise ValueError("Only chat mode is supported for Llama-2") + else: + raise ValueError( + f"Huggingface models do not support model_tag {self.lm_config.gen_config['model_tag']}" + ) + else: + raise NotImplementedError( + f"Provider {self.lm_config.provider} not implemented" + ) + + def construct( + self, + trajectory: Trajectory, + intent: str, + meta_data: dict[str, Any] = {}, + ) -> APIInput: + raise NotImplementedError + + def map_url_to_real(self, url: str) -> str: + """Map the urls to their real world counterparts""" + for i, j in URL_MAPPINGS.items(): + if i in url: + url = url.replace(i, j) + return url + + def map_url_to_local(self, url: str) -> str: + """Map the urls to their local counterparts""" + for i, j in URL_MAPPINGS.items(): + if j in url: + url = url.replace(j, i) + # https + if j.replace("http", "https") in url: + url = url.replace(j.replace("http", "https"), i) + return url + + def _extract_action(self, response: str) -> str: + raise NotImplementedError + + def extract_action(self, response: str) -> str: + response = self._extract_action(response) + response = self.map_url_to_local(response) + return response + + +class DirectPromptConstructor(PromptConstructor): + """The agent will direct predict the action""" + + def __init__( + self, + instruction_path: str | Path, + lm_config: lm_config.LMConfig, + tokenizer: Tokenizer, + ): + super().__init__(instruction_path, lm_config, tokenizer) + + def construct( + self, + trajectory: Trajectory, + intent: str, + meta_data: dict[str, Any] = {}, + ) -> APIInput: + """Construct prompt given the trajectory""" + intro = self.instruction["intro"] + examples = self.instruction["examples"] + template = self.instruction["template"] + keywords = self.instruction["meta_data"]["keywords"] + state_info: StateInfo = trajectory[-1] # type: ignore[assignment] + + obs = state_info["observation"][self.obs_modality] + max_obs_length = self.lm_config.gen_config["max_obs_length"] + if max_obs_length: + obs = self.tokenizer.decode(self.tokenizer.encode(obs)[:max_obs_length]) # type: ignore[arg-type] + + page = state_info["info"]["page"] + url = page.url + previous_action_str = meta_data["action_history"][-1] + + # input x + current = template.format( + objective=intent, + url=self.map_url_to_real(url), + observation=obs, + previous_action=previous_action_str, + ) + + # make sure all keywords are replaced + assert all([f"{{k}}" not in current for k in keywords]) + prompt = self.get_lm_api_input(intro, examples, current) + return prompt + + def _extract_action(self, response: str) -> str: + action_splitter = self.instruction["meta_data"]["action_splitter"] + pattern = rf"{action_splitter}((.|\n)*?){action_splitter}" + match = re.search(pattern, response) + if match: + return match.group(1).strip() + else: + raise ActionParsingError( + f"Cannot parse action from response {response}" + ) + + +class CoTPromptConstructor(PromptConstructor): + """The agent will perform step-by-step reasoning before the answer""" + + def __init__( + self, + instruction_path: str | Path, + lm_config: lm_config.LMConfig, + tokenizer: Tokenizer, + ): + super().__init__(instruction_path, lm_config, tokenizer) + self.answer_phrase = self.instruction["meta_data"]["answer_phrase"] + + def construct( + self, + trajectory: Trajectory, + intent: str, + meta_data: dict[str, Any] = {}, + ) -> APIInput: + intro = self.instruction["intro"] + examples = self.instruction["examples"] + template = self.instruction["template"] + keywords = self.instruction["meta_data"]["keywords"] + state_info: StateInfo = trajectory[-1] # type: ignore[assignment] + + obs = state_info["observation"][self.obs_modality] + max_obs_length = self.lm_config.gen_config["max_obs_length"] + if max_obs_length: + obs = self.tokenizer.decode(self.tokenizer.encode(obs)[:max_obs_length]) # type: ignore[arg-type] + + page = state_info["info"]["page"] + url = page.url + previous_action_str = meta_data["action_history"][-1] + current = template.format( + objective=intent, + url=self.map_url_to_real(url), + observation=obs, + previous_action=previous_action_str, + ) + + assert all([f"{{k}}" not in current for k in keywords]) + + prompt = self.get_lm_api_input(intro, examples, current) + return prompt + + def _extract_action(self, response: str) -> str: + # find the first occurrence of action + action_splitter = self.instruction["meta_data"]["action_splitter"] + pattern = rf"{action_splitter}((.|\n)*?){action_splitter}" + match = re.search(pattern, response) + if match: + return match.group(1).strip() + else: + raise ActionParsingError( + f'Cannot find the answer phrase "{self.answer_phrase}" in "{response}"' + ) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/raw/p_cot_id_actree_2s.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/raw/p_cot_id_actree_2s.py new file mode 100644 index 00000000..b85e54cc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/raw/p_cot_id_actree_2s.py @@ -0,0 +1,82 @@ +prompt = { + "intro": """You are an autonomous intelligent agent tasked with navigating a web browser. You will be given web-based tasks. These tasks will be accomplished through the use of specific actions you can issue. + +Here's the information you'll have: +The user's objective: This is the task you're trying to complete. +The current web page's accessibility tree: This is a simplified representation of the webpage, providing key information. +The current web page's URL: This is the page you're currently navigating. +The open tabs: These are the tabs you have open. +The previous action: This is the action you just performed. It may be helpful to track your progress. + +The actions you can perform fall into several categories: + +Page Operation Actions: +`click [id]`: This action clicks on an element with a specific id on the webpage. +`type [id] [content] [press_enter_after=0|1]`: Use this to type the content into the field with id. By default, the "Enter" key is pressed after typing unless press_enter_after is set to 0. +`hover [id]`: Hover over an element with id. +`press [key_comb]`: Simulates the pressing of a key combination on the keyboard (e.g., Ctrl+v). +`scroll [direction=down|up]`: Scroll the page up or down. + +Tab Management Actions: +`new_tab`: Open a new, empty browser tab. +`tab_focus [tab_index]`: Switch the browser's focus to a specific tab using its index. +`close_tab`: Close the currently active tab. + +URL Navigation Actions: +`goto [url]`: Navigate to a specific URL. +`go_back`: Navigate to the previously viewed page. +`go_forward`: Navigate to the next page (if a previous 'go_back' action was performed). + +Completion Action: +`stop [answer]`: Issue this action when you believe the task is complete. If the objective is to find a text-based answer, provide the answer in the bracket. If you believe the task is impossible to complete, provide the answer as "N/A" in the bracket. + +Homepage: +If you want to visit other websites, check out the homepage at http://homepage.com. It has a list of websites you can visit. +http://homepage.com/password.html lists all the account name and password for the websites. You can use them to log in to the websites. + +To be successful, it is very important to follow the following rules: +1. You should only issue an action that is valid given the current observation +2. You should only issue one action at a time. +3. You should follow the examples to reason step by step and then issue the next action. +4. Generate the action in the correct format. Start with a "In summary, the next action I will perform is" phrase, followed by action inside ``````. For example, "In summary, the next action I will perform is ```click [1234]```". +5. Issue stop action when you think you have achieved the objective. Don't generate anything after stop.""", + "examples": [ + ( + """OBSERVATION: +[1744] link 'HP CB782A#ABA 640 Inkjet Fax Machine (Renewed)' + [1749] StaticText '$279.49' + [1757] button 'Add to Cart' + [1760] button 'Add to Wish List' + [1761] button 'Add to Compare' +URL: http://onestopmarket.com/office-products/office-electronics.html +OBJECTIVE: What is the price of HP Inkjet Fax Machine +PREVIOUS ACTION: None""", + "Let's think step-by-step. This page list the information of HP Inkjet Fax Machine, which is the product identified in the objective. Its price is $279.49. I think I have achieved the objective. I will issue the stop action with the answer. In summary, the next action I will perform is ```stop [$279.49]```", + ), + ( + """OBSERVATION: +[164] textbox 'Search' focused: True required: False +[171] button 'Go' +[174] link 'Find directions between two points' +[212] heading 'Search Results' +[216] button 'Close' +URL: http://openstreetmap.org +OBJECTIVE: Show me the restaurants near CMU +PREVIOUS ACTION: None""", + "Let's think step-by-step. This page has a search box whose ID is [164]. According to the nominatim rule of openstreetmap, I can search for the restaurants near a location by \"restaurants near\". I can submit my typing by pressing the Enter afterwards. In summary, the next action I will perform is ```type [164] [restaurants near CMU] [1]```", + ), + ], + "template": """OBSERVATION: +{observation} +URL: {url} +OBJECTIVE: {objective} +PREVIOUS ACTION: {previous_action}""", + "meta_data": { + "observation": "accessibility_tree", + "action_type": "id_accessibility_tree", + "keywords": ["url", "objective", "observation", "previous_action"], + "prompt_constructor": "CoTPromptConstructor", + "answer_phrase": "In summary, the next action I will perform is", + "action_splitter": "```" + }, +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/raw/p_cot_id_actree_2s_no_na.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/raw/p_cot_id_actree_2s_no_na.py new file mode 100644 index 00000000..945cd959 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/raw/p_cot_id_actree_2s_no_na.py @@ -0,0 +1,82 @@ +prompt = { + "intro": """You are an autonomous intelligent agent tasked with navigating a web browser. You will be given web-based tasks. These tasks will be accomplished through the use of specific actions you can issue. + +Here's the information you'll have: +The user's objective: This is the task you're trying to complete. +The current web page's accessibility tree: This is a simplified representation of the webpage, providing key information. +The current web page's URL: This is the page you're currently navigating. +The open tabs: These are the tabs you have open. +The previous action: This is the action you just performed. It may be helpful to track your progress. + +The actions you can perform fall into several categories: + +Page Operation Actions: +`click [id]`: This action clicks on an element with a specific id on the webpage. +`type [id] [content] [press_enter_after=0|1]`: Use this to type the content into the field with id. By default, the "Enter" key is pressed after typing unless press_enter_after is set to 0. +`hover [id]`: Hover over an element with id. +`press [key_comb]`: Simulates the pressing of a key combination on the keyboard (e.g., Ctrl+v). +`scroll [direction=down|up]`: Scroll the page up or down. + +Tab Management Actions: +`new_tab`: Open a new, empty browser tab. +`tab_focus [tab_index]`: Switch the browser's focus to a specific tab using its index. +`close_tab`: Close the currently active tab. + +URL Navigation Actions: +`goto [url]`: Navigate to a specific URL. +`go_back`: Navigate to the previously viewed page. +`go_forward`: Navigate to the next page (if a previous 'go_back' action was performed). + +Completion Action: +`stop [answer]`: Issue this action when you believe the task is complete. If the objective is to find a text-based answer, provide the answer in the bracket. + +Homepage: +If you want to visit other websites, check out the homepage at http://homepage.com. It has a list of websites you can visit. +http://homepage.com/password.html lists all the account name and password for the websites. You can use them to log in to the websites. + +To be successful, it is very important to follow the following rules: +1. You should only issue an action that is valid given the current observation +2. You should only issue one action at a time. +3. You should follow the examples to reason step by step and then issue the next action. +4. Generate the action in the correct format. Start with a "In summary, the next action I will perform is" phrase, followed by action inside ``````. For example, "In summary, the next action I will perform is ```click [1234]```". +5. Issue stop action when you think you have achieved the objective. Don't generate anything after stop.""", + "examples": [ + ( + """OBSERVATION: +[1744] link 'HP CB782A#ABA 640 Inkjet Fax Machine (Renewed)' + [1749] StaticText '$279.49' + [1757] button 'Add to Cart' + [1760] button 'Add to Wish List' + [1761] button 'Add to Compare' +URL: http://onestopmarket.com/office-products/office-electronics.html +OBJECTIVE: What is the price of HP Inkjet Fax Machine +PREVIOUS ACTION: None""", + "Let's think step-by-step. This page list the information of HP Inkjet Fax Machine, which is the product identified in the objective. Its price is $279.49. I think I have achieved the objective. I will issue the stop action with the answer. In summary, the next action I will perform is ```stop [$279.49]```", + ), + ( + """OBSERVATION: +[164] textbox 'Search' focused: True required: False +[171] button 'Go' +[174] link 'Find directions between two points' +[212] heading 'Search Results' +[216] button 'Close' +URL: http://openstreetmap.org +OBJECTIVE: Show me the restaurants near CMU +PREVIOUS ACTION: None""", + "Let's think step-by-step. This page has a search box whose ID is [164]. According to the nominatim rule of openstreetmap, I can search for the restaurants near a location by \"restaurants near\". I can submit my typing by pressing the Enter afterwards. In summary, the next action I will perform is ```type [164] [restaurants near CMU] [1]```", + ), + ], + "template": """OBSERVATION: +{observation} +URL: {url} +OBJECTIVE: {objective} +PREVIOUS ACTION: {previous_action}""", + "meta_data": { + "observation": "accessibility_tree", + "action_type": "id_accessibility_tree", + "keywords": ["url", "objective", "observation", "previous_action"], + "prompt_constructor": "CoTPromptConstructor", + "answer_phrase": "In summary, the next action I will perform is", + "action_splitter": "```" + }, +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/raw/p_direct_id_actree_2s.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/raw/p_direct_id_actree_2s.py new file mode 100644 index 00000000..8d4e4f6a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/raw/p_direct_id_actree_2s.py @@ -0,0 +1,80 @@ +prompt = { + "intro": """You are an autonomous intelligent agent tasked with navigating a web browser. You will be given web-based tasks. These tasks will be accomplished through the use of specific actions you can issue. + +Here's the information you'll have: +The user's objective: This is the task you're trying to complete. +The current web page's accessibility tree: This is a simplified representation of the webpage, providing key information. +The current web page's URL: This is the page you're currently navigating. +The open tabs: These are the tabs you have open. +The previous action: This is the action you just performed. It may be helpful to track your progress. + +The actions you can perform fall into several categories: + +Page Operation Actions: +`click [id]`: This action clicks on an element with a specific id on the webpage. +`type [id] [content] [press_enter_after=0|1]`: Use this to type the content into the field with id. By default, the "Enter" key is pressed after typing unless press_enter_after is set to 0. +`hover [id]`: Hover over an element with id. +`press [key_comb]`: Simulates the pressing of a key combination on the keyboard (e.g., Ctrl+v). +`scroll [direction=down|up]`: Scroll the page up or down. + +Tab Management Actions: +`new_tab`: Open a new, empty browser tab. +`tab_focus [tab_index]`: Switch the browser's focus to a specific tab using its index. +`close_tab`: Close the currently active tab. + +URL Navigation Actions: +`goto [url]`: Navigate to a specific URL. +`go_back`: Navigate to the previously viewed page. +`go_forward`: Navigate to the next page (if a previous 'go_back' action was performed). + +Completion Action: +`stop [answer]`: Issue this action when you believe the task is complete. If the objective is to find a text-based answer, provide the answer in the bracket. If you believe the task is impossible to complete, provide the answer as "N/A" in the bracket. + +Homepage: +If you want to visit other websites, check out the homepage at http://homepage.com. It has a list of websites you can visit. +http://homepage.com/password.html lists all the account name and password for the websites. You can use them to log in to the websites. + +To be successful, it is very important to follow the following rules: +1. You should only issue an action that is valid given the current observation +2. You should only issue one action at a time. +3. Generate the action in the correct format. Always put the action inside a pair of ```. For example, ```click [1234]```. +5. Issue stop action when you think you have achieved the objective. Don't generate anything after stop.""", + "examples": [ + ( + """OBSERVATION: +[1744] link 'HP CB782A#ABA 640 Inkjet Fax Machine (Renewed)' + [1749] StaticText '$279.49' + [1757] button 'Add to Cart' + [1760] button 'Add to Wish List' + [1761] button 'Add to Compare' +URL: http://onestopmarket.com/office-products/office-electronics.html +OBJECTIVE: What is the price of HP Inkjet Fax Machine +PREVIOUS ACTION: None""", + "```stop [$279.49]```", + ), + ( + """OBSERVATION: +[164] textbox 'Search' focused: True required: False +[171] button 'Go' +[174] link 'Find directions between two points' +[212] heading 'Search Results' +[216] button 'Close' +URL: http://openstreetmap.org +OBJECTIVE: Show me the restaurants near CMU +PREVIOUS ACTION: None""", + "```type [164] [restaurants near CMU] [1]```", + ), + ], + "template": """OBSERVATION: +{observation} +URL: {url} +OBJECTIVE: {objective} +PREVIOUS ACTION: {previous_action}""", + "meta_data": { + "observation": "accessibility_tree", + "action_type": "id_accessibility_tree", + "keywords": ["url", "objective", "observation", "previous_action"], + "prompt_constructor": "DirectPromptConstructor", + "action_splitter": "```" + }, +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/raw/p_direct_id_actree_2s_no_na.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/raw/p_direct_id_actree_2s_no_na.py new file mode 100644 index 00000000..c3994544 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/raw/p_direct_id_actree_2s_no_na.py @@ -0,0 +1,81 @@ +prompt = { + "intro": """You are an autonomous intelligent agent tasked with navigating a web browser. You will be given web-based tasks. These tasks will be accomplished through the use of specific actions you can issue. + +Here's the information you'll have: +The user's objective: This is the task you're trying to complete. +The current web page's accessibility tree: This is a simplified representation of the webpage, providing key information. +The current web page's URL: This is the page you're currently navigating. +The open tabs: These are the tabs you have open. +The previous action: This is the action you just performed. It may be helpful to track your progress. + +The actions you can perform fall into several categories: + +Page Operation Actions: +`click [id]`: This action clicks on an element with a specific id on the webpage. +`type [id] [content] [press_enter_after=0|1]`: Use this to type the content into the field with id. By default, the "Enter" key is pressed after typing unless press_enter_after is set to 0. +`hover [id]`: Hover over an element with id. +`press [key_comb]`: Simulates the pressing of a key combination on the keyboard (e.g., Ctrl+v). +`scroll [direction=down|up]`: Scroll the page up or down. + +Tab Management Actions: +`new_tab`: Open a new, empty browser tab. +`tab_focus [tab_index]`: Switch the browser's focus to a specific tab using its index. +`close_tab`: Close the currently active tab. + +URL Navigation Actions: +`goto [url]`: Navigate to a specific URL. +`go_back`: Navigate to the previously viewed page. +`go_forward`: Navigate to the next page (if a previous 'go_back' action was performed). + +Completion Action: +`stop [answer]`: Issue this action when you believe the task is complete. If the objective is to find a text-based answer, provide the answer in the bracket. + +Homepage: +If you want to visit other websites, check out the homepage at http://homepage.com. It has a list of websites you can visit. +http://homepage.com/password.html lists all the account name and password for the websites. You can use them to log in to the websites. + +To be successful, it is very important to follow the following rules: +1. You should only issue an action that is valid given the current observation +2. You should only issue one action at a time. +4. Generate the action in the correct format, wrap the action inside ``````. For example, ```click [1234]```". +5. Issue stop action when you think you have achieved the objective.""", + "examples": [ + ( + """OBSERVATION: +[1744] link 'HP CB782A#ABA 640 Inkjet Fax Machine (Renewed)' + [1749] StaticText '$279.49' + [1757] button 'Add to Cart' + [1760] button 'Add to Wish List' + [1761] button 'Add to Compare' +URL: http://onestopmarket.com/office-products/office-electronics.html +OBJECTIVE: What is the price of HP Inkjet Fax Machine +PREVIOUS ACTION: None""", + "```stop [$279.49]```", + ), + ( + """OBSERVATION: +[164] textbox 'Search' focused: True required: False +[171] button 'Go' +[174] link 'Find directions between two points' +[212] heading 'Search Results' +[216] button 'Close' +URL: http://openstreetmap.org +OBJECTIVE: Show me the restaurants near CMU +PREVIOUS ACTION: None""", + "```type [164] [restaurants near CMU] [1]```", + ), + ], + "template": """OBSERVATION: +{observation} +URL: {url} +OBJECTIVE: {objective} +PREVIOUS ACTION: {previous_action}""", + "meta_data": { + "observation": "accessibility_tree", + "action_type": "id_accessibility_tree", + "keywords": ["url", "objective", "observation", "previous_action"], + "prompt_constructor": "CoTPromptConstructor", + "answer_phrase": "In summary, the next action I will perform is", + "action_splitter": "```" + }, +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/raw/p_direct_id_actree_3s_llama.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/raw/p_direct_id_actree_3s_llama.py new file mode 100644 index 00000000..6278d2bc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/raw/p_direct_id_actree_3s_llama.py @@ -0,0 +1,83 @@ +prompt = { + "intro": """You are an autonomous intelligent agent tasked with navigating a web browser. The actions you can perform fall into several categories: + +Page Operation Actions: +`click [id]`: This action clicks on an element with a specific id on the webpage. +`type [id] [content] [press_enter_after=0|1]`: Use this to type the content into the field with id. By default, the "Enter" key is pressed after typing unless press_enter_after is set to 0. +`hover [id]`: Hover over an element with id. +`press [key_comb]`: Simulates the pressing of a key combination on the keyboard (e.g., Ctrl+v). +`scroll [direction=down|up]`: Scroll the page up or down. + +Tab Management Actions: +`new_tab`: Open a new, empty browser tab. +`tab_focus [tab_index]`: Switch the browser's focus to a specific tab using its index. +`close_tab`: Close the currently active tab. + +URL Navigation Actions: +`goto [url]`: Navigate to a specific URL. +`go_back`: Navigate to the previously viewed page. +`go_forward`: Navigate to the next page (if a previous 'go_back' action was performed). + +Completion Action: +`stop [answer]`: Issue this action when you believe the task is complete. If the objective is to find a text-based answer, provide the answer in the bracket. + +Homepage: +If you want to visit other websites, check out the homepage at http://homepage.com. It has a list of websites you can visit. + +You can only issue one action at a time""", + + "examples": [ + ( + """Observation: +[1744] link 'HP CB782A#ABA 640 Inkjet Fax Machine (Renewed)' + [1749] StaticText '$279.49' + [1757] button 'Add to Cart' + [1760] button 'Add to Wish List' + [1761] button 'Add to Compare' +URL: http://onestopmarket.com/office-products/office-electronics.html +Objective: What is the price of HP Inkjet Fax Machine +Previous action: None""", + "```stop [$279.49]```", + ), + ( + """Observation: +[164] textbox 'Search' focused: True required: False +[171] button 'Go' +[174] link 'Find directions between two points' +[212] heading 'Search Results' +[216] button 'Close' +URL: http://openstreetmap.org +Objective: Show me the restaurants near CMU +Previous action: None""", + "```type [164] [restaurants near CMU] [1]```", + ), + ( + """Observation: +[2036] button 'Sort by: New' hasPopup: menu expanded: False + [587] link 'US Marine’s adoption of Afghan war orphan voided' + [989] time 'March 30, 2023 at 15:03:48 AM UTC' + [602] link 'York student uses AI chatbot to get parking fine revoked' + [1025] time 'March 15, 2023 at 7:48:34 AM UTC' + [617] link 'Loveland parents furious after teachers leave, communication lagged during school threat investigation' + [1025] time 'March 2, 2023 at 3:46:01 AM UTC' +URL: http://reddit.com/f/news/new +Objective: Open the most recent post that was published prior to March 1st. +Previous action: None""", + "```scroll [down]```", + ) + ], + "template": """Observation: +{observation} +URL: {url} +Objective: {objective} +Previous action: {previous_action}""", + "meta_data": { + "observation": "accessibility_tree", + "action_type": "id_accessibility_tree", + "keywords": ["url", "objective", "observation", "previous_action"], + "prompt_constructor": "DirectPromptConstructor", + "answer_phrase": "In summary, the next action I will perform is", + "action_splitter": "```", + "force_prefix": "```" + }, +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/to_json.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/to_json.py new file mode 100644 index 00000000..efb283c4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/agent/prompts/to_json.py @@ -0,0 +1,26 @@ +import glob +import importlib +import json +import os + + +# use the current directory as the root +def run() -> None: + """Convert all python files in agent/prompts to json files in agent/prompts/jsons + + Python files are easiser to edit + """ + for p_file in glob.glob(f"agent/prompts/raw/*.py"): + # import the file as a module + base_name = os.path.basename(p_file).replace(".py", "") + module = importlib.import_module(f"agent.prompts.raw.{base_name}") + prompt = module.prompt + # save the prompt as a json file + os.makedirs("agent/prompts/jsons", exist_ok=True) + with open(f"agent/prompts/jsons/{base_name}.json", "w+") as f: + json.dump(prompt, f, indent=2) + print(f"Done convert python files to json") + + +if __name__ == "__main__": + run() diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/__init__.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/__init__.py new file mode 100644 index 00000000..90ecdbe0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/__init__.py @@ -0,0 +1,76 @@ +import asyncio + +from .actions import ( + Action, + ActionParsingError, + ActionTypes, + action2create_function, + action2str, + create_check_action, + create_click_action, + create_focus_and_click_action, + create_focus_and_type_action, + create_go_back_action, + create_go_forward_action, + create_goto_url_action, + create_hover_action, + create_id_based_action, + create_key_press_action, + create_keyboard_type_action, + create_mouse_click_action, + create_mouse_hover_action, + create_new_tab_action, + create_none_action, + create_page_close_action, + create_page_focus_action, + create_playwright_action, + create_random_action, + create_scroll_action, + create_select_option_action, + create_stop_action, + create_type_action, + is_equivalent, +) +from .async_envs import AsyncScriptBrowserEnv +from .envs import ScriptBrowserEnv +from .processors import ObservationMetadata +from .trajectory import Trajectory +from .utils import DetachedPage, StateInfo + +__all__ = [ + "ScriptBrowserEnv", + "AsyncScriptBrowserEnv", + "DetachedPage", + "StateInfo", + "ObservationMetadata", + "Action", + "ActionTypes", + "action2str", + "create_random_action", + "create_focus_and_click_action", + "create_focus_and_type_action", + "is_equivalent", + "create_mouse_click_action", + "create_mouse_hover_action", + "create_none_action", + "create_keyboard_type_action", + "create_page_focus_action", + "create_new_tab_action", + "create_go_back_action", + "create_go_forward_action", + "create_goto_url_action", + "create_page_close_action", + "action2create_function", + "create_playwright_action", + "create_id_based_action", + "create_scroll_action", + "create_key_press_action", + "create_check_action", + "create_click_action", + "create_type_action", + "create_hover_action", + "create_select_option_action", + "create_stop_action", + "ActionParsingError", + "Trajectory", +] diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/actions.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/actions.py new file mode 100644 index 00000000..04ed3550 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/actions.py @@ -0,0 +1,1584 @@ +""" +Browser Env action space. +Inspited by Farama-Foundation/miniwob-plusplus +""" +import ast +import random +import re +import string +from enum import IntEnum +from itertools import chain +from typing import Any, TypedDict, Union, cast + +import numpy as np +import numpy.typing as npt +from beartype import beartype +from gymnasium import spaces +from playwright._impl._api_structures import ViewportSize +from playwright.async_api import BrowserContext as ABrowserContext +from playwright.async_api import Locator as ALocator +from playwright.async_api import Page as APage +from playwright.sync_api import BrowserContext, Locator, Page + +from browser_env.constants import ( + ASCII_CHARSET, + FREQ_UNICODE_CHARSET, + MAX_ANSWER_LENGTH, + MAX_ELEMENT_ID, + MAX_ELEMENT_INDEX_IN_VIEWPORT, + MAX_PAGE_NUMBER, + MAX_VANILLA_STR_LENGTH, + PLAYWRIGHT_ACTIONS, + PLAYWRIGHT_LOCATORS, + ROLES, + SPECIAL_KEY_MAPPINGS, + SPECIAL_KEYS, + SPECIAL_LOCATORS, + TEXT_MAX_LENGTH, + TYPING_MAX_LENGTH, + URL_MAX_LENGTH, + RolesType, +) +from browser_env.processors import ObservationProcessor + + +class ParsedPlaywrightCode(TypedDict): + function_name: str + arguments: list[str] + keywords: dict[str, Any] + + +from browser_env.processors import ( + ObservationProcessor, + TextObervationProcessor, +) + + +def is_in_viewport( + element: Locator, viewport: ViewportSize, threshold: float = 0.3 +) -> bool: + """Given a playwright locator, check if it is in the viewport""" + box = element.bounding_box() + assert box is not None + boxx0 = box["x"] + boxx1 = box["x"] + box["width"] + boxy0 = box["y"] + boxy1 = box["y"] + box["height"] + viewportx0, viewporty0 = 0, 0 + viewportx1, viewporty1 = viewport["width"], viewport["height"] + inter = max(0, min(boxx1, viewportx1) - max(boxx0, viewportx0)) * max( + 0, min(boxy1, viewporty1) - max(boxy0, viewporty0) + ) + ratio = inter / (box["width"] * box["height"]) + return ratio > threshold + + +async def async_is_in_viewport( + element: ALocator, viewport: ViewportSize, threshold: float = 0.3 +) -> bool: + box = await element.bounding_box() + assert box is not None + boxx0 = box["x"] + boxx1 = box["x"] + box["width"] + boxy0 = box["y"] + boxy1 = box["y"] + box["height"] + viewportx0, viewporty0 = 0, 0 + viewportx1, viewporty1 = viewport["width"], viewport["height"] + inter = max(0, min(boxx1, viewportx1) - max(boxx0, viewportx0)) * max( + 0, min(boxy1, viewporty1) - max(boxy0, viewporty0) + ) + ratio = inter / (box["width"] * box["height"]) + return ratio > threshold + + +class Action(TypedDict): + action_type: int + coords: npt.NDArray[np.float32] + element_role: int + element_name: str + text: list[int] + page_number: int + url: str + nth: int + element_id: str + direction: str + key_comb: str + pw_code: str + answer: str + raw_prediction: str # raw prediction from the model + + +@beartype +def action2str( + action: Action, action_set_tag: str, semantic_element: str = "" +) -> str: + """Return the string representation of an action + + sementic_element: the semantic information of the element + such as a line in an accessibility tree + """ + if action_set_tag == "id_accessibility_tree": + element_id = action["element_id"] + match action["action_type"]: + case ActionTypes.CLICK: + # [ID=X] xxxxx + action_str = f"click [{element_id}] where [{element_id}] is {semantic_element}" + case ActionTypes.TYPE: + text = "".join([_id2key[i] for i in action["text"]]) + text = text.replace("\n", " ") + action_str = f"type [{element_id}] [{text}] where [{element_id}] is {semantic_element}" + case ActionTypes.HOVER: + action_str = f"hover [{element_id}] where [{element_id}] is {semantic_element}" + case ActionTypes.SCROLL: + action_str = f"scroll [{action['direction']}]" + case ActionTypes.KEY_PRESS: + action_str = f"press [{action['key_comb']}]" + case ActionTypes.GOTO_URL: + action_str = f"goto [{action['url']}]" + case ActionTypes.NEW_TAB: + action_str = "new_tab" + case ActionTypes.PAGE_CLOSE: + action_str = "close_tab" + case ActionTypes.GO_BACK: + action_str = "go_back" + case ActionTypes.GO_FORWARD: + action_str = "go_forward" + case ActionTypes.PAGE_FOCUS: + action_str = f"page_focus [{action['page_number']}]" + case ActionTypes.STOP: + action_str = f"stop [{action['answer']}]" + case ActionTypes.NONE: + action_str = "none" + case _: + raise ValueError( + f"Unknown action type {action['action_type']}" + ) + else: + raise NotImplementedError(f"Unknown action set tag {action_set_tag}") + + return action_str + + +@beartype +def action2create_function(action: Action) -> str: + match (action["action_type"]): + case ActionTypes.NONE: + return "create_none_action()" + # mouse wheel and keyboard action + case ActionTypes.SCROLL: + direction = "up" if "up" in action["direction"] else "down" + return f"create_scroll_action({repr(direction)})" + case ActionTypes.KEY_PRESS: + return f"create_key_press_action({repr(action['key_comb'])})" + # inter-page actions + case ActionTypes.PAGE_FOCUS: + return f"create_page_focus_action({action['page_number']})" + case ActionTypes.NEW_TAB: + return "create_new_tab_action()" + case ActionTypes.GO_BACK: + return "create_go_back_action()" + case ActionTypes.GO_FORWARD: + return "create_go_forward_action()" + case ActionTypes.GOTO_URL: + return f"create_goto_url_action({repr(action['url'])})" + case ActionTypes.PAGE_CLOSE: + return "create_page_close_action()" + + # low-level keyboard and mouse actions + case ActionTypes.MOUSE_CLICK: + return f"create_mouse_click_action({action['coords'][0]}, {action['coords'][1]})" + case ActionTypes.MOUSE_HOVER: + return f"create_mouse_hover_action({action['coords'][0]}, {action['coords'][1]})" + case ActionTypes.KEYBOARD_TYPE: + return f"create_keyboard_type_action({list(map(lambda x: _id2key[x], action['text']))})" + + # mid-level keyboard and mouse actions + case ActionTypes.CLICK: + args = [] + args.append(f"element_id={repr(action['element_id'])}") + args.append( + f"element_role={repr(_id2role[action['element_role']])}" + ) + args.append(f"element_name={repr(action['element_name'])}") + args.append(f"pw_code={repr(action['pw_code'])}") + args_str = ", ".join(args) + return f"create_click_action({args_str})" + case ActionTypes.HOVER: + args = [] + args.append(f"element_id={repr(action['element_id'])}") + args.append( + f"element_role={repr(_id2role[action['element_role']])}" + ) + args.append(f"element_name={repr(action['element_name'])}") + args.append(f"pw_code={repr(action['pw_code'])}") + args_str = ", ".join(args) + return f"create_hover_action({args_str})" + case ActionTypes.TYPE: + args = [] + text = "".join(map(lambda x: _id2key[x], action["text"])) + args.append(f"text={repr(text)}") + args.append(f"element_id={repr(action['element_id'])}") + args.append( + f"element_role={repr(_id2role[action['element_role']])}" + ) + args.append(f"element_name={repr(action['element_name'])}") + args.append(f"pw_code={repr(action['pw_code'])}") + args_str = ", ".join(args) + return f"create_type_action({args_str})" + + # high-level actions, only support locators from playwright + case ActionTypes.CHECK: + return f"create_check_action(pw_code={repr(action['pw_code'])})" + case ActionTypes.SELECT_OPTION: + return f"create_select_option_action(pw_code={repr(action['pw_code'])})" + case ActionTypes.STOP: + return f'create_stop_action({repr(action["answer"])})' + + raise ValueError(f"Invalid action type: {action['action_type']}") + + +class ActionTypes(IntEnum): + """Valid action types for browser env.""" + + NONE = 0 + # mouse wheel and keyboard, universal across all action spaces + SCROLL = 1 + KEY_PRESS = 2 + + # low level mouse and keyboard actions + MOUSE_CLICK = 3 + KEYBOARD_TYPE = 4 + MOUSE_HOVER = 5 + + # mid level mouse and keyboard actions + CLICK = 6 + TYPE = 7 + HOVER = 8 + + # page level actions, universal across all action spaces + PAGE_FOCUS = 9 + NEW_TAB = 10 + GO_BACK = 11 + GO_FORWARD = 12 + GOTO_URL = 13 + PAGE_CLOSE = 14 + + # high-leval actions that playwright support + CHECK = 15 + SELECT_OPTION = 16 + + STOP = 17 + + def __str__(self) -> str: + return f"ACTION_TYPES.{self.name}" + + +@beartype +def is_equivalent(a: Action, b: Action) -> bool: + """Return True if two actions are equal.""" + if a["action_type"] != b["action_type"]: + return False + match (a["action_type"]): + case ActionTypes.NONE: + return True + case ActionTypes.SCROLL: + da = "up" if "up" in a["direction"] else "down" + db = "up" if "up" in b["direction"] else "down" + return da == db + case ActionTypes.KEY_PRESS: + return a["key_comb"] == b["key_comb"] + case ActionTypes.MOUSE_CLICK | ActionTypes.MOUSE_HOVER: + return np.allclose(a["coords"], b["coords"]) + case ActionTypes.KEYBOARD_TYPE: + return a["text"] == b["text"] + case ActionTypes.CLICK | ActionTypes.HOVER | ActionTypes.TYPE: # TODO: can be further optimized + if a["element_id"] and b["element_id"]: + return a["element_id"] == b["element_id"] + elif a["element_role"] and b["element_role"]: + return ( + a["element_role"] == b["element_role"] + and a["element_name"] == b["element_name"] + ) + elif a["pw_code"] and b["pw_code"]: + return a["pw_code"] == b["pw_code"] + else: + return False + case ActionTypes.PAGE_FOCUS: + return a["page_number"] == b["page_number"] + case ActionTypes.NEW_TAB: + return True + case ActionTypes.GO_BACK: + return True + case ActionTypes.GO_FORWARD: + return True + case ActionTypes.GOTO_URL: + return a["url"] == b["url"] + case ActionTypes.PAGE_CLOSE: + return True + case ActionTypes.CHECK | ActionTypes.SELECT_OPTION: + return a["pw_code"] == b["pw_code"] + case ActionTypes.STOP: + return a["answer"] == b["answer"] + case _: + raise ValueError(f"Unknown action type: {a['action_type']}") + + +_key2id: dict[str, int] = { + key: i + for i, key in enumerate( + chain(SPECIAL_KEYS, ASCII_CHARSET, FREQ_UNICODE_CHARSET, ["\n"]) + ) +} +_id2key: list[str] = sorted(_key2id, key=_key2id.get) # type: ignore[arg-type] +_role2id: dict[RolesType, int] = { + cast(RolesType, role): i + for i, role in enumerate(chain(ROLES, SPECIAL_LOCATORS)) +} +_id2role: list[RolesType] = sorted(_role2id, key=_role2id.get) # type: ignore[arg-type] + + +def _keys2ids(keys: list[int | str] | str) -> list[int]: + return list( + map( + lambda key: _key2id[str(key)] + if isinstance(key, str) + else int(key), + keys, + ) + ) + + +@beartype +def get_action_space() -> spaces.Dict: + """Return the space of serialized actions.""" + space = spaces.Dict( + { + "action_type": spaces.Discrete(len(ActionTypes)), + # coords (left, top) is used for COORD_CLICK + "coords": spaces.Box( + np.array([0.0, 0.0], dtype=np.float32), + np.array([1.0, 1.0], dtype=np.float32), + ), + # element role is used for FOCUS_AND_CLICK and FOCUS_AND_TYPE + "element_role": spaces.Discrete( + len(ROLES) + len(SPECIAL_LOCATORS) + ), + # element name is used with element role + "element_name": spaces.Text(TEXT_MAX_LENGTH), + "element_id": spaces.Text(TEXT_MAX_LENGTH), + # text is only used for TYPE and FOCUS_AND_TYPE + "text": spaces.MultiDiscrete( + [ + len(ASCII_CHARSET) + + len(SPECIAL_KEYS) + + len(FREQ_UNICODE_CHARSET) + ] + * TYPING_MAX_LENGTH + ), + "page_number": spaces.Discrete(MAX_PAGE_NUMBER), + "url": spaces.Text(URL_MAX_LENGTH), + "nth": spaces.Discrete(MAX_ELEMENT_INDEX_IN_VIEWPORT), + "key_comb": spaces.Text(MAX_VANILLA_STR_LENGTH), + "direction": spaces.Text(MAX_VANILLA_STR_LENGTH), + "pw_code": spaces.Text(MAX_VANILLA_STR_LENGTH), + "answer": spaces.Text(MAX_ANSWER_LENGTH), + } + ) + return space + + +@beartype +def create_random_action() -> Action: + """Return a random action.""" + return { + "action_type": np.random.randint(len(ActionTypes)), + "coords": np.random.rand(2).astype(np.float32), + "element_role": np.random.randint(len(ROLES) + len(SPECIAL_LOCATORS)), + "element_name": "".join( + random.choices(ASCII_CHARSET, k=np.random.randint(TEXT_MAX_LENGTH)) + ), + "text": list( + random.choices( + list(range(len(ASCII_CHARSET))), + k=np.random.randint(TYPING_MAX_LENGTH), + ) + ), + "page_number": np.random.randint(MAX_PAGE_NUMBER), + "url": "".join( + random.choices(ASCII_CHARSET, k=np.random.randint(URL_MAX_LENGTH)) + ), + "nth": np.random.randint(MAX_ELEMENT_INDEX_IN_VIEWPORT), + "element_id": str(np.random.randint(MAX_ELEMENT_ID)), + "key_comb": "+".join( + random.choices(SPECIAL_KEYS, k=np.random.randint(3)) + ), + "direction": random.choice(["up", "down"]), + "pw_code": "".join( + random.choices( + string.ascii_uppercase + string.digits, + k=np.random.randint(MAX_VANILLA_STR_LENGTH), + ) + ), + "answer": str(np.random.randint(MAX_ANSWER_LENGTH)), + "raw_prediction": str(np.random.randint(MAX_ANSWER_LENGTH)), + } + + +@beartype +def create_none_action() -> Action: + """Return a valid action object that does nothing.""" + return { + "action_type": ActionTypes.NONE, + "coords": np.zeros(2, dtype=np.float32), + "element_role": 0, + "element_name": "", + "text": [], + "page_number": 0, + "url": "", + "nth": 0, + "pw_code": "", # str that requires further processing + "element_id": "", + "key_comb": "", + "direction": "", + "answer": "", + "raw_prediction": "", + } + + +@beartype +def create_stop_action(answer: str) -> Action: + action = create_none_action() + action.update({"action_type": ActionTypes.STOP, "answer": answer}) + return action + + +@beartype +def create_scroll_action(direction: str) -> Action: + """Return the playwright action""" + assert direction in ["up", "down"] + action = create_none_action() + action.update( + { + "action_type": ActionTypes.SCROLL, + "direction": direction, + } + ) + return action + + +@beartype +def create_mouse_hover_action( + left: float | None = None, top: float | None = None +) -> Action: + """Return a valid action object with type COORD_CLICK.""" + action = create_none_action() + action.update( + { + "action_type": ActionTypes.MOUSE_HOVER, + "coords": np.array([left, top], dtype=np.float32), + } + ) + return action + + +@beartype +def create_key_press_action(key_comb: str) -> Action: + """Return the key press action""" + + def map_keys(key_comb: str) -> str: + keys = key_comb.split("+") + mapped_keys = [] + for key in keys: + mapped_key = SPECIAL_KEY_MAPPINGS.get(key.lower(), key) + mapped_keys.append(mapped_key) + return "+".join(mapped_keys) + + action = create_none_action() + mapped_key_comb = map_keys(key_comb) + action.update( + { + "action_type": ActionTypes.KEY_PRESS, + "key_comb": mapped_key_comb, + } + ) + return action + + +@beartype +def create_page_focus_action(page_number: int) -> Action: + """Return a valid action object with type PAGE_FOCUS.""" + action = create_none_action() + action.update( + { + "action_type": ActionTypes.PAGE_FOCUS, + "page_number": page_number, + } + ) + return action + + +@beartype +def create_new_tab_action() -> Action: + """Return a valid action object with type NEW_TAB.""" + action = create_none_action() + action.update( + { + "action_type": ActionTypes.NEW_TAB, + } + ) + return action + + +@beartype +def create_go_back_action() -> Action: + """Return a valid action object with type GO_BACK.""" + action = create_none_action() + action.update( + { + "action_type": ActionTypes.GO_BACK, + } + ) + return action + + +@beartype +def create_go_forward_action() -> Action: + """Return a valid action object with type GO_FORWARD.""" + action = create_none_action() + action.update( + { + "action_type": ActionTypes.GO_FORWARD, + } + ) + return action + + +@beartype +def create_goto_url_action(url: str) -> Action: + """Return a valid action object with type GOTO_URL.""" + action = create_none_action() + action.update( + { + "action_type": ActionTypes.GOTO_URL, + "url": url, + } + ) + return action + + +@beartype +def create_page_close_action() -> Action: + """Return a valid action object with type PAGE_CLOSE.""" + action = create_none_action() + action.update( + { + "action_type": ActionTypes.PAGE_CLOSE, + } + ) + return action + + +@beartype +def create_mouse_click_action( + left: float | None = None, top: float | None = None +) -> Action: + """Return a valid action object with type COORD_CLICK.""" + action = create_none_action() + if left and top: + action.update( + { + "action_type": ActionTypes.MOUSE_CLICK, + "coords": np.array([left, top], dtype=np.float32), + } + ) + elif (not left) and (not top): + action.update( + { + "action_type": ActionTypes.CLICK, + } + ) + else: + raise ValueError("left and top must be both None or both not None") + return action + + +@beartype +def create_keyboard_type_action(keys: list[int | str] | str) -> Action: + """Return a valid action object with type TYPE.""" + action = create_none_action() + action.update( + { + "action_type": ActionTypes.KEYBOARD_TYPE, + "text": _keys2ids(keys), + } + ) + return action + + +@beartype +def create_click_action( + element_id: str = "", + element_role: RolesType = "link", + element_name: str = "", + pw_code: str = "", + nth: int = 0, +) -> Action: + action = create_none_action() + action.update( + { + "action_type": ActionTypes.CLICK, + "element_id": element_id, + "element_role": _role2id[element_role], + "element_name": element_name, + "nth": nth, + "pw_code": pw_code, + } + ) + return action + + +@beartype +def create_hover_action( + element_id: str = "", + element_role: RolesType = "link", + element_name: str = "", + pw_code: str = "", + nth: int = 0, +) -> Action: + action = create_none_action() + action.update( + { + "action_type": ActionTypes.HOVER, + "element_id": element_id, + "element_role": _role2id[element_role], + "element_name": element_name, + "nth": nth, + "pw_code": pw_code, + } + ) + return action + + +@beartype +def create_type_action( + text: str, + element_id: str = "", + element_role: RolesType = "link", + element_name: str = "", + pw_code: str = "", + nth: int = 0, +) -> Action: + action = create_none_action() + action.update( + { + "action_type": ActionTypes.TYPE, + "element_id": element_id, + "element_role": _role2id[element_role], + "element_name": element_name, + "nth": nth, + "text": _keys2ids(text), + "pw_code": pw_code, + } + ) + return action + + +@beartype +def create_check_action(pw_code: str) -> Action: + action = create_none_action() + action.update( + { + "action_type": ActionTypes.CHECK, + "pw_code": pw_code, + } + ) + return action + + +def create_select_option_action( + pw_code: str, +) -> Action: + action = create_none_action() + action.update( + { + "action_type": ActionTypes.SELECT_OPTION, + "pw_code": pw_code, + } + ) + return action + + +@beartype +def create_focus_action( + element_role: RolesType, element_name: str = "", nth: int = 0 +) -> Action: + """Return a valid action object with type CLICK. + + Keep compatible with the old version.""" + action = create_none_action() + action.update( + { + "action_type": ActionTypes.CLICK, + "element_role": _role2id[element_role], + "element_name": element_name, + "nth": nth, + } + ) + return action + + +@beartype +def create_focus_and_click_action( + element_role: RolesType, element_name: str = "", nth: int = 0 +) -> Action: + """Return a valid action object with type CLICK. + + Keep compatible with the old version.""" + + action = create_none_action() + action.update( + { + "action_type": ActionTypes.CLICK, + "element_role": _role2id[element_role], + "element_name": element_name, + "nth": nth, + } + ) + return action + + +@beartype +def create_focus_and_type_action( + keys: list[int | str] | str, + element_role: RolesType, + element_name: str = "", + nth: int = 0, +) -> Action: + """Return a valid action object with type TYPE. + + Keep compatible with the old version.""" + action = create_none_action() + action.update( + { + "action_type": ActionTypes.TYPE, + "element_role": _role2id[element_role], + "element_name": element_name, + "text": _keys2ids(keys), + "nth": nth, + } + ) + return action + + +def execute_scroll(direction: str, page: Page) -> None: + # perform the action + # code from natbot + if direction == "up": + page.evaluate( + "(document.scrollingElement || document.body).scrollTop = (document.scrollingElement || document.body).scrollTop - window.innerHeight;" + ) + elif direction == "down": + page.evaluate( + "(document.scrollingElement || document.body).scrollTop = (document.scrollingElement || document.body).scrollTop + window.innerHeight;" + ) + + +async def aexecute_scroll(direction: str, page: APage) -> None: + # perform the action + # code from natbot + if direction == "up": + await page.evaluate( + "(document.scrollingElement || document.body).scrollTop = (document.scrollingElement || document.body).scrollTop - window.innerHeight;" + ) + elif direction == "down": + await page.evaluate( + "(document.scrollingElement || document.body).scrollTop = (document.scrollingElement || document.body).scrollTop + window.innerHeight;" + ) + + +def execute_key_press(key: str, page: Page) -> None: + """Press a key.""" + if "Meta" in key and "Mac" not in page.evaluate("navigator.platform"): + key = key.replace("Meta", "Control") + page.keyboard.press(key) + + +async def aexecute_key_press(key: str, page: APage) -> None: + """Press a key.""" + if "Meta" in key and "Mac" not in await page.evaluate( + "navigator.platform" + ): + key = key.replace("Meta", "Control") + await page.keyboard.press(key) + + +def execute_mouse_hover(left: float, top: float, page: Page) -> None: + """Click at coordinates (left, top).""" + viewport_size = page.viewport_size + assert viewport_size + page.mouse.move( + left * viewport_size["width"], top * viewport_size["height"] + ) + + +async def aexecute_mouse_hover(left: float, top: float, page: APage) -> None: + """Click at coordinates (left, top).""" + viewport_size = page.viewport_size + assert viewport_size + await page.mouse.move( + left * viewport_size["width"], top * viewport_size["height"] + ) + + +def execute_mouse_click(left: float, top: float, page: Page) -> None: + """Click at coordinates (left, top).""" + viewport_size = page.viewport_size + assert viewport_size + page.mouse.click( + left * viewport_size["width"], top * viewport_size["height"] + ) + + +async def aexecute_mouse_click(left: float, top: float, page: APage) -> None: + """Click at coordinates (left, top).""" + viewport_size = page.viewport_size + assert viewport_size + await page.mouse.click( + left * viewport_size["width"], top * viewport_size["height"] + ) + + +def execute_keyboard_type(text: str, page: Page) -> None: + """Fill the focused element with text.""" + page.keyboard.type(text) + + +async def aexecute_keyboard_type(text: str, page: APage) -> None: + """Fill the focused element with text.""" + await page.keyboard.type(text) + + +def execute_click_current(page: Page) -> None: + """Click at the current mouse position.""" + locators = page.locator("*:focus") + if not locators.count(): + for frame in page.frames[1:]: + locators = frame.locator("*:focus") + if locators.count(): + break + locators.click() + + +async def aexecute_click_current(page: APage) -> None: + """Click at the current mouse position.""" + locators = page.locator("*:focus") + locator_count = await locators.count() + if not locator_count: + for frame in page.frames[1:]: + locators = frame.locator("*:focus") + locator_count = await locators.count() + if locator_count: + break + await locators.click() + await page.wait_for_load_state("load") + + +def execute_type(keys: list[int], page: Page) -> None: + """Send keystrokes to the focused element.""" + text = "".join([_id2key[key] for key in keys]) + page.keyboard.type(text) + + +async def aexecute_type(keys: list[int], page: APage) -> None: + """Send keystrokes to the focused element.""" + text = "".join([_id2key[key] for key in keys]) + await page.keyboard.type(text) + + +def execute_focus( + element_role: int, element_name: str, nth: int, page: Page +) -> None: + """Click the specified DOM element.""" + element_role_str = _id2role[element_role] + if page.viewport_size is None: + raise ValueError("Viewport size is not set for the current page") + element_location_list: list[tuple[Locator, float, float]] = [] + for frame in page.frames: + match element_role_str: + case "alt_text": + locators = frame.get_by_alt_text(element_name) + case "label": + locators = frame.get_by_label(element_name) + case "placeholder": + locators = frame.get_by_placeholder(element_name) + case _: + locators = frame.get_by_role( + role=element_role_str, name=element_name + ) + for locator_idx in range(locators.count()): + locator = locators.nth(locator_idx) + if is_in_viewport(locator, page.viewport_size): + bounding_box = locator.bounding_box() + assert bounding_box + element_location_list.append( + (locator, bounding_box["x"], bounding_box["y"]) + ) + if len(element_location_list) <= nth: + raise ValueError( + f"There are only {len(element_location_list)} elements found in viewport, but {nth + 1} is requested" + ) + element_location_list.sort(key=lambda x: (x[2], x[1])) # row major order + element_location_list[nth][0].focus() + + +async def aexecute_focus( + element_role: int, element_name: str, nth: int, page: APage +) -> None: + """Click the specified DOM element.""" + element_role_str = _id2role[element_role] + if page.viewport_size is None: + raise ValueError("Viewport size is not set for the current page") + element_location_list: list[tuple[ALocator, float, float]] = [] + for frame in page.frames: + match element_role_str: + case "alt_text": + locators = frame.get_by_alt_text(element_name) + case "label": + locators = frame.get_by_label(element_name) + case "placeholder": + locators = frame.get_by_placeholder(element_name) + case _: + locators = frame.get_by_role( + role=element_role_str, name=element_name + ) + for locator_idx in range(await locators.count()): + locator = locators.nth(locator_idx) + if await async_is_in_viewport(locator, page.viewport_size): + bounding_box = await locator.bounding_box() + assert bounding_box + element_location_list.append( + (locator, bounding_box["x"], bounding_box["y"]) + ) + if len(element_location_list) <= nth: + raise ValueError( + f"There are only {len(element_location_list)} elements found in viewport, but {nth + 1} is requested" + ) + element_location_list.sort(key=lambda x: (x[2], x[1])) # row major order + await element_location_list[nth][0].focus() + + +def locate(locator_calls: list[ParsedPlaywrightCode], page: Page) -> Locator: + locator = page + for call in locator_calls: + function_name = call["function_name"] + arguments = call["arguments"] + keywords = call["keywords"] + locator = getattr(locator, function_name)(*arguments, **keywords) + return locator # type: ignore[return-value] + + +async def alocate( + locator_calls: list[ParsedPlaywrightCode], page: APage +) -> ALocator: + locator = page + for call in locator_calls: + function_name = call["function_name"] + arguments = call["arguments"] + keywords = call["keywords"] + locator = await getattr(locator, function_name)(*arguments, **keywords) + return locator # type: ignore[return-value] + + +def execute_playwright_click( + locator_code: list[ParsedPlaywrightCode], + page: Page, + pw_action_args: list[str] = [], + pw_action_kwargs: dict[str, Any] = {}, +) -> None: + locator = locate(locator_code, page) + + # perform the action + locator.click(*pw_action_args, **pw_action_kwargs) + + +async def aexecute_playwright_click( + locator_code: list[ParsedPlaywrightCode], + page: APage, + pw_action_args: list[str] = [], + pw_action_kwargs: dict[str, Any] = {}, +) -> None: + locator = await alocate(locator_code, page) + + # perform the action + await locator.click(*pw_action_args, **pw_action_kwargs) + + +def execute_playwright_hover( + locator_code: list[ParsedPlaywrightCode], page: Page +) -> None: + locator = locate(locator_code, page) + + # perform the action + locator.hover() + + +async def aexecute_playwright_hover( + locator_code: list[ParsedPlaywrightCode], page: APage +) -> None: + locator = await alocate(locator_code, page) + + # perform the action + await locator.hover() + + +def execute_playwright_type( + text: str, + locator_code: list[ParsedPlaywrightCode], + page: Page, + pw_action_args: list[str] = [], + pw_action_kwargs: dict[str, Any] = {}, +) -> None: + locator = locate(locator_code, page) + # perform the action + pw_action_args = [text] + pw_action_args # text is the first argument + locator.type(*pw_action_args, **pw_action_kwargs) + + +async def aexecute_playwright_type( + text: str, + locator_code: list[ParsedPlaywrightCode], + page: APage, + pw_action_args: list[str] = [], + pw_action_kwargs: dict[str, Any] = {}, +) -> None: + locator = await alocate(locator_code, page) + # perform the action + pw_action_args = [text] + pw_action_args # text is the first argument + await locator.type(*pw_action_args, **pw_action_kwargs) + + +def execute_playwright_select_option( + locator_code: list[ParsedPlaywrightCode], + page: Page, + pw_action_args: list[str] = [], + pw_action_kwargs: dict[str, Any] = {}, +) -> None: + locator = locate(locator_code, page) + # perform the action + locator.select_option(*pw_action_args, **pw_action_kwargs) + + +async def aexecute_playwright_select_option( + locator_code: list[ParsedPlaywrightCode], + page: APage, + pw_action_args: list[str] = [], + pw_action_kwargs: dict[str, Any] = {}, +) -> None: + locator = await alocate(locator_code, page) + # perform the action + await locator.select_option(*pw_action_args, **pw_action_kwargs) + + +def execute_playwright_check( + locator_code: list[ParsedPlaywrightCode], page: Page +) -> None: + locator = locate(locator_code, page) + # perform the action + locator.check() + + +async def aexecute_playwright_check( + locator_code: list[ParsedPlaywrightCode], page: APage +) -> None: + locator = await alocate(locator_code, page) + # perform the action + await locator.check() + + +def execute_action( + action: Action, + page: Page, + browser_ctx: BrowserContext, + obseration_processor: ObservationProcessor, +) -> Page: + """Execute the action on the ChromeDriver.""" + action_type = action["action_type"] + match action_type: + case ActionTypes.NONE: + pass + + case ActionTypes.SCROLL: + direction = "up" if "up" in action["direction"] else "down" + execute_scroll(direction, page) + case ActionTypes.KEY_PRESS: + keys = action["key_comb"] + execute_key_press(keys, page) + + case ActionTypes.MOUSE_CLICK: + execute_mouse_click(action["coords"][0], action["coords"][1], page) + case ActionTypes.MOUSE_HOVER: + execute_mouse_hover(action["coords"][0], action["coords"][1], page) + case ActionTypes.KEYBOARD_TYPE: + execute_type(action["text"], page) + + case ActionTypes.CLICK: + # check each kind of locator in order + # TODO[shuyanzh]: order is temp now + if action["element_id"]: + element_id = action["element_id"] + element_center = obseration_processor.get_element_center(element_id) # type: ignore[attr-defined] + execute_mouse_click(element_center[0], element_center[1], page) + elif action["element_role"] and action["element_name"]: + element_role = int(action["element_role"]) + element_name = action["element_name"] + nth = action["nth"] + execute_focus(element_role, element_name, nth, page) + execute_click_current(page) + elif action["pw_code"]: + parsed_code = parse_playwright_code(action["pw_code"]) + locator_code = parsed_code[:-1] + # [shuyanzh], don't support action args and kwargs now + execute_playwright_click(locator_code=locator_code, page=page) + else: + raise ValueError("No proper locator found for click action") + case ActionTypes.HOVER: + if action["element_id"]: + element_id = action["element_id"] + element_center = obseration_processor.get_element_center(element_id) # type: ignore[attr-defined] + execute_mouse_hover(element_center[0], element_center[1], page) + elif action["element_role"] and action["element_name"]: + element_role = int(action["element_role"]) + element_name = action["element_name"] + nth = action["nth"] + execute_focus(element_role, element_name, nth, page) + elif action["pw_code"]: + parsed_code = parse_playwright_code(action["pw_code"]) + locator_code = parsed_code[:-1] + # [shuyanzh], don't support action args and kwargs now + execute_playwright_hover(locator_code=locator_code, page=page) + else: + raise NotImplementedError( + "No proper locator found for hover action" + ) + case ActionTypes.TYPE: + if action["element_id"]: + element_id = action["element_id"] + element_center = obseration_processor.get_element_center(element_id) # type: ignore[attr-defined] + execute_mouse_click(element_center[0], element_center[1], page) + execute_type(action["text"], page) + elif action["element_role"] and action["element_name"]: + element_role = int(action["element_role"]) + element_name = action["element_name"] + nth = action["nth"] + execute_focus(element_role, element_name, nth, page) + execute_type(action["text"], page) + elif action["pw_code"]: + parsed_code = parse_playwright_code(action["pw_code"]) + locator_code = parsed_code[:-1] + text = parsed_code[-1]["arguments"][0] + # [shuyanzh], don't support action args and kwargs now + execute_playwright_type( + text=text, locator_code=locator_code, page=page + ) + else: + raise NotImplementedError( + "No proper locator found for type action" + ) + + case ActionTypes.PAGE_FOCUS: + page = browser_ctx.pages[action["page_number"]] + page.bring_to_front() + case ActionTypes.NEW_TAB: + page = browser_ctx.new_page() + page.client = page.context.new_cdp_session(page) # type: ignore[attr-defined] + case ActionTypes.GO_BACK: + page.go_back() + case ActionTypes.GO_FORWARD: + page.go_forward() + case ActionTypes.GOTO_URL: + page.goto(action["url"]) + case ActionTypes.PAGE_CLOSE: + page.close() + if len(browser_ctx.pages) > 0: + page = browser_ctx.pages[-1] + else: + page = browser_ctx.new_page() + + case ActionTypes.SELECT_OPTION: + if action["pw_code"]: + parsed_code = parse_playwright_code(action["pw_code"]) + locator_code = parsed_code[:-1] + execute_playwright_select_option(locator_code, page) + else: + raise NotImplementedError( + "No proper locator found for select option action" + ) + case ActionTypes.CHECK: + if action["pw_code"]: + parsed_code = parse_playwright_code(action["pw_code"]) + locator_code = parsed_code[:-1] + execute_playwright_check(locator_code, page) + else: + raise NotImplementedError( + "No proper locator found for select option action" + ) + + case _: + raise ValueError(f"Unknown action type: {action_type}") + + return page + + +async def aexecute_action( + action: Action, page: APage, browser_ctx: ABrowserContext +) -> APage: + """Execute the async action on the ChromeDriver.""" + action_type = action["action_type"] + match action_type: + case ActionTypes.NONE: + pass + case ActionTypes.SCROLL: + direction = "up" if "up" in action["direction"] else "down" + await aexecute_scroll(direction, page) + case ActionTypes.KEY_PRESS: + keys = action["key_comb"] + await aexecute_key_press(keys, page) + + case ActionTypes.MOUSE_CLICK: + await aexecute_mouse_click( + action["coords"][0], action["coords"][1], page + ) + case ActionTypes.MOUSE_HOVER: + await aexecute_mouse_hover( + action["coords"][0], action["coords"][1], page + ) + case ActionTypes.KEYBOARD_TYPE: + await aexecute_type(action["text"], page) + + case ActionTypes.CLICK: + # check each kind of locator in order + # TODO[shuyanzh]: order is temp now + if action["element_id"]: + raise NotImplementedError + elif action["element_role"] and action["element_name"]: + element_role = int(action["element_role"]) + element_name = action["element_name"] + nth = action["nth"] + await aexecute_focus(element_role, element_name, nth, page) + await aexecute_click_current(page) + elif action["pw_code"]: + parsed_code = parse_playwright_code(action["pw_code"]) + locator_code = parsed_code[:-1] + # [shuyanzh], don't support action args and kwargs now + await aexecute_playwright_click( + locator_code=locator_code, page=page + ) + else: + raise ValueError("No proper locator found for click action") + case ActionTypes.HOVER: + if action["element_id"]: + raise NotImplementedError + elif action["element_role"] and action["element_name"]: + element_role = int(action["element_role"]) + element_name = action["element_name"] + nth = action["nth"] + await aexecute_focus(element_role, element_name, nth, page) + elif action["pw_code"]: + parsed_code = parse_playwright_code(action["pw_code"]) + locator_code = parsed_code[:-1] + # [shuyanzh], don't support action args and kwargs now + await aexecute_playwright_hover( + locator_code=locator_code, page=page + ) + else: + raise NotImplementedError( + "No proper locator found for hover action" + ) + case ActionTypes.TYPE: + if action["element_id"]: + raise NotImplementedError + elif action["element_role"] and action["element_name"]: + element_role = int(action["element_role"]) + element_name = action["element_name"] + nth = action["nth"] + await aexecute_focus(element_role, element_name, nth, page) + await aexecute_type(action["text"], page) + elif action["pw_code"]: + parsed_code = parse_playwright_code(action["pw_code"]) + locator_code = parsed_code[:-1] + text = parsed_code[-1]["arguments"][0] + # [shuyanzh], don't support action args and kwargs now + await aexecute_playwright_type( + text=text, locator_code=locator_code, page=page + ) + else: + raise NotImplementedError( + "No proper locator found for type action" + ) + + case ActionTypes.PAGE_FOCUS: + page = browser_ctx.pages[action["page_number"]] + await page.bring_to_front() + case ActionTypes.NEW_TAB: + page = await browser_ctx.new_page() + case ActionTypes.GO_BACK: + await page.go_back() + case ActionTypes.GO_FORWARD: + await page.go_forward() + case ActionTypes.GOTO_URL: + await page.goto(action["url"]) + case ActionTypes.PAGE_CLOSE: + await page.close() + if len(browser_ctx.pages) > 0: + page = browser_ctx.pages[-1] + else: + page = await browser_ctx.new_page() + + case ActionTypes.SELECT_OPTION: + if action["pw_code"]: + parsed_code = parse_playwright_code(action["pw_code"]) + locator_code = parsed_code[:-1] + await aexecute_playwright_select_option(locator_code, page) + else: + raise NotImplementedError( + "No proper locator found for select option action" + ) + case ActionTypes.CHECK: + if action["pw_code"]: + parsed_code = parse_playwright_code(action["pw_code"]) + locator_code = parsed_code[:-1] + await aexecute_playwright_check(locator_code, page) + else: + raise NotImplementedError( + "No proper locator found for select option action" + ) + + case _: + raise ValueError(f"Unknown action type: {action_type}") + + return page + + +def parse_playwright_code(code: str) -> list[ParsedPlaywrightCode]: + # extract function calls + if not code.startswith("page."): + raise ValueError( + f'Playwright action must start with "page.", but got {code}' + ) + + regex = r"\.(?![^\(\)]*\))" + chain = re.split(regex, code)[1:] + + parsed_chain = [] + + for item in chain: + tree = ast.parse(item) + funcs = [] + for node in ast.walk(tree): + if isinstance(node, ast.Call): + function_name = node.func.id # type: ignore[attr-defined] + arguments = [ + ast.literal_eval(arg) if isinstance(arg, ast.Str) else arg + for arg in node.args + ] + keywords = { + str(kw.arg): ast.literal_eval(kw.value) + for kw in node.keywords + } + funcs.append( + ParsedPlaywrightCode( + { + "function_name": function_name, + "arguments": arguments, + "keywords": keywords, + } + ) + ) + + if len(funcs) != 1: + raise ValueError(f"Fail to parse {item} in {code}") + + if ( + funcs[0]["function_name"] + not in PLAYWRIGHT_LOCATORS + PLAYWRIGHT_ACTIONS + ): + raise ValueError( + f"Invalid playwright code {item}, ", + f"the function needs to be one of {PLAYWRIGHT_LOCATORS + PLAYWRIGHT_ACTIONS}", + ) + + parsed_chain.append(funcs[0]) + + last_action = parsed_chain[-1] + if last_action["function_name"] not in PLAYWRIGHT_ACTIONS: + raise ValueError( + f"Invalid playwright action {last_action},", + f"the action needs to be one of {PLAYWRIGHT_ACTIONS}", + ) + + return parsed_chain + + +class ActionParsingError(Exception): + def __init__(self, message: str) -> None: + self.message = message + super().__init__(self.message) + + +@beartype +def create_playwright_action(playwright_code: str) -> Action: + """Main function to return individual playwright action""" + # get the last action + regex = r"\.(?![^\(\)]*\))" + action = re.split(regex, playwright_code)[-1].split("(")[0] + match action: + case "press": + p = r'press\((?:"|\')(.+?)(?:"|\')\)' + match = re.search(p, playwright_code) + if not match: + raise ActionParsingError( + f"Invalid press action, required to be page.press(KEY_COMB_STR)" + ) + key_comb = match.group(1) + return create_key_press_action(key_comb=key_comb) + case "scroll": + direction = "up" if "up" in playwright_code else "down" + return create_scroll_action(direction=direction) + case "click": + return create_click_action(pw_code=playwright_code) + case "hover": + return create_hover_action(pw_code=playwright_code) + case "type" | "fill": + p = r'type|fill\((?:"|\')(.+?)(?:"|\')\)' + match = re.search(p, playwright_code) + if not match: + raise ActionParsingError( + f"Invalid type/fill action, required to be page.type(TEXT)" + ) + text = match.group(1) + return create_type_action(text=text, pw_code=playwright_code) + case "select_option": + return create_select_option_action(pw_code=playwright_code) + case "check": + return create_check_action(pw_code=playwright_code) + case "goto": + p = r'goto\((?:"|\')(.+?)(?:"|\')\)' + match = re.search(p, playwright_code) + if not match: + raise ActionParsingError( + f"Invalid goto action, required to be page.goto(URL_STR)" + ) + url = match.group(1) + return create_goto_url_action(url) + case "page_focus": + # get the page number + p = r"page_focus\((\d+)\)" + match = re.search(p, playwright_code) + if not match: + raise ActionParsingError("page focus requires a page number") + page_num = int(match.group(1)) + return create_page_focus_action(page_num) + case "new_tab": + return create_new_tab_action() + case "go_back": + return create_go_back_action() + case "go_forward": + return create_go_forward_action() + case "page_close": + return create_page_close_action() + case "stop": # page.stop(answer) + p = r'stop\(?"(.+)?"\)' + match = re.search(p, playwright_code) + if not match: + answer = "" + else: + answer = match.group(1) + return create_stop_action(answer) + + raise ActionParsingError(f"Unknown playwright action {action}") + + +@beartype +def create_id_based_action(action_str: str) -> Action: + """Main function to return individual id based action""" + action_str = action_str.strip() + action = ( + action_str.split("[")[0].strip() + if "[" in action_str + else action_str.split()[0].strip() + ) + match action: + case "click": + match = re.search(r"click ?\[(\d+)\]", action_str) + if not match: + raise ActionParsingError(f"Invalid click action {action_str}") + element_id = match.group(1) + return create_click_action(element_id=element_id) + case "hover": + match = re.search(r"hover ?\[(\d+)\]", action_str) + if not match: + raise ActionParsingError(f"Invalid hover action {action_str}") + element_id = match.group(1) + return create_hover_action(element_id=element_id) + case "type": + # add default enter flag + if not (action_str.endswith("[0]") or action_str.endswith("[1]")): + action_str += " [1]" + + match = re.search( + r"type ?\[(\d+)\] ?\[(.+)\] ?\[(\d+)\]", action_str + ) + if not match: + raise ActionParsingError(f"Invalid type action {action_str}") + element_id, text, enter_flag = ( + match.group(1), + match.group(2), + match.group(3), + ) + if enter_flag == "1": + text += "\n" + return create_type_action(text=text, element_id=element_id) + case "press": + match = re.search(r"press ?\[(.+)\]", action_str) + if not match: + raise ActionParsingError(f"Invalid press action {action_str}") + key_comb = match.group(1) + return create_key_press_action(key_comb=key_comb) + case "scroll": + # up or down + match = re.search(r"scroll ?\[?(up|down)\]?", action_str) + if not match: + raise ActionParsingError(f"Invalid scroll action {action_str}") + direction = match.group(1) + return create_scroll_action(direction=direction) + case "goto": + match = re.search(r"goto ?\[(.+)\]", action_str) + if not match: + raise ActionParsingError(f"Invalid goto action {action_str}") + url = match.group(1) + return create_goto_url_action(url=url) + case "new_tab": + return create_new_tab_action() + case "go_back": + return create_go_back_action() + case "go_forward": + return create_go_forward_action() + case "tab_focus": + match = re.search(r"tab_focus ?\[(\d+)\]", action_str) + if not match: + raise ActionParsingError( + f"Invalid tab_focus action {action_str}" + ) + page_number = int(match.group(1)) + return create_page_focus_action(page_number) + case "close_tab": + return create_page_close_action() + case "stop": # stop answer + match = re.search(r"stop ?\[(.+)\]", action_str) + if not match: # some tasks don't require an answer + answer = "" + else: + answer = match.group(1) + return create_stop_action(answer) + + raise ActionParsingError(f"Invalid action {action_str}") diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/async_envs.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/async_envs.py new file mode 100644 index 00000000..29fb32f3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/async_envs.py @@ -0,0 +1,153 @@ +import asyncio +import json +from dataclasses import dataclass +from pathlib import Path + +import numpy as np +import numpy.typing as npt +from gymnasium import Env +from gymnasium.spaces import Box, Text +from playwright.async_api import Page, ViewportSize, async_playwright + +from .actions import Action, aexecute_action, get_action_space +from .utils import DetachedPage, png_bytes_to_numpy + + +class AsyncScriptBrowserEnv(Env[npt.NDArray[np.uint8], Action]): + """ + The goal of this environment is to produce a prototype of a browser environment. + In the end, we want to support a fully configurable browser environment with wide + range of action spaces and observation spaces, both structured and unstructured. + But in this prototype, we just support action space specified by Playwright script, + and observation space is the html content of the page. + """ + + def __init__( + self, + max_page_length: int = 2048, + headless: bool = True, + slow_mo: int = 0, + timeout: int = 30000, + viewport_size: ViewportSize = {"width": 1280, "height": 720}, + ): + self.observation_space = Box( + 0, + 255, + (viewport_size["height"], viewport_size["width"], 4), + np.uint8, + ) + # TODO: make Space[Action] = ActionSpace + self.action_space = get_action_space() # type: ignore[assignment] + self.headless = headless + self.slow_mo = slow_mo + self.reset_finished = False + self.timeout = timeout + self.viewport_size = viewport_size + + async def setup(self, config_file: Path | None = None) -> None: + self.context_manager = async_playwright() + self.playwright = await self.context_manager.__aenter__() + self.browser = await self.playwright.chromium.launch( + headless=self.headless, slow_mo=self.slow_mo + ) + if config_file: + with open(config_file, "r") as f: + instance_config = json.load(f) + else: + instance_config = {} + + storage_state = instance_config.get("storage_state", None) + start_url = instance_config.get("start_url", None) + geolocation = instance_config.get("geolocation", None) + + self.context = await self.browser.new_context( + viewport=self.viewport_size, + storage_state=storage_state, + geolocation=geolocation, + device_scale_factor=1, + ) + self.page = await self.context.new_page() + if start_url: + await self.page.goto(start_url) + + async def areset( + self, + *, + seed: int | None = None, + options: dict[str, str] | None = None, + ) -> tuple[npt.NDArray[np.uint8], dict[str, object]]: + """ + Reset the environment. + :param options: options for the environment. The options are: + - storage_state: the path to the storage state file + """ + super().reset(seed=seed, options=options) + if self.reset_finished: + await self.context_manager.__aexit__() + if options is not None and "config_file" in options: + config_file = Path(options["config_file"]) + if config_file.exists(): + await self.setup(config_file=config_file) + else: + raise ValueError(f"Config state {config_file} does not exist.") + else: + await self.setup() + self.reset_finished = True + content = await self.page.content() + screenshot = png_bytes_to_numpy(await self.page.screenshot()) + return ( + screenshot, + {"page": DetachedPage(self.page.url, content)}, + ) + + def reset( + self, + *, + seed: int | None = None, + options: dict[str, str] | None = None, + ) -> tuple[npt.NDArray[np.uint8], dict[str, object]]: + return asyncio.run(self.areset(seed=seed, options=options)) + + async def aclose(self) -> None: + if self.reset_finished: + await self.context_manager.__aexit__() + + def close(self) -> None: + asyncio.run(self.aclose()) + + async def astep( + self, action: Action + ) -> tuple[npt.NDArray[np.uint8], float, bool, bool, dict[str, object]]: + if not self.reset_finished: + raise RuntimeError("Call reset first before calling step.") + success = False + fail_error = "" + try: + self.page = await aexecute_action(action, self.page, self.context) + success = True + except Exception as e: + fail_error = str(e) + + try: + content = await self.page.content() + screenshot = png_bytes_to_numpy(await self.page.screenshot()) + except: + await self.page.wait_for_load_state("load") + content = await self.page.content() + screenshot = png_bytes_to_numpy(await self.page.screenshot()) + + return ( + screenshot, + float(success), + False, + False, + { + "page": DetachedPage(self.page.url, content), + "fail_error": fail_error, + }, + ) + + def step( + self, action: Action + ) -> tuple[npt.NDArray[np.uint8], float, bool, bool, dict[str, object]]: + return asyncio.run(self.astep(action), debug=True) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/auto_login.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/auto_login.py new file mode 100644 index 00000000..1354a217 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/auto_login.py @@ -0,0 +1,159 @@ +"""Script to automatically login each website""" +import argparse +import glob +import os +import time +from concurrent.futures import ThreadPoolExecutor +from itertools import combinations +from pathlib import Path + +from playwright.sync_api import sync_playwright + +from browser_env.env_config import ( + ACCOUNTS, + GITLAB, + REDDIT, + SHOPPING, + SHOPPING_ADMIN, +) + +HEADLESS = True +SLOW_MO = 0 + + +SITES = ["gitlab", "shopping", "shopping_admin", "reddit"] +URLS = [ + f"{GITLAB}/-/profile", + f"{SHOPPING}/wishlist/", + f"{SHOPPING_ADMIN}/dashboard", + f"{REDDIT}/user/{ACCOUNTS['reddit']['username']}/account", +] +EXACT_MATCH = [True, True, True, True] +KEYWORDS = ["", "", "Dashboard", "Delete"] + + +def is_expired( + storage_state: Path, url: str, keyword: str, url_exact: bool = True +) -> bool: + """Test whether the cookie is expired""" + if not storage_state.exists(): + return True + + context_manager = sync_playwright() + playwright = context_manager.__enter__() + browser = playwright.chromium.launch(headless=True, slow_mo=SLOW_MO) + context = browser.new_context(storage_state=storage_state) + page = context.new_page() + page.goto(url) + time.sleep(1) + d_url = page.url + content = page.content() + context_manager.__exit__() + if keyword: + return keyword not in content + else: + if url_exact: + return d_url != url + else: + return url not in d_url + + +def renew_comb(comb: list[str], auth_folder: str = "./.auth") -> None: + context_manager = sync_playwright() + playwright = context_manager.__enter__() + browser = playwright.chromium.launch(headless=HEADLESS) + context = browser.new_context() + page = context.new_page() + + if "shopping" in comb: + username = ACCOUNTS["shopping"]["username"] + password = ACCOUNTS["shopping"]["password"] + page.goto(f"{SHOPPING}/customer/account/login/") + page.get_by_label("Email", exact=True).fill(username) + page.get_by_label("Password", exact=True).fill(password) + page.get_by_role("button", name="Sign In").click() + + if "reddit" in comb: + username = ACCOUNTS["reddit"]["username"] + password = ACCOUNTS["reddit"]["password"] + page.goto(f"{REDDIT}/login") + page.get_by_label("Username").fill(username) + page.get_by_label("Password").fill(password) + page.get_by_role("button", name="Log in").click() + + if "shopping_admin" in comb: + username = ACCOUNTS["shopping_admin"]["username"] + password = ACCOUNTS["shopping_admin"]["password"] + page.goto(f"{SHOPPING_ADMIN}") + page.get_by_placeholder("user name").fill(username) + page.get_by_placeholder("password").fill(password) + page.get_by_role("button", name="Sign in").click() + + if "gitlab" in comb: + username = ACCOUNTS["gitlab"]["username"] + password = ACCOUNTS["gitlab"]["password"] + page.goto(f"{GITLAB}/users/sign_in") + page.get_by_test_id("username-field").click() + page.get_by_test_id("username-field").fill(username) + page.get_by_test_id("username-field").press("Tab") + page.get_by_test_id("password-field").fill(password) + page.get_by_test_id("sign-in-button").click() + + context.storage_state(path=f"{auth_folder}/{'.'.join(comb)}_state.json") + + context_manager.__exit__() + + +def get_site_comb_from_filepath(file_path: str) -> list[str]: + comb = os.path.basename(file_path).rsplit("_", 1)[0].split(".") + return comb + + +def main(auth_folder: str = "./.auth") -> None: + pairs = list(combinations(SITES, 2)) + + max_workers = 8 + with ThreadPoolExecutor(max_workers=max_workers) as executor: + for pair in pairs: + # TODO[shuyanzh] auth don't work on these two sites + if "reddit" in pair and ( + "shopping" in pair or "shopping_admin" in pair + ): + continue + executor.submit( + renew_comb, list(sorted(pair)), auth_folder=auth_folder + ) + + for site in SITES: + executor.submit(renew_comb, [site], auth_folder=auth_folder) + + futures = [] + cookie_files = list(glob.glob(f"{auth_folder}/*.json")) + with ThreadPoolExecutor(max_workers=max_workers) as executor: + for c_file in cookie_files: + comb = get_site_comb_from_filepath(c_file) + for cur_site in comb: + url = URLS[SITES.index(cur_site)] + keyword = KEYWORDS[SITES.index(cur_site)] + match = EXACT_MATCH[SITES.index(cur_site)] + future = executor.submit( + is_expired, Path(c_file), url, keyword, match + ) + futures.append(future) + + for i, future in enumerate(futures): + assert not future.result(), f"Cookie {cookie_files[i]} expired." + + +if __name__ == "__main__": + parser = argparse.ArgumentParser() + parser.add_argument("--site_list", nargs="+", default=[]) + parser.add_argument("--auth_folder", type=str, default="./.auth") + args = parser.parse_args() + if not args.site_list: + main() + else: + if "all" in args.site_list: + main(auth_folder=args.auth_folder) + else: + renew_comb(args.site_list, auth_folder=args.auth_folder) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/constants.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/constants.py new file mode 100644 index 00000000..4b8a4330 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/constants.py @@ -0,0 +1,295 @@ +from typing import Literal + +ROLES = ( + "alert", + "alertdialog", + "application", + "article", + "banner", + "blockquote", + "button", + "caption", + "cell", + "checkbox", + "code", + "columnheader", + "combobox", + "complementary", + "contentinfo", + "definition", + "deletion", + "dialog", + "directory", + "document", + "emphasis", + "feed", + "figure", + "form", + "generic", + "grid", + "gridcell", + "group", + "heading", + "img", + "insertion", + "link", + "list", + "listbox", + "listitem", + "log", + "main", + "marquee", + "math", + "meter", + "menu", + "menubar", + "menuitem", + "menuitemcheckbox", + "menuitemradio", + "navigation", + "none", + "note", + "option", + "paragraph", + "presentation", + "progressbar", + "radio", + "radiogroup", + "region", + "row", + "rowgroup", + "rowheader", + "scrollbar", + "search", + "searchbox", + "separator", + "slider", + "spinbutton", + "status", + "strong", + "subscript", + "superscript", + "switch", + "tab", + "table", + "tablist", + "tabpanel", + "term", + "textbox", + "time", + "timer", + "toolbar", + "tooltip", + "tree", + "treegrid", + "treeitem", +) + +SPECIAL_LOCATORS = ( + "alt_text", + "label", + "placeholder", +) + +ASCII_CHARSET = "".join(chr(x) for x in range(32, 128)) +FREQ_UNICODE_CHARSET = "".join(chr(x) for x in range(129, 1000)) +UTTERANCE_MAX_LENGTH = 8192 +ATTRIBUTE_MAX_LENGTH = 256 +TEXT_MAX_LENGTH = 256 +TYPING_MAX_LENGTH = 64 +URL_MAX_LENGTH = 256 +MAX_ELEMENT_INDEX_IN_VIEWPORT = 10 +MAX_ELEMENT_ID = 1000 +MAX_ANSWER_LENGTH = 512 + +MIN_REF = -1000000 +MAX_REF = 1000000 + +WINDOW_WIDTH = 500 +WINDOW_HEIGHT = 240 +TASK_WIDTH = 160 +TASK_HEIGHT = 210 + +FLIGHT_WINDOW_WIDTH = 600 +FLIGHT_WINDOW_HEIGHT = 700 +FLIGHT_TASK_WIDTH = 375 +FLIGHT_TASK_HEIGHT = 667 +MAX_PAGE_NUMBER = 10 + +SPECIAL_KEYS = ( + "Enter", + "Tab", + "Control", + "Shift", + "Meta", + "Backspace", + "Delete", + "Escape", + "ArrowUp", + "ArrowDown", + "ArrowLeft", + "ArrowRight", + "PageDown", + "PageUp", + "Meta+a", +) + +SPECIAL_KEY_MAPPINGS = { + "backquote": "Backquote", + "minus": "Minus", + "equal": "Equal", + "backslash": "Backslash", + "backspace": "Backspace", + "meta": "Meta", + "tab": "Tab", + "delete": "Delete", + "escape": "Escape", + "arrowdown": "ArrowDown", + "end": "End", + "enter": "Enter", + "home": "Home", + "insert": "Insert", + "pagedown": "PageDown", + "pageup": "PageUp", + "arrowright": "ArrowRight", + "arrowup": "ArrowUp", + "f1": "F1", + "f2": "F2", + "f3": "F3", + "f4": "F4", + "f5": "F5", + "f6": "F6", + "f7": "F7", + "f8": "F8", + "f9": "F9", + "f10": "F10", + "f11": "F11", + "f12": "F12", +} + +RolesType = Literal[ + "alert", + "alertdialog", + "application", + "article", + "banner", + "blockquote", + "button", + "caption", + "cell", + "checkbox", + "code", + "columnheader", + "combobox", + "complementary", + "contentinfo", + "definition", + "deletion", + "dialog", + "directory", + "document", + "emphasis", + "feed", + "figure", + "form", + "generic", + "grid", + "gridcell", + "group", + "heading", + "img", + "insertion", + "link", + "list", + "listbox", + "listitem", + "log", + "main", + "marquee", + "math", + "meter", + "menu", + "menubar", + "menuitem", + "menuitemcheckbox", + "menuitemradio", + "navigation", + "none", + "note", + "option", + "paragraph", + "presentation", + "progressbar", + "radio", + "radiogroup", + "region", + "row", + "rowgroup", + "rowheader", + "scrollbar", + "search", + "searchbox", + "separator", + "slider", + "spinbutton", + "status", + "strong", + "subscript", + "superscript", + "switch", + "tab", + "table", + "tablist", + "tabpanel", + "term", + "textbox", + "time", + "timer", + "toolbar", + "tooltip", + "tree", + "treegrid", + "treeitem", + "alt_text", + "label", + "placeholder", +] + +MAX_VANILLA_STR_LENGTH = 1000 + +PLAYWRIGHT_LOCATORS = ( + "get_by_role", + "get_by_text", + "get_by_label", + "get_by_placeholder", + "get_by_alt_text", + "get_by_title", + "get_by_test_id", + "filter", + "frame_locator", + "locator", +) + +PLAYWRIGHT_ACTIONS = ( + "fill", + "check", + "select_option", + "click", + "hover", + "dclick", + "type", + "focus", + "goto", + "press", + "scroll", +) + +IGNORED_ACTREE_PROPERTIES = ( + "focusable", + "editable", + "readonly", + "level", + "settable", + "multiline", + "invalid", +) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/env_config.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/env_config.py new file mode 100644 index 00000000..81cf52de --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/env_config.py @@ -0,0 +1,51 @@ +# websites domain +import os + +REDDIT = os.environ.get("REDDIT", "") +SHOPPING = os.environ.get("SHOPPING", "") +SHOPPING_ADMIN = os.environ.get("SHOPPING_ADMIN", "") +GITLAB = os.environ.get("GITLAB", "") +WIKIPEDIA = os.environ.get("WIKIPEDIA", "") +MAP = os.environ.get("MAP", "") +HOMEPAGE = os.environ.get("HOMEPAGE", "") + +assert ( + REDDIT + and SHOPPING + and SHOPPING_ADMIN + and GITLAB + and WIKIPEDIA + and MAP + and HOMEPAGE +), ( + f"Please setup the URLs to each site. Current: \n" + + f"Reddit: {REDDIT}\n" + + f"Shopping: {SHOPPING}\n" + + f"Shopping Admin: {SHOPPING_ADMIN}\n" + + f"Gitlab: {GITLAB}\n" + + f"Wikipedia: {WIKIPEDIA}\n" + + f"Map: {MAP}\n" + + f"Homepage: {HOMEPAGE}\n" +) + + +ACCOUNTS = { + "reddit": {"username": "MarvelsGrantMan136", "password": "test1234"}, + "gitlab": {"username": "byteblaze", "password": "hello1234"}, + "shopping": { + "username": "emma.lopez@gmail.com", + "password": "Password.123", + }, + "shopping_admin": {"username": "admin", "password": "admin1234"}, + "shopping_site_admin": {"username": "admin", "password": "admin1234"}, +} + +URL_MAPPINGS = { + REDDIT: "http://reddit.com", + SHOPPING: "http://onestopmarket.com", + SHOPPING_ADMIN: "http://luma.com/admin", + GITLAB: "http://gitlab.com", + WIKIPEDIA: "http://wikipedia.org", + MAP: "http://openstreetmap.org", + HOMEPAGE: "http://homepage.com", +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/envs.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/envs.py new file mode 100644 index 00000000..80f45122 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/envs.py @@ -0,0 +1,269 @@ +import json +import re +import time +from collections import defaultdict +from dataclasses import dataclass +from pathlib import Path +from typing import Any, Union + +import numpy as np +import numpy.typing as npt +from beartype import beartype +from beartype.door import is_bearable +from gymnasium import Env +from gymnasium.spaces import Box, Text +from playwright.sync_api import ( + CDPSession, + Page, + Playwright, + ViewportSize, + expect, + sync_playwright, +) + +from .actions import Action, execute_action, get_action_space +from .processors import ObservationHandler, ObservationMetadata +from .utils import ( + AccessibilityTree, + DetachedPage, + Observation, + png_bytes_to_numpy, +) + + +@dataclass +class PlaywrightScript: + function: str # goto, get_by_role + destination: str # https://www.google.com/, combobox + name: str | None = None # Search, Avatar 2009 + operation: str | None = None # click, fill, press + value: str | None = None # avatar movie, Enter + + +def parse_action(action: str) -> PlaywrightScript: + splitted = action.strip().split(" ") + assert len(splitted) >= 2 + match splitted[:2]: + case ["goto", url]: + assert len(splitted) == 2 + return PlaywrightScript("goto", url) + case ["get_by_role", destination]: + assert len(splitted) >= 4 + match splitted[2:]: + case [name, operation]: + return PlaywrightScript( + "get_by_role", destination, name, operation + ) + case [name, operation, value]: + return PlaywrightScript( + "get_by_role", destination, name, operation, value + ) + case _: + raise ValueError("Invalid action") + case _: + raise ValueError(f"Invalid action {action}") + + +class ScriptBrowserEnv(Env[dict[str, Observation], Action]): + """ + The goal of this environment is to produce a prototype of a browser environment. + In the end, we want to support a fully configurable browser environment with wide + range of action spaces and observation spaces, both structured and unstructured. + But in this prototype, we just support action space specified by Playwright script, + and observation space is the html content of the page. + """ + + @beartype + def __init__( + self, + max_page_length: int = 8192, + headless: bool = True, + slow_mo: int = 0, + observation_type: str = "html", + current_viewport_only: bool = False, + viewport_size: ViewportSize = {"width": 1280, "height": 720}, + save_trace_enabled: bool = False, + sleep_after_execution: float = 0.0, + ): + # TODO: make Space[Action] = ActionSpace + self.action_space = get_action_space() # type: ignore[assignment] + self.headless = headless + self.slow_mo = slow_mo + self.current_viewport_only = current_viewport_only + self.reset_finished = False + self.viewport_size = viewport_size + self.save_trace_enabled = save_trace_enabled + self.sleep_after_execution = sleep_after_execution + + match observation_type: + case "html" | "accessibility_tree": + self.text_observation_type = observation_type + self.image_observation_type = "" + self.main_observation_type = "text" + case "image": + self.image_observation_type = observation_type + self.text_observation_type = "" # type: ignore[assignment] + self.main_observation_type = "image" + case _: + raise ValueError( + f"Unsupported observation type: {observation_type}" + ) + + self.observation_handler = ObservationHandler( + self.main_observation_type, + self.text_observation_type, + self.image_observation_type, + self.current_viewport_only, + self.viewport_size, + ) + + self.observation_space = ( + self.observation_handler.get_observation_space() + ) + + @beartype + def setup(self, config_file: Path | None = None) -> None: + self.context_manager = sync_playwright() + self.playwright = self.context_manager.__enter__() + self.browser = self.playwright.chromium.launch( + headless=self.headless, slow_mo=self.slow_mo + ) + + if config_file: + with open(config_file, "r") as f: + instance_config = json.load(f) + else: + instance_config = {} + + storage_state = instance_config.get("storage_state", None) + start_url = instance_config.get("start_url", None) + geolocation = instance_config.get("geolocation", None) + + self.context = self.browser.new_context( + viewport=self.viewport_size, + storage_state=storage_state, + geolocation=geolocation, + device_scale_factor=1, + ) + if self.save_trace_enabled: + self.context.tracing.start(screenshots=True, snapshots=True) + if start_url: + start_urls = start_url.split(" |AND| ") + for url in start_urls: + page = self.context.new_page() + client = page.context.new_cdp_session( + page + ) # talk to chrome devtools + if self.text_observation_type == "accessibility_tree": + client.send("Accessibility.enable") + page.client = client # type: ignore # TODO[shuyanzh], fix this hackey client + page.goto(url) + # set the first page as the current page + self.page = self.context.pages[0] + self.page.bring_to_front() + else: + self.page = self.context.new_page() + client = self.page.context.new_cdp_session(self.page) + if self.text_observation_type == "accessibility_tree": + client.send("Accessibility.enable") + self.page.client = client # type: ignore + + def get_page_client(self, page: Page) -> CDPSession: + return page.client # type: ignore + + def _get_obs(self) -> dict[str, Observation]: + obs = self.observation_handler.get_observation( + self.page, self.get_page_client(self.page) + ) + return obs + + def _get_obs_metadata(self) -> dict[str, ObservationMetadata]: + metadata = self.observation_handler.get_observation_metadata() + return metadata + + @beartype + def reset( + self, + *, + seed: int | None = None, + options: dict[str, str] | None = None, + ) -> tuple[dict[str, Observation], dict[str, Any]]: + """ + Reset the environment. + :param options: options for the environment. The current supported options are: + - "storage_state": the storage state of the browser. It is a file path to a json file. + """ + super().reset(seed=seed, options=options) + if self.reset_finished: + self.context_manager.__exit__() + + if options is not None and "config_file" in options: + config_file = Path(options["config_file"]) + if config_file.exists(): + self.setup(config_file=config_file) + else: + raise ValueError(f"Config file {config_file} does not exist.") + else: + self.setup() + self.reset_finished = True + + if self.sleep_after_execution > 0: + time.sleep(self.sleep_after_execution) + + observation = self._get_obs() + observation_metadata = self._get_obs_metadata() + info = { + "page": DetachedPage(self.page.url, ""), + "fail_error": "", + "observation_metadata": observation_metadata, + } + + return (observation, info) + + def save_trace(self, trace_path: str | Path) -> None: + if self.save_trace_enabled: + self.context.tracing.stop(path=trace_path) + + def close(self) -> None: + if self.reset_finished: + self.context_manager.__exit__() + + def step( + self, action: Action + ) -> tuple[dict[str, Observation], float, bool, bool, dict[str, Any]]: + if not self.reset_finished: + raise RuntimeError("Call reset first before calling step.") + + success = False + fail_error = "" + try: + self.page = execute_action( + action, + self.page, + self.context, + self.observation_handler.action_processor, + ) + success = True + except Exception as e: + fail_error = str(e) + + # hard sleep TODO[shuyanzh] suboptimal, may need to check network + if self.sleep_after_execution > 0: + time.sleep(self.sleep_after_execution) + + observation = self._get_obs() + observation_metadata = self._get_obs_metadata() + + info = { + "page": DetachedPage(self.page.url, self.page.content()), + "fail_error": fail_error, + "observation_metadata": observation_metadata, + } + msg = ( + observation, + float(success), # reward + False, # terminated + False, # truncated + info, + ) + return msg diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/helper_functions.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/helper_functions.py new file mode 100644 index 00000000..3c66f706 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/helper_functions.py @@ -0,0 +1,191 @@ +import base64 +import io +import json +import re +from pathlib import Path +from typing import Any + +from PIL import Image + +from agent.prompts import * +from browser_env import ( + Action, + ActionTypes, + ObservationMetadata, + StateInfo, + action2str, +) + +HTML_TEMPLATE = """ + + + + + + + {body} + + +""" + + +def get_render_action( + action: Action, + observation_metadata: dict[str, ObservationMetadata], + action_set_tag: str, +) -> str: + """Parse the predicted actions for rendering purpose. More comprehensive information""" + match action_set_tag: + case "id_accessibility_tree": + text_meta_data = observation_metadata["text"] + if action["element_id"] in text_meta_data["obs_nodes_info"]: + node_content = text_meta_data["obs_nodes_info"][ + action["element_id"] + ]["text"] + else: + node_content = "No match found" + + action_str = f"
{action['raw_prediction']}
" + action_str += f"
{repr(action)}
" + action_str += f"
{action2str(action, action_set_tag, node_content)}
" + + case "playwright": + action_str = action["pw_code"] + case _: + raise ValueError(f"Unknown action type {action['action_type']}") + return action_str + + +def get_action_description( + action: Action, + observation_metadata: dict[str, ObservationMetadata], + action_set_tag: str, + prompt_constructor: PromptConstructor | None, +) -> str: + """Generate the text version of the predicted actions to store in action history for prompt use. + May contain hint information to recover from the failures""" + + match action_set_tag: + case "id_accessibility_tree": + text_meta_data = observation_metadata["text"] + if action["action_type"] in [ + ActionTypes.CLICK, + ActionTypes.HOVER, + ActionTypes.TYPE, + ]: + action_name = str(action["action_type"]).split(".")[1].lower() + if action["element_id"] in text_meta_data["obs_nodes_info"]: + node_content = text_meta_data["obs_nodes_info"][ + action["element_id"] + ]["text"] + node_content = " ".join(node_content.split()[1:]) + action_str = action2str( + action, action_set_tag, node_content + ) + else: + action_str = f"Attempt to perfom \"{action_name}\" on element \"[{action['element_id']}]\" but no matching element found. Please check the observation more carefully." + else: + if ( + action["action_type"] == ActionTypes.NONE + and prompt_constructor is not None + ): + action_splitter = prompt_constructor.instruction[ + "meta_data" + ]["action_splitter"] + action_str = f'The previous prediction you issued was "{action["raw_prediction"]}". However, the format was incorrect. Ensure that the action is wrapped inside a pair of {action_splitter} and enclose arguments within [] as follows: {action_splitter}action [arg] ...{action_splitter}.' + else: + action_str = action2str(action, action_set_tag, "") + + case "playwright": + action_str = action["pw_code"] + + case _: + raise ValueError(f"Unknown action type {action['action_type']}") + + return action_str + + +class RenderHelper(object): + """Helper class to render text and image observations and meta data in the trajectory""" + + def __init__( + self, config_file: str, result_dir: str, action_set_tag: str + ) -> None: + with open(config_file, "r") as f: + _config = json.load(f) + _config_str = "" + for k, v in _config.items(): + _config_str += f"{k}: {v}\n" + _config_str = f"
{_config_str}
\n" + task_id = _config["task_id"] + + self.action_set_tag = action_set_tag + + self.render_file = open( + Path(result_dir) / f"render_{task_id}.html", "a+" + ) + self.render_file.truncate(0) + # write init template + self.render_file.write(HTML_TEMPLATE.format(body=f"{_config_str}")) + self.render_file.read() + self.render_file.flush() + + def render( + self, + action: Action, + state_info: StateInfo, + meta_data: dict[str, Any], + render_screenshot: bool = False, + ) -> None: + """Render the trajectory""" + # text observation + observation = state_info["observation"] + text_obs = observation["text"] + info = state_info["info"] + new_content = f"

New Page

\n" + new_content += f"

URL: {state_info['info']['page'].url}

\n" + new_content += f"
{text_obs}
\n" + + if render_screenshot: + # image observation + img_obs = observation["image"] + image = Image.fromarray(img_obs) + byte_io = io.BytesIO() + image.save(byte_io, format="PNG") + byte_io.seek(0) + image_bytes = base64.b64encode(byte_io.read()) + image_str = image_bytes.decode("utf-8") + new_content += f"\n" + + # meta data + new_content += f"
{meta_data['action_history'][-1]}
\n" + + # action + action_str = get_render_action( + action, + info["observation_metadata"], + action_set_tag=self.action_set_tag, + ) + # with yellow background + action_str = f"
{action_str}
" + new_content += f"{action_str}\n" + + # add new content + self.render_file.seek(0) + html = self.render_file.read() + html_body = re.findall(r"(.*?)", html, re.DOTALL)[0] + html_body += new_content + + html = HTML_TEMPLATE.format(body=html_body) + self.render_file.seek(0) + self.render_file.truncate() + self.render_file.write(html) + self.render_file.flush() + + def close(self) -> None: + self.render_file.close() diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/processors.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/processors.py new file mode 100644 index 00000000..786d8115 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/processors.py @@ -0,0 +1,732 @@ +import json +import re +from collections import defaultdict +from typing import Any, TypedDict, Union + +import numpy as np +import numpy.typing as npt +from gymnasium import spaces +from playwright.sync_api import CDPSession, Page, ViewportSize + +from browser_env.constants import ( + ASCII_CHARSET, + FREQ_UNICODE_CHARSET, + IGNORED_ACTREE_PROPERTIES, + UTTERANCE_MAX_LENGTH, +) + +from .utils import ( + AccessibilityTree, + AccessibilityTreeNode, + BrowserConfig, + BrowserInfo, + DOMNode, + DOMTree, + Observation, + png_bytes_to_numpy, +) + +IN_VIEWPORT_RATIO_THRESHOLD = 0.6 + + +class ObservationProcessor: + def process(self, page: Page, client: CDPSession) -> Observation: + raise NotImplementedError + + +class ObservationMetadata(TypedDict): + obs_nodes_info: dict[str, Any] + + +def create_empty_metadata() -> ObservationMetadata: + return { + "obs_nodes_info": {}, + } + + +class TextObervationProcessor(ObservationProcessor): + def __init__( + self, + observation_type: str, + current_viewport_only: bool, + viewport_size: ViewportSize, + ): + self.observation_type = observation_type + self.current_viewport_only = current_viewport_only + self.viewport_size = viewport_size + self.observation_tag = "text" + self.meta_data = ( + create_empty_metadata() + ) # use the store meta data of this observation type + + def fetch_browser_info( + self, + page: Page, + client: CDPSession, + ) -> BrowserInfo: + # extract domtree + tree = client.send( + "DOMSnapshot.captureSnapshot", + { + "computedStyles": [], + "includeDOMRects": True, + "includePaintOrder": True, + }, + ) + + # calibrate the bounds, in some cases, the bounds are scaled somehow + bounds = tree["documents"][0]["layout"]["bounds"] + b = bounds[0] + n = b[2] / self.viewport_size["width"] + bounds = [[x / n for x in bound] for bound in bounds] + tree["documents"][0]["layout"]["bounds"] = bounds + + # extract browser info + win_top_bound = page.evaluate("window.pageYOffset") + win_left_bound = page.evaluate("window.pageXOffset") + win_width = page.evaluate("window.screen.width") + win_height = page.evaluate("window.screen.height") + win_right_bound = win_left_bound + win_width + win_lower_bound = win_top_bound + win_height + device_pixel_ratio = page.evaluate("window.devicePixelRatio") + assert device_pixel_ratio == 1.0, "devicePixelRatio is not 1.0" + + config: BrowserConfig = { + "win_top_bound": win_top_bound, + "win_left_bound": win_left_bound, + "win_width": win_width, + "win_height": win_height, + "win_right_bound": win_right_bound, + "win_lower_bound": win_lower_bound, + "device_pixel_ratio": device_pixel_ratio, + } + + # assert len(tree['documents']) == 1, "More than one document in the DOM tree" + info: BrowserInfo = {"DOMTree": tree, "config": config} + + return info + + @staticmethod + def get_bounding_client_rect( + client: CDPSession, backend_node_id: str + ) -> dict[str, Any]: + try: + remote_object = client.send( + "DOM.resolveNode", {"backendNodeId": int(backend_node_id)} + ) + remote_object_id = remote_object["object"]["objectId"] + response = client.send( + "Runtime.callFunctionOn", + { + "objectId": remote_object_id, + "functionDeclaration": """ + function() { + if (this.nodeType == 3) { + var range = document.createRange(); + range.selectNode(this); + var rect = range.getBoundingClientRect().toJSON(); + range.detach(); + return rect; + } else { + return this.getBoundingClientRect().toJSON(); + } + } + """, + "returnByValue": True, + }, + ) + return response + except Exception as e: + return {"result": {"subtype": "error"}} + + @staticmethod + def get_element_in_viewport_ratio( + elem_left_bound: float, + elem_top_bound: float, + width: float, + height: float, + config: BrowserConfig, + ) -> float: + elem_right_bound = elem_left_bound + width + elem_lower_bound = elem_top_bound + height + + win_left_bound = 0 + win_right_bound = config["win_width"] + win_top_bound = 0 + win_lower_bound = config["win_height"] + + # Compute the overlap in x and y axes + overlap_width = max( + 0, + min(elem_right_bound, win_right_bound) + - max(elem_left_bound, win_left_bound), + ) + overlap_height = max( + 0, + min(elem_lower_bound, win_lower_bound) + - max(elem_top_bound, win_top_bound), + ) + + # Compute the overlap area + ratio = overlap_width * overlap_height / width * height + return ratio + + def fetch_page_html( + self, + info: BrowserInfo, + page: Page, + client: CDPSession, + current_viewport_only: bool, + ) -> DOMTree: + # adopted from [natbot](https://github.com/nat/natbot) + tree = info["DOMTree"] + strings = tree["strings"] + document = tree["documents"][0] + nodes = document["nodes"] + + # make a dom tree that is easier to navigate + dom_tree: DOMTree = [] + graph = defaultdict(list) + for node_idx in range(len(nodes["nodeName"])): + cur_node: DOMNode = { + "nodeId": "", + "nodeType": "", + "nodeName": "", + "nodeValue": "", + "attributes": "", + "backendNodeId": "", + "parentId": "", + "childIds": [], + "cursor": 0, + "union_bound": None, + } + + node_type_idx = nodes["nodeType"][node_idx] + node_type = "generic" + if node_type_idx >= 0 and node_type_idx < len(strings): + node_type = strings[node_type_idx] + + node_name = strings[nodes["nodeName"][node_idx]] + + node_value_idx = nodes["nodeValue"][node_idx] + node_value = "" + if node_value_idx >= 0 and node_value_idx < len(strings): + node_value = " ".join(strings[node_value_idx].split()) + + node_attributes = [ + strings[i] for i in nodes["attributes"][node_idx] + ] + node_attributes_str = "" + for i in range(0, len(node_attributes), 2): + a = node_attributes[i] + b = node_attributes[i + 1] + b = " ".join(b.split()) + node_attributes_str += f'{a}="{b}" ' + node_attributes_str = node_attributes_str.strip() + + cur_node["nodeId"] = str(node_idx) + cur_node["nodeType"] = node_type + cur_node["nodeName"] = node_name + cur_node["nodeValue"] = node_value + cur_node["attributes"] = node_attributes_str + cur_node["backendNodeId"] = str(nodes["backendNodeId"][node_idx]) + cur_node["parentId"] = str(nodes["parentIndex"][node_idx]) + + if cur_node["parentId"] != "-1": + graph[cur_node["parentId"]].append(str(cur_node["nodeId"])) + + # get the bound + if cur_node["parentId"] == "-1": + cur_node["union_bound"] = [0.0, 0.0, 10.0, 10.0] + else: + response = self.get_bounding_client_rect( + client, cur_node["backendNodeId"] + ) + if response.get("result", {}).get("subtype", "") == "error": + cur_node["union_bound"] = None + else: + x = response["result"]["value"]["x"] + y = response["result"]["value"]["y"] + width = response["result"]["value"]["width"] + height = response["result"]["value"]["height"] + cur_node["union_bound"] = [x, y, width, height] + + dom_tree.append(cur_node) + + # add parent children index to the node + for parent_id, child_ids in graph.items(): + dom_tree[int(parent_id)]["childIds"] = child_ids + + # remove the nodes that are not in the current viewport + if current_viewport_only: + + def remove_node_in_graph(node: DOMNode) -> None: + # update the node information in the accessibility tree + node_id = node["nodeId"] + parent_id = node["parentId"] + child_ids = node["childIds"] + + # update the children of the parent node + assert dom_tree[int(parent_id)]["parentId"] != "[REMOVED]" + # remove the nodeid from parent + index = dom_tree[int(parent_id)]["childIds"].index(node_id) + dom_tree[int(parent_id)]["childIds"].pop(index) + + # Insert children_nodeids in the same location + for child_id in child_ids: + dom_tree[int(parent_id)]["childIds"].insert( + index, child_id + ) + index += 1 + + # update children node's parent + for child_id in child_ids: + dom_tree[int(child_id)]["parentId"] = parent_id + # mark as removed + dom_tree[int(node_id)]["parentId"] = "[REMOVED]" + + config = info["config"] + for cursor, node in enumerate(dom_tree): + if not node["union_bound"]: + remove_node_in_graph(node) + continue + + [x, y, width, height] = node["union_bound"] + + # invisible node + if width == 0.0 or height == 0.0: + remove_node_in_graph(node) + continue + + in_viewport_ratio = self.get_element_in_viewport_ratio( + elem_left_bound=float(x), + elem_top_bound=float(y), + width=float(width), + height=float(height), + config=config, + ) + + if in_viewport_ratio < IN_VIEWPORT_RATIO_THRESHOLD: + remove_node_in_graph(node) + + dom_tree = [ + node + for node in dom_tree + if node.get("parentId", "-1") != "[REMOVED]" + ] + + return dom_tree + + @staticmethod + def parse_html(dom_tree: DOMTree) -> tuple[str, dict[str, Any]]: + """Parse the html tree into a string text""" + + obs_nodes_info = {} + nodeid_to_cursor = { + node["nodeId"]: idx for idx, node in enumerate(dom_tree) + } + + def dfs(node_cursor: int, depth: int) -> str: + tree_str = "" + node = dom_tree[node_cursor] + indent = "\t" * depth + valid_node = True + try: + node_str = f"[{node_cursor}] <{node['nodeName']}" + if node["attributes"]: + node_str += f" {node['attributes']}" + node_str += f"> {node['nodeValue']}" + valid_node = bool(node["attributes"] or node["nodeValue"]) + + if valid_node: + obs_nodes_info[str(node_cursor)] = { + "backend_id": node["backendNodeId"], + "union_bound": node["union_bound"], + "text": node_str, + } + tree_str += f"{indent}{node_str}\n" + + except Exception as e: + valid_node = False + + for child_ids in node["childIds"]: + child_cursor = nodeid_to_cursor[child_ids] + child_depth = depth + 1 if valid_node else depth + child_str = dfs(child_cursor, child_depth) + tree_str += child_str + + return tree_str + + html = dfs(0, 0) + return html, obs_nodes_info + + def fetch_page_accessibility_tree( + self, + info: BrowserInfo, + client: CDPSession, + current_viewport_only: bool, + ) -> AccessibilityTree: + accessibility_tree: AccessibilityTree = client.send( + "Accessibility.getFullAXTree", {} + )["nodes"] + + # a few nodes are repeated in the accessibility tree + seen_ids = set() + _accessibility_tree = [] + for node in accessibility_tree: + if node["nodeId"] not in seen_ids: + _accessibility_tree.append(node) + seen_ids.add(node["nodeId"]) + accessibility_tree = _accessibility_tree + + nodeid_to_cursor = {} + for cursor, node in enumerate(accessibility_tree): + nodeid_to_cursor[node["nodeId"]] = cursor + # usually because the node is not visible etc + if "backendDOMNodeId" not in node: + node["union_bound"] = None + continue + backend_node_id = str(node["backendDOMNodeId"]) + if node["role"]["value"] == "RootWebArea": + # always inside the viewport + node["union_bound"] = [0.0, 0.0, 10.0, 10.0] + else: + response = self.get_bounding_client_rect( + client, backend_node_id + ) + if response.get("result", {}).get("subtype", "") == "error": + node["union_bound"] = None + else: + x = response["result"]["value"]["x"] + y = response["result"]["value"]["y"] + width = response["result"]["value"]["width"] + height = response["result"]["value"]["height"] + node["union_bound"] = [x, y, width, height] + + # filter nodes that are not in the current viewport + if current_viewport_only: + + def remove_node_in_graph(node: AccessibilityTreeNode) -> None: + # update the node information in the accessibility tree + nodeid = node["nodeId"] + node_cursor = nodeid_to_cursor[nodeid] + parent_nodeid = node["parentId"] + children_nodeids = node["childIds"] + parent_cursor = nodeid_to_cursor[parent_nodeid] + # update the children of the parent node + assert ( + accessibility_tree[parent_cursor].get("parentId", "Root") + is not None + ) + # remove the nodeid from parent's childIds + index = accessibility_tree[parent_cursor]["childIds"].index( + nodeid + ) + accessibility_tree[parent_cursor]["childIds"].pop(index) + # Insert children_nodeids in the same location + for child_nodeid in children_nodeids: + accessibility_tree[parent_cursor]["childIds"].insert( + index, child_nodeid + ) + index += 1 + # update children node's parent + for child_nodeid in children_nodeids: + child_cursor = nodeid_to_cursor[child_nodeid] + accessibility_tree[child_cursor][ + "parentId" + ] = parent_nodeid + # mark as removed + accessibility_tree[node_cursor]["parentId"] = "[REMOVED]" + + config = info["config"] + for node in accessibility_tree: + if not node["union_bound"]: + remove_node_in_graph(node) + continue + + [x, y, width, height] = node["union_bound"] + + # invisible node + if width == 0 or height == 0: + remove_node_in_graph(node) + continue + + in_viewport_ratio = self.get_element_in_viewport_ratio( + elem_left_bound=float(x), + elem_top_bound=float(y), + width=float(width), + height=float(height), + config=config, + ) + + if in_viewport_ratio < IN_VIEWPORT_RATIO_THRESHOLD: + remove_node_in_graph(node) + + accessibility_tree = [ + node + for node in accessibility_tree + if node.get("parentId", "Root") != "[REMOVED]" + ] + + return accessibility_tree + + @staticmethod + def parse_accessibility_tree( + accessibility_tree: AccessibilityTree, + ) -> tuple[str, dict[str, Any]]: + """Parse the accessibility tree into a string text""" + node_id_to_idx = {} + for idx, node in enumerate(accessibility_tree): + node_id_to_idx[node["nodeId"]] = idx + + obs_nodes_info = {} + + def dfs(idx: int, obs_node_id: str, depth: int) -> str: + tree_str = "" + node = accessibility_tree[idx] + indent = "\t" * depth + valid_node = True + try: + role = node["role"]["value"] + name = node["name"]["value"] + node_str = f"[{obs_node_id}] {role} {repr(name)}" + properties = [] + for property in node.get("properties", []): + try: + if property["name"] in IGNORED_ACTREE_PROPERTIES: + continue + properties.append( + f'{property["name"]}: {property["value"]["value"]}' + ) + except KeyError: + pass + + if properties: + node_str += " " + " ".join(properties) + + # check valid + if not node_str.strip(): + valid_node = False + + # empty generic node + if not name.strip(): + if not properties: + if role in [ + "generic", + "img", + "list", + "strong", + "paragraph", + "banner", + "navigation", + "Section", + "LabelText", + "Legend", + "listitem", + ]: + valid_node = False + elif role in ["listitem"]: + valid_node = False + + if valid_node: + tree_str += f"{indent}{node_str}" + obs_nodes_info[obs_node_id] = { + "backend_id": node["backendDOMNodeId"], + "union_bound": node["union_bound"], + "text": node_str, + } + + except Exception as e: + valid_node = False + + for _, child_node_id in enumerate(node["childIds"]): + if child_node_id not in node_id_to_idx: + continue + # mark this to save some tokens + child_depth = depth + 1 if valid_node else depth + child_str = dfs( + node_id_to_idx[child_node_id], child_node_id, child_depth + ) + if child_str.strip(): + if tree_str.strip(): + tree_str += "\n" + tree_str += child_str + + return tree_str + + tree_str = dfs(0, accessibility_tree[0]["nodeId"], 0) + return tree_str, obs_nodes_info + + @staticmethod + def clean_accesibility_tree(tree_str: str) -> str: + """further clean accesibility tree""" + clean_lines: list[str] = [] + for line in tree_str.split("\n"): + # remove statictext if the content already appears in the previous line + if "statictext" in line.lower(): + prev_lines = clean_lines[-3:] + pattern = r"\[\d+\] StaticText (.+)" + + match = re.search(pattern, line, re.DOTALL) + if match: + static_text = match.group(1)[1:-1] # remove the quotes + if static_text and all( + static_text not in prev_line + for prev_line in prev_lines + ): + clean_lines.append(line) + else: + clean_lines.append(line) + + return "\n".join(clean_lines) + + def process(self, page: Page, client: CDPSession) -> str: + # get the tab info + open_tabs = page.context.pages + try: + tab_titles = [tab.title() for tab in open_tabs] + current_tab_idx = open_tabs.index(page) + for idx in range(len(open_tabs)): + if idx == current_tab_idx: + tab_titles[ + idx + ] = f"Tab {idx} (current): {open_tabs[idx].title()}" + else: + tab_titles[idx] = f"Tab {idx}: {open_tabs[idx].title()}" + tab_title_str = " | ".join(tab_titles) + except Exception: + tab_title_str = " | ".join( + ["Tab {idx}" for idx in range(len(open_tabs))] + ) + + try: + browser_info = self.fetch_browser_info(page, client) + except Exception: + page.wait_for_load_state("load", timeout=5000) + browser_info = self.fetch_browser_info(page, client) + + if self.observation_type == "html": + dom_tree = self.fetch_page_html( + browser_info, + page, + client, + current_viewport_only=self.current_viewport_only, + ) + content, obs_nodes_info = self.parse_html(dom_tree) + self.obs_nodes_info = obs_nodes_info + self.meta_data["obs_nodes_info"] = obs_nodes_info + + elif self.observation_type == "accessibility_tree": + accessibility_tree = self.fetch_page_accessibility_tree( + browser_info, + client, + current_viewport_only=self.current_viewport_only, + ) + content, obs_nodes_info = self.parse_accessibility_tree( + accessibility_tree + ) + content = self.clean_accesibility_tree(content) + self.obs_nodes_info = obs_nodes_info + self.meta_data["obs_nodes_info"] = obs_nodes_info + + else: + raise ValueError( + f"Invalid observatrion type: {self.observation_type}" + ) + + self.browser_config = browser_info["config"] + content = f"{tab_title_str}\n\n{content}" + return content + + def get_element_center(self, element_id: str) -> tuple[float, float]: + node_info = self.obs_nodes_info[element_id] + node_bound = node_info["union_bound"] + x, y, width, height = node_bound + center_x = x + width / 2 + center_y = y + height / 2 + return ( + center_x / self.viewport_size["width"], + center_y / self.viewport_size["height"], + ) + + +class ImageObservationProcessor(ObservationProcessor): + def __init__(self, observation_type: str): + self.observation_type = observation_type + self.observation_tag = "image" + self.meta_data = create_empty_metadata() + + def process(self, page: Page, client: CDPSession) -> npt.NDArray[np.uint8]: + try: + screenshot = png_bytes_to_numpy(page.screenshot()) + except: + page.wait_for_event("load") + screenshot = png_bytes_to_numpy(page.screenshot()) + return screenshot + + +class ObservationHandler: + """Main entry point to access all observation processor""" + + def __init__( + self, + main_observation_type: str, + text_observation_type: str, + image_observation_type: str, + current_viewport_only: bool, + viewport_size: ViewportSize, + ) -> None: + self.main_observation_type = main_observation_type + self.text_processor = TextObervationProcessor( + text_observation_type, current_viewport_only, viewport_size + ) + self.image_processor = ImageObservationProcessor( + image_observation_type + ) + self.viewport_size = viewport_size + + def get_observation_space(self) -> spaces.Dict: + text_space = spaces.Text( + min_length=0, + max_length=UTTERANCE_MAX_LENGTH, + charset=ASCII_CHARSET + FREQ_UNICODE_CHARSET, + ) + + image_space = spaces.Box( + # Each position stores the RGB values. Note the swapped axes (height first). + np.zeros( + (self.viewport_size["height"], self.viewport_size["width"], 3), + dtype=np.uint8, + ), + np.ones( + (self.viewport_size["height"], self.viewport_size["width"], 3), + dtype=np.uint8, + ) + * 255.0, + dtype=np.uint8, + ) + + return spaces.Dict({"text": text_space, "image": image_space}) + + def get_observation( + self, page: Page, client: CDPSession + ) -> dict[str, Observation]: + text_obs = self.text_processor.process(page, client) + image_obs = self.image_processor.process(page, client) + return {"text": text_obs, "image": image_obs} + + def get_observation_metadata(self) -> dict[str, ObservationMetadata]: + return { + "text": self.text_processor.meta_data, + "image": self.image_processor.meta_data, + } + + @property + def action_processor(self) -> ObservationProcessor: + """Return the main processor that is associated with the action space""" + if self.main_observation_type == "text": + return self.text_processor + elif self.main_observation_type == "image": + return self.image_processor + else: + raise ValueError("Invalid main observation type") diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/py.typed b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/py.typed new file mode 100644 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/trajectory.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/trajectory.py new file mode 100644 index 00000000..1c4c4107 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/trajectory.py @@ -0,0 +1,6 @@ +from typing import Union + +from .actions import Action +from .utils import StateInfo + +Trajectory = list[Union[StateInfo, Action]] diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/utils.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/utils.py new file mode 100644 index 00000000..18142426 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/browser_env/utils.py @@ -0,0 +1,80 @@ +from dataclasses import dataclass +from io import BytesIO +from typing import Any, Dict, TypedDict, Union + +import numpy as np +import numpy.typing as npt +from PIL import Image + + +@dataclass +class DetachedPage: + url: str + content: str # html + + +def png_bytes_to_numpy(png: bytes) -> npt.NDArray[np.uint8]: + """Convert png bytes to numpy array + + Example: + + >>> fig = go.Figure(go.Scatter(x=[1], y=[1])) + >>> plt.imshow(png_bytes_to_numpy(fig.to_image('png'))) + """ + return np.array(Image.open(BytesIO(png))) + + +class AccessibilityTreeNode(TypedDict): + nodeId: str + ignored: bool + role: dict[str, Any] + chromeRole: dict[str, Any] + name: dict[str, Any] + properties: list[dict[str, Any]] + childIds: list[str] + parentId: str + backendDOMNodeId: str + frameId: str + bound: list[float] | None + union_bound: list[float] | None + offsetrect_bound: list[float] | None + + +class DOMNode(TypedDict): + nodeId: str + nodeType: str + nodeName: str + nodeValue: str + attributes: str + backendNodeId: str + parentId: str + childIds: list[str] + cursor: int + union_bound: list[float] | None + + +class BrowserConfig(TypedDict): + win_top_bound: float + win_left_bound: float + win_width: float + win_height: float + win_right_bound: float + win_lower_bound: float + device_pixel_ratio: float + + +class BrowserInfo(TypedDict): + DOMTree: dict[str, Any] + config: BrowserConfig + + +AccessibilityTree = list[AccessibilityTreeNode] +DOMTree = list[DOMNode] + + +Observation = str | npt.NDArray[np.uint8] + + +class StateInfo(TypedDict): + observation: dict[str, Observation] + info: Dict[str, Any] diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/check_errors.sh b/openmanus_rl/agentgym/agentenv-webarena/webarena/check_errors.sh new file mode 100755 index 00000000..c319d3e1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/check_errors.sh @@ -0,0 +1,33 @@ +#!/bin/zsh + +result_folder=$1 +cd cache/$result_folder + + +# check whether there is any auto-login errors +errors=$(grep -l "Creating an account has many benefits: check out faster" *.html | sort -u | grep -o '[0-9]\+') +c=$(echo $errors | wc -l) +echo "Shopping total errors: $c" +echo $errors | tr '\n' ',' +echo '\n\n' + + +errors=$(grep -l "Welcome, please sign in" *.html | sort -u | grep -o '[0-9]\+') +c=$(echo $errors | wc -l) +echo "Admin total errors: $c" +echo $errors | tr '\n' ',' +echo '\n\n' + + + +errors=$(grep -l "Username or email" *.html | sort -u | grep -o '[0-9]\+') +c=$(echo $errors | wc -l) +echo "Gitlab errors: $c" +echo $errors | tr '\n' ',' +echo '\n\n' + + +errors=$(grep -l "Keep me logged in" *.html | sort -u | grep -o '[0-9]\+') +c=$(echo $errors | wc -l) +echo "Reddit errors: $c" +echo $errors | tr '\n' ',' diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/0.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/0.json new file mode 100644 index 00000000..20821b69 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/0.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 0, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What is the top-{{n}} best-selling product in {{year}}", + "instantiation_dict": { + "n": 1, + "year": 2022 + }, + "intent": "What is the top-1 best-selling product in 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Quest Lumaflex\u2122 Band" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Quest Lumaflex\u2122 Band" + }, + "intent_template_id": 279 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/1.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/1.json new file mode 100644 index 00000000..0b46b1b8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/1.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 1, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What is the top-{{n}} best-selling brand in {{period}}", + "instantiation_dict": { + "n": 1, + "period": "Quarter 1 2022" + }, + "intent": "What is the top-1 best-selling brand in Quarter 1 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Sprite" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Sprite" + }, + "intent_template_id": 279 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/10.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/10.json new file mode 100644 index 00000000..33c0e87c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/10.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "map" + ], + "task_id": 10, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the full address of all {{airport_type}} that are within a driving distance of {{radius}} to {{start}}", + "instantiation_dict": { + "airport_type": "US international airports", + "start": "Niagara Falls", + "radius": "60 km" + }, + "intent": "Tell me the full address of all US international airports that are within a driving distance of 60 km to Niagara Falls", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Niagara Falls International Airport, 2035, Niagara Falls Boulevard, City of Niagara Falls, Town of Wheatfield, Niagara County, New York, 14304, United States", + "Buffalo-Niagara International Airport, Holtz Drive, Town of Cheektowaga, Erie County, New York, 14225, United States" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Niagara Falls International Airport, 2035, Niagara Falls Boulevard, City of Niagara Falls, Town of Wheatfield, Niagara County, New York, 14304, United States Buffalo-Niagara International Airport, South Youngs Road, Town of Cheektowaga, Erie County, New York, 14221, United States" + }, + "intent_template_id": 79 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/100.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/100.json new file mode 100644 index 00000000..e62e1892 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/100.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "map" + ], + "task_id": 100, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Where is the nearest {{places}} to {{start}}, and what is the walking distance to it?", + "instantiation_dict": { + "places": "Starbucks", + "start": "Carnegie Mellon" + }, + "intent": "Where is the nearest Starbucks to Carnegie Mellon, and what is the walking distance to it?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Starbucks", + "417", + "South Craig Street", + "Bellefield", + "Pittsburgh", + "557m" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Starbucks, 417, South Craig Street, Bellefield, Pittsburgh, Allegheny County, Pennsylvania, 15213, United States\n557m" + }, + "intent_template_id": 66 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/101.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/101.json new file mode 100644 index 00000000..25a204fb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/101.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "map" + ], + "task_id": 101, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Where is the nearest {{places}} to {{start}}, and what is the walking distance to it?", + "instantiation_dict": { + "places": "In-N-Out", + "start": "Upitts" + }, + "intent": "Where is the nearest In-N-Out to Upitts, and what is the walking distance to it?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no In-N-Out near University of Pittsburgh", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 66 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/102.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/102.json new file mode 100644 index 00000000..e95e1621 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/102.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 102, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Display the list of issues in the {{repo}} repository that have labels related to {{label}}", + "instantiation_dict": { + "label": "help needed", + "repo": "a11yproject/a11yproject.com" + }, + "intent": "Display the list of issues in the a11yproject/a11yproject.com repository that have labels related to help needed", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-syntax-highlighting/-/issues/?label_name%5B%5D=help%20wanted", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 349 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/103.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/103.json new file mode 100644 index 00000000..e4b07a6b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/103.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 103, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Display the list of issues in the {{repo}} repository that have labels related to {{label}}", + "instantiation_dict": { + "label": "questions", + "repo": "kkroening/ffmpeg-python" + }, + "intent": "Display the list of issues in the kkroening/ffmpeg-python repository that have labels related to questions", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/kkroening/ffmpeg-python/-/issues/?label_name%5B%5D=question", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 349 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/104.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/104.json new file mode 100644 index 00000000..8278cbff --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/104.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 104, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Display the list of issues in the {{repo}} repository that have labels related to {{label}}", + "instantiation_dict": { + "label": "flaky-test", + "repo": "keycloak/keycloak" + }, + "intent": "Display the list of issues in the keycloak/keycloak repository that have labels related to flaky-test", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/keycloak/keycloak/-/issues/?label_name%5B%5D=flaky-test", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 349 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/105.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/105.json new file mode 100644 index 00000000..5a9263da --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/105.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 105, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Display the list of issues in the {{repo}} repository that have labels related to {{label}}", + "instantiation_dict": { + "label": "OpenAPI Generator CLI", + "repo": "OpenAPITools/openapi-generator" + }, + "intent": "Display the list of issues in the OpenAPITools/openapi-generator repository that have labels related to OpenAPI Generator CLI", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/OpenAPITools/openapi-generator/-/issues/?label_name%5B%5D=OpenAPI%20Generator%20CLI", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 349 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/106.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/106.json new file mode 100644 index 00000000..d1d1467a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/106.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 106, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Display the list of issues in the {{repo}} repository that have labels related to {{label}}", + "instantiation_dict": { + "label": "BUG", + "repo": "umano/AndroidSlidingUpPanel" + }, + "intent": "Display the list of issues in the umano/AndroidSlidingUpPanel repository that have labels related to BUG", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/umano/AndroidSlidingUpPanel/-/issues/?label_name%5B%5D=BUG", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 349 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/107.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/107.json new file mode 100644 index 00000000..cfaf630d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/107.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 107, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Presents the monthly count of successful orders {{period}} in MM:COUNT format", + "instantiation_dict": { + "period": "from May to December 2022" + }, + "intent": "Presents the monthly count of successful orders from May to December 2022 in MM:COUNT format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "May: 8 orders", + "June: 13 orders", + "July: 9 orders", + "August: 8 orders", + "Sepetember: 10 orders", + "October: 4 orders", + "November: 5 orders", + "December: 10 orders" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "May: 8 orders June: 13 orders July: 9 orders August: 8 orders Sepetember: 10 orders Octorbor: 4 orders November: 5 orders December: 10 orders " + }, + "intent_template_id": 270 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/108.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/108.json new file mode 100644 index 00000000..929e8dcb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/108.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 108, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Presents the monthly count of successful orders {{period}} in MM:COUNT format", + "instantiation_dict": { + "period": "01/2023-05/2023" + }, + "intent": "Presents the monthly count of successful orders 01/2023-05/2023 in MM:COUNT format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "January: 12 orders", + "Feburary: 7 orders", + "March: 5 orders", + "April: 9 orders", + "May: 5 orders" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "January: 12 orders Febulary: 7 orders March: 5 orders Apirl: 9 orders May: 5 orders" + }, + "intent_template_id": 270 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/109.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/109.json new file mode 100644 index 00000000..7f297d21 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/109.json @@ -0,0 +1,42 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 109, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Presents the monthly count of successful orders {{period}} in MM:COUNT format", + "instantiation_dict": { + "period": "from Jan to December 2022" + }, + "intent": "Presents the monthly count of successful orders from Jan to December 2022 in MM:COUNT format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "January: 11 orders", + "Feburary: 16 orders", + "March: 14 orders", + "April: 7 orders", + "May: 8 orders", + "June: 13 orders", + "July: 9 orders", + "August: 8 orders", + "Sepetember: 10 orders", + "Octorbor: 4 orders", + "November: 5 orders", + "December: 10 orders" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "January: 11 orders Feburary: 16 orders March: 14 orders April: 7 orders May: 8 orders June: 13 orders July: 9 orders August: 8 orders Sepetember: 10 orders Octorbor: 4 orders November: 5 orders December: 10 orders " + }, + "intent_template_id": 270 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/11.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/11.json new file mode 100644 index 00000000..2d8f4b78 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/11.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 11, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the the number of reviews that our store received by far that mention term \"{{term}}\"", + "instantiation_dict": { + "term": "disappointed" + }, + "intent": "Tell me the the number of reviews that our store received by far that mention term \"disappointed\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "6" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "6" + }, + "intent_template_id": 288 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/110.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/110.json new file mode 100644 index 00000000..d0b38ba6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/110.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 110, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Presents the monthly count of successful orders {{period}} in MM:COUNT format", + "instantiation_dict": { + "period": "from Jan to Nov 2022" + }, + "intent": "Presents the monthly count of successful orders from Jan to Nov 2022 in MM:COUNT format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "January: 11 orders", + "Feburary: 16 orders", + "March: 14 orders", + "April: 7 orders", + "May: 8 orders", + "June: 13 orders", + "July: 9 orders", + "August: 8 orders", + "Sepetember: 10 orders", + "Octorbor: 4 orders", + "November: 5 orders" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "January: 11 orders Feburary: 16 orders March: 14 orders April: 7 orders May: 8 orders June: 13 orders July: 9 orders August: 8 orders Sepetember: 10 orders Octorbor: 4 orders November: 5 orders " + }, + "intent_template_id": 270 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/111.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/111.json new file mode 100644 index 00000000..8814f14e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/111.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 111, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Presents the monthly count of successful orders {{period}} in MM:COUNT format", + "instantiation_dict": { + "period": "from Feb to Nov 2022" + }, + "intent": "Presents the monthly count of successful orders from Feb to Nov 2022 in MM:COUNT format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Feburary: 16 orders", + "March: 14 orders", + "April: 7 orders", + "May: 8 orders", + "June: 13 orders", + "July: 9 orders", + "August: 8 orders", + "Sepetember: 10 orders", + "Octorbor: 4 orders", + "November: 5 orders" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Feburary: 16 orders March: 14 orders April: 7 orders May: 8 orders June: 13 orders July: 9 orders August: 8 orders Sepetember: 10 orders Octorbor: 4 orders November: 5 orders " + }, + "intent_template_id": 270 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/112.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/112.json new file mode 100644 index 00000000..0ffcefd4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/112.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 112, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the customers who have expressed dissatisfaction with {{product}}?", + "instantiation_dict": { + "product": "Circe fleece" + }, + "intent": "Show me the customers who have expressed dissatisfaction with Circe fleece?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Hannah Lim" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Hannah Lim" + }, + "intent_template_id": 245 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/113.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/113.json new file mode 100644 index 00000000..27ca1b53 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/113.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 113, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the customers who have expressed dissatisfaction with {{product}}?", + "instantiation_dict": { + "product": "Olivia zip jacket" + }, + "intent": "Show me the customers who have expressed dissatisfaction with Olivia zip jacket?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Emma Lopez", + "Seam Miller" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Emma Lopez, Seam Miller" + }, + "intent_template_id": 245 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/114.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/114.json new file mode 100644 index 00000000..8fa8b0e5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/114.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 114, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the customers who have expressed dissatisfaction with {{product}}?", + "instantiation_dict": { + "product": "Antonia racer tank" + }, + "intent": "Show me the customers who have expressed dissatisfaction with Antonia racer tank?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Shaunte", + "Merrie" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Shaunte, Merrie" + }, + "intent_template_id": 245 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/115.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/115.json new file mode 100644 index 00000000..aedf6007 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/115.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 115, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the name of the customers who have expressed dissatisfaction with {{product}}", + "instantiation_dict": { + "product": "Chloe tank" + }, + "intent": "Show me the name of the customers who have expressed dissatisfaction with Chloe tank", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no negative review for Chloe tank", + "reference_answer_raw_annotation": "" + }, + "intent_template_id": 245 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/116.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/116.json new file mode 100644 index 00000000..6c37a13b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/116.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 116, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the name of the customers who have expressed dissatisfaction with {{product}}?", + "instantiation_dict": { + "product": "tanks products" + }, + "intent": "Show me the name of the customers who have expressed dissatisfaction with tanks products?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Alexander", + "Carma", + "Dominic", + "Merrie", + "Monroe", + "Scotty", + "Shaunte", + "Teofila", + "Valorie" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Alexander, Carma, Dominic, Merrie, Monroe, Scotty, Shaunte, Teofila, Valorie" + }, + "intent_template_id": 245 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/117.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/117.json new file mode 100644 index 00000000..2ad0a5b0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/117.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 117, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the date when I made my first purchase on this site?", + "instantiation_dict": {}, + "intent": "What is the date when I made my first purchase on this site?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "3/2/22" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3/2/22" + }, + "intent_template_id": 161 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/118.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/118.json new file mode 100644 index 00000000..5726e346 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/118.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 118, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I have jaw bruxism problem, show me something that could alleviate the problem.", + "instantiation_dict": {}, + "intent": "I have jaw bruxism problem, show me something that could alleviate the problem.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "", + "required_contents": { + "must_include": [ + "jaw bruxism", + "mouth guard" + ] + } + } + ] + }, + "intent_template_id": 151 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/119.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/119.json new file mode 100644 index 00000000..d89d7305 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/119.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 119, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the reasons why customers like {{product}}", + "instantiation_dict": { + "product": "Antonia Racer Tank" + }, + "intent": "Tell me the reasons why customers like Antonia Racer Tank", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Its color and style is good" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Its color and style is good" + }, + "intent_template_id": 250 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/12.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/12.json new file mode 100644 index 00000000..3eafc556 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/12.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 12, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the the number of reviews that our store received by far that mention term \"{{term}}\"", + "instantiation_dict": { + "term": "satisfied" + }, + "intent": "Tell me the the number of reviews that our store received by far that mention term \"satisfied\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2" + }, + "intent_template_id": 288 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/120.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/120.json new file mode 100644 index 00000000..5212ecbc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/120.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 120, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the reasons why customers like {{product}}", + "instantiation_dict": { + "product": "Ana Running Short" + }, + "intent": "Tell me the reasons why customers like Ana Running Short", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "It is comfortable" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "It is comfortable" + }, + "intent_template_id": 250 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/121.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/121.json new file mode 100644 index 00000000..0cb1bac0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/121.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 121, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the reasons why customers like {{product}}", + "instantiation_dict": { + "product": "Circe hooded fleece" + }, + "intent": "Tell me the reasons why customers like Circe hooded fleece", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Warm and comfortable. True to size." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Warm and comfortable. True to size." + }, + "intent_template_id": 250 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/122.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/122.json new file mode 100644 index 00000000..5dedd836 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/122.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 122, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the reasons why customers like {{product}}", + "instantiation_dict": { + "product": "Olivia zip jacket" + }, + "intent": "Tell me the reasons why customers like Olivia zip jacket", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Lightweight, comfortable and stylish. Good design and details." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lightweight, comfortable, and stylish. Good design and details." + }, + "intent_template_id": 250 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/123.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/123.json new file mode 100644 index 00000000..89d10e6c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/123.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 123, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the reasons why customers like {{product}}", + "instantiation_dict": { + "product": "Circe's products" + }, + "intent": "Tell me the reasons why customers like Circe's products", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Warm and comfortable. True to size." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Warm and comfortable. True to size." + }, + "intent_template_id": 250 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/124.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/124.json new file mode 100644 index 00000000..13f55ce1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/124.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 124, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range of {{product}} in the One Stop Market?", + "instantiation_dict": { + "product": "wireless earphone" + }, + "intent": "What is the price range of wireless earphone in the One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0.14", + "745.00" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$0.14 - $745.00" + }, + "intent_template_id": 159 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/125.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/125.json new file mode 100644 index 00000000..44408dcc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/125.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 125, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range of {{product}} in the One Stop Market?", + "instantiation_dict": { + "product": "teeth grinding mouth guard" + }, + "intent": "What is the price range of teeth grinding mouth guard in the One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1.46", + "85" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$1.46 - $85" + }, + "intent_template_id": 159 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/126.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/126.json new file mode 100644 index 00000000..5a15f154 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/126.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 126, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range of {{product}} in the One Stop Market?", + "instantiation_dict": { + "product": "Canon photo printer" + }, + "intent": "What is the price range of Canon photo printer in the One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2.56", + "649.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$2.56 - $649.99" + }, + "intent_template_id": 159 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/127.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/127.json new file mode 100644 index 00000000..08016e95 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/127.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 127, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What brands appear most frequently among the top search terms?", + "instantiation_dict": {}, + "intent": "What brands appear most frequently among the top search terms?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Hollister", + "Joust", + "Antonia" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Hollister, Joust, Antonia" + }, + "intent_template_id": 1001 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/128.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/128.json new file mode 100644 index 00000000..fb5145b4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/128.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 128, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What's the total number of items sold in the most recent {{k}} orders?", + "instantiation_dict": { + "k": "2" + }, + "intent": "What's the total number of items sold in the most recent 2 orders?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "9" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "9" + }, + "intent_template_id": 1002 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/129.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/129.json new file mode 100644 index 00000000..369cda6b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/129.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 129, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What's the total number of items sold in the most recent {{k}} orders?", + "instantiation_dict": { + "k": "4" + }, + "intent": "What's the total number of items sold in the most recent 4 orders?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "16" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "16" + }, + "intent_template_id": 1002 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/13.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/13.json new file mode 100644 index 00000000..7f2b89ba --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/13.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 13, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the the number of reviews that our store received by far that mention term \"{{term}}\"", + "instantiation_dict": { + "term": "decent" + }, + "intent": "Tell me the the number of reviews that our store received by far that mention term \"decent\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2" + }, + "intent_template_id": 288 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/130.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/130.json new file mode 100644 index 00000000..ea827916 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/130.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 130, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What's the total number of items sold in the most recent {{k}} orders?", + "instantiation_dict": { + "k": "5" + }, + "intent": "What's the total number of items sold in the most recent 5 orders?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "18" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "18" + }, + "intent_template_id": 1002 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/131.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/131.json new file mode 100644 index 00000000..ba7431e4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/131.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 131, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What's the total number of items sold in the most recent {{k}} orders?", + "instantiation_dict": { + "k": "7" + }, + "intent": "What's the total number of items sold in the most recent 7 orders?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "25" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "25" + }, + "intent_template_id": 1002 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/132.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/132.json new file mode 100644 index 00000000..bf5f27f1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/132.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 132, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "How many commits did {{user}} make to {{repo}} on {{date}}?", + "instantiation_dict": { + "user": "kilian", + "repo": "a11yproject", + "date": "3/5/2023" + }, + "intent": "How many commits did kilian make to a11yproject on 3/5/2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 322 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/133.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/133.json new file mode 100644 index 00000000..a1fce61f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/133.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 133, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "How many commits did {{user}} make to {{repo}} on {{date}}?", + "instantiation_dict": { + "user": "Eric", + "repo": "a11yproject", + "date": "3/2" + }, + "intent": "How many commits did Eric make to a11yproject on 3/2?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2" + }, + "intent_template_id": 322 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/134.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/134.json new file mode 100644 index 00000000..0b19016c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/134.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 134, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "How many commits did {{user}} make to {{repo}} on {{date}}?", + "instantiation_dict": { + "user": "kilian", + "repo": "a11yproject", + "date": "3/1/2023" + }, + "intent": "How many commits did kilian make to a11yproject on 3/1/2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 322 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/135.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/135.json new file mode 100644 index 00000000..7a2805a4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/135.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 135, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "How many commits did {{user}} make to {{repo}} on {{date}}?", + "instantiation_dict": { + "user": "Eric and Kilian", + "repo": "a11yproject", + "date": "1/3/2023" + }, + "intent": "How many commits did Eric and Kilian make to a11yproject on 1/3/2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 322 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/136.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/136.json new file mode 100644 index 00000000..c151e80c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/136.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 136, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "How many commits did {{user}} make to {{repo}} on {{date}}?", + "instantiation_dict": { + "user": "Steven Woodson", + "repo": "a11y-webring.club", + "date": "2/6/2023" + }, + "intent": "How many commits did Steven Woodson make to a11y-webring.club on 2/6/2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "5" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "5" + }, + "intent_template_id": 322 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/137.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/137.json new file mode 100644 index 00000000..17bbd500 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/137.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 137, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the estimated driving time between {{city1}} and {{city2}}?", + "instantiation_dict": { + "city1": "the city where the Liberty Bell is located", + "city2": "the home city of Pirates" + }, + "intent": "What is the estimated driving time between the city where the Liberty Bell is located and the home city of Pirates?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "5h 47min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "5h 47min" + }, + "intent_template_id": 51 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/138.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/138.json new file mode 100644 index 00000000..88d8b048 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/138.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 138, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the estimated driving time between {{city1}} and {{city2}}?", + "instantiation_dict": { + "city1": "the big apple", + "city2": "the city with the most authentic Philly cheesesteaks" + }, + "intent": "What is the estimated driving time between the big apple and the city with the most authentic Philly cheesesteaks?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "1h 58min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1h 58min" + }, + "intent_template_id": 51 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/139.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/139.json new file mode 100644 index 00000000..81544e34 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/139.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 139, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the estimated driving time between {{city1}} and {{city2}}?", + "instantiation_dict": { + "city1": "the hometown of Joe Biden", + "city2": "Bridgeport" + }, + "intent": "What is the estimated driving time between the hometown of Joe Biden and Bridgeport?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "3h 20min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3h 20min" + }, + "intent_template_id": 51 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/14.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/14.json new file mode 100644 index 00000000..6a3567d9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/14.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 14, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the the number of reviews that our store received by far that mention term \"{{term}}\"", + "instantiation_dict": { + "term": "not useful" + }, + "intent": "Tell me the the number of reviews that our store received by far that mention term \"not useful\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 288 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/140.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/140.json new file mode 100644 index 00000000..d5ae0887 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/140.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 140, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the estimated driving time between {{city1}} and {{city2}}?", + "instantiation_dict": { + "city1": "the city of Niagara Falls", + "city2": "the city of Yale University" + }, + "intent": "What is the estimated driving time between the city of Niagara Falls and the city of Yale University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "8h 33min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "8h 33min" + }, + "intent_template_id": 51 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/141.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/141.json new file mode 100644 index 00000000..e9db4b0a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/141.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 141, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spent on {{category}} shopping during {{time}}", + "instantiation_dict": { + "category": "food-related", + "time": "March 2023" + }, + "intent": "How much I spent on food-related shopping during March 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "47.41" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$47.41" + }, + "intent_template_id": 162 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/142.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/142.json new file mode 100644 index 00000000..2e8f43bf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/142.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 142, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spent on {{category}} shopping during {{time}}", + "instantiation_dict": { + "category": "hair care and hair style", + "time": "Jan 2023" + }, + "intent": "How much I spent on hair care and hair style shopping during Jan 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "95.23" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$95.23" + }, + "intent_template_id": 162 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/143.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/143.json new file mode 100644 index 00000000..3f96c50f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/143.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 143, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spent on {{category}} shopping during {{time}}", + "instantiation_dict": { + "category": "home decoration", + "time": "1/29/2023" + }, + "intent": "How much I spent on home decoration shopping during 1/29/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "265.69" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$265.69" + }, + "intent_template_id": 162 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/144.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/144.json new file mode 100644 index 00000000..629b90a8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/144.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 144, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spent on {{category}} shopping during {{time}}", + "instantiation_dict": { + "category": "food", + "time": "from mid Jan to the end Jan 2023" + }, + "intent": "How much I spent on food shopping during from mid Jan to the end Jan 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 162 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/145.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/145.json new file mode 100644 index 00000000..1307f351 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/145.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 145, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spent on {{category}} shopping during {{time}}", + "instantiation_dict": { + "category": "cooking and food", + "time": "March 2022" + }, + "intent": "How much I spent on cooking and food shopping during March 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "52.35" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$52.35" + }, + "intent_template_id": 162 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/146.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/146.json new file mode 100644 index 00000000..0905bd34 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/146.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 146, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the {{option}} configuration of the {{product}} I bought {{time}}", + "instantiation_dict": { + "option": "size", + "product": "picture frame", + "time": "Sep 2022" + }, + "intent": "What is the size configuration of the picture frame I bought Sep 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "16x24" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "16x24" + }, + "intent_template_id": 155 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/147.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/147.json new file mode 100644 index 00000000..e27bed0c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/147.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 147, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the {{option}} configuration of the {{product}} I bought {{time}}", + "instantiation_dict": { + "option": "size", + "product": "picture frame", + "time": "2022" + }, + "intent": "What is the size configuration of the picture frame I bought 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "16x24" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "16x24" + }, + "intent_template_id": 155 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/148.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/148.json new file mode 100644 index 00000000..a91ebbac --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/148.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 148, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the {{option}} configuration of the {{product}} I bought {{time}}", + "instantiation_dict": { + "option": "color", + "product": "picture frame", + "time": "Sep 2022" + }, + "intent": "What is the color configuration of the picture frame I bought Sep 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Mist" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Mist" + }, + "intent_template_id": 155 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/149.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/149.json new file mode 100644 index 00000000..a89dd3d2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/149.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 149, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the {{option}} configuration of the {{product}} I bought {{time}}", + "instantiation_dict": { + "option": "color", + "product": "artifical plants", + "time": "Feb 2023" + }, + "intent": "What is the color configuration of the artifical plants I bought Feb 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Green-vines" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Green-vines" + }, + "intent_template_id": 155 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/15.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/15.json new file mode 100644 index 00000000..024f629f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/15.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 15, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the the number of reviews that our store received by far that mention term \"{{term}}\"", + "instantiation_dict": { + "term": "best" + }, + "intent": "Tell me the the number of reviews that our store received by far that mention term \"best\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2" + }, + "intent_template_id": 288 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/150.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/150.json new file mode 100644 index 00000000..66784c1e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/150.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 150, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the {{option}} configuration of the {{product}} I bought {{time}}", + "instantiation_dict": { + "option": "price", + "product": "fake tree", + "time": "Jan 2023" + }, + "intent": "What is the price configuration of the fake tree I bought Jan 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "260.69" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "260.69" + }, + "intent_template_id": 155 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/151.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/151.json new file mode 100644 index 00000000..67c0cb98 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/151.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 151, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the minimum travel time by car from {{location1}} to {{location2}}?", + "instantiation_dict": { + "location1": "CMU", + "location2": "University of Pittsburgh" + }, + "intent": "What is the minimum travel time by car from CMU to University of Pittsburgh?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "4min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "4min" + }, + "intent_template_id": 36 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/152.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/152.json new file mode 100644 index 00000000..2da087f3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/152.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 152, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the minimum travel time by car from {{location1}} to {{location2}}?", + "instantiation_dict": { + "location1": "Schenley park", + "location2": "Upitt" + }, + "intent": "What is the minimum travel time by car from Schenley park to Upitt?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "4min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "4min" + }, + "intent_template_id": 36 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/153.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/153.json new file mode 100644 index 00000000..3ed00fb8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/153.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 153, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the minimum travel time by car from {{location1}} to {{location2}}?", + "instantiation_dict": { + "location1": "REI", + "location2": "CMU" + }, + "intent": "What is the minimum travel time by car from REI to CMU?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "7min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "7min" + }, + "intent_template_id": 36 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/154.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/154.json new file mode 100644 index 00000000..212360a0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/154.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 154, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the minimum travel time by car from {{location1}} to {{location2}}?", + "instantiation_dict": { + "location1": "CMU gates building", + "location2": "Schenley park" + }, + "intent": "What is the minimum travel time by car from CMU gates building to Schenley park?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "4min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "4min" + }, + "intent_template_id": 36 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/155.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/155.json new file mode 100644 index 00000000..b55cb289 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/155.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 155, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the minimum travel time by car from {{location1}} to {{location2}}?", + "instantiation_dict": { + "location1": "Animal Rescue League of Pittsburgh", + "location2": "Schenley park" + }, + "intent": "What is the minimum travel time by car from Animal Rescue League of Pittsburgh to Schenley park?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "9min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "9min" + }, + "intent_template_id": 36 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/156.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/156.json new file mode 100644 index 00000000..6c56da2b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/156.json @@ -0,0 +1,24 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 156, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Checkout merge requests assigned to me", + "instantiation_dict": {}, + "intent": "Checkout merge requests assigned to me", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/merge_requests?assignee_username=byteblaze", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 290 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/157.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/157.json new file mode 100644 index 00000000..df9e8f2c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/157.json @@ -0,0 +1,24 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 157, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show all customers", + "instantiation_dict": {}, + "intent": "Show all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/customer/index/", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 255 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/158.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/158.json new file mode 100644 index 00000000..02cefe71 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/158.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 158, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all {{num}} cards", + "instantiation_dict": { + "num": 11 + }, + "intent": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all 11 cards", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/heiying-game-card-case-for-nintendo-switch-switch-oled-game-card-or-micro-sd-memory-cards-portable-switch-game-memory-card-storage-with-24-game-card-slots-and-24-micro-sd-card-slots-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 171 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/159.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/159.json new file mode 100644 index 00000000..22f56e01 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/159.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 159, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all {{num}} cards", + "instantiation_dict": { + "num": 31 + }, + "intent": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all 31 cards", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/game-card-holder-storage-case-for-nintendo-switch-games-or-ps-vita-game-case-or-sd-memory-cards-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 171 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/16.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/16.json new file mode 100644 index 00000000..d47d1199 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/16.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 16, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Compare the time for walking and driving route from {{start}} to {{end}}", + "instantiation_dict": { + "start": "5000 Fifth Avenue, Pittsburgh", + "end": "UPMC family health center" + }, + "intent": "Compare the time for walking and driving route from 5000 Fifth Avenue, Pittsburgh to UPMC family health center", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "driving: 2min", + "walking: 16min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Driving: 2min. Walking: 16min." + }, + "intent_template_id": 73 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/160.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/160.json new file mode 100644 index 00000000..4f1169aa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/160.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 160, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all {{num}} cards", + "instantiation_dict": { + "num": 6 + }, + "intent": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all 6 cards", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/heiying-game-card-case-for-nintendo-switch-switch-oled-game-card-or-micro-sd-memory-cards-portable-switch-game-memory-card-storage-with-24-game-card-slots-and-24-micro-sd-card-slots-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 171 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/161.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/161.json new file mode 100644 index 00000000..d027dc8d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/161.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 161, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all {{num}} cards", + "instantiation_dict": { + "num": 23 + }, + "intent": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all 23 cards", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/heiying-game-card-case-for-nintendo-switch-switch-oled-game-card-or-micro-sd-memory-cards-portable-switch-game-memory-card-storage-with-24-game-card-slots-and-24-micro-sd-card-slots-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 171 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/162.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/162.json new file mode 100644 index 00000000..cc646c36 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/162.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 162, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all {{num}} cards", + "instantiation_dict": { + "num": 40 + }, + "intent": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all 40 cards", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/game-card-holder-storage-case-for-nintendo-switch-games-or-ps-vita-game-case-or-sd-memory-cards-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 171 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/163.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/163.json new file mode 100644 index 00000000..c6e2439a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/163.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 163, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/ostent-16gb-memory-card-stick-storage-for-sony-ps-vita-psv1000-2000-pch-z081-z161-z321-z641.html", + "geolocation": null, + "intent_template": "What are the main criticisms of this product? Please extract the relevant sentences.", + "instantiation_dict": {}, + "intent": "What are the main criticisms of this product? Please extract the relevant sentences.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "I ordered the 16gb but I only got 14 gigs even though I formatted the card", + "The memory card is kind of slow on games and downloads", + "No original packaging It's used and the previous owners data has not been erased", + "The product is a legit sony hardware that have been owned by someone else before", + "The media could not be loaded", + "I could not format the card so I wasn\u2019t able to use it for my VITA" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "I ordered the 16gb but I only got 14 gigs even though I formatted the card. The memory card is kind of slow on games and downloads. No original packaging It's used and the previous owners data has not been erased. The product is a legit sony hardware that have been owned by someone else before The media could not be loaded. I could not format the card so I wasn\u2019t able to use it for my VITA" + }, + "intent_template_id": 136 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/164.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/164.json new file mode 100644 index 00000000..f79f6509 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/164.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 164, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/mineralogie-all-natural-lip-gloss-ruby-rose.html", + "geolocation": null, + "intent_template": "What are the main criticisms of this product? Please extract the relevant sentences.", + "instantiation_dict": {}, + "intent": "What are the main criticisms of this product? Please extract the relevant sentences.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Dry", + "Uneven color" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "DryUneven color" + }, + "intent_template_id": 136 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/165.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/165.json new file mode 100644 index 00000000..a45edf1e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/165.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 165, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/sandgrens-swedish-handmade-wooden-clog-sandal-copenhagen.html", + "geolocation": null, + "intent_template": "What are the main criticisms of this product? Please extract the relevant sentences.", + "instantiation_dict": {}, + "intent": "What are the main criticisms of this product? Please extract the relevant sentences.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "The 39 was too small. I am afraid the 40 will be too big", + "I was very sad when the shoe rubbed up against my baby toe", + "I had to return them because I knew in time it would tear up my feet", + "The problem is that the strap is made of some really stiff leather and is painful to my heel", + "The front is also uncomfortably tight", + "The Dansko's were similar (not as bad) and loosened up over time" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "The 39 was too small. I am afraid the 40 will be too big. I was very sad when the shoe rubbed up against my baby toe. I had to return them because I knew in time it would tear up my feet. The problem is that the strap is made of some really stiff leather and is painful to my heel. The front is also uncomfortably tight. The Dansko's were similar (not as bad) and loosened up over time." + }, + "intent_template_id": 136 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/166.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/166.json new file mode 100644 index 00000000..648616e0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/166.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 166, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/sensodyne-repair-protect-whitening-toothpaste-with-fluoride-3-4-oz-pack-of-3.html", + "geolocation": null, + "intent_template": "What are the main criticisms of this product? Please extract the relevant sentences.", + "instantiation_dict": {}, + "intent": "What are the main criticisms of this product? Please extract the relevant sentences.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "there is no existing criticism", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 136 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/167.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/167.json new file mode 100644 index 00000000..7b93a41d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/167.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 167, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/photosmart-plus-b209-clr-inkjetfb-p-s-c-usb-wrls-1.html", + "geolocation": null, + "intent_template": "What are the main criticisms of this product? Please extract the relevant sentences.", + "instantiation_dict": {}, + "intent": "What are the main criticisms of this product? Please extract the relevant sentences.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "The wireless connection works on a whim (about 40% of the time I've owned it)", + "It seems to constantly run out of ink", + "Cartridge prices are less than some printers I've had", + "This printer seems to have more reasons NOT to work (none that are findable or correctable) Ex: error boxes saying that it's out of paper when it automatically switches to photo printing for some reason", + "Scanner is as slow as my first scanner I ever owned in the mid-90's", + "For the $176 I paid, there isn't even a fax component on it. I guess the \"PLUS\" part of it's name is in reference to the migraines it causes when you can't figure out the new reason why it's not working for the 10th time in the past 2 months." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "The wireless connection works on a whim (about 40% of the time I've owned it). It seems to constantly run out of ink. Cartridge prices are less than some printers I've had, but now I understand why. This printer seems to have more reasons NOT to work (none that are findable or correctable) Ex: error boxes saying that it's out of paper when it automatically switches to photo printing for some reason. Scanner is as slow as my first scanner I ever owned in the mid-90's. For the $176 I paid, there isn't even a fax component on it. I guess the \"PLUS\" part of it's name is in reference to the migraines it causes when you can't figure out the new reason why it's not working for the 10th time in the past 2 months." + }, + "intent_template_id": 136 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/168.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/168.json new file mode 100644 index 00000000..b9dc80bd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/168.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 168, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me the full names of the repositories where I made contributions and they got {{description}} stars?", + "instantiation_dict": { + "description": "more than 100" + }, + "intent": "Tell me the full names of the repositories where I made contributions and they got more than 100 stars?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "No repo found", + "reference_answer_raw_annotation": "No repo found" + }, + "intent_template_id": 289 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/169.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/169.json new file mode 100644 index 00000000..5aca6f6d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/169.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 169, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me the full names of the repositories where I made contributions and they got {{description}} stars?", + "instantiation_dict": { + "description": "the most" + }, + "intent": "Tell me the full names of the repositories where I made contributions and they got the most stars?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "a11yproject.com", + "design" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "a11yproject.com, Primer/design" + }, + "intent_template_id": 289 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/17.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/17.json new file mode 100644 index 00000000..25c73212 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/17.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 17, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Compare the time for walking and driving route from {{start}} to {{end}}", + "instantiation_dict": { + "start": "AMC Waterfront", + "end": "Carnegie Mellon University" + }, + "intent": "Compare the time for walking and driving route from AMC Waterfront to Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "driving: 13min", + "walking: 1h 35min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "driving: 13min, walking: 1h 35min." + }, + "intent_template_id": 73 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/170.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/170.json new file mode 100644 index 00000000..2d2968ad --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/170.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 170, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me the full names of the repositories where I made contributions and they got {{description}} stars?", + "instantiation_dict": { + "description": "the least" + }, + "intent": "Tell me the full names of the repositories where I made contributions and they got the least stars?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "cloud-to-butt", + "dotfiles", + "timeit", + "solarized-prism-theme", + "gimmiethat.space", + "remove-board-movement-events-from-the-github-issue-timeline" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "cloud-to-butt, dotfiles, timeit, solarized-prism-theme, gimmiethat.space, remove-board-movement-events-from-the-github-issue-timeline" + }, + "intent_template_id": 289 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/171.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/171.json new file mode 100644 index 00000000..6fcb6204 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/171.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 171, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me the full names of the repositories where I made contributions and they got {{description}} stars?", + "instantiation_dict": { + "description": "less than 5" + }, + "intent": "Tell me the full names of the repositories where I made contributions and they got less than 5 stars?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "a11y-syntax-highlighting", + "a11y-webring.club", + "accessible-html-content-patterns", + "ericwbailey.website", + "cloud-to-butt", + "dotfiles", + "timeit", + "solarized-prism-theme", + "gimmiethat.space", + "remove-board-movement-events-from-the-github-issue-timeline" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "a11y-syntax-highlighting, a11y-webring.club, accessible-html-content-patterns, ericwbailey.website, cloud-to-butt, dotfiles, timeit, solarized-prism-theme, gimmiethat.space, remove-board-movement-events-from-the-github-issue-timeline" + }, + "intent_template_id": 289 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/172.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/172.json new file mode 100644 index 00000000..52b8b97b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/172.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 172, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me the full names of the repositories where I made contributions and they got {{description}} stars?", + "instantiation_dict": { + "description": "no" + }, + "intent": "Tell me the full names of the repositories where I made contributions and they got no stars?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "cloud-to-butt", + "dotfiles", + "timeit", + "solarized-prism-theme", + "gimmiethat.space", + "remove-board-movement-events-from-the-github-issue-timeline" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "cloud-to-butt, dotfiles, timeit, solarized-prism-theme, gimmiethat.space, remove-board-movement-events-from-the-github-issue-timeline" + }, + "intent_template_id": 289 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/173.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/173.json new file mode 100644 index 00000000..8295ff4c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/173.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 173, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest updated issue that has keyword \"{{keyword}}\" in its title to check if it is closed", + "instantiation_dict": { + "keyword": "better" + }, + "intent": "Open my latest updated issue that has keyword \"better\" in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "fuzzy_match": [ + "No, it is open" + ] + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/empathy-prompts/-/issues/8", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "", + "url_note": "GOLD in PRED" + }, + "intent_template_id": 310 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/174.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/174.json new file mode 100644 index 00000000..cc3072a2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/174.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 174, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest updated issue that has keyword \"{{keyword}}\" in its title to check if it is closed", + "instantiation_dict": { + "keyword": "feature" + }, + "intent": "Open my latest updated issue that has keyword \"feature\" in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "fuzzy_match": [ + "No, it is open" + ] + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-webring.club/-/issues/71", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "" + }, + "intent_template_id": 310 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/175.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/175.json new file mode 100644 index 00000000..24ad56b1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/175.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 175, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest updated issue that has keyword \"{{keyword}}\" in its title to check if it is closed", + "instantiation_dict": { + "keyword": "dependency" + }, + "intent": "Open my latest updated issue that has keyword \"dependency\" in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "fuzzy_match": [ + "No, it is open" + ] + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/empathy-prompts/-/issues/18", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "" + }, + "intent_template_id": 310 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/176.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/176.json new file mode 100644 index 00000000..67556836 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/176.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 176, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest updated issue that has keyword \"{{keyword}}\" in its title to check if it is closed", + "instantiation_dict": { + "keyword": "theme editor" + }, + "intent": "Open my latest updated issue that has keyword \"theme editor\" in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "fuzzy_match": [ + "No, it is open" + ] + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-syntax-highlighting/-/issues/1", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "" + }, + "intent_template_id": 310 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/177.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/177.json new file mode 100644 index 00000000..3f011778 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/177.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 177, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest updated issue that has keyword \"{{keyword}}\" in its title to check if it is closed", + "instantiation_dict": { + "keyword": "homepage content" + }, + "intent": "Open my latest updated issue that has keyword \"homepage content\" in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Yes, it is closed" + ] + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues/719", + "program_html": [], + "reference_answer_raw_annotation": "closed", + "string_note": "" + }, + "intent_template_id": 310 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/178.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/178.json new file mode 100644 index 00000000..5930a21d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/178.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 178, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest created issue that has {{keyword}} in its title to check if it is closed", + "instantiation_dict": { + "keyword": "better" + }, + "intent": "Open my latest created issue that has better in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "exact_match": "Yes" + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues/566", + "program_html": [], + "reference_answer_raw_annotation": "Closed", + "string_note": "" + }, + "intent_template_id": 500 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/179.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/179.json new file mode 100644 index 00000000..68b9cacc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/179.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 179, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest created issue that has {{keyword}} in its title to check if it is closed", + "instantiation_dict": { + "keyword": "feature" + }, + "intent": "Open my latest created issue that has feature in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "exact_match": "Yes" + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues/1517", + "program_html": [], + "reference_answer_raw_annotation": "Closed", + "string_note": "" + }, + "intent_template_id": 500 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/18.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/18.json new file mode 100644 index 00000000..570df381 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/18.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 18, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Compare the time for walking and driving route from {{start}} to {{end}}", + "instantiation_dict": { + "start": "AMC Waterfront", + "end": "Univ of Pittsburgh" + }, + "intent": "Compare the time for walking and driving route from AMC Waterfront to Univ of Pittsburgh", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "driving: 15min", + "walking: 1h 47min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "driving: 15min, walking: 1h 47min." + }, + "intent_template_id": 73 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/180.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/180.json new file mode 100644 index 00000000..5170592f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/180.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 180, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest created issue that has {{keyword}} in its title to check if it is closed", + "instantiation_dict": { + "keyword": "dependency" + }, + "intent": "Open my latest created issue that has dependency in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "exact_match": "No" + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/empathy-prompts/-/issues/18", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "" + }, + "intent_template_id": 500 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/181.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/181.json new file mode 100644 index 00000000..e6df3ac9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/181.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 181, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest created issue that has {{keyword}} in its title to check if it is closed", + "instantiation_dict": { + "keyword": "theme editor" + }, + "intent": "Open my latest created issue that has theme editor in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "exact_match": "No" + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-syntax-highlighting/-/issues/1", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "" + }, + "intent_template_id": 500 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/182.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/182.json new file mode 100644 index 00000000..45c657e7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/182.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 182, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest created issue that has {{keyword}} in its title to check if it is closed", + "instantiation_dict": { + "keyword": "homepage content" + }, + "intent": "Open my latest created issue that has homepage content in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "exact_match": "Yes" + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues/719", + "program_html": [], + "reference_answer_raw_annotation": "closed", + "string_note": "" + }, + "intent_template_id": 500 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/183.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/183.json new file mode 100644 index 00000000..4f9b53be --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/183.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 183, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Give me the {{Attribute}} of the products that have {{N}} units left", + "instantiation_dict": { + "Attribute": "SKU", + "N": "10" + }, + "intent": "Give me the SKU of the products that have 10 units left", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no product that has 10 quantities left.", + "reference_answer_raw_annotation": "There is no product that has 10 quantities left." + }, + "intent_template_id": 368 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/184.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/184.json new file mode 100644 index 00000000..38a94e25 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/184.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 184, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Give me the {{Attribute}} of the products that have {{N}} units left", + "instantiation_dict": { + "Attribute": "name", + "N": "0" + }, + "intent": "Give me the name of the products that have 0 units left", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Sinbad Fitness Tank" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Sinbad Fitness Tank" + }, + "intent_template_id": 368 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/185.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/185.json new file mode 100644 index 00000000..a4175ad8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/185.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 185, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Give me the {{Attribute}} of the products that have {{N}} units left", + "instantiation_dict": { + "Attribute": "brand", + "N": "3" + }, + "intent": "Give me the brand of the products that have 3 units left", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Eos", + "Minerva" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Eos, Minerva" + }, + "intent_template_id": 368 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/186.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/186.json new file mode 100644 index 00000000..232a70c0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/186.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 186, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Give me the {{Attribute}} of the products that have {{N}} units left", + "instantiation_dict": { + "Attribute": "product names and the sizes", + "N": "2-3" + }, + "intent": "Give me the product names and the sizes of the products that have 2-3 units left", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Eos V-Neck Hoodie: S", + "Minera Luma Tech V-Tee: XS" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Eos V-Neck Hoodie: S Minera Luma Tech V-Tee: XS" + }, + "intent_template_id": 368 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/187.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/187.json new file mode 100644 index 00000000..c98d5384 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/187.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 187, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Give me the {{Attribute}} of the products that have {{N}} units left", + "instantiation_dict": { + "Attribute": "SKU", + "N": "1-3" + }, + "intent": "Give me the SKU of the products that have 1-3 units left", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "WH11-S-Blue", + "WS08-XS-Blue" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "WH11-S-Blue, WS08-XS-Blue" + }, + "intent_template_id": 368 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/188.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/188.json new file mode 100644 index 00000000..ccb8cd2d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/188.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 188, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me the total cost of my latest {{status}} order?", + "instantiation_dict": { + "status": "cancelled" + }, + "intent": "Tell me the total cost of my latest cancelled order?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "365.42" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "365.42" + }, + "intent_template_id": 214 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/189.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/189.json new file mode 100644 index 00000000..679608ef --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/189.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 189, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me the total cost of my latest {{status}} order?", + "instantiation_dict": { + "status": "pending" + }, + "intent": "Tell me the total cost of my latest pending order?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "754.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "754.99" + }, + "intent_template_id": 214 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/19.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/19.json new file mode 100644 index 00000000..27d25fcd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/19.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 19, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Compare the time for walking and driving route from {{start}} to {{end}}", + "instantiation_dict": { + "start": "Carnegie Science Center", + "end": "Carnegie Mellon University" + }, + "intent": "Compare the time for walking and driving route from Carnegie Science Center to Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "driving: 12min", + "walking: 1h 44min." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "driving: 12min, walking: 1h 44min." + }, + "intent_template_id": 73 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/190.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/190.json new file mode 100644 index 00000000..5aa8b707 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/190.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 190, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me the total cost of my latest {{status}} order?", + "instantiation_dict": { + "status": "complete" + }, + "intent": "Tell me the total cost of my latest complete order?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "65.32" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "65.32" + }, + "intent_template_id": 214 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/191.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/191.json new file mode 100644 index 00000000..c44d3abc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/191.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 191, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me the total cost of my latest {{status}} order?", + "instantiation_dict": { + "status": "processing" + }, + "intent": "Tell me the total cost of my latest processing order?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no order of \"processing\" status", + "reference_answer_raw_annotation": "There is no order of \"processing\" status" + }, + "intent_template_id": 214 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/192.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/192.json new file mode 100644 index 00000000..55d0cfa3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/192.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 192, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me the total cost of my latest {{status}} order?", + "instantiation_dict": { + "status": "non-cancelled" + }, + "intent": "Tell me the total cost of my latest non-cancelled order?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "754.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "754.99" + }, + "intent_template_id": 214 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/193.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/193.json new file mode 100644 index 00000000..bae148ed --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/193.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 193, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the total payment amount of the last {{N}} {{status}} orders", + "instantiation_dict": { + "status": "completed", + "N": "2" + }, + "intent": "Get the total payment amount of the last 2 completed orders", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "182.4" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "182.4" + }, + "intent_template_id": 367 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/194.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/194.json new file mode 100644 index 00000000..02b60b43 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/194.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 194, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the total payment amount of the last {{N}} {{status}} orders", + "instantiation_dict": { + "status": "completed", + "N": "5" + }, + "intent": "Get the total payment amount of the last 5 completed orders", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "555.2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "555.2" + }, + "intent_template_id": 367 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/195.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/195.json new file mode 100644 index 00000000..9348a559 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/195.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 195, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the total payment amount of the last {{N}} {{status}} orders", + "instantiation_dict": { + "status": "pending", + "N": "5" + }, + "intent": "Get the total payment amount of the last 5 pending orders", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "885.4" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "885.4" + }, + "intent_template_id": 367 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/196.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/196.json new file mode 100644 index 00000000..68985e63 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/196.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 196, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Compare the payment difference of the last {{N}} {{status_1}} orders and {{status_2}} orders", + "instantiation_dict": { + "status_1": "cancelled", + "status_2": "completed", + "N": "4" + }, + "intent": "Compare the payment difference of the last 4 cancelled orders and completed orders", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "194.25" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "194.25" + }, + "intent_template_id": 367 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/197.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/197.json new file mode 100644 index 00000000..69c111ef --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/197.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 197, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the total payment amount of the last {{N}} {{status}} orders", + "instantiation_dict": { + "status": "non-cancelled", + "N": "5" + }, + "intent": "Get the total payment amount of the last 5 non-cancelled orders", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "778.2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "annotation_note": "219.4+210+166.4+93.4+89", + "reference_answer_raw_annotation": "778.2" + }, + "intent_template_id": 367 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/198.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/198.json new file mode 100644 index 00000000..7e2b8c27 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/198.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 198, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "customer name", + "status": "most recent cancelled" + }, + "intent": "Get the customer name of the most recent cancelled order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Lily Potter" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lily Potter" + }, + "intent_template_id": 366 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/199.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/199.json new file mode 100644 index 00000000..7e7eceaf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/199.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 199, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "order ID", + "status": "newest pending" + }, + "intent": "Get the order ID of the newest pending order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "299" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "299" + }, + "intent_template_id": 366 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/2.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/2.json new file mode 100644 index 00000000..8f6dc8d7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/2.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 2, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What is the top-{{n}} best-selling product type in {{period}}", + "instantiation_dict": { + "n": 1, + "period": "Quarter 1 2022" + }, + "intent": "What is the top-1 best-selling product type in Quarter 1 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Yoga ball" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yoga ball" + }, + "intent_template_id": 279 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/20.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/20.json new file mode 100644 index 00000000..85c86353 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/20.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 20, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Compare the difference in time for walking and driving route from {{start}} to {{end}}", + "instantiation_dict": { + "start": "Randyland", + "end": "Carnegie Mellon University" + }, + "intent": "Compare the difference in time for walking and driving route from Randyland to Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "driving: 13min", + "walking: 1h 45min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "driving: 13min, walking: 1h 45min." + }, + "intent_template_id": 73 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/200.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/200.json new file mode 100644 index 00000000..5bb57c43 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/200.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 200, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "billing name", + "status": "oldest complete" + }, + "intent": "Get the billing name of the oldest complete order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "John Lee" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "John Lee" + }, + "intent_template_id": 366 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/201.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/201.json new file mode 100644 index 00000000..e987eb0f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/201.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 201, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "customer name", + "status": "earliest fraud suspect" + }, + "intent": "Get the customer name of the earliest fraud suspect order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no order of \"fraud suspect\" status", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 366 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/202.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/202.json new file mode 100644 index 00000000..03831db0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/202.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 202, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "date", + "status": "most recent canlled" + }, + "intent": "Get the date of the most recent canlled order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "May 23 2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "May 23, 2023" + }, + "intent_template_id": 366 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/203.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/203.json new file mode 100644 index 00000000..90c646fd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/203.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 203, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "purchase date and order id", + "status": "most recent pending" + }, + "intent": "Get the purchase date and order id of the most recent pending order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "order id: 000000299", + "purchase date: May 31, 2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "000000299, May 31, 2023, 2:55:09 AM" + }, + "intent_template_id": 366 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/204.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/204.json new file mode 100644 index 00000000..4b0ea270 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/204.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 204, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "product name and discounted price (low to high)", + "status": "most recent completed" + }, + "intent": "Get the product name and discounted price (low to high) of the most recent completed order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Rapha Sports Short: $35", + "Thorpe Track Pant: $54.4", + "Mach Street Sweatshirt: $62" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Rapha Sports Short: $35 Thorpe Track Pant: $54.4 Mach Street Sweatshirt: $62" + }, + "intent_template_id": 366 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/205.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/205.json new file mode 100644 index 00000000..117f9fcb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/205.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 205, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make on {{date}}?", + "instantiation_dict": { + "user": "kilian", + "date": "3/5/2023" + }, + "intent": "How many commits did kilian make on 3/5/2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 320 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/206.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/206.json new file mode 100644 index 00000000..91d46dab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/206.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 206, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make on {{date}}?", + "instantiation_dict": { + "user": "Eric", + "date": "3/2" + }, + "intent": "How many commits did Eric make on 3/2?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2" + }, + "intent_template_id": 320 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/207.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/207.json new file mode 100644 index 00000000..7cda09b3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/207.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 207, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make on {{date}} in total?", + "instantiation_dict": { + "user": "Eric and Kilian", + "date": "1/3/2023" + }, + "intent": "How many commits did Eric and Kilian make on 1/3/2023 in total?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 320 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/208.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/208.json new file mode 100644 index 00000000..320e04f3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/208.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 208, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Find the customer name and email with phone number {{PhoneNum}}", + "instantiation_dict": { + "PhoneNum": "+1 2058812302" + }, + "intent": "Find the customer name and email with phone number +1 2058812302", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "John Smith", + "john.smith.xyz@gmail.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "John Smith, john.smith.xyz@gmail.com" + }, + "intent_template_id": 364 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/209.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/209.json new file mode 100644 index 00000000..f3c23d92 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/209.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 209, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Find the customer name and email with phone number {{PhoneNum}}", + "instantiation_dict": { + "PhoneNum": "2137418080" + }, + "intent": "Find the customer name and email with phone number 2137418080", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Jennifer White", + "jennifer.white@yahoo.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Jennifer White, jennifer.white@yahoo.com" + }, + "intent_template_id": 364 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/21.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/21.json new file mode 100644 index 00000000..2d7a3a58 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/21.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 21, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/6s-wireless-headphones-over-ear-noise-canceling-hi-fi-bass-foldable-stereo-wireless-kid-headsets-earbuds-with-built-in-mic-micro-sd-tf-fm-for-iphone-samsung-ipad-pc-black-gold.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "ear cups being small" + }, + "intent": "List out reviewers, if exist, who mention about ear cups being small", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Joseph Brzezinski", + "Catso", + "Dibbins", + "Anglebert Dinkherhump", + "Michelle Davis" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Joseph Brzezinski, Catso, Dibbins, Anglebert Dinkherhump, Michelle Davis" + }, + "intent_template_id": 222 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/210.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/210.json new file mode 100644 index 00000000..0331a038 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/210.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 210, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Find the customer name and email with phone number {{PhoneNum}}", + "instantiation_dict": { + "PhoneNum": "2065555555" + }, + "intent": "Find the customer name and email with phone number 2065555555", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Adam Garcia", + "gamingpro456@gmail.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Adam Garcia, gamingpro456@gmail.com" + }, + "intent_template_id": 364 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/211.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/211.json new file mode 100644 index 00000000..57c2eb71 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/211.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 211, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Find the customer name and email with phone number {{PhoneNum}}", + "instantiation_dict": { + "PhoneNum": "8015551212" + }, + "intent": "Find the customer name and email with phone number 8015551212", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Sean Miller", + "sean.miller@gmail.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Sean Miller, sean.miller@gmail.com" + }, + "intent_template_id": 364 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/212.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/212.json new file mode 100644 index 00000000..6f93b4ee --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/212.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 212, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Find the customer name and email with phone number {{PhoneNum}}", + "instantiation_dict": { + "PhoneNum": "555-229-3326" + }, + "intent": "Find the customer name and email with phone number 555-229-3326", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Veronica Costello", + "roni_cost@example.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Veronica Costello, roni_cost@example.com" + }, + "intent_template_id": 364 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/213.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/213.json new file mode 100644 index 00000000..2aac1bf3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/213.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 213, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the key aspects that the customers don't like about {{product}}", + "instantiation_dict": { + "product": "Antonia Racer Tank" + }, + "intent": "What are the key aspects that the customers don't like about Antonia Racer Tank", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Not suitable for high-impact workouts" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Not suitable for high-impact workouts" + }, + "intent_template_id": 249 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/214.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/214.json new file mode 100644 index 00000000..d34e385b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/214.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 214, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the key aspects that the customers don't like about {{product}}", + "instantiation_dict": { + "product": "Zing Jump Rope" + }, + "intent": "What are the key aspects that the customers don't like about Zing Jump Rope", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "It is hard to find the right size. Won't last long" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "It is hard to find the right size. Won't last long" + }, + "intent_template_id": 249 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/215.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/215.json new file mode 100644 index 00000000..a67fd6ee --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/215.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 215, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the key aspects that the customers don't like about {{product}}", + "instantiation_dict": { + "product": "Circe ice fleece" + }, + "intent": "What are the key aspects that the customers don't like about Circe ice fleece", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Material quality, fit, insufficient warmth, color" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Material quality, fit, insufficient warmth, color" + }, + "intent_template_id": 249 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/216.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/216.json new file mode 100644 index 00000000..3f2b0a1a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/216.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 216, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the key aspects that the customers don't like about {{product}}", + "instantiation_dict": { + "product": "Electra Bra Top" + }, + "intent": "What are the key aspects that the customers don't like about Electra Bra Top", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Not true to size" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Not true to size" + }, + "intent_template_id": 249 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/217.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/217.json new file mode 100644 index 00000000..bfb134c1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/217.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 217, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the key aspects that the customers don't like about {{product}}", + "instantiation_dict": { + "product": "Pursuit Tone Band" + }, + "intent": "What are the key aspects that the customers don't like about Pursuit Tone Band", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Insufficient resistance for their workouts." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Insufficient resistance for their workouts." + }, + "intent_template_id": 249 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/218.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/218.json new file mode 100644 index 00000000..9e2df138 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/218.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "map" + ], + "task_id": 218, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the walking distance from nearby hotels to {{location}} that take at most {{n}} minutes?", + "instantiation_dict": { + "location": "CMU, Pittsburgh", + "n": "5" + }, + "intent": "Show me the walking distance from nearby hotels to CMU, Pittsburgh that take at most 5 minutes?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no hotel near CMU that is within 5 minutes walking distance", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 41 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/219.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/219.json new file mode 100644 index 00000000..834870e9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/219.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "map" + ], + "task_id": 219, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the walking distance from nearby hotels to {{location}} that take at most {{n}} minutes?", + "instantiation_dict": { + "location": "Pittsburgh airport", + "n": "3" + }, + "intent": "Show me the walking distance from nearby hotels to Pittsburgh airport that take at most 3 minutes?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no hotel near CMU that is within 5 minutes walking distance", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 41 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/22.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/22.json new file mode 100644 index 00000000..2b94f066 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/22.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 22, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/fujifilm-finepix-z200fd-10mp-digital-camera-with-5x-optical-dual-image-stabilized-zoom-black.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "under water photo" + }, + "intent": "List out reviewers, if exist, who mention about under water photo", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no review about under water photo", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 222 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/220.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/220.json new file mode 100644 index 00000000..f24a1758 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/220.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 220, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the walking distance from nearby hotels to {{location}} that take at most {{n}} minutes?", + "instantiation_dict": { + "location": "Gardner Steel Conference Center,", + "n": 5 + }, + "intent": "Show me the walking distance from nearby hotels to Gardner Steel Conference Center, that take at most 5 minutes?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Wyndham Pittsburgh University Cente: 375m", + "The Oaklander Hotel: 338m" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Wyndham Pittsburgh University Cente: 375 m\nThe Oaklander Hotel: 338 m" + }, + "intent_template_id": 41 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/221.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/221.json new file mode 100644 index 00000000..506dcb6b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/221.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 221, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I am at CMU Pittsburgh, how long it takes to the nearest {{location}} with different transportation methods?", + "instantiation_dict": { + "location": "USPS postal office" + }, + "intent": "I am at CMU Pittsburgh, how long it takes to the nearest USPS postal office with different transportation methods?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Walk: 1 minute", + "Drive: less than 1 minute", + "Bike: less than 1 minute" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Walk: 1 minute to walk and\nDrive: less than 1 minute\nBike: less than 1 minute" + }, + "intent_template_id": 35 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/222.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/222.json new file mode 100644 index 00000000..6faeffb5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/222.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "map" + ], + "task_id": 222, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I am at CMU Pittsburgh, how long it takes to drive to the nearest {{location}}", + "instantiation_dict": { + "location": "cold stone ice cream" + }, + "intent": "I am at CMU Pittsburgh, how long it takes to drive to the nearest cold stone ice cream", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "3min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3min" + }, + "intent_template_id": 35 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/223.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/223.json new file mode 100644 index 00000000..4b09d2f6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/223.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "map" + ], + "task_id": 223, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I am at CMU Pittsburgh, how long it takes to drive to the nearest {{location}}", + "instantiation_dict": { + "location": "Mcdonald's" + }, + "intent": "I am at CMU Pittsburgh, how long it takes to drive to the nearest Mcdonald's", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "4min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "4min" + }, + "intent_template_id": 35 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/224.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/224.json new file mode 100644 index 00000000..e63e7d9b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/224.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "map" + ], + "task_id": 224, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I am at CMU Pittsburgh, how long it takes to drive to the nearest {{location}}", + "instantiation_dict": { + "location": "wendys" + }, + "intent": "I am at CMU Pittsburgh, how long it takes to drive to the nearest wendys", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "3min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3min" + }, + "intent_template_id": 35 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/225.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/225.json new file mode 100644 index 00000000..a5e8d61d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/225.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 225, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What do customers say about {{product_type}} from {{manufature}}", + "instantiation_dict": { + "product_type": "brush", + "manufature": "sephora" + }, + "intent": "What do customers say about brush from sephora", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The sephora brushes don't have reviews", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 135 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/226.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/226.json new file mode 100644 index 00000000..5694bc10 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/226.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 226, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range for products from {{brand}}?", + "instantiation_dict": { + "brand": "Amazon basic" + }, + "intent": "What is the price range for products from Amazon basic?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "5.49", + "375.19" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$5.49 - $375.19" + }, + "intent_template_id": 370 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/227.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/227.json new file mode 100644 index 00000000..9acdca3e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/227.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 227, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range for products from {{brand}}?", + "instantiation_dict": { + "brand": "EYZUTAK" + }, + "intent": "What is the price range for products from EYZUTAK?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "9.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$9.99" + }, + "intent_template_id": 370 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/228.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/228.json new file mode 100644 index 00000000..0a03c4c4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/228.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 228, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range for products from {{brand}}?", + "instantiation_dict": { + "brand": "sephora" + }, + "intent": "What is the price range for products from sephora?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "18.18", + "94.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$18.18 - $94.99" + }, + "intent_template_id": 370 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/229.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/229.json new file mode 100644 index 00000000..1d519eab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/229.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 229, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range for products from {{brand}}?", + "instantiation_dict": { + "brand": "ugreen" + }, + "intent": "What is the price range for products from ugreen?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "6.99", + "38.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$6.99 - $38.99" + }, + "intent_template_id": 370 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/23.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/23.json new file mode 100644 index 00000000..e00c6643 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/23.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 23, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/3-pack-samsung-galaxy-s6-screen-protector-nearpow-tempered-glass-screen-protector-with-9h-hardness-crystal-clear-easy-bubble-free-installation-scratch-resist.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "good fingerprint resistant" + }, + "intent": "List out reviewers, if exist, who mention about good fingerprint resistant", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Rachel", + "T. Gannon" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Rachel, T. Gannon, " + }, + "intent_template_id": 222 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/230.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/230.json new file mode 100644 index 00000000..0148eff7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/230.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 230, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range for products from {{brand}}?", + "instantiation_dict": { + "brand": "Perricone MD" + }, + "intent": "What is the price range for products from Perricone MD?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "35", + "149" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$35 - $149" + }, + "intent_template_id": 370 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/231.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/231.json new file mode 100644 index 00000000..f480a8c1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/231.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 231, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Get the order number of my most recent {{status}} order ", + "instantiation_dict": { + "status": "cancelled" + }, + "intent": "Get the order number of my most recent cancelled order ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "170" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "000000170" + }, + "intent_template_id": 213 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/232.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/232.json new file mode 100644 index 00000000..bc0248b5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/232.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 232, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Get the order number of my most recent {{status}} order ", + "instantiation_dict": { + "status": "pending" + }, + "intent": "Get the order number of my most recent pending order ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "189" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "000000189" + }, + "intent_template_id": 213 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/233.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/233.json new file mode 100644 index 00000000..ca638a9e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/233.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 233, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Get the order number of my most recent {{status}} order ", + "instantiation_dict": { + "status": "complete" + }, + "intent": "Get the order number of my most recent complete order ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "180" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "000000180" + }, + "intent_template_id": 213 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/234.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/234.json new file mode 100644 index 00000000..df09ae0b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/234.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 234, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Get the order number of my most recent {{status}} order ", + "instantiation_dict": { + "status": "on hold" + }, + "intent": "Get the order number of my most recent on hold order ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "there is no on hold order", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 213 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/235.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/235.json new file mode 100644 index 00000000..e1c3e1b0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/235.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 235, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Get the order number of my most recent {{status}} order ", + "instantiation_dict": { + "status": "under delivery" + }, + "intent": "Get the order number of my most recent under delivery order ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no under delivery order", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 213 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/236.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/236.json new file mode 100644 index 00000000..8d9f12b8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/236.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "map" + ], + "task_id": 236, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Where is the nearest {{location}} from {{location2}} {{condition}}", + "instantiation_dict": { + "location": "pharmacy", + "location2": "Carnegie Mellon", + "condition": "I can walk within 20mins" + }, + "intent": "Where is the nearest pharmacy from Carnegie Mellon I can walk within 20mins", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Schiller's Pharmacy", + "811", + "South Aiken Avenue", + "Shadyside", + "Pittsburgh" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Schiller's Pharmacy, 811, South Aiken Avenue, Shadyside, Pittsburgh, Allegheny County, 15232, United States" + }, + "intent_template_id": 39 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/237.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/237.json new file mode 100644 index 00000000..9205737b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/237.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "map" + ], + "task_id": 237, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Where is the nearest {{location}} from {{location2}} {{condition}}", + "instantiation_dict": { + "location": "gas station", + "location2": "CMU", + "condition": "" + }, + "intent": "Where is the nearest gas station from CMU ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Sunoco", + "North Craig Street", + "North Oakland", + "Pittsburgh" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Sunoco, North Craig Street, North Oakland, Pittsburgh, Allegheny County, 15213, United States" + }, + "intent_template_id": 39 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/238.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/238.json new file mode 100644 index 00000000..04175b88 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/238.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 238, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I am doing a market survey for one stop market, show me the most expensive product from {{product_category}} category", + "instantiation_dict": { + "product_category": "PS4 accessories" + }, + "intent": "I am doing a market survey for one stop market, show me the most expensive product from PS4 accessories category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/astro-gaming-a50-wireless-headset-base-station-gen-4-compatible-with-ps5-ps4-pc-mac-black-silver.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 138 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/239.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/239.json new file mode 100644 index 00000000..38365a90 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/239.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 239, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I am doing a market survey for one stop market, show me the most expensive product from {{product_category}} category", + "instantiation_dict": { + "product_category": "nutrition bars and drinks" + }, + "intent": "I am doing a market survey for one stop market, show me the most expensive product from nutrition bars and drinks category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/kellogg-s-special-k-protein-meal-bars-chocolate-caramel-12-7oz-6-count.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 138 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/24.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/24.json new file mode 100644 index 00000000..b5a9303b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/24.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 24, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/haflinger-men-s-wool-felt-open-back-slippers-beige-550-peat-us-7.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "price being unfair" + }, + "intent": "List out reviewers, if exist, who mention about price being unfair", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no reivew about price being unfair", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 222 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/240.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/240.json new file mode 100644 index 00000000..9e1a5d16 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/240.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 240, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I am doing a market survey for one stop market, show me the most expensive product from {{product_category}} category", + "instantiation_dict": { + "product_category": "competative swimwear" + }, + "intent": "I am doing a market survey for one stop market, show me the most expensive product from competative swimwear category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/women-cross-flower-beachwear-tankini-bandeau-bandage-bikini-set-push-up-swimwear-bathing-suit-two-pieces-swimsuits.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 138 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/241.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/241.json new file mode 100644 index 00000000..585951bf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/241.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 241, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I am doing a market survey for one stop market, show me the most expensive product from {{product_category}} category", + "instantiation_dict": { + "product_category": "skin care tool" + }, + "intent": "I am doing a market survey for one stop market, show me the most expensive product from skin care tool category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/professional-medi-spa-scar-stretch-mark-reduction-system.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 138 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/242.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/242.json new file mode 100644 index 00000000..c0a1d17b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/242.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 242, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I am doing a market survey for one stop market, show me the most expensive product from {{product_category}} category", + "instantiation_dict": { + "product_category": "Household Supplies" + }, + "intent": "I am doing a market survey for one stop market, show me the most expensive product from Household Supplies category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/lynx-battery-12v-200ah-lithium-iron-phosphate-lifepo4-prismatic-deep-cell-battery-set-of-4-3-2v-cells-with-3-bus-bars-and-8-lug-nuts-for-rv-solar-marine-off-grid-applications.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 138 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/243.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/243.json new file mode 100644 index 00000000..89a483ed --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/243.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 243, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the {{information}} of the customer who is the most unhappy with {{product}}", + "instantiation_dict": { + "information": "email address", + "product": "Circe fleece" + }, + "intent": "Show me the email address of the customer who is the most unhappy with Circe fleece", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "hannah.lim@gmail.com" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "hannah.lim@gmail.com" + }, + "intent_template_id": 244 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/244.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/244.json new file mode 100644 index 00000000..1d178524 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/244.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 244, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the {{information}} of the customer who is the most unhappy with {{product}}", + "instantiation_dict": { + "information": "email address", + "product": "Olivia zip jacket" + }, + "intent": "Show me the email address of the customer who is the most unhappy with Olivia zip jacket", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "emma.lopez@gmail.com" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "emma.lopez@gmail.com" + }, + "intent_template_id": 244 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/245.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/245.json new file mode 100644 index 00000000..ba4e1ce8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/245.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 245, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the {{information}} of the customer who is the most unhappy with {{product}}", + "instantiation_dict": { + "information": "name", + "product": "Antonia racer tank" + }, + "intent": "Show me the name of the customer who is the most unhappy with Antonia racer tank", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Shaunte" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Shaunte" + }, + "intent_template_id": 244 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/246.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/246.json new file mode 100644 index 00000000..769b9f0a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/246.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 246, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the {{information}} of the customer who is the most unhappy with {{product}}", + "instantiation_dict": { + "information": "name", + "product": "Chloe tank" + }, + "intent": "Show me the name of the customer who is the most unhappy with Chloe tank", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Teofila" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Teofila" + }, + "intent_template_id": 244 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/247.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/247.json new file mode 100644 index 00000000..126bc545 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/247.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 247, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the {{information}} of the customer who is the most unhappy with {{product}}", + "instantiation_dict": { + "information": "email address", + "product": "the style of Zoe products" + }, + "intent": "Show me the email address of the customer who is the most unhappy with the style of Zoe products", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "Valorie doesn't have a email in the system", + "program_html": [], + "string_note": "There is no negative review for Zoe products", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 244 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/248.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/248.json new file mode 100644 index 00000000..7208459c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/248.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 248, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the coordinates of {{location}} in DD format", + "instantiation_dict": { + "location": "Carnegie Mellon Caf\u00e9" + }, + "intent": "Tell me the coordinates of Carnegie Mellon Caf\u00e9 in DD format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.442", + "-79.939" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.4424191, -79.9397388" + }, + "intent_template_id": 46 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/249.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/249.json new file mode 100644 index 00000000..bdd5bd7b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/249.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 249, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the coordinates of {{location}} in DD format", + "instantiation_dict": { + "location": "Western Pennsylvania Hospital Heliport" + }, + "intent": "Tell me the coordinates of Western Pennsylvania Hospital Heliport in DD format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.460", + "-79.946" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.46076, -79.94666" + }, + "intent_template_id": 46 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/25.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/25.json new file mode 100644 index 00000000..e730f317 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/25.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 25, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/epson-workforce-wf-3620-wifi-direct-all-in-one-color-inkjet-printer-copier-scanner-amazon-dash-replenishment-ready.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "average print quality" + }, + "intent": "List out reviewers, if exist, who mention about average print quality", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Goldfish", + "Roxanne Brandon Coffey" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "GoldfishGoldfish, Roxanne Brandon Coffey" + }, + "intent_template_id": 222 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/250.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/250.json new file mode 100644 index 00000000..15eda034 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/250.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 250, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the coordinates of {{location}} in DD format", + "instantiation_dict": { + "location": "Apple Store near Pitt" + }, + "intent": "Tell me the coordinates of Apple Store near Pitt in DD format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.451", + "-79.933" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.4511693, -79.9334241" + }, + "intent_template_id": 46 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/251.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/251.json new file mode 100644 index 00000000..192808cc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/251.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 251, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the coordinates of {{location}} in DD format", + "instantiation_dict": { + "location": "bus stop on the Carnegie art museum side of the street near CMU" + }, + "intent": "Tell me the coordinates of bus stop on the Carnegie art museum side of the street near CMU in DD format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.444", + "-79.948" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.4443, -79.94889" + }, + "intent_template_id": 46 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/252.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/252.json new file mode 100644 index 00000000..07b6c279 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/252.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 252, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the coordinates of {{location}} in DD format", + "instantiation_dict": { + "location": "Tokyo Japanese Food Store in Pittsburgh" + }, + "intent": "Tell me the coordinates of Tokyo Japanese Food Store in Pittsburgh in DD format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.457", + "-79.929" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.45761, -79.92934" + }, + "intent_template_id": 46 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/253.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/253.json new file mode 100644 index 00000000..f8ecdaf8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/253.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "map" + ], + "task_id": 253, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the {{information}} of {{location}}", + "instantiation_dict": { + "location": "Carnegie Mellon Caf\u00e9", + "information": "phone number" + }, + "intent": "What is the phone number of Carnegie Mellon Caf\u00e9", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no such information in the map", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 501 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/254.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/254.json new file mode 100644 index 00000000..4d60895f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/254.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "map" + ], + "task_id": 254, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the {{information}} of {{location}}", + "instantiation_dict": { + "location": "Western Pennsylvania Hospital", + "information": "phone number" + }, + "intent": "What is the phone number of Western Pennsylvania Hospital", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "4125785000" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "4125785000" + }, + "intent_template_id": 501 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/255.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/255.json new file mode 100644 index 00000000..12fe5714 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/255.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "map" + ], + "task_id": 255, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Who is the {{information}} of {{location}}", + "instantiation_dict": { + "location": "PIT airport", + "information": "operator" + }, + "intent": "Who is the operator of PIT airport", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Allegheny County Airport Authority" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Allegheny County Airport Authority" + }, + "intent_template_id": 501 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/256.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/256.json new file mode 100644 index 00000000..f8ac04d3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/256.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "map" + ], + "task_id": 256, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the {{information}} of {{location}}", + "instantiation_dict": { + "location": "Carnegie art museum in pittsburgh", + "information": "website" + }, + "intent": "What is the website of Carnegie art museum in pittsburgh", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "http://web.cmoa.org/" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "http://web.cmoa.org/" + }, + "intent_template_id": 501 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/257.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/257.json new file mode 100644 index 00000000..31f3dc1c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/257.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 257, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the {{information}} of {{location}}", + "instantiation_dict": { + "location": "Tokyo Japanese Food Store in Pittsburgh", + "information": "hours of operation" + }, + "intent": "What is the hours of operation of Tokyo Japanese Food Store in Pittsburgh", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "We-Su 10:00-17:00" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "We-Su 10:00-17:00" + }, + "intent_template_id": 501 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/258.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/258.json new file mode 100644 index 00000000..5ba3ba96 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/258.json @@ -0,0 +1,24 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 258, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "See all public projects", + "instantiation_dict": {}, + "intent": "See all public projects", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/explore", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 325 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/259.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/259.json new file mode 100644 index 00000000..b3aae98a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/259.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 259, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Get me my RSS feed token", + "instantiation_dict": {}, + "intent": "Get me my RSS feed token", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "TMN_bBn9Z48qVbUFZV45" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "TMN_bBn9Z48qVbUFZV45" + }, + "intent_template_id": 312 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/26.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/26.json new file mode 100644 index 00000000..3d853500 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/26.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 26, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/epson-workforce-wf-3620-wifi-direct-all-in-one-color-inkjet-printer-copier-scanner-amazon-dash-replenishment-ready.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "complain of the customer service" + }, + "intent": "List out reviewers, if exist, who mention about complain of the customer service", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Bob in Vegas", + "RemyR" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Bob in Vegas, RemyRRemyR" + }, + "intent_template_id": 222 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/260.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/260.json new file mode 100644 index 00000000..5000eb90 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/260.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 260, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I want to browse the products in the {{category}} category", + "instantiation_dict": { + "category": "Video Game" + }, + "intent": "I want to browse the products in the Video Game category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/video-games.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 211 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/261.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/261.json new file mode 100644 index 00000000..4677560a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/261.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 261, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I want to browse the products in the {{category}} category", + "instantiation_dict": { + "category": "Headphones" + }, + "intent": "I want to browse the products in the Headphones category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/electronics/headphones.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 211 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/262.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/262.json new file mode 100644 index 00000000..35eb0fb7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/262.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 262, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I want to browse the products in the {{category}} category", + "instantiation_dict": { + "category": "Men shoes" + }, + "intent": "I want to browse the products in the Men shoes category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/clothing-shoes-jewelry/men/shoes.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 211 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/263.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/263.json new file mode 100644 index 00000000..80a07ec1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/263.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 263, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I want to browse the products in the {{category}} category", + "instantiation_dict": { + "category": "Woman clothing" + }, + "intent": "I want to browse the products in the Woman clothing category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/clothing-shoes-jewelry/women/clothing.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 211 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/264.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/264.json new file mode 100644 index 00000000..c5813f64 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/264.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 264, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I want to browse the products in the {{category}} category", + "instantiation_dict": { + "category": "Cabinets, Racks & Shelves" + }, + "intent": "I want to browse the products in the Cabinets, Racks & Shelves category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/office-products/office-furniture-lighting/cabinets-racks-shelves.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 211 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/265.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/265.json new file mode 100644 index 00000000..c8b776f4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/265.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 265, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What's the closest national park to {{city}}? How far is it to drive there?", + "instantiation_dict": { + "city": "Boston" + }, + "intent": "What's the closest national park to Boston? How far is it to drive there?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Acadia National Park", + "457km" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Acadia National Park\n457km" + }, + "intent_template_id": 85 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/266.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/266.json new file mode 100644 index 00000000..4096a86f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/266.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 266, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What's the closest national park to {{city}}?", + "instantiation_dict": { + "city": "the largest city in Maine" + }, + "intent": "What's the closest national park to the largest city in Maine?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Acadia National Park" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Acadia National Park" + }, + "intent_template_id": 85 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/267.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/267.json new file mode 100644 index 00000000..7cfedab6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/267.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 267, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What's the closest national park to {{city}}? How long it takes to drive there?", + "instantiation_dict": { + "city": "the hometown of Stephen King" + }, + "intent": "What's the closest national park to the hometown of Stephen King? How long it takes to drive there?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Acadia National Park" + ], + "fuzzy_match": [ + "1h 23min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Acadia National Park\n1h 23min" + }, + "intent_template_id": 85 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/268.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/268.json new file mode 100644 index 00000000..ca71e6f0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/268.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 268, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What's the closest national park to {{city}}? How long does it take to bike there?", + "instantiation_dict": { + "city": "Vinalhaven, ME" + }, + "intent": "What's the closest national park to Vinalhaven, ME? How long does it take to bike there?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Acadia National Park" + ], + "fuzzy_match": [ + "10h 33min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Acadia National Park\n10h 33min" + }, + "intent_template_id": 85 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/269.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/269.json new file mode 100644 index 00000000..d7d45281 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/269.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 269, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me products under ${{price}} in \"{{product_category}}\" category", + "instantiation_dict": { + "price": "25", + "product_category": "women shoes" + }, + "intent": "Show me products under $25 in \"women shoes\" category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/clothing-shoes-jewelry/women/shoes.html?price=0-25", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 139 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/27.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/27.json new file mode 100644 index 00000000..c134f6f7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/27.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 27, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the {{forum}} forum.", + "instantiation_dict": { + "forum": "Showerthoughts" + }, + "intent": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the Showerthoughts forum.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 33 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/270.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/270.json new file mode 100644 index 00000000..3689342c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/270.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 270, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me products under ${{price}} in \"{{product_category}}\" category", + "instantiation_dict": { + "price": "30", + "product_category": "men shoes" + }, + "intent": "Show me products under $30 in \"men shoes\" category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/clothing-shoes-jewelry/men/shoes.html?price=0-30", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 139 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/271.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/271.json new file mode 100644 index 00000000..07b882b8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/271.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 271, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me products under ${{price}} in \"{{product_category}}\" category", + "instantiation_dict": { + "price": "46.99", + "product_category": "makeup remover" + }, + "intent": "Show me products under $46.99 in \"makeup remover\" category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/beauty-personal-care/makeup/makeup-remover.html?price=0-46.99", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 139 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/272.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/272.json new file mode 100644 index 00000000..cc53b13f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/272.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 272, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me products under ${{price}} in \"{{product_category}}\" category", + "instantiation_dict": { + "price": "78", + "product_category": "children dental care" + }, + "intent": "Show me products under $78 in \"children dental care\" category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/beauty-personal-care/oral-care/children-s-dental-care.html?price=0-78", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 139 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/273.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/273.json new file mode 100644 index 00000000..73b47f75 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/273.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 273, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me products under ${{price}} in \"{{product_category}}\" category", + "instantiation_dict": { + "price": "199", + "product_category": "furtiture with accent" + }, + "intent": "Show me products under $199 in \"furtiture with accent\" category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/home-kitchen/furniture/accent-furniture.html?price=0-199", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 139 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/274.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/274.json new file mode 100644 index 00000000..0050cfb6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/274.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 274, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Search for \"{{keyword}}\"", + "instantiation_dict": { + "keyword": "usb wifi" + }, + "intent": "Search for \"usb wifi\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/?q=usb+wifi", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 212 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/275.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/275.json new file mode 100644 index 00000000..b373e2b4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/275.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 275, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Search for \"{{keyword}}\"", + "instantiation_dict": { + "keyword": "xbox" + }, + "intent": "Search for \"xbox\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/?q=xbox", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 212 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/276.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/276.json new file mode 100644 index 00000000..84a18dc0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/276.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 276, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Search for \"{{keyword}}\"", + "instantiation_dict": { + "keyword": "switch accessories" + }, + "intent": "Search for \"switch accessories\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/?q=switch+accessories", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 212 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/277.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/277.json new file mode 100644 index 00000000..20b0ba4a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/277.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 277, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Search for \"{{keyword}}\"", + "instantiation_dict": { + "keyword": "batteries for iphone 13" + }, + "intent": "Search for \"batteries for iphone 13\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/?q=iphone+13", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 212 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/278.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/278.json new file mode 100644 index 00000000..d2044487 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/278.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 278, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Search for \"{{keyword}}\"", + "instantiation_dict": { + "keyword": "green tea bag for weight loss" + }, + "intent": "Search for \"green tea bag for weight loss\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/?q=green+tea+bag+for+weight+loss", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 212 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/279.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/279.json new file mode 100644 index 00000000..0baecf52 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/279.json @@ -0,0 +1,42 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 279, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Provide me with the complete names of Bluetooth headphones from Sony, and also share the price range for the available models", + "instantiation_dict": {}, + "intent": "Provide me with the complete names of Bluetooth headphones from Sony, and also share the price range for the available models", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "SONY WH1000XM3 Bluetooth Wireless Noise Canceling Headphones Silver WH-1000XM3/S (Renewed)", + "Sony WH-CH710N/H Wireless Bluetooth Noise Cancelling Headphones", + "Sony WH-1000XM3B Wireless Bluetooth Noise-Canceling Over-Ear Headphones (Black) Basic Headphone Bundle Kit with Stylus", + "Sony Wireless Headphones WH-CH510: Wireless Bluetooth On-Ear Headset with Mic for Phone-Call, Black", + "Sony WHCH710N Wireless Bluetooth Noise Canceling Over-The-Ear Headphones (Black) with Kratos 18W PD Two-Port Power Adapter and Kratos 6-Feet Nylon Braided USB-C Cable Bundle (3 Items)", + "Sony WI-SP500 Wireless in-Ear Sports Headphones, White (WISP500/W)", + "Sony WI-SP510 Extra BASS Wireless in-Ear Headset/Headphones with mic for Phone Call Sports IPX5 Bluetooth, Black (WISP510/B)", + "Sony MDRAS600BT Active Sports Bluetooth Headset (Black)", + "Sony WH-1000XM4 Wireless Noise Canceling Over-Ear Headphones (Black) with Sony WLA-NS7 Wireless TV Adapter Bundle (2 Items)", + "Sony WI-C300 Wireless In-Ear Headphones, Red (WIC300/R)", + "Sony XB950N1 Extra Bass Wireless Noise Canceling Headphones, Black", + "SONY - H900N Hi-Res Noise Cancelling Wireless Headphone Grayish Black Renewed", + "18.99", + "406" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "These models are avaiable: SONY WH1000XM3 Bluetooth Wireless Noise Canceling Headphones Silver WH-1000XM3/S (Renewed) Sony WH-CH710N/H Wireless Bluetooth Noise Cancelling Headphones Sony WH-1000XM3B Wireless Bluetooth Noise-Canceling Over-Ear Headphones (Black) Basic Headphone Bundle Kit with Stylus Sony Wireless Headphones WH-CH510: Wireless Bluetooth On-Ear Headset with Mic for Phone-Call, Black Sony WHCH710N Wireless Bluetooth Noise Canceling Over-The-Ear Headphones (Black) with Kratos 18W PD Two-Port Power Adapter and Kratos 6-Feet Nylon Braided USB-C Cable Bundle (3 Items) Sony WI-SP500 Wireless in-Ear Sports Headphones, White (WISP500/W) Sony WI-SP510 Extra BASS Wireless in-Ear Headset/Headphones with mic for Phone Call Sports IPX5 Bluetooth, Black (WISP510/B) Sony MDRAS600BT Active Sports Bluetooth Headset (Black) Sony WH-1000XM4 Wireless Noise Canceling Over-Ear Headphones (Black) with Sony WLA-NS7 Wireless TV Adapter Bundle (2 Items) Sony WI-C300 Wireless In-Ear Headphones, Red (WIC300/R) Sony XB950N1 Extra Bass Wireless Noise Canceling Headphones, Black SONY - H900N Hi-Res Noise Cancelling Wireless Headphone Grayish Black Renewed The price ranges from $18.99 to $406 " + }, + "intent_template_id": 204 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/28.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/28.json new file mode 100644 index 00000000..9f707988 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/28.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 28, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the {{forum}} forum.", + "instantiation_dict": { + "forum": "Worcester" + }, + "intent": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the Worcester forum.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 33 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/280.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/280.json new file mode 100644 index 00000000..94f654eb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/280.json @@ -0,0 +1,42 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 280, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Provide me with the full names of chargers from Anker, and also share the price range for the available models", + "instantiation_dict": {}, + "intent": "Provide me with the full names of chargers from Anker, and also share the price range for the available models", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Anker USB C Charger 30W, 711 Charger, Compact Fast Charger (Not Foldable) for MacBook Air/iPhone 13/13 Mini/13 Pro/13 Pro Max/12, Galaxy S21, Note 20, iPad Pro, Pixel, and More", + "Anker USB C Charger 40W, 521 Charger (Nano Pro), PIQ 3.0 Durable Compact Fast Charger (Not Foldable) for iPhone 13/13 Mini/13 Pro/13 Pro Max/12, Galaxy, Pixel 4/3, iPad/iPad Mini (Cable Not Included)", + "Anker PowerCore Speed 20000, 20000mAh Qualcomm Quick Charge 3.0 & PowerIQ Portable Charger, with Quick Charge Recharging, Power Bank for Samsung, iPhone, iPad and More, Black (A1278)", + "5Ft Micro-USB Charger Cord Cable Fit for Anker-PowerCore 5000 10000 20100 13000 26800 Mini 3350 Fusion II 15000 Redux 20000 Slim 10000 Astro E1 AC Replacement Power Adapter Supply", + "Anker 10W Max Wireless Charger, 313 Wireless Charger (Pad), Qi-Certified Wireless Charging 7.5W for iPhone 12/12 Pro/12 mini/12 Pro Max, 10W for Galaxy S10 S9 S8, S9 Plus, Note 9 (No AC Adapter)", + "Anker Wireless Charger, 313 Wireless Charger (Stand), Qi-Certified for iPhone 12, 12 Pro Max, SE, 11, 11 Pro, 11 Pro Max, XR, XS Max, 10W Fast-Charging Galaxy S20, S10 (No AC Adapter)", + "USB Charger, Anker Elite Dual Port 24W Wall Charger, PowerPort 2 with PowerIQ and Foldable Plug, for iPhone 11/Xs/XS Max/XR/X/8/7/6/Plus, iPad Pro/Air 2/Mini 3/Mini 4, Samsung S4/S5, and More", + "iPhone 12 Charger [GaN Tech], Anker 30W Compact USB-C Wall Charger with Power Delivery, PowerPort Atom for iPhone 12 / Mini/Pro/Pro Max / 11 / X/XS/XR, iPad Pro, MacBook 12'', Pixel, Galaxy", + "USB C Charger, Anker 30W 2 Port Fast Charger with 18W USB C Power Adapter, Foldable PowerPort PD 2 Charger for iPad Pro, iPhone 11/11 Pro / 11 Pro Max/XS/Max/XR/X, Pixel, Galaxy, and More", + "Anker 40W 5-Port USB Wall Charger, PowerPort 5 for iPhone XS / XS Max / XR / X / 8 / 7 / 6 / Plus, iPad Pro / Air 2 / mini, Galaxy S9 / S8 / Edge / Plus, Note 8 / 7, LG, Nexus, HTC and More, Black (AK-A2124111)", + "Anker Quick Charge 3.0 39W Dual USB Wall Charger, PowerPort Speed 2 for Galaxy S10/S9/S8/Edge/Plus, Note 8/7 and PowerIQ for iPhone Xs/XS Max/XR/X/8/Plus, iPad Pro/Air 2/Mini, LG, Nexus, HTC and More", + "USB C Charger, Anker 20W PIQ 3.0 Fast Charger with Foldable Plug, PowerPort III Charger for iPhone 13/13 Mini/13 Pro/13 Pro Max/12/11, iPad/iPad Mini, MagSafe, and More (Cable Not Included)", + "8.99", + "59.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "These models are availiable: Anker USB C Charger 30W, 711 Charger, Compact Fast Charger (Not Foldable) for MacBook Air/iPhone 13/13 Mini/13 Pro/13 Pro Max/12, Galaxy S21, Note 20, iPad Pro, Pixel, and More Anker USB C Charger 40W, 521 Charger (Nano Pro), PIQ 3.0 Durable Compact Fast Charger (Not Foldable) for iPhone 13/13 Mini/13 Pro/13 Pro Max/12, Galaxy, Pixel 4/3, iPad/iPad Mini (Cable Not Included) Anker PowerCore Speed 20000, 20000mAh Qualcomm Quick Charge 3.0 & PowerIQ Portable Charger, with Quick Charge Recharging, Power Bank for Samsung, iPhone, iPad and More, Black (A1278) 5Ft Micro-USB Charger Cord Cable Fit for Anker-PowerCore 5000 10000 20100 13000 26800 Mini 3350 Fusion II 15000 Redux 20000 Slim 10000 Astro E1 AC Replacement Power Adapter Supply Anker 10W Max Wireless Charger, 313 Wireless Charger (Pad), Qi-Certified Wireless Charging 7.5W for iPhone 12/12 Pro/12 mini/12 Pro Max, 10W for Galaxy S10 S9 S8, S9 Plus, Note 9 (No AC Adapter) Anker Wireless Charger, 313 Wireless Charger (Stand), Qi-Certified for iPhone 12, 12 Pro Max, SE, 11, 11 Pro, 11 Pro Max, XR, XS Max, 10W Fast-Charging Galaxy S20, S10 (No AC Adapter) USB Charger, Anker Elite Dual Port 24W Wall Charger, PowerPort 2 with PowerIQ and Foldable Plug, for iPhone 11/Xs/XS Max/XR/X/8/7/6/Plus, iPad Pro/Air 2/Mini 3/Mini 4, Samsung S4/S5, and More iPhone 12 Charger [GaN Tech], Anker 30W Compact USB-C Wall Charger with Power Delivery, PowerPort Atom for iPhone 12 / Mini/Pro/Pro Max / 11 / X/XS/XR, iPad Pro, MacBook 12'', Pixel, Galaxy USB C Charger, Anker 30W 2 Port Fast Charger with 18W USB C Power Adapter, Foldable PowerPort PD 2 Charger for iPad Pro, iPhone 11/11 Pro / 11 Pro Max/XS/Max/XR/X, Pixel, Galaxy, and More Anker 40W 5-Port USB Wall Charger, PowerPort 5 for iPhone XS / XS Max / XR / X / 8 / 7 / 6 / Plus, iPad Pro / Air 2 / mini, Galaxy S9 / S8 / Edge / Plus, Note 8 / 7, LG, Nexus, HTC and More, Black (AK-A2124111) Anker Quick Charge 3.0 39W Dual USB Wall Charger, PowerPort Speed 2 for Galaxy S10/S9/S8/Edge/Plus, Note 8/7 and PowerIQ for iPhone Xs/XS Max/XR/X/8/Plus, iPad Pro/Air 2/Mini, LG, Nexus, HTC and More USB C Charger, Anker 20W PIQ 3.0 Fast Charger with Foldable Plug, PowerPort III Charger for iPhone 13/13 Mini/13 Pro/13 Pro Max/12/11, iPad/iPad Mini, MagSafe, and More (Cable Not Included) Magnetic Wireless Charger, Anker Wireless Charger with 5ft Built-in USB-C Cable, PowerWave Magnetic Pad, 7.5W Charging for iPhone 13 / 13 Pro / 13 Pro Max / 13 mini / 12 / 12 Pro (No AC Adapter) USB C Super Fast Charger, Anker 25W PD Wall Charger Fast Charging for Samsung Galaxy S21/S21+/S21 Ultra/S20/Z Flip/Note20/20 Ultra/Note10/10+/S9/S8/S10e, iPad Pro 12.9, and More (Cable not Included) The price ranges from $8.99 to $59.99" + }, + "intent_template_id": 204 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/281.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/281.json new file mode 100644 index 00000000..3d9efdd5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/281.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 281, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Please provide me with the complete product names of Oral B brush heads designed for children, along with their corresponding price range per brush", + "instantiation_dict": {}, + "intent": "Please provide me with the complete product names of Oral B brush heads designed for children, along with their corresponding price range per brush", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Oral-B Kids Extra Soft Replacement Brush Heads featuring STAR WARS, 2 count", + "Kids By Oral-b Stages Power Star Wars Replacement Heads 4 Pack", + "3.745", + "6.495" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "These models are availiable: Oral-B Kids Extra Soft Replacement Brush Heads featuring STAR WARS, 2 count Kids By Oral-b Stages Power Star Wars Replacement Heads 4 Pack The price ranges from $3.745 to $6.495 " + }, + "intent_template_id": 204 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/282.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/282.json new file mode 100644 index 00000000..b3f9d14b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/282.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 282, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List the full product names of slide slippers from Nike and tell me the price range of the available products", + "instantiation_dict": {}, + "intent": "List the full product names of slide slippers from Nike and tell me the price range of the available products", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Nike Men's Air Max Camden Slide Sandal", + "Nike Men's Benassi JDI Fanny Pack Slides", + "Nike Victori One Mens Comfort Slide Cn9675-003 (Midnight Navy/Midnight Navy/White, Numeric_10)", + "Nike Offcourt Slide Mens Bq4639-002 Size 12", + "Nike Jordan Men's Break Slide Red AR6374-602", + "Nike Victori One Slide Mens Style : Dd9559-300", + "Nike Men's Benassi Solarsoft Slide Athletic Sandal (Black/White, numeric_14)", + "Nike Men's Benassi Solarsoft Slide Athletic Sandal (Midnight Navy/Blue, numeric_8)", + "Nike womens Benassi Just Do It", + "27.6", + "90.65" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "These models are availiable: Nike Men's Air Max Camden Slide Sandal Nike Men's Benassi JDI Fanny Pack Slides Nike Victori One Mens Comfort Slide Cn9675-003 (Midnight Navy/Midnight Navy/White, Numeric_10) Nike Offcourt Slide Mens Bq4639-002 Size 12 Nike Jordan Men's Break Slide Red AR6374-602 Nike Victori One Slide Mens Style : Dd9559-300 Nike Men's Benassi Solarsoft Slide Athletic Sandal (Black/White, numeric_14) Nike Men's Benassi Solarsoft Slide Athletic Sandal (Midnight Navy/Blue, numeric_8) Nike womens Benassi Just Do It The price ranges from $27.6 to $90.65" + }, + "intent_template_id": 204 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/283.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/283.json new file mode 100644 index 00000000..7cc8fad6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/283.json @@ -0,0 +1,24 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 283, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Look up the most recent models of XBox controllers released between 2020-2021?", + "instantiation_dict": {}, + "intent": "Look up the most recent models of XBox controllers released between 2020-2021?", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/microsoft-xbox-controller-carbon-black-for-series-x-series-s-xbox-one-windows-10-android-ios-bundled-with-dual-port-charging-dock-xbox-controller-skin-voucher-premgear-cloth.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 210 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/284.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/284.json new file mode 100644 index 00000000..c10f5fb7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/284.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 284, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the least expensive {{product}} with a minimum storage capacity of {{min_storage}}.", + "instantiation_dict": { + "product": "shoe storage", + "min_storage": "12 pairs" + }, + "intent": "Show the least expensive shoe storage with a minimum storage capacity of 12 pairs.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/onlyeasy-over-the-door-shoe-storage-organizer-hanging-shoe-rack-holder-with-24-large-fabric-pockets-22-1-x-61-4-herringbone-grey-mxrodsb1p.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 207 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/285.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/285.json new file mode 100644 index 00000000..c121ddd5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/285.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 285, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the least expensive {{product}} with a minimum storage capacity of {{min_storage}}.", + "instantiation_dict": { + "product": "switch card holder", + "min_storage": "15 cards" + }, + "intent": "Show the least expensive switch card holder with a minimum storage capacity of 15 cards.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/game-card-holder-storage-case-for-nintendo-switch-games-or-ps-vita-game-case-or-sd-memory-cards-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 207 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/286.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/286.json new file mode 100644 index 00000000..9fdc71e3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/286.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 286, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the least expensive {{product}} with a minimum storage capacity of {{min_storage}}.", + "instantiation_dict": { + "product": "ssd hard drive", + "min_storage": "1TB" + }, + "intent": "Show the least expensive ssd hard drive with a minimum storage capacity of 1TB.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/external-hard-drive-2tb-ultra-thin-external-hard-drive-2000gb-ultra-high-speed-portable-3-1-type-c-storage-drive-compatible-with-pc-laptop-and-mac-2tb-a1.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 207 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/287.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/287.json new file mode 100644 index 00000000..f0a3695a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/287.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "map" + ], + "task_id": 287, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "How much time does it take from Pittsburgh to Philadelphia by car?", + "instantiation_dict": {}, + "intent": "How much time does it take from Pittsburgh to Philadelphia by car?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "5h 47min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "5h 47min" + }, + "intent_template_id": 47 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/288.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/288.json new file mode 100644 index 00000000..2643f1fa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/288.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 288, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the customer who has the most cancellations in the history", + "instantiation_dict": { + "attribute": "name" + }, + "intent": "Tell me the name of the customer who has the most cancellations in the history", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Samantha Jones" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Samantha Jones" + }, + "intent_template_id": 234 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/289.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/289.json new file mode 100644 index 00000000..dcc3c314 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/289.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 289, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the customer who has the most cancellations in the history", + "instantiation_dict": { + "attribute": "email address, name, phone number" + }, + "intent": "Tell me the email address, name, phone number of the customer who has the most cancellations in the history", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "email: coolcat321@hotmail.com", + "name: Samantha Jones", + "phone number: 3055551212" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "email: coolcat321@hotmail.com name: Samantha Jones phone number: 3055551212" + }, + "intent_template_id": 234 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/29.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/29.json new file mode 100644 index 00000000..32dbe434 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/29.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 29, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the {{forum}} forum.", + "instantiation_dict": { + "forum": "DIY" + }, + "intent": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the DIY forum.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 33 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/290.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/290.json new file mode 100644 index 00000000..f62d6f6c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/290.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 290, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the customer who has the most cancellations in the history", + "instantiation_dict": { + "attribute": "product SKUs in the most recent cancelled orders" + }, + "intent": "Tell me the product SKUs in the most recent cancelled orders of the customer who has the most cancellations in the history", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "WSH09-29-White", + "WSH09-28-Green", + "MSH11-34-Blue", + "WP09-29-Purple" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "WSH09-29-White,WSH09-28-Green,MSH11-34-Blue,WP09-29-Purple" + }, + "intent_template_id": 234 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/291.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/291.json new file mode 100644 index 00000000..4b0d314d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/291.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 291, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the customer who has the most cancellations in the history", + "instantiation_dict": { + "attribute": "total spend on products in the most recent cancelled orders" + }, + "intent": "Tell me the total spend on products in the most recent cancelled orders of the customer who has the most cancellations in the history", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "148" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$148" + }, + "intent_template_id": 234 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/292.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/292.json new file mode 100644 index 00000000..3bdbf191 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/292.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 292, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the customer who has the most cancellations in the history", + "instantiation_dict": { + "attribute": "total number of cancellations" + }, + "intent": "Tell me the total number of cancellations of the customer who has the most cancellations in the history", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "9" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "9" + }, + "intent_template_id": 234 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/293.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/293.json new file mode 100644 index 00000000..b7f9408e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/293.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 293, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Show me the command to clone {{repo}} with SSH.", + "instantiation_dict": { + "repo": "Super_Awesome_Robot" + }, + "intent": "Show me the command to clone Super_Awesome_Robot with SSH.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/convexegg/super_awesome_robot.git" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/convexegg/super_awesome_robot.git" + }, + "intent_template_id": 329 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/294.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/294.json new file mode 100644 index 00000000..0c288d69 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/294.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 294, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Show me the command to clone {{repo}} with SSH.", + "instantiation_dict": { + "repo": "ChatGPT" + }, + "intent": "Show me the command to clone ChatGPT with SSH.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/convexegg/chatgpt.git" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/convexegg/chatgpt.git" + }, + "intent_template_id": 329 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/295.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/295.json new file mode 100644 index 00000000..390b1d7c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/295.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 295, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Show me the command to clone {{repo}} with SSH.", + "instantiation_dict": { + "repo": "metaseq" + }, + "intent": "Show me the command to clone metaseq with SSH.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/root/metaseq.git" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/root/metaseq.git" + }, + "intent_template_id": 329 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/296.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/296.json new file mode 100644 index 00000000..6767dc33 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/296.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 296, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Show me the command to clone {{repo}} with SSH.", + "instantiation_dict": { + "repo": "the best GAN python implementation" + }, + "intent": "Show me the command to clone the best GAN python implementation with SSH.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "ssh://git@metis.lti.cs.cmu.edu:2222/eriklindernoren/PyTorch-GAN.git" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "ssh://git@metis.lti.cs.cmu.edu:2222/eriklindernoren/PyTorch-GAN.git" + }, + "intent_template_id": 329 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/297.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/297.json new file mode 100644 index 00000000..cc8a3247 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/297.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 297, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Show me the command to clone {{repo}} with SSH.", + "instantiation_dict": { + "repo": "the most stared Covid location tracker" + }, + "intent": "Show me the command to clone the most stared Covid location tracker with SSH.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "ssh://git@metis.lti.cs.cmu.edu:2222/yjlou/2019-nCov.git" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "ssh://git@metis.lti.cs.cmu.edu:2222/yjlou/2019-nCov.git" + }, + "intent_template_id": 329 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/298.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/298.json new file mode 100644 index 00000000..4c00d936 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/298.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 298, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the most recent {{status}} order", + "instantiation_dict": { + "status": "completed" + }, + "intent": "Show the most recent completed order", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/sales/order/view/order_id/180/", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 180 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/299.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/299.json new file mode 100644 index 00000000..3dc7a0ee --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/299.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 299, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the most recent {{status}} order", + "instantiation_dict": { + "status": "cancelled" + }, + "intent": "Show the most recent cancelled order", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/sales/order/view/order_id/170/", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 180 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/3.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/3.json new file mode 100644 index 00000000..e9b17e19 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/3.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 3, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the top-{{n}} best-selling product in {{year}}", + "instantiation_dict": { + "n": 2, + "year": 2022 + }, + "intent": "What are the top-2 best-selling product in 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Quest Lumaflex\u2122 Band", + "Sprite Stasis Ball 65 cm" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Quest Lumaflex\u2122 Band, Sprite Stasis Ball 65 cm" + }, + "intent_template_id": 279 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/30.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/30.json new file mode 100644 index 00000000..62969458 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/30.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 30, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the {{forum}} forum.", + "instantiation_dict": { + "forum": "space" + }, + "intent": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the space forum.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 33 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/300.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/300.json new file mode 100644 index 00000000..92115208 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/300.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 300, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the most recent {{status}} order", + "instantiation_dict": { + "status": "pending" + }, + "intent": "Show the most recent pending order", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/sales/order/view/order_id/189/", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 180 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/301.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/301.json new file mode 100644 index 00000000..c173f2ff --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/301.json @@ -0,0 +1,28 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 301, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the most recent {{status}} order", + "instantiation_dict": { + "status": "processing" + }, + "intent": "Show the most recent processing order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "there is no order in processing" + }, + "intent_template_id": 180 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/302.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/302.json new file mode 100644 index 00000000..1897212a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/302.json @@ -0,0 +1,28 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 302, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the most recent {{status}} order", + "instantiation_dict": { + "status": "out of delivery" + }, + "intent": "Show the most recent out of delivery order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "there is no order in processing" + }, + "intent_template_id": 180 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/303.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/303.json new file mode 100644 index 00000000..e8723190 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/303.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 303, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make {{period}}?", + "instantiation_dict": { + "user": "Kilian", + "period": "durning 2023" + }, + "intent": "How many commits did Kilian make durning 2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 321 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/304.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/304.json new file mode 100644 index 00000000..b679b883 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/304.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 304, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make {{period}}?", + "instantiation_dict": { + "user": "Eric", + "period": "between Feb 2023 and May 2023" + }, + "intent": "How many commits did Eric make between Feb 2023 and May 2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "14" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "14" + }, + "intent_template_id": 321 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/305.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/305.json new file mode 100644 index 00000000..5a3d46cb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/305.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 305, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make {{period}}?", + "instantiation_dict": { + "user": "Philip", + "period": "in 2023/1" + }, + "intent": "How many commits did Philip make in 2023/1?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 321 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/306.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/306.json new file mode 100644 index 00000000..28793828 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/306.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 306, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make {{period}}?", + "instantiation_dict": { + "user": "Anthony", + "period": "between 08/2022-09/2022" + }, + "intent": "How many commits did Anthony make between 08/2022-09/2022?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 321 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/307.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/307.json new file mode 100644 index 00000000..9bc319d8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/307.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 307, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make {{period}}?", + "instantiation_dict": { + "user": "Nic", + "period": "in April 2021" + }, + "intent": "How many commits did Nic make in April 2021?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "16" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "16" + }, + "intent_template_id": 321 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/308.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/308.json new file mode 100644 index 00000000..6c896a46 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/308.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 308, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me who has made the most contributions, in terms of number of commits, to the {{repo}} project", + "instantiation_dict": { + "repo": "primer/design" + }, + "intent": "Tell me who has made the most contributions, in terms of number of commits, to the primer/design project", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Shawn Allen" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Shawn Allen" + }, + "intent_template_id": 323 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/309.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/309.json new file mode 100644 index 00000000..ba232857 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/309.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 309, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me who has made the most contributions, in terms of number of commits, to the {{repo}} project", + "instantiation_dict": { + "repo": "thoughtbot/administrate" + }, + "intent": "Tell me who has made the most contributions, in terms of number of commits, to the thoughtbot/administrate project", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Grayson Wright" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Grayson Wright" + }, + "intent_template_id": 323 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/31.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/31.json new file mode 100644 index 00000000..ba8a6fd9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/31.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 31, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the {{forum}} forum.", + "instantiation_dict": { + "forum": "photoshopbattles" + }, + "intent": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the photoshopbattles forum.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 33 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/310.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/310.json new file mode 100644 index 00000000..32f8688f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/310.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 310, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me who has made the most contributions, in terms of number of commits, to the {{repo}} project", + "instantiation_dict": { + "repo": "AndroidSlidingUpPanel" + }, + "intent": "Tell me who has made the most contributions, in terms of number of commits, to the AndroidSlidingUpPanel project", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "tokudu" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "tokudu" + }, + "intent_template_id": 323 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/311.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/311.json new file mode 100644 index 00000000..53033ebb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/311.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 311, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me who has made the most contributions, in terms of number of commits, to the {{repo}} project", + "instantiation_dict": { + "repo": "Pytorch GAN" + }, + "intent": "Tell me who has made the most contributions, in terms of number of commits, to the Pytorch GAN project", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Erik Linder-Nor\u00e9n" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Erik Linder-Nor\u00e9n" + }, + "intent_template_id": 323 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/312.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/312.json new file mode 100644 index 00000000..fa6c6aaa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/312.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 312, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me who has made the most contributions, in terms of number of commits, to the {{repo}} project", + "instantiation_dict": { + "repo": "csvkit" + }, + "intent": "Tell me who has made the most contributions, in terms of number of commits, to the csvkit project", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Christopher Groskopf" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Christopher Groskopf" + }, + "intent_template_id": 323 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/313.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/313.json new file mode 100644 index 00000000..c23e76d8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/313.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 313, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Which number to call for the customer service?", + "instantiation_dict": {}, + "intent": "Which number to call for the customer service?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no phone number in the website", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 134 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/314.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/314.json new file mode 100644 index 00000000..f85fe97a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/314.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 314, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "List the {{attribute}} of the top 3 contributors to {{repo}} repo, ranked by the number of commits?", + "instantiation_dict": { + "repo": "prime/design", + "attribute": "name" + }, + "intent": "List the name of the top 3 contributors to prime/design repo, ranked by the number of commits?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Shawn Allen", + "Inayaili Le\u00f3n", + "Aurora Pleguezuelo" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Shawn Allen, Inayaili Le\u00f3n, Aurora Pleguezuelo" + }, + "intent_template_id": 324 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/315.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/315.json new file mode 100644 index 00000000..3c43b657 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/315.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 315, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "List the {{attribute}} of the top 3 contributors to {{repo}} repo, ranked by the number of commits?", + "instantiation_dict": { + "repo": "Pytorch GAN", + "attribute": "email address" + }, + "intent": "List the email address of the top 3 contributors to Pytorch GAN repo, ranked by the number of commits?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "eriklindernoren@live.se", + "eriklindernoren@gmail.com", + "pinnacle.chen@qq.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "eriklindernoren@live.se, eriklindernoren@gmail.com, pinnacle.chen@qq.com" + }, + "intent_template_id": 324 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/316.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/316.json new file mode 100644 index 00000000..bffc726e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/316.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 316, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "List the {{attribute}} of the top 3 contributors to {{repo}} repo, ranked by the number of commits?", + "instantiation_dict": { + "repo": "facebook's guide on building react apps", + "attribute": "name" + }, + "intent": "List the name of the top 3 contributors to facebook's guide on building react apps repo, ranked by the number of commits?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Ian Sutherland", + "Joe Hadda", + "Dan Abramov" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Ian Sutherland, Joe Hadda, Dan Abramov" + }, + "intent_template_id": 324 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/317.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/317.json new file mode 100644 index 00000000..03512f8f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/317.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 317, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "List the {{attribute}} of the top 3 contributors to {{repo}} repo, ranked by the number of commits?", + "instantiation_dict": { + "repo": "metaseq", + "attribute": "name and number of commits" + }, + "intent": "List the name and number of commits of the top 3 contributors to metaseq repo, ranked by the number of commits?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Susan Zhang: 70", + "Stephen Roller: 51", + "Peter Albert: 12" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Susan Zhang: 70, Stephen Roller: 51, Peter Albert: 12" + }, + "intent_template_id": 324 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/318.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/318.json new file mode 100644 index 00000000..75e1a8f7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/318.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 318, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "List the {{attribute}} of the top 3 contributors to {{repo}} repo, ranked by the number of commits?", + "instantiation_dict": { + "repo": "2019-nCov", + "attribute": "last names" + }, + "intent": "List the last names of the top 3 contributors to 2019-nCov repo, ranked by the number of commits?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Lo", + "Chen", + "Chu" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lo, Chen, Chu" + }, + "intent_template_id": 324 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/319.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/319.json new file mode 100644 index 00000000..78ef2366 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/319.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 319, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much refund I should expect from my order canlled in {{time}}, including shipping fee", + "instantiation_dict": { + "time": "April 2022" + }, + "intent": "How much refund I should expect from my order canlled in April 2022, including shipping fee", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 160 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/32.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/32.json new file mode 100644 index 00000000..b2caed21 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/32.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "map" + ], + "task_id": 32, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I will arrive {{place}} soon. Provide the name of a {{target1}} in the vicinity, if available. Then, tell me the {{information}} to {{target2}} from the hotel.", + "instantiation_dict": { + "place": "Pittsburgh Airport", + "information": "the walking distance", + "target1": "Hilton hotel", + "target2": "the nearest supermarket own by a local company" + }, + "intent": "I will arrive Pittsburgh Airport soon. Provide the name of a Hilton hotel in the vicinity, if available. Then, tell me the the walking distance to the nearest supermarket own by a local company from the hotel.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "DoubleTree by Hilton Hotel Pittsburgh Airport", + "2.0km" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "DoubleTree by Hilton Hotel Pittsburgh Airport Distance: 2.0km" + }, + "intent_template_id": 78 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/320.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/320.json new file mode 100644 index 00000000..8b587ab1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/320.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 320, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much refund I should expect from my order canlled in {{time}}, including shipping fee", + "instantiation_dict": { + "time": "Feb 2023" + }, + "intent": "How much refund I should expect from my order canlled in Feb 2023, including shipping fee", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "406.53" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "406.53" + }, + "intent_template_id": 160 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/321.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/321.json new file mode 100644 index 00000000..3106ed1c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/321.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 321, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much refund I should expect from my order canlled in {{time}}, including shipping fee", + "instantiation_dict": { + "time": "2022" + }, + "intent": "How much refund I should expect from my order canlled in 2022, including shipping fee", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "3053.97" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3053.97" + }, + "intent_template_id": 160 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/322.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/322.json new file mode 100644 index 00000000..d4c37865 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/322.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 322, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much refund I should expect from my order canlled in {{time}} if I cannot get the shipping fee refunded?", + "instantiation_dict": { + "time": "May 2023" + }, + "intent": "How much refund I should expect from my order canlled in May 2023 if I cannot get the shipping fee refunded?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "350.42" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "350.42" + }, + "intent_template_id": 160 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/323.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/323.json new file mode 100644 index 00000000..9d344366 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/323.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 323, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much refund I should expect from my order canlled in {{time}}? I only kept the AC-DC Adapter and the shop told me that I cannot get the shipping fee back", + "instantiation_dict": { + "time": "2022/03" + }, + "intent": "How much refund I should expect from my order canlled in 2022/03? I only kept the AC-DC Adapter and the shop told me that I cannot get the shipping fee back", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "264.49" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "264.49" + }, + "intent_template_id": 160 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/324.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/324.json new file mode 100644 index 00000000..1c0dba9f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/324.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 324, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the \"{{product}}\" listings by {{sorting_order}}.", + "instantiation_dict": { + "product": "chairs", + "sorting_order": "ascending price" + }, + "intent": "Show me the \"chairs\" listings by ascending price.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/index/?product_list_order=price&q=chairs&product_list_dir=asc", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 208 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/325.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/325.json new file mode 100644 index 00000000..dc1b9856 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/325.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 325, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the \"{{product}}\" listings by {{sorting_order}}.", + "instantiation_dict": { + "product": "mouth night guard", + "sorting_order": "descending price" + }, + "intent": "Show me the \"mouth night guard\" listings by descending price.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/index/?q=mouth%20night%20guard%20&product_list_order=price", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 208 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/326.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/326.json new file mode 100644 index 00000000..c7f04dab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/326.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 326, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the \"{{product}}\" listings by {{sorting_order}}.", + "instantiation_dict": { + "product": "Canon photo printer", + "sorting_order": "search relevance, from most to least" + }, + "intent": "Show me the \"Canon photo printer\" listings by search relevance, from most to least.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/?q=Canon+photo+printer", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 208 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/327.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/327.json new file mode 100644 index 00000000..9ec26c29 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/327.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 327, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the \"{{product}}\" listings by {{sorting_order}}.", + "instantiation_dict": { + "product": "iphone 12 phone case", + "sorting_order": "name alphabetically" + }, + "intent": "Show me the \"iphone 12 phone case\" listings by name alphabetically.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/index/?q=%20iphone%2012%20phone%20case&product_list_order=name", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 208 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/328.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/328.json new file mode 100644 index 00000000..e930ec21 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/328.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 328, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the \"{{product}}\" listings by {{sorting_order}}.", + "instantiation_dict": { + "product": "iphone 12 phone case", + "sorting_order": "price" + }, + "intent": "Show me the \"iphone 12 phone case\" listings by price.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/index/?product_list_order=price&q=%20iphone%2012%20phone%20case", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 208 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/329.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/329.json new file mode 100644 index 00000000..399f513b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/329.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 329, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spend {{time}} on shopping at One Stop Market?", + "instantiation_dict": { + "time": "on 4/19/2023" + }, + "intent": "How much I spend on 4/19/2023 on shopping at One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 147 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/33.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/33.json new file mode 100644 index 00000000..3296c3c1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/33.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "map" + ], + "task_id": 33, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I will arrive {{place}} soon. Provide the name of a {{target1}} in the vicinity, if available. Then, tell me the {{information}} to {{target2}} from the hotel.", + "instantiation_dict": { + "place": "Pittsburgh Airport", + "target1": "Hilton hotel", + "information": "the shortest walking distance", + "target2": "a supermarket" + }, + "intent": "I will arrive Pittsburgh Airport soon. Provide the name of a Hilton hotel in the vicinity, if available. Then, tell me the the shortest walking distance to a supermarket from the hotel.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "DoubleTree by Hilton Hotel Pittsburgh Airport", + "1.4km" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "DoubleTree by Hilton Hotel Pittsburgh Airport Distance: 1.4km" + }, + "intent_template_id": 78 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/330.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/330.json new file mode 100644 index 00000000..6a39f9d8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/330.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 330, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spend {{time}} on shopping at One Stop Market?", + "instantiation_dict": { + "time": "in March 2023" + }, + "intent": "How much I spend in March 2023 on shopping at One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "81.31" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "81.31" + }, + "intent_template_id": 147 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/331.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/331.json new file mode 100644 index 00000000..f9d2badc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/331.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 331, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spend {{time}} on shopping at One Stop Market?", + "instantiation_dict": { + "time": "in July 2022" + }, + "intent": "How much I spend in July 2022 on shopping at One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.16" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.16" + }, + "intent_template_id": 147 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/332.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/332.json new file mode 100644 index 00000000..c54caf4c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/332.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 332, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spend {{time}} on shopping at One Stop Market?", + "instantiation_dict": { + "time": "each month from Jan to the end of March 2023" + }, + "intent": "How much I spend each month from Jan to the end of March 2023 on shopping at One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Jan: 572.8", + "Feb: 762.18", + "Mar: 83.31" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Jan: 572.8\nFeb: 762.18\nMar: 83.31" + }, + "intent_template_id": 147 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/333.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/333.json new file mode 100644 index 00000000..cfba8b3c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/333.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 333, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much did I spend on shopping at One Stop Market {{time}}? They gave me a 20% discount on the total amount for orders exceeding $200 in cash", + "instantiation_dict": { + "time": "on November 2022" + }, + "intent": "How much did I spend on shopping at One Stop Market on November 2022? They gave me a 20% discount on the total amount for orders exceeding $200 in cash", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "359.546" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "359.546" + }, + "intent_template_id": 147 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/334.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/334.json new file mode 100644 index 00000000..840de768 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/334.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 334, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me when I last ordered my {{description}}?", + "instantiation_dict": { + "description": "muffin cornbread mix" + }, + "intent": "Tell me when I last ordered my muffin cornbread mix?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "March 11th 2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "March 11th 2023" + }, + "intent_template_id": 169 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/335.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/335.json new file mode 100644 index 00000000..7c7c60ab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/335.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 335, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me when I last ordered my {{description}}?", + "instantiation_dict": { + "description": "body butter" + }, + "intent": "Tell me when I last ordered my body butter?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "January 16th 2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "January 16th 2023" + }, + "intent_template_id": 169 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/336.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/336.json new file mode 100644 index 00000000..152b44f2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/336.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 336, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me when I last ordered my {{description}}?", + "instantiation_dict": { + "description": "conditioner" + }, + "intent": "Tell me when I last ordered my conditioner?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "January 16th 2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "January 16th 2023" + }, + "intent_template_id": 169 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/337.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/337.json new file mode 100644 index 00000000..6d366a77 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/337.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 337, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me when I last ordered my {{description}}?", + "instantiation_dict": { + "description": "bread olive" + }, + "intent": "Tell me when I last ordered my bread olive?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "December 12th 2022" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "December 12th 2022" + }, + "intent_template_id": 169 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/338.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/338.json new file mode 100644 index 00000000..b8622166 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/338.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 338, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me when I last ordered my {{description}}?", + "instantiation_dict": { + "description": "toothpaste" + }, + "intent": "Tell me when I last ordered my toothpaste?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "December 4th 2022" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "December 4th 2022" + }, + "intent_template_id": 169 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/339.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/339.json new file mode 100644 index 00000000..e710f746 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/339.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 339, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "List all opened issues {{description}}", + "instantiation_dict": { + "description": "that report bugs" + }, + "intent": "List all opened issues that report bugs", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues/?label_name%5B%5D=bug", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 299 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/34.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/34.json new file mode 100644 index 00000000..a38cc887 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/34.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "map" + ], + "task_id": 34, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I will arrive {{place}} soon. Provide the name of a {{target1}} in the vicinity, if available. Then, tell me the {{information}} to {{target2}} from the hotel.", + "instantiation_dict": { + "place": "Pittsburgh Airport", + "target1": "Hyatt hotel", + "information": "the shortest walking time", + "target2": "a supermarket" + }, + "intent": "I will arrive Pittsburgh Airport soon. Provide the name of a Hyatt hotel in the vicinity, if available. Then, tell me the the shortest walking time to a supermarket from the hotel.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Hyatt Regency Pittsburgh International Airport" + ], + "fuzzy_match": [ + "Time: 3h 30min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Hyatt Regency Pittsburgh International Airport\n3:30" + }, + "intent_template_id": 78 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/340.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/340.json new file mode 100644 index 00000000..7a81be0a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/340.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 340, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "List all opened issues {{description}}", + "instantiation_dict": { + "description": "that report bugs" + }, + "intent": "List all opened issues that report bugs", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/issues/?label_name%5B%5D=type%3A%20bug%20%F0%9F%90%9E", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 299 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/341.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/341.json new file mode 100644 index 00000000..95896e65 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/341.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 341, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq", + "geolocation": null, + "intent_template": "List all opened issues {{description}}", + "instantiation_dict": { + "description": "requesting new features" + }, + "intent": "List all opened issues requesting new features", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq/-/issues/?label_name%5B%5D=enhancement", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 299 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/342.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/342.json new file mode 100644 index 00000000..ecdcdfc1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/342.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 342, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq", + "geolocation": null, + "intent_template": "List all opened issues {{description}}", + "instantiation_dict": { + "description": "that ask about OPT model related questions" + }, + "intent": "List all opened issues that ask about OPT model related questions", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq/-/issues/?search=OPT&label_name%5B%5D=question", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 299 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/343.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/343.json new file mode 100644 index 00000000..65e77f49 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/343.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 343, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq", + "geolocation": null, + "intent_template": "List all opened issues {{description}}", + "instantiation_dict": { + "description": "that don't have any labels" + }, + "intent": "List all opened issues that don't have any labels", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq/-/issues/?label_name%5B%5D=None", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 299 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/344.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/344.json new file mode 100644 index 00000000..0f08d7c6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/344.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 344, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "How many reviews our shop received {{time}}?", + "instantiation_dict": { + "time": "by far" + }, + "intent": "How many reviews our shop received by far?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "351" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "351" + }, + "intent_template_id": 248 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/345.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/345.json new file mode 100644 index 00000000..e3738c0a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/345.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 345, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "How many reviews our shop received {{time}}?", + "instantiation_dict": { + "time": "in Apr 2023" + }, + "intent": "How many reviews our shop received in Apr 2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "351" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "351" + }, + "intent_template_id": 248 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/346.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/346.json new file mode 100644 index 00000000..14bc18e7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/346.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 346, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "How many reviews our shop received {{time}}?", + "instantiation_dict": { + "time": "during 2022" + }, + "intent": "How many reviews our shop received during 2022?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 248 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/347.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/347.json new file mode 100644 index 00000000..811d6aea --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/347.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 347, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "How many reviews our shop received {{time}}?", + "instantiation_dict": { + "time": "from the beginning of the shop" + }, + "intent": "How many reviews our shop received from the beginning of the shop?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "351" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "351" + }, + "intent_template_id": 248 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/348.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/348.json new file mode 100644 index 00000000..79d0b64b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/348.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 348, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "How many reviews our shop received {{time}}?", + "instantiation_dict": { + "time": "in May 2023" + }, + "intent": "How many reviews our shop received in May 2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 248 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/349.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/349.json new file mode 100644 index 00000000..f50eb6ec --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/349.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 349, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Who else have access to my repo {{repo}}, show me their usernames", + "instantiation_dict": { + "repo": "gimmiethat.space" + }, + "intent": "Who else have access to my repo gimmiethat.space, show me their usernames", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "yjlou" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "yjlou" + }, + "intent_template_id": 298 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/35.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/35.json new file mode 100644 index 00000000..6341dfeb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/35.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "map" + ], + "task_id": 35, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I will arrive {{place}} soon. Provide the name of a {{target1}} in the vicinity, if available. Then, tell me the {{information}} to {{target2}} from the hotel.", + "instantiation_dict": { + "place": "Pittsburgh Airport", + "target1": "Hyatt hotel", + "information": "the minimal driving time", + "target2": "a supermarket" + }, + "intent": "I will arrive Pittsburgh Airport soon. Provide the name of a Hyatt hotel in the vicinity, if available. Then, tell me the the minimal driving time to a supermarket from the hotel.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Hyatt Regency Pittsburgh International Airport" + ], + "fuzzy_match": [ + "Time: 15min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Hyatt Regency Pittsburgh International Airport Time: 15min" + }, + "intent_template_id": 78 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/350.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/350.json new file mode 100644 index 00000000..7fe6b384 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/350.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 350, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Who else have access to my repo {{repo}}, show me their usernames", + "instantiation_dict": { + "repo": "prism-theme" + }, + "intent": "Who else have access to my repo prism-theme, show me their usernames", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "abisubramanya27" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Abishek S, abisubramanya27" + }, + "intent_template_id": 298 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/351.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/351.json new file mode 100644 index 00000000..dec07c03 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/351.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 351, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List products from {{product_category}} category by {{order}} price", + "instantiation_dict": { + "product_category": "PS4 accessories", + "order": "ascending" + }, + "intent": "List products from PS4 accessories category by ascending price", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/video-games/playstation-4/accessories.html?product_list_order=price", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 137 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/352.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/352.json new file mode 100644 index 00000000..33fa65df --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/352.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 352, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List products from {{product_category}} category by {{order}} price", + "instantiation_dict": { + "product_category": "nutrition bars and drinks", + "order": "ascending" + }, + "intent": "List products from nutrition bars and drinks category by ascending price", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/health-household/diet-sports-nutrition/nutrition-bars-drinks.html?product_list_order=price", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 137 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/353.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/353.json new file mode 100644 index 00000000..9c9fd472 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/353.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 353, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List products from {{product_category}} category by {{order}} price", + "instantiation_dict": { + "product_category": "competative swimwear", + "order": "ascending" + }, + "intent": "List products from competative swimwear category by ascending price", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/clothing-shoes-jewelry/sport-specific-clothing/competitive-swimwear.html?product_list_order=price", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 137 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/354.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/354.json new file mode 100644 index 00000000..11b2dd2d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/354.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 354, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List products from {{product_category}} category by {{order}} price", + "instantiation_dict": { + "product_category": "living room furtniture", + "order": "descending" + }, + "intent": "List products from living room furtniture category by descending price", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/home-kitchen/furniture/living-room-furniture.html?product_list_order=price&product_list_dir=desc", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 137 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/355.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/355.json new file mode 100644 index 00000000..732bfe0c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/355.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 355, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List products from {{product_category}} category by {{order}} price", + "instantiation_dict": { + "product_category": "kids' bedding", + "order": "descending" + }, + "intent": "List products from kids' bedding category by descending price", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/home-kitchen/bedding/kids-bedding.html?product_list_dir=desc", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 137 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/356.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/356.json new file mode 100644 index 00000000..5f5b15bb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/356.json @@ -0,0 +1,51 @@ +{ + "sites": [ + "map" + ], + "task_id": 356, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show the route from SCS CMU in Pittsburgh to the location where the Declaration of Independence and Constitution were signed", + "instantiation_dict": {}, + "intent": "Show the route from SCS CMU in Pittsburgh to the location where the Declaration of Independence and Constitution were signed", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Gates and Hillman Centers", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Independence Hall", + "Philadelphia" + ] + } + } + ] + }, + "intent_template_id": 49 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/357.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/357.json new file mode 100644 index 00000000..4e56c3cb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/357.json @@ -0,0 +1,24 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 357, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Checkout merge requests requiring my review", + "instantiation_dict": {}, + "intent": "Checkout merge requests requiring my review", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/merge_requests?reviewer_username=byteblaze", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 291 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/358.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/358.json new file mode 100644 index 00000000..7e77c524 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/358.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 358, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the {{info}} for order number {{order_number}}.", + "instantiation_dict": { + "info": "shipping method", + "order_number": 187 + }, + "intent": "Show me the shipping method for order number 187.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Flat Rate - Fixed" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Flat Rate - Fixed" + }, + "intent_template_id": 206 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/359.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/359.json new file mode 100644 index 00000000..ee72d220 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/359.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 359, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the {{info}} for order number {{order_number}}.", + "instantiation_dict": { + "info": "order date", + "order_number": "148" + }, + "intent": "Show me the order date for order number 148.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "1/29/2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1/29/2023" + }, + "intent_template_id": 206 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/36.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/36.json new file mode 100644 index 00000000..5c44aee4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/36.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 36, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Check if the {{place}} in pittsburgh can be reached in one hour by car from {{location}}", + "instantiation_dict": { + "place": "social security administration", + "location": "Carnegie Mellon University" + }, + "intent": "Check if the social security administration in pittsburgh can be reached in one hour by car from Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Yes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yes" + }, + "intent_template_id": 77 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/360.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/360.json new file mode 100644 index 00000000..890564a9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/360.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 360, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the {{info}} for order number {{order_number}}.", + "instantiation_dict": { + "info": "product names", + "order_number": "148" + }, + "intent": "Show me the product names for order number 148.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Bornbridge Artificial Spiral Topiary Tree - Indoor / Outdoor Topiary Trees - Artificial Outdoor Plants (2 Pack, 4' Cypress)", + "Russound 5B45W 4\" Indoor Outdoor Speakers White" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Bornbridge Artificial Spiral Topiary Tree - Indoor / Outdoor Topiary Trees - Artificial Outdoor Plants (2 Pack, 4' Cypress), Russound 5B45W 4\" Indoor Outdoor Speakers White" + }, + "intent_template_id": 206 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/361.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/361.json new file mode 100644 index 00000000..0dd250d0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/361.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 361, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the {{info}} for order number {{order_number}}.", + "instantiation_dict": { + "info": "order statuses", + "order_number": "170 and 189" + }, + "intent": "Show me the order statuses for order number 170 and 189.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "170: cancelled", + "189: pending" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "170: cancelled, 189: pending" + }, + "intent_template_id": 206 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/362.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/362.json new file mode 100644 index 00000000..0371f455 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/362.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 362, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the {{info}} for order number {{order_number}}.", + "instantiation_dict": { + "info": "billing address", + "order_number": "00178" + }, + "intent": "Show me the billing address for order number 00178.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "101 S San Mateo Dr", + "San Mateo", + "California", + "94010", + "United States" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Emma Lopez, 101 S San Mateo Dr, San Mateo, California, 94010, United States" + }, + "intent_template_id": 206 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/363.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/363.json new file mode 100644 index 00000000..c0ae7cf3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/363.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "map" + ], + "task_id": 363, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Measure distance between {{location/address_1}} and {{location/address_2}} by walking", + "instantiation_dict": { + "location/address_1": "Carnegie Mellon University", + "location/address_2": "Carnegie Music Hall" + }, + "intent": "Measure distance between Carnegie Mellon University and Carnegie Music Hall by walking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "748m" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "748m" + }, + "intent_template_id": 58 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/364.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/364.json new file mode 100644 index 00000000..abe83ab4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/364.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "map" + ], + "task_id": 364, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Measure distance between {{location/address_1}} and {{location/address_2}} by walking", + "instantiation_dict": { + "location/address_1": "Carnegie Mellon University", + "location/address_2": "UPMC Shadyside" + }, + "intent": "Measure distance between Carnegie Mellon University and UPMC Shadyside by walking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "1.7km" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1.7km" + }, + "intent_template_id": 58 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/365.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/365.json new file mode 100644 index 00000000..a36e2d77 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/365.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "map" + ], + "task_id": 365, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Measure distance between {{location/address_1}} and {{location/address_2}} by walking", + "instantiation_dict": { + "location/address_1": "Carnegie Music Hall", + "location/address_2": "UPMC Shadyside" + }, + "intent": "Measure distance between Carnegie Music Hall and UPMC Shadyside by walking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "2.2km" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2.2km" + }, + "intent_template_id": 58 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/366.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/366.json new file mode 100644 index 00000000..9523fdaa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/366.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "map" + ], + "task_id": 366, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Measure distance between {{location/address_1}} and {{location/address_2}} by walking", + "instantiation_dict": { + "location/address_1": "CVS (closet one)", + "location/address_2": "UPMC Shadyside" + }, + "intent": "Measure distance between CVS (closet one) and UPMC Shadyside by walking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "1.2km" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1.2km" + }, + "intent_template_id": 58 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/367.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/367.json new file mode 100644 index 00000000..3514cf91 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/367.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "map" + ], + "task_id": 367, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Measure distance between {{location/address_1}} and {{location/address_2}} by walking", + "instantiation_dict": { + "location/address_1": "Carnegie Mellon University", + "location/address_2": "CVS (closet one)" + }, + "intent": "Measure distance between Carnegie Mellon University and CVS (closet one) by walking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "1.4km" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1.4km" + }, + "intent_template_id": 58 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/368.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/368.json new file mode 100644 index 00000000..d5274a5e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/368.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 368, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "find discounted items.", + "instantiation_dict": {}, + "intent": "find discounted items.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no function to show only discount items", + "reference_answer_raw_annotation": "There is no function to show only discount items." + }, + "intent_template_id": 188 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/369.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/369.json new file mode 100644 index 00000000..ee8eacf8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/369.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "map" + ], + "task_id": 369, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Pull up the description page of {{location}} on Map", + "instantiation_dict": { + "location": "Carnegie Music Hall" + }, + "intent": "Pull up the description page of Carnegie Music Hall on Map", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Carnegie Music Hall" + ] + } + } + ] + }, + "intent_template_id": 52 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/37.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/37.json new file mode 100644 index 00000000..3f462cb6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/37.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 37, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Check if the {{place}} in pittsburgh can be reached in one hour by car from {{location}}", + "instantiation_dict": { + "place": "police station", + "location": "gates building at CMU" + }, + "intent": "Check if the police station in pittsburgh can be reached in one hour by car from gates building at CMU", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Yes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yes" + }, + "intent_template_id": 77 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/370.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/370.json new file mode 100644 index 00000000..d93b13f7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/370.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "map" + ], + "task_id": 370, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Pull up the description page of {{location}} on Map", + "instantiation_dict": { + "location": "Carnegie Mellon University" + }, + "intent": "Pull up the description page of Carnegie Mellon University on Map", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Carnegie Mellon University" + ] + } + } + ] + }, + "intent_template_id": 52 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/371.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/371.json new file mode 100644 index 00000000..09392461 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/371.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "map" + ], + "task_id": 371, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Pull up the description page of {{location}} on Map", + "instantiation_dict": { + "location": "Piada restaurant near Pitt" + }, + "intent": "Pull up the description page of Piada restaurant near Pitt on Map", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Piada Italian Street Food", + "Forbes Avenue" + ] + } + } + ] + }, + "intent_template_id": 52 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/372.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/372.json new file mode 100644 index 00000000..4da8fae5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/372.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "map" + ], + "task_id": 372, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Pull up the description page of {{location}} on Map", + "instantiation_dict": { + "location": "the Costco in Pittsburhg near a river" + }, + "intent": "Pull up the description page of the Costco in Pittsburhg near a river on Map", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Costco", + "Waterfront Drive West" + ] + } + } + ] + }, + "intent_template_id": 52 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/373.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/373.json new file mode 100644 index 00000000..03788a49 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/373.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "map" + ], + "task_id": 373, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Pull up the description page of {{location}} on Map", + "instantiation_dict": { + "location": "Whole Foods near Carnegie Mellon" + }, + "intent": "Pull up the description page of Whole Foods near Carnegie Mellon on Map", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Whole Foods", + "East Liberty" + ] + } + } + ] + }, + "intent_template_id": 52 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/374.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/374.json new file mode 100644 index 00000000..af1e465e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/374.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 374, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Preview the {{name}} theme for my shop", + "instantiation_dict": { + "name": "Magento Blank" + }, + "intent": "Preview the Magento Blank theme for my shop", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/admin/system_design_theme/edit/id/1", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 266 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/375.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/375.json new file mode 100644 index 00000000..e55d2921 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/375.json @@ -0,0 +1,26 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 375, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Preview the {{name}} theme for my shop", + "instantiation_dict": { + "name": "Magento Luma" + }, + "intent": "Preview the Magento Luma theme for my shop", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/admin/system_design_theme/edit/id/3/key/", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 266 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/376.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/376.json new file mode 100644 index 00000000..52b37757 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/376.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 376, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Summarize customer reviews for {{product}}.", + "instantiation_dict": { + "product": "Amazon Echo Dot 3rd generation" + }, + "intent": "Summarize customer reviews for Amazon Echo Dot 3rd generation.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no review for this product", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 182 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/377.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/377.json new file mode 100644 index 00000000..d0e72331 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/377.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "map" + ], + "task_id": 377, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the {{space}} around {{location}}", + "instantiation_dict": { + "location": "CMU ArtPark Lab", + "space": "resturants" + }, + "intent": "Find the resturants around CMU ArtPark Lab", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000/search?query=restaurants%20near%20CMU%20ArtPark%20Lab", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 59 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/378.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/378.json new file mode 100644 index 00000000..7c20f745 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/378.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "map" + ], + "task_id": 378, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the {{space}} around {{location}}", + "instantiation_dict": { + "location": "CMU main campus", + "space": "parking" + }, + "intent": "Find the parking around CMU main campus", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000/search?query=parking%20near%20carnegie%20mellon%20university", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 59 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/379.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/379.json new file mode 100644 index 00000000..d293eebb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/379.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "map" + ], + "task_id": 379, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the {{space}} around {{location}}", + "instantiation_dict": { + "location": "CMU main campus", + "space": "hotel" + }, + "intent": "Find the hotel around CMU main campus", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000/search?query=hotels%20near%20carnegie%20mellon%20university", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 59 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/38.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/38.json new file mode 100644 index 00000000..52f20fb2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/38.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 38, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Check if the {{place}} in pittsburgh can be reached in one hour by car from {{location}}", + "instantiation_dict": { + "place": "duquesne university", + "location": "pittsburgh airport" + }, + "intent": "Check if the duquesne university in pittsburgh can be reached in one hour by car from pittsburgh airport", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Yes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yes" + }, + "intent_template_id": 77 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/380.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/380.json new file mode 100644 index 00000000..3726852c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/380.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "map" + ], + "task_id": 380, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the {{space}} around {{location}}", + "instantiation_dict": { + "location": "Carnegie Music Hall", + "space": "bar" + }, + "intent": "Find the bar around Carnegie Music Hall", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000/search?query=bars%20near%20Carnegie%20Music%20Hall", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 59 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/381.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/381.json new file mode 100644 index 00000000..509526b0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/381.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "map" + ], + "task_id": 381, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the {{space}} around {{location}}", + "instantiation_dict": { + "location": "Carnegie Music Hall", + "space": "hotel" + }, + "intent": "Find the hotel around Carnegie Music Hall", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000/search?query=hotels%20near%20Carnegie%20Music%20Hall", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 59 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/382.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/382.json new file mode 100644 index 00000000..fa96aac4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/382.json @@ -0,0 +1,27 @@ +{ + "sites": [ + "map" + ], + "task_id": 382, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I am arriving at Carnegie Mellon University. Find the nearby US Citizenship and Immigration Services and the walking distance to the nearest Social Security Administration from US Citizenship and Immigration Services", + "instantiation_dict": {}, + "intent": "I am arriving at Carnegie Mellon University. Find the nearby US Citizenship and Immigration Services and the walking distance to the nearest Social Security Administration from US Citizenship and Immigration Services", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no USCIS nearby", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 781 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/383.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/383.json new file mode 100644 index 00000000..257cbb33 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/383.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "map" + ], + "task_id": 383, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I am arriving at Pittsburgh Airport. Show me the name of a Hyatt hotel if there is any nearby. Tell me the names of supermarkets that are within 15mins driving from the hotel", + "instantiation_dict": {}, + "intent": "I am arriving at Pittsburgh Airport. Show me the name of a Hyatt hotel if there is any nearby. Tell me the names of supermarkets that are within 15mins driving from the hotel", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Hyatt Regency Pittsburgh International Airport", + "Giant Eagle", + "ALDI" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Hyatt Regency Pittsburgh International Airport Giant Eagle, ALDI" + }, + "intent_template_id": 782 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/384.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/384.json new file mode 100644 index 00000000..437982d8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/384.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 384, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List the customer names who complain about the quality of EYZUTAK phone cases", + "instantiation_dict": {}, + "intent": "List the customer names who complain about the quality of EYZUTAK phone cases", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Lisa Lee", + "Evelyn Kurver", + "Amanda", + "N Randall" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lisa Lee, Evelyn Kurver, Amanda, N Randall" + }, + "intent_template_id": 666 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/385.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/385.json new file mode 100644 index 00000000..372a54ce --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/385.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 385, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List the customer names who thinks EYZUTAK phone cases are of good looking", + "instantiation_dict": {}, + "intent": "List the customer names who thinks EYZUTAK phone cases are of good looking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Lisa Lee", + "MH", + "Misba009", + "Amanda", + "N Randall", + "Amazon Customer", + "Cally", + "Bethany Robertson" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lisa Lee, MH, Misba009, Amanda, N Randall, Amazon Customer, Cally, Bethany Robertson" + }, + "intent_template_id": 666 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/386.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/386.json new file mode 100644 index 00000000..5a831f5c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/386.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 386, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the rating of {{product}}", + "instantiation_dict": { + "product": "Ugreen lightning to 3.5mm cable" + }, + "intent": "What is the rating of Ugreen lightning to 3.5mm cable. Please round to the nearest whole number", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "65 |OR| 3" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Around 3.1 stars" + }, + "intent_template_id": 1355 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/387.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/387.json new file mode 100644 index 00000000..7358a342 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/387.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 387, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Who gave {{stars}} for phone cases from EYZUTAK", + "instantiation_dict": { + "stars": "4 or 5 stars" + }, + "intent": "Who gave 4 or 5 stars for phone cases from EYZUTAK", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "MH", + "Misba009", + "Amanda", + "Amazon Customer", + "Cally", + "Bethany Robertson" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "MH, Misba009, Amanda, Amazon Customer, Cally, Bethany Robertson, Bethany Robertson" + }, + "intent_template_id": 1356 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/388.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/388.json new file mode 100644 index 00000000..adb038d5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/388.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 388, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Who gave {{stars}} for phone cases from EYZUTAK", + "instantiation_dict": { + "stars": "1 or 2 stars" + }, + "intent": "Who gave 1 or 2 stars for phone cases from EYZUTAK", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Evelyn Kurver", + "N Randall" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Evelyn Kurver, N Randall" + }, + "intent_template_id": 1356 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/389.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/389.json new file mode 100644 index 00000000..c822862c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/389.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 389, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Post \"{{content}}\" for the merge request related to {{mr}} in {{repo}} project", + "instantiation_dict": { + "mr": "octovisuals page", + "repo": "primer/design", + "content": "Thanks, working on reviews" + }, + "intent": "Post \"Thanks, working on reviews\" for the merge request related to octovisuals page in primer/design project", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/merge_requests/450", + "locator": "", + "required_contents": { + "must_include": [ + "Thanks, working on reviews" + ] + } + } + ] + }, + "intent_template_id": 348 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/39.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/39.json new file mode 100644 index 00000000..91aea967 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/39.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 39, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Check if the {{place}} in pittsburgh can be reached in one hour by car from {{location}}", + "instantiation_dict": { + "place": "walmart", + "location": "5600 fifth avenue" + }, + "intent": "Check if the walmart in pittsburgh can be reached in one hour by car from 5600 fifth avenue", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Yes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yes" + }, + "intent_template_id": 77 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/390.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/390.json new file mode 100644 index 00000000..439e09e2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/390.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 390, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Post \"{{content}}\" for the merge request related to {{mr}} in {{repo}} project", + "instantiation_dict": { + "mr": "semantic HTML post", + "repo": "a11yproject/a11yproject.com", + "content": "lgtm" + }, + "intent": "Post \"lgtm\" for the merge request related to semantic HTML post in a11yproject/a11yproject.com project", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests/1531", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "lgtm" + } + } + ] + }, + "intent_template_id": 348 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/391.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/391.json new file mode 100644 index 00000000..7635e968 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/391.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 391, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Post \"{{content}}\" for the merge request related to {{mr}} in {{repo}} project", + "instantiation_dict": { + "mr": "focus edge cases", + "repo": "a11yproject/a11yproject.com", + "content": "close because non reproducible" + }, + "intent": "Post \"close because non reproducible\" for the merge request related to focus edge cases in a11yproject/a11yproject.com project", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests/1265", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "close because non reproducible" + } + } + ] + }, + "intent_template_id": 348 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/392.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/392.json new file mode 100644 index 00000000..e76eae0d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/392.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 392, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Post \"{{content}}\" for the merge request related to {{mr}} in {{repo}} project", + "instantiation_dict": { + "mr": "color ulitity", + "repo": "a11yproject.com", + "content": "Good idea" + }, + "intent": "Post \"Good idea\" for the merge request related to color ulitity in a11yproject.com project", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests/1071", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "Good idea" + } + } + ] + }, + "intent_template_id": 348 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/393.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/393.json new file mode 100644 index 00000000..075ff5b2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/393.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 393, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Post \"{{content}}\" for the merge request related to {{mr}} in {{repo}} project", + "instantiation_dict": { + "mr": "fixing the broken links", + "repo": "byteblaze/empathy-prompts", + "content": "lgtm" + }, + "intent": "Post \"lgtm\" for the merge request related to fixing the broken links in byteblaze/empathy-prompts project", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/empathy-prompts/-/merge_requests/19", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "lgtm" + } + } + ] + }, + "intent_template_id": 348 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/394.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/394.json new file mode 100644 index 00000000..16a848af --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/394.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 394, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "2019-nCov" + }, + "intent": "Fork 2019-nCov.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/2019-nCov", + "locator": "", + "required_contents": { + "must_include": [ + "2019-nCov" + ] + } + } + ] + }, + "intent_template_id": 352 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/395.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/395.json new file mode 100644 index 00000000..c36bd7e7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/395.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 395, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "the Pytorch GAN repo with most stars" + }, + "intent": "Fork the Pytorch GAN repo with most stars.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/PyTorch-GAN", + "locator": "", + "required_contents": { + "must_include": [ + "Pytorch-GAN" + ] + } + } + ] + }, + "intent_template_id": 352 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/396.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/396.json new file mode 100644 index 00000000..83ce061f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/396.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 396, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "ChatGPT" + }, + "intent": "Fork ChatGPT.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/ChatGPT", + "locator": "", + "required_contents": { + "must_include": [ + "ChatGPT" + ] + } + } + ] + }, + "intent_template_id": 352 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/397.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/397.json new file mode 100644 index 00000000..03f0aee2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/397.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 397, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "MetaSeq" + }, + "intent": "Fork MetaSeq.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/metaseq", + "locator": "", + "required_contents": { + "must_include": [ + "metaseq" + ] + } + } + ] + }, + "intent_template_id": 352 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/398.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/398.json new file mode 100644 index 00000000..2bb1645f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/398.json @@ -0,0 +1,71 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 398, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "all source repos from Akilesh Kannan" + }, + "intent": "Fork all source repos from Akilesh Kannan", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/SimCache", + "locator": "", + "required_contents": { + "must_include": [ + "SimCache" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dots", + "locator": "", + "required_contents": { + "must_include": [ + "dots" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/CacheEval", + "locator": "", + "required_contents": { + "must_include": [ + "CacheEval" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/nvidia-patch", + "locator": "", + "required_contents": { + "must_include": [ + "404" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/viewgrades-scraper", + "locator": "", + "required_contents": { + "must_include": [ + "404" + ] + } + } + ] + }, + "intent_template_id": 352 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/399.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/399.json new file mode 100644 index 00000000..be408446 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/399.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 399, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Change my reddit bio to \"{{content}}\"", + "instantiation_dict": { + "content": "I am a robot" + }, + "intent": "Change my reddit bio to \"I am a robot\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/user/MarvelsGrantMan136", + "locator": "document.querySelector(\".user-bio__biography\").outerText", + "required_contents": { + "exact_match": "I am a robot" + } + } + ] + }, + "intent_template_id": 6 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/4.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/4.json new file mode 100644 index 00000000..499a7c79 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/4.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 4, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the top-{{n}} best-selling product in {{period}}", + "instantiation_dict": { + "n": 3, + "period": "Jan 2023" + }, + "intent": "What are the top-3 best-selling product in Jan 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Impulse Duffle", + "Overnight Duffle", + "Hawkeye Yoga Short-32-Blue" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Impulse Duffle, Overnight Duffle, Hawkeye Yoga Short-32-Blue" + }, + "intent_template_id": 279 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/40.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/40.json new file mode 100644 index 00000000..a32c0710 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/40.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 40, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Check if the {{place}} in pittsburgh can be reached in one hour by car from {{location}}", + "instantiation_dict": { + "place": "amc theatre", + "location": "hobart street" + }, + "intent": "Check if the amc theatre in pittsburgh can be reached in one hour by car from hobart street", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Yes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yes" + }, + "intent_template_id": 77 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/400.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/400.json new file mode 100644 index 00000000..47787280 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/400.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 400, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Change my reddit bio to \"{{content}}\"", + "instantiation_dict": { + "content": "Pro Python Developer with 20 years of Experience" + }, + "intent": "Change my reddit bio to \"Pro Python Developer with 20 years of Experience\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/user/MarvelsGrantMan136", + "locator": "document.querySelector(\".user-bio__biography\").outerText", + "required_contents": { + "exact_match": "Pro Python Developer with 20 years of Experience" + } + } + ] + }, + "intent_template_id": 6 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/401.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/401.json new file mode 100644 index 00000000..09fe6cab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/401.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 401, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Change my reddit bio to \"{{content}}\"", + "instantiation_dict": { + "content": "Seeking SDE positions" + }, + "intent": "Change my reddit bio to \"Seeking SDE positions\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/user/MarvelsGrantMan136", + "locator": "document.querySelector(\".user-bio__biography\").outerText", + "required_contents": { + "exact_match": "Seeking SDE positions" + } + } + ] + }, + "intent_template_id": 6 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/402.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/402.json new file mode 100644 index 00000000..d6b33758 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/402.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 402, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Change my reddit bio to \"{{content}}\"", + "instantiation_dict": { + "content": "Freelance Web Developer" + }, + "intent": "Change my reddit bio to \"Freelance Web Developer\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/user/MarvelsGrantMan136", + "locator": "document.querySelector(\".user-bio__biography\").outerText", + "required_contents": { + "exact_match": "Freelance Web Developer" + } + } + ] + }, + "intent_template_id": 6 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/403.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/403.json new file mode 100644 index 00000000..5710fe86 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/403.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 403, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Change my reddit bio to \"{{content}}\"", + "instantiation_dict": { + "content": "Awesome Prompt Artist" + }, + "intent": "Change my reddit bio to \"Awesome Prompt Artist\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/user/MarvelsGrantMan136", + "locator": "document.querySelector(\".user-bio__biography\").outerText", + "required_contents": { + "exact_match": "Awesome Prompt Artist" + } + } + ] + }, + "intent_template_id": 6 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/404.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/404.json new file mode 100644 index 00000000..6274ed3c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/404.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 404, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Upvote the newest post in {{subreddit}} subreddit", + "instantiation_dict": { + "subreddit": "books" + }, + "intent": "Upvote the newest post in books subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/124260/adults-reading-to-each-other-out-loud", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 22 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/405.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/405.json new file mode 100644 index 00000000..b4c4e422 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/405.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 405, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Upvote the newest post in {{subreddit}} subreddit", + "instantiation_dict": { + "subreddit": "DIY" + }, + "intent": "Upvote the newest post in DIY subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/119019/how-can-i-bring-an-hdmi-cable-from-my-pc-downstairs-to-my-tv", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 22 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/406.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/406.json new file mode 100644 index 00000000..f79667ae --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/406.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 406, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Upvote the newest post in {{subreddit}} subreddit", + "instantiation_dict": { + "subreddit": "future technology" + }, + "intent": "Upvote the newest post in future technology subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/Futurology/119517/openai-ceo-it-s-not-funny-that-i-m-afraid-of-the-ai-we-re", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 22 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/407.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/407.json new file mode 100644 index 00000000..567c96bd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/407.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 407, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Upvote the newest post in {{subreddit}} subreddit", + "instantiation_dict": { + "subreddit": "deeplearning" + }, + "intent": "Upvote the newest post in deeplearning subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/deeplearning/124993/meta-s-llama-weights-leaked-on-torrent-and-the-best-thing", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 22 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/408.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/408.json new file mode 100644 index 00000000..94a227f8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/408.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 408, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Upvote the newest post in {{subreddit}} subreddit", + "instantiation_dict": { + "subreddit": "explain like im 5" + }, + "intent": "Upvote the newest post in explain like im 5 subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/explainlikeimfive/39244/eli5-how-does-pinching-a-ribbon-and-sliding-your-finger", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 22 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/409.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/409.json new file mode 100644 index 00000000..a9b531c7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/409.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 409, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/59421/friendly-reminder-bookshop-org-exists", + "geolocation": null, + "intent_template": "Reply to {{position_description}} in this post with \"{{content_description}}\"", + "instantiation_dict": { + "position_description": "the manager of the website", + "content_description": "thanks! I am a big fan of your website." + }, + "intent": "Reply to the manager of the website in this post with \"thanks! I am a big fan of your website.\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/59421/-/comment/1235250", + "locator": "", + "required_contents": { + "must_include": [ + "thanks! I am a big fan of your website." + ] + } + } + ] + }, + "intent_template_id": 23 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/41.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/41.json new file mode 100644 index 00000000..85b142b5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/41.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 41, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "List the top {{n}} search terms in my store", + "instantiation_dict": { + "n": "1" + }, + "intent": "List the top 1 search terms in my store", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "hollister" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "hollister" + }, + "intent_template_id": 285 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/410.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/410.json new file mode 100644 index 00000000..2aa3cfab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/410.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 410, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/singularity/69404/this-is-how-chatgpt-sees-itself", + "geolocation": null, + "intent_template": "Reply to {{position_description}} in this post with \"{{content_description}}\"", + "instantiation_dict": { + "position_description": "the first reply", + "content_description": "don't panic" + }, + "intent": "Reply to the first reply in this post with \"don't panic\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/singularity/69404/-/comment/1042264", + "locator": "", + "required_contents": { + "must_include": [ + "don't panic" + ] + } + } + ] + }, + "intent_template_id": 23 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/411.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/411.json new file mode 100644 index 00000000..90d7d239 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/411.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 411, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Make the LICENSE of {{repo}} to MIT license.", + "instantiation_dict": { + "repo": "byteblaze/cloud-to-butt" + }, + "intent": "Make the LICENSE of byteblaze/cloud-to-butt to MIT license.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/cloud-to-butt/-/blob/master/LICENSE.txt", + "locator": "", + "required_contents": { + "must_include": [ + "MIT license" + ] + } + } + ] + }, + "intent_template_id": 355 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/412.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/412.json new file mode 100644 index 00000000..02202cec --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/412.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 412, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Make the LICENSE of {{repo}} to Apache License", + "instantiation_dict": { + "repo": "byteblaze/accessible-html-content-patterns" + }, + "intent": "Make the LICENSE of byteblaze/accessible-html-content-patterns to Apache License", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/accessible-html-content-patterns/-/blob/main/LICENSE", + "locator": "", + "required_contents": { + "must_include": [ + "Apache License", + "http://www.apache.org/licenses/LICENSE-2.0" + ] + } + } + ] + }, + "intent_template_id": 355 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/413.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/413.json new file mode 100644 index 00000000..5f09b46b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/413.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 413, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Make the LICENSE of {{repo}} to one that mandates all copies and derivative works to be under the same license", + "instantiation_dict": { + "repo": "byteblaze/a11y-syntax-highlighting" + }, + "intent": "Make the LICENSE of byteblaze/a11y-syntax-highlighting to one that mandates all copies and derivative works to be under the same license", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-syntax-highlighting/-/blob/main/LICENSE", + "locator": "", + "required_contents": { + "must_include": [ + "GENERAL PUBLIC LICENSE" + ] + } + } + ] + }, + "intent_template_id": 355 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/414.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/414.json new file mode 100644 index 00000000..1e017002 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/414.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 414, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Make the LICENSE of {{repo}} to MIT license.", + "instantiation_dict": { + "repo": "byteblaze/dotfiles" + }, + "intent": "Make the LICENSE of byteblaze/dotfiles to MIT license.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/blob/main/LICENSE", + "locator": "", + "required_contents": { + "must_include": [ + "MIT license", + "The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software." + ] + } + } + ] + }, + "intent_template_id": 355 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/415.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/415.json new file mode 100644 index 00000000..bbde5ddc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/415.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 415, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Go to the merge request on {{topic}} I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "instantiation_dict": { + "topic": "verification functions" + }, + "intent": "Go to the merge request on verification functions I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-webring.club/-/merge_requests/40", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "@davepgreene" + } + } + ] + }, + "intent_template_id": 360 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/416.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/416.json new file mode 100644 index 00000000..b4459676 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/416.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 416, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Go to the merge request on {{topic}} I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "instantiation_dict": { + "topic": "wcag" + }, + "intent": "Go to the merge request on wcag I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests/1270", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "Thank you" + } + } + ] + }, + "intent_template_id": 360 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/417.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/417.json new file mode 100644 index 00000000..d13d183c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/417.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 417, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Go to the merge request on {{topic}} I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "instantiation_dict": { + "topic": "404 link" + }, + "intent": "Go to the merge request on 404 link I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests/1485", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "@Roshanjossey" + } + } + ] + }, + "intent_template_id": 360 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/418.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/418.json new file mode 100644 index 00000000..b9d8db3a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/418.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 418, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set my gitlab status as {{status}}.", + "instantiation_dict": { + "status": "Busy" + }, + "intent": "Set my gitlab status as Busy.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.cover-status').lastChild.textContent", + "required_contents": { + "exact_match": "Busy" + } + } + ] + }, + "intent_template_id": 361 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/419.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/419.json new file mode 100644 index 00000000..318e3e8b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/419.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 419, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set my gitlab status as {{status}}.", + "instantiation_dict": { + "status": "Enjoying life" + }, + "intent": "Set my gitlab status as Enjoying life.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.cover-status').lastChild.textContent", + "required_contents": { + "exact_match": "Enjoying life" + } + } + ] + }, + "intent_template_id": 361 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/42.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/42.json new file mode 100644 index 00000000..d529d747 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/42.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 42, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "List the top {{n}} search terms in my store", + "instantiation_dict": { + "n": "2" + }, + "intent": "List the top 2 search terms in my store", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "hollister", + "Joust Bag" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "hollister, Joust Bag" + }, + "intent_template_id": 285 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/420.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/420.json new file mode 100644 index 00000000..097937c3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/420.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 420, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set my gitlab status as {{status}}.", + "instantiation_dict": { + "status": "Playing Badminton" + }, + "intent": "Set my gitlab status as Playing Badminton.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.cover-status').lastChild.textContent", + "required_contents": { + "exact_match": "Playing Badminton" + } + } + ] + }, + "intent_template_id": 361 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/421.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/421.json new file mode 100644 index 00000000..4f0349c2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/421.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 421, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set my gitlab status as {{status}}.", + "instantiation_dict": { + "status": "Resting due to leg injury" + }, + "intent": "Set my gitlab status as Resting due to leg injury.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.cover-status').lastChild.textContent", + "required_contents": { + "exact_match": "Resting due to leg injury" + } + } + ] + }, + "intent_template_id": 361 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/422.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/422.json new file mode 100644 index 00000000..66da6b80 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/422.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 422, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set my gitlab status as {{status}}.", + "instantiation_dict": { + "status": "Out of Office" + }, + "intent": "Set my gitlab status as Out of Office.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.cover-status').lastChild.textContent", + "required_contents": { + "exact_match": "Out of Office" + } + } + ] + }, + "intent_template_id": 361 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/423.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/423.json new file mode 100644 index 00000000..0ba691b2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/423.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 423, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Mark all {{brand}} shirts on sale", + "instantiation_dict": { + "brand": "Hollister" + }, + "intent": "Mark all Hollister shirts on sale", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/126/", + "locator": "document.querySelector('input[name=\"product[sale]\"]').value", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 237 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/424.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/424.json new file mode 100644 index 00000000..3794b834 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/424.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 424, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the place where Mr. Rogers was filmed" + }, + "intent": "Find the page of the place where Mr. Rogers was filmed on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Pittsburgh" + ] + } + } + ] + }, + "intent_template_id": 371 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/425.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/425.json new file mode 100644 index 00000000..cb6f0a96 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/425.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 425, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the longest bridge in the Western hemisphere" + }, + "intent": "Find the page of the longest bridge in the Western hemisphere on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Mackinac Bridge" + ] + } + } + ] + }, + "intent_template_id": 371 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/426.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/426.json new file mode 100644 index 00000000..ea3035eb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/426.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 426, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the place in Pennsylvania where a plane crashed during the September 11th attacks" + }, + "intent": "Find the page of the place in Pennsylvania where a plane crashed during the September 11th attacks on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Somerset County" + ] + } + } + ] + }, + "intent_template_id": 371 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/427.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/427.json new file mode 100644 index 00000000..82350040 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/427.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 427, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the university that has most Turning Award winners" + }, + "intent": "Find the page of the university that has most Turning Award winners on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Massachusetts Institute of Technology" + ] + } + } + ] + }, + "intent_template_id": 371 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/428.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/428.json new file mode 100644 index 00000000..b7f0ad99 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/428.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 428, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the undergrad college of the person who developed the Nash equilibrium" + }, + "intent": "Find the page of the undergrad college of the person who developed the Nash equilibrium on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Carnegie Mellon University" + ] + } + } + ] + }, + "intent_template_id": 371 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/429.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/429.json new file mode 100644 index 00000000..334d04a7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/429.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 429, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the colleges where The Chair was filmed in Pittsburgh" + }, + "intent": "Find the page of the colleges where The Chair was filmed in Pittsburgh on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Chatham University" + ] + } + } + ] + }, + "intent_template_id": 371 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/43.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/43.json new file mode 100644 index 00000000..2573c56c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/43.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 43, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "List the top {{n}} search terms in my store", + "instantiation_dict": { + "n": "3" + }, + "intent": "List the top 3 search terms in my store", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "hollister", + "Joust Bag", + "Antonia Racer Tank" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "hollister, Joust Bag, Antonia Race Tank" + }, + "intent_template_id": 285 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/430.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/430.json new file mode 100644 index 00000000..32fe92a0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/430.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 430, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the college(s) where The Chair was filmed in Pennsylvania other than the ones in Pittsburgh" + }, + "intent": "Find the page of the college(s) where The Chair was filmed in Pennsylvania other than the ones in Pittsburgh on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Washington & Jefferson College" + ] + } + } + ] + }, + "intent_template_id": 371 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/431.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/431.json new file mode 100644 index 00000000..3c0c5f30 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/431.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 431, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/tall-pink-taper-candles-4-piece-orange-colored-tapered-candles-gradient-candles-10-6-inches-tall-tie-dye-candle-set-large-dripless-long-burning-candlesticks-two-color-taper-candles-candlesticks.html |AND| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/spaas-white-taper-candles-4-pack-10-inch-tall-candles-scent-free-premium-wax-candle-sticks-8-hour-long-burning-white-candlesticks-for-home-decoration-wedding-holiday-and-parties.html |AND| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/white-starfish-wall-candle-sconces-set-of-2-beach-decor-ocean-themed-wall-mount-candleholders-nautical-style-beach-bathroom-decor-coastal-farmhouse-seashell-candle-holders.html", + "geolocation": null, + "intent_template": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "instantiation_dict": {}, + "intent": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/checkout/cart", + "locator": "", + "required_contents": { + "must_include": [ + "SPAAS White Taper Candles - 4 Pack |OR| 10 Inch Tall Candles, Scent-Free Premium Wax Candle Sticks |OR| 8 Hour Long Burning White Candlesticks for Home Decoration, Wedding, Holiday and Parties" + ] + } + } + ] + }, + "intent_template_id": 145 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/432.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/432.json new file mode 100644 index 00000000..ac7801d1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/432.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 432, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/ciclon-energy-drink-regular-24-cans-8-3oz.html |AND| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/v8-energy-healthy-energy-drink-steady-energy-from-black-and-green-tea-pomegranate-blueberry-8-ounce-can-pack-of-24.html", + "geolocation": null, + "intent_template": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "instantiation_dict": {}, + "intent": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/checkout/cart", + "locator": "", + "required_contents": { + "must_include": [ + "V8 +Energy, Healthy Energy Drink, Steady Energy from Black and Green Tea, Pomegranate Blueberry, 8 Ounce Can ,Pack of 24" + ] + } + } + ] + }, + "intent_template_id": 145 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/433.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/433.json new file mode 100644 index 00000000..809b6136 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/433.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 433, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/tazrigo-5pcs-white-dental-resin-brush-pens-dental-shaping-silicone-tooth-tool.html |AND| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/stylus-pens-for-touch-screens-2-pcs-universal-stylus-2-in-1-2022-updated-touch-screen-pens-for-all-touch-screens-cell-phones-tablets-laptops-with-6-replacement-tips-4-discstips-2-fiber-tips.html", + "geolocation": null, + "intent_template": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "instantiation_dict": {}, + "intent": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/checkout/cart", + "locator": "", + "required_contents": { + "must_include": [ + "Tazrigo 5pcs White Dental Resin Brush Pens Dental Shaping Silicone Tooth Tool" + ] + } + } + ] + }, + "intent_template_id": 145 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/434.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/434.json new file mode 100644 index 00000000..af8f8b72 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/434.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 434, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/3-pairs-ruffle-socks-lace-ankle-socks-for-girls-frilly-socks-women-decorative.html |AND| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/viviki-women-glitter-socks-ultrathin-transparent-tulle-lace-socks-no-show-ankle-crew-socks-3-pack.html", + "geolocation": null, + "intent_template": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "instantiation_dict": {}, + "intent": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/checkout/cart", + "locator": "", + "required_contents": { + "must_include": [ + "VIVIKI Women Glitter Socks Ultrathin Transparent Tulle Lace Socks - No Show Ankle Crew Socks 3 Pack" + ] + } + } + ] + }, + "intent_template_id": 145 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/435.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/435.json new file mode 100644 index 00000000..7b94544c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/435.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 435, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/35-ft-hdmi-cable-gearit-pro-series-hdmi-cable-35-feet-high-speed-ethernet-4k-resolution-3d-video-and-arc-audio-return-channel-hdmi-cable-white.html |AND| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/dp-to-hdmi-cable-6ft-2-pack-fosmon-gold-plated-displayport-to-hdmi-cable-1080p-full-hd-for-pcs-to-hdtv-monitor-projector-with-hdmi-port.html", + "geolocation": null, + "intent_template": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "instantiation_dict": {}, + "intent": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/checkout/cart", + "locator": "", + "required_contents": { + "must_include": [ + "DP to HDMI Cable 6FT (2 Pack), Fosmon Gold Plated Displayport to HDMI Cable 1080p Full HD for PCs to HDTV, Monitor, Projector with HDMI Port" + ] + } + } + ] + }, + "intent_template_id": 145 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/436.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/436.json new file mode 100644 index 00000000..daffa09b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/436.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 436, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I previously ordered some {{product}} {{time}} and later cancelled. Can you reorder it for me?", + "instantiation_dict": { + "product": "a mattress foundation", + "time": "around Feb or March 2023" + }, + "intent": "I previously ordered some a mattress foundation around Feb or March 2023 and later cancelled. Can you reorder it for me?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B07DFJ5XKH" + ] + } + } + ] + }, + "intent_template_id": 156 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/437.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/437.json new file mode 100644 index 00000000..a402f567 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/437.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 437, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I previously ordered some {{product}} {{time}} and later cancelled. Can you reorder it for me?", + "instantiation_dict": { + "product": "a table lamp", + "time": "in May 2023" + }, + "intent": "I previously ordered some a table lamp in May 2023 and later cancelled. Can you reorder it for me?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B072XS3F6W" + ] + } + } + ] + }, + "intent_template_id": 156 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/438.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/438.json new file mode 100644 index 00000000..ebe41f09 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/438.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 438, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I previously ordered some {{product}} {{time}} and later cancelled. Can you reorder it for me?", + "instantiation_dict": { + "product": "a TV stand", + "time": "sometime around sep 2022" + }, + "intent": "I previously ordered some a TV stand sometime around sep 2022 and later cancelled. Can you reorder it for me?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B08PVHRRB7" + ] + } + } + ] + }, + "intent_template_id": 156 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/439.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/439.json new file mode 100644 index 00000000..e27a9f5b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/439.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 439, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I previously ordered some {{product}} {{time}} and later cancelled. Can you reorder it for me?", + "instantiation_dict": { + "product": "a cat t-shirt", + "time": "during 2022" + }, + "intent": "I previously ordered some a cat t-shirt during 2022 and later cancelled. Can you reorder it for me?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B0844BWS76" + ] + } + } + ] + }, + "intent_template_id": 156 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/44.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/44.json new file mode 100644 index 00000000..46c56b0c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/44.json @@ -0,0 +1,24 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 44, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Check out my todos", + "instantiation_dict": {}, + "intent": "Check out my todos", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/todos", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 303 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/440.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/440.json new file mode 100644 index 00000000..0874794c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/440.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 440, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I previously ordered some {{product}} {{time}} and later cancelled. Can you reorder it for me?", + "instantiation_dict": { + "product": "a make up removal kit", + "time": "during summer 2022" + }, + "intent": "I previously ordered some a make up removal kit during summer 2022 and later cancelled. Can you reorder it for me?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B0738JQG6Q" + ] + } + } + ] + }, + "intent_template_id": 156 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/441.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/441.json new file mode 100644 index 00000000..8064402d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/441.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 441, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space", + "geolocation": null, + "intent_template": "Update the project site's title to \"{{title}}\"", + "instantiation_dict": { + "title": "GIVE ME SPACE" + }, + "intent": "Update the project site's title to \"GIVE ME SPACE\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/index.html", + "locator": "", + "required_contents": { + "must_include": [ + "GIVE ME SPACE" + ] + } + } + ] + }, + "intent_template_id": 308 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/442.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/442.json new file mode 100644 index 00000000..4503946f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/442.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 442, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space", + "geolocation": null, + "intent_template": "Update the project site's title to \"{{title}}\"", + "instantiation_dict": { + "title": "Welcome to my site" + }, + "intent": "Update the project site's title to \"Welcome to my site\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/index.html", + "locator": "", + "required_contents": { + "must_include": [ + "Welcome to my site" + ] + } + } + ] + }, + "intent_template_id": 308 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/443.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/443.json new file mode 100644 index 00000000..8db85a2f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/443.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 443, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space", + "geolocation": null, + "intent_template": "Update the project site's title to \"{{title}}\"", + "instantiation_dict": { + "title": "Not an interesting site" + }, + "intent": "Update the project site's title to \"Not an interesting site\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/index.html", + "locator": "", + "required_contents": { + "must_include": [ + "Not an interesting site" + ] + } + } + ] + }, + "intent_template_id": 308 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/444.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/444.json new file mode 100644 index 00000000..b17fa439 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/444.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 444, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space", + "geolocation": null, + "intent_template": "Update the project site's title to \"{{title}}\"", + "instantiation_dict": { + "title": "Title Wanted" + }, + "intent": "Update the project site's title to \"Title Wanted\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/index.html", + "locator": "", + "required_contents": { + "must_include": [ + "Title Wanted" + ] + } + } + ] + }, + "intent_template_id": 308 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/445.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/445.json new file mode 100644 index 00000000..42233fa1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/445.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 445, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space", + "geolocation": null, + "intent_template": "Update the project site's title to \"{{title}}\"", + "instantiation_dict": { + "title": "Hello" + }, + "intent": "Update the project site's title to \"Hello\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/index.html", + "locator": "", + "required_contents": { + "must_include": [ + "Hello" + ] + } + } + ] + }, + "intent_template_id": 308 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/446.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/446.json new file mode 100644 index 00000000..d30bc31e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/446.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 446, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Assign the issue regarding {{issue}} in {{repo}} to {{account}}.", + "instantiation_dict": { + "repo": "a11yproject", + "issue": 404, + "account": "Roshanjossey" + }, + "intent": "Assign the issue regarding 404 in a11yproject to Roshanjossey.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/issues?scope=all&state=opened&assignee_username=Roshanjossey", + "locator": "", + "required_contents": { + "must_include": [ + "404s, bad host, timeouts, bad urls for URLs linked from website" + ] + } + } + ] + }, + "intent_template_id": 999 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/447.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/447.json new file mode 100644 index 00000000..b96cf9f7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/447.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 447, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Assign the issue regarding {{issue}} in {{repo}} to {{account}}.", + "instantiation_dict": { + "repo": "a11y-webring.club", + "issue": "linking to an accessibility statement", + "account": "Rohan" + }, + "intent": "Assign the issue regarding linking to an accessibility statement in a11y-webring.club to Rohan.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/issues?scope=all&state=opened&assignee_username=Seirdy", + "locator": "", + "required_contents": { + "must_include": [ + "linking to an accessibility statement" + ] + } + } + ] + }, + "intent_template_id": 999 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/448.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/448.json new file mode 100644 index 00000000..bd73a57d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/448.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 448, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "set the homepage URL on my GitLab profile to {{url}}", + "instantiation_dict": { + "url": "https://egg.tart.com" + }, + "intent": "set the homepage URL on my GitLab profile to https://egg.tart.com", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.profile-header [itemprop=\"url\"]').outerText", + "required_contents": { + "exact_match": "egg.tart.com" + } + } + ] + }, + "intent_template_id": 331 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/449.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/449.json new file mode 100644 index 00000000..0f673872 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/449.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 449, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "set the homepage URL on my GitLab profile to {{url}}", + "instantiation_dict": { + "url": "https://helloworld.xyz" + }, + "intent": "set the homepage URL on my GitLab profile to https://helloworld.xyz", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.profile-header [itemprop=\"url\"]').outerText", + "required_contents": { + "exact_match": "helloworld.xyz" + } + } + ] + }, + "intent_template_id": 331 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/45.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/45.json new file mode 100644 index 00000000..6f3fff87 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/45.json @@ -0,0 +1,24 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 45, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "Check out the most recent open issues", + "instantiation_dict": {}, + "intent": "Check out the most recent open issues", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues/?sort=created_asc&state=opened", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 300 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/450.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/450.json new file mode 100644 index 00000000..0f7ff062 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/450.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 450, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "set the homepage URL on my GitLab profile to {{url}}", + "instantiation_dict": { + "url": "a11yproject.contributor.me" + }, + "intent": "set the homepage URL on my GitLab profile to a11yproject.contributor.me", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.profile-header [itemprop=\"url\"]').outerText", + "required_contents": { + "exact_match": "a11yproject.contributor.me" + } + } + ] + }, + "intent_template_id": 331 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/451.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/451.json new file mode 100644 index 00000000..de92383b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/451.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 451, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "set the homepage URL on my GitLab profile to {{url}}", + "instantiation_dict": { + "url": "www.byteblaze.com" + }, + "intent": "set the homepage URL on my GitLab profile to www.byteblaze.com", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.profile-header [itemprop=\"url\"]').outerText", + "required_contents": { + "exact_match": "www.byteblaze.com" + } + } + ] + }, + "intent_template_id": 331 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/452.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/452.json new file mode 100644 index 00000000..40ef1c6d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/452.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 452, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "set the homepage URL on my GitLab profile to {{url}}", + "instantiation_dict": { + "url": "byteblaze.github.io" + }, + "intent": "set the homepage URL on my GitLab profile to byteblaze.github.io", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.profile-header [itemprop=\"url\"]').outerText", + "required_contents": { + "exact_match": "byteblaze.github.io" + } + } + ] + }, + "intent_template_id": 331 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/453.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/453.json new file mode 100644 index 00000000..7aae9895 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/453.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 453, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Disable {{product}} from the site, they are facing some quality issues.", + "instantiation_dict": { + "product": "Teton pullover hoodie" + }, + "intent": "Disable Teton pullover hoodie from the site, they are facing some quality issues.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/78/", + "locator": "document.querySelector('[name=\"product[status]\"').value", + "required_contents": { + "exact_match": "2" + } + } + ] + }, + "intent_template_id": 242 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/454.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/454.json new file mode 100644 index 00000000..58fdca5d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/454.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 454, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Disable {{product}} from the site, they are facing some quality issues.", + "instantiation_dict": { + "product": "Ryker Tee Crew Neck" + }, + "intent": "Disable Ryker Tee Crew Neck from the site, they are facing some quality issues.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/478/", + "locator": "document.querySelector('[name=\"product[status]\"').value", + "required_contents": { + "exact_match": "2" + } + } + ] + }, + "intent_template_id": 242 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/455.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/455.json new file mode 100644 index 00000000..82de4e8b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/455.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 455, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Disable {{product}} from the site, they are facing some quality issues.", + "instantiation_dict": { + "product": "lHelios Endurance Tank" + }, + "intent": "Disable lHelios Endurance Tank from the site, they are facing some quality issues.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/676/", + "locator": "document.querySelector('[name=\"product[status]\"').value", + "required_contents": { + "exact_match": "2" + } + } + ] + }, + "intent_template_id": 242 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/456.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/456.json new file mode 100644 index 00000000..4d81b9a9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/456.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 456, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Disable {{product}} from the site, they are facing some quality issues.", + "instantiation_dict": { + "product": "Cora Pant" + }, + "intent": "Disable Cora Pant from the site, they are facing some quality issues.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1840/", + "locator": "document.querySelector('[name=\"product[status]\"').value", + "required_contents": { + "exact_match": "2" + } + } + ] + }, + "intent_template_id": 242 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/457.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/457.json new file mode 100644 index 00000000..f35dcd51 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/457.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 457, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Disable {{product}} from the site, they are facing some quality issues.", + "instantiation_dict": { + "product": "Karmen yoga pants" + }, + "intent": "Disable Karmen yoga pants from the site, they are facing some quality issues.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1819/", + "locator": "document.querySelector('[name=\"product[status]\"').value", + "required_contents": { + "exact_match": "2" + } + } + ] + }, + "intent_template_id": 242 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/458.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/458.json new file mode 100644 index 00000000..eba1cba0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/458.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 458, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1481/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "$5", + "action": "Reduce" + }, + "intent": "Reduce the price of this product by $5", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1481/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "27.00" + } + } + ] + }, + "intent_template_id": 247 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/459.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/459.json new file mode 100644 index 00000000..a7fa0f2c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/459.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 459, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/237/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "10%", + "action": "Reduce" + }, + "intent": "Reduce the price of this product by 10%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/237/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "62.10" + } + } + ] + }, + "intent_template_id": 247 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/46.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/46.json new file mode 100644 index 00000000..9c01429f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/46.json @@ -0,0 +1,24 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 46, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "Check out the most recent open issues", + "instantiation_dict": {}, + "intent": "Check out the most recent open issues", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/issues/?sort=created_date&state=opened", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 300 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/460.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/460.json new file mode 100644 index 00000000..580c1f6a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/460.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 460, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/418/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "15%", + "action": "Reduce" + }, + "intent": "Reduce the price of this product by 15%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/418/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "38.25" + } + } + ] + }, + "intent_template_id": 247 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/461.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/461.json new file mode 100644 index 00000000..4723431a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/461.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 461, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/721/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "$11.5", + "action": "Increase" + }, + "intent": "Increase the price of this product by $11.5", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/721/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "29.50" + } + } + ] + }, + "intent_template_id": 247 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/462.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/462.json new file mode 100644 index 00000000..918d4c40 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/462.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 462, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/710/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "10%", + "action": "Increase" + }, + "intent": "Increase the price of this product by 10%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/710/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "19.80" + } + } + ] + }, + "intent_template_id": 247 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/463.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/463.json new file mode 100644 index 00000000..f0ffdace --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/463.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 463, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/996/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "15%", + "action": "Increase" + }, + "intent": "Increase the price of this product by 15%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/996/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "36.80" + } + } + ] + }, + "intent_template_id": 247 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/464.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/464.json new file mode 100644 index 00000000..52048fbd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/464.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 464, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update the product description of {{product}} to highlight the real user positive reviews by quoting the comments", + "instantiation_dict": { + "product": "Antonia Racer Tank" + }, + "intent": "Update the product description of Antonia Racer Tank to highlight the real user positive reviews by quoting the comments", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/../antonia-racer-tank.html", + "locator": "document.querySelector('.data.item.content').outerText + (document.querySelector('.product.attribute.overview [itemprop=\"description\"]')?.outerText || '')", + "required_contents": { + "must_include": [ + "This is in regular rotation at the gym", + "Its colorful and looks kinda cute under my exercise tanks", + "it's very stylish for yoga or something else low impact" + ] + } + } + ] + }, + "intent_template_id": 251 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/465.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/465.json new file mode 100644 index 00000000..c698a6a1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/465.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 465, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add {{product}} to my wish list", + "instantiation_dict": { + "product": "Tide PODS Spring Meadow Scent HE Turbo Laundry Detergent Pacs, 81 Count" + }, + "intent": "Add Tide PODS Spring Meadow Scent HE Turbo Laundry Detergent Pacs, 81 Count to my wish list", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Tide PODS Spring Meadow Scent HE Turbo Laundry Detergent Pacs, 81 Count" + ] + } + } + ] + }, + "intent_template_id": 186 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/466.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/466.json new file mode 100644 index 00000000..8a996fb6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/466.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 466, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add {{product}} to my wish list", + "instantiation_dict": { + "product": "2 Hawaiian Bamboo Orchid Roots #zc50 - by Discount Hawaiian Gifts" + }, + "intent": "Add 2 Hawaiian Bamboo Orchid Roots #zc50 - by Discount Hawaiian Gifts to my wish list", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "2 Hawaiian Bamboo Orchid Roots #zc50 - by Discount Hawaiian Gifts" + ] + } + } + ] + }, + "intent_template_id": 186 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/467.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/467.json new file mode 100644 index 00000000..944883ae --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/467.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 467, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add {{product}} to my wish list", + "instantiation_dict": { + "product": "HONGJ Hawaiian Beach Outfits Set for Mens, Summer Tropical Tree Printed Relaxed-fit Hawaii Shirts Shorts 2 Piece Suits" + }, + "intent": "Add HONGJ Hawaiian Beach Outfits Set for Mens, Summer Tropical Tree Printed Relaxed-fit Hawaii Shirts Shorts 2 Piece Suits to my wish list", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "HONGJ Hawaiian Beach Outfits Set for Mens, Summer Tropical Tree Printed Relaxed-fit Hawaii Shirts Shorts 2 Piece Suits" + ] + } + } + ] + }, + "intent_template_id": 186 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/468.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/468.json new file mode 100644 index 00000000..0ccac323 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/468.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 468, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add {{product}} to my wish list", + "instantiation_dict": { + "product": "DkRgVNY Lace Spcling Lingerie Womens Sexy Hollow Out Underwear Bodysuit One Piece Snap Crotch Clubwear Teddy Bodysuit" + }, + "intent": "Add DkRgVNY Lace Spcling Lingerie Womens Sexy Hollow Out Underwear Bodysuit One Piece Snap Crotch Clubwear Teddy Bodysuit to my wish list", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "DkRgVNY Lace Spcling Lingerie Womens Sexy Hollow Out Underwear Bodysuit One Piece Snap Crotch Clubwear Teddy Bodysuit" + ] + } + } + ] + }, + "intent_template_id": 186 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/469.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/469.json new file mode 100644 index 00000000..d929d611 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/469.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 469, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add {{product}} to my wish list", + "instantiation_dict": { + "product": "Light Blue Simple Summer New Low Heels Slippers for Women Fashion Chunky Heels Pointed Toe Wine Glasses Sandals Comfortable Walking Shoes Ladies All-Match Sexy Party Shoes" + }, + "intent": "Add Light Blue Simple Summer New Low Heels Slippers for Women Fashion Chunky Heels Pointed Toe Wine Glasses Sandals Comfortable Walking Shoes Ladies All-Match Sexy Party Shoes to my wish list", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Light Blue Simple Summer New Low Heels Slippers for Women Fashion Chunky Heels Pointed Toe Wine Glasses Sandals Comfortable Walking Shoes Ladies All-Match Sexy Party Shoes" + ] + } + } + ] + }, + "intent_template_id": 186 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/47.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/47.json new file mode 100644 index 00000000..60036940 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/47.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 47, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Today is 6/12/2023. Tell me how many fulfilled orders I have {{period}}, and the total amount of money I spent.", + "instantiation_dict": { + "period": "over the past month" + }, + "intent": "Today is 6/12/2023. Tell me how many fulfilled orders I have over the past month, and the total amount of money I spent.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "0 order", + "$0 total spend" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0 order, $0 total spend" + }, + "intent_template_id": 197 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/470.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/470.json new file mode 100644 index 00000000..c7592788 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/470.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 470, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Cancel order {{id}}", + "instantiation_dict": { + "id": "302" + }, + "intent": "Cancel order 302", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/302/", + "locator": "document.querySelector(\"#order_status\").outerText", + "required_contents": { + "exact_match": "Canceled" + } + } + ] + }, + "intent_template_id": 257 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/471.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/471.json new file mode 100644 index 00000000..4270f6d9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/471.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 471, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Cancel order {{id}}", + "instantiation_dict": { + "id": "307" + }, + "intent": "Cancel order 307", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/307/", + "locator": "document.querySelector(\"#order_status\").outerText", + "required_contents": { + "exact_match": "Canceled" + } + } + ] + }, + "intent_template_id": 257 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/472.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/472.json new file mode 100644 index 00000000..eb04f72a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/472.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 472, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Cancel order {{id}}", + "instantiation_dict": { + "id": "299" + }, + "intent": "Cancel order 299", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/299/", + "locator": "document.querySelector(\"#order_status\").outerText", + "required_contents": { + "exact_match": "Canceled" + } + } + ] + }, + "intent_template_id": 257 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/473.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/473.json new file mode 100644 index 00000000..d37f43c5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/473.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 473, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Cancel order {{id}}", + "instantiation_dict": { + "id": "301" + }, + "intent": "Cancel order 301", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/301/", + "locator": "document.querySelector(\"#order_status\").outerText", + "required_contents": { + "exact_match": "Canceled" + } + } + ] + }, + "intent_template_id": 257 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/474.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/474.json new file mode 100644 index 00000000..36d9c443 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/474.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 474, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Cancel order {{id}}", + "instantiation_dict": { + "id": "305" + }, + "intent": "Cancel order 305", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/305/", + "locator": "document.querySelector(\"#order_status\").outerText", + "required_contents": { + "exact_match": "Canceled" + } + } + ] + }, + "intent_template_id": 257 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/475.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/475.json new file mode 100644 index 00000000..017db286 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/475.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 475, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set up a new, empty repository with the name {{project_name}}?", + "instantiation_dict": { + "project_name": "chatgpt_plugin" + }, + "intent": "Set up a new, empty repository with the name chatgpt_plugin?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/chatgpt_plugin", + "locator": "", + "required_contents": { + "must_include": [ + "chatgpt_plugin" + ] + } + } + ] + }, + "intent_template_id": 292 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/476.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/476.json new file mode 100644 index 00000000..68c053cd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/476.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 476, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set up a new, empty repository with the name {{project_name}}?", + "instantiation_dict": { + "project_name": "awesome_llm_reading" + }, + "intent": "Set up a new, empty repository with the name awesome_llm_reading?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome_llm_reading", + "locator": "", + "required_contents": { + "must_include": [ + "awesome_llm_reading" + ] + } + } + ] + }, + "intent_template_id": 292 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/477.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/477.json new file mode 100644 index 00000000..c37eb699 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/477.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 477, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set up a new, empty repository with the name {{project_name}}?", + "instantiation_dict": { + "project_name": "awesome_program_aided_reasoning" + }, + "intent": "Set up a new, empty repository with the name awesome_program_aided_reasoning?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome_program_aided_reasoning", + "locator": "", + "required_contents": { + "must_include": [ + "awesome_program_aided_reasoning" + ] + } + } + ] + }, + "intent_template_id": 292 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/478.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/478.json new file mode 100644 index 00000000..07aed436 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/478.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 478, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set up a new, empty repository with the name {{project_name}}?", + "instantiation_dict": { + "project_name": "webagent" + }, + "intent": "Set up a new, empty repository with the name webagent?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/webagent", + "locator": "", + "required_contents": { + "must_include": [ + "webagent" + ] + } + } + ] + }, + "intent_template_id": 292 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/479.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/479.json new file mode 100644 index 00000000..95eb379c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/479.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 479, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set up a new, empty repository with the name {{project_name}}?", + "instantiation_dict": { + "project_name": "awesome_webagent" + }, + "intent": "Set up a new, empty repository with the name awesome_webagent?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome_webagent", + "locator": "", + "required_contents": { + "must_include": [ + "awesome_webagent" + ] + } + } + ] + }, + "intent_template_id": 292 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/48.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/48.json new file mode 100644 index 00000000..9035c16c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/48.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 48, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Today is 6/12/2023. Tell me how many fulfilled orders I have {{period}}, and the total amount of money I spent.", + "instantiation_dict": { + "period": "over the past three days" + }, + "intent": "Today is 6/12/2023. Tell me how many fulfilled orders I have over the past three days, and the total amount of money I spent.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "0 order", + "$0 total spend" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0 order, $0 total spend" + }, + "intent_template_id": 197 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/480.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/480.json new file mode 100644 index 00000000..5ba1782f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/480.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 480, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Invite {{collaborator_account_list}} as collaborator to {{repo}}", + "instantiation_dict": { + "collaborator_account_list": "yjlou", + "repo": "solarized-prism-theme" + }, + "intent": "Invite yjlou as collaborator to solarized-prism-theme", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/solarized-prism-theme/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "yjlou" + ] + } + } + ] + }, + "intent_template_id": 293 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/481.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/481.json new file mode 100644 index 00000000..5e21194c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/481.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 481, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "{{name}} wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "instantiation_dict": { + "name": "Abishek" + }, + "intent": "Abishek wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'abisubramanya27')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 294 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/482.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/482.json new file mode 100644 index 00000000..9ca9c829 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/482.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 482, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "{{name}} wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "instantiation_dict": { + "name": "yjlou" + }, + "intent": "yjlou wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'yjlou')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 294 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/483.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/483.json new file mode 100644 index 00000000..8ce1cd1e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/483.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 483, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "{{name}} wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "instantiation_dict": { + "name": "Koushik" + }, + "intent": "Koushik wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'koush')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 294 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/484.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/484.json new file mode 100644 index 00000000..9d1f4af1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/484.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 484, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "{{name}} wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "instantiation_dict": { + "name": "Jakub Klinkovsk\u00fd" + }, + "intent": "Jakub Klinkovsk\u00fd wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'lahwaacz')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 294 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/485.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/485.json new file mode 100644 index 00000000..2a1ac822 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/485.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 485, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "{{name}} wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "instantiation_dict": { + "name": "Vinta" + }, + "intent": "Vinta wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'vinta')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 294 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/486.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/486.json new file mode 100644 index 00000000..a9ded92a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/486.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 486, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Change the page title of \"{{old-heading}}\" page on my site to \"{{heading}}\".", + "instantiation_dict": { + "old-heading": "404 Not Found", + "heading": "Bruh bro you clicked the wrong page" + }, + "intent": "Change the page title of \"404 Not Found\" page on my site to \"Bruh bro you clicked the wrong page\".", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/cms/page/edit/page_id/1/", + "locator": "document.querySelector('input[name=\"title\"').value", + "required_contents": { + "exact_match": "Bruh bro you clicked the wrong page" + } + } + ] + }, + "intent_template_id": 275 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/487.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/487.json new file mode 100644 index 00000000..359aaeb2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/487.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 487, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Change the page title of \"{{old-heading}}\" page on my site to \"{{heading}}\".", + "instantiation_dict": { + "old-heading": "Enable Cookies", + "heading": "Cookie monster coming to your place" + }, + "intent": "Change the page title of \"Enable Cookies\" page on my site to \"Cookie monster coming to your place\".", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/cms/page/edit/page_id/3/", + "locator": "document.querySelector('input[name=\"title\"').value", + "required_contents": { + "exact_match": "Cookie monster coming to your place" + } + } + ] + }, + "intent_template_id": 275 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/488.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/488.json new file mode 100644 index 00000000..07050324 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/488.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 488, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Change the page title of \"{{old-heading}}\" page on my site to \"{{heading}}\".", + "instantiation_dict": { + "old-heading": "Home Page", + "heading": "This is the home page!! Leave here!!" + }, + "intent": "Change the page title of \"Home Page\" page on my site to \"This is the home page!! Leave here!!\".", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/cms/page/edit/page_id/2/", + "locator": "document.querySelector('input[name=\"title\"').value", + "required_contents": { + "exact_match": "This is the home page!! Leave here!!" + } + } + ] + }, + "intent_template_id": 275 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/489.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/489.json new file mode 100644 index 00000000..e96a5e76 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/489.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 489, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Change the page title of \"{{old-heading}}\" page on my site to \"{{heading}}\".", + "instantiation_dict": { + "old-heading": "Privacy Policy", + "heading": "No privacy policy is needed is this dystopian world" + }, + "intent": "Change the page title of \"Privacy Policy\" page on my site to \"No privacy policy is needed is this dystopian world\".", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/cms/page/edit/page_id/4/", + "locator": "document.querySelector('input[name=\"title\"').value", + "required_contents": { + "exact_match": "No privacy policy is needed is this dystopian world" + } + } + ] + }, + "intent_template_id": 275 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/49.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/49.json new file mode 100644 index 00000000..58f9b678 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/49.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 49, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Today is 6/12/2023. Tell me how many fulfilled orders I have {{period}}, and the total amount of money I spent.", + "instantiation_dict": { + "period": "over the past four month" + }, + "intent": "Today is 6/12/2023. Tell me how many fulfilled orders I have over the past four month, and the total amount of money I spent.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "3 orders", + "$845.49 total spend" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3 orders, $845.49 total spend" + }, + "intent_template_id": 197 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/490.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/490.json new file mode 100644 index 00000000..ac068ca8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/490.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 490, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Change the page title of \"{{old-heading}}\" page on my site to \"{{heading}}\".", + "instantiation_dict": { + "old-heading": "About us", + "heading": "Secret" + }, + "intent": "Change the page title of \"About us\" page on my site to \"Secret\".", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/cms/page/edit/page_id/5/", + "locator": "document.querySelector('input[name=\"title\"').value", + "required_contents": { + "exact_match": "Secret" + } + } + ] + }, + "intent_template_id": 275 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/491.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/491.json new file mode 100644 index 00000000..33d2f8fb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/491.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 491, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Notify {{name}} in their most recent pending order with message \"{{message}}\"", + "instantiation_dict": { + "name": "Sarah Miller", + "message": "the order is ready to be shipped soon!" + }, + "intent": "Notify Sarah Miller in their most recent pending order with message \"the order is ready to be shipped soon!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "System message: We cannot add order history." + }, + "intent_template_id": 280 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/492.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/492.json new file mode 100644 index 00000000..94ed92bc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/492.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 492, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Notify {{name}} in their most recent pending order with message \"{{message}}\"", + "instantiation_dict": { + "name": "Jane Doe", + "message": "sorry we are out of stock, please reorder" + }, + "intent": "Notify Jane Doe in their most recent pending order with message \"sorry we are out of stock, please reorder\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/302/", + "locator": "document.querySelector(\"#order_history_block\").querySelector(\".note-list\").firstElementChild.querySelector(\".note-list-comment\").outerText", + "required_contents": { + "exact_match": "sorry we are out of stock, please reorder" + } + } + ] + }, + "intent_template_id": 280 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/493.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/493.json new file mode 100644 index 00000000..b05d3aa6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/493.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 493, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Notify {{name}} in their most recent pending order with message \"{{message}}\"", + "instantiation_dict": { + "name": "Grace Nguyen", + "message": "sorry we are bankrupt, please contact our customer service for refund" + }, + "intent": "Notify Grace Nguyen in their most recent pending order with message \"sorry we are bankrupt, please contact our customer service for refund\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/307/", + "locator": "document.querySelector(\"#order_history_block\").querySelector(\".note-list\").firstElementChild.querySelector(\".note-list-comment\").outerText", + "required_contents": { + "exact_match": "sorry we are bankrupt, please contact our customer service for refund" + } + } + ] + }, + "intent_template_id": 280 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/494.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/494.json new file mode 100644 index 00000000..88a2a265 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/494.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 494, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Notify {{name}} in their most recent pending order with message \"{{message}}\"", + "instantiation_dict": { + "name": "Alex Thomas", + "message": "Yo, your order will be shipped soon!" + }, + "intent": "Notify Alex Thomas in their most recent pending order with message \"Yo, your order will be shipped soon!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/304/", + "locator": "document.querySelector(\"#order_history_block\").querySelector(\".note-list\").firstElementChild.querySelector(\".note-list-comment\").outerText", + "required_contents": { + "exact_match": "Yo, your order will be shipped soon!" + } + } + ] + }, + "intent_template_id": 280 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/495.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/495.json new file mode 100644 index 00000000..f904bc3c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/495.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 495, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Notify {{name}} in their most recent pending order with message \"{{message}}\"", + "instantiation_dict": { + "name": "Lily Potter", + "message": "Thanks, your order is ready to be shipped!" + }, + "intent": "Notify Lily Potter in their most recent pending order with message \"Thanks, your order is ready to be shipped!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/303/", + "locator": "document.querySelector(\"#order_history_block\").querySelector(\".note-list\").firstElementChild.querySelector(\".note-list-comment\").outerText", + "required_contents": { + "exact_match": "Thanks, your order is ready to be shipped!" + } + } + ] + }, + "intent_template_id": 280 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/496.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/496.json new file mode 100644 index 00000000..673e768b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/496.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 496, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update order #{{order}} with the {{service}} tracking number {{tracking}}", + "instantiation_dict": { + "tracking": "8974568499", + "order": "299", + "service": "Federal Express" + }, + "intent": "Update order #299 with the Federal Express tracking number 8974568499", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/commentsHistory/order_id/299/active_tab/order_shipments/", + "locator": "", + "required_contents": { + "must_include": [ + "Tracking number 8974568499 for Federal Express assigned" + ] + } + } + ] + }, + "intent_template_id": 284 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/497.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/497.json new file mode 100644 index 00000000..73b981d3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/497.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 497, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update order #{{order}} with the {{service}} tracking number {{tracking}}", + "instantiation_dict": { + "tracking": "24353446464", + "order": "307", + "service": "DHL" + }, + "intent": "Update order #307 with the DHL tracking number 24353446464", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/commentsHistory/order_id/307/active_tab/order_shipments/", + "locator": "", + "required_contents": { + "must_include": [ + "Tracking number 24353446464 for DHL assigned" + ] + } + } + ] + }, + "intent_template_id": 284 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/498.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/498.json new file mode 100644 index 00000000..a3a4183e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/498.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 498, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update order #{{order}} with the {{service}} tracking number {{tracking}}", + "instantiation_dict": { + "tracking": "55591023930", + "order": "306", + "service": "UPS" + }, + "intent": "Update order #306 with the UPS tracking number 55591023930", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/commentsHistory/order_id/306/active_tab/order_shipments/", + "locator": "", + "required_contents": { + "must_include": [ + "Tracking number 55591023930 for United Parcel Service assigned" + ] + } + } + ] + }, + "intent_template_id": 284 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/499.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/499.json new file mode 100644 index 00000000..986d57c8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/499.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 499, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update order #{{order}} with the {{service}} tracking number {{tracking}}", + "instantiation_dict": { + "tracking": "13849373987", + "order": "304", + "service": "USPS" + }, + "intent": "Update order #304 with the USPS tracking number 13849373987", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/commentsHistory/order_id/304/active_tab/order_shipments/", + "locator": "", + "required_contents": { + "must_include": [ + "Tracking number 13849373987 for United States Postal Service assigned" + ] + } + } + ] + }, + "intent_template_id": 284 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/5.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/5.json new file mode 100644 index 00000000..730617d7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/5.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 5, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What is the top-{{n}} best-selling product type in {{period}}", + "instantiation_dict": { + "n": 1, + "period": "Jan 2023" + }, + "intent": "What is the top-1 best-selling product type in Jan 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Duffle" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Duffle" + }, + "intent_template_id": 279 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/50.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/50.json new file mode 100644 index 00000000..ed126c85 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/50.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 50, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Today is 6/12/2023. Tell me how many fulfilled orders I have {{period}}, and the total amount of money I spent.", + "instantiation_dict": { + "period": "over the past year" + }, + "intent": "Today is 6/12/2023. Tell me how many fulfilled orders I have over the past year, and the total amount of money I spent.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "24 orders", + "$6560.69 total spend" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "24 orders, $6560.69 total spend" + }, + "intent_template_id": 197 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/500.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/500.json new file mode 100644 index 00000000..52229669 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/500.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 500, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update order #{{order}} with the {{service}} tracking number {{tracking}}", + "instantiation_dict": { + "tracking": "239028439840", + "order": "301", + "service": "DHL" + }, + "intent": "Update order #301 with the DHL tracking number 239028439840", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/commentsHistory/order_id/301/active_tab/order_shipments/", + "locator": "", + "required_contents": { + "must_include": [ + "Tracking number 239028439840 for DHL assigned" + ] + } + } + ] + }, + "intent_template_id": 284 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/501.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/501.json new file mode 100644 index 00000000..ad305d08 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/501.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 501, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Make all {{product}} as out of stock", + "instantiation_dict": { + "product": "Taurus Elements Shell" + }, + "intent": "Make all Taurus Elements Shell as out of stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/350/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "0" + } + } + ] + }, + "intent_template_id": 287 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/502.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/502.json new file mode 100644 index 00000000..5d2ce50d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/502.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 502, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Make all {{product}} as out of stock", + "instantiation_dict": { + "product": "Gobi HeatTec Tee" + }, + "intent": "Make all Gobi HeatTec Tee as out of stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/446/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "0" + } + } + ] + }, + "intent_template_id": 287 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/503.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/503.json new file mode 100644 index 00000000..fad1e59c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/503.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 503, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Make all {{product}} as out of stock", + "instantiation_dict": { + "product": "rocco gym tank" + }, + "intent": "Make all rocco gym tank as out of stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/682/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "0" + } + } + ] + }, + "intent_template_id": 287 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/504.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/504.json new file mode 100644 index 00000000..f3e4736d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/504.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 504, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Make all {{product}} as out of stock", + "instantiation_dict": { + "product": "Selene yoga hoodie" + }, + "intent": "Make all Selene yoga hoodie as out of stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1108/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "0" + } + } + ] + }, + "intent_template_id": 287 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/505.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/505.json new file mode 100644 index 00000000..d4b0279f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/505.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 505, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Make all {{product}} as out of stock", + "instantiation_dict": { + "product": "Aeno capri" + }, + "intent": "Make all Aeno capri as out of stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1861/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "0" + } + } + ] + }, + "intent_template_id": 287 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/506.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/506.json new file mode 100644 index 00000000..a75fd33b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/506.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 506, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Buy the highest rated product from the {{product_category}} category within a budget {{dollar_value}}.", + "instantiation_dict": { + "product_category": "meat substitute", + "dollar_value": "between 100 and 200" + }, + "intent": "Buy the highest rated product from the meat substitute category within a budget between 100 and 200.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B01CTR3DLE" + ] + } + } + ] + }, + "intent_template_id": 172 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/507.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/507.json new file mode 100644 index 00000000..7d492f78 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/507.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 507, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Buy the highest rated product from the {{product_category}} category within a budget {{dollar_value}}.", + "instantiation_dict": { + "product_category": "Ceiling light", + "dollar_value": "above 1000" + }, + "intent": "Buy the highest rated product from the Ceiling light category within a budget above 1000.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B07BVL3P1V" + ] + } + } + ] + }, + "intent_template_id": 172 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/508.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/508.json new file mode 100644 index 00000000..e6e75925 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/508.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 508, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Buy the highest rated product from the {{product_category}} category within a budget {{dollar_value}}.", + "instantiation_dict": { + "product_category": "NS switch pouch", + "dollar_value": "under 60" + }, + "intent": "Buy the highest rated product from the NS switch pouch category within a budget under 60.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B07116LGP6" + ] + } + } + ] + }, + "intent_template_id": 172 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/509.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/509.json new file mode 100644 index 00000000..37033c4a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/509.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 509, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Buy the best rating product from \"{{category}}\" category with at least 5 reviews and the product is least expensive", + "instantiation_dict": { + "category": "Men's shoe" + }, + "intent": "Buy the best rating product from \"Men's shoe\" category with at least 5 reviews and the product is least expensive", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B01J4MM3KO" + ] + } + } + ] + }, + "intent_template_id": 216 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/51.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/51.json new file mode 100644 index 00000000..db7718e1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/51.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 51, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Today is 6/12/2023. Tell me how many fulfilled orders I have {{period}}, and the total amount of money I spent.", + "instantiation_dict": { + "period": "over the past six month" + }, + "intent": "Today is 6/12/2023. Tell me how many fulfilled orders I have over the past six month, and the total amount of money I spent.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "12 orders", + "$1603.69 total spend" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "12 orders, $1603.69 total spend" + }, + "intent_template_id": 197 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/510.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/510.json new file mode 100644 index 00000000..901aa8c8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/510.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 510, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Buy the best rating product from \"{{category}}\" category with at least 5 reviews and the product is least expensive", + "instantiation_dict": { + "category": "Home Audio Speaker" + }, + "intent": "Buy the best rating product from \"Home Audio Speaker\" category with at least 5 reviews and the product is least expensive", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B002R5ABIW" + ] + } + } + ] + }, + "intent_template_id": 216 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/511.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/511.json new file mode 100644 index 00000000..31107488 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/511.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 511, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add a {{product}} to my wish list.", + "instantiation_dict": { + "product": "laundry detergent" + }, + "intent": "Add a laundry detergent to my wish list.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "laundry", + "detergent" + ] + } + } + ] + }, + "intent_template_id": 189 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/512.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/512.json new file mode 100644 index 00000000..7f887548 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/512.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 512, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add a {{product}} to my wish list.", + "instantiation_dict": { + "product": "toothpaste" + }, + "intent": "Add a toothpaste to my wish list.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "toothpaste" + ] + } + } + ] + }, + "intent_template_id": 189 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/513.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/513.json new file mode 100644 index 00000000..4f52aff0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/513.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 513, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add a {{product}} to my wish list.", + "instantiation_dict": { + "product": "chair" + }, + "intent": "Add a chair to my wish list.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "chair" + ] + } + } + ] + }, + "intent_template_id": 189 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/514.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/514.json new file mode 100644 index 00000000..96daef92 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/514.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 514, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add a {{product}} to my wish list.", + "instantiation_dict": { + "product": "white desk" + }, + "intent": "Add a white desk to my wish list.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "white", + "desk" + ] + } + } + ] + }, + "intent_template_id": 189 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/515.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/515.json new file mode 100644 index 00000000..ef80cb8c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/515.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 515, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add a {{product}} to my wish list.", + "instantiation_dict": { + "product": "white computer desk" + }, + "intent": "Add a white computer desk to my wish list.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "white", + "computer", + "desk" + ] + } + } + ] + }, + "intent_template_id": 189 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/516.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/516.json new file mode 100644 index 00000000..ef36a8dc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/516.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 516, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/elmwood-inn-fine-teas-orange-vanilla-caffeine-free-fruit-infusion-16-ounce-pouch.html", + "geolocation": null, + "intent_template": "Add this product to my wishlist", + "instantiation_dict": {}, + "intent": "Add this product to my wishlist", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Elmwood Inn Fine Teas, Orange Vanilla Caffeine-free Fruit Infusion, 16-Ounce Pouch" + ] + } + } + ] + }, + "intent_template_id": 196 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/517.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/517.json new file mode 100644 index 00000000..89d4ab7f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/517.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 517, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/skinit-decal-gaming-skin-compatible-with-xbox-one-s-console-and-controller-bundle-officially-licensed-nfl-baltimore-ravens-design.html", + "geolocation": null, + "intent_template": "Add this product to my wishlist", + "instantiation_dict": {}, + "intent": "Add this product to my wishlist", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Skinit Decal Gaming Skin Compatible with Xbox One S Console and Controller Bundle - Officially Licensed NFL Baltimore Ravens Design" + ] + } + } + ] + }, + "intent_template_id": 196 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/518.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/518.json new file mode 100644 index 00000000..bc0685fc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/518.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 518, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/sceptre-e195bd-srr-19-inch-720p-led-tv-true-black-2017.html", + "geolocation": null, + "intent_template": "Add this product to my wishlist", + "instantiation_dict": {}, + "intent": "Add this product to my wishlist", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Sceptre E195BD-SRR 19-Inch 720P LED TV, True Black (2017)" + ] + } + } + ] + }, + "intent_template_id": 196 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/519.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/519.json new file mode 100644 index 00000000..7a58d5dc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/519.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 519, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/iphone-13-pro-max-case-neon-turtle-iphone-13-pro-max-cases-tempered-glass-back-soft-silicone-tpu-shock-protective-case-for-apple-iphone-13-pro-max.html", + "geolocation": null, + "intent_template": "Add this product to my wishlist", + "instantiation_dict": {}, + "intent": "Add this product to my wishlist", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "iPhone 13 Pro Max Case, Neon Turtle iPhone 13 Pro Max Cases, Tempered Glass Back+Soft Silicone TPU Shock Protective Case for Apple iPhone 13 Pro Max" + ] + } + } + ] + }, + "intent_template_id": 196 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/52.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/52.json new file mode 100644 index 00000000..646e577f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/52.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 52, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "How long does it take to walk from {{start}} to {{end}}?", + "instantiation_dict": { + "start": "Carnegie Mellon University", + "end": "starbucks on Craig Street" + }, + "intent": "How long does it take to walk from Carnegie Mellon University to starbucks on Craig Street?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "7 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "7 min" + }, + "intent_template_id": 68 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/520.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/520.json new file mode 100644 index 00000000..64605de6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/520.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 520, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/magnetic-metal-stainless-steel-d-pads-kits-directional-pad-replacement-parts-for-xbox-one-elite-controller-elite-series-2-xbox-one-xbox-one-s-x-controller.html", + "geolocation": null, + "intent_template": "Add this product to my wishlist", + "instantiation_dict": {}, + "intent": "Add this product to my wishlist", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Magnetic Metal Stainless Steel D-pads Kits Directional Pad Replacement Parts for Xbox One Elite Controller, Elite Series 2, Xbox One, Xbox One S/X Controller" + ] + } + } + ] + }, + "intent_template_id": 196 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/521.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/521.json new file mode 100644 index 00000000..8b04ff30 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/521.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 521, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Subscribe to the newsletter of OneStopMarket", + "instantiation_dict": {}, + "intent": "Subscribe to the newsletter of OneStopMarket", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/newsletter/manage/", + "locator": "document.querySelector('[title=\"General Subscription\"').checked.toString()", + "required_contents": { + "exact_match": "true" + } + } + ] + }, + "intent_template_id": 199 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/522.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/522.json new file mode 100644 index 00000000..7d103117 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/522.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 522, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "all repos from facebook" + }, + "intent": "Fork all repos from facebook.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/projects", + "locator": "document.querySelector('[data-qa-selector=\"projects_list\"').outerText", + "required_contents": { + "must_include": [ + "create-react-app", + "buck" + ] + } + } + ] + }, + "intent_template_id": 352 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/523.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/523.json new file mode 100644 index 00000000..2ac56543 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/523.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 523, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Star the top {{number}} most stared repos in Gitlab", + "instantiation_dict": { + "number": "five" + }, + "intent": "Star the top five most stared repos in Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/starred", + "locator": "", + "required_contents": { + "must_include": [ + "AndroidSlidingUpPanel", + "create-react-app", + "ffmpeg-python", + "PHP_XLSXWriter", + "AndroidAsync" + ] + } + } + ] + }, + "intent_template_id": 354 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/524.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/524.json new file mode 100644 index 00000000..cea0ae15 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/524.json @@ -0,0 +1,42 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 524, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Star the top {{number}} most stared repos in Gitlab", + "instantiation_dict": { + "number": "eight" + }, + "intent": "Star the top eight most stared repos in Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/starred", + "locator": "", + "required_contents": { + "must_include": [ + "AndroidSlidingUpPanel", + "create-react-app", + "ffmpeg-python", + "PHP_XLSXWriter", + "AndroidAsync", + "Pytorch-GAN", + "administrate", + "keycloak" + ] + } + } + ] + }, + "intent_template_id": 354 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/525.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/525.json new file mode 100644 index 00000000..7f49e26e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/525.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 525, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Star the top {{number}} most stared repos in Gitlab", + "instantiation_dict": { + "number": "four" + }, + "intent": "Star the top four most stared repos in Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/starred", + "locator": "", + "required_contents": { + "must_include": [ + "AndroidSlidingUpPanel", + "create-react-app", + "ffmpeg-python", + "PHP_XLSXWriter" + ] + } + } + ] + }, + "intent_template_id": 354 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/526.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/526.json new file mode 100644 index 00000000..3cf3d1f9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/526.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 526, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Star the top {{number}} most stared repos in Gitlab", + "instantiation_dict": { + "number": "three" + }, + "intent": "Star the top three most stared repos in Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/starred", + "locator": "", + "required_contents": { + "must_include": [ + "AndroidSlidingUpPanel", + "create-react-app", + "ffmpeg-python" + ] + } + } + ] + }, + "intent_template_id": 354 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/527.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/527.json new file mode 100644 index 00000000..de0d30e6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/527.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 527, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Star the top {{number}} most stared repos in Gitlab", + "instantiation_dict": { + "number": "one" + }, + "intent": "Star the top one most stared repos in Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/starred", + "locator": "", + "required_contents": { + "must_include": [ + "AndroidSlidingUpPanel" + ] + } + } + ] + }, + "intent_template_id": 354 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/528.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/528.json new file mode 100644 index 00000000..c3488780 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/528.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 528, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft a refund message via their \"contact us\" form for the {{product}} I bought {{time}}. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "instantiation_dict": { + "product": "phone screen protector", + "time": "March 2023" + }, + "intent": "Draft a refund message via their \"contact us\" form for the phone screen protector I bought March 2023. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000180", + "12.99" + ] + } + } + ] + }, + "intent_template_id": 154 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/529.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/529.json new file mode 100644 index 00000000..b3e2d977 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/529.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 529, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft a refund message via their \"contact us\" form for the {{product}} I bought {{time}}. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "instantiation_dict": { + "product": "bluetooth speaker", + "time": "Feb 2023" + }, + "intent": "Draft a refund message via their \"contact us\" form for the bluetooth speaker I bought Feb 2023. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000148", + "169.95" + ] + } + } + ] + }, + "intent_template_id": 154 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/53.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/53.json new file mode 100644 index 00000000..35138468 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/53.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 53, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "How long does it take to walk from {{start}} to {{end}}?", + "instantiation_dict": { + "start": "Univ of Pittsburgh", + "end": "starbucks on Craig Street" + }, + "intent": "How long does it take to walk from Univ of Pittsburgh to starbucks on Craig Street?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "18 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "18 min" + }, + "intent_template_id": 68 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/530.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/530.json new file mode 100644 index 00000000..716707ef --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/530.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 530, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft a refund message via their \"contact us\" form for the {{product}} I bought {{time}}. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "instantiation_dict": { + "product": "kitchen organizer", + "time": "around Feb 2023" + }, + "intent": "Draft a refund message via their \"contact us\" form for the kitchen organizer I bought around Feb 2023. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000161", + "68.88" + ] + } + } + ] + }, + "intent_template_id": 154 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/531.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/531.json new file mode 100644 index 00000000..9636ee68 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/531.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 531, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft a refund message via their \"contact us\" form for the {{product}} I bought {{time}}. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "instantiation_dict": { + "product": "phone case", + "time": "March 2023" + }, + "intent": "Draft a refund message via their \"contact us\" form for the phone case I bought March 2023. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000180", + "$12.99" + ] + } + } + ] + }, + "intent_template_id": 154 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/532.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/532.json new file mode 100644 index 00000000..a6c98ed4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/532.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 532, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft a refund message via their \"contact us\" form for the {{product}} I bought {{time}}. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "instantiation_dict": { + "product": "PS3 remote controller", + "time": "early 2023" + }, + "intent": "Draft a refund message via their \"contact us\" form for the PS3 remote controller I bought early 2023. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000180", + "1.63" + ] + } + } + ] + }, + "intent_template_id": 154 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/533.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/533.json new file mode 100644 index 00000000..5358f66f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/533.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 533, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Follow {{account_list}} on Gitlab", + "instantiation_dict": { + "account_list": [ + "convexegg", + "yjlou" + ] + }, + "intent": "Follow ['convexegg', 'yjlou'] on Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/following", + "locator": "document.querySelector('.user-profile').outerText", + "required_contents": { + "must_include": [ + "@convexegg", + "@yjlou" + ] + } + } + ] + }, + "intent_template_id": 330 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/534.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/534.json new file mode 100644 index 00000000..24836796 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/534.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 534, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Follow {{account_list}} on Gitlab", + "instantiation_dict": { + "account_list": [ + "Jakub Klinkovsk\u00fd", + "Koushik", + "Vinta Chen" + ] + }, + "intent": "Follow ['Jakub Klinkovsk\u00fd', 'Koushik', 'Vinta Chen'] on Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/following", + "locator": "document.querySelector('.user-profile').outerText", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@koush", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 330 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/535.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/535.json new file mode 100644 index 00000000..671c73bd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/535.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 535, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Follow {{account_list}} on Gitlab", + "instantiation_dict": { + "account_list": [ + "Jakub K", + "ghost", + "Beno\u00eet Blanchon" + ] + }, + "intent": "Follow ['Jakub K', 'ghost', 'Beno\u00eet Blanchon'] on Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/following", + "locator": "document.querySelector('.user-profile').outerText", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@ghost", + "@bblanchon" + ] + } + } + ] + }, + "intent_template_id": 330 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/536.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/536.json new file mode 100644 index 00000000..ed51a842 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/536.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 536, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Follow {{account_list}} on Gitlab", + "instantiation_dict": { + "account_list": [ + "ghost", + "R1kk3r", + "Abishek" + ] + }, + "intent": "Follow ['ghost', 'R1kk3r', 'Abishek'] on Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/following", + "locator": "document.querySelector('.user-profile').outerText", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@R1kk3r", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 330 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/537.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/537.json new file mode 100644 index 00000000..70adf0e4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/537.json @@ -0,0 +1,45 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 537, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Follow {{account_list}} on Gitlab", + "instantiation_dict": { + "account_list": [ + "Jakub Klinkovsk", + "convexegg", + "Vinta Chen", + "yjlou", + "Abishek S" + ] + }, + "intent": "Follow ['Jakub Klinkovsk', 'convexegg', 'Vinta Chen', 'yjlou', 'Abishek S'] on Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/following", + "locator": "document.querySelector('.user-profile').outerText", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@convexegg", + "@vinta", + "@yjlou", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 330 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/538.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/538.json new file mode 100644 index 00000000..4b3d44c3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/538.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 538, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Modify the address of order #{{order_id}} to {{address}}", + "instantiation_dict": { + "order_id": "299", + "address": "456 Oak Avenue, Apartment 5B, New York, NY, 10001" + }, + "intent": "Modify the address of order #299 to 456 Oak Avenue, Apartment 5B, New York, NY, 10001", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/299", + "locator": "", + "required_contents": { + "must_include": [ + "456 Oak Avenue", + "Apartment 5B", + "New York", + "10001" + ] + } + } + ] + }, + "intent_template_id": 240 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/539.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/539.json new file mode 100644 index 00000000..bde61d6b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/539.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 539, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Modify the address of order #{{order_id}} to {{address}}", + "instantiation_dict": { + "order_id": "65", + "address": "789 Pine Lane, San Francisco, CA, 94102" + }, + "intent": "Modify the address of order #65 to 789 Pine Lane, San Francisco, CA, 94102", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/65", + "locator": "", + "required_contents": { + "must_include": [ + "789 Pine Lane", + "San Francisco", + "California", + "94102" + ] + } + } + ] + }, + "intent_template_id": 240 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/54.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/54.json new file mode 100644 index 00000000..43b809c8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/54.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 54, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "How long does it take to walk from {{start}} to {{end}}?", + "instantiation_dict": { + "start": "Carnegie Mellon University", + "end": "Univ of Pittsburgh" + }, + "intent": "How long does it take to walk from Carnegie Mellon University to Univ of Pittsburgh?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "25 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "25 min" + }, + "intent_template_id": 68 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/540.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/540.json new file mode 100644 index 00000000..5f7bb18c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/540.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 540, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Modify the address of order #{{order_id}} to {{address}}", + "instantiation_dict": { + "order_id": "301", + "address": "321 Birch Boulevard, Suite 200, Dallas, TX, 75201" + }, + "intent": "Modify the address of order #301 to 321 Birch Boulevard, Suite 200, Dallas, TX, 75201", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/301", + "locator": "", + "required_contents": { + "must_include": [ + "321 Birch Boulevard", + "Suite 200", + "Dallas", + "Texas", + "75201" + ] + } + } + ] + }, + "intent_template_id": 240 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/541.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/541.json new file mode 100644 index 00000000..90ef9dd8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/541.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 541, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Modify the address of order #{{order_id}} to {{address}}", + "instantiation_dict": { + "order_id": "125", + "address": "654 Elm Drive, Apartment 12, Miami, FL, 33101" + }, + "intent": "Modify the address of order #125 to 654 Elm Drive, Apartment 12, Miami, FL, 33101", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/125", + "locator": "", + "required_contents": { + "must_include": [ + "654 Elm Drive", + "Apartment 12", + "Miami", + "Florida", + "33101" + ] + } + } + ] + }, + "intent_template_id": 240 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/542.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/542.json new file mode 100644 index 00000000..f57fe439 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/542.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 542, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Modify the address of order #{{order_id}} to {{address}}", + "instantiation_dict": { + "order_id": "300", + "address": "987 Cedar Court, Los Angeles, CA, 90012" + }, + "intent": "Modify the address of order #300 to 987 Cedar Court, Los Angeles, CA, 90012", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/300", + "locator": "", + "required_contents": { + "must_include": [ + "987 Cedar Court", + "Los Angeles", + "California", + "90012" + ] + } + } + ] + }, + "intent_template_id": 240 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/543.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/543.json new file mode 100644 index 00000000..45504928 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/543.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 543, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update the product description of {{product}} to highlight the real user positive reviews by quoting the comments", + "instantiation_dict": { + "product": "Bella Tank" + }, + "intent": "Update the product description of Bella Tank to highlight the real user positive reviews by quoting the comments", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/../bella-tank.html", + "locator": "document.querySelector('.data.item.content').outerText + (document.querySelector('.product.attribute.overview [itemprop=\"description\"]')?.outerText || '')", + "required_contents": { + "must_include": [ + "Good choice for working out and stylin' enough to wear when I'm hanging with friends on hot days", + "Also washes really well", + "Always a sweet n sporty look for the gym", + "Keeps me cool and the seams don't rub up against me like some of my other tanks" + ] + } + } + ] + }, + "intent_template_id": 251 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/544.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/544.json new file mode 100644 index 00000000..af38e37e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/544.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 544, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update the description of {{product}} to highlight the real user positive reviews by quoting the comments", + "instantiation_dict": { + "product": "Selena Yoga Hoodie" + }, + "intent": "Update the description of Selena Yoga Hoodie to highlight the real user positive reviews by quoting the comments", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/../selene-yoga-hoodie.html", + "locator": "document.querySelector('.data.item.content').outerText + (document.querySelector('.product.attribute.overview [itemprop=\"description\"]')?.outerText || '')", + "required_contents": { + "must_include": [ + "I was super cold and it did the job.", + "The sleeves are definitely thicker than you realize, which is a good thing", + "really quite substantial", + "planning on buying another one of these in another color", + "the best hoodie ive ever owned" + ] + } + } + ] + }, + "intent_template_id": 251 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/545.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/545.json new file mode 100644 index 00000000..c727ecba --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/545.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 545, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update the description of {{product}} to highlight the real user positive reviews by quoting the comments", + "instantiation_dict": { + "product": "Radiant Tee" + }, + "intent": "Update the description of Radiant Tee to highlight the real user positive reviews by quoting the comments", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/../radiant-tee.html", + "locator": "document.querySelector('.data.item.content').outerText + (document.querySelector('.product.attribute.overview [itemprop=\"description\"]')?.outerText || '')", + "required_contents": { + "must_include": [ + "What I rally love here is that it does the job of keeping me cool and dry", + "I'm a big guy and sweat A LOT", + "Even after a day of gulf, I'm still dry and comfortable", + "What a versatile shirt", + "Not only does it feel very soft compared to my old worn out polos, but it also does the job promised", + "I like going out after my game for drinks so I look good then too and don't need to change into something fresh" + ] + } + } + ] + }, + "intent_template_id": 251 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/546.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/546.json new file mode 100644 index 00000000..d953445b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/546.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 546, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update the description of {{product}} to highlight the real user positive reviews by quoting the comments", + "instantiation_dict": { + "product": "Lucia Cross-Fit Bra" + }, + "intent": "Update the description of Lucia Cross-Fit Bra to highlight the real user positive reviews by quoting the comments", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/../affirm-water-bottle.html", + "locator": "document.querySelector('.data.item.content').outerText + (document.querySelector('.product.attribute.overview [itemprop=\"description\"]')?.outerText || '')", + "required_contents": { + "must_include": [ + "Wide mouth opening makes it easy to clean" + ] + } + } + ] + }, + "intent_template_id": 251 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/547.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/547.json new file mode 100644 index 00000000..e033e828 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/547.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 547, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a new {{option}} option {{value}} to the {{base_setting}} of {{product}}", + "instantiation_dict": { + "option": "color", + "value": "brown", + "base_setting": "size S", + "product": "Phoebe Zipper Sweatshirt" + }, + "intent": "Add a new color option brown to the size S of Phoebe Zipper Sweatshirt", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1130/", + "locator": "document.querySelector('[data-index=\"configurable\"').outerText", + "required_contents": { + "must_include": [ + "Phoebe Zipper Sweatshirt-S-Brown" + ] + } + } + ] + }, + "intent_template_id": 252 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/548.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/548.json new file mode 100644 index 00000000..1bff29a8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/548.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 548, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a new {{option}} {{value}} to {{base_setting}} of {{product}}", + "instantiation_dict": { + "option": "color", + "value": "blue", + "base_setting": "size S and M", + "product": "Frankie Sweatshirt" + }, + "intent": "Add a new color blue to size S and M of Frankie Sweatshirt", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/110/", + "locator": "document.querySelector('[data-index=\"configurable\"').outerText", + "required_contents": { + "must_include": [ + "Sweatshirt-M-Blue", + "Sweatshirt-S-Blue" + ] + } + } + ] + }, + "intent_template_id": 252 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/549.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/549.json new file mode 100644 index 00000000..952bd754 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/549.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 549, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a new {{option}} {{value}} to {{base_setting}} {{product}}", + "instantiation_dict": { + "option": "size", + "value": "XXXL", + "base_setting": "green", + "product": "Minerva LumaTech V-Tee" + }, + "intent": "Add a new size XXXL to green Minerva LumaTech V-Tee", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1492/", + "locator": "document.querySelector('[data-index=\"configurable\"').outerText", + "required_contents": { + "must_include": [ + "V-Tee-XXXL-Green" + ] + } + } + ] + }, + "intent_template_id": 252 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/55.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/55.json new file mode 100644 index 00000000..b294e960 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/55.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 55, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "How long does it take to walk from {{start}} to {{end}}?", + "instantiation_dict": { + "start": "the starbuck near CMU", + "end": "Chatham university" + }, + "intent": "How long does it take to walk from the starbuck near CMU to Chatham university?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "30 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "30 min" + }, + "intent_template_id": 68 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/550.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/550.json new file mode 100644 index 00000000..cdba930c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/550.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 550, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a new {{option}} {{value}} to {{base_setting}} {{product}}", + "instantiation_dict": { + "option": "size", + "value": "XXS", + "base_setting": "blue and purple", + "product": "Nona Fitness Tank" + }, + "intent": "Add a new size XXS to blue and purple Nona Fitness Tank", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1732/", + "locator": "document.querySelector('[data-index=\"configurable\"').outerText", + "required_contents": { + "must_include": [ + "Tank-XXS-Blue", + "Tank-XXS-Purple" + ] + } + } + ] + }, + "intent_template_id": 252 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/551.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/551.json new file mode 100644 index 00000000..f10fa73b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/551.json @@ -0,0 +1,43 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 551, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add new {{option}} {{value}} to {{base_setting}} of {{product}}", + "instantiation_dict": { + "option": "size", + "value": "30 and 31", + "base_setting": "all color variants", + "product": "Diana Tights" + }, + "intent": "Add new size 30 and 31 to all color variants of Diana Tights", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1854/", + "locator": "document.querySelector('[data-index=\"configurable\"').outerText", + "required_contents": { + "must_include": [ + "Tights-30-Blue", + "Tights-30-Black", + "Tights-30-Orange", + "Tights-31-Blue", + "Tights-31-Black", + "Tights-31-Orange" + ] + } + } + ] + }, + "intent_template_id": 252 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/552.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/552.json new file mode 100644 index 00000000..a2f7cece --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/552.json @@ -0,0 +1,42 @@ +{ + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 552, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a folder named {{directory}} in {{gitlab_repo}} repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the {{subreddit}}?", + "instantiation_dict": { + "directory": "real_space", + "subreddit": "space", + "gitlab_repo": "gimmiethat.space" + }, + "intent": "Create a folder named real_space in gimmiethat.space repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the space?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/real_space/urls.txt", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/space/134164/scientists-erupt-at-nasa-gutting-funding-for-crucial-venus", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/space/134163/virgin-orbit-fails-to-secure-funding-will-cease-operations", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/space/134162/nasa-to-name-artemis-2-crew-next-week-the-first-moon", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/space/134161/bent-light-in-deep-space-reveals-one-of-the-biggest-black", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/space/134160/seti-s-new-machine-learning-algorithm-works-like-google-s" + ] + } + } + ] + }, + "intent_template_id": 84 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/553.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/553.json new file mode 100644 index 00000000..b29d0aed --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/553.json @@ -0,0 +1,42 @@ +{ + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 553, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a folder named {{directory}} in {{gitlab_repo}} repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the {{subreddit}}?", + "instantiation_dict": { + "directory": "news", + "gitlab_repo": "gimmiethat.space", + "subreddit": "news related subreddits" + }, + "intent": "Create a folder named news in gimmiethat.space repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the news related subreddits?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/news/urls.txt", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129905/ohio-man-charged-for-using-molotov-cocktails-to-attack", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129904/in-a-loss-for-fox-news-judge-allows-dominion-s-defamation", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129903/theater-group-sues-to-block-tennessee-s-new-anti-drag-law", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129902/andrew-tate-released-from-jail-in-romania-and-placed-under", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129901/rare-high-risk-storm-alert-issued-for-parts-of-midwest-and" + ] + } + } + ] + }, + "intent_template_id": 84 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/554.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/554.json new file mode 100644 index 00000000..07082d65 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/554.json @@ -0,0 +1,42 @@ +{ + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 554, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a folder named {{directory}} in {{gitlab_repo}} repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the {{subreddit}}?", + "instantiation_dict": { + "directory": "moive_space", + "gitlab_repo": "gimmiethat.space", + "subreddit": "movies" + }, + "intent": "Create a folder named moive_space in gimmiethat.space repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the movies?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/moive_space/urls.txt", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/128825/scenes-in-film-that-feel-off-or-wrong-in-some-way-and-make", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/128824/disney-s-live-action-lilo-amp-stitch-movie-finds-its-lilo-in", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/128823/fantastic-four-movie-gets-new-writer-with-avatar-the-way-of", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/128822/can-someone-explain-what-made-steven-seagal-so-appealing-for", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/128821/ban-on-fetish-sex-depictions-in-film-should-end-australia" + ] + } + } + ] + }, + "intent_template_id": 84 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/555.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/555.json new file mode 100644 index 00000000..88d74694 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/555.json @@ -0,0 +1,42 @@ +{ + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 555, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a folder named {{directory}} in {{gitlab_repo}} repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the {{subreddit}}?", + "instantiation_dict": { + "directory": "funny_pic", + "gitlab_repo": "gimmiethat.space", + "subreddit": "memes" + }, + "intent": "Create a folder named funny_pic in gimmiethat.space repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the memes?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/funny_pic/urls.txt", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/memes/127991/it-do-be-like-that-tho", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/memes/127990/thank-you-memers-this-wouldn-t-be-possible-without-you", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/memes/127989/if-you-have-no-other-choice", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/memes/127988/yes-yes-yes", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/memes/127987/shagadelic-baby" + ] + } + } + ] + }, + "intent_template_id": 84 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/556.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/556.json new file mode 100644 index 00000000..60befbe8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/556.json @@ -0,0 +1,48 @@ +{ + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 556, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "nolan_honest_fans", + "topics": "movies directed by Christopher Nolan" + }, + "intent": "Create a repo named nolan_honest_fans with movies directed by Christopher Nolan in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/nolan_honest_fans/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "Following", + "Memento", + "Insomnia", + "Batman Begins", + "The Prestige", + "The Dark Knight", + "Inception", + "The Dark Knight Rises", + "Interstellar", + "Dunkirk", + "Tenet", + "Oppenheimer" + ] + } + } + ] + }, + "intent_template_id": 87 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/557.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/557.json new file mode 100644 index 00000000..4a73740c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/557.json @@ -0,0 +1,42 @@ +{ + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 557, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "nolan_old_fans", + "topics": "movies directed by Christopher Nolan before 2010" + }, + "intent": "Create a repo named nolan_old_fans with movies directed by Christopher Nolan before 2010 in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/nolan_old_fans/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "Following", + "Memento", + "Insomnia", + "Batman Begins", + "The Prestige", + "The Dark Knight" + ] + } + } + ] + }, + "intent_template_id": 87 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/558.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/558.json new file mode 100644 index 00000000..eb03b655 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/558.json @@ -0,0 +1,42 @@ +{ + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 558, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "nolan_young_fans", + "topics": "movies directed by Christopher Nolan after 2010" + }, + "intent": "Create a repo named nolan_young_fans with movies directed by Christopher Nolan after 2010 in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/nolan_young_fans/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "Inception", + "The Dark Knight Rises", + "Interstellar", + "Dunkirk", + "Tenet", + "Oppenheimer" + ] + } + } + ] + }, + "intent_template_id": 87 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/559.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/559.json new file mode 100644 index 00000000..cc662ee4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/559.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 559, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "nolan_followers", + "topics": "career timeline of Christopher Nolan" + }, + "intent": "Create a repo named nolan_followers with career timeline of Christopher Nolan in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/nolan_followers/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "1993\u20132003: Early career and breakthrough", + "2003\u20132013: Widespread recognition", + "2014\u20132019: Established Hollywood auteur", + "2020\u2013present" + ] + } + } + ] + }, + "intent_template_id": 87 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/56.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/56.json new file mode 100644 index 00000000..d92aee18 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/56.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 56, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "How long does it take to walk from {{start}} to {{end}}?", + "instantiation_dict": { + "start": "Carnegie Museum of Art", + "end": "a library at CMU" + }, + "intent": "How long does it take to walk from Carnegie Museum of Art to a library at CMU?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "11 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "11 min" + }, + "intent_template_id": 68 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/560.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/560.json new file mode 100644 index 00000000..1aa6c7de --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/560.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 560, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "nolan_academy_awards", + "topics": "movies that won Academy Awards by Christopher Nolan" + }, + "intent": "Create a repo named nolan_academy_awards with movies that won Academy Awards by Christopher Nolan in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/nolan_academy_awards/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "The Dark Knight", + "Inception", + "Interstellar", + "Dunkirk", + "Tenet" + ] + } + } + ] + }, + "intent_template_id": 87 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/561.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/561.json new file mode 100644 index 00000000..cd37a09a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/561.json @@ -0,0 +1,43 @@ +{ + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 561, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "bafta_awards_nolan", + "topics": "movies that are nominated BAFTA Awards by Christopher Nolan" + }, + "intent": "Create a repo named bafta_awards_nolan with movies that are nominated BAFTA Awards by Christopher Nolan in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/bafta_awards_nolan/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "Batman Begins", + "The Dark Knight", + "Inception", + "The Dark Knight Rises", + "Interstellar", + "Dunkirk", + "Tenet" + ] + } + } + ] + }, + "intent_template_id": 87 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/562.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/562.json new file mode 100644 index 00000000..597d4570 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/562.json @@ -0,0 +1,42 @@ +{ + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 562, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a repository named {{name}} that includes a README file with the links to the most active {{num}} DIY ideas on DIY subreddit?", + "instantiation_dict": { + "name": "Awesome_DIY_ideas", + "num": 6 + }, + "intent": "create a repository named Awesome_DIY_ideas that includes a README file with the links to the most active 6 DIY ideas on DIY subreddit?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/Awesome_DIY_ideas/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118903/separate-glued-plastic-parts", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118923/how-would-you-fix-this-dryer-vent-mess", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118935/basement-bulkhead-soffit-wall-framing", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118904/ge-water-heater-pilot-light-won-t-stay-lit", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118960/attempting-to-move-a-wall-outlet-in-my-basement-a-few-inches", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118931/afci-outlet-question" + ] + } + } + ] + }, + "intent_template_id": 88 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/563.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/563.json new file mode 100644 index 00000000..6107052c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/563.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 563, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a repository named {{name}} that includes a README file with the links to the most active {{num}} DIY ideas on DIY subreddit?", + "instantiation_dict": { + "name": "fun_thing_to_do", + "num": 5 + }, + "intent": "create a repository named fun_thing_to_do that includes a README file with the links to the most active 5 DIY ideas on DIY subreddit?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/fun_thing_to_do/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118903/separate-glued-plastic-parts", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118923/how-would-you-fix-this-dryer-vent-mess", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118935/basement-bulkhead-soffit-wall-framing", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118904/ge-water-heater-pilot-light-won-t-stay-lit", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118960/attempting-to-move-a-wall-outlet-in-my-basement-a-few-inches" + ] + } + } + ] + }, + "intent_template_id": 88 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/564.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/564.json new file mode 100644 index 00000000..1183e147 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/564.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 564, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a repository named {{name}} that includes a README file with the links to the most active {{num}} DIY ideas on DIY subreddit?", + "instantiation_dict": { + "name": "live_a_life", + "num": 3 + }, + "intent": "create a repository named live_a_life that includes a README file with the links to the most active 3 DIY ideas on DIY subreddit?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/live_a_life/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118903/separate-glued-plastic-parts", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118923/how-would-you-fix-this-dryer-vent-mess", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118935/basement-bulkhead-soffit-wall-framing" + ] + } + } + ] + }, + "intent_template_id": 88 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/565.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/565.json new file mode 100644 index 00000000..5ac285c9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/565.json @@ -0,0 +1,46 @@ +{ + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 565, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a repository named {{name}} that includes a README file with the links to the most active {{num}} DIY ideas on DIY subreddit?", + "instantiation_dict": { + "name": "TODO", + "num": 10 + }, + "intent": "create a repository named TODO that includes a README file with the links to the most active 10 DIY ideas on DIY subreddit?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/TODO/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118903/separate-glued-plastic-parts", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118923/how-would-you-fix-this-dryer-vent-mess", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118935/basement-bulkhead-soffit-wall-framing", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118904/ge-water-heater-pilot-light-won-t-stay-lit", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118960/attempting-to-move-a-wall-outlet-in-my-basement-a-few-inches", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118931/afci-outlet-question", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118824/teflon-tape-to-attach-washing-machine-drain-hose-to-pipe", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118866/paver-base-for-shed", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118820/ways-to-locate-our-buried-electrical-service", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118836/how-to-eliminate-transitions-for-disability-mobility-reasons" + ] + } + } + ] + }, + "intent_template_id": 88 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/566.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/566.json new file mode 100644 index 00000000..4ce1a8a2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/566.json @@ -0,0 +1,44 @@ +{ + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 566, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a repository named {{name}} that includes a README file with the links to the most active {{num}} DIY ideas on DIY subreddit?", + "instantiation_dict": { + "name": "Do it myself", + "num": 8 + }, + "intent": "create a repository named Do it myself that includes a README file with the links to the most active 8 DIY ideas on DIY subreddit?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/Do-it-myself/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118903/separate-glued-plastic-parts", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118923/how-would-you-fix-this-dryer-vent-mess", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118935/basement-bulkhead-soffit-wall-framing", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118904/ge-water-heater-pilot-light-won-t-stay-lit", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118960/attempting-to-move-a-wall-outlet-in-my-basement-a-few-inches", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118931/afci-outlet-question", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118824/teflon-tape-to-attach-washing-machine-drain-hose-to-pipe", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118866/paver-base-for-shed" + ] + } + } + ] + }, + "intent_template_id": 88 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/567.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/567.json new file mode 100644 index 00000000..cf82b904 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/567.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 567, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Invite {{collaborator_account_list}} as collaborator to {{repo}} repo", + "instantiation_dict": { + "collaborator_account_list": "Jakub Klinkovsk\u00fd and Beno\u00eet Blanchon", + "repo": "gimmiethat.space" + }, + "intent": "Invite Jakub Klinkovsk\u00fd and Beno\u00eet Blanchon as collaborator to gimmiethat.space repo", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@bblanchon" + ] + } + } + ] + }, + "intent_template_id": 293 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/568.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/568.json new file mode 100644 index 00000000..9e5e46bd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/568.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 568, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Invite {{collaborator_account_list}} as collaborator to {{repo}} repo", + "instantiation_dict": { + "collaborator_account_list": "Abishek and Vinta", + "repo": "a11yproject.com" + }, + "intent": "Invite Abishek and Vinta as collaborator to a11yproject.com repo", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@abisubramanya27", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 293 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/569.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/569.json new file mode 100644 index 00000000..846ecfa4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/569.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 569, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Invite {{collaborator_account_list}} as collaborator to {{repo}} repo", + "instantiation_dict": { + "collaborator_account_list": "Beno\u00eet and Abishek", + "repo": "my HTML5 markup extention" + }, + "intent": "Invite Beno\u00eet and Abishek as collaborator to my HTML5 markup extention repo", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/accessible-html-content-patterns/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@bblanchon", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 293 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/57.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/57.json new file mode 100644 index 00000000..5bb7130f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/57.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "map" + ], + "task_id": 57, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the closest {{place1}}(s) to {{place2}}", + "instantiation_dict": { + "place1": "restaurant", + "place2": "university center at Carnegie Mellon University" + }, + "intent": "Tell me the closest restaurant(s) to university center at Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "El Gallo de Oro", + "Back Bar Grill", + "Grano", + "Beefsteak", + "Nourish", + "Schatz Dining Room", + "Au Bon Pain" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "El Gallo de Oro, Back Bar Grill, Grano, Beefsteak, Nourish, Schatz Dining Room, Au Bon Pain" + }, + "intent_template_id": 69 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/570.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/570.json new file mode 100644 index 00000000..f7581a34 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/570.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 570, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Invite {{collaborator_account_list}} as collaborator to {{repo}} repo", + "instantiation_dict": { + "collaborator_account_list": "Jakub K, Alex Dills, Alex Hutnik and Beno\u00eet Blanchon", + "repo": "my time tracking tool project" + }, + "intent": "Invite Jakub K, Alex Dills, Alex Hutnik and Beno\u00eet Blanchon as collaborator to my time tracking tool project repo", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/timeit/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@V13Axel", + "@alexhutnik", + "@bblanchon" + ] + } + } + ] + }, + "intent_template_id": 293 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/571.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/571.json new file mode 100644 index 00000000..3a938b1c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/571.json @@ -0,0 +1,48 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 571, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I recently moved, my address is {{address}}, update my information on OneStopShopping accordingly", + "instantiation_dict": { + "address": "231 Willow Way, Suite 100, Chicago, IL, 60601" + }, + "intent": "I recently moved, my address is 231 Willow Way, Suite 100, Chicago, IL, 60601, update my information on OneStopShopping accordingly", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-billing > .box-content\").outerText", + "required_contents": { + "must_include": [ + "231 Willow Way", + "Suite 100", + "Chicago, Illinois, 60601" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-shipping > .box-content\").outerText", + "required_contents": { + "must_include": [ + "231 Willow Way", + "Suite 100", + "Chicago, Illinois, 60601" + ] + } + } + ] + }, + "intent_template_id": 165 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/572.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/572.json new file mode 100644 index 00000000..bd816484 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/572.json @@ -0,0 +1,48 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 572, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I recently moved, my address is {{address}}, update my information on OneStopShopping accordingly", + "instantiation_dict": { + "address": "654 Aspen Road, House #3, Boston, MA, 02110" + }, + "intent": "I recently moved, my address is 654 Aspen Road, House #3, Boston, MA, 02110, update my information on OneStopShopping accordingly", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-billing > .box-content\").outerText", + "required_contents": { + "must_include": [ + "654 Aspen Road", + "House #3", + "Boston, Massachusetts, 02110" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-shipping > .box-content\").outerText", + "required_contents": { + "must_include": [ + "654 Aspen Road", + "House #3", + "Boston, Massachusetts, 02110" + ] + } + } + ] + }, + "intent_template_id": 165 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/573.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/573.json new file mode 100644 index 00000000..23020a0e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/573.json @@ -0,0 +1,46 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 573, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I recently moved, my address is {{address}}, update my information on OneStopShopping accordingly", + "instantiation_dict": { + "address": "987 Sycamore Circle, Philadelphia, PA, 19102" + }, + "intent": "I recently moved, my address is 987 Sycamore Circle, Philadelphia, PA, 19102, update my information on OneStopShopping accordingly", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-shipping > .box-content\").outerText", + "required_contents": { + "must_include": [ + "987 Sycamore Circle", + "Philadelphia, Pennsylvania, 19102" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-billing > .box-content\").outerText", + "required_contents": { + "must_include": [ + "987 Sycamore Circle", + "Philadelphia, Pennsylvania, 19102" + ] + } + } + ] + }, + "intent_template_id": 165 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/574.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/574.json new file mode 100644 index 00000000..c39dd97f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/574.json @@ -0,0 +1,46 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 574, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I recently moved, my address is {{address}}, update my information on OneStopShopping accordingly", + "instantiation_dict": { + "address": "111 Magnolia Path, Atlanta, GA, 30303" + }, + "intent": "I recently moved, my address is 111 Magnolia Path, Atlanta, GA, 30303, update my information on OneStopShopping accordingly", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-shipping > .box-content\").outerText", + "required_contents": { + "must_include": [ + "111 Magnolia Path", + "Atlanta, Georgia, 30303" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-billing > .box-content\").outerText", + "required_contents": { + "must_include": [ + "111 Magnolia Path", + "Atlanta, Georgia, 30303" + ] + } + } + ] + }, + "intent_template_id": 165 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/575.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/575.json new file mode 100644 index 00000000..fbd14939 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/575.json @@ -0,0 +1,48 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 575, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I recently moved, my address is {{address}}, update my information on OneStopShopping accordingly", + "instantiation_dict": { + "address": "222 Redwood Rise, Suite 300, Seattle, WA, 98101" + }, + "intent": "I recently moved, my address is 222 Redwood Rise, Suite 300, Seattle, WA, 98101, update my information on OneStopShopping accordingly", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-shipping > .box-content\").outerText", + "required_contents": { + "must_include": [ + "222 Redwood Rise", + "Suite 300", + "Seattle, Washington, 98101" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-billing > .box-content\").outerText", + "required_contents": { + "must_include": [ + "222 Redwood Rise", + "Suite 300", + "Seattle, Washington, 98101" + ] + } + } + ] + }, + "intent_template_id": 165 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/576.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/576.json new file mode 100644 index 00000000..9ab52a33 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/576.json @@ -0,0 +1,49 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 576, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Add the following users to repo {{repo}} as {{role}}: {{user_list}}", + "instantiation_dict": { + "repo": "a11y-webring.club", + "role": "developer", + "user_list": [ + "abisubramanya27", + "lahwaacz" + ] + }, + "intent": "Add the following users to repo a11y-webring.club as developer: ['abisubramanya27', 'lahwaacz']", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-webring.club/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'abisubramanya27')", + "required_contents": { + "must_include": [ + "Developer" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-webring.club/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'lahwaacz')", + "required_contents": { + "must_include": [ + "Developer" + ] + } + } + ] + }, + "intent_template_id": 351 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/577.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/577.json new file mode 100644 index 00000000..4e2080d0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/577.json @@ -0,0 +1,49 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 577, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Add the following users to my {{repo}} as {{role}}: {{user_list}}", + "instantiation_dict": { + "repo": "GitHub timeline item management extension", + "role": "maintainer", + "user_list": [ + "abisubramanya27", + "lahwaacz" + ] + }, + "intent": "Add the following users to my GitHub timeline item management extension as maintainer: ['abisubramanya27', 'lahwaacz']", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/remove-board-movement-events-from-the-github-issue-timeline/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'abisubramanya27')", + "required_contents": { + "must_include": [ + "Maintainer" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/remove-board-movement-events-from-the-github-issue-timeline/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'lahwaacz')", + "required_contents": { + "must_include": [ + "Maintainer" + ] + } + } + ] + }, + "intent_template_id": 351 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/578.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/578.json new file mode 100644 index 00000000..c09fa83e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/578.json @@ -0,0 +1,49 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 578, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Add the following users to repo {{repo}} as {{role}}: {{user_list}}", + "instantiation_dict": { + "repo": "millennials-to-snake-people", + "role": "reporter", + "user_list": [ + "yjlou", + "a11yproject" + ] + }, + "intent": "Add the following users to repo millennials-to-snake-people as reporter: ['yjlou', 'a11yproject']", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/millennials-to-snake-people/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'yjlou')", + "required_contents": { + "must_include": [ + "Reporter" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/millennials-to-snake-people/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'a11yproject')", + "required_contents": { + "must_include": [ + "Reporter" + ] + } + } + ] + }, + "intent_template_id": 351 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/579.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/579.json new file mode 100644 index 00000000..55050a21 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/579.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 579, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Add the following users to my {{repo}} as {{role}}: {{user_list}}", + "instantiation_dict": { + "repo": "time tracking tool", + "role": "guest", + "user_list": [ + "yjlou" + ] + }, + "intent": "Add the following users to my time tracking tool as guest: ['yjlou']", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/timeit/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'yjlou')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 351 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/58.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/58.json new file mode 100644 index 00000000..201b04fe --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/58.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 58, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the closest {{place1}}(s) to {{place2}}", + "instantiation_dict": { + "place1": "cafe", + "place2": "CMU Hunt library" + }, + "intent": "Tell me the closest cafe(s) to CMU Hunt library", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "De Fer Coffee & Tea" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "De Fer Coffee & Tea" + }, + "intent_template_id": 69 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/580.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/580.json new file mode 100644 index 00000000..239a3cd5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/580.json @@ -0,0 +1,56 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 580, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a new forum named {{name}}, with a description of {{description}}, and include {{sidebar_list}} in the sidebar?", + "instantiation_dict": { + "name": "sci_fi", + "description": "A wild place for sci-fi enthusiasts", + "sidebar_list": [ + "New", + "Classic", + "Movies", + "Post my novel", + "Random" + ] + }, + "intent": "Create a new forum named sci_fi, with a description of A wild place for sci-fi enthusiasts, and include ['New', 'Classic', 'Movies', 'Post my novel', 'Random'] in the sidebar?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/sci_fi/edit", + "locator": "document.querySelector(\"#forum_description\").value", + "required_contents": { + "must_include": [ + "A wild place for sci-fi enthusiasts" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/sci_fi/edit", + "locator": "document.querySelector(\"#forum_sidebar\").value", + "required_contents": { + "must_include": [ + "New", + "Classic", + "Movies", + "Post my novel", + "Random" + ] + } + } + ] + }, + "intent_template_id": 7 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/581.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/581.json new file mode 100644 index 00000000..986aa886 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/581.json @@ -0,0 +1,52 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 581, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a new forum named {{name}}, with a description of {{description}}, and include {{sidebar_list}} in the sidebar?", + "instantiation_dict": { + "name": "cmu_lti", + "description": "Language Technologies Institute at Carnegie Mellon University", + "sidebar_list": [ + "announcement", + "paper", + "alumni" + ] + }, + "intent": "Create a new forum named cmu_lti, with a description of Language Technologies Institute at Carnegie Mellon University, and include ['announcement', 'paper', 'alumni'] in the sidebar?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/cmu_lti/edit", + "locator": "document.querySelector(\"#forum_description\").value", + "required_contents": { + "must_include": [ + "Language Technologies Institute at Carnegie Mellon University" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/cmu_lti/edit", + "locator": "document.querySelector(\"#forum_sidebar\").value", + "required_contents": { + "must_include": [ + "announcement", + "paper", + "alumni" + ] + } + } + ] + }, + "intent_template_id": 7 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/582.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/582.json new file mode 100644 index 00000000..87a22e87 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/582.json @@ -0,0 +1,54 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 582, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a new forum named {{name}}, with a description of {{description}}, and include {{sidebar_list}} in the sidebar?", + "instantiation_dict": { + "name": "Cyberpunk", + "description": "Welcome to the future", + "sidebar_list": [ + "Games", + "Books", + "Movies", + "Future" + ] + }, + "intent": "Create a new forum named Cyberpunk, with a description of Welcome to the future, and include ['Games', 'Books', 'Movies', 'Future'] in the sidebar?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/Cyberpunk/edit", + "locator": "document.querySelector(\"#forum_description\").value", + "required_contents": { + "must_include": [ + "Welcome to the future" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/Cyberpunk/edit", + "locator": "document.querySelector(\"#forum_sidebar\").value", + "required_contents": { + "must_include": [ + "Games", + "Books", + "Movies", + "Future" + ] + } + } + ] + }, + "intent_template_id": 7 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/583.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/583.json new file mode 100644 index 00000000..66b6f887 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/583.json @@ -0,0 +1,54 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 583, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a new forum named {{name}}, with a description of {{description}}, and include {{sidebar_list}} in the sidebar?", + "instantiation_dict": { + "name": "PlantsForCatParents", + "description": "Cat parents & plan lovers", + "sidebar_list": [ + "Cat friendly", + "Local vendors", + "Promotion", + "Toxic plants!" + ] + }, + "intent": "Create a new forum named PlantsForCatParents, with a description of Cat parents & plan lovers, and include ['Cat friendly', 'Local vendors', 'Promotion', 'Toxic plants!'] in the sidebar?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/PlantsForCatParents/edit", + "locator": "document.querySelector(\"#forum_description\").value", + "required_contents": { + "must_include": [ + "Cat parents & plan lovers" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/PlantsForCatParents/edit", + "locator": "document.querySelector(\"#forum_sidebar\").value", + "required_contents": { + "must_include": [ + "Cat friendly", + "Local vendors", + "Promotion", + "Toxic plants!" + ] + } + } + ] + }, + "intent_template_id": 7 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/584.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/584.json new file mode 100644 index 00000000..e4490912 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/584.json @@ -0,0 +1,50 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 584, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a new forum named {{name}}, with a description of {{description}}, and include {{sidebar_list}} in the sidebar?", + "instantiation_dict": { + "name": "Karaoke", + "description": "Place for Karaoke lovers", + "sidebar_list": [ + "devices", + "setup" + ] + }, + "intent": "Create a new forum named Karaoke, with a description of Place for Karaoke lovers, and include ['devices', 'setup'] in the sidebar?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/Karaoke", + "locator": "document.querySelector(\"#forum_description\").value", + "required_contents": { + "must_include": [ + "Place for Karaoke lovers" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/Karaoke", + "locator": "document.querySelector(\"#forum_sidebar\").value", + "required_contents": { + "must_include": [ + "devices", + "setup" + ] + } + } + ] + }, + "intent_template_id": 7 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/585.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/585.json new file mode 100644 index 00000000..4971c925 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/585.json @@ -0,0 +1,46 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 585, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Rate my recent purchase of {{product}} with {{num_star}} stars, using my nickname {{nickname}}?", + "instantiation_dict": { + "product": "floor lamp", + "num_star": 5, + "nickname": "Emma Lopez" + }, + "intent": "Rate my recent purchase of floor lamp with 5 stars, using my nickname Emma Lopez?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_rating('B00J8RZL7I')", + "required_contents": { + "must_include": [ + "100" + ] + } + }, + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_author('B00J8RZL7I')", + "required_contents": { + "must_include": [ + "Emma Lopez" + ] + } + } + ] + }, + "intent_template_id": 194 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/586.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/586.json new file mode 100644 index 00000000..4e3c3f2a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/586.json @@ -0,0 +1,46 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 586, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Rate my recent purchase of {{product}} with {{num_star}} stars, using my nickname {{nickname}}?", + "instantiation_dict": { + "product": "Jiffy Corn Muffin Cornbread Mix", + "num_star": 4, + "nickname": "ShoppingEmma" + }, + "intent": "Rate my recent purchase of Jiffy Corn Muffin Cornbread Mix with 4 stars, using my nickname ShoppingEmma?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_rating('B07HZB38XH')", + "required_contents": { + "must_include": [ + "80" + ] + } + }, + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_author('B07HZB38XH')", + "required_contents": { + "must_include": [ + "ShoppingEmma" + ] + } + } + ] + }, + "intent_template_id": 194 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/587.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/587.json new file mode 100644 index 00000000..d3e0eaae --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/587.json @@ -0,0 +1,46 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 587, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Rate my recent purchase of {{product}} with {{num_star}} stars, using my nickname {{nickname}}?", + "instantiation_dict": { + "product": "PS3 Remote Controllers", + "num_star": 3, + "nickname": "GamingEmma" + }, + "intent": "Rate my recent purchase of PS3 Remote Controllers with 3 stars, using my nickname GamingEmma?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_rating('B0041MSF2S')", + "required_contents": { + "must_include": [ + "60" + ] + } + }, + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_author('B0041MSF2S')", + "required_contents": { + "must_include": [ + "GamingEmma" + ] + } + } + ] + }, + "intent_template_id": 194 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/588.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/588.json new file mode 100644 index 00000000..8d7b11dd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/588.json @@ -0,0 +1,46 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 588, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Rate my recent purchase of {{product}} with {{num_star}} stars, using my nickname {{nickname}}?", + "instantiation_dict": { + "product": "Foundation For Mattress With Frame Set", + "num_star": 1, + "nickname": "ShoppingEmma" + }, + "intent": "Rate my recent purchase of Foundation For Mattress With Frame Set with 1 stars, using my nickname ShoppingEmma?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_rating('B07DFJ5XKH')", + "required_contents": { + "must_include": [ + "20" + ] + } + }, + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_author('B07DFJ5XKH')", + "required_contents": { + "must_include": [ + "ShoppingEmma" + ] + } + } + ] + }, + "intent_template_id": 194 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/589.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/589.json new file mode 100644 index 00000000..ff27405c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/589.json @@ -0,0 +1,46 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 589, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Rate my recent purchase of {{product}} with {{num_star}} stars, using my nickname {{nickname}}?", + "instantiation_dict": { + "product": "Mini Wireless Bluetooth Speaker", + "num_star": 2, + "nickname": "SimpleEmma" + }, + "intent": "Rate my recent purchase of Mini Wireless Bluetooth Speaker with 2 stars, using my nickname SimpleEmma?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_rating('B09P7BFL4H')", + "required_contents": { + "must_include": [ + "40" + ] + } + }, + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_author('B09P7BFL4H')", + "required_contents": { + "must_include": [ + "SimpleEmma" + ] + } + } + ] + }, + "intent_template_id": 194 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/59.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/59.json new file mode 100644 index 00000000..66c6b05f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/59.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 59, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the closest {{place1}}(s) to {{place2}}", + "instantiation_dict": { + "place1": "restaurant", + "place2": "CMU Hunt library" + }, + "intent": "Tell me the closest restaurant(s) to CMU Hunt library", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "The exchange" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "The exchange" + }, + "intent_template_id": 69 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/590.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/590.json new file mode 100644 index 00000000..e675ff9d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/590.json @@ -0,0 +1,57 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 590, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "Create a milestone for the upcoming {{event}} starting on {{start_date}} and ending on {{end_date}}", + "instantiation_dict": { + "event": "event of product launch", + "start_date": "1/16/2023", + "end_date": "1/30/2023" + }, + "intent": "Create a milestone for the upcoming event of product launch starting on 1/16/2023 and ending on 1/30/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/milestones", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"#content-body\").outerText", + "required_contents": { + "must_include": [ + "product launch" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.start_date').outerText", + "required_contents": { + "must_include": [ + "Jan 16, 2030" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.due_date').outerText", + "required_contents": { + "must_include": [ + "Jan 30, 2030" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 339 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/591.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/591.json new file mode 100644 index 00000000..03cb45e9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/591.json @@ -0,0 +1,57 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 591, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "Create a milestone for the upcoming {{event}} starting on {{start_date}} and ending on {{end_date}}", + "instantiation_dict": { + "event": "practice of collective code review", + "start_date": "1/16/2023", + "end_date": "in 20 days" + }, + "intent": "Create a milestone for the upcoming practice of collective code review starting on 1/16/2023 and ending on in 20 days", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/milestones", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"#content-body\").outerText", + "required_contents": { + "must_include": [ + "code review" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.start_date').outerText", + "required_contents": { + "must_include": [ + "Jan 16, 2030" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.due_date').outerText", + "required_contents": { + "must_include": [ + "Feb 5, 2030" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 339 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/592.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/592.json new file mode 100644 index 00000000..e167e664 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/592.json @@ -0,0 +1,57 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 592, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "Create a milestone for the upcoming {{event}} starting on {{start_date}} and ending on {{end_date}}", + "instantiation_dict": { + "event": "task of cleaning sensitive information", + "start_date": "2/16/2023", + "end_date": "in 20 days" + }, + "intent": "Create a milestone for the upcoming task of cleaning sensitive information starting on 2/16/2023 and ending on in 20 days", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/milestones", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"#content-body\").outerText", + "required_contents": { + "must_include": [ + "sensitive information" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.start_date').outerText", + "required_contents": { + "must_include": [ + "Feb 16, 2030" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.due_date').outerText", + "required_contents": { + "must_include": [ + "Mar 8, 2030" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 339 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/593.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/593.json new file mode 100644 index 00000000..53345ab4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/593.json @@ -0,0 +1,57 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 593, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles", + "geolocation": null, + "intent_template": "Create a milestone for the upcoming {{event}} starting on {{start_date}} and ending on {{end_date}}", + "instantiation_dict": { + "event": "task of merging all branches to main", + "start_date": "March 15, 2044", + "end_date": "March 30, 2044" + }, + "intent": "Create a milestone for the upcoming task of merging all branches to main starting on March 15, 2044 and ending on March 30, 2044", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/milestones", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"#content-body\").outerText", + "required_contents": { + "must_include": [ + "all branches to main" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.start_date').outerText", + "required_contents": { + "must_include": [ + "Mar 15, 2044" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.due_date').outerText", + "required_contents": { + "must_include": [ + "Mar 30, 2044" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 339 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/594.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/594.json new file mode 100644 index 00000000..2a69e877 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/594.json @@ -0,0 +1,57 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 594, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles", + "geolocation": null, + "intent_template": "Create a milestone for the upcoming {{event}} starting on {{start_date}} and ending on {{end_date}}", + "instantiation_dict": { + "event": "task of adding a new branch for zsh comprehensive support", + "start_date": "5/1/2044", + "end_date": "in 20 days" + }, + "intent": "Create a milestone for the upcoming task of adding a new branch for zsh comprehensive support starting on 5/1/2044 and ending on in 20 days", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/milestones", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"#content-body\").outerText", + "required_contents": { + "must_include": [ + "zsh comprehensive support" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.start_date').outerText", + "required_contents": { + "must_include": [ + "May 1, 2044" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.due_date').outerText", + "required_contents": { + "must_include": [ + "May 21, 2044" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 339 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/595.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/595.json new file mode 100644 index 00000000..8f1ec87d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/595.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 595, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Open the thread of a trending post on the forum \"{{subreddit}}\" and subscribe.", + "instantiation_dict": { + "subreddit": "space" + }, + "intent": "Open the thread of a trending post on the forum \"space\" and subscribe.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/space", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/", + "locator": "document.querySelector(\"#sidebar > section\").outerText", + "required_contents": { + "must_include": [ + "space" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 4 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/596.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/596.json new file mode 100644 index 00000000..61ec5034 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/596.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 596, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Open the thread of a trending post on the forum \"{{subreddit}}\" and subscribe.", + "instantiation_dict": { + "subreddit": "books" + }, + "intent": "Open the thread of a trending post on the forum \"books\" and subscribe.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/", + "locator": "document.querySelector(\"#sidebar > section\").outerText", + "required_contents": { + "must_include": [ + "books" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 4 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/597.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/597.json new file mode 100644 index 00000000..e15ed4fb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/597.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 597, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Open the thread of a trending post on the forum \"{{subreddit}}\" and subscribe.", + "instantiation_dict": { + "subreddit": "consoles" + }, + "intent": "Open the thread of a trending post on the forum \"consoles\" and subscribe.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/consoles", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/", + "locator": "document.querySelector(\"#sidebar > section\").outerText", + "required_contents": { + "must_include": [ + "consoles" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 4 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/598.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/598.json new file mode 100644 index 00000000..92bf79dd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/598.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 598, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Open the thread of a trending post on the forum \"{{subreddit}}\" and subscribe.", + "instantiation_dict": { + "subreddit": "pittsburgh" + }, + "intent": "Open the thread of a trending post on the forum \"pittsburgh\" and subscribe.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pittsburgh", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/", + "locator": "document.querySelector(\"#sidebar > section\").outerText", + "required_contents": { + "must_include": [ + "pittsburgh" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 4 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/599.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/599.json new file mode 100644 index 00000000..79f35951 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/599.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 599, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Open the thread of a trending post on the forum \"{{subreddit}}\" and subscribe.", + "instantiation_dict": { + "subreddit": "machine learning" + }, + "intent": "Open the thread of a trending post on the forum \"machine learning\" and subscribe.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/MachineLearning", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/", + "locator": "document.querySelector(\"#sidebar > section\").outerText", + "required_contents": { + "must_include": [ + "MachineLearning" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 4 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/6.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/6.json new file mode 100644 index 00000000..98a5b832 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/6.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 6, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the top-{{n}} best-selling product in {{year}}", + "instantiation_dict": { + "n": 5, + "year": 2023 + }, + "intent": "What are the top-5 best-selling product in 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Sprite Yoga Strap 6 foot", + "Overnight Duffle", + "Ida Workout Parachute Pant-29-Purple", + "Hawkeye Yoga Short-32-Blue", + "Sprite Stasis Ball 65 cm" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Sprite Yoga Strap 6 foot, Overnight Duffle, Ida Workout Parachute Pant-29-Purple, Hawkeye Yoga Short-32-Blue, Sprite Stasis Ball 65 cm" + }, + "intent_template_id": 279 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/60.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/60.json new file mode 100644 index 00000000..592d926f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/60.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 60, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the closest {{place1}}(s) to {{place2}}", + "instantiation_dict": { + "place1": "restaurant", + "place2": "CMU Posner Hall" + }, + "intent": "Tell me the closest restaurant(s) to CMU Posner Hall", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "The exchange" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "The exchange" + }, + "intent_template_id": 69 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/600.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/600.json new file mode 100644 index 00000000..9c13e931 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/600.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 600, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post my question, \"{{question}}\", in a subreddit where I'm likely to get an answer", + "instantiation_dict": { + "question": "what is the recommended console to buy these days" + }, + "intent": "Post my question, \"what is the recommended console to buy these days\", in a subreddit where I'm likely to get an answer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/consoles", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "what is the recommended console to buy these days" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 3765 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/601.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/601.json new file mode 100644 index 00000000..7dfac104 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/601.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 601, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post my question, \"{{question}}\", in a subreddit where I'm likely to get an answer", + "instantiation_dict": { + "question": "is car necessary in NYC" + }, + "intent": "Post my question, \"is car necessary in NYC\", in a subreddit where I'm likely to get an answer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/nyc", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "is car necessary in NYC" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 3765 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/602.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/602.json new file mode 100644 index 00000000..f944bb6f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/602.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 602, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post my question, \"{{question}}\", in a subreddit where I'm likely to get an answer", + "instantiation_dict": { + "question": "places for new drivers to learn driving in pittsburgh" + }, + "intent": "Post my question, \"places for new drivers to learn driving in pittsburgh\", in a subreddit where I'm likely to get an answer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pittsburgh", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "places for new drivers to learn driving in pittsburgh" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 3765 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/603.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/603.json new file mode 100644 index 00000000..462ba7d2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/603.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 603, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post my question, \"{{question}}\", in a subreddit where I'm likely to get an answer", + "instantiation_dict": { + "question": "safe and budge apartment to live in nyc" + }, + "intent": "Post my question, \"safe and budge apartment to live in nyc\", in a subreddit where I'm likely to get an answer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/nyc", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "safe and budge apartment to live in nyc" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 3765 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/604.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/604.json new file mode 100644 index 00000000..2d0dd39d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/604.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 604, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post my question, \"{{question}}\", in a subreddit where I'm likely to get an answer", + "instantiation_dict": { + "question": "what is the SOTA web navigation agent repo" + }, + "intent": "Post my question, \"what is the SOTA web navigation agent repo\", in a subreddit where I'm likely to get an answer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/deeplearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/MachineLearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/singularity", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "what is the SOTA web navigation agent repo" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 3765 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/605.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/605.json new file mode 100644 index 00000000..e58fda38 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/605.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 605, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a subreddit focused on topics related to {{topic}}, and post my question, \"{{question}}\" there", + "instantiation_dict": { + "topic": "gaming consoles", + "question": "what is the recommended console to buy these days" + }, + "intent": "Find a subreddit focused on topics related to gaming consoles, and post my question, \"what is the recommended console to buy these days\" there", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/consoles", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "what is the recommended console to buy these days" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 5 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/606.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/606.json new file mode 100644 index 00000000..8a464c16 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/606.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 606, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a subreddit focused on topics related to {{topic}}, and post my question, \"{{question}}\" there", + "instantiation_dict": { + "topic": "NYC", + "question": "is car necessary" + }, + "intent": "Find a subreddit focused on topics related to NYC, and post my question, \"is car necessary\" there", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/nyc", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "is car necessary" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 5 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/607.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/607.json new file mode 100644 index 00000000..639e61a5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/607.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 607, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a subreddit focused on topics related to {{topic}}, and post my question, \"{{question}}\" there", + "instantiation_dict": { + "topic": "city Pittsburgh", + "question": "places for new drivers to learn driving" + }, + "intent": "Find a subreddit focused on topics related to city Pittsburgh, and post my question, \"places for new drivers to learn driving\" there", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pittsburgh", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "places for new drivers to learn driving" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 5 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/608.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/608.json new file mode 100644 index 00000000..fe2c174f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/608.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 608, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a subreddit focused on topics related to {{topic}}, and post my question, \"{{question}}\" there", + "instantiation_dict": { + "topic": "city lives in DMV area", + "question": "safe and budge apartment to live" + }, + "intent": "Find a subreddit focused on topics related to city lives in DMV area, and post my question, \"safe and budge apartment to live\" there", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/washington |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/washingtondc", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "safe and budge apartment to live" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 5 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/609.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/609.json new file mode 100644 index 00000000..6c8b13a5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/609.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 609, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a subreddit focused on topics related to {{topic}}, and post my question, \"{{question}}\" there", + "instantiation_dict": { + "topic": "ML, DL, NLP", + "question": "what is the SOTA web navigation agent repo" + }, + "intent": "Find a subreddit focused on topics related to ML, DL, NLP, and post my question, \"what is the SOTA web navigation agent repo\" there", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/deeplearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/MachineLearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/singularity", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "what is the SOTA web navigation agent repo" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 5 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/61.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/61.json new file mode 100644 index 00000000..5a636d81 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/61.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 61, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the closest {{place1}}(s) to {{place2}}", + "instantiation_dict": { + "place1": "restaurant", + "place2": "CMU Sorrells Library" + }, + "intent": "Tell me the closest restaurant(s) to CMU Sorrells Library", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "La Prima Espresso" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "La Prima Espresso" + }, + "intent_template_id": 69 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/610.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/610.json new file mode 100644 index 00000000..50f21a8e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/610.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 610, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a review of my recent reading \"{{book}}\" in the r/books with my comment \"{{content}}\".", + "instantiation_dict": { + "book": "To Kill a Mockingbird by Harper Lee", + "content": "good book!" + }, + "intent": "Post a review of my recent reading \"To Kill a Mockingbird by Harper Lee\" in the r/books with my comment \"good book!\".", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "To Kill a Mockingbird by Harper Lee", + "good book!" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 9 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/611.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/611.json new file mode 100644 index 00000000..8a4ff427 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/611.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 611, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a review of my recent reading \"{{book}}\" in the r/books with my comment \"{{content}}\".", + "instantiation_dict": { + "book": "Harry Potter", + "content": "Wonderful journey" + }, + "intent": "Post a review of my recent reading \"Harry Potter\" in the r/books with my comment \"Wonderful journey\".", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Harry Potter", + "Wonderful journey" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 9 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/612.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/612.json new file mode 100644 index 00000000..933b8211 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/612.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 612, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a review of my recent reading \"{{book}}\" in the r/books with my comment \"{{content}}\".", + "instantiation_dict": { + "book": "big little lies", + "content": "can't stop it" + }, + "intent": "Post a review of my recent reading \"big little lies\" in the r/books with my comment \"can't stop it\".", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "big little lies", + "can't stop it" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 9 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/613.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/613.json new file mode 100644 index 00000000..64ef70ce --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/613.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 613, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a review of my recent reading \"{{book}}\" in the r/books with my comment \"{{content}}\".", + "instantiation_dict": { + "book": "Love story", + "content": "I cried" + }, + "intent": "Post a review of my recent reading \"Love story\" in the r/books with my comment \"I cried\".", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Love story", + "I cried" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 9 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/614.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/614.json new file mode 100644 index 00000000..20b8e04e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/614.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 614, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a review of my recent reading \"{{book}}\" in the r/books with my comment \"{{content}}\".", + "instantiation_dict": { + "book": "Gone with the wind", + "content": "It's a book with history" + }, + "intent": "Post a review of my recent reading \"Gone with the wind\" in the r/books with my comment \"It's a book with history\".", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Gone with the wind", + "It's a book with history" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 9 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/615.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/615.json new file mode 100644 index 00000000..2c63a9a3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/615.json @@ -0,0 +1,47 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 615, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pics", + "geolocation": null, + "intent_template": "Re-post the image of {{content}} in this page to {{subreddit}} subreddit and note \"from /f/pics\"", + "instantiation_dict": { + "content": "Bald Eagle", + "subreddit": "earthporn" + }, + "intent": "Re-post the image of Bald Eagle in this page to earthporn subreddit and note \"from /f/pics\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/earthporn", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "from /f/pics" + ] + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "[...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "b02113033af32feae9ff147dbbe3764039368d67d193885bd04e65c2e6beea9c.jpg" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 11 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/616.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/616.json new file mode 100644 index 00000000..322b04a6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/616.json @@ -0,0 +1,47 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 616, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pics", + "geolocation": null, + "intent_template": "Re-post the image of {{content}} in this page to {{subreddit}} subreddit and note \"from /f/pics\"", + "instantiation_dict": { + "content": "Thanksgiving turkey", + "subreddit": "funny" + }, + "intent": "Re-post the image of Thanksgiving turkey in this page to funny subreddit and note \"from /f/pics\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/funny", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "from /f/pics" + ] + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "[...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "2e4fa0a328e653a97a7d07046291c298ef5b4e0d0c73a287f317ca86a8e8685f.jpg" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 11 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/617.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/617.json new file mode 100644 index 00000000..d622554e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/617.json @@ -0,0 +1,47 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 617, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pics", + "geolocation": null, + "intent_template": "Re-post the image of {{content}} in this page to {{subreddit}} subreddit and note \"from /f/pics\"", + "instantiation_dict": { + "content": "Firework", + "subreddit": "earthporn" + }, + "intent": "Re-post the image of Firework in this page to earthporn subreddit and note \"from /f/pics\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/earthporn", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "from /f/pics" + ] + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "[...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "92411be6af4e9ad5ccd3ccbaa01c10457bb00e704e99c58dd430de1a958307fd.jpg" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 11 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/618.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/618.json new file mode 100644 index 00000000..38cfe5df --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/618.json @@ -0,0 +1,47 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 618, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pics", + "geolocation": null, + "intent_template": "Re-post the image of {{content}} in this page to {{subreddit}} subreddit and note \"from /f/pics\"", + "instantiation_dict": { + "content": "Wife's costume", + "subreddit": "funny" + }, + "intent": "Re-post the image of Wife's costume in this page to funny subreddit and note \"from /f/pics\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/funny", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "from /f/pics" + ] + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "[...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "6bfbf1280d28d84a9261695f0cac5a90addaaff1174807a2b381fdc159f3ed00.jpg" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 11 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/619.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/619.json new file mode 100644 index 00000000..afb82b87 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/619.json @@ -0,0 +1,47 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 619, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pics", + "geolocation": null, + "intent_template": "Re-post the image of {{content}} in this page to {{subreddit}} subreddit and note \"from /f/pics\"", + "instantiation_dict": { + "content": "costume contest", + "subreddit": "funny" + }, + "intent": "Re-post the image of costume contest in this page to funny subreddit and note \"from /f/pics\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/funny", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "from /f/pics" + ] + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "[...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "bd8bc5f4c846aac4df08626faa3a34a7d47c8f3bdd92bf615a54afd939f063a7.jpg" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 11 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/62.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/62.json new file mode 100644 index 00000000..a74fca0d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/62.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 62, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Which customer has completed the {{quantifier}} number of orders in the entire history?", + "instantiation_dict": { + "quantifier": "most" + }, + "intent": "Which customer has completed the most number of orders in the entire history?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Jane Smith" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Jane Smith" + }, + "intent_template_id": 276 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/620.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/620.json new file mode 100644 index 00000000..99222881 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/620.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 620, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for advice about {{issue}} in a subreddit for relations", + "instantiation_dict": { + "issue": "deal with long-distance relationships" + }, + "intent": "Ask for advice about deal with long-distance relationships in a subreddit for relations", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "long", + "distance", + "relation" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 12 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/621.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/621.json new file mode 100644 index 00000000..177e798b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/621.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 621, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for advice about {{issue}} in a subreddit for relations", + "instantiation_dict": { + "issue": "cheat" + }, + "intent": "Ask for advice about cheat in a subreddit for relations", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "cheat" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 12 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/622.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/622.json new file mode 100644 index 00000000..0a3e7edb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/622.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 622, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for advice about {{issue}} in a subreddit for relations", + "instantiation_dict": { + "issue": "sexual harassment" + }, + "intent": "Ask for advice about sexual harassment in a subreddit for relations", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "sexual", + "harassment" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 12 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/623.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/623.json new file mode 100644 index 00000000..c417d57c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/623.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 623, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for advice about {{issue}} in a subreddit for relations", + "instantiation_dict": { + "issue": "gift for birthday" + }, + "intent": "Ask for advice about gift for birthday in a subreddit for relations", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "gift", + "birthday" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 12 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/624.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/624.json new file mode 100644 index 00000000..da85d3a3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/624.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 624, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for advice about {{issue}} in a subreddit for relations", + "instantiation_dict": { + "issue": "break-up remedy" + }, + "intent": "Ask for advice about break-up remedy in a subreddit for relations", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "break", + "remedy" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 12 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/625.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/625.json new file mode 100644 index 00000000..74de26e0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/625.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 625, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a discussion post about \"{{topic}}\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "instantiation_dict": { + "topic": "the effectiveness of online learning" + }, + "intent": "Create a discussion post about \"the effectiveness of online learning\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/machinelearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/deeplearning", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "your opinion", + "the effectiveness of online learning" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 13 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/626.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/626.json new file mode 100644 index 00000000..82d838bd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/626.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 626, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a discussion post about \"{{topic}}\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "instantiation_dict": { + "topic": "Iphone 14" + }, + "intent": "Create a discussion post about \"Iphone 14\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/iphone", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "your opinion", + "Iphone 14" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 13 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/627.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/627.json new file mode 100644 index 00000000..598d3662 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/627.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 627, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a discussion post about \"{{topic}}\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "instantiation_dict": { + "topic": "Harry Potter movie series" + }, + "intent": "Create a discussion post about \"Harry Potter movie series\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "your opinion", + "Harry Potter movie series" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 13 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/628.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/628.json new file mode 100644 index 00000000..1c4b3916 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/628.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 628, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a discussion post about \"{{topic}}\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "instantiation_dict": { + "topic": "long distance relationship" + }, + "intent": "Create a discussion post about \"long distance relationship\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "your opinion", + "long distance relationship" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 13 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/629.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/629.json new file mode 100644 index 00000000..d0a60d1e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/629.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 629, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a discussion post about \"{{topic}}\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "instantiation_dict": { + "topic": "Fun thing to do in Pittsburgh" + }, + "intent": "Create a discussion post about \"Fun thing to do in Pittsburgh\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pittsburgh", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "your opinion", + "Fun thing to do in Pittsburgh" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 13 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/63.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/63.json new file mode 100644 index 00000000..68d923cf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/63.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 63, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Which customer(s) has completed the {{quantifier}} number of orders in the entire history?", + "instantiation_dict": { + "quantifier": "second most" + }, + "intent": "Which customer(s) has completed the second most number of orders in the entire history?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Adam Garcia", + "Michael Nguyen", + "Sarah Miller" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Adam Garcia, Michael Nguyen, Sarah Miller" + }, + "intent_template_id": 276 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/630.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/630.json new file mode 100644 index 00000000..addae69b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/630.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 630, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for product recommendations for {{category}} within a budget of {{price}} in {{subreddit}}", + "instantiation_dict": { + "category": "noise-cancelling headphones", + "price": "$200", + "subreddit": "r/headphones" + }, + "intent": "Ask for product recommendations for noise-cancelling headphones within a budget of $200 in r/headphones", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/headphones", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "200", + "noise-cancelling", + "headphone" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 15 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/631.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/631.json new file mode 100644 index 00000000..09d15c50 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/631.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 631, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for product recommendations for {{category}} within a budget of {{price}} in {{subreddit}}", + "instantiation_dict": { + "category": "running shoes", + "price": "$100", + "subreddit": "r/sports" + }, + "intent": "Ask for product recommendations for running shoes within a budget of $100 in r/sports", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/sports", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "100", + "running", + "shoes" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 15 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/632.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/632.json new file mode 100644 index 00000000..f7cee463 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/632.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 632, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for product recommendations for {{category}} within a budget of {{price}} in {{subreddit}}", + "instantiation_dict": { + "category": "running shoes", + "price": "$500", + "subreddit": "r/sports" + }, + "intent": "Ask for product recommendations for running shoes within a budget of $500 in r/sports", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/sports", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "500", + "running", + "shoes" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 15 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/633.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/633.json new file mode 100644 index 00000000..53e7a265 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/633.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 633, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for product recommendations for {{category}} within a budget of {{price}} in {{subreddit}}", + "instantiation_dict": { + "category": "running pants", + "price": "$500", + "subreddit": "r/sports" + }, + "intent": "Ask for product recommendations for running pants within a budget of $500 in r/sports", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/sports", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "500", + "running", + "pants" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 15 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/634.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/634.json new file mode 100644 index 00000000..a7526654 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/634.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 634, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for product recommendations for {{category}} within a budget of {{price}} in {{subreddit}}", + "instantiation_dict": { + "category": "used iphone", + "price": "$1000", + "subreddit": "r/iphone" + }, + "intent": "Ask for product recommendations for used iphone within a budget of $1000 in r/iphone", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/iphone", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "1000", + "used iphone" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 15 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/635.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/635.json new file mode 100644 index 00000000..e9418041 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/635.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 635, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in the most appropriate subreddit and ask for recommendations for {{category}} products within a budget of {{price}}", + "instantiation_dict": { + "category": "noise-cancelling headphones", + "price": "$200" + }, + "intent": "Post in the most appropriate subreddit and ask for recommendations for noise-cancelling headphones products within a budget of $200", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/headphones", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "200", + "noise-cancelling", + "headphone" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 6100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/636.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/636.json new file mode 100644 index 00000000..9931267f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/636.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 636, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in the most appropriate subreddit and ask for recommendations for {{category}} products within a budget of {{price}}", + "instantiation_dict": { + "category": "DIY toolkit", + "price": "$100" + }, + "intent": "Post in the most appropriate subreddit and ask for recommendations for DIY toolkit products within a budget of $100", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "100", + "DIY", + "toolkit" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 6100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/637.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/637.json new file mode 100644 index 00000000..d75b7121 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/637.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 637, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in the most appropriate subreddit and ask for recommendations for {{category}} products within a budget of {{price}}", + "instantiation_dict": { + "category": "sony headphones", + "price": "$500" + }, + "intent": "Post in the most appropriate subreddit and ask for recommendations for sony headphones products within a budget of $500", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/headphones", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "500", + "sony headphone" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 6100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/638.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/638.json new file mode 100644 index 00000000..ef4b6176 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/638.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 638, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in the most appropriate subreddit and ask for recommendations for {{category}} products within a budget of {{price}}", + "instantiation_dict": { + "category": "must-have product in my life", + "price": "$30" + }, + "intent": "Post in the most appropriate subreddit and ask for recommendations for must-have product in my life products within a budget of $30", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/BuyItForLife", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "30", + "must-have", + "product", + "life" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 6100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/639.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/639.json new file mode 100644 index 00000000..b8415407 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/639.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 639, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in the most appropriate subreddit and ask for recommendations for {{category}} products within a budget of {{price}}", + "instantiation_dict": { + "category": "used iphone", + "price": "$1000" + }, + "intent": "Post in the most appropriate subreddit and ask for recommendations for used iphone products within a budget of $1000", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/iphone", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "1000", + "used iphone" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 6100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/64.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/64.json new file mode 100644 index 00000000..c11fa020 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/64.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 64, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Which customer has placed {{number}} orders in the entire history?", + "instantiation_dict": { + "number": "2" + }, + "intent": "Which customer has placed 2 orders in the entire history?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Lisa Kim", + "Lisa Green", + "Julia Williams", + "Brian Smith", + "Alexander Thomas" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lisa Kim, Lisa Green, Julia Williams, Brian Smith, Alexander Thomas" + }, + "intent_template_id": 276 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/640.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/640.json new file mode 100644 index 00000000..3f9abf44 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/640.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 640, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a notice on a virtual meetup for {{interest}} enthusiasts on {{date}} in the {{subreddit}} subreddit", + "instantiation_dict": { + "interest": "book reading", + "date": "March 15th", + "subreddit": "r/books" + }, + "intent": "Post a notice on a virtual meetup for book reading enthusiasts on March 15th in the r/books subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "book reading", + "March 15th", + "virtual meetup" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 16 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/641.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/641.json new file mode 100644 index 00000000..294f62a2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/641.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 641, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a notice on a virtual meetup for {{interest}} enthusiasts on {{date}} in the {{subreddit}} subreddit", + "instantiation_dict": { + "interest": "Harry Potter", + "date": "July 8th", + "subreddit": "books" + }, + "intent": "Post a notice on a virtual meetup for Harry Potter enthusiasts on July 8th in the books subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Harry Potter", + "July 8th", + "virtual meetup" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 16 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/642.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/642.json new file mode 100644 index 00000000..3981d23e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/642.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 642, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a notice on a virtual meetup for {{interest}} enthusiasts on {{date}} in the {{subreddit}} subreddit", + "instantiation_dict": { + "interest": "Big little lies", + "date": "Sep 10th", + "subreddit": "books" + }, + "intent": "Post a notice on a virtual meetup for Big little lies enthusiasts on Sep 10th in the books subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Big little lies", + "Sep 10th", + "virtual meetup" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 16 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/643.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/643.json new file mode 100644 index 00000000..2eead166 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/643.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 643, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a notice on a virtual meetup for {{interest}} enthusiasts on {{date}} in the {{subreddit}} subreddit", + "instantiation_dict": { + "interest": "racing cars", + "date": "Oct 21st", + "subreddit": "nyc" + }, + "intent": "Post a notice on a virtual meetup for racing cars enthusiasts on Oct 21st in the nyc subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/nyc", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "racing cars", + "Oct 21st", + "virtual meetup" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 16 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/644.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/644.json new file mode 100644 index 00000000..949e627c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/644.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 644, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a notice on a virtual meetup for {{interest}} enthusiasts on {{date}} in the {{subreddit}} subreddit", + "instantiation_dict": { + "interest": "Tears of Kingdom", + "date": "Dec 15th", + "subreddit": "games" + }, + "intent": "Post a notice on a virtual meetup for Tears of Kingdom enthusiasts on Dec 15th in the games subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/games", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Tears of Kingdom", + "Dec 15th", + "virtual meetup" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 16 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/645.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/645.json new file mode 100644 index 00000000..3640122f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/645.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 645, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in {{subreddit}} subreddit about what could machine learning help the correpong field.", + "instantiation_dict": { + "subreddit": "books" + }, + "intent": "Post in books subreddit about what could machine learning help the correpong field.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "machine learning", + "help" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 19 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/646.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/646.json new file mode 100644 index 00000000..e20bf4b8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/646.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 646, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in {{subreddit}} subreddit about what could midjourney help the correpong field.", + "instantiation_dict": { + "subreddit": "DIY" + }, + "intent": "Post in DIY subreddit about what could midjourney help the correpong field.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/diy", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "midjourney", + "help" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 19 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/647.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/647.json new file mode 100644 index 00000000..7cdc857c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/647.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 647, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in {{subreddit}} forum about what could open-source LLMs help the correpong field.", + "instantiation_dict": { + "subreddit": "technology" + }, + "intent": "Post in technology forum about what could open-source LLMs help the correpong field.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "open-source LLMs", + "help" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 19 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/648.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/648.json new file mode 100644 index 00000000..2cb54419 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/648.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 648, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in {{subreddit}} forum about what could large language models help the correpong field.", + "instantiation_dict": { + "subreddit": "dataisbeautiful" + }, + "intent": "Post in dataisbeautiful forum about what could large language models help the correpong field.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/dataisbeautiful", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "large language models", + "help" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 19 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/649.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/649.json new file mode 100644 index 00000000..36238f57 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/649.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 649, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in {{subreddit}} subreddit about what could diffusion model help the correpong field.", + "instantiation_dict": { + "subreddit": "history" + }, + "intent": "Post in history subreddit about what could diffusion model help the correpong field.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/history", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "diffusion model", + "help" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 19 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/65.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/65.json new file mode 100644 index 00000000..268f7a3b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/65.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 65, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Which customer has completed the {{quantifier}} number of orders in the entire history?", + "instantiation_dict": { + "quantifier": "fifth most" + }, + "intent": "Which customer has completed the fifth most number of orders in the entire history?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Jane Doe" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Jane Doe" + }, + "intent_template_id": 276 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/650.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/650.json new file mode 100644 index 00000000..b2615ec2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/650.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 650, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/59421/friendly-reminder-bookshop-org-exists", + "geolocation": null, + "intent_template": "Reply to {{position_description}} with my comment \"{{content_description}}\"", + "instantiation_dict": { + "position_description": "the post", + "content_description": "I am a big fan of the bookorg" + }, + "intent": "Reply to the post with my comment \"I am a big fan of the bookorg\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/59421/friendly-reminder-bookshop-org-exists", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.comment__body').outerText", + "required_contents": { + "exact_match": "I am a big fan of the bookorg" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 23 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/651.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/651.json new file mode 100644 index 00000000..e0275490 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/651.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 651, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pittsburgh/45899/driving-in-pittsburgh-summed-up-by-one-traffic-sign", + "geolocation": null, + "intent_template": "Reply to {{position_description}} with my comment \"{{content_description}}\"", + "instantiation_dict": { + "position_description": "the post", + "content_description": "Yeah, pittsburgh traffic, you know..." + }, + "intent": "Reply to the post with my comment \"Yeah, pittsburgh traffic, you know...\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pittsburgh/45899/driving-in-pittsburgh-summed-up-by-one-traffic-sign", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.comment__body').outerText", + "required_contents": { + "exact_match": "Yeah, pittsburgh traffic, you know..." + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 23 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/652.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/652.json new file mode 100644 index 00000000..f26a4285 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/652.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 652, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology/134852/ai-experts-disown-musk-backed-campaign-citing-their-research", + "geolocation": null, + "intent_template": "Reply to {{position_description}} with my comment \"{{content_description}}\"", + "instantiation_dict": { + "position_description": "the post", + "content_description": "???" + }, + "intent": "Reply to the post with my comment \"???\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology/134852/ai-experts-disown-musk-backed-campaign-citing-their-research", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.comment__body').outerText", + "required_contents": { + "exact_match": "???" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 23 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/653.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/653.json new file mode 100644 index 00000000..72c3a064 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/653.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 653, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Fill the \"contact us\" form in the site for a refund on the {{product}} I bought, stating that it broke after just three days of use. Also, ensure to include the order number #{{order_id}} and the product SKU. Don't submit yet, I will check.", + "instantiation_dict": { + "product": "phone screen protector", + "order_id": "000000180" + }, + "intent": "Fill the \"contact us\" form in the site for a refund on the phone screen protector I bought, stating that it broke after just three days of use. Also, ensure to include the order number #000000180 and the product SKU. Don't submit yet, I will check.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000180", + "B087QJN9W1" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 153 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/654.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/654.json new file mode 100644 index 00000000..96ffff32 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/654.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 654, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Fill the \"contact us\" form in the site for a refund on the {{product}} I bought, stating that it broke after just three days of use. Also, ensure to include the order number #{{order_id}} and the product SKU. Don't submit yet, I will check.", + "instantiation_dict": { + "product": "bluetooth speaker", + "order_id": "161" + }, + "intent": "Fill the \"contact us\" form in the site for a refund on the bluetooth speaker I bought, stating that it broke after just three days of use. Also, ensure to include the order number #161 and the product SKU. Don't submit yet, I will check.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "161", + "B09P7BFL4H" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 153 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/655.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/655.json new file mode 100644 index 00000000..e174e1ae --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/655.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 655, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Fill the \"contact us\" form in the site for a refund on the {{product}} I bought, stating that it broke after just three days of use. Also, ensure to include the order number #{{order_id}} and the product SKU. Don't submit yet, I will check.", + "instantiation_dict": { + "product": "iphone case", + "order_id": "180" + }, + "intent": "Fill the \"contact us\" form in the site for a refund on the iphone case I bought, stating that it broke after just three days of use. Also, ensure to include the order number #180 and the product SKU. Don't submit yet, I will check.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "180", + "B087QJN9W1" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 153 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/656.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/656.json new file mode 100644 index 00000000..9318952b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/656.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 656, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Fill the \"contact us\" form in the site for a refund on the {{product}} I bought, stating that it broke after just three days of use. Also, ensure to include the order number #{{order_id}} and the product SKU. Don't submit yet, I will check.", + "instantiation_dict": { + "product": "remote controller", + "order_id": "180" + }, + "intent": "Fill the \"contact us\" form in the site for a refund on the remote controller I bought, stating that it broke after just three days of use. Also, ensure to include the order number #180 and the product SKU. Don't submit yet, I will check.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "180", + "B0041MSF2S" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 153 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/657.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/657.json new file mode 100644 index 00000000..9bf877a2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/657.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 657, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Fill the \"contact us\" form in the site for a refund on the {{product}} I bought, stating that it broke after just three days of use. Also, ensure to include the order number #{{order_id}} and the product SKU. Don't submit yet, I will check.", + "instantiation_dict": { + "product": "speaker", + "order_id": "148" + }, + "intent": "Fill the \"contact us\" form in the site for a refund on the speaker I bought, stating that it broke after just three days of use. Also, ensure to include the order number #148 and the product SKU. Don't submit yet, I will check.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "broke after three days of use", + "148", + "B003FVW3VA" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 153 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/658.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/658.json new file mode 100644 index 00000000..d52f9f6e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/658.json @@ -0,0 +1,56 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 658, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create an issue in {{repo}} repo with title \"{{issue}}\". Assign the issue to {{account}}. Set due date to be {{due}}", + "instantiation_dict": { + "repo": "a11yproject", + "issue": "401 bad gateway", + "account": "Roshanjossey", + "due": "the end of 2030" + }, + "intent": "Create an issue in a11yproject repo with title \"401 bad gateway\". Assign the issue to Roshanjossey. Set due date to be the end of 2030", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[data-qa-selector=\"title_content\"]').outerText", + "required_contents": { + "exact_match": "401 bad gateway" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-testid=\"sidebar-due-date\"').outerText", + "required_contents": { + "must_include": [ + "Dec 31, 2030" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.assignee').outerText", + "required_contents": { + "must_include": [ + "Roshan Jossey" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 327 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/659.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/659.json new file mode 100644 index 00000000..2c1b0622 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/659.json @@ -0,0 +1,56 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 659, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create an issue in {{repo}} repo with title \"{{issue}}\". Assign the issue to {{account}}. Set due date to be {{due}}", + "instantiation_dict": { + "repo": "empathy-prompts", + "issue": "Integrating LLMs for better prompts", + "account": "Roshanjossey", + "due": "the beginning of Q2 2033" + }, + "intent": "Create an issue in empathy-prompts repo with title \"Integrating LLMs for better prompts\". Assign the issue to Roshanjossey. Set due date to be the beginning of Q2 2033", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/empathy-prompts/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[data-qa-selector=\"title_content\"]').outerText", + "required_contents": { + "exact_match": "Integrating LLMs for better prompts" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-testid=\"sidebar-due-date\"').outerText", + "required_contents": { + "must_include": [ + "Apr 1, 2033" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.assignee').outerText", + "required_contents": { + "must_include": [ + "Roshan Jossey" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 327 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/66.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/66.json new file mode 100644 index 00000000..04faaa39 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/66.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 66, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Among the top {{number}} post in \"{{subreddit}}\" forum, {{description}}", + "instantiation_dict": { + "number": 10, + "subreddit": "books", + "description": "show me the post URLs that recommand a single book" + }, + "intent": "Among the top 10 post in \"books\" forum, show me the post URLs that recommand a single book", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "http://www.reddit.com/f/books/59396/apple-books-has-a-free-audiobook-of-a-christmas-carol", + "http://www.reddit.com/f/books/17445/i-just-finished-reading-the-hobbit-to-my-6-year-old-daughter" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/59396/apple-books-has-a-free-audiobook-of-a-christmas-carol, http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/17445/i-just-finished-reading-the-hobbit-to-my-6-year-old-daughter" + }, + "intent_template_id": 17 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/660.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/660.json new file mode 100644 index 00000000..c72b2fc7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/660.json @@ -0,0 +1,56 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 660, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create an issue in {{repo}} repo with title \"{{issue}}\". Assign the issue to {{account}}. Set due date to be {{due}}", + "instantiation_dict": { + "repo": "dotfiles", + "issue": "add support for oh-my-zsh", + "account": "Abishek", + "due": "July 18 2033" + }, + "intent": "Create an issue in dotfiles repo with title \"add support for oh-my-zsh\". Assign the issue to Abishek. Set due date to be July 18 2033", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/tree/main", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[data-qa-selector=\"title_content\"]').outerText", + "required_contents": { + "exact_match": "add support for oh-my-zsh" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-testid=\"sidebar-due-date\"').outerText", + "required_contents": { + "must_include": [ + "Jul 18, 2033" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.assignee').outerText", + "required_contents": { + "must_include": [ + "Abishek S" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 327 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/661.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/661.json new file mode 100644 index 00000000..ac32aa2d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/661.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 661, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open an issue to {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "ChatGPT", + "issue": "report the issue of connection refused" + }, + "intent": "Open an issue to report the issue of connection refused in ChatGPT.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/convexegg/chatgpt/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "connection refused" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 328 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/662.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/662.json new file mode 100644 index 00000000..e171bbcd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/662.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 662, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open an issue to {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "aem-hacker", + "issue": "report experiencing \"OSError: [Errno 98] Address already in use\" during executions" + }, + "intent": "Open an issue to report experiencing \"OSError: [Errno 98] Address already in use\" during executions in aem-hacker.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/0ang3el/aem-hacker/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "OSError: [Errno 98] Address already in use" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 328 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/663.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/663.json new file mode 100644 index 00000000..fe75cf10 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/663.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 663, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open an issue to {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "metaseq", + "issue": "ask their plan on supporting Llama and other llama family models" + }, + "intent": "Open an issue to ask their plan on supporting Llama and other llama family models in metaseq.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "llama" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 328 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/664.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/664.json new file mode 100644 index 00000000..36a0dd84 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/664.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 664, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open an issue to {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "awesome-python", + "issue": "ask their plans on adding Python 3.11 related resources" + }, + "intent": "Open an issue to ask their plans on adding Python 3.11 related resources in awesome-python.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/vinta/awesome-python/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "Python 3.11" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 328 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/665.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/665.json new file mode 100644 index 00000000..205864d5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/665.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 665, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open an issue to {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "a11y-syntax-highlighting", + "issue": "request adding support for MT theme editor" + }, + "intent": "Open an issue to request adding support for MT theme editor in a11y-syntax-highlighting.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-syntax-highlighting/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "MT theme editor" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 328 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/666.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/666.json new file mode 100644 index 00000000..7fc8cfca --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/666.json @@ -0,0 +1,53 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 666, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "Submit a request to merge {{source_branch}} branch into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "dialog-component", + "target_branch": "dialog", + "reviewer": "Carol" + }, + "intent": "Submit a request to merge dialog-component branch into dialog branch, assign Carol as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "dialog" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "dialog-component" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Caroline Stewart" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/667.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/667.json new file mode 100644 index 00000000..448f1792 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/667.json @@ -0,0 +1,53 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 667, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "Submit a merge request for {{source_branch}} branch to be merged into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "dialog-component", + "target_branch": "bump-doctocat", + "reviewer": "primer" + }, + "intent": "Submit a merge request for dialog-component branch to be merged into bump-doctocat branch, assign primer as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "bump-doctocat" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "dialog-component" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Primer" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/668.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/668.json new file mode 100644 index 00000000..ae0b440d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/668.json @@ -0,0 +1,53 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 668, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Submit a merge request for {{source_branch}} branch to be merged into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "a11yproject.com/redesign", + "target_branch": "master", + "reviewer": "Justin Armstrong" + }, + "intent": "Submit a merge request for a11yproject.com/redesign branch to be merged into master branch, assign Justin Armstrong as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "redesign" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "main" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Justin Armstrong" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/669.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/669.json new file mode 100644 index 00000000..82a37064 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/669.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 669, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/solarized-prism-theme", + "geolocation": null, + "intent_template": "Open a new issue to discuss the implementation of {{feature}}", + "instantiation_dict": { + "feature": "dark mode" + }, + "intent": "Open a new issue to discuss the implementation of dark mode", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/solarized-prism-theme/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "implementation", + "dark mode" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 337 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/67.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/67.json new file mode 100644 index 00000000..e6d8e8e9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/67.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 67, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Among the top {{number}} post in \"{{subreddit}}\" forum, {{description}}", + "instantiation_dict": { + "number": 10, + "subreddit": "books", + "description": "show me the book names from posts that recommand a single book" + }, + "intent": "Among the top 10 post in \"books\" forum, show me the book names from posts that recommand a single book", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "A Christmas Carol", + "The Hobbit" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "A Christmas Carol, The Hobbit" + }, + "intent_template_id": 17 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/670.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/670.json new file mode 100644 index 00000000..360802c1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/670.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 670, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles", + "geolocation": null, + "intent_template": "Open a new issue to discuss the implementation of {{feature}}", + "instantiation_dict": { + "feature": "default plugins for .zsh" + }, + "intent": "Open a new issue to discuss the implementation of default plugins for .zsh", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "implementation", + "default plugins", + "zsh" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 337 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/671.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/671.json new file mode 100644 index 00000000..b319ff93 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/671.json @@ -0,0 +1,48 @@ +{ + "sites": [ + "shopping", + "reddit" + ], + "task_id": 671, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Gather the titles of {{product}} reviews with {{rating}} rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on {{product}}\"", + "instantiation_dict": { + "product": "Sony Computer Entertainment VR", + "rating": "2 stars and less" + }, + "intent": "Gather the titles of Sony Computer Entertainment VR reviews with 2 stars and less rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on Sony Computer Entertainment VR\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/gaming", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__title').outerText", + "required_contents": { + "exact_match": "real user feedback on Sony Computer Entertainment VR" + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "didn't last a year without issues", + "Disappointing. Didn't last long before it stopped powering on and needed to be sent in for repair.", + "Received used items!!" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 101 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/672.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/672.json new file mode 100644 index 00000000..9de1135c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/672.json @@ -0,0 +1,51 @@ +{ + "sites": [ + "shopping", + "reddit" + ], + "task_id": 672, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Gather the titles of {{product}} reviews with {{rating}} rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on {{product}}\"", + "instantiation_dict": { + "product": "Nintendo Switch Fortnite Wildcat Console EU", + "rating": "3 stars and less" + }, + "intent": "Gather the titles of Nintendo Switch Fortnite Wildcat Console EU reviews with 3 stars and less rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on Nintendo Switch Fortnite Wildcat Console EU\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/gaming", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__title').outerText", + "required_contents": { + "exact_match": "real user feedback on Nintendo Switch Fortnite Wildcat Console EU" + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "EU charger and wild cat card doesn\u2019t even work!", + "REFUND REJECTED", + "Charging port not compatible", + "not compatible in the US", + "Wildcard Bonus Credits Not Redeemable!", + "Code not available!!" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 101 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/673.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/673.json new file mode 100644 index 00000000..85d6bde5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/673.json @@ -0,0 +1,50 @@ +{ + "sites": [ + "shopping", + "reddit" + ], + "task_id": 673, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Gather the titles of {{product}} reviews with {{rating}} rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on {{product}}\"", + "instantiation_dict": { + "product": "Racing Wheel Overdrive for Xbox X", + "rating": "1 star" + }, + "intent": "Gather the titles of Racing Wheel Overdrive for Xbox X reviews with 1 star rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on Racing Wheel Overdrive for Xbox X\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/gaming", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__title').outerText", + "required_contents": { + "exact_match": "real user feedback on Racing Wheel Overdrive for Xbox X" + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "Unable to set neutral steering", + "Doesn\u2019t work with PC", + "Crazy problems in automatic mode", + "pedals stopped working", + "Only works with certain games" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 101 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/674.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/674.json new file mode 100644 index 00000000..be64e241 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/674.json @@ -0,0 +1,48 @@ +{ + "sites": [ + "shopping", + "reddit" + ], + "task_id": 674, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Gather the titles of {{product}} reviews with {{rating}} rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on {{product}}\"", + "instantiation_dict": { + "product": "Doc and Pies Arcade Factory Cocktail Arcade Machine", + "rating": "3 stars and less" + }, + "intent": "Gather the titles of Doc and Pies Arcade Factory Cocktail Arcade Machine reviews with 3 stars and less rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on Doc and Pies Arcade Factory Cocktail Arcade Machine\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/gaming", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__title').outerText", + "required_contents": { + "exact_match": "real user feedback on Doc and Pies Arcade Factory Cocktail Arcade Machine" + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "Poorly Made Exterior. Consider a different Company.", + "piece of junk ,..can't believe I spent money on this !!!!", + "Based arrived broken but game itself works" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 101 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/675.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/675.json new file mode 100644 index 00000000..94baa1c1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/675.json @@ -0,0 +1,48 @@ +{ + "sites": [ + "shopping", + "reddit" + ], + "task_id": 675, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Gather the titles of {{product}} reviews with {{rating}} rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on {{product}}\"", + "instantiation_dict": { + "product": "HORI 3D Surround Gaming Neckset", + "rating": "2 stars and less" + }, + "intent": "Gather the titles of HORI 3D Surround Gaming Neckset reviews with 2 stars and less rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on HORI 3D Surround Gaming Neckset\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/gaming", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__title').outerText", + "required_contents": { + "exact_match": "real user feedback on HORI 3D Surround Gaming Neckset" + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "Not worth it for PC users", + "I really wanted to like this.", + "I wish this was better..." + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 101 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/676.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/676.json new file mode 100644 index 00000000..8bc5c0a1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/676.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 676, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Lookup orders that are {{status}}", + "instantiation_dict": { + "status": "suspected of being fraudulent" + }, + "intent": "Lookup orders that are suspected of being fraudulent", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div.admin__data-grid-filters-current\").outerText", + "required_contents": { + "must_include": [ + "Suspected Fraud" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 253 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/677.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/677.json new file mode 100644 index 00000000..1310d51e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/677.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 677, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Lookup orders that are {{status}}", + "instantiation_dict": { + "status": "processing" + }, + "intent": "Lookup orders that are processing", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div.admin__data-grid-filters-current\").outerText", + "required_contents": { + "must_include": [ + "Processing" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 253 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/678.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/678.json new file mode 100644 index 00000000..7669e78b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/678.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 678, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Lookup orders that are {{status}}", + "instantiation_dict": { + "status": "canceled" + }, + "intent": "Lookup orders that are canceled", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div.admin__data-grid-filters-current\").outerText", + "required_contents": { + "must_include": [ + "Canceled" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 253 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/679.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/679.json new file mode 100644 index 00000000..c5e9e700 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/679.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 679, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Lookup orders that are {{status}}", + "instantiation_dict": { + "status": "completed" + }, + "intent": "Lookup orders that are completed", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div.admin__data-grid-filters-current\").outerText", + "required_contents": { + "must_include": [ + "Completed" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 253 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/68.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/68.json new file mode 100644 index 00000000..c00b34aa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/68.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 68, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Among the top {{number}} post in \"{{subreddit}}\" forum, {{description}}", + "instantiation_dict": { + "number": 10, + "subreddit": "books", + "description": "show me the author name and the book name from posts that recommand a single book" + }, + "intent": "Among the top 10 post in \"books\" forum, show me the author name and the book name from posts that recommand a single book", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "A Christmas Carol", + "Levar Burton", + "The Hobbit", + "J. R. R. Tolkien" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "A Christmas Carol by Levar Burton: , The Hobbit by J. R. R. Tolkien" + }, + "intent_template_id": 17 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/680.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/680.json new file mode 100644 index 00000000..e9fa76a0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/680.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 680, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Lookup orders that are {{status}}", + "instantiation_dict": { + "status": "on hold" + }, + "intent": "Lookup orders that are on hold", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div.admin__data-grid-filters-current\").outerText", + "required_contents": { + "must_include": [ + "On Hold" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 253 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/681.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/681.json new file mode 100644 index 00000000..7feab4af --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/681.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 681, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a GitLab repository related to {{topic}} and make a Reddit post linking to it in a relevant subreddit", + "instantiation_dict": { + "topic": "gan implementation" + }, + "intent": "Find a GitLab repository related to gan implementation and make a Reddit post linking to it in a relevant subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/machinelearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/deeplearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "gan implementation", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/eriklindernoren/PyTorch-GAN" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 116 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/682.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/682.json new file mode 100644 index 00000000..1a24f676 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/682.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 682, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a GitLab repository related to {{topic}} and make a Reddit post linking to it in a relevant subreddit", + "instantiation_dict": { + "topic": "chatGPT" + }, + "intent": "Find a GitLab repository related to chatGPT and make a Reddit post linking to it in a relevant subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/machinelearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/singularity |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/deeplearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "chatgpt", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/convexegg/chatgpt" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 116 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/683.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/683.json new file mode 100644 index 00000000..4677e019 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/683.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 683, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a GitLab repository related to {{topic}} and make a Reddit post linking to it in a relevant subreddit", + "instantiation_dict": { + "topic": "metaseq" + }, + "intent": "Find a GitLab repository related to metaseq and make a Reddit post linking to it in a relevant subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/machinelearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/deeplearning", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "metaseq", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 116 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/684.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/684.json new file mode 100644 index 00000000..47c94b50 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/684.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 684, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Promote {{repo}} to subreddit {{subreddit}} with the description from the repo itself.", + "instantiation_dict": { + "repo": "byteblaze/cloud-to-butt", + "subreddit": "LifeProTips" + }, + "intent": "Promote byteblaze/cloud-to-butt to subreddit LifeProTips with the description from the repo itself.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/LifeProTips", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText + [...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "Chrome extension that replaces occurrences of 'the cloud' with 'my butt'", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/cloud-to-butt" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 117 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/685.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/685.json new file mode 100644 index 00000000..e5272cd0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/685.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 685, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Promote {{repo}} to subreddit {{subreddit}} with the description from the repo itself.", + "instantiation_dict": { + "repo": "byteblaze/dotfiles", + "subreddit": "aww" + }, + "intent": "Promote byteblaze/dotfiles to subreddit aww with the description from the repo itself.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/aww", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText + [...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "Computer setup", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 117 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/686.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/686.json new file mode 100644 index 00000000..c324dfbb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/686.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 686, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Promote {{repo}} to subreddit {{subreddit}} with the description from the repo itself.", + "instantiation_dict": { + "repo": "auth0/angular-storage", + "subreddit": "technology" + }, + "intent": "Promote auth0/angular-storage to subreddit technology with the description from the repo itself.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText + [...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "A storage library for AngularJS done right", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/auth0/angular-storage" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 117 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/687.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/687.json new file mode 100644 index 00000000..45268179 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/687.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 687, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Promote {{repo}} to subreddit {{subreddit}} with the description from the repo itself.", + "instantiation_dict": { + "repo": "koush/AndroidAsync", + "subreddit": "funny" + }, + "intent": "Promote koush/AndroidAsync to subreddit funny with the description from the repo itself.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/funny", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText + [...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "Asynchronous socket, http(s) (client+server) and websocket library for android. Based on nio, not threads.", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/koush/AndroidAsync" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 117 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/688.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/688.json new file mode 100644 index 00000000..37c2c22d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/688.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 688, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Promote {{repo}} to subreddit {{subreddit}} with the description from the repo itself.", + "instantiation_dict": { + "repo": "lahwaacz/arch-wiki-docs", + "subreddit": "science" + }, + "intent": "Promote lahwaacz/arch-wiki-docs to subreddit science with the description from the repo itself.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/science", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText + [...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "A script to download pages from Arch Wiki for offline browsing", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/lahwaacz/arch-wiki-docs" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 117 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/689.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/689.json new file mode 100644 index 00000000..2bcb0aa4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/689.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 689, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft an email to the shop owner via their contact us function for a coupon as {{reason}}", + "instantiation_dict": { + "reason": "I am a loyal customer" + }, + "intent": "Draft an email to the shop owner via their contact us function for a coupon as I am a loyal customer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "coupon", + "I am a loyal customer" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 163 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/69.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/69.json new file mode 100644 index 00000000..9f075186 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/69.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 69, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Among the top {{number}} post in \"{{subreddit}}\" forum, {{description}}", + "instantiation_dict": { + "number": 10, + "subreddit": "books", + "description": "is there any post talks about supporting local book stores? If so, tell me the organizations involved" + }, + "intent": "Among the top 10 post in \"books\" forum, is there any post talks about supporting local book stores? If so, tell me the organizations involved", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "bookshop.org" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "bookshop.org" + }, + "intent_template_id": 17 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/690.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/690.json new file mode 100644 index 00000000..016f1a0d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/690.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 690, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft an email to the shop owner via their contact us function for a coupon as {{reason}}", + "instantiation_dict": { + "reason": "they promised me a coupon last time" + }, + "intent": "Draft an email to the shop owner via their contact us function for a coupon as they promised me a coupon last time", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "coupon", + "promised" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 163 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/691.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/691.json new file mode 100644 index 00000000..7ccecb86 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/691.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 691, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft an email to the shop owner via their contact us function for a coupon as {{reason}}", + "instantiation_dict": { + "reason": "I plan to make a bulk purchase" + }, + "intent": "Draft an email to the shop owner via their contact us function for a coupon as I plan to make a bulk purchase", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "coupon", + "bulk purchase" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 163 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/692.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/692.json new file mode 100644 index 00000000..f515b715 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/692.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 692, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft an email to the shop owner via their contact us function for a coupon as {{reason}}", + "instantiation_dict": { + "reason": "I am a student" + }, + "intent": "Draft an email to the shop owner via their contact us function for a coupon as I am a student", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "coupon", + "student" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 163 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/693.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/693.json new file mode 100644 index 00000000..3b46beea --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/693.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 693, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft an email to the shop owner via their contact us function for a coupon as {{reason}}", + "instantiation_dict": { + "reason": "my refund is suppoed to be replaced by a coupon" + }, + "intent": "Draft an email to the shop owner via their contact us function for a coupon as my refund is suppoed to be replaced by a coupon", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "coupon", + "refund" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 163 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/694.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/694.json new file mode 100644 index 00000000..adae9118 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/694.json @@ -0,0 +1,87 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 694, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a simple product named {{product}} with {{stock}} in stock, available in size {{size}} and color {{color}}, priced at ${{price}}", + "instantiation_dict": { + "product": "Energy-Bulk Women Shirt", + "stock": "50", + "size": "S", + "color": "blue", + "price": "60" + }, + "intent": "Add a simple product named Energy-Bulk Women Shirt with 50 in stock, available in size S and color blue, priced at $60", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "60.00" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[name]\"').value", + "required_contents": { + "must_include": [ + "Energy-Bulk Women Shirt" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "50" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-role=\"selected-option\"').outerText", + "required_contents": { + "must_include": [ + "top" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[size]\"').value", + "required_contents": { + "exact_match": "167" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[color]\"').value", + "required_contents": { + "exact_match": "50" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-index=\"category_ids\"').outerText", + "required_contents": { + "must_include": [ + "tops" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 256 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/695.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/695.json new file mode 100644 index 00000000..7e2b4d22 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/695.json @@ -0,0 +1,87 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 695, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a simple product named {{product}} with {{stock}} in stock, available in size {{size}} and color {{color}}, priced at ${{price}}", + "instantiation_dict": { + "product": "Energy-Bulk Man Yoga Pant", + "stock": "50", + "size": "38", + "color": "yellow", + "price": "69.99" + }, + "intent": "Add a simple product named Energy-Bulk Man Yoga Pant with 50 in stock, available in size 38 and color yellow, priced at $69.99", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "69.99" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[name]\"').value", + "required_contents": { + "must_include": [ + "Energy-Bulk Man Yoga Pant" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "50" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-role=\"selected-option\"').outerText", + "required_contents": { + "must_include": [ + "bottom" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[size]\"').value", + "required_contents": { + "exact_match": "179" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[color]\"').value", + "required_contents": { + "exact_match": "60" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-index=\"category_ids\"').outerText", + "required_contents": { + "must_include": [ + "bottoms" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 256 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/696.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/696.json new file mode 100644 index 00000000..30a33132 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/696.json @@ -0,0 +1,87 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 696, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a simple product named {{product}} with {{stock}} in stock, available in size {{size}} and color {{color}}, priced at ${{price}}", + "instantiation_dict": { + "product": "FancyBoy Man Causal Jeans", + "stock": "42", + "size": "34", + "color": "Blue", + "price": "169.99" + }, + "intent": "Add a simple product named FancyBoy Man Causal Jeans with 42 in stock, available in size 34 and color Blue, priced at $169.99", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"product[name]\"').value", + "required_contents": { + "must_include": [ + "FancyBoy Man Causal Jeans" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "42" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "169.99" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-role=\"selected-option\"').outerText", + "required_contents": { + "must_include": [ + "bottom" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[size]\"').value", + "required_contents": { + "exact_match": "177" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[color]\"').value", + "required_contents": { + "exact_match": "50" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-index=\"category_ids\"').outerText", + "required_contents": { + "must_include": [ + "bottoms" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 256 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/697.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/697.json new file mode 100644 index 00000000..84938865 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/697.json @@ -0,0 +1,80 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 697, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a simple product named {{product}} with {{stock}} in stock, available in size {{size}} and color {{color}}, priced at ${{price}}", + "instantiation_dict": { + "product": "Swaatch Smart Watch", + "stock": "42", + "size": "uni-size", + "color": "Blue", + "price": "769.99" + }, + "intent": "Add a simple product named Swaatch Smart Watch with 42 in stock, available in size uni-size and color Blue, priced at $769.99", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"product[name]\"').value", + "required_contents": { + "must_include": [ + "Swaatch Smart Watch" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "42" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "769.99" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-role=\"selected-option\"').outerText", + "required_contents": { + "must_include": [ + "gear" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[color]\"').value", + "required_contents": { + "exact_match": "50" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-index=\"category_ids\"').outerText", + "required_contents": { + "must_include": [ + "watches" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 256 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/698.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/698.json new file mode 100644 index 00000000..12b74b0d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/698.json @@ -0,0 +1,80 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 698, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a simple product named {{product}} with {{stock}} in stock, available in size {{size}} and color {{color}}, priced at ${{price}}", + "instantiation_dict": { + "product": "Lelelumon Yoga Mat", + "stock": "42", + "size": "uni-size", + "color": "black", + "price": "769.99" + }, + "intent": "Add a simple product named Lelelumon Yoga Mat with 42 in stock, available in size uni-size and color black, priced at $769.99", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"product[name]\"').value", + "required_contents": { + "must_include": [ + "Lelelumon Yoga Mat" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "42" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "769.99" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-role=\"selected-option\"').outerText", + "required_contents": { + "must_include": [ + "gear" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[color]\"').value", + "required_contents": { + "exact_match": "49" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-index=\"category_ids\"').outerText", + "required_contents": { + "must_include": [ + "fitness equipment" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 256 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/699.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/699.json new file mode 100644 index 00000000..f2fdaa1e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/699.json @@ -0,0 +1,72 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 699, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Draft a new marketing price rule for {{topic}} that offers {{rule}} for all customers", + "instantiation_dict": { + "topic": "spring sale", + "rule": "a 20 percent discount site-wide" + }, + "intent": "Draft a new marketing price rule for spring sale that offers a 20 percent discount site-wide for all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales_rule/promo_quote", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"[name='name'\").value", + "required_contents": { + "must_include": [ + "spring sale" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"website_ids\"').selectedIndex", + "required_contents": { + "exact_match": "0" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"customer_group_ids\"').selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"simple_action\"').value", + "prep_actions": [ + "document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()" + ], + "required_contents": { + "exact_match": "by_percent" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"discount_amount\"').value", + "prep_actions": [ + "document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()" + ], + "required_contents": { + "exact_match": "20" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 258 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/7.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/7.json new file mode 100644 index 00000000..6d8f304f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/7.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "map" + ], + "task_id": 7, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the full address of all {{airport_type}} that are within a driving distance of {{radius}} to {{start}}", + "instantiation_dict": { + "airport_type": "international airports", + "start": "Carnegie Mellon University", + "radius": "50 km" + }, + "intent": "Tell me the full address of all international airports that are within a driving distance of 50 km to Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Pittsburgh International Airport, Southern Beltway, Findlay Township, Allegheny County, 15231, United States" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Pittsburgh International Airport People Movers, Airport Boulevard, Findlay Township, Allegheny County, Pennsylvania, 15231, United States" + }, + "intent_template_id": 79 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/70.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/70.json new file mode 100644 index 00000000..9fe2001b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/70.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "map" + ], + "task_id": 70, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the zip code of {{place}}?", + "instantiation_dict": { + "place": "Carnegie Mellon University" + }, + "intent": "What is the zip code of Carnegie Mellon University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "15213" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "15213" + }, + "intent_template_id": 70 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/700.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/700.json new file mode 100644 index 00000000..af22d3d0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/700.json @@ -0,0 +1,72 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 700, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Draft a new marketing price rule for {{topic}} that offers {{rule}} for all customers", + "instantiation_dict": { + "topic": "fall discount", + "rule": "$10 discount on checkout" + }, + "intent": "Draft a new marketing price rule for fall discount that offers $10 discount on checkout for all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales_rule/promo_quote", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"[name='name'\").value", + "required_contents": { + "must_include": [ + "fall discount" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"website_ids\"').selectedIndex", + "required_contents": { + "exact_match": "0" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"customer_group_ids\"').selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"simple_action\"').value", + "prep_actions": [ + "document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()" + ], + "required_contents": { + "exact_match": "cart_fixed" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"discount_amount\"').value", + "prep_actions": [ + "document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()" + ], + "required_contents": { + "exact_match": "10" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 258 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/701.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/701.json new file mode 100644 index 00000000..77d2a41f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/701.json @@ -0,0 +1,72 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 701, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Draft a new marketing price rule for {{topic}} that offers {{rule}} for all customers", + "instantiation_dict": { + "topic": "Mother's day sale", + "rule": "$15 discount on checkout" + }, + "intent": "Draft a new marketing price rule for Mother's day sale that offers $15 discount on checkout for all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales_rule/promo_quote", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"[name='name'\").value", + "required_contents": { + "must_include": [ + "Mother's day sale" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"website_ids\"').selectedIndex", + "required_contents": { + "exact_match": "0" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"customer_group_ids\"').selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"simple_action\"').value", + "prep_actions": [ + "document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()" + ], + "required_contents": { + "exact_match": "cart_fixed" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"discount_amount\"').value", + "prep_actions": [ + "document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()" + ], + "required_contents": { + "exact_match": "15" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 258 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/702.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/702.json new file mode 100644 index 00000000..fbdf056e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/702.json @@ -0,0 +1,72 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 702, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Draft a new marketing price rule for {{topic}} that offers {{rule}} for all customers", + "instantiation_dict": { + "topic": "Pride Month", + "rule": "45% off on all products" + }, + "intent": "Draft a new marketing price rule for Pride Month that offers 45% off on all products for all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales_rule/promo_quote", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"[name='name'\").value", + "required_contents": { + "must_include": [ + "Pride Month" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"website_ids\"').selectedIndex", + "required_contents": { + "exact_match": "0" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"customer_group_ids\"').selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"simple_action\"').value", + "prep_actions": [ + "document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()" + ], + "required_contents": { + "exact_match": "by_percent" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"discount_amount\"').value", + "prep_actions": [ + "document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()" + ], + "required_contents": { + "exact_match": "45" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 258 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/703.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/703.json new file mode 100644 index 00000000..265a9479 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/703.json @@ -0,0 +1,72 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 703, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Draft a new marketing price rule for {{topic}} that offers {{rule}} for all customers", + "instantiation_dict": { + "topic": "Thanks giving sale", + "rule": "$40 discount on checkout" + }, + "intent": "Draft a new marketing price rule for Thanks giving sale that offers $40 discount on checkout for all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales_rule/promo_quote", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"[name='name'\").value", + "required_contents": { + "must_include": [ + "Thanks giving sale" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"website_ids\"').selectedIndex", + "required_contents": { + "exact_match": "0" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"customer_group_ids\"').selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"simple_action\"').value", + "prep_actions": [ + "document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()" + ], + "required_contents": { + "exact_match": "cart_fixed" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"discount_amount\"').value", + "prep_actions": [ + "document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()" + ], + "required_contents": { + "exact_match": "40" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 258 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/704.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/704.json new file mode 100644 index 00000000..da9594b7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/704.json @@ -0,0 +1,43 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 704, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Today is 3/15/2023, generate a {{report}} {{time_span}}", + "instantiation_dict": { + "report": "sales order report", + "time_span": "for last month" + }, + "intent": "Today is 3/15/2023, generate a sales order report for last month", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/sales", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "2/1/23" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "2/28/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 268 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/705.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/705.json new file mode 100644 index 00000000..72af3c90 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/705.json @@ -0,0 +1,43 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 705, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Today is 3/15/2023, generate a {{report}} {{time_span}}", + "instantiation_dict": { + "report": "sales order report", + "time_span": "over the last 45 days" + }, + "intent": "Today is 3/15/2023, generate a sales order report over the last 45 days", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/sales", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "1/29/23" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "3/15/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 268 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/706.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/706.json new file mode 100644 index 00000000..a1bfe5af --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/706.json @@ -0,0 +1,43 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 706, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Today is 3/15/2023, generate a {{report}} {{time_span}}", + "instantiation_dict": { + "report": "refund report", + "time_span": "for Q1" + }, + "intent": "Today is 3/15/2023, generate a refund report for Q1", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/refunded", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "1/1/23" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "3/31/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 268 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/707.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/707.json new file mode 100644 index 00000000..38e793dc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/707.json @@ -0,0 +1,43 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 707, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Today is 3/15/2023, generate a {{report}} {{time_span}}", + "instantiation_dict": { + "report": "sales order report", + "time_span": "for last year" + }, + "intent": "Today is 3/15/2023, generate a sales order report for last year", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/sales", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "1/1/2022" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "12/31/2022" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 268 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/708.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/708.json new file mode 100644 index 00000000..774dd8c1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/708.json @@ -0,0 +1,43 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 708, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Today is 3/15/2023, generate a {{report}} {{time_span}}", + "instantiation_dict": { + "report": "tax report", + "time_span": "for this year" + }, + "intent": "Today is 3/15/2023, generate a tax report for this year", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/tax/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "1/1/2023" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "12/31/2023" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 268 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/709.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/709.json new file mode 100644 index 00000000..5108f7f1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/709.json @@ -0,0 +1,44 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 709, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Create an {{type}} report from {{start_date}} to {{end_date}}", + "instantiation_dict": { + "type": "orders", + "start_date": "beginning of May 2021", + "end_date": "end of March 2022" + }, + "intent": "Create an orders report from beginning of May 2021 to end of March 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/sales", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "5/1/2021" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "3/31/2022" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 271 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/71.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/71.json new file mode 100644 index 00000000..ba05e336 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/71.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "map" + ], + "task_id": 71, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the zip code of {{place}}?", + "instantiation_dict": { + "place": "Chatham University" + }, + "intent": "What is the zip code of Chatham University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "15232" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "15232" + }, + "intent_template_id": 70 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/710.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/710.json new file mode 100644 index 00000000..033c75f9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/710.json @@ -0,0 +1,44 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 710, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Create a {{type}} report from {{start_date}} to {{end_date}}", + "instantiation_dict": { + "type": "shipping", + "start_date": "08/05/2022", + "end_date": "03/01/2023" + }, + "intent": "Create a shipping report from 08/05/2022 to 03/01/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/shipping", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "8/5/22" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "3/1/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 271 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/711.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/711.json new file mode 100644 index 00000000..18260bc1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/711.json @@ -0,0 +1,44 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 711, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Create a {{type}} report from {{start_date}} to {{end_date}}", + "instantiation_dict": { + "type": "product view", + "start_date": "07/05/2021", + "end_date": "05/31/2023" + }, + "intent": "Create a product view report from 07/05/2021 to 05/31/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_product/viewed/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "7/5/21" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "5/31/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 271 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/712.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/712.json new file mode 100644 index 00000000..2740de7a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/712.json @@ -0,0 +1,44 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 712, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Create a {{type}} report from {{start_date}} to {{end_date}}", + "instantiation_dict": { + "type": "coupons", + "start_date": "05/01/2021", + "end_date": "05/15/2023" + }, + "intent": "Create a coupons report from 05/01/2021 to 05/15/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/coupons/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "5/1/21" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "5/15/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 271 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/713.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/713.json new file mode 100644 index 00000000..09cdfc77 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/713.json @@ -0,0 +1,44 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 713, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Create a {{type}} report from {{start_date}} to {{end_date}}", + "instantiation_dict": { + "type": "best sellers", + "start_date": "05/01/2022", + "end_date": "05/31/2023" + }, + "intent": "Create a best sellers report from 05/01/2022 to 05/31/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/bestsellers/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "5/1/22" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "5/31/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 271 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/714.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/714.json new file mode 100644 index 00000000..eac7ffee --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/714.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 714, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Thumbs down the top {{k}} post ever in {{subreddit}}.", + "instantiation_dict": { + "subreddit": "gadgets", + "k": "1" + }, + "intent": "Thumbs down the top 1 post ever in gadgets.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/gadgets/19459/a-custom-gaming-pc-built-inside-a-vintage-1940s-motorola", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 24 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/715.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/715.json new file mode 100644 index 00000000..d8368771 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/715.json @@ -0,0 +1,45 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 715, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Thumbs down the top {{k}} post ever in {{subreddit}}.", + "instantiation_dict": { + "subreddit": "history", + "k": "2" + }, + "intent": "Thumbs down the top 2 post ever in history.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/history/84338/the-scientist-who-discovered-sperm-was-so-grossed-out-he", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/history/105990/4-500-year-old-sumerian-temple-dedicated-to-mighty-thunder", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 24 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/716.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/716.json new file mode 100644 index 00000000..f2389a99 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/716.json @@ -0,0 +1,54 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 716, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Thumbs down the top {{k}} post ever in {{subreddit}}.", + "instantiation_dict": { + "k": "3", + "subreddit": "books" + }, + "intent": "Thumbs down the top 3 post ever in books.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/81371/the-letters-of-t-s-eliot-to-emily-hale-that-were-kept-sealed", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/59421/friendly-reminder-bookshop-org-exists", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/59447/appalachian-prison-book-project-seeks-notebook-donations-the", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 24 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/717.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/717.json new file mode 100644 index 00000000..3acf5a30 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/717.json @@ -0,0 +1,63 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 717, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Thumbs down the top {{k}} post ever in {{subreddit}}.", + "instantiation_dict": { + "k": "4", + "subreddit": "movies" + }, + "intent": "Thumbs down the top 4 post ever in movies.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/86174/who-will-win-the-oscar-for-actress-in-a-supporting-role", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/86029/who-will-win-the-oscar-for-film-editing", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/86055/cindy-williams-dies-laverne-amp-shirley-star-who-appeared-in", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/42682/michelle-yeoh-to-receive-palm-springs-film-festival-s", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 24 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/718.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/718.json new file mode 100644 index 00000000..0329f79d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/718.json @@ -0,0 +1,72 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 718, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Thumbs down the top {{k}} post ever in {{subreddit}}.", + "instantiation_dict": { + "k": "5", + "subreddit": "technology" + }, + "intent": "Thumbs down the top 5 post ever in technology.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology/48670/brain-cancer-vaccine-succeeds-at-prolonging-survival-in", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology/134696/india-cuts-internet-for-27-million-people-amid-search-for", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology/48785/us-judge-orders-amazon-to-cease-and-desist-anti-union", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology/70354/activision-s-boston-studio-workers-announce-unionization", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology/70233/social-media-influencers-are-charged-with-feeding-followers", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 24 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/719.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/719.json new file mode 100644 index 00000000..ccd2f770 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/719.json @@ -0,0 +1,45 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 719, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "subreddit": "wallstreetbets", + "user": "ThetaGang_wsb" + }, + "intent": "Like all submissions created by ThetaGang_wsb in subreddit wallstreetbets", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/wallstreetbets/29478/how-will-airbnb-close-following-their-earnings-report-on", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/wallstreetbets/29458/how-much-will-the-federal-reserve-raise-interest-rates-in", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 25 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/72.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/72.json new file mode 100644 index 00000000..6af60b58 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/72.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "map" + ], + "task_id": 72, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the zip code of {{place}}?", + "instantiation_dict": { + "place": "Yale University" + }, + "intent": "What is the zip code of Yale University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "06516" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "06516" + }, + "intent_template_id": 70 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/720.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/720.json new file mode 100644 index 00000000..564fd276 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/720.json @@ -0,0 +1,54 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 720, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "subreddit": "earthporn", + "user": "CameronKelsey" + }, + "intent": "Like all submissions created by CameronKelsey in subreddit earthporn", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/EarthPorn/98332/my-favorite-place-on-the-planet-henry-s-fork-of-the-snake", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/EarthPorn/98297/2-years-later-this-is-still-one-of-the-most-incredible", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/EarthPorn/98256/i-can-t-wait-for-all-this-green-to-start-coming-back-little", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 25 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/721.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/721.json new file mode 100644 index 00000000..71aba66d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/721.json @@ -0,0 +1,99 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 721, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "UniversityofBath", + "subreddit": "IAmA" + }, + "intent": "Like all submissions created by UniversityofBath in subreddit IAmA", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/119742/hi-i-m-vienne-a-doctoral-student-at-the-university-of-bath-i", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/119719/hello-reddit-i-m-nazia-mehrban-a-lecturer-in-biotechnology", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/119714/i-m-ellie-jarvis-she-her-a-2nd-year-phd-student-in-the", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/55155/hi-i-m-dr-lucy-maddox-from-bath-university-uk-i-m-a-clinical", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/55142/we-re-sadeka-nujhat-hannah-leese-and-sandhya-moise-from-the", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/34032/we-re-sandhya-moise-david-phillips-and-chan-lee-from-the", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/13175/hi-i-m-kit-yates-i-m-a-mathematical-biologist-at-the", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/13170/hello-i-m-dr-sara-fontani-from-the-university-of", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 25 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/722.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/722.json new file mode 100644 index 00000000..e1fc78f6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/722.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 722, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "Don_Gato1", + "subreddit": "new york" + }, + "intent": "Like all submissions created by Don_Gato1 in subreddit new york", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/nyc/44650/fox-news-hosts-cast-new-york-as-crime-ridden-and-chaotic", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 25 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/723.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/723.json new file mode 100644 index 00000000..6a579182 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/723.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 723, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "FTorrez81", + "subreddit": "iphone13" + }, + "intent": "Like all submissions created by FTorrez81 in subreddit iphone13", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "reference_answer_raw_annotation": "N/A", + "string_note": "FTorrez81 does not have any submissions in iphone13" + }, + "intent_template_id": 25, + "string_note": "FTorrez81 has no submissions in subreddit iphone13" +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/724.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/724.json new file mode 100644 index 00000000..e603e851 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/724.json @@ -0,0 +1,117 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 724, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "Hrekires", + "subreddit": "news" + }, + "intent": "Like all submissions created by Hrekires in subreddit news", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129816/gov-whitmer-signs-bills-to-repeal-right-to-work-restore", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129808/disney-world-deal-with-union-will-raise-minimum-wage-to-18", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129794/judge-halts-wyoming-abortion-ban-days-after-it-took-effect", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129783/don-t-say-gay-lawmaker-pleads-guilty-to-covid-relief-fraud", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129594/arizona-gov-katie-hobbs-refuses-to-proceed-with-execution", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129508/tennessee-governor-oks-bill-to-cut-nashville-council-in-half", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43839/philadelphia-da-larry-krasner-impeached-by-pa-house", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43781/crypto-giant-ftx-to-file-for-bankruptcy-ceo-sam-bankman", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43572/sec-doj-investigating-crypto-platform-ftx", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43558/kansas-gov-laura-kelly-wins-re-election-defeating-gop", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 25 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/725.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/725.json new file mode 100644 index 00000000..db06071c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/725.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 725, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "subreddit": "massachusetts", + "user": "RickyDontLoseThat" + }, + "intent": "DisLike all submissions created by RickyDontLoseThat in subreddit massachusetts", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/massachusetts/84954/the-last-of-lincoln", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 1510 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/726.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/726.json new file mode 100644 index 00000000..20af6146 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/726.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 726, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "subreddit": "earthporn", + "user": "jacyanthis" + }, + "intent": "DisLike all submissions created by jacyanthis in subreddit earthporn", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "jacyanthis does not have any submissions in earthporn", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 1510 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/727.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/727.json new file mode 100644 index 00000000..a7d779e1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/727.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 727, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "PatientBuilder499", + "subreddit": "videos" + }, + "intent": "DisLike all submissions created by PatientBuilder499 in subreddit videos", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/videos/115139/hundreds-of-civilian-turkish-volunteers-waiting-to-be-sent", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 1510 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/728.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/728.json new file mode 100644 index 00000000..65590a26 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/728.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 728, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "sirbarani", + "subreddit": "sports" + }, + "intent": "DisLike all submissions created by sirbarani in subreddit sports", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/sports/48303/iran-football-legend-daei-will-not-attend-world-cup-amid", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 1510 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/729.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/729.json new file mode 100644 index 00000000..f9a16910 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/729.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 729, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "AdamCannon", + "subreddit": "UpliftingNews" + }, + "intent": "DisLike all submissions created by AdamCannon in subreddit UpliftingNews", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/UpliftingNews/16087/same-sex-marriage-is-now-legal-in-all-of-mexico-s-states", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 1510 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/73.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/73.json new file mode 100644 index 00000000..a51a3a25 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/73.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "map" + ], + "task_id": 73, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the zip code of {{place}}?", + "instantiation_dict": { + "place": "Columbia University" + }, + "intent": "What is the zip code of Columbia University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "10027" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "10027" + }, + "intent_template_id": 70 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/730.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/730.json new file mode 100644 index 00000000..d0b3060f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/730.json @@ -0,0 +1,117 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 730, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "Hrekires", + "subreddit": "news" + }, + "intent": "DisLike all submissions created by Hrekires in subreddit news", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129816/gov-whitmer-signs-bills-to-repeal-right-to-work-restore", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129808/disney-world-deal-with-union-will-raise-minimum-wage-to-18", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129794/judge-halts-wyoming-abortion-ban-days-after-it-took-effect", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129783/don-t-say-gay-lawmaker-pleads-guilty-to-covid-relief-fraud", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129594/arizona-gov-katie-hobbs-refuses-to-proceed-with-execution", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129508/tennessee-governor-oks-bill-to-cut-nashville-council-in-half", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43839/philadelphia-da-larry-krasner-impeached-by-pa-house", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43781/crypto-giant-ftx-to-file-for-bankruptcy-ceo-sam-bankman", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43572/sec-doj-investigating-crypto-platform-ftx", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43558/kansas-gov-laura-kelly-wins-re-election-defeating-gop", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 1510 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/731.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/731.json new file mode 100644 index 00000000..73dd28ca --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/731.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 731, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Edit my post on {{post}} by adding a line to the body that says \"{{content}}\"", + "instantiation_dict": { + "post": "Nvidia RTX 4090", + "content": "EDIT: This news aged well" + }, + "intent": "Edit my post on Nvidia RTX 4090 by adding a line to the body that says \"EDIT: This news aged well\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/MachineLearning/1/nvidia-rtx-4090", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "EDIT: This news aged well", + "Crazy device for ML!" + ] + } + } + ] + }, + "intent_template_id": 27 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/732.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/732.json new file mode 100644 index 00000000..8e8c145b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/732.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 732, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Edit my post on {{post}} by adding a line to the body that says \"{{content}}\"", + "instantiation_dict": { + "post": "The Night Agent", + "content": "Done watching, pretty cool!" + }, + "intent": "Edit my post on The Night Agent by adding a line to the body that says \"Done watching, pretty cool!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/television/134868/the-night-agent-renewed-for-season-2-at-netflix", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "exact_match": "Done watching, pretty cool!" + } + } + ] + }, + "intent_template_id": 27 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/733.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/733.json new file mode 100644 index 00000000..3c6a46df --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/733.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 733, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Edit my post on {{post}} by adding a line to the body that says \"{{content}}\"", + "instantiation_dict": { + "post": "Star Trek Starfleet Academy series", + "content": "Every watch makes me feel like a kid again" + }, + "intent": "Edit my post on Star Trek Starfleet Academy series by adding a line to the body that says \"Every watch makes me feel like a kid again\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/television/135201/star-trek-starfleet-academy-series-from-alex-kurtzman-and", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "exact_match": "Every watch makes me feel like a kid again" + } + } + ] + }, + "intent_template_id": 27 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/734.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/734.json new file mode 100644 index 00000000..e99c9fd0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/734.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 734, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Edit my post on {{post}} by adding a line to the body that says \"{{content}}\"", + "instantiation_dict": { + "post": "Ted Lasso", + "content": "Done watching. I love the renew!" + }, + "intent": "Edit my post on Ted Lasso by adding a line to the body that says \"Done watching. I love the renew!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/television/135156/ted-lasso-season-3-premiere-scores-870k-u-s-households-up-59", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "exact_match": "Done watching. I love the renew!" + } + } + ] + }, + "intent_template_id": 27 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/735.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/735.json new file mode 100644 index 00000000..97de2cbd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/735.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "reddit" + ], + "task_id": 735, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Edit my post on {{post}} by adding a line to the body that says \"{{content}}\"", + "instantiation_dict": { + "post": "Lord of the Rings", + "content": "The cast is amazing!" + }, + "intent": "Edit my post on Lord of the Rings by adding a line to the body that says \"The cast is amazing!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/television/135152/lord-of-the-rings-the-rings-of-power-season-2-cast-adds", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "exact_match": "The cast is amazing!" + } + } + ] + }, + "intent_template_id": 27 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/736.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/736.json new file mode 100644 index 00000000..58d45d80 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/736.json @@ -0,0 +1,46 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 736, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Make the LICENSE of {{repo}} to MIT license.", + "instantiation_dict": { + "repo": "gimmiethat.space and dotfiles" + }, + "intent": "Make the LICENSE of gimmiethat.space and dotfiles to MIT license.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/blob/main/LICENSE", + "locator": "", + "required_contents": { + "must_include": [ + "MIT license", + "The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software." + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/blob/main/LICENSE", + "locator": "", + "required_contents": { + "must_include": [ + "MIT license", + "The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software." + ] + } + } + ] + }, + "intent_template_id": 355 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/737.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/737.json new file mode 100644 index 00000000..48a747c4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/737.json @@ -0,0 +1,56 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 737, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the way from {{location}} to the home stadium of {{sport_team}} {{time}}", + "instantiation_dict": { + "location": "Carnegie Mellon University", + "sport_team": "Philadelphia 76ers", + "time": "" + }, + "intent": "Show me the way from Carnegie Mellon University to the home stadium of Philadelphia 76ers ", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Wells Fargo Center", + "South Philadelphia Sports Complex" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 94 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/738.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/738.json new file mode 100644 index 00000000..4150ba4c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/738.json @@ -0,0 +1,56 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 738, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the way from {{location}} to the home stadium of {{sport_team}} {{time}}", + "instantiation_dict": { + "location": "Carnegie Mellon University", + "sport_team": "Philadelphia 76ers", + "time": "in the 70th" + }, + "intent": "Show me the way from Carnegie Mellon University to the home stadium of Philadelphia 76ers in the 70th", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "3601 South Broad Street", + "South Philadelphia" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 94 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/739.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/739.json new file mode 100644 index 00000000..5828b871 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/739.json @@ -0,0 +1,56 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 739, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the way from {{location}} to the home stadium of {{sport_team}} {{time}}", + "instantiation_dict": { + "location": "Carnegie Mellon University", + "sport_team": "Yankees", + "time": "in the 80th" + }, + "intent": "Show me the way from Carnegie Mellon University to the home stadium of Yankees in the 80th", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Yankee Stadium", + "East 161st Street" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 94 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/74.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/74.json new file mode 100644 index 00000000..3cf22af8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/74.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "map" + ], + "task_id": 74, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Given the following locations, {{place_list}}, what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "instantiation_dict": { + "place_list": [ + "Carnegie Mellon University", + "apple store shadyside", + "starbucks on craig street" + ] + }, + "intent": "Given the following locations, ['Carnegie Mellon University', 'apple store shadyside', 'starbucks on craig street'], what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "The order is Carnegie Mellon University, starbucks on forbes ave, apple store shadyside" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Carnegie Mellon University, starbucks on forbes ave, apple store shadyside" + }, + "intent_template_id": 65 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/740.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/740.json new file mode 100644 index 00000000..0900f497 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/740.json @@ -0,0 +1,58 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 740, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the way from {{location}} to the home stadium of {{sport_team}} {{time}}", + "instantiation_dict": { + "location": "Carnegie Mellon University", + "sport_team": "NYC NBA team", + "time": "" + }, + "intent": "Show me the way from Carnegie Mellon University to the home stadium of NYC NBA team ", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Madison Square Garden", + "Pennsylvania Plaza", + "Manhattan", + "New York" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 94 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/741.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/741.json new file mode 100644 index 00000000..34c2c6b2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/741.json @@ -0,0 +1,57 @@ +{ + "sites": [ + "wikipedia", + "map" + ], + "task_id": 741, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the way from {{location}} to the home stadium of {{sport_team}} {{time}}", + "instantiation_dict": { + "location": "Carnegie Mellon University", + "sport_team": "Boston home NBA team", + "time": "" + }, + "intent": "Show me the way from Carnegie Mellon University to the home stadium of Boston home NBA team ", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "TD Garden", + "Boston", + "Massachusetts" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 94 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/742.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/742.json new file mode 100644 index 00000000..769b9ab5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/742.json @@ -0,0 +1,46 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 742, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a new {{scope}} project \"planner\" and add {{account_list}} as members", + "instantiation_dict": { + "scope": "private", + "account_list": "Abishek, Vinta" + }, + "intent": "Create a new private project \"planner\" and add Abishek, Vinta as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/planner", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/planner/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@abisubramanya27", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 332 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/743.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/743.json new file mode 100644 index 00000000..dbdccf52 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/743.json @@ -0,0 +1,46 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 743, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a new {{scope}} project \"web_arena\" and add {{account_list}} as members", + "instantiation_dict": { + "scope": "public", + "account_list": "Abishek, Vinta" + }, + "intent": "Create a new public project \"web_arena\" and add Abishek, Vinta as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_arena", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "public" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_arena/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@abisubramanya27", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 332 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/744.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/744.json new file mode 100644 index 00000000..db4624da --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/744.json @@ -0,0 +1,45 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 744, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a new {{scope}} project \"AutoAGI\" and add {{account_list}} as members", + "instantiation_dict": { + "scope": "public", + "account_list": "primer" + }, + "intent": "Create a new public project \"AutoAGI\" and add primer as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/AutoAGI", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "public" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/AutoAGI/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@primer" + ] + } + } + ] + }, + "intent_template_id": 332 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/745.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/745.json new file mode 100644 index 00000000..6ed391a1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/745.json @@ -0,0 +1,47 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 745, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a new {{scope}} project \"awesome-llms\" and add {{account_list}} as members", + "instantiation_dict": { + "scope": "public", + "account_list": "primer, convexegg, abishek" + }, + "intent": "Create a new public project \"awesome-llms\" and add primer, convexegg, abishek as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome-llms", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "public" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome-llms/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@primer", + "@convexegg", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 332 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/746.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/746.json new file mode 100644 index 00000000..c90f6174 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/746.json @@ -0,0 +1,47 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 746, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a new {{scope}} project \"llm_bulk_inference\" and add {{account_list}} as members", + "instantiation_dict": { + "scope": "private", + "account_list": "primer, convexegg, abishek" + }, + "intent": "Create a new private project \"llm_bulk_inference\" and add primer, convexegg, abishek as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/llm_bulk_inference", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/llm_bulk_inference/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@primer", + "@convexegg", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 332 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/747.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/747.json new file mode 100644 index 00000000..c78adad3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/747.json @@ -0,0 +1,56 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 747, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Start a private project {{project_name}} with {{template}} template and add {{account_list}} as members", + "instantiation_dict": { + "project_name": "awesome_web_agents", + "template": "blank", + "account_list": "Abishek, Vinta" + }, + "intent": "Start a private project awesome_web_agents with blank template and add Abishek, Vinta as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome_web_agents", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome_web_agents/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initial commit" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome_web_agents/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@abisubramanya27", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 2100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/748.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/748.json new file mode 100644 index 00000000..861dfd74 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/748.json @@ -0,0 +1,57 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 748, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Start a private project {{project_name}} with {{template}} template and add {{account_list}} as members", + "instantiation_dict": { + "project_name": "web_agent_android_xl", + "template": "Android", + "account_list": "primer, convexegg, abishek" + }, + "intent": "Start a private project web_agent_android_xl with Android template and add primer, convexegg, abishek as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_android_xl", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_android_xl/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initialized from 'Android' project template" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_android_xl/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@primer", + "@convexegg", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 2100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/749.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/749.json new file mode 100644 index 00000000..6136e04c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/749.json @@ -0,0 +1,57 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 749, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Start a private project {{project_name}} with {{template}} template and add {{account_list}} as members", + "instantiation_dict": { + "project_name": "project_site", + "template": "NodeJS", + "account_list": "primer, convexegg, vinta" + }, + "intent": "Start a private project project_site with NodeJS template and add primer, convexegg, vinta as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/project_site", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/project_site/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initialized from 'NodeJS Express' project template" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/project_site/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@primer", + "@convexegg", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 2100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/75.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/75.json new file mode 100644 index 00000000..14b93f07 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/75.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "map" + ], + "task_id": 75, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Given the following locations, {{place_list}}, what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "instantiation_dict": { + "place_list": [ + "Massachusetts Institute of Technology", + "Harvard University", + "Boston Logan International Airport" + ] + }, + "intent": "Given the following locations, ['Massachusetts Institute of Technology', 'Harvard University', 'Boston Logan International Airport'], what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "The order is Massachusetts Institute of Technology, Harvard University, Boston Logan International Airport" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Massachusetts Institute of Technology, Harvard University, Boston Logan International Airport" + }, + "intent_template_id": 65 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/750.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/750.json new file mode 100644 index 00000000..ee85e796 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/750.json @@ -0,0 +1,55 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 750, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Start a private project {{project_name}} with {{template}} template and add {{account_list}} as members", + "instantiation_dict": { + "project_name": "agi_index", + "template": "HTML", + "account_list": "Vinta Chen" + }, + "intent": "Start a private project agi_index with HTML template and add Vinta Chen as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/agi_index", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/agi_index", + "locator": "document.querySelector('.home-panel-description-markdown').outerText", + "required_contents": { + "must_include": [ + "Example plain HTML site using GitLab Pages: https://pages.gitlab.io/plain-html |OR| A plain HTML site that uses Netlify for CI/CD instead of GitLab, but still with all the other great GitLab features." + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/agi_index/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "Vinta Chen" + ] + } + } + ] + }, + "intent_template_id": 2100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/751.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/751.json new file mode 100644 index 00000000..b2d0e980 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/751.json @@ -0,0 +1,56 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 751, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Start a private project {{project_name}} with {{template}} template and add {{account_list}} as members", + "instantiation_dict": { + "project_name": "AGISite", + "template": "JEKYLL", + "account_list": "Rohan and Vinta" + }, + "intent": "Start a private project AGISite with JEKYLL template and add Rohan and Vinta as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/AGISite", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/AGISite", + "locator": "document.querySelector('.home-panel-description-markdown').outerText", + "required_contents": { + "must_include": [ + "Example Jekyll site using GitLab Pages: https://pages.gitlab.io/jekyll |OR| A Jekyll site that uses Netlify for CI/CD instead of GitLab, but still with all the other great GitLab features." + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/AGISite/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@Seirdy", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 2100 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/752.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/752.json new file mode 100644 index 00000000..a0ada59e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/752.json @@ -0,0 +1,45 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 752, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a private {{template}} repository called \"{{project_name}}\" using the right template to speed up development.", + "instantiation_dict": { + "project_name": "web_agent", + "template": "blank" + }, + "intent": "Create a private blank repository called \"web_agent\" using the right template to speed up development.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initial commit" + ] + } + } + ] + }, + "intent_template_id": 332 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/753.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/753.json new file mode 100644 index 00000000..443ceaf4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/753.json @@ -0,0 +1,45 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 753, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a private {{template}} repository called \"{{project_name}}\" using the right template to speed up development.", + "instantiation_dict": { + "project_name": "web_agent_android_xs", + "template": "Android" + }, + "intent": "Create a private Android repository called \"web_agent_android_xs\" using the right template to speed up development.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_android_xs", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_android_xs/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initialized from 'Android' project template" + ] + } + } + ] + }, + "intent_template_id": 332 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/754.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/754.json new file mode 100644 index 00000000..17b53d3d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/754.json @@ -0,0 +1,45 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 754, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a private {{template}} repository called \"{{project_name}}\" using the right template to speed up development.", + "instantiation_dict": { + "project_name": "web_agent_nodejs", + "template": "NodeJS" + }, + "intent": "Create a private NodeJS repository called \"web_agent_nodejs\" using the right template to speed up development.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_nodejs", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_nodejs/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initialized from 'NodeJS Express' project template" + ] + } + } + ] + }, + "intent_template_id": 332 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/755.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/755.json new file mode 100644 index 00000000..1a975500 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/755.json @@ -0,0 +1,45 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 755, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a private {{template}} repository called \"{{project_name}}\" using the right template to speed up development.", + "instantiation_dict": { + "project_name": "web_agent_index", + "template": "HTML" + }, + "intent": "Create a private HTML repository called \"web_agent_index\" using the right template to speed up development.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_index", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_index", + "locator": "document.querySelector('.home-panel-description-markdown').outerText", + "required_contents": { + "must_include": [ + "Example plain HTML site using GitLab Pages: https://pages.gitlab.io/plain-html |OR| A plain HTML site that uses Netlify for CI/CD instead of GitLab, but still with all the other great GitLab features." + ] + } + } + ] + }, + "intent_template_id": 332 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/756.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/756.json new file mode 100644 index 00000000..da92cea2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/756.json @@ -0,0 +1,45 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 756, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a private {{template}} repository called \"{{project_name}}\" using the right template to speed up development.", + "instantiation_dict": { + "project_name": "11711_gitlab", + "template": "JEKYLL" + }, + "intent": "Create a private JEKYLL repository called \"11711_gitlab\" using the right template to speed up development.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/11711_gitlab", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/11711_gitlab", + "locator": "document.querySelector('.home-panel-description-markdown').outerText", + "required_contents": { + "must_include": [ + "Example Jekyll site using GitLab Pages: https://pages.gitlab.io/jekyll |OR| A Jekyll site that uses Netlify for CI/CD instead of GitLab, but still with all the other great GitLab features." + ] + } + } + ] + }, + "intent_template_id": 332 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/757.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/757.json new file mode 100644 index 00000000..0cf7afef --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/757.json @@ -0,0 +1,52 @@ +{ + "sites": [ + "map" + ], + "task_id": 757, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the path and travel time from {{city1}} to {{city2}}.", + "instantiation_dict": { + "city1": "home of the 1980 Super Bowl champions", + "city2": "home of the 1991 Super Bowl champions" + }, + "intent": "Show me the path and travel time from home of the 1980 Super Bowl champions to home of the 1991 Super Bowl champions.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "New York" + ] + } + } + ] + }, + "intent_template_id": 42 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/758.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/758.json new file mode 100644 index 00000000..9d7af2a6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/758.json @@ -0,0 +1,53 @@ +{ + "sites": [ + "map" + ], + "task_id": 758, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the path and travel time from {{city1}} to {{city2}}.", + "instantiation_dict": { + "city1": "the big apple", + "city2": "biggest city in Maine" + }, + "intent": "Show me the path and travel time from the big apple to biggest city in Maine.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "New York" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Portland", + "Maine" + ] + } + } + ] + }, + "intent_template_id": 42 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/759.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/759.json new file mode 100644 index 00000000..cc0ebe67 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/759.json @@ -0,0 +1,53 @@ +{ + "sites": [ + "map", + "shopping_admin" + ], + "task_id": 759, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the route and driving time from {{city1}} to {{city2}}", + "instantiation_dict": { + "city1": "the city where my E-commerce customer Sophia Young lives", + "city2": "New York City" + }, + "intent": "Show me the route and driving time from the city where my E-commerce customer Sophia Young lives to New York City", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Boston" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "New York" + ] + } + } + ] + }, + "intent_template_id": 42 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/76.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/76.json new file mode 100644 index 00000000..440f75d9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/76.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "map" + ], + "task_id": 76, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Given the following locations, {{place_list}}, what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "instantiation_dict": { + "place_list": [ + "Princeton University", + "Yale University", + "Harvard University" + ] + }, + "intent": "Given the following locations, ['Princeton University', 'Yale University', 'Harvard University'], what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "The order is Princeton University, Yale University, Harvard University" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Princeton University, Yale University, Harvard University" + }, + "intent_template_id": 65 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/760.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/760.json new file mode 100644 index 00000000..535c12af --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/760.json @@ -0,0 +1,54 @@ +{ + "sites": [ + "map", + "shopping_admin" + ], + "task_id": 760, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the route and driving time from {{city1}} to {{city2}}", + "instantiation_dict": { + "city1": "Allentown, PA", + "city2": "the city where my E-commerce customer Amanda Kim lives" + }, + "intent": "Show me the route and driving time from Allentown, PA to the city where my E-commerce customer Amanda Kim lives", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Allentown" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Hoboken", + "New Jersey" + ] + } + } + ] + }, + "intent_template_id": 42 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/761.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/761.json new file mode 100644 index 00000000..678bd01a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/761.json @@ -0,0 +1,56 @@ +{ + "sites": [ + "map" + ], + "task_id": 761, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Get directions from {{location/address_1}} to {{location/address_2}} using {{transportation}} options.", + "instantiation_dict": { + "location/address_1": "Carnegie Science Museum", + "location/address_2": "Hunt library CMU", + "transportation": "walk" + }, + "intent": "Get directions from Carnegie Science Museum to Hunt library CMU using walk options.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Science Center", + "Allegheny County", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Hunt Library", + "Pittsburgh" + ] + } + } + ] + }, + "intent_template_id": 54 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/762.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/762.json new file mode 100644 index 00000000..c22b7982 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/762.json @@ -0,0 +1,57 @@ +{ + "sites": [ + "map" + ], + "task_id": 762, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Get directions from {{location/address_1}} to {{location/address_2}} using {{transportation}} options.", + "instantiation_dict": { + "location/address_1": "Carnegie Music Hall in NYC", + "location/address_2": "Carnegie Mellon University", + "transportation": "driving" + }, + "intent": "Get directions from Carnegie Music Hall in NYC to Carnegie Mellon University using driving options.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Hall", + "West 57th Street", + "Manhattan", + "New York" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + } + ] + }, + "intent_template_id": 54 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/763.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/763.json new file mode 100644 index 00000000..b07b5369 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/763.json @@ -0,0 +1,52 @@ +{ + "sites": [ + "map" + ], + "task_id": 763, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the walkway to the closest {{store}} from {{location}}.", + "instantiation_dict": { + "store": "Trader Joe's", + "location": "401 Shady Ave, Pittsburgh" + }, + "intent": "Find the walkway to the closest Trader Joe's from 401 Shady Ave, Pittsburgh.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "401, Shady Avenue, Shadyside" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Trader Joe's, 6343, Penn Avenue, East Liberty" + ] + } + } + ] + }, + "intent_template_id": 75 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/764.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/764.json new file mode 100644 index 00000000..08615a20 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/764.json @@ -0,0 +1,52 @@ +{ + "sites": [ + "map" + ], + "task_id": 764, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the walkway to the closest {{store}} from {{location}}.", + "instantiation_dict": { + "store": "Target", + "location": "401 Shady Ave, Pittsburgh" + }, + "intent": "Find the walkway to the closest Target from 401 Shady Ave, Pittsburgh.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "401, Shady Avenue, Shadyside" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Target, 6231, Penn Avenue, East Liberty" + ] + } + } + ] + }, + "intent_template_id": 75 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/765.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/765.json new file mode 100644 index 00000000..94a32e0c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/765.json @@ -0,0 +1,52 @@ +{ + "sites": [ + "map" + ], + "task_id": 765, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the walkway to the closest {{store}} from {{location}}.", + "instantiation_dict": { + "store": "Japanese food market", + "location": "401 Shady Ave, Pittsburgh" + }, + "intent": "Find the walkway to the closest Japanese food market from 401 Shady Ave, Pittsburgh.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "401, Shady Avenue, Shadyside" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Tokyo Japanese Food Store, 5855, Ellsworth Avenue, Shadyside" + ] + } + } + ] + }, + "intent_template_id": 75 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/766.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/766.json new file mode 100644 index 00000000..d1017e73 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/766.json @@ -0,0 +1,52 @@ +{ + "sites": [ + "map" + ], + "task_id": 766, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the walkway to the closest {{store}} from {{location}}.", + "instantiation_dict": { + "store": "grocessory owned by Amazon", + "location": "401 Shady Ave, Pittsburgh" + }, + "intent": "Find the walkway to the closest grocessory owned by Amazon from 401 Shady Ave, Pittsburgh.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "401, Shady Avenue, Shadyside" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Whole Foods Market, 5700, Penn Avenue, East Liberty" + ] + } + } + ] + }, + "intent_template_id": 75 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/767.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/767.json new file mode 100644 index 00000000..734c3d68 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/767.json @@ -0,0 +1,52 @@ +{ + "sites": [ + "map" + ], + "task_id": 767, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the walkway to the closest {{store}} from {{location}}.", + "instantiation_dict": { + "store": "chain grocessory owned by a local business", + "location": "401 Shady Ave, Pittsburgh" + }, + "intent": "Find the walkway to the closest chain grocessory owned by a local business from 401 Shady Ave, Pittsburgh.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "401, Shady Avenue, Shadyside" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Giant Eagle, 5550, Centre Avenue, Shadyside" + ] + } + } + ] + }, + "intent_template_id": 75 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/768.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/768.json new file mode 100644 index 00000000..7c00f7c4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/768.json @@ -0,0 +1,41 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 768, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "{{quantity}} {{product}} arrived, update the stock", + "instantiation_dict": { + "quantity": "5", + "product": "blue Cronus yoga pants with size 33" + }, + "intent": "5 blue Cronus yoga pants with size 33 arrived, update the stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/872/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "5" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/872/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 241 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/769.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/769.json new file mode 100644 index 00000000..4bc9b6cb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/769.json @@ -0,0 +1,62 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 769, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "We've received {{quantity}} {{product}}, please update the inventory.", + "instantiation_dict": { + "quantity": "378", + "product": "brown Aero daily fitness tee in every size" + }, + "intent": "We've received 378 brown Aero daily fitness tee in every size, please update the inventory.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/544/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "478" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/547/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "478" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/550/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "478" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/553/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "478" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/556/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "478" + } + } + ] + }, + "intent_template_id": 241 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/77.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/77.json new file mode 100644 index 00000000..672d6f1f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/77.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 77, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What is the total count of {{status}} reviews amongst all the reviews?", + "instantiation_dict": { + "status": "Pending" + }, + "intent": "What is the total count of Pending reviews amongst all the reviews?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "5" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "5" + }, + "intent_template_id": 277 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/770.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/770.json new file mode 100644 index 00000000..8631b442 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/770.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 770, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "We've received {{quantity}}, update the inventory.", + "instantiation_dict": { + "quantity": "12 white Cora parachute pant of size 28 and 56 blue of size 29" + }, + "intent": "We've received 12 white Cora parachute pant of size 28 and 56 blue of size 29, update the inventory.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1836/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "112" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1838/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "156" + } + } + ] + }, + "intent_template_id": 241 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/771.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/771.json new file mode 100644 index 00000000..c11babc2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/771.json @@ -0,0 +1,45 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 771, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Approve the positive reviews to display in our store.", + "instantiation_dict": {}, + "intent": "Approve the positive reviews to display in our store.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/352", + "locator": "document.querySelector('[name=\"status_id\"').value", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/349", + "locator": "document.querySelector('[name=\"status_id\"').value", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/347", + "locator": "document.querySelector('[name=\"status_id\"').value", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 243 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/772.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/772.json new file mode 100644 index 00000000..aa492f98 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/772.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 772, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "pending negative reviews for Circe fleece" + }, + "intent": "Delete all pending negative reviews for Circe fleece", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/999", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + } + ] + }, + "intent_template_id": 246 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/773.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/773.json new file mode 100644 index 00000000..aaefbddf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/773.json @@ -0,0 +1,44 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 773, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "pending negative reviews" + }, + "intent": "Delete all pending negative reviews", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/351", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/353", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + } + ] + }, + "intent_template_id": 246 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/774.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/774.json new file mode 100644 index 00000000..7c143970 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/774.json @@ -0,0 +1,53 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 774, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "pending reviews with less than 4 stars" + }, + "intent": "Delete all pending reviews with less than 4 stars", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/351", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/353", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/349", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + } + ] + }, + "intent_template_id": 246 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/775.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/775.json new file mode 100644 index 00000000..d1a01b1d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/775.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 775, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "reviews from the scammer Arden" + }, + "intent": "Delete all reviews from the scammer Arden", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/51", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + } + ] + }, + "intent_template_id": 246 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/776.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/776.json new file mode 100644 index 00000000..b495e95f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/776.json @@ -0,0 +1,44 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 776, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "reviews from the scammer Carlo" + }, + "intent": "Delete all reviews from the scammer Carlo", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/93", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/109", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + } + ] + }, + "intent_template_id": 246 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/777.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/777.json new file mode 100644 index 00000000..7ab48a96 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/777.json @@ -0,0 +1,63 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 777, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "$5", + "action": "Reduce", + "config": "green Hollister backyard sweater in all size" + }, + "intent": "Reduce the price of green Hollister backyard sweater in all size by $5", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/120/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "47.00" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/117/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "47.00" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/114/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "47.00" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/111/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "47.00" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/123/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "47.00" + } + } + ] + }, + "intent_template_id": 742 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/778.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/778.json new file mode 100644 index 00000000..47f2e21a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/778.json @@ -0,0 +1,49 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 778, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "13.5%", + "action": "Reduce", + "config": "size 28 Sahara leggings" + }, + "intent": "Reduce the price of size 28 Sahara leggings by 13.5%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1841/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "64.88" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1842/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "64.88" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1843/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "64.88" + } + } + ] + }, + "intent_template_id": 742 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/779.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/779.json new file mode 100644 index 00000000..0e6062e4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/779.json @@ -0,0 +1,49 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 779, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "15%", + "action": "Reduce", + "config": "yellow shirts from Gwyn Endurance in all size below L" + }, + "intent": "Reduce the price of yellow shirts from Gwyn Endurance in all size below L by 15%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1559/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "20.40" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1562/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "20.40" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1565/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "20.40" + } + } + ] + }, + "intent_template_id": 742 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/78.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/78.json new file mode 100644 index 00000000..beb9b039 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/78.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 78, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What is the total count of {{status}} reviews amongst all the reviews?", + "instantiation_dict": { + "status": "Approved" + }, + "intent": "What is the total count of Approved reviews amongst all the reviews?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "346" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "346" + }, + "intent_template_id": 277 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/780.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/780.json new file mode 100644 index 00000000..089de005 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/780.json @@ -0,0 +1,42 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 780, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1481/", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "$17", + "action": "Increase", + "config": "white Ingrid Running with size L and above" + }, + "intent": "Increase the price of white Ingrid Running with size L and above by $17", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1264/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "64.00" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1267/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "64.00" + } + } + ] + }, + "intent_template_id": 742 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/781.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/781.json new file mode 100644 index 00000000..8730a78a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/781.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 781, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "37%", + "action": "Increase", + "config": "black fitness tshirts from Desiree with size XS" + }, + "intent": "Increase the price of black fitness tshirts from Desiree with size XS by 37%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1573/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "32.88" + } + } + ] + }, + "intent_template_id": 742 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/782.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/782.json new file mode 100644 index 00000000..78ad720a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/782.json @@ -0,0 +1,56 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 782, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "23%", + "action": "Increase", + "config": "all blue running tshirts in extra small and small sizes" + }, + "intent": "Increase the price of all blue running tshirts in extra small and small sizes by 23%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/496/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "22.33" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/499/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "22.33" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/479/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "21.56" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/482/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "21.56" + } + } + ] + }, + "intent_template_id": 742 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/783.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/783.json new file mode 100644 index 00000000..243a89a9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/783.json @@ -0,0 +1,34 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 783, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Add the following users to repo {{repo}} as {{role}}: {{user_list}}", + "instantiation_dict": { + "repo": "kkroening/ffmpeg-python", + "role": "maintainer", + "user_list": [ + "yjlou", + "a11yproject" + ] + }, + "intent": "Add the following users to repo kkroening/ffmpeg-python as maintainer: ['yjlou', 'a11yproject']", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "not the owner of the repo so cannot add maintainer", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 351 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/784.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/784.json new file mode 100644 index 00000000..2b8cfb91 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/784.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 784, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/CellularPrivacy/Android-IMSI-Catcher-Detector", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the contributor who has the most commits to branch {{branch_name}}", + "instantiation_dict": { + "branch_name": "main", + "attribute": "email address" + }, + "intent": "Tell me the email address of the contributor who has the most commits to branch main", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "secupwn@users.noreply.github.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "secupwn@users.noreply.github.com" + }, + "intent_template_id": 316 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/785.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/785.json new file mode 100644 index 00000000..534e7622 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/785.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 785, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/CellularPrivacy/Android-IMSI-Catcher-Detector", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the contributor who has the most commits to branch {{branch_name}}", + "instantiation_dict": { + "branch_name": "gh-page", + "attribute": "email address" + }, + "intent": "Tell me the email address of the contributor who has the most commits to branch gh-page", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "secupwn@users.noreply.github.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "secupwn@users.noreply.github.com" + }, + "intent_template_id": 316 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/786.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/786.json new file mode 100644 index 00000000..7ab00ce8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/786.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 786, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/vinta/awesome-python", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the contributor who has the most commits to branch {{branch_name}}", + "instantiation_dict": { + "branch_name": "main", + "attribute": "number of commits" + }, + "intent": "Tell me the number of commits of the contributor who has the most commits to branch main", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "412" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "412" + }, + "intent_template_id": 316 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/787.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/787.json new file mode 100644 index 00000000..a2b97acf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/787.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 787, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dehenne/awesome-visibility/-/graphs/master", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the contributor who has the most commits to branch {{branch_name}}", + "instantiation_dict": { + "branch_name": "main", + "attribute": "number of followers" + }, + "intent": "Tell me the number of followers of the contributor who has the most commits to branch main", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 316 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/788.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/788.json new file mode 100644 index 00000000..c3a633f8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/788.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 788, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/amwhalen/archive-my-tweets/-/tree/github/fork/chtitux/addRssFeed", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the contributor who has the most commits to branch {{branch_name}}", + "instantiation_dict": { + "branch_name": "php52", + "attribute": "full name, gitlab account name, location and email address" + }, + "intent": "Tell me the full name, gitlab account name, location and email address of the contributor who has the most commits to branch php52", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Andrew M. Whalen", + "amwhalen", + "Massachusetts", + "github@amwhalen.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Andrew M. Whalen, amwhalen, Massachusetts, github@amwhalen.com" + }, + "intent_template_id": 316 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/789.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/789.json new file mode 100644 index 00000000..6ebdc234 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/789.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 789, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create an issue {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "huggingface dataset", + "issue": "asking about do they have any plan on supporting Webagent in the next quater" + }, + "intent": "Create an issue asking about do they have any plan on supporting Webagent in the next quater in huggingface dataset.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "huggingface repo does not exist", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 328 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/79.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/79.json new file mode 100644 index 00000000..deffb76b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/79.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 79, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What is the total count of {{status}} reviews amongst all the reviews?", + "instantiation_dict": { + "status": "Not Approved" + }, + "intent": "What is the total count of Not Approved reviews amongst all the reviews?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 277 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/790.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/790.json new file mode 100644 index 00000000..1c4f2d45 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/790.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 790, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "negative reviews for Sybil running short" + }, + "intent": "Delete all negative reviews for Sybil running short", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "No negative reviews for sybil running short", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 246 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/791.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/791.json new file mode 100644 index 00000000..148f8bfb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/791.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 791, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Make a folder named {{directory}} on the {{gitlab_repo}} repo and include a file called urls.txt that consists of the links to the 5 most recent posts from {{subreddit}}.", + "instantiation_dict": { + "directory": "car", + "subreddit": "cars", + "gitlab_repo": "gimmiethat.space" + }, + "intent": "Make a folder named car on the gimmiethat.space repo and include a file called urls.txt that consists of the links to the 5 most recent posts from cars.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "the subreddit does not exist", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 84 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/792.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/792.json new file mode 100644 index 00000000..8bdd0c1e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/792.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 792, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Buy the highest rated product from the {{product_category}} category within a budget {{dollar_value}}.", + "instantiation_dict": { + "product_category": "Beauty & Personal Care", + "dollar_value": "under 20" + }, + "intent": "Buy the highest rated product from the Beauty & Personal Care category within a budget under 20.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The website does not support sorting by rating and there are too many products in this category", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 172 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/793.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/793.json new file mode 100644 index 00000000..56740846 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/793.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 793, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Buy the highest rated product from the {{product_category}} category within a budget {{dollar_value}}.", + "instantiation_dict": { + "product_category": "Men clothing", + "dollar_value": "above 50 but under 129.99" + }, + "intent": "Buy the highest rated product from the Men clothing category within a budget above 50 but under 129.99.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The website does not support sorting by rating and there are too many products in this category", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 172 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/794.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/794.json new file mode 100644 index 00000000..c6eff572 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/794.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 794, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Change the delivery address for my most recent order to {{address}}.", + "instantiation_dict": { + "address": "4000 Forbes Ave, Pittsburgh, PA" + }, + "intent": "Change the delivery address for my most recent order to 4000 Forbes Ave, Pittsburgh, PA.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The shipping address cannot be changed after an order is placed in the website.", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 191 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/795.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/795.json new file mode 100644 index 00000000..d8e2bf16 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/795.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 795, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Change the delivery address for my most recent order to {{address}}.", + "instantiation_dict": { + "address": "6726 McPherson Blvd, Pittsburgh, PA" + }, + "intent": "Change the delivery address for my most recent order to 6726 McPherson Blvd, Pittsburgh, PA.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The shipping address cannot be changed after an order is placed in the website.", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 191 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/796.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/796.json new file mode 100644 index 00000000..9b42331b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/796.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 796, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Change the delivery address for my most recent order to {{address}}.", + "instantiation_dict": { + "address": "155 5th Street, San Francisco, CA" + }, + "intent": "Change the delivery address for my most recent order to 155 5th Street, San Francisco, CA.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The shipping address cannot be changed after an order is placed in the website.", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 191 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/797.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/797.json new file mode 100644 index 00000000..22979dbd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/797.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 797, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Change the delivery address for my most recent order to {{address}}.", + "instantiation_dict": { + "address": "3 Oxford St, Cambridge, MA" + }, + "intent": "Change the delivery address for my most recent order to 3 Oxford St, Cambridge, MA.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The shipping address cannot be changed after an order is placed in the website.", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 191 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/798.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/798.json new file mode 100644 index 00000000..7e9a9b1d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/798.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 798, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Change the delivery address for my most recent order to {{address}}.", + "instantiation_dict": { + "address": "77 Massachusetts Ave, Cambridge, MA" + }, + "intent": "Change the delivery address for my most recent order to 77 Massachusetts Ave, Cambridge, MA.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The shipping address cannot be changed after an order is placed in the website.", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 191 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/799.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/799.json new file mode 100644 index 00000000..818b231d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/799.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 799, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a new group \"{{name}}\" with members {{members}}", + "instantiation_dict": { + "name": "n-lab", + "members": "patou, egpast, westurner, jontutcher" + }, + "intent": "create a new group \"n-lab\" with members patou, egpast, westurner, jontutcher", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/groups/n-lab/-/group_members", + "locator": "", + "required_contents": { + "must_include": [ + "@patou", + "@egpast", + "@westurner", + "@jontutcher" + ] + } + } + ] + }, + "intent_template_id": 600 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/8.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/8.json new file mode 100644 index 00000000..24187674 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/8.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 8, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the full address of all {{airport_type}} that are within a driving distance of {{radius}} to {{start}}", + "instantiation_dict": { + "airport_type": "international airports", + "start": "Carnegie Mellon University", + "radius": "5 km" + }, + "intent": "Tell me the full address of all international airports that are within a driving distance of 5 km to Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "There is no airport within 5 km of Carnegie Mellon University" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "There is no airport within 5 km of Carnegie Mellon University" + }, + "intent_template_id": 79 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/80.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/80.json new file mode 100644 index 00000000..9d155cb3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/80.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 80, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the duration required to first walk from {{place_A}} to {{place_B}}, and then drive to {{place_C}}?", + "instantiation_dict": { + "place_A": "Carnegie Mellon University", + "place_B": "Starbucks on Craig Street", + "place_C": "Pittsburgh International Airport" + }, + "intent": "What is the duration required to first walk from Carnegie Mellon University to Starbucks on Craig Street, and then drive to Pittsburgh International Airport?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "38 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "38 min" + }, + "intent_template_id": 72 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/800.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/800.json new file mode 100644 index 00000000..0c1de49f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/800.json @@ -0,0 +1,40 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 800, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a new group \"{{name}}\" with members {{members}}", + "instantiation_dict": { + "name": "x-lab", + "members": "JonasVautherin, dilipchandima, dawiss1337, bmyun, DCMJY" + }, + "intent": "create a new group \"x-lab\" with members JonasVautherin, dilipchandima, dawiss1337, bmyun, DCMJY", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/groups/x-lab/-/group_members", + "locator": "", + "required_contents": { + "must_include": [ + "@JonasVautherin", + "@dilipchandima", + "@dawiss1337", + "@bmyun", + "@DCMJY" + ] + } + } + ] + }, + "intent_template_id": 600 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/801.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/801.json new file mode 100644 index 00000000..625d45b9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/801.json @@ -0,0 +1,39 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 801, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a new group \"{{name}}\" with members {{members}}", + "instantiation_dict": { + "name": "crew", + "members": "ASWATFZLLC, patrickhlauke, westurner, linkmatrix" + }, + "intent": "create a new group \"crew\" with members ASWATFZLLC, patrickhlauke, westurner, linkmatrix", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/groups/crew/-/group_members", + "locator": "", + "required_contents": { + "must_include": [ + "@ASWATFZLLC", + "@patrickhlauke", + "@westurner", + "@linkmatrix" + ] + } + } + ] + }, + "intent_template_id": 600 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/802.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/802.json new file mode 100644 index 00000000..e6fecdf9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/802.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 802, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a new group \"{{name}}\" with members {{members}}", + "instantiation_dict": { + "name": "coding_friends", + "members": "qhduan, Agnes-U" + }, + "intent": "create a new group \"coding_friends\" with members qhduan, Agnes-U", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/groups/coding_friends/-/group_members", + "locator": "", + "required_contents": { + "must_include": [ + "@qhduan", + "@Agnes-U" + ] + } + } + ] + }, + "intent_template_id": 600 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/803.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/803.json new file mode 100644 index 00000000..360bf164 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/803.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 803, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a new group \"{{name}}\" with members {{members}}", + "instantiation_dict": { + "name": "webagent", + "members": "pandey2000, sayakpaul, sayakpaul" + }, + "intent": "create a new group \"webagent\" with members pandey2000, sayakpaul, sayakpaul", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/groups/webagent/-/group_members", + "locator": "", + "required_contents": { + "must_include": [ + "@pandey2000", + "@sayakpaul" + ] + } + } + ] + }, + "intent_template_id": 600 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/804.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/804.json new file mode 100644 index 00000000..2f7bac84 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/804.json @@ -0,0 +1,47 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 804, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Assign the issue regarding {{issue}} to {{account}}.", + "instantiation_dict": { + "issue": "flash alerts", + "account": "myself and primer" + }, + "intent": "Assign the issue regarding flash alerts to myself and primer.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/issues?scope=all&state=opened&assignee_username=byteblaze", + "locator": "", + "required_contents": { + "must_include": [ + "Add documentation on using Flash alerts in dialog components", + "Clarify usage of flash alert" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/issues?scope=all&state=opened&assignee_username=primer", + "locator": "", + "required_contents": { + "must_include": [ + "Add documentation on using Flash alerts in dialog components", + "Clarify usage of flash alert" + ] + } + } + ] + }, + "intent_template_id": 999 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/805.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/805.json new file mode 100644 index 00000000..752be953 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/805.json @@ -0,0 +1,54 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 805, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "Submit a merge request for {{source_branch}} to be merged into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "the branch that implements the support of template strings", + "target_branch": "master", + "reviewer": "myself and Roshan" + }, + "intent": "Submit a merge request for the branch that implements the support of template strings to be merged into master branch, assign myself and Roshan as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "feature/replace-gulp" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "main" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Byte Blaze", + "Roshan Jossy" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/806.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/806.json new file mode 100644 index 00000000..606cb4a6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/806.json @@ -0,0 +1,53 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 806, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Submit a merge request for {{source_branch}} branch to be merged into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "a11yproject.com/redesign", + "target_branch": "markdown-figure-block", + "reviewer": "myself" + }, + "intent": "Submit a merge request for a11yproject.com/redesign branch to be merged into markdown-figure-block branch, assign myself as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "redesign" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "feature/markdown-figure-block" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Byte Blaze" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/807.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/807.json new file mode 100644 index 00000000..561d8af6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/807.json @@ -0,0 +1,53 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 807, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "Submit a merge request for {{source_branch}} branch to be merged into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "build time debug", + "target_branch": "main", + "reviewer": "myself" + }, + "intent": "Submit a merge request for build time debug branch to be merged into main branch, assign myself as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "main" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "debug-build-time" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Byte Blaze" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/808.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/808.json new file mode 100644 index 00000000..2166861d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/808.json @@ -0,0 +1,56 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 808, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create an issue in {{repo}} repo with title \"{{issue}}\". Assign the issue to {{account}}. Set due date to be {{due}}", + "instantiation_dict": { + "repo": "cloud-to-butt", + "issue": "Let's keep the project alive", + "account": "myself", + "due": "the end of Q1 2033" + }, + "intent": "Create an issue in cloud-to-butt repo with title \"Let's keep the project alive\". Assign the issue to myself. Set due date to be the end of Q1 2033", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/cloud-to-butt/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[data-qa-selector=\"title_content\"]').outerText", + "required_contents": { + "exact_match": "Let's keep the project alive" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-testid=\"sidebar-due-date\"').outerText", + "required_contents": { + "must_include": [ + "Mar 31, 2033" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.assignee').outerText", + "required_contents": { + "must_include": [ + "Byte Blaze" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 327 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/809.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/809.json new file mode 100644 index 00000000..3c64f9df --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/809.json @@ -0,0 +1,56 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 809, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create an issue in {{repo}} repo with title \"{{issue}}\". Assign the issue to {{account}}. Set due date to be {{due}}", + "instantiation_dict": { + "repo": "a11yproject", + "issue": "404 for many URLs", + "account": "myself", + "due": "2030-1-3" + }, + "intent": "Create an issue in a11yproject repo with title \"404 for many URLs\". Assign the issue to myself. Set due date to be 2030-1-3", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[data-qa-selector=\"title_content\"]').outerText", + "required_contents": { + "exact_match": "404 for many URLs" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-testid=\"sidebar-due-date\"').outerText", + "required_contents": { + "must_include": [ + "Jan 3, 2030" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.assignee').outerText", + "required_contents": { + "must_include": [ + "Byte Blaze" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 327 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/81.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/81.json new file mode 100644 index 00000000..94926d65 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/81.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 81, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the duration required to first walk from {{place_A}} to {{place_B}}, and then drive to {{place_C}}?", + "instantiation_dict": { + "place_A": "Univ of Pittsburgh", + "place_B": "starbucks on Craig Street", + "place_C": "Pittsburgh International Airport" + }, + "intent": "What is the duration required to first walk from Univ of Pittsburgh to starbucks on Craig Street, and then drive to Pittsburgh International Airport?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "49 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "49 min" + }, + "intent_template_id": 72 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/810.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/810.json new file mode 100644 index 00000000..ce76b295 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/810.json @@ -0,0 +1,38 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 810, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Assign the issue regarding {{issue}} in {{repo}} repo to {{account}}.", + "instantiation_dict": { + "repo": "primer design guide", + "issue": "flash alert", + "account": "myself" + }, + "intent": "Assign the issue regarding flash alert in primer design guide repo to myself.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/issues?scope=all&state=opened&assignee_username=byteblaze", + "locator": "", + "required_contents": { + "must_include": [ + "Add documentation on using Flash alerts in dialog components", + "Clarify usage of flash alert" + ] + } + } + ] + }, + "intent_template_id": 999 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/811.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/811.json new file mode 100644 index 00000000..41d6d80b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/811.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "gitlab" + ], + "task_id": 811, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Assign the issue regarding {{issue}} in {{repo}} to {{account}}.", + "instantiation_dict": { + "repo": "a11yproject", + "issue": 404, + "account": "myself" + }, + "intent": "Assign the issue regarding 404 in a11yproject to myself.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/issues?scope=all&state=opened&assignee_username=byteblaze", + "locator": "", + "required_contents": { + "must_include": [ + "404s, bad host, timeouts, bad urls for URLs linked from website" + ] + } + } + ] + }, + "intent_template_id": 999 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/82.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/82.json new file mode 100644 index 00000000..f5abfb6a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/82.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 82, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the duration required to first walk from {{place_A}} to {{place_B}}, and then drive to {{place_C}}?", + "instantiation_dict": { + "place_A": "Massachusetts Institute of Technology", + "place_B": "Harvard University", + "place_C": "Boston Logan International Airport" + }, + "intent": "What is the duration required to first walk from Massachusetts Institute of Technology to Harvard University, and then drive to Boston Logan International Airport?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "63 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "63 min" + }, + "intent_template_id": 72 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/83.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/83.json new file mode 100644 index 00000000..c05f62e5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/83.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 83, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the duration required to first walk from {{place_A}} to {{place_B}}, and then drive to {{place_C}}?", + "instantiation_dict": { + "place_A": "Carnegie Mellon University", + "place_B": "apple store shadyside", + "place_C": "starbucks on craig street" + }, + "intent": "What is the duration required to first walk from Carnegie Mellon University to apple store shadyside, and then drive to starbucks on craig street?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "22 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "22 min" + }, + "intent_template_id": 72 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/84.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/84.json new file mode 100644 index 00000000..62b1bd10 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/84.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 84, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "From my stay at {{hotel}}, what's the estimated driving time to reach {{place}}?", + "instantiation_dict": { + "hotel": "DoubleTree by Hilton New York Downtown", + "place": "Keens Steakhouse" + }, + "intent": "From my stay at DoubleTree by Hilton New York Downtown, what's the estimated driving time to reach Keens Steakhouse?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "14 minutes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "14 minutes" + }, + "intent_template_id": 64 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/85.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/85.json new file mode 100644 index 00000000..edde2a7c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/85.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 85, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "From my stay at {{hotel}}, what's the estimated driving time to reach {{place}}?", + "instantiation_dict": { + "hotel": "La Quinta Inn near the airport", + "place": "Carnegie Mellon University" + }, + "intent": "From my stay at La Quinta Inn near the airport, what's the estimated driving time to reach Carnegie Mellon University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "30 minutes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "30 minutes" + }, + "intent_template_id": 64 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/86.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/86.json new file mode 100644 index 00000000..4bb93bc4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/86.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 86, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "From my stay at {{hotel}}, what's the estimated driving time to reach {{place}}?", + "instantiation_dict": { + "hotel": "La Quinta Inn near the airport", + "place": "Upitt" + }, + "intent": "From my stay at La Quinta Inn near the airport, what's the estimated driving time to reach Upitt?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "29 minutes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "29 minutes" + }, + "intent_template_id": 64 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/87.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/87.json new file mode 100644 index 00000000..2fc25750 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/87.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 87, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "From my stay at {{hotel}}, what's the estimated driving time to reach {{place}}?", + "instantiation_dict": { + "hotel": "red roof inn", + "place": "Pittsburgh science museum" + }, + "intent": "From my stay at red roof inn, what's the estimated driving time to reach Pittsburgh science museum?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "20 minutes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "20 minutes" + }, + "intent_template_id": 64 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/88.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/88.json new file mode 100644 index 00000000..f31e3ef9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/88.json @@ -0,0 +1,32 @@ +{ + "sites": [ + "map" + ], + "task_id": 88, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "From my stay at {{hotel}}, what's the estimated driving time to reach {{place}}?", + "instantiation_dict": { + "hotel": "Homewood Suites Southpointe", + "place": "PPG Paints Arena" + }, + "intent": "From my stay at Homewood Suites Southpointe, what's the estimated driving time to reach PPG Paints Arena?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "34 minutes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "34 minutes" + }, + "intent_template_id": 64 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/89.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/89.json new file mode 100644 index 00000000..4646ab54 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/89.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 89, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Which US states border {{state}}?", + "instantiation_dict": { + "state": "Connecticut" + }, + "intent": "Which US states border Connecticut?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Rhode Island", + "Massachusetts", + "New York" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Rhode Island, Massachusetts, New York" + }, + "intent_template_id": 67 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/9.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/9.json new file mode 100644 index 00000000..6145ce4f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/9.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 9, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the full address of all {{airport_type}} that are within a driving distance of {{radius}} to {{start}}", + "instantiation_dict": { + "airport_type": "international airports", + "start": "Carnegie Art Museum", + "radius": "30 km" + }, + "intent": "Tell me the full address of all international airports that are within a driving distance of 30 km to Carnegie Art Museum", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Pittsburgh International Airport, Southern Beltway, Findlay Township, Allegheny County, 15231, United States" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Pittsburgh International Airport People Movers, Airport Boulevard, Findlay Township, Allegheny County, Pennsylvania, 15231, United States" + }, + "intent_template_id": 79 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/90.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/90.json new file mode 100644 index 00000000..132de882 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/90.json @@ -0,0 +1,36 @@ +{ + "sites": [ + "map" + ], + "task_id": 90, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Which US states border {{state}}?", + "instantiation_dict": { + "state": "Pennsylvania" + }, + "intent": "Which US states border Pennsylvania?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Ohio", + "Maryland", + "New York", + "New Jersey", + "Delaware", + "West Virginia" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Ohio, Maryland, New York, New Jersey, Delaware, West Virginia" + }, + "intent_template_id": 67 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/91.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/91.json new file mode 100644 index 00000000..9a033f10 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/91.json @@ -0,0 +1,35 @@ +{ + "sites": [ + "map" + ], + "task_id": 91, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Which US states border {{state}}?", + "instantiation_dict": { + "state": "Massachusetts" + }, + "intent": "Which US states border Massachusetts?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Rhode Island", + "Connecticut", + "New York", + "New Hampshire", + "Vermont" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Rhode Island, Connecticut, New York, New Hampshire, Vermont" + }, + "intent_template_id": 67 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/92.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/92.json new file mode 100644 index 00000000..6c3dd6fb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/92.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 92, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Which US states border {{state}}?", + "instantiation_dict": { + "state": "Vermont" + }, + "intent": "Which US states border Vermont?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "New York", + "New Hampshire", + "Massachusetts" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "New York, New Hampshire, Massachusetts" + }, + "intent_template_id": 67 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/93.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/93.json new file mode 100644 index 00000000..fd7e2279 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/93.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "map" + ], + "task_id": 93, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Which US states border {{state}}?", + "instantiation_dict": { + "state": "New Hampshire" + }, + "intent": "Which US states border New Hampshire?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Massachusetts", + "Vermont", + "Maine" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Massachusetts, Vermont, Maine" + }, + "intent_template_id": 67 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/94.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/94.json new file mode 100644 index 00000000..aa80a952 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/94.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 94, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Telll me the grand total of invoice {{id}}.", + "instantiation_dict": { + "id": "000000001" + }, + "intent": "Telll me the grand total of invoice 000000001.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "36.39" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$36.39" + }, + "intent_template_id": 274 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/95.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/95.json new file mode 100644 index 00000000..17f6b36e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/95.json @@ -0,0 +1,31 @@ +{ + "sites": [ + "shopping_admin" + ], + "task_id": 95, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Telll me the grand total of invoice {{id}}.", + "instantiation_dict": { + "id": "000000002" + }, + "intent": "Telll me the grand total of invoice 000000002.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "39.64" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$39.64" + }, + "intent_template_id": 274 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/96.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/96.json new file mode 100644 index 00000000..128a7c6a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/96.json @@ -0,0 +1,29 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 96, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me the status of my latest order and when will it arrive", + "instantiation_dict": {}, + "intent": "Tell me the status of my latest order and when will it arrive", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "The last order was canceled. It will never arrive." + ] + }, + "reference_url": "", + "program_html": [], + "reference_answer_raw_annotation": "The last order was canceled. It will never arrive.", + "string_note": "" + }, + "intent_template_id": 193 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/97.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/97.json new file mode 100644 index 00000000..bb438b41 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/97.json @@ -0,0 +1,30 @@ +{ + "sites": [ + "map", + "wikipedia" + ], + "task_id": 97, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the distance to drive from Carnegie Mellon University to the top computer science school in massachusetts", + "instantiation_dict": {}, + "intent": "Tell me the distance to drive from Carnegie Mellon University to the top computer science school in massachusetts", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "914km" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "914 km" + }, + "intent_template_id": 120 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/98.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/98.json new file mode 100644 index 00000000..3e4f4e50 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/98.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "map" + ], + "task_id": 98, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Where is the nearest {{places}} to {{start}}, and what is the walking distance to it?", + "instantiation_dict": { + "places": "tea cafe", + "start": "University of Pittsburgh" + }, + "intent": "Where is the nearest tea cafe to University of Pittsburgh, and what is the walking distance to it?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Fuku Tea", + "3716", + "Forbes Avenue", + "Central Oakland", + "Pittsburgh", + "653m" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Fuku Tea, 3716, Forbes Avenue, Oakland, Central Oakland, Pittsburgh, Allegheny County, Pennsylvania, 15213, United States\n653m" + }, + "intent_template_id": 66 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/99.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/99.json new file mode 100644 index 00000000..d5428eaf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/99.json @@ -0,0 +1,37 @@ +{ + "sites": [ + "map" + ], + "task_id": 99, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Where is the nearest {{places}} to {{start}}, and what is the walking distance to it?", + "instantiation_dict": { + "places": "Five Guys", + "start": "5700 Penn Ave" + }, + "intent": "Where is the nearest Five Guys to 5700 Penn Ave, and what is the walking distance to it?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Five Guys", + "117", + "South Bouquet Street", + "North Oakland", + "Pittsburgh", + "4.0km" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Five Guys, 117, South Bouquet Street, Oakland, North Oakland, Pittsburgh, Allegheny County, Pennsylvania, 15213, United States\n4.0km" + }, + "intent_template_id": 66 +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/examples/1.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/examples/1.json new file mode 100644 index 00000000..b4dd6fec --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/examples/1.json @@ -0,0 +1,31 @@ +{ + "sites": ["reddit"], + "task_id": 1, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://metis.lti.cs.cmu.edu:9999/", + "geolocation": null, + "intent_template": "tell me all subreddits starting with character '{{character}}'", + "instantiation_dict": {"character": "a"}, + "intent": "tell me all subreddits starting with character 'a'", + "require_reset": false, + "eval": { + "eval_types": ["string_match"], + "reference_answers": ["announcements Art AskReddit askscience aww"], + "reference_url": "", + "program_html": [ + { + "url": "", + "required_contents": [] + } + ] + }, + "reference_action_sequence": { + "action_set_tag": "playwright", + "action_sequence": [ + "page.get_by_role(\"link\", name=\"Forums\").click()", + "page.get_by_role(\"link\", name=\"Alphabetical\").click()", + "page.stop(\"announcements Art AskReddit askscience aww\")" + ] + } +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/examples/2.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/examples/2.json new file mode 100644 index 00000000..0c7eff26 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/examples/2.json @@ -0,0 +1,30 @@ +{ + "sites": ["misc"], + "task_id": 2, + "require_login": false, + "storage_state": null, + "start_url": "https://russmaxdesign.github.io/exercise", + "geolocation": null, + "intent_template": "", + "instantiation_dict": {}, + "intent": "Check out the classification section", + "require_reset": false, + "eval": { + "eval_types": ["url_match"], + "reference_answers": null, + "reference_url": "https://russmaxdesign.github.io/exercise/#link-two", + "program_html": [ + { + "url": "", + "required_contents": [] + } + ] + }, + "reference_action_sequence": { + "action_set_tag": "playwright", + "action_sequence": [ + "page.get_by_role(\"navigation\").get_by_role(\"link\", name=\"Classification\").click()", + "page.stop(\"Wilson and Reade\")" + ] + } +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/examples/3.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/examples/3.json new file mode 100644 index 00000000..e6dcda2f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/examples/3.json @@ -0,0 +1,31 @@ +{ + "sites": ["misc"], + "task_id": 3, + "require_login": false, + "storage_state": null, + "start_url": "https://russmaxdesign.github.io/exercise", + "geolocation": null, + "intent_template": "", + "instantiation_dict": {}, + "intent": "Tell me who provide a collection of concise, detailed information for mammal classification in 2005", + "require_reset": false, + "eval": { + "eval_types": ["string_match"], + "reference_answers": ["Wilson and Reader"], + "reference_url": "", + "program_html": [ + { + "url": "", + "required_contents": [] + } + ] + }, + "reference_action_sequence": { + "action_set_tag": "id_accessibility_tree", + "action_sequence": [ + "type [13] [xyz@gmail.com] [0]", + "click [65]", + "stop [Wilson and Reader]" + ] + } +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/examples/4.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/examples/4.json new file mode 100644 index 00000000..bc9bc7c8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/examples/4.json @@ -0,0 +1,31 @@ +{ + "sites": ["reddit"], + "task_id": 4, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://metis.lti.cs.cmu.edu:9999/", + "geolocation": null, + "intent_template": "list all subreddits in alphabetical order", + "instantiation_dict": {}, + "intent": "list all subreddits in alphabetical order", + "require_reset": false, + "eval": { + "eval_types": ["url_match"], + "reference_answers": null, + "reference_url": "http://metis.lti.cs.cmu.edu:9999/forums/all", + "program_html": [ + { + "url": "", + "required_contents": [] + } + ] + }, + "reference_action_sequence": { + "action_set_tag": "playwright", + "action_sequence": [ + "page.get_by_role(\"link\", name=\"Forums\").click()", + "page.get_by_role(\"link\", name=\"Alphabetical\").click()", + "page.stop()" + ] + } +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/test.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/test.json new file mode 100644 index 00000000..2d0ebc8f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/test.json @@ -0,0 +1,29604 @@ +[ + { + "sites": [ + "shopping_admin" + ], + "task_id": 0, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What is the top-{{n}} best-selling product in {{year}}", + "instantiation_dict": { + "n": 1, + "year": 2022 + }, + "intent": "What is the top-1 best-selling product in 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Quest Lumaflex\u2122 Band" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Quest Lumaflex\u2122 Band" + }, + "intent_template_id": 279 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 1, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What is the top-{{n}} best-selling brand in {{period}}", + "instantiation_dict": { + "n": 1, + "period": "Quarter 1 2022" + }, + "intent": "What is the top-1 best-selling brand in Quarter 1 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Sprite" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Sprite" + }, + "intent_template_id": 279 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 2, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What is the top-{{n}} best-selling product type in {{period}}", + "instantiation_dict": { + "n": 1, + "period": "Quarter 1 2022" + }, + "intent": "What is the top-1 best-selling product type in Quarter 1 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Yoga ball" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yoga ball" + }, + "intent_template_id": 279 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 3, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the top-{{n}} best-selling product in {{year}}", + "instantiation_dict": { + "n": 2, + "year": 2022 + }, + "intent": "What are the top-2 best-selling product in 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Quest Lumaflex\u2122 Band", + "Sprite Stasis Ball 65 cm" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Quest Lumaflex\u2122 Band, Sprite Stasis Ball 65 cm" + }, + "intent_template_id": 279 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 4, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the top-{{n}} best-selling product in {{period}}", + "instantiation_dict": { + "n": 3, + "period": "Jan 2023" + }, + "intent": "What are the top-3 best-selling product in Jan 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Impulse Duffle", + "Overnight Duffle", + "Hawkeye Yoga Short-32-Blue" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Impulse Duffle, Overnight Duffle, Hawkeye Yoga Short-32-Blue" + }, + "intent_template_id": 279 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 5, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What is the top-{{n}} best-selling product type in {{period}}", + "instantiation_dict": { + "n": 1, + "period": "Jan 2023" + }, + "intent": "What is the top-1 best-selling product type in Jan 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Duffle" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Duffle" + }, + "intent_template_id": 279 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 6, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the top-{{n}} best-selling product in {{year}}", + "instantiation_dict": { + "n": 5, + "year": 2023 + }, + "intent": "What are the top-5 best-selling product in 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Sprite Yoga Strap 6 foot", + "Overnight Duffle", + "Ida Workout Parachute Pant-29-Purple", + "Hawkeye Yoga Short-32-Blue", + "Sprite Stasis Ball 65 cm" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Sprite Yoga Strap 6 foot, Overnight Duffle, Ida Workout Parachute Pant-29-Purple, Hawkeye Yoga Short-32-Blue, Sprite Stasis Ball 65 cm" + }, + "intent_template_id": 279 + }, + { + "sites": [ + "map" + ], + "task_id": 7, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the full address of all {{airport_type}} that are within a driving distance of {{radius}} to {{start}}", + "instantiation_dict": { + "airport_type": "international airports", + "start": "Carnegie Mellon University", + "radius": "50 km" + }, + "intent": "Tell me the full address of all international airports that are within a driving distance of 50 km to Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Pittsburgh International Airport, Southern Beltway, Findlay Township, Allegheny County, 15231, United States" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Pittsburgh International Airport People Movers, Airport Boulevard, Findlay Township, Allegheny County, Pennsylvania, 15231, United States" + }, + "intent_template_id": 79 + }, + { + "sites": [ + "map" + ], + "task_id": 8, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the full address of all {{airport_type}} that are within a driving distance of {{radius}} to {{start}}", + "instantiation_dict": { + "airport_type": "international airports", + "start": "Carnegie Mellon University", + "radius": "5 km" + }, + "intent": "Tell me the full address of all international airports that are within a driving distance of 5 km to Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "There is no airport within 5 km of Carnegie Mellon University" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "There is no airport within 5 km of Carnegie Mellon University" + }, + "intent_template_id": 79 + }, + { + "sites": [ + "map" + ], + "task_id": 9, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the full address of all {{airport_type}} that are within a driving distance of {{radius}} to {{start}}", + "instantiation_dict": { + "airport_type": "international airports", + "start": "Carnegie Art Museum", + "radius": "30 km" + }, + "intent": "Tell me the full address of all international airports that are within a driving distance of 30 km to Carnegie Art Museum", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Pittsburgh International Airport, Southern Beltway, Findlay Township, Allegheny County, 15231, United States" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Pittsburgh International Airport People Movers, Airport Boulevard, Findlay Township, Allegheny County, Pennsylvania, 15231, United States" + }, + "intent_template_id": 79 + }, + { + "sites": [ + "map" + ], + "task_id": 10, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the full address of all {{airport_type}} that are within a driving distance of {{radius}} to {{start}}", + "instantiation_dict": { + "airport_type": "US international airports", + "start": "Niagara Falls", + "radius": "60 km" + }, + "intent": "Tell me the full address of all US international airports that are within a driving distance of 60 km to Niagara Falls", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Niagara Falls International Airport, 2035, Niagara Falls Boulevard, City of Niagara Falls, Town of Wheatfield, Niagara County, New York, 14304, United States", + "Buffalo-Niagara International Airport, Holtz Drive, Town of Cheektowaga, Erie County, New York, 14225, United States" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Niagara Falls International Airport, 2035, Niagara Falls Boulevard, City of Niagara Falls, Town of Wheatfield, Niagara County, New York, 14304, United States Buffalo-Niagara International Airport, South Youngs Road, Town of Cheektowaga, Erie County, New York, 14221, United States" + }, + "intent_template_id": 79 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 11, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the the number of reviews that our store received by far that mention term \"{{term}}\"", + "instantiation_dict": { + "term": "disappointed" + }, + "intent": "Tell me the the number of reviews that our store received by far that mention term \"disappointed\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "6" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "6" + }, + "intent_template_id": 288 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 12, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the the number of reviews that our store received by far that mention term \"{{term}}\"", + "instantiation_dict": { + "term": "satisfied" + }, + "intent": "Tell me the the number of reviews that our store received by far that mention term \"satisfied\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2" + }, + "intent_template_id": 288 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 13, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the the number of reviews that our store received by far that mention term \"{{term}}\"", + "instantiation_dict": { + "term": "decent" + }, + "intent": "Tell me the the number of reviews that our store received by far that mention term \"decent\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2" + }, + "intent_template_id": 288 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 14, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the the number of reviews that our store received by far that mention term \"{{term}}\"", + "instantiation_dict": { + "term": "not useful" + }, + "intent": "Tell me the the number of reviews that our store received by far that mention term \"not useful\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 288 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 15, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the the number of reviews that our store received by far that mention term \"{{term}}\"", + "instantiation_dict": { + "term": "best" + }, + "intent": "Tell me the the number of reviews that our store received by far that mention term \"best\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2" + }, + "intent_template_id": 288 + }, + { + "sites": [ + "map" + ], + "task_id": 16, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Compare the time for walking and driving route from {{start}} to {{end}}", + "instantiation_dict": { + "start": "5000 Fifth Avenue, Pittsburgh", + "end": "UPMC family health center" + }, + "intent": "Compare the time for walking and driving route from 5000 Fifth Avenue, Pittsburgh to UPMC family health center", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "driving: 2min", + "walking: 16min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Driving: 2min. Walking: 16min." + }, + "intent_template_id": 73 + }, + { + "sites": [ + "map" + ], + "task_id": 17, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Compare the time for walking and driving route from {{start}} to {{end}}", + "instantiation_dict": { + "start": "AMC Waterfront", + "end": "Carnegie Mellon University" + }, + "intent": "Compare the time for walking and driving route from AMC Waterfront to Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "driving: 13min", + "walking: 1h 35min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "driving: 13min, walking: 1h 35min." + }, + "intent_template_id": 73 + }, + { + "sites": [ + "map" + ], + "task_id": 18, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Compare the time for walking and driving route from {{start}} to {{end}}", + "instantiation_dict": { + "start": "AMC Waterfront", + "end": "Univ of Pittsburgh" + }, + "intent": "Compare the time for walking and driving route from AMC Waterfront to Univ of Pittsburgh", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "driving: 15min", + "walking: 1h 47min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "driving: 15min, walking: 1h 47min." + }, + "intent_template_id": 73 + }, + { + "sites": [ + "map" + ], + "task_id": 19, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Compare the time for walking and driving route from {{start}} to {{end}}", + "instantiation_dict": { + "start": "Carnegie Science Center", + "end": "Carnegie Mellon University" + }, + "intent": "Compare the time for walking and driving route from Carnegie Science Center to Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "driving: 12min", + "walking: 1h 44min." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "driving: 12min, walking: 1h 44min." + }, + "intent_template_id": 73 + }, + { + "sites": [ + "map" + ], + "task_id": 20, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Compare the difference in time for walking and driving route from {{start}} to {{end}}", + "instantiation_dict": { + "start": "Randyland", + "end": "Carnegie Mellon University" + }, + "intent": "Compare the difference in time for walking and driving route from Randyland to Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "driving: 13min", + "walking: 1h 45min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "driving: 13min, walking: 1h 45min." + }, + "intent_template_id": 73 + }, + { + "sites": [ + "shopping" + ], + "task_id": 21, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/6s-wireless-headphones-over-ear-noise-canceling-hi-fi-bass-foldable-stereo-wireless-kid-headsets-earbuds-with-built-in-mic-micro-sd-tf-fm-for-iphone-samsung-ipad-pc-black-gold.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "ear cups being small" + }, + "intent": "List out reviewers, if exist, who mention about ear cups being small", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Joseph Brzezinski", + "Catso", + "Dibbins", + "Anglebert Dinkherhump", + "Michelle Davis" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Joseph Brzezinski, Catso, Dibbins, Anglebert Dinkherhump, Michelle Davis" + }, + "intent_template_id": 222 + }, + { + "sites": [ + "shopping" + ], + "task_id": 22, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/fujifilm-finepix-z200fd-10mp-digital-camera-with-5x-optical-dual-image-stabilized-zoom-black.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "under water photo" + }, + "intent": "List out reviewers, if exist, who mention about under water photo", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no review about under water photo", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 222 + }, + { + "sites": [ + "shopping" + ], + "task_id": 23, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/3-pack-samsung-galaxy-s6-screen-protector-nearpow-tempered-glass-screen-protector-with-9h-hardness-crystal-clear-easy-bubble-free-installation-scratch-resist.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "good fingerprint resistant" + }, + "intent": "List out reviewers, if exist, who mention about good fingerprint resistant", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Rachel", + "T. Gannon" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Rachel, T. Gannon, " + }, + "intent_template_id": 222 + }, + { + "sites": [ + "shopping" + ], + "task_id": 24, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/haflinger-men-s-wool-felt-open-back-slippers-beige-550-peat-us-7.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "price being unfair" + }, + "intent": "List out reviewers, if exist, who mention about price being unfair", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no reivew about price being unfair", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 222 + }, + { + "sites": [ + "shopping" + ], + "task_id": 25, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/epson-workforce-wf-3620-wifi-direct-all-in-one-color-inkjet-printer-copier-scanner-amazon-dash-replenishment-ready.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "average print quality" + }, + "intent": "List out reviewers, if exist, who mention about average print quality", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Goldfish", + "Roxanne Brandon Coffey" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "GoldfishGoldfish, Roxanne Brandon Coffey" + }, + "intent_template_id": 222 + }, + { + "sites": [ + "shopping" + ], + "task_id": 26, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/epson-workforce-wf-3620-wifi-direct-all-in-one-color-inkjet-printer-copier-scanner-amazon-dash-replenishment-ready.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "complain of the customer service" + }, + "intent": "List out reviewers, if exist, who mention about complain of the customer service", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Bob in Vegas", + "RemyR" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Bob in Vegas, RemyRRemyR" + }, + "intent_template_id": 222 + }, + { + "sites": [ + "reddit" + ], + "task_id": 27, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the {{forum}} forum.", + "instantiation_dict": { + "forum": "Showerthoughts" + }, + "intent": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the Showerthoughts forum.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 33 + }, + { + "sites": [ + "reddit" + ], + "task_id": 28, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the {{forum}} forum.", + "instantiation_dict": { + "forum": "Worcester" + }, + "intent": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the Worcester forum.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 33 + }, + { + "sites": [ + "reddit" + ], + "task_id": 29, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the {{forum}} forum.", + "instantiation_dict": { + "forum": "DIY" + }, + "intent": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the DIY forum.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 33 + }, + { + "sites": [ + "reddit" + ], + "task_id": 30, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the {{forum}} forum.", + "instantiation_dict": { + "forum": "space" + }, + "intent": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the space forum.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 33 + }, + { + "sites": [ + "reddit" + ], + "task_id": 31, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the {{forum}} forum.", + "instantiation_dict": { + "forum": "photoshopbattles" + }, + "intent": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the photoshopbattles forum.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 33 + }, + { + "sites": [ + "map" + ], + "task_id": 32, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I will arrive {{place}} soon. Provide the name of a {{target1}} in the vicinity, if available. Then, tell me the {{information}} to {{target2}} from the hotel.", + "instantiation_dict": { + "place": "Pittsburgh Airport", + "information": "the walking distance", + "target1": "Hilton hotel", + "target2": "the nearest supermarket own by a local company" + }, + "intent": "I will arrive Pittsburgh Airport soon. Provide the name of a Hilton hotel in the vicinity, if available. Then, tell me the the walking distance to the nearest supermarket own by a local company from the hotel.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "DoubleTree by Hilton Hotel Pittsburgh Airport", + "2.0km" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "DoubleTree by Hilton Hotel Pittsburgh Airport Distance: 2.0km" + }, + "intent_template_id": 78 + }, + { + "sites": [ + "map" + ], + "task_id": 33, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I will arrive {{place}} soon. Provide the name of a {{target1}} in the vicinity, if available. Then, tell me the {{information}} to {{target2}} from the hotel.", + "instantiation_dict": { + "place": "Pittsburgh Airport", + "target1": "Hilton hotel", + "information": "the shortest walking distance", + "target2": "a supermarket" + }, + "intent": "I will arrive Pittsburgh Airport soon. Provide the name of a Hilton hotel in the vicinity, if available. Then, tell me the the shortest walking distance to a supermarket from the hotel.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "DoubleTree by Hilton Hotel Pittsburgh Airport", + "1.4km" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "DoubleTree by Hilton Hotel Pittsburgh Airport Distance: 1.4km" + }, + "intent_template_id": 78 + }, + { + "sites": [ + "map" + ], + "task_id": 34, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I will arrive {{place}} soon. Provide the name of a {{target1}} in the vicinity, if available. Then, tell me the {{information}} to {{target2}} from the hotel.", + "instantiation_dict": { + "place": "Pittsburgh Airport", + "target1": "Hyatt hotel", + "information": "the shortest walking time", + "target2": "a supermarket" + }, + "intent": "I will arrive Pittsburgh Airport soon. Provide the name of a Hyatt hotel in the vicinity, if available. Then, tell me the the shortest walking time to a supermarket from the hotel.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Hyatt Regency Pittsburgh International Airport" + ], + "fuzzy_match": [ + "Time: 3h 30min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Hyatt Regency Pittsburgh International Airport\n3:30" + }, + "intent_template_id": 78 + }, + { + "sites": [ + "map" + ], + "task_id": 35, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I will arrive {{place}} soon. Provide the name of a {{target1}} in the vicinity, if available. Then, tell me the {{information}} to {{target2}} from the hotel.", + "instantiation_dict": { + "place": "Pittsburgh Airport", + "target1": "Hyatt hotel", + "information": "the minimal driving time", + "target2": "a supermarket" + }, + "intent": "I will arrive Pittsburgh Airport soon. Provide the name of a Hyatt hotel in the vicinity, if available. Then, tell me the the minimal driving time to a supermarket from the hotel.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Hyatt Regency Pittsburgh International Airport" + ], + "fuzzy_match": [ + "Time: 15min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Hyatt Regency Pittsburgh International Airport Time: 15min" + }, + "intent_template_id": 78 + }, + { + "sites": [ + "map" + ], + "task_id": 36, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Check if the {{place}} in pittsburgh can be reached in one hour by car from {{location}}", + "instantiation_dict": { + "place": "social security administration", + "location": "Carnegie Mellon University" + }, + "intent": "Check if the social security administration in pittsburgh can be reached in one hour by car from Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": ["Yes"] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yes" + }, + "intent_template_id": 77 + }, + { + "sites": [ + "map" + ], + "task_id": 37, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Check if the {{place}} in pittsburgh can be reached in one hour by car from {{location}}", + "instantiation_dict": { + "place": "police station", + "location": "gates building at CMU" + }, + "intent": "Check if the police station in pittsburgh can be reached in one hour by car from gates building at CMU", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": ["Yes"] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yes" + }, + "intent_template_id": 77 + }, + { + "sites": [ + "map" + ], + "task_id": 38, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Check if the {{place}} in pittsburgh can be reached in one hour by car from {{location}}", + "instantiation_dict": { + "place": "duquesne university", + "location": "pittsburgh airport" + }, + "intent": "Check if the duquesne university in pittsburgh can be reached in one hour by car from pittsburgh airport", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": ["Yes"] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yes" + }, + "intent_template_id": 77 + }, + { + "sites": [ + "map" + ], + "task_id": 39, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Check if the {{place}} in pittsburgh can be reached in one hour by car from {{location}}", + "instantiation_dict": { + "place": "walmart", + "location": "5600 fifth avenue" + }, + "intent": "Check if the walmart in pittsburgh can be reached in one hour by car from 5600 fifth avenue", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": ["Yes"] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yes" + }, + "intent_template_id": 77 + }, + { + "sites": [ + "map" + ], + "task_id": 40, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Check if the {{place}} in pittsburgh can be reached in one hour by car from {{location}}", + "instantiation_dict": { + "place": "amc theatre", + "location": "hobart street" + }, + "intent": "Check if the amc theatre in pittsburgh can be reached in one hour by car from hobart street", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": ["Yes"] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yes" + }, + "intent_template_id": 77 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 41, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "List the top {{n}} search terms in my store", + "instantiation_dict": { + "n": "1" + }, + "intent": "List the top 1 search terms in my store", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "hollister" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "hollister" + }, + "intent_template_id": 285 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 42, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "List the top {{n}} search terms in my store", + "instantiation_dict": { + "n": "2" + }, + "intent": "List the top 2 search terms in my store", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "hollister", + "Joust Bag" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "hollister, Joust Bag" + }, + "intent_template_id": 285 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 43, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "List the top {{n}} search terms in my store", + "instantiation_dict": { + "n": "3" + }, + "intent": "List the top 3 search terms in my store", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "hollister", + "Joust Bag", + "Antonia Racer Tank" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "hollister, Joust Bag, Antonia Race Tank" + }, + "intent_template_id": 285 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 44, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Check out my todos", + "instantiation_dict": {}, + "intent": "Check out my todos", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/todos", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 303 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 45, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "Check out the most recent open issues", + "instantiation_dict": {}, + "intent": "Check out the most recent open issues", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues/?sort=created_asc&state=opened", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 300 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 46, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "Check out the most recent open issues", + "instantiation_dict": {}, + "intent": "Check out the most recent open issues", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/issues/?sort=created_date&state=opened", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 300 + }, + { + "sites": [ + "shopping" + ], + "task_id": 47, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Today is 6/12/2023. Tell me how many fulfilled orders I have {{period}}, and the total amount of money I spent.", + "instantiation_dict": { + "period": "over the past month" + }, + "intent": "Today is 6/12/2023. Tell me how many fulfilled orders I have over the past month, and the total amount of money I spent.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "0 order", + "$0 total spend" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0 order, $0 total spend" + }, + "intent_template_id": 197 + }, + { + "sites": [ + "shopping" + ], + "task_id": 48, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Today is 6/12/2023. Tell me how many fulfilled orders I have {{period}}, and the total amount of money I spent.", + "instantiation_dict": { + "period": "over the past three days" + }, + "intent": "Today is 6/12/2023. Tell me how many fulfilled orders I have over the past three days, and the total amount of money I spent.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "0 order", + "$0 total spend" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0 order, $0 total spend" + }, + "intent_template_id": 197 + }, + { + "sites": [ + "shopping" + ], + "task_id": 49, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Today is 6/12/2023. Tell me how many fulfilled orders I have {{period}}, and the total amount of money I spent.", + "instantiation_dict": { + "period": "over the past four month" + }, + "intent": "Today is 6/12/2023. Tell me how many fulfilled orders I have over the past four month, and the total amount of money I spent.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "3 orders", + "$845.49 total spend" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3 orders, $845.49 total spend" + }, + "intent_template_id": 197 + }, + { + "sites": [ + "shopping" + ], + "task_id": 50, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Today is 6/12/2023. Tell me how many fulfilled orders I have {{period}}, and the total amount of money I spent.", + "instantiation_dict": { + "period": "over the past year" + }, + "intent": "Today is 6/12/2023. Tell me how many fulfilled orders I have over the past year, and the total amount of money I spent.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "24 orders", + "$6560.69 total spend" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "24 orders, $6560.69 total spend" + }, + "intent_template_id": 197 + }, + { + "sites": [ + "shopping" + ], + "task_id": 51, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Today is 6/12/2023. Tell me how many fulfilled orders I have {{period}}, and the total amount of money I spent.", + "instantiation_dict": { + "period": "over the past six month" + }, + "intent": "Today is 6/12/2023. Tell me how many fulfilled orders I have over the past six month, and the total amount of money I spent.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "12 orders", + "$1603.69 total spend" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "12 orders, $1603.69 total spend" + }, + "intent_template_id": 197 + }, + { + "sites": [ + "map" + ], + "task_id": 52, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "How long does it take to walk from {{start}} to {{end}}?", + "instantiation_dict": { + "start": "Carnegie Mellon University", + "end": "starbucks on Craig Street" + }, + "intent": "How long does it take to walk from Carnegie Mellon University to starbucks on Craig Street?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "7 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "7 min" + }, + "intent_template_id": 68 + }, + { + "sites": [ + "map" + ], + "task_id": 53, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "How long does it take to walk from {{start}} to {{end}}?", + "instantiation_dict": { + "start": "Univ of Pittsburgh", + "end": "starbucks on Craig Street" + }, + "intent": "How long does it take to walk from Univ of Pittsburgh to starbucks on Craig Street?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "18 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "18 min" + }, + "intent_template_id": 68 + }, + { + "sites": [ + "map" + ], + "task_id": 54, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "How long does it take to walk from {{start}} to {{end}}?", + "instantiation_dict": { + "start": "Carnegie Mellon University", + "end": "Univ of Pittsburgh" + }, + "intent": "How long does it take to walk from Carnegie Mellon University to Univ of Pittsburgh?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "25 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "25 min" + }, + "intent_template_id": 68 + }, + { + "sites": [ + "map" + ], + "task_id": 55, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "How long does it take to walk from {{start}} to {{end}}?", + "instantiation_dict": { + "start": "the starbuck near CMU", + "end": "Chatham university" + }, + "intent": "How long does it take to walk from the starbuck near CMU to Chatham university?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "30 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "30 min" + }, + "intent_template_id": 68 + }, + { + "sites": [ + "map" + ], + "task_id": 56, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "How long does it take to walk from {{start}} to {{end}}?", + "instantiation_dict": { + "start": "Carnegie Museum of Art", + "end": "a library at CMU" + }, + "intent": "How long does it take to walk from Carnegie Museum of Art to a library at CMU?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "11 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "11 min" + }, + "intent_template_id": 68 + }, + { + "sites": [ + "map" + ], + "task_id": 57, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the closest {{place1}}(s) to {{place2}}", + "instantiation_dict": { + "place1": "restaurant", + "place2": "university center at Carnegie Mellon University" + }, + "intent": "Tell me the closest restaurant(s) to university center at Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "El Gallo de Oro", + "Back Bar Grill", + "Grano", + "Beefsteak", + "Nourish", + "Schatz Dining Room", + "Au Bon Pain" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "El Gallo de Oro, Back Bar Grill, Grano, Beefsteak, Nourish, Schatz Dining Room, Au Bon Pain" + }, + "intent_template_id": 69 + }, + { + "sites": [ + "map" + ], + "task_id": 58, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the closest {{place1}}(s) to {{place2}}", + "instantiation_dict": { + "place1": "cafe", + "place2": "CMU Hunt library" + }, + "intent": "Tell me the closest cafe(s) to CMU Hunt library", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "De Fer Coffee & Tea" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "De Fer Coffee & Tea" + }, + "intent_template_id": 69 + }, + { + "sites": [ + "map" + ], + "task_id": 59, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the closest {{place1}}(s) to {{place2}}", + "instantiation_dict": { + "place1": "restaurant", + "place2": "CMU Hunt library" + }, + "intent": "Tell me the closest restaurant(s) to CMU Hunt library", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "The exchange" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "The exchange" + }, + "intent_template_id": 69 + }, + { + "sites": [ + "map" + ], + "task_id": 60, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the closest {{place1}}(s) to {{place2}}", + "instantiation_dict": { + "place1": "restaurant", + "place2": "CMU Posner Hall" + }, + "intent": "Tell me the closest restaurant(s) to CMU Posner Hall", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "The exchange" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "The exchange" + }, + "intent_template_id": 69 + }, + { + "sites": [ + "map" + ], + "task_id": 61, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the closest {{place1}}(s) to {{place2}}", + "instantiation_dict": { + "place1": "restaurant", + "place2": "CMU Sorrells Library" + }, + "intent": "Tell me the closest restaurant(s) to CMU Sorrells Library", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "La Prima Espresso" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "La Prima Espresso" + }, + "intent_template_id": 69 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 62, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Which customer has completed the {{quantifier}} number of orders in the entire history?", + "instantiation_dict": { + "quantifier": "most" + }, + "intent": "Which customer has completed the most number of orders in the entire history?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Jane Smith" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Jane Smith" + }, + "intent_template_id": 276 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 63, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Which customer(s) has completed the {{quantifier}} number of orders in the entire history?", + "instantiation_dict": { + "quantifier": "second most" + }, + "intent": "Which customer(s) has completed the second most number of orders in the entire history?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Adam Garcia", + "Michael Nguyen", + "Sarah Miller" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Adam Garcia, Michael Nguyen, Sarah Miller" + }, + "intent_template_id": 276 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 64, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Which customer has placed {{number}} orders in the entire history?", + "instantiation_dict": { + "number": "2" + }, + "intent": "Which customer has placed 2 orders in the entire history?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Lisa Kim", + "Lisa Green", + "Julia Williams", + "Brian Smith", + "Alexander Thomas" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lisa Kim, Lisa Green, Julia Williams, Brian Smith, Alexander Thomas" + }, + "intent_template_id": 276 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 65, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Which customer has completed the {{quantifier}} number of orders in the entire history?", + "instantiation_dict": { + "quantifier": "fifth most" + }, + "intent": "Which customer has completed the fifth most number of orders in the entire history?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Jane Doe" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Jane Doe" + }, + "intent_template_id": 276 + }, + { + "sites": [ + "reddit" + ], + "task_id": 66, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Among the top {{number}} post in \"{{subreddit}}\" forum, {{description}}", + "instantiation_dict": { + "number": 10, + "subreddit": "books", + "description": "show me the post URLs that recommand a single book" + }, + "intent": "Among the top 10 post in \"books\" forum, show me the post URLs that recommand a single book", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "http://www.reddit.com/f/books/59396/apple-books-has-a-free-audiobook-of-a-christmas-carol", + "http://www.reddit.com/f/books/17445/i-just-finished-reading-the-hobbit-to-my-6-year-old-daughter" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/59396/apple-books-has-a-free-audiobook-of-a-christmas-carol, http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/17445/i-just-finished-reading-the-hobbit-to-my-6-year-old-daughter" + }, + "intent_template_id": 17 + }, + { + "sites": [ + "reddit" + ], + "task_id": 67, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Among the top {{number}} post in \"{{subreddit}}\" forum, {{description}}", + "instantiation_dict": { + "number": 10, + "subreddit": "books", + "description": "show me the book names from posts that recommand a single book" + }, + "intent": "Among the top 10 post in \"books\" forum, show me the book names from posts that recommand a single book", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "A Christmas Carol", + "The Hobbit" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "A Christmas Carol, The Hobbit" + }, + "intent_template_id": 17 + }, + { + "sites": [ + "reddit" + ], + "task_id": 68, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Among the top {{number}} post in \"{{subreddit}}\" forum, {{description}}", + "instantiation_dict": { + "number": 10, + "subreddit": "books", + "description": "show me the author name and the book name from posts that recommand a single book" + }, + "intent": "Among the top 10 post in \"books\" forum, show me the author name and the book name from posts that recommand a single book", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "A Christmas Carol", + "Levar Burton", + "The Hobbit", + "J. R. R. Tolkien" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "A Christmas Carol by Levar Burton: , The Hobbit by J. R. R. Tolkien" + }, + "intent_template_id": 17 + }, + { + "sites": [ + "reddit" + ], + "task_id": 69, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Among the top {{number}} post in \"{{subreddit}}\" forum, {{description}}", + "instantiation_dict": { + "number": 10, + "subreddit": "books", + "description": "is there any post talks about supporting local book stores? If so, tell me the organizations involved" + }, + "intent": "Among the top 10 post in \"books\" forum, is there any post talks about supporting local book stores? If so, tell me the organizations involved", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "bookshop.org" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "bookshop.org" + }, + "intent_template_id": 17 + }, + { + "sites": [ + "map" + ], + "task_id": 70, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the zip code of {{place}}?", + "instantiation_dict": { + "place": "Carnegie Mellon University" + }, + "intent": "What is the zip code of Carnegie Mellon University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "15213" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "15213" + }, + "intent_template_id": 70 + }, + { + "sites": [ + "map" + ], + "task_id": 71, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the zip code of {{place}}?", + "instantiation_dict": { + "place": "Chatham University" + }, + "intent": "What is the zip code of Chatham University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "15232" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "15232" + }, + "intent_template_id": 70 + }, + { + "sites": [ + "map" + ], + "task_id": 72, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the zip code of {{place}}?", + "instantiation_dict": { + "place": "Yale University" + }, + "intent": "What is the zip code of Yale University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "06516" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "06516" + }, + "intent_template_id": 70 + }, + { + "sites": [ + "map" + ], + "task_id": 73, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the zip code of {{place}}?", + "instantiation_dict": { + "place": "Columbia University" + }, + "intent": "What is the zip code of Columbia University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "10027" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "10027" + }, + "intent_template_id": 70 + }, + { + "sites": [ + "map" + ], + "task_id": 74, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Given the following locations, {{place_list}}, what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "instantiation_dict": { + "place_list": [ + "Carnegie Mellon University", + "apple store shadyside", + "starbucks on craig street" + ] + }, + "intent": "Given the following locations, ['Carnegie Mellon University', 'apple store shadyside', 'starbucks on craig street'], what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "The order is Carnegie Mellon University, starbucks on forbes ave, apple store shadyside" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Carnegie Mellon University, starbucks on forbes ave, apple store shadyside" + }, + "intent_template_id": 65 + }, + { + "sites": [ + "map" + ], + "task_id": 75, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Given the following locations, {{place_list}}, what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "instantiation_dict": { + "place_list": [ + "Massachusetts Institute of Technology", + "Harvard University", + "Boston Logan International Airport" + ] + }, + "intent": "Given the following locations, ['Massachusetts Institute of Technology', 'Harvard University', 'Boston Logan International Airport'], what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "The order is Massachusetts Institute of Technology, Harvard University, Boston Logan International Airport" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Massachusetts Institute of Technology, Harvard University, Boston Logan International Airport" + }, + "intent_template_id": 65 + }, + { + "sites": [ + "map" + ], + "task_id": 76, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Given the following locations, {{place_list}}, what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "instantiation_dict": { + "place_list": [ + "Princeton University", + "Yale University", + "Harvard University" + ] + }, + "intent": "Given the following locations, ['Princeton University', 'Yale University', 'Harvard University'], what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "The order is Princeton University, Yale University, Harvard University" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Princeton University, Yale University, Harvard University" + }, + "intent_template_id": 65 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 77, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What is the total count of {{status}} reviews amongst all the reviews?", + "instantiation_dict": { + "status": "Pending" + }, + "intent": "What is the total count of Pending reviews amongst all the reviews?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "5" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "5" + }, + "intent_template_id": 277 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 78, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What is the total count of {{status}} reviews amongst all the reviews?", + "instantiation_dict": { + "status": "Approved" + }, + "intent": "What is the total count of Approved reviews amongst all the reviews?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "346" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "346" + }, + "intent_template_id": 277 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 79, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What is the total count of {{status}} reviews amongst all the reviews?", + "instantiation_dict": { + "status": "Not Approved" + }, + "intent": "What is the total count of Not Approved reviews amongst all the reviews?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 277 + }, + { + "sites": [ + "map" + ], + "task_id": 80, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the duration required to first walk from {{place_A}} to {{place_B}}, and then drive to {{place_C}}?", + "instantiation_dict": { + "place_A": "Carnegie Mellon University", + "place_B": "Starbucks on Craig Street", + "place_C": "Pittsburgh International Airport" + }, + "intent": "What is the duration required to first walk from Carnegie Mellon University to Starbucks on Craig Street, and then drive to Pittsburgh International Airport?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "38 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "38 min" + }, + "intent_template_id": 72 + }, + { + "sites": [ + "map" + ], + "task_id": 81, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the duration required to first walk from {{place_A}} to {{place_B}}, and then drive to {{place_C}}?", + "instantiation_dict": { + "place_A": "Univ of Pittsburgh", + "place_B": "starbucks on Craig Street", + "place_C": "Pittsburgh International Airport" + }, + "intent": "What is the duration required to first walk from Univ of Pittsburgh to starbucks on Craig Street, and then drive to Pittsburgh International Airport?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "49 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "49 min" + }, + "intent_template_id": 72 + }, + { + "sites": [ + "map" + ], + "task_id": 82, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the duration required to first walk from {{place_A}} to {{place_B}}, and then drive to {{place_C}}?", + "instantiation_dict": { + "place_A": "Massachusetts Institute of Technology", + "place_B": "Harvard University", + "place_C": "Boston Logan International Airport" + }, + "intent": "What is the duration required to first walk from Massachusetts Institute of Technology to Harvard University, and then drive to Boston Logan International Airport?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "63 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "63 min" + }, + "intent_template_id": 72 + }, + { + "sites": [ + "map" + ], + "task_id": 83, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the duration required to first walk from {{place_A}} to {{place_B}}, and then drive to {{place_C}}?", + "instantiation_dict": { + "place_A": "Carnegie Mellon University", + "place_B": "apple store shadyside", + "place_C": "starbucks on craig street" + }, + "intent": "What is the duration required to first walk from Carnegie Mellon University to apple store shadyside, and then drive to starbucks on craig street?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "22 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "22 min" + }, + "intent_template_id": 72 + }, + { + "sites": [ + "map" + ], + "task_id": 84, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "From my stay at {{hotel}}, what's the estimated driving time to reach {{place}}?", + "instantiation_dict": { + "hotel": "DoubleTree by Hilton New York Downtown", + "place": "Keens Steakhouse" + }, + "intent": "From my stay at DoubleTree by Hilton New York Downtown, what's the estimated driving time to reach Keens Steakhouse?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "14 minutes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "14 minutes" + }, + "intent_template_id": 64 + }, + { + "sites": [ + "map" + ], + "task_id": 85, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "From my stay at {{hotel}}, what's the estimated driving time to reach {{place}}?", + "instantiation_dict": { + "hotel": "La Quinta Inn near the airport", + "place": "Carnegie Mellon University" + }, + "intent": "From my stay at La Quinta Inn near the airport, what's the estimated driving time to reach Carnegie Mellon University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "30 minutes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "30 minutes" + }, + "intent_template_id": 64 + }, + { + "sites": [ + "map" + ], + "task_id": 86, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "From my stay at {{hotel}}, what's the estimated driving time to reach {{place}}?", + "instantiation_dict": { + "hotel": "La Quinta Inn near the airport", + "place": "Upitt" + }, + "intent": "From my stay at La Quinta Inn near the airport, what's the estimated driving time to reach Upitt?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "29 minutes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "29 minutes" + }, + "intent_template_id": 64 + }, + { + "sites": [ + "map" + ], + "task_id": 87, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "From my stay at {{hotel}}, what's the estimated driving time to reach {{place}}?", + "instantiation_dict": { + "hotel": "red roof inn", + "place": "Pittsburgh science museum" + }, + "intent": "From my stay at red roof inn, what's the estimated driving time to reach Pittsburgh science museum?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "20 minutes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "20 minutes" + }, + "intent_template_id": 64 + }, + { + "sites": [ + "map" + ], + "task_id": 88, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "From my stay at {{hotel}}, what's the estimated driving time to reach {{place}}?", + "instantiation_dict": { + "hotel": "Homewood Suites Southpointe", + "place": "PPG Paints Arena" + }, + "intent": "From my stay at Homewood Suites Southpointe, what's the estimated driving time to reach PPG Paints Arena?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "34 minutes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "34 minutes" + }, + "intent_template_id": 64 + }, + { + "sites": [ + "map" + ], + "task_id": 89, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Which US states border {{state}}?", + "instantiation_dict": { + "state": "Connecticut" + }, + "intent": "Which US states border Connecticut?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Rhode Island", + "Massachusetts", + "New York" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Rhode Island, Massachusetts, New York" + }, + "intent_template_id": 67 + }, + { + "sites": [ + "map" + ], + "task_id": 90, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Which US states border {{state}}?", + "instantiation_dict": { + "state": "Pennsylvania" + }, + "intent": "Which US states border Pennsylvania?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Ohio", + "Maryland", + "New York", + "New Jersey", + "Delaware", + "West Virginia" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Ohio, Maryland, New York, New Jersey, Delaware, West Virginia" + }, + "intent_template_id": 67 + }, + { + "sites": [ + "map" + ], + "task_id": 91, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Which US states border {{state}}?", + "instantiation_dict": { + "state": "Massachusetts" + }, + "intent": "Which US states border Massachusetts?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Rhode Island", + "Connecticut", + "New York", + "New Hampshire", + "Vermont" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Rhode Island, Connecticut, New York, New Hampshire, Vermont" + }, + "intent_template_id": 67 + }, + { + "sites": [ + "map" + ], + "task_id": 92, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Which US states border {{state}}?", + "instantiation_dict": { + "state": "Vermont" + }, + "intent": "Which US states border Vermont?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "New York", + "New Hampshire", + "Massachusetts" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "New York, New Hampshire, Massachusetts" + }, + "intent_template_id": 67 + }, + { + "sites": [ + "map" + ], + "task_id": 93, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Which US states border {{state}}?", + "instantiation_dict": { + "state": "New Hampshire" + }, + "intent": "Which US states border New Hampshire?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Massachusetts", + "Vermont", + "Maine" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Massachusetts, Vermont, Maine" + }, + "intent_template_id": 67 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 94, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Telll me the grand total of invoice {{id}}.", + "instantiation_dict": { + "id": "000000001" + }, + "intent": "Telll me the grand total of invoice 000000001.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "36.39" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$36.39" + }, + "intent_template_id": 274 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 95, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Telll me the grand total of invoice {{id}}.", + "instantiation_dict": { + "id": "000000002" + }, + "intent": "Telll me the grand total of invoice 000000002.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "39.64" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$39.64" + }, + "intent_template_id": 274 + }, + { + "sites": [ + "shopping" + ], + "task_id": 96, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me the status of my latest order and when will it arrive", + "instantiation_dict": {}, + "intent": "Tell me the status of my latest order and when will it arrive", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "The last order was canceled. It will never arrive." + ] + }, + "reference_url": "", + "program_html": [], + "reference_answer_raw_annotation": "The last order was canceled. It will never arrive.", + "string_note": "" + }, + "intent_template_id": 193 + }, + { + "sites": [ + "map", + "wikipedia" + ], + "task_id": 97, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the distance to drive from Carnegie Mellon University to the top computer science school in massachusetts", + "instantiation_dict": {}, + "intent": "Tell me the distance to drive from Carnegie Mellon University to the top computer science school in massachusetts", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "914km" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "914 km" + }, + "intent_template_id": 120 + }, + { + "sites": [ + "map" + ], + "task_id": 98, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Where is the nearest {{places}} to {{start}}, and what is the walking distance to it?", + "instantiation_dict": { + "places": "tea cafe", + "start": "University of Pittsburgh" + }, + "intent": "Where is the nearest tea cafe to University of Pittsburgh, and what is the walking distance to it?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Fuku Tea", + "3716", + "Forbes Avenue", + "Central Oakland", + "Pittsburgh", + "653m" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Fuku Tea, 3716, Forbes Avenue, Oakland, Central Oakland, Pittsburgh, Allegheny County, Pennsylvania, 15213, United States\n653m" + }, + "intent_template_id": 66 + }, + { + "sites": [ + "map" + ], + "task_id": 99, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Where is the nearest {{places}} to {{start}}, and what is the walking distance to it?", + "instantiation_dict": { + "places": "Five Guys", + "start": "5700 Penn Ave" + }, + "intent": "Where is the nearest Five Guys to 5700 Penn Ave, and what is the walking distance to it?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Five Guys", + "117", + "South Bouquet Street", + "North Oakland", + "Pittsburgh", + "4.0km" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Five Guys, 117, South Bouquet Street, Oakland, North Oakland, Pittsburgh, Allegheny County, Pennsylvania, 15213, United States\n4.0km" + }, + "intent_template_id": 66 + }, + { + "sites": [ + "map" + ], + "task_id": 100, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Where is the nearest {{places}} to {{start}}, and what is the walking distance to it?", + "instantiation_dict": { + "places": "Starbucks", + "start": "Carnegie Mellon" + }, + "intent": "Where is the nearest Starbucks to Carnegie Mellon, and what is the walking distance to it?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Starbucks", + "417", + "South Craig Street", + "Bellefield", + "Pittsburgh", + "557m" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Starbucks, 417, South Craig Street, Bellefield, Pittsburgh, Allegheny County, Pennsylvania, 15213, United States\n557m" + }, + "intent_template_id": 66 + }, + { + "sites": [ + "map" + ], + "task_id": 101, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Where is the nearest {{places}} to {{start}}, and what is the walking distance to it?", + "instantiation_dict": { + "places": "In-N-Out", + "start": "Upitts" + }, + "intent": "Where is the nearest In-N-Out to Upitts, and what is the walking distance to it?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no In-N-Out near University of Pittsburgh", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 66 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 102, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Display the list of issues in the {{repo}} repository that have labels related to {{label}}", + "instantiation_dict": { + "label": "help needed", + "repo": "a11yproject/a11yproject.com" + }, + "intent": "Display the list of issues in the a11yproject/a11yproject.com repository that have labels related to help needed", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-syntax-highlighting/-/issues/?label_name%5B%5D=help%20wanted", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 349 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 103, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Display the list of issues in the {{repo}} repository that have labels related to {{label}}", + "instantiation_dict": { + "label": "questions", + "repo": "kkroening/ffmpeg-python" + }, + "intent": "Display the list of issues in the kkroening/ffmpeg-python repository that have labels related to questions", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/kkroening/ffmpeg-python/-/issues/?label_name%5B%5D=question", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 349 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 104, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Display the list of issues in the {{repo}} repository that have labels related to {{label}}", + "instantiation_dict": { + "label": "flaky-test", + "repo": "keycloak/keycloak" + }, + "intent": "Display the list of issues in the keycloak/keycloak repository that have labels related to flaky-test", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/keycloak/keycloak/-/issues/?label_name%5B%5D=flaky-test", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 349 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 105, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Display the list of issues in the {{repo}} repository that have labels related to {{label}}", + "instantiation_dict": { + "label": "OpenAPI Generator CLI", + "repo": "OpenAPITools/openapi-generator" + }, + "intent": "Display the list of issues in the OpenAPITools/openapi-generator repository that have labels related to OpenAPI Generator CLI", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/OpenAPITools/openapi-generator/-/issues/?label_name%5B%5D=OpenAPI%20Generator%20CLI", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 349 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 106, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Display the list of issues in the {{repo}} repository that have labels related to {{label}}", + "instantiation_dict": { + "label": "BUG", + "repo": "umano/AndroidSlidingUpPanel" + }, + "intent": "Display the list of issues in the umano/AndroidSlidingUpPanel repository that have labels related to BUG", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/umano/AndroidSlidingUpPanel/-/issues/?label_name%5B%5D=BUG", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 349 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 107, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Presents the monthly count of successful orders {{period}} in MM:COUNT format", + "instantiation_dict": { + "period": "from May to December 2022" + }, + "intent": "Presents the monthly count of successful orders from May to December 2022 in MM:COUNT format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "May: 8 orders", + "June: 13 orders", + "July: 9 orders", + "August: 8 orders", + "Sepetember: 10 orders", + "October: 4 orders", + "November: 5 orders", + "December: 10 orders" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "May: 8 orders June: 13 orders July: 9 orders August: 8 orders Sepetember: 10 orders Octorbor: 4 orders November: 5 orders December: 10 orders " + }, + "intent_template_id": 270 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 108, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Presents the monthly count of successful orders {{period}} in MM:COUNT format", + "instantiation_dict": { + "period": "01/2023-05/2023" + }, + "intent": "Presents the monthly count of successful orders 01/2023-05/2023 in MM:COUNT format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "January: 12 orders", + "Feburary: 7 orders", + "March: 5 orders", + "April: 9 orders", + "May: 5 orders" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "January: 12 orders Febulary: 7 orders March: 5 orders Apirl: 9 orders May: 5 orders" + }, + "intent_template_id": 270 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 109, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Presents the monthly count of successful orders {{period}} in MM:COUNT format", + "instantiation_dict": { + "period": "from Jan to December 2022" + }, + "intent": "Presents the monthly count of successful orders from Jan to December 2022 in MM:COUNT format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "January: 11 orders", + "Feburary: 16 orders", + "March: 14 orders", + "April: 7 orders", + "May: 8 orders", + "June: 13 orders", + "July: 9 orders", + "August: 8 orders", + "Sepetember: 10 orders", + "Octorbor: 4 orders", + "November: 5 orders", + "December: 10 orders" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "January: 11 orders Feburary: 16 orders March: 14 orders April: 7 orders May: 8 orders June: 13 orders July: 9 orders August: 8 orders Sepetember: 10 orders Octorbor: 4 orders November: 5 orders December: 10 orders " + }, + "intent_template_id": 270 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 110, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Presents the monthly count of successful orders {{period}} in MM:COUNT format", + "instantiation_dict": { + "period": "from Jan to Nov 2022" + }, + "intent": "Presents the monthly count of successful orders from Jan to Nov 2022 in MM:COUNT format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "January: 11 orders", + "Feburary: 16 orders", + "March: 14 orders", + "April: 7 orders", + "May: 8 orders", + "June: 13 orders", + "July: 9 orders", + "August: 8 orders", + "Sepetember: 10 orders", + "Octorbor: 4 orders", + "November: 5 orders" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "January: 11 orders Feburary: 16 orders March: 14 orders April: 7 orders May: 8 orders June: 13 orders July: 9 orders August: 8 orders Sepetember: 10 orders Octorbor: 4 orders November: 5 orders " + }, + "intent_template_id": 270 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 111, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Presents the monthly count of successful orders {{period}} in MM:COUNT format", + "instantiation_dict": { + "period": "from Feb to Nov 2022" + }, + "intent": "Presents the monthly count of successful orders from Feb to Nov 2022 in MM:COUNT format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Feburary: 16 orders", + "March: 14 orders", + "April: 7 orders", + "May: 8 orders", + "June: 13 orders", + "July: 9 orders", + "August: 8 orders", + "Sepetember: 10 orders", + "Octorbor: 4 orders", + "November: 5 orders" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Feburary: 16 orders March: 14 orders April: 7 orders May: 8 orders June: 13 orders July: 9 orders August: 8 orders Sepetember: 10 orders Octorbor: 4 orders November: 5 orders " + }, + "intent_template_id": 270 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 112, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the customers who have expressed dissatisfaction with {{product}}?", + "instantiation_dict": { + "product": "Circe fleece" + }, + "intent": "Show me the customers who have expressed dissatisfaction with Circe fleece?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Hannah Lim" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Hannah Lim" + }, + "intent_template_id": 245 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 113, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the customers who have expressed dissatisfaction with {{product}}?", + "instantiation_dict": { + "product": "Olivia zip jacket" + }, + "intent": "Show me the customers who have expressed dissatisfaction with Olivia zip jacket?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Emma Lopez", + "Seam Miller" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Emma Lopez, Seam Miller" + }, + "intent_template_id": 245 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 114, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the customers who have expressed dissatisfaction with {{product}}?", + "instantiation_dict": { + "product": "Antonia racer tank" + }, + "intent": "Show me the customers who have expressed dissatisfaction with Antonia racer tank?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Shaunte", + "Merrie" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Shaunte, Merrie" + }, + "intent_template_id": 245 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 115, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the name of the customers who have expressed dissatisfaction with {{product}}", + "instantiation_dict": { + "product": "Chloe tank" + }, + "intent": "Show me the name of the customers who have expressed dissatisfaction with Chloe tank", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no negative review for Chloe tank", + "reference_answer_raw_annotation": "" + }, + "intent_template_id": 245 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 116, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the name of the customers who have expressed dissatisfaction with {{product}}?", + "instantiation_dict": { + "product": "tanks products" + }, + "intent": "Show me the name of the customers who have expressed dissatisfaction with tanks products?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Alexander", + "Carma", + "Dominic", + "Merrie", + "Monroe", + "Scotty", + "Shaunte", + "Teofila", + "Valorie" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Alexander, Carma, Dominic, Merrie, Monroe, Scotty, Shaunte, Teofila, Valorie" + }, + "intent_template_id": 245 + }, + { + "sites": [ + "shopping" + ], + "task_id": 117, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the date when I made my first purchase on this site?", + "instantiation_dict": {}, + "intent": "What is the date when I made my first purchase on this site?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "3/2/22" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3/2/22" + }, + "intent_template_id": 161 + }, + { + "sites": [ + "shopping" + ], + "task_id": 118, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I have jaw bruxism problem, show me something that could alleviate the problem.", + "instantiation_dict": {}, + "intent": "I have jaw bruxism problem, show me something that could alleviate the problem.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "", + "required_contents": { + "must_include": [ + "jaw bruxism", + "mouth guard" + ] + } + } + ] + }, + "intent_template_id": 151 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 119, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the reasons why customers like {{product}}", + "instantiation_dict": { + "product": "Antonia Racer Tank" + }, + "intent": "Tell me the reasons why customers like Antonia Racer Tank", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Its color and style is good" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Its color and style is good" + }, + "intent_template_id": 250 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 120, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the reasons why customers like {{product}}", + "instantiation_dict": { + "product": "Ana Running Short" + }, + "intent": "Tell me the reasons why customers like Ana Running Short", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "It is comfortable" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "It is comfortable" + }, + "intent_template_id": 250 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 121, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the reasons why customers like {{product}}", + "instantiation_dict": { + "product": "Circe hooded fleece" + }, + "intent": "Tell me the reasons why customers like Circe hooded fleece", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Warm and comfortable. True to size." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Warm and comfortable. True to size." + }, + "intent_template_id": 250 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 122, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the reasons why customers like {{product}}", + "instantiation_dict": { + "product": "Olivia zip jacket" + }, + "intent": "Tell me the reasons why customers like Olivia zip jacket", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Lightweight, comfortable and stylish. Good design and details." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lightweight, comfortable, and stylish. Good design and details." + }, + "intent_template_id": 250 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 123, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the reasons why customers like {{product}}", + "instantiation_dict": { + "product": "Circe's products" + }, + "intent": "Tell me the reasons why customers like Circe's products", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Warm and comfortable. True to size." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Warm and comfortable. True to size." + }, + "intent_template_id": 250 + }, + { + "sites": [ + "shopping" + ], + "task_id": 124, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range of {{product}} in the One Stop Market?", + "instantiation_dict": { + "product": "wireless earphone" + }, + "intent": "What is the price range of wireless earphone in the One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0.14", + "745.00" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$0.14 - $745.00" + }, + "intent_template_id": 159 + }, + { + "sites": [ + "shopping" + ], + "task_id": 125, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range of {{product}} in the One Stop Market?", + "instantiation_dict": { + "product": "teeth grinding mouth guard" + }, + "intent": "What is the price range of teeth grinding mouth guard in the One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1.46", + "85" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$1.46 - $85" + }, + "intent_template_id": 159 + }, + { + "sites": [ + "shopping" + ], + "task_id": 126, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range of {{product}} in the One Stop Market?", + "instantiation_dict": { + "product": "Canon photo printer" + }, + "intent": "What is the price range of Canon photo printer in the One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2.56", + "649.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$2.56 - $649.99" + }, + "intent_template_id": 159 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 127, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What brands appear most frequently among the top search terms?", + "instantiation_dict": {}, + "intent": "What brands appear most frequently among the top search terms?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Hollister", + "Joust", + "Antonia" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Hollister, Joust, Antonia" + }, + "intent_template_id": 1001 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 128, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What's the total number of items sold in the most recent {{k}} orders?", + "instantiation_dict": { + "k": "2" + }, + "intent": "What's the total number of items sold in the most recent 2 orders?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "9" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "9" + }, + "intent_template_id": 1002 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 129, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What's the total number of items sold in the most recent {{k}} orders?", + "instantiation_dict": { + "k": "4" + }, + "intent": "What's the total number of items sold in the most recent 4 orders?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "16" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "16" + }, + "intent_template_id": 1002 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 130, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What's the total number of items sold in the most recent {{k}} orders?", + "instantiation_dict": { + "k": "5" + }, + "intent": "What's the total number of items sold in the most recent 5 orders?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "18" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "18" + }, + "intent_template_id": 1002 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 131, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What's the total number of items sold in the most recent {{k}} orders?", + "instantiation_dict": { + "k": "7" + }, + "intent": "What's the total number of items sold in the most recent 7 orders?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "25" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "25" + }, + "intent_template_id": 1002 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 132, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "How many commits did {{user}} make to {{repo}} on {{date}}?", + "instantiation_dict": { + "user": "kilian", + "repo": "a11yproject", + "date": "3/5/2023" + }, + "intent": "How many commits did kilian make to a11yproject on 3/5/2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 322 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 133, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "How many commits did {{user}} make to {{repo}} on {{date}}?", + "instantiation_dict": { + "user": "Eric", + "repo": "a11yproject", + "date": "3/2" + }, + "intent": "How many commits did Eric make to a11yproject on 3/2?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2" + }, + "intent_template_id": 322 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 134, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "How many commits did {{user}} make to {{repo}} on {{date}}?", + "instantiation_dict": { + "user": "kilian", + "repo": "a11yproject", + "date": "3/1/2023" + }, + "intent": "How many commits did kilian make to a11yproject on 3/1/2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 322 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 135, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "How many commits did {{user}} make to {{repo}} on {{date}}?", + "instantiation_dict": { + "user": "Eric and Kilian", + "repo": "a11yproject", + "date": "1/3/2023" + }, + "intent": "How many commits did Eric and Kilian make to a11yproject on 1/3/2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 322 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 136, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "How many commits did {{user}} make to {{repo}} on {{date}}?", + "instantiation_dict": { + "user": "Steven Woodson", + "repo": "a11y-webring.club", + "date": "2/6/2023" + }, + "intent": "How many commits did Steven Woodson make to a11y-webring.club on 2/6/2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "5" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "5" + }, + "intent_template_id": 322 + }, + { + "sites": [ + "map" + ], + "task_id": 137, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the estimated driving time between {{city1}} and {{city2}}?", + "instantiation_dict": { + "city1": "the city where the Liberty Bell is located", + "city2": "the home city of Pirates" + }, + "intent": "What is the estimated driving time between the city where the Liberty Bell is located and the home city of Pirates?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "5h 47min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "5h 47min" + }, + "intent_template_id": 51 + }, + { + "sites": [ + "map" + ], + "task_id": 138, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the estimated driving time between {{city1}} and {{city2}}?", + "instantiation_dict": { + "city1": "the big apple", + "city2": "the city with the most authentic Philly cheesesteaks" + }, + "intent": "What is the estimated driving time between the big apple and the city with the most authentic Philly cheesesteaks?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "1h 58min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1h 58min" + }, + "intent_template_id": 51 + }, + { + "sites": [ + "map" + ], + "task_id": 139, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the estimated driving time between {{city1}} and {{city2}}?", + "instantiation_dict": { + "city1": "the hometown of Joe Biden", + "city2": "Bridgeport" + }, + "intent": "What is the estimated driving time between the hometown of Joe Biden and Bridgeport?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "3h 20min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3h 20min" + }, + "intent_template_id": 51 + }, + { + "sites": [ + "map" + ], + "task_id": 140, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the estimated driving time between {{city1}} and {{city2}}?", + "instantiation_dict": { + "city1": "the city of Niagara Falls", + "city2": "the city of Yale University" + }, + "intent": "What is the estimated driving time between the city of Niagara Falls and the city of Yale University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "8h 33min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "8h 33min" + }, + "intent_template_id": 51 + }, + { + "sites": [ + "shopping" + ], + "task_id": 141, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spent on {{category}} shopping during {{time}}", + "instantiation_dict": { + "category": "food-related", + "time": "March 2023" + }, + "intent": "How much I spent on food-related shopping during March 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "47.41" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$47.41" + }, + "intent_template_id": 162 + }, + { + "sites": [ + "shopping" + ], + "task_id": 142, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spent on {{category}} shopping during {{time}}", + "instantiation_dict": { + "category": "hair care and hair style", + "time": "Jan 2023" + }, + "intent": "How much I spent on hair care and hair style shopping during Jan 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "95.23" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$95.23" + }, + "intent_template_id": 162 + }, + { + "sites": [ + "shopping" + ], + "task_id": 143, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spent on {{category}} shopping during {{time}}", + "instantiation_dict": { + "category": "home decoration", + "time": "1/29/2023" + }, + "intent": "How much I spent on home decoration shopping during 1/29/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "265.69" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$265.69" + }, + "intent_template_id": 162 + }, + { + "sites": [ + "shopping" + ], + "task_id": 144, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spent on {{category}} shopping during {{time}}", + "instantiation_dict": { + "category": "food", + "time": "from mid Jan to the end Jan 2023" + }, + "intent": "How much I spent on food shopping during from mid Jan to the end Jan 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 162 + }, + { + "sites": [ + "shopping" + ], + "task_id": 145, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spent on {{category}} shopping during {{time}}", + "instantiation_dict": { + "category": "cooking and food", + "time": "March 2022" + }, + "intent": "How much I spent on cooking and food shopping during March 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "52.35" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$52.35" + }, + "intent_template_id": 162 + }, + { + "sites": [ + "shopping" + ], + "task_id": 146, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the {{option}} configuration of the {{product}} I bought {{time}}", + "instantiation_dict": { + "option": "size", + "product": "picture frame", + "time": "Sep 2022" + }, + "intent": "What is the size configuration of the picture frame I bought Sep 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "16x24" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "16x24" + }, + "intent_template_id": 155 + }, + { + "sites": [ + "shopping" + ], + "task_id": 147, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the {{option}} configuration of the {{product}} I bought {{time}}", + "instantiation_dict": { + "option": "size", + "product": "picture frame", + "time": "2022" + }, + "intent": "What is the size configuration of the picture frame I bought 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "16x24" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "16x24" + }, + "intent_template_id": 155 + }, + { + "sites": [ + "shopping" + ], + "task_id": 148, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the {{option}} configuration of the {{product}} I bought {{time}}", + "instantiation_dict": { + "option": "color", + "product": "picture frame", + "time": "Sep 2022" + }, + "intent": "What is the color configuration of the picture frame I bought Sep 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Mist" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Mist" + }, + "intent_template_id": 155 + }, + { + "sites": [ + "shopping" + ], + "task_id": 149, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the {{option}} configuration of the {{product}} I bought {{time}}", + "instantiation_dict": { + "option": "color", + "product": "artifical plants", + "time": "Feb 2023" + }, + "intent": "What is the color configuration of the artifical plants I bought Feb 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Green-vines" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Green-vines" + }, + "intent_template_id": 155 + }, + { + "sites": [ + "shopping" + ], + "task_id": 150, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the {{option}} configuration of the {{product}} I bought {{time}}", + "instantiation_dict": { + "option": "price", + "product": "fake tree", + "time": "Jan 2023" + }, + "intent": "What is the price configuration of the fake tree I bought Jan 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "260.69" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "260.69" + }, + "intent_template_id": 155 + }, + { + "sites": [ + "map" + ], + "task_id": 151, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the minimum travel time by car from {{location1}} to {{location2}}?", + "instantiation_dict": { + "location1": "CMU", + "location2": "University of Pittsburgh" + }, + "intent": "What is the minimum travel time by car from CMU to University of Pittsburgh?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "4min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "4min" + }, + "intent_template_id": 36 + }, + { + "sites": [ + "map" + ], + "task_id": 152, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the minimum travel time by car from {{location1}} to {{location2}}?", + "instantiation_dict": { + "location1": "Schenley park", + "location2": "Upitt" + }, + "intent": "What is the minimum travel time by car from Schenley park to Upitt?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "4min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "4min" + }, + "intent_template_id": 36 + }, + { + "sites": [ + "map" + ], + "task_id": 153, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the minimum travel time by car from {{location1}} to {{location2}}?", + "instantiation_dict": { + "location1": "REI", + "location2": "CMU" + }, + "intent": "What is the minimum travel time by car from REI to CMU?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "7min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "7min" + }, + "intent_template_id": 36 + }, + { + "sites": [ + "map" + ], + "task_id": 154, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the minimum travel time by car from {{location1}} to {{location2}}?", + "instantiation_dict": { + "location1": "CMU gates building", + "location2": "Schenley park" + }, + "intent": "What is the minimum travel time by car from CMU gates building to Schenley park?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "4min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "4min" + }, + "intent_template_id": 36 + }, + { + "sites": [ + "map" + ], + "task_id": 155, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the minimum travel time by car from {{location1}} to {{location2}}?", + "instantiation_dict": { + "location1": "Animal Rescue League of Pittsburgh", + "location2": "Schenley park" + }, + "intent": "What is the minimum travel time by car from Animal Rescue League of Pittsburgh to Schenley park?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "9min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "9min" + }, + "intent_template_id": 36 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 156, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Checkout merge requests assigned to me", + "instantiation_dict": {}, + "intent": "Checkout merge requests assigned to me", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/merge_requests?assignee_username=byteblaze", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 290 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 157, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show all customers", + "instantiation_dict": {}, + "intent": "Show all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/customer/index/", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 255 + }, + { + "sites": [ + "shopping" + ], + "task_id": 158, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all {{num}} cards", + "instantiation_dict": { + "num": 11 + }, + "intent": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all 11 cards", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/heiying-game-card-case-for-nintendo-switch-switch-oled-game-card-or-micro-sd-memory-cards-portable-switch-game-memory-card-storage-with-24-game-card-slots-and-24-micro-sd-card-slots-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 171 + }, + { + "sites": [ + "shopping" + ], + "task_id": 159, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all {{num}} cards", + "instantiation_dict": { + "num": 31 + }, + "intent": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all 31 cards", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/game-card-holder-storage-case-for-nintendo-switch-games-or-ps-vita-game-case-or-sd-memory-cards-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 171 + }, + { + "sites": [ + "shopping" + ], + "task_id": 160, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all {{num}} cards", + "instantiation_dict": { + "num": 6 + }, + "intent": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all 6 cards", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/heiying-game-card-case-for-nintendo-switch-switch-oled-game-card-or-micro-sd-memory-cards-portable-switch-game-memory-card-storage-with-24-game-card-slots-and-24-micro-sd-card-slots-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 171 + }, + { + "sites": [ + "shopping" + ], + "task_id": 161, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all {{num}} cards", + "instantiation_dict": { + "num": 23 + }, + "intent": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all 23 cards", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/heiying-game-card-case-for-nintendo-switch-switch-oled-game-card-or-micro-sd-memory-cards-portable-switch-game-memory-card-storage-with-24-game-card-slots-and-24-micro-sd-card-slots-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 171 + }, + { + "sites": [ + "shopping" + ], + "task_id": 162, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all {{num}} cards", + "instantiation_dict": { + "num": 40 + }, + "intent": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all 40 cards", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/game-card-holder-storage-case-for-nintendo-switch-games-or-ps-vita-game-case-or-sd-memory-cards-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 171 + }, + { + "sites": [ + "shopping" + ], + "task_id": 163, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/ostent-16gb-memory-card-stick-storage-for-sony-ps-vita-psv1000-2000-pch-z081-z161-z321-z641.html", + "geolocation": null, + "intent_template": "What are the main criticisms of this product? Please extract the relevant sentences.", + "instantiation_dict": {}, + "intent": "What are the main criticisms of this product? Please extract the relevant sentences.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "I ordered the 16gb but I only got 14 gigs even though I formatted the card", + "The memory card is kind of slow on games and downloads", + "No original packaging It's used and the previous owners data has not been erased", + "The product is a legit sony hardware that have been owned by someone else before", + "The media could not be loaded", + "I could not format the card so I wasn\u2019t able to use it for my VITA" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "I ordered the 16gb but I only got 14 gigs even though I formatted the card. The memory card is kind of slow on games and downloads. No original packaging It's used and the previous owners data has not been erased. The product is a legit sony hardware that have been owned by someone else before The media could not be loaded. I could not format the card so I wasn\u2019t able to use it for my VITA" + }, + "intent_template_id": 136 + }, + { + "sites": [ + "shopping" + ], + "task_id": 164, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/mineralogie-all-natural-lip-gloss-ruby-rose.html", + "geolocation": null, + "intent_template": "What are the main criticisms of this product? Please extract the relevant sentences.", + "instantiation_dict": {}, + "intent": "What are the main criticisms of this product? Please extract the relevant sentences.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Dry", + "Uneven color" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "DryUneven color" + }, + "intent_template_id": 136 + }, + { + "sites": [ + "shopping" + ], + "task_id": 165, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/sandgrens-swedish-handmade-wooden-clog-sandal-copenhagen.html", + "geolocation": null, + "intent_template": "What are the main criticisms of this product? Please extract the relevant sentences.", + "instantiation_dict": {}, + "intent": "What are the main criticisms of this product? Please extract the relevant sentences.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "The 39 was too small. I am afraid the 40 will be too big", + "I was very sad when the shoe rubbed up against my baby toe", + "I had to return them because I knew in time it would tear up my feet", + "The problem is that the strap is made of some really stiff leather and is painful to my heel", + "The front is also uncomfortably tight", + "The Dansko's were similar (not as bad) and loosened up over time" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "The 39 was too small. I am afraid the 40 will be too big. I was very sad when the shoe rubbed up against my baby toe. I had to return them because I knew in time it would tear up my feet. The problem is that the strap is made of some really stiff leather and is painful to my heel. The front is also uncomfortably tight. The Dansko's were similar (not as bad) and loosened up over time." + }, + "intent_template_id": 136 + }, + { + "sites": [ + "shopping" + ], + "task_id": 166, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/sensodyne-repair-protect-whitening-toothpaste-with-fluoride-3-4-oz-pack-of-3.html", + "geolocation": null, + "intent_template": "What are the main criticisms of this product? Please extract the relevant sentences.", + "instantiation_dict": {}, + "intent": "What are the main criticisms of this product? Please extract the relevant sentences.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "there is no existing criticism", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 136 + }, + { + "sites": [ + "shopping" + ], + "task_id": 167, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/photosmart-plus-b209-clr-inkjetfb-p-s-c-usb-wrls-1.html", + "geolocation": null, + "intent_template": "What are the main criticisms of this product? Please extract the relevant sentences.", + "instantiation_dict": {}, + "intent": "What are the main criticisms of this product? Please extract the relevant sentences.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "The wireless connection works on a whim (about 40% of the time I've owned it)", + "It seems to constantly run out of ink", + "Cartridge prices are less than some printers I've had", + "This printer seems to have more reasons NOT to work (none that are findable or correctable) Ex: error boxes saying that it's out of paper when it automatically switches to photo printing for some reason", + "Scanner is as slow as my first scanner I ever owned in the mid-90's", + "For the $176 I paid, there isn't even a fax component on it. I guess the \"PLUS\" part of it's name is in reference to the migraines it causes when you can't figure out the new reason why it's not working for the 10th time in the past 2 months." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "The wireless connection works on a whim (about 40% of the time I've owned it). It seems to constantly run out of ink. Cartridge prices are less than some printers I've had, but now I understand why. This printer seems to have more reasons NOT to work (none that are findable or correctable) Ex: error boxes saying that it's out of paper when it automatically switches to photo printing for some reason. Scanner is as slow as my first scanner I ever owned in the mid-90's. For the $176 I paid, there isn't even a fax component on it. I guess the \"PLUS\" part of it's name is in reference to the migraines it causes when you can't figure out the new reason why it's not working for the 10th time in the past 2 months." + }, + "intent_template_id": 136 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 168, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me the full names of the repositories where I made contributions and they got {{description}} stars?", + "instantiation_dict": { + "description": "more than 100" + }, + "intent": "Tell me the full names of the repositories where I made contributions and they got more than 100 stars?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "No repo found", + "reference_answer_raw_annotation": "No repo found" + }, + "intent_template_id": 289 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 169, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me the full names of the repositories where I made contributions and they got {{description}} stars?", + "instantiation_dict": { + "description": "the most" + }, + "intent": "Tell me the full names of the repositories where I made contributions and they got the most stars?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "a11yproject.com", + "design" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "a11yproject.com, Primer/design" + }, + "intent_template_id": 289 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 170, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me the full names of the repositories where I made contributions and they got {{description}} stars?", + "instantiation_dict": { + "description": "the least" + }, + "intent": "Tell me the full names of the repositories where I made contributions and they got the least stars?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "cloud-to-butt", + "dotfiles", + "timeit", + "solarized-prism-theme", + "gimmiethat.space", + "remove-board-movement-events-from-the-github-issue-timeline" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "cloud-to-butt, dotfiles, timeit, solarized-prism-theme, gimmiethat.space, remove-board-movement-events-from-the-github-issue-timeline" + }, + "intent_template_id": 289 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 171, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me the full names of the repositories where I made contributions and they got {{description}} stars?", + "instantiation_dict": { + "description": "less than 5" + }, + "intent": "Tell me the full names of the repositories where I made contributions and they got less than 5 stars?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "a11y-syntax-highlighting", + "a11y-webring.club", + "accessible-html-content-patterns", + "ericwbailey.website", + "cloud-to-butt", + "dotfiles", + "timeit", + "solarized-prism-theme", + "gimmiethat.space", + "remove-board-movement-events-from-the-github-issue-timeline" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "a11y-syntax-highlighting, a11y-webring.club, accessible-html-content-patterns, ericwbailey.website, cloud-to-butt, dotfiles, timeit, solarized-prism-theme, gimmiethat.space, remove-board-movement-events-from-the-github-issue-timeline" + }, + "intent_template_id": 289 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 172, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me the full names of the repositories where I made contributions and they got {{description}} stars?", + "instantiation_dict": { + "description": "no" + }, + "intent": "Tell me the full names of the repositories where I made contributions and they got no stars?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "cloud-to-butt", + "dotfiles", + "timeit", + "solarized-prism-theme", + "gimmiethat.space", + "remove-board-movement-events-from-the-github-issue-timeline" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "cloud-to-butt, dotfiles, timeit, solarized-prism-theme, gimmiethat.space, remove-board-movement-events-from-the-github-issue-timeline" + }, + "intent_template_id": 289 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 173, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest updated issue that has keyword \"{{keyword}}\" in its title to check if it is closed", + "instantiation_dict": { + "keyword": "better" + }, + "intent": "Open my latest updated issue that has keyword \"better\" in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "fuzzy_match": ["No, it is open"] + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/empathy-prompts/-/issues/8", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "", + "url_note": "GOLD in PRED" + }, + "intent_template_id": 310 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 174, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest updated issue that has keyword \"{{keyword}}\" in its title to check if it is closed", + "instantiation_dict": { + "keyword": "feature" + }, + "intent": "Open my latest updated issue that has keyword \"feature\" in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "fuzzy_match": ["No, it is open"] + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-webring.club/-/issues/71", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "" + }, + "intent_template_id": 310 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 175, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest updated issue that has keyword \"{{keyword}}\" in its title to check if it is closed", + "instantiation_dict": { + "keyword": "dependency" + }, + "intent": "Open my latest updated issue that has keyword \"dependency\" in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "fuzzy_match": ["No, it is open"] + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/empathy-prompts/-/issues/18", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "" + }, + "intent_template_id": 310 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 176, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest updated issue that has keyword \"{{keyword}}\" in its title to check if it is closed", + "instantiation_dict": { + "keyword": "theme editor" + }, + "intent": "Open my latest updated issue that has keyword \"theme editor\" in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "fuzzy_match": ["No, it is open"] + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-syntax-highlighting/-/issues/1", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "" + }, + "intent_template_id": 310 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 177, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest updated issue that has keyword \"{{keyword}}\" in its title to check if it is closed", + "instantiation_dict": { + "keyword": "homepage content" + }, + "intent": "Open my latest updated issue that has keyword \"homepage content\" in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "fuzzy_match": ["Yes, it is closed"] + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues/719", + "program_html": [], + "reference_answer_raw_annotation": "closed", + "string_note": "" + }, + "intent_template_id": 310 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 178, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest created issue that has {{keyword}} in its title to check if it is closed", + "instantiation_dict": { + "keyword": "better" + }, + "intent": "Open my latest created issue that has better in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "exact_match": "Yes" + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues/566", + "program_html": [], + "reference_answer_raw_annotation": "Closed", + "string_note": "" + }, + "intent_template_id": 500 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 179, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest created issue that has {{keyword}} in its title to check if it is closed", + "instantiation_dict": { + "keyword": "feature" + }, + "intent": "Open my latest created issue that has feature in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "exact_match": "Yes" + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues/1517", + "program_html": [], + "reference_answer_raw_annotation": "Closed", + "string_note": "" + }, + "intent_template_id": 500 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 180, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest created issue that has {{keyword}} in its title to check if it is closed", + "instantiation_dict": { + "keyword": "dependency" + }, + "intent": "Open my latest created issue that has dependency in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "exact_match": "No" + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/empathy-prompts/-/issues/18", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "" + }, + "intent_template_id": 500 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 181, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest created issue that has {{keyword}} in its title to check if it is closed", + "instantiation_dict": { + "keyword": "theme editor" + }, + "intent": "Open my latest created issue that has theme editor in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "exact_match": "No" + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-syntax-highlighting/-/issues/1", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "" + }, + "intent_template_id": 500 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 182, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open my latest created issue that has {{keyword}} in its title to check if it is closed", + "instantiation_dict": { + "keyword": "homepage content" + }, + "intent": "Open my latest created issue that has homepage content in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "exact_match": "Yes" + }, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues/719", + "program_html": [], + "reference_answer_raw_annotation": "closed", + "string_note": "" + }, + "intent_template_id": 500 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 183, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Give me the {{Attribute}} of the products that have {{N}} units left", + "instantiation_dict": { + "Attribute": "SKU", + "N": "10" + }, + "intent": "Give me the SKU of the products that have 10 units left", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no product that has 10 quantities left.", + "reference_answer_raw_annotation": "There is no product that has 10 quantities left." + }, + "intent_template_id": 368 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 184, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Give me the {{Attribute}} of the products that have {{N}} units left", + "instantiation_dict": { + "Attribute": "name", + "N": "0" + }, + "intent": "Give me the name of the products that have 0 units left", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Sinbad Fitness Tank" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Sinbad Fitness Tank" + }, + "intent_template_id": 368 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 185, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Give me the {{Attribute}} of the products that have {{N}} units left", + "instantiation_dict": { + "Attribute": "brand", + "N": "3" + }, + "intent": "Give me the brand of the products that have 3 units left", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Eos", + "Minerva" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Eos, Minerva" + }, + "intent_template_id": 368 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 186, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Give me the {{Attribute}} of the products that have {{N}} units left", + "instantiation_dict": { + "Attribute": "product names and the sizes", + "N": "2-3" + }, + "intent": "Give me the product names and the sizes of the products that have 2-3 units left", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Eos V-Neck Hoodie: S", + "Minera Luma Tech V-Tee: XS" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Eos V-Neck Hoodie: S Minera Luma Tech V-Tee: XS" + }, + "intent_template_id": 368 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 187, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Give me the {{Attribute}} of the products that have {{N}} units left", + "instantiation_dict": { + "Attribute": "SKU", + "N": "1-3" + }, + "intent": "Give me the SKU of the products that have 1-3 units left", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "WH11-S-Blue", + "WS08-XS-Blue" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "WH11-S-Blue, WS08-XS-Blue" + }, + "intent_template_id": 368 + }, + { + "sites": [ + "shopping" + ], + "task_id": 188, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me the total cost of my latest {{status}} order?", + "instantiation_dict": { + "status": "cancelled" + }, + "intent": "Tell me the total cost of my latest cancelled order?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "365.42" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "365.42" + }, + "intent_template_id": 214 + }, + { + "sites": [ + "shopping" + ], + "task_id": 189, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me the total cost of my latest {{status}} order?", + "instantiation_dict": { + "status": "pending" + }, + "intent": "Tell me the total cost of my latest pending order?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "754.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "754.99" + }, + "intent_template_id": 214 + }, + { + "sites": [ + "shopping" + ], + "task_id": 190, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me the total cost of my latest {{status}} order?", + "instantiation_dict": { + "status": "complete" + }, + "intent": "Tell me the total cost of my latest complete order?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "65.32" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "65.32" + }, + "intent_template_id": 214 + }, + { + "sites": [ + "shopping" + ], + "task_id": 191, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me the total cost of my latest {{status}} order?", + "instantiation_dict": { + "status": "processing" + }, + "intent": "Tell me the total cost of my latest processing order?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no order of \"processing\" status", + "reference_answer_raw_annotation": "There is no order of \"processing\" status" + }, + "intent_template_id": 214 + }, + { + "sites": [ + "shopping" + ], + "task_id": 192, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me the total cost of my latest {{status}} order?", + "instantiation_dict": { + "status": "non-cancelled" + }, + "intent": "Tell me the total cost of my latest non-cancelled order?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "754.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "754.99" + }, + "intent_template_id": 214 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 193, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the total payment amount of the last {{N}} {{status}} orders", + "instantiation_dict": { + "status": "completed", + "N": "2" + }, + "intent": "Get the total payment amount of the last 2 completed orders", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "182.4" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "182.4" + }, + "intent_template_id": 367 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 194, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the total payment amount of the last {{N}} {{status}} orders", + "instantiation_dict": { + "status": "completed", + "N": "5" + }, + "intent": "Get the total payment amount of the last 5 completed orders", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "555.2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "555.2" + }, + "intent_template_id": 367 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 195, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the total payment amount of the last {{N}} {{status}} orders", + "instantiation_dict": { + "status": "pending", + "N": "5" + }, + "intent": "Get the total payment amount of the last 5 pending orders", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "885.4" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "885.4" + }, + "intent_template_id": 367 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 196, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Compare the payment difference of the last {{N}} {{status_1}} orders and {{status_2}} orders", + "instantiation_dict": { + "status_1": "cancelled", + "status_2": "completed", + "N": "4" + }, + "intent": "Compare the payment difference of the last 4 cancelled orders and completed orders", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "194.25" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "194.25" + }, + "intent_template_id": 367 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 197, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the total payment amount of the last {{N}} {{status}} orders", + "instantiation_dict": { + "status": "non-cancelled", + "N": "5" + }, + "intent": "Get the total payment amount of the last 5 non-cancelled orders", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "778.2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "annotation_note": "219.4+210+166.4+93.4+89", + "reference_answer_raw_annotation": "778.2" + }, + "intent_template_id": 367 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 198, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "customer name", + "status": "most recent cancelled" + }, + "intent": "Get the customer name of the most recent cancelled order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Lily Potter" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lily Potter" + }, + "intent_template_id": 366 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 199, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "order ID", + "status": "newest pending" + }, + "intent": "Get the order ID of the newest pending order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "299" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "299" + }, + "intent_template_id": 366 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 200, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "billing name", + "status": "oldest complete" + }, + "intent": "Get the billing name of the oldest complete order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "John Lee" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "John Lee" + }, + "intent_template_id": 366 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 201, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "customer name", + "status": "earliest fraud suspect" + }, + "intent": "Get the customer name of the earliest fraud suspect order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no order of \"fraud suspect\" status", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 366 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 202, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "date", + "status": "most recent canlled" + }, + "intent": "Get the date of the most recent canlled order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "May 23 2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "May 23, 2023" + }, + "intent_template_id": 366 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 203, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "purchase date and order id", + "status": "most recent pending" + }, + "intent": "Get the purchase date and order id of the most recent pending order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "order id: 000000299", + "purchase date: May 31, 2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "000000299, May 31, 2023, 2:55:09 AM" + }, + "intent_template_id": 366 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 204, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "product name and discounted price (low to high)", + "status": "most recent completed" + }, + "intent": "Get the product name and discounted price (low to high) of the most recent completed order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Rapha Sports Short: $35", + "Thorpe Track Pant: $54.4", + "Mach Street Sweatshirt: $62" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Rapha Sports Short: $35 Thorpe Track Pant: $54.4 Mach Street Sweatshirt: $62" + }, + "intent_template_id": 366 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 205, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make on {{date}}?", + "instantiation_dict": { + "user": "kilian", + "date": "3/5/2023" + }, + "intent": "How many commits did kilian make on 3/5/2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 320 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 206, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make on {{date}}?", + "instantiation_dict": { + "user": "Eric", + "date": "3/2" + }, + "intent": "How many commits did Eric make on 3/2?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2" + }, + "intent_template_id": 320 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 207, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make on {{date}} in total?", + "instantiation_dict": { + "user": "Eric and Kilian", + "date": "1/3/2023" + }, + "intent": "How many commits did Eric and Kilian make on 1/3/2023 in total?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 320 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 208, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Find the customer name and email with phone number {{PhoneNum}}", + "instantiation_dict": { + "PhoneNum": "+1 2058812302" + }, + "intent": "Find the customer name and email with phone number +1 2058812302", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "John Smith", + "john.smith.xyz@gmail.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "John Smith, john.smith.xyz@gmail.com" + }, + "intent_template_id": 364 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 209, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Find the customer name and email with phone number {{PhoneNum}}", + "instantiation_dict": { + "PhoneNum": "2137418080" + }, + "intent": "Find the customer name and email with phone number 2137418080", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Jennifer White", + "jennifer.white@yahoo.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Jennifer White, jennifer.white@yahoo.com" + }, + "intent_template_id": 364 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 210, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Find the customer name and email with phone number {{PhoneNum}}", + "instantiation_dict": { + "PhoneNum": "2065555555" + }, + "intent": "Find the customer name and email with phone number 2065555555", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Adam Garcia", + "gamingpro456@gmail.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Adam Garcia, gamingpro456@gmail.com" + }, + "intent_template_id": 364 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 211, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Find the customer name and email with phone number {{PhoneNum}}", + "instantiation_dict": { + "PhoneNum": "8015551212" + }, + "intent": "Find the customer name and email with phone number 8015551212", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Sean Miller", + "sean.miller@gmail.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Sean Miller, sean.miller@gmail.com" + }, + "intent_template_id": 364 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 212, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Find the customer name and email with phone number {{PhoneNum}}", + "instantiation_dict": { + "PhoneNum": "555-229-3326" + }, + "intent": "Find the customer name and email with phone number 555-229-3326", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Veronica Costello", + "roni_cost@example.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Veronica Costello, roni_cost@example.com" + }, + "intent_template_id": 364 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 213, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the key aspects that the customers don't like about {{product}}", + "instantiation_dict": { + "product": "Antonia Racer Tank" + }, + "intent": "What are the key aspects that the customers don't like about Antonia Racer Tank", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Not suitable for high-impact workouts" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Not suitable for high-impact workouts" + }, + "intent_template_id": 249 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 214, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the key aspects that the customers don't like about {{product}}", + "instantiation_dict": { + "product": "Zing Jump Rope" + }, + "intent": "What are the key aspects that the customers don't like about Zing Jump Rope", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "It is hard to find the right size. Won't last long" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "It is hard to find the right size. Won't last long" + }, + "intent_template_id": 249 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 215, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the key aspects that the customers don't like about {{product}}", + "instantiation_dict": { + "product": "Circe ice fleece" + }, + "intent": "What are the key aspects that the customers don't like about Circe ice fleece", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Material quality, fit, insufficient warmth, color" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Material quality, fit, insufficient warmth, color" + }, + "intent_template_id": 249 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 216, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the key aspects that the customers don't like about {{product}}", + "instantiation_dict": { + "product": "Electra Bra Top" + }, + "intent": "What are the key aspects that the customers don't like about Electra Bra Top", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Not true to size" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Not true to size" + }, + "intent_template_id": 249 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 217, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "What are the key aspects that the customers don't like about {{product}}", + "instantiation_dict": { + "product": "Pursuit Tone Band" + }, + "intent": "What are the key aspects that the customers don't like about Pursuit Tone Band", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Insufficient resistance for their workouts." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Insufficient resistance for their workouts." + }, + "intent_template_id": 249 + }, + { + "sites": [ + "map" + ], + "task_id": 218, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the walking distance from nearby hotels to {{location}} that take at most {{n}} minutes?", + "instantiation_dict": { + "location": "CMU, Pittsburgh", + "n": "5" + }, + "intent": "Show me the walking distance from nearby hotels to CMU, Pittsburgh that take at most 5 minutes?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no hotel near CMU that is within 5 minutes walking distance", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 41 + }, + { + "sites": [ + "map" + ], + "task_id": 219, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the walking distance from nearby hotels to {{location}} that take at most {{n}} minutes?", + "instantiation_dict": { + "location": "Pittsburgh airport", + "n": "3" + }, + "intent": "Show me the walking distance from nearby hotels to Pittsburgh airport that take at most 3 minutes?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no hotel near CMU that is within 5 minutes walking distance", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 41 + }, + { + "sites": [ + "map" + ], + "task_id": 220, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the walking distance from nearby hotels to {{location}} that take at most {{n}} minutes?", + "instantiation_dict": { + "location": "Gardner Steel Conference Center,", + "n": 5 + }, + "intent": "Show me the walking distance from nearby hotels to Gardner Steel Conference Center, that take at most 5 minutes?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Wyndham Pittsburgh University Cente: 375m", + "The Oaklander Hotel: 338m" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Wyndham Pittsburgh University Cente: 375 m\nThe Oaklander Hotel: 338 m" + }, + "intent_template_id": 41 + }, + { + "sites": [ + "map" + ], + "task_id": 221, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I am at CMU Pittsburgh, how long it takes to the nearest {{location}} with different transportation methods?", + "instantiation_dict": { + "location": "USPS postal office" + }, + "intent": "I am at CMU Pittsburgh, how long it takes to the nearest USPS postal office with different transportation methods?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Walk: 1 minute", + "Drive: less than 1 minute", + "Bike: less than 1 minute" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Walk: 1 minute to walk and\nDrive: less than 1 minute\nBike: less than 1 minute" + }, + "intent_template_id": 35 + }, + { + "sites": [ + "map" + ], + "task_id": 222, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I am at CMU Pittsburgh, how long it takes to drive to the nearest {{location}}", + "instantiation_dict": { + "location": "cold stone ice cream" + }, + "intent": "I am at CMU Pittsburgh, how long it takes to drive to the nearest cold stone ice cream", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "3min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3min" + }, + "intent_template_id": 35 + }, + { + "sites": [ + "map" + ], + "task_id": 223, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I am at CMU Pittsburgh, how long it takes to drive to the nearest {{location}}", + "instantiation_dict": { + "location": "Mcdonald's" + }, + "intent": "I am at CMU Pittsburgh, how long it takes to drive to the nearest Mcdonald's", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "4min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "4min" + }, + "intent_template_id": 35 + }, + { + "sites": [ + "map" + ], + "task_id": 224, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I am at CMU Pittsburgh, how long it takes to drive to the nearest {{location}}", + "instantiation_dict": { + "location": "wendys" + }, + "intent": "I am at CMU Pittsburgh, how long it takes to drive to the nearest wendys", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "3min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3min" + }, + "intent_template_id": 35 + }, + { + "sites": [ + "shopping" + ], + "task_id": 225, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What do customers say about {{product_type}} from {{manufature}}", + "instantiation_dict": { + "product_type": "brush", + "manufature": "sephora" + }, + "intent": "What do customers say about brush from sephora", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The sephora brushes don't have reviews", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 135 + }, + { + "sites": [ + "shopping" + ], + "task_id": 226, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range for products from {{brand}}?", + "instantiation_dict": { + "brand": "Amazon basic" + }, + "intent": "What is the price range for products from Amazon basic?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "5.49", + "375.19" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$5.49 - $375.19" + }, + "intent_template_id": 370 + }, + { + "sites": [ + "shopping" + ], + "task_id": 227, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range for products from {{brand}}?", + "instantiation_dict": { + "brand": "EYZUTAK" + }, + "intent": "What is the price range for products from EYZUTAK?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "9.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$9.99" + }, + "intent_template_id": 370 + }, + { + "sites": [ + "shopping" + ], + "task_id": 228, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range for products from {{brand}}?", + "instantiation_dict": { + "brand": "sephora" + }, + "intent": "What is the price range for products from sephora?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "18.18", + "94.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$18.18 - $94.99" + }, + "intent_template_id": 370 + }, + { + "sites": [ + "shopping" + ], + "task_id": 229, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range for products from {{brand}}?", + "instantiation_dict": { + "brand": "ugreen" + }, + "intent": "What is the price range for products from ugreen?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "6.99", + "38.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$6.99 - $38.99" + }, + "intent_template_id": 370 + }, + { + "sites": [ + "shopping" + ], + "task_id": 230, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the price range for products from {{brand}}?", + "instantiation_dict": { + "brand": "Perricone MD" + }, + "intent": "What is the price range for products from Perricone MD?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "35", + "149" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$35 - $149" + }, + "intent_template_id": 370 + }, + { + "sites": [ + "shopping" + ], + "task_id": 231, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Get the order number of my most recent {{status}} order ", + "instantiation_dict": { + "status": "cancelled" + }, + "intent": "Get the order number of my most recent cancelled order ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "170" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "000000170" + }, + "intent_template_id": 213 + }, + { + "sites": [ + "shopping" + ], + "task_id": 232, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Get the order number of my most recent {{status}} order ", + "instantiation_dict": { + "status": "pending" + }, + "intent": "Get the order number of my most recent pending order ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "189" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "000000189" + }, + "intent_template_id": 213 + }, + { + "sites": [ + "shopping" + ], + "task_id": 233, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Get the order number of my most recent {{status}} order ", + "instantiation_dict": { + "status": "complete" + }, + "intent": "Get the order number of my most recent complete order ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "180" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "000000180" + }, + "intent_template_id": 213 + }, + { + "sites": [ + "shopping" + ], + "task_id": 234, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Get the order number of my most recent {{status}} order ", + "instantiation_dict": { + "status": "on hold" + }, + "intent": "Get the order number of my most recent on hold order ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "there is no on hold order", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 213 + }, + { + "sites": [ + "shopping" + ], + "task_id": 235, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Get the order number of my most recent {{status}} order ", + "instantiation_dict": { + "status": "under delivery" + }, + "intent": "Get the order number of my most recent under delivery order ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no under delivery order", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 213 + }, + { + "sites": [ + "map" + ], + "task_id": 236, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Where is the nearest {{location}} from {{location2}} {{condition}}", + "instantiation_dict": { + "location": "pharmacy", + "location2": "Carnegie Mellon", + "condition": "I can walk within 20mins" + }, + "intent": "Where is the nearest pharmacy from Carnegie Mellon I can walk within 20mins", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Schiller's Pharmacy", + "811", + "South Aiken Avenue", + "Shadyside", + "Pittsburgh" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Schiller's Pharmacy, 811, South Aiken Avenue, Shadyside, Pittsburgh, Allegheny County, 15232, United States" + }, + "intent_template_id": 39 + }, + { + "sites": [ + "map" + ], + "task_id": 237, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Where is the nearest {{location}} from {{location2}} {{condition}}", + "instantiation_dict": { + "location": "gas station", + "location2": "CMU", + "condition": "" + }, + "intent": "Where is the nearest gas station from CMU ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Sunoco", + "North Craig Street", + "North Oakland", + "Pittsburgh" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Sunoco, North Craig Street, North Oakland, Pittsburgh, Allegheny County, 15213, United States" + }, + "intent_template_id": 39 + }, + { + "sites": [ + "shopping" + ], + "task_id": 238, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I am doing a market survey for one stop market, show me the most expensive product from {{product_category}} category", + "instantiation_dict": { + "product_category": "PS4 accessories" + }, + "intent": "I am doing a market survey for one stop market, show me the most expensive product from PS4 accessories category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/astro-gaming-a50-wireless-headset-base-station-gen-4-compatible-with-ps5-ps4-pc-mac-black-silver.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 138 + }, + { + "sites": [ + "shopping" + ], + "task_id": 239, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I am doing a market survey for one stop market, show me the most expensive product from {{product_category}} category", + "instantiation_dict": { + "product_category": "nutrition bars and drinks" + }, + "intent": "I am doing a market survey for one stop market, show me the most expensive product from nutrition bars and drinks category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/kellogg-s-special-k-protein-meal-bars-chocolate-caramel-12-7oz-6-count.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 138 + }, + { + "sites": [ + "shopping" + ], + "task_id": 240, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I am doing a market survey for one stop market, show me the most expensive product from {{product_category}} category", + "instantiation_dict": { + "product_category": "competative swimwear" + }, + "intent": "I am doing a market survey for one stop market, show me the most expensive product from competative swimwear category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/women-cross-flower-beachwear-tankini-bandeau-bandage-bikini-set-push-up-swimwear-bathing-suit-two-pieces-swimsuits.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 138 + }, + { + "sites": [ + "shopping" + ], + "task_id": 241, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I am doing a market survey for one stop market, show me the most expensive product from {{product_category}} category", + "instantiation_dict": { + "product_category": "skin care tool" + }, + "intent": "I am doing a market survey for one stop market, show me the most expensive product from skin care tool category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/professional-medi-spa-scar-stretch-mark-reduction-system.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 138 + }, + { + "sites": [ + "shopping" + ], + "task_id": 242, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I am doing a market survey for one stop market, show me the most expensive product from {{product_category}} category", + "instantiation_dict": { + "product_category": "Household Supplies" + }, + "intent": "I am doing a market survey for one stop market, show me the most expensive product from Household Supplies category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/lynx-battery-12v-200ah-lithium-iron-phosphate-lifepo4-prismatic-deep-cell-battery-set-of-4-3-2v-cells-with-3-bus-bars-and-8-lug-nuts-for-rv-solar-marine-off-grid-applications.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 138 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 243, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the {{information}} of the customer who is the most unhappy with {{product}}", + "instantiation_dict": { + "information": "email address", + "product": "Circe fleece" + }, + "intent": "Show me the email address of the customer who is the most unhappy with Circe fleece", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "hannah.lim@gmail.com" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "hannah.lim@gmail.com" + }, + "intent_template_id": 244 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 244, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the {{information}} of the customer who is the most unhappy with {{product}}", + "instantiation_dict": { + "information": "email address", + "product": "Olivia zip jacket" + }, + "intent": "Show me the email address of the customer who is the most unhappy with Olivia zip jacket", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "emma.lopez@gmail.com" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "emma.lopez@gmail.com" + }, + "intent_template_id": 244 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 245, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the {{information}} of the customer who is the most unhappy with {{product}}", + "instantiation_dict": { + "information": "name", + "product": "Antonia racer tank" + }, + "intent": "Show me the name of the customer who is the most unhappy with Antonia racer tank", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Shaunte" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Shaunte" + }, + "intent_template_id": 244 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 246, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the {{information}} of the customer who is the most unhappy with {{product}}", + "instantiation_dict": { + "information": "name", + "product": "Chloe tank" + }, + "intent": "Show me the name of the customer who is the most unhappy with Chloe tank", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Teofila" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Teofila" + }, + "intent_template_id": 244 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 247, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Show me the {{information}} of the customer who is the most unhappy with {{product}}", + "instantiation_dict": { + "information": "email address", + "product": "the style of Zoe products" + }, + "intent": "Show me the email address of the customer who is the most unhappy with the style of Zoe products", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "Valorie doesn't have a email in the system", + "program_html": [], + "string_note": "There is no negative review for Zoe products", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 244 + }, + { + "sites": [ + "map" + ], + "task_id": 248, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the coordinates of {{location}} in DD format", + "instantiation_dict": { + "location": "Carnegie Mellon Caf\u00e9" + }, + "intent": "Tell me the coordinates of Carnegie Mellon Caf\u00e9 in DD format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.442", + "-79.939" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.4424191, -79.9397388" + }, + "intent_template_id": 46 + }, + { + "sites": [ + "map" + ], + "task_id": 249, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the coordinates of {{location}} in DD format", + "instantiation_dict": { + "location": "Western Pennsylvania Hospital Heliport" + }, + "intent": "Tell me the coordinates of Western Pennsylvania Hospital Heliport in DD format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.460", + "-79.946" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.46076, -79.94666" + }, + "intent_template_id": 46 + }, + { + "sites": [ + "map" + ], + "task_id": 250, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the coordinates of {{location}} in DD format", + "instantiation_dict": { + "location": "Apple Store near Pitt" + }, + "intent": "Tell me the coordinates of Apple Store near Pitt in DD format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.451", + "-79.933" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.4511693, -79.9334241" + }, + "intent_template_id": 46 + }, + { + "sites": [ + "map" + ], + "task_id": 251, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the coordinates of {{location}} in DD format", + "instantiation_dict": { + "location": "bus stop on the Carnegie art museum side of the street near CMU" + }, + "intent": "Tell me the coordinates of bus stop on the Carnegie art museum side of the street near CMU in DD format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.444", + "-79.948" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.4443, -79.94889" + }, + "intent_template_id": 46 + }, + { + "sites": [ + "map" + ], + "task_id": 252, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Tell me the coordinates of {{location}} in DD format", + "instantiation_dict": { + "location": "Tokyo Japanese Food Store in Pittsburgh" + }, + "intent": "Tell me the coordinates of Tokyo Japanese Food Store in Pittsburgh in DD format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.457", + "-79.929" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.45761, -79.92934" + }, + "intent_template_id": 46 + }, + { + "sites": [ + "map" + ], + "task_id": 253, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the {{information}} of {{location}}", + "instantiation_dict": { + "location": "Carnegie Mellon Caf\u00e9", + "information": "phone number" + }, + "intent": "What is the phone number of Carnegie Mellon Caf\u00e9", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no such information in the map", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 501 + }, + { + "sites": [ + "map" + ], + "task_id": 254, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the {{information}} of {{location}}", + "instantiation_dict": { + "location": "Western Pennsylvania Hospital", + "information": "phone number" + }, + "intent": "What is the phone number of Western Pennsylvania Hospital", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "4125785000" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "4125785000" + }, + "intent_template_id": 501 + }, + { + "sites": [ + "map" + ], + "task_id": 255, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Who is the {{information}} of {{location}}", + "instantiation_dict": { + "location": "PIT airport", + "information": "operator" + }, + "intent": "Who is the operator of PIT airport", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Allegheny County Airport Authority" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Allegheny County Airport Authority" + }, + "intent_template_id": 501 + }, + { + "sites": [ + "map" + ], + "task_id": 256, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the {{information}} of {{location}}", + "instantiation_dict": { + "location": "Carnegie art museum in pittsburgh", + "information": "website" + }, + "intent": "What is the website of Carnegie art museum in pittsburgh", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "http://web.cmoa.org/" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "http://web.cmoa.org/" + }, + "intent_template_id": 501 + }, + { + "sites": [ + "map" + ], + "task_id": 257, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What is the {{information}} of {{location}}", + "instantiation_dict": { + "location": "Tokyo Japanese Food Store in Pittsburgh", + "information": "hours of operation" + }, + "intent": "What is the hours of operation of Tokyo Japanese Food Store in Pittsburgh", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "We-Su 10:00-17:00" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "We-Su 10:00-17:00" + }, + "intent_template_id": 501 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 258, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "See all public projects", + "instantiation_dict": {}, + "intent": "See all public projects", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/explore", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 325 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 259, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Get me my RSS feed token", + "instantiation_dict": {}, + "intent": "Get me my RSS feed token", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "TMN_bBn9Z48qVbUFZV45" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "TMN_bBn9Z48qVbUFZV45" + }, + "intent_template_id": 312 + }, + { + "sites": [ + "shopping" + ], + "task_id": 260, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I want to browse the products in the {{category}} category", + "instantiation_dict": { + "category": "Video Game" + }, + "intent": "I want to browse the products in the Video Game category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/video-games.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 211 + }, + { + "sites": [ + "shopping" + ], + "task_id": 261, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I want to browse the products in the {{category}} category", + "instantiation_dict": { + "category": "Headphones" + }, + "intent": "I want to browse the products in the Headphones category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/electronics/headphones.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 211 + }, + { + "sites": [ + "shopping" + ], + "task_id": 262, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I want to browse the products in the {{category}} category", + "instantiation_dict": { + "category": "Men shoes" + }, + "intent": "I want to browse the products in the Men shoes category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/clothing-shoes-jewelry/men/shoes.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 211 + }, + { + "sites": [ + "shopping" + ], + "task_id": 263, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I want to browse the products in the {{category}} category", + "instantiation_dict": { + "category": "Woman clothing" + }, + "intent": "I want to browse the products in the Woman clothing category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/clothing-shoes-jewelry/women/clothing.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 211 + }, + { + "sites": [ + "shopping" + ], + "task_id": 264, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I want to browse the products in the {{category}} category", + "instantiation_dict": { + "category": "Cabinets, Racks & Shelves" + }, + "intent": "I want to browse the products in the Cabinets, Racks & Shelves category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/office-products/office-furniture-lighting/cabinets-racks-shelves.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 211 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 265, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What's the closest national park to {{city}}? How far is it to drive there?", + "instantiation_dict": { + "city": "Boston" + }, + "intent": "What's the closest national park to Boston? How far is it to drive there?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Acadia National Park", + "457km" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Acadia National Park\n457km" + }, + "intent_template_id": 85 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 266, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What's the closest national park to {{city}}?", + "instantiation_dict": { + "city": "the largest city in Maine" + }, + "intent": "What's the closest national park to the largest city in Maine?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Acadia National Park" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Acadia National Park" + }, + "intent_template_id": 85 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 267, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What's the closest national park to {{city}}? How long it takes to drive there?", + "instantiation_dict": { + "city": "the hometown of Stephen King" + }, + "intent": "What's the closest national park to the hometown of Stephen King? How long it takes to drive there?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Acadia National Park" + ], + "fuzzy_match": [ + "1h 23min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Acadia National Park\n1h 23min" + }, + "intent_template_id": 85 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 268, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "What's the closest national park to {{city}}? How long does it take to bike there?", + "instantiation_dict": { + "city": "Vinalhaven, ME" + }, + "intent": "What's the closest national park to Vinalhaven, ME? How long does it take to bike there?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Acadia National Park" + ], + "fuzzy_match": [ + "10h 33min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Acadia National Park\n10h 33min" + }, + "intent_template_id": 85 + }, + { + "sites": [ + "shopping" + ], + "task_id": 269, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me products under ${{price}} in \"{{product_category}}\" category", + "instantiation_dict": { + "price": "25", + "product_category": "women shoes" + }, + "intent": "Show me products under $25 in \"women shoes\" category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/clothing-shoes-jewelry/women/shoes.html?price=0-25", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 139 + }, + { + "sites": [ + "shopping" + ], + "task_id": 270, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me products under ${{price}} in \"{{product_category}}\" category", + "instantiation_dict": { + "price": "30", + "product_category": "men shoes" + }, + "intent": "Show me products under $30 in \"men shoes\" category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/clothing-shoes-jewelry/men/shoes.html?price=0-30", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 139 + }, + { + "sites": [ + "shopping" + ], + "task_id": 271, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me products under ${{price}} in \"{{product_category}}\" category", + "instantiation_dict": { + "price": "46.99", + "product_category": "makeup remover" + }, + "intent": "Show me products under $46.99 in \"makeup remover\" category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/beauty-personal-care/makeup/makeup-remover.html?price=0-46.99", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 139 + }, + { + "sites": [ + "shopping" + ], + "task_id": 272, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me products under ${{price}} in \"{{product_category}}\" category", + "instantiation_dict": { + "price": "78", + "product_category": "children dental care" + }, + "intent": "Show me products under $78 in \"children dental care\" category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/beauty-personal-care/oral-care/children-s-dental-care.html?price=0-78", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 139 + }, + { + "sites": [ + "shopping" + ], + "task_id": 273, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me products under ${{price}} in \"{{product_category}}\" category", + "instantiation_dict": { + "price": "199", + "product_category": "furtiture with accent" + }, + "intent": "Show me products under $199 in \"furtiture with accent\" category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/home-kitchen/furniture/accent-furniture.html?price=0-199", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 139 + }, + { + "sites": [ + "shopping" + ], + "task_id": 274, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Search for \"{{keyword}}\"", + "instantiation_dict": { + "keyword": "usb wifi" + }, + "intent": "Search for \"usb wifi\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/?q=usb+wifi", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 212 + }, + { + "sites": [ + "shopping" + ], + "task_id": 275, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Search for \"{{keyword}}\"", + "instantiation_dict": { + "keyword": "xbox" + }, + "intent": "Search for \"xbox\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/?q=xbox", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 212 + }, + { + "sites": [ + "shopping" + ], + "task_id": 276, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Search for \"{{keyword}}\"", + "instantiation_dict": { + "keyword": "switch accessories" + }, + "intent": "Search for \"switch accessories\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/?q=switch+accessories", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 212 + }, + { + "sites": [ + "shopping" + ], + "task_id": 277, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Search for \"{{keyword}}\"", + "instantiation_dict": { + "keyword": "batteries for iphone 13" + }, + "intent": "Search for \"batteries for iphone 13\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/?q=iphone+13", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 212 + }, + { + "sites": [ + "shopping" + ], + "task_id": 278, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Search for \"{{keyword}}\"", + "instantiation_dict": { + "keyword": "green tea bag for weight loss" + }, + "intent": "Search for \"green tea bag for weight loss\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/?q=green+tea+bag+for+weight+loss", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 212 + }, + { + "sites": [ + "shopping" + ], + "task_id": 279, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Provide me with the complete names of Bluetooth headphones from Sony, and also share the price range for the available models", + "instantiation_dict": {}, + "intent": "Provide me with the complete names of Bluetooth headphones from Sony, and also share the price range for the available models", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "SONY WH1000XM3 Bluetooth Wireless Noise Canceling Headphones Silver WH-1000XM3/S (Renewed)", + "Sony WH-CH710N/H Wireless Bluetooth Noise Cancelling Headphones", + "Sony WH-1000XM3B Wireless Bluetooth Noise-Canceling Over-Ear Headphones (Black) Basic Headphone Bundle Kit with Stylus", + "Sony Wireless Headphones WH-CH510: Wireless Bluetooth On-Ear Headset with Mic for Phone-Call, Black", + "Sony WHCH710N Wireless Bluetooth Noise Canceling Over-The-Ear Headphones (Black) with Kratos 18W PD Two-Port Power Adapter and Kratos 6-Feet Nylon Braided USB-C Cable Bundle (3 Items)", + "Sony WI-SP500 Wireless in-Ear Sports Headphones, White (WISP500/W)", + "Sony WI-SP510 Extra BASS Wireless in-Ear Headset/Headphones with mic for Phone Call Sports IPX5 Bluetooth, Black (WISP510/B)", + "Sony MDRAS600BT Active Sports Bluetooth Headset (Black)", + "Sony WH-1000XM4 Wireless Noise Canceling Over-Ear Headphones (Black) with Sony WLA-NS7 Wireless TV Adapter Bundle (2 Items)", + "Sony WI-C300 Wireless In-Ear Headphones, Red (WIC300/R)", + "Sony XB950N1 Extra Bass Wireless Noise Canceling Headphones, Black", + "SONY - H900N Hi-Res Noise Cancelling Wireless Headphone Grayish Black Renewed", + "18.99", + "406" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "These models are avaiable: SONY WH1000XM3 Bluetooth Wireless Noise Canceling Headphones Silver WH-1000XM3/S (Renewed) Sony WH-CH710N/H Wireless Bluetooth Noise Cancelling Headphones Sony WH-1000XM3B Wireless Bluetooth Noise-Canceling Over-Ear Headphones (Black) Basic Headphone Bundle Kit with Stylus Sony Wireless Headphones WH-CH510: Wireless Bluetooth On-Ear Headset with Mic for Phone-Call, Black Sony WHCH710N Wireless Bluetooth Noise Canceling Over-The-Ear Headphones (Black) with Kratos 18W PD Two-Port Power Adapter and Kratos 6-Feet Nylon Braided USB-C Cable Bundle (3 Items) Sony WI-SP500 Wireless in-Ear Sports Headphones, White (WISP500/W) Sony WI-SP510 Extra BASS Wireless in-Ear Headset/Headphones with mic for Phone Call Sports IPX5 Bluetooth, Black (WISP510/B) Sony MDRAS600BT Active Sports Bluetooth Headset (Black) Sony WH-1000XM4 Wireless Noise Canceling Over-Ear Headphones (Black) with Sony WLA-NS7 Wireless TV Adapter Bundle (2 Items) Sony WI-C300 Wireless In-Ear Headphones, Red (WIC300/R) Sony XB950N1 Extra Bass Wireless Noise Canceling Headphones, Black SONY - H900N Hi-Res Noise Cancelling Wireless Headphone Grayish Black Renewed The price ranges from $18.99 to $406 " + }, + "intent_template_id": 204 + }, + { + "sites": [ + "shopping" + ], + "task_id": 280, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Provide me with the full names of chargers from Anker, and also share the price range for the available models", + "instantiation_dict": {}, + "intent": "Provide me with the full names of chargers from Anker, and also share the price range for the available models", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Anker USB C Charger 30W, 711 Charger, Compact Fast Charger (Not Foldable) for MacBook Air/iPhone 13/13 Mini/13 Pro/13 Pro Max/12, Galaxy S21, Note 20, iPad Pro, Pixel, and More", + "Anker USB C Charger 40W, 521 Charger (Nano Pro), PIQ 3.0 Durable Compact Fast Charger (Not Foldable) for iPhone 13/13 Mini/13 Pro/13 Pro Max/12, Galaxy, Pixel 4/3, iPad/iPad Mini (Cable Not Included)", + "Anker PowerCore Speed 20000, 20000mAh Qualcomm Quick Charge 3.0 & PowerIQ Portable Charger, with Quick Charge Recharging, Power Bank for Samsung, iPhone, iPad and More, Black (A1278)", + "5Ft Micro-USB Charger Cord Cable Fit for Anker-PowerCore 5000 10000 20100 13000 26800 Mini 3350 Fusion II 15000 Redux 20000 Slim 10000 Astro E1 AC Replacement Power Adapter Supply", + "Anker 10W Max Wireless Charger, 313 Wireless Charger (Pad), Qi-Certified Wireless Charging 7.5W for iPhone 12/12 Pro/12 mini/12 Pro Max, 10W for Galaxy S10 S9 S8, S9 Plus, Note 9 (No AC Adapter)", + "Anker Wireless Charger, 313 Wireless Charger (Stand), Qi-Certified for iPhone 12, 12 Pro Max, SE, 11, 11 Pro, 11 Pro Max, XR, XS Max, 10W Fast-Charging Galaxy S20, S10 (No AC Adapter)", + "USB Charger, Anker Elite Dual Port 24W Wall Charger, PowerPort 2 with PowerIQ and Foldable Plug, for iPhone 11/Xs/XS Max/XR/X/8/7/6/Plus, iPad Pro/Air 2/Mini 3/Mini 4, Samsung S4/S5, and More", + "iPhone 12 Charger [GaN Tech], Anker 30W Compact USB-C Wall Charger with Power Delivery, PowerPort Atom for iPhone 12 / Mini/Pro/Pro Max / 11 / X/XS/XR, iPad Pro, MacBook 12'', Pixel, Galaxy", + "USB C Charger, Anker 30W 2 Port Fast Charger with 18W USB C Power Adapter, Foldable PowerPort PD 2 Charger for iPad Pro, iPhone 11/11 Pro / 11 Pro Max/XS/Max/XR/X, Pixel, Galaxy, and More", + "Anker 40W 5-Port USB Wall Charger, PowerPort 5 for iPhone XS / XS Max / XR / X / 8 / 7 / 6 / Plus, iPad Pro / Air 2 / mini, Galaxy S9 / S8 / Edge / Plus, Note 8 / 7, LG, Nexus, HTC and More, Black (AK-A2124111)", + "Anker Quick Charge 3.0 39W Dual USB Wall Charger, PowerPort Speed 2 for Galaxy S10/S9/S8/Edge/Plus, Note 8/7 and PowerIQ for iPhone Xs/XS Max/XR/X/8/Plus, iPad Pro/Air 2/Mini, LG, Nexus, HTC and More", + "USB C Charger, Anker 20W PIQ 3.0 Fast Charger with Foldable Plug, PowerPort III Charger for iPhone 13/13 Mini/13 Pro/13 Pro Max/12/11, iPad/iPad Mini, MagSafe, and More (Cable Not Included)", + "8.99", + "59.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "These models are availiable: Anker USB C Charger 30W, 711 Charger, Compact Fast Charger (Not Foldable) for MacBook Air/iPhone 13/13 Mini/13 Pro/13 Pro Max/12, Galaxy S21, Note 20, iPad Pro, Pixel, and More Anker USB C Charger 40W, 521 Charger (Nano Pro), PIQ 3.0 Durable Compact Fast Charger (Not Foldable) for iPhone 13/13 Mini/13 Pro/13 Pro Max/12, Galaxy, Pixel 4/3, iPad/iPad Mini (Cable Not Included) Anker PowerCore Speed 20000, 20000mAh Qualcomm Quick Charge 3.0 & PowerIQ Portable Charger, with Quick Charge Recharging, Power Bank for Samsung, iPhone, iPad and More, Black (A1278) 5Ft Micro-USB Charger Cord Cable Fit for Anker-PowerCore 5000 10000 20100 13000 26800 Mini 3350 Fusion II 15000 Redux 20000 Slim 10000 Astro E1 AC Replacement Power Adapter Supply Anker 10W Max Wireless Charger, 313 Wireless Charger (Pad), Qi-Certified Wireless Charging 7.5W for iPhone 12/12 Pro/12 mini/12 Pro Max, 10W for Galaxy S10 S9 S8, S9 Plus, Note 9 (No AC Adapter) Anker Wireless Charger, 313 Wireless Charger (Stand), Qi-Certified for iPhone 12, 12 Pro Max, SE, 11, 11 Pro, 11 Pro Max, XR, XS Max, 10W Fast-Charging Galaxy S20, S10 (No AC Adapter) USB Charger, Anker Elite Dual Port 24W Wall Charger, PowerPort 2 with PowerIQ and Foldable Plug, for iPhone 11/Xs/XS Max/XR/X/8/7/6/Plus, iPad Pro/Air 2/Mini 3/Mini 4, Samsung S4/S5, and More iPhone 12 Charger [GaN Tech], Anker 30W Compact USB-C Wall Charger with Power Delivery, PowerPort Atom for iPhone 12 / Mini/Pro/Pro Max / 11 / X/XS/XR, iPad Pro, MacBook 12'', Pixel, Galaxy USB C Charger, Anker 30W 2 Port Fast Charger with 18W USB C Power Adapter, Foldable PowerPort PD 2 Charger for iPad Pro, iPhone 11/11 Pro / 11 Pro Max/XS/Max/XR/X, Pixel, Galaxy, and More Anker 40W 5-Port USB Wall Charger, PowerPort 5 for iPhone XS / XS Max / XR / X / 8 / 7 / 6 / Plus, iPad Pro / Air 2 / mini, Galaxy S9 / S8 / Edge / Plus, Note 8 / 7, LG, Nexus, HTC and More, Black (AK-A2124111) Anker Quick Charge 3.0 39W Dual USB Wall Charger, PowerPort Speed 2 for Galaxy S10/S9/S8/Edge/Plus, Note 8/7 and PowerIQ for iPhone Xs/XS Max/XR/X/8/Plus, iPad Pro/Air 2/Mini, LG, Nexus, HTC and More USB C Charger, Anker 20W PIQ 3.0 Fast Charger with Foldable Plug, PowerPort III Charger for iPhone 13/13 Mini/13 Pro/13 Pro Max/12/11, iPad/iPad Mini, MagSafe, and More (Cable Not Included) Magnetic Wireless Charger, Anker Wireless Charger with 5ft Built-in USB-C Cable, PowerWave Magnetic Pad, 7.5W Charging for iPhone 13 / 13 Pro / 13 Pro Max / 13 mini / 12 / 12 Pro (No AC Adapter) USB C Super Fast Charger, Anker 25W PD Wall Charger Fast Charging for Samsung Galaxy S21/S21+/S21 Ultra/S20/Z Flip/Note20/20 Ultra/Note10/10+/S9/S8/S10e, iPad Pro 12.9, and More (Cable not Included) The price ranges from $8.99 to $59.99" + }, + "intent_template_id": 204 + }, + { + "sites": [ + "shopping" + ], + "task_id": 281, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Please provide me with the complete product names of Oral B brush heads designed for children, along with their corresponding price range per brush", + "instantiation_dict": {}, + "intent": "Please provide me with the complete product names of Oral B brush heads designed for children, along with their corresponding price range per brush", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Oral-B Kids Extra Soft Replacement Brush Heads featuring STAR WARS, 2 count", + "Kids By Oral-b Stages Power Star Wars Replacement Heads 4 Pack", + "3.745", + "6.495" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "These models are availiable: Oral-B Kids Extra Soft Replacement Brush Heads featuring STAR WARS, 2 count Kids By Oral-b Stages Power Star Wars Replacement Heads 4 Pack The price ranges from $3.745 to $6.495 " + }, + "intent_template_id": 204 + }, + { + "sites": [ + "shopping" + ], + "task_id": 282, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List the full product names of slide slippers from Nike and tell me the price range of the available products", + "instantiation_dict": {}, + "intent": "List the full product names of slide slippers from Nike and tell me the price range of the available products", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Nike Men's Air Max Camden Slide Sandal", + "Nike Men's Benassi JDI Fanny Pack Slides", + "Nike Victori One Mens Comfort Slide Cn9675-003 (Midnight Navy/Midnight Navy/White, Numeric_10)", + "Nike Offcourt Slide Mens Bq4639-002 Size 12", + "Nike Jordan Men's Break Slide Red AR6374-602", + "Nike Victori One Slide Mens Style : Dd9559-300", + "Nike Men's Benassi Solarsoft Slide Athletic Sandal (Black/White, numeric_14)", + "Nike Men's Benassi Solarsoft Slide Athletic Sandal (Midnight Navy/Blue, numeric_8)", + "Nike womens Benassi Just Do It", + "27.6", + "90.65" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "These models are availiable: Nike Men's Air Max Camden Slide Sandal Nike Men's Benassi JDI Fanny Pack Slides Nike Victori One Mens Comfort Slide Cn9675-003 (Midnight Navy/Midnight Navy/White, Numeric_10) Nike Offcourt Slide Mens Bq4639-002 Size 12 Nike Jordan Men's Break Slide Red AR6374-602 Nike Victori One Slide Mens Style : Dd9559-300 Nike Men's Benassi Solarsoft Slide Athletic Sandal (Black/White, numeric_14) Nike Men's Benassi Solarsoft Slide Athletic Sandal (Midnight Navy/Blue, numeric_8) Nike womens Benassi Just Do It The price ranges from $27.6 to $90.65" + }, + "intent_template_id": 204 + }, + { + "sites": [ + "shopping" + ], + "task_id": 283, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Look up the most recent models of XBox controllers released between 2020-2021?", + "instantiation_dict": {}, + "intent": "Look up the most recent models of XBox controllers released between 2020-2021?", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/microsoft-xbox-controller-carbon-black-for-series-x-series-s-xbox-one-windows-10-android-ios-bundled-with-dual-port-charging-dock-xbox-controller-skin-voucher-premgear-cloth.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 210 + }, + { + "sites": [ + "shopping" + ], + "task_id": 284, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the least expensive {{product}} with a minimum storage capacity of {{min_storage}}.", + "instantiation_dict": { + "product": "shoe storage", + "min_storage": "12 pairs" + }, + "intent": "Show the least expensive shoe storage with a minimum storage capacity of 12 pairs.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/onlyeasy-over-the-door-shoe-storage-organizer-hanging-shoe-rack-holder-with-24-large-fabric-pockets-22-1-x-61-4-herringbone-grey-mxrodsb1p.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 207 + }, + { + "sites": [ + "shopping" + ], + "task_id": 285, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the least expensive {{product}} with a minimum storage capacity of {{min_storage}}.", + "instantiation_dict": { + "product": "switch card holder", + "min_storage": "15 cards" + }, + "intent": "Show the least expensive switch card holder with a minimum storage capacity of 15 cards.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/game-card-holder-storage-case-for-nintendo-switch-games-or-ps-vita-game-case-or-sd-memory-cards-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 207 + }, + { + "sites": [ + "shopping" + ], + "task_id": 286, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the least expensive {{product}} with a minimum storage capacity of {{min_storage}}.", + "instantiation_dict": { + "product": "ssd hard drive", + "min_storage": "1TB" + }, + "intent": "Show the least expensive ssd hard drive with a minimum storage capacity of 1TB.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/external-hard-drive-2tb-ultra-thin-external-hard-drive-2000gb-ultra-high-speed-portable-3-1-type-c-storage-drive-compatible-with-pc-laptop-and-mac-2tb-a1.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 207 + }, + { + "sites": [ + "map" + ], + "task_id": 287, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "How much time does it take from Pittsburgh to Philadelphia by car?", + "instantiation_dict": {}, + "intent": "How much time does it take from Pittsburgh to Philadelphia by car?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "5h 47min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "5h 47min" + }, + "intent_template_id": 47 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 288, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the customer who has the most cancellations in the history", + "instantiation_dict": { + "attribute": "name" + }, + "intent": "Tell me the name of the customer who has the most cancellations in the history", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Samantha Jones" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Samantha Jones" + }, + "intent_template_id": 234 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 289, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the customer who has the most cancellations in the history", + "instantiation_dict": { + "attribute": "email address, name, phone number" + }, + "intent": "Tell me the email address, name, phone number of the customer who has the most cancellations in the history", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "email: coolcat321@hotmail.com", + "name: Samantha Jones", + "phone number: 3055551212" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "email: coolcat321@hotmail.com name: Samantha Jones phone number: 3055551212" + }, + "intent_template_id": 234 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 290, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the customer who has the most cancellations in the history", + "instantiation_dict": { + "attribute": "product SKUs in the most recent cancelled orders" + }, + "intent": "Tell me the product SKUs in the most recent cancelled orders of the customer who has the most cancellations in the history", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "WSH09-29-White", + "WSH09-28-Green", + "MSH11-34-Blue", + "WP09-29-Purple" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "WSH09-29-White,WSH09-28-Green,MSH11-34-Blue,WP09-29-Purple" + }, + "intent_template_id": 234 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 291, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the customer who has the most cancellations in the history", + "instantiation_dict": { + "attribute": "total spend on products in the most recent cancelled orders" + }, + "intent": "Tell me the total spend on products in the most recent cancelled orders of the customer who has the most cancellations in the history", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "148" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$148" + }, + "intent_template_id": 234 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 292, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the customer who has the most cancellations in the history", + "instantiation_dict": { + "attribute": "total number of cancellations" + }, + "intent": "Tell me the total number of cancellations of the customer who has the most cancellations in the history", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "9" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "9" + }, + "intent_template_id": 234 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 293, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Show me the command to clone {{repo}} with SSH.", + "instantiation_dict": { + "repo": "Super_Awesome_Robot" + }, + "intent": "Show me the command to clone Super_Awesome_Robot with SSH.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/convexegg/super_awesome_robot.git" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/convexegg/super_awesome_robot.git" + }, + "intent_template_id": 329 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 294, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Show me the command to clone {{repo}} with SSH.", + "instantiation_dict": { + "repo": "ChatGPT" + }, + "intent": "Show me the command to clone ChatGPT with SSH.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/convexegg/chatgpt.git" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/convexegg/chatgpt.git" + }, + "intent_template_id": 329 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 295, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Show me the command to clone {{repo}} with SSH.", + "instantiation_dict": { + "repo": "metaseq" + }, + "intent": "Show me the command to clone metaseq with SSH.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/root/metaseq.git" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/root/metaseq.git" + }, + "intent_template_id": 329 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 296, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Show me the command to clone {{repo}} with SSH.", + "instantiation_dict": { + "repo": "the best GAN python implementation" + }, + "intent": "Show me the command to clone the best GAN python implementation with SSH.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "ssh://git@metis.lti.cs.cmu.edu:2222/eriklindernoren/PyTorch-GAN.git" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "ssh://git@metis.lti.cs.cmu.edu:2222/eriklindernoren/PyTorch-GAN.git" + }, + "intent_template_id": 329 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 297, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Show me the command to clone {{repo}} with SSH.", + "instantiation_dict": { + "repo": "the most stared Covid location tracker" + }, + "intent": "Show me the command to clone the most stared Covid location tracker with SSH.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "ssh://git@metis.lti.cs.cmu.edu:2222/yjlou/2019-nCov.git" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "ssh://git@metis.lti.cs.cmu.edu:2222/yjlou/2019-nCov.git" + }, + "intent_template_id": 329 + }, + { + "sites": [ + "shopping" + ], + "task_id": 298, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the most recent {{status}} order", + "instantiation_dict": { + "status": "completed" + }, + "intent": "Show the most recent completed order", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/sales/order/view/order_id/180/", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 180 + }, + { + "sites": [ + "shopping" + ], + "task_id": 299, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the most recent {{status}} order", + "instantiation_dict": { + "status": "cancelled" + }, + "intent": "Show the most recent cancelled order", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/sales/order/view/order_id/170/", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 180 + }, + { + "sites": [ + "shopping" + ], + "task_id": 300, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the most recent {{status}} order", + "instantiation_dict": { + "status": "pending" + }, + "intent": "Show the most recent pending order", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/sales/order/view/order_id/189/", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 180 + }, + { + "sites": [ + "shopping" + ], + "task_id": 301, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the most recent {{status}} order", + "instantiation_dict": { + "status": "processing" + }, + "intent": "Show the most recent processing order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": {"fuzzy_match": "N/A"}, + "reference_url": "", + "program_html": [], + "string_note": "there is no order in processing" + }, + "intent_template_id": 180 + }, + { + "sites": [ + "shopping" + ], + "task_id": 302, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show the most recent {{status}} order", + "instantiation_dict": { + "status": "out of delivery" + }, + "intent": "Show the most recent out of delivery order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": {"fuzzy_match": "N/A"}, + "reference_url": "", + "program_html": [], + "string_note": "there is no order in processing" + }, + "intent_template_id": 180 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 303, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make {{period}}?", + "instantiation_dict": { + "user": "Kilian", + "period": "durning 2023" + }, + "intent": "How many commits did Kilian make durning 2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 321 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 304, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make {{period}}?", + "instantiation_dict": { + "user": "Eric", + "period": "between Feb 2023 and May 2023" + }, + "intent": "How many commits did Eric make between Feb 2023 and May 2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "14" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "14" + }, + "intent_template_id": 321 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 305, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make {{period}}?", + "instantiation_dict": { + "user": "Philip", + "period": "in 2023/1" + }, + "intent": "How many commits did Philip make in 2023/1?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 321 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 306, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make {{period}}?", + "instantiation_dict": { + "user": "Anthony", + "period": "between 08/2022-09/2022" + }, + "intent": "How many commits did Anthony make between 08/2022-09/2022?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 321 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 307, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make {{period}}?", + "instantiation_dict": { + "user": "Nic", + "period": "in April 2021" + }, + "intent": "How many commits did Nic make in April 2021?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "16" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "16" + }, + "intent_template_id": 321 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 308, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me who has made the most contributions, in terms of number of commits, to the {{repo}} project", + "instantiation_dict": { + "repo": "primer/design" + }, + "intent": "Tell me who has made the most contributions, in terms of number of commits, to the primer/design project", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Shawn Allen" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Shawn Allen" + }, + "intent_template_id": 323 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 309, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me who has made the most contributions, in terms of number of commits, to the {{repo}} project", + "instantiation_dict": { + "repo": "thoughtbot/administrate" + }, + "intent": "Tell me who has made the most contributions, in terms of number of commits, to the thoughtbot/administrate project", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Grayson Wright" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Grayson Wright" + }, + "intent_template_id": 323 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 310, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me who has made the most contributions, in terms of number of commits, to the {{repo}} project", + "instantiation_dict": { + "repo": "AndroidSlidingUpPanel" + }, + "intent": "Tell me who has made the most contributions, in terms of number of commits, to the AndroidSlidingUpPanel project", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "tokudu" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "tokudu" + }, + "intent_template_id": 323 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 311, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me who has made the most contributions, in terms of number of commits, to the {{repo}} project", + "instantiation_dict": { + "repo": "Pytorch GAN" + }, + "intent": "Tell me who has made the most contributions, in terms of number of commits, to the Pytorch GAN project", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Erik Linder-Nor\u00e9n" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Erik Linder-Nor\u00e9n" + }, + "intent_template_id": 323 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 312, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Tell me who has made the most contributions, in terms of number of commits, to the {{repo}} project", + "instantiation_dict": { + "repo": "csvkit" + }, + "intent": "Tell me who has made the most contributions, in terms of number of commits, to the csvkit project", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Christopher Groskopf" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Christopher Groskopf" + }, + "intent_template_id": 323 + }, + { + "sites": [ + "shopping" + ], + "task_id": 313, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Which number to call for the customer service?", + "instantiation_dict": {}, + "intent": "Which number to call for the customer service?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no phone number in the website", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 134 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 314, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "List the {{attribute}} of the top 3 contributors to {{repo}} repo, ranked by the number of commits?", + "instantiation_dict": { + "repo": "prime/design", + "attribute": "name" + }, + "intent": "List the name of the top 3 contributors to prime/design repo, ranked by the number of commits?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Shawn Allen", + "Inayaili Le\u00f3n", + "Aurora Pleguezuelo" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Shawn Allen, Inayaili Le\u00f3n, Aurora Pleguezuelo" + }, + "intent_template_id": 324 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 315, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "List the {{attribute}} of the top 3 contributors to {{repo}} repo, ranked by the number of commits?", + "instantiation_dict": { + "repo": "Pytorch GAN", + "attribute": "email address" + }, + "intent": "List the email address of the top 3 contributors to Pytorch GAN repo, ranked by the number of commits?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "eriklindernoren@live.se", + "eriklindernoren@gmail.com", + "pinnacle.chen@qq.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "eriklindernoren@live.se, eriklindernoren@gmail.com, pinnacle.chen@qq.com" + }, + "intent_template_id": 324 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 316, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "List the {{attribute}} of the top 3 contributors to {{repo}} repo, ranked by the number of commits?", + "instantiation_dict": { + "repo": "facebook's guide on building react apps", + "attribute": "name" + }, + "intent": "List the name of the top 3 contributors to facebook's guide on building react apps repo, ranked by the number of commits?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Ian Sutherland", + "Joe Hadda", + "Dan Abramov" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Ian Sutherland, Joe Hadda, Dan Abramov" + }, + "intent_template_id": 324 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 317, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "List the {{attribute}} of the top 3 contributors to {{repo}} repo, ranked by the number of commits?", + "instantiation_dict": { + "repo": "metaseq", + "attribute": "name and number of commits" + }, + "intent": "List the name and number of commits of the top 3 contributors to metaseq repo, ranked by the number of commits?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Susan Zhang: 70", + "Stephen Roller: 51", + "Peter Albert: 12" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Susan Zhang: 70, Stephen Roller: 51, Peter Albert: 12" + }, + "intent_template_id": 324 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 318, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "List the {{attribute}} of the top 3 contributors to {{repo}} repo, ranked by the number of commits?", + "instantiation_dict": { + "repo": "2019-nCov", + "attribute": "last names" + }, + "intent": "List the last names of the top 3 contributors to 2019-nCov repo, ranked by the number of commits?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Lo", + "Chen", + "Chu" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lo, Chen, Chu" + }, + "intent_template_id": 324 + }, + { + "sites": [ + "shopping" + ], + "task_id": 319, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much refund I should expect from my order canlled in {{time}}, including shipping fee", + "instantiation_dict": { + "time": "April 2022" + }, + "intent": "How much refund I should expect from my order canlled in April 2022, including shipping fee", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 160 + }, + { + "sites": [ + "shopping" + ], + "task_id": 320, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much refund I should expect from my order canlled in {{time}}, including shipping fee", + "instantiation_dict": { + "time": "Feb 2023" + }, + "intent": "How much refund I should expect from my order canlled in Feb 2023, including shipping fee", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "406.53" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "406.53" + }, + "intent_template_id": 160 + }, + { + "sites": [ + "shopping" + ], + "task_id": 321, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much refund I should expect from my order canlled in {{time}}, including shipping fee", + "instantiation_dict": { + "time": "2022" + }, + "intent": "How much refund I should expect from my order canlled in 2022, including shipping fee", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "3053.97" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3053.97" + }, + "intent_template_id": 160 + }, + { + "sites": [ + "shopping" + ], + "task_id": 322, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much refund I should expect from my order canlled in {{time}} if I cannot get the shipping fee refunded?", + "instantiation_dict": { + "time": "May 2023" + }, + "intent": "How much refund I should expect from my order canlled in May 2023 if I cannot get the shipping fee refunded?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "350.42" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "350.42" + }, + "intent_template_id": 160 + }, + { + "sites": [ + "shopping" + ], + "task_id": 323, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much refund I should expect from my order canlled in {{time}}? I only kept the AC-DC Adapter and the shop told me that I cannot get the shipping fee back", + "instantiation_dict": { + "time": "2022/03" + }, + "intent": "How much refund I should expect from my order canlled in 2022/03? I only kept the AC-DC Adapter and the shop told me that I cannot get the shipping fee back", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "264.49" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "264.49" + }, + "intent_template_id": 160 + }, + { + "sites": [ + "shopping" + ], + "task_id": 324, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the \"{{product}}\" listings by {{sorting_order}}.", + "instantiation_dict": { + "product": "chairs", + "sorting_order": "ascending price" + }, + "intent": "Show me the \"chairs\" listings by ascending price.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/index/?product_list_order=price&q=chairs&product_list_dir=asc", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 208 + }, + { + "sites": [ + "shopping" + ], + "task_id": 325, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the \"{{product}}\" listings by {{sorting_order}}.", + "instantiation_dict": { + "product": "mouth night guard", + "sorting_order": "descending price" + }, + "intent": "Show me the \"mouth night guard\" listings by descending price.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/index/?q=mouth%20night%20guard%20&product_list_order=price", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 208 + }, + { + "sites": [ + "shopping" + ], + "task_id": 326, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the \"{{product}}\" listings by {{sorting_order}}.", + "instantiation_dict": { + "product": "Canon photo printer", + "sorting_order": "search relevance, from most to least" + }, + "intent": "Show me the \"Canon photo printer\" listings by search relevance, from most to least.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/?q=Canon+photo+printer", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 208 + }, + { + "sites": [ + "shopping" + ], + "task_id": 327, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the \"{{product}}\" listings by {{sorting_order}}.", + "instantiation_dict": { + "product": "iphone 12 phone case", + "sorting_order": "name alphabetically" + }, + "intent": "Show me the \"iphone 12 phone case\" listings by name alphabetically.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/index/?q=%20iphone%2012%20phone%20case&product_list_order=name", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 208 + }, + { + "sites": [ + "shopping" + ], + "task_id": 328, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the \"{{product}}\" listings by {{sorting_order}}.", + "instantiation_dict": { + "product": "iphone 12 phone case", + "sorting_order": "price" + }, + "intent": "Show me the \"iphone 12 phone case\" listings by price.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/catalogsearch/result/index/?product_list_order=price&q=%20iphone%2012%20phone%20case", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 208 + }, + { + "sites": [ + "shopping" + ], + "task_id": 329, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spend {{time}} on shopping at One Stop Market?", + "instantiation_dict": { + "time": "on 4/19/2023" + }, + "intent": "How much I spend on 4/19/2023 on shopping at One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 147 + }, + { + "sites": [ + "shopping" + ], + "task_id": 330, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spend {{time}} on shopping at One Stop Market?", + "instantiation_dict": { + "time": "in March 2023" + }, + "intent": "How much I spend in March 2023 on shopping at One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "81.31" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "81.31" + }, + "intent_template_id": 147 + }, + { + "sites": [ + "shopping" + ], + "task_id": 331, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spend {{time}} on shopping at One Stop Market?", + "instantiation_dict": { + "time": "in July 2022" + }, + "intent": "How much I spend in July 2022 on shopping at One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.16" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.16" + }, + "intent_template_id": 147 + }, + { + "sites": [ + "shopping" + ], + "task_id": 332, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much I spend {{time}} on shopping at One Stop Market?", + "instantiation_dict": { + "time": "each month from Jan to the end of March 2023" + }, + "intent": "How much I spend each month from Jan to the end of March 2023 on shopping at One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Jan: 572.8", + "Feb: 762.18", + "Mar: 83.31" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Jan: 572.8\nFeb: 762.18\nMar: 83.31" + }, + "intent_template_id": 147 + }, + { + "sites": [ + "shopping" + ], + "task_id": 333, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "How much did I spend on shopping at One Stop Market {{time}}? They gave me a 20% discount on the total amount for orders exceeding $200 in cash", + "instantiation_dict": { + "time": "on November 2022" + }, + "intent": "How much did I spend on shopping at One Stop Market on November 2022? They gave me a 20% discount on the total amount for orders exceeding $200 in cash", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "359.546" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "359.546" + }, + "intent_template_id": 147 + }, + { + "sites": [ + "shopping" + ], + "task_id": 334, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me when I last ordered my {{description}}?", + "instantiation_dict": { + "description": "muffin cornbread mix" + }, + "intent": "Tell me when I last ordered my muffin cornbread mix?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "March 11th 2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "March 11th 2023" + }, + "intent_template_id": 169 + }, + { + "sites": [ + "shopping" + ], + "task_id": 335, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me when I last ordered my {{description}}?", + "instantiation_dict": { + "description": "body butter" + }, + "intent": "Tell me when I last ordered my body butter?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "January 16th 2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "January 16th 2023" + }, + "intent_template_id": 169 + }, + { + "sites": [ + "shopping" + ], + "task_id": 336, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me when I last ordered my {{description}}?", + "instantiation_dict": { + "description": "conditioner" + }, + "intent": "Tell me when I last ordered my conditioner?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "January 16th 2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "January 16th 2023" + }, + "intent_template_id": 169 + }, + { + "sites": [ + "shopping" + ], + "task_id": 337, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me when I last ordered my {{description}}?", + "instantiation_dict": { + "description": "bread olive" + }, + "intent": "Tell me when I last ordered my bread olive?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "December 12th 2022" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "December 12th 2022" + }, + "intent_template_id": 169 + }, + { + "sites": [ + "shopping" + ], + "task_id": 338, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Tell me when I last ordered my {{description}}?", + "instantiation_dict": { + "description": "toothpaste" + }, + "intent": "Tell me when I last ordered my toothpaste?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "December 4th 2022" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "December 4th 2022" + }, + "intent_template_id": 169 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 339, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "List all opened issues {{description}}", + "instantiation_dict": { + "description": "that report bugs" + }, + "intent": "List all opened issues that report bugs", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues/?label_name%5B%5D=bug", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 299 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 340, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "List all opened issues {{description}}", + "instantiation_dict": { + "description": "that report bugs" + }, + "intent": "List all opened issues that report bugs", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/issues/?label_name%5B%5D=type%3A%20bug%20%F0%9F%90%9E", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 299 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 341, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq", + "geolocation": null, + "intent_template": "List all opened issues {{description}}", + "instantiation_dict": { + "description": "requesting new features" + }, + "intent": "List all opened issues requesting new features", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq/-/issues/?label_name%5B%5D=enhancement", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 299 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 342, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq", + "geolocation": null, + "intent_template": "List all opened issues {{description}}", + "instantiation_dict": { + "description": "that ask about OPT model related questions" + }, + "intent": "List all opened issues that ask about OPT model related questions", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq/-/issues/?search=OPT&label_name%5B%5D=question", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 299 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 343, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq", + "geolocation": null, + "intent_template": "List all opened issues {{description}}", + "instantiation_dict": { + "description": "that don't have any labels" + }, + "intent": "List all opened issues that don't have any labels", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq/-/issues/?label_name%5B%5D=None", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 299 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 344, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "How many reviews our shop received {{time}}?", + "instantiation_dict": { + "time": "by far" + }, + "intent": "How many reviews our shop received by far?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "351" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "351" + }, + "intent_template_id": 248 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 345, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "How many reviews our shop received {{time}}?", + "instantiation_dict": { + "time": "in Apr 2023" + }, + "intent": "How many reviews our shop received in Apr 2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "351" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "351" + }, + "intent_template_id": 248 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 346, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "How many reviews our shop received {{time}}?", + "instantiation_dict": { + "time": "during 2022" + }, + "intent": "How many reviews our shop received during 2022?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 248 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 347, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "How many reviews our shop received {{time}}?", + "instantiation_dict": { + "time": "from the beginning of the shop" + }, + "intent": "How many reviews our shop received from the beginning of the shop?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "351" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "351" + }, + "intent_template_id": 248 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 348, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "How many reviews our shop received {{time}}?", + "instantiation_dict": { + "time": "in May 2023" + }, + "intent": "How many reviews our shop received in May 2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 248 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 349, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Who else have access to my repo {{repo}}, show me their usernames", + "instantiation_dict": { + "repo": "gimmiethat.space" + }, + "intent": "Who else have access to my repo gimmiethat.space, show me their usernames", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "yjlou" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "yjlou" + }, + "intent_template_id": 298 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 350, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Who else have access to my repo {{repo}}, show me their usernames", + "instantiation_dict": { + "repo": "prism-theme" + }, + "intent": "Who else have access to my repo prism-theme, show me their usernames", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "abisubramanya27" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Abishek S, abisubramanya27" + }, + "intent_template_id": 298 + }, + { + "sites": [ + "shopping" + ], + "task_id": 351, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List products from {{product_category}} category by {{order}} price", + "instantiation_dict": { + "product_category": "PS4 accessories", + "order": "ascending" + }, + "intent": "List products from PS4 accessories category by ascending price", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/video-games/playstation-4/accessories.html?product_list_order=price", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 137 + }, + { + "sites": [ + "shopping" + ], + "task_id": 352, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List products from {{product_category}} category by {{order}} price", + "instantiation_dict": { + "product_category": "nutrition bars and drinks", + "order": "ascending" + }, + "intent": "List products from nutrition bars and drinks category by ascending price", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/health-household/diet-sports-nutrition/nutrition-bars-drinks.html?product_list_order=price", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 137 + }, + { + "sites": [ + "shopping" + ], + "task_id": 353, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List products from {{product_category}} category by {{order}} price", + "instantiation_dict": { + "product_category": "competative swimwear", + "order": "ascending" + }, + "intent": "List products from competative swimwear category by ascending price", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/clothing-shoes-jewelry/sport-specific-clothing/competitive-swimwear.html?product_list_order=price", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 137 + }, + { + "sites": [ + "shopping" + ], + "task_id": 354, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List products from {{product_category}} category by {{order}} price", + "instantiation_dict": { + "product_category": "living room furtniture", + "order": "descending" + }, + "intent": "List products from living room furtniture category by descending price", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/home-kitchen/furniture/living-room-furniture.html?product_list_order=price&product_list_dir=desc", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 137 + }, + { + "sites": [ + "shopping" + ], + "task_id": 355, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List products from {{product_category}} category by {{order}} price", + "instantiation_dict": { + "product_category": "kids' bedding", + "order": "descending" + }, + "intent": "List products from kids' bedding category by descending price", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/home-kitchen/bedding/kids-bedding.html?product_list_dir=desc", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 137 + }, + { + "sites": [ + "map" + ], + "task_id": 356, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show the route from SCS CMU in Pittsburgh to the location where the Declaration of Independence and Constitution were signed", + "instantiation_dict": {}, + "intent": "Show the route from SCS CMU in Pittsburgh to the location where the Declaration of Independence and Constitution were signed", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Gates and Hillman Centers", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Independence Hall", + "Philadelphia" + ] + } + } + ] + }, + "intent_template_id": 49 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 357, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Checkout merge requests requiring my review", + "instantiation_dict": {}, + "intent": "Checkout merge requests requiring my review", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/merge_requests?reviewer_username=byteblaze", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 291 + }, + { + "sites": [ + "shopping" + ], + "task_id": 358, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the {{info}} for order number {{order_number}}.", + "instantiation_dict": { + "info": "shipping method", + "order_number": 187 + }, + "intent": "Show me the shipping method for order number 187.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Flat Rate - Fixed" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Flat Rate - Fixed" + }, + "intent_template_id": 206 + }, + { + "sites": [ + "shopping" + ], + "task_id": 359, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the {{info}} for order number {{order_number}}.", + "instantiation_dict": { + "info": "order date", + "order_number": "148" + }, + "intent": "Show me the order date for order number 148.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "1/29/2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1/29/2023" + }, + "intent_template_id": 206 + }, + { + "sites": [ + "shopping" + ], + "task_id": 360, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the {{info}} for order number {{order_number}}.", + "instantiation_dict": { + "info": "product names", + "order_number": "148" + }, + "intent": "Show me the product names for order number 148.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Bornbridge Artificial Spiral Topiary Tree - Indoor / Outdoor Topiary Trees - Artificial Outdoor Plants (2 Pack, 4' Cypress)", + "Russound 5B45W 4\" Indoor Outdoor Speakers White" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Bornbridge Artificial Spiral Topiary Tree - Indoor / Outdoor Topiary Trees - Artificial Outdoor Plants (2 Pack, 4' Cypress), Russound 5B45W 4\" Indoor Outdoor Speakers White" + }, + "intent_template_id": 206 + }, + { + "sites": [ + "shopping" + ], + "task_id": 361, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the {{info}} for order number {{order_number}}.", + "instantiation_dict": { + "info": "order statuses", + "order_number": "170 and 189" + }, + "intent": "Show me the order statuses for order number 170 and 189.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "170: cancelled", + "189: pending" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "170: cancelled, 189: pending" + }, + "intent_template_id": 206 + }, + { + "sites": [ + "shopping" + ], + "task_id": 362, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Show me the {{info}} for order number {{order_number}}.", + "instantiation_dict": { + "info": "billing address", + "order_number": "00178" + }, + "intent": "Show me the billing address for order number 00178.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "101 S San Mateo Dr", + "San Mateo", + "California", + "94010", + "United States" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Emma Lopez, 101 S San Mateo Dr, San Mateo, California, 94010, United States" + }, + "intent_template_id": 206 + }, + { + "sites": [ + "map" + ], + "task_id": 363, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Measure distance between {{location/address_1}} and {{location/address_2}} by walking", + "instantiation_dict": { + "location/address_1": "Carnegie Mellon University", + "location/address_2": "Carnegie Music Hall" + }, + "intent": "Measure distance between Carnegie Mellon University and Carnegie Music Hall by walking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "748m" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "748m" + }, + "intent_template_id": 58 + }, + { + "sites": [ + "map" + ], + "task_id": 364, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Measure distance between {{location/address_1}} and {{location/address_2}} by walking", + "instantiation_dict": { + "location/address_1": "Carnegie Mellon University", + "location/address_2": "UPMC Shadyside" + }, + "intent": "Measure distance between Carnegie Mellon University and UPMC Shadyside by walking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "1.7km" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1.7km" + }, + "intent_template_id": 58 + }, + { + "sites": [ + "map" + ], + "task_id": 365, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Measure distance between {{location/address_1}} and {{location/address_2}} by walking", + "instantiation_dict": { + "location/address_1": "Carnegie Music Hall", + "location/address_2": "UPMC Shadyside" + }, + "intent": "Measure distance between Carnegie Music Hall and UPMC Shadyside by walking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "2.2km" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2.2km" + }, + "intent_template_id": 58 + }, + { + "sites": [ + "map" + ], + "task_id": 366, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Measure distance between {{location/address_1}} and {{location/address_2}} by walking", + "instantiation_dict": { + "location/address_1": "CVS (closet one)", + "location/address_2": "UPMC Shadyside" + }, + "intent": "Measure distance between CVS (closet one) and UPMC Shadyside by walking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "1.2km" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1.2km" + }, + "intent_template_id": 58 + }, + { + "sites": [ + "map" + ], + "task_id": 367, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Measure distance between {{location/address_1}} and {{location/address_2}} by walking", + "instantiation_dict": { + "location/address_1": "Carnegie Mellon University", + "location/address_2": "CVS (closet one)" + }, + "intent": "Measure distance between Carnegie Mellon University and CVS (closet one) by walking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "1.4km" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1.4km" + }, + "intent_template_id": 58 + }, + { + "sites": [ + "shopping" + ], + "task_id": 368, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "find discounted items.", + "instantiation_dict": {}, + "intent": "find discounted items.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no function to show only discount items", + "reference_answer_raw_annotation": "There is no function to show only discount items." + }, + "intent_template_id": 188 + }, + { + "sites": [ + "map" + ], + "task_id": 369, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Pull up the description page of {{location}} on Map", + "instantiation_dict": { + "location": "Carnegie Music Hall" + }, + "intent": "Pull up the description page of Carnegie Music Hall on Map", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Carnegie Music Hall" + ] + } + } + ] + }, + "intent_template_id": 52 + }, + { + "sites": [ + "map" + ], + "task_id": 370, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Pull up the description page of {{location}} on Map", + "instantiation_dict": { + "location": "Carnegie Mellon University" + }, + "intent": "Pull up the description page of Carnegie Mellon University on Map", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Carnegie Mellon University" + ] + } + } + ] + }, + "intent_template_id": 52 + }, + { + "sites": [ + "map" + ], + "task_id": 371, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Pull up the description page of {{location}} on Map", + "instantiation_dict": { + "location": "Piada restaurant near Pitt" + }, + "intent": "Pull up the description page of Piada restaurant near Pitt on Map", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Piada Italian Street Food", + "Forbes Avenue" + ] + } + } + ] + }, + "intent_template_id": 52 + }, + { + "sites": [ + "map" + ], + "task_id": 372, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Pull up the description page of {{location}} on Map", + "instantiation_dict": { + "location": "the Costco in Pittsburhg near a river" + }, + "intent": "Pull up the description page of the Costco in Pittsburhg near a river on Map", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Costco", + "Waterfront Drive West" + ] + } + } + ] + }, + "intent_template_id": 52 + }, + { + "sites": [ + "map" + ], + "task_id": 373, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Pull up the description page of {{location}} on Map", + "instantiation_dict": { + "location": "Whole Foods near Carnegie Mellon" + }, + "intent": "Pull up the description page of Whole Foods near Carnegie Mellon on Map", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Whole Foods", + "East Liberty" + ] + } + } + ] + }, + "intent_template_id": 52 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 374, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Preview the {{name}} theme for my shop", + "instantiation_dict": { + "name": "Magento Blank" + }, + "intent": "Preview the Magento Blank theme for my shop", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/admin/system_design_theme/edit/id/1", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 266 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 375, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Preview the {{name}} theme for my shop", + "instantiation_dict": { + "name": "Magento Luma" + }, + "intent": "Preview the Magento Luma theme for my shop", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/admin/system_design_theme/edit/id/3/key/", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 266 + }, + { + "sites": [ + "shopping" + ], + "task_id": 376, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Summarize customer reviews for {{product}}.", + "instantiation_dict": { + "product": "Amazon Echo Dot 3rd generation" + }, + "intent": "Summarize customer reviews for Amazon Echo Dot 3rd generation.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no review for this product", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 182 + }, + { + "sites": [ + "map" + ], + "task_id": 377, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the {{space}} around {{location}}", + "instantiation_dict": { + "location": "CMU ArtPark Lab", + "space": "resturants" + }, + "intent": "Find the resturants around CMU ArtPark Lab", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000/search?query=restaurants%20near%20CMU%20ArtPark%20Lab", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 59 + }, + { + "sites": [ + "map" + ], + "task_id": 378, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the {{space}} around {{location}}", + "instantiation_dict": { + "location": "CMU main campus", + "space": "parking" + }, + "intent": "Find the parking around CMU main campus", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000/search?query=parking%20near%20carnegie%20mellon%20university", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 59 + }, + { + "sites": [ + "map" + ], + "task_id": 379, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the {{space}} around {{location}}", + "instantiation_dict": { + "location": "CMU main campus", + "space": "hotel" + }, + "intent": "Find the hotel around CMU main campus", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000/search?query=hotels%20near%20carnegie%20mellon%20university", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 59 + }, + { + "sites": [ + "map" + ], + "task_id": 380, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the {{space}} around {{location}}", + "instantiation_dict": { + "location": "Carnegie Music Hall", + "space": "bar" + }, + "intent": "Find the bar around Carnegie Music Hall", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000/search?query=bars%20near%20Carnegie%20Music%20Hall", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 59 + }, + { + "sites": [ + "map" + ], + "task_id": 381, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the {{space}} around {{location}}", + "instantiation_dict": { + "location": "Carnegie Music Hall", + "space": "hotel" + }, + "intent": "Find the hotel around Carnegie Music Hall", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000/search?query=hotels%20near%20Carnegie%20Music%20Hall", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 59 + }, + { + "sites": [ + "map" + ], + "task_id": 382, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I am arriving at Carnegie Mellon University. Find the nearby US Citizenship and Immigration Services and the walking distance to the nearest Social Security Administration from US Citizenship and Immigration Services", + "instantiation_dict": {}, + "intent": "I am arriving at Carnegie Mellon University. Find the nearby US Citizenship and Immigration Services and the walking distance to the nearest Social Security Administration from US Citizenship and Immigration Services", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no USCIS nearby", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 781 + }, + { + "sites": [ + "map" + ], + "task_id": 383, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "I am arriving at Pittsburgh Airport. Show me the name of a Hyatt hotel if there is any nearby. Tell me the names of supermarkets that are within 15mins driving from the hotel", + "instantiation_dict": {}, + "intent": "I am arriving at Pittsburgh Airport. Show me the name of a Hyatt hotel if there is any nearby. Tell me the names of supermarkets that are within 15mins driving from the hotel", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Hyatt Regency Pittsburgh International Airport", + "Giant Eagle", + "ALDI" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Hyatt Regency Pittsburgh International Airport Giant Eagle, ALDI" + }, + "intent_template_id": 782 + }, + { + "sites": [ + "shopping" + ], + "task_id": 384, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List the customer names who complain about the quality of EYZUTAK phone cases", + "instantiation_dict": {}, + "intent": "List the customer names who complain about the quality of EYZUTAK phone cases", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Lisa Lee", + "Evelyn Kurver", + "Amanda", + "N Randall" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lisa Lee, Evelyn Kurver, Amanda, N Randall" + }, + "intent_template_id": 666 + }, + { + "sites": [ + "shopping" + ], + "task_id": 385, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "List the customer names who thinks EYZUTAK phone cases are of good looking", + "instantiation_dict": {}, + "intent": "List the customer names who thinks EYZUTAK phone cases are of good looking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Lisa Lee", + "MH", + "Misba009", + "Amanda", + "N Randall", + "Amazon Customer", + "Cally", + "Bethany Robertson" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lisa Lee, MH, Misba009, Amanda, N Randall, Amazon Customer, Cally, Bethany Robertson" + }, + "intent_template_id": 666 + }, + { + "sites": [ + "shopping" + ], + "task_id": 386, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "What is the rating of {{product}}", + "instantiation_dict": { + "product": "Ugreen lightning to 3.5mm cable" + }, + "intent": "What is the rating of Ugreen lightning to 3.5mm cable. Please round to the nearest whole number", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "65 |OR| 3" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Around 3.1 stars" + }, + "intent_template_id": 1355 + }, + { + "sites": [ + "shopping" + ], + "task_id": 387, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Who gave {{stars}} for phone cases from EYZUTAK", + "instantiation_dict": { + "stars": "4 or 5 stars" + }, + "intent": "Who gave 4 or 5 stars for phone cases from EYZUTAK", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "MH", + "Misba009", + "Amanda", + "Amazon Customer", + "Cally", + "Bethany Robertson" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "MH, Misba009, Amanda, Amazon Customer, Cally, Bethany Robertson, Bethany Robertson" + }, + "intent_template_id": 1356 + }, + { + "sites": [ + "shopping" + ], + "task_id": 388, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Who gave {{stars}} for phone cases from EYZUTAK", + "instantiation_dict": { + "stars": "1 or 2 stars" + }, + "intent": "Who gave 1 or 2 stars for phone cases from EYZUTAK", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Evelyn Kurver", + "N Randall" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Evelyn Kurver, N Randall" + }, + "intent_template_id": 1356 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 389, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Post \"{{content}}\" for the merge request related to {{mr}} in {{repo}} project", + "instantiation_dict": { + "mr": "octovisuals page", + "repo": "primer/design", + "content": "Thanks, working on reviews" + }, + "intent": "Post \"Thanks, working on reviews\" for the merge request related to octovisuals page in primer/design project", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/merge_requests/450", + "locator": "", + "required_contents": { + "must_include": [ + "Thanks, working on reviews" + ] + } + } + ] + }, + "intent_template_id": 348 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 390, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Post \"{{content}}\" for the merge request related to {{mr}} in {{repo}} project", + "instantiation_dict": { + "mr": "semantic HTML post", + "repo": "a11yproject/a11yproject.com", + "content": "lgtm" + }, + "intent": "Post \"lgtm\" for the merge request related to semantic HTML post in a11yproject/a11yproject.com project", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests/1531", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "lgtm" + } + } + ] + }, + "intent_template_id": 348 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 391, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Post \"{{content}}\" for the merge request related to {{mr}} in {{repo}} project", + "instantiation_dict": { + "mr": "focus edge cases", + "repo": "a11yproject/a11yproject.com", + "content": "close because non reproducible" + }, + "intent": "Post \"close because non reproducible\" for the merge request related to focus edge cases in a11yproject/a11yproject.com project", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests/1265", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "close because non reproducible" + } + } + ] + }, + "intent_template_id": 348 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 392, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Post \"{{content}}\" for the merge request related to {{mr}} in {{repo}} project", + "instantiation_dict": { + "mr": "color ulitity", + "repo": "a11yproject.com", + "content": "Good idea" + }, + "intent": "Post \"Good idea\" for the merge request related to color ulitity in a11yproject.com project", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests/1071", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "Good idea" + } + } + ] + }, + "intent_template_id": 348 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 393, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Post \"{{content}}\" for the merge request related to {{mr}} in {{repo}} project", + "instantiation_dict": { + "mr": "fixing the broken links", + "repo": "byteblaze/empathy-prompts", + "content": "lgtm" + }, + "intent": "Post \"lgtm\" for the merge request related to fixing the broken links in byteblaze/empathy-prompts project", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/empathy-prompts/-/merge_requests/19", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "lgtm" + } + } + ] + }, + "intent_template_id": 348 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 394, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "2019-nCov" + }, + "intent": "Fork 2019-nCov.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/2019-nCov", + "locator": "", + "required_contents": { + "must_include": [ + "2019-nCov" + ] + } + } + ] + }, + "intent_template_id": 352 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 395, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "the Pytorch GAN repo with most stars" + }, + "intent": "Fork the Pytorch GAN repo with most stars.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/PyTorch-GAN", + "locator": "", + "required_contents": { + "must_include": [ + "Pytorch-GAN" + ] + } + } + ] + }, + "intent_template_id": 352 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 396, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "ChatGPT" + }, + "intent": "Fork ChatGPT.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/ChatGPT", + "locator": "", + "required_contents": { + "must_include": [ + "ChatGPT" + ] + } + } + ] + }, + "intent_template_id": 352 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 397, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "MetaSeq" + }, + "intent": "Fork MetaSeq.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/metaseq", + "locator": "", + "required_contents": { + "must_include": [ + "metaseq" + ] + } + } + ] + }, + "intent_template_id": 352 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 398, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "all source repos from Akilesh Kannan" + }, + "intent": "Fork all source repos from Akilesh Kannan", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/SimCache", + "locator": "", + "required_contents": { + "must_include": [ + "SimCache" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dots", + "locator": "", + "required_contents": { + "must_include": [ + "dots" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/CacheEval", + "locator": "", + "required_contents": { + "must_include": [ + "CacheEval" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/nvidia-patch", + "locator": "", + "required_contents": { + "must_include": [ + "404" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/viewgrades-scraper", + "locator": "", + "required_contents": { + "must_include": [ + "404" + ] + } + } + ] + }, + "intent_template_id": 352 + }, + { + "sites": [ + "reddit" + ], + "task_id": 399, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Change my reddit bio to \"{{content}}\"", + "instantiation_dict": { + "content": "I am a robot" + }, + "intent": "Change my reddit bio to \"I am a robot\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/user/MarvelsGrantMan136", + "locator": "document.querySelector(\".user-bio__biography\").outerText", + "required_contents": { + "exact_match": "I am a robot" + } + } + ] + }, + "intent_template_id": 6 + }, + { + "sites": [ + "reddit" + ], + "task_id": 400, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Change my reddit bio to \"{{content}}\"", + "instantiation_dict": { + "content": "Pro Python Developer with 20 years of Experience" + }, + "intent": "Change my reddit bio to \"Pro Python Developer with 20 years of Experience\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/user/MarvelsGrantMan136", + "locator": "document.querySelector(\".user-bio__biography\").outerText", + "required_contents": { + "exact_match": "Pro Python Developer with 20 years of Experience" + } + } + ] + }, + "intent_template_id": 6 + }, + { + "sites": [ + "reddit" + ], + "task_id": 401, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Change my reddit bio to \"{{content}}\"", + "instantiation_dict": { + "content": "Seeking SDE positions" + }, + "intent": "Change my reddit bio to \"Seeking SDE positions\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/user/MarvelsGrantMan136", + "locator": "document.querySelector(\".user-bio__biography\").outerText", + "required_contents": { + "exact_match": "Seeking SDE positions" + } + } + ] + }, + "intent_template_id": 6 + }, + { + "sites": [ + "reddit" + ], + "task_id": 402, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Change my reddit bio to \"{{content}}\"", + "instantiation_dict": { + "content": "Freelance Web Developer" + }, + "intent": "Change my reddit bio to \"Freelance Web Developer\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/user/MarvelsGrantMan136", + "locator": "document.querySelector(\".user-bio__biography\").outerText", + "required_contents": { + "exact_match": "Freelance Web Developer" + } + } + ] + }, + "intent_template_id": 6 + }, + { + "sites": [ + "reddit" + ], + "task_id": 403, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Change my reddit bio to \"{{content}}\"", + "instantiation_dict": { + "content": "Awesome Prompt Artist" + }, + "intent": "Change my reddit bio to \"Awesome Prompt Artist\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/user/MarvelsGrantMan136", + "locator": "document.querySelector(\".user-bio__biography\").outerText", + "required_contents": { + "exact_match": "Awesome Prompt Artist" + } + } + ] + }, + "intent_template_id": 6 + }, + { + "sites": [ + "reddit" + ], + "task_id": 404, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Upvote the newest post in {{subreddit}} subreddit", + "instantiation_dict": { + "subreddit": "books" + }, + "intent": "Upvote the newest post in books subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/124260/adults-reading-to-each-other-out-loud", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 22 + }, + { + "sites": [ + "reddit" + ], + "task_id": 405, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Upvote the newest post in {{subreddit}} subreddit", + "instantiation_dict": { + "subreddit": "DIY" + }, + "intent": "Upvote the newest post in DIY subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/119019/how-can-i-bring-an-hdmi-cable-from-my-pc-downstairs-to-my-tv", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 22 + }, + { + "sites": [ + "reddit" + ], + "task_id": 406, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Upvote the newest post in {{subreddit}} subreddit", + "instantiation_dict": { + "subreddit": "future technology" + }, + "intent": "Upvote the newest post in future technology subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/Futurology/119517/openai-ceo-it-s-not-funny-that-i-m-afraid-of-the-ai-we-re", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 22 + }, + { + "sites": [ + "reddit" + ], + "task_id": 407, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Upvote the newest post in {{subreddit}} subreddit", + "instantiation_dict": { + "subreddit": "deeplearning" + }, + "intent": "Upvote the newest post in deeplearning subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/deeplearning/124993/meta-s-llama-weights-leaked-on-torrent-and-the-best-thing", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 22 + }, + { + "sites": [ + "reddit" + ], + "task_id": 408, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Upvote the newest post in {{subreddit}} subreddit", + "instantiation_dict": { + "subreddit": "explain like im 5" + }, + "intent": "Upvote the newest post in explain like im 5 subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/explainlikeimfive/39244/eli5-how-does-pinching-a-ribbon-and-sliding-your-finger", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 22 + }, + { + "sites": [ + "reddit" + ], + "task_id": 409, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/59421/friendly-reminder-bookshop-org-exists", + "geolocation": null, + "intent_template": "Reply to {{position_description}} in this post with \"{{content_description}}\"", + "instantiation_dict": { + "position_description": "the manager of the website", + "content_description": "thanks! I am a big fan of your website." + }, + "intent": "Reply to the manager of the website in this post with \"thanks! I am a big fan of your website.\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/59421/-/comment/1235250", + "locator": "", + "required_contents": { + "must_include": [ + "thanks! I am a big fan of your website." + ] + } + } + ] + }, + "intent_template_id": 23 + }, + { + "sites": [ + "reddit" + ], + "task_id": 410, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/singularity/69404/this-is-how-chatgpt-sees-itself", + "geolocation": null, + "intent_template": "Reply to {{position_description}} in this post with \"{{content_description}}\"", + "instantiation_dict": { + "position_description": "the first reply", + "content_description": "don't panic" + }, + "intent": "Reply to the first reply in this post with \"don't panic\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/singularity/69404/-/comment/1042264", + "locator": "", + "required_contents": { + "must_include": [ + "don't panic" + ] + } + } + ] + }, + "intent_template_id": 23 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 411, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Make the LICENSE of {{repo}} to MIT license.", + "instantiation_dict": { + "repo": "byteblaze/cloud-to-butt" + }, + "intent": "Make the LICENSE of byteblaze/cloud-to-butt to MIT license.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/cloud-to-butt/-/blob/master/LICENSE.txt", + "locator": "", + "required_contents": { + "must_include": [ + "MIT license" + ] + } + } + ] + }, + "intent_template_id": 355 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 412, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Make the LICENSE of {{repo}} to Apache License", + "instantiation_dict": { + "repo": "byteblaze/accessible-html-content-patterns" + }, + "intent": "Make the LICENSE of byteblaze/accessible-html-content-patterns to Apache License", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/accessible-html-content-patterns/-/blob/main/LICENSE", + "locator": "", + "required_contents": { + "must_include": [ + "Apache License", + "http://www.apache.org/licenses/LICENSE-2.0" + ] + } + } + ] + }, + "intent_template_id": 355 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 413, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Make the LICENSE of {{repo}} to one that mandates all copies and derivative works to be under the same license", + "instantiation_dict": { + "repo": "byteblaze/a11y-syntax-highlighting" + }, + "intent": "Make the LICENSE of byteblaze/a11y-syntax-highlighting to one that mandates all copies and derivative works to be under the same license", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-syntax-highlighting/-/blob/main/LICENSE", + "locator": "", + "required_contents": { + "must_include": [ + "GENERAL PUBLIC LICENSE" + ] + } + } + ] + }, + "intent_template_id": 355 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 414, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Make the LICENSE of {{repo}} to MIT license.", + "instantiation_dict": { + "repo": "byteblaze/dotfiles" + }, + "intent": "Make the LICENSE of byteblaze/dotfiles to MIT license.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/blob/main/LICENSE", + "locator": "", + "required_contents": { + "must_include": [ + "MIT license", + "The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software." + ] + } + } + ] + }, + "intent_template_id": 355 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 415, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Go to the merge request on {{topic}} I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "instantiation_dict": { + "topic": "verification functions" + }, + "intent": "Go to the merge request on verification functions I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-webring.club/-/merge_requests/40", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "@davepgreene" + } + } + ] + }, + "intent_template_id": 360 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 416, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Go to the merge request on {{topic}} I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "instantiation_dict": { + "topic": "wcag" + }, + "intent": "Go to the merge request on wcag I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests/1270", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "Thank you" + } + } + ] + }, + "intent_template_id": 360 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 417, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Go to the merge request on {{topic}} I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "instantiation_dict": { + "topic": "404 link" + }, + "intent": "Go to the merge request on 404 link I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests/1485", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "@Roshanjossey" + } + } + ] + }, + "intent_template_id": 360 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 418, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set my gitlab status as {{status}}.", + "instantiation_dict": { + "status": "Busy" + }, + "intent": "Set my gitlab status as Busy.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.cover-status').lastChild.textContent", + "required_contents": { + "exact_match": "Busy" + } + } + ] + }, + "intent_template_id": 361 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 419, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set my gitlab status as {{status}}.", + "instantiation_dict": { + "status": "Enjoying life" + }, + "intent": "Set my gitlab status as Enjoying life.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.cover-status').lastChild.textContent", + "required_contents": { + "exact_match": "Enjoying life" + } + } + ] + }, + "intent_template_id": 361 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 420, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set my gitlab status as {{status}}.", + "instantiation_dict": { + "status": "Playing Badminton" + }, + "intent": "Set my gitlab status as Playing Badminton.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.cover-status').lastChild.textContent", + "required_contents": { + "exact_match": "Playing Badminton" + } + } + ] + }, + "intent_template_id": 361 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 421, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set my gitlab status as {{status}}.", + "instantiation_dict": { + "status": "Resting due to leg injury" + }, + "intent": "Set my gitlab status as Resting due to leg injury.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.cover-status').lastChild.textContent", + "required_contents": { + "exact_match": "Resting due to leg injury" + } + } + ] + }, + "intent_template_id": 361 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 422, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set my gitlab status as {{status}}.", + "instantiation_dict": { + "status": "Out of Office" + }, + "intent": "Set my gitlab status as Out of Office.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.cover-status').lastChild.textContent", + "required_contents": { + "exact_match": "Out of Office" + } + } + ] + }, + "intent_template_id": 361 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 423, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Mark all {{brand}} shirts on sale", + "instantiation_dict": { + "brand": "Hollister" + }, + "intent": "Mark all Hollister shirts on sale", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/126/", + "locator": "document.querySelector('input[name=\"product[sale]\"]').value", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 237 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 424, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the place where Mr. Rogers was filmed" + }, + "intent": "Find the page of the place where Mr. Rogers was filmed on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Pittsburgh" + ] + } + } + ] + }, + "intent_template_id": 371 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 425, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the longest bridge in the Western hemisphere" + }, + "intent": "Find the page of the longest bridge in the Western hemisphere on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Mackinac Bridge" + ] + } + } + ] + }, + "intent_template_id": 371 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 426, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the place in Pennsylvania where a plane crashed during the September 11th attacks" + }, + "intent": "Find the page of the place in Pennsylvania where a plane crashed during the September 11th attacks on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Somerset County" + ] + } + } + ] + }, + "intent_template_id": 371 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 427, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the university that has most Turning Award winners" + }, + "intent": "Find the page of the university that has most Turning Award winners on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Massachusetts Institute of Technology" + ] + } + } + ] + }, + "intent_template_id": 371 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 428, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the undergrad college of the person who developed the Nash equilibrium" + }, + "intent": "Find the page of the undergrad college of the person who developed the Nash equilibrium on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Carnegie Mellon University" + ] + } + } + ] + }, + "intent_template_id": 371 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 429, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the colleges where The Chair was filmed in Pittsburgh" + }, + "intent": "Find the page of the colleges where The Chair was filmed in Pittsburgh on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Chatham University" + ] + } + } + ] + }, + "intent_template_id": 371 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 430, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the college(s) where The Chair was filmed in Pennsylvania other than the ones in Pittsburgh" + }, + "intent": "Find the page of the college(s) where The Chair was filmed in Pennsylvania other than the ones in Pittsburgh on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Washington & Jefferson College" + ] + } + } + ] + }, + "intent_template_id": 371 + }, + { + "sites": [ + "shopping" + ], + "task_id": 431, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/tall-pink-taper-candles-4-piece-orange-colored-tapered-candles-gradient-candles-10-6-inches-tall-tie-dye-candle-set-large-dripless-long-burning-candlesticks-two-color-taper-candles-candlesticks.html |AND| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/spaas-white-taper-candles-4-pack-10-inch-tall-candles-scent-free-premium-wax-candle-sticks-8-hour-long-burning-white-candlesticks-for-home-decoration-wedding-holiday-and-parties.html |AND| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/white-starfish-wall-candle-sconces-set-of-2-beach-decor-ocean-themed-wall-mount-candleholders-nautical-style-beach-bathroom-decor-coastal-farmhouse-seashell-candle-holders.html", + "geolocation": null, + "intent_template": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "instantiation_dict": {}, + "intent": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/checkout/cart", + "locator": "", + "required_contents": { + "must_include": [ + "SPAAS White Taper Candles - 4 Pack |OR| 10 Inch Tall Candles, Scent-Free Premium Wax Candle Sticks |OR| 8 Hour Long Burning White Candlesticks for Home Decoration, Wedding, Holiday and Parties" + ] + } + } + ] + }, + "intent_template_id": 145 + }, + { + "sites": [ + "shopping" + ], + "task_id": 432, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/ciclon-energy-drink-regular-24-cans-8-3oz.html |AND| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/v8-energy-healthy-energy-drink-steady-energy-from-black-and-green-tea-pomegranate-blueberry-8-ounce-can-pack-of-24.html", + "geolocation": null, + "intent_template": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "instantiation_dict": {}, + "intent": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/checkout/cart", + "locator": "", + "required_contents": { + "must_include": [ + "V8 +Energy, Healthy Energy Drink, Steady Energy from Black and Green Tea, Pomegranate Blueberry, 8 Ounce Can ,Pack of 24" + ] + } + } + ] + }, + "intent_template_id": 145 + }, + { + "sites": [ + "shopping" + ], + "task_id": 433, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/tazrigo-5pcs-white-dental-resin-brush-pens-dental-shaping-silicone-tooth-tool.html |AND| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/stylus-pens-for-touch-screens-2-pcs-universal-stylus-2-in-1-2022-updated-touch-screen-pens-for-all-touch-screens-cell-phones-tablets-laptops-with-6-replacement-tips-4-discstips-2-fiber-tips.html", + "geolocation": null, + "intent_template": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "instantiation_dict": {}, + "intent": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/checkout/cart", + "locator": "", + "required_contents": { + "must_include": [ + "Tazrigo 5pcs White Dental Resin Brush Pens Dental Shaping Silicone Tooth Tool" + ] + } + } + ] + }, + "intent_template_id": 145 + }, + { + "sites": [ + "shopping" + ], + "task_id": 434, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/3-pairs-ruffle-socks-lace-ankle-socks-for-girls-frilly-socks-women-decorative.html |AND| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/viviki-women-glitter-socks-ultrathin-transparent-tulle-lace-socks-no-show-ankle-crew-socks-3-pack.html", + "geolocation": null, + "intent_template": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "instantiation_dict": {}, + "intent": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/checkout/cart", + "locator": "", + "required_contents": { + "must_include": [ + "VIVIKI Women Glitter Socks Ultrathin Transparent Tulle Lace Socks - No Show Ankle Crew Socks 3 Pack" + ] + } + } + ] + }, + "intent_template_id": 145 + }, + { + "sites": [ + "shopping" + ], + "task_id": 435, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/35-ft-hdmi-cable-gearit-pro-series-hdmi-cable-35-feet-high-speed-ethernet-4k-resolution-3d-video-and-arc-audio-return-channel-hdmi-cable-white.html |AND| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/dp-to-hdmi-cable-6ft-2-pack-fosmon-gold-plated-displayport-to-hdmi-cable-1080p-full-hd-for-pcs-to-hdtv-monitor-projector-with-hdmi-port.html", + "geolocation": null, + "intent_template": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "instantiation_dict": {}, + "intent": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/checkout/cart", + "locator": "", + "required_contents": { + "must_include": [ + "DP to HDMI Cable 6FT (2 Pack), Fosmon Gold Plated Displayport to HDMI Cable 1080p Full HD for PCs to HDTV, Monitor, Projector with HDMI Port" + ] + } + } + ] + }, + "intent_template_id": 145 + }, + { + "sites": [ + "shopping" + ], + "task_id": 436, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I previously ordered some {{product}} {{time}} and later cancelled. Can you reorder it for me?", + "instantiation_dict": { + "product": "a mattress foundation", + "time": "around Feb or March 2023" + }, + "intent": "I previously ordered some a mattress foundation around Feb or March 2023 and later cancelled. Can you reorder it for me?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B07DFJ5XKH" + ] + } + } + ] + }, + "intent_template_id": 156 + }, + { + "sites": [ + "shopping" + ], + "task_id": 437, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I previously ordered some {{product}} {{time}} and later cancelled. Can you reorder it for me?", + "instantiation_dict": { + "product": "a table lamp", + "time": "in May 2023" + }, + "intent": "I previously ordered some a table lamp in May 2023 and later cancelled. Can you reorder it for me?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B072XS3F6W" + ] + } + } + ] + }, + "intent_template_id": 156 + }, + { + "sites": [ + "shopping" + ], + "task_id": 438, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I previously ordered some {{product}} {{time}} and later cancelled. Can you reorder it for me?", + "instantiation_dict": { + "product": "a TV stand", + "time": "sometime around sep 2022" + }, + "intent": "I previously ordered some a TV stand sometime around sep 2022 and later cancelled. Can you reorder it for me?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B08PVHRRB7" + ] + } + } + ] + }, + "intent_template_id": 156 + }, + { + "sites": [ + "shopping" + ], + "task_id": 439, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I previously ordered some {{product}} {{time}} and later cancelled. Can you reorder it for me?", + "instantiation_dict": { + "product": "a cat t-shirt", + "time": "during 2022" + }, + "intent": "I previously ordered some a cat t-shirt during 2022 and later cancelled. Can you reorder it for me?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B0844BWS76" + ] + } + } + ] + }, + "intent_template_id": 156 + }, + { + "sites": [ + "shopping" + ], + "task_id": 440, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I previously ordered some {{product}} {{time}} and later cancelled. Can you reorder it for me?", + "instantiation_dict": { + "product": "a make up removal kit", + "time": "during summer 2022" + }, + "intent": "I previously ordered some a make up removal kit during summer 2022 and later cancelled. Can you reorder it for me?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B0738JQG6Q" + ] + } + } + ] + }, + "intent_template_id": 156 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 441, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space", + "geolocation": null, + "intent_template": "Update the project site's title to \"{{title}}\"", + "instantiation_dict": { + "title": "GIVE ME SPACE" + }, + "intent": "Update the project site's title to \"GIVE ME SPACE\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/index.html", + "locator": "", + "required_contents": { + "must_include": [ + "GIVE ME SPACE" + ] + } + } + ] + }, + "intent_template_id": 308 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 442, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space", + "geolocation": null, + "intent_template": "Update the project site's title to \"{{title}}\"", + "instantiation_dict": { + "title": "Welcome to my site" + }, + "intent": "Update the project site's title to \"Welcome to my site\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/index.html", + "locator": "", + "required_contents": { + "must_include": [ + "Welcome to my site" + ] + } + } + ] + }, + "intent_template_id": 308 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 443, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space", + "geolocation": null, + "intent_template": "Update the project site's title to \"{{title}}\"", + "instantiation_dict": { + "title": "Not an interesting site" + }, + "intent": "Update the project site's title to \"Not an interesting site\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/index.html", + "locator": "", + "required_contents": { + "must_include": [ + "Not an interesting site" + ] + } + } + ] + }, + "intent_template_id": 308 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 444, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space", + "geolocation": null, + "intent_template": "Update the project site's title to \"{{title}}\"", + "instantiation_dict": { + "title": "Title Wanted" + }, + "intent": "Update the project site's title to \"Title Wanted\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/index.html", + "locator": "", + "required_contents": { + "must_include": [ + "Title Wanted" + ] + } + } + ] + }, + "intent_template_id": 308 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 445, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space", + "geolocation": null, + "intent_template": "Update the project site's title to \"{{title}}\"", + "instantiation_dict": { + "title": "Hello" + }, + "intent": "Update the project site's title to \"Hello\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/index.html", + "locator": "", + "required_contents": { + "must_include": [ + "Hello" + ] + } + } + ] + }, + "intent_template_id": 308 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 446, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Assign the issue regarding {{issue}} in {{repo}} to {{account}}.", + "instantiation_dict": { + "repo": "a11yproject", + "issue": 404, + "account": "Roshanjossey" + }, + "intent": "Assign the issue regarding 404 in a11yproject to Roshanjossey.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/issues?scope=all&state=opened&assignee_username=Roshanjossey", + "locator": "", + "required_contents": { + "must_include": [ + "404s, bad host, timeouts, bad urls for URLs linked from website" + ] + } + } + ] + }, + "intent_template_id": 999 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 447, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Assign the issue regarding {{issue}} in {{repo}} to {{account}}.", + "instantiation_dict": { + "repo": "a11y-webring.club", + "issue": "linking to an accessibility statement", + "account": "Rohan" + }, + "intent": "Assign the issue regarding linking to an accessibility statement in a11y-webring.club to Rohan.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/issues?scope=all&state=opened&assignee_username=Seirdy", + "locator": "", + "required_contents": { + "must_include": [ + "linking to an accessibility statement" + ] + } + } + ] + }, + "intent_template_id": 999 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 448, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "set the homepage URL on my GitLab profile to {{url}}", + "instantiation_dict": { + "url": "https://egg.tart.com" + }, + "intent": "set the homepage URL on my GitLab profile to https://egg.tart.com", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.profile-header [itemprop=\"url\"]').outerText", + "required_contents": { + "exact_match": "egg.tart.com" + } + } + ] + }, + "intent_template_id": 331 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 449, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "set the homepage URL on my GitLab profile to {{url}}", + "instantiation_dict": { + "url": "https://helloworld.xyz" + }, + "intent": "set the homepage URL on my GitLab profile to https://helloworld.xyz", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.profile-header [itemprop=\"url\"]').outerText", + "required_contents": { + "exact_match": "helloworld.xyz" + } + } + ] + }, + "intent_template_id": 331 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 450, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "set the homepage URL on my GitLab profile to {{url}}", + "instantiation_dict": { + "url": "a11yproject.contributor.me" + }, + "intent": "set the homepage URL on my GitLab profile to a11yproject.contributor.me", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.profile-header [itemprop=\"url\"]').outerText", + "required_contents": { + "exact_match": "a11yproject.contributor.me" + } + } + ] + }, + "intent_template_id": 331 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 451, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "set the homepage URL on my GitLab profile to {{url}}", + "instantiation_dict": { + "url": "www.byteblaze.com" + }, + "intent": "set the homepage URL on my GitLab profile to www.byteblaze.com", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.profile-header [itemprop=\"url\"]').outerText", + "required_contents": { + "exact_match": "www.byteblaze.com" + } + } + ] + }, + "intent_template_id": 331 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 452, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "set the homepage URL on my GitLab profile to {{url}}", + "instantiation_dict": { + "url": "byteblaze.github.io" + }, + "intent": "set the homepage URL on my GitLab profile to byteblaze.github.io", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze", + "locator": "document.querySelector('.profile-header [itemprop=\"url\"]').outerText", + "required_contents": { + "exact_match": "byteblaze.github.io" + } + } + ] + }, + "intent_template_id": 331 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 453, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Disable {{product}} from the site, they are facing some quality issues.", + "instantiation_dict": { + "product": "Teton pullover hoodie" + }, + "intent": "Disable Teton pullover hoodie from the site, they are facing some quality issues.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/78/", + "locator": "document.querySelector('[name=\"product[status]\"').value", + "required_contents": { + "exact_match": "2" + } + } + ] + }, + "intent_template_id": 242 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 454, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Disable {{product}} from the site, they are facing some quality issues.", + "instantiation_dict": { + "product": "Ryker Tee Crew Neck" + }, + "intent": "Disable Ryker Tee Crew Neck from the site, they are facing some quality issues.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/478/", + "locator": "document.querySelector('[name=\"product[status]\"').value", + "required_contents": { + "exact_match": "2" + } + } + ] + }, + "intent_template_id": 242 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 455, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Disable {{product}} from the site, they are facing some quality issues.", + "instantiation_dict": { + "product": "lHelios Endurance Tank" + }, + "intent": "Disable lHelios Endurance Tank from the site, they are facing some quality issues.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/676/", + "locator": "document.querySelector('[name=\"product[status]\"').value", + "required_contents": { + "exact_match": "2" + } + } + ] + }, + "intent_template_id": 242 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 456, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Disable {{product}} from the site, they are facing some quality issues.", + "instantiation_dict": { + "product": "Cora Pant" + }, + "intent": "Disable Cora Pant from the site, they are facing some quality issues.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1840/", + "locator": "document.querySelector('[name=\"product[status]\"').value", + "required_contents": { + "exact_match": "2" + } + } + ] + }, + "intent_template_id": 242 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 457, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Disable {{product}} from the site, they are facing some quality issues.", + "instantiation_dict": { + "product": "Karmen yoga pants" + }, + "intent": "Disable Karmen yoga pants from the site, they are facing some quality issues.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1819/", + "locator": "document.querySelector('[name=\"product[status]\"').value", + "required_contents": { + "exact_match": "2" + } + } + ] + }, + "intent_template_id": 242 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 458, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1481/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "$5", + "action": "Reduce" + }, + "intent": "Reduce the price of this product by $5", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1481/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "27.00" + } + } + ] + }, + "intent_template_id": 247 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 459, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/237/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "10%", + "action": "Reduce" + }, + "intent": "Reduce the price of this product by 10%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/237/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "62.10" + } + } + ] + }, + "intent_template_id": 247 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 460, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/418/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "15%", + "action": "Reduce" + }, + "intent": "Reduce the price of this product by 15%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/418/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "38.25" + } + } + ] + }, + "intent_template_id": 247 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 461, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/721/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "$11.5", + "action": "Increase" + }, + "intent": "Increase the price of this product by $11.5", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/721/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "29.50" + } + } + ] + }, + "intent_template_id": 247 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 462, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/710/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "10%", + "action": "Increase" + }, + "intent": "Increase the price of this product by 10%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/710/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "19.80" + } + } + ] + }, + "intent_template_id": 247 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 463, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/996/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "15%", + "action": "Increase" + }, + "intent": "Increase the price of this product by 15%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/996/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "36.80" + } + } + ] + }, + "intent_template_id": 247 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 464, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update the product description of {{product}} to highlight the real user positive reviews by quoting the comments", + "instantiation_dict": { + "product": "Antonia Racer Tank" + }, + "intent": "Update the product description of Antonia Racer Tank to highlight the real user positive reviews by quoting the comments", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/../antonia-racer-tank.html", + "locator": "document.querySelector('.data.item.content').outerText + (document.querySelector('.product.attribute.overview [itemprop=\"description\"]')?.outerText || '')", + "required_contents": { + "must_include": [ + "This is in regular rotation at the gym", + "Its colorful and looks kinda cute under my exercise tanks", + "it's very stylish for yoga or something else low impact" + ] + } + } + ] + }, + "intent_template_id": 251 + }, + { + "sites": [ + "shopping" + ], + "task_id": 465, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add {{product}} to my wish list", + "instantiation_dict": { + "product": "Tide PODS Spring Meadow Scent HE Turbo Laundry Detergent Pacs, 81 Count" + }, + "intent": "Add Tide PODS Spring Meadow Scent HE Turbo Laundry Detergent Pacs, 81 Count to my wish list", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Tide PODS Spring Meadow Scent HE Turbo Laundry Detergent Pacs, 81 Count" + ] + } + } + ] + }, + "intent_template_id": 186 + }, + { + "sites": [ + "shopping" + ], + "task_id": 466, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add {{product}} to my wish list", + "instantiation_dict": { + "product": "2 Hawaiian Bamboo Orchid Roots #zc50 - by Discount Hawaiian Gifts" + }, + "intent": "Add 2 Hawaiian Bamboo Orchid Roots #zc50 - by Discount Hawaiian Gifts to my wish list", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "2 Hawaiian Bamboo Orchid Roots #zc50 - by Discount Hawaiian Gifts" + ] + } + } + ] + }, + "intent_template_id": 186 + }, + { + "sites": [ + "shopping" + ], + "task_id": 467, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add {{product}} to my wish list", + "instantiation_dict": { + "product": "HONGJ Hawaiian Beach Outfits Set for Mens, Summer Tropical Tree Printed Relaxed-fit Hawaii Shirts Shorts 2 Piece Suits" + }, + "intent": "Add HONGJ Hawaiian Beach Outfits Set for Mens, Summer Tropical Tree Printed Relaxed-fit Hawaii Shirts Shorts 2 Piece Suits to my wish list", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "HONGJ Hawaiian Beach Outfits Set for Mens, Summer Tropical Tree Printed Relaxed-fit Hawaii Shirts Shorts 2 Piece Suits" + ] + } + } + ] + }, + "intent_template_id": 186 + }, + { + "sites": [ + "shopping" + ], + "task_id": 468, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add {{product}} to my wish list", + "instantiation_dict": { + "product": "DkRgVNY Lace Spcling Lingerie Womens Sexy Hollow Out Underwear Bodysuit One Piece Snap Crotch Clubwear Teddy Bodysuit" + }, + "intent": "Add DkRgVNY Lace Spcling Lingerie Womens Sexy Hollow Out Underwear Bodysuit One Piece Snap Crotch Clubwear Teddy Bodysuit to my wish list", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "DkRgVNY Lace Spcling Lingerie Womens Sexy Hollow Out Underwear Bodysuit One Piece Snap Crotch Clubwear Teddy Bodysuit" + ] + } + } + ] + }, + "intent_template_id": 186 + }, + { + "sites": [ + "shopping" + ], + "task_id": 469, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add {{product}} to my wish list", + "instantiation_dict": { + "product": "Light Blue Simple Summer New Low Heels Slippers for Women Fashion Chunky Heels Pointed Toe Wine Glasses Sandals Comfortable Walking Shoes Ladies All-Match Sexy Party Shoes" + }, + "intent": "Add Light Blue Simple Summer New Low Heels Slippers for Women Fashion Chunky Heels Pointed Toe Wine Glasses Sandals Comfortable Walking Shoes Ladies All-Match Sexy Party Shoes to my wish list", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Light Blue Simple Summer New Low Heels Slippers for Women Fashion Chunky Heels Pointed Toe Wine Glasses Sandals Comfortable Walking Shoes Ladies All-Match Sexy Party Shoes" + ] + } + } + ] + }, + "intent_template_id": 186 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 470, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Cancel order {{id}}", + "instantiation_dict": { + "id": "302" + }, + "intent": "Cancel order 302", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/302/", + "locator": "document.querySelector(\"#order_status\").outerText", + "required_contents": { + "exact_match": "Canceled" + } + } + ] + }, + "intent_template_id": 257 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 471, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Cancel order {{id}}", + "instantiation_dict": { + "id": "307" + }, + "intent": "Cancel order 307", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/307/", + "locator": "document.querySelector(\"#order_status\").outerText", + "required_contents": { + "exact_match": "Canceled" + } + } + ] + }, + "intent_template_id": 257 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 472, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Cancel order {{id}}", + "instantiation_dict": { + "id": "299" + }, + "intent": "Cancel order 299", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/299/", + "locator": "document.querySelector(\"#order_status\").outerText", + "required_contents": { + "exact_match": "Canceled" + } + } + ] + }, + "intent_template_id": 257 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 473, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Cancel order {{id}}", + "instantiation_dict": { + "id": "301" + }, + "intent": "Cancel order 301", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/301/", + "locator": "document.querySelector(\"#order_status\").outerText", + "required_contents": { + "exact_match": "Canceled" + } + } + ] + }, + "intent_template_id": 257 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 474, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Cancel order {{id}}", + "instantiation_dict": { + "id": "305" + }, + "intent": "Cancel order 305", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/305/", + "locator": "document.querySelector(\"#order_status\").outerText", + "required_contents": { + "exact_match": "Canceled" + } + } + ] + }, + "intent_template_id": 257 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 475, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set up a new, empty repository with the name {{project_name}}?", + "instantiation_dict": { + "project_name": "chatgpt_plugin" + }, + "intent": "Set up a new, empty repository with the name chatgpt_plugin?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/chatgpt_plugin", + "locator": "", + "required_contents": { + "must_include": [ + "chatgpt_plugin" + ] + } + } + ] + }, + "intent_template_id": 292 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 476, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set up a new, empty repository with the name {{project_name}}?", + "instantiation_dict": { + "project_name": "awesome_llm_reading" + }, + "intent": "Set up a new, empty repository with the name awesome_llm_reading?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome_llm_reading", + "locator": "", + "required_contents": { + "must_include": [ + "awesome_llm_reading" + ] + } + } + ] + }, + "intent_template_id": 292 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 477, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set up a new, empty repository with the name {{project_name}}?", + "instantiation_dict": { + "project_name": "awesome_program_aided_reasoning" + }, + "intent": "Set up a new, empty repository with the name awesome_program_aided_reasoning?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome_program_aided_reasoning", + "locator": "", + "required_contents": { + "must_include": [ + "awesome_program_aided_reasoning" + ] + } + } + ] + }, + "intent_template_id": 292 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 478, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set up a new, empty repository with the name {{project_name}}?", + "instantiation_dict": { + "project_name": "webagent" + }, + "intent": "Set up a new, empty repository with the name webagent?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/webagent", + "locator": "", + "required_contents": { + "must_include": [ + "webagent" + ] + } + } + ] + }, + "intent_template_id": 292 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 479, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Set up a new, empty repository with the name {{project_name}}?", + "instantiation_dict": { + "project_name": "awesome_webagent" + }, + "intent": "Set up a new, empty repository with the name awesome_webagent?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome_webagent", + "locator": "", + "required_contents": { + "must_include": [ + "awesome_webagent" + ] + } + } + ] + }, + "intent_template_id": 292 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 480, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Invite {{collaborator_account_list}} as collaborator to {{repo}}", + "instantiation_dict": { + "collaborator_account_list": "yjlou", + "repo": "solarized-prism-theme" + }, + "intent": "Invite yjlou as collaborator to solarized-prism-theme", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/solarized-prism-theme/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "yjlou" + ] + } + } + ] + }, + "intent_template_id": 293 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 481, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "{{name}} wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "instantiation_dict": { + "name": "Abishek" + }, + "intent": "Abishek wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'abisubramanya27')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 294 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 482, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "{{name}} wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "instantiation_dict": { + "name": "yjlou" + }, + "intent": "yjlou wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'yjlou')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 294 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 483, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "{{name}} wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "instantiation_dict": { + "name": "Koushik" + }, + "intent": "Koushik wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'koush')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 294 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 484, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "{{name}} wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "instantiation_dict": { + "name": "Jakub Klinkovsk\u00fd" + }, + "intent": "Jakub Klinkovsk\u00fd wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'lahwaacz')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 294 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 485, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "{{name}} wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "instantiation_dict": { + "name": "Vinta" + }, + "intent": "Vinta wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'vinta')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 294 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 486, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Change the page title of \"{{old-heading}}\" page on my site to \"{{heading}}\".", + "instantiation_dict": { + "old-heading": "404 Not Found", + "heading": "Bruh bro you clicked the wrong page" + }, + "intent": "Change the page title of \"404 Not Found\" page on my site to \"Bruh bro you clicked the wrong page\".", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/cms/page/edit/page_id/1/", + "locator": "document.querySelector('input[name=\"title\"').value", + "required_contents": { + "exact_match": "Bruh bro you clicked the wrong page" + } + } + ] + }, + "intent_template_id": 275 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 487, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Change the page title of \"{{old-heading}}\" page on my site to \"{{heading}}\".", + "instantiation_dict": { + "old-heading": "Enable Cookies", + "heading": "Cookie monster coming to your place" + }, + "intent": "Change the page title of \"Enable Cookies\" page on my site to \"Cookie monster coming to your place\".", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/cms/page/edit/page_id/3/", + "locator": "document.querySelector('input[name=\"title\"').value", + "required_contents": { + "exact_match": "Cookie monster coming to your place" + } + } + ] + }, + "intent_template_id": 275 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 488, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Change the page title of \"{{old-heading}}\" page on my site to \"{{heading}}\".", + "instantiation_dict": { + "old-heading": "Home Page", + "heading": "This is the home page!! Leave here!!" + }, + "intent": "Change the page title of \"Home Page\" page on my site to \"This is the home page!! Leave here!!\".", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/cms/page/edit/page_id/2/", + "locator": "document.querySelector('input[name=\"title\"').value", + "required_contents": { + "exact_match": "This is the home page!! Leave here!!" + } + } + ] + }, + "intent_template_id": 275 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 489, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Change the page title of \"{{old-heading}}\" page on my site to \"{{heading}}\".", + "instantiation_dict": { + "old-heading": "Privacy Policy", + "heading": "No privacy policy is needed is this dystopian world" + }, + "intent": "Change the page title of \"Privacy Policy\" page on my site to \"No privacy policy is needed is this dystopian world\".", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/cms/page/edit/page_id/4/", + "locator": "document.querySelector('input[name=\"title\"').value", + "required_contents": { + "exact_match": "No privacy policy is needed is this dystopian world" + } + } + ] + }, + "intent_template_id": 275 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 490, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Change the page title of \"{{old-heading}}\" page on my site to \"{{heading}}\".", + "instantiation_dict": { + "old-heading": "About us", + "heading": "Secret" + }, + "intent": "Change the page title of \"About us\" page on my site to \"Secret\".", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/cms/page/edit/page_id/5/", + "locator": "document.querySelector('input[name=\"title\"').value", + "required_contents": { + "exact_match": "Secret" + } + } + ] + }, + "intent_template_id": 275 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 491, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Notify {{name}} in their most recent pending order with message \"{{message}}\"", + "instantiation_dict": { + "name": "Sarah Miller", + "message": "the order is ready to be shipped soon!" + }, + "intent": "Notify Sarah Miller in their most recent pending order with message \"the order is ready to be shipped soon!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "System message: We cannot add order history." + }, + "intent_template_id": 280 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 492, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Notify {{name}} in their most recent pending order with message \"{{message}}\"", + "instantiation_dict": { + "name": "Jane Doe", + "message": "sorry we are out of stock, please reorder" + }, + "intent": "Notify Jane Doe in their most recent pending order with message \"sorry we are out of stock, please reorder\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/302/", + "locator": "document.querySelector(\"#order_history_block\").querySelector(\".note-list\").firstElementChild.querySelector(\".note-list-comment\").outerText", + "required_contents": { + "exact_match": "sorry we are out of stock, please reorder" + } + } + ] + }, + "intent_template_id": 280 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 493, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Notify {{name}} in their most recent pending order with message \"{{message}}\"", + "instantiation_dict": { + "name": "Grace Nguyen", + "message": "sorry we are bankrupt, please contact our customer service for refund" + }, + "intent": "Notify Grace Nguyen in their most recent pending order with message \"sorry we are bankrupt, please contact our customer service for refund\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/307/", + "locator": "document.querySelector(\"#order_history_block\").querySelector(\".note-list\").firstElementChild.querySelector(\".note-list-comment\").outerText", + "required_contents": { + "exact_match": "sorry we are bankrupt, please contact our customer service for refund" + } + } + ] + }, + "intent_template_id": 280 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 494, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Notify {{name}} in their most recent pending order with message \"{{message}}\"", + "instantiation_dict": { + "name": "Alex Thomas", + "message": "Yo, your order will be shipped soon!" + }, + "intent": "Notify Alex Thomas in their most recent pending order with message \"Yo, your order will be shipped soon!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/304/", + "locator": "document.querySelector(\"#order_history_block\").querySelector(\".note-list\").firstElementChild.querySelector(\".note-list-comment\").outerText", + "required_contents": { + "exact_match": "Yo, your order will be shipped soon!" + } + } + ] + }, + "intent_template_id": 280 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 495, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Notify {{name}} in their most recent pending order with message \"{{message}}\"", + "instantiation_dict": { + "name": "Lily Potter", + "message": "Thanks, your order is ready to be shipped!" + }, + "intent": "Notify Lily Potter in their most recent pending order with message \"Thanks, your order is ready to be shipped!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/303/", + "locator": "document.querySelector(\"#order_history_block\").querySelector(\".note-list\").firstElementChild.querySelector(\".note-list-comment\").outerText", + "required_contents": { + "exact_match": "Thanks, your order is ready to be shipped!" + } + } + ] + }, + "intent_template_id": 280 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 496, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update order #{{order}} with the {{service}} tracking number {{tracking}}", + "instantiation_dict": { + "tracking": "8974568499", + "order": "299", + "service": "Federal Express" + }, + "intent": "Update order #299 with the Federal Express tracking number 8974568499", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/commentsHistory/order_id/299/active_tab/order_shipments/", + "locator": "", + "required_contents": { + "must_include": [ + "Tracking number 8974568499 for Federal Express assigned" + ] + } + } + ] + }, + "intent_template_id": 284 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 497, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update order #{{order}} with the {{service}} tracking number {{tracking}}", + "instantiation_dict": { + "tracking": "24353446464", + "order": "307", + "service": "DHL" + }, + "intent": "Update order #307 with the DHL tracking number 24353446464", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/commentsHistory/order_id/307/active_tab/order_shipments/", + "locator": "", + "required_contents": { + "must_include": [ + "Tracking number 24353446464 for DHL assigned" + ] + } + } + ] + }, + "intent_template_id": 284 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 498, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update order #{{order}} with the {{service}} tracking number {{tracking}}", + "instantiation_dict": { + "tracking": "55591023930", + "order": "306", + "service": "UPS" + }, + "intent": "Update order #306 with the UPS tracking number 55591023930", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/commentsHistory/order_id/306/active_tab/order_shipments/", + "locator": "", + "required_contents": { + "must_include": [ + "Tracking number 55591023930 for United Parcel Service assigned" + ] + } + } + ] + }, + "intent_template_id": 284 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 499, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update order #{{order}} with the {{service}} tracking number {{tracking}}", + "instantiation_dict": { + "tracking": "13849373987", + "order": "304", + "service": "USPS" + }, + "intent": "Update order #304 with the USPS tracking number 13849373987", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/commentsHistory/order_id/304/active_tab/order_shipments/", + "locator": "", + "required_contents": { + "must_include": [ + "Tracking number 13849373987 for United States Postal Service assigned" + ] + } + } + ] + }, + "intent_template_id": 284 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 500, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update order #{{order}} with the {{service}} tracking number {{tracking}}", + "instantiation_dict": { + "tracking": "239028439840", + "order": "301", + "service": "DHL" + }, + "intent": "Update order #301 with the DHL tracking number 239028439840", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/commentsHistory/order_id/301/active_tab/order_shipments/", + "locator": "", + "required_contents": { + "must_include": [ + "Tracking number 239028439840 for DHL assigned" + ] + } + } + ] + }, + "intent_template_id": 284 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 501, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Make all {{product}} as out of stock", + "instantiation_dict": { + "product": "Taurus Elements Shell" + }, + "intent": "Make all Taurus Elements Shell as out of stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/350/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "0" + } + } + ] + }, + "intent_template_id": 287 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 502, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Make all {{product}} as out of stock", + "instantiation_dict": { + "product": "Gobi HeatTec Tee" + }, + "intent": "Make all Gobi HeatTec Tee as out of stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/446/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "0" + } + } + ] + }, + "intent_template_id": 287 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 503, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Make all {{product}} as out of stock", + "instantiation_dict": { + "product": "rocco gym tank" + }, + "intent": "Make all rocco gym tank as out of stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/682/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "0" + } + } + ] + }, + "intent_template_id": 287 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 504, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Make all {{product}} as out of stock", + "instantiation_dict": { + "product": "Selene yoga hoodie" + }, + "intent": "Make all Selene yoga hoodie as out of stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1108/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "0" + } + } + ] + }, + "intent_template_id": 287 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 505, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Make all {{product}} as out of stock", + "instantiation_dict": { + "product": "Aeno capri" + }, + "intent": "Make all Aeno capri as out of stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1861/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "0" + } + } + ] + }, + "intent_template_id": 287 + }, + { + "sites": [ + "shopping" + ], + "task_id": 506, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Buy the highest rated product from the {{product_category}} category within a budget {{dollar_value}}.", + "instantiation_dict": { + "product_category": "meat substitute", + "dollar_value": "between 100 and 200" + }, + "intent": "Buy the highest rated product from the meat substitute category within a budget between 100 and 200.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B01CTR3DLE" + ] + } + } + ] + }, + "intent_template_id": 172 + }, + { + "sites": [ + "shopping" + ], + "task_id": 507, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Buy the highest rated product from the {{product_category}} category within a budget {{dollar_value}}.", + "instantiation_dict": { + "product_category": "Ceiling light", + "dollar_value": "above 1000" + }, + "intent": "Buy the highest rated product from the Ceiling light category within a budget above 1000.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B07BVL3P1V" + ] + } + } + ] + }, + "intent_template_id": 172 + }, + { + "sites": [ + "shopping" + ], + "task_id": 508, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Buy the highest rated product from the {{product_category}} category within a budget {{dollar_value}}.", + "instantiation_dict": { + "product_category": "NS switch pouch", + "dollar_value": "under 60" + }, + "intent": "Buy the highest rated product from the NS switch pouch category within a budget under 60.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B07116LGP6" + ] + } + } + ] + }, + "intent_template_id": 172 + }, + { + "sites": [ + "shopping" + ], + "task_id": 509, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Buy the best rating product from \"{{category}}\" category with at least 5 reviews and the product is least expensive", + "instantiation_dict": { + "category": "Men's shoe" + }, + "intent": "Buy the best rating product from \"Men's shoe\" category with at least 5 reviews and the product is least expensive", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B01J4MM3KO" + ] + } + } + ] + }, + "intent_template_id": 216 + }, + { + "sites": [ + "shopping" + ], + "task_id": 510, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Buy the best rating product from \"{{category}}\" category with at least 5 reviews and the product is least expensive", + "instantiation_dict": { + "category": "Home Audio Speaker" + }, + "intent": "Buy the best rating product from \"Home Audio Speaker\" category with at least 5 reviews and the product is least expensive", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B002R5ABIW" + ] + } + } + ] + }, + "intent_template_id": 216 + }, + { + "sites": [ + "shopping" + ], + "task_id": 511, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add a {{product}} to my wish list.", + "instantiation_dict": { + "product": "laundry detergent" + }, + "intent": "Add a laundry detergent to my wish list.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "laundry", + "detergent" + ] + } + } + ] + }, + "intent_template_id": 189 + }, + { + "sites": [ + "shopping" + ], + "task_id": 512, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add a {{product}} to my wish list.", + "instantiation_dict": { + "product": "toothpaste" + }, + "intent": "Add a toothpaste to my wish list.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "toothpaste" + ] + } + } + ] + }, + "intent_template_id": 189 + }, + { + "sites": [ + "shopping" + ], + "task_id": 513, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add a {{product}} to my wish list.", + "instantiation_dict": { + "product": "chair" + }, + "intent": "Add a chair to my wish list.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "chair" + ] + } + } + ] + }, + "intent_template_id": 189 + }, + { + "sites": [ + "shopping" + ], + "task_id": 514, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add a {{product}} to my wish list.", + "instantiation_dict": { + "product": "white desk" + }, + "intent": "Add a white desk to my wish list.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "white", + "desk" + ] + } + } + ] + }, + "intent_template_id": 189 + }, + { + "sites": [ + "shopping" + ], + "task_id": 515, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Add a {{product}} to my wish list.", + "instantiation_dict": { + "product": "white computer desk" + }, + "intent": "Add a white computer desk to my wish list.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "white", + "computer", + "desk" + ] + } + } + ] + }, + "intent_template_id": 189 + }, + { + "sites": [ + "shopping" + ], + "task_id": 516, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/elmwood-inn-fine-teas-orange-vanilla-caffeine-free-fruit-infusion-16-ounce-pouch.html", + "geolocation": null, + "intent_template": "Add this product to my wishlist", + "instantiation_dict": {}, + "intent": "Add this product to my wishlist", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Elmwood Inn Fine Teas, Orange Vanilla Caffeine-free Fruit Infusion, 16-Ounce Pouch" + ] + } + } + ] + }, + "intent_template_id": 196 + }, + { + "sites": [ + "shopping" + ], + "task_id": 517, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/skinit-decal-gaming-skin-compatible-with-xbox-one-s-console-and-controller-bundle-officially-licensed-nfl-baltimore-ravens-design.html", + "geolocation": null, + "intent_template": "Add this product to my wishlist", + "instantiation_dict": {}, + "intent": "Add this product to my wishlist", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Skinit Decal Gaming Skin Compatible with Xbox One S Console and Controller Bundle - Officially Licensed NFL Baltimore Ravens Design" + ] + } + } + ] + }, + "intent_template_id": 196 + }, + { + "sites": [ + "shopping" + ], + "task_id": 518, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/sceptre-e195bd-srr-19-inch-720p-led-tv-true-black-2017.html", + "geolocation": null, + "intent_template": "Add this product to my wishlist", + "instantiation_dict": {}, + "intent": "Add this product to my wishlist", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Sceptre E195BD-SRR 19-Inch 720P LED TV, True Black (2017)" + ] + } + } + ] + }, + "intent_template_id": 196 + }, + { + "sites": [ + "shopping" + ], + "task_id": 519, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/iphone-13-pro-max-case-neon-turtle-iphone-13-pro-max-cases-tempered-glass-back-soft-silicone-tpu-shock-protective-case-for-apple-iphone-13-pro-max.html", + "geolocation": null, + "intent_template": "Add this product to my wishlist", + "instantiation_dict": {}, + "intent": "Add this product to my wishlist", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "iPhone 13 Pro Max Case, Neon Turtle iPhone 13 Pro Max Cases, Tempered Glass Back+Soft Silicone TPU Shock Protective Case for Apple iPhone 13 Pro Max" + ] + } + } + ] + }, + "intent_template_id": 196 + }, + { + "sites": [ + "shopping" + ], + "task_id": 520, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/magnetic-metal-stainless-steel-d-pads-kits-directional-pad-replacement-parts-for-xbox-one-elite-controller-elite-series-2-xbox-one-xbox-one-s-x-controller.html", + "geolocation": null, + "intent_template": "Add this product to my wishlist", + "instantiation_dict": {}, + "intent": "Add this product to my wishlist", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Magnetic Metal Stainless Steel D-pads Kits Directional Pad Replacement Parts for Xbox One Elite Controller, Elite Series 2, Xbox One, Xbox One S/X Controller" + ] + } + } + ] + }, + "intent_template_id": 196 + }, + { + "sites": [ + "shopping" + ], + "task_id": 521, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Subscribe to the newsletter of OneStopMarket", + "instantiation_dict": {}, + "intent": "Subscribe to the newsletter of OneStopMarket", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/newsletter/manage/", + "locator": "document.querySelector('[title=\"General Subscription\"').checked.toString()", + "required_contents": { + "exact_match": "true" + } + } + ] + }, + "intent_template_id": 199 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 522, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "all repos from facebook" + }, + "intent": "Fork all repos from facebook.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/projects", + "locator": "document.querySelector('[data-qa-selector=\"projects_list\"').outerText", + "required_contents": { + "must_include": [ + "create-react-app", + "buck" + ] + } + } + ] + }, + "intent_template_id": 352 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 523, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Star the top {{number}} most stared repos in Gitlab", + "instantiation_dict": { + "number": "five" + }, + "intent": "Star the top five most stared repos in Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/starred", + "locator": "", + "required_contents": { + "must_include": [ + "AndroidSlidingUpPanel", + "create-react-app", + "ffmpeg-python", + "PHP_XLSXWriter", + "AndroidAsync" + ] + } + } + ] + }, + "intent_template_id": 354 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 524, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Star the top {{number}} most stared repos in Gitlab", + "instantiation_dict": { + "number": "eight" + }, + "intent": "Star the top eight most stared repos in Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/starred", + "locator": "", + "required_contents": { + "must_include": [ + "AndroidSlidingUpPanel", + "create-react-app", + "ffmpeg-python", + "PHP_XLSXWriter", + "AndroidAsync", + "Pytorch-GAN", + "administrate", + "keycloak" + ] + } + } + ] + }, + "intent_template_id": 354 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 525, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Star the top {{number}} most stared repos in Gitlab", + "instantiation_dict": { + "number": "four" + }, + "intent": "Star the top four most stared repos in Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/starred", + "locator": "", + "required_contents": { + "must_include": [ + "AndroidSlidingUpPanel", + "create-react-app", + "ffmpeg-python", + "PHP_XLSXWriter" + ] + } + } + ] + }, + "intent_template_id": 354 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 526, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Star the top {{number}} most stared repos in Gitlab", + "instantiation_dict": { + "number": "three" + }, + "intent": "Star the top three most stared repos in Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/starred", + "locator": "", + "required_contents": { + "must_include": [ + "AndroidSlidingUpPanel", + "create-react-app", + "ffmpeg-python" + ] + } + } + ] + }, + "intent_template_id": 354 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 527, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Star the top {{number}} most stared repos in Gitlab", + "instantiation_dict": { + "number": "one" + }, + "intent": "Star the top one most stared repos in Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/starred", + "locator": "", + "required_contents": { + "must_include": [ + "AndroidSlidingUpPanel" + ] + } + } + ] + }, + "intent_template_id": 354 + }, + { + "sites": [ + "shopping" + ], + "task_id": 528, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft a refund message via their \"contact us\" form for the {{product}} I bought {{time}}. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "instantiation_dict": { + "product": "phone screen protector", + "time": "March 2023" + }, + "intent": "Draft a refund message via their \"contact us\" form for the phone screen protector I bought March 2023. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000180", + "12.99" + ] + } + } + ] + }, + "intent_template_id": 154 + }, + { + "sites": [ + "shopping" + ], + "task_id": 529, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft a refund message via their \"contact us\" form for the {{product}} I bought {{time}}. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "instantiation_dict": { + "product": "bluetooth speaker", + "time": "Feb 2023" + }, + "intent": "Draft a refund message via their \"contact us\" form for the bluetooth speaker I bought Feb 2023. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000148", + "169.95" + ] + } + } + ] + }, + "intent_template_id": 154 + }, + { + "sites": [ + "shopping" + ], + "task_id": 530, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft a refund message via their \"contact us\" form for the {{product}} I bought {{time}}. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "instantiation_dict": { + "product": "kitchen organizer", + "time": "around Feb 2023" + }, + "intent": "Draft a refund message via their \"contact us\" form for the kitchen organizer I bought around Feb 2023. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000161", + "68.88" + ] + } + } + ] + }, + "intent_template_id": 154 + }, + { + "sites": [ + "shopping" + ], + "task_id": 531, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft a refund message via their \"contact us\" form for the {{product}} I bought {{time}}. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "instantiation_dict": { + "product": "phone case", + "time": "March 2023" + }, + "intent": "Draft a refund message via their \"contact us\" form for the phone case I bought March 2023. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000180", + "$12.99" + ] + } + } + ] + }, + "intent_template_id": 154 + }, + { + "sites": [ + "shopping" + ], + "task_id": 532, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft a refund message via their \"contact us\" form for the {{product}} I bought {{time}}. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "instantiation_dict": { + "product": "PS3 remote controller", + "time": "early 2023" + }, + "intent": "Draft a refund message via their \"contact us\" form for the PS3 remote controller I bought early 2023. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000180", + "1.63" + ] + } + } + ] + }, + "intent_template_id": 154 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 533, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Follow {{account_list}} on Gitlab", + "instantiation_dict": { + "account_list": [ + "convexegg", + "yjlou" + ] + }, + "intent": "Follow ['convexegg', 'yjlou'] on Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/following", + "locator": "document.querySelector('.user-profile').outerText", + "required_contents": { + "must_include": [ + "@convexegg", + "@yjlou" + ] + } + } + ] + }, + "intent_template_id": 330 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 534, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Follow {{account_list}} on Gitlab", + "instantiation_dict": { + "account_list": [ + "Jakub Klinkovsk\u00fd", + "Koushik", + "Vinta Chen" + ] + }, + "intent": "Follow ['Jakub Klinkovsk\u00fd', 'Koushik', 'Vinta Chen'] on Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/following", + "locator": "document.querySelector('.user-profile').outerText", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@koush", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 330 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 535, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Follow {{account_list}} on Gitlab", + "instantiation_dict": { + "account_list": [ + "Jakub K", + "ghost", + "Beno\u00eet Blanchon" + ] + }, + "intent": "Follow ['Jakub K', 'ghost', 'Beno\u00eet Blanchon'] on Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/following", + "locator": "document.querySelector('.user-profile').outerText", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@ghost", + "@bblanchon" + ] + } + } + ] + }, + "intent_template_id": 330 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 536, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Follow {{account_list}} on Gitlab", + "instantiation_dict": { + "account_list": [ + "ghost", + "R1kk3r", + "Abishek" + ] + }, + "intent": "Follow ['ghost', 'R1kk3r', 'Abishek'] on Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/following", + "locator": "document.querySelector('.user-profile').outerText", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@R1kk3r", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 330 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 537, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Follow {{account_list}} on Gitlab", + "instantiation_dict": { + "account_list": [ + "Jakub Klinkovsk", + "convexegg", + "Vinta Chen", + "yjlou", + "Abishek S" + ] + }, + "intent": "Follow ['Jakub Klinkovsk', 'convexegg', 'Vinta Chen', 'yjlou', 'Abishek S'] on Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/users/byteblaze/following", + "locator": "document.querySelector('.user-profile').outerText", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@convexegg", + "@vinta", + "@yjlou", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 330 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 538, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Modify the address of order #{{order_id}} to {{address}}", + "instantiation_dict": { + "order_id": "299", + "address": "456 Oak Avenue, Apartment 5B, New York, NY, 10001" + }, + "intent": "Modify the address of order #299 to 456 Oak Avenue, Apartment 5B, New York, NY, 10001", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/299", + "locator": "", + "required_contents": { + "must_include": [ + "456 Oak Avenue", + "Apartment 5B", + "New York", + "10001" + ] + } + } + ] + }, + "intent_template_id": 240 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 539, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Modify the address of order #{{order_id}} to {{address}}", + "instantiation_dict": { + "order_id": "65", + "address": "789 Pine Lane, San Francisco, CA, 94102" + }, + "intent": "Modify the address of order #65 to 789 Pine Lane, San Francisco, CA, 94102", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/65", + "locator": "", + "required_contents": { + "must_include": [ + "789 Pine Lane", + "San Francisco", + "California", + "94102" + ] + } + } + ] + }, + "intent_template_id": 240 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 540, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Modify the address of order #{{order_id}} to {{address}}", + "instantiation_dict": { + "order_id": "301", + "address": "321 Birch Boulevard, Suite 200, Dallas, TX, 75201" + }, + "intent": "Modify the address of order #301 to 321 Birch Boulevard, Suite 200, Dallas, TX, 75201", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/301", + "locator": "", + "required_contents": { + "must_include": [ + "321 Birch Boulevard", + "Suite 200", + "Dallas", + "Texas", + "75201" + ] + } + } + ] + }, + "intent_template_id": 240 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 541, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Modify the address of order #{{order_id}} to {{address}}", + "instantiation_dict": { + "order_id": "125", + "address": "654 Elm Drive, Apartment 12, Miami, FL, 33101" + }, + "intent": "Modify the address of order #125 to 654 Elm Drive, Apartment 12, Miami, FL, 33101", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/125", + "locator": "", + "required_contents": { + "must_include": [ + "654 Elm Drive", + "Apartment 12", + "Miami", + "Florida", + "33101" + ] + } + } + ] + }, + "intent_template_id": 240 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 542, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Modify the address of order #{{order_id}} to {{address}}", + "instantiation_dict": { + "order_id": "300", + "address": "987 Cedar Court, Los Angeles, CA, 90012" + }, + "intent": "Modify the address of order #300 to 987 Cedar Court, Los Angeles, CA, 90012", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/view/order_id/300", + "locator": "", + "required_contents": { + "must_include": [ + "987 Cedar Court", + "Los Angeles", + "California", + "90012" + ] + } + } + ] + }, + "intent_template_id": 240 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 543, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update the product description of {{product}} to highlight the real user positive reviews by quoting the comments", + "instantiation_dict": { + "product": "Bella Tank" + }, + "intent": "Update the product description of Bella Tank to highlight the real user positive reviews by quoting the comments", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/../bella-tank.html", + "locator": "document.querySelector('.data.item.content').outerText + (document.querySelector('.product.attribute.overview [itemprop=\"description\"]')?.outerText || '')", + "required_contents": { + "must_include": [ + "Good choice for working out and stylin' enough to wear when I'm hanging with friends on hot days", + "Also washes really well", + "Always a sweet n sporty look for the gym", + "Keeps me cool and the seams don't rub up against me like some of my other tanks" + ] + } + } + ] + }, + "intent_template_id": 251 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 544, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update the description of {{product}} to highlight the real user positive reviews by quoting the comments", + "instantiation_dict": { + "product": "Selena Yoga Hoodie" + }, + "intent": "Update the description of Selena Yoga Hoodie to highlight the real user positive reviews by quoting the comments", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/../selene-yoga-hoodie.html", + "locator": "document.querySelector('.data.item.content').outerText + (document.querySelector('.product.attribute.overview [itemprop=\"description\"]')?.outerText || '')", + "required_contents": { + "must_include": [ + "I was super cold and it did the job.", + "The sleeves are definitely thicker than you realize, which is a good thing", + "really quite substantial", + "planning on buying another one of these in another color", + "the best hoodie ive ever owned" + ] + } + } + ] + }, + "intent_template_id": 251 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 545, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update the description of {{product}} to highlight the real user positive reviews by quoting the comments", + "instantiation_dict": { + "product": "Radiant Tee" + }, + "intent": "Update the description of Radiant Tee to highlight the real user positive reviews by quoting the comments", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/../radiant-tee.html", + "locator": "document.querySelector('.data.item.content').outerText + (document.querySelector('.product.attribute.overview [itemprop=\"description\"]')?.outerText || '')", + "required_contents": { + "must_include": [ + "What I rally love here is that it does the job of keeping me cool and dry", + "I'm a big guy and sweat A LOT", + "Even after a day of gulf, I'm still dry and comfortable", + "What a versatile shirt", + "Not only does it feel very soft compared to my old worn out polos, but it also does the job promised", + "I like going out after my game for drinks so I look good then too and don't need to change into something fresh" + ] + } + } + ] + }, + "intent_template_id": 251 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 546, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Update the description of {{product}} to highlight the real user positive reviews by quoting the comments", + "instantiation_dict": { + "product": "Lucia Cross-Fit Bra" + }, + "intent": "Update the description of Lucia Cross-Fit Bra to highlight the real user positive reviews by quoting the comments", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/../affirm-water-bottle.html", + "locator": "document.querySelector('.data.item.content').outerText + (document.querySelector('.product.attribute.overview [itemprop=\"description\"]')?.outerText || '')", + "required_contents": { + "must_include": [ + "Wide mouth opening makes it easy to clean" + ] + } + } + ] + }, + "intent_template_id": 251 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 547, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a new {{option}} option {{value}} to the {{base_setting}} of {{product}}", + "instantiation_dict": { + "option": "color", + "value": "brown", + "base_setting": "size S", + "product": "Phoebe Zipper Sweatshirt" + }, + "intent": "Add a new color option brown to the size S of Phoebe Zipper Sweatshirt", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1130/", + "locator": "document.querySelector('[data-index=\"configurable\"').outerText", + "required_contents": { + "must_include": [ + "Phoebe Zipper Sweatshirt-S-Brown" + ] + } + } + ] + }, + "intent_template_id": 252 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 548, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a new {{option}} {{value}} to {{base_setting}} of {{product}}", + "instantiation_dict": { + "option": "color", + "value": "blue", + "base_setting": "size S and M", + "product": "Frankie Sweatshirt" + }, + "intent": "Add a new color blue to size S and M of Frankie Sweatshirt", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/110/", + "locator": "document.querySelector('[data-index=\"configurable\"').outerText", + "required_contents": { + "must_include": [ + "Sweatshirt-M-Blue", + "Sweatshirt-S-Blue" + ] + } + } + ] + }, + "intent_template_id": 252 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 549, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a new {{option}} {{value}} to {{base_setting}} {{product}}", + "instantiation_dict": { + "option": "size", + "value": "XXXL", + "base_setting": "green", + "product": "Minerva LumaTech V-Tee" + }, + "intent": "Add a new size XXXL to green Minerva LumaTech V-Tee", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1492/", + "locator": "document.querySelector('[data-index=\"configurable\"').outerText", + "required_contents": { + "must_include": [ + "V-Tee-XXXL-Green" + ] + } + } + ] + }, + "intent_template_id": 252 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 550, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a new {{option}} {{value}} to {{base_setting}} {{product}}", + "instantiation_dict": { + "option": "size", + "value": "XXS", + "base_setting": "blue and purple", + "product": "Nona Fitness Tank" + }, + "intent": "Add a new size XXS to blue and purple Nona Fitness Tank", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1732/", + "locator": "document.querySelector('[data-index=\"configurable\"').outerText", + "required_contents": { + "must_include": [ + "Tank-XXS-Blue", + "Tank-XXS-Purple" + ] + } + } + ] + }, + "intent_template_id": 252 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 551, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add new {{option}} {{value}} to {{base_setting}} of {{product}}", + "instantiation_dict": { + "option": "size", + "value": "30 and 31", + "base_setting": "all color variants", + "product": "Diana Tights" + }, + "intent": "Add new size 30 and 31 to all color variants of Diana Tights", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1854/", + "locator": "document.querySelector('[data-index=\"configurable\"').outerText", + "required_contents": { + "must_include": [ + "Tights-30-Blue", + "Tights-30-Black", + "Tights-30-Orange", + "Tights-31-Blue", + "Tights-31-Black", + "Tights-31-Orange" + ] + } + } + ] + }, + "intent_template_id": 252 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 552, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a folder named {{directory}} in {{gitlab_repo}} repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the {{subreddit}}?", + "instantiation_dict": { + "directory": "real_space", + "subreddit": "space", + "gitlab_repo": "gimmiethat.space" + }, + "intent": "Create a folder named real_space in gimmiethat.space repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the space?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/real_space/urls.txt", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/space/134164/scientists-erupt-at-nasa-gutting-funding-for-crucial-venus", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/space/134163/virgin-orbit-fails-to-secure-funding-will-cease-operations", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/space/134162/nasa-to-name-artemis-2-crew-next-week-the-first-moon", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/space/134161/bent-light-in-deep-space-reveals-one-of-the-biggest-black", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/space/134160/seti-s-new-machine-learning-algorithm-works-like-google-s" + ] + } + } + ] + }, + "intent_template_id": 84 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 553, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a folder named {{directory}} in {{gitlab_repo}} repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the {{subreddit}}?", + "instantiation_dict": { + "directory": "news", + "gitlab_repo": "gimmiethat.space", + "subreddit": "news related subreddits" + }, + "intent": "Create a folder named news in gimmiethat.space repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the news related subreddits?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/news/urls.txt", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129905/ohio-man-charged-for-using-molotov-cocktails-to-attack", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129904/in-a-loss-for-fox-news-judge-allows-dominion-s-defamation", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129903/theater-group-sues-to-block-tennessee-s-new-anti-drag-law", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129902/andrew-tate-released-from-jail-in-romania-and-placed-under", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129901/rare-high-risk-storm-alert-issued-for-parts-of-midwest-and" + ] + } + } + ] + }, + "intent_template_id": 84 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 554, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a folder named {{directory}} in {{gitlab_repo}} repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the {{subreddit}}?", + "instantiation_dict": { + "directory": "moive_space", + "gitlab_repo": "gimmiethat.space", + "subreddit": "movies" + }, + "intent": "Create a folder named moive_space in gimmiethat.space repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the movies?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/moive_space/urls.txt", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/128825/scenes-in-film-that-feel-off-or-wrong-in-some-way-and-make", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/128824/disney-s-live-action-lilo-amp-stitch-movie-finds-its-lilo-in", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/128823/fantastic-four-movie-gets-new-writer-with-avatar-the-way-of", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/128822/can-someone-explain-what-made-steven-seagal-so-appealing-for", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/128821/ban-on-fetish-sex-depictions-in-film-should-end-australia" + ] + } + } + ] + }, + "intent_template_id": 84 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 555, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a folder named {{directory}} in {{gitlab_repo}} repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the {{subreddit}}?", + "instantiation_dict": { + "directory": "funny_pic", + "gitlab_repo": "gimmiethat.space", + "subreddit": "memes" + }, + "intent": "Create a folder named funny_pic in gimmiethat.space repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the memes?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/raw/main/funny_pic/urls.txt", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/memes/127991/it-do-be-like-that-tho", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/memes/127990/thank-you-memers-this-wouldn-t-be-possible-without-you", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/memes/127989/if-you-have-no-other-choice", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/memes/127988/yes-yes-yes", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/memes/127987/shagadelic-baby" + ] + } + } + ] + }, + "intent_template_id": 84 + }, + { + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 556, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "nolan_honest_fans", + "topics": "movies directed by Christopher Nolan" + }, + "intent": "Create a repo named nolan_honest_fans with movies directed by Christopher Nolan in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/nolan_honest_fans/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "Following", + "Memento", + "Insomnia", + "Batman Begins", + "The Prestige", + "The Dark Knight", + "Inception", + "The Dark Knight Rises", + "Interstellar", + "Dunkirk", + "Tenet", + "Oppenheimer" + ] + } + } + ] + }, + "intent_template_id": 87 + }, + { + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 557, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "nolan_old_fans", + "topics": "movies directed by Christopher Nolan before 2010" + }, + "intent": "Create a repo named nolan_old_fans with movies directed by Christopher Nolan before 2010 in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/nolan_old_fans/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "Following", + "Memento", + "Insomnia", + "Batman Begins", + "The Prestige", + "The Dark Knight" + ] + } + } + ] + }, + "intent_template_id": 87 + }, + { + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 558, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "nolan_young_fans", + "topics": "movies directed by Christopher Nolan after 2010" + }, + "intent": "Create a repo named nolan_young_fans with movies directed by Christopher Nolan after 2010 in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/nolan_young_fans/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "Inception", + "The Dark Knight Rises", + "Interstellar", + "Dunkirk", + "Tenet", + "Oppenheimer" + ] + } + } + ] + }, + "intent_template_id": 87 + }, + { + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 559, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "nolan_followers", + "topics": "career timeline of Christopher Nolan" + }, + "intent": "Create a repo named nolan_followers with career timeline of Christopher Nolan in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/nolan_followers/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "1993\u20132003: Early career and breakthrough", + "2003\u20132013: Widespread recognition", + "2014\u20132019: Established Hollywood auteur", + "2020\u2013present" + ] + } + } + ] + }, + "intent_template_id": 87 + }, + { + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 560, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "nolan_academy_awards", + "topics": "movies that won Academy Awards by Christopher Nolan" + }, + "intent": "Create a repo named nolan_academy_awards with movies that won Academy Awards by Christopher Nolan in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/nolan_academy_awards/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "The Dark Knight", + "Inception", + "Interstellar", + "Dunkirk", + "Tenet" + ] + } + } + ] + }, + "intent_template_id": 87 + }, + { + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 561, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "bafta_awards_nolan", + "topics": "movies that are nominated BAFTA Awards by Christopher Nolan" + }, + "intent": "Create a repo named bafta_awards_nolan with movies that are nominated BAFTA Awards by Christopher Nolan in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/bafta_awards_nolan/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "Batman Begins", + "The Dark Knight", + "Inception", + "The Dark Knight Rises", + "Interstellar", + "Dunkirk", + "Tenet" + ] + } + } + ] + }, + "intent_template_id": 87 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 562, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a repository named {{name}} that includes a README file with the links to the most active {{num}} DIY ideas on DIY subreddit?", + "instantiation_dict": { + "name": "Awesome_DIY_ideas", + "num": 6 + }, + "intent": "create a repository named Awesome_DIY_ideas that includes a README file with the links to the most active 6 DIY ideas on DIY subreddit?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/Awesome_DIY_ideas/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118903/separate-glued-plastic-parts", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118923/how-would-you-fix-this-dryer-vent-mess", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118935/basement-bulkhead-soffit-wall-framing", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118904/ge-water-heater-pilot-light-won-t-stay-lit", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118960/attempting-to-move-a-wall-outlet-in-my-basement-a-few-inches", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118931/afci-outlet-question" + ] + } + } + ] + }, + "intent_template_id": 88 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 563, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a repository named {{name}} that includes a README file with the links to the most active {{num}} DIY ideas on DIY subreddit?", + "instantiation_dict": { + "name": "fun_thing_to_do", + "num": 5 + }, + "intent": "create a repository named fun_thing_to_do that includes a README file with the links to the most active 5 DIY ideas on DIY subreddit?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/fun_thing_to_do/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118903/separate-glued-plastic-parts", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118923/how-would-you-fix-this-dryer-vent-mess", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118935/basement-bulkhead-soffit-wall-framing", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118904/ge-water-heater-pilot-light-won-t-stay-lit", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118960/attempting-to-move-a-wall-outlet-in-my-basement-a-few-inches" + ] + } + } + ] + }, + "intent_template_id": 88 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 564, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a repository named {{name}} that includes a README file with the links to the most active {{num}} DIY ideas on DIY subreddit?", + "instantiation_dict": { + "name": "live_a_life", + "num": 3 + }, + "intent": "create a repository named live_a_life that includes a README file with the links to the most active 3 DIY ideas on DIY subreddit?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/live_a_life/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118903/separate-glued-plastic-parts", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118923/how-would-you-fix-this-dryer-vent-mess", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118935/basement-bulkhead-soffit-wall-framing" + ] + } + } + ] + }, + "intent_template_id": 88 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 565, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a repository named {{name}} that includes a README file with the links to the most active {{num}} DIY ideas on DIY subreddit?", + "instantiation_dict": { + "name": "TODO", + "num": 10 + }, + "intent": "create a repository named TODO that includes a README file with the links to the most active 10 DIY ideas on DIY subreddit?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/TODO/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118903/separate-glued-plastic-parts", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118923/how-would-you-fix-this-dryer-vent-mess", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118935/basement-bulkhead-soffit-wall-framing", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118904/ge-water-heater-pilot-light-won-t-stay-lit", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118960/attempting-to-move-a-wall-outlet-in-my-basement-a-few-inches", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118931/afci-outlet-question", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118824/teflon-tape-to-attach-washing-machine-drain-hose-to-pipe", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118866/paver-base-for-shed", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118820/ways-to-locate-our-buried-electrical-service", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118836/how-to-eliminate-transitions-for-disability-mobility-reasons" + ] + } + } + ] + }, + "intent_template_id": 88 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 566, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a repository named {{name}} that includes a README file with the links to the most active {{num}} DIY ideas on DIY subreddit?", + "instantiation_dict": { + "name": "Do it myself", + "num": 8 + }, + "intent": "create a repository named Do it myself that includes a README file with the links to the most active 8 DIY ideas on DIY subreddit?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/Do-it-myself/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118903/separate-glued-plastic-parts", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118923/how-would-you-fix-this-dryer-vent-mess", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118935/basement-bulkhead-soffit-wall-framing", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118904/ge-water-heater-pilot-light-won-t-stay-lit", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118960/attempting-to-move-a-wall-outlet-in-my-basement-a-few-inches", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118931/afci-outlet-question", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118824/teflon-tape-to-attach-washing-machine-drain-hose-to-pipe", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY/118866/paver-base-for-shed" + ] + } + } + ] + }, + "intent_template_id": 88 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 567, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Invite {{collaborator_account_list}} as collaborator to {{repo}} repo", + "instantiation_dict": { + "collaborator_account_list": "Jakub Klinkovsk\u00fd and Beno\u00eet Blanchon", + "repo": "gimmiethat.space" + }, + "intent": "Invite Jakub Klinkovsk\u00fd and Beno\u00eet Blanchon as collaborator to gimmiethat.space repo", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@bblanchon" + ] + } + } + ] + }, + "intent_template_id": 293 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 568, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Invite {{collaborator_account_list}} as collaborator to {{repo}} repo", + "instantiation_dict": { + "collaborator_account_list": "Abishek and Vinta", + "repo": "a11yproject.com" + }, + "intent": "Invite Abishek and Vinta as collaborator to a11yproject.com repo", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@abisubramanya27", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 293 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 569, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Invite {{collaborator_account_list}} as collaborator to {{repo}} repo", + "instantiation_dict": { + "collaborator_account_list": "Beno\u00eet and Abishek", + "repo": "my HTML5 markup extention" + }, + "intent": "Invite Beno\u00eet and Abishek as collaborator to my HTML5 markup extention repo", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/accessible-html-content-patterns/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@bblanchon", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 293 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 570, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Invite {{collaborator_account_list}} as collaborator to {{repo}} repo", + "instantiation_dict": { + "collaborator_account_list": "Jakub K, Alex Dills, Alex Hutnik and Beno\u00eet Blanchon", + "repo": "my time tracking tool project" + }, + "intent": "Invite Jakub K, Alex Dills, Alex Hutnik and Beno\u00eet Blanchon as collaborator to my time tracking tool project repo", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/timeit/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@V13Axel", + "@alexhutnik", + "@bblanchon" + ] + } + } + ] + }, + "intent_template_id": 293 + }, + { + "sites": [ + "shopping" + ], + "task_id": 571, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I recently moved, my address is {{address}}, update my information on OneStopShopping accordingly", + "instantiation_dict": { + "address": "231 Willow Way, Suite 100, Chicago, IL, 60601" + }, + "intent": "I recently moved, my address is 231 Willow Way, Suite 100, Chicago, IL, 60601, update my information on OneStopShopping accordingly", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-billing > .box-content\").outerText", + "required_contents": { + "must_include": [ + "231 Willow Way", + "Suite 100", + "Chicago, Illinois, 60601" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-shipping > .box-content\").outerText", + "required_contents": { + "must_include": [ + "231 Willow Way", + "Suite 100", + "Chicago, Illinois, 60601" + ] + } + } + ] + }, + "intent_template_id": 165 + }, + { + "sites": [ + "shopping" + ], + "task_id": 572, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I recently moved, my address is {{address}}, update my information on OneStopShopping accordingly", + "instantiation_dict": { + "address": "654 Aspen Road, House #3, Boston, MA, 02110" + }, + "intent": "I recently moved, my address is 654 Aspen Road, House #3, Boston, MA, 02110, update my information on OneStopShopping accordingly", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-billing > .box-content\").outerText", + "required_contents": { + "must_include": [ + "654 Aspen Road", + "House #3", + "Boston, Massachusetts, 02110" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-shipping > .box-content\").outerText", + "required_contents": { + "must_include": [ + "654 Aspen Road", + "House #3", + "Boston, Massachusetts, 02110" + ] + } + } + ] + }, + "intent_template_id": 165 + }, + { + "sites": [ + "shopping" + ], + "task_id": 573, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I recently moved, my address is {{address}}, update my information on OneStopShopping accordingly", + "instantiation_dict": { + "address": "987 Sycamore Circle, Philadelphia, PA, 19102" + }, + "intent": "I recently moved, my address is 987 Sycamore Circle, Philadelphia, PA, 19102, update my information on OneStopShopping accordingly", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-shipping > .box-content\").outerText", + "required_contents": { + "must_include": [ + "987 Sycamore Circle", + "Philadelphia, Pennsylvania, 19102" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-billing > .box-content\").outerText", + "required_contents": { + "must_include": [ + "987 Sycamore Circle", + "Philadelphia, Pennsylvania, 19102" + ] + } + } + ] + }, + "intent_template_id": 165 + }, + { + "sites": [ + "shopping" + ], + "task_id": 574, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I recently moved, my address is {{address}}, update my information on OneStopShopping accordingly", + "instantiation_dict": { + "address": "111 Magnolia Path, Atlanta, GA, 30303" + }, + "intent": "I recently moved, my address is 111 Magnolia Path, Atlanta, GA, 30303, update my information on OneStopShopping accordingly", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-shipping > .box-content\").outerText", + "required_contents": { + "must_include": [ + "111 Magnolia Path", + "Atlanta, Georgia, 30303" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-billing > .box-content\").outerText", + "required_contents": { + "must_include": [ + "111 Magnolia Path", + "Atlanta, Georgia, 30303" + ] + } + } + ] + }, + "intent_template_id": 165 + }, + { + "sites": [ + "shopping" + ], + "task_id": 575, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "I recently moved, my address is {{address}}, update my information on OneStopShopping accordingly", + "instantiation_dict": { + "address": "222 Redwood Rise, Suite 300, Seattle, WA, 98101" + }, + "intent": "I recently moved, my address is 222 Redwood Rise, Suite 300, Seattle, WA, 98101, update my information on OneStopShopping accordingly", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-shipping > .box-content\").outerText", + "required_contents": { + "must_include": [ + "222 Redwood Rise", + "Suite 300", + "Seattle, Washington, 98101" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/customer/address", + "locator": "document.querySelector(\".box.box-address-billing > .box-content\").outerText", + "required_contents": { + "must_include": [ + "222 Redwood Rise", + "Suite 300", + "Seattle, Washington, 98101" + ] + } + } + ] + }, + "intent_template_id": 165 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 576, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Add the following users to repo {{repo}} as {{role}}: {{user_list}}", + "instantiation_dict": { + "repo": "a11y-webring.club", + "role": "developer", + "user_list": [ + "abisubramanya27", + "lahwaacz" + ] + }, + "intent": "Add the following users to repo a11y-webring.club as developer: ['abisubramanya27', 'lahwaacz']", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-webring.club/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'abisubramanya27')", + "required_contents": { + "must_include": [ + "Developer" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-webring.club/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'lahwaacz')", + "required_contents": { + "must_include": [ + "Developer" + ] + } + } + ] + }, + "intent_template_id": 351 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 577, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Add the following users to my {{repo}} as {{role}}: {{user_list}}", + "instantiation_dict": { + "repo": "GitHub timeline item management extension", + "role": "maintainer", + "user_list": [ + "abisubramanya27", + "lahwaacz" + ] + }, + "intent": "Add the following users to my GitHub timeline item management extension as maintainer: ['abisubramanya27', 'lahwaacz']", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/remove-board-movement-events-from-the-github-issue-timeline/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'abisubramanya27')", + "required_contents": { + "must_include": [ + "Maintainer" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/remove-board-movement-events-from-the-github-issue-timeline/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'lahwaacz')", + "required_contents": { + "must_include": [ + "Maintainer" + ] + } + } + ] + }, + "intent_template_id": 351 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 578, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Add the following users to repo {{repo}} as {{role}}: {{user_list}}", + "instantiation_dict": { + "repo": "millennials-to-snake-people", + "role": "reporter", + "user_list": [ + "yjlou", + "a11yproject" + ] + }, + "intent": "Add the following users to repo millennials-to-snake-people as reporter: ['yjlou', 'a11yproject']", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/millennials-to-snake-people/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'yjlou')", + "required_contents": { + "must_include": [ + "Reporter" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/millennials-to-snake-people/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'a11yproject')", + "required_contents": { + "must_include": [ + "Reporter" + ] + } + } + ] + }, + "intent_template_id": 351 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 579, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Add the following users to my {{repo}} as {{role}}: {{user_list}}", + "instantiation_dict": { + "repo": "time tracking tool", + "role": "guest", + "user_list": [ + "yjlou" + ] + }, + "intent": "Add the following users to my time tracking tool as guest: ['yjlou']", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/timeit/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'yjlou')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 351 + }, + { + "sites": [ + "reddit" + ], + "task_id": 580, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a new forum named {{name}}, with a description of {{description}}, and include {{sidebar_list}} in the sidebar?", + "instantiation_dict": { + "name": "sci_fi", + "description": "A wild place for sci-fi enthusiasts", + "sidebar_list": [ + "New", + "Classic", + "Movies", + "Post my novel", + "Random" + ] + }, + "intent": "Create a new forum named sci_fi, with a description of A wild place for sci-fi enthusiasts, and include ['New', 'Classic', 'Movies', 'Post my novel', 'Random'] in the sidebar?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/sci_fi/edit", + "locator": "document.querySelector(\"#forum_description\").value", + "required_contents": { + "must_include": [ + "A wild place for sci-fi enthusiasts" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/sci_fi/edit", + "locator": "document.querySelector(\"#forum_sidebar\").value", + "required_contents": { + "must_include": [ + "New", + "Classic", + "Movies", + "Post my novel", + "Random" + ] + } + } + ] + }, + "intent_template_id": 7 + }, + { + "sites": [ + "reddit" + ], + "task_id": 581, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a new forum named {{name}}, with a description of {{description}}, and include {{sidebar_list}} in the sidebar?", + "instantiation_dict": { + "name": "cmu_lti", + "description": "Language Technologies Institute at Carnegie Mellon University", + "sidebar_list": [ + "announcement", + "paper", + "alumni" + ] + }, + "intent": "Create a new forum named cmu_lti, with a description of Language Technologies Institute at Carnegie Mellon University, and include ['announcement', 'paper', 'alumni'] in the sidebar?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/cmu_lti/edit", + "locator": "document.querySelector(\"#forum_description\").value", + "required_contents": { + "must_include": [ + "Language Technologies Institute at Carnegie Mellon University" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/cmu_lti/edit", + "locator": "document.querySelector(\"#forum_sidebar\").value", + "required_contents": { + "must_include": [ + "announcement", + "paper", + "alumni" + ] + } + } + ] + }, + "intent_template_id": 7 + }, + { + "sites": [ + "reddit" + ], + "task_id": 582, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a new forum named {{name}}, with a description of {{description}}, and include {{sidebar_list}} in the sidebar?", + "instantiation_dict": { + "name": "Cyberpunk", + "description": "Welcome to the future", + "sidebar_list": [ + "Games", + "Books", + "Movies", + "Future" + ] + }, + "intent": "Create a new forum named Cyberpunk, with a description of Welcome to the future, and include ['Games', 'Books', 'Movies', 'Future'] in the sidebar?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/Cyberpunk/edit", + "locator": "document.querySelector(\"#forum_description\").value", + "required_contents": { + "must_include": [ + "Welcome to the future" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/Cyberpunk/edit", + "locator": "document.querySelector(\"#forum_sidebar\").value", + "required_contents": { + "must_include": [ + "Games", + "Books", + "Movies", + "Future" + ] + } + } + ] + }, + "intent_template_id": 7 + }, + { + "sites": [ + "reddit" + ], + "task_id": 583, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a new forum named {{name}}, with a description of {{description}}, and include {{sidebar_list}} in the sidebar?", + "instantiation_dict": { + "name": "PlantsForCatParents", + "description": "Cat parents & plan lovers", + "sidebar_list": [ + "Cat friendly", + "Local vendors", + "Promotion", + "Toxic plants!" + ] + }, + "intent": "Create a new forum named PlantsForCatParents, with a description of Cat parents & plan lovers, and include ['Cat friendly', 'Local vendors', 'Promotion', 'Toxic plants!'] in the sidebar?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/PlantsForCatParents/edit", + "locator": "document.querySelector(\"#forum_description\").value", + "required_contents": { + "must_include": [ + "Cat parents & plan lovers" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/PlantsForCatParents/edit", + "locator": "document.querySelector(\"#forum_sidebar\").value", + "required_contents": { + "must_include": [ + "Cat friendly", + "Local vendors", + "Promotion", + "Toxic plants!" + ] + } + } + ] + }, + "intent_template_id": 7 + }, + { + "sites": [ + "reddit" + ], + "task_id": 584, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a new forum named {{name}}, with a description of {{description}}, and include {{sidebar_list}} in the sidebar?", + "instantiation_dict": { + "name": "Karaoke", + "description": "Place for Karaoke lovers", + "sidebar_list": [ + "devices", + "setup" + ] + }, + "intent": "Create a new forum named Karaoke, with a description of Place for Karaoke lovers, and include ['devices', 'setup'] in the sidebar?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/Karaoke", + "locator": "document.querySelector(\"#forum_description\").value", + "required_contents": { + "must_include": [ + "Place for Karaoke lovers" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/Karaoke", + "locator": "document.querySelector(\"#forum_sidebar\").value", + "required_contents": { + "must_include": [ + "devices", + "setup" + ] + } + } + ] + }, + "intent_template_id": 7 + }, + { + "sites": [ + "shopping" + ], + "task_id": 585, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Rate my recent purchase of {{product}} with {{num_star}} stars, using my nickname {{nickname}}?", + "instantiation_dict": { + "product": "floor lamp", + "num_star": 5, + "nickname": "Emma Lopez" + }, + "intent": "Rate my recent purchase of floor lamp with 5 stars, using my nickname Emma Lopez?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_rating('B00J8RZL7I')", + "required_contents": { + "must_include": [ + "100" + ] + } + }, + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_author('B00J8RZL7I')", + "required_contents": { + "must_include": [ + "Emma Lopez" + ] + } + } + ] + }, + "intent_template_id": 194 + }, + { + "sites": [ + "shopping" + ], + "task_id": 586, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Rate my recent purchase of {{product}} with {{num_star}} stars, using my nickname {{nickname}}?", + "instantiation_dict": { + "product": "Jiffy Corn Muffin Cornbread Mix", + "num_star": 4, + "nickname": "ShoppingEmma" + }, + "intent": "Rate my recent purchase of Jiffy Corn Muffin Cornbread Mix with 4 stars, using my nickname ShoppingEmma?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_rating('B07HZB38XH')", + "required_contents": { + "must_include": [ + "80" + ] + } + }, + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_author('B07HZB38XH')", + "required_contents": { + "must_include": [ + "ShoppingEmma" + ] + } + } + ] + }, + "intent_template_id": 194 + }, + { + "sites": [ + "shopping" + ], + "task_id": 587, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Rate my recent purchase of {{product}} with {{num_star}} stars, using my nickname {{nickname}}?", + "instantiation_dict": { + "product": "PS3 Remote Controllers", + "num_star": 3, + "nickname": "GamingEmma" + }, + "intent": "Rate my recent purchase of PS3 Remote Controllers with 3 stars, using my nickname GamingEmma?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_rating('B0041MSF2S')", + "required_contents": { + "must_include": [ + "60" + ] + } + }, + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_author('B0041MSF2S')", + "required_contents": { + "must_include": [ + "GamingEmma" + ] + } + } + ] + }, + "intent_template_id": 194 + }, + { + "sites": [ + "shopping" + ], + "task_id": 588, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Rate my recent purchase of {{product}} with {{num_star}} stars, using my nickname {{nickname}}?", + "instantiation_dict": { + "product": "Foundation For Mattress With Frame Set", + "num_star": 1, + "nickname": "ShoppingEmma" + }, + "intent": "Rate my recent purchase of Foundation For Mattress With Frame Set with 1 stars, using my nickname ShoppingEmma?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_rating('B07DFJ5XKH')", + "required_contents": { + "must_include": [ + "20" + ] + } + }, + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_author('B07DFJ5XKH')", + "required_contents": { + "must_include": [ + "ShoppingEmma" + ] + } + } + ] + }, + "intent_template_id": 194 + }, + { + "sites": [ + "shopping" + ], + "task_id": 589, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Rate my recent purchase of {{product}} with {{num_star}} stars, using my nickname {{nickname}}?", + "instantiation_dict": { + "product": "Mini Wireless Bluetooth Speaker", + "num_star": 2, + "nickname": "SimpleEmma" + }, + "intent": "Rate my recent purchase of Mini Wireless Bluetooth Speaker with 2 stars, using my nickname SimpleEmma?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_rating('B09P7BFL4H')", + "required_contents": { + "must_include": [ + "40" + ] + } + }, + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_author('B09P7BFL4H')", + "required_contents": { + "must_include": [ + "SimpleEmma" + ] + } + } + ] + }, + "intent_template_id": 194 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 590, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "Create a milestone for the upcoming {{event}} starting on {{start_date}} and ending on {{end_date}}", + "instantiation_dict": { + "event": "event of product launch", + "start_date": "1/16/2023", + "end_date": "1/30/2023" + }, + "intent": "Create a milestone for the upcoming event of product launch starting on 1/16/2023 and ending on 1/30/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/milestones", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"#content-body\").outerText", + "required_contents": { + "must_include": [ + "product launch" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.start_date').outerText", + "required_contents": { + "must_include": [ + "Jan 16, 2030" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.due_date').outerText", + "required_contents": { + "must_include": [ + "Jan 30, 2030" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 339 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 591, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "Create a milestone for the upcoming {{event}} starting on {{start_date}} and ending on {{end_date}}", + "instantiation_dict": { + "event": "practice of collective code review", + "start_date": "1/16/2023", + "end_date": "in 20 days" + }, + "intent": "Create a milestone for the upcoming practice of collective code review starting on 1/16/2023 and ending on in 20 days", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/milestones", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"#content-body\").outerText", + "required_contents": { + "must_include": [ + "code review" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.start_date').outerText", + "required_contents": { + "must_include": [ + "Jan 16, 2030" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.due_date').outerText", + "required_contents": { + "must_include": [ + "Feb 5, 2030" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 339 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 592, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "Create a milestone for the upcoming {{event}} starting on {{start_date}} and ending on {{end_date}}", + "instantiation_dict": { + "event": "task of cleaning sensitive information", + "start_date": "2/16/2023", + "end_date": "in 20 days" + }, + "intent": "Create a milestone for the upcoming task of cleaning sensitive information starting on 2/16/2023 and ending on in 20 days", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/milestones", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"#content-body\").outerText", + "required_contents": { + "must_include": [ + "sensitive information" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.start_date').outerText", + "required_contents": { + "must_include": [ + "Feb 16, 2030" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.due_date').outerText", + "required_contents": { + "must_include": [ + "Mar 8, 2030" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 339 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 593, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles", + "geolocation": null, + "intent_template": "Create a milestone for the upcoming {{event}} starting on {{start_date}} and ending on {{end_date}}", + "instantiation_dict": { + "event": "task of merging all branches to main", + "start_date": "March 15, 2044", + "end_date": "March 30, 2044" + }, + "intent": "Create a milestone for the upcoming task of merging all branches to main starting on March 15, 2044 and ending on March 30, 2044", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/milestones", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"#content-body\").outerText", + "required_contents": { + "must_include": [ + "all branches to main" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.start_date').outerText", + "required_contents": { + "must_include": [ + "Mar 15, 2044" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.due_date').outerText", + "required_contents": { + "must_include": [ + "Mar 30, 2044" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 339 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 594, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles", + "geolocation": null, + "intent_template": "Create a milestone for the upcoming {{event}} starting on {{start_date}} and ending on {{end_date}}", + "instantiation_dict": { + "event": "task of adding a new branch for zsh comprehensive support", + "start_date": "5/1/2044", + "end_date": "in 20 days" + }, + "intent": "Create a milestone for the upcoming task of adding a new branch for zsh comprehensive support starting on 5/1/2044 and ending on in 20 days", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/milestones", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"#content-body\").outerText", + "required_contents": { + "must_include": [ + "zsh comprehensive support" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.start_date').outerText", + "required_contents": { + "must_include": [ + "May 1, 2044" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.due_date').outerText", + "required_contents": { + "must_include": [ + "May 21, 2044" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 339 + }, + { + "sites": [ + "reddit" + ], + "task_id": 595, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Open the thread of a trending post on the forum \"{{subreddit}}\" and subscribe.", + "instantiation_dict": { + "subreddit": "space" + }, + "intent": "Open the thread of a trending post on the forum \"space\" and subscribe.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/space", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/", + "locator": "document.querySelector(\"#sidebar > section\").outerText", + "required_contents": { + "must_include": [ + "space" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 4 + }, + { + "sites": [ + "reddit" + ], + "task_id": 596, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Open the thread of a trending post on the forum \"{{subreddit}}\" and subscribe.", + "instantiation_dict": { + "subreddit": "books" + }, + "intent": "Open the thread of a trending post on the forum \"books\" and subscribe.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/", + "locator": "document.querySelector(\"#sidebar > section\").outerText", + "required_contents": { + "must_include": [ + "books" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 4 + }, + { + "sites": [ + "reddit" + ], + "task_id": 597, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Open the thread of a trending post on the forum \"{{subreddit}}\" and subscribe.", + "instantiation_dict": { + "subreddit": "consoles" + }, + "intent": "Open the thread of a trending post on the forum \"consoles\" and subscribe.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/consoles", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/", + "locator": "document.querySelector(\"#sidebar > section\").outerText", + "required_contents": { + "must_include": [ + "consoles" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 4 + }, + { + "sites": [ + "reddit" + ], + "task_id": 598, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Open the thread of a trending post on the forum \"{{subreddit}}\" and subscribe.", + "instantiation_dict": { + "subreddit": "pittsburgh" + }, + "intent": "Open the thread of a trending post on the forum \"pittsburgh\" and subscribe.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pittsburgh", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/", + "locator": "document.querySelector(\"#sidebar > section\").outerText", + "required_contents": { + "must_include": [ + "pittsburgh" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 4 + }, + { + "sites": [ + "reddit" + ], + "task_id": 599, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Open the thread of a trending post on the forum \"{{subreddit}}\" and subscribe.", + "instantiation_dict": { + "subreddit": "machine learning" + }, + "intent": "Open the thread of a trending post on the forum \"machine learning\" and subscribe.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/MachineLearning", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/", + "locator": "document.querySelector(\"#sidebar > section\").outerText", + "required_contents": { + "must_include": [ + "MachineLearning" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 4 + }, + { + "sites": [ + "reddit" + ], + "task_id": 600, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post my question, \"{{question}}\", in a subreddit where I'm likely to get an answer", + "instantiation_dict": { + "question": "what is the recommended console to buy these days" + }, + "intent": "Post my question, \"what is the recommended console to buy these days\", in a subreddit where I'm likely to get an answer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/consoles", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "what is the recommended console to buy these days" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 3765 + }, + { + "sites": [ + "reddit" + ], + "task_id": 601, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post my question, \"{{question}}\", in a subreddit where I'm likely to get an answer", + "instantiation_dict": { + "question": "is car necessary in NYC" + }, + "intent": "Post my question, \"is car necessary in NYC\", in a subreddit where I'm likely to get an answer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/nyc", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "is car necessary in NYC" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 3765 + }, + { + "sites": [ + "reddit" + ], + "task_id": 602, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post my question, \"{{question}}\", in a subreddit where I'm likely to get an answer", + "instantiation_dict": { + "question": "places for new drivers to learn driving in pittsburgh" + }, + "intent": "Post my question, \"places for new drivers to learn driving in pittsburgh\", in a subreddit where I'm likely to get an answer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pittsburgh", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "places for new drivers to learn driving in pittsburgh" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 3765 + }, + { + "sites": [ + "reddit" + ], + "task_id": 603, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post my question, \"{{question}}\", in a subreddit where I'm likely to get an answer", + "instantiation_dict": { + "question": "safe and budge apartment to live in nyc" + }, + "intent": "Post my question, \"safe and budge apartment to live in nyc\", in a subreddit where I'm likely to get an answer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/nyc", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "safe and budge apartment to live in nyc" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 3765 + }, + { + "sites": [ + "reddit" + ], + "task_id": 604, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post my question, \"{{question}}\", in a subreddit where I'm likely to get an answer", + "instantiation_dict": { + "question": "what is the SOTA web navigation agent repo" + }, + "intent": "Post my question, \"what is the SOTA web navigation agent repo\", in a subreddit where I'm likely to get an answer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/deeplearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/MachineLearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/singularity", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "what is the SOTA web navigation agent repo" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 3765 + }, + { + "sites": [ + "reddit" + ], + "task_id": 605, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a subreddit focused on topics related to {{topic}}, and post my question, \"{{question}}\" there", + "instantiation_dict": { + "topic": "gaming consoles", + "question": "what is the recommended console to buy these days" + }, + "intent": "Find a subreddit focused on topics related to gaming consoles, and post my question, \"what is the recommended console to buy these days\" there", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/consoles", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "what is the recommended console to buy these days" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 5 + }, + { + "sites": [ + "reddit" + ], + "task_id": 606, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a subreddit focused on topics related to {{topic}}, and post my question, \"{{question}}\" there", + "instantiation_dict": { + "topic": "NYC", + "question": "is car necessary" + }, + "intent": "Find a subreddit focused on topics related to NYC, and post my question, \"is car necessary\" there", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/nyc", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "is car necessary" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 5 + }, + { + "sites": [ + "reddit" + ], + "task_id": 607, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a subreddit focused on topics related to {{topic}}, and post my question, \"{{question}}\" there", + "instantiation_dict": { + "topic": "city Pittsburgh", + "question": "places for new drivers to learn driving" + }, + "intent": "Find a subreddit focused on topics related to city Pittsburgh, and post my question, \"places for new drivers to learn driving\" there", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pittsburgh", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "places for new drivers to learn driving" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 5 + }, + { + "sites": [ + "reddit" + ], + "task_id": 608, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a subreddit focused on topics related to {{topic}}, and post my question, \"{{question}}\" there", + "instantiation_dict": { + "topic": "city lives in DMV area", + "question": "safe and budge apartment to live" + }, + "intent": "Find a subreddit focused on topics related to city lives in DMV area, and post my question, \"safe and budge apartment to live\" there", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/washington |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/washingtondc", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "safe and budge apartment to live" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 5 + }, + { + "sites": [ + "reddit" + ], + "task_id": 609, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a subreddit focused on topics related to {{topic}}, and post my question, \"{{question}}\" there", + "instantiation_dict": { + "topic": "ML, DL, NLP", + "question": "what is the SOTA web navigation agent repo" + }, + "intent": "Find a subreddit focused on topics related to ML, DL, NLP, and post my question, \"what is the SOTA web navigation agent repo\" there", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/deeplearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/MachineLearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/singularity", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "what is the SOTA web navigation agent repo" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 5 + }, + { + "sites": [ + "reddit" + ], + "task_id": 610, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a review of my recent reading \"{{book}}\" in the r/books with my comment \"{{content}}\".", + "instantiation_dict": { + "book": "To Kill a Mockingbird by Harper Lee", + "content": "good book!" + }, + "intent": "Post a review of my recent reading \"To Kill a Mockingbird by Harper Lee\" in the r/books with my comment \"good book!\".", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "To Kill a Mockingbird by Harper Lee", + "good book!" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 9 + }, + { + "sites": [ + "reddit" + ], + "task_id": 611, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a review of my recent reading \"{{book}}\" in the r/books with my comment \"{{content}}\".", + "instantiation_dict": { + "book": "Harry Potter", + "content": "Wonderful journey" + }, + "intent": "Post a review of my recent reading \"Harry Potter\" in the r/books with my comment \"Wonderful journey\".", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Harry Potter", + "Wonderful journey" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 9 + }, + { + "sites": [ + "reddit" + ], + "task_id": 612, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a review of my recent reading \"{{book}}\" in the r/books with my comment \"{{content}}\".", + "instantiation_dict": { + "book": "big little lies", + "content": "can't stop it" + }, + "intent": "Post a review of my recent reading \"big little lies\" in the r/books with my comment \"can't stop it\".", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "big little lies", + "can't stop it" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 9 + }, + { + "sites": [ + "reddit" + ], + "task_id": 613, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a review of my recent reading \"{{book}}\" in the r/books with my comment \"{{content}}\".", + "instantiation_dict": { + "book": "Love story", + "content": "I cried" + }, + "intent": "Post a review of my recent reading \"Love story\" in the r/books with my comment \"I cried\".", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Love story", + "I cried" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 9 + }, + { + "sites": [ + "reddit" + ], + "task_id": 614, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a review of my recent reading \"{{book}}\" in the r/books with my comment \"{{content}}\".", + "instantiation_dict": { + "book": "Gone with the wind", + "content": "It's a book with history" + }, + "intent": "Post a review of my recent reading \"Gone with the wind\" in the r/books with my comment \"It's a book with history\".", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Gone with the wind", + "It's a book with history" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 9 + }, + { + "sites": [ + "reddit" + ], + "task_id": 615, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pics", + "geolocation": null, + "intent_template": "Re-post the image of {{content}} in this page to {{subreddit}} subreddit and note \"from /f/pics\"", + "instantiation_dict": { + "content": "Bald Eagle", + "subreddit": "earthporn" + }, + "intent": "Re-post the image of Bald Eagle in this page to earthporn subreddit and note \"from /f/pics\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/earthporn", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "from /f/pics" + ] + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "[...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "b02113033af32feae9ff147dbbe3764039368d67d193885bd04e65c2e6beea9c.jpg" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 11 + }, + { + "sites": [ + "reddit" + ], + "task_id": 616, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pics", + "geolocation": null, + "intent_template": "Re-post the image of {{content}} in this page to {{subreddit}} subreddit and note \"from /f/pics\"", + "instantiation_dict": { + "content": "Thanksgiving turkey", + "subreddit": "funny" + }, + "intent": "Re-post the image of Thanksgiving turkey in this page to funny subreddit and note \"from /f/pics\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/funny", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "from /f/pics" + ] + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "[...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "2e4fa0a328e653a97a7d07046291c298ef5b4e0d0c73a287f317ca86a8e8685f.jpg" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 11 + }, + { + "sites": [ + "reddit" + ], + "task_id": 617, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pics", + "geolocation": null, + "intent_template": "Re-post the image of {{content}} in this page to {{subreddit}} subreddit and note \"from /f/pics\"", + "instantiation_dict": { + "content": "Firework", + "subreddit": "earthporn" + }, + "intent": "Re-post the image of Firework in this page to earthporn subreddit and note \"from /f/pics\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/earthporn", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "from /f/pics" + ] + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "[...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "92411be6af4e9ad5ccd3ccbaa01c10457bb00e704e99c58dd430de1a958307fd.jpg" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 11 + }, + { + "sites": [ + "reddit" + ], + "task_id": 618, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pics", + "geolocation": null, + "intent_template": "Re-post the image of {{content}} in this page to {{subreddit}} subreddit and note \"from /f/pics\"", + "instantiation_dict": { + "content": "Wife's costume", + "subreddit": "funny" + }, + "intent": "Re-post the image of Wife's costume in this page to funny subreddit and note \"from /f/pics\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/funny", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "from /f/pics" + ] + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "[...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "6bfbf1280d28d84a9261695f0cac5a90addaaff1174807a2b381fdc159f3ed00.jpg" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 11 + }, + { + "sites": [ + "reddit" + ], + "task_id": 619, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pics", + "geolocation": null, + "intent_template": "Re-post the image of {{content}} in this page to {{subreddit}} subreddit and note \"from /f/pics\"", + "instantiation_dict": { + "content": "costume contest", + "subreddit": "funny" + }, + "intent": "Re-post the image of costume contest in this page to funny subreddit and note \"from /f/pics\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/funny", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "from /f/pics" + ] + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "[...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "bd8bc5f4c846aac4df08626faa3a34a7d47c8f3bdd92bf615a54afd939f063a7.jpg" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 11 + }, + { + "sites": [ + "reddit" + ], + "task_id": 620, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for advice about {{issue}} in a subreddit for relations", + "instantiation_dict": { + "issue": "deal with long-distance relationships" + }, + "intent": "Ask for advice about deal with long-distance relationships in a subreddit for relations", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "long", + "distance", + "relation" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 12 + }, + { + "sites": [ + "reddit" + ], + "task_id": 621, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for advice about {{issue}} in a subreddit for relations", + "instantiation_dict": { + "issue": "cheat" + }, + "intent": "Ask for advice about cheat in a subreddit for relations", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "cheat" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 12 + }, + { + "sites": [ + "reddit" + ], + "task_id": 622, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for advice about {{issue}} in a subreddit for relations", + "instantiation_dict": { + "issue": "sexual harassment" + }, + "intent": "Ask for advice about sexual harassment in a subreddit for relations", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "sexual", + "harassment" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 12 + }, + { + "sites": [ + "reddit" + ], + "task_id": 623, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for advice about {{issue}} in a subreddit for relations", + "instantiation_dict": { + "issue": "gift for birthday" + }, + "intent": "Ask for advice about gift for birthday in a subreddit for relations", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "gift", + "birthday" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 12 + }, + { + "sites": [ + "reddit" + ], + "task_id": 624, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for advice about {{issue}} in a subreddit for relations", + "instantiation_dict": { + "issue": "break-up remedy" + }, + "intent": "Ask for advice about break-up remedy in a subreddit for relations", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "break", + "remedy" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 12 + }, + { + "sites": [ + "reddit" + ], + "task_id": 625, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a discussion post about \"{{topic}}\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "instantiation_dict": { + "topic": "the effectiveness of online learning" + }, + "intent": "Create a discussion post about \"the effectiveness of online learning\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/machinelearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/deeplearning", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "your opinion", + "the effectiveness of online learning" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 13 + }, + { + "sites": [ + "reddit" + ], + "task_id": 626, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a discussion post about \"{{topic}}\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "instantiation_dict": { + "topic": "Iphone 14" + }, + "intent": "Create a discussion post about \"Iphone 14\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/iphone", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "your opinion", + "Iphone 14" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 13 + }, + { + "sites": [ + "reddit" + ], + "task_id": 627, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a discussion post about \"{{topic}}\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "instantiation_dict": { + "topic": "Harry Potter movie series" + }, + "intent": "Create a discussion post about \"Harry Potter movie series\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "your opinion", + "Harry Potter movie series" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 13 + }, + { + "sites": [ + "reddit" + ], + "task_id": 628, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a discussion post about \"{{topic}}\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "instantiation_dict": { + "topic": "long distance relationship" + }, + "intent": "Create a discussion post about \"long distance relationship\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "your opinion", + "long distance relationship" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 13 + }, + { + "sites": [ + "reddit" + ], + "task_id": 629, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Create a discussion post about \"{{topic}}\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "instantiation_dict": { + "topic": "Fun thing to do in Pittsburgh" + }, + "intent": "Create a discussion post about \"Fun thing to do in Pittsburgh\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pittsburgh", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "your opinion", + "Fun thing to do in Pittsburgh" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 13 + }, + { + "sites": [ + "reddit" + ], + "task_id": 630, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for product recommendations for {{category}} within a budget of {{price}} in {{subreddit}}", + "instantiation_dict": { + "category": "noise-cancelling headphones", + "price": "$200", + "subreddit": "r/headphones" + }, + "intent": "Ask for product recommendations for noise-cancelling headphones within a budget of $200 in r/headphones", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/headphones", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "200", + "noise-cancelling", + "headphone" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 15 + }, + { + "sites": [ + "reddit" + ], + "task_id": 631, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for product recommendations for {{category}} within a budget of {{price}} in {{subreddit}}", + "instantiation_dict": { + "category": "running shoes", + "price": "$100", + "subreddit": "r/sports" + }, + "intent": "Ask for product recommendations for running shoes within a budget of $100 in r/sports", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/sports", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "100", + "running", + "shoes" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 15 + }, + { + "sites": [ + "reddit" + ], + "task_id": 632, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for product recommendations for {{category}} within a budget of {{price}} in {{subreddit}}", + "instantiation_dict": { + "category": "running shoes", + "price": "$500", + "subreddit": "r/sports" + }, + "intent": "Ask for product recommendations for running shoes within a budget of $500 in r/sports", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/sports", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "500", + "running", + "shoes" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 15 + }, + { + "sites": [ + "reddit" + ], + "task_id": 633, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for product recommendations for {{category}} within a budget of {{price}} in {{subreddit}}", + "instantiation_dict": { + "category": "running pants", + "price": "$500", + "subreddit": "r/sports" + }, + "intent": "Ask for product recommendations for running pants within a budget of $500 in r/sports", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/sports", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "500", + "running", + "pants" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 15 + }, + { + "sites": [ + "reddit" + ], + "task_id": 634, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Ask for product recommendations for {{category}} within a budget of {{price}} in {{subreddit}}", + "instantiation_dict": { + "category": "used iphone", + "price": "$1000", + "subreddit": "r/iphone" + }, + "intent": "Ask for product recommendations for used iphone within a budget of $1000 in r/iphone", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/iphone", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "1000", + "used iphone" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 15 + }, + { + "sites": [ + "reddit" + ], + "task_id": 635, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in the most appropriate subreddit and ask for recommendations for {{category}} products within a budget of {{price}}", + "instantiation_dict": { + "category": "noise-cancelling headphones", + "price": "$200" + }, + "intent": "Post in the most appropriate subreddit and ask for recommendations for noise-cancelling headphones products within a budget of $200", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/headphones", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "200", + "noise-cancelling", + "headphone" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 6100 + }, + { + "sites": [ + "reddit" + ], + "task_id": 636, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in the most appropriate subreddit and ask for recommendations for {{category}} products within a budget of {{price}}", + "instantiation_dict": { + "category": "DIY toolkit", + "price": "$100" + }, + "intent": "Post in the most appropriate subreddit and ask for recommendations for DIY toolkit products within a budget of $100", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/DIY", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "100", + "DIY", + "toolkit" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 6100 + }, + { + "sites": [ + "reddit" + ], + "task_id": 637, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in the most appropriate subreddit and ask for recommendations for {{category}} products within a budget of {{price}}", + "instantiation_dict": { + "category": "sony headphones", + "price": "$500" + }, + "intent": "Post in the most appropriate subreddit and ask for recommendations for sony headphones products within a budget of $500", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/headphones", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "500", + "sony headphone" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 6100 + }, + { + "sites": [ + "reddit" + ], + "task_id": 638, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in the most appropriate subreddit and ask for recommendations for {{category}} products within a budget of {{price}}", + "instantiation_dict": { + "category": "must-have product in my life", + "price": "$30" + }, + "intent": "Post in the most appropriate subreddit and ask for recommendations for must-have product in my life products within a budget of $30", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/BuyItForLife", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "30", + "must-have", + "product", + "life" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 6100 + }, + { + "sites": [ + "reddit" + ], + "task_id": 639, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in the most appropriate subreddit and ask for recommendations for {{category}} products within a budget of {{price}}", + "instantiation_dict": { + "category": "used iphone", + "price": "$1000" + }, + "intent": "Post in the most appropriate subreddit and ask for recommendations for used iphone products within a budget of $1000", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/iphone", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "1000", + "used iphone" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 6100 + }, + { + "sites": [ + "reddit" + ], + "task_id": 640, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a notice on a virtual meetup for {{interest}} enthusiasts on {{date}} in the {{subreddit}} subreddit", + "instantiation_dict": { + "interest": "book reading", + "date": "March 15th", + "subreddit": "r/books" + }, + "intent": "Post a notice on a virtual meetup for book reading enthusiasts on March 15th in the r/books subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "book reading", + "March 15th", + "virtual meetup" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 16 + }, + { + "sites": [ + "reddit" + ], + "task_id": 641, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a notice on a virtual meetup for {{interest}} enthusiasts on {{date}} in the {{subreddit}} subreddit", + "instantiation_dict": { + "interest": "Harry Potter", + "date": "July 8th", + "subreddit": "books" + }, + "intent": "Post a notice on a virtual meetup for Harry Potter enthusiasts on July 8th in the books subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Harry Potter", + "July 8th", + "virtual meetup" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 16 + }, + { + "sites": [ + "reddit" + ], + "task_id": 642, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a notice on a virtual meetup for {{interest}} enthusiasts on {{date}} in the {{subreddit}} subreddit", + "instantiation_dict": { + "interest": "Big little lies", + "date": "Sep 10th", + "subreddit": "books" + }, + "intent": "Post a notice on a virtual meetup for Big little lies enthusiasts on Sep 10th in the books subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Big little lies", + "Sep 10th", + "virtual meetup" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 16 + }, + { + "sites": [ + "reddit" + ], + "task_id": 643, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a notice on a virtual meetup for {{interest}} enthusiasts on {{date}} in the {{subreddit}} subreddit", + "instantiation_dict": { + "interest": "racing cars", + "date": "Oct 21st", + "subreddit": "nyc" + }, + "intent": "Post a notice on a virtual meetup for racing cars enthusiasts on Oct 21st in the nyc subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/nyc", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "racing cars", + "Oct 21st", + "virtual meetup" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 16 + }, + { + "sites": [ + "reddit" + ], + "task_id": 644, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post a notice on a virtual meetup for {{interest}} enthusiasts on {{date}} in the {{subreddit}} subreddit", + "instantiation_dict": { + "interest": "Tears of Kingdom", + "date": "Dec 15th", + "subreddit": "games" + }, + "intent": "Post a notice on a virtual meetup for Tears of Kingdom enthusiasts on Dec 15th in the games subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/games", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Tears of Kingdom", + "Dec 15th", + "virtual meetup" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 16 + }, + { + "sites": [ + "reddit" + ], + "task_id": 645, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in {{subreddit}} subreddit about what could machine learning help the correpong field.", + "instantiation_dict": { + "subreddit": "books" + }, + "intent": "Post in books subreddit about what could machine learning help the correpong field.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "machine learning", + "help" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 19 + }, + { + "sites": [ + "reddit" + ], + "task_id": 646, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in {{subreddit}} subreddit about what could midjourney help the correpong field.", + "instantiation_dict": { + "subreddit": "DIY" + }, + "intent": "Post in DIY subreddit about what could midjourney help the correpong field.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/diy", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "midjourney", + "help" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 19 + }, + { + "sites": [ + "reddit" + ], + "task_id": 647, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in {{subreddit}} forum about what could open-source LLMs help the correpong field.", + "instantiation_dict": { + "subreddit": "technology" + }, + "intent": "Post in technology forum about what could open-source LLMs help the correpong field.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "open-source LLMs", + "help" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 19 + }, + { + "sites": [ + "reddit" + ], + "task_id": 648, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in {{subreddit}} forum about what could large language models help the correpong field.", + "instantiation_dict": { + "subreddit": "dataisbeautiful" + }, + "intent": "Post in dataisbeautiful forum about what could large language models help the correpong field.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/dataisbeautiful", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "large language models", + "help" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 19 + }, + { + "sites": [ + "reddit" + ], + "task_id": 649, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Post in {{subreddit}} subreddit about what could diffusion model help the correpong field.", + "instantiation_dict": { + "subreddit": "history" + }, + "intent": "Post in history subreddit about what could diffusion model help the correpong field.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/history", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "diffusion model", + "help" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 19 + }, + { + "sites": [ + "reddit" + ], + "task_id": 650, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/59421/friendly-reminder-bookshop-org-exists", + "geolocation": null, + "intent_template": "Reply to {{position_description}} with my comment \"{{content_description}}\"", + "instantiation_dict": { + "position_description": "the post", + "content_description": "I am a big fan of the bookorg" + }, + "intent": "Reply to the post with my comment \"I am a big fan of the bookorg\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/59421/friendly-reminder-bookshop-org-exists", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.comment__body').outerText", + "required_contents": { + "exact_match": "I am a big fan of the bookorg" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 23 + }, + { + "sites": [ + "reddit" + ], + "task_id": 651, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pittsburgh/45899/driving-in-pittsburgh-summed-up-by-one-traffic-sign", + "geolocation": null, + "intent_template": "Reply to {{position_description}} with my comment \"{{content_description}}\"", + "instantiation_dict": { + "position_description": "the post", + "content_description": "Yeah, pittsburgh traffic, you know..." + }, + "intent": "Reply to the post with my comment \"Yeah, pittsburgh traffic, you know...\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/pittsburgh/45899/driving-in-pittsburgh-summed-up-by-one-traffic-sign", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.comment__body').outerText", + "required_contents": { + "exact_match": "Yeah, pittsburgh traffic, you know..." + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 23 + }, + { + "sites": [ + "reddit" + ], + "task_id": 652, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology/134852/ai-experts-disown-musk-backed-campaign-citing-their-research", + "geolocation": null, + "intent_template": "Reply to {{position_description}} with my comment \"{{content_description}}\"", + "instantiation_dict": { + "position_description": "the post", + "content_description": "???" + }, + "intent": "Reply to the post with my comment \"???\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology/134852/ai-experts-disown-musk-backed-campaign-citing-their-research", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.comment__body').outerText", + "required_contents": { + "exact_match": "???" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 23 + }, + { + "sites": [ + "shopping" + ], + "task_id": 653, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Fill the \"contact us\" form in the site for a refund on the {{product}} I bought, stating that it broke after just three days of use. Also, ensure to include the order number #{{order_id}} and the product SKU. Don't submit yet, I will check.", + "instantiation_dict": { + "product": "phone screen protector", + "order_id": "000000180" + }, + "intent": "Fill the \"contact us\" form in the site for a refund on the phone screen protector I bought, stating that it broke after just three days of use. Also, ensure to include the order number #000000180 and the product SKU. Don't submit yet, I will check.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000180", + "B087QJN9W1" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 153 + }, + { + "sites": [ + "shopping" + ], + "task_id": 654, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Fill the \"contact us\" form in the site for a refund on the {{product}} I bought, stating that it broke after just three days of use. Also, ensure to include the order number #{{order_id}} and the product SKU. Don't submit yet, I will check.", + "instantiation_dict": { + "product": "bluetooth speaker", + "order_id": "161" + }, + "intent": "Fill the \"contact us\" form in the site for a refund on the bluetooth speaker I bought, stating that it broke after just three days of use. Also, ensure to include the order number #161 and the product SKU. Don't submit yet, I will check.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "161", + "B09P7BFL4H" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 153 + }, + { + "sites": [ + "shopping" + ], + "task_id": 655, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Fill the \"contact us\" form in the site for a refund on the {{product}} I bought, stating that it broke after just three days of use. Also, ensure to include the order number #{{order_id}} and the product SKU. Don't submit yet, I will check.", + "instantiation_dict": { + "product": "iphone case", + "order_id": "180" + }, + "intent": "Fill the \"contact us\" form in the site for a refund on the iphone case I bought, stating that it broke after just three days of use. Also, ensure to include the order number #180 and the product SKU. Don't submit yet, I will check.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "180", + "B087QJN9W1" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 153 + }, + { + "sites": [ + "shopping" + ], + "task_id": 656, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Fill the \"contact us\" form in the site for a refund on the {{product}} I bought, stating that it broke after just three days of use. Also, ensure to include the order number #{{order_id}} and the product SKU. Don't submit yet, I will check.", + "instantiation_dict": { + "product": "remote controller", + "order_id": "180" + }, + "intent": "Fill the \"contact us\" form in the site for a refund on the remote controller I bought, stating that it broke after just three days of use. Also, ensure to include the order number #180 and the product SKU. Don't submit yet, I will check.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "180", + "B0041MSF2S" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 153 + }, + { + "sites": [ + "shopping" + ], + "task_id": 657, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Fill the \"contact us\" form in the site for a refund on the {{product}} I bought, stating that it broke after just three days of use. Also, ensure to include the order number #{{order_id}} and the product SKU. Don't submit yet, I will check.", + "instantiation_dict": { + "product": "speaker", + "order_id": "148" + }, + "intent": "Fill the \"contact us\" form in the site for a refund on the speaker I bought, stating that it broke after just three days of use. Also, ensure to include the order number #148 and the product SKU. Don't submit yet, I will check.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "broke after three days of use", + "148", + "B003FVW3VA" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 153 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 658, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create an issue in {{repo}} repo with title \"{{issue}}\". Assign the issue to {{account}}. Set due date to be {{due}}", + "instantiation_dict": { + "repo": "a11yproject", + "issue": "401 bad gateway", + "account": "Roshanjossey", + "due": "the end of 2030" + }, + "intent": "Create an issue in a11yproject repo with title \"401 bad gateway\". Assign the issue to Roshanjossey. Set due date to be the end of 2030", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[data-qa-selector=\"title_content\"]').outerText", + "required_contents": { + "exact_match": "401 bad gateway" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-testid=\"sidebar-due-date\"').outerText", + "required_contents": { + "must_include": [ + "Dec 31, 2030" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.assignee').outerText", + "required_contents": { + "must_include": [ + "Roshan Jossey" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 327 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 659, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create an issue in {{repo}} repo with title \"{{issue}}\". Assign the issue to {{account}}. Set due date to be {{due}}", + "instantiation_dict": { + "repo": "empathy-prompts", + "issue": "Integrating LLMs for better prompts", + "account": "Roshanjossey", + "due": "the beginning of Q2 2033" + }, + "intent": "Create an issue in empathy-prompts repo with title \"Integrating LLMs for better prompts\". Assign the issue to Roshanjossey. Set due date to be the beginning of Q2 2033", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/empathy-prompts/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[data-qa-selector=\"title_content\"]').outerText", + "required_contents": { + "exact_match": "Integrating LLMs for better prompts" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-testid=\"sidebar-due-date\"').outerText", + "required_contents": { + "must_include": [ + "Apr 1, 2033" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.assignee').outerText", + "required_contents": { + "must_include": [ + "Roshan Jossey" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 327 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 660, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create an issue in {{repo}} repo with title \"{{issue}}\". Assign the issue to {{account}}. Set due date to be {{due}}", + "instantiation_dict": { + "repo": "dotfiles", + "issue": "add support for oh-my-zsh", + "account": "Abishek", + "due": "July 18 2033" + }, + "intent": "Create an issue in dotfiles repo with title \"add support for oh-my-zsh\". Assign the issue to Abishek. Set due date to be July 18 2033", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/tree/main", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[data-qa-selector=\"title_content\"]').outerText", + "required_contents": { + "exact_match": "add support for oh-my-zsh" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-testid=\"sidebar-due-date\"').outerText", + "required_contents": { + "must_include": [ + "Jul 18, 2033" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.assignee').outerText", + "required_contents": { + "must_include": [ + "Abishek S" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 327 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 661, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open an issue to {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "ChatGPT", + "issue": "report the issue of connection refused" + }, + "intent": "Open an issue to report the issue of connection refused in ChatGPT.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/convexegg/chatgpt/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "connection refused" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 328 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 662, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open an issue to {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "aem-hacker", + "issue": "report experiencing \"OSError: [Errno 98] Address already in use\" during executions" + }, + "intent": "Open an issue to report experiencing \"OSError: [Errno 98] Address already in use\" during executions in aem-hacker.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/0ang3el/aem-hacker/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "OSError: [Errno 98] Address already in use" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 328 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 663, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open an issue to {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "metaseq", + "issue": "ask their plan on supporting Llama and other llama family models" + }, + "intent": "Open an issue to ask their plan on supporting Llama and other llama family models in metaseq.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "llama" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 328 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 664, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open an issue to {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "awesome-python", + "issue": "ask their plans on adding Python 3.11 related resources" + }, + "intent": "Open an issue to ask their plans on adding Python 3.11 related resources in awesome-python.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/vinta/awesome-python/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "Python 3.11" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 328 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 665, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Open an issue to {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "a11y-syntax-highlighting", + "issue": "request adding support for MT theme editor" + }, + "intent": "Open an issue to request adding support for MT theme editor in a11y-syntax-highlighting.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/a11y-syntax-highlighting/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "MT theme editor" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 328 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 666, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "Submit a request to merge {{source_branch}} branch into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "dialog-component", + "target_branch": "dialog", + "reviewer": "Carol" + }, + "intent": "Submit a request to merge dialog-component branch into dialog branch, assign Carol as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "dialog" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "dialog-component" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Caroline Stewart" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 667, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "Submit a merge request for {{source_branch}} branch to be merged into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "dialog-component", + "target_branch": "bump-doctocat", + "reviewer": "primer" + }, + "intent": "Submit a merge request for dialog-component branch to be merged into bump-doctocat branch, assign primer as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "bump-doctocat" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "dialog-component" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Primer" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 668, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Submit a merge request for {{source_branch}} branch to be merged into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "a11yproject.com/redesign", + "target_branch": "master", + "reviewer": "Justin Armstrong" + }, + "intent": "Submit a merge request for a11yproject.com/redesign branch to be merged into master branch, assign Justin Armstrong as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "redesign" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "main" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Justin Armstrong" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 669, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/solarized-prism-theme", + "geolocation": null, + "intent_template": "Open a new issue to discuss the implementation of {{feature}}", + "instantiation_dict": { + "feature": "dark mode" + }, + "intent": "Open a new issue to discuss the implementation of dark mode", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/solarized-prism-theme/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "implementation", + "dark mode" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 337 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 670, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles", + "geolocation": null, + "intent_template": "Open a new issue to discuss the implementation of {{feature}}", + "instantiation_dict": { + "feature": "default plugins for .zsh" + }, + "intent": "Open a new issue to discuss the implementation of default plugins for .zsh", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "implementation", + "default plugins", + "zsh" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 337 + }, + { + "sites": [ + "shopping", + "reddit" + ], + "task_id": 671, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Gather the titles of {{product}} reviews with {{rating}} rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on {{product}}\"", + "instantiation_dict": { + "product": "Sony Computer Entertainment VR", + "rating": "2 stars and less" + }, + "intent": "Gather the titles of Sony Computer Entertainment VR reviews with 2 stars and less rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on Sony Computer Entertainment VR\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/gaming", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__title').outerText", + "required_contents": { + "exact_match": "real user feedback on Sony Computer Entertainment VR" + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "didn't last a year without issues", + "Disappointing. Didn't last long before it stopped powering on and needed to be sent in for repair.", + "Received used items!!" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 101 + }, + { + "sites": [ + "shopping", + "reddit" + ], + "task_id": 672, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Gather the titles of {{product}} reviews with {{rating}} rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on {{product}}\"", + "instantiation_dict": { + "product": "Nintendo Switch Fortnite Wildcat Console EU", + "rating": "3 stars and less" + }, + "intent": "Gather the titles of Nintendo Switch Fortnite Wildcat Console EU reviews with 3 stars and less rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on Nintendo Switch Fortnite Wildcat Console EU\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/gaming", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__title').outerText", + "required_contents": { + "exact_match": "real user feedback on Nintendo Switch Fortnite Wildcat Console EU" + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "EU charger and wild cat card doesn\u2019t even work!", + "REFUND REJECTED", + "Charging port not compatible", + "not compatible in the US", + "Wildcard Bonus Credits Not Redeemable!", + "Code not available!!" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 101 + }, + { + "sites": [ + "shopping", + "reddit" + ], + "task_id": 673, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Gather the titles of {{product}} reviews with {{rating}} rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on {{product}}\"", + "instantiation_dict": { + "product": "Racing Wheel Overdrive for Xbox X", + "rating": "1 star" + }, + "intent": "Gather the titles of Racing Wheel Overdrive for Xbox X reviews with 1 star rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on Racing Wheel Overdrive for Xbox X\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/gaming", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__title').outerText", + "required_contents": { + "exact_match": "real user feedback on Racing Wheel Overdrive for Xbox X" + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "Unable to set neutral steering", + "Doesn\u2019t work with PC", + "Crazy problems in automatic mode", + "pedals stopped working", + "Only works with certain games" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 101 + }, + { + "sites": [ + "shopping", + "reddit" + ], + "task_id": 674, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Gather the titles of {{product}} reviews with {{rating}} rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on {{product}}\"", + "instantiation_dict": { + "product": "Doc and Pies Arcade Factory Cocktail Arcade Machine", + "rating": "3 stars and less" + }, + "intent": "Gather the titles of Doc and Pies Arcade Factory Cocktail Arcade Machine reviews with 3 stars and less rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on Doc and Pies Arcade Factory Cocktail Arcade Machine\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/gaming", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__title').outerText", + "required_contents": { + "exact_match": "real user feedback on Doc and Pies Arcade Factory Cocktail Arcade Machine" + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "Poorly Made Exterior. Consider a different Company.", + "piece of junk ,..can't believe I spent money on this !!!!", + "Based arrived broken but game itself works" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 101 + }, + { + "sites": [ + "shopping", + "reddit" + ], + "task_id": 675, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Gather the titles of {{product}} reviews with {{rating}} rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on {{product}}\"", + "instantiation_dict": { + "product": "HORI 3D Surround Gaming Neckset", + "rating": "2 stars and less" + }, + "intent": "Gather the titles of HORI 3D Surround Gaming Neckset reviews with 2 stars and less rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on HORI 3D Surround Gaming Neckset\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/gaming", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__title').outerText", + "required_contents": { + "exact_match": "real user feedback on HORI 3D Surround Gaming Neckset" + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "Not worth it for PC users", + "I really wanted to like this.", + "I wish this was better..." + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 101 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 676, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Lookup orders that are {{status}}", + "instantiation_dict": { + "status": "suspected of being fraudulent" + }, + "intent": "Lookup orders that are suspected of being fraudulent", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div.admin__data-grid-filters-current\").outerText", + "required_contents": { + "must_include": [ + "Suspected Fraud" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 253 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 677, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Lookup orders that are {{status}}", + "instantiation_dict": { + "status": "processing" + }, + "intent": "Lookup orders that are processing", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div.admin__data-grid-filters-current\").outerText", + "required_contents": { + "must_include": [ + "Processing" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 253 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 678, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Lookup orders that are {{status}}", + "instantiation_dict": { + "status": "canceled" + }, + "intent": "Lookup orders that are canceled", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div.admin__data-grid-filters-current\").outerText", + "required_contents": { + "must_include": [ + "Canceled" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 253 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 679, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Lookup orders that are {{status}}", + "instantiation_dict": { + "status": "completed" + }, + "intent": "Lookup orders that are completed", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div.admin__data-grid-filters-current\").outerText", + "required_contents": { + "must_include": [ + "Completed" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 253 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 680, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Lookup orders that are {{status}}", + "instantiation_dict": { + "status": "on hold" + }, + "intent": "Lookup orders that are on hold", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales/order/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div.admin__data-grid-filters-current\").outerText", + "required_contents": { + "must_include": [ + "On Hold" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 253 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 681, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a GitLab repository related to {{topic}} and make a Reddit post linking to it in a relevant subreddit", + "instantiation_dict": { + "topic": "gan implementation" + }, + "intent": "Find a GitLab repository related to gan implementation and make a Reddit post linking to it in a relevant subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/machinelearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/deeplearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "gan implementation", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/eriklindernoren/PyTorch-GAN" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 116 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 682, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a GitLab repository related to {{topic}} and make a Reddit post linking to it in a relevant subreddit", + "instantiation_dict": { + "topic": "chatGPT" + }, + "intent": "Find a GitLab repository related to chatGPT and make a Reddit post linking to it in a relevant subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/machinelearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/singularity |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/deeplearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "chatgpt", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/convexegg/chatgpt" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 116 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 683, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Find a GitLab repository related to {{topic}} and make a Reddit post linking to it in a relevant subreddit", + "instantiation_dict": { + "topic": "metaseq" + }, + "intent": "Find a GitLab repository related to metaseq and make a Reddit post linking to it in a relevant subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/machinelearning |OR| http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/deeplearning", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "metaseq", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/root/metaseq" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 116 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 684, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Promote {{repo}} to subreddit {{subreddit}} with the description from the repo itself.", + "instantiation_dict": { + "repo": "byteblaze/cloud-to-butt", + "subreddit": "LifeProTips" + }, + "intent": "Promote byteblaze/cloud-to-butt to subreddit LifeProTips with the description from the repo itself.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/LifeProTips", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText + [...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "Chrome extension that replaces occurrences of 'the cloud' with 'my butt'", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/cloud-to-butt" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 117 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 685, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Promote {{repo}} to subreddit {{subreddit}} with the description from the repo itself.", + "instantiation_dict": { + "repo": "byteblaze/dotfiles", + "subreddit": "aww" + }, + "intent": "Promote byteblaze/dotfiles to subreddit aww with the description from the repo itself.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/aww", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText + [...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "Computer setup", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 117 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 686, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Promote {{repo}} to subreddit {{subreddit}} with the description from the repo itself.", + "instantiation_dict": { + "repo": "auth0/angular-storage", + "subreddit": "technology" + }, + "intent": "Promote auth0/angular-storage to subreddit technology with the description from the repo itself.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText + [...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "A storage library for AngularJS done right", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/auth0/angular-storage" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 117 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 687, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Promote {{repo}} to subreddit {{subreddit}} with the description from the repo itself.", + "instantiation_dict": { + "repo": "koush/AndroidAsync", + "subreddit": "funny" + }, + "intent": "Promote koush/AndroidAsync to subreddit funny with the description from the repo itself.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/funny", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText + [...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "Asynchronous socket, http(s) (client+server) and websocket library for android. Based on nio, not threads.", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/koush/AndroidAsync" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 117 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 688, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Promote {{repo}} to subreddit {{subreddit}} with the description from the repo itself.", + "instantiation_dict": { + "repo": "lahwaacz/arch-wiki-docs", + "subreddit": "science" + }, + "intent": "Promote lahwaacz/arch-wiki-docs to subreddit science with the description from the repo itself.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/science", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText + [...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "A script to download pages from Arch Wiki for offline browsing", + "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/lahwaacz/arch-wiki-docs" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 117 + }, + { + "sites": [ + "shopping" + ], + "task_id": 689, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft an email to the shop owner via their contact us function for a coupon as {{reason}}", + "instantiation_dict": { + "reason": "I am a loyal customer" + }, + "intent": "Draft an email to the shop owner via their contact us function for a coupon as I am a loyal customer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "coupon", + "I am a loyal customer" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 163 + }, + { + "sites": [ + "shopping" + ], + "task_id": 690, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft an email to the shop owner via their contact us function for a coupon as {{reason}}", + "instantiation_dict": { + "reason": "they promised me a coupon last time" + }, + "intent": "Draft an email to the shop owner via their contact us function for a coupon as they promised me a coupon last time", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "coupon", + "promised" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 163 + }, + { + "sites": [ + "shopping" + ], + "task_id": 691, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft an email to the shop owner via their contact us function for a coupon as {{reason}}", + "instantiation_dict": { + "reason": "I plan to make a bulk purchase" + }, + "intent": "Draft an email to the shop owner via their contact us function for a coupon as I plan to make a bulk purchase", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "coupon", + "bulk purchase" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 163 + }, + { + "sites": [ + "shopping" + ], + "task_id": 692, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft an email to the shop owner via their contact us function for a coupon as {{reason}}", + "instantiation_dict": { + "reason": "I am a student" + }, + "intent": "Draft an email to the shop owner via their contact us function for a coupon as I am a student", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "coupon", + "student" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 163 + }, + { + "sites": [ + "shopping" + ], + "task_id": 693, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Draft an email to the shop owner via their contact us function for a coupon as {{reason}}", + "instantiation_dict": { + "reason": "my refund is suppoed to be replaced by a coupon" + }, + "intent": "Draft an email to the shop owner via their contact us function for a coupon as my refund is suppoed to be replaced by a coupon", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "coupon", + "refund" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 163 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 694, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a simple product named {{product}} with {{stock}} in stock, available in size {{size}} and color {{color}}, priced at ${{price}}", + "instantiation_dict": { + "product": "Energy-Bulk Women Shirt", + "stock": "50", + "size": "S", + "color": "blue", + "price": "60" + }, + "intent": "Add a simple product named Energy-Bulk Women Shirt with 50 in stock, available in size S and color blue, priced at $60", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "60.00" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[name]\"').value", + "required_contents": { + "must_include": [ + "Energy-Bulk Women Shirt" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "50" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-role=\"selected-option\"').outerText", + "required_contents": { + "must_include": [ + "top" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[size]\"').value", + "required_contents": { + "exact_match": "167" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[color]\"').value", + "required_contents": { + "exact_match": "50" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-index=\"category_ids\"').outerText", + "required_contents": { + "must_include": [ + "tops" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 256 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 695, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a simple product named {{product}} with {{stock}} in stock, available in size {{size}} and color {{color}}, priced at ${{price}}", + "instantiation_dict": { + "product": "Energy-Bulk Man Yoga Pant", + "stock": "50", + "size": "38", + "color": "yellow", + "price": "69.99" + }, + "intent": "Add a simple product named Energy-Bulk Man Yoga Pant with 50 in stock, available in size 38 and color yellow, priced at $69.99", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "69.99" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[name]\"').value", + "required_contents": { + "must_include": [ + "Energy-Bulk Man Yoga Pant" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "50" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-role=\"selected-option\"').outerText", + "required_contents": { + "must_include": [ + "bottom" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[size]\"').value", + "required_contents": { + "exact_match": "179" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[color]\"').value", + "required_contents": { + "exact_match": "60" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-index=\"category_ids\"').outerText", + "required_contents": { + "must_include": [ + "bottoms" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 256 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 696, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a simple product named {{product}} with {{stock}} in stock, available in size {{size}} and color {{color}}, priced at ${{price}}", + "instantiation_dict": { + "product": "FancyBoy Man Causal Jeans", + "stock": "42", + "size": "34", + "color": "Blue", + "price": "169.99" + }, + "intent": "Add a simple product named FancyBoy Man Causal Jeans with 42 in stock, available in size 34 and color Blue, priced at $169.99", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"product[name]\"').value", + "required_contents": { + "must_include": [ + "FancyBoy Man Causal Jeans" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "42" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "169.99" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-role=\"selected-option\"').outerText", + "required_contents": { + "must_include": [ + "bottom" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[size]\"').value", + "required_contents": { + "exact_match": "177" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[color]\"').value", + "required_contents": { + "exact_match": "50" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-index=\"category_ids\"').outerText", + "required_contents": { + "must_include": [ + "bottoms" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 256 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 697, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a simple product named {{product}} with {{stock}} in stock, available in size {{size}} and color {{color}}, priced at ${{price}}", + "instantiation_dict": { + "product": "Swaatch Smart Watch", + "stock": "42", + "size": "uni-size", + "color": "Blue", + "price": "769.99" + }, + "intent": "Add a simple product named Swaatch Smart Watch with 42 in stock, available in size uni-size and color Blue, priced at $769.99", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"product[name]\"').value", + "required_contents": { + "must_include": [ + "Swaatch Smart Watch" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "42" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "769.99" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-role=\"selected-option\"').outerText", + "required_contents": { + "must_include": [ + "gear" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[color]\"').value", + "required_contents": { + "exact_match": "50" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-index=\"category_ids\"').outerText", + "required_contents": { + "must_include": [ + "watches" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 256 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 698, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Add a simple product named {{product}} with {{stock}} in stock, available in size {{size}} and color {{color}}, priced at ${{price}}", + "instantiation_dict": { + "product": "Lelelumon Yoga Mat", + "stock": "42", + "size": "uni-size", + "color": "black", + "price": "769.99" + }, + "intent": "Add a simple product named Lelelumon Yoga Mat with 42 in stock, available in size uni-size and color black, priced at $769.99", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"product[name]\"').value", + "required_contents": { + "must_include": [ + "Lelelumon Yoga Mat" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "42" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "769.99" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-role=\"selected-option\"').outerText", + "required_contents": { + "must_include": [ + "gear" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[color]\"').value", + "required_contents": { + "exact_match": "49" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-index=\"category_ids\"').outerText", + "required_contents": { + "must_include": [ + "fitness equipment" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 256 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 699, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Draft a new marketing price rule for {{topic}} that offers {{rule}} for all customers", + "instantiation_dict": { + "topic": "spring sale", + "rule": "a 20 percent discount site-wide" + }, + "intent": "Draft a new marketing price rule for spring sale that offers a 20 percent discount site-wide for all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales_rule/promo_quote", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"[name='name'\").value", + "required_contents": { + "must_include": [ + "spring sale" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"website_ids\"').selectedIndex", + "required_contents": { + "exact_match": "0" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"customer_group_ids\"').selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"simple_action\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "by_percent" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"discount_amount\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "20" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 258 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 700, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Draft a new marketing price rule for {{topic}} that offers {{rule}} for all customers", + "instantiation_dict": { + "topic": "fall discount", + "rule": "$10 discount on checkout" + }, + "intent": "Draft a new marketing price rule for fall discount that offers $10 discount on checkout for all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales_rule/promo_quote", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"[name='name'\").value", + "required_contents": { + "must_include": [ + "fall discount" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"website_ids\"').selectedIndex", + "required_contents": { + "exact_match": "0" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"customer_group_ids\"').selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"simple_action\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "cart_fixed" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"discount_amount\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "10" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 258 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 701, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Draft a new marketing price rule for {{topic}} that offers {{rule}} for all customers", + "instantiation_dict": { + "topic": "Mother's day sale", + "rule": "$15 discount on checkout" + }, + "intent": "Draft a new marketing price rule for Mother's day sale that offers $15 discount on checkout for all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales_rule/promo_quote", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"[name='name'\").value", + "required_contents": { + "must_include": [ + "Mother's day sale" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"website_ids\"').selectedIndex", + "required_contents": { + "exact_match": "0" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"customer_group_ids\"').selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"simple_action\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "cart_fixed" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"discount_amount\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "15" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 258 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 702, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Draft a new marketing price rule for {{topic}} that offers {{rule}} for all customers", + "instantiation_dict": { + "topic": "Pride Month", + "rule": "45% off on all products" + }, + "intent": "Draft a new marketing price rule for Pride Month that offers 45% off on all products for all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales_rule/promo_quote", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"[name='name'\").value", + "required_contents": { + "must_include": [ + "Pride Month" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"website_ids\"').selectedIndex", + "required_contents": { + "exact_match": "0" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"customer_group_ids\"').selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"simple_action\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "by_percent" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"discount_amount\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "45" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 258 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 703, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Draft a new marketing price rule for {{topic}} that offers {{rule}} for all customers", + "instantiation_dict": { + "topic": "Thanks giving sale", + "rule": "$40 discount on checkout" + }, + "intent": "Draft a new marketing price rule for Thanks giving sale that offers $40 discount on checkout for all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/sales_rule/promo_quote", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"[name='name'\").value", + "required_contents": { + "must_include": [ + "Thanks giving sale" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"website_ids\"').selectedIndex", + "required_contents": { + "exact_match": "0" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"customer_group_ids\"').selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"simple_action\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "cart_fixed" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"discount_amount\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "40" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 258 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 704, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Today is 3/15/2023, generate a {{report}} {{time_span}}", + "instantiation_dict": { + "report": "sales order report", + "time_span": "for last month" + }, + "intent": "Today is 3/15/2023, generate a sales order report for last month", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/sales", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "2/1/23" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "2/28/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 268 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 705, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Today is 3/15/2023, generate a {{report}} {{time_span}}", + "instantiation_dict": { + "report": "sales order report", + "time_span": "over the last 45 days" + }, + "intent": "Today is 3/15/2023, generate a sales order report over the last 45 days", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/sales", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "1/29/23" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "3/15/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 268 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 706, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Today is 3/15/2023, generate a {{report}} {{time_span}}", + "instantiation_dict": { + "report": "refund report", + "time_span": "for Q1" + }, + "intent": "Today is 3/15/2023, generate a refund report for Q1", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/refunded", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "1/1/23" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "3/31/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 268 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 707, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Today is 3/15/2023, generate a {{report}} {{time_span}}", + "instantiation_dict": { + "report": "sales order report", + "time_span": "for last year" + }, + "intent": "Today is 3/15/2023, generate a sales order report for last year", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/sales", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "1/1/2022" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "12/31/2022" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 268 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 708, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Today is 3/15/2023, generate a {{report}} {{time_span}}", + "instantiation_dict": { + "report": "tax report", + "time_span": "for this year" + }, + "intent": "Today is 3/15/2023, generate a tax report for this year", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/tax/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "1/1/2023" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "12/31/2023" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 268 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 709, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Create an {{type}} report from {{start_date}} to {{end_date}}", + "instantiation_dict": { + "type": "orders", + "start_date": "beginning of May 2021", + "end_date": "end of March 2022" + }, + "intent": "Create an orders report from beginning of May 2021 to end of March 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/sales", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "5/1/2021" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "3/31/2022" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 271 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 710, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Create a {{type}} report from {{start_date}} to {{end_date}}", + "instantiation_dict": { + "type": "shipping", + "start_date": "08/05/2022", + "end_date": "03/01/2023" + }, + "intent": "Create a shipping report from 08/05/2022 to 03/01/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/shipping", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "8/5/22" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "3/1/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 271 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 711, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Create a {{type}} report from {{start_date}} to {{end_date}}", + "instantiation_dict": { + "type": "product view", + "start_date": "07/05/2021", + "end_date": "05/31/2023" + }, + "intent": "Create a product view report from 07/05/2021 to 05/31/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_product/viewed/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "7/5/21" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "5/31/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 271 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 712, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Create a {{type}} report from {{start_date}} to {{end_date}}", + "instantiation_dict": { + "type": "coupons", + "start_date": "05/01/2021", + "end_date": "05/15/2023" + }, + "intent": "Create a coupons report from 05/01/2021 to 05/15/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/coupons/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "5/1/21" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "5/15/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 271 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 713, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Create a {{type}} report from {{start_date}} to {{end_date}}", + "instantiation_dict": { + "type": "best sellers", + "start_date": "05/01/2022", + "end_date": "05/31/2023" + }, + "intent": "Create a best sellers report from 05/01/2022 to 05/31/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/reports/report_sales/bestsellers/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "5/1/22" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "5/31/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 271 + }, + { + "sites": [ + "reddit" + ], + "task_id": 714, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Thumbs down the top {{k}} post ever in {{subreddit}}.", + "instantiation_dict": { + "subreddit": "gadgets", + "k": "1" + }, + "intent": "Thumbs down the top 1 post ever in gadgets.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/gadgets/19459/a-custom-gaming-pc-built-inside-a-vintage-1940s-motorola", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 24 + }, + { + "sites": [ + "reddit" + ], + "task_id": 715, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Thumbs down the top {{k}} post ever in {{subreddit}}.", + "instantiation_dict": { + "subreddit": "history", + "k": "2" + }, + "intent": "Thumbs down the top 2 post ever in history.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/history/84338/the-scientist-who-discovered-sperm-was-so-grossed-out-he", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/history/105990/4-500-year-old-sumerian-temple-dedicated-to-mighty-thunder", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 24 + }, + { + "sites": [ + "reddit" + ], + "task_id": 716, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Thumbs down the top {{k}} post ever in {{subreddit}}.", + "instantiation_dict": { + "k": "3", + "subreddit": "books" + }, + "intent": "Thumbs down the top 3 post ever in books.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/81371/the-letters-of-t-s-eliot-to-emily-hale-that-were-kept-sealed", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/59421/friendly-reminder-bookshop-org-exists", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/books/59447/appalachian-prison-book-project-seeks-notebook-donations-the", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 24 + }, + { + "sites": [ + "reddit" + ], + "task_id": 717, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Thumbs down the top {{k}} post ever in {{subreddit}}.", + "instantiation_dict": { + "k": "4", + "subreddit": "movies" + }, + "intent": "Thumbs down the top 4 post ever in movies.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/86174/who-will-win-the-oscar-for-actress-in-a-supporting-role", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/86029/who-will-win-the-oscar-for-film-editing", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/86055/cindy-williams-dies-laverne-amp-shirley-star-who-appeared-in", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/movies/42682/michelle-yeoh-to-receive-palm-springs-film-festival-s", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 24 + }, + { + "sites": [ + "reddit" + ], + "task_id": 718, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Thumbs down the top {{k}} post ever in {{subreddit}}.", + "instantiation_dict": { + "k": "5", + "subreddit": "technology" + }, + "intent": "Thumbs down the top 5 post ever in technology.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology/48670/brain-cancer-vaccine-succeeds-at-prolonging-survival-in", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology/134696/india-cuts-internet-for-27-million-people-amid-search-for", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology/48785/us-judge-orders-amazon-to-cease-and-desist-anti-union", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology/70354/activision-s-boston-studio-workers-announce-unionization", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/technology/70233/social-media-influencers-are-charged-with-feeding-followers", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 24 + }, + { + "sites": [ + "reddit" + ], + "task_id": 719, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "subreddit": "wallstreetbets", + "user": "ThetaGang_wsb" + }, + "intent": "Like all submissions created by ThetaGang_wsb in subreddit wallstreetbets", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/wallstreetbets/29478/how-will-airbnb-close-following-their-earnings-report-on", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/wallstreetbets/29458/how-much-will-the-federal-reserve-raise-interest-rates-in", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 25 + }, + { + "sites": [ + "reddit" + ], + "task_id": 720, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "subreddit": "earthporn", + "user": "CameronKelsey" + }, + "intent": "Like all submissions created by CameronKelsey in subreddit earthporn", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/EarthPorn/98332/my-favorite-place-on-the-planet-henry-s-fork-of-the-snake", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/EarthPorn/98297/2-years-later-this-is-still-one-of-the-most-incredible", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/EarthPorn/98256/i-can-t-wait-for-all-this-green-to-start-coming-back-little", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 25 + }, + { + "sites": [ + "reddit" + ], + "task_id": 721, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "UniversityofBath", + "subreddit": "IAmA" + }, + "intent": "Like all submissions created by UniversityofBath in subreddit IAmA", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/119742/hi-i-m-vienne-a-doctoral-student-at-the-university-of-bath-i", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/119719/hello-reddit-i-m-nazia-mehrban-a-lecturer-in-biotechnology", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/119714/i-m-ellie-jarvis-she-her-a-2nd-year-phd-student-in-the", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/55155/hi-i-m-dr-lucy-maddox-from-bath-university-uk-i-m-a-clinical", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/55142/we-re-sadeka-nujhat-hannah-leese-and-sandhya-moise-from-the", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/34032/we-re-sandhya-moise-david-phillips-and-chan-lee-from-the", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/13175/hi-i-m-kit-yates-i-m-a-mathematical-biologist-at-the", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/IAmA/13170/hello-i-m-dr-sara-fontani-from-the-university-of", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 25 + }, + { + "sites": [ + "reddit" + ], + "task_id": 722, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "Don_Gato1", + "subreddit": "new york" + }, + "intent": "Like all submissions created by Don_Gato1 in subreddit new york", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/nyc/44650/fox-news-hosts-cast-new-york-as-crime-ridden-and-chaotic", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 25 + }, + { + "sites": [ + "reddit" + ], + "task_id": 723, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "FTorrez81", + "subreddit": "iphone13" + }, + "intent": "Like all submissions created by FTorrez81 in subreddit iphone13", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "reference_answer_raw_annotation": "N/A", + "string_note": "FTorrez81 does not have any submissions in iphone13" + }, + "intent_template_id": 25, + "string_note": "FTorrez81 has no submissions in subreddit iphone13" + }, + { + "sites": [ + "reddit" + ], + "task_id": 724, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "Hrekires", + "subreddit": "news" + }, + "intent": "Like all submissions created by Hrekires in subreddit news", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129816/gov-whitmer-signs-bills-to-repeal-right-to-work-restore", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129808/disney-world-deal-with-union-will-raise-minimum-wage-to-18", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129794/judge-halts-wyoming-abortion-ban-days-after-it-took-effect", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129783/don-t-say-gay-lawmaker-pleads-guilty-to-covid-relief-fraud", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129594/arizona-gov-katie-hobbs-refuses-to-proceed-with-execution", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129508/tennessee-governor-oks-bill-to-cut-nashville-council-in-half", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43839/philadelphia-da-larry-krasner-impeached-by-pa-house", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43781/crypto-giant-ftx-to-file-for-bankruptcy-ceo-sam-bankman", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43572/sec-doj-investigating-crypto-platform-ftx", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43558/kansas-gov-laura-kelly-wins-re-election-defeating-gop", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 25 + }, + { + "sites": [ + "reddit" + ], + "task_id": 725, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "subreddit": "massachusetts", + "user": "RickyDontLoseThat" + }, + "intent": "DisLike all submissions created by RickyDontLoseThat in subreddit massachusetts", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/massachusetts/84954/the-last-of-lincoln", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 1510 + }, + { + "sites": [ + "reddit" + ], + "task_id": 726, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "subreddit": "earthporn", + "user": "jacyanthis" + }, + "intent": "DisLike all submissions created by jacyanthis in subreddit earthporn", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "jacyanthis does not have any submissions in earthporn", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 1510 + }, + { + "sites": [ + "reddit" + ], + "task_id": 727, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "PatientBuilder499", + "subreddit": "videos" + }, + "intent": "DisLike all submissions created by PatientBuilder499 in subreddit videos", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/videos/115139/hundreds-of-civilian-turkish-volunteers-waiting-to-be-sent", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 1510 + }, + { + "sites": [ + "reddit" + ], + "task_id": 728, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "sirbarani", + "subreddit": "sports" + }, + "intent": "DisLike all submissions created by sirbarani in subreddit sports", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/sports/48303/iran-football-legend-daei-will-not-attend-world-cup-amid", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 1510 + }, + { + "sites": [ + "reddit" + ], + "task_id": 729, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "AdamCannon", + "subreddit": "UpliftingNews" + }, + "intent": "DisLike all submissions created by AdamCannon in subreddit UpliftingNews", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/UpliftingNews/16087/same-sex-marriage-is-now-legal-in-all-of-mexico-s-states", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 1510 + }, + { + "sites": [ + "reddit" + ], + "task_id": 730, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "Hrekires", + "subreddit": "news" + }, + "intent": "DisLike all submissions created by Hrekires in subreddit news", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129816/gov-whitmer-signs-bills-to-repeal-right-to-work-restore", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129808/disney-world-deal-with-union-will-raise-minimum-wage-to-18", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129794/judge-halts-wyoming-abortion-ban-days-after-it-took-effect", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129783/don-t-say-gay-lawmaker-pleads-guilty-to-covid-relief-fraud", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129594/arizona-gov-katie-hobbs-refuses-to-proceed-with-execution", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/129508/tennessee-governor-oks-bill-to-cut-nashville-council-in-half", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43839/philadelphia-da-larry-krasner-impeached-by-pa-house", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43781/crypto-giant-ftx-to-file-for-bankruptcy-ceo-sam-bankman", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43572/sec-doj-investigating-crypto-platform-ftx", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/news/43558/kansas-gov-laura-kelly-wins-re-election-defeating-gop", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 1510 + }, + { + "sites": [ + "reddit" + ], + "task_id": 731, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Edit my post on {{post}} by adding a line to the body that says \"{{content}}\"", + "instantiation_dict": { + "post": "Nvidia RTX 4090", + "content": "EDIT: This news aged well" + }, + "intent": "Edit my post on Nvidia RTX 4090 by adding a line to the body that says \"EDIT: This news aged well\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/MachineLearning/1/nvidia-rtx-4090", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "EDIT: This news aged well", + "Crazy device for ML!" + ] + } + } + ] + }, + "intent_template_id": 27 + }, + { + "sites": [ + "reddit" + ], + "task_id": 732, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Edit my post on {{post}} by adding a line to the body that says \"{{content}}\"", + "instantiation_dict": { + "post": "The Night Agent", + "content": "Done watching, pretty cool!" + }, + "intent": "Edit my post on The Night Agent by adding a line to the body that says \"Done watching, pretty cool!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/television/134868/the-night-agent-renewed-for-season-2-at-netflix", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "exact_match": "Done watching, pretty cool!" + } + } + ] + }, + "intent_template_id": 27 + }, + { + "sites": [ + "reddit" + ], + "task_id": 733, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Edit my post on {{post}} by adding a line to the body that says \"{{content}}\"", + "instantiation_dict": { + "post": "Star Trek Starfleet Academy series", + "content": "Every watch makes me feel like a kid again" + }, + "intent": "Edit my post on Star Trek Starfleet Academy series by adding a line to the body that says \"Every watch makes me feel like a kid again\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/television/135201/star-trek-starfleet-academy-series-from-alex-kurtzman-and", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "exact_match": "Every watch makes me feel like a kid again" + } + } + ] + }, + "intent_template_id": 27 + }, + { + "sites": [ + "reddit" + ], + "task_id": 734, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Edit my post on {{post}} by adding a line to the body that says \"{{content}}\"", + "instantiation_dict": { + "post": "Ted Lasso", + "content": "Done watching. I love the renew!" + }, + "intent": "Edit my post on Ted Lasso by adding a line to the body that says \"Done watching. I love the renew!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/television/135156/ted-lasso-season-3-premiere-scores-870k-u-s-households-up-59", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "exact_match": "Done watching. I love the renew!" + } + } + ] + }, + "intent_template_id": 27 + }, + { + "sites": [ + "reddit" + ], + "task_id": 735, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999", + "geolocation": null, + "intent_template": "Edit my post on {{post}} by adding a line to the body that says \"{{content}}\"", + "instantiation_dict": { + "post": "Lord of the Rings", + "content": "The cast is amazing!" + }, + "intent": "Edit my post on Lord of the Rings by adding a line to the body that says \"The cast is amazing!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999/f/television/135152/lord-of-the-rings-the-rings-of-power-season-2-cast-adds", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "exact_match": "The cast is amazing!" + } + } + ] + }, + "intent_template_id": 27 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 736, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Make the LICENSE of {{repo}} to MIT license.", + "instantiation_dict": { + "repo": "gimmiethat.space and dotfiles" + }, + "intent": "Make the LICENSE of gimmiethat.space and dotfiles to MIT license.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/gimmiethat.space/-/blob/main/LICENSE", + "locator": "", + "required_contents": { + "must_include": [ + "MIT license", + "The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software." + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/dotfiles/-/blob/main/LICENSE", + "locator": "", + "required_contents": { + "must_include": [ + "MIT license", + "The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software." + ] + } + } + ] + }, + "intent_template_id": 355 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 737, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the way from {{location}} to the home stadium of {{sport_team}} {{time}}", + "instantiation_dict": { + "location": "Carnegie Mellon University", + "sport_team": "Philadelphia 76ers", + "time": "" + }, + "intent": "Show me the way from Carnegie Mellon University to the home stadium of Philadelphia 76ers ", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Wells Fargo Center", + "South Philadelphia Sports Complex" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 94 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 738, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the way from {{location}} to the home stadium of {{sport_team}} {{time}}", + "instantiation_dict": { + "location": "Carnegie Mellon University", + "sport_team": "Philadelphia 76ers", + "time": "in the 70th" + }, + "intent": "Show me the way from Carnegie Mellon University to the home stadium of Philadelphia 76ers in the 70th", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "3601 South Broad Street", + "South Philadelphia" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 94 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 739, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the way from {{location}} to the home stadium of {{sport_team}} {{time}}", + "instantiation_dict": { + "location": "Carnegie Mellon University", + "sport_team": "Yankees", + "time": "in the 80th" + }, + "intent": "Show me the way from Carnegie Mellon University to the home stadium of Yankees in the 80th", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Yankee Stadium", + "East 161st Street" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 94 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 740, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the way from {{location}} to the home stadium of {{sport_team}} {{time}}", + "instantiation_dict": { + "location": "Carnegie Mellon University", + "sport_team": "NYC NBA team", + "time": "" + }, + "intent": "Show me the way from Carnegie Mellon University to the home stadium of NYC NBA team ", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Madison Square Garden", + "Pennsylvania Plaza", + "Manhattan", + "New York" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 94 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 741, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the way from {{location}} to the home stadium of {{sport_team}} {{time}}", + "instantiation_dict": { + "location": "Carnegie Mellon University", + "sport_team": "Boston home NBA team", + "time": "" + }, + "intent": "Show me the way from Carnegie Mellon University to the home stadium of Boston home NBA team ", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "TD Garden", + "Boston", + "Massachusetts" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 94 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 742, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a new {{scope}} project \"planner\" and add {{account_list}} as members", + "instantiation_dict": { + "scope": "private", + "account_list": "Abishek, Vinta" + }, + "intent": "Create a new private project \"planner\" and add Abishek, Vinta as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/planner", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/planner/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@abisubramanya27", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 743, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a new {{scope}} project \"web_arena\" and add {{account_list}} as members", + "instantiation_dict": { + "scope": "public", + "account_list": "Abishek, Vinta" + }, + "intent": "Create a new public project \"web_arena\" and add Abishek, Vinta as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_arena", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "public" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_arena/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@abisubramanya27", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 744, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a new {{scope}} project \"AutoAGI\" and add {{account_list}} as members", + "instantiation_dict": { + "scope": "public", + "account_list": "primer" + }, + "intent": "Create a new public project \"AutoAGI\" and add primer as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/AutoAGI", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "public" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/AutoAGI/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@primer" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 745, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a new {{scope}} project \"awesome-llms\" and add {{account_list}} as members", + "instantiation_dict": { + "scope": "public", + "account_list": "primer, convexegg, abishek" + }, + "intent": "Create a new public project \"awesome-llms\" and add primer, convexegg, abishek as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome-llms", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "public" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome-llms/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@primer", + "@convexegg", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 746, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a new {{scope}} project \"llm_bulk_inference\" and add {{account_list}} as members", + "instantiation_dict": { + "scope": "private", + "account_list": "primer, convexegg, abishek" + }, + "intent": "Create a new private project \"llm_bulk_inference\" and add primer, convexegg, abishek as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/llm_bulk_inference", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/llm_bulk_inference/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@primer", + "@convexegg", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 747, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Start a private project {{project_name}} with {{template}} template and add {{account_list}} as members", + "instantiation_dict": { + "project_name": "awesome_web_agents", + "template": "blank", + "account_list": "Abishek, Vinta" + }, + "intent": "Start a private project awesome_web_agents with blank template and add Abishek, Vinta as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome_web_agents", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome_web_agents/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initial commit" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/awesome_web_agents/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@abisubramanya27", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 2100 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 748, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Start a private project {{project_name}} with {{template}} template and add {{account_list}} as members", + "instantiation_dict": { + "project_name": "web_agent_android_xl", + "template": "Android", + "account_list": "primer, convexegg, abishek" + }, + "intent": "Start a private project web_agent_android_xl with Android template and add primer, convexegg, abishek as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_android_xl", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_android_xl/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initialized from 'Android' project template" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_android_xl/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@primer", + "@convexegg", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 2100 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 749, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Start a private project {{project_name}} with {{template}} template and add {{account_list}} as members", + "instantiation_dict": { + "project_name": "project_site", + "template": "NodeJS", + "account_list": "primer, convexegg, vinta" + }, + "intent": "Start a private project project_site with NodeJS template and add primer, convexegg, vinta as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/project_site", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/project_site/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initialized from 'NodeJS Express' project template" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/project_site/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@primer", + "@convexegg", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 2100 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 750, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Start a private project {{project_name}} with {{template}} template and add {{account_list}} as members", + "instantiation_dict": { + "project_name": "agi_index", + "template": "HTML", + "account_list": "Vinta Chen" + }, + "intent": "Start a private project agi_index with HTML template and add Vinta Chen as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/agi_index", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/agi_index", + "locator": "document.querySelector('.home-panel-description-markdown').outerText", + "required_contents": { + "must_include": [ + "Example plain HTML site using GitLab Pages: https://pages.gitlab.io/plain-html |OR| A plain HTML site that uses Netlify for CI/CD instead of GitLab, but still with all the other great GitLab features." + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/agi_index/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "Vinta Chen" + ] + } + } + ] + }, + "intent_template_id": 2100 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 751, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Start a private project {{project_name}} with {{template}} template and add {{account_list}} as members", + "instantiation_dict": { + "project_name": "AGISite", + "template": "JEKYLL", + "account_list": "Rohan and Vinta" + }, + "intent": "Start a private project AGISite with JEKYLL template and add Rohan and Vinta as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/AGISite", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/AGISite", + "locator": "document.querySelector('.home-panel-description-markdown').outerText", + "required_contents": { + "must_include": [ + "Example Jekyll site using GitLab Pages: https://pages.gitlab.io/jekyll |OR| A Jekyll site that uses Netlify for CI/CD instead of GitLab, but still with all the other great GitLab features." + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/AGISite/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@Seirdy", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 2100 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 752, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a private {{template}} repository called \"{{project_name}}\" using the right template to speed up development.", + "instantiation_dict": { + "project_name": "web_agent", + "template": "blank" + }, + "intent": "Create a private blank repository called \"web_agent\" using the right template to speed up development.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initial commit" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 753, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a private {{template}} repository called \"{{project_name}}\" using the right template to speed up development.", + "instantiation_dict": { + "project_name": "web_agent_android_xs", + "template": "Android" + }, + "intent": "Create a private Android repository called \"web_agent_android_xs\" using the right template to speed up development.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_android_xs", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_android_xs/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initialized from 'Android' project template" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 754, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a private {{template}} repository called \"{{project_name}}\" using the right template to speed up development.", + "instantiation_dict": { + "project_name": "web_agent_nodejs", + "template": "NodeJS" + }, + "intent": "Create a private NodeJS repository called \"web_agent_nodejs\" using the right template to speed up development.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_nodejs", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_nodejs/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initialized from 'NodeJS Express' project template" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 755, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a private {{template}} repository called \"{{project_name}}\" using the right template to speed up development.", + "instantiation_dict": { + "project_name": "web_agent_index", + "template": "HTML" + }, + "intent": "Create a private HTML repository called \"web_agent_index\" using the right template to speed up development.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_index", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/web_agent_index", + "locator": "document.querySelector('.home-panel-description-markdown').outerText", + "required_contents": { + "must_include": [ + "Example plain HTML site using GitLab Pages: https://pages.gitlab.io/plain-html |OR| A plain HTML site that uses Netlify for CI/CD instead of GitLab, but still with all the other great GitLab features." + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 756, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create a private {{template}} repository called \"{{project_name}}\" using the right template to speed up development.", + "instantiation_dict": { + "project_name": "11711_gitlab", + "template": "JEKYLL" + }, + "intent": "Create a private JEKYLL repository called \"11711_gitlab\" using the right template to speed up development.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/11711_gitlab", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/11711_gitlab", + "locator": "document.querySelector('.home-panel-description-markdown').outerText", + "required_contents": { + "must_include": [ + "Example Jekyll site using GitLab Pages: https://pages.gitlab.io/jekyll |OR| A Jekyll site that uses Netlify for CI/CD instead of GitLab, but still with all the other great GitLab features." + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "map" + ], + "task_id": 757, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the path and travel time from {{city1}} to {{city2}}.", + "instantiation_dict": { + "city1": "home of the 1980 Super Bowl champions", + "city2": "home of the 1991 Super Bowl champions" + }, + "intent": "Show me the path and travel time from home of the 1980 Super Bowl champions to home of the 1991 Super Bowl champions.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "New York" + ] + } + } + ] + }, + "intent_template_id": 42 + }, + { + "sites": [ + "map" + ], + "task_id": 758, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the path and travel time from {{city1}} to {{city2}}.", + "instantiation_dict": { + "city1": "the big apple", + "city2": "biggest city in Maine" + }, + "intent": "Show me the path and travel time from the big apple to biggest city in Maine.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "New York" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Portland", + "Maine" + ] + } + } + ] + }, + "intent_template_id": 42 + }, + { + "sites": [ + "map", + "shopping_admin" + ], + "task_id": 759, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the route and driving time from {{city1}} to {{city2}}", + "instantiation_dict": { + "city1": "the city where my E-commerce customer Sophia Young lives", + "city2": "New York City" + }, + "intent": "Show me the route and driving time from the city where my E-commerce customer Sophia Young lives to New York City", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Boston" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "New York" + ] + } + } + ] + }, + "intent_template_id": 42 + }, + { + "sites": [ + "map", + "shopping_admin" + ], + "task_id": 760, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Show me the route and driving time from {{city1}} to {{city2}}", + "instantiation_dict": { + "city1": "Allentown, PA", + "city2": "the city where my E-commerce customer Amanda Kim lives" + }, + "intent": "Show me the route and driving time from Allentown, PA to the city where my E-commerce customer Amanda Kim lives", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Allentown" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Hoboken", + "New Jersey" + ] + } + } + ] + }, + "intent_template_id": 42 + }, + { + "sites": [ + "map" + ], + "task_id": 761, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Get directions from {{location/address_1}} to {{location/address_2}} using {{transportation}} options.", + "instantiation_dict": { + "location/address_1": "Carnegie Science Museum", + "location/address_2": "Hunt library CMU", + "transportation": "walk" + }, + "intent": "Get directions from Carnegie Science Museum to Hunt library CMU using walk options.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Science Center", + "Allegheny County", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Hunt Library", + "Pittsburgh" + ] + } + } + ] + }, + "intent_template_id": 54 + }, + { + "sites": [ + "map" + ], + "task_id": 762, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Get directions from {{location/address_1}} to {{location/address_2}} using {{transportation}} options.", + "instantiation_dict": { + "location/address_1": "Carnegie Music Hall in NYC", + "location/address_2": "Carnegie Mellon University", + "transportation": "driving" + }, + "intent": "Get directions from Carnegie Music Hall in NYC to Carnegie Mellon University using driving options.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Hall", + "West 57th Street", + "Manhattan", + "New York" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + } + ] + }, + "intent_template_id": 54 + }, + { + "sites": [ + "map" + ], + "task_id": 763, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the walkway to the closest {{store}} from {{location}}.", + "instantiation_dict": { + "store": "Trader Joe's", + "location": "401 Shady Ave, Pittsburgh" + }, + "intent": "Find the walkway to the closest Trader Joe's from 401 Shady Ave, Pittsburgh.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "401, Shady Avenue, Shadyside" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Trader Joe's, 6343, Penn Avenue, East Liberty" + ] + } + } + ] + }, + "intent_template_id": 75 + }, + { + "sites": [ + "map" + ], + "task_id": 764, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the walkway to the closest {{store}} from {{location}}.", + "instantiation_dict": { + "store": "Target", + "location": "401 Shady Ave, Pittsburgh" + }, + "intent": "Find the walkway to the closest Target from 401 Shady Ave, Pittsburgh.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "401, Shady Avenue, Shadyside" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Target, 6231, Penn Avenue, East Liberty" + ] + } + } + ] + }, + "intent_template_id": 75 + }, + { + "sites": [ + "map" + ], + "task_id": 765, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the walkway to the closest {{store}} from {{location}}.", + "instantiation_dict": { + "store": "Japanese food market", + "location": "401 Shady Ave, Pittsburgh" + }, + "intent": "Find the walkway to the closest Japanese food market from 401 Shady Ave, Pittsburgh.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "401, Shady Avenue, Shadyside" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Tokyo Japanese Food Store, 5855, Ellsworth Avenue, Shadyside" + ] + } + } + ] + }, + "intent_template_id": 75 + }, + { + "sites": [ + "map" + ], + "task_id": 766, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the walkway to the closest {{store}} from {{location}}.", + "instantiation_dict": { + "store": "grocessory owned by Amazon", + "location": "401 Shady Ave, Pittsburgh" + }, + "intent": "Find the walkway to the closest grocessory owned by Amazon from 401 Shady Ave, Pittsburgh.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "401, Shady Avenue, Shadyside" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Whole Foods Market, 5700, Penn Avenue, East Liberty" + ] + } + } + ] + }, + "intent_template_id": 75 + }, + { + "sites": [ + "map" + ], + "task_id": 767, + "require_login": true, + "storage_state": null, + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000", + "geolocation": null, + "intent_template": "Find the walkway to the closest {{store}} from {{location}}.", + "instantiation_dict": { + "store": "chain grocessory owned by a local business", + "location": "401 Shady Ave, Pittsburgh" + }, + "intent": "Find the walkway to the closest chain grocessory owned by a local business from 401 Shady Ave, Pittsburgh.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "401, Shady Avenue, Shadyside" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Giant Eagle, 5550, Centre Avenue, Shadyside" + ] + } + } + ] + }, + "intent_template_id": 75 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 768, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "{{quantity}} {{product}} arrived, update the stock", + "instantiation_dict": { + "quantity": "5", + "product": "blue Cronus yoga pants with size 33" + }, + "intent": "5 blue Cronus yoga pants with size 33 arrived, update the stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/872/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "5" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/872/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 241 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 769, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "We've received {{quantity}} {{product}}, please update the inventory.", + "instantiation_dict": { + "quantity": "378", + "product": "brown Aero daily fitness tee in every size" + }, + "intent": "We've received 378 brown Aero daily fitness tee in every size, please update the inventory.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/544/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "478" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/547/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "478" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/550/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "478" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/553/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "478" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/556/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "478" + } + } + ] + }, + "intent_template_id": 241 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 770, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "We've received {{quantity}}, update the inventory.", + "instantiation_dict": { + "quantity": "12 white Cora parachute pant of size 28 and 56 blue of size 29" + }, + "intent": "We've received 12 white Cora parachute pant of size 28 and 56 blue of size 29, update the inventory.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1836/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "112" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1838/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "156" + } + } + ] + }, + "intent_template_id": 241 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 771, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Approve the positive reviews to display in our store.", + "instantiation_dict": {}, + "intent": "Approve the positive reviews to display in our store.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/352", + "locator": "document.querySelector('[name=\"status_id\"').value", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/349", + "locator": "document.querySelector('[name=\"status_id\"').value", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/347", + "locator": "document.querySelector('[name=\"status_id\"').value", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 243 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 772, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "pending negative reviews for Circe fleece" + }, + "intent": "Delete all pending negative reviews for Circe fleece", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/999", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + } + ] + }, + "intent_template_id": 246 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 773, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "pending negative reviews" + }, + "intent": "Delete all pending negative reviews", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/351", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/353", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + } + ] + }, + "intent_template_id": 246 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 774, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "pending reviews with less than 4 stars" + }, + "intent": "Delete all pending reviews with less than 4 stars", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/351", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/353", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/349", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + } + ] + }, + "intent_template_id": 246 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 775, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "reviews from the scammer Arden" + }, + "intent": "Delete all reviews from the scammer Arden", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/51", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + } + ] + }, + "intent_template_id": 246 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 776, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "reviews from the scammer Carlo" + }, + "intent": "Delete all reviews from the scammer Carlo", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/93", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/review/product/edit/id/109", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + } + ] + }, + "intent_template_id": 246 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 777, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "$5", + "action": "Reduce", + "config": "green Hollister backyard sweater in all size" + }, + "intent": "Reduce the price of green Hollister backyard sweater in all size by $5", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/120/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "47.00" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/117/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "47.00" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/114/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "47.00" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/111/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "47.00" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/123/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "47.00" + } + } + ] + }, + "intent_template_id": 742 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 778, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "13.5%", + "action": "Reduce", + "config": "size 28 Sahara leggings" + }, + "intent": "Reduce the price of size 28 Sahara leggings by 13.5%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1841/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "64.88" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1842/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "64.88" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1843/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "64.88" + } + } + ] + }, + "intent_template_id": 742 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 779, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "15%", + "action": "Reduce", + "config": "yellow shirts from Gwyn Endurance in all size below L" + }, + "intent": "Reduce the price of yellow shirts from Gwyn Endurance in all size below L by 15%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1559/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "20.40" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1562/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "20.40" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1565/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "20.40" + } + } + ] + }, + "intent_template_id": 742 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 780, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1481/", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "$17", + "action": "Increase", + "config": "white Ingrid Running with size L and above" + }, + "intent": "Increase the price of white Ingrid Running with size L and above by $17", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1264/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "64.00" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1267/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "64.00" + } + } + ] + }, + "intent_template_id": 742 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 781, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "37%", + "action": "Increase", + "config": "black fitness tshirts from Desiree with size XS" + }, + "intent": "Increase the price of black fitness tshirts from Desiree with size XS by 37%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/1573/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "32.88" + } + } + ] + }, + "intent_template_id": 742 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 782, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "23%", + "action": "Increase", + "config": "all blue running tshirts in extra small and small sizes" + }, + "intent": "Increase the price of all blue running tshirts in extra small and small sizes by 23%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/496/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "22.33" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/499/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "22.33" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/479/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "21.56" + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/catalog/product/edit/id/482/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "21.56" + } + } + ] + }, + "intent_template_id": 742 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 783, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Add the following users to repo {{repo}} as {{role}}: {{user_list}}", + "instantiation_dict": { + "repo": "kkroening/ffmpeg-python", + "role": "maintainer", + "user_list": [ + "yjlou", + "a11yproject" + ] + }, + "intent": "Add the following users to repo kkroening/ffmpeg-python as maintainer: ['yjlou', 'a11yproject']", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "not the owner of the repo so cannot add maintainer", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 351 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 784, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/CellularPrivacy/Android-IMSI-Catcher-Detector", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the contributor who has the most commits to branch {{branch_name}}", + "instantiation_dict": { + "branch_name": "main", + "attribute": "email address" + }, + "intent": "Tell me the email address of the contributor who has the most commits to branch main", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "secupwn@users.noreply.github.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "secupwn@users.noreply.github.com" + }, + "intent_template_id": 316 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 785, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/CellularPrivacy/Android-IMSI-Catcher-Detector", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the contributor who has the most commits to branch {{branch_name}}", + "instantiation_dict": { + "branch_name": "gh-page", + "attribute": "email address" + }, + "intent": "Tell me the email address of the contributor who has the most commits to branch gh-page", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "secupwn@users.noreply.github.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "secupwn@users.noreply.github.com" + }, + "intent_template_id": 316 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 786, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/vinta/awesome-python", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the contributor who has the most commits to branch {{branch_name}}", + "instantiation_dict": { + "branch_name": "main", + "attribute": "number of commits" + }, + "intent": "Tell me the number of commits of the contributor who has the most commits to branch main", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "412" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "412" + }, + "intent_template_id": 316 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 787, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dehenne/awesome-visibility/-/graphs/master", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the contributor who has the most commits to branch {{branch_name}}", + "instantiation_dict": { + "branch_name": "main", + "attribute": "number of followers" + }, + "intent": "Tell me the number of followers of the contributor who has the most commits to branch main", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 316 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 788, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/amwhalen/archive-my-tweets/-/tree/github/fork/chtitux/addRssFeed", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the contributor who has the most commits to branch {{branch_name}}", + "instantiation_dict": { + "branch_name": "php52", + "attribute": "full name, gitlab account name, location and email address" + }, + "intent": "Tell me the full name, gitlab account name, location and email address of the contributor who has the most commits to branch php52", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Andrew M. Whalen", + "amwhalen", + "Massachusetts", + "github@amwhalen.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Andrew M. Whalen, amwhalen, Massachusetts, github@amwhalen.com" + }, + "intent_template_id": 316 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 789, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create an issue {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "huggingface dataset", + "issue": "asking about do they have any plan on supporting Webagent in the next quater" + }, + "intent": "Create an issue asking about do they have any plan on supporting Webagent in the next quater in huggingface dataset.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "huggingface repo does not exist", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 328 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 790, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "negative reviews for Sybil running short" + }, + "intent": "Delete all negative reviews for Sybil running short", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "No negative reviews for sybil running short", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 246 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 791, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Make a folder named {{directory}} on the {{gitlab_repo}} repo and include a file called urls.txt that consists of the links to the 5 most recent posts from {{subreddit}}.", + "instantiation_dict": { + "directory": "car", + "subreddit": "cars", + "gitlab_repo": "gimmiethat.space" + }, + "intent": "Make a folder named car on the gimmiethat.space repo and include a file called urls.txt that consists of the links to the 5 most recent posts from cars.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "the subreddit does not exist", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 84 + }, + { + "sites": [ + "shopping" + ], + "task_id": 792, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Buy the highest rated product from the {{product_category}} category within a budget {{dollar_value}}.", + "instantiation_dict": { + "product_category": "Beauty & Personal Care", + "dollar_value": "under 20" + }, + "intent": "Buy the highest rated product from the Beauty & Personal Care category within a budget under 20.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The website does not support sorting by rating and there are too many products in this category", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 172 + }, + { + "sites": [ + "shopping" + ], + "task_id": 793, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Buy the highest rated product from the {{product_category}} category within a budget {{dollar_value}}.", + "instantiation_dict": { + "product_category": "Men clothing", + "dollar_value": "above 50 but under 129.99" + }, + "intent": "Buy the highest rated product from the Men clothing category within a budget above 50 but under 129.99.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The website does not support sorting by rating and there are too many products in this category", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 172 + }, + { + "sites": [ + "shopping" + ], + "task_id": 794, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Change the delivery address for my most recent order to {{address}}.", + "instantiation_dict": { + "address": "4000 Forbes Ave, Pittsburgh, PA" + }, + "intent": "Change the delivery address for my most recent order to 4000 Forbes Ave, Pittsburgh, PA.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The shipping address cannot be changed after an order is placed in the website.", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 191 + }, + { + "sites": [ + "shopping" + ], + "task_id": 795, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Change the delivery address for my most recent order to {{address}}.", + "instantiation_dict": { + "address": "6726 McPherson Blvd, Pittsburgh, PA" + }, + "intent": "Change the delivery address for my most recent order to 6726 McPherson Blvd, Pittsburgh, PA.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The shipping address cannot be changed after an order is placed in the website.", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 191 + }, + { + "sites": [ + "shopping" + ], + "task_id": 796, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Change the delivery address for my most recent order to {{address}}.", + "instantiation_dict": { + "address": "155 5th Street, San Francisco, CA" + }, + "intent": "Change the delivery address for my most recent order to 155 5th Street, San Francisco, CA.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The shipping address cannot be changed after an order is placed in the website.", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 191 + }, + { + "sites": [ + "shopping" + ], + "task_id": 797, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Change the delivery address for my most recent order to {{address}}.", + "instantiation_dict": { + "address": "3 Oxford St, Cambridge, MA" + }, + "intent": "Change the delivery address for my most recent order to 3 Oxford St, Cambridge, MA.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The shipping address cannot be changed after an order is placed in the website.", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 191 + }, + { + "sites": [ + "shopping" + ], + "task_id": 798, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770", + "geolocation": null, + "intent_template": "Change the delivery address for my most recent order to {{address}}.", + "instantiation_dict": { + "address": "77 Massachusetts Ave, Cambridge, MA" + }, + "intent": "Change the delivery address for my most recent order to 77 Massachusetts Ave, Cambridge, MA.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The shipping address cannot be changed after an order is placed in the website.", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 191 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 799, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a new group \"{{name}}\" with members {{members}}", + "instantiation_dict": { + "name": "n-lab", + "members": "patou, egpast, westurner, jontutcher" + }, + "intent": "create a new group \"n-lab\" with members patou, egpast, westurner, jontutcher", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/groups/n-lab/-/group_members", + "locator": "", + "required_contents": { + "must_include": [ + "@patou", + "@egpast", + "@westurner", + "@jontutcher" + ] + } + } + ] + }, + "intent_template_id": 600 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 800, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a new group \"{{name}}\" with members {{members}}", + "instantiation_dict": { + "name": "x-lab", + "members": "JonasVautherin, dilipchandima, dawiss1337, bmyun, DCMJY" + }, + "intent": "create a new group \"x-lab\" with members JonasVautherin, dilipchandima, dawiss1337, bmyun, DCMJY", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/groups/x-lab/-/group_members", + "locator": "", + "required_contents": { + "must_include": [ + "@JonasVautherin", + "@dilipchandima", + "@dawiss1337", + "@bmyun", + "@DCMJY" + ] + } + } + ] + }, + "intent_template_id": 600 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 801, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a new group \"{{name}}\" with members {{members}}", + "instantiation_dict": { + "name": "crew", + "members": "ASWATFZLLC, patrickhlauke, westurner, linkmatrix" + }, + "intent": "create a new group \"crew\" with members ASWATFZLLC, patrickhlauke, westurner, linkmatrix", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/groups/crew/-/group_members", + "locator": "", + "required_contents": { + "must_include": [ + "@ASWATFZLLC", + "@patrickhlauke", + "@westurner", + "@linkmatrix" + ] + } + } + ] + }, + "intent_template_id": 600 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 802, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a new group \"{{name}}\" with members {{members}}", + "instantiation_dict": { + "name": "coding_friends", + "members": "qhduan, Agnes-U" + }, + "intent": "create a new group \"coding_friends\" with members qhduan, Agnes-U", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/groups/coding_friends/-/group_members", + "locator": "", + "required_contents": { + "must_include": [ + "@qhduan", + "@Agnes-U" + ] + } + } + ] + }, + "intent_template_id": 600 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 803, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "create a new group \"{{name}}\" with members {{members}}", + "instantiation_dict": { + "name": "webagent", + "members": "pandey2000, sayakpaul, sayakpaul" + }, + "intent": "create a new group \"webagent\" with members pandey2000, sayakpaul, sayakpaul", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/groups/webagent/-/group_members", + "locator": "", + "required_contents": { + "must_include": [ + "@pandey2000", + "@sayakpaul" + ] + } + } + ] + }, + "intent_template_id": 600 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 804, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Assign the issue regarding {{issue}} to {{account}}.", + "instantiation_dict": { + "issue": "flash alerts", + "account": "myself and primer" + }, + "intent": "Assign the issue regarding flash alerts to myself and primer.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/issues?scope=all&state=opened&assignee_username=byteblaze", + "locator": "", + "required_contents": { + "must_include": [ + "Add documentation on using Flash alerts in dialog components", + "Clarify usage of flash alert" + ] + } + }, + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/issues?scope=all&state=opened&assignee_username=primer", + "locator": "", + "required_contents": { + "must_include": [ + "Add documentation on using Flash alerts in dialog components", + "Clarify usage of flash alert" + ] + } + } + ] + }, + "intent_template_id": 999 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 805, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "Submit a merge request for {{source_branch}} to be merged into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "the branch that implements the support of template strings", + "target_branch": "master", + "reviewer": "myself and Roshan" + }, + "intent": "Submit a merge request for the branch that implements the support of template strings to be merged into master branch, assign myself and Roshan as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "feature/replace-gulp" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "main" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Byte Blaze", + "Roshan Jossy" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 806, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Submit a merge request for {{source_branch}} branch to be merged into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "a11yproject.com/redesign", + "target_branch": "markdown-figure-block", + "reviewer": "myself" + }, + "intent": "Submit a merge request for a11yproject.com/redesign branch to be merged into markdown-figure-block branch, assign myself as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "redesign" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "feature/markdown-figure-block" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Byte Blaze" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 807, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design", + "geolocation": null, + "intent_template": "Submit a merge request for {{source_branch}} branch to be merged into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "build time debug", + "target_branch": "main", + "reviewer": "myself" + }, + "intent": "Submit a merge request for build time debug branch to be merged into main branch, assign myself as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/primer/design/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "main" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "debug-build-time" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Byte Blaze" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 808, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create an issue in {{repo}} repo with title \"{{issue}}\". Assign the issue to {{account}}. Set due date to be {{due}}", + "instantiation_dict": { + "repo": "cloud-to-butt", + "issue": "Let's keep the project alive", + "account": "myself", + "due": "the end of Q1 2033" + }, + "intent": "Create an issue in cloud-to-butt repo with title \"Let's keep the project alive\". Assign the issue to myself. Set due date to be the end of Q1 2033", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/byteblaze/cloud-to-butt/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[data-qa-selector=\"title_content\"]').outerText", + "required_contents": { + "exact_match": "Let's keep the project alive" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-testid=\"sidebar-due-date\"').outerText", + "required_contents": { + "must_include": [ + "Mar 31, 2033" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.assignee').outerText", + "required_contents": { + "must_include": [ + "Byte Blaze" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 327 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 809, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Create an issue in {{repo}} repo with title \"{{issue}}\". Assign the issue to {{account}}. Set due date to be {{due}}", + "instantiation_dict": { + "repo": "a11yproject", + "issue": "404 for many URLs", + "account": "myself", + "due": "2030-1-3" + }, + "intent": "Create an issue in a11yproject repo with title \"404 for many URLs\". Assign the issue to myself. Set due date to be 2030-1-3", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/a11yproject/a11yproject.com/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[data-qa-selector=\"title_content\"]').outerText", + "required_contents": { + "exact_match": "404 for many URLs" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-testid=\"sidebar-due-date\"').outerText", + "required_contents": { + "must_include": [ + "Jan 3, 2030" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.assignee').outerText", + "required_contents": { + "must_include": [ + "Byte Blaze" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 327 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 810, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Assign the issue regarding {{issue}} in {{repo}} repo to {{account}}.", + "instantiation_dict": { + "repo": "primer design guide", + "issue": "flash alert", + "account": "myself" + }, + "intent": "Assign the issue regarding flash alert in primer design guide repo to myself.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/issues?scope=all&state=opened&assignee_username=byteblaze", + "locator": "", + "required_contents": { + "must_include": [ + "Add documentation on using Flash alerts in dialog components", + "Clarify usage of flash alert" + ] + } + } + ] + }, + "intent_template_id": 999 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 811, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023", + "geolocation": null, + "intent_template": "Assign the issue regarding {{issue}} in {{repo}} to {{account}}.", + "instantiation_dict": { + "repo": "a11yproject", + "issue": 404, + "account": "myself" + }, + "intent": "Assign the issue regarding 404 in a11yproject to myself.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023/dashboard/issues?scope=all&state=opened&assignee_username=byteblaze", + "locator": "", + "required_contents": { + "must_include": [ + "404s, bad host, timeouts, bad urls for URLs linked from website" + ] + } + } + ] + }, + "intent_template_id": 999 + } +] diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/test.raw.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/test.raw.json new file mode 100644 index 00000000..3f9f440d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/config_files/test.raw.json @@ -0,0 +1,29604 @@ +[ + { + "sites": [ + "shopping_admin" + ], + "task_id": 0, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What is the top-{{n}} best-selling product in {{year}}", + "instantiation_dict": { + "n": 1, + "year": 2022 + }, + "intent": "What is the top-1 best-selling product in 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Quest Lumaflex\u2122 Band" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Quest Lumaflex\u2122 Band" + }, + "intent_template_id": 279 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 1, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What is the top-{{n}} best-selling brand in {{period}}", + "instantiation_dict": { + "n": 1, + "period": "Quarter 1 2022" + }, + "intent": "What is the top-1 best-selling brand in Quarter 1 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Sprite" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Sprite" + }, + "intent_template_id": 279 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 2, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What is the top-{{n}} best-selling product type in {{period}}", + "instantiation_dict": { + "n": 1, + "period": "Quarter 1 2022" + }, + "intent": "What is the top-1 best-selling product type in Quarter 1 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Yoga ball" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yoga ball" + }, + "intent_template_id": 279 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 3, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What are the top-{{n}} best-selling product in {{year}}", + "instantiation_dict": { + "n": 2, + "year": 2022 + }, + "intent": "What are the top-2 best-selling product in 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Quest Lumaflex\u2122 Band", + "Sprite Stasis Ball 65 cm" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Quest Lumaflex\u2122 Band, Sprite Stasis Ball 65 cm" + }, + "intent_template_id": 279 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 4, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What are the top-{{n}} best-selling product in {{period}}", + "instantiation_dict": { + "n": 3, + "period": "Jan 2023" + }, + "intent": "What are the top-3 best-selling product in Jan 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Impulse Duffle", + "Overnight Duffle", + "Hawkeye Yoga Short-32-Blue" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Impulse Duffle, Overnight Duffle, Hawkeye Yoga Short-32-Blue" + }, + "intent_template_id": 279 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 5, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What is the top-{{n}} best-selling product type in {{period}}", + "instantiation_dict": { + "n": 1, + "period": "Jan 2023" + }, + "intent": "What is the top-1 best-selling product type in Jan 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Duffle" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Duffle" + }, + "intent_template_id": 279 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 6, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What are the top-{{n}} best-selling product in {{year}}", + "instantiation_dict": { + "n": 5, + "year": 2023 + }, + "intent": "What are the top-5 best-selling product in 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Sprite Yoga Strap 6 foot", + "Overnight Duffle", + "Ida Workout Parachute Pant-29-Purple", + "Hawkeye Yoga Short-32-Blue", + "Sprite Stasis Ball 65 cm" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Sprite Yoga Strap 6 foot, Overnight Duffle, Ida Workout Parachute Pant-29-Purple, Hawkeye Yoga Short-32-Blue, Sprite Stasis Ball 65 cm" + }, + "intent_template_id": 279 + }, + { + "sites": [ + "map" + ], + "task_id": 7, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Tell me the full address of all {{airport_type}} that are within a driving distance of {{radius}} to {{start}}", + "instantiation_dict": { + "airport_type": "international airports", + "start": "Carnegie Mellon University", + "radius": "50 km" + }, + "intent": "Tell me the full address of all international airports that are within a driving distance of 50 km to Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Pittsburgh International Airport, Southern Beltway, Findlay Township, Allegheny County, 15231, United States" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Pittsburgh International Airport People Movers, Airport Boulevard, Findlay Township, Allegheny County, Pennsylvania, 15231, United States" + }, + "intent_template_id": 79 + }, + { + "sites": [ + "map" + ], + "task_id": 8, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Tell me the full address of all {{airport_type}} that are within a driving distance of {{radius}} to {{start}}", + "instantiation_dict": { + "airport_type": "international airports", + "start": "Carnegie Mellon University", + "radius": "5 km" + }, + "intent": "Tell me the full address of all international airports that are within a driving distance of 5 km to Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "There is no airport within 5 km of Carnegie Mellon University" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "There is no airport within 5 km of Carnegie Mellon University" + }, + "intent_template_id": 79 + }, + { + "sites": [ + "map" + ], + "task_id": 9, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Tell me the full address of all {{airport_type}} that are within a driving distance of {{radius}} to {{start}}", + "instantiation_dict": { + "airport_type": "international airports", + "start": "Carnegie Art Museum", + "radius": "30 km" + }, + "intent": "Tell me the full address of all international airports that are within a driving distance of 30 km to Carnegie Art Museum", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Pittsburgh International Airport, Southern Beltway, Findlay Township, Allegheny County, 15231, United States" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Pittsburgh International Airport People Movers, Airport Boulevard, Findlay Township, Allegheny County, Pennsylvania, 15231, United States" + }, + "intent_template_id": 79 + }, + { + "sites": [ + "map" + ], + "task_id": 10, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Tell me the full address of all {{airport_type}} that are within a driving distance of {{radius}} to {{start}}", + "instantiation_dict": { + "airport_type": "US international airports", + "start": "Niagara Falls", + "radius": "60 km" + }, + "intent": "Tell me the full address of all US international airports that are within a driving distance of 60 km to Niagara Falls", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Niagara Falls International Airport, 2035, Niagara Falls Boulevard, City of Niagara Falls, Town of Wheatfield, Niagara County, New York, 14304, United States", + "Buffalo-Niagara International Airport, Holtz Drive, Town of Cheektowaga, Erie County, New York, 14225, United States" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Niagara Falls International Airport, 2035, Niagara Falls Boulevard, City of Niagara Falls, Town of Wheatfield, Niagara County, New York, 14304, United States Buffalo-Niagara International Airport, South Youngs Road, Town of Cheektowaga, Erie County, New York, 14221, United States" + }, + "intent_template_id": 79 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 11, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Tell me the the number of reviews that our store received by far that mention term \"{{term}}\"", + "instantiation_dict": { + "term": "disappointed" + }, + "intent": "Tell me the the number of reviews that our store received by far that mention term \"disappointed\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "6" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "6" + }, + "intent_template_id": 288 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 12, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Tell me the the number of reviews that our store received by far that mention term \"{{term}}\"", + "instantiation_dict": { + "term": "satisfied" + }, + "intent": "Tell me the the number of reviews that our store received by far that mention term \"satisfied\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2" + }, + "intent_template_id": 288 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 13, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Tell me the the number of reviews that our store received by far that mention term \"{{term}}\"", + "instantiation_dict": { + "term": "decent" + }, + "intent": "Tell me the the number of reviews that our store received by far that mention term \"decent\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2" + }, + "intent_template_id": 288 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 14, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Tell me the the number of reviews that our store received by far that mention term \"{{term}}\"", + "instantiation_dict": { + "term": "not useful" + }, + "intent": "Tell me the the number of reviews that our store received by far that mention term \"not useful\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 288 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 15, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Tell me the the number of reviews that our store received by far that mention term \"{{term}}\"", + "instantiation_dict": { + "term": "best" + }, + "intent": "Tell me the the number of reviews that our store received by far that mention term \"best\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2" + }, + "intent_template_id": 288 + }, + { + "sites": [ + "map" + ], + "task_id": 16, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Compare the time for walking and driving route from {{start}} to {{end}}", + "instantiation_dict": { + "start": "5000 Fifth Avenue, Pittsburgh", + "end": "UPMC family health center" + }, + "intent": "Compare the time for walking and driving route from 5000 Fifth Avenue, Pittsburgh to UPMC family health center", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "driving: 2min", + "walking: 16min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Driving: 2min. Walking: 16min." + }, + "intent_template_id": 73 + }, + { + "sites": [ + "map" + ], + "task_id": 17, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Compare the time for walking and driving route from {{start}} to {{end}}", + "instantiation_dict": { + "start": "AMC Waterfront", + "end": "Carnegie Mellon University" + }, + "intent": "Compare the time for walking and driving route from AMC Waterfront to Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "driving: 13min", + "walking: 1h 35min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "driving: 13min, walking: 1h 35min." + }, + "intent_template_id": 73 + }, + { + "sites": [ + "map" + ], + "task_id": 18, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Compare the time for walking and driving route from {{start}} to {{end}}", + "instantiation_dict": { + "start": "AMC Waterfront", + "end": "Univ of Pittsburgh" + }, + "intent": "Compare the time for walking and driving route from AMC Waterfront to Univ of Pittsburgh", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "driving: 15min", + "walking: 1h 47min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "driving: 15min, walking: 1h 47min." + }, + "intent_template_id": 73 + }, + { + "sites": [ + "map" + ], + "task_id": 19, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Compare the time for walking and driving route from {{start}} to {{end}}", + "instantiation_dict": { + "start": "Carnegie Science Center", + "end": "Carnegie Mellon University" + }, + "intent": "Compare the time for walking and driving route from Carnegie Science Center to Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "driving: 12min", + "walking: 1h 44min." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "driving: 12min, walking: 1h 44min." + }, + "intent_template_id": 73 + }, + { + "sites": [ + "map" + ], + "task_id": 20, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Compare the difference in time for walking and driving route from {{start}} to {{end}}", + "instantiation_dict": { + "start": "Randyland", + "end": "Carnegie Mellon University" + }, + "intent": "Compare the difference in time for walking and driving route from Randyland to Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "driving: 13min", + "walking: 1h 45min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "driving: 13min, walking: 1h 45min." + }, + "intent_template_id": 73 + }, + { + "sites": [ + "shopping" + ], + "task_id": 21, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/6s-wireless-headphones-over-ear-noise-canceling-hi-fi-bass-foldable-stereo-wireless-kid-headsets-earbuds-with-built-in-mic-micro-sd-tf-fm-for-iphone-samsung-ipad-pc-black-gold.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "ear cups being small" + }, + "intent": "List out reviewers, if exist, who mention about ear cups being small", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Joseph Brzezinski", + "Catso", + "Dibbins", + "Anglebert Dinkherhump", + "Michelle Davis" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Joseph Brzezinski, Catso, Dibbins, Anglebert Dinkherhump, Michelle Davis" + }, + "intent_template_id": 222 + }, + { + "sites": [ + "shopping" + ], + "task_id": 22, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/fujifilm-finepix-z200fd-10mp-digital-camera-with-5x-optical-dual-image-stabilized-zoom-black.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "under water photo" + }, + "intent": "List out reviewers, if exist, who mention about under water photo", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no review about under water photo", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 222 + }, + { + "sites": [ + "shopping" + ], + "task_id": 23, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/3-pack-samsung-galaxy-s6-screen-protector-nearpow-tempered-glass-screen-protector-with-9h-hardness-crystal-clear-easy-bubble-free-installation-scratch-resist.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "good fingerprint resistant" + }, + "intent": "List out reviewers, if exist, who mention about good fingerprint resistant", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Rachel", + "T. Gannon" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Rachel, T. Gannon, " + }, + "intent_template_id": 222 + }, + { + "sites": [ + "shopping" + ], + "task_id": 24, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/haflinger-men-s-wool-felt-open-back-slippers-beige-550-peat-us-7.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "price being unfair" + }, + "intent": "List out reviewers, if exist, who mention about price being unfair", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no reivew about price being unfair", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 222 + }, + { + "sites": [ + "shopping" + ], + "task_id": 25, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/epson-workforce-wf-3620-wifi-direct-all-in-one-color-inkjet-printer-copier-scanner-amazon-dash-replenishment-ready.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "average print quality" + }, + "intent": "List out reviewers, if exist, who mention about average print quality", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Goldfish", + "Roxanne Brandon Coffey" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "GoldfishGoldfish, Roxanne Brandon Coffey" + }, + "intent_template_id": 222 + }, + { + "sites": [ + "shopping" + ], + "task_id": 26, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/epson-workforce-wf-3620-wifi-direct-all-in-one-color-inkjet-printer-copier-scanner-amazon-dash-replenishment-ready.html", + "geolocation": null, + "intent_template": "List out reviewers, if exist, who mention about {{description}}", + "instantiation_dict": { + "description": "complain of the customer service" + }, + "intent": "List out reviewers, if exist, who mention about complain of the customer service", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Bob in Vegas", + "RemyR" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Bob in Vegas, RemyRRemyR" + }, + "intent_template_id": 222 + }, + { + "sites": [ + "reddit" + ], + "task_id": 27, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the {{forum}} forum.", + "instantiation_dict": { + "forum": "Showerthoughts" + }, + "intent": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the Showerthoughts forum.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 33 + }, + { + "sites": [ + "reddit" + ], + "task_id": 28, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the {{forum}} forum.", + "instantiation_dict": { + "forum": "Worcester" + }, + "intent": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the Worcester forum.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 33 + }, + { + "sites": [ + "reddit" + ], + "task_id": 29, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the {{forum}} forum.", + "instantiation_dict": { + "forum": "DIY" + }, + "intent": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the DIY forum.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 33 + }, + { + "sites": [ + "reddit" + ], + "task_id": 30, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the {{forum}} forum.", + "instantiation_dict": { + "forum": "space" + }, + "intent": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the space forum.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 33 + }, + { + "sites": [ + "reddit" + ], + "task_id": 31, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the {{forum}} forum.", + "instantiation_dict": { + "forum": "photoshopbattles" + }, + "intent": "Tell me the count of comments that have received more downvotes than upvotes for the user who made the latest post on the photoshopbattles forum.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 33 + }, + { + "sites": [ + "map" + ], + "task_id": 32, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "I will arrive {{place}} soon. Provide the name of a {{target1}} in the vicinity, if available. Then, tell me the {{information}} to {{target2}} from the hotel.", + "instantiation_dict": { + "place": "Pittsburgh Airport", + "information": "the walking distance", + "target1": "Hilton hotel", + "target2": "the nearest supermarket own by a local company" + }, + "intent": "I will arrive Pittsburgh Airport soon. Provide the name of a Hilton hotel in the vicinity, if available. Then, tell me the the walking distance to the nearest supermarket own by a local company from the hotel.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "DoubleTree by Hilton Hotel Pittsburgh Airport", + "2.0km" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "DoubleTree by Hilton Hotel Pittsburgh Airport Distance: 2.0km" + }, + "intent_template_id": 78 + }, + { + "sites": [ + "map" + ], + "task_id": 33, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "I will arrive {{place}} soon. Provide the name of a {{target1}} in the vicinity, if available. Then, tell me the {{information}} to {{target2}} from the hotel.", + "instantiation_dict": { + "place": "Pittsburgh Airport", + "target1": "Hilton hotel", + "information": "the shortest walking distance", + "target2": "a supermarket" + }, + "intent": "I will arrive Pittsburgh Airport soon. Provide the name of a Hilton hotel in the vicinity, if available. Then, tell me the the shortest walking distance to a supermarket from the hotel.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "DoubleTree by Hilton Hotel Pittsburgh Airport", + "1.4km" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "DoubleTree by Hilton Hotel Pittsburgh Airport Distance: 1.4km" + }, + "intent_template_id": 78 + }, + { + "sites": [ + "map" + ], + "task_id": 34, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "I will arrive {{place}} soon. Provide the name of a {{target1}} in the vicinity, if available. Then, tell me the {{information}} to {{target2}} from the hotel.", + "instantiation_dict": { + "place": "Pittsburgh Airport", + "target1": "Hyatt hotel", + "information": "the shortest walking time", + "target2": "a supermarket" + }, + "intent": "I will arrive Pittsburgh Airport soon. Provide the name of a Hyatt hotel in the vicinity, if available. Then, tell me the the shortest walking time to a supermarket from the hotel.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Hyatt Regency Pittsburgh International Airport" + ], + "fuzzy_match": [ + "Time: 3h 30min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Hyatt Regency Pittsburgh International Airport\n3:30" + }, + "intent_template_id": 78 + }, + { + "sites": [ + "map" + ], + "task_id": 35, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "I will arrive {{place}} soon. Provide the name of a {{target1}} in the vicinity, if available. Then, tell me the {{information}} to {{target2}} from the hotel.", + "instantiation_dict": { + "place": "Pittsburgh Airport", + "target1": "Hyatt hotel", + "information": "the minimal driving time", + "target2": "a supermarket" + }, + "intent": "I will arrive Pittsburgh Airport soon. Provide the name of a Hyatt hotel in the vicinity, if available. Then, tell me the the minimal driving time to a supermarket from the hotel.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Hyatt Regency Pittsburgh International Airport" + ], + "fuzzy_match": [ + "Time: 15min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Hyatt Regency Pittsburgh International Airport Time: 15min" + }, + "intent_template_id": 78 + }, + { + "sites": [ + "map" + ], + "task_id": 36, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Check if the {{place}} in pittsburgh can be reached in one hour by car from {{location}}", + "instantiation_dict": { + "place": "social security administration", + "location": "Carnegie Mellon University" + }, + "intent": "Check if the social security administration in pittsburgh can be reached in one hour by car from Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": ["Yes"] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yes" + }, + "intent_template_id": 77 + }, + { + "sites": [ + "map" + ], + "task_id": 37, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Check if the {{place}} in pittsburgh can be reached in one hour by car from {{location}}", + "instantiation_dict": { + "place": "police station", + "location": "gates building at CMU" + }, + "intent": "Check if the police station in pittsburgh can be reached in one hour by car from gates building at CMU", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": ["Yes"] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yes" + }, + "intent_template_id": 77 + }, + { + "sites": [ + "map" + ], + "task_id": 38, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Check if the {{place}} in pittsburgh can be reached in one hour by car from {{location}}", + "instantiation_dict": { + "place": "duquesne university", + "location": "pittsburgh airport" + }, + "intent": "Check if the duquesne university in pittsburgh can be reached in one hour by car from pittsburgh airport", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": ["Yes"] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yes" + }, + "intent_template_id": 77 + }, + { + "sites": [ + "map" + ], + "task_id": 39, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Check if the {{place}} in pittsburgh can be reached in one hour by car from {{location}}", + "instantiation_dict": { + "place": "walmart", + "location": "5600 fifth avenue" + }, + "intent": "Check if the walmart in pittsburgh can be reached in one hour by car from 5600 fifth avenue", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": ["Yes"] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yes" + }, + "intent_template_id": 77 + }, + { + "sites": [ + "map" + ], + "task_id": 40, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Check if the {{place}} in pittsburgh can be reached in one hour by car from {{location}}", + "instantiation_dict": { + "place": "amc theatre", + "location": "hobart street" + }, + "intent": "Check if the amc theatre in pittsburgh can be reached in one hour by car from hobart street", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": ["Yes"] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Yes" + }, + "intent_template_id": 77 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 41, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "List the top {{n}} search terms in my store", + "instantiation_dict": { + "n": "1" + }, + "intent": "List the top 1 search terms in my store", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "hollister" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "hollister" + }, + "intent_template_id": 285 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 42, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "List the top {{n}} search terms in my store", + "instantiation_dict": { + "n": "2" + }, + "intent": "List the top 2 search terms in my store", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "hollister", + "Joust Bag" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "hollister, Joust Bag" + }, + "intent_template_id": 285 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 43, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "List the top {{n}} search terms in my store", + "instantiation_dict": { + "n": "3" + }, + "intent": "List the top 3 search terms in my store", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "hollister", + "Joust Bag", + "Antonia Racer Tank" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "hollister, Joust Bag, Antonia Race Tank" + }, + "intent_template_id": 285 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 44, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Check out my todos", + "instantiation_dict": {}, + "intent": "Check out my todos", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/dashboard/todos", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 303 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 45, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "Check out the most recent open issues", + "instantiation_dict": {}, + "intent": "Check out the most recent open issues", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/a11yproject/a11yproject.com/-/issues/?sort=created_asc&state=opened", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 300 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 46, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/primer/design", + "geolocation": null, + "intent_template": "Check out the most recent open issues", + "instantiation_dict": {}, + "intent": "Check out the most recent open issues", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/primer/design/-/issues/?sort=created_date&state=opened", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 300 + }, + { + "sites": [ + "shopping" + ], + "task_id": 47, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Today is 6/12/2023. Tell me how many fulfilled orders I have {{period}}, and the total amount of money I spent.", + "instantiation_dict": { + "period": "over the past month" + }, + "intent": "Today is 6/12/2023. Tell me how many fulfilled orders I have over the past month, and the total amount of money I spent.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "0 order", + "$0 total spend" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0 order, $0 total spend" + }, + "intent_template_id": 197 + }, + { + "sites": [ + "shopping" + ], + "task_id": 48, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Today is 6/12/2023. Tell me how many fulfilled orders I have {{period}}, and the total amount of money I spent.", + "instantiation_dict": { + "period": "over the past three days" + }, + "intent": "Today is 6/12/2023. Tell me how many fulfilled orders I have over the past three days, and the total amount of money I spent.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "0 order", + "$0 total spend" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0 order, $0 total spend" + }, + "intent_template_id": 197 + }, + { + "sites": [ + "shopping" + ], + "task_id": 49, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Today is 6/12/2023. Tell me how many fulfilled orders I have {{period}}, and the total amount of money I spent.", + "instantiation_dict": { + "period": "over the past four month" + }, + "intent": "Today is 6/12/2023. Tell me how many fulfilled orders I have over the past four month, and the total amount of money I spent.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "3 orders", + "$845.49 total spend" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3 orders, $845.49 total spend" + }, + "intent_template_id": 197 + }, + { + "sites": [ + "shopping" + ], + "task_id": 50, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Today is 6/12/2023. Tell me how many fulfilled orders I have {{period}}, and the total amount of money I spent.", + "instantiation_dict": { + "period": "over the past year" + }, + "intent": "Today is 6/12/2023. Tell me how many fulfilled orders I have over the past year, and the total amount of money I spent.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "24 orders", + "$6560.69 total spend" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "24 orders, $6560.69 total spend" + }, + "intent_template_id": 197 + }, + { + "sites": [ + "shopping" + ], + "task_id": 51, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Today is 6/12/2023. Tell me how many fulfilled orders I have {{period}}, and the total amount of money I spent.", + "instantiation_dict": { + "period": "over the past six month" + }, + "intent": "Today is 6/12/2023. Tell me how many fulfilled orders I have over the past six month, and the total amount of money I spent.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "12 orders", + "$1603.69 total spend" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "12 orders, $1603.69 total spend" + }, + "intent_template_id": 197 + }, + { + "sites": [ + "map" + ], + "task_id": 52, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "How long does it take to walk from {{start}} to {{end}}?", + "instantiation_dict": { + "start": "Carnegie Mellon University", + "end": "starbucks on Craig Street" + }, + "intent": "How long does it take to walk from Carnegie Mellon University to starbucks on Craig Street?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "7 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "7 min" + }, + "intent_template_id": 68 + }, + { + "sites": [ + "map" + ], + "task_id": 53, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "How long does it take to walk from {{start}} to {{end}}?", + "instantiation_dict": { + "start": "Univ of Pittsburgh", + "end": "starbucks on Craig Street" + }, + "intent": "How long does it take to walk from Univ of Pittsburgh to starbucks on Craig Street?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "18 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "18 min" + }, + "intent_template_id": 68 + }, + { + "sites": [ + "map" + ], + "task_id": 54, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "How long does it take to walk from {{start}} to {{end}}?", + "instantiation_dict": { + "start": "Carnegie Mellon University", + "end": "Univ of Pittsburgh" + }, + "intent": "How long does it take to walk from Carnegie Mellon University to Univ of Pittsburgh?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "25 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "25 min" + }, + "intent_template_id": 68 + }, + { + "sites": [ + "map" + ], + "task_id": 55, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "How long does it take to walk from {{start}} to {{end}}?", + "instantiation_dict": { + "start": "the starbuck near CMU", + "end": "Chatham university" + }, + "intent": "How long does it take to walk from the starbuck near CMU to Chatham university?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "30 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "30 min" + }, + "intent_template_id": 68 + }, + { + "sites": [ + "map" + ], + "task_id": 56, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "How long does it take to walk from {{start}} to {{end}}?", + "instantiation_dict": { + "start": "Carnegie Museum of Art", + "end": "a library at CMU" + }, + "intent": "How long does it take to walk from Carnegie Museum of Art to a library at CMU?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "11 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "11 min" + }, + "intent_template_id": 68 + }, + { + "sites": [ + "map" + ], + "task_id": 57, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Tell me the closest {{place1}}(s) to {{place2}}", + "instantiation_dict": { + "place1": "restaurant", + "place2": "university center at Carnegie Mellon University" + }, + "intent": "Tell me the closest restaurant(s) to university center at Carnegie Mellon University", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "El Gallo de Oro", + "Back Bar Grill", + "Grano", + "Beefsteak", + "Nourish", + "Schatz Dining Room", + "Au Bon Pain" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "El Gallo de Oro, Back Bar Grill, Grano, Beefsteak, Nourish, Schatz Dining Room, Au Bon Pain" + }, + "intent_template_id": 69 + }, + { + "sites": [ + "map" + ], + "task_id": 58, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Tell me the closest {{place1}}(s) to {{place2}}", + "instantiation_dict": { + "place1": "cafe", + "place2": "CMU Hunt library" + }, + "intent": "Tell me the closest cafe(s) to CMU Hunt library", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "De Fer Coffee & Tea" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "De Fer Coffee & Tea" + }, + "intent_template_id": 69 + }, + { + "sites": [ + "map" + ], + "task_id": 59, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Tell me the closest {{place1}}(s) to {{place2}}", + "instantiation_dict": { + "place1": "restaurant", + "place2": "CMU Hunt library" + }, + "intent": "Tell me the closest restaurant(s) to CMU Hunt library", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "The exchange" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "The exchange" + }, + "intent_template_id": 69 + }, + { + "sites": [ + "map" + ], + "task_id": 60, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Tell me the closest {{place1}}(s) to {{place2}}", + "instantiation_dict": { + "place1": "restaurant", + "place2": "CMU Posner Hall" + }, + "intent": "Tell me the closest restaurant(s) to CMU Posner Hall", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "The exchange" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "The exchange" + }, + "intent_template_id": 69 + }, + { + "sites": [ + "map" + ], + "task_id": 61, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Tell me the closest {{place1}}(s) to {{place2}}", + "instantiation_dict": { + "place1": "restaurant", + "place2": "CMU Sorrells Library" + }, + "intent": "Tell me the closest restaurant(s) to CMU Sorrells Library", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "La Prima Espresso" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "La Prima Espresso" + }, + "intent_template_id": 69 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 62, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Which customer has completed the {{quantifier}} number of orders in the entire history?", + "instantiation_dict": { + "quantifier": "most" + }, + "intent": "Which customer has completed the most number of orders in the entire history?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Jane Smith" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Jane Smith" + }, + "intent_template_id": 276 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 63, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Which customer(s) has completed the {{quantifier}} number of orders in the entire history?", + "instantiation_dict": { + "quantifier": "second most" + }, + "intent": "Which customer(s) has completed the second most number of orders in the entire history?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Adam Garcia", + "Michael Nguyen", + "Sarah Miller" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Adam Garcia, Michael Nguyen, Sarah Miller" + }, + "intent_template_id": 276 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 64, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Which customer has placed {{number}} orders in the entire history?", + "instantiation_dict": { + "number": "2" + }, + "intent": "Which customer has placed 2 orders in the entire history?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Lisa Kim", + "Lisa Green", + "Julia Williams", + "Brian Smith", + "Alexander Thomas" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lisa Kim, Lisa Green, Julia Williams, Brian Smith, Alexander Thomas" + }, + "intent_template_id": 276 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 65, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Which customer has completed the {{quantifier}} number of orders in the entire history?", + "instantiation_dict": { + "quantifier": "fifth most" + }, + "intent": "Which customer has completed the fifth most number of orders in the entire history?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Jane Doe" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Jane Doe" + }, + "intent_template_id": 276 + }, + { + "sites": [ + "reddit" + ], + "task_id": 66, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Among the top {{number}} post in \"{{subreddit}}\" forum, {{description}}", + "instantiation_dict": { + "number": 10, + "subreddit": "books", + "description": "show me the post URLs that recommand a single book" + }, + "intent": "Among the top 10 post in \"books\" forum, show me the post URLs that recommand a single book", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "http://www.reddit.com/f/books/59396/apple-books-has-a-free-audiobook-of-a-christmas-carol", + "http://www.reddit.com/f/books/17445/i-just-finished-reading-the-hobbit-to-my-6-year-old-daughter" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "__REDDIT__/f/books/59396/apple-books-has-a-free-audiobook-of-a-christmas-carol, __REDDIT__/f/books/17445/i-just-finished-reading-the-hobbit-to-my-6-year-old-daughter" + }, + "intent_template_id": 17 + }, + { + "sites": [ + "reddit" + ], + "task_id": 67, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Among the top {{number}} post in \"{{subreddit}}\" forum, {{description}}", + "instantiation_dict": { + "number": 10, + "subreddit": "books", + "description": "show me the book names from posts that recommand a single book" + }, + "intent": "Among the top 10 post in \"books\" forum, show me the book names from posts that recommand a single book", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "A Christmas Carol", + "The Hobbit" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "A Christmas Carol, The Hobbit" + }, + "intent_template_id": 17 + }, + { + "sites": [ + "reddit" + ], + "task_id": 68, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Among the top {{number}} post in \"{{subreddit}}\" forum, {{description}}", + "instantiation_dict": { + "number": 10, + "subreddit": "books", + "description": "show me the author name and the book name from posts that recommand a single book" + }, + "intent": "Among the top 10 post in \"books\" forum, show me the author name and the book name from posts that recommand a single book", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "A Christmas Carol", + "Levar Burton", + "The Hobbit", + "J. R. R. Tolkien" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "A Christmas Carol by Levar Burton: , The Hobbit by J. R. R. Tolkien" + }, + "intent_template_id": 17 + }, + { + "sites": [ + "reddit" + ], + "task_id": 69, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Among the top {{number}} post in \"{{subreddit}}\" forum, {{description}}", + "instantiation_dict": { + "number": 10, + "subreddit": "books", + "description": "is there any post talks about supporting local book stores? If so, tell me the organizations involved" + }, + "intent": "Among the top 10 post in \"books\" forum, is there any post talks about supporting local book stores? If so, tell me the organizations involved", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "bookshop.org" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "bookshop.org" + }, + "intent_template_id": 17 + }, + { + "sites": [ + "map" + ], + "task_id": 70, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the zip code of {{place}}?", + "instantiation_dict": { + "place": "Carnegie Mellon University" + }, + "intent": "What is the zip code of Carnegie Mellon University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "15213" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "15213" + }, + "intent_template_id": 70 + }, + { + "sites": [ + "map" + ], + "task_id": 71, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the zip code of {{place}}?", + "instantiation_dict": { + "place": "Chatham University" + }, + "intent": "What is the zip code of Chatham University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "15232" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "15232" + }, + "intent_template_id": 70 + }, + { + "sites": [ + "map" + ], + "task_id": 72, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the zip code of {{place}}?", + "instantiation_dict": { + "place": "Yale University" + }, + "intent": "What is the zip code of Yale University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "06516" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "06516" + }, + "intent_template_id": 70 + }, + { + "sites": [ + "map" + ], + "task_id": 73, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the zip code of {{place}}?", + "instantiation_dict": { + "place": "Columbia University" + }, + "intent": "What is the zip code of Columbia University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "10027" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "10027" + }, + "intent_template_id": 70 + }, + { + "sites": [ + "map" + ], + "task_id": 74, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Given the following locations, {{place_list}}, what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "instantiation_dict": { + "place_list": [ + "Carnegie Mellon University", + "apple store shadyside", + "starbucks on craig street" + ] + }, + "intent": "Given the following locations, ['Carnegie Mellon University', 'apple store shadyside', 'starbucks on craig street'], what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "The order is Carnegie Mellon University, starbucks on forbes ave, apple store shadyside" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Carnegie Mellon University, starbucks on forbes ave, apple store shadyside" + }, + "intent_template_id": 65 + }, + { + "sites": [ + "map" + ], + "task_id": 75, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Given the following locations, {{place_list}}, what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "instantiation_dict": { + "place_list": [ + "Massachusetts Institute of Technology", + "Harvard University", + "Boston Logan International Airport" + ] + }, + "intent": "Given the following locations, ['Massachusetts Institute of Technology', 'Harvard University', 'Boston Logan International Airport'], what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "The order is Massachusetts Institute of Technology, Harvard University, Boston Logan International Airport" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Massachusetts Institute of Technology, Harvard University, Boston Logan International Airport" + }, + "intent_template_id": 65 + }, + { + "sites": [ + "map" + ], + "task_id": 76, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Given the following locations, {{place_list}}, what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "instantiation_dict": { + "place_list": [ + "Princeton University", + "Yale University", + "Harvard University" + ] + }, + "intent": "Given the following locations, ['Princeton University', 'Yale University', 'Harvard University'], what would be the optimal route to travel through them all in order to minimize total travel time? Please note the journey begins at the first place listed.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "The order is Princeton University, Yale University, Harvard University" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Princeton University, Yale University, Harvard University" + }, + "intent_template_id": 65 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 77, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What is the total count of {{status}} reviews amongst all the reviews?", + "instantiation_dict": { + "status": "Pending" + }, + "intent": "What is the total count of Pending reviews amongst all the reviews?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "5" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "5" + }, + "intent_template_id": 277 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 78, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What is the total count of {{status}} reviews amongst all the reviews?", + "instantiation_dict": { + "status": "Approved" + }, + "intent": "What is the total count of Approved reviews amongst all the reviews?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "346" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "346" + }, + "intent_template_id": 277 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 79, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What is the total count of {{status}} reviews amongst all the reviews?", + "instantiation_dict": { + "status": "Not Approved" + }, + "intent": "What is the total count of Not Approved reviews amongst all the reviews?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 277 + }, + { + "sites": [ + "map" + ], + "task_id": 80, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the duration required to first walk from {{place_A}} to {{place_B}}, and then drive to {{place_C}}?", + "instantiation_dict": { + "place_A": "Carnegie Mellon University", + "place_B": "Starbucks on Craig Street", + "place_C": "Pittsburgh International Airport" + }, + "intent": "What is the duration required to first walk from Carnegie Mellon University to Starbucks on Craig Street, and then drive to Pittsburgh International Airport?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "38 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "38 min" + }, + "intent_template_id": 72 + }, + { + "sites": [ + "map" + ], + "task_id": 81, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the duration required to first walk from {{place_A}} to {{place_B}}, and then drive to {{place_C}}?", + "instantiation_dict": { + "place_A": "Univ of Pittsburgh", + "place_B": "starbucks on Craig Street", + "place_C": "Pittsburgh International Airport" + }, + "intent": "What is the duration required to first walk from Univ of Pittsburgh to starbucks on Craig Street, and then drive to Pittsburgh International Airport?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "49 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "49 min" + }, + "intent_template_id": 72 + }, + { + "sites": [ + "map" + ], + "task_id": 82, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the duration required to first walk from {{place_A}} to {{place_B}}, and then drive to {{place_C}}?", + "instantiation_dict": { + "place_A": "Massachusetts Institute of Technology", + "place_B": "Harvard University", + "place_C": "Boston Logan International Airport" + }, + "intent": "What is the duration required to first walk from Massachusetts Institute of Technology to Harvard University, and then drive to Boston Logan International Airport?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "63 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "63 min" + }, + "intent_template_id": 72 + }, + { + "sites": [ + "map" + ], + "task_id": 83, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the duration required to first walk from {{place_A}} to {{place_B}}, and then drive to {{place_C}}?", + "instantiation_dict": { + "place_A": "Carnegie Mellon University", + "place_B": "apple store shadyside", + "place_C": "starbucks on craig street" + }, + "intent": "What is the duration required to first walk from Carnegie Mellon University to apple store shadyside, and then drive to starbucks on craig street?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "22 min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "22 min" + }, + "intent_template_id": 72 + }, + { + "sites": [ + "map" + ], + "task_id": 84, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "From my stay at {{hotel}}, what's the estimated driving time to reach {{place}}?", + "instantiation_dict": { + "hotel": "DoubleTree by Hilton New York Downtown", + "place": "Keens Steakhouse" + }, + "intent": "From my stay at DoubleTree by Hilton New York Downtown, what's the estimated driving time to reach Keens Steakhouse?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "14 minutes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "14 minutes" + }, + "intent_template_id": 64 + }, + { + "sites": [ + "map" + ], + "task_id": 85, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "From my stay at {{hotel}}, what's the estimated driving time to reach {{place}}?", + "instantiation_dict": { + "hotel": "La Quinta Inn near the airport", + "place": "Carnegie Mellon University" + }, + "intent": "From my stay at La Quinta Inn near the airport, what's the estimated driving time to reach Carnegie Mellon University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "30 minutes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "30 minutes" + }, + "intent_template_id": 64 + }, + { + "sites": [ + "map" + ], + "task_id": 86, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "From my stay at {{hotel}}, what's the estimated driving time to reach {{place}}?", + "instantiation_dict": { + "hotel": "La Quinta Inn near the airport", + "place": "Upitt" + }, + "intent": "From my stay at La Quinta Inn near the airport, what's the estimated driving time to reach Upitt?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "29 minutes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "29 minutes" + }, + "intent_template_id": 64 + }, + { + "sites": [ + "map" + ], + "task_id": 87, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "From my stay at {{hotel}}, what's the estimated driving time to reach {{place}}?", + "instantiation_dict": { + "hotel": "red roof inn", + "place": "Pittsburgh science museum" + }, + "intent": "From my stay at red roof inn, what's the estimated driving time to reach Pittsburgh science museum?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "20 minutes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "20 minutes" + }, + "intent_template_id": 64 + }, + { + "sites": [ + "map" + ], + "task_id": 88, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "From my stay at {{hotel}}, what's the estimated driving time to reach {{place}}?", + "instantiation_dict": { + "hotel": "Homewood Suites Southpointe", + "place": "PPG Paints Arena" + }, + "intent": "From my stay at Homewood Suites Southpointe, what's the estimated driving time to reach PPG Paints Arena?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "34 minutes" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "34 minutes" + }, + "intent_template_id": 64 + }, + { + "sites": [ + "map" + ], + "task_id": 89, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Which US states border {{state}}?", + "instantiation_dict": { + "state": "Connecticut" + }, + "intent": "Which US states border Connecticut?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Rhode Island", + "Massachusetts", + "New York" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Rhode Island, Massachusetts, New York" + }, + "intent_template_id": 67 + }, + { + "sites": [ + "map" + ], + "task_id": 90, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Which US states border {{state}}?", + "instantiation_dict": { + "state": "Pennsylvania" + }, + "intent": "Which US states border Pennsylvania?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Ohio", + "Maryland", + "New York", + "New Jersey", + "Delaware", + "West Virginia" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Ohio, Maryland, New York, New Jersey, Delaware, West Virginia" + }, + "intent_template_id": 67 + }, + { + "sites": [ + "map" + ], + "task_id": 91, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Which US states border {{state}}?", + "instantiation_dict": { + "state": "Massachusetts" + }, + "intent": "Which US states border Massachusetts?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Rhode Island", + "Connecticut", + "New York", + "New Hampshire", + "Vermont" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Rhode Island, Connecticut, New York, New Hampshire, Vermont" + }, + "intent_template_id": 67 + }, + { + "sites": [ + "map" + ], + "task_id": 92, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Which US states border {{state}}?", + "instantiation_dict": { + "state": "Vermont" + }, + "intent": "Which US states border Vermont?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "New York", + "New Hampshire", + "Massachusetts" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "New York, New Hampshire, Massachusetts" + }, + "intent_template_id": 67 + }, + { + "sites": [ + "map" + ], + "task_id": 93, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Which US states border {{state}}?", + "instantiation_dict": { + "state": "New Hampshire" + }, + "intent": "Which US states border New Hampshire?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Massachusetts", + "Vermont", + "Maine" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Massachusetts, Vermont, Maine" + }, + "intent_template_id": 67 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 94, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Telll me the grand total of invoice {{id}}.", + "instantiation_dict": { + "id": "000000001" + }, + "intent": "Telll me the grand total of invoice 000000001.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "36.39" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$36.39" + }, + "intent_template_id": 274 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 95, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Telll me the grand total of invoice {{id}}.", + "instantiation_dict": { + "id": "000000002" + }, + "intent": "Telll me the grand total of invoice 000000002.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "39.64" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$39.64" + }, + "intent_template_id": 274 + }, + { + "sites": [ + "shopping" + ], + "task_id": 96, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Tell me the status of my latest order and when will it arrive", + "instantiation_dict": {}, + "intent": "Tell me the status of my latest order and when will it arrive", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "The last order was canceled. It will never arrive." + ] + }, + "reference_url": "", + "program_html": [], + "reference_answer_raw_annotation": "The last order was canceled. It will never arrive.", + "string_note": "" + }, + "intent_template_id": 193 + }, + { + "sites": [ + "map", + "wikipedia" + ], + "task_id": 97, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Tell me the distance to drive from Carnegie Mellon University to the top computer science school in massachusetts", + "instantiation_dict": {}, + "intent": "Tell me the distance to drive from Carnegie Mellon University to the top computer science school in massachusetts", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "914km" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "914 km" + }, + "intent_template_id": 120 + }, + { + "sites": [ + "map" + ], + "task_id": 98, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Where is the nearest {{places}} to {{start}}, and what is the walking distance to it?", + "instantiation_dict": { + "places": "tea cafe", + "start": "University of Pittsburgh" + }, + "intent": "Where is the nearest tea cafe to University of Pittsburgh, and what is the walking distance to it?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Fuku Tea", + "3716", + "Forbes Avenue", + "Central Oakland", + "Pittsburgh", + "653m" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Fuku Tea, 3716, Forbes Avenue, Oakland, Central Oakland, Pittsburgh, Allegheny County, Pennsylvania, 15213, United States\n653m" + }, + "intent_template_id": 66 + }, + { + "sites": [ + "map" + ], + "task_id": 99, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Where is the nearest {{places}} to {{start}}, and what is the walking distance to it?", + "instantiation_dict": { + "places": "Five Guys", + "start": "5700 Penn Ave" + }, + "intent": "Where is the nearest Five Guys to 5700 Penn Ave, and what is the walking distance to it?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Five Guys", + "117", + "South Bouquet Street", + "North Oakland", + "Pittsburgh", + "4.0km" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Five Guys, 117, South Bouquet Street, Oakland, North Oakland, Pittsburgh, Allegheny County, Pennsylvania, 15213, United States\n4.0km" + }, + "intent_template_id": 66 + }, + { + "sites": [ + "map" + ], + "task_id": 100, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Where is the nearest {{places}} to {{start}}, and what is the walking distance to it?", + "instantiation_dict": { + "places": "Starbucks", + "start": "Carnegie Mellon" + }, + "intent": "Where is the nearest Starbucks to Carnegie Mellon, and what is the walking distance to it?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Starbucks", + "417", + "South Craig Street", + "Bellefield", + "Pittsburgh", + "557m" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Starbucks, 417, South Craig Street, Bellefield, Pittsburgh, Allegheny County, Pennsylvania, 15213, United States\n557m" + }, + "intent_template_id": 66 + }, + { + "sites": [ + "map" + ], + "task_id": 101, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Where is the nearest {{places}} to {{start}}, and what is the walking distance to it?", + "instantiation_dict": { + "places": "In-N-Out", + "start": "Upitts" + }, + "intent": "Where is the nearest In-N-Out to Upitts, and what is the walking distance to it?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no In-N-Out near University of Pittsburgh", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 66 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 102, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Display the list of issues in the {{repo}} repository that have labels related to {{label}}", + "instantiation_dict": { + "label": "help needed", + "repo": "a11yproject/a11yproject.com" + }, + "intent": "Display the list of issues in the a11yproject/a11yproject.com repository that have labels related to help needed", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/byteblaze/a11y-syntax-highlighting/-/issues/?label_name%5B%5D=help%20wanted", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 349 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 103, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Display the list of issues in the {{repo}} repository that have labels related to {{label}}", + "instantiation_dict": { + "label": "questions", + "repo": "kkroening/ffmpeg-python" + }, + "intent": "Display the list of issues in the kkroening/ffmpeg-python repository that have labels related to questions", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/kkroening/ffmpeg-python/-/issues/?label_name%5B%5D=question", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 349 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 104, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Display the list of issues in the {{repo}} repository that have labels related to {{label}}", + "instantiation_dict": { + "label": "flaky-test", + "repo": "keycloak/keycloak" + }, + "intent": "Display the list of issues in the keycloak/keycloak repository that have labels related to flaky-test", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/keycloak/keycloak/-/issues/?label_name%5B%5D=flaky-test", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 349 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 105, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Display the list of issues in the {{repo}} repository that have labels related to {{label}}", + "instantiation_dict": { + "label": "OpenAPI Generator CLI", + "repo": "OpenAPITools/openapi-generator" + }, + "intent": "Display the list of issues in the OpenAPITools/openapi-generator repository that have labels related to OpenAPI Generator CLI", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/OpenAPITools/openapi-generator/-/issues/?label_name%5B%5D=OpenAPI%20Generator%20CLI", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 349 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 106, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Display the list of issues in the {{repo}} repository that have labels related to {{label}}", + "instantiation_dict": { + "label": "BUG", + "repo": "umano/AndroidSlidingUpPanel" + }, + "intent": "Display the list of issues in the umano/AndroidSlidingUpPanel repository that have labels related to BUG", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/umano/AndroidSlidingUpPanel/-/issues/?label_name%5B%5D=BUG", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 349 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 107, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Presents the monthly count of successful orders {{period}} in MM:COUNT format", + "instantiation_dict": { + "period": "from May to December 2022" + }, + "intent": "Presents the monthly count of successful orders from May to December 2022 in MM:COUNT format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "May: 8 orders", + "June: 13 orders", + "July: 9 orders", + "August: 8 orders", + "Sepetember: 10 orders", + "October: 4 orders", + "November: 5 orders", + "December: 10 orders" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "May: 8 orders June: 13 orders July: 9 orders August: 8 orders Sepetember: 10 orders Octorbor: 4 orders November: 5 orders December: 10 orders " + }, + "intent_template_id": 270 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 108, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Presents the monthly count of successful orders {{period}} in MM:COUNT format", + "instantiation_dict": { + "period": "01/2023-05/2023" + }, + "intent": "Presents the monthly count of successful orders 01/2023-05/2023 in MM:COUNT format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "January: 12 orders", + "Feburary: 7 orders", + "March: 5 orders", + "April: 9 orders", + "May: 5 orders" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "January: 12 orders Febulary: 7 orders March: 5 orders Apirl: 9 orders May: 5 orders" + }, + "intent_template_id": 270 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 109, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Presents the monthly count of successful orders {{period}} in MM:COUNT format", + "instantiation_dict": { + "period": "from Jan to December 2022" + }, + "intent": "Presents the monthly count of successful orders from Jan to December 2022 in MM:COUNT format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "January: 11 orders", + "Feburary: 16 orders", + "March: 14 orders", + "April: 7 orders", + "May: 8 orders", + "June: 13 orders", + "July: 9 orders", + "August: 8 orders", + "Sepetember: 10 orders", + "Octorbor: 4 orders", + "November: 5 orders", + "December: 10 orders" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "January: 11 orders Feburary: 16 orders March: 14 orders April: 7 orders May: 8 orders June: 13 orders July: 9 orders August: 8 orders Sepetember: 10 orders Octorbor: 4 orders November: 5 orders December: 10 orders " + }, + "intent_template_id": 270 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 110, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Presents the monthly count of successful orders {{period}} in MM:COUNT format", + "instantiation_dict": { + "period": "from Jan to Nov 2022" + }, + "intent": "Presents the monthly count of successful orders from Jan to Nov 2022 in MM:COUNT format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "January: 11 orders", + "Feburary: 16 orders", + "March: 14 orders", + "April: 7 orders", + "May: 8 orders", + "June: 13 orders", + "July: 9 orders", + "August: 8 orders", + "Sepetember: 10 orders", + "Octorbor: 4 orders", + "November: 5 orders" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "January: 11 orders Feburary: 16 orders March: 14 orders April: 7 orders May: 8 orders June: 13 orders July: 9 orders August: 8 orders Sepetember: 10 orders Octorbor: 4 orders November: 5 orders " + }, + "intent_template_id": 270 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 111, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Presents the monthly count of successful orders {{period}} in MM:COUNT format", + "instantiation_dict": { + "period": "from Feb to Nov 2022" + }, + "intent": "Presents the monthly count of successful orders from Feb to Nov 2022 in MM:COUNT format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Feburary: 16 orders", + "March: 14 orders", + "April: 7 orders", + "May: 8 orders", + "June: 13 orders", + "July: 9 orders", + "August: 8 orders", + "Sepetember: 10 orders", + "Octorbor: 4 orders", + "November: 5 orders" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Feburary: 16 orders March: 14 orders April: 7 orders May: 8 orders June: 13 orders July: 9 orders August: 8 orders Sepetember: 10 orders Octorbor: 4 orders November: 5 orders " + }, + "intent_template_id": 270 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 112, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Show me the customers who have expressed dissatisfaction with {{product}}?", + "instantiation_dict": { + "product": "Circe fleece" + }, + "intent": "Show me the customers who have expressed dissatisfaction with Circe fleece?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Hannah Lim" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Hannah Lim" + }, + "intent_template_id": 245 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 113, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Show me the customers who have expressed dissatisfaction with {{product}}?", + "instantiation_dict": { + "product": "Olivia zip jacket" + }, + "intent": "Show me the customers who have expressed dissatisfaction with Olivia zip jacket?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Emma Lopez", + "Seam Miller" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Emma Lopez, Seam Miller" + }, + "intent_template_id": 245 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 114, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Show me the customers who have expressed dissatisfaction with {{product}}?", + "instantiation_dict": { + "product": "Antonia racer tank" + }, + "intent": "Show me the customers who have expressed dissatisfaction with Antonia racer tank?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Shaunte", + "Merrie" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Shaunte, Merrie" + }, + "intent_template_id": 245 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 115, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Show me the name of the customers who have expressed dissatisfaction with {{product}}", + "instantiation_dict": { + "product": "Chloe tank" + }, + "intent": "Show me the name of the customers who have expressed dissatisfaction with Chloe tank", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no negative review for Chloe tank", + "reference_answer_raw_annotation": "" + }, + "intent_template_id": 245 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 116, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Show me the name of the customers who have expressed dissatisfaction with {{product}}?", + "instantiation_dict": { + "product": "tanks products" + }, + "intent": "Show me the name of the customers who have expressed dissatisfaction with tanks products?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Alexander", + "Carma", + "Dominic", + "Merrie", + "Monroe", + "Scotty", + "Shaunte", + "Teofila", + "Valorie" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Alexander, Carma, Dominic, Merrie, Monroe, Scotty, Shaunte, Teofila, Valorie" + }, + "intent_template_id": 245 + }, + { + "sites": [ + "shopping" + ], + "task_id": 117, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What is the date when I made my first purchase on this site?", + "instantiation_dict": {}, + "intent": "What is the date when I made my first purchase on this site?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "3/2/22" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3/2/22" + }, + "intent_template_id": 161 + }, + { + "sites": [ + "shopping" + ], + "task_id": 118, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I have jaw bruxism problem, show me something that could alleviate the problem.", + "instantiation_dict": {}, + "intent": "I have jaw bruxism problem, show me something that could alleviate the problem.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "", + "required_contents": { + "must_include": [ + "jaw bruxism", + "mouth guard" + ] + } + } + ] + }, + "intent_template_id": 151 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 119, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Tell me the reasons why customers like {{product}}", + "instantiation_dict": { + "product": "Antonia Racer Tank" + }, + "intent": "Tell me the reasons why customers like Antonia Racer Tank", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Its color and style is good" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Its color and style is good" + }, + "intent_template_id": 250 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 120, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Tell me the reasons why customers like {{product}}", + "instantiation_dict": { + "product": "Ana Running Short" + }, + "intent": "Tell me the reasons why customers like Ana Running Short", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "It is comfortable" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "It is comfortable" + }, + "intent_template_id": 250 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 121, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Tell me the reasons why customers like {{product}}", + "instantiation_dict": { + "product": "Circe hooded fleece" + }, + "intent": "Tell me the reasons why customers like Circe hooded fleece", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Warm and comfortable. True to size." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Warm and comfortable. True to size." + }, + "intent_template_id": 250 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 122, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Tell me the reasons why customers like {{product}}", + "instantiation_dict": { + "product": "Olivia zip jacket" + }, + "intent": "Tell me the reasons why customers like Olivia zip jacket", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Lightweight, comfortable and stylish. Good design and details." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lightweight, comfortable, and stylish. Good design and details." + }, + "intent_template_id": 250 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 123, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Tell me the reasons why customers like {{product}}", + "instantiation_dict": { + "product": "Circe's products" + }, + "intent": "Tell me the reasons why customers like Circe's products", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Warm and comfortable. True to size." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Warm and comfortable. True to size." + }, + "intent_template_id": 250 + }, + { + "sites": [ + "shopping" + ], + "task_id": 124, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What is the price range of {{product}} in the One Stop Market?", + "instantiation_dict": { + "product": "wireless earphone" + }, + "intent": "What is the price range of wireless earphone in the One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0.14", + "745.00" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$0.14 - $745.00" + }, + "intent_template_id": 159 + }, + { + "sites": [ + "shopping" + ], + "task_id": 125, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What is the price range of {{product}} in the One Stop Market?", + "instantiation_dict": { + "product": "teeth grinding mouth guard" + }, + "intent": "What is the price range of teeth grinding mouth guard in the One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1.46", + "85" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$1.46 - $85" + }, + "intent_template_id": 159 + }, + { + "sites": [ + "shopping" + ], + "task_id": 126, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What is the price range of {{product}} in the One Stop Market?", + "instantiation_dict": { + "product": "Canon photo printer" + }, + "intent": "What is the price range of Canon photo printer in the One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2.56", + "649.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$2.56 - $649.99" + }, + "intent_template_id": 159 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 127, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What brands appear most frequently among the top search terms?", + "instantiation_dict": {}, + "intent": "What brands appear most frequently among the top search terms?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Hollister", + "Joust", + "Antonia" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Hollister, Joust, Antonia" + }, + "intent_template_id": 1001 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 128, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What's the total number of items sold in the most recent {{k}} orders?", + "instantiation_dict": { + "k": "2" + }, + "intent": "What's the total number of items sold in the most recent 2 orders?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "9" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "9" + }, + "intent_template_id": 1002 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 129, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What's the total number of items sold in the most recent {{k}} orders?", + "instantiation_dict": { + "k": "4" + }, + "intent": "What's the total number of items sold in the most recent 4 orders?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "16" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "16" + }, + "intent_template_id": 1002 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 130, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What's the total number of items sold in the most recent {{k}} orders?", + "instantiation_dict": { + "k": "5" + }, + "intent": "What's the total number of items sold in the most recent 5 orders?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "18" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "18" + }, + "intent_template_id": 1002 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 131, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What's the total number of items sold in the most recent {{k}} orders?", + "instantiation_dict": { + "k": "7" + }, + "intent": "What's the total number of items sold in the most recent 7 orders?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "25" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "25" + }, + "intent_template_id": 1002 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 132, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "How many commits did {{user}} make to {{repo}} on {{date}}?", + "instantiation_dict": { + "user": "kilian", + "repo": "a11yproject", + "date": "3/5/2023" + }, + "intent": "How many commits did kilian make to a11yproject on 3/5/2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 322 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 133, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "How many commits did {{user}} make to {{repo}} on {{date}}?", + "instantiation_dict": { + "user": "Eric", + "repo": "a11yproject", + "date": "3/2" + }, + "intent": "How many commits did Eric make to a11yproject on 3/2?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2" + }, + "intent_template_id": 322 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 134, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "How many commits did {{user}} make to {{repo}} on {{date}}?", + "instantiation_dict": { + "user": "kilian", + "repo": "a11yproject", + "date": "3/1/2023" + }, + "intent": "How many commits did kilian make to a11yproject on 3/1/2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 322 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 135, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "How many commits did {{user}} make to {{repo}} on {{date}}?", + "instantiation_dict": { + "user": "Eric and Kilian", + "repo": "a11yproject", + "date": "1/3/2023" + }, + "intent": "How many commits did Eric and Kilian make to a11yproject on 1/3/2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 322 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 136, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "How many commits did {{user}} make to {{repo}} on {{date}}?", + "instantiation_dict": { + "user": "Steven Woodson", + "repo": "a11y-webring.club", + "date": "2/6/2023" + }, + "intent": "How many commits did Steven Woodson make to a11y-webring.club on 2/6/2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "5" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "5" + }, + "intent_template_id": 322 + }, + { + "sites": [ + "map" + ], + "task_id": 137, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the estimated driving time between {{city1}} and {{city2}}?", + "instantiation_dict": { + "city1": "the city where the Liberty Bell is located", + "city2": "the home city of Pirates" + }, + "intent": "What is the estimated driving time between the city where the Liberty Bell is located and the home city of Pirates?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "5h 47min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "5h 47min" + }, + "intent_template_id": 51 + }, + { + "sites": [ + "map" + ], + "task_id": 138, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the estimated driving time between {{city1}} and {{city2}}?", + "instantiation_dict": { + "city1": "the big apple", + "city2": "the city with the most authentic Philly cheesesteaks" + }, + "intent": "What is the estimated driving time between the big apple and the city with the most authentic Philly cheesesteaks?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "1h 58min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1h 58min" + }, + "intent_template_id": 51 + }, + { + "sites": [ + "map" + ], + "task_id": 139, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the estimated driving time between {{city1}} and {{city2}}?", + "instantiation_dict": { + "city1": "the hometown of Joe Biden", + "city2": "Bridgeport" + }, + "intent": "What is the estimated driving time between the hometown of Joe Biden and Bridgeport?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "3h 20min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3h 20min" + }, + "intent_template_id": 51 + }, + { + "sites": [ + "map" + ], + "task_id": 140, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the estimated driving time between {{city1}} and {{city2}}?", + "instantiation_dict": { + "city1": "the city of Niagara Falls", + "city2": "the city of Yale University" + }, + "intent": "What is the estimated driving time between the city of Niagara Falls and the city of Yale University?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "8h 33min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "8h 33min" + }, + "intent_template_id": 51 + }, + { + "sites": [ + "shopping" + ], + "task_id": 141, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "How much I spent on {{category}} shopping during {{time}}", + "instantiation_dict": { + "category": "food-related", + "time": "March 2023" + }, + "intent": "How much I spent on food-related shopping during March 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "47.41" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$47.41" + }, + "intent_template_id": 162 + }, + { + "sites": [ + "shopping" + ], + "task_id": 142, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "How much I spent on {{category}} shopping during {{time}}", + "instantiation_dict": { + "category": "hair care and hair style", + "time": "Jan 2023" + }, + "intent": "How much I spent on hair care and hair style shopping during Jan 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "95.23" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$95.23" + }, + "intent_template_id": 162 + }, + { + "sites": [ + "shopping" + ], + "task_id": 143, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "How much I spent on {{category}} shopping during {{time}}", + "instantiation_dict": { + "category": "home decoration", + "time": "1/29/2023" + }, + "intent": "How much I spent on home decoration shopping during 1/29/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "265.69" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$265.69" + }, + "intent_template_id": 162 + }, + { + "sites": [ + "shopping" + ], + "task_id": 144, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "How much I spent on {{category}} shopping during {{time}}", + "instantiation_dict": { + "category": "food", + "time": "from mid Jan to the end Jan 2023" + }, + "intent": "How much I spent on food shopping during from mid Jan to the end Jan 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 162 + }, + { + "sites": [ + "shopping" + ], + "task_id": 145, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "How much I spent on {{category}} shopping during {{time}}", + "instantiation_dict": { + "category": "cooking and food", + "time": "March 2022" + }, + "intent": "How much I spent on cooking and food shopping during March 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "52.35" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$52.35" + }, + "intent_template_id": 162 + }, + { + "sites": [ + "shopping" + ], + "task_id": 146, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What is the {{option}} configuration of the {{product}} I bought {{time}}", + "instantiation_dict": { + "option": "size", + "product": "picture frame", + "time": "Sep 2022" + }, + "intent": "What is the size configuration of the picture frame I bought Sep 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "16x24" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "16x24" + }, + "intent_template_id": 155 + }, + { + "sites": [ + "shopping" + ], + "task_id": 147, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What is the {{option}} configuration of the {{product}} I bought {{time}}", + "instantiation_dict": { + "option": "size", + "product": "picture frame", + "time": "2022" + }, + "intent": "What is the size configuration of the picture frame I bought 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "16x24" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "16x24" + }, + "intent_template_id": 155 + }, + { + "sites": [ + "shopping" + ], + "task_id": 148, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What is the {{option}} configuration of the {{product}} I bought {{time}}", + "instantiation_dict": { + "option": "color", + "product": "picture frame", + "time": "Sep 2022" + }, + "intent": "What is the color configuration of the picture frame I bought Sep 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Mist" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Mist" + }, + "intent_template_id": 155 + }, + { + "sites": [ + "shopping" + ], + "task_id": 149, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What is the {{option}} configuration of the {{product}} I bought {{time}}", + "instantiation_dict": { + "option": "color", + "product": "artifical plants", + "time": "Feb 2023" + }, + "intent": "What is the color configuration of the artifical plants I bought Feb 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Green-vines" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Green-vines" + }, + "intent_template_id": 155 + }, + { + "sites": [ + "shopping" + ], + "task_id": 150, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What is the {{option}} configuration of the {{product}} I bought {{time}}", + "instantiation_dict": { + "option": "price", + "product": "fake tree", + "time": "Jan 2023" + }, + "intent": "What is the price configuration of the fake tree I bought Jan 2023", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "260.69" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "260.69" + }, + "intent_template_id": 155 + }, + { + "sites": [ + "map" + ], + "task_id": 151, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the minimum travel time by car from {{location1}} to {{location2}}?", + "instantiation_dict": { + "location1": "CMU", + "location2": "University of Pittsburgh" + }, + "intent": "What is the minimum travel time by car from CMU to University of Pittsburgh?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "4min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "4min" + }, + "intent_template_id": 36 + }, + { + "sites": [ + "map" + ], + "task_id": 152, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the minimum travel time by car from {{location1}} to {{location2}}?", + "instantiation_dict": { + "location1": "Schenley park", + "location2": "Upitt" + }, + "intent": "What is the minimum travel time by car from Schenley park to Upitt?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "4min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "4min" + }, + "intent_template_id": 36 + }, + { + "sites": [ + "map" + ], + "task_id": 153, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the minimum travel time by car from {{location1}} to {{location2}}?", + "instantiation_dict": { + "location1": "REI", + "location2": "CMU" + }, + "intent": "What is the minimum travel time by car from REI to CMU?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "7min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "7min" + }, + "intent_template_id": 36 + }, + { + "sites": [ + "map" + ], + "task_id": 154, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the minimum travel time by car from {{location1}} to {{location2}}?", + "instantiation_dict": { + "location1": "CMU gates building", + "location2": "Schenley park" + }, + "intent": "What is the minimum travel time by car from CMU gates building to Schenley park?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "4min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "4min" + }, + "intent_template_id": 36 + }, + { + "sites": [ + "map" + ], + "task_id": 155, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the minimum travel time by car from {{location1}} to {{location2}}?", + "instantiation_dict": { + "location1": "Animal Rescue League of Pittsburgh", + "location2": "Schenley park" + }, + "intent": "What is the minimum travel time by car from Animal Rescue League of Pittsburgh to Schenley park?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "9min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "9min" + }, + "intent_template_id": 36 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 156, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Checkout merge requests assigned to me", + "instantiation_dict": {}, + "intent": "Checkout merge requests assigned to me", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/dashboard/merge_requests?assignee_username=byteblaze", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 290 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 157, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Show all customers", + "instantiation_dict": {}, + "intent": "Show all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/customer/index/", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 255 + }, + { + "sites": [ + "shopping" + ], + "task_id": 158, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all {{num}} cards", + "instantiation_dict": { + "num": 11 + }, + "intent": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all 11 cards", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/heiying-game-card-case-for-nintendo-switch-switch-oled-game-card-or-micro-sd-memory-cards-portable-switch-game-memory-card-storage-with-24-game-card-slots-and-24-micro-sd-card-slots-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 171 + }, + { + "sites": [ + "shopping" + ], + "task_id": 159, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all {{num}} cards", + "instantiation_dict": { + "num": 31 + }, + "intent": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all 31 cards", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/game-card-holder-storage-case-for-nintendo-switch-games-or-ps-vita-game-case-or-sd-memory-cards-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 171 + }, + { + "sites": [ + "shopping" + ], + "task_id": 160, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all {{num}} cards", + "instantiation_dict": { + "num": 6 + }, + "intent": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all 6 cards", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/heiying-game-card-case-for-nintendo-switch-switch-oled-game-card-or-micro-sd-memory-cards-portable-switch-game-memory-card-storage-with-24-game-card-slots-and-24-micro-sd-card-slots-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 171 + }, + { + "sites": [ + "shopping" + ], + "task_id": 161, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all {{num}} cards", + "instantiation_dict": { + "num": 23 + }, + "intent": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all 23 cards", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/heiying-game-card-case-for-nintendo-switch-switch-oled-game-card-or-micro-sd-memory-cards-portable-switch-game-memory-card-storage-with-24-game-card-slots-and-24-micro-sd-card-slots-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 171 + }, + { + "sites": [ + "shopping" + ], + "task_id": 162, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all {{num}} cards", + "instantiation_dict": { + "num": 40 + }, + "intent": "I have a lot of Nintendo Switch game cards now, help me find the best storage option to fit all 40 cards", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/game-card-holder-storage-case-for-nintendo-switch-games-or-ps-vita-game-case-or-sd-memory-cards-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 171 + }, + { + "sites": [ + "shopping" + ], + "task_id": 163, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/ostent-16gb-memory-card-stick-storage-for-sony-ps-vita-psv1000-2000-pch-z081-z161-z321-z641.html", + "geolocation": null, + "intent_template": "What are the main criticisms of this product? Please extract the relevant sentences.", + "instantiation_dict": {}, + "intent": "What are the main criticisms of this product? Please extract the relevant sentences.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "I ordered the 16gb but I only got 14 gigs even though I formatted the card", + "The memory card is kind of slow on games and downloads", + "No original packaging It's used and the previous owners data has not been erased", + "The product is a legit sony hardware that have been owned by someone else before", + "The media could not be loaded", + "I could not format the card so I wasn\u2019t able to use it for my VITA" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "I ordered the 16gb but I only got 14 gigs even though I formatted the card. The memory card is kind of slow on games and downloads. No original packaging It's used and the previous owners data has not been erased. The product is a legit sony hardware that have been owned by someone else before The media could not be loaded. I could not format the card so I wasn\u2019t able to use it for my VITA" + }, + "intent_template_id": 136 + }, + { + "sites": [ + "shopping" + ], + "task_id": 164, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/mineralogie-all-natural-lip-gloss-ruby-rose.html", + "geolocation": null, + "intent_template": "What are the main criticisms of this product? Please extract the relevant sentences.", + "instantiation_dict": {}, + "intent": "What are the main criticisms of this product? Please extract the relevant sentences.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Dry", + "Uneven color" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "DryUneven color" + }, + "intent_template_id": 136 + }, + { + "sites": [ + "shopping" + ], + "task_id": 165, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/sandgrens-swedish-handmade-wooden-clog-sandal-copenhagen.html", + "geolocation": null, + "intent_template": "What are the main criticisms of this product? Please extract the relevant sentences.", + "instantiation_dict": {}, + "intent": "What are the main criticisms of this product? Please extract the relevant sentences.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "The 39 was too small. I am afraid the 40 will be too big", + "I was very sad when the shoe rubbed up against my baby toe", + "I had to return them because I knew in time it would tear up my feet", + "The problem is that the strap is made of some really stiff leather and is painful to my heel", + "The front is also uncomfortably tight", + "The Dansko's were similar (not as bad) and loosened up over time" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "The 39 was too small. I am afraid the 40 will be too big. I was very sad when the shoe rubbed up against my baby toe. I had to return them because I knew in time it would tear up my feet. The problem is that the strap is made of some really stiff leather and is painful to my heel. The front is also uncomfortably tight. The Dansko's were similar (not as bad) and loosened up over time." + }, + "intent_template_id": 136 + }, + { + "sites": [ + "shopping" + ], + "task_id": 166, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/sensodyne-repair-protect-whitening-toothpaste-with-fluoride-3-4-oz-pack-of-3.html", + "geolocation": null, + "intent_template": "What are the main criticisms of this product? Please extract the relevant sentences.", + "instantiation_dict": {}, + "intent": "What are the main criticisms of this product? Please extract the relevant sentences.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "there is no existing criticism", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 136 + }, + { + "sites": [ + "shopping" + ], + "task_id": 167, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/photosmart-plus-b209-clr-inkjetfb-p-s-c-usb-wrls-1.html", + "geolocation": null, + "intent_template": "What are the main criticisms of this product? Please extract the relevant sentences.", + "instantiation_dict": {}, + "intent": "What are the main criticisms of this product? Please extract the relevant sentences.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "The wireless connection works on a whim (about 40% of the time I've owned it)", + "It seems to constantly run out of ink", + "Cartridge prices are less than some printers I've had", + "This printer seems to have more reasons NOT to work (none that are findable or correctable) Ex: error boxes saying that it's out of paper when it automatically switches to photo printing for some reason", + "Scanner is as slow as my first scanner I ever owned in the mid-90's", + "For the $176 I paid, there isn't even a fax component on it. I guess the \"PLUS\" part of it's name is in reference to the migraines it causes when you can't figure out the new reason why it's not working for the 10th time in the past 2 months." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "The wireless connection works on a whim (about 40% of the time I've owned it). It seems to constantly run out of ink. Cartridge prices are less than some printers I've had, but now I understand why. This printer seems to have more reasons NOT to work (none that are findable or correctable) Ex: error boxes saying that it's out of paper when it automatically switches to photo printing for some reason. Scanner is as slow as my first scanner I ever owned in the mid-90's. For the $176 I paid, there isn't even a fax component on it. I guess the \"PLUS\" part of it's name is in reference to the migraines it causes when you can't figure out the new reason why it's not working for the 10th time in the past 2 months." + }, + "intent_template_id": 136 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 168, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Tell me the full names of the repositories where I made contributions and they got {{description}} stars?", + "instantiation_dict": { + "description": "more than 100" + }, + "intent": "Tell me the full names of the repositories where I made contributions and they got more than 100 stars?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "No repo found", + "reference_answer_raw_annotation": "No repo found" + }, + "intent_template_id": 289 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 169, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Tell me the full names of the repositories where I made contributions and they got {{description}} stars?", + "instantiation_dict": { + "description": "the most" + }, + "intent": "Tell me the full names of the repositories where I made contributions and they got the most stars?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "a11yproject.com", + "design" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "a11yproject.com, Primer/design" + }, + "intent_template_id": 289 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 170, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Tell me the full names of the repositories where I made contributions and they got {{description}} stars?", + "instantiation_dict": { + "description": "the least" + }, + "intent": "Tell me the full names of the repositories where I made contributions and they got the least stars?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "cloud-to-butt", + "dotfiles", + "timeit", + "solarized-prism-theme", + "gimmiethat.space", + "remove-board-movement-events-from-the-github-issue-timeline" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "cloud-to-butt, dotfiles, timeit, solarized-prism-theme, gimmiethat.space, remove-board-movement-events-from-the-github-issue-timeline" + }, + "intent_template_id": 289 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 171, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Tell me the full names of the repositories where I made contributions and they got {{description}} stars?", + "instantiation_dict": { + "description": "less than 5" + }, + "intent": "Tell me the full names of the repositories where I made contributions and they got less than 5 stars?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "a11y-syntax-highlighting", + "a11y-webring.club", + "accessible-html-content-patterns", + "ericwbailey.website", + "cloud-to-butt", + "dotfiles", + "timeit", + "solarized-prism-theme", + "gimmiethat.space", + "remove-board-movement-events-from-the-github-issue-timeline" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "a11y-syntax-highlighting, a11y-webring.club, accessible-html-content-patterns, ericwbailey.website, cloud-to-butt, dotfiles, timeit, solarized-prism-theme, gimmiethat.space, remove-board-movement-events-from-the-github-issue-timeline" + }, + "intent_template_id": 289 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 172, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Tell me the full names of the repositories where I made contributions and they got {{description}} stars?", + "instantiation_dict": { + "description": "no" + }, + "intent": "Tell me the full names of the repositories where I made contributions and they got no stars?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "cloud-to-butt", + "dotfiles", + "timeit", + "solarized-prism-theme", + "gimmiethat.space", + "remove-board-movement-events-from-the-github-issue-timeline" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "cloud-to-butt, dotfiles, timeit, solarized-prism-theme, gimmiethat.space, remove-board-movement-events-from-the-github-issue-timeline" + }, + "intent_template_id": 289 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 173, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Open my latest updated issue that has keyword \"{{keyword}}\" in its title to check if it is closed", + "instantiation_dict": { + "keyword": "better" + }, + "intent": "Open my latest updated issue that has keyword \"better\" in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "fuzzy_match": ["No, it is open"] + }, + "reference_url": "__GITLAB__/byteblaze/empathy-prompts/-/issues/8", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "", + "url_note": "GOLD in PRED" + }, + "intent_template_id": 310 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 174, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Open my latest updated issue that has keyword \"{{keyword}}\" in its title to check if it is closed", + "instantiation_dict": { + "keyword": "feature" + }, + "intent": "Open my latest updated issue that has keyword \"feature\" in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "fuzzy_match": ["No, it is open"] + }, + "reference_url": "__GITLAB__/byteblaze/a11y-webring.club/-/issues/71", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "" + }, + "intent_template_id": 310 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 175, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Open my latest updated issue that has keyword \"{{keyword}}\" in its title to check if it is closed", + "instantiation_dict": { + "keyword": "dependency" + }, + "intent": "Open my latest updated issue that has keyword \"dependency\" in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "fuzzy_match": ["No, it is open"] + }, + "reference_url": "__GITLAB__/byteblaze/empathy-prompts/-/issues/18", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "" + }, + "intent_template_id": 310 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 176, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Open my latest updated issue that has keyword \"{{keyword}}\" in its title to check if it is closed", + "instantiation_dict": { + "keyword": "theme editor" + }, + "intent": "Open my latest updated issue that has keyword \"theme editor\" in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "fuzzy_match": ["No, it is open"] + }, + "reference_url": "__GITLAB__/byteblaze/a11y-syntax-highlighting/-/issues/1", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "" + }, + "intent_template_id": 310 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 177, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Open my latest updated issue that has keyword \"{{keyword}}\" in its title to check if it is closed", + "instantiation_dict": { + "keyword": "homepage content" + }, + "intent": "Open my latest updated issue that has keyword \"homepage content\" in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "fuzzy_match": ["Yes, it is closed"] + }, + "reference_url": "__GITLAB__/a11yproject/a11yproject.com/-/issues/719", + "program_html": [], + "reference_answer_raw_annotation": "closed", + "string_note": "" + }, + "intent_template_id": 310 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 178, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Open my latest created issue that has {{keyword}} in its title to check if it is closed", + "instantiation_dict": { + "keyword": "better" + }, + "intent": "Open my latest created issue that has better in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "exact_match": "Yes" + }, + "reference_url": "__GITLAB__/a11yproject/a11yproject.com/-/issues/566", + "program_html": [], + "reference_answer_raw_annotation": "Closed", + "string_note": "" + }, + "intent_template_id": 500 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 179, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Open my latest created issue that has {{keyword}} in its title to check if it is closed", + "instantiation_dict": { + "keyword": "feature" + }, + "intent": "Open my latest created issue that has feature in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "exact_match": "Yes" + }, + "reference_url": "__GITLAB__/a11yproject/a11yproject.com/-/issues/1517", + "program_html": [], + "reference_answer_raw_annotation": "Closed", + "string_note": "" + }, + "intent_template_id": 500 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 180, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Open my latest created issue that has {{keyword}} in its title to check if it is closed", + "instantiation_dict": { + "keyword": "dependency" + }, + "intent": "Open my latest created issue that has dependency in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "exact_match": "No" + }, + "reference_url": "__GITLAB__/byteblaze/empathy-prompts/-/issues/18", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "" + }, + "intent_template_id": 500 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 181, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Open my latest created issue that has {{keyword}} in its title to check if it is closed", + "instantiation_dict": { + "keyword": "theme editor" + }, + "intent": "Open my latest created issue that has theme editor in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "exact_match": "No" + }, + "reference_url": "__GITLAB__/byteblaze/a11y-syntax-highlighting/-/issues/1", + "program_html": [], + "reference_answer_raw_annotation": "Not closed", + "string_note": "" + }, + "intent_template_id": 500 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 182, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Open my latest created issue that has {{keyword}} in its title to check if it is closed", + "instantiation_dict": { + "keyword": "homepage content" + }, + "intent": "Open my latest created issue that has homepage content in its title to check if it is closed", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match", + "url_match" + ], + "reference_answers": { + "exact_match": "Yes" + }, + "reference_url": "__GITLAB__/a11yproject/a11yproject.com/-/issues/719", + "program_html": [], + "reference_answer_raw_annotation": "closed", + "string_note": "" + }, + "intent_template_id": 500 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 183, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Give me the {{Attribute}} of the products that have {{N}} units left", + "instantiation_dict": { + "Attribute": "SKU", + "N": "10" + }, + "intent": "Give me the SKU of the products that have 10 units left", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no product that has 10 quantities left.", + "reference_answer_raw_annotation": "There is no product that has 10 quantities left." + }, + "intent_template_id": 368 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 184, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Give me the {{Attribute}} of the products that have {{N}} units left", + "instantiation_dict": { + "Attribute": "name", + "N": "0" + }, + "intent": "Give me the name of the products that have 0 units left", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Sinbad Fitness Tank" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Sinbad Fitness Tank" + }, + "intent_template_id": 368 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 185, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Give me the {{Attribute}} of the products that have {{N}} units left", + "instantiation_dict": { + "Attribute": "brand", + "N": "3" + }, + "intent": "Give me the brand of the products that have 3 units left", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Eos", + "Minerva" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Eos, Minerva" + }, + "intent_template_id": 368 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 186, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Give me the {{Attribute}} of the products that have {{N}} units left", + "instantiation_dict": { + "Attribute": "product names and the sizes", + "N": "2-3" + }, + "intent": "Give me the product names and the sizes of the products that have 2-3 units left", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Eos V-Neck Hoodie: S", + "Minera Luma Tech V-Tee: XS" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Eos V-Neck Hoodie: S Minera Luma Tech V-Tee: XS" + }, + "intent_template_id": 368 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 187, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Give me the {{Attribute}} of the products that have {{N}} units left", + "instantiation_dict": { + "Attribute": "SKU", + "N": "1-3" + }, + "intent": "Give me the SKU of the products that have 1-3 units left", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "WH11-S-Blue", + "WS08-XS-Blue" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "WH11-S-Blue, WS08-XS-Blue" + }, + "intent_template_id": 368 + }, + { + "sites": [ + "shopping" + ], + "task_id": 188, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Tell me the total cost of my latest {{status}} order?", + "instantiation_dict": { + "status": "cancelled" + }, + "intent": "Tell me the total cost of my latest cancelled order?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "365.42" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "365.42" + }, + "intent_template_id": 214 + }, + { + "sites": [ + "shopping" + ], + "task_id": 189, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Tell me the total cost of my latest {{status}} order?", + "instantiation_dict": { + "status": "pending" + }, + "intent": "Tell me the total cost of my latest pending order?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "754.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "754.99" + }, + "intent_template_id": 214 + }, + { + "sites": [ + "shopping" + ], + "task_id": 190, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Tell me the total cost of my latest {{status}} order?", + "instantiation_dict": { + "status": "complete" + }, + "intent": "Tell me the total cost of my latest complete order?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "65.32" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "65.32" + }, + "intent_template_id": 214 + }, + { + "sites": [ + "shopping" + ], + "task_id": 191, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Tell me the total cost of my latest {{status}} order?", + "instantiation_dict": { + "status": "processing" + }, + "intent": "Tell me the total cost of my latest processing order?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no order of \"processing\" status", + "reference_answer_raw_annotation": "There is no order of \"processing\" status" + }, + "intent_template_id": 214 + }, + { + "sites": [ + "shopping" + ], + "task_id": 192, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Tell me the total cost of my latest {{status}} order?", + "instantiation_dict": { + "status": "non-cancelled" + }, + "intent": "Tell me the total cost of my latest non-cancelled order?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "754.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "754.99" + }, + "intent_template_id": 214 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 193, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Get the total payment amount of the last {{N}} {{status}} orders", + "instantiation_dict": { + "status": "completed", + "N": "2" + }, + "intent": "Get the total payment amount of the last 2 completed orders", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "182.4" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "182.4" + }, + "intent_template_id": 367 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 194, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Get the total payment amount of the last {{N}} {{status}} orders", + "instantiation_dict": { + "status": "completed", + "N": "5" + }, + "intent": "Get the total payment amount of the last 5 completed orders", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "555.2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "555.2" + }, + "intent_template_id": 367 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 195, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Get the total payment amount of the last {{N}} {{status}} orders", + "instantiation_dict": { + "status": "pending", + "N": "5" + }, + "intent": "Get the total payment amount of the last 5 pending orders", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "885.4" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "885.4" + }, + "intent_template_id": 367 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 196, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Compare the payment difference of the last {{N}} {{status_1}} orders and {{status_2}} orders", + "instantiation_dict": { + "status_1": "cancelled", + "status_2": "completed", + "N": "4" + }, + "intent": "Compare the payment difference of the last 4 cancelled orders and completed orders", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "194.25" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "194.25" + }, + "intent_template_id": 367 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 197, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Get the total payment amount of the last {{N}} {{status}} orders", + "instantiation_dict": { + "status": "non-cancelled", + "N": "5" + }, + "intent": "Get the total payment amount of the last 5 non-cancelled orders", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "778.2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "annotation_note": "219.4+210+166.4+93.4+89", + "reference_answer_raw_annotation": "778.2" + }, + "intent_template_id": 367 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 198, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "customer name", + "status": "most recent cancelled" + }, + "intent": "Get the customer name of the most recent cancelled order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Lily Potter" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lily Potter" + }, + "intent_template_id": 366 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 199, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "order ID", + "status": "newest pending" + }, + "intent": "Get the order ID of the newest pending order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "299" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "299" + }, + "intent_template_id": 366 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 200, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "billing name", + "status": "oldest complete" + }, + "intent": "Get the billing name of the oldest complete order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "John Lee" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "John Lee" + }, + "intent_template_id": 366 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 201, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "customer name", + "status": "earliest fraud suspect" + }, + "intent": "Get the customer name of the earliest fraud suspect order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no order of \"fraud suspect\" status", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 366 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 202, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "date", + "status": "most recent canlled" + }, + "intent": "Get the date of the most recent canlled order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "May 23 2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "May 23, 2023" + }, + "intent_template_id": 366 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 203, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "purchase date and order id", + "status": "most recent pending" + }, + "intent": "Get the purchase date and order id of the most recent pending order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "order id: 000000299", + "purchase date: May 31, 2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "000000299, May 31, 2023, 2:55:09 AM" + }, + "intent_template_id": 366 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 204, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Get the {{attribute}} of the {{status}} order", + "instantiation_dict": { + "attribute": "product name and discounted price (low to high)", + "status": "most recent completed" + }, + "intent": "Get the product name and discounted price (low to high) of the most recent completed order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Rapha Sports Short: $35", + "Thorpe Track Pant: $54.4", + "Mach Street Sweatshirt: $62" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Rapha Sports Short: $35 Thorpe Track Pant: $54.4 Mach Street Sweatshirt: $62" + }, + "intent_template_id": 366 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 205, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make on {{date}}?", + "instantiation_dict": { + "user": "kilian", + "date": "3/5/2023" + }, + "intent": "How many commits did kilian make on 3/5/2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 320 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 206, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make on {{date}}?", + "instantiation_dict": { + "user": "Eric", + "date": "3/2" + }, + "intent": "How many commits did Eric make on 3/2?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "2" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2" + }, + "intent_template_id": 320 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 207, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make on {{date}} in total?", + "instantiation_dict": { + "user": "Eric and Kilian", + "date": "1/3/2023" + }, + "intent": "How many commits did Eric and Kilian make on 1/3/2023 in total?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 320 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 208, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Find the customer name and email with phone number {{PhoneNum}}", + "instantiation_dict": { + "PhoneNum": "+1 2058812302" + }, + "intent": "Find the customer name and email with phone number +1 2058812302", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "John Smith", + "john.smith.xyz@gmail.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "John Smith, john.smith.xyz@gmail.com" + }, + "intent_template_id": 364 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 209, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Find the customer name and email with phone number {{PhoneNum}}", + "instantiation_dict": { + "PhoneNum": "2137418080" + }, + "intent": "Find the customer name and email with phone number 2137418080", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Jennifer White", + "jennifer.white@yahoo.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Jennifer White, jennifer.white@yahoo.com" + }, + "intent_template_id": 364 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 210, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Find the customer name and email with phone number {{PhoneNum}}", + "instantiation_dict": { + "PhoneNum": "2065555555" + }, + "intent": "Find the customer name and email with phone number 2065555555", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Adam Garcia", + "gamingpro456@gmail.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Adam Garcia, gamingpro456@gmail.com" + }, + "intent_template_id": 364 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 211, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Find the customer name and email with phone number {{PhoneNum}}", + "instantiation_dict": { + "PhoneNum": "8015551212" + }, + "intent": "Find the customer name and email with phone number 8015551212", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Sean Miller", + "sean.miller@gmail.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Sean Miller, sean.miller@gmail.com" + }, + "intent_template_id": 364 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 212, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Find the customer name and email with phone number {{PhoneNum}}", + "instantiation_dict": { + "PhoneNum": "555-229-3326" + }, + "intent": "Find the customer name and email with phone number 555-229-3326", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Veronica Costello", + "roni_cost@example.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Veronica Costello, roni_cost@example.com" + }, + "intent_template_id": 364 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 213, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What are the key aspects that the customers don't like about {{product}}", + "instantiation_dict": { + "product": "Antonia Racer Tank" + }, + "intent": "What are the key aspects that the customers don't like about Antonia Racer Tank", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Not suitable for high-impact workouts" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Not suitable for high-impact workouts" + }, + "intent_template_id": 249 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 214, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What are the key aspects that the customers don't like about {{product}}", + "instantiation_dict": { + "product": "Zing Jump Rope" + }, + "intent": "What are the key aspects that the customers don't like about Zing Jump Rope", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "It is hard to find the right size. Won't last long" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "It is hard to find the right size. Won't last long" + }, + "intent_template_id": 249 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 215, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What are the key aspects that the customers don't like about {{product}}", + "instantiation_dict": { + "product": "Circe ice fleece" + }, + "intent": "What are the key aspects that the customers don't like about Circe ice fleece", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Material quality, fit, insufficient warmth, color" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Material quality, fit, insufficient warmth, color" + }, + "intent_template_id": 249 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 216, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What are the key aspects that the customers don't like about {{product}}", + "instantiation_dict": { + "product": "Electra Bra Top" + }, + "intent": "What are the key aspects that the customers don't like about Electra Bra Top", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Not true to size" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Not true to size" + }, + "intent_template_id": 249 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 217, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "What are the key aspects that the customers don't like about {{product}}", + "instantiation_dict": { + "product": "Pursuit Tone Band" + }, + "intent": "What are the key aspects that the customers don't like about Pursuit Tone Band", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Insufficient resistance for their workouts." + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Insufficient resistance for their workouts." + }, + "intent_template_id": 249 + }, + { + "sites": [ + "map" + ], + "task_id": 218, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Show me the walking distance from nearby hotels to {{location}} that take at most {{n}} minutes?", + "instantiation_dict": { + "location": "CMU, Pittsburgh", + "n": "5" + }, + "intent": "Show me the walking distance from nearby hotels to CMU, Pittsburgh that take at most 5 minutes?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no hotel near CMU that is within 5 minutes walking distance", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 41 + }, + { + "sites": [ + "map" + ], + "task_id": 219, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Show me the walking distance from nearby hotels to {{location}} that take at most {{n}} minutes?", + "instantiation_dict": { + "location": "Pittsburgh airport", + "n": "3" + }, + "intent": "Show me the walking distance from nearby hotels to Pittsburgh airport that take at most 3 minutes?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no hotel near CMU that is within 5 minutes walking distance", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 41 + }, + { + "sites": [ + "map" + ], + "task_id": 220, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Show me the walking distance from nearby hotels to {{location}} that take at most {{n}} minutes?", + "instantiation_dict": { + "location": "Gardner Steel Conference Center,", + "n": 5 + }, + "intent": "Show me the walking distance from nearby hotels to Gardner Steel Conference Center, that take at most 5 minutes?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Wyndham Pittsburgh University Cente: 375m", + "The Oaklander Hotel: 338m" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Wyndham Pittsburgh University Cente: 375 m\nThe Oaklander Hotel: 338 m" + }, + "intent_template_id": 41 + }, + { + "sites": [ + "map" + ], + "task_id": 221, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "I am at CMU Pittsburgh, how long it takes to the nearest {{location}} with different transportation methods?", + "instantiation_dict": { + "location": "USPS postal office" + }, + "intent": "I am at CMU Pittsburgh, how long it takes to the nearest USPS postal office with different transportation methods?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Walk: 1 minute", + "Drive: less than 1 minute", + "Bike: less than 1 minute" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Walk: 1 minute to walk and\nDrive: less than 1 minute\nBike: less than 1 minute" + }, + "intent_template_id": 35 + }, + { + "sites": [ + "map" + ], + "task_id": 222, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "I am at CMU Pittsburgh, how long it takes to drive to the nearest {{location}}", + "instantiation_dict": { + "location": "cold stone ice cream" + }, + "intent": "I am at CMU Pittsburgh, how long it takes to drive to the nearest cold stone ice cream", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "3min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3min" + }, + "intent_template_id": 35 + }, + { + "sites": [ + "map" + ], + "task_id": 223, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "I am at CMU Pittsburgh, how long it takes to drive to the nearest {{location}}", + "instantiation_dict": { + "location": "Mcdonald's" + }, + "intent": "I am at CMU Pittsburgh, how long it takes to drive to the nearest Mcdonald's", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "4min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "4min" + }, + "intent_template_id": 35 + }, + { + "sites": [ + "map" + ], + "task_id": 224, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "I am at CMU Pittsburgh, how long it takes to drive to the nearest {{location}}", + "instantiation_dict": { + "location": "wendys" + }, + "intent": "I am at CMU Pittsburgh, how long it takes to drive to the nearest wendys", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "3min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3min" + }, + "intent_template_id": 35 + }, + { + "sites": [ + "shopping" + ], + "task_id": 225, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What do customers say about {{product_type}} from {{manufature}}", + "instantiation_dict": { + "product_type": "brush", + "manufature": "sephora" + }, + "intent": "What do customers say about brush from sephora", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The sephora brushes don't have reviews", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 135 + }, + { + "sites": [ + "shopping" + ], + "task_id": 226, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What is the price range for products from {{brand}}?", + "instantiation_dict": { + "brand": "Amazon basic" + }, + "intent": "What is the price range for products from Amazon basic?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "5.49", + "375.19" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$5.49 - $375.19" + }, + "intent_template_id": 370 + }, + { + "sites": [ + "shopping" + ], + "task_id": 227, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What is the price range for products from {{brand}}?", + "instantiation_dict": { + "brand": "EYZUTAK" + }, + "intent": "What is the price range for products from EYZUTAK?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "9.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$9.99" + }, + "intent_template_id": 370 + }, + { + "sites": [ + "shopping" + ], + "task_id": 228, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What is the price range for products from {{brand}}?", + "instantiation_dict": { + "brand": "sephora" + }, + "intent": "What is the price range for products from sephora?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "18.18", + "94.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$18.18 - $94.99" + }, + "intent_template_id": 370 + }, + { + "sites": [ + "shopping" + ], + "task_id": 229, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What is the price range for products from {{brand}}?", + "instantiation_dict": { + "brand": "ugreen" + }, + "intent": "What is the price range for products from ugreen?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "6.99", + "38.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$6.99 - $38.99" + }, + "intent_template_id": 370 + }, + { + "sites": [ + "shopping" + ], + "task_id": 230, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What is the price range for products from {{brand}}?", + "instantiation_dict": { + "brand": "Perricone MD" + }, + "intent": "What is the price range for products from Perricone MD?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "35", + "149" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$35 - $149" + }, + "intent_template_id": 370 + }, + { + "sites": [ + "shopping" + ], + "task_id": 231, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Get the order number of my most recent {{status}} order ", + "instantiation_dict": { + "status": "cancelled" + }, + "intent": "Get the order number of my most recent cancelled order ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "170" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "000000170" + }, + "intent_template_id": 213 + }, + { + "sites": [ + "shopping" + ], + "task_id": 232, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Get the order number of my most recent {{status}} order ", + "instantiation_dict": { + "status": "pending" + }, + "intent": "Get the order number of my most recent pending order ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "189" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "000000189" + }, + "intent_template_id": 213 + }, + { + "sites": [ + "shopping" + ], + "task_id": 233, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Get the order number of my most recent {{status}} order ", + "instantiation_dict": { + "status": "complete" + }, + "intent": "Get the order number of my most recent complete order ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "180" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "000000180" + }, + "intent_template_id": 213 + }, + { + "sites": [ + "shopping" + ], + "task_id": 234, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Get the order number of my most recent {{status}} order ", + "instantiation_dict": { + "status": "on hold" + }, + "intent": "Get the order number of my most recent on hold order ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "there is no on hold order", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 213 + }, + { + "sites": [ + "shopping" + ], + "task_id": 235, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Get the order number of my most recent {{status}} order ", + "instantiation_dict": { + "status": "under delivery" + }, + "intent": "Get the order number of my most recent under delivery order ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no under delivery order", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 213 + }, + { + "sites": [ + "map" + ], + "task_id": 236, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Where is the nearest {{location}} from {{location2}} {{condition}}", + "instantiation_dict": { + "location": "pharmacy", + "location2": "Carnegie Mellon", + "condition": "I can walk within 20mins" + }, + "intent": "Where is the nearest pharmacy from Carnegie Mellon I can walk within 20mins", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Schiller's Pharmacy", + "811", + "South Aiken Avenue", + "Shadyside", + "Pittsburgh" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Schiller's Pharmacy, 811, South Aiken Avenue, Shadyside, Pittsburgh, Allegheny County, 15232, United States" + }, + "intent_template_id": 39 + }, + { + "sites": [ + "map" + ], + "task_id": 237, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Where is the nearest {{location}} from {{location2}} {{condition}}", + "instantiation_dict": { + "location": "gas station", + "location2": "CMU", + "condition": "" + }, + "intent": "Where is the nearest gas station from CMU ", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Sunoco", + "North Craig Street", + "North Oakland", + "Pittsburgh" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Sunoco, North Craig Street, North Oakland, Pittsburgh, Allegheny County, 15213, United States" + }, + "intent_template_id": 39 + }, + { + "sites": [ + "shopping" + ], + "task_id": 238, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I am doing a market survey for one stop market, show me the most expensive product from {{product_category}} category", + "instantiation_dict": { + "product_category": "PS4 accessories" + }, + "intent": "I am doing a market survey for one stop market, show me the most expensive product from PS4 accessories category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/astro-gaming-a50-wireless-headset-base-station-gen-4-compatible-with-ps5-ps4-pc-mac-black-silver.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 138 + }, + { + "sites": [ + "shopping" + ], + "task_id": 239, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I am doing a market survey for one stop market, show me the most expensive product from {{product_category}} category", + "instantiation_dict": { + "product_category": "nutrition bars and drinks" + }, + "intent": "I am doing a market survey for one stop market, show me the most expensive product from nutrition bars and drinks category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/kellogg-s-special-k-protein-meal-bars-chocolate-caramel-12-7oz-6-count.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 138 + }, + { + "sites": [ + "shopping" + ], + "task_id": 240, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I am doing a market survey for one stop market, show me the most expensive product from {{product_category}} category", + "instantiation_dict": { + "product_category": "competative swimwear" + }, + "intent": "I am doing a market survey for one stop market, show me the most expensive product from competative swimwear category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/women-cross-flower-beachwear-tankini-bandeau-bandage-bikini-set-push-up-swimwear-bathing-suit-two-pieces-swimsuits.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 138 + }, + { + "sites": [ + "shopping" + ], + "task_id": 241, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I am doing a market survey for one stop market, show me the most expensive product from {{product_category}} category", + "instantiation_dict": { + "product_category": "skin care tool" + }, + "intent": "I am doing a market survey for one stop market, show me the most expensive product from skin care tool category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/professional-medi-spa-scar-stretch-mark-reduction-system.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 138 + }, + { + "sites": [ + "shopping" + ], + "task_id": 242, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I am doing a market survey for one stop market, show me the most expensive product from {{product_category}} category", + "instantiation_dict": { + "product_category": "Household Supplies" + }, + "intent": "I am doing a market survey for one stop market, show me the most expensive product from Household Supplies category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/lynx-battery-12v-200ah-lithium-iron-phosphate-lifepo4-prismatic-deep-cell-battery-set-of-4-3-2v-cells-with-3-bus-bars-and-8-lug-nuts-for-rv-solar-marine-off-grid-applications.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 138 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 243, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Show me the {{information}} of the customer who is the most unhappy with {{product}}", + "instantiation_dict": { + "information": "email address", + "product": "Circe fleece" + }, + "intent": "Show me the email address of the customer who is the most unhappy with Circe fleece", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "hannah.lim@gmail.com" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "hannah.lim@gmail.com" + }, + "intent_template_id": 244 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 244, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Show me the {{information}} of the customer who is the most unhappy with {{product}}", + "instantiation_dict": { + "information": "email address", + "product": "Olivia zip jacket" + }, + "intent": "Show me the email address of the customer who is the most unhappy with Olivia zip jacket", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "emma.lopez@gmail.com" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "emma.lopez@gmail.com" + }, + "intent_template_id": 244 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 245, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Show me the {{information}} of the customer who is the most unhappy with {{product}}", + "instantiation_dict": { + "information": "name", + "product": "Antonia racer tank" + }, + "intent": "Show me the name of the customer who is the most unhappy with Antonia racer tank", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Shaunte" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Shaunte" + }, + "intent_template_id": 244 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 246, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Show me the {{information}} of the customer who is the most unhappy with {{product}}", + "instantiation_dict": { + "information": "name", + "product": "Chloe tank" + }, + "intent": "Show me the name of the customer who is the most unhappy with Chloe tank", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Teofila" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Teofila" + }, + "intent_template_id": 244 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 247, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Show me the {{information}} of the customer who is the most unhappy with {{product}}", + "instantiation_dict": { + "information": "email address", + "product": "the style of Zoe products" + }, + "intent": "Show me the email address of the customer who is the most unhappy with the style of Zoe products", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "Valorie doesn't have a email in the system", + "program_html": [], + "string_note": "There is no negative review for Zoe products", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 244 + }, + { + "sites": [ + "map" + ], + "task_id": 248, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Tell me the coordinates of {{location}} in DD format", + "instantiation_dict": { + "location": "Carnegie Mellon Caf\u00e9" + }, + "intent": "Tell me the coordinates of Carnegie Mellon Caf\u00e9 in DD format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.442", + "-79.939" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.4424191, -79.9397388" + }, + "intent_template_id": 46 + }, + { + "sites": [ + "map" + ], + "task_id": 249, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Tell me the coordinates of {{location}} in DD format", + "instantiation_dict": { + "location": "Western Pennsylvania Hospital Heliport" + }, + "intent": "Tell me the coordinates of Western Pennsylvania Hospital Heliport in DD format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.460", + "-79.946" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.46076, -79.94666" + }, + "intent_template_id": 46 + }, + { + "sites": [ + "map" + ], + "task_id": 250, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Tell me the coordinates of {{location}} in DD format", + "instantiation_dict": { + "location": "Apple Store near Pitt" + }, + "intent": "Tell me the coordinates of Apple Store near Pitt in DD format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.451", + "-79.933" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.4511693, -79.9334241" + }, + "intent_template_id": 46 + }, + { + "sites": [ + "map" + ], + "task_id": 251, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Tell me the coordinates of {{location}} in DD format", + "instantiation_dict": { + "location": "bus stop on the Carnegie art museum side of the street near CMU" + }, + "intent": "Tell me the coordinates of bus stop on the Carnegie art museum side of the street near CMU in DD format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.444", + "-79.948" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.4443, -79.94889" + }, + "intent_template_id": 46 + }, + { + "sites": [ + "map" + ], + "task_id": 252, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Tell me the coordinates of {{location}} in DD format", + "instantiation_dict": { + "location": "Tokyo Japanese Food Store in Pittsburgh" + }, + "intent": "Tell me the coordinates of Tokyo Japanese Food Store in Pittsburgh in DD format", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.457", + "-79.929" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.45761, -79.92934" + }, + "intent_template_id": 46 + }, + { + "sites": [ + "map" + ], + "task_id": 253, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the {{information}} of {{location}}", + "instantiation_dict": { + "location": "Carnegie Mellon Caf\u00e9", + "information": "phone number" + }, + "intent": "What is the phone number of Carnegie Mellon Caf\u00e9", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no such information in the map", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 501 + }, + { + "sites": [ + "map" + ], + "task_id": 254, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the {{information}} of {{location}}", + "instantiation_dict": { + "location": "Western Pennsylvania Hospital", + "information": "phone number" + }, + "intent": "What is the phone number of Western Pennsylvania Hospital", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "4125785000" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "4125785000" + }, + "intent_template_id": 501 + }, + { + "sites": [ + "map" + ], + "task_id": 255, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Who is the {{information}} of {{location}}", + "instantiation_dict": { + "location": "PIT airport", + "information": "operator" + }, + "intent": "Who is the operator of PIT airport", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Allegheny County Airport Authority" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Allegheny County Airport Authority" + }, + "intent_template_id": 501 + }, + { + "sites": [ + "map" + ], + "task_id": 256, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the {{information}} of {{location}}", + "instantiation_dict": { + "location": "Carnegie art museum in pittsburgh", + "information": "website" + }, + "intent": "What is the website of Carnegie art museum in pittsburgh", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "http://web.cmoa.org/" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "http://web.cmoa.org/" + }, + "intent_template_id": 501 + }, + { + "sites": [ + "map" + ], + "task_id": 257, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What is the {{information}} of {{location}}", + "instantiation_dict": { + "location": "Tokyo Japanese Food Store in Pittsburgh", + "information": "hours of operation" + }, + "intent": "What is the hours of operation of Tokyo Japanese Food Store in Pittsburgh", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "We-Su 10:00-17:00" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "We-Su 10:00-17:00" + }, + "intent_template_id": 501 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 258, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "See all public projects", + "instantiation_dict": {}, + "intent": "See all public projects", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/explore", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 325 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 259, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Get me my RSS feed token", + "instantiation_dict": {}, + "intent": "Get me my RSS feed token", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "TMN_bBn9Z48qVbUFZV45" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "TMN_bBn9Z48qVbUFZV45" + }, + "intent_template_id": 312 + }, + { + "sites": [ + "shopping" + ], + "task_id": 260, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I want to browse the products in the {{category}} category", + "instantiation_dict": { + "category": "Video Game" + }, + "intent": "I want to browse the products in the Video Game category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/video-games.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 211 + }, + { + "sites": [ + "shopping" + ], + "task_id": 261, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I want to browse the products in the {{category}} category", + "instantiation_dict": { + "category": "Headphones" + }, + "intent": "I want to browse the products in the Headphones category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/electronics/headphones.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 211 + }, + { + "sites": [ + "shopping" + ], + "task_id": 262, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I want to browse the products in the {{category}} category", + "instantiation_dict": { + "category": "Men shoes" + }, + "intent": "I want to browse the products in the Men shoes category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/clothing-shoes-jewelry/men/shoes.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 211 + }, + { + "sites": [ + "shopping" + ], + "task_id": 263, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I want to browse the products in the {{category}} category", + "instantiation_dict": { + "category": "Woman clothing" + }, + "intent": "I want to browse the products in the Woman clothing category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/clothing-shoes-jewelry/women/clothing.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 211 + }, + { + "sites": [ + "shopping" + ], + "task_id": 264, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I want to browse the products in the {{category}} category", + "instantiation_dict": { + "category": "Cabinets, Racks & Shelves" + }, + "intent": "I want to browse the products in the Cabinets, Racks & Shelves category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/office-products/office-furniture-lighting/cabinets-racks-shelves.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 211 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 265, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What's the closest national park to {{city}}? How far is it to drive there?", + "instantiation_dict": { + "city": "Boston" + }, + "intent": "What's the closest national park to Boston? How far is it to drive there?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Acadia National Park", + "457km" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Acadia National Park\n457km" + }, + "intent_template_id": 85 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 266, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What's the closest national park to {{city}}?", + "instantiation_dict": { + "city": "the largest city in Maine" + }, + "intent": "What's the closest national park to the largest city in Maine?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Acadia National Park" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Acadia National Park" + }, + "intent_template_id": 85 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 267, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What's the closest national park to {{city}}? How long it takes to drive there?", + "instantiation_dict": { + "city": "the hometown of Stephen King" + }, + "intent": "What's the closest national park to the hometown of Stephen King? How long it takes to drive there?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Acadia National Park" + ], + "fuzzy_match": [ + "1h 23min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Acadia National Park\n1h 23min" + }, + "intent_template_id": 85 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 268, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "What's the closest national park to {{city}}? How long does it take to bike there?", + "instantiation_dict": { + "city": "Vinalhaven, ME" + }, + "intent": "What's the closest national park to Vinalhaven, ME? How long does it take to bike there?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Acadia National Park" + ], + "fuzzy_match": [ + "10h 33min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Acadia National Park\n10h 33min" + }, + "intent_template_id": 85 + }, + { + "sites": [ + "shopping" + ], + "task_id": 269, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show me products under ${{price}} in \"{{product_category}}\" category", + "instantiation_dict": { + "price": "25", + "product_category": "women shoes" + }, + "intent": "Show me products under $25 in \"women shoes\" category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/clothing-shoes-jewelry/women/shoes.html?price=0-25", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 139 + }, + { + "sites": [ + "shopping" + ], + "task_id": 270, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show me products under ${{price}} in \"{{product_category}}\" category", + "instantiation_dict": { + "price": "30", + "product_category": "men shoes" + }, + "intent": "Show me products under $30 in \"men shoes\" category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/clothing-shoes-jewelry/men/shoes.html?price=0-30", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 139 + }, + { + "sites": [ + "shopping" + ], + "task_id": 271, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show me products under ${{price}} in \"{{product_category}}\" category", + "instantiation_dict": { + "price": "46.99", + "product_category": "makeup remover" + }, + "intent": "Show me products under $46.99 in \"makeup remover\" category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/beauty-personal-care/makeup/makeup-remover.html?price=0-46.99", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 139 + }, + { + "sites": [ + "shopping" + ], + "task_id": 272, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show me products under ${{price}} in \"{{product_category}}\" category", + "instantiation_dict": { + "price": "78", + "product_category": "children dental care" + }, + "intent": "Show me products under $78 in \"children dental care\" category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/beauty-personal-care/oral-care/children-s-dental-care.html?price=0-78", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 139 + }, + { + "sites": [ + "shopping" + ], + "task_id": 273, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show me products under ${{price}} in \"{{product_category}}\" category", + "instantiation_dict": { + "price": "199", + "product_category": "furtiture with accent" + }, + "intent": "Show me products under $199 in \"furtiture with accent\" category", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/home-kitchen/furniture/accent-furniture.html?price=0-199", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 139 + }, + { + "sites": [ + "shopping" + ], + "task_id": 274, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Search for \"{{keyword}}\"", + "instantiation_dict": { + "keyword": "usb wifi" + }, + "intent": "Search for \"usb wifi\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/catalogsearch/result/?q=usb+wifi", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 212 + }, + { + "sites": [ + "shopping" + ], + "task_id": 275, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Search for \"{{keyword}}\"", + "instantiation_dict": { + "keyword": "xbox" + }, + "intent": "Search for \"xbox\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/catalogsearch/result/?q=xbox", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 212 + }, + { + "sites": [ + "shopping" + ], + "task_id": 276, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Search for \"{{keyword}}\"", + "instantiation_dict": { + "keyword": "switch accessories" + }, + "intent": "Search for \"switch accessories\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/catalogsearch/result/?q=switch+accessories", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 212 + }, + { + "sites": [ + "shopping" + ], + "task_id": 277, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Search for \"{{keyword}}\"", + "instantiation_dict": { + "keyword": "batteries for iphone 13" + }, + "intent": "Search for \"batteries for iphone 13\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/catalogsearch/result/?q=iphone+13", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 212 + }, + { + "sites": [ + "shopping" + ], + "task_id": 278, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Search for \"{{keyword}}\"", + "instantiation_dict": { + "keyword": "green tea bag for weight loss" + }, + "intent": "Search for \"green tea bag for weight loss\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/catalogsearch/result/?q=green+tea+bag+for+weight+loss", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 212 + }, + { + "sites": [ + "shopping" + ], + "task_id": 279, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Provide me with the complete names of Bluetooth headphones from Sony, and also share the price range for the available models", + "instantiation_dict": {}, + "intent": "Provide me with the complete names of Bluetooth headphones from Sony, and also share the price range for the available models", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "SONY WH1000XM3 Bluetooth Wireless Noise Canceling Headphones Silver WH-1000XM3/S (Renewed)", + "Sony WH-CH710N/H Wireless Bluetooth Noise Cancelling Headphones", + "Sony WH-1000XM3B Wireless Bluetooth Noise-Canceling Over-Ear Headphones (Black) Basic Headphone Bundle Kit with Stylus", + "Sony Wireless Headphones WH-CH510: Wireless Bluetooth On-Ear Headset with Mic for Phone-Call, Black", + "Sony WHCH710N Wireless Bluetooth Noise Canceling Over-The-Ear Headphones (Black) with Kratos 18W PD Two-Port Power Adapter and Kratos 6-Feet Nylon Braided USB-C Cable Bundle (3 Items)", + "Sony WI-SP500 Wireless in-Ear Sports Headphones, White (WISP500/W)", + "Sony WI-SP510 Extra BASS Wireless in-Ear Headset/Headphones with mic for Phone Call Sports IPX5 Bluetooth, Black (WISP510/B)", + "Sony MDRAS600BT Active Sports Bluetooth Headset (Black)", + "Sony WH-1000XM4 Wireless Noise Canceling Over-Ear Headphones (Black) with Sony WLA-NS7 Wireless TV Adapter Bundle (2 Items)", + "Sony WI-C300 Wireless In-Ear Headphones, Red (WIC300/R)", + "Sony XB950N1 Extra Bass Wireless Noise Canceling Headphones, Black", + "SONY - H900N Hi-Res Noise Cancelling Wireless Headphone Grayish Black Renewed", + "18.99", + "406" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "These models are avaiable: SONY WH1000XM3 Bluetooth Wireless Noise Canceling Headphones Silver WH-1000XM3/S (Renewed) Sony WH-CH710N/H Wireless Bluetooth Noise Cancelling Headphones Sony WH-1000XM3B Wireless Bluetooth Noise-Canceling Over-Ear Headphones (Black) Basic Headphone Bundle Kit with Stylus Sony Wireless Headphones WH-CH510: Wireless Bluetooth On-Ear Headset with Mic for Phone-Call, Black Sony WHCH710N Wireless Bluetooth Noise Canceling Over-The-Ear Headphones (Black) with Kratos 18W PD Two-Port Power Adapter and Kratos 6-Feet Nylon Braided USB-C Cable Bundle (3 Items) Sony WI-SP500 Wireless in-Ear Sports Headphones, White (WISP500/W) Sony WI-SP510 Extra BASS Wireless in-Ear Headset/Headphones with mic for Phone Call Sports IPX5 Bluetooth, Black (WISP510/B) Sony MDRAS600BT Active Sports Bluetooth Headset (Black) Sony WH-1000XM4 Wireless Noise Canceling Over-Ear Headphones (Black) with Sony WLA-NS7 Wireless TV Adapter Bundle (2 Items) Sony WI-C300 Wireless In-Ear Headphones, Red (WIC300/R) Sony XB950N1 Extra Bass Wireless Noise Canceling Headphones, Black SONY - H900N Hi-Res Noise Cancelling Wireless Headphone Grayish Black Renewed The price ranges from $18.99 to $406 " + }, + "intent_template_id": 204 + }, + { + "sites": [ + "shopping" + ], + "task_id": 280, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Provide me with the full names of chargers from Anker, and also share the price range for the available models", + "instantiation_dict": {}, + "intent": "Provide me with the full names of chargers from Anker, and also share the price range for the available models", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Anker USB C Charger 30W, 711 Charger, Compact Fast Charger (Not Foldable) for MacBook Air/iPhone 13/13 Mini/13 Pro/13 Pro Max/12, Galaxy S21, Note 20, iPad Pro, Pixel, and More", + "Anker USB C Charger 40W, 521 Charger (Nano Pro), PIQ 3.0 Durable Compact Fast Charger (Not Foldable) for iPhone 13/13 Mini/13 Pro/13 Pro Max/12, Galaxy, Pixel 4/3, iPad/iPad Mini (Cable Not Included)", + "Anker PowerCore Speed 20000, 20000mAh Qualcomm Quick Charge 3.0 & PowerIQ Portable Charger, with Quick Charge Recharging, Power Bank for Samsung, iPhone, iPad and More, Black (A1278)", + "5Ft Micro-USB Charger Cord Cable Fit for Anker-PowerCore 5000 10000 20100 13000 26800 Mini 3350 Fusion II 15000 Redux 20000 Slim 10000 Astro E1 AC Replacement Power Adapter Supply", + "Anker 10W Max Wireless Charger, 313 Wireless Charger (Pad), Qi-Certified Wireless Charging 7.5W for iPhone 12/12 Pro/12 mini/12 Pro Max, 10W for Galaxy S10 S9 S8, S9 Plus, Note 9 (No AC Adapter)", + "Anker Wireless Charger, 313 Wireless Charger (Stand), Qi-Certified for iPhone 12, 12 Pro Max, SE, 11, 11 Pro, 11 Pro Max, XR, XS Max, 10W Fast-Charging Galaxy S20, S10 (No AC Adapter)", + "USB Charger, Anker Elite Dual Port 24W Wall Charger, PowerPort 2 with PowerIQ and Foldable Plug, for iPhone 11/Xs/XS Max/XR/X/8/7/6/Plus, iPad Pro/Air 2/Mini 3/Mini 4, Samsung S4/S5, and More", + "iPhone 12 Charger [GaN Tech], Anker 30W Compact USB-C Wall Charger with Power Delivery, PowerPort Atom for iPhone 12 / Mini/Pro/Pro Max / 11 / X/XS/XR, iPad Pro, MacBook 12'', Pixel, Galaxy", + "USB C Charger, Anker 30W 2 Port Fast Charger with 18W USB C Power Adapter, Foldable PowerPort PD 2 Charger for iPad Pro, iPhone 11/11 Pro / 11 Pro Max/XS/Max/XR/X, Pixel, Galaxy, and More", + "Anker 40W 5-Port USB Wall Charger, PowerPort 5 for iPhone XS / XS Max / XR / X / 8 / 7 / 6 / Plus, iPad Pro / Air 2 / mini, Galaxy S9 / S8 / Edge / Plus, Note 8 / 7, LG, Nexus, HTC and More, Black (AK-A2124111)", + "Anker Quick Charge 3.0 39W Dual USB Wall Charger, PowerPort Speed 2 for Galaxy S10/S9/S8/Edge/Plus, Note 8/7 and PowerIQ for iPhone Xs/XS Max/XR/X/8/Plus, iPad Pro/Air 2/Mini, LG, Nexus, HTC and More", + "USB C Charger, Anker 20W PIQ 3.0 Fast Charger with Foldable Plug, PowerPort III Charger for iPhone 13/13 Mini/13 Pro/13 Pro Max/12/11, iPad/iPad Mini, MagSafe, and More (Cable Not Included)", + "8.99", + "59.99" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "These models are availiable: Anker USB C Charger 30W, 711 Charger, Compact Fast Charger (Not Foldable) for MacBook Air/iPhone 13/13 Mini/13 Pro/13 Pro Max/12, Galaxy S21, Note 20, iPad Pro, Pixel, and More Anker USB C Charger 40W, 521 Charger (Nano Pro), PIQ 3.0 Durable Compact Fast Charger (Not Foldable) for iPhone 13/13 Mini/13 Pro/13 Pro Max/12, Galaxy, Pixel 4/3, iPad/iPad Mini (Cable Not Included) Anker PowerCore Speed 20000, 20000mAh Qualcomm Quick Charge 3.0 & PowerIQ Portable Charger, with Quick Charge Recharging, Power Bank for Samsung, iPhone, iPad and More, Black (A1278) 5Ft Micro-USB Charger Cord Cable Fit for Anker-PowerCore 5000 10000 20100 13000 26800 Mini 3350 Fusion II 15000 Redux 20000 Slim 10000 Astro E1 AC Replacement Power Adapter Supply Anker 10W Max Wireless Charger, 313 Wireless Charger (Pad), Qi-Certified Wireless Charging 7.5W for iPhone 12/12 Pro/12 mini/12 Pro Max, 10W for Galaxy S10 S9 S8, S9 Plus, Note 9 (No AC Adapter) Anker Wireless Charger, 313 Wireless Charger (Stand), Qi-Certified for iPhone 12, 12 Pro Max, SE, 11, 11 Pro, 11 Pro Max, XR, XS Max, 10W Fast-Charging Galaxy S20, S10 (No AC Adapter) USB Charger, Anker Elite Dual Port 24W Wall Charger, PowerPort 2 with PowerIQ and Foldable Plug, for iPhone 11/Xs/XS Max/XR/X/8/7/6/Plus, iPad Pro/Air 2/Mini 3/Mini 4, Samsung S4/S5, and More iPhone 12 Charger [GaN Tech], Anker 30W Compact USB-C Wall Charger with Power Delivery, PowerPort Atom for iPhone 12 / Mini/Pro/Pro Max / 11 / X/XS/XR, iPad Pro, MacBook 12'', Pixel, Galaxy USB C Charger, Anker 30W 2 Port Fast Charger with 18W USB C Power Adapter, Foldable PowerPort PD 2 Charger for iPad Pro, iPhone 11/11 Pro / 11 Pro Max/XS/Max/XR/X, Pixel, Galaxy, and More Anker 40W 5-Port USB Wall Charger, PowerPort 5 for iPhone XS / XS Max / XR / X / 8 / 7 / 6 / Plus, iPad Pro / Air 2 / mini, Galaxy S9 / S8 / Edge / Plus, Note 8 / 7, LG, Nexus, HTC and More, Black (AK-A2124111) Anker Quick Charge 3.0 39W Dual USB Wall Charger, PowerPort Speed 2 for Galaxy S10/S9/S8/Edge/Plus, Note 8/7 and PowerIQ for iPhone Xs/XS Max/XR/X/8/Plus, iPad Pro/Air 2/Mini, LG, Nexus, HTC and More USB C Charger, Anker 20W PIQ 3.0 Fast Charger with Foldable Plug, PowerPort III Charger for iPhone 13/13 Mini/13 Pro/13 Pro Max/12/11, iPad/iPad Mini, MagSafe, and More (Cable Not Included) Magnetic Wireless Charger, Anker Wireless Charger with 5ft Built-in USB-C Cable, PowerWave Magnetic Pad, 7.5W Charging for iPhone 13 / 13 Pro / 13 Pro Max / 13 mini / 12 / 12 Pro (No AC Adapter) USB C Super Fast Charger, Anker 25W PD Wall Charger Fast Charging for Samsung Galaxy S21/S21+/S21 Ultra/S20/Z Flip/Note20/20 Ultra/Note10/10+/S9/S8/S10e, iPad Pro 12.9, and More (Cable not Included) The price ranges from $8.99 to $59.99" + }, + "intent_template_id": 204 + }, + { + "sites": [ + "shopping" + ], + "task_id": 281, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Please provide me with the complete product names of Oral B brush heads designed for children, along with their corresponding price range per brush", + "instantiation_dict": {}, + "intent": "Please provide me with the complete product names of Oral B brush heads designed for children, along with their corresponding price range per brush", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Oral-B Kids Extra Soft Replacement Brush Heads featuring STAR WARS, 2 count", + "Kids By Oral-b Stages Power Star Wars Replacement Heads 4 Pack", + "3.745", + "6.495" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "These models are availiable: Oral-B Kids Extra Soft Replacement Brush Heads featuring STAR WARS, 2 count Kids By Oral-b Stages Power Star Wars Replacement Heads 4 Pack The price ranges from $3.745 to $6.495 " + }, + "intent_template_id": 204 + }, + { + "sites": [ + "shopping" + ], + "task_id": 282, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "List the full product names of slide slippers from Nike and tell me the price range of the available products", + "instantiation_dict": {}, + "intent": "List the full product names of slide slippers from Nike and tell me the price range of the available products", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Nike Men's Air Max Camden Slide Sandal", + "Nike Men's Benassi JDI Fanny Pack Slides", + "Nike Victori One Mens Comfort Slide Cn9675-003 (Midnight Navy/Midnight Navy/White, Numeric_10)", + "Nike Offcourt Slide Mens Bq4639-002 Size 12", + "Nike Jordan Men's Break Slide Red AR6374-602", + "Nike Victori One Slide Mens Style : Dd9559-300", + "Nike Men's Benassi Solarsoft Slide Athletic Sandal (Black/White, numeric_14)", + "Nike Men's Benassi Solarsoft Slide Athletic Sandal (Midnight Navy/Blue, numeric_8)", + "Nike womens Benassi Just Do It", + "27.6", + "90.65" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "These models are availiable: Nike Men's Air Max Camden Slide Sandal Nike Men's Benassi JDI Fanny Pack Slides Nike Victori One Mens Comfort Slide Cn9675-003 (Midnight Navy/Midnight Navy/White, Numeric_10) Nike Offcourt Slide Mens Bq4639-002 Size 12 Nike Jordan Men's Break Slide Red AR6374-602 Nike Victori One Slide Mens Style : Dd9559-300 Nike Men's Benassi Solarsoft Slide Athletic Sandal (Black/White, numeric_14) Nike Men's Benassi Solarsoft Slide Athletic Sandal (Midnight Navy/Blue, numeric_8) Nike womens Benassi Just Do It The price ranges from $27.6 to $90.65" + }, + "intent_template_id": 204 + }, + { + "sites": [ + "shopping" + ], + "task_id": 283, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Look up the most recent models of XBox controllers released between 2020-2021?", + "instantiation_dict": {}, + "intent": "Look up the most recent models of XBox controllers released between 2020-2021?", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/microsoft-xbox-controller-carbon-black-for-series-x-series-s-xbox-one-windows-10-android-ios-bundled-with-dual-port-charging-dock-xbox-controller-skin-voucher-premgear-cloth.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 210 + }, + { + "sites": [ + "shopping" + ], + "task_id": 284, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show the least expensive {{product}} with a minimum storage capacity of {{min_storage}}.", + "instantiation_dict": { + "product": "shoe storage", + "min_storage": "12 pairs" + }, + "intent": "Show the least expensive shoe storage with a minimum storage capacity of 12 pairs.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/onlyeasy-over-the-door-shoe-storage-organizer-hanging-shoe-rack-holder-with-24-large-fabric-pockets-22-1-x-61-4-herringbone-grey-mxrodsb1p.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 207 + }, + { + "sites": [ + "shopping" + ], + "task_id": 285, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show the least expensive {{product}} with a minimum storage capacity of {{min_storage}}.", + "instantiation_dict": { + "product": "switch card holder", + "min_storage": "15 cards" + }, + "intent": "Show the least expensive switch card holder with a minimum storage capacity of 15 cards.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/game-card-holder-storage-case-for-nintendo-switch-games-or-ps-vita-game-case-or-sd-memory-cards-black.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 207 + }, + { + "sites": [ + "shopping" + ], + "task_id": 286, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show the least expensive {{product}} with a minimum storage capacity of {{min_storage}}.", + "instantiation_dict": { + "product": "ssd hard drive", + "min_storage": "1TB" + }, + "intent": "Show the least expensive ssd hard drive with a minimum storage capacity of 1TB.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/external-hard-drive-2tb-ultra-thin-external-hard-drive-2000gb-ultra-high-speed-portable-3-1-type-c-storage-drive-compatible-with-pc-laptop-and-mac-2tb-a1.html", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 207 + }, + { + "sites": [ + "map" + ], + "task_id": 287, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "How much time does it take from Pittsburgh to Philadelphia by car?", + "instantiation_dict": {}, + "intent": "How much time does it take from Pittsburgh to Philadelphia by car?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "5h 47min" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "5h 47min" + }, + "intent_template_id": 47 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 288, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the customer who has the most cancellations in the history", + "instantiation_dict": { + "attribute": "name" + }, + "intent": "Tell me the name of the customer who has the most cancellations in the history", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Samantha Jones" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Samantha Jones" + }, + "intent_template_id": 234 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 289, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the customer who has the most cancellations in the history", + "instantiation_dict": { + "attribute": "email address, name, phone number" + }, + "intent": "Tell me the email address, name, phone number of the customer who has the most cancellations in the history", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "email: coolcat321@hotmail.com", + "name: Samantha Jones", + "phone number: 3055551212" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "email: coolcat321@hotmail.com name: Samantha Jones phone number: 3055551212" + }, + "intent_template_id": 234 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 290, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the customer who has the most cancellations in the history", + "instantiation_dict": { + "attribute": "product SKUs in the most recent cancelled orders" + }, + "intent": "Tell me the product SKUs in the most recent cancelled orders of the customer who has the most cancellations in the history", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "WSH09-29-White", + "WSH09-28-Green", + "MSH11-34-Blue", + "WP09-29-Purple" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "WSH09-29-White,WSH09-28-Green,MSH11-34-Blue,WP09-29-Purple" + }, + "intent_template_id": 234 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 291, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the customer who has the most cancellations in the history", + "instantiation_dict": { + "attribute": "total spend on products in the most recent cancelled orders" + }, + "intent": "Tell me the total spend on products in the most recent cancelled orders of the customer who has the most cancellations in the history", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "148" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "$148" + }, + "intent_template_id": 234 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 292, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the customer who has the most cancellations in the history", + "instantiation_dict": { + "attribute": "total number of cancellations" + }, + "intent": "Tell me the total number of cancellations of the customer who has the most cancellations in the history", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "9" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "9" + }, + "intent_template_id": 234 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 293, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Show me the command to clone {{repo}} with SSH.", + "instantiation_dict": { + "repo": "Super_Awesome_Robot" + }, + "intent": "Show me the command to clone Super_Awesome_Robot with SSH.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/convexegg/super_awesome_robot.git" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/convexegg/super_awesome_robot.git" + }, + "intent_template_id": 329 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 294, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Show me the command to clone {{repo}} with SSH.", + "instantiation_dict": { + "repo": "ChatGPT" + }, + "intent": "Show me the command to clone ChatGPT with SSH.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/convexegg/chatgpt.git" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/convexegg/chatgpt.git" + }, + "intent_template_id": 329 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 295, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Show me the command to clone {{repo}} with SSH.", + "instantiation_dict": { + "repo": "metaseq" + }, + "intent": "Show me the command to clone metaseq with SSH.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/root/metaseq.git" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "git clone ssh://git@metis.lti.cs.cmu.edu:2222/root/metaseq.git" + }, + "intent_template_id": 329 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 296, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Show me the command to clone {{repo}} with SSH.", + "instantiation_dict": { + "repo": "the best GAN python implementation" + }, + "intent": "Show me the command to clone the best GAN python implementation with SSH.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "ssh://git@metis.lti.cs.cmu.edu:2222/eriklindernoren/PyTorch-GAN.git" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "ssh://git@metis.lti.cs.cmu.edu:2222/eriklindernoren/PyTorch-GAN.git" + }, + "intent_template_id": 329 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 297, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Show me the command to clone {{repo}} with SSH.", + "instantiation_dict": { + "repo": "the most stared Covid location tracker" + }, + "intent": "Show me the command to clone the most stared Covid location tracker with SSH.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "ssh://git@metis.lti.cs.cmu.edu:2222/yjlou/2019-nCov.git" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "ssh://git@metis.lti.cs.cmu.edu:2222/yjlou/2019-nCov.git" + }, + "intent_template_id": 329 + }, + { + "sites": [ + "shopping" + ], + "task_id": 298, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show the most recent {{status}} order", + "instantiation_dict": { + "status": "completed" + }, + "intent": "Show the most recent completed order", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/sales/order/view/order_id/180/", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 180 + }, + { + "sites": [ + "shopping" + ], + "task_id": 299, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show the most recent {{status}} order", + "instantiation_dict": { + "status": "cancelled" + }, + "intent": "Show the most recent cancelled order", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/sales/order/view/order_id/170/", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 180 + }, + { + "sites": [ + "shopping" + ], + "task_id": 300, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show the most recent {{status}} order", + "instantiation_dict": { + "status": "pending" + }, + "intent": "Show the most recent pending order", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/sales/order/view/order_id/189/", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 180 + }, + { + "sites": [ + "shopping" + ], + "task_id": 301, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show the most recent {{status}} order", + "instantiation_dict": { + "status": "processing" + }, + "intent": "Show the most recent processing order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": {"fuzzy_match": "N/A"}, + "reference_url": "", + "program_html": [], + "string_note": "there is no order in processing" + }, + "intent_template_id": 180 + }, + { + "sites": [ + "shopping" + ], + "task_id": 302, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show the most recent {{status}} order", + "instantiation_dict": { + "status": "out of delivery" + }, + "intent": "Show the most recent out of delivery order", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": {"fuzzy_match": "N/A"}, + "reference_url": "", + "program_html": [], + "string_note": "there is no order in processing" + }, + "intent_template_id": 180 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 303, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make {{period}}?", + "instantiation_dict": { + "user": "Kilian", + "period": "durning 2023" + }, + "intent": "How many commits did Kilian make durning 2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "1" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1" + }, + "intent_template_id": 321 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 304, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make {{period}}?", + "instantiation_dict": { + "user": "Eric", + "period": "between Feb 2023 and May 2023" + }, + "intent": "How many commits did Eric make between Feb 2023 and May 2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "14" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "14" + }, + "intent_template_id": 321 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 305, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make {{period}}?", + "instantiation_dict": { + "user": "Philip", + "period": "in 2023/1" + }, + "intent": "How many commits did Philip make in 2023/1?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 321 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 306, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make {{period}}?", + "instantiation_dict": { + "user": "Anthony", + "period": "between 08/2022-09/2022" + }, + "intent": "How many commits did Anthony make between 08/2022-09/2022?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 321 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 307, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "How many commits did {{user}} make {{period}}?", + "instantiation_dict": { + "user": "Nic", + "period": "in April 2021" + }, + "intent": "How many commits did Nic make in April 2021?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "16" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "16" + }, + "intent_template_id": 321 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 308, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Tell me who has made the most contributions, in terms of number of commits, to the {{repo}} project", + "instantiation_dict": { + "repo": "primer/design" + }, + "intent": "Tell me who has made the most contributions, in terms of number of commits, to the primer/design project", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Shawn Allen" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Shawn Allen" + }, + "intent_template_id": 323 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 309, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Tell me who has made the most contributions, in terms of number of commits, to the {{repo}} project", + "instantiation_dict": { + "repo": "thoughtbot/administrate" + }, + "intent": "Tell me who has made the most contributions, in terms of number of commits, to the thoughtbot/administrate project", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Grayson Wright" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Grayson Wright" + }, + "intent_template_id": 323 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 310, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Tell me who has made the most contributions, in terms of number of commits, to the {{repo}} project", + "instantiation_dict": { + "repo": "AndroidSlidingUpPanel" + }, + "intent": "Tell me who has made the most contributions, in terms of number of commits, to the AndroidSlidingUpPanel project", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "tokudu" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "tokudu" + }, + "intent_template_id": 323 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 311, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Tell me who has made the most contributions, in terms of number of commits, to the {{repo}} project", + "instantiation_dict": { + "repo": "Pytorch GAN" + }, + "intent": "Tell me who has made the most contributions, in terms of number of commits, to the Pytorch GAN project", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Erik Linder-Nor\u00e9n" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Erik Linder-Nor\u00e9n" + }, + "intent_template_id": 323 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 312, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Tell me who has made the most contributions, in terms of number of commits, to the {{repo}} project", + "instantiation_dict": { + "repo": "csvkit" + }, + "intent": "Tell me who has made the most contributions, in terms of number of commits, to the csvkit project", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "Christopher Groskopf" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Christopher Groskopf" + }, + "intent_template_id": 323 + }, + { + "sites": [ + "shopping" + ], + "task_id": 313, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Which number to call for the customer service?", + "instantiation_dict": {}, + "intent": "Which number to call for the customer service?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no phone number in the website", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 134 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 314, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "List the {{attribute}} of the top 3 contributors to {{repo}} repo, ranked by the number of commits?", + "instantiation_dict": { + "repo": "prime/design", + "attribute": "name" + }, + "intent": "List the name of the top 3 contributors to prime/design repo, ranked by the number of commits?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Shawn Allen", + "Inayaili Le\u00f3n", + "Aurora Pleguezuelo" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Shawn Allen, Inayaili Le\u00f3n, Aurora Pleguezuelo" + }, + "intent_template_id": 324 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 315, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "List the {{attribute}} of the top 3 contributors to {{repo}} repo, ranked by the number of commits?", + "instantiation_dict": { + "repo": "Pytorch GAN", + "attribute": "email address" + }, + "intent": "List the email address of the top 3 contributors to Pytorch GAN repo, ranked by the number of commits?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "eriklindernoren@live.se", + "eriklindernoren@gmail.com", + "pinnacle.chen@qq.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "eriklindernoren@live.se, eriklindernoren@gmail.com, pinnacle.chen@qq.com" + }, + "intent_template_id": 324 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 316, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "List the {{attribute}} of the top 3 contributors to {{repo}} repo, ranked by the number of commits?", + "instantiation_dict": { + "repo": "facebook's guide on building react apps", + "attribute": "name" + }, + "intent": "List the name of the top 3 contributors to facebook's guide on building react apps repo, ranked by the number of commits?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Ian Sutherland", + "Joe Hadda", + "Dan Abramov" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Ian Sutherland, Joe Hadda, Dan Abramov" + }, + "intent_template_id": 324 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 317, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "List the {{attribute}} of the top 3 contributors to {{repo}} repo, ranked by the number of commits?", + "instantiation_dict": { + "repo": "metaseq", + "attribute": "name and number of commits" + }, + "intent": "List the name and number of commits of the top 3 contributors to metaseq repo, ranked by the number of commits?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Susan Zhang: 70", + "Stephen Roller: 51", + "Peter Albert: 12" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Susan Zhang: 70, Stephen Roller: 51, Peter Albert: 12" + }, + "intent_template_id": 324 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 318, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "List the {{attribute}} of the top 3 contributors to {{repo}} repo, ranked by the number of commits?", + "instantiation_dict": { + "repo": "2019-nCov", + "attribute": "last names" + }, + "intent": "List the last names of the top 3 contributors to 2019-nCov repo, ranked by the number of commits?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Lo", + "Chen", + "Chu" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lo, Chen, Chu" + }, + "intent_template_id": 324 + }, + { + "sites": [ + "shopping" + ], + "task_id": 319, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "How much refund I should expect from my order canlled in {{time}}, including shipping fee", + "instantiation_dict": { + "time": "April 2022" + }, + "intent": "How much refund I should expect from my order canlled in April 2022, including shipping fee", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 160 + }, + { + "sites": [ + "shopping" + ], + "task_id": 320, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "How much refund I should expect from my order canlled in {{time}}, including shipping fee", + "instantiation_dict": { + "time": "Feb 2023" + }, + "intent": "How much refund I should expect from my order canlled in Feb 2023, including shipping fee", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "406.53" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "406.53" + }, + "intent_template_id": 160 + }, + { + "sites": [ + "shopping" + ], + "task_id": 321, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "How much refund I should expect from my order canlled in {{time}}, including shipping fee", + "instantiation_dict": { + "time": "2022" + }, + "intent": "How much refund I should expect from my order canlled in 2022, including shipping fee", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "3053.97" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "3053.97" + }, + "intent_template_id": 160 + }, + { + "sites": [ + "shopping" + ], + "task_id": 322, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "How much refund I should expect from my order canlled in {{time}} if I cannot get the shipping fee refunded?", + "instantiation_dict": { + "time": "May 2023" + }, + "intent": "How much refund I should expect from my order canlled in May 2023 if I cannot get the shipping fee refunded?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "350.42" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "350.42" + }, + "intent_template_id": 160 + }, + { + "sites": [ + "shopping" + ], + "task_id": 323, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "How much refund I should expect from my order canlled in {{time}}? I only kept the AC-DC Adapter and the shop told me that I cannot get the shipping fee back", + "instantiation_dict": { + "time": "2022/03" + }, + "intent": "How much refund I should expect from my order canlled in 2022/03? I only kept the AC-DC Adapter and the shop told me that I cannot get the shipping fee back", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "264.49" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "264.49" + }, + "intent_template_id": 160 + }, + { + "sites": [ + "shopping" + ], + "task_id": 324, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show me the \"{{product}}\" listings by {{sorting_order}}.", + "instantiation_dict": { + "product": "chairs", + "sorting_order": "ascending price" + }, + "intent": "Show me the \"chairs\" listings by ascending price.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/catalogsearch/result/index/?product_list_order=price&q=chairs&product_list_dir=asc", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 208 + }, + { + "sites": [ + "shopping" + ], + "task_id": 325, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show me the \"{{product}}\" listings by {{sorting_order}}.", + "instantiation_dict": { + "product": "mouth night guard", + "sorting_order": "descending price" + }, + "intent": "Show me the \"mouth night guard\" listings by descending price.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/catalogsearch/result/index/?q=mouth%20night%20guard%20&product_list_order=price", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 208 + }, + { + "sites": [ + "shopping" + ], + "task_id": 326, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show me the \"{{product}}\" listings by {{sorting_order}}.", + "instantiation_dict": { + "product": "Canon photo printer", + "sorting_order": "search relevance, from most to least" + }, + "intent": "Show me the \"Canon photo printer\" listings by search relevance, from most to least.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/catalogsearch/result/?q=Canon+photo+printer", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 208 + }, + { + "sites": [ + "shopping" + ], + "task_id": 327, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show me the \"{{product}}\" listings by {{sorting_order}}.", + "instantiation_dict": { + "product": "iphone 12 phone case", + "sorting_order": "name alphabetically" + }, + "intent": "Show me the \"iphone 12 phone case\" listings by name alphabetically.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/catalogsearch/result/index/?q=%20iphone%2012%20phone%20case&product_list_order=name", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 208 + }, + { + "sites": [ + "shopping" + ], + "task_id": 328, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show me the \"{{product}}\" listings by {{sorting_order}}.", + "instantiation_dict": { + "product": "iphone 12 phone case", + "sorting_order": "price" + }, + "intent": "Show me the \"iphone 12 phone case\" listings by price.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/catalogsearch/result/index/?product_list_order=price&q=%20iphone%2012%20phone%20case", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 208 + }, + { + "sites": [ + "shopping" + ], + "task_id": 329, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "How much I spend {{time}} on shopping at One Stop Market?", + "instantiation_dict": { + "time": "on 4/19/2023" + }, + "intent": "How much I spend on 4/19/2023 on shopping at One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 147 + }, + { + "sites": [ + "shopping" + ], + "task_id": 330, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "How much I spend {{time}} on shopping at One Stop Market?", + "instantiation_dict": { + "time": "in March 2023" + }, + "intent": "How much I spend in March 2023 on shopping at One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "81.31" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "81.31" + }, + "intent_template_id": 147 + }, + { + "sites": [ + "shopping" + ], + "task_id": 331, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "How much I spend {{time}} on shopping at One Stop Market?", + "instantiation_dict": { + "time": "in July 2022" + }, + "intent": "How much I spend in July 2022 on shopping at One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "40.16" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "40.16" + }, + "intent_template_id": 147 + }, + { + "sites": [ + "shopping" + ], + "task_id": 332, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "How much I spend {{time}} on shopping at One Stop Market?", + "instantiation_dict": { + "time": "each month from Jan to the end of March 2023" + }, + "intent": "How much I spend each month from Jan to the end of March 2023 on shopping at One Stop Market?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "Jan: 572.8", + "Feb: 762.18", + "Mar: 83.31" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Jan: 572.8\nFeb: 762.18\nMar: 83.31" + }, + "intent_template_id": 147 + }, + { + "sites": [ + "shopping" + ], + "task_id": 333, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "How much did I spend on shopping at One Stop Market {{time}}? They gave me a 20% discount on the total amount for orders exceeding $200 in cash", + "instantiation_dict": { + "time": "on November 2022" + }, + "intent": "How much did I spend on shopping at One Stop Market on November 2022? They gave me a 20% discount on the total amount for orders exceeding $200 in cash", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "359.546" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "359.546" + }, + "intent_template_id": 147 + }, + { + "sites": [ + "shopping" + ], + "task_id": 334, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Tell me when I last ordered my {{description}}?", + "instantiation_dict": { + "description": "muffin cornbread mix" + }, + "intent": "Tell me when I last ordered my muffin cornbread mix?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "March 11th 2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "March 11th 2023" + }, + "intent_template_id": 169 + }, + { + "sites": [ + "shopping" + ], + "task_id": 335, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Tell me when I last ordered my {{description}}?", + "instantiation_dict": { + "description": "body butter" + }, + "intent": "Tell me when I last ordered my body butter?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "January 16th 2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "January 16th 2023" + }, + "intent_template_id": 169 + }, + { + "sites": [ + "shopping" + ], + "task_id": 336, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Tell me when I last ordered my {{description}}?", + "instantiation_dict": { + "description": "conditioner" + }, + "intent": "Tell me when I last ordered my conditioner?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "January 16th 2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "January 16th 2023" + }, + "intent_template_id": 169 + }, + { + "sites": [ + "shopping" + ], + "task_id": 337, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Tell me when I last ordered my {{description}}?", + "instantiation_dict": { + "description": "bread olive" + }, + "intent": "Tell me when I last ordered my bread olive?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "December 12th 2022" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "December 12th 2022" + }, + "intent_template_id": 169 + }, + { + "sites": [ + "shopping" + ], + "task_id": 338, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Tell me when I last ordered my {{description}}?", + "instantiation_dict": { + "description": "toothpaste" + }, + "intent": "Tell me when I last ordered my toothpaste?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "December 4th 2022" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "December 4th 2022" + }, + "intent_template_id": 169 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 339, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "List all opened issues {{description}}", + "instantiation_dict": { + "description": "that report bugs" + }, + "intent": "List all opened issues that report bugs", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/a11yproject/a11yproject.com/-/issues/?label_name%5B%5D=bug", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 299 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 340, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/primer/design", + "geolocation": null, + "intent_template": "List all opened issues {{description}}", + "instantiation_dict": { + "description": "that report bugs" + }, + "intent": "List all opened issues that report bugs", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/primer/design/-/issues/?label_name%5B%5D=type%3A%20bug%20%F0%9F%90%9E", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 299 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 341, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/root/metaseq", + "geolocation": null, + "intent_template": "List all opened issues {{description}}", + "instantiation_dict": { + "description": "requesting new features" + }, + "intent": "List all opened issues requesting new features", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/root/metaseq/-/issues/?label_name%5B%5D=enhancement", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 299 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 342, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/root/metaseq", + "geolocation": null, + "intent_template": "List all opened issues {{description}}", + "instantiation_dict": { + "description": "that ask about OPT model related questions" + }, + "intent": "List all opened issues that ask about OPT model related questions", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/root/metaseq/-/issues/?search=OPT&label_name%5B%5D=question", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 299 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 343, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/root/metaseq", + "geolocation": null, + "intent_template": "List all opened issues {{description}}", + "instantiation_dict": { + "description": "that don't have any labels" + }, + "intent": "List all opened issues that don't have any labels", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/root/metaseq/-/issues/?label_name%5B%5D=None", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 299 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 344, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "How many reviews our shop received {{time}}?", + "instantiation_dict": { + "time": "by far" + }, + "intent": "How many reviews our shop received by far?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "351" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "351" + }, + "intent_template_id": 248 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 345, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "How many reviews our shop received {{time}}?", + "instantiation_dict": { + "time": "in Apr 2023" + }, + "intent": "How many reviews our shop received in Apr 2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "351" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "351" + }, + "intent_template_id": 248 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 346, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "How many reviews our shop received {{time}}?", + "instantiation_dict": { + "time": "during 2022" + }, + "intent": "How many reviews our shop received during 2022?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 248 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 347, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "How many reviews our shop received {{time}}?", + "instantiation_dict": { + "time": "from the beginning of the shop" + }, + "intent": "How many reviews our shop received from the beginning of the shop?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "351" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "351" + }, + "intent_template_id": 248 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 348, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "How many reviews our shop received {{time}}?", + "instantiation_dict": { + "time": "in May 2023" + }, + "intent": "How many reviews our shop received in May 2023?", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 248 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 349, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Who else have access to my repo {{repo}}, show me their usernames", + "instantiation_dict": { + "repo": "gimmiethat.space" + }, + "intent": "Who else have access to my repo gimmiethat.space, show me their usernames", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "yjlou" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "yjlou" + }, + "intent_template_id": 298 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 350, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Who else have access to my repo {{repo}}, show me their usernames", + "instantiation_dict": { + "repo": "prism-theme" + }, + "intent": "Who else have access to my repo prism-theme, show me their usernames", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "abisubramanya27" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Abishek S, abisubramanya27" + }, + "intent_template_id": 298 + }, + { + "sites": [ + "shopping" + ], + "task_id": 351, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "List products from {{product_category}} category by {{order}} price", + "instantiation_dict": { + "product_category": "PS4 accessories", + "order": "ascending" + }, + "intent": "List products from PS4 accessories category by ascending price", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/video-games/playstation-4/accessories.html?product_list_order=price", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 137 + }, + { + "sites": [ + "shopping" + ], + "task_id": 352, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "List products from {{product_category}} category by {{order}} price", + "instantiation_dict": { + "product_category": "nutrition bars and drinks", + "order": "ascending" + }, + "intent": "List products from nutrition bars and drinks category by ascending price", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/health-household/diet-sports-nutrition/nutrition-bars-drinks.html?product_list_order=price", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 137 + }, + { + "sites": [ + "shopping" + ], + "task_id": 353, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "List products from {{product_category}} category by {{order}} price", + "instantiation_dict": { + "product_category": "competative swimwear", + "order": "ascending" + }, + "intent": "List products from competative swimwear category by ascending price", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/clothing-shoes-jewelry/sport-specific-clothing/competitive-swimwear.html?product_list_order=price", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 137 + }, + { + "sites": [ + "shopping" + ], + "task_id": 354, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "List products from {{product_category}} category by {{order}} price", + "instantiation_dict": { + "product_category": "living room furtniture", + "order": "descending" + }, + "intent": "List products from living room furtniture category by descending price", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/home-kitchen/furniture/living-room-furniture.html?product_list_order=price&product_list_dir=desc", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 137 + }, + { + "sites": [ + "shopping" + ], + "task_id": 355, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "List products from {{product_category}} category by {{order}} price", + "instantiation_dict": { + "product_category": "kids' bedding", + "order": "descending" + }, + "intent": "List products from kids' bedding category by descending price", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/home-kitchen/bedding/kids-bedding.html?product_list_dir=desc", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 137 + }, + { + "sites": [ + "map" + ], + "task_id": 356, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Show the route from SCS CMU in Pittsburgh to the location where the Declaration of Independence and Constitution were signed", + "instantiation_dict": {}, + "intent": "Show the route from SCS CMU in Pittsburgh to the location where the Declaration of Independence and Constitution were signed", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Gates and Hillman Centers", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Independence Hall", + "Philadelphia" + ] + } + } + ] + }, + "intent_template_id": 49 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 357, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Checkout merge requests requiring my review", + "instantiation_dict": {}, + "intent": "Checkout merge requests requiring my review", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/dashboard/merge_requests?reviewer_username=byteblaze", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 291 + }, + { + "sites": [ + "shopping" + ], + "task_id": 358, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show me the {{info}} for order number {{order_number}}.", + "instantiation_dict": { + "info": "shipping method", + "order_number": 187 + }, + "intent": "Show me the shipping method for order number 187.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Flat Rate - Fixed" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Flat Rate - Fixed" + }, + "intent_template_id": 206 + }, + { + "sites": [ + "shopping" + ], + "task_id": 359, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show me the {{info}} for order number {{order_number}}.", + "instantiation_dict": { + "info": "order date", + "order_number": "148" + }, + "intent": "Show me the order date for order number 148.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "1/29/2023" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1/29/2023" + }, + "intent_template_id": 206 + }, + { + "sites": [ + "shopping" + ], + "task_id": 360, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show me the {{info}} for order number {{order_number}}.", + "instantiation_dict": { + "info": "product names", + "order_number": "148" + }, + "intent": "Show me the product names for order number 148.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Bornbridge Artificial Spiral Topiary Tree - Indoor / Outdoor Topiary Trees - Artificial Outdoor Plants (2 Pack, 4' Cypress)", + "Russound 5B45W 4\" Indoor Outdoor Speakers White" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Bornbridge Artificial Spiral Topiary Tree - Indoor / Outdoor Topiary Trees - Artificial Outdoor Plants (2 Pack, 4' Cypress), Russound 5B45W 4\" Indoor Outdoor Speakers White" + }, + "intent_template_id": 206 + }, + { + "sites": [ + "shopping" + ], + "task_id": 361, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show me the {{info}} for order number {{order_number}}.", + "instantiation_dict": { + "info": "order statuses", + "order_number": "170 and 189" + }, + "intent": "Show me the order statuses for order number 170 and 189.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": [ + "170: cancelled", + "189: pending" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "170: cancelled, 189: pending" + }, + "intent_template_id": 206 + }, + { + "sites": [ + "shopping" + ], + "task_id": 362, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Show me the {{info}} for order number {{order_number}}.", + "instantiation_dict": { + "info": "billing address", + "order_number": "00178" + }, + "intent": "Show me the billing address for order number 00178.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "101 S San Mateo Dr", + "San Mateo", + "California", + "94010", + "United States" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Emma Lopez, 101 S San Mateo Dr, San Mateo, California, 94010, United States" + }, + "intent_template_id": 206 + }, + { + "sites": [ + "map" + ], + "task_id": 363, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Measure distance between {{location/address_1}} and {{location/address_2}} by walking", + "instantiation_dict": { + "location/address_1": "Carnegie Mellon University", + "location/address_2": "Carnegie Music Hall" + }, + "intent": "Measure distance between Carnegie Mellon University and Carnegie Music Hall by walking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "748m" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "748m" + }, + "intent_template_id": 58 + }, + { + "sites": [ + "map" + ], + "task_id": 364, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Measure distance between {{location/address_1}} and {{location/address_2}} by walking", + "instantiation_dict": { + "location/address_1": "Carnegie Mellon University", + "location/address_2": "UPMC Shadyside" + }, + "intent": "Measure distance between Carnegie Mellon University and UPMC Shadyside by walking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "1.7km" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1.7km" + }, + "intent_template_id": 58 + }, + { + "sites": [ + "map" + ], + "task_id": 365, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Measure distance between {{location/address_1}} and {{location/address_2}} by walking", + "instantiation_dict": { + "location/address_1": "Carnegie Music Hall", + "location/address_2": "UPMC Shadyside" + }, + "intent": "Measure distance between Carnegie Music Hall and UPMC Shadyside by walking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "2.2km" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "2.2km" + }, + "intent_template_id": 58 + }, + { + "sites": [ + "map" + ], + "task_id": 366, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Measure distance between {{location/address_1}} and {{location/address_2}} by walking", + "instantiation_dict": { + "location/address_1": "CVS (closet one)", + "location/address_2": "UPMC Shadyside" + }, + "intent": "Measure distance between CVS (closet one) and UPMC Shadyside by walking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "1.2km" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1.2km" + }, + "intent_template_id": 58 + }, + { + "sites": [ + "map" + ], + "task_id": 367, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Measure distance between {{location/address_1}} and {{location/address_2}} by walking", + "instantiation_dict": { + "location/address_1": "Carnegie Mellon University", + "location/address_2": "CVS (closet one)" + }, + "intent": "Measure distance between Carnegie Mellon University and CVS (closet one) by walking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "exact_match": "1.4km" + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "1.4km" + }, + "intent_template_id": 58 + }, + { + "sites": [ + "shopping" + ], + "task_id": 368, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "find discounted items.", + "instantiation_dict": {}, + "intent": "find discounted items.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no function to show only discount items", + "reference_answer_raw_annotation": "There is no function to show only discount items." + }, + "intent_template_id": 188 + }, + { + "sites": [ + "map" + ], + "task_id": 369, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Pull up the description page of {{location}} on Map", + "instantiation_dict": { + "location": "Carnegie Music Hall" + }, + "intent": "Pull up the description page of Carnegie Music Hall on Map", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Carnegie Music Hall" + ] + } + } + ] + }, + "intent_template_id": 52 + }, + { + "sites": [ + "map" + ], + "task_id": 370, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Pull up the description page of {{location}} on Map", + "instantiation_dict": { + "location": "Carnegie Mellon University" + }, + "intent": "Pull up the description page of Carnegie Mellon University on Map", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Carnegie Mellon University" + ] + } + } + ] + }, + "intent_template_id": 52 + }, + { + "sites": [ + "map" + ], + "task_id": 371, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Pull up the description page of {{location}} on Map", + "instantiation_dict": { + "location": "Piada restaurant near Pitt" + }, + "intent": "Pull up the description page of Piada restaurant near Pitt on Map", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Piada Italian Street Food", + "Forbes Avenue" + ] + } + } + ] + }, + "intent_template_id": 52 + }, + { + "sites": [ + "map" + ], + "task_id": 372, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Pull up the description page of {{location}} on Map", + "instantiation_dict": { + "location": "the Costco in Pittsburhg near a river" + }, + "intent": "Pull up the description page of the Costco in Pittsburhg near a river on Map", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Costco", + "Waterfront Drive West" + ] + } + } + ] + }, + "intent_template_id": 52 + }, + { + "sites": [ + "map" + ], + "task_id": 373, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Pull up the description page of {{location}} on Map", + "instantiation_dict": { + "location": "Whole Foods near Carnegie Mellon" + }, + "intent": "Pull up the description page of Whole Foods near Carnegie Mellon on Map", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": null, + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Whole Foods", + "East Liberty" + ] + } + } + ] + }, + "intent_template_id": 52 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 374, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Preview the {{name}} theme for my shop", + "instantiation_dict": { + "name": "Magento Blank" + }, + "intent": "Preview the Magento Blank theme for my shop", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/admin/system_design_theme/edit/id/1", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 266 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 375, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Preview the {{name}} theme for my shop", + "instantiation_dict": { + "name": "Magento Luma" + }, + "intent": "Preview the Magento Luma theme for my shop", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/admin/system_design_theme/edit/id/3/key/", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 266 + }, + { + "sites": [ + "shopping" + ], + "task_id": 376, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Summarize customer reviews for {{product}}.", + "instantiation_dict": { + "product": "Amazon Echo Dot 3rd generation" + }, + "intent": "Summarize customer reviews for Amazon Echo Dot 3rd generation.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no review for this product", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 182 + }, + { + "sites": [ + "map" + ], + "task_id": 377, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the {{space}} around {{location}}", + "instantiation_dict": { + "location": "CMU ArtPark Lab", + "space": "resturants" + }, + "intent": "Find the resturants around CMU ArtPark Lab", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__MAP__/search?query=restaurants%20near%20CMU%20ArtPark%20Lab", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 59 + }, + { + "sites": [ + "map" + ], + "task_id": 378, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the {{space}} around {{location}}", + "instantiation_dict": { + "location": "CMU main campus", + "space": "parking" + }, + "intent": "Find the parking around CMU main campus", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__MAP__/search?query=parking%20near%20carnegie%20mellon%20university", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 59 + }, + { + "sites": [ + "map" + ], + "task_id": 379, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the {{space}} around {{location}}", + "instantiation_dict": { + "location": "CMU main campus", + "space": "hotel" + }, + "intent": "Find the hotel around CMU main campus", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__MAP__/search?query=hotels%20near%20carnegie%20mellon%20university", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 59 + }, + { + "sites": [ + "map" + ], + "task_id": 380, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the {{space}} around {{location}}", + "instantiation_dict": { + "location": "Carnegie Music Hall", + "space": "bar" + }, + "intent": "Find the bar around Carnegie Music Hall", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__MAP__/search?query=bars%20near%20Carnegie%20Music%20Hall", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 59 + }, + { + "sites": [ + "map" + ], + "task_id": 381, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the {{space}} around {{location}}", + "instantiation_dict": { + "location": "Carnegie Music Hall", + "space": "hotel" + }, + "intent": "Find the hotel around Carnegie Music Hall", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match" + ], + "reference_answers": null, + "reference_url": "__MAP__/search?query=hotels%20near%20Carnegie%20Music%20Hall", + "program_html": [], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 59 + }, + { + "sites": [ + "map" + ], + "task_id": 382, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "I am arriving at Carnegie Mellon University. Find the nearby US Citizenship and Immigration Services and the walking distance to the nearest Social Security Administration from US Citizenship and Immigration Services", + "instantiation_dict": {}, + "intent": "I am arriving at Carnegie Mellon University. Find the nearby US Citizenship and Immigration Services and the walking distance to the nearest Social Security Administration from US Citizenship and Immigration Services", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "There is no USCIS nearby", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 781 + }, + { + "sites": [ + "map" + ], + "task_id": 383, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "I am arriving at Pittsburgh Airport. Show me the name of a Hyatt hotel if there is any nearby. Tell me the names of supermarkets that are within 15mins driving from the hotel", + "instantiation_dict": {}, + "intent": "I am arriving at Pittsburgh Airport. Show me the name of a Hyatt hotel if there is any nearby. Tell me the names of supermarkets that are within 15mins driving from the hotel", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Hyatt Regency Pittsburgh International Airport", + "Giant Eagle", + "ALDI" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Hyatt Regency Pittsburgh International Airport Giant Eagle, ALDI" + }, + "intent_template_id": 782 + }, + { + "sites": [ + "shopping" + ], + "task_id": 384, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "List the customer names who complain about the quality of EYZUTAK phone cases", + "instantiation_dict": {}, + "intent": "List the customer names who complain about the quality of EYZUTAK phone cases", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Lisa Lee", + "Evelyn Kurver", + "Amanda", + "N Randall" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lisa Lee, Evelyn Kurver, Amanda, N Randall" + }, + "intent_template_id": 666 + }, + { + "sites": [ + "shopping" + ], + "task_id": 385, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "List the customer names who thinks EYZUTAK phone cases are of good looking", + "instantiation_dict": {}, + "intent": "List the customer names who thinks EYZUTAK phone cases are of good looking", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Lisa Lee", + "MH", + "Misba009", + "Amanda", + "N Randall", + "Amazon Customer", + "Cally", + "Bethany Robertson" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Lisa Lee, MH, Misba009, Amanda, N Randall, Amazon Customer, Cally, Bethany Robertson" + }, + "intent_template_id": 666 + }, + { + "sites": [ + "shopping" + ], + "task_id": 386, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "What is the rating of {{product}}", + "instantiation_dict": { + "product": "Ugreen lightning to 3.5mm cable" + }, + "intent": "What is the rating of Ugreen lightning to 3.5mm cable. Please round to the nearest whole number", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "65 |OR| 3" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Around 3.1 stars" + }, + "intent_template_id": 1355 + }, + { + "sites": [ + "shopping" + ], + "task_id": 387, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Who gave {{stars}} for phone cases from EYZUTAK", + "instantiation_dict": { + "stars": "4 or 5 stars" + }, + "intent": "Who gave 4 or 5 stars for phone cases from EYZUTAK", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "MH", + "Misba009", + "Amanda", + "Amazon Customer", + "Cally", + "Bethany Robertson" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "MH, Misba009, Amanda, Amazon Customer, Cally, Bethany Robertson, Bethany Robertson" + }, + "intent_template_id": 1356 + }, + { + "sites": [ + "shopping" + ], + "task_id": 388, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Who gave {{stars}} for phone cases from EYZUTAK", + "instantiation_dict": { + "stars": "1 or 2 stars" + }, + "intent": "Who gave 1 or 2 stars for phone cases from EYZUTAK", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Evelyn Kurver", + "N Randall" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Evelyn Kurver, N Randall" + }, + "intent_template_id": 1356 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 389, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Post \"{{content}}\" for the merge request related to {{mr}} in {{repo}} project", + "instantiation_dict": { + "mr": "octovisuals page", + "repo": "primer/design", + "content": "Thanks, working on reviews" + }, + "intent": "Post \"Thanks, working on reviews\" for the merge request related to octovisuals page in primer/design project", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/primer/design/-/merge_requests/450", + "locator": "", + "required_contents": { + "must_include": [ + "Thanks, working on reviews" + ] + } + } + ] + }, + "intent_template_id": 348 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 390, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Post \"{{content}}\" for the merge request related to {{mr}} in {{repo}} project", + "instantiation_dict": { + "mr": "semantic HTML post", + "repo": "a11yproject/a11yproject.com", + "content": "lgtm" + }, + "intent": "Post \"lgtm\" for the merge request related to semantic HTML post in a11yproject/a11yproject.com project", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/a11yproject/a11yproject.com/-/merge_requests/1531", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "lgtm" + } + } + ] + }, + "intent_template_id": 348 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 391, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Post \"{{content}}\" for the merge request related to {{mr}} in {{repo}} project", + "instantiation_dict": { + "mr": "focus edge cases", + "repo": "a11yproject/a11yproject.com", + "content": "close because non reproducible" + }, + "intent": "Post \"close because non reproducible\" for the merge request related to focus edge cases in a11yproject/a11yproject.com project", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/a11yproject/a11yproject.com/-/merge_requests/1265", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "close because non reproducible" + } + } + ] + }, + "intent_template_id": 348 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 392, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Post \"{{content}}\" for the merge request related to {{mr}} in {{repo}} project", + "instantiation_dict": { + "mr": "color ulitity", + "repo": "a11yproject.com", + "content": "Good idea" + }, + "intent": "Post \"Good idea\" for the merge request related to color ulitity in a11yproject.com project", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/a11yproject/a11yproject.com/-/merge_requests/1071", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "Good idea" + } + } + ] + }, + "intent_template_id": 348 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 393, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Post \"{{content}}\" for the merge request related to {{mr}} in {{repo}} project", + "instantiation_dict": { + "mr": "fixing the broken links", + "repo": "byteblaze/empathy-prompts", + "content": "lgtm" + }, + "intent": "Post \"lgtm\" for the merge request related to fixing the broken links in byteblaze/empathy-prompts project", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/empathy-prompts/-/merge_requests/19", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "lgtm" + } + } + ] + }, + "intent_template_id": 348 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 394, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "2019-nCov" + }, + "intent": "Fork 2019-nCov.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/2019-nCov", + "locator": "", + "required_contents": { + "must_include": [ + "2019-nCov" + ] + } + } + ] + }, + "intent_template_id": 352 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 395, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "the Pytorch GAN repo with most stars" + }, + "intent": "Fork the Pytorch GAN repo with most stars.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/PyTorch-GAN", + "locator": "", + "required_contents": { + "must_include": [ + "Pytorch-GAN" + ] + } + } + ] + }, + "intent_template_id": 352 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 396, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "ChatGPT" + }, + "intent": "Fork ChatGPT.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/ChatGPT", + "locator": "", + "required_contents": { + "must_include": [ + "ChatGPT" + ] + } + } + ] + }, + "intent_template_id": 352 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 397, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "MetaSeq" + }, + "intent": "Fork MetaSeq.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/metaseq", + "locator": "", + "required_contents": { + "must_include": [ + "metaseq" + ] + } + } + ] + }, + "intent_template_id": 352 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 398, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "all source repos from Akilesh Kannan" + }, + "intent": "Fork all source repos from Akilesh Kannan", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/SimCache", + "locator": "", + "required_contents": { + "must_include": [ + "SimCache" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/dots", + "locator": "", + "required_contents": { + "must_include": [ + "dots" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/CacheEval", + "locator": "", + "required_contents": { + "must_include": [ + "CacheEval" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/nvidia-patch", + "locator": "", + "required_contents": { + "must_include": [ + "404" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/viewgrades-scraper", + "locator": "", + "required_contents": { + "must_include": [ + "404" + ] + } + } + ] + }, + "intent_template_id": 352 + }, + { + "sites": [ + "reddit" + ], + "task_id": 399, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Change my reddit bio to \"{{content}}\"", + "instantiation_dict": { + "content": "I am a robot" + }, + "intent": "Change my reddit bio to \"I am a robot\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/user/MarvelsGrantMan136", + "locator": "document.querySelector(\".user-bio__biography\").outerText", + "required_contents": { + "exact_match": "I am a robot" + } + } + ] + }, + "intent_template_id": 6 + }, + { + "sites": [ + "reddit" + ], + "task_id": 400, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Change my reddit bio to \"{{content}}\"", + "instantiation_dict": { + "content": "Pro Python Developer with 20 years of Experience" + }, + "intent": "Change my reddit bio to \"Pro Python Developer with 20 years of Experience\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/user/MarvelsGrantMan136", + "locator": "document.querySelector(\".user-bio__biography\").outerText", + "required_contents": { + "exact_match": "Pro Python Developer with 20 years of Experience" + } + } + ] + }, + "intent_template_id": 6 + }, + { + "sites": [ + "reddit" + ], + "task_id": 401, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Change my reddit bio to \"{{content}}\"", + "instantiation_dict": { + "content": "Seeking SDE positions" + }, + "intent": "Change my reddit bio to \"Seeking SDE positions\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/user/MarvelsGrantMan136", + "locator": "document.querySelector(\".user-bio__biography\").outerText", + "required_contents": { + "exact_match": "Seeking SDE positions" + } + } + ] + }, + "intent_template_id": 6 + }, + { + "sites": [ + "reddit" + ], + "task_id": 402, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Change my reddit bio to \"{{content}}\"", + "instantiation_dict": { + "content": "Freelance Web Developer" + }, + "intent": "Change my reddit bio to \"Freelance Web Developer\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/user/MarvelsGrantMan136", + "locator": "document.querySelector(\".user-bio__biography\").outerText", + "required_contents": { + "exact_match": "Freelance Web Developer" + } + } + ] + }, + "intent_template_id": 6 + }, + { + "sites": [ + "reddit" + ], + "task_id": 403, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Change my reddit bio to \"{{content}}\"", + "instantiation_dict": { + "content": "Awesome Prompt Artist" + }, + "intent": "Change my reddit bio to \"Awesome Prompt Artist\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/user/MarvelsGrantMan136", + "locator": "document.querySelector(\".user-bio__biography\").outerText", + "required_contents": { + "exact_match": "Awesome Prompt Artist" + } + } + ] + }, + "intent_template_id": 6 + }, + { + "sites": [ + "reddit" + ], + "task_id": 404, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Upvote the newest post in {{subreddit}} subreddit", + "instantiation_dict": { + "subreddit": "books" + }, + "intent": "Upvote the newest post in books subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/books/124260/adults-reading-to-each-other-out-loud", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 22 + }, + { + "sites": [ + "reddit" + ], + "task_id": 405, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Upvote the newest post in {{subreddit}} subreddit", + "instantiation_dict": { + "subreddit": "DIY" + }, + "intent": "Upvote the newest post in DIY subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/DIY/119019/how-can-i-bring-an-hdmi-cable-from-my-pc-downstairs-to-my-tv", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 22 + }, + { + "sites": [ + "reddit" + ], + "task_id": 406, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Upvote the newest post in {{subreddit}} subreddit", + "instantiation_dict": { + "subreddit": "future technology" + }, + "intent": "Upvote the newest post in future technology subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/Futurology/119517/openai-ceo-it-s-not-funny-that-i-m-afraid-of-the-ai-we-re", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 22 + }, + { + "sites": [ + "reddit" + ], + "task_id": 407, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Upvote the newest post in {{subreddit}} subreddit", + "instantiation_dict": { + "subreddit": "deeplearning" + }, + "intent": "Upvote the newest post in deeplearning subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/deeplearning/124993/meta-s-llama-weights-leaked-on-torrent-and-the-best-thing", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 22 + }, + { + "sites": [ + "reddit" + ], + "task_id": 408, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Upvote the newest post in {{subreddit}} subreddit", + "instantiation_dict": { + "subreddit": "explain like im 5" + }, + "intent": "Upvote the newest post in explain like im 5 subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/explainlikeimfive/39244/eli5-how-does-pinching-a-ribbon-and-sliding-your-finger", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 22 + }, + { + "sites": [ + "reddit" + ], + "task_id": 409, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__/f/books/59421/friendly-reminder-bookshop-org-exists", + "geolocation": null, + "intent_template": "Reply to {{position_description}} in this post with \"{{content_description}}\"", + "instantiation_dict": { + "position_description": "the manager of the website", + "content_description": "thanks! I am a big fan of your website." + }, + "intent": "Reply to the manager of the website in this post with \"thanks! I am a big fan of your website.\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/books/59421/-/comment/1235250", + "locator": "", + "required_contents": { + "must_include": [ + "thanks! I am a big fan of your website." + ] + } + } + ] + }, + "intent_template_id": 23 + }, + { + "sites": [ + "reddit" + ], + "task_id": 410, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__/f/singularity/69404/this-is-how-chatgpt-sees-itself", + "geolocation": null, + "intent_template": "Reply to {{position_description}} in this post with \"{{content_description}}\"", + "instantiation_dict": { + "position_description": "the first reply", + "content_description": "don't panic" + }, + "intent": "Reply to the first reply in this post with \"don't panic\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/singularity/69404/-/comment/1042264", + "locator": "", + "required_contents": { + "must_include": [ + "don't panic" + ] + } + } + ] + }, + "intent_template_id": 23 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 411, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Make the LICENSE of {{repo}} to MIT license.", + "instantiation_dict": { + "repo": "byteblaze/cloud-to-butt" + }, + "intent": "Make the LICENSE of byteblaze/cloud-to-butt to MIT license.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/cloud-to-butt/-/blob/master/LICENSE.txt", + "locator": "", + "required_contents": { + "must_include": [ + "MIT license" + ] + } + } + ] + }, + "intent_template_id": 355 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 412, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Make the LICENSE of {{repo}} to Apache License", + "instantiation_dict": { + "repo": "byteblaze/accessible-html-content-patterns" + }, + "intent": "Make the LICENSE of byteblaze/accessible-html-content-patterns to Apache License", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/accessible-html-content-patterns/-/blob/main/LICENSE", + "locator": "", + "required_contents": { + "must_include": [ + "Apache License", + "http://www.apache.org/licenses/LICENSE-2.0" + ] + } + } + ] + }, + "intent_template_id": 355 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 413, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Make the LICENSE of {{repo}} to one that mandates all copies and derivative works to be under the same license", + "instantiation_dict": { + "repo": "byteblaze/a11y-syntax-highlighting" + }, + "intent": "Make the LICENSE of byteblaze/a11y-syntax-highlighting to one that mandates all copies and derivative works to be under the same license", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/a11y-syntax-highlighting/-/blob/main/LICENSE", + "locator": "", + "required_contents": { + "must_include": [ + "GENERAL PUBLIC LICENSE" + ] + } + } + ] + }, + "intent_template_id": 355 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 414, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Make the LICENSE of {{repo}} to MIT license.", + "instantiation_dict": { + "repo": "byteblaze/dotfiles" + }, + "intent": "Make the LICENSE of byteblaze/dotfiles to MIT license.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/dotfiles/-/blob/main/LICENSE", + "locator": "", + "required_contents": { + "must_include": [ + "MIT license", + "The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software." + ] + } + } + ] + }, + "intent_template_id": 355 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 415, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Go to the merge request on {{topic}} I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "instantiation_dict": { + "topic": "verification functions" + }, + "intent": "Go to the merge request on verification functions I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/a11y-webring.club/-/merge_requests/40", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "@davepgreene" + } + } + ] + }, + "intent_template_id": 360 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 416, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Go to the merge request on {{topic}} I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "instantiation_dict": { + "topic": "wcag" + }, + "intent": "Go to the merge request on wcag I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/a11yproject/a11yproject.com/-/merge_requests/1270", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "Thank you" + } + } + ] + }, + "intent_template_id": 360 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 417, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Go to the merge request on {{topic}} I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "instantiation_dict": { + "topic": "404 link" + }, + "intent": "Go to the merge request on 404 link I have to review, find if the author of the merge request responded at the end, and reply \"Thank you\" if he did. Otherwise remind him with a simple @.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/a11yproject/a11yproject.com/-/merge_requests/1485", + "locator": "document.querySelector('[id=\"notes-list\"').lastElementChild.querySelector('.timeline-discussion-body').outerText", + "required_contents": { + "exact_match": "@Roshanjossey" + } + } + ] + }, + "intent_template_id": 360 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 418, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Set my gitlab status as {{status}}.", + "instantiation_dict": { + "status": "Busy" + }, + "intent": "Set my gitlab status as Busy.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze", + "locator": "document.querySelector('.cover-status').lastChild.textContent", + "required_contents": { + "exact_match": "Busy" + } + } + ] + }, + "intent_template_id": 361 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 419, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Set my gitlab status as {{status}}.", + "instantiation_dict": { + "status": "Enjoying life" + }, + "intent": "Set my gitlab status as Enjoying life.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze", + "locator": "document.querySelector('.cover-status').lastChild.textContent", + "required_contents": { + "exact_match": "Enjoying life" + } + } + ] + }, + "intent_template_id": 361 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 420, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Set my gitlab status as {{status}}.", + "instantiation_dict": { + "status": "Playing Badminton" + }, + "intent": "Set my gitlab status as Playing Badminton.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze", + "locator": "document.querySelector('.cover-status').lastChild.textContent", + "required_contents": { + "exact_match": "Playing Badminton" + } + } + ] + }, + "intent_template_id": 361 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 421, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Set my gitlab status as {{status}}.", + "instantiation_dict": { + "status": "Resting due to leg injury" + }, + "intent": "Set my gitlab status as Resting due to leg injury.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze", + "locator": "document.querySelector('.cover-status').lastChild.textContent", + "required_contents": { + "exact_match": "Resting due to leg injury" + } + } + ] + }, + "intent_template_id": 361 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 422, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Set my gitlab status as {{status}}.", + "instantiation_dict": { + "status": "Out of Office" + }, + "intent": "Set my gitlab status as Out of Office.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze", + "locator": "document.querySelector('.cover-status').lastChild.textContent", + "required_contents": { + "exact_match": "Out of Office" + } + } + ] + }, + "intent_template_id": 361 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 423, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Mark all {{brand}} shirts on sale", + "instantiation_dict": { + "brand": "Hollister" + }, + "intent": "Mark all Hollister shirts on sale", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/126/", + "locator": "document.querySelector('input[name=\"product[sale]\"]').value", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 237 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 424, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the place where Mr. Rogers was filmed" + }, + "intent": "Find the page of the place where Mr. Rogers was filmed on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Pittsburgh" + ] + } + } + ] + }, + "intent_template_id": 371 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 425, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the longest bridge in the Western hemisphere" + }, + "intent": "Find the page of the longest bridge in the Western hemisphere on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Mackinac Bridge" + ] + } + } + ] + }, + "intent_template_id": 371 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 426, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the place in Pennsylvania where a plane crashed during the September 11th attacks" + }, + "intent": "Find the page of the place in Pennsylvania where a plane crashed during the September 11th attacks on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Somerset County" + ] + } + } + ] + }, + "intent_template_id": 371 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 427, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the university that has most Turning Award winners" + }, + "intent": "Find the page of the university that has most Turning Award winners on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Massachusetts Institute of Technology" + ] + } + } + ] + }, + "intent_template_id": 371 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 428, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the undergrad college of the person who developed the Nash equilibrium" + }, + "intent": "Find the page of the undergrad college of the person who developed the Nash equilibrium on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Carnegie Mellon University" + ] + } + } + ] + }, + "intent_template_id": 371 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 429, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the colleges where The Chair was filmed in Pittsburgh" + }, + "intent": "Find the page of the colleges where The Chair was filmed in Pittsburgh on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Chatham University" + ] + } + } + ] + }, + "intent_template_id": 371 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 430, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the page of {{description}} on the map.", + "instantiation_dict": { + "description": "the college(s) where The Chair was filmed in Pennsylvania other than the ones in Pittsburgh" + }, + "intent": "Find the page of the college(s) where The Chair was filmed in Pennsylvania other than the ones in Pittsburgh on the map.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sidebar_content\"').outerText", + "required_contents": { + "must_include": [ + "Washington & Jefferson College" + ] + } + } + ] + }, + "intent_template_id": 371 + }, + { + "sites": [ + "shopping" + ], + "task_id": 431, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/tall-pink-taper-candles-4-piece-orange-colored-tapered-candles-gradient-candles-10-6-inches-tall-tie-dye-candle-set-large-dripless-long-burning-candlesticks-two-color-taper-candles-candlesticks.html |AND| __SHOPPING__/spaas-white-taper-candles-4-pack-10-inch-tall-candles-scent-free-premium-wax-candle-sticks-8-hour-long-burning-white-candlesticks-for-home-decoration-wedding-holiday-and-parties.html |AND| __SHOPPING__/white-starfish-wall-candle-sconces-set-of-2-beach-decor-ocean-themed-wall-mount-candleholders-nautical-style-beach-bathroom-decor-coastal-farmhouse-seashell-candle-holders.html", + "geolocation": null, + "intent_template": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "instantiation_dict": {}, + "intent": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/checkout/cart", + "locator": "", + "required_contents": { + "must_include": [ + "SPAAS White Taper Candles - 4 Pack |OR| 10 Inch Tall Candles, Scent-Free Premium Wax Candle Sticks |OR| 8 Hour Long Burning White Candlesticks for Home Decoration, Wedding, Holiday and Parties" + ] + } + } + ] + }, + "intent_template_id": 145 + }, + { + "sites": [ + "shopping" + ], + "task_id": 432, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/ciclon-energy-drink-regular-24-cans-8-3oz.html |AND| __SHOPPING__/v8-energy-healthy-energy-drink-steady-energy-from-black-and-green-tea-pomegranate-blueberry-8-ounce-can-pack-of-24.html", + "geolocation": null, + "intent_template": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "instantiation_dict": {}, + "intent": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/checkout/cart", + "locator": "", + "required_contents": { + "must_include": [ + "V8 +Energy, Healthy Energy Drink, Steady Energy from Black and Green Tea, Pomegranate Blueberry, 8 Ounce Can ,Pack of 24" + ] + } + } + ] + }, + "intent_template_id": 145 + }, + { + "sites": [ + "shopping" + ], + "task_id": 433, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/tazrigo-5pcs-white-dental-resin-brush-pens-dental-shaping-silicone-tooth-tool.html |AND| __SHOPPING__/stylus-pens-for-touch-screens-2-pcs-universal-stylus-2-in-1-2022-updated-touch-screen-pens-for-all-touch-screens-cell-phones-tablets-laptops-with-6-replacement-tips-4-discstips-2-fiber-tips.html", + "geolocation": null, + "intent_template": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "instantiation_dict": {}, + "intent": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/checkout/cart", + "locator": "", + "required_contents": { + "must_include": [ + "Tazrigo 5pcs White Dental Resin Brush Pens Dental Shaping Silicone Tooth Tool" + ] + } + } + ] + }, + "intent_template_id": 145 + }, + { + "sites": [ + "shopping" + ], + "task_id": 434, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/3-pairs-ruffle-socks-lace-ankle-socks-for-girls-frilly-socks-women-decorative.html |AND| __SHOPPING__/viviki-women-glitter-socks-ultrathin-transparent-tulle-lace-socks-no-show-ankle-crew-socks-3-pack.html", + "geolocation": null, + "intent_template": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "instantiation_dict": {}, + "intent": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/checkout/cart", + "locator": "", + "required_contents": { + "must_include": [ + "VIVIKI Women Glitter Socks Ultrathin Transparent Tulle Lace Socks - No Show Ankle Crew Socks 3 Pack" + ] + } + } + ] + }, + "intent_template_id": 145 + }, + { + "sites": [ + "shopping" + ], + "task_id": 435, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/35-ft-hdmi-cable-gearit-pro-series-hdmi-cable-35-feet-high-speed-ethernet-4k-resolution-3d-video-and-arc-audio-return-channel-hdmi-cable-white.html |AND| __SHOPPING__/dp-to-hdmi-cable-6ft-2-pack-fosmon-gold-plated-displayport-to-hdmi-cable-1080p-full-hd-for-pcs-to-hdtv-monitor-projector-with-hdmi-port.html", + "geolocation": null, + "intent_template": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "instantiation_dict": {}, + "intent": "Add the product with the lowest per unit price from my open tabs to the shopping cart", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/checkout/cart", + "locator": "", + "required_contents": { + "must_include": [ + "DP to HDMI Cable 6FT (2 Pack), Fosmon Gold Plated Displayport to HDMI Cable 1080p Full HD for PCs to HDTV, Monitor, Projector with HDMI Port" + ] + } + } + ] + }, + "intent_template_id": 145 + }, + { + "sites": [ + "shopping" + ], + "task_id": 436, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I previously ordered some {{product}} {{time}} and later cancelled. Can you reorder it for me?", + "instantiation_dict": { + "product": "a mattress foundation", + "time": "around Feb or March 2023" + }, + "intent": "I previously ordered some a mattress foundation around Feb or March 2023 and later cancelled. Can you reorder it for me?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B07DFJ5XKH" + ] + } + } + ] + }, + "intent_template_id": 156 + }, + { + "sites": [ + "shopping" + ], + "task_id": 437, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I previously ordered some {{product}} {{time}} and later cancelled. Can you reorder it for me?", + "instantiation_dict": { + "product": "a table lamp", + "time": "in May 2023" + }, + "intent": "I previously ordered some a table lamp in May 2023 and later cancelled. Can you reorder it for me?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B072XS3F6W" + ] + } + } + ] + }, + "intent_template_id": 156 + }, + { + "sites": [ + "shopping" + ], + "task_id": 438, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I previously ordered some {{product}} {{time}} and later cancelled. Can you reorder it for me?", + "instantiation_dict": { + "product": "a TV stand", + "time": "sometime around sep 2022" + }, + "intent": "I previously ordered some a TV stand sometime around sep 2022 and later cancelled. Can you reorder it for me?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B08PVHRRB7" + ] + } + } + ] + }, + "intent_template_id": 156 + }, + { + "sites": [ + "shopping" + ], + "task_id": 439, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I previously ordered some {{product}} {{time}} and later cancelled. Can you reorder it for me?", + "instantiation_dict": { + "product": "a cat t-shirt", + "time": "during 2022" + }, + "intent": "I previously ordered some a cat t-shirt during 2022 and later cancelled. Can you reorder it for me?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B0844BWS76" + ] + } + } + ] + }, + "intent_template_id": 156 + }, + { + "sites": [ + "shopping" + ], + "task_id": 440, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I previously ordered some {{product}} {{time}} and later cancelled. Can you reorder it for me?", + "instantiation_dict": { + "product": "a make up removal kit", + "time": "during summer 2022" + }, + "intent": "I previously ordered some a make up removal kit during summer 2022 and later cancelled. Can you reorder it for me?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B0738JQG6Q" + ] + } + } + ] + }, + "intent_template_id": 156 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 441, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/byteblaze/gimmiethat.space", + "geolocation": null, + "intent_template": "Update the project site's title to \"{{title}}\"", + "instantiation_dict": { + "title": "GIVE ME SPACE" + }, + "intent": "Update the project site's title to \"GIVE ME SPACE\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/gimmiethat.space/-/raw/main/index.html", + "locator": "", + "required_contents": { + "must_include": [ + "GIVE ME SPACE" + ] + } + } + ] + }, + "intent_template_id": 308 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 442, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/byteblaze/gimmiethat.space", + "geolocation": null, + "intent_template": "Update the project site's title to \"{{title}}\"", + "instantiation_dict": { + "title": "Welcome to my site" + }, + "intent": "Update the project site's title to \"Welcome to my site\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/gimmiethat.space/-/raw/main/index.html", + "locator": "", + "required_contents": { + "must_include": [ + "Welcome to my site" + ] + } + } + ] + }, + "intent_template_id": 308 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 443, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/byteblaze/gimmiethat.space", + "geolocation": null, + "intent_template": "Update the project site's title to \"{{title}}\"", + "instantiation_dict": { + "title": "Not an interesting site" + }, + "intent": "Update the project site's title to \"Not an interesting site\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/gimmiethat.space/-/raw/main/index.html", + "locator": "", + "required_contents": { + "must_include": [ + "Not an interesting site" + ] + } + } + ] + }, + "intent_template_id": 308 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 444, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/byteblaze/gimmiethat.space", + "geolocation": null, + "intent_template": "Update the project site's title to \"{{title}}\"", + "instantiation_dict": { + "title": "Title Wanted" + }, + "intent": "Update the project site's title to \"Title Wanted\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/gimmiethat.space/-/raw/main/index.html", + "locator": "", + "required_contents": { + "must_include": [ + "Title Wanted" + ] + } + } + ] + }, + "intent_template_id": 308 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 445, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/byteblaze/gimmiethat.space", + "geolocation": null, + "intent_template": "Update the project site's title to \"{{title}}\"", + "instantiation_dict": { + "title": "Hello" + }, + "intent": "Update the project site's title to \"Hello\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/gimmiethat.space/-/raw/main/index.html", + "locator": "", + "required_contents": { + "must_include": [ + "Hello" + ] + } + } + ] + }, + "intent_template_id": 308 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 446, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Assign the issue regarding {{issue}} in {{repo}} to {{account}}.", + "instantiation_dict": { + "repo": "a11yproject", + "issue": 404, + "account": "Roshanjossey" + }, + "intent": "Assign the issue regarding 404 in a11yproject to Roshanjossey.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/dashboard/issues?scope=all&state=opened&assignee_username=Roshanjossey", + "locator": "", + "required_contents": { + "must_include": [ + "404s, bad host, timeouts, bad urls for URLs linked from website" + ] + } + } + ] + }, + "intent_template_id": 999 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 447, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Assign the issue regarding {{issue}} in {{repo}} to {{account}}.", + "instantiation_dict": { + "repo": "a11y-webring.club", + "issue": "linking to an accessibility statement", + "account": "Rohan" + }, + "intent": "Assign the issue regarding linking to an accessibility statement in a11y-webring.club to Rohan.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/dashboard/issues?scope=all&state=opened&assignee_username=Seirdy", + "locator": "", + "required_contents": { + "must_include": [ + "linking to an accessibility statement" + ] + } + } + ] + }, + "intent_template_id": 999 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 448, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "set the homepage URL on my GitLab profile to {{url}}", + "instantiation_dict": { + "url": "https://egg.tart.com" + }, + "intent": "set the homepage URL on my GitLab profile to https://egg.tart.com", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze", + "locator": "document.querySelector('.profile-header [itemprop=\"url\"]').outerText", + "required_contents": { + "exact_match": "egg.tart.com" + } + } + ] + }, + "intent_template_id": 331 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 449, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "set the homepage URL on my GitLab profile to {{url}}", + "instantiation_dict": { + "url": "https://helloworld.xyz" + }, + "intent": "set the homepage URL on my GitLab profile to https://helloworld.xyz", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze", + "locator": "document.querySelector('.profile-header [itemprop=\"url\"]').outerText", + "required_contents": { + "exact_match": "helloworld.xyz" + } + } + ] + }, + "intent_template_id": 331 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 450, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "set the homepage URL on my GitLab profile to {{url}}", + "instantiation_dict": { + "url": "a11yproject.contributor.me" + }, + "intent": "set the homepage URL on my GitLab profile to a11yproject.contributor.me", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze", + "locator": "document.querySelector('.profile-header [itemprop=\"url\"]').outerText", + "required_contents": { + "exact_match": "a11yproject.contributor.me" + } + } + ] + }, + "intent_template_id": 331 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 451, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "set the homepage URL on my GitLab profile to {{url}}", + "instantiation_dict": { + "url": "www.byteblaze.com" + }, + "intent": "set the homepage URL on my GitLab profile to www.byteblaze.com", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze", + "locator": "document.querySelector('.profile-header [itemprop=\"url\"]').outerText", + "required_contents": { + "exact_match": "www.byteblaze.com" + } + } + ] + }, + "intent_template_id": 331 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 452, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "set the homepage URL on my GitLab profile to {{url}}", + "instantiation_dict": { + "url": "byteblaze.github.io" + }, + "intent": "set the homepage URL on my GitLab profile to byteblaze.github.io", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze", + "locator": "document.querySelector('.profile-header [itemprop=\"url\"]').outerText", + "required_contents": { + "exact_match": "byteblaze.github.io" + } + } + ] + }, + "intent_template_id": 331 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 453, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Disable {{product}} from the site, they are facing some quality issues.", + "instantiation_dict": { + "product": "Teton pullover hoodie" + }, + "intent": "Disable Teton pullover hoodie from the site, they are facing some quality issues.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/78/", + "locator": "document.querySelector('[name=\"product[status]\"').value", + "required_contents": { + "exact_match": "2" + } + } + ] + }, + "intent_template_id": 242 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 454, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Disable {{product}} from the site, they are facing some quality issues.", + "instantiation_dict": { + "product": "Ryker Tee Crew Neck" + }, + "intent": "Disable Ryker Tee Crew Neck from the site, they are facing some quality issues.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/478/", + "locator": "document.querySelector('[name=\"product[status]\"').value", + "required_contents": { + "exact_match": "2" + } + } + ] + }, + "intent_template_id": 242 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 455, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Disable {{product}} from the site, they are facing some quality issues.", + "instantiation_dict": { + "product": "lHelios Endurance Tank" + }, + "intent": "Disable lHelios Endurance Tank from the site, they are facing some quality issues.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/676/", + "locator": "document.querySelector('[name=\"product[status]\"').value", + "required_contents": { + "exact_match": "2" + } + } + ] + }, + "intent_template_id": 242 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 456, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Disable {{product}} from the site, they are facing some quality issues.", + "instantiation_dict": { + "product": "Cora Pant" + }, + "intent": "Disable Cora Pant from the site, they are facing some quality issues.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1840/", + "locator": "document.querySelector('[name=\"product[status]\"').value", + "required_contents": { + "exact_match": "2" + } + } + ] + }, + "intent_template_id": 242 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 457, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Disable {{product}} from the site, they are facing some quality issues.", + "instantiation_dict": { + "product": "Karmen yoga pants" + }, + "intent": "Disable Karmen yoga pants from the site, they are facing some quality issues.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1819/", + "locator": "document.querySelector('[name=\"product[status]\"').value", + "required_contents": { + "exact_match": "2" + } + } + ] + }, + "intent_template_id": 242 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 458, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1481/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "$5", + "action": "Reduce" + }, + "intent": "Reduce the price of this product by $5", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1481/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "27.00" + } + } + ] + }, + "intent_template_id": 247 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 459, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__/catalog/product/edit/id/237/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "10%", + "action": "Reduce" + }, + "intent": "Reduce the price of this product by 10%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/237/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "62.10" + } + } + ] + }, + "intent_template_id": 247 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 460, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__/catalog/product/edit/id/418/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "15%", + "action": "Reduce" + }, + "intent": "Reduce the price of this product by 15%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/418/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "38.25" + } + } + ] + }, + "intent_template_id": 247 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 461, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__/catalog/product/edit/id/721/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "$11.5", + "action": "Increase" + }, + "intent": "Increase the price of this product by $11.5", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/721/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "29.50" + } + } + ] + }, + "intent_template_id": 247 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 462, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__/catalog/product/edit/id/710/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "10%", + "action": "Increase" + }, + "intent": "Increase the price of this product by 10%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/710/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "19.80" + } + } + ] + }, + "intent_template_id": 247 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 463, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__/catalog/product/edit/id/996/", + "geolocation": null, + "intent_template": "{{action}} the price of this product by {{amount}}", + "instantiation_dict": { + "amount": "15%", + "action": "Increase" + }, + "intent": "Increase the price of this product by 15%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/996/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "36.80" + } + } + ] + }, + "intent_template_id": 247 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 464, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Update the product description of {{product}} to highlight the real user positive reviews by quoting the comments", + "instantiation_dict": { + "product": "Antonia Racer Tank" + }, + "intent": "Update the product description of Antonia Racer Tank to highlight the real user positive reviews by quoting the comments", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/../antonia-racer-tank.html", + "locator": "document.querySelector('.data.item.content').outerText + (document.querySelector('.product.attribute.overview [itemprop=\"description\"]')?.outerText || '')", + "required_contents": { + "must_include": [ + "This is in regular rotation at the gym", + "Its colorful and looks kinda cute under my exercise tanks", + "it's very stylish for yoga or something else low impact" + ] + } + } + ] + }, + "intent_template_id": 251 + }, + { + "sites": [ + "shopping" + ], + "task_id": 465, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Add {{product}} to my wish list", + "instantiation_dict": { + "product": "Tide PODS Spring Meadow Scent HE Turbo Laundry Detergent Pacs, 81 Count" + }, + "intent": "Add Tide PODS Spring Meadow Scent HE Turbo Laundry Detergent Pacs, 81 Count to my wish list", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Tide PODS Spring Meadow Scent HE Turbo Laundry Detergent Pacs, 81 Count" + ] + } + } + ] + }, + "intent_template_id": 186 + }, + { + "sites": [ + "shopping" + ], + "task_id": 466, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Add {{product}} to my wish list", + "instantiation_dict": { + "product": "2 Hawaiian Bamboo Orchid Roots #zc50 - by Discount Hawaiian Gifts" + }, + "intent": "Add 2 Hawaiian Bamboo Orchid Roots #zc50 - by Discount Hawaiian Gifts to my wish list", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "2 Hawaiian Bamboo Orchid Roots #zc50 - by Discount Hawaiian Gifts" + ] + } + } + ] + }, + "intent_template_id": 186 + }, + { + "sites": [ + "shopping" + ], + "task_id": 467, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Add {{product}} to my wish list", + "instantiation_dict": { + "product": "HONGJ Hawaiian Beach Outfits Set for Mens, Summer Tropical Tree Printed Relaxed-fit Hawaii Shirts Shorts 2 Piece Suits" + }, + "intent": "Add HONGJ Hawaiian Beach Outfits Set for Mens, Summer Tropical Tree Printed Relaxed-fit Hawaii Shirts Shorts 2 Piece Suits to my wish list", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "HONGJ Hawaiian Beach Outfits Set for Mens, Summer Tropical Tree Printed Relaxed-fit Hawaii Shirts Shorts 2 Piece Suits" + ] + } + } + ] + }, + "intent_template_id": 186 + }, + { + "sites": [ + "shopping" + ], + "task_id": 468, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Add {{product}} to my wish list", + "instantiation_dict": { + "product": "DkRgVNY Lace Spcling Lingerie Womens Sexy Hollow Out Underwear Bodysuit One Piece Snap Crotch Clubwear Teddy Bodysuit" + }, + "intent": "Add DkRgVNY Lace Spcling Lingerie Womens Sexy Hollow Out Underwear Bodysuit One Piece Snap Crotch Clubwear Teddy Bodysuit to my wish list", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "DkRgVNY Lace Spcling Lingerie Womens Sexy Hollow Out Underwear Bodysuit One Piece Snap Crotch Clubwear Teddy Bodysuit" + ] + } + } + ] + }, + "intent_template_id": 186 + }, + { + "sites": [ + "shopping" + ], + "task_id": 469, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Add {{product}} to my wish list", + "instantiation_dict": { + "product": "Light Blue Simple Summer New Low Heels Slippers for Women Fashion Chunky Heels Pointed Toe Wine Glasses Sandals Comfortable Walking Shoes Ladies All-Match Sexy Party Shoes" + }, + "intent": "Add Light Blue Simple Summer New Low Heels Slippers for Women Fashion Chunky Heels Pointed Toe Wine Glasses Sandals Comfortable Walking Shoes Ladies All-Match Sexy Party Shoes to my wish list", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Light Blue Simple Summer New Low Heels Slippers for Women Fashion Chunky Heels Pointed Toe Wine Glasses Sandals Comfortable Walking Shoes Ladies All-Match Sexy Party Shoes" + ] + } + } + ] + }, + "intent_template_id": 186 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 470, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Cancel order {{id}}", + "instantiation_dict": { + "id": "302" + }, + "intent": "Cancel order 302", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/view/order_id/302/", + "locator": "document.querySelector(\"#order_status\").outerText", + "required_contents": { + "exact_match": "Canceled" + } + } + ] + }, + "intent_template_id": 257 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 471, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Cancel order {{id}}", + "instantiation_dict": { + "id": "307" + }, + "intent": "Cancel order 307", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/view/order_id/307/", + "locator": "document.querySelector(\"#order_status\").outerText", + "required_contents": { + "exact_match": "Canceled" + } + } + ] + }, + "intent_template_id": 257 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 472, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Cancel order {{id}}", + "instantiation_dict": { + "id": "299" + }, + "intent": "Cancel order 299", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/view/order_id/299/", + "locator": "document.querySelector(\"#order_status\").outerText", + "required_contents": { + "exact_match": "Canceled" + } + } + ] + }, + "intent_template_id": 257 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 473, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Cancel order {{id}}", + "instantiation_dict": { + "id": "301" + }, + "intent": "Cancel order 301", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/view/order_id/301/", + "locator": "document.querySelector(\"#order_status\").outerText", + "required_contents": { + "exact_match": "Canceled" + } + } + ] + }, + "intent_template_id": 257 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 474, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Cancel order {{id}}", + "instantiation_dict": { + "id": "305" + }, + "intent": "Cancel order 305", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/view/order_id/305/", + "locator": "document.querySelector(\"#order_status\").outerText", + "required_contents": { + "exact_match": "Canceled" + } + } + ] + }, + "intent_template_id": 257 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 475, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Set up a new, empty repository with the name {{project_name}}?", + "instantiation_dict": { + "project_name": "chatgpt_plugin" + }, + "intent": "Set up a new, empty repository with the name chatgpt_plugin?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/chatgpt_plugin", + "locator": "", + "required_contents": { + "must_include": [ + "chatgpt_plugin" + ] + } + } + ] + }, + "intent_template_id": 292 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 476, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Set up a new, empty repository with the name {{project_name}}?", + "instantiation_dict": { + "project_name": "awesome_llm_reading" + }, + "intent": "Set up a new, empty repository with the name awesome_llm_reading?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/awesome_llm_reading", + "locator": "", + "required_contents": { + "must_include": [ + "awesome_llm_reading" + ] + } + } + ] + }, + "intent_template_id": 292 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 477, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Set up a new, empty repository with the name {{project_name}}?", + "instantiation_dict": { + "project_name": "awesome_program_aided_reasoning" + }, + "intent": "Set up a new, empty repository with the name awesome_program_aided_reasoning?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/awesome_program_aided_reasoning", + "locator": "", + "required_contents": { + "must_include": [ + "awesome_program_aided_reasoning" + ] + } + } + ] + }, + "intent_template_id": 292 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 478, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Set up a new, empty repository with the name {{project_name}}?", + "instantiation_dict": { + "project_name": "webagent" + }, + "intent": "Set up a new, empty repository with the name webagent?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/webagent", + "locator": "", + "required_contents": { + "must_include": [ + "webagent" + ] + } + } + ] + }, + "intent_template_id": 292 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 479, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Set up a new, empty repository with the name {{project_name}}?", + "instantiation_dict": { + "project_name": "awesome_webagent" + }, + "intent": "Set up a new, empty repository with the name awesome_webagent?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/awesome_webagent", + "locator": "", + "required_contents": { + "must_include": [ + "awesome_webagent" + ] + } + } + ] + }, + "intent_template_id": 292 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 480, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Invite {{collaborator_account_list}} as collaborator to {{repo}}", + "instantiation_dict": { + "collaborator_account_list": "yjlou", + "repo": "solarized-prism-theme" + }, + "intent": "Invite yjlou as collaborator to solarized-prism-theme", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/solarized-prism-theme/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "yjlou" + ] + } + } + ] + }, + "intent_template_id": 293 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 481, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "{{name}} wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "instantiation_dict": { + "name": "Abishek" + }, + "intent": "Abishek wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/dotfiles/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'abisubramanya27')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 294 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 482, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "{{name}} wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "instantiation_dict": { + "name": "yjlou" + }, + "intent": "yjlou wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/dotfiles/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'yjlou')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 294 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 483, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "{{name}} wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "instantiation_dict": { + "name": "Koushik" + }, + "intent": "Koushik wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/dotfiles/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'koush')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 294 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 484, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "{{name}} wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "instantiation_dict": { + "name": "Jakub Klinkovsk\u00fd" + }, + "intent": "Jakub Klinkovsk\u00fd wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/dotfiles/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'lahwaacz')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 294 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 485, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "{{name}} wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "instantiation_dict": { + "name": "Vinta" + }, + "intent": "Vinta wants to check my dotfile configurations. Please invite him to the repo as a guest.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/dotfiles/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'vinta')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 294 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 486, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Change the page title of \"{{old-heading}}\" page on my site to \"{{heading}}\".", + "instantiation_dict": { + "old-heading": "404 Not Found", + "heading": "Bruh bro you clicked the wrong page" + }, + "intent": "Change the page title of \"404 Not Found\" page on my site to \"Bruh bro you clicked the wrong page\".", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/cms/page/edit/page_id/1/", + "locator": "document.querySelector('input[name=\"title\"').value", + "required_contents": { + "exact_match": "Bruh bro you clicked the wrong page" + } + } + ] + }, + "intent_template_id": 275 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 487, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Change the page title of \"{{old-heading}}\" page on my site to \"{{heading}}\".", + "instantiation_dict": { + "old-heading": "Enable Cookies", + "heading": "Cookie monster coming to your place" + }, + "intent": "Change the page title of \"Enable Cookies\" page on my site to \"Cookie monster coming to your place\".", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/cms/page/edit/page_id/3/", + "locator": "document.querySelector('input[name=\"title\"').value", + "required_contents": { + "exact_match": "Cookie monster coming to your place" + } + } + ] + }, + "intent_template_id": 275 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 488, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Change the page title of \"{{old-heading}}\" page on my site to \"{{heading}}\".", + "instantiation_dict": { + "old-heading": "Home Page", + "heading": "This is the home page!! Leave here!!" + }, + "intent": "Change the page title of \"Home Page\" page on my site to \"This is the home page!! Leave here!!\".", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/cms/page/edit/page_id/2/", + "locator": "document.querySelector('input[name=\"title\"').value", + "required_contents": { + "exact_match": "This is the home page!! Leave here!!" + } + } + ] + }, + "intent_template_id": 275 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 489, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Change the page title of \"{{old-heading}}\" page on my site to \"{{heading}}\".", + "instantiation_dict": { + "old-heading": "Privacy Policy", + "heading": "No privacy policy is needed is this dystopian world" + }, + "intent": "Change the page title of \"Privacy Policy\" page on my site to \"No privacy policy is needed is this dystopian world\".", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/cms/page/edit/page_id/4/", + "locator": "document.querySelector('input[name=\"title\"').value", + "required_contents": { + "exact_match": "No privacy policy is needed is this dystopian world" + } + } + ] + }, + "intent_template_id": 275 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 490, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Change the page title of \"{{old-heading}}\" page on my site to \"{{heading}}\".", + "instantiation_dict": { + "old-heading": "About us", + "heading": "Secret" + }, + "intent": "Change the page title of \"About us\" page on my site to \"Secret\".", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/cms/page/edit/page_id/5/", + "locator": "document.querySelector('input[name=\"title\"').value", + "required_contents": { + "exact_match": "Secret" + } + } + ] + }, + "intent_template_id": 275 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 491, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Notify {{name}} in their most recent pending order with message \"{{message}}\"", + "instantiation_dict": { + "name": "Sarah Miller", + "message": "the order is ready to be shipped soon!" + }, + "intent": "Notify Sarah Miller in their most recent pending order with message \"the order is ready to be shipped soon!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "System message: We cannot add order history." + }, + "intent_template_id": 280 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 492, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Notify {{name}} in their most recent pending order with message \"{{message}}\"", + "instantiation_dict": { + "name": "Jane Doe", + "message": "sorry we are out of stock, please reorder" + }, + "intent": "Notify Jane Doe in their most recent pending order with message \"sorry we are out of stock, please reorder\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/view/order_id/302/", + "locator": "document.querySelector(\"#order_history_block\").querySelector(\".note-list\").firstElementChild.querySelector(\".note-list-comment\").outerText", + "required_contents": { + "exact_match": "sorry we are out of stock, please reorder" + } + } + ] + }, + "intent_template_id": 280 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 493, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Notify {{name}} in their most recent pending order with message \"{{message}}\"", + "instantiation_dict": { + "name": "Grace Nguyen", + "message": "sorry we are bankrupt, please contact our customer service for refund" + }, + "intent": "Notify Grace Nguyen in their most recent pending order with message \"sorry we are bankrupt, please contact our customer service for refund\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/view/order_id/307/", + "locator": "document.querySelector(\"#order_history_block\").querySelector(\".note-list\").firstElementChild.querySelector(\".note-list-comment\").outerText", + "required_contents": { + "exact_match": "sorry we are bankrupt, please contact our customer service for refund" + } + } + ] + }, + "intent_template_id": 280 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 494, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Notify {{name}} in their most recent pending order with message \"{{message}}\"", + "instantiation_dict": { + "name": "Alex Thomas", + "message": "Yo, your order will be shipped soon!" + }, + "intent": "Notify Alex Thomas in their most recent pending order with message \"Yo, your order will be shipped soon!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/view/order_id/304/", + "locator": "document.querySelector(\"#order_history_block\").querySelector(\".note-list\").firstElementChild.querySelector(\".note-list-comment\").outerText", + "required_contents": { + "exact_match": "Yo, your order will be shipped soon!" + } + } + ] + }, + "intent_template_id": 280 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 495, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Notify {{name}} in their most recent pending order with message \"{{message}}\"", + "instantiation_dict": { + "name": "Lily Potter", + "message": "Thanks, your order is ready to be shipped!" + }, + "intent": "Notify Lily Potter in their most recent pending order with message \"Thanks, your order is ready to be shipped!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/view/order_id/303/", + "locator": "document.querySelector(\"#order_history_block\").querySelector(\".note-list\").firstElementChild.querySelector(\".note-list-comment\").outerText", + "required_contents": { + "exact_match": "Thanks, your order is ready to be shipped!" + } + } + ] + }, + "intent_template_id": 280 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 496, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Update order #{{order}} with the {{service}} tracking number {{tracking}}", + "instantiation_dict": { + "tracking": "8974568499", + "order": "299", + "service": "Federal Express" + }, + "intent": "Update order #299 with the Federal Express tracking number 8974568499", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/commentsHistory/order_id/299/active_tab/order_shipments/", + "locator": "", + "required_contents": { + "must_include": [ + "Tracking number 8974568499 for Federal Express assigned" + ] + } + } + ] + }, + "intent_template_id": 284 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 497, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Update order #{{order}} with the {{service}} tracking number {{tracking}}", + "instantiation_dict": { + "tracking": "24353446464", + "order": "307", + "service": "DHL" + }, + "intent": "Update order #307 with the DHL tracking number 24353446464", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/commentsHistory/order_id/307/active_tab/order_shipments/", + "locator": "", + "required_contents": { + "must_include": [ + "Tracking number 24353446464 for DHL assigned" + ] + } + } + ] + }, + "intent_template_id": 284 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 498, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Update order #{{order}} with the {{service}} tracking number {{tracking}}", + "instantiation_dict": { + "tracking": "55591023930", + "order": "306", + "service": "UPS" + }, + "intent": "Update order #306 with the UPS tracking number 55591023930", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/commentsHistory/order_id/306/active_tab/order_shipments/", + "locator": "", + "required_contents": { + "must_include": [ + "Tracking number 55591023930 for United Parcel Service assigned" + ] + } + } + ] + }, + "intent_template_id": 284 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 499, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Update order #{{order}} with the {{service}} tracking number {{tracking}}", + "instantiation_dict": { + "tracking": "13849373987", + "order": "304", + "service": "USPS" + }, + "intent": "Update order #304 with the USPS tracking number 13849373987", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/commentsHistory/order_id/304/active_tab/order_shipments/", + "locator": "", + "required_contents": { + "must_include": [ + "Tracking number 13849373987 for United States Postal Service assigned" + ] + } + } + ] + }, + "intent_template_id": 284 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 500, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Update order #{{order}} with the {{service}} tracking number {{tracking}}", + "instantiation_dict": { + "tracking": "239028439840", + "order": "301", + "service": "DHL" + }, + "intent": "Update order #301 with the DHL tracking number 239028439840", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/commentsHistory/order_id/301/active_tab/order_shipments/", + "locator": "", + "required_contents": { + "must_include": [ + "Tracking number 239028439840 for DHL assigned" + ] + } + } + ] + }, + "intent_template_id": 284 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 501, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Make all {{product}} as out of stock", + "instantiation_dict": { + "product": "Taurus Elements Shell" + }, + "intent": "Make all Taurus Elements Shell as out of stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/350/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "0" + } + } + ] + }, + "intent_template_id": 287 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 502, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Make all {{product}} as out of stock", + "instantiation_dict": { + "product": "Gobi HeatTec Tee" + }, + "intent": "Make all Gobi HeatTec Tee as out of stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/446/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "0" + } + } + ] + }, + "intent_template_id": 287 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 503, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Make all {{product}} as out of stock", + "instantiation_dict": { + "product": "rocco gym tank" + }, + "intent": "Make all rocco gym tank as out of stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/682/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "0" + } + } + ] + }, + "intent_template_id": 287 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 504, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Make all {{product}} as out of stock", + "instantiation_dict": { + "product": "Selene yoga hoodie" + }, + "intent": "Make all Selene yoga hoodie as out of stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1108/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "0" + } + } + ] + }, + "intent_template_id": 287 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 505, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Make all {{product}} as out of stock", + "instantiation_dict": { + "product": "Aeno capri" + }, + "intent": "Make all Aeno capri as out of stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1861/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "0" + } + } + ] + }, + "intent_template_id": 287 + }, + { + "sites": [ + "shopping" + ], + "task_id": 506, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Buy the highest rated product from the {{product_category}} category within a budget {{dollar_value}}.", + "instantiation_dict": { + "product_category": "meat substitute", + "dollar_value": "between 100 and 200" + }, + "intent": "Buy the highest rated product from the meat substitute category within a budget between 100 and 200.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B01CTR3DLE" + ] + } + } + ] + }, + "intent_template_id": 172 + }, + { + "sites": [ + "shopping" + ], + "task_id": 507, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Buy the highest rated product from the {{product_category}} category within a budget {{dollar_value}}.", + "instantiation_dict": { + "product_category": "Ceiling light", + "dollar_value": "above 1000" + }, + "intent": "Buy the highest rated product from the Ceiling light category within a budget above 1000.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B07BVL3P1V" + ] + } + } + ] + }, + "intent_template_id": 172 + }, + { + "sites": [ + "shopping" + ], + "task_id": 508, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Buy the highest rated product from the {{product_category}} category within a budget {{dollar_value}}.", + "instantiation_dict": { + "product_category": "NS switch pouch", + "dollar_value": "under 60" + }, + "intent": "Buy the highest rated product from the NS switch pouch category within a budget under 60.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B07116LGP6" + ] + } + } + ] + }, + "intent_template_id": 172 + }, + { + "sites": [ + "shopping" + ], + "task_id": 509, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Buy the best rating product from \"{{category}}\" category with at least 5 reviews and the product is least expensive", + "instantiation_dict": { + "category": "Men's shoe" + }, + "intent": "Buy the best rating product from \"Men's shoe\" category with at least 5 reviews and the product is least expensive", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B01J4MM3KO" + ] + } + } + ] + }, + "intent_template_id": 216 + }, + { + "sites": [ + "shopping" + ], + "task_id": 510, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Buy the best rating product from \"{{category}}\" category with at least 5 reviews and the product is least expensive", + "instantiation_dict": { + "category": "Home Audio Speaker" + }, + "intent": "Buy the best rating product from \"Home Audio Speaker\" category with at least 5 reviews and the product is least expensive", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "func:shopping_get_latest_order_url()", + "locator": "document.querySelector(\".order-details-items.ordered\").outerText", + "required_contents": { + "must_include": [ + "B002R5ABIW" + ] + } + } + ] + }, + "intent_template_id": 216 + }, + { + "sites": [ + "shopping" + ], + "task_id": 511, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Add a {{product}} to my wish list.", + "instantiation_dict": { + "product": "laundry detergent" + }, + "intent": "Add a laundry detergent to my wish list.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "laundry", + "detergent" + ] + } + } + ] + }, + "intent_template_id": 189 + }, + { + "sites": [ + "shopping" + ], + "task_id": 512, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Add a {{product}} to my wish list.", + "instantiation_dict": { + "product": "toothpaste" + }, + "intent": "Add a toothpaste to my wish list.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "toothpaste" + ] + } + } + ] + }, + "intent_template_id": 189 + }, + { + "sites": [ + "shopping" + ], + "task_id": 513, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Add a {{product}} to my wish list.", + "instantiation_dict": { + "product": "chair" + }, + "intent": "Add a chair to my wish list.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "chair" + ] + } + } + ] + }, + "intent_template_id": 189 + }, + { + "sites": [ + "shopping" + ], + "task_id": 514, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Add a {{product}} to my wish list.", + "instantiation_dict": { + "product": "white desk" + }, + "intent": "Add a white desk to my wish list.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "white", + "desk" + ] + } + } + ] + }, + "intent_template_id": 189 + }, + { + "sites": [ + "shopping" + ], + "task_id": 515, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Add a {{product}} to my wish list.", + "instantiation_dict": { + "product": "white computer desk" + }, + "intent": "Add a white computer desk to my wish list.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "white", + "computer", + "desk" + ] + } + } + ] + }, + "intent_template_id": 189 + }, + { + "sites": [ + "shopping" + ], + "task_id": 516, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/elmwood-inn-fine-teas-orange-vanilla-caffeine-free-fruit-infusion-16-ounce-pouch.html", + "geolocation": null, + "intent_template": "Add this product to my wishlist", + "instantiation_dict": {}, + "intent": "Add this product to my wishlist", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Elmwood Inn Fine Teas, Orange Vanilla Caffeine-free Fruit Infusion, 16-Ounce Pouch" + ] + } + } + ] + }, + "intent_template_id": 196 + }, + { + "sites": [ + "shopping" + ], + "task_id": 517, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/skinit-decal-gaming-skin-compatible-with-xbox-one-s-console-and-controller-bundle-officially-licensed-nfl-baltimore-ravens-design.html", + "geolocation": null, + "intent_template": "Add this product to my wishlist", + "instantiation_dict": {}, + "intent": "Add this product to my wishlist", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Skinit Decal Gaming Skin Compatible with Xbox One S Console and Controller Bundle - Officially Licensed NFL Baltimore Ravens Design" + ] + } + } + ] + }, + "intent_template_id": 196 + }, + { + "sites": [ + "shopping" + ], + "task_id": 518, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/sceptre-e195bd-srr-19-inch-720p-led-tv-true-black-2017.html", + "geolocation": null, + "intent_template": "Add this product to my wishlist", + "instantiation_dict": {}, + "intent": "Add this product to my wishlist", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Sceptre E195BD-SRR 19-Inch 720P LED TV, True Black (2017)" + ] + } + } + ] + }, + "intent_template_id": 196 + }, + { + "sites": [ + "shopping" + ], + "task_id": 519, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/iphone-13-pro-max-case-neon-turtle-iphone-13-pro-max-cases-tempered-glass-back-soft-silicone-tpu-shock-protective-case-for-apple-iphone-13-pro-max.html", + "geolocation": null, + "intent_template": "Add this product to my wishlist", + "instantiation_dict": {}, + "intent": "Add this product to my wishlist", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "iPhone 13 Pro Max Case, Neon Turtle iPhone 13 Pro Max Cases, Tempered Glass Back+Soft Silicone TPU Shock Protective Case for Apple iPhone 13 Pro Max" + ] + } + } + ] + }, + "intent_template_id": 196 + }, + { + "sites": [ + "shopping" + ], + "task_id": 520, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__/magnetic-metal-stainless-steel-d-pads-kits-directional-pad-replacement-parts-for-xbox-one-elite-controller-elite-series-2-xbox-one-xbox-one-s-x-controller.html", + "geolocation": null, + "intent_template": "Add this product to my wishlist", + "instantiation_dict": {}, + "intent": "Add this product to my wishlist", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/wishlist/", + "locator": "document.querySelector('.products-grid.wishlist').outerText", + "required_contents": { + "must_include": [ + "Magnetic Metal Stainless Steel D-pads Kits Directional Pad Replacement Parts for Xbox One Elite Controller, Elite Series 2, Xbox One, Xbox One S/X Controller" + ] + } + } + ] + }, + "intent_template_id": 196 + }, + { + "sites": [ + "shopping" + ], + "task_id": 521, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Subscribe to the newsletter of OneStopMarket", + "instantiation_dict": {}, + "intent": "Subscribe to the newsletter of OneStopMarket", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/newsletter/manage/", + "locator": "document.querySelector('[title=\"General Subscription\"').checked.toString()", + "required_contents": { + "exact_match": "true" + } + } + ] + }, + "intent_template_id": 199 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 522, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Fork {{repo}}.", + "instantiation_dict": { + "repo": "all repos from facebook" + }, + "intent": "Fork all repos from facebook.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/dashboard/projects", + "locator": "document.querySelector('[data-qa-selector=\"projects_list\"').outerText", + "required_contents": { + "must_include": [ + "create-react-app", + "buck" + ] + } + } + ] + }, + "intent_template_id": 352 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 523, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Star the top {{number}} most stared repos in Gitlab", + "instantiation_dict": { + "number": "five" + }, + "intent": "Star the top five most stared repos in Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/users/byteblaze/starred", + "locator": "", + "required_contents": { + "must_include": [ + "AndroidSlidingUpPanel", + "create-react-app", + "ffmpeg-python", + "PHP_XLSXWriter", + "AndroidAsync" + ] + } + } + ] + }, + "intent_template_id": 354 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 524, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Star the top {{number}} most stared repos in Gitlab", + "instantiation_dict": { + "number": "eight" + }, + "intent": "Star the top eight most stared repos in Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/users/byteblaze/starred", + "locator": "", + "required_contents": { + "must_include": [ + "AndroidSlidingUpPanel", + "create-react-app", + "ffmpeg-python", + "PHP_XLSXWriter", + "AndroidAsync", + "Pytorch-GAN", + "administrate", + "keycloak" + ] + } + } + ] + }, + "intent_template_id": 354 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 525, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Star the top {{number}} most stared repos in Gitlab", + "instantiation_dict": { + "number": "four" + }, + "intent": "Star the top four most stared repos in Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/users/byteblaze/starred", + "locator": "", + "required_contents": { + "must_include": [ + "AndroidSlidingUpPanel", + "create-react-app", + "ffmpeg-python", + "PHP_XLSXWriter" + ] + } + } + ] + }, + "intent_template_id": 354 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 526, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Star the top {{number}} most stared repos in Gitlab", + "instantiation_dict": { + "number": "three" + }, + "intent": "Star the top three most stared repos in Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/users/byteblaze/starred", + "locator": "", + "required_contents": { + "must_include": [ + "AndroidSlidingUpPanel", + "create-react-app", + "ffmpeg-python" + ] + } + } + ] + }, + "intent_template_id": 354 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 527, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Star the top {{number}} most stared repos in Gitlab", + "instantiation_dict": { + "number": "one" + }, + "intent": "Star the top one most stared repos in Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/users/byteblaze/starred", + "locator": "", + "required_contents": { + "must_include": [ + "AndroidSlidingUpPanel" + ] + } + } + ] + }, + "intent_template_id": 354 + }, + { + "sites": [ + "shopping" + ], + "task_id": 528, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Draft a refund message via their \"contact us\" form for the {{product}} I bought {{time}}. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "instantiation_dict": { + "product": "phone screen protector", + "time": "March 2023" + }, + "intent": "Draft a refund message via their \"contact us\" form for the phone screen protector I bought March 2023. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000180", + "12.99" + ] + } + } + ] + }, + "intent_template_id": 154 + }, + { + "sites": [ + "shopping" + ], + "task_id": 529, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Draft a refund message via their \"contact us\" form for the {{product}} I bought {{time}}. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "instantiation_dict": { + "product": "bluetooth speaker", + "time": "Feb 2023" + }, + "intent": "Draft a refund message via their \"contact us\" form for the bluetooth speaker I bought Feb 2023. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000148", + "169.95" + ] + } + } + ] + }, + "intent_template_id": 154 + }, + { + "sites": [ + "shopping" + ], + "task_id": 530, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Draft a refund message via their \"contact us\" form for the {{product}} I bought {{time}}. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "instantiation_dict": { + "product": "kitchen organizer", + "time": "around Feb 2023" + }, + "intent": "Draft a refund message via their \"contact us\" form for the kitchen organizer I bought around Feb 2023. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000161", + "68.88" + ] + } + } + ] + }, + "intent_template_id": 154 + }, + { + "sites": [ + "shopping" + ], + "task_id": 531, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Draft a refund message via their \"contact us\" form for the {{product}} I bought {{time}}. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "instantiation_dict": { + "product": "phone case", + "time": "March 2023" + }, + "intent": "Draft a refund message via their \"contact us\" form for the phone case I bought March 2023. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000180", + "$12.99" + ] + } + } + ] + }, + "intent_template_id": 154 + }, + { + "sites": [ + "shopping" + ], + "task_id": 532, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Draft a refund message via their \"contact us\" form for the {{product}} I bought {{time}}. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "instantiation_dict": { + "product": "PS3 remote controller", + "time": "early 2023" + }, + "intent": "Draft a refund message via their \"contact us\" form for the PS3 remote controller I bought early 2023. It broke after three days of use. The shop requires the order id, the reason and the amount to refund in the message. Don't submit yet", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000180", + "1.63" + ] + } + } + ] + }, + "intent_template_id": 154 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 533, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Follow {{account_list}} on Gitlab", + "instantiation_dict": { + "account_list": [ + "convexegg", + "yjlou" + ] + }, + "intent": "Follow ['convexegg', 'yjlou'] on Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/users/byteblaze/following", + "locator": "document.querySelector('.user-profile').outerText", + "required_contents": { + "must_include": [ + "@convexegg", + "@yjlou" + ] + } + } + ] + }, + "intent_template_id": 330 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 534, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Follow {{account_list}} on Gitlab", + "instantiation_dict": { + "account_list": [ + "Jakub Klinkovsk\u00fd", + "Koushik", + "Vinta Chen" + ] + }, + "intent": "Follow ['Jakub Klinkovsk\u00fd', 'Koushik', 'Vinta Chen'] on Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/users/byteblaze/following", + "locator": "document.querySelector('.user-profile').outerText", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@koush", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 330 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 535, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Follow {{account_list}} on Gitlab", + "instantiation_dict": { + "account_list": [ + "Jakub K", + "ghost", + "Beno\u00eet Blanchon" + ] + }, + "intent": "Follow ['Jakub K', 'ghost', 'Beno\u00eet Blanchon'] on Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/users/byteblaze/following", + "locator": "document.querySelector('.user-profile').outerText", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@ghost", + "@bblanchon" + ] + } + } + ] + }, + "intent_template_id": 330 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 536, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Follow {{account_list}} on Gitlab", + "instantiation_dict": { + "account_list": [ + "ghost", + "R1kk3r", + "Abishek" + ] + }, + "intent": "Follow ['ghost', 'R1kk3r', 'Abishek'] on Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/users/byteblaze/following", + "locator": "document.querySelector('.user-profile').outerText", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@R1kk3r", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 330 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 537, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Follow {{account_list}} on Gitlab", + "instantiation_dict": { + "account_list": [ + "Jakub Klinkovsk", + "convexegg", + "Vinta Chen", + "yjlou", + "Abishek S" + ] + }, + "intent": "Follow ['Jakub Klinkovsk', 'convexegg', 'Vinta Chen', 'yjlou', 'Abishek S'] on Gitlab", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/users/byteblaze/following", + "locator": "document.querySelector('.user-profile').outerText", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@convexegg", + "@vinta", + "@yjlou", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 330 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 538, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Modify the address of order #{{order_id}} to {{address}}", + "instantiation_dict": { + "order_id": "299", + "address": "456 Oak Avenue, Apartment 5B, New York, NY, 10001" + }, + "intent": "Modify the address of order #299 to 456 Oak Avenue, Apartment 5B, New York, NY, 10001", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/view/order_id/299", + "locator": "", + "required_contents": { + "must_include": [ + "456 Oak Avenue", + "Apartment 5B", + "New York", + "10001" + ] + } + } + ] + }, + "intent_template_id": 240 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 539, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Modify the address of order #{{order_id}} to {{address}}", + "instantiation_dict": { + "order_id": "65", + "address": "789 Pine Lane, San Francisco, CA, 94102" + }, + "intent": "Modify the address of order #65 to 789 Pine Lane, San Francisco, CA, 94102", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/view/order_id/65", + "locator": "", + "required_contents": { + "must_include": [ + "789 Pine Lane", + "San Francisco", + "California", + "94102" + ] + } + } + ] + }, + "intent_template_id": 240 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 540, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Modify the address of order #{{order_id}} to {{address}}", + "instantiation_dict": { + "order_id": "301", + "address": "321 Birch Boulevard, Suite 200, Dallas, TX, 75201" + }, + "intent": "Modify the address of order #301 to 321 Birch Boulevard, Suite 200, Dallas, TX, 75201", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/view/order_id/301", + "locator": "", + "required_contents": { + "must_include": [ + "321 Birch Boulevard", + "Suite 200", + "Dallas", + "Texas", + "75201" + ] + } + } + ] + }, + "intent_template_id": 240 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 541, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Modify the address of order #{{order_id}} to {{address}}", + "instantiation_dict": { + "order_id": "125", + "address": "654 Elm Drive, Apartment 12, Miami, FL, 33101" + }, + "intent": "Modify the address of order #125 to 654 Elm Drive, Apartment 12, Miami, FL, 33101", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/view/order_id/125", + "locator": "", + "required_contents": { + "must_include": [ + "654 Elm Drive", + "Apartment 12", + "Miami", + "Florida", + "33101" + ] + } + } + ] + }, + "intent_template_id": 240 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 542, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Modify the address of order #{{order_id}} to {{address}}", + "instantiation_dict": { + "order_id": "300", + "address": "987 Cedar Court, Los Angeles, CA, 90012" + }, + "intent": "Modify the address of order #300 to 987 Cedar Court, Los Angeles, CA, 90012", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/sales/order/view/order_id/300", + "locator": "", + "required_contents": { + "must_include": [ + "987 Cedar Court", + "Los Angeles", + "California", + "90012" + ] + } + } + ] + }, + "intent_template_id": 240 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 543, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Update the product description of {{product}} to highlight the real user positive reviews by quoting the comments", + "instantiation_dict": { + "product": "Bella Tank" + }, + "intent": "Update the product description of Bella Tank to highlight the real user positive reviews by quoting the comments", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/../bella-tank.html", + "locator": "document.querySelector('.data.item.content').outerText + (document.querySelector('.product.attribute.overview [itemprop=\"description\"]')?.outerText || '')", + "required_contents": { + "must_include": [ + "Good choice for working out and stylin' enough to wear when I'm hanging with friends on hot days", + "Also washes really well", + "Always a sweet n sporty look for the gym", + "Keeps me cool and the seams don't rub up against me like some of my other tanks" + ] + } + } + ] + }, + "intent_template_id": 251 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 544, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Update the description of {{product}} to highlight the real user positive reviews by quoting the comments", + "instantiation_dict": { + "product": "Selena Yoga Hoodie" + }, + "intent": "Update the description of Selena Yoga Hoodie to highlight the real user positive reviews by quoting the comments", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/../selene-yoga-hoodie.html", + "locator": "document.querySelector('.data.item.content').outerText + (document.querySelector('.product.attribute.overview [itemprop=\"description\"]')?.outerText || '')", + "required_contents": { + "must_include": [ + "I was super cold and it did the job.", + "The sleeves are definitely thicker than you realize, which is a good thing", + "really quite substantial", + "planning on buying another one of these in another color", + "the best hoodie ive ever owned" + ] + } + } + ] + }, + "intent_template_id": 251 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 545, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Update the description of {{product}} to highlight the real user positive reviews by quoting the comments", + "instantiation_dict": { + "product": "Radiant Tee" + }, + "intent": "Update the description of Radiant Tee to highlight the real user positive reviews by quoting the comments", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/../radiant-tee.html", + "locator": "document.querySelector('.data.item.content').outerText + (document.querySelector('.product.attribute.overview [itemprop=\"description\"]')?.outerText || '')", + "required_contents": { + "must_include": [ + "What I rally love here is that it does the job of keeping me cool and dry", + "I'm a big guy and sweat A LOT", + "Even after a day of gulf, I'm still dry and comfortable", + "What a versatile shirt", + "Not only does it feel very soft compared to my old worn out polos, but it also does the job promised", + "I like going out after my game for drinks so I look good then too and don't need to change into something fresh" + ] + } + } + ] + }, + "intent_template_id": 251 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 546, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Update the description of {{product}} to highlight the real user positive reviews by quoting the comments", + "instantiation_dict": { + "product": "Lucia Cross-Fit Bra" + }, + "intent": "Update the description of Lucia Cross-Fit Bra to highlight the real user positive reviews by quoting the comments", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/../affirm-water-bottle.html", + "locator": "document.querySelector('.data.item.content').outerText + (document.querySelector('.product.attribute.overview [itemprop=\"description\"]')?.outerText || '')", + "required_contents": { + "must_include": [ + "Wide mouth opening makes it easy to clean" + ] + } + } + ] + }, + "intent_template_id": 251 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 547, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Add a new {{option}} option {{value}} to the {{base_setting}} of {{product}}", + "instantiation_dict": { + "option": "color", + "value": "brown", + "base_setting": "size S", + "product": "Phoebe Zipper Sweatshirt" + }, + "intent": "Add a new color option brown to the size S of Phoebe Zipper Sweatshirt", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1130/", + "locator": "document.querySelector('[data-index=\"configurable\"').outerText", + "required_contents": { + "must_include": [ + "Phoebe Zipper Sweatshirt-S-Brown" + ] + } + } + ] + }, + "intent_template_id": 252 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 548, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Add a new {{option}} {{value}} to {{base_setting}} of {{product}}", + "instantiation_dict": { + "option": "color", + "value": "blue", + "base_setting": "size S and M", + "product": "Frankie Sweatshirt" + }, + "intent": "Add a new color blue to size S and M of Frankie Sweatshirt", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/110/", + "locator": "document.querySelector('[data-index=\"configurable\"').outerText", + "required_contents": { + "must_include": [ + "Sweatshirt-M-Blue", + "Sweatshirt-S-Blue" + ] + } + } + ] + }, + "intent_template_id": 252 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 549, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Add a new {{option}} {{value}} to {{base_setting}} {{product}}", + "instantiation_dict": { + "option": "size", + "value": "XXXL", + "base_setting": "green", + "product": "Minerva LumaTech V-Tee" + }, + "intent": "Add a new size XXXL to green Minerva LumaTech V-Tee", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1492/", + "locator": "document.querySelector('[data-index=\"configurable\"').outerText", + "required_contents": { + "must_include": [ + "V-Tee-XXXL-Green" + ] + } + } + ] + }, + "intent_template_id": 252 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 550, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Add a new {{option}} {{value}} to {{base_setting}} {{product}}", + "instantiation_dict": { + "option": "size", + "value": "XXS", + "base_setting": "blue and purple", + "product": "Nona Fitness Tank" + }, + "intent": "Add a new size XXS to blue and purple Nona Fitness Tank", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1732/", + "locator": "document.querySelector('[data-index=\"configurable\"').outerText", + "required_contents": { + "must_include": [ + "Tank-XXS-Blue", + "Tank-XXS-Purple" + ] + } + } + ] + }, + "intent_template_id": 252 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 551, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Add new {{option}} {{value}} to {{base_setting}} of {{product}}", + "instantiation_dict": { + "option": "size", + "value": "30 and 31", + "base_setting": "all color variants", + "product": "Diana Tights" + }, + "intent": "Add new size 30 and 31 to all color variants of Diana Tights", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1854/", + "locator": "document.querySelector('[data-index=\"configurable\"').outerText", + "required_contents": { + "must_include": [ + "Tights-30-Blue", + "Tights-30-Black", + "Tights-30-Orange", + "Tights-31-Blue", + "Tights-31-Black", + "Tights-31-Orange" + ] + } + } + ] + }, + "intent_template_id": 252 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 552, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a folder named {{directory}} in {{gitlab_repo}} repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the {{subreddit}}?", + "instantiation_dict": { + "directory": "real_space", + "subreddit": "space", + "gitlab_repo": "gimmiethat.space" + }, + "intent": "Create a folder named real_space in gimmiethat.space repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the space?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/gimmiethat.space/-/raw/main/real_space/urls.txt", + "locator": "", + "required_contents": { + "must_include": [ + "__REDDIT__/f/space/134164/scientists-erupt-at-nasa-gutting-funding-for-crucial-venus", + "__REDDIT__/f/space/134163/virgin-orbit-fails-to-secure-funding-will-cease-operations", + "__REDDIT__/f/space/134162/nasa-to-name-artemis-2-crew-next-week-the-first-moon", + "__REDDIT__/f/space/134161/bent-light-in-deep-space-reveals-one-of-the-biggest-black", + "__REDDIT__/f/space/134160/seti-s-new-machine-learning-algorithm-works-like-google-s" + ] + } + } + ] + }, + "intent_template_id": 84 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 553, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a folder named {{directory}} in {{gitlab_repo}} repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the {{subreddit}}?", + "instantiation_dict": { + "directory": "news", + "gitlab_repo": "gimmiethat.space", + "subreddit": "news related subreddits" + }, + "intent": "Create a folder named news in gimmiethat.space repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the news related subreddits?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/gimmiethat.space/-/raw/main/news/urls.txt", + "locator": "", + "required_contents": { + "must_include": [ + "__REDDIT__/f/news/129905/ohio-man-charged-for-using-molotov-cocktails-to-attack", + "__REDDIT__/f/news/129904/in-a-loss-for-fox-news-judge-allows-dominion-s-defamation", + "__REDDIT__/f/news/129903/theater-group-sues-to-block-tennessee-s-new-anti-drag-law", + "__REDDIT__/f/news/129902/andrew-tate-released-from-jail-in-romania-and-placed-under", + "__REDDIT__/f/news/129901/rare-high-risk-storm-alert-issued-for-parts-of-midwest-and" + ] + } + } + ] + }, + "intent_template_id": 84 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 554, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a folder named {{directory}} in {{gitlab_repo}} repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the {{subreddit}}?", + "instantiation_dict": { + "directory": "moive_space", + "gitlab_repo": "gimmiethat.space", + "subreddit": "movies" + }, + "intent": "Create a folder named moive_space in gimmiethat.space repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the movies?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/gimmiethat.space/-/raw/main/moive_space/urls.txt", + "locator": "", + "required_contents": { + "must_include": [ + "__REDDIT__/f/movies/128825/scenes-in-film-that-feel-off-or-wrong-in-some-way-and-make", + "__REDDIT__/f/movies/128824/disney-s-live-action-lilo-amp-stitch-movie-finds-its-lilo-in", + "__REDDIT__/f/movies/128823/fantastic-four-movie-gets-new-writer-with-avatar-the-way-of", + "__REDDIT__/f/movies/128822/can-someone-explain-what-made-steven-seagal-so-appealing-for", + "__REDDIT__/f/movies/128821/ban-on-fetish-sex-depictions-in-film-should-end-australia" + ] + } + } + ] + }, + "intent_template_id": 84 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 555, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a folder named {{directory}} in {{gitlab_repo}} repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the {{subreddit}}?", + "instantiation_dict": { + "directory": "funny_pic", + "gitlab_repo": "gimmiethat.space", + "subreddit": "memes" + }, + "intent": "Create a folder named funny_pic in gimmiethat.space repo. Within it, create a file named urls.txt that contains the URLs of the 5 most recent posts from the memes?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/gimmiethat.space/-/raw/main/funny_pic/urls.txt", + "locator": "", + "required_contents": { + "must_include": [ + "__REDDIT__/f/memes/127991/it-do-be-like-that-tho", + "__REDDIT__/f/memes/127990/thank-you-memers-this-wouldn-t-be-possible-without-you", + "__REDDIT__/f/memes/127989/if-you-have-no-other-choice", + "__REDDIT__/f/memes/127988/yes-yes-yes", + "__REDDIT__/f/memes/127987/shagadelic-baby" + ] + } + } + ] + }, + "intent_template_id": 84 + }, + { + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 556, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "nolan_honest_fans", + "topics": "movies directed by Christopher Nolan" + }, + "intent": "Create a repo named nolan_honest_fans with movies directed by Christopher Nolan in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/nolan_honest_fans/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "Following", + "Memento", + "Insomnia", + "Batman Begins", + "The Prestige", + "The Dark Knight", + "Inception", + "The Dark Knight Rises", + "Interstellar", + "Dunkirk", + "Tenet", + "Oppenheimer" + ] + } + } + ] + }, + "intent_template_id": 87 + }, + { + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 557, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "nolan_old_fans", + "topics": "movies directed by Christopher Nolan before 2010" + }, + "intent": "Create a repo named nolan_old_fans with movies directed by Christopher Nolan before 2010 in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/nolan_old_fans/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "Following", + "Memento", + "Insomnia", + "Batman Begins", + "The Prestige", + "The Dark Knight" + ] + } + } + ] + }, + "intent_template_id": 87 + }, + { + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 558, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "nolan_young_fans", + "topics": "movies directed by Christopher Nolan after 2010" + }, + "intent": "Create a repo named nolan_young_fans with movies directed by Christopher Nolan after 2010 in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/nolan_young_fans/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "Inception", + "The Dark Knight Rises", + "Interstellar", + "Dunkirk", + "Tenet", + "Oppenheimer" + ] + } + } + ] + }, + "intent_template_id": 87 + }, + { + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 559, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "nolan_followers", + "topics": "career timeline of Christopher Nolan" + }, + "intent": "Create a repo named nolan_followers with career timeline of Christopher Nolan in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/nolan_followers/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "1993\u20132003: Early career and breakthrough", + "2003\u20132013: Widespread recognition", + "2014\u20132019: Established Hollywood auteur", + "2020\u2013present" + ] + } + } + ] + }, + "intent_template_id": 87 + }, + { + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 560, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "nolan_academy_awards", + "topics": "movies that won Academy Awards by Christopher Nolan" + }, + "intent": "Create a repo named nolan_academy_awards with movies that won Academy Awards by Christopher Nolan in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/nolan_academy_awards/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "The Dark Knight", + "Inception", + "Interstellar", + "Dunkirk", + "Tenet" + ] + } + } + ] + }, + "intent_template_id": 87 + }, + { + "sites": [ + "gitlab", + "wikipedia" + ], + "task_id": 561, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a repo named {{name}} with {{topics}} in a README file", + "instantiation_dict": { + "name": "bafta_awards_nolan", + "topics": "movies that are nominated BAFTA Awards by Christopher Nolan" + }, + "intent": "Create a repo named bafta_awards_nolan with movies that are nominated BAFTA Awards by Christopher Nolan in a README file", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/bafta_awards_nolan/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "Batman Begins", + "The Dark Knight", + "Inception", + "The Dark Knight Rises", + "Interstellar", + "Dunkirk", + "Tenet" + ] + } + } + ] + }, + "intent_template_id": 87 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 562, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "create a repository named {{name}} that includes a README file with the links to the most active {{num}} DIY ideas on DIY subreddit?", + "instantiation_dict": { + "name": "Awesome_DIY_ideas", + "num": 6 + }, + "intent": "create a repository named Awesome_DIY_ideas that includes a README file with the links to the most active 6 DIY ideas on DIY subreddit?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/Awesome_DIY_ideas/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "__REDDIT__/f/DIY/118903/separate-glued-plastic-parts", + "__REDDIT__/f/DIY/118923/how-would-you-fix-this-dryer-vent-mess", + "__REDDIT__/f/DIY/118935/basement-bulkhead-soffit-wall-framing", + "__REDDIT__/f/DIY/118904/ge-water-heater-pilot-light-won-t-stay-lit", + "__REDDIT__/f/DIY/118960/attempting-to-move-a-wall-outlet-in-my-basement-a-few-inches", + "__REDDIT__/f/DIY/118931/afci-outlet-question" + ] + } + } + ] + }, + "intent_template_id": 88 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 563, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "create a repository named {{name}} that includes a README file with the links to the most active {{num}} DIY ideas on DIY subreddit?", + "instantiation_dict": { + "name": "fun_thing_to_do", + "num": 5 + }, + "intent": "create a repository named fun_thing_to_do that includes a README file with the links to the most active 5 DIY ideas on DIY subreddit?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/fun_thing_to_do/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "__REDDIT__/f/DIY/118903/separate-glued-plastic-parts", + "__REDDIT__/f/DIY/118923/how-would-you-fix-this-dryer-vent-mess", + "__REDDIT__/f/DIY/118935/basement-bulkhead-soffit-wall-framing", + "__REDDIT__/f/DIY/118904/ge-water-heater-pilot-light-won-t-stay-lit", + "__REDDIT__/f/DIY/118960/attempting-to-move-a-wall-outlet-in-my-basement-a-few-inches" + ] + } + } + ] + }, + "intent_template_id": 88 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 564, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "create a repository named {{name}} that includes a README file with the links to the most active {{num}} DIY ideas on DIY subreddit?", + "instantiation_dict": { + "name": "live_a_life", + "num": 3 + }, + "intent": "create a repository named live_a_life that includes a README file with the links to the most active 3 DIY ideas on DIY subreddit?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/live_a_life/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "__REDDIT__/f/DIY/118903/separate-glued-plastic-parts", + "__REDDIT__/f/DIY/118923/how-would-you-fix-this-dryer-vent-mess", + "__REDDIT__/f/DIY/118935/basement-bulkhead-soffit-wall-framing" + ] + } + } + ] + }, + "intent_template_id": 88 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 565, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "create a repository named {{name}} that includes a README file with the links to the most active {{num}} DIY ideas on DIY subreddit?", + "instantiation_dict": { + "name": "TODO", + "num": 10 + }, + "intent": "create a repository named TODO that includes a README file with the links to the most active 10 DIY ideas on DIY subreddit?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/TODO/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "__REDDIT__/f/DIY/118903/separate-glued-plastic-parts", + "__REDDIT__/f/DIY/118923/how-would-you-fix-this-dryer-vent-mess", + "__REDDIT__/f/DIY/118935/basement-bulkhead-soffit-wall-framing", + "__REDDIT__/f/DIY/118904/ge-water-heater-pilot-light-won-t-stay-lit", + "__REDDIT__/f/DIY/118960/attempting-to-move-a-wall-outlet-in-my-basement-a-few-inches", + "__REDDIT__/f/DIY/118931/afci-outlet-question", + "__REDDIT__/f/DIY/118824/teflon-tape-to-attach-washing-machine-drain-hose-to-pipe", + "__REDDIT__/f/DIY/118866/paver-base-for-shed", + "__REDDIT__/f/DIY/118820/ways-to-locate-our-buried-electrical-service", + "__REDDIT__/f/DIY/118836/how-to-eliminate-transitions-for-disability-mobility-reasons" + ] + } + } + ] + }, + "intent_template_id": 88 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 566, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "create a repository named {{name}} that includes a README file with the links to the most active {{num}} DIY ideas on DIY subreddit?", + "instantiation_dict": { + "name": "Do it myself", + "num": 8 + }, + "intent": "create a repository named Do it myself that includes a README file with the links to the most active 8 DIY ideas on DIY subreddit?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/Do-it-myself/-/raw/main/README.md", + "locator": "", + "required_contents": { + "must_include": [ + "__REDDIT__/f/DIY/118903/separate-glued-plastic-parts", + "__REDDIT__/f/DIY/118923/how-would-you-fix-this-dryer-vent-mess", + "__REDDIT__/f/DIY/118935/basement-bulkhead-soffit-wall-framing", + "__REDDIT__/f/DIY/118904/ge-water-heater-pilot-light-won-t-stay-lit", + "__REDDIT__/f/DIY/118960/attempting-to-move-a-wall-outlet-in-my-basement-a-few-inches", + "__REDDIT__/f/DIY/118931/afci-outlet-question", + "__REDDIT__/f/DIY/118824/teflon-tape-to-attach-washing-machine-drain-hose-to-pipe", + "__REDDIT__/f/DIY/118866/paver-base-for-shed" + ] + } + } + ] + }, + "intent_template_id": 88 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 567, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Invite {{collaborator_account_list}} as collaborator to {{repo}} repo", + "instantiation_dict": { + "collaborator_account_list": "Jakub Klinkovsk\u00fd and Beno\u00eet Blanchon", + "repo": "gimmiethat.space" + }, + "intent": "Invite Jakub Klinkovsk\u00fd and Beno\u00eet Blanchon as collaborator to gimmiethat.space repo", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/gimmiethat.space/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@bblanchon" + ] + } + } + ] + }, + "intent_template_id": 293 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 568, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Invite {{collaborator_account_list}} as collaborator to {{repo}} repo", + "instantiation_dict": { + "collaborator_account_list": "Abishek and Vinta", + "repo": "a11yproject.com" + }, + "intent": "Invite Abishek and Vinta as collaborator to a11yproject.com repo", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/a11yproject/a11yproject.com/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@abisubramanya27", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 293 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 569, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Invite {{collaborator_account_list}} as collaborator to {{repo}} repo", + "instantiation_dict": { + "collaborator_account_list": "Beno\u00eet and Abishek", + "repo": "my HTML5 markup extention" + }, + "intent": "Invite Beno\u00eet and Abishek as collaborator to my HTML5 markup extention repo", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/accessible-html-content-patterns/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@bblanchon", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 293 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 570, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Invite {{collaborator_account_list}} as collaborator to {{repo}} repo", + "instantiation_dict": { + "collaborator_account_list": "Jakub K, Alex Dills, Alex Hutnik and Beno\u00eet Blanchon", + "repo": "my time tracking tool project" + }, + "intent": "Invite Jakub K, Alex Dills, Alex Hutnik and Beno\u00eet Blanchon as collaborator to my time tracking tool project repo", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/timeit/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@lahwaacz", + "@V13Axel", + "@alexhutnik", + "@bblanchon" + ] + } + } + ] + }, + "intent_template_id": 293 + }, + { + "sites": [ + "shopping" + ], + "task_id": 571, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I recently moved, my address is {{address}}, update my information on OneStopShopping accordingly", + "instantiation_dict": { + "address": "231 Willow Way, Suite 100, Chicago, IL, 60601" + }, + "intent": "I recently moved, my address is 231 Willow Way, Suite 100, Chicago, IL, 60601, update my information on OneStopShopping accordingly", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/customer/address", + "locator": "document.querySelector(\".box.box-address-billing > .box-content\").outerText", + "required_contents": { + "must_include": [ + "231 Willow Way", + "Suite 100", + "Chicago, Illinois, 60601" + ] + } + }, + { + "url": "__SHOPPING__/customer/address", + "locator": "document.querySelector(\".box.box-address-shipping > .box-content\").outerText", + "required_contents": { + "must_include": [ + "231 Willow Way", + "Suite 100", + "Chicago, Illinois, 60601" + ] + } + } + ] + }, + "intent_template_id": 165 + }, + { + "sites": [ + "shopping" + ], + "task_id": 572, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I recently moved, my address is {{address}}, update my information on OneStopShopping accordingly", + "instantiation_dict": { + "address": "654 Aspen Road, House #3, Boston, MA, 02110" + }, + "intent": "I recently moved, my address is 654 Aspen Road, House #3, Boston, MA, 02110, update my information on OneStopShopping accordingly", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/customer/address", + "locator": "document.querySelector(\".box.box-address-billing > .box-content\").outerText", + "required_contents": { + "must_include": [ + "654 Aspen Road", + "House #3", + "Boston, Massachusetts, 02110" + ] + } + }, + { + "url": "__SHOPPING__/customer/address", + "locator": "document.querySelector(\".box.box-address-shipping > .box-content\").outerText", + "required_contents": { + "must_include": [ + "654 Aspen Road", + "House #3", + "Boston, Massachusetts, 02110" + ] + } + } + ] + }, + "intent_template_id": 165 + }, + { + "sites": [ + "shopping" + ], + "task_id": 573, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I recently moved, my address is {{address}}, update my information on OneStopShopping accordingly", + "instantiation_dict": { + "address": "987 Sycamore Circle, Philadelphia, PA, 19102" + }, + "intent": "I recently moved, my address is 987 Sycamore Circle, Philadelphia, PA, 19102, update my information on OneStopShopping accordingly", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/customer/address", + "locator": "document.querySelector(\".box.box-address-shipping > .box-content\").outerText", + "required_contents": { + "must_include": [ + "987 Sycamore Circle", + "Philadelphia, Pennsylvania, 19102" + ] + } + }, + { + "url": "__SHOPPING__/customer/address", + "locator": "document.querySelector(\".box.box-address-billing > .box-content\").outerText", + "required_contents": { + "must_include": [ + "987 Sycamore Circle", + "Philadelphia, Pennsylvania, 19102" + ] + } + } + ] + }, + "intent_template_id": 165 + }, + { + "sites": [ + "shopping" + ], + "task_id": 574, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I recently moved, my address is {{address}}, update my information on OneStopShopping accordingly", + "instantiation_dict": { + "address": "111 Magnolia Path, Atlanta, GA, 30303" + }, + "intent": "I recently moved, my address is 111 Magnolia Path, Atlanta, GA, 30303, update my information on OneStopShopping accordingly", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/customer/address", + "locator": "document.querySelector(\".box.box-address-shipping > .box-content\").outerText", + "required_contents": { + "must_include": [ + "111 Magnolia Path", + "Atlanta, Georgia, 30303" + ] + } + }, + { + "url": "__SHOPPING__/customer/address", + "locator": "document.querySelector(\".box.box-address-billing > .box-content\").outerText", + "required_contents": { + "must_include": [ + "111 Magnolia Path", + "Atlanta, Georgia, 30303" + ] + } + } + ] + }, + "intent_template_id": 165 + }, + { + "sites": [ + "shopping" + ], + "task_id": 575, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "I recently moved, my address is {{address}}, update my information on OneStopShopping accordingly", + "instantiation_dict": { + "address": "222 Redwood Rise, Suite 300, Seattle, WA, 98101" + }, + "intent": "I recently moved, my address is 222 Redwood Rise, Suite 300, Seattle, WA, 98101, update my information on OneStopShopping accordingly", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING__/customer/address", + "locator": "document.querySelector(\".box.box-address-shipping > .box-content\").outerText", + "required_contents": { + "must_include": [ + "222 Redwood Rise", + "Suite 300", + "Seattle, Washington, 98101" + ] + } + }, + { + "url": "__SHOPPING__/customer/address", + "locator": "document.querySelector(\".box.box-address-billing > .box-content\").outerText", + "required_contents": { + "must_include": [ + "222 Redwood Rise", + "Suite 300", + "Seattle, Washington, 98101" + ] + } + } + ] + }, + "intent_template_id": 165 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 576, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Add the following users to repo {{repo}} as {{role}}: {{user_list}}", + "instantiation_dict": { + "repo": "a11y-webring.club", + "role": "developer", + "user_list": [ + "abisubramanya27", + "lahwaacz" + ] + }, + "intent": "Add the following users to repo a11y-webring.club as developer: ['abisubramanya27', 'lahwaacz']", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/a11y-webring.club/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'abisubramanya27')", + "required_contents": { + "must_include": [ + "Developer" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/a11y-webring.club/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'lahwaacz')", + "required_contents": { + "must_include": [ + "Developer" + ] + } + } + ] + }, + "intent_template_id": 351 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 577, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Add the following users to my {{repo}} as {{role}}: {{user_list}}", + "instantiation_dict": { + "repo": "GitHub timeline item management extension", + "role": "maintainer", + "user_list": [ + "abisubramanya27", + "lahwaacz" + ] + }, + "intent": "Add the following users to my GitHub timeline item management extension as maintainer: ['abisubramanya27', 'lahwaacz']", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/remove-board-movement-events-from-the-github-issue-timeline/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'abisubramanya27')", + "required_contents": { + "must_include": [ + "Maintainer" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/remove-board-movement-events-from-the-github-issue-timeline/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'lahwaacz')", + "required_contents": { + "must_include": [ + "Maintainer" + ] + } + } + ] + }, + "intent_template_id": 351 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 578, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Add the following users to repo {{repo}} as {{role}}: {{user_list}}", + "instantiation_dict": { + "repo": "millennials-to-snake-people", + "role": "reporter", + "user_list": [ + "yjlou", + "a11yproject" + ] + }, + "intent": "Add the following users to repo millennials-to-snake-people as reporter: ['yjlou', 'a11yproject']", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/millennials-to-snake-people/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'yjlou')", + "required_contents": { + "must_include": [ + "Reporter" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/millennials-to-snake-people/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'a11yproject')", + "required_contents": { + "must_include": [ + "Reporter" + ] + } + } + ] + }, + "intent_template_id": 351 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 579, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Add the following users to my {{repo}} as {{role}}: {{user_list}}", + "instantiation_dict": { + "repo": "time tracking tool", + "role": "guest", + "user_list": [ + "yjlou" + ] + }, + "intent": "Add the following users to my time tracking tool as guest: ['yjlou']", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/timeit/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'yjlou')", + "required_contents": { + "must_include": [ + "Guest" + ] + } + } + ] + }, + "intent_template_id": 351 + }, + { + "sites": [ + "reddit" + ], + "task_id": 580, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Create a new forum named {{name}}, with a description of {{description}}, and include {{sidebar_list}} in the sidebar?", + "instantiation_dict": { + "name": "sci_fi", + "description": "A wild place for sci-fi enthusiasts", + "sidebar_list": [ + "New", + "Classic", + "Movies", + "Post my novel", + "Random" + ] + }, + "intent": "Create a new forum named sci_fi, with a description of A wild place for sci-fi enthusiasts, and include ['New', 'Classic', 'Movies', 'Post my novel', 'Random'] in the sidebar?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/sci_fi/edit", + "locator": "document.querySelector(\"#forum_description\").value", + "required_contents": { + "must_include": [ + "A wild place for sci-fi enthusiasts" + ] + } + }, + { + "url": "__REDDIT__/f/sci_fi/edit", + "locator": "document.querySelector(\"#forum_sidebar\").value", + "required_contents": { + "must_include": [ + "New", + "Classic", + "Movies", + "Post my novel", + "Random" + ] + } + } + ] + }, + "intent_template_id": 7 + }, + { + "sites": [ + "reddit" + ], + "task_id": 581, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Create a new forum named {{name}}, with a description of {{description}}, and include {{sidebar_list}} in the sidebar?", + "instantiation_dict": { + "name": "cmu_lti", + "description": "Language Technologies Institute at Carnegie Mellon University", + "sidebar_list": [ + "announcement", + "paper", + "alumni" + ] + }, + "intent": "Create a new forum named cmu_lti, with a description of Language Technologies Institute at Carnegie Mellon University, and include ['announcement', 'paper', 'alumni'] in the sidebar?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/cmu_lti/edit", + "locator": "document.querySelector(\"#forum_description\").value", + "required_contents": { + "must_include": [ + "Language Technologies Institute at Carnegie Mellon University" + ] + } + }, + { + "url": "__REDDIT__/f/cmu_lti/edit", + "locator": "document.querySelector(\"#forum_sidebar\").value", + "required_contents": { + "must_include": [ + "announcement", + "paper", + "alumni" + ] + } + } + ] + }, + "intent_template_id": 7 + }, + { + "sites": [ + "reddit" + ], + "task_id": 582, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Create a new forum named {{name}}, with a description of {{description}}, and include {{sidebar_list}} in the sidebar?", + "instantiation_dict": { + "name": "Cyberpunk", + "description": "Welcome to the future", + "sidebar_list": [ + "Games", + "Books", + "Movies", + "Future" + ] + }, + "intent": "Create a new forum named Cyberpunk, with a description of Welcome to the future, and include ['Games', 'Books', 'Movies', 'Future'] in the sidebar?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/Cyberpunk/edit", + "locator": "document.querySelector(\"#forum_description\").value", + "required_contents": { + "must_include": [ + "Welcome to the future" + ] + } + }, + { + "url": "__REDDIT__/f/Cyberpunk/edit", + "locator": "document.querySelector(\"#forum_sidebar\").value", + "required_contents": { + "must_include": [ + "Games", + "Books", + "Movies", + "Future" + ] + } + } + ] + }, + "intent_template_id": 7 + }, + { + "sites": [ + "reddit" + ], + "task_id": 583, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Create a new forum named {{name}}, with a description of {{description}}, and include {{sidebar_list}} in the sidebar?", + "instantiation_dict": { + "name": "PlantsForCatParents", + "description": "Cat parents & plan lovers", + "sidebar_list": [ + "Cat friendly", + "Local vendors", + "Promotion", + "Toxic plants!" + ] + }, + "intent": "Create a new forum named PlantsForCatParents, with a description of Cat parents & plan lovers, and include ['Cat friendly', 'Local vendors', 'Promotion', 'Toxic plants!'] in the sidebar?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/PlantsForCatParents/edit", + "locator": "document.querySelector(\"#forum_description\").value", + "required_contents": { + "must_include": [ + "Cat parents & plan lovers" + ] + } + }, + { + "url": "__REDDIT__/f/PlantsForCatParents/edit", + "locator": "document.querySelector(\"#forum_sidebar\").value", + "required_contents": { + "must_include": [ + "Cat friendly", + "Local vendors", + "Promotion", + "Toxic plants!" + ] + } + } + ] + }, + "intent_template_id": 7 + }, + { + "sites": [ + "reddit" + ], + "task_id": 584, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Create a new forum named {{name}}, with a description of {{description}}, and include {{sidebar_list}} in the sidebar?", + "instantiation_dict": { + "name": "Karaoke", + "description": "Place for Karaoke lovers", + "sidebar_list": [ + "devices", + "setup" + ] + }, + "intent": "Create a new forum named Karaoke, with a description of Place for Karaoke lovers, and include ['devices', 'setup'] in the sidebar?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/Karaoke", + "locator": "document.querySelector(\"#forum_description\").value", + "required_contents": { + "must_include": [ + "Place for Karaoke lovers" + ] + } + }, + { + "url": "__REDDIT__/f/Karaoke", + "locator": "document.querySelector(\"#forum_sidebar\").value", + "required_contents": { + "must_include": [ + "devices", + "setup" + ] + } + } + ] + }, + "intent_template_id": 7 + }, + { + "sites": [ + "shopping" + ], + "task_id": 585, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Rate my recent purchase of {{product}} with {{num_star}} stars, using my nickname {{nickname}}?", + "instantiation_dict": { + "product": "floor lamp", + "num_star": 5, + "nickname": "Emma Lopez" + }, + "intent": "Rate my recent purchase of floor lamp with 5 stars, using my nickname Emma Lopez?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_rating('B00J8RZL7I')", + "required_contents": { + "must_include": [ + "100" + ] + } + }, + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_author('B00J8RZL7I')", + "required_contents": { + "must_include": [ + "Emma Lopez" + ] + } + } + ] + }, + "intent_template_id": 194 + }, + { + "sites": [ + "shopping" + ], + "task_id": 586, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Rate my recent purchase of {{product}} with {{num_star}} stars, using my nickname {{nickname}}?", + "instantiation_dict": { + "product": "Jiffy Corn Muffin Cornbread Mix", + "num_star": 4, + "nickname": "ShoppingEmma" + }, + "intent": "Rate my recent purchase of Jiffy Corn Muffin Cornbread Mix with 4 stars, using my nickname ShoppingEmma?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_rating('B07HZB38XH')", + "required_contents": { + "must_include": [ + "80" + ] + } + }, + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_author('B07HZB38XH')", + "required_contents": { + "must_include": [ + "ShoppingEmma" + ] + } + } + ] + }, + "intent_template_id": 194 + }, + { + "sites": [ + "shopping" + ], + "task_id": 587, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Rate my recent purchase of {{product}} with {{num_star}} stars, using my nickname {{nickname}}?", + "instantiation_dict": { + "product": "PS3 Remote Controllers", + "num_star": 3, + "nickname": "GamingEmma" + }, + "intent": "Rate my recent purchase of PS3 Remote Controllers with 3 stars, using my nickname GamingEmma?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_rating('B0041MSF2S')", + "required_contents": { + "must_include": [ + "60" + ] + } + }, + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_author('B0041MSF2S')", + "required_contents": { + "must_include": [ + "GamingEmma" + ] + } + } + ] + }, + "intent_template_id": 194 + }, + { + "sites": [ + "shopping" + ], + "task_id": 588, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Rate my recent purchase of {{product}} with {{num_star}} stars, using my nickname {{nickname}}?", + "instantiation_dict": { + "product": "Foundation For Mattress With Frame Set", + "num_star": 1, + "nickname": "ShoppingEmma" + }, + "intent": "Rate my recent purchase of Foundation For Mattress With Frame Set with 1 stars, using my nickname ShoppingEmma?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_rating('B07DFJ5XKH')", + "required_contents": { + "must_include": [ + "20" + ] + } + }, + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_author('B07DFJ5XKH')", + "required_contents": { + "must_include": [ + "ShoppingEmma" + ] + } + } + ] + }, + "intent_template_id": 194 + }, + { + "sites": [ + "shopping" + ], + "task_id": 589, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Rate my recent purchase of {{product}} with {{num_star}} stars, using my nickname {{nickname}}?", + "instantiation_dict": { + "product": "Mini Wireless Bluetooth Speaker", + "num_star": 2, + "nickname": "SimpleEmma" + }, + "intent": "Rate my recent purchase of Mini Wireless Bluetooth Speaker with 2 stars, using my nickname SimpleEmma?", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_rating('B09P7BFL4H')", + "required_contents": { + "must_include": [ + "40" + ] + } + }, + { + "url": "last", + "locator": "func:shopping_get_sku_latest_review_author('B09P7BFL4H')", + "required_contents": { + "must_include": [ + "SimpleEmma" + ] + } + } + ] + }, + "intent_template_id": 194 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 590, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/primer/design", + "geolocation": null, + "intent_template": "Create a milestone for the upcoming {{event}} starting on {{start_date}} and ending on {{end_date}}", + "instantiation_dict": { + "event": "event of product launch", + "start_date": "1/16/2023", + "end_date": "1/30/2023" + }, + "intent": "Create a milestone for the upcoming event of product launch starting on 1/16/2023 and ending on 1/30/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/primer/design/-/milestones", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"#content-body\").outerText", + "required_contents": { + "must_include": [ + "product launch" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.start_date').outerText", + "required_contents": { + "must_include": [ + "Jan 16, 2030" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.due_date').outerText", + "required_contents": { + "must_include": [ + "Jan 30, 2030" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 339 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 591, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/primer/design", + "geolocation": null, + "intent_template": "Create a milestone for the upcoming {{event}} starting on {{start_date}} and ending on {{end_date}}", + "instantiation_dict": { + "event": "practice of collective code review", + "start_date": "1/16/2023", + "end_date": "in 20 days" + }, + "intent": "Create a milestone for the upcoming practice of collective code review starting on 1/16/2023 and ending on in 20 days", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/primer/design/-/milestones", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"#content-body\").outerText", + "required_contents": { + "must_include": [ + "code review" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.start_date').outerText", + "required_contents": { + "must_include": [ + "Jan 16, 2030" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.due_date').outerText", + "required_contents": { + "must_include": [ + "Feb 5, 2030" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 339 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 592, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/primer/design", + "geolocation": null, + "intent_template": "Create a milestone for the upcoming {{event}} starting on {{start_date}} and ending on {{end_date}}", + "instantiation_dict": { + "event": "task of cleaning sensitive information", + "start_date": "2/16/2023", + "end_date": "in 20 days" + }, + "intent": "Create a milestone for the upcoming task of cleaning sensitive information starting on 2/16/2023 and ending on in 20 days", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/primer/design/-/milestones", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"#content-body\").outerText", + "required_contents": { + "must_include": [ + "sensitive information" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.start_date').outerText", + "required_contents": { + "must_include": [ + "Feb 16, 2030" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.due_date').outerText", + "required_contents": { + "must_include": [ + "Mar 8, 2030" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 339 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 593, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/byteblaze/dotfiles", + "geolocation": null, + "intent_template": "Create a milestone for the upcoming {{event}} starting on {{start_date}} and ending on {{end_date}}", + "instantiation_dict": { + "event": "task of merging all branches to main", + "start_date": "March 15, 2044", + "end_date": "March 30, 2044" + }, + "intent": "Create a milestone for the upcoming task of merging all branches to main starting on March 15, 2044 and ending on March 30, 2044", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/byteblaze/dotfiles/-/milestones", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"#content-body\").outerText", + "required_contents": { + "must_include": [ + "all branches to main" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.start_date').outerText", + "required_contents": { + "must_include": [ + "Mar 15, 2044" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.due_date').outerText", + "required_contents": { + "must_include": [ + "Mar 30, 2044" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 339 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 594, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/byteblaze/dotfiles", + "geolocation": null, + "intent_template": "Create a milestone for the upcoming {{event}} starting on {{start_date}} and ending on {{end_date}}", + "instantiation_dict": { + "event": "task of adding a new branch for zsh comprehensive support", + "start_date": "5/1/2044", + "end_date": "in 20 days" + }, + "intent": "Create a milestone for the upcoming task of adding a new branch for zsh comprehensive support starting on 5/1/2044 and ending on in 20 days", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/byteblaze/dotfiles/-/milestones", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"#content-body\").outerText", + "required_contents": { + "must_include": [ + "zsh comprehensive support" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.start_date').outerText", + "required_contents": { + "must_include": [ + "May 1, 2044" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.due_date').outerText", + "required_contents": { + "must_include": [ + "May 21, 2044" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 339 + }, + { + "sites": [ + "reddit" + ], + "task_id": 595, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Open the thread of a trending post on the forum \"{{subreddit}}\" and subscribe.", + "instantiation_dict": { + "subreddit": "space" + }, + "intent": "Open the thread of a trending post on the forum \"space\" and subscribe.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/space", + "program_html": [ + { + "url": "__REDDIT__/", + "locator": "document.querySelector(\"#sidebar > section\").outerText", + "required_contents": { + "must_include": [ + "space" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 4 + }, + { + "sites": [ + "reddit" + ], + "task_id": 596, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Open the thread of a trending post on the forum \"{{subreddit}}\" and subscribe.", + "instantiation_dict": { + "subreddit": "books" + }, + "intent": "Open the thread of a trending post on the forum \"books\" and subscribe.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/books", + "program_html": [ + { + "url": "__REDDIT__/", + "locator": "document.querySelector(\"#sidebar > section\").outerText", + "required_contents": { + "must_include": [ + "books" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 4 + }, + { + "sites": [ + "reddit" + ], + "task_id": 597, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Open the thread of a trending post on the forum \"{{subreddit}}\" and subscribe.", + "instantiation_dict": { + "subreddit": "consoles" + }, + "intent": "Open the thread of a trending post on the forum \"consoles\" and subscribe.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/consoles", + "program_html": [ + { + "url": "__REDDIT__/", + "locator": "document.querySelector(\"#sidebar > section\").outerText", + "required_contents": { + "must_include": [ + "consoles" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 4 + }, + { + "sites": [ + "reddit" + ], + "task_id": 598, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Open the thread of a trending post on the forum \"{{subreddit}}\" and subscribe.", + "instantiation_dict": { + "subreddit": "pittsburgh" + }, + "intent": "Open the thread of a trending post on the forum \"pittsburgh\" and subscribe.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/pittsburgh", + "program_html": [ + { + "url": "__REDDIT__/", + "locator": "document.querySelector(\"#sidebar > section\").outerText", + "required_contents": { + "must_include": [ + "pittsburgh" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 4 + }, + { + "sites": [ + "reddit" + ], + "task_id": 599, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Open the thread of a trending post on the forum \"{{subreddit}}\" and subscribe.", + "instantiation_dict": { + "subreddit": "machine learning" + }, + "intent": "Open the thread of a trending post on the forum \"machine learning\" and subscribe.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/MachineLearning", + "program_html": [ + { + "url": "__REDDIT__/", + "locator": "document.querySelector(\"#sidebar > section\").outerText", + "required_contents": { + "must_include": [ + "MachineLearning" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 4 + }, + { + "sites": [ + "reddit" + ], + "task_id": 600, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post my question, \"{{question}}\", in a subreddit where I'm likely to get an answer", + "instantiation_dict": { + "question": "what is the recommended console to buy these days" + }, + "intent": "Post my question, \"what is the recommended console to buy these days\", in a subreddit where I'm likely to get an answer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/consoles", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "what is the recommended console to buy these days" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 3765 + }, + { + "sites": [ + "reddit" + ], + "task_id": 601, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post my question, \"{{question}}\", in a subreddit where I'm likely to get an answer", + "instantiation_dict": { + "question": "is car necessary in NYC" + }, + "intent": "Post my question, \"is car necessary in NYC\", in a subreddit where I'm likely to get an answer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/nyc", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "is car necessary in NYC" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 3765 + }, + { + "sites": [ + "reddit" + ], + "task_id": 602, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post my question, \"{{question}}\", in a subreddit where I'm likely to get an answer", + "instantiation_dict": { + "question": "places for new drivers to learn driving in pittsburgh" + }, + "intent": "Post my question, \"places for new drivers to learn driving in pittsburgh\", in a subreddit where I'm likely to get an answer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/pittsburgh", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "places for new drivers to learn driving in pittsburgh" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 3765 + }, + { + "sites": [ + "reddit" + ], + "task_id": 603, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post my question, \"{{question}}\", in a subreddit where I'm likely to get an answer", + "instantiation_dict": { + "question": "safe and budge apartment to live in nyc" + }, + "intent": "Post my question, \"safe and budge apartment to live in nyc\", in a subreddit where I'm likely to get an answer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/nyc", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "safe and budge apartment to live in nyc" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 3765 + }, + { + "sites": [ + "reddit" + ], + "task_id": 604, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post my question, \"{{question}}\", in a subreddit where I'm likely to get an answer", + "instantiation_dict": { + "question": "what is the SOTA web navigation agent repo" + }, + "intent": "Post my question, \"what is the SOTA web navigation agent repo\", in a subreddit where I'm likely to get an answer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/deeplearning |OR| __REDDIT__/f/MachineLearning |OR| __REDDIT__/f/singularity", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "what is the SOTA web navigation agent repo" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 3765 + }, + { + "sites": [ + "reddit" + ], + "task_id": 605, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Find a subreddit focused on topics related to {{topic}}, and post my question, \"{{question}}\" there", + "instantiation_dict": { + "topic": "gaming consoles", + "question": "what is the recommended console to buy these days" + }, + "intent": "Find a subreddit focused on topics related to gaming consoles, and post my question, \"what is the recommended console to buy these days\" there", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/consoles", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "what is the recommended console to buy these days" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 5 + }, + { + "sites": [ + "reddit" + ], + "task_id": 606, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Find a subreddit focused on topics related to {{topic}}, and post my question, \"{{question}}\" there", + "instantiation_dict": { + "topic": "NYC", + "question": "is car necessary" + }, + "intent": "Find a subreddit focused on topics related to NYC, and post my question, \"is car necessary\" there", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/nyc", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "is car necessary" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 5 + }, + { + "sites": [ + "reddit" + ], + "task_id": 607, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Find a subreddit focused on topics related to {{topic}}, and post my question, \"{{question}}\" there", + "instantiation_dict": { + "topic": "city Pittsburgh", + "question": "places for new drivers to learn driving" + }, + "intent": "Find a subreddit focused on topics related to city Pittsburgh, and post my question, \"places for new drivers to learn driving\" there", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/pittsburgh", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "places for new drivers to learn driving" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 5 + }, + { + "sites": [ + "reddit" + ], + "task_id": 608, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Find a subreddit focused on topics related to {{topic}}, and post my question, \"{{question}}\" there", + "instantiation_dict": { + "topic": "city lives in DMV area", + "question": "safe and budge apartment to live" + }, + "intent": "Find a subreddit focused on topics related to city lives in DMV area, and post my question, \"safe and budge apartment to live\" there", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/washington |OR| __REDDIT__/f/washingtondc", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "safe and budge apartment to live" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 5 + }, + { + "sites": [ + "reddit" + ], + "task_id": 609, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Find a subreddit focused on topics related to {{topic}}, and post my question, \"{{question}}\" there", + "instantiation_dict": { + "topic": "ML, DL, NLP", + "question": "what is the SOTA web navigation agent repo" + }, + "intent": "Find a subreddit focused on topics related to ML, DL, NLP, and post my question, \"what is the SOTA web navigation agent repo\" there", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/deeplearning |OR| __REDDIT__/f/MachineLearning |OR| __REDDIT__/f/singularity", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "what is the SOTA web navigation agent repo" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 5 + }, + { + "sites": [ + "reddit" + ], + "task_id": 610, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post a review of my recent reading \"{{book}}\" in the r/books with my comment \"{{content}}\".", + "instantiation_dict": { + "book": "To Kill a Mockingbird by Harper Lee", + "content": "good book!" + }, + "intent": "Post a review of my recent reading \"To Kill a Mockingbird by Harper Lee\" in the r/books with my comment \"good book!\".", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "To Kill a Mockingbird by Harper Lee", + "good book!" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 9 + }, + { + "sites": [ + "reddit" + ], + "task_id": 611, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post a review of my recent reading \"{{book}}\" in the r/books with my comment \"{{content}}\".", + "instantiation_dict": { + "book": "Harry Potter", + "content": "Wonderful journey" + }, + "intent": "Post a review of my recent reading \"Harry Potter\" in the r/books with my comment \"Wonderful journey\".", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Harry Potter", + "Wonderful journey" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 9 + }, + { + "sites": [ + "reddit" + ], + "task_id": 612, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post a review of my recent reading \"{{book}}\" in the r/books with my comment \"{{content}}\".", + "instantiation_dict": { + "book": "big little lies", + "content": "can't stop it" + }, + "intent": "Post a review of my recent reading \"big little lies\" in the r/books with my comment \"can't stop it\".", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "big little lies", + "can't stop it" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 9 + }, + { + "sites": [ + "reddit" + ], + "task_id": 613, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post a review of my recent reading \"{{book}}\" in the r/books with my comment \"{{content}}\".", + "instantiation_dict": { + "book": "Love story", + "content": "I cried" + }, + "intent": "Post a review of my recent reading \"Love story\" in the r/books with my comment \"I cried\".", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Love story", + "I cried" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 9 + }, + { + "sites": [ + "reddit" + ], + "task_id": 614, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post a review of my recent reading \"{{book}}\" in the r/books with my comment \"{{content}}\".", + "instantiation_dict": { + "book": "Gone with the wind", + "content": "It's a book with history" + }, + "intent": "Post a review of my recent reading \"Gone with the wind\" in the r/books with my comment \"It's a book with history\".", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Gone with the wind", + "It's a book with history" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 9 + }, + { + "sites": [ + "reddit" + ], + "task_id": 615, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__/f/pics", + "geolocation": null, + "intent_template": "Re-post the image of {{content}} in this page to {{subreddit}} subreddit and note \"from /f/pics\"", + "instantiation_dict": { + "content": "Bald Eagle", + "subreddit": "earthporn" + }, + "intent": "Re-post the image of Bald Eagle in this page to earthporn subreddit and note \"from /f/pics\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/earthporn", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "from /f/pics" + ] + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "[...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "b02113033af32feae9ff147dbbe3764039368d67d193885bd04e65c2e6beea9c.jpg" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 11 + }, + { + "sites": [ + "reddit" + ], + "task_id": 616, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__/f/pics", + "geolocation": null, + "intent_template": "Re-post the image of {{content}} in this page to {{subreddit}} subreddit and note \"from /f/pics\"", + "instantiation_dict": { + "content": "Thanksgiving turkey", + "subreddit": "funny" + }, + "intent": "Re-post the image of Thanksgiving turkey in this page to funny subreddit and note \"from /f/pics\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/funny", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "from /f/pics" + ] + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "[...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "2e4fa0a328e653a97a7d07046291c298ef5b4e0d0c73a287f317ca86a8e8685f.jpg" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 11 + }, + { + "sites": [ + "reddit" + ], + "task_id": 617, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__/f/pics", + "geolocation": null, + "intent_template": "Re-post the image of {{content}} in this page to {{subreddit}} subreddit and note \"from /f/pics\"", + "instantiation_dict": { + "content": "Firework", + "subreddit": "earthporn" + }, + "intent": "Re-post the image of Firework in this page to earthporn subreddit and note \"from /f/pics\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/earthporn", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "from /f/pics" + ] + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "[...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "92411be6af4e9ad5ccd3ccbaa01c10457bb00e704e99c58dd430de1a958307fd.jpg" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 11 + }, + { + "sites": [ + "reddit" + ], + "task_id": 618, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__/f/pics", + "geolocation": null, + "intent_template": "Re-post the image of {{content}} in this page to {{subreddit}} subreddit and note \"from /f/pics\"", + "instantiation_dict": { + "content": "Wife's costume", + "subreddit": "funny" + }, + "intent": "Re-post the image of Wife's costume in this page to funny subreddit and note \"from /f/pics\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/funny", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "from /f/pics" + ] + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "[...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "6bfbf1280d28d84a9261695f0cac5a90addaaff1174807a2b381fdc159f3ed00.jpg" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 11 + }, + { + "sites": [ + "reddit" + ], + "task_id": 619, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__/f/pics", + "geolocation": null, + "intent_template": "Re-post the image of {{content}} in this page to {{subreddit}} subreddit and note \"from /f/pics\"", + "instantiation_dict": { + "content": "costume contest", + "subreddit": "funny" + }, + "intent": "Re-post the image of costume contest in this page to funny subreddit and note \"from /f/pics\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/funny", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "from /f/pics" + ] + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "[...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "bd8bc5f4c846aac4df08626faa3a34a7d47c8f3bdd92bf615a54afd939f063a7.jpg" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 11 + }, + { + "sites": [ + "reddit" + ], + "task_id": 620, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Ask for advice about {{issue}} in a subreddit for relations", + "instantiation_dict": { + "issue": "deal with long-distance relationships" + }, + "intent": "Ask for advice about deal with long-distance relationships in a subreddit for relations", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "long", + "distance", + "relation" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 12 + }, + { + "sites": [ + "reddit" + ], + "task_id": 621, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Ask for advice about {{issue}} in a subreddit for relations", + "instantiation_dict": { + "issue": "cheat" + }, + "intent": "Ask for advice about cheat in a subreddit for relations", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "cheat" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 12 + }, + { + "sites": [ + "reddit" + ], + "task_id": 622, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Ask for advice about {{issue}} in a subreddit for relations", + "instantiation_dict": { + "issue": "sexual harassment" + }, + "intent": "Ask for advice about sexual harassment in a subreddit for relations", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "sexual", + "harassment" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 12 + }, + { + "sites": [ + "reddit" + ], + "task_id": 623, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Ask for advice about {{issue}} in a subreddit for relations", + "instantiation_dict": { + "issue": "gift for birthday" + }, + "intent": "Ask for advice about gift for birthday in a subreddit for relations", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "gift", + "birthday" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 12 + }, + { + "sites": [ + "reddit" + ], + "task_id": 624, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Ask for advice about {{issue}} in a subreddit for relations", + "instantiation_dict": { + "issue": "break-up remedy" + }, + "intent": "Ask for advice about break-up remedy in a subreddit for relations", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "break", + "remedy" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 12 + }, + { + "sites": [ + "reddit" + ], + "task_id": 625, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Create a discussion post about \"{{topic}}\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "instantiation_dict": { + "topic": "the effectiveness of online learning" + }, + "intent": "Create a discussion post about \"the effectiveness of online learning\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/machinelearning |OR| __REDDIT__/f/deeplearning", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "your opinion", + "the effectiveness of online learning" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 13 + }, + { + "sites": [ + "reddit" + ], + "task_id": 626, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Create a discussion post about \"{{topic}}\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "instantiation_dict": { + "topic": "Iphone 14" + }, + "intent": "Create a discussion post about \"Iphone 14\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/iphone", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "your opinion", + "Iphone 14" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 13 + }, + { + "sites": [ + "reddit" + ], + "task_id": 627, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Create a discussion post about \"{{topic}}\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "instantiation_dict": { + "topic": "Harry Potter movie series" + }, + "intent": "Create a discussion post about \"Harry Potter movie series\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/movies", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "your opinion", + "Harry Potter movie series" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 13 + }, + { + "sites": [ + "reddit" + ], + "task_id": 628, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Create a discussion post about \"{{topic}}\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "instantiation_dict": { + "topic": "long distance relationship" + }, + "intent": "Create a discussion post about \"long distance relationship\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/relationship_advice", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "your opinion", + "long distance relationship" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 13 + }, + { + "sites": [ + "reddit" + ], + "task_id": 629, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Create a discussion post about \"{{topic}}\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "instantiation_dict": { + "topic": "Fun thing to do in Pittsburgh" + }, + "intent": "Create a discussion post about \"Fun thing to do in Pittsburgh\" in a relevant subreddit and ask users for their opinions with the simple prompt, \"your opinion\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/pittsburgh", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "your opinion", + "Fun thing to do in Pittsburgh" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 13 + }, + { + "sites": [ + "reddit" + ], + "task_id": 630, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Ask for product recommendations for {{category}} within a budget of {{price}} in {{subreddit}}", + "instantiation_dict": { + "category": "noise-cancelling headphones", + "price": "$200", + "subreddit": "r/headphones" + }, + "intent": "Ask for product recommendations for noise-cancelling headphones within a budget of $200 in r/headphones", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/headphones", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "200", + "noise-cancelling", + "headphone" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 15 + }, + { + "sites": [ + "reddit" + ], + "task_id": 631, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Ask for product recommendations for {{category}} within a budget of {{price}} in {{subreddit}}", + "instantiation_dict": { + "category": "running shoes", + "price": "$100", + "subreddit": "r/sports" + }, + "intent": "Ask for product recommendations for running shoes within a budget of $100 in r/sports", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/sports", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "100", + "running", + "shoes" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 15 + }, + { + "sites": [ + "reddit" + ], + "task_id": 632, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Ask for product recommendations for {{category}} within a budget of {{price}} in {{subreddit}}", + "instantiation_dict": { + "category": "running shoes", + "price": "$500", + "subreddit": "r/sports" + }, + "intent": "Ask for product recommendations for running shoes within a budget of $500 in r/sports", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/sports", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "500", + "running", + "shoes" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 15 + }, + { + "sites": [ + "reddit" + ], + "task_id": 633, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Ask for product recommendations for {{category}} within a budget of {{price}} in {{subreddit}}", + "instantiation_dict": { + "category": "running pants", + "price": "$500", + "subreddit": "r/sports" + }, + "intent": "Ask for product recommendations for running pants within a budget of $500 in r/sports", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/sports", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "500", + "running", + "pants" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 15 + }, + { + "sites": [ + "reddit" + ], + "task_id": 634, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Ask for product recommendations for {{category}} within a budget of {{price}} in {{subreddit}}", + "instantiation_dict": { + "category": "used iphone", + "price": "$1000", + "subreddit": "r/iphone" + }, + "intent": "Ask for product recommendations for used iphone within a budget of $1000 in r/iphone", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/iphone", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "1000", + "used iphone" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 15 + }, + { + "sites": [ + "reddit" + ], + "task_id": 635, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post in the most appropriate subreddit and ask for recommendations for {{category}} products within a budget of {{price}}", + "instantiation_dict": { + "category": "noise-cancelling headphones", + "price": "$200" + }, + "intent": "Post in the most appropriate subreddit and ask for recommendations for noise-cancelling headphones products within a budget of $200", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/headphones", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "200", + "noise-cancelling", + "headphone" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 6100 + }, + { + "sites": [ + "reddit" + ], + "task_id": 636, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post in the most appropriate subreddit and ask for recommendations for {{category}} products within a budget of {{price}}", + "instantiation_dict": { + "category": "DIY toolkit", + "price": "$100" + }, + "intent": "Post in the most appropriate subreddit and ask for recommendations for DIY toolkit products within a budget of $100", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/DIY", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "100", + "DIY", + "toolkit" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 6100 + }, + { + "sites": [ + "reddit" + ], + "task_id": 637, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post in the most appropriate subreddit and ask for recommendations for {{category}} products within a budget of {{price}}", + "instantiation_dict": { + "category": "sony headphones", + "price": "$500" + }, + "intent": "Post in the most appropriate subreddit and ask for recommendations for sony headphones products within a budget of $500", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/headphones", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "500", + "sony headphone" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 6100 + }, + { + "sites": [ + "reddit" + ], + "task_id": 638, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post in the most appropriate subreddit and ask for recommendations for {{category}} products within a budget of {{price}}", + "instantiation_dict": { + "category": "must-have product in my life", + "price": "$30" + }, + "intent": "Post in the most appropriate subreddit and ask for recommendations for must-have product in my life products within a budget of $30", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/BuyItForLife", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "30", + "must-have", + "product", + "life" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 6100 + }, + { + "sites": [ + "reddit" + ], + "task_id": 639, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post in the most appropriate subreddit and ask for recommendations for {{category}} products within a budget of {{price}}", + "instantiation_dict": { + "category": "used iphone", + "price": "$1000" + }, + "intent": "Post in the most appropriate subreddit and ask for recommendations for used iphone products within a budget of $1000", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/iphone", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "1000", + "used iphone" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 6100 + }, + { + "sites": [ + "reddit" + ], + "task_id": 640, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post a notice on a virtual meetup for {{interest}} enthusiasts on {{date}} in the {{subreddit}} subreddit", + "instantiation_dict": { + "interest": "book reading", + "date": "March 15th", + "subreddit": "r/books" + }, + "intent": "Post a notice on a virtual meetup for book reading enthusiasts on March 15th in the r/books subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "book reading", + "March 15th", + "virtual meetup" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 16 + }, + { + "sites": [ + "reddit" + ], + "task_id": 641, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post a notice on a virtual meetup for {{interest}} enthusiasts on {{date}} in the {{subreddit}} subreddit", + "instantiation_dict": { + "interest": "Harry Potter", + "date": "July 8th", + "subreddit": "books" + }, + "intent": "Post a notice on a virtual meetup for Harry Potter enthusiasts on July 8th in the books subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Harry Potter", + "July 8th", + "virtual meetup" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 16 + }, + { + "sites": [ + "reddit" + ], + "task_id": 642, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post a notice on a virtual meetup for {{interest}} enthusiasts on {{date}} in the {{subreddit}} subreddit", + "instantiation_dict": { + "interest": "Big little lies", + "date": "Sep 10th", + "subreddit": "books" + }, + "intent": "Post a notice on a virtual meetup for Big little lies enthusiasts on Sep 10th in the books subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Big little lies", + "Sep 10th", + "virtual meetup" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 16 + }, + { + "sites": [ + "reddit" + ], + "task_id": 643, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post a notice on a virtual meetup for {{interest}} enthusiasts on {{date}} in the {{subreddit}} subreddit", + "instantiation_dict": { + "interest": "racing cars", + "date": "Oct 21st", + "subreddit": "nyc" + }, + "intent": "Post a notice on a virtual meetup for racing cars enthusiasts on Oct 21st in the nyc subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/nyc", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "racing cars", + "Oct 21st", + "virtual meetup" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 16 + }, + { + "sites": [ + "reddit" + ], + "task_id": 644, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post a notice on a virtual meetup for {{interest}} enthusiasts on {{date}} in the {{subreddit}} subreddit", + "instantiation_dict": { + "interest": "Tears of Kingdom", + "date": "Dec 15th", + "subreddit": "games" + }, + "intent": "Post a notice on a virtual meetup for Tears of Kingdom enthusiasts on Dec 15th in the games subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/games", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "Tears of Kingdom", + "Dec 15th", + "virtual meetup" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 16 + }, + { + "sites": [ + "reddit" + ], + "task_id": 645, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post in {{subreddit}} subreddit about what could machine learning help the correpong field.", + "instantiation_dict": { + "subreddit": "books" + }, + "intent": "Post in books subreddit about what could machine learning help the correpong field.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/books", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "machine learning", + "help" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 19 + }, + { + "sites": [ + "reddit" + ], + "task_id": 646, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post in {{subreddit}} subreddit about what could midjourney help the correpong field.", + "instantiation_dict": { + "subreddit": "DIY" + }, + "intent": "Post in DIY subreddit about what could midjourney help the correpong field.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/diy", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "midjourney", + "help" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 19 + }, + { + "sites": [ + "reddit" + ], + "task_id": 647, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post in {{subreddit}} forum about what could open-source LLMs help the correpong field.", + "instantiation_dict": { + "subreddit": "technology" + }, + "intent": "Post in technology forum about what could open-source LLMs help the correpong field.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/technology", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "open-source LLMs", + "help" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 19 + }, + { + "sites": [ + "reddit" + ], + "task_id": 648, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post in {{subreddit}} forum about what could large language models help the correpong field.", + "instantiation_dict": { + "subreddit": "dataisbeautiful" + }, + "intent": "Post in dataisbeautiful forum about what could large language models help the correpong field.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/dataisbeautiful", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "large language models", + "help" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 19 + }, + { + "sites": [ + "reddit" + ], + "task_id": 649, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Post in {{subreddit}} subreddit about what could diffusion model help the correpong field.", + "instantiation_dict": { + "subreddit": "history" + }, + "intent": "Post in history subreddit about what could diffusion model help the correpong field.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/history", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "diffusion model", + "help" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 19 + }, + { + "sites": [ + "reddit" + ], + "task_id": 650, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__/f/books/59421/friendly-reminder-bookshop-org-exists", + "geolocation": null, + "intent_template": "Reply to {{position_description}} with my comment \"{{content_description}}\"", + "instantiation_dict": { + "position_description": "the post", + "content_description": "I am a big fan of the bookorg" + }, + "intent": "Reply to the post with my comment \"I am a big fan of the bookorg\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/books/59421/friendly-reminder-bookshop-org-exists", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.comment__body').outerText", + "required_contents": { + "exact_match": "I am a big fan of the bookorg" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 23 + }, + { + "sites": [ + "reddit" + ], + "task_id": 651, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__/f/pittsburgh/45899/driving-in-pittsburgh-summed-up-by-one-traffic-sign", + "geolocation": null, + "intent_template": "Reply to {{position_description}} with my comment \"{{content_description}}\"", + "instantiation_dict": { + "position_description": "the post", + "content_description": "Yeah, pittsburgh traffic, you know..." + }, + "intent": "Reply to the post with my comment \"Yeah, pittsburgh traffic, you know...\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/pittsburgh/45899/driving-in-pittsburgh-summed-up-by-one-traffic-sign", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.comment__body').outerText", + "required_contents": { + "exact_match": "Yeah, pittsburgh traffic, you know..." + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 23 + }, + { + "sites": [ + "reddit" + ], + "task_id": 652, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__/f/technology/134852/ai-experts-disown-musk-backed-campaign-citing-their-research", + "geolocation": null, + "intent_template": "Reply to {{position_description}} with my comment \"{{content_description}}\"", + "instantiation_dict": { + "position_description": "the post", + "content_description": "???" + }, + "intent": "Reply to the post with my comment \"???\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/technology/134852/ai-experts-disown-musk-backed-campaign-citing-their-research", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.comment__body').outerText", + "required_contents": { + "exact_match": "???" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 23 + }, + { + "sites": [ + "shopping" + ], + "task_id": 653, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Fill the \"contact us\" form in the site for a refund on the {{product}} I bought, stating that it broke after just three days of use. Also, ensure to include the order number #{{order_id}} and the product SKU. Don't submit yet, I will check.", + "instantiation_dict": { + "product": "phone screen protector", + "order_id": "000000180" + }, + "intent": "Fill the \"contact us\" form in the site for a refund on the phone screen protector I bought, stating that it broke after just three days of use. Also, ensure to include the order number #000000180 and the product SKU. Don't submit yet, I will check.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "000000180", + "B087QJN9W1" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 153 + }, + { + "sites": [ + "shopping" + ], + "task_id": 654, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Fill the \"contact us\" form in the site for a refund on the {{product}} I bought, stating that it broke after just three days of use. Also, ensure to include the order number #{{order_id}} and the product SKU. Don't submit yet, I will check.", + "instantiation_dict": { + "product": "bluetooth speaker", + "order_id": "161" + }, + "intent": "Fill the \"contact us\" form in the site for a refund on the bluetooth speaker I bought, stating that it broke after just three days of use. Also, ensure to include the order number #161 and the product SKU. Don't submit yet, I will check.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "161", + "B09P7BFL4H" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 153 + }, + { + "sites": [ + "shopping" + ], + "task_id": 655, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Fill the \"contact us\" form in the site for a refund on the {{product}} I bought, stating that it broke after just three days of use. Also, ensure to include the order number #{{order_id}} and the product SKU. Don't submit yet, I will check.", + "instantiation_dict": { + "product": "iphone case", + "order_id": "180" + }, + "intent": "Fill the \"contact us\" form in the site for a refund on the iphone case I bought, stating that it broke after just three days of use. Also, ensure to include the order number #180 and the product SKU. Don't submit yet, I will check.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "180", + "B087QJN9W1" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 153 + }, + { + "sites": [ + "shopping" + ], + "task_id": 656, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Fill the \"contact us\" form in the site for a refund on the {{product}} I bought, stating that it broke after just three days of use. Also, ensure to include the order number #{{order_id}} and the product SKU. Don't submit yet, I will check.", + "instantiation_dict": { + "product": "remote controller", + "order_id": "180" + }, + "intent": "Fill the \"contact us\" form in the site for a refund on the remote controller I bought, stating that it broke after just three days of use. Also, ensure to include the order number #180 and the product SKU. Don't submit yet, I will check.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "it broke after three days of use", + "180", + "B0041MSF2S" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 153 + }, + { + "sites": [ + "shopping" + ], + "task_id": 657, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Fill the \"contact us\" form in the site for a refund on the {{product}} I bought, stating that it broke after just three days of use. Also, ensure to include the order number #{{order_id}} and the product SKU. Don't submit yet, I will check.", + "instantiation_dict": { + "product": "speaker", + "order_id": "148" + }, + "intent": "Fill the \"contact us\" form in the site for a refund on the speaker I bought, stating that it broke after just three days of use. Also, ensure to include the order number #148 and the product SKU. Don't submit yet, I will check.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "refund", + "broke after three days of use", + "148", + "B003FVW3VA" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 153 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 658, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create an issue in {{repo}} repo with title \"{{issue}}\". Assign the issue to {{account}}. Set due date to be {{due}}", + "instantiation_dict": { + "repo": "a11yproject", + "issue": "401 bad gateway", + "account": "Roshanjossey", + "due": "the end of 2030" + }, + "intent": "Create an issue in a11yproject repo with title \"401 bad gateway\". Assign the issue to Roshanjossey. Set due date to be the end of 2030", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/a11yproject/a11yproject.com/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[data-qa-selector=\"title_content\"]').outerText", + "required_contents": { + "exact_match": "401 bad gateway" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-testid=\"sidebar-due-date\"').outerText", + "required_contents": { + "must_include": [ + "Dec 31, 2030" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.assignee').outerText", + "required_contents": { + "must_include": [ + "Roshan Jossey" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 327 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 659, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create an issue in {{repo}} repo with title \"{{issue}}\". Assign the issue to {{account}}. Set due date to be {{due}}", + "instantiation_dict": { + "repo": "empathy-prompts", + "issue": "Integrating LLMs for better prompts", + "account": "Roshanjossey", + "due": "the beginning of Q2 2033" + }, + "intent": "Create an issue in empathy-prompts repo with title \"Integrating LLMs for better prompts\". Assign the issue to Roshanjossey. Set due date to be the beginning of Q2 2033", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/byteblaze/empathy-prompts/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[data-qa-selector=\"title_content\"]').outerText", + "required_contents": { + "exact_match": "Integrating LLMs for better prompts" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-testid=\"sidebar-due-date\"').outerText", + "required_contents": { + "must_include": [ + "Apr 1, 2033" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.assignee').outerText", + "required_contents": { + "must_include": [ + "Roshan Jossey" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 327 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 660, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create an issue in {{repo}} repo with title \"{{issue}}\". Assign the issue to {{account}}. Set due date to be {{due}}", + "instantiation_dict": { + "repo": "dotfiles", + "issue": "add support for oh-my-zsh", + "account": "Abishek", + "due": "July 18 2033" + }, + "intent": "Create an issue in dotfiles repo with title \"add support for oh-my-zsh\". Assign the issue to Abishek. Set due date to be July 18 2033", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/byteblaze/dotfiles/-/tree/main", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[data-qa-selector=\"title_content\"]').outerText", + "required_contents": { + "exact_match": "add support for oh-my-zsh" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-testid=\"sidebar-due-date\"').outerText", + "required_contents": { + "must_include": [ + "Jul 18, 2033" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.assignee').outerText", + "required_contents": { + "must_include": [ + "Abishek S" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 327 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 661, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Open an issue to {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "ChatGPT", + "issue": "report the issue of connection refused" + }, + "intent": "Open an issue to report the issue of connection refused in ChatGPT.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/convexegg/chatgpt/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "connection refused" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 328 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 662, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Open an issue to {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "aem-hacker", + "issue": "report experiencing \"OSError: [Errno 98] Address already in use\" during executions" + }, + "intent": "Open an issue to report experiencing \"OSError: [Errno 98] Address already in use\" during executions in aem-hacker.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/0ang3el/aem-hacker/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "OSError: [Errno 98] Address already in use" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 328 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 663, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Open an issue to {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "metaseq", + "issue": "ask their plan on supporting Llama and other llama family models" + }, + "intent": "Open an issue to ask their plan on supporting Llama and other llama family models in metaseq.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/root/metaseq/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "llama" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 328 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 664, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Open an issue to {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "awesome-python", + "issue": "ask their plans on adding Python 3.11 related resources" + }, + "intent": "Open an issue to ask their plans on adding Python 3.11 related resources in awesome-python.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/vinta/awesome-python/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "Python 3.11" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 328 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 665, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Open an issue to {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "a11y-syntax-highlighting", + "issue": "request adding support for MT theme editor" + }, + "intent": "Open an issue to request adding support for MT theme editor in a11y-syntax-highlighting.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/byteblaze/a11y-syntax-highlighting/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "MT theme editor" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 328 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 666, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/primer/design", + "geolocation": null, + "intent_template": "Submit a request to merge {{source_branch}} branch into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "dialog-component", + "target_branch": "dialog", + "reviewer": "Carol" + }, + "intent": "Submit a request to merge dialog-component branch into dialog branch, assign Carol as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/primer/design/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "dialog" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "dialog-component" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Caroline Stewart" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 667, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/primer/design", + "geolocation": null, + "intent_template": "Submit a merge request for {{source_branch}} branch to be merged into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "dialog-component", + "target_branch": "bump-doctocat", + "reviewer": "primer" + }, + "intent": "Submit a merge request for dialog-component branch to be merged into bump-doctocat branch, assign primer as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/primer/design/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "bump-doctocat" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "dialog-component" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Primer" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 668, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Submit a merge request for {{source_branch}} branch to be merged into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "a11yproject.com/redesign", + "target_branch": "master", + "reviewer": "Justin Armstrong" + }, + "intent": "Submit a merge request for a11yproject.com/redesign branch to be merged into master branch, assign Justin Armstrong as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/a11yproject/a11yproject.com/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "redesign" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "main" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Justin Armstrong" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 669, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/byteblaze/solarized-prism-theme", + "geolocation": null, + "intent_template": "Open a new issue to discuss the implementation of {{feature}}", + "instantiation_dict": { + "feature": "dark mode" + }, + "intent": "Open a new issue to discuss the implementation of dark mode", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/byteblaze/solarized-prism-theme/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "implementation", + "dark mode" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 337 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 670, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/byteblaze/dotfiles", + "geolocation": null, + "intent_template": "Open a new issue to discuss the implementation of {{feature}}", + "instantiation_dict": { + "feature": "default plugins for .zsh" + }, + "intent": "Open a new issue to discuss the implementation of default plugins for .zsh", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/byteblaze/dotfiles/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.detail-page-description').outerText", + "required_contents": { + "must_include": [ + "implementation", + "default plugins", + "zsh" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 337 + }, + { + "sites": [ + "shopping", + "reddit" + ], + "task_id": 671, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Gather the titles of {{product}} reviews with {{rating}} rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on {{product}}\"", + "instantiation_dict": { + "product": "Sony Computer Entertainment VR", + "rating": "2 stars and less" + }, + "intent": "Gather the titles of Sony Computer Entertainment VR reviews with 2 stars and less rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on Sony Computer Entertainment VR\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/gaming", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__title').outerText", + "required_contents": { + "exact_match": "real user feedback on Sony Computer Entertainment VR" + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "didn't last a year without issues", + "Disappointing. Didn't last long before it stopped powering on and needed to be sent in for repair.", + "Received used items!!" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 101 + }, + { + "sites": [ + "shopping", + "reddit" + ], + "task_id": 672, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Gather the titles of {{product}} reviews with {{rating}} rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on {{product}}\"", + "instantiation_dict": { + "product": "Nintendo Switch Fortnite Wildcat Console EU", + "rating": "3 stars and less" + }, + "intent": "Gather the titles of Nintendo Switch Fortnite Wildcat Console EU reviews with 3 stars and less rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on Nintendo Switch Fortnite Wildcat Console EU\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/gaming", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__title').outerText", + "required_contents": { + "exact_match": "real user feedback on Nintendo Switch Fortnite Wildcat Console EU" + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "EU charger and wild cat card doesn\u2019t even work!", + "REFUND REJECTED", + "Charging port not compatible", + "not compatible in the US", + "Wildcard Bonus Credits Not Redeemable!", + "Code not available!!" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 101 + }, + { + "sites": [ + "shopping", + "reddit" + ], + "task_id": 673, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Gather the titles of {{product}} reviews with {{rating}} rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on {{product}}\"", + "instantiation_dict": { + "product": "Racing Wheel Overdrive for Xbox X", + "rating": "1 star" + }, + "intent": "Gather the titles of Racing Wheel Overdrive for Xbox X reviews with 1 star rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on Racing Wheel Overdrive for Xbox X\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/gaming", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__title').outerText", + "required_contents": { + "exact_match": "real user feedback on Racing Wheel Overdrive for Xbox X" + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "Unable to set neutral steering", + "Doesn\u2019t work with PC", + "Crazy problems in automatic mode", + "pedals stopped working", + "Only works with certain games" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 101 + }, + { + "sites": [ + "shopping", + "reddit" + ], + "task_id": 674, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Gather the titles of {{product}} reviews with {{rating}} rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on {{product}}\"", + "instantiation_dict": { + "product": "Doc and Pies Arcade Factory Cocktail Arcade Machine", + "rating": "3 stars and less" + }, + "intent": "Gather the titles of Doc and Pies Arcade Factory Cocktail Arcade Machine reviews with 3 stars and less rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on Doc and Pies Arcade Factory Cocktail Arcade Machine\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/gaming", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__title').outerText", + "required_contents": { + "exact_match": "real user feedback on Doc and Pies Arcade Factory Cocktail Arcade Machine" + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "Poorly Made Exterior. Consider a different Company.", + "piece of junk ,..can't believe I spent money on this !!!!", + "Based arrived broken but game itself works" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 101 + }, + { + "sites": [ + "shopping", + "reddit" + ], + "task_id": 675, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Gather the titles of {{product}} reviews with {{rating}} rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on {{product}}\"", + "instantiation_dict": { + "product": "HORI 3D Surround Gaming Neckset", + "rating": "2 stars and less" + }, + "intent": "Gather the titles of HORI 3D Surround Gaming Neckset reviews with 2 stars and less rating from OneStopShop, and post them in the games subreddit under the title \"real user feedback on HORI 3D Surround Gaming Neckset\"", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/gaming", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__title').outerText", + "required_contents": { + "exact_match": "real user feedback on HORI 3D Surround Gaming Neckset" + } + }, + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "Not worth it for PC users", + "I really wanted to like this.", + "I wish this was better..." + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 101 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 676, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Lookup orders that are {{status}}", + "instantiation_dict": { + "status": "suspected of being fraudulent" + }, + "intent": "Lookup orders that are suspected of being fraudulent", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/sales/order/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div.admin__data-grid-filters-current\").outerText", + "required_contents": { + "must_include": [ + "Suspected Fraud" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 253 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 677, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Lookup orders that are {{status}}", + "instantiation_dict": { + "status": "processing" + }, + "intent": "Lookup orders that are processing", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/sales/order/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div.admin__data-grid-filters-current\").outerText", + "required_contents": { + "must_include": [ + "Processing" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 253 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 678, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Lookup orders that are {{status}}", + "instantiation_dict": { + "status": "canceled" + }, + "intent": "Lookup orders that are canceled", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/sales/order/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div.admin__data-grid-filters-current\").outerText", + "required_contents": { + "must_include": [ + "Canceled" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 253 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 679, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Lookup orders that are {{status}}", + "instantiation_dict": { + "status": "completed" + }, + "intent": "Lookup orders that are completed", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/sales/order/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div.admin__data-grid-filters-current\").outerText", + "required_contents": { + "must_include": [ + "Completed" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 253 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 680, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Lookup orders that are {{status}}", + "instantiation_dict": { + "status": "on hold" + }, + "intent": "Lookup orders that are on hold", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/sales/order/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div.admin__data-grid-filters-current\").outerText", + "required_contents": { + "must_include": [ + "On Hold" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 253 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 681, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Find a GitLab repository related to {{topic}} and make a Reddit post linking to it in a relevant subreddit", + "instantiation_dict": { + "topic": "gan implementation" + }, + "intent": "Find a GitLab repository related to gan implementation and make a Reddit post linking to it in a relevant subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/machinelearning |OR| __REDDIT__/f/deeplearning |OR| __REDDIT__/f/technology", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "gan implementation", + "__GITLAB__/eriklindernoren/PyTorch-GAN" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 116 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 682, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Find a GitLab repository related to {{topic}} and make a Reddit post linking to it in a relevant subreddit", + "instantiation_dict": { + "topic": "chatGPT" + }, + "intent": "Find a GitLab repository related to chatGPT and make a Reddit post linking to it in a relevant subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/machinelearning |OR| __REDDIT__/f/singularity |OR| __REDDIT__/f/deeplearning |OR| __REDDIT__/f/technology", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "chatgpt", + "__GITLAB__/convexegg/chatgpt" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 116 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 683, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Find a GitLab repository related to {{topic}} and make a Reddit post linking to it in a relevant subreddit", + "instantiation_dict": { + "topic": "metaseq" + }, + "intent": "Find a GitLab repository related to metaseq and make a Reddit post linking to it in a relevant subreddit", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/machinelearning |OR| __REDDIT__/f/deeplearning", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": { + "must_include": [ + "metaseq", + "__GITLAB__/root/metaseq" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 116 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 684, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Promote {{repo}} to subreddit {{subreddit}} with the description from the repo itself.", + "instantiation_dict": { + "repo": "byteblaze/cloud-to-butt", + "subreddit": "LifeProTips" + }, + "intent": "Promote byteblaze/cloud-to-butt to subreddit LifeProTips with the description from the repo itself.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/LifeProTips", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText + [...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "Chrome extension that replaces occurrences of 'the cloud' with 'my butt'", + "__GITLAB__/byteblaze/cloud-to-butt" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 117 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 685, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Promote {{repo}} to subreddit {{subreddit}} with the description from the repo itself.", + "instantiation_dict": { + "repo": "byteblaze/dotfiles", + "subreddit": "aww" + }, + "intent": "Promote byteblaze/dotfiles to subreddit aww with the description from the repo itself.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/aww", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText + [...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "Computer setup", + "__GITLAB__/byteblaze/dotfiles" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 117 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 686, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Promote {{repo}} to subreddit {{subreddit}} with the description from the repo itself.", + "instantiation_dict": { + "repo": "auth0/angular-storage", + "subreddit": "technology" + }, + "intent": "Promote auth0/angular-storage to subreddit technology with the description from the repo itself.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/technology", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText + [...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "A storage library for AngularJS done right", + "__GITLAB__/auth0/angular-storage" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 117 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 687, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Promote {{repo}} to subreddit {{subreddit}} with the description from the repo itself.", + "instantiation_dict": { + "repo": "koush/AndroidAsync", + "subreddit": "funny" + }, + "intent": "Promote koush/AndroidAsync to subreddit funny with the description from the repo itself.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/funny", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText + [...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "Asynchronous socket, http(s) (client+server) and websocket library for android. Based on nio, not threads.", + "__GITLAB__/koush/AndroidAsync" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 117 + }, + { + "sites": [ + "reddit", + "gitlab" + ], + "task_id": 688, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Promote {{repo}} to subreddit {{subreddit}} with the description from the repo itself.", + "instantiation_dict": { + "repo": "lahwaacz/arch-wiki-docs", + "subreddit": "science" + }, + "intent": "Promote lahwaacz/arch-wiki-docs to subreddit science with the description from the repo itself.", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__REDDIT__/f/science", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('.submission__inner').outerText + [...document.querySelector('.submission__inner').querySelectorAll('[href],[src]')].map(elem => elem.getAttribute('href') || elem.getAttribute('src')).join(' ')", + "required_contents": { + "must_include": [ + "A script to download pages from Arch Wiki for offline browsing", + "__GITLAB__/lahwaacz/arch-wiki-docs" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 117 + }, + { + "sites": [ + "shopping" + ], + "task_id": 689, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Draft an email to the shop owner via their contact us function for a coupon as {{reason}}", + "instantiation_dict": { + "reason": "I am a loyal customer" + }, + "intent": "Draft an email to the shop owner via their contact us function for a coupon as I am a loyal customer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "coupon", + "I am a loyal customer" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 163 + }, + { + "sites": [ + "shopping" + ], + "task_id": 690, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Draft an email to the shop owner via their contact us function for a coupon as {{reason}}", + "instantiation_dict": { + "reason": "they promised me a coupon last time" + }, + "intent": "Draft an email to the shop owner via their contact us function for a coupon as they promised me a coupon last time", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "coupon", + "promised" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 163 + }, + { + "sites": [ + "shopping" + ], + "task_id": 691, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Draft an email to the shop owner via their contact us function for a coupon as {{reason}}", + "instantiation_dict": { + "reason": "I plan to make a bulk purchase" + }, + "intent": "Draft an email to the shop owner via their contact us function for a coupon as I plan to make a bulk purchase", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "coupon", + "bulk purchase" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 163 + }, + { + "sites": [ + "shopping" + ], + "task_id": 692, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Draft an email to the shop owner via their contact us function for a coupon as {{reason}}", + "instantiation_dict": { + "reason": "I am a student" + }, + "intent": "Draft an email to the shop owner via their contact us function for a coupon as I am a student", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "coupon", + "student" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 163 + }, + { + "sites": [ + "shopping" + ], + "task_id": 693, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Draft an email to the shop owner via their contact us function for a coupon as {{reason}}", + "instantiation_dict": { + "reason": "my refund is suppoed to be replaced by a coupon" + }, + "intent": "Draft an email to the shop owner via their contact us function for a coupon as my refund is suppoed to be replaced by a coupon", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING__/contact", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[title=\"What\u2019s on your mind?\"').value", + "required_contents": { + "must_include": [ + "coupon", + "refund" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 163 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 694, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Add a simple product named {{product}} with {{stock}} in stock, available in size {{size}} and color {{color}}, priced at ${{price}}", + "instantiation_dict": { + "product": "Energy-Bulk Women Shirt", + "stock": "50", + "size": "S", + "color": "blue", + "price": "60" + }, + "intent": "Add a simple product named Energy-Bulk Women Shirt with 50 in stock, available in size S and color blue, priced at $60", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/catalog/product", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "60.00" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[name]\"').value", + "required_contents": { + "must_include": [ + "Energy-Bulk Women Shirt" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "50" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-role=\"selected-option\"').outerText", + "required_contents": { + "must_include": [ + "top" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[size]\"').value", + "required_contents": { + "exact_match": "167" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[color]\"').value", + "required_contents": { + "exact_match": "50" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-index=\"category_ids\"').outerText", + "required_contents": { + "must_include": [ + "tops" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 256 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 695, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Add a simple product named {{product}} with {{stock}} in stock, available in size {{size}} and color {{color}}, priced at ${{price}}", + "instantiation_dict": { + "product": "Energy-Bulk Man Yoga Pant", + "stock": "50", + "size": "38", + "color": "yellow", + "price": "69.99" + }, + "intent": "Add a simple product named Energy-Bulk Man Yoga Pant with 50 in stock, available in size 38 and color yellow, priced at $69.99", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/catalog/product", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "69.99" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[name]\"').value", + "required_contents": { + "must_include": [ + "Energy-Bulk Man Yoga Pant" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "50" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-role=\"selected-option\"').outerText", + "required_contents": { + "must_include": [ + "bottom" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[size]\"').value", + "required_contents": { + "exact_match": "179" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[color]\"').value", + "required_contents": { + "exact_match": "60" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-index=\"category_ids\"').outerText", + "required_contents": { + "must_include": [ + "bottoms" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 256 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 696, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Add a simple product named {{product}} with {{stock}} in stock, available in size {{size}} and color {{color}}, priced at ${{price}}", + "instantiation_dict": { + "product": "FancyBoy Man Causal Jeans", + "stock": "42", + "size": "34", + "color": "Blue", + "price": "169.99" + }, + "intent": "Add a simple product named FancyBoy Man Causal Jeans with 42 in stock, available in size 34 and color Blue, priced at $169.99", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/catalog/product", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"product[name]\"').value", + "required_contents": { + "must_include": [ + "FancyBoy Man Causal Jeans" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "42" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "169.99" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-role=\"selected-option\"').outerText", + "required_contents": { + "must_include": [ + "bottom" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[size]\"').value", + "required_contents": { + "exact_match": "177" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[color]\"').value", + "required_contents": { + "exact_match": "50" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-index=\"category_ids\"').outerText", + "required_contents": { + "must_include": [ + "bottoms" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 256 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 697, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Add a simple product named {{product}} with {{stock}} in stock, available in size {{size}} and color {{color}}, priced at ${{price}}", + "instantiation_dict": { + "product": "Swaatch Smart Watch", + "stock": "42", + "size": "uni-size", + "color": "Blue", + "price": "769.99" + }, + "intent": "Add a simple product named Swaatch Smart Watch with 42 in stock, available in size uni-size and color Blue, priced at $769.99", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/catalog/product", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"product[name]\"').value", + "required_contents": { + "must_include": [ + "Swaatch Smart Watch" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "42" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "769.99" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-role=\"selected-option\"').outerText", + "required_contents": { + "must_include": [ + "gear" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[color]\"').value", + "required_contents": { + "exact_match": "50" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-index=\"category_ids\"').outerText", + "required_contents": { + "must_include": [ + "watches" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 256 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 698, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Add a simple product named {{product}} with {{stock}} in stock, available in size {{size}} and color {{color}}, priced at ${{price}}", + "instantiation_dict": { + "product": "Lelelumon Yoga Mat", + "stock": "42", + "size": "uni-size", + "color": "black", + "price": "769.99" + }, + "intent": "Add a simple product named Lelelumon Yoga Mat with 42 in stock, available in size uni-size and color black, priced at $769.99", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/catalog/product", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"product[name]\"').value", + "required_contents": { + "must_include": [ + "Lelelumon Yoga Mat" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "42" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "769.99" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-role=\"selected-option\"').outerText", + "required_contents": { + "must_include": [ + "gear" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"product[color]\"').value", + "required_contents": { + "exact_match": "49" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-index=\"category_ids\"').outerText", + "required_contents": { + "must_include": [ + "fitness equipment" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 256 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 699, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Draft a new marketing price rule for {{topic}} that offers {{rule}} for all customers", + "instantiation_dict": { + "topic": "spring sale", + "rule": "a 20 percent discount site-wide" + }, + "intent": "Draft a new marketing price rule for spring sale that offers a 20 percent discount site-wide for all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/sales_rule/promo_quote", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"[name='name'\").value", + "required_contents": { + "must_include": [ + "spring sale" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"website_ids\"').selectedIndex", + "required_contents": { + "exact_match": "0" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"customer_group_ids\"').selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"simple_action\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "by_percent" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"discount_amount\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "20" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 258 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 700, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Draft a new marketing price rule for {{topic}} that offers {{rule}} for all customers", + "instantiation_dict": { + "topic": "fall discount", + "rule": "$10 discount on checkout" + }, + "intent": "Draft a new marketing price rule for fall discount that offers $10 discount on checkout for all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/sales_rule/promo_quote", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"[name='name'\").value", + "required_contents": { + "must_include": [ + "fall discount" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"website_ids\"').selectedIndex", + "required_contents": { + "exact_match": "0" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"customer_group_ids\"').selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"simple_action\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "cart_fixed" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"discount_amount\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "10" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 258 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 701, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Draft a new marketing price rule for {{topic}} that offers {{rule}} for all customers", + "instantiation_dict": { + "topic": "Mother's day sale", + "rule": "$15 discount on checkout" + }, + "intent": "Draft a new marketing price rule for Mother's day sale that offers $15 discount on checkout for all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/sales_rule/promo_quote", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"[name='name'\").value", + "required_contents": { + "must_include": [ + "Mother's day sale" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"website_ids\"').selectedIndex", + "required_contents": { + "exact_match": "0" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"customer_group_ids\"').selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"simple_action\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "cart_fixed" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"discount_amount\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "15" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 258 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 702, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Draft a new marketing price rule for {{topic}} that offers {{rule}} for all customers", + "instantiation_dict": { + "topic": "Pride Month", + "rule": "45% off on all products" + }, + "intent": "Draft a new marketing price rule for Pride Month that offers 45% off on all products for all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/sales_rule/promo_quote", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"[name='name'\").value", + "required_contents": { + "must_include": [ + "Pride Month" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"website_ids\"').selectedIndex", + "required_contents": { + "exact_match": "0" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"customer_group_ids\"').selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"simple_action\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "by_percent" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"discount_amount\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "45" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 258 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 703, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Draft a new marketing price rule for {{topic}} that offers {{rule}} for all customers", + "instantiation_dict": { + "topic": "Thanks giving sale", + "rule": "$40 discount on checkout" + }, + "intent": "Draft a new marketing price rule for Thanks giving sale that offers $40 discount on checkout for all customers", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/sales_rule/promo_quote", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"[name='name'\").value", + "required_contents": { + "must_include": [ + "Thanks giving sale" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"website_ids\"').selectedIndex", + "required_contents": { + "exact_match": "0" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"customer_group_ids\"').selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"simple_action\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "cart_fixed" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"discount_amount\"').value", + "prep_actions": ["document.querySelector('[data-index=\"actions\"]').querySelector('.admin__collapsible-title').click()"], + "required_contents": { + "exact_match": "40" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 258 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 704, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Today is 3/15/2023, generate a {{report}} {{time_span}}", + "instantiation_dict": { + "report": "sales order report", + "time_span": "for last month" + }, + "intent": "Today is 3/15/2023, generate a sales order report for last month", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/reports/report_sales/sales", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "2/1/23" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "2/28/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 268 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 705, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Today is 3/15/2023, generate a {{report}} {{time_span}}", + "instantiation_dict": { + "report": "sales order report", + "time_span": "over the last 45 days" + }, + "intent": "Today is 3/15/2023, generate a sales order report over the last 45 days", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/reports/report_sales/sales", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "1/29/23" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "3/15/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 268 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 706, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Today is 3/15/2023, generate a {{report}} {{time_span}}", + "instantiation_dict": { + "report": "refund report", + "time_span": "for Q1" + }, + "intent": "Today is 3/15/2023, generate a refund report for Q1", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/reports/report_sales/refunded", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "1/1/23" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "3/31/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 268 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 707, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Today is 3/15/2023, generate a {{report}} {{time_span}}", + "instantiation_dict": { + "report": "sales order report", + "time_span": "for last year" + }, + "intent": "Today is 3/15/2023, generate a sales order report for last year", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/reports/report_sales/sales", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "1/1/2022" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "12/31/2022" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 268 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 708, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Today is 3/15/2023, generate a {{report}} {{time_span}}", + "instantiation_dict": { + "report": "tax report", + "time_span": "for this year" + }, + "intent": "Today is 3/15/2023, generate a tax report for this year", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/reports/report_sales/tax/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "1/1/2023" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "12/31/2023" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 268 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 709, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Create an {{type}} report from {{start_date}} to {{end_date}}", + "instantiation_dict": { + "type": "orders", + "start_date": "beginning of May 2021", + "end_date": "end of March 2022" + }, + "intent": "Create an orders report from beginning of May 2021 to end of March 2022", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/reports/report_sales/sales", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "5/1/2021" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "3/31/2022" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 271 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 710, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Create a {{type}} report from {{start_date}} to {{end_date}}", + "instantiation_dict": { + "type": "shipping", + "start_date": "08/05/2022", + "end_date": "03/01/2023" + }, + "intent": "Create a shipping report from 08/05/2022 to 03/01/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/reports/report_sales/shipping", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "8/5/22" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "3/1/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 271 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 711, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Create a {{type}} report from {{start_date}} to {{end_date}}", + "instantiation_dict": { + "type": "product view", + "start_date": "07/05/2021", + "end_date": "05/31/2023" + }, + "intent": "Create a product view report from 07/05/2021 to 05/31/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/reports/report_product/viewed/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "7/5/21" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "5/31/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 271 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 712, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Create a {{type}} report from {{start_date}} to {{end_date}}", + "instantiation_dict": { + "type": "coupons", + "start_date": "05/01/2021", + "end_date": "05/15/2023" + }, + "intent": "Create a coupons report from 05/01/2021 to 05/15/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/reports/report_sales/coupons/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "5/1/21" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "5/15/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 271 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 713, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Create a {{type}} report from {{start_date}} to {{end_date}}", + "instantiation_dict": { + "type": "best sellers", + "start_date": "05/01/2022", + "end_date": "05/31/2023" + }, + "intent": "Create a best sellers report from 05/01/2022 to 05/31/2023", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__SHOPPING_ADMIN__/reports/report_sales/bestsellers/", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_from\"').value", + "required_contents": { + "exact_match": "5/1/22" + } + }, + { + "url": "last", + "locator": "document.querySelector('[id=\"sales_report_to\"').value", + "required_contents": { + "exact_match": "5/31/23" + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 271 + }, + { + "sites": [ + "reddit" + ], + "task_id": 714, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Thumbs down the top {{k}} post ever in {{subreddit}}.", + "instantiation_dict": { + "subreddit": "gadgets", + "k": "1" + }, + "intent": "Thumbs down the top 1 post ever in gadgets.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/gadgets/19459/a-custom-gaming-pc-built-inside-a-vintage-1940s-motorola", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 24 + }, + { + "sites": [ + "reddit" + ], + "task_id": 715, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Thumbs down the top {{k}} post ever in {{subreddit}}.", + "instantiation_dict": { + "subreddit": "history", + "k": "2" + }, + "intent": "Thumbs down the top 2 post ever in history.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/history/84338/the-scientist-who-discovered-sperm-was-so-grossed-out-he", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/history/105990/4-500-year-old-sumerian-temple-dedicated-to-mighty-thunder", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 24 + }, + { + "sites": [ + "reddit" + ], + "task_id": 716, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Thumbs down the top {{k}} post ever in {{subreddit}}.", + "instantiation_dict": { + "k": "3", + "subreddit": "books" + }, + "intent": "Thumbs down the top 3 post ever in books.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/books/81371/the-letters-of-t-s-eliot-to-emily-hale-that-were-kept-sealed", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/books/59421/friendly-reminder-bookshop-org-exists", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/books/59447/appalachian-prison-book-project-seeks-notebook-donations-the", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 24 + }, + { + "sites": [ + "reddit" + ], + "task_id": 717, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Thumbs down the top {{k}} post ever in {{subreddit}}.", + "instantiation_dict": { + "k": "4", + "subreddit": "movies" + }, + "intent": "Thumbs down the top 4 post ever in movies.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/movies/86174/who-will-win-the-oscar-for-actress-in-a-supporting-role", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/movies/86029/who-will-win-the-oscar-for-film-editing", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/movies/86055/cindy-williams-dies-laverne-amp-shirley-star-who-appeared-in", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/movies/42682/michelle-yeoh-to-receive-palm-springs-film-festival-s", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 24 + }, + { + "sites": [ + "reddit" + ], + "task_id": 718, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Thumbs down the top {{k}} post ever in {{subreddit}}.", + "instantiation_dict": { + "k": "5", + "subreddit": "technology" + }, + "intent": "Thumbs down the top 5 post ever in technology.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/technology/48670/brain-cancer-vaccine-succeeds-at-prolonging-survival-in", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/technology/134696/india-cuts-internet-for-27-million-people-amid-search-for", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/technology/48785/us-judge-orders-amazon-to-cease-and-desist-anti-union", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/technology/70354/activision-s-boston-studio-workers-announce-unionization", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/technology/70233/social-media-influencers-are-charged-with-feeding-followers", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 24 + }, + { + "sites": [ + "reddit" + ], + "task_id": 719, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "subreddit": "wallstreetbets", + "user": "ThetaGang_wsb" + }, + "intent": "Like all submissions created by ThetaGang_wsb in subreddit wallstreetbets", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/wallstreetbets/29478/how-will-airbnb-close-following-their-earnings-report-on", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/wallstreetbets/29458/how-much-will-the-federal-reserve-raise-interest-rates-in", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 25 + }, + { + "sites": [ + "reddit" + ], + "task_id": 720, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "subreddit": "earthporn", + "user": "CameronKelsey" + }, + "intent": "Like all submissions created by CameronKelsey in subreddit earthporn", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/EarthPorn/98332/my-favorite-place-on-the-planet-henry-s-fork-of-the-snake", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/EarthPorn/98297/2-years-later-this-is-still-one-of-the-most-incredible", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/EarthPorn/98256/i-can-t-wait-for-all-this-green-to-start-coming-back-little", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 25 + }, + { + "sites": [ + "reddit" + ], + "task_id": 721, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "UniversityofBath", + "subreddit": "IAmA" + }, + "intent": "Like all submissions created by UniversityofBath in subreddit IAmA", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/IAmA/119742/hi-i-m-vienne-a-doctoral-student-at-the-university-of-bath-i", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/IAmA/119719/hello-reddit-i-m-nazia-mehrban-a-lecturer-in-biotechnology", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/IAmA/119714/i-m-ellie-jarvis-she-her-a-2nd-year-phd-student-in-the", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/IAmA/55155/hi-i-m-dr-lucy-maddox-from-bath-university-uk-i-m-a-clinical", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/IAmA/55142/we-re-sadeka-nujhat-hannah-leese-and-sandhya-moise-from-the", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/IAmA/34032/we-re-sandhya-moise-david-phillips-and-chan-lee-from-the", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/IAmA/13175/hi-i-m-kit-yates-i-m-a-mathematical-biologist-at-the", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/IAmA/13170/hello-i-m-dr-sara-fontani-from-the-university-of", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 25 + }, + { + "sites": [ + "reddit" + ], + "task_id": 722, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "Don_Gato1", + "subreddit": "new york" + }, + "intent": "Like all submissions created by Don_Gato1 in subreddit new york", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/nyc/44650/fox-news-hosts-cast-new-york-as-crime-ridden-and-chaotic", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 25 + }, + { + "sites": [ + "reddit" + ], + "task_id": 723, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "FTorrez81", + "subreddit": "iphone13" + }, + "intent": "Like all submissions created by FTorrez81 in subreddit iphone13", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "reference_answer_raw_annotation": "N/A", + "string_note": "FTorrez81 does not have any submissions in iphone13" + }, + "intent_template_id": 25, + "string_note": "FTorrez81 has no submissions in subreddit iphone13" + }, + { + "sites": [ + "reddit" + ], + "task_id": 724, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Like all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "Hrekires", + "subreddit": "news" + }, + "intent": "Like all submissions created by Hrekires in subreddit news", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/news/129816/gov-whitmer-signs-bills-to-repeal-right-to-work-restore", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/129808/disney-world-deal-with-union-will-raise-minimum-wage-to-18", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/129794/judge-halts-wyoming-abortion-ban-days-after-it-took-effect", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/129783/don-t-say-gay-lawmaker-pleads-guilty-to-covid-relief-fraud", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/129594/arizona-gov-katie-hobbs-refuses-to-proceed-with-execution", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/129508/tennessee-governor-oks-bill-to-cut-nashville-council-in-half", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/43839/philadelphia-da-larry-krasner-impeached-by-pa-house", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/43781/crypto-giant-ftx-to-file-for-bankruptcy-ceo-sam-bankman", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/43572/sec-doj-investigating-crypto-platform-ftx", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/43558/kansas-gov-laura-kelly-wins-re-election-defeating-gop", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-upvoted" + ] + } + } + ] + }, + "intent_template_id": 25 + }, + { + "sites": [ + "reddit" + ], + "task_id": 725, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "subreddit": "massachusetts", + "user": "RickyDontLoseThat" + }, + "intent": "DisLike all submissions created by RickyDontLoseThat in subreddit massachusetts", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/massachusetts/84954/the-last-of-lincoln", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 1510 + }, + { + "sites": [ + "reddit" + ], + "task_id": 726, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "subreddit": "earthporn", + "user": "jacyanthis" + }, + "intent": "DisLike all submissions created by jacyanthis in subreddit earthporn", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "jacyanthis does not have any submissions in earthporn", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 1510 + }, + { + "sites": [ + "reddit" + ], + "task_id": 727, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "PatientBuilder499", + "subreddit": "videos" + }, + "intent": "DisLike all submissions created by PatientBuilder499 in subreddit videos", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/videos/115139/hundreds-of-civilian-turkish-volunteers-waiting-to-be-sent", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 1510 + }, + { + "sites": [ + "reddit" + ], + "task_id": 728, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "sirbarani", + "subreddit": "sports" + }, + "intent": "DisLike all submissions created by sirbarani in subreddit sports", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/sports/48303/iran-football-legend-daei-will-not-attend-world-cup-amid", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 1510 + }, + { + "sites": [ + "reddit" + ], + "task_id": 729, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "AdamCannon", + "subreddit": "UpliftingNews" + }, + "intent": "DisLike all submissions created by AdamCannon in subreddit UpliftingNews", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/UpliftingNews/16087/same-sex-marriage-is-now-legal-in-all-of-mexico-s-states", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 1510 + }, + { + "sites": [ + "reddit" + ], + "task_id": 730, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "DisLike all submissions created by {{user}} in subreddit {{subreddit}}", + "instantiation_dict": { + "user": "Hrekires", + "subreddit": "news" + }, + "intent": "DisLike all submissions created by Hrekires in subreddit news", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/news/129816/gov-whitmer-signs-bills-to-repeal-right-to-work-restore", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/129808/disney-world-deal-with-union-will-raise-minimum-wage-to-18", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/129794/judge-halts-wyoming-abortion-ban-days-after-it-took-effect", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/129783/don-t-say-gay-lawmaker-pleads-guilty-to-covid-relief-fraud", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/129594/arizona-gov-katie-hobbs-refuses-to-proceed-with-execution", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/129508/tennessee-governor-oks-bill-to-cut-nashville-council-in-half", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/43839/philadelphia-da-larry-krasner-impeached-by-pa-house", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/43781/crypto-giant-ftx-to-file-for-bankruptcy-ceo-sam-bankman", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/43572/sec-doj-investigating-crypto-platform-ftx", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + }, + { + "url": "__REDDIT__/f/news/43558/kansas-gov-laura-kelly-wins-re-election-defeating-gop", + "locator": "document.querySelector('div.submission__vote').querySelector('form').getAttribute('class')", + "required_contents": { + "must_include": [ + "vote vote--user-downvoted" + ] + } + } + ] + }, + "intent_template_id": 1510 + }, + { + "sites": [ + "reddit" + ], + "task_id": 731, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Edit my post on {{post}} by adding a line to the body that says \"{{content}}\"", + "instantiation_dict": { + "post": "Nvidia RTX 4090", + "content": "EDIT: This news aged well" + }, + "intent": "Edit my post on Nvidia RTX 4090 by adding a line to the body that says \"EDIT: This news aged well\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/MachineLearning/1/nvidia-rtx-4090", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "must_include": [ + "EDIT: This news aged well", + "Crazy device for ML!" + ] + } + } + ] + }, + "intent_template_id": 27 + }, + { + "sites": [ + "reddit" + ], + "task_id": 732, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Edit my post on {{post}} by adding a line to the body that says \"{{content}}\"", + "instantiation_dict": { + "post": "The Night Agent", + "content": "Done watching, pretty cool!" + }, + "intent": "Edit my post on The Night Agent by adding a line to the body that says \"Done watching, pretty cool!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/television/134868/the-night-agent-renewed-for-season-2-at-netflix", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "exact_match": "Done watching, pretty cool!" + } + } + ] + }, + "intent_template_id": 27 + }, + { + "sites": [ + "reddit" + ], + "task_id": 733, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Edit my post on {{post}} by adding a line to the body that says \"{{content}}\"", + "instantiation_dict": { + "post": "Star Trek Starfleet Academy series", + "content": "Every watch makes me feel like a kid again" + }, + "intent": "Edit my post on Star Trek Starfleet Academy series by adding a line to the body that says \"Every watch makes me feel like a kid again\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/television/135201/star-trek-starfleet-academy-series-from-alex-kurtzman-and", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "exact_match": "Every watch makes me feel like a kid again" + } + } + ] + }, + "intent_template_id": 27 + }, + { + "sites": [ + "reddit" + ], + "task_id": 734, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Edit my post on {{post}} by adding a line to the body that says \"{{content}}\"", + "instantiation_dict": { + "post": "Ted Lasso", + "content": "Done watching. I love the renew!" + }, + "intent": "Edit my post on Ted Lasso by adding a line to the body that says \"Done watching. I love the renew!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/television/135156/ted-lasso-season-3-premiere-scores-870k-u-s-households-up-59", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "exact_match": "Done watching. I love the renew!" + } + } + ] + }, + "intent_template_id": 27 + }, + { + "sites": [ + "reddit" + ], + "task_id": 735, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": "__REDDIT__", + "geolocation": null, + "intent_template": "Edit my post on {{post}} by adding a line to the body that says \"{{content}}\"", + "instantiation_dict": { + "post": "Lord of the Rings", + "content": "The cast is amazing!" + }, + "intent": "Edit my post on Lord of the Rings by adding a line to the body that says \"The cast is amazing!\"", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__REDDIT__/f/television/135152/lord-of-the-rings-the-rings-of-power-season-2-cast-adds", + "locator": "document.querySelector('.submission__body').outerText", + "required_contents": { + "exact_match": "The cast is amazing!" + } + } + ] + }, + "intent_template_id": 27 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 736, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Make the LICENSE of {{repo}} to MIT license.", + "instantiation_dict": { + "repo": "gimmiethat.space and dotfiles" + }, + "intent": "Make the LICENSE of gimmiethat.space and dotfiles to MIT license.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/gimmiethat.space/-/blob/main/LICENSE", + "locator": "", + "required_contents": { + "must_include": [ + "MIT license", + "The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software." + ] + } + }, + { + "url": "__GITLAB__/byteblaze/dotfiles/-/blob/main/LICENSE", + "locator": "", + "required_contents": { + "must_include": [ + "MIT license", + "The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software." + ] + } + } + ] + }, + "intent_template_id": 355 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 737, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Show me the way from {{location}} to the home stadium of {{sport_team}} {{time}}", + "instantiation_dict": { + "location": "Carnegie Mellon University", + "sport_team": "Philadelphia 76ers", + "time": "" + }, + "intent": "Show me the way from Carnegie Mellon University to the home stadium of Philadelphia 76ers ", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Wells Fargo Center", + "South Philadelphia Sports Complex" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 94 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 738, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Show me the way from {{location}} to the home stadium of {{sport_team}} {{time}}", + "instantiation_dict": { + "location": "Carnegie Mellon University", + "sport_team": "Philadelphia 76ers", + "time": "in the 70th" + }, + "intent": "Show me the way from Carnegie Mellon University to the home stadium of Philadelphia 76ers in the 70th", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "3601 South Broad Street", + "South Philadelphia" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 94 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 739, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Show me the way from {{location}} to the home stadium of {{sport_team}} {{time}}", + "instantiation_dict": { + "location": "Carnegie Mellon University", + "sport_team": "Yankees", + "time": "in the 80th" + }, + "intent": "Show me the way from Carnegie Mellon University to the home stadium of Yankees in the 80th", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Yankee Stadium", + "East 161st Street" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 94 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 740, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Show me the way from {{location}} to the home stadium of {{sport_team}} {{time}}", + "instantiation_dict": { + "location": "Carnegie Mellon University", + "sport_team": "NYC NBA team", + "time": "" + }, + "intent": "Show me the way from Carnegie Mellon University to the home stadium of NYC NBA team ", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Madison Square Garden", + "Pennsylvania Plaza", + "Manhattan", + "New York" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 94 + }, + { + "sites": [ + "wikipedia", + "map" + ], + "task_id": 741, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Show me the way from {{location}} to the home stadium of {{sport_team}} {{time}}", + "instantiation_dict": { + "location": "Carnegie Mellon University", + "sport_team": "Boston home NBA team", + "time": "" + }, + "intent": "Show me the way from Carnegie Mellon University to the home stadium of Boston home NBA team ", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "TD Garden", + "Boston", + "Massachusetts" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 94 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 742, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a new {{scope}} project \"planner\" and add {{account_list}} as members", + "instantiation_dict": { + "scope": "private", + "account_list": "Abishek, Vinta" + }, + "intent": "Create a new private project \"planner\" and add Abishek, Vinta as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/planner", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "private" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/planner/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@abisubramanya27", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 743, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a new {{scope}} project \"web_arena\" and add {{account_list}} as members", + "instantiation_dict": { + "scope": "public", + "account_list": "Abishek, Vinta" + }, + "intent": "Create a new public project \"web_arena\" and add Abishek, Vinta as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/web_arena", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "public" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/web_arena/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@abisubramanya27", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 744, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a new {{scope}} project \"AutoAGI\" and add {{account_list}} as members", + "instantiation_dict": { + "scope": "public", + "account_list": "primer" + }, + "intent": "Create a new public project \"AutoAGI\" and add primer as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/AutoAGI", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "public" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/AutoAGI/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@primer" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 745, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a new {{scope}} project \"awesome-llms\" and add {{account_list}} as members", + "instantiation_dict": { + "scope": "public", + "account_list": "primer, convexegg, abishek" + }, + "intent": "Create a new public project \"awesome-llms\" and add primer, convexegg, abishek as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/awesome-llms", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "public" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/awesome-llms/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@primer", + "@convexegg", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 746, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a new {{scope}} project \"llm_bulk_inference\" and add {{account_list}} as members", + "instantiation_dict": { + "scope": "private", + "account_list": "primer, convexegg, abishek" + }, + "intent": "Create a new private project \"llm_bulk_inference\" and add primer, convexegg, abishek as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/llm_bulk_inference", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/llm_bulk_inference/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@primer", + "@convexegg", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 747, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Start a private project {{project_name}} with {{template}} template and add {{account_list}} as members", + "instantiation_dict": { + "project_name": "awesome_web_agents", + "template": "blank", + "account_list": "Abishek, Vinta" + }, + "intent": "Start a private project awesome_web_agents with blank template and add Abishek, Vinta as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/awesome_web_agents", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/awesome_web_agents/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initial commit" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/awesome_web_agents/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@abisubramanya27", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 2100 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 748, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Start a private project {{project_name}} with {{template}} template and add {{account_list}} as members", + "instantiation_dict": { + "project_name": "web_agent_android_xl", + "template": "Android", + "account_list": "primer, convexegg, abishek" + }, + "intent": "Start a private project web_agent_android_xl with Android template and add primer, convexegg, abishek as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/web_agent_android_xl", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/web_agent_android_xl/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initialized from 'Android' project template" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/web_agent_android_xl/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@primer", + "@convexegg", + "@abisubramanya27" + ] + } + } + ] + }, + "intent_template_id": 2100 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 749, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Start a private project {{project_name}} with {{template}} template and add {{account_list}} as members", + "instantiation_dict": { + "project_name": "project_site", + "template": "NodeJS", + "account_list": "primer, convexegg, vinta" + }, + "intent": "Start a private project project_site with NodeJS template and add primer, convexegg, vinta as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/project_site", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/project_site/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initialized from 'NodeJS Express' project template" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/project_site/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@primer", + "@convexegg", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 2100 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 750, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Start a private project {{project_name}} with {{template}} template and add {{account_list}} as members", + "instantiation_dict": { + "project_name": "agi_index", + "template": "HTML", + "account_list": "Vinta Chen" + }, + "intent": "Start a private project agi_index with HTML template and add Vinta Chen as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/agi_index", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/agi_index", + "locator": "document.querySelector('.home-panel-description-markdown').outerText", + "required_contents": { + "must_include": [ + "Example plain HTML site using GitLab Pages: https://pages.gitlab.io/plain-html |OR| A plain HTML site that uses Netlify for CI/CD instead of GitLab, but still with all the other great GitLab features." + ] + } + }, + { + "url": "__GITLAB__/byteblaze/agi_index/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "Vinta Chen" + ] + } + } + ] + }, + "intent_template_id": 2100 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 751, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Start a private project {{project_name}} with {{template}} template and add {{account_list}} as members", + "instantiation_dict": { + "project_name": "AGISite", + "template": "JEKYLL", + "account_list": "Rohan and Vinta" + }, + "intent": "Start a private project AGISite with JEKYLL template and add Rohan and Vinta as members", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/AGISite", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/AGISite", + "locator": "document.querySelector('.home-panel-description-markdown').outerText", + "required_contents": { + "must_include": [ + "Example Jekyll site using GitLab Pages: https://pages.gitlab.io/jekyll |OR| A Jekyll site that uses Netlify for CI/CD instead of GitLab, but still with all the other great GitLab features." + ] + } + }, + { + "url": "__GITLAB__/byteblaze/AGISite/-/project_members", + "locator": "", + "required_contents": { + "must_include": [ + "@Seirdy", + "@vinta" + ] + } + } + ] + }, + "intent_template_id": 2100 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 752, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a private {{template}} repository called \"{{project_name}}\" using the right template to speed up development.", + "instantiation_dict": { + "project_name": "web_agent", + "template": "blank" + }, + "intent": "Create a private blank repository called \"web_agent\" using the right template to speed up development.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/web_agent", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/web_agent/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initial commit" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 753, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a private {{template}} repository called \"{{project_name}}\" using the right template to speed up development.", + "instantiation_dict": { + "project_name": "web_agent_android_xs", + "template": "Android" + }, + "intent": "Create a private Android repository called \"web_agent_android_xs\" using the right template to speed up development.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/web_agent_android_xs", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/web_agent_android_xs/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initialized from 'Android' project template" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 754, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a private {{template}} repository called \"{{project_name}}\" using the right template to speed up development.", + "instantiation_dict": { + "project_name": "web_agent_nodejs", + "template": "NodeJS" + }, + "intent": "Create a private NodeJS repository called \"web_agent_nodejs\" using the right template to speed up development.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/web_agent_nodejs", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/web_agent_nodejs/-/commits", + "locator": "", + "required_contents": { + "must_include": [ + "Initialized from 'NodeJS Express' project template" + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 755, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a private {{template}} repository called \"{{project_name}}\" using the right template to speed up development.", + "instantiation_dict": { + "project_name": "web_agent_index", + "template": "HTML" + }, + "intent": "Create a private HTML repository called \"web_agent_index\" using the right template to speed up development.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/web_agent_index", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/web_agent_index", + "locator": "document.querySelector('.home-panel-description-markdown').outerText", + "required_contents": { + "must_include": [ + "Example plain HTML site using GitLab Pages: https://pages.gitlab.io/plain-html |OR| A plain HTML site that uses Netlify for CI/CD instead of GitLab, but still with all the other great GitLab features." + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 756, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create a private {{template}} repository called \"{{project_name}}\" using the right template to speed up development.", + "instantiation_dict": { + "project_name": "11711_gitlab", + "template": "JEKYLL" + }, + "intent": "Create a private JEKYLL repository called \"11711_gitlab\" using the right template to speed up development.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/byteblaze/11711_gitlab", + "locator": "document.querySelector('.visibility-icon').getAttribute('title')", + "required_contents": { + "must_include": [ + "Private" + ] + } + }, + { + "url": "__GITLAB__/byteblaze/11711_gitlab", + "locator": "document.querySelector('.home-panel-description-markdown').outerText", + "required_contents": { + "must_include": [ + "Example Jekyll site using GitLab Pages: https://pages.gitlab.io/jekyll |OR| A Jekyll site that uses Netlify for CI/CD instead of GitLab, but still with all the other great GitLab features." + ] + } + } + ] + }, + "intent_template_id": 332 + }, + { + "sites": [ + "map" + ], + "task_id": 757, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Show me the path and travel time from {{city1}} to {{city2}}.", + "instantiation_dict": { + "city1": "home of the 1980 Super Bowl champions", + "city2": "home of the 1991 Super Bowl champions" + }, + "intent": "Show me the path and travel time from home of the 1980 Super Bowl champions to home of the 1991 Super Bowl champions.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "New York" + ] + } + } + ] + }, + "intent_template_id": 42 + }, + { + "sites": [ + "map" + ], + "task_id": 758, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Show me the path and travel time from {{city1}} to {{city2}}.", + "instantiation_dict": { + "city1": "the big apple", + "city2": "biggest city in Maine" + }, + "intent": "Show me the path and travel time from the big apple to biggest city in Maine.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "New York" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Portland", + "Maine" + ] + } + } + ] + }, + "intent_template_id": 42 + }, + { + "sites": [ + "map", + "shopping_admin" + ], + "task_id": 759, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Show me the route and driving time from {{city1}} to {{city2}}", + "instantiation_dict": { + "city1": "the city where my E-commerce customer Sophia Young lives", + "city2": "New York City" + }, + "intent": "Show me the route and driving time from the city where my E-commerce customer Sophia Young lives to New York City", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Boston" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "New York" + ] + } + } + ] + }, + "intent_template_id": 42 + }, + { + "sites": [ + "map", + "shopping_admin" + ], + "task_id": 760, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Show me the route and driving time from {{city1}} to {{city2}}", + "instantiation_dict": { + "city1": "Allentown, PA", + "city2": "the city where my E-commerce customer Amanda Kim lives" + }, + "intent": "Show me the route and driving time from Allentown, PA to the city where my E-commerce customer Amanda Kim lives", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Allentown" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Hoboken", + "New Jersey" + ] + } + } + ] + }, + "intent_template_id": 42 + }, + { + "sites": [ + "map" + ], + "task_id": 761, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Get directions from {{location/address_1}} to {{location/address_2}} using {{transportation}} options.", + "instantiation_dict": { + "location/address_1": "Carnegie Science Museum", + "location/address_2": "Hunt library CMU", + "transportation": "walk" + }, + "intent": "Get directions from Carnegie Science Museum to Hunt library CMU using walk options.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Science Center", + "Allegheny County", + "Pittsburgh" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Hunt Library", + "Pittsburgh" + ] + } + } + ] + }, + "intent_template_id": 54 + }, + { + "sites": [ + "map" + ], + "task_id": 762, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Get directions from {{location/address_1}} to {{location/address_2}} using {{transportation}} options.", + "instantiation_dict": { + "location/address_1": "Carnegie Music Hall in NYC", + "location/address_2": "Carnegie Mellon University", + "transportation": "driving" + }, + "intent": "Get directions from Carnegie Music Hall in NYC to Carnegie Mellon University using driving options.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "Carnegie Hall", + "West 57th Street", + "Manhattan", + "New York" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Carnegie Mellon University", + "Pittsburgh" + ] + } + } + ] + }, + "intent_template_id": 54 + }, + { + "sites": [ + "map" + ], + "task_id": 763, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the walkway to the closest {{store}} from {{location}}.", + "instantiation_dict": { + "store": "Trader Joe's", + "location": "401 Shady Ave, Pittsburgh" + }, + "intent": "Find the walkway to the closest Trader Joe's from 401 Shady Ave, Pittsburgh.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "401, Shady Avenue, Shadyside" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Trader Joe's, 6343, Penn Avenue, East Liberty" + ] + } + } + ] + }, + "intent_template_id": 75 + }, + { + "sites": [ + "map" + ], + "task_id": 764, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the walkway to the closest {{store}} from {{location}}.", + "instantiation_dict": { + "store": "Target", + "location": "401 Shady Ave, Pittsburgh" + }, + "intent": "Find the walkway to the closest Target from 401 Shady Ave, Pittsburgh.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "401, Shady Avenue, Shadyside" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Target, 6231, Penn Avenue, East Liberty" + ] + } + } + ] + }, + "intent_template_id": 75 + }, + { + "sites": [ + "map" + ], + "task_id": 765, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the walkway to the closest {{store}} from {{location}}.", + "instantiation_dict": { + "store": "Japanese food market", + "location": "401 Shady Ave, Pittsburgh" + }, + "intent": "Find the walkway to the closest Japanese food market from 401 Shady Ave, Pittsburgh.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "401, Shady Avenue, Shadyside" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Tokyo Japanese Food Store, 5855, Ellsworth Avenue, Shadyside" + ] + } + } + ] + }, + "intent_template_id": 75 + }, + { + "sites": [ + "map" + ], + "task_id": 766, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the walkway to the closest {{store}} from {{location}}.", + "instantiation_dict": { + "store": "grocessory owned by Amazon", + "location": "401 Shady Ave, Pittsburgh" + }, + "intent": "Find the walkway to the closest grocessory owned by Amazon from 401 Shady Ave, Pittsburgh.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "401, Shady Avenue, Shadyside" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Whole Foods Market, 5700, Penn Avenue, East Liberty" + ] + } + } + ] + }, + "intent_template_id": 75 + }, + { + "sites": [ + "map" + ], + "task_id": 767, + "require_login": true, + "storage_state": null, + "start_url": "__MAP__", + "geolocation": null, + "intent_template": "Find the walkway to the closest {{store}} from {{location}}.", + "instantiation_dict": { + "store": "chain grocessory owned by a local business", + "location": "401 Shady Ave, Pittsburgh" + }, + "intent": "Find the walkway to the closest chain grocessory owned by a local business from 401 Shady Ave, Pittsburgh.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector(\"div#content select.routing_engines\").selectedIndex", + "required_contents": { + "exact_match": "2" + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_from\"').value", + "required_contents": { + "must_include": [ + "401, Shady Avenue, Shadyside" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('[name=\"route_to\"').value", + "required_contents": { + "must_include": [ + "Giant Eagle, 5550, Centre Avenue, Shadyside" + ] + } + } + ] + }, + "intent_template_id": 75 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 768, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "{{quantity}} {{product}} arrived, update the stock", + "instantiation_dict": { + "quantity": "5", + "product": "blue Cronus yoga pants with size 33" + }, + "intent": "5 blue Cronus yoga pants with size 33 arrived, update the stock", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/872/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "5" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/872/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][is_in_stock]\"').value", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 241 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 769, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "We've received {{quantity}} {{product}}, please update the inventory.", + "instantiation_dict": { + "quantity": "378", + "product": "brown Aero daily fitness tee in every size" + }, + "intent": "We've received 378 brown Aero daily fitness tee in every size, please update the inventory.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/544/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "478" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/547/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "478" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/550/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "478" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/553/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "478" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/556/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "478" + } + } + ] + }, + "intent_template_id": 241 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 770, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "We've received {{quantity}}, update the inventory.", + "instantiation_dict": { + "quantity": "12 white Cora parachute pant of size 28 and 56 blue of size 29" + }, + "intent": "We've received 12 white Cora parachute pant of size 28 and 56 blue of size 29, update the inventory.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1836/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "112" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1838/", + "locator": "document.querySelector('[name=\"product[quantity_and_stock_status][qty]\"').value", + "required_contents": { + "exact_match": "156" + } + } + ] + }, + "intent_template_id": 241 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 771, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Approve the positive reviews to display in our store.", + "instantiation_dict": {}, + "intent": "Approve the positive reviews to display in our store.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/review/product/edit/id/352", + "locator": "document.querySelector('[name=\"status_id\"').value", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "__SHOPPING_ADMIN__/review/product/edit/id/349", + "locator": "document.querySelector('[name=\"status_id\"').value", + "required_contents": { + "exact_match": "1" + } + }, + { + "url": "__SHOPPING_ADMIN__/review/product/edit/id/347", + "locator": "document.querySelector('[name=\"status_id\"').value", + "required_contents": { + "exact_match": "1" + } + } + ] + }, + "intent_template_id": 243 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 772, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "pending negative reviews for Circe fleece" + }, + "intent": "Delete all pending negative reviews for Circe fleece", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/review/product/edit/id/999", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + } + ] + }, + "intent_template_id": 246 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 773, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "pending negative reviews" + }, + "intent": "Delete all pending negative reviews", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/review/product/edit/id/351", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + }, + { + "url": "__SHOPPING_ADMIN__/review/product/edit/id/353", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + } + ] + }, + "intent_template_id": 246 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 774, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "pending reviews with less than 4 stars" + }, + "intent": "Delete all pending reviews with less than 4 stars", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/review/product/edit/id/351", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + }, + { + "url": "__SHOPPING_ADMIN__/review/product/edit/id/353", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + }, + { + "url": "__SHOPPING_ADMIN__/review/product/edit/id/349", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + } + ] + }, + "intent_template_id": 246 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 775, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "reviews from the scammer Arden" + }, + "intent": "Delete all reviews from the scammer Arden", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/review/product/edit/id/51", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + } + ] + }, + "intent_template_id": 246 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 776, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "reviews from the scammer Carlo" + }, + "intent": "Delete all reviews from the scammer Carlo", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/review/product/edit/id/93", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + }, + { + "url": "__SHOPPING_ADMIN__/review/product/edit/id/109", + "locator": "", + "required_contents": { + "must_include": [ + "Rating isn't Available" + ] + } + } + ] + }, + "intent_template_id": 246 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 777, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "$5", + "action": "Reduce", + "config": "green Hollister backyard sweater in all size" + }, + "intent": "Reduce the price of green Hollister backyard sweater in all size by $5", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/120/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "47.00" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/117/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "47.00" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/114/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "47.00" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/111/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "47.00" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/123/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "47.00" + } + } + ] + }, + "intent_template_id": 742 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 778, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "13.5%", + "action": "Reduce", + "config": "size 28 Sahara leggings" + }, + "intent": "Reduce the price of size 28 Sahara leggings by 13.5%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1841/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "64.88" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1842/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "64.88" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1843/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "64.88" + } + } + ] + }, + "intent_template_id": 742 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 779, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "15%", + "action": "Reduce", + "config": "yellow shirts from Gwyn Endurance in all size below L" + }, + "intent": "Reduce the price of yellow shirts from Gwyn Endurance in all size below L by 15%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1559/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "20.40" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1562/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "20.40" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1565/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "20.40" + } + } + ] + }, + "intent_template_id": 742 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 780, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1481/", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "$17", + "action": "Increase", + "config": "white Ingrid Running with size L and above" + }, + "intent": "Increase the price of white Ingrid Running with size L and above by $17", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1264/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "64.00" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1267/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "64.00" + } + } + ] + }, + "intent_template_id": 742 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 781, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "37%", + "action": "Increase", + "config": "black fitness tshirts from Desiree with size XS" + }, + "intent": "Increase the price of black fitness tshirts from Desiree with size XS by 37%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/1573/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "32.88" + } + } + ] + }, + "intent_template_id": 742 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 782, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "{{action}} the price of {{config}} by {{amount}}", + "instantiation_dict": { + "amount": "23%", + "action": "Increase", + "config": "all blue running tshirts in extra small and small sizes" + }, + "intent": "Increase the price of all blue running tshirts in extra small and small sizes by 23%", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/496/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "22.33" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/499/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "22.33" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/479/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "21.56" + } + }, + { + "url": "__SHOPPING_ADMIN__/catalog/product/edit/id/482/", + "locator": "document.querySelector('[name=\"product[price]\"').value", + "required_contents": { + "exact_match": "21.56" + } + } + ] + }, + "intent_template_id": 742 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 783, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Add the following users to repo {{repo}} as {{role}}: {{user_list}}", + "instantiation_dict": { + "repo": "kkroening/ffmpeg-python", + "role": "maintainer", + "user_list": [ + "yjlou", + "a11yproject" + ] + }, + "intent": "Add the following users to repo kkroening/ffmpeg-python as maintainer: ['yjlou', 'a11yproject']", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "not the owner of the repo so cannot add maintainer", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 351 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 784, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/CellularPrivacy/Android-IMSI-Catcher-Detector", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the contributor who has the most commits to branch {{branch_name}}", + "instantiation_dict": { + "branch_name": "main", + "attribute": "email address" + }, + "intent": "Tell me the email address of the contributor who has the most commits to branch main", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "secupwn@users.noreply.github.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "secupwn@users.noreply.github.com" + }, + "intent_template_id": 316 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 785, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/CellularPrivacy/Android-IMSI-Catcher-Detector", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the contributor who has the most commits to branch {{branch_name}}", + "instantiation_dict": { + "branch_name": "gh-page", + "attribute": "email address" + }, + "intent": "Tell me the email address of the contributor who has the most commits to branch gh-page", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "secupwn@users.noreply.github.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "secupwn@users.noreply.github.com" + }, + "intent_template_id": 316 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 786, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/vinta/awesome-python", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the contributor who has the most commits to branch {{branch_name}}", + "instantiation_dict": { + "branch_name": "main", + "attribute": "number of commits" + }, + "intent": "Tell me the number of commits of the contributor who has the most commits to branch main", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "412" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "412" + }, + "intent_template_id": 316 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 787, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/dehenne/awesome-visibility/-/graphs/master", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the contributor who has the most commits to branch {{branch_name}}", + "instantiation_dict": { + "branch_name": "main", + "attribute": "number of followers" + }, + "intent": "Tell me the number of followers of the contributor who has the most commits to branch main", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "0" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "0" + }, + "intent_template_id": 316 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 788, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/amwhalen/archive-my-tweets/-/tree/github/fork/chtitux/addRssFeed", + "geolocation": null, + "intent_template": "Tell me the {{attribute}} of the contributor who has the most commits to branch {{branch_name}}", + "instantiation_dict": { + "branch_name": "php52", + "attribute": "full name, gitlab account name, location and email address" + }, + "intent": "Tell me the full name, gitlab account name, location and email address of the contributor who has the most commits to branch php52", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "must_include": [ + "Andrew M. Whalen", + "amwhalen", + "Massachusetts", + "github@amwhalen.com" + ] + }, + "reference_url": "", + "program_html": [], + "string_note": "", + "reference_answer_raw_annotation": "Andrew M. Whalen, amwhalen, Massachusetts, github@amwhalen.com" + }, + "intent_template_id": 316 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 789, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create an issue {{issue}} in {{repo}}.", + "instantiation_dict": { + "repo": "huggingface dataset", + "issue": "asking about do they have any plan on supporting Webagent in the next quater" + }, + "intent": "Create an issue asking about do they have any plan on supporting Webagent in the next quater in huggingface dataset.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "huggingface repo does not exist", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 328 + }, + { + "sites": [ + "shopping_admin" + ], + "task_id": 790, + "require_login": true, + "storage_state": "./.auth/shopping_admin_state.json", + "start_url": "__SHOPPING_ADMIN__", + "geolocation": null, + "intent_template": "Delete all {{review_type}}", + "instantiation_dict": { + "review_type": "negative reviews for Sybil running short" + }, + "intent": "Delete all negative reviews for Sybil running short", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "No negative reviews for sybil running short", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 246 + }, + { + "sites": [ + "gitlab", + "reddit" + ], + "task_id": 791, + "require_login": true, + "storage_state": "./.auth/gitlab.reddit_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Make a folder named {{directory}} on the {{gitlab_repo}} repo and include a file called urls.txt that consists of the links to the 5 most recent posts from {{subreddit}}.", + "instantiation_dict": { + "directory": "car", + "subreddit": "cars", + "gitlab_repo": "gimmiethat.space" + }, + "intent": "Make a folder named car on the gimmiethat.space repo and include a file called urls.txt that consists of the links to the 5 most recent posts from cars.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "the subreddit does not exist", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 84 + }, + { + "sites": [ + "shopping" + ], + "task_id": 792, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Buy the highest rated product from the {{product_category}} category within a budget {{dollar_value}}.", + "instantiation_dict": { + "product_category": "Beauty & Personal Care", + "dollar_value": "under 20" + }, + "intent": "Buy the highest rated product from the Beauty & Personal Care category within a budget under 20.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The website does not support sorting by rating and there are too many products in this category", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 172 + }, + { + "sites": [ + "shopping" + ], + "task_id": 793, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Buy the highest rated product from the {{product_category}} category within a budget {{dollar_value}}.", + "instantiation_dict": { + "product_category": "Men clothing", + "dollar_value": "above 50 but under 129.99" + }, + "intent": "Buy the highest rated product from the Men clothing category within a budget above 50 but under 129.99.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The website does not support sorting by rating and there are too many products in this category", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 172 + }, + { + "sites": [ + "shopping" + ], + "task_id": 794, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Change the delivery address for my most recent order to {{address}}.", + "instantiation_dict": { + "address": "4000 Forbes Ave, Pittsburgh, PA" + }, + "intent": "Change the delivery address for my most recent order to 4000 Forbes Ave, Pittsburgh, PA.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The shipping address cannot be changed after an order is placed in the website.", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 191 + }, + { + "sites": [ + "shopping" + ], + "task_id": 795, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Change the delivery address for my most recent order to {{address}}.", + "instantiation_dict": { + "address": "6726 McPherson Blvd, Pittsburgh, PA" + }, + "intent": "Change the delivery address for my most recent order to 6726 McPherson Blvd, Pittsburgh, PA.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The shipping address cannot be changed after an order is placed in the website.", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 191 + }, + { + "sites": [ + "shopping" + ], + "task_id": 796, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Change the delivery address for my most recent order to {{address}}.", + "instantiation_dict": { + "address": "155 5th Street, San Francisco, CA" + }, + "intent": "Change the delivery address for my most recent order to 155 5th Street, San Francisco, CA.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The shipping address cannot be changed after an order is placed in the website.", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 191 + }, + { + "sites": [ + "shopping" + ], + "task_id": 797, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Change the delivery address for my most recent order to {{address}}.", + "instantiation_dict": { + "address": "3 Oxford St, Cambridge, MA" + }, + "intent": "Change the delivery address for my most recent order to 3 Oxford St, Cambridge, MA.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The shipping address cannot be changed after an order is placed in the website.", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 191 + }, + { + "sites": [ + "shopping" + ], + "task_id": 798, + "require_login": true, + "storage_state": "./.auth/shopping_state.json", + "start_url": "__SHOPPING__", + "geolocation": null, + "intent_template": "Change the delivery address for my most recent order to {{address}}.", + "instantiation_dict": { + "address": "77 Massachusetts Ave, Cambridge, MA" + }, + "intent": "Change the delivery address for my most recent order to 77 Massachusetts Ave, Cambridge, MA.", + "require_reset": false, + "eval": { + "eval_types": [ + "string_match" + ], + "reference_answers": { + "fuzzy_match": "N/A" + }, + "reference_url": "", + "program_html": [], + "string_note": "The shipping address cannot be changed after an order is placed in the website.", + "reference_answer_raw_annotation": "N/A" + }, + "intent_template_id": 191 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 799, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "create a new group \"{{name}}\" with members {{members}}", + "instantiation_dict": { + "name": "n-lab", + "members": "patou, egpast, westurner, jontutcher" + }, + "intent": "create a new group \"n-lab\" with members patou, egpast, westurner, jontutcher", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/groups/n-lab/-/group_members", + "locator": "", + "required_contents": { + "must_include": [ + "@patou", + "@egpast", + "@westurner", + "@jontutcher" + ] + } + } + ] + }, + "intent_template_id": 600 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 800, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "create a new group \"{{name}}\" with members {{members}}", + "instantiation_dict": { + "name": "x-lab", + "members": "JonasVautherin, dilipchandima, dawiss1337, bmyun, DCMJY" + }, + "intent": "create a new group \"x-lab\" with members JonasVautherin, dilipchandima, dawiss1337, bmyun, DCMJY", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/groups/x-lab/-/group_members", + "locator": "", + "required_contents": { + "must_include": [ + "@JonasVautherin", + "@dilipchandima", + "@dawiss1337", + "@bmyun", + "@DCMJY" + ] + } + } + ] + }, + "intent_template_id": 600 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 801, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "create a new group \"{{name}}\" with members {{members}}", + "instantiation_dict": { + "name": "crew", + "members": "ASWATFZLLC, patrickhlauke, westurner, linkmatrix" + }, + "intent": "create a new group \"crew\" with members ASWATFZLLC, patrickhlauke, westurner, linkmatrix", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/groups/crew/-/group_members", + "locator": "", + "required_contents": { + "must_include": [ + "@ASWATFZLLC", + "@patrickhlauke", + "@westurner", + "@linkmatrix" + ] + } + } + ] + }, + "intent_template_id": 600 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 802, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "create a new group \"{{name}}\" with members {{members}}", + "instantiation_dict": { + "name": "coding_friends", + "members": "qhduan, Agnes-U" + }, + "intent": "create a new group \"coding_friends\" with members qhduan, Agnes-U", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/groups/coding_friends/-/group_members", + "locator": "", + "required_contents": { + "must_include": [ + "@qhduan", + "@Agnes-U" + ] + } + } + ] + }, + "intent_template_id": 600 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 803, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "create a new group \"{{name}}\" with members {{members}}", + "instantiation_dict": { + "name": "webagent", + "members": "pandey2000, sayakpaul, sayakpaul" + }, + "intent": "create a new group \"webagent\" with members pandey2000, sayakpaul, sayakpaul", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/groups/webagent/-/group_members", + "locator": "", + "required_contents": { + "must_include": [ + "@pandey2000", + "@sayakpaul" + ] + } + } + ] + }, + "intent_template_id": 600 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 804, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Assign the issue regarding {{issue}} to {{account}}.", + "instantiation_dict": { + "issue": "flash alerts", + "account": "myself and primer" + }, + "intent": "Assign the issue regarding flash alerts to myself and primer.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/dashboard/issues?scope=all&state=opened&assignee_username=byteblaze", + "locator": "", + "required_contents": { + "must_include": [ + "Add documentation on using Flash alerts in dialog components", + "Clarify usage of flash alert" + ] + } + }, + { + "url": "__GITLAB__/dashboard/issues?scope=all&state=opened&assignee_username=primer", + "locator": "", + "required_contents": { + "must_include": [ + "Add documentation on using Flash alerts in dialog components", + "Clarify usage of flash alert" + ] + } + } + ] + }, + "intent_template_id": 999 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 805, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/a11yproject/a11yproject.com", + "geolocation": null, + "intent_template": "Submit a merge request for {{source_branch}} to be merged into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "the branch that implements the support of template strings", + "target_branch": "master", + "reviewer": "myself and Roshan" + }, + "intent": "Submit a merge request for the branch that implements the support of template strings to be merged into master branch, assign myself and Roshan as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/a11yproject/a11yproject.com/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "feature/replace-gulp" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "main" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Byte Blaze", + "Roshan Jossy" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 806, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Submit a merge request for {{source_branch}} branch to be merged into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "a11yproject.com/redesign", + "target_branch": "markdown-figure-block", + "reviewer": "myself" + }, + "intent": "Submit a merge request for a11yproject.com/redesign branch to be merged into markdown-figure-block branch, assign myself as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/a11yproject/a11yproject.com/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "redesign" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "feature/markdown-figure-block" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Byte Blaze" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 807, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__/primer/design", + "geolocation": null, + "intent_template": "Submit a merge request for {{source_branch}} branch to be merged into {{target_branch}} branch, assign {{reviewer}} as the reviewer", + "instantiation_dict": { + "source_branch": "build time debug", + "target_branch": "main", + "reviewer": "myself" + }, + "intent": "Submit a merge request for build time debug branch to be merged into main branch, assign myself as the reviewer", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/primer/design/-/merge_requests", + "program_html": [ + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[1].outerText", + "required_contents": { + "exact_match": "main" + } + }, + { + "url": "last", + "locator": "document.querySelectorAll(\".detail-page-description > a.gl-font-monospace\")[0].outerText", + "required_contents": { + "exact_match": "debug-build-time" + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.reviewer').outerText", + "required_contents": { + "must_include": [ + "Byte Blaze" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 335 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 808, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create an issue in {{repo}} repo with title \"{{issue}}\". Assign the issue to {{account}}. Set due date to be {{due}}", + "instantiation_dict": { + "repo": "cloud-to-butt", + "issue": "Let's keep the project alive", + "account": "myself", + "due": "the end of Q1 2033" + }, + "intent": "Create an issue in cloud-to-butt repo with title \"Let's keep the project alive\". Assign the issue to myself. Set due date to be the end of Q1 2033", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/byteblaze/cloud-to-butt/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[data-qa-selector=\"title_content\"]').outerText", + "required_contents": { + "exact_match": "Let's keep the project alive" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-testid=\"sidebar-due-date\"').outerText", + "required_contents": { + "must_include": [ + "Mar 31, 2033" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.assignee').outerText", + "required_contents": { + "must_include": [ + "Byte Blaze" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 327 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 809, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Create an issue in {{repo}} repo with title \"{{issue}}\". Assign the issue to {{account}}. Set due date to be {{due}}", + "instantiation_dict": { + "repo": "a11yproject", + "issue": "404 for many URLs", + "account": "myself", + "due": "2030-1-3" + }, + "intent": "Create an issue in a11yproject repo with title \"404 for many URLs\". Assign the issue to myself. Set due date to be 2030-1-3", + "require_reset": false, + "eval": { + "eval_types": [ + "url_match", + "program_html" + ], + "reference_answers": null, + "reference_url": "__GITLAB__/a11yproject/a11yproject.com/-/issues", + "program_html": [ + { + "url": "last", + "locator": "document.querySelector('[data-qa-selector=\"title_content\"]').outerText", + "required_contents": { + "exact_match": "404 for many URLs" + } + }, + { + "url": "last", + "locator": "document.querySelector('[data-testid=\"sidebar-due-date\"').outerText", + "required_contents": { + "must_include": [ + "Jan 3, 2030" + ] + } + }, + { + "url": "last", + "locator": "document.querySelector('.block.assignee').outerText", + "required_contents": { + "must_include": [ + "Byte Blaze" + ] + } + } + ], + "url_note": "GOLD in PRED" + }, + "intent_template_id": 327 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 810, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Assign the issue regarding {{issue}} in {{repo}} repo to {{account}}.", + "instantiation_dict": { + "repo": "primer design guide", + "issue": "flash alert", + "account": "myself" + }, + "intent": "Assign the issue regarding flash alert in primer design guide repo to myself.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/dashboard/issues?scope=all&state=opened&assignee_username=byteblaze", + "locator": "", + "required_contents": { + "must_include": [ + "Add documentation on using Flash alerts in dialog components", + "Clarify usage of flash alert" + ] + } + } + ] + }, + "intent_template_id": 999 + }, + { + "sites": [ + "gitlab" + ], + "task_id": 811, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": "__GITLAB__", + "geolocation": null, + "intent_template": "Assign the issue regarding {{issue}} in {{repo}} to {{account}}.", + "instantiation_dict": { + "repo": "a11yproject", + "issue": 404, + "account": "myself" + }, + "intent": "Assign the issue regarding 404 in a11yproject to myself.", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": null, + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/dashboard/issues?scope=all&state=opened&assignee_username=byteblaze", + "locator": "", + "required_contents": { + "must_include": [ + "404s, bad host, timeouts, bad urls for URLs linked from website" + ] + } + } + ] + }, + "intent_template_id": 999 + } +] diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/README.md b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/README.md new file mode 100644 index 00000000..070fc910 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/README.md @@ -0,0 +1,168 @@ +# Docker for WebArena Websites +This REAME file host the instructions for our Docker images and quick start guide for starting up websites used in WebArena. + +# Table of Content +- [Pre-installed Amazon Machine Image](#pre-installed-amazon-machine-image) +- [Shopping Website (OneStopShop)](#shopping-website--onestopshop-) +- [E-commerce Content Management System (CMS)](#e-commerce-content-management-system--cms-) +- [Social Forum Website (Reddit)](#social-forum-website--reddit-) +- [Gitlab Website](#gitlab-website) +- [Wikipedia Website](#wikipedia-website) +- [Map](#map) +- [Homepage](#homepage) +- [Documentation sites](#documentation-sites) + +## Pre-installed Amazon Machine Image +We provide AMI which have all the websites pre-installed. You can use the AMI to start a new EC2 instance. + +``` +AMI Information: find in console, EC2 - AMI Catalog +Region: us-east-2 +Name: webarena +ID: ami-06290d70feea35450 +``` + + +1. Create an instance (recommended type: t3a.xlarge, 1000GB EBS root volume) from the webarena AMI, and allow all inbound traffic in the security group, remember to select SSH key-pair. + +2. Create an Elastic IP and bind to the instance to associate the instance with a static IP and hostname. Take note of the hostname, usually in the form of "ec2-xx-xx-xx-xx.us-east-2.compute.amazonaws.com". This will be used as "" in the following commands. + +3. Log into the server, start all dockers by: +```bash +docker start gitlab +docker start shopping +docker start shopping_admin +docker start forum +docker start kiwix33 +cd /home/ubuntu/openstreetmap-website/ +docker compose start +``` + +:clock1: wait ~1 min to wait all services to start + +4. Run +```bash +docker exec shopping /var/www/magento2/bin/magento setup:store-config:set --base-url="http://:7770" # no trailing / +docker exec shopping mysql -u magentouser -pMyPassword magentodb -e 'UPDATE core_config_data SET value="http://:7770/" WHERE path = "web/secure/base_url";' +# remove the requirement to reset password +docker exec shopping_admin php /var/www/magento2/bin/magento config:set admin/security/password_is_forced 0 +docker exec shopping_admin php /var/www/magento2/bin/magento config:set admin/security/password_lifetime 0 +docker exec shopping /var/www/magento2/bin/magento cache:flush + +docker exec shopping_admin /var/www/magento2/bin/magento setup:store-config:set --base-url="http://:7780" +docker exec shopping_admin mysql -u magentouser -pMyPassword magentodb -e 'UPDATE core_config_data SET value="http://:7780/" WHERE path = "web/secure/base_url";' +docker exec shopping_admin /var/www/magento2/bin/magento cache:flush + +docker exec gitlab sed -i "s|^external_url.*|external_url 'http://:8023'|" /etc/gitlab/gitlab.rb +docker exec gitlab gitlab-ctl reconfigure +``` + +## Shopping Website (OneStopShop) + +Download the image tar from the following mirrors: +- https://drive.google.com/file/d/1gxXalk9O0p9eu1YkIJcmZta1nvvyAJpA/view?usp=sharing +- https://archive.org/download/webarena-env-shopping-image +- http://metis.lti.cs.cmu.edu/webarena-images/shopping_final_0712.tar + +``` +docker load --input shopping_final_0712.tar +docker run --name shopping -p 7770:80 -d shopping_final_0712 +# wait ~1 min to wait all services to start + +docker exec shopping /var/www/magento2/bin/magento setup:store-config:set --base-url="http://:7770" # no trailing slash +docker exec shopping mysql -u magentouser -pMyPassword magentodb -e 'UPDATE core_config_data SET value="http://:7770/" WHERE path = "web/secure/base_url";' +docker exec shopping /var/www/magento2/bin/magento cache:flush +``` +Now you can visit `http://:7770`. + + +## E-commerce Content Management System (CMS) + +Download the image tar from the following mirrors: +- https://drive.google.com/file/d/1See0ZhJRw0WTTL9y8hFlgaduwPZ_nGfd/view?usp=sharing +- https://archive.org/download/webarena-env-shopping-admin-image +- http://metis.lti.cs.cmu.edu/webarena-images/shopping_admin_final_0719.tar + +``` +docker load --input shopping_admin_final_0719.tar +docker run --name shopping_admin -p 7780:80 -d shopping_admin_final_0719 +# wait ~1 min to wait all services to start + +docker exec shopping_admin /var/www/magento2/bin/magento setup:store-config:set --base-url="http://:7780" # no trailing slash +docker exec shopping_admin mysql -u magentouser -pMyPassword magentodb -e 'UPDATE core_config_data SET value="http://:7780/" WHERE path = "web/secure/base_url";' +docker exec shopping_admin /var/www/magento2/bin/magento cache:flush +``` +Now you can visit `http://:7780/admin`. + + +## Social Forum Website (Reddit) + +Download the image tar from the following mirrors: +- https://drive.google.com/file/d/17Qpp1iu_mPqzgO_73Z9BnFjHrzmX9DGf/view?usp=sharing +- https://archive.org/download/webarena-env-forum-image +- http://metis.lti.cs.cmu.edu/webarena-images/postmill-populated-exposed-withimg.tar + +``` +docker load --input postmill-populated-exposed-withimg.tar +docker run --name forum -p 9999:80 -d postmill-populated-exposed-withimg +``` +Now you can visit `http://:9999/`. + + +## Gitlab Website + +Download the image tar from the following mirrors: +- https://drive.google.com/file/d/19W8qM0DPyRvWCLyQe0qtnCWAHGruolMR/view?usp=sharing +- https://archive.org/download/webarena-env-gitlab-image +- http://metis.lti.cs.cmu.edu/webarena-images/gitlab-populated-final-port8023.tar + +``` +docker load --input gitlab-populated-final-port8023.tar +docker run --name gitlab -d -p 8023:8023 gitlab-populated-final-port8023 /opt/gitlab/embedded/bin/runsvdir-start + +# wait at least 5 mins for services to boot +docker exec gitlab sed -i "s|^external_url.*|external_url 'http://:8023'|" /etc/gitlab/gitlab.rb +docker exec gitlab gitlab-ctl reconfigure +``` +It might take 5 mins to start and then you can visit `http://:8023/explore`. + +## Wikipedia Website + +Download the data from the following mirrors: +- https://drive.google.com/file/d/1Um4QLxi_bGv5bP6kt83Ke0lNjuV9Tm0P/view?usp=sharing +- https://archive.org/download/webarena-env-wiki-image +- http://metis.lti.cs.cmu.edu/webarena-images/wikipedia_en_all_maxi_2022-05.zim + +``` +docker run -d --name=wikipedia --volume=/:/data -p 8888:80 ghcr.io/kiwix/kiwix-serve:3.3.0 wikipedia_en_all_maxi_2022-05.zim +``` +Now you can visit `http://:8888/wikipedia_en_all_maxi_2022-05/A/User:The_other_Kiwix_guy/Landing`. + +## Map + +As the content of the map site is static, we currently host it on our server. You can set the link of the map site to `http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000/`. We are working on making the map site locally hostable. + +## Homepage + +The homepage lists all available websites which the agent can use to navigate to different sites. +![Homepage](../media/homepage_demo.png) + +To host the homepage, first change `` to the corresponding server hostnames in [webarena_homepage/templates/index.html](webarena-homepage/templates/index.html) +```bash +# Define your actual server hostname +YOUR_ACTUAL_HOSTNAME="" +# Remove trailing / if it exists +YOUR_ACTUAL_HOSTNAME=${YOUR_ACTUAL_HOSTNAME%/} +# Use sed to replace placeholder in the HTML file +perl -pi -e "s||${YOUR_ACTUAL_HOSTNAME}|g" webarena-homepage/templates/index.html +``` + +Then run +``` +cd webarena_homepage +flask run --host=0.0.0.0 --port=4399 +``` +The homepage will be available at `http://:4399`. + +## Documentation sites +We are still working on dockerizing the documentation sites. As they are read-only sites and they usually don't change rapidly. It is safe to use their live sites for test purpose right now. diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/app.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/app.py new file mode 100644 index 00000000..0b092c7f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/app.py @@ -0,0 +1,27 @@ +from flask import Flask, render_template + +app = Flask(__name__) + + +@app.route("/") +def index() -> str: + return render_template("index.html") + + +@app.route("/scratchpad.html") +def scratchpad() -> str: + return render_template("scratchpad.html") + + +@app.route("/calculator.html") +def calculator() -> str: + return render_template("calculator.html") + + +@app.route("/password.html") +def password() -> str: + return render_template("password.html") + + +if __name__ == "__main__": + app.run(host="0.0.0.0", port=4399) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/calculator.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/calculator.png new file mode 100644 index 00000000..53b70138 Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/calculator.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/cms.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/cms.png new file mode 100644 index 00000000..7ea5b53b Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/cms.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/gitlab.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/gitlab.png new file mode 100644 index 00000000..a9c4af3b Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/gitlab.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/manual1.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/manual1.png new file mode 100644 index 00000000..0416212f Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/manual1.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/manual2.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/manual2.png new file mode 100644 index 00000000..be6c7796 Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/manual2.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/map.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/map.png new file mode 100644 index 00000000..6718f514 Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/map.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/onestopshop.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/onestopshop.png new file mode 100644 index 00000000..2669443a Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/onestopshop.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/password.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/password.png new file mode 100644 index 00000000..89165131 Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/password.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/reddit.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/reddit.png new file mode 100644 index 00000000..796b0061 Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/reddit.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/scratchpad.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/scratchpad.png new file mode 100644 index 00000000..4afea7fd Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/scratchpad.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/wikipedia.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/wikipedia.png new file mode 100644 index 00000000..aa469599 Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/static/figures/wikipedia.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/templates/calculator.html b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/templates/calculator.html new file mode 100644 index 00000000..64452985 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/templates/calculator.html @@ -0,0 +1,109 @@ + + + + Calculator + + + +
+

Calculator

+

Enter the expression and get the results

+ + + +
Result:
+
+ + + + diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/templates/index.html b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/templates/index.html new file mode 100644 index 00000000..14096b69 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/templates/index.html @@ -0,0 +1,157 @@ + + + + Homepage + + + + +
+ + +
+ Logo for OneStopShop + +

OneStopShop

+
+

An online shopping site

+
+ +
+ Logo for CMS + +

Merchant Admin Portal

+
+

An admin portal to manage E-commerce business (u: admin, p: admin1234)

+
+ +
+ Logo for Reddit + +

Reddit

+
+

A social news aggregation and discussion website

+
+ +
+ Logo for Gitlab + +

Gitlab

+
+

a DevOps software

+
+ +
+ Logo for Map + +

OpenStreetMap

+
+

North east US map

+
+ +
+ Logo for Calculator + +

Calculator

+
+

A calculator

+
+ +
+ Logo for Scratchpad + +

Scratchpad

+
+

A scratchpad for taking notes

+
+ +
+ Logo for Wikipedia + +

Wikipedia

+
+

An online encyclopedia

+
+ +
+ Logo for Gitlab Manual + +

Gitlab Documentation

+
+

Documentation for GitLab

+
+ +
+ Logo for Admin Manual + +

Admin Portal Manual

+
+

Manual on using the admin portal

+
+ + +
+ + diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/templates/scratchpad.html b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/templates/scratchpad.html new file mode 100644 index 00000000..bd939d57 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/environment_docker/webarena-homepage/templates/scratchpad.html @@ -0,0 +1,122 @@ + + + + + Note Taking App + + + +
+

My Notes

+
+ +
+
+
+ + +
+
+ +

History

+ +
+ +
+
+ + + + diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/evaluation_harness/__init__.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/evaluation_harness/__init__.py new file mode 100644 index 00000000..e942c106 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/evaluation_harness/__init__.py @@ -0,0 +1,6 @@ +from .evaluators import * +from .helper_functions import ( + shopping_get_latest_order_url, + shopping_get_sku_latest_review_author, + shopping_get_sku_latest_review_rating, +) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/evaluation_harness/evaluators.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/evaluation_harness/evaluators.py new file mode 100644 index 00000000..d0417d48 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/evaluation_harness/evaluators.py @@ -0,0 +1,374 @@ +"""base class for evaluation""" +# answer string match +import collections +import html +import importlib +import json +import time +import urllib +from pathlib import Path +from typing import Any, Tuple, Union + +from beartype import beartype +from nltk.tokenize import word_tokenize # type: ignore +from playwright.sync_api import CDPSession, Page + +from browser_env.actions import Action +from browser_env.utils import StateInfo +from evaluation_harness.helper_functions import ( + PseudoPage, + gitlab_get_project_memeber_role, + llm_fuzzy_match, + llm_ua_match, + reddit_get_post_url, + shopping_get_latest_order_url, + shopping_get_sku_latest_review_author, + shopping_get_sku_latest_review_rating, +) + +Trajectory = list[Union[Action, StateInfo]] + + +class Evaluator(object): + def __init__(self, eval_tag: str = "") -> None: + self.eval_tag = eval_tag + + @beartype + def __call__( + self, + trajectory: Trajectory, + config_file: Path | str, + page: Page | PseudoPage, + client: CDPSession, + ) -> float: + raise NotImplementedError + + @staticmethod + def get_last_action(trajectory: Trajectory) -> Action: + try: + # is_bearable(trajectory[-1], Action) + last_action = trajectory[-1] + except Exception: + raise ValueError( + "The last element of trajectory should be an action, add a fake stop action if needed" + ) + + return last_action # type: ignore[return-value] + + @staticmethod + def get_last_state(trajectory: Trajectory) -> StateInfo: + try: + # is_bearable(trajectory[-2], StateInfo) + last_state = trajectory[-2] + except Exception: + raise ValueError( + "The second last element of trajectory should be a state, add a fake stop action if needed" + ) + + return last_state # type: ignore[return-value] + + +class StringEvaluator(Evaluator): + """Check whether the answer is correct with: + exact match: the answer is exactly the same as the reference answer + must include: each phrase in the reference answer must be included in the answer + fuzzy match: the answer is similar to the reference answer, using LLM judge + """ + + @staticmethod + @beartype + def clean_answer(answer: str) -> str: + answer = answer.strip() + if answer.startswith("'") and answer.endswith("'"): + answer = answer[1:-1] + elif answer.startswith('"') and answer.endswith('"'): + answer = answer[1:-1] + return answer.lower() + + @staticmethod + @beartype + def exact_match(ref: str, pred: str) -> float: + return float( + StringEvaluator.clean_answer(pred) + == StringEvaluator.clean_answer(ref) + ) + + @staticmethod + @beartype + def must_include(ref: str, pred: str, tokenize: bool = False) -> float: + clean_ref = StringEvaluator.clean_answer(ref) + clean_pred = StringEvaluator.clean_answer(pred) + # tokenize the answer if the ref is a single word + # prevent false positive (e.g, 0) + if ( + tokenize + and len(clean_ref) == 1 + and len(word_tokenize(clean_ref)) == 1 + ): + tok_pred = word_tokenize(clean_pred) + return float(clean_ref in tok_pred) + else: + return float(clean_ref in clean_pred) + + @staticmethod + @beartype + def fuzzy_match(ref: str, pred: str, intent: str) -> float: + return llm_fuzzy_match(pred, ref, intent) + + @staticmethod + @beartype + def ua_match(ref: str, pred: str, intent: str) -> float: + return llm_ua_match(pred, ref, intent) + + def __call__( + self, + trajectory: Trajectory, + config_file: Path | str, + page: Page | PseudoPage | None = None, + client: CDPSession | None = None, + ) -> float: + with open(config_file, "r") as f: + configs = json.load(f) + + last_action = self.get_last_action(trajectory) + pred = self.clean_answer(last_action["answer"]) + + score = 1.0 + for approach, value in configs["eval"]["reference_answers"].items(): + match approach: + case "exact_match": + score *= self.exact_match(ref=value, pred=pred) + + case "must_include": + assert isinstance(value, list) + for must_value in value: + score *= self.must_include( + ref=must_value, + pred=pred, + tokenize=(len(value) == 1), + ) + case "fuzzy_match": + intent = configs["intent"] + if value == "N/A": + # if the instruction only asks the model to generate N/A when encountering an unachievable task + # without more concrete reasons + score *= self.exact_match(ref=value, pred=pred) + # if the instruction also asks the model to generate the reason why the task is unachievable + # this should be the default as it will prevent false positive N/A` + if score != 1: + score = 1.0 * self.ua_match( + intent=configs["intent"], + ref=configs["eval"]["string_note"], + pred=pred, + ) + else: + assert isinstance(value, list) + for reference in value: + score *= self.fuzzy_match( + ref=reference, pred=pred, intent=intent + ) + return score + + +class URLEvaluator(Evaluator): + """Check URL matching""" + + @beartype + def __call__( + self, + trajectory: Trajectory, + config_file: Path | str, + page: Page | PseudoPage, + client: CDPSession | None = None, + ) -> float: + with open(config_file, "r") as f: + configs = json.load(f) + + def clean_url(url: str) -> str: + url = str(url) + url = url.rstrip("/") + return url + + def parse_url(url: str) -> tuple[str, dict[str, list[str]]]: + """Parse a URL into its base, path, and query components.""" + parsed_url = urllib.parse.urlparse(url) + base_path = parsed_url.netloc + parsed_url.path + query = urllib.parse.parse_qs(parsed_url.query) + return base_path, query + + def parse_urls( + urls: list[str], + ) -> tuple[list[str], dict[str, set[str]]]: + """Parse a list of URLs.""" + base_paths = [] + queries = collections.defaultdict(set) + for url in urls: + base_path, query = parse_url(url) + base_paths.append(base_path) + for k, v in query.items(): + queries[k].update(v) + return base_paths, queries + + pred = clean_url(page.url) + ref_urls = configs["eval"]["reference_url"].split(" |OR| ") + ref_urls = [clean_url(url) for url in ref_urls] + matching_rule = configs["eval"].get("url_note", "GOLD in PRED") + if matching_rule == "GOLD in PRED": + ref_base_paths, ref_queries = parse_urls(ref_urls) + pred_base_paths, pred_query = parse_url(pred) + + base_score = float( + any( + [ + ref_base_path in pred_base_paths + for ref_base_path in ref_base_paths + ] + ) + ) + query_score = 1.0 + for k, possible_values in ref_queries.items(): + query_score *= float( + any( + possible_ref_value in pred_query.get(k, []) + for possible_ref_value in possible_values + ) + ) + score = base_score * query_score + + else: + raise ValueError(f"Unknown matching rule: {matching_rule}") + + return score + + +class HTMLContentEvaluator(Evaluator): + """Check whether the contents appear in the page""" + + @beartype + def __call__( + self, + trajectory: Trajectory, + config_file: Path | str, + page: Page | PseudoPage, + client: CDPSession | None = None, + ) -> float: + with open(config_file, "r") as f: + configs = json.load(f) + + targets = configs["eval"]["program_html"] + + score = 1.0 + for target in targets: + target_url: str = target["url"] # which url to check + if target_url.startswith("func"): + func = target_url.split("func:")[1] + func = func.replace("__last_url__", page.url) + target_url = eval(func) + + locator: str = target["locator"] # js element locator + + # navigate to that url + if target_url != "last": + page.goto(target_url) + time.sleep(3) # TODO [shuyanzh]: fix this hard-coded sleep + + # empty, use the full page + if not locator.strip(): + selected_element = page.content() + # use JS to select the element + elif locator.startswith("document.") or locator.startswith( + "[...document." + ): + if "prep_actions" in target: + try: + for prep_action in target["prep_actions"]: + page.evaluate(f"() => {prep_action}") + except Exception: + pass + try: + selected_element = str(page.evaluate(f"() => {locator}")) + if not selected_element: + selected_element = "" + except Exception: + # the page is wrong, return empty + selected_element = "" + # run program to call API + elif locator.startswith("func:"): # a helper function + func = locator.split("func:")[1] + func = func.replace("__page__", "page") + selected_element = eval(func) + else: + raise ValueError(f"Unknown locator: {locator}") + + selected_element = html.unescape(selected_element) + + if "exact_match" in target["required_contents"]: + required_contents = target["required_contents"]["exact_match"] + cur_score = StringEvaluator.exact_match( + ref=required_contents, pred=selected_element + ) + score *= float(cur_score) + # print(f"[exact match] {cur_score}, selected element: {selected_element}, required contents: {required_contents}") + elif "must_include" in target["required_contents"]: + required_contents = target["required_contents"]["must_include"] + assert isinstance(required_contents, list) + for content in required_contents: + content_or = content.split(" |OR| ") + cur_score = any( + [ + StringEvaluator.must_include( + ref=content, + pred=selected_element, + tokenize=False, + ) + for content in content_or + ] + ) + score *= float(cur_score) + # print(f"[must include] {cur_score}, selected element: {selected_element}, required contents: {content_or}") + else: + raise ValueError( + f"Unknown required_contents: {target['required_contents'].keys()}" + ) + return score + + +class EvaluatorComb: + def __init__(self, evaluators: list[Evaluator]) -> None: + self.evaluators = evaluators + + @beartype + def __call__( + self, + trajectory: Trajectory, + config_file: Path | str, + page: Page | PseudoPage, + client: CDPSession, + ) -> float: + score = 1.0 + for evaluator in self.evaluators: + cur_score = evaluator(trajectory, config_file, page, client) + score *= cur_score + return score + + +@beartype +def evaluator_router(config_file: Path | str) -> EvaluatorComb: + """Router to get the evaluator class""" + with open(config_file, "r") as f: + configs = json.load(f) + + eval_types = configs["eval"]["eval_types"] + evaluators: list[Evaluator] = [] + for eval_type in eval_types: + match eval_type: + case "string_match": + evaluators.append(StringEvaluator()) + case "url_match": + evaluators.append(URLEvaluator()) + case "program_html": + evaluators.append(HTMLContentEvaluator()) + case _: + raise ValueError(f"eval_type {eval_type} is not supported") + + return EvaluatorComb(evaluators) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/evaluation_harness/helper_functions.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/evaluation_harness/helper_functions.py new file mode 100644 index 00000000..317236e8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/evaluation_harness/helper_functions.py @@ -0,0 +1,221 @@ +"""Implements helper functions to assist evaluation cases where other evaluators are not suitable.""" +import json +from typing import Any +from urllib.parse import urlparse + +import requests +from playwright.sync_api import CDPSession, Page + +from browser_env.env_config import ( + ACCOUNTS, + GITLAB, + MAP, + REDDIT, + SHOPPING, + SHOPPING_ADMIN, + WIKIPEDIA, +) +from llms.providers.openai_utils import ( + generate_from_openai_chat_completion, +) + + +def shopping_get_auth_token() -> str: + response = requests.post( + url=f"{SHOPPING}/rest/default/V1/integration/admin/token", + headers={"content-type": "application/json"}, + data=json.dumps( + { + "username": ACCOUNTS["shopping_site_admin"]["username"], + "password": ACCOUNTS["shopping_site_admin"]["password"], + } + ), + ) + token: str = response.json() + return token + + +def shopping_get_latest_order_url() -> str: + """Get the latest order url from the shopping website.""" + + header = { + "Authorization": f"Bearer {shopping_get_auth_token()}", + "Content-Type": "application/json", + } + + params = { + "searchCriteria[sortOrders][0][field]": "created_at", + "searchCriteria[sortOrders][0][direction]": "DESC", + "searchCriteria[pageSize]": "1", + } + + response = requests.get( + f"{SHOPPING}/rest/V1/orders", params=params, headers=header + ) + assert response.status_code == 200 + response_obj = response.json()["items"][0] + order_id = int(response_obj["increment_id"]) + order_url = f"{SHOPPING}/sales/order/view/order_id/{order_id}/" + return order_url + + +def shopping_get_sku_latest_review_author(sku: str) -> str: + """Get the latest review for shopping admin.""" + header = { + "Authorization": f"Bearer {shopping_get_auth_token()}", + "Content-Type": "application/json", + } + response = requests.get( + f"{SHOPPING}/rest/V1/products/{sku}/reviews", headers=header + ) + assert response.status_code == 200 + response_obj = response.json() + if len(response_obj) == 0: + return "" + author: str = response_obj[-1]["nickname"] + return author + + +def shopping_get_sku_latest_review_rating(sku: str) -> str: + """Get the latest review for shopping admin.""" + header = { + "Authorization": f"Bearer {shopping_get_auth_token()}", + "Content-Type": "application/json", + } + response = requests.get( + f"{SHOPPING}/rest/V1/products/{sku}/reviews", headers=header + ) + assert response.status_code == 200 + response_obj = response.json() + if len(response_obj) == 0: + return "" + assert response_obj[0]["ratings"][0]["rating_name"] == "Rating" + rating: str = str(response_obj[-1]["ratings"][0]["percent"]) + return rating + + +def reddit_get_post_url(url: str) -> str: + """Get the post url""" + # Url is http://domain/f/subreddit/post_id/... + # get domain, subreddit, post_id + domain = urlparse(url).netloc + tok_url = urlparse(url).path.split("/") + # not a valid post/comment url, return the url as is + if len(tok_url) < 4: + return url + if tok_url[1] != "f": + return url + subreddit = urlparse(url).path.split("/")[2] + post_id = urlparse(url).path.split("/")[3] + scheme = urlparse(url).scheme + post_url = f"{scheme}://{domain}/f/{subreddit}/{post_id}/" + return post_url + + +def gitlab_get_project_memeber_role(page: Page, account_name: str) -> str: + # get the account index + try: + account_idx = page.evaluate( + f"""(() => {{ + const elements = document.querySelectorAll("td[data-label='Account'] span.gl-avatar-labeled-sublabel"); + let index = -1; // Default value if not found + + for(let i = 0; i < elements.length; i++) {{ + if(elements[i].outerText === '@{account_name}') {{ + index = i; + break; + }} + }} + + return index; + }})()""" + ) + + # get the role + role: str = page.evaluate( + f"""(() => {{ + return document.querySelectorAll("td.col-max-role span")[{account_idx}].outerText; + }})()""" + ) + except Exception: + role = "" + + return role + + +def llm_fuzzy_match(pred: str, reference: str, question: str) -> float: + """Check whether the prediction matches the reference with GPT4-turbo""" + messages: list[dict[str, Any]] = [] + # construct the question to ask + message = "Help a teacher to grade the answer of a student given a question. Keep in mind that the student may use different phrasing or wording to answer the question. The goal is to evaluate whether the answer is semantically equivalent to the reference answer.\n" + message += f"question: {question}\n" + message += f"reference answer: {reference}\n" + message += "all the string 'N/A' that you see is a special sequence that means 'not achievable'\n" + message += f"student answer: {pred}\n" + message += "Conclude the judgement by correct/incorrect/partially correct." + messages = [ + {"role": "system", "content": "You are a helpful assistant"}, + {"role": "user", "content": message}, + ] + + response = generate_from_openai_chat_completion( + model="gpt-4-1106-preview", + messages=messages, + temperature=0, + max_tokens=768, + top_p=1.0, + context_length=0, + ).lower() + if "partially correct" in response or "incorrect" in response: + return 0.0 + else: + assert "correct" in response + return 1.0 + + +def llm_ua_match(pred: str, reference: str, question: str) -> float: + """Check whether the prediction matches the reference with GPT-turbo""" + messages: list[dict[str, Any]] = [] + # construct the question to ask + message = "" + message += f"task: {question}\n" + message += f"actual unachievable reason: {reference}\n" + message += f"reported unachievable reason: {pred}\n" + message += ( + "The task described above is inherently unachievable due to the reason specified under 'actual unachievable reason'. " + "An individual previously attempted this task and was unable to complete it. They provided a reason for their failure, " + "which is listed under 'reported unachievable reason'. Your role is to review both the actual and reported reasons. " + "Determine if the reported reason aligns with the actual reason, even if implicitly. " + "If the stated reason is in line with the actual reason, respond with 'same'. Otherwise, respond with 'different'." + ) + messages = [ + {"role": "system", "content": "You are a helpful assistant"}, + {"role": "user", "content": message}, + ] + + response = generate_from_openai_chat_completion( + model="gpt-4-1106-preview", + messages=messages, + temperature=0, + max_tokens=768, + top_p=1.0, + context_length=0, + ).lower() + if "different" in response: + return 0.0 + else: + assert "same" in response + return 1.0 + + +class PseudoPage: + def __init__(self, original_page: Page, url: str): + self.url = url + self.original_page = original_page + + def __getattr__(self, attr: str) -> Any: + # Delegate attribute access to the original page object + if attr not in ["url"]: + return getattr(self.original_page, attr) + else: + return getattr(self, attr) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/__init__.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/__init__.py new file mode 100644 index 00000000..7a8c942c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/__init__.py @@ -0,0 +1,14 @@ +"""This module is adapt from https://github.com/zeno-ml/zeno-build""" +from .providers.hf_utils import generate_from_huggingface_completion +from .providers.openai_utils import ( + generate_from_openai_chat_completion, + generate_from_openai_completion, +) +from .utils import call_llm + +__all__ = [ + "generate_from_openai_completion", + "generate_from_openai_chat_completion", + "generate_from_huggingface_completion", + "call_llm", +] diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/lm_config.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/lm_config.py new file mode 100644 index 00000000..2156ef99 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/lm_config.py @@ -0,0 +1,57 @@ +"""Config for language models.""" + +from __future__ import annotations + +import argparse +import dataclasses +from dataclasses import dataclass +from typing import Any + + +@dataclass(frozen=True) +class LMConfig: + """A config for a language model. + + Attributes: + provider: The name of the API provider. + model: The name of the model. + model_cls: The Python class corresponding to the model, mostly for + Hugging Face transformers. + tokenizer_cls: The Python class corresponding to the tokenizer, mostly + for Hugging Face transformers. + mode: The mode of the API calls, e.g., "chat" or "generation". + """ + + provider: str + model: str + model_cls: type | None = None + tokenizer_cls: type | None = None + mode: str | None = None + gen_config: dict[str, Any] = dataclasses.field(default_factory=dict) + + +def construct_llm_config(args: argparse.Namespace) -> LMConfig: + llm_config = LMConfig( + provider=args.provider, model=args.model, mode=args.mode + ) + if args.provider == "openai": + llm_config.gen_config["temperature"] = args.temperature + llm_config.gen_config["top_p"] = args.top_p + llm_config.gen_config["context_length"] = args.context_length + llm_config.gen_config["max_tokens"] = args.max_tokens + llm_config.gen_config["stop_token"] = args.stop_token + llm_config.gen_config["max_obs_length"] = args.max_obs_length + llm_config.gen_config["max_retry"] = args.max_retry + elif args.provider == "huggingface": + llm_config.gen_config["temperature"] = args.temperature + llm_config.gen_config["top_p"] = args.top_p + llm_config.gen_config["max_new_tokens"] = args.max_tokens + llm_config.gen_config["stop_sequences"] = ( + [args.stop_token] if args.stop_token else None + ) + llm_config.gen_config["max_obs_length"] = args.max_obs_length + llm_config.gen_config["model_endpoint"] = args.model_endpoint + llm_config.gen_config["max_retry"] = args.max_retry + else: + raise NotImplementedError(f"provider {args.provider} not implemented") + return llm_config diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/providers/hf_utils.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/providers/hf_utils.py new file mode 100644 index 00000000..b5e8987d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/providers/hf_utils.py @@ -0,0 +1,21 @@ +from text_generation import Client # type: ignore + + +def generate_from_huggingface_completion( + prompt: str, + model_endpoint: str, + temperature: float, + top_p: float, + max_new_tokens: int, + stop_sequences: list[str] | None = None, +) -> str: + client = Client(model_endpoint, timeout=60) + generation: str = client.generate( + prompt=prompt, + temperature=temperature, + top_p=top_p, + max_new_tokens=max_new_tokens, + stop_sequences=stop_sequences, + ).generated_text + + return generation diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/providers/openai_utils.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/providers/openai_utils.py new file mode 100644 index 00000000..4dcdad20 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/providers/openai_utils.py @@ -0,0 +1,286 @@ +"""Tools to generate from OpenAI prompts. +Adopted from https://github.com/zeno-ml/zeno-build/""" + +import asyncio +import logging +import os +import random +import time +from typing import Any + +import aiolimiter +import openai +import openai.error +from tqdm.asyncio import tqdm_asyncio + + +def retry_with_exponential_backoff( # type: ignore + func, + initial_delay: float = 1, + exponential_base: float = 2, + jitter: bool = True, + max_retries: int = 3, + errors: tuple[Any] = (openai.error.RateLimitError,), +): + """Retry a function with exponential backoff.""" + + def wrapper(*args, **kwargs): # type: ignore + # Initialize variables + num_retries = 0 + delay = initial_delay + + # Loop until a successful response or max_retries is hit or an exception is raised + while True: + try: + return func(*args, **kwargs) + # Retry on specified errors + except errors as e: + # Increment retries + num_retries += 1 + + # Check if max retries has been reached + if num_retries > max_retries: + raise Exception( + f"Maximum number of retries ({max_retries}) exceeded." + ) + + # Increment the delay + delay *= exponential_base * (1 + jitter * random.random()) + print(f"Retrying in {delay} seconds.") + # Sleep for the delay + time.sleep(delay) + + # Raise exceptions for any errors not specified + except Exception as e: + raise e + + return wrapper + + +async def _throttled_openai_completion_acreate( + engine: str, + prompt: str, + temperature: float, + max_tokens: int, + top_p: float, + limiter: aiolimiter.AsyncLimiter, +) -> dict[str, Any]: + async with limiter: + for _ in range(3): + try: + return await openai.Completion.acreate( # type: ignore + engine=engine, + prompt=prompt, + temperature=temperature, + max_tokens=max_tokens, + top_p=top_p, + ) + except openai.error.RateLimitError: + logging.warning( + "OpenAI API rate limit exceeded. Sleeping for 10 seconds." + ) + await asyncio.sleep(10) + except openai.error.APIError as e: + logging.warning(f"OpenAI API error: {e}") + break + return {"choices": [{"message": {"content": ""}}]} + + +async def agenerate_from_openai_completion( + prompts: list[str], + engine: str, + temperature: float, + max_tokens: int, + top_p: float, + context_length: int, + requests_per_minute: int = 300, +) -> list[str]: + """Generate from OpenAI Completion API. + + Args: + prompts: list of prompts + temperature: Temperature to use. + max_tokens: Maximum number of tokens to generate. + top_p: Top p to use. + context_length: Length of context to use. + requests_per_minute: Number of requests per minute to allow. + + Returns: + List of generated responses. + """ + if "OPENAI_API_KEY" not in os.environ: + raise ValueError( + "OPENAI_API_KEY environment variable must be set when using OpenAI API." + ) + openai.api_key = os.environ["OPENAI_API_KEY"] + openai.organization = os.environ.get("OPENAI_ORGANIZATION", "") + + limiter = aiolimiter.AsyncLimiter(requests_per_minute) + async_responses = [ + _throttled_openai_completion_acreate( + engine=engine, + prompt=prompt, + temperature=temperature, + max_tokens=max_tokens, + top_p=top_p, + limiter=limiter, + ) + for prompt in prompts + ] + responses = await tqdm_asyncio.gather(*async_responses) + return [x["choices"][0]["text"] for x in responses] + + +@retry_with_exponential_backoff +def generate_from_openai_completion( + prompt: str, + engine: str, + temperature: float, + max_tokens: int, + top_p: float, + context_length: int, + stop_token: str | None = None, +) -> str: + if "OPENAI_API_KEY" not in os.environ: + raise ValueError( + "OPENAI_API_KEY environment variable must be set when using OpenAI API." + ) + openai.api_key = os.environ["OPENAI_API_KEY"] + openai.organization = os.environ.get("OPENAI_ORGANIZATION", "") + response = openai.Completion.create( # type: ignore + prompt=prompt, + engine=engine, + temperature=temperature, + max_tokens=max_tokens, + top_p=top_p, + stop=[stop_token], + ) + answer: str = response["choices"][0]["text"] + return answer + + +async def _throttled_openai_chat_completion_acreate( + model: str, + messages: list[dict[str, str]], + temperature: float, + max_tokens: int, + top_p: float, + limiter: aiolimiter.AsyncLimiter, +) -> dict[str, Any]: + async with limiter: + for _ in range(3): + try: + return await openai.ChatCompletion.acreate( # type: ignore + model=model, + messages=messages, + temperature=temperature, + max_tokens=max_tokens, + top_p=top_p, + ) + except openai.error.RateLimitError: + logging.warning( + "OpenAI API rate limit exceeded. Sleeping for 10 seconds." + ) + await asyncio.sleep(10) + except asyncio.exceptions.TimeoutError: + logging.warning("OpenAI API timeout. Sleeping for 10 seconds.") + await asyncio.sleep(10) + except openai.error.APIError as e: + logging.warning(f"OpenAI API error: {e}") + break + return {"choices": [{"message": {"content": ""}}]} + + +async def agenerate_from_openai_chat_completion( + messages_list: list[list[dict[str, str]]], + engine: str, + temperature: float, + max_tokens: int, + top_p: float, + context_length: int, + requests_per_minute: int = 300, +) -> list[str]: + """Generate from OpenAI Chat Completion API. + + Args: + messages_list: list of message list + temperature: Temperature to use. + max_tokens: Maximum number of tokens to generate. + top_p: Top p to use. + context_length: Length of context to use. + requests_per_minute: Number of requests per minute to allow. + + Returns: + List of generated responses. + """ + if "OPENAI_API_KEY" not in os.environ: + raise ValueError( + "OPENAI_API_KEY environment variable must be set when using OpenAI API." + ) + openai.api_key = os.environ["OPENAI_API_KEY"] + openai.organization = os.environ.get("OPENAI_ORGANIZATION", "") + + limiter = aiolimiter.AsyncLimiter(requests_per_minute) + async_responses = [ + _throttled_openai_chat_completion_acreate( + model=engine, + messages=message, + temperature=temperature, + max_tokens=max_tokens, + top_p=top_p, + limiter=limiter, + ) + for message in messages_list + ] + responses = await tqdm_asyncio.gather(*async_responses) + return [x["choices"][0]["message"]["content"] for x in responses] + + +@retry_with_exponential_backoff +def generate_from_openai_chat_completion( + messages: list[dict[str, str]], + model: str, + temperature: float, + max_tokens: int, + top_p: float, + context_length: int, + stop_token: str | None = None, +) -> str: + if "OPENAI_API_KEY" not in os.environ: + raise ValueError( + "OPENAI_API_KEY environment variable must be set when using OpenAI API." + ) + openai.api_key = os.environ["OPENAI_API_KEY"] + openai.organization = os.environ.get("OPENAI_ORGANIZATION", "") + + response = openai.ChatCompletion.create( # type: ignore + model=model, + messages=messages, + temperature=temperature, + max_tokens=max_tokens, + top_p=top_p, + stop=[stop_token] if stop_token else None, + ) + answer: str = response["choices"][0]["message"]["content"] + return answer + + +@retry_with_exponential_backoff +# debug only +def fake_generate_from_openai_chat_completion( + messages: list[dict[str, str]], + model: str, + temperature: float, + max_tokens: int, + top_p: float, + context_length: int, + stop_token: str | None = None, +) -> str: + if "OPENAI_API_KEY" not in os.environ: + raise ValueError( + "OPENAI_API_KEY environment variable must be set when using OpenAI API." + ) + openai.api_key = os.environ["OPENAI_API_KEY"] + openai.organization = os.environ.get("OPENAI_ORGANIZATION", "") + answer = "Let's think step-by-step. This page shows a list of links and buttons. There is a search box with the label 'Search query'. I will click on the search box to type the query. So the action I will perform is \"click [60]\"." + return answer diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/tokenizers.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/tokenizers.py new file mode 100644 index 00000000..8e45ccf4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/tokenizers.py @@ -0,0 +1,27 @@ +from typing import Any + +import tiktoken +from transformers import LlamaTokenizer # type: ignore + + +class Tokenizer(object): + def __init__(self, provider: str, model_name: str) -> None: + if provider == "openai": + self.tokenizer = tiktoken.encoding_for_model(model_name) + elif provider == "huggingface": + self.tokenizer = LlamaTokenizer.from_pretrained(model_name) + # turn off adding special tokens automatically + self.tokenizer.add_special_tokens = False # type: ignore[attr-defined] + self.tokenizer.add_bos_token = False # type: ignore[attr-defined] + self.tokenizer.add_eos_token = False # type: ignore[attr-defined] + else: + raise NotImplementedError + + def encode(self, text: str) -> list[int]: + return self.tokenizer.encode(text) + + def decode(self, ids: list[int]) -> str: + return self.tokenizer.decode(ids) + + def __call__(self, text: str) -> list[int]: + return self.tokenizer.encode(text) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/utils.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/utils.py new file mode 100644 index 00000000..ea91a105 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/llms/utils.py @@ -0,0 +1,60 @@ +import argparse +from typing import Any + +from llms import ( + generate_from_huggingface_completion, + generate_from_openai_chat_completion, + generate_from_openai_completion, + lm_config, +) + +APIInput = str | list[Any] | dict[str, Any] + + +def call_llm( + lm_config: lm_config.LMConfig, + prompt: APIInput, +) -> str: + response: str + if lm_config.provider == "openai": + if lm_config.mode == "chat": + assert isinstance(prompt, list) + response = generate_from_openai_chat_completion( + messages=prompt, + model=lm_config.model, + temperature=lm_config.gen_config["temperature"], + top_p=lm_config.gen_config["top_p"], + context_length=lm_config.gen_config["context_length"], + max_tokens=lm_config.gen_config["max_tokens"], + stop_token=None, + ) + elif lm_config.mode == "completion": + assert isinstance(prompt, str) + response = generate_from_openai_completion( + prompt=prompt, + engine=lm_config.model, + temperature=lm_config.gen_config["temperature"], + max_tokens=lm_config.gen_config["max_tokens"], + top_p=lm_config.gen_config["top_p"], + stop_token=lm_config.gen_config["stop_token"], + ) + else: + raise ValueError( + f"OpenAI models do not support mode {lm_config.mode}" + ) + elif lm_config.provider == "huggingface": + assert isinstance(prompt, str) + response = generate_from_huggingface_completion( + prompt=prompt, + model_endpoint=lm_config.gen_config["model_endpoint"], + temperature=lm_config.gen_config["temperature"], + top_p=lm_config.gen_config["top_p"], + stop_sequences=lm_config.gen_config["stop_sequences"], + max_new_tokens=lm_config.gen_config["max_new_tokens"], + ) + else: + raise NotImplementedError( + f"Provider {lm_config.provider} not implemented" + ) + + return response diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/media/example_trace_viewer.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/media/example_trace_viewer.png new file mode 100644 index 00000000..249919a8 Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/media/example_trace_viewer.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/media/homepage_demo.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/media/homepage_demo.png new file mode 100644 index 00000000..c0875b0c Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/media/homepage_demo.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/media/logo.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/media/logo.png new file mode 100644 index 00000000..96855a37 Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/media/logo.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/media/overview.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/media/overview.png new file mode 100644 index 00000000..9c592063 Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/media/overview.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/media/v1_result.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/media/v1_result.png new file mode 100644 index 00000000..d0e34e6b Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/media/v1_result.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/media/v2_result.png b/openmanus_rl/agentgym/agentenv-webarena/webarena/media/v2_result.png new file mode 100644 index 00000000..70a89107 Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webarena/webarena/media/v2_result.png differ diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/minimal_example.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/minimal_example.py new file mode 100644 index 00000000..fd451f99 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/minimal_example.py @@ -0,0 +1,152 @@ +#!/usr/bin/env python3 +# type: ignore + +import json +import os +import re +import subprocess +import time + +SLEEP = 1.5 +# set the URLs of each website, we use the demo sites as an example +os.environ[ + "SHOPPING" +] = "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7770" +os.environ[ + "SHOPPING_ADMIN" +] = "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin" +os.environ[ + "REDDIT" +] = "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:9999" +os.environ[ + "GITLAB" +] = "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8023" +os.environ[ + "MAP" +] = "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:3000" +os.environ[ + "WIKIPEDIA" +] = "http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:8888/wikipedia_en_all_maxi_2022-05/A/User:The_other_Kiwix_guy/Landing" +os.environ[ + "HOMEPAGE" +] = "PASS" # The home page is not currently hosted in the demo site +print("Done setting up URLs") + +# First, run `python scripts/generate_test_data.py` to generate the config files +p = subprocess.run( + ["python", "scripts/generate_test_data.py"], capture_output=True +) + +# It will generate individual config file for each test example in config_files +assert os.path.exists("config_files/0.json") + +# Make sure the URLs in the config files are replaced properly +with open("config_files/0.json", "r") as f: + config = json.load(f) + assert os.environ["SHOPPING_ADMIN"] in config["start_url"], ( + os.environ["SHOPPING_ADMIN"], + config["start_url"], + ) + +print("Done generating config files with the correct URLs") + +# run bash prepare.sh to save all account cookies, this only needs to be done once +subprocess.run(["bash", "prepare.sh"]) +print("Done saving account cookies") + +# Init an environment +from browser_env import ( + Action, + ActionTypes, + ObservationMetadata, + ScriptBrowserEnv, + StateInfo, + Trajectory, + action2str, + create_id_based_action, + create_stop_action, +) +from evaluation_harness.evaluators import evaluator_router + +# Init the environment +env = ScriptBrowserEnv( + headless=False, + slow_mo=100, + observation_type="accessibility_tree", + current_viewport_only=True, + viewport_size={"width": 1280, "height": 720}, +) + +# example 156 as an example +config_file = "config_files/156.json" +# maintain a trajectory +trajectory: Trajectory = [] + +# set the environment for the current example +obs, info = env.reset(options={"config_file": config_file}) +actree_obs = obs["text"] +print(actree_obs) + +# You should see some output like this: +""" +[4] RootWebArea 'Projects · Dashboard · GitLab' focused: True + [12] link 'Skip to content' + [28] link 'Dashboard' + [2266] button '' hasPopup: menu expanded: False + [63] textbox 'Search GitLab' required: False + [61] generic 'Use the shortcut key / to start a search' + [79] link 'Create new...' + [95] link 'Issues' + [97] generic '13 assigned issues' + [101] link 'Merge requests' + [104] generic '8 merge requests'""" + +# save the state info to the trajectory +state_info: StateInfo = {"observation": obs, "info": info} +trajectory.append(state_info) + +# Now let's try to perform the action of clicking the "Merge request" link +# As the element ID is dynamic each time, we use regex to match the element as the demo +match = re.search(r"\[(\d+)\] link 'Merge requests'", actree_obs).group(1) +# Create the action click [ELEMENT_ID] +click_action = create_id_based_action(f"click [{match}]") +# Add the action to the trajectory +trajectory.append(click_action) + +# Step and get the new observation +obs, _, terminated, _, info = env.step(click_action) +# New observation +actree_obs = obs["text"] +print(actree_obs) +time.sleep(SLEEP) + +state_info = {"observation": obs, "info": info} +trajectory.append(state_info) + +# Next click "assign to you" +match = re.search(r"\[(\d+)\] link 'Assigned to you", actree_obs).group(1) +click_action = create_id_based_action(f"click [{match}]") +trajectory.append(click_action) + +obs, _, terminated, _, info = env.step(click_action) +actree_obs = obs["text"] +print(actree_obs) +time.sleep(SLEEP) +state_info = {"observation": obs, "info": info} +trajectory.append(state_info) + +# add a stop action to mark the end of the trajectory +trajectory.append(create_stop_action("")) + + +# Demo evaluation +evaluator = evaluator_router(config_file) +score = evaluator( + trajectory=trajectory, + config_file=config_file, + page=env.page, + client=env.get_page_client(env.page), +) + +# as we manually perform the task, the task should be judged as correct +assert score == 1.0 diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/parallel_run.sh b/openmanus_rl/agentgym/agentenv-webarena/webarena/parallel_run.sh new file mode 100644 index 00000000..fb56cc35 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/parallel_run.sh @@ -0,0 +1,73 @@ +#!/bin/bash + +result_dir="cache/919_gpt35_16k_cot_na" +model="gpt-3.5-turbo-16k-0613" +instruction_path="agent/prompts/jsons/p_cot_id_actree_2s.json" + +SERVER="" +OPENAI_API_KEY="" +OPENAI_ORGANIZATION="" +CONDA_ENV_NAME="webarena" +ENV_VARIABLES="export SHOPPING='http://${SERVER}:7770';export SHOPPING_ADMIN='http://${SERVER}:7780/admin';export REDDIT='http://${SERVER}:9999';export GITLAB='http://${SERVER}:8023';export MAP='http://miniserver1875.asuscomm.com:3000';export WIKIPEDIA='http://${SERVER}:8888/wikipedia_en_all_maxi_2022-05/A/User:The_other_Kiwix_guy/Landing';export HOMEPAGE='http://${SERVER}:4399';export OPENAI_API_KEY=${OPENAI_API_KEY};export OPENAI_ORGANIZATION=${OPENAI_ORGANIZATION}" + +# get the number of tmux panes +num_panes=$(tmux list-panes | wc -l) + +# calculate how many panes need to be created +let "panes_to_create = 5 - num_panes" + +# array of tmux commands to create each pane +tmux_commands=( + 'tmux split-window -h' + 'tmux split-window -v' + 'tmux select-pane -t 0; tmux split-window -v' + 'tmux split-window -v' + 'tmux select-pane -t 3; tmux split-window -v' +) + +# create panes up to 5 +for ((i=0; i<$panes_to_create; i++)); do + eval ${tmux_commands[$i]} +done + +#!/bin/bash + +# Function to run a job +run_job() { + tmux select-pane -t $1 + tmux send-keys "conda activate ${CONDA_ENV_NAME}; ${ENV_VARIABLES}; until python run.py --test_start_idx $2 --test_end_idx $3 --model ${model} --instruction_path ${instruction_path} --result_dir ${result_dir}; do echo 'crashed' >&2; sleep 1; done" C-m + sleep 3 +} + +TOLERANCE=2 +run_batch() { + args=("$@") # save all arguments in an array + num_jobs=${#args[@]} # get number of arguments + + for ((i=1; i<$num_jobs; i++)); do + run_job $i ${args[i-1]} ${args[i]} + done + + # Wait for all jobs to finish + while tmux list-panes -F "#{pane_pid} #{pane_current_command}" | grep -q python; do + sleep 100 # wait for 10 seconds before checking again + done + + # Run checker + while ! python scripts/check_error_runs.py ${result_dir} --delete_errors --tolerance ${TOLERANCE}; do + echo "Check failed, rerunning jobs..." + for ((i=1; i<$num_jobs; i++)); do + run_job $i ${args[i-1]} ${args[i]} + done + + # Wait for all jobs to finish + while tmux list-panes -F "#{pane_pid} #{pane_current_command}" | grep -q python; do + sleep 100 # wait for 10 seconds before checking again + done + done + +} + +run_batch 0 100 200 300 380 +run_batch 380 480 580 680 770 +run_batch 770 812 diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/prepare.sh b/openmanus_rl/agentgym/agentenv-webarena/webarena/prepare.sh new file mode 100644 index 00000000..64014fce --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/prepare.sh @@ -0,0 +1,6 @@ +#!/bin/bash + +# prepare the evaluation +# re-validate login information +mkdir -p ./.auth +python browser_env/auto_login.py diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/requirements.txt b/openmanus_rl/agentgym/agentenv-webarena/webarena/requirements.txt new file mode 100644 index 00000000..df1a5d08 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/requirements.txt @@ -0,0 +1,13 @@ +gymnasium +playwright==1.32.1 +Pillow +evaluate +openai==0.27.0 +types-tqdm +tiktoken +aiolimiter +beartype==0.12.0 +flask +nltk +text-generation +transformers==4.33.2 diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/resources/README.md b/openmanus_rl/agentgym/agentenv-webarena/webarena/resources/README.md new file mode 100644 index 00000000..dd33b9c3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/resources/README.md @@ -0,0 +1,50 @@ +# WebArena Resources +## [12/21/2023] Human Trajectories +We collected human trajectories on 179 tasks and the recording files are [here](https://drive.google.com/drive/folders/1NrN_sawtYK2V_uHnmmS8ugmGIKUAsPgt?usp=sharing). + +We sample one task from each template or templates that share similar task semantic. Each file is named as `.zip`, and the corresponding template id can be found in the [task config file](../config_files/test.raw.json). The trajectories are presented as playwright trace files. You can view the concrete HTML, network traffic etc by `playwright show-trace .zip`. + +Human task success rate: 78.24% + + +## [11/3/2023] Execution Traces from Our Experiments (v2) +![v2 results](../media/v2_result.png) +The results on the release v2 can be found in this [folder](https://drive.google.com/drive/folders/1H4wkzDkY2ufiC63DISMXllri0j-ipWcs?usp=sharing). It contains +* text-bison-001 + CoT + UA Hint +* GPT3.5-turbo-0613-16k + Direct + UA Hint +* GPT3.5-turbo-0613-16k + Direct +* GPT3.5-turbo-0613-16k + CoT + UA Hint +* GPT3.5-turbo-0613-16k + CoT +* GPT4-0613 + CoT + +## [8/7/2023] Execution Traces from Our Experiments (v1) +![v1 results](../media/v1_result.png) +The results on the release v1 can be found in this [folder](https://drive.google.com/drive/folders/18Oww0fAgwhuSjSzxUNgzBUlC6M9IZZB2?usp=sharing). It contains +* GPT4-0613 + CoT +* GPT3.5-turbo-0613 + CoT +* GPT3.5-turbo-0613 + Direct + + +Once you unzip the file with `unzip .zip`, you will see a list of `render_*.html`, a log file `merge_log.txt` recording whether an example failed or passed and a `trace` folder containing the `playwright` recording of the executions. + +### render_*.html +Each file render the execution trace of the correponding example with (1) the accessibility tree observations, (2) the raw prediction from the agent and (3) the parsed action. We also provide the correponding screenshot of each observation. + +To extract specific information from the html, you could use the following code snippet: +```python +from bs4 import BeautifulSoup +with open("render_.html", 'r') as f: + content = f.read() + soup = BeautifulSoup(content, 'html.parser') + # get the observations + observations = soup.find_all("div", {"class": "state_obv"}) + # urls + urls = soup.find_all("h3", {"class": "url"}) + # get the raw predictions (e.g, let's think step-by-step ....) + raw_predictions = soup.find_all("div", {"class": "raw_parsed_prediction"}) + # get the action object + actions = soup.find_all("div", {"class": "action_object"}) +``` +### trace/*.zip +The zip files are generated automatically with [playwright](https://playwright.dev/python/docs/trace-viewer). You can view the concrete HTML, network traffic etc by `playwright show-trace .zip`. You will see something like this: +![example_trace_viewer](../media/example_trace_viewer.png) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/run.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/run.py new file mode 100644 index 00000000..cee3c984 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/run.py @@ -0,0 +1,439 @@ +"""Script to run end-to-end evaluation on the benchmark""" +import argparse +import glob +import json +import logging +import os +import random +import subprocess +import tempfile +import time +from pathlib import Path + +import openai + +from agent import ( + Agent, + PromptAgent, + TeacherForcingAgent, + construct_agent, +) +from agent.prompts import * +from browser_env import ( + Action, + ActionTypes, + ScriptBrowserEnv, + StateInfo, + Trajectory, + create_stop_action, +) +from browser_env.actions import is_equivalent +from browser_env.auto_login import get_site_comb_from_filepath +from browser_env.helper_functions import ( + RenderHelper, + get_action_description, +) +from evaluation_harness import evaluator_router + +LOG_FOLDER = "log_files" +Path(LOG_FOLDER).mkdir(parents=True, exist_ok=True) +LOG_FILE_NAME = f"{LOG_FOLDER}/log_{time.strftime('%Y%m%d%H%M%S', time.localtime())}_{random.randint(0, 10000)}.log" + +logger = logging.getLogger("logger") +logger.setLevel(logging.INFO) + +console_handler = logging.StreamHandler() +console_handler.setLevel(logging.DEBUG) +logger.addHandler(console_handler) + +file_handler = logging.FileHandler(LOG_FILE_NAME) +file_handler.setLevel(logging.DEBUG) +logger.addHandler(file_handler) + +# Set the log format +formatter = logging.Formatter("%(asctime)s - %(levelname)s - %(message)s") +console_handler.setFormatter(formatter) +file_handler.setFormatter(formatter) + + +def config() -> argparse.Namespace: + parser = argparse.ArgumentParser( + description="Run end-to-end evaluation on the benchmark" + ) + parser.add_argument( + "--render", action="store_true", help="Render the browser" + ) + parser.add_argument( + "--slow_mo", + type=int, + default=0, + help="Slow down the browser by the specified amount", + ) + parser.add_argument( + "--action_set_tag", default="id_accessibility_tree", help="Action type" + ) + parser.add_argument( + "--observation_type", + choices=["accessibility_tree", "html", "image"], + default="accessibility_tree", + help="Observation type", + ) + parser.add_argument( + "--current_viewport_only", + action="store_true", + help="Only use the current viewport for the observation", + ) + parser.add_argument("--viewport_width", type=int, default=1280) + parser.add_argument("--viewport_height", type=int, default=720) + parser.add_argument("--save_trace_enabled", action="store_true") + parser.add_argument("--sleep_after_execution", type=float, default=0.0) + + parser.add_argument("--max_steps", type=int, default=30) + + # agent config + parser.add_argument("--agent_type", type=str, default="prompt") + parser.add_argument( + "--instruction_path", + type=str, + default="agents/prompts/state_action_agent.json", + ) + parser.add_argument( + "--parsing_failure_th", + help="When concesecutive parsing failure exceeds this threshold, the agent will stop", + type=int, + default=3, + ) + parser.add_argument( + "--repeating_action_failure_th", + help="When concesecutive repeating action exceeds this threshold, the agent will stop", + type=int, + default=3, + ) + + # lm config + parser.add_argument("--provider", type=str, default="openai") + parser.add_argument("--model", type=str, default="gpt-3.5-turbo-0613") + parser.add_argument("--mode", type=str, default="chat") + parser.add_argument("--temperature", type=float, default=1.0) + parser.add_argument("--top_p", type=float, default=0.9) + parser.add_argument("--context_length", type=int, default=0) + parser.add_argument("--max_tokens", type=int, default=384) + parser.add_argument("--stop_token", type=str, default=None) + parser.add_argument( + "--max_retry", + type=int, + help="max retry times to perform generations when parsing fails", + default=1, + ) + parser.add_argument( + "--max_obs_length", + type=int, + help="when not zero, will truncate the observation to this length before feeding to the model", + default=1920, + ) + parser.add_argument( + "--model_endpoint", + help="huggingface model endpoint", + type=str, + default="", + ) + + # example config + parser.add_argument("--test_start_idx", type=int, default=0) + parser.add_argument("--test_end_idx", type=int, default=1000) + + # logging related + parser.add_argument("--result_dir", type=str, default="") + args = parser.parse_args() + + # check the whether the action space is compatible with the observation space + if ( + args.action_set_tag == "id_accessibility_tree" + and args.observation_type != "accessibility_tree" + ): + raise ValueError( + f"Action type {args.action_set_tag} is incompatible with the observation type {args.observation_type}" + ) + + return args + + +def early_stop( + trajectory: Trajectory, max_steps: int, thresholds: dict[str, int] +) -> tuple[bool, str]: + """Check whether need to early stop""" + + # reach the max step + num_steps = (len(trajectory) - 1) / 2 + if num_steps >= max_steps: + return True, f"Reach max steps {max_steps}" + + last_k_actions: list[Action] + action_seq: list[Action] + + # Case: parsing failure for k times + k = thresholds["parsing_failure"] + last_k_actions = trajectory[1::2][-k:] # type: ignore[assignment] + if len(last_k_actions) >= k: + if all( + [ + action["action_type"] == ActionTypes.NONE + for action in last_k_actions + ] + ): + return True, f"Failed to parse actions for {k} times" + + # Case: same action for k times + k = thresholds["repeating_action"] + last_k_actions = trajectory[1::2][-k:] # type: ignore[assignment] + action_seq = trajectory[1::2] # type: ignore[assignment] + + if len(action_seq) == 0: + return False, "" + + last_action: Action = action_seq[-1] + + if last_action["action_type"] != ActionTypes.TYPE: + if len(last_k_actions) >= k: + if all( + [ + is_equivalent(action, last_action) + for action in last_k_actions + ] + ): + return True, f"Same action for {k} times" + + else: + # check the action sequence + if ( + sum([is_equivalent(action, last_action) for action in action_seq]) + >= k + ): + return True, f"Same typing action for {k} times" + + return False, "" + + +def test( + args: argparse.Namespace, + agent: Agent | PromptAgent | TeacherForcingAgent, + config_file_list: list[str], +) -> None: + scores = [] + max_steps = args.max_steps + + early_stop_thresholds = { + "parsing_failure": args.parsing_failure_th, + "repeating_action": args.repeating_action_failure_th, + } + + env = ScriptBrowserEnv( + headless=not args.render, + slow_mo=args.slow_mo, + observation_type=args.observation_type, + current_viewport_only=args.current_viewport_only, + viewport_size={ + "width": args.viewport_width, + "height": args.viewport_height, + }, + save_trace_enabled=args.save_trace_enabled, + sleep_after_execution=args.sleep_after_execution, + ) + + for config_file in config_file_list: + try: + render_helper = RenderHelper( + config_file, args.result_dir, args.action_set_tag + ) + + # get intent + with open(config_file) as f: + _c = json.load(f) + intent = _c["intent"] + task_id = _c["task_id"] + # automatically login + if _c["storage_state"]: + cookie_file_name = os.path.basename(_c["storage_state"]) + comb = get_site_comb_from_filepath(cookie_file_name) + temp_dir = tempfile.mkdtemp() + # subprocess to renew the cookie + subprocess.run( + [ + "python", + "browser_env/auto_login.py", + "--auth_folder", + temp_dir, + "--site_list", + *comb, + ] + ) + _c["storage_state"] = f"{temp_dir}/{cookie_file_name}" + assert os.path.exists(_c["storage_state"]) + # update the config file + config_file = f"{temp_dir}/{os.path.basename(config_file)}" + with open(config_file, "w") as f: + json.dump(_c, f) + + logger.info(f"[Config file]: {config_file}") + logger.info(f"[Intent]: {intent}") + + agent.reset(config_file) + trajectory: Trajectory = [] + obs, info = env.reset(options={"config_file": config_file}) + state_info: StateInfo = {"observation": obs, "info": info} + trajectory.append(state_info) + + meta_data = {"action_history": ["None"]} + while True: + early_stop_flag, stop_info = early_stop( + trajectory, max_steps, early_stop_thresholds + ) + + if early_stop_flag: + action = create_stop_action(f"Early stop: {stop_info}") + else: + try: + action = agent.next_action( + trajectory, intent, meta_data=meta_data + ) + except ValueError as e: + # get the error message + action = create_stop_action(f"ERROR: {str(e)}") + + trajectory.append(action) + + action_str = get_action_description( + action, + state_info["info"]["observation_metadata"], + action_set_tag=args.action_set_tag, + prompt_constructor=agent.prompt_constructor + if isinstance(agent, PromptAgent) + else None, + ) + render_helper.render( + action, state_info, meta_data, args.render_screenshot + ) + meta_data["action_history"].append(action_str) + + if action["action_type"] == ActionTypes.STOP: + break + + obs, _, terminated, _, info = env.step(action) + state_info = {"observation": obs, "info": info} + trajectory.append(state_info) + + if terminated: + # add a action place holder + trajectory.append(create_stop_action("")) + break + + evaluator = evaluator_router(config_file) + score = evaluator( + trajectory=trajectory, + config_file=config_file, + page=env.page, + client=env.get_page_client(env.page), + ) + + scores.append(score) + + if score == 1: + logger.info(f"[Result] (PASS) {config_file}") + else: + logger.info(f"[Result] (FAIL) {config_file}") + + if args.save_trace_enabled: + env.save_trace( + Path(args.result_dir) / "traces" / f"{task_id}.zip" + ) + + except openai.error.OpenAIError as e: + logger.info(f"[OpenAI Error] {repr(e)}") + except Exception as e: + logger.info(f"[Unhandled Error] {repr(e)}]") + import traceback + + # write to error file + with open(Path(args.result_dir) / "error.txt", "a") as f: + f.write(f"[Config file]: {config_file}\n") + f.write(f"[Unhandled Error] {repr(e)}\n") + f.write(traceback.format_exc()) # write stack trace to file + + render_helper.close() + + env.close() + logger.info(f"Average score: {sum(scores) / len(scores)}") + + +def prepare(args: argparse.Namespace) -> None: + # convert prompt python files to json + from agent.prompts import to_json + + to_json.run() + + # prepare result dir + result_dir = args.result_dir + if not result_dir: + result_dir = ( + f"cache/results_{time.strftime('%Y%m%d%H%M%S', time.localtime())}" + ) + if not Path(result_dir).exists(): + Path(result_dir).mkdir(parents=True, exist_ok=True) + args.result_dir = result_dir + logger.info(f"Create result dir: {result_dir}") + + if not (Path(result_dir) / "traces").exists(): + (Path(result_dir) / "traces").mkdir(parents=True) + + # log the log file + with open(os.path.join(result_dir, "log_files.txt"), "a+") as f: + f.write(f"{LOG_FILE_NAME}\n") + + +def get_unfinished(config_files: list[str], result_dir: str) -> list[str]: + result_files = glob.glob(f"{result_dir}/*.html") + task_ids = [ + os.path.basename(f).split(".")[0].split("_")[1] for f in result_files + ] + unfinished_configs = [] + for config_file in config_files: + task_id = os.path.basename(config_file).split(".")[0] + if task_id not in task_ids: + unfinished_configs.append(config_file) + return unfinished_configs + + +def dump_config(args: argparse.Namespace) -> None: + config_file = Path(args.result_dir) / "config.json" + if not config_file.exists(): + with open(config_file, "w") as f: + json.dump(vars(args), f, indent=4) + logger.info(f"Dump config to {config_file}") + + +if __name__ == "__main__": + args = config() + args.sleep_after_execution = 2.0 + prepare(args) + + test_file_list = [] + st_idx = args.test_start_idx + ed_idx = args.test_end_idx + for i in range(st_idx, ed_idx): + test_file_list.append(f"config_files/{i}.json") + if "debug" not in args.result_dir: + test_file_list = get_unfinished(test_file_list, args.result_dir) + + if len(test_file_list) == 0: + logger.info("No task left to run") + else: + print(f"Total {len(test_file_list)} tasks left") + args.render = False + args.render_screenshot = True + args.save_trace_enabled = True + + args.current_viewport_only = True + dump_config(args) + + agent = construct_agent(args) + test(args, agent, test_file_list) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/scripts/check_error_runs.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/scripts/check_error_runs.py new file mode 100644 index 00000000..0039b568 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/scripts/check_error_runs.py @@ -0,0 +1,157 @@ +"""Some executions may failed. +This script checks the recordings, print the task ids. +It deletes the recordings if needed.""" +import argparse +import glob +import os +import shutil +import sys + + +def merge_logs(result_folder: str, args: argparse.Namespace) -> str: + if not os.path.exists(f"{result_folder}/log_files.txt"): + sys.exit(1) + + with open(f"{result_folder}/log_files.txt", "r") as f: + log_files = f.readlines() + + merged_results = {} + for file in log_files: + with open(file.strip(), "r") as f: + lines = f.readlines() + + cur_log: list[str] = [] + index = None + for line in lines: + if "[Config file]" in line: + if ( + cur_log + and index + and os.path.exists(f"{result_folder}/render_{index}.html") + and len(cur_log) >= 3 + ): + merged_results[index] = cur_log + # update index and log + index = line.split("/")[-1].split(".")[0] + cur_log = [line] + else: + cur_log.append(line) + + if ( + cur_log + and index + and os.path.exists(f"{result_folder}/render_{index}.html") + and len(cur_log) >= 3 + ): + + merged_results[index] = cur_log + + # sort by the key + merged_results = dict( + sorted(merged_results.items(), key=lambda x: int(x[0])) + ) + + merged_log_path = f"{result_folder}/tmp_merged_log.txt" + with open(merged_log_path, "w") as f: + for k, v in merged_results.items(): + for line in v: + f.write(line) + print(f"Number of examples: {len(merged_results)}") + + unlog_examples = [] + for i in range(812): + if ( + os.path.exists(f"{result_folder}/render_{i}.html") + and str(i) not in merged_results + ): + unlog_examples.append(i) + + print(f"Number of unlogged examples: {len(unlog_examples)}") + print(unlog_examples) + if ( + args.delete_errors + or input("Do you want to delete these examples? (y/n)") == "y" + ): + for idx in unlog_examples: + os.remove(f"{args.result_folder}/render_{idx}.html") + + unifinished_examples = [ + i for i in range(0, 812) if str(i) not in merged_results + ] + print(f"Number of unfinished examples: {len(unifinished_examples)}") + print(unifinished_examples) + + return merged_log_path + + +def check_unhandled_errors(args: argparse.Namespace) -> int: + log_path = merge_logs(args.result_folder, args) + with open(log_path, "r") as f: + logs = f.read() + + error_examples = [] + for line in logs.split("\n"): + if "[Config file]" in line: + example_idx = line.split("/")[-1].split(".")[0] + if "[Unhandled Error]" in line or "[OpenAI Error]" in line: + error_examples.append(int(example_idx)) + + num_errors = len(error_examples) + print(f"Number of unhandled errors: {len(error_examples)}") + print(error_examples) + if ( + args.delete_errors + or input("Do you want to delete these examples? (y/n)") == "y" + ): + for idx in error_examples: + if os.path.exists(f"{args.result_folder}/render_{idx}.html"): + os.remove(f"{args.result_folder}/render_{idx}.html") + return num_errors + + +def check_unexpected_logout(args: argparse.Namespace) -> int: + target_strings = set( + [ + "Creating an account has many benefits: check out faster", + "Welcome, please sign in", + "Username or email", + "Keep me logged in", + ] + ) + + error_examples = [] + for render_file in glob.glob(f"{args.result_folder}/render_*.html"): + with open(render_file, "r") as f: + contents = f.read() + if any([s in contents for s in target_strings]): + task_id = int( + render_file.split("/")[-1].split(".")[0].split("_")[-1] + ) + error_examples.append(task_id) + print(f"Number of unexpected logout: {len(error_examples)}") + print(error_examples) + num_errors = len(error_examples) + if ( + args.delete_errors + or input("Do you want to delete these examples? (y/n)") == "y" + ): + for idx in error_examples: + if os.path.exists(f"{args.result_folder}/render_{idx}.html"): + os.remove(f"{args.result_folder}/render_{idx}.html") + + return num_errors + + +if __name__ == "__main__": + parser = argparse.ArgumentParser() + parser.add_argument("result_folder", type=str) + parser.add_argument("--delete_errors", action="store_true") + parser.add_argument("--tolerance", type=int, default=0) + + args = parser.parse_args() + n1 = check_unhandled_errors(args) + n2 = check_unexpected_logout(args) + if n1 + n2 > args.tolerance: + sys.exit(1) + else: + sys.exit(0) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/scripts/collect_obs.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/scripts/collect_obs.py new file mode 100644 index 00000000..df3aa485 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/scripts/collect_obs.py @@ -0,0 +1,55 @@ +"""Simple script to quickly get the observation of a page""" + +import json +import re +import time +from typing import Dict, Optional, Tuple, Type, Union, cast + +import pytest +from playwright.sync_api import Page, expect + +from browser_env import ( + ScriptBrowserEnv, + create_id_based_action, + create_key_press_action, + create_playwright_action, + create_scroll_action, +) +from browser_env.env_config import * + +HEADLESS = False + + +def gen_tmp_storage_state() -> None: + with open(f"scripts/tmp_storage_state.json", "w") as f: + json.dump({"storage_state": ".auth/shopping_admin_state.json"}, f) + + +def get_observation( + observation_type: str, current_viewport_only: bool +) -> None: + env = ScriptBrowserEnv( + observation_type=observation_type, + current_viewport_only=current_viewport_only, + headless=HEADLESS, + sleep_after_execution=2.0, + ) + env.reset(options={"config_file": f"scripts/tmp_storage_state.json"}) + s = f"""page.goto("http://ec2-3-131-244-37.us-east-2.compute.amazonaws.com:7780/admin/admin/dashboard/") + page.get_by_label("", exact=True).fill("reviews") + page.get_by_label("", exact=True).press("Enter") + page.scroll(down)""" + action_seq = s.split("\n") + + for action in action_seq: + action = action.strip() + obs, success, _, _, info = env.step(create_playwright_action(action)) + print(obs["text"]) + _ = input("Press enter to continue") + + +if __name__ == "__main__": + gen_tmp_storage_state() + obs_type = "accessibility_tree" + current_viewport_only = True + get_observation(obs_type, current_viewport_only) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/scripts/generate_test_data.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/scripts/generate_test_data.py new file mode 100644 index 00000000..0da10ffc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/scripts/generate_test_data.py @@ -0,0 +1,27 @@ +"""Replace the website placeholders with website domains from env_config +Generate the test data""" +import json + +from browser_env.env_config import * + + +def main() -> None: + with open("config_files/test.raw.json", "r") as f: + raw = f.read() + raw = raw.replace("__GITLAB__", GITLAB) + raw = raw.replace("__REDDIT__", REDDIT) + raw = raw.replace("__SHOPPING__", SHOPPING) + raw = raw.replace("__SHOPPING_ADMIN__", SHOPPING_ADMIN) + raw = raw.replace("__WIKIPEDIA__", WIKIPEDIA) + raw = raw.replace("__MAP__", MAP) + with open("config_files/test.json", "w") as f: + f.write(raw) + # split to multiple files + data = json.loads(raw) + for idx, item in enumerate(data): + with open(f"config_files/{idx}.json", "w") as f: + json.dump(item, f, indent=2) + + +if __name__ == "__main__": + main() diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/scripts/html2json.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/scripts/html2json.py new file mode 100644 index 00000000..3756cef1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/scripts/html2json.py @@ -0,0 +1,126 @@ +import argparse +import base64 +import glob +import json +import os +from collections import defaultdict +from typing import Any + +from bs4 import BeautifulSoup + + +def main(result_folder: str, config_json: str) -> None: + all_data = {} + template_to_id: dict[str, Any] = defaultdict(lambda: len(template_to_id)) + + with open(config_json, "r") as f: + data_configs = json.load(f) + data_configs = {int(item["task_id"]): item for item in data_configs} + for k, v in data_configs.items(): + v.pop("require_login") + v.pop("storage_state") + v.pop("start_url") + v.pop("geolocation") + v.pop("require_reset") + v.pop("intent_template_id") + v["intent_template_id"] = template_to_id[v["intent_template"]] + v["eval_types"] = v["eval"].pop("eval_types") + if v["eval"]["reference_answers"]: + v["reference_answers"] = v["eval"].pop("reference_answers") + if v["eval"]["reference_url"]: + v["reference_url"] = v["eval"].pop("reference_url") + v.pop("eval") + if v.get("reference_answers", {}).get("exact_match", "") == "N/A": + v["achievable"] = False + else: + v["achievable"] = True + + with open(f"{result_folder}/merged_log.txt", "r") as f: + results = {} + for line in f: + if "[Result]" in line: + id = line.strip().split(".")[-2].split("/")[-1] + results[int(id)] = True if "(PASS)" in line else False + + files = list(glob.glob(f"{result_folder}/render_*.html")) + files = [x for x in files if os.path.exists(x)] + print(f"Total number of files: {len(files)}") + + for render_file in files: + task_id = int(render_file.split("_")[-1].split(".")[0]) + with open(render_file, "r") as f: + try: + content = f.read() + soup = BeautifulSoup(content, "html.parser") + observations = [ + obv.find("pre").text + for obv in soup.find_all("div", {"class": "state_obv"}) + ] + base64_images = [ + img["src"].split(",")[1] for img in soup.find_all("img") + ] + image_observations = [] + # save image to file and change the value to be path + image_folder = f"images/{os.path.basename(result_folder)}" + os.makedirs(image_folder, exist_ok=True) + for i, image in enumerate(base64_images): + image_data = base64.b64decode(image) + filename = f"{image_folder}/image_{task_id}_{i}.png" + with open(filename, "wb") as f: # type: ignore[assignment] + f.write(image_data) # type: ignore[arg-type] + image_observations.append(filename) + urls = [ + url.get_text() + for url in soup.find_all("h3", {"class": "url"}) + ] + actions = [ + action.get_text() + for action in soup.find_all( + "div", {"class": "raw_parsed_prediction"} + ) + ] + parsed_actions = [ + action.get_text() + for action in soup.find_all( + "div", {"class": "parsed_action"} + ) + ] + # fill action with parsed action if action is empty + for i in range(len(actions)): + if actions[i] == "": + actions[i] = parsed_actions[i] + + messages = [] + for o, u, a, image in zip( + observations, urls, actions, image_observations + ): + messages.append( + { + "user": f"{u}\n\nobservation:\n{o}", + "image": image, + } + ) + messages.append({"assistant": a}) + + all_data[f"example_{task_id}"] = { + **data_configs[task_id], + "messages": messages, + "success": results.get(task_id, False), + } + + except Exception as e: + print(e) + print(f"Error in {render_file}") + + with open(f"{result_folder}/json_dump.json", "w+") as f: + json.dump(all_data, f, indent=4) + + +if __name__ == "__main__": + parser = argparse.ArgumentParser() + parser.add_argument("--result_folder", type=str) + parser.add_argument( + "--config_json", type=str, default="config_files/test.raw.json" + ) + args = parser.parse_args() + main(args.result_folder, args.config_json) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/scripts/webarena-zeno.ipynb b/openmanus_rl/agentgym/agentenv-webarena/webarena/scripts/webarena-zeno.ipynb new file mode 100644 index 00000000..29df42cd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/scripts/webarena-zeno.ipynb @@ -0,0 +1,337 @@ +{ + "cells": [ + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "# Exploring WebArena Results with Zeno \n" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "[Zeno](https://zenoml.com/) provides interative interface to explore the results of your agents in WebArena. You can easily\n", + "* Visualize the trajectories\n", + "* Compare the performance of different agents\n", + "* Interactively select and analyze trajectories with various filters such as trajectory length " + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "!pip install zeno_client" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "import pandas as pd\n", + "import json\n", + "import os\n", + "from dotenv import load_dotenv\n", + "\n", + "import zeno_client" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "We first need to convert and combine the output `HTML` trajectories into a single `JSON` file using the `html2json` script:\n", + "Remember to change `result_folder` to the path you saved your `render_*.html`. The results will be saved to `{{result_folder}}/json_dump.json`. For example:" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "!python html2json.py --result_folder ../cache/918_text_bison_001_cot --config_json ../config_files/test.raw.json\n", + "!python html2json.py --result_folder ../cache/919_gpt35_16k_cot --config_json ../config_files/test.raw.json\n", + "!python html2json.py --result_folder ../cache/919_gpt35_16k_cot_na --config_json ../config_files/test.raw.json\n", + "!python html2json.py --result_folder ../cache/919_gpt35_16k_direct --config_json ../config_files/test.raw.json\n", + "!python html2json.py --result_folder ../cache/919_gpt35_16k_direct_na --config_json ../config_files/test.raw.json\n", + "!python html2json.py --result_folder ../cache/919_gpt4_8k_cot --config_json ../config_files/test.raw.json" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Next you will record the json file names in `RESULT_JSONS` and provide the model tag in `RESULT_NAMES`" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "RESULT_JSONS = [\n", + " \"../cache/918_text_bison_001_cot/json_dump.json\", \n", + " \"../cache/919_gpt35_16k_cot/json_dump.json\",\n", + " \"../cache/919_gpt35_16k_cot_na/json_dump.json\",\n", + " \"../cache/919_gpt35_16k_direct/json_dump.json\",\n", + " \"../cache/919_gpt35_16k_direct_na/json_dump.json\",\n", + " \"../cache/919_gpt4_8k_cot/json_dump.json\",\n", + " ]\n", + "RESULT_NAMES = [\"palm-2-cot-uahint\", \"gpt35-cot\", \"gpt35-cot-uahint\", \"gpt35-direct\", \"gpt35-direct-uahint\", \"gpt4-cot\"]" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Obtaining Data\n", + "\n", + "We can use the first results file to create the base `dataset` we'll upload to Zeno with just the initial prompt intent." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "with open(RESULT_JSONS[0], \"r\") as f:\n", + " raw_json: dict = json.load(f)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "df = pd.DataFrame(\n", + " {\n", + " \"example_id\": list(raw_json.keys()),\n", + " \"site\": [\", \".join(x[\"sites\"]) for x in raw_json.values()],\n", + " \"eval_type\": [\", \".join(x[\"eval_types\"]) for x in raw_json.values()],\n", + " \"achievable\": [x[\"achievable\"] for x in raw_json.values()],\n", + " \"context\": [\n", + " json.dumps(\n", + " [\n", + " {\n", + " \"role\": \"system\",\n", + " \"content\": row[\"intent\"],\n", + " }\n", + " ]\n", + " )\n", + " for row in raw_json.values()\n", + " ],\n", + " }\n", + ")" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Authenticate and Create a Project\n", + "\n", + "We can now create a new [Zeno](https://zenoml.com) project and upload this data.\n", + "\n", + "Create an account and API key by signing up at [Zeno Hub](https://hub.zenoml.com) and going to your [Account page](http://hub.zenoml.com/account). Save the API key in a `.env` file." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# read ZENO_API_KEY from .env file\n", + "load_dotenv(override=True)\n", + "\n", + "client = zeno_client.ZenoClient(\"os.environ.get(\"ZENO_API_KEY\")\")" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "project = client.create_project(\n", + " name=\"WebArena Tester\",\n", + " view={\n", + " \"data\": {\n", + " \"type\": \"list\",\n", + " \"elements\": {\"type\": \"message\", \"content\": {\"type\": \"markdown\"}},\n", + " \"collapsible\": \"top\",\n", + " },\n", + " \"label\": {\"type\": \"markdown\"},\n", + " \"output\": {\n", + " \"type\": \"list\",\n", + " \"elements\": {\n", + " \"type\": \"message\",\n", + " \"highlight\": True,\n", + " \"content\": {\"type\": \"markdown\"},\n", + " },\n", + " \"collapsible\": \"top\",\n", + " },\n", + " },\n", + " metrics=[\n", + " zeno_client.ZenoMetric(name=\"success\", type=\"mean\", columns=[\"success\"]),\n", + " zeno_client.ZenoMetric(\n", + " name=\"# of go backs\", type=\"mean\", columns=[\"# of go_backs\"]\n", + " ),\n", + " zeno_client.ZenoMetric(name=\"# of steps\", type=\"mean\", columns=[\"# of steps\"]),\n", + " ],\n", + ")" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "project.upload_dataset(df, id_column=\"example_id\", data_column=\"context\")" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "# Uploading Model Outputs\n", + "\n", + "We can now upload the full trajectory outputs for our models.\n", + "\n", + "If you want to display the images, you will need to upload the images to a publically accessible location and provide the URL in the `image_url` field." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "image_base_url = None" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "def format_message(row):\n", + " return_list = []\n", + " for message in row[\"messages\"]:\n", + " role = \"user\" if \"user\" in message else \"assistant\"\n", + "\n", + " if role == \"user\":\n", + " if image_base_url:\n", + " content = (\n", + " \"[![image](%s/%s)](%s/%s)\\n%s\"\n", + " % (\n", + " image_base_url,\n", + " \"/\".join(message[\"image\"].split(\"/\")[-2:]),\n", + " image_base_url,\n", + " \"/\".join(message[\"image\"].split(\"/\")[-2:]),\n", + " message[role],\n", + " )\n", + " )\n", + " else:\n", + " content = message[role]\n", + " else:\n", + " content = message[role]\n", + " return_list.append({\"role\": role, \"content\": content})\n", + " return return_list" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "def get_system_df(result_path: str):\n", + " with open(result_path, \"r\") as f:\n", + " json_input: dict = json.load(f)\n", + " return pd.DataFrame(\n", + " {\n", + " \"example_id\": list(json_input.keys()),\n", + " \"# of clicks\": [\n", + " sum(\n", + " [\n", + " 1\n", + " for x in r[\"messages\"]\n", + " if \"assistant\" in x and \"`click\" in x[\"assistant\"]\n", + " ]\n", + " )\n", + " for r in json_input.values()\n", + " ],\n", + " \"# of types\": [\n", + " sum(\n", + " [\n", + " 1\n", + " for x in r[\"messages\"]\n", + " if \"assistant\" in x and \"`type\" in x[\"assistant\"]\n", + " ]\n", + " )\n", + " for r in json_input.values()\n", + " ],\n", + " \"# of go_backs\": [\n", + " sum(\n", + " [\n", + " 1\n", + " for x in r[\"messages\"]\n", + " if \"assistant\" in x and \"`go_back\" in x[\"assistant\"]\n", + " ]\n", + " )\n", + " for r in json_input.values()\n", + " ],\n", + " \"# of steps\": [len(r[\"messages\"]) for r in json_input.values()],\n", + " \"context\": [json.dumps(format_message(row)) for row in json_input.values()],\n", + " \"success\": [r[\"success\"] for r in json_input.values()],\n", + " }\n", + " )" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "for i, system in enumerate(RESULT_JSONS):\n", + " output_df = get_system_df(system)\n", + " project.upload_system(\n", + " output_df, name=RESULT_NAMES[i], id_column=\"example_id\", output_column=\"context\"\n", + " ) " + ] + } + ], + "metadata": { + "kernelspec": { + "display_name": "zeno-build", + "language": "python", + "name": "python3" + }, + "language_info": { + "codemirror_mode": { + "name": "ipython", + "version": 3 + }, + "file_extension": ".py", + "mimetype": "text/x-python", + "name": "python", + "nbconvert_exporter": "python", + "pygments_lexer": "ipython3", + "version": "3.10.12" + } + }, + "nbformat": 4, + "nbformat_minor": 2 +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/setup.cfg b/openmanus_rl/agentgym/agentenv-webarena/webarena/setup.cfg new file mode 100644 index 00000000..aadc6ad0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/setup.cfg @@ -0,0 +1,25 @@ +[metadata] +name = webarena + +[tool.pytest.ini_options] +testpaths = ["tests"] +python_files = "test_*.py" + +[options.extras_require] +dev = + pre-commit==3.0.1 + pytest==7.1.2 + mypy==0.991 + nbmake + pytest-asyncio + types-requests + +[options] +python_requires = >=3.7, <4 +packages = + browser_env + agent + evaluation_harness + llms +[mypy] +strict = true diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/setup.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/setup.py new file mode 100644 index 00000000..7f1a1763 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/setup.py @@ -0,0 +1,4 @@ +from setuptools import setup + +if __name__ == "__main__": + setup() diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/conftest.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/conftest.py new file mode 100644 index 00000000..b5f973a3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/conftest.py @@ -0,0 +1,72 @@ +from typing import AsyncGenerator, Generator + +import pytest +import pytest_asyncio + +from browser_env import AsyncScriptBrowserEnv, ScriptBrowserEnv + +HEADLESS = True +SLOW_MO = 0 + + +@pytest.fixture(scope="function") +def script_browser_env() -> Generator[ScriptBrowserEnv, None, None]: + """Create a ScriptBrowserEnv instance for testing. + It is automatically closed after the test session. + This is helpful when the test failed and the browser is still open. + """ + env = ScriptBrowserEnv( + headless=HEADLESS, + slow_mo=SLOW_MO, + ) + yield env + env.close() + + +@pytest.fixture(scope="function") +def current_viewport_script_browser_env() -> Generator[ + ScriptBrowserEnv, None, None +]: + env = ScriptBrowserEnv( + headless=HEADLESS, + slow_mo=SLOW_MO, + current_viewport_only=True, + ) + yield env + env.close() + + +@pytest.fixture(scope="function") +def accessibility_tree_script_browser_env() -> Generator[ + ScriptBrowserEnv, None, None +]: + env = ScriptBrowserEnv( + headless=HEADLESS, + slow_mo=SLOW_MO, + observation_type="accessibility_tree", + ) + yield env + env.close() + + +@pytest.fixture(scope="function") +def accessibility_tree_current_viewport_script_browser_env() -> Generator[ + ScriptBrowserEnv, None, None +]: + env = ScriptBrowserEnv( + headless=HEADLESS, + slow_mo=SLOW_MO, + observation_type="accessibility_tree", + current_viewport_only=True, + ) + yield env + env.close() + + +@pytest_asyncio.fixture(scope="function", autouse=True) +async def async_script_browser_env() -> AsyncGenerator[ + AsyncScriptBrowserEnv, None +]: + env = AsyncScriptBrowserEnv(headless=HEADLESS, slow_mo=SLOW_MO) + yield env + await env.aclose() diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_browser_env/test_action_functionalities.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_browser_env/test_action_functionalities.py new file mode 100644 index 00000000..0bdfc0d2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_browser_env/test_action_functionalities.py @@ -0,0 +1,331 @@ +import re +from typing import Dict, Optional, Tuple, Type, Union, cast + +import pytest +from playwright.sync_api import Page, expect + +from browser_env import ( + ScriptBrowserEnv, + create_id_based_action, + create_key_press_action, + create_playwright_action, + create_scroll_action, +) + +HEADLESS = True +SLOW_MO = 0 + + +def test_frame_locator(script_browser_env: ScriptBrowserEnv) -> None: + env = script_browser_env + seq = """page.goto("https://www.littlewebhut.com/articles/html_iframe_example/") + page.frame_locator("iframe[name=\\"imgbox\\"]").get_by_role("img").click()""" + + env.reset() + for action in seq.split("\n"): + action = action.strip() + _, success, _, _, info = env.step(create_playwright_action(action)) + assert success + + +def test_basic(script_browser_env: ScriptBrowserEnv) -> None: + # click, fill, press, check, goto + env = script_browser_env + seq = """page.goto("https://demo.playwright.dev/todomvc/") + page.get_by_placeholder("What needs to be done?").click() + page.get_by_placeholder("What needs to be done?").fill("hello") + page.get_by_placeholder("What needs to be done?").press("Enter") + page.get_by_placeholder("What needs to be done?").fill("world") + page.get_by_placeholder("What needs to be done?").press("Enter") + page.get_by_placeholder("What needs to be done?").fill("yes") + page.get_by_placeholder("What needs to be done?").press("Enter") + page.get_by_placeholder("What needs to be done?").fill("no") + page.get_by_placeholder("What needs to be done?").press("Enter") + page.get_by_role("listitem").filter(has_text="world").get_by_role("checkbox", name="Toggle Todo").check() + page.get_by_role("button", name="Clear completed").click()""" + + env.reset() + for action in seq.split("\n"): + action = action.strip() + _, success, _, _, info = env.step(create_playwright_action(action)) + assert success + + +def test_hover(script_browser_env: ScriptBrowserEnv) -> None: + env = script_browser_env + seq = """page.goto("https://ianlunn.github.io/Hover/") + page.get_by_role("link", name="Download on GitHub").hover()""" + + env.reset() + for action in seq.split("\n"): + action = action.strip() + _, success, _, _, info = env.step(create_playwright_action(action)) + assert success + + +def test_select_option(script_browser_env: ScriptBrowserEnv) -> None: + env = script_browser_env + seq = """page.goto("https://russmaxdesign.github.io/exercise/#link-two") + page.get_by_role("combobox", name="Favourite mammal").select_option("African Wild Dog")""" + env.reset() + for action in seq.split("\n"): + action = action.strip() + _, success, _, _, info = env.step(create_playwright_action(action)) + assert success + + +def test_xpath(script_browser_env: ScriptBrowserEnv) -> None: + env = script_browser_env + + seq = """page.goto("https://demo.playwright.dev/todomvc/") + page.goto("https://demo.playwright.dev/todomvc/#/") + page.get_by_placeholder("What needs to be done?").click() + page.get_by_placeholder("What needs to be done?").fill("hello") + page.get_by_placeholder("What needs to be done?").press("Enter") + page.get_by_role("link", name="Completed").click() + page.locator("xpath=/html/body/section/div/header/input").fill("no") + page.get_by_placeholder("What needs to be done?").press("Enter") + page.goto("https://bic-berkeley.github.io/psych-214-fall-2016/string_literals.html") + page.locator("xpath=//*[@id=\'searchbox\']/div/form/input[1]").fill("type")""" + env.reset() + for action in seq.split("\n"): + action = action.strip() + _, success, _, _, info = env.step(create_playwright_action(action)) + assert success + + +def test_inter_page_actions( + script_browser_env: ScriptBrowserEnv, +) -> None: + env = script_browser_env + seq = """page.goto("https://demo.playwright.dev/todomvc/") + browser.new_tab() + browser.page_focus(0) + browser.page_focus(1) + page.page_close() + page.goto("https://google.com") + page.goto("https://demo.playwright.dev/todomvc/") + page.go_back() + page.go_forward()""" + env.reset() + for action in seq.split("\n"): + action = action.strip() + _, success, _, _, info = env.step(create_playwright_action(action)) + assert success + assert "https://demo.playwright.dev/todomvc" in info["page"].url + + +def test_scroll( + current_viewport_script_browser_env: ScriptBrowserEnv, +) -> None: + env = current_viewport_script_browser_env + env.reset() + _, success, _, _, _ = env.step(create_scroll_action("down")) + assert success + _, success, _, _, _ = env.step(create_scroll_action("up")) + assert success + + +def test_id_click( + accessibility_tree_current_viewport_script_browser_env: ScriptBrowserEnv, +) -> None: + env = accessibility_tree_current_viewport_script_browser_env + env.reset() + + obs, success, _, _, info = env.step( + create_playwright_action( + 'page.goto("https://russmaxdesign.github.io/exercise/")' + ) + ) + assert success + assert "link 'McKenna/Bell'" in obs["text"] + # get the id of the link + element_id = re.search(r"\[(\d+)\] link 'McKenna/Bell'", obs["text"]).group(1) # type: ignore + + obs, success, _, _, info = env.step( + create_id_based_action(f"click [{element_id}]") + ) + assert success + assert ( + info["page"].url + == "https://russmaxdesign.github.io/exercise/#link-four" + ) + + obs, success, _, _, info = env.step(create_scroll_action("down")) + assert "link 'Classification'" in obs["text"] + element_id = re.search(r"\[(\d+)\] link 'Classification'", obs["text"]).group(1) # type: ignore + + obs, success, _, _, info = env.step( + create_id_based_action(f"click [{element_id}]") + ) + assert success + assert ( + info["page"].url + == "https://russmaxdesign.github.io/exercise/#link-two" + ) + assert "radio 'Weekly'" in obs["text"] + element_id = re.search(r"\[(\d+)\] radio 'Weekly'", obs["text"]).group(1) # type: ignore + + obs, success, _, _, info = env.step( + create_id_based_action(f"click [{element_id}]") + ) + assert success + assert "radio 'Weekly'" in obs["text"] + + +def test_id_hover( + accessibility_tree_current_viewport_script_browser_env: ScriptBrowserEnv, +) -> None: + env = accessibility_tree_current_viewport_script_browser_env + env.reset() + + obs, success, _, _, info = env.step( + create_playwright_action( + 'page.goto("https://ianlunn.github.io/Hover/")' + ) + ) + assert success + assert "link 'Download on GitHub'" in obs["text"] + element_id = re.search(r"\[(\d+)\] link 'Download on GitHub'", obs["text"]).group(1) # type: ignore + + obs, success, _, _, info = env.step( + create_id_based_action(f"hover [{element_id}]") + ) + assert success + + +def test_key_press( + accessibility_tree_current_viewport_script_browser_env: ScriptBrowserEnv, +) -> None: + env = accessibility_tree_current_viewport_script_browser_env + env.reset() + + obs, success, _, _, info = env.step( + create_playwright_action( + 'page.goto("https://russmaxdesign.github.io/exercise/")' + ) + ) + assert success + assert "textbox 'Full name'" in obs["text"] + element_id = re.search(r"\[(\d+)\] textbox 'Full name'", obs["text"]).group(1) # type: ignore + s = "My Name IS XYZ" + + obs, success, _, _, info = env.step( + create_id_based_action(f"type [{element_id}] [{s}] [0]") + ) + + assert success + expect(env.page.get_by_label("Full name")).to_be_focused() + expect(env.page.get_by_label("Full name")).to_have_value(s) + + obs, success, _, _, info = env.step( + create_id_based_action("press [meta+a]") + ) + assert success + + env.page.get_by_label("Full name").type(s) + expect(env.page.get_by_label("Full name")).to_have_value(s) + + obs, success, _, _, info = env.step(create_key_press_action("Enter")) + assert success + expect(env.page.get_by_label("Email")).to_be_focused() + + +def test_id_type( + accessibility_tree_current_viewport_script_browser_env: ScriptBrowserEnv, +) -> None: + env = accessibility_tree_current_viewport_script_browser_env + env.reset() + obs, success, _, _, info = env.step( + create_playwright_action( + 'page.goto("https://russmaxdesign.github.io/exercise/")' + ) + ) + assert success + assert "textbox 'Full name'" in obs["text"] + s = "My Name IS XYZ" + element_id = re.search(r"\[(\d+)\] textbox 'Full name'", obs["text"]).group(1) # type: ignore + + obs, success, _, _, info = env.step( + create_id_based_action(f"type [{element_id}] [{s}]") + ) + assert success + locator = env.page.get_by_label("Full name") + expect(locator).to_have_value(s) + + +def test_e2e_id_based_actions( + accessibility_tree_script_browser_env: ScriptBrowserEnv, +) -> None: + env = accessibility_tree_script_browser_env + env.reset() + obs, *_ = env.step( + create_id_based_action( + "goto [https://russmaxdesign.github.io/exercise/]" + ) + ) + element_id = re.search(r"\[(\d+)\] link 'What are mammals\?'", obs["text"]).group(1) # type: ignore + obs, *_ = env.step(create_id_based_action(f"click [{element_id}]")) + element_id = re.search(r"\[(\d+)\] textbox 'Email'", obs["text"]).group(1) # type: ignore + env.step( + create_id_based_action(f"type [{element_id}] [test@gmail.com] [0]") + ) + env.step(create_id_based_action("scroll [down]")) + env.step(create_id_based_action("scroll [up]")) + env.step(create_id_based_action("new_tab")) + env.step(create_id_based_action("tab_focus [0]")) + env.step(create_id_based_action("tab_focus [1]")) + env.step(create_id_based_action("goto [https://example.com/]")) + env.step(create_id_based_action("go_back")) + x = env.step(create_id_based_action("go_forward")) + assert x[-1]["page"].url == "https://example.com/" + x = env.step(create_id_based_action("tab_focus [0]")) + assert ( + x[-1]["page"].url + == "https://russmaxdesign.github.io/exercise/#link-one" + ) + + +def test_id_delete_input( + accessibility_tree_current_viewport_script_browser_env: ScriptBrowserEnv, +) -> None: + env = accessibility_tree_current_viewport_script_browser_env + env.reset() + obs, success, _, _, info = env.step( + create_playwright_action( + 'page.goto("https://russmaxdesign.github.io/exercise/")' + ) + ) + assert success + assert "textbox 'Full name'" in obs["text"] + s = "My Name IS XYZ" + element_id = re.search(r"\[(\d+)\] textbox 'Full name'", obs["text"]).group(1) # type: ignore + + obs, success, _, _, info = env.step( + create_id_based_action(f"type [{element_id}] [{s}]") + ) + assert success + locator = env.page.get_by_label("Full name") + expect(locator).to_have_value(s) + + obs, success, _, _, info = env.step( + create_id_based_action(f"click [{element_id}]") + ) + assert success + + obs, success, _, _, info = env.step( + create_id_based_action(f"press [Meta+a]") + ) + assert success + + obs, success, _, _, info = env.step( + create_id_based_action("press [backspace]") + ) + assert success + + new_s = "NEW" + obs, success, _, _, info = env.step( + create_id_based_action(f"type [{element_id}] [{new_s}]") + ) + locator = env.page.get_by_label("Full name") + expect(locator).to_have_value(new_s) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_browser_env/test_actions.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_browser_env/test_actions.py new file mode 100644 index 00000000..332a32bd --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_browser_env/test_actions.py @@ -0,0 +1,87 @@ +import numpy as np + +from browser_env import * + + +def test_is_equivalent() -> None: + for action_type in ActionTypes.__members__.values(): + action_a = create_random_action() + action_b = create_random_action() + if action_a["action_type"] != action_b["action_type"]: + assert not is_equivalent(action_a, action_b) + action_a["action_type"] = action_type + action_b["action_type"] = action_type + match action_type: + case ActionTypes.MOUSE_CLICK | ActionTypes.MOUSE_HOVER: + if not np.allclose(action_a["coords"], action_b["coords"]): + assert not is_equivalent(action_a, action_b) + action_a["coords"] = action_b["coords"] + assert is_equivalent(action_a, action_b) + case ActionTypes.KEYBOARD_TYPE: + if action_a["text"] != action_b["text"]: + assert not is_equivalent(action_a, action_b) + action_a["text"] = action_b["text"] + assert is_equivalent(action_a, action_b) + case ActionTypes.CLICK | ActionTypes.HOVER | ActionTypes.TYPE: + if action_a["element_id"] and action_b["element_id"]: + if action_a["element_id"] != action_b["element_id"]: + assert not is_equivalent(action_a, action_b) + action_a["element_id"] = action_b["element_id"] + assert is_equivalent(action_a, action_b) + elif action_a["element_id"] and action_b["element_id"]: + if action_a["element_role"] != action_b["element_role"]: + assert not is_equivalent(action_a, action_b) + action_a["element_role"] = action_b["element_role"] + if action_a["element_name"] != action_b["element_name"]: + assert not is_equivalent(action_a, action_b) + action_a["element_name"] = action_b["element_name"] + assert is_equivalent(action_a, action_b) + elif action_a["pw_code"] and action_b["pw_code"]: + if action_a["pw_code"] != action_b["pw_code"]: + assert not is_equivalent(action_a, action_b) + action_a["pw_code"] = action_b["pw_code"] + assert is_equivalent(action_a, action_b) + else: + action_a["element_id"] = action_b["element_id"] + assert is_equivalent(action_a, action_b) + case ActionTypes.GOTO_URL: + if action_a["url"] != action_b["url"]: + assert not is_equivalent(action_a, action_b) + action_a["url"] = action_b["url"] + assert is_equivalent(action_a, action_b) + case ActionTypes.PAGE_FOCUS: + if action_a["page_number"] != action_b["page_number"]: + assert not is_equivalent(action_a, action_b) + action_a["page_number"] = action_b["page_number"] + assert is_equivalent(action_a, action_b) + case ActionTypes.SCROLL: + da = "up" if "up" in action_a["direction"] else "down" + db = "up" if "up" in action_b["direction"] else "down" + if da != db: + assert not is_equivalent(action_a, action_b) + action_a["direction"] = action_b["direction"] + assert is_equivalent(action_a, action_b) + case ActionTypes.KEY_PRESS: + if action_a["key_comb"] != action_b["key_comb"]: + assert not is_equivalent(action_a, action_b) + action_a["key_comb"] = action_b["key_comb"] + assert is_equivalent(action_a, action_b) + case ActionTypes.CHECK | ActionTypes.SELECT_OPTION: + if action_a["pw_code"] != action_b["pw_code"]: + assert not is_equivalent(action_a, action_b) + action_a["pw_code"] = action_b["pw_code"] + assert is_equivalent(action_a, action_b) + case ActionTypes.STOP: + if action_a["answer"] != action_b["answer"]: + assert not is_equivalent(action_a, action_b) + action_a["answer"] = action_b["answer"] + assert is_equivalent(action_a, action_b) + case _: + assert is_equivalent(action_a, action_b) + + +def test_action2create_function() -> None: + for _ in range(1000): + action = create_random_action() + create_function = action2create_function(action) + assert is_equivalent(action, eval(create_function)) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_browser_env/test_auth_cookie.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_browser_env/test_auth_cookie.py new file mode 100644 index 00000000..2456a7ae --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_browser_env/test_auth_cookie.py @@ -0,0 +1,67 @@ +import asyncio +import json + +from browser_env import * + +auth_json = { + "cookies": [ + { + "name": "session-username", + "value": "standard_user", + "domain": "www.saucedemo.com", + "path": "/", + "httpOnly": False, + "secure": False, + "sameSite": "Lax", + } + ], + "origins": [], +} + + +def test_auth_cookie() -> None: + env = ScriptBrowserEnv() + env.reset() + _, reward, _, _, info = env.step( + create_goto_url_action("https://www.saucedemo.com/inventory.html"), + ) + assert reward == 1 + assert "page" in info and isinstance(info["page"], DetachedPage) + assert info["page"].url == "https://www.saucedemo.com/" + json.dump(auth_json, open("/tmp/auth.json", "w")) + instance_config = {"storage_state": "/tmp/auth.json"} + json.dump(instance_config, open("/tmp/config.json", "w")) + env.reset(options={"config_file": "/tmp/config.json"}) + _, reward, _, _, info = env.step( + create_goto_url_action("https://www.saucedemo.com/inventory.html"), + ) + assert reward == 1 + assert "page" in info and isinstance(info["page"], DetachedPage) + assert info["page"].url == "https://www.saucedemo.com/inventory.html" + env.close() + + +def test_async_auth_cookie() -> None: + env = AsyncScriptBrowserEnv() + + async def _test() -> None: + await env.areset() + _, reward, _, _, info = await env.astep( + create_goto_url_action("https://www.saucedemo.com/inventory.html"), + ) + assert reward == 1 + assert "page" in info and isinstance(info["page"], DetachedPage) + assert info["page"].url == "https://www.saucedemo.com/" + json.dump(auth_json, open("/tmp/auth.json", "w")) + instance_config = {"storage_state": "/tmp/auth.json"} + json.dump(instance_config, open("/tmp/config.json", "w")) + await env.areset(options={"config_file": "/tmp/config.json"}) + _, reward, _, _, info = await env.astep( + create_goto_url_action("https://www.saucedemo.com/inventory.html"), + ) + assert reward == 1 + assert "page" in info and isinstance(info["page"], DetachedPage) + assert info["page"].url == "https://www.saucedemo.com/inventory.html" + await env.aclose() + + asyncio.run(_test()) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_browser_env/test_playwright_actions.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_browser_env/test_playwright_actions.py new file mode 100644 index 00000000..ce55eeb5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_browser_env/test_playwright_actions.py @@ -0,0 +1,89 @@ +from typing import Dict, Generator, Optional, Tuple, Type, Union, cast + +import pytest +from playwright.sync_api import Page + +from browser_env import ScriptBrowserEnv, create_playwright_action + +HEADLESS = True +SLOW_MO = 0 + + +def test_frame_locator(script_browser_env: ScriptBrowserEnv) -> None: + env = script_browser_env + seq = """page.goto("https://www.littlewebhut.com/articles/html_iframe_example/") + page.frame_locator("iframe[name=\\"imgbox\\"]").get_by_role("img").click()""" + + env.reset() + for action in seq.split("\n"): + action = action.strip() + _, success, _, _, info = env.step(create_playwright_action(action)) + assert success + + +def test_basic(script_browser_env: ScriptBrowserEnv) -> None: + # click, fill, press, check, goto + env = script_browser_env + seq = """page.goto("https://demo.playwright.dev/todomvc/") + page.get_by_placeholder("What needs to be done?").click() + page.get_by_placeholder("What needs to be done?").fill("hello") + page.get_by_placeholder("What needs to be done?").press("Enter") + page.get_by_placeholder("What needs to be done?").fill("world") + page.get_by_placeholder("What needs to be done?").press("Enter") + page.get_by_placeholder("What needs to be done?").fill("yes") + page.get_by_placeholder("What needs to be done?").press("Enter") + page.get_by_placeholder("What needs to be done?").fill("no") + page.get_by_placeholder("What needs to be done?").press("Enter") + page.get_by_role("listitem").filter(has_text="world").get_by_role("checkbox", name="Toggle Todo").check() + page.get_by_role("button", name="Clear completed").click()""" + + env.reset() + for action in seq.split("\n"): + action = action.strip() + _, success, _, _, info = env.step(create_playwright_action(action)) + assert success + + +@pytest.mark.skip(reason="not important, but the site is flaky") +def test_hover(script_browser_env: ScriptBrowserEnv) -> None: + env = script_browser_env + seq = """page.goto("https://www.w3schools.com/cssref/tryit.php?filename=trycss_sel_hover") + page.frame_locator("iframe[name=\\'iframeResult\\']").get_by_role("link", name="w3schools.com").hover()""" + + env.reset() + for action in seq.split("\n"): + action = action.strip() + _, success, _, _, info = env.step(create_playwright_action(action)) + assert success + + +@pytest.mark.skip(reason="not important, but the site is flaky") +def test_select_option(script_browser_env: ScriptBrowserEnv) -> None: + env = script_browser_env + seq = """page.goto("https://www.w3schools.com/tags/tryit.asp?filename=tryhtml_select") + page.frame_locator("iframe[name=\\'iframeResult\\']").get_by_role("combobox", name="Choose a car:").select_option("opel")""" + + env.reset() + for action in seq.split("\n"): + action = action.strip() + _, success, _, _, info = env.step(create_playwright_action(action)) + assert success + + +def test_xpath(script_browser_env: ScriptBrowserEnv) -> None: + env = script_browser_env + seq = """page.goto("https://demo.playwright.dev/todomvc/") + page.goto("https://demo.playwright.dev/todomvc/#/") + page.get_by_placeholder("What needs to be done?").click() + page.get_by_placeholder("What needs to be done?").fill("hello") + page.get_by_placeholder("What needs to be done?").press("Enter") + page.get_by_role("link", name="Completed").click() + page.locator("xpath=/html/body/section/div/header/input").fill("no") + page.get_by_placeholder("What needs to be done?").press("Enter") + page.goto("https://bic-berkeley.github.io/psych-214-fall-2016/string_literals.html") + page.locator("xpath=//*[@id=\'searchbox\']/div/form/input[1]").fill("type")""" + env.reset() + for action in seq.split("\n"): + action = action.strip() + _, success, _, _, info = env.step(create_playwright_action(action)) + assert success diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_browser_env/test_script_browser_env.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_browser_env/test_script_browser_env.py new file mode 100644 index 00000000..33a78861 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_browser_env/test_script_browser_env.py @@ -0,0 +1,278 @@ +import asyncio +import collections +import json +import tempfile +from typing import Callable, Dict, Optional, Tuple, Type, Union, cast + +import pytest +from gymnasium.vector import AsyncVectorEnv +from playwright.sync_api import Page + +from browser_env import ( + Action, + AsyncScriptBrowserEnv, + DetachedPage, + ScriptBrowserEnv, + create_focus_and_click_action, + create_goto_url_action, + create_keyboard_type_action, + create_playwright_action, + create_scroll_action, +) +from browser_env.actions import create_id_based_action +from browser_env.env_config import ( + ACCOUNTS, + GITLAB, + REDDIT, + SHOPPING, + SHOPPING_ADMIN, +) + + +def test_script_browser_env(script_browser_env: ScriptBrowserEnv) -> None: + env = script_browser_env + env.reset() + env.step( + create_goto_url_action("http://www.example.com"), + ) + env.step( + create_focus_and_click_action( + element_role="link", + element_name="More", + ), + ) + _, _, _, _, info = env.step( + create_focus_and_click_action( + element_role="link", + element_name="2606", + ) + ) + assert isinstance(info["page"], DetachedPage) + assert info["page"].url == "https://www.rfc-editor.org/rfc/rfc2606.html" + + +@pytest.mark.asyncio +async def test_async_script_browser_env( + async_script_browser_env: AsyncScriptBrowserEnv, +) -> None: + env = async_script_browser_env + await env.areset() + await env.astep( + create_goto_url_action("http://www.example.com"), + ) + await env.astep( + create_focus_and_click_action( + element_role="link", + element_name="More", + ), + ) + _, _, _, _, info = await env.astep( + create_focus_and_click_action( + element_role="link", + element_name="2606", + ) + ) + assert isinstance(info["page"], DetachedPage) + assert info["page"].url == "https://www.rfc-editor.org/rfc/rfc2606.html" + + +def collate_actions(actions: list[Action]) -> dict[str, list[object]]: + action_dict = collections.defaultdict(list) + for action in actions: + for key, value in action.items(): + action_dict[key].append(value) + return action_dict + + +@pytest.mark.skip(reason="Gym doesn't support self-defined observations") +def test_parallel_script_browser_env() -> None: + vector_env = AsyncVectorEnv( + [ + lambda: ScriptBrowserEnv(), + lambda: ScriptBrowserEnv(), + ], + shared_memory=True, + ) + vector_env.reset() + vector_env.step( + collate_actions( + [ + create_goto_url_action("http://www.example.com"), + ] + * 2 + ) + ) + vector_env.step( + collate_actions( + [ + create_focus_and_click_action( + element_role="link", + element_name="More", + ), + ] + * 2 + ) + ) + _, _, _, _, info = vector_env.step( + collate_actions( + [ + create_focus_and_click_action( + element_role="link", + element_name="2606", + ), + create_focus_and_click_action( + element_role="link", + element_name="6761", + ), + ] + ) + ) + # assert is_bearable(info["page"].tolist(), list[DetachedPage]) + assert info["page"][0].url == "https://www.rfc-editor.org/rfc/rfc2606.html" + assert info["page"][1].url == "https://www.rfc-editor.org/rfc/rfc6761.html" + vector_env.close() # type: ignore[no-untyped-call] + + +def test_focus_placeholder_and_label( + script_browser_env: ScriptBrowserEnv, +) -> None: + env = script_browser_env + env.reset() + for action in [ + create_goto_url_action("https://demo.applitools.com"), + create_focus_and_click_action("placeholder", "Enter your username"), + create_keyboard_type_action("abc"), + create_focus_and_click_action("placeholder", "Enter your password"), + create_keyboard_type_action("123"), + create_focus_and_click_action("label", "Remember Me"), + create_focus_and_click_action("link", "Sign in"), + ]: + _, success, _, _, info = env.step(action) + assert success + assert info["page"].url == "https://demo.applitools.com/app.html" + + +def test_html_current_viewport( + current_viewport_script_browser_env: ScriptBrowserEnv, +) -> None: + s1 = "detailed information about how mammals could be classified." + s2 = "Types of mammals" + env = current_viewport_script_browser_env + env.reset() + obs, success, _, _, info = env.step( + create_playwright_action( + 'page.goto("https://russmaxdesign.github.io/exercise/")' + ) + ) + assert success + assert s1 in obs["text"] and s2 not in obs["text"] + obs, success, _, _, info = env.step(create_scroll_action("down")) + assert success + assert s1 not in obs["text"] and s2 in obs["text"] + + +def test_accessibility_tree( + accessibility_tree_script_browser_env: ScriptBrowserEnv, +) -> None: + s1 = "checkbox 'Yes'" + s2 = "button 'Submit'" + env = accessibility_tree_script_browser_env + env.reset() + obs, success, _, _, info = env.step( + create_playwright_action( + 'page.goto("https://russmaxdesign.github.io/exercise/")' + ) + ) + assert success + assert s1 in obs["text"] and s2 in obs["text"] + + +def test_accessibility_tree_viewport( + accessibility_tree_current_viewport_script_browser_env: ScriptBrowserEnv, +) -> None: + s1 = "combobox 'Favourite mammal'" + s2 = "gridcell 'Canyon bat'" + s3 = "heading 'Useful links'" + env = accessibility_tree_current_viewport_script_browser_env + env.reset() + + obs, success, _, _, info = env.step( + create_playwright_action( + 'page.goto("https://russmaxdesign.github.io/exercise/")' + ) + ) + assert success + assert ( + s1 in obs["text"] and s2 not in obs["text"] and s3 not in obs["text"] + ) + obs, success, _, _, info = env.step(create_scroll_action("down")) + assert success + assert ( + s1 not in obs["text"] and s2 in obs["text"] and s3 not in obs["text"] + ) + + obs, success, _, _, info = env.step(create_scroll_action("down")) + assert success + assert s1 not in obs["text"] and s2 in obs["text"] and s3 in obs["text"] + + +def test_multiple_start_url(script_browser_env: ScriptBrowserEnv) -> None: + temp_config = tempfile.NamedTemporaryFile("w", delete=False) + config = { + "require_login": False, + "start_url": f"{REDDIT} |AND| {REDDIT}/forums", + } + json.dump(config, temp_config) + temp_config.close() + + env = script_browser_env + env.reset(options={"config_file": temp_config.name}) + assert len(env.context.pages) == 2 + assert env.context.pages[0].url == f"{REDDIT}/" + assert env.context.pages[1].url == f"{REDDIT}/forums", env.context.pages[ + 1 + ].url + + +def test_observation_tab_information( + accessibility_tree_current_viewport_script_browser_env: ScriptBrowserEnv, +) -> None: + env = accessibility_tree_current_viewport_script_browser_env + env.reset() + obs, *_ = env.step( + create_id_based_action( + "goto [https://russmaxdesign.github.io/exercise/]" + ) + ) + obs, *_ = env.step(create_id_based_action("new_tab")) + + obs, *_ = env.step( + create_id_based_action("goto [https:///www.google.com]") + ) + assert obs["text"].startswith( # type: ignore[union-attr] + "Tab 0: Exercise page for keyboard and screen reader use | Tab 1 (current): Google" + ) + + obs, *_ = env.step(create_id_based_action("tab_focus [0]")) + + assert obs["text"].startswith( # type: ignore[union-attr] + "Tab 0 (current): Exercise page for keyboard and screen reader use | Tab 1: Google" + ) + + +def test_accessibility_tree_observation_update( + accessibility_tree_current_viewport_script_browser_env: ScriptBrowserEnv, +) -> None: + env = accessibility_tree_current_viewport_script_browser_env + env.reset() + obs, *_ = env.step( + create_playwright_action( + "page.goto('https://russmaxdesign.github.io/exercise/')" + ) + ) + obs, *_ = env.step( + create_playwright_action( + 'page.get_by_label("Full name").fill("UNIQUE_NAME")' + ) + ) + assert "UNIQUE_NAME" in obs["text"] diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/func_eval_fail.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/func_eval_fail.json new file mode 100644 index 00000000..0ffdd0ab --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/func_eval_fail.json @@ -0,0 +1,29 @@ +{ + "sites": ["shopping"], + "task_id": 0, + "require_login": true, + "storage_state": null, + "start_url": null, + "geolocation": null, + "intent_template": "", + "instantiation_dict": {}, + "intent": "", + "require_reset": false, + "eval": { + "eval_types": ["program_html"], + "reference_answers": [], + "reference_url": "", + "program_html": [ + { + "url": "last", + "required_contents": {"must_include": ["80"]}, + "locator": "func:shopping_get_sku_latest_review_rating('B09BCM56J7')" + }, + { + "url": "last", + "required_contents": {"must_include": ["cupcakecupcake"]}, + "locator": "func:shopping_get_sku_latest_review_author('B09BCM56J7')" + } + ] + } +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/func_eval_success.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/func_eval_success.json new file mode 100644 index 00000000..d3d3df88 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/func_eval_success.json @@ -0,0 +1,29 @@ +{ + "sites": ["shopping"], + "task_id": 0, + "require_login": true, + "storage_state": null, + "start_url": null, + "geolocation": null, + "intent_template": "", + "instantiation_dict": {}, + "intent": "", + "require_reset": false, + "eval": { + "eval_types": ["program_html"], + "reference_answers": [], + "reference_url": "", + "program_html": [ + { + "url": "last", + "required_contents": {"must_include": ["100"]}, + "locator": "func:shopping_get_sku_latest_review_rating('B09BCM56J7')" + }, + { + "url": "last", + "required_contents": {"must_include": ["cupcakecupcake"]}, + "locator": "func:shopping_get_sku_latest_review_author('B09BCM56J7')" + } + ] + } +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/func_url_func_1.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/func_url_func_1.json new file mode 100644 index 00000000..993a2463 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/func_url_func_1.json @@ -0,0 +1,24 @@ +{ + "sites": ["shopping"], + "task_id": 0, + "require_login": true, + "storage_state": null, + "start_url": null, + "geolocation": null, + "intent_template": "", + "instantiation_dict": {}, + "intent": "", + "require_reset": false, + "eval": { + "eval_types": ["program_html"], + "reference_answers": [], + "reference_url": "", + "program_html": [ + { + "url": "func:reddit_get_post_url('__last_url__')", + "locator": "document.querySelector('.submission__inner').outerText", + "required_contents": {"must_include": ["How will SPY close on Monday 11/28"]} + } + ] + } +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/func_url_func_2.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/func_url_func_2.json new file mode 100644 index 00000000..b29ba21f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/func_url_func_2.json @@ -0,0 +1,33 @@ +{ + "sites": [ + "shopping" + ], + "task_id": 0, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": null, + "geolocation": null, + "intent_template": "", + "instantiation_dict": {}, + "intent": "", + "require_reset": false, + "eval": { + "eval_types": [ + "program_html" + ], + "reference_answers": [], + "reference_url": "", + "program_html": [ + { + "url": "__GITLAB__/primer/design/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'byteblaze')", + "required_contents": {"must_include": ["Developer"]} + }, + { + "url": "__GITLAB__/primer/design/-/project_members", + "locator": "func:gitlab_get_project_memeber_role(__page__, 'primer')", + "required_contents": {"must_include": ["Owner"]} + } + ] + } +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/html_content_element_exact_match.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/html_content_element_exact_match.json new file mode 100644 index 00000000..66080395 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/html_content_element_exact_match.json @@ -0,0 +1,29 @@ +{ + "sites": ["gitlab"], + "task_id": 0, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": null, + "geolocation": null, + "intent_template": "", + "instantiation_dict": {}, + "intent": "", + "require_reset": false, + "eval": { + "eval_types": ["program_html"], + "reference_answers": [], + "reference_url": "", + "program_html": [ + { + "url": "last", + "required_contents": {"must_include": ["Hello World"]}, + "locator": "document.querySelector('[id=\"form-name\"').value" + }, + { + "url": "last", + "required_contents": {"must_include": ["alexisxy@hotmail.com"]}, + "locator": "document.querySelector('[id=\"form-email\"').value" + } + ] + } +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/html_content_exact_match.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/html_content_exact_match.json new file mode 100644 index 00000000..6ea7951a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/html_content_exact_match.json @@ -0,0 +1,29 @@ +{ + "sites": ["gitlab"], + "task_id": 0, + "require_login": true, + "storage_state": "./.auth/gitlab_state.json", + "start_url": null, + "geolocation": null, + "intent_template": "", + "instantiation_dict": {}, + "intent": "", + "require_reset": false, + "eval": { + "eval_types": ["program_html"], + "reference_answers": [], + "reference_url": "", + "program_html": [ + { + "url": "last", + "required_contents": {"must_include": ["What are mammals?"]}, + "locator": "" + }, + { + "url": "https://www.google.com/", + "required_contents": {"must_include": ["Google Search"]}, + "locator": "" + } + ] + } +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/html_content_url_comb.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/html_content_url_comb.json new file mode 100644 index 00000000..514817bc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/html_content_url_comb.json @@ -0,0 +1,30 @@ +{ + "sites": ["gitlab"], + "task_id": 0, + "require_login": true, + "storage_state": null, + "start_url": null, + "geolocation": null, + "intent_template": "", + "instantiation_dict": {}, + "intent": "", + "require_reset": false, + "eval": { + "eval_types": ["program_html", "url_match"], + "reference_answers": [], + "reference_url": "https://russmaxdesign.github.io/", + "url_note": "GOLD in PRED", + "program_html": [ + { + "url": "last", + "required_contents": {"must_include": ["Hello World"]}, + "locator": "document.querySelector('[id=\"form-name\"').value" + }, + { + "url": "last", + "required_contents": {"must_include": ["alexisxy@hotmail.com"]}, + "locator": "document.querySelector('[id=\"form-email\"').value" + } + ] + } +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/string_match.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/string_match.json new file mode 100644 index 00000000..152763e7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/string_match.json @@ -0,0 +1,20 @@ +{ + "sites": ["reddit"], + "task_id": 0, + "require_login": true, + "storage_state": "./.auth/reddit_state.json", + "start_url": null, + "geolocation": null, + "intent_template": "", + "instantiation_dict": {}, + "intent": "", + "require_reset": false, + "eval": { + "eval_types": ["string_match"], + "reference_answers": { + "must_include": ["1985/04/18"] + }, + "reference_url": "", + "program_html": null + } +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/url_exact_match.json b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/url_exact_match.json new file mode 100644 index 00000000..1c29f4d7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/configs/url_exact_match.json @@ -0,0 +1,23 @@ +{ + "sites": ["reddit"], + "task_id": 0, + "require_login": true, + "storage_state": null, + "start_url": null, + "geolocation": null, + "intent_template": "", + "instantiation_dict": {}, + "intent": "", + "require_reset": false, + "eval": { + "eval_types": ["url_match"], + "reference_answers": [], + "reference_url": "https://www.google.com/", + "program_html": [ + { + "url": "", + "required_contents": [] + } + ] + } +} diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/test_evaluators.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/test_evaluators.py new file mode 100644 index 00000000..bef0db67 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/test_evaluators.py @@ -0,0 +1,347 @@ +import json +import os +import random +from glob import glob +from pathlib import Path +from typing import Any + +import pytest +from py import test + +from agent import Agent, TeacherForcingAgent +from browser_env import ActionTypes, ScriptBrowserEnv +from browser_env.env_config import * +from evaluation_harness import ( + HTMLContentEvaluator, + StringEvaluator, + URLEvaluator, +) +from evaluation_harness.evaluators import EvaluatorComb + +IN_GITHUB_ACTIONS = os.getenv("GITHUB_ACTIONS") == "true" +HEADLESS = True +config_file_folder = "tests/test_evaluation_harness/configs" + + +def tf_roll_out( + agent: Agent, env: ScriptBrowserEnv, config_file: str +) -> list[Any]: + """Roll out the agent using teacher forcing actions""" + obs, state_info = env.reset(options={"config_file": config_file}) + + trajectory: list[Any] = [{"observation": obs, "info": state_info}] + while True: + action = agent.next_action( + trajectory=trajectory, intent="", meta_data={} + ) + trajectory.append(action) + if action["action_type"] == ActionTypes.STOP: + break + + # preceed to next action + obs, reward, terminated, truncated, info = env.step(action) + state_info = {"observation": obs, "info": info} + trajectory.append(state_info) + + return trajectory + + +def test_string_match_success( + script_browser_env: ScriptBrowserEnv, +) -> None: + config_file = f"{config_file_folder}/string_match.json" + + agent = TeacherForcingAgent() + agent.set_action_set_tag(tag="playwright") + action_seq = """page.stop("The date is 1985/04/18")""" + agent.set_actions(action_seq) + + env = script_browser_env + trajectory = tf_roll_out(agent, env, config_file) + + evalutor = StringEvaluator() + score = evalutor( + trajectory, config_file, env.page, env.get_page_client(env.page) + ) + + assert score == 1.0 + + +def test_string_match_fail(script_browser_env: ScriptBrowserEnv) -> None: + config_file = f"{config_file_folder}/string_match.json" + + agent = TeacherForcingAgent() + agent.set_action_set_tag(tag="playwright") + action_seq = """page.stop("The date is 1936/04/18")""" + agent.set_actions(action_seq) + + env = script_browser_env + trajectory = tf_roll_out(agent, env, config_file) + + evalutor = StringEvaluator() + score = evalutor( + trajectory, config_file, env.page, env.get_page_client(env.page) + ) + + assert score == 0.0 + + +def test_url_exact_match_success(script_browser_env: ScriptBrowserEnv) -> None: + config_file = f"{config_file_folder}/url_exact_match.json" + + agent = TeacherForcingAgent() + agent.set_action_set_tag(tag="playwright") + action_seq = f"""page.goto("https://www.google.com/") + page.stop()""" + agent.set_actions(action_seq) + + env = script_browser_env + + trajectory = tf_roll_out(agent, env, config_file) + + evalutor = URLEvaluator() + score = evalutor( + trajectory, config_file, env.page, env.get_page_client(env.page) + ) + assert score == 1.0 + + +def test_url_exact_match_fail(script_browser_env: ScriptBrowserEnv) -> None: + config_file = f"{config_file_folder}/url_exact_match.json" + + agent = TeacherForcingAgent() + agent.set_action_set_tag(tag="playwright") + action_seq = f"""page.goto("{GITLAB}") + page.stop()""" + agent.set_actions(action_seq) + + env = script_browser_env + + trajectory = tf_roll_out(agent, env, config_file) + + evalutor = URLEvaluator() + score = evalutor( + trajectory, config_file, env.page, env.get_page_client(env.page) + ) + print(env.page.url) + assert score == 0.0 + + +def test_html_content_match_success( + script_browser_env: ScriptBrowserEnv, +) -> None: + config_file = f"{config_file_folder}/html_content_exact_match.json" + + # randomly sample a string + agent = TeacherForcingAgent() + agent.set_action_set_tag(tag="playwright") + action_seq = f"""page.goto("https://russmaxdesign.github.io/exercise") + page.stop()""" + agent.set_actions(action_seq) + + env = script_browser_env + + trajectory = tf_roll_out(agent, env, config_file) + + evalutor = HTMLContentEvaluator() + score = evalutor( + trajectory, config_file, env.page, env.get_page_client(env.page) + ) + assert score == 1.0 + + +def test_html_content_match_fail(script_browser_env: ScriptBrowserEnv) -> None: + config_file = f"{config_file_folder}/html_content_exact_match.json" + + # randomly sample a string + agent = TeacherForcingAgent() + agent.set_action_set_tag(tag="playwright") + action_seq = """page.goto("https://www.google.com/") + page.stop()""" + agent.set_actions(action_seq) + + env = script_browser_env + + trajectory = tf_roll_out(agent, env, config_file) + + evalutor = HTMLContentEvaluator() + score = evalutor( + trajectory, config_file, env.page, env.get_page_client(env.page) + ) + assert score == 0.0 + + +def test_html_content_element_match_success( + script_browser_env: ScriptBrowserEnv, +) -> None: + config_file = f"{config_file_folder}/html_content_element_exact_match.json" + + agent = TeacherForcingAgent() + agent.set_action_set_tag(tag="playwright") + action_seq = f"""page.goto("https://russmaxdesign.github.io/exercise/") + page.get_by_label("Full name").fill("Hello World") + page.get_by_label("Email").click() + page.get_by_label("Email").fill("alexisxy@hotmail.com") + page.stop()""" + agent.set_actions(action_seq) + + env = script_browser_env + + trajectory = tf_roll_out(agent, env, config_file) + + evalutor = HTMLContentEvaluator() + score = evalutor( + trajectory, config_file, env.page, env.get_page_client(env.page) + ) + assert score == 1.0 + + +def test_html_content_element_match_fail( + script_browser_env: ScriptBrowserEnv, +) -> None: + config_file = f"{config_file_folder}/html_content_element_exact_match.json" + + agent = TeacherForcingAgent() + agent.set_action_set_tag(tag="playwright") + action_seq = f"""page.goto("https://russmaxdesign.github.io/exercise/") + page.get_by_label("Full name").fill("Hello") + page.get_by_label("Email").click() + page.get_by_label("Email").fill("alexisxy@hotmail.com") + page.stop()""" + agent.set_actions(action_seq) + + env = script_browser_env + + trajectory = tf_roll_out(agent, env, config_file) + + evalutor = HTMLContentEvaluator() + score = evalutor( + trajectory, config_file, env.page, env.get_page_client(env.page) + ) + assert score == 0.0 + + +def test_html_content_url_comb_success( + script_browser_env: ScriptBrowserEnv, +) -> None: + config_file = f"{config_file_folder}/html_content_url_comb.json" + + agent = TeacherForcingAgent() + agent.set_action_set_tag(tag="playwright") + action_seq = f"""page.goto("https://russmaxdesign.github.io/exercise/") + page.get_by_label("Full name").fill("Hello World") + page.get_by_label("Email").click() + page.get_by_label("Email").fill("alexisxy@hotmail.com") + page.stop()""" + agent.set_actions(action_seq) + + env = script_browser_env + + trajectory = tf_roll_out(agent, env, config_file) + + evaluators = EvaluatorComb([URLEvaluator(), HTMLContentEvaluator()]) + score = evaluators( + trajectory, config_file, env.page, env.get_page_client(env.page) + ) + assert score == 1.0 + + +@pytest.mark.skipif( + IN_GITHUB_ACTIONS, reason="Won't work using the demo sites" +) +def test_func_success( + script_browser_env: ScriptBrowserEnv, +) -> None: + config_file = f"{config_file_folder}/func_eval_success.json" + + agent = TeacherForcingAgent() + agent.set_action_set_tag(tag="playwright") + action_seq = f"""page.stop()""" + agent.set_actions(action_seq) + + env = script_browser_env + trajectory = tf_roll_out(agent, env, config_file) + + evalutor = HTMLContentEvaluator() + score = evalutor( + trajectory, config_file, env.page, env.get_page_client(env.page) + ) + assert score == 1.0 + + +@pytest.mark.skipif( + IN_GITHUB_ACTIONS, reason="Won't work using the demo sites" +) +def test_func_fail( + script_browser_env: ScriptBrowserEnv, +) -> None: + config_file = f"{config_file_folder}/func_eval_fail.json" + + agent = TeacherForcingAgent() + agent.set_action_set_tag(tag="playwright") + action_seq = f"""page.stop()""" + agent.set_actions(action_seq) + + env = script_browser_env + trajectory = tf_roll_out(agent, env, config_file) + + evalutor = HTMLContentEvaluator() + score = evalutor( + trajectory, config_file, env.page, env.get_page_client(env.page) + ) + assert score == 0.0 + + +def test_func_url_func_last_success( + script_browser_env: ScriptBrowserEnv, +) -> None: + config_file = f"{config_file_folder}/func_url_func_1.json" + + agent = TeacherForcingAgent() + agent.set_action_set_tag(tag="playwright") + action_seq = f"""page.goto("{REDDIT}/f/wallstreetbets/50431/-/comment/676875") + page.stop()""" + agent.set_actions(action_seq) + + env = script_browser_env + trajectory = tf_roll_out(agent, env, config_file) + + evalutor = HTMLContentEvaluator() + score = evalutor( + trajectory, config_file, env.page, env.get_page_client(env.page) + ) + assert score == 1.0 + + +def test_func_url_func_page_success( + script_browser_env: ScriptBrowserEnv, +) -> None: + config_file = f"{config_file_folder}/func_url_func_2.json" + + # change the URL placeholder with the concrete URL + with open(config_file, "r") as f: + configs = json.load(f) + configs["eval"]["program_html"][0]["url"] = configs["eval"][ + "program_html" + ][0]["url"].replace("__GITLAB__", GITLAB) + configs["eval"]["program_html"][1]["url"] = configs["eval"][ + "program_html" + ][1]["url"].replace("__GITLAB__", GITLAB) + tmp_config = config_file.replace(".json", ".tmp.json") + with open(tmp_config, "w+") as f: + json.dump(configs, f, indent=4) + + agent = TeacherForcingAgent() + agent.set_action_set_tag(tag="playwright") + action_seq = f"""page.stop()""" + agent.set_actions(action_seq) + + env = script_browser_env + trajectory = tf_roll_out(agent, env, tmp_config) + + evalutor = HTMLContentEvaluator() + score = evalutor( + trajectory, tmp_config, env.page, env.get_page_client(env.page) + ) + assert score == 1.0 + os.remove(tmp_config) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/test_helper_functions.py b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/test_helper_functions.py new file mode 100644 index 00000000..bd671b93 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/tests/test_evaluation_harness/test_helper_functions.py @@ -0,0 +1,31 @@ +import json +import os +from pathlib import Path + +from browser_env import ScriptBrowserEnv +from browser_env.env_config import * +from evaluation_harness.helper_functions import ( + gitlab_get_project_memeber_role, +) + +HEADLESS = True +config_file_folder = "tests/test_evaluation_harness/configs" + + +def test_gitlab_get_project_memeber_role( + script_browser_env: ScriptBrowserEnv, +) -> None: + env = script_browser_env + config_file = f"{config_file_folder}/tmp_config.json" + + with open(config_file, "w") as f: + json.dump({"storage_state": ".auth/gitlab_state.json"}, f) + env.reset(options={"config_file": config_file}) + env.page.goto(f"{GITLAB}/primer/design/-/project_members") + role1 = gitlab_get_project_memeber_role(env.page, "byteblaze") + assert role1 == "Developer" + role2 = gitlab_get_project_memeber_role(env.page, "primer") + assert role2 == "Owner" + + # remove tmp config file + os.remove(config_file) diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/webarena.egg-info/PKG-INFO b/openmanus_rl/agentgym/agentenv-webarena/webarena/webarena.egg-info/PKG-INFO new file mode 100644 index 00000000..c13f985d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/webarena.egg-info/PKG-INFO @@ -0,0 +1,13 @@ +Metadata-Version: 2.4 +Name: webarena +Version: 0.0.0 +Requires-Python: <4,>=3.7 +License-File: LICENSE +Provides-Extra: dev +Requires-Dist: pre-commit==3.0.1; extra == "dev" +Requires-Dist: pytest==7.1.2; extra == "dev" +Requires-Dist: mypy==0.991; extra == "dev" +Requires-Dist: nbmake; extra == "dev" +Requires-Dist: pytest-asyncio; extra == "dev" +Requires-Dist: types-requests; extra == "dev" +Dynamic: license-file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/webarena.egg-info/SOURCES.txt b/openmanus_rl/agentgym/agentenv-webarena/webarena/webarena.egg-info/SOURCES.txt new file mode 100644 index 00000000..8650e481 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/webarena.egg-info/SOURCES.txt @@ -0,0 +1,30 @@ +LICENSE +README.md +setup.cfg +setup.py +agent/__init__.py +agent/agent.py +browser_env/__init__.py +browser_env/actions.py +browser_env/async_envs.py +browser_env/auto_login.py +browser_env/constants.py +browser_env/env_config.py +browser_env/envs.py +browser_env/helper_functions.py +browser_env/processors.py +browser_env/py.typed +browser_env/trajectory.py +browser_env/utils.py +evaluation_harness/__init__.py +evaluation_harness/evaluators.py +evaluation_harness/helper_functions.py +llms/__init__.py +llms/lm_config.py +llms/tokenizers.py +llms/utils.py +webarena.egg-info/PKG-INFO +webarena.egg-info/SOURCES.txt +webarena.egg-info/dependency_links.txt +webarena.egg-info/requires.txt +webarena.egg-info/top_level.txt \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/webarena.egg-info/dependency_links.txt b/openmanus_rl/agentgym/agentenv-webarena/webarena/webarena.egg-info/dependency_links.txt new file mode 100644 index 00000000..8b137891 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/webarena.egg-info/dependency_links.txt @@ -0,0 +1 @@ + diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/webarena.egg-info/requires.txt b/openmanus_rl/agentgym/agentenv-webarena/webarena/webarena.egg-info/requires.txt new file mode 100644 index 00000000..5fe06680 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/webarena.egg-info/requires.txt @@ -0,0 +1,8 @@ + +[dev] +pre-commit==3.0.1 +pytest==7.1.2 +mypy==0.991 +nbmake +pytest-asyncio +types-requests diff --git a/openmanus_rl/agentgym/agentenv-webarena/webarena/webarena.egg-info/top_level.txt b/openmanus_rl/agentgym/agentenv-webarena/webarena/webarena.egg-info/top_level.txt new file mode 100644 index 00000000..1a621bd2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webarena/webarena/webarena.egg-info/top_level.txt @@ -0,0 +1,4 @@ +agent +browser_env +evaluation_harness +llms diff --git a/openmanus_rl/agentgym/agentenv-webshop/README.md b/openmanus_rl/agentgym/agentenv-webshop/README.md new file mode 100644 index 00000000..01f23797 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/README.md @@ -0,0 +1,15 @@ +# Agent Environments - Webshop + +## Setup + +``` sh +conda env create -n agentenv-webshop -f environment.yml +conda activate agentenv-webshop +bash ./setup.sh +``` + +## Launch + +``` sh +webshop --host 0.0.0.0 --port 36001 +``` diff --git a/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/__init__.py b/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/__init__.py new file mode 100644 index 00000000..c2d897af --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/__init__.py @@ -0,0 +1,9 @@ +import os +import sys + +sys.path.append( + os.path.join(os.path.dirname(os.path.realpath(__file__)), "..", "webshop") +) + +from .launch import launch +from .server import app diff --git a/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/environment.py b/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/environment.py new file mode 100644 index 00000000..3529b611 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/environment.py @@ -0,0 +1,99 @@ +""" +WebshopEnvServer +""" + +from typing import Optional + +import gym +from web_agent_site.envs import WebAgentTextEnv + + +class WebshopEnvServer: + """ + WebshopEnvServer + """ + + def __init__(self) -> None: + self._max_id = 0 + self.env = {} + self.ls = [] + self.sz = 8000 + self.now = -1 + + def create(self) -> int: + env_idx = self._max_id + import random + import time + + random.seed(time.time()) + idx = random.randint(0, 48950076) + print(f"-------Env {idx} created--------") + if len(self.env) == self.sz: + self.now = self.now + 1 + if self.now == self.sz: + self.now = 0 + return self.ls[self.now] + + self.env[idx] = gym.make( + "WebAgentTextEnv-v0", + observation_mode="text", + num_products=1000, + ) + self.env[idx].reset() + self._max_id += 1 + self.ls.append(idx) + return idx + + def step(self, env_idx, action: str): + return self.env[env_idx].step(action) + + def get_available_actions(self, env_idx): + """ + Return: + {'has_search_bar': True, 'clickables': ['search']} + """ + return self.env[env_idx].get_available_actions() + + def get_image(self, env_idx): + """ + Return: + tensor() + """ + return self.env[env_idx].get_image() + + def get_instruction_text(self, env_idx): + """ + Return: + Instruction: Find me slim fit, machine wash women's jumpsuits, + rompers & overalls with short sleeve, high waist, polyester spandex for + daily wear with color: green stripe, and size: large, and price lower than + 60.00 dollars + """ + return self.env[env_idx].get_instruction_text() + + def observation(self, env_idx): + """ + Return: + "WebShop [SEP] Instruction: [SEP] Find me slim fit, machine wash women's + jumpsuits, rompers & overalls with short sleeve, high waist, polyester + spandex for daily wear with color: green stripe, and size: large, and + price lower than 60.00 dollars [SEP] Search" + """ + return self.env[env_idx].observation + + def state(self, env_idx): + """ + Return + { + 'url': '', + 'html': '', + 'instruction_text': "" + } + """ + return self.env[env_idx].state + + def reset(self, env_idx, session_id: Optional[int]): + return self.env[env_idx].reset(session=session_id) + + +webshop_env_server = WebshopEnvServer() diff --git a/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/launch.py b/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/launch.py new file mode 100644 index 00000000..0bf0802b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/launch.py @@ -0,0 +1,26 @@ +""" +Entrypoint for the webshop agent environment. +""" + +import argparse + +import uvicorn + +from .utils import debug_flg + + +def launch(): + """entrypoint for `webshop` commond""" + + parser = argparse.ArgumentParser() + parser.add_argument("--port", type=int, default=8000) + parser.add_argument("--host", type=str, default="0.0.0.0") + parser.add_argument("--workers", type=int, default=1) + args = parser.parse_args() + uvicorn.run( + "agentenv_webshop:app", + host=args.host, + port=args.port, + reload=debug_flg, + workers=args.workers, + ) diff --git a/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/model.py b/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/model.py new file mode 100644 index 00000000..bcf57040 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/model.py @@ -0,0 +1,31 @@ +from typing import List, Optional + +from pydantic import BaseModel + + +class StepQuery(BaseModel): + env_idx: int + action: str + + +class StepResponse(BaseModel): + state: str + reward: float + done: bool + info: None + + +class AvailableActionsResponse(BaseModel): + has_search_bar: bool + clickables: List[str] + + +class StateResponse(BaseModel): + url: str + html: str + instruction_text: str + + +class ResetQuery(BaseModel): + env_idx: int + session_id: Optional[int] = None diff --git a/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/server.py b/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/server.py new file mode 100644 index 00000000..ca94527a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/server.py @@ -0,0 +1,103 @@ +""" +FastAPI Server +""" + +import logging +import time +from typing import List, Tuple + +from fastapi import FastAPI, Request + +from .environment import webshop_env_server +from .model import * +from .utils import debug_flg + +app = FastAPI(debug=debug_flg) +logging.basicConfig(level=logging.INFO, format="%(asctime)s - %(message)s") + + +# 自定义中间件 +@app.middleware("http") +async def log_request_response_time(request: Request, call_next): + start_time = time.time() + response = await call_next(request) + process_time = time.time() - start_time + logging.info( + f"{request.client.host} - {request.method} {request.url.path} - {response.status_code} - {process_time:.2f} seconds" + ) + return response + + +@app.get("/", response_model=str) +async def generate_ok(): + """Test connectivity""" + return "ok" + + +@app.get("/list_envs", response_model=List[int]) +async def list_envs(): + """List all environments""" + return list(webshop_env_server.env.keys()) + + +@app.post("/create", response_model=int) +async def create(): + """Create a new environment""" + env = webshop_env_server.create() + + return env + + +@app.post("/step", response_model=StepResponse) +def step(step_query: StepQuery): + print("/step") + print(step_query.env_idx) + print(step_query.action) + state, reward, done, info = webshop_env_server.step( + step_query.env_idx, step_query.action + ) + print(step_query.env_idx) + print(state) + return StepResponse(state=state, reward=reward, done=done, info=info) + + +@app.get("/available_actions", response_model=AvailableActionsResponse) +def get_available_actions(env_idx: int): + res = webshop_env_server.get_available_actions(env_idx) + has_search_bar = res["has_search_bar"] + clickables = res["clickables"] + return AvailableActionsResponse( + has_search_bar=has_search_bar, clickables=clickables + ) + + +@app.get("/instruction_text", response_model=str) +def get_instruction_text(env_idx: int): + print("/instruction_text") + print(env_idx) + res = webshop_env_server.get_instruction_text(env_idx) + print(res) + return res + + +@app.get("/observation", response_model=str) +def observation(env_idx: int): + print("/observation") + print(env_idx) + res = webshop_env_server.observation(env_idx) + return res + + +@app.get("/state", response_model=StateResponse) +def get_state(env_idx: int): + print("/state") + url, html, instruction_text = webshop_env_server.state(env_idx) + print(env_idx) + print(instruction_text) + return StateResponse(url=url, html=html, instruction_text=instruction_text) + + +@app.post("/reset", response_model=Tuple[str, None]) +def reset(reset_query: ResetQuery): + print(reset_query) + return webshop_env_server.reset(reset_query.env_idx, reset_query.session_id) diff --git a/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/utils.py b/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/utils.py new file mode 100644 index 00000000..04958e88 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/agentenv_webshop/utils.py @@ -0,0 +1,6 @@ +import os + +debug_flg = bool(os.environ.get("AGENTENV_DEBUG", False)) + +if debug_flg: + print("Debug mode") diff --git a/openmanus_rl/agentgym/agentenv-webshop/environment.yml b/openmanus_rl/agentgym/agentenv-webshop/environment.yml new file mode 100644 index 00000000..2d69f271 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/environment.yml @@ -0,0 +1,8 @@ +name: agentenv-webshop +channels: + - conda-forge + - defaults +dependencies: + - python=3.8.13=ha86cf86_0_cpython + - faiss-cpu=1.7.4 + - openjdk=11.0.21=h4260e57_0 diff --git a/openmanus_rl/agentgym/agentenv-webshop/pyproject.toml b/openmanus_rl/agentgym/agentenv-webshop/pyproject.toml new file mode 100644 index 00000000..d913ed3c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/pyproject.toml @@ -0,0 +1,18 @@ +[project] +name = "agentenv_webshop" +version = "0.0.1" +description = "" +authors = [ + {name = "KYLN24", email = "hlguo20@fudan.edu.cn"}, +] +dependencies = [] +requires-python = "==3.8.13" +readme = "README.md" +license = {text = "MIT"} + +[build-system] +requires = ["pdm-backend"] +build-backend = "pdm.backend" + +[project.scripts] +webshop = "agentenv_webshop:launch" diff --git a/openmanus_rl/agentgym/agentenv-webshop/requirements.txt b/openmanus_rl/agentgym/agentenv-webshop/requirements.txt new file mode 100644 index 00000000..9895360d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/requirements.txt @@ -0,0 +1,2 @@ +fastapi==0.103.2 +uvicorn[standard] diff --git a/openmanus_rl/agentgym/agentenv-webshop/setup.sh b/openmanus_rl/agentgym/agentenv-webshop/setup.sh new file mode 100644 index 00000000..806d755c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/setup.sh @@ -0,0 +1,15 @@ +pip install -U "Werkzeug>=2,<3" "mkl>=2021,<2022" + +cd ./webshop +bash ./setup.sh -d small +pip install -U "typing_extensions<4.6.0" "gym==0.23.1" +python -m spacy download en_core_web_lg +cd .. + +pip install -U python-Levenshtein +pip install -r requirements.txt + +pip install -e . + +pip uninstall numpy -y +pip install numpy diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/.github/ISSUE_TEMPLATE.md b/openmanus_rl/agentgym/agentenv-webshop/webshop/.github/ISSUE_TEMPLATE.md new file mode 100644 index 00000000..8d26e5ba --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/.github/ISSUE_TEMPLATE.md @@ -0,0 +1,26 @@ +## I'm submitting a ... + +- [ ] bug report +- [ ] feature request + +## What is the current behavior? + +Please describe the current behavior of the WebShop app or agent + +### Steps to Reproduce + +If the current behavior is a bug, please provide the steps to reproduce and if possible a minimal demo of the problem + +## What is the expected behavior? + +Please describe the desired behavior of the WebShop app or agent + +## Motivation for Change + +What is the motivation / use case for changing the behavior? + +## Please tell us about your environment: + +* Version: 2.0.0-beta.X +* Browser: +* Language: diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/.github/PULL_REQUEST_TEMPLATE.md b/openmanus_rl/agentgym/agentenv-webshop/webshop/.github/PULL_REQUEST_TEMPLATE.md new file mode 100644 index 00000000..63d7da78 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/.github/PULL_REQUEST_TEMPLATE.md @@ -0,0 +1,18 @@ +# Overview + +Provide a general summary of your changes + +## Description of Changes + +Describe your changes + testing (if appropriate) in technical detail + +## Screenshots + +Include visuals such as screenshots or recordings if necessary to show changes in effect + +## Checklist +- [ ] My code follows the style guidelines of this project +- [ ] I have performed a self-review of my code +- [ ] I have commented my code + updated documentation (if necessary) +- [ ] I have added tests to define the behavior of the feature(s) and verify it is working +- [ ] New + existing unit tests pass \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/.github/workflows/pytest.yml b/openmanus_rl/agentgym/agentenv-webshop/webshop/.github/workflows/pytest.yml new file mode 100644 index 00000000..02ee71f8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/.github/workflows/pytest.yml @@ -0,0 +1,37 @@ +# .github/workflows/pytest.yml +name: PyTest +on: + push: + branches: [ "master" ] + pull_request: + branches: [ "master" ] + +permissions: + contents: read + +jobs: + test: + runs-on: ubuntu-latest + timeout-minutes: 10 + + steps: + - name: Check out repository code + uses: actions/checkout@v3 + + # Setup Python (faster than using Python container) + - name: Setup Python + uses: actions/setup-python@v3 + with: + python-version: "3.8" + + # Install pip dependencies + setup for testing + - name: Install dependencies + run: | + python -m pip install --upgrade pip + pip install -r requirements.txt + python -m spacy download en_core_web_lg + + # Run testing suite + - name: Run test suite + run: | + pytest -v \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/.gitignore b/openmanus_rl/agentgym/agentenv-webshop/webshop/.gitignore new file mode 100644 index 00000000..d324d626 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/.gitignore @@ -0,0 +1,14 @@ +*.ipynb* +*.pyc +*.swp + +.DS_Store +.idea/ +.pytest_cache/ +.vscode/ + +__pycache__/ +search_engine/indexes* +search_engine/resources* +transfer/flagged +user_session_logs/ diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/LICENSE.md b/openmanus_rl/agentgym/agentenv-webshop/webshop/LICENSE.md new file mode 100644 index 00000000..3bf435ec --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/LICENSE.md @@ -0,0 +1,21 @@ +MIT License + +Copyright (c) 2023 Princeton Natural Language Processing + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/README.md b/openmanus_rl/agentgym/agentenv-webshop/webshop/README.md new file mode 100644 index 00000000..723f838e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/README.md @@ -0,0 +1,131 @@ +# 🛒 WebShop + +[![Python version](https://img.shields.io/badge/python-3.8%2B-blue)](https://www.python.org/downloads/release/python-3813/) +[![License](https://img.shields.io/badge/License-Princeton-orange)](https://copyright.princeton.edu/policy) +[![PyPI version](https://badge.fury.io/py/webshop.svg)](https://badge.fury.io/py/webshop) +![Pytest workflow](https://github.com/princeton-nlp/webshop/actions/workflows/pytest.yml/badge.svg) + +Implementation of the WebShop environment and search agents for the paper: + +**[WebShop: Towards Scalable Real-World Web Interaction with Grounded Language Agents](https://webshop-pnlp.github.io/)** +[Shunyu Yao*](https://ysymyth.github.io/), [Howard Chen*](https://howard50b.github.io/), [John Yang](https://john-b-yang.github.io/), [Karthik Narasimhan](https://www.cs.princeton.edu/~karthikn/) + +

+ +

+ +This repository contains code for reproducing results. If you find this work useful in your research, please cite: + +``` +@inproceedings{yao2022webshop, + bibtex_show = {true}, + title = {WebShop: Towards Scalable Real-World Web Interaction with Grounded Language Agents}, + author = {Yao, Shunyu and Chen, Howard and Yang, John and Narasimhan, Karthik}, + booktitle = {ArXiv}, + year = {preprint}, + html = {https://arxiv.org/abs/2207.01206}, + tag = {NLP} +} +``` +## 📖 Table of Contents +* [👋 Overview](#-overview) +* [🚀 Setup](#-setup) +* [🛠️ Usage](#-usage) +* [💫 Contributions](#-contributions) +* [🪪 License](#-license) +## 👋 Overview +WebShop is a simulated e-commerce website environment with 1.18 million real-world products and 12,087 crowd-sourced text instructions. In this environment, an agent needs to navigate multiple types of webpages and issue diverse actions to find, customize, and purchase a product given an instruction. WebShop provides several challenges including understanding compositional instructions, query (re-)formulation, dealing with noisy text in webpages, and performing strategic exploration. + +**Hugging Face Demo**: Devise your own natural language query for a product and ask for an agent trained with WebShop to find it on Amazon or eBay, deployed as a 🤗 Hugging Face space [here](https://huggingface.co/spaces/webshop/amazon_shop)! + +**Python Package**: If you would like to interact with the `WebShop` environment interface instead of installing and setting up the source code, you can install the `webshop` python package directly. The [project page](https://pypi.org/project/webshop/) contains (WIP) documentation on how to use the library, and the library can be installed via `pip install webshop`. +## 🚀 Setup +Our code is implemented in Python. To setup, do the following: +1. Install [Python 3.8.13](https://www.python.org/downloads/release/python-3813/) +2. Install [Java](https://www.java.com/en/download/) +3. Download the source code: +```sh +> git clone https://github.com/princeton-nlp/webshop.git webshop +``` +4. Create a virtual environment using [Anaconda](https://anaconda.org/anaconda/python) and activate it +```sh +> conda create -n webshop python=3.8.13 +> conda activate webshop +``` +5. Install requirements into the `webshop` virtual environment via the `setup.sh` script +```sh +> ./setup.sh [-d small|all] +``` +The setup script performs several actions in the following order: +* Installs Python dependencies listed in `requirements.txt` +* Downloads product and instruction data for populating WebShop +* Downloads `spaCy en_core_web_lg` model +* Construct search engine index from product, instruction data +* Downloads 50 randomly chosen trajectories generated by MTurk workers +The `-d` flag argument allows you to specify whether you would like to pull the entire product + instruction data set (`-d all`) or a subset of 1000 random products (`-d small`). + +6. By default the WebShop only loads 1,000 products for a faster environment preview. To load all products, change `web_agent_site/utils.py`: +```python +# DEFAULT_ATTR_PATH = join(BASE_DIR, '../data/items_ins_v2_1000.json') +# DEFAULT_FILE_PATH = join(BASE_DIR, '../data/items_shuffle_1000.json') +DEFAULT_ATTR_PATH = join(BASE_DIR, '../data/items_ins_v2.json') +DEFAULT_FILE_PATH = join(BASE_DIR, '../data/items_shuffle.json') +``` + +7. (Optional) Download ResNet image feature files [here](https://drive.google.com/drive/folders/1jglJDqNV2ryrlZzrS0yOEk-aRAcLAhNw?usp=sharing) and put into `data/` for running models that require image features. + +8. (Optional) Human demonstration data and be downloaded [here](https://drive.google.com/file/d/1GWC8UlUzfT9PRTRxgYOwuKSJp4hyV1dp/view?usp=sharing). + +## 🛠️ Usage +The WebShop environment can be rendered in two modes - `html` and `simple` - each of which offer a different observation space. The `simple` mode strips away the extraneous meta-data that the `html` mode includes to make model training and evaluation easier. +### Webpage Environment (`html` mode) +Launch the `WebShop` webpage: +```sh +> ./run_dev.sh +``` +The site should then be viewable in the browser. Go to http://localhost:3000/ABC, where you should land on the search home page with a random instruction. + +Navigating the website will automatically generate a corresponding trajectory file in the `user_session_logs/mturk` folder. Each file corresponds to a single instruction/web session, and each step of the file corresponds to a single action (i.e. `search[...]`, `click[...]`). + +The current WebShop build comes with two flags: +* `--log`: Include this flag to create a trajectory `.jsonl` log file of actions on WebShop +* `--attrs`: Include this flag to display an `Attributes` tab on the `item_page` of WebShop + +### Text Environment (`simple` mode) +The `simple` mode of the WebShop environment is packaged and readily available as an OpenAI environment. The OpenAI gym definitions of the text environment can be found in the `web_agent_site/envs` folder. + +To start using the gym and building agents that interact with the WebShop environment, include the following statements in your Python file: +```python +import gym +from web_agent_site.envs import WebAgentTextEnv + +env = gym.make('WebAgentTextEnv-v0', observation_mode='text', num_products=...) +``` +Now, you can write your own agent that interacts with the environment via the standard OpenAI gym [interface](https://www.gymlibrary.ml/content/api/). + +Examples of a `RandomPolicy` agent interacting with the WebShop environment in both `html` and `simple` mode can be found in the `run_envs` folder. To run these examples locally, run the `run_web_agent_text_env.sh` or `run_web_agent_site_env.sh` script: +```sh +> ./run_web_agent_text_env.sh +Products loaded. +Keys Cleaned. +Attributes Loaded. +100%|██████████████████| 1000/1000 +Loaded 6910 goals. +Amazon Shopping Game [SEP] Instruction: [SEP] Find me slim f... +Available actions: {'has_search_bar': True, 'clickables': ['search']} +Taking action "search[shoes]" -> Reward = 0.0 +... +``` +In order to run the `run_web_agent_site_env.sh` script, you must download a version of [ChromeDriver](https://chromedriver.chromium.org/downloads) compatible with your Chrome browser version. Once you have downloaded and unzipped the executable, rename it `chromedriver` and place it in the `webshop/envs` folder. + +### Baseline Models +To run baseline models (rule, IL, RL, IL+RL) from the paper, please refer to the `README.md` in the [baseline_models](https://github.com/princeton-nlp/webshop/tree/master/baseline_models) folder. + +### Sim-to-real Transfer +To read more about how the sim-to-real transfer of agents trained on WebShop to other environments works, please refer to the `README.md` in the [transfer](https://github.com/princeton-nlp/webshop/tree/master/transfer) folder. + +## 💫 Contributions +We would love to hear from the broader NLP and Machine Learning community, and we welcome any contributions, pull requests, or issues! To do so, please either file a new pull request or issue and fill in the corresponding templates accordingly. We'll be sure to follow up shortly! + +## 🪪 License +Check `LICENSE.md` diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_12.jsonl b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_12.jsonl new file mode 100644 index 00000000..c5490429 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_12.jsonl @@ -0,0 +1,6 @@ +{"page": "index", "url": "http://3.83.245.205:3000/20220427_1_12", "goal": {"asin": "B097MRL84T", "category": "garden", "query": "sofas and couches", "name": "Nolany Modern Upholstered 3-Seat Sofa Couch w/Scrolled Arm and Nailhead Trim, Linen Fabric Deep Seat Sofa for Living Room, Bedroom, Office, Apartment, Small Space in Grey", "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Sofas & Couches", "instruction_text": "i'm looking for living room furniture and kitchen furniture and need to buy it, and price lower than 490.00 dollars", "attributes": ["wood frame", "living room"], "price_upper": 490.0, "goal_options": ["grey"], "weight": 1}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_12/%5B%27living%27%2C%20%27room%27%2C%20%27furniture%27%5D/1", "goal": {"asin": "B097MRL84T", "category": "garden", "query": "sofas and couches", "name": "Nolany Modern Upholstered 3-Seat Sofa Couch w/Scrolled Arm and Nailhead Trim, Linen Fabric Deep Seat Sofa for Living Room, Bedroom, Office, Apartment, Small Space in Grey", "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Sofas & Couches", "instruction_text": "i'm looking for living room furniture and kitchen furniture and need to buy it, and price lower than 490.00 dollars", "attributes": ["wood frame", "living room"], "price_upper": 490.0, "goal_options": ["grey"], "weight": 1}, "content": {"keywords": ["living", "room", "furniture"], "search_result_asins": ["B09G71YGSV", "B00UNYEOVE", "B07194KS6G", "B087SPBGGG", "B09JKVQTDL", "B09JKWRKHT", "B09JKX56KW", "B098NY1RWG", "B07194QYTG", "B098NXS2TR"], "page": 1}} +{"page": "index", "url": "http://3.83.245.205:3000/20220427_1_12", "goal": {"asin": "B097MRL84T", "category": "garden", "query": "sofas and couches", "name": "Nolany Modern Upholstered 3-Seat Sofa Couch w/Scrolled Arm and Nailhead Trim, Linen Fabric Deep Seat Sofa for Living Room, Bedroom, Office, Apartment, Small Space in Grey", "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Sofas & Couches", "instruction_text": "i'm looking for living room furniture and kitchen furniture and need to buy it, and price lower than 490.00 dollars", "attributes": ["wood frame", "living room"], "price_upper": 490.0, "goal_options": ["grey"], "weight": 1}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_12/%5B%27living%27%2C%20%27room%27%2C%20%27and%27%2C%20%27kitchen%27%2C%20%27furniture%27%5D/1", "goal": {"asin": "B097MRL84T", "category": "garden", "query": "sofas and couches", "name": "Nolany Modern Upholstered 3-Seat Sofa Couch w/Scrolled Arm and Nailhead Trim, Linen Fabric Deep Seat Sofa for Living Room, Bedroom, Office, Apartment, Small Space in Grey", "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Sofas & Couches", "instruction_text": "i'm looking for living room furniture and kitchen furniture and need to buy it, and price lower than 490.00 dollars", "attributes": ["wood frame", "living room"], "price_upper": 490.0, "goal_options": ["grey"], "weight": 1}, "content": {"keywords": ["living", "room", "and", "kitchen", "furniture"], "search_result_asins": ["B09LYLKLVX", "B09LYLZWH9", "B08PYBB2XF", "B09KH3335J", "B08MZHM78Q", "B08JSQCJHN", "B09H7BZ629", "B08YJVNX5C", "B094R1QJ6W", "B09HGXLRY9"], "page": 1}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_12/B09LYLKLVX/%5B%27living%27%2C%20%27room%27%2C%20%27and%27%2C%20%27kitchen%27%2C%20%27furniture%27%5D/1/%7B%7D", "goal": {"asin": "B097MRL84T", "category": "garden", "query": "sofas and couches", "name": "Nolany Modern Upholstered 3-Seat Sofa Couch w/Scrolled Arm and Nailhead Trim, Linen Fabric Deep Seat Sofa for Living Room, Bedroom, Office, Apartment, Small Space in Grey", "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Sofas & Couches", "instruction_text": "i'm looking for living room furniture and kitchen furniture and need to buy it, and price lower than 490.00 dollars", "attributes": ["wood frame", "living room"], "price_upper": 490.0, "goal_options": ["grey"], "weight": 1}, "content": {"keywords": "['living', 'room', 'and', 'kitchen', 'furniture']", "page": "1", "asin": "B09LYLKLVX", "options": {}}} +{"page": "done", "url": "http://3.83.245.205:3000/done/20220427_1_12/B09LYLKLVX/%7B%7D", "goal": {"asin": "B097MRL84T", "category": "garden", "query": "sofas and couches", "name": "Nolany Modern Upholstered 3-Seat Sofa Couch w/Scrolled Arm and Nailhead Trim, Linen Fabric Deep Seat Sofa for Living Room, Bedroom, Office, Apartment, Small Space in Grey", "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Sofas & Couches", "instruction_text": "i'm looking for living room furniture and kitchen furniture and need to buy it, and price lower than 490.00 dollars", "attributes": ["wood frame", "living room"], "price_upper": 490.0, "goal_options": ["grey"], "weight": 1}, "content": {"asin": "B09LYLKLVX", "options": {}, "price": 129.99}, "reward": 0.5, "reward_info": {"r_type": 1.0, "r_att": 0.5, "query_match": false, "category_match": true, "title_score": 0.125, "r_option": 0.0, "r_price": true}} diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_13.jsonl b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_13.jsonl new file mode 100644 index 00000000..5d18f323 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_13.jsonl @@ -0,0 +1,7 @@ +{"page": "index", "url": "http://3.83.245.205:3000/20220427_1_13", "goal": {"asin": "B08GCNBFX1", "category": "beauty", "query": "refillable containers", "name": "Minkissy 5pcs Spray Bottle Portable Hair Salon Large Capacity Hairdressing Refillable Container Spray Shampoo Pot (White, 260ml)", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Coloring Products \u203a Coloring & Highlighting Tools", "instruction_text": "i am looking for a hair salon capacity spray bottle, and price lower than 50.00 dollars", "attributes": ["hair salon"], "price_upper": 50.0, "goal_options": [], "weight": 1}} +{"page": "index", "url": "http://3.83.245.205:3000/20220427_1_13", "goal": {"asin": "B08GCNBFX1", "category": "beauty", "query": "refillable containers", "name": "Minkissy 5pcs Spray Bottle Portable Hair Salon Large Capacity Hairdressing Refillable Container Spray Shampoo Pot (White, 260ml)", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Coloring Products \u203a Coloring & Highlighting Tools", "instruction_text": "i am looking for a hair salon capacity spray bottle, and price lower than 50.00 dollars", "attributes": ["hair salon"], "price_upper": 50.0, "goal_options": [], "weight": 1}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_13/%5B%27spray%27%2C%20%27bottle%27%2C%20%27hair%27%2C%20%27salon%27%2C%20%27capacity%27%2C%20%27below%27%2C%20%27%2450%27%5D/1", "goal": {"asin": "B08GCNBFX1", "category": "beauty", "query": "refillable containers", "name": "Minkissy 5pcs Spray Bottle Portable Hair Salon Large Capacity Hairdressing Refillable Container Spray Shampoo Pot (White, 260ml)", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Coloring Products \u203a Coloring & Highlighting Tools", "instruction_text": "i am looking for a hair salon capacity spray bottle, and price lower than 50.00 dollars", "attributes": ["hair salon"], "price_upper": 50.0, "goal_options": [], "weight": 1}, "content": {"keywords": ["spray", "bottle", "hair", "salon", "capacity", "below", "$50"], "search_result_asins": ["B095LQZBRN", "B07QPHQPKM", "B09P9VN997", "B089RKPRN3", "B08FBBZ6WP", "B07XZ5N84Z", "B07FJY4SLD", "B07RJS256S", "B09SZGJZGB", "B09HYNJBZ7"], "page": 1}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_13/B095LQZBRN/%5B%27spray%27%2C%20%27bottle%27%2C%20%27hair%27%2C%20%27salon%27%2C%20%27capacity%27%2C%20%27below%27%2C%20%27%2450%27%5D/1/%7B%7D", "goal": {"asin": "B08GCNBFX1", "category": "beauty", "query": "refillable containers", "name": "Minkissy 5pcs Spray Bottle Portable Hair Salon Large Capacity Hairdressing Refillable Container Spray Shampoo Pot (White, 260ml)", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Coloring Products \u203a Coloring & Highlighting Tools", "instruction_text": "i am looking for a hair salon capacity spray bottle, and price lower than 50.00 dollars", "attributes": ["hair salon"], "price_upper": 50.0, "goal_options": [], "weight": 1}, "content": {"keywords": "['spray', 'bottle', 'hair', 'salon', 'capacity', 'below', '$50']", "page": "1", "asin": "B095LQZBRN", "options": {}}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_13/%5B%27spray%27%2C%20%27bottle%27%2C%20%27hair%27%2C%20%27salon%27%2C%20%27capacity%27%2C%20%27below%27%2C%20%27%2450%27%5D/1", "goal": {"asin": "B08GCNBFX1", "category": "beauty", "query": "refillable containers", "name": "Minkissy 5pcs Spray Bottle Portable Hair Salon Large Capacity Hairdressing Refillable Container Spray Shampoo Pot (White, 260ml)", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Coloring Products \u203a Coloring & Highlighting Tools", "instruction_text": "i am looking for a hair salon capacity spray bottle, and price lower than 50.00 dollars", "attributes": ["hair salon"], "price_upper": 50.0, "goal_options": [], "weight": 1}, "content": {"keywords": ["spray", "bottle", "hair", "salon", "capacity", "below", "$50"], "search_result_asins": ["B095LQZBRN", "B07QPHQPKM", "B09P9VN997", "B089RKPRN3", "B08FBBZ6WP", "B07XZ5N84Z", "B07FJY4SLD", "B07RJS256S", "B09SZGJZGB", "B09HYNJBZ7"], "page": 1}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_13/B089RKPRN3/%5B%27spray%27%2C%20%27bottle%27%2C%20%27hair%27%2C%20%27salon%27%2C%20%27capacity%27%2C%20%27below%27%2C%20%27%2450%27%5D/1/%7B%7D", "goal": {"asin": "B08GCNBFX1", "category": "beauty", "query": "refillable containers", "name": "Minkissy 5pcs Spray Bottle Portable Hair Salon Large Capacity Hairdressing Refillable Container Spray Shampoo Pot (White, 260ml)", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Coloring Products \u203a Coloring & Highlighting Tools", "instruction_text": "i am looking for a hair salon capacity spray bottle, and price lower than 50.00 dollars", "attributes": ["hair salon"], "price_upper": 50.0, "goal_options": [], "weight": 1}, "content": {"keywords": "['spray', 'bottle', 'hair', 'salon', 'capacity', 'below', '$50']", "page": "1", "asin": "B089RKPRN3", "options": {}}} +{"page": "done", "url": "http://3.83.245.205:3000/done/20220427_1_13/B089RKPRN3/%7B%7D", "goal": {"asin": "B08GCNBFX1", "category": "beauty", "query": "refillable containers", "name": "Minkissy 5pcs Spray Bottle Portable Hair Salon Large Capacity Hairdressing Refillable Container Spray Shampoo Pot (White, 260ml)", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Coloring Products \u203a Coloring & Highlighting Tools", "instruction_text": "i am looking for a hair salon capacity spray bottle, and price lower than 50.00 dollars", "attributes": ["hair salon"], "price_upper": 50.0, "goal_options": [], "weight": 1}, "content": {"asin": "B089RKPRN3", "options": {}, "price": 8.0}, "reward": 0.5, "reward_info": {"r_type": 1.0, "r_att": 0.0, "query_match": true, "category_match": false, "title_score": 0.4117647058823529, "r_price": true}} diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_15.jsonl b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_15.jsonl new file mode 100644 index 00000000..e327bd50 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_15.jsonl @@ -0,0 +1,6 @@ +{"page": "index", "url": "http://3.83.245.205:3000/20220427_1_15", "goal": {"asin": "B096W49HCJ", "category": "fashion", "query": "women's loafers & slip-ons", "name": "Walking Shoes for Women,Canvas Slip on Sneakers Flats Breathable Walking Leopard Shoes Office Loafers", "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Loafers & Slip-Ons", "instruction_text": "i need a pair of pink loafers for teen girls. they should be size eight, and price lower than 50.00 dollars", "attributes": ["teen girls"], "price_upper": 50.0, "goal_options": ["pink", "8"], "weight": 1}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_15/%5B%27teen%27%2C%20%27girl%27%2C%20%27pink%27%2C%20%27loafers%27%2C%20%27size%27%2C%20%27eight%27%5D/1", "goal": {"asin": "B096W49HCJ", "category": "fashion", "query": "women's loafers & slip-ons", "name": "Walking Shoes for Women,Canvas Slip on Sneakers Flats Breathable Walking Leopard Shoes Office Loafers", "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Loafers & Slip-Ons", "instruction_text": "i need a pair of pink loafers for teen girls. they should be size eight, and price lower than 50.00 dollars", "attributes": ["teen girls"], "price_upper": 50.0, "goal_options": ["pink", "8"], "weight": 1}, "content": {"keywords": ["teen", "girl", "pink", "loafers", "size", "eight"], "search_result_asins": ["B098K1FSYS", "B0868KF3ZB", "B09S9SW5CN", "B09S9X9Q4R", "B09SB618BW", "B097JMDCZH", "B09PRLPZ29", "B098DKM811", "B098DKQ351", "B09G38TC7Y"], "page": 1}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_15/B0868KF3ZB/%5B%27teen%27%2C%20%27girl%27%2C%20%27pink%27%2C%20%27loafers%27%2C%20%27size%27%2C%20%27eight%27%5D/1/%7B%7D", "goal": {"asin": "B096W49HCJ", "category": "fashion", "query": "women's loafers & slip-ons", "name": "Walking Shoes for Women,Canvas Slip on Sneakers Flats Breathable Walking Leopard Shoes Office Loafers", "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Loafers & Slip-Ons", "instruction_text": "i need a pair of pink loafers for teen girls. they should be size eight, and price lower than 50.00 dollars", "attributes": ["teen girls"], "price_upper": 50.0, "goal_options": ["pink", "8"], "weight": 1}, "content": {"keywords": "['teen', 'girl', 'pink', 'loafers', 'size', 'eight']", "page": "1", "asin": "B0868KF3ZB", "options": {}}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_15/B0868KF3ZB/%5B%27teen%27%2C%20%27girl%27%2C%20%27pink%27%2C%20%27loafers%27%2C%20%27size%27%2C%20%27eight%27%5D/1/%7B%27size%27:%20%278%27%7D", "goal": {"asin": "B096W49HCJ", "category": "fashion", "query": "women's loafers & slip-ons", "name": "Walking Shoes for Women,Canvas Slip on Sneakers Flats Breathable Walking Leopard Shoes Office Loafers", "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Loafers & Slip-Ons", "instruction_text": "i need a pair of pink loafers for teen girls. they should be size eight, and price lower than 50.00 dollars", "attributes": ["teen girls"], "price_upper": 50.0, "goal_options": ["pink", "8"], "weight": 1}, "content": {"keywords": "['teen', 'girl', 'pink', 'loafers', 'size', 'eight']", "page": "1", "asin": "B0868KF3ZB", "options": {"size": "8"}}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_15/B0868KF3ZB/%5B%27teen%27%2C%20%27girl%27%2C%20%27pink%27%2C%20%27loafers%27%2C%20%27size%27%2C%20%27eight%27%5D/1/%7B%27size%27:%20%278%27%2C%20%27color%27:%20%27z2-pink%27%7D", "goal": {"asin": "B096W49HCJ", "category": "fashion", "query": "women's loafers & slip-ons", "name": "Walking Shoes for Women,Canvas Slip on Sneakers Flats Breathable Walking Leopard Shoes Office Loafers", "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Loafers & Slip-Ons", "instruction_text": "i need a pair of pink loafers for teen girls. they should be size eight, and price lower than 50.00 dollars", "attributes": ["teen girls"], "price_upper": 50.0, "goal_options": ["pink", "8"], "weight": 1}, "content": {"keywords": "['teen', 'girl', 'pink', 'loafers', 'size', 'eight']", "page": "1", "asin": "B0868KF3ZB", "options": {"size": "8", "color": "z2-pink"}}} +{"page": "done", "url": "http://3.83.245.205:3000/done/20220427_1_15/B0868KF3ZB/%7B%27size%27:%20%278%27%2C%20%27color%27:%20%27z2-pink%27%7D", "goal": {"asin": "B096W49HCJ", "category": "fashion", "query": "women's loafers & slip-ons", "name": "Walking Shoes for Women,Canvas Slip on Sneakers Flats Breathable Walking Leopard Shoes Office Loafers", "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Loafers & Slip-Ons", "instruction_text": "i need a pair of pink loafers for teen girls. they should be size eight, and price lower than 50.00 dollars", "attributes": ["teen girls"], "price_upper": 50.0, "goal_options": ["pink", "8"], "weight": 1}, "content": {"asin": "B0868KF3ZB", "options": {"size": "8", "color": "z2-pink"}, "price": 17.920569396236054}, "reward": 0.75, "reward_info": {"r_type": 1.0, "r_att": 0.0, "query_match": true, "category_match": true, "title_score": 0.6363636363636364, "r_option": 1.0, "r_price": true}} diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_17.jsonl b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_17.jsonl new file mode 100644 index 00000000..ee9439a6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_17.jsonl @@ -0,0 +1,6 @@ +{"page": "index", "url": "http://3.83.245.205:3000/20220427_1_17", "goal": {"asin": "B092J891H7", "category": "electronics", "query": "wearable technology", "name": "DYKEISS Sport Silicone Band Compatible for Apple Watch Band 38mm 42mm 40mm 44mm 41mm 45mm, Soft Replacement Apple Strap for iWatch Wristband Series 7/SE/6/5/4/3/2/1 Women Men", "product_category": "Electronics \u203a Wearable Technology \u203a Arm & Wristband Accessories", "instruction_text": "i am looking for a teal color stainlesss steel strap, and price lower than 20.00 dollars", "attributes": ["stainless steel"], "price_upper": 20.0, "goal_options": ["teal"], "weight": 1}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_17/%5B%27teal%27%2C%20%27stainless%27%2C%20%27steel%27%2C%20%27strap%27%5D/1", "goal": {"asin": "B092J891H7", "category": "electronics", "query": "wearable technology", "name": "DYKEISS Sport Silicone Band Compatible for Apple Watch Band 38mm 42mm 40mm 44mm 41mm 45mm, Soft Replacement Apple Strap for iWatch Wristband Series 7/SE/6/5/4/3/2/1 Women Men", "product_category": "Electronics \u203a Wearable Technology \u203a Arm & Wristband Accessories", "instruction_text": "i am looking for a teal color stainlesss steel strap, and price lower than 20.00 dollars", "attributes": ["stainless steel"], "price_upper": 20.0, "goal_options": ["teal"], "weight": 1}, "content": {"keywords": ["teal", "stainless", "steel", "strap"], "search_result_asins": ["B096FSTFLS", "B099RV4SLD", "B0838YYH8M", "B00UUOWYSC", "B0827SQV42", "B01C308W4U", "B010QYQRO2", "B07SH9HWN6", "B0999JQ5SP", "B09N3YPW8N"], "page": 1}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_17/B096FSTFLS/%5B%27teal%27%2C%20%27stainless%27%2C%20%27steel%27%2C%20%27strap%27%5D/1/%7B%7D", "goal": {"asin": "B092J891H7", "category": "electronics", "query": "wearable technology", "name": "DYKEISS Sport Silicone Band Compatible for Apple Watch Band 38mm 42mm 40mm 44mm 41mm 45mm, Soft Replacement Apple Strap for iWatch Wristband Series 7/SE/6/5/4/3/2/1 Women Men", "product_category": "Electronics \u203a Wearable Technology \u203a Arm & Wristband Accessories", "instruction_text": "i am looking for a teal color stainlesss steel strap, and price lower than 20.00 dollars", "attributes": ["stainless steel"], "price_upper": 20.0, "goal_options": ["teal"], "weight": 1}, "content": {"keywords": "['teal', 'stainless', 'steel', 'strap']", "page": "1", "asin": "B096FSTFLS", "options": {}}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_17/B096FSTFLS/%5B%27teal%27%2C%20%27stainless%27%2C%20%27steel%27%2C%20%27strap%27%5D/1/%7B%27color%27:%20%27teal%27%7D", "goal": {"asin": "B092J891H7", "category": "electronics", "query": "wearable technology", "name": "DYKEISS Sport Silicone Band Compatible for Apple Watch Band 38mm 42mm 40mm 44mm 41mm 45mm, Soft Replacement Apple Strap for iWatch Wristband Series 7/SE/6/5/4/3/2/1 Women Men", "product_category": "Electronics \u203a Wearable Technology \u203a Arm & Wristband Accessories", "instruction_text": "i am looking for a teal color stainlesss steel strap, and price lower than 20.00 dollars", "attributes": ["stainless steel"], "price_upper": 20.0, "goal_options": ["teal"], "weight": 1}, "content": {"keywords": "['teal', 'stainless', 'steel', 'strap']", "page": "1", "asin": "B096FSTFLS", "options": {"color": "teal"}}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_17/B096FSTFLS/%5B%27teal%27%2C%20%27stainless%27%2C%20%27steel%27%2C%20%27strap%27%5D/1/%7B%27color%27:%20%27teal%27%2C%20%27size%27:%20%2738%20%7C%2040%20%7C%2041%20mm%27%7D", "goal": {"asin": "B092J891H7", "category": "electronics", "query": "wearable technology", "name": "DYKEISS Sport Silicone Band Compatible for Apple Watch Band 38mm 42mm 40mm 44mm 41mm 45mm, Soft Replacement Apple Strap for iWatch Wristband Series 7/SE/6/5/4/3/2/1 Women Men", "product_category": "Electronics \u203a Wearable Technology \u203a Arm & Wristband Accessories", "instruction_text": "i am looking for a teal color stainlesss steel strap, and price lower than 20.00 dollars", "attributes": ["stainless steel"], "price_upper": 20.0, "goal_options": ["teal"], "weight": 1}, "content": {"keywords": "['teal', 'stainless', 'steel', 'strap']", "page": "1", "asin": "B096FSTFLS", "options": {"color": "teal", "size": "38 | 40 | 41 mm"}}} +{"page": "done", "url": "http://3.83.245.205:3000/done/20220427_1_17/B096FSTFLS/%7B%27color%27:%20%27teal%27%2C%20%27size%27:%20%2738%20%7C%2040%20%7C%2041%20mm%27%7D", "goal": {"asin": "B092J891H7", "category": "electronics", "query": "wearable technology", "name": "DYKEISS Sport Silicone Band Compatible for Apple Watch Band 38mm 42mm 40mm 44mm 41mm 45mm, Soft Replacement Apple Strap for iWatch Wristband Series 7/SE/6/5/4/3/2/1 Women Men", "product_category": "Electronics \u203a Wearable Technology \u203a Arm & Wristband Accessories", "instruction_text": "i am looking for a teal color stainlesss steel strap, and price lower than 20.00 dollars", "attributes": ["stainless steel"], "price_upper": 20.0, "goal_options": ["teal"], "weight": 1}, "content": {"asin": "B096FSTFLS", "options": {"color": "teal", "size": "38 | 40 | 41 mm"}, "price": 11.98}, "reward": 1.0, "reward_info": {"r_type": 1.0, "r_att": 1.0, "query_match": false, "category_match": false, "title_score": 0.5294117647058824, "r_option": 1.0, "r_price": true}} diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_18.jsonl b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_18.jsonl new file mode 100644 index 00000000..db34da87 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_18.jsonl @@ -0,0 +1,4 @@ +{"page": "index", "url": "http://3.83.245.205:3000/20220427_1_18", "goal": {"asin": "B07RVDW2Z2", "category": "grocery", "query": "party mix", "name": "Letter I Birthday Cake Candles Set with Holders (96 Pack)", "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Candles & Holders \u203a Candles \u203a Specialty Candles \u203a Birthday Candles", "instruction_text": "i need birthday candles for my birthday cake, and price lower than 40.00 dollars", "attributes": ["birthday cake"], "price_upper": 40.0, "goal_options": [], "weight": 1}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_18/%5B%27birthday%27%2C%20%27candles%27%2C%20%27for%27%2C%20%27birthday%27%2C%20%27cake%27%5D/1", "goal": {"asin": "B07RVDW2Z2", "category": "grocery", "query": "party mix", "name": "Letter I Birthday Cake Candles Set with Holders (96 Pack)", "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Candles & Holders \u203a Candles \u203a Specialty Candles \u203a Birthday Candles", "instruction_text": "i need birthday candles for my birthday cake, and price lower than 40.00 dollars", "attributes": ["birthday cake"], "price_upper": 40.0, "goal_options": [], "weight": 1}, "content": {"keywords": ["birthday", "candles", "for", "birthday", "cake"], "search_result_asins": ["B09F3V2HVT", "B088T36XBG", "B01AXPIN3M", "B09BB9K5LP", "B08THFDHYC", "B08K7M4TW8", "B07W6Z8KJR", "B08FWWR9Y3", "B07RXH7BX5", "B08XHK24L9"], "page": 1}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_18/B09F3V2HVT/%5B%27birthday%27%2C%20%27candles%27%2C%20%27for%27%2C%20%27birthday%27%2C%20%27cake%27%5D/1/%7B%7D", "goal": {"asin": "B07RVDW2Z2", "category": "grocery", "query": "party mix", "name": "Letter I Birthday Cake Candles Set with Holders (96 Pack)", "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Candles & Holders \u203a Candles \u203a Specialty Candles \u203a Birthday Candles", "instruction_text": "i need birthday candles for my birthday cake, and price lower than 40.00 dollars", "attributes": ["birthday cake"], "price_upper": 40.0, "goal_options": [], "weight": 1}, "content": {"keywords": "['birthday', 'candles', 'for', 'birthday', 'cake']", "page": "1", "asin": "B09F3V2HVT", "options": {}}} +{"page": "done", "url": "http://3.83.245.205:3000/done/20220427_1_18/B09F3V2HVT/%7B%7D", "goal": {"asin": "B07RVDW2Z2", "category": "grocery", "query": "party mix", "name": "Letter I Birthday Cake Candles Set with Holders (96 Pack)", "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Candles & Holders \u203a Candles \u203a Specialty Candles \u203a Birthday Candles", "instruction_text": "i need birthday candles for my birthday cake, and price lower than 40.00 dollars", "attributes": ["birthday cake"], "price_upper": 40.0, "goal_options": [], "weight": 1}, "content": {"asin": "B09F3V2HVT", "options": {}, "price": 8.99}, "reward": 0.5, "reward_info": {"r_type": 1.0, "r_att": 0.0, "query_match": false, "category_match": true, "title_score": 0.42857142857142855, "r_price": true}} diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_21.jsonl b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_21.jsonl new file mode 100644 index 00000000..694824da --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_21.jsonl @@ -0,0 +1,5 @@ +{"page": "index", "url": "http://3.83.245.205:3000/20220427_1_21", "goal": {"asin": "B09LV7HGHD", "category": "beauty", "query": "face care", "name": "Ice Face Roller, Ice Roller for Face and Eye, Gua Sha Face Massage, Facial Beauty Ice Roller, Silicone Ice Mold for Face Beauty Valentines Day Gifts", "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Eyes", "instruction_text": "i am looking for a high quality pink ice face roller with silicone ice mold, and price lower than 50.00 dollars", "attributes": ["high quality"], "price_upper": 50.0, "goal_options": ["pink"], "weight": 1}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_21/%5B%27pink%27%2C%20%27ice%27%2C%20%27face%27%2C%20%27roller%27%2C%20%27with%27%2C%20%27silicone%27%2C%20%27ice%27%2C%20%27mold%27%5D/1", "goal": {"asin": "B09LV7HGHD", "category": "beauty", "query": "face care", "name": "Ice Face Roller, Ice Roller for Face and Eye, Gua Sha Face Massage, Facial Beauty Ice Roller, Silicone Ice Mold for Face Beauty Valentines Day Gifts", "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Eyes", "instruction_text": "i am looking for a high quality pink ice face roller with silicone ice mold, and price lower than 50.00 dollars", "attributes": ["high quality"], "price_upper": 50.0, "goal_options": ["pink"], "weight": 1}, "content": {"keywords": ["pink", "ice", "face", "roller", "with", "silicone", "ice", "mold"], "search_result_asins": ["B09SDBH5VB", "B09SZ5T2LY", "B09SB494XX", "B09MNPT1RT", "B09NVBK29F", "B09NKL5RXV", "B09NBX7FYQ", "B09PYVSTVL", "B09PPVLKTQ", "B09NKV2PYS"], "page": 1}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_21/B09SB494XX/%5B%27pink%27%2C%20%27ice%27%2C%20%27face%27%2C%20%27roller%27%2C%20%27with%27%2C%20%27silicone%27%2C%20%27ice%27%2C%20%27mold%27%5D/1/%7B%7D", "goal": {"asin": "B09LV7HGHD", "category": "beauty", "query": "face care", "name": "Ice Face Roller, Ice Roller for Face and Eye, Gua Sha Face Massage, Facial Beauty Ice Roller, Silicone Ice Mold for Face Beauty Valentines Day Gifts", "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Eyes", "instruction_text": "i am looking for a high quality pink ice face roller with silicone ice mold, and price lower than 50.00 dollars", "attributes": ["high quality"], "price_upper": 50.0, "goal_options": ["pink"], "weight": 1}, "content": {"keywords": "['pink', 'ice', 'face', 'roller', 'with', 'silicone', 'ice', 'mold']", "page": "1", "asin": "B09SB494XX", "options": {}}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_21/B09SB494XX/%5B%27pink%27%2C%20%27ice%27%2C%20%27face%27%2C%20%27roller%27%2C%20%27with%27%2C%20%27silicone%27%2C%20%27ice%27%2C%20%27mold%27%5D/1/%7B%27color%27:%20%27pink%27%7D", "goal": {"asin": "B09LV7HGHD", "category": "beauty", "query": "face care", "name": "Ice Face Roller, Ice Roller for Face and Eye, Gua Sha Face Massage, Facial Beauty Ice Roller, Silicone Ice Mold for Face Beauty Valentines Day Gifts", "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Eyes", "instruction_text": "i am looking for a high quality pink ice face roller with silicone ice mold, and price lower than 50.00 dollars", "attributes": ["high quality"], "price_upper": 50.0, "goal_options": ["pink"], "weight": 1}, "content": {"keywords": "['pink', 'ice', 'face', 'roller', 'with', 'silicone', 'ice', 'mold']", "page": "1", "asin": "B09SB494XX", "options": {"color": "pink"}}} +{"page": "done", "url": "http://3.83.245.205:3000/done/20220427_1_21/B09SB494XX/%7B%27color%27:%20%27pink%27%7D", "goal": {"asin": "B09LV7HGHD", "category": "beauty", "query": "face care", "name": "Ice Face Roller, Ice Roller for Face and Eye, Gua Sha Face Massage, Facial Beauty Ice Roller, Silicone Ice Mold for Face Beauty Valentines Day Gifts", "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Eyes", "instruction_text": "i am looking for a high quality pink ice face roller with silicone ice mold, and price lower than 50.00 dollars", "attributes": ["high quality"], "price_upper": 50.0, "goal_options": ["pink"], "weight": 1}, "content": {"asin": "B09SB494XX", "options": {"color": "pink"}, "price": 14.58}, "reward": 0.6666666666666666, "reward_info": {"r_type": 1.0, "r_att": 0.0, "query_match": false, "category_match": false, "title_score": 0.2608695652173913, "r_option": 1.0, "r_price": true}} diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_23.jsonl b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_23.jsonl new file mode 100644 index 00000000..9bcd58d5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_23.jsonl @@ -0,0 +1,6 @@ +{"page": "index", "url": "http://3.83.245.205:3000/20220427_1_23", "goal": {"asin": "B07KYL4W5P", "category": "electronics", "query": "headphones", "name": "Otium Bluetooth Headphones Pink Headphones Wireless Earbuds for Women Girls, Stereo Bass in-Ear IPX7 Waterproof Running Sports Headphones", "product_category": "Electronics \u203a Headphones \u203a Earbud Headphones", "instruction_text": "i am looking for a red stereo sound earbud headphones, and price lower than 50.00 dollars", "attributes": ["stereo sound"], "price_upper": 50.0, "goal_options": ["red"], "weight": 1}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_23/%5B%27red%27%2C%20%27earbud%27%2C%20%27headphones%27%5D/1", "goal": {"asin": "B07KYL4W5P", "category": "electronics", "query": "headphones", "name": "Otium Bluetooth Headphones Pink Headphones Wireless Earbuds for Women Girls, Stereo Bass in-Ear IPX7 Waterproof Running Sports Headphones", "product_category": "Electronics \u203a Headphones \u203a Earbud Headphones", "instruction_text": "i am looking for a red stereo sound earbud headphones, and price lower than 50.00 dollars", "attributes": ["stereo sound"], "price_upper": 50.0, "goal_options": ["red"], "weight": 1}, "content": {"keywords": ["red", "earbud", "headphones"], "search_result_asins": ["B09M6QT2HY", "B07PR2D333", "B07SHW92VR", "B07SP57RWH", "B07SP77JCT", "B09P19KKP9", "B09MM2MQXT", "B071XNVKBM", "B094YL26RY", "B07TMKHJFJ"], "page": 1}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_23/%5B%27red%27%2C%20%27earbud%27%2C%20%27headphones%27%5D/2", "goal": {"asin": "B07KYL4W5P", "category": "electronics", "query": "headphones", "name": "Otium Bluetooth Headphones Pink Headphones Wireless Earbuds for Women Girls, Stereo Bass in-Ear IPX7 Waterproof Running Sports Headphones", "product_category": "Electronics \u203a Headphones \u203a Earbud Headphones", "instruction_text": "i am looking for a red stereo sound earbud headphones, and price lower than 50.00 dollars", "attributes": ["stereo sound"], "price_upper": 50.0, "goal_options": ["red"], "weight": 1}, "content": {"keywords": ["red", "earbud", "headphones"], "search_result_asins": ["B08CZ8WS38", "B07R8PPGST", "B09NJL31G5", "B0768GKLNL", "B088JR89LW", "B0798HD1N1", "B09MQN2DKL", "B07R7KW54S", "B09BYKKXY4", "B09RJ25JVZ"], "page": 2}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_23/B08CZ8WS38/%5B%27red%27%2C%20%27earbud%27%2C%20%27headphones%27%5D/2/%7B%7D", "goal": {"asin": "B07KYL4W5P", "category": "electronics", "query": "headphones", "name": "Otium Bluetooth Headphones Pink Headphones Wireless Earbuds for Women Girls, Stereo Bass in-Ear IPX7 Waterproof Running Sports Headphones", "product_category": "Electronics \u203a Headphones \u203a Earbud Headphones", "instruction_text": "i am looking for a red stereo sound earbud headphones, and price lower than 50.00 dollars", "attributes": ["stereo sound"], "price_upper": 50.0, "goal_options": ["red"], "weight": 1}, "content": {"keywords": "['red', 'earbud', 'headphones']", "page": "2", "asin": "B08CZ8WS38", "options": {}}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_23/B08CZ8WS38/%5B%27red%27%2C%20%27earbud%27%2C%20%27headphones%27%5D/2/%7B%27color%27:%20%27red%27%7D", "goal": {"asin": "B07KYL4W5P", "category": "electronics", "query": "headphones", "name": "Otium Bluetooth Headphones Pink Headphones Wireless Earbuds for Women Girls, Stereo Bass in-Ear IPX7 Waterproof Running Sports Headphones", "product_category": "Electronics \u203a Headphones \u203a Earbud Headphones", "instruction_text": "i am looking for a red stereo sound earbud headphones, and price lower than 50.00 dollars", "attributes": ["stereo sound"], "price_upper": 50.0, "goal_options": ["red"], "weight": 1}, "content": {"keywords": "['red', 'earbud', 'headphones']", "page": "2", "asin": "B08CZ8WS38", "options": {"color": "red"}}} +{"page": "done", "url": "http://3.83.245.205:3000/done/20220427_1_23/B08CZ8WS38/%7B%27color%27:%20%27red%27%7D", "goal": {"asin": "B07KYL4W5P", "category": "electronics", "query": "headphones", "name": "Otium Bluetooth Headphones Pink Headphones Wireless Earbuds for Women Girls, Stereo Bass in-Ear IPX7 Waterproof Running Sports Headphones", "product_category": "Electronics \u203a Headphones \u203a Earbud Headphones", "instruction_text": "i am looking for a red stereo sound earbud headphones, and price lower than 50.00 dollars", "attributes": ["stereo sound"], "price_upper": 50.0, "goal_options": ["red"], "weight": 1}, "content": {"asin": "B08CZ8WS38", "options": {"color": "red"}, "price": 4.89}, "reward": 0.6666666666666666, "reward_info": {"r_type": 1.0, "r_att": 0.0, "query_match": true, "category_match": false, "title_score": 0.26666666666666666, "r_option": 1.0, "r_price": true}} diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_6.jsonl b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_6.jsonl new file mode 100644 index 00000000..b7fb7c8a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_6.jsonl @@ -0,0 +1,15 @@ +{"page": "index", "url": "http://3.83.245.205:3000/20220427_1_6", "goal": {"asin": "B07NDLGGS1", "category": "beauty", "query": "hair loss products", "name": "Advanced French Wig Color RL38 SMOKED WALNUT - Raquel Welch Wigs 4\" Short Windswept Free Form Textured Length Tru2Life Heat Friendly Synthetic Lace Front Bundle MaxWigs Hairloss Booklet", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "instruction_text": "i am interested in a synthetic wig that is silver, and price lower than 190.00 dollars", "attributes": ["synthetic hair"], "price_upper": 190.0, "goal_options": ["rl56 | 60 silver mist"], "weight": 1}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_6/%5B%27silver%27%2C%20%27synthetic%27%2C%20%27wig%27%5D/1", "goal": {"asin": "B07NDLGGS1", "category": "beauty", "query": "hair loss products", "name": "Advanced French Wig Color RL38 SMOKED WALNUT - Raquel Welch Wigs 4\" Short Windswept Free Form Textured Length Tru2Life Heat Friendly Synthetic Lace Front Bundle MaxWigs Hairloss Booklet", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "instruction_text": "i am interested in a synthetic wig that is silver, and price lower than 190.00 dollars", "attributes": ["synthetic hair"], "price_upper": 190.0, "goal_options": ["rl56 | 60 silver mist"], "weight": 1}, "content": {"keywords": ["silver", "synthetic", "wig"], "search_result_asins": ["B07B6T26SV", "B07CZ2MQBS", "B07B4H7YNY", "B07BGCBYM4", "B07B9M7C1X", "B07BB1FJV8", "B07BB39V16", "B07CYMCKJ1", "B08CL4FG29", "B07CZ23N43"], "page": 1}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_6/B07CZ2MQBS/%5B%27silver%27%2C%20%27synthetic%27%2C%20%27wig%27%5D/1/%7B%7D", "goal": {"asin": "B07NDLGGS1", "category": "beauty", "query": "hair loss products", "name": "Advanced French Wig Color RL38 SMOKED WALNUT - Raquel Welch Wigs 4\" Short Windswept Free Form Textured Length Tru2Life Heat Friendly Synthetic Lace Front Bundle MaxWigs Hairloss Booklet", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "instruction_text": "i am interested in a synthetic wig that is silver, and price lower than 190.00 dollars", "attributes": ["synthetic hair"], "price_upper": 190.0, "goal_options": ["rl56 | 60 silver mist"], "weight": 1}, "content": {"keywords": "['silver', 'synthetic', 'wig']", "page": "1", "asin": "B07CZ2MQBS", "options": {}}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_6/%5B%27silver%27%2C%20%27synthetic%27%2C%20%27wig%27%5D/1", "goal": {"asin": "B07NDLGGS1", "category": "beauty", "query": "hair loss products", "name": "Advanced French Wig Color RL38 SMOKED WALNUT - Raquel Welch Wigs 4\" Short Windswept Free Form Textured Length Tru2Life Heat Friendly Synthetic Lace Front Bundle MaxWigs Hairloss Booklet", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "instruction_text": "i am interested in a synthetic wig that is silver, and price lower than 190.00 dollars", "attributes": ["synthetic hair"], "price_upper": 190.0, "goal_options": ["rl56 | 60 silver mist"], "weight": 1}, "content": {"keywords": ["silver", "synthetic", "wig"], "search_result_asins": ["B07B6T26SV", "B07CZ2MQBS", "B07B4H7YNY", "B07BGCBYM4", "B07B9M7C1X", "B07BB1FJV8", "B07BB39V16", "B07CYMCKJ1", "B08CL4FG29", "B07CZ23N43"], "page": 1}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_6/B07B6T26SV/%5B%27silver%27%2C%20%27synthetic%27%2C%20%27wig%27%5D/1/%7B%7D", "goal": {"asin": "B07NDLGGS1", "category": "beauty", "query": "hair loss products", "name": "Advanced French Wig Color RL38 SMOKED WALNUT - Raquel Welch Wigs 4\" Short Windswept Free Form Textured Length Tru2Life Heat Friendly Synthetic Lace Front Bundle MaxWigs Hairloss Booklet", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "instruction_text": "i am interested in a synthetic wig that is silver, and price lower than 190.00 dollars", "attributes": ["synthetic hair"], "price_upper": 190.0, "goal_options": ["rl56 | 60 silver mist"], "weight": 1}, "content": {"keywords": "['silver', 'synthetic', 'wig']", "page": "1", "asin": "B07B6T26SV", "options": {}}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_6/%5B%27silver%27%2C%20%27synthetic%27%2C%20%27wig%27%5D/1", "goal": {"asin": "B07NDLGGS1", "category": "beauty", "query": "hair loss products", "name": "Advanced French Wig Color RL38 SMOKED WALNUT - Raquel Welch Wigs 4\" Short Windswept Free Form Textured Length Tru2Life Heat Friendly Synthetic Lace Front Bundle MaxWigs Hairloss Booklet", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "instruction_text": "i am interested in a synthetic wig that is silver, and price lower than 190.00 dollars", "attributes": ["synthetic hair"], "price_upper": 190.0, "goal_options": ["rl56 | 60 silver mist"], "weight": 1}, "content": {"keywords": ["silver", "synthetic", "wig"], "search_result_asins": ["B07B6T26SV", "B07CZ2MQBS", "B07B4H7YNY", "B07BGCBYM4", "B07B9M7C1X", "B07BB1FJV8", "B07BB39V16", "B07CYMCKJ1", "B08CL4FG29", "B07CZ23N43"], "page": 1}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_6/B07B4H7YNY/%5B%27silver%27%2C%20%27synthetic%27%2C%20%27wig%27%5D/1/%7B%7D", "goal": {"asin": "B07NDLGGS1", "category": "beauty", "query": "hair loss products", "name": "Advanced French Wig Color RL38 SMOKED WALNUT - Raquel Welch Wigs 4\" Short Windswept Free Form Textured Length Tru2Life Heat Friendly Synthetic Lace Front Bundle MaxWigs Hairloss Booklet", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "instruction_text": "i am interested in a synthetic wig that is silver, and price lower than 190.00 dollars", "attributes": ["synthetic hair"], "price_upper": 190.0, "goal_options": ["rl56 | 60 silver mist"], "weight": 1}, "content": {"keywords": "['silver', 'synthetic', 'wig']", "page": "1", "asin": "B07B4H7YNY", "options": {}}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_6/%5B%27silver%27%2C%20%27synthetic%27%2C%20%27wig%27%5D/1", "goal": {"asin": "B07NDLGGS1", "category": "beauty", "query": "hair loss products", "name": "Advanced French Wig Color RL38 SMOKED WALNUT - Raquel Welch Wigs 4\" Short Windswept Free Form Textured Length Tru2Life Heat Friendly Synthetic Lace Front Bundle MaxWigs Hairloss Booklet", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "instruction_text": "i am interested in a synthetic wig that is silver, and price lower than 190.00 dollars", "attributes": ["synthetic hair"], "price_upper": 190.0, "goal_options": ["rl56 | 60 silver mist"], "weight": 1}, "content": {"keywords": ["silver", "synthetic", "wig"], "search_result_asins": ["B07B6T26SV", "B07CZ2MQBS", "B07B4H7YNY", "B07BGCBYM4", "B07B9M7C1X", "B07BB1FJV8", "B07BB39V16", "B07CYMCKJ1", "B08CL4FG29", "B07CZ23N43"], "page": 1}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_6/B07BGCBYM4/%5B%27silver%27%2C%20%27synthetic%27%2C%20%27wig%27%5D/1/%7B%7D", "goal": {"asin": "B07NDLGGS1", "category": "beauty", "query": "hair loss products", "name": "Advanced French Wig Color RL38 SMOKED WALNUT - Raquel Welch Wigs 4\" Short Windswept Free Form Textured Length Tru2Life Heat Friendly Synthetic Lace Front Bundle MaxWigs Hairloss Booklet", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "instruction_text": "i am interested in a synthetic wig that is silver, and price lower than 190.00 dollars", "attributes": ["synthetic hair"], "price_upper": 190.0, "goal_options": ["rl56 | 60 silver mist"], "weight": 1}, "content": {"keywords": "['silver', 'synthetic', 'wig']", "page": "1", "asin": "B07BGCBYM4", "options": {}}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_6/%5B%27silver%27%2C%20%27synthetic%27%2C%20%27wig%27%5D/1", "goal": {"asin": "B07NDLGGS1", "category": "beauty", "query": "hair loss products", "name": "Advanced French Wig Color RL38 SMOKED WALNUT - Raquel Welch Wigs 4\" Short Windswept Free Form Textured Length Tru2Life Heat Friendly Synthetic Lace Front Bundle MaxWigs Hairloss Booklet", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "instruction_text": "i am interested in a synthetic wig that is silver, and price lower than 190.00 dollars", "attributes": ["synthetic hair"], "price_upper": 190.0, "goal_options": ["rl56 | 60 silver mist"], "weight": 1}, "content": {"keywords": ["silver", "synthetic", "wig"], "search_result_asins": ["B07B6T26SV", "B07CZ2MQBS", "B07B4H7YNY", "B07BGCBYM4", "B07B9M7C1X", "B07BB1FJV8", "B07BB39V16", "B07CYMCKJ1", "B08CL4FG29", "B07CZ23N43"], "page": 1}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_6/B07B9M7C1X/%5B%27silver%27%2C%20%27synthetic%27%2C%20%27wig%27%5D/1/%7B%7D", "goal": {"asin": "B07NDLGGS1", "category": "beauty", "query": "hair loss products", "name": "Advanced French Wig Color RL38 SMOKED WALNUT - Raquel Welch Wigs 4\" Short Windswept Free Form Textured Length Tru2Life Heat Friendly Synthetic Lace Front Bundle MaxWigs Hairloss Booklet", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "instruction_text": "i am interested in a synthetic wig that is silver, and price lower than 190.00 dollars", "attributes": ["synthetic hair"], "price_upper": 190.0, "goal_options": ["rl56 | 60 silver mist"], "weight": 1}, "content": {"keywords": "['silver', 'synthetic', 'wig']", "page": "1", "asin": "B07B9M7C1X", "options": {}}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_6/%5B%27silver%27%2C%20%27synthetic%27%2C%20%27wig%27%5D/1", "goal": {"asin": "B07NDLGGS1", "category": "beauty", "query": "hair loss products", "name": "Advanced French Wig Color RL38 SMOKED WALNUT - Raquel Welch Wigs 4\" Short Windswept Free Form Textured Length Tru2Life Heat Friendly Synthetic Lace Front Bundle MaxWigs Hairloss Booklet", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "instruction_text": "i am interested in a synthetic wig that is silver, and price lower than 190.00 dollars", "attributes": ["synthetic hair"], "price_upper": 190.0, "goal_options": ["rl56 | 60 silver mist"], "weight": 1}, "content": {"keywords": ["silver", "synthetic", "wig"], "search_result_asins": ["B07B6T26SV", "B07CZ2MQBS", "B07B4H7YNY", "B07BGCBYM4", "B07B9M7C1X", "B07BB1FJV8", "B07BB39V16", "B07CYMCKJ1", "B08CL4FG29", "B07CZ23N43"], "page": 1}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_6/B07B9M7C1X/%5B%27silver%27%2C%20%27synthetic%27%2C%20%27wig%27%5D/1/%7B%7D", "goal": {"asin": "B07NDLGGS1", "category": "beauty", "query": "hair loss products", "name": "Advanced French Wig Color RL38 SMOKED WALNUT - Raquel Welch Wigs 4\" Short Windswept Free Form Textured Length Tru2Life Heat Friendly Synthetic Lace Front Bundle MaxWigs Hairloss Booklet", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "instruction_text": "i am interested in a synthetic wig that is silver, and price lower than 190.00 dollars", "attributes": ["synthetic hair"], "price_upper": 190.0, "goal_options": ["rl56 | 60 silver mist"], "weight": 1}, "content": {"keywords": "['silver', 'synthetic', 'wig']", "page": "1", "asin": "B07B9M7C1X", "options": {}}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_6/B07B9M7C1X/%5B%27silver%27%2C%20%27synthetic%27%2C%20%27wig%27%5D/1/%7B%27color%27:%20%273t280%27%7D", "goal": {"asin": "B07NDLGGS1", "category": "beauty", "query": "hair loss products", "name": "Advanced French Wig Color RL38 SMOKED WALNUT - Raquel Welch Wigs 4\" Short Windswept Free Form Textured Length Tru2Life Heat Friendly Synthetic Lace Front Bundle MaxWigs Hairloss Booklet", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "instruction_text": "i am interested in a synthetic wig that is silver, and price lower than 190.00 dollars", "attributes": ["synthetic hair"], "price_upper": 190.0, "goal_options": ["rl56 | 60 silver mist"], "weight": 1}, "content": {"keywords": "['silver', 'synthetic', 'wig']", "page": "1", "asin": "B07B9M7C1X", "options": {"color": "3t280"}}} +{"page": "done", "url": "http://3.83.245.205:3000/done/20220427_1_6/B07B9M7C1X/%7B%27color%27:%20%273t280%27%7D", "goal": {"asin": "B07NDLGGS1", "category": "beauty", "query": "hair loss products", "name": "Advanced French Wig Color RL38 SMOKED WALNUT - Raquel Welch Wigs 4\" Short Windswept Free Form Textured Length Tru2Life Heat Friendly Synthetic Lace Front Bundle MaxWigs Hairloss Booklet", "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "instruction_text": "i am interested in a synthetic wig that is silver, and price lower than 190.00 dollars", "attributes": ["synthetic hair"], "price_upper": 190.0, "goal_options": ["rl56 | 60 silver mist"], "weight": 1}, "content": {"asin": "B07B9M7C1X", "options": {"color": "3t280"}, "price": 46.16}, "reward": 0.3333333333333333, "reward_info": {"r_type": 1.0, "r_att": 0.0, "query_match": true, "category_match": true, "title_score": 0.391304347826087, "r_option": 0.0, "r_price": true}} diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_7.jsonl b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_7.jsonl new file mode 100644 index 00000000..03f75e9e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/all_trajs/20220427_1_7.jsonl @@ -0,0 +1,6 @@ +{"page": "index", "url": "http://3.83.245.205:3000/20220427_1_7", "goal": {"asin": "B07XC7GVRK", "category": "electronics", "query": "flashes", "name": "Lenovo Chromebook C340 Laptop, 15.6\" FHD (1920 X 1080) Display, Intel Core i3-8130U Processor, 4GB DDR4 RAM, 64GB SSD, Intel UHD Graphics 620, Chrome OS, 2 In 1 Touchscreen, 81T90002UX, Mineral Grey", "product_category": "Electronics \u203a Computers & Accessories \u203a Computers & Tablets \u203a Laptops \u203a Traditional Laptops", "instruction_text": "i need a lenovo chromebook with intel core i3-8130u, and price lower than 360.00 dollars", "attributes": ["intel core"], "price_upper": 360.0, "goal_options": [], "weight": 1}} +{"page": "search_results", "url": "http://3.83.245.205:3000/search_results/20220427_1_7/%5B%27lenovo%27%2C%20%27chromebook%27%2C%20%27i3-8130u%27%2C%20%27cpu%27%5D/1", "goal": {"asin": "B07XC7GVRK", "category": "electronics", "query": "flashes", "name": "Lenovo Chromebook C340 Laptop, 15.6\" FHD (1920 X 1080) Display, Intel Core i3-8130U Processor, 4GB DDR4 RAM, 64GB SSD, Intel UHD Graphics 620, Chrome OS, 2 In 1 Touchscreen, 81T90002UX, Mineral Grey", "product_category": "Electronics \u203a Computers & Accessories \u203a Computers & Tablets \u203a Laptops \u203a Traditional Laptops", "instruction_text": "i need a lenovo chromebook with intel core i3-8130u, and price lower than 360.00 dollars", "attributes": ["intel core"], "price_upper": 360.0, "goal_options": [], "weight": 1}, "content": {"keywords": ["lenovo", "chromebook", "i3-8130u", "cpu"], "search_result_asins": ["B07XC7GVRK", "B07XMJ7YPC", "B07JZHQTJZ", "B07K8SSD86", "B08LMB7Q4R", "B08YKFTZH6", "B08F11BGHH", "B07N3H74S4", "B07FW4Y793", "B08BZCVLF9"], "page": 1}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_7/B07XC7GVRK/%5B%27lenovo%27%2C%20%27chromebook%27%2C%20%27i3-8130u%27%2C%20%27cpu%27%5D/1/%7B%7D", "goal": {"asin": "B07XC7GVRK", "category": "electronics", "query": "flashes", "name": "Lenovo Chromebook C340 Laptop, 15.6\" FHD (1920 X 1080) Display, Intel Core i3-8130U Processor, 4GB DDR4 RAM, 64GB SSD, Intel UHD Graphics 620, Chrome OS, 2 In 1 Touchscreen, 81T90002UX, Mineral Grey", "product_category": "Electronics \u203a Computers & Accessories \u203a Computers & Tablets \u203a Laptops \u203a Traditional Laptops", "instruction_text": "i need a lenovo chromebook with intel core i3-8130u, and price lower than 360.00 dollars", "attributes": ["intel core"], "price_upper": 360.0, "goal_options": [], "weight": 1}, "content": {"keywords": "['lenovo', 'chromebook', 'i3-8130u', 'cpu']", "page": "1", "asin": "B07XC7GVRK", "options": {}}} +{"page": "item_sub_page", "url": "http://3.83.245.205:3000/item_sub_page/20220427_1_7/B07XC7GVRK/%5B%27lenovo%27%2C%20%27chromebook%27%2C%20%27i3-8130u%27%2C%20%27cpu%27%5D/1/Description/%7B%7D", "goal": {"asin": "B07XC7GVRK", "category": "electronics", "query": "flashes", "name": "Lenovo Chromebook C340 Laptop, 15.6\" FHD (1920 X 1080) Display, Intel Core i3-8130U Processor, 4GB DDR4 RAM, 64GB SSD, Intel UHD Graphics 620, Chrome OS, 2 In 1 Touchscreen, 81T90002UX, Mineral Grey", "product_category": "Electronics \u203a Computers & Accessories \u203a Computers & Tablets \u203a Laptops \u203a Traditional Laptops", "instruction_text": "i need a lenovo chromebook with intel core i3-8130u, and price lower than 360.00 dollars", "attributes": ["intel core"], "price_upper": 360.0, "goal_options": [], "weight": 1}, "content": {"keywords": "['lenovo', 'chromebook', 'i3-8130u', 'cpu']", "page": "1", "asin": "B07XC7GVRK", "options": {}}} +{"page": "item_page", "url": "http://3.83.245.205:3000/item_page/20220427_1_7/B07XC7GVRK/%5B%27lenovo%27%2C%20%27chromebook%27%2C%20%27i3-8130u%27%2C%20%27cpu%27%5D/1/%7B%7D", "goal": {"asin": "B07XC7GVRK", "category": "electronics", "query": "flashes", "name": "Lenovo Chromebook C340 Laptop, 15.6\" FHD (1920 X 1080) Display, Intel Core i3-8130U Processor, 4GB DDR4 RAM, 64GB SSD, Intel UHD Graphics 620, Chrome OS, 2 In 1 Touchscreen, 81T90002UX, Mineral Grey", "product_category": "Electronics \u203a Computers & Accessories \u203a Computers & Tablets \u203a Laptops \u203a Traditional Laptops", "instruction_text": "i need a lenovo chromebook with intel core i3-8130u, and price lower than 360.00 dollars", "attributes": ["intel core"], "price_upper": 360.0, "goal_options": [], "weight": 1}, "content": {"keywords": "['lenovo', 'chromebook', 'i3-8130u', 'cpu']", "page": "1", "asin": "B07XC7GVRK", "options": {}}} +{"page": "done", "url": "http://3.83.245.205:3000/done/20220427_1_7/B07XC7GVRK/%7B%7D", "goal": {"asin": "B07XC7GVRK", "category": "electronics", "query": "flashes", "name": "Lenovo Chromebook C340 Laptop, 15.6\" FHD (1920 X 1080) Display, Intel Core i3-8130U Processor, 4GB DDR4 RAM, 64GB SSD, Intel UHD Graphics 620, Chrome OS, 2 In 1 Touchscreen, 81T90002UX, Mineral Grey", "product_category": "Electronics \u203a Computers & Accessories \u203a Computers & Tablets \u203a Laptops \u203a Traditional Laptops", "instruction_text": "i need a lenovo chromebook with intel core i3-8130u, and price lower than 360.00 dollars", "attributes": ["intel core"], "price_upper": 360.0, "goal_options": [], "weight": 1}, "content": {"asin": "B07XC7GVRK", "options": {}, "price": 339.0}, "reward": 1.0, "reward_info": {"r_type": 1.0, "r_att": 1.0, "query_match": true, "category_match": true, "title_score": 0.9130434782608695, "r_price": true}} diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/assets/diagram.gif b/openmanus_rl/agentgym/agentenv-webshop/webshop/assets/diagram.gif new file mode 100644 index 00000000..ba6d498a Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webshop/webshop/assets/diagram.gif differ diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/assets/model_ckpts.png b/openmanus_rl/agentgym/agentenv-webshop/webshop/assets/model_ckpts.png new file mode 100644 index 00000000..6045ef34 Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webshop/webshop/assets/model_ckpts.png differ diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/assets/transfer-logic.png b/openmanus_rl/agentgym/agentenv-webshop/webshop/assets/transfer-logic.png new file mode 100644 index 00000000..db0fb18b Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webshop/webshop/assets/transfer-logic.png differ diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/.gitignore b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/.gitignore new file mode 100644 index 00000000..acfc254e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/.gitignore @@ -0,0 +1,125 @@ +logs/ +wandb/ +ckpts/ +__pycache__/ +data/il_trajs_finalized_images.jsonl +*.ipynb + + +*.txt +!requirements.txt +scripts/ +*.out +wandb/ +*.swp +logs/ +.DS_Store +.idea/ +nbs/ + +crawl-* + +# Byte-compiled / optimized / DLL files +__pycache__/ +*.py[cod] +*$py.class + +# C extensions +*.so + +# Distribution / packaging +.Python +build/ +develop-eggs/ +dist/ +downloads/ +eggs/ +.eggs/ +lib/ +lib64/ +parts/ +sdist/ +var/ +wheels/ +*.egg-info/ +.installed.cfg +*.egg +MANIFEST + +# PyInstaller +# Usually these files are written by a python script from a template +# before PyInstaller builds the exe, so as to inject date/other infos into it. +*.manifest +*.spec + +# Installer logs +pip-log.txt +pip-delete-this-directory.txt + +# Unit test / coverage reports +htmlcov/ +.tox/ +.coverage +.coverage.* +.cache +nosetests.xml +coverage.xml +*.cover +.hypothesis/ +.pytest_cache/ + +# Translations +*.mo +*.pot + +# Django stuff: +*.log +local_settings.py +db.sqlite3 + +# Flask stuff: +instance/ +.webassets-cache + +# Scrapy stuff: +.scrapy + +# Sphinx documentation +docs/_build/ + +# PyBuilder +target/ + +# Jupyter Notebook +.ipynb_checkpoints + +# pyenv +.python-version + +# celery beat schedule file +celerybeat-schedule + +# SageMath parsed files +*.sage.py + +# Environments +.env +.venv +env/ +venv/ +ENV/ +env.bak/ +venv.bak/ + +# Spyder project settings +.spyderproject +.spyproject + +# Rope project settings +.ropeproject + +# mkdocs documentation +/site + +# mypy +.mypy_cache/ diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/README.md b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/README.md new file mode 100644 index 00000000..2723bb04 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/README.md @@ -0,0 +1,77 @@ +# 🤖 WebShop Baseline Models + +This repository contains the source code for the baseline models discussed in the original paper, along with instructions for training the models and running them on WebShop. +## 🚀 Set Up +* Install additional dependencies via `pip install -r requirements.txt` +* Download the training data for choice IL and place it into the `data` folder +```bash +cd data +unzip il_trajs_finalized_images.zip +cd .. +``` +* Download the trained model checkpoints for search and choice IL from [here](https://drive.google.com/drive/folders/1liZmB1J38yY_zsokJAxRfN8xVO1B_YmD?usp=sharing). + +When running the scripts discussed below, by default, the code will seek out the model parameters specified in the files/folders of the trained model checkpoints as: +* `./ckpts/web_click/epoch_9/model.pth` for `choice_il_epoch9.pth` +* `./ckpts/web_search/checkpoint-800` for `checkpoints-800/` (from `search_il_checkpoints_800.zip`) + +We recommend creating these directories and putting the renamed files in the aforementioned, corresponding locations. If you are currently in this directory (`baseline_models`) and have the model checkpoints `.zip` file in your `Downloads` folder, these commands should do the trick. +```bash +mkdir -p ckpts/web_click/epoch_9/ +mkdir -p ckpts/web_search/ +mv ~/Downloads/choice_il_epoch9.pth ~/Downloads/model.pth +mv ~/Downloads/model.pth ckpts/web_click/epoch_9/ +mv ~/Downloads/search_il_checkpoints_800.zip ckpts/web_search/ +unzip ckpts/web_search_il_checkpoints_800.zip +``` + +Your final layout should look like this: +

+ +

+ + +On the other hand, if you'd like to put the files in a custom location, you can specify the custom file paths as arguments for the `test.py` as described below. + +## 🛠️ Usage +➤ Train the **search IL model** (BART Transformer): +> Note: Trained values will be output to `./ckpts/web_search` based on this [line](https://github.com/princeton-nlp/WebShop/blob/master/baseline_models/train_search_il.py#L119) +```bash +python train_search.py +``` + +➤ Train the **choice IL model** (BERT Transformer): +> Notes: Trained values will be output to `./ckpts/web_choice` based on this [line](https://github.com/princeton-nlp/WebShop/blob/master/baseline_models/train_choice_il.py#L299); List of Arguments [here](https://github.com/princeton-nlp/WebShop/blob/master/baseline_models/train_choice_il.py#L213) +```bash +python train_choice.py +``` + +➤ Train the **choice RL** models +> Note: List of Arguments [here](https://github.com/princeton-nlp/WebShop/blob/master/baseline_models/train_rl.py#L171) +```bash +python train_rl.py +``` + +## 🧪 Testing +- Test the model on WebShop: +```bash +python test.py +``` +- List of Arguments [here](https://github.com/princeton-nlp/WebShop/blob/master/baseline_models/test.py#L86) + - `--model_path` should point to the `choice_il_epoch9.pth` file + - `--bart_path` should point to the `checkpoints-800/` folder + +### 📙 Notes about Testing +1. You can specify the choice model path (`--model_path`) and the search model path (`--bart_path`) to load different models. + +2. While the rule baseline result is deterministic, model results could have variance due to the softmax sampling of the choice policy. `--softmax 0` will use a greedy policy and yield deterministic (but worse) results. + +3. `--bart 0` will use the user instruction as the only search query. + +## 🔀 Miscellaneous +Generate the search IL model's top-10 queries on all WebShop instructions: +```bash +# Will generate ./data/goal_query_predict.json +python generate_search.py +``` + diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/agent.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/agent.py new file mode 100644 index 00000000..8a8166f0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/agent.py @@ -0,0 +1,162 @@ +import os +import random +import torch +import torch.nn as nn +import torch.nn.functional as F +from transformers import AutoTokenizer +from collections import defaultdict, namedtuple + +from models.bert import BertConfigForWebshop, BertModelForWebshop +from models.rnn import RCDQN + +device = torch.device("cuda" if torch.cuda.is_available() else "cpu") + +State = namedtuple('State', ('obs', 'goal', 'click', 'estimate', 'obs_str', 'goal_str', 'image_feat')) +TransitionPG = namedtuple('TransitionPG', ('state', 'act', 'reward', 'value', 'valid_acts', 'done')) + + +def discount_reward(transitions, last_values, gamma): + returns, advantages = [], [] + R = last_values.detach() # always detached + for t in reversed(range(len(transitions))): + _, _, rewards, values, _, dones = transitions[t] + R = torch.FloatTensor(rewards).to(device) + gamma * R * (1 - torch.FloatTensor(dones).to(device)) + baseline = values + adv = R - baseline + returns.append(R) + advantages.append(adv) + return returns[::-1], advantages[::-1] + + +class Agent: + def __init__(self, args): + # tokenizer + self.tokenizer = AutoTokenizer.from_pretrained('bert-base-uncased', truncation_side='left', max_length=512) + self.tokenizer.add_tokens(['[button], [button_], [clicked button], [clicked button_]'], special_tokens=True) + vocab_size = len(self.tokenizer) + embedding_dim = args.embedding_dim + + # network + if args.network == 'rnn': + self.network = RCDQN(vocab_size, embedding_dim, + args.hidden_dim, args.arch_encoder, args.grad_encoder, None, args.gru_embed, args.get_image, args.bert_path) + self.network.rl_forward = self.network.forward + elif args.network == 'bert': + config = BertConfigForWebshop(image=args.get_image, pretrained_bert=(args.bert_path != 'scratch')) + self.network = BertModelForWebshop(config) + if args.bert_path != '' and args.bert_path != 'scratch': + self.network.load_state_dict(torch.load(args.bert_path, map_location=torch.device('cpu')), strict=False) + else: + raise ValueError('Unknown network: {}'.format(args.network)) + self.network = self.network.to(device) + + self.save_path = args.output_dir + self.clip = args.clip + self.w = {'loss_pg': args.w_pg, 'loss_td': args.w_td, 'loss_il': args.w_il, 'loss_en': args.w_en} + self.optimizer = torch.optim.Adam(self.network.parameters(), lr=args.learning_rate) + self.gamma = args.gamma + + def build_state(self, ob, info): + """ Returns a state representation built from various info sources. """ + obs_ids = self.encode(ob) + goal_ids = self.encode(info['goal']) + click = info['valid'][0].startswith('click[') + estimate = info['estimate_score'] + obs_str = ob.replace('\n', '[SEP]') + goal_str = info['goal'] + image_feat = info.get('image_feat') + return State(obs_ids, goal_ids, click, estimate, obs_str, goal_str, image_feat) + + + def encode(self, observation, max_length=512): + """ Encode an observation """ + observation = observation.lower().replace('"', '').replace("'", "").strip() + observation = observation.replace('[sep]', '[SEP]') + token_ids = self.tokenizer.encode(observation, truncation=True, max_length=max_length) + return token_ids + + def decode(self, act): + act = self.tokenizer.decode(act, skip_special_tokens=True) + act = act.replace(' [ ', '[').replace(' ]', ']') + return act + + def encode_valids(self, valids, max_length=64): + """ Encode a list of lists of strs """ + return [[self.encode(act, max_length=max_length) for act in valid] for valid in valids] + + + def act(self, states, valid_acts, method, state_strs=None, eps=0.1): + """ Returns a string action from poss_acts. """ + act_ids = self.encode_valids(valid_acts) + + # sample actions + act_values, act_sizes, values = self.network.rl_forward(states, act_ids, value=True, act=True) + act_values = act_values.split(act_sizes) + if method == 'softmax': + act_probs = [F.softmax(vals, dim=0) for vals in act_values] + act_idxs = [torch.multinomial(probs, num_samples=1).item() for probs in act_probs] + elif method == 'greedy': + act_idxs = [vals.argmax(dim=0).item() for vals in act_values] + elif method == 'eps': # eps exploration + act_idxs = [vals.argmax(dim=0).item() if random.random() > eps else random.randint(0, len(vals)-1) for vals in act_values] + acts = [acts[idx] for acts, idx in zip(act_ids, act_idxs)] + + # decode actions + act_strs, act_ids = [], [] + for act, idx, valids in zip(acts, act_idxs, valid_acts): + if torch.is_tensor(act): + act = act.tolist() + if 102 in act: + act = act[:act.index(102) + 1] + act_ids.append(act) # [101, ..., 102] + if idx is None: # generative + act_str = self.decode(act) + else: # int + act_str = valids[idx] + act_strs.append(act_str) + return act_strs, act_ids, values + + + def update(self, transitions, last_values, step=None, rewards_invdy=None): + returns, advs = discount_reward(transitions, last_values, self.gamma) + stats_global = defaultdict(float) + for transition, adv in zip(transitions, advs): + stats = {} + log_valid, valid_sizes = self.network.rl_forward(transition.state, transition.valid_acts) + act_values = log_valid.split(valid_sizes) + log_a = torch.stack([values[acts.index(act)] + for values, acts, act in zip(act_values, transition.valid_acts, transition.act)]) + + stats['loss_pg'] = - (log_a * adv.detach()).mean() + stats['loss_td'] = adv.pow(2).mean() + stats['loss_il'] = - log_valid.mean() + stats['loss_en'] = (log_valid * log_valid.exp()).mean() + for k in stats: + stats[k] = self.w[k] * stats[k] / len(transitions) + stats['loss'] = sum(stats[k] for k in stats) + stats['returns'] = torch.stack(returns).mean() / len(transitions) + stats['advs'] = torch.stack(advs).mean() / len(transitions) + stats['loss'].backward() + + # Compute the gradient norm + stats['gradnorm_unclipped'] = sum(p.grad.norm(2).item() for p in self.network.parameters() if p.grad is not None) + nn.utils.clip_grad_norm_(self.network.parameters(), self.clip) + stats['gradnorm_clipped'] = sum(p.grad.norm(2).item() for p in self.network.parameters() if p.grad is not None) + for k, v in stats.items(): + stats_global[k] += v.item() if torch.is_tensor(v) else v + del stats + self.optimizer.step() + self.optimizer.zero_grad() + return stats_global + + def load(self): + try: + self.network = torch.load(os.path.join(self.save_path, 'model.pt')) + except Exception as e: + print("Error saving model.", e) + + def save(self): + try: + torch.save(self.network, os.path.join(self.save_path, 'model.pt')) + except Exception as e: + print("Error saving model.", e) diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/data/goal_query_map.json b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/data/goal_query_map.json new file mode 100644 index 00000000..8e6b6424 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/data/goal_query_map.json @@ -0,0 +1,5211 @@ +{ + "i am looking for easy spirit traveltime529 mule shoes with arch support, rubber soles and in size 7.5 wide": [ + "easy spirit traveltime529 mule shoes arch support" + ], + "i am looking for high knee womens flat sandals of size 8": [ + "size 8 flat sandals high knee" + ], + "large size white colored 1/4 zip golf shirt long sleeve athletic pullover with brushed fleece lining": [ + "large white golf shirt long sleeve athletic pullover with fleece lining" + ], + "i want a solid wood table in dark cognac brown color for my living room": [ + "wood table dark cognac brown" + ], + "id like to buy a small white jumpsuit with a relaxed fit": [ + "small white jumpsuit with a relaxed fit" + ], + "i would like a high quality shower cap that is in a nautical dog pattern": [ + "nautical dog pattern shower cap", + "nautical dog shower cap high quality" + ], + "i am searching for 2 packs of gluten free chewy chocolate chip granola bars": [ + "2 pack gluten free chewy chocolate chip granola bars" + ], + "can you find me a shelf stable potato side dish? i want something that i can cook in the microwave": [ + "shelf stable potato side dish" + ], + "im looking for monocular telescope tripod phone mount binoculars": [ + "monocular telescope tripod phone mount binoculars" + ], + "i need an usda organic jinxuan oolong tea bag that is hand crafted": [ + "usda organic jinxuan oolong tea bag that is hand crafted", + "jinxuan oolong tea bag" + ], + "i am interested in buying a blue colored noise cancelling headphones with wireless bluetooth available": [ + "bluetooth noise cancelling headphones", + "wireless bluetooth headphones noise canceling", + "wireless bluetooth headphones", + "bluetooth wireless noise cancelling earphones" + ], + "i want a fragrance and alcohol free tropical waters rose water face mist make up setting spray": [ + "fragrance free alcohol free tropical waters rose water face mist make up setting spray" + ], + "i am looking for a high speed 3 foot red usb cable": [ + "3 foot red usb cable", + "high speed red usb cable 3ft up to 30 dollars" + ], + "i want trader joes organic apple banana fruit crushers": [ + "trader joes organic apple banana fruit crushers" + ], + "i want a gluten free cake snack": [ + "gluten free snack cake", + "gluten free cake snack" + ], + "i am looking for a high power sound column subwoofer, that uses bluetooth and is also a 3d surround sound system": [ + "high power sound column subwoofer with bluetooth " + ], + "i would like a extra large pair of peach butt purple shorts with a high waist": [ + "extra large pair of peach butt purple shorts with high waist" + ], + "can you find me a pair of long lasting boat shoes with a synthetic sole? get the ones in a brown varsity color and in 8.5 x narrow": [ + "a pair of long lasting boat shoes" + ], + "i am looking for a long lasting shoe with synthetic sole in 8.5 wide. also choose navy or red": [ + "shoe synthetic sole navy red", + "8.5 navy shoe with synthetic sole" + ], + "im looking for a black alarm clock radio that displays the temperature and uses a usb port": [ + "black alarm clock radio that displays the temperature", + "temperature alarm clock and usb" + ], + "i would like some wild caught crab": [ + "wild caught crab" + ], + "i need butt lifting yoga pants that also has a high waist. pick a blue one": [ + "high waist butt lifting yoga pants in blue" + ], + "i need a heavy duty, height adjustable office chair in pink color": [ + "heavy duty, height adjustable office chair in pink color" + ], + "i am looking for a displayport to hdmi adapter with plug and play option. also support 4k / 30hz": [ + "displayport to hdmi adapter" + ], + "i need some hinges for the cabinet that are heavy duty with a satin nickel finish": [ + "heavy duty cabinet hinges satin nickel finish" + ], + "i need some teeth whitening that also freshens breath": [ + "teeth whitening that also freshens breath" + ], + "i am looking for fragrance free eye cream effective for dark circle": [ + "fragrance free eye cream", + "fragrance free eye cream dark circles" + ], + "i am looking for a real fruit coconut and pineapple drink": [ + "real fruit coconut and pineapple drink", + "real fruit coconut and pineapple drink" + ], + "i need a blue area rug for the living room": [ + "blue area rug living room" + ], + "i need plant based and sulfate free shampoo which prevents hair loss and regenerates hair growth": [ + "shampoo, plant based, sulfate free, hair loss" + ], + "im looking for dermatologically certified serum skin that contains hyaluronic acid for sensitive skin and is fragrance free": [ + "dermatologically certified serum skin with hyaluronic acid for sensitive skin and is fragrance free" + ], + "im looking for gluten free 1.4 ounce (pack of 12) bars": [ + "1.4 ounce (pack of 12) bars" + ], + "i need a long lasting cell phone that is 128 gb": [ + "128 gb cell phone long lasting" + ], + "i would like to buy a white colored easy to assemble book case for my living room": [ + "book case in white color" + ], + "i am looking for button tufted , easy assemble velvet ottoman bench with white faux fur in color": [ + "button tufted velvet white" + ], + "i would like some rubber sole oxfords that are tan and a size 9": [ + "tan rubber sole oxford in size 9" + ], + "find me a brushed nickel wall sconce": [ + "brushed nickel wall sconce up to 190 dollars" + ], + "i am looking for a pink/blue switch gaming keyboard that is non-slip": [ + "pink blue switch gaming keyboard non-slip" + ], + "i would like a floor lamp for my living room": [ + "floor lamp living room" + ], + "im looking for a sound bar that fits a honda 2016-2022 with a pioneer 5 utv": [ + "sound bar that fits a honda 2016-2022 with a pioneer 5 utv" + ], + "i am looking for bubble bee themed cupcake toppers for my daughters birthday part decorations": [ + "bubble bee themed cupcake toppers" + ], + "i want a natural lip bam contain vagan oil containt": [ + "natural lip bam contain vagan oil containt" + ], + "im looking for a solid wood bookcase in espresso color. would prefer it to be in the size of 5-shelf": [ + "espressor color solid wood bookcase 5-shelf", + "5-shelf size solid wood bookcase" + ], + "i would like a mango flavored salt water taffy that is old fashioned": [ + "mango old fashioned salt water taffy", + "old fashioned salt water taffy", + "old fashioned mango salt water taffy" + ], + "im looking for long sleeve clothing its for blue in clor": [ + "long sleeve blue shirt" + ], + "im interested in purchasing a black colored easy to apply bun maker": [ + "black bun maker" + ], + "i am looking for 2 piece long sleeve blue#b color swimwear for women. also x-large one": [ + "blue long sleeve swimwear for women set up to 60 dollars", + "long sleeve for women 2 piece swimwear cheap", + "2 piece long sleeve swinwear", + "long sleeve swinwear blue for women", + "2 piece long sleeve swinsuit for women", + "swinwear with long sleeve in blue color", + "long sleeve swinwear swinsuit for women athletic", + "plus size swinwear swinsuit", + "long sleeve swimwear for women plus size", + "blue#b color 2 piece swimwear in x-large" + ], + "im looking for gluten free it contains many proteins": [ + "gluten free high in protein" + ], + "i want a tempered glass screen protector that i can use for my iphone se": [ + "iphone se tempered glass screen protector" + ], + "can you search for keeyo womens oversized jumpsuits? are summer casual baggy pants, daily wear with wide legs please find this costume for me in blue color and x-large size": [ + "keeyo womens oversized jumpsuits casual baggy pants blue" + ], + "i need a 1 fl oz bottle of organic neem oil for hair growth": [ + "1 fl oz bottle of organic neem oil", + "1 fl oz bottle of organic neem oil hair growth" + ], + "i need an engineered wood end table": [ + "engineered wood end table" + ], + "could you get me listerine toothpaste that takes care of bad breath?": [ + "fresh breath listerine toothpaste" + ], + "im looking for a easy to assemble dresser storage organizer with steel frame. also, choose small size black grey colored one": [ + "steel frame dresser small black grey" + ], + "i want to find a tempered glass covering film that i can use on my dining room windows. the dimensions should be 23.6 inches by 47.2 inches and film should come in a set of two": [ + "tempered glass covering film", + "tempered glass covering film dining room windows", + "glass film 23.6 by 47.2" + ], + "i would like to have a plug and play high speed usb flash drive that is blue and black, the quantity should be 3 of 32g or 2 of 64g": [ + "plug and play high speed usb flash drive", + "plug and play high speed usb flash drive blue and black 3 of 32g", + "3 of 32g or 2 of 64g flash drive", + "3 32gb flash drive blue and black" + ], + "find me a high speed dual style package with 12 power amplifier car subwoofer": [ + "high speed dual style package with 12 power amplifier car subwoofer" + ], + "i need a red pair of skechers mens performance shoes with synthetic soles in size 9.5": [ + "skechers mens performance shoes synthetic red" + ], + "i want a loose fitting black pullover that is in a large": [ + "large loose fitting black pullover" + ], + "i would like a 25.4 fluid ounce bottle of hot butter rum syrup made from natural ingredients": [ + "25.4 fluid ounce bottle of hot butter rum syrup made from natural ingredients", + "25.4 fluid ounce bottle of hot butter rum syrup", + "25.4 fluid ounce bottle of hot butter rum", + "hot butter rum syrup 25.4 oz" + ], + "i am looking for a solid wood chaise lounge for my living room": [ + "solid wood chaise lounge for my living room", + "solid wood chaise lounge living room" + ], + "i want a bezel-less vizio 43-inch d-series full hd 1080p smart tv": [ + "vizio 43-inch full hd 1080p smart tv with bezel-less" + ], + "im looking for fine mist body spray the bottle continues the warm of water": [ + "fine misted body spray, warm water", + "body spray fine misted warm water", + "fine mist body spray", + "fine mist body spray warm water", + "fine mist body spray" + ], + "i would like a pink size 5 high heel shoe with a rubber sole": [ + "size 5 high heel shoe with a rubber sole in pink", + "pink size 5 high heel shoe with a rubber sole", + "pink size 5 high heel shoe with a rubber sole" + ], + "i need high quality pillow covers in color a-8 and it should be fade resistant": [ + "a-8 color pillow cover", + "high quality pillow covers in color a-8 and it should be fade resistant", + "pillow covers color a-8 fade resistant", + "pillow cover color a8" + ], + "i want mivofun 11pcs cute dinosaur cake toppers for a baby shower": [ + "mivofun 11pcs cute dinosaur cake toppers" + ], + "im looking for an 11 ounce bag of caffeine-free, acid-free, prebiotic chicory coffee alternative. also, include vanilla nut flavor. additionally, include medium roast": [ + "1 ounce bag of caffeine-free, acid-free, prebiotic chicory coffee alternative", + "medium roast vanilla nut flavor chicory coffee" + ], + "i need hair extensions of 18 inch in #1 jet black color made of natural hair": [ + "natural hair extensions 18 inch #1 jet black color" + ], + "i am looking for a c type super fast charger for my samsung galaxy s21 mobile": [ + "usb-c charger for samsung galaxy s21 mobile" + ], + "i want something that will let me use my cell phone hands free and has the kansas city chiefs logo on it. it should allow for wireless charging": [ + "kansas city chiefs wireless charging hands free", + "chiefs wireless charging", + "chiefs wireless charging", + "cell phone hands free holder kansas city chiefs wireless charging" + ], + "i need to buy a loveseat for my living room. get one thats flat packed with a wood finish": [ + "flat packed loveseat with wood finish", + "loveseat for living room flat packed with a wood finish", + "flat packed, wood finish love seat" + ], + "i would like a 15 ounce package of blue stork its a boy gift chocolate covered cookies": [ + "blue stork chocolate covered cookies in 15 ounce packet" + ], + "i need everyday seasoning in a 4 piece assortment pack which should have low sodium and is gluten free": [ + "everyday seasoning in a 4 piece assortment pack " + ], + "i am in need of loose hip-hop blue color, x-large sized womens sweatpants that is fit for machine wash": [ + "loose hip-hop blue sweatpants", + "loose hip hop blue sweatpants women" + ], + "can you find some carol wright mens lounge pants in a 5xl? i want the ones with a draw string closure that are charcoal colored": [ + "5xl carol wright mens lounge pants charcoal color" + ], + "i need a red allgala 60x45 super soft, machine wash flannel plush light weight throw blanket": [ + "red allgala 60x45 super soft flannel plush light weight throw blanket" + ], + "im looking for a two piece swimsuit in polyester spandex. i want the black one in x-large": [ + "black x-large swimsuit two piece in polyester spandex", + "polyester spandex two piece swimsuit" + ], + "i am looking for a green ottomans for living room": [ + "green ottoman for living room" + ], + "storage ottoman bench with hinged lid which size 40*40*43cm": [ + "40*40*43 bench with hinged lid" + ], + "i would like a silver signal converter with a usb port": [ + "silver signal converter with a usb port", + "signal converter in silver" + ], + "i would like a non alcoholic cocktail mixer that is one ounce": [ + "non alcoholic cocktail mixer 1 oz up to 60 dollars", + "non alcoholic cocktail mixer 1 ounce up to 60 dollars", + "one ounce non alcoholic mixer", + "non alcoholic cocktail mixer that is one ounce" + ], + "i want machine washable dream catcher light proof curtains that is 55 w x 45 l": [ + "55 w x 45 l dream catcher light proof curtains" + ], + "i am interested in hand crafted hors doeuvres": [ + "hand crafted hors doeuvres" + ], + "im looking for hair extensions for natural hair and straight hair so need to buy it": [ + "hair extension for natural straight hair" + ], + "i want pink hair styling parting combs for braids": [ + "pink hair styling parting combs for braid", + "pink hair styling parting comb" + ], + "i need a blackhead extractor that is silver and easy to use": [ + "blackhead extractor silver" + ], + "i need a heavy duty wall plate cover that is high gloss. i want something in a rocker combo style": [ + "rocker combo high gloss heavy duty wall plate cover" + ], + "i am interested in a non slip area rug that is 70 by 55 inch": [ + "70 by 55 inch non slip area rug" + ], + "im interested in a table runner that is 72x16+13x19x4, easy to clean and machine washable": [ + "table runner that is 72x16+13x19x4, easy to clean and machine washable" + ], + "i want to find a gold pendant light for my living room ceiling": [ + "gold pendant light for living room", + "gold pendant light" + ], + "i need fruit snacks are that are both fat and gluten free": [ + "fruit snacks fat and gluten free" + ], + "i am looking for contemporary designed window treatment curtains that are 52 inches long": [ + "contemporary window treatment curtains 52 inch", + "contemporary window treatment curtains 52 inch" + ], + "im looking for a styling cream that is cruelty free and for short hair": [ + "styling cream cruelty free short hair" + ], + "i want jeans with button closure": [ + "jeans button closure " + ], + "i am looking for 2 ft x 6 ft runner size area rugs that are easy to clean": [ + "2 ft x 6 ft runner size area rugs" + ], + "im looking for an original lightweight lace-up boot for my little toddler; shes a size 7": [ + "original lightweight lace-up boot for my little toddler" + ], + "i want to get a two pack vanity light with brushed nickel finish in color type 2": [ + "vanity light with brushed nickel finish", + "two pack vanity light with brushed nickel finish type 2", + "color type 2 two pack vanity light with brushed nickel finish" + ], + "i want to find a set of two vanity lights with glass shades": [ + "two vanity lights with glass shades" + ], + "entatial aluminum alloy ball head, camera tripod ball head. find and let me know": [ + "entatial aluminum alloy ball head, camera tripod ball head" + ], + "can you direct me to a pair of womens shorts? i want them to have elastic waist and come in black, please": [ + "women elastic shorts black", + "women elastic waist shorts black", + "womens elastic waist shorts" + ], + "i want to find a pair of black mens workout shorts with an elastic waistband. the shorts need to be in size 30": [ + "black mens workout shorts with an elastic waistband in a size 30", + "size 30 mens elastic waistband black workout shorts" + ], + "i would like a 0.28 inch gray hair rollers for natural hair": [ + "0.28 in gray hair roller for natural hair up to 50 dollars" + ], + "i am looking for a height adjustable barstool with footrest. i want something in brown": [ + "height adjustable brown barstool with footrest", + "height adjustable barstool with footrest in brown" + ], + "i am looking for king size pillows in plum": [ + "plum colored king size pillows" + ], + "please help me find an 8oz pack of medical body scrub exfolient that is suitable for sensitive skin": [ + "8oz pack of medical body scrub exfolient", + "8 oz medical body scurb", + "8oz medical body scrub exfolient sensitive skin up to 50 dollars", + "medical body scrub exfolient for sensitive skin", + "medical body scrub exfolient", + "medical body scrub exfolient for sensitive skin" + ], + "i am looking for a clear glass shade, vanity light with black and brushed nickel finish": [ + "clear glass shade, vanity light with black and brushed nickel finish", + "black and brushed nickel finish vanity" + ], + "please help me find a cozy and warm fleece throw blanket. it should be quite large, about 50 by 80 inches": [ + "50 by 80 inches fleece throw blanket" + ], + "i am looking for a heavy duty barber chair thats high quality bar stool. go ahead and get a brown color": [ + "heavy duty barber chair high quality bar stool in brown", + "barber chair heavy duty brown" + ], + "i am looking for a sconce light with a black metal base and a wood finish": [ + "sconce light with a black metal base and wood finish" + ], + "i have an order for an android tablet 8 inches, 2gb ram, 32gb rom, quad core and in green color. i await your return": [ + "8 inch android tablet with 2gb ram, 32 gb rom, quad core " + ], + "i would like a gold plated hdmi cable": [ + "gold plated hdmi cable" + ], + "i want to get a blue 100-foot-long high-speed ethernet cable thats easy to install": [ + "blue 100-foot-long high-speed ethernet cable", + "blue 100-foot-long high-speed ethernet" + ], + "i am looking for anti aging cream with green tea and hyaluronic acid. i want it to be effective for dark circles": [ + "anti aging cream with green tea and hyaluronic acid", + "anti aging cream green tea hyaluronic acid dark circles" + ], + "i would like to have a kosher gelato": [ + "kosher gelato", + "kosher gelato", + "kosher gelato" + ], + "i am looking for a hair growth treatment in the color 3pc": [ + "hair growth treatment 3pc" + ], + "i want a soft silicone mask for sensitive skin": [ + "soft silicone mask for sensitive skin", + "silicone mask for sensitive skin up to 40 dollars", + "silicone mask sensitive skin", + "silicone face mask for sensitive skin" + ], + "i am looking for a wild orchid round lip gross which is cruelty free": [ + "cruelty free wild orchid round lip gloss", + "wild orchid round lip gloss" + ], + "i am looking for grain and gluten free chips": [ + "grain free gluten free chips" + ], + "im looking for butt lifting and the clothing for quick drying and high waist": [ + "butt lifting quick drying high waist" + ], + "i am looking for optical zoom samsung galaxy smartphone of style: s21 ultra + case black": [ + "s21 ultra", + "black s21 ultra samsung galaxy smartphone case " + ], + "i would like to get some medium grey shorts that i can machine wash": [ + "medium grey shorts that i can machine wash" + ], + "i am looking for a case for my smartwatch that is tempered glass and pink rose gold in a 41 mm size": [ + "tempered glass smartwatch case pink rose gold in a 41 mm size" + ], + "i need some hair cutting shears that are gold and six inches": [ + "gold 6 inch hair cutting shears", + "6 gold hair cutting shears", + "gold six inch hair cutting shear", + "gold six inch hair cutting shear" + ], + "i would like a womens xl dark heather cotton tank top thats machine washable": [ + "womens xl dark heather cotton tank top, machine washable, less than $50" + ], + "i would like a long dark red dental chain that is easy to apply": [ + "long dark red dental chain" + ], + "get me a green iphone 12 case that supports wireless charging": [ + "green iphone 12 case that supports wireless charging" + ], + "buy me a 4x-large sized long sleeved shirt made from soft material in g05#black color": [ + "long sleeved shirts, g05 black color", + "4x-large long sleeved shirt soft material g05#" + ], + "i am looking for a grey mules & clogs for day comfert": [ + "grey mules & clogs for day comfert", + "grey mules, clogs" + ], + "i want buy a easy use hair dye hair colouring spray colour should be purple": [ + "easy use hair spray", + "purple hair dye spray" + ], + "i am looking for a medium size low rise underwear string for men": [ + "medium size low rise underwear string for men" + ], + "i am looking for a black color radio alarm clock having stereo sound and hands free": [ + "black radio alarm clock", + "stereo sound black radio alarm clock" + ], + "set of 3 blouse hosiery normal-1, tradional-1, modern-1including matching clothes": [ + "set of 3 blouse hosiery normal-1, tradional-1, modern-1 including matching clothes", + "matching clothes set of 3 blouse up to 50 dollars", + "set of 3 blouse hosiery normal-1, tradional-1, modern-1including matching clothes,", + "hosiery blouse 3 pack" + ], + "i am looking for an easy to use dslr camera with optical zoom": [ + "easy to use dslr camera with optical zoom" + ], + "i need a liquid lip gloss that has natural ingredients and is in the color rabida": [ + "rabida liquid lip gloss" + ], + "i am looking for 0.34 fluid ounce of medium colored concealer. also, please make sure that it is suitable for sensitive skin": [ + "0.34 fluid medium colored concealer for sensitive skin up to 30 dollars" + ], + "i am looking for medium long sleeves sleep & lounge sets": [ + "medium long sleeves sleep & lounge set" + ], + "i want a body wash that is dermatologist tested. it should have a cucumber and aloe scent": [ + "cucumber and aloe scent body wash" + ], + "im looking for a pair of water resistant brown pants": [ + "pair of water resistant brown pants" + ], + "im trying to find a 30-count package of strawberry beet snack bars that my toddler would love. the bars must be nut and dairy free": [ + "strawberry beet snack bars no nuts no dairy" + ], + "i would like to buy a 5.3fl oz bottle of shampoo that is certified cruelty free, please": [ + "cruelty free shampoo 5.3fl oz up to 50 dollars", + "shampoo 5.3oz cruelty free up to 50 dollars", + "bottle of shampoo with 5.3 oz cruelty free up to 50 dollars" + ], + "i would like a high quality shower cap": [ + "shower caps" + ], + "i am looking for a black bike short that is made of nylon spandex. pick a size 16": [ + "nylon spandex bike shorts" + ], + "i am looking for a black iphone 12 max case with wireless charging": [ + "wireless charging iphone 12 max case in black color" + ], + "im looking for a car amp/speaker combo with 8 gauge amp wiring kit with four 450 watt kickers cs series with 2 way car coaxials and a 4 channel bluetooth amp included": [ + "car amp speaker 8 gauge amp 450 watt" + ], + "im looking for a high quality anti-static hair brush": [ + "high quality anti-static hair brush" + ], + "i\u2019m interested in nail art; can you help me find a really high quality nail gel polish with a metallic purple effect?": [ + "nail gel polish with a metallic purple effect", + "metallic purple nail gel polish" + ], + "i am looking for an easy to clean jewelry box with 10 slots": [ + "easy to clean jewelry box with 10 slots", + "jewelry box, 10 slots, less than $60, easy to clean" + ], + "i need a non gmo salad topper with glazed pecans": [ + "non gmo salad topper with glazed pecans" + ], + "im looking for premium chunk chicken fully cooked in 12.5 oz (pack of 6)": [ + "premium chunk chicken fully cooked in 12.5 oz (pack of 6)" + ], + "im looking for some womens sneakers with rubber soles. make sure they are fabric and in a size 6.5": [ + "fabric womens sneakers with rubber sole in size 6.5" + ], + "i need to find a box of trader joe seed crackers that support my gluten-free diet": [ + "box of trader joe seed crackers gluten-free diet", + "trader joe seed crackers" + ], + "i want a x-large short sleeve mayntop womens t-shirt": [ + "x-large short sleeve mayntop womens t-shirt" + ], + "im looking for 4 color eyeshadow palette colorful matte and shimmer": [ + "4 color eyeshadow palette colorful matte and shimmer" + ], + "i am looking for banana pecan fruit snacks that are gluten free": [ + "banana pecan fruit snacks", + "banana pecan snack", + "banana pecan fruit snacks gluten free" + ], + "i need a black twin sized bed": [ + "black twin sized bed" + ], + "i need some eco friendly blackout curtains. it should be 52x45 inches in size": [ + "eco friendly blackout curtains, 52x45 inches" + ], + "i need a hair silicone fiber powder applicator for hair loss, with a pump nozzle": [ + "hair silicone fiber powder applicator for hair loss with pump nozzle" + ], + "i need a faux fur white andeworld swivel barrel chair for my living room": [ + "faux fur white andeworld swivel barrel chair" + ], + "i need a 12 pack of caffeine free nantucket nectars pomegranate cherry juice": [ + "12 pack of caffeine free nantucket nectars pomegranate cherry juice" + ], + "can you get me a margarita mix, palomas, real fruit and not too much sugar, and ill need 32 ounces of it": [ + "margarita mix palomas 32 ounce" + ], + "i am looking for an apple compatible case cover that is clear green or has silver glitter in it": [ + "apple compatible case cover, clear green or silver glitter, less than $40" + ], + "i need 2 panels easy clean window curtains of size 39.5w x 63l x2 for living room": [ + "curtains of size 39.5w x 63l" + ], + "i am looking island lights pendant light fixture colour black": [ + "island pendant light fixture in black", + "island lights pendant light fixture colour black" + ], + "i need a super soft twin throw that is multicolored": [ + "multicolored super soft twin throw up to 50 dollars", + "twin throw multicolored up to 50 dollars" + ], + "im looking for a long sleeve green or yellow plaid shirt with button closure in a size medium": [ + "long sleeve green plaid shirt with buttons in medium" + ], + "i am looking for beauty soaps that contain cocounut oil": [ + "beauty soaps that contain cocounut oil", + "cocounut oil beauty soap", + "coconut oil soap" + ], + "i want to buy shades which are easy to install and have a color of cordless bottom up-blackout-white and with a size of 23w x 66h": [ + "cordless bottom up-blackout-white and with a size of 23w x 66h" + ], + "am looking for low rise lam kwongy sexy yoga shorts for women, blue color": [ + "low rise lam kwongy sexy yoga shorts for women in blue" + ], + "i need a hair elastic for my hair extensions": [ + "hair elastic for hair extensions", + "hair extension hair elastic" + ], + "i need a gift basket with milk chocolate covered peanuts": [ + "gift basket milk chocolate peanuts" + ], + "i want a rca cable that is high def": [ + "high def rca cable" + ], + "i am interested in buying ground seeds which are gmo free, and fat free which have himalayan pink salt fine grind flavor and are in pack of 1 of 2.6 ounce": [ + "himalayan pink salt fine grind flavor ground seeds" + ], + "i want spicy beef meat and cheese gift baskets": [ + "spicy beef meat and cheese gift baskets" + ], + "i am looking for low calorie and zero sugar pomegranate green tea drink mix, 48 count": [ + "low calorie and zero sugar pomegranate green tea drink mix, 48 count", + "low calorie and zero sugar pomegranate green tea drink mix", + "low calorie and zero sugar pomegranate green tea", + "green tea mix no sugar and pomegranate flavor" + ], + "i need a s20 tv sound bar that comes with a wireless bluetooth speaker": [ + "s20 tv sound bar wireless bluetooth speaker" + ], + "i want a hp elite desktop pc with intel quad core i5": [ + "hp elite intel quad core i5 desktop pc" + ], + "i would like a cruelty-free coconut scented shampoo": [ + "cruelty-free coconut scented shampoo" + ], + "i would like a ultra hd usb hub": [ + "usb hub ultra hd" + ], + "i am looking for a high quality wig that is sky blue colored": [ + "high quality wig that is sky blue colored" + ], + "looking for vegan sweet potato puffs non gmo product": [ + "vegan sweet potato puffs" + ], + "i would like a bottle of paraben free hair color": [ + "bottle of paraben free hair color", + "paraben free hair color", + "hair color paraben free", + "hair color", + "paraben free hair color" + ], + "i need a long lasting white eye shadow": [ + "white eye shadow", + "eye shadow, white", + "white eye shadow", + "long lasting eye shadow, white" + ], + "i want a monocular telescope for bird watching": [ + "monocular telescope bird watching" + ], + "i want natierra freeze dried strawberry slices": [ + "natierra freeze dried strawberry slices" + ], + "i need some cute heart-shaped glittery cupcake picks as a gift to bring to a baby shower": [ + "heart-shaped glittery cupcake picks" + ], + "im looking for wall art for hanging through the wall": [ + "hanging wall art" + ], + "show me a king sized machine washable super soft pillow in yellow coral pattern and 30 x 20 size": [ + "super soft pillow in yellow coral pattern and 30 x 20 size", + "king sized machine washable super soft pillow yellow coral pattern 30 x 20 size" + ], + "i am looking for an easy to carry 4-tier black cosmetic box": [ + "easy to carry 4-tier black cosmetic box" + ], + "im looking for 1.5 feet (10 pack) high speed hdmi cable male to male with ethernet black": [ + "10 pack 1.5 feet hdmi cable in black" + ], + "i am looking for grey-1 color womens t-shirt that are machine washable": [ + "grey-1 color womens t-shirt" + ], + "i need a cosmetic bag for my nail polish. get the one in color eleven": [ + "cosmetic bag", + "cosmetic bag nail polish" + ], + "i want a aipsun clear glass globe pendant light fixture": [ + "aipsun clear glass globe pendant light fixture" + ], + "get me a sixteen pack of apple cinnamon freeze dried banana chips": [ + "apple cinnamon banana chips, 16 pack" + ], + "i am looking for a pack of 4 non gmo flatbread crackers that are sesame": [ + "sesame flatbread crackers, non gmo" + ], + "i would like a light blue 32cmx32cmx35cm ottoman with a stainless steel frame": [ + "light blue 32cmx32cmx35cm ottoman with a stainless steel frame" + ], + "i am looking for yuanl 2 pcs stainless steel tongue scraper to clear out the white, coated layer on your tongue or maintain better oral hygiene, this effective tongue scraper for adults and kids": [ + "yuanl 2 pcs stainless steel tongue scraper to clear out the white, coated layer on your tongue or maintain better oral hygiene, this effective tongue scraper for adults and kids", + "yuanl 2pcs stainless steel tongue scraper", + "yuanl 2 pcs stainless steel tongue scraper clear out the white", + "yuani 2pcs stainless steel tongue scraper" + ], + "i am looking for a high performance red speaker with wireless bluetooth": [ + "high performance red speaker with wireless bluetooth" + ], + "i am looking for some maternity skin care that has natural ingredients": [ + "maternity skin care with natural ingredients" + ], + "i need a purple braces brush that is easy to carry": [ + "purple braces brush" + ], + "i want a medium sized t-shirt that has long sleeves": [ + "long sleeve medium size t-shirt" + ], + "i need a blue portable bluetooth speaker that is easy to carry": [ + "blue portable bluetooth speaker" + ], + "im looking for womens bootcut pants in the brand of tapata": [ + "womens bootcut pants in the brand of tapata" + ], + "i am looking for a high speed 12v ac/dc adapter with output protection": [ + "12v ac dc adapter output protection high speed" + ], + "i want to find a height-adjustable desk chair in the color petal green": [ + "height-adjustable desk chair in petal green" + ], + "im looking for clothing its was short sleeve and regular fit. its easily to wear": [ + "regular fit easy wear short sleeve " + ], + "im looking for a high protein meat jerky which should be free from gluten, soy and dairy products": [ + "high protein meat jerky with no gluten, soy and dairy" + ], + "i need matcha and green tea bags that are organics and are 36 count": [ + "matcha and green tea bags organic 36 ct" + ], + "i want pink and non slip luffymomo womens shower slippers": [ + "luffymomo womens shower slippers" + ], + "i am interested in some monoculars that have optical zoom": [ + "monoculars optical zoom" + ], + "im looking for a three pack of grey pendant lights for my dining room": [ + "three pack of grey pendant lights" + ], + "im looking for an xx-large plus elastic closure pants for women. the color can be steel": [ + "xx-large plus elastic closure pants", + "xx-large plus elastic closure pants in steel" + ], + "i am searching for heavy duty complete tripods": [ + "heavy duty tripods" + ], + "i need a six pack of manual toothbrushes that are good for sensitive teeth": [ + "six pack of manual toothbrushes that are good for sensitive teeth" + ], + "i want degree men anti-perspirant": [ + "degree men anti-perspirant" + ], + "i need a leak proof travel bottle that is reusable and comes in 6 pack": [ + "leak proof travel bottle reusable 6 pack" + ], + "i need a futon and chaise set that is made with faux leather. and i would prefer the navy linen color": [ + "futon and chaise set that is made with faux leather in navy linen color" + ], + "i need oil free 8 ounce walnut body scrub": [ + "oil free 8 ounce walnut body scrub" + ], + "mens eau de parfum long lasting for daily use": [ + "mens eau de parfum long lasting" + ], + "i am looking for a high quality hair removal wax bottle": [ + "hair removal wax bottle", + "high quality hair removal wax bottle" + ], + "i am in need of a button tufted sofa for my living room. it should be grey in color": [ + "button tufted sofa in grey" + ], + "i am looking for a blue leather sole loafers & slip-ons": [ + "blue leather sole loafers slip-on" + ], + "i would like a pair of brown size 7 shoes with a rubber sole": [ + "pair of brown size 7 shoes rubber sole" + ], + "i need black non slip zieglen sandals for women": [ + "black non slip zieglen sandals for women" + ], + "im looking for a unisex flip flops in the brand of puma": [ + "puma unisex flipflops" + ], + "im interested in a pair of moss nappa pumps in a size 7 with a rubber sole": [ + "moss nappa pumps in a size 7 with a rubber sole", + "moss nappa pumps in a size 7 with a rubber sole" + ], + "im looking for a package of green tea mix that has low calories and is zero sugar. i would also like it in a 48 count package": [ + "48 count green tea mix" + ], + "im looking for a great river organic milling flour": [ + "great river milling flour" + ], + "i need a large sized coat with long sleeves": [ + "large coat long sleeves up to 70 dollars", + "long sleeve coat large size up to 70 dollars" + ], + "i want to find oil-free concealer that has a light, neutral color": [ + "oil-free concealer light neutral" + ], + "i need a high speed usb flash drive that is 32 gb": [ + "32 gb high speed usb flash drive", + "high speed usb flash drive", + "high speed usb flash drive 32 gb" + ], + "i would like a 32 gigabyte desktop computer with a intel core": [ + "32 gigabyte desktop computer with a intel core" + ], + "i would like a single 15 power amplifier car subwoofer/": [ + "single 15 power amplifier car subwoofer" + ], + "i need a black wall mouinted mirror for the living room": [ + "black wall mounted mirror" + ], + "i need a vanity bench that is contemporary and white": [ + "vanity bench that is contemporary and white", + "white vanity bench" + ], + "i would like a laundry bag": [ + "laundry bag up to 50 dollars", + "laundry bag" + ], + "im interested in a pair of rubber-soled, non-slip snakeskin shoes in a size medium": [ + "shoes, medium, snakeskin, rubber sole" + ], + "i am looking for flower fairy giel with pink wing elves pillow cover for living room": [ + "pink wing elves pillow cover with flower fairy" + ], + "im looking for 22 inch long hair extensions having dark auturn brown color (pack of 1)": [ + "hair extension 22in dark auburn", + "hair extension 22 inches dark auburn" + ], + "i would like a light weight computer speaker that is easy to carry": [ + "computer speakers, lightweight" + ], + "i am looking for caramel flavor chocolate candy for valentine day": [ + "caramel chocolate candy valentines day" + ], + "i need to buy a wall art print for my living room in a natural 16 x 24 x 3": [ + "wall art print natural 16 x 24 x 3" + ], + "i want an orange spencer modern contemporary table lamp for my living room": [ + "orange spencer table lamp for living room", + "orange spencer" + ], + "i would like to buy a three pack of fine combs good for styling dry hair": [ + "three pack of fine combs" + ], + "im looking for some black high heeled sandals for my mom. she wears size 5.5": [ + "5.5 size high heel sandals" + ], + "im looking for a three piece, wall mounted, stainless steel spice rack": [ + "wall mounted stainless steel spice rack 3 pc" + ], + "i would like a 16.9 fluid ounce amber bottle that could be used in a hair salon": [ + "16.9 fluid ounce amber bottle", + "16.9 ounce amber bottle for hair salon" + ], + "i am looking for a mouth guard that is pink and non toxic": [ + "mouth guard pink", + "mouth guard", + "non toxic mouth guard in pink color" + ], + "i am looking for ultra hd motion detection surveillance dome camera color black size :6mp wdr 2.8 mm": [ + "ultra hd motion detection surveillance dome camera color black size :6mp wdr 2.8 mm" + ], + "i am looking for a comfortable desk chair without wheels, for my living room, or dining room. i would like for it to have golden legs": [ + "comfortable desk chair without wheels,golden legs" + ], + "i need a wall sconce with two lights in brushed nickel": [ + "brushed nickel wall sconce with two lights" + ], + "i need a pair of low rise yellow briefs in a large": [ + "low rise yellow briefs in large" + ], + "i am looking for style-10 color wall art for my living room": [ + "style-10 color wall art" + ], + "i need to find the 10 pack of easy to use lankiz magnetic eyelashes that come with the micellar water, tweezers, and the tubes of magnetism": [ + "10 pack of easy to use lankiz magnetic eyelashes" + ], + "i want a 24 pack of gluten free goya foods cream of coconut": [ + "24 pack of gluten free goya foods cream of coconut" + ], + "i need grey memory foam slippers with open toes": [ + "grey memory foam slippers open toe" + ], + "i am looking for ca perfume club fragrance in the 0.17 fl oz travel size": [ + "travel size club fragrance perfume", + "0.17 oz ca perfume" + ], + "i want to find 5.3 ounces of plant-based organic hair dye in a dark chocolate color": [ + "5.3 ounces of plant-based organic hair dye dark chocolate color", + "plant-based organic hair dye dark chocolate color" + ], + "i want a coat rack with white finish": [ + "coat rack with white finish" + ], + "i want 2pcs of tousled updo hair extensions. it should be easy to apply": [ + "hair extensions for updos, 2pcs", + "2pcs of tousled updo hair extensions" + ], + "i want a black 1080p hd mini projector": [ + "1080p hd mini projector" + ], + "im looking for a high quality accessory bundle for my canon camera; speed and performance is essential": [ + "high quality accessory bundle for my canon camera" + ], + "i want a 15 ounce pack of chocolate oreo cookies": [ + "15 ounce pack of chocolate oreo cookies" + ], + "i want solid wood espresso color queen size bed from modus furniture": [ + "modus furniture queen size ben in espresso " + ], + "im looking for double sided hair extensions for hair care accessories": [ + "double sided hair extensions for hair care accessories" + ], + "i just love the matilde vicenzi brand macaroons and i want to try the amaretto ditalia macaroons flavor. the quality of the ingredients is my requirement, if you find it let me know": [ + "amaretto ditalia macaroons flavor" + ], + "im looking for a fresh baked snack cakes made with good quality ingredients. also choose pack of 1 with weight 4 ounce one": [ + "pack of 1 weight 4 ounce snack cakes", + "pack of 1 4 ounce snack cake", + "snack cakes, fresh baked, 4 ounce", + "snack cakes, 1 count, 4 ounce", + "fresh baked snack cakes 4oz" + ], + "i need a small easy care shirt with long sleeves . and i prefer the clover color": [ + "small easy care shirt with long sleeves, clover" + ], + "i am looking for large size soft material womens cardigans with pockets": [ + "soft womens cardigans with pockets" + ], + "im looking for a long lasting foundation that has spf50+. also, choose the color no. 21": [ + "long lasting foundation that has spf50+ in color no. 21" + ], + "original udder balm moisturizer is my choice . please give me fragrance free, 16 oz pump": [ + "original udder balm moisturizer fragrance free 16 oz pump" + ], + "i am interested in 24 inch hair extensions": [ + "hair extension 24 inches less then 80 dollars" + ], + "i am seraching for eco friendly candles and clean cotton holders for my home & kitchen": [ + "candles and clean cotton holder", + "eco friendly candles clean cotton holders home & kitchen" + ], + "i am interested in a six pack of non gmo crackers": [ + "six pack of non gmo crackers" + ], + "i am looking for a kahuna colored capri pant that has a relaxed fit and is in a size 20 plus": [ + "kahuna capri pant relaxed fit size 20" + ], + "i want a bundle of non gmo natierra organic dried mango cheeks": [ + "natierra dried mango cheeks", + "natierra organic dried mango cheeks non gmo up to 40 dollars" + ], + "i want to find italian herb-flavored parmesan cheese crisps that are low in carbs": [ + "italian herb-flavored parmesan cheese crisps that are low in carbs" + ], + "look for the easy chef sampler of green bean snacks. i want the twelve piece non-gmo assortment": [ + "easy chef sampler of green bean snacks twelve piece non-gmo assortment" + ], + "i need a certified refurbished nikon d750": [ + "nikon d750, certified refurbished" + ], + "i am looking for wireless bluetooth noise cancelling over-ear headphones": [ + "wireless over-ear bluetooth noise cancelling headphones" + ], + "i need a slip on shoes with rubber sole . and i choose the 14 size with burgundy color": [ + "slip shoes with rubber sole size 14 burgundy color up to 100 dollars" + ], + "i am looking for a slim fit mens sweatpants. also, choose the y1-black": [ + "slim fit mens sweatpants in y1-black" + ], + "i am looking for a high performance 18 volt charger adapter for beats by dr dre": [ + "high performance 18 volt charger adapter", + "18 volt charger adapter for beats by dr dre", + "high performance 18 volt charger adapter beats by dr dre" + ], + "i am looking for a high quality pink ice face roller with silicone ice mold": [ + "pink ice face roller with silicone ice mold" + ], + "i am looking for a pack of 6 12 ounce gluten free coffee creamer": [ + "pack of 6 12 ounce gluten free coffee creamer" + ], + "i am looking for a lemon yellow airpod case cover compatible with apple airpods and do wireless charging": [ + "lemon yellow airpod case cover with wireless charging" + ], + "find caraway seeds for dietary fiber, need 1 pack with 8 ounce vegan food": [ + "1 pack with 8 ounce caraway seeds" + ], + "i am looking set of 4 black velvet mid century chair for dining room": [ + "velvet mid century chair for dining room set of 4 black", + "black velvet mid century chair dining 4 set" + ], + "i would like a extra round 53mm brush for hair styling": [ + "extra round 53mm brush" + ], + "i used green color coconut oil": [ + "i used green color coconut oil, and price lower than 30.00 dollars" + ], + "i am looking for terrace garden style conditioner that are eco friendly": [ + "terrace garden conditioner eco" + ], + "i want to find an adult tank top thats machine washable and features the italian stallion from rocky": [ + "italian stallion adult tank top" + ], + "im looking for a heavy duty case for my phone. can you get me one in black and orange?": [ + "black and orange heavy duty phone case" + ], + "im looking for led tv stand for 70 inch": [ + "led tv stand 70 inch" + ], + "im looking for all seed savory crisps": [ + "seed savory crisps" + ], + "can you find me some rose gold eyeshadow, please?": [ + "rose gold eyeshadow" + ], + "im looking for a nickel finish valley lightning, preferably the old bronze color": [ + "nickel finish valley lightning bronze" + ], + "i want a extra large yellow mens loose fit shirt": [ + "extra large yellow mens loose fit shirt" + ], + "i want low fat banana chips": [ + "low fat banana chips" + ], + "im looking for a 135 inch light weight projection screen": [ + "projection screen 135 inches" + ], + "i need a fleece jacket that is regular fit size 3x in the color of sea salt": [ + "3x fleece in sea salt" + ], + "im looking for boxer briefs for men": [ + "mens boxer briefs up to 60 dollars" + ], + "i need a cinewhite projector screen that is ultra hd and light weight": [ + "cinewhite projector screen" + ], + "i am looking for a teal color stainlesss steel strap": [ + "teal stainless steel strap" + ], + "im interested in some machine-washable, mens x-large, low-rise briefs in black with an elastic waistband": [ + "mens low-rise briefs" + ], + "check for the following product in pink: honeydew ladies ultra soft cozy lounge leggings, drawstring closure. thanks": [ + "pink honeydew ladies ultra soft cozy lounge leggings with drawstring closure" + ], + "im looking for a magnetic phone mount for car with aluminum alloy and small size": [ + "magnetic phone mount for car with aluminum alloy and small size", + "aluminum alloy magnetic phone mount in small", + "magnetic phone mount for cars" + ], + "im looking for a unique designed, daily wear boxer briefs with elastic waistband. also choose medium size with waistband-stars flag printed one": [ + "unique designed, daily wear boxer briefs with elastic waistband in medium stars flag" + ], + "i need to buy some permanent hair dye. it should be deep ash brown and contain argan oil": [ + "permanent hair dye deep ash brown color with argan oil", + "ash brown hair dye with argan oil" + ], + "i am looking for a ready to hang print that is of sea and glass": [ + "sea and glass print" + ], + "i am looking for yellow anti slip chair cushions": [ + "yellow chair cushions that are anti slip" + ], + "find me a large cardigan sweater for men in long sleeve and machine wash": [ + "large cardigan sweater for men in long sleeve" + ], + "i need an automobile charger that has wireless charging and is black": [ + "wireless charger for automobile" + ], + "i am looking for an oval shaped easy to clean shag area rug": [ + "oval shaped easy to clean shag area rug" + ], + "i need a pack of three long lasting hair color that is dark mahogany brown": [ + "dark mahogany brown hair color pack of three" + ], + "i am looking for 10 pounds of fine grain non gmo sea salt": [ + "10 pounds sea salt " + ], + "i am looking for rose gold colored glitter for nail art": [ + "rose gold colored glitter for nail art" + ], + "i need a pack of 2 apple compatible fast chargers in white": [ + "2 apple compatible fast chargers in white" + ], + "im hoping to buy a medium pair of womens cropped jeans with an elastic waist for everyday wear": [ + "womens cropped jeans with an elastic waist" + ], + "i would like a six pack of ready to eat entrees": [ + "six pack of ready to eat entrees" + ], + "buy me some light weight beige slippers": [ + "beige slippers" + ], + "i would like a pink ottoman with a solid wooden frame": [ + "pink ottoman with solid wooden frame up to 360 dollars" + ], + "im looking for native american indian dream catcher feathers talisman": [ + "native american indian dream catcher feathers talisman", + "talisman indian dream catcher feather" + ], + "i am looking for fine mist women fragrance": [ + "fine mist women fragrance" + ], + "i am looking for hair dye for permanent hair and choose 4 dark brown color in size 1 count pack of 3": [ + "4 dark brown color in size 1 count pack of 3 hair dye" + ], + "i would like a 20m digital 4g lte coaxial cable thats male to female": [ + "20m digital 4g lte coaxial cable thats male to female" + ], + "i am looking for a 2 light vanity light with glass shade": [ + "vanity light with glass shade up to 120 dollars" + ], + "i am looking for a table lamp for my living room": [ + "table lamp " + ], + "i want a ready to eat 9 ounce pack of fries seasoning bottle. it should be low in calories": [ + "9 ounce pack of fries seasoning bottle" + ], + "mens small size soft material elastic clouser comfertable briefs": [ + "mens small size soft material elastic clouser comfertable briefs" + ], + "i am looking for wireless bluetooth headphones that are easy to use": [ + "bluetooth wireless headphones" + ], + "i am looking for an anti-aging serum based on hyaluronic acid in a 1 fl oz bottle": [ + "anti-aging serum hyluronic acid" + ], + "i am looking for a 6x9 ft backgrounds for digital photography": [ + "6x9 ft digital photography background" + ], + "i am searching for a long lasting high quality hair drying towel to dry my hair": [ + "long lasting high quality hair drying towel" + ], + "i would like a pair of womens 11.5 colorful sugar skull sneakers with a anti slip sole": [ + "colorful sugar skull sneakers anti slip sole womens" + ], + "i want a pink water dental oral irrigator for bad breath": [ + "dental oral irrigator for bad breath pink", + "dental oral irrigator for bad breath pink" + ], + "im looking for a gift covered with chocolate and should be in a gift basket": [ + "chocolate gift basket" + ], + "i need a futon mattress in the color a for the living room": [ + "futon mattress for living room up to 90 dollars" + ], + "im looking for a 10 pcs jinxiao snowflake glitter cupcake topper": [ + "10 pcs jinxiao snowflake glitter cupcake toppers" + ], + "i would like a three pack of 4 fluid ounce green envy hair dye": [ + "4 fluid ounce green envy hair dye, 3 pack", + "3 pack 4 fl oz green envy hair dye", + "three pack of 4 fluid ounce green envy hair dye" + ], + "i am looking for fuchsia colored comfortable fit levis bomber jacket for women": [ + "fuchsia colored fit levis women bomber jacket" + ], + "looking for triple bunkbeds in wood for kids with space saving in white and with a twin bunk bed with trundle and drawers": [ + "kids wood triple bunkbeds with space saving in white" + ], + "im looking for a high quality make up brush set in ivory rice color": [ + "ivory rice brush set" + ], + "i am looking for a pair of womens size 11 sandals with arch support": [ + "womens sandals, arch support" + ], + "i need dark chocolate organic syrup": [ + "dark chocolate organic syrup" + ], + "i am looking for a 4 light vanity light with a contemporary design": [ + "4 light vanity light contemporary design" + ], + "i am looking for a t-shirt with funny bigfoot yeti asaquatch for fit type: men in the color of slate with large size": [ + "mens bigfoot yeti t-shirt", + "mens funny t-shirt, bigfoot yeti sasquatch" + ], + "high quality butterfly hair clip for women": [ + "butterfly hair clip for women" + ], + "i want a pair of black, closed pointy toe sandals": [ + "black, closed pointy toe sandals" + ], + "im looking for a french vanilla zero calorie and zero sugarand flavor stevia energy": [ + "french vanilla zero calorie zero sugarand flavor stevia energy" + ], + "i am looking for pink color electric tooth brush which is easy to use": [ + "pink color electric toothbrush that is easy to use" + ], + "i would like a lead free bracelet birthday cake jar candle": [ + "lead free bracelet birthday cake jar candle" + ], + "i need a blue sherpa wool sweatshirt": [ + "blue sherpa wool sweatshirt" + ], + "i am looking for the perfect gift, with quality ingredients like jack daniels pecan": [ + "jack daniels pecan gift" + ], + "i need a display usb port for 1080p hd to hdmi. pick one that is 10ft": [ + "displayport to hdmi 10ft" + ], + "i am looking for 5mp ptz poe camera with 20x optical zoom lens": [ + "5mp ptz poe camera with 20x optical zoom lens" + ], + "i am looking for ladies large size black06 colored jeans with straight leg fit": [ + "black06 colored jeans straight leg fit in large", + "black06 colored jeans" + ], + "i am searching for womens two button lux dry clean blazer of 16 size charcoal color": [ + "womens two button lux dry clean blazer charcoal " + ], + "i am looking for manual toothbrush for sensitive teeth. please choose blue color": [ + "manual toothbrush for sensitive teeth", + "manual toothbrush for sensitive teethblue" + ], + "i am looking for a heavy duty purple case with a screen protector and kickstand for a samsung galaxy tablet": [ + "heavy duty purple samsung galaxy tablet case with kickstand" + ], + "i am looking for delicious flavor starkist chicken creations, chicken salad, 2.6 oz pouch,pack of 12 which is soy free and gluten free easy to prepare, perfect fit for today\u2019s active lifestyle. buffalo style flavor preferable": [ + "2.6 oz pouch pack of 12 buffalo style starkist chicken creations" + ], + "i am looking for dark denim color ethylene vinyl ultra train of size 10, 3rd generation for men": [ + "size 10 3rd generation in dark denim ethylene vinyl ultra train" + ], + "i want to find a usb headset thats certifiably refurbished and has a plug to play": [ + "refurbished usb headset plug to play" + ], + "i want to buy an argan oil hair treatment for damaged hair": [ + "argan oil hair treatment for damaged hair" + ], + "i am looking for a wall art of size 40x20 for my living room": [ + "40x20 wall decor" + ], + "i need storage cabinets for the living room that are white": [ + "white storage cabinets for living room" + ], + "im looking for a hair salon stool that offers height adjustment and is the color blue": [ + "blue hair salon stool height adjustment up to 160 dollars" + ], + "i am searching for 3 colors makeup naked long lasting eye shadow": [ + "3 colors makeup naked long lasting eye shadow", + "3 colors makeup naked long lasting eye shadow", + "3 color makeup naked eye shadow" + ], + "i need some black ankle strap flats that are in a size 9 wide": [ + "black ankle strap flats in a size 9 wide", + "black ankle strap flats that are in a size 9 wide" + ], + "i would like a faux leather light brown chair": [ + "faux leather light brown chair" + ], + "im looking for teeth cleansing toothpaste which is idol for fresh breath,stain removal and longlasting. i need 2pcs in purple color": [ + "teeth cleansing toothpaste" + ], + "i would like a 25.4 fluid ounce bottle of chocolate syrup made with non gmo organic candy cane mint": [ + "24.5 ounce chocolate syrup bottle with candy cane mint flavor" + ], + "i am looking for a small long sleeve fashion hoodies & sweatshirts": [ + "small long sleeve fashion hoodies & sweatshirts" + ], + "id like to find a 1-pack of hdmi and dp cables that are three feet long. they need to have gold plating": [ + "1 pack 3 foot hdmi and dp cable", + "1-pack of hdmi and dp cables that are three feet long" + ], + "i am looking for mens size 13 work shoes with arch support and rubber soles": [ + "work shoes for men size 13 with arch support and rubber soles up to 120 dollars" + ], + "i want black levis mens 501 straight leg jeans": [ + "levis mens 501 straight leg jeans black" + ], + "i need a matcha green team exfoliating scrub that is effective for removing dead skin from the surface of the skin": [ + "matcha green team exfoliating scrub dead skin" + ], + "i want long lasting wrangler mens smoke storm cowboy cut jeans": [ + "mens wrangler jeans, smoke storm cowboy cut" + ], + "i would like to buy a blu ray ac adapter": [ + "blu ray ac adapter" + ], + "im looking for some gluten free jelly with black sesames": [ + "black sesame jelly, gluten free", + "jelly with black sesames, gluten free", + "gluten free jelly" + ], + "i am looking for hands free, noise cancelling earphones in the color blue": [ + "noise cancelling earphones, blue" + ], + "i am looking for open toe sandals with an ankle strap. i want it in size 10": [ + "open toe sandals ankle strap size 10" + ], + "i am looking for a 2-4y size of manual toothbrushes for sensitive teeth": [ + "2-4y size manual toothbrush" + ], + "i am looking for birthday party cupcake toppers, decorations supplies of pattern name : gold 30": [ + "birthday party cupcake toppers gold 30" + ], + "i want to find eco-friendly candles made out of soy wax in the ms. coco color": [ + "ms. coco color candles" + ], + "im looking for gluten free it has high protein and it has health and it is easy to use": [ + "gluten free it has high protein" + ], + "i am looking for a pink leak proof bag": [ + "pink, leak proof bag" + ], + "im looking for easy apply for hair removal in natural ingredients. it can easily apply": [ + "hair removal natural easy apply" + ], + "i want to find a 1-pound box of gluten free muffin mix, and it should come in a pack of three": [ + "1-pound box gluten free muffin mix 3 pack" + ], + "i am looking for a fragrance free lip glosses of sweet escape color": [ + "fragrance free lip glosses of sweet escape color", + "fragrance free lip glosses" + ], + "i am looking for freeze dried in bananas and strawberries": [ + "freeze dried bananas and strawberries" + ], + "looking for light weight fitbit versa bands for men women also choose size large": [ + "large fitbit verse band for men and women" + ], + "i am looking for mickey and minnie cupcake toppers for a birthday party": [ + "mickey and minnie cupcake toppers" + ], + "i would like a pair of size 12 black oxford shoes with a leather sole": [ + "black oxford leather sole" + ], + "i need some vanity lights that are clear glass": [ + "vanity lights clear glass" + ], + "i need a fluoride free toothpaste for fresh breath. i will need a pack of 4 in 3.5 ounce size": [ + "fluoride free toothpaste for fresh breath", + "fluoride toothpaste", + "fluoride toothpaste 3.5 ounce size" + ], + "i need a vanity light with clear glass": [ + "vanity light with clear glass", + "vanity light with clear glass" + ], + "im looking for a button down mens shirt with short sleeves and in the size of 3x-large": [ + "3x-large button down mens shirt" + ], + "i need a bpa free bag that is blue": [ + "bpa free bag that is blue" + ], + "i am looking for shirt of size 2x and having short sleeve": [ + "shirt short sleeve 2x size up to 70 dollars", + "short sleeve shirt size xx" + ], + "im looking for a 10 pack of hydrating sheet masks with anti aging properties. i would like to select the spa hairband option": [ + "hydrating sheet masks, 10 pack, anti aging", + "hydrating sheet masks, 10 pack, anti aging, spa hairband", + "hydrating sheet masks anti aging spa hairband 10 pack", + "hydrating sheet masks anti aging spa hairband 10 pack" + ], + "i am looking for an easy to assemble bunk bed full over twin trundle would like gray in color": [ + "gray easy assemble bunk bed twin trundle" + ], + "i want to find a two-pack of white usb chargers that can be mounted to a wall": [ + "two-pack of white usb chargers", + "two-pack of white usb chargers that can be mounted to a wall" + ], + "i am looking for a copper eco friendly tongue scraper for bad breath": [ + "copper eco friendly tongue scraper" + ], + "i want to find organic, low fat applesauce that is apple strawberry flavored. it should come in 4 ounce cups in a pack of 4": [ + "applesauce, apple strawberry flavored, organic, 4 ounce cups" + ], + "id like a brown wire-framed coffee table that i can put in my living room, fully assembled": [ + "coffee table, brown color, wire-framed", + "coffee table, brown wire-framed" + ], + "i an looking for electric hair cream mixer, automatic hair dye mixing bowl, usb rechargeable hair dyeing, color diy mixer for salon home use which is durable and lightweight. will not mold, peel, crack, warp, absorb odors, or fade. portable size, convenient to carry..suitable for professional salon hairstylist or home personal use.2 in 1 includes a bowl and a dyestuff whisk, meeting basic demands on hair dying": [ + "electric hair cream mixer that is durable and light weight", + "electric hair cream mixer durable and lightweight" + ], + "im looking for a mini pc intel core desktop computer which supports with windows 11": [ + "mini pc intel core desktop computer windows 11" + ], + "im trying to find 30 inch linear sconces for my living room with frosted glass shades. the sconces should come in brushed nickel and clear colors": [ + "30 inch linear sconces for my living room with frosted glass shades in brushed nickel with clear colors" + ], + "i am looking for dairy free and apple variety pack of chips": [ + "dairy free and apple variety pack of chips" + ], + "i need a slim fit gray colored coat that has long sleeves. it should be in x-large size": [ + "slim fit gray colored coat with long sleeves in x-large" + ], + "im looking for d17(dedicated right, back) high performance 3-way tower speaker made with carbon fiber": [ + "d17 dedicated right back high performance 3-way tower speaker carbon fiber" + ], + "im searching for a black color 150-inch | 16:9, ultra hd and light weight projector screen": [ + "black 150-inch 16:9 ultra hd light weight projector screen" + ], + "i want a 24w led light with high power lamp. it should mount on a wall": [ + "high power 24 watt led lamp", + "wall mountable high power 24 watt led lamp" + ], + "i am looking for roasted and salted cashews that has low sodium content and no artificial ingredients": [ + "roasted and salted cashews with low sodium and no artificial ingredients" + ], + "i need caxxa amber glass fine mist spray bottles, size 12 refillable containers": [ + "caxxa amber glass fine mist spray bottles 12" + ], + "i need a chocolate coated wafers with a 4.41 ounce size. and i choose the caramel flavor": [ + "chocolate coated wafers 4.41 ounce", + "chocolate coated wafers 4.41 ounce caramel " + ], + "i am looking for womens cotton spandex booty shorts with medium size and color should be black bae white": [ + "womens booty shorts, spandex cotton", + "womens booty shorts, cotton spandex, black bae white color" + ], + "looking for kosher certified butter popcorn salt also choose color butter": [ + "kosher popcorn salt butter" + ], + "i am looking for single pack of 8 ounce size containing artificial colors cherries": [ + "single pack of 8 ounce size containing artificial colors cherries", + "cherries 8 ounce less then 50 dollars" + ], + "i am looking for non gmo salmon that is ready to eat. pick a 1 pack size": [ + "salmon, non gmo, 1 pack", + "ready to eat salmon, non gmo, 1 pack" + ], + "im looking for storage case for toothbrush travel containers and need to buy it": [ + "toothbrush travel containers" + ], + "i need an evening gown in purple that is a size four": [ + "purple evening gown size four" + ], + "im looking for a space-saving ottoman bench to match my blue living room. pick that one thats 100x45x45cm": [ + "space-saving ottoman bench blue 100x45x45cm", + "ottoman bench 100x45x45cm" + ], + "i want to purchase from mens clothing a pair of mens retro jeans with the relaxed fit and boot cut. needs to be long lasting, comfortable fitting and in a relaxed fit. must be a size 35 waist and 36 long in rockdale color": [ + "rockdale retro jeans 35 waist 35 long", + "rockdale color jeans" + ], + "i would like a pair of c clippers for hair cutting": [ + "c clippers for hair cutting", + "c clippers", + "c clippers hair cutting" + ], + "looking for birthday party baby shower cupcake in colour blue": [ + "baby shower cupcake in colour blue" + ], + "im locking for a clinical strength anti-perspirant deodorant": [ + "clinical strength anti-perspirant deodorant" + ], + "i need an alcohol free hair fragrance that is island vanilla scent": [ + "island vanilla scent hair fragrance" + ], + "i am looking for a pair of womens red and green machine washable pants with pockets": [ + "red green womens pants with pockets" + ], + "in the last order i bought the sauce from the brand org\u00e2nicville organic, caesar sauce, the taste is very good .no dairy, 8 fz i want to repeat this order ": [ + "organicville ceasar sauce 8fz up to 140 dollars", + "caesar sauce organicville no dairy 8fz" + ], + "looking for bookshelves and bookcases for living room of vintage black colour": [ + "bookshelves bookcases vintage black", + "bookshelf, vintage black color", + "vintage black bookcases" + ], + "i would like to get two assorted non-gmo powdered cheeses": [ + "powdered cheese", + "powdered cheese", + "two assorted non-gmo powdered cheeses", + "assorted non-gmo powdered cheeses" + ], + "i need sugar free low carb, barbecue flavored marinade for meats, 102 ounce (pack of 3)": [ + "sugar free low carb barbecue flavored marinade for meats 102 ounce (pack of 3)" + ], + "i would like three bags of natural pineapple candy": [ + "natural pineapple candy three bags" + ], + "i would like a black pair of earbud headphones that are able to be wirelessly charged": [ + "black wireless charging earbud heapdhones" + ], + "i am looking for a black fast wireless universal charging stand": [ + "black fast wireless universal charging stand" + ], + "im looking for a high quality salon and spa chair for hair and beauty salon. also, choose grey colored one": [ + "high quality salon and spa chair" + ], + "im looking for a 128 ounce (pack of 1) of shelf-stable, keto-friendly, and gluten-free almond milk": [ + "shelf-stable, keto-friendly, and gluten-free almond milk" + ], + "i would like a ready hang poster that has blue roads": [ + "blue roads poster", + "hanging poster with blue roads", + "ready hang poster blue roads", + "blue roads poster", + "roads streets poster" + ], + "i am looking for an eye balm face moisturizer for my dry skin": [ + "eye balm face moisturizer for my dry skin", + "eye balm face moisturizer" + ], + "im looking for a red long sleeve sweatshirt in size 3x": [ + "red long sleeve sweatshirt in size 3x" + ], + "i need a set of leak proof, bpa free jars": [ + "leak proof jars bpa free up to 50 dollars" + ], + "i am looking for certified organic baby food squeeze pouches that are easy to use": [ + "organic baby food squeeze" + ], + "im looking for curtains for living room and it color was white": [ + "white living", + "white living room curtains" + ], + "find me a paraben free long lasting lip gloss": [ + "lip gloss no paraben" + ], + "i need gluten free and low sodium seasoning which is all-purpose. make sure they are organic seasonings": [ + "gluten free organic low sodium seasoning" + ], + "i would like a fluoride free mouth wash made with natural ingredients": [ + "fluoride free mouth wash" + ], + "im looking for a rubber plastic light weight 11colorful map case cover for (a1502 | a1425) macbook pro 13 retina": [ + "rubber plastic map case cover for macbook pro 13 11 color up to 50 dollars" + ], + "im hoping to find non-toxic false teeth that are made out of high quality soft silicone": [ + "silicone false teeth, non-toxic" + ], + "i need a sky blue womens top with long sleeves": [ + "sky blue womens top long sleeves" + ], + "im looking for an 8-pack of 8-inch portable hair extensions. the color needs to be wine red": [ + "8-pack of 8-inch portable hair extensions in wine red" + ], + "i am interested in buying wall mounted lights which have nickel finish and satin nickel color, and i want 5 of them": [ + "wall mounted lights with nickel finish and satin nickel color" + ], + "im looking for a queen size bed with a box spring": [ + "queen size bed with a box spring" + ], + "i need gluten free vegetarian smoked peppered bacon - 4 ounce (pack of 2)": [ + "smoked peppered bacon - 4 ounce (pack of 2)" + ], + "i am looking for a wireless bluetooth 4.0 power amplifier board": [ + "wireless bluetooth 4.0 power amplifier board" + ], + "hey i am looking for an open toe, size 9 womens slipper made with fax fur": [ + "open toe, size 9 womens slipper faux fur" + ], + "get a tongue cleaner that is easy clean and use, and is also stainless steel": [ + "stainless steel tongue cleaner easy to use" + ], + "im looking for a daily wear sweatshirt made of good quality polyester material with long sleeves. also, choose x-large one": [ + "polyester long sleeves sweatshirt up to 140 dollars for daily wear" + ], + "im looking for a bath brush in beige with a long handle": [ + "bath brush in beige with a long handle" + ], + "i need a 26 x 16 and blue grey octopus pillow cover that is machine washable": [ + "26 x 16 and blue grey octopus pillow cover" + ], + "i need a 1.0mm braces brush that is easy to clean": [ + "1.0mm braces brush, easy to clean", + "1.0mm braces brush", + "1.0mm braces brush" + ], + "looking for cookie favor gifts with natural ingredients choose size 4 bars": [ + "cookie favor gifts natural 4 bars" + ], + "i need a refurbished pc that is an i5 and has 8gb of ram": [ + "refurbished pc i5 8gb ram" + ], + "i want to find a pink and blue hair brush that can promote hair growth": [ + "pink and blue hair brush that can promote hair growth" + ], + "i want a high quality nail drill machine": [ + "nail drill machine", + "high quality nail drill machine" + ], + "i would like a lemon living room curtain in the size 52 by 96 inches": [ + "lemon living room curtain 52 96" + ], + "buy a two pack of whitening toothpaste": [ + "two pack of whitening toothpaste", + "two pack of whitening toothpaste" + ], + "i tore my walking shoes today and need new ones. id like you to buy me a new pair. my size is 16 wide and the only other thing i care about is that they are made of ethylene vinyl": [ + "walking shoes made of ethylene vinyl", + "ethylene vinyl walking shoe", + "size 16 hiking shoe", + "walking shoes size16", + "walking shoes", + "walking shoes 16 wide ethylene vinyl" + ], + "i need this product for afternoon snack with friends .rhythm superfoods carrot sticks,1.4 oz (pack of 12), vegan/gluten-free superfood snacks": [ + "rhythm superfoods carrot sticks,1.4 oz" + ], + "looking for high gloss storage space tv stand with led lights also choose colour black brown": [ + "tv stand with led lights black high gloss" + ], + "i need a deodorant anti perspirant in travel size for women": [ + "deodorant anti perspirant women travel size" + ], + "im looking for some mid-century style grey chairs": [ + "mid-century style grey chair" + ], + "i want to find a gold floor lamp with a glass shade and a nickel finish that i can use for my living room": [ + "gold floor lamp glass shade nickel finish", + "gold floor lamp with a glass shade and a nickel finish", + "gold floor lamp glass shade nickel finish" + ], + "i need a 1 oz bottle of cruelty free foundation that is golden tan": [ + "cruelty free foundation", + "foundation golden", + "foundation golden cruelty free" + ], + "im looking for a earbud headphones for stereo sound quality of style je-04b which will be more comfortable for me to use without disturbing others ": [ + "je-04b earbuds", + "stereo sound earbud headphones je-04b style comfortable for me to use without disturbing others" + ], + "im looking for gluten free snack crackers in 4.25 ounce pack": [ + "snack crackers, gluten free, 4.25 ounce" + ], + "i am looking for an easy to use hair dye with natural ingredients": [ + "easy to use hair dye with natural ingredients" + ], + "im looking for a 18 directors chair with solid wood and a natural frame": [ + "18 directors chair with solid wood and a natural frame", + "18 directors chair with solid wood and a natural frame" + ], + "im looking for a quick-release replacement fitness strap band; it should match my chic teal fitbit": [ + "quick-release replacement fitness strap band chic teal fitbit" + ], + "i need roasted coffee beans that are dairy free and cinnamon bun flavored": [ + "cinnamon bun roasted coffee beans" + ], + "im looking for mens peake 23 from fila": [ + "mens peake 23 from fila", + "mens peake 23 from fila" + ], + "i want a gray floral graphic long sleeve shirt for women": [ + "womens gray floral graphic long sleeve shirt " + ], + "id like to buy a small hair cutting kit": [ + "small hair cutting kit", + "small hair cutting kit" + ], + "i am looking for kitchen bar table set in industrial brown and black color with space saving, easy clean , easy assemble option": [ + "kitchen bar table easy clean easy assemble", + "kitchen bar table", + "kitchen bar table industrial brown and black color" + ], + "i am looking for high quality clear bass computer speakers of vaensong jt009 wooden multimedia. compatible with pc,tv,laptop,mac,smartphones,mp3 player, perfect for home,party etc.easy to set up,usb port in green color": [ + "vaensong jt009 wooden multimedia." + ], + "i need a super soft bed blanket that has cats on it": [ + "super soft bed blanket that has cats" + ], + "i am looking for some flats with memory foam in a size nine and the color picante": [ + "flats memory foam size 9" + ], + "i am looking for a 41mm | 42mm smartwatch bands which is easy install": [ + "41mm | 42mm smartwatch band" + ], + "to improve my home lighting im searching for wall lights and 4lt brushed nickel vanity strip lights ": [ + "wall lights brushed nickel vanity strip", + "4 brushed nickel vanity light strip" + ], + "i would like a sierra blue 13 pro max phone case that has wireless charging": [ + "sierra blue 13 pro max phone case that has wireless charging" + ], + "i am looking for a automatic rotating styling tool with metallic ionic barrel and smart anti-stuck sensor for long and medium length hair": [ + "automatic rotating styling tool with metallic ionic barrel and smart anti-stuck sensor" + ], + "i want a clear glass mystic sand colored wall sconce. it will go in my living room": [ + "clear glass mystic sand colored wall sconce" + ], + "i need black color and 15 ft long heavy duty surge protector power strip": [ + "15 ft long heavy duty surge protector in black" + ], + "i am looking for tempered glass screen protector, color should be navy-n10": [ + "tempered glass screen protector, navy-n10" + ], + "i am looking for long lasting blackout curtains. and i choose the 55 w x 72 l with color 17": [ + "55 w x 72 l with color 17 curtains" + ], + "i am looking for a blue, fast charging usb cord that is compatible with apple and is 16 feet long": [ + "16 foot long blue usb cord for apple" + ], + "im looking for some non gmo honey roasted and chopped pecans": [ + "honey roasted and chopped pecans" + ], + "i am looking for certified organic loose leaf containing spirit herbal herbal tea flavor tea": [ + "certified organic loose leaf containing spirit herbal herbal tea flavor tea" + ], + "i would like a cupcake topper that would be appropriate for a baby shower": [ + "baby shower cupcake topper" + ], + "im looking for a 19 neck 38 sleeve classic fit dress shirts for men": [ + "19 neck 38 sleeve classic fit dress shirts for men" + ], + "im looking for black video play for video acccesseories": [ + "black video play for video acccesseories", + "black video play for video acccesseories up to 30 dollars" + ], + "i am looking for fresh breath tooth paste": [ + "fresh breath toothpaste" + ], + "i need heeled sandals that have a rubber sole and are a size 6.5 with silver glitter on them": [ + "silver clitter heeled sandals with rubber sole in size 6.5", + "silver glitter sandals size 6.5" + ], + "i am looking for a pair of mens size 10.5 black loafers with rubber soles": [ + "mens loafers with rubber soles size 10.5 color black up to 70 dollars" + ], + "i am looking for samsung galaxy tab s7 with the features like 12.4-inch in size, mystic navy color, 128gb wi-fi bluetooth s pen fast-charging usb-c port, android tablet": [ + "samsung galaxy tab s7 android tablet" + ], + "i am looking for a wallet case with tempered glass protection. please select the rose gold color": [ + "wallet case with tempered glass protection" + ], + "i want a black galaxy a71 from simple mobile which has a 128 gb storage and supports fast charging and 4g lte": [ + "a71 black from simple mobile 128gb storage", + "simple mobile phone galaxy z71", + "phone a71 from simple mobile 128gb" + ], + "i want to buy a navy blue ottomon for the living room. get the one with tufted buttons": [ + "navy blue ottomon for the living room" + ], + "i am looking for wild caught tuna that is ranch flavored and comes in a pack of ten": [ + "wild caught tuna ranch flavor 10 pack" + ], + "i would like a extra small grayed jade workout shorts with pockets and a drawstring": [ + "extra small training shorts with pocket and drawstring" + ], + "i would like a tinted moisturizer that is made for dry skin and is in the color annapurna": [ + "tinted moisturizer for dry skin", + "annapurna tinted moisturizer" + ], + "i would like a argan oil hair treatment": [ + "argan oil hair treatment" + ], + "i want a twin size comforter for boys with a video game theme. pick a full size one": [ + "boys comforters", + "mario bros boys comforter" + ], + "i would like to buy some easy to use hair topper extensions that are 10 inches in length, 130% density and come in wine red color": [ + "hair topper extensions that are 10 inches in length and 130% density and come in wine red color" + ], + "i am looking for some machine washable curtains in the side 52 by 63": [ + "52 by 63 curtains" + ], + "i am looking fort a travel size skincare kit with tea tree toner": [ + "travel size skincare kit with tea tree toner" + ], + "im looking for some non-slip black vinyls": [ + "black vinyls, non-slip", + "black vinyl records", + "non-slip black vinyls", + "non-slip black vinyls shoes" + ], + "i am looking for a large tunic that is 2-pink and short sleeve": [ + "large tunic 2-pink short sleeve" + ], + "i need a 7 layer bookshelf for my living room": [ + "7 layer book shelf" + ], + "i need womens denim shorts in cotton spandex material with color jayne and size 9": [ + "jayne color denim shorts in size 9" + ], + "find me a non alcoholic and zero sugar mocktail": [ + "zero sugar mocktail" + ], + "i would like a 8 fluid ounce bottle of tea tree lotion": [ + "8 fluid ounce bottle of tea tree lotion", + "8 ounce tea tree lotion" + ], + "i want glitter crown cupcake picks": [ + "crown cupcake picks, glittered" + ], + "i want a bundle of freeze-dried strawberries & bananas beets": [ + "im looking for freeze-dried strawberries & banana beets under 30 dollars" + ], + "i am interested in a paraben free eyeshadow": [ + "paraben free eyeshadow" + ], + "i need to buy an eight by six foot backdrop for digital photography. it should be high resolution and light weight": [ + "light weight eight by six foot backdrop digital photography", + "8x6 lightweight backdrop " + ], + "i am looking for foundation for dry skin having color 20 | natural ivory": [ + "color 20 natural ivory foundation for dry skin" + ], + "need me an organic freeze dried beets in strawberries and apples flavor": [ + "organic freeze dried beets strawberry and apples flavor", + "organic freeze dried beets in strawberries and apples" + ], + "find me a watch band in hyper grape color that is made of stainless steel and goes with my apple iwatch": [ + "watch band in hyper grape color made from stainless steel for iwatch" + ], + "im interested in high protein salt n vinegar almonds in a resealable bag": [ + "salt n vinegar almonds, high protein", + "salt nvinegar almonds, high protein", + "salt n vinegar almonds, high protein" + ], + "im locking for a bathroom lighting over modern style mirror": [ + "bathroom lighting over mirror modern style up to 80 dollars" + ], + "hey i need some new press on nails. get me babalal cat eye ones that arent toxic and make sure the color you get is purple": [ + "purple babalal cat eye press on nails" + ], + "im looking for some vinyl womens clogs in taupe color, size 9": [ + "vinyl womens clogs in taupe color" + ], + "this brand eurofase 23271-036 zuma frosted tube glass with cast metal frame sconce wall mount lighting, 2-light 80 total watts, 13h x 5w, bronze finish for my living room, help me": [ + "eurofase 23271-036 zuma frosted tube glass with cast metal frame sconce wall mount lighting, 2-light 80 total watts, 13h x 5w, bronze finish" + ], + "i want silver and noise cancelling earbuds": [ + "silver and noise cancelling earbuds" + ], + "i am looking for light weight a34 color photo background": [ + "light weight a34 color photo background" + ], + "i am looking for a remote control for an lg blu-ray dvd home theater system": [ + "remote control for an lg blu-ray dvd home theater system", + "lg blu-ray dvd home theater system remote control" + ], + "i am looking for certified organic regular rolled oats, 25 pound (pack of 1)": [ + "certified organic regular rolled oats 25 pound (pack of 1)" + ], + "i am looking for gluten free black rock salt made by himalayan . and i choose the 2.8 ounce pack with himalayan pink salt coarse grind": [ + "2.8 ounce pack with himalayan pink salt coarse grind" + ], + "find me the soy free 3.5 ounce 4-pack of dang thai rice chips, and make sure they are the aged cheddar flavor. i also need the ones in the resealable bags": [ + "soy free 3.5 ounce 4-pack of dang thai rice chips" + ], + "i want a baieyu mini computer with intel core i7-8550u ddr4": [ + "baieyu mini computer intel core i7-8550u ddr4" + ], + "id like to get some sugar free cake toppers, preferably ones that are a mutin color": [ + "multicolor sugar free cake toppers" + ], + "i want to get a super soft blue fleece throw thats 50 inches by 63 inches": [ + "50 x 63 fleece throw, blue" + ], + "i am looking self tanner for removal my dry and dead skin": [ + "self tanner" + ], + "i want a dongtai 1080p hd hot link remote surveillance camera": [ + "dongtai 1080p hd hot link remote surveillance camera" + ], + "im looking for soy wax for candles and its for long lasting": [ + "soy wax candles long lasting" + ], + "i am looking for candy pink and black toddler clogs with vinyl acetate": [ + "pink black toddler clogs vinyl acetate", + "pink black toddler clogs vinyl", + "pink black toddler clogs", + "children clogs pink black vinyl", + "candy pink clogs", + "candy pink black childrens clogs", + "black pink childrens crocs", + "candy pink vinyl clogs toddler", + "baby clogs pink black", + "baby crocs pink and black", + "candy pink and black clogs for toddlers", + "candy pink and black vinyl clogs" + ], + "i would like a medium sized blue windbreaker to keep me warm in the winter": [ + "medium sized blue windbreaker" + ], + "im looking for 8.12 fluid ounces of sulfate-free shampoo that helps prevent hair loss": [ + "8.12 fluid ounces of sulfate-free shampoo", + "8.12 ounces shampoo" + ], + "i am looking for resilient memory foam loveseat sofa": [ + "resilient memory foam loveseat sofa" + ], + "im looking for water resistant telescope for bird watching": [ + "water resistant telescope bird watching" + ], + "i am looking for dried coconut that is gluten free": [ + "gluten free dried coconut" + ], + "i am looking for human hair toppers for hair loss. i would like something in a medium brown": [ + "medium brown human hair toppers" + ], + "i am interested in a plug and play hdmi to vga adapter": [ + "plug and play hdmi to vga adapter" + ], + "i want a moonlight lip glosses that is cruelty free": [ + "cruelty free moonlight lip gloss" + ], + "i am looking for a satin brass and frosted hallway light fixtures": [ + "satin brass frosted hallway light fixture" + ], + "i am looking for 6 boxes of cookies. these should be individually wrapped": [ + "6 boxes of cookies. these should be individually wrapped" + ], + "i need long lasting wax candles that is scented with lemon verbera": [ + "long lasting wax candles lemon verbena" + ], + "i want to find a tv stand made of solid wood for my living room": [ + "solid wood tv stand" + ], + "i am looking for fully assembled file cabinets": [ + "fully assembled file cabinet" + ], + "i am interested in buying a x-small size purple colored classic fit birthday t-shirt": [ + "purple birthdat t-shirt classic fit up to 40 dollars", + "classic fir birthday t shirt purple up to 40 dollars" + ], + "i want to find a pack of nine low-carb cheese bites from trader joes": [ + "low-carb cheese bites trader joes" + ], + "im looking for a hair growth serum designed to combat hair loss and repair damaged hair": [ + "hair growth serum combat hair loss and repair damaged hair" + ], + "i am looking for a white footstool for my living room": [ + "white footstool" + ], + "find me a zero sugar grape flavored water": [ + "grape flavored water zero sugar" + ], + "i want a pack of wall lamps for a living room": [ + "pack of wall lamps living room", + "wall lamps for a living room", + "pack wall lamps living room" + ], + "i am looking for women nail art decorations that are non toxic": [ + "cheap nail art decoration non toxic" + ], + "i want to find decorative, multi-colored vinyl dots for my living room windows. the size should be 17.7 inches by 23.6 inches": [ + "vinyl dots 17.7 x 23.6 inches", + "vinyl dots living room 17.7 by 23.6 inches", + "rainbow color vinyl dots", + "rainbow color dot 17.7 x 23.6 inches", + "colored vinyl dots 17.7 x 23.6 inches", + "decorative, multi-colored vinyl dots 17.7 inches by 23.6 inches" + ], + "am searching for the republic of tea peppermint cuppa chocolate tea, 36 tea bags and sugar free": [ + "republic of tea peppermint cuppa chocolate tea, 36 tea bags" + ], + "i want a 150 watt black speaker that is heavy duty": [ + "150 watt black speaker" + ], + "i need two one hundred foot male to male hdmi cables. they should be high speed and gold plated": [ + "100 ft male to male hdmi high speed gold plated", + "100 ft hdmi male to male cable up to 40 dollars" + ], + "i want a medium machine washable top of the world mens fit sweatshirt": [ + "medium machine washable top of the world mens fit sweatshirt" + ], + "i would like a 3xl black broken cover long sleeve sweatshirt": [ + "3xl black broken cover long sleeve sweatshirt" + ], + "im looking for a short sleeve shirt with a button down closure. get the one in 3xl": [ + "3xl button down", + "3xl button down closure shirt" + ], + "im looking for a roller tool thats good for fine lines and aging skin": [ + "roller tool for fine lines and aging skin" + ], + "i need a fragrance free facial wash": [ + "face wash, fragrance free" + ], + "i am looking for a 32gb 1tb ssd pcle nvme m.2 size intel core minis": [ + "32gb 1tb ssd pcle nvme m.2 size intel core minis" + ], + "find me a 2 ft 3 in x 14 ft sized living room square rug in either navy or cream color": [ + "2 ft 3 in x 14 ft square rug navy cream" + ], + "find a high protein puffed snack to be made on a brick oven": [ + "high protein puffed snack brick oven" + ], + "i am interested in acquiring a bookcase which will last me a long time and i prefer to have it in anthracite color": [ + "anthracite bookcase" + ], + "im looking for a black 2-ounce makeup storage jar that is leak proof and easy to use": [ + "makeup storage jar, 2 ounce, black" + ], + "i want rainbow white non slip ciadoon mushroom shoes": [ + "rainbow white non slip ciadoon mushroom shoes" + ], + "im looking for a black color hair dye that is a pack of 3.5 ounce which is easy to use/apply": [ + "black hair dye 3.5", + "easy black hair dye 3.5" + ], + "buy me a cruelty free solid perfume with a flirt scent": [ + "solid perfume with a flirt scent", + "flirt scent solid perfume" + ], + "i am looking for a womens natural blonde, 16 inch, synthetic hair wig to buy": [ + "womens natural blonde, 16 inch, synthetic hair wig" + ], + "im looking for a twin size bed that soft beds for bedroom": [ + "twin bed less then 380" + ], + "i am looking for a gold pendant light for my dining room": [ + "gold pendant light dining room" + ], + "i need an easy to use breath freshener spray to eliminate bad breath. pick a white one": [ + "breath freshener spray color white up to 50 dollars" + ], + "im looking for a desktop pc with an intel core i5 processor": [ + "desktop pc with an intel core i5 processor" + ], + "i am looking for throw pillow covers that are machine washable in yellow white and are 26 by 16": [ + "throw pillow covers yellow white 26x16" + ], + "i am looking for a non oem replacement tv remote control with the aaa batteries included": [ + "replacement tv remote control with the aaa batteries included", + "remote control with batteries" + ], + "i need 3 tongue cleaners for bad breath": [ + "3 tongue cleaners for bad breath" + ], + "i am looking for a star wars the mandalorian t-shirt which is machine washable and is in the baby blue color": [ + "star wars mandalorian t-shirt, baby blue" + ], + "im looking for a womens summer adjustable buckle ankle strap cloth sandals": [ + "womens summer adjustable buckle ankle strap cloth sandals" + ], + "im looking for made a cookies for birthday parties": [ + "made a cookies for birthday parties", + "make a cookies for birthday parties" + ], + "i would like a 2 pound bag of chocolate covered gluten free bars": [ + "2 pound bag of chocolate covered gluten free bars" + ], + "i would like a op99 phone case cover": [ + "op99 phone case cover" + ], + "im looking for bathing free accessories for fragrance free": [ + "bathing free accessories for fragrance free", + "bathing fragrance free accessories" + ], + "i am looking for a glitters nail polish. also, choose the 04# color": [ + "glitters nail polish, 04# color" + ], + "get me some black lounge pants with an elastic waistband": [ + "black lounge pants elastic waistband" + ], + "id like to buy some machine washable drapes for my living room. look for multicolored drapes that are one hundred and four by sixty-three inches": [ + "washable drapes living room", + "washable drapes 104 x 63" + ], + "i am looking for a grey faux leather sofa": [ + "grey faux leather sofa" + ], + "looking for new version of modern glass dining table set for dining room": [ + "new version modern glass dining table set" + ], + "i wuold like a purple 190 by 70cm round head linens for my beauty salon": [ + "purple 190 by 70cm round head linens for my beauty salon", + "purple 190 by 70cm round head linens" + ], + "i am looking for a soft shower body brush with a long handle": [ + "soft shower body brush with a long handle", + "soft shower body brush with long handle" + ], + "i would like a high speed streaming media player that is easy to use": [ + "high speed streaming media player" + ], + "please add to my list a pair of reebok men\u2019s classic daily casual sneaker size 8 ": [ + "reebok men\u2019s classic daily casual sneaker" + ], + "i would like a solid wood sideboard": [ + "sideboard, solid wood" + ], + "i need some white window treatments that are easy to install and size 58w by 48h": [ + "white window treatments 58w by 48h" + ], + "i want to buy a vinyl skin for my ps5. look for one thats easy to install. the color should be marijuana black, and get the disc edition size": [ + "ps5 vinyl skin in marijuana blac", + "ps5 vinyl skin in marijuana black disc edition" + ], + "i would like a z flip 3 256gb phantom black cell phone that is fast charging": [ + "z flip 3 256gb phantom black cell phone" + ], + "i am looking for maple leaflop9363 color place mats that are eco friendly": [ + "maple leaflop9363 color place mats" + ], + "i am looking for a 5 pack of fully cooked and easy to prepare chicken breast strips": [ + "5 pack of fully cooked and easy to prepare chicken" + ], + "im looking for a large upholstered bench that is contemporary style and has solid wood. also, it should be gray": [ + "large upholstered bench that is contemporary style and has solid wood in gray" + ], + "most people like sensitive skin in red color": [ + "most people like sensitive skin in red color", + "sensitive skin red color", + "moist sinsitive skin red color up to 50 dollars", + "sensitive skin in red color up to 50 dollars", + "most people like sensitive skin in red color" + ], + "i am looking for a a2442(pro 14 2021 m1 pro | max touch id) size of hard shell cases over": [ + "pro 14 2021 m1 pro | max touch id", + "a2442 hard shell cases over" + ], + "im looking for a sd card with h1080p hd resolution. also, choose single style 32 gb capacity": [ + "single 32 gb h1080p sd card", + "single 32 gb sd card", + "hd sd card 32 gb" + ], + "search for an ac adapter with output protection": [ + "ac adapter with output protection" + ], + "i want to find a black usb mouse that is easy to use": [ + "black usb mouse" + ], + "i want an officially licensed navy teenage mutant ninja turtles chillin tank top": [ + "navy teenage mutant ninja turtles chillin tank top, less than $60, officially licensed", + "navy teenage mutant ninja turtles chillin tank top, less than $60, officially licensed" + ], + "i would like a pair of size 10.5 steel toe hiking boots": [ + "10.5 size steel toe hiking boots" + ], + "i want to find a pair of blue womens walking shoes with memory foam in a size 8": [ + "blue walking shoes with memory foam size 8" + ], + "i need a warm winter coat for women with faux fur": [ + "warm winter coat for women" + ], + "i am looking for hands free and dark blue bluetooth stereo wireless music earphones headset": [ + "wireless bluetooth earphones headset, dark blue" + ], + "i am looking for a high power high definition sound bars": [ + "high power hd sound bar", + "high definition high power sound bar", + "hd sound bar", + "sound bar high power", + "high definition sound bar high power" + ], + "i would like a bundle of crackers, spicy beef and cheese which is shelf stable. it also needs to be keto and gluten free": [ + "bundle of crackers, spicy beef and cheese" + ], + "i would like some old fashioned summer sausage": [ + "summer sausage, old fashioned" + ], + "find high quality toothpaste": [ + "high quality toothpaste up to 100 dollars", + "toothpaste quality up to 100 dollars" + ], + "i need a taco seasoning blend that is sugar free": [ + "sugar free taco seasoning blen" + ], + "i want yellow machine washable batmerry summer bright decorative pillow covers": [ + "batmerry summer bright decorative pillow covers" + ], + "i need a black winter warm pair of boots that has arch support. pick a black on in size 8": [ + "black winter warm pair of boots that has arch support. pick a black on in size 8, and price lower than 40.00 dollars" + ], + "id like to find a large pink tankini swimsuit thats loose-fitting": [ + "tankini large pink" + ], + "i need a lorex ultra hd indoor wired dvr security camera system with motion detection": [ + "lorex ultra hd indoor security system" + ], + "i am looking for a canvas poster for the living room that shows sunny zakynthos island": [ + "zakynthos island canvas poster", + "canvas poster of zakynthos island", + "zakynthos islands wall art", + "wall art of zakynthos island", + "zakynthos island", + "greek islands wall canvas", + "sunny zakynthos island art", + "greek islands wall art" + ], + "i am looking for red popcorn boxes for a baby shower": [ + "red popcorn boxes" + ], + "im looking for size medium mens boxer briefs with a comfortable fit. choose the multi color": [ + "medium mens boxer briefs with comfortable fit and are multi color" + ], + "go ahead and order that rhinestone top in small, with long sleeves": [ + "rhinestone top in small, with long sleeves" + ], + "i need an 8 ounce package of freeze dried tomatoes": [ + "freeze dried tomatoes", + "8 ounce freeze dried tomatoes" + ], + "i am looking for a mens long sleeve button down light blue shirt": [ + "mens long sleeve button down light blue shirt" + ], + "please get me a three pack of jelly with natural ingredients": [ + "three pack of jelly with natural ingredients" + ], + "i would like a 14 ounce bag of roasted almonds and other nuts that are gluten free": [ + "14 ounce roasted almond" + ], + "i am looking for 150ft trishield rg11 aerial messenger - black type coaxial cable aluminum alloy": [ + "150 ft trishield rg11 aerial messenger" + ], + "i need a long clip-in hair extension which is natural looking": [ + "long clip-in hair extension" + ], + "i would like a medium sized red jumpsuit that is machine washable": [ + "medium sized red jumpsuit" + ], + "i need khaki steel toe shoes in size 11 women": [ + "khaki steel toe shoes size 11 womens" + ], + "i am looking for wild caught, ready to eat sardines in a tomato sauce": [ + "wild caught sardines in tomato sauce" + ], + "i will surely succeed with your help. check my order natural deodorant for women | fresh rain + coconut oil - safe for sensitive skin |fresh rain, white floral (2 packages)": [ + "fresh rain, white floral (2 packages) natural deodorant for women | fresh rain + coconut oil - safe for sensitive skin" + ], + "i am looking for a pair of mens khaki cargo shorts with an elastic waist": [ + "mens khaki cargo shorts with elastic waist" + ], + "i would like a quad core tablet that is black and has 8gb of ram": [ + "black quad core tablet with 8gb ram" + ], + "i need a glass shade that is chrome colored": [ + "chrome colored glass shade", + "glass shade in chrome" + ], + "i want to find a blue bedside table unit that comes with extra shelf storage space": [ + "blue bedside table unit that comes with extra shelf storage space" + ], + "im looking for a color b quick release thumb screw tripod": [ + "color b quick release thumb screw tripod" + ], + "i am looking far a 3 pack bloody mary non gmo margarita": [ + "3 pack bloody mary non gmo margarita" + ], + "do you think you can find me an alcohol free mouthwash for bad breath?": [ + "mouthwash alcohol free" + ], + "im looking for a size 54w x 29l straight leg levis mens jean": [ + "mens straight leg jeans, levis", + "mens levis straight leg jeans, size 54w x 29l" + ], + "im looking for a long lasting 3.3 oz edt spray for men": [ + "3.3 oz edt long lasting spray", + "3.3 oz edt spray for men" + ], + "i want to buy some chunky red glitter. make sure its non-toxic and eco-friendly": [ + "chunky red glitter.non-toxic eco-friendly" + ], + "i am looking for a straight leg jeans in sandblast light color. also in 40w x 34l size": [ + "straight leg jeans in sandblast", + "straight leg jeans light sandblast" + ], + "i want a solid wood bench with storage space to go in my living room. it should be grey in color": [ + "grey solid wood bench with storage space for living room" + ], + "i want to buy a mid-back drafting chair that has an adjustable height and lumbar support. look for a blue one": [ + "mid-back drafting chair adjustable height lumbar support" + ], + "i would like a floor lamp light fixture for my living room": [ + "floor lamp light fixture", + "floor lamp light fixture for living room" + ], + "i am looking for an intel core i5 desktop pc": [ + "intel core i5 desktop pc" + ], + "im looking for black colored high quality hair removal cream it easy to use": [ + "black hair removal cream" + ], + "i would like a travel sized bag that is yellow": [ + "travel sized bag that is yellow" + ], + "i want double horn bluetooth wireless speakers which is portable and easy to carry": [ + "double horn bluetooth wireless speakers" + ], + "i want a oatmeal cinnamon raisin snack bar that is low calorie and high protein": [ + "oatmeal cinnamon raisin snack bar that is low calorie and high protein" + ], + "show me flip flops that are unisex and made of ethylene vinyl. i am a size 6": [ + "size 6 flip flops made of ethylene vinyl", + "unisex flip flops size 6", + "size 6 unisex flipflops with ethylene vinyl" + ], + "i am looking for long lasting dusty navy original fit jeans": [ + "dusty navy jeans in original fit", + "dusty navy original fit jeans" + ], + "i am looking for a heavy duty spa bed made-up of stainless steel": [ + "heavy duty spa bed made-up of stainless steel", + "heavy duty spa bed stainless steel", + "stainless steel spa bed", + "spa bed", + "steel spa bed", + "heavy steel spa bed" + ], + "i need a straight leg jeans that is original fit. it should be medium stonewash in color": [ + "medium stonewash straight leg jeans in original fit" + ], + "i would like to buy a 12-pack of low sugar oatmeal cups that are high in protein": [ + "high protein, low sugar oatmeal cups" + ], + "im looking for long sleeve lightweight buy a c-blue weather": [ + "long sleeve lightweight c-blue weather", + "long sleeve lightweight c-blue" + ], + "i need green cactus coasters for the living room that come in a pack of four": [ + "green cactus coasters 4 pack", + "cactus drink coasters 4 pack" + ], + "my sister use avocado color eyebrow": [ + "avocado color eyebrow" + ], + "i need a power cord cable for blu ray player sound bar": [ + "power cord blu ray payer sound bar" + ], + "id like to buy a nightsand thats made out of engineered wood": [ + "nightstand made out of engineered wood" + ], + "i need a long lasting fragrance gift set for women": [ + "long lasting fragrande gift set for women up to 90 dollars", + "long lasting fragrande set for women up to 90 dollars", + "fragrance gift set for women", + "fragrance gift set for women long lasting" + ], + "i am looking for plant based,gluten free and sugar free seedbars.please choose mulberry cacao flavour": [ + "mulberry cacao seedbar" + ], + "im looking for a cruelty free eyeshadow palette with division color": [ + "cruelty free eyeshadow palette with division color" + ], + "im looking for a replacement remote with batteries included": [ + "replacement remote batteries included" + ], + "i want a m color face kit that is easy to use": [ + "m color face kit easy", + "m color face kit", + "m color face kit that is easy to use up to 20 dollars", + "m color face kit easy to use", + "face kit easy to use" + ], + "mid century leather two armchair set": [ + "mid century leather two armchair set" + ], + "i want a beige with trundle twin bed with a wood frame": [ + "beige with trundle twin bed with a wood frame", + "beige with trundle twin bed with a wood frame" + ], + "i would like a two pack of cruelty free lip balm in orange": [ + "two pack of cruelty free lip balm in orange" + ], + "i need a camera case cover that is light green in color. it is for my iphone which is 11-6.1 inches in size": [ + "camera case cover that is light green in color", + "camera case cover that is light green in color iphone which is 11-6.1" + ], + "i am looking for a mens t-shirt with a fruit motif that is machine washable": [ + "mens t-shirt with a fruit motif" + ], + "help me find the alcohol free listerine tartar control mouthwash": [ + "listerine mouthwash, alcohol free", + "listerine mouthwash, zero alcohol, tartar control" + ], + "im looking for blue, heart shaped cupcake toppers for my sisters baby shower": [ + "blue, heart shaped cupcake toppers for a baby shower" + ], + "i want black chloe womens arch support clogs": [ + "black chloe womens arch support clogs" + ], + "i want to find xx-large black workout sweatpants with a relaxed fit": [ + "2x large relax fit black sweatpants", + "2x large relax fit black workout sweatpants", + "2x large relaxed fit black sweatpants" + ], + "im looking for a 50-pack of black usb plugs that last for a long time": [ + "50-pack of black usb plugs that last for a long time", + "50-pack of black usb plugs" + ], + "im looking for a high power sound bar": [ + "high power sound bar up to 480 dollars" + ], + "i want to get to get long lasting foundation that is in color 380 rich ginger": [ + "foundation, color 380 rich ginger" + ], + "i am looking for some kosher chocolate bars that are 2 pounds": [ + "chocolate candy bars, kosher, 2 lbs", + "2 pound kosher chocolate candy bars", + "kosher chocolate", + "kosher chocolate bars", + "2 pound chocolate bars, kosher", + "kosher chocolate bars 2 pounds", + "kosher chocolate bars", + "kosher chocolate 2 pounds", + "kosher chocolate bars", + "2 pound chocolate kosher" + ], + "looking for a coffee table with metal legs for living room rustic style": [ + "metal legs coffee table rustic style" + ], + "i would like a wall mounted mirror for my living room": [ + "wall mounted mirror for my living room" + ], + "i would like a pair of size 8 brown sandals with a rubber sole": [ + "sandals with a rubber sole size 8 up to 60 dollars" + ], + "i am interested in a synthetic wig that is silver": [ + "silver synthetic wig" + ], + "i would like a anti perspirant": [ + "anti perspirant", + "antiperspirant" + ], + "i am looking for a blue ottomans for living room": [ + "blue ottoman for living room" + ], + "im looking for a volleyball shorts in low rise and in a 02navy colour and large size": [ + "02navy volleyball shorts in large and low rise", + "02navy colour shorts", + "02navy colour volleyball shorts" + ], + "i am looking for men t-shirt. please choose royal blue color": [ + "royal blue mens t-shirt" + ], + "i am looking for a nightstand that is easy to install": [ + "nightstand easy install" + ], + "i would like to buy a cupcake topper which has a laser gold pattern and is suitable for birthday parties": [ + "laser gold cupecake topper" + ], + "i would like a blue long sleeved sweatshirt that is the size 4x-large": [ + "blue long sleeved sweatshirt 4xl", + "blue sweatshirt 4xl" + ], + "i want low sodium popcorn salt that is frosted sugar cookie and comes in a pack of six": [ + "frosted sugar cookie popcorn salt" + ], + "id like to buy a 7-inch 1024600 red tablet with a long lasting quad core processor": [ + "7-inch 1024600 red tablet" + ], + "i would like a a1706 good night giraffe light weight case for my laptop": [ + "a1706 good night giraffe laptop case", + "a1706 laptop case", + "good night giraffe laptop case" + ], + "i want a king size twin bed with storage compartments": [ + "king size twin bed with storage " + ], + "i would like a mens rubber sole shoe with a size 7.5": [ + "mens rubber sole shoe with a size 7.5" + ], + "i want gold and jade fresh collagen eye roller serum for dark circles": [ + "fresh collagen eye roller serum gold and jade for dark circles up to 50 dollars" + ], + "find me a motion detection high definition outdoor camera with 1080p hd definition": [ + "motion detection high definition outdoor camera with 1080p hd definition" + ], + "i would like a hair brush thats good for damaged hair": [ + "hair brush damaged hair", + "damaged hair brush", + "hair brush damaged hair" + ], + "i want to find gluten free mango salsa that is bacon habanero flavored": [ + "bacon habanero flavor mango salsa" + ], + "i am looking for aluminum alloy video camera tripod": [ + "aluminum alloy video camera tripod" + ], + "i am looking for a light cool brown easy to use hair color kit": [ + "hair dye kit, light brown" + ], + "i am looking for a chrome sputnik chandelier for my dining room": [ + "chrome spuntnik chandelier dining room" + ], + "im looking for living room furniture and kitchen furniture and need to buy it": [ + "living room furniture", + "living room and kitchen furniture" + ], + "i want to get an 8 fluid ounce pack of 24 sweet and sour margarita and daquiri mix packets made with only natural ingredients": [ + "8 fluid ounce pack of 24 sweet and sour margarita and daquiri mix packets", + "24 sweet and sour margarita and daquiri mix packets", + "8 fl oz 24 pack natural ingredients daquiri mix sweet and sour margarita up to 120 dollars" + ], + "i am looking for an adult daily wear hoodie sweatshirt size large-x-large": [ + "hoodie sweatshirt x-large", + "x-large daily wear hoodie" + ], + "i am looking for super soft and fleece throw blanket in multi 10 color": [ + "super soft fleece throw blanket multi 10 color" + ], + "i would like to get a 24 pack of 7.5 ounce bottles of non-gmo classic tonic": [ + "24 pack of 7.5 ounce bottles of non-gmo classic tonic", + "24 pack of 7.5 ounce bottles of non-gmo classic tonic" + ], + "i am looking for a lace closure water booties & socks of red color": [ + "lace closure water booties & socks red", + "red lace aqua water socks" + ], + "im looking for brown color upholstered faux leather footrest stool for living room, its size should be 100x42x45cm": [ + "footrest stool brown 100x42x45" + ], + "i am looking for pink, close-toed sandals that have a rubber sole and come in size 8.5": [ + "pink, close-toed sandals that have a rubber sole size 8.5" + ], + "i am looking for wide leg pants that are pink in a size small": [ + "wide leg pants pink", + "wide leg pants", + "wide leg pants pink", + "wide leg pants", + "pink pants", + "small wide leg pants", + "small pink wide leg pants" + ], + "i am looking for ataiwee womens wide width ballet flats which is well made of soft leather, flexible tpr out-sole, lightweight and comfortable. tan 1905019-5, 9 wide size preferable": [ + "ataiwee womens ballet flat soft leather 9 size comfortable up to 40 dollars" + ], + "i need a 4.7 ounce paraben free makeup remover": [ + "4.7 ounce paraben free makeup remover", + "4.7 oz paraben free makeup remover" + ], + "i would like a stainless steel coaxial car speaker": [ + "car speaker coaxial stainless" + ], + "im looking for a height adjustable laptop stand with tempered glass and walnut colored wood": [ + "height adjustable laptop stand with tempered glass and walnut colored woodf" + ], + "im looking for strong box spring beds and i take dark gray color with king size beds": [ + "box spring beds dark gray king size strong", + "dark grey king size box spring bed" + ], + "i need to buy a full sized, machine washable comforter. get color six": [ + "full size comforter color six", + "full comforter in color 6", + "color 6 full sized machine washable comforter" + ], + "i want to find a two-pack of jarred wild-caught tuna filets that are low calorie. the jars need to be 6.7 ounces, and ideally the flavor should be very garlicky": [ + "two-pack of jarred wild-caught tuna filets 6.7 ounces very garlicky", + "two-pack of jarred wild-caught tuna filets", + "very garlicky two-pack", + "two-pack of jarred wild-caught tuna filets 6.7 oz low calorie up to 60 dollars", + "two-pack of jarred wild-caught tuna filets 6.7 oz very garlic" + ], + "i am looking for size 9 womens fashion sneakers with vinyl acetate": [ + "womens sneakers with vinyl acetate in size 9" + ], + "im looking for hair treatments that are sulfate and paraben free and are of high quality too. i need it in bottle for with 60 capsules": [ + "60 capsules hair treatments" + ], + "i want to find 3-inch silver hairpins that i can use to style my hair with": [ + "3-inch silver hairpins " + ], + "i am looking for a grey sectional sofa for my living room": [ + "grey sectional sofa" + ], + "i am looking for pink elephant cupcake picks for birthday cake decorations": [ + "pink elephant cupcake picks" + ], + "i need a 5 pound bag of birthday candy": [ + "5 pound bag of birthday candy" + ], + "i want to find a dining room wood counter height stool. also, choose the light cherry one": [ + "dining room wood counter height stool." + ], + "i am looking for honey color alcohol free creamy concealer": [ + "honey color alcohol free creamy concealer" + ], + "i am looking for 8 size flats with leather sole for women": [ + "women flats with leather sole 8 size up to 40 dollars", + "leather sole flat for women" + ], + "i am looking for a 3x-large long sleeved sweatshirt that is hooded for everyday wear": [ + "long sleeved hooded everyday sweatshirt", + "hoodie hooded sweatshirt" + ], + "i would like a desk set with a steel frame": [ + "desk set with a steel frame" + ], + "i am looking for a black valentines day women\u2019s medium jumpsuit and should be a high quality material": [ + "womens valentines day jumpsuit" + ], + "i am looking for spicy fried fish seasoning that is also suitable for vegetarians and easy to use": [ + "spicy fried fish seasoning" + ], + "i want ailun privacy glass screen protectors": [ + "ailun privacy glass screen protector" + ], + "i want to find a wooden table that i can put in my dining room": [ + "wooden dining room table" + ], + "im looking for a gluten free, keto friendly, and vegan granola that is low sugar and low carb. also, choose the pack of 2 in lemon blueberry tart": [ + "pack of 2 in lemon blueberry tart granola" + ], + "i am looking for arts craft turquoise blue nails": [ + "arts craft turquoise blue nails", + "turquoise blue nails", + "arts craft turquoise blue nails" + ], + "i am searching for cupcake picks for a birthday party": [ + "cupcake picks for a birthday party" + ], + "i am looking for a powder fresh mitchum anti-perspirant": [ + "powder fresh mitchum anti-perspirant" + ], + "i am looking for 150 white color 4k ultra hd 3d ready projector screen": [ + "150 white color 4k ultra hd 3d ready projector screen" + ], + "i need some baby food that is non gmo and has no artificial flavors": [ + "baby food non-gmo natural" + ], + "get me some twin-sized flat sheets in gray": [ + "twin-sized flat sheets gray" + ], + "i would like a blue size 8.5 flat shoe that is pretty light weight": [ + "blue flat shoe light weight " + ], + "i am looking for an easy to use meat masala flavored seasoning mix for a traditional meat stew": [ + "easy to use meat masala flavored seasoning mix for a traditional meat stew" + ], + "i need white storage cabinets": [ + "white storage cabinets" + ], + "i need some aaa batteries": [ + "aaa batteries", + "triple a batteries" + ], + "i am in need of large sized wine color long sleeve shirts for women": [ + "large sized wine color long sleeve shirts for women", + "womens long sleeve shirt in large with wine color" + ], + "i am looking for black twin size bunk beds": [ + "black twin size bunk beds" + ], + "im looking for a sturdy and solid dummy camera thats portable and made of stainless steel. also, choose the one thats easy to install": [ + "stainless steel dummy camera", + "sturdy and solid dummy camera" + ], + "i want to find butter infused olive oil in a 200 milliliter bottle. it shouldnt have any artificial flavors": [ + "butter infused olive oil in a 200 milliliter bottle" + ], + "i am looking for wireless bluetooth speaker.please choose gray one": [ + "gray wireless bluetooth speaker" + ], + "i want mitchum roll-on anti-perspirant": [ + "mitchum roll-on anti-perspirant" + ], + "i am looking for monoculars that are for bird watching": [ + "monoculars for bird watching", + "monoculars for bird watching up to 60 dollars" + ], + "i need an iphone x case with wireless charging in a butterfly color": [ + "butterfly iphone x case wireless charging" + ], + "i am looking for a high quality and easy to clean tongue cleaner": [ + "tongue cleaner easy high quality" + ], + "im looking for a black hair loss concealer": [ + "black hair loss concealer" + ], + "i would like a brown two piece living room set made of faux leather": [ + "brown two piece living room set faux leather up to 200 dollars" + ], + "i am looking for 140 feet of high speed coaxial cable": [ + "140 feet of high speed coaxial cable" + ], + "i am looking for black leather sole fashion sneakers that are in a size 5": [ + "sneakers black leather sole" + ], + "i am looking for power cord outlet socket cable plug for wireless bluetooth speakers": [ + "power cord for bluetooth speakers" + ], + "i would like a 1 tb nvme with 64 gig quad core desktop mini": [ + "1 tb nvme with 64 gig quad core desktop mini", + "1 tb nvme desktop", + "quad core desktop mini", + "1 tb desktop mini", + "1 tb nvme with 64 gig quad core desktop mini", + "1 tb nvme with 64 gig quad core desktop mini", + "nvme 1tb", + "nvme 1tb mini desktop", + "nvme 1tb mini desktop quad core" + ], + "i want to buy a skin cream which is fragrance free and it is for smoothing eye contour": [ + "smoothing eye contour skin cream fragrance free" + ], + "i will like to have a synthetic sole, memory foam cc corso como womens denice, size 5.5 and tan color": [ + "size 5.5 tan memory foam cc corso como womens denice" + ], + "i would like some non gmo strawberries that are 2.5 ounces": [ + "strawberries, non gmo", + "strawberries" + ], + "i am looking for a white storage benches of grey wash color": [ + "white storage benches of grey wash color" + ], + "i am looking for a body brush for dead skin": [ + "body brush for dead skin" + ], + "i am looking for soy free , gluten free oceans halo tangy in flavor wasabi-style ranch": [ + "oceans halo tangy wasabi-style ranch gluten free, soy free up to 30 dollars" + ], + "i am looking for dell ultra small desktop computer with core i5 , 16gb ram , 256gb ssd and windows 10 pro": [ + "dell ultra small desktop computer with core i5 , 16gb ram , 256gb ssd and windows 10 pro", + "dell ultra small desktop computer with core i5", + "dell ultra small desktop computer core 15 16gb ram 256gb ssd windows 10 pro" + ], + "i want to find individually wrapped, 2-ounce packs of omega-3 mix in a 14-count box": [ + "2-ounce packs of omega-3 mix 14 count box" + ], + "i want to find 24x24 inch dark blue decorative pillow covers that i can use in my living room": [ + "24x24 inch dark blue decorative pillow cover" + ], + "i need a beauty salon chair": [ + "beauty salon chair" + ], + "i need a valentines day gift": [ + "valentines day gift" + ], + "i want beige flip flop open toe slippers": [ + "beige flip flop open toe slippers" + ], + "i need a 9.5 rubber soled hiking shoe made of light weight vinyl acetate": [ + "rubber soled hiking shoe light weight vinyl acetate,", + "rubber sole hiking shoe", + "hiking shoe vinyl acetate" + ], + "i would like some long lasting anti perspirant": [ + "ong lasting anti perspirant", + "long lasting anti perspirant" + ], + "i want to buy a tongue scraper that will give me fresh breath and is made from stainless steel": [ + "tongue scraper stainless steel" + ], + "i wan a high speed micro usb cable": [ + "high speed micro usb cable" + ], + "i am looking for gluten free blueberry almond pecan flavor bars": [ + "blueberry almond pecan bars gluten free" + ], + "i would like some blue non toxic bath brushes": [ + "blue non toxic bath brushes" + ], + "im looking for wall mounted for furniture need to buy it": [ + "wall mounted for furniture" + ], + "order a round black side table with storage space": [ + "black side table with storage space", + "round black side table with storage space" + ], + "i am looking for anti slip women sandals. please choose black one": [ + "black anti slip womens sandals" + ], + "i want a 10 ounce bottle of low calorie fries seasonings": [ + "10 ounce bottle of low calorie fries seasonings", + "low calorie fry seasoning 10 ounce", + "10 ounce fries seasonings" + ], + "i need a plug and play spectrum projector screen that is white or black": [ + "plug and play spectrum projector screen up to 610 dollars", + "play spectrum projector screen up to 610 dollars", + "white plug and play spectrum projector screen" + ], + "i am looking for a solid wood super king sized bed with a contemporary style": [ + "solid wood super king sized bed with a contemporary style" + ], + "i am looking for some valentines day cupcake toppers": [ + "valentines day cupcake toppers" + ], + "i am looking for a red stereo sound earbud headphones": [ + "red earbud headphones", + "red stereo sound earbud headphones" + ], + "i need easy apply pine tar scented mustache wax stick for men": [ + "pine tar mustache wax" + ], + "i need a table that is easy to assemble and that is honey pine": [ + "easy to assemble table that is honey pine", + "honey pine table" + ], + "i need a cosmetic bag that is easy to carry and is leopard print": [ + "leopard print cosmetic bag" + ], + "i am looking for dual band computers": [ + "dual band computers" + ], + "i would like a coffee latte rooted wig made of natural hair": [ + "coffee latte rooted wig made of natural hair" + ], + "i want to find a pink front-button bra in a size 44 that is made of quality polyester": [ + "pink front-button bra polyester" + ], + "im looking for a high resolution wireless headphones with charging case, earphones should be in-ear, built-in mic, easy-pair, voice control sports and gaming earbuds. also choose the black one": [ + "high resolution wireless, built-in mic, voice control gaming earbuds" + ], + "i want a pair of black mens work shoes that are slip resistant. they must come in a size 9.5 and be extra wide": [ + "work shoes slip resistance" + ], + "i am looing for a fog color hair drying towels which is easy to use": [ + "fog color hair drying towels" + ], + "im looking to buy a high resolution marine animal themed backdrop. the size should be 12x10ft": [ + "12x10ft high resolution marine animal backdrop" + ], + "im looking for a oil free cleansers for acne spot": [ + "oil free acne cleansers" + ], + "i am looking to purchase a hand or machine wash womens classic plain bikini swimsuit with high waist, tummy control in an x-large. prefer color yellow": [ + "x-large yellow bikini swimsuit high waist tummy control plain" + ], + "im looking for a topper for a birthday cake": [ + "topper birthday cake" + ], + "i am looking for a high speed male to female hdmi cable": [ + "high speed male to female hdmi cable" + ], + "i want to get some red cupcake toppers that i can use for a birthday party": [ + "red cupcake toppers that i can use for a birthday party", + "red cupcake toppers" + ], + "i want gluten free bakell green & gold edible brew glitter": [ + "bakell green & gold edible brew glitter" + ], + "i\u2019m looking for a men\u2019s mesh long sleeve shirt in medium. i prefer white as the color and it must be machine washable": [ + "men\u2019s mesh long sleeve shirt in medium in white", + "mens mesh shirt in white" + ], + "im looking for daily wear open toe shoes that was blue in color": [ + "daily wear open toe shoes that was blue", + "wear open toe shoes" + ], + "im looking for 67.5 ounce cheez-it snack pack": [ + "67.5 ounce cheez-it snack pack" + ], + "i am looking for a mini mak spotting scope smart phone adapter that is easy to use and comes with a carrying case": [ + "mini mak spotting scope smart phone adapter easy to use carrying case" + ], + "i am looking for small size women casual short sleeve white color tunic tops": [ + "small size women casual short sleeve white color tunic top" + ], + "i am looking for a ready to use cocktail mixer that is authentic michelada mix and is 33.8 fl oz": [ + "33.8 ounce michelada cocktail mix" + ], + "i am looking for a 1.5mm anti aging cotton swabs": [ + "1.5mm anti aging cotton swabs", + "1.5mm anti aging cotton swabs", + "anti aging cotton swabs", + "1.5mm cotton swabs" + ], + "i am looking bpa free fine mist high quality case color silver color size 3.4 ounce": [ + "bpa free silver color case", + "case silver fine mist bpa free", + "silver fine mist bpa free 3.4oz" + ], + "i would like to buy a heavy duty with a rocket type style outlet combo wall plate cover": [ + "heavy duty with a rocket type style outlet combo wall plate cover" + ], + "im looking for a 3 sided toothbrush for fresh breath": [ + "3 side toothbrush fresh breath" + ], + "i want a gluten free packaged meal": [ + "gluten free packed meal whose price lower than $50.00" + ], + "i would like some grass fed spicy jerky": [ + "grass fed spicy jerky up to 50 dollars", + "spicy jerky grass fed" + ], + "i need a ready to hang wall mirror in a champagne sunburst color": [ + "champagne sunburst wall mirror" + ], + "i want gluten free yummy earth organic fruit lollipops": [ + "earth organic fruit lollipops" + ], + "im looking for a mini desktop pc with an aluminum alloy case that also has 8 gb of ram and a 240 gb ssd": [ + "gb of ram and a 240 gb ssd mini desktop pc with aluminum alloy case", + "mini desktop pc aluminum alloy case 8 gb ram 240 gb ssd", + "alluminum alloy case mini desktop pc 8 gb ram 240 gb ssd", + "mini desktop pc", + "mini desktop pc aluminum alloy", + "mini desktop pc 8gb ram 240 gb ssd", + "240 gb ssd 8 gb ram" + ], + "buy me some coffee brown hair dye. make sure it only contains natural ingredients": [ + "coffee brown hair dye" + ], + "i need a cruelty free face mist": [ + "cruelty free face mist" + ], + "im looking for a blue wireless bluetooth headphones": [ + "bluetooth blue headphones" + ], + "im looking for an easy to install bronze shower curtain rod": [ + "easy to install bronze shower curtain rod" + ], + "i need a 33 inch living room end table": [ + "33 inch living room end table" + ], + "i would like to get some size 6.5 yellow non slip flip flops": [ + "size 6.5 yellow flip flops" + ], + "i am looking for a purple toiletry bag that is water resistant": [ + "purple toiletry bag water resistant" + ], + "im looking for a dark blue fleece throw that i can use to decorate my living room": [ + "dark blue fleece throw for living room" + ], + "i want capri sun pacific cooler mixed fruit naturally flavored juice drinks": [ + "capri sun pacific cooler mixed fruit naturally flavored juice drinks" + ], + "i am looking for a hair salon capacity spray bottle": [ + "spray bottle hair salon capacity below $50" + ], + "i need high speed hdmi cables that are 10 feet long and in a 5 pack": [ + "10 feet long and in a 5 pack hdmi cables", + "5 pack hdmi cables 10ft" + ], + "i am looking for a fluoride free toothpaste": [ + "fluoride free toothpaste" + ], + "i am looking for height adjustable, mid century crystal chandelier lighting for living room, gold color, size 23.6": [ + "mid century crystal chandelier for living room with height adjustment", + "size 23.6 crystal chandelier" + ], + "looking for bamboo toothbrush with charcoal bristles": [ + "bamboo toothbrush with charcoal bristles" + ], + "im looking for a mens classic fit button-down shirt for special occasions": [ + "mens classic fit button-down shirt" + ], + "i am looking for cimota pu leather dining chairs in a set of 2": [ + "cimota pu leather dining chairs " + ], + "i would like a 198 bt power amplifier with wireless bluetooth": [ + "198 bt power amplifier wireless bluetooth up to 70 dollars", + "amplifier with 198 bt power up to 70 dollars", + "power amplifier wireless bluetooth 198a bt" + ], + "im looking for wheat color kitchen rugs it easy clean": [ + "easy clean wheat kitchen rug", + "wheat color kitchen rug easy clean" + ], + "i would like a caramel variety pack that is individually wrapped": [ + "caramel variety pack that is individually wrapped" + ], + "i want reparative eye creme for dark circles": [ + "reparative eye creme dark circles" + ], + "im looking for a router for i5 inter core processor. also, choose 8g ram, 128g ssd and 1td hdd with intel i3 3220, r9 b75 one": [ + "8g ram, 128g ssd and 1td hdd with intel i3 3220, r9 b75 one" + ], + "im looking for a tempered glass screen protector that is compatible with a 42 mm size apple watch": [ + "tempered glass screen protector for 42mm apple watch up to 40 dollars" + ], + "i am looking for wide leg black color bell bottom flare jegging sweatpants, but size in small": [ + "wide legging bottom flare black jeggings in small" + ], + "i would like a pair of size 9 grey snow boots that are water resistant": [ + "grey snow boots size 9 water resistant" + ], + "i want black columbia womens tidal elastic waist pants": [ + "columbia womens elastic waist tidal", + "columbia womens tidal waist pants", + "columbia womens elastic pants", + "columbia womens tidal pants" + ], + "i need vintage beauty salon chairs": [ + "vintage beauty salon chair", + "vintage salon chairs up to 640 dollars" + ], + "i want a high definition 3d video projector": [ + "hd 3d video projector high definition" + ], + "i am looking for a square area rug that is grey and ivory and measures 2 feet by 2 inch by 17 feet": [ + "grey and ivory rug 2ft x 2 inch x 17 ft up to 140 dollars" + ], + "help me find an electric razor for men thats easy to clean with a digital display": [ + "electric razor men easy clean digital display" + ], + "i need a valentines day chocolate gift box": [ + "valentine chocolate gift box" + ], + "get me some low carb sun dried tomatoes. it should have the flavor of plantain chips": [ + "low carb sun dried tomatoes plantain chips flavor" + ], + "i have a request for you. mens wrangler 13mwz cowboy cut original fit jean, comfortable fit. i hope you find this gift for my boyfriend who has a birthday the size is size: 38w x 29l, and the color atlanta. i look forward to your return as soon as possible": [ + "mens wrangler 13mwz cowboy cut original", + "mens wrangler 13mwz cowboy cut original size: 38w x 29l", + "mens wrangler 13mwz cowboy cut original size: 38w x 29l color atlanta" + ], + "i want to find a 15.99 fluid ounce can of an energy drink without any sugar, artificial colors or flavors. my flavor of preference is called shoc wave": [ + "15.99 fluid ounce can of an energy drink shoc wave" + ], + "i want low carb chipmonk keto lemon poppyseed cookies": [ + "low carb chipmonk keto lemon poppyseed cookies" + ], + "looking for fresh breath organic toothpaste": [ + "fresh breath organic toothpaste" + ], + "i need to find a heavy duty outlet wall plate cover; choose the rocker combo style": [ + "rocker combo heavy duty outlet wall plate cover" + ], + "i would like an intel core desktop that has 32gb of ram and 2tb of storage": [ + "intel core desktop that has 32gb of ram and 2tb of storage" + ], + "i am looking for x-large mint green snow boots that have a rubber outsole": [ + "mint green snow boots rubber outsole", + "x-large mint green snow boots", + "mint green snow boots with rubber outsole" + ], + "i am looking for cupcake toppers for baby shower birthday party. please choose pink color": [ + "pink cupcake toppers for baby shower birthday party" + ], + "i need a jet black hair piece for hair loss": [ + "hair piece in jet black color" + ], + "i am looking for a nickel finished one light wall sconce": [ + "wall sconce nickel finish" + ], + "im looking for a size 2.55 ounce anti aging hydra-nutrition day cream": [ + "2.55 ounce anti aging hydra-nutrition day cream" + ], + "i want indigo zac relaxed fit straight leg jeans": [ + "relaxed fit jeans in indigo color" + ], + "i am looking for a high resolution background of size 9x6ftpolyester": [ + "9x6ft polyester background" + ], + "im looking for a lead free colonial candle made of soy wax for living room. also choose 10 in limoncello colored one": [ + "lead free colonial candle made of soy wax 10 in limoncello colored" + ], + "i want a 512gb samsung galaxy tab s7 with usb port": [ + "samsung galaxy tab s7 512 gb", + "samsung galaxy tab s7", + "512gb samsung galaxy tab s7 with usb port" + ], + "i need a vanity light with a classic bronze finish": [ + "vanity light in classic bronze finish up to 180 dollars", + "classic bronze vanity light up to 180 dollars", + "vanity light bronze classic" + ], + "i need to buy a sky blue fire tablet for a child. it should have a 1080p screen and a blue tooth keyboard": [ + "fire tablet kids sky blue 1080p screen with blue tooth keyboard up to 220 dollars" + ], + "i am looking for a high quality purple ice roller skin care tool kit": [ + "purple ice roller skin care tool kit" + ], + "i want to buy an x-large tall, long sleeve flannel shirt that is sea cliff blue plaid": [ + "x-large tall long sleeve flannel shirt sea cliff blue plaid" + ], + "i am looking for a wall mounted mid-century sconce that preferably has a plug in 2 pack": [ + "plug in 2 pack wall mounted mid-century sconce" + ], + "i need brown eco friendly nikahoo small storage baskets": [ + "brown eco friendly nikahoo small storage baskets" + ], + "i would like a large gray pair of leggings with a high waist": [ + "large grey leggings high waist" + ], + "im looking for a rosehip seed oil for face and skin by kate blanc": [ + "rosehip seed oil for face and skin by kate blanc" + ], + "i want a long 001 coffee colored xx-large long jacket for women that is for daily wear": [ + "long jacket 001 coffee for women daily wear up to 50 dollars" + ], + "i would like a clinically proven deodorant that is lavender sage": [ + "clinically proven deodorant that is lavender sage" + ], + "gold plated stereo sound cable input usb port": [ + "gold plated stereo sound cable input usb port" + ], + "shop for a light weight windows desktop pc": [ + "windows desktop pc with light weight" + ], + "im looking for make up for eye shadow to skin care products": [ + "make up for eye shadow" + ], + "buy a pair of size nine waterproof lace-up walking shoes. they should be made out of vinyl acetate ": [ + "waterproof lace-up walking shoes vinyl acetate" + ], + "i am looking for classic fit dark heather color tank top": [ + "tank top dark heather classic fit", + "classic fit dark heather color tank" + ], + "i am in need of elastic waist winter active running joggers pants of small size and dark grey color": [ + "elastic waist winter active running joggers small dark grey" + ], + "im looking for smartwatch accessories for compatible apple and glass screen and need to buy it": [ + "glass screen for apple smartwatch" + ], + "im looking for tech response shoes by adidas in black size 11 for day comfort": [ + "adidas tech response black 11" + ], + "i would like a body brush with a long handle": [ + "body brush with long handle less then 30 dollars" + ], + "help me find this model today: eldof women peep toe pump medium heel, rubber sole, brown color and size 8.5 . im giving up on finding it so much ive searched": [ + "eldof women peep toe pump medium heel, rubber sole, brown color and size 8.5", + "eldof women peep toe pump medium heel brown" + ], + "i am looking for a lavender scented foot peel mask suitable for dry skin which removes dead skin and fine lines": [ + "lavender foot peel mask dry skin fine lines" + ], + "i am looking for cherry red softy t color boots that are light weight": [ + "softy t color boots cherry", + "softy t boots", + "red boots", + "cherry red boots", + "soft red boots", + "softy t", + "light weight red boots", + "red slippers", + "light weight cherry red boots" + ], + "i am looking for a white coffee tables with nickel finish": [ + "white coffee table nickel finish" + ], + "im looking for headphones are color it was wireless charging it was outside of noise cancellation": [ + "headphones wireless charging outside of noise cancellation", + "wireless charging headphones noise cancellation", + "headphones wireless charging noise cancellation" + ], + "im looking for breastfeeding shits maternity cloths double layer postpartum shirt": [ + "postpartum breastfeeding shirts" + ], + "i am looking for a solid wood light golden brown stained bookcase": [ + "solid wood bookcase, light brown" + ], + "im looking for 6ft - 3packs of high speed coaxial cable with aluminum alloy": [ + "6 foot coaxial cable, pack of 3" + ], + "im looking for healthy breakfast bars enriched with peanut butter": [ + "healthy breakfast bars peanut butter" + ], + "i want to find a white pair of one-size-fits-all mens underwear that is loose-fitting": [ + "mens white underwear, 1 pair", + "mens white underwear, one-size-fits-all" + ], + "i am looking for 2pink color anti slip women sandals": [ + "anti slip women sandals in pink" + ], + "i am looking for brown hiking boots that are size 10.5 wide with a synthetic sole": [ + "brown hiking boots that are size 10.5" + ], + "i want to buy a faux fur sherpa jacket in medium": [ + "faux fur sherpa jacket in medium", + "faux fur sherpa jacket in size medium" + ], + "i am looking for wireless bluetooth speakers in the color a": [ + "wireless bluetooth speakers color a", + "color a bluetooth speaker", + "wireless bluetooth speakers" + ], + "i need some cupcake toppers for a birthday party. get the ones with silver glitter": [ + "silver glitter cupecake topper" + ], + "i am looking for adjustable child learning blue color desk chair with lumbar support": [ + "adjustable child learning blue color desk chair with lumbar support" + ], + "i am looking for a male to male style gold plated high speed hdmi cable. also, choose 10 feet length": [ + "male to male style gold plated high speed hdmi cable", + "male to male style gold plated high speed hdmi cable 10ft" + ], + "im looking for a 4-tier shelving unit and tv stand that is espresso and classic black color. also, it should have engineered wood": [ + "4-tier shelving unit, tv stand" + ], + "i am interested in buying a zero sugar gluten free freezer pops": [ + "freezer pops with zero sugar and are gluten free" + ], + "help me find a standing four-tiered bakers rack thats heavy duty": [ + "four-tiered bakers rack heavy duty" + ], + "i want a non toxic sulfate free cruelty free shampoo for healthy hair": [ + "non toxic sulfate free cruelty free shampoo for healthy hair" + ], + "i am looking for 2 mesh laundry bags": [ + "2 mesh laundry bags" + ], + "i am looking for a x- large casual dresses with long sleeves": [ + "x-large casual dress with long sleeves" + ], + "i want a shilo dark chocolate wig made from natural hair": [ + "shilo dark chocolate wig made from natural hair" + ], + "i need a non gmo and usda organic granola cereal. i like the honey nuts and cinnamon flavor": [ + "honey nuts and cinnamon flavor granola cereal" + ], + "i want to find an ac adapter that features a dual-band cradle signal booster kit": [ + "ac adapter dual band cradle signal booster" + ], + "i am looking for moisturizing shower gel with vegan , green tea and coconut oil and also mint argan scent": [ + "mint argan scent shower gel" + ], + "i am looking storage basket for living room having steel frame and can clean easily at large size": [ + "large steel frame storage basket for living room" + ], + "i want a white emma + oliver kids 3 piece solid hardwood table and chair set for my dining room": [ + "white emma + oliver kids 3 piece solid hardwood table " + ], + "i would like some curtains for my living room that are blue orange and are 108 by 90": [ + "108 90 living room blue orange curtains", + "blue orange curtains 108 90 living room" + ], + "i want a bottle of handcraft ginger tea tree essential oil": [ + "bottle of handcraft ginger tea tree essential oil" + ], + "i want a juniper and fully assembled rivet decatur modern upholstered dining chair": [ + "rivet decatur modern upholstered dining chair juniper" + ], + "i am looking for a busy raising ballers softball tank top for mom that is 100% cotton heather that can be washed in a washing machine.should be large in size and dark in colour": [ + "womens tank top, raising ballers" + ], + "im looking for cake toppers for a birthday party": [ + "birthday party cake toppers" + ], + "i am interested in a high quality brush set": [ + "high quality brush set up to 50 dollars" + ], + "im looking for a queen size bedspread set in the color redwood": [ + "queen size bedspread set in color redwood" + ], + "i would like a black race style video game chair with good lumbar support": [ + "black race style video game chair" + ], + "i need a easy to apply temporary tattoo": [ + "temporary tattoo easy to apply" + ], + "i would like to buy to some fat free non gmo original beef jerky": [ + "non gmo fat free original beef jerky", + "beef jerky free from fat and gmo" + ], + "id like to order some darjeeling tea. make sure its certified organic": [ + "organic darjeeling tea" + ], + "i would like a 20 foot long 4 pack of gold plated hdmi male to male cables": [ + "20 foot 4 pack hdmi cable", + "20 foot hdmi cable" + ], + "im looking for the long lasting soy wax jar candles in lavender scent": [ + "long lasting soy wax jar candles in lavender" + ], + "i want a peanut butter with date spread that is gluten free": [ + "peanut butter with date spread", + "peanut butter date spread gluten free", + "date spread peanut butter gluten free up to 40 dollars", + "peanut butter gluten free with date spread up to 40 dollars", + "peanut butter gluten free", + "peanut butter", + "butter peanut" + ], + "i am looking for stretchy band compatible with apple watch band 42mm": [ + "stretchy band for apple watch 42mm" + ], + "i am looking for some alcohol free skin care": [ + "alcohol free skin care" + ], + "i am seraching for wireless charging apple iphone with gradient coral color": [ + "wireless charging apple iphone", + "gradient coral color apple iphone wireless charging" + ], + "im looking for a plant based protein drink that should be free from soy, gluten and dairy": [ + "soy, gluten, dairy free plant based protein drink" + ], + "i would like a red video game chair with lumbar support": [ + "red video game chair lumbar support" + ], + "show me some long lasting honeysuckle jasmine colored candles made from soy wax": [ + "honeysuckle jasmine colored candles" + ], + "i am looking for a wallets of blouse hosiery and laundry bag": [ + "wallets for blouse hosiery and laundry bag cheap" + ], + "im looking for a 150 foot plug play hdmi cable": [ + "150 foot plug play hdmi cable" + ], + "im looking for a pair of womens workout shorts with a drawstring waist. i need them to be extra large and in light gray": [ + "womens workout shorts with drawstring waist extra large light gray", + "drawstring womens workout shorts in light gray and extra large" + ], + "i need an old fashioned rope sausage without gluten": [ + "old fashioned rope sausage without gluten" + ], + "i am looking for grey color steel metal bedframe that is heavy duty": [ + "grey steel metal bedframe that is heavy duty" + ], + "i am looking for gluten free doodles wavy corn chips, 1.37 ounce (pack of 36)": [ + "gluten free doodles wavy corn chips" + ], + "looking for babydoll mini bodysuit of quality polyester choose size xx large": [ + "xx-large babydoll mini bodysuit" + ], + "where can i find this special sauce? please help me .keto barbecue bbq sauce by yo mamas foods. carefully read all the features i need on the label. low carb, low sugar, gluten free, non gmo, classic pizza sauce flavor. if you cant find it let me know soon": [ + "keto barbecue bbq sauce by yo mamas foods" + ], + "i am looking for women ankle strap sandal. choose black color": [ + "sandal ankle strap black" + ], + "i am looking for non alcoholic sparkling refreshments in the sauvignon blanc flavor": [ + "non alcoholic sparkling beverage sauvignon blanc" + ], + "i would like a pink cosmetic bag that is easy to clean": [ + "pink cosmetic bag" + ], + "i am looking to buy a womans us size 5 high heel shoe with a rubber sole and color patent-beige": [ + "size 5 patent-beige high heel" + ], + "i would like some sugar free salted caramel truffles": [ + "sugar free salted caramel truffles", + "sugar free salted caramel truffles", + "salted caramel truffles", + "truffles salted caramel sugar free", + "salted caramel truffle no sugar", + "sugar free salted caramel truffles" + ], + "i am looking for a pendant light to go in my dining room with dimmer switch": [ + "pendant light with dimmer switch up to 110 dollars" + ], + "i am looking for a white platform bed that is easy to assemble": [ + "white platform bed that is easy to assemble" + ], + "i would like 36 packets of black tea bags that are usda certified organic": [ + "36 pack black tea usda organic", + "36 packets of black tea bags", + "black tea bag certified organic 36 packet up to 40 dollars", + "black tea bags usda certified organic", + "usda certified black tea bags organic 36 packets", + "black tea bags certified organic", + "36 packets black tea bags organic up to 40 dollars" + ], + "alex evenings a-line womens long dress is what i want to buy today, with hood draped in the back, help find this model in dark plum, hand wash": [ + "alex evenings a-line womens long dress in dark plum" + ], + "i need some living room furniture": [ + "living room furniture" + ], + "i would like a large navy penn state nittany lions fleece jacket made from quality materials": [ + "navy penn state nittany lions fleece jacket quality materials up to 80 dollars" + ], + "im looking for trader joe for buying groceries products": [ + "trader joe for buying groceries " + ], + "im looking for chocolate flavored low calorie, keto friendly protein drinks": [ + "chocolate flavored protein drink" + ], + "i am looking for high quality tea tree essential face oil, 4 fl oz (pack of 1)": [ + "tea tree essential face oil, 4 fl oz (pack of 1)" + ], + "ethylene vinyl womens running shoes also choose size 8": [ + "size 8 ethylene vinyl womens running shoes" + ], + "i want cheese pretzelhaus soft individually wrapped bavarian baked pretzels": [ + "soft individually wrapped bavarian baked pretzels" + ], + "im looking for super soft blankets and throws": [ + "super soft blankets and throws" + ], + "im looking for a 6 foot long, high performance coaxial cable": [ + "6 foot coaxial cable" + ], + "i am looking for a paraben free and cruelty free moisturizing body cleanser for dry skin. also choose size 32 fl oz": [ + "moisturizing body cleanser for dry skin, free from paraben, cruelty", + "32 fl oz moisturizing body cleanser for dry skin, paraben and cruelty free " + ], + "i want to buy a brush for facial cleansing which is suitable for sensitive skin and its blue color": [ + "sensitive skin facial cleansing brush in blue" + ], + "i want to find a 2-ounce bottle of sulfate-free conditioner thats compatible with damaged hair": [ + "2-ounce bottle of sulfate-free conditioner thats compatible with damaged hair", + "2 oz sulfate-free conditioner damaged hair", + "2 oz sulfate free conditioner", + "2 oz sulfate free conditioner damaged hair", + "2 oz conditioner", + "travel size sulfate free conditioner", + "travel sized sulfate free conditioner damaged", + "travel size sulfate free conditioner", + "sulfate free conditioner damaged hair" + ], + "i am looking for eco friendly candle wax. please choose vanilla lavender": [ + "vanilla lavender candle wax", + "vanilla lavender eco friendly candle wax", + "candle wax", + "candle wax, eco friendly" + ], + "i am looking for high quality 22 inch hair extensions": [ + "22 inch hair extensions high quality" + ], + "im looking for a 80 miles signal amplifier booster for hd tv": [ + "80 miles signal amplifier booster for hd tv", + "80 miles signal amplifier booster for hd tv" + ], + "i am lookong for a colorful2 for screen protectors wihich is easy ti install": [ + "colorful 2 for screen protectors", + "colorful 2 for screen protectors easy to install" + ], + "i am looking for low calorie dried vegetables of chocolate banana slices flavor": [ + "ow calorie dried vegetables of chocolate banana slices flavor" + ], + "i am interested in buying a toothbrush that is easy to carry and useful for sensitive teeth": [ + "toothbrush for sensitive teeth" + ], + "i am looking for a sugar free energy drink of zero ultra flavor": [ + "sugar free energy drink of zero ultra flavor" + ], + "i want to get a 13-ounce pack of mega omega trail mix with no artificial ingredients": [ + "mega omega trail mix 13 oz, no artificial " + ], + "i need a cell phone signal booster that is compatible with 4g lte": [ + "cell phone signal booster 4g lte" + ], + "i need a large log sleeve sweatshirt for daily use. i would prefer z08 red color": [ + "large red long sleeve sweatshirt", + "large long sleeve sweatshirt, color z08 red", + "large red sweatshirt", + "plain red sweatshirt", + "sweatshirt, red color, size large" + ], + "i need double-sided face wash sponge ( 4 color)": [ + "4 color double sided face wash sponge", + "double-sided face wash sponge 4 color" + ], + "i need to buy a three ounce bottle of long lasting perfume in the sexy amber scent": [ + "thee ounce bottle long lasting perfume sexy amber scent" + ], + "i am looking for a dove anti persipirant deodorant for sensitive skin .choose 2.6 ounce (pack of 3)": [ + "dove antiperspirant sensitive skin 2.6 ounce", + "dove antiperspirant sensitive 3 pack", + "dove antiperspirant sensitive", + "dove sensitive 3 pack" + ], + "i am looking a large pajama set machine wash cold wash relaxed fit color: with checker pant": [ + "large pajama set with checker pant color" + ], + "i am interested in a round area rug that is turquoise and ivory and 6 ft by 7 ft long": [ + "turquoise and ivory 6 ft by 7 ft long round area rug" + ], + "i need a fleece jacket for the winter that is warm and gray": [ + "winter fleece jacket gray warm" + ], + "i would like a queen sized black bed with a box spring": [ + "queen sized black bed with a box spring" + ], + "i want a super soft fleece thrown for living for room size 50*40": [ + "fleece thrown super soft" + ], + "i am looking for basic solid army green t shirt top,super stretchy and silky fabric,soft and comfortable for spring,winter wear yobecho womens long sleeve scoop neck tops blouse in xx large size": [ + "yobecho army green t shirt top stretchy silky spring winter", + "yobecho t shirt army green " + ], + "im looking for hair coloring products for permanent hair": [ + "hair coloring", + "hair coloring permanent" + ], + "i would like a 2xl navy grey shirt i can wash in a machine": [ + "2xl navy grey shirt" + ], + "i want to buy a high performance quad core streaming media player": [ + "streaming media player", + "streaming media player quad core" + ], + "i would like a 12 by 16 inch poster in three pieces of watercolor potted leaves for my living room": [ + "12 by 16 inch poster in three pieces of watercolor potted leaves", + "potted leaves poster 12 by 16" + ], + "i would like a car in dash gps device that is easy to install": [ + "car dash gps", + "in dash gps device", + "auto dash gps device", + "gps for car dashboard", + "car gps device" + ], + "i need a stainless steel pedicure tool to remove dead skin and i would like an 8 piece black set if possible": [ + "stainless steel pedicure dead skin 8 piece black", + "8 piece pedicure black" + ], + "i want to find a high-resolution digital camera with an optical zoom feature": [ + "high-resolution digital camera with optical zoom", + "high resolution camera with optical zoom", + "high resolution digital camera with optical zoom" + ], + "i need to order a pair of blue snow boots in size five": [ + "blue snow boots 5 size up to 60 dollars" + ], + "i am looking for a portable high-power wireless bluetooth speaker. also choose gray color": [ + "portable high power wireless bluetooth speaker up to 40 dollars", + "portable high power grey wireless bluetooth speaker up to 40 dollars", + "wireless bluetooth speaker gray color up to 40 dollars" + ], + "i need a pair of shoes with rubber soles. remember to get size seven and a half womens": [ + "shoes, rubber soles, size 7.5, womens less than $40" + ], + "i want to find professional binoculars that are easy to carry for birdwatching": [ + "professional binoculars", + "professional binoculars birdwatching easy to carry" + ], + "i am looking for a plug and play ps2 to hdmi converter adapter": [ + "ps2 to hdmi converter plug and play" + ], + "i am looking for a cruelty free shampoo for a hair salon. also choose 250ml pack and copper style": [ + "250ml copper style cruelty free shampoo for hair salon up to 40m dollars" + ], + "i would like to get some size 10 red pumps with a rubber sole": [ + "rubber soled red pumps" + ], + "i need a long sleeved sleep set in a 4x-large in the color mt7308": [ + "long sleeved sleep set color mt7308" + ], + "i want to find gluten free maple syrup that comes in a 32 fluid ounce bottle": [ + "gluten free maple syrup 32 fluid ounce bottle" + ], + "im looking for a leak proof soap container for kids": [ + "leak proof soap container for kids" + ], + "im looking for color a recliner chair for hair salon": [ + "hair salon color recliner chair", + "color a recliner hair salon chair" + ], + "i would like a dark grey hair building fiber that is easy to apply": [ + "cheap fiber dark grey hair easy apply" + ], + "i need a pair of sneakers that have a rubber sole and come in black. get the size five and a half": [ + "black rubber sole sneakers size 5.5" + ], + "i want an espresso colored cotoala twin size daybed": [ + "espresso colored cotoala twin size daybed,", + "espresso colored cotoala twin size daybed" + ], + "i need pair of pink size 10 slippers with a rubber anti slip sole": [ + "pair of pink size 10 slippers with a rubber anti slip sole" + ], + "im looking for furniture to make my living room and dinning room so nice": [ + "living room and dining room furniture" + ], + "i am looking for a short sleeve fishing shirt with a button closure in the color emerald city and in the size 2x tall": [ + "2x tall emerald city short sleeve fishing shirt " + ], + "i would like some cupcake toppers that would good at both a birthday party and a baby shower": [ + "cupcake toppers birthday baby shower" + ], + "i am looking for some hair pins that are rose gold": [ + "hair pins rose gold" + ], + "im looking for a light pink long handle back loofah shower brush": [ + "light pink long handle back loofah shower brush" + ], + "i want to find a heavy duty bar stool that is rein bay colored": [ + "rein bay colored bar stool" + ], + "i need black dodoing curly messy hair bun extensions": [ + "dodoing curly messy bun extension" + ], + "i would like a medium sized dress with a elastic waist": [ + "elastic waist medium sized dress" + ], + "i need a two ounce package of hair dye in light to medium blonde": [ + "two ounce package of hair dye in light to medium blonde" + ], + "i want a bagel made from high quality ingredients": [ + "bagel made with high quality ingredients" + ], + "i am looking for a black women\u2019s loose fit tank top": [ + "womens tank tops" + ], + "i am looking for a organic and gluten free almond nut butter with kosher certified. also choose chocolate favor and 4-pack size": [ + "almond nut butter in chocolate flavor", + "organic almond nut butter, chocolate" + ], + "i am looking for high resolution digital camera. choose pink color": [ + "digital camera pink color" + ], + "i am looking for a mens baby blue classic fit shirt": [ + "mens baby blue classic fit shirt" + ], + "id like to find a pair of size-12 mens waterproof sneakers. it should have ethylene vinyl and ideally i want the color to be breen": [ + "size 12 mens waterproof sneakers in breen" + ], + "i would like to buy some 24 inch grey hair extensions": [ + "hair extensions, 24 inch" + ], + "i am looking for a pair of womens size 6.5 to 7 open toe sandals": [ + "6.5 to 7 size open toe sandals" + ], + "i would like a pair of black size 8.5 boots with a comfortable fit": [ + "size 8.5 comfortable fit boots" + ], + "i am looking for graphite color womens slip-on amde from vinyl acetate": [ + "graphite color womens slip-on amde", + "graphite womens slip-on amde vinyl acetate," + ], + "im looking for a standard pair of straight legged jeans in noir heather": [ + "standard straight leg noir heather jeans", + "standard means noir heather", + "standard jeans noir heather", + "noir heather jeans", + "straight leg noir jeans", + "standard pair of straight legged jeans in noir heather" + ], + "bacon jerky 15 pack": [ + "15 pack of jerky, bacon flavored" + ], + "i need chandelier light fixture for dining room which should have bronze finish and glass shades": [ + "bronze finish glass shades chandelier light fixture" + ], + "i need some rose gold cosmetic bags": [ + "rose gold cosmetic bags" + ], + "i am looking for a phantom pink samsung galaxy s21 ultra 5g unlocked phone with optical zoom": [ + "phantom pink samsung galaxy s21 ultra 5g" + ], + "i want a large summer o neck womens short sleeve blouse": [ + "summer o neck womens short sleeve blouse" + ], + "i need some steel toed shoes that are chocolate colored and are a size 7": [ + "steel toed shoes chocolate", + "steel toed shoes chocolate brown", + "chocolate colored steel toed shoes size 7", + "steel toe chocolate colored shoes", + "steel toed shoes chocolate colored are a size 7", + "steel toed shoes chocolate color size 7", + "steel toed shoes size 7" + ], + "i am looking for a gift basket with margarita glasses and snacks": [ + "gift basket with margarita glasses and snacks" + ], + "i am interested in solid wood storage cabinets": [ + "storage cabinets made of solid wood", + "wooden storage cabinets" + ], + "i am looking for white solid wood bunk beds with drawers": [ + "white solid wood bunk beds with drawers" + ], + "i need some fully cooked canned meats with a long shelf life": [ + "fully cooked canned meat" + ], + "i need a high power amplifier adapter for home audio": [ + "high power amplifier adapter home audio", + "high power amplifier adapter home audio" + ], + "i need a gray vanity bench with metal legs": [ + "gray vanity bench with metal legs" + ], + "i am looking for a round w | glass top coffee tables for living room": [ + "round w | glass top coffee tables for living room," + ], + "get me a forty pack of old-fashioned popcorn": [ + "forty pack old-fashioned popcorn", + "pack of 40 popcorn" + ], + "i would like sesame seeds that are gluten free and ginger flavored as well as being .8 oz": [ + "sesame seeds gluten free ginger flavored .8 oz", + "ginger flavor sesame seeds", + "sesame seeds ginger flavored" + ], + "i am looking for brittle color organic chocolate": [ + "brittle color organic chocolate" + ], + "im looking for bookshelf speaker": [ + "bookshelf speaker" + ], + "get me a high performance coaxial cable connector": [ + "coaxial cable connectors" + ], + "i want gray high speed philips usb type c cables": [ + "gray high speed philips usb type c cables" + ], + "i need ten 12 foot high speed hdmi male to male cables": [ + "ten 12 foot high speed hdmi male to male cables", + "12 foot hdmi cable 10 pack", + "12 feet hdmi" + ], + "i need a loveseat that is grey and for the living room": [ + "loveseat that is grey and for the living room" + ], + "i want to find 25 grams of iridescent purple edible glitter. it needs to be dairy free": [ + "25 grams of iridescent purple edible glitter", + "25 grams iridescent purple edible glitter dairy free" + ], + "im looking for an easy carry and light weight photography backdrop. also, choose the 7x5ft size": [ + "light weight photography backdrop portable 7x5ft", + "photography backdrop 7x5 ft", + "photography backdrop 7x5 ft lightweight easy carry" + ], + "i need some eye cream for treating fine lines": [ + "fine lines eye cream" + ], + "i am looking for a lantern pendant light with 4 lights. find me something in black and gold": [ + "lantern pendant light with 4 lights black and gold" + ], + "i want a primer face plant based and oil free": [ + "primer face plant based and oil free" + ], + "i need lightweight navy shoes that are in a size 11": [ + "size 11 navy shoes that are lightweight" + ], + "find a black colored wall lamp thats easy to install": [ + "wall lamp, easy to install, black" + ], + "i want a mid century console sofa table": [ + "mid century console sofa table" + ], + "i am looking for birthday party , cupcake picks of pattern name: pattern 5": [ + "cupcake picks of pattern name: pattern 5" + ], + "i need a machine washable jogger outfit in a red color": [ + "red jogger outfit machine washable up to 50 dollars" + ], + "i want small and high waisted comfortable underwear 831 new men u-convex": [ + "high waist comfortable underwear", + "high waist u-convex comfortable underwear for men" + ], + "i want to find a lib balm set made with natural ingredients that has long-lasting effects. the color must be 02": [ + "natural lip balm, color 02", + "long-lasting natural lip balm set", + "long-lasting natural lip balm, 02 color" + ], + "i am looking for mn4 color foundation for my sensitive skin": [ + "mn4 color foundation for my sensitive skin" + ], + "i need a nightstand for storage space": [ + "storage space nightstand" + ], + "looking for slim comfortable fit mens jean also choose colour black chocolate": [ + "slim comfortable fit mens jean black chocolate", + "fit mens jean slim colour black chocolate", + "fit mens jean black chocolate" + ], + "i am looking for a double sided white apron for shaving and trimming": [ + "double sided white apron" + ], + "i am looking for a mid century chair that is a sectional loveseat and is a peppercorn linen weave color": [ + "ancient sectional chair peppercorn color" + ], + "i am looking for 2 pack of 20ft long quadshield solid copper black color indoor and outdoor coaxial cable": [ + "2 pack of 20ft long quadshield solid copper black coaxial" + ], + "i want to find a pink womens quilted puffy vest that i can machine wash. the size needs to be extra large": [ + "pink puffy vest extra large" + ], + "get me a hand washable short sleeved loose fit top in army green color and 3x-large size": [ + "3x-large short sleeved loose fit top in army green" + ], + "i am looking for high speed hdmi cable male to male ": [ + "hdmi male to male high speed" + ], + "i want to find a loofah back scrubber with a long handle": [ + "loofah back scrubber with a long handle" + ], + "i would like a 2.25 bottle of mens single shower fresh alcohol free antiperspirant": [ + "men shower fresh alcohol antiperspirant 2.25", + "single men shower fresh antiperspirant 2.25", + "antiperspirant mens 2.25 shower fresh" + ], + "i am looking for machine washable and with printing technology of ambesonne popstar party throw pillow cushion cover with size 20x20": [ + "machine washable party throw pillow cover", + "machine washable ambesonne throw pillow popstar 20" + ], + "i am looking for150 white color 4:3, 4k ultra hd 3d ready projector screen": [ + "150 white color 4:3, 4k ultra hd 3d ready projector screen" + ], + "i want a tan and cruelty free dual salmon concealer": [ + "tan salmon cruelty free concealer" + ], + "i am looking for kernel seasons popcorn season in 2.85 ounce packs of 6": [ + "kernel seasons popcorn 2.85 ounce packs of 6" + ], + "i want a sugar free paddy syrup that is keto friendly. i like the macadamia nut flavor": [ + "sugar free paddy syrup keto macadamia " + ], + "i would like a pair of midnight green earbud headphones made of aluminum alloy": [ + "midnight green earbuds made from aluminum alloy", + "midnight green earbuds" + ], + "i would like to buy mens briefs which is easy care and of stripe color and a unique design": [ + "stripe color mens briefs" + ], + "im looking for a small black t-shirt for women with alpaca design and manchine wash": [ + "small black t-shirt women alpaca design" + ], + "i need 16 inch long dark brown goo goo remy hair extensions tape": [ + "16 inch long dark brown goo goo remy hair extensions tape" + ], + "i am looking for a high density mattress in full size which is made up of memory foam": [ + "high density mattress full memory foam" + ], + "im looking for a 10 lights stepeak w23.6 crystal golden chandelier pendant lighting ": [ + "10 lights stepeak w23.6 crystal golden chandelier pendant lighting" + ], + "i want a black officially licensed judy hopps average bunny t-shirt": [ + "black officially licensed judy hopps average bunny t-shirt" + ], + "i need a tempered glass window film two pack in the color 91768059675860000 and 23.6 in by 23.6 in": [ + "23.6 in by 23.6 in tempered glass window film two pack in the color 91768059675860000", + "color 91768059675860000", + "color 91768059675860000 window flim", + "tempered glass window film two pack in the color 91768059675860000 and 23.6 in by 23.6 in", + "tempered glass window film in 2 packs" + ], + "i am looking for shoes that are grey and light blue with a rubber sole in a size 11-11.5 women": [ + "size 11-11.5 women grey and light blue rubber sole shoes" + ], + "i want an easy to use tongue cleaner for eliminating bad breath": [ + "easy to use tongue cleaner for eliminating bad breath" + ], + "i am looking for a 36 count pack of soy free fruit and nut bars": [ + "fruit and nut bars, soy free", + "fruit and nut bars, soy free, 36 count" + ], + "i need to buy a ready to hang art print thats sixteen by twenty-four inches. look for one that has women and palm leaves on it": [ + "16x24 inch art print of women and palm leaves", + "16x24 inch art print, women and palm trees" + ], + "i am really in need of some toothpaste that is peppermint for bad breath": [ + "peppermint toothpaste for bad breath" + ], + "i need a 3 pack of ethique solid deodorant bar for men and women. i want the oil-free variety": [ + "ethique deodorant bar, 3 pack" + ], + "i need a smartwatch case that is compatible with apple and is in a size 45 mm": [ + "45 mm apple smartwatch case" + ], + "i need 15 pounds of non gmo beans": [ + "15 pounds of non gmo beans" + ], + "i would like a 6 foot long gold plated pink cable": [ + "6 foot long gold plated pink cable", + "gold plated pink cable", + "6ft pink cable" + ], + "i am looking for size 10 regular fit adidas harden stepback 2.0 basketball shoes": [ + "regular fit adidas harden stepback 2.0" + ], + "i am looking for a loose fit blue top that is a small": [ + "loose fit blue shirt in small" + ], + "i would like to get a medium black long sleeve hoodie thats pretty loose": [ + "medium black long sleeve hoodie loose", + "black long sleeve hoodie loose" + ], + "i need a slip resistant tactical boot with rubber soles. it should be in size 6": [ + "slip resistant tactical boot rubber soles", + "tactical boot with rubber sole slip resistant 6 size up to 250 dollars" + ], + "please select a 1 pound, certified organic sea salt shaker in the flavor triple blend flakes": [ + "triple blend flakes 1 pound sea salt shaker" + ], + "i am looking for a short sleeve top for a teenage girl. it should in xx-large size": [ + "short sleeve top xx large size", + "short sleeve top teenage girl xx-large" + ], + "im looking for a long handle stainless steel nail clipper set with color 8592 black": [ + "ong handle stainless steel nail clipper set with color 8592 black" + ], + "i need a yellow xx-large floral print tank sleeveless dress that is quick drying": [ + "yellow xx-large floral print tank sleeveless" + ], + "i would like a 100 count friends bunny grahams party mix with simple ingredients": [ + "100 count friends bunny grahams party mix" + ], + "i am looking for some blue daily casual jumpsuits that are a medium size": [ + "some blue daily casual jumpsuits" + ], + "i would like a large tops a4c4 army green short sleeve t shirt": [ + "a4c4 army green t-shirt in large" + ], + "looking for an easy to deliver vintage barbecue sauce needle sleeve white womens halloween t-shirt by tomorrow? forgot to machine wash": [ + "vintage barbecue sauce white women halloween tshirt up to 40 dollars", + "white t-shirt vintage barbecue for womens halloween", + "vintage barbecue t-shirt funny halloween", + "vintage barbecue sauce t-shirt funny halloween", + "vintage barbecue sauce t-shirt funny halloween needle sleeve", + "vintage barbecue bbq sauce costume t-shirt", + "vintage barbecue bbq sauce costume t-shirt up to 40 dollars", + "t-shirt vintage bbq sauce costume halloween", + "vintage barbecue sauce needle sleeve white womens halloween t-shirt", + "vintage barbecue bbq sauce costume funny halloween gifts t-shirt", + "t-shirt with barbecue sauce design", + "t-shirt with barbecue sauce design printed for women halloween", + "halloween gift t-shirt costume bbq sauce" + ], + "i am looking for makeup brush set that is suitable for synthetic hair. and i would prefer the pink one": [ + "pink makeup brush set, suitable for synthetic hair." + ], + "im looking for a lip pencil high pigmented for long lasting and melrose place color": [ + "lip pencil high pigmented melrose place color" + ], + "i am looking for a wood finish posters for my living room. and i would go for 30 x 40 size": [ + "wood finish poster 30x40", + "30x40 poster", + "wood poster 40x30" + ], + "i am looking for a blue computer gaming chair that is height adjustable and has lumbar support": [ + "blue computer gaming chair with height adjustment and lumbar support" + ], + "i am looking for yellow color stool cover. it should be washable in machine": [ + "machine washable stool cover in yellow color" + ], + "i need a 9 ounce pack of chocolate peanut butter keto cereal that is grain free": [ + "chocolate peanut butter keto cereal that is grain free, 9 oz, less than $110" + ], + "i am searching for a gold color smart watch bands compatible for apple and any one of the sizes 38mm | 40mm | 41mm": [ + "gold apple watch band 40mm " + ], + "can you find me a pair of mens non-slip beach sandals with arch support? i want a pair in size 14": [ + "mens non-slip beach sandals with arch support, size 14, less than $60" + ], + "i would like a 7 piece king comforter set decorated with flowers and is machine washable": [ + "7 piece king comforter set decorated with flowers" + ], + "i need a 6 ounce deep conditioner for dry hair that has rose oil and peach scent": [ + "6 ounce deep conditioner for dry hair rose oil and peach", + "6 oz rose oil peach deep conditioner", + "hask rose oil peach", + "rose oil peach 6 oz deep conditioner" + ], + "i am looking for 6 nut free plant based raspberry snack bars": [ + "raspberry snack bars, plant based, nut free, 6 pack", + "raspberry snack bars" + ], + "baggy jeans for women high waisted daily casuals in colour blue-6": [ + "blue-6 baggy jeans high waist" + ], + "i am looking for small undershirts that i can machine wash": [ + "small undershirt" + ], + "i want to buy a toothbrush for sensitive teeth": [ + "toothbrush for sensitive teeth" + ], + "i am looking for some easy to install gold plated banana plugs for speaker wire": [ + "gold plated banana plugs" + ], + "i am searching for a high gloss tv stand with additional storage space. also, choose an ob color": [ + "high gloss tv stand with additional storage space" + ], + "i am looking for slim jeans that are granite color and machine washable": [ + "granite color slim jeans" + ], + "i want a farmhouse grey acadian solid wood side table": [ + "farmhouse grey acadian solid wood side table" + ], + "i need gluten free popcorn": [ + "gluten free popcorn" + ], + "i would like oxford shoes that are brown and size 11 x-wide with a rubber sole": [ + "oxford shoes brown wide rubber sole" + ], + "i would like to buy a white floor lamp for my living room": [ + "white floor lamp" + ], + "i need high quality linen fabric item": [ + "high quality linen fabric item" + ], + "im looking for a high performance paint contrast projector": [ + "high performance paint contrast projector up to 240 dollars" + ], + "i would like a stained glass wall lamp with a bronze finish": [ + "stained glass wall lamp" + ], + "im looking for oil free hair conditioner that offers a cruelty free certification": [ + "oil free hair conditioner cruelty free" + ], + "i am looking for a vinyl home office chair that has lumbar support and has a mesh back with synchro-tilt": [ + "a vinyl home office chair that has lumbar support" + ], + "find cookies made with high fructose": [ + "high fructose cookies", + "cookies made with high fructose", + "cookies high fructose" + ], + "im looking for a portable computer speakers that has plug play and power amplifier": [ + "portable computer speakers that has plug play and power amplifier", + "portable computer speakers power amplifier" + ], + "i need a long lasting 6.76 fl oz bottle of leau dissey": [ + "6.76 fl oz bottle of leau dissey" + ], + "i want a high quality toothbrush for sensitive teeth, something in blue color for my baby": [ + "blue sensitive teeth baby toothbrush", + "blue high quality toothbrush sensitive", + "blue sensitive teeth baby toothbrush" + ], + "i want some easy to use rose gold hair extensions": [ + "rose gold hair extensions", + "rose gold hair extensions easy to use" + ], + "im looking for teeth cleansing for teeth whitening and the fresh breathe": [ + "teeth cleansing for teeth whitening fresh breathe" + ], + "i need a natural teeth whitening toothpaste": [ + "natural teeth whitening toothpaste" + ], + "i want a loose fit pullover. pick out the one in gray, please": [ + "gray loose fit pullover" + ], + "coney island classics butter me up popcorn, brings back memories of my childhood. in addition to having dietary fiber and gluten free. please select for me": [ + "coney island classics butter me up popcorn" + ], + "i need a lenovo chromebook with intel core i3-8130u": [ + "lenovo chromebook i3-8130u cpu" + ], + "i want a quad core 7 android kids tablet with iwawa ls, dc, bt, wifi etc": [ + "tablet 7 with iwawa" + ], + "i need dusty pink mid century bar stools that dont have open backs": [ + "dust pink mid century bar tools without open backs whose price lower than $260.00 " + ], + "i\u2019m looking for a large multi-pack of sweetener that contains no sugar; please pick the blue raspberry flavour": [ + "blue raspberry flavour sweetner", + "blue raspberry large multi-pack of sweetener", + "raspberry flavored sweetener with no sugar", + "multipack sweetener with raspberry flavor and no sugar" + ], + "i am looking for a mid century couch": [ + "mid century couch" + ], + "i would like a 3.52 ounce packet of kat a kat seasoning thats easy to use": [ + "3.52 ounce packet of kat a kat seasoning" + ], + "i want coconut scented hask invigorating tea tree oil": [ + "coconut hask invigorating tea tree oil" + ], + "i need a contemporary design acrylic leg bench for living room in navy velvet color": [ + "contemporary design acrylic leg bench in navy velvet" + ], + "i would like a pair of size 8 shoes with a leather sole": [ + "size 8 leather sole shoes" + ], + "i want to find a plus-sized medium short-sleeve top for women in navy": [ + "womens short sleeve top in medium plus-sized", + "navy medium womens short sleeve top plus-sized" + ], + "im looking for a fruit king crispy tofu stick that is freeze dried and high in protein": [ + "fruit king crispy tofu stick freeze dried" + ], + "i am looking for a cargo pant made up of polyester cotton which is washable in machine. also choose coyote brown color and 36w x 32l size": [ + "cargo pant made of polyester machine washable coyote brown 36x32" + ], + "i am looking for a mesh laundry bag": [ + "mesh laundry bag" + ], + "i want a yellow easy to carry gaone fm radio alarm clock": [ + "gaone radio alarm clock yellow" + ], + "i am looking for men classic fit t-shirt. please choose black color": [ + "men classic fit black t-shirt " + ], + "i want a 16 ounce happy new year candle made from soy": [ + "happy new year candle soy", + "happy new year candle", + "new years candle soy 16", + "new years candle", + "new years candle soy", + "2022 candle soy", + "soy candle 16 ounce", + "16 ounce new years candle soy" + ], + "i am looking for a pair of womens size 7.5 camo colored non slip walking shoes": [ + "womens size 7.5 camo colored non slip walking shoes", + "camo colored walking shoes", + "womens size 7.5 camo colored walking shoes" + ], + "im looking for a splitter for high speed coaxial cable": [ + "i need a cheap splitter for coaxial cable" + ], + "i need some kosher sea salt": [ + "kosher sea salt", + "kosher sea salt" + ], + "im looking for 33.81 fl oz non-gmo gluten free monin raspberry syrup": [ + "33.81 fl oz non-gmo gluten free monin raspberry syrup" + ], + "find me a grain free, non gmo, and gluten free cake mix bundle with chocolate chip cookie flavor": [ + "cake mix bundle chocolate chip cookie gluten free, grain free, non gmo up to 50 dollars", + "cake mix bundle up to 50 dollars", + "cake mix bundle chocolate chip cookie gluten free, grain free, non gmo up to 50 dollars" + ], + "i want a smart wi-fi bulb camera with motion detection": [ + "smart wi-fi bulb camera with motion detection" + ], + "i am looking a high resolution fiber optic cable for audio vedio colour :black": [ + "high resolution fiber optic cable in black", + "black high resolution fiber optic cable audio video", + "black fiber optic cable" + ], + "i need a california king mattress set that has a 4 foundation": [ + "california king mattress set that has a 4 foundation", + "california king mattress set 4 foundation up to 800 dollars", + "set for california king mattress 4 foundation up to 800 dollars" + ], + "i want to get cartoon themed cupcake toppers that i can use for a birthday party": [ + "cartoon themed cupcake toppers birthday" + ], + "i need some colorful wall dividers to arrange my living room for a holiday": [ + "colorful holiday wall dividers", + "colorful wall dividers holiday", + "wall dividers holiday christmas" + ], + "i would like a 10 by 8 foot photo backdrop that is light weight and easy to carry": [ + "10 by 8 foot photo backdrop" + ], + "i would like some black phone system and a size 4 handset with a dual keypad for my computer. it also needs to be noise cancelling": [ + "black size 4 handset dual keypad noise cancelling", + "size 4 handset dual keypad noise cancelling" + ], + "i need high quality lashes in size 21mm that are easy to apply": [ + "eyelashes, 21mm" + ], + "get me a keto friendly and sugar free cereal that is also plant-based. i want the cinnamon toast and dark chocolate flavor": [ + "cinnamon toast dark chocolate keto cereal" + ], + "i need some extra large butt lifting leggings in mint green": [ + "mint green butt fitting leggins" + ], + "i am looking for a super soft throw blanket that is at least 50 by 60 inches in size": [ + "50 by 60 inches soft throw blanket", + "super soft throw blanket large 50x60" + ], + "i want to buy a four pack of non-gmo orange mango sparkling waters": [ + "four pack of non-gmo orange mango sparkling waters", + "four pack of non-gmo orange mango sparkling waters" + ], + "i would like some travel bottles for my cosmetics": [ + "cosmetic travel bottle" + ], + "i need to buy a silver eight light chandelier for my living room. i want one thats easy to install": [ + "silver chandelier with 8 lights, easy to install" + ], + "i want to find 3.99 fluid ounces of venus envy hair dye": [ + "venus envy hair dye" + ], + "i would like a pack of six chocolate cake mixes that are non gmo": [ + "pack of six chocolate cake mixes" + ], + "i need a large square solid wood coffee table laced with upholstered tufted button linen, an ivory-ottoman color will be most preferred": [ + "large square solid wood coffee table laced with upholstered tufted button linen in ivory" + ], + "im looking for a black, digital alarm clock that offers wireless bluetooth functionality": [ + "alarm clock, black, bluetooth wireless" + ], + "find counter height table set with socket space saving for dining room in brawn/beige colors": [ + "counter height dining room table", + "counter height dining room table set with socket space" + ], + "i am looking for a super comfy x-large palazzo pants with elastic waist and wide legs": [ + "x-large palazzo pants with elastic waist and wide legs" + ], + "im looking for a rich creamy, ready to eat buttermilk syrup made from quality ingredients. also, choose a pack of 4 with maple flavored one": [ + "buttermilk syrup pack of 4 maple flavored" + ], + "i am looking for a low carbohydrates protein bar with package of 12 counts": [ + "low carbohydrates protein bar 12 count" + ], + "i would like a 1 pound white chocolate covered bag of coffee bean": [ + "1 pound white chocolate covered bag of coffee bean", + "1 pound white chocolate coffee beans" + ], + "i would like a blue mk desk and chair that is height adjustable": [ + "blue mk desk and chair height adjustable" + ], + "i want a frosted 8 inch shade for my lamp in the living room": [ + "frosted 8 inch shade for my lamp", + "8 inch frosted lamp shade", + "frosted 8 inch lamp shade" + ], + "i would like a stainless steel adjustable base": [ + "stainless steel adjustable base", + "adjustable base stainless steel" + ], + "im looking for lead free luxury scented candle which last for 25+ hours, it should be in tin voyager": [ + "lead free luxury scented candle in tin voyager" + ], + "i need a protective ac output cable cord": [ + "protective ac output cable cord" + ], + "i am looking for a dual band streaming player that has 4gb of ram and 64gb of storage": [ + "dual band streaming player 4gb ram 64gb storage" + ], + "im looking for high speed accessories and three product of packaging": [ + "high speed 3", + "3 pack high speed accessories" + ], + "i am looking for a sectional with ottoman l-shaped couch that can seat 5 people, and i would like it to be appropriate for the living room and come in light grey": [ + "sectional ottoman l-shaped seat 5 people grey", + "sectional ottoman light grey", + "sectional ottoman 5 seater", + "light grey sectional ottoman" + ], + "i am interested in a bullet camera that has motion detection": [ + "bullet camera that has motion detection" + ], + "i need some skin care tools for dark circles with xiuyan jade": [ + "skin care tools for dark circles with xiuyan jade" + ], + "i want to buy canvas prints for the living room preferably having airplanes on them": [ + "canvas prints, airplanes" + ], + "i want to buy some vanilla flavored soy free cake mix. needs to be in a 3 pack of 11.29-oz boxes": [ + "vanilla soy free cake mix 3 pack 11.29-oz", + "11.29-oz vanilla cake mix", + "soy free cake mix vanilla" + ], + "i would like some flouride free toothpaste": [ + "toothpaste no fluoride" + ], + "i want to shop for some sulfate free, paraben free conditioner for dry, damaged hair": [ + "sulfate free, paraben free conditioner for dry, damaged hair" + ], + "sumatra sensation included the quality ingretidents": [ + "sumatra sensation with quality ingredients up to 50 dollars", + "sumatra sensation up to 50 dollars", + "sumatra coffee sensation" + ], + "i would like a 34 piece set of some long lasting press on nails": [ + "long lasting press on nails set of 34 pieces up to 40 dollars" + ], + "i am looking for a pu leather black color heavy duty bed frame": [ + "a pu leather black color heavy duty bed frame" + ], + "i need a 13 inch water resistant cosmetic bag": [ + "13 inch water resistant cosmetic bag" + ], + "what xx-large short sleeved t-shirts do you have that are loose fitting and for teen girls?": [ + "short sleeved t-shirts loose fitting teen girls" + ], + "im looking for need to buy a cookie butter and it was gluten free and it contains high protein": [ + "high protein cookie butter" + ], + "i want an easy to use cd player that has batteries included": [ + "cd player easy use with batteries", + "portable cd player", + "portable cd player with batteries" + ], + "i am looking for contemporary design privacy protected panel for living room, its size should be 52 wide by 90 length": [ + "pirvacy protected panel contemporary" + ], + "i am looking for an open toe sandals that has high heel. please choose the 8.5 size with white color": [ + "high heel open toe sandals size 8.5 in white" + ], + "i want to shop for a wooden bedframe in grey": [ + "grey bedframe, wood material" + ], + "i am looking for a dual band ac/dc adapter for a zboost": [ + "dual band ac dc adapter for a zboost" + ], + "sony xr50x90j 50-inch ultra hd and high speed full array led smart tv": [ + "sony xr50x90j" + ], + "i want to find a 6-count pack of thyme leaf tea bags that are usda certified organic": [ + "6-count thyme tea usda organic", + "thyme leaf tea bags " + ], + "i need white chocolate andy anand malt balls with natural ingredients": [ + "white chocolate andy malt balls with natural ingredients" + ], + "im looking for 2 pcs detangling hair brush for natural hair. also its color should be in green-black": [ + "2 piece hair detangling brush natural green-black" + ], + "i want lundberg organic white chocolate thin stackers": [ + "lundberg organic white chocolate thin stackers" + ], + "i want to find a 4 x 50 foot artificial glass turf that is easy to clean": [ + "4 x 50 foot artificial glass turf", + "4 x 50 artificial grass turf", + "4 x 50 foot artificial glass turf", + "4 x 5 artificial grass turf", + "artificial grass turf" + ], + "i need some blue wide legged pants in a large": [ + "blue wide legged pants in large" + ], + "i need super soft throws that have butterflies and are 30 by 40 inches": [ + "super soft throws with butterflies, 30 by 40 inches" + ], + "i want a gentle facial cleanser for acne prone & sensitive skin": [ + "gentle facial cleanser for acne prone & sensitive skin" + ], + "i need a regular fit machine wash nike gym t-shrit": [ + "regular fit nike gym t-shrit" + ], + "i need surgar free chocolate flavored cheesecake syrup, 3 pound (pack of 1)": [ + "surgar free chocolate flavored cheesecake syrup, 3 pound", + "surgar free chocolate flavored cheesecake syrup", + "surgar free chocolate flavored cheesecake", + "chocolate flavored cheesecake syrup" + ], + "im looking for a buffet sideboard cabinet with clear glass doors. prefer the size to be b type espresso-28\u201cl x 14.6\u201dw x 29\u201dh ": [ + "buffet sideboard cabinet with clear glass doors with b type espresso-28\u201cl x 14.6\u201dw x 29\u201dh" + ], + "i need birthday candles for my birthday cake": [ + "birthday candles for birthday cake" + ], + "im looking for a universal remote control with batteries included": [ + "universal remote control with batteries included" + ], + "i would like a medium sized black sleep set that is light weight": [ + "medium sized black sleep set" + ], + "i am looking for a dead sea skin care mud mask that is cruelty free and contains aloe vera gel": [ + "dead sea mud mask with aloe vera" + ], + "im looking for groceries shop for high protein ingredients": [ + "high protein groceries" + ], + "i am looking for a white feather color large makeup bag which is water resistant": [ + "large makeup bag in white feather color that is water resistant" + ], + "find me cloths towel for exfoliating bath for sensitive skin 11.81 x 11.8 inch with yellow edge": [ + "exfoliating bath towel for sensitive skin", + "exfoliating bath towel, yellow, 11.81 x 11.8" + ], + "im looking for pendant lights for hanging through the wall that color was chrome finish": [ + "pendant lights chrome finish" + ], + "i am looking for plant based,sugar free and gluten free maple waffle": [ + "plant based sugar free gluten free maple waffles" + ], + "i would like two pounds of baked fresh snack cakes": [ + "two pounds of baked fresh snack cakes", + "2 pounds fresh baked snack cakes", + "fresh baked snack cakes" + ], + "i am looking for a brushed polished nickel color vanity light having glass shade": [ + "brushed polished nickel color vanity light having glass shade" + ], + "i am interested in a grey solid wood nightstand": [ + "wood nightstand in grey color" + ], + "i am looking for long lasting and nail polish cute blushs makecup palettes of color:c": [ + "long lasting nail polish make up palettes " + ], + "i want some anti-slip water shoes in size 7.5 and the color khaki": [ + "anti-slip water shoes in size 7.5 in the color khaki" + ], + "i need a pair of pink loafers for teen girls. they should be size eight": [ + "teen girl pink loafers size eight" + ], + "im looking for cellphone accessories for wireless charging": [ + "wireless cellphone charger" + ], + "im looking for a wide leg jeans with regular fit and tummy control. also, choose 3x large zz-zm black colored one": [ + "wide leg regular fit jeans zz-zm", + "regular fit jeans 3x large black tummy control", + "regular fit tummy control jeans wide leg" + ], + "looking for a beverage that is non alcoholic and low carb please": [ + "non-alcoholic, low carb beverage" + ], + "i am looking for an anti perspirant": [ + "anti perspirant" + ], + "i need a yellow portable sound box that is easy to carry": [ + "easy to carry yellow sound box up to 40 dollars", + "sound box in yellow color up to 40 dollars", + "sound box in yellow color up to 40 dollars", + "portable sound box", + "yellow portable sound box" + ], + "im looking for keto friendly it has low sugar its good for health": [ + "keto friendly it has low sugar its good for health" + ], + "look for it in stock. dustproof case for ps5, anti-dust cover dust plugs hdmi usb interface for ps5 console with 10pcs silicone ps5 controller joystick grips, sky pink": [ + "in stock dustproof case for ps5, anti-dust cover dust plugs hdmi usb interface for ps5 console with 10pcs silicone ps5 controller joystick grips, sky pink" + ], + "i need low rise jeans that are a 54w by 34l": [ + "54w by 34l low rise jeans" + ], + "i am looking for 1 pack of 1.7 ounce ,anti-perspirant stick for women": [ + "1 pack of 1.7 ounce anti-perspirant stick for women" + ], + "im looking for black tempered smart watches. the glass screen is perfectly look so nice": [ + "nice black tempered smart watches glass screen", + "black tempered glass smart watch screen" + ], + "i need hair extensions that are 16 inches long in the color 27": [ + "color 27 hair extensions 16 inches" + ], + "i am looking for a silver water and birch style of anti perspirant deodorant": [ + "silver water birch antipersipirant", + "silver water and birch antiperspirant", + "birch antiperspirant", + "antiperspirant", + "silver water and birch antiperspirant" + ], + "i need an ac adapter with output protection": [ + "ac adapter with output protection" + ], + "i need a 38mm smartwatch case with glass screen": [ + "smartwatch case, 38 mm" + ], + "i would like a small blue blazer that can be dry cleaned": [ + "small blue blazer" + ], + "im looking for a high resolution digital film & photo scanner that is easy to use. choose the black ones that is 9.4 x 7.9 x 5.1 inch in size": [ + "high resolution digital film and photo scanner easy to use 9.4 x 7.9 x 5.1black " + ], + "i want to find white blackout shades that are 66 inches in width and 66 inches in height. they need to be easy to install": [ + "66 inches in width and 66 inches in height white shades", + "66 x 66 blackout shades" + ], + "i want a easy install roller sades window tretment size w45*h56 in color pastel blue": [ + "w45*h56 pastel blue" + ], + "i need a stainless steel gua sha set that includes the roller and box": [ + "stainless steel gua sha set" + ], + "i would like to buy a 14 inch rose gold throw pillow cover for my living room": [ + "14 inch rose gold throw pillow cove", + "14 inch rose gold throw pillow cover" + ], + "i would like a eye shadow brush set": [ + "eye shadow brush set up to 70 dollars" + ], + "im looking for a natural whole bay leaf which should be free from bpa, gmo, fat and gluten. also choose a pack of 1 weighing 3.53 ounce with organic senna flavored one": [ + "natural whole bay leaf free bpa, gmo, fat and gluten with 3.53 oz organic senna flavor up tp 30 dollars" + ], + "im looking for certified organic for tea bags for peppermint leaf": [ + "certified organic for tea bags peppermint" + ], + "i am looking for a pair of womens size 10.5 light blue shoes with memory foam": [ + "women light blue shoes memory foam size 10.5" + ], + "look for a caffeine and gluten free herbal drink. i like mixed berry flavor": [ + "mixed berry flavor herbal drink" + ], + "i would like a extra large green swimsuit made from cotton spandex": [ + "extra large green swimsuit made from cotton spandex" + ], + "i am looking for some high quality 14mm false eyelashes": [ + "14mm false eyelashes that are high quality" + ], + "i need a metal framed dining room stool with a pink center": [ + "metal framed dining room stool with a pink center" + ], + "i am interested in buying a power amplifier with wireless capabilities and stereo sound": [ + "wireless power amplifier with stereo sound" + ], + "im looking for a silicon exfoliating body scrubber which would be easy to use": [ + "silicon exfoliating body scrubber that is easy to use" + ], + "i want a 8 fluid ounce bottle of mint julep mixers made from natural ingredients": [ + "8 fluid ounce mint julep mixers natural ingredients " + ], + "i want a hand crafted gift basket for a new baby arrival event": [ + "hand crafted gift basket for a new baby" + ], + "please re order a happy easter flannel fleece throw blanket for my coach.it should be super soft and easy to clean": [ + "happy easter flannel fleece throw blanket soft and easy to clean" + ], + "i am looking for sugar free, soy free, high protein and non gmo keto bread crumbs plain of size: 2 count(pack of 2)": [ + "2 count(pack of 2) bread crumbs" + ], + "i am looking for synthetic black gray 101 color hair extensions wig hairpiece": [ + "synthetic black gray 101 color hair extensions wig hairpiece" + ], + "i want an officially licensed white marvel guardians of the galaxy retro logo tee": [ + "officially licensed white marvel guardians of the galaxy retro logo tee", + "guardians of the galaxy tee", + "guardians of the galaxy retro logo tee" + ], + "find a water resistant leather jacket": [ + "water resistant leather jacket", + "leather jacket, water resistant", + "water resistant leather jacket" + ], + "i am looking for a z-5 green long sleeve women clothing": [ + "z-5 green long sleeve" + ], + "i need some fruit snacks that come in a variety pack. make sure that they are gluten free": [ + "variety pack fruit snacks that are gluten free" + ], + "i would like a deep brown clog with a rubber sole for my size 8 foot": [ + "deep brown clog rubber sole" + ], + "i need a gingko light and 20x20 pillow cover that is hand painted": [ + "gingko light 20x20 pillow cover hand painted", + "gingko light 20x20 pillow cover hand painted" + ], + "i am looking for a high performance digital subwoofer power amplifier board": [ + "high performance digital subwoofer power amplifier board" + ], + "i want a hair remover for face and body including the bikini area. pick the lilac one": [ + "hair remover for face body and bikini area in lilac" + ], + "i am looking for long sleeve men t-shirt.and please also choose the black one": [ + "black long sleeve mens t-shirt" + ], + "buy me anti aging long lasting easy to use ice roller for face in aqua blue color": [ + "face ice roller long lasting", + "ice roller face blue" + ], + "find a sneaker for men with outsole rubber and rubber sole size 4 color in black or white": [ + "men sneaker rubber", + "mens sneaker 4 rubber" + ], + "im looking for a long lasting samsung cell phone": [ + "a long lasting samsung cell phone" + ], + "i am looking for cupcake toppers for a birthday party. also, i prefer the pattern 2 over others": [ + "cupcake toppers pattern 2", + "birthday party cupcake toppers", + "cupcake toppers choose", + "cupcake toppers birthday pattern", + "cupcake toppers pcs", + "cupcake toppers pcs", + "cupcake toppers birthday pcs", + "cupcake toppers birthday party" + ], + "im looking for a meals with zero added sugar and also free from gluten and bpa. also, choose applesauce flavored one": [ + "applesauce flavor meal", + "applesauce flavored meals with no sugar, gluten and bpa" + ], + "i need plant-based ground beef patties": [ + "plant-based ground beef patties" + ], + "i am looking for an ac 220v electric chain hoist crane overhead remote control that is dust proof": [ + "ac 220v electric chain hoist crane" + ], + "im looking for laundry bags for it can use for move to another place": [ + "laundry bags" + ], + "i am looking for a gray color hdmi cables with high speed and blu ray": [ + "high spees, blu ray hdmi cables " + ], + "i need 3v long lasting and high performance batteries in a pack of 6": [ + "pack of 6 3v batteries" + ], + "i need a gluten free popped veggie chips of 10 packs": [ + "veggie chips of 10 packs" + ], + "id like to find a king-sized faux lather platform bed in the camel color": [ + "king size faux leather platform bed in camel" + ], + "i want to find a 3 foot by 3 foot wine rack that i can mount on my wall. it must be easy to install as well": [ + "3 x 3 wall wine rack", + "square wine rack wall", + "wall mounted wine rack", + "3 x 3 wine rack", + "3 x 3 wine rack wall", + "easy to install wall wine rack", + "wall wine rack", + "wall wine rack 3 x 3", + "wine rack 3 foot wall" + ], + "i need to buy a desktop computer thats got an intel i5 core, 32 gigabytes of ram, and a one terabyte ssd": [ + "intel i5 core, 32 gigabytes of ram, and a one terabyte ssd", + "i5, 32gb ram, 1tb ssd" + ], + "i want a xx-large shegnsi plus size womens high waist trench coat": [ + "xx-large shegnsi plus size womens high waist trench coat" + ], + "can i get a 2 light bath vanity lighting set with nickel finish?": [ + "2 light bath vanity lighting set with nickel finish" + ], + "i am looking for a x-large jacket fleece that is water resistant. and please get me the red color": [ + "x-large jacket fleece that is water resistant in red" + ], + "im looking for a living room light set. i want the one in gold with three lights": [ + "living room light set" + ], + "i like traditional , old and individually wrapped alberts chocolate ice cubes 60 count tray chocolate": [ + "traditional , old and individually wrapped alberts chocolate ice cubes 60 count tray chocolate" + ], + "id like help finding a pack of 500 wooden wax sticks that i can use for hair removal": [ + "pack of 500 wooden wax sticks" + ], + "i need a gold plated hdmi adapter that is capable of 4k": [ + "gold plated hdmi adapter 4k" + ], + "i am looking for a cake topper for a baby shower. also choose easy to use": [ + "cake topper for a baby shower", + "easy to use cake topper for baby shower" + ], + "i want a high quality dual band streaming media player with warranty,4gb+64gb": [ + "dual band streaming media player", + "4gb+64gb dual band streaming media player high quality warranty" + ], + "im looking for a hair roller for hair styling, it should be easy to use. also, choose 2.8 *2 inch pink colored one": [ + "hair roller " + ], + "im looking for machine wasable savannan burlap placemat with compatible table runner with dahlia flower print table set of 6 pcs. also choose color golden circlesan4455 with size 13x70inch+13x19inch*4": [ + "golden circlesan4455 13x70inch+13x19inch*4," + ], + "i am looking for a 12 ounce jar of raspberry preserve that is nut and gluten free": [ + "12 ounce jar of raspberry preserve" + ], + "i am looking to buy a paraben free makeup remover containing hyaluronic acid": [ + "paraben free makeup remover containing hyaluronic acid" + ], + "i would like a 35 foot long multicolored hdmi cable for my blu ray player": [ + "35 foot long multicolored hdmi cable " + ], + "find me the fomiyes 4pcs silicone travel bottles that are easy to carry": [ + "fomiyes 4pcs silicone travel bottles" + ], + "i am looking for rock and roll cupcake topper musical themed guitar cake topper which is easy to use in all kind of occasion. music guitar color preferable": [ + "cheap cupcake topper guitar rock and roll" + ], + "i need some coconut milk that is rich and creamy": [ + "rich and creamy coconut milk" + ], + "i would like a social distance hug perfect gift basket": [ + "social distance hug gift basket" + ], + "i am interested in buying a king sized bed with memory foam and which provides lumbar support": [ + "king sized bed with memory foam lumbar support" + ], + "i am looking for a macaroni & cheese with rich creamy and non gmo": [ + "macaroni and cheese no gmo creamy" + ], + "im looking for navy colored large sized jackets it can use for winter warm": [ + "navy jacket in large" + ], + "im looking for coconut oil body butters": [ + "coconut oil body butter", + "body butter coconut oil" + ], + "i am looking for large size regular fit polo": [ + "regular fit polo" + ], + "need a high speed hdmi cable 2 pack with 100 feet, male to female, pack of 10": [ + "high speed hdmi cable 2 pack 100ft", + "high speed hdmi cable 100ft 2 pack male to female" + ], + "i want a black and easy to use cluster mascara wand": [ + "black cluster mascara wand that is easy to use" + ], + "add to my list 6 packs of raspberry snackbar and should be nut free and has low sodium": [ + "6 packs of raspberry snackbar", + "6 pack raspberry snack bar nut free low sodium", + "6 pack raspberry snackbar low sodium", + "raspberry snackbar", + "raspberry snack bar" + ], + "im looking for twin bunk beds with box spring. also, choose black colored one": [ + "twin bunk beds with box spring" + ], + "i am looking for fluoride free toothpaste that is made with coconut oil": [ + "fluoride free toothpaste coconut oil" + ], + "looking for roasted carob powder with caffeine free and gluten free choose 1 pack": [ + "roasted carob powder that is caffeine free and gluten free 1 pack" + ], + "im looking for a dining room table thats made out of solid wood and easy to assemble": [ + "solid wood dining room table" + ], + "i am interested in a console table that is made out of solid wood and is espresso colored": [ + "console table solid wood espresso color" + ], + "im trying to find white bluetooth speakers that are not only water resistant but also come with stereo sound": [ + "white bluetooth speaker stereo sound" + ], + "i am looking for 4 pounds (pack of 1) old fashioned hard candy": [ + "old fashioned hard candy" + ], + "id like to get coaxial cables that are plated with gold": [ + "coaxial cables that are plated with gold" + ], + "i am looking for an oral hygiene toothbrush. it should be easy to carry": [ + "oral hygiene toothbrush" + ], + "im looking for an art print for my living room thats ready to hang. look for something with mountains in it thats twelve by sixteen inches": [ + "12 x 16 art print mountains " + ], + "i am looking for always women high waisted capri leggings": [ + "high waisted capri leggings for women", + "always women high waisted capri leggings" + ], + "i am looking for a medium adult sized unisex hoodie which is machine washable. pick the navy blue one": [ + "medium adult sized unisex hoodie machine washable", + "medium adult sized unisex hoodie machine washable navy blue" + ], + "i am looking for a womens short sleeve tank top size 3x-large": [ + "womens short sleeve tank top", + "womens short sleeve tank top size 3x-large" + ], + "i want a noise cancelling cosycost usb microphone": [ + "noise cancelling cosycost usb microphone" + ], + "im looking for a black manual projector screen easy to install of 142 and 1:1 for project screen": [ + "black manual projector screen 142" + ], + "i am looking for a wireless bluetooth earpads": [ + "wireless bluetooth earpads" + ], + "i need a black wireless bluetooth speaker": [ + "black wireless bluetooth speaker", + "black wireless bluetooth speaker" + ], + "i\u2019m looking for a nice outdoor loveseat sofa that is easy to clean in all weather; please choose the navy blue one": [ + "navy blue outdoor loveseat sofa" + ], + "i am looking for a headphones case that is apple compatible and is navy blue colored": [ + "apple headphones case in navy blue" + ], + "i am looking for brown color classic fit t-shirt": [ + "classic fit t-shirt, brown", + "t-shirt, brown", + "plain tshirt, brown color", + "plain brown t-shirt, classic fit" + ], + "i want a high quality tooth brush for my sensitive teeth. it should be pale yellow in color": [ + "toothbrush for sensitive teeth, yellow", + "toothbrush for sensitive teeth", + "toothbrush for sensitive teeth, pale yellow color", + "pale yellow toothbrush" + ], + "i want a hdmi cable with high speed and 1.5 feet size": [ + "high speed hdmi cable 1.5 feet" + ], + "im looking for a ottoman 6 seater sofa": [ + "ottoman 6 seater sofa" + ], + "im looking for a single pack of old style, brown hair dye": [ + "single pack of old style, brown hair dye", + "old style brown hair dye single pack" + ], + "i need cupcake picks for my sons birthday party": [ + "childrens birthday cupcakes" + ], + "i am looking for navy color x-large womens long sleeve open front cardigan sweaters": [ + "cardigan sweaters in navy color" + ], + "i am looking for blue high waist casual pants for women": [ + "high waist casual pants for women in blue color" + ], + "im looking for women jacket for regular fit and classic fit": [ + "regular and classic fit womens jacket", + "womens jacket, regular or classic fit" + ], + "i am looking for rectangular shape shaggy with tassels rug for a living room": [ + "rectangular shape shaggy tassels rug" + ], + "i am looking for small sized women t-shirt. it should be machine washable": [ + "women t-shirt machine wash small size" + ], + "i am looking for large dark grey pajama pants with an elastic waist": [ + "large dark grey elastic waist pajama pants" + ], + "i am looking for english muffins in high fructose": [ + "english muffins in high fructose" + ], + "i am looking for a pair of dark green throw pillow covers for my living room": [ + "pillow throw covers, dark green" + ], + "i would like some non gmo watermelon fruit snacks": [ + "fruit snacks, watermelon flavor, non gmo" + ], + "im looking for a kids toothbrush for ages 6 to 12 that will help with teeth whitening and is easy to use": [ + "kids toothbrush" + ], + "i need a highly pigment lip tint. pick a 0.14 fl oz bottle": [ + "high pigment lip tint 0.14 fl oz" + ], + "i want to buy ballet shoes which have rubber sole in grey suede color and a size of 6": [ + "suede ballet shoes with rubber sole size 6" + ], + "im looking for rose gold hair dye in a 70 ml bottle": [ + "rose gold hair dye in a 70 ml bottle" + ], + "i want to buy mini projector which is high definition and is of q2 pink color": [ + "q2 pink mini projector" + ], + "i am looking for nut free and gluten free chocolate": [ + "chocolate, nut free, gluten free, less than $40", + "chocolate, nut free, gluten free, less than $40" + ], + "please find a root candles honeycomb veriglass scented, lead free, color bayberry ": [ + "root candles honeycomb veriglass scented, lead free, color bayberry" + ], + "i would like to get a heavy duty office desk with a coated steel frame": [ + "heavy duty office desk with a coated steel frame" + ], + "i want a xx-large sousuoty short sleeve shirt": [ + "sousuoty short sleeve shirt" + ], + "i really need a foot file for dead skin": [ + "dead skin foot file" + ], + "i want tangerine colored crocs made with vinyl acetate for kids": [ + "tangerine colored crocs vinyl acetate for kids", + "tangerine colored crocs for kids vinyl acetate" + ], + "i would like a slim fit t-shirt that is xx-large and is the color blue2": [ + "t-shirt, slim fit, color blue2" + ], + "i am looking for hair masks for damaged hair in spray style": [ + "hair masks for damaged hair in spray style", + "hair masks damaged hair spray", + "spray hair mask damaged hair", + "spray hair mask" + ], + "i am looking for pink slide flip flops with arch support in the size 5.5": [ + "pink slide flip flops with arch support in a size 5.5", + "pink slide flip flops", + "pink flip flops with arch support" + ], + "womens slip on sneakers that size 5.5": [ + "womens slip on sneakers that size 5.5", + "womens slip on sneakers", + "womens slip on sneakers that size 5.5" + ], + "i would like a blue 2.95 foot wire pendent light for my living room": [ + "blue 2.95 foot wire pendent light for my living room", + "blue pendent light, 2.95 feet", + "blue pendent light", + "2.95 foot wire pendent light blue", + "blue 2.95 foot wire pendent light", + "blue 2.95 foot pendent light", + "wire pendant light blue" + ], + "im looking for a super soft and easy to clean throw blanket. choose the ones that come in cartoon3 color": [ + "throw blanket cartoon 3 color" + ], + "i want to find a 3-pack of gluten free hot dog buns": [ + "pack of 3 gluten free hot dog buns", + "gluten free hot dog buns in pack of 3" + ], + "i am looking for a high powered 12 inch car subwoofer system": [ + "high powered 12 inch car subwoofer system" + ], + "i need an x-large button down shirt that i can double dry": [ + "button down shirt double dry x lard up to 120 dollars", + "double dry button down shirt x-large size up to 120 dollars" + ], + "i need to buy a smartwatch band for my apple watch. look for one in rose gold stainless steel mesh": [ + "apple watch band rose gold stainless steel mesh" + ], + "i need 16.5 inch dining room chair pads": [ + "chair pads in 16.5 inch" + ], + "i want a black dust proof topcovos vr lens cover for oculus quest 2": [ + "lens cover for oculus quest 2" + ], + "i need four contemporary vanity lights": [ + "four contemporary vanity lights" + ], + "i would like a intel core i5 desktop mini": [ + "intel core i5 desktop mini" + ], + "i am looking for a clothes rack of 22-inch size that is heavy duty and saves space": [ + "22 inch clothes rack heavy duty space saving", + "22 inch heavy duty space saving clothes rack" + ], + "im looking for gluten free it was contain high protein and need to buy it": [ + "gluten free high protein" + ], + "im looking for 8 foundation flex box spring for mattress": [ + "8 flex box spring" + ], + "i want a medium sized t-shirt with long sleeves": [ + "medium t-shirt long sleeves" + ], + "i am searching for 3-tier classic tube white color corner shelf for living room": [ + "3-tier classic tube white color corner shelf" + ], + "i nee all natural but no artificial ingredients savory and spicy sauce, 3 pack with sweet kick mustard flavor": [ + "savory and spicy sauce, 3 pack with sweet kick mustard flavor" + ], + "im looking for a tempered glass coffee table for my living room that has a wooden frame": [ + "wooden frame tempered glass coffee table" + ], + "i want by a gift easter basket with the og crispie - gourmet rice crispy, 5.9 ounce (pack of 1)": [ + "gift easter basket with the og crispie - gourmet rice crispy, 5.9 ounce (pack of 1)" + ], + "i want to find a remote for my samsung security camera that runs on aaa batteries": [ + "remote for my samsung security camera " + ], + "want a security camera system with high definition, motion detection and need to be dust proof": [ + "security camera system that is high definition with motion detection and is dust proof" + ], + "i looking wooden frame mid century sofa couch for leaving room colour :blue": [ + "blue mid century sofa couch wooden frame" + ], + "i want light pink veil cosmetics complexion fix oil-free concealer": [ + "light pink veil cosmetics complexion fix oil-free concealer" + ], + "i want to buy a pair of machine washable jeans with a 33 inch waist and a 30 inch length. they should come in a granite color": [ + "granite colored jeans, 33x30" + ], + "i am looking for a black 24inch size vanity light fixture": [ + "24 inch vanity light fixture in black" + ], + "i need a wall lamp with clear glass": [ + "wall lamp with clear glass" + ], + "i need an oval soft rug that is easy to clean. also, it should be in eggplant purple color": [ + "eggplant purple oval rug" + ], + "i want to buy an eco-friendly soy wax candle": [ + "eco-friendly soy wax candle" + ], + "i would like a nine light vanity light wall sconce with chrome finish": [ + "nine light vanity light wall sconce with chrome finish" + ], + "i want a highly pigmented lip gloss that is in the color r901": [ + "highly pigmented lip gloss color r901" + ], + "locate the ambesonne harbour stripe throw pillow cover, 18 x 18 inch, double sided. i want the salmon brown color": [ + "ambesonne harbour stripe throw pillow cover, 18 x 18 inch, double sided", + "salmon brown 18 x 18 inch ambesonne harbour stripe throw pillow cover" + ], + "im looking for white colored travel bottles easy to carry": [ + "white colored travel bottles", + "white colored travel bottles" + ], + "im looking for organic hair conditioner that promotes hair growth, and is both sulfate and cruelty free": [ + "sulfate, cruelty free hair growth oraganic hair conditioner" + ], + "i am looking for a classic fit heather blue color t-shirt": [ + "classic fit heather blue t-shirt" + ], + "i am looking for king size bed with pocket spring mattress": [ + "pocket spring king size mattress bed" + ], + "i would like a free standing shoe rack that is easy to assemble": [ + "free standing shoe rack easy to assemble" + ], + "i want a q color long lasting lipstick made with natural ingredients": [ + "q color long lasting lipstick" + ], + "i need a highspeed hdmi cable that is purple": [ + "highspeed hdmi cable that is purple", + "purple hdmi cable " + ], + "i am looking for long lasting dark navy color noise cancelling headphones": [ + "headphones noise cancelling dark navy color" + ], + "i am looking for a milk chocolate of 1 pound size in a single pack for valentine day": [ + "milk chocolate of 1 pound valentine day" + ], + "i am looking for cruelty free long lasting lip lacquer with the color option moody": [ + "moody cruelty free lip lacquer" + ], + "looking for grand court adidas for everyday wear size 9 in white": [ + "grand court adidas for everyday wear size 9 in white" + ], + "i need a printed backdrop for digital photography that is 7 by 10 ft": [ + "printed backdrop digital photography 7x10ft" + ], + "i am looking for a cat with ears cupcake toppers for a baby shower": [ + "cake topper with cat" + ], + "i am looking for yellow color hoodies for daily wear": [ + "yellow hoodies" + ], + "i am looking for height adjustable blue color childrens study desk table chair set with drawer and bookstand": [ + "height adjustable blue color childrens study desk table chair set with drawer and bookstand" + ], + "i need some whitening toothpaste": [ + "whitening toothpaste" + ], + "i would like a 6 ounce variety of grain free cacao granola": [ + "6 ounce variety of grain free cacao granola" + ], + "im looking for a black phone case that is apple compatible with a black screen": [ + "black apple phone case" + ], + "i am looking for green tea face masks for adults": [ + "green tea face masks" + ], + "i am looking for a long handled body brush": [ + "long handled body brush" + ], + "im looking for plug play electronics for computer components and need to buy it": [ + "plug play electronics for computer components" + ], + "i want to find a pair of white and thyme mens blaster pants with an elastic waistband. the size needs to be 5x-large": [ + "white and thyme blaster pants pair with elastic waistband" + ], + "im looking for large melinda slippers for women that have faux fur and rubber soles": [ + "melinda slippers large faux fur rubber sole" + ], + "i am looking for a white batteries included clock radios": [ + "clock radio with white batteries", + "white clock radio with batteries" + ], + "i am looking for low fat high protein salted toffee pretzel protein bars": [ + "low fat high protein salted toffee pretzel protein bars" + ], + "i am interested in buying a laptop carrying case with colorful faces": [ + "laptop carrying case colorful faces" + ], + "i would like a temporary tattoo that is easy to apply and is in the 06 pattern": [ + "temporary tattoos, 06 pattern" + ], + "im looking for a spa pedicure kit-at-home foot care for baby soft feet": [ + "spa pedicure kit-at-home foot care for baby soft feet" + ], + "i am looking for a fluoride free, paraben free toothpaste": [ + "fluoride free, paraben free toothpaste" + ], + "i am looking for valentine d\u00e9cor for my living room": [ + "valentine d\u00e9cor" + ], + "im looking for a fudule sandals for women": [ + "fudule sandals women " + ], + "i am looking for a teeth whitening toothpaste": [ + "teeth whitening toothpaste" + ], + "find this brand duckfeet blavand unisex, model leather clog, important: size 38 m eu and leather sole ": [ + "duckfeet blavand unisex leather clog in a 38 m eu with a leather sole" + ], + "i am looking for some gluten free yellow dog sweet shake flavored gourmet spice blends": [ + "yellow dog sweet shake " + ], + "i mostly like designed house with grey color": [ + "grey colored designed house" + ], + "i need to buy a vanity light in brushed nickel with two lights": [ + "vanity light in brushed nickel with two lights" + ], + "i want non gmo cauliflower bites 1.4 ounce 2 packs": [ + "cauliflower bites 1.4 ounce 2 packs" + ], + "chair with adjustable height, backrest and lumbar support": [ + "lumbar support chair with adjustable height and backrest" + ], + "i am looking for 5.9 fl oz eau de parfum - fragrance mist for women": [ + "5.9 fl oz eau de parfum", + "5.9 fl oz fragrance mist for women" + ], + "i am looking for a printed backdrop 07 colored lightweight backgrounds for digital photography. also, choose a 5x7 ft size": [ + "rinted backdrop 07 colored lightweight backgrounds for digital photography 5x7 ft size" + ], + "im looking travel size alcohol free fragrance body oil which should be long lasting. also choose chanel coco impression one": [ + "travel size alcohol free fragrance body long lasting chanel coco up to 30 dollars", + "chanel coco impression one body oil alcohol free" + ], + "i would like a ac adapter that has output protection": [ + "ac adapter with output protection up tp 50 dollars" + ], + "i am looking for professional airbrush foundation made by photo finish in the color of primer. believe it is 1.0 ounce found in the beauty & personal care section. should say water resistant, fragrance and oil free": [ + "professional airbrush foundation with primer color 1.0 ounce " + ], + "i am looking for a high performance 4g lte android tablet": [ + "android tablet 4g lte" + ], + "im looking for a small womens solid color long sleeve v neck sweater that has a relaxed fit": [ + "womens v neck sweater", + "womens sweater, v neck, solid color" + ], + "i would like to buy a white faux fur chair for my living room": [ + "white faux fur chair for the living room" + ], + "i need a solid wood platform bed with wooden frame. pick something that is natural in color": [ + "solid wood platform bed wooden frame" + ], + "im looking for a oat milk creamer by califia farms ": [ + "oat milk creamer califia farms up to 130 dollars" + ], + "i want red bull energy drink sugar free": [ + "red bull energy drink", + "red bull sugar free" + ], + "i am looking for a blue colored, water resistant wireless bluetooth speaker": [ + "blue colored,wireless, water resistant bluetooth speakers" + ], + "i am looking for a fleece throw that is maroon and 50 by 60": [ + "maroon throw 50 by 60" + ], + "im looking for rubber stole shoes for light wearing it was brown in color": [ + "rubber soled shoes, brown" + ], + "help me find a 2 pack of stone grey faux leather throw pillows that are 18x18 inches": [ + "2 pack stone grey faux leather throw pillows 18x18 inches" + ], + "i am looking for lock screen ad supported tablet in 1080p hd": [ + "lock screen ad supported tablet in 1080p hd" + ], + "i am looking for a beige twin sized bed": [ + "twin sized bed, beige color" + ], + "im looking for long-lasting anti-perspirant that is unscented": [ + "unscented long-lasting anti-perspirant" + ], + "look for a pair of open toed sandals with an ankle strap. i want them in beige, size 8": [ + "open toe sandals with ankle strap in beige size 8" + ], + "im looking for a sky blue ring holder for my smartphone, if possible with wireless charging": [ + "sky blue ring holder for my smartphone with wireless charging" + ], + "im looking for a highly pigmented hydrating lipstick with matte finish. also, i want the berry smoothie one": [ + "berry smoothie highly pigmented hydrating matte finish lipstick" + ], + "i am looking for a large womens long sleeve tunic with pockets and is machine washable": [ + "tunic womens large long sleeve washable" + ], + "i would like a cube of individually wrapped sugarolly candy for a birthday party": [ + "cube individually wrapped sugarolly candy birthday " + ], + "i need white walking shoes with arch support": [ + "white walking shoes with arch support" + ], + "i am looking for an easy to install computer table for my living room": [ + "easy to install computer table for living room" + ], + "im looking for a optical zoom dome cameras": [ + "optical zoom dome cameras" + ], + "i want easy to use birthday cake toppers for celebrating mothers day": [ + "birthday cake toppers for celebrating mothers day" + ], + "i am looking for 20 inch by 20 inch machine washable throw pillow inserts": [ + "20x20 throw pillow machine washable up to 60 dollars", + "20x20 throw pillow inserts up to 60 dollars machine washable" + ], + "let me get some shelf stable tub of ghee which is grass fed": [ + "shelf stable tub of ghee, grass fed" + ], + "i want to buy a ten count tea sampler thats certified organic": [ + "ten count tea sample", + "10 ct tea sampler certified organic", + "10 count tea sampler organic" + ], + "i want a hot pink kokovifyves womens hooded winter warm vest": [ + "hot pink kokovifyves womens hooded winter warm vest" + ], + "i am looking for a blue color tablets with high performance": [ + "blue color tablet with high performance" + ], + "i need a powerlite 1785w projector that projects 1080p hd": [ + "powerlite 1785w projector 1080p" + ], + "im looking for an officially licensed minecraft alex with bow taking aim tshirt in youth size and heather grey color": [ + "minecraft alex with bow taking aim tshirt in youth size and heather grey color" + ], + "i am looking for a electric pink zebra mules & clogs of ethylene vinyl": [ + "electric pink zebra mules & clogs of ethylene vinyl" + ], + "i\u2019m looking for some keto-friendly breakfast waffles in cinnamon toast and maple flavour. please make sure it\u2019s gluten free": [ + "keto-friendly waffles in cinnamon toast with maple flavour and gluten free up to 70 dollars", + "cinnamon toat waffles keto-friendly gluten free maple flavour up to 70 dollars" + ], + "im looking for beauty pro 30 capsules which should be clinically proven for anti aging, hair growth, works on dry skin and has natural ingredients": [ + "beauty pro 30 capsules, anti aging, hair growth" + ], + "i need multicolored hair bands that are non toxic": [ + "multicolored hair bands" + ], + "locate a hedgehog garden statue with bluetooth speaker. i want the 6 1/4 inch figuring that includes aaa batteries": [ + "garden statue of a hedgehog, bluetooth, 6.25 inch" + ], + "im looking for 20 inch double sided tape hair extensions of balayage color": [ + "0 inch double sided tape hair extensions of balayage color" + ], + "i am looking for a shampoo 17.5 ounce for hair growth hair loss": [ + "shampoo hair growth", + "shampoo 17.5 ounce hair growth" + ], + "i want white wall decoration for my beauty salon": [ + "white wall decoration for salon up to 60 dollars", + "white wall decoration for salon" + ], + "i am looking for individually wrapped chocolate bars": [ + "individually wrapped chocolate bar" + ], + "i need a carrying case which is light weight with a mesh pocket. pick a black one": [ + "light carrying case with mesh pocket black up to 30 dollars", + "black color carrying case with a mesh pocket" + ], + "i would like a king size extra firm 12 inch mattress with memory foam": [ + "king size extra firm 12 inch mattress with memory foam" + ], + "i need a brush set that can be used with eyeshadow. get color d.": [ + "d color brush set for eyeshadow" + ], + "im looking for certifies organic groceries the flavor was cacao bits": [ + "organic cacao bits" + ], + "i am looking for an old fashioned 1 pound peanut cluster milk chocolate": [ + "old fashioned, milk chocolate, peanut cluster, 1 pound" + ], + "get me a gold birthday cake topper": [ + "gold birthday cake topper" + ], + "i would like a black brown to tan hairpiece made from synthetic hair": [ + "black brown to tan hairpiece made from synthetic hai", + "black synthetic hairpiece", + "brown tan synthetic hairpiece" + ], + "i would like to buy a bronze table lamp for my living room": [ + "bronze table lamp for my living room" + ], + "i want to find a glass screen protector for my high definition s20 samsung galaxy ultra": [ + "glass screen protector for s20 samsung galaxy ultra" + ], + "im looking for margarita low sugared real fruit needed": [ + "margarita low sugared real fruit needed" + ], + "i want buy an external hard drive hdd 0.2tb which for pc, mac, desktop, laptop, macbook, chromebook, xbox one, xbox 360 (2tb, silver). it is covered with aluminum alloy. also, i choose the b-red color": [ + "external hard drive hdd 2tb aluminum", + "external hard drive hdd 2tb aluminum b-red" + ], + "i would like some sugar free chocolates": [ + "sugar free chocolates" + ], + "im looking for a blue, 10.1 inch android tablet that has dual cameras and a long-lasting battery": [ + "blue, 10.1 inch android tablet with dual cameras" + ], + "i want luseta tea tree oil shampoo": [ + "luseta tea tree oil shampoo" + ], + "i am looking for non slip closed toe high heel woman boot color black": [ + "womens black boot high heel" + ], + "im looking for a high speed digital camera with optical zoom lens and should include batteries": [ + "high speed digital camera with optical zoom lens and should include batteries", + "high speed digital camera include batteries" + ], + "i want a maui moisture shine conditioner for dry hair": [ + "maui moisture shine conditioner for dry hair" + ], + "i am looking for an easy to install white antler chandelier with 18 antlers and 9 lights": [ + "white antler chandelier with 18 antlers and 9 lights" + ] +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/data/goal_query_predict.json b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/data/goal_query_predict.json new file mode 100644 index 00000000..d9d3819c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/data/goal_query_predict.json @@ -0,0 +1,140690 @@ +{ + "i'm looking for a blue wireless bluetooth headphones.": [ + "blue wireless bluetooth headphones", + "blue wireless bluetooth headphones under $40", + "blue wireless bluetooth wireless headphones", + "blue wireless bluetooth headphones.", + "blue wireless bluetooth headphones under $50", + "blue wireless bluetooth headphones under $60", + "blue wireless bluetooth headphones under $130", + "blue wireless bluetooth headphones under 50 dollars", + "blue wireless bluetooth headphones,", + "blue bluetooth headphones" + ], + "i need 12 inch blue hair extensions that are made from natural hair.": [ + "blue human hair extensions", + "blue human hair extensions 12 inch natural", + "blue human hair extensions 12 inches natural", + "blue human hair extension", + "blue human hair extensions made from natural", + "12 inch natural hair extensions", + "hair extensions made from natural hair", + "natural hair extensions 12 inch blue", + "12 inch hair extensions", + "12 inch human hair extensions" + ], + "i'm looking for shampoo & conditioner sets for damaged hair.": [ + "shampoo & conditioner sets for damaged hair.", + "shampoo & conditioner sets for damaged hair", + "shampoo & conditioner set for damaged hair.", + "shampoo & conditioner set for damaged hair", + "shampoo and conditioner sets for damaged hair.", + "shampoo & conditioner sets for damaged hair under $40", + "shampoo & conditioner sets for damaged hair under $60", + "shampoo & conditioner sets for damaged hair under $50", + "shampoo & conditioner set for damaged hair under $40", + "shampoo & conditioner" + ], + "iam looking a steel frame tempered glass drawing table & board colour black": [ + "steel frame tempered glass drawing table & board colour black", + "steel frame tempered glass drawing table and board colour black", + "steel frame tempered glass drawing table in board colour black", + "steel frame tempered glass drawing table with board colour black", + "steel frame tempered glass drawing table, board colour black", + "steel frame tempered glass drawing table & board colour", + "steel frame tempered glass drawing table and board colour", + "steel frame tempered glass drawing table & board color black", + "steel frame tempered glass drawing table in board colour", + "steel frame tempered glass drawing table board colour black" + ], + "i need easy to use nurse scrub caps. pick light navy one.": [ + "nurse scrub caps light navy", + "easy to use nurse scrub caps light navy", + "easy to use nurse scrub caps in light navy", + "easy to use nurse scrub caps, light navy", + "easy to use nurse scrub caps", + "easy to use nurse scrub caps for light navy", + "nurse scrub caps in light navy", + "nurse scrub caps, light navy", + "easy to use nurse scrub caps under $50", + "easy to use nurse scrub caps under $40" + ], + "i need one travel bottle that is black and has an opener.": [ + "black travel bottle with an opener", + "travel bottle black with an opener", + "black travel bottle", + "black travel bottle with opener", + "black travel bottle that is black", + "pack of travel bottle black", + "pack of black travel bottle", + "pink travel bottle that is black", + "travel bottle black", + "vanity bottle black" + ], + "i'm looking for vanity lights for dining room": [ + "vanity lights dining room", + "pink vanity lights dining room", + "vinyl lights dining room", + "k vanity lights dining room", + "living room vanity lights", + "vanity lights for dining room", + "veterate lights dining room", + "pink vanity lights for dining room", + "lip lights dining room", + "vanity lights dining room under $40" + ], + "i'm looking for birthday cake toppers for party supplies. also choose 40 years cake topper one.": [ + "birthday cake toppers 40 years", + "birthday cake toppers 40 years cake topper", + "birthday cake toppers for party supplies 40 years", + "birthday cake toppers 40 years old", + "birthday cake toppers 40 years under 40 dollars", + "birthday cake toppers 40 years under 30 dollars", + "birthday cake toppers 40 years under $50", + "birthday cake toppers 40 years under $40", + "birthday cake toppers 40 years long", + "birthday cake toppers 40 years under $60" + ], + "i need a square shaped turquoise area rug that is easy to clean and is 8 by 8 feet.": [ + "square shaped turquoise area rug", + "square shaped turquoise rug 8 by 8 feet", + "square shaped turquoise rug", + "square shaped turquoise area rug 8 by 8 feet", + "square shaped turquoise area rug, 8 by 8 feet", + "square shaped turquoise rug, 8 by 8 feet", + "square shaped turquoise area rug that is easy to clean", + "square shaped turquoise rug that is easy to clean", + "square shaped turquoise area rug under $40", + "square shaped turquoise area rug under $60" + ], + "find me a modern shag carpet. something in turquoise and around 8 feet on either side. i speficially want one that's easy to clean, and that's octagonal in shape if available.": [ + "modern shag carpet octagonal", + "modern shag carpet with octagonal shape", + "modern shag carpet octagonal in shape", + "modern shag carpet in turquoise", + "modern shag carpet that is octagonal", + "modern shag carpet, octagonal,", + "modern shag carpet, octagonal", + "modern shag carpet", + "modern shag carpet octagonal", + "turquoise modern shag carpet" + ], + "i am looking for a rectangular runner shaped area rug with easy clean. also choose snow white color and 3 ft 3 in x 3 ft 3 in size.": [ + "square runner shaped area rug with easy clean", + "square runner shaped area rug", + "square runner rug with easy clean", + "square runner shaped rug with easy clean", + "square runner rug in snow white", + "square runner shaped area rug in snow white", + "square runner shaped rug with easy clean color", + "square runner rug with easy clean color", + "square runner shaped rug", + "square runner rug" + ], + "i need an easy to clean 8x10' shag rug. it needs to be rectangular and navy blue.": [ + "easy to clean 8x10 shag rug", + "8x10 shag rug, navy blue", + "8x10 shag rug in navy blue", + "5 ft 8x10 shag rug", + "8x10 shag rug", + "easy clean 8x10 shag rug", + "6 x10 shag rug", + "5 ft x 10 ft rug", + "5 ft x 5 ft rug", + "5 ft square rug" + ], + "i would like a 7 foot oval turquoise rug that is easy to spot clean.": [ + "7 foot oval turquoise rug", + "6 foot oval turquoise rug", + "turquoise rug that is easy to spot clean", + "8 foot oval turquoise rug", + "7 foot oval turquoise rug easy to spot", + "turquoise rug easy to spot clean", + "square turquoise rug", + "turquoise rug that is easy to spot", + "easy clean turquoise rug", + "turquoise rug" + ], + "show me an easy to clean square shaped terracotta rug with 2 ft 6 in x 10 ft measurement.": [ + "square shaped terracotta rug", + "5 ft 6 in x 10 ft rug", + "easy to clean square shaped terracotta rug", + "square shaped terracotta rug under $60", + "square shaped terracotta rug under $120", + "4 ft 6 in x 10 ft rug", + "square shaped terracotta rug under $50", + "6 ft 6 in x 10 ft rug", + "2 ft 6 in x 10 ft rug", + "5 ft 6 ft rug" + ], + "i am looking for a spot cleanan round shape area rugs": [ + "spot cleanan round shape area rugs", + "pots cleanan round shape area rugs", + "square shape area rugs", + "sneakers round shape area rugs", + "spot cleanan square shape area rugs", + "spot cleanan round shape area rug", + "spot cleanan square shape area rug", + "spot cleanan round shape rug", + "square shape area rug", + "spot cleanan rug" + ], + "i am looking a area rug soft easy clean in octagon shape size 7ft colour turquoise": [ + "area rug soft 7ft colour turquoise", + "8ft rug easy clean turquoise", + "square rug soft 7ft colour turquoise", + "square rug easy clean turquoise", + "8ft square rug easy clean turquoise", + "area rug soft turquoise", + "area rug soft 7ft turquoise", + "8ft x 7ft rug easy clean turquoise", + "square rug easy clean in octagon shape", + "8ft x 7ft rug" + ], + "i want a phone case which is easy to install and has a slim design. pick a japan kitty color.": [ + "phone case japan kitty color", + "phone case in japan kitty color", + "phone case with slim design japan kitty color", + "phone case with slim design japan kitty", + "phone case, japan kitty color", + "phone case slim japan kitty color", + "pocket case japan kitty color", + "phone case japan kitty", + "phone case with slim design", + "phone case" + ], + "i'm looking for optical zoom point & shoot digital cameras.": [ + "optical zoom point & shoot digital cameras", + "optical zoom point and shoot digital cameras", + "optical zoom point & shoot digital camera", + "digital camera with zoom point & shoot", + "digital camera with zoom point and shoot", + "optical zoom point shoot digital cameras", + "digital camera with zoom", + "digital camera with optimal zoom", + "optical zoom point", + "digital cameras with zoom" + ], + "i need a light grey bed frame that fits a king size bed.": [ + "light grey bed frame", + "light grey bed frame, king size bed", + "light grey bed frame for king size bed", + "living room frame that fits a king size bed", + "bed frame that fits a king size bed", + "light grey bed frame with a king size bed", + "bed frame that fits a king size bed.", + "light grey bed frame, king size bed.", + "light grey bed frame king size bed", + "light grey bed frame, king size bed," + ], + "i am looking for yuanl 2 pcs stainless steel tongue scraper to clear out the white, coated layer on your tongue or maintain better oral hygiene, this effective tongue scraper for adults and kids.": [ + "shinyl 2 pcs stainless steel oral hygiene tongue scraper", + "xl 2 pcs stainless steel oral hygiene tongue scraper", + "dukl 2 pcs stainless steel oral hygiene tongue scraper", + "yuanl 2 pcs stainless steel oral hygiene tongue scraper", + "pcs stainless steel tongue scraper for adults and kids", + "n yuanl 2 pcs stainless steel oral hygiene tongue scraper", + "pcs stainless steel oral hygiene tongue scraper for adults and kids", + "xl 2 pcs stainless steel tongue scraper", + "shinyl 2 pcs stainless steel tongue scraper", + "pcs stainless steel oral hygiene tongue scraper" + ], + "i want a regular fit pea coat with button closure. i need it in black.": [ + "regular fit pea coat with button closure", + "regular fit pea coat with button closure black", + "regular fit pea coat button closure black", + "regular fit pea coat in black", + "regular fit pea coat button closure in black", + "regular fit pea coat button closure", + "regular fit pea coat, button closure", + "regular fit pea coat with button closureblack", + "regular fit pea coat with button closure.", + "regular fit pea coat, button closure black" + ], + "i am looking for a cruelty free hair mask.": [ + "cruelty free hair mask", + "cruelty free hair mask under $40", + "cruelty free hair mask.", + "cruelty free hair mask under $50", + "cruelty free hair mask under $60", + "cruelty free hair mask under 50 dollars", + "cruelty free hair mask below $40", + "cruelty free hair mask below $50", + "cruelty free hair mask under 40 dollars", + "cruelty free hair mask under 60 dollars" + ], + "i'm furnished their house with inexpensive furniture with color green and size 90x4x45cm(35x16x18inch).": [ + "living room furniture 90x4x45cm", + "living room color green", + "90x4x45cm", + "90x4x45cm living room", + "living room and dining room color green", + "90x4x45cm furniture", + "90x4x45cm rug", + "90x4x45cm living room rug", + "living room furniture color green", + "living room with color green" + ], + "i'm looking for a water resistance smartwatch bands of tie dye color.": [ + "water resistance smartwatch bands of tie dye color", + "smartwatch bands of tie dye color", + "water resistant smartwatch bands of tie dye color", + "water resistance smartwatch bands of tie dye", + "smartwatch bands of tie dye", + "water resistance smartwatch bands", + "water resistant smartwatch bands of tie dye", + "water resistance smartwatch bands in tie dye color", + "water resistance smartwatch bands, tie dye color", + "water resistant smartwatch bands" + ], + "i'm looking for dental flossers which is easy to use and eliminates bad breath.": [ + "dental flossers that is easy to use and eliminates bad breath", + "dental flossers that are easy to use and eliminates bad breath", + "oral flossers that is easy to use and eliminates bad breath", + "dental flossers easy to use and eliminates bad breath", + "dental flossers which is easy to use and eliminates bad breath", + "oral flossers that are easy to use and eliminates bad breath", + "dental flossers, easy to use and eliminates bad breath", + "oral flossers that is easy to use and eliminates bad breath.", + "dental flossers with bad breath", + "dental flossers easy to use with bad breath" + ], + "i am looking for a gluten free and low calorie sparkling spritz. pick something in coconut passion fruit flavor.": [ + "gluten free and low calorie sparkling spritz coconut passion fruit flavor", + "gluten free and low calorie sparkling spritz with coconut passion fruit flavor", + "gluten free and low calorie sparkling spritz", + "gluten free low calorie sparkling spritz coconut passion fruit flavor", + "gluten free and low calorie sparkling spritz, coconut passion fruit flavor", + "gluten free and low calorie sparkling spritz in coconut passion fruit flavor", + "gluten free and low calorie sparkling spritz coconut passion fruit flavor.", + "gluten free and low calorie sparkling spritz flavor", + "flavored sparkling spritz coconut passion fruit flavor", + "gluten free and low calorie sparkling spritz coconut passion fruit" + ], + "i am looking for sand gold nail art glitters which are long lasting and easy to apply. choose microfine 100g /3.5oz size.": [ + "sand gold nail art glitters long lasting and easy to apply. choose microfine 100g /3.5oz size.", + " sand gold nail art glitters long lasting and easy to apply. choose microfine 100g /3.5oz size.", + "sand gold nail art glitters that are long lasting and easy to apply. choose microfine 100g /3.5oz", + "sand gold nail art glitters long lasting and easy to apply. choose microfine 100g /3.5oz", + "sand gold nail art glitters in a 100g /3.5oz size", + "sand gold nail art glitters in a 3.5oz size", + "sand gold nail art glitters", + "sand gold nail art glitters in a 100g /3.5oz", + " sand gold nail art glitters", + "sand gold nail art glitter" + ], + "i want some casual gym workout pants that are green and come in an x-large.": [ + "green casual gym workout pants x-large", + "green gym workout pants x-large", + "living room workout pants green x-large", + "casual gym workout pants x-large", + "green workout pants x-large", + "casual gym workout pants that are green", + "living room workout pants green", + "green casual gym workout pants", + "curtains green", + "green gym workout pants" + ], + "i am looking for some memory foam sneakers in a size 7 that are black, white and red.": [ + "memory foam sneakers size 7 black white", + "memory foam sneakers in a size 7", + "memory foam sneakers black, white and red", + "memory foam sneakers black white and red", + "memory foam sneakers size 7", + "memory foam sneakers size 7 black", + "memory foam sneakers black white", + "memory foam sneakers", + "memory foam sneakers black", + "memory foam" + ], + "i am looking for a pink lave closure sneaker.": [ + "pink lave closure sneaker", + "pink lave closure sneaker.", + "pink lave closure sneaker under $40", + "pink lave closure sneaker under $50", + "pink lave closure sneaker under $60", + "pink lave closure sneaker,", + "pink lave closure sneaker under 50 dollars", + "pink lave closure sneaker below $50", + "pink lave closure sneaker below $40", + "pink lave closure sneakers" + ], + "i need a unisex clog made of vinyl acetate. pick a new mint color.": [ + "unisex clog made of vinyl acetate", + "unisex clog made of vinyl acetate under $40", + "unisex clog made of vinyl acetate under $50", + "unisex clog made of vinyl acetate under $60", + "unisex clog made from vinyl acetate", + "unisex clog made of vinyl acetate flavor", + "unisex clog made of vinyl acetate mint color", + "Unisex clog made of vinyl acetate", + "unisex clog of vinyl acetate", + "unisex clog with vinyl acetate" + ], + "i am looking for loose fit cotton shirts for men with short sleeve in white color. medium size preferable.": [ + "womens short sleeve cotton shirts in white", + "womens short sleeve white cotton shirt", + "womens short sleeve white cotton shirts", + "womens short sleeve cotton shirt in white", + "loose fit cotton shirts for men in white", + "womens short sleeve shirt in white", + "womens short sleeve cotton shirts", + "womens short sleeve cotton shirts medium size preferable", + "loose fit cotton shirts for men", + "womens short sleeve white cotton shirt loose fit" + ], + "i need some hair drying towels that are easy to clean.": [ + "easy clean hair drying towels", + "hair drying towels easy to clean", + "hair drying towels that are easy to clean", + "easy to clean hair drying towels", + "easy-to-clean hair drying towels", + "hair drying towels", + "easy clean hair drying towels under $40", + "easy clean hair drying towels under $50", + "easy clean hair drying towels under $60", + "hair drying towels, easy to clean" + ], + "i want a home office chair that is white and easy to install.": [ + "home office chair white easy to install", + "home office chair white", + "white home office chair", + "home office chair white easy setup", + "white office chair", + "white office chair easy to install", + "white office chair, easy to install", + "white home office chair that is white", + "home office chair white white", + "white work chair" + ], + "i need a navy machine washable twin quilt set.": [ + "navy machine washable twin quilt set", + " navy machine washable twin quilt set", + "tunnel machine washable twin quilt set", + " navy machine washable twin quilt set.", + "ty navy machine washable twin quilt set", + "navy machine washable twin quilt", + "dual quilt set", + "dual quilt set navy navy", + "dual quilt set navy", + "duck quilt set navy" + ], + "i would like to buy a black case for iphone 13 pro max which has protection for two screen with tempered glass and which i can easily install myself.": [ + "iphone 13 pro max case with protection", + "iphone 13 pro max black case", + "iphone 13 pro max case", + "iphone 13 pro max black case with protection", + "iphone 13 pro max case with protection for two screen", + "iphone 13 pro max case, black", + "iphone 13 pro max case with protection under $130", + "iphone 13 pro max case with protection under $120", + "iphone 13 pro max case with protection, tempered glass", + "iphone 13 pro max" + ], + "find a yubikey 5c usb port security key": [ + "yubikey 5c usb port security key", + "yubikey 5c usb port security", + "find a yubikey 5c usb port security key", + "yubikey 5c usb port security keys", + "a yubikey 5c usb port security key", + " yubikey 5c usb port security key", + "yubikey 5c usb port security key,", + "tv5c usb port security key", + "4c usb port security key", + "yubikey 5c usb port" + ], + "i need a weather radio that has batteries included and is black.": [ + "weather radio with batteries black", + "weather radio with batteries", + "weather radio with batteries that is black", + "weather radio that has batteries included black", + "weather radio with batteries and is black", + "weather radio with batteries in black", + "weather radio black", + "weather radio with batteries, black", + "weather radio that has batteries", + "weather radio that has batteries black" + ], + "i need a alcohol and cruelty free perfume. pick the one with musk scent.": [ + "alcohol and cruelty free perfume", + "alcohol and cruelty free perfume with musk scent", + "alcohol and cruelty free perfume under $40", + "alcohol and cruelty free perfume under $50", + "alcohol and cruelty free perfume under $60", + "alcohol and cruelty free perfume under 50 dollars", + "alcohol and cruelty free perfume under 30 dollars", + "alcohol and cruelty free perfume under 40 dollars", + "alcohol and cruelty free perfume that is alcohol free", + "alcohol cruelty free perfume" + ], + "i want to found 0.1 fluid ounces of alcohol-free perfume oil with a woody scent.": [ + "1 fluid ounces of alcohol-free perfume oil", + "0.1 fluid ounces of alcohol-free perfume oil", + "1.1 fluid ounces of alcohol-free perfume oil", + "alcohol-free perfume oil with woody scent", + "2.1 fluid ounces of alcohol-free perfume oil", + "alcohol-free perfume oil with a woody scent", + "alcohol-free perfume oil 0.1 fluid ounces", + "alcohol free perfume oil 0.1 fluid ounces", + "alcohol-free perfume oil", + "alcohol free perfume oil with woody scent" + ], + "i am looking for a perfume oil in metal packing of 12 ml size which is alcohol free and lasts long.": [ + "pink oil in metal packing of 12 ml size", + "pink oil 12 ml size", + "pomegranate oil 12 ml size", + "pink oil in metal packing of 12 ml", + "pink oil in metal packing 12 ml size", + "pomegranate oil in metal packing of 12 ml", + "pink oil 12 ml size that is alcohol free", + "pomegranate oil in metal packing 12 ml size", + "perfume oil in metal packing of 12 ml size", + "12 ml perfume oil in metal packing of 12 ml size" + ], + "i'm looking for alcohol free perfume with an oud wood scent.": [ + "alcohol free perfume with an oud wood scent", + "alcohol free perfume oud wood scent", + "alcohol free perfume", + "alcohol free perfume with oud wood scent", + "alcohol free perfume with a oud wood scent", + "alcohol free perfume, oud wood scent", + "alcohol free perfume that is oud wood scent", + "alcohol free perfume with a wood scent", + "alcohol free perfume under $40", + "alcohol free perfume oud wood scent." + ], + "i'm looking for a 12 ml superior egyptian musk.": [ + "12 ml superior egyptian musk", + "12 ml superior egyptian musk under $50", + "12 ml superior egyptian musk.", + "12 ml superior egyptian musk under $40", + "12 ml superior egyptian musk under $60", + "12 ml superior egyptian musk under $120", + "12 ml egyptian musk", + "12 ml superior egyptian musk under 30 dollars", + "12 ml superior egyptian musk under 50 dollars", + "12ml superior egyptian musk" + ], + "women's eau de parfum red musk paraben free crulty free long lasting size :12 ml": [ + "womens eau de parfum red musk paraben free long lasting size :12 ml", + "womens eau de parfum red musk paraben free", + "womens eau de parfum red musk paraben free, long lasting size :12 ml", + "womens eau de parfum red musk paraben free crulty free long lasting", + "womens eau de parfum red musk paraben free in long lasting size :12 ml", + "womens eau de parfum red musk paraben free crulty free long lasting size", + "womens eau de parfum red musk paraben free and long lasting size :12 ml", + "womens eau de parfum red musk paraben free in a 12 ml", + "womens eau de parfum red musk paraben free long lasting", + "womens eau de parfum red musk paraben free x 12 ml" + ], + "i am looking for medium long sleeves sleep & lounge sets.": [ + "medium long sleeves sleep & lounge sets", + "medium long sleeves sleep & lounge set", + "medium long sleeves sleep and lounge sets", + "medium long sleeves sleep & lounge sets.", + "medium long sleeves sleep and lounge set", + "medium long sleeves sleep and lounge sets.", + "medium long sleeves sleep & lounge set.", + "medium long sleeves sleep & lounge sets,", + "medium long sleeves lounge sets", + "medium long sleeves lounge set" + ], + "i'm looking for a long lasting jar candles.": [ + "long lasting jar candles", + "lens candles long lasting", + "a long lasting jar candles", + "mason candles long lasting", + "m jar candles long lasting", + "magnate candles long lasting", + "art candles long lasting", + "temporary jar candles", + "temporary jar candles long lasting", + "long lasting jar candles." + ], + "i need a quick drying skort with pockets. pick a dark grey one.": [ + "quick drying skort with pockets", + "quick drying skort with pockets dark grey", + "quick drying skort with pockets, dark grey", + "quick drying skort with pockets in dark grey", + "quick drying skort with pocket", + "quick drying skort with pocket, dark grey", + "quick drying skort with pocket dark grey", + "quick drying skort with pockets under $40", + "quick drying skort with pockets under $50", + "quick drying skort with pockets under $60" + ], + "i want to find a gold floor lamp with a glass shade and a nickel finish that i can use for my living room.": [ + "floor lamp with a glass shade and nickel finish", + "gold floor lamp with a glass shade and nickel finish", + "floor lamp with a glass shade and a nickel finish", + "floor lamp gold with a glass shade and nickel finish", + "floor lamp with glass shade and nickel finish", + "living room gold floor lamp", + "floor lamp gold", + "floor lamp with a glass shade", + "plastic gold floor lamp", + "gold floor lamp" + ], + "i need a solid wood platform bed with wooden frame. pick something that is natural in color.": [ + "solid wood platform bed with wooden frame", + "solid wood platform bed with wooden frame natural", + "solid wood platform bed with wooden frame, natural", + "solid wood platform bed", + "solid wood platform bed with wood frame", + "stainless wood platform bed with wooden frame", + "living room solid wood platform bed with wooden frame", + "a solid wood platform bed with wooden frame", + "soft wood platform bed with wooden frame", + "wood frame solid wood platform bed" + ], + "i'd like to find a large purple maxi dress made of soft material.": [ + "large purple maxi dress made of soft material", + "large purple maxi dress", + "large purple maxi dress made from soft material", + "large purple maxi dress with soft material", + "pink maxi dress made of soft material", + "small purple maxi dress made of soft material", + "large purple maxi dress under $50", + "large purple maxi dress under $40", + "large purple maxi dress in soft material", + "large purple maxi dress, soft material" + ], + "i want an easy to use keyboard with number pad and usb port. i want it to be mint green in color.": [ + "easy to use keyboard with number pad and usb port mint green", + "easy to use keyboard with number pad and usb port", + "easy to use keyboard with number pad and usb port. mint green", + "easy to use keyboard with number pad and usb port in mint green", + "easy to use keyboard with number pad and usb port, mint green", + "easy to use mens green keyboard with number pad and usb port", + "mint green keyboard with number pad and usb port", + "easy to use keyboard with number pad, usb port, mint green", + "easy to use mint green keyboard with number pad and usb port", + "easy to use keyboard with a number pad and usb port mint green" + ], + "i'm looking for underwater world backdrop with high resolution digital photography and light weight. also, choose 5*3ft one": [ + "indoor world backdrop with high resolution digital photography and light weight", + "sea world backdrop with high resolution digital photography and light weight", + "alwater world backdrop with high resolution digital photography and light weight", + "indoor world backdrop with high resolution digital photography", + "indoor world backdrop high resolution digital photography", + "5ft underwater world backdrop with high resolution digital photography", + "indoor world backdrop high resolution digital photography and light weight", + "sea world backdrop with high resolution digital photography", + "alwater world backdrop with high resolution digital photography", + "5ft underwater world backdrop" + ], + "i am looking for x-large extra long t-shirts with long sleeves.": [ + "x-large extra long t-shirt with long sleeves", + "x-large extra long t-shirts with long sleeves", + " x-large extra long t-shirt with long sleeves", + " x-large extra long t-shirts with long sleeves", + "xxl extra long t-shirt with long sleeves", + "x-large extra long t-shirt long sleeves", + "x-large extra long t-shirt", + "xl extra long t-shirt with long sleeves", + "x-large extra long t-shirts", + "xxl extra long t-shirts with long sleeves" + ], + "i am looking for a mesh laundry bag with a funny cartoon skull theme and is medium in size.": [ + " mesh laundry bag with a funny cartoon skull", + " mesh laundry bag that is funny cartoon skull", + "bag with a funny cartoon skull theme", + " mesh laundry bag cartoon skull", + " mesh laundry bag cartoon skull size", + " mesh laundry bag, funny cartoon skull theme", + " mesh laundry bag with cartoon skull theme", + "Mesh laundry bag with a funny cartoon skull", + " mesh laundry bag cartoon skull size medium", + "Mesh laundry bag cartoon skull" + ], + "i am looking for natural hair extensions. also, pick something in dark brown.": [ + "natural hair extensions dark brown", + "natural hair extension dark brown", + "natural hair extensions in dark brown", + "natural hair extension in dark brown", + "natural hair extensions, dark brown", + "natural hair extensionsdark brown", + "natural hair extensions. dark brown", + "natural hair extensions color dark brown", + "natural hair extensions", + "natural hair extensions brown" + ], + "i want buy a easy use hair dye hair colouring spray colour should be purple": [ + "easy use hair dye hair colouring spray", + "easy use hair dye", + "easy use hair dye spray colour purple", + "easy use hair dye spray colour", + "pink hair dye spray colour", + "easy use hair dye spray colour, purple", + "easy use hair dye spray colour in purple", + "easy use hair dye hair colour", + "easy use hair dye, purple", + "pink hair dye" + ], + "i'm looking for 1 resealed bag of puffed snacks": [ + "1 resealed bag of puffed snacks", + "2 resealed bag of puffed snacks", + "snealed bag of puffed snacks", + "3 resealed bag of puffed snacks", + "1 resealed bag puffed snacks", + "puffed snacks 1 resealed", + "tea puffed snacks 1 resealed", + "tea puffed snacks 2 resealed", + "pack of puffed snacks", + "teens puffed snacks 1 resealed" + ], + "i am looking for 30\"x16\"x1.5\", 3pcs wood frame posters & prints.": [ + "30x16x1.5, 3pcs wood frame", + "30x16x1.5 wood frame poster & prints", + "30x16x1.5 wood frame posters & prints", + "30x16x1.5 wood frame posters & prints", + "30x16x1.5 wood frame", + "30x16x1.5 wood frame poster & prints", + "30x16x1.5 poster & prints", + "30x16x1.5 wood frame poster and prints", + "30x16x1.5 print", + "3pcs wood frame" + ], + "i am looking for a dove anti persipirant deodorant for sensitive skin .choose 2.6 ounce (pack of 3).": [ + "dove anti persipirant deodorant for sensitive skin 2.6 ounce (pack of 3)", + "dove anti persipirant deodorant for sensitive skin 2.6 ounce (pack of 3).", + "duck anti persipirant deodorant for sensitive skin 2.6 ounce (pack of 3)", + "dove anti persipirant deodorant for sensitive skin 2.6 ounce (pack of 3),", + "roof anti persipirant deodorant for sensitive skin 2.6 ounce (pack of 3)", + "roof anti persipirant deodorant for sensitive skin 2.6 ounce (pack of 3).", + "duck anti persipirant deodorant for sensitive skin 2.6 ounce (pack of 3).", + "duck anti persipirant deodorant for sensitive skin 2.6 ounce (pack of 3),", + "dove anti persipirant deodorant for sensitive skin", + "moisturant deodorant for sensitive skin 2.6 ounce (pack of 3)" + ], + "i am looking for some deodorant for sensitive skin that has a herbal scent and comes in a 12 pack.": [ + "deodorant for sensitive skin 12 pack", + "natural deodorant for sensitive skin 12 pack", + "deodorant for sensitive skin that has a herbal scent 12 pack", + "dodorant for sensitive skin 12 pack", + "12 pack deodorant for sensitive skin that has a herbal scent", + "12 pack deodorant for sensitive skin with herbal scent", + "deodorant for sensitive skin with herbal scent 12 pack", + "12 pack deodorant for sensitive skin with herbal scent 12 pack", + "12 pack deodorant for sensitive skin", + "Deodorant for sensitive skin 12 pack" + ], + "i am looking for sensitive skin powder": [ + "pink sensitive skin powder", + "pink skin powder", + " sensitive skin powder", + "pink skin powder sensitive", + "sensitive skin powder", + "synthetic skin powder", + "tens sensitive skin powder", + "toxic skin powder", + "stainless skin powder", + "toxic skin powder sensitive" + ], + "i need a 2.6 ounce(pack of 4) anti-perspirant deodorant that is best for sensitive skin and comes with herbal scent.": [ + "2.6 ounce(pack of 4) anti-perspirant deodorant", + "2.6 ounce(pack of 4) anti-perspirant deodorant with herbal scent", + "2.6 ounce(pack of 4) anti-perspirant deodorant under $50", + "2.6 ounce(pack of 4) anti-perspirant deodorant under $40", + "2.6 ounce(pack of 4) anti-perspirant deodorant under $60", + "anti-perspirant deodorant 2.6 ounce herbal scent", + "anti-perspirant deodorant 2.6 oz herbal scent", + "2.6 ounce (pack of 4) anti-perspirant deodorant", + "anti-perspirant deodorant 2.6 oz", + "2.6 ounce anti-perspirant deodorant with herbal scent" + ], + "i am looking for original clean scent deodorant that is anti perspirant.": [ + "original clean scent deodorant anti perspirant", + "original clean scent deodorant", + "original clean scent deodorant, anti perspirant", + "original clean scent deodorant with anti perspirant", + "original clean scent deodorant anti perspirant.", + "original clean scent deodorant no perspirant", + "pure clean scent deodorant anti perspirant", + "contemporary clean scent deodorant anti perspirant", + "contaminated clean scent deodorant", + "anti perspirant" + ], + "i will like to have the dove anti-perspirant deodorant, sensitive skin 2.60 oz (pack of 12) with the herbal scent.": [ + "dove anti-perspirant deodorant 2.60 oz (pack of 12) with the herbal scent", + "dove anti-perspirant deodorant, sensitive skin 2.60 oz (pack of 12) with the herbal scent", + "duck anti-perspirant deodorant sensitive skin 2.60 oz (pack of 12) with the herbal scent", + "dove anti-perspirant deodorant sensitive skin 2.60 oz (pack of 12) with the herbal scent", + "duck anti-perspirant deodorant, sensitive skin 2.60 oz (pack of 12) with the herbal scent", + "roof anti-perspirant deodorant 2.60 oz (pack of 12) with the herbal scent", + "duck anti-perspirant deodorant 2.60 oz (pack of 12) with the herbal scent", + "doves anti-perspirant deodorant 2.60 oz (pack of 12) with the herbal scent", + "dove anti-perspirant deodorant, sensitive skin 2.60 oz (pack of 12), herbal scent", + "dove anti-perspirant deodorant 2.60 oz (pack of 12) with the herbal scent." + ], + "i need an anti perspirant unscented deodorant - 1.6 ounce (pack of 2)": [ + "anti perspirant unscented deodorant - 1.6 ounce (pack of 2)", + "anti perspirant unscented deodorant 1.6 ounce (pack of 2)", + "anti perspirant unscented deodorant 2.6 ounce (pack of 2)", + "ant perspirant unscented deodorant - 1.6 ounce (pack of 2)", + "anti perspirant unscented deodorant - 1.6 ounce (pack of 2),", + "ant perspirant unscented deodorant 1.6 ounce (pack of 2)", + "anti perspirant unscented deodorant- 1.6 ounce (pack of 2)", + "ant unscented deodorant 1.6 ounce (pack of 2)", + "anti perspirant unscented deodorant, 1.6 ounce (pack of 2)", + "ant unscented deodorant - 1.6 ounce (pack of 2)" + ], + "i'm looking for 2 dozen individually wrapped dessert gifts.": [ + "2 dozen individually wrapped dessert gifts", + "two dozen individually wrapped dessert gifts", + "2 dozen individually wrapped dessert gifts under $50", + "2 dozen individually wrapped dessert gifts.", + "2 dozen individually wrapped dessert gifts under $40", + "2 dozen individually wrapped dessert gifts under $60", + "two dozen individually wrapped dessert gifts under $50", + "2 dozen individually wrapped dessert gifts under 40 dollars", + "two dozen individually wrapped dessert gifts under $40", + "2 dozen individually wrapped dessert gifts under 120 dollars" + ], + "i am looking for 4 dozen individually wrapped gourmet cookies.": [ + "4 dozen individually wrapped gourmet cookies", + "4 dozen individually wrapped gourmet cookies.", + "4 dozen individually wrapped gourmet cookies,", + " 4 dozen individually wrapped gourmet cookies", + "gourmet cookies 4 dozen individually wrapped", + "pack of gourmet cookies 4 dozen", + "pack of gourmet cookies", + "gourmet cookies 4 dozen", + "large gourmet cookies 4 dozen", + "4 dozen gourmet cookies" + ], + "i am looking for easy to prepare and ready to eat quaker instant oatmeal breakfast cereal in coconut & caramel flavor.": [ + "easy to prepare and ready to eat quaker instant oatmeal breakfast cereal in coconut & caramel flavor", + "easy to prepare and ready to eat quaker instant oatmeal breakfast cereal with coconut & caramel flavor", + "easy to prepare, ready to eat quaker instant oatmeal breakfast cereal in coconut & caramel flavor", + "easy prepare and ready to eat quaker instant oatmeal breakfast cereal in coconut & caramel flavor", + "easy to prepare and ready to eat quaker instant oatmeal breakfast cereal in coconut and caramel flavor", + "easy to prepare and ready to eat quaker instant oatmeal breakfast cereal coconut & caramel flavor", + "easy to prepare and ready to eat quaker instant oatmeal breakfast cereal, coconut & caramel flavor", + "easy cooked and ready to eat quaker instant oatmeal breakfast cereal in coconut & caramel flavor", + "easy to prepare and ready to eat quaker instant oatmeal breakfast cereal", + "quaker instant oatmeal breakfast cereal in coconut & caramel flavor" + ], + "i need all natural ingredients gluten gree and vegan red hot sauce 12.5 ounce (pack of 3)": [ + "natural ingredients gluten gree and vegan red hot sauce 12.5 ounce (pack of 3)", + "gluten gree and vegan red hot sauce 12.5 ounce (pack of 3)", + "gluten gree vegan red hot sauce 12.5 ounce (pack of 3)", + "natural ingredients gluten gree vegan red hot sauce 12.5 ounce (pack of 3)", + "natural ingredients gluten gree vegan red hot sauce 12.5 ounce (pack of 3)", + "gluten gree vegan hot sauce 12.5 ounce (pack of 3)", + "gluten-free hot sauce 12.5 ounce (pack of 3)", + "natural ingredients gluten gree and vegan red hot sauce 12.5 ounce (pack of 3),", + "gluten gree and vegan red hot sauce 12.5 ounce (pack of 3),", + "natural ingredients gluten gree" + ], + "i'm looking for a night table with steel frame for living room. also, choose black colored one.": [ + "night table with steel frame for living room", + "night table steel frame for living room", + "night table steel frame for living room.", + "night table with steel frame", + "night table with steel frame in living room", + "night table with steel frame living room", + "night table, steel frame, black", + "night table steel frame living room", + "night table steel frame black", + "night table steel frame" + ], + "i am looking for wild caught tuna that is ranch flavored and comes in a pack of ten.": [ + "wild caught tuna pack of ten", + "wild tuna pack of ten", + "wild caught tuna pack of ten pack", + "wild caught tuna ranch flavored pack of ten", + "wild caught tuna pack of 10", + "wild caught tuna pack of ten ranch flavored", + "wild caught tuna that is ranch flavored", + "wild tuna pack of ten pack", + "wild caught tuna pack of ten.", + "wild caught tuna pack of 10 pack" + ], + "i'd like to find a 3-ounce package of ready-to-eat wild-caught tuna salad. the flavor needs to be herb and garlic.": [ + "3ounce package of ready-to-eat wild-caught tuna salad", + "ready-to-eat wild-caught tuna salad flavor herb and garlic", + "3 oz package of ready-to-eat wild-caught tuna salad", + "wild-caught tuna salad flavor herb and garlic", + "wild-caught tuna salad with herb and garlic flavor", + "wild-caught tuna salad flavor herb and garlic 3 oz", + "3-ounce package of wild-caught tuna salad", + "wild-caught tuna salad with herb and garlic", + "ready-to-eat wild-caught tuna salad flavor", + "3 oz wild-caught tuna salad flavor" + ], + "i want some ranch flavored tuna salad.": [ + " ranch flavored tuna salad", + "rf ranch flavored tuna salad", + "rfrigate flavored tuna salad", + "ranch flavored tuna salad", + "ranch flavored tuna salad", + " ranch flavored tuna salad.", + "roasted tuna salad", + "rancified tuna salad", + "tuna salad ranch flavored", + "rfrigid tuna salad" + ], + "i am looking for starkist gluten free sweet & spicy tuna salad, 2.6 ounce (pack of 12)": [ + " starkist gluten free sweet & spicy tuna salad, 2.6 ounce (pack of 12)", + " starkist gluten free sweet & spicy tuna salad 2.6 ounce (pack of 12)", + "roastedist gluten free sweet & spicy tuna salad, 2.6 ounce (pack of 12)", + "staringist gluten free sweet & spicy tuna salad, 2.6 ounce (pack of 12)", + "a starkist gluten free sweet & spicy tuna salad, 2.6 ounce (pack of 12)", + "staringist gluten free sweet & spicy tuna salad 2.6 ounce (pack of 12)", + "roastedist gluten free sweet & spicy tuna salad 2.6 ounce (pack of 12)", + " starkist gluten free sweet & spicy tuna salad, 2.6 ounce (pack of 12),", + "roastedist gluten free sweet & spicy tuna salad, 2.6 ounce (pack of 12),", + "staringist gluten free sweet & spicy tuna salad, 2.6 ounce (pack of 12)," + ], + "i'm looking for a honey bbq tuna ready to eat 2.6 ounce": [ + " honey bbq tuna ready to eat 2.6 ounce", + " honey bbq tuna 2.6 ounce", + "honey bbq tuna ready to eat 2.6 ounce", + " honey bbq tuna ready to eat 2.6 oz", + "2.6 ounce honey bbq tuna", + "a honey bbq tuna ready to eat 2.6 ounce", + "moisturizing honey bbq tuna 2.6 ounce", + "honey bbq tuna 2.6 ounce", + " honey bbq tuna 2.6 oz", + "2.6 ounce honey bbq tuna ready to eat" + ], + "i want to find a 100-foot long high-speed ethernet cable in an off-white color.": [ + "high-speed ethernet cable in an off-white color", + "100-foot long high-speed ethernet cable", + "high-speed ethernet cable in an off-white", + "black high-speed ethernet cable in an off-white", + "black high-speed ethernet cable", + "100 ft long high-speed ethernet cable", + "electric cable in an off-white color", + "10 ft long high-speed ethernet cable", + "high-speed ethernet cable", + "electric cable 100 ft long" + ], + "i'm looking for master cables gold-plated": [ + "master cables gold-plated", + "manual cables gold-plated", + "master cables gold plated", + "master cables goldplated", + "Master cables gold-plated", + "engineered cables gold-plated", + "gold plated master cables", + "manual cables gold plated", + "manual cables goldplated", + "gold plated master cables gold" + ], + "i need a long lasting and high quality nail art kit. it should have all the basic colors.": [ + "long lasting and high quality nail art kit", + "nude art kit long lasting and high quality", + "nail art kit long lasting and high quality", + "long lasting high quality nail art kit with basic colors", + "long lasting high quality nail art kit", + "nude art kit with basic colors", + "nude art kit long lasting", + "nude art kit", + "nail art kit with basic colors", + "long lasting nail art kit" + ], + "i am looking for a six pack of wasabi snack mix of mixed nuts.": [ + "6 pack of wasabi snack mix of mixed nuts", + "pack of wasabi snack mix of mixed nuts", + "6 pack of isabi snack mix of mixed nuts", + "barbecue snack mix of mixed nuts", + "barbecue snack mix of mixed nuts six pack", + "bag of wasabi snack mix of mixed nuts", + "pack of wasabi snack mix of mixed nuts.", + "6 pack of mix of mixed nuts", + "6 pack of wasabi snack mix", + "shoes mix of mixed nuts" + ], + "i am looking for a six pack of low sodium wasabi nuts.": [ + "6 pack of low sodium wasabi nuts", + "6 pack low sodium wasabi nuts", + "low sodium wasabi nuts six pack", + "low sodium wasabi nuts 6 pack", + "six pack of low sodium wasabi nuts", + "6 pack of low sodium isabi nuts", + "pack of low sodium wasabi nuts", + "high sodium wasabi nuts six pack", + "low sodium wasabi nuts", + "low sodium wasabi nuts pack" + ], + "i'm looking for a over ear bluetooth headphones with stereo sound effect and long lasting battery.": [ + "over ear bluetooth headphones with stereo sound effect", + "indoor ear bluetooth headphones with stereo sound effect", + "an over ear bluetooth headphones with stereo sound effect", + "over ear bluetooth headphones with stereo sound effect long lasting battery", + "bioetooth headphones with stereo sound effect", + "budetooth headphones with stereo sound effect", + "the bluetooth headphones with stereo sound effect", + " bluetooth headphones with stereo sound effect", + "over ear bluetooth headphones with stereo sound effect long lasting", + "the bluetooth headphones with stereo sound effect and long lasting battery" + ], + "i need an accent pillow that i can machine wash. get on that is coral blue and is 36\u201d x 36\u201d.": [ + " accent pillow that i can machine wash. get on that is coral blue", + " accent pillow that i can machine wash. get on that is coral blue and is 36\u201d x 36", + "i need an accent pillow that i can machine wash. get on that is coral blue, 36\u201d x 36", + " accent pillow that i can machine wash with coral blue", + " accent pillow that i can machine wash. get on that is coral blue and is 36\u201d x 36\u201c", + " accent pillow that i can machine wash. get on that is coral blue and is 36\u201d x 36,", + " accent pillow that i can machine wash", + "coral blue accent pillow", + " accent pillow with coral blue", + "casual blue accent pillow" + ], + "i need some walking shoes that are non slip and come in a size 7.5.": [ + "walking shoes size 7.5", + "walking shoes in a size 7.5", + "walking shoes that are non slip size 7.5", + "walking shoes, non slip, size 7.5", + "walking shoes size 7.5.", + "walking shoes 7.5", + "walking shoes that are non slip", + "walking shoes in a size 7.5.", + "walking shoes, size 7.5", + "walking shoes, size 7.5, non slip" + ], + "i want a comfortable fit men's boxers. i am an x-large size.": [ + "mens boxers x-large", + "mens boxers x-large", + "mas boxers x-large", + "mens boxers x-large size", + "cmens boxers x-large", + "mens boxers x-lens", + "x-large mens boxers", + "mens boxers x-large size", + "mens boxers xl", + "sneakers x-large" + ], + "i am looking for a high performance quad core tower computer pc which is certified refurbished.": [ + "quad core tower computer pc certified refurbished", + "quad core tower computer pc which is certified refurbished", + "quad core tower computer pc that is certified refurbished", + "quad core tower computer pc, certified refurbished", + "quad core tower computer pc", + "high performance quad core tower computer pc", + "quad core tower computer pc with high performance", + "quad core tower computer pc with certified refurbished", + "quad core tower computer pc with a high performance", + "quad core tower computer pc, certified refurbished," + ], + "i want to find a height-adjustable desk chair in the color petal green.": [ + "height adjustmentable desk chair in the color petal green", + "height adjustable desk chair in the color petal green", + "height-adjustable desk chair color petal green", + "height adjustableable desk chair in the color petal green", + "height adjustable desk chair in the color petal green", + "height-adjustable desk chair, petal green", + "heightadjustable desk chair in the color petal green", + "height-adjustable desk chair in the color petal", + "height-adjustable desk chair", + "height adjustmentable desk chair" + ], + "i am looking for a heavy duty and tempered glass screen case cover. choose a red one.": [ + "heavy duty and tempered glass screen case cover", + "heavy duty and tempered glass screen case cover, red", + "heavy duty tempered glass screen case cover", + "heavy duty and tempered glass screen case cover that is red", + "heavy duty and tempered glass screen case cover in red", + "light duty and tempered glass screen case cover", + "heavy duty and tempered glass screen case cover red", + "heavy duty and tempered glass screen case cover under $40", + "heavy duty and tempered glass screen case cover in a red", + "heavy duty and tempered glass screen case cover under $50" + ], + "i need a hand painted vanity light. make sure it is 8.25x33x7 in dimensions.": [ + "hand painted vanity light", + "hand painted vanity light 8.25x33x7 in dimensions", + "hand painted vanity light, 8.25x33x7 in dimensions", + "hand painted vanity light 8.25x33x7 in dimensions", + "hand painted vanity light 8.25x33x7", + "hand painted vanity light. 8.25x33x7 in dimensions", + "hand painted vanity light, 8.25x33x7", + "hand painted vanity light 8.25x33x7 in dimensions.", + "hand painted vanity light in 8.25x33x7 in dimensions", + "hand painted vanity light 8.25x33x7" + ], + "i want an xx-small sized slim fit button down shirt with long sleeves. pick something in white.": [ + "xx-small button down shirt with long sleeves in white", + "xx-small t-shirt with long sleeves in white", + "xxl slim fit button down shirt with long sleeves", + "xx-small button down shirt with long sleeves", + "xxl button down shirt with long sleeves in white", + "xx-small t-shirt with long sleeves", + "xx-small shirt with long sleeves in white", + "xxl button down shirt with long sleeves", + "xx-small slim fit button down shirt", + "xx-small button down shirt long sleeves in white" + ], + "i am looking for a deep conditioner for natural hair.": [ + "deep conditioner for natural hair", + "deep conditioner for natural hair.", + "deep conditioner for natural hair under $40", + "Deep conditioner for natural hair", + "deep conditioner for natural hair under $50", + "deep conditioner for natural hair under $60", + "deep conditioner natural hair", + "deep conditioner for natural hair under 50 dollars", + "deep conditioner for natural hair under 30 dollars", + "Deep conditioner for natural hair." + ], + "i need a carrying case which is light weight with a mesh pocket. pick a black one.": [ + "light weight with a mesh pocket", + "walking case light weight with a mesh pocket", + "carry case light weight with a mesh pocket", + "light weight with a mesh pocket in black", + "walking case light weight with mesh pocket", + "light weight with a mesh pocket, black", + "light weight with mesh pocket", + "walking case light weight", + "carry case light weight", + "walking case, light weight" + ], + "i'm looking for a wall art for living room with ready to hang wood frame which is easy to clean. also, choose art-003m one": [ + "art for living room with ready to hang wood frame", + "wall art living room with ready to hang wood frame", + "wall art for living room", + "living room wall art with ready to hang wood frame", + "art-003m living room wall art", + "art-003m wall art", + "art-003m wall art for living room", + "wall art for living room that is easy to clean", + "art-003m living room", + "wall art" + ], + "i would like some medium brown hair extensions that are 22 inches.": [ + "medium brown hair extensions 22 inches", + "22 medium brown hair extensions", + "medium brown hair extension 22 inches", + "22 medium brown hair extensions 22 inches", + "22 medium brown hair extension", + "medium brown hair extensions 22 inches long", + "large brown hair extensions 22 inches", + "hair extension 22 inches", + "hair extensions 22 inches long", + "hair extensions 22 inches" + ], + "i am looking for a 16 inch hair extensions storage case.": [ + "16 inch hair extensions storage case", + "16 inch hair extension storage case", + "hair extensions storage case 16 inches", + "16 inch hair extensions storage case.", + "hair extension storage case 16 inches", + "hair extensions storage case 16 inches long", + "teen inch hair extensions storage case", + "16 inch hair extension storage case.", + "hair extensions storage case 16 inch", + "hair extensions storage case" + ], + "order me some twelve inch pink hair extensions.": [ + "pink hair extensions", + "teen inch pink hair extensions", + "pink hair extension", + "12 inch pink hair extensions", + "12 pink hair extensions", + "pink hair extensions under $50", + "teen inch pink hair extension", + "pink hair extensions 12 inches long", + "pink hair extensions twelve inches long", + "pink hair extensions under $60" + ], + "i would like to buy some 24 inch grey hair extensions.": [ + "24 inch grey hair extensions", + "24 inch grey hair extension", + "24 grey hair extensions", + "24 grey hair extension", + "24 gray hair extensions", + "23 grey hair extensions", + "grey hair extension 24 inches", + "grey hair extensions 24 inches", + "23 grey hair extension", + "24 gray hair extension" + ], + "i want to find some portable 18-inch long hair extensions in the light brown color.": [ + "portrait 18-inch long hair extensions", + "portrait 18-inch long hair extensions in the light brown", + "portrait 18-inch long hair extensions light brown", + "18-inch long hair extensions in the light brown color", + "portrait 18-inch long hair extension", + "portrait 18-inch long hair extensions, light brown", + "portrait 18-inch long hair extensions in a light brown", + "portrait 18-inch long hair extensions in light brown", + "portrait 18-inch long hair extension in the light brown", + "portportrait 18-inch long hair extensions" + ], + "i am looking to buy grey-body wave, 18 inch hair extensions.": [ + "grey-body wave 18 inch hair extensions", + "grey body wave, 18 inch hair extensions", + "grey body wave 18 inch hair extensions", + "grey-body wave 18 inch hair extension", + "grey-body wave hair extensions", + "grey body wave, 18 inch hair extension", + "grey-body wave 17 inch hair extensions", + "grey body wave 18 inch hair extension", + "grey-body wave hair extensions 18 inches", + "grey human wave, 18 inch hair extensions" + ], + "i am looking for this product dustproof non woven portable storage case with wooden hanger for human hair extensions (pink) for dry hair .": [ + "dustproof portable storage case with wooden hanger for human hair extensions (pink)", + "dustproof non woven portable storage case", + "dustproof non woven portable storage case with wooden hanger for human hair extensions", + "dustproof portable storage case for human hair extensions (pink) for dry hair", + "dustproof portable storage case with wooden hanger for human hair extensions", + "dustproof non woven portable storage case with wooden hanger", + "dustproof portable storage case with wooden hanger", + "dustproof portable storage case", + "dustproof non woven portable storage case, pink", + "dustproof human hair extensions case" + ], + "i need to find a dust-proof storage case for my hair extensions that's at least 20 inches long.": [ + "dustproof storage case for hair extensions 20 inches long", + "dust-proof storage case for my hair extensions", + "dust proof storage case for hair extensions 20 inches long", + "dust-proof storage case 20 inches long", + "dustproof storage case 20 inches long", + "dustproof storage case for my hair extensions", + "dust proof storage case 20 inches long", + "dust-proof storage case", + "dustproof storage case", + "dust proof storage case" + ], + "i am looking for a denim man short regular fit machine wash size 34 regular colour steel black": [ + "jeans man short regular fit machine wash size 34 regular colour steel black", + " denim man short regular fit machine wash size 34 regular colour steel black", + "d denim man short regular fit machine wash size 34 regular colour steel black", + "jeansman short regular fit machine wash size 34 regular colour steel black", + "jeans short regular fit machine wash size 34 regular colour steel black", + "jeans men short regular fit machine wash size 34 regular colour steel black", + "jean man short regular fit machine wash size 34 regular colour steel black", + "blue denim man short regular fit machine wash size 34 regular colour steel black", + "jeans man short regular fit machine wash size 34 regular colour steel black denim", + "jeansman short regular fit machine wash size 34 regular colour steel black denim" + ], + "i want medium stonewash levi's men's 505 regular fit shorts.": [ + "medium stonewash levis mens 505 regular fit shorts", + "medium stonewash levis mens 505 regular fit shorts.", + "medium stonewash levis mens 505 regular fit shorts,", + "large stonewash levis mens 505 regular fit shorts", + "stonewash levis mens 505 regular fit shorts", + "slimming levis mens 505 regular fit shorts", + "medium stonewash levis mens shorts", + "medium stonewash levis mens 505", + "slimming shorts", + "comfortable fit shorts" + ], + "i am looking for a high quality, travel size eau de parfum for women.": [ + "eau de parfum for women", + "eau de parfum travel size", + "eau de parfum", + "travel size eau de parfum for women", + "eau de parfum travel size for women", + "eau de parfum travel size women", + "eau de parfum women", + "high quality, travel size eau de parfum", + "low quality, travel size eau de parfum", + "eau de parfum for women," + ], + "i looking women's parfume travel size high quality long lasting scent: clinique happy heart impression": [ + "womens parfume travel size high quality long lasting scent", + "womens parfume travel size with clinique happy heart impression", + "womens parfume travel size long lasting scent clinique happy heart impression", + "womens parfume travel size long lasting scent", + "womens parfume travel size long lasting scent with clinique happy heart", + "womens parfume travel size", + "mens parfume travel size high quality long lasting scent", + "womens parfume travel size with a scent", + "womens parfume travel", + "living scent" + ], + "i'm looking for the marc jacobs daisy eau so fresh impression perfume in a travel size.": [ + "marc jacobs daisy eau so fresh impression perfume in a travel size", + " marc jacobs daisy eau so fresh impression perfume in a travel size", + "mango jacobs daisy eau so fresh impression perfume in a travel size", + "Marc jacobs daisy eau so fresh impression perfume in a travel size", + "marc jacobs daisy eau fresh impression perfume in a travel size", + "marc jacobs daisy eau so fresh impression perfume", + " marc jacobs daisy eau fresh impression perfume in a travel size", + "mango jacobs daisy eau so fresh impression perfume", + "marnc jacobs daisy eau fresh impression perfume in a travel size", + "marnc jacobs daisy eau so fresh impression perfume" + ], + "i'm looking for alcohol free high quality scent. its contain travel sized.": [ + "alcohol free high quality scent", + "alcohol free high quality scent travel sized", + "alcohol free high quality scent that is travel sized", + "alcohol free high quality scent with travel sized", + "alcohol free high quality scent travel sized.", + "alcohol free high quality scent, travel sized", + "alcohol free high quality scent. its travel sized", + "alcohol free high quality scent in travel sized", + "alcohol free high quality scent no travel sized", + "alcohol free high quality scent whose contain travel sized" + ], + "the flowers are chosen for their delicate fragrance hight quality and scent is amber romance perfume": [ + "beauty hight quality and scent is amber romance", + "beauty hight quality scent amber romance perfume", + "beauty hight quality amber romance perfume", + "rose perfume hight quality and scent is amber romance", + "auburn flowers scent hight quality", + "synthetic fragrance hight quality", + "auburn flowers scent", + "rose perfume hight quality and scent is amber", + "wooden romance perfume", + "amber romance perfume" + ], + "i want a quick release tripod with bag. pick the 2 pack option.": [ + "quick release tripod with bag 2 pack", + "quick release tripod with bag", + "quick release tripod with bag, 2 pack", + " quick release tripod with bag 2 pack", + "quick release tripod with bag with 2 pack", + "quick release tripod with bag under $40", + "quick release tripod with bag under $50", + "Quick release tripod with bag 2 pack", + " quick release tripod with bag", + "quick release tripod" + ], + "i need an easy to clean exfoliating back scrubber. pick a pink one.": [ + "easy to clean exfoliating back scrubber", + "pink exfoliating back scrubber", + "easy clean exfoliating back scrubber pink", + "easy clean exfoliating back scrubber", + "5 ft exfoliating back scrubber", + "plastic exfoliating back scrubber", + "epfoliating back scrubber pink", + "pocket exfoliating back scrubber", + "epfoliating back scrubber", + "pocket scrubber pink" + ], + "i need an easy carry hair ball trimmer for clothes. it should be green in color.": [ + "easy carry hair ball trimmer for clothes", + "easy carry hair ball trimmer for clothes green", + "easy carry hair ball trimmer for clothes, green", + "easy carry hair ball trimmer for clothes in green", + "green hair ball trimmer for clothes", + "easy carry hair ball trimmer", + "easy carry hair ball trimmer, green", + "easy carry hair ball trimmer for clothes. green", + "easy carry hair ball trimmer for clothesgreen", + "easy carry hair ball trimmer in green" + ], + "i am looking for a grey color day comfort golf shoes for men.": [ + "grey color day comfort golf shoes for men", + "grey tennis shoes for men", + "grey day comfort golf shoes for men", + "grey color day comfort golf shoes", + "grey size day comfort golf shoes for men", + "grey stone day comfort golf shoes for men", + "grey colored day comfort golf shoes for men", + "grey modern day comfort golf shoes for men", + "grey golf shoes for men", + "grey color day comfort golf shoe for men" + ], + "i'm looking for tech response shoes by adidas in black size 11 for day comfort": [ + "tech response shoes by adidas in black size 11", + "tv response shoes by adidas in black size 11", + "comfortable shoes by adidas in black size 11", + "tech response shoes by adidas black", + "tech response shoes by adidas black size 11", + "tech response shoes by adidas in black", + "comfortable shoes by adidas black", + "a tech response shoes by adidas black", + "a tech response shoes by adidas in black", + "antidas black tech response shoes" + ], + "i want a non diary snack with caramelized nuts. pick the 2 pound pack.": [ + "non diary snack with caramelized nuts 2 pound pack", + "non diary snack caramelized nuts 2 pound pack", + "non diary snack, caramelized nuts 2 pound pack", + "non diary snack 2 pound pack", + "non diary snack no caramelized nuts 2 pound pack", + "non diary snack with caramelized nuts", + "non diary snack with caramelized nuts2 pound pack", + "non diary snack no nuts 2 pound pack", + "non diary snack 3 pound pack", + "non diary snack" + ], + "i need a plant based, soy free protein shake. pick the smooth vanilla flavor.": [ + "plant based, soy free protein shake", + "plant based, soy free protein shake with a smooth vanilla flavor", + "plant based, soy free protein shake that is smooth vanilla", + "plant based, soy free protein shake that is smooth vanilla flavor", + "plant based, soy free protein shake, smooth vanilla flavor", + "plant based soy free protein shake with a smooth vanilla flavor", + "plant based soy free protein shake", + "plant based, soy free protein shake that is smooth", + "plant based, soy free protein shake, smooth vanilla flavor,", + "plant based dairy free protein shake" + ], + "i would like a desktop tower that has a core i5 processor with 16 gb ddr4 ram, and has 256gb of storage.": [ + "desktop tower with 16gb ddr4 ram", + "desktop tower with 16 gb ddr4 ram", + "desktop tower with 16 gb ddr4 ram with 256gb", + "desktop tower with 16gb ddr4 ram with 256gb", + "desktop tower with i5 processor with 16gb ddr4 ram", + "desktop tower with i5 processor with 16gb ddr4 storage", + "desktop tower with 16gb ddr4", + "desktop tower with 16gb ddr4 storage", + "desktop tower with 16gb of storage", + "desktop tower" + ], + "i would like a core i5 tower that has 64 gb of ram, and 3tb of storage.": [ + "core i5 tower with 64 gb of ram and 3tb of storage", + "core i5 tower with 64gb of ram", + "core i5 tower with 64 gb of ram, 3tb of storage", + "core i5 tower with 64gb of ram and 3tb of storage", + "core i5 tower with 64 gb of ram", + "core i5 tower with 64gb of ram, 3tb of storage", + "core i5 tower that has 64 gb of ram", + " core i5 tower with 64gb of ram", + "core i5 tower with 64gb ram", + "core i5 tower" + ], + "i need a ready to hang portrait art of a dancing lady for the wall. pick one that is 20x20 inch.": [ + "20x20 inch wall portrait dancing lady under 30 dollars", + "20x20 wall portrait dancing lady under 30 dollars", + "portrait dancing lady 20x20 inch under 30 dollars", + "20x20 inch wall art dancing lady under 30 dollars", + "20x20 wall wall portrait dancing lady under 30 dollars", + "20x20 inch wall portrait of a dancing lady", + "20x20 inch wall portrait dancing lady", + "20x20 inch wall portrait dancing lady under $50", + "portrait dancing lady 20x20 inch", + "20x20 inch wall portrait dancing lady under $40" + ], + "i'm looking for xx-large machine wash sleep & lounge sets.": [ + "xxl machine wash sleep & lounge sets", + "xx-large machine wash sleep & lounge sets", + "xxl machine wash sleep & lounge set", + "xxl machine wash sleep and lounge sets", + "xxl machine wash sleep & lounge sets.", + "xx-large machine wash sleep & lounge set", + "xxl machine wash sleep and lounge set", + " xx-large machine wash sleep & lounge sets", + "xx-large machine wash sleep and lounge sets", + "xxl machine wash sleep and lounge sets." + ], + "i want a water resistant carrying case for my hard drive. pick something in teal.": [ + "teal water resistant carrying case", + "teal water resistant carrying case for my hard drive", + "teal water resistant carrying case for a hard drive", + "teal water resistant carrying case for hard drive", + "water resistant carrying case for my hard drive", + "teal water resistant carrying case for the hard drive", + "water resistant carrying case for my hard drive, teal", + "tteal water resistant carrying case", + "teal waterproof carrying case", + "water resistant carrying case" + ], + "i am looking for frozen meals that is grass fed and gluten free. i want it in beef variety pack flavor.": [ + "freshman meals that are grass fed and gluten free", + "vegan meals that is grass fed and gluten free", + "freeze dried meals beef variety pack flavor", + "frozen meals that is grass fed and gluten free", + "freshman meals that is grass fed and gluten free", + "vegan meals that are grass fed and gluten free", + "vegan meals grass fed and gluten free flavor", + "vegan meals grass fed and gluten free", + "frozen meals grass fed and gluten free", + "frozen meals grass fed and gluten free flavor" + ], + "i am looking for a blue high waist legging for women.": [ + "blue high waist legging for women", + "blue high waist legging for women.", + "blue high waist legging for women under $40", + "blue high waist legging for women under 50 dollars", + "blue high waist legging for women under 30 dollars", + "blue high waist legging for women under $50", + "blue high waist legging for women under $60", + "blue high waist legging for women under 40 dollars", + "blue high waist legging for women under 60 dollars", + "blue high waist legging" + ], + "i need high quality hair extensions that is 18 inches in length.": [ + "18 hair extensions 18 inches in length", + "high quality hair extensions 18 inches long", + "18 hair extensions 18 inches long", + "hair extensions 18 inches in length", + "hair extensions 18 inches long", + "hair extension 18 inches long", + "18 high quality hair extensions", + "18 hair extension 18 inches in length", + "hair extension 18 inches in length", + "18 hair extensions 18 inches" + ], + "i'm looking for a 128 ounce (pack of 1) of shelf-stable, keto-friendly, and gluten-free almond milk.": [ + "pack of 1) of shelf-stable keto-friendly, gluten-free almond milk", + "128 ounce (pack of 1) of shelf-stable keto-friendly, gluten-free almond milk", + " 128 ounce (pack of 1) of shelf-stable keto-friendly, gluten-free almond milk", + "12 pack (pack of 1) of shelf-stable keto-friendly, gluten-free almond milk", + "12 ounce (pack of 1) of shelf-stable keto-friendly, gluten-free almond milk", + "pack of 1) of shelf-stable keto-friendly and gluten-free almond milk", + "128 ounce (pack of 1) of shelf-stable keto-friendly and gluten-free almond milk", + "pack of 1) of shelf-stable keto-friendly, gluten-free almond milk.", + "lens-stable keto-friendly and gluten-free almond milk", + "lemon milk 128 ounce (pack of 1)" + ], + "look for a caffeine and gluten free herbal drink. i like mixed berry flavor.": [ + "mixed berry herbal drink", + "caffeinated berry herbal drink", + "coffee and gluten free herbal drink mix", + "mild berry herbal drink", + "caffeinated and gluten free herbal drink mix", + "caffeinated berry herbal drink mix", + "caffeine and gluten free herbal drink mix", + "mixed berry herbal drink under $40", + "coffee and gluten free herbal drink", + "chocolate and gluten free herbal drink mix" + ], + "i am looking for travel size hipster scent 0.5 oz.": [ + "travel size hipster scent 0.5 oz", + " travel size hipster scent 0.5 oz", + "Travel size hipster scent 0.5 oz", + "pink hipster scent 0.5 oz", + "travel size hipster scent 0.5 oz.", + "pocketed hipster scent 0.5 oz", + "trip size hipster scent 0.5 oz", + "pocket size hipster scent 0.5 oz", + " travel size hipster scent 0.5 oz.", + "Travel size hipster scent 0.5 oz." + ], + "i want a socialite scented floral fragrance that comes in travel size. make sure it is a cruelty free product.": [ + "socialite scented floral fragrance", + "socialite scented floral fragrance travel size", + "socialite scented floral fragrance in travel size", + "socialite scented floral fragrance that is cruelty free", + "Socialite scented floral fragrance", + "socialite scented floral fragrance, travel size", + "Socialite scented floral fragrance travel size", + "cruelty free floral fragrance", + "feral fragrance travel size", + "tempered floral fragrance" + ], + "i need a long lasting fragrance gift set for women.": [ + "long lasting fragrance gift set for women", + "long lasting fragrance gift set for women.", + "vegan fragrance gift set for women", + "a long lasting fragrance gift set for women.", + "long lasting fragrance gift set for women,", + "long lasting fragrance gift set", + "long lasting fragrance gift set women", + "woman fragrance gift set for women", + "long lasting fragrance gift set woman", + "woman fragrance gift set" + ], + "i am interested in a long lasting perfume set.": [ + "long lasting perfume set", + "long lasting perfume set.", + "long lasting perfume set under $40", + "long lasting perfume set under $50", + "long lasting perfume set under $60", + "long lasting perfume set under 30 dollars", + "pink perfume set long lasting", + "long lasting perfume set under 50 dollars", + "long lasting perfume set under 40 dollars", + "pink perfume set" + ], + "get me some low carb sun dried tomatoes. it should have the flavor of plantain chips.": [ + "low carb sun dried tomatoes plantain chips flavor", + "low carb sun dried tomatoes flavor plantain chips", + "low carb sun dried tomatoes flavor plantain chips flavor", + "low carb sun dried tomatoes flavor of plantain chips", + "low carb sun dried tomatoes with flavor of plantain chips", + "low carb sun dried tomatoes with plantain chips flavor", + "low carb sun dried tomatoes, plantain chips flavor", + "low carb sun dried tomatoes plantain chips", + "low carb sun dried tomatoes flavor", + "low carb sun dried tomatoes" + ], + "i need non gmo sundried tomatoes in a 32 oz container": [ + "non gmo sundried tomatoes 32 oz container", + "non gmo sundried tomatoes 32 oz", + "non gmo sundried tomatoes in 32 oz container", + "non gmo sundried tomatoes 32 oz containers", + "non-gmo sundried tomatoes 32 oz container", + "non gmo sundried tomatoes in a 32 oz", + "non gmo sundried tomatoes 32 oz storage", + "non gmo sundried tomatoes 32 oz bottle", + "non-gmo sundried tomatoes 32 oz", + "non gmo sundried tomatoes" + ], + "find me a t shirt dress with ruffle sleeves and elastic closure. pick a green dress.": [ + "t-shirt dress with ruffle sleeves and elastic closure", + "t-shirt dress with ruffle sleeves, elastic closure", + "t-shirt dress with ruffle sleeves with elastic closure", + "t-shoes dress with ruffle sleeves and elastic closure", + "tux dress with ruffle sleeves and elastic closure", + "green t-shirt dress with ruffle sleeves and elastic closure", + "t shirt dress with ruffle sleeves and elastic closure", + "t-shirt dress, ruffle sleeves and elastic closure", + "t-shirt dress with ruffle sleeves elastic closure", + "teeth dress with ruffle sleeves and elastic closure" + ], + "a double sided soft fleence cozy warm light weighted throw blanket also colour is yellow": [ + "yellow throw blanket", + "soft fleence cozy warm light weighted throw blanket", + "double sided soft fleence cozy warm weighted throw blanket", + "double sided soft fleence cozy warm yellow throw blanket", + "soft fleence cozy warm light weighted throw blanket yellow", + "yellow throw blanket with fleefence", + "yellow throw blanket that is soft fleence", + "yellow throw blanket with a throw blanket", + "yellow throw blanket under $40", + "grey throw blanket" + ], + "i need a golden color cupcake toppers for my wife's birth day party": [ + "gluten-free cupcake toppers for a baby shower", + "golden color cupcake toppers for a baby shower", + "gluten-filled cupcake toppers for a baby shower", + "gluten colored cupcake toppers for a baby shower", + "cupcake toppers for a baby shower", + "gluten-free cupcake toppers for baby shower", + "cupcake toppers for wifes birth day party", + "golden color cupcake toppers for baby shower", + "cupcake toppers for wifes birth day", + "cupcake toppers for baby shower" + ], + "i am looking for winter warm ankle boots for women. my size is 7.5.": [ + "winter warm ankle boots for women size 7.5", + "winter warm ankle boots for women size is 7.5", + "winter warm ankle boots for women", + "winter warm ankle boots for women size 7.5.", + "winter warm ankle boots for women 7.5", + "winter warm ankle boots for women, size 7.5", + "winter warm ankle boots size 7.5", + "winter warm ankle boots 7.5", + "winter warm ankle boots for women 7.5.", + "winter warm ankle boots" + ], + "i would like a low sodium and sugar free grape drink in 10 pack boxes.": [ + "low sodium and sugar free grape drink in 10 pack boxes", + "low sodium and sugar free grape drink 10 pack boxes", + "low sodium sugar free grape drink in 10 pack boxes", + "low sodium and sugar free grape drink in 10 pack box", + "low sodium and sugar free grape drink in 10 pack", + "low sodium, sugar free grape drink in 10 pack boxes", + "low sodium and sugar free grape drink 10 pack box", + "low sodium and sugar free grape drink, 10 pack boxes", + "low sodium and sugar free grape drink 10 pack", + "low sodium and sugar free grape drink" + ], + "i am looking for an iphone case that is wireless charging compatible and is rainbow colored.": [ + "iphone case with wireless charging compatible", + "iphone case that is wireless charging compatible", + "iphone case with wireless charging", + "iphone case wireless charging compatible", + "iphone case", + "iphone case in rainbow colored", + "iphone case, rainbow colored", + "iphone case in rainbow", + "iphone case color rainbow", + "iphone case color" + ], + "i am looking for 6 pack of gluten free and low calorie green tea kelp noodles.": [ + "6 pack of gluten free low calorie green tea kelp noodles", + "6 pack gluten free and low calorie green tea kelp noodles", + "6 pack gluten free low calorie green tea kelp noodles", + "pack of gluten free and low calorie green tea kelp noodles", + "gluten free and low calorie green tea kelp noodles", + "gluten free and low calorie green tea kelp noodles pack", + "low calorie green tea kelp noodles", + "low calorie green tea kelp noodles 6 pack", + "green tea kelp noodles gluten free", + "green tea kelp noodles" + ], + "i am looking for a red-2pcs manual toothbrushes with oral hygiene.": [ + "red-2pcs manual toothbrushes", + "manual toothbrushes with oral hygiene", + "a manual toothbrushes with oral hygiene", + "red-2pcs oral hygiene", + "white manual toothbrushes with oral hygiene", + "red 2pcs manual toothbrushes", + " manual toothbrushes with oral hygiene", + "alarm toothbrushes with oral hygiene", + "human toothbrushes with oral hygiene", + "manual toothbrushes" + ], + "i'm looking for a king-sized 8-inch mattress foundation with box springs.": [ + "king-sized 8-inch mattress foundation", + "king-size 8-inch mattress foundation", + "king size 8-inch mattress foundation with box springs", + "king-sized mattress foundation with box springs", + "king-sized mattresses foundation with box springs", + "king-size mattress foundation with box springs", + "king size 8-inch mattress foundation", + "king-size mattresses foundation with box springs", + "king- sized 8-inch mattress foundation", + "king-sized mattress foundation" + ], + "i am looking for a low carbohydrates protein bar with package of 12 counts.": [ + "low carbohydrates protein bar 12 count", + "low carbohydrates protein bar 12 counts", + "low carbohydrates protein bar", + "low carbohydrates protein bar, 12 count", + "low carbohydrates protein bar 13 count", + "low carbohydrates protein bar12 count", + "low carbohydrates protein bar under $50", + "low carbohydrates protein bar under $60", + "low carbohydrates protein bar under $40", + "protein bar 12 count" + ], + "i need a screen protector that is easy to install and is 41mm in size.": [ + "screen protector that is easy to install 41mm", + "tv screen protector that is easy to install 41mm", + "easy to install screen protector that is 41mm", + "easy to install screen protector 41mm", + "screen protector that is easy to install, 41mm", + "40mm screen protector", + "screen protector that is easy to install", + "38mm screen protector", + "28mm screen protector", + "easy to install screen protector" + ], + "i am looking for a size 9.5 casual walking shoes for men, which should have a unique design and should fit comfortably. i will prefer this to have a rubber sole which should be non slippery.": [ + "size 9.5 casual walking shoes for men", + "walking shoes for men size 9.5", + "curtains for men size 9.5", + "walking shoes size 9.5 non slippery", + "walking shoes for men, size 9.5", + "walking shoes size 9.5", + "size 9.5 walking shoes for men", + "casual walking shoes for men", + "curtains size 9.5", + "walking shoes for men" + ], + "i want to find a dining room wood counter height stool. also, choose the light cherry one.": [ + "dining room wood counter height stool.", + "dining room wood counter height stool", + "wood counter height stool dining room dining room", + "living room wood counter height stool.", + "living room wood counter height stool", + "living room wood counter height stool, light cherry", + "dining room wood counter height stool,", + "wood counter height stool dining room", + "wood counter height stool", + "wood counter height stool." + ], + "i'm looking for a 1 dozen nut free dessert gifts.": [ + "1 dozen nut free dessert gifts", + "1 dozen nut free dessert gifts under $60", + "1 dozen nut free dessert gifts under $50", + "1 dozen nut free dessert gifts under $40", + "1 dozen nut free dessert gifts under 50 dollars", + "1 dozen nut free dessert gifts under 30 dollars", + "1 dozen nut free dessert gifts under 40 dollars", + "1 dozen nut free dessert gifts.", + "1 dozen nut free dessert gifts under 60 dollars", + "1 dozen nut free dessert gifts under 120 dollars" + ], + "i need a rich creamy chai tea that is spicy and gluten free. pick the tortoise green tea flavor.": [ + "rich creamy chai tea that is spicy and gluten free", + "rich creamy chai tea with a spicy and gluten free flavor", + "rich creamy chai tea with pomegranate green tea flavor", + "rich creamy chai tea with a spicy and gluten free flavor.", + "rich creamy chai tea with spicy and gluten free flavor", + "rich creamy chai tea flavor that is spicy and gluten free", + "chai tea that is spicy and gluten free", + "rich creamy chai tea flavor", + "tortoise green tea flavor", + "rich creamy chai tea" + ], + "i am looking for gluten free chai, please choose orca spice flavor.": [ + "gluten free chai flavor", + "gluten free chai with orca spice flavor", + "gluten free chai spice flavor", + "gluten free chai orca spice flavor", + "gluten free chai flavor orca spice flavor", + "gluten free chai, orca spice flavor", + "gluten free chai flavor with orca spice", + "gluten free chai chai flavor", + "gluten free chai flavor orca spice", + "gluten free chai flavor under $40" + ], + "i would like a 11.9 ounce maple moose rich and creamy chai tea.": [ + "11.9 ounce maple moose rich and creamy chai tea", + "12.9 ounce maple moose rich and creamy chai tea", + "an 11.9 ounce maple moose rich and creamy chai tea", + " 11.9 ounce maple moose rich and creamy chai tea", + "stainless chai tea 11.9 oz", + " maple moose rich and creamy chai tea 11.9 oz", + "11.9 ounce maple moose rich creamy chai tea", + "coffee moose rich and creamy chai tea 11.9 oz", + "strawberry moose rich and creamy chai tea", + "11.9 ounce maple moose rich and creamy chai tea." + ], + "i want a sugar free paddy syrup that is keto friendly. i like the macadamia nut flavor.": [ + "sugar free paddy syrup keto friendly", + "sugar free keto friendly paddy syrup", + "sugar free paddy syrup keto friendly keto flavor", + "sugar free paddy syrup that is keto friendly", + "sugar free paddy syrup keto friendly keto", + "sugar free paddy syrup keto friendly keto peanut flavor", + "sugar free keto friendly paddy syrup keto peanut flavor", + "sugar free paddy syrup keto friendly flavor", + "sugar free paddy syrup keto friendly keto paddy", + "sugar free paddy syrup keto friendly keto flavor." + ], + "i am looking for sugar free madagascar vanilla flavored peppermint paddy syrup, 64 ounce (pack of 6)": [ + "sugar free madagascar vanilla flavored peppermint paddy syrup 64 ounce (pack of 6)", + "sugar free madagascar vanilla flavored paddy syrup 64 ounce (pack of 6)", + "sugar free madagascar vanilla flavored paddy syrup, 64 ounce (pack of 6)", + "sugar free Madagascar vanilla flavored peppermint paddy syrup 64 ounce (pack of 6)", + "sugar free madagascar vanilla flavored peppermint paddy syrup 32 ounce (pack of 6)", + "sugar free madagascar vanilla flavored peppermint paddy syrup 64 ounce (pack of 6),", + "sugar free madagascar vanilla flavored peppermint paddy syrup 16 ounce (pack of 6)", + "sugar free madagascar vanilla flavored paddy syrup, 64 ounce (pack of 6),", + "sugar free madagascar vanilla flavored peppermint paddy syrup", + "synthetic paddy syrup 64 ounce (pack of 6)" + ], + "i need davinci gourmet sugar-free cherry syrup.": [ + "davinci gourmet sugar-free cherry syrup", + "davinci gourmet sugar-free cherry syrup.", + "duckci gourmet sugar-free cherry syrup", + "davinci gourmet sugar-free cherry syrup flavor", + "davinci gourmet sugar free cherry syrup", + "gourmet sugar-free cherry syrup", + "toothpaste sugar-free cherry syrup", + "bagel sugar-free cherry syrup", + "sugar-free cherry syrup", + "toothpaste sugar-free" + ], + "i need an iphone case that is easy to install and use. i am looking for something in green marble gold.": [ + "iphone case in green marble gold", + "iphone case in green marble", + "iphone case, green marble gold", + "iphone case green marble", + "iphone case with green marble gold", + "iphone case", + "iphone case green marble gold", + "iphone case, green marble", + "iphone case with green marble", + "iphone case green marble gold" + ], + "i am looking for a mid century wood end table lamb with usb charging port .": [ + "mid century wood end table lamb with usb charging port", + "tablet lamb with usb charging port", + "wood end table lamb with usb charging port", + "mid century wood end table lamb with usb charging", + "tablet lamb with usb charging", + " mid century wood end table lamb with usb charging port", + "mid century wood end table lamb", + "mid century wood table lamb with usb charging port", + "mid century wood end table lamb, usb charging port", + "wood end table lamb with usb charging" + ], + "i want to find a two-pack of white coaxial cables that are plated with gold.": [ + "two-pack of white coaxial cables", + "white coaxial cables plated with gold", + "white coaxial cables that are plated with gold", + "two-pack of white coaxial cables with gold", + "white coaxial cables, plated with gold", + "two-pack of white coaxial cables under $40", + "two-pack of white coaxial cables under $50", + "two-pack of white coaxial cables under $60", + "two-pack white coaxial cables", + "white coaxial cables that are plated with gold," + ], + "i need an easy to use breath freshener spray to eliminate bad breath. pick a white one.": [ + "easy to use breath freshener spray", + "easy to use breath freshener spray, white", + "easy to use breath freshener spray white", + "white breath freshener spray", + "easy-to-use breath freshener spray", + "breath freshener spray white", + "5 ft breath freshener spray", + "breath freshener spray", + "abreath freshener spray white", + "5 foot breath freshener spray" + ], + "i need a kosher certified popcorn seasoning that has kettle corn flavor. get the pack of 6 of 2.8 ounce each": [ + "kettle corn seasoning pack of 6 of 2.8 ounce", + "kosher certified popcorn seasoning that has kettle corn flavor", + "kosher certified popcorn seasoning 6 of 2.8 ounce each", + "pack of 6 of 2.8 ounce popcorn seasoning", + "kettle corn seasoning pack of 2.8 ounce", + "kosher certified popcorn seasoning 6 pack of 2.8 ounce", + "kosher certified popcorn seasoning 6 of 2.8 ounce", + "kettle corn seasoning pack of 2.8 ounce each", + "kettle corn seasoning pack of 6", + "kosher certified popcorn seasoning" + ], + "i'm looking for gluten free it has high protein and it has health and it is easy to use.": [ + "gluten free gluten free drink mix", + "gluten free dairy free drink mix", + "gluten free gluten free", + "gluten free dairy free", + "gluten free", + "gluten free high protein gluten free drink mix", + "gluten free gluten free dairy free drink mix", + "gluten free high protein dairy free drink mix", + "gluten free high protein and it has health", + "gluten free gluten free high protein drink mix" + ], + "i am looking for popcorn seasoning of popcorn salt flavor that is gluten free.": [ + "moisturizer of popcorn salt flavor", + "moisturizing seasoning of popcorn salt flavor", + "pumpkin seasoning of popcorn salt flavor", + "pink seasoning of popcorn salt flavor", + "pumpkin seasoning gluten free", + "moisturizer popcorn salt flavor", + "paco seasoning of popcorn salt flavor", + "paco seasoning gluten free", + "moisturizer popcorn salt flavor gluten free", + "maco seasoning gluten free" + ], + "i want a gluten free popcorn seasoning that has a flavor of sour cream and onion.": [ + "gluten free popcorn seasoning that has a flavor of sour cream and onion", + "gluten free popcorn seasoning with a flavor of sour cream and onion", + "gluten free popcorn seasoning", + "gluten free popcorn seasoning flavor of sour cream and onion", + "gluten free popcorn seasoning, with a flavor of sour cream and onion", + "gluten free popcorn seasoning with a flavor of sour cream and onion.", + "gluten free popcorn seasoning seasoning with a flavor of sour cream and onion", + "gluten free popcorn seasoning with flavor of sour cream and onion", + "gluten free popcorn seasoning flavor with sour cream and onion", + "gluten free popcorn seasoning, sour cream and onion" + ], + "i want gluten free kernel season's kettle corn popcorn seasoning.": [ + "gluten free kernel seasons kettle corn popcorn seasoning", + "gluten free kernel season kettle corn popcorn seasoning", + "vegan seasoning kettle corn popcorn seasoning", + "gluten free kettle corn popcorn seasoning", + "gluten free kernel seasoning kettle corn popcorn seasoning", + "kettle corn popcorn seasoning", + "gluten free kernel seasoning", + "kernel seasons kettle corn popcorn seasoning", + "vegan popcorn seasoning", + "tea corn popcorn seasoning" + ], + "looking for kosher certified butter popcorn salt also choose color butter": [ + "kosher certified butter popcorn salt", + "clinically certified butter popcorn salt", + "kosher certified butter popcorn salt color", + "kosher certified butter popcorn salt flavor", + "chocolate certified butter popcorn salt", + "moisturizing butter popcorn salt", + "cl kosher certified butter popcorn salt", + "butter popcorn salt color butter", + "butter popcorn salt", + "certified butter popcorn salt" + ], + "i want gluten free kernel season's cheesy caramel corn seasoning.": [ + "gluten free kernel seasons cheesy caramel corn seasoning", + "gluten free kernel season cheesy caramel corn seasoning", + "gluten free kernel seasons cheesy caramel corn seasoning.", + "gluten free kernel seasoning", + "gluten free kernel seasons cheese caramel corn seasoning", + "gluten free and cheesy caramel corn seasoning", + "gluten free kernel seasons with caramel corn seasoning", + "gluten free kernel season cheesy caramel corn seasoning.", + "gluten free kernel season cheese caramel corn seasoning", + "gluten free, cheesy caramel corn seasoning" + ], + "i would like some butter flavored popcorn salt that comes in a four pack.": [ + "butter flavored popcorn salt four pack", + "butter flavored popcorn salt 4 pack", + "butter flavored popcorn salt four pack under $40", + "butter flavored popcorn salt in a four pack", + "butter flavored popcorn salt, four pack", + "butter flavored popcorn salt four pack under $60", + "butter flavored popcorn salt three pack", + "butter flavored popcorn salt four pack under 40 dollars", + "butter flavored popcorn salt four pack four pack", + "butter flavored popcorn salt four pack below $40" + ], + "i want gluten free kernel season's chili lime popcorn seasoning.": [ + "gluten free kernel seasons chili lime popcorn seasoning", + "gluten free kernel season chili lime popcorn seasoning", + "gluten free chili lime popcorn seasoning", + "gluten free kernel seasoning chili lime popcorn seasoning", + "gluten free kernel seasons chili lime popcorn seasoning.", + "vegan chili lime popcorn seasoning", + "vegan seasoning chili lime popcorn seasoning", + "gluten free kernel season chili lime popcorn seasoning.", + "gluten free and chili lime popcorn seasoning", + "chili lime popcorn seasoning" + ], + "i need gluten free popcorn seasoning. make it the ranch flavored.": [ + "gluten free popcorn seasoning", + "gluten free popcorn seasoning ranch flavored", + "gluten free popcorn seasoning, ranch flavored", + "gluten free popcorn seasoning. ranch flavored", + "gluten free popcorn seasoning ranch flavored", + "gluten free popcorn seasoning the ranch flavored", + "gluten free popcorn seasoning.", + "gluten free popcorn seasoning no dairy", + "gluten free popcorn seasoning under $40", + "corn seasoning ranch flavored" + ], + "i am looking kosher certified gluten free sour cream & onion flavor popcorn seasoning": [ + "kosher certified gluten free sour cream & onion flavor", + "kosher certified gluten free sour cream and onion flavor", + "clinically certified gluten free sour cream & onion flavor", + "gluten free sour cream & onion flavor popcorn seasoning", + "chocolate certified gluten free sour cream & onion flavor", + "kosher certified gluten free sour cream seasoning", + "gluten free sour cream & onion flavor", + "vegan cream & onion flavor", + "vegan cream and onion flavor", + "moisturizer gluten free" + ], + "i need gluten free kernel season's popcorn seasoning, sour cream & onion, 2.7 ounce (pack of 6).": [ + "gluten free kernel seasons popcorn seasoning 2.7 ounce (pack of 6)", + "gluten free kernel seasons popcorn seasoning 2.7 ounce (pack of 6).", + "gluten free kernel seasons popcorn seasoning 2.7 ounce (pack of 6),", + "gluten free kernel seasons popcorn seasoning 2.7 ounce (pack of 6), less then $40", + "gluten free kernel seasons popcorn seasoning 2.7 ounce (pack of 6), less than $40", + "gluten free kernel seasons popcorn seasoning 2.7 ounce (pack of 6), less then $60", + "gluten free kernel seasons popcorn seasoning 2.7 ounce (pack of 6), less than $60", + "gluten free kernel season popcorn seasoning 2.7 ounce (pack of 6)", + "gluten free popcorn seasoning 2.7 ounce (pack of 6)", + "gluten free kernel seasoning 2.7 ounce (pack of 6)" + ], + "i want a red colour loose fit tee top blouse having long sleeve xx -large": [ + "red tee top blouse xx -large", + "red shirt with long sleeve xx -large", + "red blouse xx -large", + "red colour loose fit tee top blouse", + "red shirt long sleeve xx -large", + "red tee top blouse x -large", + "red t-shirt xx -large", + "red tee top blouse x-large", + "red blouse x -large", + "red shirt xx -large" + ], + "i am looking for chair provides optimal support throughout your workday with height adjustable and lumbar support of vari essential task chair in grey color.": [ + "chair that is optimal support throughout your workday with height adjustable and lumbar support of vari essential task chair in grey color", + "chairs that are optimal support for workday with height adjustable and lumbar support of vari essential task chair in grey color", + "chair that is optimal support for workday with height adjustable and lumbar support of vari essential task chair in grey color", + "chairs that are optimal support throughout your workday with height adjustable and lumbar support of vari essential task chair in grey color", + "chair which is optimal support throughout your workday with height adjustable and lumbar support of vari essential task chair in grey color", + "chair with height adjustable and lumbar support of vari essential task chair in grey color", + "chair that is optimal support throughout your workday with height adjustable and lumbar support of vari essential task chair", + "chair that is optimal support for workday with height adjustable and lumbar support of vari essential task chair", + "chairs that are optimal support throughout your workday with height adjustable and lumbar support of vari essential task chair in grey color.", + "chair that is optimal support throughout your workday with height adjustable and lumbar support of vari essential task chair in grey color," + ], + "i am looking for a black task chair which is height adjustable and has a good lumbar support.": [ + "black task chair height adjustable", + "black task chair with height adjustment", + "black task chair height adjustable with lumbar support", + "black task chair height adjustable and lumbar support", + "black task chair height adjustable lumbar support", + "black task chair that is height adjustable", + "black task chair height adjustment", + "black task chair with height adjustable", + "black task chair which is height adjustable", + "black task chair" + ], + "i want a twin size comforter for boys with a video game theme. pick a full size one.": [ + "twin size comforter for boys", + "twin size comforter with a video game theme", + "twin size comforter for boys video game theme", + "twin size comforter for boys, video game theme", + " twin size comforter for boys with a video game theme", + "twin size comforter, video game theme", + "twin size comforter", + "twin size comforter in a video game theme", + "twin size comforter for boys under $50", + "twin size comforter for boys under $40" + ], + "i'm looking for an office file cabinet that's easy to assemble and has a lot of shelves for storage space.": [ + "office file cabinet", + "office file cabinet easy to assemble", + "office file cabinet that is easy to assemble", + "office file cabinet with shelves for storage space", + "office file cabinet easy to assemble with storage space", + "office file cabinet easy to assemble with a lot of shelves", + "office file cabinet with storage space", + "office file cabinet with shelves", + "office file cabinet easy assemble", + "office file cabinet for office" + ], + "i'd like to buy a 7-inch 1024600 red tablet with a long lasting quad core processor.": [ + "7-inch 1024600 red tablet with a long lasting quad core processor", + "8-inch 1024600 red tablet with a long lasting quad core processor", + "6-inch 1024600 red tablet with a long lasting quad core processor", + "7-inch 1024600 red tablet with long lasting quad core processor", + "tablet 7-inch with a long lasting quad core processor", + "7-inch 1024600 red tablet", + "tablet with a long lasting quad core processor", + "8-inch 1024600 red tablet with long lasting quad core processor", + "tablet with long lasting quad core processor", + "dual core processor 7-inch red tablet" + ], + "i'm looking for women's open toe, slim fit high heels sandals with leather sole. also, choose size 8 with white colored one.": [ + "womens open toe high heels sandals with leather sole", + "womens open toe high heels sandals with leather sole size 8", + "womens open toe high heels sandals", + "womens open toe high heel sandals with leather sole", + "womens open toe high heels sandals in white", + "womens wide toe high heels sandals with leather sole", + "womens open toe high heels sandals with leather sole.", + "womens open toe high heels sandals, white", + "womens open toe slim fit high heels sandals with leather sole", + "womens open toe high heels sandals white" + ], + "i need new clear 1.5mm table pads that are easy to clean and are 20 by 72 inches.": [ + "tablet pads 20 by 72 inches", + "table pads 20 by 72 inches", + "table pad 20 by 72 inches", + "tablet pads 20 by 72 inches clean", + "tablet pad 20 by 72 inches", + "tablet pads 20 by 72 inches clear", + "table pad size 20 by 72 inches", + "table pad 20 by 72 inches clean", + "1.5mm table pads", + "tablet pad 20 by 72 inches clean" + ], + "i am looking for 42x60 inch plastic table cover for dining room.": [ + "42x60 inch plastic table cover dining room", + "42x60 inch plastic table cover for dining room", + "42x60 inch plastic table cover", + " 42x60 inch plastic table cover dining room", + "42x60 inch plastic table cover dining room.", + " 42x60 inch plastic table cover for dining room", + "40x60 inch plastic table cover dining room", + "42 x60 inch plastic table cover dining room", + "40x60 inch plastic table cover for dining room", + "42x60 inch dining room table cover" + ], + "i need organic bay leaf that is 4 oz.": [ + "organic bay leaf 4 oz", + "organic bay leaf that is 4 oz", + "4 oz organic bay leaf", + "organic bay leaf that is 4 oz.", + "organic bay leaf 4 oz under $40", + "4 oz organic bay leaf 4 oz", + "organic bay leaf 4 oz under $60", + "organic bay leaf, 4 oz", + "organic bay leaf 4 oz under $50", + "organic bay leaf 4 oz below $40" + ], + "i would like a 12 ounce pack of whole fennel seeds that are certified organic.": [ + "12 ounce pack of whole fennel seeds", + "12 ounce pack of whole fennel seeds certified organic", + "12 ounce pack of fennel seeds that are certified organic", + "12 ounce pack of fresh fennel seeds", + "12 ounce pack of fresh fennel seeds certified organic", + "12 ounce pack of fennel seeds certified organic", + "12 ounce pack of whole fennel seeds, certified organic", + "12 ounce pack of fennel seeds", + "12 ounce pack of natural fennel seeds", + "12 ounce pack of certified organic fennel seeds" + ], + "i need a wall mounted table that can be folded. also, the dimensions should be 70x50x30 cm.": [ + "wall mounted table that can be folded.", + "wall mounted table that can be folded", + "wall mounted table with dimensions 70x50x30 cm", + "wall mounted table, 70x50x30 cm", + "wall mounted table 70x50x30 cm", + "wall mounted table in 70x50x30 cm", + "wall mounted table size 70x50x30 cm", + "wall mounted table", + "wall mounted table, 70x50x30 cm,", + "wall mounted table, 70x50x30 cm." + ], + "i need a nail art pen which is easy to carry and comes in 12 colors. make sure it has gold and silver color too.": [ + "nude art pen in 12 colors", + "nude art pen with gold and silver color", + "nude art pen 12 colors", + "nail art pen in 12 colors", + "nude art pen gold and silver", + "nail art pen gold and silver", + "nude art pen 12 colors gold and silver", + "nude art pen gold", + "nail art pen 12 colors gold and silver", + "nail art pen 12 colors" + ], + "i am looking for heavy duty coaxial cables that are 35 feet long.": [ + "heavy duty coaxial cables 35 feet long", + "large duty coaxial cables 35 feet long", + "heavy duty coaxial cables", + "intensive duty coaxial cables 35 feet long", + "heavy duty coaxial cables, 35 feet long", + "heavy duty coaxial cables with 35 feet long", + "coaxial cables 35 feet long", + "heavy duty coaxial cables under $40", + "heavy duty coaxial cables under $50", + "heavy duty coaxial cables 35 feet long." + ], + "i am looking fluoride free plant based natural ingredient coconut mint toothpaste size 5 oz": [ + "fluoride free plant based natural ingredient coconut mint toothpaste size 5 oz", + "fluoride free plant based natural ingredient coconut mint toothpaste 5 oz", + "fluoride free plant based natural ingredient coconut mint toothpaste", + "fluoride free plant based natural ingredient coconut mint toothpaste, 5 oz", + "fluoride free plant based natural ingredient coconut mint toothpaste in 5 oz", + "fluoride free plant based natural ingredient coconut mint toothpaste 4 oz", + "fluoride free plant based natural ingredient coconut mint toothpaste 2 oz", + "fluoride free natural ingredient coconut mint toothpaste size 5 oz", + "plant based natural ingredient coconut mint toothpaste size 5 oz", + "toothpaste fluoride free 5 oz" + ], + "i am looking for a king size headboards & footboards.": [ + "king size headboards & footboards", + "king size headboards & footboards.", + "king size headboards and footboards", + "king size headboards and footboards.", + "king size headboard & footboards", + "king size headboards & footboards,", + "king size headboards", + "king size headboards with footboards", + "king size footboards", + "king size headboard" + ], + "i want to find king size headboard, hanger style, in summer mix color for a double bedroom.": [ + "king size headboard hanger style for a double bedroom", + "king size headboard hanger style for a double bedroom.", + "king size headboard hanger style", + "king size headboard in hanger style for a double bedroom", + "king size headboard, hanger style,", + "king size headboard hanger style, in summer mix color", + "king size headboard, hanger style", + "king size headboard hanger style double bedroom", + "king size headboard hanger style,", + "king size headboard in hanger style" + ], + "i am looking for open toe sandals with an ankle strap. i want it in size 10.": [ + "open toe sandals with an ankle strap", + "open toe sandals with an ankle strap size 10", + "open toe sandals, ankle strap, size 10", + "open toe sandals", + "open toe sandals in a size 10", + "open toe sandals size 10", + "open toe sandals in size 10", + "open toe sandals with ankle strap size 10", + "open toe sandals with an ankle strap.", + "open toe sandals with ankle strap" + ], + "i'd like to find 22-inch long wavy hair extensions. the color needs to be ash blonde mixed with beach blonde.": [ + "22-inch long wavy hair extensions", + "23-inch long wavy hair extensions", + "22-inch long wavy hair extension", + "hair extensions 22-inch long ash blonde", + "hair extension 22-inch long ash blonde", + "hair extensions 22 inches long ash blonde", + "hair extension 22 inches long ash blonde", + "22 x long wavy hair extensions", + "22 long wavy hair extensions", + "22-inch long wig extensions" + ], + "i'm looking for black hair double sided hair extensions need to buy.": [ + "black hair double sided hair extensions", + "black hair double sided hair extension", + "double sided hair extensions", + "double sided hair extensions black", + "black hair double sided extensions", + "grey hair double sided hair extensions", + "double sided hair extensions black hair", + "double sided hair extension", + "single sided hair extensions", + "double sided hair extension black" + ], + "i am looking for a tape in hair extension human hair 16\u201d and it should be ash blonde -mixed bleach blonde.": [ + "human hair extension human hair 16\u201d", + "human hair extension human hair 16\u201d with ash blonde -mixed bleach blonde", + "hair extension human hair 16\u201d with ash blonde -mixed bleach blonde", + "human hair extension human hair 16\u201d tape in ash blonde -mixed bleach blonde", + "human hair extension human hair 16\u201d ash blonde -mixed bleach blonde", + "human hair extension human hair 16\u201d ash blonde -mixed bleach blonde tape", + "human hair extension human hair 16\u201d with ash blonde -mixed bleach blonde tape", + "human hair extension human hair 16\u201d and it should be ash blonde", + "hair extension human hair 16\u201d", + "tape in hair extension human hair 16\u201d" + ], + "i am looking for 12 inch double sided hair extensions. also pick a dark brown color.": [ + "12 inch double sided hair extensions dark brown", + "12 inch double sided hair extensions", + "12 inch double sided hair extension dark brown", + "12 inch double sided hair extension", + "12 inch double sided hair extensions color", + "12 inch hair extensions dark brown", + "hair extension dark brown", + "hair extensions dark brown", + "dark brown hair extensions", + "dark brown hair extension" + ], + "i am looking for dark brown human hair extensions with double sided tap.": [ + "dark brown human hair extensions with double sided tap", + "dark brown human hair extensions", + "dark brown human hair extensions double sided tap", + "dark brown human hair extension with double sided tap", + "dark brown human hair extension", + "dark brown human hair extensions double sided", + "dark brown human hair extension double sided tap", + "dark brown human hair extensions, double sided tap", + "dark brown human hair extensions that double sided tap", + "dark brown human hair extensions double sided tap." + ], + "i am looking for 22 inch seamless hair extensions.": [ + "22 inch seamless hair extensions", + "22 inch seamless hair extension", + "23 inch seamless hair extensions", + "hair extensions 22 inches seamless", + "hair extension 22 inches seamless", + "23 inch seamless hair extension", + "22 inch seamless hair extensions.", + " 22 inch seamless hair extensions", + "hair extensions 22 inch seamless", + "22 inch seamless hair extensions," + ], + "i want to find hair extensions that are 12 inches long in a medium brown color.": [ + "hair extensions 12 inches long", + "hair extension 12 inches long", + "dark brown hair extensions 12 inches long", + "hair extensions that are 12 inches long", + "medium brown hair extensions 12 inches long", + "hair extension that are 12 inches long", + "hair extensions 12 inches long brown", + "medium brown hair extensions", + "12 gray hair extensions", + "dark brown hair extensions" + ], + "i would like some straight leg jeans that are ric and are in the size 46w by 29l.": [ + "straight leg jeans 46w by 29l", + "straight leg jeans size 46w by 29l", + "straight leg jeans that are 46w by 29l", + "straight leg jeans in the size 46w by 29l", + "straight leg jeans, 46w by 29l", + "straight leg jeans in a size 46w by 29l", + "straight leg jeans in a 46w by 29l", + "straight leg jeans 46w by 29l under $50", + "straight leg jeans 46w by 29l under $40", + "straight leg jeans size 46w by 29l." + ], + "i am looking for a 4x-large regular fit henley shirts for men.": [ + "4xl regular fit henley shirts for men", + "4xl regular fit henley shirts", + "4xl regular fit henley shirts for men under $40", + "4xl regular fit henley shirts for men under $50", + "4 xl regular fit henley shirts for men", + "4xl regular fit henley shirts for men under $60", + "4xl regular fit henley shirts for men.", + "4xl regular fit henley shirts for men under 40 dollars", + "4xl regular fit henley shirts for men under 50 dollars", + "4xl regular fit henley shirts for men under 30 dollars" + ], + "i am looking for long lasting , high quality spray of ca perfume impression which is alcohol free and easy to carry in purse or travel bag in handy all day long. jo malone velvet rose & oud impression preferable.": [ + "long lasting , high quality spray of ca perfume impression", + "coffee perfume impression long lasting", + "coffee perfume impression that is alcohol free", + "a perfume impression that is alcohol free", + "long lasting , high quality spray of ca perfume", + "coffee perfume impression", + "a perfume impression long lasting", + "cologne impression long lasting", + "a perfume impression long lasting , alcohol free", + "c perfume impression long lasting" + ], + "i would like to buy a travel size bottle of gucci bamboo impression perfume.": [ + "travel size bottle of gucci bamboo impression perfume", + "a travel size bottle of gucci bamboo impression perfume", + "pink gucci bamboo impression perfume", + "pink pomegranate travel size bottle", + "pink gucci bamboo impression perfume travel size", + "pink gucci bamboo impression perfume travel size bottle", + "guancci bamboo impression perfume", + "guancci bamboo impression perfume travel size bottle", + "travel size bottle of gucci bamboo impression perfume.", + "guancci bamboo impression perfume travel size" + ], + "i want to buy a christian dior eau sauvage perfume from 2017 that's alcohol-free and travel size.": [ + " christian dior eau sauvage perfume from 2017 alcohol-free and travel size", + "christian dior eau sauvage perfume from 2017 alcohol-free and travel size", + " christian dior eau sauvage perfume", + " christian dior eau sauvage perfume from 2017 alcohol-free travel size", + " christian dior eau sauvage perfume from 2017", + "christian dior eau sauvage perfume", + "christian dior eau sauvage perfume from 2017 alcohol-free travel size", + "christian dior eau sauvage perfume from 2017", + "ch christian dior eau sauvage perfume", + "ch christian dior eau sauvage perfume from 2017" + ], + "i want to find a 16.53 inch wall lamp featuring a brushed nickel finish.": [ + "16.53 inch wall lamp with a brushed nickel finish", + "16.53 inch wall lamp", + "16.53 inch wall lamp featuring a brushed nickel finish", + "16.53 inch wall lamp, brushed nickel finish", + "16.53 inch wall lamp that is brushed nickel finish", + "16.53 inch wall lamp in brushed nickel finish", + "16.53 inch wall lamp with brushed nickel finish", + "16.53 inch wall lamp, brushed nickel finish,", + "16.53 inch wall lamp that is brushed nickel", + "living room wall lamp with a brushed nickel finish" + ], + "i'm looking for a alcohol free concealers & neutralizers of cacao color.": [ + "alcohol free concealers & neutralizers of cacao color", + "alcohol free concealers and neutralizers of cacao color", + "alcohol free concealers & neutralizers of cacao color", + "alcohol free concealers & neutralizers of a cacao color", + "alcohol free concealers & neutralizers of cacao color.", + "alarm free concealers & neutralizers of cacao color", + "alcohol free concealers and neutralizers of cacao color", + "alcohol free concealers & neutralizers of cacao", + "alcohol free concealers under $40", + "alcohol free concealers" + ], + "i am looking for honey color alcohol free creamy concealer": [ + "honey color alcohol free creamy concealer", + "honey color alcohol free concealer", + " honey color alcohol free concealer", + " honey color alcohol free creamy concealer", + "low sugar alcohol free creamy concealer", + "alcohol free creamy concealer honey color", + "moisturizer honey color alcohol free", + "alcohol free creamy concealer", + "alcohol free creamy concealer honey colored", + "butter color alcohol free concealer" + ], + "i need loafers that are a size 12 and have a rubber sole.": [ + "size 12 loafers with a rubber sole", + "loaners size 12 rubber sole", + "s loafers size 12 rubber sole", + " loafers size 12 rubber sole", + "lovelers size 12 rubber sole", + "12 loafers size 12 rubber sole", + "loafers size 12 rubber sole", + "size 12 loafers rubber sole", + "size 12 loafers with rubber sole", + "lovelers size 12 rubber sole under $50" + ], + "find me a caffeine free and sugar free herbal tea bags 5 nos for good health": [ + "natural tea bags 5 nos for good health", + "eco free and sugar free herbal tea bags 5 nos", + "vegan tea bags 5 nos for good health", + "toothpaste tea bags 5 nos for good health", + "tea bags 5 nos for good health", + "coffee free herbal tea bags 5 nos", + "caffe free and sugar free herbal tea bags", + "coffee free and sugar free herbal tea bags", + "natural tea bags 5 nos", + "vegan tea bags 5 nos" + ], + "find me a sulfate free shampoo for repairing my damaged hair.": [ + "sulfate free shampoo for repairing my damaged hair.", + "sulfate free shampoo for repairing my damaged hair", + "sulfate free shampoo for repairing my damaged hair ", + "sulfate free shampoo for repairing my damaged hair damaged hair", + "sulfate free shampoo for repairing my damaged hair damaged", + "sulfate free shampoo for repairing my damaged hair conditioner", + "sulfate free shampoo for repairing damaged hair.", + "sulfate free shampoo for repairing damaged hair", + "sulfate free shampoo", + "sulfate free shampoo to repair damaged hair" + ], + "looking for a short shleev shirt sunsit colour button closure also size 2x": [ + "short shleev shirt sunsit colour button closure", + "shleev shirt sunsit colour button closure", + "short shleev shirt sunsit button closure", + "short shleev shirt sunsit size 2x", + "short shleev shirt sunsit", + "short shleev shirt sunsit with button closure", + "shleev shirt sunsit size 2x", + "shleev shirt sunsit button closure", + "short shleev shirt with button closure", + "shleev shirt sunsit" + ], + "i want an easy to use pillow speaker for my mp3 phone. it should be 3.5mm in size": [ + "easy to use pillow speaker for my mp3 phone", + "easy to use pillow speaker 3.5mm in size", + "easy to use pillow speaker for my mp3 phone 3.5mm", + "plush speaker for mp3 phone 3.5mm in size", + "pocket speaker for mp3 phone 3.5mm in size", + "5mm pillow speaker for mp3 phone", + "easy to use pillow speaker for mp3 phone 3.5mm", + "easy to use pillow speaker for a mp3 phone 3.5mm", + "3.5mm pillow speaker", + "easy to use pillow speaker for mp3 phone" + ], + "i am looking for a long lasting highlighters & luminizers. also choose the pattern 03#": [ + "long lasting highlighters & luminizers pattern 03#", + "long lasting highlighters and luminizers pattern 03#", + "lighters & luminizers pattern 03#", + "long lasting highlighters & luminizers pattern 03", + "highlighters & luminizers pattern 03#", + "low lasting highlighters & luminizers pattern 03#", + "long lasting highlighters with luminizers pattern 03#", + "lighters and luminizers pattern 03#", + "long lasting highlighters & luminizers pattern 3#", + "long lasting highlighters & luminizers pattern 03 #" + ], + "help me buy an easy to use eyes mask that helps to reduce puffy dark circles. please select the red one.": [ + "easy to use eyes mask, puffy dark circles", + "easy to use eyes mask", + "easy to use eyes mask puffy dark circles", + "easy to use eyes mask with puffy dark circles", + "easy to use eyes mask puffy dark circles red", + "easy to use eyes mask for puffy dark circles", + "easy to use eyes mask under $40", + "easy to use puffy dark circles red", + "puffy dark circles", + "red eyes mask" + ], + "i'd like to find a toothpaste dispenser that is not only non-toxic, but also high quality.": [ + "non-toxic toothpaste dispenser", + "non-toxic toothpaste dispenser high quality", + "non-toxic toothpaste dispenser that is high quality", + "non-toxic toothpaste dispenser, high quality", + "non-toxic toothpaste dispenser in high quality", + "non-toxic toothpaste dispenser under $40", + "non-toxic toothpaste dispenser, high quality,", + "non-toxic oralpaste dispenser", + "toxic toothpaste dispenser", + "non toxic toothpaste dispenser" + ], + "i am looking for attractive ottoman is particularly strong and durable,breathable,odourless,acid-free,corrosion-resistant and long-lasting, easy to clean,and can be used in office entrances,living rooms,basements,bedrooms,offices,university dormitories,cafes,bars,hotels and other places xmzddz faux leather storage bench.comfortable seat size 80*45*40cm.": [ + "comfortable seat size 80*45*40cm", + "comfortable seat size 80*45*40cm", + "womens ottoman 80*45*40cm", + "an attractive ottoman 80*45*40cm", + "8 ft xmzddz faux leather storage bench", + "faux leather storage bench 80*45*40cm", + "sneakers 80*45*40cm", + "i am looking for attractive ottoman with a size 80*45*40cm", + "womens ottoman 80*45*40", + "faux leather storage bench" + ], + "i need an easy to use pen drive with usb port. pick one that is 16 gb in capacity": [ + "easy to use pen drive with usb port", + "pink drive with usb port 16gb", + "pens drive with usb port 16gb", + "18gb pen drive with usb port", + "pocket drive with usb port 16gb", + "pink drive with usb port", + "5 ft pen drive with usb port", + "pocket drive with usb port", + "pens drive with usb port", + "pen drive with usb port 16gb" + ], + "can i get a super soft burgundy fleece cosy throw for a couch which is 50\u201dx60\u201d in size?": [ + "super soft burgundy fleece cosy throw", + "super soft burgundy fleece throw for a couch", + "super soft burgundy fleece couch throw", + "super soft burgundy fleece cosy throw for couch", + "super soft burgundy fleece cushy throw", + "super soft burgundy fleece cosy throw couch", + "super soft burgundy fleece sofa throw", + "super soft burgundy fleece throw", + "super soft burgundy fleece couch", + "super soft burgundy fleece" + ], + "i'm looking for a iphone 13 skateboard wood case with glass screen. also choose real walnut wood-13 pro for iphone 13 mini.": [ + "iphone 13 skateboard wood case with glass screen", + "iphone 13 skateboard wood case", + "iphone 13 mini skateboard wood case with glass screen", + "iphone 13 skateboard wood case with glass screen.", + "iphone 13 skateboard wood case with glass screen", + "iphone 13 skateboard wood case, real walnut wood-13", + "iphone 13 skateboard wood case that is real walnut wood 13", + "iphone 13 mini skateboard wood case", + "iphone 13 mini wood case with glass screen", + "iphone 13 skateboard wood case with glass" + ], + "i'm looking for colorful striped patterned protective cover for iphone 13.": [ + "pink patterned protective cover for iphone 13", + "pink patterned protective cover for iphone 13.", + "colored patterned protective cover for iphone 13", + "rainbow colored patterned protective cover for iphone 13", + "pink striped patterned protective cover for iphone 13", + "colored patterned protective cover for iphone 13.", + "colored striped patterned protective cover for iphone 13", + "yellow striped patterned protective cover for iphone 13", + "color patterned protective cover for iphone 13", + "colored patterned protective cover for iphone 13.5" + ], + "i am looking for a i7-7700 3.60ghz size of intel core i5 desktops.": [ + "i am looking for a i7-7700 3.60ghz size of intel core i5 desktops.", + "i am looking for a i7-7700 3.60ghz size of intel core i5 desktops.", + "i am looking for a desktop i7-7700 3.60ghz size of intel core i5 desktops.", + "i am looking for a i7-7700 i5 desktops.", + "i am looking for a i7-7700 3.60ghz desktops.", + "intel core i5 desktops i7-7700", + " i7-7700 3.60ghz desktops", + " i7-7700 3.60ghz desktops.", + "intel core i5 desktops", + " i7-7700 i5 desktops" + ], + "i need comfy casual loose elastic waist 2#multicolor pocketed shorts. its size should be 3x-large.": [ + "comfy casual loose elastic waist 2#multicolor pocketed shorts", + "comfy casual loose elastic waist 2#multicolor pocketed shorts 3x-large", + "comfy casual loose elastic waist 2#multicolor pocketed shorts, 3x-large", + "comfy casual loose elastic waist 2#multicolor pocketed shorts in 3x-large", + "comfy casual loose elastic waist 2#multicolor pocketed shorts 3xl", + "comfy casual loose elastic waist 2#multicolor pocketed shorts under $50", + "comfy casual loose elastic waist 2#multicolor pocketed shorts 3x-large.", + "casual loose elastic waist 2#multicolor pocketed shorts", + "comfy casual loose elastic waist 2#multicolor pocketed shorts 3x-l", + "curtains 3x-large" + ], + "i am looking for a professional white color hair salon rolling swivel chair": [ + "professional white color hair salon rolling swivel chair", + "professional white hair salon rolling swivel chair", + "professional white color hair salon walking swivel chair", + "professional white wig salon rolling swivel chair", + "professional white salon rolling swivel chair", + "professional white color hair salon with swivel chair", + "professional white color hair salon rolling swivel chairs", + "professional white hair salon walking swivel chair", + "professional white color hair salon", + "professional white" + ], + "i'm looking for a hyaluronic acid serum which should be certified organic and cruelty free.": [ + "hyaluronic acid serum certified organic and cruelty free", + "hyaluronic acid serum, certified organic and cruelty free", + "hyaluronic acid serum that is certified organic and cruelty free", + "hyaluronic acid serum", + " hyaluronic acid serum certified organic and cruelty free", + "hyaluronic acid serum certified organic", + " hyaluronic acid serum, certified organic and cruelty free", + "hyaluronic acid serum, certified organic and cruelty free,", + " hyaluronic acid serum", + " hyaluronic acid serum, certified organic and cruelty free," + ], + "i am looking for one oil free foundation in the shade n10 milk chocolate.": [ + "one oil free foundation in the shade n10 milk chocolate", + "oil free foundation in the shade n10 milk chocolate", + "an oil free foundation in the shade n10 milk chocolate", + "1 oil free foundation in the shade n10 milk chocolate", + "two oil free foundation in the shade n10 milk chocolate", + "one oil free foundation n10 milk chocolate", + "oil free foundation n10 milk chocolate", + "one oil free foundation in a shade n10 milk chocolate", + "one oil free foundation, shade n10 milk chocolate", + "n10 milk chocolate foundation" + ], + "i am looking for a 1 fl oz oil free super-blendable liquid foundation.": [ + "1 fl oz oil free super-blendable liquid foundation", + "1 fl oz oil free super-blendable liquid foundation.", + "1fl oz oil free super-blendable liquid foundation", + "1 fl oz oil free super-blendable liquid foundation,", + "2 fl oz oil free super-blendable liquid foundation", + " 1 fl oz oil free super-blendable liquid foundation", + "one fl oz oil free super-blendable liquid foundation", + "oil free super-blendable liquid foundation", + "1 fl oz oil free super-blendable liquid", + "super-blendable liquid foundation" + ], + "i'm looking for super-blendable liquid foundation that is oil free and for fine lines. also, it should be 1 fl oz.": [ + "super-blendable liquid foundation", + "super-blendable liquid foundation that is oil free and fine lines", + "super-blendable liquid foundation with oil free fine lines", + "super-blendable liquid foundation, oil free, 1 fl oz", + "super-blendable liquid foundation that is oil free", + "super-blendable liquid foundation with fine lines", + "super-blendable liquid foundation, oil free and for fine lines", + "super-blendable liquid foundation that is oil free with fine lines", + "super-blendable liquid foundation oil free 1 fl oz", + "super-blendable liquid foundation for fine lines" + ], + "i want a vanilla and oil free l'oreal paris true match liquid foundation.": [ + "vanity and oil free loreal paris true match liquid foundation", + "a vanilla and oil free loreal paris true match liquid foundation", + "vanilla and oil free loreal paris true match liquid foundation", + " vanilla and oil free loreal paris true match liquid foundation", + "vanity and oil free loreal paris liquid foundation", + "vanyl and oil free loreal paris true match liquid foundation", + "a vanilla and oil free loreal paris liquid foundation", + "vanilla and oil free loreal paris liquid foundation", + "vanity and oil free loreal paris", + " vanilla and oil free loreal paris liquid foundation" + ], + "i would like a single perfect beige foundation that is oil free.": [ + "single perfect beige foundation that is oil free", + "single perfect beige foundation", + "single perfect beige foundation that is oil free.", + "single perfect beige foundation that is oil free,", + "single perfect beige foundation, oil free", + "single perfect beige foundation with oil free", + "single perfect beige foundation, oil free,", + "a single perfect beige foundation that is oil free", + "single perfect beige foundation whose price is oil free", + "one perfect beige foundation that is oil free" + ], + "i need cruelty free deodorant that has a woody scent and is 1.6 oz.": [ + "cruelty free deodorant 1.6 oz", + "cruelty free deodorant that has a woody scent", + "cruelty free deodorant with woody scent 1.6 oz", + "cruelty free deodorant, 1.6 oz", + "cruelty free deodorant 2.6 oz", + "cruelty free deodorant that is 1.6 oz", + "cruelty free deodorant 1.6 oz", + "cruelty free deodorant 1.6 oz.", + "cruelty free deodorant", + "cruelty free deodorant that is woody scent" + ], + "i need a hard drive carrying case bag that is light pink": [ + "soft drive carrying case bag that is light pink", + "soft drive carrying case bag light pink", + "hard drive carrying case bag that is light pink", + "light pink hard drive carrying case bag", + "easy drive carrying case bag that is light pink", + "soft drive carrying case bag", + "heavy pink hard drive carrying case bag", + "soft drive carrying case bag, light pink", + "soft drive carrying case bag with light pink", + "hard drive carrying case bag light pink" + ], + "i'm looking for a 2.82 ounce (pack of 12) non gmo bagel chips.": [ + "2.82 ounce (pack of 12) non gmo bagel chips", + "two.82 ounce (pack of 12) non gmo bagel chips", + "non gmo bagel chips 2.82 oz", + "1.82 ounce (pack of 12) non gmo bagel chips", + "3.82 ounce (pack of 12) non gmo bagel chips", + "2.82 oz (pack of 12) non gmo bagel chips", + " 2.82 ounce (pack of 12) non gmo bagel chips", + "2.82 ounce (pack of 12) non gmo bagels chips", + "bagel chips 2.82 oz", + "non gmo bagel chips 2.82 ounces" + ], + "i need some salty, non-gmo bagel crisps.": [ + "salty, non-gmo bagel crisps", + "s salty, non-gmo bagel crisps", + "sugar, non-gmo bagel crisps", + "sneaky, non-gmo bagel crisps", + "salty, non-gmo bagel crisps.", + "sale, non-gmo bagel crisps", + "sneakers salty non-gmo bagel crisps", + "sneakers, non-gmo bagel crisps", + "smo bagel crisps", + "natierra bagel crisps" + ], + "i would like a ready hang poster that has blue roads.": [ + "ready hang poster that has blue roads", + "ready hang poster with blue roads", + "ready hang poster for blue roads", + "ready hang poster blue", + "blue road ready hang poster", + "white ready hang poster with blue roads", + "ready hang poster blue roads", + "ready hang poster of blue roads", + "ready hang poster", + "ready hang poster with blue road" + ], + "i'm looking for a earbud earphones with srereo sound effect. also choose black colored one.": [ + "black earbud earphones with srereo sound effect", + "earbud earphones with srereo sound effect", + "earbud earphones with srereo sound effect. also choose black colored one.", + "an earbud earphones with srereo sound effect", + " earbud earphones with srereo sound effect", + "earbud earphones with srereo sound effect black", + "alarm earphones with srereo sound effect", + "earbud earphones with srereo sound effect, black", + "an earbud earphones with srereo sound effect, black", + "an earbud earphones with srereo sound effect black" + ], + "i want a super soft throw blanket. i am looking for strawberry cow color.": [ + "super soft throw blanket strawberry cow color", + "super soft throw blanket strawberry cow", + "super soft throw blanket in strawberry cow color", + "super soft throw blanket, strawberry cow color", + "super soft throw blanket strawberry cow colored", + "super soft throw blanket strawberry cow color.", + "super soft throw blanket with strawberry cow color", + "super soft throw blanket strawberry cow pink", + "super soft throw blanket strawberry cow colors", + "super soft throw blanket strawberry cow color," + ], + "i need a height adjustable standing desk with steel frame. make it gray in color with an antique oak top.": [ + "height adjustable standing desk with steel frame", + "height adjustable walking desk with steel frame", + "height adjustable standing desk with steel frame, gray", + "height adjustable gray desk with steel frame", + "height adjustable standing desk with steel frame in gray", + "height adjustable grey desk with steel frame", + "height adjustable living desk with steel frame", + "height adjustable walking desk with steel frame, gray", + "height adjustable standing desk with steel frame gray", + "height adjustable standing desk" + ], + "i am looking for the bathroom mirror with lights is with full-sealing box , protects safety use in bathroom long lasting and easy to install sunzoom 24\"x36\" black framed led lighted bathroom mirror.size preferable hilton-2436.": [ + "bathroom mirror with lights", + "bathroom mirror with lights hilton-2436", + "bathroom mirror with lights hilton-2436", + "bathroom mirror with lights with hilton-2436", + "bathroom mirror with lights with full-sealing box", + "bathroom mirror with lights with full-sealing", + "bathroom mirror with lights that is lighted", + "bathroom mirror with lights is with full-sealing", + "bathroom mirror with lights that is long lasting", + "bathroom mirror with lights that is large and is waterproof" + ], + "i want to find a 34x72 inch round table protector that is 2 millimeters thick. it needs to be made of stainless steel.": [ + "33x72 inch round table protector", + "tablet protector that is 2 millimeters thick", + "tablet protector 2 millimeters thick", + " 34x72 inch round table protector", + "28x72 inch round table protector", + "34x72 inch round table protector", + "33x72 inch round table protector with stainless steel", + "brushed table protector 2 millimeters thick", + "33x72 inch round table protector under $50", + "33x72 inch table protector" + ], + "i'm looking for heavy duty table pads made of stainless steel which is easy to clean. also, choose new version clear 1.5 mm pads with size 39.4* 94.5 inches.": [ + "heavy duty table pads made of stainless steel", + "table pads made of stainless steel", + "table pads made of stainless steel that is easy to clean", + "table pads made of stainless steel which is easy to clean", + "table pad pads made of stainless steel", + "heavy duty table pads made of stainless steel under $40", + "table pads made of stainless steel which is easy to clean.", + "table pads made of stainless steel that is easy to clean.", + "table pad made of stainless steel", + "heavy duty table pads" + ], + "i need dining room table pads that are 22 by 54 inches and are round new frosted.": [ + "dining room table pads 22 by 54 inches", + "dining room table pads 22 by 54 inches round new frosted", + "dining room table pads that are 22 by 54 inches", + "dining room table pad 22 by 54 inches round new frosted", + "dining room table pads 22 by 54 inches under $50", + "dining room table pads 23 by 54 inches", + " dining room table pads 22 by 54 inches", + "table pad 22 by 54 inches", + "tablet pads 22 by 54 inches", + "table pads 22 by 54 inches" + ], + "i'm looking for a ostep decor custom table cover.": [ + "oatmeal decor custom table cover", + "oatmeal decor", + "oatmeal decor for table cover", + "oatmeal decor table cover", + "oatmeal decor custom table cover.", + "oatmeal decor for dining table cover", + "ostep decor custom table cover", + "oatmeal decor for ostep decor", + "oatstep decor custom table cover", + "oatmeal decor for a table cover" + ], + "i would like a 44 by 108 inch round new clear table pad for my dining room.": [ + "44 by 108 inch round new clear table pad dining room", + " 44 by 108 inch round new clear table pad dining room", + "44 by 108 inch round new clear table pad", + " 44 by 108 inch round new clear table pad", + "44 by 108 inch dining room table pad", + "a 44 by 108 inch round new clear table pad", + "44 by 108 inch old clear table pad dining room", + " 44 by 108 inch dining room table pad", + "rainbow colored table pad for dining room", + "rainbow colored table pad" + ], + "i am looking for 42 | 44 | 45mm(s | m) smartwatch bands, compatible with apple.": [ + "smartwatch bands 42 | 44 | 45mm", + "smartwatch bands that are compatible with apple 42", + "smartwatch bands that are compatible with apple", + "42 | 44 | 45mm", + "smartwatch bands with apple", + "smartwatch bands 42", + "smartwatch bands, 42", + "smartwatch bands", + "42", + "42mm" + ], + "i need a conditioner for dry hair that comes in 1.8 fl oz and will give me ultra volume.": [ + " conditioner for dry hair 1.8 fl oz", + "1.8 fl oz conditioner for dry hair", + " conditioner for dry hair 1.8 fl oz ultra volume", + "Conditioner for dry hair 1.8 fl oz", + "conditioner for dry hair 1.8 fl oz", + "Conditioner for dry hair 1.8 fl oz ultra volume", + "conditioner for dry hair 1.8 fl oz ultra volume", + " conditioner for dry hair with ultra volume", + "tempered dry hair conditioner 1.8 fl oz", + "1.8 fl oz conditioner" + ], + "i would like a dental pick that is yellow for bad breath.": [ + "yellow dental pick for bad breath", + "yellow dental pick that is bad breath", + "dental pick yellow for bad breath", + "yellow dental pick with bad breath", + "yellow dental pick", + "dental pick yellow for bad breath.", + "yellow dental pick for bad breath.", + "dental pick yellow bad breath", + "yellow dental pick that is bad breath.", + "yellow dental pick, bad breath" + ], + "i am looking a charging adpter fot fast charging jetpack 4g lte mobile hotspot": [ + "charging adpter fot fast charging jetpack 4g lte mobile hotspot", + "charging adpter fot fast charging jetpack 4g lte mobile hotspot", + " charging adpter fot fast charging jetpack 4g lte mobile hotspot", + "charging adpter fot fast charging jetpack with 4g lte mobile hotspot", + " charging adpter fot fast charging jetpack 4g lte mobile hotspot", + "electric charging adpter fot fast charging jetpack 4g lte mobile hotspot", + " charging adpter fot fast charging jetpack with 4g lte mobile hotspot", + "pink adpter fot fast charging jetpack 4g lte mobile hotspot", + "electric jetpack 4g lte mobile hotspot", + "charging adpter fot fast charging jetpack" + ], + "i am looking for a power amplifier which is easy to use.": [ + "power amplifier easy to use", + "power amplifier that is easy to use", + "power amplifier which is easy to use", + "power amplifier", + "power amplifier, easy to use", + "power amplifier, easy to use,", + "easy to use power amplifier", + "power amplifier under $40", + "power amplifier easy to use.", + "power amplifier for power" + ], + "a dining room table cover table protecter size 42 *90 inches can be clean easily": [ + "dining room table cover table protecter size 42 *90", + "a dining room table cover table protecter size 42 *90", + "dining room table cover table protecter, size 42 *90", + "dining room table cover table protecter", + "dining room table cover table protecter size 42 *90", + "dining room table cover table protecter 42 *90", + "dining room table cover table protecter 42 *90 inches", + "a dining room table cover table protecter size 42 *90", + "tablet cover table protecter size 42 *90", + "dining room table cover table protecter size 42" + ], + "i am looking for a crystal clear 2mm table cover protector size 32x48 \u201c and it should easy to clean.": [ + "table cover protector size 32x48", + "table cover protector 32x48", + " crystal clear 2mm table cover protector", + "crystal clear 2mm table cover protector", + "c crystal clear 2mm table cover protector", + "4mm table cover protector", + "stainless 2mm table cover protector", + "tablet cover protector size 32x48", + "6mm table cover protector", + "table cover protector" + ], + "i am looking for 48 x 60 inches size desk cover protector for my dining room.": [ + "48 x 60 inches desk cover protector for dining room", + "48 x 60 inches desk cover protector", + "48 x 60 inches desk cover protector dining room", + " 48 x 60 inches desk cover protector for dining room", + "50 x 60 inches desk cover protector for dining room", + "48 x 60 inch desk cover protector for dining room", + "48 x 60 inches desk cover protector, dining room", + "manual desk cover protector for dining room", + " 48 x 60 inches desk cover protector", + "window cover protector for dining room" + ], + "i need coasters that are easy to clean and come in a set of six with cup holders.": [ + "coasters that are easy to clean with cup holders", + "coasters easy to clean and come in a set of six", + "coasters easy to clean, set of six with cup holders", + "coasters clean and easy to clean with cup holders", + "coasters with cup holders", + "coasters set of six with cup holders", + "coasters easy clean and come in a set of six", + "coasters clean and under $50", + "coasters that are easy to clean with cup holders.", + "coasters clean and fresh" + ], + "i'm looking for a retractable stereo sound in -ear headphone which is compatible for apple iphone.": [ + "retractable stereo sound in -ear headphone", + "tractionable stereo sound in -ear headphone", + "retractable stereo sound in -ear headphone, compatible for apple iphone", + "tunable stereo sound in -ear headphone which is compatible for apple iphone", + "contractionable stereo sound in -ear headphone", + "tunable stereo sound in -ear headphone", + "tunable stereo sound in -ear headphone compatible for apple iphone", + "retractable stereo sound in-ear headphone", + "t retractable stereo sound in -ear headphone", + "toothpaste stereo sound in -ear headphone" + ], + "get me a keto friendly and sugar free cereal that is also plant-based. i want the cinnamon toast and dark chocolate flavor.": [ + "keto friendly and sugar free cereal that is also plant-based", + "keto friendly and sugar free cereal", + "keto friendly and sugar free cereal with cinnamon toast and dark chocolate flavor", + "keto friendly and sugar free cereal, cinnamon toast and dark chocolate flavor", + "keto friendly sugar free cereal that is also plant-based", + "keto friendly and sugar free cereal with cinnamon toast", + "keto friendly and sugar free cereal that is also plant-based flavor", + "keto friendly sugar free cereal with cinnamon toast and dark chocolate flavor", + "keto friendly sugar free cereal", + "keto friendly and sugar free cereal plant-based" + ], + "i need 9 ounce catalina crunch cinnamon toast & maple waffle cereal that is keto friendly.": [ + "9 ounce catalina crunch cinnamon toast & maple waffles cereal keto friendly", + "9 ounce catalina crunch cinnamon toast & maple waffles cereal that is keto friendly", + "9 ounce catalina crunch cinnamon toast & maple waffles cereal", + "9 ounce catalina crunch cinnamon toast & maple waffle cereal that is keto friendly", + "9 ounce catalina crunch cinnamon toast & maple waffle cereal", + "9 ounce catalina crunch cinnamon toast & maple waffle cereal keto friendly", + "8 ounce catalina crunch cinnamon toast & maple waffles cereal keto friendly", + "9 ounce catalina crunch cinnamon toast & maple waffles cereal keto friendly 9 oz", + "catalina crunch cinnamon toast & maple waffles cereal keto friendly 9 ounce", + "keto friendly 9 ounce catalina crunch cinnamon toast & maple waffles cereal" + ], + "i need soaps for dry skin that are made with argan oil.": [ + "soaps for dry skin made with argan oil", + "soaps for dry skin that are made with argan oil", + "soaps for dry skin with argan oil", + "sneakers for dry skin made with argan oil", + "soaps for dry skin, made with argan oil", + "soaps for dry skin made with argan oil.", + "synthetic soaps for dry skin with argan oil", + "sneakers for dry skin with argan oil", + "soaps for dry skin, made with argan oil,", + "soaps for dry skin" + ], + "i am looking for 1x cotton spandex yoga pants.": [ + "1x cotton spandex yoga pants", + "1x cotton spandex yoga pants.", + "1x cotton spandex yoga pants under $40", + "1x cotton spandex yoga pants under $50", + "1x cotton spandex yoga pants under $60", + "1x cotton spandex yoga pants under 50 dollars", + "1x cotton spandex yoga pants under 40 dollars", + "1x cotton spandex yoga pants under 30 dollars", + "1 x cotton spandex yoga pants", + "onex cotton spandex yoga pants" + ], + "i am looking for a easy install 4g band 5/13 signall booster": [ + "easy install 4g band 5/13 signall booster", + "4g band 5/13 signall booster", + "5g band 5/13 signall booster", + "easy to install 4g band 5/13 signall booster", + "4g band 5/13 signall booster easy install", + "5g band 5/13 signall booster easy install", + "4g band 5/13 signall booster easy to install", + "3g band 5/13 signall booster", + "4g band 5/13 signall booster under $40", + "4g band 5/13 signall booster, easy install" + ], + "i am looking for a long lasting 3.38 fl oz (pack of 1) eau de toilette for men.": [ + "3.38 fl oz (pack of 1) eau de toilette for men", + "4.38 fl oz (pack of 1) eau de toilette for men", + "3.38 fl oz (pack of 1), eau de toilette for men", + "3.38 fl oz (pack of 1) eau de toilette", + "3.38 fl oz (pack of 1) eau de toilette men", + "eau de toilette for men", + "3.38 fl oz (pack of 1)", + "4 oz (pack of 1) eau de toilette for men", + "3.38 fl oz (pack of 1) men", + "eau de toilette men" + ], + "i would like a perfume that is long lasting and comes in a pack of two.": [ + "pink perfume long lasting and pack of two", + "pink perfume long lasting and packs of two", + "pink perfume long lasting", + "pomegranate perfume long lasting", + "pink perfume long lasting in a pack of two", + "long lasting perfume in a pack of two", + "pink perfume long lasting, pack of two", + "long lasting perfume pack of two", + "pink perfume long lasting and pack of two.", + "perfume long lasting" + ], + "i want to buy a voyage-style, 3.38 fl oz men's perfume that is long lasting.": [ + "portrait style, 3.38 fl oz mens perfume", + "portrait-style, 3.38 fl oz mens perfume", + "3.38 fl oz mens perfume long lasting", + "cruise-style, 3.38 fl oz mens perfume", + "a voyage-style, 3.38 fl oz mens perfume", + "sea-style, 3.38 fl oz mens perfume", + "portable style, 3.38 fl oz mens perfume", + "3.38 fl oz mens perfume that is long lasting", + "3.38 fl oz mens perfume", + "6.38 fl oz mens perfume long lasting" + ], + "i would like a long lasting 3.38 fluid out voyage perfume.": [ + "3.38 fluid out voyage perfume", + "long lasting 3.38 fluid out voyage perfume", + "4.38 fluid out voyage perfume", + "3.38 fluid out voyage perfume, long lasting", + "a long lasting 3.38 fluid out voyage perfume", + "3.38 fluid out voyage perfume long lasting", + "3.38 fluid out voyage perfume.", + "3.38 fluid out voyage perfume under $40", + "5.38 fluid out voyage perfume", + "long lasting 3.38 fluid out voyage perfume." + ], + "i would like a 1.6 fluid ounce bottle of voyage perfume that is long lasting.": [ + "1.6 fluid ounce bottle of voyage perfume", + "1.6 fluid ounce bottle of voyage perfume long lasting", + "1.6 fluid ounce bottle of voyage perfume, long lasting", + "1.6 fluid ounce bottle of voyage perfume long lasting.", + "a 1.6 fluid ounce bottle of voyage perfume", + "1.6oz fluid ounce bottle of voyage perfume", + "1.6 fluid ounce bottle of voyage perfume under $50", + "1.6oz bottle of voyage perfume long lasting", + "a 1.6 fluid ounce bottle of voyage perfume long lasting", + "one.6 fluid ounce bottle of voyage perfume" + ], + "i am looking for a slim fit men's sweatpants. also, choose the y1-black": [ + "slim fit mens sweatpants in y1-black", + "slim fit mens sweatpants y1-black", + "slim fit mens sweatpants, y1-black", + "slim fit mens sweatpants y1-black", + "slim fit mens sweatpants. y1-black", + "slim fit mens sweatpants", + "mens sweatpants in y1-black", + "mens sweatpants y1-black", + "slim fit mens sweatpants.", + "slim fit mens sweatpants. " + ], + "find some kosher certified, gluten free gummy candy. choose the blue raspberry color.": [ + "kosher certified gluten free gummy candy", + "gluten free gummy candy blue raspberry", + "kosher certified gummy candy blue raspberry", + "gluten free gummy candy blue", + "kosher certified gummy candy blue", + "gummy candy blue raspberry", + "chocolate gummy candy blue", + "sugar free gummy candy blue", + "chocolate gummy candy blue raspberry", + "gluten free gummy candy" + ], + "i need lemon flavored gummi candies that are gluten free. also, pick a kosher certified one.": [ + "lemon flavored gummi candies", + "lemon flavored gummi candies gluten free", + "gluten free gummi candies", + "lemon flavored gummi candies, kosher certified", + "lemon flavored gummi candies kosher certified", + "veganmi candies that are gluten free", + "gluten free gummi candies, kosher certified", + "veganmi candies gluten free", + "gluten-free gummi candies", + "lemon flavored gummi candies, gluten free" + ], + "i am looking for pink elephant cupcake picks for birthday cake decorations.": [ + "pink elephant cupcake picks for birthday cake decorations", + "pink elephant cupcake pick for birthday cake decorations", + "pink elephant cupcake picks for baby shower", + "pink elephant cupcake picks for baby shower decorations", + "pink elephant cupcake picks for a baby shower", + "pink elephant cupcake picks", + "pink elephant cupcake pick for baby shower", + "pink elephant cupcake picks for birthday cake", + "pink elephant cupcake pick", + "pink elephant birthday cake pick" + ], + "i need 16 ounce gluten free bottle lorann cream cheese bakery emulsion over the butter-vanilla variety.": [ + "gluten free bottle lorann cream cheese bakery emulsion", + "16 ounce gluten free bakery emulsion", + "16 ounce gluten free lorann cream cheese bakery emulsion", + "16 ounce gluten free borann cream cheese bakery emulsion", + "16 ounce gluten free dairy free bakery emulsion", + "16 ounce gluten free butter-vanilla variety", + "16 ounce gluten free bakery emulsion under $40", + "16 ounce gluten free bakery emulsion under $60", + "16 ounce gluten free bakery emulsion under $50", + "16 ounce gluten free bottle lorann cream cheese bakery" + ], + "i need 1 pound of pumpkin spice cream cheese bakery emulsion that is gluten free.": [ + "pumpkin spice cream cheese bakery emulsion", + "pomegranate spice cream cheese bakery emulsion", + "1 pound of pumpkin spice cream cheese bakery emulsion", + "pink spice cream cheese bakery emulsion that is gluten free", + "pumpkin spice cream cheese bakery emulsion gluten free", + "pumpkin spice cream cheese bakery emulsion, gluten free", + "pie spice cream cheese bakery emulsion that is gluten free", + "pumpkin spice cream cheese bakery emulsion 1 pound", + "pumpkin spice cream cheese bakery emulsion no sugar", + "pink spice cream cheese bakery emulsion" + ], + "i am looking for a gluten free buttery sweet bakery emulsion.": [ + "gluten free buttery sweet bakery emulsion", + "gluten free bakery emulsion", + "gluten free buttery sweet bakery emulsion.", + "buttery sweet bakery emulsion", + "gluten-free buttery sweet bakery emulsion", + "gluten free buttery sugar bakery emulsion", + "gluten free and buttery sweet bakery emulsion", + "gluten free gluten free bakery emulsion", + "gluten free and dairy free bakery emulsion", + "gluten free dairy free bakery emulsion" + ], + "i am looking for a 4 fluid ounce cherry cream cheeset emulsion that is shelf stable and in a container that does not contain bpa.": [ + "4 fluid ounce cherry cream cheeset emulsion", + "4oz cherry cream cheeset emulsion shelf stable and in a container that does not contain bpa", + "4 fluid ounce cherry cream cheeset emulsion shelf stable", + "4 fluid ounce cherry cream cheeset emulsion shelf stable in a container that does not contain bpa", + "4 fluid ounce cherry cream cheeset emulsion that is shelf stable and in a container", + "4 fluid ounce cherry cream cheeset emulsion in a container that does not contain bpa", + "4 fluid ounce cherry cream cheeset emulsion shelf stable and in a container", + "4 fluid ounce cherry cream cheeset emulsion that is shelf stable", + "4 fluid ounce cherry cream cheeset emulsion with bpa", + "4oz cherry cream cheeset emulsion" + ], + "looking for cream cheeset bakery emulsion that is gluten free and also choose size 4 fl oz": [ + "cream cheeset bakery emulsion 4 fl oz", + "cream cheeset bakery emulsion that is gluten free", + "moisturizing cream cheeset bakery emulsion 4 fl oz", + "cream cheeset bakery emulsion that is gluten free 4 fl oz", + "cream cheeset bakery emulsion size 4 fl oz", + " cream cheeset bakery emulsion 4 fl oz", + "cream cheeset bakery emulsion gluten free 4 fl oz", + "cream cheeset bakery emulsion, gluten free, 4 fl oz", + "cream cheeset bakery emulsion", + "cream cheeset bakery emulsion 4 fl oz" + ], + "i am looking for imitation vanilla that is shelf stable and is 4 fl oz": [ + "im imitation vanilla shelf stable 4 fl oz", + "im imitation vanilla 4 fl oz shelf stable", + "impa vanilla shelf stable 4 fl oz", + " imitation vanilla shelf stable 4 fl oz", + "impa vanilla 4 fl oz shelf stable", + "im imitation vanilla 4 fl oz", + " imitation vanilla 4 fl oz shelf stable", + "im imitation vanilla 4 fl oz under $40", + " imitation vanilla 4 fl oz", + " imitation vanilla shelf stable" + ], + "i am looking for bpa free, gluten free lorann cream cheeset with size : 1gallon": [ + "bpa free, gluten free lorann cream cheeset", + "bpa free lorann cream cheeset with size : 1gallon", + "bpa free gluten free lorann cream cheeset with size : 1gallon", + "bpa free, gluten free lorann cream cheeset 1gallon", + "bpa free dairy free lorann cream cheeset with size : 1gallon", + "bpa free, gluten free lorann cream cheeset, 1gallon", + "bpa free, gluten free lorann cream cheeset in a 1gallon", + "bagel free lorann cream cheeset with size : 1gallon", + "bpa free, gluten free lorann cream cheeset under $40", + "bpa free gluten free lorann cream cheeset" + ], + "i want a bpa free and almond lorann cream cheeset bakery emulsion.": [ + "bpa free and almond lorann cream cheeset bakery emulsion", + "bpa free almond lorann cream cheeset bakery emulsion", + "a bpa free and almond lorann cream cheeset bakery emulsion", + "banana free and almond lorann cream cheeset bakery emulsion", + "bbpa free and almond lorann cream cheeset bakery emulsion", + "almond lorann cream cheeset bakery emulsion", + "almond lorann cream cheeset bakery emulsion bpa free", + "bpa free and almond lorann cream cheeset bakery emulsion.", + " bpa free and almond lorann cream cheeset bakery emulsion", + "bpa free and almond lorann cream cheeset bakery emulsion," + ], + "i want to find 25 grams of iridescent purple edible glitter. it needs to be dairy free.": [ + "25 grams of iridescent purple edible glitter", + "iridescent purple edible glitter 25 grams", + "28 grams of iridescent purple edible glitter", + "23 grams of iridescent purple edible glitter", + "25 grams iridescent purple edible glitter", + "indoor glitter 25 grams dairy free", + "iridescent purple edible glitter", + "25 grams of iridescent purple glitter", + "indoor glitter 25 grams", + "gluten free glitter 25 grams" + ], + "i'd like to find 25 grams of edible maroon glitter that is kosher and nut-free.": [ + "25 grams of edible maroon glitter", + "gluten-free maroon glitter 25 grams", + "25 grams of edible maroon glitter under $50", + "25 grams of edible maroon glitter under $40", + "25 grams of edible maroon glitter under 30 dollars", + "23 grams of edible maroon glitter", + "25 grams of edible maroon glitter under 50 dollars", + "gluten free maroon glitter 25 grams", + "24 grams of edible maroon glitter", + "25 grams edible maroon glitter" + ], + "i need some bronze colored edible glitter for cocktails. it should be kosher certified and nut free.": [ + " bronze colored edible glitter for cocktails", + " bronze colored edible glitter for cocktails, kosher certified and nut free", + " bronze colored edible glitter for cocktails that is kosher certified and nut free", + "golden colored edible glitter for cocktails", + " bronze colored edible glitter for cocktails that are kosher certified and nut free", + "golden colored edible glitter for cocktails, kosher certified and nut free", + "dining glitter bronze colored", + "silver colored edible glitter for cocktails", + "colored edible glitter for cocktails", + "silver glitter for cocktails" + ], + "i am looking for an 8 by 12 background that is for digital photography.": [ + "8 by 12 background for digital photography", + "8 by 12 background", + "8x12 background for digital photography", + "8 x 12 background for digital photography", + "8 by 12 background digital photography", + "8 by 12 background, digital photography", + "8 by 12 background, for digital photography", + "8x12 background", + "8 by 12 background for digital photography.", + "8 x 12 background" + ], + "i want a long sleeved tunic top in small size. pick a hot pink one.": [ + "long sleeved tunic top in small size", + "long sleeved tunic top in small size hot pink", + "short sleeved tunic top in small size", + "lens long sleeved tunic top in small size", + "tunic top in small size hot pink", + "long sleeved tunic top in small", + "tunic top in small size", + "tunic top in small size hot pink", + "long sleeved tunic top", + "tunic top small" + ], + "i am looking for super comfortable for walking dogs, road running, daily wear, casual, gym, training, light trekking, theme park travel, urban recreation, jogging in the road and path, basketball, cycling, workout, camping and other outdoor multisports or lite indoor exercise at home women's road running shoes in a4-khaki color. size 8.5 wide preferable.": [ + "4-khaki walking shoes", + "super comfortable walking dogs", + "walking dogs size 8.5 wide", + "4-khaki hiking shoes", + "walking dogs size 8.5", + "4-khaki running shoes", + "4-khaki shoes", + "4-khaki color walking dogs", + "4-khaki color hiking shoes", + "super comfortable for walking dogs" + ], + "i am looking for slip resistant women running shoes.please choose black one.": [ + "slip resistant women running shoes black", + "slide resistant women running shoes black", + "slip resistant women running shoes", + "slip resistant women running shoes in black", + "slip resistant women running shoes, black", + "slide resistant women running shoes", + "slip resistant women running shoes.black", + "slide resistant women running shoes, black", + "slide resistant women running shoes in black", + "shoes black slip resistant" + ], + "i'm looking for ac power cord cable socket plug for sony cfd series with output protection and blu ray": [ + "ac power cord cable socket plug for sony cfd series", + "ac power cord cable socket plug sony cfd series", + "ac power cord cable for sony cfd series with output protection", + "ac power cord cable socket plug for sony cfd", + "ac power cord cable plug sony cfd series with output protection", + "ac power cord plug for sony cfd series with output protection", + "ac power cord cable socket plug sony cfd", + "ac power cord cable socket plug", + "ac power cord cable with output protection", + "ac power cord cable" + ], + "i'm looking for jar candles with soy way that is long lasting. also, choose illinois colored one.": [ + "bar candles with soy long lasting", + "bar candles with soy way long lasting", + "m jar candles with soy way long lasting", + "mason candles with soy way long lasting", + "bar candles with soy", + "m jar candles with soy long lasting", + "mason candles with soy long lasting", + "bar candles with soy candles long lasting", + "mason candles with soy", + "m jar candles with soy" + ], + "find me a high performance cooling fan with usb port. pick me 1 pack.": [ + "high performance cooling fan with usb port", + "high performance cooling fan with usb port 1 pack", + "high performance cooling fan with usb port, 1 pack", + "low performance cooling fan with usb port 1 pack", + "high performance cooling fan with usb port in 1 pack", + "low performance cooling fan with usb port", + "high performance cooling fan with usb port 1 pack", + "tempered cooling fan with usb port 1 pack", + "high performance cooling fan with usb port 1 pack.", + "cooling fan with usb port" + ], + "i'm looking for 2 pcs detangling hair brush for natural hair. also it's color should be in green-black": [ + "2 pcs detangling hair brush for natural hair in green-black", + "2 pcs detangling hair brush for natural hair", + "2 pcs detangling hair brush for natural hair, green-black", + "2 pcs detangling hair brush for natural hair green-black", + "two pcs detangling hair brush for natural hair in green-black", + "2 pcs detangling hair brush for natural hair color green-black", + "two pcs detangling hair brush for natural hair", + "2 pcs detangling hair brush for natural hair.", + "2 pcs detangling hair brush", + "pcs detangling hair brush for natural hair" + ], + "i want a 3 pack of beige brushes for natural hair.": [ + "3 pack of beige brushes for natural hair", + "3 pack of beige brushes natural hair", + "3 pack beige brushes for natural hair", + "3 pack of beige brushes", + "3 pack of beige brush for natural hair", + "3 pack of natural hair brushes", + " 3 pack of beige brushes for natural hair", + "3 pack of natural hair brush", + "natural brush 3 pack", + "3 pack natural hair brushes" + ], + "i am looking for basic solid army green t shirt top,super stretchy and silky fabric,soft and comfortable for spring,winter wear yobecho womens long sleeve scoop neck tops blouse in xx large size.": [ + "basic solid army green t-shirt top", + "basic solid army green t-shirt top", + "basic solid army green t-shirt top with stretchy and silky fabric", + "basic solid army green t-shirt top in xx large", + "basic solid army green t-shirt top in xx large", + "basic solid army green t-shirt top,super stretchy and silky", + "basic solid army green t-shirt top in xx large size", + "basic solid army green t-shirt top with stretchy silky fabric", + "basic solid army green t-shirt top in xx large size", + "basic solid army green t shirt top" + ], + "i am looking for smell good,feel good,pay less,long last, travel size ca perfume impression of euphoria for women fragrance body oils alcohol-free. good to go, bottles fit in handbag or purse. convenient for travel. donna karan cashmere mist impression preferable.": [ + "pink perfume impression of euphoria", + "sneakers for women", + "pomegranate scent body oils", + "cruelty size ca perfume impression", + "portrait of euphoria for women", + "sneakers", + "portrait of euphoria", + "pink pomegranate scent", + "sneakers for travel", + "pink perfume impression" + ], + "looking for sandalwood dark intense perfume for women that is alchol free": [ + "sandalwood dark intense perfume for women that is alchol free", + "sandalwood dark intense perfume for women", + "sandalwood dark intense perfume for women alchol free", + " sandalwood dark intense perfume for women that is alchol free", + "sandalwood dark intense perfume for women with alchol free", + "sandalwood dark intense perfume for women, alchol free", + "sneakers sandalwood dark intense perfume for women", + " sandalwood dark intense perfume for women", + "sandalwood dark intense perfume for women with alchol", + "sandalwood dark intense perfume for women under $40" + ], + "i would like some viktor and rolf perfume that is travel sized.": [ + "viktor and rolf perfume", + "vanity perfume travel sized", + "vinyl and rolf perfume travel sized", + "vinyl perfume travel sized", + "vanity pomegranate travel sized", + "vanity perfume that is travel sized", + "vinyl and rolf perfume", + "vanity scent travel sized", + "vanity sized perfume travel sized", + "vanity perfume" + ], + "i am interested in perfume oil that is cedarwood scented and travel sized": [ + "pink oil travel sized", + "pomegranate oil travel sized", + "pink perfume oil travel sized", + "pink oil that is cedarwood scented", + "per perfume oil that is cedarwood scented", + "pink oil travel sized perfume oil", + "perfume oil travel sized", + " perfume oil that is cedarwood scented", + "pink oil", + "pomegranate oil travel sized perfume oil" + ], + "i am looking for a long sleeve trench coat with pockets. pick a green one.": [ + "long sleeve trench coat with pockets", + "trench coat with pockets", + "trench coat with pockets green", + "long sleeve trench coat with pockets green", + "long sleeve trench coat with pocket", + "trench coat with pockets, green", + "long sleeve trench coat in a green", + "trench coat green", + "trench coat with pocket", + "long sleeve trench coat" + ], + "i need a salmon slim fitting dress shirt that is in a size small.": [ + " salmon slim fitting dress shirt in a size small", + "salmon slim fitting dress shirt in a size small", + "small salmon slim fitting dress shirt", + "slim fitting dress shirt in a size small", + "small salmon slim fitting dress shirt in a size small", + " salmon slim fitting dress shirt in a size small.", + "plastic small salmon slim fitting dress shirt", + "large salmon slim fitting dress shirt in a size small", + " salmon slim fitting dress shirt", + "pink salmon slim fitting dress shirt" + ], + "i'm looking for a original non gmo margarita with natural ingredients.": [ + "original non gmo margarita", + "non gmo margarita with natural ingredients", + "original non gmo margarita natural", + "original non gmo margarita natural ingredients", + "gmo margarita with natural ingredients", + "non gmo margarita natural", + "non gmo margarita", + "natural margarita", + "natural margarita with natural ingredients", + "an original non gmo margarita" + ], + "i am looking for 8 size flats with leather sole for women.": [ + "8 size flats with leather sole", + "8 flats with leather sole for women", + "8 size flats leather sole for women", + "8 flats with leather sole", + "shoes with leather sole for women", + "8 size flats", + "8ft flats with leather sole", + "8 size flats leather sole", + "8 x 8 flats with leather sole", + "8 flats" + ], + "i am looking for some valentine's day cupcake toppers.": [ + "valentines day cupcake toppers", + " valentines day cupcake toppers", + "Valentines day cupcake toppers", + "variety of valentines day cupcake toppers", + "valentines day cupcake toppers under $40", + "caramel valentines day cupcake toppers", + " valentines day cupcake toppers.", + "valentines day cupcake toppers.", + "a valentines day cupcake toppers", + "valentines day cupcake toppers under $50" + ], + "i am looking high resolution high performance oneplus 8 cell phone having 256 gb storage capacity": [ + "oneplus 8 cell phone with 256gb storage", + "oneplus 8 cell phone with 256gb storage capacity", + "oneplus 8 cell phone with 256 gb storage capacity", + "oneplus 8 cell phone with 256 gb storage", + "one plus 8 cell phone with 256 gb storage capacity", + "one plus 8 cell phone with 256gb storage capacity", + "one plus 8 cell phone with 256gb storage", + "one plus 8 cell phone with 256 gb storage", + "oneplus 8 cell phone having 256 gb storage capacity", + "oneplus 8 cell phone" + ], + "i want a swivel desk chair with lumbar support and backrest. pick something in blue.": [ + "swivel desk chair with lumbar support", + "swivel desk chair with lumbar support and backrest", + "swivel desk chair lumbar support", + "swivel desk chair lumbar support and backrest", + "swivel desk chair, lumbar support and backrest", + "swivel desk chair lumbar support and backrest in blue", + "swivel desk chair with lumbar support with backrest", + "swivel desk chair with lumbar support in blue", + "swivel desk chair", + "swivel desk chair that lumbar support" + ], + "i am looking for a dark gray polo that is long sleeved and in a medium size.": [ + "dark gray polo long sleeved", + "dark gray polo in a medium size", + "dark gray polo that is long sleeved", + "dark gray polo long sleeved medium", + "dark gray polo long sleeved medium size", + "dark gray polo", + "dark gray polo long sleeved, medium", + "dark gray polo long sleeved small", + "dark gray polo medium", + "dark gray polo medium size" + ], + "i am looking a green tea shampoo have anti hair loss and for good hair growth moisturizing -for normal dry scalp": [ + "green tea shampoo anti hair loss", + "green tea shampoo anti hair loss and for normal dry scalp", + "green tea shampoo with anti hair loss and for normal dry scalp", + "green tea shampoo anti hair loss and moisturizing for normal dry scalp", + "green tea shampoo anti hair loss and moisturizing", + "green tea shampoo with anti hair loss", + "green tea shampoo anti hair loss -for normal dry scalp", + "green tea shampoo anti-hair loss", + "green tea shampoo anti-hair loss and moisturizing", + "green tea shampoo" + ], + "i need a small size t-shirt for my wife. i would prefer classic fit with olive color": [ + "small t-shirt for my wife in olive color", + "small t-shirt for my wife olive color", + "small t-shirt for my wife with olive color", + "small t-shirt for my wife", + "small t-shirt for a woman in olive color", + "small size t-shirt with olive color", + "small t-shirt for my wife. olive color", + "small t-shirt with olive color", + "small size t-shirt for my wife", + "small t-shirt for my wife in olive" + ], + "i'm looking for a classic fit women t-shirt with needle sleeve and star wars design. also, choose medium size white colored one.": [ + "classic fit women t-shirt with needle sleeve and star wars design", + "classic fit women t-shirt with needle sleeve and star wars", + "classic fit women t-shirt with needle sleeve, star wars", + "classic fit women t-shirt with needle sleeve, star wars design", + "classic fit women t-shirt with needle sleeve", + "classic fit women t-shirt with needle sleeve in a white", + "classic fit women t-shirt with needle sleeve with star wars design", + "classic fit women t-shirt, needle sleeve and star wars design", + "classic fit women t-shirt with needle sleeve with star wars", + "classic fit women t-shirt" + ], + "i see the 15 ounce size of chocolate cover": [ + "15 ounce size of chocolate cover", + "15 ounce chocolate cover", + "15 ounce chocolates cover", + "15 ounce size chocolate cover", + "size of chocolate cover", + "size of chocolate cover 15 ounce", + "16 ounce chocolate cover", + "14 ounce chocolate cover", + "teen ounce chocolate cover", + "chocolate cover 15 ounce" + ], + "i would like a 8 ounce mom heart hand made sandwich.": [ + "8 ounce mom heart hand made sandwich", + "8 ounce mom heart made sandwich", + "8 ounce mom heart hand made sandwich.", + "8 ounce mom heart made sandwich.", + "8 ounce mom heart made sandwich under $60", + "8 oz mom heart hand made sandwich", + "8 ounce mom heart hand made sandwich,", + "8 ounce mom hand made sandwich", + "8 oz mom heart made sandwich", + "8 ounce mom heart" + ], + "i am looking for hand crafted disney frozen licensed flavor cookies.": [ + "hand crafted disney frozen licensed flavor cookies", + "hand crafted disney frozen licensed flavor cookies.", + "hand crafted disney frozen licensed flavor cookies under $40", + "hand crafted disney frozen licensed flavor cookies under $60", + "hand crafted disney frozen licensed flavor cookies under 50 dollars", + "hand crafted disney frozen licensed flavor cookies under $50", + "hand crafted disney frozen licensed flavor cookies under 40 dollars", + "hand crafted disney frozen licensed flavor cookies under 30 dollars", + "hand crafted disney frozen licensed flavor cookies under 60 dollars", + "hand crafted disney frozen licensed flavor cookies under 120 dollars" + ], + "i am looking for wedding bride and groom flavor hand crafted cookies.": [ + "womens and groom flavor hand crafted cookies", + "bridal bride and groom flavor hand crafted cookies", + "womens cookies", + "womens sugar cookies", + "womens cookies flavor hand crafted cookies", + "womens cake flavor hand crafted cookies", + "womens hand crafted cookies", + "womens fresh baked cookies", + "womens cookies, hand crafted", + "womens cookies flavor hand crafted" + ], + "i'm looking for philadelphia candies covered oreo cookies.": [ + "philadelphia candies covered oreo cookies", + "pink candies covered oreo cookies", + " philadelphia candies covered oreo cookies", + "philadelphia candies covered oreo cookies.", + "pink candies covered oreo cookies.", + " philadelphia candies covered oreo cookies.", + "philadelphia candies covered oreo cookies under $40", + "philadelphia candies covered oreo cookies under 50 dollars", + "pink candies covered oreo cookies under $40", + "pink covered oreo cookies" + ], + "i am looking for an 8 ounce pack of chocolate covered cookies.": [ + "8 ounce pack of chocolate covered cookies", + "chocolate covered cookies 8 oz", + "chocolate covered cookies 8 ounce pack", + "chocolate covered cookies 8 oz pack", + "chocolate covered cookies", + "8 oz pack of chocolate covered cookies", + "chocolate covered cookies 8 ounces", + "chocolate covered cookies 8 ounce", + "chocolate covered cookies, 8 oz", + "chocolate covered cookies 8oz" + ], + "i'm locking for candies milk chocolate covered oreo cookies.": [ + "candies milk chocolate covered oreo cookies", + "im locking for candies milk chocolate covered oreo cookies", + "curties milk chocolate covered oreo cookies", + "strawberry candies milk chocolate covered oreo cookies", + "i locking for candies milk chocolate covered oreo cookies", + "strawberry chocolate covered oreo cookies", + "cupcakes milk chocolate covered oreo cookies", + "chocolate covered oreo cookies", + "candies milk chocolate covered oreo cookies.", + "lip chocolate covered oreo cookies" + ], + "looking for chocolate covered oreo cookies that pack size 8 ounce (pack of 8)": [ + "chocolate covered oreo cookies pack size 8 ounce (pack of 8)", + "chocolate covered oreo cookies 8 ounce (pack of 8)", + "chocolate covered oreo cookies 8 oz (pack of 8)", + "chocolate covered oreo cookies size 8 ounce (pack of 8)", + "chocolate covered oreo cookies pack size 8 ounce (pack of 8),", + "8 chocolate covered oreo cookies pack size 8 ounce (pack of 8)", + "chocolate covered oreo cookies pack size 8 oz (pack of 8)", + "ocolate covered oreo cookies pack size 8 ounce (pack of 8)", + "chocolate covered oreo cookies 8oz (pack of 8)", + "chocolate covered oreo cookies" + ], + "i would like a 15 ounce package of blue stork it's a boy gift chocolate covered cookies.": [ + "15 ounce package of blue stork chocolate covered cookies", + "teen ounce package of blue stork chocolate covered cookies", + "15 ounce package of blue stork", + "15 ounce package of blue stork with chocolate covered cookies", + "blue stork chocolate covered cookies 15 ounce", + "16 ounce package of blue stork chocolate covered cookies", + "15 ounce package of blue stork, chocolate covered cookies", + "blue stork chocolate covered cookies", + "blue stork chocolate covered cookies 15 oz", + "15 ounce package of blue stork chocolate covered cookies." + ], + "i need an 8 ounce pack of chocolate covered oreo cookies candies for a birthday gift.": [ + "8 ounce pack of chocolate covered oreo cookies candies", + "chocolate covered oreo cookies candies for a baby shower", + "8 ounce pack of chocolate covered oreo cookies candies for a birthday", + "8 ounce pack of chocolate covered oreo cookies candies for a baby", + "8 ounce pack chocolate covered oreo cookies candies for a baby shower", + "chocolate covered oreo cookies candies for a birthday gift", + "8 ounce pack chocolate covered oreo cookies candies for a birthday gift", + "8 ounce pack of chocolate covered oreo cookies candies birthday gift", + "8 ounce pack of chocolate covered oreo cookies candies for a girl", + "chocolate covered oreo cookies candies 8 oz" + ], + "i want a 15 ounce pack of chocolate oreo cookies.": [ + "15 ounce pack of chocolate oreo cookies", + "15 ounce pack of chocolate oreo cookies.", + "15 ounce pack of chocolate oreo cookies under 30 dollars", + "15 ounce pack of chocolate oreo cookies under $60", + "15 ounce pack of chocolate oreo cookies under $40", + "15 ounce pack of chocolate oreo cookies under 50 dollars", + "15 ounce pack of chocolate oreo cookies under 40 dollars", + "15 ounce pack of chocolate oreo cookies under 60 dollars", + "15 ounce pack of chocolate oreo cookies under 120 dollars", + "15 ounce pack of chocolate oreo cookies under $50" + ], + "i want some chocolate covered gift cookies for a birthday gift. pick the 15 ounce pack.": [ + "chocolate covered gift cookies for a birthday gift 15 ounce pack", + "chocolate covered gift cookies 15 ounce pack", + "chocolate covered gift cookies for a baby shower 15 ounce pack", + "chocolate covered gift cookies for a birthday gift", + "chocolate covered gift cookies for a birthday gift15 ounce pack", + "chocolate covered gift cookies for a baby shower", + "ocolate covered gift cookies for a birthday gift 15 ounce pack", + "chocolate covered gift cookies, 15 ounce pack", + "chocolate covered gift cookies15 ounce pack", + "chocolate covered gift cookies" + ], + "i am looking for a one piece tummy control swimsuit that is small in size and the fabric should be cotton spandex.": [ + "one piece tummy control swimsuit", + "one piece tummy control swimsuit that is small in size", + "one piece tummy control swimsuit, cotton spandex", + "one piece tummy control swimsuit with cotton spandex", + "tummy control swimsuit small cotton spandex", + "one piece tummy control swimsuit that is small in size", + "tummy control swimsuit cotton spandex", + "tummy control swimsuit that is small in size", + "one piece tummy control swimsuit", + "tummy control swimsuit that is small in size" + ], + "i need long sleeved pullover shirt for teenage girls. pick something in small size.": [ + "long sleeved pullover shirt for teenage girls", + "long sleeved pullover shirt for teenage girls small", + "short sleeved pullover shirt for teenage girls", + "long sleeved pullover shirt teenage girls", + "long sleeved pullover shirt for teenage girl", + "long sleeved pullover shirt teenage girl", + "lens pullover shirt for teenage girls small", + "lens pullover shirt for teenage girls", + "long sleeved pullover shirt", + "big girl pullover shirt" + ], + "i need some low sodium popcorn salt that is cheesy caramel corn in a pack of six.": [ + "low sodium popcorn salt pack of six", + "low sodium popcorn salt six pack of six", + "low sodium popcorn salt pack of six pack", + "low sodium popcorn salt pack of 6", + "low sodium popcorn salt packs of six", + "low sodium popcorn salt pack of six.", + "low sodium popcorn salt pack of six flavor", + "low sodium popcorn salt", + "low sodium popcorn salt six pack of 6", + "low sodium popcorn salt six pack" + ], + "can you find the gluten free caramel milk chocolate seasoning that comes in a pack of 6?": [ + "gluten free caramel milk chocolate seasoning pack of 6", + "gluten free caramel milk chocolate seasoning pack of 6 pack", + "gluten free caramel milk chocolate seasoning", + "gluten free caramel milk chocolate seasoning packs of 6", + "gluten free caramel milk chocolate seasoning pack", + "gluten-free caramel milk chocolate seasoning pack of 6", + "gluten free caramel milk chocolate seasoning pack of six", + "almond milk chocolate seasoning pack of 6", + "gluten free caramel milk chocolate seasoning pack of 6,", + "gluten free caramel milk chocolate seasoning pack pack of 6" + ], + "i want low sodium popcorn salt that is frosted sugar cookie and comes in a pack of six.": [ + "low sodium popcorn salt pack of six", + "low sodium popcorn salt pack of six pack", + "low sodium popcorn salt pack of six pack of 6", + "low sodium popcorn salt pack of six under $60", + "low sodium popcorn salt pack of 6", + "low sodium popcorn salt pack of six under $50", + "low sodium popcorn salt six pack of six", + "low sodium popcorn salt pack of six under $40", + "low sodium popcorn salt pack six pack of six", + "low sodium popcorn salt that is frosted sugar cookie" + ], + "i'm looking for popcorn seasoning that is gluten-free, low-sodium, cheddar-flavored.": [ + "moisturizer seasoning that is gluten-free, low-sodium, cheddar-flavored", + "moisturizer seasoning gluten-free, low-sodium, cheddar-flavored", + "moisturizer seasoning gluten-free low-sodium cheddar-flavored", + "moisturizer seasoning that is gluten-free and low-sodium, cheddar-flavored", + "pink seasoning that is gluten-free, low-sodium, cheddar-flavored", + "moisturizer seasoning that is gluten-free low-sodium, cheddar-flavored", + "pink seasoning that is gluten-free, low-sodium, cheddar-flavored popcorn seasoning", + "moisturizer seasoning gluten-free low-sodium, cheddar-flavored", + "pumpkin seasoning that is gluten-free, low-sodium, cheddar-flavored", + "pink seasoning that is gluten-free and low-sodium, cheddar-flavored" + ], + "i would like a 2.7 ounce bottle of caramel hot chocolate popcorn salt that is low sodium.": [ + "2.7 ounce bottle of caramel hot chocolate popcorn salt", + "baramel hot chocolate popcorn salt 2.7 oz", + "3.7 ounce bottle of caramel hot chocolate popcorn salt", + "1.7 ounce bottle of caramel hot chocolate popcorn salt", + "caramel hot chocolate popcorn salt 2.7 oz", + "two.7 ounce bottle of caramel hot chocolate popcorn salt", + "strawberry hot chocolate popcorn salt 2.7 oz", + "sugar hot chocolate popcorn salt 2.7 oz", + "baramel hot chocolate popcorn salt", + "bottle of caramel hot chocolate popcorn salt" + ], + "i am looking for 2.85 ounce gluten free bacon cheddar flavored popcorn seasoning": [ + "2.85 ounce gluten free bacon cheddar flavored popcorn seasoning", + "2.85 ounce gluten free popcorn seasoning", + "2.85 ounce gluten free bacon cheddar flavored popcorn seasoning", + "2.85 ounce gluten free bacon cheddar flavored popcorn seasoning", + "2.85 ounce gluten free bacheddar flavored popcorn seasoning", + "gluten free bacon cheddar flavored popcorn seasoning 2.85 oz", + "two.85 ounce gluten free bacon cheddar flavored popcorn seasoning", + "gluten free bacon cheddar flavored popcorn seasoning", + "2.85 ounce gluten free bac cheese flavored popcorn seasoning", + "gluten free popcorn seasoning 2.85 oz" + ], + "i am interested in some low sodium popcorn salt that is cheddar flavored and 2.6 oz.": [ + "low sodium popcorn salt 2.6 oz", + "low sodium popcorn salt 2.6 oz.", + "low sodium popcorn salt 2.6 oz under $40", + "low sodium popcorn salt 2.6 oz below $40", + "low sodium popcorn salt 2.6 oz under $60", + "moisturizer salt 2.6 oz", + "low sodium popcorn salt 2.6 oz under $50", + "low sodium popcorn salt 2.6 oz below $60", + "cheddar flavored popcorn salt 2.6 oz", + "low sodium popcorn salt 2.6 oz under 30 dollars" + ], + "i would like a soft cotton spandex cargo pants with zipper pockets. pick the one with 28\" inseam.": [ + "soft cotton spandex cargo pants with zipper pockets", + "soft cotton spandex cargo pants with zipper pocket", + "soft cotton spandex cargo pants with zipper pockets 28 inseam", + "soft cotton spandex cargo pants 28 inseam", + "soft cotton spandex cargo pants with 28 inseam", + "soft cotton spandex cargo pants, 28 inseam", + "soft cotton spandex cargo pants", + "soft cotton spandex cargo pants with zipper pockets under $40", + "soft cotton spandex cargo pants with zipper pockets under $50", + "soft cotton spandex cargo pants with zipper pockets under $60" + ], + "i need xx-large tall , charcoal color lightweight women's cotton spandex soft jogger pants with zipper": [ + "xxl tall lightweight womens cotton spandex soft jogger pants with zipper", + "xxl tall lightweight womens cotton spandex soft jogger pants", + "xx-large tall lightweight womens cotton spandex soft jogger pants with zipper", + "xx-large tall lightweight womens cotton spandex soft jogger pants", + "xxl tall , charcoal color lightweight womens cotton spandex soft jogger pants", + " xx-large tall lightweight womens cotton spandex soft jogger pants with zipper", + "xxl long , charcoal color lightweight womens cotton spandex soft jogger pants", + "xxl tall, charcoal color lightweight womens cotton spandex soft jogger pants", + " xx-large tall lightweight womens cotton spandex soft jogger pants", + "xxl lightweight womens cotton spandex soft jogger pants" + ], + "i want ready to eat snacks with quality ingredients. pick one with salty cheese flavor.": [ + "ready to eat snacks with quality ingredients", + "ready to eat snacks that are salty cheese flavor", + "sneakers with quality ingredients", + "ready to eat snacks, salty cheese flavor", + "ready to eat snacks with quality ingredients with salty cheese", + "ready to eat snacks with quality ingredients under $40", + "ready to eat snacks", + "tea snacks with quality ingredients", + "vegan snacks with quality ingredients", + "pack of snacks with quality ingredients" + ], + "i want to find a high-definition spy camera that can detect motion.": [ + "high-definition spy camera that can detect motion", + "high-definition spy camera", + "high-definition spy camera with motion", + "high-definition spy camera which can detect motion", + "sneakers high-definition spy camera", + "high-definition spy camera, with motion", + "high-definition spy camera under $50", + "high-definition spy camera,", + "low definition spy camera", + "high definition spy camera" + ], + "i want to find a fleece-lined women's jacket that features the san francisco 49ers. the color must be colt gray and i wear a size 3x.": [ + " fleece-lined womens jacket that features the san francisco 49ers", + "fleece-lined womens jacket that features the san francisco 49ers", + "f fleece-lined womens jacket that features the san francisco 49ers", + "fleece-lined womens jacket with the san francisco 49ers", + " fleece-lined womens jacket with the san francisco 49ers", + "fleece-lined womens jacket", + " fleece-lined womens jacket", + " fleece-lined womens jacket in colt gray", + "fleece-lined womens jacket with san francisco 49ers", + " fleece-lined womens jacket with san francisco 49ers" + ], + "i would like a gray 2xl philadelphia eagles fleece lined jacket.": [ + "gray 2xl philadelphia eagles fleece lined jacket", + "gray 2xl philadelphia eagles fleece lined jacket.", + "grey 2xl philadelphia eagles fleece lined jacket", + "womens fleece lined jacket", + "gray 2 xl philadelphia eagles fleece lined jacket", + "pink 2xl philadelphia eagles fleece lined jacket", + "gray 2xl philadelphia eagles fleece lined jacket,", + "womens fleece lined jacket gray 2xl", + "3xl philadelphia eagles fleece lined jacket", + "2xl philadelphia eagles fleece lined jacket" + ], + "i am looking for a women's medium size gray fleece lined jacket.": [ + "womens medium size gray fleece lined jacket", + "womens gray fleece lined jacket", + "womens grey fleece lined jacket", + "womens large size gray fleece lined jacket", + "womens size gray fleece lined jacket", + "womens gray fleece lined jacket.", + "womens medium size grey fleece lined jacket", + "womens white fleece lined jacket", + "womens medium size fleece lined jacket", + "womens gray fleece lined jacket," + ], + "i need a baltimore ravens fleece lined jacket with imported zippers.": [ + "baltimore ravens fleece lined jacket with imported zippers", + "burglar ravens fleece lined jacket with imported zippers", + " baltimore ravens fleece lined jacket with imported zippers", + "bbaltimore ravens fleece lined jacket with imported zippers", + "buffetimore ravens fleece lined jacket with imported zippers", + "baltimore ravens fleece lined jacket", + "burglimore ravens fleece lined jacket with imported zippers", + "baltimore ravens fleece lined jacket with imported zippers.", + "a baltimore ravens fleece lined jacket with imported zippers", + "baltimore ravens fleece lined jacket with imported zippers," + ], + "i want a caffeine and sugar free chai latte powdered mix. it should be of vanilla flavor.": [ + "chai latte powdered mix vanilla flavor", + "chai latte powdered mix that is caffeine and sugar free", + "caffeinated and sugar free chai latte powdered mix", + "coffee and sugar free chai latte powdered mix", + "chai latte powdered mix with vanilla flavor", + "chai latte powdered mix that is caffeine free", + "chai latte powdered mix", + "chai latte powdered mix that is vanilla flavor", + "chai latte powdered mix that is of vanilla flavor", + "coffee and sugar free chai latte powdered mix flavor" + ], + "i want a 16 inch case cover with touch bar. pick a dark blue leather one.": [ + "16 inch case cover with touch bar", + "16 inch case cover with touch bar dark blue leather", + "16 inch case cover with touch bar, dark blue", + "16 inch case cover with touch bar in dark blue", + "16 inch case cover with touch bar dark blue", + "16 inch case cover with touch bar under $40", + "16 inch case cover with touch bar under $50", + "16 inch case cover with touch bar under $60", + "16 inch case cover", + "16 inch leather case cover" + ], + "i am looking for a fast charging docking stations.": [ + "fast charging docking stations", + "fast charging docking stations under $40", + "moisturizing docking stations", + "fast charging docking stations under $60", + "fast charging docking stations under $50", + "hot charging docking stations", + "fast charging docking stations under 50 dollars", + "fast charging docking stations.", + "fast charging docking stations under 30 dollars", + "fast charging docking stations under 40 dollars" + ], + "i want a pair of faux fur slippers. pick a size between 10.5 and 11.": [ + "faux fur slippers size 10.5 and 11", + "faux fur slippers 10.5 and 11", + "faux fur slippers size 10.5 and 11.5", + "faux fur slippers in a size 10.5 and 11", + "faux fur slippers in a size between 10.5 and 11", + "faux fur slippers, size 10.5 and 11.5", + "faux fur slippers 10.5 and 11.5", + "faux fur slippers size between 10.5 and 11.5", + "faux fur slippers, size 10.5, 11.5", + "faux fur slippers 10.5 in 11" + ], + "i need a slim fit active shirt that is brown and that is large.": [ + "slim fit active shirt brown", + "slim fit active shirt that is brown", + "slim fit active shirt in brown", + "slim fit active shirt brown in a large", + "slim fit active shirt", + "slim fit active shirt large", + "slim fit active shirt brown large", + "slim fit active shirt brown and large", + "slim fit active shirt, brown, large", + "slim fit active shirt, brown" + ], + "i want to find a synthetic wig that features pink and black hair.": [ + "synthetic wig pink black", + "pink and black synthetic wig", + "sneakers pink and black", + "faux wig pink and black", + " synthetic wig pink and black", + "stainless wig pink black", + "synthetic wig pink", + "a synthetic wig pink and black", + "synthetic wig", + "pink wig" + ], + "i am interested in black and white fashion sneakers for everyday wear that come in a 6.5 size for women.": [ + "black and white fashion sneakers for everyday wear", + "black and white fashion sneakers", + "black and white fashion sneakers 6.5 size for women", + "black and white fashion sneakers in a 6.5 size", + "black and white fashion sneakers for women", + "black black and white fashion sneakers for everyday wear", + "black and white fashion sneakers in a 6.5", + "black and white sneakers for everyday wear", + "black black and white fashion sneakers", + "black and white sneakers" + ], + "i am in ineed of women quick drying small size yoga shorts with high waist and a-dark grey color": [ + "yoga shorts with high waist and a-dark grey color", + "yoga shorts high waist a-dark grey", + "yoga shorts high waist and a-dark grey", + "yoga shorts high waist in a-dark grey", + "yoga shorts high waist in a-dark grey color", + "yoga shorts in a-dark grey", + "womens quick drying small size yoga shorts", + "womens quick drying small size yoga shorts with high waist", + "yoga shorts with high waist in a-dark grey color", + "yoga shorts high waist dark grey" + ], + "i am looking for a map 3 coloured make up travel bag which is easy to carry .": [ + "map 3 coloured make up travel bag", + "a map 3 coloured make up travel bag", + "map 3 coloured make up travel bag easy to carry", + " map 3 coloured make up travel bag", + "map 3 colored make up travel bag", + "Map 3 coloured make up travel bag", + "map 3 coloured make up travel bag under $40", + "pink make up travel bag", + "map 3 coloured travel bag", + "pink travel bag" + ], + "i want a non toxic mouthwash which is fluoride and alcohol free. pick a 2 pack 16 fluid ounces one.": [ + "non toxic mouthwash 2 pack 16 fluid ounces", + "non toxic mouthwash 16 fluid ounces", + "non toxic mouthwash 16oz", + "non toxic mouthwash 16 oz", + "non toxic mouthwash 1 pack 16 fluid ounces", + "fluoride free mouthwash 16 fluid ounces", + "non toxic mouthwash 16 fluid ounces one", + "non toxic mouthwash 16 fluid ounce", + "non toxic mouthwash 2 pack 16 oz", + "non toxic mouthwash" + ], + "get me some gluten free chips. look for the 3 flavor variety pack.": [ + "gluten free chips variety pack", + "3 flavor variety pack of chips", + "3 flavor variety pack", + "gluten free chips variety pack.", + "3 flavor variety pack gluten free chips", + "gluten free chips 3 flavor variety", + "gluten free chips flavor variety pack", + "3 flavor variety pack.", + "gluten free chips", + "gluten free chips variety" + ], + "find me a low sodium, sugar free, thickened coffee. i will need a pack of 24.": [ + "low sodium, sugar free, thickened coffee pack of 24", + "low sodium, sugar free, thickened coffee drink pack of 24", + "low sodium, sugar free, thickened coffee", + "low sodium sugar free, thickened coffee pack of 24", + "low sodium, sugar free, thickened coffee drink mix 24 pack", + "low sodium sugar free, thickened coffee drink pack of 24", + "low sodium, sugar free, thickened coffee coffee pack of 24", + "low sodium, sugar free, thickened coffee blend 24 pack", + "low sodium, sugar free, thickened coffee flavor 24 pack", + "low sodium, sugar free, thickened coffee pack of 24." + ], + "i want sugar free decaffeinated coffee that comes in an 8 fluid oz pack. it should have a mildly thick consistency.": [ + "sugar free decaffeinated coffee 8 fluid oz pack", + "sugar free decaffeinated coffee 8oz pack", + "sugar free decaffeinated coffee 8 oz pack", + "sugar free decaffeinated coffee with a mildly thick consistency", + "sugar free decaffeinated coffee", + "sugar free decaffeinated coffee in an 8 fluid oz pack", + "sugar free decaffeinated coffee flavor 8 fluid oz pack", + "sugar free decaffeinated coffee8 fluid oz pack", + "sugar free decaffeinated coffee 8oz pack under $40", + "8oz decaffeinated coffee" + ], + "i want to find one 8.01 fluid ounce bottle of a decaf coffee-flavored drink. it can't have any sugar in it and i want it to have some honey.": [ + "decaf coffeeflavored drink 8.01 oz", + "decaf coffee-flavored drink 8.01 oz", + "decaf coffeeflavored drink 8.01", + "decaf coffee-flavored drink 8.01", + "8.01 fluid ounce bottle of a decaf coffee", + "8 oz decaf coffee-flavored drink", + "chocolate decaf coffee-flavored drink 8.01", + "decaf coffee-flavored drink with honey", + "decaf coffee-flavored drink", + "decaf coffeeflavored drink" + ], + "i am lookinf for pink hair rollers for natural hair.": [ + "pink hair rollers for natural hair", + "pink hair rollers for natural hair.", + "pink hair rollers natural hair", + "pink hair rollers for natural hair ", + "pink hair rollers for natural hair,", + "pink hair rollers natural hair under $40", + "pink human hair rollers for natural hair", + "pink human hair rollers for natural hair.", + "pink hair rollers natural hair under $50", + "pink hair rollers" + ], + "i need gluten free and low sodium seasoning which is all-purpose. make sure they are organic seasonings.": [ + "gluten free and low sodium seasoning", + "gluten free low sodium seasoning", + "gluten free and low sodium seasoning all-purpose", + "gluten free low sodium seasoning all-purpose", + "gluten free low sodium seasoning, all-purpose", + "gluten free and low sodium seasoning under $40", + "gluten free organic seasoning", + "almond seasoning gluten free", + "almond seasoning", + "organic seasoning" + ], + "i am looking for a low sodium and gluten free seasoning. look for spice gift sets.": [ + "low sodium gluten free seasoning spice gift set", + "low sodium gluten free seasoning spice gift sets", + "low sodium and gluten free seasoning spice gift", + "sugar free seasoning spice gift set", + "low sodium and gluten free seasoning spice gifts", + "sugar free seasoning spice gift sets", + "low sodium seasoning spice gift set", + "low sodium seasoning spice gift sets", + "low sodium and gluten free seasoning", + "pink spice gift set" + ], + "i am looking for gluten free spice gift sets that come in 3 ounces.": [ + "gluten free spice gift sets 3 ounces", + "gluten free spice gift set 3 ounces", + "gluten free spice gift sets", + "gluten free spice gift set", + "gluten free spice gift sets in 3 ounces", + "gluten free spice gift sets, 3 ounces", + "gluten free spice gift set in 3 ounces", + "gluten free spice gift set, 3 ounces", + "gluten free spice gift set 3 oz", + "gluten free spice gift sets 2 ounces" + ], + "i'm looking for a 3 ounce, small food gift that is gluten free and is flavored everyday seasonings.": [ + "3 ounce, small food gift", + "3 ounce gluten free, flavored everyday seasonings", + "3 ounce gluten free and flavored everyday seasonings", + "3 ounce small food gift that is gluten free", + "small food gift that is gluten free", + "3 ounce gluten free, small food gift", + "3 ounce small food gift", + "3 ounce gluten free small food gift", + "small food gift gluten free", + "small food gift" + ], + "i am looking for gluten free seasoning in organic": [ + "gluten free seasoning", + "gluten free seasoning organic", + "organic gluten free seasoning", + "gluten free seasoning natural", + "vegan seasoning in organic", + "gluten free seasoning blend", + "natural gluten free seasoning", + "lemon free seasoning", + "almond seasoning", + "vegan seasoning" + ], + "i'm looking for low sodium, gluten free everyday seasonings, 2.01 ounce (pack of 1)": [ + "low sodium gluten free everyday seasonings 2.01 ounce (pack of 1)", + "low sodium, gluten free everyday seasonings 2.01 ounce (pack of 1)", + "low sodium gluten free everyday seasonings, 2.01 ounce (pack of 1)", + "low sodium gluten free everyday seasonings 2.01 ounce (pack of 1),", + "low sodium dairy free everyday seasonings 2.01 ounce (pack of 1)", + "low sodium and gluten free everyday seasonings 2.01 ounce (pack of 1)", + "low sodium, gluten free everyday seasonings 2.01 ounce (pack of 1),", + "low sodium gluten free daily seasonings 2.01 ounce (pack of 1)", + "low sodium gluten free everyday seasonings, 2.01 ounce (pack of 1),", + "low sodium gluten free 2.01 ounce (pack of 1)" + ], + "i am looking for a gluten free food seasoning set for my paleo diet. and i would prefer 2 ounce pack": [ + "gluten free food seasoning set for my paleo diet 2 ounce pack", + "gluten free food seasoning set for paleo diet 2 ounce pack", + "gluten free food seasoning set for a paleo diet 2 ounce pack", + "gluten free food seasoning set for the paleo diet 2 ounce pack", + "gluten free food seasoning set for my paleo diet", + "gluten free food seasoning set for paleo diet 2 ounce pack", + "gluten free food seasoning set 2 ounce pack", + "paleo diet seasoning set 2 ounce pack", + "gluten free food seasoning set paleo diet 2 ounce pack", + "paleo seasoning set 2 ounce pack" + ], + "i'm looking for a four ounce low sodium paleo seasoning set.": [ + "4 ounce low sodium paleo seasoning set", + "4 oz low sodium paleo seasoning set", + "four ounce low sodium paleo seasoning set", + "4oz low sodium paleo seasoning set", + "4 ounces low sodium paleo seasoning set", + "4 ounce low sodium paleo seasoning", + "paleo seasoning set four ounce", + "paleo seasoning set 4 oz", + "paleo seasoning set four oz", + "high sodium paleo seasoning set" + ], + "i want nail clippers that are easy to carry.": [ + "nail clippers that are easy to carry", + "nail clippers easy to carry", + "nude clippers easy to carry", + "nude clippers that are easy to carry", + "easy to carry nail clippers", + "easy-to-carry nail clippers", + "nude clippers", + "nail clippers, easy to carry", + "nail clippers", + "nails clippers easy to carry" + ], + "i am looking for delicious flavor starkist chicken creations, chicken salad, 2.6 oz pouch,pack of 12 which is soy free and gluten free easy to prepare, perfect fit for today\u2019s active lifestyle. buffalo style flavor preferable.": [ + "buffet style flavor starkist chicken creations, chicken salad", + "buffet style chicken salad 2.6 oz pouch", + "buffet style flavor starkist chicken creations", + "buffet style flavor starkist chicken creations 2.6 oz pouch", + "buffet style chicken salad pack of 12", + "buffet style chicken salad flavor", + "buffet style chicken salad", + "buffet style chicken flavor", + "buffet style flavor starkist chicken", + "buffet style chicken" + ], + "find me a running shoe that is regular fit and has a rubber outsole. pick a size 10 one.": [ + "regular fit running shoe with rubber outsole size 10", + "regular fit running shoe, rubber outsole, size 10", + "regular fit running shoe with a rubber outsole size 10", + "regular fit running shoe in a size 10", + "regular fit running shoe with rubber outsole", + "regular fit running shoe size 10", + "regular fit running shoe with rubber outsole, size 10", + "regular fit running shoe with a rubber outsole", + "regular fit running shoe", + "walking shoe size 10" + ], + "i need a 10 pound bag of sour watermelon slices that are non-dairy.": [ + "10 pound bag of sour watermelon slices", + "sour watermelon slices that are non-dairy", + "sour watermelon slices non-dairy", + "sugar watermelon slices that are non-dairy", + "10 pound bag of sour watermelon slices no dairy", + "sugar watermelon slices non-dairy", + "10 pound bag of sour watermelon slices dairy free", + "8 pound bag of sour watermelon slices", + "sour watermelon slices non-dairy 10 pound", + "sour watermelon slices" + ], + "i am looking for a large bag of chocolate covered raisins 3-4 pound bag.": [ + "bag of chocolate covered raisins 3-4 pound bag", + "bag chocolate covered raisins 3-4 pound bag", + "chocolate covered raisins 3-4 pound bag", + "pack of chocolate covered raisins 3-4 pound bag", + "bag of chocolate covered raisins 3-4 pound", + "3-4 pound bag of raisins", + "3-4 pound bag chocolate covered raisins", + "locolate covered raisins 3-4 pound bag", + "3-4 pound bag of chocolate covered raisins", + "large bag of chocolate covered raisins 3-4 pound" + ], + "get me three pounds of white chocolate covered raisins. make sure they're non-dairy.": [ + "three pounds of white chocolate covered raisins", + "three pounds white chocolate covered raisins", + "three pound white chocolate covered raisins", + "three pound of white chocolate covered raisins", + "3 pounds of white chocolate covered raisins", + "white chocolate covered raisins non-dairy", + "3 pound white chocolate covered raisins", + "3 pounds white chocolate covered raisins", + "white chocolate covered raisins", + "three pound chocolate covered raisins" + ], + "i want to find a pound of chocolate covered peach hearts.": [ + "chocolate covered peach hearts", + "cup of chocolate covered peach hearts", + "pomegranate covered peach hearts", + "pomegranate colored peach hearts", + "chocolate covered peach hearts.", + "chocolate covered peach hearts under $40", + "pomegranate hearts chocolate covered", + "chocolate covered peach hearts under $50", + "chocolate covered peach hearts under 50 dollars", + "chocolate covered peach hearts under $60" + ], + "i am looking for chocolate covered raisins.": [ + "chocolate covered raisins", + "chocolate covered raisins.", + "chocolate covered raisins under $40", + "chocolate covered raisins under $50", + "chocolate covered raisins under $60", + "chocolate covered raisins under 50 dollars", + "chocolate covered raisins chocolate covered", + "chocolate covered raisins under 30 dollars", + "chocolate covered raisins under 40 dollars", + "ocolate covered raisins" + ], + "i am looking for 10 pound bulk candy with chocolate covered raisins": [ + "10 pound bulk candy with chocolate covered raisins", + "10 pound bulk candy chocolate covered raisins", + "10 pound bulk candy chocolate covered raisins under $40", + "10 pound bulk candy chocolate covered raisins under $60", + "10 pound bulk candy chocolate covered raisins under 50 dollars", + "10 pound bulk candy, chocolate covered raisins", + "10 pound bulk candy chocolate covered raisins under $50", + "10 pound bulk candy chocolate covered raisins under 30 dollars", + "10 pound bulk candy chocolate covered raisins under 40 dollars", + "10 pound bulk candy" + ], + "i am looking for a non diary hard candy of gummy cherries flavour.": [ + "non diary hard candy gummy cherries", + "non diary candy gummy cherries flavour", + "non diary candy gummy cherries", + "non diary gummy cherries flavour", + "non diary chocolate gummy cherries flavour", + "non diary, gummy cherries flavour", + "non diary gummy cherries flavor", + "gummy cherries flavour", + "non diary hard candy", + "non diary gummy cherries" + ], + "i'm looking for chocolate covered for gifted to someone.": [ + "chocolate covered for gifted to someone.", + "chocolate covered for gifted to someone", + "chocolate covered for gifts to someone", + "chocolate covered for gift to someone", + "chocolate covered gift to someone", + "chocolate covered for gifted", + "chocolate covered gifts for someone", + "ocolate covered for gifted to someone", + "chocolate covered gift", + "chocolate covered" + ], + "i would like to order a pink chocolate confetti candy and should be non dairy.": [ + "pink chocolate confetti candy non dairy", + "pink chocolate confetti candy", + "pink chocolate confetti candy that is non dairy", + "pink chocolate confetti candy, non dairy", + "pink chocolate confetti candy that is dairy free", + "pink chocolate confetti candy no dairy", + "pink chocolate confetti candy dairy free", + "pink chocolate confetti candy, non dairy,", + "pink chocolate confetti candy non dairy pink", + "pink chocolate confetti candy, dairy free" + ], + "i would like a three pound bag of hard candy that is chocolate covered": [ + "three pound bag of chocolate covered", + "three pound bag of hard candy chocolate covered", + "three pound bag of chocolate covered soft candy", + "three pound bag of chocolate covered candy", + "three pound bag of candy chocolate covered", + "three pound bag of hard candy", + "3 pound bag of chocolate covered", + "three pound bag of soft candy chocolate covered", + "three pound bag of candy", + "three pound bag chocolate covered" + ], + "i would like a 9 pound bag of white chocolate covered nonpareils.": [ + "9 pound bag of white chocolate covered nonpareils", + "8 pound bag of white chocolate covered nonpareils", + " 9 pound bag of white chocolate covered nonpareils", + "10 pound bag of white chocolate covered nonpareils", + "white chocolate covered nonpareils 9 pound bag", + "black chocolate covered nonpareils 9 pound bag", + "white chocolate covered nonpareils 9 pound", + "bag of white chocolate covered nonpareils", + "black chocolate covered nonpareils", + "black chocolate covered nonpareils 9 pound" + ], + "i would like a 4 pound bag of chocolate covered eda's sugar free hard candy.": [ + "4 pound bag of chocolate covered edas sugar free", + "4 pound bag of chocolate covered edas sugar free candy", + "4 pound bag of chocolate covered edas sugar free,", + "4 pound bag chocolate covered edas sugar free", + "bag of chocolate covered edas sugar free", + "4 pound chocolate covered edas sugar free", + "pack of chocolate covered edas sugar free", + "4 pound bag of chocolate covered edas", + "chocolate covered edas sugar free", + "4 pound bag of sugar free hard candy" + ], + "i'm looking for a 10 pound blend gelee chocolate covered with candy": [ + "10 pound blend gelee chocolate covered with candy", + "8 pound blend gelee chocolate covered with candy", + "10 pound blend of gelee chocolate covered with candy", + "9 pound blend gelee chocolate covered with candy", + "10 pound blend gelee chocolate covered with candy under $40", + "10 pound blend gelee chocolate covered with candy under 30 dollars", + "10 pound blend gelee chocolate covered with candy under 50 dollars", + "10 pound blend gelee chocolate covered with candy below $40", + "10 pound blend gelee chocolate covered with candy under $60", + "5 pound blend gelee chocolate covered with candy" + ], + "i'm looking for a non dairy, chocolate covered raisins. also, choose sampler size chocolate rocks- gray one": [ + "non dairy, chocolate covered raisins sampler size chocolate rocks", + "non dairy, chocolate covered raisins", + "non dairy chocolate covered raisins sampler size chocolate rocks", + "non dairy, chocolate covered raisins chocolate rocks", + "non dairy, chocolate covered raisins chocolate rocks- gray", + "non dairy, chocolate covered raisins chocolate rocks- gray one", + "non dairy, chocolate covered raisins.", + "non dairy chocolate covered raisins", + "non dairy, chocolate covered raisins - gray", + "non dairy, chocolate covered raisins - gray one" + ], + "i would like hard candy that is in a gift box and is chocolate covered": [ + "soft candy chocolate covered", + "gift box chocolate covered", + "chocolate covered candy", + "chocolate covered hard candy", + "hard candy chocolate covered", + "chocolate covered candy gift box", + "soft candy that is chocolate covered", + "chocolate covered candy under $50", + "chocolate covered soft candy", + "chocolate covered candy under $60" + ], + "i am looking for a chocolated covered candy having size 5 pound.": [ + "chocolated covered candy size 5 pound", + "chocolated covered candy having size 5 pound", + "chocolated covered candy with size 5 pound", + "chocolated covered candy, size 5 pound", + "chocolated covered candy 5 pound", + "chocolated covered candy in size 5 pound", + "chocolated covered candy", + "chocolated covered candy that is 5 pound", + "chocolated covered candy size 5 pound.", + "chocolate covered candy size 5 pound" + ], + "find non dairy candies.": [ + "non dairy candies", + "non dairy candies under $40", + "non dairy candies.", + "non dairy candies under $50", + "non dairy candies under $60", + "non dairy candies under 50 dollars", + "non dairy candies no dairy", + "non dairy candies under 40 dollars", + "non dairy candies under 30 dollars", + "non dairy candies under 60 dollars" + ], + "i would like a pound of non dairy jelly filled strawberry gummies": [ + "non dairy jelly filled strawberry gummies", + "strawberry gummies non dairy", + "strawberry gummies", + "pomegranate gummies", + "strawberry gummies no dairy", + "natierra jelly filled strawberry gummies", + "pomegranate gummies non dairy", + "non dairy jelly-filled strawberry gummies", + "pink strawberry gummies", + "plastic gummies" + ], + "may you give me a sour strawberry gummies by love of candy? *sampler size*pack please": [ + "sugar strawberry gummies by love of candy", + "sour strawberry gummies by love of candy", + "sugar strawberry gummies by love of candy pack please", + "sugar strawberry gummies by love of candy pack", + "sugar strawberry gummies by love of candy under $40", + "sour strawberry gummies by love of candy pack please", + "sugar strawberry gummies by love of candy below $40", + "sugar strawberry gummies in a sampler size", + "sugar strawberry gummies by love of candy under $60", + "sugar strawberry gummies by love of candy under $50" + ], + "i am looking for a women's vest that is padded and machine washable. pick an x-small size.": [ + "womens vest x-small", + "womens vest padded x-small", + "womens vest, padded and machine washable", + "womens vest with padded and machine washable", + "womens vest x-small size", + "womens vest in a x-small size", + "womens vest, padded x-small", + "womens vest padded and machine washable", + "womens vest size x-small", + "womens vest padded x-small size" + ], + "i want a recliner sofa for my living room and it should have storage space.": [ + " recliner sofa for my living room with storage space", + " recliner sofa for living room with storage space", + " recliner sofa for my living room", + " recliner sofa for the living room with storage space", + " recliner sofa for living room", + " recliner sofa in my living room with storage space", + " recliner sofa for my living room with storage", + " recliner sofa for the living room", + " recliner sofa for a living room with storage space", + " recliner sofa living room with storage space" + ], + "i am looking a cotton spandex low rise men's briefs medium size colour should be black": [ + "cotton spandex low rise mens briefs black", + "cotton spandex low rise mens briefs medium size", + " cotton spandex low rise mens briefs black", + "cotton spandex low rise mens briefs medium black", + "t cotton spandex low rise mens briefs black", + " cotton spandex low rise mens briefs medium size", + "black cotton spandex low rise mens briefs medium size", + "womens briefs black cotton spandex", + " cotton spandex low rise mens briefs medium size black", + "white cotton spandex low rise mens briefs medium size" + ], + "i'm looking for a black tempered glass smartwatch bands for men": [ + "black tempered glass smartwatch bands for men", + "black tempered glass smartwatch bands", + "black tempered glass smartwatch band for men", + "black tempered glass smartwatch bands for men", + "black tempered glass smartwatch bands, for men", + "black tempered glass smartwatch band", + "black tempered glass smartwatch bands for men,", + "glass tempered glass smartwatch bands for men", + "white tempered glass smartwatch bands for men", + "black tempered glass smartwatch bands men" + ], + "i'm looking for black tempered smart watches. the glass screen is perfectly look so nice.": [ + "black tempered smart watches", + "black tempered smart watches with a glass screen", + "black tempered smart watches with glass screen", + "black tempered smart watch with a glass screen", + "black tempered smart watch", + "black tempered smart watch with glass screen", + "black tempered smartwatch with a glass screen", + "black tempered smartwatch with glass screen", + "black tempered smartwatch", + "black tempered smartwatch watch" + ], + "i am looking for a 2.6 ounce, pack of 1, low calorie popcorn seasoning.": [ + "2.6 ounce, pack of 1, low calorie popcorn seasoning", + "2.6 ounce pack of 1 low calorie popcorn seasoning", + "2.6 ounce pack of 1, low calorie popcorn seasoning", + "2.6 ounce, pack of 1 low calorie popcorn seasoning", + "2.6 oz, pack of 1, low calorie popcorn seasoning", + " 2.6 ounce, pack of 1, low calorie popcorn seasoning", + "two.6 ounce, pack of 1, low calorie popcorn seasoning", + "2.6 ounce packed of 1 low calorie popcorn seasoning", + "2.6 ounce pack of 1, low calorie popcorn seasoning,", + "2.6 ounce pomegranate seasoning" + ], + "iam looking for rich and creamy, low calorie kernel popcorn with butter seasoning and kettle corn flavor": [ + "rich and creamy low calorie kernel popcorn with butter seasoning and kettle corn flavor", + "rich and creamy low calorie kernel popcorn with butter seasoning", + "rich and creamy, low calorie kernel popcorn with butter seasoning", + "rich and creamy low calorie kernel popcorn, butter seasoning and kettle corn flavor", + "rich and creamy high calorie kernel popcorn with butter seasoning and kettle corn flavor", + "low calorie kernel popcorn with butter seasoning and kettle corn flavor", + "rich and creamy low calorie kernel popcorn", + "rich and creamy, low calorie kernel popcorn", + "low calorie kernel popcorn with butter seasoning", + "rich and creamy keto popcorn with butter seasoning" + ], + "i am looking for a 1 count of gluten free popcorn salt": [ + "1 count of gluten free popcorn salt", + "1 count gluten free popcorn salt", + "gluten free popcorn salt 1 count", + "gluten free popcorn salt", + "3 count of gluten free popcorn salt", + "2 count of gluten free popcorn salt", + "butter popcorn salt 1 count", + "pink popcorn salt 1 count", + "strawberry popcorn salt 1 count", + "butter popcorn salt gluten free" + ], + "i would like some low calorie birthday cake flavor popcorn topping.": [ + "low calorie birthday cake flavor popcorn topping", + "birthday cake flavor popcorn topping", + "low calories birthday cake flavor popcorn topping", + "low calorie birthday cake flavor popcorn", + "baby shower cake flavor popcorn topping", + "low calorie birthday cake flavor", + "baby shower cake flavor", + "birthday cake flavor popcorn", + "birthday cake flavor", + "baby shower popcorn topping" + ], + "i am looking for some gluten free parmesan garlic flavored popcorn seasoning.": [ + "gluten free parmesan garlic flavored popcorn seasoning", + "gluten free parmesan garlic flavored popcorn seasoning.", + "gluten-free parmesan garlic flavored popcorn seasoning", + "gluten free pomegranate seasoning", + "gluten free parmesan garlic seasoning", + "gluten free and garlic flavored popcorn seasoning", + "gluten free, garlic flavored popcorn seasoning", + "vegan popcorn seasoning gluten free", + "almond flavored popcorn seasoning", + "vegan popcorn seasoning" + ], + "i am looking for kernel season's popcorn season in 2.85 ounce packs of 6.": [ + "kernel seasons popcorn season in 2.85 ounce packs of 6", + "kernel seasons popcorn season 2.85 ounce packs of 6", + "kernel season popcorn season in 2.85 ounce packs of 6", + " kernel seasons popcorn season in 2.85 ounce packs of 6", + "kernel season in 2.85 ounce packs of 6", + "kernel season popcorn season 2.85 ounce packs of 6", + "kernel seasons popcorn season in 2.85 ounce pack of 6", + "kernel seasons popcorn season 2.85 ounce packs of 6.", + "kernel season 2.85 ounce packs of 6", + "kernel season in 2.85 ounce packs of 6." + ], + "i am looking for some gluten free kettle corn seasoning.": [ + "gluten free kettle corn seasoning", + "gluten free kettle corn seasoning.", + "gluten free kettle corn seasoning under $40", + "gluten free kettle corn seasoning under $60", + "gluten free kettle corn seasoning under $50", + "gluten free kettle corn seasoning under 50 dollars", + "gluten free kettle corn seasoning under 30 dollars", + "gluten free kettle corn seasoning below $40", + "gluten free kettle corn seasoning under 40 dollars", + "gluten-free kettle corn seasoning" + ], + "i am looking for a six pack of popcorn salt that has a rich and creamy white cheddar flavor.": [ + "6 pack of popcorn salt creamy white cheddar flavor", + "6 pack of popcorn salt rich and creamy white cheddar flavor", + "6 pack of popcorn salt, rich and creamy white cheddar flavor", + "6 pack of popcorn salt with rich and creamy white cheddar flavor", + "6 pack of popcorn salt with creamy white cheddar flavor", + "6 pack of popcorn salt", + "6 pack of popcorn salt rich creamy white cheddar flavor", + "6 pack of popcorn salt creamy white", + "6 pack of popcorn salt creamy white cheddar flavor under $60", + "6 pack of popcorn salt creamy white cheddar flavor under $40" + ], + "i am looking for popcorn seasoning in chili lime flavor, 2.6 ounce (pack of 1)": [ + "paco seasoning in chili lime flavor 2.6 ounce (pack of 1)", + "pumpkin seasoning in chili lime flavor 2.6 ounce (pack of 1)", + "pink seasoning in chili lime flavor 2.6 ounce (pack of 1)", + "moisturizer in chili lime flavor 2.6 ounce (pack of 1)", + "paco seasoning 2.6 ounce (pack of 1)", + "paco seasoning in chili lime flavor, 2.6 ounce (pack of 1)", + "pumpkin seasoning 2.6 ounce (pack of 1)", + "pink seasoning in chili lime flavor, 2.6 ounce (pack of 1)", + "paco seasoning in chili lime flavor, 2.6 ounce (pack of 1),", + "pink seasoning in chili lime flavor, 2.6 ounce (pack of 1)," + ], + "i need rich creamy popcorn seasoning in chili lime flavor. make sure that it is gluten free.": [ + "rich creamy popcorn seasoning in chili lime flavor", + "rich creamy popcorn seasoning in chili lime flavor.", + "rich creamy popcorn seasoning with chili lime flavor", + "rich creamy popcorn seasoning chili lime flavor", + "rich creamy popcorn seasoning in chili lime flavor, gluten free", + "rich creamy popcorn seasoning in chili lime flavor gluten free", + "rich creamy popcorn seasoning that is gluten free", + "rich creamy popcorn seasoning, chili lime flavor", + "rich creamy popcorn seasoning in chili lime flavor under $40", + "chocolate pomegranate seasoning in chili lime flavor" + ], + "i want some snack bites that is gluten free and high protein. it should be beef flavored.": [ + "sneakers gluten free and high protein", + "sneakers that is gluten free and high protein", + "sneakers gluten free high protein", + "gluten free and high protein snack bites", + "snack bites that is gluten free and high protein", + "gluten free high protein snack bites", + "protein snack bites that is gluten free and high protein", + "sugar free and high protein snack bites", + "sugar free high protein snack bites", + "sneakers that is gluten free high protein" + ], + "show me flip flops that are unisex and made of ethylene vinyl. i am a size 6.": [ + "unisex flip flops made of ethylene vinyl", + "pink flip flops made of ethylene vinyl", + "unisex flip flops made of ethylene vinyl size 6", + "pink flip flops made of ethylene vinyl size 6", + "unisex ethylene vinyl flip flops size 6", + "coaxial flip flops size 6 ethylene vinyl", + "coaxial flip flops made of ethylene vinyl size 6", + "coaxial flip flops made of ethylene vinyl", + "flops unisex ethylene vinyl size 6", + "unisex ethylene vinyl flip flops in a size 6" + ], + "look for puma unisex epic v2 flip flop sandal in size 8 that is made of ethylene vinyl in sun kissed coral rosewater.": [ + "puma unisex epic v2 flip flop sandal in size 8", + "puma unisex epic v2 flip flop sandal in sun kissed coral rosewater", + "puma unisex epic v2 flip flop sandal, made of ethylene vinyl in sun kissed coral rosewater", + "puma unisex epic v2 flip flop sandal made of ethylene vinyl in sun kissed coral rosewater", + "puma unisex epic v2 flip flop sandal in size 8 that is made of ethylene vinyl", + "puma unisex epic v2 flip flop sandal in a size 8", + "puma unisex epic v2 flip flop sandal in a sun kissed coral rosewater", + "puma unisex epic v2 flip flop sandal in size 8 made of ethylene vinyl", + "puma unisex epic v2 flip flop sandal", + "puma unisex sea salt" + ], + "i'm looking for a unisex flip flops in the brand of puma.": [ + "unisex puma flip flops", + "unisex flip flops puma", + "unisex puma flip flops under $40", + "unisex puma flip flops under $50", + "unisex puma flip flops under $60", + "unisex puma flip flops under 30 dollars", + "unisex puma flip flops under 50 dollars", + "unisex puma flip flops under 40 dollars", + "unisex puma flip flops under 60 dollars", + "unisex flip flops" + ], + "i want a size 4 uk light lavender cloud pink sandal made of vinyl acetate.": [ + "size 4 uk light lavender cloud pink sandal made of vinyl acetate", + " size 4 uk light lavender cloud pink sandal made of vinyl acetate", + "size 4 uk light lavender cloud pink sandal", + "size 4 uk light lavender cloud pink sandal made from vinyl acetate", + "4 uk light lavender cloud pink sandal made of vinyl acetate", + "size 4 uk pink sandal made of vinyl acetate", + "us 4 uk light lavender cloud pink sandal made of vinyl acetate", + "size 4 uk l lavender cloud pink sandal made of vinyl acetate", + "pink sandal made of vinyl acetate size 4 uk", + "size 4 uk light lavender cloud pink sandal under $40" + ], + "i am looking for a fleece throw that is super soft to go in my living room. it should be shark colored.": [ + "super soft fleece throw for living room", + "pink fleece throw for living room", + "shark colored fleece throw for living room", + "fleece throw that is super soft", + "shark colored fleece throw", + "fleece throw for living room", + "super soft fleece throw in my living room", + "super soft fleece throw", + "pink fleece throw", + "fleece throw" + ], + "i would like a high gloss coffee table.": [ + "high gloss coffee table", + "high gloss coffee table.", + "coffee table high gloss", + "high gloss coffee table that is high gloss", + "low gloss coffee table", + "high gloss coffee table under $50", + "high gloss coffee table under $40", + "high gloss coffee table under $60", + "low gloss coffee table.", + "high gloss coffee table," + ], + "i need a yellow home office chair that is easy to assemble.": [ + "yellow home office chair", + "yellow home office chair easy to assemble", + "yellow office chair that is easy to assemble", + "home office chair yellow easy to assemble", + "home office chair that is easy to assemble", + "yellow home office chair, easy to assemble", + "yellow home office chair easy assemble", + "home office chair yellow easy assemble", + "yellow home office chair easy to assemble.", + "yellow office chair easy to assemble" + ], + "i'm looking for a 39\"w x 72\"h roller shades for living room.": [ + "roller shades for living room", + "gluten-free roller shades for living room", + "39w x 72h roller shades", + "40w x 72h roller shades", + "39w x 72h roller shades living room", + "40w x 72h roller shades living room", + "gluten free roller shades for living room", + "38w x 72h roller shades", + "38w x 72h roller shades living room", + "curtains for living room" + ], + "i'm looking for a twin xl, fully assembled mattresses.": [ + "twin xl, fully assembled mattresses", + "twin xl mattresses", + "twin xl fully assembled mattresses", + "twin xl mattresses, fully assembled", + "twin xl bedframe fully assembled", + "twin xl bedframe", + "twin xl with fully assembled mattresses", + " twin xl, fully assembled mattresses", + "twin xl mattress", + "twin xl" + ], + "i want to find a 10-foot long usb cable with a usb port in rose gold color.": [ + "10-foot long usb cable with a usb port", + "10-foot long usb cable with a usb port rose gold", + "10-foot long usb cable", + "10ft long usb cable with a usb port in rose gold", + "10ft long usb cable with a usb port rose gold", + "10ft long usb cable with a usb port", + "10 ft long usb cable with a usb port", + "usb cable with a usb port rose gold", + "10ft long usb cable", + "10 ft long usb cable" + ], + "i want a pair of memory foam slippers that are winter warm. i want it in red.": [ + "memory foam slippers winter warm", + "memory foam slippers in red", + "memory foam slippers red", + "memory foam slippers winter warm red", + "memory foam slippers, winter warm", + "memory foam slippers", + "memory foam slippers, red", + "memory foam slippers winter warm.", + "memory foam slippers red winter warm", + "memory foam slippers white" + ], + "i'm looking for a professional makeup train storage case that has separate space for nail art materials and eye shadow palette.": [ + "professional makeup train storage case", + "professional makeup train storage case with separate space for nail art materials", + "professional makeup train storage case for nail art materials and eye shadow palette", + "professional makeup train storage case with a nail art materials and eye shadow palette", + "professional makeup train storage case with separate space for nail art materials and eye shadow", + "professional makeup train storage case for nail art materials", + "professional makeup train storage case with a nail art materials", + "professional makeup train storage case with separate space", + "professional makeup train storage case,", + "professional makeup train" + ], + "i am looking for medical grade silicone scar removal sheets scar removal is reusable and completely washable. washing them renews their sticking ability, easy to use waterproof and very sticky. 1.6\u201d x 120\u201dsize preferable": [ + "medical grade silicone scar removal sheets waterproof", + "medical grade silicone scar removal sheets that are waterproof", + "medical grade silicone scar removal sheets waterproof and waterproof", + "medical grade silicone scar removal sheets waterproof 1.6 oz", + "medical grade silicone scar removal sheets waterproof less then $40", + "medical grade silicone scar removal sheets, waterproof", + "medical grade silicone scar removal sheets waterproof under $50", + "medical grade silicone scar removal sheets waterproof below $50", + "medical grade silicone scar removal sheets waterproof less then $60", + "medical grade silicone scar removal sheets" + ], + "i am looking for a loose fit large t-shirt in a gray color.": [ + "large t-shirt in a gray color", + "large t-shirt in a gray", + "womens t-shirt in a gray", + "womens gray t-shirt", + "womens gray t-shirt loose fit", + "womens t-shirt in gray", + "large t-shirt in gray", + "womens t-shirt gray", + "lens t-shirt in a gray color", + "small t-shirt in a gray color" + ], + "i would like a chicken broccoli rice mix that comes in a pack of 12 and is easy to prepare.": [ + "chicken broccoli rice mix that comes in a pack of 12", + "chicken broccoli rice mix that is easy to prepare.", + "Chicken broccoli rice mix that comes in a pack of 12", + "chicken broccoli rice mix that is easy to prepare", + "pack of 12 chicken broccoli rice mix that is easy to prepare", + "chicken broccoli rice mix pack of 12", + "12 pack chicken broccoli rice mix that is easy to prepare", + "chicken broccoli rice mix 12 pack", + "chicken broccoli rice mix", + "pack of 12 chicken broccoli rice mix" + ], + "i am looking for knorr rice sides for a tasty rice side dish creamy chicken with no artificial flavors,easily prepare on the stove or in a microwave, goodness of a chicken flavored sauce. pack of 12 preferable.": [ + "korr rice sides creamy chicken flavor pack of 12", + "korr rice side dish creamy chicken flavor pack of 12", + "korr rice side dish creamy chicken flavored sauce pack of 12", + "korr rice sides creamy chicken flavored sauce pack of 12", + "knorr rice sides creamy chicken flavor pack of 12", + "knorr rice side dish creamy chicken flavor pack of 12", + "yogurt rice side dish creamy chicken flavor pack of 12", + "korr rice side dish creamy chicken flavor", + "korr rice side dish creamy chicken flavor pack of 12 preferable", + "nasty rice side dish creamy chicken flavor pack of 12" + ], + "i need some easy to prepare chicken broccoli meals.": [ + "easy to prepare chicken broccoli meals", + "easy to prepare chicken broccoli meals.", + "easy to prepare chicken broccoli meal", + "simple to prepare chicken broccoli meals", + "plastic chicken broccoli meals", + "easy prepare chicken broccoli meals", + "soft cooked chicken broccoli meals", + "easy cooked chicken broccoli meals", + "easy to prepare chicken broccoli", + "chicken broccoli meals" + ], + "i am looking for a core i5 tablet.": [ + "core i5 tablet", + " core i5 tablet", + "core i5 tablet.", + "core i5 tablet under $130", + "curtains i5 tablet", + "core i5 tablet under $120", + "core i5 tablet under $50", + "core i5 tablet under $60", + "core i5 tablet under $40", + " core i5 tablet." + ], + "i need footprints in the sand necklace and earrings sized long lasting candle 21oz": [ + "sneakers long lasting candle 21oz", + "footprint long lasting candle 21oz", + "footprint in the sand necklace long lasting candle 21oz", + "foot print long lasting candle 21oz", + "sand necklace long lasting candle 21oz", + "footprint in the sand necklace 21oz", + "footprint in the sand necklace", + "footprint in sand necklace 21oz", + "footprints in the sand necklace", + "footprint in sand necklace" + ], + "i need long lasting bedtime spa candles": [ + "long lasting bedtime spa candles", + "bedtime spa candles", + "bedtime spa candles long lasting", + "bathtime spa candles long lasting", + "nighttime spa candles long lasting", + "nighttime spa candles", + "bathtime spa candles", + "short lasting bedtime spa candles", + "Bedtime spa candles long lasting", + "l bedtime spa candles" + ], + "i would like a lead free amazon rainforest bracelet candle.": [ + "lead free amazon rainforest bracelet candle", + "brittle free amazon rainforest bracelet candle", + "a lead free amazon rainforest bracelet candle", + "pink amazon rainforest bracelet candle", + "lead free amazon rainforest bracelet candle.", + "amazon rainforest bracelet candle", + "brushed free amazon rainforest bracelet candle", + "lead free amazon rainforest bracelet candle,", + "bagel candle lead free amazon", + "bagel candle lead free" + ], + "i want by a candle. pisces | zodiac star signs jewelry candle with necklace lead free inside ! scent vanilla lavender .": [ + "zodiac star signs jewelry candle with necklace lead free", + "zodiac star signs jewelry candle scent vanilla lavender", + "zodiac star signs jewelry candle", + "zodiac star signs jewelry candle scent vanilla lavender", + "pisces zodiac star signs jewelry candle", + "zodiac star signs jewelry candle with necklace lead free", + "pisces | zodiac star signs jewelry candle", + "scent vanilla lavender zodiac star signs", + "garden candle zodiac star signs scent vanilla lavender", + "pisces zodiac star signs jewelry candle with necklace" + ], + "i want to find a pair of black and magnet colored men's hiking boots with rubber soles, they need to be in size 15.": [ + "black and magnet colored mens hiking boots", + "mens hiking boots with rubber soles size 15", + "mens hiking boots with rubber soles, size 15", + "mens hiking boots with rubber soles in size 15", + "black hiking boots with rubber soles size 15", + "mens hiking boots with rubber soles size 15", + "black mens hiking boots with rubber soles size 15", + "womens hiking boots with rubber soles size 15", + "black and magnet colored mens hiking boots with rubber sole", + "black mens hiking boots with rubber soles" + ], + "i am looking for a 11 women | 9.5 men shoes of rubber sole": [ + "11 women | 9.5 men shoes of rubber sole", + " 11 women | 9.5 men shoes of rubber sole", + "12 women | 9.5 men shoes of rubber sole", + "10 women | 9.5 men shoes of rubber sole", + "woman shoes of rubber sole 11 women", + "alarm shoes 11 women | 9.5 men", + "stretch shoes 11 women | 9.5 men", + "11 women | 9.5 men shoes", + "stainless rubber sole 11 women", + "woman shoes of rubber sole" + ], + "i need a high quality human hair. pick a straight 3 bundle with closure.": [ + "human hair straight 3 bundle with closure", + "high quality human hair bundle with closure", + "human hair straight 3 bundle", + "high quality human hair straight 3 bundle", + "high quality human hair bundle", + "high quality human hair with closure", + "low quality human hair bundle with closure", + "straight 3 bundle with closure", + "high quality human hair", + "low quality human hair bundle" + ], + "i need high quality hair extensions that are loose waves": [ + "hair extensions that are loose waves", + "high quality hair extensions loose waves", + "high quality hair extensions", + "high quality hair extensions with loose waves", + "hair extensions loose waves high quality", + "hair extensions loose waves", + "low quality hair extensions", + "low quality hair extensions loose waves", + "hair extension that are loose waves", + "high quality hair extensions, loose waves" + ], + "i'm looking for a water resistant red on black cosmetic bags for women.": [ + "water resistant red on black cosmetic bags", + "water resistant red cosmetic bags for women", + "water resistant red black cosmetic bags for women", + "water resistant black cosmetic bags for women", + "water resistant red cosmetics bags for women", + "water resistant red makeup bags for women", + "water resistant red woman cosmetic bags for women", + "water resistant red black cosmetic bags", + "water resistant red cosmetic bags for women.", + "water resistant red woman cosmetic bags" + ], + "i need a night stand with a width of 24 and height of 30. pick a white one.": [ + "night stand with a width of 24 and height of 30", + "night stand with a width of 24 height of 30", + "night stand with width of 24 and height of 30", + "night stand with a width of 24 height of 30 white", + "night stand with width of 24 and height of 30 white", + "night stand with a width of 24, height of 30", + "night stand width of 24 and height of 30", + "night stand with height of 30 white", + "night stand with height of 30", + "night stand with a width of 24" + ], + "i search the vanity light including satin nickel": [ + "vanity light satin nickel", + "vanity light with satin nickel", + "vanity light satin nickel vanity light", + "pink vanity light with satin nickel", + "vanity light, satin nickel", + "k vanity light satin nickel", + " vanity light satin nickel", + "king vanity light satin nickel", + "vinyl light satin nickel", + "vanity light" + ], + "i am looking for a non gmo popcorn with simple ingredients.": [ + "non gmo popcorn", + "non gmo popcorn with simple ingredients", + "non gmo popcorn no gmo", + "non gmo popcorn simple ingredients", + "non gmo popcorn, simple ingredients", + "non gmo popcorn no sugar", + "non gmo popcorn under $40", + "non gmo popcorn that is simple", + "non-gmo popcorn", + "nude popcorn" + ], + "i want to find a small green lace pajama set for daily wear.": [ + "small green lace pajama set for daily wear", + "small green lace pajama set for daily wear.", + "small green lace pajama set", + "small green lace pajama", + "small green lace pajama set for daily wear,", + "green lace pajama set for daily wear", + "small green lace pajama set, daily wear", + "small green lace pajama set for daily wear ", + "small green lace pajama set for day wear", + "small green lace pajama for daily wear" + ], + "i'm looking for a optical zoom dome cameras.": [ + "optical zoom dome cameras", + "optical zoom dome cameras.", + "optical zoom dome camera", + "optical zoom dome cameras,", + "digital zoom dome cameras", + "organic zoom dome cameras", + "indoor camera", + "digital camera with zoom", + "indoor cameras", + "open dome cameras" + ], + "i need some hair cutting shears that are gold and six inches.": [ + "hair cutting shears gold six inches", + "hair cutting shears gold and six inches", + "hair cutting shears gold 6 inches", + "gold hair cutting shears six inches", + "gold hair cutting shears", + "gold and six inches hair cutting shears", + "hair cutting shears gold, six inches", + "gold hair cutting shears, six inches", + "hair cutting shears gold six inch", + "hair cutting shears gold" + ], + "i am looking for a pair of 6 inch stainless steel hair cutting scissors.": [ + "6 inch stainless steel hair cutting scissors", + "6 stainless steel hair cutting scissors", + "stainless steel hair cutting scissors", + "6 ft stainless steel hair cutting scissors", + "8 inch stainless steel hair cutting scissors", + "2 stainless steel hair cutting scissors", + "6 steel hair cutting scissors", + "hair cutting scissors 6 inch stainless steel", + "hair cutting scissors 6 inches stainless steel", + "hair cutting scissors 6 inches long" + ], + "i am looking for a blue tie and dye printed small blouse with a unique design that is short sleeved for teen girls.": [ + "blue tie and dye printed small blouse", + "blue tie and dye printed small blouse with a unique design", + "blue tie and dye printed small blouse", + "blue tie and dye printed small blouse with a unique design", + "blue tie and dye printed small girls blouse", + "blue tie and dye printed small girls blouse with a unique design", + "blue tie and dye printed small blouse for teen girls", + "blue tie and dye printed small blouse for teen girls", + "blue tie and dye printed small girl blouse", + "small blouse" + ], + "i'm looking for a case cover hard shell cases of rock ash color.": [ + "rock ash case cover", + "rock ash case cover hard shell cases", + "case cover rock ash color", + "soft shell cases of rock ash color", + "rock ash case cover soft shell cases", + "rock ash case cover hard shell case", + "case cover stone ash color", + "rock ash case cover hard shell", + "rock ash case cover soft shell", + "rock ash case cover soft shell case" + ], + "i want to find a pack of nine low-carb cheese bites from trader joe's.": [ + "pack of 9 low-carb cheese bites from trader joes", + "pack of nine low-carb cheese bites from trader joes", + "low-carb cheese bites from trader joes", + "bag of 9 low-carb cheese bites from trader joes", + "12 pack of low-carb cheese bites from trader joes", + "pack of 9 low-carb cheese bites", + "low-carb cheese bites from trader joes pack", + "low-carb cheese bites from trader joes pack of 9", + "9 pack of low-carb cheese bites from trader joes", + "pack of low-carb cheese bites from trader joes" + ], + "i am looking for an easy care shirt. pick a soft black one.": [ + "easy care shirt soft black", + "soft black easy care shirt", + "soft black soft care shirt", + "easy care shirt in soft black", + "easy care shirt, soft black", + "soft black soft black shirt", + "soft black t-shirt", + "soft black shirt", + "soft black shirt easy care", + "easy care shirt" + ], + "i am looking for a gluten free peanut butter that comes in a vanilla flavor and is .85 oz.": [ + "gluten free peanut butter that comes in a vanilla flavor", + "gluten free peanut butter flavor .85 oz", + "gluten free peanut butter flavor that is .85 oz", + "gluten free peanut butter that is .85 oz", + "gluten free peanut butter with a vanilla flavor", + "gluten free peanut butter", + "gluten free peanut butter .85 oz", + "gluten free peanut butter in a vanilla flavor", + "gluten free peanut butter flavor", + "gluten free peanut butter under $40" + ], + "i would like some non gmo peanut butter that is vanilla flavored and is 0.85 ounces": [ + "non gmo peanut butter that is vanilla flavored 0.85 ounces", + "non gmo peanut butter 0.85 ounces", + "non gmo peanut butter flavor 0.85 ounces", + "non gmo peanut butter, vanilla flavored, 0.85 ounces", + "non gmo peanut butter that is vanilla flavored", + "non gmo peanut butter no gmo flavor 0.85 ounces", + "non gmo peanut butter vanilla flavored 0.85 ounces", + "non gmo peanut butter, vanilla flavored and 0.85 ounces", + "non gmo peanut butter 1.85 ounces", + "non gmo peanut butter vanilla flavored 0.85 ounces" + ], + "i'm looking for a multi-pack of original peanut butter powder in the 6.5 ounce size; it must suit my gluten-free diet.": [ + "multi-pack of original peanut butter powder", + "pomegranate butter powder 6.5 ounce", + "mult-pack of original peanut butter powder", + "single-pack of original peanut butter powder", + "plant peanut butter powder 6.5 ounce", + "magnified peanut butter powder 6.5 ounce", + "plastic peanut butter powder 6.5 ounce", + "pomegranate butter powder 6.5 ounce size", + "multi-pack peanut butter powder", + "pack of original peanut butter powder" + ], + "i need black flats in a size 9 that have arch support.": [ + "black flats size 9 with arch support", + "black flats size 9 arch support", + "black flats in a size 9", + "black flats in a size 9 arch support", + "black flats size 9 that have arch support", + "black flats, size 9, arch support", + "black flats size 9, arch support", + "size 9 black flats with arch support", + "black flats size 9", + "black flats with arch support" + ], + "i want a non slip futon mattress which is soft and thick. i need it in 150*200 cm size.": [ + "non slip futon mattress, 150*200 cm", + "non slip futon mattress which is soft and thick", + "non slip futon mattress that is soft and thick", + "non slip futon mattress in 150*200 cm", + "non slip futon mattress 150*200 cm", + "non slip futon mattress", + "non slip futon mattress 150*200 cm size", + "soft and thick futon mattress 150*200 cm", + "non slip futon mattress with soft and thick", + "soft and thick futon mattress" + ], + "i need a hair treatment detangler that comes in two bottles.": [ + "hair treatment detangler two bottles", + "two bottle hair treatment detangler", + "hair treatment detangler in two bottles", + "two bottles of hair treatment detangler", + "two bottles hair treatment detangler", + "hair treatment detangler, two bottles", + "hair treatment detangler 2 bottles", + "two hair treatment detangler", + "hair treatment detangler", + "hair treatment detangler, two bottles," + ], + "i'm looking for a comfortable fit 38w x 30l jeans for men.": [ + "comfortable fit 38w x 30l jeans", + "38w x 30l jeans for men", + " comfortable fit 38w x 30l jeans for men", + "fortable fit 38w x 30l jeans for men", + "38w x 30l jeans", + "40w x 30l jeans for men", + "fortable fit 38w x 30l jeans", + " comfortable fit 38w x 30l jeans", + "40w x 30l jeans", + "curtains 38w x 30l jeans" + ], + "i need a long lasting cowboy cut jeans that is slim fit.": [ + "cowboy cut jeans slim fit", + "cowboy cut jeans slim fit.", + "long lasting cowboy cut jeans slim fit", + "cowboy cut jeans that is slim fit", + "slim fit cowboy cut jeans slim fit", + "strawberry cut jeans slim fit", + "short lasting cowboy cut jeans slim fit", + "slim fit cowboy cut jeans", + "shoes slim fit", + "cowboy cut jeans" + ], + "i am looking for a long lasting jean with comfortable fit in regular size. also choose smoky color and 28w x 30l size.": [ + "jean with comfortable fit 28w x 30l", + "jean with comfortable fit 28w x 30l size", + "long lasting jean with comfortable fit 28w x 30l", + "long lasting jean with comfortable fit in regular size", + "long lasting jean with comfortable fit in regular size.", + "jean with comfortable fit in regular size", + "jeans with comfortable fit 28w x 30l", + "jean comfortable fit 28w x 30l", + "jeans 28w x 30l", + "jean 28w x 30l" + ], + "i need a fast charging usb cable that is black and 6.6 feet long.": [ + "black usb cable that is 6.6 feet long", + "black and 6.6 feet long usb cable", + "black usb cable 6.6 ft long", + "black usb cable 6.6 feet long", + "black fast charging usb cable 6.6 feet long", + "black fast charging usb cable", + "black usb cable", + "black fast charging usb cable 6.6 ft long", + "black usb cable that is 6.6 ft long", + "fast charging usb cable black 6.6 ft long" + ], + "i'm looking for gold plated grey usb cables.": [ + "gold plated grey usb cables", + "plated grey usb cables", + "grey usb cables gold plated", + "gold plated grey usb cables.", + "pink plated grey usb cables", + "gold plated grey usb cables,", + "gene plated grey usb cables", + "grey usb cables", + "green usb cables gold plated", + "gold plated grey usb cable" + ], + "l want a roasted almonds colour 4 count low carbo and sugar free chocolate": [ + "roasted almonds colour 4 count low carbo and sugar free chocolate", + "roasted almonds color 4 count low carbo and sugar free chocolate", + " roasted almonds colour 4 count low carbo and sugar free chocolate", + "roasted almonds colour 4 count low carbo sugar free chocolate", + "roasted almonds colour 4 count low carbo chocolate", + "roasted almonds colour 4 count low carbo and sugar free", + "roasted almonds colour 4 count sugar free chocolate", + "roasted almonds colour 4 count low carbo dairy free chocolate", + "rose almonds colour 4 count low carbo and sugar free chocolate", + "roasted almonds colour 4 count low carbo" + ], + "i am searching for a delicious dairy free unsweetened coconutmilk, 1 quart": [ + "dairy free unsweetened coconutmilk, 1 quart", + "dairy free unsweetened coconutmilk 1 quart", + "vegan dairy free unsweetened coconutmilk 1 quart", + "natural dairy free unsweetened coconutmilk, 1 quart", + "natural dairy free unsweetened coconutmilk 1 quart", + "non dairy free unsweetened coconutmilk, 1 quart", + "non dairy free unsweetened coconutmilk 1 quart", + "moisturized coconutmilk, 1 quart", + "moisturized coconutmilk 1 quart", + "freeze dried coconutmilk 1 quart" + ], + "i need a bpa free bag that is purple with flowers.": [ + "pink bpa free bag", + "bpa free bag with flowers", + "bpa free bag purple with flowers", + "bpa free bag that is purple", + "bag purple with flowers", + "bpa free bag purple", + "bpa free bag", + "bag purple bpa free", + "bag that is purple with flowers", + "blue bpa free bag with flowers" + ], + "i need a classic fit t-shirt. pick the royal blue one.": [ + "classic fit t-shirt royal blue", + "classic fit t-shirt in royal blue", + "classic fit t-shirt, royal blue", + "classic fit t-shirt", + "classic fit t-shirt that is royal blue", + "classic fit t-shirt with royal blue", + "classic fit t-shirt with a royal blue", + "classic fit t-shirt under $50", + "classic fit t-shirt below $50", + "classic fit t-shirt under 50 dollars" + ], + "i am searching for a queen size 7 inch cooling gel memory foam mattress certipur-us certified.": [ + "king size 7 inch cooling gel memory foam mattress certipur-us certified", + "queen size 7 inch cooling gel memory foam mattress", + "queen size 7 inch cooling gel memory foam mattress certified", + "queen size 7 inch cooling gel memory foam mattress certified.", + " queen size 7 inch cooling gel memory foam mattress certipur-us certified", + "queen size 7 inch cooling gel memory foam mattress certipur-us", + "queen size 7 inch cooling gel memory foam mattress certipurus certified", + "queen size 7 inch cooling gel memory foam mattress certipur", + "queen size 7 inch cooling gel memory foam mattress that is certified", + "king size 7 inch cooling gel memory foam mattress certified" + ], + "i'm looking for a gluten free, non gmo vegetable powder refill pouch with organic winter squash. also, choose three beet flavor one.": [ + "gluten free, non gmo vegetable powder refill pouch with organic winter squash", + "gluten free, non gmo vegetable powder refill pouch", + "gluten free, non gmo vegetable powder refill pouch three beet flavor one", + "gluten free non gmo vegetable powder refill pouch with organic winter squash", + "gluten free, non gmo vegetable powder refill pouch three beet flavor", + "gluten free vegetable powder refill pouch with organic winter squash", + "gluten free, non gmo vegetable powder refill pouch 3 beet flavor", + "gluten free non gmo vegetable powder refill pouch", + "gluten free vegetable powder refill pouch", + "vegan powder refill pouch with organic winter squash" + ], + "i am looking for a x- large casual dresses with long sleeves": [ + "x- large casual dresses with long sleeves", + "x- large casual dresses long sleeves", + "large casual dresses with long sleeves", + "x- large casual dresses", + " x- large casual dresses with long sleeves", + "x- large casual dress with long sleeves", + "x-large casual dresses with long sleeves", + "x- large casual dress long sleeves", + "large casual dress x- long sleeves", + "large casual dresses long sleeves" + ], + "i want a small sexy pajama lingerie that is made of quality polyester. pick a yellow one.": [ + "small sexy pajama lingerie", + "small sexy pajama lingerie with quality polyester", + "small sexy pajama lingerie in quality polyester", + "pajama lingerie made of quality polyester", + "pajama lingerie made of quality polyester yellow", + "small sexy pajama lingerie in a yellow", + "small sexy pajama lingerie under $40", + "small sexy pajama lingerie in yellow", + "small sexy pajama lingerie yellow", + "pajama lingerie yellow" + ], + "i am looking for a usb c female to usb male adapter made up of aluminum alloy also in purple color.": [ + "usb c female to usb male adapter made up of aluminum alloy", + " usb c female to usb male adapter made up of aluminum alloy", + "usb c female to usb male adapter", + "usb c woman to usb male adapter made up of aluminum alloy", + "a usb c female to usb male adapter made up of aluminum alloy", + "usb cfemale to usb male adapter made up of aluminum alloy", + "usb c female to usb male adapter made made up of aluminum alloy", + "usb c female to usb male adapter made up of aluminum alloy color", + "usb c female to usb male adapter in purple color", + "usb c female to usb male adapter in purple" + ], + "get me a wine tote that is bpa free and easy to use to hold wine bottles. pick something in swankey blue moon color.": [ + "womens wine tote in swankey blue moon color", + "womens wine tote swankey blue moon color", + "swankey blue moon wine tote", + "womens wine tote swankey blue moon", + "womens wine tote with bpa free", + "womens wine tote, swankey blue moon color", + "womens wine tote", + "womens wine tote that is bpa free", + "womens wine tote in swankey blue moon", + "bottle tote that is bpa free" + ], + "i need an ac adapter that has wireless charging.": [ + "ac adapter with wireless charging", + "ac adapter that has wireless charging", + "ac adapter wireless charging", + "ac adapter no wireless charging", + " ac adapter with wireless charging", + "ac adapter", + " ac adapter that has wireless charging", + "ac adapter, wireless charging", + "ac adapter with wireless charging.", + "a wireless charging ac adapter" + ], + "i would like some high protein jerky that is bbq and 8 ounces.": [ + "high protein jerky bbq 8 ounces", + "high protein jerky bbq and 8 ounces", + "bbq jerky 8 ounces", + "barbecue jerky bbq 8 ounces", + "high protein jerky bbq 8 oz", + "brushed jerky bbq 8 ounces", + "buffet jerky bbq 8 ounces", + "barbecue jerky bbq and 8 ounces", + "bbq jerky 8 oz", + "protein jerky bbq 8 ounces" + ], + "i am looking for a 4 ounce pack of low fat turkey jerky with sweet heat flavor.": [ + "4 ounce pack of low fat turkey jerky", + "low fat turkey jerky with sweet heat flavor", + "4 ounce pack of low fat turkey jerky flavor", + "low fat turkey jerky 4 ounce pack", + "4 oz pack of low fat turkey jerky", + "low fat turkey jerky 4 oz flavor", + "low fat turkey jerky flavor 4 oz", + "turkey jerky 4 ounce pack", + "low fat turkey jerky flavor", + "low fat turkey jerky" + ], + "i am looking for an easy clean computer desk that is white in color. pick a size 47\" desk.": [ + "white computer desk size 47", + "white computer desk", + "easy clean computer desk white", + "white computer desk that is easy clean", + "easy clean computer desk white in color", + "white computer desk in a size 47", + "easy clean computer desk size 47", + "white computer desk with easy clean color", + "white computer desk, size 47", + "white computer desk. size 47" + ], + "i want a 39 inch easy to clean computer desk that is also heavy duty.": [ + "39 inch easy to clean computer desk", + "easy to clean computer desk that is also heavy duty", + "easy clean computer desk that is also heavy duty", + "easy to clean computer desk under $40", + "40 inch easy to clean computer desk", + "easy clean computer desk under $40", + "easy to clean computer desk", + "easy to clean computer desk that is heavy duty", + "38 inch easy to clean computer desk", + "easy clean computer desk" + ], + "i'm searching for a rechargeable plug play powerpoint presenter remote. also its color is green light one.": [ + "powerpoint presenter remote green", + "powerpoint presenter remote", + "green plug play powerpoint presenter remote", + "electric plug play powerpoint presenter remote", + "plug play powerpoint presenter remote", + "plug play powerpoint presenter remote green", + "powerpoint presenter remote, green", + "powerpoint presenter remote, green light", + "green powerpoint presenter remote", + "electric play powerpoint presenter remote" + ], + "i am looking for a glitters nail polish. also, choose the 04# color.": [ + "glitters nail polish 04#", + "glitters nail polish, 04#", + "glitters nail polish 04# color", + "glitters nail polish 04#", + "glitters nail polish in 04#", + "glitters nail polish under $40", + "glitters nail polish", + "glitters nail polish under $60", + "glitters nail polish.", + "glitters nail polish under $50" + ], + "i need a 05# nail powder pen for nail art.": [ + "5# nail powder pen for nail art", + "06# nail powder pen for nail art", + "05# nail powder pen for nail art", + "5# nail powder pen for nail art.", + "05# nail powder pen for nail art.", + "06# nail powder pen for nail art.", + " 05# nail powder pen for nail art.", + " 05# nail powder pen for nail art", + "02# nail powder pen for nail art", + "a 05# nail powder pen for nail art" + ], + "i'm looking for a digital camera with optical zoom lens and should have usb port.": [ + "digital camera with optical zoom lens with usb port", + "digital camera with optical zoom lens", + "digital camera with optical zoom lens usb port", + "digital camera with optical zoom lens, usb port", + "digital camera with optical zoom lens and usb port", + "digital camera with optical zoom lens in usb port", + "digital camera with optical zoom lens usb", + "digital camera with optical zoom lens under $40", + "digital camera with zoom lens", + "optical zoom lens" + ], + "i need a cruelty free hand wash that is 8 ounces.": [ + "cruelty free hand wash 8 ounces", + "cruelty free hand wash 8 oz", + "cruelty free hand wash", + "cruelty free hand wash, 8 ounces", + "cruelty free hand wash with 8 ounces", + "cruelty free hand wash 8 ounce", + "cruelty free hand wash8 ounces", + "cruelty free hand wash under $60", + "cruelty free hand wash under $40", + "cruelty free hand wash 8oz" + ], + "i want to find a 3-pack of grape-mango fruit leather buttons that are usda organic. the brand must be trader joe's.": [ + "3-pack of grape-mango fruit leather buttons", + "3-pack of grape-mango fruit leather button", + "3-pack grape-mango fruit leather buttons", + "grape-mango fruit leather buttons that are usda organic", + "a 3-pack of grape-mango fruit leather buttons", + "3-pack of grape-mango fruit leather buttons under $40", + "3-pack of grape-mango fruit leather buttons under $50", + "3-pack grape-mango fruit leather button", + "pack of grape-mango fruit leather buttons", + "grape-mango fruit leather buttons" + ], + "trader joe want to buy an organic fruit with leather buttons and natural flavors (6 pack). also choose the mango and size is 12 pack.": [ + "pomegranate fruit 12 pack", + "mango fruit 12 pack", + "organic fruit with leather buttons 12 pack", + "natural fruit 12 pack", + "plant pomegranate 12 pack", + "organic fruit 12 pack", + "pomegranate tree 12 pack", + "12 pack organic fruit with leather buttons", + "mango fruit 12 pack natural flavor", + "natural fruit 12 pack ethylene" + ], + "i'm looking for gluten free that flavor was mango it looks so good.": [ + "mango gluten free flavor", + "gluten free mango flavor", + "pomegranate gluten free flavor", + "mango gluten free", + "gluten free mango flavor", + "moisturizing mango flavor", + "moisturized mango flavor", + "gluten free flavor mango flavor", + "gluten free flavor mango", + "pomegranate gluten free" + ], + "i\u2019m looking for a 6-pack of the trader joes fruit leather buttons; i like the natural strawberry-mango flavour.": [ + "6-pack of the trader joes fruit leather buttons", + "pack of the trader joes fruit leather buttons", + "6-pack of the trader joes fruit leather button", + "6pack of the trader joes fruit leather buttons", + "6 pack of the trader joes fruit leather buttons", + "5-pack of the trader joes fruit leather buttons", + "pack of the trader joes fruit leather button", + " trader joes fruit leather buttons natural strawberry-mango", + " trader joes fruit leather buttons", + "shoes natural strawberry-mango" + ], + "i need fruit snacks are that are both fat and gluten free.": [ + "fruit snacks fat and gluten free", + "fruit snacks fat free", + "fruit snacks fat and gluten free.", + "fruit snacks fat gluten free", + "vegan snacks fat and gluten free", + " fruit snacks fat and gluten free", + "fruit snacks fat and gluten-free", + "fruit snacks fat free and gluten free", + "fruit snacks fat-free", + "fruit snacks fat, gluten free" + ], + "i am looking for 3.3 ft usb cables compatible with apple.": [ + "3.3 ft usb cables compatible with apple", + "3.3 ft usb cables compatible with apple.", + "3.3 ft usb cables for apple", + "3.3 ft usb cable compatible with apple", + " 3.3 ft usb cables compatible with apple", + "3.3 ft usb cables", + "3.3ft usb cables compatible with apple", + "3.3 ft usb cables with apple", + "3.3 ft usb cables, compatible with apple", + "3.3 ft usb cables compatible with apple," + ], + "i'm looking for multicolor cupcake toppers with cupcake picks for baby shower.": [ + "multicolor cupcake toppers with cupcake picks for baby shower", + "multicolor cupcake toppers for baby shower", + "multicolor cupcake toppers with cupcake pick for baby shower", + "multicolor cupcake toppers, cupcake picks for baby shower", + "multicolor cupcake toppers", + "multicolor cupcake toppers with cupcake picks baby shower", + "multicolor cupcake toppers, cupcake picks, baby shower", + "multicolor cupcake toppers with cupcake picks", + "multicolor cupcake toppers cupcake picks for baby shower", + "multicolor cupcake toppers with cupcake picks, baby shower" + ], + "i want a fully assembled file cabinet for home and office use. pick something in gray and black.": [ + "full assembled file cabinet for home and office use", + "womens file cabinet in gray and black", + "living room file cabinet in gray and black", + "living cabinet gray and black", + "living cabinet, gray and black", + "womens file cabinet, gray and black", + "living cabinet in gray and black", + "womens file cabinet gray and black", + "living room file cabinet in gray black", + "womens file cabinet in gray black" + ], + "i need a vinyl acetate narrow fit sandals with big buckle. i am a size 8.5.": [ + "vinyl acetate narrow fit sandals with big buckle", + " vinyl acetate narrow fit sandals with big buckle", + "a vinyl acetate narrow fit sandals with big buckle", + "aluminum acetate narrow fit sandals with big buckle", + " vinyl acetate narrow fit sandals with big buckle size 8.5", + "levisate narrow fit sandals with big buckle", + "levisate narrow fit sandals with big buckle size 8.5", + "vinyl acetate narrow fit sandals", + "aluminum acetate narrow fit sandals", + " vinyl acetate narrow fit sandals" + ], + "i am looking for gorgeous color black in the stainless steel metal watchband surface, the innovation design, looks more fashionable rabuzi band compatible for fitbit ionic band smartwatch.": [ + "baguzi band compatible for fitbit ionic band smartwatch", + "riguzi band compatible for fitbit ionic band smartwatch", + "rabbuzi band for fitbit ionic band smartwatch", + "rabbuzi band compatible fitbit ionic band smartwatch", + "beautiful color black in the stainless steel metal watchband surface", + "rabbuzi band compatible for fitbit ionic smartwatch", + "rabbuzi band compatible for fitbit ionic", + "baguzi band compatible for fitbit ionic", + "rabbuzi band", + "gorgeous color black watchband" + ], + "i am looking for fashion comfortable flats for women with the durable slip on outsole withlight weight lyhomean handmade women linen cotton slip on loafers in grey color. size 6.5 preferable.": [ + "fashion comfortable flats for women size 6.5", + "fashion comfortable flats for women in a grey color", + "fashion comfortable flats for women", + "fashion comfortable flats for women, durable slip on outsole", + "fashion comfortable flats for women in grey color", + "fashion comfortable flats for women in a grey color", + "fashion comfortable flats for women size 6.5 in grey", + "fashion comfortable flats for women", + "fashion comfortable flats", + "fashion comfortable flats" + ], + "i am looking for a long lasting highly pigmented eye shadow for senstive skin": [ + "long lasting highly pigmented eye shadow for senstive skin", + "pink pigmented eye shadow for senstive skin", + "lip pigmented eye shadow for senstive skin", + "pigmented eye shadow for senstive skin", + "fluoride pigmented eye shadow for senstive skin", + "lens pigmented eye shadow for senstive skin", + "pink eye shadow for senstive skin", + "fluoride eye shadow for senstive skin", + "pink pigmented eye shadow for senstive skin long lasting", + "long lasting highly pigmented eye shadow for senstive skin," + ], + "i'm looking for a #9 silver open toe women flat sandals, size-11": [ + "silver open toe women flat sandals size-11", + "open toe women flat sandals size-11", + "single toe women flat sandals size-11", + "womens flat sandals size-11", + "woman flat sandals size-9", + "woman flat sandals size-11", + "womens flat sandals size-9", + "aluminum flat sandals size-11", + "silver open toe women flat sandals size-9", + "6 silver open toe women flat sandals" + ], + "i am looking for a ready to use cocktail mixer that is authentic michelada mix and is 33.8 fl oz.": [ + "ready to use cocktail mixer 33.8 fl oz", + "a ready to use cocktail mixer 33.8 fl oz", + "tea mixer 33.8 fl oz", + "bagel mixer 33.8 fl oz", + "barbecue mixer 33.8 fl oz", + "cashew mixer 33.8 fl oz", + "ready to use cocktail mixer 33.8 fl oz.", + "tea mixer that is authentic michelada mix", + "ready to use cocktail mixer 33.8fl oz", + "ready to use cocktail mixer 33.8 oz" + ], + "i am looking for a 16 fl oz cocktail mixer that is ready to use and is ginger lemonade flavored.": [ + "16 fl oz cocktail mixer", + "16 fl oz cocktail mixer, ginger lemonade flavored", + "16 fl oz cocktail mixer with ginger lemonade flavored", + "16 fl oz cocktail mixer that is ready to use", + "16 fl oz cocktail mixer ginger lemonade flavored", + "16 fl oz cocktail mixer in ginger lemonade flavored", + "16 fl oz cocktail mixer gmo lemonade flavored", + "16 fl oz cocktail mixer ready to use ginger lemonade flavored", + "16 fl oz cocktail mixer, ginger lemonade flavored,", + "16 oz cocktail mixer" + ], + "i'm looking for a 18 inch double sided hair extensions": [ + "18 inch double sided hair extensions", + "18 inch double sided hair extension", + "18 inch double sided hair extensions under $50", + "18 inch double sided hair extensions under $60", + "18 inch double sided hair extensions under $40", + "18 inch double sided hair extensions under $120", + "18 inch double sided hair extensions under 50 dollars", + "18 inch double sided hair extensions under $130", + "18 inch double sided hair extensions under 30 dollars", + "18 inch double sided hair extensions under 40 dollars" + ], + "i need some prewashed comfortable fit jeans that are relaxed and a size 36w by 31l": [ + "prewashed comfortable fit jeans in a size 36w by 31l", + "prewashed comfortable fit jeans 36w by 31l", + "prewashed comfortable fit jeans size 36w by 31l", + "teeth 36w by 31l", + "prewashed comfortable fit jeans, 36w by 31l", + "comfortable fit jeans 36w by 31l", + "prewashed comfortable fit jeans", + "prewashed comfortable fit jeans that are relaxed", + "style 36w by 31l jeans", + "prewashed comfortable fit jeans 36w by 31l under $40" + ], + "i want banjo blue and machine washable wrangler cowboy cut jeans.": [ + "banjo blue machine washable wrangler cowboy cut jeans", + "banjo blue wrangler cowboy cut jeans", + "banjo blue body washable wrangler cowboy cut jeans", + "banjo blue men washable wrangler cowboy cut jeans", + "banjo blue human washable wrangler cowboy cut jeans", + "banjo blue human wrangler cowboy cut jeans", + "banjo blue washable wrangler cowboy cut jeans", + "banjo blue wrangler cowboy cut jeans under $40", + "banjo blue cowboy cut jeans", + "banjo blue" + ], + "i want long lasting and slim wrangler mens cowboy jeans.": [ + "long lasting and slim wrangler mens cowboy jeans", + "long lasting slim wrangler mens cowboy jeans", + "womens cowboy jeans long lasting", + "womens cowboy jeans long lasting and slim", + "womens cowboy jeans", + "brittle wrangler mens cowboy jeans", + "short lasting and slim wrangler mens cowboy jeans", + "slim wrangler mens cowboy jeans", + "long lasting wrangler mens cowboy jeans", + "brittle wrangler mens cowboy jeans long lasting" + ], + "i want big & tall and comfortable fit wrangler mens cowboy cut jeans.": [ + "big & tall wrangler mens cowboy cut jeans", + "big and tall wrangler mens cowboy cut jeans", + "twin wrangler mens cowboy cut jeans", + "womens cowboy cut jeans", + "big & tall wrangler mens cowboy cut jeans.", + "big and tall wrangler mens cowboy cut jeans.", + "big & tall cowboy cut jeans", + "big & tall wrangler mens cowboy cut jeans,", + "cowboy cut jeans", + "big and tall wrangler mens cowboy cut jeans," + ], + "i want a long lasting shower gel gift set for sensitive skin. pick something with cherry blossom scent.": [ + "shower gel gift set for sensitive skin with cherry blossom scent", + "bathroom gel gift set for sensitive skin with cherry blossom scent", + "long lasting shower gel gift set for sensitive skin with cherry blossom scent", + "shower gel gift set for sensitive skin", + "shower gel gift set for sensitive skin, cherry blossom scent", + "bathroom gel gift set for sensitive skin", + "shower gel gift set for sensitive skin with cherry blossom scent.", + "long lasting shower gel gift set for sensitive skin", + "bathroom gel gift set for sensitive skin with cherry blossom scent.", + "shower gel gift set for sensitive skin whose price is high" + ], + "i am looking for zero sugar sparkling water which is peach flovoured and should be 15.99 fl oz in size (pack of 12.": [ + "zero sugar sparkling water 15.99 fl oz in size (pack of 12)", + "pomegranate flovoured sparkling water 15.99 fl oz in a pack of 12", + "pomegranate flovoured water 15.99 fl oz in a pack of 12", + "pink sparkling water 15.99 fl oz in size (pack of 12)", + "pomegranate flovoured sparkling water 15.99 fl oz in pack of 12", + "zero sugar sparkling water 15.99 fl oz in size (pack of 12),", + "low sugar sparkling water 15.99 fl oz in size (pack of 12)", + "pomegranate flovoured sparkling water 15.99 fl oz in pack of 12.", + "zero sugar sparkling water 15.99 fl oz in a pack of 12", + "zero sugar sparkling water which is peach flovoured" + ], + "i would like a 12 pack of 16 fluid ounce bottles of zero sugar wild berry energy drinks.": [ + "pack of 16 fluid ounce bottles of zero sugar wild berry energy drinks", + "12 pack of 16 fluid ounce bottles of zero sugar wild berry", + "12 pack zero sugar wild berry energy drinks", + "16 fluid ounce bottles of zero sugar wild berry energy drinks", + "12 pack of 16 fluid ounce bottles of zero sugar wild berry drink", + "12 pack of 16 fluid ounce bottles zero sugar wild berry energy drinks", + "12 pack zero sugar wild berry energy drink", + "12 pack wild berry energy drinks", + "12 pack zero sugar wild berry energy drinks under $60", + "12 pack of 16 fluid ounce bottles" + ], + "i am looking for a .4 fl oz concealer that is good for dark circles and is in the shade 12.0 light sand.": [ + "dark circles concealer in the shade 12.0 light sand", + "4 fl oz concealer that is good for dark circles in the shade 12.0 light sand", + "dark circles concealer 12.0 light sand", + "dark circles concealer that is good for dark circles, shade 12.0 light sand", + "dark circles concealer that is good for dark circles", + "dark circles concealer under 12.0 light sand", + "4 fl oz concealer that is good for dark circles", + "dark circles concealer 12.0", + "dark circles concealer", + "dark circles concealer under 12.0" + ], + "i am looking for blue high waist casual pants for women.": [ + "blue high waist casual pants for women", + "blue high waist casual pants", + "blue high waist jeans for women", + "blue high waist walking pants for women", + "blue high waist casual pants women", + "blue high waist casual pants for woman", + "blue waist casual pants for women", + "blue high waist jeans", + "blue high waist", + "blue jeans" + ], + "i'm looking for a red hand washed tanks & camis for women.": [ + "red hand washed tanks & camis for women", + "red hand washed tanks and camis for women", + "red hand washed tanks & camis for women.", + "hand washed tanks & camis for women", + "red hand washed tanks and camis for women.", + " red hand washed tanks & camis for women", + "blue hand washed tanks & camis for women", + "red hand washed tanks & camis", + "hand washed tanks and camis for women", + "red hand washed tanks & camis for women," + ], + "i'm looking for a cocktail mixer that is gluten free, nut free and has no artificial colors. also, choose wine freezer sangria with pack of 4.": [ + "barbecue mixer gluten free, nut free and pack of 4", + "barbecue mixer gluten free with pack of 4", + "barbecue mixer gluten free and nut free", + "barbecue mixer gluten free pack of 4", + "barbecue mixer gluten free", + "barbecue mixer gluten free, nut free and under $40", + "barbecue mixer gluten free, nut free and under 40 dollars", + "barbecue mixer that is gluten free and nut free", + "barbecue mixer gluten free pack of 4 wine freezer sangria", + "barbecue mixer gluten free no artificial" + ], + "i would like a non alcoholic eggnog mixer that comes in a four pack": [ + "non alcoholic eggnog mixer four pack", + "4 pack non alcoholic eggnog mixer", + "4 pack non alcoholic eggnog mixer four pack", + "non alcoholic eggnog mixer 4 pack", + "non alcoholic eggnog mixer four pack four pack", + "non alcoholic eggnog mixer, four pack", + "non alcoholic eggnog mixer 4 pack four pack", + "non alcoholic eggnog mixer in a four pack", + "non alcoholic eggnog mixer three pack", + "non alcoholic eggnog mixer" + ], + "i am looking for a medium adult sized unisex hoodie which is machine washable. pick the navy blue one.": [ + "medium adult sized unisex hoodie", + "medium adult sized unisex hoodie, machine washable", + "medium adult sized unisex hoodie in navy blue", + "large adult sized unisex hoodie, machine washable", + "large adult sized unisex hoodie", + "medium adult sized unisex hoodie with a navy blue", + "medium adult sized unisex hoodie under $50", + "navy blue hoodie", + "man washable navy blue hoodie", + "medium adult hoodie machine washable" + ], + "i want a body wash that is dermatologist tested. it should have a cucumber and aloe scent.": [ + "dermatologist tested body wash with cucumber and aloe scent", + "body wash dermatologist tested with cucumber and aloe scent", + "dermatologist tested body wash with cucumber aloe scent", + "body wash with cucumber and aloe scent", + "body wash dermatologist tested with cucumber aloe scent", + "body wash that is dermatologist tested with cucumber aloe scent", + "body wash with cucumber aloe scent", + "body wash that is dermatologist tested", + "body wash dermatologist tested, cucumber aloe scent", + "body wash dermatologist tested with cucumber and aloe scent." + ], + "i want to find green tea lip gloss that comes in the color \"kiss me pink.\"": [ + "green tea lip gloss", + "green tea lip gloss, pink", + "green tea lip gloss pink", + "green tea lip gloss kiss me pink", + "green tea lip gloss that is pink", + "green tea lip gloss color", + "green tea lip gloss,", + "gmo pink", + "yellow lip gloss", + "teeth pink" + ], + "i am looking for itch relief balm for sensitive skin.": [ + " itch relief balm for sensitive skin", + " itch relief balm for sensitive skin.", + "curt relief balm for sensitive skin", + "8 foot itch relief balm for sensitive skin", + "curt relief balm for sensitive skin.", + "espresso relief balm for sensitive skin", + "the itch relief balm for sensitive skin.", + "bbq relief balm for sensitive skin", + "espresso relief balm for sensitive skin.", + " itch relief balm sensitive skin" + ], + "i am looking for a repairing cream sulfate free body washes for dry skin": [ + "shoes and body washes for dry skin", + "shoes cream sulfate free", + "shampoo cream sulfate free body washes", + "shoes with cream sulfate free body washes", + "shampoo and conditioner cream sulfate free", + "curtains cream sulfate free body washes", + " repairing cream sulfate free body washes", + "shampoo cream sulfate free", + "shoes and body wash", + "shoes" + ], + "i would like three traditional vanity lights that are in a satin bronze finish.": [ + "three traditional vanity lights satin bronze finish", + "three traditional vanity lights with satin bronze finish", + "three traditional vanity lights, satin bronze finish", + "three traditional vanity lights satin bronze", + "3 traditional vanity lights satin bronze finish", + "three traditional vanity lights in satin bronze finish", + "three traditional vanity lights", + "3 traditional vanity lights satin bronze", + "three traditional vanity lights satin bronze finish.", + "traditional vanity lights satin bronze" + ], + "i'm looking for a three light vanity style light fixture that can hang on the wall and has chrome finish.": [ + "three light vanity style light fixture", + "three light vanity style light fixture with chrome finish", + "3 light vanity style light fixture", + "3 light vanity style light fixture with chrome finish", + "three light vanity style light fixture with a chrome finish", + "three light vanity style light fixture, with chrome finish", + "light vanity style light fixture with chrome finish", + "three light vanity style light fixture under $130", + "three light vanity style light fixture under $50", + "three light vanity style light fixture with chrome finish." + ], + "i am looking for bronze finish chrome color vanity lights": [ + " bronze finish chrome color vanity lights", + "golden finish chrome color vanity lights", + "chrome color vanity lights", + "plastic finish chrome color vanity lights", + "brushed finish chrome color vanity lights", + "chrome finish chrome color vanity lights", + "silver finish chrome color vanity lights", + "buffet finish chrome color vanity lights", + "chrome color vanity lights bronze finish", + "chrome color vanity lights, bronze finish" + ], + "i would like a nine light vanity light wall sconce with chrome finish": [ + "9 light vanity light wall sconce with chrome finish", + "9 light vanity light wall sconce", + "nine light vanity light wall sconce with chrome finish", + "Nine light vanity light wall sconce with chrome finish", + "10 light vanity light wall sconce with chrome finish", + "light vanity light wall sconce with chrome finish", + "nine light vanity light wall sconce", + "9 light vanity light wall sconce, chrome finish", + "portrait light wall sconce with chrome finish", + "alarm light wall sconce with chrome finish" + ], + "can i get some chandelier vanity lights with a bronze finish?": [ + "chandelier vanity lights with a bronze finish", + "chandelier vanity lights with bronze finish", + "chandelier vanity lights bronze finish", + " chandelier vanity lights with a bronze finish", + "a chandelier vanity lights with a bronze finish", + "chandelier vanity lights, bronze finish", + "caramelier vanity lights with a bronze finish", + "chandelier vanity lights with a bronze finish,", + "curtains bronze chandelier vanity lights", + "chandelier vanity lights" + ], + "i want to buy vanity lights which have bronze finish and the color of which is satin bronze, and with a size of nine light, while it's style should be mini-pendant.": [ + "vanity lights satin bronze", + "vanity lights, satin bronze", + "vanity lights with bronze finish", + "vanity lights in satin bronze", + "vinyl lights satin bronze", + "pink vanity lights satin bronze", + "k vanity lights satin bronze", + "vanity lights, satin bronze,", + "vanity lights which have bronze finish", + " vanity lights satin bronze" + ], + "i need four contemporary vanity lights.": [ + "contemporary vanity lights", + "4 contemporary vanity lights", + "four contemporary vanity lights", + "contemporary vanity lights four contemporary", + "three contemporary vanity lights", + "living room vanity lights four contemporary", + "living room vanity lights", + "contemporary vanity lights.", + "contemporary vanity lights four", + "modern vanity lights" + ], + "i want to get a three light, wall scone style vanity light that has a brushed nickel finish.": [ + "three light, wall scone style vanity light", + "three light wall scone style vanity light", + "three light vanity light with brushed nickel finish", + "three light vanity light that has a brushed nickel finish", + "3 light, wall scone style vanity light", + "three light vanity light", + "three light vanity light that has brushed nickel finish", + "three light vanity light, brushed nickel finish", + "three light bathroom vanity light", + "3 light vanity light" + ], + "i need to buy a vanity light in brushed nickel with two lights.": [ + "vanity light in brushed nickel with two lights", + "vanity light in brushed nickel", + "pink vanity light in brushed nickel with two lights", + "k vanity light in brushed nickel with two lights", + "vegan vanity light in brushed nickel with two lights", + " vanity light in brushed nickel with two lights", + "vinyl light in brushed nickel with two lights", + "vanity light in brushed nickel, two lights", + "vanity light in brushed nickel with two lights.", + "vanity light in brushed nickel two lights" + ], + "i'd like to find a 2-pack of 16 ounce bags of chocolate covered cherries. ideally the flavors will be variety white and imperial.": [ + "chocolate covered cherries variety white and imperial", + "12 pack of chocolate covered cherries", + "12 ounce chocolate covered cherries variety white and imperial", + "chocolate covered cherries variety white", + "2-pack of 16 ounce chocolate covered cherries", + "16 ounce bags of chocolate covered cherries", + "chocolate covered cherries", + "chocolate covered cherries flavor white and imperial", + "cherries variety white and imperial", + "chocolate covered cherries variety white and imperial flavor" + ], + "i am looking a valentine day chocolate gift basket of imperial chocolate flavour size :8 ounce (pack of 2)": [ + "valentine chocolate gift basket of imperial chocolate flavour size :8 ounce (pack of 2)", + "valentine day chocolate gift basket of imperial chocolate flavour size :8 ounce (pack of 2)", + "almond chocolate gift basket of imperial chocolate flavour size :8 ounce (pack of 2)", + " valentine chocolate gift basket of imperial chocolate flavour size :8 ounce (pack of 2)", + "valentine chocolate gift basket of imperial chocolate flavour size :8 ounce (pack of 2)", + "valentine chocolate gift basket of imperial chocolate flavour size :8 ounce (pack of 2),", + "valentine day chocolate gift basket of imperial chocolate flavour size :8 ounce (pack of 2),", + "valentine chocolate gift basket of imperial chocolate flavour size :8 ounce (pack of 2),", + "8 ounce (pack of 2) chocolate gift basket", + "valentine day chocolate gift basket of imperial chocolate flavour" + ], + "i am looking for cherry republic brand chocolate covered cherries, 2 of the 8 ounce packages.": [ + "cherries 2 of the 8 ounce packages", + "cherries 8 ounce", + "cherries 8 oz", + "cherries 8 ounce package", + "cherries 8 ounce packages", + "cherry republic brand chocolate covered cherries", + "cherries chocolate covered 8 ounce packages", + "chocolate covered cherries 8 oz", + "roasted cherries 8 oz", + "cherries chocolate covered 8 ounce" + ], + "i looking a gluten free peanut butter dark chocolate": [ + "gluten free peanut butter dark chocolate", + "gluten free peanut butter dark chocolate flavor", + "gluten-free peanut butter dark chocolate", + "lemon butter dark chocolate gluten free", + "gluten free peanut butter dark chocolate mix", + "vegan peanut butter dark chocolate", + "lemon butter dark chocolate", + "pale peanut butter dark chocolate", + "butter peanut butter dark chocolate", + "pale butter dark chocolate" + ], + "i'm looking for lumbar support adjustable height wheel chair without arms rest. also tan color one.": [ + "lumbar support adjustable height wheel chair without arms rest", + "lumbar support adjustable height wheel chair with arms rest", + "lumbar support adjustable height wheel chair", + "lumbar support adjustable height wheel chair without arms rest tan", + "lumbar support adjustable height wheel chair with arms rest tan", + "leviseless height wheel chair with arms rest", + "i lumbar support adjustable height wheel chair without arms rest", + "a lumbar support adjustable height wheel chair without arms rest", + "levisate height wheel chair with arms rest", + "lumbar support adjustable height wheel chair without arms" + ], + "i need usb cables that have fast charging capabilities.": [ + "usb cables fast charging", + "usb cables with fast charging", + "usb cables that have fast charging capabilities", + "usb cables that have fast charging", + "usb cables that are fast charging", + " usb cables that have fast charging capabilities", + " usb cables fast charging", + " usb cables with fast charging", + "strawberry cables with fast charging", + "strawberry cables fast charging" + ], + "i would like to have a usb cable with output protection.": [ + "usb cable with output protection", + " usb cable with output protection", + "usb cable with output protection.", + "usb cable no output protection", + "usb cable that is output protection", + "usb cable, output protection", + "usb cable with output protection,", + "usb cables with output protection", + "usb cable no output", + "usb cable output protection" + ], + "i am looking for a memory foam slipper that is suitable for 5-6 size leg . and i would go for white color": [ + "memory foam slipper 5-6 size leg white", + "memory foam slipper for 5-6 size leg", + "memory foam slipper 5-6 size leg", + "memory foam slipper 5-6 white", + "memory foam slipper size 5-6 white", + "memory foam slipper, 5-6 size leg", + "memory foam slipper 5-6 in white", + "memory foam slipper in white", + "memory foam slipper 5-6", + "memory foam slipper white" + ], + "i need a high power amplifier adapter for home audio.": [ + "high power amplifier adapter for home audio", + "high power amplifier adapter", + "home audio high power amplifier adapter", + "low power amplifier adapter for home audio", + "high power amplifier adapter to home audio", + "high power amplifier adapter home audio", + "high power amplifier plug and play", + "high power amplifier plug-in", + "home audio amplifier adapter", + "high power amplifier" + ], + "i am looking for a height adjustable, steel frame desks & desk sets of blue color.": [ + "height adjustable steel frame desks & desk sets", + "height adjustable, steel frame desks & desk sets", + "height adjustable steel frame desks and desk sets", + "height adjustable steel frame desk sets of blue", + "height adjustable steel frame desks & desk set", + "height adjustable, steel frame desk sets of blue", + "height adjustable steel frame desk sets of blue color", + "height adjustable, steel frame desks & desk set", + "height adjustable steel frame desk sets", + "height adjustable steel frame desks" + ], + "i need a fluoride free toothpaste that ensures fresh breath and removes stain. pick a purple colored one.": [ + "fluoride free toothpaste", + "fluoride free toothpaste purple", + "fluoride free toothpaste pomegranate colored", + "fluoride free toothpaste, purple", + "fluoride free toothpaste purple colored", + "fluoride free toothpaste with fresh breath", + "fluoride free toothpaste under $40", + "toothpaste purple", + "vegan toothpaste purple", + "veto free toothpaste" + ], + "i am looking for some eye shadow in the midnight sky shade.": [ + "night sky shade", + "eye shadow in the midnight sky shade", + "an eye shadow in the midnight sky shade", + "pink eye shadow in the midnight sky shade", + "moisturizing eye shadow", + "eye shadow in the midnight sky shade.", + "an eye shadow in the midnight sky shade.", + "night sky shade that is eye shadow", + "night sky shade.", + "night sky shade," + ], + "i will need a high speed coaxial cable made of aluminum alloy. pick the black one.": [ + "high speed coaxial cable made of aluminum alloy", + "high speed coaxial cable made of aluminum alloy in black", + "coaxial cable made of aluminum alloy", + "high speed coaxial cable made of aluminum alloy black", + "high speed coaxial cable made of aluminum alloy, black", + "high speed coaxial cable with aluminum alloy", + "high speed cable made of aluminum alloy", + "high speed coaxial cable", + "carrier cable made of aluminum alloy", + "cable made of aluminum alloy" + ], + "look for a high speed coaxial cable that is about 1 foot. three per pack would be nice.": [ + "high speed coaxial cable that is about 1 foot", + "high speed coaxial cable", + "high speed coaxial cable under $50", + "high speed coaxial cable under $60", + "high speed coaxial cable under $40", + "high speed coaxial cable 1 foot", + "high speed coaxial cable about 1 foot", + "high speed coaxial cable, about 1 foot", + "coaxial cable that is about 1 foot", + "coaxial cable" + ], + "i want for a video cables a coaxial cable and aluminum alloy and to be a usa made trishield black": [ + "tv cables a usa made trishield black", + "tv cables usa made trishield black", + "tv cables made from usa made trishield black", + "tv cables that are usa made trishield black", + "tv cables with usa made trishield black", + "tv cables with aluminum alloy", + "video cables a usa made trishield black", + "im looking for a video cables a usa made trishield black", + "tv cables with an aluminum alloy", + "tv cables a usa made trishield black," + ], + "i need a high speed coaxial cable that is 85 feet in size.": [ + "high speed coaxial cable 85 feet in size", + "high speed coaxial cable 85 feet", + "high speed coaxial cable that is 85 feet", + "high speed coaxial cable, 85 feet in size", + "high speed coaxial cable", + "high speed coaxial cable with 85 feet in size", + "coaxial cable that is 85 feet in size", + "high speed coaxial cable 85 feet in size.", + "high speed coaxial cable whose price is 85 feet", + "coaxial cable 85 feet in size" + ], + "i'm looking for 210ft of high speed rg-6 coaxial cable that is ready to bury with an orange weather boot.": [ + " 210ft of high speed rg-6 coaxial cable", + " 210ft of high speed rg-6 coaxial cable with an orange weather boot", + "210ft of high speed rg-6 coaxial cable", + "portrait 210ft high speed rg-6 coaxial cable", + " 210ft of high speed rg-6 coaxial cable under $50", + " 210ft high speed rg-6 coaxial cable", + " 210ft of high speed rg-6 coaxial cable under $40", + "210ft high speed rg-6 coaxial cable", + " 210ft of high speed rg-6 coaxial cable with an orange weather boot under $50", + "high speed rg-6 coaxial cable" + ], + "i would like a three pack of 4 ft quad rg11 weather boot high speed coaxial cable.": [ + "3 pack quad rg11 weather boot high speed coaxial cable", + "three pack quad rg11 weather boot high speed coaxial cable", + "4 ft quad rg11 weather boot high speed coaxial cable", + "3 pack of quad rg11 weather boot high speed coaxial cable", + "three pack of 4 ft quad rg11 weather boot high speed cable", + "3 pack of 4 ft quad rg11 weather boot high speed cable", + "quad rg11 weather boot high speed coaxial cable", + "4 ft quad rg11 weather boot high speed coaxial cable three pack", + "3 pack of quad rg11 weather boot high speed coaxial cable.", + "three pack of 4 ft quad rg11 weather boot high speed cable." + ], + "can you find me a two pack coaxial cable that's high speed, made of aluminum alloy, and is 15 feet long?": [ + "two pack coaxial cable 15 feet long", + "two pack coaxial cable high speed 15 feet long", + "two pack coaxial cable, high speed, made of aluminum alloy", + "two pack coaxial cable", + "two pack coaxial cable that high speed, made of aluminum alloy", + "two pack coaxial cable with high speed 15 feet long", + "two pack coaxial cable with high speed, made of aluminum alloy", + "two pack coaxial cable high speed, made of aluminum alloy", + "two pack coaxial cable whose high speed is 15 feet long", + "two pack coaxial cable with high speed" + ], + "i'm looking for coaxial cable for video accessories for electronics.": [ + "coaxial cable for video accessories", + "coaxial cable video accessories for electronics", + " coaxial cable for video accessories for electronics", + "coaxial cable video accessories", + " coaxial cable for video accessories", + "curtial cable for video accessories", + " coaxial cable video accessories for electronics", + "coaxial cable for electronic accessories", + "coaxial cable for electronics", + "coaxial cable" + ], + "i'm looking for high speed net it has quashield-black material type.": [ + "high speed net with quashield-black material type", + "high speed net quashield-black", + "high speed net it has quashield-black material type", + "high speed net quashield-black material type", + "high speed net with quashield-black material", + "high speed net that has quashield-black material type", + "high speed net that is quashield-black", + "high speed net with quashield-black material type.", + "high speed net, quashield-black material type", + "high speed net with a quashield-black material type" + ], + "i need to buy a twenty foot high speed coaxial cable.": [ + "20 foot high speed coaxial cable", + "coaxial cable twenty foot high speed", + "Twenty foot high speed coaxial cable", + "wireless cable twenty foot high speed", + "23 foot high speed coaxial cable", + "twin speed coaxial cable", + "two foot high speed coaxial cable", + "28 foot high speed coaxial cable", + "coaxial cable 20 foot high speed", + "coaxial cable" + ], + "i am looking for 2 pack of 20ft long quadshield solid copper black color indoor and outdoor coaxial cable": [ + "2 pack of 20ft long quadshield solid copper black cable", + "2 pack of 20ft long quadshield solid copper black", + "2 pack of 20ft long quadshield solid copper black wireless charging", + "2 pack of 20ft long quadshield solid copper", + "2 pack of 20ft long quadshield solid copper black wireless cable", + "20ft long quadshield solid copper black indoor and outdoor coaxial cable", + "two pack of 20ft long quadshield solid copper black cable", + "20ft long quadshield solid copper black cable", + "28ft long quadshield solid copper black cable", + "20ft long quadshield solid copper black" + ], + "i am looking for a high speed coaxial cable that is 135 ft long.": [ + "high speed coaxial cable 135 ft long", + "coaxial cable 135 ft long", + "medium speed coaxial cable 135 ft long", + "pink cable 135 ft long", + "compactial cable 135 ft long", + "comportial cable 135 ft long", + "competial cable 135 ft long", + "high speed coaxial cable", + "celling cable 135 ft long", + "high speed coaxial cable 135 ft" + ], + "i'm looking for coaxial cable for video accessories it can intall at any": [ + "coaxial cable video accessories", + "coaxial cable for video accessories", + "curtial cable for video accessories", + " coaxial cable for video accessories", + "coaxial cable video accessories under $50", + "coaxial cable video accessories under $40", + "curtial cable video accessories", + " coaxial cable video accessories", + "coaxial cable", + "cable for video accessories" + ], + "i need a high speed coaxial cable that is 50ft.": [ + "50ft coaxial cable", + "high speed coaxial cable 50ft", + "coaxial cable that is 50ft", + "coaxial cable 50ft", + "50ft high speed coaxial cable", + "coaxial cable 50ft high speed", + "50ft coaxial cable high speed", + "high speed coaxial cable under 50ft", + "50ft coaxial cable under $50", + "50ft coaxial cable under $60" + ], + "i'm looking for 6ft - 3packs of high speed coaxial cable with aluminum alloy.": [ + "6ft - 3packs of high speed coaxial cable with aluminum alloy", + "6ft - 3pack of high speed coaxial cable with aluminum alloy", + "6ft - 3packs of high speed coaxial cable", + "6ft - 3pack of high speed coaxial cable", + "6ft - 3lbs high speed coaxial cable with aluminum alloy", + "6ft - 3lbs of high speed coaxial cable with aluminum alloy", + "6ft - 3packs of high speed coaxial cable aluminum alloy", + "6ft - 3pack high speed coaxial cable with aluminum alloy", + "6ft-3packs of high speed coaxial cable with aluminum alloy", + "6ft - 3packs high speed coaxial cable with aluminum alloy" + ], + "i would like a 10 foot long copper coaxial cable.": [ + "10 foot long copper coaxial cable", + "coaxial cable 10 foot long", + "10 foot long copper coaxial cable under $40", + "10 foot long copper coaxial cable.", + "10 foot long copper coaxial cable under $50", + "10 foot long copper coaxial cable under $60", + "coaxial cable 10 ft long", + "10 foot long copper coaxial cable under $130", + "10 foot long copper coaxial cable under $120", + "10 foot long copper coaxial cable under 50 dollars" + ], + "buy a 20ft video cable that has aluminum alloy.": [ + "20ft video cable with aluminum alloy", + "20ft video cable aluminum alloy", + "20ft video cable", + "20ft video cable, aluminum alloy", + "tv cable 20ft aluminum alloy", + "tv cable with aluminum alloy", + "20ft video cable in aluminum alloy", + "tv cable that has aluminum alloy", + "tv cable with aluminum alloy 20ft", + "20ft video cable whose aluminum alloy" + ], + "i am looking for a high speed 150 ft coaxial cable": [ + "high speed 150 ft coaxial cable", + "high speed 150 ft coaxial cable under $40", + "high speed 150 ft coaxial cable under $60", + "high speed 150 ft coaxial cable under $120", + "high speed 150 ft coaxial cable under $50", + "high speed 150 ft coaxial cable below $40", + "tv cable high speed 150 ft coaxial cable", + "high speed 150 ft coaxial cable under $130", + "medium speed 150 ft coaxial cable", + "high speed 150 ft coaxial cable under $140" + ], + "i would like a 3 ft long copper coaxial cable.": [ + "3 ft long copper coaxial cable", + "coaxial cable 3 ft long", + "3 ft long copper coaxial cable.", + "3 ft long copper coaxial cable under $50", + "3 ft long copper coaxial cable under $40", + "3 ft long copper coaxial cable 3 ft long", + "3 ft long copper coaxial cable under $60", + "3 ft long copper coaxial cable under $130", + "3 ft long copper coaxial cable under $120", + "3ft long copper coaxial cable" + ], + "i am looking for a 200ft coaxial cable black in color. indoor/outdoor use.": [ + "200ft coaxial cable black indoor/outdoor use", + "200ft coaxial cable black", + "200ft coaxial cable black indoor/outdoor use.", + "200ft coaxial cable black in color", + "200ft coaxial cable black for indoor/outdoor use", + "200ft coaxial cable black color indoor/outdoor use", + " 200ft coaxial cable black indoor/outdoor use", + "200ft coaxial cable black, indoor/outdoor use", + "200ft coaxial cable black indoor/outdoor", + "projectial cable black indoor/outdoor use" + ], + "i am looking for a 10 foot high speed coaxial cable.": [ + "10 foot high speed coaxial cable", + "coaxial cable 10 foot high speed", + "10 foot high speed coaxial cable.", + "8 foot high speed coaxial cable", + "coaxial cable 10 ft high speed", + "10 ft high speed coaxial cable", + "a 10 foot high speed coaxial cable", + "10 foot high speed coaxial cable,", + "10 foot high speed cable", + "high speed coaxial cable" + ], + "i'm looking for a high speed 180 foot coaxial cable with a trishield nickel-plated fitting.": [ + "high speed 180 foot coaxial cable", + "high speed 180 foot coaxial cable with trishield nickel-plated fitting", + "high speed 180 foot coaxial cable with a trishield nickel-plated", + "90 foot coaxial cable with a trishield nickel-plated fitting", + "high speed 180 foot coaxial cable, trishield nickel-plated fitting", + "high speed 180 foot coaxial cable, trishield nickel-plated", + "high speed 180 foot coaxial cable under $40", + "6 ft high speed 180 foot coaxial cable", + "tunnel cable high speed 180 foot", + "low speed 180 foot coaxial cable" + ], + "i would like a 200 foot long coaxial cable made of burial 3ghz rg6..": [ + "200 foot long coaxial cable made of burial 3ghz rg6", + " 200 foot long coaxial cable made of burial 3ghz rg6", + "200 foot long coaxial cable made of burial 3ghz", + "200 foot long cable made of burial 3ghz rg6", + "commodial cable made of burial 3ghz rg6", + "200 foot long coaxial cable with burial 3ghz rg6", + "cable made of burial 3ghz rg6", + "200 foot long coaxial cable made of burial 3ghz,", + "200 foot long coaxial cable", + "200 foot long coaxial cable under $50" + ], + "i'm looking for a oil free cleansers for acne spot.": [ + "oil free cleansers acne spot", + "oil free cleansers for acne spot", + "moisturizing cleansers for acne spot", + "lip cleansers acne spot oil free", + "oil free cleansers acne spot.", + "an oil free cleansers for acne spot", + "moisturizing cleansers acne spot", + "an oil free cleansers for acne spot.", + "an oil free cleansers acne spot", + "oil free cleansers for acne spot." + ], + "i want a laundry bag for my blouse and hosiery.": [ + "laundry bag for blouse and hosiery", + "laundry bag for blouse hosiery", + "laundry bag for hosiery", + "a laundry bag for blouse and hosiery", + "washable bag for blouse and hosiery", + "a laundry bag for my blouse and hosiery", + "alarm bag for blouse and hosiery", + "womens laundry bag", + "laundry bag hosiery", + "womens laundry bag for blouse hosiery" + ], + "i intrested natural flavors pure chocolate extract gluten free 8fl oz": [ + "natural flavors pure chocolate extract gluten free 8fl", + "natural flavors pure chocolate extract gluten free 8fl oz", + "natural flavor pure chocolate extract gluten free 8fl", + "natural chocolate extract gluten free 8fl oz", + "natural chocolate extract gluten free 8fl oz", + "natural chocolate extract gluten free 8fl", + "natural flavor pure chocolate extract gluten free 8fl oz", + "pure chocolate extract gluten free 8fl oz", + "pure chocolate extract gluten free 8fl", + "natural flavors chocolate extract gluten free 8fl oz" + ], + "i'm looking for a sd card with h1080p hd resolution. also, choose single style 32 gb capacity.": [ + "single style 32gb sd card", + "sd card with h1080p hd resolution", + "single style 32 gb sd card", + "single style 32gb sd card with h1080p", + "sd card h1080p hd resolution", + "single style 32gb hd resolution sd card", + "hd card with h1080p hd resolution", + "sd card with h1080p hd resolution.", + "single style 32gb hd card", + "single style 32 gb hd card" + ], + "i would like a 25 pack of 256gig high speed sd cards.": [ + "25 pack of 256gig high speed sd cards", + "25 pack of 256gig high speed sd card", + "25 pack of 256gbig high speed sd cards", + "24 pack of 256gig high speed sd cards", + "25 pack of 128gig high speed sd cards", + " 25 pack of 256gig high speed sd cards", + "25 pack high speed sd cards", + "galaxy high speed sd card 25 pack", + "25 pack of 256gig sd cards", + "25 pack high speed sd card" + ], + "i am looking for a high performance usb flash drive. pick a gold one.": [ + "usb flash drive gold", + "high performance usb flash drive", + "high performance usb flash drive gold", + "high performance usb flash drive, gold", + "high performance usb flash drive that is gold", + "high performance usb flash drive in gold", + "high performance usb flash drive under $40", + "usb flash drive that is high performance", + "high performance usb flash drive under $60", + "high performance usb flash drive under $50" + ], + "i am looking for a wood finish posters for my living room. and i would go for 30 x 40 size": [ + "wood finish posters for my living room 30 x 40 size", + "wood finish posters for my living room. 30 x 40", + "wood finish posters for living room. 30 x 40 size", + "wood finish poster for living room 30 x 40", + "wood finish poster for living room 30 x 40 size", + "wood finish posters for my living room 30 x 40", + "wood finish poster for my living room 30 x 40 size", + "wood finish posters for living room 30 x 40 size", + "wood finish posters for my living room", + "wood finish poster for my living room. 30 x 40" + ], + "i need a bubble bath sticker that is ready to hang.": [ + "bubble bath sticker ready to hang", + "bath sticker ready to hang", + "bubble bath sticker", + "bathroom bath sticker ready to hang", + "bottle bath sticker ready to hang", + "bath sticker that is ready to hang", + " bubble bath sticker ready to hang", + "bath sticker ready to hang.", + "bubble bath sticker", + "bath sticker" + ], + "i would like a non-dairy coffee creamer that is the cinnamon vanilla cream flavor and that comes in a pack of three 150 single servings.": [ + "non-dairy coffee creamer that is the cinnamon vanilla cream flavor", + "non-dairy coffee creamer cinnamon vanilla cream flavor three 150 single servings", + "non-dairy coffee creamer cinnamon vanilla cream flavor", + "non-dairy coffee creamer with cinnamon vanilla cream flavor three 150 single servings", + "non-dairy coffee creamer with cinnamon vanilla cream flavor", + "non-dairy coffee creamer cinnamon vanilla cream flavor pack of three 150 single servings", + "non-dairy coffee creamer cinnamon vanilla cream", + "non-dairy coffee creamer cinnamon vanilla cream flavor three pack", + "non-dairy coffee creamer", + "no dairy coffee creamer" + ], + "i'm looking for a 19\" neck 38\" sleeve classic fit dress shirts for men.": [ + "19 neck 38 sleeve classic fit dress shirts for men", + "19 neck 38 sleeve classic fit dress shirts for men.", + "19 neck 38 sleeve classic fit dress shirts for men under $40", + "19 neck 38 sleeve classic fit dress shirts for men under $50", + "19 neck 38 sleeve classic fit dress shirts for men under 50 dollars", + "19 neck 38 sleeve classic fit dress shirts for men under 30 dollars", + "19 neck 38 sleeve classic fit dress shirts for men under 40 dollars", + "19 neck 38 sleeve classic fit dress shirts", + "19 neck 38 sleeve classic fit dress shirts for men under $60", + "19 neck 38 sleeve classic fit dress shirts for men under 60 dollars" + ], + "i need a non gmo salad topper with glazed pecans.": [ + "non gmo salad topper with glazed pecans", + "non gmo salad toppers with glazed pecans", + "non gmo salad topper, glazed pecans", + "non gmo salad topper with glazed pecans.", + "non-gmo salad topper with glazed pecans", + "non gmo salad topper glazed pecans", + "non gmo salad topper", + "non gmo salad topper that is glazed pecans", + "non gmo salads topper with glazed pecans", + "non gmo salad topper made from glazed pecans" + ], + "i want red shears that are stainless steel and are 5.5 inches long.": [ + "red shears that are stainless steel 5.5 inches long", + "red shears 5.5 inches long", + "stainless steel red shears 5.5 inches long", + "red shears that are stainless steel, 5.5 inches long", + "red shears that are stainless steel", + "red shears stainless steel 5.5 inches long", + "red shears that are stainless steel 5.5 inches long.", + "red shears with stainless steel 5.5 inches long", + "red shears that are stainless steel 5.5 inches", + "red shears that are stainless steel 5.5 inches long," + ], + "i am looking for gold plated rca cables.": [ + "gold plated rca cables", + "gold plated rca cables.", + "gold plated rca cables under $40", + "gold plated rca cables under $50", + "gold plated rca cables under $60", + "gold plated rca cables under 50 dollars", + "pink plated rca cables", + "gold plated rca cables under 30 dollars", + "gold plated rca cables under $130", + "gold plated rca cables under $120" + ], + "i am looking for lightning to rca cable audio aux adapter, stereo y splitter adapter with gold plated and plug play": [ + "alarm to rca cable audio aux adapter with gold plated", + "alarm to rca cable audio aux adapter", + "alarm to rca cable audio aux adapter gold plated", + " lightning to rca cable audio aux adapter with gold plated", + "electricity to rca cable audio aux adapter with gold plated", + "lightning to rca cable audio aux adapter with gold plated", + "a lightning to rca cable audio aux adapter with gold plated", + "electricity to rca cable audio aux adapter", + " lightning to rca cable audio aux adapter", + "lightning to rca cable audio aux adapter" + ], + "i need a loose fit blouse that is green and in an xx-large.": [ + "green loose fit blouse xx-large", + "green xx-large blouse", + "green blouse xx-large", + "green and xx-large blouse", + "green xx-large blouse that is green", + "green xx-large blouse, loose fit", + "green loose fit blouse x-large", + "green xx-large blouse loose fit", + "jeans green xx-large", + "green loose fit blouse" + ], + "i am looking for a 5x long sleeve casual button-down shirts for men.": [ + "5x long sleeve casual button-down shirts for men", + "5x long sleeve casual button-down shirts", + "5 x long sleeve casual button-down shirts for men", + "5x long sleeve casual button-down shirt for men", + " 5x long sleeve casual button-down shirts for men", + "5x long sleeves casual button-down shirts for men", + "5xl casual button-down shirts for men", + "5x long sleeve casual button-down shirts men", + "5 x long sleeve casual button-down shirts", + "comfortable button-down shirts for men" + ], + "i am looking for medium size long sleeve orange color easy care shirt": [ + "medium sleeve orange color easy care shirt", + "medium t-shirt orange easy care", + "medium size orange color easy care shirt", + "orange color easy care shirt", + "medium size long sleeve orange", + "medium t-shirt orange", + "medium t-shirt easy care", + "medium shirt long sleeve orange", + "medium t-shirt easy care shirt", + "medium size long sleeve orange shirt" + ], + "i'm looking for a intel core i5 desktops with 32gb ram | 1tb ssd size.": [ + "intel core i5 desktops with 32gb ram", + "intel core i5 desktops with 32gb ram | 1tb ssd size", + "intel core i5 desktops 32gb ram", + "intel core i5 desktops with 32gb ram, 1tb ssd size", + "intel core i5 desktops with 32gb ram | 1tb ssd", + "intel core i5 desktops with 32gb ram and 1tb ssd size", + "intel core i5 desktops with 32gb ram in 1tb ssd size", + "intel core i5 desktops with 32gb ram 1tb ssd size", + "intel core i5 desktops with 32gb ram in 1tb ssd", + "intel core i5 desktops with 32gb ram 1tb ssd" + ], + "i want hair extensions that is easy to apply. the size should be 20 inches long.": [ + "hair extensions 20 inches long", + "hair extension 20 inches long", + "easy to apply hair extensions 20 inches long", + "easy apply hair extensions 20 inches long", + "hair extensions size 20 inches long", + "hair extension size 20 inches long", + "hair extensions 20 inches long under $40", + "hair extensions 20 inches long under $50", + "hair extensions 20 inches long under $60", + "hair extensions that are easy to apply" + ], + "i am looking for a 1000 count french vanilla coffee creamer that is non-dairy.": [ + "stainless sugar coffee creamer that is non-dairy", + "10 count french vanilla coffee creamer that is non-dairy", + "faux vanilla coffee creamer that is non-dairy", + "tea creamer that is non-dairy", + "cupcake creamer that is non-dairy", + "cup of coffee creamer that is non-dairy", + "cup coffee creamer that is non-dairy", + "10 count french vanilla coffee creamer", + "nt-dairy coffee creamer", + "stainless sugar coffee creamer" + ], + "i need stainless steel tongue cleaners to rid of bad breath.": [ + "stainless steel tongue cleaners", + "stainless steel tongue cleaners to rid of bad breath", + "stainless steel tongue cleaners for bad breath", + "stainless steel tongue cleaners that rid of bad breath", + "stainless steel tongue cleaners for bad breath.", + "stainless steel tongue cleaners under $50", + "stainless steel tongue cleaners under $40", + "stainless steel tongue cleaners under $60", + "stainless steel tongue cleaners, less then $40", + "stainless steel tongue cleaners, for bad breath" + ], + "i would like to order a tom and jerry 4xlarge sweatshirt . the material should be royal blue polyester cotton.": [ + "4xlarge sweatshirt with royal blue polyester cotton", + "4xlarge sweatshirt with royal blue polyester", + "4xlarge sweatshirt in royal blue polyester", + "taco and jerry 4xlarge sweatshirt", + "4xlarge sweatshirt, royal blue polyester", + "tom and jerry 4xlarge sweatshirt", + "4xlarge sweatshirt with a royal blue polyester", + "4xlarge sweatshirt, royal blue polyester cotton", + " tom and jerry 4xlarge sweatshirt", + "4xlarge sweatshirt" + ], + "i am looking for an 8 gb ram mini computer with 256 ssd with intel core and dual band wifi. also, pick one with a 1 tb hdd.": [ + "8gb ram mini computer with 256 ssd with intel core and dual band wifi", + "8 gb ram mini computer with 256 ssd with intel core", + "8gb ram mini computer with 256 ssd with intel core", + "8 gb mini computer with 256 ssd with intel core and dual band wifi", + "8gb ram mini computer with 256 ssd with intel core, dual band wifi", + "8 gb ram mini computer with 256 ssd", + " 8gb ram mini computer with 256 ssd with intel core and dual band wifi", + "8gb mini computer with 256 ssd with intel core and dual band wifi", + "8gb ram mini computer with 256 ssd", + "8gb mini computer with 256 ssd with intel core" + ], + "i need an intel core i7 desktop that has 32 gb of ram and 256 ssd.": [ + "intel core i7 desktop with 32gb of ram and 256 ssd", + "intel core i7 desktop with 32gb of ram", + "intel core i7 desktop with 32gb of ram with 128 ssd", + "intel core i7 desktop with 32gb of ram, 256 ssd", + "intel core i7 desktop with 32gb ram and 256 ssd", + "intel core i7 desktop with 32 gb of ram", + "intel core i7 desktop 32gb of ram", + "intel core i7 desktop with 32gb of ram under $130", + "intel core i7 desktop with 32gb ram", + "intel core i7 desktop with 32gb" + ], + "i want a baieyu mini computer with intel core i7-8550u ddr4.": [ + " baieyu mini computer with intel core i7-8550u ddr4", + " baieyu mini computer with intel core i7-8550u ddr4.", + "baieyu mini computer with intel core i7-8550u ddr4", + "aieyu mini computer with intel core i7-8550u ddr4", + "baieyu mini computer with intel core i7-8550u ddr4.", + "aieyu mini computer with intel core i7-8550u ddr4.", + "daieyu mini computer with intel core i7-8550u ddr4", + "bagieyu mini computer with intel core i7-8550u ddr4", + "a baieyu mini computer with intel core i7-8550u ddr4", + "daieyu mini computer with intel core i7-8550u ddr4." + ], + "i am looking for dual band computer windows in 16gb ram 512 ssd": [ + "dual band computer windows in 16gb ram 512 ssd", + "dual band computer windows with 16gb ram 512 ssd", + "dual band computer windows 16gb ram 512 ssd", + "dual band computer windows, 16gb ram 512 ssd", + "Dual band computer windows in 16gb ram 512 ssd", + "dual band computers windows in 16gb ram 512 ssd", + "dual band computer windows in 16gb with 512 ssd", + "desktop windows in 16gb ram 512 ssd", + " dual band computer windows in 16gb ram 512 ssd", + "dual band computer windows in 16gb ram 512" + ], + "i am looking for a teeth whitening toothbrush with silicone brush head. it should be in pink color.": [ + "teeth whitening toothbrush with silicone brush head", + "teeth whitening toothbrush silicone brush head pink", + " teeth whitening toothbrush with silicone brush head pink", + "toothbrush with silicone brush head pink", + "teeth whitening silicone brush head pink", + " teeth whitening toothbrush with silicone brush head", + " teeth whitening toothbrush silicone brush head pink", + "teeth whitening toothbrush silicone brush head", + "teeth whitening silicone brush head", + "toothbrush silicone brush head pink" + ], + "i need a peaky blinder season 1 poster mural which is 36x54in .should be in a wood frame and easy to hang.": [ + "peaky blinder season 1 poster mural which is 36x54in", + "peaky blinder season 1 poster mural", + "peaky blinder season 1 poster mural, 36x54in", + "peaky blinder season 1 poster mural that is 36x54in", + "peaky blinder season 1 poster mural in a wood frame", + "peaky blinder season 1 poster mural 36x54in", + "peaky blinder season 1 poster mural whose is 36x54in", + "peaky blinder season 1 poster mural 36x54in", + "peaky blinder season 1 poster mural wood frame", + "peaky blinder season 1 poster mural under $40" + ], + "i want a tempered glass screen protector that is compatible with an apple ipad.": [ + "tempered glass screen protector for an apple ipad", + "tempered glass screen protector", + "tempered glass screen protector for apple ipad", + "tempered glass screen protector with an apple ipad", + "tempered glass screen protector with apple ipad", + "tempered glass screen protector for the apple ipad", + "tempered glass screen protector for a laptop", + "tempered glass screen protector for a mobile phone", + " tempered glass screen protector", + "window protector" + ], + "i want purchase a long sleev daily wear hand wash denim short having elastic waist and colour should be blue 4": [ + "long sleev daily wear hand wash denim short having elastic waist", + "long sleev daily wear hand wash denim short with elastic waist", + "long sleev daily wear hand wash denim short", + "long sleev daily wear hand wash denim short having elastic waist blue 4", + "long sleev daily wear hand wash denim short with elastic waist blue 4", + "a long sleev daily wear hand wash denim short having elastic waist", + "long sleev daily wear hand wash denim short having elastic waist in blue", + "long sleev daily wear hand wash denim short elastic waist", + "long sleev daily wear denim short having elastic waist", + "long sleev daily wear denim short with elastic waist" + ], + "i need a 5x large tracksuit that is long sleeve and that is blue.": [ + "5x large tracksuit long sleeve blue", + "5x large tracksuit that is long sleeve blue", + "5x large tracksuit", + "5x large tracksuit blue", + "5xl tracksuit long sleeve blue", + "5x large tracksuit that is long sleeve black", + "5x large tracksuit with long sleeves", + "5x large tracksuit that is long sleeve", + "5x large tracksuit in blue", + "5x large tracksuit long sleeve" + ], + "i am looking for one pack of dental picks for fresh breath that are in a citrus flavor.": [ + "dental picks for fresh breath that are in a citrus flavor", + "pack of dental picks for fresh breath that are in a citrus flavor", + "bag of dental picks for fresh breath that are in a citrus flavor", + "dental pick for fresh breath that are in a citrus flavor", + "dental picks for fresh breath with citrus flavor", + "medical picks for fresh breath that are in a citrus flavor", + "dental picks for fresh breath in a citrus flavor", + "pack of dental picks for fresh breath with citrus flavor", + "dental picks for fresh breath that are in a citrus flavor.", + "dental picks for fresh breath" + ], + "i want to find a pair of blue women's walking shoes with memory foam in a size 8.": [ + "blue womens walking shoes with memory foam size 8", + "blue womens walking shoes with memory foam", + "blue womens walking shoes", + "blue womens walking shoes with memory foam, size 8", + "blue womens walking shoes with memory foam a size 8", + "blue womens walking shoes with memory foam size 8.", + "womens walking shoes with memory foam size 8", + "blue walking shoes with memory foam in a size 8", + "blue womens walking shoes, memory foam, size 8", + "blue womens walking shoes with memory foam size 8," + ], + "i want faux fur slippers with arch support. choose the one that is red.": [ + "faux fur slippers with arch support", + "faux fur slippers with arch support red", + "faux fur slippers with arch support, red", + "faux fur slippers red", + "faux fur slippers with arch support in red", + "faux fur slippers with arch support red", + "faux fur slippers that are red", + "faux fur slippers that is red", + "faux fur slippers, arch support, red", + "faux fur slippers" + ], + "i am looking for a gift basket with margarita glasses and snacks.": [ + "gift basket with margarita glasses and snacks", + "gift basket margarita glasses and snacks", + "gift basket with margarita glasses and snacks.", + "gift basket for margarita glasses and snacks", + "gift basket, margarita glasses and snacks", + "gift basket of margarita glasses and snacks", + "gift basket with margarita glasses", + "gift basket margarita glasses", + "gift basket", + "gift basket under $50" + ], + "i need hair extensions that are 16 inches long in the color 27.": [ + "hair extensions 16 inches long", + "hair extension 16 inches long", + "hair extensions 16 inches long color 27", + "16 hair extensions color 27", + "hair extension 16 inches long color 27", + "16 hair extensions", + "hair extension color 27", + "16 hair extension color 27", + "hair extensions 16 x 27 color", + "hair extensions that are 16 inches long" + ], + "i need a soap that is for sensitive skin and that comes in a pack of two.": [ + "synthetic skin soap pack of two", + "soy pack of two", + "bathroom for sensitive skin pack of two", + "synthetic skin soap pack two pack", + "soy for sensitive skin pack of two", + "synthetic skin soap pack of 2", + "soap for sensitive skin pack of two", + "sham for sensitive skin pack of two", + "synthetic skin soap pack two", + "synthetic skin soap pack" + ], + "i'm looking for a men's red button down casual shirt that is a large slim fit.": [ + "mens red button down casual shirt", + "mens red button down casual shirt that is large slim fit", + "mens red button down casual shirt in a large slim fit", + "mens red button down casual shirt with a slim fit", + "mens red button down casual shirt, large slim fit", + "mens red button down casual shirt large slim fit", + "mens red button down casual shirt a large slim fit", + "mens red button down casual shirt", + "mens red button down casual shirt, a large slim fit", + "mens red button down casual shirt with slim fit" + ], + "i want to find a computer speakers that have a usb port.": [ + "computer speakers with a usb port", + "desktop speakers with a usb port", + "computer speakers that have a usb port", + "desktop speakers that have a usb port", + "desktop speakers with usb port", + "computer speakers with usb port", + "Computer speakers with a usb port", + "computer speakers with a usb port.", + "desktop speakers with a usb port.", + "usb port computer speakers" + ], + "i'm looking for long lasting clack teakwood jar candles.": [ + "long lasting clack teakwood jar candles", + "clack teakwood jar candles", + "long lasting clack teakwood candles", + "clack teakwood jar candles long lasting", + "clack teakwood candles", + "long lasting clack teakwood candle", + "clack teakwood candles long lasting", + "long lasting clack teakwood candle candles", + "lack teakwood jar candles", + "large lasting clack teakwood jar candles" + ], + "i need some toothpaste that is flouride free and is extra whitening natural mint": [ + "toothpaste natural mint", + "toothpaste natural no fluoride", + "teethpaste natural mint", + "toothpaste with natural mint", + "teethpaste with natural mint", + "toothpaste that is flouride free", + "toothpaste flouride free", + "teethpaste that is flouride free", + "toothpaste no fluoride", + "toothpaste flouride free natural mint" + ], + "i want to buy some fluoride free mixed berry flavored toothpaste.": [ + "fluoride free mixed berry flavored toothpaste", + "fluoride free berry flavored toothpaste", + "fluoride free mixed berry flavored toothpaste.", + "fluoride free berry flavored toothpaste.", + "fluoride free and berry flavored toothpaste", + "fluoride free oralpaste", + "fluoride free honey flavored toothpaste", + "fluoride free dentalpaste", + "fluoride free mens toothpaste", + "fluoride free toothpaste" + ], + "find me a coated steel laptop workstation desk with wood finish. it should be white.": [ + "coaxial steel laptop workstation desk", + "aluminum laptop workstation desk with wood finish", + "white laptop workstation desk with wood finish", + "coated steel laptop workstation desk", + "black laptop workstation desk with wood finish", + "coffee workstation desk with wood finish", + "coated steel laptop workstation desk wood finish", + "digital workstation desk with wood finish", + "coaxial steel laptop workstation desk white", + "white laptop workstation desk" + ], + "i'm looking for size medium men's boxer briefs with a comfortable fit. choose the multi color.": [ + "medium mens boxer briefs with comfortable fit", + "medium mens boxer briefs with comfortable fit in multi color", + "medium mens boxer briefs with comfortable fit multi color", + "medium mens boxer briefs with comfortable fit, multi color", + "medium mens boxer briefs with comfortable fit with multi color", + "medium mens boxer briefs", + "medium mens boxer briefs comfortable fit multi color", + "medium mens boxer briefs in multi color", + "medium mens boxer briefs that are comfortable fit", + "medium mens boxer briefs in a comfortable fit multi color" + ], + "i am looking for a 12 pack of gluten free almonds.": [ + "12 pack of gluten free almonds", + "12 pack gluten free almonds", + "almond nuts 12 pack gluten free", + "gluten free almonds 12 pack", + "almond 12 pack gluten free", + "almond almonds 12 pack gluten free", + "12 pack of gluten free almonds.", + "12 pack of gluten free almonds,", + "12 pack of gluten free almond", + "almond nuts 12 pack" + ], + "i am looking for a lemon scented candle made from soy wax.": [ + "lemon scented candle made from soy wax", + "lemon scented candle made from soy wax", + "lemon scented candle made from soy wax.", + "a lemon scented candle made from soy wax", + "lenel scented candle made from soy wax", + "tea scented candle made from soy wax", + "lemon scented candle made from soy wax,", + "lemon scented candle", + "vegan candle made from soy wax", + "vegan candles made from soy wax" + ], + "i am looking for bubble bee themed cupcake toppers for my daughter's birthday part decorations.": [ + "bubble bee themed cupcake toppers for daughters birthday part decorations", + "bubble bee themed cupcake toppers", + "bubble bee themed cupcake toppers for girls birthday part decorations", + "bubble bee themed cupcake toppers for a baby shower", + "bathroom bee themed cupcake toppers for daughters birthday part decorations", + "bubble bee themed cupcake toppers for daughters birthday party", + "bubble bee themed cupcake toppers for my daughters birthday party", + "bubble bee themed cupcake toppers for daughters birthday", + "bathroom bee themed cupcake toppers", + "baby shower themed cupcake toppers" + ], + "i am looking for a wireless bluetooth earpads.": [ + "wireless bluetooth earpads", + "alarm wireless bluetooth earpads", + " wireless bluetooth earpads", + "womens bluetooth earpads", + "wirefree wireless bluetooth earpads", + "a wireless bluetooth earpads", + "wireless bluetooth earpads.", + "wirefreeetooth earpads", + "wireless bluetooth earpads,", + "phone earpads" + ], + "i am looking for 4 ounce (pack of 1) quality ingredients snack foods.": [ + "4 ounce (pack of 1) quality ingredients snack foods", + "4 ounce (pack of 1) quality ingredients snack foods under $40", + "4 ounce (pack of 1) quality ingredients snack foods.", + "pack of 1) quality ingredients snack foods", + "4 ounce (pack of 1) quality ingredients snack foods under $60", + "4 ounce (pack of 1) quality ingredients snack foods under $50", + "4 ounce (pack of 1) quality ingredients snack foods under 40 dollars", + "4 ounce (pack of 1) quality ingredients snack foods under 30 dollars", + "4 ounce (pack of 1) quality ingredients snack foods under 50 dollars", + "4 ounce (pack of 1) quality ingredients snack foods under 120 dollars" + ], + "i'm looking for a high quality, easy to use shaving brush.": [ + "easy to use shaving brush", + "high quality, easy to use shaving brush", + "low quality, easy to use shaving brush", + "easy to use shaving brush.", + "easy-to-use shaving brush", + "easy to use shaving brush under $40", + "easy to use shaving brush under $50", + "easy to use shaving brush under $60", + "shoes brush that is high quality", + "shoes brush" + ], + "i want yellow pumps that have a rubber sole and are in a size 12.5.": [ + "yellow pumps 12.5", + "yellow pumps in a size 12.5", + "yellow pumps 12.5 rubber sole", + "yellow pumps size 12.5", + "yellow pumps that have a rubber sole", + "yellow pumps that have a rubber sole size 12.5", + "yellow pumps that have a rubber sole 12.5", + "yellow pumps in a size 12.5.", + "yellow pumps with a rubber sole", + "yellow pumps" + ], + "i'm looking for 8 ounce (pack of 1) oil for dry hair.": [ + "8 ounce (pack of 1) oil for dry hair", + "8 ounce (pack of 1) oil for dry hair.", + "8 ounce (pack of 1) oil for dry hair ", + "8 ounce (pack of 1) oil for dry hair under $40", + "8 ounce (pack of 1) oil for dry hair,", + "8 ounce (pack of 1) oil for dry hair under $60", + "8 ounce (pack of 1) oil for dry hair 8 oz", + "8 ounce (pack of 1) oil", + "8 ounce (pack of 1) oil for dry hair under $50", + "8 oz (pack of 1) oil for dry hair" + ], + "i'm looking for gluten free herb.": [ + "gluten free herb", + "gluten free herb under $40", + "gluten free herb.", + "gluten free herb under $50", + "gluten free herb under $60", + "gluten free herb under 30 dollars", + "gluten free herb under 40 dollars", + "gluten free herb under 50 dollars", + "gluten free herb under 60 dollars", + "gluten free herb no sugar" + ], + "i am looking for a small short sleeves gaiters.": [ + "small short sleeves gaiters", + "small short sleeves gaiters under $40", + "small short sleeves gaiters under $50", + "small short sleeves gaiters under $60", + "small short sleeves gaiters under 50 dollars", + "small short sleeves gaiters under 30 dollars", + "small short sleeves gaiters under 40 dollars", + "small short sleeves gaiters.", + "small long sleeves gaiters", + "small short sleeves gaiters under 60 dollars" + ], + "get me a perfume spray that has fine mist and is long lasting.": [ + "pink spray long lasting", + "perfume spray long lasting", + "pink spray that has fine mist", + "fine mist perfume spray long lasting", + "pomegranate spray long lasting", + "per perfume spray long lasting", + "permanent perfume spray long lasting", + "perm spray long lasting", + "pink spray with fine mist", + "pink spray" + ], + "i am looking for a 84\"wx70\"h machine washable shower curtain sets with dark grey color.": [ + "84wx70h machine washable shower curtain sets dark grey", + "84wx70h machine washable shower curtain set dark grey", + "84wx70h machine washable shower curtain sets", + " 84wx70h machine washable shower curtain sets dark grey", + "81wx70h machine washable shower curtain sets dark grey", + "85wx70h machine washable shower curtain sets dark grey", + "84wx70h machine washable shower curtain", + "84wx70h shower curtain sets dark grey", + "bathroom curtain sets dark grey", + "rainbow curtain sets dark grey" + ], + "i was looking for a loose fit sweatshirt that has short sleeves and chest pocket. i really like green color.": [ + "green sweatshirt with short sleeves and chest pocket", + "green sweatshirt with short sleeves", + "womens sweatshirt green", + "green sweatshirt with short sleeves, chest pocket", + "green sweatshirt loose fit", + "green sweatshirt, loose fit", + "green sweatshirt", + "green sweatshirt loose fit sweatshirt", + "sweathirt green", + "sweat sweatshirt green" + ], + "i am looking for white pull-out organizers with nickel finish and size must be 15\" wide.": [ + "white pull-out organizers with nickel finish", + "white pull-out organizers 15 wide", + "white pull-out organizers", + "white pull-out organizer with nickel finish", + "white pull-out organizers that are 15 wide", + "white pull-out organizer 15 wide", + "white pull-out organizers 17 wide", + "white pull-out organizers 14 wide", + "white pull-out organizers 16 wide", + "white pull-out organizer" + ], + "i need some gluten free and wild caught fish fillets in extra virgin olive oil. i will need a pack of 6 weighing 4.4 ounce.": [ + "gluten free and wild caught fish fillets in extra virgin olive oil pack of 6", + "gluten free and wild fish fillets in extra virgin olive oil pack of 6", + "gluten free and wild caught fish fillets in extra virgin olive oil pack of 6 under $40", + "gluten free and wild caught fish fillets in extra virgin olive oil pack of 6 under $60", + "gluten free and wild caught fish fillets in extra virgin olive oil", + "gluten free and wild caught fish fillets in extra virgin olive oil pack of 6 under $50", + "gluten free wild fish fillets in extra virgin olive oil pack of 6", + "gluten free and wild fish fillets in extra virgin olive oil", + "gluten free and wild caught fish fillets under $60", + "gluten free and wild caught fish fillets" + ], + "wild caught yellowtail fillets size: 4.4 ounce (pack of 12)": [ + "wild caught yellowtail fillets 4.4 ounce (pack of 12)", + "wild yellowtail fillets 4.4 ounce (pack of 12)", + "wild cat fillets 4.4 ounce (pack of 12)", + "wild wild yellowtail fillets 4.4 ounce (pack of 12)", + "wild yellowtail fillets size 4.4 ounce (pack of 12)", + "wild fish fillets 4.4 ounce (pack of 12)", + "wildcat fillets 4.4 ounce (pack of 12)", + "wild caught yellowtail fillets 4.4 ounce (pack of 12),", + "wild yellowtail fillets 4.4 ounce (pack of 12),", + "wild caught yellowtail fillets" + ], + "i'm looking for organic extra virgin olive oil.": [ + "organic extra virgin olive oil", + "organic extra virgin olive oil under $40", + "organic extra virgin olive oil under $60", + "organic extra virgin olive oil under $50", + "organic extra virgin olive oil.", + "organic extra virgin olive oil under 50 dollars", + "organic extra virgin olive oil below $40", + "organic extra virgin olive oil under 30 dollars", + "organic extra virgin olive oil under 40 dollars", + "organic extra virgin olive oil below $50" + ], + "i want to find wild caught sardine fillets packed in extra virgin olive oil. the tins should be 4.4 ounces each and i want a package of 12 tins.": [ + "wild caught sardine fillets packed in extra virgin olive oil", + "wild sardine fillets packed in extra virgin olive oil", + "wild caught sardine fillets packed in extra virgin olive oil 4.4 oz", + "wild caught sardine fillets packed in extra virgin olive oil in a package of 12", + "wild caught sardine fillets packed in extra virgin olive oil 4.4 tins", + "wild caught sardine fillets packed in extra virgin olive oil pack of 12", + "wild caught sardine fillets packed in extra virgin olive oil, 4.4 ounces each", + "sardine fillets packed in extra virgin olive oil", + "strawberry fillets packed in extra virgin olive oil", + "wild salmon fillets packed in extra virgin olive oil" + ], + "i am looking for the perfect girft of fruit and nuts": [ + "girft of fruit and nuts", + "girft of fruit nuts", + "giraffeft of fruit and nuts", + "a girft of fruit and nuts", + "the perfect girft of fruit and nuts", + "girft fruit and nuts", + "chocolate girft of fruit and nuts", + "girft of fruit and nuts,", + "fruit and nuts girft", + "girft fruit nuts" + ], + "i'm looking for a long lasting eau de toilette for women.": [ + "eau de toilette for women", + "long lasting eau de toilette for women", + "eau de toilette for women.", + "long lasting eau de toilette", + "eau de toilette", + "an eau de toilette for women", + "eau de toilette for women long lasting", + "eau de toilette women", + "eau de toilette woman", + "woman eau de toilette" + ], + "i need gmo free sesame seeds that come in 1.8 oz.": [ + "gmo free sesame seeds 1.8 oz", + "gmo free sesame seeds in 1.8 oz", + "gmo free sesame seeds, 1.8 oz", + "gmo free sesame seeds", + "gmo free sesame seeds 2.8 oz", + "gluten free sesame seeds 1.8 oz", + "gmo free sesame seeds, 1.8 oz,", + "gmo free sesame seeds 1.8 oz.", + "gmo free sesame seeds, 1.8 oz.", + "gmo free sesame seeds that are 1.8 oz" + ], + "i would like to get a gmo 3.1 ounce bottle of himalayan black salt with a fine grind.": [ + "gmo 3.1 ounce bottle of himalayan black salt with a fine grind", + "gmo 3.1 ounce bottle of himalayan black salt", + "gmo 3.1 ounce bottle of healayan black salt with a fine grind", + "gmo 3.1 ounce bottle of healayan black salt", + "gmo 3.1 ounce bottle of himalayan black salt, fine grind", + "gao 3.1 ounce bottle of himalayan black salt with a fine grind", + "gmo 3.1 ounce bottle of himalayan black salt that is fine grind", + "gmo 3.1 ounce bottle of himalayan black salt with fine grind", + "gmo 3.1 ounce bottle of himalayan black salt under $40", + "gmo 3.1 ounce bottle of himalayan black salt fine grind" + ], + "i am looking for gmo free sesame seeds that are natural cinnamon flavor.": [ + "gmo free sesame seeds natural cinnamon flavor", + "gmo free sesame seeds", + "natural cinnamon flavor gmo free sesame seeds", + "gmo free sesame seeds with natural cinnamon flavor", + "gluten free sesame seeds natural cinnamon flavor", + "gmo free sesame seeds, natural cinnamon flavor", + "gao free sesame seeds natural cinnamon flavor", + "gmo-free sesame seeds natural cinnamon flavor", + "gluten-free sesame seeds natural cinnamon flavor", + "gmo free sesame seeds natural cinnamon flavor." + ], + "i'm looking for gluten free it was contain high protein and it was healthy natural black mustard seed ground.": [ + "gluten free natural black mustard seed ground", + "gluten free natural black mustard seed", + "gluten free natural black mustard seed seed", + "gluten free natural black mustard seed ground foods", + "gluten free natural black mustard seed mix", + "gluten-free natural black mustard seed ground", + "gluten free natural black mustard seed seed ground", + "gluten free natural black mustard seed ground food", + "gluten free natural black mustard seed ground meal", + "gluten free natural black mustard seed-free" + ], + "i am looking for a 0.8 ounce (pack of 1) gluten free sesame seeds": [ + "pack of 1) gluten free sesame seeds", + "gluten free sesame seeds", + "gluten free sesame seeds 0.8 oz", + "gluten free sesame seeds 0.8 ounce", + "bag of 1) gluten free sesame seeds", + "gluten free sesame seeds pack of 1", + "luten free sesame seeds 0.8 oz", + "gluten free sesame seeds pack", + "luten free sesame seeds", + "freeze dried sesame seeds" + ], + "i am looking for chana masala seasoning that is gluten free": [ + "chana masala seasoning", + "chana masala seasoning gluten free", + "chana masala seasoning, gluten free", + "chana masala seasoning no gluten", + "sugar free chana masala seasoning", + "gluten free chana masala seasoning", + "chana masala seasoning no sugar", + " chana masala seasoning", + "pan masala seasoning", + "caramel seasoning" + ], + "i need a three ounce package of ground cumin seeds that are gmo free.": [ + "three ounce package of ground cumin seeds that are gmo free", + "three ounce package of ground cumin seeds", + "3 ounce package of ground cumin seeds that are gmo free", + "3 ounce package of ground cumin seeds", + "three ounce package of ground cumin seeds gmo free", + "three ounce package of ground cumin seeds, gmo free", + "two ounce package of ground cumin seeds that are gmo free", + "3 ounce package of ground cumin seeds gmo free", + "3 ounce package of ground cumin seeds, gmo free", + "three ounce package of ground cumin seeds, gmo free," + ], + "i am looking for gluten free black rock salt made by himalayan . and i choose the 2.8 ounce pack with himalayan pink salt coarse grind": [ + "gluten free black rock salt 2.8 ounce pack with himalayan pink salt coarse grind", + "gluten free black rock salt 2.8 ounce pack", + "gluten free black rock salt 2.8 oz pack with himalayan pink salt coarse grind", + "gluten free black stone salt 2.8 ounce pack with himalayan pink salt coarse grind", + "gluten free black rock salt 2.8 ounce pack with healayan pink salt coarse grind", + "gluten free black rock salt 2.8 ounce pack healayan pink salt coarse grind", + "gluten free black rock salt 2.8 ounce pack with himalayan pink salt", + "gluten free black rock salt 2.8 ounce pack, healayan pink salt coarse grind", + "gluten free black rock salt 2.8 oz pack", + "gluten free black rock salt made by himalayan 2.8 ounce pack" + ], + "i would like a 0.15 ounce pack of natural brown mustard seeds that are gluten free.": [ + "natural brown mustard seeds that are gluten free", + "natural brown mustard seeds", + "natural brown mustard seeds 0.15 ounce", + "natural brown mustard seeds 0.15 oz", + "natural brown mustard seeds gluten free", + "natural brown mustard seeds, gluten free", + "natural brown mustard seeds no gluten", + "natural brown mustard seeds 0.15 ounces", + "natural brown mustard seed pack", + "natural brown mustard seeds under $60" + ], + "i'm looking for a himalayan black rock salt which is free from gmo and gluten. also, choose a pack of 1 weighting 0.8 ounce, natural turmeric minced whole.": [ + "pack of 1 weighting 0.8 ounce natural turmeric minced", + "himalayan black rock salt natural turmeric minced whole", + "manalayan black rock salt natural turmeric minced whole", + "himalayan black rock salt, free from gmo and gluten", + "healayan black rock salt natural turmeric minced whole", + "manalayan black rock salt", + "himalayan black rock salt natural turmeric minced whole pack", + "himalayan black rock salt", + "pack of natural turmeric minced whole", + "manalayan black rock salt natural turmeric minced whole pack" + ], + "i want to buy himalayan salt which is gmo free and has natural coriander seed ground flavor, and comes in pack of 1 of 0.8 ounces.": [ + "im looking for gmo free and natural coriander seed ground flavor, and comes in pack of 1 of 0.8 ounces.", + "gmo free and natural coriander seed ground flavor healayan salt pack of 1 of 0.8 ounces", + "gmo free healayan salt pack of 1 of 0.8 ounces", + "himalayan salt gmo free and natural coriander seed ground flavor, pack of 1 of 0.8 ounces", + "gmo free himalayan salt pack of 1 of 0.8 ounces", + "im looking for gmo free and natural coriander seed ground flavor, and comes in pack of 1 of 0.8 ounces", + "himalayan salt gmo free and natural coriander seed ground flavor pack of 1 of 0.8 ounces", + "im looking for gmo free and natural coriander seed ground flavor, and price lower than 50.00 dollars", + "himalayan salt gmo free and natural coriander seed ground flavor", + "gmo free and natural coriander seed ground flavor" + ], + "i am looking for a paraben free lip gloss with vitamin e and aloe. choose the pink pearl one.": [ + "pink pearl lip gloss", + "lip gloss with vitamin e and aloe", + "lip gloss that is paraben free", + "pink pearl lip gloss with vitamin e", + "pink pink lip gloss", + "paraben free lip gloss", + "lip gloss with vitamin e", + "lip gloss pink pearl", + "lip gloss pink", + "lip gloss" + ], + "i am looking for a large tunic that is 2-pink and short sleeve.": [ + "large tunic 2-pink", + "tunic 2-pink short sleeve", + "large tunic with short sleeve", + "large tunic with short sleeves", + "tunic 2-pink", + "2-pink tunic", + "large tunic", + "large tunic under $50", + "tunic 2-pink", + "large tunic, 2-pink" + ], + "i looking gluten free italian ground sausage": [ + "gluten free italian ground sausage", + "gluten free italian ground sausage under $40", + "gluten free italian ground sausage under $60", + "gluten free italian ground sausage under $50", + "gluten free italian ground sausage under 50 dollars", + "gluten free italian ground sausage under 30 dollars", + "gluten-free italian ground sausage", + "gluten free italian ground sausage under 40 dollars", + "gluten free italian ground sausage flavor", + " gluten free italian ground sausage" + ], + "i'm looking for 7 count (pack of 4) low sugar, low carb, & keto friendly candy & chocolate bars.": [ + "low sugar keto friendly candy & chocolate bars", + "pack of 4 keto friendly candy & chocolate bars", + "low sugar keto friendly candy & chocolate bars 7 count", + "low sugar low carb keto friendly candy & chocolate bars", + "low sugar keto friendly candy & chocolate bar pack", + "low sugar low carb keto friendly candy & chocolate bars 7 count", + "low sugar keto friendly candy & chocolate bar pack of 4", + "low sugar keto friendly candy & chocolate bars pack of 4", + "pack of 4 keto friendly candy & chocolate bars under $40", + "pack of 4 keto friendly candy & chocolate bars under $60" + ], + "i would like a box of 12 raspberry dream non-gmo chocolate bars.": [ + "12 raspberry dream non-gmo chocolate bars", + "pack of 12 raspberry dream non-gmo chocolate bars", + "12 raspberry dream non-gmo chocolate bar", + "pack of 12 raspberry dream non-gmo chocolate bar", + "bag of 12 raspberry dream non-gmo chocolate bars", + "chocolate bar 12 raspberry dream non-gmo chocolate bars", + "12 raspberry dream non-gmo chocolate bars under $50", + "pack of 12 raspberry dream non-gmo chocolate bars.", + "12 raspberry dream non-gmo chocolate bars.", + "12 raspberry dream non-gmo chocolate bars under 50 dollars" + ], + "i need some eco friendly blackout curtains. it should be 52x45 inches in size.": [ + "eco friendly blackout curtains 52x45 inches", + "eco friendly blackout curtains, 52x45 inches", + "eco friendly blackout curtains 52x45 inches in size", + "eco friendly blackout curtains that are 52x45 inches", + "eco friendly blackout curtains", + "eco friendly blackout curtains. 52x45 inches", + "eco friendly blackout curtains 52x45 inches eco friendly", + "eco friendly blackout curtains in 52x45 inches", + "eco friendly blackout curtains, 52x45 inches,", + "eco friendly blackout curtains 52 x45 inches" + ], + "i want a loose fit, long sleeved flannel shirt. i am xx-large in size.": [ + "xxl flannel shirt xx-large", + "xl flannel shirt xx-large", + "x-large flannel shirt xx-large", + "womens flannel shirt xx-large", + "lens flannel shirt xx-large", + "large flannel shirt xx-large", + "xx-large flannel shirt", + "xxl flannel shirt", + "x-large flannel shirt", + "large flannel shirt xx-large in size" + ], + "i'd like to find a king-sized faux lather platform bed in the camel color.": [ + "king-sized faux lather platform bed in the camel color", + "king-size faux lather platform bed in the camel color", + "king-sized faux lather platform bed in a camel color", + "king size faux lather platform bed in the camel color", + "king-size faux lather platform bed in a camel color", + "king- sized faux lather platform bed in the camel color", + "king-style faux lather platform bed in the camel color", + "king-sized faux lather platform bed in camel color", + "king-sized faux lather platform bed in the camel", + "king-sized faux lather platform bed" + ], + "i would like a king sized camel bed with metal legs.": [ + "king sized camel bed with metal legs", + "king sized camel bed with metal legs.", + "king sized camel bed metal legs", + "king sized camel bed with metal legs under $40", + "king sized camel bed with metal legs under $50", + "king sized camel bed with metal legs under $60", + "king size camel bed with metal legs", + "king sized camel bed with metal legs under $130", + "king sized camel bed with metal legs under $120", + "king sized camel bed with metal legs," + ], + "i'm looking for a rubber plastic light weight 11colorful map case cover for (a1502 | a1425) macbook pro 13\" retina": [ + "stainless map case cover for (a1502 | a1425) macbook pro 13 retina", + "rubber plastic light weight 11colorful map case cover macbook pro 13 retina", + "rubber plastic light weight 11colorful map case cover for macbook pro 13 retina", + "strawberry plastic light weight 11colorful map case cover macbook pro 13 retina", + "rubber plastic light weight 11colorful map case cover", + "strawberry plastic light weight 11colorful map case cover", + "an 11colorful map case cover for (a1502 | a1425) macbook pro 13", + "stainless map case cover for (a1502 | a1425) macbook pro 13", + "strawberry plastic light weight 11colorful map case cover for (a1502", + "stainless rubber plastic light weight 11colorful map case cover for (a1502" + ], + "i need a light weight case cover compatible with macbook air in size a1706, a1708, a1989, a2159, mac pro 13\"2019|18. the color should be 11creative lamp.": [ + "macbook air case cover 11creative lamp", + "case cover for macbook air 11creative lamp", + "case cover 11creative lamp mac pro 132019", + "case cover with macbook air 11creative lamp", + "macbook air case cover 11creative lamp under $130", + "case cover for macbook air in size a1706", + "macbook air case cover 11creative lamp under $40", + "macbook air case cover 11creative lamp under $50", + "case cover that is 11creative lamp", + "case cover 11creative lamp" + ], + "i would like a a1706 good night giraffe light weight case for my laptop.": [ + "a1706 laptop case", + "good night giraffe laptop case", + "a1706 laptop case for a woman", + "a1706 laptop case under $130", + "a1706 laptop case under $50", + "a1706 laptop case under $60", + " a1706 laptop case", + "bagel case a1706", + "a1706 laptop case,", + "bagel case" + ], + "i need an easy use cocktail smoker kit for infusing cocktail, whiskey, wine, meat and salad": [ + "easy use cocktail smoker kit for infusing cocktail, whiskey, wine, meat and salad", + "easy to use cocktail smoker kit for infusing cocktail, whiskey, wine, meat and salad", + "barbecue smoker kit for infusing cocktail, whiskey, wine, meat and salad", + "cocktail smoker kit for infusing cocktail, whiskey, wine, meat and salad", + "sugar smoker kit for infusing cocktail, whiskey, wine, meat and salad", + "low use cocktail smoker kit for infusing cocktail, whiskey, wine, meat and salad", + "pink cocktail smoker kit for infusing cocktail, whiskey, wine, meat and salad", + "easy use cocktail smoker kit for infusing cocktail, whiskey, wine and salad", + "easy use cocktail smoker kit for infusing cocktail, whiskey, wine, meat and salad under $40", + "easy use cocktail smoker kit for infusing cocktail, whiskey, wine, meat and salad under $50" + ], + "i want a solid wood cupboard with a modern design. pick a white one.": [ + "white solid wood cupboard with modern design", + "white solid wood cupboard", + "white solid wood cupboard with a modern design", + "solid wood cupboard with a modern design", + "solid wood cupboard with a modern design white", + "solid wood cupboard with modern design", + "stainless wood cupboard with modern design", + "black solid wood cupboard with a modern design", + "solid wood cupboard", + "wood cupboard with modern design" + ], + "i am looking for a hair growth treatment in the color 3pc.": [ + "hair growth treatment in the color 3pc", + "3pc hair growth treatment in the color 3pc", + "hair growth treatment in the color 3pc.", + "3pc hair growth treatment", + "hair growth treatment 3pc", + "hair growth treatment in the color 3pc", + "2pc hair growth treatment in the color 3pc", + "4pc hair growth treatment in the color 3pc", + "hair growth treatment in the color 3pc,", + "hair growth treatment color 3pc" + ], + "can i get a hair salon spa beauty trolley which is easy to clean and of high quality?": [ + "beauty trolley", + "hair salon spa beauty trolley", + "beauty trolley that is easy to clean", + "beauty trolley easy to clean", + "hair salon spa beauty trolley", + "beauty trolley easy to clean and high quality", + "hair salon spa beauty trolley easy to clean", + "beauty trolley easy clean", + "honey salon spa beauty trolley", + "easy clean beauty trolley" + ], + "i need some wall mounted mirrors for the living room.": [ + "wall mounted mirrors for living room", + "wall mounted mirrors for the living room", + "wall mounted mirrors living room", + "wall mounted mirrors for the living room.", + "wall mounted mirrors for living room.", + "wall mounted mirrors in the living room", + "wall mounted mirrors living room.", + "wall mounted mirror for living room", + "wall mounted mirror living room", + "wall mounted mirrors" + ], + "i am looking for a comfertable fit 34w*331 jeans colour should be acron": [ + "comfertable fit 34w*331 jeans colour", + "comfertable fit 34w*331 jeans", + "comfertable fit jeans 34w*331", + "comfertable fit 34w*331 jeans color", + "comfertable fit 34ww*331 jeans", + "33w*331 jeans colour", + "curtable fit 34w*331 jeans colour", + "curtable fit 34w*331 jeans", + "fertable fit 34w*331 jeans", + "casual fit 34w*331 jeans" + ], + "i'm looking for mens jeans that are slim but comfortable fitting, size 33w and 44l.": [ + "mens jeans slim but comfortable fitting 33w and 44l", + "mens jeans slim but comfortable fit 33w and 44l", + "mens jeans 33w and 44l", + "mens jeans slim but comfortable fitting 33w 44l", + "mens jeans slim and comfortable fitting 33w and 44l", + "mens jeans slim and comfortable fit 33w and 44l", + "mens jeans size 33w and 44l", + "mens jeans slim but comfortable fit 33w 44l", + "mens jeans slim and comfortable fitting 33w 44l", + "mens jeans slim but comfortable fitting 33w" + ], + "i need slim fitting comfortable jeans that are woodburn color and in a size 31w by 40l.": [ + "slim fitting comfortable jeans 31w by 40l", + "slim fitting comfortable jeans size 31w by 40l", + "slim fitting comfortable jeans, 31w by 40l", + "slim fitting comfortable jeans 30w by 40l", + "slim fitting comfortable jeans that are woodburn color", + "slim fitting comfortable jeans 31w by 40l", + "slim fitting comfortable jeans 31w by 40l slim fitting", + "slim fitting comfortable jeans 31w by 40l.", + "slim fitting comfortable jeans 31w by 40l slim fit", + "slim fitting comfortable jeans" + ], + "i am looking for rigid indigo comfortable fit men's wrangler jeans.": [ + "rigid indigo comfortable fit mens wrangler jeans", + "stretch indigo comfortable fit mens wrangler jeans", + "indigo comfortable fit mens wrangler jeans", + "strict indigo comfortable fit mens wrangler jeans", + "idigo comfortable fit mens wrangler jeans", + "st rigid indigo comfortable fit mens wrangler jeans", + " rigid indigo comfortable fit mens wrangler jeans", + "indigo comfortable fit mens wrangler jeans.", + "idigo comfortable fit mens wrangler jeans.", + "living mens wrangler jeans" + ], + "i am looking for big and tall wrangler cowboy cut, comfortable fit original jeans.": [ + "big and tall wrangler cowboy cut jeans", + "big wrangler cowboy cut, comfortable fit original jeans", + "big and tall wrangler cowboy cut", + "twin wrangler cowboy cut, comfortable fit original jeans", + "big and tall wrangler cowboy cut comfortable fit original jeans", + "big and tall wrangler cowboy cut jeans with comfortable fit", + "small wrangler cowboy cut, comfortable fit original jeans", + "big wrangler cowboy cut, comfortable fit original jeans.", + "big and tall wrangler cowboy cut jean", + "big and tall wrangler cowboy cut jeans, comfortable fit" + ], + "i would like a pair of 44w x 30l slim fit lavon jeans that are long lasting.": [ + "44w x 30l slim fit lavon jeans", + "44w x 30l slim fit lavon jeans long lasting", + "45w x 30l slim fit lavon jeans", + "45w x 30l slim fit lavon jeans long lasting", + "42w x 30l slim fit lavon jeans", + "42w x 30l slim fit lavon jeans long lasting", + " 44w x 30l slim fit lavon jeans", + " 44w x 30l slim fit lavon jeans long lasting", + "43w x 30l slim fit lavon jeans", + "43w x 30l slim fit lavon jeans long lasting" + ], + "looking for slim comfortable fit mens jean also choose colour black chocolate": [ + "slim comfortable fit mens jean black chocolate", + "slim comfortable fit mens jean with black chocolate", + "slim comfortable fit mens jean", + "slim comfortable fit mens jean black", + "slim comfortable fit mens jean slim black chocolate", + "slim comfortable fit mens jean, black chocolate", + " slim comfortable fit mens jean black chocolate", + "slim comfortable fit mens jean in black chocolate", + "mens jean slim comfortable fit black chocolate", + "slim comfortable fit mens jean in colour black" + ], + "i am looking for wrangler mens 13mwz cowboy cut , comfortable fit (big & tall ) jean with size 30w x36i": [ + "womens 13mwz cowboy cut jean with size 30w x36i", + " wrangler mens 13mwz cowboy cut jean with size 30w x36i", + "womens 13mwz cowboy cut , comfortable fit (big & tall ) jean with size 30w x36", + "womens 13mwz cowboy cut , comfortable fit (big & tall ) jean", + "wrangler mens 13mwz cowboy cut jean with size 30w x36i", + " wrangler mens 13mwz cowboy cut , comfortable fit (big & tall ) jean", + "womens 13mwz cowboy cut jean with size 30w x36i wrangler mens", + "womens 13mwz cowboy cut, comfortable fit (big & tall ) jean with size 30w x36", + "wrangler mens 13mwz cowboy cut , comfortable fit (big & tall ) jean", + "womens 13mwz cowboy cut" + ], + "i'm looking for a 1 pack of paraben free deodorant.": [ + "1 pack of paraben free deodorant", + "one pack of paraben free deodorant", + "1 pack paraben free deodorant", + "2 pack of paraben free deodorant", + "4 pack of paraben free deodorant", + "pack of paraben free deodorant", + "paraben free deodorant 1 pack", + "paraben free deodorant", + "bathroom free deodorant 1 pack", + "pink deodorant 1 pack" + ], + "i am looking for 22\u201dx 22 double sided throw pillow cases for my living room. choose multi 02 color.": [ + "22\u201dx 22 double sided throw pillow cases", + "22\u201dx 22 double sided throw pillow cases in multi 02 color", + "22\u201dx 22 double sided throw pillow case", + "22\u201dx 22 double sided throw pillow case in multi 02 color", + "22\u201dx 22 double sided throw pillow cases in a multi 02 color", + "23\u201dx 22 double sided throw pillow cases", + "22\u201dx 22 double sided throw pillow cases, multi 02 color,", + "22 ft x 22 double sided throw pillow cases", + "23 ft x 22 double sided throw pillow cases", + "22 x 22 double sided throw pillow cases" + ], + "i need gold cupcake toppers for a birthday party.": [ + "cupcake toppers for a baby shower", + "gold cupcake toppers for a baby shower", + "pink cupcake toppers for a baby shower", + "cupcake toppers for a birthday party", + "cupcake toppers for a baby shower.", + "gold cupcake toppers for a birthday party", + "pink cupcake toppers for a birthday party", + "cupcake toppers for a birthday party.", + "gold cupcake toppers for a baby shower.", + "plastic cupcake toppers for a baby shower" + ], + "i am looking for a silver quad core tablets.": [ + "silver quad core tablets", + "silver quad core tablets.", + "silver quad core tablets under $40", + "silver quad core tablets,", + "silver quad core tablets under $50", + "silver quad core tablets under $60", + "silver quad core tablets under $130", + "silver quad core tablets under $120", + "plastic silver quad core tablets", + "silver quad core tablet" + ], + "i want some non gmo organic tomato powder. i will need a 1 pound packet.": [ + "non gmo organic tomato powder 1 pound", + "non gmo organic tomato powder 1 pound packets", + "non gmo organic tomato powder 1 pound packet", + "non gmo organic tomato powder", + "non gmo organic tomato powder, 1 pound", + "non gmo organic tomato powder 1 pound pack", + "non gmo organic tomato powder that is 1 pound", + "non gmo organic tomato powder. 1 pound", + "non gmo organic tomato powder. 1 pound packet", + "non gmo organic tomato powder no gmo" + ], + "i am looking for peach coloured zebra roller blinds for my living room which are easy to install and should be w57xh55(inch) in size.": [ + "pomegranate coloured zebra roller blinds", + "pomegranate coloured zebra roller blinds for my living room", + "pomegranate coloured zebra roller blinds for my living room", + "pomegranate coloured zebra roller blinds", + "pomegranate coloured zebra roller blinds for living room", + "pomegranate coloured zebra roller blinds for my living room", + "pomegranate coloured zebra roller blinds living room", + "pink coloured zebra roller blinds", + "pink coloured zebra roller blinds", + "pomegranate coloured zebra" + ], + "i need foiresoft basic, white color, w 28 x h 55 inch zebra roller blinds": [ + "foiresoft basic, white color zebra roller blinds", + "foiresoft basic, white color, zebra roller blinds", + "foiresoft basic white roller blinds", + "foiresoft basic, white, zebra roller blinds", + "foiresoft basic, white roller blinds", + "foiresoft basic black zebra roller blinds", + "foiresoft basic white roller blinds", + "foiresoft basic, white color", + "foiresoft basic, white color zebra roller blinds,", + "foiresoft basic, white" + ], + "i need long lasting tooth paste with natural ingredients to remove bad breath, pick a tooth whitening one.": [ + "long lasting tooth paste with natural ingredients", + "long lasting tooth paste", + "long lasting tooth paste natural no fluoride", + "long lasting tooth paste natural", + "long lasting toothpaste with natural ingredients", + "toothpaste with natural ingredients", + "long lasting tooth paste that is natural", + "toothpaste natural no fluoride", + "tooth paste with natural ingredients", + "tooth paste" + ], + "i am looking for whitening face sheet mask which is dermatologically tested and alcohol free with natural ingredients .which is suitable for all skin types procure rosacare soothing sheet face mask pack of 1 gel preferable.": [ + "whitening face sheet mask with natural ingredients", + "whitening face sheet mask, dermatologically tested and alcohol free", + "whitening face sheet mask which is dermatologically tested and alcohol free", + "moisturizing face sheet mask with natural ingredients", + "whitening face sheet mask that is dermatologically tested and alcohol free", + "moisturizing face sheet mask, dermatologically tested and alcohol free", + "whitening face sheet mask dermatologically tested and alcohol free", + "dermatologically tested face sheet mask with natural ingredients", + "white sheet mask dermatologically tested and alcohol free", + "white sheet mask with natural ingredients" + ], + "i want a solid wood platform bed with box spring. pick one in dark brown.": [ + "solid wood platform bed with box spring", + "solid wood platform bed with box spring, dark brown", + "solid wood platform bed with box spring in dark brown", + "solid wood platform bed with box spring dark brown", + "solid wood platform bed, box spring, dark brown", + "stainless wood platform bed with box spring", + "solid wood platform bed with box spring dark brown", + "solid wood platform bed with box spring under $40", + "solid wood platform bed", + "wood platform bed with box spring" + ], + "i need a winter warm hoodie with long sleeves. it should be white in color.": [ + "winter warm hoodie white", + "winter warm hoodie with long sleeves", + "winter warm hoodie long sleeves white", + "womens warm hoodie white", + "white hoodie with long sleeves", + "winter warm hoodie in white", + "winter warm hoodie", + "winter warm hoodie, white", + "white winter warm hoodie", + "white hoodie" + ], + "looking for a fleece hoodie oversized size x-large long sleeve for teen girls womens in brown": [ + " fleece hoodie x-large long sleeve for teen girls womens", + " fleece hoodie x-large long sleeve teen girls womens in brown", + " fleece hoodie x-large long sleeve", + " fleece hoodie x-large long sleeve girls womens in brown", + " fleece hoodie x-large long sleeve girl girls womens in brown", + "fleece hoodie x-large long sleeve for teen girls womens", + " fleece hoodie x-large long sleeve teen girls womens", + " fleece hoodie x-large long sleeve girls womens", + " fleece hoodie x-large long sleeve girl girl", + " fleece hoodie" + ], + "i want to buy a birthday cake topper.": [ + "birthday cake topper", + "birthday cake topper.", + "birthday cake topper under $50", + "birthday cake topper under 50 dollars", + "birthday cake topper under $40", + "birthday cake topper under $60", + "birthday cake topper under 30 dollars", + "birthday cake topper under 40 dollars", + "birthday cake topper under 60 dollars", + "baby shower cake topper" + ], + "i'm looking for a flat black vanity light that comes with glass shades.": [ + "flat black vanity light with glass shades", + "flat black vanity light", + "living room vanity light with glass shades", + "flat black vanity light, glass shades", + "flat black vanity light under $40", + "flat black vanity light under $50", + "portrait light with glass shades", + "flat black vanity light under $60", + "living room vanity light", + "bottle black vanity light" + ], + "i need a pink toddler bed that is height adjustable and is in the size 180x76-96 cm.": [ + "pink toddler bed that is height adjustable", + "pink toddler bed size 180x76-96 cm", + "pink toddler bed with height adjustable size 180x76-96 cm", + "pink toddler bed in the size 180x76-96 cm", + "pink toddler bed 180x76-96 cm", + "pink toddler bed in a size 180x76-96 cm", + "pink toddler bed with height adjustment", + "pink toddler bed in the size 180x76-96 cm.", + "pink toddler bed", + "pink toddler bed, height adjustable, size 180x76-96" + ], + "i'd like to find a pink crib safety barrier that features a steel frame.": [ + "pink crib safety barrier that features a steel frame", + "pink crib safety barrier", + "pink crib safety barrier with a steel frame", + "pink crib safety barrier with steel frame", + "pink crib safety barrier, steel frame", + "pink crib safety barrier that includes a steel frame", + "pink crib safety barrier, with a steel frame", + "pink crib safety barrier in a steel frame", + "pink crib safety barrier that is steel frame", + "pink crib safety barrier that is steel" + ], + "i'm looking for 3-wall vanity light.": [ + "3-wall vanity light", + "3-wall vanity light.", + "3wall vanity light", + "3 wall vanity light", + "3-wall vanity light,", + "3w vanity light", + " 3-wall vanity light", + "3dwall vanity light", + "3ft vanity light", + "3l vanity light" + ], + "i need 1 pack of gluten free natural fennel seed ground that has natural garlic minced whole": [ + "gluten free natural fennel seed ground", + "natural fennel seed ground that has natural garlic minced whole", + "natural fennel seed ground natural garlic minced whole", + "1 pack of gluten free natural fennel seed ground", + "natural fennel seed ground", + "natural fennel seed ground with natural garlic minced whole", + "gluten free natural fennel seed ground mix", + "natural fennel seed ground that has natural garlic minced", + "gluten free natural fennel seed ground natural garlic minced", + "gluten free natural fennel seed" + ], + "i need a 1.9 oz jar of ground mustard seed that is gmo free.": [ + "1.9 oz jar of ground mustard seed", + "1.9 oz jar of ground mustard seed, gmo free", + "1.9 oz jar of ground mustard seed gmo free", + "1.9 oz jar of ground mustard seed gmo free", + "1.9 oz jar of ground mustard seed no gmo", + "1.9 oz jar of ground mustard seed with gmo free", + "one.9 oz jar of ground mustard seed", + "1.9 oz jar of ground mustard seed under $40", + "2.9 oz jar of ground mustard seed", + "butter mustard seed 1.9 oz" + ], + "i would like to get some gmo free 3.1 ounce himalayan pink salt with a coarse grind.": [ + "gmo free 3.1 ounce himalayan pink salt", + "3.1 ounce himalayan pink salt with a coarse grind", + "3.1 ounce himalayan pink salt", + "gmo free 3.1 ounce himalayan pink salt, coarse grind", + "gmo free 3.1 ounce healayan pink salt", + "3.1 ounce healayan pink salt with a coarse grind", + "gmo free 3.1 ounce himalayan pink salt under $40", + "gmo free 3.1 ounce himalayan pink salt under $50", + "gmo free 3.1 ounce himalayan pink salt under $60", + "3.1 ounce healayan pink salt" + ], + "i want a 0.15 ounce bottle of gmo free himalayan pink salt with a medium grind.": [ + "gmo free himalayan pink salt with a medium grind", + "gmo free himalayan pink salt", + "gmo free healayan pink salt with a medium grind", + "gmo free healayan pink salt", + "gmo free himalayan pink salt under $60", + "gmo free himalayan pink salt under $40", + "gmo free himalayan pink salt bottle", + "gmo free himalayan pink salt under $50", + "gmo free himalayan pink salt 2 oz", + "gmo free himalayan pink salt drink mix" + ], + "i am looking for gluten free organic bean chili rajma indian seasoning spice that is gmo free.": [ + "gluten free organic bean chili rajma seasoning spice", + "gal free organic bean chili rajma indian seasoning spice", + "gluten free organic bean chili rajma", + " gluten free organic bean chili rajma indian seasoning spice", + "organic bean chili rajma indian seasoning spice", + "gluten free organic bean chili rajma spice", + "gluten free organic bean chili rajma flavor spice", + "organic bean chili rajma seasoning spice", + "plant chili rajma seasoning spice", + "bag chili rajma seasoning spice" + ], + "i am looking for a gluten free fennel seed with no gmo. also choose natural mint leaf whole flavor and 2.4 ounce (pack of 1) size.": [ + "natural mint leaf whole flavor 2.4 ounce (pack of 1)", + "natural mint leaf whole flavor 2.4 ounce (pack of 1) size", + "gluten free fennel seed 2.4 ounce (pack of 1)", + "natural mint leaf fresh flavor 2.4 ounce (pack of 1)", + "natural mint leaf whole flavor and 2.4 ounce (pack of 1) size", + "natural mint leaf whole flavor 2.4 oz (pack of 1)", + "gluten free fennel seed with no gmo", + "natural mint leaf whole flavor", + "gluten free fennel seed", + "natural mint leaf whole flavor and 2.4 ounce (pack of 1)" + ], + "i'm looking for a ground natural fennel seed which is free from bpa, gmo, fat and gluten. also choose a pack of 1 weighting 2.8 ounce with natural kebab seasoning one.": [ + "natural fennel seed 1 weighting 2.8 ounce", + "pack of 1 weighting 2.8 ounce natural fennel seed", + "ground natural fennel seed no bpa, gmo, fat and gluten", + "pack of 1 weighting 2.8 ounce natural kebab seasoning", + "natural fennel seed 2.8 ounce", + "ground natural fennel seed", + "natural fennel seed 2.8 oz", + "natural fennel seed that is free from bpa, gmo and gluten", + "natural fennel seed", + "Ground natural fennel seed" + ], + "i would like a 1.7 ounce bottle of natural curry leaf spice that is gmo free.": [ + "natural curry leaf spice 1.7 oz", + "natural curry leaf spice that is gmo free", + "1.7 ounce bottle of natural curry leaf spice", + "natural curry leaf spice", + "natural curry leaf spice 1.7 ounce", + "natural curry leaf spice 2.7 oz", + "natural curry leaf spice, gmo free", + "natural curry leaf spice gmo free", + "natural curry leaf spice 1.7 ounces", + "natural curry leaf spice 2 oz" + ], + "i am interested in buying ground seeds which are gmo free, and fat free which have himalayan pink salt fine grind flavor and are in pack of 1 of 2.6 ounce.": [ + "earth seeds healayan pink salt fine grind flavor pack of 1 of 2.6 ounce", + "plant seeds healayan pink salt fine grind flavor pack of 1 of 2.6 ounce", + "earth seeds healayan pink salt fine grind flavor pack of 2.6 ounce", + "plant seeds healayan pink salt fine grind flavor pack of 2.6 ounce", + "plant seeds gmo free 1 of 2.6 ounce", + "earth seeds gmo free 1 of 2.6 ounce", + "earth seeds healayan pink salt fine grind flavor", + "earth seeds gmo free 1 of 2.6 ounce pack", + "plant seeds gmo free 1 of 2.6 ounce pack", + "plant seeds healayan pink salt fine grind flavor" + ], + "i want a 2.6 ounce bottle of himalayan pink salt of a medium grind that is gmo free.": [ + "2.6 ounce bottle of himalayan pink salt of a medium grind", + "2.6 ounce bottle of himalayan pink salt", + "2.6 ounce bottle of healayan pink salt of a medium grind", + "two.6 ounce bottle of himalayan pink salt of a medium grind", + "2.6 ounce bottle of healayan pink salt", + "2.6 ounce bottle of himalayan pink salt, gmo free", + " 2.6 ounce bottle of himalayan pink salt of a medium grind", + "gmo free 2.6 ounce bottle of himalayan pink salt", + "two.6 ounce bottle of himalayan pink salt", + "2.6 ounce bottle of himalayan pink salt under $50" + ], + "i would like sesame seeds that are gluten free and ginger flavored as well as being .8 oz": [ + "sesame seeds gluten free and ginger flavored", + "sesame seeds gluten free and ginger flavored sesame seeds", + "sesame seeds that are gluten free and ginger flavored", + "sesame seeds gluten free and ginger flavored.8 oz", + "sesame seeds gluten free and ginger flavored under $40", + "sesame seeds gluten free and ginger flavored .8 oz", + "sesame seeds gluten free and ginger flavored under $60", + "sesame seeds gluten free", + "sesame seeds gluten free ginger flavored", + "sesame seeds" + ], + "i am interested in gmo free sesame seeds that have indian rock sugar and are 2.8 ounces": [ + "gmo free sesame seeds 2.8 ounces", + "gmo free sesame seeds that have indian rock sugar", + "gbmo free sesame seeds 2.8 ounces", + "gmo free sesame seeds 2.8 oz", + "gmo free sesame seeds 2.8 ounces under $40", + "indian rock sugar sesame seeds 2.8 ounces", + "gmo free sesame seeds", + "gmo free sesame seeds with indian rock sugar", + "gmo free sesame seeds 2.8 ounces under $60", + "gluten free sesame seeds 2.8 ounces" + ], + "i need a large log sleeve sweatshirt for daily use. i would prefer z08 red color": [ + "large log sleeve sweatshirt z08 red", + "large log sleeve sweatshirt in z08 red", + "large log sleeve sweatshirt in z08 red color", + "large log sleeve sweatshirt z08 red color", + "large log sleeve sweatshirt, z08 red", + "large log sleeve sweatshirt, z08 red color", + "large log sleeve sweatshirt", + "large log sleeve sweatshirt z08 red", + "large log sleeve sweatshirt with z08 red color", + "large log sleeve sweatshirt with a red color" + ], + "i want to buy a bed frame that requires assembly and is white and full size.": [ + "bed frame white and full size", + "bed frame white", + "bed frame white, full size", + "bed frame white full size", + "white bed frame that requires assembly", + "bed frame white and full", + "white bed frame", + "bed frame white with assembly", + "white bed frame with assembly", + "white bed frame with assembly white" + ], + "i want to get a dye kit for my hair.": [ + "dye kit for my hair.", + "dye kit for my hair", + "dye kit for my hair under $40", + "dye kit for my hair under $50", + "dye kit for my hair $40", + "dye kit for my hair $50", + "dye kit for my hair under $60", + "dye kit for my hair $60", + "dye kit for hair", + "dye kit" + ], + "help me purchase a blue men's shorts that is machine washable and its size is 38.": [ + "blue mens shorts 38", + "blue mens shorts", + "blue mens shorts size 38", + "blue mens shorts, machine washable", + "blue mens shorts with a size 38", + "blue mens shorts in a 38", + "blue mens shorts under 38 dollars", + "blue mens shorts in a size 38", + "blue mens shorts under $40", + "blue mens shorts 38 under $40" + ], + "i need some area rugs for the living room that are ivory and grey that are 2'3\" by 12'/": [ + "23 by 12 rug", + "yellow area rug 23 by 12/", + "yellow area rug 23 by 12", + "23 area rugs for living room", + "23 by 12 rug for living room", + "23 by 12 rug living room", + "23 x 12 rug", + "23 area rug for living room", + "23 by 12 rugs", + "23 by 12 area rug" + ], + "i want to find a small, sky-blue summer dress that i can wear every day.": [ + "small, sky-blue summer dress", + "sky-blue summer dress", + "slimming small, sky-blue summer dress", + "small sky-blue summer dress", + "sneakers small, sky-blue summer dress", + "small, sky-blue summer dress under $50", + "small, sky-blue summer dress under 50 dollars", + "small, sky-blue summer dress,", + "sky blue summer dress", + "skyblue summer dress" + ], + "i am trying wallscone light fixture i can use as a reading light in my living room. pick out one that is amber colored.": [ + "wallscone light fixture that is amber colored", + "wallscone light fixture", + "wallscone light fixture in my living room", + "wallscone light fixture for living room", + "wallscone light fixture amber colored", + "wallscone light fixture, amber colored", + "wallscone light fixture for living room, amber colored", + "wallscone light fixture for living room amber colored", + "wallscone light fixture for living room color", + "wallscone light fixture living room" + ], + "i am looking for a white classic fit tanks & camis for girl.": [ + "white classic fit tanks & camis for girl", + "white classic fit tanks and camis for girl", + "white classic fit tanks & camis girl", + "white classic fit tanks & camis", + "white classic fit tank & camis for girl", + "white classic fit tanks and camis girl", + "white classic fit tanks for girl", + "white classic fit tanks, camis for girl", + "white modern fit tanks & camis for girl", + "white classic fit tanks and camis" + ], + "i need a sofa made of solid wood with memory foam. it should be graphite oxford weave in color.": [ + " sofa made of solid wood with memory foam", + "furniture made of solid wood with memory foam", + "f sofa made of solid wood with memory foam", + "comfortable sofa made of solid wood with memory foam", + " sofa made of solid wood with memory foam color", + "fog sofa made of solid wood with memory foam", + " sofa made of solid wood with memory foam in color", + "living room sofa made of solid wood with memory foam", + "a sofa made of solid wood with memory foam", + "f sofa made of solid wood with memory foam color" + ], + "i am looking for a mid century chair that is a sectional loveseat and is a peppercorn linen weave color.": [ + "mid century chair peppercorn linen weave color", + "mid century chair with a peppercorn linen weave color", + "mid century chair, peppercorn linen weave color", + "mid century chair that is a sectional loveseat", + "mid century chair peppercorn linen weave", + "mid century chair with peppercorn linen weave color", + "mid century chair in peppercorn linen weave color", + "mid century chair a peppercorn linen weave color", + "mid century chair, peppercorn linen weave", + "mid century chair" + ], + "i am looking for a type a color of binoculars and comes with high power.": [ + "blue binoculars with high power", + " binoculars with high power", + " binoculars color high power", + "blue binoculars that are high power", + "stainless binoculars with high power", + "blue binoculars color high power", + "black binoculars with high power", + "a color of binoculars with high power", + "blue binoculars", + "a type a color of binoculars" + ], + "i want a twin sized bunk bed with storage space. pick a white one with slide.": [ + "twin sized bunk bed with storage space", + "twin sized bunk bed with storage space, white", + "twin sized bunk bed with storage space white", + "twin sized bunk bed with storage space in white", + "twin bed with storage space", + "twin sized bunk bed", + "twin sized bunk bed with storage space with white", + " twin sized bunk bed with storage space", + "twin sized bunk bed with storage space and white", + "twin size bunk bed with storage space" + ], + "i am looking for twin size twin over pull out bunk bed with trundle and drawers, also grey color with slide": [ + "twin bed with trundle and drawers", + "twin size twin over pull out bunk bed", + "twin size twin over pull out bunk bed with trundle with slide", + "twin size twin bed with trundle and drawers", + " twin size twin over pull out bunk bed with trundle and drawers", + "twin size twin over pull out bunk bed with trundle", + "twin size twin pull out bunk bed with trundle and drawers", + "twin bed with trundle and drawers, also grey color", + "twin bed with trundle and drawers grey", + "twin bed with trundle" + ], + "i want easy apply nail tips. i am looking for this particular color called l6041-1": [ + "easy apply nail tips l6041-1", + "nude tips l6041-1", + "nail tips l6041-1", + "simple apply nail tips l6041-1", + "lip tips l6041-1", + "easy apply nail tips l6040-1", + "easy apply nail tips l6041", + "l6041-1 nail tips", + "easy apply nail tips", + "nude tips" + ], + "i need a 32 gb usb flash drive that is a pistol color.": [ + "32gb usb flash drive that is a pistol color", + "32gb usb flash drive", + "32gb usb flash drive in pistol color", + "32gb usb flash drive in a pistol color", + " 32gb usb flash drive that is a pistol color", + "32gb usb flash drive with a pistol color", + "32 gb usb flash drive", + "32 gb usb flash drive in pistol color", + "32 gb usb flash drive in a pistol color", + "32gb usb flash drive, a pistol color" + ], + "i'm looking for cruelty free tan concealers & neutralizers.": [ + "cruelty free tan concealers & neutralizers", + "cruelty free tan concealers and neutralizers", + "cruelty free tan concealers & neutralizers.", + "cruelty free tan concealers & neutralizers under $40", + "cruelty free tan concealers & neutralizers under $50", + "cruelty free tan concealers & neutralizers under $60", + "cruelty free tan concealers & neutralizers under 50 dollars", + "cruelty free tan concealers & neutralizers under 40 dollars", + "cruelty free tan concealers with neutralizers", + "cruelty free tan concealers & neutralizers under 60 dollars" + ], + "i am looking for large causal top for women's with long sleeve and elastic closure with keep comfortable and fashionable in red tie-dye color of longyuan 2022 women's.": [ + "large causal top for womens with long sleeve elastic closure", + "large causal top for womens long sleeve elastic closure", + "large causal top for womens long sleeve and elastic closure", + "large causal top womens with long sleeve elastic closure", + "large causal top womens with long sleeve and elastic closure", + "large causal top for womens", + "large causal top womens red tie-dye color", + "large causal top for womens long sleeve", + "large causal top womens", + "large causal top" + ], + "i need a travel size and easy use denture storage box with mirror": [ + "temporary denture storage box", + "travel size denture storage box with mirror", + "travel size denture storage box", + "tenture storage box", + "tenture storage box with mirror", + "temporary denture storage box with mirror", + "easy use denture storage box with mirror", + "easy use denture storage box", + "toothpaste storage box", + "toothpaste storage box with mirror" + ], + "i am looking for travel laundry bag for underwear ,bra lingeries": [ + "travel laundry bag for underwear ,bra lingeries", + "travel laundry bag for underwear,bra lingeries", + " travel laundry bag for underwear ,bra lingeries", + "travel laundry bag for underwear", + "visit travel laundry bag for underwear ,bra lingeries", + "Travel laundry bag for underwear ,bra lingeries", + "temporary travel laundry bag for underwear ,bra lingeries", + "moisturizing laundry bag for underwear ,bra lingeries", + "pink laundry bag for underwear ,bra lingeries", + "travel laundry bag for underwear ,bra lingeries" + ], + "i'm looking for machine washable twin size electric blanket.": [ + "machine washable twin size electric blanket", + "machine washable twin size electric blanket.", + "machine washable twin size electric blanket under $50", + "machine washable twin size electric blanket under $40", + "machine washable twin size electric blanket under $60", + "man washable twin size electric blanket", + "machine washable twin size electric blanket under 50 dollars", + "machine washable twin size electric blanket under 40 dollars", + "machine washable twin size electric blanket,", + "woman washable twin size electric blanket" + ], + "i'm looking for a daily wear, long sleeve with high waist night gown. also, choose medium sixe red colored one.": [ + "day long sleeve high waist night gown", + "day long sleeve with high waist night gown", + "medium sixe red colored night gown", + "medium sixe red colored day dress", + "day wear medium sixe red colored one", + "medium sixe red colored nightgown", + "medium sixe red colored daygown", + "day wear medium sixe red colored woman", + "day wear medium sixe red colored dress", + "low waist night gown" + ], + "i need glass bottles which are leak proof. pick a pack of 40.": [ + "glass bottles that are leak proof", + "glass bottles leak proof", + "glass bottles which are leak proof", + "glass bottles leak proof pack of 40", + "glass bottles leak proof 40 pack", + "glass bottles leak proof under 40 dollars", + "glass bottles, leak proof", + "glass bottles under 40 dollars", + "glass bottles with leak proof", + "glass bottles" + ], + "i am looking for jungle powders freeze dried watermelon powder 3.5oz and also 5oz with gmo free": [ + "jungle powders freeze dried watermelon powder 3.5oz", + "packet powders freeze dried watermelon powder 3.5oz", + "pink dried watermelon powder 3.5oz", + "pink watermelon powder 3.5oz", + "pink dried watermelon powder 3.5oz gmo free", + "pink watermelon powder 3.5oz gmo free", + "packaged watermelon powder 3.5oz gmo free", + "pack dried watermelon powder 3.5oz", + "packaged watermelon powder 3.5oz", + "pink pomegranate powder 3.5oz" + ], + "i am looking for a certified organic body butters moisturizers for dry skin.": [ + "moisturizers for dry skin", + "organic body butters moisturizers for dry skin", + "professional body butters moisturizers for dry skin", + "beauty moisturizers for dry skin", + "natural body butters moisturizers for dry skin", + "moisturizers for dry skin certified organic", + "non-moisturizers for dry skin", + "natural moisturizers for dry skin", + "manualizers for dry skin", + "moisturizers for dry skin." + ], + "i'm looking for 1600 watt high power bass surround stereo sound component subwoffers.": [ + "1600 watt high power bass surround stereo sound component subwoffers", + "high power bass surround stereo sound component subwoffers", + " 1600 watt high power bass surround stereo sound component subwoffers", + "1600 watt high power bass surround stereo sound component subwoffers", + "16 watt high power bass surround stereo sound component subwoffers", + "quadrate high power bass surround stereo sound component subwoffers", + "1600 watt high power bass surround stereo sound component subwaffers", + "1600 watt high power bass surround stereo sound component subwoffers.", + "high power bass surround stereo sound component subwoffers.", + "high power bass surround stereo sound component subwoffers, 1600 watt" + ], + "i would like a 15 inch 600 watt speaker with a 2 inch dual voice coil in stereo sound.": [ + "15 inch 600 watt speaker with a 2 inch dual voice coil", + "15 inch speakers with a 2 inch dual voice coil in stereo sound", + "15 inch speaker with a 2 inch dual voice coil in stereo sound", + "size 15 inch 600 watt speaker with a 2 inch dual voice coil", + "15 inch speakers with a 2 inch dual voice coil", + "15 inch speaker with a 2 inch dual voice coil", + "15 inch 600 watt speaker with a 2 inch dual voice coil,", + "size 15 inch speaker with a 2 inch dual voice coil", + "size 600 watt speaker with a 2 inch dual voice coil", + "size 15 inch speakers with a 2 inch dual voice coil" + ], + "i am looking for a high powered 12 inch car subwoofer system.": [ + "high powered 12 inch car subwoofer system", + "12 inch car subwoofer system", + "high powered car subwoofer system", + "low powered 12 inch car subwoofer system", + "high powered 12 inch car subwoofer", + "car subwoofer system high powered 12 inch", + "12 ft car subwoofer system", + "car subwoofer system", + "12 foot car subwoofer system", + "12 inch car subwoofer" + ], + "i need a i-blue color sleeved pullover sweater of 5x-large size. and it should be machine washable": [ + " i-blue color sleeved pullover sweater of 5xl", + " i-blue color sleeved pullover sweater of 5xl size", + " i-blue color sleeved pullover sweater", + "blue pullover sweater of 5x-large size", + "blue pullover sweater of 5xl", + "blue pullover sweater 5x-large", + "blue pullover sweater 5xl", + "blue pullover sweater of 5x-large size.", + "5xl pullover sweater", + "blue pullover sweater" + ], + "i need a high gloss wall plate cover. pick a single toggle one.": [ + "high gloss wall plate cover", + "high gloss wall plate cover with a single toggle one", + "high gloss wall plate cover with a single toggle", + "high gloss wall plate cover that is single toggle", + "high gloss wall plate cover in a single toggle", + "high gloss wall plate cover in a single toggle one", + "high gloss wall plate cover under $40", + "high gloss wall plate cover under $50", + "high gloss wall plate cover under $60", + "high gloss wall plate cover that is single toggle one" + ], + "i am looking for a wireless bluetooth speaker bundle. look for black color, please.": [ + "wireless bluetooth speaker bundle black", + "wireless bluetooth speaker bundle in black", + "womens wireless bluetooth speaker bundle", + "black wireless bluetooth speaker bundle", + " wireless bluetooth speaker bundle black", + "white wireless bluetooth speaker bundle", + " wireless bluetooth speaker bundle in black", + "wireless bluetooth speaker bundle", + "a wireless bluetooth speaker bundle in black", + "wireless bluetooth speaker bundle, black" + ], + "i'm looking for leather sole black color loafers pumps for women high chunky heels, size 8.": [ + " leather sole black color loafers pumps for women high chunky heels size 8", + "leather sole black color loafers pumps for women high chunky heels", + " leather sole black loafers pumps for women high chunky heels, size 8", + "leather sole black loafers pumps for women high chunky heels size 8", + " leather sole black color loafers pumps for women high chunky heels", + "leather sole black shoes for women high chunky heels, size 8", + "black loafers pumps for women high chunky heels size 8", + "leather sole black color loafers pumps", + " leather sole black color loafers pumps", + "sneakers black" + ], + "i need straight leg and fleece lined chef pants. it should be gray in color.": [ + "straight leg and fleece lined chef pants gray", + "straight leg and fleece lined chef pants", + "straight leg fleece lined chef pants gray", + "straight leg and fleece lined chef pants, gray", + "straight leg and fleece lined chef pants in gray", + "straight leg fleece lined chef pants", + "straight leg fleece lined chef pants, gray", + "straight leg and fleece lined chef pants. gray", + "brushed leg and fleece lined chef pants gray", + "grey fleece lined chef pants" + ], + "i'm looking for wireless bluetooth clock radios. also, choose the grey one.": [ + "wireless bluetooth clock radio", + "grey bluetooth clock radio", + "womens bluetooth clock radio", + "womens wireless bluetooth clock radio", + "wireless bluetooth clock radio grey", + "womens bluetooth clock radio grey", + "wireless bluetooth clock radio, grey", + "blue bluetooth clock radio", + "grey wireless bluetooth clock radio", + "wireless bluetooth clock radios" + ], + "i need an 27 piece set of lip glosses that are fragrance free.": [ + "27 piece set of lip glosses", + "27 piece set of lip glosses fragrance free", + "27 piece set of lip glosses, fragrance free", + "27 piece set of lip glosses with fragrance free", + "28 piece set of lip glosses", + "27 piece lip glosses that are fragrance free", + "27 piece set of lip glosses no fragrance", + "27 piece set of lip glosses natural", + "27 piece set of lip glosses fragrance free.", + "27 piece set of lip gloss" + ], + "i'm looking for a 12-ounce package of blueberry harvest granola clusters that are gluten free and high in protein.": [ + "blueberry harvest granola clusters gluten free and high in protein", + "12-ounce package of blueberry harvest granola clusters", + "blueberry harvest granola clusters gluten free", + "blueberry harvest granola cluster gluten free and high in protein", + "blueberry harvest granola clusters high in protein", + "blueberry harvest granola cluster gluten free", + "blueberry harvest granola clusters that are gluten free", + "12-ounce package of blueberry harvest granola cluster", + "blueberry harvest granola clusters gluten free, high in protein", + "blueberry harvest granola clusters" + ], + "i need a non gmo and usda organic granola cereal. i like the honey nuts and cinnamon flavor.": [ + "non gmo and usda organic granola cereal", + "non gmo and usda organic granola cereal with honey nuts", + "non gmo organic granola cereal with honey nuts and cinnamon flavor", + "non gmo and usda organic granola cereal with cinnamon flavor", + "non gmo and usda organic granola cereal honey nuts", + "non gmo organic granola cereal honey nuts and cinnamon flavor", + "non gmo and usda organic granola cereal flavor", + "non gmo organic granola cereal with honey nuts", + "non gmo organic granola cereal", + "non gmo organic granola cereal honey nuts" + ], + "i am looking storage basket for living room having steel frame and can clean easily at large size": [ + "storage basket for living room steel frame", + "storage basket for living room", + "storage basket for living room large", + "storage basket living room steel frame", + "temporary storage basket for living room", + "storage basket living room", + "storage basket size large", + "living room storage basket", + "storage basket large", + "storage basket" + ], + "i am looking for high quality full lace black hair wigs for men suffering from hair loss. it should be \u201c7x9\u201d 120% light medium density.": [ + "full lace black hair wig 120% light", + "black hair wig 120% light", + "high quality full lace black hair wig", + "full lace black hair wig", + "high quality full lace black hair wigs", + "black hair wigs 120% light", + "full lace black hair wigs", + "6x9 black hair wig", + "7x9 black hair wig", + "black hair wig" + ], + "i am looking for a high quality toupee 120 light medium density 6x8.": [ + "toupee 120 light medium density 6x8", + "tourspee 120 light medium density 6x8", + "t toupee 120 light medium density 6x8", + "toupee 120 light medium density", + "tourpee 120 light medium density 6x8", + "troupee 120 light medium density 6x8", + "toupee 120 light medium density 6x8.", + " toupee 120 light medium density 6x8", + "tourspee 120 light medium density", + " toupee 120 light medium density" + ], + "i am looking for a high quality lhc full french lace mens toupee european virgin human hair bleached knots hair systen, also color is 720# very light brown with 20% gray": [ + "lhc full french lace mens toupee european virgin human hair bleached knots hair systen color is 720#", + "lip lace mens toupee european virgin human hair bleached knots hair systen color is 720# very light brown", + "lhc full french lace mens toupee european virgin human hair bleached knots hair systen", + "lhc full french lace mens toupee european virgin human hair bleached knots hair systen color", + "lhc full french lace mens toupee european virgin human hair bleached knots", + "lhc full french lace mens toupee european virgin human hair bleached knots hair", + "high quality lhc full french lace mens toupee european virgin human hair bleached knots", + "lip lace mens toupee european virgin human hair bleached knots hair systen", + "lip lace mens toupee european virgin human hair bleached knots", + "lip lace mens toupee european virgin human hair bleached knots hair" + ], + "i'm looking for a 7''x9''100%light medium density hair extension with high quality and its color should be 240# darkest brown with 40% gray.": [ + "light medium density hair extension 240# darkest brown", + "hair extension 240# darkest brown with 40% gray", + "7x9100%light medium density hair extension", + "6x9100%light medium density hair extension", + "shoes extension 240# darkest brown with 40% gray", + "hair extension 240# darkest brown", + "dark brown hair extension 240#", + "light medium density hair extension with high quality", + "dark brown hair extension 240# darkest brown", + "shoes extension 240# darkest brown" + ], + "i am looking for a high quality hair piece that is medium brown": [ + "medium brown hair piece", + "medium brown hair piece under $40", + "medium brown hair piece under $50", + "hair piece that is medium brown", + "medium brown hair piece under $60", + "medium brown hair piece under 30 dollars", + "medium brown hair piece under 120 dollars", + "medium brown hair piece under 50 dollars", + "medium brown human hair piece", + "medium brown hair piece, high quality" + ], + "you will find this men's wig brand lhc, virgin human hair 550# medium light brown with 50% gray, high quality": [ + "mens wig brand lhc with 50% gray", + "mens wig brand lhc dark brown with 50% gray", + "mens wig brand lhc with 50% gray high quality", + "mens wig brand lhc, virgin human hair 550#", + "mens wig brand lhc with 50% gray", + "mens wig brand lhc high quality with 50% gray", + "mens wig brand lhc heavy duty with 50% gray", + "mens wig brand lhc 50% gray", + "mens wig brand lhc 50% gray", + "mens wig brand lhc medium light brown" + ], + "i am looking for a 7''x10''100%light density high quality hairpieces": [ + "7x10100 high quality hairpieces", + "light density high quality hairpieces", + "7x10100 hairpieces", + "8x10100 high quality hairpieces", + "6x10100 high quality hairpieces", + "7x10100 hairpieces high quality", + "7x10100", + "light density high quality hairpieces under $40", + "light density high quality hairpieces under $50", + "shoes 7x10100 high quality" + ], + "i want dark brown and high quality full french lace mens toupee.": [ + "dark brown and high quality full french lace mens toupee", + "dark brown high quality full french lace mens toupee", + "dark brown, high quality full french lace mens toupee", + "dark brown high quality full french lace mens toupee.", + "dark brown full french lace mens toupee", + "dark brown french lace mens toupee", + "dark brown and high quality french lace mens toupee", + "dark brown French lace mens toupee", + "dark brown lace mens toupee", + "dark brown leather mens toupee" + ], + "i would like a high quality hair piece that is medium brown.": [ + "medium brown hair piece", + "hair piece that is medium brown", + "medium brown hair piece under $40", + "medium brown hair piece under $50", + "medium brown hair piece under $60", + "medium brown hair piece under 30 dollars", + "medium brown hair piece, high quality", + "medium brown human hair piece", + "medium brown hair piece high quality", + "medium brown hair piece under 50 dollars" + ], + "i am looking for a silver galaxy watch 3 45mm sm r840 women bands which is easy to install and stainless steel.": [ + "silver galaxy watch 3 45mm sm r840 women bands", + "silver galaxy watch 3 45mm sm r840 women bands with stainless steel", + "silver galaxy watch 345mm sm r840 women bands", + "silver galaxy watch 3 45mm sm r840 women bands in stainless steel", + "silver galaxy watch 3 45mm sm r840 women bands stainless steel", + "silver galaxy watch 3 45mm sm r840 women bands easy to install stainless steel", + "silver galaxy watch 3 45mm sm r840 women bands under $40", + "silver galaxy watch 3 45mm sm r840 women bands that is easy to install", + "silver galaxy watch 3 45mm sm r840 women bands, easy to install", + "silver galaxy watch 3" + ], + "i am looking for low carb flavor syrup that comes in a six pack of 32 ounces.": [ + "low carb flavor syrup six pack of 32 ounces", + "low carb flavor syrup 6 pack of 32 ounces", + "low carb flavor syrup six pack of 32 oz", + "low carb flavor syrup six pack", + "low carb flavor syrup six pack of 32 ounce", + "low carb flavor syrup eight pack of 32 ounces", + "low carb flavor syrup 32 ounces", + "low carb flavor syrup 12 pack of 32 ounces", + "low carb flavor syrup 32 oz", + "low carb flavor syrup" + ], + "i am looking for decorative cupcake picks for my party. pick red ones.": [ + "cupcake picks for a baby shower red", + "cupcake picks for a party red", + "cupcake pick for a baby shower red", + "cupcake picks for a party. pick red ones.", + "cupcake picks for my party red", + "cupcake picks for my party. pick red ones.", + "cupcake pick for a party red", + "cupcake picks for a party", + "cupcake picks for a party. pick red ones", + "contains decorative cupcake picks for a baby shower" + ], + "i need a double sided shower brush with long handle. pick something in pink.": [ + "double sided shower brush with long handle", + "double sided shower brush with long handle pink", + "single sided shower brush with long handle", + "double sided shower brush", + "single sided shower brush with long handle pink", + "double sided shower brush, long handle pink", + "double sided shower brush long handle pink", + "double sided shower brush pink", + "double sided shower brush long handle", + "double sided shower brush in pink" + ], + "i am looking for a high performance pink color on-ear headphones.": [ + "pink color on-ear headphones", + "pink on-ear headphones", + "pink colored on-ear headphones", + "pink color high performance headphones", + "pink wireless charging headphones", + "pink color headphones", + "pink color pink headphones", + "pink wireless charging", + "pink headphones", + "pink" + ], + "i need some shoes that are peony colored with a rubber sole and are a size 6 for kids.": [ + "pony colored shoes size 6 for kids", + "pony colored with a rubber sole", + "peony colored with a rubber sole", + "peony colored shoes size 6 for kids", + "teeth peony colored with a rubber sole", + "shoes peony colored with a rubber sole", + "peony colored with a rubber sole for kids", + "pony colored shoes with a rubber sole", + "pony colored shoes", + "peony colored shoes" + ], + "i would like a 2.5 or 3.5 in the uk kids shoe with a rubber sole. can i also get them with a black zebra shimmer.": [ + "2.5 or 3.5 in the uk kids shoe with a rubber sole", + "two.5 or 3.5 in the uk kids shoe with a rubber sole", + "2.5 or 3.5 in the uk kids shoe", + "uk kids shoe with a rubber sole", + "2.5 or 3.5 uk kids shoe with a rubber sole", + "2.5 kids shoe with a rubber sole", + "kids shoe 2.5 with a rubber sole", + "uk kids shoe with a rubber sole, 2.5, 3.5", + "k kids shoe with a rubber sole", + "kids shoe with a rubber sole" + ], + "i would like some girls shoes that are in a size 7 and have a watermelon print.": [ + "girls shoes size 7 with a watermelon print", + "girl shoes size 7 with a watermelon print", + "girls shoes size 7 watermelon print", + "girl shoes size 7 watermelon print", + "girls shoes size 7 in a watermelon print", + "girl shoes size 7 with watermelon print", + "girls shoes size 7 with watermelon print", + "girls shoes in a size 7 with watermelon print", + "girl shoes in a size 7 with watermelon print", + "girls shoes size 7 with a watermelon print," + ], + "i want to find women's black canvas shoes in a size 9. the shoes must have rubber soles.": [ + "womens black canvas shoes in a size 9", + "womens black canvas shoes size 9", + "womens black canvas shoes size 9 rubber soles", + "womens black canvas shoes size 9 with rubber soles", + "womens black canvas shoes", + "womens black canvas shoes size 9, rubber soles", + "womens black canvas shoes, size 9, rubber soles", + "womens black canvas shoes size 9 rubber sole", + "womens black canvas shoes, size 9", + "womens black canvas shoes a size 9" + ], + "i'm looking for tom's classic alpargata shoes with rubber soles, in the color cabernet glitter and size 11 toddler.": [ + "toms classic alpargata shoes with rubber soles size 11 toddler", + "classic alpargata shoes with rubber soles size 11 toddler", + "toms classic alpargata shoes with rubber soles", + "toms classic alpargata shoes with rubber soles, size 11 toddler", + "toms classic alpargata shoes with rubber soles and size 11 toddler", + "toms classic alpargata shoes size 11 toddler", + "toms classic alpargata shoes", + "classic alpargata shoes with rubber soles", + "classic alpargata shoes size 11 toddler", + "classic alpargata shoes" + ], + "i am looking for classic alpargata of pink color having rubber sole.": [ + "classic alpargata pink rubber sole", + "classic alpargata pink color rubber sole", + "classic alpargata pink with rubber sole", + "classic alpargata of pink color", + "classic alpargata pink", + "classic pink alpargata with rubber sole", + "classic alpargata with rubber sole", + "classic alpargata pink color", + "pink color with rubber sole", + "pink color" + ], + "i want to find a pair of silver toddlers' toms with rubber soles. they either need to be a size 10 for us sizing or a size 3.5 for uk sizing.": [ + "silver toddlers toms with rubber soles", + "silver toddlers toms with rubber soles size 10", + "silver toddlers toms with rubber soles in a size 10", + "silver toddlers toms with rubber soles size 10 size 3.5", + "silver toddlers toms with rubber soles, size 10", + "silver toddler toms with rubber soles", + "silver toddlers toms size 10", + "silver toddlers toms", + "silver toddlers toms with rubber sole", + "silver toddlers toms rubber soles" + ], + "i am looking for girl alpargata with rubber sole.please choose 10 size.": [ + "girl alpargata with rubber sole", + "girl alpargata with rubber sole 10", + "girl alpargata rubber sole 10", + "girl alpargata rubber sole 10 size", + "girl alpargata with rubber sole 10 size", + "girl alpargata rubber sole", + "girl alpargata rubber sole size 10", + "girl alpargata with rubber sole 10 girl", + "girl alpargata rubber sole, 10 size", + "girl alpargata with rubber sole, 10" + ], + "i'm looking for gluten free 1.4 ounce (pack of 12) bars.": [ + "gluten free 1.4 ounce (pack of 12) bars", + "gluten free 1.4 ounce (pack of 12) bar", + "gluten free 1.4 ounce (pack of 12) bars.", + "gluten free 1.4 oz (pack of 12) bars", + "gluten free 2.4 ounce (pack of 12) bars", + "gluten free 1.4 ounce (pack of 12) chocolate bar", + "gluten free 1.4 ounce (pack of 12)", + "gluten-free 1.4 ounce (pack of 12) bars", + "gluten free 1.4 ounce (pack of 12) bars,", + "gluten free 12 oz (pack of 12) bars" + ], + "i need to buy some gluten-free snack bars that are blueberry vanilla and cashew flavored and come in a 60 count.": [ + "gluten free snack bars that are blueberry vanilla and cashew flavored", + "gluten free snack bar that are blueberry vanilla and cashew flavored", + "gluten-free snack bars that are blueberry vanilla cashew flavored", + "gluten-free snack bar blueberry vanilla cashew flavored 60 count", + "gluten-free snack bar that are blueberry vanilla cashew flavored", + "gluten-free snack bars blueberry vanilla cashew flavored 60 count", + "gluten free snack bars that are blueberry vanilla cashew flavored", + "gluten-free snack bar 60 count", + "gluten-free snack bar under 60 dollars", + "gluten free snack bar 60 count" + ], + "im looking for gluten free kind bars in the extra dark chocolate and sea salt flavor.": [ + "gluten free kind bars with sea salt flavor", + "gluten free kind bars extra dark chocolate sea salt", + "gluten free kind bars with sea salt", + "gluten free kind bar extra dark chocolate sea salt", + "gluten free kind bars sea salt flavor", + "gluten free chocolate and sea salt flavor", + "gluten free extra dark chocolate sea salt flavor", + "gluten free extra dark chocolate sea salt bar", + "gluten free chocolate and sea salt bars", + "gluten free kind bars" + ], + "i need a long lasting blush in the color a.": [ + "long lasting blush in the color a", + "long lasting blush color a.", + "lush blush in the color a", + "long lasting blush color a", + "long lasting blush in a color a", + "long lasting blush in the color", + "long lasting blush", + "long lasting blush colored blush", + "long lasting blush colored a.", + "long lasting blush a." + ], + "i am looming for a bags & cases for eye shadow.": [ + "bag & cases for eye shadow", + "bag & case for eye shadow", + "bag and cases for eye shadow", + "bag and case for eye shadow", + "bag & cases of eye shadow", + "bag of eye shadow", + "bag case for eye shadow", + "bag for eye shadow", + "bag & cases", + "bag and cases" + ], + "hello! order for me caraway seed savory crisps which is sugar free, high protein content and keto friendly.": [ + "caraway seed savory crisps sugar free keto friendly", + "caraway seed savory crisps keto friendly", + "caraway seed savory crisps that is sugar free keto friendly", + "caraway seed savory crisps that are sugar free keto friendly", + "caraway seed savory crisps which is sugar free keto friendly", + "caraway seed savory crisps sugar free and keto friendly", + "caraway seed savory crisps sugar free, keto friendly", + "caraway seed savory crisps sugar free", + "caraway seed savory crisps", + "caraway seed savory crisps that is sugar free, high protein" + ], + "i want some grass fed and low carb jerky. make sure they are original beef sticks.": [ + " grass fed and low carb jerky", + "grass fed and low carb jerky", + " grass fed and low carb jerky that are original beef sticks", + " grass fed low carb jerky", + "grass fed low carb jerky", + " grass fed and low carb jerky that is original beef sticks", + " grass fed and low carb jerky under $40", + "green fed and low carb jerky", + "synthetic beef jerky", + "green fed low carb jerky" + ], + "i'm looking for a high quality girls accessories and color should be frozen elsa.": [ + "girls accessories and color should be frozen elsa", + "girl accessories and color should be frozen elsa", + "kids accessories and color should be frozen elsa", + "girls accessories and color frozen elsa", + "high quality girls accessories and color", + "kids accessories frozen elsa", + "pink girls accessories and color", + "girls accessories frozen elsa", + "teen girl accessories and color frozen elsa", + "girls accessories and color" + ], + "i would like some rose gold minnie ears": [ + "rose gold minnie ears", + "rose gold minnie ear", + "rose gold minnie ears under $40", + "rose gold minnie ears under $50", + "rose gold minnie ears under $60", + "rose gold minnie ears under 50 dollars", + "rose gold minnie ears under 30 dollars", + "rose gold minnie ears below $40", + "rose gold minnie ears below $50", + "rose gold minnie ears under 40 dollars" + ], + "i am looking for hands free headphones in the color mint.": [ + "hand free headphones in the color mint", + "hands free headphones in the color mint", + "hand free headphones mint", + "hand free headphones in mint", + "hand free headphones", + "hand free headphones color mint", + "hand free headphones in mint color", + "mens free headphones", + "hand free headphones mint color", + "hands free headphones mint" + ], + "i am looking for non gmo salmon that is ready to eat. pick a 1 pack size.": [ + "non gmo salmon 1 pack size", + "non gmo salmon 1 pack", + "non gmo salmon in 1 pack", + "non gmo salmon in a 1 pack", + "non gmo salmon pack size 1 pack", + "non gmo salmon, 1 pack size", + "non gmo salmon in 1 pack size", + "non gmo salmon size 1 pack", + "non gmo salmon", + "non gmo salmon, 1 pack" + ], + "i need an alcohol free hair fragrance that is island vanilla scent.": [ + "alcohol free hair fragrance", + "alcohol free hair fragrance, island vanilla scent", + "alcohol free hair fragrance island vanilla scent", + "alcohol free hair fragrance with island vanilla scent", + "an alcohol free hair fragrance", + "alcohol free hair fragrance that is island vanilla", + "alarm free hair fragrance", + "alcohol free hair fragrance under $40", + "alcohol free hair fragrance under $50", + "alcohol free hair fragrance island vanilla" + ], + "i need a long lasting fleece jacket in regular fit. it should be sea salt in color.": [ + "long lasting fleece jacket in regular fit sea salt", + "long lasting fleece jacket sea salt", + "fleece jacket in regular fit sea salt", + "long lasting fleece jacket with sea salt", + "pink fleece jacket in regular fit sea salt", + "long lasting fleece jacket sea salt in color", + "long lasting fleece jacket in sea salt", + "long lasting fleece jacket in regular fit", + "long lasting fleece jacket with sea salt in color", + "large sea salt fleece jacket" + ], + "i need a fleece jacket that is regular fit size 3x in the color of sea salt.": [ + "fleece jacket 3x in the color of sea salt", + " fleece jacket size 3x in the color of sea salt", + " fleece jacket 3x in the color of sea salt", + "fleece jacket size 3x sea salt", + "fleece jacket 3x sea salt", + "fleece jacket with sea salt", + " fleece jacket that is regular fit size 3x sea salt", + "fleece jacket that is regular fit size 3x", + "fleece jacket with sea salt size 3x", + " fleece jacket that is regular fit size 3x" + ], + "i'm looking for women jacket for regular fit and classic fit.": [ + "woman jacket for regular fit and classic fit", + "women jacket for regular fit and classic fit", + "woman jacket for regular fit classic fit", + "woman jacket for regular fit with classic fit", + "woman jacket for regular fit", + "womens jacket for regular fit", + "woman jacket with regular fit and classic fit", + "women jacket for regular fit classic fit", + "woman jacket, regular fit and classic fit", + "woman jacket for regular fit, classic fit" + ], + "i am looking for regular fit fleece women jacket. please select vivid purple color.": [ + "regular fit fleece women jacket in vivid purple", + "regular fit fleece women jacket, vivid purple", + "regular fit fleece women jacket with vivid purple color", + "regular fit fleece women jacket color", + "regular fit fleece women jacket in a vivid purple", + "regular fit fleece women jacket in vivid purple color", + "regular fit fleece women jacket that is vivid purple", + "regular fit fleece women jacket vivid purple", + "regular fit fleece women jacket.pink", + "regular fit fleece women jacket. color vivid purple" + ], + "i'm looking for jacket classic fit for quality materials.": [ + "curtains classic fit for quality materials", + "tuxedo classic fit for quality materials", + "coaxial fit for quality materials", + "jeans classic fit for quality materials", + "tuxedo classic fit quality materials", + "comfortable jacket classic fit for quality materials", + "tuxedo classic fit", + "curtains classic fit", + "pocket classic fit for quality materials", + "tuxed classic fit for quality materials" + ], + "i want a fleece jacket that is in regular fit and is long lasting. choose an x-small size.": [ + "fleece jacket x-small", + " fleece jacket x-small", + "f fleece jacket x-small", + "pink fleece jacket x-small", + "comfortable fleece jacket x-small", + " fleece jacket in regular fit x-small", + "fleece jacket that is in regular fit", + "fleece jacket x-small size", + " fleece jacket that is in regular fit", + " fleece jacket x-small size" + ], + "i would like a large navy penn state nittany lions fleece jacket made from quality materials.": [ + "large navy pennant nittany lions fleece jacket", + "large navy pennant state nittany lions fleece jacket", + "large navy pennany lions fleece jacket made from quality materials", + "large navy pennant pittany lions fleece jacket", + "large navy pennany lions fleece jacket", + "large navy pennant coat made from quality materials", + "navy pennant nittany lions fleece jacket", + "large navy pennant", + "large navy pennant t-shirt", + "large navy pennant coat made from quality materials." + ], + "i need a three pack of heavy duty swivel clips for my phone.": [ + "three pack of heavy duty swivel clips", + "three pack heavy duty swivel clips for my phone", + "three pack heavy duty swivel clips", + "3 pack of heavy duty swivel clips", + "3 pack heavy duty swivel clips for my phone", + "3 pack heavy duty swivel clips", + "three pack of heavy duty swivel clips,", + "two pack of heavy duty swivel clips", + "three pack under $50", + "three pack" + ], + "i'm looking for gluten free and low calorie tasty apple strawberry flavored apple sauce snacks- 3.2 ounce (pack of 4)": [ + "gluten free and low calorie apple strawberry flavored apple sauce snacks 3.2 ounce (pack of 4)", + "gluten free and low calorie tasty apple strawberry flavored apple sauce snacks", + "gluten free apple strawberry flavored apple sauce snacks 3.2 ounce (pack of 4)", + "gluten free and low calorie apple strawberry flavored apple sauce snacks", + "gluten free and low calorie apple strawberry flavored apple sauce snacks 3.2 oz (pack of 4)", + "gluten free apple strawberry flavored apple sauce snacks- 3.2 ounce (pack of 4)", + "gluten free and low calorie fruit strawberry flavored apple sauce snacks 3.2 ounce (pack of 4)", + "apple strawberry flavored apple sauce snacks 3.2 ounce (pack of 4)", + "gluten free apple strawberry flavored apple sauce snacks- 3.2 ounce (pack of 4),", + "gluten free apple strawberry flavored apple sauce snacks" + ], + "i'm looking for blush palette that is easy to carry, long lasting and easy to apply. also, look for color a one": [ + "pink palette easy to carry, long lasting and easy to apply", + "pink palette easy to carry long lasting and easy to apply", + "pink palette easy to carry and long lasting and easy to apply", + "pink palette easy to carry", + "pink palette easy to carry and long lasting", + "easy to carry blush palette", + "pink palette", + "plush palette easy to carry", + "pocket palette easy to carry", + "pocket palette" + ], + "i am looking for 96\"w x 72\"h roller shades of gray color and it is east to install.": [ + "90w x 72h roller shades of gray", + "96w x 72h roller shades of gray", + " 96w x 72h roller shades of gray", + "104w x 72h roller shades of gray", + "pink roller shades of gray", + "8 ft x 72h roller shades of gray", + "pink roller shades of gray color", + "90w x 72h roller shades", + "96w x 72h roller shades", + "8 ft x 72h roller shades" + ], + "i need matcha and green tea bags that are organics and are 36 count.": [ + "matcha and green tea bags", + "matcha and green tea bags, 36 count", + "matcha and green tea bags 36 count", + "matcha and green tea bags with 36 count", + "matcha and green tea bags size 36 count", + "matcha and green tea bags 18 count", + "matcha and green tea bags under $50", + "matcha and green tea bags under $40", + "matcha green tea bags that are organics", + "matcha and green tea bag" + ], + "looking for iced tea bags pu'erh tea bags certified organic, flavor darjeeling, pack of 1 with 20 count": [ + "iced tea bags puerh tea bags certified organic flavor darjeeling pack of 1 with 20 count", + "iced tea bags puerh tea bags certified organic flavor darjeeling pack of 1", + "tea bags puerh tea bags certified organic flavor darjeeling pack of 1 with 20 count", + "iced tea bags puerh tea bags certified organic pack of 1 with 20 count", + "iced tea bags puerh tea bags certified organic, pack of 1 with 20 count", + "iced tea bags puerh tea bags certified organic, flavor darjeeling, pack of 1", + "iced tea bags puerh tea bags certified organic with 20 count", + "iced tea bags puerh tea bags certified organic", + "iced tea bags puerh tea bags with 20 count", + "iced tea bags puerh tea bags" + ], + "(i need some usda certified organic green tea and matcha.": [ + "usda certified organic green tea and matcha", + "usda certified organic green tea and matcha.", + " usda certified organic green tea and matcha", + "natierra certified organic green tea and matcha", + "usda certified organic green tea and matcha flavor", + "usda certified organic green tea and matcha drink", + "usda certified organic tea and matcha", + "natural green tea and matcha", + "usda certified organic green tea drink mix", + "green tea and matcha" + ], + "i'm looking for certified organic for tea bags for peppermint leaf.": [ + "tea bags for peppermint leaf certified organic", + "tea bags for peppermint leaf", + "certified organic tea bags for peppermint leaf", + "eco organic tea bags for peppermint leaf", + "organic tea bags for peppermint leaf", + "tea bag for peppermint leaf certified organic", + "coffee bags for peppermint leaf certified organic", + "green tea bags for peppermint leaf certified organic", + "tea bags for peppermint leaf certified", + "green tea bags for peppermint leaf" + ], + "i am looking for organic sencha flavored tea bags. tea bags must be usda organic.": [ + "organic sencha flavored tea bags", + "organic sencha flavored tea bags that are usda organic", + "organic sencha flavored tea bags tea bags usda organic", + "organic sencha flavored tea bags, usda organic", + "organic sencha flavored tea bags with usda organic", + "organic sencha flavored tea bags tea bags", + "organic sencha flavored tea bags usda organic", + "organic sencha flavored tea bags usda organic", + "organic sencha flavored tea bags under $40", + "organic sencha flavored tea bags, usda organic," + ], + "i want to find a set of 24 blue jars that are bpa free.": [ + "24 blue jars bpa free", + "24 blue jars", + "blue jars that are bpa free", + "blue jars bpa free", + "23 blue jars bpa free", + "24 blue jars with bpa free", + "24 blue jar bpa free", + "blue jar bpa free", + "24 blue mason bpa free", + "blue jars bpa free 24 oz" + ], + "i am looking for a blue leak proof bags & cases.": [ + "blue leak proof bags & cases", + "blue leak proof bags & cases", + "blue leak proof bags & cases", + "blue, leak proof bags & cases", + "blue, leak proof bags & cases", + "blue and leak proof bags & cases", + "blue leak proof bags & cases", + "blue leak proof bags and cases", + "blue leak proof bag & cases", + "blue leak proof bags & cases." + ], + "i want bpa free and silver plastic container jars with black flat top lids.": [ + "bpa free and silver plastic container jars with black flat top lids", + "bpa free and silver plastic container jars", + "bpa free silver plastic container jars with black flat top lids", + "barbecue free and silver plastic container jars with black flat top lids", + " bpa free and silver plastic container jars with black flat top lids", + "bpa free, silver plastic container jars with black flat top lids", + "bpa free silver plastic container jars", + "bag of bpa free and silver plastic container jars", + "bpa free black flat top lids", + "bpa free bpa free and silver plastic container jars" + ], + "i want some low rise active shorts that are in a medium and are black charcoal colored.": [ + "low rise active shorts black charcoal colored", + "low rise active shorts black", + "low rise active shorts black charcoal", + "low rise active shorts, black charcoal colored", + "low rise active shorts in a medium black", + "low rise active shorts", + "low rise active shorts with black charcoal colored", + "low rise active shorts black charcoal color", + "low rise active shorts, black", + "low rise active shorts colored" + ], + "i am looking for a x- large long fit hoodies & sweatshirts for daily wear.": [ + "x- large long fit hoodies & sweatshirts", + "x-large long fit hoodies & sweatshirts", + "x-l hoodies & sweatshirts", + "x-l long fit hoodies & sweatshirts", + "xxl hoodies & sweatshirts for daily wear", + "x- large long fit hoodies and sweatshirts", + "xxl hoodies & sweatshirts", + "x- large sweatshirts for daily wear", + "x-l hoodies and sweatshirts", + "x- large long fit hoodies" + ], + "i'm looking for a portable wireless bluetooth speakers made of carbon fiber with long lasting battery.": [ + "portable wireless bluetooth speakers made of carbon fiber", + "portrait wireless bluetooth speakers made of carbon fiber", + "portable wireless bluetooth speakers with long lasting battery", + "portportable wireless bluetooth speakers made of carbon fiber", + "portable wireless bluetooth speakers made from carbon fiber", + "portrait wireless bluetooth speakers with long lasting battery", + "portable wireless bluetooth speakers", + "pink wireless bluetooth speakers made of carbon fiber", + " portable wireless bluetooth speakers made of carbon fiber", + "portrait wireless bluetooth speakers" + ], + "i want to find peach-colored roller blinds for my living room that are easy to install. they need to be 58 inches in width and 64 inches in height.": [ + "pomegranate colored roller blinds for my living room that are easy to install and 64 inches in height", + "pink colored roller blinds for my living room that are easy to install. they need to be 58 inches in width and 64 inches in height", + "pomegranate colored roller blinds for my living room that are 58 inches in width and 64 inches in height", + " peach-colored roller blinds for my living room that are easy to install. they need to be 58 inches in width and 64 inches in height", + "pomegranate colored roller blinds for my living room", + "pomegranate colored roller blinds for my living room that are easy to install and 64 inches in height.", + "pomegranate colored roller blinds for my living room that are 58 inches in width and 64 inches in height.", + "pomegranate colored roller blinds for living room", + "pomegranate colored roller blinds for my living room that are 58 inches in width and 64 inches in height,", + "pomegranate colored roller blinds" + ], + "i need w28 x h64 pastel blue roller blinds that are easy to install.": [ + "w28 x h64 pastel blue roller blinds", + "w28 x h64 roller blinds that are easy to install", + "w28 x h64 oldel blue roller blinds", + "w28 x h64 byel blue roller blinds", + "w28 x h64 pastelblue roller blinds", + "w28 x h64 blue roller blinds", + "w28 x h64 white roller blinds", + "w28 x h64 pastel blue roller blind", + "w28 x h64 roller blinds", + "w28 x h64 under $40" + ], + "i'd like to find a pair of sage and valencia colored men's hiking boots with rubber soles. i need them in a size 15.": [ + "sneakers and valencia colored mens hiking boots", + "sage and valencia colored mens hiking boots", + "saint and valencia colored mens hiking boots", + "sneakers, valencia colored mens hiking boots", + "sneakers 15 hiking boots with rubber soles", + "sneakers hiking boots size 15", + "sneakers for hiking boots size 15", + "sneakers 15 hiking boots", + "sneakers 15 hiking boots with rubber sole", + "sneakers and valencia colored hiking boots" + ], + "i want a ready to use storage basket that saves space. pick a large bronze colored one.": [ + "large bronze colored storage basket", + "small bronze colored storage basket", + "large bronze storage basket that saves space", + "large bronze colored storage basket for storage", + "size bronze storage basket that saves space", + "a large bronze colored storage basket", + "large bronze storage basket", + "ready to use storage basket", + "large bronze colored storage basket,", + "ready to use storage basket for storage" + ], + "i want a comfortable fit cowboy cut jeans. it should be black in color.": [ + "cowboy cut jeans black", + "comfortable fit cowboy cut jeans black", + "cowboy cut jeans black comfortable fit", + "cowboy cut jeans in black", + "cowboy cut jeans black in color", + "cowboy cut jeans, black", + "casual fit cowboy cut jeans black", + " comfortable fit cowboy cut jeans black", + "cowboy cut jeans that are black", + "cowboy cut jeansblack" + ], + "i want long lasting wrangler mens smoke storm cowboy cut jeans.": [ + "womens smoke storm cowboy cut jeans", + "womens smoke storm cowboy cut jeans long lasting", + "twangler mens smoke storm cowboy cut jeans", + "womens smoke storm cowboy cut jeans.", + "sprangler mens smoke storm cowboy cut jeans", + "rangler mens smoke storm cowboy cut jeans", + "brangler mens smoke storm cowboy cut jeans", + "rfrigangler mens smoke storm cowboy cut jeans", + "twangler mens smoke storm cowboy cut jeans.", + "sprangler mens smoke storm cowboy cut jeans." + ], + "looking for jean which comfortable fit and colour must be dax": [ + "jeans comfortable fit and colour dax", + "jean comfortable fit and colour dax", + "walking jean comfortable fit dax", + "jeans comfortable fit dax", + "jean comfortable fit dax", + "comfortable fit dax jean", + "comfortable fit jean dax", + "comfortable fit and colour dax", + "walking jean comfortable fit and colour", + "walking jean with comfortable fit and colour" + ], + "i'm looking for original fit jeans for men.": [ + "original fit jeans for men", + "original fit jeans for men.", + "original fit jeans for men under $40", + "original fit jeans for men under $50", + "find original fit jeans for men.", + "original fit jeans for men under $60", + "original fit jeans for men under 50 dollars", + "contemporary fit jeans for men", + "booty jeans for men", + "comfortable fit jeans for men" + ], + "i am looking for a pendant light to go in my dining room with dimmer switch.": [ + "pendant light dining room with dimmer switch", + "pendant light for dining room with dimmer switch", + "pendant light dining room", + "pendant light in dining room with dimmer switch", + "pendant light dining room with dimmer", + "pendant light dining room with dimmer switch.", + "pendant light dining room, dimmer switch", + "pendant light, dining room with dimmer switch", + "pendant light dining room dimmer", + "pendant light dining room dimmer switch" + ], + "find me an 8\" sized mattress with full gel memory. it should have a white finish.": [ + "8 sized mattress with full gel memory", + "8x8 mattress with full gel memory", + "8 ft mattress with full gel memory", + "8 bed mattress with full gel memory", + "8 mattress with full gel memory", + "8 size mattress with full gel memory", + "8 x 8 mattress with full gel memory", + "8 foot mattress with full gel memory", + "8 sized mattress with full gel memory white", + "8 sized mattress" + ], + "i want a solid wood, ivory colored bar stool. look for a 26\" metal footrest.": [ + "solid wood, ivory colored bar stool with a 26 metal footrest", + "solid wood ivory colored bar stool with a 26 metal footrest", + "solid wood, ivory colored bar stool, 26 metal footrest", + "solid wood, ivory colored bar stool", + "stainless wood, ivory colored bar stool", + "solid wood ivory colored bar stool, 26 metal footrest", + "leviseless wood, ivory colored bar stool", + "solid wood, ivory colored bar stool, 26 metal footrest,", + "yellow solid wood, ivory colored bar stool", + "solid wood ivory colored bar stool" + ], + "i would like some over the toilet storage space in the color style-13.": [ + "bathroom storage space in the color style-13", + "tower storage space in the color style-13", + "bathroom storage space color style-13", + "toothpaste storage space color style-13", + "taco storage space in the color style-13", + "tower storage space color style-13", + "towel storage space color style-13", + "bathroom storage space color style 13", + "toothpaste storage space color style 13", + "bathroom storage space in the color style 13" + ], + "i need a square shaped area rug that is easy to clean. it should be in aqua color.": [ + "square shaped area rug in aqua color", + "square shaped area rug", + "square shaped rug in aqua color", + "square shaped area rug in aqua", + "square shaped area rug with aqua color", + "square shaped rug that is easy to clean", + "square shaped area rug under $50", + "square shaped area rug under $40", + "square shaped rug", + "square rug" + ], + "i need a 10 foot rug for my living room. make sure it's easy to clean.": [ + "10 foot rug for my living room", + "10 foot rug for living room", + "10 foot rug living room", + "10 foot rug for the living room", + "10 foot rug in my living room", + "10 foot rug in the living room", + "10 foot rug for a living room", + "10 foot rug", + "10 foot rug in living room", + "living room rug" + ], + "i am looking for an oval shaped easy to clean shag area rug.": [ + "square shaped easy to clean shag rug", + "angular shaped easy to clean shag rug", + " oval shaped easy to clean shag rug", + "square rug easy to clean", + "5 ft square rug", + "5 ft x 5 ft rug", + "5 foot square rug", + "square shaped easy clean shag rug", + "square rug", + "5 ft rug" + ], + "i'm looking for marine blue colored kitchen rugs for kitchen uses.": [ + "marine blue colored kitchen rugs", + "sea blue kitchen rugs for kitchen uses", + "marine blue kitchen rugs for kitchen uses", + "living room rugs marine blue", + "living room rugs for kitchen uses", + "living room rug marine blue", + "sea blue colored kitchen rugs", + "sea blue kitchen rugs", + "living room rugs", + "marine blue kitchen rugs" + ], + "i am looking for area rugs that is of size 4 ft x 4 ft and is easy to clean.": [ + "4 ft x 4 ft rug", + "4 ft x 4 ft rug, easy to clean", + "4 ft x 4 ft rug easy to clean", + "4 ft x 4 ft area rug", + "area rugs of size 4 ft x 4 ft", + "4 ft x 4 ft rug easy clean", + "4ft x 4 ft rug", + "4 ft x 4 ft rug under $40", + "area rugs 4 ft x 4 ft", + "4 ft x 4 ft rug that is clean" + ], + "i am looking for modern easy clean luxuriously soft round area rug of size 7 ft x 7 ft": [ + "modern easy clean luxuriously soft round area rug of size 7 ft x 7 ft", + "modern easy clean luxuriously soft round area rug", + "modern easy clean luxuriously soft rug of size 7 ft x 7 ft", + "modern easy clean luxuriously soft round rug of size 7 ft x 7 ft", + "modern easy clean luxuriously soft rug", + " modern easy clean luxuriously soft round area rug of size 7 ft x 7 ft", + "modern easy clean luxuriously soft round rug", + "modern easy clean luxuriously soft round area rug, size 7 ft x 7 ft", + "modern easy clean luxuriously soft rug 7 ft x 7 ft", + "living modern easy clean luxuriously soft rug of size 7 ft x 7 ft" + ], + "i need a hair styling comb.": [ + "hair styling comb", + "hair styling comb.", + "hair styling comb under $50", + "style hair styling comb", + "hair styling comb under $40", + "toothbrush styling comb", + "hair styling comb under $60", + "hair styling comb", + "hair styling comb for men", + "toothpaste comb" + ], + "i'm looking for a machine washable men's shorts with classic fit stretchable fabric and has button closure. also, choose cool grey colored one": [ + "machine washable mens shorts with classic fit stretchable fabric", + "machine washable mens shorts with classic fit stretchable fabric button closure", + "machine washable mens shorts with button closure", + "man washable mens shorts with classic fit stretchable fabric", + "man washable mens shorts with classic fit stretchable fabric button closure", + "man washable mens shorts with button closure", + "mens shorts with classic fit stretchable fabric", + "mens shorts with classic fit stretchable fabric button closure", + "womens shorts with classic fit stretchable fabric", + "machine washable mens shorts" + ], + "i'm looking for a tablet with usb support and support 4g lte.": [ + "tablet with usb support 4g lte", + "tablet with usb support with 4g lte", + "tablet with usb support", + "tablet with usb support, 4g lte", + "tablet with usb support and 4g lte", + "tablet with usb support 4g lte.", + "desktop tablet with usb support 4g lte", + "tablet 4g lte", + "tablet with usb support under $130", + "tablet" + ], + "i want to find an xx-large black men's pullover made of soft, warm material.": [ + "xxl black mens pullover made of soft, warm material", + "xx-large black mens pullover", + "xx-large black mens pullover with soft, warm material", + "xxl black mens pullover", + "xxl mens pullover made of soft, warm material", + "xx-large black mens pullover, soft, warm material", + "xxl black mens pullover with soft, warm material", + "xx-large black mens pullover made of soft warm material", + "xxl black mens pullover, soft, warm material", + " xx-large black mens pullover" + ], + "i'm looking for a highly pigmented green body paint.": [ + "pink body paint", + "pink pigmented green body paint", + "pigmented green body paint", + "lip pigmented green body paint", + "high pigmented green body paint", + "pink pigmented body paint", + "pink pigmented human body paint", + "highly pigmented green body paint", + "pink human body paint", + "pigmented green body paint." + ], + "i need open toe wedge sandals with ankle strap. pick a black one.": [ + "open toe wedge sandals with ankle strap", + "open toe wedge sandals with ankle strap black", + "open toe wedge sandals with ankle strap", + "open toe wedge sandals with ankle strapblack", + "open toe wedge sandals", + "open toe wedges with ankle strap", + "open toe wedge sandals in black", + "open toe sandals with ankle strap", + "open toe wedge sandals, black", + "open toe wedge sandals black" + ], + "i am looking for 4 pounds (pack of 1) old fashioned hard candy.": [ + "4 pounds (pack of 1) old fashioned hard candy", + "4 pound (pack of 1) old fashioned hard candy", + "pack of 1) old fashioned hard candy", + "4pound (pack of 1) old fashioned hard candy", + "4 pounds old fashioned hard candy", + "4 pounds (pack of 1), old fashioned hard candy", + "4 pounds (pack of 1) old fashioned soft candy", + "4 pounds (pack of 1) old fashioned candy", + "pack of 1) old fashioned hard candy.", + "4 pound old fashioned hard candy" + ], + "i need two pounds of strawberry hard candy that is individually wrapped.": [ + "two pounds of strawberry hard candy that is individually wrapped", + "strawberry hard candy that is individually wrapped", + "two pounds of strawberry hard candy", + "two pound of strawberry hard candy that is individually wrapped", + "pomegranate hard candy that is individually wrapped", + "two pounds strawberry hard candy that is individually wrapped", + "two pounds of strawberry hard candy, individually wrapped", + "two pounds of strawberry hard candy individually wrapped", + "two pounds of strawberry hard candy that are individually wrapped", + "strawberry hard candy that is individually wrapped." + ], + "i need a square table that is easy to clean and has a steel frame. the size should be 100*60*74": [ + "square table that is easy to clean with steel frame", + "square table that is easy to clean with a steel frame", + "square table with steel frame 100*60*74", + "square table with steel frame", + "square table, easy to clean and has a steel frame", + "square table with steel frame, 100*60*74", + "square table 100*60*74", + "square table clean 100*60*74", + "square table, easy to clean and steel frame", + "square table with a steel frame" + ], + "i would like a 70*70*74gao ijia+zhumuwen6 table cloth that is easy to clean.": [ + "70*70*74gao ijia+zhumuwen6 table cloth", + "table cloth 70*70*74gao ijia+zhumuwen6", + " 70*70*74gao ijia+zhumuwen6 table cloth", + "71*70*74gao ijia+zhumuwen6 table cloth", + "the 70*70*74gao ijia+zhumuwen6 table cloth", + "table cloth that is easy to clean 70*70*74gao", + "table cloth that is easy to clean", + "table cloth that is easy to clean 70*70", + "table cloth 70*70", + "table cloth" + ], + "i'm looking for a gluten free flavor syrups.": [ + "gluten free flavor syrups", + "gluten free flavor syrups.", + "gluten free flavor syrups under $40", + "gluten free flavor syrups under $50", + "gluten free flavor syrups under $60", + "gluten free flavor syrups under 50 dollars", + "gluten free flavor syrups under 40 dollars", + "gluten free flavor syrups under 30 dollars", + "gluten free flavor syrups under 60 dollars", + "gluten free flavor syrups below $40" + ], + "i would like some super soft throw pillow covers that are baby green and come in pack of 2.": [ + "super soft throw pillow covers baby green pack of 2", + "super soft throw pillow covers that are baby green", + "super soft throw pillow covers in pack of 2", + "super soft throw pillow cover baby green pack of 2", + "super soft throw pillow covers", + "super soft throw pillow covers pack of 2", + "super soft throw pillow covers, baby green", + "super soft throw pillow covers for baby green", + "super soft throw pillow covers with baby green", + "super soft throw pillow covers in pack of 2." + ], + "i am looking for no artificial flavors or preservatives and is non-gmo healthy snacks compatible with keto, vegan, vegetarian, gluten free and low carb diets, gimme\u2019s organic roasted seaweed superfood in teriyaki flavor. pack of 12 0.17 ounce preferable.": [ + "non-gmo healthy snacks", + "non-gmo healthy snacks with keto flavor", + "non-gmo healthy snacks with keto flavor pack of 12", + "non-gmo healthy snacks with keto and low carb", + "non-gmo healthy snacks, keto and low carb", + "non-gmo healthy snacks that are keto-flavored", + "non-gmo healthy snacks under $40", + "organic roasted seaweed superfood pack of 12", + "non-gmo healthy snacks for keto keto", + "gmo healthy snacks" + ], + "i am looking for a wireless bluetooth speakers.": [ + "wireless bluetooth speakers", + "alarm wireless bluetooth speakers", + " wireless bluetooth speakers", + "wirefree wireless bluetooth speakers", + "womens bluetooth speakers", + "a wireless bluetooth speakers", + "wireless bluetooth speakers.", + "bioetooth speakers", + "wirefreeetooth speakers", + "wireless bluetooth speakers," + ], + "iam looking a leather sole day comfort men's construction boot color also 6\" sft toe wheat": [ + "sneakers day comfort mens construction boot color also 6 sft toe wheat", + " leather sole day comfort mens construction boot color also 6 sft toe wheat", + "leather sole day comfort mens construction boot color also 6 sft toe wheat", + " leather sole day comfort mens construction boot color also 6 sft toe wheat", + "a leather sole day comfort mens construction boot color also 6 sft toe wheat", + "sneakers day comfort mens construction boot", + "leather sole day comfort mens construction boot", + "a leather sole day comfort mens construction boot", + " leather sole day comfort mens construction boot", + "sole day comfort mens construction boot" + ], + "i'm looking for a whitewashed media chest with a wood finish.": [ + "whitewashed media chest with wood finish", + "whitewashed media chest wood finish", + "whitewashed media chest", + "white whitewashed media chest with wood finish", + "whitewashed media chest, wood finish", + " whitewashed media chest with a wood finish", + "white whitewashed media chest", + "white whitewashed media chest wood finish", + "white media chest with a wood finish", + "white media chest with wood finish" + ], + "i would like a sahara tan five drawer dresser made of solid wood.": [ + "sara tan five drawer dresser made of solid wood", + "sara tan 5 drawer dresser made of solid wood", + "sashara tan five drawer dresser made of solid wood", + "sangara tan five drawer dresser made of solid wood", + "ahara tan five drawer dresser made of solid wood", + "sashara tan 5 drawer dresser made of solid wood", + "shara tan five drawer dresser made of solid wood", + "sahara tan five drawer dresser made of solid wood", + "sara tan five drawer dresser made of solid wood.", + "sara tan five drawer dresser made of solid wood," + ], + "i'm looking for wood finish bronze finish furniture the color was mckinney-espresso pine.": [ + "wood finish bronze finish furniture", + "wood finish bronze finish furniture mckinney-espresso pine", + "wood finish bronze finish furniture with mckinney-espresso pine", + "wood finish bronze finish furniture, mckinney-espresso pine", + "wood finish bronze finish furniture in mckinney-espresso pine", + "wood finish bronze finish furniture that was mckinney-espresso pine", + "wood finish bronze finish furniture that is mckinney-espresso pine", + "wood finish bronze finish furniture mckinney-espresso pine", + "wood finish bronze finish furniture with a mckinney-espresso pine", + "wood finish bronze finish furniture mckinney-espresso pine color" + ], + "i want paragon black solid wood": [ + "paragon black solid wood", + "paragon black solid wood price lower than 50.00 dollars", + "paragon black solid wood price lower than 40.00 dollars", + "paragon black solid wood price lower than 30.00 dollars", + "paragon black solid wood price lower then 50.00 dollars", + "paragon black solid wood price lower than $40.00", + "paragon black solid wood price lower then $40.00", + "paragon black solid wood under $40", + "paragon black solid wood paragon", + "paragon black solid wood under $50" + ], + "i'm looking for a solid wood dresser with bronze finish. also choose 4-drawer wardrobe chest with boho chic- white washed one.": [ + "4-drawer wardrobe chest boho chic", + "solid wood dresser with bronze finish", + "4 drawer wardrobe chest boho chic", + "4 drawer wardrobe chest with boho chic", + "stainless wood dresser with bronze finish", + "4drawer wardrobe chest boho chic", + "solid wood dresser with bronze finish.", + "solid wood dresser bronze finish", + "4-drawer wardrobe chest", + "wood dresser with bronze finish" + ], + "i need to buy a four drawer wardrobe with a wood finish.": [ + "4 drawer wardrobe with a wood finish", + "four drawer wardrobe with a wood finish", + "4 drawer wardrobe with wood finish", + "four drawer wardrobe with wood finish", + "4 drawer wardrobe wood finish", + "three drawer wardrobe with a wood finish", + "living room four drawer wardrobe wood finish", + "four drawer wardrobe wood finish", + "packet with wood finish", + "wood finish four drawer wardrobe" + ], + "i need to buy a five drawer dresser made out of solid wood.": [ + "5 drawer dresser made out of solid wood", + "five drawer dresser made out of solid wood", + "a five drawer dresser made out of solid wood", + "5 drawer dresser made out of solid wood", + "5 drawer dresser made out of solid wood.", + "5 drawer dresser made from solid wood", + "the five drawer dresser made out of solid wood", + "three drawer dresser made out of solid wood", + "5 drawer dresser made out of solid wood,", + "window dresser made out of solid wood" + ], + "i need a high quality hairpiece for men with light density. it should be in 3# dark brown color.": [ + "3# dark brown hairpiece", + "dark brown hairpiece for men 3# dark brown", + "3# dark brown hairpiece for men", + "high quality hairpiece for men with light density", + "low quality hairpiece for men with light density", + "dark brown hairpiece for men in 3# dark brown", + "high quality hairpiece for men dark brown", + "low quality hairpiece for men dark brown", + "dark brown hairpiece for men", + "hairpiece for men dark brown" + ], + "i want a dust proof keyboard skin which is really thin. it should fit my apple wired keyboard.": [ + "dust proof keyboard skin", + "dust proof keyboard skin that is really thin", + "dust proof keyboard skin which is really thin", + "dust proof keyboard skin, apple wired keyboard", + "dust proof keyboard skin, apple wired", + "dust proof keyboard skin for apple wired keyboard", + "dust proof keyboard skin with apple wired keyboard", + "dust proof keyboard skin, apple wired keyboard,", + "dust proof keyboard skin under $50", + "dust proof keyboard skin apple wired" + ], + "i am looking for an ombre pink dust proof keyboard skin": [ + "pink dust proof keyboard skin", + "oatmeal pink dust proof keyboard skin", + "ombre pink dust proof keyboard skin", + " ombre pink dust proof keyboard skin", + "pink dust proof keyboard skin ombre", + "optical skin ombre pink dust proof", + "ambre pink dust proof keyboard skin", + "white ombre pink dust proof keyboard skin", + "optical skin pink dust proof", + "blanket proof keyboard skin" + ], + "i want a hand crafted gift basket for a new baby arrival event.": [ + "hand crafted gift basket for a new baby", + "hand crafted gift basket for a baby", + "hand crafted gift basket for a baby shower", + "hand crafted gift basket for baby", + "hand crafted gift basket for a newborn", + "hand crafted gift basket for new baby", + "hand crafted gift basket for baby shower", + "hand crafted gift basket for baby arrival event", + "hand crafted gift basket", + "hand crafted gift basket baby shower" + ], + "find for me croc flip flops size 13 women with vinyl acetate material. also neo mint almost white in color.": [ + "roc flip flops size 13 women with vinyl acetate material", + "croc flip flops size 13 women with vinyl acetate material", + "curt flip flops size 13 women with vinyl acetate material", + "roc flip flops size 13 women with vinyl acetate material in color", + "croc flip flops size 13 women with vinyl acetate material in color", + "i croc flip flops size 13 women with vinyl acetate material", + "curt flip flops size 13 women with vinyl acetate material in color", + "rockflops size 13 women with vinyl acetate material", + "croc flip flops 13 women with vinyl acetate material", + "curt flip flops size 13 women" + ], + "i need some white vinyl flip flops in size 8 for women.": [ + "white vinyl flip flops size 8 for women", + "white vinyl flip flops size 8", + "white vinyl flip flops in size 8", + "white vinyl flip flops size 8 women", + "white vinyl flip flops", + "white vinyl flip flops for women size 8", + "white vinyl flip flops size 8 woman", + "white vinyl flip flops in size 8 women", + "white vinyl flip flops in a size 8", + "white vinyl flip flops, size 8" + ], + "i am looking for a x-large hoodies & sweatshirts quality of polyester.": [ + "xxl hoodies & sweatshirts quality of polyester", + "xxl hoodies and sweatshirts quality of polyester", + "xl hoodies & sweatshirts quality of polyester", + "xx hoodies & sweatshirts quality of polyester", + "x-large hoodies with polyester", + "x-large hoodies & sweatshirts", + "x-large hoodies & sweatshirts with polyester", + "xxl hoodies with polyester", + "xxl hoodies & sweatshirts", + "xxl hoodies" + ], + "i am looking for a 46.5\" solid wood for ottomans and color should be dark gray.": [ + "dark gray ottoman wood", + "dark gray ottoman wood 46.5", + "dark gray solid wood ottoman", + "dark gray solid wood ottomans", + "43.5 solid wood ottomans", + "45.5 solid wood ottomans", + "71.5 solid wood ottomans", + "40.5 solid wood ottomans", + "an ottoman wood dark gray", + "dark gray solid wood" + ], + "i want a teeth whitening toothpaste that removes plaque stains.": [ + "teeth whitening toothpaste", + " teeth whitening toothpaste that removes plaque stains", + "teeth whitening toothpaste with plaque stains", + "toothpaste teeth whitening toothpaste", + "toothpaste that removes plaque stains", + "teeth whitening toothpaste no plaque", + "toothpaste teeth whitening teeth", + " teeth whitening toothpaste", + "toothpaste teeth whitening teeth no plaque", + " teeth whitening toothpaste with plaque stains" + ], + "i am looking for hair cutting scissors in a storage case and should made of stainless steel.": [ + "hair cutting scissors made of stainless steel", + "hair cutting scissors made from stainless steel", + "hair cutting scissors in a storage case", + "hair cutting scissors that should be made of stainless steel", + "hair cutting scissors that are made of stainless steel", + "hair cutting scissors in a storage case with stainless steel", + "hair cutting scissors made out of stainless steel", + "hair cutting scissors stainless steel", + "hair cutting scissors", + "hair cutting scissors, stainless steel" + ], + "i'm looking for a stainless steel pair of tweezers for hair removal.": [ + "stainless steel tweezers for hair removal", + "stainless steel hair removal tweezers", + "stainless steel teezers for hair removal", + "stainless steel tweezers for hair removal.", + "stainless steel style tweezers for hair removal", + "stainless steel human hair removal tweezers", + "stainless steel pair of tweezers", + "stainless steel wig removal tweezers", + "stainless steel tweezers", + "stainless steel" + ], + "i need an oval soft rug that is easy to clean. also, it should be in eggplant purple color.": [ + "square soft rug in eggplant purple", + " oval soft rug that is easy to clean and is eggplant purple", + "square soft rug that is easy to clean and is eggplant purple", + "square soft rug that is easy to clean eggplant purple", + "square soft rug that is easy to clean, eggplant purple", + " oval soft rug that is easy to clean, eggplant purple", + " oval soft rug in eggplant purple", + " oval soft rug that is easy to clean, eggplant purple color", + "square soft rug that is easy to clean, eggplant purple color", + "angular soft rug in eggplant purple" + ], + "i am looking for a square 10 by 13 ft area rug that is easy to clean. all white in color": [ + "square 10 by 13 ft area rug", + "square 10 by 13 ft rug", + "square 10 by 13 ft area rug in color", + "square 10 by 13 ft rug with white color", + "square 10 x 13 ft area rug", + "square 10 by 13 ft rug in color", + "square 10 x 13 ft rug", + "square 10 by 13 ft area rug with white", + "square yellow rug", + "square white rug" + ], + "i need an easy to clean lilac rug in a rectangular runner shape.": [ + "living lilac rug in a rectangular runner shape", + "easy clean lilac rug in a rectangular runner shape", + "plastic lilac rug in a rectangular runner shape", + "5 ft lilac rug in a rectangular runner shape", + "lilac rug in a rectangular runner shape", + "lac rug in a rectangular runner shape", + "small lilac rug in a rectangular runner shape", + "square runner lilac rug in a rectangular runner shape", + "easy to clean lilac rug in a rectangular runner", + "living lilac rug in a rectangular runner shape." + ], + "i want to find an oval-shaped plush rog that is 4 feet by 4 feet and ivory colored. it needs to be easy to spot clean.": [ + "4 ft x 4 ft plush rog", + "4 foot by 4 feet plush rog", + "4 foot by 4 foot plush rog", + "4 foot x 4 foot plush rog", + "4 foot x 4 feet plush rog", + "4 ft x 4 ft plush rog plush rug", + "4 ft by 4 ft plush rog", + "4 foot by 4 feet plush rog plush rug", + "4 ft by 4 feet plush rog", + "4 x 4 plush rog" + ], + "i need a rectangular runner that is easy to clean. pick a cherry red one.": [ + "square runner that is easy to clean cherry red", + "square runner easy to clean cherry red", + "square runner, easy to clean, cherry red", + "square runner that is easy to clean, cherry red", + "square runner that is easy to clean", + "square runner that is easy to clean and cherry red", + "blanket runner that is easy to clean cherry red", + "small rectangular runner that is easy to clean", + "square runner easy clean cherry red", + "square runner cherry red" + ], + "i'm looking for shag collection area modern spot clean oval shaped rug of size 8 ft x 11 ft": [ + "shag collection area modern spot clean oval shaped rug", + "shag collection area modern spot clean oval shaped rug size 8 ft x 11 ft", + "shag collection area modern spot clean oval shaped rug 8 ft x 11 ft", + "modern modern spot clean oval shaped rug of size 8 ft x 11 ft", + "modern spot clean oval shaped rug of size 8 ft x 11 ft", + "shag collection area modern 2 ft x 11 ft rug", + "shag collection area modern rug 8 ft x 11 ft", + "ash rug of size 8 ft x 11 ft", + "shag collection area modern 2 ft x 11 ft rug of size 8 ft", + "shag collection area modern spot clean oval shaped rug of size 8 ft x 11" + ], + "using cocoa it's easy clean to rectangular shape room": [ + "easy clean cocoa rectangular shape room", + "easy clean cocoa to rectangular shape room", + "easy clean to rectangular shape room", + "easy clean to rectangular shape room cocoa", + "easy clean rectangular shape room", + "easy clean chocolate rectangular shape room", + "easy clean and rectangular shape room", + "easy clean, rectangular shape room", + "living cocoa easy clean rectangular shape room", + "easy clean cocoa square shape room" + ], + "i am looking for a 7 ft 0 x 7 ft 0 spot clean area rugs": [ + "7 ft 0 x 7 ft 0 spot clean area rugs", + "6 ft 0 x 7 ft 0 spot clean area rugs", + "8 ft 0 x 7 ft 0 spot clean area rugs", + "7 ft x 7 ft 0 spot clean area rugs", + "7 ft 0 x 7 ft 0 spot clean area rug", + "7 ft 0 x 7 ft 0 clean area rugs", + "6 ft 0 x 7 ft 0 spot clean area rug", + "8 ft x 7 ft 0 spot clean area rugs", + "7 ft 0 x 7 ft 0 rug", + "7 ft x 7 ft rug" + ], + "i'm looking for an easy-to-clean snow-white rug.": [ + "living snow-white rug", + "easy-to-clean snow white rug", + "living snow-white rug easy to clean", + "blanket snow-white rug", + "snow-white rug", + "snow white rug", + "snow white rug easy to clean", + "blanket snow white rug", + "slush white rug", + "living room rug" + ], + "i'm looking for a unique loom solo solid shag collection area.": [ + "a unique loom solo solid shag collection area", + "lom solo solid shag collection area", + "unique loom solo solid shag collection area", + "loom solo solid shag collection area", + "single men loom solo solid shag collection area", + "uniqueness loom solo solid shag collection area", + "special loom solo solid shag collection area", + "unique loom solo solid shag collection area.", + "alarm solo solid shag collection area", + "lom solo solid shag collection area." + ], + "i need a easy clean solo solid modern round shaped snow white plush rug of 8 ft x 8 ft size": [ + "easy clean solo solid modern round shaped snow white plush rug", + "easy clean modern modern round shaped snow white plush rug", + "easy clean solid modern round shaped snow white plush rug", + "easy clean 8 ft x 8 ft plush rug", + "easy clean plush rug of 8 ft x 8 ft", + "easy clean modern round shaped snow white plush rug", + "easy clean 9 ft x 8 ft plush rug", + "easy clean plush rug of 8 ft x 8 ft size", + "8 ft x 8 ft plush rug", + "5 ft x 8 ft plush rug" + ], + "i am looking for an easy to clean ivory colored plush area rug.": [ + "yellow plush rug", + "yellow modern plush rug", + "5 ft yellow plush rug", + "yellow square rug", + "yellow modern modern plush rug", + "5 foot yellow plush rug", + "yellow yellow plush rug", + "square yellow plush rug", + "yellow plush rug easy clean", + "yellow 5 foot square rug" + ], + "i am looking for an octagon shaped easy to clean plush area rug.": [ + "octagon shaped easy to clean plush rug", + "octagon shaped easy to clean plush area rug", + " octagon shaped easy to clean plush rug", + " octagon shaped easy to clean plush area rug", + "ecoagon shaped easy to clean plush rug", + "octagon shaped easy to clean plush rug.", + "ecoagon shaped easy to clean plush area rug", + "square yellow octagon rug", + "8 foot square octagon rug", + "5 foot square octagon rug" + ], + "i am looking for 5 ft easy clean sun yellow modern plush rug square shaped": [ + "5 ft easy clean sun yellow modern plush rug square shaped", + "5 ft easy clean sun yellow modern plush rug", + "5 ft easy clean modern plush rug square shaped", + "5 ft easy clean sun yellow modern plush rug square", + " 5 ft easy clean sun yellow modern plush rug square shaped", + "5 ft easy clean sun yellow modern plush rug square shape", + "5 ft yellow modern plush rug square shaped", + "5 ft easy clean yellow modern plush rug square shaped", + "yellow modern plush rug square shaped", + "5 ft easy clean modern plush rug square" + ], + "i am interested in buying modern rugs which are easy to clean, and are in aqua blue color, their shape should be rectangular runner and are of a size of 7 ft x 10 ft.": [ + "modern rugs in aqua blue", + "modern rugs size 7 ft x 10 ft", + "modern rugs in aqua blue color", + "modern rugs that are easy to clean, in aqua blue color", + "modern rugs, rectangular runner, 7 ft x 10 ft", + "modern rugs 7 ft x 10 ft", + "modern rugs rectangular runner", + "modern rugs with a rectangular runner", + "modern rugs, rectangular runner", + "modern rugs" + ], + "i'm looking for a snow white colored oval area rug that is easy for me to clean.": [ + "snow white colored oval area rug", + "snow white colored oval rug", + "snow white colored square rug", + "snow white colored oval rug easy for me to clean", + " snow white colored oval area rug", + "snow white colored rug", + "snow white square rug", + "snow white modern rug", + "snow white area rug", + "snow white rug" + ], + "i want to buy a unique lom solo easy to clean that is in taupe color with rectangular shape": [ + "lom solo easy to clean in taupe color", + "unique lom solo easy to clean in taupe color", + "lom solo easy to clean taupe color", + "lom solo easy to clean", + "taupe lom solo easy to clean", + "unique lom solo easy to clean", + "a unique lom solo easy to clean", + "unique lom solo easy to clean with rectangular shape", + "lom solo easy to clean with rectangular shape", + "lemon easy to clean" + ], + "i'm looking for jet black rug. the size should be around 6 x 10 ft and i want it to be very easy to clean.": [ + "Jet black rug", + "6 x 10 ft jet black rug", + "fog rug 6 x 10 ft", + "Jet black rug that is easy to clean", + "Jet black rug, 6 x 10 ft", + "6 x 10 ft rug", + " jet black rug", + "turnt black rug", + "packet black rug", + "jet black rug" + ], + "i am looking for a slate blue plush rug that is easy to clean.": [ + "slash blue plush rug", + "plush blue plush rug", + "pink plush rug that is easy to clean", + "slash blue plush rug, easy to clean", + "living room slate blue plush rug", + "slash blue plush rug easy to clean", + "blanket blue plush rug", + "slush blue plush rug", + "sash blue plush rug", + "pink plush rug" + ], + "i'm looking for a optical zoom night vision binoculars & goggles.": [ + "night vision binoculars & goggles", + "optical zoom night vision binoculars & goggles", + "night vision binoculars & goggles.", + "night vision binoculars and goggles", + "night vision binoculars", + "night vision binoculars & goggles under $40", + "optical zoom night vision binoculars", + "night vision binoculars & goggles under $60", + "night vision binoculars & goggles with optical zoom", + "night vision binoculars & goggles under $50" + ], + "i need some caffeine free fruit juice. pick a pack of 12.": [ + "caffe free fruit juice pack of 12", + "caffe free fruit juice pack of 12 pack", + "coffee free fruit juice pack of 12", + "caffeinated fruit juice pack of 12", + "caffe free fruit juice pack 12 pack", + "coffee free fruit juice pack of 12 pack", + "caffe free fruit juice pack pack of 12", + "caffe free fruit juice pack of 12.", + "caffeine free fruit juice pack of 12", + "caramel free fruit juice pack of 12" + ], + "i need a 12 pack of caffeine free nantucket nectars pomegranate cherry juice.": [ + "nantucket nectars pomegranate cherry juice 12 pack", + "12 pack nantucket nectars pomegranate cherry juice", + "antucket nectars pomegranate cherry juice 12 pack", + "banana nectars pomegranate cherry juice 12 pack", + "12 pack pomegranate cherry juice", + "nantucket nectars pomegranate cherry juice", + "nantucket nectars pomegranate cherry juice pack", + "alarm pomegranate cherry juice 12 pack", + "antucket nectars pomegranate cherry juice", + "pomegranate cherry juice 12 pack" + ], + "i am looking for standing baker's racks kitchen shelf which is superior strength and durability,with universal wheelswhich is easy to move it allow for easy positioning in the kitchen, multipurpose shelves rack in gold color preferable.": [ + "barbecue rack in gold", + "stainless bakers rack kitchen shelf in gold", + "living room bakers rack with universal wheels", + "stainless bakers racks kitchen shelf in gold", + "living room bakers rack in gold", + "living room bakers rack", + "living room bakers racks with universal wheels", + "stainless bakers racks kitchen shelf", + "stainless bakers rack kitchen shelf", + "living room bakers racks" + ], + "i am looking for easy to prepare and easy to use shan kashmiri rogan josh recipe and seasoning mix 1.76 oz (50g) spice powder pack of 6 in murgh cholay flavor.": [ + "easy to prepare and easy to use shan kashmiri rogan josh recipe and seasoning mix 1.76 oz (50g)", + "easy to prepare shan kashmiri rogan josh recipe and seasoning mix 1.76 oz (50g) spice powder pack of 6 in murgh cholay flavor", + "easy to prepare shan kashmiri rogan josh seasoning mix 1.76 oz (50g) spice powder pack of 6 in murgh cholay flavor", + "easy to prepare and easy to use shan kashmiri rogan josh seasoning mix 1.76 oz (50g)", + "easy to prepare shan kashmiri rogan josh recipe and seasoning mix 1.76 oz (50g)", + "easy to prepare shan kashmiri rogan josh seasoning mix 1.76 oz (50g)", + "shan kashmiri rogan josh recipe and seasoning mix 1.76 oz (50g)", + "shan kashmiri rogan josh seasoning mix 1.76 oz (50g)", + "sugar powder pack of 6", + "5 spice powder pack of 6" + ], + "i'm looking for meat and vegetable flavored seasoning mix -1.76 oz (pack of 6)": [ + "meat and vegetable flavored seasoning mix -1.76 oz (pack of 6)", + "Meat and vegetable flavored seasoning mix -1.76 oz (pack of 6)", + "meat and vegetable flavored seasoning mix -1.76 oz", + "meat and vegetable flavored seasoning mix 1.76 oz (pack of 6)", + "vegan seasoning mix -1.76 oz (pack of 6)", + " meat and vegetable flavored seasoning mix -1.76 oz (pack of 6)", + "pack of 6 meat and vegetable flavored seasoning mix -1.76 oz", + "vegan seasoning mix 1.76 oz (pack of 6)", + "meat and vegetable flavored seasoning mix -1.76 oz (pack of 6),", + "Meat and vegetable flavored seasoning mix -1.76 oz" + ], + "i'm looking for a pav bhaji flavored spice powder. choose the one that comes with pack of 4 and are easy to use.": [ + "pav bhaji flavored spice powder pack of 4", + "pav bhaji flavored spice powder that is easy to use", + "pav bhaji flavored spice powder", + "pink bhaji flavored spice powder pack of 4", + "p pav bhaji flavored spice powder pack of 4", + "pav bhaji flavored spice powder under $40", + "pav bhaji flavored spice powder, pack of 4", + "ps bhaji flavored spice powder pack of 4", + "pink bhaji flavored spice powder", + "pav bhaji flavored spice powder 4 pack" + ], + "i'd like to buy a three pack of one point seventy-six ounce fenugreek seasonings. make sure they're easy to use.": [ + "three pack fenugreek seasonings", + "three pack of fenugreek seasonings", + "fenugreek seasonings three pack", + "two pack fenugreek seasonings", + "two pack of fenugreek seasonings", + "three pack fenugreek seasonings under $50", + "three pack fenugreek seasonings under $60", + "three pack fenugreek seasonings under 50 dollars", + "fenugreek seasonings", + "three pack" + ], + "i would like a 6 pack of 2.1 ounce easy to use and prepare chicken masala.": [ + "6 pack of 2.1 ounce easy to use and prepare chicken masala", + "6 pack of chicken masala", + "8 pack of 2.1 ounce easy to use and prepare chicken masala", + "5 pack of 2.1 ounce easy to use and prepare chicken masala", + "pack of 2.1 ounce easy to use and prepare chicken masala", + "6 pack of 1 ounce easy to use and prepare chicken masala", + "6 pack of chicken masala easy to use and prepare", + "6 pack of 2.1 ounce easy to use chicken masala", + "6 pack of 2.1 ounce easy to prepare chicken masala", + "easy to use and prepare chicken masala 6 pack" + ], + "i would like two packs of chicken white korma spices that are easy to use.": [ + "two packs of chicken white korma spices", + "2 packs of chicken white korma spices", + "chicken white korma spices", + "two pack of chicken white korma spices", + "two packs of chicken white korma spice", + "chicken white korma spices easy to use", + "chicken white korma spices, easy to use", + "pair of chicken white korma spices", + "keto white korma spices", + "pink spice blend" + ], + "i am looking for easy to prepare chana masala recipe.": [ + "easy to prepare chana masala recipe", + "easy to prepare chana masala recipe.", + "easy to prepare chana masala recipe under $40", + "easy to prepare chana masala recipe under $60", + "easy to prepare chana masala recipe under $50", + "easy to prepare chana masala recipe under 60 dollars", + "easy to prepare chana masala recipe under 30 dollars", + "easy to prepare chana masala recipe under 120 dollars", + "easy to prepare chana masala recipe under 40 dollars", + "easy to prepare chana masala recipe under 50 dollars" + ], + "i need a six pack of fenugreek": [ + "6 pack of fenugreek", + "6 pack fenugreek", + "pack of fenugreek six pack", + "six pack of fenugreek", + "pack of fenugreek", + "fenugreek six pack", + "vegan fenugreek six pack", + "two pack of fenugreek", + "shoes six pack fenugreek", + "rfenugreek six pack" + ], + "i need some indian spices that are easy to use for chana masala": [ + "indian spices for chana masala", + "indian spices easy to use for chana masala", + "indian spices", + "indian spices easy to use chana masala", + "indian spices, easy to use chana masala", + "indian spices chana masala", + "indian spices blend chana masala", + "indian spices chana masala", + "indian spices in chana masala", + "indian spices for chana masala under $40" + ], + "i'm looking for shan kashmiri rogan josh recipe and seasoning mix 1.76 oz (50g) pack of 3 easy prepare.": [ + "shan kashmiri rogan josh recipe and seasoning mix", + "shan kashmiri rogan josh recipe and seasoning mix easy prepare", + "shan kashmiri rogan josh recipe and seasoning mix that is easy prepare", + "shan kashmiri rogan josh recipe and seasoning mix that is easy prepare.", + "shan kashmiri rogan josh recipe easy prepare", + "shan kashmiri rogan josh recipe and seasoning mix 3 easy prepare", + "shan kashmiri rogan josh recipe and seasoning mix under $50", + "shan kashmiri rogan josh recipe and seasoning mix that is 3 easy prepare", + "shan kashmiri rogan josh seasoning mix", + "shan kashmiri rogan josh recipe" + ], + "i am looking for ready use, birthday cake toppers with a golf theme.": [ + "baby shower cake toppers with a golf theme", + "birthday cake toppers with a golf theme", + "pink birthday cake toppers with a golf theme", + "ready use birthday cake toppers with a golf theme", + "bathroom cake toppers with a golf theme", + "blanket cake toppers with a golf theme", + "kids cake toppers with a golf theme", + "birthday cake toppers with a golf theme.", + "baby shower cake toppers with a golf theme.", + "ready use, birthday cake toppers" + ], + "i want tropical moringa oil & honey daily moisturiser for my natural hair and that can used for hair treatment .pick 8 ounces.": [ + "t tropical moringa oil & honey daily moisturiser for natural hair treatment 8 ounces", + "tropical moringa oil & honey daily moisturiser for natural hair treatment 8 ounces", + "t tropical moringa oil & honey daily moisturiser for natural hair treatment 8 ounces", + "tropical moringa oil & honey daily moisturiser for natural hair treatment 8 ounces", + "t tropical moringa oil & honey daily moisturiser for natural hair treatment", + "tropical moringa oil & honey daily moisturiser for natural hair treatment", + "toxic moringa oil & honey daily moisturiser for natural hair treatment 8 ounces", + "tropical moringa oil & honey daily moisturiser for my natural hair treatment 8 ounces", + "tropical moringa oil & honey daily moisturiser for natural hair treatment 8 ounces.", + "t tropical moringa oil & honey daily moisturiser" + ], + "i need a fast charging cable with usb port for an ipad. pick one in gold.": [ + "fast charging cable with usb port for an ipad", + "fast charging cable with usb port for an ipad gold", + "fast charging cable with usb port", + "fast charging cable with usb port for ipad", + " fast charging cable with usb port for an ipad", + "fast charging cable for an ipad in gold", + "fast charging cable for an ipad gold", + "fast charging cable with usb port ipad gold", + "fast charging cable", + "fast charging cable gold" + ], + "i am looking for a gry engineered wood for living room.": [ + "gry engineered wood for living room", + "gry engineered wood for living room.", + "gry engineered wood living room", + "gry engineered wood living room.", + "gary engineered wood for living room", + "engineered wood for living room", + "gry engineered wood for living room,", + "gry engineered wood", + "gry engineered wood in living room", + "gry engineered wood dining room" + ], + "i need a mother of pearl and diamond shaped sparkle glitter that is easy to apply.": [ + "mother of pearl and diamond shaped sparkle glitter", + "Mother of pearl and diamond shaped sparkle glitter", + "woman of pearl and diamond shaped sparkle glitter", + "a mother of pearl and diamond shaped sparkle glitter", + "mum of pearl and diamond shaped sparkle glitter", + "magnate pearl and diamond shaped sparkle glitter", + "mother of pearl and diamond shaped glitter", + "magnifying sparkle glitter", + "mother of pearl shaped sparkle glitter", + "mother of pearl glitter" + ], + "i am looking for a blue color wireless bluetooth mouse that is plug and play.": [ + "blue wireless bluetooth mouse plug and play", + "blue wireless bluetooth mouse", + "blue bluetooth mouse plug and play", + "blue bluetooth mouse that is plug and play", + "blue wireless bluetooth mouse with plug and play", + "blue wireless bluetooth mouse, plug and play", + "blue bluetooth mouse", + "blue bluetooth mouse with plug and play", + "blue bluetooth mouse, plug and play", + "blue wireless bluetooth mouse plug-and play" + ], + "i am looking for a 9 piece hair growth herbal spray.": [ + "hair growth herbal spray 9 piece", + "9 piece hair growth herbal spray", + "hair growth herbal spray 9 x 9", + "8 piece hair growth herbal spray", + "hair growth herbal spray, 9 piece", + "hair growth herbal spray 9 pieces", + "hair growth herbal spray", + "9 piece hair growth herbal spray.", + "10 piece hair growth herbal spray", + "hair growth herbal spray 9 oz" + ], + "buy a white henley with a slim fit.": [ + "white henley slim fit", + "white henley with a slim fit", + "white henley with slim fit", + "white henley with a slim fit.", + "white henley slim fit.", + "white henley slim fit white", + "white henley slim fit with slim fit", + "white henley slim fit,", + "white henley slim fit below $50", + "white henley slim fit under $50" + ], + "i'm looking for a long lasting cologne by perry ellis.": [ + "long lasting cologne by perry ellis", + "long lasting cologne by perry ellis.", + "cologne by perry ellis", + "cologne by perry ellis long lasting", + "perry ellis long lasting cologne", + "a long lasting cologne by perry ellis", + "perry ellis cologne long lasting", + "long lasting cologne byperry ellis", + "long lasting cologne by perry ellis,", + "short lasting cologne by perry ellis" + ], + "i need a variety pack of keto friendly and gluten free fudge mix.": [ + "keto friendly and gluten free fudge mix", + "keto friendly gluten free fudge mix", + "variety pack of keto friendly and gluten free fudge mix", + " variety pack of keto friendly and gluten free fudge mix", + "cariety pack of keto friendly and gluten free fudge mix", + "com variety pack of keto friendly and gluten free fudge mix", + "variety pack of keto friendly gluten free fudge mix", + "keto friendly and gluten free fudge mix", + "keto friendly and gluten free fudge mix.", + " variety pack of keto friendly and gluten free fudge mix." + ], + "i am looking for a metallic gray coat rack that is easy to assemble.": [ + "easy assemble metallic gray coat rack", + "industrial gray coat rack that is easy to assemble", + "easy to assemble metallic gray coat rack", + "easy assemble metallic gray coat rack under $40", + "easy assemble metallic gray coat rack under $60", + "easy assemble metallic gray coat rack under $50", + "large metallic gray coat rack", + "easy assembled metallic gray coat rack", + "plastic gray coat rack", + "gluten free metallic gray coat rack" + ], + "i am looking for a fleece throw that is maroon and 50\" by 60\"": [ + " fleece throw maroon and 50 by 60", + " fleece throw maroon 50 by 60", + "fleece throw maroon 50 by 60", + " fleece throw that is maroon", + "fleece throw that is maroon", + "fleece throw maroon", + " fleece throw maroon", + " fleece throw under 50 dollars", + "fleece throw", + " fleece throw" + ], + "buy me some freeze dried bananas & strawberries.": [ + "freeze dried bananas & strawberries", + "freeze dried bananas and strawberries", + "im looking for freeze dried bananas & strawberries.", + "freeze dried bananas & strawberries under $40", + "freeze dried bananas & strawberries.", + "freeze dried bananas & strawberries under $60", + "freeze dried bananas & strawberries under $50", + "freeze dried bananas & strawberries under 50 dollars", + "i want some freeze dried bananas & strawberries.", + "freeze dried bananas & strawberries under 30 dollars" + ], + "i want organic freeze-dried mangoes.": [ + "organic freeze-dried mangoes", + "i want organic freeze-dried mangoes.", + "organic freeze-dried mangoes.", + "organic freeze-dried mangoes under $40", + "organic freeze-dried mangoes under $60", + "organic freeze-dried mangoes under $50", + "im looking for freeze-dried mangoes.", + "freeze-dried mangoes", + "organic freeze-dried mangoes under 50 dollars", + "organic freeze-dried mangoes under 30 dollars" + ], + "i want freeze-dried fruits, about 1.5 ounces should be enough. i like blueberries but i don't want anything with gmo.": [ + "freeze-dried fruits 1.5 ounces", + "freeze-dried fruits about 1.5 ounces", + "freeze-dried fruits, about 1.5 ounces", + " freeze-dried fruits about 1.5 ounces", + "im looking for freeze-dried fruits about 1.5 ounces under 30 dollars", + "freeze dried fruits 1.5 ounces", + "im looking for freeze-dried fruits about 1.5 ounces under 50 dollars", + "im looking for freeze-dried fruits about 1.5 ounces under $50", + "im looking for freeze-dried fruits about 1.5 ounces under $40", + "im looking for freeze-dried fruits about 1.5 ounces under $60" + ], + "buy me a bag of low calorie, low fat mango strips.": [ + "low calorie, low fat mango strips", + "bag of low calorie, low fat mango strips", + "low calorie low fat mango strips", + "bag of low calorie low fat mango strips", + "low calorie, low fat mango strips.", + "low calories, low fat mango strips", + "low calorie and zero sugar mango strips", + "low calorie, low fat mango strips bag", + "mango strips low calories", + "mango strips" + ], + "i want a bundle of freeze-dried strawberries & bananas beets": [ + "freeze-dried strawberries & bananas beets", + "freeze-dried strawberries & banana beets", + "pack of freeze-dried strawberries & bananas beets", + "freeze-dried strawberries & bananas beets bundle", + "freeze-dried strawberries & banana beets bundle", + "pack of freeze-dried strawberries & banana beets", + " freeze-dried strawberries & bananas beets", + "freeze dried strawberries & bananas beets", + "freeze dried strawberries & banana beets", + " freeze-dried strawberries & banana beets" + ], + "i am looking for a bag of freeze dried blueberries that are chocolate and banana slice flavored. make sure to pick a non gmo and plant based product.": [ + "bag of freeze dried blueberries that are chocolate and banana slice flavored", + "freeze dried blueberries that are chocolate and banana slice flavored", + "pack of freeze dried blueberries that are chocolate and banana slice flavored", + "freeze dried blueberries chocolate and banana slice flavored", + "bag of freeze dried blueberries chocolate and banana slice flavored", + "pack of freeze dried blueberries chocolate and banana slice flavored", + "bag of freeze dried blueberries that are chocolate and banana slice flavored, and price lower than 50.00 dollars", + "frozen dried blueberries chocolate and banana slice flavored", + "rain dried blueberries chocolate and banana slice flavored", + " freeze dried blueberries chocolate and banana slice flavored" + ], + "i am looking for non gmo, low calorie and plant based organic foods which has flavor: strawberries & corn": [ + "non gmo, low calorie and plant based organic foods", + "non gmo, plant based organic foods", + "non gmo, plant based organic foods which has flavor", + "non gmo low calorie and plant based organic foods", + "non gmo and plant based organic foods", + "non gmo, plant based organic foods with flavor", + "non gmo, plant based organic foods that has flavor", + "non gmo plant based organic foods", + "non gmo, low calorie plant based organic foods", + "non gmo high calorie and plant based organic foods" + ], + "i am looking for a 1.2 ounce (pack of 4) non gmo dried berries": [ + "non gmo dried berries", + "non gmo dried berries 1.2 oz", + "non gmo dried berries pack of 4", + "non gmo dried berries 1.2 oz", + "non gmo dried berries 1.2 ounce", + "pack of 4) non gmo dried berries", + "bag of 4) non gmo dried berries", + "non gmo dried berries 1.2 ounce", + "non gmo dried berries, 1.2 oz", + "non gmo dried berries under $40" + ], + "i want freeze dried low calorie fat free dried berries size:8 ounce": [ + "freeze dried low calorie fat free dried berries size 8 ounce", + "freeze dried low calorie fat free dried berries size8 ounce", + "low calorie fat free dried berries size 8 ounce", + "freeze dried low calorie fat free dried berries size 8 oz", + "frozen dried low calorie fat free dried berries size 8 ounce", + " freeze dried low calorie fat free dried berries size 8 ounce", + "freeze dried low calorie fat free dried berries 8 ounce", + "freezer dried low calorie fat free dried berries size 8 ounce", + " freeze dried low calorie fat free dried berries size:8 ounce", + "low calorie fat free dried berries size:8 ounce" + ], + "i'm looking for a 1.2 ounce bag of freeze-dried strawberries and bananas; they must suit my low-calorie, fat-free diet.": [ + "pack of freeze-dried strawberries and bananas", + "freeze-dried strawberries and bananas", + "freeze dried strawberries and bananas", + "strawberry and banana freeze-dried diet", + "strawberry and banana freeze-dried", + "freeze dried strawberries and banana", + "strawberry and banana freeze dried", + "freeze-dried strawberries and banana", + "pack of freeze-dried strawberries and banana", + "strawberry and banana freeze dried diet" + ], + "i would like some non gmo chocolate mango slices": [ + "non gmo chocolate mango slices", + "non gmo chocolate pomegranate slices", + "non-gmo chocolate mango slices", + "non gmo chocolate mango slices under $40", + "non gmo chocolate mango slices", + "non gmo chocolate mango slices under 50 dollars", + "non gmo chocolate mango slices under $60", + "non gmo chocolate mango slices under $50", + "non gmo chocolate mango slices below $40", + "non gmo chocolate mango slices no gmo" + ], + "i need mango strips that are non gmo": [ + "mango strips non gmo", + "non gmo mango strips", + "non gmo pomegranate strips", + "mango strips that are non gmo", + "pomegranate strips non gmo", + "mo pomegranate strips", + "mo mango strips non gmo", + "no gmo mango strips", + "non gmo mango strips under $40", + "mo-flavored mango strips" + ], + "find fat free dried berries.": [ + "fat free dried berries", + "fat free dried berries under $40", + "fat free dried berries under $50", + "fat free dried berries under $60", + "fat free dried berries under 50 dollars", + "fat free dried berries.", + "fat free dried berries under 30 dollars", + "fat free dried berries under 40 dollars", + "fat free dried berries under 60 dollars", + "fruit fat free" + ], + "i want a bag of natierra freeze dried strawberries + apples.": [ + "natierra freeze dried strawberries + apples", + "natierra freeze dried strawberries + apples bag", + "natierra freeze dried strawberries + apples.", + "natierra freeze dried strawberries + apples bags", + "natierra freeze dried strawberries and apples", + "natierra freeze dried strawberries + apples pack", + "natierra freeze dried strawberries", + "natierra freeze dried strawberries + apples flavor", + "natierra freeze dried strawberries with apples", + "natierra freeze dried strawberries apples" + ], + "i would like some freeze dried chocolate mango slices that are in a bundle.": [ + "freeze dried chocolate mango slices in a bundle", + "freeze dried chocolate mango slices", + " freeze dried chocolate mango slices that are in a bundle", + " freeze dried chocolate mango slices in a bundle", + "frozen dried chocolate mango slices in a bundle", + "freeze dried chocolate mango slices bundle", + "stainless dried chocolate mango slices in a bundle", + "freeze dried chocolate pomegranate slices", + "freeze dried chocolate mango slices in a bundle.", + " freeze dried chocolate mango slices" + ], + "can you find a navy blue men's cotton heather shirt in medium that has a heart made by a figure skater.": [ + "i want a navy blue mens cotton heather shirt in medium that has a heart made by a figure skater.", + "navy blue mens cotton heather shirt in medium", + "navy blue mens cotton heather shirt in medium that has a heart made by a figure skater", + "i found a navy blue mens cotton heather shirt in medium that has a heart made by a figure skater.", + "navy blue mens cotton heather shirt in medium with a heart made by a figure skater", + "navy blue mens cotton heather shirt in medium that has a heart made by a figure skater.", + "navy blue mens cotton heather shirt in medium under $40", + "navy blue mens cotton heather shirt in medium with a heart made by a figure skater.", + " navy blue mens cotton heather shirt in medium", + "navy blue mens cotton heather shirt in medium that has a heart made by a figure skater," + ], + "i need tv antennas that are easy to install.": [ + "tv antennas easy to install", + "tv antennas that are easy to install", + "tv antenna easy to install", + "tv antennas, easy to install", + "tv antenna that are easy to install", + "tv antennas", + "tv antennas easy to install.", + "tv antennas with easy to install", + "tv antennas easy install", + "tv antennas easy setup" + ], + "i need to buy a casette recorder. get the one that in style \"convert player\" with included batteries.": [ + "casette recorder with batteries", + "casette recorder", + "casette recorder with included batteries", + "casette recorder in style convert player", + "casette recorder with a batteries", + "casette recorder style convert player", + " casette recorder with batteries", + "style convert player with included batteries", + "casette recorder style", + " casette recorder" + ], + "i need a pair of big and tall, long lasting, and comfortable wrangler jeans.": [ + "big and tall wrangler jeans", + "big and tall long lasting wrangler jeans", + "womens wrangler jeans", + "twin wrangler jeans", + "womens long lasting wrangler jeans", + "big wrangler jeans", + "big long lasting, comfortable wrangler jeans", + "womens wrangler jeans big and tall", + "big long lasting wrangler jeans", + "big and tall long lasting wrangler jeans." + ], + "i'm looking for a comfortable pair of big and tall jeans.": [ + "small and tall jeans", + "big and tall jeans", + "large and tall jeans", + "comfortable jeans", + "comfortable large tall jeans", + "small tall jeans", + "small and tall jeans comfortable", + "big and tall jeans comfortable", + "large tall jeans", + "big tall jeans" + ], + "i am looking for a comfortable fit jeans for men of tan color.": [ + "comfortable fit jeans for men of tan color", + "fortable fit jeans for men of tan color", + " comfortable fit jeans for men of tan color", + "comfortable fit jeans men of tan color", + "casual fit jeans for men of tan color", + "sneakers for men of tan color", + "tanned fit jeans for men of tan color", + "teeth comfortable fit for men of tan color", + "comfortable fit jeans for men", + "comfortable fit jeans" + ], + "i'm searching for a mustang island colored long lasting regular fit jeans.": [ + "mustang island colored long lasting regular fit jeans", + "mustang island colored long lasting regular fit jeans.", + "toang island colored long lasting regular fit jeans", + "mustang Island colored long lasting regular fit jeans", + "mustang island colored long lasting regular fit jeans under $40", + "indoor colored long lasting regular fit jeans", + "island colored long lasting regular fit jeans", + "mustang island colored long lasting regular fit jeans under $50", + "mustang island colored long lasting regular fit jeans under $60", + "mustang island colored long lasting regular fit jeans under 50 dollars" + ], + "add to my list a wrangler mens cowboy cut relaxed jeans and should be a comfortable fit.": [ + "womens cowboy cut relaxed jeans", + "wrangler mens cowboy cut relaxed jeans", + "rangler mens cowboy cut relaxed jeans", + "rfangler mens cowboy cut relaxed jeans", + "womens cowboy cut relaxed jeans comfortable fit", + "twangler mens cowboy cut relaxed jeans", + " wrangler mens cowboy cut relaxed jeans", + "sprangler mens cowboy cut relaxed jeans", + "cowboy cut relaxed jeans", + "red cowboy cut relaxed jeans" + ], + "i would like some relaxed comfortable fit jeans": [ + "comfortable comfortable fit jeans", + "a relaxed comfortable fit jeans", + " relaxed comfortable fit jeans", + "relaxed comfortable fit jeans", + "compact comfortable fit jeans", + "lens comfortable fit jeans", + "faux comfortable fit jeans", + "living comfortable fit jeans", + "clothing comfortable fit jeans", + "a relaxed comfortable fit jeans," + ], + "i am looking for long lasting mens jeans of woodburn color.": [ + "mens jeans of woodburn color", + "mens jeans of woodburn color", + "mens jeans woodburn color", + "lens jeans of woodburn color", + "long lasting mens jeans", + "mens jeans", + "mens jeans woodburn color long lasting", + "mens jeans, woodburn color", + "mens jeans woodburn color", + "mens jeans" + ], + "i need a nail polish carrying case.": [ + "nail polish carrying case", + "nude polish carrying case", + "nails polish carrying case", + "nail polish carrying case.", + "nude polish carrying case.", + "nailing polish carrying case", + "nail polish carrying case,", + "nudity polish carrying case", + "lip polish carrying case", + " nail polish carrying case" + ], + "i am looking for a purple butt lifting thong for women.": [ + "pink butt lifting thong for women", + "pink butt lifting thong for women.", + "plastic butt lifting thong for women", + "pink butt lifting thong", + "pink butt lifting thong women", + "pink butt lifting thong for women,", + "pink butt lifting thong woman", + "shoes lifting thong for women", + "tooth lifting thong for women", + "butt lifting thong for women" + ], + "i am looking to purchase a light buff and cruelty free manufactured makeup.": [ + "light buff cruelty free makeup", + "light buff and cruelty free makeup", + "light buff and cruelty free cosmetics", + "light buff cruelty free manufactured makeup", + "light buff cruelty free cosmetics", + "light buff makeup cruelty free", + "light buff, cruelty free makeup", + "light buff and cruelty free", + "light buff makeup", + "light buff, cruelty free cosmetics" + ], + "i would like some gray heavy duty spa chairs that look like they belong in a hair salon.": [ + "gray heavy duty spa chairs", + "gray heavy duty spa chairs that look like they belong in a hair salon", + "gray heavy duty spa chairs, and price lower than 50.00 dollars", + "gray heavy duty spa chairs in a hair salon", + "gray heavy duty spa chairs, and price lower than 40.00 dollars", + "gray heavy duty spa chairs with a price lower than 50.00 dollars", + "womens gray heavy duty spa chairs", + "gray heavy duty spa chairs,", + "gray heavy duty spa chairs in a hair salon.", + "gray heavy duty spa chairs under $50" + ], + "i am looking for organic blueberries.": [ + "organic blueberries", + "organic blueberries under $40", + "organic blueberries under $50", + "organic blueberries under $60", + "organic blueberries under 50 dollars", + "organic blueberries under 40 dollars", + "organic blueberries under 30 dollars", + "organic blueberries.", + "organic blueberries below $40", + "organic blueberries no sugar" + ], + "i am looking for freeze dried in bananas and strawberries": [ + "freeze dried bananas and strawberries", + "freeze dried bananas and strawberries freeze dried", + "freeze dried banana and strawberries", + "freeze dried in bananas and strawberries", + "stainless dried bananas and strawberries freeze dried", + "freeze dried banana and strawberries freeze dried", + "freeze dried bananas and strawberries under $40", + "freeze dried bananas and strawberries under $50", + "freeze dried bananas and strawberries under $60", + "stainless dried bananas and strawberries" + ], + "i'm looking for a plant based, freeze dried fruits which should be usda organic and free from fat and also low in calories. also, choose a pack of 8 which weighs 1.3 ounce bundle with strawberry and pineapple flavored one.": [ + "plant based freeze dried fruits which should be usda organic and free from fat and also low in calories. also, choose a pack of 8 which weighs 1.3 ounce bundle with strawberry and pineapple flavored one.", + "plant based freeze dried fruits that should be usda organic and free from fat and also low in calories. also, choose a pack of 8 which weighs 1.3 ounce bundle with strawberry and pineapple flavored one.", + "plant based, freeze dried fruits which should be usda organic and low in calories. also, choose a pack of 8 which weighs 1.3 ounce bundle with strawberry and pineapple flavored one.", + "plant based, freeze dried fruits which should be usda organic and free from fat and also low in calories. also, choose a pack of 8 which weighs 1.3 ounce bundle", + "plant based, freeze dried fruits which should be usda organic and free from fat and also low in calories", + "plant based freeze dried fruits which should be usda organic and free from fat and also low in calories. also, choose a pack of 8 which weighs 1.3 ounce bundle", + "plant based, freeze dried fruits which should be usda organic and free from fat and also low in calories.", + "plant based freeze dried fruits which should be usda organic and free from fat and also low in calories", + "plant based, freeze dried fruits that should be usda organic and free from fat and also low in calories", + "plant based freeze dried fruits that are usda organic and free from fat and also low in calories" + ], + "i'm looking for a plant based, freeze dried usda organic fruits which should be free from fat and has low calories. also, choose a pack of 4 weights 0.7 ounce bundle with mango flavored one.": [ + "plant based, freeze dried usda organic fruits which should be free from fat and has low calories", + "plant based, freeze dried usda organic fruits with low calories", + "plant based, freeze dried usda organic fruits which should be free from fat and has low calories.", + "plant based, freeze dried usda organic fruits that should be free from fat and has low calories", + "plant based, freeze dried usda organic fruits", + "plant based, freeze dried usda organic fruits that should be free from fat and has low calories.", + "plant based, freeze dried usda organic fruits whose price is lower than 50.00 dollars", + "plant based, freeze dried usda organic fruits whose price is lower than $40.00", + "plant based, freeze dried usda organic fruits whose price is lower then $40.00", + "plant based, freeze dried usda organic fruits whose price is low calories" + ], + "i want a bag of natierra freeze-dried pineapples.": [ + "natierra freeze-dried pineapples", + "natierra freeze-dried pineapples bag", + "natierra freeze-dried pineapples.", + "natierra freeze-dried pineapples under $40", + "natierra freeze-dried pineapples under 50 dollars", + "natierra freeze-dried pineapples under $50", + "natierra freeze-dried pineapples under $60", + "natierra freeze-dried pineapples under 30 dollars", + "natierra freeze-dried pineapples under 40 dollars", + "natierra freeze-dried pineapples in a bag" + ], + "i'm looking for non-gmo freeze dried organic dried banana chips.": [ + "non-gmo freeze dried organic dried banana chips", + "non-gmo freeze dried organic dried banana chips.", + "non-gmo freeze dried organic dried banana chips under $40", + "non-gmo freeze dried organic dried banana chips under $50", + "non-gmo freeze dried organic dried banana chips under $60", + "non-gmo freeze dried organic dried banana chips under 50 dollars", + "non-gmo freeze dried organic dried banana chips below $40", + "non-gmo freeze dried organic dried banana chips below $50", + "non-gmo freeze dried organic dried banana chips under 30 dollars", + "non-gmo freeze dried organic dried banana chips under 40 dollars" + ], + "i want natierra freeze-dried strawberries and mangos.": [ + "natierra freeze-dried strawberries and mangos", + "natierra freeze-dried strawberries and mangos.", + "natierra freeze-dried strawberries and mangos under $40", + "natierra freeze-dried strawberries and mangos under $50", + "natierra freeze-dried strawberries and mangos under $60", + "natierra freeze-dried strawberries and mangos under 50 dollars", + "natierra freeze-dried strawberries and mangos under 30 dollars", + "natierra freeze-dried strawberries and mangos under 60 dollars", + "natierra freeze-dried strawberries and mangos under 40 dollars", + "natierra freeze-dried strawberries and mangos under 120 dollars" + ], + "i need an exquisite pair of 63 inch long curtains that are also machine washable.": [ + "beautiful pair of 63 inch long curtains", + "window curtains that are also machine washable", + "63 inch long curtains", + "60 inch long curtains", + "window curtains that are machine washable", + "50 ft long curtains", + "window curtains 63 inches long", + "50 inch long curtains", + "window curtains 63 inch long", + "window curtains" + ], + "i want to buy some machine washable curtain panels and color b006c22. it needs to have a rod pocket and be size 36 width and 84 length.": [ + "machine washable curtain panels size 36 width and 84 length", + "machine washable curtain panels in color b006c22", + "machine washable curtain panels and color b006c22", + "machine washable curtain panels with color b006c22", + "machine washable curtain panels that are size 36 width and 84 length", + "machine washable curtain panels color b006c22", + "machine washable curtain panels", + "machine washable curtain panels, b006c22", + "machine washable curtain panels b006c22", + "machine washable curtain panels size 36 width and 84 length." + ], + "i'm looking for some machine washable window coverings with a 31 and a half inch width. they should come in color \"b006c14.\"": [ + "machine washable window coverings with a 31 and a half inch width", + "machine washable window coverings 31 and a half inch width", + "machine washable window coverings that are 31 and a half inch width", + "machine washable window coverings", + "machine washable window coverings, 31 and a half inch width", + "man washable window coverings with a 31 and a half inch width", + "machine washable window coverings in 31 and a half inch width", + "window coverings with a 31 and a half inch width", + "machine washable window coverings 31 and a half inch", + "window coverings 31 and a half inch width" + ], + "i would like a machine washable window treatment that is in the color b006c33": [ + "machine washable window treatment b006c33", + "machine washable window treatment", + "machine washable window treatment, b006c33", + "window treatment b006c33", + "machine washable window treatment color b006c33", + "window treatment in the color b006c33", + "machine washable window treatment with b006c33", + "machine washable window treatment with color b006c33", + "machine washable window treatment, b006c33,", + "window treatment" + ], + "i am looking for white solid wood bunk beds with drawers.": [ + "white solid wood bunk beds with drawers", + "white solid wood bunk beds", + "white solid wood bunk beds with drawers.", + "white solid wood bunk beds with drawers under $40", + "white solid wood bunk beds with drawers,", + "white solid wood bunk beds with drawers under $60", + "white solid wood bunk beds with drawers under $50", + "white solid wood bunk beds with drawers below $40", + "white solid wood bunk bed with drawers", + "white solid wood bunk beds with drawers below $50" + ], + "can you direct me to a bunk bed that's solid wood and comes in silver? thanks": [ + "bunk bed silver", + "b bunk bed silver", + "burgling bed silver", + " bunk bed silver", + "living room bunk bed silver", + "bunk bed solid wood", + "burgled bed silver", + "bedding bed silver", + "solid wood bunk bed", + "b bunk bed solid wood" + ], + "order a three pack of high speed coaxial cables, please.": [ + "three pack of high speed coaxial cables", + "three pack high speed coaxial cables, please.", + "three pack of high speed coaxial cables, please", + "3 pack of high speed coaxial cables", + "three pack high speed coaxial cables", + "3 pack high speed coaxial cables, please.", + "3 pack of high speed coaxial cables, please", + "3 pack high speed coaxial cables", + "three pack high speed coaxial cables, please", + "coaxial cables three pack" + ], + "i would like a black 80 foot high speed coaxial cable.": [ + "black 80 foot high speed coaxial cable", + "black high speed coaxial cable", + "black 80ft high speed coaxial cable", + "black 80 ft high speed coaxial cable", + "black 80 foot high speed cable", + "black long speed coaxial cable", + "high speed coaxial cable black", + "black low speed coaxial cable", + "black high speed coaxial cable.", + "black high speed coaxial cable black" + ], + "i need a high speed 3 pack of coaxial cables": [ + "3 pack of coaxial cables", + "high speed 3 pack of coaxial cables", + "3 pack of coaxial cables high speed", + "medium speed 3 pack of coaxial cables", + "coaxial cables high speed 3 pack", + "3 pack of coaxial cables, high speed", + "3 pack of coaxial cables under $40", + "3 pack of coaxial cables under $50", + "low speed 3 pack of coaxial cables", + "4 pack of coaxial cables" + ], + "i am looking for indoor outdoor rg-6 coaxial cable of aluminum alloy and size:95ft": [ + "indoor outdoor rg-6 coaxial cable of aluminum alloy", + "indoor outdoor rg-6 coaxial cable of aluminum alloy size:95ft", + "indoor indoor outdoor rg-6 coaxial cable of aluminum alloy", + "indoor outdoor rg-6 coaxial cable of aluminum alloy and size", + "indoor outdoor rg-6 coaxial cable of aluminum alloy under $40", + "indoor outdoor rg-6 coaxial cable of aluminum alloy under $50", + "indoor outdoor rg-6 coaxial cable", + " indoor outdoor rg-6 coaxial cable of aluminum alloy", + "indoor outdoor rg-6 cable of aluminum alloy", + "indoor outdoor rg-6 coaxial cable aluminum alloy" + ], + "i'm looking for a high-speed coaxial cable that's 15 feet long. it should have a plated fitting.": [ + "high-speed coaxial cable 15 feet long", + "high-speed coaxial cable with plated fitting", + "high-speed coaxial cable that is 15 feet long", + "high-speed coaxial cable 15 feet long plated fitting", + "high-speed coaxial cable, 15 feet long", + "high-speed coaxial cable 15 feet long under $40", + "coaxial cable 15 feet long", + "high-speed coaxial cable 15 feet long under $50", + "high-speed coaxial cable 15 feet long under $60", + "high speed coaxial cable 15 feet long" + ], + "i'm looking for black quadshield weather boot fitting tri-shield indoor outdoor rg-6 coaxial nickel plated brass connecter 75 ohm cable of size 150ft.": [ + "black quadshield weather boot fitting tri-shield indoor outdoor rg-6 coaxial nickel plated brass connecter 75 ohm cable", + "quadshield weather boot fitting tri-shield indoor outdoor rg-6 coaxial nickel plated brass connecter 75 ohm cable", + "black quadshield weather boot fitting tri-shield indoor outdoor 240ft", + "black quadshield weather boot fitting tri-shield indoor outdoor", + "quadshield weather boot fitting tri-shield indoor outdoor 240ft", + "black quadshield weather boot fitting tri-shield indoor outdoor rg-6 coaxial nickel plated brass connecter", + "quadshield weather boot fitting tri-shield indoor outdoor", + "black quadshield weather boot fitting tri-shield indoor outdoor gmo", + "quadshield weather boot fitting tri-shield indoor outdoor rg-6 coaxial nickel plated brass connecter", + "black quadshield weather boot fitting tri-shield indoor outdoor rg-6 coaxial nickel plated brass" + ], + "i am looking for a 50ft coaxial cable that is black.": [ + "50ft coaxial cable that is black", + "50ft coaxial cable black", + "50ft coaxial cable", + "50ft coaxial cable, black", + "50ft coaxial cable in black", + "50ft coaxial cable with black", + "50ft coaxial cable under $60", + "50ft coaxial cable under $40", + "50ft coaxial cable under $50", + "black 50ft coaxial cable" + ], + "i'm looking for a 5ft high speed coaxial cable aluminum alloy and quadshield nickel plated fitting": [ + "5ft high speed coaxial cable aluminum alloy", + "5ft high speed coaxial cable aluminum alloy quadshield nickel plated fitting", + "5ft high speed coaxial cable aluminum alloy and quadshield nickel plated", + "5ft high speed coaxial cable aluminum alloy with quadshield nickel plated", + "coaxial cable aluminum alloy quadshield nickel plated fitting", + "5ft high speed coaxial cable aluminum alloy quadshield nickel plated", + "5ft high speed coaxial cable aluminum alloy under $40", + "coaxial cable aluminum alloy", + "comportial cable aluminum alloy", + "optical cable aluminum alloy" + ], + "i am looking for a 3ft high speed coaxial cable made up of aluminum alloy. i need 3 pack of it.": [ + "3ft high speed coaxial cable made up of aluminum alloy", + "3ft high speed coaxial cable", + "3 ft high speed coaxial cable made up of aluminum alloy", + " 3ft high speed coaxial cable made up of aluminum alloy", + "3ft high speed coaxial cable with aluminum alloy", + "3ft high speed cable made up of aluminum alloy", + "3ft high speed coaxial cable 3 pack of it", + "3ft high speed coaxial cable made from aluminum alloy", + "3ft high speed coaxial cable under $50", + "3ft high speed coaxial cable made up of aluminum" + ], + "i need a long trishield coaxial cable.": [ + "long trishield coaxial cable", + "short trishield coaxial cable", + "a long trishield coaxial cable", + "long trishield coaxial cable.", + "t trishield coaxial cable", + "telescope cable long trishield", + "long trishield coaxial cable,", + "toothield coaxial cable", + "brittleield coaxial cable", + "long trishield cable" + ], + "i am looking for a 25 ft f-pin-coaxial tip coaxial cable": [ + "25 ft f-pin-coaxial tip coaxial cable", + "25 ft f-pincoaxial tip coaxial cable", + " 25 ft f-pin-coaxial tip coaxial cable", + "25ft f-pin-coaxial tip coaxial cable", + "25 ft f-pin-coaxial tip coaxial cable 25", + "a 25 ft f-pin-coaxial tip coaxial cable", + "25 ft f-pin-coaxial cable", + "25 ft f-pin-coaxial tip cable", + "25 ft f-pin-coaxial", + "coaxial tip coaxial cable" + ], + "i'm looking for coaxial code for video accessories it was easy to use.": [ + "coaxial code for video accessories", + "coaxial code for video accessories easy to use", + "curtial code for video accessories", + "coaxial code video accessories easy to use", + "curtial code for video accessories easy to use", + "easy to use coaxial code for video accessories", + " coaxial code for video accessories easy to use", + " coaxial code for video accessories", + "easy to use coaxial code video accessories", + "coaxial code video accessories" + ], + "i am looking for a 75 ohm brass connector for coaxial cable nickel . i choose 39ft size cable made with copper": [ + "75 ohm brass connector", + "75 ohm brass connector cable", + "glaceless cable nickel", + "glacial cable nickel", + "75 ohm brass cable nickel", + "glaxial cable nickel", + "glaxial cable nickel cable", + "glacial cable nickel cable", + "wireless cable nickel", + "bbc nickel cable" + ], + "i would like a 15 ft direct burial coaxial cable.": [ + "15 ft direct burial coaxial cable", + "15 ft direct burial coaxial cable.", + "15 ft long burial coaxial cable", + "15 ft high burial coaxial cable", + "size 15 ft direct burial coaxial cable", + "15 ft direct burial coaxial cable,", + " 15 ft direct burial coaxial cable", + "15 ft direct burial cable", + "16 ft direct burial coaxial cable", + "15 ft coaxial cable" + ], + "i am looking for a white coaxial cable made of quadshield nickel plated fitting and of high speed.": [ + "white coaxial cable with quadshield nickel plated", + "white cable made of quadshield nickel plated fitting", + "white coaxial cable, quadshield nickel plated", + "white coaxial cable that is high speed", + "white coaxial cable", + "white cable made of quadshield nickel plated", + "white coaxial cable under $40", + "white coaxial cable under $60", + "white coaxial cable for high speed", + "white coaxial cable that is high speed white" + ], + "i need an 80 feet long coaxial cable that is high speed.": [ + "80 feet long coaxial cable", + "80 feet long coaxial cable high speed", + "80 feet long coaxial cable with high speed", + "high speed coaxial cable", + "high speed coaxial cable 80 feet long", + "coaxial cable that is high speed", + "high speed coaxial cable 80 ft long", + "coaxial cable high speed", + "80 ft long coaxial cable", + "80 feet long coaxial cable under $40" + ], + "i would like a 40 foot long trishield nickel plated coaxial cable.": [ + "40 foot long trishield nickel plated coaxial cable", + "40 foot long trishield nickel plated coaxial cable.", + "40 foot long trishield nickel plated coaxial cable,", + " 40 foot long trishield nickel plated coaxial cable", + "50 foot long trishield nickel plated coaxial cable", + "40 foot long trishield nickel plated cable", + "dustield nickel plated coaxial cable", + "telescope nickel plated coaxial cable", + "40 foot long high quality nickel plated coaxial cable", + "shield nickel plated coaxial cable" + ], + "i am looking for 140 feet of high speed coaxial cable.": [ + "140 feet of high speed coaxial cable", + "140 feet high speed coaxial cable", + "high speed coaxial cable 140 feet", + " 140 feet of high speed coaxial cable", + "high speed coaxial cable 140 ft", + "high speed coaxial cable", + " 140 feet high speed coaxial cable", + "tunnel cable 140 feet high speed", + "optical cable 140 feet high speed", + "tunnel cable 140 ft high speed" + ], + "i am looking for an 85 foot coaxial cable.": [ + "85 foot coaxial cable", + " 85 foot coaxial cable", + "90 foot coaxial cable", + "a 85 foot coaxial cable", + "coaxial cable 85 foot", + "coaxial cable 85 ft", + "accommodial cable 85 foot", + "accommodial cable 85 ft", + "8 foot coaxial cable", + "25 foot coaxial cable" + ], + "i want a 175ft white tri-shield rg-6 coaxial cable.": [ + "175ft white tri-shield rg-6 coaxial cable", + " 175ft white tri-shield rg-6 coaxial cable", + "5 ft white tri-shield rg-6 coaxial cable", + "a 175ft white tri-shield rg-6 coaxial cable", + "5ft white tri-shield rg-6 coaxial cable", + "white tri-shield rg-6 coaxial cable", + "black tri-shield rg-6 coaxial cable", + "glacial cable 175ft white tri-shield rg-6", + "175ft white tri-shield rg-6 coaxial cable.", + "glacial cable 175ft white" + ], + "i need a 230 foot sized high speed coaxial cable.": [ + " 230 foot sized high speed coaxial cable", + "230 foot sized high speed coaxial cable", + " 230 foot sized high speed coaxial cable.", + "230 foot sized high speed coaxial cable.", + "230 foot high speed coaxial cable", + "compactial cable 230 foot high speed", + " 230 foot high speed coaxial cable", + " 230 foot long speed coaxial cable", + "coaxial cable 230 foot high speed", + "womens high speed coaxial cable" + ], + "i need a 40ft high speed coaxial cable": [ + "40ft high speed coaxial cable", + "40ft high speed coaxial cable under $40", + "40ft high speed coaxial cable under $50", + "40ft high speed coaxial cable under $60", + "40ft high speed coaxial cable under $130", + "40ft high speed coaxial cable under $120", + "40ft high speed coaxial cable under $140", + "40ft high speed coaxial cable under 40 dollars", + "40ft high speed coaxial cable 40ft", + "coaxial cable 40ft high speed" + ], + "i need a 220 ft high speed coaxial cable.": [ + " 220 ft high speed coaxial cable", + "coaxial cable 220 ft high speed", + "220 ft high speed coaxial cable", + "comportial cable 220 ft high speed", + "commodial cable 220 ft high speed", + "compactial cable 220 ft high speed", + "competial cable 220 ft high speed", + "cable 220 ft high speed coaxial cable", + " 220 ft high speed coaxial cable.", + "red cable 220 ft high speed coaxial cable" + ], + "i am looking for 150ft trishield rg11 aerial messenger - black type coaxial cable aluminum alloy": [ + "150ft trishield rg11 aerial messenger - black type coaxial cable aluminum alloy", + "150ft trishield rg11 aerial messenger - black", + " 150ft trishield rg11 aerial messenger - black type coaxial cable aluminum alloy", + "150ft trishield rg11 aerial messenger -black type coaxial cable aluminum alloy", + "150ft trishield rg11 aerial messenger with black type coaxial cable aluminum alloy", + "150ft trishield rg11 aerial messenger", + "150ft trishield rg11 aerial messenger-black type coaxial cable aluminum alloy", + "150ft trishield rg11 aerial messenger - black type cable aluminum alloy", + "150ft trishield rg11 aerial messenger - black type coaxial cable aluminum", + "150ft trishield rg11 aerial messenger aluminum alloy" + ], + "i'm looking for green color 24 pack merry christmas cupcake decorations for christmas party supplies.": [ + "green christmas cupcake decorations", + "green 24 pack christmas cupcake decorations", + "24 pack merry christmas cupcake decorations", + "green christmas cupcake decorations 24 pack", + "green 12 pack christmas cupcake decorations", + "green color 24 pack christmas party supplies", + "24 pack christmas cupcake decorations", + "green christmas party decorations 24 pack", + "green christmas party decorations", + "green color 24 pack christmas party decorations" + ], + "i need a 8 fl oz lemon tea tree shampoo that has natural ingredients,": [ + "8 fl oz lemon tea tree shampoo", + "8 fl oz lemon tea tree shampoo natural", + "8 fl oz lemon tea tree shampoo", + "8 fl oz lemon tea tree shampoo, natural", + "8 fl oz lemon tea tree shampoo no natural", + "8fl oz lemon tea tree shampoo", + "8 fl oz lemon tea tree shampoo natural ingredients", + "8 fl oz lemony tea tree shampoo", + "8 fl oz tea tree shampoo", + "8 oz lemon tea tree shampoo" + ], + "i'm looking for a set of makeup brushes in the color peaceful purple to help me with my eyeshadow makeup.": [ + "beauty brushes in the color peaceful purple", + "peaceful purple makeup brushes", + "peaceful purple eyeshadow makeup brushes", + "beauty brushes peaceful purple", + "blue eyeshadow makeup brushes", + "peaceful purple eyeshadow makeup brush", + "daring purple makeup brushes", + "Peaceful purple makeup brushes", + "pink makeup brushes", + "blue eyeshadow makeup brush" + ], + "i'm looking for a mid-century, white queen bed frame.": [ + "mid-century white queen bed frame", + "mid-century, white queen bed frame", + "mid-century queen bed frame", + "mid-century white queen bed frame.", + "mid-century white queen bed frame,", + "mid-century black queen bed frame", + "white queen bed frame mid-century", + "Mid-century white queen bed frame", + "mid century white queen bed frame", + "white queen bed frame" + ], + "i would like navy fleece slippers that are machine washable and are xx-large.": [ + "navy fleece slippers xx-large", + "navy fleece slippers x-large", + " navy fleece slippers xx-large", + "navy fleece slippers machine washable xx-large", + "womens navy fleece slippers xx-large", + "navy fleece slippers that are machine washable", + "navy fleece slippers xx-large.", + " navy fleece slippers x-large", + "navy fleece slippers, xx-large", + "navy fleece slippers xx-large under $50" + ], + "i am looking for a low fat strawberry flavored ultra-filtered milk.": [ + "low fat strawberry flavored ultra-filtered milk", + "low fat strawberry flavored ultra-filtered milk.", + "low fat strawberry flavored ultra-filtered milk flavor", + "low fat strawberry flavored ultra-filtered milk drink mix", + "low fat strawberry flavored ultra-filtered milk below $40", + "low fat strawberry flavored ultra-filtered milk under $40", + "low fat strawberry flavored ultra-filtered milk below $50", + "low fat strawberry flavored ultra-filtered milk under $60", + "low fat strawberry flavored ultra-filtered milk below $60", + "low fat strawberry flavored ultra-filtered milk under $50" + ], + "i am looking for a low fat and gluten free classic white flavoured milk.": [ + "low fat and gluten free classic white flavoured milk", + "low fat and gluten free classic white flavoured milk.", + "low fat gluten free classic white flavoured milk", + "low fat dairy and gluten free classic white flavoured milk", + "low fat and gluten free classic white flavoured milk flavor", + "classic white flavoured milk", + "classic white flavoured milk below $40", + "gluten free classic white flavoured milk", + "classic white flavoured milk below $60", + "classic white flavoured milk below $50" + ], + "i'm looking for this brand : fairlife yup! low fat, ultra-filtered milk, rich chocolate flavor, all natural flavors), 14 fl oz, (pack of 4).": [ + "fairlife yup chocolate flavor 14 fl oz, (pack of 4)", + "fairlife yup! low fat, ultra-filtered milk, rich chocolate flavor, 14 fl oz", + "fairlife yup! low fat dairy flavor 14 fl oz, (pack of 4)", + "fairlife yup! low fat, ultra-filtered milk with rich chocolate flavor", + "fairlife yup! low fat dairy flavor, 14 fl oz, (pack of 4),", + "fairlife yup! low fat, ultra-filtered milk with rich chocolate flavor 14 fl oz", + "fairlife yup chocolate flavor 14 fl oz", + "fairlife yup! low fat dairy flavor 14 fl oz", + "fairlife yup", + "fairlife yup chocolate flavor 14 fl oz pack" + ], + "i would like a 7 pack of 1.23 ounce gluten free barbecue chips.": [ + "gluten free barbecue chips 7 pack", + "gluten free barbecue chips", + "gluten free barbecue chips pack of 7", + "gluten free barbecue chips, 7 pack", + "gluten free barbecue chips pack", + "gluten free barbecue chips. 7 pack", + "gluten free barbecue chips flavor 7 pack", + "gluten free barbecue chips pack 7 pack", + "gluten free barbecue chips 8 pack", + "gluten free barbecue chips no sugar" + ], + "i am looking for a hot buttered rum cocktail, 12.7 fl oz (pack of 1) to present as perfect gift": [ + "hot buttered rum cocktail 12.7 fl oz (pack of 1)", + "hot buttered rum cocktail 12.7 fl oz (pack of 1) to be perfect gift", + "hot buttered rum cocktail, 12.7 fl oz (pack of 1)", + "hot buttered rum cocktail 12.7 fl oz (pack of 1) for a perfect gift", + "hot buttered rum cocktail 12.7 fl oz (pack of 1) to a perfect gift", + "hot buttered rum cocktail, 12.7 fl oz (pack of 1),", + "hot buttered rum cocktail 12.7 fl oz (pack of 1),", + "hot buttered rum cocktail 12.7 fl oz", + "hot buttered rum cocktail 12 oz (pack of 1)", + "hot buttered rum cocktail" + ], + "show me your concentrated drink mixes with natural ingredients, i'm looking for wild ginger flavor.": [ + "pink concentrated drink mix with natural ingredients", + " concentrated drink mixes with natural ingredients, wild ginger flavor", + "control drink mix wild ginger flavor", + "curtains with natural ingredients, wild ginger flavor", + "control drink mix with natural ingredients, wild ginger flavor", + " concentrated drink mix with natural ingredients, wild ginger flavor", + "control drink mix with natural ingredients", + "casual drink mix with natural ingredients", + "natural drink mix wild ginger flavor", + "natural drink mix with natural ingredients" + ], + "i want nightsky vintage wash toad & co mission ridge pants with button closure in size 33w x 32l.": [ + "nightstand vintage wash toad & co mission ridge pants 33w x 32l", + "nightstand vintage wash toad & co mission ridge pants", + "nightstand vintage wash toad & co mission ridge pants with button closure", + "nightstand vintage wash toad and co mission ridge pants 33w x 32l", + "nightstand vintage wash toad and co mission ridge pants", + "nightshoes 33w x 32l button closure", + "nightstand vintage wash toad and co mission ridge pants with button closure", + "nighttime wash toad & co mission ridge pants 33w x 32l", + "nightstand vintage wash toad & co mission ridge pants 32w x 32l", + "nightshoes 33w x 32l" + ], + "looking for one coloring beard with coconut oil and a real black color": [ + "curtains beard with coconut oil", + "colored beard with coconut oil", + "coaxial beard with coconut oil", + "colored beard with coconut oil and real black", + "colored beard with coconut oil, real black", + "natural black beard with coconut oil", + "blue human beard with coconut oil", + "living beard with coconut oil", + "white beard with coconut oil", + "curtains with coconut oil" + ], + "i am looking for camo colored women's running shorts with an elastic waistband.": [ + "camo colored womens running shorts with an elastic waistband", + "camo colored womens running shorts with an elastic waistband", + " camo colored womens running shorts with an elastic waistband", + "camo colored womens running shorts", + "como colored womens running shorts with an elastic waistband", + "camo colored womens running shorts with a elastic waistband", + "womens running shorts with an elastic waistband", + "camo colored womens running shorts, elastic waistband", + "camo colored womens running shorts", + "shoes camo colored" + ], + "i would like a six pack of 20 inch black mix light auburn high quality hair extensions.": [ + "6 pack of 20 inch black mix light auburn", + "6 pack black mix light auburn high quality hair extensions", + "20 inch black mix light auburn high quality hair extensions", + "6 pack black mix light auburn hair extensions", + "black mix light auburn high quality hair extensions", + "6 pack light auburn high quality hair extensions", + "pack of 20 inch black mix light auburn hair extensions", + "6 pack black mix light auburn high quality hair extension", + "20 inch black mix light auburn hair extensions", + "black mix light auburn hair extensions" + ], + "i am looking for a single pack 6.6 ounce size low calorie chocolate.": [ + "single pack low calorie chocolate", + "single pack chocolate 6.6 ounce", + "single pack chocolate", + "single pack of chocolate 6.6 ounce", + "single pack of low calorie chocolate", + "single pack chocolate, 6.6 ounce", + "single pack chocolate below $50", + "single pack 6.6 ounce chocolate", + "single pack chocolate 6.6 oz", + "single pack chocolate below $60" + ], + "i am looking for 20 inch natural hair extensions with a scandinavian blonde color.": [ + "20 inch natural hair extensions", + "20 inch natural hair extensions with a scandinavian blonde", + "20 inch natural hair extensions, scandinavian blonde color", + "natural hair extensions with a scandinavian blonde color", + "20 inch natural hair extensions in scandinavian blonde color", + "hair extensions with a scandinavian blonde color", + "20 inch natural hair extensions, scandinavian blonde", + "20 inch natural hair extensions in scandinavian blonde", + "20 inch natural hair extension", + "20 inch natural hair extension with a scandinavian blonde" + ], + "i am looking for a color: #27 hair extensions": [ + "hair extension color #27", + "hair extensions color #27", + "hair extension color: #27", + "hair extension color #27 color", + "hair extensions color: #27", + "hair extensions color #27 color", + "hair extension color, #27", + "hair extensions colored #27", + "hair extension color", + "colored hair extensions" + ], + "i'm looking for a pair of leather soled, memory foam loafers that are red and in a size 9.": [ + "memory foam loafers red in a size 9", + "pair of leather soled, memory foam loafers", + "memory foam loafers red size 9", + "two leather soled, memory foam loafers", + "two leather soled, memory foam loafers size 9", + "a pair of leather soled, memory foam loafers", + "memory foam loafers red, size 9", + "memory foam loafers red", + "memory foam loafers size 9", + "jeans red, memory foam loafers" + ], + "i'm looking for color a recliner chair for hair salon.": [ + " recliner chair for hair salon color", + " recliner chair for hair salon", + " recliner chair for hair salon.", + "red recliner chair for hair salon", + "comfortable recliner chair for hair salon", + "rubber chair for hair salon", + "rubber chair for hair salon color", + "red recliner chair for hair salon.", + "red recliner chair for hair salon color", + "a recliner chair for hair salon" + ], + "i need a hydraulic recliner barber chair for hair salon.": [ + " hydraulic recliner barber chair for hair salon", + " hydraulic recliner barber chair for hair salon.", + "hydraulic recliner barber chair for hair salon", + "a hydraulic recliner barber chair for hair salon.", + "a hydraulic recliner barber chair for hair salon", + "clinically recliner barber chair for hair salon", + "engineered recliner barber chair for hair salon", + "engineered recliner barber chair for hair salon.", + " hydraulic recliner barber chair", + "barber chair for hair salon" + ], + "help me find some hand crafted gourmet crab stuffed mushrooms. i need about 36 appetizers.": [ + "hand crafted gourmet crab stuffed mushrooms", + "hand crafted gourmet crab stuffed mushrooms under $50", + "hand crafted gourmet crab stuffed mushrooms under $60", + "hand crafted gourmet crab stuffed mushrooms under $40", + "hand crafted gourmet crab stuffed mushrooms under 60 dollars", + "hand crafted gourmet crab stuffed mushrooms under 50 dollars", + "hand crafted gourmet crab stuffed mushrooms under 120 dollars", + "hand crafted gourmet crab stuffed mushrooms under 30 dollars", + "hand crafted gourmet crab stuffed mushrooms under 40 dollars", + "hand crafted gourmet crab stuffed mushrooms under $120" + ], + "i am looking for wide leg pants that are pink in a size small.": [ + "small pink wide leg pants", + "pink wide leg pants", + "small pink pink wide leg pants", + "pink wide leg pants size small", + "pink wide leg pants small", + "small pink pink wide leg pants", + "small pink long leg pants", + "pink wide leg pants, small", + "big pink wide leg pants", + "small pink walking pants" + ], + "i need a gingko light and 20\"x20\" pillow cover that is hand painted.": [ + "gingko light and 20x20 pillow cover", + "gingko light 20x20 pillow cover", + "gingko light pillow cover that is hand painted", + "gingko light covered 20x20 pillow cover", + "gingko light pillow cover", + "gingko light, 20x20 pillow cover", + "gingko light weight pillow cover", + "gingko light sleeping pillows", + "gingko light blanket", + "gingko light" + ], + "i need a 52'' x 84'' x 2 panels window curtain for the living room.": [ + "window curtain 52 x 84 x 2 panels", + "window curtain for living room", + "window curtain for the living room", + "window curtain", + "window curtain, 52 x 84 x 2 panels", + "window curtain 52 x 84 x 2", + "50 x 84 x 2 panels window curtain", + "window curtain for living room 52 x 84", + "52 x 84 x 2 panels window curtain", + "window curtain for the living room 52 x 84" + ], + "i am looking for an eco friendly bookcase that has four tiers.": [ + "eco friendly bookcase that has four tiers", + "eco friendly bookcase with four tiers", + "eco friendly bookcase four tiers", + "eco friendly bookcase, four tiers", + "eco friendly bookcase in four tiers", + "eco friendly bookcase 4 tiers", + "4 eco friendly bookcase with four tiers", + "eco friendly bookcase with four tiers.", + "eco friendly bookcase", + "eco friendly bookcase four tiers eco friendly" + ], + "i need large pink board shorts that are a classic fit.": [ + "large pink board shorts", + "large pink board shorts classic fit", + "pink board shorts classic fit", + "large pink board shorts, classic fit", + "large pink board shorts with classic fit", + "pink board shorts, classic fit", + "pink board shorts", + "pink board shorts a classic fit", + "pink board shorts classic fit.", + "medium pink board shorts" + ], + "i am looking for a caffeine free raspberry ice flavored drink mix.": [ + "caffeinated raspberry ice flavored drink mix", + "caffe free raspberry ice flavored drink mix", + "fluoride free raspberry ice flavored drink mix", + "pomegranate ice flavored drink mix", + "gluten free raspberry ice flavored drink mix", + "a caffeine free raspberry ice flavored drink mix", + "roasted raspberry ice flavored drink mix", + "a caffeine free raspberry ice flavored drink mix.", + "caffeinated raspberry ice flavored drink mix.", + "chocolate ice flavored drink mix" + ], + "i am interested in a pink high definition portable bluetooth speaker.": [ + "pink high definition portable bluetooth speaker", + "pink high definition portable bluetooth speaker.", + "pink high definition portable bluetooth speaker,", + "pink portable bluetooth speaker", + "pink high definition portable bluetooth speakers", + "pink high definition bluetooth speaker", + "pink portable bluetooth speaker.", + "pink high definition portableetooth speaker", + "portrait bluetooth speaker pink", + "pink bluetooth speaker" + ], + "i'm looking for 36 ounce fragrance free camile beckman": [ + "36 ounce fragrance free camile beckman", + "28 ounce fragrance free camile beckman", + "24 ounce fragrance free camile beckman", + " 36 ounce fragrance free camile beckman", + "33 ounce fragrance free camile beckman", + "38 ounce fragrance free camile beckman", + "35 ounce fragrance free camile beckman", + "shampoo free camile beckman 36 ounce", + "shampoo free camile beckman", + "36 ounce fragrance free camile beckman," + ], + "i'm looking for bathing free accessories for fragrance free.": [ + "bath free accessories", + "bath free accessories for fragrance free", + "bathroom free accessories", + "bathfree accessories for fragrance free", + "ash free accessories for fragrance free", + "bath free accessories fragrance free", + "baths free accessories", + "shampoo free accessories", + "bathfree accessories", + "bath free accessory" + ], + "i'm looking for rose gold hair dye in a 70 ml bottle.": [ + "rose gold hair dye in a 70 ml bottle", + "rose gold hair dye, 70 ml bottle", + "rose gold hair dye 70 ml bottle", + "rose gold hair dye in 70 ml bottle", + "rose gold hair dye that is 70 ml bottle", + "rose gold hair dye that is 70 ml", + "rose gold hair dye", + "rose gold hair dye bottle", + "rose gold hair dye, 70 ml", + "rose gold hair dye 70 ml" + ], + "i need a wall mounted floating tv stand.": [ + "wall mounted floating tv stand", + "wall mounted floating tv stand.", + "wall mounted floating tv stand under $40", + "wall mounted floating tv stand under $50", + "wall mounted floating tv stand under $60", + "wall mounted floating tv stand,", + "wall mounted floating tv stand under $120", + "wall mounted floating tv stand under $130", + "womens tv stand", + "living room tv stand" + ], + "buy me a machine washable button down shirt in 3x large.": [ + "machine washable button down shirt in 3x large", + "machine washable button down shirt 3x large", + "man washable button down shirt in 3x large", + "machine washable button down shirt in 3x large.", + "machine washable button down shirt in 3x", + "man washable button down shirt 3x large", + "machine washable button down shirt in 3xl", + "machine washable button down shirt, 3x large", + "man washable button down shirt in 3x large.", + "machine washable button down shirt in 3x large," + ], + "i need some skin care tools for dark circles with xiuyan jade.": [ + "skin care tools for dark circles xiuyan jade", + "skin care tools for dark circles with xiuyan jade", + "skin care tools for dark circles xiuyan jade.", + "skin care tools dark circles xiuyan jade", + "skin care tools dark circles with xiuyan jade", + "skin care tools in dark circles xiuyan jade", + "skin care tools xiuyan jade", + "skin care tools for dark circles", + "skin care tools xiuyan jade", + "dark circles with xiuyan jade" + ], + "i am looking for a table and chair set that is white and easy to assemble.": [ + "table and chair set white and easy to assemble", + "white table and chair set", + "table and chair set white", + "table and chair set white easy to assemble", + "white table and chair set, easy to assemble", + "white dining table and chair set", + "tablet and chair set white", + "white table and chair set easy to assemble", + "white table and chair set that is white", + "table and chair set white easy assemble" + ], + "i am looking for a sugar free energy drink of zero ultra flavor.": [ + "sugar free energy drink of zero ultra flavor", + "sugar free energy drink zero ultra flavor", + "sugar free energy drink with zero ultra flavor", + "sugar free energy drink", + "sugar free energy drink of zero ultra flavor.", + "sugar free energy drink, zero ultra flavor", + "sugar free energy drink that is zero ultra flavor", + "low sugar free energy drink of zero ultra flavor", + "sugar free energy drink no ultra flavor", + "sugar free energy drink of zero ultra flavor," + ], + "i'm looking for a pair of classic brown, long lasting boat shoes in a size 14 wide with a synthetic sole.": [ + "classic brown long lasting boat shoes in a size 14 wide", + "classic brown boat shoes 14 wide with a synthetic sole", + "classic brown boat shoes in a size 14 wide", + "classic brown, long lasting boat shoes", + "classic brown boat shoes 14 wide", + "classic brown boat shoes size 14 wide with a synthetic sole", + "classic brown boat shoes 14 wide synthetic sole", + "classic brown long lasting boat shoes", + "classic brown boat shoes", + "oat shoes 14 wide" + ], + "can you find me a pair of long lasting boat shoes with a synthetic sole? get the ones in a brown varsity color and in 8.5 x narrow.": [ + "a pair of long lasting boat shoes with a synthetic sole", + "long lasting boat shoes with a synthetic sole", + "oat shoes with a synthetic sole 8.5 x narrow", + "a pair of long lasting boat shoes", + "bottle shoes 8.5 x narrow", + "oat shoes with synthetic sole 8.5 x narrow", + "long lasting boat shoes in a brown varsity color", + "oat shoes with a synthetic sole", + "bottle shoes with synthetic sole", + "oat shoes with synthetic sole" + ], + "i am looking for a long lasting shoe with synthetic sole in 8.5 wide. also choose navy or red.": [ + "shoes with synthetic sole in 8.5 wide", + "long lasting shoe with synthetic sole 8.5 wide", + "shoes with synthetic sole 8.5 wide", + "long lasting shoe with synthetic sole", + "shoes 8.5 wide", + "sneakers 8.5 wide", + "navy shoe 8.5 wide", + "navy shoe long lasting", + "long lasting shoe", + "navy shoe" + ], + "i am looking for a grain free granola cereal.": [ + "granola cereal grain free", + "grain free granola cereal", + "rain free granola cereal", + "a grain free granola cereal", + "granola cereal that is grain free", + "rainbow dried granola cereal", + "gluten free granola cereal", + "sugar free granola cereal", + "grain free granola cereal.", + "a grain free granola cereal." + ], + "buy me a package of anti-aging masks.": [ + "anti-aging masks", + "anti-aging masks.", + "anti-aging masks package", + "anti-aging masks under $50", + "anti-aging masks under $40", + "anti-aging masks under $60", + "anti-aging masks under 50 dollars", + "anti-aging masks under 30 dollars", + "anti-aging mask", + "anti-aging" + ], + "i need a yellow portable sound box that is easy to carry.": [ + "yellow portable sound box", + "yellow portable sound box easy to carry", + "yellow portable sound box, easy to carry", + "yellow portable sound box with easy to carry", + "yellow portable sound box under $40", + "yellow portable sound box easy to carry.", + "yellow portable sound box under $50", + "yellow portable sound box under $60", + "yellow portable sound box under 50 dollars", + "yellow portable sound box yellow" + ], + "buy me a new flat-packed bed frame.": [ + "flat-packed bed frame", + "flat-packed bed frame.", + "flat-packed bed frame,", + "hot-packed bed frame", + "open-packed bed frame", + "toothpaste bed frame", + "living room bed frame", + "flat packed bed frame", + "furniture frame", + "living room frame" + ], + "i am looking for an end table that is for the living room and is a whitewash color.": [ + "end table for living room whitewash", + "end table whitewash", + "end table in a whitewash color", + "end table white", + "end table with whitewash color", + "end table that is for the living room", + "end table in whitewash color", + "end table in whitewash", + "end table for living room white", + "end table for the living room white" + ], + "i would like a extra small grayed jade workout shorts with pockets and a drawstring.": [ + "extra small jade workout shorts with pockets and drawstring", + "extra small jade workout shorts with pocket and drawstring", + "extra small grayed jade workout shorts", + "extra small training shorts with pocket and drawstring", + "extra small training shorts with pockets and drawstring", + "extra small grayed jade workout shorts with pockets", + "extra small grayed jade workout shorts with pocket", + "extra small workout shorts with pocket and drawstring", + "extra small workout shorts with pockets and drawstring", + "extra small jade workout shorts" + ], + "i am looking for a copper eco friendly tongue scraper for bad breath.": [ + "coffee eco friendly tongue scraper for bad breath", + "copper eco friendly tongue scraper for bad breath", + "eco friendly tongue scraper for bad breath", + "plastic eco friendly tongue scraper for bad breath", + "coo eco friendly tongue scraper for bad breath", + "coaxial tongue scraper for bad breath", + "cooper eco friendly tongue scraper for bad breath", + "coffee eco friendly tongue scraper", + "cole eco friendly tongue scraper for bad breath", + "eco friendly tongue scraper for bad breath." + ], + "i would like a 18 pack of peanut butter and jelly soy free nut bars.": [ + "18 pack of peanut butter and jelly soy free nut bars", + "18 pack peanut butter and jelly soy free nut bars", + "18 pack of peanut butter peanut butter and jelly soy free nut bars", + "18 pack of peanut butter and jelly soy free nut bar", + "18 pack peanut butter peanut butter and jelly soy free nut bars", + "pomegranate butter and jelly soy free nut bars 18 pack", + "18 pack of peanut butter and jelly soy free nut bars.", + "18 pack peanut butter and jelly soy free nut bars under $60", + "12 pack of peanut butter and jelly soy free nut bars", + "18 pack peanut butter and jelly soy free nut bar" + ], + "i need sun canvas women's slip on sneakers in size 12 with arch support.": [ + "sun canvas womens slip on sneakers in size 12", + "sun canvas womens slip on sneakers in a size 12", + "sun canvas womens slip on sneakers", + "sun canvas womens slip on sneakers size 12", + "sun canvas womens slip on sneakers with arch support", + "sneakers size 12 with arch support", + "sneakers in size 12 with arch support", + "sun canvas womens slip on sneakers, size 12", + "shoes size 12 with arch support", + "shoes 12 with arch support" + ], + "i am looking for a small long sleeve t-shirt that is gray.": [ + "small long sleeve t-shirt", + "small long sleeve t-shirt gray", + "small long sleeve t-shirt with gray", + "small long sleeve t-shirt, gray", + "small long sleeve t-shirt in gray", + "womens gray t-shirt", + "small t-shirt that is gray", + "small gray t-shirt", + "gray t-shirt", + "small t-shirt gray" + ], + "i'm looking for a brown runner type rug for my living room.": [ + "brown runner rug for living room", + "brown runner type rug for my living room", + "brown runner type rug for living room", + "brown runner type rug for the living room", + "brown runner rug for my living room", + "brown runner rug for the living room", + "brown runner type rug for living room.", + "brown runner type rug living room", + "brown runner rug for my living room.", + "brown runner rug living room" + ], + "i would like to buy a 7 by 9 foot round green rug for my living room.": [ + "living room rug 7 by 9 foot", + "7 by 9 foot round green rug living room", + "7 by 9 foot round green rug", + "7 by 9 foot square green rug living room", + "roasted green rug for living room", + "square green rug for living room", + "wooden rug for living room", + "7 x 9 foot round green rug", + "7 by 9 foot square green rug", + "living room rug 7 x 9" + ], + "i am looking for a high performance digital subwoofer power amplifier board.": [ + "high performance digital subwoofer power amplifier board", + "high performance digital subwoofer power amplifier board.", + "high performance digital subwoofer power amplifier board under $40", + "high performance digital subwoofer power amplifier board under $60", + "high performance digital subwoofer power amplifier board under $50", + "high performance digital subwoofer power amplifier board under $120", + "high performance digital subwoofer power amplifier board under $130", + "digital subwoofer power amplifier board", + "high performance digital subwoofer power amplifier board under 30 dollars", + "high performance digital subwoofer power amplifier board under 50 dollars" + ], + "i'd like to buy some cinnamon flavored nuts. look for nuts with zero trans fats, please.": [ + "cinnamon flavored nuts with zero trans fats", + "cinnamon flavored nuts no trans fats", + "sugar flavored nuts with zero trans fats", + "cinnamon flavored nuts, zero trans fats", + "sugar flavored nuts no trans fats", + "cinnamon flavored nuts", + "pomegranate flavored nuts", + " cinnamon flavored nuts with zero trans fats", + "sugar flavored nuts", + " cinnamon flavored nuts" + ], + "find me the soy free 3.5 ounce 4-pack of dang thai rice chips, and make sure they are the aged cheddar flavor. i also need the ones in the resealable bags.": [ + "soy free 3.5 ounce 4-pack of dang thai rice chips", + "3.5 ounce 4-pack of dang thai rice chips", + "soy free 3.5 ounce 4-pack of dang thai rice chips", + "4-pack of dang thai rice chips", + "sugar free 3.5 ounce 4-pack of dang thai rice chips", + "smo free 3.5 ounce 4-pack of dang thai rice chips", + "3.5 ounce 4-pack of dang thai rice chips,", + "sneakers for dang thai rice chips", + "soy free 3.5 ounce dang thai rice chips", + "3.5 ounce dang thai rice chips" + ], + "go ahead and order that rhinestone top in small, with long sleeves.": [ + "rhinestone top in small, with long sleeves", + "small rhinestone top in small, with long sleeves", + "rhinestone top in small, long sleeves", + "rhinestone top in small, with long sleeves", + "rhinestone top in small with long sleeves", + "big rhinestone top in small, with long sleeves", + "rhinestone top in small, with long sleeves,", + "shoes small rhinestone top in small", + "rfinsestone top in small, with long sleeves", + "rhinestone top in small, long sleeves" + ], + "i would like a pink ottoman with a solid wooden frame.": [ + "pink ottoman", + "pink ottoman, solid wooden frame", + "pink ottoman with solid wooden frame", + "pink ottoman that is solid wooden", + "pink ottoman solid wooden frame", + "pink ottoman, solid wood frame", + "pink ottoman wood frame", + "pink ottoman that is solid wood", + "pink ottoman wooden frame", + "pink ottoman under $40" + ], + "i'd like to get wireless earphones that feature stereo sound. the color should be black.": [ + "wireless earphones with stereo sound black", + "white wireless earphones with stereo sound", + "wireless earphones with stereo sound", + "wireless earphones black", + "blue wireless earphones with stereo sound", + "white wireless earphone with stereo sound", + "black wireless earphones with stereo sound", + "wireless earphones that feature stereo sound", + "white wireless earphones", + "black wireless earphones" + ], + "i want to find a black ergonomic office chair that's easy to assemble and offers lumbar support.": [ + "black ergonomic office chair with lumbar support", + "black ergonomic office chair", + "easy assemble black ergonomic office chair with lumbar support", + "black ergonomic office chair easy to assemble with lumbar support", + "black ergonomic office chair that is easy to assemble", + "black ergonomic office chair with lumbar support.", + "black ergonomic office chair lumbar support", + "black office chair with lumbar support", + "easy assemble black ergonomic office chair", + "easy assemble black ergonomic office chair with lumbar support." + ], + "i need a fluoride free maternity toothpaste.": [ + "fluoride free maternity toothpaste", + "fluoride free maternity toothpaste.", + "fluoride free maternity toothpaste,", + "facial free maternity toothpaste", + "focal free maternity toothpaste", + "toothpaste fluoride free", + "moisturizing toothpaste", + "maternity toothpaste fluoride free", + "veal free maternity toothpaste", + "moisturizing teethpaste" + ], + "i am looking for a black, easy to use gameboy case for an iphone.": [ + "black, easy to use gameboy case", + "black gameboy case for an iphone", + "black iphone case", + "black gameboy case for an iphone.", + "black gameboy case for a iphone", + "black gameboy case", + "black gaming case for an iphone", + "black iphone case", + "black mobile phone case", + "black gaming case" + ], + "i need easy use iphone 6p model phone": [ + "iphone 6p model phone", + "iphone 6p model phone easy to use", + "iphone 6p model phone easy use", + "iphone 6p model phone, easy to use", + "iphone 6p model phone that is easy use", + "iphone 6p model phone with easy use", + "iphone 6p phone", + "iphone 6p model phone, easy use", + "iphone 6p model phone easy to use", + "iphone 6p phone with easy use" + ], + "i need 5 ounce basil & garlic mary's gone crackers that is gluten free.": [ + "5 ounce basil & garlic marys gone crackers gluten free", + "5 ounce basil & garlic marys gone crackers", + "a basil & garlic marys gone crackers that is gluten free", + "4 ounce basil & garlic marys gone crackers gluten free", + "5 ounce basil & garlic marys go crackers gluten free", + "a basil & garlic marys gone crackers gluten free", + "4 ounce basil & garlic marys gone crackers", + "a basil & garlic marys gone crackers gluten free 5 ounce", + "a basil & garlic marys gone crackers", + "5 ounce basil & garlic marys" + ], + "i'm looking for a button down men's shirt with short sleeves and in the size of 3x-large.": [ + "button down mens shirt 3x-large", + "button down mens shirt with short sleeves 3x-large", + "button down mens shirt with short sleeves, 3x-large", + "buttoned mens shirt 3x-large", + "button down mens shirt button down 3x-large", + "button down mens shirt with short sleeves", + "button down mens shirt, 3x-large", + "button down mens shirt 3x-large under $40", + "button down mens shirt 3x-large under $50", + "button down mens shirt" + ], + "buy me some light weight beige slippers.": [ + "light weight beige slippers", + "light weight beige slippers.", + "light weight beige slippers under $50", + "light weight beige slippers under $40", + "light weight beige slippers under $60", + "light weight beige slippers under 50 dollars", + "light weight beige slippers under 30 dollars", + "light weight beige slippers under 40 dollars", + "low weight beige slippers", + "heavy weight beige slippers" + ], + "i'm looking for a kids toothbrush for ages 6 to 12 that will help with teeth whitening and is easy to use.": [ + "kids toothbrush for ages 6 to 12", + "kids toothbrush for ages 6 to 12 easy to use", + "kids toothbrush that is easy to use", + "kids toothbrush, ages 6 to 12", + "kids toothbrush with teeth whitening easy to use", + "kids toothbrush ages 6 to 12", + "kids toothbrush with teeth whitening", + "kids toothbrush size 6 to 12", + "kids toothbrush under $60", + "kids toothbrush" + ], + "i'm looking for teeth whitening for teen clesening for prevention of oral care.": [ + "teeth whitening for oral care", + "teen teeth whitening for oral care", + "teeth whitening teen clesening", + "teeth whitening", + "teeth whitening for oral care.", + "kids teeth whitening for oral care", + "teeth whitening oral care", + "teeth whitening, oral care", + "teen teeth whitening for oral care.", + "teen teeth whitening" + ], + "i want to find a white donut colored toothbrush that is suitable for kids aged 6-12 and easy to use.": [ + "white donut colored toothbrush", + "white donut colored toothbrush for kids aged 6-12", + "white donut colored toothbrush 6-12 easy to use", + "white donut colored toothbrush suitable for kids aged 6-12", + "white donut colored toothbrush, easy to use", + "white donut colored toothbrush under $60", + "white donut colored toothbrush under $50", + "white donut colored toothbrush easy to use", + "white donut colored toothbrush, easy to use,", + "white adult toothbrush" + ], + "i am looking for a light blue, pink, yellow or light green tooth cleaning tool that is easy to carry.": [ + "light blue, pink, yellow or light green tooth cleaning tool", + "light blue, pink yellow or light green tooth cleaning tool", + "light blue, pink or light green tooth cleaning tool", + "light blue, pink and light green tooth cleaning tool", + "light blue pink, yellow or light green tooth cleaning tool", + "light blue, pink pink, yellow or light green tooth cleaning tool", + "light blue, pink, yellow or light green teeth cleaning tool", + "lit blue, pink, yellow or light green tooth cleaning tool", + "light blue yellow tooth cleaning tool", + "light blue tooth cleaning tool" + ], + "i need a purple braces brush that is easy to carry.": [ + "pink braces brush easy to carry", + "pink braces brush", + "plastic braces brush easy to carry", + "plastic braces brush", + "pink braces brush, easy to carry", + "plastic braces brush, easy to carry", + "pink braces brush easy to carry.", + "ps purple braces brush easy to carry", + "easy to carry purple braces brush", + "yellow braces brush" + ], + "i am interested in a wireless bluetooth clock radio that is red.": [ + "red wireless bluetooth clock radio", + "red bluetooth clock radio", + "wireless bluetooth clock radio red", + "wireless bluetooth clock radio", + " wireless bluetooth clock radio that is red", + "red bluetooth clock radio that is wireless", + "wireless bluetooth clock radio with red", + "wirefreeze clock radio that is red", + "womens wireless bluetooth clock radio", + "blue bluetooth clock radio" + ], + "i am looking for a high quality strawberry blonde mix color hairpiece that is easy to use.": [ + "strawberry blonde mix color hairpiece", + "strawberry blonde mix color hairpiece easy to use", + " strawberry blonde mix color hairpiece that is easy to use", + "pomegranate blonde mix color hairpiece", + " strawberry blonde mix color hairpiece", + "rawberry blonde mix color hairpiece", + "synthetic strawberry blonde mix color hairpiece", + "pink strawberry blonde mix color hairpiece", + "plastic blonde mix color hairpiece", + "pink blonde mix color hairpiece" + ], + "i'm looking for a size 5.5 women non slip running shoes.": [ + "size 5.5 women non slip running shoes", + "woman non slip running shoes size 5.5", + " size 5.5 women non slip running shoes", + "women non slip running shoes size 5.5", + "walking shoes size 5.5", + "woman running shoes size 5.5", + "womens running shoes size 5.5", + "walking shoes size 5.5 women non slip", + "5 women non slip running shoes", + "walking shoes size 5.5 women" + ], + "i need an easy to install walnut brown living skog mid-century tv stand for tv's up to 48 inches.": [ + "living skog mid-century tv stand for tvs up to 48 inches", + "easy to install walnut brown living skog mid-century tv stand", + "womens tv stand for tvs up to 48 inches", + "living skog mid-century tv stand for tvs up to 48 inches.", + "5 ft tv stand for tvs up to 48 inches", + "tv stand for walnut brown living skog mid-century", + "living skog mid-century tv stand", + "womens living skog mid-century tv stand", + "kids tv stand for tvs up to 48 inches", + "womens tv stand for tvs up to 48 inches." + ], + "i am looking for a milk chocolate of 1 pound size in a single pack for valentine day.": [ + "milk chocolate of 1 pound size for valentine day", + "1 pound size in a single pack for valentine day", + "milk chocolate of 1 pound size in a single pack", + "1 pound milk chocolate valentine day", + "1 pound chocolate valentine day", + "low sugar milk chocolate valentine day", + "low sugar milk chocolate valentine day pack", + "milk chocolate 1 pound size in a single pack", + "1 pound milk chocolate", + "1 pound chocolate" + ], + "i'm looking for a french vanilla zero calorie and zero sugarand flavor stevia energy": [ + "faux vanilla zero sugar and zero sugarand flavor stevia energy", + "faux vanilla zero calorie and zero sugarand flavor stevia energy", + "faux vanilla zero calorie zero sugar and flavor stevia energy", + " french vanilla zero calorie and zero sugarand flavor stevia energy", + "faux vanilla zero calorie zero sugarand flavor stevia energy", + "faux vanilla zero calorie and zero sugar and flavor stevia energy", + "faux vanilla zero sugar and zero sugar flavor stevia energy", + " french vanilla zero calorie zero sugar and flavor stevia energy", + "faux vanilla zero sugar zero sugar and flavor stevia energy", + "faux vanilla zero sugar and zero sugarand flavor stevia" + ], + "i am interested in a brushed nickel light fixture that has two lights.": [ + "brushed nickel light fixture", + "brushed nickel light fixture with two lights", + " brushed nickel light fixture that has two lights", + "brushed nickel light fixture, two lights", + "brush nickel light fixture that has two lights", + " brushed nickel light fixture with two lights", + "buffet nickel light fixture with two lights", + "brush nickel light fixture with two lights", + "buffet nickel light fixture", + "brushed nickel light fixture under $40" + ], + "i need some nice synthetic hair extensions that are at least 14 inches long.": [ + "synthetic hair extensions 14 inches long", + "synthetic hair extension 14 inches long", + "synthetic hair extensions 13 inches long", + "synthetic human hair extensions 14 inches long", + "synthetic hair extensions 14 x 14 inches", + "synthetic hair extensions 12 inches long", + "synthetic hair extensions 14 inches long.", + "stainless hair extensions 14 inches long", + "synthetic hair extensions 14 inches", + "synthetic hair extensions 14 inches long," + ], + "i am looking for 18 inch crochet synthetic hair for black women.": [ + "18 inch crochet synthetic hair for black women", + "18 inch crochet synthetic hair for black women.", + "18 inch crochet synthetic hair for black women under $50", + "18 inch crochet synthetic hair for black women under $40", + "18 inch crochet synthetic hair for black women under $60", + "18 inch crochet synthetic hair black women", + "18 inch crochet synthetic hair for black women under 30 dollars", + "18 inch crochet synthetic hair for black women under 50 dollars", + "18 inch crochet synthetic hair for black women under $120", + "18 inch crochet synthetic hair for black women under 40 dollars" + ], + "what deodorants do you have that are alcohol free and very long lasting?": [ + "alcohol free deodorants", + "deodorants that are alcohol free", + "alcohol free deodorant", + "natural deodorants that are alcohol free", + "alcohol free deodorants under $40", + "alcohol free deodorants under $50", + "dodorants that are alcohol free", + "alcohol free deodorants under $60", + "deodorants alcohol free long lasting", + "alcohol free deodorants long lasting" + ], + "i neet 10 quantity of gold plated display port to vga adapter (male to female) compatible with any computer,laptop and projector": [ + "gold plated display port to vga adapter", + "neet 10 quantity of gold plated display port to vga adapter", + "net 10 quantity of gold plated display port to vga adapter", + "lenet 10 quantity of gold plated display port to vga adapter", + "teeth 10 quantity of gold plated display port to vga adapter", + "eet 10 quantity of gold plated display port to vga adapter", + "teeth 10 gold plated display port to vga adapter", + "gold plated display port to vga adapter for laptop and projector", + "gene plated display port to vga adapter", + "gold plated display port to vga" + ], + "i would like a 12 by 12 inch poster in three panels i can hang readily in my living room.": [ + "12 by 12 inch poster in three panels", + "12 x 12 inch poster in three panels", + "12x 12 inch poster in three panels", + "12 by 12 inch poster", + "12 by 12 inch poster living room", + "12 x 12 poster in three panels", + "12x12 poster in three panels", + "12x 12 poster in three panels", + "12 by 12 poster in three panels", + "12 x 12 inch poster" + ], + "i am looking for a queen sized multicolored mattress set.": [ + "queen sized multicolored mattress set", + "king size multicolored mattress set", + " queen sized multicolored mattress set", + "king sized multicolored mattress set", + "kingstown sized multicolored mattress set", + "kingman sized multicolored mattress set", + " queen sized multicolored mattress set.", + "Queen sized multicolored mattress set", + "queen sized multicolored mattress", + "king height multicolored mattress set" + ], + "i want to buy a king size box spring and 4-in foundation set in the color no.": [ + "king size box spring and 4-in foundation", + "king size box spring 4-in foundation", + "king size box spring with 4-in foundation", + "king size box spring and 4-in foundation no.", + "king size box spring 4-in foundation color no", + "king size box spring 4-in foundation no.", + "king size box spring, 4-in foundation", + "king size box spring 4-in foundation color no.", + "king size box spring 4-in foundation under $50", + "king size box spring no." + ], + "i would like a 8\" foundation split king size blue bed and box spring.": [ + "8 foundation split king size blue bed and box spring", + "8 foundation split king size blue bed and box spring.", + "8 foundation split king size blue bed with box spring", + "8 foundation split king size blue bed and box spring,", + "8 foundation split king size blue bed box spring", + " 8 foundation split king size blue bed and box spring", + "8 foundation split king sizeblue bed and box spring", + "8 foundation splitting king size blue bed and box spring", + "8 foundation split king size blue bed", + "8 foundation split king size blue bed, box spring" + ], + "i am in need of a king sized yellow box spring set": [ + "king sized yellow box spring set", + "king sized yellow box spring set under $40", + "king sized yellow box spring set under $50", + "king size yellow box spring set", + "king sized yellow box spring set under 50 dollars", + "king sized yellow box spring", + "king sized yellow box spring set under $60", + "king sized yellow box spring set,", + "king sized yellow box spring set under 40 dollars", + "king sized yellow box spring set under 60 dollars" + ], + "i am looking for a travel tin kit of camouflage color and can be cleaned very easily.": [ + "travel tin kit of camouflage color", + "pink travel tin kit of camouflage color", + "moisturizing kit of camouflage color", + "a travel tin kit of camouflage color", + "vanity kit of camouflage color", + "Travel tin kit of camouflage color", + "moisturizing kit", + "pink travel tin kit", + "pack of camouflage color", + "vanity kit" + ], + "i'm looking for a black heavy duty barber chair": [ + "black heavy duty barber chair", + "barber chair black heavy duty", + "black heavy duty barber chair under $40", + "black heavy duty barber chair under $50", + "black heavy duty barber chair under $60", + "black heavy duty barber chair under 50 dollars", + "black heavy duty barber chair under 30 dollars", + "black heavy duty barber chair under 40 dollars", + "black heavy duty barber chair under $130", + "black heavy duty barber chair," + ], + "i would like some low sodium spice gifts for some friends.": [ + "low sodium spice gifts for some friends", + "low sodium spice gifts for some friends.", + "low sodium spice gifts for some friends below $50", + "low sodium spice gifts for some friends below $40", + "low sodium spice gifts for some friends under 50 dollars", + "low sodium spice gifts for some friends under 30 dollars", + "low sodium spice gifts for some friends below $60", + "low sodium spice gifts for some friends under $50", + "low sodium spice gift for some friends", + "low sodium spice gift for some friends." + ], + "i want a pair of black, closed pointy toe sandals.": [ + "black, closed pointy toe sandals", + "black pointy toe sandals", + "black and closed pointy toe sandals", + "black pointy toe sandals,", + "black pointy toe sandals.", + "black closed pointy toe sandals", + "black toe sandals", + "blanket sandals black", + "sneakers black", + "black sandals" + ], + "i need a cosmetic bag for my nail polish. get the one in color eleven.": [ + "beauty bag for nail polish color eleven", + " cosmetic bag for my nail polish color eleven", + " cosmetic bag for nail polish color eleven", + " cosmetic bag for my nail polish color eleven.", + "beauty bag for nail polish color 11", + " cosmetic bag for my nail polish in color eleven", + " cosmetic bag for my nail polish color 11.", + " cosmetic bag for nail polish color 11", + " cosmetic bag for my nail polish color 11", + "beauty bag in color eleven" + ], + "i am looking for a natural black color high quality hair extension for women.": [ + "natural black hair extension for women", + "natural black hair extension", + "natural black color hair extension", + "natural black hair extension for woman", + "natural black wig extension for women", + "natural black hair extension woman", + "natural black human hair extension", + "natural black wig extension", + "natural black hair extension,", + "natural black color" + ], + "i am looking for surveillance video equipment that has motion detection and is 720p.": [ + " surveillance video equipment that has motion detection and is 720p", + " surveillance video equipment with motion detection and is 720p", + "curtains video equipment that has motion detection, 720p", + "tv camera with motion detection 720p", + "1080p surveillance video equipment that has motion detection", + "1080p surveillance video equipment", + " surveillance video equipment that has motion detection, 720p", + "curtains video equipment 720p", + "curtains video equipment that has motion detection", + "tv camera with motion detection" + ], + "i need a chandelier for the dining room that has 12 lights.": [ + "chandelier dining room with 12 lights", + "chandelier dining room 12 lights", + "chandelier dining room that has 12 lights", + "chandelier for dining room that has 12 lights", + "chandelier for dining room with 12 lights", + "chandelier for the dining room with 12 lights", + "living room chandelier with 12 lights", + "dining room chandelier with 12 lights", + "chandelier dining room, 12 lights", + "chandelier dining room that has 12 lights." + ], + "show me size seven running shoes with laces and rubber soles.": [ + "size 7 running shoes with laces and rubber soles", + "size seven running shoes with laces and rubber soles", + "size 7 running shoes with laces, rubber soles", + "size 7 running shoes, laces and rubber soles", + "size seven running shoes with laces, rubber soles", + "size 7 running shoes", + "size 7 running shoes with laces and rubber sole", + "size 7 running shoes laces and rubber soles", + "small running shoes with laces and rubber soles", + "size 7 running shoes with laces" + ], + "i'm looking for a small gray long-sleeve t-shirt for women.": [ + "small gray long-sleeve t-shirt", + "small gray t-shirt for women", + "small gray long-sleeve t-shirt women", + "small gray long-sleeve t-shirt woman", + "small gray long-sleeve t-shirt,", + "small gray t-shirt", + "slimming t-shirt for women", + "womens t-shirt small gray", + "small gray woman t-shirt", + "small gray women t-shirt" + ], + "i need a 84inch wall mounted motorized projector screen that displays a 16:9 screen.": [ + "84inch wall mounted motorized projector screen", + "84inch wall mounted motorized projector screen that displays a 16:9 screen", + " 84inch wall mounted motorized projector screen that displays a 16:9 screen", + "84inch wall mounted motorized projector screen with a 16:9 screen", + "84inch wall mounted motorized projector screen with 16:9 screen", + " 84inch wall mounted motorized projector screen", + "84inch wall mounted motorized projector screen that displays a 16x9 screen", + "84inch wall mounted motorized projector screen with 16x9 screen", + "84inch wall mounted motorized projector screen, 16:9", + "85inch wall mounted motorized projector screen" + ], + "i am looking for a light grey faux leather loveseat.": [ + "light grey faux leather loveseat", + "light grey faux leather loveseat.", + "low grey faux leather loveseat", + "light grey faux leather loveseat under $40", + "light grey faux leather loveseat under $50", + "light grey faux leather loveseat under $60", + "light grey faux leather loveseat under 30 dollars", + "light grey faux leather loveseat under 50 dollars", + "living room light grey faux leather loveseat", + "light grey faux leather loveseat," + ], + "i am looking for a tattoo machine that is easy to use.": [ + "easy to use tattoo machine", + "easy-to-use tattoo machine", + "tattoo machine easy to use", + "easy to use tattoo machine under $50", + "easy to use tattoo machine under $40", + "pocket machine that is easy to use.", + "easy to use tattoo machine under $60", + "pocket machine that is easy to use", + "tart machine that is easy to use", + "tattoo machine" + ], + "i am looking for a fluoride free foaming toothpaste with a cinnamon tea tree flavor.": [ + "fluoride free foaming toothpaste cinnamon tea tree flavor", + "fluoride free foaming toothpaste", + "fluoride free toothpaste with a cinnamon tea tree flavor", + "fluoride free foaming toothpaste cinnamon tea tree", + "fluoride free oralpaste with a cinnamon tea tree flavor", + "fluoride free toothpaste cinnamon tea tree flavor", + "fluoride free foaming toothpaste tea tree flavor", + "fluoride free foaming toothpaste under $40", + "toothpaste cinnamon tea tree flavor", + "fluoride free toothpaste" + ], + "i need to order a game boy color. make sure that it's green and has stereo sound.": [ + "game boy color green with stereo sound", + "game boy color that is green", + "green game boy color with stereo sound", + "game boy color green", + "game boy color with stereo sound", + "green game boy color", + "game boy color", + "game boy color, green", + "a game boy color with stereo sound", + "a game boy color, green" + ], + "i would like a pink face brush for my dead skin.": [ + "pink face brush for dead skin", + "pink face brush for dead skin.", + "pink face brush for my dead skin", + "pink face brush for dead skin,", + "pink face brush dead skin", + "pink face brush for dead skin ", + "pink face brush, dead skin", + "pink face brush for living skin", + "pink face brush", + "pink face brush living skin" + ], + "i'd like to get sulfate free conditioner that promotes hair growth.": [ + "sulfate free conditioner that promotes hair growth", + "sulfate free conditioner for hair growth", + "sulfate free conditioner", + "sulfate free conditioner with hair growth", + "sulfate free conditioner, promotes hair growth", + "synthetic free conditioner that promotes hair growth", + "sulfate free conditioner to promote hair growth", + "silate free conditioner that promotes hair growth", + "sulfate free conditioner for hair growth.", + "sulfate free conditioner with a hair growth" + ], + "i'm looking for a 3 foot micro usb cable that offers high speeds and is colored silver.": [ + "3 foot micro usb cable", + "3 foot micro usb cable colored silver", + "3 foot micro usb cable with high speeds", + "3 foot micro usb cable, colored silver", + "3 foot micro usb cable that offers high speeds", + "3 foot micro usb cable that is colored silver", + "3 foot micro usb cable in colored silver", + "3 foot micro usb cable color silver", + "3 foot micro usb cable high speeds colored silver", + "3 foot micro usb cable in a colored silver" + ], + "looking for valentine's cupcake toppers for valentine day with pattern name in red": [ + "valentines cupcake toppers in red valentine day", + "variety cupcake toppers valentine day with pattern name in red", + "valentines cupcake toppers patterned red valentine day", + "valentines cupcake toppers in red valentine day with pattern", + "valentines cupcake toppers patterned in red valentine day", + "valentines cupcake toppers in red", + " valentines cupcake toppers in red valentine day", + "valentines cupcake toppers red valentine day with pattern name", + "valentines cupcake toppers patterned in red", + "valentines cupcake toppers red valentine day with pattern" + ], + "i am looking for a gold camera lens protector that has tempered glass for an iphone 13 pro or iphone pro max.": [ + "gold camera lens protector iphone 13 pro", + "gold camera lens protector", + "gold camera lens protector that has tempered glass", + "i am looking for a gold camera lens protector that has tempered glass, and price lower than 50.00 dollars", + "gold camera lens protector with tempered glass iphone 13 pro", + "gold camera lens protector that has tempered glass iphone 13 pro", + "i am looking for a gold camera lens protector that has tempered glass, and price lower than 100.00 dollars", + "i am looking for a gold camera lens protector that has tempered glass, and price lower than 20.00 dollars", + "i am looking for a gold camera lens protector that has tempered glass, and price lower than 40.00 dollars", + "i am looking for a gold camera lens protector that has tempered glass, and price lower than 70.00 dollars" + ], + "i am looking for a lemon yellow airpod case cover compatible with apple airpods and do wireless charging.": [ + "lemon yellow airpod case cover with wireless charging", + "lemon yellow airpod case cover", + "lemon yellow airpod case cover wireless charging", + "lemon yellow airpod case cover, wireless charging", + "lemon yellow airpod case cover that is wireless charging", + "lemon yellow airpod case cover, with wireless charging", + "lemon yellow airpod case cover with wireless charging.", + "levis yellow airpod case cover with wireless charging", + "lemon yellow airpod case cover no wireless charging", + "lemon yellow airpod case cover with wireless charging," + ], + "i am looking for shelf baskets that are eco friendly and are 12.5\"l by 12\"w by 10\" h.": [ + "12.5l by 12w by 10 h eco friendly shelf baskets", + "packet baskets 12.5l by 12w by 10 h", + "shelf baskets 12.5l by 12w by 10 h", + "12.5l by 12w by 10 h shelf baskets", + "12.5l by 12w by 10 h eco friendly shelf basket", + "12.5l by 12w by 10 h shelf baskets eco friendly", + " shelf baskets 12.5l by 12w by 10 h", + " shelf baskets 12.5l by 12w by 10 h eco friendly", + "12.5l by 12w by 10 h shelf basket eco friendly", + "floor baskets 12.5l by 12w by 10 h" + ], + "i'd like to view a pair of machine washable regular type denim jeans for men.": [ + "machine washable regular type denim jeans for men", + "man washable regular type denim jeans", + "man washable regular type denim jeans for men", + "machine washable regular type denim jeans", + "woman washable regular type denim jeans for men", + "sweatable regular type denim jeans for men", + "woman washable regular type denim jeans", + "jeans for men", + "machine washable regular type jeans for men", + "womens jeans" + ], + "i would like a 62w by 34l big and tall pair of light indigo jeans that are machine washable.": [ + "62w by 34l big and tall pair of light indigo jeans", + "60w by 34l big and tall pair of light indigo jeans", + " 62w by 34l big and tall pair of light indigo jeans", + "62w by 34l long and tall pair of light indigo jeans", + "62w x 34l big and tall pair of light indigo jeans", + "62w by 34l big and tall jeans that are machine washable", + "62w by 34l large and tall pair of light indigo jeans", + "62w by 34l big and tall jeans", + "shoes 62w by 34l machine washable", + "62w by 34l big and tall" + ], + "i need a bathroom vanity light that is easy to install.": [ + "bathroom vanity light", + "bathroom vanity light easy to install", + "bathroom vanity lighteasy to install", + "bathroom vanity light easy install", + "easy to install bathroom vanity light", + "bathroom vanity light easy setup", + "bathroom vanity light under $40", + "bathroom vanity light under $50", + "pink vanity light", + "living room vanity light" + ], + "i want to get a 6 pack of the tom's of maine fresh mint alcohol free mouth wash. i think they are 16 oz bottles.": [ + "6 pack of fresh mint alcohol free mouth wash", + "6 pack of mint alcohol free mouth wash", + "toms of maine fresh mint alcohol free mouth wash", + "6 pack of a fresh mint alcohol free mouth wash", + "6 pack of the toms of maine fresh mint", + "6 pack fresh mint alcohol free mouth wash", + "6 pack of fresh mint alcohol free mouth wash under $60", + "6 pack of fresh mint mouth wash", + "6 pack of the toms of maine fresh mint drink", + "6 pack of fresh mint alcohol free mouth wash, 16 oz" + ], + "find caraway seeds for dietary fiber, need 1 pack with 8 ounce vegan food": [ + "caraway seeds for dietary fiber 8 ounce vegan food", + "caraway seeds for dietary fiber, 8 ounce vegan food", + "caraway seeds for dietary fiber", + "caraway seeds for dietary fiber 8 oz vegan food", + "caraway seeds for dietary fiber 8 ounce vegan", + "caraway seeds for dietary fiber8 ounce vegan food", + "caraway seeds for dietary fiber 8oz vegan food", + "caraway seeds for dietary fiber 1 pack", + "caraway seeds for dietary fiber 8 ounce vegan food pack", + "caraway seeds for dietary fiber 8 ounce vegan food," + ], + "i need white blackout cellular shades that are easy to install in size 70\"w x 36\"h.": [ + "white blackout cellular shades", + "white blackout cellular shades in size 70w x 36h", + "white blackout cellular shades size 70w x 36h", + "white blackout cellular shades 70w x 36h", + "white blackout cellular shades, size 70w x 36h", + "white blackout cellular shades that are easy to install", + "white blackout cellular shades, 70w x 36h", + "white blackout cellular shades 70w x 36h", + "white blackout cellular shades, easy to install", + "white blackout cellular shades under $40" + ], + "i would like a three pack of 4 fluid ounce green envy hair dye.": [ + "green envy hair dye three pack of 4", + "green envy hair dye three pack", + "three pack of 4oz green envy hair dye", + "three pack of 4 fluid ounce human hair dye", + "green envy hair dye 3 pack", + "three pack green envy hair dye", + "3 pack green envy hair dye", + "green envy hair dye three pack under $40", + "natural beauty dye three pack of 4", + "green envy hair dye" + ], + "i'm looking for a manic panic ultra violet hair dye .": [ + "manual panic ultra violet hair dye", + "mens panic ultra violet hair dye", + "moisturizing ultra violet hair dye", + "nude panic ultra violet hair dye", + "pampered panic ultra violet hair dye", + "magnified panic ultra violet hair dye", + "manic panic ultra violet hair dye", + "pink ultra violet hair dye", + "manual panic ultra violet hair dye under $40", + "manual panic ultra violet hair dye under 50 dollars" + ], + "i want to find 3.99 fluid ounces of venus envy hair dye.": [ + "3.99 fluid ounces of venus envy hair dye", + "2.99 fluid ounces of venus envy hair dye", + "levus envy hair dye 3.99 oz", + "3.99 fluid ounce of venus envy hair dye", + "1.99 fluid ounces of venus envy hair dye", + "three.99 fluid ounces of venus envy hair dye", + "three fluid ounces of venus envy hair dye", + "levus envy hair dye 3.99", + " venus envy hair dye 3.99 oz", + "3 fluid ounces of venus envy hair dye" + ], + "i am looking for 2 piece long sleeve blue#b color swimwear for women. also x-large one": [ + "2 piece long sleeve blue#b color swimwear", + "2 piece long sleeve blue #b color swimwear", + "blue#b swimwear for women x-large", + "two piece long sleeve blue#b color swimwear", + "blue#b swimwear x-large", + "2 piece long sleeve blue#b swimwear", + "2 piece long sleeve blue-large swimwear", + "2 piece long sleeve blue#b", + "2 piece long sleeve blue biker swimwear", + "2 piece long sleeve blue" + ], + "i would like a hair brush that's good for damaged hair.": [ + "hair brush for damaged hair", + "hair brush good for damaged hair", + "hair brush good for damaged hair.", + "hair brush for damaged hair.", + "hair brush for damaged human hair", + "hair brush, good for damaged hair", + "hair brush thats good for damaged hair", + "hair brush for damaged air", + "shoes brush for damaged hair", + "hair brush" + ], + "i am looking for a certified organic, watermelon frose, lip balm moisturizer made from coconut oil.": [ + "lip balm moisturizer made from coconut oil", + "lip balm moisturizer made from coconut", + "lip balm moisturizer with coconut oil", + "lip balm moisturizer from coconut oil", + "lip balm moisturizer, coconut oil", + "lip balm moisturizer", + "fluorizer made from coconut oil", + "lip balm moisturizer natural", + "watermelon frose lip balm", + "lip balm" + ], + "i need a natural teeth whitening toothpaste.": [ + "natural teeth whitening toothpaste", + "natural teeth whitening toothpaste.", + "natural teeth whitening toothpaste under $40", + "natural teeth whitening toothpaste under $50", + "natural teeth whitening toothpaste under $60", + "natural teeth whitening toothpaste below $40", + "natural teeth whitening toothpaste natural", + "natural teeth whitening toothpaste no fluoride", + "natural teeth whitening toothpaste below $50", + "natural teeth whitening toothpaste that is natural" + ], + "i am looking for red storage benches that are made of engineered wood and are 90 by 40 by 45.": [ + "red storage benches that are made of engineered wood", + "red storage benches 90 by 40 by 45", + "red storage benches made of engineered wood", + "red storage benches 90 by 40 by 45.", + "red storage bench that are made of engineered wood", + "red storage benches, 90 by 40 by 45", + "red storage bench 90 by 40 by 45", + "red storage benches with engineered wood", + "red storage benches made from engineered wood", + "red storage benches" + ], + "i need to find a khaki-colored storage ottoman bench in either the \"pu\" or \"faux\" leather style.": [ + "kaki-colored storage ottoman bench in either the pu or faux leather style", + "curtoman bench in either the pu or faux leather style", + " khaki-colored storage ottoman bench in either the pu or faux leather style", + "khaki-colored storage ottoman bench in either the pu or faux leather style", + "haki-colored storage ottoman bench in either the pu or faux leather style", + "womens storage ottoman bench in either the pu or faux leather style", + "kaki-colored storage ottoman bench", + "kaki-colored storage ottoman bench in a pu or faux leather style", + "curtoman bench in either the pu or faux leather style.", + "kaki-colored storage ottoman bench in either the pu or faux leather" + ], + "i want to buy an android smartphone. the camera should have optical zoom and it should have at least 128gb of space.": [ + "alarm phone with 128gb", + "alarm camera with 128gb", + " android smartphone with 128gb of space", + "alarm camera 128gb", + " android smartphone camera with 128gb", + "alarm phone camera 128gb", + "phone camera with 128gb of space", + "phone camera with 128gb", + "Android smartphone camera with 128gb", + "alarm camera with 128gb space" + ], + "look for an eay to use android cell phone that has 128 gb.": [ + "eay to use android cell phone with 128 gb", + "eay to use android cell phone that has 128 gb", + "eay to use android cell phone with 128gb", + "eay to use android cell phone that has 128gb", + "eay to use android cell phone 128gb", + "eay to use android cell phone 128 gb", + "eay to use android cell phone with 128gb", + "aay to use android cell phone with 128 gb", + "eay to use android cell phone", + "tablet phone with 128gb" + ], + "i am looking for optical zoom samsung galaxy smartphone of style: s21 ultra + case black": [ + "s21 ultra samsung galaxy smartphone case black", + "s21 ultra samsung galaxy smartphone", + "s21 ultra samsung galaxy smartphone case", + "s21 ultra samsung galaxy smartphone of style", + "s21 ultra", + "s21 ultra smartphone case black", + "samsung galaxy smartphone case black", + "s21 ultra phone case black", + "s21 ultra smartphone case", + "s21 ultra smartphone" + ], + "i am looking for samsung galaxy smartphone with 256 gb memory and 3x optical zoom.": [ + "samsung galaxy smartphone with 256gb memory and 3x optical zoom", + "samsung galaxy smartphone with 256gb memory", + "samsung galaxy smartphone with 256 gb memory", + "samsung galaxy smartphone with 256gb memory with 3x optical zoom", + "samsung galaxy smartphone with 256gb memory, 3x optical zoom", + "samsung galaxy smartphone with 256 gb memory 3x optical zoom", + " samsung galaxy smartphone with 256gb memory and 3x optical zoom", + "samsung galaxy smartphone with 256gb memory 3x optical zoom", + "samsung galaxy smartphone 256gb memory", + "samsung galaxy smartphone 128gb memory" + ], + "i want to find a phantom silver s21 android phone that has a camera with an optical zoom. it needs to be able to store 128 gigabytes of data and it should come with a case.": [ + "p phantom silver s21 android phone with an optical zoom", + " phantom silver s21 android phone with an optical zoom", + "a phantom silver s21 android phone with an optical zoom", + "a phantom silver s21 android phone with a camera with an optical zoom", + " phantom silver s21 android phone with a camera with an optical zoom", + "pale silver s21 android phone with an optical zoom", + "k phantom silver s21 android phone with an optical zoom", + "phantom silver s21 android phone with an optical zoom", + "p phantom silver s21 android phone with an optical zoom with 128 gigabytes", + "p phantom silver s21 android phone with an optical zoom 128 gigabytes" + ], + "i want to find a phantom black s21 android smartphone that's easy to use and has 128 gigabytes of storage space. ideally it will come with a black case.": [ + " phantom black s21 android smartphone with 128 gigabytes of storage", + " phantom black s21 android smartphone with 128 gigabytes of storage space", + "p phantom black s21 android smartphone with 128 gigabytes of storage", + "a phantom black s21 android smartphone with 128 gigabytes of storage", + " phantom black s21 android smartphone with 128 gigabytes", + "pale black s21 android smartphone with 128 gigabytes of storage", + " phantom black s21 android smartphone with 128 gigabytes storage", + "knee black s21 android smartphone with 128 gigabytes of storage", + "p phantom black s21 android smartphone with 128 gigabytes", + "p phantom black s21 android smartphone with 128 gigabytes storage" + ], + "i want to find an unlocked pink s21 android phone that has a camera with an optical zoom feature. it needs to have 256 gigabytes of storage space and ideally it'll come with a black case.": [ + "an unlocked pink s21 android phone with an optical zoom", + "an unlocked pink s21 android phone with an optical zoom feature", + "a pink s21 android phone with a camera with an optical zoom", + "unlocked pink s21 android phone with an optical zoom", + "plastic pink s21 android phone with an optical zoom", + "pink s21 android phone with a camera with an optical zoom", + "plastic pink s21 android phone with a camera", + "ashamed pink s21 android phone with an optical zoom", + "unlocked pink s21 android phone with an optical zoom feature", + "a pink s21 android phone with a camera" + ], + "i want to find a phantom gray colored samsung galaxy s21 phone with 256 gigabytes of storage space. the camera needs to have an optical zoom feature.": [ + " phantom gray samsung galaxy s21 phone with 256 gigabytes of storage space", + "p phantom gray samsung galaxy s21 phone with 256 gigabytes of storage space", + " phantom gray samsung galaxy s21 phone with 256 gigabytes of storage space. the camera needs to have an optical zoom feature.", + "p phantom gray colored samsung galaxy s21 phone with 256 gigabytes of storage space", + " phantom gray colored samsung galaxy s21 phone with 256 gigabytes of storage space", + "pale gray samsung galaxy s21 phone with 256 gigabytes of storage space", + "a phantom gray samsung galaxy s21 phone with 256 gigabytes of storage space", + "a phantom gray colored samsung galaxy s21 phone with 256 gigabytes of storage space", + "knee black samsung galaxy s21 phone with 256 gigabytes of storage space", + "samsung galaxy s21 phone with 256 gigabytes of storage space" + ], + "searching for a galaxy s21 ultra 5g factory unlocked android smartphone using 128gb, us version that is easy to use, either in color of phantom black or phantom silver with the added features of pro-grade camera, 8k video, and 108mp high resolution made by samsung.": [ + "galaxy s21 ultra 5g factory unlocked android smartphone", + "s21 ultra 5g factory unlocked android smartphone with 128gb", + "s21 ultra 5g factory unlocked android smartphone with 128gb camera", + "galaxy s21 ultra 5g phone with 128gb camera", + " galaxy s21 ultra 5g factory unlocked android smartphone with 128gb", + "s21 ultra 5g factory unlocked android smartphone with 128gb color", + "galaxy s21 ultra 5g android smartphone with 128gb camera", + "s21 ultra 5g factory unlocked android smartphone", + " galaxy s21 ultra 5g factory unlocked android smartphone", + "galaxy s21 ultra 5g camera" + ], + "i am looking for a phantom pink samsung galaxy s21 ultra 5g unlocked phone with optical zoom.": [ + "pink samsung galaxy s21 ultra 5g unlocked phone with optical zoom", + " phantom pink samsung galaxy s21 ultra 5g unlocked phone with optical zoom", + "a phantom pink samsung galaxy s21 ultra 5g unlocked phone with optical zoom", + "samsung galaxy s21 ultra 5g unlocked phone with optical zoom", + "pink samsung galaxy s21 ultra 5g unlocked phone", + "phantom pink samsung galaxy s21 ultra 5g unlocked phone with optical zoom", + " phantom pink samsung galaxy s21 ultra 5g unlocked phone", + "pink samsung galaxy s21 ultra 5g phone with optical zoom", + "psc s21 ultra 5g unlocked phone with optical zoom", + "pink samsung galaxy s21 ultra 5g unlocked phone with optical zoom." + ], + "i'm looking for optical zoom its for computer accessories for cell phones.": [ + "optical zoom its for computer accessories for cell phones", + "optical zoom for computer accessories for cell phones", + "optical zoom for computer accessories", + "optical zoom for computer accessories for cell phones.", + "optical zoom its for computer accessories", + "optical zoom computer accessories for cell phones", + "optical zoom whose for computer accessories for cell phones", + "optical zoom its computer accessories for cell phones", + "optical zoom, computer accessories for cell phones", + "optical zoom computer accessories" + ], + "i would like a violet colored phone that has optical zoom": [ + "a violet colored phone with optical zoom", + "violet colored phone with optical zoom", + "a violet colored phone that has optical zoom", + "violet colored phone that has optical zoom", + "vinyl colored phone with optical zoom", + "vanity colored phone with optical zoom", + "vegan colored phone with optical zoom", + "green phone with optical zoom", + "blue phone with optical zoom", + "violet colored phone" + ], + "i want a phantom black samsung galaxy s21 with optical zoom.": [ + " phantom black samsung galaxy s21 with optical zoom", + "p phantom black samsung galaxy s21 with optical zoom", + "ps phantom black samsung galaxy s21 with optical zoom", + "a phantom black samsung galaxy s21 with optical zoom", + "pale black samsung galaxy s21 with optical zoom", + "knee black samsung galaxy s21 with optical zoom", + "phantom black samsung galaxy s21 with optical zoom", + " phantom black samsung galaxy s21 with optical zoom.", + "samsung galaxy s21 with optical zoom", + "p phantom black samsung galaxy s21 with optical zoom." + ], + "i am looking for a samsung mobile with 512gb internal memory and phantom gray color which is for easy use. also choose s21 ultra + case black": [ + "samsung mobile with 512gb internal memory", + "samsung mobile with 512gb internal memory and phantom gray color", + "samsung mobile with 512gb internal memory in s21 ultra", + "samsung mobile with 512gb internal memory and phantom gray", + "samsung mobile with 512gb internal memory with phantom gray color", + "samsung mobile with 512gb internal memory in case black", + "samsung mobile with 512gb internal memory in a s21 ultra", + "samsung mobile case black samsung s21 ultra", + "samsung mobile s21 ultra", + "samsung mobile case black" + ], + "i am looking for a white fast charging usb wall charger for a samsung galaxy.": [ + "white fast charging usb wall charger for samsung galaxy", + "white fast charging usb wall charger samsung galaxy", + "white fast charging usb wall charger", + "white fast charging usb wall charger, samsung galaxy", + "white fast charging usb wall charger samsung galaxy.", + "white fast charging usb wall charger in samsung galaxy", + "white samsung galaxy charger", + "white fast charging samsung galaxy charger", + "white fast charging usb wall charger samsung", + "white samsung galaxy wall charger" + ], + "i am looking for a 2bottle color floride free teeth whitening toothpaste.": [ + "2bottle fluoride free teeth whitening toothpaste", + "2bottle teeth whitening toothpaste", + "2bottle white teeth whitening toothpaste", + "2bottle oral fluoride free teeth whitening toothpaste", + "2bottle whitening toothpaste", + "2bottle oral whitening toothpaste", + "2bottle dental whitening toothpaste", + "2bottle color floride free teeth whitening", + "2bottle color floride free toothpaste", + "2bottle fluoride free teeth whitening teethpaste" + ], + "i need party bags of potato chips.": [ + "party bags of potato chips", + "Party bags of potato chips", + "bag of potato chips", + "pomegranate chips party bags", + "bag of potato chips party bags", + "bag of potato chips party bag", + "party bags of potato chips.", + "pomegranate chips party bag", + "dining bags of potato chips", + "plastic potato chips party bags" + ], + "i would like some fat free potato chips that are salt and vinegar": [ + "fat free potato chips salt and vinegar", + "fat free potato chips that are salt and vinegar", + "fat free potato chips with salt and vinegar", + "moisturizing potato chips salt and vinegar", + "fat free potato chips salt and vinegar flavor", + "moisturized potato chips salt and vinegar", + "fat free potato chips, salt and vinegar", + " fat free potato chips salt and vinegar", + "oatmeal chips salt and vinegar", + "fat free potato chips" + ], + "i am looking for a bed with a steel frame and a twin xl memory foam mattress.": [ + "twin xl memory foam mattress", + "bed with steel frame and twin xl memory foam mattress", + "twin xl bed with a steel frame", + "bed with a steel frame", + "bed with a steel frame and twin xl memory foam", + "double xl memory foam mattress", + "two xl memory foam mattress", + "twin xl bed with steel frame", + "twin xl memory foam mattress under $50", + "bed with steel frame" + ], + "i am looking for a computer gaming chair that has lumbar support.": [ + "computer gaming chair with lumbar support", + "computer gaming chair that has lumbar support", + "desktop gaming chair with lumbar support", + "desktop gaming chair that has lumbar support", + "computer gaming chair lumbar support", + "Computer gaming chair with lumbar support", + "desktop gaming chair lumbar support", + "tablet gaming chair with lumbar support", + "computer gaming chair with lumbar support.", + "desktop gaming chair with lumbar support." + ], + "want a security camera system with high definition, motion detection and need to be dust proof": [ + "security camera system high definition with motion detection", + "security camera system that is high definition with motion detection", + "security camera system with high definition motion detection", + "security camera system high definition with motion detection, dust proof", + "security camera system with high definition motion detection, dust proof", + "security camera system with high definition, motion detection", + "security camera system with high definition and motion detection", + "security camera system high definition", + "security camera system with high definition", + "security camera system that is high definition" + ], + "i need white steel toe siilsaa sneakers for women in size 7.5.": [ + "white steel toe siilsaa sneakers for women size 7.5", + "white steel toe siilsaa sneakers size 7.5", + "white steel toe siilsaa sneakers", + "white steel toe siilsaa sneakers in size 7.5", + "white steel toe siilsaa sneakers for women", + "white steel toe siilsaa sneakers, size 7.5", + "white steel toe siilsaa sneakers women size 7.5", + "white steel toe siilsaa sneakers size 7.5.", + "white steel toe siilsaa sneakers woman size 7.5", + "white steel toe siilsaa sneakers in size 7.5." + ], + "i am looking for silver cupcake toppers for a birthday party.": [ + "silver cupcake toppers for a baby shower", + "silver cupcake toppers for a birthday party", + "cupcake toppers for a baby shower", + "silver cupcake toppers for a birthday party.", + "plastic cupcake toppers for a baby shower", + "cupcake toppers for a birthday party", + "silver cupcake toppers for a baby shower.", + "pink cupcake toppers for a baby shower", + "plastic cupcake toppers for a birthday party", + "pink cupcake toppers for a birthday party" + ], + "i need some pink cupcake toppers for a birthday party.": [ + "pink cupcake toppers for a baby shower", + "pink cupcake toppers for a birthday party", + "pink cupcake toppers for a birthday party.", + "pink cupcake toppers for a baby shower.", + "pink cupcake toppers, for a baby shower", + "pink birthday cupcake toppers for a baby shower", + "pink birthday cupcake toppers for a birthday party", + "pink cupcake toppers for baby shower", + "pink cupcake toppers for a bday party", + "cupcake toppers for a baby shower" + ], + "i am looking for a round, ivory colored ottoman for my living room.": [ + "square yellow ottoman for living room", + "round, ivory colored ottoman living room", + "square, ivory colored ottoman living room", + "round, ivory colored ottoman", + "square yellow ottoman living room", + "square, ivory colored ottoman", + "wooden ottoman for living room", + "yellow ottoman for living room", + "yellow ottoman living room", + "square yellow ottoman" + ], + "i want to buy some sandals. get the ones with the ankle straps, and buy them in moonstone, size six and a half.": [ + "moonstone sandals size six and a half", + "sneakers in moonstone size six and a half", + "slimming sandals in moonstone size six and a half", + "sneakers, moonstone, size six and a half", + "sneakers moonstone size six and a half", + "i want to buy some sandals that are size six and a half.", + "sneakers size six and a half", + "sneakers in moonstone size six", + "sneakers, moonstone, size six and a half,", + "moonstone sandals size six" + ], + "looking for one bed for kids in grey color, size twin and of easy assemble in wood.": [ + "kids bed for kids in grey color", + "kids bed in grey color", + "grey twin bed for kids in grey color", + "kids bed size twin easy assemble in wood", + "baby bed for kids in grey color", + "single bed for kids in grey color", + "grey bed for kids in grey color", + "kids bed for kids size twin", + "grey twin bed for kids", + "kids bed size twin" + ], + "i want a low sodium spice mix that has himalyan salt.": [ + "low sodium spice mix that has himalyan salt", + "low sodium spice mix with himalyan salt", + "low sodium spice mix healyan salt", + "low sodium spice mix with healyan salt", + "low sodium spice mix healyan salt below $40", + "low sodium spice mix that has himalyan salt.", + "low sodium spice mix that has healyan salt", + "low sodium spice mix healyan salt below $60", + "low sodium spice mix healyan salt below $50", + "low sodium spice mix mix that has himalyan salt" + ], + "i would like a sweet and savory spices that are low sodium.": [ + "sweet and savory spices that are low sodium", + "sugar and savory spices", + "sugar and savory spices low sodium", + "low sodium and savory spices", + "sweet and savory spices", + "sweet and savory spices low sodium", + "sugar and savory spices, low sodium", + "sugar and savory spices no sugar", + "sugar and savory spices no sodium", + "sweet and savory spices, low sodium" + ], + "i'm looking for a black, digital alarm clock that offers wireless bluetooth functionality.": [ + "alarm clock with wireless bluetooth", + "alarm clock with bluetooth", + "black, bluetooth wireless alarm clock", + "black alarm clock with wireless bluetooth", + "black, digital alarm clock", + "alarm clock black", + "alarm clock with bluetooth wireless", + "alarm clock black with bluetooth", + "black, wireless alarm clock", + "alarm clock" + ], + "find me cloths towel for exfoliating bath for sensitive skin 11.81 x 11.8 inch with yellow edge": [ + "cloths towel for exfoliating bath for sensitive skin 11.81 x 11.8 inch", + "cloths towel exfoliating bath for sensitive skin 11.81 x 11.8 inch with yellow", + "cloths towel for exfoliating bath 11.81 x 11.8 inch with yellow edge", + "cloths towel exfoliating bath for sensitive skin 11.81 x 11.8 inch", + "cloths towel for exfoliating bath sensitive skin 11.81 x 11.8 inch with yellow", + "cloths towel for exfoliating bath sensitive skin 11.81 x 11.8 inch", + " cloths towel for exfoliating bath for sensitive skin 11.81 x 11.8 inch", + "womens towel for exfoliating bath 11.81 x 11.8 inch with yellow edge", + "i cloths towel for exfoliating bath for sensitive skin 11.81 x 11.8 inch", + "bath for sensitive skin 11.81 x 11.8 inch with yellow edge" + ], + "i am looking for sugar free unsweetened shredded coconut flakes with large flakes.": [ + "sugar free unsweetened shredded coconut flakes", + "sugar free unsweetened coconut flakes", + "sugar free unsweetened coconut flakes with large flakes", + "sugar free unsweetened shredded coconut flakes no sugar", + "sugar free unsweetened dried coconut flakes", + "sugar free unsweetened shredded coconut flakes,", + "sugar free unsweetened shredded coconut flakes large flakes", + "sugar free unsweetened coconut flakes that are large", + "synthetic free unsweetened shredded coconut flakes", + "ugar free unsweetened shredded coconut flakes" + ], + "i'm looking for ten high-speed, gold-plated hdmi cables.": [ + "10 high-speed, gold-plated hdmi cables", + "ten high-speed, gold-plated hdmi cables", + "10 high-speed gold-plated hdmi cables", + "high-speed, gold-plated hdmi cables", + "ten high-speed gold-plated hdmi cables", + "high-speed gold-plated hdmi cables", + "high-speed, gold-plated hdmi cables.", + "stainless hdmi cables", + "stainless steel hdmi cables", + "stainless hdmi cables under $40" + ], + "i need to buy some hdmi male to female cables. look for a pack of ten three foot cables that are high speed and gold plated.": [ + "hdmi male to female cables", + "hdmi male to female cables high speed and gold plated", + "hdmi male to female cables high speed gold plated", + " hdmi male to female cables high speed and gold plated", + "hdmi male to female cables with high speed gold plated", + " hdmi male to female cables", + "pack of ten hdmi male to female cables", + "hdmi male to female cables high speed", + "dhmi male to female cables", + "hdmi female cables" + ], + "i would like a pink size 5 high heel shoe with a rubber sole.": [ + "size 5 high heel shoe with a rubber sole", + "pink high heel shoe with a rubber sole", + "pink high heel shoe", + "size 5 high heel shoe", + "pink size 5 high heel shoe", + "ps 5 high heel shoe with a rubber sole", + "pink high heel shoe, rubber sole", + "small high heel shoe with a rubber sole", + "pink shoe with a rubber sole", + "pink shoe size 5 high heel shoe" + ], + "i am looking for a pink leak proof bag.": [ + "pink leak proof bag", + "pink, leak proof bag", + "pink leak proof bag.", + "pink leak proof bag under $40", + "pink leak proof bag under $50", + "pink and leak proof bag", + "pink leak proof bag under $60", + "pink leak proof bag,", + "pink leak proof bag under 50 dollars", + "pink leak proof bag under 40 dollars" + ], + "get me a holiday variety pack of sugar free syrup, please.": [ + "holiday variety pack of sugar free syrup", + "mashew variety pack of sugar free syrup", + "sugar free syrup, please.", + "sugar free syrup", + "mas variety pack of sugar free syrup", + "sugar free syrup holiday variety pack", + "pack of sugar free syrup, please.", + "a holiday variety pack of sugar free syrup", + "sugar free syrup pack", + "mas sugar free syrup pack" + ], + "i am interested in a high protein snack pack.": [ + "high protein snack pack", + "high protein snack pack.", + "high protein snack pack under $40", + "protein snack pack that is high protein", + "high protein snack pack under $60", + "high protein snack pack under $50", + "protein snack pack high protein", + "low protein snack pack", + "sneakers high protein snack pack", + "high protein snack pack under 50 dollars" + ], + "i need in dash navigation that is hands free.": [ + "dash navigation that is hands free", + "dash navigation hands free", + "dash navigation with hands free", + "Dash navigation that is hands free", + "clothing free dash navigation", + "hand free dash navigation", + "daring dash navigation", + "daring dash navigation hands free", + "dash navigation", + "tablet navigation" + ], + "i'm looking for pink cruelty free himalayan salt water mouth rinse.": [ + "pink cruelty free himalayan salt water mouth rinse", + "pink cruelty free healayan salt water mouth rinse", + "pink cruelty free mealayan salt water mouth rinse", + "pink cruelty free himalayan salt water mouth rinse.", + "cruelty free himalayan salt water mouth rinse", + "pink cruelty free himalayan salt water mouth rinse,", + "pink cruelty free salt water mouth rinse", + "pink cruelty free usalayan salt water mouth rinse", + "pink cruelty free healayan salt water mouth rinse.", + "cruelty free healayan salt water mouth rinse" + ], + "i am looking for a 15 pack of individually wrapped gourmet cookies with natural ingredients.": [ + "15 pack of individually wrapped gourmet cookies", + "teen pack of individually wrapped gourmet cookies", + "pack of individually wrapped gourmet cookies", + "gourmet cookies with natural ingredients 15 pack", + "15 pack of gourmet cookies", + "15 pack gourmet cookies with natural ingredients", + "16 pack of individually wrapped gourmet cookies", + "gourmet cookies with natural ingredients", + "gourmet cookies 15 pack", + "15 pack gourmet cookies" + ], + "i need a non-dairy coffee creamer.": [ + "non-dairy coffee creamer", + "non-dairy coffee creamer.", + "non-dairy coffee creamer under $40", + "non-dairy coffee creamer under $60", + "non-dairy coffee creamer under $50", + "non-dairy coffee creamer under 50 dollars", + "non-dairy coffee creamer under 30 dollars", + "non-dairy coffee creamer under 40 dollars", + "non-dairy coffee creamer below $40", + "non-dairy coffee creamer below $50" + ], + "i am looking for a hair color of lime light color having argan oil in it.": [ + "lip color of lime light color with argan oil", + "lemon light color with argan oil", + "hair color of lime light color with argan oil", + "pink hair color with argan oil", + "lone light color with argan oil", + "lip color lime light color with argan oil", + "lip color with argan oil", + "lemon light color", + "lip color of lime light color", + "lemon light color with argan oil in it" + ], + "i need a blue tongue scraper for bad breath.": [ + "blue tongue scraper for bad breath", + "blue tongue scraper for bad breath.", + "blue tongue scraper bad breath", + "blue tongue scraper for bad breath under $40", + "blue tongue scraper for bad breath under $50", + "blue tongue scraper for bad breath under $60", + "blue tongue scraper for bad breath under 50 dollars", + "blue tongue scraper for bad breath under 30 dollars", + "blue tongue scraper for bad breath,", + "blue tongue scraper for bad breath " + ], + "i need a media player with aaa batteries included.": [ + "media player with aaa batteries", + "tv media player with aaa batteries", + " media player with aaa batteries", + "multimedia player with aaa batteries", + "the media player with aaa batteries", + "tv player with aaa batteries", + "aaa batteries for media player", + "media player aaa batteries", + "aaa batteries", + "aaa batteries media player" + ], + "find me a hdmi media players with aaa batteries for streaming": [ + "tv hdmi media players with aaa batteries", + "hdmi media players with aaa batteries", + "tv dmi media players with aaa batteries", + "hdmi media players with aaa batteries for streaming", + "tv hdmi media player with aaa batteries", + "hdmi media players with aaa batteries", + "tv player hdmi media players with aaa batteries", + "tv media players with aaa batteries", + " hdmi media players with aaa batteries", + "homedmi media players with aaa batteries" + ], + "i would like a 6 pack of 10 ounce kashmir potatoes that are ready to eat.": [ + "6 pack of 10 ounce kashmir potatoes", + "pack of 10 ounce kashmir potatoes", + "kashmir potatoes that are ready to eat", + "5 pack of 10 ounce kashmir potatoes", + "8 pack of 10 ounce kashmir potatoes", + "6 pack of 5 ounce kashmir potatoes", + "6 pack of pomegranate potatoes", + "kashmir potatoes ready to eat", + "kashmir potatoes 6 pack", + "kashmir potatoes" + ], + "i need some ready to eat delhi potato entrees.": [ + "ready to eat delhi potato entrees", + "delhi potato entrees ready to eat", + "ready to eat delhi potato entrees.", + "delhi potato entrees that are ready to eat", + "delhi potato entrees", + "gluten free delhi potato entrees", + "almond potato entrees ready to eat", + "vegan delhi potato entrees", + "dining delhi potato entrees", + "dinner delhi potato entrees" + ], + "i need ready to eat gluten free kashmir potatoes that is suitable for the preparation of asian foods. and i would prefer a pack of one": [ + "gluten free kashmir potatoes", + "ready to eat gluten free kashmir potatoes", + "gluten free kashmir potatoes pack of 1", + "ready to eat gluten free kashmir potatoes under 30 dollars", + "gluten free kashmir potatoes pack of one", + "ready to eat gluten free kashmir potatoes under $40", + "ready to eat gluten free kashmir potatoes under 60 dollars", + "bag of gluten free kashmir potatoes", + "pack of gluten free kashmir potatoes", + "kashmir potatoes gluten free" + ], + "i would like some lentils that are ready to eat": [ + "vegan lentils ready to eat", + "vegan lentils that are ready to eat", + "lemon lentils ready to eat", + "pink lentils ready to eat", + "loan lentils ready to eat", + "lens ready to eat", + "plantils ready to eat", + "loans ready to eat", + " lentils ready to eat", + "vegan lentils ready to eat below $40" + ], + "i would like a six pack of ready to eat entrees": [ + "6 pack of ready to eat entrees", + "6 pack ready to eat entrees", + "pack of ready to eat entrees", + "6 pack of ready to eat entrees under $60", + "6 pack of ready to eat entrees under $50", + "six pack of ready to eat entrees", + "6 pack of ready to eat entrees under 50 dollars", + "6 pack of ready to eat entrees under $40", + "6 pack of ready to eat entrees under 30 dollars", + "6 pack of ready to eat entrees under 60 dollars" + ], + "i would like a milky white chair that's easy to clean.": [ + "milky white chair easy to clean", + "milky white chair that is easy to clean", + "milky white chair", + "milky white chair, easy to clean", + "milky white chair easy to clean.", + "milky white chair clean", + "milky white chair, easy to clean,", + "milky white chair easy clean", + "milky white chair, easy to clean.", + "milky white chair clean and easy to clean" + ], + "i am looking for eye shadow that is a soft brass color.": [ + "soft brass eye shadow", + "eye shadow a soft brass color", + "eye shadow soft brass", + "moisturizing eye shadow", + "eye shadow a soft brass", + "soft brass eyes shadow", + "eye shadow soft brass color", + "soft brass eye shadow,", + "soft brass color", + "eye shadow" + ], + "i am looking for dried coconut that is gluten free": [ + "dried coconut gluten free", + " dried coconut that is gluten free", + " dried coconut gluten free", + "rainbow dried coconut gluten free", + "roasted coconut gluten free", + "gluten free dried coconut", + "rain dried coconut gluten free", + "drain dried coconut gluten free", + "rainbow dried coconut", + "dried coconut" + ], + "i need a 30 pair pack of skin care masks for eyes and wrinkles.": [ + "30 pair pack of skin care masks for eyes and wrinkles", + "30 pair pack of skin care masks", + "28 pair pack of skin care masks for eyes and wrinkles", + "skin care masks for eyes and wrinkles 30 pair", + "skin care masks for eyes and wrinkles 30 pair pack", + " 30 pair pack of skin care masks for eyes and wrinkles", + "30 pair pack of skin care mask for eyes and wrinkles", + "20 pair pack of skin care masks for eyes and wrinkles", + "30 pair pack of skin care masks, eyes and wrinkles", + "30 pair pack skin care masks for eyes and wrinkles" + ], + "i'd like to buy about 12 ounces of fully cooked steak strips that are ready to eat.": [ + "12 ounces of fully cooked steak strips", + "12 oz of fully cooked steak strips", + "12 ounce fully cooked steak strips", + "12 ounces fully cooked steak strips", + "8 oz of fully cooked steak strips", + "8 oz fully cooked steak strips", + "12 fully cooked steak strips", + "12 oz fully cooked steak strips", + "strawberry steak strips ready to eat", + "strawberry steak strips" + ], + "i am looking for rubber sole shoes of light beige knit color.": [ + "rubber sole shoes light beige", + "rubber sole shoes of light beige", + "rubber sole shoes of light beige knit", + "stainless beige knit shoes", + "rubber sole shoes light beige knit", + "rubber sole shoes light beige knit color", + "shoes of light beige knit color", + "moisturizing shoes light beige", + "rainbow shoes light beige", + "moisturizing shoes of light beige" + ], + "i want to buy some low-rise ankle booties. look for some in green and in a size seven and a half.": [ + "low-rise ankle booties in a size seven and a half", + "low-rise ankle booties size 7 and a half", + "low-rise ankle booties in a size 7 and a half", + "low-rise ankle booties size seven and a half", + "low-rise ankle booties in green size seven and a half", + "low-rise ankle booties in green size 7 and a half", + "low-rise ankle booties, size 7, a half", + "low-rise ankle booties in green", + "low-rise ankle booties size 7.5", + "low-rise ankle booties size 7" + ], + "i'm looking for ankle boots for women and winter round toe solid color booties.": [ + "knee boots for women winter round toe solid color booties", + "knee boots for women and winter round toe solid color booties", + "foot boots for women winter round toe solid color booties", + "foot boots for women and winter round toe solid color booties", + "knee boots for women, winter round toe solid color booties", + "knee boots for women", + "foot boots for women", + "foot boots for women and winter round toe solid color booties.", + "rainbow boots for women", + "walking boots for women" + ], + "i need khaki steel toe shoes in size 11 women.": [ + "kaki steel toe shoes size 11 women", + "kaki steel toe shoes in size 11 women", + "k khaki steel toe shoes size 11 women", + "khaki steel toe shoes size 11 women", + " khaki steel toe shoes size 11 women", + "curtains size 11 women", + "kimaki steel toe shoes size 11 women", + "kaki steel toe shoes size 11 women.", + " khaki steel toe shoes in size 11 women", + "khamaki steel toe shoes size 11 women" + ], + "i need an amplifier that is easy to install.": [ + "easy to install amplifier", + "easy-to-install amplifier", + "easy to install amplifier under $40", + "easy to install amplifier under $50", + "easy to install amplifier under $60", + "easy to install amplifier under $130", + "easy to install amplifier under $120", + "easy to install amplifier under 30 dollars", + "easy install amplifier", + "easy setup amplifier" + ], + "i am looking for a heavy duty 25 foot 7.6 meter toslink optical cable.": [ + "heavy duty 25 foot 7.6 meter toslink optical cable", + "25 foot 7.6 meter toslink optical cable", + "a heavy duty 25 foot 7.6 meter toslink optical cable", + "heavy duty 25 foot 7.6 meter toslink optical cable.", + "gluten free 25 foot 7.6 meter toslink optical cable", + "28 foot 7.6 meter toslink optical cable", + "25 foot 7.6 meter toslink optical cable under $50", + "super heavy duty 25 foot 7.6 meter toslink optical cable", + "25 foot 7.6 meter toslink optical cable under $40", + "25 foot 7.6 meter toslink optical cable under $60" + ], + "i need a faux fur white andeworld swivel barrel chair for my living room.": [ + "faux fur white andeworld swivel barrel chair", + "faux fur white swivel barrel chair for living room", + "faux fur white swivel barrel chair for my living room", + "faux fur white and swivel barrel chair for living room", + "faux fur white andeworld swivel barrel chair living room", + "faux fur white swivel barrel chair", + "faux fur white and swivel barrel chair", + "faux fur white swivel barrel chair for the living room", + " faux fur white andeworld swivel barrel chair", + " faux fur white swivel barrel chair" + ], + "i am looking for wine red maternity shorts with nylon spandex and pockets.": [ + "wine red maternity shorts with nylon spandex", + "womens red maternity shorts with nylon spandex", + " wine red maternity shorts with nylon spandex", + "wine red maternity shorts with nylon spandex and pockets", + " wine red maternity shorts with nylon spandex and pockets", + "wine red maternity shorts with nylon spandex and pocket", + " wine red maternity shorts with nylon spandex and pocket", + "bottle red maternity shorts with nylon spandex", + "wine red maternity shorts with nylon spandex in pockets", + " wine red maternity shorts with nylon spandex in pockets" + ], + "i need a women's shower gel that is purple and long lasting.": [ + "womens shower gel purple long lasting", + "womens shower gel that is purple long lasting", + "womens shower gel long lasting", + "womens shower gel", + "womens shower gel that is purple", + "womens shower gel purple and long lasting", + "womens shower gel, purple long lasting", + "womens shower gel, purple and long lasting", + "womens shower gel purple", + "womens shower gel, purple, long lasting" + ], + "i am looking for pez toy story 4 themed candy for a birthday party.": [ + "pz toy story 4 themed candy for a baby shower", + "pz toy story 4 themed candy for a birthday party", + "pez toy story 4 themed candy for a baby shower", + "pez toy story 4 themed candy for a birthday party", + "pz toy story 4 themed candy for a birthday party.", + "pz toy story 4 themed candy for a baby shower.", + "pez toy story 4 themed candy for a birthday party.", + " pez toy story 4 themed candy for a baby shower", + " pez toy story 4 themed candy for a birthday party", + "pez toy story 4 themed candy for a baby shower." + ], + "i am looking for gluten free blueberry almond pecan flavor bars.": [ + "gluten free blueberry almond pecan flavor bar", + "gluten free blueberry almond pecan flavor bars", + "gluten free almond pecan flavor bar", + "gluten free almond pecan flavor bars", + "gluten free berry almond pecan flavor bar", + "gluten free berry almond pecan flavor bars", + "gluten free strawberry almond pecan flavor bar", + "gluten free banana almond pecan flavor bar", + "gluten free strawberry almond pecan flavor bars", + "gluten free banana almond pecan flavor bars" + ], + "looking for ultraboost adidas size 6.5 color black and rubber sole": [ + " ultraboost adidas size 6.5 color black rubber sole", + " ultraboost adidas size 6.5 black rubber sole", + " ultraboost adidas size 6.5 color black and rubber sole", + "i ultraboost adidas size 6.5 color black rubber sole", + "i ultraboost adidas size 6.5 color black and rubber sole", + " ultraboost adidas size 6.5 black and rubber sole", + "i ultraboost adidas size 6.5 black rubber sole", + "ultraboost adidas size 6.5 color black rubber sole", + "italaboost adidas size 6.5 color black rubber sole", + " ultraboost adidas black rubber sole" + ], + "i chose as a gift a black adidas originals men's ultraboost 12.5 with rubber sole. notify me so i can purchase today.": [ + "black adidas originals mens ultraboost 12.5", + "black adidas originals mens ultraboost 12.5 rubber sole", + "mens ultraboost 12.5 with rubber sole", + "black mens ultraboost 12.5 with rubber sole", + "manual mens ultraboost 12.5 with rubber sole", + "a black adidas originals mens ultraboost 12.5", + "mens ultraboost 12.5 rubber sole", + "mens ultraboost 12.5", + "black mens ultraboost 12.5", + "alarm clock black" + ], + "buy me some lipstick in spicy mauve. get the one with argan oil in it.": [ + "pink mauve lipstick with argan oil", + "pink in spicy mauve", + "pink in spicy mauve with argan oil", + "pink lipstick in spicy mauve", + "pink in spicy mauve lipstick", + "pink pomegranate mauve lipstick", + "pink lip in spicy mauve", + "pink lip color in spicy mauve", + "pink mauve lipstick", + "pink mauve" + ], + "i'm looking for a maple bacon gluten free with natural flavor, flavor pure orange and size 2 fl oz 24 pack": [ + " maple bacon gluten free 2 fl oz 24 pack", + " maple bacon gluten free 24 pack", + " maple bacon gluten free 24 pack maple bacon", + " maple bacon gluten free 24 pack maple bacon flavor", + " maple bacon gluten free with natural flavor 24 pack", + " maple bacon gluten free 24 pack flavor pure orange", + " maple bacon gluten free 1 fl oz 24 pack", + " maple bacon gluten free 24 pack maple flavor", + " maple bacon gluten free 24 pack under $60", + " maple bacon gluten free 24 pack under $40" + ], + "i'm looking for watkins red velvet 2fl oz (pack of 12) with natural flavors.": [ + "womens red velvet 2fl oz (pack of 12) natural flavors", + "womens red velvet 2fl oz (pack of 12) with natural flavors", + "wetkins red velvet 2fl oz (pack of 12) natural flavors", + "womens red velvet 2fl oz (pack of 12)", + "wetkins red velvet 2fl oz (pack of 12) with natural flavors", + "watchkins red velvet 2fl oz (pack of 12) natural flavors", + "wetkins red velvet 2fl oz (pack of 12)", + "womens red velvet 2fl oz (pack of 12) natural flavors.", + "watkins red velvet 2fl oz (pack of 12) natural flavors", + "womens red velvet 2fl oz (pack of 12), natural flavors" + ], + "i am looking for a jack daniels chocolate liquor cake for perfect gift": [ + "jack daniels chocolate liquor cake for perfect gift", + "jack daniels chocolate liquor cake", + "jack daniels chocolate liquor cake perfect gift", + " jack daniels chocolate liquor cake for perfect gift", + "jack daniels chocolate liquor cake, perfect gift", + "Jack daniels chocolate liquor cake for perfect gift", + "jack daniels chocolate liquor cake for perfect gifts", + "pack of jack daniels chocolate liquor cake", + " jack daniels chocolate liquor cake", + "toothpaste chocolate liquor cake" + ], + "i am looking for a travel size fresh linens impression fragrance body oil.": [ + "travel size fresh linens impression fragrance body oil", + " travel size fresh linens impression fragrance body oil", + "Travel size fresh linens impression fragrance body oil", + "a travel size fresh linens impression fragrance body oil", + "vanity size fresh linens impression fragrance body oil", + "5 ft fresh linens impression fragrance body oil", + "travel size fresh linens scent body oil", + "travel size fresh linens impression fragrance body oil.", + "living linens impression fragrance body oil", + "travel size fresh linens impression fragrance body oil," + ], + "i would like a 15 ml travel size bottle of christian dior miss dior impression.": [ + "15 ml travel size bottle of christian dior miss dior impression", + "14 ml travel size bottle of christian dior miss dior impression", + "16 ml travel size bottle of christian dior miss dior impression", + "10 ml travel size bottle of christian dior miss dior impression", + "15ml travel size bottle of christian dior miss dior impression", + "15 ml travel bottle of christian dior miss dior impression", + "15 ml travel size bottle of christian dior miss dior", + "20 ml travel size bottle of christian dior miss dior impression", + "size bottle of christian dior miss dior impression", + "size bottle of christian dior miss dior impression." + ], + "i am looking for a long lasting eau de parfum sprayer in a 10 ml bottle.": [ + "eau de parfum sprayer in a 10 ml bottle", + "eau de parfum sprayer in a 10 ml bottle.", + "eau de parfum sprayer 10 ml bottle", + "espresso de parfum sprayer in a 10 ml bottle", + "an eau de parfum sprayer in a 10 ml bottle", + "eau de parfum sprayer, 10 ml bottle", + "eau de parfum sprayer in a 10 ml bottle,", + "espresso parfum sprayer in a 10 ml bottle", + "eco de parfum sprayer in a 10 ml bottle", + "eau de parfum sprayer" + ], + "i'm looking for women's square toe sandals that are non-slip and beige high heels.": [ + "womens square toe sandals", + "womens square toe sandals with beige high heels", + "womens square toe sandals non-slip beige high heels", + "womens square toe sandals no slip and beige high heels", + "womens square toe sandals that are non-slip", + "womens square toe sandals no slip", + "mens square toe sandals", + "square toe sandals", + "mens square toe sandals", + "walking shoes" + ], + "i am looking for a size 3 slim fit women's skinny jeans.": [ + "size 3 slim fit womens skinny jeans", + "slim fit womens skinny jeans", + "slim fit womens skinny jeans size 3", + "womens skinny jeans size 3", + "womens skinny jeans size 3 slim fit", + "size 3 slim fit womens skinny jeans.", + "womens skinny jeans", + "slim fit womens skinny jeans.", + "womens skinny jeans in a size 3", + "small womens skinny jeans" + ], + "i am looking for size 9 women's fashion sneakers with vinyl acetate.": [ + "womens fashion sneakers with vinyl acetate size 9", + "size 9 womens fashion sneakers with vinyl acetate", + "womens fashion sneakers with vinyl acetate", + "womens fashion sneakers size 9 vinyl acetate", + "womens fashion sneakers", + "womens fashion sneakers vinyl acetate size 9", + "womens fashion sneakers in vinyl acetate size 9", + "womens fashion sneakers, vinyl acetate size 9", + "size 9 womens fashion sneakers", + "mens fashion sneakers" + ], + "i am looking for a photography background that is lightweight in the color a16 and that is 7 by 5 ft": [ + "light weight photography background that is lightweight in the color a16", + "aluminum photography background that is lightweight in the color a16", + "portrait background lightweight in the color a16", + "portrait background that is lightweight in the color a16", + "lightweight photography background that is 7 by 5 ft", + "a16 photography background that is lightweight in the color a16", + "photography background lightweight in the color a16", + "photography background that is lightweight in the color a16", + "a16 photography background lightweight in the color a16", + "light weight photography background" + ], + "i am looking for slim jeans that are granite color and machine washable.": [ + "slim jeans granite color and machine washable", + "slim jeans granite color", + "slim jeans that are granite color", + " slim jeans granite color and machine washable", + "slim jeans granite color machine washable", + "slim jeans in granite color", + "slim jeans granite color", + "slim jeans", + " slim jeans granite color", + " slim jeans" + ], + "i am looking for men's wrangler relaxed fit jeans that are straw colored.": [ + "mens wrangler relaxed fit jeans that are straw colored", + "mens wrangler relaxed fit jeans", + "mens wrangler relaxed fit jeans straw colored", + "mens wrangler relaxed fit jeans, straw colored", + "mens wrangler relaxed fit jeans with straw colored", + "mens wrangler relaxed fit jeans that are straw colored", + "mens wrangler relaxed fit jeans in straw colored", + "mens wrangler relaxed fit jeans that are straw colored.", + "mens wrangler relaxed fit jeans are straw colored", + "mens wrangler relaxed fit jeans" + ], + "i looking a comfertable fit regular machine wash men's jeans size 32w*36l color :crest": [ + "comfertable fit regular machine wash mens jeans size 32w*36l", + "comfertable fit mens jeans 32w*36l color :crest", + "comfertable fit regular machine wash mens jeans size 32w*36l color", + "comfertable fit regular machine wash mens jeans 32w*36l", + "comfertable fit regular machine wash mens jeans 32w*36l color", + "comfertable fit regular machine wash mens jeans size 32w*36l", + "comfertable fit jeans 32w*36l color :crest", + "comfertable fit regular mens jeans 32w*36l color :crest", + "comfertable fit regular men jeans 32w*36l color :crest", + "comfertable fit mens jeans size 32w*36l color :crest" + ], + "i am looking for slim fit men jean.it shoud be machine washable.": [ + "mens jean.it shoud be machine washable", + "slim fit men jean", + "man jean.it shoud be machine washable", + "men jean.it shoud be machine washable", + "slim fit men jean, machine washable", + "slim fit men jean washable", + "slim fit men jean under $40", + "slim fit men jean under $50", + "slim fit men jean under $60", + "mens jean" + ], + "i am looking for a black chocolate colored relaxed fit boot cut jean. also, i would like the waist size and the length to be 34 and 31 respectively.": [ + "black chocolate colored relaxed fit boot cut jean 34 and 31 respectively", + "black chocolate colored relaxed fit boot cut jean 34 and 31", + "black chocolate colored relaxed fit boot cut jean", + "black chocolate colored relaxed fit boot cut jean, 34 and 31 respectively", + "boot cut jean 34 and 31", + "black chocolate colored relaxed fit boot cut jean 34 and 31 respectively.", + "black chocolate colored relaxed fit boot cut jean size 34 and 31 respectively", + "black chocolate colored relaxed fit boot cut jean.", + "black chocolate colored relaxed fit boot cut jean that is 34 and 31", + "boot cut jean 34 and 31 black" + ], + "i need regular mashine wash jeans that are granite colored and are a size 33w by 34l": [ + "regular mashine wash jeans 33w by 34l", + "regular mashine wash jeans size 33w by 34l", + "mashine wash jeans 33w by 34l", + "regular mashine wash jeans that are granite colored", + "regular mashine wash jeans, 33w by 34l", + "granate wash jeans 33w by 34l", + "regular mashine wash jeans 34w by 34l", + "regular mashine wash jeans 33w by 34l regular", + "regular mashine wash jeans in granite colored", + "regular mashine wash jeans" + ], + "i want a long lasting boot cut jean that has a relaxed fit. pick a gunter color one.": [ + "boot cut jean with relaxed fit", + "boot cut jean with relaxed fit in gunter color", + "boot cut jean with relaxed fit gunter color", + "boot cut jean with relaxed fit, gunter color", + "boot cut jean with relaxed fit with gunter color", + "boot cut jean with relaxed fit, gunter colored", + "boot cut jean with a relaxed fit", + "boot cut jean relaxed fit gunter color", + "boot cut jean that has a relaxed fit", + "boot cut jean relaxed fit" + ], + "i'd like to buy a black touch up dye for covering up roots but with natural ingredients.": [ + "black touch up dye covering up roots", + "black touch up dye covering up roots but with natural ingredients", + "black touch up dye covering up roots with natural ingredients", + "black touch up dye for covering up roots", + "black touch up dye covering up roots but natural ingredients", + "black touch up dye for covering up roots but natural ingredients", + "black touch up dye for covering up roots with natural ingredients", + "black touch up dye covering up roots but natural", + "black touch up dye", + "black hair dye" + ], + "i am looking for a round modern end table having 40x55cm size and is easy to clean.": [ + "tablet 40x55cm", + "round modern end table 40x55cm", + "round modern end table, 40x55cm", + "tablet 40x55cm easy to clean", + "tablet 40x55cm clean", + "tablet with 40x55cm size", + "40x55cm modern end table", + "round modern end table with 40x55cm", + "round modern end table having 40x55cm", + "square modern end table with 40x55cm" + ], + "i am looking for a high definition video projector.": [ + "high definition video projector", + "high definition video projector under $60", + "high definition video projector under $40", + "high definition video projector under $50", + "high definition video projector under $120", + "high definition video projector.", + "high definition video projector under $130", + "high definition video projector under 30 dollars", + "high definition video projector under 50 dollars", + "high definition video projector under 120 dollars" + ], + "i need to buy some sandals with arch support in a women's eleven and a half wide.": [ + "sneakers 11 and a half wide", + "sneakers eleven and a half wide", + "womens sandals with arch support", + "womens sandals", + "sneakers with arch support", + "womens sandals 11 foot wide", + "womens sandals 11 wide", + "sandals with arch support", + "sneakers", + "sneakers 11 and a half wide," + ], + "i am looking for a shoe rack of satin bronze mesh color that is steel coated.": [ + "shoes rack of satin bronze mesh color", + "shoes rack of satin bronze mesh color that is steel coated", + "shoes rack of satin bronze mesh color", + "shoes rack satin bronze mesh color", + "sneakers rack of satin bronze mesh color", + "shoes rack satin bronze mesh color that is steel coated", + "a shoe rack of satin bronze mesh color that is steel coated", + "shoes rack satin bronze mesh color", + "shoes rack satin bronze mesh color that is steel coated", + "shoes rack in satin bronze mesh color that is steel coated" + ], + "i am looking for espresso slat color storage shelf coated with steel.": [ + "espresso slat color storage shelf coated with steel", + "espresso slat color storage shelf coated with steel.", + " espresso slat color storage shelf coated with steel", + "epresso slat color storage shelf coated with steel", + "espresso slat color storage shelf covered with steel", + "alte slat color storage shelf coated with steel", + "espresso slat color storage shelf with steel", + "alarm slat color storage shelf coated with steel", + "eco slat color storage shelf coated with steel", + "espresso slat color storage shelf coated with steel," + ], + "i want to find a large pair of men's shorts with an elastic waistband. the color should be light khaki.": [ + "large mens shorts with an elastic waistband", + "mens shorts with an elastic waistband", + "mens shorts with an elastic waistband light khaki", + "mens shorts light khaki", + "mens shorts with elastic waistband light khaki", + "mens shorts with an elastic waistband", + "mens shorts in light khaki", + "mens shorts light khaki", + "large khaki mens shorts", + "large pair of mens shorts" + ], + "i need facial wax strips for hair removal.": [ + "facial wax strips for hair removal", + "facial wax strips", + "facial wax strips for hair removal.", + "facial wax strips hair removal", + "facial wax strips, hair removal", + "i need facial wax strips for hair removal.", + " facial wax strips for hair removal", + "toothpaste facial wax strips for hair removal", + "moisturizing facial wax strips", + "toothpaste facial wax strips" + ], + "i would like a 1 pound white chocolate covered bag of coffee bean.": [ + "1 pound white chocolate covered bag of coffee bean", + "1 pound white chocolate covered bag of coffee beans", + "one pound white chocolate covered bag of coffee bean", + "white chocolate covered bag of coffee bean", + " 1 pound white chocolate covered bag of coffee bean", + "coffee bean 1 pound white chocolate covered bag", + "cupcake chocolate covered bag of coffee bean", + "bag of coffee bean 1 pound white", + "white chocolate covered bag of coffee beans", + "white chocolate covered bag of coffee bean." + ], + "looking for triple bunkbeds in wood for kids with space saving in white and with a twin bunk bed with trundle and drawers": [ + "kids wood triple bunkbeds with space saving in white and with a twin bunk bed with trundle and drawers", + "kids wood triple bunkbeds with space saving in white", + "triple bunkbeds in wood for kids with space saving in white", + "double bunkbeds in wood for kids with space saving in white", + "three bunkbeds in wood for kids with space saving in white", + "kids wood triple bunkbeds in wood with space saving in white", + "twin bunkbeds in wood for kids with space saving in white", + "triangular bunkbeds in wood for kids with space saving in white", + "wood triple bunkbeds in wood for kids with space saving in white", + "kids wood triple bunkbeds" + ], + "search a perfume body with long lasting and scent impression of love in white and a travel size": [ + "pink body with long lasting scent impression of love in white", + "pink body with long lasting scent impression of love in white travel size", + "pink body long lasting and scent impression of love in white", + "pink perfume body long lasting and scent impression of love in white", + "pink body long lasting and scent impression of love in white travel size", + "pink body long lasting scent impression of love in white travel size", + "pink body long lasting scent impression of love in white", + "pomegranate body long lasting and scent impression of love in white", + "pink body with long lasting and scent impression of love in white", + "pink perfume body with long lasting scent impression of love in white" + ], + "looking for steel toe sneakers no slip with quality materials in green color 6.5 size for men": [ + "steel toe sneakers no slip", + "steel toe sneakers no slip for men", + "steel toe sneakers no slip size for men", + "steel toe sneakers no slip for men 6.5", + "steel toe sneakers no slip men size 6.5", + "steel toe sneakers no slip size 6.5 men", + "steel toe sneakers no slip green", + "steel toe sneakers no slip, green", + "teeth no slip", + "steel toe sneakers" + ], + "i need a set of 15 bpa free and eco-friendly jars.": [ + "15 bpa free and eco-friendly jars", + "15 bpa free eco-friendly jars", + "set of 15 bpa free eco-friendly jars", + "teen bpa free and eco-friendly jars", + "pink bpa free and eco-friendly jars", + "bpa free and eco-friendly jars", + "15 eco-friendly jars", + "15 bpa free and eco-friendly jars.", + "15 bpa free and eco-friendly jar", + "15 bpa free and eco-friendly mason" + ], + "i'm looking for a surge protector that is black and offers usb ports.": [ + "black surge protector with usb ports", + " surge protector that is black and offers usb ports", + " surge protector black with usb ports", + "pumping protector black with usb ports", + "black surge protector with usb port", + "black surge protector that is black with usb ports", + "black surge protector that is black usb ports", + "a surge protector that is black with usb ports", + "black surge protector", + "gaos protector black" + ], + "i want to buy a manual toothbrush for sensitive teeth that has a multicolored wave design on it.": [ + "manual toothbrush for sensitive teeth with multicolored wave design", + "manual toothbrush for sensitive teeth", + "manual toothbrush for sensitive teeth with multicolored wave", + "manual teethbrush for sensitive teeth with multicolored wave design", + "manual toothbrush for sensitive teeth multicolored", + "manual toothbrush for sensitive teeth with multiicolored wave design", + "manual toothbrush for sensitive teeth, multicolored wave design", + "manual toothbrush with multicolored wave design", + "manual toothbrush for sensitive teeth multicolored wave design", + "manual toothbrush for sensitive teeth, multicolored" + ], + "i am looking for a light weight underwater backdrop for a photo studio.": [ + "light weight underwater backdrop for a photo studio", + "light weight underwater backdrop for a photo studio.", + "low weight underwater backdrop for a photo studio", + "low weight underwater backdrop for a photo studio.", + "heavy weight underwater backdrop for a photo studio", + "a light weight underwater backdrop for a photo studio", + "heavy weight underwater backdrop for a photo studio.", + "alarm backdrop for a photo studio", + "light weight underwater backdrop", + "light weight underwater backdrop photo studio" + ], + "i'm looking for long lasting waterproof brow stamp shaping kits, preferably dark brown color.": [ + "long lasting waterproof brow stamp shaping kits dark brown", + "womens waterproof brow stamp shaping kits dark brown", + "waterproof brow stamp shaping kits dark brown", + "daring waterproof brow stamp shaping kits dark brown", + "low lasting waterproof brow stamp shaping kits dark brown", + "long lasting waterproof brow stamp shaping kit dark brown", + "deep lasting waterproof brow stamp shaping kits dark brown", + "dark brown waterproof brow stamp shaping kits", + "dark brown brow stamp shaping kits", + "long lasting waterproof brow stamp shaping kits, dark brown" + ], + "i am loojking for a aluminum alloy single microphone set having black and red color": [ + "aluminum alloy single microphone set black and red", + "aluminum alloy single microphone set", + "single microphone set with black and red color", + "single microphone set black and red", + "aluminum alloy single microphone set, black and red", + "aluminum alloy single microphone set with black red color", + "aluminum alloy single microphone set having black red color", + "aluminum alloy single microphone set black", + "single microphone set black", + "single microphone set" + ], + "i would like a rose gold dual microphone set that comes with batteries included.": [ + "rose gold dual microphone set with batteries", + "rose gold dual microphone set that comes with batteries", + "rose gold dual microphone set", + "rose gold dual microphone set, with batteries", + "rose gold dual microphone set that is with batteries", + "rose gold dual microphone set, with batteries,", + "rose gold dual microphones set that comes with batteries", + "rose gold dual microphones set with batteries", + "rose gold dual microphone set under $40", + "rose gold dual microphone set no batteries" + ], + "i need a fashionable zdfer polo with a slim fit in the green color.": [ + "zdfer polo slim fit in the green color", + "faux zdfer polo slim fit in the green color", + "zdfer polo with a slim fit in the green color", + "zdfer polo slim fit in a green color", + "style zdfer polo slim fit in the green color", + "zdfer polo slim fit in the green", + "slim fit zdfer polo in the green color", + "faux zdfer polo slim fit in the green", + "trendy zdfer polo slim fit in the green", + "zdfer polo slim fit" + ], + "i'm looking to buy a high performance digital camera with optical zoom.": [ + "high performance digital camera with optical zoom", + "high performance digital camera with optical zoom.", + "high performance digital camera with optical zoom under $40", + "high performance digital camera with optical zoom under $60", + "high performance digital camera with optical zoom under $50", + "high performance digital camera", + "high performance digital camera with optical zoom,", + "optical zoom high performance digital camera", + "low performance digital camera with optical zoom", + "high performance digital camera, with optical zoom" + ], + "i need a barebone intel core computer system in an aluminum alloy case with an i7-8850h.": [ + "barebone intel core computer system in an aluminum alloy case with an i7-8850h", + " barebone intel core computer system in an aluminum alloy case with an i7-8850h", + "barebone intel core computer system in aluminum alloy case with an i7-8850h", + "barebone intel core computer system in an aluminum alloy case", + "barebone intel core computer system in an aluminum alloy case i7-8850h", + "barebone intel core computer system with an i7-8850h", + "barebone intel core computer system in an aluminum alloy case i7-8850h.", + "barebone intel core computer system with an i7-8850h.", + "barebone intel core computer system", + "aluminum alloy computer system" + ], + "i would like a 8 g of ram 250 ssd desktop mini with a intel core cpu i7.": [ + "8gb ssd desktop mini with a intel core cpu i7", + "desktop mini with intel core cpu i7", + "desktop mini with a intel core cpu i7", + "8gb i7 desktop mini with a intel core cpu i7", + "8gb desktop mini with a intel core cpu i7", + "desktop mini with intel core cpu i7 8gb", + "desktop mini with an intel core cpu i7", + "8gb of ram 250 ssd desktop mini", + "8 g of ram 250 ssd desktop mini", + "desktop mini with a intel core cpu i7 8gb" + ], + "i would like a hands free cd dvd car stereo reciever.": [ + "hand free cd dvd car stereo reciever", + "hands free cd dvd car stereo reciever", + "clothing free cd dvd car stereo reciever", + "hand free cd dvd car stereo reciever.", + "a hands free cd dvd car stereo reciever", + "clones free cd dvd car stereo reciever", + "hand free dvd car stereo reciever", + "dvd car stereo reciever", + "hands free cd dvd car stereo reciever.", + "hand free cd dvd car stereo reciever," + ], + "i need some concealer for my dark circles that is in shade 03 natural": [ + " concealer for dark circles in shade 03 natural", + " concealer for my dark circles in shade 03 natural", + " concealer for dark circles shade 03 natural", + " concealer for my dark circles, shade 03 natural", + " concealer for my dark circles shade 03 natural", + " concealer for dark circles, shade 03 natural", + "dark circles in shade 03 natural", + " concealer dark circles in shade 03 natural", + " concealer for dark circles", + " concealer for dark circles under $50" + ], + "i need a liquid concealer to fix my dark circles. pick a warm natural shade.": [ + "liquid concealer for dark circles", + "lens concealer warm natural shade", + "levis concealer for dark circles", + "dark circles warm natural shade", + "liquid concealer to fix my dark circles", + "liquid concealer dark circles", + "levis concealer dark circles", + "liquid concealer dark circles warm natural shade", + "dark circles, warm natural shade", + "dark circles warm natural" + ], + "i need a machine washable t-shirt that is pink and in a size medium.": [ + "pink machine washable t-shirt", + "machine washable t-shirt pink", + "pink t-shirt in a size medium", + "machine washable t-shirt pink in a size medium", + "machine washable t-shirt in a size medium", + "machine washable t-shirt that is pink", + "machine washable t-shirt", + "pink machine washable t-shirt that is pink", + "pink t-shirt", + "pink and in a size medium" + ], + "i need an eco friendly window film that is multi color and the size 23.6\" x 59\".": [ + "23.6 x 59 eco friendly window film", + "window film 23.6 x 59", + "window film 23.6 x 59 eco friendly", + "23.6 x 59 window film", + "23.6 x 59 multi color window film", + "24.6 x 59 eco friendly window film", + "22.6 x 59 eco friendly window film", + "23.6 x 59 window film eco friendly", + "window film that is multi color", + "window film" + ], + "i'd like to buy a ready to hang toilet paper holder for size 24 by 30 rolls.": [ + "bathroom paper holder for size 24 by 30 rolls", + "bathroom paper holder 24 by 30 rolls", + "ready to hang toilet paper holder 24 by 30 rolls", + "bathroom paper holder 24 by 30", + "bathroom paper holder size 24 by 30 rolls", + "teeth paper holder for size 24 by 30 rolls", + "toothpaste holder for size 24 by 30 rolls", + "bathroom paper holder size 24 by 30", + "ready to hang toilet paper holder size 24 by 30", + "toothpaste holder 24 by 30 rolls" + ], + "i want a ready to hang wall plaque with a wood finish.": [ + "ready to hang wall plaque with wood finish", + "ready to hang wall plaque", + "ready to hang wall plaque wood finish", + "ready to hang wall plaque, wood finish", + "ready to hang wall plaque in wood finish", + "living wall plaque with wood finish", + "living wall plaque with a wood finish", + "living wall plaque", + "alarm wall plaque", + "white wall plaque" + ], + "i'm looking for black color 1080p hd male to female converter adapter cable for laptop hdtv dvd.": [ + "black color hdtv dvd converter cable", + "black color 1080p hdtv dvd", + "black color hdtv dvd converter adapter", + "black color hdtv dvd converter", + "black color hdtv converter adapter cable", + "black color hdtv dvd", + "black laptop hdtv dvd converter adapter", + "black laptop hdtv converter adapter cable", + "black color hdtv dvd cable", + "tv dvd black color" + ], + "i am interested in machine washable throw pillow covers in a size 28\" by 28\"": [ + "machine washable throw pillow covers in a size 28 by 28", + "machine washable throw pillow covers 28 by 28", + "machine washable throw pillow cover in a size 28 by 28", + "man washable throw pillow covers in a size 28 by 28", + "machine washable throw pillow covers size 28 by 28", + "machine washable throw pillow covers", + "machine washable throw pillow covers that are 28 by 28", + "machine washable throw pillow covers, size 28 by 28", + "machine washable throw pillow cover 28 by 28", + "machine washable throw pillow covers, size 28 by 28," + ], + "i'm looking for a 1.18 fluid ounce pack of oil free hydrating gel cream. i want the flavor to be sienna.": [ + "1.18 fluid ounce pack of oil free hydrating gel cream", + "1.18 fluid ounce pack of oil free hydrating gel cream,", + "a 1.18 fluid ounce pack of oil free hydrating gel cream", + "1.18 fluid ounce pack of oil free hydrating gel cream flavor", + "one.18 fluid ounce pack of oil free hydrating gel cream", + "an oil free hydrating gel cream, 1.18 oz", + "an oil free hydrating gel cream", + "oil free hydrating gel cream 1.18 oz", + "oil free hydrating gel cream", + "an oil free hydrating gel cream flavor" + ], + "i need a console table for the living room that is size 140 by 15 by 100 cm.": [ + "console table for living room size 140 by 15 by 100 cm", + "console table for the living room size 140 by 15 by 100 cm", + "console table for living room 140 by 15 by 100 cm", + "console table for the living room 140 by 15 by 100 cm", + "console table for living room that is 140 by 15 by 100 cm", + "console table size 140 by 15 by 100 cm", + "console table for living room size 140 by 15 by 100 cm.", + "size 140 by 15 by 100 cm console table", + "console table for living room that is size 140 by 15 by 100", + "console table for living room 140 by 15 by 100 cm." + ], + "i'm looking for a tempered glass protector that is easy to install.": [ + "tempered glass protector", + "tempered glass protector that is easy to install", + "tempered glass protector easy to install", + "tempered glass protector, easy to install", + "tempered glass protector, easy to install,", + "tempered glass protector which is easy to install", + "tempered glass protector under $50", + "tempered glass protector under $40", + "tempered glass protectoreasy to install", + "tempered glass protector under $60" + ], + "i am looking for a high quality cosmetic bag of butterfly-1 color.": [ + "beauty bag of butterfly-1 color", + "a high quality cosmetic bag of butterfly-1 color", + "large cosmetic bag of butterfly-1 color", + "low quality cosmetic bag of butterfly-1 color", + "high quality cosmetic bag of butterfly-1 color", + "pink cosmetic bag of butterfly-1 color", + "beautiful bag of butterfly-1 color", + "beauty bag of butterflies-1 color", + "beauty bag of butterfly-1 color.", + "chocolate-1 color cosmetic bag" + ], + "i'm interested in a variety pack of veggie snacks that offer vitamins, but not artificial flavors.": [ + "variety pack of veggie snacks with vitamins", + "variety pack of veggie snacks", + "variety pack of veggie snacks that offer vitamins", + "veggie snacks that offer vitamins, but not artificial flavors", + "variety pack of veggie snacks with vitamins and natural", + "variety pack of veggie snacks no artificial", + "variety pack of veggie snacks no artificial flavor", + "variety pack of veggie snacks with natural flavors", + "veggie snacks with vitamins", + "veggie snacks that offer vitamins" + ], + "i wuold like a purple 190 by 70cm round head linens for my beauty salon.": [ + "pink 190 by 70cm round head linens", + "pink 190 by 70cm round head linens for beauty salon", + "pink 190 by 70cm beauty salon linens", + "pink beauty salon linens", + "pink 190 by 70cm ouold beauty salon linens", + "pink 190 by 70cm round head linens beauty salon", + "plastic 190 by 70cm round head linens for beauty salon", + "plastic 190 by 70cm round head linens", + "pink 190 by 70cm hair salon linens", + "fluoride 190 by 70cm round head linens" + ], + "i would like a 4g lte phone that's device only.": [ + "4g lte phone", + "4g lte phone that is device only", + "4g lte phone, device only", + "4g lte phone thats device only", + "4g lte phone in a device only", + "4g lte phone with a device only", + "4g lte phone which is device only", + "4g lte phone with device only", + "4g lte phone device only", + "4g lte phone thats device only." + ], + "i need a black wireless bluetooth soundbar.": [ + "black wireless bluetooth soundbar", + "black wireless bluetooth soundbar.", + "black wireless bluetooth soundbar,", + "black wireless bluetooth soundbar under $40", + "black wireless bluetooth soundbar under $50", + "black wireless bluetooth soundbar under $60", + "black wireless bluetooth soundbar in a black", + "white wireless bluetooth soundbar", + "black wireless bluetooth soundbar black", + "black bluetooth soundbar" + ], + "i'm looking for a tempered glass window covering film for privacy in my dining room. it should be 23.6in by 47.2in.": [ + "tempered glass window covering film for privacy dining room", + "tempered glass window covering film for privacy", + "tempered glass window covering film for privacy in dining room", + "tempered glass window covering film", + "tempered glass window covering film dining room", + "tempered glass window covering film dining room dining room", + "window covering film for privacy dining room", + "window covering film for privacy", + "tempered glass window", + "window covering film" + ], + "i want to get a 13-ounce pack of mega omega trail mix with no artificial ingredients.": [ + "mega omega trail mix 13 oz", + "mega omega trail mix 13 oz no artificial", + "mega omega trail mix 13ounce pack", + "mega omega trail mix with no artificial", + "mega omega trail mix 13ounce", + "mega omega trail mix 13 ounces no artificial", + "mega omega trail mix no artificial", + "mega omega trail mix 13 oz pack", + "mega omega trail mix 13 oz natural", + "mega omega trail mix" + ], + "i would like oxford shoes that are brown and size 11 x-wide with a rubber sole.": [ + "brown oxford shoes 11 x-wide rubber sole", + "brown oxford shoes 11 x-wide with a rubber sole", + "brown oxford shoes size 11 x-wide rubber sole", + "brown oxford shoes 11 x-wide with rubber sole", + " oxford shoes size 11 x-wide with a rubber sole", + " oxford shoes size 11 x-wide rubber sole", + " oxford shoes 11 x-wide with a rubber sole", + " oxford shoes 11 x-wide rubber sole", + "brown oxford shoes size 11 x-wide with rubber sole", + "brown oxford shoes 11 x-wide rubber sole oxford" + ], + "i need a kids u-shaped toothbrush for sensitive teeth.": [ + "kids u-shaped toothbrush for sensitive teeth", + "kids u-shaped toothbrush for sensitive teeth.", + "kids u-shaped toothbrush for sensitive teeth under $40", + "kids u-shaped toothbrush for sensitive teeth under $60", + "kids u-shaped toothbrush for sensitive teeth under $50", + "kids u-shaped toothbrush for sensitive teeth below $40", + "kids u-shaped toothbrush for sensitive teeth under 50 dollars", + "kids u-shaped toothbrush for sensitive teeth below $60", + "kids u-shaped toothbrush for sensitive teeth below $50", + "kids U-shaped toothbrush for sensitive teeth" + ], + "i am looking for a long sleeve mens hoodie pullover size x-large.": [ + "long sleeve mens hoodie pullover x-large", + "mens hoodie pullover x-large", + "lens hoodie pullover x-large", + "womens hoodie pullover x-large", + "lens hoodie pullover size x-large", + "mens hoodie pullover size x-large", + "large mens hoodie pullover size x-large", + "large mens hoodie pullover", + "hoodie pullover x-large", + "large hoodie pullover" + ], + "i need cupcake toppers for a birthday party that are in the color rg-50th": [ + "cupcake toppers for a baby shower in the color rg-50th", + "cupcake toppers for a birthday party in the color rg-50th", + "cupcake toppers for a baby shower color rg-50th", + "cupcake toppers for a birthday party color rg-50th", + "cupcake toppers for a baby shower", + "cupcake toppers for a baby shower colored rg-50th", + "cupcake toppers for a birthday party", + "cupcake toppers for a birthday party colored rg-50th", + "cupcake toppers for a baby shower, color rg-50th", + "cupcake toppers" + ], + "i need a california king mattress set that has a 4\" foundation": [ + "california king mattress set that has a 4 foundation", + "california king mattress set with a 4 foundation", + "alifornia king mattress set that has a 4 foundation", + "alifornia king mattress set with a 4 foundation", + "california king mattress set 4 foundation", + "a california king mattress set with a 4 foundation", + "california king mattress set", + "alifornia king mattress set 4 foundation", + "calfornia king mattress set with a 4 foundation", + "alifornia king mattress set" + ], + "i'm interested in a table runner that is 72\"x16\"+13\"x19\"x4, easy to clean and machine washable.": [ + "table runner that is 72x16+13x19x4", + "table runner 72x16+13x19x4", + "table runner 72x16+13x19x4 clean and machine washable", + "table runner 72x16+13x19x4 easy to clean", + "table runner that is 72x16+13x19x4 under $40", + "table runner 72x16+13x19x4 clean", + "table runner, 72x16+13x19x4", + "table runner 72x16+13x19x", + "table runner", + "table runner under $40" + ], + "i need jade johnny mbj women's casual comfy wide leg pants in size medium.": [ + "jade johnny mbj womens casual comfy wide leg pants", + "womens casual comfy wide leg pants in size medium", + "comfy wide leg pants in size medium jade johnny mbj", + "comfy wide leg pants in size medium", + " jade johnny mbj womens casual comfy wide leg pants", + "walking pants in size medium jade johnny mbj", + "womens casual comfy wide leg pants in size medium.", + "jade johnny mbj womens jeans in size medium", + "comfy wide leg pants in size medium.", + "jeans wide leg pants in size medium" + ], + "i would like a pair of c clippers for hair cutting.": [ + "c clippers for hair cutting", + "c clippers for hair cutting.", + "two clippers for hair cutting", + "two c clippers for hair cutting", + "duck clippers for hair cutting", + "pair of c clippers hair cutting", + "pair of c clippers", + "c clippers hair cutting", + "clippers for hair cutting", + "c clippers" + ], + "i am looking for easy install and ready hang kitchen artwork-04 with size s-(18x12inches)": [ + "easy install and ready hang kitchen artwork-04", + "easy install kitchen artwork-04 s-(18x12inches)", + "easy install and ready hang kitchen artwork-04 under $50", + "easy install and ready hang kitchen artwork-04 under $120", + "easy install and ready hang kitchen artwork-04 under $60", + "easy install kitchen artwork-04", + "easy install and ready hang kitchen artwork", + "easy install ready hang kitchen artwork-04", + "easy install kitchen artwork", + "living room artwork-04" + ], + "i'm looking for a desktop pc with an intel core i5 processor alongside 16 gb of ram and a 1 tb nvme ssd for storage.": [ + "desktop pc with an intel core i5 processor alongside 16 gb of ram", + "desktop pc with an intel core i5 processor alongside 16gb of ram", + "desktop pc with an intel core i5 processor with 16gb of ram", + "desktop pc with an intel core i5 processor with 16 gb of ram", + "desktop pc with an intel core i5 processor", + "desktop pc with an intel core i5 processor under $130", + "desktop pc with an intel core i5 processor that is 16gb", + "desktop pc with intel core i5 processor", + "desktop pc with i5 processor", + "desktop pc" + ], + "i am looking for endurance crunch granola that comes in a pack of six and is non gmo.": [ + "tempered crunch granola pack of six", + "tempered crunch granola pack of six non gmo", + "temporary crunch granola pack of six non gmo", + "endurance crunch granola pack of six non gmo", + "temporary crunch granola pack of six", + " endurance crunch granola pack of six non gmo", + "tempered crunch granola pack of 6 non gmo", + "endurance crunch granola pack of six", + "encompassing crunch granola pack of six", + "tempered crunch granola pack of 6" + ], + "i am looking for a 12 ounce (pack of 6) of baked fresh granola": [ + "12 ounce (pack of 6) baked fresh granola", + "bag of 6 baked fresh granola", + "baked fresh granola pack of 6", + "pack of 6 baked fresh granola", + "12 oz (pack of 6) baked fresh granola", + "barbecue fresh granola pack of 6", + "barbecue fresh granola 12 oz pack of 6", + "barbecue fresh granola 12 oz pack", + "barbecue fresh granola 12 ounce pack of 6", + "barbecue fresh granola 12 ounce pack" + ], + "i would like a nightstand that is brown with a steel frame.": [ + "nightstand brown with a steel frame", + "nightstand brown steel frame", + "nightstand brown", + "nightstand brown with steel frame", + "daystand brown with a steel frame", + "brown nightstand with a steel frame", + "nightstand that is brown", + "nightstand with a steel frame", + "nightstand brown, steel frame", + "nightstand that is brown steel frame" + ], + "i need a gray nightstand with a steel frame.": [ + "gray nightstand with a steel frame", + "gray nightstand with steel frame", + "grey nightstand with a steel frame", + "gray nightstand with a steel frame.", + "womens nightstand with steel frame", + "gray nightstand with a steel frame,", + "gray nightstand steel frame", + "gray nightstand", + "gray nightstand that is steel frame", + "gray nightstand, steel frame" + ], + "i need a red k22 phone case that comes with a tempered glass screen protector.": [ + "red k22 phone case with a tempered glass screen protector", + "red k22 phone case with tempered glass screen protector", + "red k22 phone case with a tempered glass screen protector.", + "red k22 phone case, tempered glass screen protector", + " red k22 phone case with a tempered glass screen protector", + "red k22 phone case", + "red k22 phone case with a tempered glass screen protector,", + "red k22 phone case that is tempered glass screen protector", + "red k22 phone case tempered glass screen protector", + "red k22 phone case with glass screen protector" + ], + "i need to order a fully assembled tan chair.": [ + "full assembled tan chair", + "a fully assembled tan chair", + "tanned chair", + "tart chair fully assembled", + "tanned chair fully assembled", + "full assembled tan chair.", + "knee chair fully assembled", + "living room tan chair", + "tunnel chair fully assembled", + "sneakers fully assembled" + ], + "i am looking for a high speed 50 foot 8k hdmi cable.": [ + "high speed 50 foot 8k hdmi cable", + "50 foot 8k hdmi cable", + "low speed 50 foot 8k hdmi cable", + "45 foot 8k hdmi cable", + "40 foot 8k hdmi cable", + "8k hdmi cable", + "50 foot 8k hdmi cable high speed", + "high speed 8k hdmi cable", + "90 foot 8k hdmi cable", + "5 foot 8k hdmi cable" + ], + "i'm looking for a size 54w x 29l straight leg levi's men's jean.": [ + "54w x 29l straight leg levis mens jean", + "size 54w x 29l straight leg levis mens jean", + "50w x 29l straight leg levis mens jean", + "28w x 29l straight leg levis mens jean", + "walking leg levis mens jean size 54w x 29l", + "brushed leg levis mens jean", + "muskmens jean size 54w x 29l", + "brittle leg levis mens jean", + "slimming leg levis mens jean", + "walking leg levis mens jean" + ], + "i want to shop for a wooden bedframe in grey.": [ + "wooden bedframe in grey", + "grey wooden bedframe", + "grey wooden bedframe in grey", + "stainless bedframe in grey", + "white wooden bedframe in grey", + "wooden bedframe in grey.", + "grey wood bedframe", + "grey wooden bedframe under $40", + "grey wooden bedframe under $50", + "grey wooden bedframe under $60" + ], + "i am looking for space saving bed with slide for kids without box spring.please choose black color.": [ + "black space saving bed with slide for kids without box spring", + "space saving bed with slide for kids without box spring", + "white space saving bed with slide for kids without box spring", + "space saving bed with slide for kids without box spring black", + "a space saving bed with slide for kids without box spring", + "grey space saving bed with slide for kids without box spring", + "size saving bed with slide for kids without box spring", + "living room with slide for kids without box spring", + "size saving bed with slide for kids without box spring black", + "black space saving bed with slide for kids" + ], + "i'm looking for a sandals with strap platform size 5 open toe in black": [ + "sandals with strap platform size 5 open toe in black", + "sneakers with strap platform size 5 open toe in black", + "sandals with strap platform size 5 open toe", + "sneakers with strap platform size 5 open toe", + " sandals with strap platform size 5 open toe in black", + "foot sandals with strap platform size 5 open toe in black", + "Sandals with strap platform size 5 open toe in black", + "sneakers size 5 open toe in black", + "foot sandals with strap platform size 5 open toe", + "sneakers with strap platform size 5 open toe sandals" + ], + "i am looking for men's size 13 work shoes with arch support and rubber soles.": [ + "mens size 13 work shoes with arch support and rubber soles", + "mens size 13 work shoes with arch support", + "mens size 13 work shoes with arch support, rubber soles", + "mens size 13 work shoes with arch support rubber soles", + "mens size 13 work shoes with arch support with rubber soles", + "mens size 13 work shoes with arch support and rubber sole", + "mens size 13 work shoes, arch support and rubber soles", + "mens size 13 work shoe with arch support and rubber soles", + "mens size 13 work shoes with arch support", + "mens size 13 work shoes" + ], + "i need a 9 ounce pack of chocolate peanut butter keto cereal that is grain free.": [ + "chocolate peanut butter keto cereal 9 oz", + "chocolate peanut butter keto cereal", + "chocolate peanut butter keto cereal 9 ounce", + "9 ounce pack of chocolate peanut butter keto cereal", + "chocolate peanut butter keto cereal 9 ounce pack", + "chocolate peanut butter keto cereal 9 ounces", + "chocolate peanut butter keto cereal, grain free", + "8 ounce pack of chocolate peanut butter keto cereal", + "10 ounce pack of chocolate peanut butter keto cereal", + "chocolate peanut butter keto cereal 9oz" + ], + "i am looking for a tripod that is compatible with apple and that is black and white.": [ + " tripod that is compatible with apple and is black and white", + "p tripod compatible with apple black and white", + " tripod that is compatible with apple and black and white", + "p tripod that is compatible with apple and black and white", + " tripod compatible with apple black and white", + " tripod black and white", + "p tripod black and white", + " tripod that is compatible with apple black and white", + "macro tripod black and white", + "t tripod black and white" + ], + "i need to buy gray synthetic hair extensions. buy the six pack of eight inch extensions.": [ + "gray synthetic hair extensions six pack", + "gray synthetic hair extensions six pack of eight inch", + "gray synthetic hair extensions six pack of eight inches", + "gray synthetic hair extension six pack", + "gray synthetic hair extension six pack of eight inch", + "gray synthetic hair extensions six pack of eight", + "gray synthetic hair extensions six pack of 8 inch", + "gray synthetic hair extensions", + "gray synthetic hair extensions eight pack", + "gray synthetic hair extension six pack of eight inches" + ], + "i am looking for an adult daily wear hoodie sweatshirt size large-x-large.": [ + "hoodie sweatshirt x-large", + "hoodie sweatshirt size large-x-large", + "hoodie sweatshirt size x-large", + "hoodie sweatshirt large-x-large", + "hoodie sweatshirt x-large.", + "adult daily wear hoodie sweatshirt x-large", + "hoodie sweatshirt x-large under $40", + "large-x-large hoodie sweatshirt", + "hoodie sweatshirt x-large under $50", + "hoodie sweatshirt size large x-large" + ], + "i am looking for a light cool brown easy to use hair color kit.": [ + "light cool brown easy to use hair color kit", + "light brown easy to use hair color kit", + "low cool brown easy to use hair color kit", + "light brown easy to use hair color kit.", + "dark brown easy to use hair color kit", + "dark cool brown easy to use hair color kit", + "light pink easy to use hair color kit", + "easy to use hair color kit", + "light cool brown hair color kit", + "light brown hair color kit" + ], + "i want a one count pack of brown permanent hair color with coconut oil.": [ + "one count pack of brown permanent hair color with coconut oil", + "one count pack of brown permanent hair color", + "ones count pack of brown permanent hair color with coconut oil", + "one count pack brown permanent hair color with coconut oil", + "two count pack of brown permanent hair color with coconut oil", + "one count pack of brown permanent hair color, coconut oil", + "1 count pack of brown permanent hair color with coconut oil", + "ones count pack of brown permanent hair color", + "brown permanent hair color with coconut oil", + "one count pack of brown permanent hair color coconut oil" + ], + "i'm looking for gluten-free almond flour cookies that contain flaxseed and sunflower seeds in a smoked barbecue cheedar flavor.": [ + "gluten-free almond flour cookies with flaxseed and sunflower seeds", + "gluten free almond flour cookies that contain flaxseed and sunflower seeds", + "gluten-free almond flour cookies smoked barbecue cheedar flavor", + "gluten free almond flour cookies with flaxseed and sunflower seeds", + "gluten-free almond flour cookies, smoked barbecue cheedar flavor", + "gluten-free almond flour cookies", + "gluten-free almond flour cookies in a smoked barbecue cheedar flavor", + "gluten free almond flour cookies smoked barbecue cheedar flavor", + "gluten-free almond flour cookies under $40", + "gluten free almond flour cookies" + ], + "i am looking for a high performance 18 volt charger adapter for beats by dr dre.": [ + "18 volt charger adapter for beats by dr dre", + "18 volt charger for beats by dr dre", + "18 volt charger adapter", + "18 volt charger adapter beats by dr dre", + "18 volt charger adapter that beats by dr dre", + "18 volt charger adapter, beats by dr dre", + "18 volt charger adapter to beats by dr dre", + "high performance 18 volt charger adapter", + "18 volt charger adapter under $40", + "18 volt charger plug-in" + ], + "please get me an ac adapter with output protection.": [ + "ac adapter with output protection", + "ac adapter no output protection", + "ac adapter that is output protection", + " ac adapter with output protection", + "ac adapter with output protection under $40", + "ac adapter with output protection.", + "a adapter with output protection", + "ac adapter with output protection under $60", + "ac adapter, output protection", + "ac adapter" + ], + "i need to buy a wall art print for my living room in a natural 16\" x 24\" x 3.": [ + "living room wall art print 16 x 24 x 3", + "wall art print in a natural 16 x 24 x 3", + "wall art print living room natural 16 x 24 x 3", + "wall art print for my living room", + "living room wall art print 16 x 24 x 3.", + "wall art print in a natural 16 x 24 x 3.", + "wall art print living room natural 16 x 24 x 3.", + "wall art print", + "wall art print living room", + "living room wall art print" + ], + "i need a s20 tv sound bar that comes with a wireless bluetooth speaker.": [ + "tv sound bar with a wireless bluetooth speaker", + "s20 tv sound bar with wireless bluetooth speaker", + "s20 tv sound bar", + "s20 tv sound bar with bluetooth speaker", + "s20 tv sound bar, wireless bluetooth speaker", + "s20 tv sound bar with a bluetooth speaker", + "tv sound bar with wireless bluetooth speaker", + "s20 tv sound bar wireless bluetooth speaker", + "tv sound bar with wireless bluetooth speaker s20", + "tv sound bar with wireless bluetooth" + ], + "i am looking for wild caught, ready to eat sardines in a tomato sauce.": [ + "wild caught sardines in a tomato sauce", + "wild sardines in a tomato sauce", + "wild caught sardines tomato sauce", + "wild caught sardines in tomato sauce", + " wild caught sardines in a tomato sauce", + "wild sardines in tomato sauce", + "wild sardines tomato sauce", + "wild caught sardines with tomato sauce", + "wild caught sardines tomato sauce under $40", + "wild caught sardines in a tomato sauce." + ], + "i want to find pink horse-shaped cupcake toppers that i can use for a baby shower.": [ + "pink horse-shaped cupcake toppers for a baby shower", + "pink horse-shaped cupcake toppers for baby shower", + "pink horse-shaped cupcake toppers baby shower", + "pink horse-shaped cupcake toppers", + "pink horse-shaped cupcake toppers for baby shower.", + "pink horse-shaped cupcake toppers, baby shower", + "pink horse-shaped cupcake toppers for an baby shower", + "pink human-shaped cupcake toppers for a baby shower", + "pink horse-shaped cupcake toppers, for baby shower", + "pink horse shaped cupcake toppers for a baby shower" + ], + "i am looking for some kosher chocolate bars that are 2 pounds.": [ + "2 kosher chocolate bars 2 pounds", + "kosher chocolate bars 2 pounds", + "2 kosher chocolate bars", + "kosher chocolate bar 2 pounds", + "2 kosher chocolate bar 2 pounds", + "two kosher chocolate bars 2 pounds", + "2 kosher chocolate bar", + "2 kosher chocolate bars under $40", + "2 kosher chocolate bars under $50", + "chocolate bar 2 pounds" + ], + "looking for a coffee table with metal legs for living room rustic style": [ + "coffee table with metal legs for living room rustic style", + "coffee table with metal legs living room rustic style", + "coffee table metal legs for living room rustic style", + "roffee table with metal legs for living room rustic style", + "coffee table with metal legs in living room rustic style", + "coffee table with metal legs, living room rustic style", + "coffee table with metal legs for living room rustic", + "table with metal legs for living room rustic style", + "living room coffee table with metal legs", + "coffee table with metal legs" + ], + "i am looking for a black color radio alarm clock having stereo sound and hands free.": [ + "black radio alarm clock with stereo sound", + "black color radio alarm clock with stereo sound", + "black radio alarm clock", + "black color radio alarm clock", + "black radio alarm clock that is hands free", + "black wireless alarm clock with stereo sound", + "black radio alarm clock, with stereo sound", + "white radio alarm clock with stereo sound", + "black alarm clock with stereo sound", + "black wireless alarm clock" + ], + "i need long lasting honey beige face powder, pack of 1": [ + "long lasting honey beige face powder pack of 1", + "honey beige face powder pack of 1", + "long lasting honey beige face powder, pack of 1", + "vegan honey beige face powder pack of 1", + "toothpaste honey beige face powder pack of 1", + "honey beige face powder, pack of 1", + "a long lasting honey beige face powder pack of 1", + "a honey beige face powder pack of 1", + "lens beige face powder pack of 1", + "long lasting honey beige face powder pack of 1," + ], + "i am looking for a long sleeve men's pullover hoodie, size medium.": [ + "mens pullover hoodie, size medium", + "long sleeve mens pullover hoodie", + "lens pullover hoodie, size medium", + "womens pullover hoodie, size medium", + "long sleeve mens pullover hoodie size medium", + "mens pullover hoodie, size medium", + "large mens pullover hoodie, size medium", + "mens pullover hoodie size medium", + "mens pullover hoodie in a size medium", + "large mens pullover hoodie" + ], + "i need a theater sized pull-down projector screen.": [ + "theater sized pull-down projector screen", + "theater sized pull-down projector screen.", + "home theater sized pull-down projector screen", + "a theater sized pull-down projector screen", + "tvg pull-down projector screen", + "size pull-down projector screen", + "theater sized pull-down projector screen,", + "tablet sized pull-down projector screen", + "home theater sized pull-down projector screen.", + "trouble sized pull-down projector screen" + ], + "i'm looking for a 109\" ultra hd projector screen that's easy to install. also, make it white.": [ + "109 ultra hd projector screen white", + "109 ultra hd projector screen", + "109 ultra hd projector screen in white", + "telescope hd projector screen white", + "104 ultra hd projector screen", + "104 ultra hd projector screen white", + "109 ultra hd projector screen, white", + "109 ultra hd projector screen easy to install", + "telescope hd projector screen", + "telescope hd projector screen in white" + ], + "i am looking for a pull down manual projector screen with aspect ratio 16:10 and ultra hd. also easy to install.": [ + "easy to install pull down manual projector screen", + "pull down manual projector screen 16:10 ultra hd", + "Pull down manual projector screen with aspect ratio 16:10", + "pull down manual projector screen with aspect ratio 16:10", + "Pull down manual projector screen 16:10 ultra hd", + "manual projector screen 16:10 ultra hd", + "manual projector screen with aspect ratio 16:10", + "manual projector screen 16:10", + "easy to install pull down manual projector screen with aspect ratio 16", + "easy to install manual projector screen" + ], + "i'm looking for ultra hd white color television because it looks so nice.": [ + " ultra hd white color television", + "ultra hd white color television", + " ultra hd white color television that looks so nice", + "Ultra hd white color television", + " ultra hd white color television that is so nice", + " ultra hd white color television,", + "u ultra hd white color television", + "white color television ultra hd", + " ultra hd white television", + "tv ultra hd white" + ], + "i'm looking for a new screen for my projector. it should be very easy to install and white. i need a screen of at least 113 inches.": [ + "easy to install and white projector screen", + "white screen for my projector", + "white screen for a projector", + "projector screen of 113 inches", + "easy to install screen for my projector", + "large white screen for a projector", + "a new screen for my projector", + "easy to install screen for a projector", + "white screen for projector", + "white screen" + ], + "i am looking for a ultra hd projection screens of black color": [ + " ultra hd projection screens of black color", + " ultra hd projection screens black", + " ultra hd projection screens of black", + " ultra hd projection screens", + "Ultra hd projection screens of black color", + " ultra hd projection screens with black color", + " ultra hd projection screens black color", + " ultra hd projection screens in black", + " ultra hd projection screens in black color", + " ultra hd projection screens, black" + ], + "i'm looking for a black manual projector screen easy to install of 142\" and 1:1 for project screen": [ + "black manual projector screen easy to install", + "black manual projector screen easy to install of 142 and 1", + "black manual projector screen easy to install 142 and 1:1", + "black manual projector screen easy to install and 1:1", + "black manual projector screen easy to install of 142", + "black manual projector screen", + "black manual projector screen that is easy to install", + "black manual projector screen, easy to install and 1:1", + "black manual projector screen easy to install under $120", + "black manual projector screen easy to install 142 and 1" + ], + "i am looking for a ultra hd projection screen that is 80\"": [ + " ultra hd projection screen that is 80", + " ultra hd projection screen", + "Ultra hd projection screen that is 80", + " ultra hd projection screen under 80 dollars", + " ultra hd projection screen, 80", + " ultra hd projection screen 80", + " ultra hd projection screen with 80", + "projection screen that is 80", + "40 ultra hd projection screen", + " ultra hd projection screen under $40" + ], + "i am looking for150\" white color 4:3, 4k ultra hd 3d ready projector screen": [ + "150 white color 4d ready projector screen", + "150 white color 4x3d ready projector screen", + "150 white color 4:3 projector screen", + "150 white color 4:3 with a projector screen", + "150 white color 4d ready projector screen under $40", + "150 white color 4k ultra hd 3d ready", + "150 white color 4d ready projector screen under $120", + "150 white color 4:3", + "150 white color 4", + "150 white" + ], + "i am looking for an ultra hd pull down projector screen that is 150\" at least? also, can i request black?": [ + " ultra hd pull down projector screen that is 150", + " ultra hd pull down projector screen that is 150 black", + " ultra hd pull down projector screen in 150", + " ultra hd pull down projector screen", + " ultra hd pull down projector screen in black", + "ultra hd pull down projector screen that is 150", + " ultra hd pull down projector screen in a black", + " ultra hd pull down projector screen in a color 150", + " ultra hd pull down projector screen, 150", + " ultra hd pull down projector screen with 150" + ], + "i'm looking for a 109-inch black manual projector screen that is easy to install.": [ + "easy to install 109-inch black manual projector screen", + "109-inch black manual projector screen", + "easy to install black manual projector screen", + "104-inch black manual projector screen", + "telescope black manual projector screen", + "easy-to-install black manual projector screen", + "a 109-inch black manual projector screen", + "easy to install 9 ft black manual projector screen", + "telescope 9 ft black manual projector screen", + "easy to install 109-inch black manual projector screen," + ], + "i am looking for a classic fit pant of stone color.": [ + "classic fit pant of stone color", + "classic fit pant of stone color.", + "classic fit pant of stone color under $40", + "classic fit pant of stone color under $50", + "classic fit pant of stone color under 50 dollars", + "classic fit pant of stone color under $60", + "classic fit pant of stone color under 30 dollars", + "classic fit pant of stone color under 40 dollars", + "classic fit pant of stone color below $40", + "pant of stone color" + ], + "i'm looking for a package of green tea mix that has low calories and is zero sugar. i would also like it in a 48 count package.": [ + "green tea mix with low calories and zero sugar", + "green tea mix low calories and zero sugar", + "green tea mix with low calories and is zero sugar", + "green tea mix that has low calories and zero sugar", + "green tea mix low calories and is zero sugar", + "green tea mix 48 count package", + "green tea mix with zero sugar", + "green tea mix no sugar", + "green tea mix 48 count", + "green tea mix" + ], + "i am looking for low calorie and zero sugar pomegranate green tea drink mix, 48 count": [ + "low calorie and zero sugar pomegranate green tea drink mix 48 count", + "low calorie pomegranate green tea drink mix 48 count", + "low calorie pomegranate green tea drink mix, 48 count", + "pomegranate green tea drink mix 48 count", + "low calorie zero sugar pomegranate green tea drink mix 48 count", + "low calorie zero sugar pomegranate green tea drink mix, 48 count", + "low calorie and zero sugar pomegranate green tea drink mix", + "low calories and zero sugar pomegranate green tea drink mix 48 count", + "pomegranate green tea drink mix, 48 count", + "low calorie and zero sugar pomegranate green tea drink mix 24 count" + ], + "i am looking for 72 packets of mango green tea that is low calorie": [ + "low calorie pomegranate green tea drink mix", + "mango green tea mix that is low calorie", + "pomegranate green tea mix that is low calorie", + "mango green tea drink mix that is low calorie", + "low calorie pomegranate green tea mix", + "pomegranate green tea drink mix low calories", + "pomegranate green tea drink mix low calorie", + "mango green tea mix low calories", + "mango green tea mix low calorie", + "mango green tea pomegranate green tea mix" + ], + "i'm looking for 4.2 ounce gluten free matiz sardine.": [ + "4.2 ounce gluten free matiz sardine", + "4.2 ounce gluten free matiz sardine.", + "4.2 ounce gluten free matiz sardine under $40", + "4.2 ounce gluten free matiz sardine under $50", + "4.2 ounce gluten free matiz sardine under $60", + "4.2 ounce gluten free matiz sardine under 40 dollars", + "4.2 ounce gluten free matiz sardine under 30 dollars", + "4.2 ounce gluten free matiz sardine under 50 dollars", + "4.2 ounce gluten free matiz sardine below $40", + "4.2 ounce gluten free matiz sardine below $50" + ], + "i am looking for a furniture set with 6 inch bun legs and is easy to install.": [ + "living room set with 6 inch bun legs", + "6 ft bun legs", + "6 foot bun legs", + "6 ft bun leg furniture set", + "6 foot bun leg furniture set", + "6 inch bun legs", + "6 ft bun legs, easy to install", + "6 foot bun legs, easy to install", + "6 ft bun legs easy to install", + "6ft bun legs" + ], + "i need to find 20-60x80 monoculars for some bird watching action.": [ + "20-60x80 monoculars for some bird watching action", + "20-60x80 monoculars bird watching action", + "20-60x80 monoculars", + "20-60x80 monoculars for some bird watching", + "20-60x80 monoculars for bird watching action", + "20-60x80 monoculars, bird watching action", + "20-60x80 monoculars with bird watching action", + "20-60x80 binoculars for some bird watching action", + "20-60x80 monoculars that are bird watching action", + "20-60x80 monoculars for a bird watching action" + ], + "i am looking for a brush set without a bag that is made from synthetic hair.": [ + "brush set made from synthetic hair", + "brush set with bag made from synthetic hair", + "brush set that is made from synthetic hair", + "brush set, made from synthetic hair", + "brush set no bag made from synthetic hair", + "brush set without a bag", + "brush set", + "brush set with a bag", + "brush set, made from synthetic hair,", + "brush set natural" + ], + "i need storage cabinets for the living room that are white.": [ + "white storage cabinets for living room", + "white storage cabinets for the living room", + "white storage cabinet for living room", + "white storage cabinets living room", + "white storage cabinets in the living room", + "white storage cabinets in living room", + "white storage cabinets for living room,", + "white storage cabinets for living room.", + "white living room storage cabinets", + "white storage cabinets for living room white" + ], + "i am looking for a red buffet that is easy to assemble and is 14.96 by 11.81 by 27.76 inches.": [ + "red buffet 14.96 by 11.81 by 27.76 inches", + "easy assemble red buffet 14.96 by 11.81 by 27.76 inches", + "red buffet 14.96 by 11.81 by 27.76", + "red buffet 14.96 x 11.81 by 27.76 inches", + "red buffet size 14.96 by 11.81 by 27.76 inches", + "red buffet 13.96 by 11.81 by 27.76 inches", + "red buffet, 14.96 by 11.81 by 27.76 inches", + "easy assemble red buffet 14.96 by 11.81 by 27.76", + "easy to assemble red buffet 14.96 by 11.81 by 27.76", + "red buffet 14.96 by 11.81 by 27.76 inches." + ], + "i want a blue storage cabinet end table for my living room.": [ + "blue storage cabinet end table for my living room", + "blue storage cabinet end table for living room", + "blue storage cabinet end table for living room.", + "blue storage cabinet end table", + "blue storage cabinet end table for the living room", + "blue storage cabinet end table in my living room", + "blue storage cabinet end table for a living room", + "blue storage cabinet end table living room", + "blue storage cabinet end table, living room", + "blue storage cabinet" + ], + "i would like a pair of black binoculars for bird watching.": [ + "pair of black binoculars for bird watching", + "black binoculars for bird watching", + "pair of black binoculars bird watching", + "two black binoculars for bird watching", + "black binoculars for bird watching.", + "black binoculars bird watching", + "pair of black binoculars", + "white binoculars for bird watching", + "2 black binoculars for bird watching", + "two black binoculars for bird watching." + ], + "i want to find a small purple tankini top that teen girls can wear.": [ + "small purple tankini top teen girls can wear", + "small purple tankini top teen girls can wear.", + "small purple tankini top teen girl can wear", + "small purple tankini top teen girl can wear.", + "small purple tankini top", + "small purple tankini top that teen girls can wear", + "small purple tankini top teen girl girl can wear", + "small purple tankini top for teen girls", + "small purple tankini top teen girl girls can wear", + "small purple tankini top teen girls can wear," + ], + "i am looking for a chrome sputnik chandelier for my dining room.": [ + "chrome spuntnik chandelier dining room", + "chrome spuntnik chandelier for dining room", + "chrome spuntnik chandelier dining room.", + "chrome spuntnik chandelier for my dining room", + "chrome spuntnik chandelier dining room,", + "chrome spuntnik chandelier for dining room.", + "plastic spuntnik chandelier dining room", + "chrome spuntnik chandelier", + " chrome spuntnik chandelier dining room", + "chrome spuntnik dining room" + ], + "i am interested in a contemporary style chandelier that is black.": [ + "contemporary style chandelier that is black", + "living style chandelier that is black", + "a contemporary style chandelier that is black", + "contemporary style chandelier black", + "living style chandelier black", + "black contemporary style chandelier that is black", + "white contemporary style chandelier that is black", + "modern style chandelier that is black", + "black contemporary style chandelier", + "contemporary style chandelier in black" + ], + "i would like a charcoal ottoman that's button tufted.": [ + " charcoal ottoman button tufted", + "al charcoal ottoman button tufted", + "blanket tufted charcoal ottoman", + "alarm ottoman button tufted", + "k charcoal ottoman button tufted", + "black charcoal ottoman button tufted", + " charcoal ottoman button tufted.", + "brushed ottoman button tufted", + "pink ottoman button tufted", + "curtoman button tufted" + ], + "i need 1.75 ounces of tikkiya kabab fried fish seasoning mix that is easy to use.": [ + "tikkiya kabab fried fish seasoning mix", + "tikkiya kabab fried fish seasoning mix easy to use", + "tikkiya kabab fried fish seasoning mix, easy to use", + "tea mix for tikkiya kabab fried fish seasoning mix", + "tikkiya kabab fried fish seasoning mix easy to use.", + "tankkiya kabab fried fish seasoning mix that is easy to use", + "tikiya kabab fried fish seasoning mix", + "tankkiya kabab fried fish seasoning mix", + "tea mix for fish seasoning mix", + "pink fish seasoning mix" + ], + "i want a 1.76 ounce pack of easy to prepare chicken tikka shan fried fish recipe and seasoning mix.": [ + "easy to prepare chicken tikka shan fried fish recipe and seasoning mix", + "1.76 ounce pack of easy to prepare chicken tikka shan fried fish", + "1.76 ounce pack of easy to prepare chicken tikka shan fried fish recipe", + "chicken tikka shan fried fish recipe and seasoning mix", + "easy to prepare chicken tikka shan fried fish seasoning mix", + "easy to prepare chicken tikka shan fried fish recipe and seasoning mix.", + "pink chicken tikka shan fried fish recipe and seasoning mix", + "chicken tikka shan fried fish seasoning mix", + "keto shan fried fish seasoning mix", + "1.76 ounce pack" + ], + "i'm looking for fish recipe it was easy to prepare and flavor was tikka masala.": [ + "easy to prepare fish recipe tikka masala", + "easy-to-prep fish recipe tikka masala", + "easy to prepare and flavor fish recipe tikka masala", + "tikka masala fish recipe", + "tikka masala fish recipe easy to prepare", + "easy to prepare and flavor tikka masala fish recipe", + "easy to prepare fish recipe tikka masala under $40", + "easy to prepare fish recipe tikka masala flavor", + "easy to prepare fish recipe tikka masala under $60", + "easy to prepare fish recipe tikka masala under $50" + ], + "i need an easy to use seasoning mix that has a bihari kabab flavor to it.": [ + "easy to use seasoning mix that has a bihari kabab flavor", + "easy to use seasoning mix with a bihari kabab flavor", + "easy to use seasoning mix with bihari kabab flavor", + "easy to use seasoning mix that has a bihari kabab flavor.", + "easy to use seasoning mix, bihari kabab flavor", + "easy to use seasoning mix", + "easy to use seasoning mix bihari kabab flavor", + "easy to use seasoning mix with a bihari kabab flavor.", + "easy to use seasoning mix bhari kabab flavor", + "pink seasoning mix" + ], + "i am looking for spicy fried fish seasoning that is also suitable for vegetarians and easy to use.": [ + "pink fish seasoning", + "pink fish seasoning suitable for vegetarians", + "pink fish seasoning for vegetarians", + "pink fried fish seasoning", + "pink fish seasoning, suitable for vegetarians", + "spicy fried fish seasoning", + "shrimp seasoning that is also suitable for vegetarians", + "pink fried fish seasoning for vegetarians", + "psi fried fish seasoning", + "shrimp seasoning" + ], + "look for a 4.4 ounce three pack of shami kabab seasoning that's easy to use.": [ + "4 oz three pack of shami kabab seasoning", + "3 pack of shami kabab seasoning", + "shami kabab seasoning 4.4 oz", + "4 pack of shami kabab seasoning", + "4.4 ounce shami kabab seasoning", + "3 pack of shami kabab seasoning easy to use", + "pack of shami kabab seasoning 4.4 oz", + "3 pack shami kabab seasoning", + "pack of shami kabab seasoning", + "3 pack of shami kabab seasoning under $40" + ], + "i am looking for a brown finished wood full size platform bed with box springs.": [ + "brown wood full size platform bed with box springs", + "brown finished wood full size platform bed", + "wood full size platform bed with box springs", + "brown full size platform bed with box springs", + "brown finished wood full bed with box springs", + "brown wood full size platform bed", + "brown finish wood full size platform bed", + "brown solid wood platform bed with box springs", + "wood platform bed with box springs", + "wood full size platform bed" + ], + "i'm looking for ladies shoes with a high heel that are open toed, i wear a size 7 and a half.": [ + "womens shoes size 7 and a half", + "womens shoes in a size 7 and a half", + "woman shoes with a high heel size 7 and a half", + "womens shoes, size 7 and a half", + "woman shoes size 7 and a half", + "womens shoes with a high heel", + "womens shoes 7 and a half", + "womens shoes that are open toed", + "woman shoes with a high heel that are open toed", + "womens shoes" + ], + "i need a taco seasoning blend that is sugar free.": [ + "taco seasoning blend sugar free", + "taco seasoning blend that is sugar free", + "taco seasoning blend", + "tac seasoning blend sugar free", + "tac seasoning blend that is sugar free", + "tea seasoning blend sugar free", + "tea seasoning blend that is sugar free", + "taco seasoning blend sugar free.", + "taco seasoning blend, sugar free", + "taco seasoning blend no sugar" + ], + "i need green butt lifting yoga pants in size medium.": [ + "green butt lifting yoga pants in size medium", + "green butt lifting yoga pants size medium", + "green butt lifting yoga pants in size medium.", + "green butt lifting yoga pants in a size medium", + "green butt lifting yoga pants", + "green butt lifting yoga pants in a medium", + "green butt lifting yoga pants in a medium size", + "green butt lifting yoga pants size medium.", + "green butt lifting yoga pants in size medium,", + "green butt lifting yoga pants, size medium" + ], + "buy me a pair of extra small men's sweatpants with a drawstring closure.": [ + "extra small mens sweatpants with drawstring closure", + "extra small mens sweatpants with a drawstring closure", + "mens sweatpants with drawstring closure", + "mens sweatpants with drawstring closure", + "extra small mens sweatpants drawstring closure", + "two small mens sweatpants with drawstring closure", + "extra small mens sweatpants", + "womens sweatpants with drawstring closure", + "extra small mens sweatpants with drawstring", + "extra small mens sweatpants with drawstring closure." + ], + "i need a gray vanity bench with metal legs.": [ + "gray vanity bench with metal legs", + "womens gray vanity bench with metal legs", + "gray vanity bench with metal legs.", + "grey vanity bench with metal legs", + "womens vanity bench with metal legs", + "gray vanity bench, metal legs", + "gray vanity bench metal legs", + "gray vanity bench with metal legs under $40", + "gray vanity bench with metal legs under $50", + "gray vanity bench with metal legs under $60" + ], + "i'm looking for a snow white vanity stool that's 16.3 inches in diameter and 13 inches in height. it needs to have a contemporary design.": [ + "snow white vanity stool 16.3 inches in diameter and 13 inches in height", + "Snow white vanity stool 16.3 inches in diameter and 13 inches in height", + " snow white vanity stool 16.3 inches in diameter and 13 inches in height", + "living room vanity stool 16.3 inches in diameter and 13 inches in height", + "snow white vanity stool 17.3 inches in diameter and 13 inches in height", + "snow white vanity stool 16.3 inches in diameter 13 inches in height", + "shoes 16.3 inches in diameter and 13 inches in height", + "snow white vanity stool 16.3 inches in diameter", + "snow white vanity stool 13 inches in height", + "snow white vanity stool" + ], + "i need a vanity bench that is contemporary and white": [ + "vanity bench that is contemporary and white", + "contemporary and white vanity bench", + "a vanity bench that is contemporary and white", + "contemporary white vanity bench", + "k vanity bench that is contemporary and white", + "vanity bench contemporary and white", + "living room vanity bench contemporary and white", + "living and white vanity bench", + "living room vanity bench contemporary white", + "living room vanity bench" + ], + "i am looking for a mini pc with an intel core i7 with 8 gigabytes of ram, 32 gigabytes of optane memory and is tall.": [ + "i am looking for a mini pc with an intel core i7 with 8 gigabytes of ram and is tall.", + "mini pc with an intel core i7 with 8 gigabytes of ram and is tall.", + "mini pc with an intel core i7 with 8 gigabytes of ram", + "i am looking for a mini pc with an intel core i7 with 8 gigabytes of ram that is tall.", + "i am looking for a mini pc with an intel core i7 with 8 gigabytes of ram, 32 gigabytes", + "i am looking for a mini pc with an intel core i7 with 8 gigabytes of ram which is tall.", + "mini pc i7 with 8 gigabytes of ram", + "mini pc with an intel core i7 with 8 gigabytes of ram, 32 gigabytes", + "i am looking for a mini pc with an intel core i7 with 8 gigabytes of ram", + "mini pc with an intel core i7" + ], + "i am looking for an oil-free eye makeup remover.": [ + "oil-free eye makeup remover", + "an oil-free eye makeup remover", + "lip makeup remover oil free", + "oil-free eye makeup remover.", + "oil free eye makeup remover", + "lip makeup remover oil-free", + "oil-free eyes makeup remover", + "moisturizing eye makeup remover", + "eye makeup remover oil free", + "lip makeup remover" + ], + "i am looking ofr a bag that is 1.7 oz and is easy to carry.": [ + "bag that is 1.7 oz", + "bag 1.7 oz easy to carry", + "1.7 oz bag easy to carry", + "bag easy to carry 1.7 oz", + "bag ofr 1.7 oz", + "bag that is easy to carry", + "1.7 oz bag", + "bag 1.7 oz", + "bag 2.7 oz easy to carry", + "bag size 1.7 oz" + ], + "i need pink gluten free edible glitter.": [ + "pink gluten free edible glitter", + "pink gluten free edible glitter.", + "pink gluten free edible glitter,", + "teen pink gluten free edible glitter", + "pink gluten free glitter", + "pie gluten free edible glitter", + "gluten free edible glitter", + "fruit gluten free glitter", + "teen colored glitter", + "plastic glitter" + ], + "i am looking for a stainless steel compact pocket makeup mirror.": [ + "stainless steel compact pocket makeup mirror", + "stainless steel pocket makeup mirror", + "stainless steel compact pocket makeup mirror.", + "stainless steel compact pocket makeup mirror under $50", + "stainless steel compact pocket makeup mirror under $40", + "stainless steel compact pocket makeup mirror under $60", + "stainless steel compact pocket makeup mirror under 50 dollars", + "stainless steel compact pocket makeup mirror,", + "stainless steel compact pocket makeup mirror under $120", + "stainless steel compact pocket makeup mirror under 30 dollars" + ], + "i am looking for a gray travel carry case that fits doss soundbox.": [ + "gray travel carry case that fits doss soundbox", + "gray travel carry case with doss soundbox", + "gray travel carry case doss soundbox", + "gray travel carry case for doss soundbox", + "gray travel carry case, doss soundbox", + "gray travel carry case", + "grey travel carry case that fits doss soundbox", + "grey travel carry case with doss soundbox", + "gray travel carry case in doss soundbox", + "womens gray travel carry case" + ], + "i need a wireless bluetooth speaker that is blue.": [ + "blue bluetooth speaker", + "blue wireless bluetooth speaker", + "blue wireless bluetooth speaker that is blue", + "blue bluetooth speaker that is blue", + "blue bluetooth speaker that is bluetooth", + "blue bluetooth speaker that is wireless", + "wireless bluetooth speaker that is blue", + "blue wireless bluetooth speaker under $40", + "blue wireless bluetooth speaker under $50", + "blue bluetooth speaker under $40" + ], + "what xx-large short sleeved t-shirts do you have that are loose fitting and for teen girls?": [ + "xx-large short sleeved t-shirt for teen girls", + "xx-large short sleeved t-shirts for teen girls", + "xxl short sleeved t-shirt for teen girls", + "xx-large short sleeved t-shirt", + "xxl short sleeved t-shirt", + "xxl short sleeved t-shirts for teen girls", + "xx-large short sleeved t-shirt for teen girl", + "xx-large short sleeved t-shirts for teen girl", + "xxl short sleeved t-shirt for teen girl", + "xx-large short sleeved t-shirts" + ], + "order an office desk that's easy to assemble.": [ + "office desk easy to assemble", + "office desk that is easy to assemble", + "easy assemble office desk", + "office desk easy to assemble.", + "easy to assemble office desk", + "office desk easy assemble", + "office desk, easy to assemble,", + "office desk, easy to assemble", + "work desk easy to assemble", + "office desk" + ], + "i would like a blue unlocked galaxy a11 that is 128gb and has fast charging.": [ + "blue unlocked galaxy a11 with 128gb", + "blue unlocked galaxy a11 that is 128gb", + "blue unlocked galaxy a11 with fast charging", + "blue unlocked galaxy a11 128gb", + "blue unlocked galaxy a11 with a 128gb", + "blue unlocked galaxy a11 128gb fast charging", + "blue unlocked galaxy a11", + "blue unlocked galaxy a11 with 128gb charging", + "blue unlocked galaxy a11, 128gb", + "blue unlocked galaxy" + ], + "i need a blue phone with 4g lte and charges fast too.": [ + "blue phone with 4g lte", + "blue phone with 4g lte and charges fast", + "blue phone with 4g lte with charges fast", + "blue phone 4g lte", + "blue phone with 4g lte that charges fast", + "blue phone 4g lte with charges fast", + "blue phone with 4g lte charging fast", + "blue phone with 4g lte, charges fast", + "blue phone with 4g lte with charging fast", + "blue phone 4g lte and charges fast" + ], + "i am looking for 4g lte samsung galaxy a71 mobile.please choose black one.": [ + "4g lte samsung galaxy a71 mobile", + "4g lte samsung galaxy a71 mobile phone", + "4g lte samsung galaxy a71 mobile, black", + "4g lte samsung galaxy a71 mobile under $40", + "4g lte samsung galaxy a71 mobile under $60", + "4g lte samsung galaxy a71 mobile under $120", + "4g lte samsung galaxy a71 mobile under $130", + "4g lte samsung galaxy a71 mobile with black", + "4g lte samsung galaxy a71 mobile with a black", + "4g lte samsung galaxy" + ], + "i want a fast charging smartphone with 64 gb memory storage capacity. pick a blue one.": [ + "fast charging smartphone with 64gb memory storage", + "blue fast charging smartphone with 64gb memory storage", + "fast charging smartphone with 64gb memory storage capacity", + "green fast charging smartphone with 64gb memory storage", + "smartphone with 64gb memory storage", + "fast charging smartphone with 64 gb memory storage", + "blue high performance smartphone with 64gb memory storage", + "electric smartphone with 64gb memory storage", + "electric charging smartphone with 64gb memory storage", + "blue fast charging smartphone" + ], + "i need a samsung phone that is blue and is fast charging.": [ + "samsung phone blue fast charging", + "blue samsung phone with fast charging", + "samsung phone blue", + "samsung phone that is blue", + "samsung phone blue with fast charging", + "blue samsung phone", + "samsung phone with fast charging", + "samsung phone with blue charging", + "blue samsung phone that is blue", + "samsung phone" + ], + "i want a black galaxy a71 from simple mobile which has a 128 gb storage and supports fast charging and 4g lte.": [ + "simple mobile black galaxy a71", + "simple mobile black galaxy a71 from simple mobile", + "a71 from simple mobile 128gb", + "a71 from simple mobile 128gb storage", + "simple mobile phone galaxy a71 from simple mobile", + "black galaxy a71 from simple mobile 128gb", + "simple mobile black galaxy a71 with 128gb", + "simple mobile galaxy a71 from simple mobile", + "simple mobile phone galaxy a71", + "a71 from simple mobile" + ], + "i need a 26\" x 16\" and blue grey octopus pillow cover that is machine washable.": [ + "26 x 16 blue grey octopus pillow cover", + "26 x 16 octopus pillow cover that is machine washable", + "26 x 16 and blue grey octopus pillow cover", + "27 x 16 octopus pillow cover that is machine washable", + "23 x 16 octopus pillow cover that is machine washable", + "28 x 16 octopus pillow cover that is machine washable", + "26 x 16 octopus pillow cover", + " 26 x 16 blue grey octopus pillow cover", + "27 x 16 blue grey octopus pillow cover", + "27 x 16 octopus pillow cover" + ], + "i need a panasonic ag-ac30 full hd camcorder with a carrying case.": [ + "panasonic ag-ac30 full hd camcorder with a carrying case", + "panasonic ag-ac30 full hd camcorder with carrying case", + "panasonic ag-ac30 full hd camcorder", + "panasonic ag-ac30 full hd camcorder with a carrying case.", + "pansasonic ag-ac30 full hd camcorder with a carrying case", + "panasonic ag-ac30 full hd camcorder, carrying case", + "ppanasonic ag-ac30 full hd camcorder with a carrying case", + " panasonic ag-ac30 full hd camcorder with a carrying case", + "pantasonic ag-ac30 full hd camcorder with a carrying case", + "panasonic ag-ac30 full hd camcorder carrying case" + ], + "i'm looking for a magnetic phone mount for car with aluminum alloy and small size": [ + "magnate phone mount for car with aluminum alloy", + "temporary phone mount for car with aluminum alloy", + "wireless phone mount for car with aluminum alloy", + "magnetic phone mount for car with aluminum alloy", + "a magnetic phone mount for car with aluminum alloy", + "moto phone mount for car with aluminum alloy", + "magnified phone mount for car with aluminum alloy", + "temporary phone mount for car with aluminum alloy small", + "wireless phone mount for car with aluminum alloy small", + "magnetic phone mount for car with aluminum alloy small" + ], + "i'm looking for a pair of red, relaxed fit, pajama bottoms.": [ + "red pajama bottoms", + "red, relaxed fit pajama bottoms", + "red relaxed fit pajama bottoms", + "red, relaxed fit, pajama bottoms", + "red pajama bottoms, relaxed fit", + "red relaxed fit, pajama bottoms", + "red pajama bottoms under $40", + "red, relaxed fit pajama bottoms.", + "red pajama bottoms that are relaxed fit", + "red pajama bottoms." + ], + "i need water resistant snow boots that are smoky black and are in a size 6 women.": [ + "snow boots size 6 women", + "smoky black snow boots size 6 women", + "moky black snow boots size 6 women", + "water resistant snow boots size 6 women", + "snow boots that are smoky black", + "swimming resistant snow boots size 6 women", + "snow boots in a size 6 women", + "swim boots size 6 women", + "womens snow boots size 6", + "smoky black snow boots size 6" + ], + "i am looking for white curtains that are a size 120\"w by 84\"l": [ + "white curtains 120w by 84l", + "size 120w by 84l white curtains", + "120w by 84l white curtains", + "white curtains size 120w by 84l", + "white curtains a size 120w by 84l", + "white curtains, 120w by 84l", + "size 120w by 84l curtains", + "white curtains 120w x 84l", + "size 120w by 84l white curtains,", + "white curtains" + ], + "i am looking for a coconut refresh flavor sports drink that is sugar free.": [ + "coffee refresh flavor sports drink", + "coffee refresh flavor sports drink sugar free", + " coconut refresh flavor sports drink that is sugar free", + "coconut refresh flavor sports drink", + "sugar free coconut refresh flavor sports drink", + "coconut refresh flavor sports drink sugar free", + "coffee refresh flavor sports drink, sugar free", + "port drink sugar free coconut refresh flavor", + "shoes free coconut refresh flavor sports drink", + "port drink sugar free" + ], + "i would like a two meter in diameter photo background that is easy to carry.": [ + "two meter in diameter photo background", + "two meter in diameter photo background easy to carry", + "two meter in diameter photo background under $50", + "two meter in diameter photo background under $40", + "two meter in diameter photo background under $60", + "two meter in diameter photo background under 30 dollars", + "two meter in diameter photo background under 50 dollars", + "2 meter in diameter photo background", + "two meters in diameter photo background", + "two meter long photo background" + ], + "i am looking for a queen sized bed that is black.": [ + "queen sized bed that is black", + "queen sized bed black", + "queen sized bed in black", + "queen sized bed, black", + "queen sized bed with black", + "queen sized bed", + " queen sized bed that is black", + "black queen sized bed that is black", + "queen sized bed in a black", + "queen sized bed colored black" + ], + "get me a forty pack of old-fashioned popcorn.": [ + "old-fashioned popcorn forty pack", + "40 pack of old-fashioned popcorn", + "40 pack old-fashioned popcorn", + "old-fashioned popcorn", + "two pack of old-fashioned popcorn", + "one pack of old-fashioned popcorn", + "old-fashioned popcorn, forty pack", + "old-fashioned popcorn 40 pack", + "two pack old-fashioned popcorn", + "old-fashioned popcorn under $40" + ], + "i am looking for a hair mask that will treat damaged hair.": [ + "hair mask that will treat damaged hair", + "hair mask that will treat damaged hair.", + "hair mask for damaged hair", + "hair mask that is treat damaged hair", + "hair mask that is treat damaged hair.", + "hair mask for damaged human hair", + "hair mask that can treat damaged hair", + "shoes mask for damaged hair", + "hair mask that can treat damaged hair.", + "hair mask that treat damaged hair" + ], + "i am looking for an easy to clean jewelry box with 10 slots.": [ + "easy clean jewelry box with 10 slots", + "pocket jewelry box with 10 slots", + "easy to clean jewelry box 10 slots", + "jewelry box with 10 slots", + "easy to clean jewelry box", + "pocketed jewelry box with 10 slots", + "5 ft x 10 ft jewelry box", + "beauty box with 10 slots", + "5 ft 5 ft jewelry box", + "5 ft gold jewelry box" + ], + "i am looking for a beige twin sized bed.": [ + "beige twin sized bed", + "beige twin bed", + "twin bed beige", + "beige twin sized bed.", + "living room beige twin sized bed", + "pink twin sized bed", + "womens bed beige", + "bed beige twin sized bed", + "womens twin sized bed", + "womens twin sized bed." + ], + "i'm looking for a heather charcoal or electric blue machine washable athletic polo t-shirt. choose the ones that have short sleeves and in size large.": [ + "electric blue machine washable polo t-shirt in a size large", + "electric blue machine washable athletic polo t-shirt", + "electric blue machine washable athletic polo t-shirt in size large", + "electric blue machine washable polo t-shirt", + "electric blue machine washable athletic polo t-shirt size large", + "electric blue machine washable polo t-shirt in size large", + "electric blue machine washable polo t-shirt size large", + "electric blue polo t-shirt in a size large", + "electric blue polo t-shirt size large", + "electric blue machine washable athletic polo t-shirt in a small" + ], + "i'm looking for a high resolution digital film & photo scanner that is easy to use. choose the black ones that is 9.4 x 7.9 x 5.1 inch in size.": [ + "high resolution digital film & photo scanner 9.4 x 7.9 x 5.1", + "high resolution digital film and photo scanner 9.4 x 7.9 x 5.1", + "high resolution digital film & photo scanner 9.4 x 7.9 x 5.1 black", + "high resolution digital film and photo scanner 9.4 x 7.9 x 5.1 black", + "high resolution digital film & photo scanner that is easy to use", + "high resolution digital film and photo scanner that is easy to use", + "high resolution digital film & photo scanner", + "high resolution digital film and photo scanner", + "high resolution digital film & photo scanner easy to use 9.4 x 7.9 x 5.", + "high resolution digital film & photo scanner under $40" + ], + "i need a light fixture that has glass lampshades with a grain finish": [ + "light fixture glass lampshades with a grain finish", + "light fixture that has glass lampshades", + "light fixture with glass lampshades", + "light fixture with glass lampshades, grain finish", + "light fixture, glass lampshades, grain finish", + "light fixture with grain finish", + "light fixture with a grain finish", + "light fixture in a grain finish", + "light fixture", + "light fixture under $40" + ], + "i want to find a high-resolution mini body camera without a memory version.": [ + "high-resolution mini body camera", + "mini body camera with memory", + "mini body camera without a memory", + "mini body camera with a memory", + "mini body camera", + "large body camera with memory", + "low-resolution mini body camera", + "low resolution mini body camera with memory", + "motor body camera with memory", + "low resolution mini body camera" + ], + "i would like a high quality shower cap that is in a nautical dog pattern.": [ + "nautical dog shower cap", + "shower cap in a nautical dog pattern", + "shower cap that is in a nautical dog pattern", + "shower cap nautical dog pattern", + "bathroom cap in a nautical dog pattern", + "bathroom cap that is in a nautical dog pattern", + "bathroom cap nautical dog pattern", + "high quality shower cap in a nautical dog pattern", + "nautical dog shower cap that is high quality", + "shower cap in a nautical dog pattern." + ], + "i would like a pack of butter cookies from trader joe.": [ + "pack of butter cookies from trader joe", + "pack of butter cookies from trader joe.", + "pack of butter cookies from trader joe pack", + "pack of butter cookies from trader joe. pack", + "pack of butter cookies trader joe", + "pack of butter cookies", + "butter cookies from trader joe pack", + "pack of butter cookies, trader joe", + "pack of peanut cookies from trader joe", + "butter cookies from trader joe" + ], + "i'm looking for a pair of stainless steel barber's scissors for cutting hair.": [ + "stainless steel barbers scissors for cutting hair", + "stainless steel barbers scissors", + "stainless steel barbers scissors cutting hair", + "stainless steel barbers scissors, cutting hair", + "two stainless steel barbers scissors for cutting hair", + "stainless steel barber scissors for cutting hair", + "barbers scissors for cutting hair", + "manual steel barbers scissors for cutting hair", + "two stainless steel barbers scissors", + "sneakers for cutting hair" + ], + "i am looking for a multigroom beard trimmer kit for my face.": [ + "multigroom beard trimmer kit", + "multigroom beard trimmer kit for my face", + "multigroom beard trimmer kit for my face.", + "multigroom beard trimmer kit for the face", + "multigroom beard trimmer kit for my face ", + "multigroom beard trimmer kit for my face,", + "multigroom beard trimmer kit for the face.", + "multigroom beard trimmer kit for a face", + "multigroom beard trimmer kit for me", + "multigroom beard trimmer kit," + ], + "i need a 6 ounce deep conditioner for dry hair that has rose oil and peach scent.": [ + "6 ounce deep conditioner for dry hair with rose oil and peach scent", + "6 ounce deep conditioner for dry hair with rose oil", + "6 ounce deep conditioner for dry hair rose oil and peach scent", + "6 ounce deep conditioner for dry hair with rose oil, peach scent", + "6 ounce deep conditioner for dry hair, rose oil and peach scent", + "6 ounce deep conditioner dry hair with rose oil and peach scent", + "6 ounce deep conditioner for dry hair that has rose oil", + "6 ounce deep conditioner for dry hair whose rose oil and peach scent", + "6 ounce deep conditioner dry hair with rose oil", + "6 ounce deep conditioner for dry hair" + ], + "i am looking for a light brown color hair dye.": [ + "light brown hair dye", + "light brown color hair dye", + "dark brown hair dye", + "light brown human hair dye", + "light brown hair dye.", + "low brown hair dye", + "hair dye light brown", + "heavy brown hair dye", + "light brown colored hair dye", + "light brown hair dye," + ], + "i'm looking for a large sized sports bra that is comfortable to wear during the day.": [ + "large sized sports bra", + "large sized sports bra comfortable to wear", + "large sized sports bra under $50", + "large sized sports bra under $40", + "large sized sports bra under $60", + "large sized sports bra with comfortable fit", + "large sized sports bra under 50 dollars", + "small sized sports bra", + "large size sports bra", + "large tennis bra" + ], + "i'm looking for a pair of women's walking shoes that has a synthetic sole and is colored brown.": [ + "womens walking shoes colored brown", + "womens walking shoes that has a synthetic sole", + "womens walking shoes with synthetic sole colored brown", + "womens walking shoes with synthetic sole", + "womens walking shoes with a synthetic sole", + "womens walking shoes", + "womens walking shoes color brown", + "womens walking shoes, synthetic sole", + "walking shoes colored brown", + "walking shoes that has a synthetic sole" + ], + "i'm looking to buy some walking shoes in size 11 narrow that have a lace closure and are pink multicolored.": [ + "walking shoes size 11 narrow pink multicolored", + "walking shoes in size 11 narrow pink multicolored", + "walking shoes 11 narrow pink multicolored", + "walking shoes in size 11 narrow", + "walking shoes size 11 narrow that have a lace closure", + "walking shoes in size 11 narrow with a lace closure", + "walking shoes size 11 pink multicolored", + "walking shoe size 11 pink multicolored", + "walking shoes in size 11 narrow with lace closure", + "walking shoes size 11 narrow" + ], + "i'm looking for a pair of walking shoes in size 12 wide. choose the ones with synthetic sole and in navy-microfiber color.": [ + "walking shoes in size 12 wide navy-microfiber", + "walking shoes 12 wide navy-microfiber", + "walking shoes size 12 wide navy-microfiber", + "walking shoes 12 wide in navy-microfiber", + "walking shoes 12 wide, navy-microfiber", + "walking shoes size 12 wide, navy-microfiber", + "walking shoes size 12 wide in navy-microfiber", + "walking shoes in size 12 wide", + "walking shoes 12 wide in navy-microfiber color", + "walking shoes 12 wide" + ], + "i am looking for a pair of women's parquet brown walking shoes with a synthetic sole.": [ + "womens parquet brown walking shoes", + "mens parquet brown walking shoes with a synthetic sole", + "womens parquet brown walking shoes no synthetic", + "walking shoes with synthetic sole", + "mens parquet brown walking shoes", + "walking shoes with a synthetic sole", + "woman walking shoes with synthetic sole", + "mens parquet brown walking shoes", + "woman walking shoes with a synthetic sole", + "walking shoes, synthetic sole" + ], + "i would like a pair of size 12.5 natural fabric walking shoes with a synthetic sole.": [ + "walking shoes size 12.5 synthetic sole", + "natural fabric walking shoes with a synthetic sole", + "walking shoes 12.5 natural fabric", + "walking shoes size 12.5", + "walking shoes with synthetic sole", + "size 12.5 natural fabric walking shoes", + "walking shoes size 12.5 synthetic", + "walking shoes 12.5 synthetic", + "walking shoes 12.5 synthetic sole", + "natural fabric walking shoes" + ], + "i am looking for a chocolate colored waterproof bootie for women that has memory foam.": [ + "chocolate colored waterproof bootie for women that has memory foam", + "chocolate colored waterproof bootie for women with memory foam", + "chocolate colored waterproof bootie for women", + "chocolate colored waterproof bootie", + "chocolate colored waterproof bootie for women, with memory foam", + "a chocolate colored waterproof bootie for women that has memory foam", + "chocolate colored waterproof bootie for women with memory foam.", + "ocolate colored waterproof bootie for women that has memory foam", + "chocolate colored waterproof bootie that has memory foam", + "chocolate colored waterproof bootie with memory foam" + ], + "i'm looking for a long sleeved men's hoodie in the size of small.": [ + "lens hoodie in the size of small", + "large mens hoodie in the size of small", + "mens hoodie in the size of small", + "long sleeved mens hoodie", + "large mens hoodie", + "lens hoodie in a size of small", + "large mens hoodie in the size of small.", + "lens hoodie in the size of small.", + "mens hoodie in the size of small.", + "large mens hoodie in the size of small," + ], + "i am looking for an 8 ounce bag of freeze dried strawberries and bananas": [ + "8 ounce bag of freeze dried strawberries and bananas", + "8 ounce bag of freeze dried strawberries and banana", + "28 ounce bag of freeze dried strawberries and bananas", + "8 oz bag of freeze dried strawberries and bananas", + "pack of freeze dried strawberries and bananas", + "8oz bag of freeze dried strawberries and bananas", + "8 ounce bag freeze dried strawberries and bananas", + "8 ounce bag of freeze dried strawberries", + "8 ounce freeze dried strawberries and bananas", + "freeze dried strawberries and bananas 8 oz" + ], + "i am interested in some bundled size freeze-dried strawberries.": [ + "pack of freeze-dried strawberries", + "packaged size freeze-dried strawberries", + "freeze dried strawberries", + "freeze dried strawberries bundle size freeze-dried", + "brittle size freeze-dried strawberries", + "packet size freeze-dried strawberries", + "freeze dried strawberries bundled size freeze-dried", + "banana freeze-dried strawberries", + "freeze dried strawberries under $40", + "pack of freeze-dried strawberries under $40" + ], + "i am looking for peas flavoured dried strawberries.and also choose gluten free.": [ + "pale flavoured dried strawberries", + "pomegranate flavoured dried strawberries", + " peas flavoured dried strawberries", + "pale flavoured dried strawberries gluten free", + " peas flavoured dried strawberries gluten free", + "pale flavoured dried strawberries, gluten free", + " peas flavoured dried strawberries, gluten free", + "peas flavoured dried strawberries gluten free", + "pale flavoured dried strawberries. gluten free", + "peas flavoured dried strawberries" + ], + "i want some freeze dried mangoes.": [ + "i want some freeze dried mangoes.", + "im looking for freeze dried mangoes.", + "freeze dried mangoes", + "freeze dried mangoes freeze dried", + "frozen dried mangoes freeze dried", + "freeze dried mangoes under $40", + "freeze dried mangoes under $50", + "freeze dried mangoes under $60", + "freeze dried mangoes under 50 dollars", + "mango mangoes freeze dried" + ], + "buy me some freeze dried mangoes. get the bundle.": [ + "freeze dried mangoes bundle", + "frozen dried mangoes bundle", + "im looking for freeze dried mangoes under 30 dollars", + "freeze dried mangoes in a bundle", + " freeze dried mangoes bundle", + "freeze dried mangoes bundle under $40", + "freeze dried mangoes bundle under 50 dollars", + "freeze dried mangoes bundle.", + "freeze dried mangoes bundle under $60", + "freezer dried mangoes bundle" + ], + "i need a bundle of dried mangoes that are gluten free.": [ + "pack of dried mangoes gluten free", + "gluten free dried mangoes bundle", + "bag of dried mangoes gluten free", + "mango mangoes gluten free", + "pack of dried mangoes that are gluten free", + "gluten free dried mangoes", + "rainbow dried mangoes gluten free", + "pomegranate dried mangoes gluten free", + "dried mangoes gluten free", + "gluten free dried mangoes under $40" + ], + "please find freeze-dried strawberries + peas , gluten free & vegan made by natierra nature's organic": [ + "freeze-dried strawberries + peas vegan", + "freeze dried strawberries + peas gluten free", + "freeze-dried strawberries + peas gluten free", + "freeze dried strawberries + peas vegan", + "freeze dried strawberries + peas gluten free & vegan", + "freeze dried strawberries + peas gluten free and vegan", + "freeze-dried strawberries + peas", + "freeze dried strawberries + peas", + "strawberry + peas vegan", + "freeze dried strawberries + peas natural" + ], + "help me purchase 1 pack of bundle styled freeze-dried strawberries with mango flavor.": [ + "pack of bundle styled freeze-dried strawberries with mango flavor", + "pack of bundle styled freeze-dried strawberries", + "1 pack of bundle styled freeze-dried strawberries with mango flavor", + "bag of bundle styled freeze-dried strawberries with mango flavor", + "pack of bundle styled freeze-dried strawberries with mango flavor.", + "4 pack of bundle styled freeze-dried strawberries with mango flavor", + "3 pack of bundle styled freeze-dried strawberries with mango flavor", + " bundle styled freeze-dried strawberries with mango flavor", + "1 pack of bundle styled freeze-dried strawberries", + "brittle styled freeze-dried strawberries with mango flavor" + ], + "i would like a gmo free 2.5 ounce pack of dried berries.": [ + "gmo free 2.5 ounce pack of dried berries", + "gmo free 2.5 ounce pack of dried berries.", + "gao free 2.5 ounce pack of dried berries", + "gluten free 2.5 ounce pack of dried berries", + "2.5 ounce pack of dried berries", + "gal gmo free 2.5 ounce pack of dried berries", + "gaos free 2.5 ounce pack of dried berries", + "gmo free 1.5 ounce pack of dried berries", + "two.5 ounce pack of dried berries", + "bag of dried berries" + ], + "i'm looking for gluten free it has high protein it contains healthy.": [ + "gluten free dairy free", + "gluten free dairy free drink mix", + "gluten free", + "gluten free gluten free drink mix", + "gluten free gluten free", + "gluten free high protein drink mix", + "gluten free high protein", + "gluten free high protein dairy free", + "gluten free high protein gluten free", + "gluten free high protein dairy" + ], + "i am looking for organic freeze dried blueberries that should be gluten free and vegan, 1.6 ounce (pack of 1)": [ + "organic freeze dried blueberries 1.6 ounce (pack of 1)", + "organic freeze dried blueberries gluten free 1.6 ounce (pack of 1)", + "organic freeze dried blueberries gluten free and vegan 1.6 ounce (pack of 1)", + "organic freeze dried blueberries, 1.6 ounce (pack of 1)", + "organic freeze dried blueberries, gluten free, 1.6 ounce (pack of 1)", + "organic freeze dried blueberries, 1.6 ounce (pack of 1),", + "organic freeze dried blueberries that should be gluten free and vegan", + "organic freeze dried blueberries, gluten free, 1.6 ounce (pack of 1),", + "organic freeze dried blueberries gluten free 1.6 ounce (pack of 1),", + "organic freeze dried blueberries" + ], + "looking for freeze-dried strawberries that is gluten free also choose style bag": [ + "freeze-dried strawberries style bag", + "freeze dried strawberries style bag", + "freezer dried strawberries style bag", + "strawberry freeze-dried strawberries", + "frozen-dried strawberries style bag", + "freeze-dried strawberries", + "freeze-dried strawberries in style bag", + "freeze dried strawberries that is gluten free", + "freeze dried strawberries", + "strawberry cream cheese style bag" + ], + "i need natierra nature's organic freeze-dried strawberries.": [ + "natierra natures organic freeze-dried strawberries", + "natierra natures organic freeze-dried strawberries.", + "natierra natures organic freeze-dried strawberries under $40", + "natierra natures organic freeze-dried strawberries under $50", + "natierra natures organic freeze-dried strawberries under $60", + "natierra natures organic freeze-dried strawberries under 50 dollars", + "natierra natures organic freeze-dried strawberries under 30 dollars", + "natierra natures organic freeze-dried strawberries under 60 dollars", + "natierra natures organic freeze-dried strawberries under 40 dollars", + "natierra natures organic freeze dried strawberries" + ], + "look for a bundle containing freeze dried strawberries and peas.": [ + "freeze dried strawberries and peas bundle", + "pack containing freeze dried strawberries and peas", + "pack of freeze dried strawberries and peas", + "pack containing freeze dried strawberries and peas.", + "freeze dried strawberries and peas bundle containing freeze dried", + "freeze dried strawberries and peas bundle under $40", + "freeze dried strawberries and peas", + "freeze dried strawberries and peas bundle under $50", + "freeze dried strawberries and peas bundle under 50 dollars", + "freeze dried strawberries and peas bundle under $60" + ], + "am looking for organic freeze-dried strawberries that are gluten & vegan free in a 1.2 ounce package made by natierra nature in banana flavor.": [ + "organic freeze-dried strawberries banana flavor", + "organic freeze-dried strawberries that are gluten free", + "organic freeze-dried strawberries made by natierra nature in banana flavor", + "organic freeze-dried strawberries that are gluten & vegan free", + "organic freeze-dried strawberries that are gluten free and are banana flavor", + "organic freeze-dried strawberries", + "organic freeze-dried strawberries in banana flavor", + "organic freeze-dried strawberries with gluten free flavor", + "organic freeze-dried strawberries natural banana flavor", + "organic freeze-dried strawberries with banana flavor" + ], + "i am looking for a height adjustable faux leather barstool.": [ + "height adjustable faux leather barstool", + "height adjustable faux leather barstool.", + "height adjustable faux leather barstool under $50", + "height adjustable faux leather barstool under $40", + "height adjustable faux leather barstool below $50", + "height adjustable faux leather barstool under $60", + "height adjustable faux leather barstool below $40", + "height adjustable faux leather barstool below $60", + "height adjustable faux leather barstool under 50 dollars", + "height adjustable faux leather barstool," + ], + "i am looking for blue scrub bottoms that are made of polyester cotton and are a size 3x tall.": [ + "blue scrub bottoms 3x tall", + "blue scrub bottoms made of polyester cotton", + "blue scrub bottoms size 3x tall", + "blue scrub bottoms 2x tall", + "blue scrub bottoms 3x tall.", + "blue scrub bottoms in polyester cotton", + "blue scrub bottoms made from polyester cotton", + "blue scrub bottoms threex tall", + "blue scrub bottoms", + "blue scrub bottoms 3x tall," + ], + "i need a usb cable that is high speed and 32 ft.": [ + "usb cable high speed 32 ft", + "high speed and 32 ft usb cable", + "high speed usb cable 32 ft", + "high speed 32 ft usb cable", + "usb cable high speed and 32 ft", + "usb cable for high speed 32 ft", + "usb cable 32 ft high speed", + " usb cable high speed 32 ft", + "usb cable 32 ft", + "usb cable high speed 32 ft." + ], + "need a high speed hdmi cable 2 pack with 100 feet, male to female, pack of 10": [ + "high speed hdmi cable 2 pack with 100 feet, male to female pack of 10", + "high speed hdmi cable 2 pack with 100 feet", + "hdmi cable 2 pack with 100 feet, male to female pack of 10", + "tv hdmi cable 2 pack with 100 feet, male to female pack of 10", + "high speed hdmi cable 2 pack with 100 feet male to female pack of 10", + "hdmi cable 2 pack with 100 feet, male to female, pack of 10", + "tv hdmi cable 2 pack with 100 feet, male to female, pack of 10", + "high speed hdmi cable 2 pack with 100 feet, male to female", + "hdmi cable 2 pack with 100 feet", + "tv hdmi cable 2 pack with 100 feet" + ], + "i'm looking for 1.5 feet (10 pack) high speed hdmi cable male to male with ethernet black": [ + "1.5 feet (10 pack) high speed hdmi cable male to male", + "high speed hdmi cable male to male with ethernet black", + "1.5 foot (10 pack) high speed hdmi cable male to male", + "hdmi cable male to male with ethernet black", + "1.5 ft (10 pack) high speed hdmi cable male to male", + "low speed hdmi cable male to male with ethernet black", + "tv hdmi cable male to male with ethernet black", + "high speed hdmi cable male to male", + "1.5 feet (10 pack) high speed hdmi cable", + "tv dmi cable male to male with ethernet black" + ], + "i'm looking for a 10-pack, of gold-plated, high-speed hdmi male-to-male cables.": [ + "10-pack hdmi male-to-male cables", + "10-pack high-speed hdmi male-to-male cables", + "10-pack hdmi male-to-male cables under $40", + "10-pack hdmi male-to-male cables under $50", + "8-pack hdmi male-to-male cables", + "10-pack hdmi male-to-male cables under $60", + "10-pack hdmi male-to-male cables,", + "10 pack hdmi male-to-male cables", + "10-pack high-speed hdmi male-to-male cables,", + "10-pack high-speed hdmi male-to-male cables." + ], + "i am interested in buying a hdmi male to male ethernet cable which support blu ray streaming and about 1.5 feet in length and high speed communication.": [ + "hdmi male to male ethernet cable", + "hdmi male to male ethernet cable with blu ray streaming", + "hdmi male to male ethernet cable with blu-ray streaming", + "hdmi male to male ethernet cable that support blu ray streaming", + "hdmi male to male ethernet cable which support blu ray streaming", + "hdmi male to male ethernet cable", + "hdmi male to male ethernet cable whose price is high speed", + "hdmi male to male ethernet cable with blu ray streaming", + "tv hdmi male to male ethernet cable", + "hdmi male to male ethernet cable with high speed" + ], + "i want a 2 pack of high speed hdmi male to male cables,": [ + "2 pack of high speed hdmi male to male cables", + "2 pack high speed hdmi male to male cables", + "2 pack hdmi male to male cables", + "2 pack of hdmi male to male cables", + "1 pack of high speed hdmi male to male cables", + "two pack of high speed hdmi male to male cables", + " 2 pack of high speed hdmi male to male cables", + "2 pack high speed hdmi male to male cables,", + "2 pack of high speed hdmi male to male cable", + "high speed hdmi male to male cables 2 pack" + ], + "i'm looking for a 12 feet 4 pack high speed hdmi male to female cable.": [ + "12 feet 4 pack high speed hdmi male to female cable", + "12 foot 4 pack high speed hdmi male to female cable", + "12 ft 4 pack high speed hdmi male to female cable", + "12 feet 4 pack hdmi male to female cable", + "12ft 4 pack high speed hdmi male to female cable", + "12foot 4 pack high speed hdmi male to female cable", + " 12 feet 4 pack high speed hdmi male to female cable", + "12 feet high speed hdmi male to female cable", + "12 feet 4 pack high speed hdmi cable", + "12 feet 4 pack high speed hdmi" + ], + "i would like a alcohol free fragrance.": [ + "alcohol free fragrance", + "alcohol free fragrance under $40", + "alcohol free fragrance under $50", + "alcohol free fragrance.", + "alcohol free fragrance under $60", + "alcohol free fragrance under 30 dollars", + "alcohol free fragrance under 50 dollars", + "alcohol free fragrance under 40 dollars", + "alcohol free fragrance no alcohol", + "alcohol free fragrance for alcohol free" + ], + "i am looking for a fragrance called tous baby cologne spray for kids. it is 3.4 oz and alcohol free.": [ + "baby cologne spray 3.4 oz alcohol free", + "baby cologne spray for kids 3.4 oz alcohol free", + "baby cologne spray 3.4 oz and alcohol free", + "tous baby cologne spray for kids 3.4 oz", + "tous baby cologne spray 3.4 oz alcohol free", + "baby cologne spray for kids 3.4 oz", + "3.4 oz tous baby cologne spray", + "tous baby cologne spray", + "baby cologne spray 3.4 oz", + "3.4 oz baby cologne spray" + ], + "i am looking for a satin brass and frosted hallway light fixtures.": [ + "satin brass and frosted hallway light fixtures", + " satin brass and frosted hallway light fixtures", + "satin brass and frosted hallway light fixtures", + "stainin brass and frosted hallway light fixtures", + "stin brass and frosted hallway light fixtures", + "sitin brass and frosted hallway light fixtures", + "a satin brass and frosted hallway light fixtures", + " satin brass and frosted hallway light fixtures.", + "satin brass and frosted hallway light fixtures.", + "satin brass and frosted hallway light fixture" + ], + "i am looking for a black glass shade for my living room": [ + "black glass shade for living room", + "black glass shade for my living room", + "glass shade for living room", + "living room black glass shade", + "black glass shade for the living room", + "black glass shade living room", + "glass shade for my living room", + "living room glass shade", + "white glass shade for living room", + "glass shade living room" + ], + "i'm trying to find 30 inch linear sconces for my living room with frosted glass shades. the sconces should come in brushed nickel and clear colors.": [ + "30 inch linear sconces for my living room with frosted glass shades", + "30 inch linear sconces for my living room with frosted glass shades in brushed nickel", + "30 inch linear sconces for my living room with frosted glass shades with clear colors", + "30 inch linear sconces for my living room with frosted glass shades,", + "28 inch linear sconces for my living room with frosted glass shades", + "30 inch linear sconces for my living room with frosted glass shades, with clear colors", + "30 inch linear sconces for my living room", + "30 inch linear sconces", + "rainbow color 30 inch linear sconces", + "rainbow colored 30 inch linear sconces" + ], + "i am looking for a dead sea skin care mud mask that is cruelty free and contains aloe vera gel.": [ + "dead sea mud mask with aloe vera", + "dead sea mud mask that is cruelty free", + "dead sea mud mask cruelty free with aloe vera", + "dead sea mud mask cruelty free", + "dead sea mud mask cruelty free aloe vera", + "dead sea mud mask with aloe vera gel", + "dead sea mud mask aloe vera", + "dead sea mud mask", + "dead sea mud mask, cruelty free", + "dead sea mud mask cruelty free aloe vera gel" + ], + "i would like a mint green size 6 dress that's light weight to wear.": [ + "mens green size 6 dress", + "mens green size 6 dress", + "mens green size 6 dress light weight", + "mint green size 6 dress", + "mens green size 6 dress that is light weight", + "mens green size 6 dress, light weight", + "mint green size 6 dress", + "mens green size 6 dress light weight", + "mens green size 6 dress, light weight", + "mens green size 6 dress light weight to wear" + ], + "i want a long sleeved brown shirt that is in a medium.": [ + "long sleeved brown shirt in a medium", + "long sleeved brown shirt", + "medium brown shirt long sleeved brown", + "long sleeved brown shirt with a medium", + "short sleeved brown shirt in a medium", + "long sleeved brown shirt under $50", + "long sleeved brown shirt under $40", + "medium brown shirt long sleeved", + "long sleeved brown shirt, medium", + "short sleeved brown shirt" + ], + "i'm looking for a color b quick release thumb screw tripod.": [ + "color b quick release thumb screw tripod", + "blue quick release thumb screw tripod", + "white quick release thumb screw tripod", + "b quick release thumb screw tripod", + "colored quick release thumb screw tripod", + "pink quick release thumb screw tripod", + "black quick release thumb screw tripod", + "quick release thumb screw tripod", + "quick release thumb screw tripod color b", + "blue quick release thumb screw tripod." + ], + "i need a new end table for the living room. get me a pink one.": [ + "pink end table for living room", + "end table for the living room pink", + "pink end table living room", + "end table for living room pink", + "pink dining table for living room", + "living room end table pink", + "pink end table, living room", + "pink end table dining room", + "pink living room end table", + "pink end table" + ], + "i'm looking for a 4-tier shelving unit and tv stand that is espresso and classic black color. also, it should have engineered wood.": [ + "4-tier shelving unit and tv stand with engineered wood", + "4-tier shelving unit in espresso and classic black color", + "4-tier shelving unit with engineered wood", + "4-tier shelving unit with espresso and classic black color", + "4-tier shelving unit and tv stand", + "4-tier shelving unit and tv stand that is espresso colored", + "4-tier shelving unit in espresso black", + "4-tier shelving unit and tv stand that is espresso black", + "4-tier shelving unit in espresso black color", + "4-tier shelving unit in espresso" + ], + "i am looking for a engineered wood end table for living room in light blue color. also choose pattern of shelving unit + rack display shelf and 3-tier classic tube size.": [ + "engineered wood end table for living room in light blue color", + "engineered wood end table with pattern of shelving unit + rack display shelf and 3-tier classic tube size", + "engineered wood end table in light blue color", + "engineered wood end table for living room in light blue", + "engineered wood end table that is light blue", + "engineered wood end table in light blue color.", + "engineered wood end table in light blue", + "engineered wood end table", + "engineered wood end table light blue color", + "engineered wood end table light blue" + ], + "i am looking for a easy to use beige color shower cap.": [ + "easy to use beige color shower cap", + "easy to use beige shower cap", + "bathroom cap beige", + "bathroom cap easy to use beige", + "5 ft shower cap", + "bathroom cap easy to use", + "beige color shower cap", + "bathroom cap", + "brushed shower cap beige", + "living room shower cap" + ], + "i am looking for s96 pro black android 10 octa-core ip68 fast charging phone": [ + "s96 pro black android 10 octa-core ip68 fast charging phone", + "s96 pro black android 10 with octa-core ip68 fast charging phone", + "s96 pro black android 10 octa-core ip68 fast charging phone s96", + " s96 pro black android 10 octa-core ip68 fast charging phone", + "s96 pro black android 10 octa-core ip68 fast charging phone", + "s96 pro black android 10 octa-core ip68 fast charging phone under $40", + "s96 pro black android 10 octa-core ip68 fast charging phone with s96", + "s96 pro black android 10 octa-core ip68 fast charging phone under $130", + "s96 pro black android 10 octa-core ip68 fast charging phone under $60", + "s96 pro black android 10 octa-core ip68 fast charging phone, s96" + ], + "i want a shampoo and conditioner set for damaged hair with coconut oil, size 32 oz 2 pack": [ + "shampoo and conditioner set for damaged hair with coconut oil 32 oz 2 pack", + "shampoo and conditioner set for damaged hair coconut oil 32 oz 2 pack", + "shampoo and conditioner set for damaged hair with coconut oil 32 oz", + "shampoo and conditioner set for damaged air with coconut oil 32 oz 2 pack", + "shampoo and conditioner set for damaged hair coconut oil 32 oz", + "shampoo and conditioner set for damaged human hair coconut oil 32 oz 2 pack", + "shampoo and conditioner set for damaged hair coconut oil, 32 oz 2 pack", + "shampoo and conditioner set for damaged hair with coconut oil", + "shampoo and conditioner set for damaged hair with coconut oil 2 pack", + "shampoo conditioner set for damaged hair coconut oil 32 oz 2 pack" + ], + "i am looking for 2 mesh laundry bags.": [ + "2 mesh laundry bags", + "two mesh laundry bags", + "2 mesh laundry bags.", + "Mesh laundry bags 2 mesh", + " mesh laundry bags 2 mesh", + "3 mesh laundry bags", + "1 mesh laundry bags", + "2 mesh laundry bags,", + "2 mesh laundry bag", + " mesh laundry bags" + ], + "i'm looking for a pair of men's shoes made from rubber on the outside in the uk size six and half men's.": [ + "mens shoes size six and half mens", + "mens shoes made from rubber six and half mens", + "mens shoes made from rubber size six mens", + "mens shoes made from rubber", + "mens shoes made from rubber on the outside", + "mens shoes size 6 and half mens", + "mens shoes made from rubber six mens", + "mens shoes made from rubber size six", + "mens shoes size six", + "mens shoes" + ], + "i am looking for rubber outsole men shoes. please choose white color.": [ + "rubber outsole men shoes white", + "rubber outsole men shoes", + "rober outsole men shoes white", + "stainless men shoes white", + " rubber outsole men shoes white", + "rubber outsole men shoes black", + "rubber outsole men shoe white", + "mens shoes white", + "shoes white", + "men shoes white" + ], + "i'm looking for a leather phone wallet case compatible with the iphone 11 pro that supports wireless charging.": [ + " leather phone wallet case with wireless charging", + " leather phone wallet case compatible with the iphone 11 pro", + "leather phone wallet case with wireless charging", + "a leather phone wallet case with wireless charging", + "faux phone wallet case with wireless charging", + "black leather phone wallet case with wireless charging", + "bagel case with wireless charging", + " leather phone wallet case with wireless charging iphone 11", + "bagel case with wireless charging iphone 11", + "leather phone wallet case with wireless charging iphone 11" + ], + "i would like aa sea wave phone case of the iphone 6 that supports wireless charging.": [ + "sea wave phone case with wireless charging", + "a sea wave phone case of the iphone 6", + "sea wave phone case of the iphone 6", + "a sea wave phone case with wireless charging", + "sea wave phone case", + "sea wave phone case with wireless charging iphone 6", + "sea wave phone case iphone 6 with wireless charging", + "sea wave phone case that supports wireless charging", + "sea wave phone case of iphone 6", + "sea wave phone case, iphone 6" + ], + "i need an iphone x case with wireless charging in a butterfly color.": [ + "iphone x case with wireless charging", + "iphone x case wireless charging in a butterfly color", + "iphone case with wireless charging in a butterfly color", + "iphone x case with wireless charging in a butterfly", + "iphone x case with wireless charging in butterfly color", + "iphone x case with wireless charging with butterfly color", + "iphone x case with wireless charging, butterfly color", + "iphone x case with wireless charging a butterfly color", + "iphone x case", + "iphone x case wireless charging" + ], + "i need an easy to carry travel bag for shampoo.": [ + "easy to carry travel bag for shampoo", + "pocket travel bag for shampoo", + "5 ft travel bag for shampoo", + "5 foot travel bag for shampoo", + "easy to carry travel bag", + "light weight travel bag for shampoo", + "pocket travel bag for shampoo.", + "small travel bag for shampoo", + "walking bag for shampoo", + "5 ft travel bag" + ], + "i'm looking for a security camera that has motion detection functionality.": [ + "security camera with motion detection", + "security camera that has motion detection", + "security camera that has motion detection functionality", + "security camera motion detection", + "security camera with motion detection functionality", + "security camera, motion detection", + "security camera with motion detection,", + "security camera which has motion detection", + "security camera", + "security camera no motion detection" + ], + "i am looking for a 50 pack of white non-slip spa headbands.": [ + "50 pack white non-slip spa headbands", + "white non-slip spa headbands", + "white non-slip spa headbands 50 pack", + "50 pack white non-slip spa headband", + "white non-slip spa headband", + "50 pack non-slip spa headbands", + "50 white non-slip spa headbands", + "silicone non-slip spa headbands", + "glamping headbands 50 pack", + "50 pack" + ], + "i am looking for teeth whitening toothpaste with a passion fruit flavor.": [ + "teeth whitening toothpaste with a passion fruit flavor", + "toothpaste with a passion fruit flavor", + " teeth whitening toothpaste with a passion fruit flavor", + "teeth whitening toothpaste", + "teeth whitening toothpaste that is passion fruit flavor", + "teeth whitening toothpaste, passion fruit flavor", + "teeth whitening toothpaste with passion fruit flavor", + "teeth whitening teethpaste with a passion fruit flavor", + "tetpaste with a passion fruit flavor", + "toothpaste with passion fruit flavor" + ], + "i would like some purple toothpaste that whitens teeth.": [ + "pink toothpaste whitens teeth", + "pink toothpaste that whitens teeth", + "pink toothpaste whitens teeth.", + "purple toothpaste whitens teeth", + "pink toothpaste, whitens teeth", + "plastic toothpaste whitens teeth", + "pink toothpaste teeth whitens teeth", + "pink toothpaste", + "pink toothpaste for teeth", + "toothpaste whitens teeth" + ], + "i'm looking for a long lasting 3.3 oz edt spray for men.": [ + "3.3 oz edt spray for men", + "long lasting 3.3 oz edt spray for men", + "3.3 oz edt spray for men.", + "3 oz edt spray for men", + "daring 3.3 oz edt spray for men", + "3.3 oz edt spray", + "4.3 oz edt spray for men", + "3 ft edt spray for men", + "3.3 oz edt spray for men,", + "3.3 oz edt spray men" + ], + "im looking for fragrance its for long lasting.": [ + "scented fragrance long lasting", + "scented for long lasting.", + "scented long lasting fragrance", + "scented fragrance its long lasting", + "pink fragrance long lasting", + "sneakers long lasting", + "tempered fragrance long lasting", + "beauty its long lasting", + "scented its for long lasting", + "scented long lasting perfume" + ], + "i need a wildlife novelty polyester cotton multi color sock which is suitable for women's 6-11": [ + "womens 6-11 wildlife novelty polyester cotton multi color sock", + "wildlife novelty polyester cotton multi color sock for womens 6-11", + "wildlife novelty polyester cotton multi color sock", + "womens 6-11 Wildlife novelty polyester cotton multi color sock", + " wildlife novelty polyester cotton multi color sock for womens 6-11", + " wildlife novelty polyester cotton multi color sock", + "womens 6-11 wildlife novelty polyester", + "animal novelty polyester cotton multi color sock", + " Wildlife novelty polyester cotton multi color sock", + "womens 6-11" + ], + "i want to find decorative, multi-colored vinyl dots for my living room windows. the size should be 17.7 inches by 23.6 inches.": [ + "vinyl dots 17.7 x 23.6 inches", + "colored vinyl dots 17.7 x 23.6 inches", + "rainbow color vinyl dots 17.7 x 23.6 inches", + "rainbow colored vinyl dots 17.7 x 23.6 inches", + "color vinyl dots 17.7 x 23.6 inches", + "vinyl dots 17.7 x 23.6", + "vinyl dots 17.7 x 23.6 x 9 inches", + "vinyl dots 17.7 x 23.6 inches.", + "vinyl dots 17.7 x 23.6 inches under $50", + "rainbow color vinyl dots 17.7 x 23.6" + ], + "buy me ten pounds of low calorie coconut water.": [ + "10 pounds of low calorie coconut water", + "10 pounds low calorie coconut water", + "10 pound low calorie coconut water", + "low calorie coconut water", + "low calorie coconut water ten pounds", + "chocolate coconut water ten pounds", + "chocolate coconut water", + "low calorie coconut water drink mix", + "low calorie coconut water ten pound", + "stainless sugar coconut water" + ], + "i am looking for chocolate scent candles that is long lasting.": [ + "chocolate scent candles long lasting", + "chocolate scent candles that is long lasting", + "chocolate scent candles long lasting.", + "chocolate scent candles that are long lasting", + "chocolate scent candles", + "chocolate scent candles, long lasting", + "pink chocolate scent candles long lasting", + "strawberry scent candles long lasting", + "ocolate scent candles long lasting", + "long lasting chocolate scent candles" + ], + "i'm looking for soy wax for making candles.": [ + "soy wax candles", + "soy wax candles", + "soy wax candles under $50", + "soy wax candles under $40", + "soy wax candles under $60", + "soy wax candles for candles", + "soy wax candles under 50 dollars", + "sneakers soy wax", + "sneakers soy wax candles", + "soy wax candles under $50" + ], + "i'm looking for spy wax it was making for candles.": [ + "spy wax candles", + " spy wax candles", + "espresso wax candles", + "spy wax candles under $50", + "spy wax candles under $40", + "sneaky wax candles", + "spy wax candles under $60", + "espionage wax candles", + "spy wax candles under 50 dollars", + " spy wax candles under $50" + ], + "i want a 16 ounce happy new year candle made from soy.": [ + "16 ounce happy new year candle made from soy", + "16 ounce happy new year candle made from soy.", + "16 ounce happy new years candle made from soy", + "teen ounce happy new year candle made from soy", + "16 ounce happy new year candle made from soy,", + "16 ounce happy new year candle", + " 16 ounce happy new year candle made from soy", + "16 oz happy new year candle made from soy", + "16 ounce happy new year candle, made from soy", + "17 ounce happy new year candle made from soy" + ], + "i am looking for a high quality round head 70x185cm spa bed cover.": [ + "round head 70x185cm spa bed cover", + "70x185cm spa bed cover", + "60x185cm spa bed cover", + "90x185cm spa bed cover", + "71x185cm spa bed cover", + "60 x185cm spa bed cover", + "round head 70x185cm spa bed cover.", + "70x185cm spa bed cover, high quality", + "round head 70x185cm spa bed cover,", + "70x185cm spa bed cover." + ], + "i am interested in a 15.6 inch laptop carrying case that is gray.": [ + "15.6 inch laptop carrying case", + "15.6 laptop carrying case that is gray", + "size 15.6 inch laptop carrying case", + "15.6 laptop carrying case", + "15.6 inch laptop carrying case, gray", + "size 15.6 laptop carrying case", + "15.6 inch laptop carrying case with gray", + "15.6 inch laptop carrying case gray", + "gray laptop carrying case", + "womens laptop carrying case" + ], + "i am looking for a gray bags, cases & sleeves \u203a sleeves for carrying case": [ + "gray bags, cases & sleeves for carrying case", + "gray bags, cases & sleeves", + "gray bags, cases and sleeves for carrying case", + "gray bags, cases & sleeves \u203a sleeves", + "gray bags, case sleeves for carrying case", + "gray bags, case sleeves, carrying case", + "gray bags with sleeves for carrying case", + "gray bags, cases & sleeves under $40", + "gray bags, cases & sleeves under $50", + "gray bags, cases & sleeves under $60" + ], + "i am looking for plastic refillable spray bottles that are easy to use.": [ + "plastic refillable spray bottles", + "plastic refillable spray bottles easy to use", + "plastic refillable spray bottles, easy to use", + "pink spray bottles that are easy to use.", + "pink spray bottles that are easy to use", + "plastic refillable spray bottles for spray bottles", + "plastic refillable spray bottles for easy to use", + "plastic refillable spray bottles under $40", + "plastic refillable spray bottles easy to use.", + "plastic refillable spray bottles under $50" + ], + "i need a 7 layer bookshelf for my living room.": [ + "7 layer bookshelf for my living room", + "7 layer bookshelf for living room", + "7 layer bookshelf for the living room", + "6 layer bookshelf for my living room", + "7 layer bookshelf for living room.", + "8 layer bookshelf for my living room", + "7 layer bookshelf in my living room", + "7 layer bookshelf", + "7 layer bookshelf living room", + "wooden bookshelf for living room" + ], + "i'd like to buy a cellphone case for my iphone. i want a black one made out of carbon fiber.": [ + "phone case made out of carbon fiber", + "black iphone case made out of carbon fiber", + "iphone case made out of carbon fiber", + "black cellphone case made out of carbon fiber", + "phone case made out of carbon fiber iphone", + "bag phone case made out of carbon fiber", + "black phone case made out of carbon fiber", + "phone case made from carbon fiber", + "phone case for iphone black", + "black iphone case" + ], + "i'm looking for a carbon fiber iphone 11 case, preferably the red color.": [ + "carbon fiber iphone 11 case in red", + "carbon fiber iphone 11 case red", + "carbon fiber iphone 11 case in a red", + "carbon fiber iphone 11 case", + "carbon fiber iphone 11 case, red", + "iphone 11 case, preferably the red color,", + "iphone 11 case, preferably the red color", + "carbon fiber iphone 11 case in red", + "carbon fiber iphone 11 case with red color", + "carbon fiber iphone 11 case in red color" + ], + "i want to buy a tea-themed gift basket.": [ + "tea-themed gift basket", + "tea-themed gift basket.", + "tea-themed gift basket under 50 dollars", + "tea-themed gift basket under $50", + "tea-themed gift basket under 40 dollars", + "tea-themed gift basket under $40", + "tea-themed gift basket under 30 dollars", + "tea-themed gift basket under $60", + "tea-themed gift basket under 60 dollars", + "tea-themed gift basket under 120 dollars" + ], + "i'm looking for a size 40x30 inch super soft cute cartoon dinosaurs": [ + "size 40x30 inch super soft cute cartoon dinosaurs", + "40x30 inch super soft cute cartoon dinosaurs", + "super soft cute cartoon dinosaurs", + "super soft cute cartoon dinosaurs size 40x30", + "super soft cute cartoon dinosaurs size 40x30 inch", + "super soft cute cartoon dinosaurs size 40x30 inches", + "slimming cartoon dinosaurs size 40x30 inch", + "50x30 inch super soft cute cartoon dinosaurs", + "slimming cartoon dinosaurs size 40x30 inches", + "slimming cartoon dinosaurs" + ], + "i'm looking for a black noise cancelling wireless headphones": [ + "black noise cancelling wireless headphones", + "white noise cancelling wireless headphones", + "black noise cancelling wireless headphones,", + "silicone noise cancelling wireless headphones", + "noise cancelling wireless headphones", + "low noise cancelling wireless headphones", + "sound cancelling wireless headphones", + "black noise cancelling wireless", + "sneakers black", + "black wireless headphones" + ], + "i'm looking for long-lasting anti-perspirant that is unscented.": [ + "anti-perspirant that is unscented", + "anti-perspirant long-lasting unscented", + "anti-perspirant", + "anti-perspirant long-lasting", + "anti-perspirant that is unscented.", + "anti-perspirant unscented", + "ant-perspirant long-lasting unscented", + "long-lasting anti-perspirant", + "anti-perspirant, unscented", + "anti-perspirant no unscented" + ], + "i want to buy a high performance s-video cable.": [ + "s-video cable high performance", + "s-video cable", + "high performance s-video cable", + "tv cable high performance s-video cable", + "s-video cable that is high performance", + "tv cable high performance", + "s-video cable, high performance", + "high performance s-video cable.", + "s-video cable with high performance", + "s-video cable." + ], + "i need a slim fit blouse that is a 4x large and is multicolored.": [ + "slim fit blouse 4x large multicolored", + "4x large blouse multicolored", + "slim fit blouse multicolored", + "4xl blouse multicolored", + "4x large multicolored blouse", + "slim fit blouse that is a 4x large", + "4x large multicolored blouse slim fit", + "slim fit blouse 4x large", + "slim fit blouse with multicolored", + "slim fit blouse" + ], + "i need 300 alcohol free cleansing wipes": [ + "300 alcohol free cleansing wipes", + "alcohol free cleansing wipes", + "alcohol free cleansing wipes 300", + "rainbow cleansing wipes 300 alcohol free", + "alarm free cleansing wipes", + "rainbow cleansing wipes 300", + "limming wipes 300 alcohol free", + "alcohol free cleansing wipes under $50", + "barren free cleansing wipes", + "alcohol free cleansing wipes under $40" + ], + "i am looking for long lasting dusty navy original fit jeans.": [ + "dust navy original fit jeans", + "long lasting dusty navy original fit jeans", + "dust navy original fit jeans long lasting", + "dust navy original fit jeans under $40", + "dust navy original fit jeans.", + "dust navy original fit jeans under $50", + "long lasting dusty navy original fit jeans.", + "dust navy original fit jeans, long lasting", + "dust navy original fit jeans under $60", + "dust navy original fit jeans under 50 dollars" + ], + "i need slim comfortable fit jeans": [ + "slim comfortable fit jeans", + "slim comfortable fit jeans slim comfortable fit", + " slim comfortable fit jeans", + "slim comfortable fit jeans slim comfortable", + "slim comfortable fit jeans under $50", + "slim comfortable fit jeans under $40", + "slim comfortable fit jeans", + "slim comfortable fit jeans below $50", + "slim comfortable fit jeans below $40", + "slim comfortable fit jeans slim fit" + ], + "i need to shop for a comfortable fitting pair of jeans in the \"crest\" color.": [ + "comfortable fit jeans in the crest color", + "comfortable fitting jeans in the crest color", + "comfort fitting pair of jeans in the crest color", + " comfortable fitting pair of jeans in the crest color", + "fortable fit pair of jeans in the crest color", + "comfortable fit jeans in a crest color", + "comfortable fit pair of jeans", + "comfortable fit jeans in the crest color.", + "comfortable fitting pair of jeans", + "comfortable fit pair of jeans in the crest" + ], + "i need a 5 pound bag of birthday candy.": [ + "5 pound bag of birthday candy", + "5 pound bag of birthday candy.", + "5 pound bag of birthday candy under $50", + "5 pound bag of birthday candy under $40", + "5 pound bag of birthday candy under 50 dollars", + "5 pound bag of birthday candy under $60", + "5 pound bag of birthday candy under 30 dollars", + "5 pound bag of birthday candy under 40 dollars", + "5 pound bag of birthday candy,", + "birthday candy 5 pound bag" + ], + "i need a toasted brown wig that is made from natural hair.": [ + "toasted brown wig", + "toasted brown wig made from natural", + "toasted brown wig natural", + "toasted brown wig with natural hair", + "toasted brown wig from natural hair", + "toasted brown wig natural natural", + "toasted brown wig natural hair", + "tasted brown wig", + "natural wig", + "natural brown wig" + ], + "what face rollers do you have that are easy to use and for dry and sensitive skin? i would prefer it in blue.": [ + "blue face rollers for dry and sensitive skin", + "face rollers for dry and sensitive skin", + "face rollers for dry and sensitive skin in blue", + "face rollers easy to use and for dry and sensitive skin", + "blue face rollers", + "face rollers in blue", + "face rollers for dry and sensitive skin, blue", + "face rollers for dry sensitive skin", + "face rollers blue", + "face rollers" + ], + "i need an easy to use red ice roller.": [ + "easy to use red ice roller", + "easy to use red ice roller under $40", + "easy to use red ice roller under $60", + "easy to use red ice roller under $50", + "easy to use red ice roller.", + "easy to use red ice roller under 50 dollars", + "easy-to-use red ice roller", + "easy to use red ice roller under 60 dollars", + "easy to use red ice roller under 30 dollars", + "easy to use red ice roller below $40" + ], + "i'm looking for a ceiling light fixture with a brushed nickel finish that would suit a dining room.": [ + "floor light fixture with a brushed nickel finish", + "floor light fixture with a brushed nickel finish dining room", + "floor light fixture with brushed nickel finish", + "floor light fixture with brushed nickel finish dining room", + "floor light fixture with brushed nickel finish for dining room", + "floor light fixture that would suit a dining room", + "floor light fixture that would suit a dining room.", + "floor light fixture", + "floor light fixture in a dining room", + "curtains light fixture" + ], + "i'm looking for a chrome wall light fixture with a brushed nickle finished.": [ + "chrome wall light fixture with a brushed nickle", + "chrome wall light fixture with a brushed nickle finished", + "chrome wall light fixture with a brushed nickle finish", + "plastic wall light fixture with a brushed nickle", + "chrome wall light fixture that is brushed nickle finished", + "chrome wall light fixture", + "chrome wall light fixture, brushed nickle finished", + "chrome wall light fixture with a brushed nickle,", + "chrome wall light fixture, brushed nickle finish", + "chrome wall light fixture with brushed nickle" + ], + "i am looking for a light fixture that is satin brass.": [ + "light fixture satin brass", + "light fixture that is satin brass", + "tablet light fixture satin brass", + "a light fixture that is satin brass", + "satin brass light fixture", + "lit fixture satin brass", + "satin brass light fixture", + "black satin brass light fixture", + "sittingin brass light fixture", + "light fixture that is satin brass." + ], + "i would like the tom ford cafe rose impression perfume that is in a travel size.": [ + "tom ford cafe rose impression perfume in a travel size", + "tom ford cafe rose impression perfume", + " tom ford cafe rose impression perfume", + " tom ford cafe rose impression perfume in a travel size", + "tart ford cafe rose impression perfume", + "taco ford cafe rose impression perfume", + "tok ford cafe rose impression perfume", + "tot ford cafe rose impression perfume", + "tomb ford cafe rose impression perfume", + "tubber rose impression perfume" + ], + "i am looking for a gold plated high speed 75 foot hdmi cable.": [ + "gold plated high speed 75 foot hdmi cable", + "gold plated high speed 75 foot hdmi cable.", + "gold plated high speed 75 foot hdmi cable under $40", + "gold plated high speed 75 foot hdmi cable under $60", + "gold plated high speed 75 foot hdmi cable under $50", + "gold plated high speed 75 foot hdmi cable,", + "gold plated high speed 75 foot hdmi cable under $120", + "gold plated high speed 75 foot hdmi cable under 30 dollars", + "gold plated high speed 75 foot hdmi cable under 50 dollars", + "a gold plated high speed 75 foot hdmi cable" + ], + "i need a ten pack of high speed hdmi cables that are 3 feet long": [ + "10 pack of high speed hdmi cables", + "10 pack high speed hdmi cables that are 3 feet long", + "10 pack hdmi cables that are 3 feet long", + "10 pack of high speed hdmi cables 3 feet long", + "10 pack high speed hdmi cables", + "10 pack of high speed hdmi cables, 3 feet long", + "10 pack of hdmi cables that are 3 feet long", + "ten pack of high speed hdmi cables", + "10 pack high speed hdmi cables 3 feet long", + "hdmi cables 3 feet long" + ], + "i want to find a package that contains two high speed hdmi cables that are each 100 feet long.": [ + "two high speed hdmi cables", + "high speed hdmi cables that are each 100 feet long", + "two hdmi cables that are each 100 feet long", + "two high speed hdmi cables that are 100 feet long", + "two high speed hdmi cables, each 100 feet long", + "2 hdmi cables that are each 100 feet long", + "two high speed hdmi cables 100 feet long", + "high speed hdmi cables", + "two hdmi cables", + "2 hdmi cables" + ], + "i need one 10\" computer monitor replacement power cord cable that is long lasting.": [ + "10 computer monitor replacement power cord cable", + "10 computer monitor replacement power cord", + "desktop monitor replacement power cord cable long lasting", + "computer monitor replacement power cord cable long lasting", + "a 10 computer monitor replacement power cord cable", + "clockwise computer monitor replacement power cord cable", + "desktop monitor replacement power cord cable", + "10 computer monitor with power cord", + "clockwise power cord cable", + "desktop monitor replacement power cord" + ], + "i'm looking for mens underwear, low rise briefs size extra large.": [ + "mens underwear extra large", + "mens underwear size extra large", + "mens underwear extra large mens", + "mens underwear extra large.", + "mens underwear size extra large mens", + "mens underwear extra large under $40", + "mens underwear extra large under $50", + "mens underwear, low rise briefs", + "mens underwear small", + "mens underwear" + ], + "i am looking for a 4 pack of mid century wood side end tables for my living room.": [ + "4 pack of mid century wood side end tables", + "4 pack of mid century wood side end tables living room", + "4 pack of mid century wood side end table", + "4 pack of mid century wood side table", + "4 pack of mid century wood side table dining room", + "4 pack mid century wood side end tables", + "wood side end tables for living room", + "4 pack wood side end tables", + "medium century wood side end tables", + "wood side end tables" + ], + "i need a cell phone case with the flash design and compatible with apple phones.": [ + "cell phone case with the flash design and compatible with apple phones", + "cell phone case with the flash design compatible with apple phones", + "cell phone case with the flash design compatible with apple phones.", + "cell phone case with the flash design, compatible with apple phones", + "cell phone case with the flash design for apple phones", + "cell phone case with the flash design", + "cell phone case with a flash design compatible with apple phones", + "cell phone case with a flash design and compatible with apple phones", + "Cell phone case with the flash design compatible with apple phones", + "cell phone case with flash design compatible with apple phones" + ], + "i'm looking for butter pecan flavored coffee that is gluten free and comes in a pack of three 11 ounce packages.": [ + "butter pecan flavored coffee pack of three 11 ounce packages", + "butter pecan flavored coffee three 11 ounce packages", + "butter pecan flavored coffee three pack of three 11 ounce packages", + "butter pecan flavored coffee that is gluten free", + "butter pecan flavored coffee, three 11 ounce packages", + "butter pecan flavored coffee pack of three 11 ounce packages.", + "butter pecan flavored coffee that is gluten free three pack", + "butter pecan flavored coffee", + "butter pecan flavored coffee that is gluten free three pack pack", + "butter pecan flavored coffee 11 ounce pack" + ], + "i'm hoping to find non-toxic false teeth that are made out of high quality soft silicone.": [ + "non-toxic false teeth made from high quality soft silicone", + "non-toxic false teeth", + "non-toxic false teeth with high quality soft silicone", + "non-toxic false teeth with high quality silicone", + "non-toxic teeth made out of high quality soft silicone", + "non-toxic false teeth with a high quality soft silicone", + "non-toxic false teeth natural no fluoride", + "non-toxic false teeth with a high quality silicone", + "non-toxic teeth", + "non toxic false teeth" + ], + "help me find a 2 pack of stone grey faux leather throw pillows that are 18x18 inches.": [ + "2 pack stone grey faux leather throw pillows 18x18 inches", + "2 pack stone grey faux leather throw pillows", + "stone grey faux leather throw pillows 18x18 inches", + "two pack stone grey faux leather throw pillows 18x18 inches", + "3 pack stone grey faux leather throw pillows 18x18 inches", + "18x18 stone grey faux leather throw pillows", + " stone grey faux leather throw pillows 18x18 inches", + "2 pack of stone grey faux leather throw pillows", + "two pack stone grey faux leather throw pillows", + "2 pack stone grey faux leather throw pillows under $50" + ], + "i am looking for a waterproof ricoh camera with optical zoom.": [ + "waterproof ricoh camera with optical zoom", + " waterproof ricoh camera with optical zoom", + "waterproof ricoh camera", + "living waterproof ricoh camera with optical zoom", + "proof waterproof ricoh camera with optical zoom", + "womens waterproof ricoh camera", + "rfsh camera with optical zoom", + "alarm camera with optical zoom", + "alarm camera waterproof", + " waterproof ricoh camera" + ], + "i am interested in a dust proof telescope.": [ + "dust proof telescope", + "dust proof telescope.", + "dust proof telescope under $40", + "dust proof telescope under $50", + "dust proof telescope under $60", + "dust proof telescope under $120", + "dust proof telescope under $130", + "dust proof telescope under 50 dollars", + "dust proof telescope,", + "dust proof" + ], + "i need 2 bottles of 8fl oz vermont maple salted bourbon caramel sauce that is gluten free.": [ + "8fl oz vermont maple salted bourbon caramel sauce", + "2 bottles of 8fl oz vermont maple salted bourbon caramel sauce", + "4 bottles of 8fl oz vermont maple salted bourbon caramel sauce", + "8fl oz vermont maple salted bourbon caramel sauce, gluten free", + "8fl oz vermont maple salted bourbon caramel sauce under $40", + "8fl oz vermont maple salted bourbon caramel sauce under $50", + "8fl oz vermont maple salted bourbon caramel sauce under $60", + "6 bottles of 8fl oz vermont maple salted bourbon caramel sauce", + "8fl oz vermont maple salted bourbon caramel sauce gluten free", + "8fl oz vermont maple salted bourbon caramel" + ], + "i'm looking for a refillable lipstick bottle that is easy to carry and non-toxic.": [ + "lipstick bottle that is easy to carry and non-toxic", + "pink bottle that is easy to carry and non-toxic", + "lip color bottle that is easy to carry and non-toxic", + "easy to carry and non-toxic lipstick bottle", + "blanketable lipstick bottle that is easy to carry", + "pink lipstick bottle that is easy to carry", + "lipstick bottle that is easy to carry", + "non-toxic lipstick bottle", + "blanketable lipstick bottle", + "non-toxic lipstick bottle that is easy to carry" + ], + "i am looking for a black iphone 12 max case with wireless charging.": [ + "iphone 12 max case with wireless charging", + "black iphone 12 max case", + "iphone 12max case with wireless charging", + "iphone 12 case with wireless charging", + "blackiphone 12 max case with wireless charging", + "iphone 12 max case", + "black iphone 12 max case wireless charging", + "iphone 12 max case with wireless charging.", + "iphone 12 max case wireless charging", + "iphone 12 with wireless charging" + ], + "i'm looking for soft bed sheets queen size for twin bed in warm taupe": [ + "soft bed sheets queen size for twin bed in warm taupe", + "soft bed sheets queen size", + "soft bed sheets queen size twin bed in warm taupe", + "soft bed sheets queen size bed in warm taupe", + "soft bed sheets queen size, twin bed in warm taupe", + "soft bed sheets queen size in warm taupe", + "soft bed sheets queen size queen bed in warm taupe", + "soft bed sheets queen size for twin bed", + "soft bed sheets queen size for twin bed taupe", + "soft bed sheets queen size taupe" + ], + "i'm looking for an orange teeth whitening nhpro enamel care.": [ + "orange teeth whitening nhpro enamel care", + "orange teeth whitening nhpro enamel care.", + "orange teeth whitening nhpro enamel", + "orange teeth whitening nhpro enamel care under $40", + "orange teeth whitening nhpro enamel care,", + "orange teeth whitening nhpro enamel care under $50", + "orange teeth whitening nhpro enamel care under $60", + "orange teeth whitening nhpro enamel care below $40", + "orange teeth whitening nhpro enamel care no fluoride", + "yellow teeth whitening nhpro enamel care" + ], + "i would like some long lasting anti perspirant.": [ + "anti perspirant long lasting", + "long lasting anti perspirant", + "anti perspirant", + "long lasting anti perspirant.", + "long lasting anti perspirant under $40", + "long lasting anti perspirant under $50", + "anti perspirant that is long lasting", + "long lasting anti perspirant under $60", + "anti perspirant, long lasting", + "long lasting anti perspirant under 30 dollars" + ], + "buy me an easy to assemble sideboard for the dining room in antique white, please.": [ + "easy to assemble sideboard dining room in antique white", + "easy to assemble sideboard for dining room in antique white", + "easy assemble sideboard dining room in antique white", + "easy assemble sideboard for the dining room in antique white", + "easy assemble sideboard for dining room in antique white", + "easy to assemble dining room sideboard in antique white", + "easy to assemble sideboard dining room in antique white,", + "easy to assemble sideboard dining room", + "easy to assemble antique white dining room sideboard", + "yellow dining room sideboard" + ], + "i am looking for black folding tables that are easy to clean and are 40 by 30.": [ + "black folding tables 40 by 30", + "black folding tables, easy to clean and 40 by 30", + "black folding tables", + "black folding tables that are easy to clean 40 by 30", + "black folding tables, easy to clean, 40 by 30", + "black folding tables that are easy to clean", + "easy clean black folding tables 40 by 30", + "black folding tables, 40 by 30", + "black folding tables under 40 dollars", + "black folding tables under $40" + ], + "what sweet and salty hazelnuts do you have that have no artificial flavors or colors?": [ + "sweet and salty hazelnuts with artificial flavors", + "sweet and salty hazelnuts no artificial flavors", + "sweet and salty hazelnuts no artificial flavor", + "sweet and salty hazelnuts with artificial flavor", + "sweet and salty hazelnuts no artificial", + "sweet and salty hazelnuts", + "sweet and salty hazelnuts with no artificial flavors", + "sweet and salty hazelnuts flavor no artificial", + "sweet and salty hazelnuts natural", + "sugar and salty hazelnuts no artificial flavors" + ], + "i need a red t-shirt that has a classic fit in a size 2t for men.": [ + "red t-shirt size 2t for men", + "red t-shirt in a size 2t for men", + "red t-shirt 2t for men", + "red t-shirt 2t for men size 2", + "red t-shirt 2t for men size 2t", + "red t-shirt that has a classic fit", + "red t-shirt for men size 2t", + "red t-shirt size 2t men", + "red t-shirt", + "red t-shirt 2t men" + ], + "i need 10 inch hair extensions that are a medium brown.": [ + "10 inch hair extensions", + "hair extensions that are a medium brown", + "10 inch hair extension", + "10 inch hair extensions, medium brown", + "10 inch hair extensions medium brown", + "hair extensions medium brown", + "10 inch hair extensions under $50", + "10 inch hair extensions brown", + "10 inch hair extensions under $40", + "hair extension medium brown" + ], + "i need a madecassoside and 1.69 fl oz of moisture gel cream for sensitive skin.": [ + "1.69 fl oz of moisture gel cream for sensitive skin", + "madecassoside 1.69 fl oz of moisture gel cream", + "madecassoside 1.69 fl oz sensitive skin", + "madecassoside 1.69 fl oz for sensitive skin", + "moisturizing cream for sensitive skin", + "madecassoside 1.69 fl oz", + "moisturizing gel cream for sensitive skin", + "makecassoside 1.69 fl oz of moisture gel cream", + "madecassoside 1.69 fl oz sensitive skin cream", + "1.69 fl oz of moisture gel cream" + ], + "i want to find one red contemporary barstool that would be suitable for my dining room.": [ + "red contemporary barstool for dining room", + "red contemporary barstool", + "red contemporary barstool dining room", + "red contemporary barstool suitable for dining room", + "red contemporary barstool for dining room.", + "red modern barstool for dining room", + "living room red contemporary barstool", + "red contemporary barstool in dining room", + "red contemporary barstool for dining room,", + "red modern barstool" + ], + "i need a xtreamer that plays blu ray discs.": [ + "xtreamer that plays blu ray discs", + "xtreamer blu ray discs", + "xtreamer blu-ray discs", + "xtreamer blu-ray disc", + "xtreamer blu ray disc", + "xtreamer that plays blu-ray discs", + "xtreamer that plays blu ray disc", + "xtreamer that plays blu ray discs.", + "xtreamer blu ray discs under $40", + "xtreamer with blu-ray discs" + ], + "i'm looking for a 1 pound package of low calorie nacho cheese dip.": [ + "low calorie nacho cheese dip", + "low calorie nacho cheese dip 1 pound", + "nacho cheese dip 1 pound", + "low calorie nacho cheese dip below $40", + "low calorie nacho cheese dip, 1 pound", + "1 pound package of low calorie nacho cheese", + "low calorie nacho cheese dip below $60", + "low calorie nacho cheese dip below $50", + "low calorie nacho cheese dip.", + "natacho cheese dip 1 pound" + ], + "i am looking for size 10 regular fit adidas harden stepback 2.0 basketball shoes.": [ + "size 10 regular fit adidas harden stepback 2.0 basketball shoes", + "size 10 regular fit adidas harden stepback 2.0 basketball shoes.", + "regular fit adidas harden stepback 2.0 basketball shoes", + " size 10 regular fit adidas harden stepback 2.0 basketball shoes", + "a size 10 regular fit adidas harden stepback 2.0 basketball shoes", + "style 10 regular fit adidas harden stepback 2.0 basketball shoes", + "regular fit adidas harden stepback 2.0 basketball shoes size 10", + "size 10 regular fit adidas harden stepback 2.0 basketball shoes,", + "slimming 2.0 basketball shoes size 10", + "regular fit adidas harden stepback 2.0" + ], + "i am looking for a blue, long lasting case for a galaxy s22 5g with wireless charging and tempered glass.": [ + "blue, long lasting case for a galaxy s22 5g", + "galaxy s22 5g with wireless charging and tempered glass", + "blue, long lasting case for a galaxy s22 5g with wireless charging", + "blue long lasting case for a galaxy s22 5g", + "blue long lasting case for a galaxy s22 5g with wireless charging", + "galaxy s22 5g case with wireless charging and tempered glass", + "blue galaxy s22 5g with wireless charging and tempered glass", + "blue s22 5g with wireless charging and tempered glass", + "a blue, long lasting case for a galaxy s22 5g", + "blue, long lasting case" + ], + "i'm looking for a skin & glow bundle gift set that is cruelty free and fragrance free.": [ + "skin & glow bundle gift set that is cruelty free", + "skin & glow bundle gift set cruelty free", + "skin & glow bundle gift set cruelty free and fragrance free", + "skin and glow bundle gift set that is cruelty free", + "skin & glow bundle gift set", + "skin and glow bundle gift set cruelty free", + "skin and glow bundle gift set cruelty free and fragrance free", + "skin & glow bundle gift set with cruelty free", + "skin and glow bundle gift set", + "skin & glow bundle gift" + ], + "i would like a 12\" x 16\" in three pieces blackleaf poster that's ready to hang in my living room.": [ + "12 x 16 in three pieces blackleaf poster", + "12 x 16 blackleaf poster", + "12 x 16 in three piece blackleaf poster", + "12 x 16 in three pieces blackleaf poster living room", + "blackleaf poster 12 x 16 in three pieces", + "12 x 16 in three pieces blackleaf poster for living room", + "12 x 16 in three pieces blackleaf poster under 30 dollars", + "blackleaf poster 12 x 16", + "blackleaf poster", + "blackleaf poster, 12 x 16" + ], + "get a 2 pack of all natural steak seasoning, please.": [ + "2 pack of all natural steak seasoning", + "two pack of all natural steak seasoning", + "natural steak seasoning 2 pack", + "2 pack of natural steak seasoning", + "2 pack natural steak seasoning, please.", + "2 pack all natural steak seasoning", + "2 pack natural steak seasoning", + "1 pack of all natural steak seasoning", + "2 pack of all natural steak seasoning,", + "two pack of natural steak seasoning" + ], + "i need a kids toothbrush that is orange and good for sensitive teeth.": [ + "kids toothbrush orange sensitive teeth", + "kids toothbrush orange for sensitive teeth", + "kids toothbrush that is orange sensitive teeth", + "kids toothbrush, orange, sensitive teeth", + "kids toothbrush orange and sensitive teeth", + "kids toothbrush with orange sensitive teeth", + "kids toothbrush orange, sensitive teeth", + "kids toothbrush orange", + "kids toothbrush that is orange", + "kids toothbrush orange for sensitive teeth." + ], + "i am looking for a classic fit heather blue color t-shirt.": [ + "classic fit heather blue t-shirt", + "classic fit heather blue color t-shirt", + "classic fit heather blue t-shirt.", + "classic fit heather blue color t-shirt.", + "classic fit heather blue t-shirt under 50 dollars", + "classic fit heather blue t-shirt under $50", + "classic fit heather blue t-shirt under $40", + "classic fit heather blue t-shirt under 40 dollars", + "classic fit heather blue t-shirt below $50", + "classic fit heather blue t-shirt below $40" + ], + "i am looking for toothbrushes for children aged 6-12 that are pink and easy to use.": [ + "pink toothbrushes for children aged 6-12", + "pink toothbrush for children aged 6-12", + "teethbrushes for children aged 6-12 pink", + "toothbrushes for children aged 6-12 pink", + "pink toothbrushes for kids aged 6-12", + "pink toothbrushes for children aged 6-12 pink", + "pink teethbrushes for children aged 6-12", + "brush for children aged 6-12 pink", + "teen girl toothbrushes pink", + "pink and easy to use toothbrushes" + ], + "i need to get the 3 pack of trader joe's gluten free falafel mix.": [ + "3 pack of trader joes gluten free falafel mix", + "4 pack of trader joes gluten free falafel mix", + "2 pack of trader joes gluten free falafel mix", + "three pack of trader joes gluten free falafel mix", + "3 pack trader joes gluten free falafel mix", + "trader joes gluten free falafel mix", + "pack of trader joes gluten free falafel mix", + "3 pack gluten free falafel mix", + " trader joes gluten free falafel mix", + " trader joes gluten free falafel mix 3 pack" + ], + "i would like a pink toothbrush that is easy to use.": [ + "pink toothbrush that is easy to use", + "pink toothbrush", + "pink toothbrush easy to use", + "pink toothbrush, easy to use", + "pink toothbrush, easy to use,", + "pink toothbrush, easy to use.", + "pink toothbrush easy to use.", + "pink toothbrush which is easy to use", + "pink toothbrush with easy to use", + "pink toothbrush under $40" + ], + "i need white rajlinen 100% blackout curtains in size w52\" x l54\" for the living room.": [ + "white rajlinen 100% blackout curtains for the living room", + "white rajlinen blackout curtains in size w52 x l54", + "white rajlinen 100% blackout curtains", + "white rajlinen 100% blackout curtains w52 x l54", + "white rajlinen 100% blackout curtains for the living room.", + "white rajlinen 100% blackout curtains living room", + "white rajlinen 100% blackout curtains for living room", + "white rajlinen blackout curtains w52 x l54", + "white rajlinen", + "white rajlinen blackout curtains" + ], + "i would like a 16 pack variety box of low sugar cookies.": [ + "16 pack variety box of low sugar cookies", + "12 pack variety box of low sugar cookies", + "teen pack variety box of low sugar cookies", + " 16 pack variety box of low sugar cookies", + "16 pack variety box of cookies", + "16 pack variety box of sugar cookies", + "16 pack variety of low sugar cookies", + "low sugar cookies 16 pack variety", + "low sugar cookies 16 pack variety box", + "16 pack variety box" + ], + "i am looking for semi-permanent hair color that is easy to apply.": [ + "synthetic hair color", + "synthetic hair color easy to apply", + "temporary-permanent hair color", + "easy to apply semi-permanent hair color", + "non-permanent hair color", + "synthetic hair color, easy to apply", + "temporary pomegranate hair color", + "synthetic human hair color", + "slimming color", + "living color" + ], + "i need a men's blue t-shirt that is compatible with the machine washer.": [ + "mens blue t-shirt", + "mens blue t-shirt with a machine washer", + "mens blue t-shirt with machine washer", + "mens blue t-shirt under $50", + "mens blue t-shirt with a mens theme", + "mens blue t-shirt with the mens", + "mens blue t-shirt with mens", + "mens blue t-shirt,", + "mens blue shirt", + "mens blue" + ], + "looking for a ultra hd satellite, swmdish long mast, 4 piece": [ + " ultra hd satellite, swmdish long mast 4 piece", + " ultra hd satellite, swmdish long mast", + " ultra hd satellite 4 piece", + " ultra hd satellite with swmdish long mast 4 piece", + " ultra hd satellite swmdish long mast 4 piece", + " ultra hd satellite with a swmdish long mast", + " ultra hd satellite with swmdish long mast", + " ultra hd satellite with a 4 piece", + " ultra hd satellite with 4 piece", + " ultra hd satellite with a 4 piece mast" + ], + "i am looking for one ultra hd satellite dish package that includes a coaxial cable and a low profile short mast.": [ + " ultra hd satellite dish package with a coaxial cable and a low profile short mast", + " ultra hd satellite dish package that includes a coaxial cable and low profile short mast", + " ultra hd satellite dish package with a coaxial cable and low profile short mast", + " ultra hd satellite dish package that includes a coaxial cable, low profile short mast", + " ultra hd satellite dish package with a coaxial cable, low profile short mast", + " ultra hd satellite dish package with a coaxial cable", + " ultra hd satellite dish package", + " ultra hd satellite dish package that includes a coaxial cable", + "ultra hd satellite dish package", + " ultra hd satellite dish package under $130" + ], + "i am looking for 2000 feet of ultra hd coaxial cable.": [ + "2000 feet ultra hd coaxial cable", + "10 ft ultra hd coaxial cable", + "comportable cable under $40", + "2000 feet of ultra hd cable", + "telescope cable 2000 feet", + "comportable cable under $50", + "tv cordial cable 2000 feet", + "comportable cable 2000 feet", + "telescope cable", + "comportable cable" + ], + "i need a meadow faux wrap midi dress in size 10 that is easy to dry clean.": [ + "meadow faux wrap midi dress in size 10", + "meadow faux wrap midi dress in size 10, easy to dry clean", + "madow faux wrap midi dress in size 10", + "meadow faux wrap midi dress, size 10, easy to dry clean", + "meadow faux wrap midi dress in a size 10", + "foot dry clean meadow faux wrap midi dress in size 10", + "indoor faux wrap midi dress in size 10", + "size 10 meadow faux wrap midi dress in size 10", + "meadow faux wrap midi dress size 10", + "meadow faux wrap midi dress" + ], + "i would like a high quality blue face kit to help with fine lines and wrinkles.": [ + "blue face kit to help with fine lines and wrinkles", + "blue face kit for fine lines and wrinkles", + "blue face kit with fine lines and wrinkles", + "blue face kit that helps with fine lines and wrinkles", + "blue face kit, fine lines and wrinkles", + "blue face kit", + "blue face kit that help with fine lines and wrinkles", + "blue face kit for fine lines and wrinkles.", + "blue face kit that is high quality", + "blue face kit, fine lines and wrinkles," + ], + "i need a bottle of marc anthony argan oil.": [ + "marc anthony argan oil", + "mens marc anthony argan oil", + "marac anthony argan oil", + " marc anthony argan oil", + "marc anthony argan oil bottle", + "carc anthony argan oil", + "Marc anthony argan oil", + " marc anthony argan oil bottle", + "m marc anthony argan oil", + "mango anthony argan oil bottle" + ], + "i need a ashley bolanburg display cabinet that requires assembly.": [ + " ashley bolanburg display cabinet that requires assembly", + " ashley bolanburg display cabinet", + " ashley bolanburg display cabinet with assembly", + "ashley bolanburg display cabinet that requires assembly", + "ashley bolanburg display cabinet", + "ashley bolanburg display cabinet with assembly", + " ashley bolanburg display cabinet assembly", + " ashley bolanburg display cabinet no assembly", + " ashley bolanburg display cabinet under $50", + " ashley bolanburg display cabinet, assembly" + ], + "i'm interested in some machine-washable, men's x-large, low-rise briefs in black with an elastic waistband.": [ + "machine-washable mens x-large, low-rise briefs in black with an elastic waistband", + "machine-washable, mens x-large, low-rise briefs in black with an elastic waistband", + "machine-washable mens x-large briefs in black with an elastic waistband", + "machine-washable mens x-large low-rise briefs in black with an elastic waistband", + "machine-washable mens x-large, low-rise briefs in black", + "man-washable mens x-large, low-rise briefs in black with an elastic waistband", + "machine-washable, mens x-large, low-rise briefs in black", + "machine-washable mens x-large briefs with an elastic waistband", + "machine-washable mens x-large, low-rise briefs in black with an elastic waistband,", + "machine-washable mens x-large, low-rise briefs in black with a elastic waistband" + ], + "i need a stainless steel adjustable barstool": [ + "stainless steel adjustable barstool", + "stainless steel adjustable barstool for women", + "stainless steel adjustable barstool for men", + "stainless steel adjustable barstool,", + "stainless steel barstool", + " stainless steel adjustable barstool", + "stool stainless steel", + "barstool stainless steel", + "stainless steel", + "stool stainless steel adjustable" + ], + "i would like a king size wine red pillowcase with exquisite workmanship.": [ + "king size wine red pillowcase with exquisite workmanship", + "king size wine red pillowcase with exquisite workmanship.", + "king size wine red pillowcase", + "king size wine red pillowcase, exquisite workmanship", + "king size wine red pillowcase that is exquisite workmanship", + "king size wine red pillowcase with exquisite workmanship,", + "king size wine red pillowcase in exquisite workmanship", + " king size wine red pillowcase with exquisite workmanship", + "king size wine red pillowcase under $50", + "king size wine red pillowcase under $40" + ], + "looking for freeze-dried raw flavor beef size 3.5 oz grain free": [ + "freeze-dried raw flavor beef size 3.5 oz grain free", + "freeze dried raw beef size 3.5 oz grain free", + "freeze dried raw flavor beef size 3.5 oz grain free", + " freeze-dried raw flavor beef size 3.5 oz grain free", + "frozen-dried raw flavor beef size 3.5 oz grain free", + "freeze dried raw flavor beef 3.5 oz grain free", + "3.5 oz raw flavor beef", + "freeze-dried raw flavor beef size 3.5 oz", + "freeze-dried raw flavor beef", + "freeze dried raw flavor beef size 3.5 oz" + ], + "can you find me freeze dried, grain free dog food? i want the single pack in 3.5 ounces.": [ + "freeze dried, grain free dog food 3.5 ounces", + "freeze dried, grain free dog food 3.5 oz", + "freeze dried, grain free dog food in 3.5 ounces", + "freeze dried dog food 3.5 ounces", + "freezer dried, grain free dog food 3.5 ounces", + "rain dried, grain free dog food 3.5 ounces", + "freeze dried, grain free dog food 3.5 ounces.", + "freeze dried, grain free dog food", + "freeze dried grain free dog food 3.5 ounces", + "frozen dried, grain free dog food 3.5 ounces" + ], + "i want stella & chewy's freeze dried turkey.": [ + "stella & chewys freeze dried turkey", + "stella & chewys freeze dried turkey.", + "stella & chewys freeze dried turkey under $40", + "stella & chewys freeze dried turkey under $60", + "stella & chewys freeze dried turkey under $50", + "stella and chewys freeze dried turkey", + "i want stella & chewys freeze dried turkey.", + "stella & chewys freeze dried turkey flavor", + "stella & chewys freeze dried turkey under 50 dollars", + "stella & chewys freeze dried turkey below $40" + ], + "i need a console table for the living room. look for one in oak brown.": [ + "console table for living room in oak brown", + "console table for living room, oak brown", + "console table living room in oak brown", + "console table in oak brown", + "console table for living room with oak brown", + "console table for living room oak brown", + "console table for living room", + "console table for living room in oak", + "console table for the living room in oak", + "console table for the living room" + ], + "i am looking for a console table with a wood finish that is acacia brown.": [ + "console table with wood finish that is acacia brown", + "console table wood finish acacia brown", + "console table with wood finish acacia brown", + "console table with a wood finish acacia brown", + "console table wood finish that is acacia brown", + "console table with a wood finish", + "console table with wood finish", + "console table with a wood finish that is acacia", + "console table acacia brown", + "console table with wood finish that is acacia" + ], + "get me some machine washable stonewash jeans.": [ + "machine washable stonewash jeans", + "machine washable stonewash jeans.", + "machine washable stonewash jeans under $40", + "machine washable stonewash jeans under $50", + "machine washable stonewash jeans under $60", + "machine washable stonewash jeans under 50 dollars", + "machine washable stonewash jeans under 30 dollars", + "machine washable stonewash jeans under 40 dollars", + "machine washable stonewash jeans under 60 dollars", + "man washable stonewash jeans" + ], + "i would like a beige rectangular rug that is 10' 0 x 13' 0 and is easy to clean.": [ + "10 x 13 beige rectangular rug", + "10 x 13 beige rectangular rug easy to clean", + "beige rectangular rug that is 10 x 13", + "10 ft x 13 beige rectangular rug", + "10 beige rectangular rug that is 10 x 13", + "10 x 13 beige rectangular rug under $40", + "10 x 13 beige rectangular rug under $50", + "10 x 13 beige rectangular rug clean", + "10 x 13 beige rectangular rug easy clean", + "10 x 13 beige rectangular rug under $60" + ], + "i need tan high heel booties in size 9.5": [ + "tan high heel booties in size 9.5", + "tanned high heel booties in size 9.5", + "tan high heel booties size 9.5", + "stainless high heel booties in size 9.5", + "tan high heel booties in a size 9.5", + "tanned high heel booties size 9.5", + "knee booties in size 9.5", + "tanned high heel booties in a size 9.5", + "knee booties size 9.5", + "sneakers size 9.5" + ], + "i am looking for wireless bluetooth headphones with touch control and a wireless charging case.": [ + "wireless bluetooth headphones with touch control", + "wirefree wireless bluetooth headphones with touch control", + " wireless bluetooth headphones with touch control", + "wireless bluetooth headphones", + "alarm wireless bluetooth headphones with touch control", + "pink wireless bluetooth headphones with touch control", + "womens wireless bluetooth headphones", + "blue wireless bluetooth headphones with touch control", + "wirefree wireless bluetooth headphones", + "alarm wireless bluetooth headphones" + ], + "i am looking for black leather sole fashion sneakers that are in a size 5.": [ + "black leather sole fashion sneakers in a size 5", + "black leather sole fashion sneakers size 5", + "black leather sole fashion sneakers", + "black leather sole fashion sneakers in a size 5.", + "black leather sole fashion sneakers, size 5", + "black leather sole fashion sneakers, in a size 5", + "black leather sole fashion sneakers in a size 5,", + "black leather sole style sneakers in a size 5", + "black leather sole fashion sneakers size 5.", + "black leather sole fashion sneakers, size 5," + ], + "i am looking for some size 7.5 mens sneakers with a pewter colored rubber outside.": [ + "sneakers size 7.5 pewter colored", + "sneakers pewter colored", + "size 7.5 mens sneakers", + "size 7.5 mens sneakers pewter colored", + "mens sneakers with a pewter colored rubber", + "mens sneakers size 7.5 pewter colored rubber", + "mens sneakers pewter colored", + "mens sneakers with a pewter colored rubber", + "mens sneakers size 7.5 pewter colored", + "mens sneakers pewter colored" + ], + "i would like a pair of grey size 6 sneakers with a rubber sole.": [ + "grey sneakers with a rubber sole", + "grey size 6 sneakers", + "grey size 6 sneakers, rubber sole", + "grey tennis sneakers with a rubber sole", + "grey sneakers", + "grey size 6 sneakers with rubber sole", + "womens grey size 6 sneakers", + "pair of grey size 6 sneakers", + "grey sneakers with rubber sole", + "grey sneakers, rubber sole" + ], + "i am looking for a mid century ottoman that is whiskey brown in color and is 16.5 inches.": [ + "mid century ottoman that is whiskey brown", + "mid century ottoman that is whiskey brown in color", + "mid century ottoman in whiskey brown 16.5 inches", + "mid century ottoman color 16.5 inches", + "mid century ottoman 16.5 inches", + "mid century ottoman colored whiskey brown 16.5 inches", + "mid century ottoman whiskey brown 16.5 inches", + "mid century ottoman colored 16.5 inches", + "mid century ottoman, whiskey brown", + "mid century ottoman" + ], + "i need some non gmo, keto friendly ghee butter that is shelf stable.": [ + "non gmo keto friendly ghee butter", + "non gmo keto friendly ghee butter shelf stable", + "non gmo, keto friendly ghee butter", + "non gmo, keto friendly ghee butter shelf stable", + "non gmo keto friendly ghee butter under $40", + "non gmo ghee butter shelf stable", + "non gmo keto friendly ghee butter, shelf stable", + "non gmo keto friendly ghee butter under $50", + "non gmo keto friendly ghee butter under $60", + "non gmo ghee butter" + ], + "i need hemp shower oil for dry skin.": [ + "hemp shower oil for dry skin", + "h hemp shower oil for dry skin", + "high hemp shower oil for dry skin", + "tea shower oil for dry skin", + "h hemp shower oil for dry skin.", + "hemp shower oil for dry skin.", + "man hemp shower oil for dry skin", + "hemp shower oil for dry skin", + "high hemp shower oil for dry skin.", + "low oil hemp shower oil for dry skin" + ], + "i would like a body wash made of seed oil.": [ + "body wash made of seed oil", + "Body wash made of seed oil", + " body wash made of seed oil", + "body wash made from seed oil", + "body wash made of seed oil.", + "large body wash made of seed oil", + "Body wash made from seed oil", + "body wash made of seed oil,", + " body wash made of seed oil.", + "body wash with seed oil" + ], + "i need bear head cupcake toppers for a birthday party.": [ + "bear head cupcake toppers for a baby shower", + "bear head cupcake toppers for a birthday party", + "bear head cupcake toppers for a baby shower.", + "bear head cupcake toppers for a birthday party.", + "Bear head cupcake toppers for a baby shower", + "barbon head cupcake toppers for a baby shower", + "barbecue toppers for a baby shower", + "bear head cupcake toppers, for a baby shower", + "bear head cupcake toppers for baby shower", + "Bear head cupcake toppers for a baby shower." + ], + "i need a blue sherpa wool sweatshirt.": [ + "blue sherpa wool sweatshirt", + "blue sherpa wool sweatshirt.", + "blue sherpa wool sweatshirt under $50", + "blue sherpa wool sweatshirt under $40", + "blue sherpa wool sweatshirt under 50 dollars", + "blue sherpa wool sweatshirt under $60", + "blue sherpa wool sweatshirt under 40 dollars", + "blue sherpa wool sweatshirt under 30 dollars", + "blue sherpa wool sweatshirt under 60 dollars", + "blue sherpa wool sweatshirt below $50" + ], + "i'm looking for a wild caught chunk light tuna in sunflower oil. choose the ones that comes in 2.6 oz pack of 24.": [ + "wild caught chunk light tuna in sunflower oil", + "wild tuna 2.6 oz pack of 24", + "wild caught chunk light tuna in sunflower oil pack of 24", + "sea salt tuna 2.6 oz pack of 24", + "wild tuna in sunflower oil 2.6 oz pack", + "wild caught chunk light tuna in sunflower oil under $60", + "wild caught chunk light tuna in sunflower oil under $40", + "wild caught chunk light tuna", + "wild tuna in sunflower oil", + "wild tuna 2.6 oz pack" + ], + "i'd like to buy a small white jumpsuit with a relaxed fit.": [ + "small white jumpsuit with a relaxed fit", + "small white jumpsuit", + "small white jumpsuit, relaxed fit", + "small white jumpsuit that is relaxed fit", + "small white jumpsuit with relaxed fit", + "small white jumpsuit in a relaxed fit", + "small white jumpsuit relaxed fit", + "Small white jumpsuit with a relaxed fit", + "large white jumpsuit with a relaxed fit", + "small white jumpsuit in relaxed fit" + ], + "i need dog cupcake toppers for a dog party.": [ + "dog cupcake toppers for a dog party", + "dog cupcake toppers for a dog party.", + "pink cupcake toppers for a dog party", + "dog cupcake toppers for dog party", + "dogs cupcake toppers for a dog party", + "Dog cupcake toppers for a dog party", + "bagcake toppers for a dog party", + "dogs cupcake toppers for a dog party", + " dog cupcake toppers for a dog party", + "cupcake toppers for a dog party" + ], + "i am looking for extra strength exfoliator that handles dead skin.": [ + "extra strength exfoliator that handles dead skin", + "extra strength exfoliator with dead skin", + "extra strength exfoliator for dead skin", + "extra strength exfoliator", + "extra strength exfoliator that handle dead skin", + "extra strength exfoliator handle dead skin", + "extra strength exfoliator, handle dead skin", + "extra strength exfoliator dead skin", + "extra strength exfoliator, dead skin", + "extra strength exfoliator dead skin" + ], + "i am looking for a faux leather grey color loveseat for living room": [ + "faux leather grey color loveseat living room", + "faux leather grey color loveseat", + " faux leather grey color loveseat for living room", + "faux leather grey color loveseat dining room", + "faux leather grey loveseat for living room", + " faux leather grey color loveseat living room", + "faux leather grey", + "faux leather grey plush sofa", + "faux leather grey color sofa", + "faux leather grey rug" + ], + "i am looking for individually wrapped bakery gifts.": [ + " individually wrapped bakery gifts", + "almond wrapped bakery gifts", + " individually wrapped bakery gifts.", + "bagel gifts individually wrapped", + "packaged bakery gifts", + "pack of individually wrapped bakery gifts", + "alarm wrapped bakery gifts", + "manual wrapped bakery gifts", + " individually wrapped bakery gifts under 50 dollars", + " individually wrapped bakery gifts under $50" + ], + "i need a small red womens fleece jacket that is made of polyester spandex,": [ + "small red womens fleece jacket", + "small red womens fleece jacket with polyester spandex", + "small red womens fleece jacket in polyester spandex", + "small red womens fleece jacket under $50", + "small red womens fleece jacket under $40", + "small red womens fleece jacket under 50 dollars", + "small red womens fleece jacket under $60", + "small red womens fleece jacket made of polyester", + "womens fleece jacket", + "red womens fleece jacket" + ], + "i'm looking for 33.81 fl oz non-gmo gluten free monin raspberry syrup.": [ + "33.81 fl oz gluten free monin raspberry syrup", + "33.81 fl oz non-gmo gluten free monin raspberry", + "33.81 fl oz dairy free monin raspberry syrup", + "33 oz non-gmo gluten free monin raspberry syrup", + "non-gmo gluten free monin raspberry syrup 33.81 oz", + "33 oz gluten free monin raspberry syrup", + "non-gmo gluten free monin raspberry syrup 33 oz", + "33.81 fl oz no sugar gluten free monin raspberry syrup", + "non-gmo gluten free monin raspberry syrup 33.81", + "33.81 fl oz gluten free monin raspberry" + ], + "i am looking for a white and black heavy duty steel frame computer desk.": [ + "white and black heavy duty steel frame computer desk", + "white heavy duty steel frame computer desk", + "black heavy duty steel frame computer desk", + "white black heavy duty steel frame computer desk", + "white heavy duty steel frame computer desk.", + "white high performance heavy duty steel frame computer desk", + "white heavy duty steel frame computer desk,", + "white high duty steel frame computer desk", + "white steel frame computer desk", + "white computer desk" + ], + "i am interested in a towel for drying hair that is pink.": [ + "pink towel for drying hair", + "womens towel for drying hair pink", + "womens towel for drying hair", + "pink towel drying hair", + "womens towel", + "pink towel drying hair that is pink", + "towel for drying hair pink", + "bathroom for drying hair pink", + "womens pink towel", + "water towel for drying hair pink" + ], + "i need to order some certified organic loose leaf tea.": [ + "natural loose leaf tea", + "organic loose leaf tea", + "lemon tea certified organic", + "tea certified organic loose leaf tea", + "eco-friendly loose leaf tea", + "natural loose leaf tea under $40", + "lemon tea", + "natural loose leaf tea under $50", + "tea certified organic", + "almond tea" + ], + "i'm looking for a six-count pack of loose-leaf white tea powder. it needs to be usda certified organic.": [ + "6-count pack of loose-leaf white tea powder", + "6 count pack of loose-leaf white tea powder", + "6 pack of loose-leaf white tea powder", + "6 oz pack of loose-leaf white tea powder", + "six-count pack of loose-leaf white tea powder", + "6count pack of loose-leaf white tea powder", + "6 pack pack of loose-leaf white tea powder", + "pack of loose-leaf white tea powder", + "6oz pack of loose-leaf white tea powder", + "6 pack loose-leaf white tea powder" + ], + "i'm looking for certified usda organic black tea bags. i need a 20 count box.": [ + "certified usda organic black tea bags 20 count box", + "certified usda organic black tea bags 20 count", + "20 count usda organic black tea bags", + "certified usda organic black tea bags", + "23 count usda organic black tea bags", + "organic black tea bags 20 count", + "cherry usda organic black tea bags 20 count", + "22 count usda organic black tea bags", + "cherry usda organic black tea bags 20 count box", + "certified usda organic black tea bags, 20 count" + ], + "i am looking for certified organic english breakfast tea bags.": [ + "tea bags certified organic", + "a certified organic english breakfast tea bags", + "easy to clean english breakfast tea bags", + "tea bags certified organic english", + "non-gmo english breakfast tea bags", + "easy clean english breakfast tea bags certified organic", + "a certified organic english breakfast tea bags.", + "a breakfast tea bags certified organic", + "tea bags certified organic english breakfast tea", + "easy clean english breakfast tea bags" + ], + "i am looking for high quality dark red synthetic hair extensions.": [ + "dark red synthetic hair extensions", + "high quality dark red synthetic hair extensions", + "dark red synthetic hair extension", + "high quality dark red synthetic hair extension", + "low quality dark red synthetic hair extensions", + "high quality dark red synthetic hair extensions.", + "dark red synthetic hair extensions high quality", + "dark red synthetic hair extensions, high quality", + "dark red synthetic hair extensions.", + "dark red hair extensions" + ], + "looking for short lace boots for day comfort, fawn color, size 6.5": [ + "short lace boots for day comfort fawn color 6.5", + "short lace boots for day comfort fawn color size 6.5", + "short lace boots for day comfort fawn color", + "short lace boots day comfort fawn color, size 6.5", + "short lace boots for day comfort fawn color 5.5", + "short lace boots fawn color, size 6.5", + "short lace boots for day comfort, fawn color", + "short lace boots day comfort fawn color 6.5", + "short lace boots day comfort fawn color", + "short lace boots for day comfort" + ], + "i am interested in a variety pack of fruit snacks that are plant based.": [ + "variety pack of fruit snacks plant based", + "variety pack of fruit snacks", + "variety pack of fruit snacks plant based.", + "variety pack fruit snacks plant based", + "variety pack fruit snacks that are plant based", + "variety pack of fruit snacks, plant based", + "variety pack of fruit snacks plant-based", + "plastic fruit snacks that are plant based", + "plastic fruit snacks plant based", + "plastic fruit snacks variety pack" + ], + "i need a pack of 18 white cheddar black pepper creole bean + nut snack mix that is gluten free.": [ + "18 white cheddar black pepper creole bean + nut snack mix", + "pack of 18 white cheddar black pepper creole bean + nut snack mix", + "18 white cheddar black pepper creole bean snack mix that is gluten free", + "18 white cheddar black pepper creole bean and nut snack mix", + "18 white cheddar black pepper creole bean", + "18 white cheddar black pepper creole bean plus nut snack mix", + "18 white cheddar black pepper creole bean nut snack mix", + "18 white cheddar black pepper creole bean with nut snack mix", + "18 white cheddar black pepper creole bean peanut snack mix", + "18 white cheddar black pepper creole bean snack mix" + ], + "i am looking for an easy to clean hair dyeing set with a mixing bowl.": [ + "easy to clean hair dyeing set with a mixing bowl", + "easy clean hair dyeing set with a mixing bowl", + "easy to clean hair dyeing set with a mixing bowl.", + "easy to clean hair dyeing set", + "simple to clean hair dyeing set with a mixing bowl", + "easy-to clean hair dyeing set with a mixing bowl", + "easy clean hair dyeing set with a mixing bowl.", + "easy to clean hair dyeing set with a mixing bowl,", + "living room hair dyeing set with a mixing bowl", + "easy clean hair dyeing set" + ], + "i would like a 12 ounce cantina party mix with simple ingregients.": [ + "12 ounce cantina party mix", + "12 ounce cantina party mix simple ingregients", + "cantina party mix with simple ingregients", + "barbecue mix with simple ingregients 12 ounce", + "barbecue mix with simple ingregients", + "12 ounce cantina party mix under $50", + "barbecue mix with simple ingregients 12 oz", + "barbecue mix 12 ounce", + "12 oz cantina party mix", + "barbecue mix 12 oz" + ], + "i am looking for machine washable sweatsuits that are pink and in an xx-large.": [ + "machine washable sweatsuits pink xx-large", + "machine washable sweatsuits that are pink xx-large", + "pink machine washable sweatsuits xx-large", + "man washable sweatsuits pink xx-large", + "pink sweatsuit xx-large", + "womens sweatsuits pink xx-large", + "pink sweatsuits xx-large", + "machine washable sweatsuits that are pink x-large", + "pink machine washable sweatsuits x-large", + "pink and xx-large sweatsuit" + ], + "i need a skincare product that will help with the dark circles under my eyes.": [ + "skincare product that will help with the dark circles under my eyes", + "skincare product that helps with the dark circles under my eyes.", + "skincare product for dark circles under my eyes", + "skincare product with dark circles under my eyes", + "skincare product that helps with the dark circles under my eyes", + "skincare product to help with the dark circles under my eyes.", + "kincare product that will help with the dark circles under my eyes", + "skincare product to help with the dark circles under my eyes", + "skincare product dark circles under my eyes", + "skincare product" + ], + "i need an outdoor tv cover to dustproof a 51 inch television.": [ + "indoor tv cover to dustproof a 51 inch television", + "tv cover to dustproof a 51 inch television", + "alarm tv cover to dustproof a 51 inch television", + "almond tv cover to dustproof a 51 inch television", + "23 ft tv cover to dustproof a 51 inch television", + "23 inch tv cover to dustproof a 51 inch television", + "tv cover to dustproof a 51 inch television.", + "tv cover that dustproof a 51 inch television", + "indoor tv cover that dustproof a 51 inch television", + "4 ft tv cover to dustproof a 51 inch television" + ], + "i'm looking for a outdoor tv cover with 72 inch, need to be dust proof and black color": [ + "tv cover with 72 inch", + "tv cover with 72 inch dust proof black", + "tv cover with 72 inch dust proof", + "tv cover with 72 inch dust proof and black", + "indoor tv cover with 72 inch", + "wooden tv cover with 72 inch", + "tv cover with 72 inch black", + "tv cover 72 inch dust proof black", + "tv cover 72 inch dust proof", + "tv cover with 72 inch, dust proof" + ], + "i'm looking for a heavy duty, dust proof tv screen protectors which is easy to install. also, choose 46 inch camel colored one.": [ + "heavy duty, dust proof tv screen protectors", + "tv screen protectors 46 inch camel colored", + "dust proof tv screen protectors 46 inch camel colored", + "heavy duty, dust proof tv screen protectors under $40", + "tv screen protectors that is easy to install", + "tv screen protectors 46 inches camel colored", + "tv screen protector 46 inch camel colored", + "heavy duty, dust proof tv screen protector", + "tv screen protectors", + "tv screen protector" + ], + "i am looking for a high quality hair removal wax bottle.": [ + "high quality hair removal wax bottle", + "high quality hair removal wax bottle.", + "hair removal wax bottle high quality", + "low quality hair removal wax bottle", + "hair removal wax bottle", + "womens hair removal wax bottle", + "wax bottle high quality", + "hair removal wax bottle.", + "lip bottle high quality", + "womens wax bottle" + ], + "i'm looking to buy a body wash that has tea tree oil as an ingredient that would work well for sensitive skin.": [ + "body wash with tea tree oil", + "body wash tea tree oil", + "tea tree oil body wash", + "tea tree oil body wash for sensitive skin", + "body wash that has tea tree oil", + "body wash with tea tree oil for sensitive skin", + "body wash tea tree oil for sensitive skin", + "body wash tea tree oil sensitive skin", + "body wash with tea tree oil that is sensitive", + "tea tree oil body wash that is sensitive" + ], + "i need a bulk pack of 100 disposable toothbrushes for oral hygeine.": [ + "bag of 100 disposable toothbrushes for oral hygeine", + "large pack of 100 disposable toothbrushes for oral hygeine", + "bag of 100 disposable toothbrushes for oral hygeine.", + "brushed oral hygeine", + "bulk pack of 100 disposable toothbrushes oral hygeine", + "brushed for oral hygeine", + "bag of 100 disposable toothbrushes oral hygeine", + "bulk pack of 100 disposable toothbrushes", + "bale pack of 100 disposable toothbrushes", + "bag of 100 disposable toothbrushes" + ], + "i would like a gold tongue cleaner for my oral hygiene.": [ + "gold oral hygiene tongue cleaner", + "gold tongue cleaner oral hygiene", + "gold oral hygiene teeth cleaner", + "gold tongue cleaner for oral hygiene", + "gold oral hygiene oral cleaner", + "gold oral hygiene oral hygiene", + "gold oral hygiene oral hygiene cleaner", + "gold oral hygiene mouth cleaner", + "gold oral hygiene tongue cleaner.", + "gold oral hygiene tongue cleaner," + ], + "i'm looking for a hair salon stool that offers height adjustment and is the color blue.": [ + "hair salon stool blue", + "hair salon stool color blue", + "hair salon stool with height adjustment", + "hair salon stool that offers height adjustment", + "hair salon stool with height adjustment blue", + "hair salon stool colored blue", + "hair salon stool blue height adjustment", + "hair salon stool in blue", + "hair salon stool, blue", + "hair salon stool" + ], + "i would like a 5\" x 5\" square cake topper for a birthday party.": [ + "5 x 5 square cake topper for a birthday party", + "5 x 5 square cake topper for a baby shower", + "5 x 5 cake topper for a baby shower", + "5 x 5 cake topper for a birthday party", + "5 x 5 square cake toppers for a baby shower", + "5 x 5 square cake toppers for a birthday party", + "5 x 5 cake topper for a birthday party.", + "5 x 5 square cake topper", + "5 x 5 cake toppers for a baby shower", + "cake topper for a baby shower" + ], + "i need to buy a pair of swimming trunks in 3x large. make sure they can be washed on the cold cycle.": [ + "3x large swimming trunks", + "3x large swimming trunks in 3x large", + "3xl swimming trunks in 3x large", + "3x large swimming trunks under $50", + "3x large swimming trunks under $40", + "3x large swimming trunks with a cold cycle", + "swimming trunks in 3x large", + "3x large swimming trunks under $60", + "3x large swimming trunks under 50 dollars", + "3x large swimming trunks under 30 dollars" + ], + "i need a light wash mid rise slim leg jeans that comes with button closure in size 27 for women.": [ + "light wash mid rise slim leg jeans", + "light wash mid rise slim leg jeans that comes with button closure", + "light wash mid rise slim leg jeans with button closure", + "low wash mid rise slim leg jeans that comes with button closure", + "light wash mid rise slim leg jeans in size 27 for women", + "low wash mid rise slim leg jeans", + "light wash mid rise slim leg jeans size 27 for women", + "light wash mid rise slim leg jeans in size 27", + "light wash slim leg jeans", + "womens slim leg jeans" + ], + "i need a jeans with button closure.": [ + "jeans button closure", + "jeans button closure below $40", + "jeans button closure below $50", + "jeans with button closure", + "jeans button closure under $40", + "jeans button closure under $50", + "jean button closure", + "jeans button closure.", + "jeans button closure jeans", + "djeans button closure" + ], + "i'm looking for a tongue scraper that is stainless steel and helps me keep fresh breath.": [ + "stainless steel tongue scraper", + "tongued scraper stainless steel", + "tongor scraper stainless steel", + "tonguing scraper stainless steel", + "tongued scraper that is stainless steel", + "temporary tongue scraper stainless steel", + "tongble scraper stainless steel", + "tongue scraper stainless steel", + "tooth scraper stainless steel", + "stainless steel tongue scraper," + ], + "i am interested in a six inch red candle that is made of soy wax.": [ + "6 inch red candle made of soy wax", + "6 foot red candle made of soy wax", + "6 inch red candle made from soy wax", + "6 ft red candle made of soy wax", + "6 inch red candle", + "6x6 red candle made of soy wax", + "6 foot red candle made from soy wax", + "6 candle made of soy wax", + "6 inch red candle with soy wax", + "6 inch red candle made of soy wax," + ], + "i need a blue portable bluetooth speaker that is easy to carry.": [ + "blue portable bluetooth speaker", + "blue portable bluetooth speaker easy to carry", + "blue portable bluetooth speaker, easy to carry", + "blue portable bluetooth speaker with easy to carry", + "blue bluetooth speaker that is easy to carry", + "blue portable bluetooth speaker under $40", + "blue portable bluetooth speaker under $50", + "blue portable bluetooth speaker under $60", + "blue portable bluetooth speaker easy to carry.", + "blue bluetooth speaker" + ], + "i need a flamingo pink lacoste short sleeve polo in size 7.": [ + "flamingo pink lacoste short sleeve polo in size 7", + "pink lacoste short sleeve polo in size 7", + "flamingo pink lacoste short sleeve polo in size 7", + " flamingo pink lacoste short sleeve polo in size 7", + "pink lacoste short sleeve polo in size 7.", + "famingo pink lacoste short sleeve polo in size 7", + "twin pink lacoste short sleeve polo in size 7", + "plastico pink lacoste short sleeve polo in size 7", + " flamingo pink lacoste short sleeve polo in size 7.", + "pink lacoste short sleeve polo in a size 7" + ], + "i am looking for a living room set with two armchairs that are gray in color and mid century style.": [ + "living room set with two armchairs gray in color and mid century style", + "living room set with two armchairs that are gray", + "living room set with two armchairs that are gray in color", + "living room set with two armchairs", + "living room set with two armchairs that are gray and mid century style", + "living room set with two armchairs gray in color, mid century style", + "living room set with two armchairs gray in color mid century style", + "living room set with two armchairs, gray, mid century style", + "living room set with two armchairs gray in color", + "living room set with two armchairs in gray" + ], + "mid century leather two armchair set": [ + "mid century leather two armchair set", + "mid century leather two armchair set under $50", + "mid century leather two armchair set under $130", + "mid century leather two armchair set under $120", + "mid century leather two armchair set under $40", + "mid century leather two armchair set under $60", + "mid century leather two armchair set under 50 dollars", + "mid century leather two armchair set,", + "mid century leather 2 armchair set", + "mid century leather two armchair" + ], + "i am looking for smartwatch bands that are nude in color and are compatible with apple.": [ + "smartwatch bands compatible with apple", + "nude color smartwatch bands compatible with apple", + "nude color apple smartwatch bands", + "smartwatch bands that are nude in color", + "nude in color smartwatch bands", + "nude colored smartwatch bands compatible with apple", + "nude in color apple smartwatch bands", + "nude color smartwatch bands", + "nude colored apple smartwatch bands", + "nude color apple smartwatch band" + ], + "i would like a full size classic 8\" split foundation mattress and box spring.": [ + "full size classic 8 split foundation mattress and box spring", + "classic 8 split foundation mattress and box spring", + "full size classic 8 split foundation mattress with box spring", + "full size classic 8 split foundation mattress", + "classic 8 split foundation mattress with box spring", + "full size classic 8 split foundation mattress, box spring", + "full size classic 8 split foundation mattress box spring", + "classic 8 split foundation mattress and box spring.", + "classic 8 split foundation mattress box spring", + "classic 8 split foundation mattress, box spring" + ], + "i want to find a desktop computer that features ryz 5 pro 3400ge, 32 gigabytes of storage space and 500 gigabytes on the ssd card. it needs to have a quad core processor.": [ + "desktop computer with ryz 5 pro 3400ge", + "desktop computer with ryz 5 pro 3400ge with a quad core processor", + "desktop computer that features ryz 5 pro 3400ge with quad core processor", + "desktop computer that features ryz 5 pro 3400ge", + "desktop computer that features ryz 5 pro 3400ge processor", + "desktop computer with ryz 5 pro 3400ge processor", + "desktop computer with a quad core processor", + "desktop computer ryz 5 pro 3400ge", + "desktop computer with quad core processor", + "desktop computer" + ], + "i need vintage beauty salon chairs.": [ + "i need vintage beauty salon chairs.", + "vintage beauty salon chairs", + "a vintage beauty salon chairs", + "variety beauty salon chairs", + "sneakers for beauty salon chairs", + "style beauty salon chairs", + "vintage beauty salon chairs.", + "beauty salon chairs that are vintage", + "beauty salon chairs", + "pink beauty salon chairs" + ], + "i am looking for a white feather color large makeup bag which is water resistant.": [ + "large makeup bag that is water resistant", + "large makeup bag which is water resistant", + "large makeup bag with white feather color", + "large makeup bag in white feather color", + "white feather color large makeup bag", + "large makeup bag white feather color", + "large makeup bag, water resistant", + "large makeup bag", + "large makeup bag water resistant", + "large makeup bag white feather" + ], + "i need a pink blossom colored carrying case for my cell phone.": [ + "pink blossom colored carrying case for my cell phone", + "pink blossom colored carrying case for my cell phone.", + "pink blossom colored carrying case for a cell phone", + "pink blossom colored carrying case for my cell phone,", + "pink blossom colored carrying case for a cell phone.", + "pink blossom colored carrying case", + "pink blossom colored carrying case for the cell phone", + "pink blossom colored carrying case for my cell phone ", + "pink blossom colored carrying case for cell phone", + "pink blossom colored carrying case for my phone" + ], + "find a sneaker for men with outsole rubber and rubber sole size 4 color in black or white": [ + "sneakers for men size 4 black or white", + "sneaker for men size 4 black or white", + "sneaker for men black or white", + "sneakers for men black or white", + "sneaker for men size 4 in black or white", + "sneaker for men in black or white", + "sneakers for men in black or white", + "sneaker for men black rubber sole size 4", + "sneakers for men black or white size 4", + "sneaker for men black or white size 4" + ], + "i am interested in a round area rug that is turquoise and ivory and 6 ft by 7 ft long.": [ + "turquoise and ivory rug 6 ft by 7 ft long", + "turquoise square rug 6 ft by 7 ft long", + "square rug turquoise and ivory 6 ft by 7 ft", + "turquoise and ivory rug 6 ft by 7 ft", + "turquoise rug 6 ft by 7 ft long", + "square rug that is turquoise and ivory", + "square area rug that is turquoise and ivory", + "turquoise and ivory rug", + "square rug turquoise and ivory", + "turquoise square rug" + ], + "i need a white coated steel stockpile 3-drawer mobile file cabinet.": [ + "white coated steel stockpile 3-drawer mobile file cabinet", + "white coated steel stockpile 3-drawer mobile file cabinet.", + "white coated steel stockpile 3-drawer mobile file cabinet,", + "white steel stockpile 3-drawer mobile file cabinet", + "white coated steel stockpile 3-drawer mobile file cabinet under $40", + "white coated steel stockpile 3-drawer mobile file cabinet under $50", + "white coated steel stockpile 3-drawer mobile file cabinet under $60", + "white coated steel stockpile 3-drawer mobile file cabinet under $120", + "white coated steel stockpile 3-drawer mobile file cabinet under $130", + "white coated steel stockpile 3 drawer mobile file cabinet" + ], + "i am looking for dark blue color womens jeans having high waist.": [ + "dark blue womens jeans", + "dark blue womens jeans high waist", + "dark blue color womens jeans", + "dark blue woman jeans with high waist", + "dark blue women jeans with high waist", + "dark blue jeans with high waist", + "dark blue woman jeans", + "dark blue women jeans", + "dark blue jeans", + "dark blue" + ], + "i want to find one messy synthetic hair bun piece in a light auburn color.": [ + " messy synthetic hair bun piece in a light auburn color", + "synthetic hair bun piece in a light auburn color", + " messy synthetic hair bun piece in a light auburn", + "synthetic hair bun piece in a light auburn", + "faux synthetic hair bun piece in a light auburn color", + "large messy synthetic hair bun piece in a light auburn color", + "auburn synthetic hair bun piece in a light auburn", + "m messy synthetic hair bun piece in a light auburn color", + "musical hair bun piece in a light auburn color", + "auburn synthetic hair bun piece" + ], + "i am looking for hand crafted snack gifts.": [ + "hand crafted snack gifts", + "hand crafted snack gifts.", + "hand crafted snack gifts under 50 dollars", + "hand crafted snack gifts under $50", + "hand crafted snack gifts under $40", + "hand crafted snack gifts under $60", + "hand crafted snack gifts under 40 dollars", + "hand crafted snack gifts under 30 dollars", + "hand crafted snack gifts under 60 dollars", + "hand crafted snack gifts under 120 dollars" + ], + "i need a powerlite 1785w projector that projects 1080p hd.": [ + "powerlite 1785w projector", + "powerlite 1785w projector under $40", + "powerlite 1785w projector under $120", + "powerlite 1785w projector under $130", + "powerlite 1785w projector under $60", + "powerlite 1785w projector under $50", + "powerlite 1785w projector under 30 dollars", + "powerlite 1785w projector that projects 1080p", + "powerlite 1785w projector with 1080p resolution", + "powerlite 1785w projector with a 1080p" + ], + "i want a highly pigmented lip gloss that is in the color r901": [ + "pink pigmented lip gloss in the color r901", + "pink lip gloss that is in the color r901", + "pink lip gloss in the color r901", + "pink pigmented lip gloss r901", + "lip gloss in the color r901", + "lip gloss that is in the color r901", + "pink pigmented lip gloss", + "pink pigmented lip gloss, r901", + "pink lip gloss r901", + "lip gloss r901" + ], + "i need an indoor ultra hd antenna with an amplifier.": [ + "indoor ultra hd antenna with an amplifier", + "indoor ultra hd antenna with an amplifier.", + "indoor ultra hd antenna", + "indoor ultra hd antenna, with an amplifier", + " indoor ultra hd antenna with an amplifier", + "indoor ultra hd antenna with a amplifier", + "indoor ultra hd radio with an amplifier", + "indoor ultra hd antenna with an amplifier,", + "indoor ultra hd antenna no amplifier", + "indoor ultra hd antenna with amplifier" + ], + "i need a lenovo chromebook with intel core i3-8130u.": [ + "lenovo chromebook i3-8130u", + "lenovo chromebook with intel core i3-8130u", + "lenovo chromebook i3-8130u.", + "lenovo chromebook with intel core i3-8130u.", + "lenovo chromebook i3-8130u lenovo", + "lenovo chromebook with intel core i3-8130u lenovo", + "lenovo chromebook i3-8130u with intel core", + "lenovo chromebook i3-8130u, lenovo", + "lenovo chromebook with intel core i3-8130u under $60", + "lenovo chromebook" + ], + "i'm looking for a topper for a birthday cake.": [ + "topper for a birthday cake", + "topper for a birthday cake.", + "topper for a baby shower", + "topper birthday cake", + "toppers for a birthday cake", + "birthday cake topper", + "toppers for a birthday cake.", + "topper for birthday cake", + "birthday topper", + "birthday cake toppers" + ], + "i need a cell phone signal booster that is compatible with 4g lte.": [ + "cell phone signal booster compatible with 4g lte", + "4g lte cell phone signal booster", + "cell phone signal booster compatible with 4g lte.", + "Cell phone signal booster compatible with 4g lte", + "cell phone signal booster, compatible with 4g lte", + "cell phone signal booster 4g lte", + "cell phone signal booster for 4g lte", + "cell phone signal booster with 4g lte", + "5g lte cell phone signal booster", + "cell phone signal booster" + ], + "get me some black sneakers in size five and a half. make sure they're made out of high-quality materials.": [ + "black sneakers size 5 and a half", + "black sneakers in size 5 and a half", + "black sneakers in size five and a half", + "black sneakers in a size 5 and a half", + "black sneakers size five and a half", + "black sneakers in a size five and a half", + "black sneakers 5 and a half", + "black sneakers size 5.5", + "black sneakers size 5", + "black sneakers" + ], + "i would like a pair of blue medium sized shorts with a elastic waist.": [ + "blue medium shorts with a elastic waist", + "blue medium shorts with elastic waist", + "blue medium sized shorts elastic waist", + "blue medium sized shorts with elastic waist", + "blue medium shorts elastic waist", + "blue medium sized shorts, elastic waist", + "blue medium shorts, elastic waist", + "blue medium sized shorts", + "blue medium shorts", + "blue medium t-short shorts" + ], + "i am looking for a clothes rack of 22-inch size that is heavy duty and saves space.": [ + "22-inch clothes rack", + "22-inch clothes rack heavy duty", + "sneakers 22-inch heavy duty", + "22-inch clothes rack, heavy duty", + "22-inch clothes rack of heavy duty", + "womens rack 22-inch size", + "large duty clothes rack 22-inch", + "22-inch clothes rack under $40", + "sneakers 22-inch", + "22-inch size clothes rack" + ], + "i would like some green size 36 shorts that are good for my gym workout.": [ + "green size 36 shorts", + "green workout shorts", + "green size 36 shorts workout", + "green workout shorts size 36", + "green jogging shorts", + "green gym workout shorts", + "green gym shorts", + "green training shorts", + "green workouts shorts", + "green shorts" + ], + "i need roasted coffee beans that are dairy free and cinnamon bun flavored.": [ + "roasted coffee beans dairy free cinnamon bun flavored", + "roasted coffee beans that are dairy free and cinnamon bun flavored", + "roasted coffee beans that are dairy free cinnamon bun flavored", + "roasted coffee beans dairy free and cinnamon bun flavored", + "roasted coffee beans dairy free cinnamon bun flavored.", + "roasted coffee beans that are dairy free cinnamon bun flavored.", + "roasted coffee beans dairy free and cinnamon bun flavored.", + "roasted coffee beans dairy free cinnamon bun flavored below $40", + "roasted coffee beans dairy free cinnamon bun flavored below $50", + "roasted coffee beans dairy free cinnamon bun flavored under $40" + ], + "i would like a 12 oz package of whole bean coffee beans that are keto friendly.": [ + "12 oz package of keto friendly beans", + "12 oz package of keto friendly coffee beans", + "12 oz keto friendly coffee beans", + "12 oz package of whole bean coffee beans", + "12 oz keto friendly beans", + "12 oz package of beans keto friendly", + "12 oz package of fresh beans keto friendly", + "12 oz package of keto friendly", + "12 oz keto friendly coffee beans 12 oz", + "keto friendly beans 12 oz package" + ], + "i am looking for a artisan gold color flipflop having rubber sole.": [ + " artisan gold color flipflop with rubber sole", + "an artisan gold color flipflop with rubber sole", + " artisan gold color flipflop having rubber sole", + "an artisan gold color flipflop having rubber sole", + "al artisan gold color flipflop with rubber sole", + "a artisan gold color flipflop with rubber sole", + "artwork gold flipflop with rubber sole", + "alarm gold flipflop with rubber sole", + " artisan gold flipflop with rubber sole", + " artisan gold color flipflop" + ], + "i need a usb video game capture card for my usb port.": [ + "usb video game capture card for my usb port", + "usb video game capture card for usb port", + "usb video game capture card", + " usb video game capture card for my usb port", + " usb video game capture card for usb port", + "usb video game capture card for a usb port", + "tv game capture card for usb port", + "usb video game capture card for usb port.", + " usb video game capture card", + "ps video game capture card for my usb port" + ], + "i'm looking for a pair of classic fit silver gray scrub bottoms in large petite with an elastic waistband and drawstring closure.": [ + "classic fit silver gray scrub bottoms in large petite with an elastic waistband and drawstring closure", + "silver gray scrub bottoms in large petite with an elastic waistband and drawstring closure", + "classic fit silver gray scrub bottoms in large petite with an elastic waistband with drawstring closure", + "classic fit silver gray scrub bottoms in large petite with an elastic waistband, drawstring closure", + "classic fit silver gray scrub bottoms with an elastic waistband and drawstring closure", + "simple fit silver gray scrub bottoms in large petite with an elastic waistband and drawstring closure", + "classic fit silver gray scrub bottoms in large petite with an elastic waistband", + "silver gray scrub bottoms in large petite with an elastic waistband with drawstring closure", + "classic fit silver gray scrub bottoms in large petite, elastic waistband and drawstring closure", + "classic fit silver gray scrub bottoms in large petite" + ], + "i'm looking for a 6-pack of salted caramel & dark chocolate nut bars with low sugar and simple ingredients.": [ + "6-pack of salted caramel & dark chocolate nut bars", + "6-pack of salted caramel & dark chocolate nut bar", + "6-pack salted caramel & dark chocolate nut bars", + "6-pack of salted caramel and dark chocolate nut bars", + "6-pack of salted caramel & dark chocolate nut bars with low sugar", + "6-pack of salted caramel & dark chocolate nut bars under $60", + "6-pack of salted caramel & dark chocolate nut bars under $50", + "6-pack of salted caramel & dark chocolate nut bars under $40", + "6-pack of salted caramel & dark chocolate nut bars under 50 dollars", + "6-pack of salted caramel & dark chocolate nut bars no sugar" + ], + "i would like 6 bars of low sugar chocolates": [ + "6 bars of low sugar chocolates", + "6 bar of low sugar chocolates", + "low sugar chocolates 6 bars", + "6 bars low sugar chocolates", + "6 bar low sugar chocolates", + "6 chocolate chocolates", + "low sugar chocolates 6 bar", + "low sugar chocolates", + "low sugar chocolates under $60", + "low sugar chocolates below $50" + ], + "get me a dark chocolate and chilli almond snack bar that is low in sugar.": [ + "dark chocolate and chilli almond snack bar low in sugar", + "dark chocolate and chilli almond snack bar", + "dark chocolate and chilli almond snack bar, low in sugar", + "low sugar and chilli almond snack bar", + "dark chocolate and chilli almond snack bar that is low sugar", + "dark chocolate and chilli almond snack bar low sugar", + "dark chocolate and chilli almond snack bar low in sugar.", + "dark chocolate and chilli almond snack bar with sugar", + "dark chocolate and chilli almond snack bar no sugar", + "dark chocolate and chilli almond snack bar with low sugar" + ], + "i want to find long-lasting eau de toilette from chanel.": [ + "long-lasting eau de toilette from chanel", + "eau de toilette from chanel", + "eau de toilette from chanel.", + "long-lasting eau de toilette chanel", + "eau de toilette from chanel long-lasting", + "long-lasting eau of toilette from chanel", + "bathroom eau de toilette from chanel", + "eau de toilette chanel", + "long-lasting eau de toilette", + "eau de toilette from chanel," + ], + "i am looking for a powder fresh mitchum anti-perspirant.": [ + "pale fresh mitchum anti-perspirant", + "pink mitchum anti-perspirant", + " powder fresh mitchum anti-perspirant", + "moisturizing mitchum anti-perspirant", + "pink fresh mitchum anti-perspirant", + "powder fresh mitchum anti-perspirant", + "pale mitchum anti-perspirant", + "pale fresh mitchum anti-perspirant.", + "powder fresh mitchum anti-perspirant", + "mitchum anti-perspirant" + ], + "i need a 64 fl oz sugar free bottle of peach chipotle davinci gourmet cake batter syrup.": [ + "64 fl oz sugar free bottle of peach chipotle davinci gourmet cake batter", + "large sugar free bottle of peach chipotle davinci gourmet cake batter syrup", + "pomegranate chipotle davinci gourmet cake batter syrup 64 fl oz", + "16 oz sugar free bottle of peach chipotle davinci gourmet cake batter syrup", + "6 oz sugar free bottle of peach chipotle davinci gourmet cake batter syrup", + "gluten free bottle of peach chipotle davinci gourmet cake batter syrup", + "pomegranate chipotle davinci gourmet cake batter syrup", + "60 fl oz sugar free bottle of peach chipotle davinci gourmet cake batter", + "16 oz sugar free bottle of peach chipotle davinci gourmet cake batter", + "large sugar free bottle of peach chipotle davinci gourmet cake batter" + ], + "i want sugar free davinci black cherry cake batter syrup.": [ + "sugar free davinci black cherry cake batter syrup", + "sugar free davinci black cherry cake batter", + "synthetic free davinci black cherry cake batter syrup", + "sugar free davinci black cherry cake batter sugar free", + "sugar free davinci black cherry cake batter syrup.", + "gluten free davinci black cherry cake batter syrup", + "sugar free davinci black cherry cake batter maple", + "sugar free davinci black cherry cake batter syrup,", + "ugar free davinci black cherry cake batter syrup", + "davinci black cherry cake batter syrup" + ], + "i would like a 64 fluid ounce bottle of sugar free pina colada cocktail flavored syrup.": [ + "sugar free pina colada cocktail flavored syrup", + "64oz pina colada cocktail flavored syrup", + "64 fluid ounce bottle of sugar free pina colada cocktail flavored", + "sugar free pina colada cocktail flavored syrup 64 oz", + "synthetic pina colada cocktail flavored syrup 64 oz", + "sugar free pina colada cocktail flavored syrup 64oz", + "synthetic pina colada cocktail flavored syrup 64oz", + "bottle pina colada cocktail flavored syrup 64 oz", + "64 oz pina colada cocktail flavored syrup", + "synthetic pina colada cocktail flavored syrup" + ], + "i would like a 14.1 ounce of toasted hazelnut syrup that is sugar free.": [ + "14.1 ounce of toasted hazelnut syrup", + "toasted hazelnut syrup 14.1 oz", + "toasted hazelnut syrup 14.1 ounce", + "14.1 ounce of hazelnut syrup", + "strawberry hazelnut syrup 14.1 oz", + "14.1 ounce toasted hazelnut syrup", + "12.1 ounce of toasted hazelnut syrup", + "stainless hazelnut syrup 14.1 oz", + "strawberry hazelnut syrup 14.1 ounce", + "hazelnut syrup 14.1 ounce sugar free" + ], + "i need a 3 pound (pack of 1) cane sugar syrup which has natural flavour and is sugar free.": [ + "3 pound (pack of 1) cane sugar syrup", + "3 pound (pack of 1) cane sugar syrup that is natural", + "3 pound (pack of 1) cane sugar syrup sugar free", + "3 pound (pack of 1) cane sugar syrup natural", + "3 pound (pack of 1) cane sugar syrup, sugar free", + "3 pound (pack of 1) cane sugar syrup with natural flavour", + "3 pound (pack of 1) cane sugar syrup, natural", + "3 pound (pack of 1) sugar syrup", + "3 pound (pack of 1) cane sugar syrup, natural flavour", + "3 pound (pack of 1) sugar sugar syrup" + ], + "i need a classic fit and dark heather fish aquarium t-shirt in size 2t for men.": [ + "classic fit and dark heather fish aquarium t-shirt", + "classic fit and dark heather fish aquarium t-shirt in size 2t", + "classic fit heather fish aquarium t-shirt in size 2t for men", + "classic fit and dark heather fish aquarium t-shirt 2t for men", + "classic fit dark heather fish aquarium t-shirt size 2t for men", + "classic fit dark heather fish aquarium t-shirt in size 2t", + "classic fit and dark heather fish aquarium t-shirt for men", + "classic fit dark heather fish aquarium t-shirt", + "t-shirt in size 2t for men", + "classic fit under $40" + ], + "i am interested in hand crafted hors d'oeuvres": [ + "hand crafted hors doeuvres", + "hand crafted hors doeuvres under $40", + "hand crafted hors doeuvres under $50", + "hand crafted hors doeuvres under $60", + "hand crafted hors doeuvres under 50 dollars", + "hand crafted hors doeuvres under 30 dollars", + "hand crafted hors doeuvres under 40 dollars", + "hand crafted hors doeuvres under 60 dollars", + "hand crafted hors doeuvres under 120 dollars", + "hand crafted hors doeuvres under $120" + ], + "i'm looking for hand-crafted hors d'oeurves.": [ + "hand-crafted hors doeurves", + "hand-crafted hors doeurves.", + "hand-crafted hors doeurves under $40", + "hand-crafted hors doeurves under $50", + "hand-crafted hors doeurves under $60", + "hand-crafted hors doeurves under 50 dollars", + "hand-crafted hors doeurves under 30 dollars", + "hand-crafted hors doeurves under 40 dollars", + "hand-crafted hors doeurves under 60 dollars", + "hand-crafted hors doeurves under 120 dollars" + ], + "i'm looking for extra large high waist leggings that are hand washable and fleece lined.": [ + "extra large high waist leggings", + "extra large high waist leggings that are hand washable", + "extra large high waist leggings with fleece lined", + "extra large high waist leggings fleece lined", + "extra large high waist leggings in fleece lined", + "extra large high waist leggings under $40", + "extra large high waist leggings under $50", + "extra large high waist leggings under 50 dollars", + "extra large high waist leggings, hand washable", + "extra large high waist leggings with fleece lining" + ], + "i need a regular fit machine wash nike gym t-shrit.": [ + "regular fit machine wash nike gym t-shrit", + "regular fit machine wash nike gym t-shrit.", + "regular fit machine wash nike gym t-shrit under $40", + "regular fit machine wash nike gym t-shrit under $50", + "coaxial fit machine wash nike gym t-shrit", + "machine wash nike gym t-shrit", + "regular fit machine wash nike gym t-shrit under $60", + "regular fit machine wash nike gym t-shrit under 30 dollars", + "regular fit machine wash nike gym t-shrit under 50 dollars", + "regular fit machine wash nike gym t-shrit," + ], + "i am looking for a medium sized toiletry bag that is denim purple and water resistant.": [ + "medium sized toiletry bag that is denim purple", + "medium sized toiletry bag that is denim purple water resistant", + "medium sized toiletry bag, denim purple and water resistant", + "medium sized toiletry bag, denim purple, water resistant", + "medium sized toiletry bag with denim purple", + "bathroom bag that is denim purple and water resistant", + "medium sized toiletry bag denim purple", + "medium sized toiletry bag, denim purple", + "medium sized toiletry bag", + "medium sized toiletry bag in denim purple" + ], + "i am looking for a medium size travel bag that is water resistant and denim grey in color.": [ + "medium size travel bag with water resistant and denim grey", + "medium size travel bag, water resistant and denim grey", + "medium size travel bag with water resistant denim grey", + "medium size travel bag that is water resistant", + "medium size travel bag that is water resistant denim grey", + "medium size travel bag, water resistant, denim grey", + "medium size travel bag water resistant and denim grey", + "medium size travel bag in denim grey", + "medium size travel bag with water resistant", + "medium size travel bag" + ], + "i would like a black toiletry bag that is water resistant and a medium size.": [ + "black toiletry bag that is water resistant", + "black toiletry bag", + "black toiletry bag, water resistant, medium size", + "black toiletry bag in a medium size", + "black toiletry bag that is water resistant and small", + "black toiletry bag, water resistant, medium", + "black toiletry bag with water resistant", + "black toiletry bag, water resistant", + "black toiletry bag water resistant", + "water resistant black toiletry bag" + ], + "i'm interested in some banana hemp cereal that is dairy - and gluten-free.": [ + "banana hemp cereal dairy-free", + "banana hemp cereal dairy free", + "banana hemp cereal that is dairy free", + " banana hemp cereal dairy-free", + "pomegranate hemp cereal dairy free", + " banana hemp cereal that is dairy-free", + " banana hemp cereal dairy free", + " banana hemp cereal that is dairy free", + "banana hemp cereal gluten free", + "packana hemp cereal dairy free" + ], + "i'm looking for a sky blue ring holder for my smartphone, if possible with wireless charging.": [ + "sky blue ring holder for my smartphone with wireless charging", + "sky blue ring holder for a smartphone with wireless charging", + "sky blue ring holder for my smartphone, wireless charging", + "sky blue ring holder for smartphone with wireless charging", + "sky blue ring holder, if possible with wireless charging", + "sky blue ring holder for my smartphone", + "sky blue ring holder", + "sky blue ring holder with wireless charging", + "sky blue phone ring holder with wireless charging", + "sky blue ring holder smartphone with wireless charging" + ], + "i want a nikon coolpix a1000 compact digital camera with optical zoom.": [ + "nikon coolpix a1000 compact digital camera with optical zoom", + "nikon coolpix a1000 compact digital camera", + " nikon coolpix a1000 compact digital camera with optical zoom", + "nikon Coolpix a1000 compact digital camera with optical zoom", + "nikoncoolpix a1000 compact digital camera with optical zoom", + "nikkon coolpix a1000 compact digital camera with optical zoom", + "natikon coolpix a1000 compact digital camera with optical zoom", + "nikon coolpix a1000 compact digital camera with optical zoom", + "kon coolpix a1000 compact digital camera with optical zoom", + "a1000 compact digital camera with optical zoom" + ], + "i want to buy some wall sconces with a dark bronze finish.": [ + "wall sconces with a dark bronze finish", + "wall sconces dark bronze", + "wall sconces dark bronze finish", + "wall sconces with dark bronze finish", + "wall sconces, dark bronze finish", + "wall sconces in dark bronze finish", + "wall sconces that are dark bronze", + "womens wall sconces dark bronze", + "wall sconces of dark bronze finish", + "wall sconces" + ], + "globe electric wall sconce 65931 williamsburg 1 light, dark bronze, dark wood finish details, easy to install.i need you to find it in color: dark bronze with gold category": [ + "globe electric wall sconce 65931", + "globe electric wall sconce 65931 dark bronze", + "globe electric wall sconce 65931 with gold", + "globe electric wall sconce 65931 dark bronze", + "globe electric wall sconce 65931 wood finish details", + "globe electric wall sconce 65931 wood finish", + "globe electric wall sconce 65931, dark bronze", + "globe electric wall sconce 65931 silver", + "globe electric wall sconce 65931 color", + "globe electric wall sconce 65931 black" + ], + "i would like a pair of medium navy blue gym shorts that i can machine wash.": [ + "medium navy blue gym shorts", + "medium navy blue gym shorts machine wash", + "medium navy blue gym shorts, machine wash", + "medium navy blue gym shorts under $40", + "medium navy blue gym shorts under $50", + "medium navy blue gym shorts under 50 dollars", + "medium navy blue gym shorts under $60", + "medium navy blue gym shorts under 30 dollars", + "large navy blue gym shorts", + "two medium navy blue gym shorts" + ], + "i'm looking for hair removal with non toxic product and with eco friendly beauty salon": [ + "non toxic natural beauty salon", + "non toxic beauty salon", + "hair removal with non toxic product", + "non toxic and eco friendly beauty salon", + "non toxic product eco friendly beauty salon", + "non toxic hair removal", + "non toxic human hair removal", + "eco friendly beauty salon", + "non toxic natural hair removal", + "non toxic product" + ], + "i'm looking for a bathing suit for plus size women that is quick drying that comes in xx-large and the color black, if possible.": [ + "bath suit for plus size women that is quick drying black", + "bath suit for plus size women that is quick drying", + "bath suit for plus size women", + "bath suit xx-large in the color black", + "bath suit for plus size women in xx-large black", + "bath suit for plus size women in xx-large", + "bath suit for plus size women with quick drying color black", + "bath suit for plus size women with quick drying black", + "bath suit for plus size women in xx-large color", + "bath suit for plus size women quick drying black" + ], + "i'm looking for a 2-pack of moisture-wicking black and oxford sweatpants in size medium with an elastic waistband.": [ + "2-pack of moisture-wicking black oxford sweatpants in size medium", + "2-pack of moisture-wicking black and oxford sweatpants in size medium", + "2-pack of moisture-wicking black oxford sweatpants", + "2-pack of moisture-wicking black and oxford sweatpants", + "moisturizing black oxford sweatpants in size medium with an elastic waistband", + "two-pack of moisture-wicking black oxford sweatpants in size medium", + "two-pack of moisture-wicking black and oxford sweatpants in size medium", + "moisturizing black oxford sweatpants in size medium", + "two-pack of moisture-wicking black oxford sweatpants", + "moisturizing black oxford sweatpants" + ], + "i want a set of 2 coffee bar stools which has height adjust ability in it.": [ + "set of 2 coffee bar stools with height adjust ability", + "set of 2 coffee bar stools with height adjust", + "set of 2 coffee bar stool with height adjust", + "set of 2 coffee bar stools", + "set of 2 coffee bar stools with height adjustability", + "set of 2 coffee bar stools with height adjustment", + "set of 2 coffee bar stool with height adjust ability", + "set of 2 coffee bar stools which has height adjust", + "set of 2 coffee bar stools with height adjustable", + "set of 2 coffee bar stools with height adjustment ability" + ], + "i'm interested in certified organic lip scrub to remove dead skin made from natural ingredients and must be cruelty-free.": [ + "certified organic lip scrub", + "certified organic lip scrub with natural ingredients", + "natural lip scrub that is cruelty-free", + "natural lip scrub certified organic", + "natural lip scrub", + "certified organic lip scrub with dead skin", + "curtains natural lip scrub", + "certified organic lip scrub natural", + "organic lip scrub", + "living skin lip scrub" + ], + "i want to buy window drapes for my living room that are machine washable. also, pick size: 108\" x 108\".": [ + "window drapes for my living room that are machine washable", + "window drapes for my living room that are machine washable.", + "window drapes for my living room, pick size: 108 x 108.", + "window drapes for my living room with machine washable", + "window drapes for my living room that are machine washable. pick size", + "window drapes for my living room, pick size: 108 x 108,", + "window drapes for my living room", + "window drapes for living room that are machine washable", + "window drapes, 108 x 108, pick size", + "window drapes that are machine washable" + ], + "can you please help me to find men's fleece jogger pant of 3x size which has elastic waist.": [ + "mens fleece jogger pant of 3x size with elastic waist", + "mens fleece jogger pant of 3x size", + "mens fleece jogger pant 3x size with elastic waist", + "mens fleece jogger pant 3x size which has elastic waist", + "mens fleece jogger pant of 3x size, elastic waist", + "mens fleece jogger pant of 3x size elastic waist", + "mens fleece jogger pant, 3x size, elastic waist", + "mens fleece jogger pant 3x size", + "mens fleece jogger pant of 3x", + "mens fleece jogger pant" + ], + "i'm looking for easy to use shinning pearl smudging eye shadow stick that's 1.4g. also, choose the reddish pink one.": [ + "easy to use shinning pearl smudging eye shadow stick", + "easy to use shinning pearl smudging eye shadow stick thats 1.4g", + "easy to use shinning pearl smudging eye shadow stick, 1.4g", + "easy to use shinning pearl smudging eye shadow stick 1.4g", + "easy to use shinning pearl smudging eye shadow stick, reddish pink", + "easy to use shinning pearl smudging eye shadow stick 1.4g", + "easy to use shinning pearl smudging eye shadow stick that is reddish pink", + "easy to use shinning pearl smudging eye shadow stick in reddish pink", + "5g shinning pearl smudging eye shadow stick", + "shinning pearl smudging eye shadow stick" + ], + "i want a eye shadow stick": [ + "eye shadow stick", + "eye shadow stick that is eye shadow free", + "eye shadow stick, less then $40", + "im looking for an eye shadow stick", + "argan eye shadow stick", + "Eye shadow stick", + "eye shadow stick under $40", + "an eye shadow stick", + "eye shadow stick,", + "eyes shadow stick" + ], + "i'm looking for hair styling beauty & personal care and it will be easy to use and safe use": [ + "hair styling beauty & personal care", + "hair styling beauty & personal care easy to use", + "hair styling beauty and personal care", + "hair styling beauty and personal care easy to use", + "easy to use hair styling beauty & personal care", + "easy to use beauty & personal care", + "beauty beauty & personal care", + "beauty beauty and personal care", + "beauty beauty & personal care easy to use", + "easy to use beauty and personal care" + ], + "i'm looking for a high quality pink or blue denture bath case that is non-toxic.": [ + "pink or blue denture bath case", + "pink denture bath case that is non-toxic", + "non-toxic pink denture bath case", + "pink or blue denture bath case non-toxic", + "pink dentalure bath case that is non-toxic", + "pink denture bath case", + "pink denture bath case non-toxic", + "high quality pink or blue denture bath case", + "low quality pink or blue denture bath case", + "pink or blue denture bath case with quality" + ], + "i would like to find a brown sofa table with lots of storage space for my living room.": [ + "brown sofa table with storage space for my living room", + "brown sofa table with lots of storage space", + "brown sofa table with storage space for living room", + "brown sofa table with lots of storage space for living room", + "brown sofa table with storage space for my living room.", + "brown sofa table with storage space", + "brown sofa table with storage space for the living room", + "brown sofa table with storage space for living room.", + "brown sofa table with a storage space for my living room", + "living room brown sofa table with storage space" + ], + "i'm looking for a large men's trench coat classic notched collar that have double breasted wool blend pea coat turn-down collar jacket. also, choose the black one.": [ + "large mens trench coat classic notched collar", + "large mens trench coat with double breasted wool blend pea coat", + "large mens trench coat with pea coat turn-down collar jacket", + "large mens trench coat classic notched collar black", + "large mens trench coat classic notched collar, black", + "mens trench coat classic notched collar", + "large mens trench coat with a pea coat turn-down collar", + "large mens trench coat classic notched collar under $40", + "large mens trench coat with pea coat turn-down collar", + "large mens trench coat" + ], + "i'm interested in black walking shoes in size 6.5 that features memory foam and good arch support.": [ + "walking shoes in size 6.5 with memory foam", + "walking shoes size 6.5 with memory foam", + "walking shoes in size 6.5 that features memory foam", + "walking shoes size 6.5 that features memory foam", + "black walking shoes in size 6.5 with memory foam", + "black walking shoes size 6.5 with memory foam", + "walking shoes in size 6.5", + "black walking shoes in size 6.5", + "walking shoe size 6.5 with memory foam", + "walking shoes size 6.5" + ], + "i'm looking for cotton spandex and buying options to include in large size": [ + "cotton spandex large", + "t cotton spandex large", + "cotton spandex in large", + "large cotton spandex", + "comfortable cotton spandex large", + "cotton spandex small", + "womens spandex large", + "cotton spandex, large", + "small cotton spandex", + "cotton spandex" + ], + "i am looking for nuccbbly ladies camisole pajamas nightwear lingerie top shorts sleepwear": [ + "nuccbbly ladies camisole pajamas nightwear lingerie top shorts sleepwear", + "nuccbbly ladies camisole pajamas nightwear lingerie top shorts", + "nuccbbly ladies camisole pajamas nightwear", + "uccbbly ladies camisole pajamas nightwear lingerie top shorts sleepwear", + "nuccbbly women camisole pajamas nightwear lingerie top shorts sleepwear", + " nuccbbly ladies camisole pajamas nightwear lingerie top shorts sleepwear", + "nuccbbly ladies camisole pajamas nightwear lingerie top shorts sleepwear,", + "nudeccbbly ladies camisole pajamas nightwear lingerie top shorts sleepwear", + "nuccbbl ladies camisole pajamas nightwear lingerie top shorts sleepwear", + "nuccbbly ladies camisole pajamas" + ], + "i am looking for a t-shirt with funny bigfoot yeti asaquatch for fit type: men in the color of slate with large size.": [ + "t-shirt with funny bigfoot yeti asaquatch", + "t-shirt with funny bigfoot yeti", + "t-shirt funny bigfoot yeti asaquatch", + "shoes with funny bigfoot yeti asaquatch", + "shirt with funny bigfoot yeti asaquatch", + "t-shirt funny bigfoot yeti", + "bigfoot yeti t-shirt", + "shoes with funny bigfoot yeti", + "t-shirt under $40", + "t-shirt" + ], + "i'm interested in knee high socks for teen girls in hot pink or light blue.": [ + "knee high socks for teen girls in hot pink or light blue", + "knee high socks for teen girl in hot pink or light blue", + "knee high socks for teen girls hot pink or light blue", + "nee high socks for teen girls in hot pink or light blue", + "teen girl knee high socks in hot pink or light blue", + "king high socks for teen girls in hot pink or light blue", + "knee high socks for teen girl hot pink or light blue", + "knee high socks for teen girls in hot pink", + "knee high socks for teen girls in hot pink or lightblue", + "knee high socks for teen girls" + ], + "i want a short sleeved slim fit casual shirt in white and size large.": [ + "short sleeved slim fit casual shirt in white", + "short sleeved slim fit casual shirt in white large", + "slim fit casual shirt in white and size large", + "short sleeved slim fit casual shirt in white small", + "short sleeved slim fit casual shirt size large", + "slim fit casual shirt in white", + "short sleeved slim fit casual shirt white", + "short sleeved slim fit casual shirt", + "slim fit casual shirt white", + "shoes white" + ], + "i need a dove bodywash suitable for senstive skin and must be plant based product.": [ + "dove bodywash plant based", + "dove bodywash plant based product", + "dove bodywash that is plant based", + "duck bodywash plant based product", + "duck bodywash plant based", + "dive bodywash plant based", + "dive bodywash plant based product", + "dome bodywash plant based product", + "dove bodywash", + "dove bodywash plant based product." + ], + "i trying to find a apple 7 watch screen protector with high defintion.": [ + "apple 7 watch screen protector with high defintion", + "apple 7 watch screen protector high defintion", + "apple 7 watch screen protector", + "apple 7 watch screen protector that is high defintion", + "apple 7 watch screen protector, high defintion", + "apple 7 watch screen protector with high defintion", + "apple 7 watch screen protector with high defintion.", + "apple 7 watch screen protector with high defintion,", + "apple 7 watch screen protector high defintion", + "apple 7 screen protector with high defintion" + ], + "i'm looking for a console table for the living room with a solid wood frame that can double as a storage unit.": [ + "console table for the living room with a solid wood frame", + "console table for living room with a solid wood frame", + "comport table for the living room with a solid wood frame", + "console table in the living room with a solid wood frame", + "Console table for living room with a solid wood frame", + "portrait table for living room with a solid wood frame", + "comport table for living room with a solid wood frame", + "console table living room with a solid wood frame", + "console table for the living room", + "console table for living room" + ], + "i'm looking for strong box spring beds and i take dark gray color with king size beds": [ + "dark gray box spring beds", + "heavy box spring beds dark gray", + "strong box spring beds dark gray", + "soft box spring beds dark gray", + "large box spring beds dark gray", + "stretch spring beds dark gray", + "black box spring beds", + "dark gray box spring beds king size", + "strong box spring beds dark gray color", + "strawberry box spring beds" + ], + "i'm looking for home & kitchen furniture with height adjustable in living room": [ + "home & kitchen furniture height adjustable in living room", + "home & kitchen furniture height adjustable", + "home and kitchen furniture height adjustable in living room", + "home & kitchen furniture height adjustable for living room", + "home and kitchen furniture height adjustable", + "home & kitchen furnitureheight adjustable in living room", + "home & kitchen furniture height adjustment in living room", + "living room furniture height adjustable", + "home & kitchen furniture with height adjustable", + "home & kitchen furniture height adjustable living room" + ], + "i'm working for light fixture of tools & home improvement with color black": [ + "light fixture of tools & home improvement with color black", + "light fixture of tools and home improvement with color black", + "light fixture of tools & home improvement", + "light fixture of tools & home improvement color black", + "light fixture of tools, home improvement with color black", + "light fixture of tools & home improvement in color black", + "light fixture of tools and home improvement", + "light fixture of tools and home improvement color black", + "light fixture of tools for home improvement with color black", + "light fixture of tools and home improvement in color black" + ], + "i'm interested in some low-carb, high protein jerky with zero sugar and no artificial flavors.": [ + "low-carb high protein jerky with zero sugar and no artificial flavors", + "low-carb high protein jerky with zero sugar", + "low-carb high protein jerky no sugar", + "low-carb high protein jerky with zero sugar and no artificial flavor", + "low-carb high protein jerky no sugar and no artificial flavors", + "low-carb low protein jerky with zero sugar and no artificial flavors", + "low-carb high protein jerky with zero sugar, no artificial flavors", + "low-carb high protein jerky with zero sugar no artificial flavors", + "low-carb, high protein jerky with zero sugar", + "low-carb high protein jerky no sugar and no artificial flavor" + ], + "i'm looking for a green, x-large flannel with button closure that can be machine washed.": [ + "green x-large flannel with button closure", + "green, x-large flannel with button closure", + "green x-large flannel", + "green x-large flannel that can be machine washed", + "green x-large flannel, button closure", + "green x-large flannel with button closure machine washed", + "green xl flannel with button closure", + "green x-lannel with button closure", + "green, x-large flannel", + "green x-large flannel button closure" + ], + "i'd like to purchase a pink or black wig storage bag for hair extensions.": [ + "pink or black wig storage bag", + "pink wig storage bag for hair extensions", + "pink wig storage bag", + "pink wig storage bag for hair extension", + "pink wig storage bag for wig extensions", + "pink and black wig storage bag", + "pink black wig storage bag", + "pink hair extensions storage bag", + "pink hair extension bag", + "pink" + ], + "i'd like to purchase a red or black short-sleeved jumpsuit in size medium with an elastic closure.": [ + "red or black short-sleeved jumpsuit with an elastic closure", + "red or black short-sleeved jumpsuit in size medium", + "red or black short-sleeved jumpsuit", + "short-sleeved jumpsuit in size medium with an elastic closure", + "red jumpsuit in size medium with an elastic closure", + "red or black short-sleeved jumpsuit, elastic closure", + "red or black short-sleeved jumpsuit in a size medium", + "red or black short-sleeved jumpsuit with elastic closure", + "red or black short-sleeved medium jumpsuit", + "red short-sleeved jumpsuit in size medium" + ], + "the glitter mascara wands make me look pretty, pink is the one to go with.": [ + "glitter mascara wands pink", + "glitter mascara wands", + "pink glitter mascara wands", + "glitter mascara wands, pink", + "glitter mascara wands pink", + "glitter mascara wands pink glitter", + "glitter mascara wands in pink", + " glitter mascara wands pink", + "g glitter mascara wands pink", + "glitter mascara wig" + ], + "i'm looking for a long-lasting living room set made of a wood frame and faux leather with generous lumbar support.": [ + "living room set made of a wood frame and faux leather", + "living room set made of a wood frame with generous lumbar support", + "long-lasting living room set made of a wood frame and faux leather", + "living room set made of a wood frame and faux leather lumbar support", + "living room set made of wood frame and faux leather", + "living room set made of wood frame with generous lumbar support", + "wood frame living room set made of a wood frame and faux leather", + "living room set made of a wood frame with generous lumbar support.", + "living room set made of a wood frame", + "living room set with a wood frame and faux leather" + ], + "i want some flouride free toothpaste": [ + "flouride free toothpaste", + "fluoride free toothpaste", + "brushed free toothpaste", + "toothpaste flouride free", + "a flouride free toothpaste", + "faux free toothpaste", + " flouride free toothpaste", + "brittle free toothpaste", + "gluten free toothpaste", + "dust free toothpaste" + ], + "i would like to buy a high speed point and shoot digital camera with a carrying case.": [ + "high speed point and shoot digital camera with carrying case", + "high speed point and shoot digital camera", + "high speed point and shoot digital camera with carry case", + "high speed point shoot digital camera with a carrying case", + "high speed point and shoot digital camera carrying case", + "high speed point and shoot digital camera, carrying case", + "digital camera with carrying case", + "digital camera with a carrying case", + "digital camera carrying case", + "high speed point shoot digital camera" + ], + "i would like a officially licensed large black men's t-shirt made of heather cotton.": [ + "large black mens t-shirt made of heather cotton", + "mens t-shirt made of heather cotton", + "womens t-shirt made of heather cotton", + "t-shirt made of heather cotton", + "large black mens t-shirt heather cotton", + "large black mens t-shirt made from heather cotton", + "lens t-shirt made of heather cotton", + "mens t-shirt heather cotton", + "mens t-shirt made of heather cotton.", + "t-shirt heather cotton" + ], + "i'm looking for a 150 foot plug play hdmi cable.": [ + "150 foot plug play hdmi cable", + " 150 foot plug play hdmi cable", + "150 foot plug play hdmi cable.", + "150 foot plug play hdmi cable under $40", + "150 foot plug play hdmi cable under $60", + "150 foot plug-in hdmi cable", + "vibe plug play hdmi cable", + "wireless hdmi cable 150 foot plug play", + "150 foot plug play hdmi cable under $50", + "150 foot plug play hdmi cable under $120" + ], + "i am looking for size 12 sneakers that are black and have a rubber sole.": [ + "size 12 sneakers black rubber sole", + "size 12 sneakers black with rubber sole", + "size 12 sneakers black and rubber sole", + "black sneakers size 12", + "size 12 sneakers black", + "size 12 sneakers black, rubber sole", + "size 12 sneakers with a rubber sole", + "sneakers black", + "size 12 sneakers", + "black sneakers" + ], + "i'm looking for a plant based pancake mix which should be gluten freeand also non gmo with simple ingredients. also, choose pack of 3, 12 ounce almond flour pumpkin flavoured one.": [ + "plant based pancake mix which should be gluten freeand also non gmo with simple ingredients.", + "plant based pancake mix which should be gluten freeand also non gmo with simple ingredients", + "plant based pancake mix that should be gluten freeand also non gmo with simple ingredients", + "plant based pancake mix which should be gluten freeand also non gmo", + "plant based pancake mix which should be gluten free and pomegranate flavoured", + "plant based pancake mix which should be gluten free", + "plant based pancake mix that should be gluten free", + "plant based pancake mix with simple ingredients", + "plant based pancake mix gluten free", + "plant based pancake mix" + ], + "i am looking for a gluten free almond flour pancake mix that has simple ingredients.": [ + "gluten free almond flour pancake mix", + "almond flour pancake mix that has simple ingredients", + "almond flour pancake mix", + "gluten free almond flour pancake mix with simple ingredients", + "almond flour pancake mix with simple ingredients", + "almond flour pancake mix simple ingredients", + "gluten free almond flour pancake mix that is simple", + "almond flour pancake mix that is simple ingredients", + "almond flour pancake mix that is simple", + "gluten-free almond flour pancake mix" + ], + "i need a black dress with an imported zipper.": [ + "black dress with an imported zipper", + "black dress with an imported zipper.", + "black dress with a imported zipper", + "black dress with an imported zipper under $40", + "black dress with an imported zipper under $50", + "black dress with an imported zipper under $60", + "black dress with an imported zipper,", + "black dress with an imported zipper in a black", + "black dress with an imported zipper below $50", + "black dress with an imported zipper below $40" + ], + "i want to have ahi tuna jerky -lemon salt flavour made in usa , wild caught and packed in resealable bag.": [ + "ahi tuna jerky -lemon salt", + "ahi tuna jerky -lemon salt flavour", + "ahi tuna jerky-lemon salt", + "ahi tuna jerky -lemon salt bag", + "ahi tuna jerky -lemon salt flavor", + "ahi tuna jerky -lemon salt pack", + "ahi tuna jerky -lemon salt pocket", + "ahi tuna jerky-lemon salt flavour", + "tuna jerky -lemon salt", + "tuna jerky-lemon salt" + ], + "i would like to buy a wild caught 1.75 ounce honey glazed ahi tuna in a resealable bag.": [ + "wild caught 1.75 ounce honey glazed ahi tuna", + "honey glazed ahi tuna in a resealable bag", + "wild honey glazed ahi tuna in a resealable bag", + "1.75 ounce honey glazed ahi tuna", + "2.75 ounce honey glazed ahi tuna", + "3.75 ounce honey glazed ahi tuna", + "honey glazed ahi tuna resealable bag", + "honey glazed ahi tuna", + "wild honey glazed ahi tuna", + "ahi tuna" + ], + "i'm looking for some wild caught tuna jerky. can you get me the one that comes in a 1.75 ounce pack?": [ + "wild caught tuna jerky 1.75 ounce pack", + "wild caught tuna jerky 1.75 oz pack", + "wild tuna jerky 1.75 ounce pack", + "wild tuna jerky 1.75 oz pack", + "wild caught tuna jerky, 1.75 ounce pack", + "wild tuna jerky in a 1.75 ounce pack", + "wild caught tuna jerky pack 1.75 oz", + "wild caught tuna jerky, 1.75 oz pack", + "wild tuna jerky 1.75 oz", + "wild caught tuna jerky that is 1.75 oz" + ], + "i am really looking for a coaxial cable that is 3 meters long.": [ + "coaxial cable 3 meters long", + "3 meters long coaxial cable", + "coaxial cable that is 3 meters long", + "3.5 meters long coaxial cable", + "3m long coaxial cable", + "3 meters long coaxial cable under $50", + "3 m long coaxial cable", + " coaxial cable 3 meters long", + "3 meters long coaxial cable under $40", + "3 meters long coaxial cable under $60" + ], + "i'd like to find a personalized compact mirror that's easy to carry.": [ + "compact mirror easy to carry", + "compact mirror", + "portrait mirror easy to carry", + "compact mirror, easy to carry", + "comfortable compact mirror easy to carry", + "personal compact mirror easy to carry", + "comfortable compact mirror", + "a personalized compact mirror", + "pink compact mirror", + "portrait mirror" + ], + "i would like to get a heavy duty brown spa stool that looks like it comes right from the beauty salon.": [ + "heavy duty brown spa stool", + "heavy duty brown spa stool, beauty salon", + "dining stool heavy duty brown", + "heavy duty brown spa stool,", + "brown spa stool heavy duty brown", + "heavy duty brown spa stool under $50", + "brown spa stool heavy duty", + "magnified brown spa stool", + "bar stool heavy duty brown", + "brown spa stool" + ], + "i am looking for plant based chocolate chip cookies that have peanut butter and come in a pack of 16.": [ + "plant based chocolate chip cookies with peanut butter pack of 16", + "plant based chocolate chip cookies that have peanut butter", + "plant based chocolate chip cookies peanut butter pack of 16", + "plant based chocolate chip cookies, peanut butter pack of 16", + "plant based chocolate chip cookies pack of 16", + "plant based chocolate chip cookies", + "plant based chocolate chip cookies that have peanut butter flavor", + "plant based chocolate chip cookies that have peanut butter 16 pack", + "plant based chocolate chip cookies 16 pack of 16", + "plant based chocolate chip cookies under $60" + ], + "i need snickerdoodle cookies that are plant based and are part of a starter pack": [ + "stickerdoodle cookies plant based and are part of a starter pack", + "snickerdoodle cookies plant based and are part of a starter pack", + "sickerdoodle cookies plant based and are part of a starter pack", + "snoickerdoodle cookies plant based and are part of a starter pack", + "sneickerdoodle cookies plant based and are part of a starter pack", + "suntickerdoodle cookies plant based and are part of a starter pack", + "nickerdoodle cookies plant based and are part of a starter pack", + "stickerdoodle cookies plant based", + "snickerdoodle cookies plant based", + "plant based snickerdoodle cookies" + ], + "i want a non gmo lenny & larry's the complete cookie starter pack.": [ + "non gmo lenny & larrys cookie starter pack", + "non gmo lenny and larrys cookie starter pack", + "non gmo lenny & larrys cookie starter pack.", + "non gmo lenny & larrys cookies starter pack", + "non gmo lenny and larrys cookie starter pack.", + "non-gmo lenny & larrys cookie starter pack", + "non gmo lenny larrys the complete cookie starter pack", + "non gmo lenny and larrys cookies starter pack", + "non gmo lenny & larrys", + "non gmo lenny & larrys pack" + ], + "i would like a cal king sized with extra deep pockets beige and white striped sheet and pillow case set.": [ + "cal king sized with extra deep pockets beige and white striped sheet and pillow case set", + "al king sized with extra deep pockets beige and white striped sheet and pillow case set", + "cal king sized with extra deep pockets beige and white striped sheet and pillow case set.", + "a cal king sized with extra deep pockets beige and white striped sheet and pillow case set", + "al king sized with extra deep pockets beige and white striped sheet and pillow case set.", + "kale king sized with extra deep pockets beige and white striped sheet and pillow case set", + "caled king sized with extra deep pockets beige and white striped sheet and pillow case set", + "cal king sized with extra deep pockets beige and white striped sheets and pillow case set", + "calf king sized with extra deep pockets beige and white striped sheet and pillow case set", + "cal king sized with extra deep pockets beige and white striped sheet and pillow case" + ], + "i am looking for queen size pillowcases that are in the color persimmon.": [ + "queen size pillowcases in the color persimmon", + "king size pillowcases in the color persimmon", + "queen size pillowcases color persimmon", + "queen size pillowcases with persimmon", + "queen size pillowcases", + "queen size pillowcases with persimmon color", + " queen size pillowcases in the color persimmon", + "queen size pillowcases, persimmon", + "queen size pillowcases under $50", + "king size pillowcases in the color persimmon." + ], + "can you get me a queen sized pillowcase set in lavender?": [ + "queen sized pillowcase set in lavender", + "king size pillowcase set in lavender", + "king sized pillowcase set in lavender", + " queen sized pillowcase set in lavender", + "queen sized pillowcase in lavender", + "kingly sized pillowcase set in lavender", + "kingwoman sized pillowcase set in lavender", + "king girl sized pillowcase set in lavender", + "Queen sized pillowcase set in lavender", + "queen sized pillowcase" + ], + "i am looking for a bed sheet for a queen size bed. also choose laced sky blue color.": [ + "queen size bed sheet laced sky blue", + "queen size bed with laced sky blue color", + "queen size bed sheets laced sky blue", + "queen size bed sheet in a sky blue color", + "king size bed sheet laced sky blue", + "queen size bed sheet in a sky blue", + "queen size bed sheet in sky blue", + " queen size bed with laced sky blue color", + "bed sheet for a queen size bed", + "king size bed sheet in sky blue" + ], + "i need a printed backdrop for digital photography that is 3 by 5 feet.": [ + "3 by 5 foot backdrop for digital photography", + "3 by 5 feet backdrop for digital photography", + "3 by 5 foot backdrop digital photography", + "3 by 5 feet backdrop digital photography", + "3 by 5 feet digital photography", + "3x5 backdrop digital photography", + "3 by 5 feet print backdrop digital photography", + "3x5 backdrop for digital photography", + "3 by 5 digital photography", + "3 by 5 pictures" + ], + "i am looking for a printed backdrop 07 colored lightweight backgrounds for digital photography. also, choose a 5x7 ft size.": [ + "printed backdrop 07 colored lightweight backgrounds for digital photography", + "portrait backdrop 07 colored lightweight backgrounds", + "pink backdrop 07 colored lightweight backgrounds for digital photography", + "pink backdrop 07 colored lightweight backgrounds digital photography", + "printed backdrop 07 colored lightweight backgrounds digital photography", + "a printed backdrop 07 colored lightweight backgrounds for digital photography", + "printed backdrop 07 colored lightweight backgrounds for digital photography.", + "3x7 lightweight backgrounds for digital photography", + "printed backdrop 07 colored lightweight backgrounds", + "5x7 ft lightweight backgrounds" + ], + "i'm looking for vinyl digital photography with more art work.": [ + "vinyl digital photography", + "digital photography with more art work", + "vinyl digital photography with art work", + " vinyl digital photography with more art work", + "vinyl digital photography art work", + "digital photography with more art work.", + "levis digital photography", + "high quality vinyl digital photography", + "vinyl digital photography under $40", + " vinyl digital photography" + ], + "i am looking for some dining room barstools that are gray vinyl and have a gold base.": [ + "dining room barstools gray vinyl with gold base", + "dining room barstools with gold base", + "gray vinyl dining room barstools with gold base", + "dining room barstools that are gray vinyl", + "dining room barstools gray vinyl", + "dining room barstools with a gold base", + "dining room barstools gray vinyl gold", + "dining room barstools gold", + "dining room barstools gray vinyl and gold", + "dining room barstools that are gray vinyl gold" + ], + "i am looking for a double sided home office desk.": [ + "double sided home office desk", + "double sided home office desk.", + "double sided home office desk under $130", + "double sided home office desk under $50", + "double sided home office desk under $120", + "double sided home office desk under $40", + "double sided home office desk,", + "double sided home office desk under $60", + "double sided home office desk under 50 dollars", + "single sided home office desk" + ], + "i would like to buy a x-large purple cardigan that i can hand wash in the sink.": [ + "x-large purple cardigan", + " x-large purple cardigan", + "xxl purple cardigan", + "pink cardigan x-large in the sink", + "x-large purple cardigan under $50", + "x-large purple cardigan under $40", + "pink cardigan x-large", + "xl purple cardigan", + "x-large purple cardigan, hand wash,", + "pink cardigan" + ], + "i am looking for a kahuna colored capri pant that has a relaxed fit and is in a size 20 plus.": [ + "kahuna colored capri pant size 20 plus", + "kahuna colored capri pant in a size 20 plus", + "kahuna colored capri pant that has a relaxed fit", + "kahuna colored capri pant", + "kahuna colored capri pant 20 plus", + "kahuna colored capri pant, size 20 plus", + "kahuna colored capri pant, a size 20 plus", + "kahuna colored capri pant with relaxed fit", + "kahuna colored capri pant size 20 plus.", + "ketri pant size 20 plus" + ], + "i want some relaxed jeans that are a comfortable fit in a size 46w by 34l and are in the color victoria": [ + "45w by 34l relaxed jeans in the color victoria", + "45w by 34l relaxed jeans", + "43w by 34l relaxed jeans in the color victoria", + "a comfortable fit in a size 46w by 34l", + "comfortable jeans 46w by 34l", + "comfortable jeans 46w by 34l color", + "43w by 34l relaxed jeans", + "comfortable jeans size 46w by 34l", + "45w by 34l relaxed jeans under $50", + "comfortable jeans size 46w by 34l color" + ], + "i would like super soft throw pillows in the color frydek alocasia obsidian.": [ + "super soft throw pillows with an obsidian color", + "super soft throw pillows", + "super soft throw pillows color frydek alocasia", + "super soft throw pillows under $40", + "super soft throw pillows under 50 dollars", + "super soft throw pillows under $50", + "super soft throw pillows under $60", + "super soft throw pillows with an obsidian finish", + "super soft throw pillows in the color frydek", + "super soft throw pillows with an obsidian flavor" + ], + "i would like a 3 pack of classic long lasting soap that's cruelty free.": [ + "3 pack of classic long lasting soap cruelty free", + "classic long lasting soap cruelty free 3 pack", + "3 pack of classic long lasting soap", + "classic long lasting soap cruelty free", + "3 pack classic long lasting soap cruelty free", + "three pack of classic long lasting soap cruelty free", + "classic long lasting soap that is cruelty free", + "4 pack of classic long lasting soap cruelty free", + "synthetic free soap 3 pack", + "classic long lasting soap" + ], + "i am looking for some light weight boxers that are multicolored and in a large size": [ + "multicolored boxers", + "multicolored light weight boxers", + "multicolored boxers under $40", + "multicolored boxers under $50", + "multicolored heavy weight boxers", + "multicolored and large size boxers", + "multicolored boxers under $60", + "multicolored boxers large", + "multicolored boxers under 50 dollars", + "multicolored boxer" + ], + "i need cupcake toppers for a birthday party.": [ + "cupcake toppers for a baby shower", + "cupcake toppers for a birthday party", + "cupcake toppers for a birthday party.", + "cupcake toppers for a baby shower.", + "cupcake toppers for baby shower", + "cupcake toppers for birthday party", + "bagcake toppers for a baby shower", + "cupcake toppers for a bday party", + "cake toppers for a baby shower", + "cupcake toppers" + ], + "i would like to buy a travel size cicaronic variety pack that comes with nourishing hyaluronic acid.": [ + "cicaronic variety pack that comes with nourishing hyaluronic acid", + "travel size cicaronic variety pack with nourishing hyaluronic acid", + "cicaronic variety pack with nourishing hyaluronic acid", + "travel size cicaronic variety pack that is nourishing hyaluronic acid", + "travel size cicaronic variety pack, nourishing hyaluronic acid", + "travel size cicaronic variety pack", + "cicaronic variety pack", + "cicaronic variety pack, nourishing hyaluronic acid", + "cicaronic variety pack that comes with nourishing hyaluronic acid.", + "travel size cicaronic variety pack with nourishing hyaluronic acid." + ], + "i am looking for cream hyaluronic acid in peptaronic cream": [ + " cream hyaluronic acid in peptaronic cream", + "cream hyaluronic acid in peptaronic cream", + " cream hyaluronic acid peptaronic cream", + "cream hyaluronic acid peptaronic cream", + " cream hyaluronic acid pomegranate cream", + " cream hyaluronic acid, peptaronic cream", + "cream hyaluronic acid pomegranate cream", + "moisturonic acid in peptaronic cream", + " cream hyaluronic acid", + "cream hyaluronic acid" + ], + "i'm looking for a medium sized loose fit tank top. also, look for tie dye navy one": [ + "medium sized loose fit navy tank top", + "medium sized loose fit tank top.", + "medium sized loose fit tank top", + "medium sized loose fit navy shirt", + "medium sized loose fit tank top under $40", + "medium sized loose fit tank top under $50", + "medium sized loose fit navy one", + "medium t-shirt tie dye navy", + "tank top tie dye navy", + "medium sized loose fit navy tank" + ], + "i am looking for a grey box spring bed that is a twin size.": [ + "grey box spring bed", + "grey box spring bed twin size", + "grey box spring bed, twin size", + "grey box spring bed with twin size", + "grey box spring bed a twin size", + "grey box spring bed in twin size", + "grey box spring bed with twin", + "grey box spring bed twin", + "grey box spring bed with twin dimensions", + "twin bed" + ], + "i am looking for a christmas top that is long sleeved and is a size small.": [ + "short sleeved christmas top", + "ch christmas top that is long sleeved", + "ch christmas top long sleeved small", + "ch christmas top long sleeved", + " christmas top long sleeved small", + " christmas top that is long sleeved", + "long sleeved christmas top", + "christmas top long sleeved small", + " christmas top long sleeved", + "short sleeved christmas top in a small" + ], + "i'm looking for black closed toe women's sandals.": [ + "black closed toe womens sandals", + "black closed toe womens sandals.", + "black closed toe womens sandals under $40", + "black closed toe womens sandals,", + "black closed toe womens sandals under $50", + "black closed toe womens sandals under $60", + "clinically black closed toe womens sandals", + "black closed toe womens sandals below $50", + "black closed toe womens sandals below $40", + "black open toe womens sandals" + ], + "i need some black ankle strap flats that are in a size 9 wide.": [ + "black ankle strap flats size 9", + "black ankle strap flats size 9 wide", + "black ankle strap flats", + "black ankle strap flats, size 9 wide", + "black ankle strap flats, size 9,", + "black ankle strap flats in a size 9", + "black ankle strap flats a size 9 wide", + "knee strap flats size 9 wide", + "black ankle strap flats, size 9", + "black ankle strap flats 9 wide" + ], + "i am looking for living room throws that are a rose color and are in 50\" by 60\".": [ + "living room throws in 50 by 60", + "living room throws color 50 by 60", + "living room throws 50 by 60", + "living room throws", + "living room throws colored 50 by 60", + "living room throws pink 50 by 60", + "living room throws a rose color", + "living room throws, 50 by 60", + "living room throws with rose color", + "living room throws rose color" + ], + "i would like an oil free foundation in the shade 175 natural ochre that is one ounce.": [ + "an oil free foundation in the shade 175 natural ochre", + "oil free foundation in the shade 175 natural ochre that is one ounce", + "one ounce oil free foundation in the shade 175 natural ochre", + "oil free foundation in the shade 175 natural ochre", + "1 ounce oil free foundation in the shade 175 natural ochre", + "an oil free foundation in the shade 175 natural ochre, one ounce", + "an oil free foundation in the shade 175 natural ochre under $40", + "an oil free foundation in the shade 175 natural ochre under $50", + "one ounce natural ochre oil free foundation", + "1 ounce natural ochre oil free foundation" + ], + "i want to get to get long lasting foundation that is in color 380 rich ginger.": [ + "long lasting foundation in color 380 rich ginger", + "long lasting foundation color 380 rich ginger", + "colored 380 rich ginger foundation", + "long lasting foundation with color 380 rich ginger", + "color 380 rich ginger foundation", + "long lasting foundation colored 380 rich ginger", + "long lasting foundation for color 380 rich ginger", + "colored 380 rich ginger foundation color 380", + "colored 380 rich ginger foundation color", + "long lasting foundation color 380 rich gmo" + ], + "i need shell colored and oil free revlon colorstay liquid foundation makeup.": [ + "shell colored and oil free revlon colorstay liquid foundation makeup", + "sea colored and oil free revlon colorstay liquid foundation makeup", + "Shell colored and oil free revlon colorstay liquid foundation makeup", + "shunt colored and oil free revlon colorstay liquid foundation makeup", + "shell colored and oil free revlon colorstay liquid foundation makeup.", + "shorn colored and oil free revlon colorstay liquid foundation makeup", + "shell colored oil free revlon colorstay liquid foundation makeup", + "shell colored and oil free revlon colored liquid foundation makeup", + "shell colored and oil free revlon liquid foundation makeup", + "shell colored and oil free revlon colorstay liquid foundation" + ], + "i would like some bath salts that are for sensitive skin and that are eucalyptus.": [ + "bath salts for sensitive skin eucalyptus", + "bath salts for sensitive skin and eucalyptus", + "bath salts for sensitive skin that are eucalyptus", + "bath salts for sensitive skin, eucalyptus", + "bath salts for sensitive skin with eucalyptus", + "bath salts for sensitive skin eucalyptus bath salts", + "bath salts for sensitive skin and that are eucalyptus", + "bath salts for sensitive skin", + "bath salts for sensitive skin and eucalyptus bath salts", + "bath salts for sensitive skin eucalyptus under $40" + ], + "i would like a loose fit tunic that is lavender in the size 6x.": [ + "loose fit tunic that is lavender in a size 6x", + "pocket fit tunic that is lavender in a size 6x", + "tunic that is lavender in a size 6x", + "lush fit tunic that is lavender in a size 6x", + "loose fit tunic that is lavender in the size 6x", + "pocket fit tunic that is lavender in the size 6x", + "leather fit tunic that is lavender in a size 6x", + "a loose fit tunic that is lavender in a size 6x", + "tunic that is lavender in the size 6x", + "pocket fit tunic that is lavender in a size 6x." + ], + "i need glitter cupcake picks in rose gold for my daughter's birthday party.": [ + "glitter cupcake picks for daughters birthday party", + "glitter cupcake picks in rose gold for daughters birthday party", + "glitter cupcake picks in rose gold for a baby shower", + "glitter cupcake picks for a daughters birthday party", + "glitter cupcake pick in rose gold for daughters birthday party", + "glitter cupcake picks for daughters birthday party.", + "glitter cupcake picks for a baby shower", + "glitter cupcake pick in rose gold for a baby shower", + "glitter cupcake picks for a girl birthday party", + "glitter cupcake picks in rose gold" + ], + "i need a high quality skin care tool.": [ + "skin care tool that is high quality", + "skin care tool high quality", + "skin care tool", + "high quality skin care tool", + "high quality skin care tool.", + "skin care tool, high quality", + "skin care tool which is high quality", + "skin care tool.", + "low quality skin care tool", + "skin care tool with high quality" + ], + "i'm looking for a certified refurbished hd 8 tablet with quad core processor. also, choose 32 gb storage capacity, yellow colored one with 1 year of amazon kids+ subscription.": [ + "certified refurbished hd 8 tablet with quad core processor", + "a certified refurbished hd 8 tablet with quad core processor", + "professional refurbished hd 8 tablet with quad core processor", + "curtains hd 8 tablet with quad core processor", + "yellow hd 8 tablet with quad core processor", + "hd 8 tablet with quad core processor", + "certified refurbished hd 8 tablet with quad core processor.", + "dual core processor hd 8 tablet with 32gb storage capacity", + "curtains 8 tablet with quad core processor", + "dual core processor hd 8 tablet" + ], + "i would like a b-pink bomber jacket that has a relaxed fit and is a size small.": [ + "b-pink bomber jacket", + "b-pink bomber jacket in a size small", + "b-pink bomber jacket that is relaxed fit", + "b-pink bomber jacket with a relaxed fit", + "b-pink bomber jacket in a small", + "b-pink bomber jacket with relaxed fit", + "b-pink bomber jacket small", + "b-pink bomber jacket that is comfortable small", + "b-pink bomber jacket a size small", + "b-pink bomber jacket, relaxed fit small" + ], + "i'm looking for a long lasting silver laptop.": [ + "silver laptop", + "long lasting silver laptop", + "silver laptop that is long lasting", + "silver laptop with a long lasting", + "silver laptop long lasting", + "long lasting silver laptop.", + "silver laptop, long lasting", + "silver laptop with long lasting", + "silver laptop.", + "silver laptop case" + ], + "i am looking for gluten free popcorn in an 8 pack that is a savory variety pack": [ + "gluten free popcorn in an 8 pack", + "gluten free popcorn 8 pack", + "gluten free popcorn variety pack", + "gluten free popcorn pack", + "gluten free popcorn pack 8 pack", + "gluten free popcorn flavor pack", + "gluten free popcorn in a 8 pack", + "gluten free popcorn 9 pack", + "gluten free popcorn flavor pack 8 pack", + "gluten free popcorn" + ], + "i would like to get a four drawer linen night stand with a lot of storage space.": [ + "4 drawer linen night stand with a lot of storage space", + "4 drawer linen night stand", + "four drawer linen night stand with a lot of storage space", + "4 drawer linen night stand with a lot of storage", + "three drawer linen night stand with a lot of storage space", + "four drawer linen night stand", + "4 drawer linen night stand with storage space", + "living room linen night stand with a lot of storage space", + "four drawer linen night stand with a lot of storage", + "4 drawer linen night stand, with storage space" + ], + "i would like to buy a blu ray ac adapter.": [ + " blu ray ac adapter", + " blu-ray ac adapter", + "dual ray ac adapter", + "Blu-ray ac adapter", + "duck ray ac adapter", + "b blu ray ac adapter", + "bio ray ac adapter", + "bluetooth ray ac adapter", + "Blu ray ac adapter", + " blu ray ac adapter." + ], + "i'm looking for ac adapter with blu ray and has output protection.": [ + "ac adapter with blu ray with output protection", + "ac adapter with blu ray", + "ac adapter with blu ray output protection", + "ac adapter with blu-ray output protection", + "ac adapter with blu ray that is output protection", + "ac adapter with blu ray no output protection", + "ac adapter with blu ray and output protection", + "ac adapter with blu-ray with output protection", + "ac adapter with blu-ray", + "ac adapter" + ], + "i am interested in ac adapters with output protection.": [ + "ac adapters with output protection", + "ac adapter with output protection", + "ac adapters no output protection", + " ac adapters with output protection", + "ac adapters that are output protection", + "a adapters with output protection", + "ac adapters with output protection under $40", + "ac adapters with output protection under $60", + "ac adapters with output protection.", + "ac adapters" + ], + "i would like to get a size 8.5 women's rubber sole running shoe preferably in a black purple.": [ + "womens rubber sole running shoe in a black", + "womens rubber sole running shoe size 8.5 black", + "womens rubber sole running shoe black", + "size 8.5 womens rubber sole running shoe black", + "size 8.5 womens rubber sole running shoe, black", + "womens rubber sole running shoe in a black purple", + "size 8.5 womens rubber sole running shoe", + "womens rubber sole running shoe, black", + "womens rubber sole running shoe in black", + "womens rubber sole running shoe" + ], + "i need a living room end table that is 20.91 by 24 inches.": [ + "living room end table 20.91 by 24 inches", + "living room end table that is 20.91 by 24 inches", + "living room end table 20.91 x 24 inches", + "living room end table, 20.91 by 24 inches", + "living room end table that is 20.91 x 24 inches", + "living room end table with 20.91 by 24 inches", + "living room end table size 20.91 by 24 inches", + "living room end table 20.91 by 24 inches.", + "living room dining room end table 20.91 by 24 inches", + "living room end table 19.91 by 24 inches" + ], + "i'm looking for 8.12 fluid ounces of sulfate-free shampoo that helps prevent hair loss.": [ + "8.12 fluid ounces of sulfate-free shampoo", + "8.12 fluid ounce of sulfate-free shampoo", + "sulfate-free shampoo 8.12 fluid ounces", + "sulfate-free shampoo 8.12 oz", + "sulfate-free shampoo that helps prevent hair loss", + "8.12 fluid ounces of sulfate free shampoo", + "shampoo 8.12 fluid ounces", + "8 oz of sulfate-free shampoo", + "sulfate-free shampoo", + "8 oz sulfate-free shampoo" + ], + "i am looking for some hair pins that are rose gold.": [ + "rose gold hair pins", + "rose gold hair pins under $40", + "rose gold hair pins under $50", + "rose gold hair pins under $60", + "rose gold hair pins,", + "rose gold hair pins rose gold", + "rose gold human hair pins", + "rose gold hair pins.", + "rose gold hair pin", + "hair pins rose gold" + ], + "i am looking for a blue and green bluetooth wireless ps3 controller with a charger cable.": [ + "blue bluetooth wireless ps3 controller with a charger", + "blue and green bluetooth wireless ps3 controller", + "blue bluetooth wireless ps3 controller", + "blue bluetooth wireless ps3 controller with charger cable", + "blue bluetooth wireless ps3 controller with charger", + "blue bluetooth wireless ps3 controller with charging cable", + "blueetooth wireless ps3 controller with a charger cable", + "blue wireless ps3 controller with a charger cable", + "blue wireless ps3 controller with a charger", + "ps3 controller with a charger" + ], + "i would like a 18 x24 nero black mirror that can be mounted on my bathroom wall.": [ + "18 x24 nero black mirror", + "18 x24 nero black bathroom mirror", + "18 x24 nero black bathroom wall mirror", + "18 x 24 nero black mirror", + " 18 x24 nero black mirror", + "18 x24 nero black mirror for bathroom", + "18 x24 nero black vanity mirror", + "18 x 24 nero black bathroom mirror", + "18 x24 black mirror", + "bathroom mirror 18 x24" + ], + "i want to find an led light strip that also features a usb port.": [ + "led light strip with a usb port", + "led light strip with usb port", + " led light strip with a usb port", + "lead light strip with a usb port", + "brushed light strip with a usb port", + "lead light strip with usb port", + " led light strip with usb port", + "led light strip with a usb port.", + "led light strip", + "led light strip with a usb port," + ], + "i would like to get some portable bluetooth speakers with stereo sound.": [ + "portable bluetooth speakers with stereo sound", + "portrait bluetooth speakers with stereo sound", + "portportable bluetooth speakers with stereo sound", + "portable bluetooth speakers", + "portrait bluetooth speakers", + "portportrait bluetooth speakers with stereo sound", + "portable bluetooth speakers with stereo sound.", + "portal bluetooth speakers with stereo sound", + "portrayable bluetooth speakers with stereo sound", + "portrait bluetooth speakers with stereo sound." + ], + "i am looking for a bookcase that is made of engineered wood.": [ + "engineered wood bookcase", + "bookcase made of engineered wood", + "wood bookcase made of engineered wood", + "a bookcase made of engineered wood", + "wood bookcase made from engineered wood", + "Bookcase made of engineered wood", + "teeth made of engineered wood", + "engineered wood bookcase under $50", + "engineered wood bookcase under $40", + "engineered wood bookcase under $60" + ], + "i want to buy a hair brush for dry hair that is small size.": [ + "small hair brush for dry hair", + "small hair brush for dry hair small", + "small human hair brush for dry hair", + "small brush for dry hair", + "small hair brush for dry hair,", + "small hair brush for dry hair size", + "small hair brush for dry air", + "small hair brush", + "small hairbrush for dry hair", + "small human hair brush" + ], + "i'm trying to find a 30-count package of strawberry beet snack bars that my toddler would love. the bars must be nut and dairy free.": [ + "strawberry beet snack bars nut and dairy free", + "strawberry beet snack bar nut and dairy free", + "strawberry beet snack bars nut free", + "strawberry beet snack bars that are nut free", + "strawberry beet snack bar nut free", + "strawberry beet snack bars no nuts and dairy", + "strawberry beet snack bars no nuts", + "strawberry beet snack bars nut dairy free", + "strawberry beet snack bars no nuts no dairy", + "strawberry beet snack bar no nuts" + ], + "i would like to buy to some fat free non gmo original beef jerky.": [ + "fat free non gmo original beef jerky", + "fat free non gmo original beef jerky under $40", + "fat free non gmo original beef jerky under $60", + " fat free non gmo original beef jerky", + "fat free non gmo original beef jerky.", + "fat free non gmo original beef jerky under $50", + "fat free non gmo original beef jerky under 50 dollars", + "fat free non gmo original beef jerky below $40", + "fat free gmo original beef jerky", + "fat free non gmo original beef jerky under 30 dollars" + ], + "i would like a bag of original beef jerky that is non gmo.": [ + "bag of original beef jerky", + "bag of original beef jerky non gmo", + "bag of original beef jerky, non gmo", + "bag of original beef jerky no gmo", + "bag of original beef jerky non gmo", + "bag of original beef jerky under $40", + "bag of fresh beef jerky", + "bag of fresh beef jerky non gmo", + "bag of original beef jerky under $50", + "bag of original beef jerky no gmo flavor" + ], + "i would like to buy a a34 colored 9x6 foot photo background that's light weight to move.": [ + "a34 colored 9x6 foot photo background", + "colored 9x6 foot photo background", + "colored 9x6 foot photo background that is light weight to move", + "a34 colored 9x6 foot photo background light weight to move", + "a34 colored 9x6 foot photo background with light weight", + "a34 colored 9x6 foot photo background that is light weight", + " a34 colored 9x6 foot photo background", + "a34colored 9x6 foot photo background", + "4x6 foot photo background", + "6 foot photo background" + ], + "i would like to buy three chairs for my dining room that i can assemble at home.": [ + "three dining room chairs assemble at home", + "3 dining room chairs assemble at home", + "dining room chairs assemble at home", + "three dining room chairs assemblable at home", + "three dining room chairs assemble at home.", + "three dining room chairs assembled at home", + "three dining room dining room chairs assemble at home", + "three dining room chairs, assemble at home", + "three dining room chairs assemble at home,", + "three dining room chairs, assemble at home," + ], + "i would like to buy a bronze table lamp for my living room.": [ + "living room bronze table lamp", + "table lamp for living room", + "buffet table lamp for living room", + "table lamp for my living room.", + "table lamp for living room bronze", + "table lamp living room bronze", + "table lamp for my living room", + "table lamp for living room.", + "table lamp for the living room", + "wooden table lamp for living room" + ], + "i need teeth whitening strips that are a size 1.2 by 1.5 mm.": [ + "teeth whitening strips 1.2 by 1.5 mm", + "1.2 by 1.5 mm teeth whitening strips", + "teeth whitening strips size 1.2 by 1.5 mm", + "teeth whitening strips a size 1.2 by 1.5 mm", + "teeth whitening strips, size 1.2 by 1.5 mm", + "toothpaste strips 1.2 by 1.5 mm", + "teeth whitening strips 1.2 by 1.5 mm.", + "toothpaste strips size 1.2 by 1.5 mm", + "teeth whitening strips 1.2 x 1.5 mm", + "teeth whitening strips size 1.2 by 1.5 mm." + ], + "i need a quad core white tablet that has 64gb of storage.": [ + "quad core white tablet with 64gb", + "quad core white tablet with 64gb storage", + "quad core white tablet that has 64gb", + "quad core white tablet with 128gb", + "quad core white tablet with 128gb storage", + " quad core white tablet with 64gb", + "quad core white tablet with 32gb", + "quad core white tablet with 32gb storage", + " quad core white tablet with 64gb storage", + "quad core white tablet 64gb" + ], + "i need anti slip sneakers that are leopard in a size 7.": [ + "anti slip sneakers leopard in a size 7", + "anti slip sneakers leopard size 7", + "anti slip sneakers in a size 7", + "anti slip sneakers size 7", + "anti slip sneakers that are leopard size 7", + "anti slip sneakers, leopard, size 7", + "anti slip sneakers leopard size 7.5", + "anti slip sneakers, leopard size 7", + "anti slip sneakers size 7 leopard", + "anti slip sneakers" + ], + "i'm looking for some hair cutting shears.": [ + "hair cutting shears", + "hair cutting shears.", + "hair cutting shears under $50", + "hair cutting shears under $40", + "hair cutting shears under $60", + "hair cutting shears for hair cutting", + "hair cutting shears that are high quality", + "hair cutting shears under 50 dollars", + "hair cutting shears less then $40", + "hair cutting shears less then $60" + ], + "i am looking for dried strawberries and pineapple that are organic": [ + "dried strawberries and pineapple", + "fresh strawberries and pineapple", + "dried strawberries and pineapple organic", + "rainbow dried strawberries and pineapple", + " dried strawberries and pineapple", + "fresh strawberries and pineapple organic", + "dried strawberries and pineapple natural", + "roasted strawberries and pineapple", + "organic strawberries and pineapple dried strawberries", + "natural strawberries and pineapple" + ], + "i want to buy some dried strawberries with corn. get the twelve pack bundle of 1.2 ounce bags. make sure it's low calorie, usda organic, and non-gmo.": [ + "dried strawberries with corn 12 pack bundle", + "dried strawberries with corn twelve pack bundle", + " dried strawberries with corn 12 pack bundle", + "12 pack dried strawberries with corn", + " dried strawberries with corn twelve pack bundle", + "strawberry with corn 12 pack bundle", + "strawberry with corn twelve pack bundle", + "dried strawberries with corn", + " dried strawberries with corn 12 pack", + " dried strawberries with corn" + ], + "i want some dried bananas and strawberries. make sure they're usda organic.": [ + " dried bananas and strawberries usda organic", + "dried bananas and strawberries usda organic", + " dried bananas and strawberries. make sure theyre usda organic", + "dried bananas and strawberries, usda organic", + " dried bananas and strawberries, usda organic", + "rainbow dried bananas and strawberries usda organic", + "dried bananas and strawberries", + " dried bananas and strawberries", + "rainbow dried bananas and strawberries", + "drain dried bananas and strawberries" + ], + "i want low calories usda organic": [ + "low calories usda organic", + "low calories usda organic drink mix", + "low calories usda organic dairy drink mix", + "low calories and usda organic", + "low calories usda organic", + "low calories usda organic snacks", + "low calories usda organic under $40", + "low calories usda organic low sugar", + "i want low calories usda organic", + "low calories usda organic drink drink mix" + ], + "i would like a bundle of 1.2 ounce bag of usda organic pomegranate arils.": [ + "bag of usda organic pomegranate arils", + "pack of usda organic pomegranate arils", + "1.2 ounce bag of usda organic pomegranate arils", + "pack of pomegranate arils", + "bag of pomegranate arils", + "pack of 2 ounce bag of usda organic pomegranate arils", + "usda organic pomegranate arils bundle of 1.2 oz", + "usda organic pomegranate arils bundle of 1.2 ounce", + "usda organic pomegranate arils bundle", + "usda organic pomegranate arils bundle of 1.2 ounces" + ], + "i want a bundle of non gmo natierra organic dried mango cheeks.": [ + "non gmo natierra organic dried mango cheeks", + "gmo natierra organic dried mango cheeks bundle", + "mo natierra organic dried mango cheeks bundle", + "namierra organic dried mango cheeks bundle", + "gmo natierra organic dried mango cheeks", + "mango pomegranate cheeks bundle", + "natierra organic dried mango cheeks bundle", + "natierra organic dried mango cheeks", + "mango cheeks bundle", + "mango cheeks" + ], + "look for this snack natierra organic dried strawberries + pomegranate arils, low calorie if is possible.": [ + "natierra organic dried strawberries pomegranate arils", + "natierra organic dried strawberries + pomegranate arils", + "natierra organic dried strawberries pomegranate arils, low calorie", + "natierra organic dried strawberries pomegranate arils no sugar", + "natierra organic dried strawberries pomegranate arils low calorie", + "natierra organic dried strawberries + pomegranate arils no sugar", + "natierra organic dried strawberries pomegranate arils snack", + "natierra organic dried strawberries + pomegranate arils low calorie", + "natierra organic dried strawberries pomegranate arils below $40", + "natierra organic dried strawberries pomegranate arils under $40" + ], + "i would like to get a 8 + 256 gig quad core desktop mini computer.": [ + "8 + 256 gig quad core desktop mini computer", + "8 x 256 gig quad core desktop mini computer", + "desktop mini computer 8 + 256 gig quad core", + "8+ 256 gig quad core desktop mini computer", + "desktop mini computer 8 x 256 gig", + "desktop mini computer 8 + 256 gig", + "desktop mini computer 8 x 256 gig quad core", + "desktop mini computer 8+ 256 gig quad core", + "desktop mini computer 8 x 256", + "desktop mini computer 8+ 256 gig" + ], + "i am looking for dual band desktops in size j4125": [ + "dual band desktops in size j4125", + "dual band desktops j4125", + "dual band desktops size j4125", + "dual band desktops in a size j4125", + "dual band desktops in j4125", + "daring dual band desktops in size j4125", + "double band desktops in size j4125", + "dual band desktops in a j4125", + "dual band desktops in size j4125,", + "dual band desktops, j4125" + ], + "i would like to get a 25.36 ounce passion fruit syrup made from natural ingredients.": [ + "25.36 ounce passion fruit syrup made from natural ingredients", + "25.36 ounce passion fruit syrup", + "25.36 ounce passion fruit syrup made from natural", + " 25.36 ounce passion fruit syrup made from natural ingredients", + "23.36 ounce passion fruit syrup made from natural ingredients", + "25.6 ounce passion fruit syrup made from natural ingredients", + "24.36 ounce passion fruit syrup made from natural ingredients", + "25.36 ounce passion fruit syrup natural", + "25.36 ounce natural fruit syrup", + "25.36 ounce passion fruit syrup natural no sugar" + ], + "i would like a 25.4 fluid ounce bottle of hot butter rum syrup made from natural ingredients.": [ + "25.4 fluid ounce bottle of hot butter rum syrup", + "25.4 fluid ounce bottle of hot butter rum", + "hot butter rum syrup 25.4 oz", + "25.4 fluid ounce bottle of hot butter rum syrup natural", + " 25.4 fluid ounce bottle of hot butter rum syrup", + "hot butter rum syrup 25.4 fluid ounce", + "25.4 oz bottle of hot butter rum syrup", + "hot butter rum syrup 25.4 oz natural", + "hot butter rum syrup 25 oz", + "hot butter rum syrup" + ], + "i need a 25.4 fl oz paradise blend flavor syrup that has natural ingredients": [ + "25.4 fl oz paradise blend flavor syrup", + "25.4 fl oz paradise blend flavor syrup natural", + " 25.4 fl oz paradise blend flavor syrup", + "25.4 fl oz paradise blend flavor syrup, natural", + "25.4 fl oz paradise blend flavor syrup no natural", + "25.4fl oz paradise blend flavor syrup", + "a 25.4 fl oz paradise blend flavor syrup", + "25.4 oz paradise blend flavor syrup", + "25 oz paradise blend flavor syrup", + "25.4 fl oz paradise blend flavor" + ], + "i'm looking for a wood frame dining chair with solid wood legs.": [ + "wood frame dining chair with solid wood legs", + "wood frame dining chair", + "wood frame dining chair with solid wood legs.", + "wood frame dining chair, solid wood legs", + "wood frame dining chair that is solid wood legs", + "wood frame dining chair with solid wood legs,", + "wood frame dining chair wood frame", + " wood frame dining chair with solid wood legs", + "Wood frame dining chair with solid wood legs", + "wood frame dining chair solid wood legs" + ], + "i'm looking for a high speed compact card for the usb reader.": [ + "high speed compact card for the usb reader", + "compact card for the usb reader", + "compact card for usb reader", + "high speed compact card for usb reader", + "high speed compact card for a usb reader", + "compact card for a usb reader", + "compact card for the usb reader.", + "high speed compact card for usb reader.", + "compact card for usb reader.", + "portrait card for usb reader" + ], + "i need a nail drill for dead skin that comes in a size c.": [ + "nail drill for dead skin in a size c", + "nude drill for dead skin in a size c", + "nail drill for dead skin size c", + "nude drill for dead skin size c", + "nail drill for dead skin a size c", + "nail drill for dead skin", + "nose drill for dead skin in a size c", + "nude drill for dead skin", + "nail drill for dead skin, size c", + "nail drill for dead skin size c." + ], + "i am looking for some ready to eat jerky that is very hot and comes in a ten pack.": [ + "hot jerky ten pack", + "ready to eat jerky ten pack", + "hot jerky that is very hot", + "hot jerky in a ten pack", + "hot and creamy jerky ten pack", + "hot jerky, ten pack", + "hot dog jerky ten pack", + "hot jerky eight pack", + "hot jerky 10 pack", + "hot jerky" + ], + "i would like a pack of spicy sriracha bacon jerky that is ready to eat.": [ + "pack of spicy sriracha bacon jerky", + "pack of spicy sriracha bacon jerky ready to eat", + "pink sriracha bacon jerky pack", + "pink sriracha bacon jerky pack ready to eat", + "pack of spicy sriracha bacon jerky pack", + "pack of spicy sriracha bacon jerky under $40", + "pink and spicy sriracha bacon jerky pack", + "pomegranate bacon jerky pack", + "pink sriracha bacon jerky", + "siracha bacon jerky pack" + ], + "i'd like a stainless steel piercing kit.": [ + "stainless steel piercing kit", + "stainless steel piercing kit.", + "stainless steel piercing kit under $50", + "stainless steel piercing kit under $40", + "stainless steel piercing kit under $60", + "stainless steel piercing kit under 50 dollars", + "stainless steel piercing kit under $120", + "stainless steel piercing kit under 30 dollars", + "stainless steel piercing kit below $50", + "stainless steel piercing kit," + ], + "i am looking for a headphones case that is apple compatible and is navy blue colored.": [ + "apple compatible headphones case navy blue", + "apple compatible headphones case", + "apple compatible headphones case, navy blue", + "apple compatible headphones case in navy blue", + "apple compatible and navy blue headphones case", + "apple compatible navy blue headphones case", + "apple compatible headphones case with navy blue", + "navy blue headphones case", + "apple compatible wireless headphones case navy blue", + "apple compatible wireless headphones case" + ], + "i am looking for a pack of six one ounce vegetable crisps that are plant based and cheddar flavor.": [ + "plant based vegetable crisps with cheddar flavor", + "vegan crisps plant based and cheddar flavor", + "vegan vegetable crisps plant based and cheddar flavor", + "plant based vegetable crisps with a cheddar flavor", + "one ounce vegetable crisps plant based and cheddar flavor", + "6 pack of plant based and cheddar flavor", + "plant based vegetable crisps with cheddar flavor pack", + "plant based vegetable crisps", + "6 plant based vegetable crisps", + "plant based vegetable crisps with a cheddar flavor pack" + ], + "i want to buy cupcake toppers that are for a birthday party.": [ + "cupcake toppers for a baby shower", + "cupcake toppers for a birthday party", + "cupcake toppers for a baby shower.", + "cupcake toppers for a birthday party.", + "cupcake toppers that are for a birthday party", + "cupcake toppers that are for a baby shower", + "cupcake toppers for baby shower", + "cupcake toppers, for a baby shower", + "cupcake toppers for birthday party", + "cupcake toppers" + ], + "i would like to buy a heavy duty gray carrying case for my x box controller.": [ + "heavy duty gray carrying case for my x box controller", + "heavy duty gray carrying case for x box controller", + "gray carrying case for x box controller", + "heavy duty gray carrying case for a x box controller", + "heavy duty gray carrying case x box controller", + "heavy duty gray carrying case", + " heavy duty gray carrying case for my x box controller", + "grey carrying case for x box controller", + "heavy duty gray carrying case for an x box controller", + "heavy duty gray carrying case for x box controller." + ], + "i'm looking for a mid century coffee table for my living room.": [ + "mid century coffee table for my living room", + "mid century coffee table for living room", + "mid century coffee table for the living room", + "mid century coffee table for living room.", + "mid century coffee table in my living room", + "mid century coffee table", + "mid century coffee table for a living room", + "mid century coffee table living room", + "mid century coffee table dining room", + "mid century coffee table, living room" + ], + "i'm looking for a burgundy colored small men's tank top with a relaxed fit.": [ + "burgundy colored small mens tank top with a relaxed fit", + "burgundy colored small mens tank top", + "burgundy colored mens tank top with a relaxed fit", + "burgundy colored small mens tank top with relaxed fit", + " burgundy colored small mens tank top with a relaxed fit", + "burgundy colored small mens tank top, relaxed fit", + "burgundy colored small mens tank top relaxed fit", + "burgundy colored mens tank top with a relaxed fit.", + "burgundy colored small mens tank top that is relaxed fit", + "small mens tank top with a relaxed fit" + ], + "i would like to have two of a fine mist long lasting beauty case.": [ + "two fine mist long lasting beauty case", + "fine mist long lasting beauty case", + "beauty case two fine mist long lasting", + "two fine mist long lasting beauty case.", + "fine mist long lasting beauty case.", + "beauty case with two fine mist", + "beauty case 2 fine mist long lasting", + "beauty case", + "two long lasting beauty case", + "beauty case two" + ], + "i need a fast charging 10 foot charger for my car that is in the color tarnish.": [ + "10 foot charger for my car in the color tarnish", + "fast charging 10 foot charger", + "fast charging 10 foot charger for my car", + "12 foot charger for my car in the color tarnish", + "8 foot charger for my car in the color tarnish", + "electric car charger in the color tarnish", + "5 foot charger for my car in the color tarnish", + "10 foot charger for my car", + "clockwise charging 10 foot charger", + "10 foot charger" + ], + "i need a freezed dried meal kit that is veggie chili.": [ + "freezed dried meal kit that is veggie chili", + "veggie chili freezed dried meal kit", + "freezed dried meal kit with veggie chili", + "freezed dried meal kit veggie chili", + "freezed dried meal kit for veggie chili", + "freezed dried meal kit", + "freezed dried meal kit, veggie chili", + "veggie chili freezing dried meal kit", + "veggie chili freeze dried meal kit", + "veggie chili" + ], + "i want to get some straight leg jeans in 36 waist and 32 length. the color needs to be medium stone washed with an art deco stitch back pocket embroidery.": [ + "straight leg jeans in 36 waist and 32 length", + "straight leg jeans 36 waist and 32 length", + "straight leg jeans in 36 waist and 32 length color", + "straight leg jeans, 36 waist and 32 length", + "straight leg jeans in 36 waist", + "straight leg jeans 32 waist", + "straight leg jeans 36 waist", + "straight leg jeans in 36 waist size", + "straight leg jeans size 32", + "straight leg jeans" + ], + "i am looking for a straight leg jean. i prefer it to be blue.": [ + "straight leg jean blue", + "straight leg jean", + "straight leg jean, blue", + "straight leg jean.blue", + "straight leg jean in blue", + "straight leg jean. blue", + "straight leg jeanblue", + "straight leg jean colored", + "blue jean", + "straight jean" + ], + "i need a tempered glass window film two pack in the color 91768059675860000 and 23.6 in by 23.6 in": [ + "tempered glass window film two pack", + "tempered glass window film", + "tempered glass window film 22.6 in by 23.6in", + "tempered glass window film 22.6 in by 23.6", + "tempered glass window film two pack 22.6 in by 23.6in", + "tempered glass window film two pack 22.6 in by 23.6", + "tempered glass window film two pack in the color 9176805967586", + "tempered glass window film two pack in the color 91768059", + "window film two pack", + "window film" + ], + "i am looking for a case for my smartwatch that is tempered glass and pink rose gold in a 41 mm size.": [ + "smartwatch case tempered glass and pink rose gold", + "tempered glass smartwatch case", + "tempered glass smartwatch case 41 mm", + "smartwatch case in a 41 mm size", + "smartwatch case tempered glass, pink rose gold", + "smartwatch case", + "smartwatch case tempered glass pink rose gold", + "smartwatch case 41 mm", + "smartwatch case with tempered glass", + "smartwatch case tempered glass" + ], + "i'm looking for a straight leg, button closure type jeans. also choose nail loop knot designed big and tall fit type with size 33w*32l one.": [ + "straight leg, button closure type jeans", + "straight leg, button closure type jeans with size 33w*32l", + "straight leg button closure type jeans", + "straight leg, button closure type jeans, 33w*32l", + "straight leg, button closure type jeans size 33w*32l", + "straight leg, button closure type jeans in a 33w*32l", + "straight leg button closure type jeans 33w*32l", + "straight leg, button closure type jeans.", + "straight leg, button closure type jeans 33w*32l", + "straight leg, button closure type jeans. size 33w*32l" + ], + "i'm looking for a straight leg men's jeans made of cotton spandex material with button closure. also choose big and tall, 443 * 32l with shooting star one.": [ + "straight leg mens jeans made of cotton spandex material", + "straight leg mens jeans with button closure", + "straight leg mens jeans with button closure, 443 * 32l", + "straight leg mens jeans, 443 * 32l with shooting star", + "straight leg mens jeans made of cotton spandex", + "straight leg mens jeans, 443 * 32l", + "straight leg mens jeans with button closure under $40", + "straight leg mens jeans with button closure.", + "straight leg mens jeans with button closure with shooting star", + "straight leg mens jeans" + ], + "i am looking for a variety pack of dairy free granola bars that are 48 in count.": [ + "dairy free granola bars 48 count", + "variety pack of dairy free granola bars", + "dairy free granola bar variety 48 count", + "bag of dairy free granola bars 48 count", + "variety pack of dairy free granola bar", + "dairy free granola bars 48 in count", + "12 pack of dairy free granola bars", + "bag of dairy free granola bars", + "12 pack dairy free granola bars", + "granola bars 48 count" + ], + "i am looking for a background for photography that is easy to carry.": [ + "background photography easy to carry", + "background for photography easy to carry", + "background for photography", + "background for photography that is easy to carry", + "background photography that is easy to carry", + "background photography that is easy to carry.", + "background for photography easy to carry.", + "background photography easy to carry under $40", + "background photography easy to carry under $50", + "background photography easy to carry below $40" + ], + "i would like a green tea long lasting lip balm.": [ + "green tea long lasting lip balm", + "green tea lip balm", + "green tea long lasting lip balm.", + "green tea lip balm that is long lasting", + "green tea long lasting lip balm,", + "green tea lip balm long lasting", + "green tea long lasting lip balm ", + "green tea lip balm.", + "green tea lip balm,", + "green tea" + ], + "i would like to buy a four pack of easy use 1.75 ounce pasanda spice bottles": [ + "4 pack of easy use 1.75 ounce pasanda spice bottles", + "easy use 1.75 ounce pasanda spice bottles", + "pack of easy use 1.75 ounce pasanda spice bottles", + "bag of easy use 1.75 ounce pasanda spice bottles", + "5 pack of easy use 1.75 ounce pasanda spice bottles", + "4 pack easy use 1.75 ounce pasanda spice bottles", + "easy to buy 1.75 ounce pasanda spice bottles", + "1.75 ounce pasanda spice bottles", + "4 pack of easy use 1.75 ounce pasanda spice bottle", + "4 pack of easy use 1.75 oz pasanda spice bottles" + ], + "i want to find a 2-pack of achar recipe seasoning mix that's easy to use.": [ + "2-pack of achar recipe seasoning mix", + "2-pack of achar seasoning mix", + "2-pack seasoning mix that is easy to use", + "2-pack of achar seasoning mix easy to use", + "2-pack seasoning mix", + "2-pack seasoning mix easy to use", + " 2-pack of achar recipe seasoning mix", + "2-pack seasoning mix that is easy to use.", + "2pack of achar recipe seasoning mix", + "achar seasoning mix easy to use" + ], + "i am interested in a kashmiri indian seasoning that is easy to prepare and only 2.1 ounces.": [ + "kashmiri indian seasoning that is easy to prepare and 2.1 ounces", + "kashmiri indian seasoning 2.1 ounces", + "kashmiri indian seasoning that is easy to prepare 2.1 ounces", + "kashmiri indian seasoning easy to prepare 2.1 ounces", + "kashmiri indian seasoning", + "kashmiri indian seasoning, easy to prepare and 2.1 ounces", + "kashmiri indian seasoning easy to prepare and 2.1 ounces", + "easy to prepare kashmiri indian seasoning 2.1 ounces", + "kashmiri indian seasoning that is easy to prepare 2.1 ounces.", + "kashmiri indian seasoning 1.1 ounces" + ], + "i am looking for a 3.5 ounce hot and spicy pickle seasoning mix that is easy to use.": [ + "3.5 ounce hot and spicy pickle seasoning mix", + "4.5 ounce hot and spicy pickle seasoning mix", + "three.5 ounce hot and spicy pickle seasoning mix", + "1.5 ounce hot and spicy pickle seasoning mix", + "3.5 oz hot and spicy pickle seasoning mix", + "5 ounce hot and spicy pickle seasoning mix", + "hot and spicy pickle seasoning mix", + "raw pickle seasoning mix that is easy to use", + "easy to use pickle seasoning mix", + "raw pickle seasoning mix" + ], + "i want 100g shan achar easy prepare paya flavor spice powder": [ + "100g shan achar easy prepare paya flavor spice powder", + "10g shan achar easy prepare paya flavor spice powder", + " 100g shan achar easy prepare paya flavor spice powder", + "90g shan achar easy prepare paya flavor spice powder", + "50g shan achar easy prepare paya flavor spice powder", + "100g shan achar quick prepare paya flavor spice powder", + "easy prepare paya flavor spice powder 100g shan achar", + "100g shan achar spice powder", + "100g shan achar easy prepare paya spice powder", + "easy prepare paya flavor spice powder" + ], + "i am looking for spice powder of liver curry flavor that is easy to use.": [ + " spice powder of liver curry flavor", + "pink powder of liver curry flavor", + " spice powder liver curry flavor that is easy to use", + "sugar powder of liver curry flavor", + " spice powder of liver curry flavor easy to use", + " spice powder liver curry flavor", + "temporary spice powder of liver curry flavor", + " spice powder for liver curry flavor", + "pink powder liver curry flavor", + "sugar powder liver curry flavor" + ], + "i need traditional ready to use pickle . and i choose a pack of 6": [ + "traditional ready to use pickle pack of 6", + "traditional ready to use pickle pack of 6 pack", + "style ready to use pickle pack of 6", + "taco ready to use pickle pack of 6", + "traditional ready to use pickle pack pack of 6", + "Traditional ready to use pickle pack of 6 pack", + "style ready to use pickle pack of 6 pack", + "Traditional ready to use pickle pack of 6", + "classic ready to use pickle pack of 6", + "traditional ready to use pickle pack" + ], + "find an easy to prepare chicken masala seasoning.": [ + "easy to prepare chicken masala seasoning", + "easy to prepare chicken masala seasoning.", + "easy to prepare chicken masala seasoning under $40", + "easy to prepare chicken masala seasoning under $60", + "easy to prepare chicken masala seasoning under $50", + "easy to prepare chicken masala seasoning under 30 dollars", + "easy to prepare chicken masala seasoning under 60 dollars", + "easy to prepare chicken masala seasoning under 120 dollars", + "easy to prepare chicken masala seasoning under 50 dollars", + "easy to prepare chicken masala seasoning under 40 dollars" + ], + "look for a four pack of white karahi spice mix that's easy to use.": [ + "4 pack of white karahi spice mix", + "4 pack white karahi spice mix", + "4 pack of white karahi spice mix easy to use", + "four pack of white karahi spice mix", + "4 pack white karahi spice mix easy to use", + "white karahi spice mix that is easy to use", + "pack of white karahi spice mix", + "4 pack white karahi spice mix, easy to use", + "three pack of white karahi spice mix", + "4 pack of white karahi spice mix under $40" + ], + "i need an easy to prepare stew mix that comes in a six pack.": [ + "easy to prepare stew mix six pack", + "easy to prepare stew mix in a six pack", + "easy to prepare stew mix, six pack", + "easy to prepare stew mix", + "6 pack stew mix", + "easy to prepare stew mix 6 pack", + "easy to prepare stew mix with a six pack", + "easy to prepare stew mix that is six pack", + "easy to prepare stew mix under $50", + "easy to prepare stew mix under $60" + ], + "i would like to buy size 8.5 grey faux fur loafers.": [ + "grey faux fur loafers size 8.5", + "grey faux fur loafers", + "grey faux fur loafers, size 8.5", + "grey faux fur loafers in size 8.5", + "grey faux fur loafers 8.5", + "grey faux fur loafers. size 8.5", + "size 8.5 grey faux fur loafers", + "grey faux fur loafers size 8.5 grey", + "grey faux fur loafers size 8.5.", + "grey faux fur loafers size 8" + ], + "i would like a 60x40x43cm solid wood ottoman for my living room.": [ + "60x40x43cm solid wood ottoman", + "60x40x43cm solid wood ottoman for living room", + "60x40x43cm solid wood ottoman living room", + "60 x40x43cm solid wood ottoman", + "60x40x43cm solid wood ottoman, living room", + "60x40 x43cm solid wood ottoman", + " 60x40x43cm solid wood ottoman", + "40x43cm solid wood ottoman", + "rubber ottoman for living room", + "wood ottoman for living room" + ], + "i need blue golf shoes made of vinyl that are in a size 8.5 wide.": [ + "blue golf shoes 8.5 wide", + "blue golf shoes size 8.5 wide", + "blue golf shoes made of vinyl", + "blue golf shoes, 8.5 wide", + "blue golf shoes 9.5 wide", + "blue golf shoes 7.5 wide", + "blue golf shoes size 8.5", + "blue golf shoes 8.5 wide.", + "blue golf shoes, 8.5 wide,", + "blue golf shoes" + ], + "i would like a large grey shorts made of cotton spandex for working out.": [ + "large grey shorts made of cotton spandex", + "large grey shorts made of cotton spandex working out", + "large grey shorts with cotton spandex", + "large grey shorts made of cotton spandex workout shorts", + "large grey shorts with cotton spandex for working out", + "large grey shorts made from cotton spandex", + "large grey shorts made of cotton spandex work out", + "large grey jogging shorts made of cotton spandex", + "large grey shorts made of cotton spandex,", + "large grey shorts, cotton spandex" + ], + "i'm looking for fur lined vinyl slippers.": [ + "f fur lined vinyl slippers", + "fur lined vinyl slippers", + "fur lined vinyl slippers", + "furs lined vinyl slippers", + " fur lined vinyl slippers", + "f fur lined vinyl slippers.", + "fog lined vinyl slippers", + "faux lined vinyl slippers", + "fur lined vinyl slippers.", + "furry lined vinyl slippers" + ], + "i need a polyester cotton polo shirt in size 6x-large. find me a blue one with a gray stripe.": [ + "polyester cotton polo shirt in size 6xl with a gray stripe", + "polyester cotton polo shirt in size 6xl", + "pink cotton polo shirt in size 6xl with a gray stripe", + "polyester cotton polo shirt in size 6xl with gray stripe", + "polyester cotton polo shirt size 6xl with a gray stripe", + "pink polo shirt in size 6xl with a gray stripe", + "pom polo shirt in size 6xl with a gray stripe", + "polyester cotton polo shirt in size 6xl, gray", + "pink cotton polo shirt in size 6xl", + "polyester cotton polo shirt in size 6xl with a gray color" + ], + "i am looking for a silver tablet that is lightweight.": [ + "silver tablet that is lightweight", + "silver tablet lightweight", + "silver tablet", + "light weight silver tablet", + "silver tablet, lightweight", + "silver tablet with a lightweight", + "lightweight silver tablet", + "plastic silver tablet", + "small silver tablet", + "silver tablet with lightweight" + ], + "i would like to buy some wild caught sardines.": [ + "wild sardines", + "wild sardines under $40", + "wild sardines under $50", + "wild sardines under $60", + "wild sardines under 50 dollars", + "wild sardines under 30 dollars", + "wild sardines wild", + "wild sardines.", + "wild sardines that are wild", + "wild sardines under 60 dollars" + ], + "i want sugar free gluten free seafood sardines wild caught": [ + "sugar free gluten free seafood sardines wild caught", + "gluten free seafood sardines wild caught", + "sugar free gluten free seafood sardines wild", + "slate free gluten free seafood sardines wild caught", + "sugar free gluten free seafood sardine wild caught", + "soy free gluten free seafood sardines wild caught", + "sugar free seafood sardines wild caught", + "sugar free gluten free seafood sardines wild fresh", + "gluten free seafood sardines wild-flavored", + "sea salt free seafood sardines wild caught" + ], + "find me a white bookshelf that requires assembly.": [ + "white bookshelf that requires assembly", + "white bookshelf with assembly", + "white bookshelf", + "white bookshelf with assembly white", + "white bookshelf, assembly white", + "white bookshelf under $50", + "white bookshelf under $60", + "white bookshelf under $40", + "white bookshelf white", + "white bookshelf no assembly" + ], + "i need some power dental flossers that are for bad breath.": [ + "power dental flossers for bad breath", + "power dental flossers that are for bad breath", + "power dental flossers for bad breath.", + "power dental flossers with bad breath", + "power dental flossers", + "electric dental flossers for bad breath", + "electric dental flossers that are for bad breath", + "power dental flossers, bad breath", + "power dental flossers, for bad breath", + "power dental flossers bad breath" + ], + "i want a rich protein bar.": [ + "rich protein bar", + "rich protein bar.", + "rich protein bar, and price lower than 50.00 dollars", + "rich protein bar, and price lower than 40.00 dollars", + "rich protein bar, and price lower than 30.00 dollars", + "rich protein bar, and price lower than 60.00 dollars", + "rich protein bar, and price lower then 50.00 dollars", + "rich protein bar, and price lower than 140.00 dollars", + "rich protein bar under $40", + "rich protein bar with price lower than 50.00 dollars" + ], + "i want to buy some pink wireless bluetooth speakers that can switch between pairing and aux by the call button.": [ + "pink wireless bluetooth speakers with a call button", + "pink wireless bluetooth speakers", + "pink wireless bluetooth speakers with call button", + "pink wireless bluetooth speakers with a phone button", + "pink wireless bluetooth speakers by the call button", + "pink wireless bluetooth speakers with a button", + "pink wireless bluetooth speakers,", + "pink bluetooth speakers", + "pink wirelessetooth speakers", + "pink wireless speakers" + ], + "i want to find a 4-pack of energy drinks that are gluten free and have no artificial colors.": [ + "4-pack of energy drinks gluten free", + "4-pack of energy drinks that are gluten free", + "4-pack of energy drinks with no artificial colors", + "4-pack of energy drinks", + "4-pack of energy drinks no artificial", + "4-pack of energy drinks gluten free no artificial", + "4-pack of energy drinks natural no artificial", + "4-pack of energy drinks with no artificial", + "4 pack of energy drinks gluten free", + "4 pack of energy drinks" + ], + "i am looking for a pack of 4 energy drinks with vitamins, that is also gluten free": [ + "pack of 4 energy drinks with vitamins", + "pack of 4 energy drinks with vitamins,", + "pack of 4 energy drinks", + "4 pack of 4 energy drinks with vitamins", + "4 energy drinks with vitamins", + "pack of 4 energy drinks no sugar", + "4 energy drink pack gluten free", + "4 pack of 4 energy drinks", + "4 energy drinks with vitamins,", + "4 energy drinks" + ], + "i would like to see over the ear headphones with batteries included.": [ + "ear headphones with batteries", + "toothpaste ear headphones with batteries", + "the ear headphones with batteries", + "alarm ear headphones with batteries", + "sound quality ear headphones with batteries", + "alarm headphones with batteries", + "phone ear headphones with batteries", + "Ear headphones with batteries", + "hones with batteries", + "toothpaste ear headphones" + ], + "i want an easy to use instant beverage mix in hazelnut flavor, just one pound.": [ + "easy to use instant beverage mix in hazelnut flavor", + "easy to use instant beverage mix in hazelnut flavor, one pound", + "easy to use instant beverage mix in hazelnut flavor, no sugar", + "hazelnut instant beverage mix in hazelnut flavor", + "easy to use instant beverage mix in hazelnut flavor under $40", + "easy to use instant beverage mix with hazelnut flavor", + "easy to use instant beverage mix hazelnut flavor", + "easy to use hazelnut flavor drink mix", + "hazelnut instant beverage mix", + "bagelnut flavor" + ], + "i looking easy use rich creamy instant coffee double mocha flavor ,14 ounce": [ + "easy use rich creamy instant coffee double mocha flavor14 ounce", + "easy use rich creamy instant coffee double mocha flavor ,14 ounce", + "easy use rich creamy instant coffee double mocha flavor 14 ounce", + "easy use rich creamy instant coffee double mocha flavor,14 ounce", + "rich creamy instant coffee double mocha flavor14 ounce", + "easy to use rich creamy instant coffee double mocha flavor14 ounce", + "rich creamy instant coffee double mocha flavor ,14 ounce", + "easy to use rich creamy instant coffee double mocha flavor 14 ounce", + "rich creamy instant coffee double mocha flavor 14 ounce", + "easy use creamy instant coffee double mocha flavor14 ounce" + ], + "i would like to get some women's size 13 vinyl acetate clogs with blossoms.": [ + "womens size 13 vinyl acetate clogs", + "size 13 vinyl acetate clogs with blossoms", + "mens size 13 vinyl acetate clogs with blossoms", + "teen vinyl acetate clogs with blossoms", + "temporary 13 vinyl acetate clogs with blossoms", + "size 13 vinyl acetate clogs", + "mens size 13 vinyl acetate clogs", + "temporary 13 vinyl acetate clogs", + "teen vinyl acetate clogs", + "gmo clogs with blossoms" + ], + "i would like a pair of pomegranate women's size 4 clogs made of vinyl acetate.": [ + "pomegranate womens size 4 clogs made of vinyl acetate", + "pomegranate womens size 4 clogs made of vinyl acetate.", + " pomegranate womens size 4 clogs made of vinyl acetate", + "two pomegranate womens size 4 clogs made of vinyl acetate", + "pomegranate womens size 4 clogs made of vinyl acetate,", + "pomegranate womens size 4 clogs made from vinyl acetate", + "2 pomegranate womens size 4 clogs made of vinyl acetate", + "pomegranate womens size 4 clogs", + "womens size 4 clogs made of vinyl acetate", + "ps 4 clogs made of vinyl acetate" + ], + "i would like to buy a heather slate pebble weave loveseat with a solid wood frame.": [ + "heather slate pebble weave loveseat with a solid wood frame", + " heather slate pebble weave loveseat with a solid wood frame", + "heather slate pebble weave loveseat", + "packet pebble weave loveseat with a solid wood frame", + "burgling slate pebble weave loveseat with a solid wood frame", + " heather slate pebble weave loveseat", + "pale pebble weave loveseat with a solid wood frame", + "shoes heather slate pebble weave loveseat", + "womens heather slate pebble weave loveseat", + "packet pebble weave loveseat" + ], + "i want a variety pack of jerkey ready to eat.": [ + "variety pack of jerkey ready to eat", + "variety pack of jerkey ready to eat.", + "variety pack of jerkey ready to eat below $40", + "variety pack of jerkey ready to eat under $40", + " variety pack of jerkey ready to eat.", + "variety pack of jerkey ready to eat under $60", + "variety pack of jerkey ready to eat below $60", + "variety pack of jerkey ready to eat below $50", + "variety pack of jerkey ready to eat under $50", + "variety pack of jerkey ready to eat under 50 dollars" + ], + "i am looking for a 3.25 ounce (pack of 3) of protein serving jerky": [ + "protein serving jerky 3.25 oz", + "protein serving jerky 3.25 ounce", + "protein serving jerky 3.25 ounces", + "protein serving jerky 3.25 oz pack", + "pack of 3) of protein serving jerky", + "protein serving jerky 3.25 ounce pack", + "3.25 ounce (pack of 3) of protein", + "protein serving jerky 3.25 ounce pack of 3", + "protein serving jerky 3.25 oz pack of 3", + "protein serving jerky, 3.25 oz" + ], + "i would like to get some extra large light blue high waisted jeans with a loose fit.": [ + "extra large light blue high waisted jeans", + "extra large light blue high waisted jeans with loose fit", + "extra large light blue high waisted jeans loose fit", + "extra large light blue high waisted jeans, loose fit", + "extra large light blue high waisted jeans no loose fit", + "extra large blue high waisted jeans with a loose fit", + "extra large light blue high waisted jeans under $40", + "extra large light blue high waisted jeans under $50", + "extra large high waisted jeans with a loose fit", + "extra large blue high waisted jeans" + ], + "i would like to buy a black glider and ottoman set that is easy to clean.": [ + "black glider and ottoman set", + "black glider ottoman set", + "black glider ottoman set easy to clean", + "black glider and ottoman", + "easy clean black glider and ottoman set", + "black glider and ottoman set clean", + "black glider with ottoman set", + "black glider and ottoman set easy clean", + "black glider ottoman", + "black ottoman set" + ], + "buy as many kay's chips as possible when of the ones with french vanilla flavors drops the price drops": [ + "kays chips price lower than 50.00 dollars", + "kays chips with french vanilla flavors price drops", + "kays chips price lower than 40.00 dollars", + "kays chips price lower than $40.00", + "kays chips price lower than 30.00 dollars", + "kays chips price lower than 70.00 dollars", + "kays chips with french vanilla flavor price drops", + "kays chips price lower then $40.00", + "kays chips that are french vanilla", + "kays chips price drops" + ], + "i am looking for a 1.2 ounce (pack of 6) gluten-free, low fat chips & crisps": [ + "gluten free, low fat chips & crisps", + "gluten-free, low fat chips & crisps", + "gluten free chips & crisps", + "gluten-free chips & crisps", + "pack of 6 gluten-free low fat chips & crisps", + "gluten-free low fat chips & crisps", + "gluten free chips & crisps 1.2 oz", + "gluten free low fat chips & crisps", + "gluten free chips and crisps", + "low fat chips & crisps" + ], + "i need a leak proof bag that is black.": [ + "leak proof bag that is black", + "leep proof bag that is black", + "leek proof bag that is black", + "leaky proof bag that is black", + "teeth proof bag that is black", + "leash proof bag that is black", + "leaks proof bag that is black", + "leak proof bag black", + "black leak proof bag", + "leak proof bag in black" + ], + "i am looking for some flats with memory foam in a size nine and the color picante.": [ + " flats with memory foam size 9 in the color picante", + " flats with memory foam size 9 and the color picante", + " flats with memory foam in a size 9 color picante", + " flats with memory foam in a size 9 and color picante", + " flats with memory foam size 9 color picante", + " flats with memory foam in a size 9, color picante", + "flat 9 memory foam", + " flats with memory foam size 9 in the color picante.", + "flat 9 memory foam color", + " flats with memory foam size 9 and the color picante." + ], + "i would like to buy some size 16 rubber sole work shoes.": [ + "size 16 rubber sole work shoes", + "size 16 rubber sole work shoes.", + "size 16 rubber sole work shoe", + "size 16 rubber sole work shoes,", + "stainless work shoes size 16", + "rubber sole work shoes size 16", + " size 16 rubber sole work shoes", + "stretch 16 rubber sole work shoes", + "size16 rubber sole work shoes", + "sneakers size 16" + ], + "i would like to get some l5036 nail tips that are easy to put on.": [ + "l5036 nail tips", + "l5036 nail tips easy to put on", + "l5036 nail tips easy to put on.", + "lip tips l5036 easy to put on", + "lip tips that are easy to put on", + "l5036 nail tips, easy to put on", + "lip tips that are easy to put on.", + "l5036 nail tips are easy to put on", + "lip tips l5036", + "lip tips easy to put on" + ], + "i would like to get a paraben free oil moisturizer.": [ + "paraben free oil moisturizer", + "lip moisturizer paraben free", + "paraben free oil moisturizer.", + "an oil moisturizer paraben free", + "oil moisturizer paraben free", + "paraben free oil moisturizer,", + "shampoo paraben free", + "gluten free oil moisturizer", + "pink oil moisturizer", + "lip moisturizer" + ], + "i would like to get some orange wireless bluetooth speakers.": [ + "orange wireless bluetooth speakers", + "orange wireless bluetooth speakers.", + "orange wireless bluetooth speakers under $40", + "orange wireless bluetooth speakers under $60", + "orange wireless bluetooth speakers under $50", + "orange wireless bluetooth speakers under 50 dollars", + "orange wireless bluetooth speakers,", + "orange wireless bluetooth speaker", + "orange bluetooth speakers", + "yellow bluetooth speakers" + ], + "i would like to buy a size 42 white smartwatch band that works with my apple watch.": [ + "size 42 white smartwatch band", + "white smartwatch band size 42", + " size 42 white smartwatch band", + "white smartwatch band", + "a size 42 white smartwatch band", + "black smartwatch band size 42", + "size 42 white smartwatch band,", + "white smartwatch band, size 42", + "smartwatch band size 42", + "black smartwatch band" + ], + "i need an apple compatible smart watch band in blue, green, and red.": [ + "apple compatible smart watch band in blue, green, and red", + "apple compatible smart watch band in blue, green and red", + "apple compatible smart watch band in blue, green, and red.", + "apple compatible smartwatch band in blue, green, and red", + "apple compatible smart watch band in blue, green, and red,", + "apple compatible smart watch band with blue, green, and red", + "apple compatible smart watch band, blue, green, and red", + "apple compatible smart watch band that is blue, green, and red", + "apple compatible smart watch band blue, green, and red", + "Apple compatible smart watch band in blue, green, and red" + ], + "i want to find a blue home office chair that's easy to assemble.": [ + "blue home office chair easy to assemble", + "blue home office chair", + "blue home office chair, easy to assemble", + "blue home office chair easy assemble", + "blue home office chair easy to assemble.", + "blue office chair that is easy to assemble", + "blue home office chair thats easy to assemble", + "blue home office chair that is easy assemble", + "blue office chair easy to assemble", + "blue home office chair easy setup" + ], + "i would like to buy a four pack of medium machine washable boxer briefs.": [ + "medium machine washable boxer briefs", + "medium machine washable boxer briefs four pack", + "medium machine washable boxer briefs 4 pack", + "large machine washable boxer briefs", + "large machine washable boxer briefs four pack", + "4 pack medium machine washable boxer briefs", + "pack of medium machine washable boxer briefs", + "medium machine washable boxer briefs.", + "4 pack boxer briefs", + "4 pack of boxer briefs" + ], + "i would like a toothbrush that works well with sensitive teeth.": [ + "toothbrush for sensitive teeth", + "toothbrush sensitive teeth", + "toothbrush with sensitive teeth", + "teethbrush for sensitive teeth", + "toothbrush that is sensitive teeth", + "toothbrush that works with sensitive teeth", + "tothbrush for sensitive teeth", + "toothbrush for sensitive teeth.", + "teethbrush sensitive teeth", + "toothbrush sensitive teeth under $40" + ], + "i need an old fashioned rope sausage without gluten.": [ + "old fashioned rope sausage without gluten", + "old fashioned rope sausage with gluten", + "old fashioned rope sausage no gluten", + "old fashioned rope sausage", + "old fashioned rope sausage, gluten free", + "old fashioned rope sausage without gluten.", + "old fashioned rope sausage that is gluten free", + "old fashioned rope sausage gluten free", + "old fashioned rope sausage natural no gluten", + "old fashioned rope sausage without gluten," + ], + "i want keto friendly old world kielbasa rope sausage.": [ + "keto friendly old world kielbasa rope sausage", + "keto friendly old world kielbasa rope sausage keto friendly", + "keto friendly old world kielbasa rope sausage.", + "keto friendly old world kielbasa rope sausage under $40", + "keto friendly old world kielbasa rope sausage under $60", + "keto friendly old world kielbasa rope sausage under $50", + "keto friendly old world kielbasa rope sausage", + "keto friendly old world kielbasa rope sausage under 30 dollars", + "keto friendly old world kielbasa rope sausage under 50 dollars", + "keto friendly old world kielbasa rope sausage under 60 dollars" + ], + "i'm looking for some non-gmo pistachios.": [ + "non-gmo pistachios", + "non-gmo pistachios under $40", + "non-gmo pistachios under $60", + "non-gmo pistachios.", + "non-gmo pistachios under $50", + "non-gmo pistachios under 50 dollars", + "non-gmo pistachios under 30 dollars", + "non-gmo pistachios under 60 dollars", + "non-gmo pistachios under 40 dollars", + "non-gmo pistachios under $120" + ], + "i would like a slim fit khaki tank top that is in a size medium.": [ + "slim fit khaki tank top in a size medium", + "slim fit khaki tank top", + "shim fit khaki tank top in a size medium", + "shy fit khaki tank top in a size medium", + " slim fit khaki tank top in a size medium", + "slim fit khaki tank top size medium", + "small khaki tank top in a size medium", + "slim fit khaki tank top under $50", + "slim fit khaki tank top under $40", + " slim fit khaki tank top in a size medium." + ], + "i would like to get some 29 x 12 galatic machine washable denim shorts.": [ + "28 x 12 galatic machine washable denim shorts", + "29 x 12 galatic machine washable denim shorts", + "27 x 12 galatic machine washable denim shorts", + "23 x 12 galatic machine washable denim shorts", + "22 x 12 galatic machine washable denim shorts", + "bagelatic machine washable denim shorts 29 x 12", + "brushed denim shorts 29 x 12", + "28 x 12 galatic machine washable denim shorts.", + "29 x 12 galatic machine washable denim shorts.", + "brittle jean shorts 29 x 12" + ], + "i would like to get some medium grey shorts that i can machine wash.": [ + "medium grey shorts machine wash", + "medium grey shorts", + "medium grey shorts that i can machine wash", + "medium grey shorts, machine wash", + "medium grey shorts under $40", + "medium grey shorts under $50", + "medium grey shorts i can machine wash.", + "medium grey shorts in machine wash", + "medium grey shorts i can machine wash", + "medium grey shorts machine wash under $40" + ], + "i'm looking for a blue hair brush for removing hair danfruss..": [ + "blue hair brush for removing hair danfruss", + "blue hair brush, removing hair danfruss", + "blue hair brush that removes hair danfruss", + "blue hair brush", + "blue hairbrush for removing hair danfruss", + "blue hair brush to remove hair danfruss", + "blue hair brush removing hair danfruss", + "blue hair brush with hair danfruss", + "blue human hair brush", + "blue hair brush under $40" + ], + "i would like to buy a high gloss walnut entertainment center for a 51 inch tv that has a lot of storage space.": [ + "high gloss walnut entertainment center for a 51 inch tv", + "high gloss walnut entertainment center", + "high gloss walnut entertainment center with storage space", + "low gloss walnut entertainment center for a 51 inch tv", + "lip gloss walnut entertainment center for a 51 inch tv", + "high gloss walnut entertainment center, 51 inch tv", + "high gloss walnut tv with storage space", + "womens high gloss walnut entertainment center", + "high gloss walnut tv", + "tv high gloss walnut" + ], + "i am looking for icelandic yogurt that is rich and creamy.": [ + "rich and creamy icelandic yogurt", + "rich and creamy icelandic yogurt under $40", + "rich and creamy icelandic yogurt under $60", + "rich and creamy icelandic yogurt under $50", + "icelandic yogurt that is rich and creamy", + "rich and creamy icelandic yogurt under 30 dollars", + "icelandic yogurt rich and creamy", + "indicelandic yogurt rich and creamy", + "rich creamy icelandic yogurt", + "icelandic yogurt creamy" + ], + "i would like a 5 shelf oak bookcase and mount for my living room.": [ + "5 shelf oak bookcase and mount", + "5 shelf oak bookcase for my living room", + "5 shelf oak bookcase and mount for living room", + "5 shelf oak bookcase for my living room.", + "5 shelf oak bookcase mount for my living room", + "5 shelf oak bookcase in a living room", + "5 shelf oak bookcase for living room", + "5 shelf oak bookcase and mount living room", + "5 shelf oak bookcase in a living room.", + "5 shelf oak bookcase" + ], + "nathan james theo 3 shelf white bookcase, open wall industrial shelving unit, engineered wood for my living room, find it at a discounted price": [ + "nathan james theo 3 shelf white bookcase, open wall industrial shelving unit", + "nathan james theo 3 shelf white bookcase", + "nathan james theo 3 shelf white bookcase with engineered wood", + "nathan james theo 3 shelf white bookcase with engineered wood for my living room", + "nathan james theo 3 shelf white bookcase with engineered wood for living room", + "nathan james theo 3 shelf white bookcase price lower than 50.00 dollars", + "nathan james theo 3 shelf white bookcase at a discounted price", + "nathan james theo 3 shelf white bookcase that is engineered wood", + "nathan james theo 3 shelf white bookcase in a discounted price", + "nathan james theo 3 shelf white bookcase with engineered wood price" + ], + "i need puffed snacks that are grain free in a spicy salsa flavor and come in a 24 pack.": [ + "puffed snacks that are grain free in a spicy salsa flavor", + "puffed snacks with a spicy salsa flavor 24 pack", + "puffed snacks grain free in a spicy salsa flavor 24 pack", + "puffed snacks in a spicy salsa flavor 24 pack", + "puffed snacks with spicy salsa flavor 24 pack", + "puffed snacks spicy salsa flavor 24 pack", + "puffed snacks, spicy salsa flavor 24 pack", + "puffed snacks that are grain free and spicy salsa flavor", + "puffed snacks grain free in a spicy salsa flavor", + "puffed snacks" + ], + "i would like a citrus yao conditioner made with natural ingredients.": [ + "fruit yao conditioner made with natural ingredients", + " citrus yao conditioner made with natural ingredients", + "citrus yao conditioner made with natural ingredients", + "a citrus yao conditioner made with natural ingredients", + "scent yao conditioner made with natural ingredients", + "curtains yao conditioner natural", + " citrus yao conditioner made with natural ingredients.", + "toothpaste citrus yao conditioner natural", + "contains natural ingredients", + "fruit yao conditioner made with natural ingredients." + ], + "i would like to buy 2 pounds of milk chocolate hershey's with almonds for valentine's day.": [ + "2 pounds of milk chocolate hersheys with almonds valentines day", + "two pounds of milk chocolate hersheys with almonds valentines day", + "1 pound of milk chocolate hersheys with almonds valentines day", + "2 pounds of milk chocolate hersheys with almonds", + "2 pound of milk chocolate hersheys with almonds valentines day", + "mushroom chocolate hersheys with almonds valentines day", + "1 pound milk chocolate hersheys with almonds valentines day", + "milk chocolate hersheys with almonds valentines day", + "monky chocolate hersheys with almonds valentines day", + "2 pounds of milk chocolate hersheys" + ], + "i want 5 pound valentine day special kosher certified hershey's special dark chocolate": [ + "5 pound valentine day special kosher certified hersheys special dark chocolate", + " 5 pound valentine day special kosher certified hersheys special dark chocolate", + "5 pound valentine day special kosher certified hersheys special chocolate", + "4 pound valentine day special kosher certified hersheys special dark chocolate", + "6 pound valentine day special kosher certified hersheys special dark chocolate", + "5 pound valentine day special kosher certified chocolate", + "5 pound valentine day special kosher certified", + "sheys special dark chocolate 5 pound valentine day", + "special kosher certified hersheys special dark chocolate", + "5 pound valentine day special kosher certified hersheys" + ], + "i would like some teeth whitening strips that are a grape flavor.": [ + "teeth whitening strips grape flavor", + "teeth whitening strips", + "teeth whitening strips a grape flavor", + "teeth whitening strips with grape flavor", + "teeth whitening strips, grape flavor", + "teeth whitening strips for grape flavor", + " teeth whitening strips grape flavor", + " teeth whitening strips a grape flavor", + "toothpaste strips grape flavor", + " teeth whitening strips" + ], + "i am looking for a vinyl home office chair that has lumbar support and has a mesh back with synchro-tilt.": [ + "a vinyl home office chair with lumbar support", + "vinyl home office chair with lumbar support", + " vinyl home office chair that has lumbar support", + "a vinyl home office chair", + "living room chair that has lumbar support", + " vinyl home office chair with lumbar support", + "living room chair with lumbar support", + "a vinyl home office chair, lumbar support", + "vinyl home office chair", + "living room chair" + ], + "i am looking for a grey faux leather sofa.": [ + "grey faux leather sofa", + "grey faux leather sofa.", + "grey faux leather sofa,", + "grey faux leather sofa under $40", + "grey faux leather sofa that is comfortable", + "grey faux leather sofa under $50", + "grey faux leather sofa under 50 dollars", + "grey faux leather sofa under 30 dollars", + "grey leather sofa", + "grey plush sofa" + ], + "i want to find a set of two vanity lights with glass shades.": [ + "two vanity lights with glass shades", + "two vanity lights", + "two vanity lights with glass shades.", + "two vanity lights with glass shades,", + "two vanity lights, glass shades", + "two vanity lights that are glass shades", + "set of two vanity lights with glass shades", + "2 vanity lights with glass shades", + "pink vanity lights with glass shades", + "two vanity lights with glass" + ], + "i want to see the non-alcoholic drink options that are made of natural ingredients.": [ + "non-alcoholic drink options", + "non-alcoholic drink options with natural ingredients", + "non-alcoholic drink options made of natural", + "non-alcoholic drink options natural", + "alcoholic drink options made of natural ingredients", + "non-alcoholic drink options natural no sugar", + "non-alcoholic drink options no natural", + "non-alcoholic drink options under $40", + "non-alcoholic drink options made from natural", + "non-alcoholic drink" + ], + "i am looking for natural ingredients brewing": [ + "natural ingredients brewing", + "natural ingredients brewing natural", + "natural ingredients brewing under $40", + "natural ingredients brewing under $50", + "natural ingredients brewing under $60", + "natural ingredients brewing below $40", + "natural ingredients brewing below $50", + "natural ingredients brewing ethylene", + "natural ingredients brewing under 30 dollars", + "natural ingredients" + ], + "i need a baby throw that is multicolored and super soft.": [ + "baby throw multicolored and super soft", + "baby throw multicolored super soft", + "baby throw that is multicolored super soft", + "baby throw with multicolored and super soft", + "baby throw, multicolored and super soft", + "baby throw multiicolored and super soft", + "multicolored and super soft baby throw", + "multicolored super soft baby throw", + "baby throw multicolored", + "baby throw that is multicolored" + ], + "i'm looking for a wood framed mounted shark.": [ + "wood framed mounted shark", + "wood framed mounted shark.", + "wood framed mounted shark under $50", + "wood framed mounted shark under $40", + "wood framed mounted shark under $60", + "wood framed mounted shark, under $40", + "wood framed mounted shark, under $50", + "wood framed mounted shark below $50", + "wood framed mounted shark, under $60", + "wood framed mounted shark less then $40" + ], + "i need an argan oil moisturizer that is 8 ounces and is the scent desert date.": [ + "argan oil moisturizer 8 ounces scent desert date", + "argan oil moisturizer 8 ounces", + "argan oil moisturizer 8 ounces scent desert date", + "argan oil moisturizer 8 ounces", + "argan oil moisturizer that is 8 ounces", + "an oil moisturizer 8 ounces scent desert date", + "algan oil moisturizer 8 ounces scent desert date", + "argan oil moisturizer that is 8 ounces", + "art moisturizer 8 ounces scent desert date", + "an oil moisturizer 8 ounces" + ], + "i'm looking for all natural and organic moringa oil with anti aging vitamin a and e, 4 ounce": [ + "natural and organic moringa oil with anti aging vitamin", + "natural and organic moringa oil with anti aging vitamin e 4 ounce", + "natural and organic moringa oil with anti aging vitamin e, 4 ounce", + "natural and organic moringa oil anti aging vitamin a and e 4 ounce", + "natural and organic moringa oil with anti aging vitamin a and e", + "natural and organic moringa oil 4 ounce", + "natural and organic moringa oil", + "natural and organic moringa oil 2 ounce", + "natural and organic moringa oil under $40", + "natural and organic moringa oil anti aging vitamin" + ], + "i would like a 2 fluid ounce bottle of tamanu argan oil for damaged hair.": [ + "2 fluid ounce bottle of tamanu argan oil for damaged hair", + "two fluid ounce bottle of tamanu argan oil for damaged hair", + "2 fluid ounce bottle of tamanu argan oil", + "2 fluid ounce bottle of tamanu argan oil for damaged air", + "2oz bottle of tamanu argan oil for damaged hair", + "tamanu argan oil for damaged hair 2oz", + "tamanu argan oil for damaged hair 2 fluid ounce", + "tamanu argan oil 2oz", + "tamanu argan oil 2 fluid ounce", + "2 fluid ounce bottle of tamanu argan oil for damaged" + ], + "i would like a 100 inch 16:9 protection screen that's easy to put on.": [ + "100 inch 16:9 protection screen", + "100 inch 16x9 protection screen", + "100 inch 16.9 protection screen", + " 100 inch 16:9 protection screen", + "104 inch 16:9 protection screen", + "90 inch 16:9 protection screen", + "16:9 protection screen", + "16x9 protection screen", + "100 inch 16", + "lens protector screen 100 inch" + ], + "i need some gluten free nori.": [ + "gluten free nori", + "gluten free nori drink mix", + "gluten free nori.", + "gluten free nori under $40", + "gluten free nori under $60", + "gluten free nori below $40", + "gluten free nori under $50", + "gluten free nori under 30 dollars", + "gluten free nori below $50", + "gluten free nori under 50 dollars" + ], + "i'm looking for a high quality stainless steel foot scrubber which is effective to remove dead skin. also, choose a pack of 16 pcs black one.": [ + "stainless steel foot scrubber", + "stainless steel foot scrubber 16 pcs black", + "stainless steel foot scrubber that is effective to remove dead skin", + "stainless steel foot scrubber 16 pcs black", + "stainless steel foot scrubber which is effective to remove dead skin", + "stainless steel foot scrubber 17 pcs black", + "stainless steel foot scrubber, effective to remove dead skin", + "stainless steel foot scrubber with dead skin", + "stainless steel foot scrubber, 16 pcs black", + "stainless steel foot scrubber under $40" + ], + "i would like to buy some unsweetened hazelnut dairy and gluten free milk.": [ + "hazelnut dairy and gluten free milk", + "hazelnut dairy free milk", + "sugar free hazelnut dairy drink mix", + "ashelnut dairy and gluten free milk", + "sugar free hazelnut dairy free milk", + "sugar free hazelnut dairy", + "hazelnut dairy dairy free milk", + "sugar free hazelnut dairy and gluten free", + "ashelnut dairy free milk", + "hazelnut dairy no sugar" + ], + "i need a black brush set for sensitive skin.": [ + "black brush set for sensitive skin", + "black brush set for sensitive skin.", + "black brush set sensitive skin", + "black brush set for sensitive skin under $40", + "black brush set for sensitive skin under $50", + "black brush set for sensitive skin that is sensitive", + "black brush set for sensitive skin,", + "black brush set for sensitive skin under $60", + "black brush set for sensitive skin ", + "black brush set sensitive skin." + ], + "i would like to get a heavy duty office desk with a coated steel frame.": [ + "heavy duty office desk with a coated steel frame", + "office desk with a coated steel frame", + "intensive duty office desk with a coated steel frame", + "low duty office desk with a coated steel frame", + "heavy duty office desk with a coating steel frame", + "large duty office desk with a coated steel frame", + "heavy duty office desk that is coated steel", + "heavy duty office desk, coated steel frame", + "work desk with a coated steel frame", + "heavy duty office desk" + ], + "i'm looking for a 10-pack of pepperoni and cheese pizzas that contain 0 grams of trans fat.": [ + "10-pack of pepperoni and cheese pizzas with 0 grams of trans fat", + "10-pack of pepperoni and cheese pizzas containing 0 grams of trans fat", + "10-pack of pepperoni and cheese pizzas", + "9-pack of pepperoni and cheese pizzas with 0 grams of trans fat", + "10-pack of pepperoni and cheese pizzas with zero grams of trans fat", + "pizza and cheese pizzas that contain 0 grams of trans fat", + "pink cheese pizzas that contain 0 grams of trans fat", + "pizzas that contain 0 grams of trans fat", + "pizza mix containing 0 grams of trans fat", + "pizza mix with 0 grams of trans fat" + ], + "i would like to buy a 90x200 cm pink futon mattress with memory foam for my living room.": [ + "90x200 cm pink futon mattress with memory foam", + "90x200 cm pink futon mattress", + "pink futon mattress with memory foam for living room", + "90x200cm pink futon mattress with memory foam", + "pink futon mattress with memory foam", + "90 x200 cm pink futon mattress with memory foam", + "pink futon mattress with memory foam living room", + "90x200cm pink futon mattress", + "90 x200 cm pink futon mattress", + "pink futon mattress" + ], + "i would like a dual band ac adapter with output protection.": [ + "dual band ac adapter with output protection", + "dual band ac adapter", + "dual band ac adapter price lower than 50.00 dollars", + "dual band ac adapter price lower than 40.00 dollars", + "dual band ac adapter price lower than $40.00", + "dual band ac adapter price lower then 50.00 dollars", + "dual band ac adapter no output protection", + "i would like a dual band ac adapter with output protection.", + "dual band ac adapter price lower then $40.00", + "dual band ac adapter that is output protection" + ], + "i really need a hair comb for hair styling.": [ + "hair comb for hair styling", + "hair comb for hair styling.", + "style hair comb for hair styling", + "hair comb for hair styling", + "tooth comb for hair styling", + "hair comb", + "toothbrush hair comb", + "hair comb, hair styling", + "hair comb hair styling", + "style hair comb" + ], + "i am looking for a lychee energy drink that has no sugar.": [ + "l lychee energy drink no sugar", + "l lychee energy drink that has no sugar", + "a lychee energy drink that has no sugar", + "l lychee energy drink with no sugar", + "ychee energy drink no sugar", + " lychee energy drink that has no sugar", + " lychee energy drink no sugar", + "ychee energy drink with no sugar", + " lychee energy drink with no sugar", + "l lychee energy drink" + ], + "i am looking for remote triggers that come with batteries.": [ + "remote triggers with batteries", + "remote triggers that come with batteries", + "remote triggers that come with batteries.", + "remote triggers that are batteries", + "remote triggers", + "remote triggers no batteries", + "remote triggers with batteries under $40", + "remote triggers with batteries under $50", + "remote triggers with batteries under $60", + "remote triggers that have batteries" + ], + "i am looking for sugar free flavor syrups that come in a three pack and are amaretto.": [ + "sugar free flavor syrups three pack amaretto", + "sugar free flavor syrups three pack amaretto flavor", + "sugar free flavor syrups that are amaretto", + "sugar free flavor syrups", + "sugar free flavor syrups with amaretto", + "sugar free flavor syrups 3 pack amaretto", + "sugar free flavor syrups, amaretto", + "sugar free flavor syrups that come in a three pack", + "sugar free flavor syrups with amaretto flavor", + "sugar free flavor syrups under $40" + ], + "i am looking for a sugar free irish creme syrup.": [ + "sugar free irish creme syrup", + "sugar free irish creme syrup under $40", + "sugar free irish creme syrup under $60", + "sugar free irish creme syrup under $50", + "sugar free irish creme syrup below $40", + "sugar free irish creme syrup.", + "sugar free irish creme syrup under 50 dollars", + "sugar free irish creme syrup below $50", + "sugar free irish creme syrup under 30 dollars", + "sugar free irish creme syrup below $60" + ], + "i am looking for a black and gold bag that is easy to carry.": [ + "easy to carry black and gold bag", + "bag that is easy to carry", + "black and gold bag", + "bag easy to carry black and gold", + "easy to carry black gold bag", + "black and gold bag easy to carry", + "bag black and gold", + "easy carry black and gold bag", + "bag that is easy to carry.", + "black gold bag" + ], + "i'm looing for an asphalt colored youth extra-large t-shirt that's machine washable.": [ + "pink colored youth extra-large t-shirt", + "an asphalt colored youth extra-large t-shirt", + "ash colored youth extra-large t-shirt", + "pink t-shirt that is machine washable", + "pink t-shirt machine washable", + "pink t-shirt, machine washable", + "pink t-shirt", + "pink colored youth t-shirt", + "pink t-shirt under $40", + "pink t-shirt under $50" + ], + "i would like a heavy duty wall outlet.": [ + "heavy duty wall outlet", + "wall outlet heavy duty", + "low duty wall outlet", + "heavy duty wall outlet.", + "wall outlet", + "wooden wall outlet", + "aluminum wall outlet", + "large duty wall outlet", + "living room wall outlet", + "lens outlet heavy duty" + ], + "i am looking for a jacket for daily wear that is a blue and in a size small.": [ + "blue jacket for daily wear", + "blue jacket in a size small", + "blue and in a size small", + "blue small jacket", + "blue jacket for daily wear small", + "blue leather jacket for daily wear", + "blue daily wear jacket", + "blue jacket", + "blue and small jacket", + "blue hiking jacket" + ], + "i need a light red area rug for the living room that is a 4 by 6.": [ + "light red area rug living room 4 by 6", + "4 by 6 light red area rug for living room", + "4 by 6 light red rug for living room", + "light red area rug for the living room", + "living room rug 4 by 6", + "light red area rug for living room", + "4 x 6 light red area rug for living room", + "4 x 6 light red rug for living room", + "light red area rug living room", + "4 by 6 light red area rug" + ], + "i would like to get a 35 x 12 canvas print of manhattan, new york to hang in my living room.": [ + "35 x 12 canvas print of manhattan", + "35 x 12 canvas print of manhattan living room", + "manhattan 35 x 12 canvas print", + " 35 x 12 canvas print of manhattan living room", + "28 x 12 canvas print of manhattan", + " 35 x 12 canvas print of manhattan", + "35 x 12 canvas print of manhattan,", + "a 35 x 12 canvas print of manhattan", + "manhattan canvas print 35 x 12", + "manhattan canvas print" + ], + "i would like to buy some high quality long lasting eyeliner.": [ + "high quality long lasting eyeliner", + "high quality long lasting eyeliner.", + "low quality long lasting eyeliner", + "l eyeliner that is high quality", + "l eyeliner high quality", + "long lasting eyeliner", + "low quality long lasting eyeliner.", + "l eyeliner high quality long lasting", + "lens eyeliner high quality", + "lilyiner high quality" + ], + "i want to get some massage linens that are easy to clean and color 4 and 70x190 cm": [ + " massage linens that are easy to clean and color 4 and 70x190 cm", + "mushroom linens color 4 and 70x190 cm", + "massage linens that are easy to clean and color 4 and 70x190 cm", + "mushroom linens easy to clean and color 4 and 70x190 cm", + "portrait linens that are easy to clean and color 4 and 70x190 cm", + "m massage linens that are easy to clean and color 4 and 70x190 cm", + "mushroom linens that are easy to clean and color 4 x190 cm", + "mushroom linens that are easy to clean and color 4x190 cm", + "mushroom linens in color 4 and 70x190 cm", + "mushroom linens" + ], + "i want to find a pair of blue hiking shoes for men with both arch support and memory foam. the shoes need to be a size 13.": [ + "blue hiking shoes size 13", + "blue hiking shoes for men size 13", + "blue hiking shoes for men", + "blue hiking shoes in a size 13", + "blue hiking shoes", + "blue hiking shoes 13 size 13", + "blue hiking shoes size 13.5", + "blue hiking shoes with arch support", + "blue hiking shoe size 13", + "blue hiking shoes 13" + ], + "i need running shoes that are dark grey with arch support and are in a size 13.5": [ + "dark grey running shoes 13.5", + "dark grey running shoes in a size 13.5", + "dark grey running shoes size 13.5", + "dark grey running shoes", + "dark grey running shoes with arch support 13.5", + "dark grey running shoes that are dark grey", + "dark grey running shoes, size 13.5", + "dark grey running shoes with arch support", + "dark grey with arch support running shoes 13.5", + "dark grey running shoes 12.5" + ], + "i am looking for sand gold nail art that is 0.35 oz": [ + "sand gold nail art that is 0.35 oz", + "sand gold nail art 0.35 oz", + " sand gold nail art that is 0.35 oz", + "sand gold nail art, 0.35 oz", + "sand gold nail art", + " sand gold nail art 0.35 oz", + "1.35 oz sand gold nail art", + "sand gold nail art under $40", + "sand gold nail art under $50", + "sand gold nail art, 0.35 oz," + ], + "i am looking for some super chunky nail art gllitter that is peach colored.": [ + "super chunky nail art gllitter that is peach colored", + "super chunky nail art gllitter", + "pomegranate colored nail art gllitter", + "super chunky nail art gllitter, peach colored", + "super chunky nail art gllitter in peach colored", + "super chunky nail art gllitter peach colored", + "super chunky nail art gllitter with peach colored", + " super chunky nail art gllitter that is peach colored", + "super chunky nail art gllitter peaches colored", + "super chunky nail art" + ], + "get me the ten gram sample sized body glitter, but only if it hasn't been tested on animals, please.": [ + "10 gram sample sized body glitter", + "ten gram sample sized body glitter", + "10 gram body glitter", + "10 gram sample sized body glitter, tested on animals", + "10 gram sample sized body glitter that is tested", + "10 gram sample sized body glitter,", + "10 gram sample sized body glitter under $50", + "10 gram sample sized body glitter, no human glitter", + "10 gram sample sized body glitter, under $50", + "10 gram sample size body glitter" + ], + "i want glitter for body make up for nail art decoration size 10 g color bronze holographic": [ + " glitter for body make up for nail art decoration size 10 g color bronze", + "glitter for body make up for nail art decoration size 10 g", + "glitter for body make up nail art decoration size 10 g color bronze", + " glitter for body make up for nail art decoration size 10 g", + "glitter for body make up", + "nude art decoration size 10 g color bronze holographic", + "glitter for body make up bronze holographic", + "glitter for body make up for nail art decoration", + "nude art decoration size 10 g color bronze", + "size 10 g color bronze holographic glitter" + ], + "i am looking for rose gold colored glitter for nail art.": [ + "rose gold colored glitter for nail art", + "rose gold colored glitter nail art", + "rose gold colored glitter for nail art.", + "rose gold colored glitter nail art.", + "rose gold glitter for nail art", + "rose gold colored glitter for nail art,", + "rose gold glitter nail art", + "rose gold colored glitter", + "rose gold colored glitter nail art,", + "rose gold colored glitter, nail art" + ], + "i need a 3.5 oz jar of pink nail art glitter.": [ + "3.5 oz jar of pink nail art glitter", + "pink nail art glitter 3.5 oz", + "three.5 oz jar of pink nail art glitter", + " 3.5 oz jar of pink nail art glitter", + "pink nail art glitter, 3.5 oz", + "2.5 oz jar of pink nail art glitter", + "3.5 oz jar pink nail art glitter", + "pink nail art glitter", + "3.5 oz pink nail art glitter", + "pink nail art glitter 3 oz" + ], + "i'd like to find 3.5 ounces of ultrafine, fluorescent yellow glitter for my nail art.": [ + "3.5 ounces of ultrafine, fluorescent yellow glitter", + "3.5 ounces ultrafine, fluorescent yellow glitter", + "3.5 ounces ultrafine yellow glitter for my nail art", + "3.5 ounces of ultrafine yellow glitter", + "3.5 ounce ultrafine, fluorescent yellow glitter", + "3.5 ounces of ultrafine yellow glitter for nail art", + "3.5 ounces ultrafine, fluorescent yellow glitter nail art", + "3.5 ounces ultrafine yellow glitter for nail art", + "3.5 ounces ultrafine yellow glitter", + "yellow glitter" + ], + "i would like lactose free coffee drinks that are mocha and come in a four pack.": [ + "lactose free coffee drinks four pack", + "mocha coffee drink four pack", + "lactose free coffee drink four pack", + "mocha coffee drinks four pack", + "lactose free coffee mocha four pack", + "mocha coffee mocha four pack", + "lactose free coffee drinks 4 pack", + "mocha free coffee drinks four pack", + "lactose free coffee mocha 4 pack", + "lactose free coffee drinks four pack." + ], + "i'm looking for a 3 pound pack of individually wrapped snickers candy bars that i can hand out on valentine's day.": [ + "3 pound pack of individually wrapped snickers candy bars", + "3 pound pack of individually wrapped snickers candy bars valentines day", + "3 pound pack of individually wrapped snickers candy bar valentines day", + "3 pound pack of individually wrapped snickers candy bar", + "3 pound pack of individually wrapped snickers candy bars under $50", + "3 pound pack of individually wrapped snickers candy bars under 50 dollars", + "3 pound pack of individually wrapped snickers candy bars under $60", + "three pound pack of individually wrapped snickers candy bars", + "3 pound pack of individually wrapped snickers candy bars for valentines", + "pack of individually wrapped snickers candy bars" + ], + "i'm looking for a 1-pound pack of individually wrapped candy bars for a birthday party or valentines day in a resealable bag.": [ + "1-pound pack of individually wrapped candy bars for a baby shower", + "1-pound pack of individually wrapped candy bars for a birthday party", + "1-pound pack of individually wrapped candy bars", + "pack of individually wrapped candy bars for a baby shower", + "1 pound pack of individually wrapped candy bars for a baby shower", + "bag of individually wrapped candy bars for a baby shower", + "pack of individually wrapped candy bars for a birthday party", + "1 pound pack of individually wrapped candy bars", + "pack of individually wrapped candy bars", + "bag of individually wrapped candy bars" + ], + "i would like a living room sofa chair in cognanc leather": [ + "living room sofa chair in cognanc leather", + "living room sofa chair, cognanc leather", + "living room sofa chair in cognanc leather living room", + "living room sofa chair in cognanc leather,", + "living room sofa chair with cognanc leather", + "living room sofa chair in Cognanc leather", + "living room sofa chair cognanc leather", + "living room sofa chair in cognanc", + "living room sofa chair", + "living room sofa" + ], + "there's a hands free car stereo receiver with 2g+32g.": [ + "hand free car stereo receiver with 2g+32g", + "hand free car stereo receiver 2g+32g", + "a hands free car stereo receiver with 2g+32g", + "car stereo receiver with 2g+32g", + "car stereo receiver 2g+32g", + "3g+32g car stereo receiver", + "1g+32g car stereo receiver", + "hand free car stereo receiver", + "hand free car stereo receiver with 2g+32g.", + "hand free car stereo receiver 2g+32g." + ], + "i'm looking for a brozers which is alcohol free and paraben free used for sensitive skin.": [ + "rozers alcohol free and paraben free for sensitive skin", + "rozers alcohol free and paraben free", + "rozers alcohol free and paraben free sensitive skin", + "brozers alcohol free and paraben free for sensitive skin", + "rozers that are alcohol free and paraben free", + "brozers alcohol free and paraben free", + " brozers alcohol free and paraben free", + "brozers alcohol free and paraben free sensitive skin", + "rozers alcohol free paraben free", + "rozers alcohol free" + ], + "i am looking for x-large pajama bottoms that have a drawstring.": [ + "x-large pajama bottoms with drawstring", + " x-large pajama bottoms with drawstring", + "xxl pajama bottoms with drawstring", + "x-large pajama bottoms that have drawstring", + "xl pajama bottoms with drawstring", + " x-large pajama bottoms that have drawstring", + "xxl pajama bottoms that have drawstring", + "xxl pajama bottoms that have a drawstring", + "x-large pajama bottoms drawstring", + "xl pajama bottoms that have drawstring" + ], + "i am looking for a queen size white bed.": [ + "queen size white bed", + "queen size white bed.", + "queen size white bed,", + "king size white bed", + "queen size white bed under $40", + "queen size white bed under $50", + "queen size white bed under $60", + "queen size white bed with a queen", + "queen size white bed that is comfortable", + "queen sized white bed" + ], + "i want to find a 3-count pack of 4-ounce deodorant sprays that are certified organic.": [ + "3-count pack of 4-ounce deodorant sprays", + "4-ounce deodorant sprays that are certified organic", + "4-ounce deodorant sprays certified organic", + "4-ounce deodorant sprays", + "3 count pack of 4-ounce deodorant sprays", + "4 oz deodorant sprays certified organic", + "3-count pack of natural deodorant sprays", + "4ounce deodorant sprays certified organic", + "3-count pack of deodorant sprays", + "3-count pack of deodorant sprays certified organic" + ], + "i want to check out the techni mobili l-shaped desks that are made of coated steel.": [ + "teammi mobili l-shaped desks that are made of coated steel", + "the techni mobili l-shaped desks that are made of coated steel", + " techni mobili l-shaped desks that are made of coated steel", + "magni mobili l-shaped desks that are made of coated steel", + "stainless steel techni mobili l-shaped desks", + "motorist mobili l-shaped desks that are made of coated steel", + "teammi mobili l-shaped desks made of coated steel", + "teammi mobili l-shaped desks", + "teams made of coated steel", + "motorist mobili l-shaped desks" + ], + "i'm looking for a synthetic hair and rose gold mermaid makeup brush set which should be certified cruelty free. also, choose 3d rainbow pattern one.": [ + "synthetic hair and rose gold mermaid makeup brush set", + "synthetic hair, rose gold mermaid makeup brush set", + "synthetic hair rose gold mermaid makeup brush set", + " synthetic hair and rose gold mermaid makeup brush set", + "synthetic hair with rose gold mermaid makeup brush set", + "synthetic hair 3d rainbow pattern", + "synthetic hair and rose gold mermaid makeup brush", + "stainless hair and rose gold mermaid makeup brush set", + "synthetic hair 2d rainbow pattern", + "natural hair and rose gold mermaid makeup brush set" + ], + "i am looking for a 10pcs rose gold brush set.": [ + "10pcs rose gold brush set", + "10pcs rose gold brush set.", + "10pcs rose gold brush set under $50", + "10pcs rose gold brush set under $40", + "10pcs rose gold brush set under $60", + "10pcs rose gold brush set under 50 dollars", + "10pcs rose gold brush set under 30 dollars", + "10pcs rose gold brush set under 40 dollars", + "10pcs rose gold brush set,", + "10pcs rose gold brush set under $120" + ], + "find me a wall sconce with a nickel finish and a glass shade.": [ + "wall sconce with a nickel finish and glass shade", + "wall sconce with nickel finish and a glass shade", + "wall sconce with nickel finish and glass shade", + "wall sconce, nickel finish and glass shade", + "wall sconce with a nickel finish, glass shade", + "wall sconce, nickel finish and a glass shade", + "wall sconce with a nickel finish", + "wall sconce nickel finish and glass shade", + "wall sconce", + "wall sconce, nickel finish, glass shade" + ], + "i am looking for a mid century couch.": [ + "mid century couch", + "mid century couch.", + "mid century couch with a modern look", + "mid century couch in mid century", + "mid century couch that is comfortable", + "mid century couch with a modern quality", + "mid century couch under $40", + "mid century couch with a modern feel", + "mid century couch, mid century", + "mid century couch under $50" + ], + "i would like a size 8.5 sneakers with a highly fashionable white and blue floral design.": [ + "size 8.5 sneakers", + "sneakers white and blue", + "shoes with a highly fashionable white and blue floral design", + "sneakers size 8.5 white and blue floral", + "sneakers white and blue floral", + "sneakers size 8.5", + "sneakers size 8.5 white floral design", + "sneakers size 8.5 white", + "sneakers white floral", + "sneakers white" + ], + "i'm looking to buy some gold vanity lights with two lights on it.": [ + "gold vanity lights with two lights", + "two lights gold vanity lights", + "gold vanity lights", + "pink vanity lights with two lights", + "two gold vanity lights", + "two gold vanity lights with two lights", + "three gold vanity lights with two lights", + "yellow vanity lights with two lights", + "gold vanity lights two lights", + "gold vanity lights, two lights" + ], + "i need a bottle of fresh breath mouth wash for bad breath and oral hygeine.": [ + "fresh breath mouth wash", + "fresh breath mouth wash for bad breath oral hygeine", + "fresh breath mouth wash, oral hygeine", + "fresh breath mouth wash oral hygeine", + "fresh breath mouth wash with oral hygeine", + "fresh breath mouth wash under $40", + "fresh breath mouth wash for bad breath", + "fresh breath mouth wash and oral hygeine", + "fresh breath mouth wash under $50", + "fresh breath mouth wash under $60" + ], + "i'm looking for a high density memory foam mattress in full size.": [ + "memory foam mattress in full size", + "memory foam mattress full size", + "memory foam mattress in full size.", + "memory foam mattress that is high density", + "memory foam mattress, full size", + "memory foam mattress size in full size", + "memory foam mattress in a full size", + "memory foam mattress", + "memory foam mattress in full size,", + "memory foam mattress high density" + ], + "i need a space saving ottoman that is brown and 15 by 15 by 15 inches.": [ + "grey ottoman that is brown and 15 x 15 by 15 inches", + "black ottoman that is brown and 15 x 15 by 15 inches", + "grey ottoman that is brown 15 x 15 by 15 inches", + "i need a space saving ottoman that is brown and 15 by 15", + "grey ottoman that is brown and 15 by 15 x 15 inches", + "grey ottoman that is brown and 15x 15 by 15 inches", + "i need a space saving ottoman that is brown and 15 by 15 inches", + "grey ottoman that is brown 15 by 15 x 15 inches", + "i need a space saving ottoman that is brown and 15 by 15 by", + "small brown ottoman 15 by 15 x 15 inches" + ], + "i am looking for a pack of candy that has natural ingredients.": [ + "pack of candy natural", + "pack of candy natural ingredients", + "pack of candy natural no sugar", + "pack of candy with natural ingredients", + "pack of candy natural natural", + "pack of candy natural no natural", + "pack of candy natural no dairy", + "pack of candy natural no nuts", + "pack of candy no natural", + "natural candy pack" + ], + "can you find me some turkish delights that have natural ingredients and are for valentines day. get the 2 pack.": [ + "turkish delights 2 pack", + "turkish delights natural ingredients 2 pack", + "turkish delights natural no sugar 2 pack", + "turkish delights that have natural ingredients", + "turkish delights with natural ingredients 2 pack", + "turkish delights", + "turkish delights natural", + "turkish delights with natural ingredients", + "turkish delights for valentines day", + "turkish delights 2 pack natural" + ], + "i would like three bags of natural pineapple candy.": [ + "natural pineapple candy three bags", + "natural pineapple candy 3 bags", + "three bags of natural pineapple candy", + "natural pineapple candy three bag", + "three bags natural pineapple candy", + "natural pineapple candy, three bags", + "natural pineapple candy three pack", + "natural pineapple candy", + "natural pineapple candy three bags natural", + "natural pineapple candy four bags" + ], + "i am looking for black stainless steel wristbands.": [ + "black stainless steel wristbands", + "black stainless steel wristband", + "black stainless steel wristbands under $50", + "black stainless steel wristbands under $40", + "black stainless steel wristbands.", + "black stainless steel wristbands under $60", + "black stainless steel wristbands under 50 dollars", + "black stainless steel wristbands,", + "black stainless steel wristbands under 40 dollars", + "black stainless steel wristbands under 30 dollars" + ], + "i am looking for one case of vegetable patties that are fully cooked.": [ + "vegan patties fully cooked", + "vegan patties", + "veggie patties fully cooked", + "veggie patties", + "vegan roasted vegetable patties", + "vegan patties cooked fully cooked", + "vegan patties under $40", + "vegan patties under $60", + "vegan patties cooked", + "vegan patties under $50" + ], + "i am looking for a 1 case of fully cooked baked patties": [ + "1 case of fully cooked baked patties", + "2 case of fully cooked baked patties", + "3 case of fully cooked baked patties", + "4 case of fully cooked baked patties", + "pack of fully cooked baked patties", + "1 case fully cooked baked patties", + "buttermilk patties 1 case", + "full cooked baked patties", + "patties 1 case", + "buttermilk patties" + ], + "i am looking fully cooked spicy beef patties 50 count": [ + "full cooked spicy beef patties 50 count", + " fully cooked spicy beef patties 50 count", + "patties 50 count", + "slimming spicy beef patties 50 count", + "ivory beef patties 50 count", + "sugar beef patties 50 count", + "silky beef patties 50 count", + "50 count spicy beef patties 50 count", + "50 count fully cooked spicy beef patties", + "50 count spicy beef patties" + ], + "i want fully cooked mild beef patties size 12 count": [ + "full cooked mild beef patties size 12 count", + "mild beef patties size 12 count", + "full cooked mild beef patties 12 count", + "large cooked mild beef patties size 12 count", + "melted beef patties size 12 count", + "mild beef patties 12 count", + "manual cooked mild beef patties 12 count", + "muskmelted beef patties 12 count", + "melted beef patties 12 count", + "patties size 12 count" + ], + "i am looking for light weight wall speakers that are 8' carbon fiber and have a center channel.": [ + "8 carbon fiber wall speakers", + "low weight wall speakers with 8 carbon fiber", + "light weight wall speakers with 8 carbon fiber", + "light weight wall speakers that are 8 carbon fiber", + "light weight wall speakers with a center channel", + "low weight wall speakers that are 8 carbon fiber", + "8 carbon fiber wall speakers with a center channel", + "low weight wall speakers 8 carbon fiber", + "alarm speakers 8 carbon fiber", + "12 carbon fiber wall speakers" + ], + "i need 16 ounces of an oil free moisturizer that works on dry skin, it should be white not tinted.": [ + "16 ounces of an oil free moisturizer that works on dry skin", + "16 ounces of an oil free moisturizer", + "16 ounce of an oil free moisturizer that works on dry skin", + "16 ounces of an oil free moisturizer that works on dry skin white", + "16 ounce of an oil free moisturizer", + "16 ounces of an oil free moisturizer with dry skin", + "16 ounces of an oil free moisturizer for dry skin", + "an oil free moisturizer that works on dry skin", + "an oil free moisturizer that works on dry skin with white", + "moisturizer white" + ], + "i would like a 16 ram with a 10th ddr4 core i5 high def mini desktop.": [ + "16 ram i5 high def mini desktop", + "16 ram i5 high def mini desktop under $130", + "16 ram i5 high def mini desktop under $120", + "16 ram i5 high def mini desktop under $40", + "16 ram mini desktop", + "16 ram i5 high def mini desktop.", + "16gb i5 high def mini desktop", + " 16 ram i5 high def mini desktop", + "16 ram high def mini desktop", + "16 ram" + ], + "i am interested in acquiring mini desktop with high definition and dual band, and also have ddr4 core i5 8250u, and 32gb ram ddr4 512gb m.2 ssd 1tb hdd": [ + "mini desktop with high definition and dual band", + "tablet desktop with high definition and dual band", + " mini desktop with high definition and dual band", + "desktop mini desktop with high definition and dual band", + "dual band mini desktop with high definition and dual band", + "sd 1tb hdd mini desktop with high definition and dual band", + "sd 1tb hdd mini desktop with high definition", + "mini desktop with high definition with dual band", + "mini desktop with high definition dual band", + "mini desktop high definition with dual band" + ], + "i need a dual band 10th gen desktop that is a core i5": [ + "dual band 10th gen desktop", + "dual band 10th gen desktop with i5", + "dual band i5 desktop", + "dual band 10th gen desktop i5", + "dual band 10th gen desktop under $130", + "dual band 10th gen desktop under $120", + "desktop with dual band 10th gen desktop", + "desktop with dual band i5", + "desktop with a core i5", + "desktop with i5" + ], + "i am looking for throw pillow covers that are machine washable in yellow white and are 26\" by 16\"": [ + "throw pillow covers 26 by 16", + "throw pillow covers color 26 by 16", + "throw pillow covers, 26 by 16", + "throw pillow cover 26 by 16", + "throw pillow covers with yellow washable", + "throw pillow covers in yellow", + "throw pillow covers with yellow white", + "throw pillow covers", + "throw pillow covers 26 by 16 throw pillow", + "throw pillow covers with yellow" + ], + "i'm looking for machine washable pillows scarlet color.": [ + "machine washable pillows scarlet color", + "machine washable pillows scarlet", + "machine washable pillows scarlet color.", + "man washable pillows scarlet color", + "machine washable pillows scarlet color,", + "man washable pillows scarlet", + "hand washable pillows scarlet color", + "machine washable pillows scarlet colored", + "coaxial pillows scarlet", + "hand washable pillows scarlet" + ], + "i need some hair dye that is shocking blue and is 4 ounces.": [ + "shocking blue hair dye 4 ounces", + "brushed blue hair dye 4 ounces", + "hair dye that is shocking blue 4 ounces", + "shunning blue hair dye 4 ounces", + "sharing blue hair dye 4 ounces", + "cruelty blue hair dye 4 ounces", + "brushing blue hair dye 4 ounces", + "shifting blue hair dye 4 ounces", + "dark blue hair dye 4 ounces", + "brushed blue hair dye 4 oz" + ], + "i am looking for classic raven colored hair dye.": [ + "classic raven colored hair dye", + "classic raven colored hair dye.", + "i am looking for classic raven colored hair dye.", + "classic raven colored hair dye under $40", + "classic raven colored hair dye under $50", + "classic raven colored hair dye under 50 dollars", + "classic raven colored hair dye under $60", + "classic raven colored hair dye under 30 dollars", + "classic raven colored hair dye, less then $40", + "classic raven colored hair dye under 40 dollars" + ], + "i am looking for grey hair extensions that are 22 inches long.": [ + "grey hair extensions 22 inches long", + "grey hair extension 22 inches long", + "22 grey hair extensions 22 inches long", + "23 grey hair extensions 22 inches long", + "22 grey hair extension 22 inches long", + "22 grey hair extensions", + "23 grey hair extension 22 inches long", + "23 grey hair extensions", + "22 grey hair extension", + "grey human hair extensions 22 inches long" + ], + "i'm shopping for number 4, medium brown hair extensions that i can use for hair styling. they should be about 14 inches long.": [ + "medium brown hair extensions 14 inches long", + "number 4, medium brown hair extensions", + "large brown hair extensions 14 inches long", + "hair extensions 14 inches long", + "number 4 medium brown hair extensions", + "small brown hair extensions 14 inches long", + "hair extension 14 inches long", + "number 4, medium brown hair extension", + "large brown hair extensions", + "4 medium brown hair extensions" + ], + "i am looking for a 20 inch hair clip for my wife. and i would prefer the #4t27 medium brown ombre dark blonde": [ + "20 inch hair clip for my wife.", + "20 inch hair clip for my wife", + "20 inch hair clip for my wife under $40", + "20 inch hair clip for my wife, and price lower than 40.00 dollars", + "20 inch hair clip for my wife. and price lower than 40.00 dollars", + "20 inch hair clip for my wife, and price lower than 50.00 dollars", + "20 inch hair clip for my wife. and price lower than 50.00 dollars", + "20 inch hair clip", + "20 inch hair clip for my wife, and price lower than $40.00", + "20 inch hair clip for a woman under $40" + ], + "i am looking for hair extensions that are human hair and double weft 20 inch.": [ + "human hair extensions double weft 20 inch", + "human hair extension double weft 20 inch", + "human hair extensions double weft 20 inches", + "human hair extensions double heft 20 inch", + "human hair extensions 2ft 20 inch", + "human hair extensions double weft 20", + "human hair extension double weft 20 inches", + "human hair extensions 20ft", + "human hair extensions", + "human hair extensions 2ft 20" + ], + "i'm looking for a slim fit , high waist women formal dress made of light weight good quality polyester material. also, choose medium size red colored one.": [ + "slim fit women formal dress made of light weight", + "slim fit high waist women formal dress made of light weight", + "slim fit woman formal dress made of light weight", + "low waist women formal dress made of light weight polyester material", + "low waist women formal dress made of light weight", + "slim fit women formal dress with light weight", + "slim fit red woman formal dress", + "slim fit red women formal dress", + "slim fit women formal dress", + "slim fit high waist women formal dress" + ], + "i would like an aluminum alloy tripod.": [ + "aluminum alloy tripod", + "aluminum alloy tripod.", + "aluminum alloy tripod under $50", + "aluminum alloy tripod under $40", + "aluminum alloy tripod under $60", + "aluminum alloy tripod for hiking", + "aluminum alloy tripod,", + "aluminium alloy tripod", + "uminum alloy tripod", + "alarm tripod" + ], + "i am looking for silver birthday cake toppers.": [ + "silver birthday cake toppers", + "silver birthday cake toppers.", + "plastic silver birthday cake toppers", + "pink birthday cake toppers", + "plastic birthday cake toppers", + "silver birthday cake toppers under $40", + "silver birthday cake toppers under $50", + "plastic birthday cake toppers silver", + "silver birthday cake toppers under 40 dollars", + "silver birthday cake toppers under 50 dollars" + ], + "i need a tablet that has a 1080p hd resolution.": [ + "tablet with 1080p hd resolution", + "tablet with a 1080p hd resolution", + "1080p hd tablet", + "tv tablet with a 1080p hd resolution", + "tv tablet with 1080p hd resolution", + "tablet 1080p hd resolution", + "tablet hd resolution 1080p", + "1080p hd tablet under $60", + "1080p hd tablet under $40", + "1080p tablet" + ], + "i would like to buy some xxl navy high waisted yoga pants.": [ + "xxl navy high waisted yoga pants", + " xxl navy high waisted yoga pants", + "xxl navy high waisted yoga pants.", + "xxl navy high waisted yoga pants under 50 dollars", + "xxl navy high waisted yoga pants under $40", + "xxl navy high waisted yoga pants under $50", + "xxl navy high waisted yoga pants under $60", + "xxl navy high waisted yoga pants under 30 dollars", + "xxl navy high waisted yoga pants under 40 dollars", + "xxl navy high waisted yoga pants under 60 dollars" + ], + "i'm looking for a lip and hand care gift set that is plant based and cruelty free.": [ + "lip and hand care gift set plant based and cruelty free", + "lip and hand care gift set, plant based and cruelty free", + "lip and hand care gift set with plant based and cruelty free", + "lip and hand care gift set", + "lip and hand care gift set that is plant based cruelty free", + "lip and hand care gift set that is plant based", + "lip and hand care gift set plant based cruelty free", + "lip and hand care gift set no plant based and cruelty free", + "lip and hand care gift set animal based", + "lip and hand care gift" + ], + "i need hair extensions that are a medium brown and that come in two pieces that are an updo.": [ + "hair extensions that are a medium brown", + "hair extensions medium brown", + "medium brown hair extensions that are an updo", + "hair extension that are a medium brown", + "hair extensions a medium brown", + "hair extensions that are a medium brown updo", + "medium brown hair extensions", + "medium brown hair extensions that are a medium brown", + "hair extensions medium brown with an updo", + "hair extension medium brown" + ], + "i want 2pcs of tousled updo hair extensions. it should be easy to apply.": [ + "2pcs of tousled updo hair extensions", + "2pcs of tousled updo hair extensions easy to apply", + "2pcs tousled updo hair extensions", + "2pcs of tousled updo hair extension", + " 2pcs of tousled updo hair extensions", + "2pcs of tousled updo hair extensions under $50", + "2pcs of tousled updo hair extensions under $40", + "2pcs of tousled updo hair extensions under $60", + "twopcs of tousled updo hair extensions", + "tousled updo hair extensions" + ], + "i'm looking for sulfate and paraben free conditioner.": [ + "sulfate and paraben free conditioner", + "sulfate and paraben free conditioner.", + "sulfate and paraben free conditioner under $40", + "sulfate and paraben free conditioner under $60", + "sulfate and paraben free conditioner under $50", + "sulfate and paraben free conditioner under 50 dollars", + "sulfate and paraben free conditioner under 30 dollars", + "sulfate and paraben free conditioner under 40 dollars", + "im looking for sulfate and paraben free conditioner.", + "sulfate and paraben free conditioner under 60 dollars" + ], + "i am looking for an eye balm face moisturizer for my dry skin.": [ + "eye balm face moisturizer for my dry skin", + "eye balm face moisturizer for dry skin", + "eye balm face moisturizer", + "moisturizer for dry skin", + "Eye balm face moisturizer for my dry skin", + "eyes balm face moisturizer for my dry skin", + "Eye balm face moisturizer for dry skin", + "eye balm face moisturizer dry skin", + "oral moisturizer for dry skin", + "toothpaste" + ], + "i need a button tufted couch preferably in emerald color.": [ + "button tufted couch in emerald color", + " button tufted couch in emerald color", + "button tufted couch emerald color", + "button tufted couch, emerald color", + "button tufted couch with emerald color", + " button tufted couch, emerald color", + "button tufted couch in emerald", + " button tufted couch emerald color", + "button tufted couch emerald", + "button tufted couch" + ], + "i would like to get a size 7 white loafer with a rubber sole.": [ + "white loafer with a rubber sole", + "white loafer size 7 rubber sole", + "large white loafer with a rubber sole", + "white loafer rubber sole size 7", + "small white loafer with a rubber sole", + "white loafer with rubber sole", + "white loafer with rubber sole size 7", + "white loafer with a rubber sole.", + "white loafer rubber sole", + "size 7 white loafer" + ], + "i would like to buy casual work shoes with a rubber sole and of size 8.5": [ + "casual work shoes size 8.5", + "casual work shoes in size 8.5", + "casual work shoes of size 8.5", + "casual work shoes, size 8.5", + "casual work shoes in a rubber sole", + "casual work shoes", + "casual work shoes with a rubber sole", + "curtains of size 8.5", + "curtains size 8.5", + "clothing size 8.5" + ], + "i would like a 30 count of gmo free banana trail mix.": [ + "banana trail mix 30 count", + "banana trail mix", + "banana trail mix under 30 dollars", + "banana trail mix no gmo", + "banana trail mix, 30 count", + "banana trail mix. 30 count", + "bagel trail mix 30 count", + "banana trail mix under $40", + "gmo free banana trail mix", + "banana trail mix under $60" + ], + "i want to find sugar free shortbread cookies that are ready to eat.": [ + "sugar free shortbread cookies", + "sugar free shortbread cookies ready to eat", + "sugar free shortbread cookies under $40", + "sugar free shortbread cookies under $60", + "sugar free shortbread cookies under $50", + "shortbread cookies that are ready to eat", + "sugar free shortbread cookies under 50 dollars", + "sugar free shortbread cookies no sugar", + "sugar free cookies ready to eat", + "gluten free shortbread cookies" + ], + "i want a natural lip bam contain vagan oil containt": [ + "natural lip bam contain vagan oil containt", + "natural lip bam with vagan oil containt", + "natural lip bam containing vagan oil containt", + "natural lip bam, contain vagan oil containt", + "natural lip bams contain vagan oil containt", + "natural lip bam no vagan oil containt", + "natural lip bam contain vagan oil containt,", + "natural lip bam contains vagan oil containt", + "natural lip bam vagan oil containt", + "natural lip bam contain vagan oil" + ], + "i would like to get a six pack of low calorie energy drinks.": [ + "6 pack of low calorie energy drinks", + "6 pack low calorie energy drinks", + "low calorie energy drinks six pack", + "6 pack of low calorie energy drink", + "low calorie energy drinks 6 pack", + "6 pack low calorie energy drink", + "6 pack of low calories energy drinks", + "low calorie energy drink six pack", + "6 pack low calories energy drinks", + "pack of low calorie energy drinks" + ], + "i want to find a pack of 3 three-ounce bags of sweet and hot, ready-to-eat beef jerky.": [ + "3 pack of hot, ready-to-eat beef jerky", + "3 pack of ready-to-eat beef jerky", + "three pack of hot, ready-to-eat beef jerky", + "3 pack of 3-ounce bags of sweet and hot beef jerky", + "three-ounce bags of sweet and hot beef jerky", + "3 pack of fresh beef jerky", + "pack of 3-ounce bags of sweet and hot beef jerky", + "3 pack of barbecue jerky", + "3 pack of hot, ready-to-eat beef jerky pack", + "three-ounce bags of sweet and hot jerky" + ], + "i want teriyaki flavor protein serving ready eat jerky 7.2 ounce pouches": [ + "teriyaki flavor protein serving ready eat jerky 7.2 ounce pouches", + "teriyaki flavor protein serving ready eat jerky 7.2 ounce pouches", + "teriyaki flavor protein serving ready jerky 7.2 ounce pouches", + "strawberry flavor protein serving ready jerky 7.2 ounce pouches", + "teriyaki flavor protein pouches", + "strawberry flavor protein serving ready eat jerky 7.2 ounce pouches", + " teriyaki flavor protein serving ready eat jerky 7.2 ounce pouches", + "teriyaki flavor protein pouches, jerky 7.2 ounce", + "tetiyaki flavor protein pouches", + "teriyaki flavor protein" + ], + "i want ready to eat bridgford sweet baby ray's original 99% fat free honey barbecue beef jerky.": [ + "brittlegford sweet baby rays original 99% fat free honey barbecue beef jerky", + "bridgford sweet baby rays original 99% fat free honey barbecue beef jerky", + "brushedgford sweet baby rays original 99% fat free honey barbecue beef jerky", + " bridgford sweet baby rays original 99% fat free honey barbecue beef jerky", + "gford sweet baby rays original 99% fat free honey barbecue beef jerky", + "brittlegford sweet baby ray original 99% fat free honey barbecue beef jerky", + "blanket baby rays original 99% fat free honey barbecue beef jerky", + "brittlegford baby rays original 99% fat free honey barbecue beef jerky", + "baby rays original 99% fat free honey barbecue beef jerky", + "bridgford sweet baby rays original 99% fat free honey barbecue beef jerky." + ], + "i would like to buy a 12 pack of 2.6 ounces ginger sesame wild caught tuna.": [ + "2.6 ounces ginger sesame wild caught tuna", + "gmo sesame wild caught tuna 12 pack", + "g ginger sesame wild caught tuna 12 pack", + "gman sesame wild caught tuna 12 pack", + "giant sesame wild caught tuna 12 pack", + "12 pack of ginger sesame wild caught tuna", + "12 pack of sesame wild caught tuna", + "gim sesame wild caught tuna 12 pack", + "2.6 ounces ginger sesame wild caught tuna.", + "gmo sesame wild caught tuna 12 pack pack" + ], + "i want buy 11 ounce, gluten free ,protein serving tuna also fresh": [ + "11 ounce gluten free ,protein serving tuna", + "12 ounce gluten free ,protein serving tuna", + "protein serving tuna 11 ounce gluten free", + "10 ounce gluten free ,protein serving tuna", + "protein serving tuna 11 ounce", + "protein serving tuna 11 ounce fresh", + "protein serving tuna also fresh", + "almond tuna 11 ounce gluten free", + "protein serving tuna", + "protein serving tuna 11 oz" + ], + "i need some wild caught, hickory smoked tuna.": [ + "wild caught hickory smoked tuna", + "wild caught, hickory smoked tuna", + "wild caught hickory smoked tuna.", + "wild salmon hickory smoked tuna", + "wild tuna hickory smoked", + "wild fish hickory smoked tuna", + "wild caught tuna hickory smoked", + "wild tuna hickory smoked tuna", + " wild caught hickory smoked tuna", + "hickory smoked tuna" + ], + "i want a gluten free starkist tuna variety pack.": [ + "gluten free starkist tuna variety pack", + "gluten free starkist tuna variety pack.", + "a gluten free starkist tuna variety pack", + "a gluten free starkist tuna variety pack.", + "pack gluten free starkist tuna variety pack", + "gluten free starkist tuna variety pack,", + "natierra variety pack gluten free", + "alarmist tuna variety pack", + "vegan fresh tuna variety pack", + "freeze dried tuna variety pack" + ], + "i ned a height adjustable pink office chair.": [ + "height adjustable pink office chair", + "height adjustable pink office chair.", + "height adjustable pink office chair under $50", + "height adjustable pink office chair,", + "height adjustable pink office chair under $40", + "height adjustable pink office chair under $60", + "height adjustable pink office chair under $120", + "height adjustable pink office chair under $130", + "height adjustable pink office chair under 30 dollars", + " height adjustable pink office chair" + ], + "i'm looking for a yellow casual sports blazer.": [ + "yellow casual sports blazer", + "yellow casual sports blazer.", + "yellow casual sports blazer under $40", + "yellow casual sports blazer under $50", + "yellow casual sports blazer under 50 dollars", + "yellow casual sports blazer under $60", + "yellow casual sports blazer under 30 dollars", + "yellow casual sports blazer,", + "yellow casual sports blazer below $40", + "white casual sports blazer" + ], + "i would like to get a women's large pink heather cotton t-shirt.": [ + "womens large pink heather cotton t-shirt", + "womens size pink heather cotton t-shirt", + "large pink heather cotton t-shirt", + "womens large pink heather t-shirt", + "womens large pink heather cotton t-short", + "mens large pink heather cotton t-shirt", + "womens pink heather cotton t-shirt", + "womens large pink heather cotton", + "large pink heather cotton t-shirt.", + "womens t-shirt" + ], + "i would like an 8 pack of waffles of two different flavors that are easy to prepare": [ + "8 pack of waffles of two different flavors", + "8 pack of waffles", + "8 pack of waffles with two different flavors", + "8 pack of waffles, two different flavors", + "8 pack of waffles in two different flavors", + "8 pack waffles of two different flavors", + "8 pack of waffles under $60", + "8 pack of waffles blend", + "chocolate waffles", + "8 pack waffles" + ], + "i'm looking for a facial scrub that has both anti aging properties and helps with fine lines.": [ + "facial scrub with anti aging properties", + "facial scrub anti aging properties", + "facial scrub anti aging properties and helps with fine lines", + "facial scrub anti aging properties with fine lines", + "facial scrub anti aging with fine lines", + "moisturizing facial scrub with anti aging properties", + "facial scrub anti aging", + "maintains anti aging properties and helps with fine lines", + "facial scrub that has anti aging properties with fine lines", + "facial scrub" + ], + "i am looking for a black bikini that has an elastic waistband and is in a size small.": [ + "black bikini in a size small", + "black bikini size small", + "black bikini with elastic waistband", + "black bikini, elastic waistband small", + "black bikini, elastic waistband", + "black bikini", + "black bikini with an elastic waistband", + "black bikini in a small", + "black bikini small", + "black bikini that has elastic waistband" + ], + "i would like a easy to use carrying case for my camera.": [ + "easy to use carrying case for camera", + "easy to use carrying case", + "pocket case for camera", + "pocket case for my camera", + "easy to use carrying case for photography", + "pocket case for a camera", + "light weight carrying case for camera", + "light weight carrying case for my camera", + "5 foot carrying case for my camera", + "easy-to-use carrying case" + ], + "i would like to get a high def hdmi to vga adapter that works with blu ray.": [ + "high def hdmi to vga adapter", + "tvg high def hdmi to vga adapter", + "hdmi to vga adapter that works with blu ray", + "tvga high def hdmi to vga adapter", + "hdmi to vga adapter", + "hdmi to vga adapter", + "dhdmi to vga adapter", + "high def hdmi to vga adapter,", + "tvg adapter that works with blu ray", + "dmi to vga adapter" + ], + "i would like to get some argan oil to treat my damaged hair.": [ + "argan oil to treat my damaged hair.", + "argan oil to treat my damaged hair", + "argan oil for damaged hair", + "argan oil to treat my damaged hair.", + "argan oil for damaged hair", + "argan oil to treat my damaged hair", + "argan oil to treat my damaged hair damaged", + "argan oil to treat damaged hair", + "argan oil to treat my damaged hair ", + "argan oil to treat damaged hair" + ], + "i am looking for non gmo sesame pretzels that come in a 12 pack.": [ + "non gmo sesame pretzels 12 pack", + "non gmo sesame pretzels, 12 pack", + "non-gmo sesame pretzels 12 pack", + "non gmo sesame pretzel 12 pack", + "non gmo sesame pretzels", + "non gmo sesame pretzels12 pack", + "non gmo sesame pretzels 13 pack", + "non gmo sesame pretzels 11 pack", + "non gmo sesame pretzels under $40", + "non gmo sesame pretzels 12 pack." + ], + "i would like to get a heather blue cotton t shirt for my youth size 2t child.": [ + "youth t-shirt heather blue", + "youth size 2t t-shirt heather blue", + "youth t-shirt heather blue 2t", + "youth t-shirt heather blue 2t child", + "womens t-shirt heather blue", + "womens size 2t t-shirt", + "womens t-shirt heather blue 2t", + "youth size 2t t-shirt", + "kids t-shirt heather blue", + "kids t-shirt heather blue 2t" + ], + "i would like a fully cooked cut of spiced meat.": [ + "full cooked cut of spiced meat", + "full cooked cut of spiced meat.", + "gluten-free cut of spiced meat", + "gluten-free cooked cut of spiced meat", + "vegan cut of spiced meat", + "gluten free cut of spiced meat", + "full cooked cut of spiced meat under $40", + "full cooked cut of spiced meat below $40", + "full cooked cut of spiced meat under $60", + "gluten-free cut of spiced meat." + ], + "i would like to get a black noise cancelling headset to play video games.": [ + "black noise cancelling headset to play video games", + "black noise cancelling headset for video games", + "black noise cancelling headset", + "black noise cancelling headset for gaming", + "white noise cancelling headset to play video games", + "black noise cancelling headset video games", + "black noise cancelling headset for video gaming", + "white noise cancelling headset for video games", + "black noise cancelling headset for video games.", + "black noise cancelling headset, video games" + ], + "i need some metallic pumps that have a rubber sole and are in an 8.5 wide.": [ + "i need some metallic pumps that have a rubber sole and are in an 8.5 wide.", + "i need some metallic pumps that have a rubber sole, are in an 8.5 wide.", + "i want some metallic pumps that have a rubber sole and are in an 8.5 wide.", + "turntable pumps 8.5 wide", + "stainless pumps 8.5 wide", + " metallic pumps 8.5 wide", + "indoor metallic pumps 8.5 wide", + "silicone pumps 8.5 wide", + "motor pumps 8.5 wide", + "size 8.5 rubber pumps" + ], + "i need a wall mounted mirror in the color d.": [ + "wall mounted mirror in the color d", + "wall mounted mirror in the color d.", + "wall mounted mirror", + "wall mounted mirror in the color d,", + "wall mounted mirror in a color d", + "wall mounted mirror color d", + "wall mounted mirror, color d.", + "wall mounted mirror that is wall mounted", + "wall mounted mirror, color d", + "wall mounted mirror color d." + ], + "i would like to buy a red radio with wireless bluetooth and stereo sound.": [ + "red radio with wireless bluetooth", + "red radio wireless bluetooth and stereo sound", + "red radio with wireless bluetooth sound", + "red radio with wireless bluetooth and stereo", + "red radio wireless bluetooth", + "tv red radio with wireless bluetooth", + "red radio with wireless bluetooth wireless sound", + "red radio with wireless bluetooth wireless", + "red radio", + "red radio bluetooth" + ], + "i am looking for a height adjustable office chair in white gold.": [ + "height adjustable office chair in white gold", + "height adjustable office chair white gold", + "height adjustable white gold office chair", + "height adjustment office chair in white gold", + " height adjustable office chair in white gold", + "height adjustable office chair, white gold", + "height adjustable office chair in white", + "height adjustable office chair with white gold", + "height adjustable office chair", + "height adjustable white gold work chair" + ], + "can you find some chai tea that is both sugar and caffeine free? i need 3 pounds of it.": [ + "chai tea that is both sugar and caffeine free", + "chai tea sugar and caffeine free 3 pounds", + "chai tea sugar free 3 pounds", + "chai tea with sugar and caffeine free 3 pounds", + "chai tea, sugar free, 3 pounds", + "chai tea sugar and caffeine free 3 pounds", + "chai tea sugar free 3 pound", + "chai tea sugar and caffeine free 3 pound", + "chai tea sugar and caffeine free", + "chai tea" + ], + "i would like a 3 pound box of original sugar free tea.": [ + "3 pound box of original sugar free tea", + "3 pound box of tea", + "3 pound box of sugar free tea", + "3 pound box of tea sugar free", + "3 pound box of tea, sugar free", + "3 pound box of tea no sugar", + "3 pound box sugar free tea", + "3 pound box", + "3 pound box of tea,", + "3 pound box tea" + ], + "i would like to get some size 6.5 yellow non slip flip flops.": [ + "yellow flip flops size 6.5", + "yellow non slip flip flops size 6.5", + "size 6.5 yellow non slip flip flops", + "yellow non slip flip flops", + "yellow flip flops in a size 6.5", + "yellow flip flops", + "6.5 yellow non slip flip flops", + "yellow flip flops, size 6.5", + "5 yellow non slip flip flops", + "yellow non slip flip flops size 5.5" + ], + "i would like a pair of size 7 black sandals that are non slip.": [ + "pair of size 7 black sandals", + "black sandals size 7", + "size 7 black sandals", + "sneakers size 7 black", + "black sandals size 7 non slip", + "black sandals that are non slip", + "white sandals size 7", + "white sandals size 7 non slip", + "size 7 black sandals non slip", + "non slip black sandals size 7" + ], + "i want to find an intel core i5-10400f desktop pc that i can use to play games on. it needs to be omen 25l and configured with nvidia rtx 3090.": [ + "intel core i5-10400f desktop pc", + "intel core i5-10400f desktop pc omen 25l with nvidia rtx 3090", + "intel core i5-10400f desktop pc omen 25l", + "intel core i5-10400f desktop pc omen 25l omen", + "intel core i5-10400f desktop pc with omen 25l", + "intel core i5-10400f desktop pc with omen 25l omen", + "desktop pc omen 25l with nvidia rtx 3090", + "intel core i5-10400f desktop pc with gaming", + "desktop pc omen 25l omen", + "desktop pc omen 25l" + ], + "i am looking for desktop pc having intel core processor with nvidia rtx 3080 configuration.": [ + "desktop pc with intel core processor nvidia rtx 3080", + "desktop pc intel core processor with nvidia rtx 3080", + "desktop pc with nvidia rtx 3080", + "desktop pc with intel core processor", + "desktop pc with nvidia rtx 3080 configuration", + "desktop pc having intel core processor nvidia rtx 3080", + "desktop pc intel core processor nvidia rtx 3080", + "desktop pc Intel core processor with nvidia rtx 3080", + "desktop pc having intel core processor", + "desktop pc with nvidia rtx 3080 configuration." + ], + "i am looking for professional airbrush foundation made by photo finish in the color of primer. believe it is 1.0 ounce found in the beauty & personal care section. should say water resistant, fragrance and oil free.": [ + "professional airbrush foundation made by photo finish", + "professional airbrush foundation made by photo finish 1.0 ounce", + "professional airbrush foundation by photo finish in the color of primer", + "professional airbrush foundation with primer 1.0 ounce", + "professional airbrush foundation with primer", + "professional airbrush foundation color of primer", + "professional airbrush foundation 2.0 ounce", + "professional airbrush foundation made by photo finish in the color", + "professional airbrush foundation", + "professional airbrush foundation by photo finish" + ], + "i want a medium matte and oil free professional airbrush foundation makeup.": [ + "medium matte oil free professional airbrush foundation makeup", + "medium matte and oil free professional airbrush foundation", + "medium matte professional airbrush foundation makeup", + "medium matte natural airbrush foundation makeup", + "medium matte oil free professional airbrush foundation", + "professional airbrush foundation makeup", + "professional airbrush foundation makeup medium matte", + "medium matte makeup professional airbrush foundation", + "medium matte professional airbrush foundation makeup.", + "medium matte foundation makeup" + ], + "i need a medium colored matte foundation that's oil and fragrance free. make sure it hasn't been tested on animals. i want the one ounce bottle.": [ + "medium colored matte foundation that is oil and fragrance free", + "medium colored matte foundation", + "medium colored matte foundation oil and fragrance free", + "medium colored matte foundation, oil and fragrance free", + "medium colored matte foundation with oil and fragrance free", + "medium colored matte foundation which is oil and fragrance free", + "medium colored matte foundation no oil and fragrance", + "medium colored matte foundation for animals", + "medium colored matte foundation no oil", + "medium colored foundation" + ], + "i'm looking for a 13.3 inch carrying case for my laptop.": [ + "13.3 inch carrying case for my laptop", + "13.3 inch carrying case for laptop", + " 13.3 inch carrying case for my laptop", + "13.3 x 13.3 laptop case", + "13.3 inch carrying case", + "12.3 inch carrying case for my laptop", + "12.3 inch carrying case for laptop", + "packaging case for laptop 13.3", + "13.3 inch carrying case laptop", + "13.3 laptop case" + ], + "i am looking for a 12 count package of pomegranate fruit bars that do not have nuts or dairy in them.": [ + "pomegranate fruit bars 12 count", + "pomegranate fruit bars 12 count no nuts or dairy", + "12 count package of pomegranate fruit bars", + "pomegranate fruit bar 12 count", + "12 count pomegranate fruit bars", + "pomegranate fruit bars 12 count no nuts and dairy", + "pomegranate fruit bars 12 count nuts and dairy", + "pomegranate fruit bars that are 12 count", + "pomegranate fruit bar 12 count no nuts or dairy", + "pomegranate fruit bars with nuts and dairy" + ], + "i am looking for a gluten free fig flavored snack bar.": [ + "gluten free fig flavored snack bar", + "gluten free fig flavored snack bar.", + "gluten free fig flavored snack bar under $40", + "gluten free fig flavored snack bar under $60", + "gluten free fig flavored snack bar under $50", + "gluten free pomegranate flavored snack bar", + "gluten free fig flavored snack bar under 50 dollars", + "gluten free fig flavored snack bar under 30 dollars", + "gluten free fig flavored snack bar under 40 dollars", + "gluten free fig flavored snack bar under 60 dollars" + ], + "i would like a size 11 navy fashionable shoe with a rubber sole.": [ + "size 11 navy fashionable shoe with a rubber sole", + "navy fashionable shoe with a rubber sole", + "navy fashionable shoe with a rubber sole size 11", + "size 11 navy fashionable shoe with a rubber sole.", + " size 11 navy fashionable shoe with a rubber sole", + "size 11 navy fashionable shoe with a rubber sole,", + "size 11 navy fashionable shoe", + "navy fashionable shoe size 11 with a rubber sole", + "size 11 navy style shoe with a rubber sole", + "size 11 navy fashionable shoe, rubber sole" + ], + "i would like to get a medium black long sleeve hoodie that's pretty loose.": [ + "medium black long sleeve hoodie", + "medium black long sleeve hoodie thats pretty loose", + "medium black long sleeve hoodie that is loose", + "large black long sleeve hoodie", + "medium black long sleeve hoodie under $50", + "medium black long sleeve hoodie under $40", + "medium black long sleeve hoodie under 50 dollars", + "medium black long sleeve hoodie under $60", + "medium black long sleeve hoodie,", + "medium black hoodie" + ], + "i need basic nylon high waist pants that are xx-large with a 37 inch inseam.": [ + "basic nylon high waist pants 37 inch inseam", + "basic nylon high waist pants, 37 inch inseam", + "basic nylon high waist pants", + "basic nylon high waist pants that are xx-large", + "basic nylon high waist pants, 37 inches inseam", + "basic nylon high waist pants inseam", + "basic nylon high waist pants under $40", + "basic nylon high waist pants under $50", + "basic nylon high waist pants size 37", + "basic nylon high waist pants xx-large inseam" + ], + "i would like a large heather gray pair of high waisted yoga pants.": [ + "large heather gray yoga pants", + "large heather gray yoga pants high waisted", + "large heather gray yoga pants under $40", + "large heather gray yoga pants under $50", + "large heather gray high waisted yoga pants", + "large heather gray yoga pants.", + "large heather gray yoga pants under $60", + "large heather gray yoga pants under 50 dollars", + "large heather gray yoga pants,", + "large heather gray woman yoga pants" + ], + "i'm looking for a ware resistant flip flop sandal made of rubber outsole and rubber sole. also choose navy blue colored sandals with size 10-11, and special size of 3.5-4.5.": [ + "i am looking for a ware resistant flip flop sandal made of rubber outsole and rubber sole. also choose navy blue colored sandals with size 10-11, and special size of 3.5-4.5, and price lower than 50.00 dollars", + "i am looking for a ware resistant flip flop sandal made of rubber outsole and rubber sole. also choose navy blue colored sandals with size 10-11, and special size of 3.5-4.5, and price lower than 40.00 dollars", + "i am looking for a ware resistant flip flop sandal made of rubber outsole and rubber sole. also choose navy blue colored sandals with size 10-11, and special size of 3.5-4.5, and price lower than 100.00 dollars", + "i am looking for a ware resistant flip flop sandal made of rubber outsole and rubber sole. also choose navy blue colored sandals with size 10-11, and special size of 3.5-4.5.5", + "i would like a ware resistant flip flop sandal made of rubber outsole and rubber sole. also choose navy blue colored sandals with size 10-11, and special size of 3.5-4.5.5", + "i would like to buy a ware resistant flip flop sandal made of rubber outsole and rubber sole. also choose navy blue colored sandals with size 10-11, and special size of 3.5-4.5.5", + "womens resistant flip flop sandal made of rubber outsole and rubber sole", + "womens resistant flip flop sandal with size 10-11, special size of 3.5-4.5", + "navy blue sandals with size 10-11, special size of 3.5-4.5", + "womens resistant flip flop sandal made of rubber outsole" + ], + "i am looking for water resistant and rubber sole type havaianas women's slim little birds flip flop sandal also color is light lilac and size is 8.": [ + "hvaianas womens slim little birds flip flop sandal size is 8", + "hvaianas womens slim little birds flip flop sandal", + "avaianas womens slim little birds flip flop sandal", + "avaianas womens slim little birds flip flop sandal size is 8", + "womens slim little birds flip flop sandal size is 8", + "womens slim little birds flip flop sandal", + "slim little birds flip flop sandal size is 8", + "slim little birds flip flop sandal", + "shoes light lilac", + "shoes light lilac water resistant" + ], + "i am looking for a women's little bird (slim) flip flop/sandal with a rubber outsole in the color blueblue, and a size 4 | 5 uk (or special size type 8 made by havaianas.": [ + "womens little bird (slim) flip flop/sandal with a rubber outsole", + "womens little bird (slim) flip flop/sandal", + "womens little bird (slim) flip flop with a rubber outsole in the color blueblue", + "womens little bird (slim) flip flop", + "womens small bird (slim) flip flop/sandal with a rubber outsole", + "womens little bird (slim) flip flop in the color blueblue", + "womens lil bird (slim) flip flop/sandal with a rubber outsole", + "womens size 4 | 5 uk", + "womens small bird (slim) flip flop", + "womens lil bird (slim) flip flop" + ], + "i want a pair of size 3 type 10 gold sandgrey lightgolden flip flops with a rubber sole.": [ + "size 3 gold sandgrey lightgolden flip flops with a rubber sole", + "size 10 gold sandgrey lightgolden flip flops with a rubber sole", + "pair of size 3 type 10 gold sandgrey lightgolden flip flops", + "pair of size 3 gold sandgrey lightgolden flip flops", + "size 3 gold sandgrey lightgolden flip flops", + "size 3 sandgrey lightgolden flip flops with a rubber sole", + "2 gold sandgrey lightgolden flip flops with a rubber sole", + "size 10 gold sandgrey lightgolden flip flops", + "size 3 gold sandgrey lightgolden flip flops with a rubber sole,", + "size 3 gold sandgrey lightgolden flip flops with a rubber sole." + ], + "i need water resistant flip flops that are a size 10 little kid": [ + "water resistant flip flops size 10 little kid", + "size 10 flip flops", + "water resistant flip flops size 10", + "pink flip flops size 10 little kid", + "size 10 water resistant flip flops", + "water resistant flip flops size 10 small kid", + "water resistant flip flops for a small kid", + "water resistant flip flops", + "flops size 10 little kid", + "small water resistant flip flops" + ], + "i want navy and water resistant havaianas women's flip flop sandals.": [ + "navy and water resistant havaianas womens flip flop sandals", + "tunnel and water resistant havaianas womens flip flop sandals", + "navy water resistant havaianas womens flip flop sandals", + " navy and water resistant havaianas womens flip flop sandals", + "natals and water resistant havaianas womens flip flop sandals", + "a navy and water resistant havaianas womens flip flop sandals", + "navy and water resistant havaianas women flip flop sandals", + "womens flip flop sandals", + "womens flip flop sandals, navy and water resistant", + "navy and water resistant sandals" + ], + "i need some vanity lights that are clear glass": [ + "vanity lights that are clear glass", + "vanity lights clear glass", + "vanity lights", + "k vanity lights that are clear glass", + "vanity lights, clear glass", + "vanity lights with clear glass", + "vinyl lights that are clear glass", + "vinyl lights clear glass", + "k vanity lights clear glass", + "pink vanity lights" + ], + "i am looking for an iphone case that is easy to install and is metallic gun metal.": [ + "iphone case with metallic gun metal", + "iphone case in metallic gun metal", + "iphone case easy to install metallic gun metal", + "iphone case that is easy to install", + "iphone case that is easy to install metal", + "iphone case", + "iphone case with metal", + "iphone case with metal gun metal", + "iphone case metallic gun metal", + "iphone case metal" + ], + "i want to find one pack of freeze-dried, shelf-stable s'mores cookies made with quality ingredients.": [ + "freeze dried, shelf-stable smores cookies made with quality ingredients", + "stretch dried, shelf-stable smores cookies made with quality ingredients", + "pack of freeze-dried, shelf-stable smores cookies", + "freeze-dried, shelf-stable smores cookies with quality ingredients", + "freeze dried, shelf-stable smores cookies", + "freeze-dried, shelf-stable smores cookies", + "freeze dried, shelf-stable smores cookies made with quality ingredients.", + "strawberry smores cookies made with quality ingredients", + "stretch dried, shelf-stable smores cookies made with quality ingredients.", + "tempered smores cookies made with quality ingredients" + ], + "i need high quality size 23 makeup brushes.": [ + "23 makeup brushes", + "23 makeup brushes high quality", + "23 makeup brushes, high quality", + "high quality 23 makeup brushes", + "23 makeup brushes in high quality", + "high quality size 23 makeup brushes", + "23 makeup brushes size 23", + "23 makeup brushes with high quality", + "23 makeup brushes.", + "23 makeup brushes. high quality" + ], + "i would like to get a 1080p hd camera with a carrying case.": [ + "1080p hd camera with a carrying case", + "1080p hd camera with carrying case", + " 1080p hd camera with a carrying case", + "1080p hd camera carrying case", + "1080p hd camera", + "tv hd camera with a carrying case", + " 1080p hd camera with carrying case", + "1080p hd camera with carry case", + "p hd camera with a carrying case", + "tv hd camera with carrying case" + ], + "i am looking for a plug and play red mouse.": [ + "plug and play red mouse", + "pink and play red mouse", + "plug and play red mouse plug and play", + "red mouse plug and play", + " plug and play red mouse", + "plug and play red mouse.", + "plug and play red mouse under $40", + "plug and play red mouse under $60", + "plug and play red mouse under $50", + "green mouse plug and play" + ], + "i am looking for an anti-perspirant": [ + "anti-perspirant", + "anti-perspirant anti-shoes", + "anti-perspirant anti-pink", + "anti-perspirant anti-wholesale", + "anti-perspirant anti-meth", + "anti-perspirant anti-tank", + "anti-perspirant anti-kids", + "anti-perspirant anti-laundry", + "anti-perspirant anti-mafia", + "anti-perspirant anti-whitewater" + ], + "i need a long lasting cell phone that is 128 gb.": [ + "long lasting cell phone 128 gb", + "long lasting cell phone 128gb", + "long lasting cell phone with 128 gb", + "long lasting cell phone with 128gb", + "long lasting cell phone that is 128gb", + "long lasting cell phone 128gb", + "large lasting cell phone 128gb", + "long lasting cell phone with 128gb", + "phone 128gb long lasting", + "long lasting cell phone" + ], + "i need a living room area rug thare is silver and blue and is a 9' square.": [ + "living room area rug thare silver and blue", + "living room area rug thare is silver and blue", + "living room rug thare silver and blue", + "living room rug thare silver and blue 9 square", + "living room area rug thare, silver and blue", + "living room rug thare is silver and blue", + "living room area rug thare silver and blue rug", + "living room area rug thare", + "living room area rug thare 9 square", + "living room area rug thare silver" + ], + "i would like a high performance outdoor speaker.": [ + "high performance outdoor speaker.", + "high performance outdoor speaker", + "high performance outdoor speaker under $40", + "high performance outdoor speaker under $50", + "high performance outdoor speaker under $60", + "high performance outdoor speaker under 30 dollars", + "4 ft high performance outdoor speaker", + "high performance outdoor speaker under $120", + "low performance outdoor speaker", + "high performance outdoor speaker under 60 dollars" + ], + "i need a glass shade that is chrome colored.": [ + "glass shade that is chrome colored", + "glass shade chrome colored", + "chrome colored glass shade", + "glass shade, chrome colored", + "glass shade in chrome colored", + "glass shade with chrome colored", + "large chrome colored glass shade", + "plastic colored glass shade", + "window shade chrome colored", + "glass shade" + ], + "can i get a 4 fluid ounce bottle of violet night hair dye.": [ + "4 fluid ounce bottle of violet night hair dye", + "4oz bottle of violet night hair dye", + "4oz ounce bottle of violet night hair dye", + "5 fluid ounce bottle of violet night hair dye", + "4oz human hair dye", + "blue night hair dye 4 fluid ounce", + "blue night hair dye 4oz", + "pure violet night hair dye 4oz", + "4oz hair dye", + "pure violet night hair dye 4 oz" + ], + "i would like to buy a 14 inch rose gold throw pillow cover for my living room.": [ + "14 inch rose gold throw pillow cover for my living room", + "14 inch rose gold throw pillow cover for living room", + "14 inch rose gold throw pillow cover", + "14 inch rose gold throw pillow cover for the living room", + "14 inch rose gold throw pillow cover for a living room", + "14 inch rose gold throw pillow cover for living room.", + "14 inch rose gold throw pillow cover living room", + "14 inch rose gold throw pillow cover in my living room", + " 14 inch rose gold throw pillow cover for my living room", + "14 inch rose gold throw pillow cover, living room" + ], + "i need a 14 inch pillow cover that fits for my sofa in living room. and please select the peach pink one": [ + "14 inch pillow cover", + "14 inch pillow cover for sofa in living room", + "14 inch pillow cover in living room", + "14 inch pillow cover for living room", + "14 inch pillow cover for sofa in living room.", + "14 inch pillow cover for sofa in living room", + "14 inch pillow cover with peach pink", + "pomegranate pink pillow cover", + "14 inch pillow cover for living room", + "14 inch pillow cover for living room." + ], + "i would like to buy a high quality hair regrowth treatment made from natural ingredients.": [ + "hair regrowth treatment made from natural ingredients", + "natural hair regrowth treatment made from natural ingredients", + "natural hair regrowth treatment", + "beauty regrowth treatment made from natural ingredients", + "hair regrowth treatment made from natural ingredients", + "human hair regrowth treatment made from natural ingredients", + "hair regrowth treatment made from natural ingredients.", + "hair regrowth treatment made from natural", + "high quality hair regrowth treatment", + "hair regrowth treatment natural" + ], + "i would like to buy some lotion for my dry skin.": [ + "a lotion for my dry skin", + "sneakers for dry skin", + "sansion for dry skin", + "soy lotion for dry skin", + "toothpaste for dry skin", + "dry skin lotion", + "andion for dry skin", + "a lotion for dry skin", + "andion for my dry skin", + "andion for my dry skin." + ], + "i need 14 inch hair extensions that are a medium brown to dark blonde.": [ + "14 inch hair extensions", + "hair extensions medium brown to dark blonde", + "14 inch hair extensions dark brown", + "14 inch hair extensions, dark blonde", + "hair extension medium brown to dark blonde", + "hair extensions medium brown", + "14 inch hair extensions that are dark blonde", + "14 inch hair extension", + "14 inch hair extensions dark blonde", + "teen inch hair extensions" + ], + "i'm looking to get some fluorescent purple nail art glitter.": [ + "fogorescent purple nail art glitter", + "fluorescent purple nail art glitter", + "foggy purple nail art glitter", + "fluoride purple nail art glitter", + "fluorescent purple nail art glitter", + "fog fluorescent purple nail art glitter", + "fog color nail art glitter", + "yellow nail art glitter", + "faux purple nail art glitter", + "fog purple nail art glitter" + ], + "i'm looking for body make up for skin care accessories.": [ + "body make up for skin care accessories", + "body make up skin care accessories", + "body make up", + "body make up for skin care accessories.", + "body make up, skin care accessories", + "body make up skin care accessories.", + " body make up for skin care accessories", + "Body make up for skin care accessories", + "body make-up for skin care accessories", + "skin care accessories body make up" + ], + "i am looking for arts craft turquoise blue nails.": [ + "artwork turquoise blue nails", + "arts craft turquoise blue nails", + "indoor craft turquoise blue nails", + "artwork turquoise blue nail", + "artifact craft turquoise blue nails", + " arts craft turquoise blue nails", + "arts craft turquoise blue nails.", + "artwork turquoise", + "artwork turquoise blue nails.", + "artwork turquoise blue" + ], + "i am looking for a fluorescent pink color microfine body glitter which is animal tested and cruelty free.": [ + "fluorescent pink color microfine body glitter", + "fluoride pink body glitter that is animal tested", + "fluorescent pink body glitter animal tested and cruelty free", + "fluorescent pink body glitter that is animal tested", + "fluoride pink body glitter animal tested", + "fluorescent pink color microfine body glitter animal tested", + "fluoride pink body glitter", + "fog color body glitter animal tested", + "fluorescent pink body glitter animal tested", + "fog color microfine body glitter" + ], + "i am looking for a turquoise blue color of body glitter nail art": [ + "turquoise nail art", + "turquoise glitter nail art", + "turquoise glitter", + "turquoise blue nail art", + "turquoise in body glitter nail art", + "turquoise nail art under $40", + "turquoise blue color of body glitter", + "turquoise nail art under $50", + "turquoise nail art under $60", + "turquoise nail art body glitter" + ], + "i am looking for a gold body glitter for nail art": [ + "gold body glitter for nail art", + "gold body glitter nail art", + "pink body glitter for nail art", + "gold body glitter", + "gold body glitter, nail art", + "pure gold body glitter for nail art", + "pink body glitter nail art", + "lip glitter for nail art", + "beauty glitter gold", + "plastic nail glitter" + ], + "i am looking for a floor lamp that has a bronze finish.": [ + "floor lamp bronze finish", + "floor lamp with bronze finish", + "floor lamp that has a bronze finish", + "floor lamp with a bronze finish", + "floor lamp bronze", + "floor lamp that has bronze finish", + "floor lamp, bronze finish", + "floor lamp bronze finish below $40", + "floor lamp bronze finish below $50", + "floor lamp bronze finish below $60" + ], + "i need a hard shell case cover for my macbook 12 retina that is sosuke and ponyo colored.": [ + "macbook 12 retina case cover sosuke and ponyo colored", + "macbook 12 retina cover sosuke and ponyo colored", + "macbook 12 retina case cover that is sosuke and ponyo colored", + "macbook 12 retina cover that is sosuke and ponyo colored", + "macbook 12 retina case cover with sosuke and ponyo colored", + "macbook 12 retina cover with sosuke and ponyo colored", + "macbook 12 retina sosuke and ponyo colored", + "macbook 12 retina case cover sosuke and ponyo colored.", + "macbook 12 retina case cover sosuke and ponyo colored,", + "macbook 12 retina case cover" + ], + "i am looking for a a2442(pro 14\" 2021 m1 pro | max touch id) size of hard shell cases over.": [ + "a2442(pro 14 2021 m1 pro | max touch id)", + "a2442 (pro 14 2021 m1 pro | max touch id)", + "a2442(pro 14 2021 m1 pro | max touch id) hard shell cases", + "a2442(pro 14 2021 m1 pro | max touch id) soft shell cases", + "a2442(pro 14 2021 m1 pro | max touch id) small shell cases", + "a2442(pro 14 2021 m1 pro", + "2442(pro 14 2021 m1 pro | max touch id)", + "a2442 (pro 14 2021 m1 pro", + "a2442, size of hard shell cases", + "a2442" + ], + "i'm looking for computer accessories for bag and cases its easy to use.": [ + "easy to use computer accessories for bag and cases", + "desktop accessories for bag and cases easy to use", + "computer accessories for bag and cases easy to use", + "desktop accessories for bag and cases", + "computer accessories for bag and cases", + "Computer accessories for bag and cases easy to use", + "easy to use computer accessories", + "compact computer accessories for bag and cases", + "desktop accessories", + "compact computer accessories" + ], + "i'm looking for a non-slip laptop case with a color that has animal colors.": [ + "non-slip laptop case with a color with animal colors", + "non-slip laptop case with a color animal colors", + "non-slip laptop case in animal colors", + "non-slip laptop case", + "non-slip laptop case with a color", + "non-slip laptop case that has animal colors", + "non-slip laptop case with a color in animal colors", + "non-slip laptop case with a color of animal colors", + "non-slip laptop case with animal colors", + "non-slip laptop case, animal colors" + ], + "i want a pink marble bandless case cover that is compatible with macbook pros.": [ + "pink marble bandless case cover for macbook pros", + "pink marble bandless case cover", + "pink marble bandless case cover with macbook pros", + "pink marble bandless case cover macbook pros", + "pink marble bandless case cover in macbook pros", + "pink marble bandless case cover under $40", + "pink marble bandless case cover under $50", + "pink marble bandless laptop case cover", + " pink marble bandless case cover", + "pink marble case cover" + ], + "i am interested in some noise cancelling earbud headphones.": [ + "noise cancelling earbud headphones", + " noise cancelling earbud headphones", + "non noise cancelling earbud headphones", + "sound cancelling earbud headphones", + "low noise cancelling earbud headphones", + "nuance cancelling earbud headphones", + "magnifying earbud headphones", + "noise cancelling earbud headphones.", + " noise cancelling earbud headphones.", + "non noise cancelling earbud headphones." + ], + "i am looking for a steel frame that is light pink and for a full sized bed.": [ + "steel frame for a full sized bed", + "steel frame that is light pink", + "light pink steel frame", + "steel frame light pink", + "light pink steel frame bed", + "light pink steel frame with a bed", + "steel frame for a bed light pink", + "steel frame light pink bed", + "light pink steel frame for bed", + "steel frame for a bed" + ], + "i need a gold storage case.": [ + "gold storage case", + "gold storage case gold", + "gold storage case under $50", + "gold storage case that is gold", + "gold storage case under $40", + "plastic gold storage case", + "gold storage case for gold", + "gold storage case under $60", + "gold storage case.", + "gold storage case under $130" + ], + "i am looking for a green home office chair that is height adjustable.": [ + "green home office chair height adjustable", + "green office chair that is height adjustable", + "green office chair height adjustable", + "green home office chair height adjustment", + "green home office chair, height adjustable", + "green home office chair with height adjustment", + "living room office chair height adjustable", + "green home office chair height adjustable.", + "living room chair height adjustable", + "green home office chair" + ], + "i need a lightweight sweatshirt that is grey and in a small.": [ + "grey lightweight sweatshirt", + "grey lightweight sweatshirt in a small", + "grey lightweight sweatshirt that is grey", + "womens sweatshirt grey", + "grey lightweight sweatshirt small", + "womens sweatshirt grey small", + "grey lightweight sweatshirt, small", + "grey lightweight sweatshirt under $50", + "grey lightweight sweatshirt that is grey small", + "womens sweatshirt grey and small" + ], + "i would like to get two assorted non-gmo powdered cheeses.": [ + "two assorted non-gmo powdered cheeses", + "two assorted non-gmo powdered cheeses.", + "two assorted non-gmo powdered cheeses under $40", + "2 assorted non-gmo powdered cheeses", + "two assorted non-gmo powdered cheeses under $50", + "two assorted non-gmo powdered cheeses under $60", + "two assorted non-gmo powdered cheeses under 50 dollars", + "two assorted non-gmo powdered cheeses under 30 dollars", + "two assorted non-gmo powdered cheeses under 40 dollars", + "two assorted non-gmo powdered cheeses under 60 dollars" + ], + "i am looking for comfortable fit sneakers that are in a size 4.5 and are black and white chambray.": [ + "comfortable fit sneakers black and white chambray", + " comfortable fit sneakers black and white chambray", + "comfortable fit sneakers size 4.5 black and white chambray", + "comfortable fit sneakers 4.5 black and white chambray", + "size 4.5 sneakers black and white chambray", + "fortable fit sneakers black and white chambray", + "sneakers black and white chambray", + "comfortable fit sneakers black and white chambray size 4.5", + "comfortable fit sneakers black and white chambray under $40", + "comfortable fit sneakers black and white chambray." + ], + "i want to buy a single 3ft black hdmi cable that works with my 4k high definition tv.": [ + "single 3ft black hdmi cable", + "single 3ft black hdmi cable tv", + "3ft black hdmi cable", + "single 3ft black hdmi cable system", + "single 3ft black hdmi cable TV", + "single 4k high definition tv cable", + "single 3ft high definition tv", + "4k high definition tv", + "single black hdmi cable", + "single white hdmi cable" + ], + "i am looking for a sweater that is machine washable in an xx-large and is in the color 22.": [ + "xx-large sweater in the color 22", + "xx-large sweater in a color 22", + "xx-large sweater under $50", + "xx-large sweater", + "xx-large sweater under $40", + "womens sweater 22 x 22", + "manual washable sweater 22", + "xx-large sweater under $60", + "womens sweater 22", + "xxl sweater" + ], + "i want to find an oral patch that i can use to control bad breath odor.": [ + "oral patch to control bad breath odor", + "oral patch for bad breath odor", + "oral patch for bad breath", + "oral patch", + "oral patch to control bad breath", + "oral patch, bad breath odor", + "oral patch under $40", + "oral patch under $50", + "oral patch for the bad breath odor", + "oral patch with bad breath odor" + ], + "i would like a cupcake topper that would be appropriate for a baby shower.": [ + "cupcake topper for baby shower", + "cupcake topper for a baby shower", + "cupcake topper suitable for a baby shower", + "cupcake topper appropriate for a baby shower", + "cupcake topper for a baby shower.", + "cupcake topper for baby shower.", + "cupcake toppers for baby shower", + "cupcake topper suitable for baby shower", + "cupcake toppers for a baby shower", + "cupcake topper baby shower" + ], + "i would like a grey bed made of solid wood.": [ + "grey bed made of solid wood", + "grey bed made from solid wood", + "grey bed made of solid wood.", + "grey bed made of solid wood,", + "grey bed made out of solid wood", + "grey bed, made of solid wood", + "grey bed made from solid wood.", + "grey bed with solid wood", + "grey bed of solid wood", + "grey bed, solid wood" + ], + "i would like a core i5 desktop that has 8gb of ram and an ssd of 256gb.": [ + "core i5 desktop with 8gb of ram and ssd of 256gb", + "core i5 desktop with 8gb of ram", + "core i5 desktop with 8gb of ram with ssd of 256gb", + "desktop core i5 with 8gb of ram and ssd of 256gb", + "desktop core i5 with 8gb of ram", + "desktop with 8gb of ram and an ssd of 256gb", + "desktop with 8gb of ram and ssd of 256gb", + "desktop with 8gb of ram", + "tablet i5 with 8gb of ram", + "desktop i5 with 8gb of ram" + ], + "i am looking for a light weight hard shell case that is 14 inches and is in the color yellow tansy.": [ + "soft shell case 14 inches yellow", + "yellow soft shell case 14 inches", + "yellow tansy soft shell case", + "soft shell case yellow tansy", + "soft shell case that is 14 inches yellow", + "light weight hard shell case", + "light weight hard shell case 14 inches yellow", + "yellow soft shell case", + "soft shell case that is 14 inches", + "yellow tansy" + ], + "i am looking for a paleo seasoning set that is 2.5 ounces and is low sodium.": [ + "paleo seasoning set 2.5 ounces low sodium", + "paleo seasoning set that is 2.5 ounces and is low sodium", + "paleo seasoning set 2.5 ounces and is low sodium", + "paleo seasoning set that is 2.5 ounces low sodium", + "paleo seasoning set 2.5 ounces low sodium and is low sodium", + "paleo seasoning set 2.5 ounces", + "paleo seasoning set 2.5 ounces low sodium under $40", + "paleo seasoning set 2.5 ounces low sodium and under $40", + "paleo seasoning set 2.5 ounces low sodium.", + "paleo seasoning set 2.5 ounces low sodium paleo" + ], + "i am looking for gluten free paleo seasoning food .": [ + "gluten free paleo seasoning food", + "paleo seasoning food gluten free", + "gluten free paleo seasoning food", + "gluten-free paleo seasoning food", + "aleo seasoning food gluten free", + "paleo seasoning food", + "vegan seasoning food gluten free", + "lemon seasoning food gluten free", + "gluten free Paleo seasoning food", + "gmo seasoning food gluten free" + ], + "i want to find low sodium everyday seasoning that i can use, in both a 2 ounce bottle and a 2.5 ounce bottle.": [ + "low sodium everyday seasoning 2.5 ounce bottle", + "low sodium everyday seasoning 2 ounce bottle and 2.5 ounce bottle", + "low sodium everyday seasoning 2 ounce bottle", + "low sodium everyday seasoning 2.5 oz bottle", + "low sodium everyday seasoning 2 ounce bottle 2.5 oz", + "low sodium everyday seasoning 2 oz bottle and 2.5 ounce bottle", + "low sodium everyday seasoning 2 ounce bottle 2.5 ounce bottle", + "low sodium everyday seasoning 2 ounce bottle, 2.5 ounce bottle", + "low sodium everyday seasoning 2 ounce bottle and 2.5 oz bottle", + "low sodium everyday seasoning 2 oz bottle" + ], + "hello ! i need paleo everyday seasonings powder which is gluten free and has low sodium.": [ + "paleo everyday seasonings powder gluten free", + "paleo everyday seasonings powder", + "paleo everyday seasonings powder that is gluten free", + "paleo everyday seasonings powder with low sodium", + "paleo everyday seasonings powder gluten free and low sodium", + "paleo everyday seasonings powder which is gluten free", + "paleo everyday seasonings powder, gluten free", + "paleo everyday seasonings powder gluten free and no sodium", + "paleo everyday seasonings powder gluten free", + "paleo everyday seasonings powder no sugar" + ], + "i am searching for low sodium food, gluten free everyday seasonings, 2.5 ounce (pack of 1)": [ + "low sodium food gluten free 2.5 ounce (pack of 1)", + "low sodium and gluten free everyday seasonings 2.5 ounce (pack of 1)", + "low sodium food gluten free everyday seasonings 2.5 ounce (pack of 1)", + "low sodium food 2.5 ounce (pack of 1)", + "low sodium food, gluten free, 2.5 ounce (pack of 1)", + "low sodium gluten free everyday seasonings 2.5 ounce (pack of 1)", + "gluten free everyday seasonings 2.5 ounce (pack of 1)", + "low sodium food gluten free 1.5 ounce (pack of 1)", + "low sodium and gluten free everyday seasonings 2.5 ounce (pack of 1),", + "low sodium food gluten free" + ], + "i want a 1.5 pound box of 2 ounce paleo seasoning bottles that are low sodium..": [ + "paleo seasoning bottles that are low sodium", + "paleo seasoning bottles low sodium", + "paleo seasoning bottles low sodium 1.5 pound", + "paleo seasoning bottles", + "paleo seasoning bottles low sodium 1.5 oz", + "paleo seasoning bottles 2 ounce low sodium", + "paleo seasoning bottles 2 oz low sodium", + "paleo seasoning bottles low sodium 1.5 ounce", + "paleo seasoning bottles, low sodium", + "2 ounce paleo seasoning bottles" + ], + "i need everyday seasoning in a 4 piece assortment pack which should have low sodium and is gluten free.": [ + "4 piece assortment pack that should have low sodium and is gluten free", + "4 piece assortment pack which should have low sodium and is gluten free", + "4 piece assortment pack with low sodium and gluten free", + "4 piece assortment pack with low sodium and is gluten free", + "4 piece assortment pack, low sodium and gluten free", + "4 piece assortment pack", + "4 piece assortment pack of seasoning low sodium and gluten free", + "4 piece assortment pack, low sodium and gluten free,", + "4 piece assortment pack of seasoning", + "4 piece assortment pack with low sodium and gluten free seasoning" + ], + "i would like to buy some hair growth treatments made from natural ingredients.": [ + "natural hair growth treatments", + "hair growth treatments made from natural ingredients", + "natural hair growth treatments natural", + "natural hair growth treatments made from natural", + "natural hair growth treatments under $40", + "natural hair growth treatments under $50", + "natural hair growth treatments under $60", + "natural human hair growth treatments", + "natural hair growth treatment", + "natural hair growth treatments no synthetic" + ], + "i am looking for tempered glass screen protectors for the iphone 12 mini.": [ + "tempered glass screen protectors for iphone 12 mini", + "tempered glass screen protectors iphone 12 mini", + "tempered glass screen protectors for iiphone 12 mini", + "tempered glass screen protectors foriphone 12 mini", + "tempered glass screen protectors, iphone 12 mini", + "tempered glass screen protectors iphone 12 mini.", + "tempered glass screen protector for the iphone 12 mini", + "tempered glass screen protector for iphone 12 mini", + "tempered glass screen protectors", + "tempered glass screen protector" + ], + "i am looking for fruit snacks that are fat free.": [ + "fruit snacks fat free", + "variety fruit snacks fat free", + "fruit snacks that are fat free", + "pomegranate snacks fat free", + "fruit snacks fat free under $40", + "fruit snacks fat free under $60", + "fruit snacks fat free below $40", + "fruit snacks fat free under $50", + "fruit snacks fat free under 30 dollars", + "fruit snacks fat-free" + ], + "i would like to buy some orange office chairs that have great lumbar support..": [ + "orange office chairs with lumbar support", + "orange office chairs that have lumbar support", + "orange office chairs lumbar support", + "orange office chairs with great lumbar support", + "orange office chairs", + "orange office chairs that are lumbar support", + "orange office chairs, lumbar support", + "orange office chairs with a lumbar support", + "orange office chair with lumbar support", + "orange office chairs with lumbar support," + ], + "i'm looking for a rich and creamy crab, clam, and corn chowder bisque. choose the ones that comes in 10.5 oz canes of 6.": [ + "rich and creamy crab, clam and corn chowder bisque", + "rich and creamy crab, clam, and corn chowder bisque", + "rich and creamy crab, clam and corn chowder bisque under $60", + "rich and creamy crab, clam, and corn chowder bisque under $60", + "rich and creamy crab, clam, corn chowder bisque", + "rich and creamy crab, clam, and corn chowder bisque under $50", + "rich and creamy crab, clam and corn chowder", + "rich and creamy crab, clam, and corn chowder", + "rich and creamy crab, clam chowder bisque", + "rich and creamy crab, clam, chowder bisque" + ], + "i am purchasing for rich creamy type bar harbor soup bisque crab also size is 10.5 ounce": [ + "rich creamy type bar harbor soup bisque crab", + "rich creamy type bar harbor soup bisque crab 10.5 ounce", + "rich creamy type bar harbor soup bisque crab, 10.5 ounce", + "rich creamy type bar harbor soup bisque crab size is 10.5 ounce", + "rich creamy type bar harbor soup bisque crab also size is 10.5 ounce", + "rich creamy type bar harbor soup bisque crab price lower than 50.00 dollars", + "rich creamy type bar harbor soup bisque crab10.5 ounce", + "rich creamy type bar harbor soup bisque crab whose size is 10.5 ounce", + "rich creamy type bar harbor soup bisque crab that is 10.5 ounce", + "rich creamy type bar harbor soup bisque crab whose price is 10.5 ounce" + ], + "i'm looking for bar harbor soup crab.": [ + "bar harbor soup crab", + "bar harbor soup crab.", + "bar harbor soup crab under $40", + "bar harbor soup crab under $50", + "bar harbor soup crab under $60", + "bar harbor soup crab under 50 dollars", + "bar harbor soup crab under 30 dollars", + "bar harbor soup crab, under $40", + "bar harbor soup crab, under $60", + "bar harbor soup crab, $40" + ], + "i need a good doup bisque that's hand crafted. select the manhatten clam chowder variety.": [ + "doup bisque hand crafted. select the manhatten clam chowder variety.", + "dup bisque hand crafted. select the manhatten clam chowder variety.", + "dodgep bisque hand crafted. select the manhatten clam chowder variety.", + "dump bisque hand crafted. select the manhatten clam chowder variety.", + "bagque hand crafted. select the manhatten clam chowder variety.", + "dubp bisque hand crafted. select the manhatten clam chowder variety.", + "dudep bisque hand crafted. select the manhatten clam chowder variety.", + "daddy bisque hand crafted. select the manhatten clam chowder variety.", + "doup bisque hand crafted", + "dodgep bisque hand crafted" + ], + "i would like to buy a three pack of fine combs good for styling dry hair.": [ + "three pack of fine combs", + "fine combs for styling dry hair", + "three pack fine combs for styling dry hair", + "fine combs for styling dry hair three pack", + "fine combs for styling dry hair.", + "3 pack of fine combs", + "fine combs good for styling dry hair", + "two pack of fine combs", + "fine combs good for styling dry hair.", + "three pack fine combs" + ], + "i would like to buy some colorful medium long sleeve pajamas from quality fabrics that i can wear every day.": [ + "colored medium long sleeve pajamas", + "rainbow colored medium long sleeve pajamas", + "rainbow colored pajamas", + "colored long sleeve pajamas from quality fabrics", + "color pajamas from quality fabrics", + "rainbow colored pajamas from quality fabrics", + "womens pajamas from quality fabrics", + "rainbow color pajamas", + "color medium long sleeve pajamas", + "colored long sleeve pajamas" + ], + "i want a cruelty free lip gloss that is in shimmy glossy and comes in a pack of 8.": [ + "cruelty free lip gloss pack of 8", + "cruelty free lip gloss in shimmy glossy", + "cruelty free lip gloss 8 pack of 8", + "cruelty free lip gloss", + "cruelty free lip gloss, shimmy glossy", + "cruelty free lip gloss for shimmy glossy", + "cruelty free lip gloss under $60", + "cruelty free lip gloss pack of 8 pack", + "cruelty free lip gloss shimmy glossy", + "cruelty free lip gloss a pack of 8" + ], + "i want to find a strawberry scented foot peel mask that has argan oil as a key ingredient.": [ + "strawberry scented foot peel mask with argan oil", + "strawberry scented foot peel mask that has argan oil", + "strawberry scented foot peel mask", + "strawberry scented foot peel mask, argan oil", + "pomegranate scented foot peel mask with argan oil", + "strawberry scented foot peel mask, with argan oil", + " strawberry scented foot peel mask that has argan oil", + " strawberry scented foot peel mask with argan oil", + "pink scented foot peel mask with argan oil", + "pink scented foot peel mask" + ], + "i need a compact flaschard that is high speed and has a 512gb capacity.": [ + "compact flaschard with 512gb capacity", + "compact flaschard with a 512gb capacity", + "compact flaschard high speed with 512gb capacity", + "compact flaschard high speed and 512gb capacity", + "compact flaschard with 512gb", + "compact flaschard high speed 512gb capacity", + "compact flaschard with 512gb capacity.", + "compact flaschard", + "contact flaschard with 512gb capacity", + "compact flaschard high speed 512gb" + ], + "i am looking for a high speed compactflash card with128gb 2 -pack capacity. also choose cfexpress + usb reader style.": [ + "compactflash card with128gb 2 -pack", + "compactflash card with 128gb 2 -pack", + "compactflash card with 128gb 2-pack", + "compactflash card with128gb 2-pack", + "compactflash card 128gb", + "compactflash card 128gb 2-pack", + "compactflash card 128gb 2 -pack", + "compactflash card with 128gb", + "compactflash card with128gb", + "compactflash card 128gb with usb reader" + ], + "i want to find a yellow manual toothbrush suitable for 7-14 year old kids with sensitive teeth.": [ + "yellow manual toothbrush for 7-14 year old kids", + "yellow manual toothbrush 7-14 year old kids with sensitive teeth", + "yellow manual toothbrush 7-14 years old kids with sensitive teeth", + "yellow manual toothbrush 7-14 year old kids", + "yellow manual toothbrush with sensitive teeth 7-14 years old", + "yellow manual toothbrush that is sensitive teeth", + "yellow manual toothbrush, 7-14 year old kids", + "yellow manual toothbrush for kids with sensitive teeth", + "yellow manual toothbrush with sensitive teeth", + "yellow manual toothbrush 7-14 years old kids" + ], + "i'd like to find a green toothbrush suitable for 7-12 year old kids with sensitive teeth.": [ + "green toothbrush for 7-12 year old kids with sensitive teeth", + "green toothbrush 7-12 year old kids with sensitive teeth", + "green toothbrush for 7-12 year old kids", + "green toothbrush 7-12 years old kids with sensitive teeth", + "green toothbrush 7-12 year old kids", + "green toothbrush for 7-12 years old kids with sensitive teeth", + "green toothbrush for kids 7-12 years old with sensitive teeth", + "green toothbrush for kids 7-12 years old", + "green toothbrush 7-12 years old kids", + "green toothbrush for kids with sensitive teeth" + ], + "i would like a red tooth brush for my 7 -12 year old's sensitive teeth.": [ + "red tooth brush for 7-12 year olds sensitive teeth", + "red tooth brush for 7 -12 year olds sensitive teeth", + "red tooth brush for 7-12 year olds sensitive teeth.", + "red tooth brush for 7 -12 year olds sensitive teeth.", + "red tooth brush 7-12 year olds sensitive teeth", + "red toothbrush for 7-12 year olds sensitive teeth", + "red toothbrush for 7 -12 year olds sensitive teeth", + "red tooth brush for my 7 -12 year olds sensitive teeth", + "red tooth brush for my 7-12 year olds sensitive teeth", + "red tooth brush 7 -12 year olds sensitive teeth" + ], + "i'm looking for a easy to use manual toothbrush for sensitive teeth. also choose 7-12 year old kids usable blue colored one.": [ + "easy to use manual toothbrush for sensitive teeth 7-12 year old kids", + "easy to use manual toothbrush for sensitive teeth", + "easy to use manual toothbrush for sensitive teeth 7-12 year old kids blue", + "easy to use manual toothbrush for sensitive teeth under $40", + "easy to use manual toothbrush for sensitive teeth, blue", + "easy to use manual toothbrush for sensitive teeth. 7-12 year old kids", + "easy to use manual toothbrush for sensitive teeth under $60", + "easy to use manual toothbrush for sensitive teeth under $50", + "easy to use manual toothbrush for sensitive teeth.", + "easy to use manual toothbrush" + ], + "i need to find an easy to use toothbrush for a seven year old. look for a yellow one.": [ + "yellow toothbrush for a seven year old", + "yellow toothbrush for a 7 year old", + "yellow toothbrush that is easy to use", + "pocketbrush for a seven year old yellow", + "yellow toothbrush for 7 year old", + "yellow toothbrush for a 7 year old.", + "yellow toothbrush 7 years old", + "yellow toothbrush, 7 years old", + "yellow toothbrush 7 year old", + "yellow toothbrush" + ], + "i'm looking for a black colored king sized bed with night stand and chest made of engineered wood.": [ + "black king sized bed with night stand and chest made of engineered wood", + "king sized bed with night stand and chest made of engineered wood", + "white king sized bed with night stand and chest made of engineered wood", + "queen sized bed with night stand and chest made of engineered wood", + "black colored king sized bed with night stand made of engineered wood", + "black queen sized bed with night stand and chest made of engineered wood", + "black colored king sized bed with night stand and chest", + "black colored king sized bed with night stand", + "black colored king sized bed", + "living room black" + ], + "i need a usb flash drive that can carry 512gb and is in the style of istorage miscrosd card and datashur sd drive": [ + "usb flash drive that can carry 512gb", + "usb flash drive with 512gb", + " usb flash drive that can carry 512gb", + "usb flash drive in the style of istorage miscrosd card", + "usb flash drive that can carry 512gb usb flash drive", + "usb flash drive in istorage miscrosd card", + " usb flash drive with 512gb", + "usb flash drive for 512gb", + "usb flash drive 512gb", + "usb flash drive" + ], + "i would like a 3 pack of istorage 0gb microsd cards that are easy to use.": [ + "3 pack of istorage 0gb microsd cards", + "3 pack of istorage 0gb microsd card", + "3 pack of istorage 0gb microsd cards easy to use", + "3 pack istorage 0gb microsd cards", + "3 pack of istorage 0gb microsd card easy to use", + " 3 pack of istorage 0gb microsd cards", + "3 pack of istorage 0gb microsd cards under $50", + "3 pack istorage 0gb microsd card", + "a 3 pack of istorage 0gb microsd cards", + "istorage 0gb microsd cards" + ], + "i would like to get some size 10 red pumps with a rubber sole.": [ + "size 10 red pumps with a rubber sole", + "red pumps size 10 with a rubber sole", + "red pumps with a rubber sole size 10", + "size 10 red pumps", + " size 10 red pumps with a rubber sole", + "size 9 red pumps with a rubber sole", + "red pumps size 10 rubber sole", + "red pumps with a rubber sole", + "size 10 red pump with a rubber sole", + "size 10 red pumps, rubber sole" + ], + "i'm looking for a high performance paint contrast projector.": [ + "high performance paint contrast projector", + "high performance paint contrast projector.", + "high performance paint contrast projector under $40", + "high performance paint contrast projector under $60", + "high performance paint contrast projector under $50", + "high performance paint contrast projector under $120", + "high performance paint contrast projector under 30 dollars", + "pink contrast projector", + "high performance paint contrast projector under 50 dollars", + "high performance paint contrast projector under $130" + ], + "i want to get some photo studio backgrounds that are dust proof and for high resolution.": [ + "dust proof photo studio backgrounds", + "dust proof and high resolution photo studio backgrounds", + "dust proof photo studio backgrounds in high resolution", + "dust proof photo studio backgrounds with high resolution", + "dust proof high resolution photo studio backgrounds", + "dust proof photo studio backgrounds for high resolution", + "dust proof photo studio backgrounds, high resolution", + "dust proof photo studio backgrounds high resolution", + "dust proof photo studio backgrounds under $40", + "dust proof camera backgrounds" + ], + "i would like to buy a 16 x 36 inch round clear table pad for my dining room table that's easy to clean.": [ + "16 x 36 inch round clear table pad", + "16 x 36 inch dining room table pad", + "16 x 36 inch table pad", + "16 x 36 inch square clear table pad", + "table pad for dining room table", + "table pad 16 x 36 inch", + "16 x 36 inch black table pad", + "16 x 36 inch white table pad", + "table pad 16 x 36 inch clean", + "table pad dining room table" + ], + "find me a carbon fiber tripod stand.": [ + "carbon fiber tripod stand", + "find me a carbon fiber tripod stand.", + "carbon fiber tripod stand.", + "coaxial fiber tripod stand", + "i want a carbon fiber tripod stand.", + "aluminum fiber tripod stand", + "carot fiber tripod stand", + "carbon fiber tripod stand under $40", + "carbon fiber tripod stand under $50", + "eco fiber tripod stand" + ], + "i need an led video light that is l6000a. some batteries would be nice.": [ + "l6000a led video light", + "l6000a led video light with batteries", + "led video light l6000a with batteries", + "tv light l6000a with batteries", + "led video light that is l6000a", + "led video light l6000a", + "lead video light l6000a with batteries", + "tv light that is l6000a", + "tv light l6000a", + "brushed video light l6000a" + ], + "i need an easy to use warm light for photography": [ + "easy to use warm light photography", + "easy to use warm light for photography", + "warm light for photography", + "warm light photography", + "warm light photography easy to use", + "easy to use warm light camera", + "easy to use warm light", + "5 ft warm light photography", + "warm light camera", + "warm light" + ], + "i need one pound of kosher echinacea.": [ + "one pound of kosher echinacea", + "two pound of kosher echinacea", + "one pound of kosher echinacea.", + "1 pound of kosher echinacea", + "kosher echinacea pound one pound", + "kosher echinacea pound", + "one pound kosher echinacea", + "one pound of kosher echinacea,", + "kosher echinacea one pound", + "two pound kosher echinacea" + ], + "i need a long sleeved hoodie that is an xx-large and is in the color gray.": [ + "xxl hoodie in the color gray", + "xxl hoodie in a color gray", + "xxl hoodie", + "xxl hoodie with gray color", + "xxl hoodie color gray", + "xxl hoodie in a gray", + "xxl hoodie under $50", + "xxl hoodie gray", + "xxl hoodie under $40", + "xxl hoodie in gray" + ], + "i need a protective ac output cable cord.": [ + "protective ac output cable cord", + "intensive ac output cable cord", + "antic output cable cord", + "professional ac output cable cord", + "ac output cable cord", + "a cord for ac output cable", + "a cord for ac output", + "alarm cord for ac output", + "a output cable cord", + "ac output cable cord protective ac" + ], + "i would like a ac adapter with output protection.": [ + "ac adapter with output protection", + "ac adapter no output protection", + "a adapter with output protection", + " ac adapter with output protection", + "ac adapter that is output protection", + "ac adapter price with output protection", + "ac adapter with output protection under $40", + "ac adapter with output protection.", + "ac adapter with output protection under $60", + "ac adapter with output protection under $50" + ], + "i would like to get some 20 mm c-0.10 made from high quality materials false lashes.": [ + "20 mm c-0.10 false lashes", + "20 mm c-0.10 false lashes under $40", + "20 mm c-0.10", + "20 mm c-0.10 false lashes under $50", + "20 mm c-0.10 false lashes under $60", + "20 mm c-0.10 false lashes under 30 dollars", + "20 mm c-0.10 false lashes under 50 dollars", + "20 mm c-0.10 false lashes under 40 dollars", + "20 mm c-0.10 false lashes, high quality", + "20 mm c-0.10 false lashes." + ], + "i'm looking for a 6-count pack of birthday cake flavored donuts that are keto friendly.": [ + "6-count pack of birthday cake flavored donuts keto friendly", + "6-count pack of birthday cake flavored donuts", + "6 count pack of birthday cake flavored donuts keto friendly", + "6 count pack of birthday cake flavored donuts", + "birthday cake flavored donuts keto friendly", + "6-count pack of birthday cake flavored donuts under $60", + "6-count pack of keto friendly donuts", + "6-count pack of birthday cake flavored donuts under $50", + "birthday cake flavored donuts keto friendly 6 count", + "baby shower donuts keto friendly" + ], + "i would like to buy a medium blue short sleeve t-shirt appropriate for a teenage girl.": [ + "medium blue short sleeve t-shirt", + "medium blue short sleeve t-shirt for a teenage girl", + "medium blue short sleeve t-shirt suitable for a teenage girl", + "medium blue short sleeve t-shirt appropriate for a teenage girl", + "medium blue short sleeve t-shirt for teenage girl", + "medium blue short sleeve t-shirt with a teenage girl", + "medium blue short sleeve t-shirt for a teenage girl.", + "medium blue short sleeve t-shirt under $50", + "medium blue short sleeve t-shirt, teenage girl", + "medium blue t-shirt" + ], + "i need a long lasting white eye shadow.": [ + "long lasting white eye shadow", + "white eye shadow long lasting", + "long lasting white eye shadow.", + "white eye shadow", + "long lasting white eye shadow,", + "white eye shadow, long lasting", + "long lasting white eyes shadow", + "womens white eye shadow", + "white eyes shadow long lasting", + "living white eye shadow" + ], + "i want some chincilla 29w x 32l regular straight leg jeans.": [ + "chincilla 29w x 32l regular straight leg jeans", + "chincilla 29w x 32l regular straight leg jeans.", + "curtilla 29w x 32l regular straight leg jeans", + "chincilla 29w x 32l regular straight leg jeans under $40", + "chincilla 29w x 32l regular straight leg jeans under $50", + "chincilla 29w x 32l regular straight leg jeans under $60", + " chincilla 29w x 32l regular straight leg jeans", + "chincilla 29w x 32l regular straight leg jeans under 50 dollars", + "chincilla 29w x 32l regular straight leg jeans under 30 dollars", + "coaxilla 29w x 32l regular straight leg jeans" + ], + "i am looking for levi's 514 straight fit jeans for men with straight legs and a regular fit.": [ + "levis 514 straight fit jeans for men with straight legs and regular fit", + "levis 514 straight fit jeans for men with straight legs with regular fit", + "levis 514 straight fit jeans for men with straight legs", + "levis 514 straight fit jeans with straight legs and regular fit", + "levis 514 straight fit jeans", + "levis 514 straight fit jeans for men with straight legs, regular fit", + "levis 514 straight fit jeans for men with straight legs and regular fit", + "levis 514 straight fit jeans with straight legs", + "lenvis 514 straight fit jeans for men with straight legs and regular fit", + "levis 514 straight fit jeans with straight legs with regular fit" + ], + "i'm looking for a pair of ivory-colored noise-cancelling headphones.": [ + "pair of ivory-colored noise-cancelling headphones", + "yellow noise-cancelling headphones", + "white noise-cancelling headphones", + "levisce-colored noise-cancelling headphones", + "leviseless noise-cancelling headphones", + "knee-colored noise-cancelling headphones", + "5 ft 5 ft noise-cancelling headphones", + "knee high quality noise-cancelling headphones", + "white noise-cancelling headphones, ivory-colored", + "yellow noise-cancelling headphones, ivory-colored" + ], + "i want a on-ear headphone with noise cancelling": [ + "on-ear headphone with noise cancelling", + "on-ear headphone noise cancelling", + "port-ear headphone with noise cancelling", + "on-ear headphone no noise cancelling", + "on-ear headphone", + "sound cancelling on-ear headphone", + "on-ear headphone, noise cancelling", + "on-ear headphone noise cancelling", + "iphones with noise cancelling", + "phone with noise cancelling" + ], + "i would like to buy a pack of 6 individually wrapped cookie gift basket.": [ + "pack of 6 individually wrapped cookie gift basket", + "pack of 6 individually wrapped cookie gift basket.", + "pack of 6 individually wrapped cookie gift basket under $60", + "pack of 6 individually wrapped cookie gift basket under $50", + "pack of 6 individually wrapped cookie gift basket under 50 dollars", + "pack of 6 individually wrapped cookie gift basket under 30 dollars", + "pack of 6 individually wrapped cookie gift basket under 60 dollars", + "pack of 6 individually wrapped cookie gift basket under 120 dollars", + "pack of 6 individually wrapped cookie gift basket under $40", + "pack of 6 individually wrapped cookie gift basket under 40 dollars" + ], + "i would like to buy a large black short short sleeve polo shirt.": [ + "large black short short sleeve polo shirt", + "large black short sleeve polo shirt", + "large black short short sleeve polo shirt.", + "large black short sleeve polo shirt under 50 dollars", + "large black short sleeve polo shirt under $40", + "large black short sleeve polo shirt under $50", + "large black short sleeved polo shirt", + "large black short sleeve polo shirt under 40 dollars", + "large black short- sleeve polo shirt", + "large black short sleeve polo shirt." + ], + "i need sneakers that have a rubber sole and are a grey blue color in a size 7.": [ + "grey blue sneakers in a size 7", + "grey sneakers in a size 7", + "sneakers grey blue", + "sneakers grey", + "grey sneakers that have a rubber sole", + "sneakers grey blue size 7", + "grey sneakers with a rubber sole", + "grey sneakers size 7", + "grey blue sneakers", + "grey sneakers" + ], + "i want to buy a two pack of high-speed gold-plated hdmi cables.": [ + "two pack of high-speed gold-plated hdmi cables", + "two pack high-speed gold-plated hdmi cables", + "two pack gold-plated hdmi cables", + "2 pack of high-speed gold-plated hdmi cables", + "two pack of high-speed gold-plated hdmi cable", + "two pack of high-speed goldplated hdmi cables", + "two pack of high-speed gold plated hdmi cables", + "two pack of high-speed gold pplated hdmi cables", + "one pack of high-speed gold-plated hdmi cables", + "high-speed gold-plated hdmi cables" + ], + "keego window blinds will they block out all the sun light or will there be cracks?": [ + "keego window blinds", + "keego window blinds that block out all the sun light", + "keego window blinds no cracks", + "keego window blinds with a sun light", + "keego window blinds with sun light", + "keego window blinds which block out all the sun light", + "keego window blinds, no cracks", + "window blinds no cracks", + "keego window shades", + "window blinds" + ], + "i want to find 5.3 ounces of plant-based organic hair dye in a dark chocolate color.": [ + "plant-based organic hair dye in a dark chocolate color", + "plant-based organic hair dye in dark chocolate color", + "plant-based organic hair dye in dark chocolate", + "plant-based organic hair dye dark chocolate", + "plant-based organic hair dye in dark chocolate color 5.3 oz", + "plant-based organic hair dye dark chocolate color", + "plant-based organic hair dye 5.3 ounces dark chocolate color", + "plant-based organic hair dye in dark chocolate color 5.3 ounces", + "plant-based organic hair dye dark chocolate color 5.3 oz", + "plant-based organic hair dye, dark chocolate color" + ], + "i would like a stainless steel coaxial car speaker.": [ + "stainless steel coaxial car speaker", + "stainless steel coaxial car speakers", + "stainless steel car speaker", + "silicone steel coaxial car speaker", + "silicon steel coaxial car speaker", + "stainless steel car speaker.", + "silent steel coaxial car speaker", + "a stainless steel coaxial car speaker", + " stainless steel coaxial car speaker", + "steel coaxial car speaker" + ], + "find me 1 bar of orange blossom honey soap that is made with natural ingredients.": [ + "orange blossom honey soap", + "orange blossom honey soap natural", + "orange blossom honey soap made natural", + "orange blossom honey soap with natural ingredients", + "1 bar of orange blossom honey soap", + "orange blossom honey soap that is natural", + "orange blossom honey soap made from natural", + "one bar of orange blossom honey soap", + "orange blossom honey soap natural no sugar", + "orange blossom honey soap 2 bar" + ], + "i would like to get a perfect fruit gift basket.": [ + "fruit gift basket", + "fruit gift basket that is perfect", + "fruit gift basket.", + "fruit gift basket perfect for fruit", + "pomegranate gift basket", + "fruit gift basket under 50 dollars", + "fruit gift basket under $50", + "fruit gift basket under $40", + "fruit gift basket perfect for a woman", + "fruit gift basket, perfect for fruit" + ], + "i need a king sized bed that has metal legs.": [ + "king sized bed with metal legs", + "king sized bed that has metal legs", + "king sized bed metal legs", + "king sized bed with metal legs.", + "king sized bed, metal legs", + "king sized bed with metal legs,", + "king size bed with metal legs", + "king sized bed with metal leg", + "king sized bed metal leg", + "king sized bed" + ], + "i would like a cosmetic bag for my eye shadow decorated with a lot of lip prints.": [ + " cosmetic bag for my eye shadow decorated with a lot of lip prints", + "beauty bag for my eye shadow decorated with a lot of lip prints", + " cosmetic bag for my eye shadow with a lot of lip prints", + " cosmetic bag for my eye shadow decorated with a lot of lip prints.", + "cl cosmetic bag for my eye shadow decorated with a lot of lip prints", + "beauty bag for my eye shadow with a lot of lip prints", + "plastic bag for my eye shadow decorated with a lot of lip prints", + "a cosmetic bag for my eye shadow decorated with a lot of lip prints", + "beauty bag for eye shadow decorated with a lot of lip prints", + "beauty bag for eye shadow with a lot of lip prints" + ], + "i would like a yellow 42mm band for a apple watch that is easy to put on.": [ + "yellow 42mm band for a apple watch", + "yellow 42mm band for an apple watch", + "yellow 42mm band", + "yellow 42mm band for apple watch", + "yellow 42mm band apple watch", + "yellow 42mm band that is easy to put on.", + "yellow 42mm band for a yellow 42mm apple watch", + "yellow 42mm band that is easy to put on", + "yellow 42mm band for a apple watch under $40", + "yellow 42mm apple watch" + ], + "i would like a midnight blue 38 mm applewatch band.": [ + "night sky 38 mm applewatch band", + "night blue 38 mm applewatch band", + "midnight blue 38 mm applewatch band", + "nightmare blue 38 mm applewatch band", + " midnight blue 38 mm applewatch band", + "nightwatch band midnight blue 38 mm", + "nightwatch band, midnight blue 38 mm", + "night sky 38 mm applewatch band.", + "night blue 38 mm applewatch band.", + "nightwatch band" + ], + "i would like a tinted moisturizer that is made for dry skin and is in the color annapurna.": [ + "tinted moisturizer made for dry skin in the color annapurna", + "tinted moisturizer for dry skin in the color annapurna", + "tinted moisturizer made for dry skin", + "tinted moisturizer that is made for dry skin", + "tinted moisturizer that is made for dry skin, annapurna", + "tinted moisturizer", + "tinted moisturizer made for dry skin, annapurna", + "tinted moisturizer made for dry skin in the color annapurna.", + "tinted moisturizer for dry skin", + "toxic moisturizer" + ], + "i need a tinted moisturizer that is effective for dry skin . and choose the annapurna - medium with a neutral peachy undertone": [ + "tinted moisturizer that is effective for dry skin", + "vanapurna - medium moisturizer with a neutral peachy undertone", + "anapurna - medium moisturizer with a neutral peachy undertone", + "tinted moisturizer for dry skin", + "a tinted moisturizer that is effective for dry skin", + "torted moisturizer that is effective for dry skin", + "antented moisturizer that is effective for dry skin", + "tinted moisturizer dry skin", + "tinted moisturizer", + "tinted moisturizer that is effective for dry skin " + ], + "i would like to buy some size 36 orange elastic waist flat front shorts.": [ + "orange elastic waist flat front shorts size 36", + "orange elastic waist flat front shorts", + "size 36 orange elastic waist flat front shorts", + "orange elastic waist flat shorts size 36", + "orange elastic waist flat front shorts in size 36", + "orange elastic waist flat front shorts, size 36", + "orange elastic waist flat front shorts. size 36", + " size 36 orange elastic waist flat front shorts", + "orange elastic waist flat front shorts.", + "orange elastic waist flat shorts" + ], + "i'm looking for a non slip trekking shoes with rubber outsole and should be moisture wicking. also choose black colored with size 14 for women": [ + "non slip trekking shoes", + "non slip trekking shoes size 14", + "non slip trekking shoes black", + "non slip trekking shoes size 14 women", + "non slip trekking shoes that are waterproof", + "non slip hiking shoes with rubber outsole", + "non slip trekking shoes in black", + "walking shoes size 14", + "walking shoes black rubber", + "walking shoes black" + ], + "i need a standard 23\" by 52\" green toddler bed that is heavy duty.": [ + "23 by 52 green toddler bed heavy duty", + "23 by 52 green toddler bed", + "23 by 52 green toddler bed, heavy duty", + "23 by 52 green toddler bed with heavy duty", + "23 by 52 green toddler bed under $50", + "standard 23 by 52 green toddler bed heavy duty", + "23 by 52 green toddler bed under $40", + "23 by 52 green toddler bed under $60", + "standard 23 by 52 green toddler bed", + "23 by 52 green toddler bed under 30 dollars" + ], + "i want to find a space-saving yellow naptime cot for toddlers. it should come in a standard size and i don't want it to come with sheets.": [ + "yellow naptime cot for toddlers", + "space-saving yellow naptime cot for toddlers", + "size-saving yellow naptime cot for toddlers", + "yellow naptime cot", + "sneakers yellow naptime cot for toddlers", + "standard size yellow naptime cot for toddlers", + "grey naptime cot for toddlers", + "white naptime cot for toddlers", + "living room-saving yellow naptime cot", + "yellow naptime cot for toddlers under $40" + ], + "i need to buy a heavy duty daycare sleeping cot. find one in red without sheets.": [ + "heavy duty daycare sleeping cot red", + "heavy duty daycare sleeping cot in red", + "heavy duty daycare sleeping cot, red", + "daycare sleeping cot red", + "heavy duty daycare sleeping cot with sheets", + "heavy duty daycare sleeping cot", + "daycare sleeping cot in red", + "daycare sleeping cot red heavy duty", + "heavy duty daycare sleeping cot no sheets", + "red daycare sleeping cot" + ], + "i am looking for an original dry skin moisturizer that comes in a three pack.": [ + "original dry skin moisturizer three pack", + "original dry skin moisturizer that comes in a three pack", + "three pack dry skin moisturizer", + "3 pack of original dry skin moisturizer", + "natural dry skin moisturizer three pack", + "3 pack dry skin moisturizer", + "3 pack original dry skin moisturizer", + "an original dry skin moisturizer three pack", + "3 pack of original dry skin moisturizer, three pack", + "3 pack original dry skin moisturizer, three pack" + ], + "i would like a two pack of cruelty free lip balm in orange.": [ + "two pack of cruelty free lip balm in orange", + "two pack cruelty free lip balm in orange", + "two pack of cruelty free lip balm", + "two pack of cruelty free lip balm, orange", + "cruelty free lip balm in orange", + "2 pack of cruelty free lip balm in orange", + "two pack cruelty free lip balm", + "two pack of cruelty free lip balm orange", + "two packs of cruelty free lip balm in orange", + "two pack of cruelty free lip balm inorange" + ], + "i would like to buy a 12x16 inch white poster that has a solid wood frame and easy to install in my living room.": [ + "12x16 inch white poster", + "12x16 inch white poster for living room", + "white poster that has a solid wood frame", + "12x16 inch white poster in a living room", + "12x16 inch white poster living room", + "12 x16 inch white poster", + "12x16 inch white poster under $50", + "12x16 inch white poster under $40", + "12x16 inch white poster under $60", + "12x16 inch white poster, easy to install" + ], + "i would like yellow flats that have memory foam that are a size 9.5.": [ + "yellow flats with memory foam size 9.5", + "yellow flats size 9.5", + "yellow flats with memory foam 9.5", + "yellow flats 9.5", + "yellow flats 9.5 memory foam", + "yellow flats that are a size 9.5", + "yellow flats with memory foam", + "yellow flats memory foam size 9.5", + "yellow flats that have memory foam", + "yellow flats memory foam 9.5" + ], + "i'm looking for a high speed hdmi male to male cable.": [ + "high speed hdmi male to male cable", + "tv hdmi male to male cable", + "high speed hdmi male to male cable.", + "low speed hdmi male to male cable", + "hdmi male to male cable", + "high speed hdmi male to male cable system", + "tv hdmi male to male cable high speed", + "high speed hdmi cable", + "high speed hdmi male to male cable,", + "high speed hdmi male cable" + ], + "i want to find a 10-pack of male-to-female hdmi cables that are 20 feet long and plated with gold.": [ + "10-pack of male-to-female hdmi cables", + "10-pack of male-to-female hdmi cables with gold", + "10-pack of male-to-female hdmi cables that are 20 feet long", + "10-pack of male-to-female hdmi cables under $40", + "10-pack of male-to-female hdmi cables in gold", + "10-pack of male-to-female hdmi cables under $50", + "10-pack of male-to-female hdmi cables under $60", + "10-pack of male-to-female hdmi cables under 20 dollars", + "10-pack of male-to-female hdmi cables, 20 feet long", + "10 pack of male-to-female hdmi cables" + ], + "i want a high speed hdmi cable male to female.": [ + "high speed hdmi cable male to female", + "tv hdmi cable male to female", + "hdmi cable male to female", + "low speed hdmi cable male to female", + "tv hdmi cable male to female.", + "hdmi cable male to female", + " hdmi cable male to female", + "high speed hdmi cable female", + "tv dmi cable male to female", + "gmo cable male to female" + ], + "i would like to get a high quality black white lotion pump case.": [ + "black white lotion pump case", + "high quality black white lotion pump case", + "low quality black white lotion pump case", + "black white lotion pump case.", + "black white lotion pump case high quality", + "black white lotion pump case,", + "white lotion pump case", + "black white lotion pump case with quality", + "white lotion pump case high quality", + "bag case black white" + ], + "i would like to get a refurbished printer.": [ + "womens printer refurbished", + "furnished printer", + " refurbished printer", + " refurbished printer.", + " refurbished printer under $50", + "a refurbished printer.", + "refurnished printer", + " refurbished printer under $40", + "refurbished printer", + " refurbished printer under $60" + ], + "i need sugar free flavor syrup for soda that is 25.4 fl oz.": [ + "sugar free flavor syrup 25.4 fl oz", + "25.4 fl oz sugar free flavor syrup", + "sugar free flavor syrup 25.4 fl oz.", + "alcohol sugar free flavor syrup 25.4 fl oz", + "25.4 fl oz sugar free flavor syrup for soda", + "24.4 fl oz sugar free flavor syrup", + "alcohol flavor syrup 25.4 fl oz", + "28.4 fl oz sugar free flavor syrup", + "sugar free flavor syrup 25.4 fl oz flavor", + "25.4 fl oz flavor syrup" + ], + "i\u2019m looking for a large multi-pack of sweetener that contains no sugar; please pick the blue raspberry flavour.": [ + "large multi-pack of sweetener", + "blue raspberry pomegranate flavour", + "blue raspberry pomegranate flavor", + "blue raspberry flavour", + "pack of sweetener that contains no sugar", + "blue raspberry flavor", + "bag of sweetener that contains no sugar", + "blue raspberry pomegranate drink mix", + "blue raspberry spice multi-pack", + "bag of sweetener blue raspberry" + ], + "i would like to get a 16 x 24 inch poster with a ready to hang white frame.": [ + "16 x 24 inch poster", + "16 x 24 inch poster ready to hang white", + "16 x 24 inch poster under 30 dollars", + "16 x 24 inch poster under $50", + "16 x 24 inch poster under $40", + "16 x 24 inch poster under $60", + "16 x 24 inch poster under 50 dollars", + "16 x 24 inch poster in white", + "16 x 24 inch poster, ready to hang", + "16x 24 inch poster" + ], + "i need an intel core i3 cpu pc that has 16gb of ram and 24gb of ssd space.": [ + "intel core i3 cpu pc with 16gb of ram", + "intel core i3 cpu pc with 16gb of ram and 24gb ssd space", + "intel core i3 cpu pc with 16gb of ram with ssd space", + "intel core i3 cpu pc 16gb of ram and 24gb of ssd space", + "intel core i3 cpu pc that has 16gb of ram with ssd space", + "intel core i3 cpu pc 16gb of ram with ssd space", + "intel core i3 cpu pc with 16gb of ram, 24gb ssd space", + "intel core i3 cpu pc with 16gb of ram ssd space", + "intel core i3 cpu pc that has 16gb of ram", + "intel core i3 cpu pc 16gb of ram" + ], + "i would like to buy a small cyan bra that i can hand wash in the sink.": [ + "small cyan bra", + "small cyan bra under $50", + "small cyan bra in the sink", + "small cyan bra under $40", + "small cyan bra under $60", + "small cyan bra in a sink", + "small cyan bra under 50 dollars", + "small cyan bra, hand wash", + "small cyan bra under 30 dollars", + "small cyan bra, hand wash," + ], + "i would like to buy a 6 pack of 15 ounce fat free oyster sauce.": [ + "6 pack of 15 ounce fat free oyster sauce", + "8 pack of 15 ounce fat free oyster sauce", + "12 pack of 15 ounce fat free oyster sauce", + "5 pack of 15 ounce fat free oyster sauce", + "6 pack fat free oyster sauce", + "bottle of 15 ounce fat free oyster sauce", + "15 ounce fat free oyster sauce", + "6 pack of fat free oyster sauce", + "8 pack fat free oyster sauce", + "buffet oyster sauce 6 pack" + ], + "i would like a cosmetics bag that is water resistant and pineapple colored.": [ + " cosmetics bag that is water resistant and pineapple colored", + "beauty bag that is water resistant and pineapple colored", + "cl cosmetics bag that is water resistant and pineapple colored", + " cosmetics bag water resistant and pineapple colored", + "lip cosmetics bag that is water resistant and pineapple colored", + " cosmetics bag that is water resistant and pineapple colored.", + " cosmetics bag, water resistant and pineapple colored", + " cosmetics bag that is water resistant pineapple colored", + " cosmetics bag with water resistant and pineapple colored", + " cosmetics bag water resistant pineapple colored" + ], + "i would like six individually wrapped dessert gifts.": [ + "6 individually wrapped dessert gifts", + "pack of six individually wrapped dessert gifts", + "6 individually wrapped dessert gifts under $50", + "6 individually wrapped dessert gifts.", + "6 individually wrapped dessert gifts under $60", + "6 individually wrapped dessert gifts under 50 dollars", + "6 individually wrapped dessert gifts under 120 dollars", + "6 individually wrapped dessert gifts under 30 dollars", + "six individually wrapped dessert gifts", + "6 individually wrapped dessert gifts under $40" + ], + "i would like a 48 pack of 5 ounce wild caught albacore in water tuna.": [ + "pack of 5 ounce wild caught albacore in water tuna", + "albacore in water tuna 48 pack", + "48 pack wild caught albacore in water tuna", + "gluten-free albacore in water tuna 48 pack", + "48 pack wild albacore in water tuna", + "24 pack wild albacore in water tuna", + "48 pack of 5 ounce wild caught albacore in water", + "pack of 5 ounce wild caught albacore in water", + "gluten-free albacore in water tuna", + "48 pack of 5 ounce wild caught albacore" + ], + "i would like thierry mugler angel impression in a travel size bottle.": [ + "tierry mugler angel impression in a travel size bottle", + "thierry mugler angel impression in a travel size bottle", + " thierry mugler angel impression in a travel size bottle", + "stierry mugler angel impression in a travel size bottle", + "Thierry mugler angel impression in a travel size bottle", + "kierry mugler angel impression in a travel size bottle", + "tierry mugler angel impression travel size bottle", + "thierry mugler angel impression travel size bottle", + "teenry mugler angel impression in a travel size bottle", + "tierry mugler angel impression in a travel size" + ], + "i want to find date-sweetened pancake mix that is gluten free and includes only simple ingredients.": [ + "date-sweetened pancake mix that is gluten free", + "date-sweetened pancake mix gluten free", + "date-sweetened pancake mix", + "date-sweetened pancake mix with only simple ingredients", + "date-sweetened pancake mix with no sugar", + "date-sweetened pancake mix no sugar", + "date-sweetened pancake mix with no dairy", + "Date-sweetened pancake mix that is gluten free", + "date-sweetened pancake mix with no gluten", + "date-sweetened pancake mix, gluten free" + ], + "i am looking for a dome camera that has motion detection and is hd 360 degree.": [ + "dome camera hd 360 degree", + "dome camera with motion detection hd 360 degree", + "a dome camera with motion detection hd 360 degree", + "dome camera that has motion detection", + "dome camera with motion detection", + "dome camera that is hd 360 degree", + "dome camera with motion detection hd 360 degrees", + "sto camera hd 360 degree", + "dome camera hd 360 degrees", + "dome camera with motion detection hd 360" + ], + "find me a long handled body brush that is double sided.": [ + "long handled body brush double sided", + "long handled body brush", + "double sided body brush", + "long handled body brush with double sided", + "long handled body brush, double sided", + "long handled body brush double sided.", + "short handled body brush double sided", + "large handled body brush double sided", + "long handled body brush under $50", + "long handled body brush under $40" + ], + "i am looking for a sensitive night cream that does not have a fragrance.": [ + "night cream sensitive night cream", + "pink night cream sensitive night cream", + "synthetic night cream", + "tempered night cream with a fragrance", + "pink night cream with a fragrance", + "sensitive night cream with a fragrance", + "tempered night cream", + "sensitive night cream", + "pink night cream", + "synthetic night cream with fragrance" + ], + "i am looking for a castor oil with tee tree oils for black natural hair that can stimulate follicles and hair growth . it should be 4 ounce.": [ + "castor oil with tee tree oils for black natural hair", + "castor oil with tee tree oils for black natural hair 4 ounce", + "4 ounce castor oil with tee tree oils for black natural hair", + "Castor oil with tee tree oils for black natural hair", + "5 ounce castor oil with tee tree oils for black natural hair", + "tea tree oils for black natural hair 4 ounce", + "castor oil with tee tree oils black natural hair", + "castor oil with tee tree oils for black natural hair", + "castor oil for black natural hair 4 ounce", + "castor oil with tee tree oils" + ], + "i would like to buy a white floor lamp for my living room.": [ + "white floor lamp for living room", + "white floor lamp living room", + "living room white floor lamp", + "floor lamp for living room white", + "floor lamp for living room", + "floor lamp living room white", + "white floor lamp", + "floor lamp for my living room", + "floor lamp for the living room", + "floor lamp" + ], + "i need an alarm clock that is mint colored and has batteries included.": [ + "alarm clock mint colored", + "alarm clock mint colored with batteries", + "arm clock mint colored", + "italy clock mint colored", + "arm clock mint colored with batteries", + "mint colored alarm clock with batteries", + "italy colored alarm clock with batteries", + "italy clock mint colored with batteries", + "an alarm clock mint colored with batteries", + "an alarm clock mint colored" + ], + "seeking to find a mini reversible travel lcd alarm clock-radio controlled touch sensor light using aaa batteries included in color white or pink that is made by lexon flip plus.": [ + "mini reversible travel lcd alarm clock-radio controlled touch sensor light", + "mini reversible travel lcd alarm clock with aaa batteries", + " mini reversible travel lcd alarm clock-radio controlled touch sensor light", + "mini reversible travel lcd alarm clock-radio controlled touch sensor light white or pink", + "a mini reversible travel lcd alarm clock-radio controlled touch sensor light", + "moisturizing travel lcd alarm clock-radio controlled touch sensor light", + "mini reversible travel lcd alarm clock-radio controlled touch sensor light under $40", + "mini reversible travel lcd alarm clock-radio controlled touch sensor light under $50", + "mini reversible travel lcd alarm clock-radio controlled touch sensor light under 50 dollars", + "mini reversible travel lcd alarm clock" + ], + "i would like to buy some greeley size 28 slim fit jeans.": [ + "greeley size 28 slim fit jeans", + "greeley slim fit jeans", + "galey size 28 slim fit jeans", + "greeley jeans size 28 slim fit", + "greeley small 28 slim fit jeans", + "greeley jeans 28 slim fit", + "baggy size 28 slim fit jeans", + "galley size 28 slim fit jeans", + "greeley slim fit jeans.", + "greeley fit jeans" + ], + "i am looking for 12 cookies that are in a gift basket and are cherry flavored with white chips.": [ + "12 cookies cherry flavored with white chips", + "12 cookies cherry flavored", + "12 cherry flavored with white chips", + "12 cookies cherry flavored white chips", + "12 cookies with white chips", + "12 cherry flavored cookies", + "12 cookies in a gift basket", + "12 cookies under $50", + "12 cookies", + "12 cookies, cherry flavored" + ], + "i am looking for a perfect gift of cookies having flavor name assorted flavors.": [ + "sugar cookies flavor name assorted flavors", + "chocolate cookies flavor name assorted flavors", + "pink cookies flavor name assorted flavors", + "pack of cookies flavor name assorted flavors", + "pack of cookies with flavor name assorted flavors", + "sugar gift of flavor name assorted flavors", + "sneakers flavor name assorted flavors", + "sugar cookies with flavor name assorted flavors", + "moisturizing cookies flavor", + "sugar cookies flavor" + ], + "i want to find a black car charger with a usb port.": [ + "black car charger with a usb port", + "black car charger with usb port", + "black car charger with a usb port.", + "black car charger", + "black car charger with a usb port,", + "a black car charger with a usb port", + "black car charger, usb port", + "white car charger with a usb port", + "car charger with a usb port", + "black car charger usb port" + ], + "i am looking for a classic candle that has soy wax": [ + "classic candle with soy wax", + "classic candle that has soy wax", + "classic candle, soy wax", + "a classic candle that has soy wax", + "classic candle with soy wax under $40", + "synthetic candle with soy wax", + "classic candle with soy wax under $60", + "classic candle with soy wax under $50", + "classic candle with soy wax below $40", + "classic candle candle with soy wax" + ], + "i need a lightweight photography background that is 8 by 6 feet.": [ + "lightweight photography background 8 by 6 feet", + "light weight photography background 8 by 6 feet", + "aluminum photography background 8 by 6 feet", + " lightweight photography background that is 8 by 6 feet", + " lightweight photography background 8 by 6 feet", + "light weight photography background 8 by 6 feet lightweight", + "lightweight photography background", + "8 x 6 lightweight photography background", + "lightweight photography background 8 by 6 foot", + "light weight photography background" + ], + "i would like a pair of high quality hair clippers.": [ + "hair clippers high quality", + "hair clippers that are high quality", + "pair of high quality hair clippers", + "two high quality hair clippers", + "high quality hair clippers", + "hair clippers", + "high quality hair clippers.", + "hair clippers, high quality", + "two high quality hair clippers.", + "hair clippers." + ], + "i need a lake blue colored storage bench that is made of faux leather and is 60.40.42cm.": [ + "lake blue colored storage bench that is made of faux leather", + "Lake blue colored storage bench that is made of faux leather", + " lake blue colored storage bench that is made of faux leather", + "lake blue colored storage bench 60.40.42cm", + "Lake blue colored storage bench 60.40.42cm", + "lake blue colored storage bench, made of faux leather", + "lake blue colored storage bench", + "Lake blue colored storage bench", + " lake blue colored storage bench", + "a lake blue colored storage bench" + ], + "i would like to get a queen pink linen daybed with a wood frame.": [ + "queen pink linen daybed with a wood frame", + "queen pink linen daybed", + "queen pink linen daybed with wood frame", + " queen pink linen daybed with a wood frame", + "king of pink linen daybed with a wood frame", + "queen pink linen daybed wood frame", + "kingwoman pink linen daybed with a wood frame", + "queen pink linen daybed, wood frame", + "kingstown pink linen daybed with a wood frame", + "Queen pink linen daybed with a wood frame" + ], + "i would like a water resistant usb flash drive that has 32 gb of storage and is a05 color.": [ + "usb flash drive with 32gb storage", + "water resistant usb flash drive with 32gb storage", + "water resistant usb flash drive that has 32gb", + "usb flash drive with 32gb", + "water resistant usb flash drive with 32gb", + "usb flash drive with 32gb of storage", + "a05 water resistant usb flash drive", + "usb flash drive that has 32gb", + "water resistant usb flash drive", + "usb flash drive 32gb" + ], + "i need a case for my phone that is turquoise and has wireless charging capabilities.": [ + "turquoise phone case with wireless charging", + "turquoise phone case", + "turquoise wireless charging phone case", + " turquoise phone case with wireless charging", + "turquoise phone case wireless charging", + "turquoise phone case, wireless charging", + "turquoise phone case under $40", + "turquoise phone case under $50", + "turquoise phone case under $130", + "turquoise mobile phone case" + ], + "i am looking for some pants with an elastic waist that are x-small size and are khaki colored.": [ + "x-small pants in khaki colored", + "pants x-small size khaki colored", + "size x-small pants khaki colored", + "x-small pants khaki colored", + "stretch pants x-small", + "yoga pants x-small", + "sneakers x-small", + "walking pants x-small", + "pants x-small", + "size x-small pants" + ], + "i'm looking for a sofa table with wood finish for the living room.": [ + " sofa table wood finish for the living room", + " sofa table wood finish for living room", + " sofa table with wood finish for living room", + "living room sofa table wood finish", + "living room sofa table with wood finish", + " sofa table wood finish living room", + " sofa table with wood finish living room", + " sofa table with wood finish", + "furniture table with wood finish", + " sofa table wood finish" + ], + "i'm looking for a tempered glass cell phone case.": [ + "tempered glass cell phone case", + "tempered glass cell phone case.", + "tempered glass cell phone case under $40", + "tempered glass cell phone case under $50", + "tempered glass cell phone case under $60", + "tempered glass cell phone case,", + "tempered glass cell phone case, under $40", + "tempered glass cell phone case, under $60", + "tempered glass cell phone case, under $50", + "tempered glass phone case" + ], + "i am looking for some cookies that are plant based and peanut butter flavor, and would like a pack of 16.": [ + "plant based peanut butter cookies pack of 16", + "plant based peanut butter cookies pack of 16 pack", + "plant based peanut butter cookies 16 pack", + "plant based peanut butter flavor pack of 16", + "plant based peanut butter cookies", + "plant based peanut butter cookies pack of 16.", + "plant based peanut butter cookies, pack of 16", + "plant based peanut butter cookies 16 pack of 16", + "plant based peanut butter cookie pack of 16", + "plant based peanut butter cookies pack 16 pack" + ], + "i would like to buy a six pack of 12 ounce apricot dairy free bake mix.": [ + "pack of 12 ounce apricot dairy free bake mix", + "6 pack of 12 ounce apricot dairy free bake mix", + "bag of 12 ounce apricot dairy free bake mix", + "12 ounce apricot dairy free bake mix", + "6 pack of apricot dairy free bake mix", + "12 pack apricot dairy free bake mix", + "8 pack of apricot dairy free bake mix", + "12 pack of apricot dairy free bake mix", + "pack of 12 ounce apricot dairy free bake mix.", + "bag of 12 ounce apricot dairy free bake mix." + ], + "i am looking for freshly baked nut free kosher cookie pastry which is 12ounce in size.": [ + "fresh baked nut free kosher cookie pastry 12ounce", + "clinically baked nut free kosher cookie pastry 12ounce", + "fresh baked nut free kosher cookie pastry 12ounce in size", + "muffled baked nut free kosher cookie pastry 12ounce", + "vegan baked nut free kosher cookie pastry 12ounce", + "fresh baked nut free kosher cookie pastry which is 12ounce", + "pink baked nut free kosher cookie pastry 12ounce", + "mushroom nut free kosher cookie pastry 12ounce", + "packet baked nut free kosher cookie pastry 12ounce", + "fresh baked nut free kosher cookie pastry" + ], + "i would like a 12 ounce strawberry baking mix that is nut free.": [ + "12 ounce strawberry baking mix that is nut free", + "strawberry baking mix that is nut free", + "12 ounce strawberry baking mix nut free", + "12 ounce strawberry baking mix", + "pomegranate baking mix that is nut free", + "12 ounce strawberry baking mix that is nut free.", + "barberry baking mix that is nut free", + "strawberry baking mix nut free 12 ounce", + "12 ounce strawberry baking mix, nut free", + "strawberry baking mix nut free" + ], + "i would like to buy some size 7.5 gold high heeled shoes with a ankle strap.": [ + "size 7.5 gold high heeled shoes with a ankle strap", + "size 7.5 gold high heeled shoes", + " size 7.5 gold high heeled shoes with a ankle strap", + "size 7.5 gold high heeled shoes with ankle strap", + "size 7.5 gold high heeled shoes with an ankle strap", + "gold high heeled shoes with a ankle strap", + "5 gold high heeled shoes with a ankle strap", + "sneakers size 7.5 gold high heeled shoes", + "size 7.5 gold high heeled shoes, ankle strap", + "large heeled shoes with a ankle strap" + ], + "i'm looking for some gluten free jelly with black sesames.": [ + "gluten free jelly with black sesames", + "gluten free jelly", + "gluten free jelly, black sesames", + "gluten free jelly black sesames", + "gluten free Jelly with black sesames", + "gluten free jelly sesames", + "gluten free peanut butter jelly", + "gluten free jelly no sugar", + "gluten free jelly with black sames", + "gluten free jelly under $40" + ], + "i want a peanut butter with date spread that is gluten free.": [ + "peanut butter with date spread that is gluten free", + "pomegranate butter with date spread", + "lemon butter with date spread that is gluten free", + " peanut butter with date spread that is gluten free", + "peanut butter with date spread", + "butter peanut butter date spread that is gluten free", + "panut butter with date spread that is gluten free", + "butter peanut butter with date spread", + "pale butter with date spread that is gluten free", + "lemon butter with date spread" + ], + "i am looking for steel toe shoes for men that are a size 8.5 wide.": [ + "steel toe shoes for men size 8.5 wide", + "steel toe shoes size 8.5 wide", + "steel toe shoes for men 8.5 wide", + "steel toe shoes 8.5 wide", + "steel toe shoes for men", + "steel toe shoes for men size 8.5", + "steel toe shoes men size 8.5 wide", + "steel toe shoes for men small 8.5 wide", + "steel toe shoes size 8.5 wide.", + "steel toe shoes" + ], + "i need matte black pumps that have a rubber sole and that are in a us size 6.5.": [ + "matte black pumps in a us size 6.5", + "matte black pumps in a us size 6.5.", + "matte black pumps that have a rubber sole", + "team black pumps in a us size 6.5", + "stainless black pumps in a us size 6.5", + "team black pumps in a us size 6.5.", + "stainless black pumps us size 6.5", + "matte black pumps, us size 6.5", + "matte black pumps size 6.5", + "team black pumps that have a rubber sole" + ], + "i would like a linen 33x31x33 centimeter ottoman for my living room.": [ + "living room linen 33x31x33 centimeter ottoman", + " linen 33x31x33 centimeter ottoman", + " linen 33x31x33 centimeter ottoman for living room", + " linen 33x31x33 centimeter ottoman for my living room", + "womens 33x31x33 centimeter ottoman", + "a linen 33x31x33 centimeter ottoman", + "stainless 33x31x33 centimeter ottoman", + " linen 33x31x33 centimeter ottoman living room", + " linen 33x31x33 centimeter ottoman for living room.", + "alen 33x31x33 centimeter ottoman" + ], + "i want a size 8 pink high heeled shoe with a ankle strap.": [ + "size 8 pink high heeled shoe with a ankle strap", + "pink high heeled shoe with a ankle strap", + "pink high heeled shoe with a ankle strap size 8", + "size 8 pink high heeled shoe", + "size 8 pink high heeled shoe with a ankle strap.", + "size 8 pink high heeled shoe with a ankle strap,", + " size 8 pink high heeled shoe with a ankle strap", + "ps 8 pink high heeled shoe with a ankle strap", + "small pink high heeled shoe with a ankle strap", + "pink high heeled shoe" + ], + "i would like to get some second 5 sand long lasting foundation made from seed oil.": [ + "sand long lasting foundation made from seed oil", + "2 sand long lasting foundation made from seed oil", + "second 5 sand long lasting foundation made from seed oil", + "Second 5 sand long lasting foundation made from seed oil", + "sneakers made from seed oil", + "sand long lasting foundation made from seed oil.", + "2 sand long lasting foundation made from seed oil.", + "sand long lasting foundation made from seed oil,", + "2 sand long lasting foundation", + "sneakers" + ], + "i'm looking for a smart watch bands which is compatible for apple and easy to install. also choose black-red colored one.": [ + "smart watch bands compatible for apple", + "smart watch bands black-red", + "smart watch bands that are compatible for apple", + "smart watch bands compatible for apple black-red", + "smart watch bands compatible for apple black", + "smart watch bands, compatible for apple, black", + "smart watch bands compatible for apple easy to install", + "smart watch bands, compatible for apple", + "smart watch bands black", + "smart watch bands for apple" + ], + "i need a king size bedroom set with a wood finish.": [ + "king size bedroom set with a wood finish", + "king size bedroom set with wood finish", + "king size bedroom set wood finish", + "king size bedroom set", + "king size bedroom set with wood finish.", + "king size bedroom set, wood finish", + "king size bedroom set with wood finish,", + "king size bedroom set that a wood finish", + "king size bedroom set in wood finish", + "king size bedroom set of wood finish" + ], + "i'm looking for bedroom furniture with wood finish. choose ones that come in queen size and color of a475c.": [ + "living room furniture queen size and color of a475c", + "bedroom furniture queen size and color of a475c", + "bathroom furniture queen size and color of a475c", + "home office furniture queen size and color of a475c", + "home theater furniture queen size and color of a475c", + "living furniture queen size and color of a475c", + "home furniture queen size and color of a475c", + "living room furniture queen size color of a475c", + "living room furniture with wood finish", + "living room furniture queen size" + ], + "i would like to get some 52'' x 63'' x 2 christmas panels for my dining room.": [ + "50 x 63 x 2 christmas panels", + "52 x 63 x 2 christmas panels", + " 52 x 63 x 2 christmas panels", + "50 x 63 x 2 christmas panels for dining room", + "contains 52 x 63 x 2 christmas panels", + "52 x 63 x 2 christmas panels for dining room", + "bathroom panels 52 x 63 x 2 christmas panels", + "56 x 63 x 2 christmas panels", + " 52 x 63 x 2 christmas panels for dining room", + "12 x 63 x 2 christmas panels" + ], + "i need some toppers for cupcakes that are good for a birthday party and are gold.": [ + "cupcakes gold", + "toppers for cupcakes gold", + "cupcakes gold toppers for a baby shower", + "toppers for cupcakes", + "cupcakes gold for a baby shower", + "toppers for cupcakes gold for baby shower", + "toppers for cupcakes for a baby shower", + "cupcakes gold toppers for a birthday party", + "toppers for cupcakes that are gold", + "toppers for cupcakes gold for birthday party" + ], + "i need a long lasting box spring set in a queen size with an 8\" foundation.": [ + "long lasting box spring set in a queen size with an 8 foundation", + "queen size box spring set in a queen size with an 8 foundation", + "queen spring set in a queen size with an 8 foundation", + "lens spring set in a queen size with an 8 foundation", + "box spring set in a queen size with an 8 foundation", + "big and tall spring set in a queen size with an 8 foundation", + "king size box spring set in a queen size with an 8 foundation", + "big and tall box spring set in a queen size with an 8 foundation", + "long lasting box spring set in a queen size with an 8 foundation.", + "kingwoman box spring set in a queen size with an 8 foundation" + ], + "i would like a grey heeled sandal with a ankle strap for my 8.5 foot.": [ + "grey heeled sandal with a ankle strap", + "grey heeled sandal with a ankle strap 8.5 foot", + "grey heeled sandal with a ankle strap8.5 foot", + "grey heeled sandal 8.5 foot", + "grey heeled sandal, 8.5 foot", + "grey heeled sandal", + "grey heeled sandal with a ankle strap under $40", + "grey heeled sandal with ankle strap", + "grey heeled sandal, ankle strap", + "grey sandal with a ankle strap" + ], + "i want to find a smartwatch band that is compatible with my apple watch. it needs to come in 10 colors and i want it to be 38 millimeters long.": [ + "smartwatch band 38 millimeters long", + "smartwatch band 38 millimeter long", + "smartwatch band", + "watch band 38 millimeters long", + "smartwatch band in 10 colors", + "smartwatch band 38 millimeters", + "smartwatch band with 10 colors", + "smartwatch band with 38 millimeters", + "smartwatch band, 38 millimeters", + "smartwatch band 10 colors" + ], + "i'm looking for a loose fit and machine washable women's christmas t-shirt. i'm looking for a large blue t-shirt.": [ + "womens christmas t-shirt", + "large blue womens t-shirt", + "womens t-shirt", + "womens t-shirt large blue", + "large blue womens t-shirt.", + "womens t-shirt large", + "womens t-shirt.", + "tempered christmas t-shirt", + "large blue woman t-shirt", + "large blue t-shirt" + ], + "i need a pack of 2 apple compatible fast chargers in white.": [ + "2 apple compatible fast chargers in white", + "apple compatible fast chargers in white", + "two apple compatible fast chargers in white", + "pack of 2 apple compatible fast chargers", + "apple compatible fast chargers in white pack", + "1 apple compatible fast chargers in white", + "3 apple compatible fast chargers in white", + "pink fast chargers in white", + "apple compatible fast chargers white", + "2 apple compatible fast chargers" + ], + "i would like some curtains for my living room that are blue orange and are 108\" by 90\".": [ + "blue orange living room curtains 108 by 90", + "blue orange curtains for living room", + "blue orange curtains that are 108 by 90", + "blue orange and 108 by 90 curtains", + "blue orange curtains for my living room", + "blue orange curtains for the living room", + "blue orange living room curtains", + "blue orange living room curtains 108 by 90.", + "blue orange curtains that are 108 by 90.", + "blue orange curtains" + ], + "i want to find a 5-piece nail art set with a variety of polishes.": [ + "5-piece nail art set with a variety of polishes", + "5-piece nail art set", + " 5-piece nail art set with a variety of polishes", + "nude art set with a variety of polishes", + "5-piece nail art set, a variety of polishes", + "5-piece nail art set, variety of polishes", + "5 piece nail art set with a variety of polishes", + "nail art set with a variety of polishes", + "5-piece nail art set with a variety of polishing", + "beauty set with a variety of polishes" + ], + "i'm looking for a pair of water resistant brown pants.": [ + "pair of water resistant brown pants", + "water resistant brown pants", + "two water resistant brown pants", + "womens water resistant brown pants", + "womens brown pants", + "water resistant brown pants under $40", + "water resistant brown pants under $50", + "two water resistant brown pants under $40", + "two water resistant brown pants under $50", + "two water resistant brown pants under $60" + ], + "i'd like to find gold cupcake toppers that i can use for a birthday party.": [ + "cupcake toppers gold for a baby shower", + "cupcake toppers for a baby shower", + "pink cupcake toppers for a baby shower", + "gold cupcake toppers for a baby shower", + "cupcake toppers gold for baby shower", + "gift cupcake toppers for a baby shower", + "plastic cupcake toppers for a baby shower", + "pink cupcake toppers for baby shower", + "cupcake toppers for baby shower", + "cupcake toppers for a baby shower gold" + ], + "i'm looking for a 24 pack of rose gold cupcake picks for my upcoming baby shower.": [ + "24 pack of rose gold cupcake picks for a baby shower", + "24 pack of rose gold cupcake picks for baby shower", + "24 pack rose gold cupcake picks for a baby shower", + "23 pack of rose gold cupcake picks for a baby shower", + "24 pack of rose gold cupcake picks", + "24 pack of rose gold cupcake pick for a baby shower", + "rose gold cupcake picks for a baby shower", + "25 pack of rose gold cupcake picks for a baby shower", + "23 pack rose gold cupcake picks for a baby shower", + "24 pack rose gold cupcake picks for baby shower" + ], + "i need to buy some pink cupcake toppers for a baby shower.": [ + "pink cupcake toppers baby shower", + "pink baby shower cupcake toppers", + "pink cupcake toppers for baby shower", + "pink cupcake toppers, baby shower", + "pink baby shower cupcake toppers pink", + "pink cupcake toppers baby shower.", + "pink cupcake toppers", + "cupcake toppers for a baby shower", + "pink cupcake toppers a baby shower", + "pink baby shower toppers" + ], + "i want to buy a small ponytail made up of synthetic hair, colour 6tr. thanks.": [ + "small ponytail made up of synthetic hair colour 6tr", + "small ponytail made up of synthetic hair, colour 6tr", + "small ponytail made up of synthetic hair", + "small ponytail made up of synthetic hair colour 6tr.", + "small ponytail made up of synthetic hair in colour 6tr", + "small ponytail made up of synthetic hair color 6tr", + "small ponytail made up of synthetic hair colour 6tr,", + "ponytail made up of synthetic hair colour 6tr", + "small ponytail, colour 6tr", + "small ponytail" + ], + "i want to find a 6-count pack of thyme leaf tea bags that are usda certified organic.": [ + "6-count pack of thyme leaf tea bags", + "6 count pack of thyme leaf tea bags that are usda certified organic", + "6-count pack of thyme leaf tea bags usda certified organic", + "6-count pack of thyme leaf tea bags, usda certified organic", + "6-count pack of thyme leaf tea bags that are usda certified", + "6 count pack of thyme leaf tea bags", + "6-count pack of thyme leaf tea bags with usda certified organic", + "6 count pack of thyme leaf tea bags usda certified organic", + "6 count pack of thyme leaf tea bags, usda certified organic", + "6 count pack of thyme leaf tea bags that are usda certified" + ], + "i am looking for organic india tea bags . it should be usda organic certified.": [ + "organic india tea bags", + "organic india tea bags usda organic", + "organic india tea bags ethically certified", + "organic india tea bags usda certified", + "organic india tea bags usda", + "organic india tea bags ethylene", + "organic india tea bags with usda", + "organic india tea bags organic", + "organic india tea bags natural", + "antia tea bags" + ], + "i want certified organic irish breakfast iced tea bags in the 1 pound pack, and they need to be mint flavor. they are also by fgo and blended in the usa.": [ + "i want certified organic irish breakfast iced tea bags in the 1 pound pack. they are also by fgo and blended in the usa.", + "i want certified organic irish breakfast iced tea bags in the 1 pound pack, and they are also by fgo and blended in the usa.", + "i want certified organic irish breakfast iced tea bags in the 1 pound pack, and they need to be mint flavor, and price lower than 50.00 dollars", + "i want certified organic irish breakfast iced tea bags in the 1 pound pack, and they need to be fgo and blended in the usa.", + "1 pound pack of certified organic irish breakfast iced tea bags", + "3 pound pack of certified organic irish breakfast iced tea bags", + "1 pound pack of fgo iced tea bags", + "idish breakfast iced tea bags with mint flavor", + "1 pound pack of iced tea bags", + "1 pound pack of fresh mint tea" + ], + "i'd like to order some darjeeling tea. make sure it's certified organic.": [ + "darjeeling tea", + "darjeeling tea certified organic", + "darjeeling tea tea", + "darjeeling tea natural", + "darjeeling tea no sugar", + "darjeeling tea with quality", + "darjeeling tea drink", + "bagjeeling tea", + "toothpaste tea", + "a tea tea" + ], + "i'm looking for certified organic it is easy to use and it is for grocery.": [ + "easy to use certified organic grocery", + "easy to use certified organic groceries", + "easy to use certified organic", + "easy to use certified organic grocer", + "easy clean certified organic grocery", + "easy setup certified organic grocery", + "easy clean certified organic groceries", + "certified organic grocery", + "certified organic groceries", + "certified organic" + ], + "i would like 36 packets of black tea bags that are usda certified organic.": [ + "bag of black tea bags usda certified organic", + "black tea bags usda certified organic", + "black tea bags that are usda certified organic", + "bag of black tea bags usda certified", + "pack of black tea bags usda certified organic", + "black tea bags usda certified", + "green tea bags usda certified organic", + "black tea bags that are usda certified", + "green tea bags usda certified", + "pack of black tea bags usda certified" + ], + "i want usda organic black tea bags.": [ + "usda organic black tea bags", + "i want usda organic black tea bags.", + "im looking for usda organic black tea bags.", + "usda organic black tea bags.", + "pack of usda organic black tea bags", + "weda organic black tea bags", + "usda organic black tea bags,", + "natural black tea bags usda organic", + "etda organic black tea bags", + "natural black tea bags" + ], + "i want to find 1 lb of organic breakfast tea bags in raspberry flavor.": [ + "1 lb of organic breakfast tea bags in raspberry flavor", + "one lb of organic breakfast tea bags in raspberry flavor", + "1 lb organic breakfast tea bags in raspberry flavor", + "pack of organic breakfast tea bags in raspberry flavor", + "1 lb of organic breakfast tea bags", + "1 lb of organic breakfast tea bags, raspberry flavor", + "1 lb of organic breakfast tea bags with raspberry flavor", + "1 lb of organic breakfast tea bag in raspberry flavor", + "organic breakfast tea bags in raspberry flavor", + "natural breakfast tea bags in raspberry flavor" + ], + "i want to find a black king-sized mattress foundation that is 4 inches in width. it needs to come fully assembled already.": [ + "black king-sized mattress foundation", + "black king-sized mattress foundation that is 4 inches", + "black king-size mattress foundation", + "black king-sized mattress foundation 4 inches in width", + "black king-sized mattress foundation 4 inches", + "black king-sized mattress foundation, 4 inches", + "black king-size mattress foundation that is 4 inches", + "black king-sized mattress foundation 4 inches long", + "4 ft mattress foundation", + "king-sized mattress foundation" + ], + "i need a fully assembled black box spring set that is queen sized.": [ + "queen sized black box spring set", + "living room black box spring set queen sized", + "king size black box spring set queen sized", + "black box spring set that is queen sized", + "black box spring set queen sized", + "king size black box spring set", + "kingwoman black box spring set", + "full assembled black box spring set queen sized", + "black box spring set that is queen sized.", + "full assembled black box spring set queen sized." + ], + "i would like to buy some size 30 dark blue 405 slim fit jeans.": [ + "size 30 dark blue 405 slim fit jeans", + "slim fit jeans size 30 dark blue", + "slim fit jeans size 30", + " size 30 dark blue 405 slim fit jeans", + "small dark blue 405 slim fit jeans", + "dark blue 405 slim fit jeans size 30", + "dark blue 405 slim fit jeans", + "large blue 405 slim fit jeans", + "slim fit jeans in size 30", + "slim fit jeans" + ], + "i need an xx-large tunic that is made of polyester spandex.": [ + "xxl tunic made of polyester spandex", + "xx-large tunic made of polyester spandex", + " xx-large tunic made of polyester spandex", + "xxl tunic made from polyester spandex", + "xx-large tunic made from polyester spandex", + "xxl tunic made of polyester spandex.", + "xxl tunic polyester spandex", + "xx-large tunic polyester spandex", + "xxl tunic", + "xx-large tunic" + ], + "i want a xx-large st. jubileens women roll-up plaid shirt that is machine washable.": [ + "xxl st. jubileens women roll-up plaid shirt", + "xxl women roll-up plaid shirt that is machine washable", + "xxl woman roll-up plaid shirt that is machine washable", + "xxl women roll-up plaid shirt", + "xx-large women roll-up plaid shirt that is machine washable", + "xxl womens roll-up plaid shirt that is machine washable", + "xxl jubileens women roll-up plaid shirt", + "xxl woman roll-up plaid shirt", + "xxl womens roll-up plaid shirt", + "xxl women roll-up plaid shirt under $50" + ], + "i would like some blue noise cancelling headphones": [ + "blue noise cancelling headphones", + "blue noise cancelling headphones under $40", + "blue noise cancelling headphones that cost less than 50 dollars", + "blue noise cancelling headphones under $50", + "blue noise cancelling headphones under $60", + "blue noise cancelling headphones that cost less than $40", + "blue noise cancelling headphones under 50 dollars", + "blue noise cancelling headphones under $130", + "blue noise cancelling headphones,", + "blue noise cancelling" + ], + "will you find me a long sleeve sweater in dark blue? size medium.": [ + "long sleeve sweater in dark blue", + "dark blue long sleeve sweater", + "dark blue sweater long sleeve medium", + "dark blue sweater long sleeve", + "dark blue sweater in dark blue", + "dark blue sweater", + "long sleeve sweater dark blue", + "short sleeve sweater in dark blue", + "lens sweater in dark blue", + "dark blue shirt long sleeve sweater" + ], + "i'm looking for a teeth whitening toothpaste with natural ingredients that gives fresh breath and used for sensitive teeth.": [ + "teeth whitening toothpaste sensitive teeth", + "teeth whitening toothpaste for sensitive teeth", + "teeth whitening toothpaste with natural ingredients", + "teeth whitening toothpaste", + "toothpaste natural teeth whitening", + "teeth whitening toothpaste natural teeth", + "toothpaste natural teeth whitening sensitive teeth", + " teeth whitening toothpaste sensitive teeth", + "toothpaste natural", + "toothpaste" + ], + "i would like to get a 10 inch sea salt and ginger jar candle for my living room.": [ + "sea salt and ginger jar candle for living room", + "sea salt and ginger jar candle", + "sea salt and ginger jar candle living room", + "sea salt and ginger jar candle for the living room", + "sea salt and ginger jar candle for my living room", + "sea salt and ginger jar candle, 10 inches", + "sea salt and ginger jar candle for a living room", + "sea salt and ginger jar candle for living room.", + "sea salt and ginger jar candle living room 10 inches", + "10 inch sea salt and ginger jar candle" + ], + "i am looking for a teal scented soy wax jar candle for my living room. also, choose the size 15 oz.": [ + "teal scented soy wax jar candle", + "teal scented soy wax jar candle 15 oz", + "teal scented soy wax jar candle size 15 oz", + "teal scented soy wax jar candle, size 15 oz", + "teal scented soy wax jar candle for living room", + "teal scented soy wax jar candle that is 15 oz", + "teal scented soy wax jar candle, 15 oz", + "teal scented soy wax jar candle for my living room", + "teal scented soy wax candle", + "teal scented soy wax candles" + ], + "i am looking for open toe sandals in z3 black that are size 6.5-7.": [ + "open toe sandals in z3 black", + "open toe sandals in z3 black size 6.5-7", + "open toe sandals size 6.5-7", + "open toe sandals size 6.5-7.", + "open toe sandals z3 black size 6.5-7", + "open toe sandals z3 black size 6.5-7.", + "open toe sandals z3 black", + "open toe sandals size 6.5-7,", + "open toe sandals size 6.5-7.5", + "open toe sandals" + ], + "i would like to get a a1 10 x 10 ft high def photo background.": [ + "a1 10 x 10 ft high def photo background", + "a1 x 10 ft high def photo background", + "a110 x 10 ft high def photo background", + "a1 9 x 10 ft high def photo background", + "a1 10 x 10 ft high def photo backdrop", + "1 10 x 10 ft high def photo background", + "10 x 10 ft high def photo background", + "a1 10 x 10 ft photo background", + "a1 10 x 10 ft high def", + "8 ft high def photo background" + ], + "i'm looking for a can of wild caught sardines in tomato sauce.": [ + "wild sardines in tomato sauce", + "can of wild caught sardines in tomato sauce", + "can of wild sardines in tomato sauce", + "pack of wild sardines in tomato sauce", + "strawberry sardines in tomato sauce", + "wild sardines tomato sauce", + "garden sardines in tomato sauce", + "wild sardines in tomato sauce under $40", + "sardines in tomato sauce", + "wild sardines in tomato sauce under $60" + ], + "i am looking for a gray body brush that is easy to clean.": [ + "gray body brush", + "gray body brush easy to clean", + "gray body brush, easy to clean", + "gray body brush easy clean", + "womens gray body brush", + "gray body brush easy to clean.", + "gray body brush, easy clean", + "womens body brush", + "gray body brush under $40", + "gray body brush clean" + ], + "i would like to buy a xxl red loose fit hoodie.": [ + "xxl red loose fit hoodie", + "xxl red loose fit hoodie.", + " xxl red loose fit hoodie", + "xxl red loose fit hoodie under 50 dollars", + "xxl red loose fit hoodie under $50", + "xxl red loose fit hoodie under $40", + "xxl red loose fit hoodie under 30 dollars", + "xxl red loose fit hoodie under $60", + "xxl red loose fit hoodie under 40 dollars", + "xxl red loose fit hoodie under 60 dollars" + ], + "i need a high power sound bar that is black.": [ + "high power sound bar that is black", + "black high power sound bar that is black", + "black high power sound bar", + "high power sound bar black", + "white high power sound bar that is black", + "low power sound bar that is black", + "black high power sound bar, high power", + "high power sound bar in black", + "high power sound bar that is black.", + "black high power sound bar with high power" + ], + "i would like a brown desk chair that has lumbar support for my back.": [ + "brown desk chair with lumbar support", + "brown desk chair that has lumbar support", + "brown desk chair lumbar support", + " brown desk chair with lumbar support", + "brown desk chair, lumbar support", + "brown desk chair lumbar support for my back", + "wooden desk chair that has lumbar support", + "wooden desk chair with lumbar support", + "white desk chair with lumbar support", + "wooden chair with lumbar support" + ], + "i am looking for a green table lamp for the living room.": [ + "green table lamp for living room", + "green table lamp for the living room", + "green table lamp living room", + "green table lamp for living room.", + "living room green table lamp", + "green table lamp in the living room", + "living room table lamp green", + "green table lamp for dining room", + "green table lamp, living room", + "living room table lamp green table lamp" + ], + "i am looking for white day comfort walking shoes that are in a size 8.": [ + "white day comfort walking shoes size 8", + "white day walking shoes in a size 8", + "white day comfort walking shoes", + "white day walking shoes size 8", + "white day comfort walking shoes, size 8", + "white day comfort walking shoes a size 8", + "white day walking shoes", + "white day walking shoes, size 8", + "walking shoes in a size 8", + "white day comfort walking shoes in size 8" + ], + "i'm looking for a mini 11th gen core i7-11700 desktop pc. it needs to have a usb port and 64 gigabytes of storage space on the ram.": [ + "mini 11th gen core i7-11700 desktop pc with a usb port", + "mini 11th gen core i7-11700 desktop pc with usb port", + "desktop pc mini 11th gen with usb port and 64 gigabytes of storage space", + "desktop pc mini 11th gen with usb port", + "mini 11th gen core i7-11700 desktop pc", + "desktop pc mini 11th gen with a usb port", + "tablet 11th gen i7-11700 with usb port", + "desktop pc mini 11th gen", + "tablet 11th gen with a usb port", + "i7-11700 desktop pc with a usb port" + ], + "i'm looking for a desktop computer with the following configuration: 16gb ram 1tb ssd and a usb port.": [ + "desktop computer with the following configuration 16gb ram 1tb ssd and a usb port", + "desktop computer with the following configuration: 16gb ram 1tb ssd and usb port", + "desktop computer with the following configuration 16gb ram 1tb ssd with a usb port", + "desktop computer with the following configuration", + "desktop computer with a 16gb ram 1tb ssd and a usb port", + "desktop computer with the following configuration: 16gb ram 1tb ssd", + "desktop computer with the following configuration: 16gb ram 1tb ssd, usb port", + "desktop computer with the following configuration 16gb ram 1tb ssd", + "desktop computer with the following configuration with 16gb ram 1tb ssd and usb port", + "desktop computer with the following configuration with a usb port" + ], + "i'm looking for a mini desktop pc with windows 11, double display 4k resolution.": [ + "desktop pc with windows 11, double display 4k resolution", + "desktop pc with windows 11, double display 4k", + "desktop pc with windows 11 with double display 4k resolution", + "mini desktop pc with windows 11, double display 4k", + "tablet pc with windows 11, double display 4k", + "desktop pc with windows 11 with double display 4k", + "desktop pc with windows 11 double display 4k resolution", + "desktop pc with windows 11 with 4k resolution", + "desktop pc with windows 11", + "mini desktop pc with windows 11" + ], + "i would like some pink noise cancelling earbuds that work with my iphone.": [ + "pink noise cancelling earbuds", + "pink noise cancelling earbuds with iphone", + "pink noise cancelling earbuds for iphone", + "pink noise cancelling earbuds iphone", + "pink noise cancelling earbuds with an iphone", + "pink noise cancelling earbuds with my iphone", + "pink noise cancelling earbuds, iphone", + "pink noise cancelling earbuds with a iphone", + "pink noise cancelling earbuds under $40", + "pink noise cancelling earbuds for iphone." + ], + "i need a light weight printed backdrop to use with digital photography. it should be 8 by 12 feet in size.": [ + "light weight printed backdrop digital photography 8 by 12 feet", + "light weight printed backdrop for digital photography", + "light weight printed backdrop for digital photography 8 by 12 feet", + "light weight printed backdrop to use with digital photography", + "light weight printed backdrop digital photography", + "light weight print backdrop for digital photography 8 by 12 feet", + "light weight print backdrop for digital photography", + "light weight print backdrop digital photography 8 by 12 feet", + "light weight printed backdrop with digital photography", + "light weight print backdrop to use with digital photography" + ], + "i am looking for a 6 foot by 9 foot light weight vinyl backdrop with different size fish motifs.": [ + "6 foot by 9 foot light weight vinyl backdrop", + "6 foot x 9 foot light weight vinyl backdrop", + "6 foot by 9 foot vinyl backdrop", + "6 foot by 9 foot vinyl backdrop with different size fish motif", + "6 foot by 9 foot light weight vinyl backdrop under 30 dollars", + "6 foot by 9 foot light weight vinyl backdrop under $50", + "6 foot by 9 foot light weight vinyl backdrop fish motifs", + "6 foot by 9 foot light weight vinyl backdrop under $40", + "6 foot by 9 foot heavy weight vinyl backdrop", + "6 foot by 9 foot light weight vinyl backdrop," + ], + "i want to get a bundle of freeze dried pineapples that are 8 oz.": [ + "freeze dried pineapples 8 oz", + "28 freeze dried pineapples that are 8 oz", + "freeze dried pineapples that are 8 oz", + "pack of freeze dried pineapples 8 oz", + "28 freeze dried pineapples", + "pack of freeze dried pineapples", + "8 oz freeze dried pineapples", + "pink dried pineapples 8 oz", + "28 freeze dried pineapples under $60", + "28 freeze dried pineapples under $40" + ], + "i want to buy a bag of organic, chocolate covered, freeze dried strawberry slices, vegan ones please.": [ + "bag of organic, chocolate covered, freeze dried strawberry slices", + "bag of organic, chocolate covered, freeze dried strawberry slices, vegan", + "bag of organic, chocolate covered, freeze dried strawberry slices vegan", + "bag of organic, chocolate covered, freeze dried strawberry slices vegan ones", + "pack of organic, chocolate covered, freeze dried strawberry slices", + "bag of organic, chocolate covered strawberry slices, vegan ones please.", + "bag of organic chocolate covered, freeze dried strawberry slices", + "bag of organic, chocolate covered strawberries slices", + "organic, chocolate covered, freeze dried strawberry slices", + "bag of organic, chocolate covered strawberry slices" + ], + "find me freeze dried chocolate covered strawberries and mango, need a bag with 2.5 ounce": [ + "freeze dried chocolate covered strawberries and mango bag", + "freeze dried strawberries and mango bag with 2.5 ounce", + "freeze dried chocolate covered strawberries and mango", + "frozen dried strawberries and mango bag with 2.5 ounce", + "freeze dried chocolate covered strawberries and mango 2.5 ounce", + "freeze dried strawberries and mango bag", + "strawberry covered strawberries and mango bag", + "freeze dried strawberries and mango 2.5 ounce", + "freeze dried strawberries and mango 2.5 ounce bag", + "freeze dried strawberries and mango" + ], + "i am looking for a bundle of freeze dried fruits": [ + "freeze dried fruits bundle", + "freeze dried fruits", + "pack of freeze dried fruits", + "freeze dried fruits bundle freeze dried", + "freeze dried fruits under $40", + "freeze dried fruits under $50", + "freeze dried fruits under $60", + "freeze dried fruits under 50 dollars", + " freeze dried fruits bundle", + "frozen dried fruits bundle" + ], + "i need a bag of freeze dried strawberries.": [ + "bag of freeze dried strawberries", + "pack of freeze dried strawberries", + "bag of freeze dried strawberries.", + "bag of freeze dried strawberries freeze dried", + "bag of freeze dried strawberries under $40", + "bag of freeze dried strawberries under $50", + "bag of freeze dried strawberries under $60", + "bag of freeze dried strawberries under 50 dollars", + "bag of freeze dried strawberries under 30 dollars", + "bag of freeze dried strawberries under 60 dollars" + ], + "i want natierra freeze dried strawberry slices.": [ + "natierra freeze dried strawberry slices", + "natierra freeze dried strawberry slices.", + "natierra freeze dried strawberry slices under $50", + "natierra freeze dried strawberry slices under $40", + "natierra freeze dried strawberry slices under $60", + "natierra freeze dried strawberry slices under 50 dollars", + "natierra freeze dried strawberry slices below $50", + "natierra freeze dried strawberry slices below $40", + "natierra freeze dried strawberries slices", + "natierra freeze dried strawberries" + ], + "i would like non gmo mango slices": [ + "non gmo mango slices", + "non gmo mango slices under $40", + "non gmo pomegranate slices", + "non gmo mango slices non gmo", + "non-gmo mango slices", + "non gmo mango slices under $50", + "non gmo mango slices no gmo", + "non gmo mango slices under $60", + "non gmo mango slices under 50 dollars", + "non gmo mango slices below $40" + ], + "i'm looking for a usda organic freeze dried fruits which should be covered in chocolate. also, choose a pack of 1 weighing 1.5 ounce bag with pomegranate arils flavored one.": [ + "pack of 1 weighing 1.5 ounce bag pomegranate arils flavored", + "usda organic freeze dried fruits pomegranate arils flavored pack of 1", + "usda organic freeze dried fruits pomegranate arils flavored pack", + "usda organic freeze dried fruits chocolate pack of 1 weighing 1.5 ounce bag", + "usda organic freeze dried fruits with pomegranate arils flavored pack", + "usda organic freeze dried fruits with pomegranate arils flavor", + "usda organic freeze dried fruits that should be covered in chocolate", + "usda organic freeze dried fruits which should be covered in chocolate", + "pack of 1 pomegranate arils flavored", + "pack of 1 pomegranate arils flavored fruit" + ], + "i am looking for a bag of chocolate covered strawberry slices.": [ + "bag of chocolate covered strawberry slices", + "chocolate covered strawberry slices", + "bag of chocolate covered strawberry slices.", + "chocolate covered strawberry slices under $40", + "chocolate covered strawberry slices.", + "chocolate covered strawberry slices under $50", + "a bag of chocolate covered strawberry slices", + "pack of chocolate covered strawberry slices", + "bag chocolate covered strawberry slices", + "bag of strawberry slices" + ], + "i'm looking for freeze dried chocolate covered dried fruit with bananas and strawberries flavor in a 1 ounce sized bag.": [ + "freeze dried chocolate covered dried fruit with bananas and strawberries flavor in a 1 ounce sized bag", + "freeze dried chocolate covered dried fruit banana and strawberries flavor in a 1 ounce sized bag", + "stainless dried fruit with bananas and strawberries flavor in a 1 ounce sized bag", + "freeze dried chocolate covered dried fruit with banana and strawberries flavor in a 1 ounce sized bag", + "freeze dried chocolate covered dried fruit with bananas and strawberries flavor", + " freeze dried chocolate covered dried fruit with bananas and strawberries flavor in a 1 ounce sized bag", + "strawberry covered dried fruit with bananas and strawberries flavor in a 1 ounce sized bag", + "stainless dried fruit banana and strawberries flavor in a 1 ounce sized bag", + "freeze dried chocolate covered dried fruit banana and strawberries flavor in a 1 ounce sized bag.", + "stainless dried fruit with bananas and strawberries flavor" + ], + "i am looking for a bag of usda organic freeze dried chocolate covered strawberry slices.": [ + "bag of usda organic freeze dried chocolate covered strawberry slices", + "bag of usda organic freeze dried strawberry slices", + "bag of usda organic freeze dried strawberries slices", + "pack of usda organic freeze dried chocolate covered strawberry slices", + "bag of usda organic freeze dried strawberry slices.", + "pack of usda organic freeze dried strawberry slices", + "bag of usda organic freeze dried strawberries slices.", + "bag of usda organic freeze dried strawberries", + "natierra organic freeze dried strawberry slices", + "bag of usda organic covered strawberry slices" + ], + "i would like a bag of chocolate covered streawberries and blueberries.": [ + "bag of chocolate covered streawberries and blueberries", + "bag of chocolate covered streawberries and blueberries.", + "chocolate covered streawberries and blueberries", + "pack of chocolate covered streawberries and blueberries", + "a bag of chocolate covered streawberries and blueberries", + "bag of chocolate covered streawberries and blueberries", + "bag chocolate covered streawberries and blueberries", + "bag of chocolate covered streawberries with blueberries", + "bag of chocolate covered streawberries", + "bag of chocolate covered streawberries blueberries" + ], + "i want to buy a bundle of freeze dried mangoes and strawberries. they should be organic and non-gmo.": [ + "freeze dried mangoes and strawberries", + "pack of freeze dried mangoes and strawberries", + "freezer dried mangoes and strawberries", + "freeze dried mangoes and strawberries under $40", + "freeze dried mangoes and strawberries under 50 dollars", + "freeze dried mangoes and strawberries under $50", + "freeze dried mangoes and strawberries no gmo", + " freeze dried mangoes and strawberries", + "banana dried mangoes and strawberries", + "mango mangoes and strawberries" + ], + "i would like a high performance black tablet that has a 9.7 inch screen.": [ + "black tablet with a 9.7 inch screen", + "black tablet with 9.7 inch screen", + "high performance black tablet 9.7 inch", + "high performance black tablet 9.7 inch screen", + "black tablet 9.7", + "9.7 inch black tablet", + "black tablet 9.7 inch", + "9.7 inch black tablet with high performance", + "high performance black tablet 9.7", + "high performance black tablet with 9.7 inch" + ], + "i'm looking for a height adjustable with pendant light chandelier for living room and dining room. also, choose 8008pl-10light in size.": [ + "height adjustable pendant light chandelier for living room", + "height adjustable pendant light chandelier dining room", + "height adjustable pendant light chandelier", + "height adjustable pendant light chandelier living room", + "height adjustable with pendant light chandelier dining room", + "height adjustable with pendant light chandelier for living room", + "height adjustable pendant light chandelier dining room in size", + "height adjustable pendant light chandelier in size", + "height adjustable with pendant light chandelier", + "height adjustable pendant light dining room" + ], + "i need a stainless steel watch with a blue camo top.": [ + "stainless steel watch with blue camo top", + "stainless steel watch", + "stainless steel watch, blue camo top", + " stainless steel watch with a blue camo top", + "stainless steel watch in blue camo top", + "stainless steel watch with camo top", + "stainless steel camo top", + "stainless steel watch with a blue camo", + "stainless steel camo top watch", + "stainless steel watch under $50" + ], + "i am looking for a painted stainless steel 20mm replacement watch band.": [ + "20mm replacement watch band", + "28 stainless steel 20mm replacement watch band", + "20mm replacement watch band painted stainless steel", + "20mm watch band painted stainless steel", + "pink stainless steel 20mm watch band", + "portrait stainless steel 20mm watch band", + "10mm replacement watch band", + "23mm replacement watch band", + "18mm replacement watch band", + "19mm replacement watch band" + ], + "i would like a cruelty-free coconut scented shampoo.": [ + "cruelty-free coconut scented shampoo", + "cruelty free coconut scented shampoo", + "cruelty free coconut scented shampoo.", + "crueltyfree coconut scented shampoo", + " cruelty-free coconut scented shampoo", + "cruelty and scented shampoo", + "cruelty-free coconut shampoo", + "animal scented shampoo cruelty free", + "cruelty-free shampoo", + "animal scented shampoo" + ], + "i need a blink outdoor camera kit that has motion detection.": [ + " blink outdoor camera kit with motion detection", + " blink outdoor camera kit that has motion detection", + "i need a blink outdoor camera kit that has motion detection.", + " blink outdoor camera kit", + "wink outdoor camera kit with motion detection", + "womens outdoor camera kit with motion detection", + "im looking for an outdoor camera kit that has motion detection.", + "pink outdoor camera kit with motion detection", + "glink outdoor camera kit with motion detection", + " blink outdoor camera kit, motion detection" + ], + "i need a four piece shower cap that is for natural hair.": [ + "4 piece shower cap for natural hair", + "four piece shower cap for natural hair", + "bathroom cap for natural hair", + "natural hair shower cap four piece", + "three piece shower cap for natural hair", + "4 piece shower cap natural hair", + "bathroom cap natural hair four piece", + "4 piece shower cap", + "four piece shower cap", + "bathroom cap" + ], + "i would like to buy some easy to install pendant lights for my living room.": [ + "pendant lights for living room", + "easy to install pendant lights living room", + "easy to install pendant lights", + "pendant lights for my living room", + "pendant lights living room easy to install", + "pendant lights for the living room", + "pendant lights living room", + "easy install pendant lights for living room", + "living room pendant lights", + "pocket lights for living room" + ], + "i'm looking for some keto friendly peas and beans.": [ + "keto friendly peas and beans", + "keto friendly peas and beans keto friendly", + "keto friendly peas and beans under $40", + "keto friendly peas and beans.", + "keto friendly peas and beans under $50", + "keto friendly peas and beans under $60", + "keto friendly peas and beans under 30 dollars", + "keto friendly peas and beans under 50 dollars", + "keto friendly peas and beans under 40 dollars", + "keto friendly peas and beans keto" + ], + "i would like a big fit new cranberry 16.5 neck and 35-35 sleeve shirt that i can take care of in the washing machine.": [ + "big fit new cranberry 16.5 neck and 35-35 sleeve shirt", + "curtainsberry 16.5 neck and 35-35 sleeve shirt", + "big fit new cranberry 16.5 neck and 35-35 sleeve shirt under $50", + "big fit new cranberry 16.5 neck and 35-35 sleeve shirt under $40", + "big fit new cranberry 16.5 neck and 35-35 sleeve shirt under 50 dollars", + "big fit new cranberry 16.5 neck and 35-35 sleeve shirt under $60", + "big fit new cranberry 16.5 neck and 35-35 sleeve shirt under 30 dollars", + "big fit new cranberry 16.5 neck and 35-35 sleeve shirt under 40 dollars", + "cranberry 16.5 neck and 35-35 sleeve shirt", + "a big fit new cranberry 16.5 neck and 35-35 sleeve shirt" + ], + "find me a brushed nickel wall sconce.": [ + "brushed nickel wall sconce", + "brushed nickel wall sconce.", + "buffet nickel wall sconce", + "brushed nickel wall sconce,", + "brush nickel wall sconce", + "toothpaste nickel wall sconce", + "faux nickel wall sconce", + "rubber nickel wall sconce", + "brush nickel wall sconce.", + " brushed nickel wall sconce" + ], + "i would like a 12 ounce bag of automatic drip coffee beans that are also gluten free.": [ + "12 ounce bag of automatic drip coffee beans", + "12 ounce bag of automatic drip coffee beans gluten free", + "alarm coffee beans that are gluten free", + "alarm coffee beans that are also gluten free", + "12 ounce bag of automatic drip coffee beans no sugar", + "bag of automatic drip coffee beans", + "12 oz bag of automatic drip coffee beans", + "12 ounce coffee beans gluten free", + "12 ounce bag of coffee beans", + "alarm coffee beans" + ], + "i want to find a silver gray bluetooth projector that has blu ray.": [ + "silver gray bluetooth projector", + "silver gray bluetooth projector with blu ray", + "silver gray bluetooth projector that has blu", + "silver gray bluetooth projector with blu", + "silver gray bluetooth projector with bluetooth", + "silver gray bluetooth projector with bluray", + "plastic silver bluetooth projector", + "silver wireless bluetooth projector", + "silver grey bluetooth projector", + "pink gray bluetooth projector" + ], + "i would like a slim fit t-shirt that is xx-large and is the color blue2.": [ + "xx-large t-shirt in the color blue", + "slim fit t-shirt that is xx-large", + "xx-large t-shirt in the color blue2", + "xxl t-shirt that is xx-large", + "xxl slim fit t-shirt in the color blue", + "slim fit t-shirt xx-large", + "xxl slim fit t-shirt", + "xxl t-shirt slim fit blue2", + "xx-large t-shirt", + "xxl t-shirt" + ], + "i am looking a 8.5-9 woman non slip thick sole bathroom slipper with open toe also colour should be blue": [ + "8.5-9 woman non slip thick sole bathroom slipper with open toe", + "8.5-9 woman non slip thick sole bathroom slipper", + "8.5-9 woman non slip thick sole bathroom slipper with open toe in blue", + "8.5-9 woman non slip thick sole bathroom slipper with open toe blue", + "8.5-9 woman non slip thick sole bathroom slipper with open toe, blue", + " 8.5-9 woman non slip thick sole bathroom slipper with open toe", + "8.5-9 woman non slip thick sole bathroom slippers with open toe", + "8.5-9 woman non slip thick sole bathroom slipper, blue", + "8.5-9 woman non slip thick sole bathroom slipper with open toe under $50", + "8.5-9 woman non slip thick sole bathroom slipper in blue" + ], + "i'd like to find 3 pairs of navy socks that are made of nylon spandex.": [ + "3 navy socks made of nylon spandex", + "3 pairs of navy socks made of nylon spandex", + "3 navy socks that are made of nylon spandex", + "navy socks made of nylon spandex", + "3 navy socks made from nylon spandex", + "three pairs of navy socks made of nylon spandex", + "navy socks made of nylon spandex 3 pairs", + "3 navy socks, made of nylon spandex", + "3 navy socks made of nylon spandex.", + "three navy socks made of nylon spandex" + ], + "i need a ottoman for my living room in a primary color.": [ + "oatoman for living room in a primary color", + "oatoman living room in a primary color", + "living room ottoman in a primary color", + "oatoman in a primary color", + "oatoman living room in a primary color.", + "oatoman for living room", + "oatoman living room", + "oatoman for living room color", + "oatoman living room color", + "oatoman for my living room color" + ], + "i would like some spaghetti that is kosher.": [ + "pink spaghetti that is kosher", + "sugar spaghetti that is kosher", + "casagna that is kosher", + " spaghetti that is kosher", + "a spaghetti that is kosher", + "synthetic spaghetti", + "sugar spaghetti kosher", + "sconceal spaghetti", + "strawberry spaghetti kosher", + "pink spaghetti" + ], + "i am looking for a purple high definition tablet.": [ + "pink high definition tablet", + "plastic high definition tablet", + "pink high definition tablet.", + "pink high definition tablet under $40", + "pink high definition tablet under $60", + "pink high definition tablet under $50", + "pink high definition tablet under $120", + "pink high definition tablet under $130", + "pink high definition tablet under 30 dollars", + "pl purple high definition tablet" + ], + "i would like to get a 16 gig black tablet with a usb port.": [ + "16 gig black tablet with a usb port", + "16gb black tablet with a usb port", + "16 gig black tablet", + "16 gig black tablet with usb port", + " 16 gig black tablet with a usb port", + "16 gig black tablets with a usb port", + "black tablet with a usb port", + "large black tablet with a usb port", + "black tablet with a usb port 16gb", + "16 gig black tablet, usb port" + ], + "i want to get a three pack of lead free tea light candles.": [ + "three pack of tea light candles", + "3 pack of tea light candles", + "tea light candles three pack", + "three pack tea light candles", + "tea light candles", + "two pack of tea light candles", + "tea light candles 3 pack", + "3 pack tea light candles", + "three pack of tea light candles.", + "three pack of tea light candles," + ], + "i am looking for a storage case in the color 1": [ + "storage case in the color 1", + "storage case color 1", + "storage case in color 1", + "storage case in a color 1", + "storage case that is color 1", + "storage case for storage case", + "storage case for storage", + "storage case, color 1", + "storage case colored 1", + "storage case size 1" + ], + "i need a height adjustable blue office chair.": [ + "height adjustable blue office chair", + "height adjustable blue office chair.", + "height adjustable blue office chair under $50", + "height adjustable blue office chair under $40", + "height adjustable blue office chair under $60", + "height adjustable blue office chair under $120", + "height adjustable blue office chair under $130", + "height adjustable blue office chair,", + "height adjustable blue office chair that is high quality", + "height adjustable blue office chair in a height adjustable" + ], + "i am looking for an antiperspirant.": [ + "antiperspirant", + "antiperspirant under $40", + "antiperspirant under $50", + "antiperspirant under $60", + "antiperspirant.", + "antiperspirant antiperspant", + "antiperspirant under 50 dollars", + "antiiperspirant under $40", + "antiiperspirant", + " antiperspirant" + ], + "i am looking for esay appluing extra shine and long lasting cosmetics in kit 1 color.": [ + "esay appluing extra shine cosmetics in kit 1 color", + "esay appluing extra shine long lasting cosmetics in kit 1 color", + "esay appluing extra shine and long lasting cosmetics", + "easay appluing extra shine cosmetics in kit 1 color", + "esay appluing extra shine cosmetics", + "esay appluing extra shine and long lasting cosmetics in kit 1", + "esay appluing extra shine", + "synthetic cosmetics kit 1 color", + "synthetic cosmetics kit 1", + "esay appluing extra shine cosmetics in kit 1 color," + ], + "i need some gluten and dairy free fruit snacks.": [ + "gluten free fruit snacks", + "gluten and dairy free fruit snacks", + "gluten-free fruit snacks", + "gluten free fruit snacks under $40", + "gluten and dairy free fruit snacks.", + "gluten free fruit snacks under $50", + "gluten free fruit snacks under $60", + "gluten free fruit snacks under 50 dollars", + "gluten free and dairy free fruit snacks", + "gluten free fruit snacks under 30 dollars" + ], + "i would like a wine cabinet that's more in a contemporary modern style.": [ + "living modern style wine cabinet", + "living room wine cabinet", + "a wine cabinet that is modern", + "living room wine cabinet that is modern", + "contemporary modern style wine cabinet", + "living room wine cabinet modern", + "womens wine cabinet", + "womens wine cabinet modern", + "womens wine cabinet modern style", + "a wine cabinet" + ], + "i would like to buy a dual band repeater able to work with high speed internet.": [ + "dual band repeater with high speed internet", + "dual band repeater", + "dual band repeater for high speed internet", + "dual band repeater that is high speed", + "dual band repeater, high speed", + "dual band repeater with high speed", + "dual band repeater, high speed internet", + "dual band repeater under $40", + "dual band repeater in high speed", + "Dual band repeater" + ], + "find me a zero sugar grape flavored water.": [ + "low sugar grape flavored water", + "low sugar grape flavored water below $40", + "zero sugar grape flavored water", + "low sugar grape flavored water below $50", + "low sugar grape flavored water below $60", + "low sugar grape flavored water under $40", + "low sugar grape flavored water drink mix", + "low sugar grape flavored water under $50", + "freeze dried grape flavored water", + "low sugar grape flavored water." + ], + "i would get to get a women's large cranberry t-shirt made from cotton heather .": [ + "womens large cranberry t-shirt", + "mens large cranberry t-shirt made from cotton heather", + "womens large cranberry t-shirt heather", + "womens large cranberry t-shirt with cotton heather", + "large cranberry t-shirt made from cotton heather", + "womens large cranberry t-shirt, cotton heather", + "womens large cranberry t-shirt under $40", + "womens large cranberry t-shirt under $50", + "womens large cranberry t-shirt under $60", + "t-shirt made from cotton heather" + ], + "i would like to buy some size 5 mocha birkibuc slides with arch support.": [ + "mocha birkibuc slides with arch support", + "mocha birkibuc slides", + "size 5 mocha birkibuc slides", + "mocha birkibuc slide with arch support", + "mocha birkibuc slides, arch support", + "mens mocha birkibuc slides with arch support", + "muskmocha birkibuc slides with arch support", + "mocha birkibuc slide", + "mens birkibuc slides with arch support", + "mens birkibuc slides" + ], + "i am looking for a manual toothbrush that is for sensitive teeth and is in the color f.": [ + "manual toothbrush for sensitive teeth", + "manual toothbrush for sensitive teeth color f", + "manual toothbrush that is for sensitive teeth", + "manual toothbrush for sensitive teeth f", + "manual toothbrush f", + "manual toothbrush that is for sensitive teeth f", + "manual toothbrush in the color f", + "manual toothbrush", + "manual toothbrush f color", + "manual toothbrush f." + ], + "i would like a living room wall lamp that is in antique silver and has one light.": [ + "living room wall lamp in antique silver", + "living room wall lamp that is in antique silver", + "living room wall lamp with one light", + "living room wall lamp, in antique silver", + "living room wall lamp", + "living room wall lamp, antique silver", + "living room wall lamp with antique silver", + "living room wall lamp with two light", + "living room wall lamp antique silver", + "living room wall lamp with one light." + ], + "i need a desk for my home office that is easy to assemble and is white.": [ + "white desk for home office", + "easy assemble white desk for home office", + "easy assemble white desk", + "easy assemble desk for home office white", + "white desk for my home office", + "easy to assemble white desk", + "white desk for a home office", + "living room desk white", + "easy assemble desk for my home office", + "white desk for office" + ], + "i am looking for heavy duto wall plates that are an outlet combo.": [ + "heavy duto wall plates", + "heavy duto wall plates with outlet combo", + "heavy duto wall plates, outlet combo", + "heavy duto wall plates with outlet", + "heavy duto wall plates under $40", + "heavy duto wall plates an outlet combo", + "heavy duto wall plates under $50", + "heavy duto wall plates under $60", + "duto wall plates", + "large duto wall plates" + ], + "i want a two pack of hair dye that is in the shade 8rb medium reddish blonde.": [ + "two pack of hair dye", + "two pack of hair dye in the shade 8rb", + "two pack of hair dye colored medium reddish blonde", + "two pack of hair dye, medium reddish blonde", + "two pack of hair dye under $40", + "two pack of hair dye under $60", + "two pack of hair dye under 40 dollars", + "two pack of hair dye with a color 8rb", + "two pack of hair dye, in the shade 8rb", + "two pack of hair dye, shade 8rb" + ], + "i am looking for an orange bag that is easy to carry": [ + "orange bag that is easy to carry", + "orange bag easy to carry", + "orange bag, easy to carry", + "yellow orange bag that is easy to carry", + "easy to carry orange bag", + "orange bag", + "easy-to-carry orange bag", + "orange bag easy to carry under $40", + "orange bag, easy to carry,", + "orange bag for walking" + ], + "i would like to get a r9 b75+core pentium g2020 with 16 gigs of ram and a intel core i5 processer router.": [ + "rfsh b75+core pentium g2020 with 16 gigs of ram", + "r9 b75+core pentium g2020 with 16 gigs of ram", + "rfsh g2020 with 16 gigs of ram and intel core i5 processer router", + "rfsh b75+core pentium g2020", + "r9 b75+core pentium g2020", + "rfsh g2020 with 16 gigs of ram", + "rfsh i5 processer router r9 b75", + "rfsh i5 processer router", + "rfshr i5 processer router", + "rf5 processer router" + ], + ", i want a router pc core i5 with intel core support 8g ram 128g ssd 1 tb hdd": [ + "router pc core i5 with intel core support 8g ram 128g ssd 1 tb hdd", + "router pc core i5 with intel core support 8gb ram 128g ssd 1 tb hdd", + "router pc core i5 with intel core support 8g ram 128gb ssd 1 tb hdd", + "router pc core i5, intel core support 8g ram 128g ssd 1 tb hdd", + "router pc core i5 intel core support 8g ram 128g ssd 1 tb hdd", + "router pc core i5 8g ram 128g ssd 1 tb hdd", + " router pc core i5 with intel core support 8g ram 128g ssd 1 tb hdd", + "router pc core i5 with intel core support 8g ram 128g ssd 1 tb", + "router pc core i5", + "router pc core i5 with intel core support" + ], + "i'm looking for a router for i5 inter core processor. also, choose 8g ram, 128g ssd and 1td hdd with intel i3 3220, r9 b75 one.": [ + "router for i5 inter core processor with intel i3 3220", + "router for i5 inter core processor", + "router for i5 inter core processor.", + "router for i5 i5 inter core processor with intel i3 3220", + "router i5 inter core processor with intel i3 3220", + "router for i5 inter core processor that is 8g ram", + "router for i5 inter core processor. 8g ram", + "router for i5 inter core processor 8g ram", + "router i5 inter core processor", + "i5 inter core processor router" + ], + "i need a router that has 8gb of ram and 240 ssd": [ + "router 8gb of ram and 240 ssd", + "router 8gb of ram with 240 ssd", + "router with 8gb of ram", + "router with 8gb ram and 240 ssd", + "router 8gb with 240 ssd", + "router 8gb of ram", + "router 8gb of ram 240 ssd", + "router 8gb of ram under $130", + "router with 240 ssd", + "router 8gb" + ], + "i need an intel core router with 8g ram and 512g ssd.": [ + "intel core router with 8g ram and 512g ssd", + "intel core router 8g ram and 512g ssd", + " intel core router with 8g ram and 512g ssd", + "intel core router 8g ram with 512g ssd", + "intel core router with 8g ram with 512g ssd", + "intel core router with 8g ram, 512g ssd", + "intel core router 8g ram 512g ssd", + "intel core router with 8g ram", + "intel core router 8g ram", + "intel core router" + ], + "i would like a wallet that can be washed in my laundry bag.": [ + "wallet that can be washed in my laundry bag", + "pocket wallet, washed in my laundry bag", + "pocket wallet washed in my laundry bag", + "pocket wallet, washed in a laundry bag", + "pocket wallet", + "pocket wallet washed in a laundry bag", + "pocket wallet, washed in my laundry bag,", + "womens wallet", + "pink wallet", + "pack of laundry bag" + ], + "i am looking for gold noise cancelling headphones.": [ + "gold noise cancelling headphones", + "pink noise cancelling headphones", + "plastic noise cancelling headphones", + "pure gold noise cancelling headphones", + "gmo noise cancelling headphones", + "gold noise cancelling headphones.", + "sound cancelling headphones gold", + "alarm noise cancelling headphones", + "gold noise cancelling headphones,", + "sound cancelling headphones" + ], + "i am looking for large leggings that are butt lifting in fog grey.": [ + "large leggings in fog grey", + "large leggings butt lifting fog grey", + "large leggings with butt lifting", + "large leggings that are butt lifting", + "large leggings", + "large leggings under $50", + "large leggings under $40", + "mog grey leggings butt lifting", + "large leggings butt lifting", + "mog grey leggings" + ], + "i'm looking for a gold professional hair styling barber gown.": [ + "gold professional hair styling barber gown", + "gold professional hair styling barber gown.", + "professional hair styling barber gown gold", + "gold professional hair styling barber gown,", + "pink professional hair styling barber gown", + "gold professional hair styling barber dress", + "pure gold professional hair styling barber gown", + "garden hair styling barber gown gold", + "professional hair styling barber gown", + "beauty barber gown gold" + ], + "could you get me listerine toothpaste that takes care of bad breath?": [ + "listerine toothpaste", + "lippaste that takes care of bad breath", + "listerine toothpaste for bad breath", + "listerine toothpaste listerine", + "lippaste listerine toothpaste", + "listerine toothpaste under $40", + "listerine toothpaste under $50", + "listerine toothpaste under $60", + "listerine toothpaste bad breath", + "lippaste for bad breath" + ], + "i'm looking for a ready to hag wall art for dining room and living room. also, choose 3 pcs/set 16*24 inch*3 framed with beach colored one.": [ + "ready to hag wall art for dining room and living room.", + "ready to hag wall art for dining room and living room", + "ready to hag wall art dining room", + "ready to hag wall art for dining room", + "ready to hag wall art dining room and living room.", + "ready to hag wall art dining room and living room", + "ready to hag wall art", + "ready to hag wall art for dining room and living room under $60", + "living room wall art", + "portrait" + ], + "i am looking for individually wrapped chocolate bars.": [ + "pack of individually wrapped chocolate bars", + "packaged chocolate bars", + " individually wrapped chocolate bars", + "packet wrapped chocolate bars", + "8 individually wrapped chocolate bars", + "12 individually wrapped chocolate bars", + " individually wrapped chocolate bars.", + "aluminum wrapped chocolate bars", + "almond wrapped chocolate bars", + "pack of individually wrapped chocolate bar" + ], + "i need a pack of variety ranch nacho flavorings with low sodium and natural ingredients.": [ + "variety ranch nacho flavorings with low sodium and natural ingredients", + "variety ranch nacho flavorings low sodium and natural", + "variety ranch nacho flavorings", + "variety ranch nacho flavorings that are low sodium and natural", + "variety ranch nacho flavorings low sodium and natural ingredients", + "variety ranch nacho flavorings no sodium and natural", + "variety ranch nacho flavorings with low sodium and natural", + "variety ranch nacho flavorings, low sodium and natural", + "competition ranch nacho flavorings low sodium and natural", + "ranch nacho flavorings low sodium and natural" + ], + "i need to buy some oils that are gluten free and keto friendly.": [ + "gluten free keto friendly oils", + "gluten free keto oils", + "gluten-free keto friendly oils", + "vegan oils gluten free keto friendly", + "oil gluten free keto friendly", + "gluten free keto friendly oil", + "almond oils gluten free keto friendly", + "gluten free keto-free oils", + "gluten free keto oil", + "gluten free keto free oils" + ], + "i would like to buy some high power binoculars that are good for bird watching.": [ + "high power binoculars", + "high power binoculars for bird watching", + " binoculars that are good for bird watching", + "high power binoculars good for bird watching", + "high power binoculars for bird watching.", + " binoculars good for bird watching", + "high power binoculars with bird watching", + " binoculars for bird watching", + "high power binoculars, bird watching", + " binoculars" + ], + "i'm looking for a unique designed, daily wear boxer briefs with elastic waistband. also choose medium size with waistband-stars flag printed one.": [ + "small boxer briefs with elastic waistband-stars", + "packet briefs with elastic waistband-stars", + " boxer briefs with elastic waistband-stars", + "barrier briefs with elastic waistband-stars", + "comfortable boxer briefs with waistband-stars", + "small boxer briefs with waistband-stars", + "barley briefs with elastic waistband-stars", + "musical briefs with elastic waistband-stars", + "boxer briefs with elastic waistband-stars", + "small boxer briefs with elastic waistband" + ], + "i am looking for some maternity skin care that has natural ingredients.": [ + "maternity skin care with natural ingredients", + "maternity skin care natural", + "maternity skin care no natural", + "maternity skin care", + "maternity skin care natural ingredients", + "maternity skin care that is natural", + "maternity skin care natural no natural", + "maternity skin care with natural", + "maternity skin care natural no human", + "maternity skin care made natural" + ], + "i would like some cupcake toppers that would good at both a birthday party and a baby shower.": [ + "cupcake toppers for baby shower", + "cupcake toppers for a baby shower", + "cupcake toppers that would good at both a baby shower", + "cupcake toppers that would good at a baby shower", + "cupcake toppers that would good at a baby shower.", + "cupcake toppers that would good for a baby shower", + "cupcake toppers that would good for a baby shower.", + "cupcake toppers that would be good for a baby shower", + "cupcake toppers good for a baby shower", + "cupcake toppers that would be good at a baby shower" + ], + "i need a home office desk chair that is green and made of pu leather": [ + "home office desk chair green made of pu leather", + "home office desk chair made of pu leather", + "home office desk chair made from pu leather", + "green office desk chair made of pu leather", + "home office desk chair green made from pu leather", + "home office desk chair green", + "home office desk chair green pomegranate", + "home office desk chair green natural", + "home office desk chair", + "green office desk chair" + ], + "i need a light, short sleeve v-neck shirt in wine red.": [ + "v-neck shirt in wine red", + "light, short sleeve v-neck shirt wine red", + "light long sleeve v-neck shirt in wine red", + "light sash v-neck shirt in wine red", + "light short sleeve v-neck shirt in wine red", + "short sleeve v-neck shirt in wine red", + "light red v-neck shirt in wine red", + "light, short sleeve v-neck shirt", + "light, short sleeve v-neck shirt in wine", + "light shirt in wine red" + ], + "i would like a medium sized long sleeved buttons up polyester cardigan that is able to be machined washed. if they have one in khaki, that'd be great.": [ + "medium sized long sleeved buttons up polyester cardigan", + "medium sized long sleeved button up polyester cardigan", + "medium sized long sleeved buttons up polyester cardigan, thatd be great.", + "medium sized long sleeved buttons up polyester cardigan in khaki", + "large sized long sleeved buttons up polyester cardigan", + "medium sized long sleeved buttons up polyester cardigan under $40", + "medium sized long sleeved buttons up polyester cardigan under $50", + "medium sized long sleeved buttons up polyester cardigan, thatd be great", + "medium sized long sleeved buttons up polyester cardigan under $60", + "medium sized long sleeved button up polyester cardigan under $40" + ], + "i would like a wall lamp with a nickel finish.": [ + "wall lamp with nickel finish", + "wall lamp with a nickel finish", + "wall lamp nickel finish", + "wall lamp, nickel finish", + "wall lamp that is nickel finish", + "wall lamp", + "wall lamp with nickel finish.", + "wall lamp with a nickel finish.", + "wall lamp wall lamp nickel finish", + "wall lamp in nickel finish" + ], + "i need a high speed usb flash drive that is 32 gb": [ + "high speed usb flash drive 32gb", + "usb flash drive that is 32 gb", + "high speed usb flash drive 32 gb", + "high speed usb flash drive with 32gb", + "usb flash drive 32gb", + "high speed usb flash drive", + "usb flash drive that is 32gb", + "high speed usb flash drive under $40", + "usb flash drive 32gb high speed", + "high speed usb flash drive under $60" + ], + "i would like to get a 5 pack of 4 ounce tea tree soap.": [ + "tea tree soap 5 pack", + "4 ounce tea tree soap", + "4 pack of tea tree soap", + "tea tree soap 4 pack", + "tea tree soap 4 oz", + "5 pack of tea tree soap", + "tea tree soap", + "tea tree soap, 5 pack", + "4 pack tea tree soap", + "tea tree soap 5 pack pack" + ], + "i am looking for light blonde hair extensions that are 18 inches long.": [ + "light blonde hair extensions 18 inches long", + "light blonde hair extension 18 inches long", + "light blonde hair extensions", + "light blonde hair extensions 17 inches long", + "dark blonde hair extensions 18 inches long", + "light blonde wig extensions 18 inches long", + "light blonde hair extensions18 inches long", + "hair extensions 18 inches long", + "18 light blonde hair extensions", + "light blonde hair extension" + ], + "i want to buy a faux leather ottoman that are 80 by 45 by 40 cm.": [ + "faux leather ottoman 80 by 45 by 40 cm", + "faux leather ottoman, 80 by 45 by 40 cm", + "aux leather ottoman that are 80 by 45 by 40 cm", + "faux leather ottoman", + "faux leather ottoman in 80 by 45 by 40 cm", + "faux leather ottoman size 80 by 45 by 40 cm", + "faux leather ottoman with 80 by 45 by 40 cm", + "aux leather ottoman 80 by 45 by 40 cm", + " faux leather ottoman that are 80 by 45 by 40 cm", + "faux leather ottoman that are 80 by 45 by 40" + ], + "i need pendant lights that are a size a18": [ + "pendant lights size a18", + "pendant lights a18", + "pendant lights a18 pendant lights", + "pendant lights pendant lights a18", + "pendant lights in a size a18", + "pendant lights a18 size a18", + "pendant lights, size a18", + "pendant lights a18 size", + "pendant lights a size a18", + "pendant lights" + ], + "i'm trying to find an 8 oz bag of sprinkles for a birthday party.": [ + "8 oz bag of sprinkles for a birthday party", + "8 oz bag of sprinkles for a baby shower", + "8 oz bag of sprinkles for a birthday party.", + "8 oz bag of sprinkles for a baby shower.", + "8 oz bag of sprinkles", + "8 oz bag of sprinkles, for a baby shower", + "8 oz bag of sprinkles for baby shower", + "8 oz bag of sprinkles for a bday party", + "8 oz bag of sprinkles at a birthday party", + "8 oz bag of sprinkles, for a birthday party" + ], + "i would like a twin sizes grey bed made of solid wood.": [ + "twin sizes grey bed made of solid wood", + "twin size grey bed made of solid wood", + "twin bed made of solid wood", + "twin sizes grey bed made from solid wood", + "twin size grey bed made from solid wood", + "twin beds made of solid wood", + " twin sizes grey bed made of solid wood", + "twin grey bed made of solid wood", + "twin sizes grey bed", + "grey bed made of solid wood" + ], + "get me a solid wood king bed with a box spring.": [ + "solid wood king bed with a box spring", + "king bed with a box spring", + "soft wood king bed with a box spring", + "living room king bed with a box spring", + "pure wood king bed with a box spring", + "dust bed with a box spring", + "king bed with box spring", + "king bed with a box spring.", + "solid wood king bed with box spring", + "stainless wood king bed" + ], + "i am looking for a high quality hair brush.": [ + "high quality hair brush", + "high quality hair brush.", + "hair brush that is high quality", + "hair brush high quality", + "high quality hair brush under $40", + "high quality hair brush under $50", + "high quality hair brush under $60", + "high quality hair brush under 30 dollars", + "high quality hair brush under 50 dollars", + "high quality hair brush under 40 dollars" + ], + "i would like to buy small blue toothbrushes for my toddler's sensitive teeth.": [ + "small blue toothbrushes for toddlers sensitive teeth", + "small blue toothbrush for toddlers sensitive teeth", + "small blue toothbrushes for toddler sensitive teeth", + "small blue teethbrushes for toddlers sensitive teeth", + "small blue toothbrushes for baby sensitive teeth", + "small blue toothbrushes for sensitive teeth", + "small blue toothbrushes for babies sensitive teeth", + "small blue toothbrush for toddler sensitive teeth", + "small blue toothbrushes", + "small blue toothbrush" + ], + "i am looking for black power amplifier speakerphones.": [ + "black power amplifier speakerphones", + "black power amplifier speakerphone", + "black power amplifier speakerphones.", + "black power amplifier speakerphones under $40", + "black power amplifier speakerphones under $50", + "black power amplifier speakerphones under $60", + "black power amplifier speakerphone.", + "black power amplifier speakerphone under $40", + "black power amplifier speakerphone black", + "black power amplifier speakerphones that are black" + ], + "i would like to buy a black stainless steel heavy duty file cabinet with two drawers.": [ + "black stainless steel heavy duty file cabinet", + "black steel heavy duty file cabinet with two drawers", + "black stainless steel heavy duty file cabinet with drawers", + "black heavy duty file cabinet with two drawers", + "white steel heavy duty file cabinet with two drawers", + "black stainless steel heavy duty file cabinet under $50", + "black steel heavy duty file cabinet", + "black stainless steel heavy duty file cabinet under $40", + "black heavy duty file cabinet", + "bag cabinet black" + ], + "i want to purchase from men's clothing a pair of men's retro jeans with the relaxed fit and boot cut. needs to be long lasting, comfortable fitting and in a relaxed fit. must be a size 35 waist and 36 long in rockdale color.": [ + "mens clothing with the relaxed fit and boot cut", + "mens clothing a size 35 waist and 36 long in rockdale color", + "mens clothing with a relaxed fit and boot cut", + "mens retro jeans with the relaxed fit and boot cut", + "mens clothing with relaxed fit and boot cut", + "mens clothing mens retro jeans with the relaxed fit and boot cut", + "mens clothing a size 35 waist and 36 long", + "mens clothing a size 35 waist and 36 long in rockdale", + "mens retro jeans with a relaxed fit and boot cut", + "mens clothing with the relaxed fit and boot cut. mens fit" + ], + "i would like a pair of 32w x 33l rocky top regular fit jeans that are long lasting.": [ + "32w x 33l rocky top regular fit jeans", + "28w x 33l rocky top regular fit jeans", + "32w x 33l rocky top regular fit jeans long lasting", + "28w x 33l rocky top regular fit jeans long lasting", + "33w x 33l rocky top regular fit jeans", + "33w x 33l rocky top regular fit jeans long lasting", + " 32w x 33l rocky top regular fit jeans", + " 32w x 33l rocky top regular fit jeans long lasting", + "jeans 32w x 33l long lasting", + "33l rocky top regular fit jeans long lasting" + ], + "i would like a pair of bryson slim fit jeans with a comfortable relaxed fit. my size is 30w x 34l": [ + "bryson slim fit jeans 30w x 34l", + "bryson slim fit jeans with a comfortable relaxed fit", + "bryson slim fit jeans", + "bryson slim fit jeans, 30w x 34l", + "bryson slim fit jeans with comfortable relaxed fit", + "bryson slim fit jeans that are comfortable relaxed fit", + "slim fit jeans 30w x 34l", + "bagel slim fit jeans 30w x 34l", + "a pair of bryson slim fit jeans", + "bagel slim fit jeans" + ], + "i need men's boot cut jeans that has a relaxed fit. it should be 36 wide and 30 long.": [ + "mens boot cut jeans 36 wide and 30 long", + "mens boot cut jeans that has a relaxed fit", + "mens boot cut jeans with relaxed fit", + "mens boot cut jeans, 36 wide and 30 long", + "mens boot cut jeans that have a relaxed fit", + "mens boot cut jeans fit 36 wide and 30 long", + "mens boot cut jeans with a relaxed fit", + "mens boot cut jeans", + "mens boot cut jeans that have relaxed fit", + "mens boot cut jeans that is comfortable fit" + ], + "i would like comfortable fit jeans in the lakeport color": [ + " comfortable fit jeans in the lakeport color", + "comfortable fit jeans in lakeport color", + "comfortable fit jeans lakeport color", + "comfortable fit jeans in the lakeport", + "comfortable fit jeans in lakeport", + "fortable fit jeans in the lakeport color", + "comfortable fit jeans, lakeport color", + "comfortable fit jeans in Lakeport color", + "comfortable fit jeans lakeport", + "comfortable fit jeans" + ], + "i am looking for a pair of long lasting placid blue men's jeans.": [ + "temporary placid blue mens jeans", + "long lasting placid blue mens jeans", + "plastic blue mens jeans", + "tempered blue mens jeans", + "shoes long lasting placid blue mens", + "pink mens jeans", + "strawberry mens jeans", + "long lasting placid blue mens jeans.", + "pink mens jeans long lasting", + "strawberry mens jeans long lasting" + ], + "i want to find men's jeans with a relaxed, big and tall fit. the jeans should be in size 34 and have an antique wash.": [ + "mens jeans with a relaxed, big and tall fit", + "mens jeans in a size 34 with an antique wash", + "mens jeans in size 34 with an antique wash", + "mens jeans size 34 antique wash", + "mens jeans, size 34, antique wash", + "mens jeans in a size 34", + "mens jeans that are comfortable, big and tall", + "mens jeans in a size 34 antique wash", + "mens jeans in size 34", + "mens jeans size 34" + ], + "i would like to buy a 70 by 70 inch pattern 4 table cloth that's easy to clean.": [ + "70 by 70 inch pattern 4 table cloth", + "table cloth 70 by 70 inch", + "table cloth that is easy to clean", + "40 by 70 inch pattern 4 table cloth", + " 70 by 70 inch pattern 4 table cloth", + "table cloth 70 by 70 inches", + "table cloth 70 by 70 inch pattern 4", + "dining table cloth 70 by 70 inch", + "router cloth 70 by 70 inch", + "table cloth" + ], + "i would like to get a 24 pack of 7.5 ounce bottles of non-gmo classic tonic.": [ + "24 pack of 7.5 ounce bottles of non-gmo classic tonic", + "23 pack of 7.5 ounce bottles of non-gmo classic tonic", + " 24 pack of 7.5 ounce bottles of non-gmo classic tonic", + "22 pack of 7.5 ounce bottles of non-gmo classic tonic", + "24 pack of 7.5 oz bottles of non-gmo classic tonic", + "24 pack of non-gmo classic tonic", + "non-gmo classic tonic 24 pack", + "24 pack of 7.5 ounce bottles of gmo classic tonic", + "gmo classic tonic 24 pack", + "24 pack of 7.5 ounce bottles" + ], + "i need a cosmetic bag for my nail polish.": [ + "beauty bag for nail polish", + " cosmetic bag for nail polish", + " cosmetic bag for my nail polish", + " cosmetic bag for my nail polish.", + "clothing bag for nail polish", + " cosmetic bag for nail polish.", + "cl cosmetic bag for nail polish", + "clinically bag for nail polish", + "beauty bag for my nail polish", + "cl cosmetic bag for my nail polish" + ], + "i am looking for an alcohol free mouthwash": [ + "alcohol free mouthwash", + "alcohol free mouthwash under $40", + "alcohol free mouthwash under $50", + "alcohol free mouthwash under $60", + "alcohol free mouthwash under 50 dollars", + "alcohol free mouthwash under 40 dollars", + "alcohol free mouthwash under 30 dollars", + "alcohol free mouthwash under 60 dollars", + "alarm free mouthwash", + "alcohol free mouthwash below $40" + ], + "i would like to buy a valentine's day party bag with 60 chocolate individually wrapped candies.": [ + " valentines day party bag with 60 chocolate individually wrapped candies", + "a valentines day party bag with 60 chocolate individually wrapped candies", + "valentines day party bag with 60 chocolate individually wrapped candies", + "Valentines day party bag with 60 chocolate individually wrapped candies", + " valentines day party bag with 60 chocolate individually wrapped candies.", + "valentines day party bag with 60 chocolate individually wrapped candies.", + " valentines day party bag 60 chocolate individually wrapped candies", + "valentines day party bag 60 chocolate individually wrapped candies", + "bag with 60 chocolate individually wrapped candies", + "Valentines day party bag with 60 chocolate individually wrapped candies." + ], + "i need a high quality pink toiletry bag.": [ + "pink toiletry bag", + "pink toiletry bag.", + "pink bathroomry bag", + "pink toiletry bag high quality", + "high quality pink toiletry bag", + "pink toiletry bag,", + "low quality pink toiletry bag", + "pink toiletry bag with quality", + "pink toiletry bag for women", + "pink bathroom bag" + ], + "i would like a travel size 0.27 fluid ounce of lanvin eclat d'arpege impression perfume.": [ + "1.27 fluid ounce of lanvin eclat darpege impression perfume", + "vanvin eclat darpege impression perfume travel size 0.27", + "lanvin eclat darpege impression perfume travel size 0.27", + "vanvin eclat darpege impression perfume", + "vanvin eclat darpege perfume travel size 0.27", + "1.27 fluid ounce of lanvin eclat darpege perfume", + "lanvin eclat darpege impression perfume", + "vanvin eclat darpege impression perfume, travel size 0.27", + "packet perfume 0.27 fluid ounce", + "portrait perfume 0.27 fluid ounce" + ], + "i need a travel size perfume with a frederic malle scent.": [ + "travel size perfume with a frederic malle scent", + "pink perfume with a frederic malle scent", + "Travel size perfume with a frederic malle scent", + "travel size perfume frederic malle scent", + " travel size perfume with a frederic malle scent", + "pink perfume frederic malle scent", + "frederic malle scent travel size perfume", + "frederic malle scent", + "travel size perfume", + "frederic malle perfume travel size" + ], + "i am looking for a travel sized bottle of chanel number 5.": [ + "travel sized bottle of chanel number 5", + "travel sized bottle of chanel number 5.", + "a travel sized bottle of chanel number 5", + "vanity sized bottle of chanel number 5", + "5 travel sized bottle of chanel number 5", + "Travel sized bottle of chanel number 5", + "chanel number 5 travel sized bottle", + " travel sized bottle of chanel number 5", + "pink chanel number 5 travel sized bottle", + " travel sized bottle of chanel number 5." + ], + "show me a high quality long lasting travel size christian dior ambre nuit impression perfume in 5ml size.": [ + "high quality long lasting travel size christian dior ambre nuit impression perfume in 5ml", + "5ml long lasting travel size christian dior ambre nuit impression perfume in 5ml", + "carriage size christian dior ambre nuit impression perfume in 5ml", + "comfortable travel size christian dior ambre nuit impression perfume in 5ml size", + "comfortable travel size christian dior ambre nuit impression perfume in 5ml", + "carriage size christian dior ambre nuit impression perfume in 5ml size", + "ch christian dior ambre nuit impression perfume in 5ml size", + "ch christian dior ambre nuit impression perfume in 5ml", + "caramel dior ambre nuit impression perfume in 5ml size", + "caramel dior ambre nuit impression perfume in 5ml" + ], + "i need a table that is easy to assemble and that is honey pine": [ + "tablet honey pine", + "tablet with honey pine", + "easy assemble table honey pine", + "easy assemble honey pine table", + "tablet that is easy to assemble", + "tablet easy to assemble honey pine", + "easy to assemble table honey pine", + "easy assemble and honey pine table", + "easy to assemble honey pine table", + "tablet honey pine easy to assemble" + ], + "i am looking for a light fixture that is brushed nickel.": [ + "light fixture that is brushed nickel", + "light fixture brushed nickel", + "brushed nickel light fixture", + "light fixture with brushed nickel", + "light fixture, brushed nickel", + "faux nickel light fixture", + "heavy duty light fixture brushed nickel", + "alarm light fixture brushed nickel", + "portrait brushed nickel", + "light fixture" + ], + "i am looking for solid wood chairs in a dusty pink color": [ + "dust pink solid wood chairs", + "dust pink stone solid wood chairs", + "dust pink solid wood dining table", + "dust pink dining table", + "dust pink living room chairs", + "dust pink dining room chairs", + "dust pink solid wood chairs,", + "dust pink solid wood dining chairs", + "dust pink solid wood chair", + "dust pink wood chairs" + ], + "i would like a kronos phone case that supports wireless charging.": [ + "kronos phone case with wireless charging", + "kronos phone case that supports wireless charging", + "kronos phone case", + "kronos phone case, wireless charging", + "kronos phone case for wireless charging", + "kronos phone case with wireless charging.", + "kronos phone case wireless charging", + "kronos phone case, with wireless charging", + "kronos phone case supports wireless charging", + "kronos phone case with wireless charging," + ], + "i need an original orzo that is low carb and is 1.3 pounds.": [ + "original orzo low carb 1.3 pounds", + "original orzo 1.3 pounds", + "original orzo that is low carb 1.3 pounds", + "original orzo low carb and is 1.3 pounds", + "original orzo low carb and 1.3 pounds", + "original orzo, 1.3 pounds", + "original orzo 2.3 pounds", + "original orzo that is low carb", + "original orzo", + "original orzo low carb" + ], + "i am looking for low fat jalapeno jerky that is 4 ounces.": [ + "low fat jalapeno jerky 4 ounces", + "low fat jalapeno jerky that is 4 ounces", + "low fat jalapeno jerky 4 oz", + "low fat jalapeno jerky 4 ounces under $40", + "low fat jalapeno jerky 4 ounces below $40", + "low fat jalapeno jerky 4 ounces under $60", + "low fat jalapeno jerky 4 ounces below $60", + "low fat jalapeno jerky under $40", + "low fat jalapeno jerky", + "low fat jalapeno jerky 4 ounces under 40 dollars" + ], + "get me some triple dog dare jerky. it should be high in protein and low in fat.": [ + "trials dog dare jerky high in protein and low in fat", + "triple dog dare jerky high in protein and low in fat", + "triangle dog dare jerky high in protein and low in fat", + "double dog dare jerky high in protein and low in fat", + "triel dog dare jerky high in protein and low in fat", + "trials dog dare jerky low in fat", + "triple dog dare jerky low in fat", + "triangular dog dare jerky high in protein and low in fat", + "trials dog dare jerky high in protein", + "triple dog dare jerky high in protein" + ], + "i am looking for low fat in honey chipotle bbg": [ + "low fat honey chipotle bbg", + "low fat honey chipotle bbg drink mix", + "low fat honey chipotle bbg flavor", + "low fat honey chipotle bbg honey drink mix", + "low fat honey chipotle bbg below $40", + "low fat honey chipotle bbg below $50", + "low fat in honey chipotle bbg", + "low fat honey chipotle bbg below $60", + "low fat honey chipotle bbg honey", + "low fat honey chipsotle bbg" + ], + "i would like to buy a 2'3\" x 22' green rug for my living room.": [ + "23 x 22 green rug for my living room", + "23 x 22 green rug for living room", + "23 x 22 green rug", + "23 x 22 green rug living room", + "23 x 22 green rug for the living room", + "23 x 22 green rug for a living room", + "23 x 22 green rug in my living room", + "23 x 22 green rug for living room.", + "23 x 22 green rug in a living room", + "23 x 22 green rug, living room" + ], + "i need an area rug for the dining room that is 3ft by 5ft and is ivory and brown.": [ + "3ft by 5ft dining room rug ivory and brown", + "3ft by 5ft rug for dining room ivory and brown", + "3ft by 5ft rug dining room ivory and brown", + "3ft by 5ft rug", + "3ft by 5ft rug in the dining room ivory and brown", + "3ft by 5ft yellow area rug dining room", + "3ft by 5ft area rug", + "3ft by 5ft yellow area rug", + "3ft by 5ft rug for dining room", + "3ft x 5ft rug" + ], + "i need a men's size 13 and a half casual walking show with a rubber sole, and it needs to fit comfortably. i want a unique design like a turtle or elephant doodle.": [ + "mens size 13 walking show with a rubber sole", + "mens size 13 and a half casual walking show", + "mens size 13 walking show with rubber sole", + "mens size 13 hiking show with a rubber sole", + "mens size 13 walking show rubber sole", + "mens size 13 walk show with a rubber sole", + "mens size 13 walking show", + "mens size 13 with a rubber sole", + "mens size 13 and a half casual walking", + "mens size 13" + ], + "i need a button down shirt with a long sleeve for a evereday wear medium size with v neck": [ + "button down shirt with long sleeve for a evereday wear medium size", + "button down shirt with long sleeves for a evereday wear medium size", + " button down shirt with long sleeve for a evereday wear medium size", + "button down shirt, long sleeve, evereday wear medium size", + "button down shirt with long sleeve for a evereday wear medium", + "button down shirt for evereday wear medium size with v neck", + "button down shirt with long sleeve for evereday wear medium size", + "button down shirt evereday wear medium size with v neck", + "button down shirt with long sleeve", + "button down shirt with a long sleeve" + ], + "i am looking for a bathroom light with farmhouse vanity light": [ + "bathroom light with farmhouse vanity light", + "bathroom light farmhouse vanity light", + "bathroom light", + "bathroom light, farmhouse vanity light", + "bathroom light farmhouse vanity light", + "bathroom light with farmhouse vanity", + " bathroom light with farmhouse vanity light", + "bathroom light farmhouse vanity", + "bathroom light farmhouse", + "pink bathroom light" + ], + "i want to find some hair growth oil that can treat dry and damaged hair. it must have long-lasting effects.": [ + "hair growth oil long-lasting", + "hair growth oil with long-lasting effects", + "hair growth oil, long-lasting", + "hair growth oil that is long-lasting", + "hair growth oil", + "hair growth oil for dry and damaged hair", + "hair growth oil, long-lasting,", + "hair growth oil long-lasting effects", + "hair growth oil long-lasting", + "hair growth oil long lasting" + ], + "i am looking for a vidaxl sheesham wood dining table of light brown color with coated steel for dining room.": [ + "vidaxl sheesham wood dining table of light brown color", + "vidaxl sheesham wood dining table", + "vidaxl sheesham wood dining table, light brown color", + "vidaxl sheesham wood dining table with coated steel", + "vinyl sheesham wood dining table of light brown color", + "vidaxl sheesham wood dining table that is light brown color", + "vinyl sheesham wood dining table of light brown color with coated steel", + "vinyl sheesham wood dining table", + "wood dining table of light brown color", + "wood dining table light brown color" + ], + "i'm looking for a sound bar that fits a honda 2016-2022 with a pioneer 5 utv": [ + "sound bar honda 2016-2022 with a pioneer 5 utv", + "sound bar honda 2016-2022 pioneer 5 utv", + "sound bar for honda 2016-2022 with a pioneer 5 utv", + "sound bar in honda 2016-2022 with a pioneer 5 utv", + "sound bar, honda 2016-2022 with a pioneer 5 utv", + "sound bar from honda 2016-2022 with a pioneer 5 utv", + "sound bar with pioneer 5 utv honda 2016-2022", + "sound bar honda 2016-2022 with pioneer 5 utv", + "sound bar that fits a honda 2016-2022", + "sound bar honda 2016-2022" + ], + "i'm looking for a 2 ounce bag of kool ranch kale chips that are non-gmo and gluten free.": [ + "2 ounce bag of kool ranch kale chips", + "two ounce bag of kool ranch kale chips", + "kool ranch kale chips", + "bag of kool ranch kale chips", + "kool ranch kale chips non-gmo gluten free", + "kool ranch kale chips non-gmo", + "keto chips non-gmo and gluten free", + "1 ounce bag of kool ranch kale chips", + "kool ranch kale chips gluten free", + "kool ranch kale chips no gmo" + ], + "i'm looking for a deep conditioning hair mask for dry hair that contains argan oil.": [ + "deep conditioning hair mask for dry hair with argan oil", + "deep conditioning hair mask for dry hair that contains argan oil", + "Deep conditioning hair mask for dry hair with argan oil", + "deep conditioning hair mask for dry hair, argan oil", + "deep conditioning hair mask for dry hair containing argan oil", + "deep conditioning hair mask for dry air with argan oil", + "deep conditioning hair mask for dry hair with argan oil.", + "deep conditioning hair mask with argan oil", + "deep conditioning hair mask for dry hair", + "deep conditioning hair mask for dry hair under $40" + ], + "i want to get a box of chocolates that's handcrafted and a gift set.": [ + "chocolates handcrafted and a gift set", + "chocolates handcrafted and gift set", + "pack of chocolates handcrafted and a gift set", + "bag of chocolates handcrafted and a gift set", + "handcrafted chocolates", + "bagel chocolates handcrafted and a gift set", + "bagel of chocolates handcrafted and gift set", + "pack of chocolates handcrafted and gift set", + "chocolates handcrafted", + "chocolates handcrafted, gift set" + ], + "i'm looking for low sodium tuna fish in a 6.3 ounce container , preferably in a 6 pack . please also select the ones that have been flavored with tomato & olives.": [ + "low sodium tuna fish in a 6.3 ounce container", + "low sodium tuna fish 6.3 ounce container", + "low sodium tuna fish 6.3 ounce container flavored with tomato & olives", + "low sodium tuna fish 6.3 ounce container with tomato & olives", + "low sodium tuna fish 6.3 ounce container with tomato & olives flavor", + "low sodium tuna fish 6 pack", + "low sodium tuna fish in a 6 pack", + "low sodium tuna fish flavor 6 pack", + "low sodium tuna fish 6.3 ounce", + "low sodium tuna fish 6 pack flavor" + ], + "i would like some wild caught tuna fish that is a jalapeno flavor.": [ + "wild tuna fish jalapeno flavor", + "wild tuna fish with jalapeno flavor", + "wild caught tuna fish with jalapeno flavor", + "wild tuna fish with a jalapeno flavor", + "wild caught tuna fish jalapeno flavor", + "tuna fish jalapeno flavor", + "wild tuna fish flavor jalapeno flavor", + "wild tuna fish flavor jalapeno", + "wild tuna fish flavor", + "wild tuna fish with jalapeno flavor." + ], + "i would to have 12 piece cake topper for a birthday party.": [ + "12 piece cake topper for a baby shower", + "12 piece cake topper for a birthday party", + "12 piece cake toppers for a baby shower", + "12 piece cake toppers for a birthday party", + "12 piece cake topper for birthday party", + "12 piece cake topper for baby shower", + "barbecue topper for a baby shower", + "12 piece cake topper", + "cake topper for a baby shower", + "12 piece birthday cake topper" + ], + "i am looking for a trolls themed cupcake topper for a birthday party.": [ + "troll themed cupcake topper for a baby shower", + "troll themed cupcake topper for a birthday party", + "troll themed cupcake topper for a birthday party.", + "troll themed cupcake topper for a baby shower.", + "troll themed cupcake toppers for a baby shower", + "troll themed cupcake toppers for a birthday party", + "t trolls themed cupcake topper for a birthday party", + "t trolls themed cupcake topper for a baby shower", + "troll themed cupcake toppers for a birthday party.", + "t trolls themed cupcake topper for a birthday party." + ], + "i would like some toy cupcake toppers for a baby shower.": [ + "toy cupcake toppers for a baby shower", + "tummy cupcake toppers for a baby shower", + "tant cupcake toppers for a baby shower", + "baby shower cupcake toppers", + "toy cupcake toppers for baby shower", + "tactical cupcake toppers for a baby shower", + "toys cupcake toppers for a baby shower", + "teen girl cupcake toppers for a baby shower", + "tummy cupcake toppers for a baby shower.", + "tummy cupcake toppers for baby shower" + ], + "i want a contemporary style solid wood fabric ottoman colour should be light grey": [ + "contemporary style solid wood fabric ottoman colour", + "contemporary style solid wood fabric ottoman", + "living style solid wood fabric ottoman colour", + "classic style solid wood fabric ottoman colour", + "living style solid wood fabric ottoman", + "living style solid wood fabric ottoman colour light grey", + "comfortable style solid wood fabric ottoman colour", + " contemporary style solid wood fabric ottoman colour", + "classic style solid wood fabric ottoman", + "modern style solid wood fabric ottoman colour" + ], + "look for chairs that have a contemporary style and come in azure.": [ + "chairs that are contemporary style and come in azure", + "living room chairs in azure", + "contemporary style chairs in azure", + "comfortable chairs in azure", + "living style chairs in azure", + "living room chairs with a contemporary style in azure", + "living room chairs that are contemporary style", + "living room chairs that are contemporary style in azure", + "living room chairs with a contemporary style", + "comfortable chairs that are contemporary style" + ], + "i would like a mid century oatmeal sofa ottoman made with solid wood.": [ + "mid century oatmeal sofa ottoman made with solid wood", + "mid century oatmeal sofa ottoman", + "mid century oatmeal sofa ottoman made from solid wood", + "mid century oatmeal sofa ottoman with solid wood", + " mid century oatmeal sofa ottoman made with solid wood", + "mid century oatmeal sofa ottoman made", + "indoor oatmeal sofa ottoman made with solid wood", + "mid century oatmeal sofa ottoman, solid wood", + "mid century oatmeal sofa ottoman wood", + "oatmeal sofa ottoman made with solid wood" + ], + "i need a mid-century ottoman that's upholstered in oatmeal fabric.": [ + "mid-century ottoman upholstered in oatmeal fabric", + "mid-century ottoman oatmeal fabric", + "mid-century ottoman that upholstered in oatmeal fabric", + "mid-century ottoman, upholstered in oatmeal fabric", + "mid-century ottoman thats upholstered in oatmeal fabric", + "mid-century ottoman with oatmeal fabric", + "mid-century ottoman upholstered in oatmeal fabric.", + "mid-century ottoman", + "mid-century ottoman oatmeal fabric under $40", + "mid-century ottoman, oatmeal fabric" + ], + "i am looking super soft speed sports car fleece throw blanket for boys girls extreme sports theme plush blanket cool tie dye decor fuzzy blanket for sofa bed couch for living room.": [ + "super soft speed sports car fleece throw blanket for boys", + "super soft speed sports car fleece throw blanket", + "super soft speed sports car fleece throw blanket for boys girls", + "super soft speed sports car fleece throw blanket with tie dye decor", + "super soft speed sports car fleece throw blanket for boys", + "super soft speed sports car fleece throw blanket for boys and girls", + "super soft speed sports car fleece throw blanket for boys girls ", + "super soft speed sports car fleece throw blanket ", + "soft speed sports car fleece throw blanket", + "slimming blanket for boys" + ], + "set of 3 blouse hosiery normal-1, tradional-1, modern-1including matching clothes.": [ + "set of 3 blouse hosiery normal-1 with matching clothes", + "set of 3 blouse hosiery normal-1 with matching clothes.", + "set of 3 blouse hosiery normal-1, modern-1including matching clothes.", + "set of 3 blouse hosiery normal-1, modern-1including matching clothes", + "set of 3 blouse hosiery tradional-1, modern-1including matching clothes", + "set of 3 blouse hosiery normal-1, tradional-1", + "set of 3 blouse hosiery normal-1", + "set of 3 blouse hosiery normal-1 in tradional-1 with matching clothes", + "set of 3 blouse hosiery normal-1 tradional-1, modern-1", + "set of 3 blouse hosiery" + ], + "i just ran out of my foundation. i need you to buy me another one. make sure it is the mehron brand, is cruelty free, and oh! make sure it is the small one. i think it is .75 ounce size.": [ + "small mehron brand", + "small mehron foundation", + "a small mehron brand", + "mehron foundation", + "the mehron brand, cruelty free", + "mehron foundation small", + "small mehron brand under $50", + "small mehron foundation under $50", + "mehron brand", + "the mehron brand" + ], + "i am looking for some colorful life canvas art for the living room.": [ + "living room color art", + "living room colorful life canvas art", + "rainbow color living room", + "color art for the living room", + "color art for living room", + "living room canvas art", + "rainbow color art living room", + "living room wall art", + "rainbow color living room art", + "color art living room" + ], + "find light weight running shoes that can be worn for general outdoor activities and on hiking trails. my size is 40 m eu and i want the color to be 8-4 red.": [ + "walking shoes 40 m eu", + "rainbow shoes 40 m eu", + "rainbow shoes size 40 m eu", + "heavy weight running shoes 8-4 red", + "rainbow shoes 8-4 red", + "walking shoes size 40 m eu", + "walking shoes 40 m eu red", + "rainbow shoes 40 m eu red", + "low weight running shoes 8-4 red", + "light weight running shoes" + ], + "i am looking for some lightweight hiking shoes that are yellow and a size 39m": [ + "yellow hiking shoes size 39m", + "yellow hiking shoes", + "yellow hiking shoes, size 39m", + "yellow hiking shoes that are yellow", + "yellow hiking shoes a size 39m", + "yellow hiking shoes size 39m lightweight", + "yellow hiking shoes under $40", + "yellow lightweight hiking shoes", + "yellow hiking shoes size 39", + "yellow hiking shoes in a size 39" + ], + "i am looking for sea salt body skin scrub consisting of natural ingredients with pack size of 3.4 fl oz.": [ + "sea salt body scrub 3.4 fl oz", + "sea salt body skin scrub 3.4 fl oz", + "sea salt body scrub pack size of 3.4 fl oz", + "sea salt body scrub 2.4 fl oz", + "sea salt body scrub containing natural ingredients 3.4 fl oz", + "sea salt body skin scrub 3.4 fl oz.", + "sea salt body scrub 3.4 fl oz under $40", + "sea salt body skin scrub", + "sea salt body skin scrub with natural ingredients", + "sea salt body scrub" + ], + "i want to purchase a machine washable maroon-colored long sleeve men's t-shirt. my size is 3x-large.": [ + "machine washable maroon-colored long sleeve mens t-shirt 3x-large", + "machine washable maroon-colored long sleeve mens t-shirt", + "machine washable maroon-colored long sleeve mens t-shirt 3xl", + "man washable maroon-colored long sleeve mens t-shirt", + "womens t-shirt 3x-large", + "machine washable maroon colored long sleeve mens t-shirt", + "machine washable maroon-colored t-shirt", + "mens t-shirt 3x-large", + "machine washable maroon-colored t-shirt 3xl", + "womens t-shirt 3xl" + ], + "i am looking for irish-gold color men's t-shirt having long sleeve.": [ + "irish-gold mens t-shirt with long sleeve", + "irish-gold color mens t-shirt with long sleeve", + "irish-gold mens t-shirt with long sleeves", + "irish-gold t-shirt with long sleeve", + "irish-gold color mens t-shirt with long sleeves", + "irish-gold mens t-shirt having long sleeve", + "irish-gold color mens t-shirt having long sleeve", + "irish-gold t-shirt with long sleeves", + "risish-gold mens t-shirt with long sleeve", + "irish-gold mens t-shirt long sleeve" + ], + "i am looking for a water flosser and toothbrush combo in one, specifically one that is clinically proven to help with bad breath.": [ + "water flosser and toothbrush combo clinically proven to help with bad breath", + "water flosser and toothbrush combo", + "water flosser and toothbrush combo, clinically proven to help with bad breath", + "water flosser and toothbrush combo in one", + "bathroom flosser and toothbrush combo clinically proven to help with bad breath", + "water flosser and toothbrush combo clinically proven to help with bad breath.", + "water flosser and toothbrush combo for bad breath", + "water flosser and toothbrush combo in one,", + "bathroom flosser and toothbrush combo", + "water flosser toothbrush combo" + ], + "i want to get a fruit snack pack from the bare baked company. it should be both fat free and coconut flavored. i also prefer the 16-pack of the 0.53 ounce size.": [ + "fruit snack pack from the bare baked company", + "fruit snack pack from the bare baked company 16-pack", + "fruit snack pack that is fat free and coconut flavored", + "fruit snack pack from the bare baked company coconut flavored 16-pack", + "fruit snack pack from the bare baked company 16-pack coconut flavored", + "fruit snack pack from the bare baked company coconut flavored", + "fruit snack pack from bare baked company", + "fruit snack pack from the bare baked", + "fruit snack pack", + "fruit snack pack from bare baked" + ], + "i am looking for silicone body scrubber for sink care massage": [ + "silicone body scrubber sink care massage", + "silicone body scrubber sink care massage under $40", + "silicone body scrubber sink care massage under $50", + "silicone body scrubber for sink care massage", + "silicone body scrubber sink care massage under $60", + "silicone body scrubber sink care massage under 50 dollars", + "silicone body scrubber sink care massage silicone", + "silicone body scrubber sink care massage,", + " silicone body scrubber sink care massage", + "icone body scrubber sink care massage" + ], + "i want to find a gray-colored body scrubber that i can use on sensitive skin. if you can find me something that's second generation that would be helpful.": [ + "gray-colored body scrubber", + "gray-colored body scrubber for sensitive skin", + "gray body scrubber", + "grey-colored body scrubber", + "gray-colored body scrubber with sensitive skin", + "womens body scrubber gray", + "gray-colored body scrubber, sensitive skin", + "womens body scrubber gray-colored", + "womens body scrubber", + "gray body scrubber for sensitive skin" + ], + "could you find me a cruelty and paraben free fragrance? i'm hoping to find one with the sofia isabel scent.": [ + "cruelty and paraben free fragrance", + "cruelty and paraben free scent", + "cruelty and paraben free fragrance?", + "cruelty and paraben free fragrance for animals", + "cruelty and paraben free perfume", + "cruelty and paraben free", + "cruelty-free fragrance", + "cruelty free fragrance", + " cruelty and paraben free fragrance", + "cruelty free scent" + ], + "i'd like to purchase a men's sweater in a size 5x, long-sleeved and with a tonal design.": [ + "mens sweater size 5x long-sleeved and with a tonal design", + "mens sweater size 5x long-sleeved with a tonal design", + "mens sweater 5x long-sleeved with a tonal design", + "mens sweater 5x long-sleeved and with a tonal design", + "mens sweater in a size 5x long-sleeved", + "mens sweater in a size 5x long-sleeved, tonal design", + "mens sweater in a size 5x with a tonal design", + "mens sweater in a size 5x long-sleeved with a tonal", + "mens sweater in a size 5x long-sleeved, tonal", + "mens sweater in a size 5x" + ], + "i am looking for a camera lens protector case in silver color for samsung mobile , also easy to install.": [ + "camera lens protector case in silver color for samsung mobile", + "silver samsung mobile lens protector case", + "camera lens protector case in silver color samsung mobile", + "silver samsung mobile camera lens protector case", + "samsung mobile camera lens protector case in silver color", + "samsung mobile camera lens protector case in silver", + "a camera lens protector case in silver color samsung mobile", + "curtains protector case in silver color samsung mobile", + "camera lens protector case in silver samsung mobile", + "samsung camera lens protector case in silver color" + ], + "i am looking for a high quality healifty dental floss oral tooth brush kit which is easy to carry.": [ + "medical floss oral tooth brush kit", + "medical floss oral tooth brush kit that is easy to carry", + "medical floss oral tooth brush kit, easy to carry", + "medical floss oral tooth brush kit easy to carry", + "medical floss oral tooth brush kit which is easy to carry", + " healifty dental floss oral tooth brush kit", + "high quality healifty dental floss oral tooth brush kit", + "medical floss oral tooth brush kit, easy to carry,", + "ashifty dental floss oral tooth brush kit", + "medical floss oral tooth brush" + ], + "i'm looking for an easy to use roofull external cd dvd +/-rw drive usb 3.0 protable usb dvd/cd rom burner optical drive player reader writer for windows carrying case in silver.": [ + "easy to use roofull external cd dvd +/-rw drive usb 3.0", + "easy to use roofull external cd dvd +/-rw", + "easy to use roofull external cd dvd +/-rw drive usb 3.0 ou", + "easy to use roofull external cd dvd +/-rw drive", + "shoull external cd dvd +/-rw drive usb 3.0", + "im looking for an easy to use roofull external cd dvd +/-rw", + "rf dvd +/-rw drive usb 3.0", + "easy to use roofull external cd dvd +/-rw drive player", + "shoull external cd dvd +/-rw", + "rf dvd +/-rw" + ], + "i'm looking for a shampoo paraben free and a conditioner same as shampoo": [ + "shampoo paraben free conditioner", + "shampoo paraben free and conditioner same as shampoo", + "shampoo paraben free conditioner same as shampoo", + "shampoo paraben free and conditioner", + "shampoo paraben free", + "shampoo paraben free with conditioner", + "shampoo paraben free, conditioner same as shampoo", + "shampoo paraben free conditioner no shampoo", + "shampoo paraben free and conditioner the same price", + "shampoo paraben free conditioner the same as shampoo" + ], + "can you find me a hair growth serum that is made from natural ingredients, that will aid in hair growth and also aid in restoring damaged hair to it's healthiest state. i would like one individually-sized package.": [ + "natural hair growth serum that is made from natural ingredients", + "natural hair growth serum", + "hair growth serum made from natural ingredients", + "human hair growth serum that is made from natural ingredients", + "hair growth serum that is made from natural ingredients", + "human hair growth serum made from natural ingredients", + "natural hair growth serum, individually-sized,", + "human hair growth serum", + "manual hair growth serum", + "hair growth serum" + ], + "i need a long lasting eyebrow shaping kit for brown eyebrows.": [ + "long lasting eyebrow shaping kit for brown eyebrows", + "long lasting eyebrow shaping kit brown eyebrows", + "hair shaping kit for brown eyebrows", + "long lasting eyebrow shaping kit", + "hair shaping kit for brown eyebrows long lasting", + "hair shaping kit brown eyebrows long lasting", + "alarm shaping kit for brown eyebrows", + "erow shaping kit for brown eyebrows", + "brown eyebrow shaping kit", + "hair shaping kit brown" + ], + "i'm looking for medium sized workout and yoga leggings or tights in green, with butt lifting and high waist.": [ + "medium sized workout and yoga leggings with butt lifting high waist", + "medium sized workout and yoga leggings with butt lifting", + "medium sized workout and yoga leggings or tights in green", + "medium sized workout yoga leggings with butt lifting high waist", + "medium sized workout yoga leggings with butt lifting and high waist", + "medium workout and yoga leggings with butt lifting and high waist", + "medium workout and yoga leggings with butt lifting high waist", + "medium sized workout yoga leggings or tights in green", + "medium sized workout with butt lifting and high waist", + "medium sized workout with butt lifting high waist" + ], + "i am looking for 8 fluid oz. of a women's body mist by vera wang called embrace that's a green tea & pear blossom.": [ + "8oz. of a womens body mist by vera wang", + "8 fluid oz. of a womens body mist", + "8 oz. of a womens body mist by vera wang", + "8 fluid oz of a womens body mist by vera wang", + "8oz of a womens body mist by vera wang", + "8 fluid oz. a womens body mist by vera wang", + "8oz body mist by vera wang", + "8 fluid oz. of a womens body mist under $40", + "8oz. of a womens body mist", + "8 fluid oz." + ], + "i'm looking for fine mist body spray the bottle continues the warm of water.": [ + "fine mist body spray", + "fine mist body spray, warm of water", + "fine mist body spray under $40", + "fine mist body spray under $50", + "fine mist body spray with warm of water", + "fine mist body spray for fine mist water", + "fine mist body spray under $60", + "fine mist body spray warm of water", + "fine mist body spray, warm of water.", + "fine mist body spray, warm of water," + ], + "i'm looking for fine mist body spray fragrance it produces continues stream of water.": [ + "fine mist body spray fragrance it produces continues stream of water", + "fine mist body spray fragrance it produces continues stream of water.", + "fine mist body spray fragrance", + "fine mist body spray fragrance it produces in a stream of water", + "fine mist body spray fragrance that produces continues stream of water.", + "fine mist body spray fragrance it produces continues stream of water,", + "fine mist body spray scent it produces continues stream of water.", + "fine mist body spray scent it produces continues stream of water", + "fine mist body spray fragrance that produces continues stream of water", + "fine mist body spray fragrance it produces" + ], + "can you help me find a st. patrick's day themed cupcake topper? i need a shamrock design, and 24-60 of them.": [ + "st. patricks day themed cupcake topper 24-60 of them", + "st. patricks day themed cupcake topper shamrock", + "st. patricks day themed cupcake topper with shamrock design", + "st. patricks day themed cupcake topper with shamrock", + "st. patricks day themed cupcake toppers 24-60 of them", + "st. patricks day themed cupcake topper", + "st. patricks day themed cupcake topper under $60", + "shamrock cupcake topper 24-60", + "shamrock cupcake topper 24-60 of them", + "bagcake topper 24-60 shamrock" + ], + "i want to purchase dental tools and equipment's such as oral care dental tools, tarter scraper , professional dental picks, plaque remover, dentist pick stainless steel design as tarter scraper": [ + "oral care dental tools and equipments with tarter scraper", + "oral care dental tools and equipments with a tarter scraper", + "oral care dental tools and equipments", + "oral care dental tools with tarter scraper", + "oral care dental tools and equipments tarter scraper", + "oral care dental tools with tarter scraper professional dental picks", + "oral care dental tools with a tarter scraper", + "oral care dental tools and equipments tarter scraper", + "oral care dental tools, tarter scraper", + "oral care dental tools" + ], + "i have choose size 38 to high heel for the summer": [ + "size 38 high heel for the summer", + "38 to high heel for the summer", + "38 high heel for the summer", + "size 38 to high heel", + "size 38 high heel", + "shoes 38 to high heel", + "38 to high heel", + "38 high heel", + "size 38 to high heel shoes", + "size 38 high heel shoes" + ], + "i need a wood sculpture or a statue of a casual woman for home, living room, or wine cabinet.": [ + "wood sculpture of a casual woman for home, living room, wine cabinet", + "wood sculpture or statue of a casual woman", + "wood sculpture for home, living room, wine cabinet", + "wood sculpture, living room, wine cabinet", + "wood sculpture for home, living room, or wine cabinet", + "wood sculpture", + "wood sculpture or statue of a casual woman living room", + "wood sculpture or a statue of a casual woman", + "wood sculpture living room", + "wood sculpture of a casual woman" + ], + "i am looking to buy a fragrance free deodrant. it would be great if it comes in a pack of 12.": [ + "scent free deodrant pack of 12", + "synthetic free deodrant pack of 12", + "scent free deodrant 12 pack", + "st fragrance free deodrant pack of 12", + "scent free deodrant pack of 12 pack", + "soy free deodrant pack of 12", + "a fragrance free deodrant pack of 12", + "scent free deodrant pack 12 pack", + "synthetic free deodrant 12 pack", + "scent free deodrant 12 pack of 12" + ], + "i am looking for white color reebok men's sneaker with rubber sole.": [ + "white sneaker with rubber sole", + "white sneakers with rubber sole", + "white sneaker with rubber sole", + "white sneakers with rubber sole", + "white sneakers", + "white rubber sneaker", + "white rubber sneaker with rubber sole", + "white sneaker", + "white sneakers", + "white roman sneaker" + ], + "i'm looking for a pair of women's high heel with closed toe. i want pink and in size 9.": [ + "womens high heel with closed toe", + "womens high heel with closed toe pink", + "womens high heel with closed toe.", + "womens high heel", + "womens high heel pink", + "womens high heel in size 9", + "womens high heel in pink", + "woman high heel with closed toe", + "mens high heel with closed toe", + "woman high heel pink" + ], + "i am searching for some men's briefs but something fun. maybe you could find some with some elephants on them. i want them to be red and a large in size. also, it is important for convenience that they be machine washable as well.": [ + "mens briefs red and large", + "mens briefs red", + "mens briefs red machine washable", + "mens briefs red with elephants", + "mens briefs with elephants", + "mens briefs red washable", + "mens briefs red large", + "mens briefs, red and large", + "mens briefs that are red", + "mens briefs red, large" + ], + "i am looking for a nacho flavored tortilla chip dip, preferably in a grain free version.": [ + "nacho flavored tortilla chip dip", + "nacho flavored tortilla chip dip that is grain free", + "nacho flavored tortilla chip dip in a grain free flavor", + "nacho flavored tortilla chip dip in a grain free version", + "nacho flavored tortilla chip dip, grain free", + "nacho flavored tortilla chip dip in a grain free", + "nacho flavored tortilla chip dip in a grain free size", + "nacho flavored tortilla chip dip no sugar", + "nacho flavored tortilla chip dip, a grain free,", + "nacho flavored tortilla chip dip, no sugar" + ], + "i'm looking for a siete chip tortilla": [ + "siete chip tortilla", + "siete chip tortilla siete", + "siete chip tortilla under $40", + "siete chips tortilla", + "siete chip tortilla under $50", + "siete chip tortilla under $60", + "siete chip tortilla, siete", + "siete chip tortilla under 50 dollars", + " siete chip tortilla", + "siete chip tortilla," + ], + "i'm looking for a desktop computer with intel core i5 processor which includes of 8gb ram, 512gb nvme ssd + 500gb hdd": [ + "desktop computer with intel core i5 processor which includes of 8gb ram, 512gb nvme ssd + 500gb hdd", + "desktop computer intel core i5 processor which includes of 8gb ram, 512gb nvme ssd + 500gb hdd", + "desktop computer Intel core i5 processor which includes of 8gb ram, 512gb nvme ssd + 500gb hdd", + "desktop computer with intel core i5 processor whose includes of 8gb ram, 512gb nvme ssd + 500gb hdd", + "desktop computer with intel core i5 processor that includes of 8gb ram, 512gb nvme ssd + 500gb hdd", + "desktop computer with intel core i5 processor with of 8gb ram, 512gb nvme ssd + 500gb hdd", + "desktop computer i5 processor which includes of 8gb ram, 512gb nvme ssd + 500gb hdd", + "desktop computer with intel core i5 processor which includes of 8gb ram, 512gb nvme ssd + 500gb", + "desktop computer with intel core i5 processor which includes of 8gb ram", + "desktop computer with intel core i5 processor" + ], + "i want a french vanilla flavor lactose free coffee creamer ,16 fl oz": [ + "faux vanilla flavor lactose free coffee creamer16 fl oz", + "faux vanilla flavor lactose free coffee creamer 16 fl oz", + "frost vanilla flavor lactose free coffee creamer16 fl oz", + "vegan vanilla flavor lactose free coffee creamer16 fl oz", + "vegan vanilla flavor lactose free coffee creamer 16 fl oz", + "frost vanilla flavor lactose free coffee creamer 16 fl oz", + " french vanilla flavor lactose free coffee creamer16 fl oz", + " french vanilla flavor lactose free coffee creamer 16 fl oz", + "lactose free coffee creamer 16 fl oz", + "lemon free coffee creamer 16 fl oz" + ], + "i want you to buy me a vanity light which should have 4 led lights, i prefer it to be black and it should be dimmable.": [ + "vanity light with 4 led lights", + "vanity light which should have 4 led lights", + "pink vanity light with 4 led lights", + "vanity light that should have 4 led lights", + "vanity light 4 led lights", + "vanity light, 4 led lights", + "4 led lights vanity light", + "vanity light, black, dimmable", + "vanity light with 4 led lights, black", + "vanity light black" + ], + "i want a large tracksuit with long sleeves for my gym workout. get it in gray.": [ + "large tracksuit with long sleeves for workouts", + "large tracksuit with long sleeves", + "large tracksuit with long sleeves for a workout", + "large tracksuit with long sleeves for gym workout", + "large tracksuit with long sleeves for workout", + "large tracksuit with long sleeves for training", + "large tracksuit with long sleeves, gym workout", + "large tracksuit", + "large tracksuit in gray", + "large tracksuit workout gray" + ], + "i am looking lightweight non slip breathable runner shoe for woman size-37 i": [ + " lightweight non slip breathable runner shoe woman size-37", + "light weight breathable runner shoe for woman size-37", + "womens lightweight non slip breathable runner shoe", + "non slip breathable runner shoe for woman size-37", + " lightweight non slip breathable runner shoe", + "light weight breathable runner shoe woman size-37", + "non slip breathable runner shoe woman size-37", + "walking shoe for woman size-37", + "alarm runner shoe for woman size-37", + "light weight breathable runner shoe" + ], + "i'm looking for a 4g-lte blue 16gb unlocked alcatel 1 5in quad core": [ + "4g-lte blue 16gb unlocked alcatel", + "blue 16gb unlocked alcatel 1 5in quad core", + "4g-lte blue 16gb unlocked alcatel quad core", + "4glte blue 16gb unlocked alcatel 1 5in quad", + "4glte blue 16gb unlocked alcatel", + "4g-lte blue 16gb", + "4g-lte blue 16gb quad core", + "4glte blue 16gb", + "4glte blue 16gb quad core", + "4g-lte blue 16gb uni" + ], + "i am looking for a pendant light with a merlin's beard color that is easy to install.": [ + "pendant light with a merlins beard color", + "pendant light pendant light with a merlins beard color", + "pendant light with merlins beard color", + "pendant light with a merlins beard color easy to install", + "pendant light, merlins beard color, easy to install", + "pendant light in merlins beard color", + "a pendant light with a merlins beard color", + "pendant light, merlins beard color", + "portrait light with a merlins beard color", + "pendant light with a merlins beard color under $40" + ], + "i am looking for a de-stressing/calming tea that is sugar free, decaf, gluten free, non-gmo, and includes 20 bags.": [ + "tea sugar free, decaf, gluten free, non-gmo, 20 bags", + "tea de-stressing/calming tea", + "sugar free, decaf, gluten free, non-gmo tea", + "sugar free, decaf, gluten free tea", + "sugar free, decaf tea 20 bags", + "de-stressing/calming tea", + "sugar free and gluten free tea", + "tea de-stressing/calming tea no sugar", + "dressing/calming tea", + "tea no sugar" + ], + "place order for a pack of 12 blue diamond almonds that is gluten free and has the pecan flavor": [ + "pack of 12 blue diamond almonds gluten free", + "pack of 12 blue diamond almonds that is gluten free", + "pack of 12 blue diamond almonds with pecan flavor", + "pack of 12 blue diamond almonds", + "pack of 12 blue diamond almonds gluten free and pecan flavor", + "pack of 12 blue diamond almonds gluten free with pecan flavor", + "pack of 12 blue diamond almonds gluten free, pecan flavor", + "12 blue diamond almonds gluten free", + "12 blue diamond almonds that is gluten free", + "12 blue diamond almonds gluten free pack" + ], + "i am looking for a powerful, double sided, silicone back scrubber in the color orange.": [ + "silicone back scrubber in the color orange", + "stainless silicone back scrubber in the color orange", + "rainbow colored silicone back scrubber in the color orange", + "stainless rubber back scrubber in the color orange", + "white silicone back scrubber in the color orange", + "stainless, double sided, silicone back scrubber", + "manual, double sided, silicone back scrubber", + "rainbow color silicone back scrubber in the color orange", + "manual, double sided, silicone back scrubber orange", + "rainbow color silicone back scrubber" + ], + "i'm looking for a car amp/speaker combo with 8 gauge amp wiring kit with four 450 watt kickers cs series with 2 way car coaxials and a 4 channel bluetooth amp included.": [ + "car amp/speaker combo with 8 gauge amp wiring kit", + "car amp/speaker combo with 8 gauge amp wiring kit with four 450 watt kickers", + "car amp/speaker combo 8 gauge amp wiring kit with four 450 watt kickers cs series", + "car amp/speaker combo 8 gauge amp wiring kit with four 450 watt kickers", + "car amp/speaker combo with 8 gauge amp wiring kit with four 450 watt kickers cs", + "car amp/speaker combo with eight gauge amp wiring kit with four 450 watt kickers", + "car amp/speaker combo with eight gauge amp wiring kit", + "car amp/speaker combo 8 gauge amp wiring kit", + "car amp/speaker combo", + "car amp/speaker combo 8 gauge" + ], + "i am looking for a cotton sheet set for a light blue king size bed": [ + "cotton sheet set for a light blue king size bed", + "coaxial sheet set for a light blue king size bed", + "t cotton sheet set for a light blue king size bed", + "womens sheets set for a light blue king size bed", + "otton sheet set for a light blue king size bed", + "womens bed cotton sheet set", + "light blue king size bed", + "womens bed cotton sheet set light blue", + "womens bed with cotton sheet set", + "womens bed" + ], + "i would like a moon rock gray standard sized pillow case that long lasting.": [ + "moon rock gray standard sized pillow case long lasting", + "moon rock gray pillow case long lasting", + "moon rock gray standard sized pillow case", + "moon rock gray pillow case that long lasting", + "Moon rock gray standard sized pillow case long lasting", + "moisturizing pillow case long lasting", + "moon rock gray pillow case that is long lasting", + " moon rock gray standard sized pillow case long lasting", + "moon rock gray mattress case long lasting", + "moon rock gray pillows long lasting" + ], + "i'd like to some lands' end men's 11 inches chino shorts that i can machine wash. the size i'm looking for is a 38 regular.": [ + "land end mens 11 inches chino shorts", + "lands end mens 11 inches chino shorts", + "land end mens 11 inches chino shorts under $40", + "land of mens 11 inches chino shorts", + "land end mens 11 inches chino shorts under $50", + "land end mens 11 inches chino shorts machine wash", + "land end mens 11 inches chino shorts, 38 regular", + "lands end mens 11 inches chino shorts under $40", + "land end mens 11 inches chino shorts, machine wash", + "lens end mens 11 inches chino shorts" + ], + "i am looking for some fat free snacks size of 2.85": [ + "fat free snacks size of 2.85", + "fat free snacks size 2.85", + "fat free snacks 2.85", + " fat free snacks size of 2.85", + "fat free snacks 2.85 fat free", + "fat free snacks size of 2.5", + "Fat free snacks size of 2.85", + " fat free snacks size 2.85", + "fat free snack size of 2.85", + "fat free snacks" + ], + "i am looking for a teal scented jar candle, it should be white in color and at least 10inch long.": [ + "teal scented jar candle 10inch long", + "teal scented jar candle white", + "teal scented jar candle white 10inch long", + "teal scented jar candle, 10inch long", + "teal scented jar candle, white", + "teal scented jar candle that is white", + "teal scented jar candle that should be white", + "teal scented jar candle", + "teal scented jar candle 9inch long", + "teal scented jar candle in white" + ], + "i am searching for orange scented soy wax jar candle, 15 oz": [ + "orange scented soy wax jar candle, 15 oz", + "orange scented soy wax jar candle 15 oz", + "orange scented soy wax jar candle", + "orange scented soy wax jar candle in 15 oz", + "orange scented soy wax jar candle 14 oz", + "orange scented soy wax jar candle15 oz", + "orange scented soy wax jar candle 16 oz", + "orange scented soy wax jar candles 15 oz", + "orange scented soy wax jar candle 17 oz", + "orange scented soy wax candle 15 oz" + ], + "i am looking for a 15oz white jar candles": [ + "15oz white jar candles", + "15oz white jar candles under $40", + "15oz white jar candles under $60", + "15oz white mason candles", + "15oz white jar candles under $50", + "15oz white jar candles under 30 dollars", + "size 15oz white jar candles", + "15oz white jar candles under 50 dollars", + "15oz white jar candles under 40 dollars", + "16oz white jar candles" + ], + "i'm looking for mens sport casual thong sandals, open toe, and better color black .": [ + "mens sport casual thong sandals open toe black", + "mens sport casual thong sandals, open toe, black", + "mens sport casual thong sandals open toe black mens", + "mens sport casual thong sandals, open toe black", + "mens sport casual thong sandals open toe", + "mens sport casual thong sandals with open toe", + "mens sport casual thong sandals in open toe black", + "mens sport casual thong sandals in open toe", + "mens sport casual thong sandals, open toe", + "mens sport casual thong sandals" + ], + "get me a low fat bacon jerky. make sure it is of maple flavour.": [ + "low fat bacon jerky maple flavour", + "low fat bacon jerky maple flavor", + "low fat bacon jerky maple", + "low fat bacon jerky with maple flavour", + "low fat bacon jerky maple flav", + "low fat bacon jerky with maple flavor", + "low fat bacon jerky maple flavoured", + "low fat bacon jerky maple flavoring", + "low fat bacon jerky maple spice", + "low fat bacon jerky, maple flavour" + ], + "i want to find some white, size 9, elan - leather sandals for men.": [ + "white elan leather sandals for men", + "elan leather sandals for men", + "elan leather sandals for men size 9", + "white elan - leather sandals for men", + "white, leather sandals for men", + "white elan leather sandals size 9", + "elan - leather sandals for men", + "white elan leather sandals for men.", + "white elan leather sandals", + "white leather sandals for men" + ], + "i'm looking for a 1 fl oz package high quality, long-lasting liquid foundation with spf that is oil-free. also, choose shade 460 - macadamia": [ + "1 fl oz package high quality, long-lasting liquid foundation with spf that is oil-free", + "1 fl oz package high quality, long-lasting liquid foundation with spf", + "1 fl oz package high quality, long-lasting liquid foundation", + "1fl oz package high quality, long-lasting liquid foundation with spf that is oil-free", + "1 fl oz package high quality, long-lasting liquid foundation with spf, oil-free", + " 1 fl oz package high quality, long-lasting liquid foundation with spf that is oil-free", + "1 fl oz package high quality, long-lasting liquid foundation with spf that is oil free", + "1 fl oz package high quality liquid foundation with spf that is oil-free", + "1 fl oz package high quality, long-lasting liquid foundation that is oil-free", + "1 fl oz package high quality with spf that is oil-free" + ], + "colorstay makeup for normal/dry skin which is oil free and in 1.0 fluid ounce": [ + "colorstay makeup for normal/dry skin 1.0 fluid ounce", + "colorstay makeup for normal/dry skin oil free 1.0 fluid ounce", + "colorstay makeup for normal/dry skin oil free 1.0 fluid ounce", + "colorstay makeup for normal/dry skin, oil free, 1.0 fluid ounce", + "colorstay makeup for normal/dry skin in 1.0 fluid ounce", + "colorstay makeup for normal/dry skin which is oil free 1.0 fluid ounce", + "colorstay makeup for normal/dry skin", + "colorstay makeup for normal/dry skin with oil free 1.0 fluid ounce", + "colorstay makeup for normal/dry skin, oil free, 1.0 fluid ounces", + "colorstay makeup" + ], + "i want to find a pair of green camo size 40w x 34l slim-fit men\u2019s cargo pants": [ + "green camo size 40w x 34l slim-fit men\u2019s cargo pants", + "green camo 40w x 34l slim-fit men\u2019s cargo pants", + "green camo shorts 40w x 34l slim-fit men\u2019s cargo pants", + "green camo, 40w x 34l slim-fit men\u2019s cargo pants", + "shoes 40w x 34l slim-fit men\u2019s cargo pants", + "green camo sized 40w x 34l slim-fit men\u2019s cargo pants", + "green camo x 34l slim-fit men\u2019s cargo pants", + "green camo size 40w x 34l slim fit men\u2019s cargo pants", + "green camo size 40w x 34l slim-fit", + "green camo size 40w x 34l" + ], + "men's slim-fit stretch cargo pant in dark khaki brown color with size 32wx34i and button closure suitable for machine wash": [ + "mens slim-fit stretch cargo pant in dark khaki brown color", + "mens slim-fit stretch cargo pant 32wx34i button closure", + "mens slim-fit stretch cargo pant in dark khaki brown", + "mens slim-fit stretch cargo pant", + "mens slim-fit stretch cargo pant size 32wx34i", + "mens slim-fit stretch cargo pant in dark khaki", + "mens slim-fit stretch cargo pant 32wx34i", + "mens slim-fit stretch cargo pant with button closure", + "mens slim-fit stretch cargo pant under $40", + "mens slim" + ], + "buy rockville marine gauge bluetooth receiver with 2 way coaxial black speakers": [ + "sea gauge bluetooth receiver with 2 way coaxial black speakers", + "packet bluetooth receiver with 2 way coaxial black speakers", + "portrait bluetooth receiver with 2 way coaxial black speakers", + "rockville marine gauge bluetooth receiver 2 way coaxial black speakers", + "a marine gauge bluetooth receiver with 2 way coaxial black speakers", + "sea gauge bluetooth receiver 2 way coaxial black speakers", + "rockville marine gauge bluetooth receiver 2 way coaxial black", + "sea gauge bluetooth receiver 2 way coaxial black", + "rockville marine gauge bluetooth receiver", + "rockville marine gauge bluetooth receiver with 2 way coaxial black" + ], + "low sodium pink salt": [ + "low sodium pink salt", + "low sodium pink salt below $40", + "low sodium pink salt drink mix", + "low sodium pink salt below $50", + "low sodium pink salt below $60", + "low sodium pink salt under $40", + "low sodium pink salt under $50", + "low sodium pink salt under $60", + "low sodium pink salt flavor", + "pink salt" + ], + "i need some gluten free special diet seasonings.": [ + "gluten free special diet seasonings", + "gluten free special diet seasonings.", + "gluten free special diet seasonings under $40", + "gluten free special diet seasonings under $60", + "gluten free special diet seasonings under $50", + "gluten free special diet seasonings under 50 dollars", + "gluten free special diet seasonings under 30 dollars", + "gluten free special diet seasonings under 40 dollars", + "gluten free special diet seasonings under 60 dollars", + "gluten free special diet seasonings under 120 dollars" + ], + "buy me a twenty ounce pack of low-sodium everyday seasonings.": [ + "20 ounce pack of low-sodium everyday seasonings", + "23 ounce pack of low-sodium everyday seasonings", + "24 ounce pack of low-sodium everyday seasonings", + "faux ounce pack of low-sodium everyday seasonings", + "22 ounce pack of low-sodium everyday seasonings", + "twenty ounce pack of low-sodium everyday seasonings", + "Twenty ounce pack of low-sodium everyday seasonings", + "two pack of low-sodium everyday seasonings", + "25 ounce pack of low-sodium everyday seasonings", + "two pack low-sodium everyday seasonings" + ], + "i'm looking for a gluten free all purpose seasoning with himalayan pink salt that is mow in sodium and has no artificial colors. also, choose a pack of 1 weighing 4 ounce in standard size lifestyle pack for everyday seasoning one.": [ + "gluten free all purpose seasoning with himalayan pink salt", + "gluten free seasoning with himalayan pink salt", + "gluten free all purpose seasoning with himalayan pink salt pack", + "gluten free all purpose seasoning with healayan pink salt", + "a gluten free all purpose seasoning with himalayan pink salt", + "gluten-free all purpose seasoning with himalayan pink salt", + "gluten free all purpose seasoning seasoning with himalayan pink salt", + "gluten free seasoning with himalayan pink salt pack", + "gluten free all purpose seasoning", + "gluten free all purpose seasoning healayan pink salt" + ], + "i'm looking for gluten free high protein organic products to buy a groceries shop.": [ + "gluten free high protein organic products", + "gluten free high protein organic products groceries shop", + "gluten free high protein organic products for groceries shop", + "gluten free high protein organic products groceries shop.", + "gluten free high protein organic products for groceries", + "gluten free high protein organic products grocery shop", + "gluten free high protein organic products, groceries shop", + "gluten free high protein organic products groceries", + "gluten free high protein organic products a groceries shop", + "gluten free high protein organic products in groceries shop" + ], + "i am looking for a gluten free paleo seasoning salt set. i need a pack of 1 containing 20 ounce.": [ + "paleo seasoning salt set 20 ounce", + "gluten free paleo seasoning salt set 20 ounce", + "gluten free seasoning salt set 20 ounce", + "paleo seasoning salt set 20 ounce.", + "gluten free Paleo seasoning salt set 20 ounce", + "paleo seasoning salt set 20 ounce gluten free", + "aleo seasoning salt set 20 ounce", + "vegan seasoning salt set 20 ounce", + "paleo seasoning salt set 20 ounce pack", + "paleo seasoning salt set 20 oz" + ], + "i would like a standard size three ounce spice gift set that is gluten free.": [ + "three ounce spice gift set that is gluten free", + "standard size three ounce spice gift set", + "3 ounce spice gift set that is gluten free", + "three ounce spice gift set gluten free", + "standard size three ounce spice gift set gluten free", + "three ounce spice gift set", + "3 ounce spice gift set gluten free", + "gluten free spice gift set", + "sugar free spice gift set", + "3 ounce spice gift set" + ], + "i would like a pound of 2.01 ounce everyday seasoning bottles that are gluten free.": [ + "1.01 ounce everyday seasoning bottles that are gluten free", + "bag of 2.01 ounce everyday seasoning bottles", + "2.01 ounce everyday seasoning bottles that are gluten free", + "pack of 2.01 ounce everyday seasoning bottles", + "1.01 ounce everyday seasoning bottles", + "a pound of 2.01 ounce everyday seasoning bottles", + "bag of 2.01 ounce everyday seasoning bottles gluten free", + "1.01 ounce everyday seasoning bottles gluten free", + "1.01 ounce seasoning bottles that are gluten free", + "2.01 ounce everyday seasoning bottles" + ], + "i am looking for a everyday seasonings flavor of gluten free food & beverage gifts": [ + "gluten free food & beverage gifts", + "gluten free food and beverage gifts", + "a gluten free food & beverage gifts", + "a gluten free food and beverage gifts", + "luten free food & beverage gifts", + "almond seasonings flavor of gluten free", + "almond seasonings flavor", + "almond seasonings flavor of gluten free food", + "an everyday seasonings flavor of gluten free", + "gluten free" + ], + "i am interested in some low sodium organic seasonings": [ + "low sodium organic seasonings", + "low sodium organic seasonings under $40", + "low sodium organic seasonings under $60", + "low sodium organic seasonings under $50", + "low sodium organic seasonings under 50 dollars", + "low sodium organic seasonings under 30 dollars", + "low sodium organic seasonings under 40 dollars", + "low sodium organic seasonings under 60 dollars", + "low sodium organic seasonings below $40", + "low sodium organic seasoning" + ], + "i want low sodium paleo powder spice gift sets.": [ + "low sodium paleo powder spice gift sets", + "low sodium paleo powder spice gift set", + "low sodium paleo powder spice gift sets.", + "paleo powder spice gift sets", + "low sodium paleo powder spice gift set.", + "paleo powder spice gift set", + "low sodium paleo powder spice gift box", + "low sodium paleo powder spice gift sets", + "low sodium paleo powder spice gift", + "low sodium paleo powder spice gifts" + ], + "hello, i'm looking for a decently sized (preferably 80-83cm) bookshelf for my living room and is eco-friendly? thanks": [ + "decently sized (preferably 80-83cm) bookshelf for my living room", + "conently sized (preferably 80-83cm) bookshelf for my living room", + "convenient sized (preferably 80-83cm) bookshelf for my living room", + "decently sized (preferably 80-83cm) bookshelf", + "decently sized (preferably 80-83cm) bookshelf for living room", + "decently sized (preferably 80-83cm) eco-friendly", + "curtains 80-83cm eco-friendly", + "curtains 80-83cm", + "vinyl bookshelf for living room eco-friendly", + "40 x 83cm eco-friendly bookshelf" + ], + "i would like to check out size 6 pink open toe fashionable high heeled shoes. would like them also to have a non-slip rubber sole for comfort.": [ + "pink open toe fashionable high heeled shoes", + "size 6 pink open toe fashionable high heeled shoes", + "pink open toe fashionable high heeled shoes size 6", + "pink open toe fashionable high heeled shoes that are comfortable", + "pink open toe fashionable high heeled shoes, size 6", + "small pink open toe fashionable high heeled shoes", + "pink open toe high heeled shoes", + "plastic high heeled shoes size 6", + "pink high heeled shoes", + "plastic high heeled shoes" + ], + "photography studio vintage house corridor a 16 10x10ft/3x3m features: high resolution size 7x5ft l 2.1x1.5m": [ + "photography studio vintage house corridor a 16 10x10ft", + "photography studio vintage house corridor a 16 10x10ft/3x3m", + "photography studio vintage house corridor a 16 10x10ft x3x3m", + "photography studio vintage house corridor a 16 10x10ft x 3x3m", + "photography studio vintage house corridor a 16 10x10ft l", + "photography studio vintage house corridor 7x5ft l 2.1x3m", + "photography studio vintage house corridor a 16 10x10ft 3x3m", + "photography studio vintage house corridor", + "photography studio vintage house corridor a 1610x10ft", + "photography studio vintage house corridor 16 10x10ft" + ], + "blue color simayixx baby toothbrush made of silicone.": [ + "blue baby toothbrush made of silicone", + "blue color simayixx baby toothbrush", + "baby toothbrush made of silicone", + "imayixx baby toothbrush made of silicone", + "blue color simayixx baby toothbrush with silicone", + "blue baby toothbrush made from silicone", + "blue baby toothbrush made of silicone.", + "baby toothbrush made from silicone", + "blue baby toothbrush made of silicone,", + "blue baby toothbrush" + ], + "i need an extra-large multi-colored set of machine-washable men's pajamas with an elastic waistband.": [ + "extra-large multi-colored set of machine-washable mens pajamas with an elastic waistband", + "extra-large multi-colored set of machine-washable mens pajamas", + "super-large multi-colored set of machine-washable mens pajamas with an elastic waistband", + "extra-large multi-colored mens pajamas with an elastic waistband", + "extra-large multi-colored set of mens pajamas with an elastic waistband", + "large multi-colored set of machine-washable mens pajamas with an elastic waistband", + "extra-large multi-colored set of machine-washable mens pajamas with a elastic waistband", + "extra-large multi-colored pajamas with an elastic waistband", + "extra-large multi-colored woman pajamas with an elastic waistband", + "extra-large multi-colored set of machine-washable mens pajamas, elastic waistband" + ], + "i'm looking for a easy to clean table linens for the dining room in a valentine's day": [ + "easy to clean table linens for the dining room", + "easy clean table linens for the dining room", + "tablet linens dining room valentines day", + "tablet linens for the dining room", + "living room table linens", + "easy to clean table linens dining room", + "tablet linens for dining room", + "easy to clean table linens for dining room", + "tablet linens dining room", + "easy to clean table linens" + ], + "500pcs by a box portable makeup facial soft cotton pads soft hypoallergenic and lint free cotton wipes for applying lotion removing face makeup eye makeup and nail polish": [ + "500pcs by a box portable makeup facial soft cotton pads", + "pcs by a box portable makeup facial soft cotton pads", + "500pcs by a box portable makeup facial soft cotton pad", + "500pcs by a box portable makeup facial soft cotton", + "ps by a box portable makeup facial soft cotton pads", + "facial soft cotton pads soft hypoallergenic", + "temporary makeup facial soft cotton pads", + "temporary makeup facial soft cotton pads lint free", + "portrait makeup facial soft cotton pads", + "facial soft cotton pads" + ], + "i am looking for natural magnesium gel deodorant for muscles aches and pains": [ + "natural magnesium gel deodorant for muscles aches and pains", + "natural magnesium gel deodorant for muscles aches and pains", + "natural magnesium gel deodorant for i muscles aches and pains", + "natural magnesium gel deodorant for aches and pains", + "natural magnesium gel deodorant for the muscles aches and pains", + "natural magnesium gel deodorant for muscles aches", + "natural magnesium gel deodorant for body aches and pains", + "natural magnesium gel deodorant for muscle aches and pains", + "natural magnesium gel deodorant for muscles aches", + "natural magnesium gel deodorant" + ], + "search for a 10 foot, apple mfi certified, usb c fast charging lightning cable that is grey.": [ + "10 foot, apple mfi certified, usb c fast charging lightning cable", + "10 foot, apple mfi certified, usb c fast charging lightning cable, grey", + "10 foot apple mfi certified, usb c fast charging lightning cable that is grey", + "10 foot apple mfi certified, usb c fast charging lightning cable", + "10 foot, apple mfi certified, usb c fast charging lightning cable in grey", + "10 foot long, apple mfi certified, usb c fast charging lightning cable", + "10 foot high, apple mfi certified, usb c fast charging lightning cable", + "10 foot, usb c fast charging lightning cable that is grey", + "10 foot, usb c fast charging lightning cable", + "grey apple mfi certified, usb c fast charging lightning cable" + ], + "i want a grey fast charging usb c to lightning cable.": [ + "grey fast charging usb c to lightning cable", + "grey fast charging usb c to lightning cable.", + "grey fast charging usb c to lightning cable,", + "womens grey fast charging usb c to lightning cable", + "grey fast charging usb c to lightning cable under $40", + "grey fast charging usb c to lightning cable under $60", + "grey fast charging usb c to lightning cable under $50", + "grey fast charging usb c to lightning cable below $40", + "grey fast charging usb c to lightning cable grey", + "grey fast charging usb c to lightning cable in a grey" + ], + "i want a silver color pillow shams set for king and queen size 20 by 30 inches.": [ + "silver color pillow shams set for king and queen size 20 by 30 inches", + "silver pillow shams set for king and queen size 20 by 30 inches", + "silver pillows set for king and queen size 20 by 30 inches", + "plastic pillow shams set for king and queen size 20 by 30 inches", + "plush shams set for king and queen size 20 by 30 inches", + " silver color pillow shams set for king and queen size 20 by 30 inches", + "silver color pillow shams, king and queen size 20 by 30 inches", + "silver color pillow shams set for king and queen size 20 by 30", + "silver color pillow shams set for king and queen size 20 by 30 inch", + "silver color pillow shams" + ], + "i'm looking for some hair extensions. i want ones that are a medium brown shade.": [ + "medium brown hair extensions", + "hair extensions medium brown", + "medium brown hair extension", + "hair extension medium brown", + "dark brown hair extensions", + "medium brown human hair extensions", + "medium brown wig extensions", + "large brown hair extensions", + "hair extensions brown", + "medium brown human hair extension" + ], + "i am looking for an ottoman that gives me storage space, and would look nice in my living room. prefer black in color.": [ + "oatoman black", + "oatoman in black", + "oatoman black living room", + "oatoman with storage space", + "oatoman living room black", + "oatoman white", + "oatoman for living room", + "black ottoman", + "oatoman, black", + "oatoman" + ], + "i would like to buy a 5.3fl oz bottle of shampoo that is certified cruelty free, please.": [ + "5.3fl oz bottle of shampoo certified cruelty free", + "5.3fl oz bottle of shampoo that is certified cruelty free", + "5.3fl oz bottle of shampoo", + "5.3fl oz bottle of shampoo, certified cruelty free", + "5.3fl oz bottle of shampoo certified cruelty free,", + "5.3fl oz bottle of shampoo which is certified cruelty free", + " 5.3fl oz bottle of shampoo that is certified cruelty free", + "5.3fl oz bottle of shampoo, certified cruelty free,", + "5.3fl oz bottle of shampoo no cruelty", + "5 oz bottle of shampoo certified cruelty free" + ], + "i would like a purple phone case that's compatible with an iphone 13 pro that has tempered glass and wireless charging.": [ + "pink phone case with tempered glass", + "pink phone case with tempered glass and wireless charging", + "pink phone case with tempered glass with wireless charging", + "pink phone case that has tempered glass and wireless charging", + "pink phone case with tempered glass wireless charging", + "iphone 13 pro case with tempered glass", + "pink phone case iphone 13 pro", + "pink phone case that has tempered glass", + "pink phone case", + "pink phone case with tempered glass and wireless charging." + ], + "i am looking for high quality hair tie and ponytail holder which is used for hair styling for women and girls.": [ + "high quality hair tie and ponytail holder", + "hair tie and ponytail holder for women and girls", + "hair tie and ponytail holder", + "hair tie and ponytail holder that is high quality", + "hair tie and ponytail holder for women", + "high quality hair tie and ponytail holder for women", + "high quality hair tie and ponytail holder,", + "high quality hair tie and ponytail holder under $40", + "high quality hair tie and ponytail holder under $50", + "high quality hair tie" + ], + "i want a decorative wine rack ornament for living room wine cabinate": [ + "vinyl wine rack ornament for living room wine cabinate", + "decorated wine rack ornament for living room wine cabinate", + "contemporary wine rack ornament for living room wine cabinate", + "contains a decorative wine rack ornament for living room wine cabinate", + " decorative wine rack ornament for living room wine cabinate", + "contains an decorative wine rack ornament for living room wine cabinate", + "style wine rack ornament for living room wine cabinate", + "artwork for living room wine cabinate", + "vinyl wine rack ornament living room wine cabinate", + "i want a decorative wine rack ornament for living room wine cabinate" + ], + "i am looking for a nice faux leather couch sofa bed with metal legs for my living room. i want the black one.": [ + "faux leather couch sofa bed with metal legs", + "faux leather couch sofa bed with metal legs in black", + "faux leather couch sofa bed with metal legs, black", + "faux leather sofa bed with metal legs", + "faux leather couch sofa bed with metal legs black", + "faux leather couch sofa bed", + "faux leather couch sofa bed with metal legs black", + "faux leather couch sofa bed in black", + "faux leather sofa bed", + "living room sofa bed with metal legs" + ], + "i am looking for a 2 ft 3 in (10 ft) rugs and pads for my living room that is more beautiful for my dining room also. and i choose dark grey color.": [ + "2 ft 3 in (10 ft) rugs and pads for my living room", + "2 ft 3 in (10 ft) rugs and pads for my dining room", + "2 ft 3 in (10 ft) rugs and pads for dining room", + "2 ft 3 in (10 ft) rugs and pads for living room", + "2 ft 3 in (10 ft) rugs and pads dining room", + "2 ft 3 in (10 ft) rugs and pads", + "two ft 3 in (10 ft) rugs and pads for my living room", + "2 ft 3 in (10 ft) rugs and pads for the living room", + "2 ft 3 in (10 ft) rugs and pads for my living room,", + "2 ft 3 in (10 ft) rug and pads for my living room" + ], + "i am looking for an inexpensive tv stand for our 60 inch tv with huge storage space and that should be in ashland pine color": [ + "tv stand for 60 inch tv with huge storage space", + "tv stand for a 60 inch tv with huge storage space", + "tv stand for our 60 inch tv with huge storage space", + "tv stand for 60 inch tv in ashland pine color", + "tv stand in ashland pine color", + "tv stand in ashland pine", + "tv stand for 60 inch tv", + "tv stand for a 60 inch tv", + "tv stand for 60 inch tv with huge storage", + "tv stand" + ], + "i am looking for a convertible noisecancelling wireless headset": [ + "contemporary noisecancelling wireless headset", + "conportable noisecancelling wireless headset", + "coaxial noisecancelling wireless headset", + "curtains noisecancelling wireless headset", + "convertible noisecancelling wireless headset", + "carport noisecancelling wireless headset", + "comportable noisecancelling wireless headset", + "controlling noisecancelling wireless headset", + "contraceptive noisecancelling wireless headset", + "contemporary noisecancelling wireless headset under $130" + ], + "i'm looking for a certified organic lip balm that is plant based. please find a green tea flavor.": [ + "plant based lip balm that is plant based", + "plant based lip balm", + "plant based lip balm, green tea flavor", + "plant based lip balm with plant based flavor", + "plant based lip balm with green tea flavor", + "green tea lip balm that is plant based", + "green tea lip balm certified organic", + "plant based lip balm with natural flavor", + "green tea lip balm", + "plant based lip balm with plant based" + ], + "i am looking for gluten free in a jamaican style": [ + "gluten free jamaican style", + "gluten free in a jamaican style", + "gluten free jamaican style drink mix", + "gluten free jamaican style gluten free", + "gluten free jamaican style dairy free", + "gluten free jamaican style foods", + "gluten free jamaican style cookies", + "gluten free jamaican style food", + "gluten-free jamaican style", + "gluten free jamaican style meal mix" + ], + "i am looking for a caffeine free fruit tea with natural flavours of mango and passion fruit with pack size of 8 ounce.": [ + "mango and passion fruit tea pack size of 8 ounce", + "caffe free fruit tea pack size of 8 ounce", + "coffee free fruit tea pack size of 8 ounce", + "mango and passion fruit tea pack size of 8 oz", + "fruit tea with natural flavours of mango and passion fruit", + "caffe free fruit tea 8 ounce", + "vegan tea with natural flavours of mango and passion fruit", + "caffe free fruit tea 8 oz", + "caffe free fruit tea", + "caffe free fruit tea 8 ounce pack" + ], + "i am looking for a 1 pound quality ingredients of herbal tea": [ + "1 pound quality ingredients of herbal tea", + "1 pound herbal tea", + "1 pound herbal tea with quality ingredients", + "1 pound quality ingredients of herbal tea under 30 dollars", + "1 pound quality ingredients of herbal tea under $40", + "1 pound quality ingredients of herbal tea under $50", + "1 pound quality ingredients of herbal tea under $60", + "one pound quality ingredients of herbal tea", + "1 pound quality ingredients of herbal tea under 50 dollars", + "1 pound herbal tea that is quality" + ], + "i am looking for long sleeve shirt with 100 percent cotton, it should be washable in machine and particularly solid paper white color.": [ + "long sleeve shirt with 100 percent cotton", + "long sleeve shirt 100 percent cotton", + "womens long sleeve shirt with 100 percent cotton", + "long sleeve shirt washable in machine", + "long sleeve shirt, 100 percent cotton", + "long sleeve shirt with 100 percent cotton under $40", + "long sleeve shirt that is washable in machine", + "long sleeve shirt with 100 percent cotton under $60", + "long sleeve shirt with 100 percent cotton in machine", + "lens shirt with 100 percent cotton" + ], + "i'm looking for a non-toxic concealer than contains argan oil, with rich color.": [ + "non-toxic concealer with argan oil", + "non-toxic concealer that contains argan oil", + "non-toxic concealer no argan oil", + "non-toxic concealer containing argan oil", + "non-toxic concealer colored argan oil", + "non-toxic concealer than contains argan oil", + "non-toxic concealer argan oil", + "non-toxic concealer, argan oil", + "non-toxic concealer under $40", + "non-toxic concealer under $50" + ], + "i am looking for a valentine day gift basket for women from assortments & variety gifts category.": [ + "valentine day gift basket for women from assortments", + "variety gifts valentine day gift basket for women", + "bag for women from assortments & variety gifts category", + "valentine day gift basket for women under $50", + "valentine day gift basket for women", + "variety gifts valentine day gift basket", + "variety gifts valentine day basket for women", + "valentine day gift basket", + "variety gifts valentine day", + " valentine day gift basket" + ], + "i want to buy 1 dagostino handmade pasta pack of 3 12oz old fashioned rotini from the pasta and noodles for dinner tonight.": [ + "1 dagostino handmade pasta pack of 3 12oz old fashioned rotini", + "dagostino handmade pasta pack of 3 12oz old fashioned rotini", + "1 dagostino handmade pasta pack of 3 12oz old fashioned rotini for dinner", + "3 dagostino handmade pasta pack of 3 12oz old fashioned rotini", + "dagostino handmade pasta pack of 3 12oz old fashioned rotini for dinner", + "bagatino handmade pasta pack of 3 12oz old fashioned rotini", + "2 dagostino handmade pasta pack of 3 12oz old fashioned rotini", + "bagel pasta pack of 3 12oz old fashioned rotini", + "3 dagostino handmade pasta pack of 3 12oz old fashioned rotini for dinner", + "bagatino handmade pasta pack of 3 12oz old fashioned rotini for dinner" + ], + "na": [ + "na", + "na, under 30 dollars", + "na, under $40", + "na, under $50", + "na under $40", + "non-alcoholic drink", + "na under $50", + "nat", + "na,", + "tea" + ], + "toroton dummy security camera in red colour.": [ + "toroton dummy security camera in red", + "toroton dummy security camera in red colour", + "toroton dummy security camera red", + "toroton dummy security camera in red color", + "toroton dummy security camera, red", + "toroton dummy security camera", + "toton dummy security camera in red", + "toroton dummy security camera with red colour", + "toroton dummy security camera that is red", + "toroton dummy security camera color" + ], + "i want long curly synthetic hair wig 26\" colour darkest brown": [ + "long curly synthetic hair wig 26 colour darkest brown", + "long curly synthetic hair wig 26 color darkest brown", + "short curly synthetic hair wig 26 colour darkest brown", + "long curly synthetic hair wig 26", + " long curly synthetic hair wig 26 colour darkest brown", + "long curly synthetic hair wig 25 colour darkest brown", + "womens wig 26 colour darkest brown", + "hair wig 26 colour darkest brown", + "long curly synthetic hair wig 26 black", + "long curly synthetic hair wig" + ], + "i need white cheddar corn puffs from trader joe's,": [ + "white cheddar corn puffs from trader joes", + "white cheddar corn puffs from trader joes,", + "white cheddar corn puffs trader joes", + "white cheddar corn puffs from trader joes, less than $40", + "white cheddar corn puffs from trader joes, less then $40", + "white cheddar corn puffs trader joes,", + "white cheddar corn puffs", + "white cheddar corn puffs from trader joes, under $40", + "white cheddar corn puffs from trader joes, $40", + "white cheddar corn puffs, trader joes" + ], + "i looking a hair growth treatment based on tea tree suitable with coconut oil": [ + "hair growth treatment based on tea tree suitable with coconut oil", + "hair growth treatment based on tea tree with coconut oil", + "tea tree hair growth treatment", + "a hair growth treatment based on tea tree suitable with coconut oil", + "tea tree hair growth treatment with coconut oil", + "shoes growth treatment based on tea tree suitable with coconut oil", + "hair growth treatment based on tea tree", + "hair growth treatment based on tea tree natural with coconut oil", + "toothpaste treatment based on tea tree suitable with coconut oil", + "hair growth treatment based on tea tree, coconut oil" + ], + "im looking for a travel sized long lasting scent from tom ford. preferably from the jasmine musk impression line.": [ + "travel sized long lasting scent from tom ford", + "travel sized long lasting scent from tom ford with a jasmine musk impression line", + "travel sized long lasting scent from tom ford, jasmine musk impression line", + "tour sized long lasting scent from tom ford", + "travel sized long lasting scent from tom ford, and price lower than 50.00 dollars", + "temporary scent from tom ford travel sized long lasting scent", + "travel sized long lasting scent from tom ford, and price lower than 40.00 dollars", + "travel sized long lasting scent from tom ford under $40", + "vanity sized long lasting scent from tom ford", + "temporary scent from tom ford" + ], + "i'm looking for a t-rex birthday cake for a birthday party.": [ + "t-rex birthday cake for a baby shower", + "t-rex birthday cake for a birthday party", + "t-rex birthday cake", + "t-rex baby shower cake", + "baby shower t-rex birthday cake", + "t-rex birthday cake for a baby girl", + "t-rex birthday cake for a baby", + "t-rex birthday cake for a girl", + "teen girl t-rex birthday cake", + "teeth birthday cake" + ], + "open amazon and get labena eye patches to moisturize the dark circules in large size and blue color": [ + "open amazon and get labena eye patches in large size and blue", + "open amazon with labena eye patches in large size and blue color", + "moisturizing dark circules in large size and blue", + "moisturizing dark circules in large size and blue color", + "open amazon and get labena eye patches", + "labena eye patches in large size and blue", + "labelena eye patches in large size and blue", + "labena eye patches in large size and blue color", + "moisturizing dark circules in large size", + "dark circules in large size and blue" + ], + "i am looking for the king size laojee chunky knit throw blanket in red.": [ + "king size laojee chunky knit throw blanket in red", + "king size laojee chunky knit throw blanket", + "king size laojee chunky knit throw blanket, red", + " king size laojee chunky knit throw blanket in red", + "laojee chunky knit throw blanket in red", + "king size laojee chunky knit throw blanket red", + "knee wide throw blanket in red", + "laojee chunky knit throw blanket", + "knee-high throw blanket in red", + "pink throw blanket in red" + ], + "i am looking island lights pendant light fixture colour black": [ + "i am looking island lights pendant light fixture colour black, and price lower than 50.00 dollars", + "i am looking island lights pendant light fixture colour black, and price lower than 40.00 dollars", + "i am looking island lights pendant light fixture colour black, and price lower than 60.00 dollars", + "i am looking island lights pendant light fixture colour black, and price lower than 30.00 dollars", + "i am looking island lights pendant light fixture colour black, and price lower than 100.00 dollars", + "i am looking island lights pendant light fixture colour black, and price lower than 70.00 dollars", + "i am looking island lights pendant light fixture colour black, and price lower than 120.00 dollars", + "i am looking island lights pendant light fixture colour black, and price lower than 140.00 dollars", + "i am looking island lights pendant light fixture colour black, and price lower than 20.00 dollars", + "i am looking island lights pendant light fixture colour black, and price lower than 90.00 dollars" + ], + "i'm looking for a soft and luxury cot": [ + "soft and luxury cot", + "soft and luxury cot under $50", + "soft and luxury cot under $40", + "soft and luxury cot under $120", + "soft and luxury cot under $130", + "soft and luxury cot under 50 dollars", + "soft and luxury cot,", + "soft and luxury cot under $60", + "soft and luxury cot under 30 dollars", + "soft and luxury cot under 40 dollars" + ], + "i'm looking for a high speed and high definition laptop": [ + "high speed and high definition laptop", + "high speed high definition laptop", + "high speed laptop", + "high speed laptop with high definition", + "high speed laptop with a high definition", + "laptop high speed and high definition", + "high speed low definition laptop", + "high speed, high definition laptop", + "high speed laptop high definition", + "high speed computer" + ], + "i am looking for long-sleeved, polyester cotton, matching christmas dresses for my size 11-12 years daughter and i.": [ + "long-sleeved, polyester cotton christmas dresses 11-12 years daughter and i.", + "long-sleeved polyester cotton christmas dresses 11-12 years daughter and i.", + "long-sleeved polyester cotton christmas dresses 11-12 years daughter and i", + "long-sleeved, polyester cotton christmas dresses 11-12 years daughter and i", + "long-sleeved, polyester cotton christmas dresses", + "long-sleeved, polyester cotton christmas dresses, 11-12 years daughter and i.", + "long-sleeved polyester cotton christmas dresses, 11-12 years daughter and i.", + "long-sleeved polyester cotton christmas dresses", + "long-sleeved polyester cotton christmas dresses for my size 11-12 years daughter and i", + "long-sleeved polyester cotton christmas dresses in a size 11-12 years daughter and i" + ], + "i'm looking for a 2 pack speex dp to hdmi cable. also, choose the gold plated option.": [ + "2 pack speex dp to hdmi cable", + "2 pack speex dp to hdmi cable gold plated", + "2 pack speex dp to hdmi cable, gold plated", + "2 pack speex dp to hdmi cable with gold plated", + "2 pack speex dp to hdmi cable.", + "two pack speex dp to hdmi cable", + "pink speex dp to hdmi cable 2 pack", + "2 pack speex dp to hdmi cable in gold plated", + "2 pack speex dp to hdmi cable under $40", + "2 pack speex dp to hdmi cable less then $40" + ], + "i need a 10ft 4k hdmi cable that is 1080p hd and is gold plated.": [ + "10ft 4k hdmi cable gold plated", + "10ft 4k hdmi cable", + "10ft 4k hdmi cable with gold plated", + "10ft 4k hdmi cable, gold plated", + "10ft 4k hdmi cable that is 1080p", + "1080p hdmi cable that is gold plated", + "10ft 4k hdmi cable in gold plated", + "10ft 4k hdmi cable with a gold plated", + "1080p hdmi cable gold plated", + "10ft 4k hdmi cable, gold plated," + ], + "i want to get a desktop tower with tempered glass. it also needs to be 8 gb ddr3 ram and 1 tb hdd.": [ + "desktop tower with tempered glass", + "desktop tower with tempered glass 8gb ddr3 ram and 1 tb hdd", + "desktop tower 8 gb ddr3 ram and 1 tb hdd", + "desktop tower with tempered glass 8 gb ddr3 ram", + "desktop tower with tempered glass with a desktop tower", + "desktop tower with tempered glass with 8 gb ddr3 ram", + "desktop tower with tempered glass 8gb ddr3 ram", + "desktop tower 8 gb ddr3 ram", + "desktop tower tempered glass", + "desktop tower" + ], + "i am looking for hair dye for permanent hair and choose 4 dark brown color in size 1 count pack of 3": [ + "hair dye for permanent hair 4 dark brown", + "hair dye for permanent hair color 4 pack of 3", + "dark brown hair dye for permanent hair 4 pack of 3", + "dark brown hair dye for permanent hair", + "dark brown hair dye for permanent hair color pack of 3", + "dark brown hair dye 4 count pack of 3", + "hair dye for permanent hair 4 dark brown color", + "dark brown hair dye for permanent hair color", + "hair dye 4 dark brown", + "dark brown hair dye" + ], + "i'm looking for a rfiver swivel wood tv stand on wheels with a height adjustable for 32 65 inch flat screen tvs and shoud have a storage space with tempered glass style": [ + "rfiver swivel wood tv stand on wheels", + "rfiver swivel wood tv stand on wheels 32 65 inch storage space", + "rfiver swivel wood tv stand on wheels 32 65 inch", + "rfiver swivel wood tv stand on wheels 32 65 inches storage space", + "rfiver swivel wood tv stand on wheels, 32 65 inch", + "rfiver swivel wood tv stand on wheels 32 65 inches", + "rfiver swivel wood tv stand on wheels", + "rfiver swivel wood tv stand", + "tv stand on wheels 32 65 inch", + "tv stand on wheels" + ], + "i'm looking for lead free luxury scented candle which last for 25+ hours, it should be in tin voyager.": [ + "lead free luxury scented candle", + "lead free luxury scented candle which last for 25+ hours", + "lead free luxury scented candle 25+ hours", + "lead free luxury scented candle that last for 25+ hours", + "lead free luxury scented candle, 25+ hours", + "lead free luxury scented candle whose last for 25+ hours", + "lead free luxury scented candle with 25+ hours", + "lead free luxury scented candle for 25+ hours", + "pink free luxury scented candle 25+ hours", + "lead free luxury scented candle under $50" + ], + "i looking open toe knee high pump colour shoud be black": [ + "open toe knee high pump colour shoud be black", + "open toe knee high pump color shoud be black", + "open toe knee high pump price shoud be black", + "open toe high pump colour shoud be black", + "open toe knee high pump colour shoudi", + "open toe knee high pump colour shoudl", + "open toe knee high pump colour shoud", + "open toe knee high pump colour", + "open toe knee high pump", + "open toe knee high pump in black" + ], + "i want to purchase synthetic hair topper that are 18 inch long and have 4 clips of dark blonde hair with bangs.": [ + "synthetic hair topper 18 inch long with 4 clips of dark blonde hair", + "synthetic hair topper 18 inch long with bangs", + "18 synthetic hair topper with 4 clips of dark blonde hair with bangs", + "synthetic hair topper 18 inch long", + "stainless hair topper 18 inch long with bangs", + "synthetic hair topper 18 inch long and 4 clips of dark blonde hair", + "synthetic hair topper 18 inches long with 4 clips of dark blonde hair", + " synthetic hair topper 18 inch long with 4 clips of dark blonde hair", + "synthetic hair topper 18 inch long with 4 clips of dark blonde", + "synthetic hair topper 18 inch long with bangs," + ], + "i'm looking for synthetic hair care for hair loss .": [ + "synthetic hair care for hair loss", + "stainless hair care for hair loss", + "synthetic hair care", + " synthetic hair care for hair loss", + "natural hair care for hair loss", + "sneakers for hair loss", + "sthetic hair care for hair loss", + "synthetic hair care, hair loss", + "synthetic hair care hair loss", + "synthetic hair care for hair" + ], + "please, look for a couple table lamps for my living room, elegant and finished in wood. also look if a black hardback shade model is available.": [ + "table lamps in wood", + "table lamps in black", + "table lamps in a black", + "table lamps for my living room", + "table lamp in black", + "table lamps in wood black", + "table lamps that are black", + "table lamps dining room black", + "table lamps", + "table lamp" + ], + "i want a cordless noise-cancelling phone system with volume control and dual keypad. pick the black one.": [ + "cordless noise-cancelling phone system with volume control and dual keypad", + "cordless noise-cancelling phone system with volume control and dual keypad in black", + "cordless noise-cancelling phone system with volume control and dual keypad, black", + "cordless noise-cancelling phone system with volume control, dual keypad, black", + "curtless noise-cancelling phone system with volume control and dual keypad", + "cordless noise-cancelling phone system with volume control and dual keypad black", + "cordless noise-cancelling phone system with volume control", + "curtless noise-cancelling phone system with volume control and dual keypad in black", + "curtless noise-cancelling phone system with volume control and dual keypad, black", + " cordless noise-cancelling phone system with volume control and dual keypad" + ], + "i want to get a computer headset with noise cancelling and hands free accessibility. get the silver one.": [ + "desktop headset with noise cancelling and hands free accessibility", + "silver computer headset with noise cancelling", + "computer headset with noise cancelling and hands free accessibility", + "desktop headset with noise cancelling, hands free accessibility", + "desktop headset with noise cancelling", + "black computer headset with noise cancelling", + "computer headset with noise cancelling", + "white computer headset with noise cancelling", + "silver computer headset", + "desktop headset" + ], + "i am looking for a black | silver color noise cancelling audio & video accessories.": [ + "black noise cancelling audio & video accessories", + "black noise cancelling audio and video accessories", + "black, silver noise cancelling audio & video accessories", + "black silver noise cancelling audio & video accessories", + "black | silver noise cancelling audio & video accessories", + "black white noise cancelling audio & video accessories", + "black and silver noise cancelling audio & video accessories", + "black black noise cancelling audio & video accessories", + "black noise cancelling audio video accessories", + "black noise cancelling audio" + ], + "i would like some black phone system and a size 4 handset with a dual keypad for my computer. it also needs to be noise cancelling.": [ + "black phone system with dual keypad", + "black phone system size 4", + "black phone system size 4 with a dual keypad", + "black phone system with dual keypad for my computer", + "black phone system that is noise cancelling", + "black phone system size 4 noise cancelling", + "black phone system size 4 with dual keypad", + "black phone system with a dual keypad", + "black phone system and a size 4 handset", + "black phone system" + ], + "i would like to find noise cancelling headphones, preferably bluetooth. find a silver pair, please.": [ + "noise cancelling headphones, bluetooth", + " noise cancelling headphones, bluetooth", + " noise cancelling headphones bluetooth", + "noise cancelling headphones bluetooth", + "non noise cancelling headphones, bluetooth", + "silicone noise cancelling headphones", + " noise cancelling headphones, preferably bluetooth", + "pink noise cancelling headphones", + "silicone noise cancelling headphones bluetooth", + "white noise cancelling headphones" + ], + "for my daily wear .i am looking for a daily casual and long sleeve woman shirt in brown color with small size.": [ + "day long sleeve woman shirt in brown", + "daring woman shirt in brown", + "day and night woman shirt in brown", + "day casual woman shirt in brown", + "day casual woman shirt in brown color", + "daring woman shirt in brown color", + "daring brown woman shirt", + "daring brown woman shirt in brown", + "woman shirt in brown", + "day long sleeve woman shirt brown" + ], + "i\u2019m looking for a men\u2019s mesh long sleeve shirt in medium. i prefer white as the color and it must be machine washable.": [ + "mens mesh long sleeve shirt in medium", + "mens mesh long sleeve shirt in white", + "mens mesh long sleeve shirt in medium white", + "womens mesh long sleeve shirt in medium", + "womens mesh long sleeve shirt in white", + "mens\u2019 mesh long sleeve shirt in medium", + "mens mesh long sleeve shirt in a white", + "mens mesh long sleeve shirt", + "mens mesh long sleeve shirt in medium", + "mens\u2019 mesh long sleeve shirt in white" + ], + "i'm looking for a hair treatment product that will repair my damaged hair.": [ + "hair treatment product that will repair my damaged hair.", + "hair treatment product that will repair my damaged hair", + "hair treatment product for damaged hair", + "shoes treatment product that will repair my damaged hair", + "hair treatment product that is repairable damaged hair", + "human hair treatment product that will repair my damaged hair", + "shampoo and conditioner for damaged hair", + "hair treatment product that will repair damaged hair", + "hair treatment product that can repair damaged hair", + "hair treatment product that is repairable" + ], + "i would like to buy size 7.5 walking shoes for men which are machine washable and have a rubber sole, as for the color i prefer to have them khaki.": [ + "walking shoes for men size 7.5 with a rubber sole", + "size 7.5 walking shoes for men with a rubber sole", + "size 7.5 walking shoes for men", + "walking shoes for men size 7.5 in khaki", + "walking shoes size 7.5 with a rubber sole", + "walking shoes for men size 7.5 with rubber sole", + "walking shoes for men size 7.5", + "walking shoes size 7.5", + "walking shoes for men in khaki", + "walking shoes" + ], + "i'm looking for a salted caramel syrup to mix with water. i want it to have natural flavors and i want an item over 20 oz.": [ + "salted caramel syrup mix with water", + "salted caramel syrup mix with water under 20 oz", + "salted caramel syrup to mix with water", + "salted caramel syrup under 20 oz", + "salted caramel syrup mix with water 20 oz", + "sugar salted caramel syrup mix with water", + "salted caramel syrup mix with water 20 oz", + "salted caramel syrup mix with water, 20 oz", + " salted caramel syrup mix with water", + "salted caramel syrup mix with water under 20 dollars" + ], + "i need a pack of gmo free caramel syrup in cane sugar flavor": [ + "pack of gmo free caramel syrup", + "bag of gmo free caramel syrup", + "gmo free caramel syrup", + "gmo free caramel syrup flavor", + "gmo free caramel syrup pack", + "gmo free caramel syrup cane sugar flavor", + "gmo free caramel syrup sugar pack", + "pack of gmo free caramel syrup sugar", + "pack of gmo free caramel sugar flavor", + "gluten free caramel syrup pack" + ], + "i'm looking for an easy to install bronze shower curtain rod.": [ + "easy to install bronze shower curtain rod", + "easy install bronze shower curtain rod", + "5 ft bronze shower curtain rod", + "plastic bronze shower curtain rod", + "small bronze shower curtain rod", + "6 ft bronze shower curtain rod", + "bathroom curtain rod easy to install", + "easy to install bronze shower curtain rods", + "living room curtain rod", + "bathroom curtain rod" + ], + "i want an easy to install amazon basics tension curtain rod made from nickel.": [ + "easy to install amazon basics tension curtain rod made from nickel", + "easy to install amazon basics tension curtain rod", + "i want an easy to install amazon basics tension curtain rod made from nickel.", + "im looking for an easy to install amazon basics tension curtain rod made from nickel", + "im looking for easy to install amazon basics tension curtain rod made from nickel.", + "im looking for amazon basics tension curtain rod made from nickel.", + "easy to install amazon basics tension curtain rod made from nickel.", + "imazon basics tension curtain rod made from nickel", + "easy to install amazon basics tension curtain rod made from nickel,", + "easy to install amazon basics tension curtain rod, nickel" + ], + "i am looking for shower curtain rods that are nickel.": [ + "shower curtain rods nickel", + "bathroom curtain rods nickel", + " shower curtain rods nickel", + "shower curtain rods that are nickel", + "rainbow curtain rods nickel", + "shower curtain rods nickel shower curtain", + "brushed curtain rods nickel", + "shower curtain rod nickel", + "shampoo curtain rods nickel", + "shower curtain rods nickel." + ], + "i am looking for a black curtain rod that is 54\"-90\" in size and easy to install.": [ + "black curtain rod that is 54-90 in size", + "black curtain rod that is 54-90", + "black curtain rod 54-90", + "black curtain rod, 54-90", + "glass curtain rod that is 54-90 in size", + "glass curtain rod that is 54-90", + "a black curtain rod that is 54-90", + "54-90 black curtain rod", + "50-90 black curtain rod", + "black curtain rod" + ], + "i want an easy to install curtain rod with a white finish. make it 36-62\" in size.": [ + "easy to install curtain rod with a white finish", + "easy to install curtain rod with white finish", + "easy to install curtain rod with a white finish.", + "easy to install curtain rod", + "easy to install curtain rod, white finish", + "easy install curtain rod with a white finish", + "easy to install curtain rod in white", + "curtains rod with white finish", + "yellow curtain rod with a white finish", + "white curtain rod" + ], + "i'm looking for a product compatible with apple watch se series 6 5 4 3 2 1 40mm 44mm 42mm 38mm leopard/floral hard with tempered glass screen protector cover resistant. also, choose the flowered color": [ + "apple watch se series 6 5 4 3 2 with tempered glass screen protector cover resistant", + "apple watch se series 6 5 4 3 2", + "apple watch se series 6 5 4 3 2, leopard/floral hard", + "apple watch se series 6 5 4 3 2 with tempered glass screen protector", + "apple watch se series 6 5 4 3", + "apple watch se with a flowered color", + "apple watch with a flowered color", + "apple watch se series 6", + "apple watch", + "apple watch se" + ], + "i'm looking for a black color hair dye that is a pack of 3.5 ounce which is easy to use/apply.": [ + "black color hair dye that is easy to use/apply", + "black hair dye 3.5 ounce", + "black hair dye that is easy to use/apply", + "hair dye that is a pack of 3.5 ounce", + "black hair dye 3.5 ounce easy to use", + "black color hair dye 3.5 ounce", + "black hair dye that is easy to use/apply.", + "black hair dye 3.5 oz", + "black color hair dye", + "black hair dye, 3.5 ounce" + ], + "i would like three light golden blonde boxes of hair dye.": [ + "three light golden blonde boxes of hair dye", + "three light golden blonde box of hair dye", + "3 light golden blonde boxes of hair dye", + "3 light golden blonde box of hair dye", + "three light golden blonde hair dye", + "two light golden blonde boxes of hair dye", + "light golden blonde boxes of hair dye", + "three light golden blonde boxes", + "hair dye three light golden blonde", + "three light golden blonde box" + ], + "i'm looking for a flannel fleece blanket for a bed that is super soft and also light purple.": [ + "flannel fleece blanket for a bed", + "flannel fleece blanket", + "flannel fleece blanket that is super soft and also light purple", + "flannel fleece blanket for a bed that is super soft", + "flannel fleece blanket for a bed in super soft and light purple", + "flannel fleece blanket that is super soft and light purple", + "flannel fleece blanket in a bed super soft and also light purple", + "flannel fleece blanket, super soft and also light purple", + "flannel fleece blanket for a bed under $50", + "flannel fleece blanket under $50" + ], + "i am looking a easy assemble space saving ottomas having storage space for living room brown color size - 60x36x36cm(24x14x14inch)": [ + "easy assemble space saving ottomas", + "easy assemble space saving ottomas 60x36x36cm", + "easy assemble space saving ottomas with storage space for living room brown color", + "easy assemble space saving ottomas having storage space for living room brown color", + "easy assemble space saving ottomas under 60x36x36cm", + "easy assemble space saving ottomas with storage space", + "easy assemble space saving ottomas having storage space", + "easy assemble brown ottomas", + "easy assemble, space saving ottomas", + "easy assemble black ottomas" + ], + "i am looking for a food and beverage gift basket having item low carbo high protine grain free": [ + "food and beverage gift basket low carbo high protine grain free", + "food and beverage gift basket, low carbo high protine grain free", + "gift basket with item low carbo high protine grain free", + "food and beverage gift basket", + "gift basket low carbo high protine grain free", + "food and beverage gift basket with item low carbo high protine grain", + "food and beverage gift basket having item low carbo high protine grain", + "food and beverage gift basket under $50", + "food and beverage gift basket low carbo high protine grain", + "food and beverage gift basket that is low carbo high protine grain" + ], + "i am looking for a busy raising ballers softball tank top for mom that is 100% cotton heather that can be washed in a washing machine.should be large in size and dark in colour.": [ + "softball tank top for mom that is 100% cotton heather", + "ballers softball tank top that is 100% cotton heather", + "softball tank top that is 100% cotton heather", + "ballers softball tank top large in size and dark in colour", + "softball tank top large in size and dark in colour", + "a busy raising ballers softball tank top", + "pink ballers softball tank top", + "ballers softball tank top", + "softball tank top large in size", + "softball tank top for mom" + ], + "i need a king size box spring mattress with an 8\" split foundation with a frame": [ + "king size box spring mattress with an 8 split foundation", + "king size box spring mattress", + "king size box spring mattress 8 split foundation", + "king size box spring mattress with a 8 split foundation", + "king size box spring mattress 8 split foundation with a frame", + "king size box spring mattress with 8 split foundation", + "king size box spring mattress that is 8 split foundation", + "king size box spring mattress with an 8split foundation", + "king size box spring mattress, 8 split foundation", + "king size box spring mattress with an 8 split foundation," + ], + "i need you to find some handcrafted driving mocs that are comfortable for every day wear. i need size 8": [ + "handcrafted driving mocs size 8", + "handcrafted driving mocs comfortable for every day wear size 8", + "handcrafted driving mocs", + "handcrafted driving mocs that are comfortable for every day wear", + "handcrafted driving mocs comfortable for every day wear. size 8", + "handcrafted driving mocs that are comfortable for every day wear.", + "handcrafted driving mocs in a size 8", + "handcrafted driving mocs in size 8", + "handcrafted driving mocs comfortable for every day wear", + "handcrafted driving mocs small" + ], + "i am looking a box of non dairy coffee creamer singles. go ahead and get a 50 count box of vanilla.": [ + "50 count box of non dairy coffee creamer singles", + "non dairy coffee creamer singles 50 count", + "non dairy coffee creamer singles 50 count box", + "40 count box of non dairy coffee creamer singles", + "non dairy coffee creamer singles", + "coffee creamer singles 50 count box of vanilla", + "non dairy coffee creamer singles under 50 dollars", + "no dairy coffee creamer singles 50 count box", + "coffee creamer singles 50 count", + "pack of non dairy coffee creamer singles" + ], + "i looking cafe mocha flavor non dairy gluten free lactose free coffee creamer box of 180 singles": [ + "coffee mocha flavor non dairy gluten free lactose free coffee creamer box of 180 singles", + " cafe mocha flavor non dairy gluten free lactose free coffee creamer box of 180 singles", + "cafe mocha flavor non dairy gluten free lactose free coffee creamer box of 180 singles", + "com cafe mocha flavor non dairy gluten free lactose free coffee creamer box of 180 singles", + "coffee mocha flavor non dairy gluten free lactose free coffee creamer box of 180", + "eco mocha flavor non dairy gluten free lactose free coffee creamer box of 180 singles", + "cupcake mocha flavor non dairy gluten free lactose free coffee creamer box of 180 singles", + "i looking cafe mocha flavor non dairy gluten free lactose free coffee creamer box of 180 singles", + "coffee mocha flavor non dairy gluten free lactose free coffee creamer", + "coffee mocha flavor non dairy gluten free" + ], + "i need a box of 360 singles vanilla caramel nestle coffee and shelf stable.": [ + "box of 360 singles vanilla caramel nestle coffee shelf stable", + "pack of 360 singles vanilla caramel nestle coffee shelf stable", + "a box of 360 singles vanilla caramel nestle coffee shelf stable", + "360 singles vanilla caramel nestle coffee shelf stable", + "6 pack of 360 singles vanilla caramel nestle coffee shelf stable", + "bag of 360 singles vanilla caramel nestle coffee shelf stable", + "bagel of 360 singles vanilla caramel nestle coffee shelf stable", + "box of 360 singles vanilla caramel nestle coffee and shelf stable", + "6 pack vanilla caramel nestle coffee shelf stable", + "pack of 360 singles vanilla caramel nestle coffee and shelf stable" + ], + "i'm looking for 45mm stainless steel galaxy watch 3. also the mystic bronze color is preferable.": [ + "45mm stainless steel galaxy watch 3", + "45mm stainless steel galaxy watch 3.", + "45mm stainless steel galaxy watch 3, mystic bronze", + "45mm stainless steel galaxy watch 3 with mystic bronze color", + "45mm stainless steel galaxy watch 3, mystic bronze color", + "45mm stainless steel galaxy watch 3 in mystic bronze", + "45mm stainless steel galaxy watch 3. mystic bronze color", + "45mm stainless steel galaxy watch 3 in a mystic bronze", + "45mm stainless steel galaxy watch", + "manual bronze galaxy watch 3" + ], + "i want a blue 100 cm x 70 cm ready to hang print to hang on my living room wall.": [ + "blue 100 cm x 70 cm ready to hang print", + "blue 100 cm x 70 cm living room wall", + "blue 100 cm x 70 cm wall print", + "blue 100cm x 70 cm ready to hang print", + "blue 100 cm x 70 cm", + "blue 100 cm x 70 cm floating print", + "blue 100 cm x 70 cm print", + "blue 100 cm x 70 cm hanging print", + "blue living room wall print", + "blue living room wall" + ], + "i would like to buy a 12-pack of low sugar oatmeal cups that are high in protein.": [ + "12-pack of low sugar oatmeal cups", + "low sugar oatmeal cups that are high in protein", + "low sugar oatmeal cups high in protein", + "12 pack of low sugar oatmeal cups high in protein", + "12-pack of low sugar oatmeal cups with protein", + "12-pack low sugar oatmeal cups high in protein", + "12 pack of low sugar oatmeal cups", + "12-pack oatmeal cups high in protein", + "low sugar oatmeal cups that are high in protein.", + "low sugar oatmeal cups" + ], + "i am looking for a hidden camera for surveillance. i want something hd with at least 1080p": [ + "hidden camera for surveillance", + "hidden camera hd with at least 1080p", + "hd with at least 1080p", + "hidden camera for surveillance hd 1080p", + "hidden camera for surveillance hd", + "hidden camera for surveillance hd with 1080p", + "hidden camera for surveillance hd hd", + "hd camera for surveillance", + "a hidden camera for surveillance", + "hidden camera" + ], + "i am looking for best toothpaste for my sensitive teeth": [ + "best toothpaste for sensitive teeth", + "toothpaste for sensitive teeth", + "best toothpaste for my sensitive teeth", + "teethpaste for sensitive teeth", + "toothpaste sensitive teeth", + "stainless teethpaste for sensitive teeth", + "tothpaste for sensitive teeth", + "tetpaste for sensitive teeth", + "treatments for sensitive teeth", + "teethpaste sensitive teeth" + ], + "i am looking for a fluoride free toothpaste for sensitive teeth of natural mixed berry flavour.": [ + "fluoride free toothpaste for sensitive teeth natural mixed berry flavour", + "fluoride free toothpaste for sensitive teeth", + "fluoride free toothpaste for sensitive teeth natural mixed berry flavor", + "fluoride free toothpaste sensitive teeth natural mixed berry flavour", + "fluoride free toothpaste for sensitive teeth with natural berry flavour", + "fluoride free toothpaste for sensitive teeth natural mixed berry", + "fluoride free toothpaste for sensitive teeth natural berry flavour", + "fluoride free toothpaste with sensitive teeth natural mixed berry flavour", + "fluoride free toothpaste for sensitive teeth of natural berry flavour", + "toothpaste for sensitive teeth natural mixed berry flavour" + ], + "i am looking for a portable surge protector power strip that is easy to carry. the surge protector should have a usb port with fast charge capability.": [ + "portable surge protector power strip that is easy to carry", + "portrait power strip that is easy to carry", + "portable surge protector power strip", + "portable surge protector power strip with fast charge", + "portrait power strip that is easy to carry with fast charge", + "portable surge protector power strip with a usb port", + "portportable surge protector power strip that is easy to carry", + "portportrait power strip that is easy to carry", + "portrait power strip easy to carry", + "portrait power strip" + ], + "i am looking to purchase a short sleeved, button down shirt for my husband. i need something in size 3x, perhaps in black.": [ + "short sleeved, button down shirt for my husband in size 3x in black", + "short sleeved button down shirt for my husband in size 3x in black", + "short sleeved, button down shirt for my husband in size 3x, black", + "short sleeved button down shirt for my husband in a size 3x in black", + "short sleeved, button down shirt for my husband", + "short sleeved, button down shirt for my husband.", + "short sleeved, button down shirt for my husband in black", + "short sleeved, button down shirt", + "short sleeved button down shirt for my husband", + "short sleeved button down shirt" + ], + "i want to buy long sleeve daily wear clothing of 95% cotton, 5% polyester particularly in black color.": [ + "long sleeve daily wear clothing of 95% cotton, 5% polyester and black", + "long sleeve daily wear clothing of 95% cotton, 5% polyester", + "long sleeve daily wear clothing of 95% cotton, 5% polyester in black color", + "long sleeve daily wear clothing of 95% cotton, 5% polyester black", + "long sleeve daily wear clothing of 95% cotton, 5% polyester, black", + "long sleeve daily wear clothing of 95% cotton, 5% polyester, black color", + "long sleeve daily wear clothing of 95% cotton, 5% polyester in black", + "long sleeve daily wear clothing of 95% cotton, 5% polyester and black color", + "long sleeve daily wear clothing of 95% cotton", + "long sleeve daily wear clothing of 95% cotton, 5% polyester under $40" + ], + "i am looking for a dust proof speaker system for my motorcycle with high power.": [ + "dust proof speaker system for my motorcycle with high power", + "dust proof speaker system for a motorcycle with high power", + "dust proof speaker system for my motorcycle", + "dust proof speaker system for a motorcycle", + "dust proof speaker system for the motorcycle with high power", + "dust proof speaker system for an motorcycle with high power", + "dust proof speaker system for motorcycles with high power", + "dust proof speaker system for motorcycle with high power", + "dust proof speaker system for my motorcycle, high power", + "dust proof speakers system for my motorcycle with high power" + ], + "i'm searching for oil hair growth. i would like one with black rice and peppermint.": [ + "oil hair growth with black rice and peppermint", + "oil hair growth black rice and peppermint", + "an oil hair growth with black rice and peppermint", + "oil hair growth, black rice and peppermint", + "oil hair growth that is black rice and peppermint", + "oil hair growth with black rice, peppermint", + "oil hair growth oil black rice and peppermint", + "oil hair growth black rice and peppermint oil", + "oil hair growth with black rice and peppermint.", + "oil hair growth with black rice" + ], + "i'm looking for a black color super soft bedroom rug size 8 feet x 10 feet rectangular in shape and it should be anti-slip.": [ + "super soft bedroom rug size 8 feet x 10 feet", + "super soft bedroom rug 8 feet x 10 feet", + "black super soft bedroom rug 8 feet x 10 feet", + "super soft bedroom rug 8 feet x 10 feet black", + "black color super soft bedroom rug", + "black super soft bedroom rug", + "black rug 8 feet x 10 feet", + "black plush rug 8 feet x 10 feet", + "super soft bedroom rug", + "black rug" + ], + "i'm choosing the kamik women's momentum with their snow boot which include faux fur attribute. also, the color charcoal ii and the size 6.5 wide.": [ + "kamik womens momentum with their snow boot which include faux fur attribute", + "kamik womens momentum with their snow boot which include faux fur, size 6.5 wide", + "kamik womens momentum with their snow boot which include faux fur", + "kamik womens momentum with their snow boot which include faux fur attribute size 6.5 wide", + "kamik womens momentum with their snow boot in faux fur size 6.5 wide", + "kamik womens momentum with their snow boot in faux fur", + "kamik womens momentum", + "kamik womens snow boot size 6.5 wide", + "kamik womens momentum with their snow boot", + "kamik womens size 6.5 wide" + ], + "i'm looking for a two pack of 5 calorie, non-alcoholic margarita mix. i want 24.5 ounce bottles.": [ + "two pack of 5 calorie non-alcoholic margarita mix", + "2 pack of 5 calorie non-alcoholic margarita mix", + "two pack of 5 calorie alcoholic margarita mix", + "two pack of 5 calorie margarita mix", + "two pack margarita mix 24.5 ounce bottles", + "two pack, non-alcoholic margarita mix", + "barbecue mix 24.5 ounce bottles", + "two pack margarita mix 24.5 oz", + "barbecue mix 24.5 oz", + "barbecue mix 24.5 oz bottles" + ], + "i need an eli mason old fashioned cocktail mixer of 20 fl oz in size": [ + "eli mason old fashioned cocktail mixer of 20 fl oz", + "eli mason old fashioned cocktail mixer 20 fl oz in size", + "eli mason old fashioned cocktail mixer 20 fl oz", + "eli mason old fashioned cocktail mixer of 20 fl oz size", + "ali mason old fashioned cocktail mixer of 20 fl oz", + "eli mason old fashioned cocktail mixer", + "an eli mason old fashioned cocktail mixer of 20 fl oz", + "eli mason old fashioned cocktail mixer size 20 fl oz", + "eli mason old fashioned cocktail mixer, 20 fl oz", + "20 fl oz old fashioned cocktail mixer" + ], + "i am looking to buy old fashioned and naturally-flavored bitters that come in a pack of two.": [ + "old fashioned and naturally-flavored bitters pack of two", + "old fashioned and naturally-flavored bitters", + "old fashioned and naturally-flavored bitters pack of two pack", + "old fashioned and naturally-flavored bitters pack of two.", + "old fashioned and naturally-flavored bitters that pack of two", + "old fashioned and naturally-flavored bitters pack of 2", + "Old fashioned and naturally-flavored bitters pack of two", + "old fashioned and naturally-flavored bitters, pack of two", + "old fashioned and naturally-flavored bitters pack of two,", + "old fashioned natural-flavored bitters pack of two" + ], + "i am looking for mumumi foldable stool that can be carried for fishing travel, mountaineering camping adventure outing outdoor as well as indoor uses for domestic purpose. red color preferable": [ + "mumumi foldable stool", + "mumumi foldable stool that can be carried for fishing travel", + "mumumi foldable stool for hiking", + "mumumi foldable stool for hiking, mountaineering camping adventure outing outdoor", + "mumumi foldable stool for hiking and camping", + "mumumi foldable stool for fishing travel", + "mumumi foldable stool for hiking hiking", + "mumumi foldable stool for hiking and camping adventure", + "mumumi foldable stool for hiking and hiking", + "kidsumi foldable stool" + ], + "i need a large size slimfit t shirt for men and blouse with short sleeve and crew neck for women for the occassion of valentine's day. color preferred is white.": [ + "large size slimfit t shirt for men and blouse with short sleeve and crew neck", + "slimfit t-shirt for men and blouse with short sleeve and crew neck", + "large size slimfit t-shirt for men with short sleeve and crew neck", + "large size slimfit t shirt for men and blouse with short sleeves and crew neck", + "large size slimfit t-shirt with short sleeve and crew neck for women", + "large size slimfit t-shirt for men with short sleeve and crew neck for women", + "large size slimfit t-shirt for men with short sleeve crew neck", + "large size slimfit t shirt for men with short sleeve and crew neck", + "large size slimfit t shirt for men with short sleeve and crew neck for women", + "large size slimfit t-shirt for men" + ], + "i want to buy a high definition projector that also has a version for a 5.7 inch phone.": [ + "high definition projector 5.7 inch phone", + "high definition projector for a 5.7 inch phone", + "high definition projector with a 5.7 inch phone", + "5.7 inch high definition projector", + "high definition projector 5.7 by phone", + "high definition projector 5.7 inches phone", + "high definition projector 5.7 inch phone under $120", + "high definition projector for a 5.7 inch phone.", + "high definition projector 5.7 inch phone under $40", + "high definition projector 5.7 inch phone under $60" + ], + "i want buy a leakage proof travel size bag case size -30 ml, 50 ml, 100 ml": [ + "leak proof travel size bag case size -30 ml, 50 ml, 100 ml", + "a leakage proof travel size bag case size -30 ml, 50 ml, 100 ml", + "leakers proof travel size bag case size -30 ml, 50 ml, 100 ml", + "paige proof travel size bag case size -30 ml, 50 ml, 100 ml", + "tea proof travel size bag case size -30 ml, 50 ml, 100 ml", + "levis proof travel size bag case size -30 ml, 50 ml, 100 ml", + "bag case size -30 ml, 50 ml, 100 ml", + "leakproof travel size bag case size -30 ml, 50 ml, 100 ml", + "50 ml travel size bag case size -30 ml, 50 ml, 100 ml", + "leak proof travel size bag case size -30 ml, 50 ml" + ], + "i'm looking for an apple macbook that has an i5 processor and an ssd of at least 128gb, renewed looks nice too.": [ + "apple macbook with an i5 processor and an ssd of at least 128gb", + "apple macbook with i5 processor and an ssd of at least 128gb", + "apple macbook with i5 processor", + "apple macbook with i5 processor and ssd of at least 128gb", + "apple macbook with an i5 processor and ssd of at least 128gb", + "apple macbook with i5 processor with ssd of at least 128gb", + "apple macbook with an i5 processor with ssd of at least 128gb", + "apple macbook i5 processor and ssd of at least 128gb", + "apple macbook with an i5 processor", + "apple macbook with i5 processor and ssd of at least 128gb, renewed" + ], + "i'm looking for a halloweenboo and a x small long sleeve and should be for a daily wear and comfortable": [ + "halloweenboo x small long sleeve comfortable", + "halloweenboo x small long sleeve", + " halloweenboo x small long sleeve comfortable", + "a halloweenboo x small long sleeve", + "Halloweenboo x small long sleeve comfortable", + " halloweenboo x small long sleeve", + "halloweenboo x small long sleeves", + "halloweenboo", + "living room halloweenboo", + "halloweenboo small" + ], + "i want to find a long lasting perfume for women. if possible, can you get something that is 2 ounces?": [ + "long lasting perfume for women 2 ounces", + "pink perfume for women 2 ounces", + "2 ounces long lasting perfume for women", + "2 ounce long lasting perfume for women", + "pink perfume 2 ounces", + "woman perfume 2 ounces", + "long lasting perfume for women. 2 ounces", + "pomegranate for women 2 ounces", + "1 ounce long lasting perfume for women", + "permanent perfume for women 2 ounces" + ], + "i'm looking for a front and rear dual 1080p dash cam with night vision and motion detection that is easy to install.": [ + "dual 1080p dash cam with night vision", + "dual 1080p dash cam", + "front and rear dual 1080p dash cam with night vision", + "front and rear dual 1080p dash cam", + "dual 1080p dash cam that is easy to install", + "back and rear dual 1080p dash cam with night vision", + "foot and rear dual 1080p dash cam with night vision", + "duck and rear dual 1080p dash cam", + "dual 1080p dash cam, easy to install", + "back and rear dual 1080p dash cam" + ], + "i'd like to get some sugar free cake toppers, preferably ones that are a mutin color.": [ + "sugar free cake toppers in a mutin color", + "sugar free cake toppers with mutin color", + "sugar free cake toppers", + "sugar free cake toppers with a mutin color", + "sugar free cake toppers in mutin color", + "sugar free cake toppers in a mutin colored", + "sugar free cake toppers a mutin color", + "sugar free cake toppers no mutin", + "sugar free cake toppers no mutin colored", + "sugar free cake toppers no mutin color" + ], + "i'm looking for a sugarolly - big flavored cotton candy sized box (15) for a birthday party": [ + "sugarolly - big flavored cotton candy sized box for a baby shower", + "sugarolly - big flavored cotton candy sized box for a birthday party", + "sugarolly candy sized box (15) for a baby shower", + "sugarolly - big flavored cotton candy sized box (15)", + "sugarolly - big flavored cotton candy sized box", + "synthetic cotton candy sized box (15) for a baby shower", + "sugarolly candy sized box (15) for a birthday party", + "sugarolly candy sized box for a baby shower", + "sugarolly - big flavored cotton candy", + "sugarolly" + ], + "i would like a lemon cube sugarolloy candy for a birthday party.": [ + "lemon cube sugarolloy candy for a baby shower", + "lemon cube sugarolloy candy for a birthday party", + "lemon cube sugarolloy candy for a birthday party.", + "lemon cube sugarolloy candy for a baby shower.", + "lemon cube sugarolloy candy for a baby shower", + "gluten cube sugarolloy candy for a baby shower", + "lemon cube sugarolloy candy", + "lemon cube sugarolloy candy, for a baby shower", + "lemon cube sugarolloy candy for baby shower", + "lemon cube sugarolloy candy baby shower" + ], + "i am looking to purchase bpa free containers with lids to use for storing beauty products and kitchen items. a 24 pack would suffice.": [ + "bpa free containers with lids", + "bpa free containers", + "bpa free containers for beauty products", + "brushed beauty products 24 pack", + "24 pack bpa free containers", + "bpa free containers under $40", + "barbecue free containers", + "bag of bpa free containers", + "24 bpa free containers", + "a 24 pack beauty products" + ], + "i'm looking for organic gluten free fruit and vegetable sticks that are made of real fruit. i would like the variety flavor.": [ + "organic gluten free fruit and vegetable sticks variety", + "organic gluten free fruit and vegetable sticks variety flavor", + "organic gluten free fruit and vegetable sticks variety less then $40", + "organic gluten free fruit and vegetable sticks variety less than $40", + "organic gluten free fruit and vegetable sticks variety less then 50 dollars", + "organic gluten free fruit and vegetable sticks variety less then $60", + "organic gluten free fruit and vegetable sticks variety less then 40 dollars", + "organic gluten free fruit and vegetable sticks variety less than $60", + "organic gluten free fruit and vegetable sticks variety flavor.", + "organic gluten free fruit and vegetable sticks" + ], + "i would like a variety box of 0,6 ounce packs of fruit snacks made with real fruit.": [ + "variety box of fruit snacks made with real fruit", + "variety box of fruit snacks made from real fruit", + "variety box of fruit snacks made with real fruit flavor", + "variety box of fruit snacks made with real fruit.", + "variety box of fruit snacks", + "variety box of fresh fruit snacks made with real fruit", + "variety box of fruits snacks made with real fruit", + "variety box of fruit snacks made with real fruit snacks", + "variety box of fruit snacks with real fruit", + "variety box fruit snacks made with real fruit" + ], + "find an light brown organic hair dye that is also usda certified organic and is also cruelty free.": [ + "light brown organic hair dye that is also usda certified organic", + "light brown organic hair dye", + "light brown organic hair dye cruelty free", + "low brown organic hair dye that is also usda certified organic", + "light brown organic hair dye that is also usda certified", + "light brown organic hair dye, usda certified organic", + "light brown organic hair dye, cruelty free", + "light brown organic hair dye with cruelty free price", + "low brown organic hair dye", + "heavy brown organic hair dye" + ], + "i'm looking for a security home camera to see the motion detection at 5 pm": [ + "security home camera with motion detection 5 pm", + "security home camera with motion detection at 5 pm", + "security home camera with motion detection", + "security home camera that is motion detection 5 pm", + "security home camera with motion detection, 5 pm", + "security home camera", + "security home camera that is motion detection", + "security home camera, 5 pm", + "security home camera to see the motion detection", + "security home camera motion detection 5 pm" + ], + "i'm looking for a canon power shot sx610 hs with optical zoom and black colour": [ + "canon power shot sx610 hs with optical zoom and black colour", + "canon power shot sx610 hs with optical zoom and black", + "canon power shot sx610 hs with optical zoom black", + "curtains power shot sx610 hs with optical zoom black", + "coaxial power shot sx610 hs with optical zoom black", + "canon power shot sx610 hs with optical zoom in black", + "cord power shot sx610 hs with optical zoom and black", + "canon power shot sx610 hs with optical zoom", + "sx610 hs with optical zoom and black", + "sx610 hs with optical zoom black" + ], + "please select a 1 pound, certified organic sea salt shaker in the flavor triple blend flakes.": [ + "1 pound, certified organic sea salt shaker in the flavor triple blend flakes", + "one pound, certified organic sea salt shaker in the flavor triple blend flakes", + "1 pound, certified organic sea salt shaker with triple blend flakes", + "1 pound certified organic sea salt shaker in the flavor triple blend flakes", + "sea salt shaker in the flavor triple blend flakes", + "1 pound organic sea salt shaker in the flavor triple blend flakes", + "1 pound, certified organic sea salt shaker, the flavor triple blend flakes", + "1 pound sea salt shaker in the flavor triple blend flakes", + "1 pound, certified organic sea salt shaker", + "1 pound, certified organic sea salt shaker, flavor triple blend flakes" + ], + "i am looking for samsung galaxy tab s7 with the features like 12.4-inch in size, mystic navy color, 128gb wi-fi bluetooth s pen fast-charging usb-c port, android tablet": [ + "samsung galaxy tab s7 with the features like 12.4-inch in size, mystic navy color, 128gb wi-fi bluetooth sr", + "samsung galaxy tab s7 with the features like 12.4-inch in size, mystic navy color, 128gb wi-fi bluetooth samsung", + "samsung galaxy tab s7 with the features like 12.4gb wi-fi bluetooth s pen fast-charging usb-c port, android tablet", + "samsung galaxy tab s7 with the features like 12.4-inch in size, mystic navy color", + "samsung galaxy tab s7 with the features like 12.4-inch in size, mystic navy color, 128gb wi-fi", + "samsung galaxy tab s7 with the features like 12.4-inch in size, mystic navy color, 128gb", + "samsung galaxy tab s7 with the features like 12.4-inch in size, mystic navy", + "samsung galaxy tab s7 with the features like 12.4-inch in size, mystic navy color samsung samsung", + "samsung galaxy tab s7 with the features like 12.4-inch in size, mystic navy color samsung samsung galaxy", + "samsung galaxy tab s7 in a mystic navy color" + ], + "i want a 512gb samsung galaxy tab s7 with usb port.": [ + " 512gb samsung galaxy tab s7 with usb port", + "samsung galaxy tab s7 with usb port", + "512gb samsung galaxy tab s7 with usb port", + "a 512gb samsung galaxy tab s7 with usb port", + "galaxy samsung galaxy tab s7 with usb port", + "galaxy tab s7 with usb port 512gb samsung", + "galaxy tab s7 with usb port", + " 512gb samsung galaxy tab s7 with usb port.", + "galaxy samsung s7 with usb port", + "large samsung galaxy tab s7 with usb port" + ], + "i'm looking for a slip resistant sneaker suitable for working in a kitchen, and i want it with a rubber sole, and in size 12.": [ + "slip resistant sneaker suitable for working in a kitchen, in size 12", + "slip resistant sneaker suitable for working in a kitchen, size 12", + "slip resistant sneaker suitable for working in a kitchen", + "slide resistant sneaker suitable for working in a kitchen, in size 12", + "slide resistant sneaker suitable for working in a kitchen, size 12", + "slip resistant sneaker suitable for working in a kitchen, size 12.", + "slide resistant sneaker suitable for working in a kitchen", + "slip resistant sneaker for kitchen in size 12", + "slip resistant sneaker in size 12", + "slip resistant sneaker suitable for kitchen" + ], + "please find a dell inspiron i3880 desktop pc with 1t hardrive in black. an i5 10th generation intel processor is preferred.": [ + "dell inspiron i3880 desktop pc with 1t hardrive in black", + "desktop pc with 1t hardrive in black", + "dull inspiron i3880 desktop pc with 1t hardrive in black", + "desktop pc i5 10th generation intel processor", + "i satiate i3880 desktop pc with 1t hardrive in black", + "desktop pc i5 10th generation intel processor is preferred", + "desktop pc with 1t hardrive in black dell inspiron i5", + "desktop pc with i5 10th generation intel processor", + "desktop pc with 1t hardrive in black i5 i3880", + "desktop pc with 1t hardrive in black i5 i5" + ], + "i want a 15 cupcake toppers for a birthday and to be decorated with rose and gold": [ + "cupcake toppers for a birthday and to be decorated with rose and gold", + "15 cupcake toppers for a baby shower with rose and gold", + "15 cupcake toppers for a baby shower decorated with rose and gold", + "15 cupcake toppers for a baby shower, decorated with rose and gold", + "15 cupcake toppers for a baby shower", + "15 cupcake toppers for a baby shower, rose and gold", + "15 cupcake toppers for a baby shower rose and gold", + "15 cupcake toppers for a birthday", + "15 cupcake toppers for a baby shower, rose and gold,", + "15 cupcake toppers" + ], + "i'm looking for water resistant telescope for bird watching.": [ + "water resistant telescope for bird watching", + "water resistant telescope bird watching", + "water resistant telescope for bird watching.", + "telescope bird watching water resistant", + "water resistant telescope for bird watching under $40", + "water resistant telescope for bird watching under $50", + "water resistant telescope for bird watching under $60", + "a water resistant telescope for bird watching.", + "a water resistant telescope for bird watching", + "water resistant telescope for bird watching under 50 dollars" + ], + "i'm looking for an xx-large plus elastic closure pants for women. the color can be steel.": [ + "xx-large plus elastic closure pants for women", + "xxl plus elastic closure pants for women", + "xxl elastic closure pants for women", + "xx-large plus elastic closure pants", + " xx-large plus elastic closure pants for women", + "xxl plus elastic closure pants", + "xxl elastic closure pants for women steel", + "xxl elastic closure pants for women in steel", + "xxl elastic closure pants", + "xx-large elastic closure pants for women" + ], + "i'm looking for a large t-shirt style dress with long sleeves. i'd like one that is loose fitting and gold in color.": [ + "large t-shirt style dress with long sleeves in gold", + "large t-shirt style dress with long sleeves", + "large t-shirt style dress with long sleeves gold", + "large t-shirt style dress with long sleeves, gold", + "large t-shirt style dress in gold", + "large t-shirt style dress", + "large t-shirt style dress with long sleeves and gold", + "large t-shirt style dress, loose fitting and gold", + "large t-shirt style dress in loose fitting gold", + "large t-shirt style dress with long sleeves with gold" + ], + "can you get a squeeze snack that is gluten free and non gmo, blackberry bliss.": [ + "squeeze snack gluten free and non gmo blackberry", + " squeeze snack gluten free and non gmo, blackberry bliss", + "sugar free and non gmo blackberry squeeze snack", + "squeeze snack gluten free and non gmo", + "curtains snack gluten free and non gmo blackberry", + " squeeze snack gluten free and non gmo blackberry bliss", + "squeeze snack that is gluten free and non gmo", + "sugar snack gluten free and non gmo blackberry", + "sugar-free blackberry squeeze snack", + "rubber snack gluten free and non gmo" + ], + "i'm looking for ready to hang wall art with dimension 12*12 inches 3 pcs for living room. also look for red rose one.": [ + "ready to hang wall art with dimension 12*12 inches", + "ready to hang wall art", + "ready to hang wall art 12*12 inches", + "ready to hang red rose wall art", + "ready to hang wall art under 30 dollars", + "ready to hang wall art in dimension 12*12 inches", + "ready to hang wall art under $50", + "ready to hang wall art under $120", + "ready to hang wall art, 12*12 inches", + "red rose wall art" + ], + "i am looking for quick release black color tripods": [ + "quick release black color tripods", + " quick release black color tripods", + "Quick release black color tripods", + "short release black color tripods", + "easy release black color tripods", + "quick release black color Tripods", + "quick release black color tripods,", + "quick release black color travelods", + "pink color tripods quick release", + "quick release black tripods" + ], + "i am looking for odelia vintage bohemian area living room and dining room in navy sky blue": [ + "oatdelia vintage bohemian area living room and dining room in navy sky blue", + "oatelia vintage bohemian area living room and dining room in navy sky blue", + "odelia vintage bohemian area living room and dining room in navy sky blue", + " odelia vintage bohemian area living room and dining room in navy sky blue", + "oatmeal vintage bohemian area living room and dining room in navy sky blue", + "oatdelia vintage bohemian area living room in navy sky blue", + "oatelia vintage bohemian area living room in navy sky blue", + "oatmeal bohemian area living room and dining room in navy sky blue", + "odelia vintage bohemian area living room in navy sky blue", + "oatmeal bohemian area living room and dining room in navy sky blue odelia" + ], + "get me a nine by twelve and a half foot easy clean rug for my dining room. look for the garnet color.": [ + "easy clean rug dining room with garnet color", + "easy clean rug dining room with garnet", + "easy clean rug for dining room with garnet", + "easy clean rug for dining room", + "easy clean rug for dining room in garnet", + "easy clean rug in a garnet color", + "easy clean rug living room with garnet color", + "easy clean rug dining room", + "easy clean rug", + "9 x 12 rug" + ], + "i am looking for a sky blue easy to clean vintage area rug.": [ + "sky blue easy to clean vintage area rug", + "sky blue easy to clean vintage rug", + "sky blue easy clean vintage area rug", + "sky blue easy to clean vintage rug.", + "sky blue easy clean vintage rug", + " sky blue easy to clean vintage area rug", + "sky blue living room rug", + "sky blue easy to clean rug", + "sky blue modern style rug", + "sky blue square rug" + ], + "i'm looking for refillable purple spray bottles with fine mist settings.": [ + "pink spray bottles with fine mist settings", + "pink spray bottles with fine mist", + " refillable purple spray bottles with fine mist settings", + "rainbow color spray bottles with fine mist", + "fillingable purple spray bottles with fine mist", + "pink spray bottles with fine mist settings.", + "pink spray bottle with fine mist", + "pure purple spray bottles with fine mist settings", + "maintable purple spray bottles with fine mist", + "pink spray bottles" + ], + "i would like a bpa free green bag": [ + "bpa free green bag", + "green bag bpa free", + "a bpa free green bag", + "bag bpa free", + "green bag", + "green bag with bpa free", + "green bag, bpa free", + "burglar free green bag", + "bpa free green bag,", + "eco free green bag" + ], + "i want unscented sunscreen lotion for dry skin.": [ + "unscented sunscreen lotion for dry skin", + "scented sunscreen lotion for dry skin", + "unscented sunscreen lotion for dry skin.", + "scented sunscreen lotion for dry skin.", + " unscented sunscreen lotion for dry skin", + "unscented sunscreen lotion for dry skin", + " unscented sunscreen lotion for dry skin.", + "uncented sunscreen lotion for dry skin", + "sportrait lotion for dry skin", + "sneakers lotion for dry skin" + ], + "i am looking for natural ingredients handmade pasta linguine of size : 1 pound (pack of 5)": [ + "natural ingredients handmade pasta linguine of size : 1 pound (pack of 5)", + "natural ingredients handmade pasta linguine of size 1 pound (pack of 5)", + "natural ingredients handmade pasta linguine of size : 1 pound (pack of 5),", + "natural ingredients handmade pasta linguine 1 pound (pack of 5)", + "animal ingredients handmade pasta linguine of size : 1 pound (pack of 5)", + "natural ingredients handmade pasta linguine size : 1 pound (pack of 5)", + "natural ingredients handmade pasta linguine size 1 pound (pack of 5)", + "natural ingredients handmade pasta linguine of size 1 pound (pack of 5),", + "natural ingredients handmade pasta linguine, 1 pound (pack of 5)", + "natural ingredients handmade pasta linguine" + ], + "i want old fashioned dagostino alligator cut pasta.": [ + "old fashioned dagostino alligator cut pasta", + "old fashioned dagostino alligator cut pasta.", + "old fashioned dagostino alligator cut pasta under $40", + "old fashioned dagostino alligator cut pasta under $60", + "old fashioned dagostino alligator cut pasta under $50", + "old fashioned dagostino alligator cut pasta under 30 dollars", + "old fashioned dagostino alligator cut pasta under 60 dollars", + "old fashioned dagostino alligator cut pasta under 50 dollars", + "old fashioned dagostino alligator cut pasta under 120 dollars", + "old fashioned dagostino alligator cut pasta under 40 dollars" + ], + "i am looking for living room in celosia orange": [ + "living room in celosia orange", + "living room celosia orange", + "living room living room in celosia orange", + "living room with celosia orange", + "living room living room celosia orange", + "living room in celosia orange,", + "living room in celosia orange living room", + "living room, celosia orange", + "living room color celosia orange", + "living room" + ], + "find a chair for home office with memory foam seat": [ + "chairs for home office with memory foam seat", + "chair for home office with memory foam seat", + "home office chair with memory foam seat", + "living room chair with memory foam seat", + "chairs for home office with memory foam", + "chair for home office with memory foam", + "home office chair memory foam seat", + "living room chair with memory foam", + "home office chair memory foam", + "chairs for home office" + ], + "i am searching for black color cupcake toppers for the birthday party.": [ + "black color cupcake toppers for a baby shower", + "black cupcake toppers for a baby shower", + "black color cupcake toppers for the birthday party", + "black color cupcake toppers for the baby shower", + "black cupcake toppers for the birthday party", + "black baby shower cupcake toppers", + "black birthday cupcake toppers", + "cupcake toppers for a baby shower", + "black birthday cupcake toppers for a baby shower", + "black cupcake toppers for the baby shower" + ], + "i need plastic hair masks for my hair salon": [ + "plastic hair masks for hair salon", + "plastic hair masks for my hair salon", + "plastic hair masks for a hair salon", + "plastic hair masks", + "plastic hair masks for the hair salon", + "plastic hair mask for hair salon", + "plastic hair masks in a hair salon", + "pink hair masks for hair salon", + "plastic hair masks for salon", + "plastic hair mask" + ], + "i want to buy mini projector which is high definition and is of q2 pink color": [ + "mini projector in q2 pink", + "mini projector that is high definition", + "mini projector in q2 pink color", + "mini projector size q2 pink", + "mini projector in a pink color", + "mini projector high definition", + "mini projector high definition pink", + "mini projector that is high definition pink", + "pink mini projector", + "mini projector" + ], + "i want a coat rack with white finish": [ + "white coat rack with white finish", + "white coat rack", + "black coat rack with white finish", + "white coat rack coat rack", + "coats rack white", + "coaxial rack white", + "coat rack with white finish", + "coats rack with white finish", + " coat rack with white finish", + "coaxial rack white finish" + ], + "i would like a white mirror for hair cutting.": [ + "white mirror for hair cutting", + "white hair cutting mirror", + "white mirror hair cutting", + "white human hair cutting mirror", + "white vanity for hair cutting", + "white mirror, hair cutting", + "white mirror to hair cutting", + "white mirror", + "white beauty mirror", + "white hair mirror" + ], + "i am looking for daily wear pink color lounge": [ + "pink color lounge", + "living pink color lounge", + "living room pink", + "pink color lounge,", + "pink colored lounge", + "day wear pink color lounge", + "pink color lounge daily", + "yoga pink color lounge", + "blue square pink color lounge", + "blue pink color lounge" + ], + "i am looking for water resistant bone flower pants": [ + "water resistant bone flower pants", + "rain resistant bone flower pants", + "water resistant bone flower pants under $40", + "water resistant bone flower pants under $50", + "water resistant bone flower pants under $60", + "womens water resistant bone flower pants", + "water resistant bone flower pants under 50 dollars", + "water resistant bone flower pants below $50", + "brittle flower pants", + "teeth flower pants" + ], + "i am looking for gluten free foodie spices": [ + "gluten free foodie spices", + "gluten free foodie spices under $40", + "gluten free foodie spices under $60", + "gluten free foodie spices under $50", + "gluten free foodie spices under 30 dollars", + "gluten free foodie spices under 50 dollars", + "gluten free foodie spice", + "gluten free foodie spices under 40 dollars", + "gluten free foodie spices under 60 dollars", + "gluten-free foodie spices" + ], + "i need gluten free vegetarian smoked peppered bacon - 4 ounce (pack of 2)": [ + "gluten free vegetarian smoked peppered bacon 4 ounce (pack of 2)", + "vegan smoked peppered bacon 4 ounce (pack of 2)", + "vegan smoked peppered bacon - 4 ounce (pack of 2)", + "vegan barbecue smoked peppered bacon 4 ounce (pack of 2)", + "vegan bacon 4 ounce (pack of 2)", + "vegan barbecue smoked peppered bacon - 4 ounce (pack of 2)", + "vegan bacon - 4 ounce (pack of 2)", + "vegan smoked peppered bacon 4 ounce (pack of 2), gluten free", + "vegan smoked peppered bacon 4 ounce (pack of 2) gluten free", + "vegan bacon 4 ounce (pack of 2) gluten free" + ], + "i am looking for 0.81 ounce (pack of 80) of gluten free chewy bar with flavored dark chocolate cherry cashew": [ + "gluten free chewy bar with flavored dark chocolate cherry cashew", + "pack of 80 gluten free chewy bar with flavored dark chocolate cherry cashew", + "bag of 80 gluten free chewy bar with flavored dark chocolate cherry cashew", + "gluten free chewy bar flavored dark chocolate cherry cashew", + "pack of 80 gluten free chewy bar flavored dark chocolate cherry cashew", + "luten free chewy bar with flavored dark chocolate cherry cashew", + "1.81 ounce (pack of 80) of gluten free chewy bar", + "0.81 ounce (pack of 80) of gluten free chewy bar", + "pack of 80 gluten free chewy bar", + "gluten free chewy bar" + ], + "i am looking for dust proof pink color headphones": [ + "dust proof pink color headphones", + "dust proof pink wireless headphones", + "dust proof pink wireless charging headphones", + "dust proof pink headphones", + "dust proof pink sound headphones", + "dust proof pink baby headphones", + "dust proof pink color headphones,", + "dust proof pink", + "dust proof pink colored headphones", + "dust proof pink wireless charging" + ], + "i am looking for a eye mask sheet for dark circles. also choose 120 count size.": [ + "dark circles eye mask sheet 120 count", + "eye mask sheet for dark circles 120 count", + "eye mask sheet for dark circles 120 count size", + "dark circles eye mask sheet 120 count size", + "dark circles eye mask sheets 120 count", + "orange eye mask sheet for dark circles 120 count", + "an eye mask sheet for dark circles 120 count", + "eyes mask sheet for dark circles 120 count", + "eye mask sheet dark circles 120 count", + "12 count eye mask sheet for dark circles" + ], + "i want to find a package of 10 eye masks that treat dark circles.": [ + "10 eye masks that treat dark circles", + "10 eye masks treat dark circles", + "10 eye masks", + "10 eye masks, treat dark circles", + "10 eye masks for dark circles", + "10 eye masks that treat dark circles.", + "10 eye masks treat dark circles under $40", + "10 eye masks treat dark circles under $50", + "12 eye masks that treat dark circles", + "10 eye masks to treat dark circles" + ], + "i want a grey safavieh evoke rug for my living room.": [ + "grey safavieh rug for my living room", + "grey safavieh evoke rug for living room", + "grey safavieh evoke rug", + "grey safavieh evoke rug living room", + "grey safavieh rug for living room", + "grey safavieh rug for the living room", + "grey safavieh rug living room", + "grey safavieh rug", + "grey safavieh rug for a living room", + "womens rug" + ], + "i am interested in buying area rug for dining room which is in black or grey color, and is in shape of runner, while the size should be 4 ft x 6 ft": [ + "black area rug dining room 4 ft x 6 ft", + "4 ft x 6 ft rug dining room", + "4 ft x 6 ft rug", + "4 ft x 6 ft rug for dining room", + "4 ft x 6 ft area rug for dining room", + "4 ft x 6 ft area rug dining room", + "area rug dining room in shape of runner", + "4 ft x 6 ft rug dining room black", + "4 ft x 6 ft area rug", + "black area rug dining room" + ], + "i am looking for a square area rug that is grey and ivory and measures 2 feet by 2 inch by 17 feet.": [ + "square area rug that is grey and ivory", + "square rug that is grey and ivory", + "square area rug with grey and ivory", + "square area rug in grey and ivory", + "square area rug, grey and ivory", + "square area rug grey and ivory", + "grey and ivory square rug", + "square area rug with grey and ivory color", + "square rug in grey and ivory", + "square rug grey and ivory" + ], + "i am looking for a blue runner rug that is 8 x 10 ft and would work in either my living or dining room.": [ + "blue runner rug that is 8 x 10 ft", + "blue runner rug 8 x 10 ft", + "blue runner rug for living or dining room", + "blue runner rug, 8 x 10 ft", + "blue runner rug living or dining room", + "blue runner rug 8 x 10 ft dining room", + "blue runner rug in a living or dining room", + "blue runner rug in the living or dining room", + "blue runner rug", + "blue runner rug in living or dining room" + ], + "i am seraching for energy drink with natural berry flavors which was low in calorie and sugar - 4 packet - drink mix": [ + "seraching for energy drink with natural berry flavors - 4 packet - drink mix", + "seraching for energy drink with natural berry flavors 4 packet - drink mix", + "seraching for energy drink with natural berry flavors", + "seraching for energy drink with natural berry flavors, 4 packet - drink mix", + "seraching for energy drink low in calorie and sugar 4 packet - drink mix", + "seraching for energy drink with natural berry flavors 4 packet- drink mix", + "seraching for energy drink with natural berry flavors with 4 packet - drink mix", + "seraching for energy drink with natural berry flavors and 4 packet - drink mix", + "seraching for energy drink natural berry flavors", + "sugar-free energy drink mix" + ], + "i'm looking for a black hair styling product that is made from natural ingredients and easy to use.": [ + "black hair styling product", + "natural hair styling product", + "black hair styling product made from natural ingredients", + "natural black hair styling product", + "natural hair styling product made from natural ingredients", + "easy to use black hair styling product", + "black hair styling product natural", + "natural beauty styling product", + "black hair styling product that is natural ingredients", + "black hair styling product natural ingredients" + ], + "i am looking for grass fed and gluten free pure indian foods madras curry": [ + "grass fed and gluten free pure indian foods madras curry", + " grass fed and gluten free pure indian foods madras curry", + "synthetic indian foods madras curry", + "green fed and gluten free pure indian foods madras curry", + "green and gluten free pure indian foods madras curry", + "pure indian foods madras curry", + "strawberry pure indian foods madras curry", + "indian foods madras curry", + "indian foods madras curry grass fed and gluten free", + "synthetic indian foods madras curry grass fed" + ], + "easy application hair filling in black and brown color": [ + "easy application hair filling in black brown", + "easy application hair filling black and brown", + "easy application hair filling in black", + "easy application hair color black and brown", + "easy application hair filling black brown color", + "easy application hair filling black brown", + "easy application hair filling color black", + "easy application hair color black", + "easy application hair filling brown", + "easy application hair color" + ], + "i am interested in buying makeup brush which is of high quality and is rose gold.": [ + "beauty brush rose gold", + " makeup brush rose gold", + "pink makeup brush rose gold", + "daring makeup brush rose gold", + "moisturizing brush rose gold", + "makeup brush rose gold", + "pink makeup brush, high quality and rose gold", + "mushroom brush rose gold", + "pink makeup brush, rose gold", + "pink makeup brush, high quality, rose gold" + ], + "i am looking for machine washable and with printing technology of ambesonne popstar party throw pillow cushion cover with size 20\"x20\"": [ + "machine washable and printing technology of ambesonne popstar party throw pillow cushion cover", + "machine washable and printable ambesonne popstar party throw pillow cushion cover", + "machine washable and with printing technology of ambesonne popstar throw pillow cushion cover", + "machine washable and printable ambesonne popstar throw pillow cushion cover", + "machine washable with printing technology of ambesonne popstar party throw pillow cushion cover", + "machine washable and printing technology of ambesonne popstar throw pillow cushion cover", + "machine washable pomegranne popstar party throw pillow cushion cover", + "machine washable popstar throw pillow cushion cover", + "machine washable throw pillow cushion cover 20x20", + "machine washable pomegranate throw pillow cushion cover" + ], + "i am looking for a 9x6 ft universe background digital photography which is easy to carry.": [ + "background digital photography 9x6 ft", + "9x6 ft universe background digital photography", + "background digital photography easy to carry 9x6", + "background digital photography 9x6", + "background digital photography that is easy to carry", + "background digital photography 9x6 ft under $50", + "background digital photography easy to carry 9x6 ft", + " 9x6 ft universe background digital photography", + "background digital photography 9 x6 ft", + "background digital photography" + ], + "i would like a button tufted ottoman.": [ + "button tufted ottoman", + " button tufted ottoman", + "button tufted ottoman.", + "button tufted ottoman under $40", + "button tufted ottoman under $50", + "button tufted ottoman under $60", + "button tufted ottoman under 50 dollars", + "button tufted ottoman below $40", + "button tufted ottoman below $50", + " button tufted ottoman." + ], + "i am looking for star wars navy color cute cartoon style graphic hoodie of unisex small size": [ + "star wars navy color cute cartoon style graphic hoodie", + "star wars navy color cartoon style hoodie", + "star wars navy color hoodie of unisex small size", + "star wars navy color cartoon style graphic hoodie", + "star wars navy color hoodie of unisex small", + "strawberry color cartoon style hoodie", + "baby hoodie of unisex small size", + "star wars navy color hoodie", + "star wars navy color graphic hoodie", + "strawberry cartoon style hoodie" + ], + "i am looking for a eco friendly floating shelves made up of solid wood. also choose bourbon color and 48\" l x 6\"d size.": [ + "eco friendly floating shelves made up of solid wood", + "eco friendly floating shelves made up of solid wood 48 l x 6d", + "eco friendly floating shelves made up of solid wood 48 l x 6d size", + "eco friendly floating shelves made up of solid wood, 48 l x 6d", + "eco friendly floating shelves made up of solid wood, 48 l x 6d size", + "eco friendly floating shelves made up of solid wood in a 48 l x 6d", + "eco friendly floating shelves made up of solid wood in 48 l x 6d size", + "eco friendly floating shelves made up of solid wood and 48 l x 6d size", + "eco friendly floating shelves made up of solid wood in 48 l x 6d", + "eco friendly floating shelf made up of solid wood" + ], + "i am looking for baked fresh cookies": [ + "baked fresh cookies", + " baked fresh cookies", + "baked fresh cookies baked fresh", + "vegan fresh cookies baked fresh", + "barbecue fresh cookies baked fresh", + " baked fresh cookies baked fresh", + "roasted fresh cookies baked fresh", + "brittle fresh cookies baked fresh", + "barbecue fresh cookies", + "baking fresh cookies baked fresh" + ], + "i would like to buy a computer which is quad core": [ + "quad core computer", + "quad core computer which is quad core", + "quad core computer that is quad core", + "quad core computer whose price is quad core", + "quad core computer with quad core", + "quad core computer whose is quad core", + "quad core computer, which is quad core", + "quad core computer, quad core", + "quad core computer computer", + " quad core computer" + ], + "i would like a six boxes of 20 individually wrapped caffeine free tea.": [ + "6 pack of 20 individually wrapped caffeine free tea", + "6 boxes of 20 individually wrapped caffeine free tea", + "pack of 20 individually wrapped caffeine free tea", + "6 box of 20 individually wrapped caffeine free tea", + "6 packs of 20 individually wrapped caffeine free tea", + "packet of 20 individually wrapped caffeine free tea", + "6oz of 20 individually wrapped caffeine free tea", + "6 oz of 20 individually wrapped caffeine free tea", + "packet of 20 caffeine free tea", + "pack of 20 caffeine free tea" + ], + "i'm looking for a wireless, hands free bluetooth speaker.": [ + "wireless, hands free bluetooth speaker", + "wirefree bluetooth speaker", + "wireless bluetooth speaker", + " wireless, hands free bluetooth speaker", + "womens free bluetooth speaker", + "womens wireless bluetooth speaker", + " wireless, hands free bluetooth speaker.", + "wirefree bluetooth speaker under $40", + "phone speaker", + "phone speaker wireless" + ], + "i am looking for gluten free, non gmo and dietary fiber organic green banana flour with size: 1 pound (pack of 2)": [ + "gluten free, non gmo and dietary fiber organic green banana flour", + "gluten free, non gmo and dietary fiber organic green banana flour", + "gluten free, non gmo and dietary fiber organic green banana flour pack of 2", + "gluten free, non gmo and dietary fiber organic green banana flour under $40", + "gluten free, non gmo and dairy free organic green banana flour", + "gluten free, non gmo and dietary fiber organic green banana flour under $50", + " gluten free, non gmo and dietary fiber organic green banana flour", + "gluten free non gmo and dietary fiber organic green banana flour", + "gluten free and dietary fiber organic green banana flour", + "gluten free and dietary fiber organic green banana flour" + ], + "i'm looking for a gold plated coaxial cable. also, choose 3ft, white colored one.": [ + "gold plated coaxial cable", + "gold plated coaxial cable 3ft white", + "gold plated coaxial cable 3ft", + "3ft gold plated coaxial cable", + "gold plated coaxial cable 3ft long", + "3ft, white colored cable", + "gold plated coaxial cable 3ft high", + "gold plated coaxial cable 3ft wide", + "gold plated coaxial cable.", + "3ft white colored cable" + ], + "i'm looking for an extra large, navy blue women's cardigan with long sleeves.": [ + "extra large, navy blue womens cardigan with long sleeves", + "extra large navy blue womens cardigan with long sleeves", + "extra large, navy blue womens cardigan", + "extra large navy blue womens cardigan", + "extra large navy blue womens cardigan long sleeves", + "extra large, navy blue womens cardigan long sleeves", + "navy blue womens cardigan with long sleeves", + "extra large, navy blue womens cardigan, long sleeves", + "extra large navy blue womens cardigan, long sleeves", + "extra large navy blue womens cardigan with long sleeves." + ], + "i am looking for quad core mxq pro 5g android 10.1 tv box ram 2gb rom 16gb h.265 hd 3d": [ + "quad core mxq pro 5g android 10.1 tv box ram 2gb rom 16gb h.265 hd 3d", + " quad core mxq pro 5g android 10.1 tv box ram 2gb rom 16gb h.265 hd 3d", + "quad core mxq pro 5g android 10.1 tv box ram 2gb rom 16gb h.265 hd", + "tablet mxq pro 5g android 10.1 tv box ram 2gb rom 16gb h.265 hd 3d", + "quad core mxq pro 5g android 10.1 tv box ram 2gb rom 16gb h.265 hd 3d,", + "dual core mxq pro 5g android 10.1 tv box ram 2gb rom 16gb h.265 hd 3d", + "quad core mxq pro 5g android 10.1 tv box ram 2gb eth 16gb h.265 hd 3d", + "quad core mxq pro 5g android 10.1 tv box ram 2gb h.265 hd 3d", + "quad core mxq pro 5g android 10.1 tv box ram", + "tv box ram 2gb rom 16gb h.265 hd 3d" + ], + "i'm looking for an 8 ounce bag of chocolate covered sandwich cookies.": [ + "8 ounce bag of chocolate covered sandwich cookies", + "chocolate covered sandwich cookies 8 oz", + "chocolate covered sandwich cookies", + "chocolate covered sandwich cookies 8 ounce", + "8 oz bag of chocolate covered sandwich cookies", + "8 ounce bag of chocolate covered sandwiches cookies", + "chocolate covered sandwich cookies 8 ounces", + "8 ounce bag of chocolate covered peanut cookies", + "chocolate covered sandwich cookies, 8 oz", + "chocolate covered sandwich cookies 8oz" + ], + "i'm looking for cholate covered cookies for valentines day to gifted for my partner.": [ + "cholate covered cookies valentines day to gifted for my partner", + "cholate covered cookies for valentines day to gifted for my partner", + "cholate covered cookies for valentines day to gifted for my partner.", + "cholate covered cookies valentines day to gifted for my partner.", + "cholate covered cookies for valentines day to gift for my partner", + "cholate covered cookies valentines day togift for my partner", + "cholate covered cookies valentines day to gift for my partner", + "cholate covered cookies for valentines day togift for my partner", + "cholate covered cookies for valentines day to gift for my partner.", + "cholate covered cookies for valentines day to be gifted for my partner" + ], + "i am looking for an 8oz. philadelphia candies milk chocolate covered oreo cookies for a valentine's day gift.": [ + "8oz. philadelphia candies milk chocolate covered oreo cookies valentines day gift", + "8oz. philadelphia candies milk chocolate covered oreo cookies", + "8oz. philadelphia candies milk chocolate covered oreo cookies for valentines day gift", + "8oz. philadelphia candies milk chocolate covered oreo cookies valentines day", + "8oz. philadelphia candies milk chocolate covered oreo cookies valentines day gift.", + "8oz. philadelphia candies milk chocolate covered oreo cookies for valentines day", + "8oz. philadelphia candies milk chocolate covered oreo cookies, valentines day gift", + "8oz philadelphia candies milk chocolate covered oreo cookies valentines day gift", + "8oz philadelphia candies milk chocolate covered oreo cookies for a valentines day gift", + "8oz. philadelphia candies milk chocolate covered oreo cookies for a valentines day" + ], + "i would like to find a valentines day gift with chocolate included. a pack sounds ideal": [ + "valentines day gift with chocolate included", + "valentines day gift with chocolate", + " valentines day gift with chocolate included", + "Valentines day gift with chocolate included", + "Valentines day gift with chocolate", + " valentines day gift with chocolate", + "valentines day gift chocolate", + "alarm chocolate valentines day gift", + "a valentines day gift with chocolate", + "valentines day gift" + ], + "i would like a 8 ounce thanksgiving assortment that's a great gift.": [ + "8 ounce thanksgiving assortment", + "8 ounce thanksgiving assortment thats a great gift", + "8 ounce thanksgiving assortment, a great gift", + "8 ounce thanksgiving assortment with a great gift", + "8 ounce thanksgiving assortment in a great gift", + "8 ounce thanksgiving assortment under $50", + "8 ounce thanksgiving assortment under $60", + "8 ounce thanksgiving assortment a great gift", + "8 ounce thanksgiving assortment under $40", + "8 ounce thanksgiving assortment," + ], + "i want a 15 ounce sized chocolate covered cookies. it is for a valentine's day gift.": [ + "15 ounce chocolate covered cookies valentines day gift", + "15 ounce chocolate covered cookies", + "15 ounce chocolate covered cookies, valentines day gift", + "15 ounce chocolate covered cookies for a valentines day gift", + "15 ounce sized chocolate covered cookies valentines day gift", + "15 ounce sized chocolate covered cookies", + "15 ounce chocolate covered cookies valentines day gift.", + "15 ounce sized chocolate covered cookies, valentines day gift", + "15 ounce chocolate covered cookies for valentines day gift", + "15 ounce sized chocolate covered cookies valentines day gift." + ], + "i'm looking for a perfect gift for valentines day that should be covered in chocolate. also, choose a pack of 1 weighing 8 ounce, easter cross with flower designed one.": [ + "4 pack of chocolate valentines day", + "8 pack of chocolate valentines day", + "6 pack of chocolate valentines day", + "pack of 1 weighing 8 ounce, easter cross", + "5 pack of chocolate valentines day", + "bag of 1 weighing 8 ounce, easter cross", + "pink easter cross with flower designed one", + "pink valentines day easter cross", + "pink easter cross", + "alarm cross" + ], + "i'm looking for a perfect gift for valentine day that should be covered in chocolate. also, choose a pack of 1 weighing 1.87 pounds, easter faces assortment designed one.": [ + "pink easter faces assortment designed one", + "8 pack of chocolate valentine day", + "pack of 1 chocolate valentine day", + "bag of 1 chocolate valentine day", + "pink easter faces assortment", + "pink easter faces", + "pink chocolate easter faces", + "alarm faces assortment designed one.", + "bag of 1", + "pack of 1" + ], + "i am looking for ethylene vinyl dr.martens women's nartilla sandal of size:10": [ + " ethylene vinyl dr.martens womens nartilla sandal", + " ethylene vinyl dr.martens womens nartilla sandal of size:10", + " ethylene vinyl dr.martens womens nartilla sandal of size", + " ethylene vinyl dr.martens womens nartilla sandal of size 10", + " ethylene vinyl dr.martens womens nartilla sandal of size 9", + "ethylene vinyl dr.martens womens nartilla sandal of size 10 ethylene vinyl", + " ethylene vinyl dr.martens womens nartilla sandal of size 9 ethylene", + " ethylene vinyl dr.martens womens nartilla sandal of size 10 ethylene", + "ethylene vinyl dr.martens womens nartilla sandal", + " ethylene vinyl dr.martens womens nartilla sandal of size:10 ethylene" + ], + "i want shade sails made with stainless steel": [ + " shade sails made with stainless steel", + "shoes sails made with stainless steel", + "sneakers made with stainless steel", + "sea sails made with stainless steel", + "shade sails made with stainless steel", + "set sails made with stainless steel", + "leash sails made with stainless steel", + "shine sails made with stainless steel", + "queen sails made with stainless steel", + "sneakers made with stainless steel shade sails" + ], + "i want a sunset solawave 4-in-1 facial wand and serum bundle for dark circles.": [ + "i want a sunset solawave 4-in-1 facial wand and serum bundle for dark circles.", + "i want a sunset solawave 4-in-1 facial wand and serum bundle for dark circles under 30 dollars", + " sunset solawave 4-in-1 facial wand and serum bundle for dark circles", + "sunset solawave 4-in-1 facial wand and serum bundle for dark circles", + "i want a sunset solawave 4-in-1 facial wand and serum bundle for dark circles under 50 dollars", + "i want a sunset solawave 4-in-1 facial wand and serum bundle for dark circles under $50", + "i want a sunset solawave 4in-1 facial wand and serum bundle for dark circles.", + " sunset solawave 4-in-1 facial wand and serum bundle for dark circles.", + "sunset solawave 4-in-1 facial wand and serum bundle for dark circles.", + "a sunset solawave 4-in-1 facial wand and serum bundle for dark circles" + ], + "i would like a pink cake topper for a birthday party.": [ + "pink cake topper for a baby shower", + "pink cake topper for a birthday party", + "pink cake topper for a birthday party.", + "pink cake topper for a baby shower.", + "pink cake toppers for a baby shower", + "pink cake toppers for a birthday party", + "pink birthday cake topper for a baby shower", + "pink birthday cake topper for a birthday party", + "pink cake topper, for a baby shower", + "pink cake toppers for a birthday party." + ], + "i'm interested in a wireless bluetooth alarm clock that offers stereo sound.": [ + "wireless bluetooth alarm clock", + "alarm clock with stereo sound", + "womens wireless bluetooth alarm clock", + "alarm clock that offers stereo sound", + " wireless bluetooth alarm clock with stereo sound", + "alarm clock", + "wirefree wireless bluetooth alarm clock", + "alarm clock wireless bluetooth", + " wireless bluetooth alarm clock", + "alarm clock wireless" + ], + "i am looking for easy to use nut gifts": [ + "easy to use nut gifts", + "easy to use nut gifts under $50", + "easy to use nut gifts under 50 dollars", + "easy to use nut gifts under $40", + "easy to use nut gifts under $60", + "easy to use nut gifts under 40 dollars", + "easy to use nut gifts under 30 dollars", + "easy to use nut gifts under 60 dollars", + "easy to use nut gifts under 120 dollars", + "easy to use nut gifts under 20 dollars" + ], + "i am looking for a long lasting eye mask for dark circles with cruelty free.": [ + "long lasting eye mask for dark circles cruelty free", + "dark circles eye mask cruelty free", + "long lasting eye mask for dark circles with cruelty free", + "dark circles eye mask that is cruelty free", + "dark circles long lasting eye mask cruelty free", + "long lasting eye mask for dark circles", + "dark circles eye mask long lasting cruelty free", + "dark circles with cruelty free eye mask", + "a long lasting eye mask for dark circles cruelty free", + "long lasting eye mask for dark circles, cruelty free" + ], + "i am looking for anti-aging rose quartz face roller": [ + "anti-aging rose quartz face roller", + "anti-aging rose quartz face roller under $40", + "anti-aging rose quartz face roller under $50", + "anti-aging rose quartz face roller under $60", + "anti-aging rose quartz face roller under 50 dollars", + "anti-aging rose quartz face roller anti-aging", + "anti-aging rose quartz face roller below $40", + "anti-aging rose quartz face roller below $50", + "anti-aging rose quartz face roller,", + "ant-aging rose quartz face roller" + ], + "find a gluten free popcorn salt": [ + "gluten free popcorn salt", + "gluten free popcorn salt under $40", + "moisturizer gluten free", + "gluten free popcorn salt under $60", + "gluten free popcorn salt below $40", + "gluten-free popcorn salt", + "moisturizing popcorn salt gluten free", + "gluten free popcorn salt under $50", + "gluten free popcorn salt under 50 dollars", + "gluten free popcorn salt under 60 dollars" + ], + "i need 2 packs of 10.6 inch 30w dimmable bi-color soft light panel with batteries included": [ + "10.6 inch 30w dimmable bi-color soft light panel with batteries", + "10.6 inch 30w dimmable bi-color soft light panel", + "2 packs of 10.6 inch 30w dimmable bi-color soft light panel", + "2 packs of 10.6 inch 30w", + "10.6 inch 30w dimmable bi-color soft light panel with batteries", + "10.6 inch 30w dimmable bi-color soft light panel", + "2 packs of 10.6 inch 30w with batteries", + "10.6 inch 30w", + "i need 2 packs of 10.6 inch 30w", + "10.6 inch 30w with batteries" + ], + "i am in need of khaki color, x-large size hooded fleece lined sweatshirts for men": [ + "kaki color sweatshirts for men", + "k khaki color sweatshirts for men", + "khaki color sweatshirts for men", + "kaki color sweatshirts for men x-large", + "kimaki color sweatshirts for men", + "kaki color sweatshirts for men x-large size", + "k khaki color sweatshirts for men x-large", + "kcaki color sweatshirts for men", + "khaki color sweatshirts for men x-large", + "khaki color sweatshirts for men x-large size" + ], + "i'm looking for a camouflage white and gray, fleece-lined hoodie for daily wear in a size 3x-large that is machine washable.": [ + "curtains white and gray fleece-lined hoodie", + "comfortable white fleece-lined hoodie", + "curtains white and gray fleece-lined hoodie that is machine washable", + " camouflage white and gray fleece-lined hoodie", + "moisturizing white fleece-lined hoodie in a size 3x-large", + "moisturizing white fleece-lined hoodie", + "comfortable white and gray fleece-lined hoodie", + "im looking for a camouflage white and gray fleece-lined hoodie under 30 dollars", + "a camouflage white and gray fleece-lined hoodie", + "curtains white fleece-lined hoodie" + ], + "i am looking for a long sleeve sleepwear for a man with high waist. also choose light gray color and xx-large size.": [ + "long sleeve sleepwear for a man with high waist xx-large", + "long sleeve sleepwear for a man with high waist x-large", + "short sleeve sleepwear for a man with high waist xx-large", + "long sleeve sleepwear in light gray color xx-large", + "long sleeve sleepwear for a man with high waist", + "long sleeve sleepwear for a man", + "long sleeve sleepwear light gray", + "long sleeve sleepwear in light gray", + "long sleeve sleepwear xx-large", + "long sleeve sleepwear" + ], + "i am looking for men\u2019s pajamas with contrast color also choose size x large": [ + "men\u2019s pajamas x large", + "mens pajamas x large", + "pajamas x large", + "man pajamas x large", + "mens pajamas with contrast color x large", + "man\u2019s pajamas x large", + "men\u2019s pajamas", + "mens pajamas x large", + "womens pajamas x large", + "men pajamas x large" + ], + "i am looking a high resolution easy install and easy use 60x usb microphone": [ + "60x usb microphone", + "easy install 60x usb microphone", + "easy install and easy use 60x usb microphone", + "high resolution easy install 60x usb microphone", + "60x usb microphone easy install", + "simple install 60x usb microphone", + "60x usb microphone easy install and easy use", + "90x usb microphone", + "easy install 60x usb microphone under $40", + "usb microphone" + ], + "i'm looking for a kosher certified premium salt which is free from gluten. also, choose mediterranean flake one.": [ + "kosher certified premium salt which is free from gluten", + "kosher certified premium salt", + "kosher certified premium salt mediterranean flake", + "kosher certified premium salt that is free from gluten", + "kosher certified premium salt, free from gluten", + "kosher certified premium salt mediterranean flake one", + "vegan salt mediterranean flake", + "casual flake salt", + "clinically certified premium salt", + "kosher certified premium salt with gluten free" + ], + "i'm looking for a yellow hands-free tablet.": [ + "yellow hands-free tablet", + "yellow hands-free tablet.", + "yellow hands-free tablet under $40", + "yellow hands-free tablet under $60", + "yellow hands-free tablet under $50", + "yellow hands-free tablet under $120", + "yellow hands-free tablet under 50 dollars", + "yellow hands-free tablets", + "yellow hands-free tablet under 40 dollars", + "yellow hands-free tablet," + ], + "i'm looking for a cruelty free certified bronzer which is fragrance free. also choose palm beach ready one.": [ + "cruelty free certified bronzer", + "cruelty free certified bronzer which is fragrance free", + "cruelty free certified bronzer that is fragrance free", + "cruelty free certified bronzer palm beach ready", + "cruelty free certified bronzer, palm beach ready", + "cruelty free certified bronzer with fragrance free", + "cruelty free certified bronzer, palm beach ready,", + "cruelty free certified bronzer which is fragrance free.", + "cruelty free certified bronzer in a palm beach ready", + "cruelty free certified bronzer with scent free" + ], + "i am looking for soft toe work shoe slip resistant in 10.5": [ + "soft toe work shoe slip resistant in 10.5", + "soft toe work shoe slip resistant 10.5", + "soft toe work shoe slip resistant 9.5", + "soft toe work shoe slip resistant, 10.5", + "soft toe work shoe slip resistant", + "soft toe work shoe slip resistant10.5", + "soft toe work shoe slip resistant 11.5", + "soft toe work shoe slip resistant for 10.5", + "soft toe work shoe slip resistant 5.5", + "soft toe work shoe slip resistant under $40" + ], + "i need hiking shoes in a size 10 that have a lace closure": [ + " hiking shoes in a size 10 with a lace closure", + "hiking shoes in a size 10 with a lace closure", + " hiking shoes in a size 10 that have a lace closure", + "pack hiking shoes in a size 10 with a lace closure", + "walking shoes in a size 10 with a lace closure", + "hiking shoes size 10 with a lace closure", + "hiking shoes size 10 with lace closure", + " hiking shoes size 10 with a lace closure", + "hiking shoes in a size 10 with lace closure", + "pink hiking shoes in a size 10 with lace closure" + ], + "i need 6ft red color usb fast charging led lightning cables -1 pack": [ + "6ft red color usb fast charging led lightning cables", + "6ft red color usb fast charging", + "6ft red charging led lightning cables -1 pack", + "6ft red color usb fast charging lightning cables", + "6ft red usb fast charging led lightning cables", + "6ft red bluetooth usb fast charging", + "6ft red wireless charging led lightning cables", + "6ft red wireless charging", + "6ft red usb fast charging", + "6ft red" + ], + "i want to buy high waist yoga pants whcih are in azec - black color and are in large size": [ + "high waist yoga pants in azec - black", + "high waist yoga pants in azec - black color", + "high waist yoga pants azec - black", + "high waist yoga pants in azec - black size", + "high waist yoga pants, azec - black", + "yoga pants in azec - black", + "high waist yoga pants in azec black", + "high waist yoga pants, azec - black color", + "high waist yoga pants black", + "high waist yoga pants" + ], + "i would like to buy face moisturizer suitable for women which is cruelty free and serves for anti aging": [ + "face moisturizer suitable for women cruelty free and serves for anti aging", + "face moisturizer suitable for women", + "face moisturizer suitable for women cruelty free", + "face moisturizer suitable for women, cruelty free, anti aging", + "face moisturizer suitable for women with anti aging", + "moisturizer suitable for women", + "face moisturizer for women cruelty free", + "face moisturizer suitable for women under $40", + "toothpaste for women cruelty free", + "toothpaste cruelty free" + ], + "i want buy an external hard drive hdd 0.2tb which for pc, mac, desktop, laptop, macbook, chromebook, xbox one, xbox 360 (2tb, silver). it is covered with aluminum alloy. also, i choose the b-red color.": [ + "i want buy an external hard drive hdd 0.2tb which for pc, mac, desktop, laptop, macbook, chromebook, xbox one, b-red color, and price lower than 50.00 dollars", + "i want buy an external hard drive hdd 0.2tb which for pc, mac, desktop, laptop, macbook, chromebook, xbox one, b-red color, and price lower than 40.00 dollars", + "i want buy an external hard drive hdd 0.2tb which for pc, mac, desktop, laptop, macbook, chromebook, xbox one, b-red color, and price lower than 60.00 dollars", + "i want buy an external hard drive hdd 0.2tb which for pc, mac, desktop, laptop, macbook, chromebook, xbox one, b-red color, and price lower than 20.00 dollars", + "i want buy an external hard drive hdd 0.2tb which for pc, mac, desktop, laptop, macbook, chromebook, xbox one, b-red color, and price lower than 70.00 dollars", + "i want buy an external hard drive hdd 0.2tb which for pc, mac, desktop, laptop, macbook, chromebook, xbox one, b-red color, and price lower than 120.00 dollars", + "i want buy an external hard drive hdd 0.2tb which for pc, mac, desktop, laptop, macbook, chromebook, xbox one, b-red color, and price lower than 100.00 dollars", + "i want buy an external hard drive hdd 0.2tb which for pc, mac, desktop, laptop, macbook, chromebook, xbox one, b-red color, and price lower than 30.00 dollars", + "i want buy an external hard drive hdd 0.2tb which for pc, mac, desktop, laptop, macbook, chromebook, xbox one, b-red", + "i want buy an external hard drive hdd 0.2tb which for pc, mac, desktop, laptop, macbook, chromebook, xbox one, b-red" + ], + "i'm looking for a 2-pack of 12-feet hdmi male-to-female gold-plated cables designed for high speed data transfers.": [ + "2-pack of 12-feet hdmi male-to-female gold-plated cables", + "two-pack of 12-feet hdmi male-to-female gold-plated cables", + "2-pack of 12-feet hdmi men-to-female gold-plated cables", + " 2-pack of 12-feet hdmi male-to-female gold-plated cables", + "2-pack of 12-feet hdmi gold-plated cables", + "2-pack of 12-feet hdmi wireless charging cables", + "2-pack of 12-feet hdmi male-to-female gold plated cables", + "2-pack of 12-feet hdmi", + "2-pack of 12-feet hdmi wireless", + "2-pack of 12-feet hdmi wireless cables" + ], + "i am looking fort a travel size skincare kit with tea tree toner.": [ + "travel size skincare kit with tea tree toner", + "skincare kit with tea tree toner", + "pink skincare kit with tea tree toner", + " travel size skincare kit with tea tree toner", + "sky skincare kit with tea tree toner", + "kincare kit with tea tree toner", + "vanity skincare kit with tea tree toner", + "slimming kit with tea tree toner", + "travel size skincare kit", + "skincare kit with tea tree toner," + ], + "i looking for blueberry nut free in raspberry": [ + "blueberry nut free in raspberry", + "blueberry nut free raspberry drink mix", + "blueberry nut free raspberry", + "blueberry nut free raspberry flavor", + "blueberry nut free in raspberry flavor", + "blueberry nut free in raspberry drink", + "blueberry nut free raspberry drink", + "blueberry nut free strawberry drink mix", + "berry nut free raspberry drink mix", + "berry nut free in raspberry" + ], + "i'm looking for 6 pack of strawberry with nut free": [ + "6 pack of strawberry with nut free", + "6 pack of strawberry nut free", + "6 pack of strawberry", + "pack of strawberry nut free", + "pack of strawberry with nut free", + "6 pack of strawberry nuts nut free", + "6 pack of strawberry peanut free", + "6 pack of strawberry dairy free", + "strawberry with nut free", + "6 pack of strawberry no nuts" + ], + "i am looking for a 12 ounce (pack of 3) of nut free baking mixes": [ + "12 ounce (pack of 3) of nut free baking mixes", + "12 oz (pack of 3) of nut free baking mixes", + "12 ounce (pack of 3) of nut free baking mix", + "12 pack (pack of 3) of nut free baking mixes", + "12oz (pack of 3) of nut free baking mixes", + "pack of 3) of nut free baking mixes", + "12 ounce (pack of 3) nut free baking mixes", + "12 ounce (pack of 3) of nut free baked mixes", + "12 oz (pack of 3) of nut free baking mix", + "12 ounce (pack of 3), nut free baking mixes" + ], + "i need 24 count, long-lasting alkaline battery": [ + "24 count, long-lasting alkaline battery", + "24 count long-lasting alkaline battery", + " 24 count, long-lasting alkaline battery", + "23 count, long-lasting alkaline battery", + "25 count, long-lasting alkaline battery", + "24 count alkaline battery", + "24 count, long-lasting alkaline batteries", + "24 count high-lasting alkaline battery", + "24 count keto alkaline battery", + "24 count alkaline battery 24 count" + ], + "i am looking for high performance jelly fish color smartwatch": [ + "high performance jelly fish color smartwatch", + "jelly fish color smartwatch", + "st jelly fish color smartwatch", + "low performance jelly fish color smartwatch", + "smartwatch high performance jelly fish color smartwatch", + "knee fish color smartwatch", + "melly fish color smartwatch", + "smartwatch high performance jelly fish color", + "jeans color smartwatch", + "smartwatch high performance" + ], + "i want a microdermabrasion face mask with anti aging properties": [ + "microdermabrasion face mask with anti aging properties", + "microdermabrasion face mask anti aging", + "microdermabrasion face mask", + "microdermabrasion face mask anti aging properties", + "midermabrasion face mask with anti aging properties", + "microdermabrasion face mask that is anti aging", + "mabrasion face mask with anti aging properties", + "microdermabrasion face mask with anti aging", + "microdermabrasion face mask, anti aging", + "microdermabrasion face mask, anti aging properties" + ], + "i want to buy sandals for women which have closed toe, and rubber sole, i want them to be a-wine color, and of 4.5 size": [ + "sandals for women with closed toe, rubber sole, 4.5 size", + "sandals for women which have closed toe, rubber sole, 4.5 size", + "sneakers for women a-wine color 4.5", + "sandals for women, a-wine color, 4.5", + "sandals for women, a-wine color, 4.5 size", + "sandals for women a-wine color 4.5", + "sneakers for women 4.5 in a-wine color", + "sandals for women with closed toe, rubber sole", + "sneakers for women a-wine color", + "sneakers 4.5 size" + ], + "i am looking for 40 feet high speed cables": [ + "40 feet high speed cables", + "40 foot high speed cables", + "40 feet high speed cables under $40", + "40 feet high speed cables under $50", + "40 feet high speed cables under $60", + "40 ft high speed cables", + "40 feet high speed cables under $130", + "40ft high speed cables", + "40 feet high speed cables under $120", + "40 foot high speed cables under $40" + ], + "i'm looking for video accessories and it was high speed need to buy it.": [ + "high speed video accessories", + "tv accessories high speed", + "tv accessories that are high speed", + "video accessories high speed", + "video accessories that are high speed", + "tv accessories in high speed", + "tv accessories", + "tv accessories, high speed", + "low speed video accessories", + "video accessories" + ], + "i'm looking for high speed hdmi cable with ethernet signal booster.": [ + "high speed hdmi cable with ethernet signal booster", + "tv hdmi cable with ethernet signal booster", + "hdmi cable with ethernet signal booster", + "low speed hdmi cable with ethernet signal booster", + "high speed hdmi cable", + "hdmi cable with ethernet signal booster", + "tv hdmi cable with ethernet signal booster.", + "tv dmi cable with ethernet signal booster", + "high speed hdmi cable under $40", + "high speed hdmi cable under $60" + ], + "i am looking for gluten free turmeric chai": [ + "gluten free turmeric chai", + "turmeric chai gluten free", + "gluten free turmeric chai under $40", + "gluten free turmeric chai under $60", + "gluten free turmeric chai under $50", + "gluten free turmeric chai below $40", + "gluten free turmeric chai under 30 dollars", + "gluten free turmeric chai under 50 dollars", + "gluten free turmeric chai under 40 dollars", + "gluten-free turmeric chai" + ], + "i would like to buy water shoes which are anti slip and are in black color while the size should be 11.5 for women and 9.5 for men": [ + "anti slip water shoes 11.5 women and 9.5 for men", + "anti slip water shoes 11.5 women and 9.5 men", + "anti slip water shoes 11.5 woman and 9.5 for men", + "anti slip water shoes 11.5 woman and 9.5 men", + "anti slip water shoes 11.5 for women", + "anti slip water shoes size 11.5 women and 9.5 men", + "water shoes 11.5 women and 9.5 men", + "anti slip water shoes 11.5", + "anti slip water shoes 11.5 women", + "anti slip water shoes 11.5 for women and 9.5 men" + ], + "looking for machine washable pillow covers for couch bed also choose colour dark blue": [ + "machine washable pillow covers for couch bed dark blue", + "machine washable pillow covers for couch bed", + "machine washable pillow covers for couch bed in colour dark blue", + "machine washable pillow covers for couch bed with colour dark blue", + "machine washable pillow covers for couch bed, dark blue", + "machine washable pillow covers for couch bed colour dark blue", + "machine washable pillow cover for couch bed dark blue", + "machine washable pillow covers for couch bed in dark blue", + "man washable pillow covers for couch bed dark blue", + "machine washable pillow covers for couch bed in colour darkblue" + ], + "i am looking for acqua di gio for men impression": [ + "acqua di gio for men", + "acquiringa di gio for men", + "acqua di gio for men impression", + "acquiringa di gio for men impression", + "acqua di gio men impression", + " acqua di gio for men", + "acquiringa di gio men impression", + "acqua di gio men", + "acqua di gio", + "acquiringa di gio" + ], + "i need a easy to assemble white colored desk for home office": [ + "white colored desk for home office", + "easy assemble white colored desk for home office", + "easy to assemble white colored desk", + "easy assemble white colored desk", + "white desk for home office", + "white colored desk", + "easy to assemble white colored desk for office", + "easy to assemble white colored desk home office", + "living room white desk", + "white colored desk for office" + ], + "i would like to buy mid calf boots which have synthetic sole, and are in insignia blue color, as for the size i want them 10": [ + "mid calf boots in insignia blue", + "mid calf boots, insignia blue", + "mid calf boots in insignia blue color", + "mid calf boots size 10 in insignia blue", + "mid calf boots size 10, insignia blue", + "mid calf boots in insignia blue size 10", + "mid calf boots that are in insignia blue", + "mid calf boots, in insignia blue", + "mid calf boots size 10", + "mid calf boots, in insignia blue color" + ], + "i'm looking for a mid century style table lamp": [ + "mid century style table lamp", + "table lamp mid century style", + "table lamp mid century", + "table lamp that is mid century style", + "table lamp, mid century style", + "mid century style table lamp under $40", + "table lamp mid century that is mid century", + "mid century style table lamp under $60", + "mid century style table lamp under $50", + "medium century style table lamp" + ], + "kit 3 machine washable elastic nylon boxer panties": [ + "kit 3 machine washable elastic nylon boxer panties", + "machine washable elastic nylon boxer panties", + "kit 3 machine washable elastic nylon boxer panties,", + "ket 3 machine washable elastic nylon boxer panties", + "knee washable elastic nylon boxer panties", + "kit 3 machine washable elastic- nylon boxer panties", + "tank 3 machine washable elastic nylon boxer panties", + "kit 3 machine washable elastic nylon boxer", + "bathable elastic nylon boxer panties", + "packet panties" + ], + "i am interested in buying bar stools which have metal legs, are in blue colors, and have a size of 45cm": [ + "bar stools with metal legs", + "bar stools in blue", + "bar stool size 45cm", + "bar stool with metal legs in blue", + "bar stool metal legs 45cm", + "bar stools that have metal legs", + "bar stool metal legs size 45cm", + "bar stool metal legs in blue", + "bar stool with metal legs", + "bar stool in blue" + ], + "i'm looking for 22 inch long hair extensions having dark auturn brown color (pack of 1)": [ + "22 inch long hair extensions dark auturn brown", + "hair extensions 22 inches long dark auturn brown", + "hair extension 22 inches long dark auturn brown", + "22 inch long hair extension dark auturn brown", + "22 inch long hair extensions", + "22 inch long hair extensions with dark auturn brown", + "22 inch long hair extensions having dark auturn brown", + "hair extension 22 inches long dark auburn", + "hair extensions 22 inches long dark auburn", + "hair extensions 22 inches long dark auturn" + ], + "i want to buy hair extension tape which i can easily apply and can fit to natural hair, it's color should be dark brown to chocolate brown, and the size i am interested in should be 22 inch (pack of 1).": [ + "hair extension tape 22 inch", + "hair extension tape 22 inches dark brown", + "hair extension tape 22 inches", + "hair extension tape 22 inch dark brown", + "hair extension tape 22 x 22 inches", + "dark brown hair extension tape 22 inch", + "hair extension tape 22 inch natural brown", + "natural hair extension tape 22 inch", + "hair extension tape 22x22 inches", + "hair extension tape dark brown" + ], + "i'm looking for a easy to apply hair extensions which looks like natural hair. also, choose a pack of 1, 16 inch with #33 dark auturn brown colored one": [ + "easy to apply hair extensions which looks like natural hair", + "easy to apply hair extensions which look like natural hair", + "easy to apply hair extensions #33 dark auturn brown", + "easy to apply hair extensions which looks like natural hair.", + "easy to apply hair extensions under $33", + "easy to apply hair extensions that looks like natural hair", + "easy to apply hair extensions that look like natural hair", + "easy to apply hair extensions", + "easy to apply hair extensions with #33 dark auturn", + "easy to apply hair extensions, 16 inch" + ], + "i want a 1080hd a dome surveillance camera with motion detection": [ + "1080hd a dome surveillance camera", + "1080hd dome surveillance camera", + "a dome surveillance camera with motion detection", + "tvhd a dome surveillance camera", + "1080hd surveillance camera with motion detection", + " 1080hd a dome surveillance camera", + "1080hd surveillance camera", + "a dome surveillance camera", + "1080hd", + "1080hd camera" + ], + "i would like some 22 inch ombre brown synthetic hair extensions.": [ + "22 inch ombre brown synthetic hair extensions", + "22 inch ombre brown synthetic hair extension", + "23 inch ombre brown synthetic hair extensions", + " 22 inch ombre brown synthetic hair extensions", + "22 foot ombre brown synthetic hair extensions", + "22 inch ombre brown synthetic hair extensions.", + "22 ft ombre brown synthetic hair extensions", + "22 ounce ombre brown synthetic hair extensions", + "22 inch ombre brown synthetic hair extensions,", + "22 inch brown synthetic hair extensions" + ], + "i need 5 litre of quality ingredients contained roasted pecan oil bottle for cooking": [ + "5 litre of quality ingredients roasted pecan oil bottle for cooking", + "5 litre of quality ingredients roasted pecan oil bottle", + "5 litre of quality ingredients contained roasted pecan oil bottle for cooking", + "roasted pecan oil bottle for cooking", + "roasted pecan oil bottle for cooking 5 litre", + "5 litre of quality ingredients contained roasted pecan oil bottle", + "5 litre of quality ingredients, roasted pecan oil bottle for cooking", + "6 litre of quality ingredients roasted pecan oil bottle for cooking", + "4 litre of quality ingredients roasted pecan oil bottle for cooking", + "5 litre of quality ingredients roasted pecan oil bottle under $50" + ], + "i'm interested in a pack of 4, 3.17 ounce lightly salted, but unsweetened coconut chips that are non-gmo and gluten-free.": [ + "pack of 4 unsweetened coconut chips that are non-gmo and gluten-free", + "pack of 4, 3.17 ounce lightly salted, but unsweetened coconut chips", + "pack of 4 unsweetened coconut chips", + "pack of 4 unsweetened coconut chips non-gmo and gluten-free", + "pack of 4 unsweetened coconut chips that are non-gmo and gluten free", + "pack of 4, 3.17 ounce lightly salted, unsweetened coconut chips", + "pack of 4, 3.17 ounce lightly salted coconut chips", + "pack of 4 non-gmo coconut chips", + "pack of 4, unsweetened coconut chips", + "pack of 4 unsweetened coconut chips no gluten" + ], + "i want to buy crisps which are low carb and sugar free": [ + "low carb and sugar free crisps", + "chocolate crisps low carb and sugar free", + "crisps low carb and sugar free", + " crisps low carb and sugar free", + "chocolate crisps low carb sugar free", + "crisps low carb sugar free", + "low carb crisps sugar free", + "crisps low carb sugar and sugar free", + "chocolate crisps sugar free", + "low carb sugar crisps" + ], + "i am looking for soft fuzzy blanket super soft in multi 49": [ + "soft fuzzy blanket super soft in multi 49", + "soft fuzzy blanket super soft multi 49", + "soft fuzzy blanket super soft", + "soft fuzzy blanket super soft for multi 49", + "soft fuzzy blanket super soft, multi 49", + "soft fuzzy blanket super soft under $50", + "soft fuzzy blanket super soft under 50 dollars", + "soft fuzzy blanket super soft in multi 50", + "soft fuzzy blanket, multi 49", + "soft fuzzy blanket under $50" + ], + "i want jeans with button closure": [ + "jeans button closure", + "jeans button closure below $40", + "jeans button closure below $50", + "jeans button closure under $40", + "jeans button closure under $50", + "jeans button closure less $40", + "jean button closure", + "jeans button closure jeans", + "djeans button closure", + "blue jeans button closure" + ], + "i'm looking for a easy to carry essential oil roller for coconut oil. also choose coconut scented one.": [ + "easy to carry essential oil roller for coconut oil", + "easy to carry essential oil roller coconut oil", + "easy to carry coconut oil roller", + "easy to carry essential oil roller for coconut oil.", + "easy to carry essential oil roller for coconut oil below $40", + "easy to carry essential oil roller for coconut oil under $40", + "easy to carry essential oil roller for coconut oil below $50", + "easy to carry essential oil roller for coconut oil under $60", + "easy to carry essential oil roller for coconut oil under $50", + "easy to carry essential oil roller for coconut oil coconut oil" + ], + "i am looking for brushed nickel pegandrail oak coat rack of size: 41\"x3.5\" with 8 hooks": [ + "brushed nickel pegandrail oak coat rack of size: 41x3.5", + "brushed nickel pegandrail oak coat rack", + "brushed nickel pegandrail oak coat rack of size", + "brushed nickel pegandrail oak coat rack of size 41x3.5", + "brushed nickel pegandrail oak coat rack of size 42x3.5", + "brushed nickel pegandrail oak coat rack with 8 hooks", + "brushed nickel pegandrail oak coat rack, 41x3.5", + "buffet nickel pegandrail oak coat rack", + "brush nickel pegandrail oak coat rack", + " brushed nickel pegandrail oak coat rack" + ], + "find a dress suitable for hand wash": [ + "dressing suitable for hand wash", + "style dress suitable for hand wash", + "hand wash dress suitable for hand wash", + "a dress suitable for hand wash", + "shoes suitable for hand wash", + "daring dress suitable for hand wash", + "dress suitable for hand wash", + "im looking for a dress suitable for hand wash", + "find a dress suitable for hand wash", + "dressing suitable for hand wash under $40" + ], + "i am looking for super soft in multi 18": [ + "super soft multi 18", + "super soft in multi 18", + "super soft multi 18 under $50", + "super soft multi 18 under $40", + "super soft multi 18 under $60", + "super soft multi 18 in multi 18", + "super soft multi 18 super soft", + "super soft multi 18 under $120", + "super soft multi 18 under 50 dollars", + "super soft multi 18 under $130" + ], + "i am looking for long lasting 14 color pressed powder palette of color: fiesta all day": [ + "long lasting 14 color pressed powder palette of color", + "long lasting 14 color pressed powder palette", + "long lasting 14 color pressed powder palette of color fiesta", + "long lasting 14 color powder palette of color", + "long lasting 14 color pomegranate palette of color", + "blue powder palette of color fiesta all day", + "long lasting 14 color powder palette", + "14 color pressed powder palette of color", + "blue powder palette of color", + "blue powder palette" + ], + "i want a gluten free packaged meal": [ + "gluten free packed meal", + "gluten free packaged meal", + "gluten free packed meal that is gluten free", + "gluten free packed meal under $40", + "gluten free packed meal under $60", + "gluten free packed meal below $40", + "gluten free packed meal under 50 dollars", + "gluten free packed meal under $50", + "gluten-free packed meal", + "gluten free meal" + ], + "i want a set of 2 mesh laundry bags with a pink flamingo dress with roses design.": [ + "set of 2 mesh laundry bags with a pink flamingo dress", + "2 mesh laundry bags with a pink flamingo dress with roses", + "2 mesh laundry bags with a pink flamingo dress with roses design", + "two mesh laundry bags with a pink flamingo dress with roses", + "2 mesh laundry bags with a pink flamingo dress", + "set of 2 mesh laundry bags, pink flamingo dress with roses", + "4 mesh laundry bags with a pink flamingo dress with roses", + "two mesh laundry bags with a pink flamingo dress with roses design", + " mesh laundry bags with a pink flamingo dress with roses", + "set of 2 mesh laundry bags" + ], + "i am looking for a purple daycare teacher tshirt made of heather cotton and should be a classic fit.": [ + "pink daycare teacher tshirt made of heather cotton", + "pink daycare teacher t-shirt made of heather cotton", + "pink daycare teacher tshirt heather cotton classic fit", + "a purple daycare teacher tshirt made of heather cotton", + "pink daycare teacher tshirt with heather cotton", + "plastic fit daycare teacher tshirt made of heather cotton", + "pink daycare teacher tshirt heather cotton", + "pink daycare teacher t-shirt heather cotton classic fit", + "pink daycare teacher tshirt", + "blue daycare teacher tshirt made of heather cotton" + ], + "i am looking for men suits slim fit with button closure of size: 50": [ + "mens suits slim fit button closure", + "mens suits slim fit with button closure", + "men suits slim fit with button closure", + "men suits slim fit button closure", + "mens suits slim fit button closure size 50", + "man suits slim fit with button closure", + "mens suit slim fit button closure", + "men suits slim fit button closure size 50", + "mens suits slim fit", + "men suits slim fit" + ], + "i am looking for sensodyne toothpaste in sensitive teeth": [ + "sensodyne toothpaste sensitive teeth", + "sensodyne toothpaste in sensitive teeth", + "sensodyne toothpaste for sensitive teeth", + "sensodyne toothpaste sensitive teeth under $40", + "sensodyne toothpaste sensitive teeth under $50", + "susodyne toothpaste in sensitive teeth", + "sensodyne toothpaste sensitive teeth under $60", + "susodyne toothpaste sensitive teeth", + "syntodyne toothpaste sensitive teeth", + "sensodyne toothpaste, sensitive teeth" + ], + "i am looking for non slip pink color shoes": [ + "non slip pink color shoes", + "non slip pink shoes", + "pink color shoes", + "non slip pink walking shoes", + "non slip pink sneakers", + "non slip pink tennis shoes", + "non slip pink colored shoes", + "non slip pink shoe", + "non slip pink size shoes", + "non slip pink color shoe" + ], + "i need shoe mounts made with aluminium alloy": [ + "shoes mounts made with aluminium alloy", + "shoes mount made with aluminium alloy", + "sneakers made with aluminium alloy", + "sole mounts made with aluminium alloy", + "foot mounts made with aluminium alloy", + "shoes mount aluminium alloy", + "shoes mount with aluminium alloy", + "foot mount made with aluminium alloy", + "sole mount made with aluminium alloy", + "shoes mounts made with aluminium alloy," + ], + "i would like to buy cell phone signal booster which has high speed": [ + "cell phone signal booster high speed", + "cell phone signal booster which has high speed", + "cell phone signal booster with high speed", + "cell phone signal booster that has high speed", + "cell phone signal booster that is high speed", + "cell phone signal booster", + "cell phone signal booster, high speed", + "cell phone signal booster which is high speed", + "Cell phone signal booster high speed", + "phone signal booster high speed" + ], + "i'm looking for a three piece, wall mounted, stainless steel spice rack.": [ + "three piece, wall mounted, stainless steel spice rack", + "3 piece, wall mounted, stainless steel spice rack", + "three piece wall mounted, stainless steel spice rack", + "three piece, wall mounted stainless steel spice rack", + "two piece, wall mounted, stainless steel spice rack", + "3 piece wall mounted, stainless steel spice rack", + "3 piece, wall mounted stainless steel spice rack", + "stainless steel spice rack", + "stainless steel spice rack three piece", + "three piece stainless steel spice rack" + ], + "i want a 5 pack of amber glass fine mist spray bottles.": [ + "5 pack of amber glass fine mist spray bottles", + "a 5 pack of amber glass fine mist spray bottles", + "4 pack of amber glass fine mist spray bottles", + "5 pack of amber glass fine mist spray bottles.", + "5 pack amber glass fine mist spray bottles", + "6 pack of amber glass fine mist spray bottles", + "artificial mist spray bottles 5 pack", + "yellow fine mist spray bottles 5 pack", + "orange glass fine mist spray bottles 5 pack", + "orange glass fine mist spray bottles" + ], + "i am looking for a camera lens protector for iphone 13 made up of aluminum alloy. also choose pink color.": [ + "camera lens protector for iphone 13 made up of aluminum alloy", + " camera lens protector for iphone 13 made up of aluminum alloy", + "pink camera lens protector for iphone 13 made up of aluminum alloy", + "a camera lens protector for iphone 13 made up of aluminum alloy", + "camera lens protector for iphone 13 made up of aluminum alloy in pink", + "digital camera lens protector for iphone 13 made up of aluminum alloy", + "camera lens protector iphone 13 made up of aluminum alloy", + "12 camera lens protector for iphone 13 made up of aluminum alloy", + "pink camera lens protector iphone 13 made up of aluminum alloy", + "camera lens protector for iphone 13 made up of aluminum alloy, pink" + ], + "i am interested in buying clips for hair which are of high quality and rose gold, while the style should be the kiss": [ + "hair clips of high quality rose gold", + "hair clips for high quality rose gold", + "hair clips high quality rose gold", + "hair clips, high quality rose gold", + "hair clips of high quality and rose gold", + "hair clips that are high quality rose gold", + "hair clips in high quality rose gold", + "hair clips rose gold", + "hair clips, high quality and rose gold", + "hair clips in rose gold" + ], + "i am looking for hand lotion cruelty free in lemongrass & ginger": [ + "hand lotion cruelty free lemongrass & ginger", + "hand lotion cruelty free lemongrass and ginger", + "hand lotion cruelty free lemongrass", + "hand lotion cruelty free lmongrass & ginger", + "hand lotion cruelty free lemongrass, ginger", + "hand lotion cruelty free in lemongrass", + "hand lotion cruelty free", + "hand lotion cruelty free under $40", + "hand lotion cruelty free gmo", + "hand lotion" + ], + "i am looking for day comport shoe in pure grey color": [ + "day comport shoe in pure grey color", + "day comport shoe in pure grey", + "day comport shoe pure grey", + "grey day comport shoe in pure grey", + " day comport shoe in pure grey color", + "day comport shoe pure grey color", + "day comport shoe, pure grey", + "day comport shoe, pure grey color", + "Day comport shoe in pure grey color", + "grey day comport shoe" + ], + "i am looking for low sugar drink mixes in paloma flavor": [ + "low sugar drink mixes in paloma flavor", + "low sugar drink mix in paloma flavor", + "low sugar drink mix paloma flavor", + "low sugar drink mix with paloma flavor", + "low sugar drink mix, paloma flavor", + "low sugar drink mixes paloma flavor", + "paleoma flavor drink mix", + "low sugar drink mix", + "paleoma drink mix", + "low sugar drink mixes" + ], + "i need a bloody mary flavored cocktail mix that is low on sugar.": [ + " bloody mary flavored cocktail mix that is low on sugar", + " bloody mary flavored cocktail mix low on sugar", + "blood mary flavored cocktail mix that is low on sugar", + "blood mary flavored cocktail mix low on sugar", + " bloody mary flavored cocktail mix low on sugar.", + "faux mary flavored cocktail mix low on sugar", + " bloody mary flavored cocktail mix that is low sugar", + " bloody mary flavored cocktail mix", + " bloody mary flavored cocktail mix low sugar", + "mary flavored cocktail mix low on sugar" + ], + "i am looking for black color machine wash d shirt": [ + "black color machine wash d shirt", + "black machine wash d shirt", + "black white machine wash d shirt", + "machine wash d shirt black", + "white machine wash d shirt", + "black industrial wash d shirt", + "black woman wash d shirt", + "black mens wash d shirt", + "black men wash d shirt", + "black" + ], + "i am looking for plant based 2.3 ounce": [ + "plant based 2.3 ounce", + "plant based 2.3 ounce drink mix", + "plant based 2.3 ounce less then $40", + "plant based 2.3 ounce under $40", + "plant based 2.3 ounce under $50", + "plant based 2.3 ounce water bottle", + "plant based 2.3 ounce bottle of wine", + "plant based 2.3 ounce under $60", + "plant based 2.3 ounce less then $60", + "plant based 2.3 ounce bottle" + ], + "i am looking for easy to install home decor products in blackout color": [ + "home decor products in blackout color", + "living room decor products in blackout color", + "easy to install home decor products", + "white home decor products in blackout color", + "easy to install home decor products in blackout", + "white home decor products", + "black home decor products in blackout color", + "easy to install home decor products black", + "black home decor products", + "living room color" + ], + "i want to buy shades which are easy to install and have a color of cordless bottom up-blackout-white and with a size of 23\"w x 66\"h": [ + "curtless bottom up-blackout-white shades 23w x 66h", + "colored cordless bottom up-blackout-white shades 23w x 66h", + "cordless bottom up-blackout-white shades 23w x 66h", + "colored cordless top up-blackout-white shades 23w x 66h", + "curtless top up-blackout-white shades 23w x 66h", + "easy to install cordless bottom up-blackout-white shades", + "almond shades 23w x 66h", + "curtless bottom up-blackout-white shades", + "colored cordless bottom up-blackout-white shades", + "5 color cordless bottom up-blackout-white shades" + ], + "i am looking for a white item 40\"w x 48\"h size of home d\u00e9cor products": [ + "white item 40w x 48h", + "white home d\u00e9cor products 40w x 48h", + "40w x 48h white home d\u00e9cor products", + "home d\u00e9cor products 40w x 48h", + "home d\u00e9cor products 40w x 48h white", + "white kitchen d\u00e9cor products 40w x 48h", + "white house d\u00e9cor products 40w x 48h", + "white item 40w x 48h size", + "white area 40w x 48h", + "white home d\u00e9cor products" + ], + "i am looking for an easy to install blackout blinds for my kitchen. make sure it is white and has a cordless bottom up feature.": [ + "white blackout blinds", + "easy to install white blackout blinds", + "white blackout blinds for kitchen", + "white blackout blinds for the kitchen", + "easy to install blackout blinds", + "living room blackout blinds white", + "white blackout blinds for living room", + "white blackout blinds for a kitchen", + "white blackout blinds for my kitchen", + "white blackout blinds for dining room" + ], + "i'm looking for cordless bottom up-blackout-white window blinds that are easy to install and are 55\"w x 56\"h.": [ + "curtless bottom up-blackout-white window blinds", + "curtless bottom up-blackout-white window blinds 55w x 56h", + "cordless bottom up-blackout-white window blinds", + "curtless bottom up-blackout-white window blinds, 55w x 56h", + "cordless bottom up-blackout-white window blinds 55w x 56h", + "cordless bottom up-blackout-white window blinds, 55w x 56h", + "curtless bottom up-blackout-white window blinds that are easy to install", + "curtless bottom up-blackout white window blinds", + "window blinds 55w x 56h", + "alarm blinds 55w x 56h" + ], + "i want to find white blackout shades that are 66 inches in width and 66 inches in height. they need to be easy to install.": [ + "white blackout shades 65 inches in width and 66 inches in height", + "white blackout shades 66 inches x 66 inches", + "white blackout shades 66 inches in width", + "white blackout shades 66 inches wide and 66 inches in height", + "white blackout shades 66 inches in width and 66 inches height", + "white blackout shades that are 66 inches in width and 66 inches", + "white blackout shades that are 66 inches in width", + "white blackout shades 66 inches in width and 66 inches", + "white blackout shades with 66 inches in width and 66 inches height", + "white blackout shades 66 inches in width and 66 inches tall" + ], + "i am looking for a male to male style gold plated high speed hdmi cable. also, choose 10 feet length.": [ + "male to male style gold plated high speed hdmi cable", + "man to male style gold plated high speed hdmi cable", + "Male to male style gold plated high speed hdmi cable", + "manual to male style gold plated high speed hdmi cable", + "a male to male style gold plated high speed hdmi cable", + "womens gold plated high speed hdmi cable", + "gold plated high speed hdmi cable", + "gold plated high speed hdmi cable 10 feet length", + "male to male style gold plated hdmi cable", + "gmo cable male to male" + ], + "i am interested in buying gaming controllers which are non slip and can be carried by case": [ + "non slip gaming controllers", + "gaming controllers that are non slip", + "gaming controllers non slip", + "non slip gaming controllers for gaming", + "non slip gaming controllers under $50", + "non slip gaming controllers under $60", + "non slip gaming controllers under $40", + "gaming controllers non slip and carry case", + "non slip gaming controllers case", + "non slip gaming controllers under $120" + ], + "i need bar stool and table set": [ + "bar stool and table set", + "bar stool and table set for bar stool", + "bar stool and table set under $50", + "bar stool and table set under $40", + "bar stool and table set under $60", + "bar stool and table set for dining", + "bar stool and table set under $130", + "bar stool, table set", + "bar stool table set", + "bar stool and table" + ], + "i'm looking for a women's v-neck tunic with a relaxed fit in the size of large.": [ + "womens v-neck tunic", + "womens v-neck tunic large", + "womens v-neck tunic with relaxed fit", + "womens v-neck tunic in a large", + "womens v-neck tunic size of large", + "womens v-neck tunic, relaxed fit", + "womens v-neck tunic that is large", + "womens v-neck tunic, large", + "womens v-neck tunic small", + "womens v neck tunic" + ], + "i want a 15 pack of volume and nourish conditioner for damaged hair.": [ + "15 pack of volume and nourish conditioner for damaged hair", + "15 pack of volume and nourish conditioner for damaged hair.", + "size 15 pack of volume and nourish conditioner for damaged hair", + "15 pack of volume and nourish conditioner for damaged hair,", + "size 15 pack of volume and nourish conditioner for damaged hair.", + "15 pack of volume nourish conditioner for damaged hair", + "15 pack of volume and nourish conditioner for damaged air", + "16 pack of volume and nourish conditioner for damaged hair", + "15 pack of volume and nourish conditioner for damaged hair ", + "15 pack of volume and nourish conditioner" + ], + "i am looking for brittle color organic chocolate": [ + "brittle color organic chocolate", + "brittle color organic chocolate under $40", + "brittle color organic chocolate under $50", + "brittle colored organic chocolate", + "brittle color organic chocolate under $60", + "brittle color organic chocolate below $40", + "brittle color organic chocolate under 50 dollars", + "brittle color organic chocolate below $50", + "stainless color organic chocolate", + "brittle colororganic chocolate" + ], + "i want a non gmo soy free certified organic gift pack of candy and chocolate bar of holiday variety pack size :3 ounce": [ + "non gmo soy free certified organic gift pack size :3 ounce", + "non gmo soy free certified organic gift pack", + "non gmo soy free organic gift pack of candy and chocolate bar", + "non gmo soy free certified organic gift pack size 3 ounce", + "non gmo soy free certified organic gift pack pack size 3 ounce", + "non gmo soy free certified organic gift pack pack", + "non gmo soy free certified organic gift pack that is 3 ounce", + "non gmo soy free", + "non gmo soy free organic gift pack", + "non gmo soy free chocolate bar" + ], + "i'm looking for brown color upholstered faux leather footrest stool for living room, its size should be 100x42x45cm": [ + "footrest stool brown 100x42x45cm", + "footrest stool brown 100x42x45", + "brown color upholstered faux leather footrest stool", + "brown upholstered faux leather footrest stool", + "footrest stool 100x42x45cm", + "walking stool brown 100x42x45cm", + "cupboard brown 100x42x45cm", + "yellow upholstered faux leather footrest stool", + "footrest stool 100x42x45cm brown", + "stainless faux leather footrest stool" + ], + "i need a amplifier with stereo sound": [ + "alarm with stereo sound", + " amplifier with stereo sound", + "sound amplifier with stereo sound", + "aural amplifier with stereo sound", + "im amplifier with stereo sound", + "a amplifier with stereo sound", + "amplified stereo sound", + "amplified stereo sound amplifier", + "aural sound amplifier", + "aural sound amplifier with stereo" + ], + "i am interested in sandals which have arch support are in tan color and have a size of 11": [ + "sandals 11 in tan color", + "sneakers 11 in tan color", + "sandals with arch support 11", + "sandals in tan color", + "sandals in tan color 11", + "sneakers in tan color", + "sneakers in tan color 11", + "sandals with arch support size 11", + "sneakers with arch support 11", + "sandals that have arch support 11" + ], + "i would like to buy mixed nuts which are non gmo, and have a roasted crunchy mix flavor while the size should be 2 pound.": [ + "mixed nuts 2 pound", + "roasted crunchy mix nuts 2 pound", + "non gmo nuts 2 pound", + "mixed nuts 2 pound less then 50 dollars", + "mixed nuts 2 pound less then $40", + "roasted nuts 2 pound", + "mixed nuts 2 pound flavor", + "mixed nuts, roasted crunchy mix flavor", + "mixed nuts 2 pound less then $60", + "mixed nuts roasted crunchy mix flavor" + ], + "i want a super soft jay franco disney minnie mouse twin bed set.": [ + "super soft jay franco disney minnie mouse twin bed set", + "super soft jay franco disney minnie mouse twin bed set.", + "super soft jay franco disney minnie mouse twin bed set,", + "super soft jay franco disney minnie mouse twin bedset", + "super soft jay franco disney minnie mouse twin bed", + "super soft jay franco disney minnie mouse twin bed set under $50", + "super soft jay franco disney minnie mouse twin bed set under 50 dollars", + "super soft jay franco disney minnie mouse twin bed set under $40", + "super soft jay franco disney minnie mouse twin bed set under $60", + "supersoft jay franco disney minnie mouse twin bed set" + ], + "i need a vanity light with clear glass": [ + "vanity light with clear glass", + "vanity light", + "pink vanity light with clear glass", + "vanity light, clear glass", + "k vanity light with clear glass", + "veterate light with clear glass", + "vity light with clear glass", + "vinyl light with clear glass", + " vanity light with clear glass", + "pink vanity light" + ], + "i'm looking for an easy to install pink chair for the living room that offers lumbar support and is height adjustable.": [ + "pink chair for the living room that offers lumbar support", + "easy to install pink chair for the living room that offers lumbar support", + "pink chair for living room that offers lumbar support", + "pink chair for the living room that is lumbar support", + "pink chair for the living room that offers lumbar support height adjustable", + "easy to install pink chair for the living room", + "pink chair for the living room", + "pink chair for living room that is lumbar support", + "pink chair for living room", + "living room pink chair" + ], + "i need 0.5m long fast charging hdmi male charger cord splitter adapter": [ + "1.5m long fast charging hdmi male charger cord splitter adapter", + "0.5m long fast charging hdmi male charger cord splitter adapter", + "1.5m long fast charging hdmi male charger cord splitter", + "8.5m long fast charging hdmi male charger cord splitter adapter", + "0.5m long fast charging hdmi male charger cord splitter", + "3.5m long fast charging hdmi male charger cord splitter adapter", + "28.5m long fast charging hdmi male charger cord splitter adapter", + "1.5m long fast charging hdmi charger cord splitter adapter", + "hdmi male charger cord splitter adapter", + "1.5m long fast charging hdmi men charger cord splitter adapter" + ], + "i am looking for quick release underwater photography": [ + "quick release underwater photography", + "quick release underwater photography under $40", + "quick release underwater photography under $50", + "temporary release underwater photography", + "quick release underwater photography under $60", + "quick release underwater photography under 30 dollars", + "short release underwater photography", + "Quick release underwater photography", + "quick release underwater photography under $120", + "quick release underwater photography under 60 dollars" + ], + "i'm looking for a high quality salon and spa desk chair with adjustable rolling swivel stool chair for a beauty salon. also choose pulley styled black colored one.": [ + "beauty salon desk chair with adjustable rolling swivel stool chair", + "beauty salon and spa desk chair, pulley styled black", + "beauty salon and spa desk chair", + "beauty salon and spa desk chair that is high quality", + "beauty salon and spa desk chair with adjustable rolling swivel", + " salon and spa desk chair with adjustable rolling swivel stool chair", + "beauty salon and spa desk chair in pulley styled black", + "beauty salon with adjustable rolling swivel stool chair", + "beauty salon and spa desk chair that is high quality black", + "beauty salon desk chair" + ], + "i am looking for argan oil": [ + "argan oil", + "argan oil", + "argan oil under $40", + "argan oil argan oil", + "argan oil under $60", + "argan oil under $50", + "artificial oil", + "argan oil under $40", + "argan oil below $40", + "an oil argan oil" + ], + "i am looking a anti aging eyes gels for removing dark circles under eyes": [ + "anti aging eyes gels", + "anti aging eyes gels under eyes", + "anti aging eyes gels dark circles under eyes", + "anti aging eyes gels, dark circles under eyes", + "anti aging eyes gels with dark circles under eyes", + "anti aging eyes gels dark circles under eyes", + "anti aging eyes gels for removing dark circles", + "anti aging eyes gels under $40", + "anti aging eyes gels under $50", + "anti aging eyes gels, removing dark circles" + ], + "i am looking for pink color short sleeve t shirts": [ + "pink color short sleeve t-shirt", + "pink short sleeve t-shirt", + "pink color short sleeve t shirts", + "pink color t-shirt", + "pink color short sleeve t-shirts", + "pink colored short sleeve t-shirt", + "pink t-shirt short sleeve", + "pink color long sleeve t-shirt", + "pink shirt short sleeve t-shirt", + "pink long sleeve t-shirt" + ], + "find high quality toothpaste": [ + "toothpaste high quality", + "teethpaste high quality", + "high quality toothpaste", + "toothpaste that is high quality", + "teethpaste that is high quality", + "tothpaste high quality", + "high quality toothpaste under $40", + "high quality toothpaste under $60", + "high quality toothpaste under $50", + "treat toothpaste high quality" + ], + "i am looking for a chocolate covered dates for perfect gift. also choose assorted container one.": [ + "chocolate covered dates for perfect gift", + "chocolate covered dates for perfect gift. also choose assorted container", + "chocolate covered dates for perfect gift.", + "chocolate covered dates", + "chocolate covered dates for perfect gift under 50 dollars", + "chocolate covered dates for perfect gift under 120 dollars", + "chocolate covered dates perfect gift", + "chocolate covered dates for perfect gift under 30 dollars", + "chocolate covered dates for perfect gift under $50", + "chocolate covered dates perfect gift. also choose assorted container" + ], + "i want a medium sized t-shirt with long sleeves": [ + "medium t-shirt long sleeves", + "medium t-shirt with long sleeves", + "medium t-shirt long sleeves under $40", + "medium t-shirt long sleeves under $50", + "medium t-shirt long sleeves below $50", + "medium t-shirt long sleeves under 50 dollars", + "medium t-shirt long sleeves below $40", + "medium sized t-shirt long sleeves", + "medium t-shirt long sleeves under $60", + "medium t-shirt long sleeves under 40 dollars" + ], + "i need a high quality hair extension": [ + "high quality hair extension", + "hair extension that is high quality", + "hair extension high quality", + "high quality hair extension under $40", + "high quality hair extension under $50", + "high quality hair extension under $60", + "high quality hair extension under 30 dollars", + "low quality hair extension", + "hair extension", + "style hair extension" + ], + "i am looking for dark denim color ethylene vinyl ultra train of size 10, 3rd generation for men": [ + "dark denim color ethylene vinyl ultra train", + "dark denim color ethylene vinyl ultra train for men", + "dark denim color ethylene vinyl ultra train of size 10", + "dark denim color ethylene vinyl ultra train 3rd generation for men", + "dark denim color ethylene vinyl ultra train men", + "dark denim color ethylene vinyl ultra train of size 10 for men", + "dark denim ethylene vinyl ultra train", + "dark denim ethylene vinyl ultra train of size 10", + "colored ethylene vinyl ultra train", + "dark denim" + ], + "i want a black folding chair with a steel frame": [ + "black folding chair with a steel frame", + "black folding chair with steel frame", + "black folding chair", + "black folding chair with a steel frame,", + "black folding chair, steel frame", + "black folding chair that is steel frame", + "white folding chair with a steel frame", + "a black folding chair with a steel frame", + "black folding chair steel frame", + "living room chair with steel frame" + ], + "i'm looking for a fruit snacks that is in freeze dried form of a real fruit.": [ + "fruit snacks freeze dried", + "fruit snacks freeze dried form a real fruit", + "frozen dried fruit snacks", + "freeze dried fruit snacks", + "pomegranate snacks freeze dried", + "fruit snacks freeze dried form a real fruit.", + "frozen dried fruit snacks that are real fruit", + "variety fruit snacks freeze dried", + "freeze dried fruit snacks under $40", + "fruit snacks freeze dried form a real fruit flavor" + ], + "find a tablet with a core i5 processor": [ + "tablet with a core i5 processor", + "i5 tablet with a core i5 processor", + "tablet i5 processor", + "tablet with i5 processor", + "desktop tablet with a core i5 processor", + "tablet with core i5 processor", + "desktop with a core i5 processor", + "a tablet with a core i5 processor", + "tablet i5 processor under $130", + "tablet with a core i5 processor," + ], + "i am looking for poly-cotton in digital blue": [ + "poly-cotton in digital blue", + "pink poly-cotton in digital blue", + "poly-cotton digital blue", + " poly-cotton in digital blue", + "poly-cotton in digital blue under $40", + "pul-cotton in digital blue", + "Poly-cotton in digital blue", + "poly-cotton in digital blue under $50", + "poly-cotton color digital blue", + "poly-cotton" + ], + "i am looking for blackout brown color roller shades": [ + " blackout brown roller shades", + "black blackout brown roller shades", + " blackout brown color roller shades", + "black blackout brown color roller shades", + "blanket brown roller shades", + "strawberry brown roller shades", + "clinically brown roller shades", + "rainbow brown roller shades", + " blackout brown roller shades under $40", + " blackout brown roller shades under $50" + ], + "i'm looking for make a decor products for living room. the color blackout light grey.": [ + "decor products for living room color blackout light grey", + "decor products for living room the color blackout light grey", + "living room decor products in the color blackout light grey", + "vinyl products for living room color blackout light grey", + "wooden decor products for living room color blackout light grey", + "color blackout light grey decor products for living room", + "living room decor products color blackout light grey", + "color blackout light grey decor products", + "decor products for living room color blackout light grey.", + "decor products for living room color blackout light grey," + ], + "i would like a 20 wide by 72 tall blackout beige roller shade for the living room.": [ + "20 wide by 72 tall blackout beige roller shade for the living room", + "20 wide by 72 tall blackout beige roller shade", + "20 wide by 72 tall blackout beige roller shade for living room", + "20 wide by 72 tall blackout beige roller shade living room", + "20 wide by 72 tall blackout beige roller shade in the living room", + "20 wide by 72 tall blackout beige roller shade for living room.", + "20 wide by 72 tall blackout beige roller shade for a living room", + " 20 wide by 72 tall blackout beige roller shade for the living room", + "20 wide by 72 tall blackout beige roller shade in a living room", + "20 wide by 72 tall blackout beige roller shade, living room" + ], + "i want to find blackout baby blue window shades for my living room that are 23 inches in width and 64 inches in height.": [ + "baby blue window shades 23 inches in width and 64 inches in height", + "black blackout baby blue window shades", + "black blackout baby blue window shades for my living room", + "blanket baby blue window shades for my living room", + " blackout baby blue window shades for my living room", + "blanket baby blue window shades", + " blackout baby blue window shades", + "baby blue window shades 23 inches in width and 64 inches in height.", + "24 blackout baby blue window shades", + "baby blue window shades" + ], + "i want blackout brown roller shades for my living room.": [ + " blackout brown roller shades for my living room.", + " blackout brown roller shades for my living room", + "black blackout brown roller shades for living room", + "black blackout brown roller shades for my living room", + " blackout brown roller shades for living room", + "black blackout brown roller shades for the living room", + " blackout brown roller shades for living room.", + "black blackout brown roller shades living room", + "black blackout brown roller shades for living room.", + " blackout brown roller shades for the living room" + ], + "i am looking for crazy monkey baking with low sodium and natural ingredients of size 7.5 ounce": [ + "crazy monkey baking low sodium natural ingredients 7.5 ounce", + "crazy monkey baking low sodium natural ingredients size 7.5 ounce", + "crazy monkey baking low sodium and natural ingredients 7.5 ounce", + "crazy monkey baking with low sodium and natural ingredients", + "crazy monkey baking low sodium natural ingredients", + "crazy monkey baking low sodium and natural ingredients", + "crazy monkey baking with low sodium natural ingredients", + "crazy monkey baking low sodium natural", + "crazy monkey baking", + "crazy monkey baking under $40" + ], + "i am looking for high performance refurbished hp laserjet m3035xs m3035 cc477a laser printer": [ + "m3035xs m3035 cc477a laser printer", + "m3035xs m3035 cc477a laser printer high performance", + "high performance refurbished hp laserjet m3035xs with a laser printer", + "m3035xs m3035 cc477a laser printer, high performance", + "high performance refurbished hp laserjet m3035xs", + "m3035xs m3035 cc477a laser printer under $40", + "m3035xs m3035 cc477a laser printer under $60", + "m3035xs m3035 cc477a laser printer under $50", + "m3035xs laser printer with high performance", + "m3035xs laser printer" + ], + "i'm looking for a high speed digital camera with optical zoom lens and should include batteries.": [ + "high speed digital camera with optical zoom lens", + "high speed digital camera with optical zoom lens with batteries", + "high speed digital camera with optical zoom lens and should include batteries", + "high speed digital camera with optical zoom lens that should include batteries", + "high speed digital camera with optical zoom lens, with batteries", + "high speed digital camera with an optical zoom lens with batteries", + "high speed digital camera with optical zoom lens no batteries", + "high speed digital camera with an optical zoom lens", + "high speed digital camera with optical zoom lens that is rechargeable", + "high speed digital camera with optical zoom lens that is low cost" + ], + "i am looking for a ballet flat with rubber sole for comfortable fit. also choose silver white color and 6.5 in size.": [ + "a ballet flat silver white", + "ballet flat silver white", + "musical flat silver", + "a ballet flat with rubber sole", + "dancing flat silver white", + "musical flat silver white", + "ballet flat silver", + "buffet flat silver white", + "dancing flat silver", + "buffet flat silver" + ], + "i'm looking for strawberry lemonade that is free of caffeine and sugar.": [ + "strawberry lemonade no caffeine and sugar", + "strawberry lemonade with caffeine and sugar", + "strawberry lemonade", + "pink lemonade free of caffeine and sugar", + "strawberry lemonade no sugar", + "pomegranate lemonade", + "strawberry lemonade no caffeine", + "pomegranate lemonade no sugar", + "pink lemonade", + " strawberry lemonade" + ], + "pink lemonade flavored juice drink mix, please. it needs to be sugar-free and caffeine-free.": [ + "pink lemonade flavored juice drink mix, sugar-free and caffeine-free", + "pink lemonade flavored juice drink mix", + "pink lemonade flavored juice drink mix sugar-free and caffeine-free", + "pink lemonade flavored juice drink mix with sugar-free and caffeine-free", + "pink lemonade flavored juice drink mix, sugar-free, caffeine-free", + "pink lemonade flavored juice drink mix, sugar-free and caffeine free", + "pink lemonade flavored juice drink mix that is sugar-free and caffeine free", + "pink lemonade flavored juice drink mix that is sugar-free", + "pink lemonade flavored juice drink mix, sugar-free", + "pink lemonade flavored juice drink mix no sugar" + ], + "i want a mini desktop with intel core i5 4200u": [ + "mini desktop with intel core i5 4200u", + " mini desktop with intel core i5 4200u", + "desktop mini desktop with intel core i5 4200u", + "mini desktop i5 4200u", + "tablet desktop with intel core i5 4200u", + "mini desktop intel core i5 4200u", + "desktop mini desktop i5 4200u", + " mini desktop i5 4200u", + "tablet desktop i5 4200u", + "mini desktop with intel core i5 4200u mini" + ], + "i need a table lamp with bronze finish for my living room": [ + "table lamp with bronze finish", + "table lamp with bronze finish for living room", + "table lamp with bronze finish living room", + "table lamp with bronze finish for dining room", + "table lamp bronze finish for living room", + "table lamp bronze finish living room", + "table lamp with bronze finish dining room", + "table lamp with bronze finish, living room", + "table lamp bronze finish", + "table lamp" + ], + "i want a slim fit jeans": [ + "slim fit jeans", + "slim fit jeans slim fit", + " slim fit jeans", + "slim fit jeans, slim fit", + "slim fit jeans under $40", + "slim fit jeans under $50", + "slim fit jeans under 50 dollars", + "slim fit jeans below $50", + "slim fit jeans slim fit jeans", + "slim fit jeans below $40" + ], + "i am interested in buying area rugs which are suitable for living room, have chocolate color, and the site of 2.6 ft. x 10ft.": [ + "area rugs 2.6 ft. x 10ft", + "area rug 2.6 ft. x 10ft", + "area rug 2.6 ft x 10ft", + "area rugs 2.6 ft x 10ft", + "2.6 ft. x 10ft rug", + "2.6 ft. x 10ft area rug", + "2.6 ft x 10ft area rug", + "2.6 ft x 10ft rug", + "2.6 ft. x 10ft area rugs", + "area rugs suitable for living room with chocolate color" + ], + "i need a chocolate covered runner rug for the living room that is 9 by 12 ft": [ + "chocolate covered runner rug living room that is 9 by 12 ft", + "chocolate covered runner rug living room 9 by 12 ft", + "chocolate covered runner rug for the living room 9 by 12 ft", + "chocolate covered runner rug for living room 9 by 12 ft", + "chocolate covered runner rug for the living room", + "chocolate covered runner rug for living room", + "chocolate covered runner rug that is 9 by 12 ft", + "chocolate covered runner rug, 9 by 12 ft", + "chocolate covered runner rug 9 by 12 ft", + "chocolate covered runner rug" + ], + "i am looking for dining room in grey adjustable swivel barstools-2": [ + "grey adjustable swivel barstools-2", + "grey adjustable swivel barstools", + "grey adjustable swivel barstools-2 dining room", + "dining room in grey adjustable swivel barstools", + "living room grey adjustable swivel barstools-2", + "grey adjustable swivel barstools dining room", + "dining room grey adjustable swivel barstools", + "grey adjustable swivel barstools, 2", + "grey adjustable swivel barstools 2", + "living room in grey adjustable swivel barstools" + ], + "i want a neon pink tank top suitable for machine wash": [ + "nude pink tank top suitable for machine wash", + "natierra pink tank top suitable for machine wash", + "pink tank top suitable for machine wash", + "neen pink tank top suitable for machine wash", + "nude pink tank top for machine wash", + " neon pink tank top suitable for machine wash", + "natierra pink tank top for machine wash", + "neon pink tank top suitable for machine wash", + "natierra pink tank top", + "nude pink tank top" + ], + "i need a shirt with regular fit": [ + "shirt with regular fit", + "t-shirt with regular fit", + "shoes with regular fit", + "t-shirt regular fit", + "shirt regular fit", + "shoes regular fit", + "a shirt with regular fit", + "pink shirt with regular fit", + "regular fit shirt", + "regular fit shirt under $40" + ], + "i would like bottle of pink sprinkles for a birthday cake.": [ + "pink sprinkles birthday cake", + "pink sprinkles for birthday cake", + "pie sprinkles for a birthday cake", + "pink sprinkles baby shower cake", + "pink sprinkles baby shower", + "pink sprinkles birthday cake.", + "sprinkles for a birthday cake", + "pink birthday sprinkles", + "pink sprinkles", + "cupcake pink" + ], + "i would like a wirefree pink amethyst 36c bra that is machine washable.": [ + "wirefree pink amethyst 36c bra", + "wirefree pink amethyst 36c bra machine washable", + "wirefree pink amethyst 36c bra under $50", + "wirefree pink amethyst 36c bra under $40", + "wirefree pink amethyst 36c bra under $60", + "wirefree pink amethyst 36c bra under 50 dollars", + "wirefree pink amethyst 36c bra under 30 dollars", + "wire free pink amethyst 36c bra", + "wirefree amethyst 36c bra", + "wirefree pink amethyst 36" + ], + "i am interested in buying a back smoothing bra which is machine washable in size 38c.": [ + "back smoothing bra in size 38c", + "back smoothing bra, machine washable 38c", + "back smoothing bra, machine washable, 38c", + "back smoothing bra in a size 38c", + "back smoothing bra machine washable in size 38c", + "back smoothing bra", + "back smoothing bra in a 38c", + "back smoothing bra machine washable 38c", + "machine washable bra 38c", + "back smoothing bra that is machine washable 38c" + ], + "i need heavy duty beauty salon reclining hair chair": [ + "beauty salon reclining hair chair", + "beauty salon reclining hair chair heavy duty", + "heavy duty beauty salon reclining hair chair", + "beauty salon reclining hair chair, heavy duty", + "beauty salon reclining hair chair under $50", + "beauty salon reclining hair chair under $40", + "beauty salon reclining hair chair under $60", + "beauty salon reclining hair chair under 50 dollars", + "low duty beauty salon reclining hair chair", + "large duty beauty salon reclining hair chair" + ], + "i'm looking for sugar free premium assorted chocolate bar with crunchy almonds (1.76 oz)": [ + "sugar free premium assorted chocolate bar with crunchy almonds", + "sugar free premium assorted chocolate bar with crunchy almonds, 1.76 oz", + "sugar free premium assorted chocolate bar with crunchy almonds 1.76 oz", + "sugar free premium assorted chocolate bar crunchy almonds (1.76 oz)", + "sugar free premium assorted chocolate bar", + "sugar free premium assorted chocolate bar, crunchy almonds, 1.76 oz", + "sugar free premium chocolate bar with crunchy almonds (1.76 oz)", + "sugar free premium assorted chocolate bar with crunchy almonds under $40", + "sugar free premium assorted chocolate bar crunchy almonds", + "sugar free premium assorted chocolate bar, crunchy almonds" + ], + "i am looking for keto friendly chocolate bar containing crunchy almonds of 1.76 oz.": [ + "keto friendly chocolate bar containing crunchy almonds of 1.76 oz", + "keto friendly chocolate bar with crunchy almonds of 1.76 oz", + "keto friendly chocolate bar containing crunchy almonds 1.76 oz", + "keto friendly chocolate bar containing crunchy almonds", + "keto friendly chocolate bar containing crunchy almonds of 1.76 oz", + "keto friendly chocolate bar containing crunchy almonds, 1.76 oz", + " keto friendly chocolate bar containing crunchy almonds of 1.76 oz", + "keto friendly chocolate bar, crunchy almonds of 1.76 oz", + "keto friendly chocolate bar with crunchy almonds 1.76 oz", + "keto friendly chocolate bar with crunchy almonds" + ], + "i'm looking for a brown button down shirt with long sleeves.": [ + "brown button down shirt long sleeves", + "brown button down shirt with long sleeves", + "brown button down shirt long sleeves under $40", + "brown button down shirt long sleeves under 50 dollars", + "brown button down shirt long sleeves below $40", + "brown button down shirt long sleeves under $50", + "brown button down shirt long sleeves below $50", + "brown button down shirt long sleeves under 40 dollars", + "brown button down shirt long sleeves under $60", + "brown button down shirt with long sleeves." + ], + "i am looking for bpa free lavender lip care kit": [ + "bpa free lavender lip care kit", + "bbpa free lavender lip care kit", + "brushed lavender lip care kit", + " bpa free lavender lip care kit", + "bathroom lip care kit bpa free", + "bpa free lip care kit", + "brushed lip care kit bpa free", + "lip care kit bpa free", + "bagel lip care kit bpa free", + "pink lip care kit bpa free" + ], + "i want grey dearfoams memory foam clogs.": [ + "grey dearfoams memory foam clogs", + "grey dearfoams memory foam clogs.", + "grey dearfoams memory foam clogs under $40", + "grey dearfoams memory foam clogs under $50", + "grey dearfoams memory foam clogs under $60", + "grey dearfoams memory foam clogs under 50 dollars", + "grey dearfoams memory foam clogs,", + "grey dearfoams memory foam clogs under 30 dollars", + "grey dearfoam memory foam clogs", + "grey oldfoams memory foam clogs" + ], + "i want pink cupcake toppers for my baby shower": [ + "pink cupcake toppers for baby shower", + "pink cupcake toppers for a baby shower", + "pink cupcake toppers baby shower", + "pink cupcake toppers for my baby shower", + "pink baby shower cupcake toppers", + "pink cupcake toppers for an baby shower", + "pink cupcake toppers, baby shower", + "pink cupcake toppers forbaby shower", + "pink cupcake toppers", + "pink cupcake toppers to baby shower" + ], + "i am looking for long lasting cool water candles": [ + "long lasting cool water candles", + "tempered cool water candles", + "lens candles long lasting", + "low lasting cool water candles", + "long lasting cool water candles,", + "cool water candles long lasting", + "water candles long lasting", + "long lasting water candles", + "cool water candles", + "warm water candles" + ], + "i want a black colored eco friendly curtain for my living room": [ + "black colored eco friendly curtain for my living room", + "black colored eco friendly curtain for living room", + "black colored eco friendly curtain for the living room", + "eco friendly curtain for my living room", + "eco friendly curtain for living room", + "black colored eco friendly curtain for a living room", + "white eco friendly curtain for living room", + "black colored eco friendly curtain", + "black colored eco friendly curtain living room", + "living room black colored eco friendly curtain" + ], + "i need a 13 oz package of wax for hair removal": [ + "13 oz package of wax for hair removal", + "13 oz package of wax hair removal", + " 13 oz package of wax for hair removal", + "12 oz package of wax for hair removal", + "13 oz package of wax", + "13 oz wax for hair removal", + "pack of wax for hair removal 13 oz", + "13oz package of wax for hair removal", + "wax for hair removal 13 oz", + "womens wax 13 oz" + ], + "i need a 13 ounce lavender cr\u00e8me hair removal wax by gigi.": [ + "13 ounce lavender cr\u00e8me hair removal wax by gigi", + "12 ounce lavender cr\u00e8me hair removal wax by gigi", + " 13 ounce lavender cr\u00e8me hair removal wax by gigi", + "pink lavender cr\u00e8me hair removal wax by gigi", + "13 ounce lavender cr\u00e8me hair removal wax", + "l lavender cr\u00e8me hair removal wax by gigi", + "pale lavender cr\u00e8me hair removal wax by gigi", + "12 ounce lavender cr\u00e8me hair removal wax", + "bathroom wax by gigi 13 ounce", + "a 13 ounce lavender cr\u00e8me hair removal wax" + ], + "i am looking for 3 pack easy clean natural skin massager for face": [ + "3 pack easy clean natural skin massager", + "easy clean natural skin massager for face", + "natural skin massager for face", + "3 pack natural skin massager for face", + "natural skin massager for face 3 pack", + "natural skin massager 3 pack", + "3 pack of easy clean natural skin massager", + "easy clean natural skin massager", + "3 pack natural skin massager", + "natural skin massager" + ], + "i am looking for a makeup pouch with high quality. also choose wine red color.": [ + "pink makeup pouch high quality wine red", + "beauty pouch wine red", + "pink makeup pouch wine red", + "pink makeup pouch with high quality", + " makeup pouch wine red", + "pink makeup pouch that is high quality", + " makeup pouch with high quality wine red", + "pink makeup pouch in wine red", + " makeup pouch with high quality wine red color", + "pink makeup pouch" + ], + "i would like a 14 ounce bag of roasted almonds and other nuts that are gluten free.": [ + "14 ounce bag of roasted almonds and other nuts", + "roasted almonds and other nuts that are gluten free", + "roasted almonds and other nuts gluten free 14 ounce bag", + "14 ounce bag of roasted almonds and other nuts gluten free", + "14 ounce bag of roasted almonds gluten free", + "12 ounce bag of roasted almonds and other nuts", + "14 ounce bag of roasted almonds", + "roasted almonds gluten free 14 ounce bag", + "roasted almonds and other nuts gluten free 14 oz", + "roasted almonds and other nuts" + ], + "i am looking for grey color rugs for dining room": [ + "grey color rugs dining room", + "grey color dining room rug", + "grey color rug dining room", + "grey color dining room rugs", + "grey rugs dining room", + "grey color rug for dining room", + "grey colored rugs dining room", + "grey rug dining room", + "grey colored dining room rugs", + "grey color dining room rug grey" + ], + "i would like a grey area rug that is for the living room": [ + "grey area rug for living room", + "grey area rug living room", + "grey area rug for the living room", + "grey area rug in the living room", + "grey area rug", + "grey area rug, for living room", + "grey area rug, living room", + "grey area rug in living room", + "grey area rug, living room,", + "grey area rug for living room," + ], + "i want a blue berry baking soda press toothpaste for bad breath.": [ + "blue berry baking soda press toothpaste for bad breath", + "blue berry baking soda press toothpaste", + "blue berry baking soda press toothpaste bad breath", + "blue berry baking soda press toothpaste for bad breath.", + "blue berry baking soda press toothpaste with bad breath", + "blue berry baking soda press toothpaste that is bad breath", + "blue berry baking soda press toothpaste under $40", + "blue berry baking soda press toothpaste under $50", + "blue berry baking soda press toothpaste under 50 dollars", + "blue berry baking soda press toothpaste for bad breath," + ], + "i am searching for long lasting refreshing, light fragrance mist for women": [ + "long lasting refreshing, light fragrance mist", + "long lasting refreshing fragrance mist for women", + "light fragrance mist for women", + "lush fragrance mist for women", + "long lasting refreshing floral mist for women", + "lotion mist for women", + "long lasting refreshing light fragrance mist", + "womens fragrance mist long lasting", + "lotion mist for women long lasting", + "womens fragrance mist" + ], + "i am looking for gluten free cookies": [ + "gluten free cookies", + "gluten free cookies under $40", + "gluten free cookies under $50", + "gluten free cookies under 50 dollars", + "gluten free cookies under $60", + "gluten free cookies gluten free", + "gluten free cookies under 40 dollars", + "gluten free cookies under 60 dollars", + "gluten free cookies under 30 dollars", + "gluten free cookies below $40" + ], + "i'm looking for a clinically proven topical solution for hair regrowth treatments which should be easy to apply and also promotes hair growth and reduces hair loss.": [ + "clinically proven topical solution for hair regrowth treatments which should be easy to apply and also promotes hair growth and reduces hair loss.", + "clinically proven topical solution for hair regrowth treatments which should be easy to apply and also promotes hair growth and reduces hair loss", + "clinically proven topical solution for hair regrowth treatments that should be easy to apply and also promotes hair growth and reduces hair loss.", + "clinically proven topical solution for hair regrowth treatments that should be easy to apply and also promotes hair growth and reduces hair loss", + "maturity proven topical solution for hair regrowth treatments which should be easy to apply and also promotes hair growth and reduces hair loss.", + "clinically proven topical solution for hair regrowth treatments", + "mathematical proven topical solution for hair regrowth treatments which should be easy to apply and also promotes hair growth and reduces hair loss.", + "clinically proven topical solution for hair regrowth treatments which should be easy to apply, also promotes hair growth and reduces hair loss.", + "clinically proven topical solution for hair regrowth treatments with hair growth and reduces hair loss", + "maturity proven topical solution for hair regrowth treatments" + ], + "i am looking for a twin size bed with easy assemble made up of steel frame. also choose black color and twin-over-twin bunk beds style.": [ + "twin bed with easy assemble made up of steel frame", + "twin bed easy assemble made up of steel frame", + " twin size bed with easy assemble made up of steel frame", + "twin bed, easy assemble made up of steel frame", + "twin size bed easy assemble made up of steel frame", + "twin size bed made up of steel frame", + "twin bed with easy assemble steel frame", + "twin bed made up of steel frame", + "twin bed", + "twin bed easy assemble" + ], + "chair with adjustable height, backrest and lumbar support.": [ + "chair with adjustable height and lumbar support", + "chair adjustable height, backrest and lumbar support", + "chair with adjustable height, lumbar support", + "chair with adjustable height with lumbar support", + "chair with adjustable height, backrest lumbar support", + "chair with adjustable height, backrest", + "chair adjustable height with lumbar support", + "chair with adjustable height and lumbar support.", + "chair with adjustable height", + "chair" + ], + "i would like to buy computer desk which has steel frame and is in black color while it's size is large": [ + "black computer desk with steel frame", + "large computer desk with steel frame", + "black computer desk which has steel frame", + "computer desk with steel frame in black", + "large computer desk which has steel frame", + "black computer desk that has steel frame", + "computer desk steel frame", + "computer desk steel frame large", + "large computer desk in black", + "black computer desk that is large" + ], + "i want individually wrapped candy & chocolate assortment for baby shower": [ + "pack of individually wrapped candy & chocolate assortment for baby shower", + " individually wrapped candy & chocolate assortment for baby shower", + "packet candy & chocolate assortment for baby shower", + "pack of candy & chocolate assortment for baby shower", + "12 individually wrapped candy & chocolate assortment for baby shower", + "packaged candy & chocolate assortment for baby shower", + "single wrapped candy & chocolate assortment for baby shower", + "packet candy and chocolate assortment for baby shower", + "bag of candy & chocolate assortment for baby shower", + "pack of individually wrapped candy & chocolate assortment forbaby shower" + ], + "i am looking for colorful stereo wireless bluetooth easy use in g2": [ + "colored stereo wireless bluetooth easy use g2", + "color wireless bluetooth easy use g2", + "g2 wireless bluetooth easy use", + "colored wireless bluetooth easy use g2", + "g2 colorful stereo wireless bluetooth easy use", + "color wireless bluetooth easy use in g2", + "g2 bluetooth wireless bluetooth easy use", + "colored stereo wireless bluetooth easy use", + "g2 colorful wireless bluetooth easy use", + "g2 bluetooth easy use" + ], + "i would like a #4 bath sponge that is non toxic and easy to keep clean.": [ + "bath sponge that is non toxic", + "bath sponge non toxic", + "bath sponge no toxic", + "bath sponge", + "bath sponge under $40", + "bath sponge #4 non toxic", + "bath sponge, non toxic", + "bath sponge natural no toxic", + "bath sponge natural non toxic", + "bath sponge clean" + ], + "i would like a rectangular coffee table made of steel.": [ + "square coffee table made of steel", + "tablet made of steel", + "rectangular coffee table made of steel", + " rectangular coffee table made of steel", + "large coffee table made of steel", + "wooden coffee table made of steel", + "small coffee table made of steel", + "angular coffee table made of steel", + "living room table made of steel", + "square coffee table made of steel." + ], + "i am looking for comfortable fit slim jeans": [ + "comfortable fit slim jeans", + " comfortable fit slim jeans", + "clothing fit slim jeans", + "slim jeans comfortable fit", + "slim jeans comfortable fit slim", + "compact fit slim jeans", + "curtains slim jeans", + "comfort fit slim jeans", + "fortable fit slim jeans", + "comfortable fit slim jeans," + ], + "i want to buy a pair of machine washable jeans with a 33 inch waist and a 30 inch length. they should come in a \"granite\" color.": [ + "machine washable jeans 33 inch waist and 30 inch length", + "machine washable jeans 33 inch waist and a 30 inch length", + "man washable jeans 33 inch waist and 30 inch length", + "man washable jeans 33 inch waist and a 30 inch length", + "machine washable jeans 33 inch waist in a granite color", + "machine washable jeans 33 inch waist, 30 inch length", + "machine washable jeans 33 inch waist", + "machine washable jeans 33 inch waist in granite color", + "man washable jeans 33 inch waist", + "machine washable jeans" + ], + "i want to find a pair of cowboy cut jeans with a relaxed, comfortable fit. the jeans need to be 31 inches in width and 38 inches in length.": [ + "cowboy cut jeans with a relaxed, comfortable fit", + "cowboy cut jeans with a relaxed, comfortable fit 31 inches in width and 38 inches in length", + "cowboy cut jeans that are comfortable, 31 inches in width and 38 inches in length", + "cowboy cut jeans, 31 inches in width and 38 inches in length", + "cowboy cut jeans 31 inches in width and 38 inches in length", + "cowboy cut jeans", + "cowboy cut jeans that are relaxed, comfortable fit", + "cowboy cut jeans in a relaxed, comfortable fit", + "cowboy cut jeans that are comfortable", + "cowboy cut jeans with relaxed, comfortable fit" + ], + "i want a big & tall machine washable wrangler mens cowboy jeans.": [ + "big & tall machine washable wrangler mens cowboy jeans", + "big and tall machine washable wrangler mens cowboy jeans", + "large & tall machine washable wrangler mens cowboy jeans", + "small & tall machine washable wrangler mens cowboy jeans", + "machine washable wrangler mens cowboy jeans", + "womens cowboy jeans", + "machine washable wrangler mens cowboy jeans.", + "mens cowboy jeans", + "big & tall cowboy jeans", + "womens cowboy jeans." + ], + "i am looking for a pair of long lasting men's wrangler cowboy cut jeans that are machine washable.": [ + "mens wrangler cowboy cut jeans", + "mens wrangler cowboy cut jeans machine washable", + "mens wrangler cowboy cut jeans, machine washable", + "mens wrangler cowboy cut jeans", + "mens wrangler cowboy cut jeans machine washable", + "mens wrangler cowboy cut jeans with machine washable", + "womens wrangler cowboy cut jeans", + "mens wrangler cowboy cut jeans are machine washable", + "mens wrangler cowboy cut jeans under $40", + "mens wrangler cowboy cut jeans machine washable." + ], + "i have a request for you. men's wrangler 13mwz cowboy cut original fit jean, comfortable fit. i hope you find this gift for my boyfriend who has a birthday the size is size: 38w x 29l, and the color atlanta. i look forward to your return as soon as possible.": [ + "mens wrangler 13mwz cowboy cut original fit jean, comfortable fit", + "mens wrangler 13mwz cowboy cut original fit jean", + "mens wrangler 13mwz cowboy cut original fit jean in comfortable fit", + "mens wrangler 13mwz cowboy cut original fit jean with comfortable fit", + "mens wrangler 13mwz cowboy cut original fit jean in a comfortable fit", + "mens wrangler 13mwz cowboy cut original fit jean, comfortable fit", + "mens wrangler 13mwz cowboy cut original fit jean", + "mens wrangler 13mwz cowboy cut original fit jean with a comfortable fit", + "mens wrangler 13mwz cowboy cut original fit jean comfortable fit", + "mens wrangler 13mwz cowboy cut original fit jean in comfortable fit" + ], + "i would like a 6 inch long white soy candle.": [ + "6 inch long white soy candle", + "6 inch long white soy candle.", + "6 inch long white soy candle under $60", + "6 inch long white soy candle under $50", + "6 inch long white soy candle under $40", + "6 foot long white soy candle", + "6 inch long white soy candle,", + "6 inch long white soy candle under 30 dollars", + "6 inch long white soy candle under 50 dollars", + "6 inch long white soy candle under $120" + ], + "i'm looking for a lead free colonial candle made of soy wax for living room. also choose 10 in limoncello colored one": [ + "lead free colonial candle made of soy wax", + "lead free colonial candle made of soy wax living room", + "brushed free colonial candle made of soy wax", + "lead free colonial candle made from soy wax", + "Lead free colonial candle made of soy wax", + "lead free colonial candle made of soy wax rug", + "pink free colonial candle made of soy wax", + "burgling candle made of soy wax", + "living room candle made of soy wax", + "lead free colonial candle" + ], + "i am in need of 20 pcs high quality black color crown dreadlock hair jewelry for women braid": [ + "20 pcs high quality black color crown dreadlock hair jewelry", + "20 pcs high quality black color crown dreadlock hair jewelry braid", + "20 pcs black color crown dreadlock hair jewelry for women braid", + "20 pcs high quality black color crown dreadlock hair jewelry for women", + "20 pcs black color crown dreadlock hair jewelry", + " 20 pcs high quality black color crown dreadlock hair jewelry", + "black color crown dreadlock hair jewelry for women braid 20 pcs", + "23 pcs high quality black color crown dreadlock hair jewelry", + "black color crown dreadlock hair jewelry for women braid", + "black color crown dreadlock hair jewelry" + ], + "i am looking for along lasting t-shirt for a adult with quality material which washable in machine. also choose depaul- navy color and x-large size.": [ + "t-shirt for a adult with quality material", + "teeth t-shirt for a adult with quality material", + "anti-shirt for a adult with quality material", + "t-shirt for a adult", + "adult t-shirt with quality material", + "paul- navy t-shirt", + "teeth t-shirt for a adult", + "adult t-shirt in a quality material", + "teens t-shirt in a quality material", + "paul- navy t-shirt for a adult" + ], + "i want 1 solawave renew complex serum for dark circles.": [ + "solawave renew complex serum for dark circles", + "solawave renew complex serum for dark circles.", + "1 solawave renew complex serum for dark circles", + "1 solawave renew complex serum for dark circles.", + "solawave renew complex serum for dark circles under $50", + "solawave renew complex serum for dark circles under $40", + "solawave renew complex serum for dark circles under $60", + "solawave renew complex serum dark circles", + "stainless serum for dark circles", + "solawave renew complex serum" + ], + "i am looking for birthday party cupcake toppers, decorations supplies of pattern name : gold 30": [ + "birthday party cupcake toppers gold 30", + "baby shower cupcake toppers gold 30", + "birthday party cupcake toppers gold 30 patterned", + "birthday party gold 30 patterned cupcake toppers", + "cupcake toppers gold 30", + "birthday party cupcake toppers patterned gold 30", + "baby shower gold 30 patterned cupcake toppers", + "birthday party cupcake toppers gold 30 pattern", + "bagcake toppers gold 30", + "birthday party cupcake toppers pattern gold 30" + ], + "i would like a cowlop 52 by 84 inch window panel for my living room.": [ + "window panel", + "window panel for living room", + "window panel for a living room", + "window panel for my living room", + "window panel, 52 by 84 inch", + "window panel for the living room", + "glass panel for living room", + "window panel, 52 by 84 inches", + "window panel for my living room.", + "window panel for living room." + ], + "i am looking for studio photography digital photography in grey": [ + "manual photography digital photography in grey", + "mono photography digital photography in grey", + "monet photography digital photography in grey", + "dual photography digital photography in grey", + "Studio photography digital photography in grey", + "room photography digital photography in grey", + "digital photography in grey", + "grey studio photography digital photography", + "grey studio photography digital photography in grey", + "manual photography digital photography" + ], + "i am looking for a rubber sole clog shoe with arc support. also choose 9.5 size.": [ + "rubber sole clog shoe with arc support 9.5", + "rubber sole clog shoe 9.5 size", + "rubber sole clog shoe with arc support", + "rubber sole clog shoe 9.5", + "stainless clog shoe with arc support 9.5", + "rubber sole clog shoe 9.5 in arc support", + "rober sole clog shoe with arc support 9.5", + "rubber sole clog shoe", + "stainless clog shoe 9.5 size", + "rubber sole clog shoe 9.5 size." + ], + "i am looking for gluten free mooala banana milk": [ + "gluten free mooala banana milk", + "gluten free mooala bananas milk", + "mooala banana milk gluten free", + "meluten free mooala banana milk", + "gluten free mooala milk", + "gluten free mooala", + "moala banana milk gluten free", + "gluten free banana milk", + "mooala banana milk", + "banana milk gluten free" + ], + "i want a white geak compatible with apple watch case.": [ + "white geak with apple watch case", + "white geak apple watch case", + "white geak compatible with apple watch", + "white geak for apple watch case", + "white geak, apple watch case", + "white geak for apple watch", + "white geak compatible apple watch case", + "white geak", + "white geak watch case", + "white apple watch case" + ], + "i need to get some sulfate free hair spray": [ + "sulfate free hair spray", + "sulfate free hair spray under $40", + "sulfate free hair spray under $50", + "sulfate free hair spray under $60", + "sulfate free hair spray under 50 dollars", + "sulfate free hair spray under 30 dollars", + "sulfate free hair spray under 60 dollars", + "sulfate free hair spray under 40 dollars", + "sulfate free hair spray below $40", + "sulfate free hair spray," + ], + "i'm looking for a white tv tray table that can help save me space.": [ + "white tv tray table", + "white tv tray table,", + "white tv tray table for living room", + "white tv tray table with space", + "white tv tray table with storage", + "white tv tray table in a white", + "tv tray table white", + "white tv tray table with a tv theme", + "white tv tray table for living space", + "tv tray table" + ], + "i am looking for gluten free plant based cerals": [ + "gluten free plant based cerals", + "plant based cerals gluten free", + "gluten free plant based cerals under $40", + "gluten free plant based cerals under $60", + "gluten free plant based cerals under $50", + "gluten free plant based cerals under 50 dollars", + "gluten free plant based cerals under 40 dollars", + "gluten free plant based cerals under 30 dollars", + "gluten free plant based cerals below $40", + "gluten-free plant based cerals" + ], + "i'm looking for freeze dried gluten free sliced strawberries and fresh vegetables": [ + "freeze dried gluten free sliced strawberries and fresh vegetables", + "freeze dried strawberries and fresh vegetables", + "freeze dried gluten free strawberries and fresh vegetables", + "freeze dried gluten free sliced strawberries fresh vegetables", + "freeze dried gluten free strawberries fresh vegetables", + "freeze dried dairy free strawberries and fresh vegetables", + "strawberry and fresh vegetables freeze dried", + "i freeze dried gluten free sliced strawberries and fresh vegetables", + "freeze dried gluten free strawberries and fresh vegetables under $40", + "freeze dried strawberries fresh vegetables" + ], + "i want a god for my best friend who sent me my son father's day t-shirt with classic fit and needle sleeve. also, i choose size 4t and cranberry color.": [ + "son fathers day t-shirt with classic fit and needle sleeve in a size 4t and cranberry color", + "son fathers day t-shirt with classic fit and needle sleeve size 4t and cranberry color", + "son fathers day t-shirt with classic fit and needle sleeve in a size 4t cranberry color", + "son fathers day t-shirt with classic fit and needle sleeve in size 4t and cranberry color", + "son fathers day t-shirt with classic fit and needle sleeve in cranberry color", + "son fathers day t-shirt with classic fit and needle sleeve", + "son fathers day t-shirt with classic fit and needle sleeve, size 4t and cranberry color", + "son fathers day t-shirt with classic fit and needle sleeve, size 4t and cranberry color,", + "son fathers day t-shirt with classic fit and needle sleeve, size 4t, cranberry color,", + "kids t-shirt with classic fit and needle sleeve" + ], + "i am in need of high protein gluten free jaipur millet & lentil, 2.3 ounce (pack of 8)": [ + "high protein gluten free jaipur millet & lentil 2.3 ounce (pack of 8)", + "gluten free jaipur millet & lentil 2.3 ounce (pack of 8)", + "low protein gluten free jaipur millet & lentil 2.3 ounce (pack of 8)", + "high protein gluten free jaipur millet & lentil, 2.3 ounce (pack of 8)", + "levis free jaipur millet & lentil 2.3 ounce (pack of 8)", + "high protein gluten free jaipur millet and lentil 2.3 ounce (pack of 8)", + "protein gluten free jaipur millet & lentil 2.3 ounce (pack of 8)", + "gluten free jaipur millet and lentil 2.3 ounce (pack of 8)", + "low protein gluten free jaipur millet & lentil, 2.3 ounce (pack of 8)", + "high protein gluten free jaipur millet & lentil, 2.3 ounce (pack of 8)," + ], + "i need a easy to apply temporary tattoo": [ + "temporary tattoo easy to apply", + "easy to apply temporary tattoo", + "temporary tattoo easy to apply under $50", + "temporary tattoo", + "temporary tattoo easy to apply under $40", + "temporary tattoo easy to apply under $60", + "temporary tattoo easy to apply under 30 dollars", + "temporary tattoo that is easy to apply", + "temporary tattoo easy to apply under 50 dollars", + "temporary tattoo easy to apply below $50" + ], + "looking for rich creamy cocoa classics also choose flavor raspberry": [ + "rich creamy cocoa classics flavor raspberry", + "rich creamy cocoa classics flavor raspberry flavor", + "rich creamy cocoa classics with flavor raspberry", + "rich creamy cocoa classics", + "rich creamy cocoa classics also choose flavor raspberry", + "rich creamy cocoa classics, flavor raspberry", + "rich creamy cocoa classics that are flavor raspberry", + "chocolate cocoa classics flavor raspberry", + "rich creamy cocoa classics flavored with flavor raspberry", + "rich creamy cocoa classics with flavor raspberry flavor" + ], + "i am looking for a 1.25 ounce (pack of 36) of rich creamy cocoa": [ + "rich creamy cocoa 1.25 ounce (pack of 36)", + "1.25 ounce (pack of 36) rich creamy cocoa", + "rich creamy cocoa 1.25 oz (pack of 36)", + "1.25 ounce (pack of 36) creamy cocoa", + "chocolate cocoa 1.25 ounce (pack of 36)", + "1.25 ounce (pack of 36) of creamy cocoa", + "rich creamy cocoa 1.25 oz", + "rich creamy cocoa pack of 36", + "cup of rich creamy cocoa", + "rich creamy cocoa" + ], + "i'm looking for a contemporary designed, hand painted vase for living room and should be made of eco friendly materials. also, choose medium sunburst colored one.": [ + "contemporary designed, hand painted vase for living room", + "contemporary designed, hand painted vase for living room with eco friendly materials", + "contemporary designed, hand painted vase for living room, eco friendly materials", + "contemporary designed, hand painted vase for living room that is eco friendly", + "contemporary designed, hand painted vase for living room.", + "contemporary designed, hand painted vase for living room eco friendly materials", + "contemporary designed, hand painted vase", + "living room vase made of eco friendly materials", + "living room vase with eco friendly materials", + "living room vase, contemporary designed, hand painted" + ], + "i need a ottoman made from solid color": [ + "oatoman made from solid color", + " ottoman made from solid color", + "ottoman made from solid color", + "old ottoman made from solid color", + "oatoman made from solid color ottoman", + "wooden ottoman made from solid color", + "oatoman ottoman made from solid color", + "ozoman made from solid color", + "optoman made from solid color", + "artoman made from solid color" + ], + "i want a easy to carry mirror": [ + "easy to carry mirror", + "easy to carry mirror under $40", + "easy to carry mirror under $50", + "easy to carry mirror under $60", + "easy to carry mirror under 30 dollars", + "easy to carry mirror under 50 dollars", + "easy to carry mirror under $130", + "easy to carry mirror under $120", + "easy to carry mirror under 40 dollars", + "easy to carry mirror under 60 dollars" + ], + "looking for rose gold travel purse mirror easy to carry also choose colour unicorn": [ + "rose gold travel purse mirror easy to carry", + "rose gold travel purse mirror easy to carry also choose colour unicorn", + "rose gold travel purse mirror easy to carry, choose colour unicorn", + "rose gold travel purse mirror easy to carry in colour unicorn", + "rose gold travel purse mirror easy to carry and price lower than 50.00 dollars", + "rose gold travel purse mirror that is easy to carry also choose colour unicorn", + "rose gold travel purse mirror easy to carry with a unicorn", + "rose gold travel purse mirror easy to carry, less than $40", + "rose gold travel purse mirror that is easy to carry", + "rose gold travel purse mirror" + ], + "i'm looking for a pokemon toothbrush": [ + "pink toothbrush", + " pokemon toothbrush", + "pink toothbrush for pokemon", + "pink toothbrush under $40", + "pokemon toothbrush", + "toothbrush pokemon toothbrush", + "pink toothbrush under $50", + "pink toothbrush under $60", + " pokemon toothbrush under $40", + " pokemon toothbrush under $50" + ], + "i'm looking for a slim fit women's jumpsuits with long sleeve. also, choose large, 001-hot pink one.": [ + "slim fit womens jumpsuits with long sleeve", + "slim fit womens jumpsuits with long sleeves", + "large, 001-hot pink womens jumpsuits", + "slim fit womens jumpsuits with long sleeve.", + "small, 001-hot pink womens jumpsuits", + "womens jumpsuits with long sleeve", + "slim fit womens jumpsuits long sleeve", + "large, 001-hot pink womens jumpsuit", + "slim fit womens jumpsuits", + "slim fit womens jumpsuits with long sleeves." + ], + "i'm looking for 20 inch double sided tape hair extensions of balayage color": [ + "20 inch double sided tape hair extensions of balayage color", + "20 inch double sided tape hair extension of balayage color", + "20 inch double sided tape hair extensions", + "20 inch double sided tape hair extensions of balayage", + " 20 inch double sided tape hair extensions of balayage color", + "20 inch double sided tape hair extensions, balayage color", + "20 ft double sided tape hair extensions of balayage color", + "23 inch double sided tape hair extensions of balayage color", + "20 inches double sided tape hair extensions of balayage color", + "20 inch double sided tape hair extension" + ], + "i want a 10ft micro usb fast charging cable.": [ + "10ft micro usb fast charging cable", + "10ft micro usb fast charging cable under $40", + "10ft micro usb fast charging cable under $50", + "10ft micro usb fast charging cable under $60", + "10ft micro usb fast charging cable.", + "10ft micro usb fast charging cable under $130", + "10ft micro usb fast charging cable under $120", + "10ft micro usb fast charging cable under 30 dollars", + "a 10ft micro usb fast charging cable", + "10ft micro usb fast charging cable under 50 dollars" + ], + "i'm looking for a blue wall-mounted, spacing-saving console shelf for the living room.": [ + "blue wall-mounted, spacing-saving console shelf for the living room", + "blue wall-mounted, spacing-saving console shelf for living room", + "blue wall-mounted, spacing-saving console shelf", + "blue wall-mounted, spacing-saving console shelf in the living room", + "blue wall-mounted, spacing-saving console shelf for living room.", + "blue wall-mounted spacing-saving console shelf for the living room", + "blue wall-mounted, spacing-saving console shelf living room", + "blue wall-mounted, spacing-saving console shelf, living room", + "blue wall-mounted spacing-saving console shelf for living room", + "blue wall-mounted, spacing-saving console shelf for a living room" + ], + "i'm looking for x-large yellow high-waisted tights that provide butt lifting and tummy control.": [ + "xxl yellow high-waisted tights with butt lifting and tummy control", + "x-large yellow high-waisted tights", + "xl yellow high-waisted tights with butt lifting and tummy control", + "xxl yellow high-waisted tights", + "x-large yellow high-waisted tights with butt lifting", + "yellow high-waisted tights with butt lifting and tummy control", + "xxl yellow high-waisted tights with butt lifting", + " x-large yellow high-waisted tights", + "xl yellow high-waisted tights", + "yellow high-waisted tights" + ], + "i am looking for sugar free, soy free, high protein and non gmo keto bread crumbs plain of size: 2 count(pack of 2)": [ + "sugar free keto bread crumbs plain of size 2 count(pack of 2)", + "sugar free keto bread crumbs 2 count(pack of 2)", + "sugar free keto bread crumbs plain of size", + "sugar free keto bread crumbs plain of size 2 count(pack of 2),", + "sugar free keto bread crumbsplain of size 2 count(pack of 2)", + "sugar free keto bread crumbs pure of size 2 count(pack of 2)", + "sugar free, soy free and non gmo keto bread crumbs plain of size", + "sugar free, soy free, high protein and non gmo keto bread crumbs", + "sugar free keto bread crumbs, 2 count(pack of 2)", + "sugar free keto bread crumbs" + ], + "find a easy to install vanity light": [ + "easy to install vanity light", + "simple to install vanity light", + "living room vanity light", + "easy to install vanity light,", + "5 ft vanity light", + "vanity light", + "beauty light", + "small vanity light", + "pocket vanity light", + "pocket light" + ], + "i want a television stand with storage space": [ + "tv stand with storage space", + "TV stand with storage space", + "tv stand", + "television stand with storage space", + "tv stand with storage", + "theater stand with storage space", + "tv stand, storage space", + "tv stand in storage space", + "tv stand storage space", + "TV stand" + ], + "i'm looking for a vintage laundry bag for blouse hosiery.": [ + "a vintage laundry bag for blouse hosiery", + "vintage laundry bag for blouse hosiery", + "a vintage laundry bag for blouse hosiery.", + "pink laundry bag for blouse hosiery", + "style laundry bag for blouse hosiery", + "living room laundry bag for blouse hosiery", + "gift bag for blouse hosiery", + "vintage laundry bag for blouse hosiery.", + "sneakers for blouse hosiery", + "vintage laundry bag blouse hosiery" + ], + "i need black colored shoes with arch support": [ + "black colored shoes with arch support", + "black colored shoes arch support", + "black colored shoes", + "black colored shoes, arch support", + "black colored walking shoes with arch support", + "black colored shoes no arch support", + "black colored shoes that arch support", + "black colored shoes with arch support black", + "black tennis shoes with arch support", + "black walking shoes with arch support" + ], + "find a high quality makeup brush": [ + "high quality makeup brush", + "beauty brush high quality", + "makeup brush high quality", + "lip brush that is high quality", + "lip brush high quality", + "low quality makeup brush", + "pink makeup brush", + "lip brush high quality makeup brush", + "beauty brush", + "lip brush" + ], + "i am looking for memory foam dinosaur color slipppers": [ + "memory foam dinosaur color slipppers", + "memory foam dinosaur color slipppers under $40", + "memory foam dinosaur color slipppers under $50", + "memory foam dinosaur color slipppers under $60", + "memory foam dinosaur color slipppers under 50 dollars", + "memory foam dinosaur color slipppers under 40 dollars", + "memory foam dinosaur color slipppers under $120", + "memory foam dinosaur color slipppers,", + "memory foam dinosaur colored slipppers", + "memory foam dinosaur slipppers" + ], + "i have a kamiao printed tablecloth live laugh love which have a cartoon style line art figures stars, cubes, circles, hearts with multicolor round tablecloth which is an eco friendly and easy to clean. also, i have the size 36x36 and pattern19 color.": [ + "kamiao printed tablecloth live laugh love", + "kamiao printed tablecloth with cartoon style line art figures", + "kamiao printed tablecloth under $40", + "kamiao printed tablecloth under $50", + "kamiao printed tablecloth under 30 dollars", + "kamiao printed tablecloth that is eco friendly", + "kamiao printed tablecloth under $60", + "kamiao printed tablecloth", + "kamiao printed tablecloth size 36x36 pattern19", + "kamiao printed tablecloth with multicolor color" + ], + "i am looking for an easy to install battery storage case with the batteries included.": [ + "easy to install battery storage case", + "easy to install battery storage case with batteries", + "easy setup battery storage case with the batteries", + "easy-to-install battery storage case", + "easy install battery storage case with the batteries", + "pocket storage case with batteries", + "5 ft battery storage case", + "easy setup battery storage case", + "living room battery storage case", + "battery storage case" + ], + "i am looking for outlook sneaker rubber sole in navy light blue": [ + "navy light blue sneaker rubber sole", + "synthetic sneaker rubber sole navy light blue", + "comport sneaker rubber sole in navy light blue", + "portrait sneaker rubber sole in navy light blue", + "navy sneaker rubber sole in navy light blue", + "navy sneaker rubber sole", + "sneaker rubber sole in navy light blue", + "navy navy sneaker rubber sole", + "navy light blue sneakers", + "navy light blue sneaker rubber sole," + ], + "i am looking for a cruelty free soft wax for a sensitive skin. also choose tea tree oil wax 14 oz and 5 ounce ( pack of 1 ) size.": [ + "tea tree oil wax 14 oz and 5 ounce ( pack of 1 ) size", + "tea tree oil wax 14 oz and 5 ounce ( pack of 1 )", + "tea tree oil wax 14 oz and 5 ounce ( pack of 1) size", + "tea tree oil wax 14 oz and 5 ounce ( pack of 1 )", + "tea tree oil wax 14 oz pack of 1", + "tea tree oil wax 14 oz, 5 ounce ( pack of 1 ) size", + "tea tree oil wax 14 oz", + "tea tree oil wax 14 oz and 5 ounce ( pack of 1)", + "tea tree oil wax 14 oz, 5 ounce ( pack of 1 )", + "tea tree oil wax 14 oz ( pack of 1 )" + ], + "i am looking for anti aging masks in artemisia color": [ + "anti aging masks in artemisia color", + "anti aging masks artemisia color", + "anti aging masks in artemisia", + "anti aging mask in artemisia color", + "anti aging masks, artemisia color", + "ant aging masks in artemisia color", + "anti aging masks inartemisia color", + "anti aging masks color artemisia", + "artemisia color anti aging masks", + "anti aging masks artemisia" + ], + "i am looking for": [ + "i am looking for a price lower than 50.00 dollars", + "i am looking for a price lower than 40.00 dollars", + "i am looking for a price lower than 60.00 dollars", + "i am looking for", + "i am looking for a price lower than 30.00 dollars", + "i am looking for a price lower than 140.00 dollars", + "i am looking for a price lower than 70.00 dollars", + "i am looking for a price lower than 20.00 dollars", + "i am looking for a price lower than 50.00 dollars.", + "sneakers" + ], + "i want chinese new year good luck cake picks.": [ + "chinese new year good luck cake picks.", + "chinese new year good luck cake picks", + "i want chinese new year good luck cake picks.", + "chinese new year good luck cake pick", + "chinese new year good luck cake pick.", + "chinese new year good luck cake picks under 30 dollars", + "chinese new year good luck cake picks under 50 dollars", + "chinese new year good luck cake picks under $40", + "chinese new year good luck cake picks under $50", + "chinese new year good luck cake picks under $60" + ], + "i need a wallet that goes with my blouse": [ + "pocket for blouse", + "pocket wallet for blouse", + "pocket blouse wallet", + "pocketed blouse wallet", + "wallet for blouse", + "pocket with blouse", + "pocket that goes with blouse", + "pocket for blouse wallet", + "wallet that goes with blouse", + "pocket wallet" + ], + "i am looking for a eco friendly horoscope candle with soy wax. also choose sagittarius one": [ + "eco friendly horoscope candle with soy wax", + "eco friendly horoscope candle with soy wax under $40", + "eco friendly horoscope candle with soy wax below $40", + "eco friendly horoscope candle with soy wax under $60", + "eco friendly horoscope candle with soy wax under $50", + "a eco friendly horoscope candle with soy wax", + "eco friendly horoscope candle with soy wax.", + "eco friendly horoscope candle", + "eco friendly zodiac candle with soy wax", + "eco friendly sagittarius candle" + ], + "i am looking for alcohol free perfumes for galloway impression": [ + "alcohol free perfumes for galloway impression", + "alcohol free perfumes galloway impression", + "alcohol free perfumes for galloway", + "alcohol free perfumes under $40", + "alcohol free perfumes, galloway impression", + "alcohol free perfumes to galloway impression", + "alcohol free perfumes", + "alcohol free perfumes under $50", + "alcohol free perfumes under 50 dollars", + "alcohol free perfumes under $60" + ], + "i want non gmo freeze dried fruit and vegetables carrot flavor 1.5 ounce (pack of 1)": [ + "non gmo freeze dried fruit and vegetables carrot flavor 1.5 ounce (pack of 1)", + "non gmo freeze dried fruit and vegetables carrot flavor 1.5 ounce (pack of 1),", + "non gmo freeze dried fruit and vegetables 1.5 ounce (pack of 1)", + "non gmo freeze dried fruit and vegetables carrot flavor 1.5 oz (pack of 1)", + "non gmo freeze dried fruit and vegetables flavor 1.5 ounce (pack of 1)", + "non gmo freeze dried fruit and vegetables carrots flavor 1.5 ounce (pack of 1)", + "non gmo freeze dried fruit and vegetables carrot flavor 1.5 ounces (pack of 1)", + "non gmo freeze dried fruit vegetables carrot flavor 1.5 ounce (pack of 1)", + "non gmo dried fruit and vegetables carrot flavor 1.5 ounce (pack of 1)", + "non gmo freeze dried fruit and vegetables carrot flavor" + ], + "find a black remote with batteries included": [ + "black remote with batteries", + "black remote", + "white remote with batteries", + "remote with batteries", + "white black remote with batteries", + "black remote no batteries", + "black remote, with batteries", + "black remote, batteries included", + "a black remote with batteries", + "black remote with batteries included" + ], + "i am looking a hyaluronic acid deep conditioner for hair treatment of dry har to improve smoothness": [ + "hyaluronic acid deep conditioner for hair treatment of dry har", + "a hyaluronic acid deep conditioner for hair treatment of dry har", + " hyaluronic acid deep conditioner for hair treatment of dry har", + "hyaluronic acid deep conditioner for hair treatment of dry har with smoothness", + "hyaluronic acid deep conditioner for hair treatment of dry har,", + "a hyaluronic acid deep conditioner for hair treatment of dry har,", + "aluronic acid deep conditioner for hair treatment of dry har", + "hyaluronic acid deep conditioner", + "hyaluronic acid deep conditioner for hair treatment", + "a hyaluronic acid deep conditioner" + ], + "i am looking for birthday party , cupcake picks of pattern name: pattern 5": [ + "birthday party pattern 5 pattern 5", + "baby shower pattern 5 pattern 5", + "birthday party pattern 5", + "birthday party pattern 5 pattern", + "baby shower pattern 5", + "baby shower pattern 5 pattern", + "birthday party pattern 5 patterned", + "pink cupcake picks pattern 5", + "bagcake picks pattern 5", + "baby shower pattern" + ], + "i am looking for cupcake toppers for a birthday party. also, i prefer the pattern 2 over others.": [ + "cupcake toppers for a baby shower pattern 2", + "cupcake toppers for a birthday party pattern 2", + "cupcake toppers for a baby shower pattern 2 under $40", + "cupcake toppers for a baby shower pattern 2 under $50", + "cupcake toppers pattern 2", + "cupcake toppers for a baby shower pattern 2 under $60", + "cupcake toppers for a baby shower pattern 2 under 40 dollars", + "cupcake toppers for a baby shower pattern 2 under 30 dollars", + "cupcake toppers for a baby shower pattern 2 under 50 dollars", + "cupcake toppers for a baby shower" + ], + "i would like to buy blanket, which is super soft, and is of multi 20 color, and king size": [ + "super soft blanket multi 20 color king size", + "super soft blanket multi 20 color king", + "super soft blanket multi 20 color", + "super soft blanket multi 20 color, king size", + "super soft blanket that is multi 20 color", + "super soft blanket, multi 20 color", + "super soft blanket in multi 20 color king size", + "super soft blanket, multi 20 color king size", + "super soft blanket in multi 20 color", + "super soft blanket, multi 20 color, king" + ], + "i want a super soft fleece thrown for living for room size 50\"*40\"": [ + "super soft fleece thrown for living room size 50*40", + "super soft fleece throw for living room size 50*40", + "super soft fleece for living room size 50*40", + "super soft fleece thrown for living size 50*40", + "super soft fleece thrown for living room size 50", + "super soft fleece throws for living room size 50*40", + "super soft fleece packed for living room size 50*40", + "super soft fleece thrown living room size 50*40", + "super soft fleece thrown for living room", + "super soft fleece living room size 50*40" + ], + "i am looking a space saving easy to assamble sofa table for lliving room": [ + "living room sofa table", + "floor table for lliving room", + "sliving room sofa table", + "living room sofa table for lliving room", + "living room sofa table that is easy to use", + "alive room sofa table", + "living room sofa table that is easy to clean", + "living room sofa table that is easy to set", + "living room sofa table that is easy to find", + "living room sofa table for lliving" + ], + "i want tangerine colored crocs made with vinyl acetate for kids.": [ + "tangerine colored crocs made with vinyl acetate for kids", + "tangerine colored crocs made with vinyl acetate", + "tea colored crocs made with vinyl acetate for kids", + "tangerine colored crocs made with vinyl acetate kids", + "tangerine colored crocs with vinyl acetate for kids", + "teammate colored crocs made with vinyl acetate for kids", + "teen colored crocs made with vinyl acetate for kids", + "teen colored crocs made with vinyl acetate", + "tea colored crocs made with vinyl acetate", + "tangerine colored crocs with vinyl acetate" + ], + "i am looking for candy pink and black toddler clogs with vinyl acetate.": [ + "candy pink toddler clogs with vinyl acetate", + "kids clogs with vinyl acetate", + "synthetic pink toddler clogs with vinyl acetate", + "kids pink and black toddler clogs with vinyl acetate", + "teenager clogs with vinyl acetate", + "pink toddler clogs with vinyl acetate", + "roller clogs with vinyl acetate", + "candy pink and black toddler clogs", + "curtains pink and black toddler clogs", + "kids clogs with vinyl acetate candy pink" + ], + "i am looking for a 5 toddler size vinyl acetate of clogs & mules": [ + "5 toddler size vinyl acetate of clogs & mules", + "5 toddler size vinyl acetate clogs & mules", + "4 toddler size vinyl acetate of clogs & mules", + "5 toddler size vinyl acetate of clogs & mules under $50", + "5 toddler size vinyl acetate of clogs & mules under $40", + "5 toddler size vinyl acetate of clogs and mules", + "5 toddler size vinyl acetate of clogs & mules under $60", + "6 toddler size vinyl acetate of clogs & mules", + "5 toddler size vinyl acetate of clogs & mules below $40", + "a 5 toddler size vinyl acetate of clogs & mules" + ], + "i am looking for vinyl acetate clog for child.please choose army green color.": [ + "alarm green vinyl acetate clog for child", + "aluminum acetate clog for child", + "aluminum acetate clog for child in army green color", + "vinyl acetate clog for child in army green color", + "aluminum acetate clog for child in army green", + "vinyl acetate clog for child", + "aluminum acetate clog for child, army green", + "vinyl acetate clog for child in army green", + "alarm green vinyl acetate clog", + "aluminum acetate clog for child, army green color" + ], + "i need bright cobalt clogs that are made of vinyl and are a size 5 toddler.": [ + "dust cobalt clogs size 5 toddler", + "dust cobalt clogs that are made of vinyl", + "yellow cobalt clogs size 5 toddler", + "dust cobalt clogs, size 5 toddler", + "curtains made of vinyl size 5 toddler", + "yellow cobalt clogs that are made of vinyl", + "white cobalt clogs size 5 toddler", + "dust cobalt clogs", + "dust cobalt clogs for a size 5 toddler", + "dust cobalt clogs for a toddler size 5" + ], + "i want a screen protector made with tempered glass": [ + "screen protector made with tempered glass", + " screen protector made with tempered glass", + "tv screen protector made with tempered glass", + "Screen protector made with tempered glass", + "window protector made with tempered glass", + "a screen protector made with tempered glass", + "screen protector made from tempered glass", + "display protector made with tempered glass", + "screen protector made with tempered glass for screen protector", + "screen protector made with tempered glass under $40" + ], + "universal remote control with battery included": [ + "universal remote control with battery", + "universal remote control with battery included", + "universal remote control", + "universal remote control with batteries", + "universal remote control, battery included", + "home theater remote control with battery", + "universal remote control with battery,", + "universal remote control no batteries", + "universal remote control battery", + "remote control with battery" + ], + "i want 36 jars of a rose gold bpa free makeup bottles.": [ + "rose gold bpa free makeup bottles", + "rose gold bpa free makeup bottles 36 jars", + "rose gold bpa free makeup bottles under $50", + "rose gold bpa free makeup bottles under $40", + "rose gold bpa free makeup bottles.", + "rose gold bpa free makeup bottles under $60", + "rose gold bpa free makeup bottles. 36 jars", + "rose gold bpa free makeup bottles below $50", + "rose gold bpa free makeup bottles below $40", + "rose gold bpa free makeup bottles, 36 jars" + ], + "i need 36 beauticom 60 gram leak proof plastic jars with white lids. i want them in amber.": [ + "beauticom 60 gram leak proof plastic jars", + "beauticom 60 gram leak proof plastic jars in amber", + "plastic jars with white lids", + "36 beauticom 60 gram leak proof plastic jars", + "28 beauticom 60 gram leak proof plastic jars", + "plastic jars with white lids 36 beauticom", + "rubber mens with white lids", + "plastic jars in amber", + "plastic jars", + "rubber mens" + ], + "travel storage white color leak proof for makeup cosmetic lotion scrubs creams oil size 12 jar": [ + "travel storage white color cosmetics lotion scrubs creams oil size 12 jar", + "travel storage white color makeup lotion scrubs creams oil size 12 jar", + "travel storage white color makeup cosmetic lotion scrubs creams oil size 12", + "travel storage white color cosmetic lotion scrubs creams oil size 12 jar", + "travel storage white color makeup cosmetic lotion scrubs creams oil 12 jar", + "travel storage white color makeup cosmetic lotion scrubs cream size 12 jar", + "travel storage white color makeup cosmetic lotion scrubs creams oil", + "travel storage white color pomegranate cream", + "travel storage white color", + "travel storage white" + ], + "i need a leak proof, bpa free cosmetic bag that can fit 12 jars inside. look for a pink one.": [ + "leek proof, bpa free cosmetic bag", + "leep proof, bpa free cosmetic bag", + "leak proof, bpa free cosmetic bag", + "leek proof, bpa free cosmetic bag 12 jars", + "leek proof bpa free cosmetic bag", + "leaky proof, bpa free cosmetic bag", + "leep proof bpa free cosmetic bag", + "pink cosmetic bag with 12 jars", + "pink cosmetic bag 12 jars", + "pink cosmetic bag" + ], + "i am looking for gold color high definition tablets": [ + "gold color high definition tablets", + "gold high definition tablets", + "pink high definition tablets", + "yellow high definition tablets", + "gold colored high definition tablets", + "plastic tablets gold", + "plastic tablets gold high definition", + "plastic tablets gold color", + "gold color high definition tablets,", + "plastic high definition tablets" + ], + "i'm interested in a rose gold makeup mirror that is double-sided and easy to carry.": [ + "rose gold makeup mirror", + "rose gold makeup mirror that is double-sided", + "rose gold makeup mirror easy to carry", + "rose gold makeup mirror double-sided and easy to carry", + "rose gold makeup mirror double-sided easy to carry", + "rose gold makeup mirror, easy to carry", + "rose gold makeup mirror, double-sided", + "rose gold makeup mirror with double-sided", + "rose gold makeup mirror double-sided", + "rose gold makeup mirror under $50" + ], + "i want a sound bar with stereo sound": [ + "sound bar with stereo sound", + "sound bar that is stereo sound", + "sound bar", + "sound bar, stereo sound", + "sound bar sound bar with stereo sound", + "sound bar with stereo sound under $40", + "sound bar with stereo sound,", + "sound bar stereo sound", + "sound bar sound bar", + "sound bar no stereo" + ], + "i want a stereo sound soundbar+wireless subwoofer home theater system.": [ + "stereo sound soundbar+wireless subwoofer home theater system", + "soundbar+wireless subwoofer home theater system", + "dual sound soundbar+wireless subwoofer home theater system", + "a stereo sound soundbar+wireless subwoofer home theater system", + "slimming soundbar+wireless subwoofer home theater system", + "soundbar,wireless subwoofer home theater system", + "soundbar+wireless subwoofer home theater system.", + "stereo sound soundbar", + "dual sound soundbar", + "home theater system" + ], + "i am looking for hair salon trolley, of color silver 27.5\"-43 height": [ + "hair salon trolley silver 27.5-43 height", + "silver hair salon trolley with color 27.5-43 height", + "silver hair salon trolley of color 27.5-43 height", + "silver hair salon trolley in color 27.5-43 height", + "silver hair salon trolley", + "silver hair salon trolley, of color silver", + "silver hair salon trolley, color silver 27.5-43", + "silver hair salon trolley of color", + "silver hair salon trolley, of color silver,", + "silver hair salon trolley, of color silver 27.5" + ], + "find a moisturizer with natural ingredients for dead skin": [ + "moisturizer with natural ingredients", + "moisturizer natural for dead skin", + "moisturizer natural", + "moisturizer natural no dead skin", + "moisturizer", + "moisturizer natural dead skin", + "moisturizer natural no synthetic", + "moisturizer natural no natural", + "moisturizer that is natural", + "moisturizer no natural" + ], + "i'm looking for a everyday wear chukka with rubber outsole. also choose 11.5-d with 11 wide bomber colored one.": [ + "walking chukka with rubber outsole 11.5-d with 11 wide bomber colored", + "chukka with rubber outsole 11.5-d with 11 wide bomber colored", + "walking chukka 11.5-d with 11 wide bomber colored one", + "chukka with rubber outsole 11.5-d with 11 wide bomber colored one", + "style chukka with rubber outsole 11.5-d with 11 wide bomber colored", + "walking chukka with rubber outsole 11.5-d", + "a chukka with rubber outsole 11.5-d with 11 wide bomber colored", + "living chukka with rubber outsole 11.5-d with 11 wide bomber colored", + "walking chukka 11.5-d with 11 wide bomber colored", + "walking chukka with rubber outsole" + ], + "i want a pair of extra wide rubber chukka shoes.": [ + "extra wide rubber chukka shoes", + "extra wide rubber chukka shoes.", + "extra wide rubber chukka shoes under $40", + "extra wide rubber chukka shoes under $50", + "extra wide rubber chukka shoes under 50 dollars", + "extra wide rubber chukka shoes under $60", + "extra wide rubber chukka shoes under 30 dollars", + "extra wide rubber chukka shoes under 40 dollars", + "extra wide rubber chukka shoes under 60 dollars", + "extra wide rubber chukka shoe" + ], + "my order is : a pair of twisted x men's chukka riding mocs - handmade riding mocs in full grain leather with special size 14-d. let me know if you can find it in bombe/neon orange. i'm also looking for a rubber sole": [ + "twin mens chukka riding mocs in full grain leather", + "a pair of twisted x mens chukka riding mocs in full grain leather", + "womens chukka riding mocs in full grain leather", + "twisted x mens chukka riding mocs in full grain leather", + "mens chukka riding mocs in full grain leather", + "mens chukka riding mocs in full grain leather with special size 14-d", + "twist x mens chukka riding mocs in full grain leather", + "pink mens chukka riding mocs in full grain leather", + "sneakers 14-d rubber sole", + "sneakers 14-d" + ], + "i am looking for a pair of men's size 10 everyday wear mocs.": [ + "mens size 10 everyday wear mocs", + "mens size 10 everyday wear mocs.", + "mens size 10 everyday wear mocs", + "mens size 10 everyday wear mocs.", + "mens mens size 10 everyday wear mocs", + "mens size 10 everyday wear mocs,", + "mens size 10 mocs", + "mens size 10 walking mocs", + "mens size 10 mocs.", + "mens size 10" + ], + "i need a remote control for my blue-ray": [ + "remote control blue-ray", + "remote control for my blue-ray", + "remote control for a blue-ray", + "remote control for blue-ray", + "remote control of my blue-ray", + "remote control of a blue-ray", + "remote control of blue-ray", + "remote controlblue-ray", + "remote control for blu-ray", + "remote control blu-ray" + ], + "i am looking for quad core 128gb emmc mini computer with windows 10 pro of size : intel n4020 4gb|128gb": [ + "quad core 128gb emmc mini computer with windows 10 pro", + "quad core 128gb emmc mini computer with windows 10", + "quad core 128gb emmc mini computer", + "quad core 128gb emmc mini computer with windows 10 pro of size", + " quad core 128gb emmc mini computer with windows 10 pro", + "quad core 128gb emmc mini computer with windows 10 pro in a quad core", + "quad core 128gb emmc mini computer with windows 10 pro that is quad core", + "quad core 128gb emmc mini computer with windows 10 pro quad core", + " quad core 128gb emmc mini computer", + "desktop mini computer with windows 10 pro" + ], + "i am in need of matte screen protector tempered glass for iphone 12 pro max (6.7\")": [ + "matte screen protector tempered glass iphone 12 pro max (6.7)", + "matte screen protector tempered glass for iphone 12 pro max (6.7)", + "maturity screen protector tempered glass iphone 12 pro max (6.7)", + "maturity screen protector tempered glass for iphone 12 pro max (6.7)", + "team screen protector tempered glass iphone 12 pro max (6.7)", + "team screen protector tempered glass for iphone 12 pro max (6.7)", + "aluminum screen protector tempered glass iphone 12 pro max (6.7)", + "pink screen protector tempered glass iphone 12 pro max (6.7)", + "stainless glass iphone 12 pro max (6.7)", + "matte screen protector tempered glass for iphone 12 pro max (6.7)," + ], + "i am looking for a portable high-power wireless bluetooth speaker. also choose gray color.": [ + "portable high-power wireless bluetooth speaker", + "portable high-power wireless bluetooth speaker in gray", + "portrait high-power wireless bluetooth speaker", + "portable high-power wireless bluetooth speaker, gray", + "portable high-power wireless bluetooth speaker gray", + "portrait high-power wireless bluetooth speaker in gray", + "portable high-power wireless bluetooth speaker.", + "portrait high-power wireless bluetooth speaker, gray", + " portable high-power wireless bluetooth speaker", + "pink wireless bluetooth speaker" + ], + "i need a black wireless bluetooth speaker.": [ + "black wireless bluetooth speaker", + "black wireless bluetooth speaker.", + "black wireless bluetooth speaker,", + "white wireless bluetooth speaker", + "black wireless bluetooth speaker black", + "black wireless bluetooth speakers", + "black bluetooth speaker", + "black wirelessetooth speaker", + "alarm speaker black", + "white bluetooth speaker" + ], + "i am looking for daily wear shorts in dark blue color": [ + "dark blue shorts", + "daring shorts dark blue", + "day shorts dark blue", + "dark blue shorts daily", + "day long shorts dark blue", + "light blue shorts", + "day wear shorts dark blue", + "living shorts dark blue", + "shorts dark blue", + "blue shorts" + ], + "i am looking for a short for a pregnant woman with high waist and able to do quick drying. also choose dark purple color and x-large size.": [ + "short for a pregnant woman with high waist and able to do quick drying", + "short for a pregnant woman with high waist and able to do quick drying.", + "pregnant woman with high waist dark purple color x-large", + "short for a pregnant woman with high waist and quick drying", + "pregnant woman dark purple color x-large", + "short for a pregnant woman with high waist and quick drying color", + "short for a pregnant woman with high waist", + "pregnant woman dark purple", + "pregnancy woman dark purple", + "short for a pregnant woman" + ], + "i am looking for a light weight photography backdrop for a digital photography. also choose printed backdrop 11 color and 5x7 size.": [ + "light weight photography backdrop 11 color and 5x7", + "light weight photography backdrop 11 color", + "portrait backdrop 11 color and 5x7", + "digital photography backdrop 11 color and 5x7", + "light weight photography backdrop for a digital photography", + "portrait backdrop 11 color and 5x7 size", + "light weight photography backdrop 11 color 5x7", + "5x7 photography backdrop", + "light weight photography backdrop", + "portrait backdrop 11 color" + ], + "i need a printed backdrop for digital photography that is 7 by 10 ft": [ + "portrait backdrop 7 by 10 ft", + "portrait backdrop for digital photography 7 by 10 ft", + "printed backdrop for digital photography 7 by 10 ft", + "3d print backdrop digital photography 7 by 10 ft", + "printed backdrop digital photography 7 by 10 ft", + "digital photography backdrop 7 by 10 ft", + "7 by 10 ft backdrop digital photography", + "portrait backdrop for digital photography 7 x 10 ft", + "3 ft backdrop digital photography", + "3d print backdrop digital photography 7 x 10 ft" + ], + "i want baralonly non slip slippers in size 9.5 for men.": [ + "baralonly non slip slippers in size 9.5 for men", + "baralonly non slip slippers size 9.5 for men", + "baral only non slip slippers in size 9.5 for men", + "baralonly non slip slippers in size 9.5 men", + "baralonly non slip slippers in size 9.5", + "baral sole non slip slippers in size 9.5 for men", + "baralonly non slip slippers, size 9.5 for men", + "baralonly non slip slippers 9.5 for men", + "baralonly non slip slippers for men size 9.5", + "baralonly non slip slippers size 9.5 for men." + ], + "i am looking for a sweater with long sleeve also able to quick drying. also choose black kids 05 color and 4-5t size.": [ + "black kids 05 sweater with long sleeve quick drying", + "black kids 05 sweater with long sleeves quick drying", + "sneakers black kids 05 color", + "black kids 05 sweater with long sleeves", + "black kids 05 color", + "black kids 05 sweater quick drying", + "black kids 05 sweater long sleeve quick drying", + "black kids 5 color", + "black kids 05 sweater", + "black kids 5 color sweater" + ], + "i want vanity lights made with brushed nickel.": [ + "vanity lights made with brushed nickel", + "pink vanity lights made with brushed nickel", + "k vanity lights made with brushed nickel", + "vanity lights made from brushed nickel", + "veterate lights made with brushed nickel", + "vegan vanity lights made with brushed nickel", + " vanity lights made with brushed nickel", + "vanity lights with brushed nickel", + "vanity lights brushed nickel", + "vanity lights made with brushed nickel." + ], + "i am looking for fresh breath tooth paste": [ + "fresh breath tooth paste", + "fresh breath tooth paste fresh breath", + "fresh breath tooth paste, fresh breath", + "fresh breath tooth paste under $40", + "fresh breath tooth paste under $50", + "fresh breath toothpaste", + "fresh breath tooth paste under $60", + "fresh breath tooth paste for fresh breath", + "fresh breath tooth paste under 50 dollars", + "fresh breath tooth paste below $40" + ], + "i am looking for long lasting, non toxic glossy nail polish of color : tuscany": [ + "lens polish of color tuscany", + "nude polish of color tuscany", + "non toxic glossy nail polish of tuscany", + "non toxic glossy nail polish of color tuscany", + "long lasting, non toxic glossy nail polish", + "nude polish of tuscany", + "long lasting, non toxic glossy nail polish of color", + "lens polish of color tuscany long lasting", + "nude polish of color tuscany long lasting", + "lens polish of tuscany" + ], + "i am looking for easy assemble white color beds": [ + "easy assemble white color beds", + "white color beds", + "easy assemble white color beds under $40", + "easy assemble white color beds under $50", + "easy assemble white color beds under $60", + "white color beds easy assemble", + "easy assemble white color beds under $120", + "easy assemble white color beds under 50 dollars", + "easy assemble white color beds under 30 dollars", + "white color beds that are easy assemble" + ], + "find a 0.8 ounce fruit snack pack made from simple ingredients": [ + "fruit snack pack made from simple ingredients", + "pomegranate snack pack made from simple ingredients", + "simple ingredients fruit snack pack made from simple ingredients", + "freeze dried fruit snack pack made from simple ingredients", + "pack of fruit snack pack made from simple ingredients", + "small fruit snack pack made from simple ingredients", + "1.8 ounce fruit snack pack", + "fruit snack pack made from simple ingredients under $40", + "fruit snack pack made from simple ingredients under $50", + "simple ingredients fruit snack pack" + ], + "i am looking for 2 pieces of machine wash large size adult nightgown pajama sleep sets": [ + "machine wash large size adult nightgown pajama sleep sets", + "machine wash large size adult nightgown pajama sleep set", + "man wash large size adult nightgown pajama sleep sets", + "woman wash large size adult nightgown pajama sleep sets", + "man wash large size adult nightgown pajama sleep set", + "machine wash large size adult nightgown pajama sleep", + "large size adult nightgown pajama sleep sets", + "large size adult nightgown pajama sleep set", + "mens nightgown pajama sleep sets", + "mama sleep sets 2 pieces" + ], + "i want a xx-large shegnsi plus size womens high waist trench coat.": [ + "xxl womens high waist trench coat", + " xx-large womens high waist trench coat", + "xx-large womens high waist trench coat", + "xxl womens high waist trench coat xxl", + " xxl womens high waist trench coat", + "xxl womens high waist trench coat xx-large", + "xxl womens high waist trench coat under $40", + "xxl womens high waist trench coat under $50", + "womens high waist trench coat xx-large", + "xxl womens high waist trench coat." + ], + "i am interested in buying wall art which is suitable for dining room, has color of artwork-26 and with a size of 32\"wx16\"hx1pcs": [ + "wall art 32wx16hx1pcs", + "wall art size 32wx16hx1pcs", + "wall art color 32wx16hx1pcs", + "wall art, 32wx16hx1pcs", + "wall art 32wx16hx1pcs under 30 dollars", + "wall art that is suitable for dining room color of artwork-26", + "wall art with color of artwork-26", + "wall art 32wx16hx1pcs under $40", + "wall art 32wx16hx1pcs under $50", + "wall art under 30 dollars" + ], + "i am looking for digital camera high resolution in white": [ + "digital camera high resolution in white", + "digital camera high resolution", + "digital camera high resolution white", + "high resolution in white digital camera", + "Digital camera high resolution in white", + "white digital camera high resolution", + "digital camera high resolution, white", + "high resolution digital camera", + "digital camera high resolution black", + "high resolution white digital camera" + ], + "i'm looking for a pair of low rise boyfriend jeans in antic charcoal. i need a 28 waist and 32 length.": [ + "low rise boyfriend jeans in antic charcoal 28 waist and 32 length", + "low rise boyfriend jeans in antic charcoal", + "low rise boyfriend jeans in antic charcoal28 waist and 32 length", + "low rise boyfriend jeans in antic charcoal 32 waist", + "low rise boyfriend jeans in antic charcoal 29 waist and 32 length", + "high rise boyfriend jeans in antic charcoal 28 waist and 32 length", + "low rise boyfriend jeans in antic charcoal 28 waist", + "low rise boyfriend jeans in antic charcoal 32 waist and 32 length", + "low rise boyfriend jeans in antic charcoal 28 waist, 32 length", + "low rise boyfriend jeans" + ], + "i'm looking for a white nightstand with a 1 shelf storage space.": [ + "white nightstand with a shelf storage space", + "white nightstand with a 1 shelf storage", + "white nightstand, 1 shelf storage space", + "white nightstand 1 shelf storage space", + "white nightstand with shelf storage space", + "white nightstand 2 shelf storage space", + "white nightstand with 1 shelf storage space", + "white nightstand 2 shelf storage", + "nightstand with a 1 shelf storage space", + "white nightstand" + ], + "i am looking for in travel laundry bag": [ + "travel laundry bag", + "pink travel laundry bag", + "tourist laundry bag", + "toothpaste travel laundry bag", + "moisturizing laundry bag", + "travel laundry bag travel", + "travel laundry bag travel laundry bag", + "a travel laundry bag", + "travel laundry bag that is travel", + "Travel laundry bag" + ], + "i'm looking for a easy to assemble showcase cabinet with good storage space and has tempered glass countertop. also choose 47.2\"h * 15.7\" w sized one.": [ + "easy to assemble showcase cabinet with good storage space and has tempered glass countertop", + "easy to assemble showcase cabinet with good storage space", + "easy assemble showcase cabinet with good storage space and has tempered glass countertop", + "easy to assemble showcase cabinet with good storage space and tempered glass countertop", + "easy to assemble showcase cabinet with good storage space and with tempered glass countertop", + "easy to assemble showcase cabinet with good storage space with tempered glass countertop", + "easy assemble showcase cabinet with good storage space", + "easy assemble showcase cabinet with good storage space and tempered glass countertop", + "easy to assemble showcase cabinet", + "easy assemble showcase cabinet" + ], + "i am interested in buying pullover for women which is machine washable and have women christmas gifts-a153-khaki color, and of size 3x-large": [ + "woman pullover for women size 3x-large", + "woman pullover in a153-khaki color", + "pullover for women in a153-khaki color", + "pullover for women size 3x-large", + "woman pullover for women size 3x-large woman", + "woman pullover for women in a 3x-large", + "man washable woman pullover", + "woman pullover 3x-large", + "woman pullover for women size 3xl", + "man washable women pullover" + ], + "i want a campbell's soup that has vitamins and are made of chicken & star shaped pasta.": [ + "campbells soup made of chicken & star shaped pasta", + "campbells soup made from chicken & star shaped pasta", + "campbells soup with vitamins and made of chicken & star shaped pasta", + "campbells soup with vitamins made of chicken & star shaped pasta", + " campbells soup made of chicken & star shaped pasta", + "campbells soup, made of chicken & star shaped pasta", + "campbells soup made of chicken & star shaped pasta.", + "campbells soup made from chicken & star shaped pasta.", + "campbells soup with vitamins made of chicken & star shaped pasta.", + "campbells soup, made of chicken & star shaped pasta," + ], + "i want a high performance ps4.": [ + "ps4 high performance", + "ps4 high performance ps4", + "ps4 with high performance", + "ps 4 high performance ps4", + "ps4 that is high performance", + "ps4, high performance", + "ps4 performance high performance", + "ps4 high performance performance", + "ps4 in high performance", + "ps4" + ], + "i want a high quality dental floss to improve my oral hygiene": [ + "dental floss to improve oral hygiene", + "dental floss", + "dental floss oral hygiene", + "dental floss that is high quality", + "dental floss for oral hygiene", + "dental floss that improves oral hygiene", + "dental floss oral hygiene high quality", + "dental floss that improve oral hygiene", + "high quality dental floss", + "dental floss high quality oral hygiene" + ], + "i want a 16x16 painting for my living room": [ + "16x16 painting for my living room", + "16x16 painting for living room", + "16x16 painting for the living room", + "16x16 painting living room", + "16x16 painting of my living room", + "16x16 painting", + "16x16 painting for a living room", + "16x16 painting in my living room", + "16x16 painting of a living room", + "16x16 painting of the living room" + ], + "i want a shilo dark chocolate wig made from natural hair.": [ + "shilo dark chocolate wig made from natural hair", + "shilo dark chocolate wig made from natural hair.", + "shilo dark chocolate wig", + "shilo dark chocolate wig made from natural hair,", + "shilo dark chocolate wig made from natural", + "silo dark chocolate wig made from natural hair", + " shilo dark chocolate wig made from natural hair", + "shilo dark chocolate wig natural", + "shilo dark chocolate wig from natural hair", + "shilo dark chocolate wig with natural hair" + ], + "i'm looking for a machine washable, classic fit tank tops made of heathers cotton and has needle sleeve. also, choose women's small, red colored one": [ + "machine washable, classic fit tank tops made of heathers cotton", + "man washable, classic fit tank tops made of heathers cotton", + "woman washable, classic fit tank tops made of heathers cotton", + "machine washable, classic fit tank tops with needle sleeve", + "womens small, red colored tank tops", + "temporary fit tank tops made of heathers cotton", + "machine washable womens small, red colored tank tops", + "machine washable, classic fit tank tops", + "womens small red tank tops", + "machine washable, classic fit tank tops with needle sleeve." + ], + "need a projection screen that is ultra hd and is easy to install. i'm looking for black/white version with 113\" size. aspect ratio needs to be 1:1 and pattern is projector screen + 6\" white screen.": [ + "projection screen with 113 size", + "projection screen with 113 color", + "projection screen ultra hd black", + "projection screen black ultra hd", + "projection screen, ultra hd", + "projection screen ultra hd", + "projection screen in ultra hd", + "projection screen with 113", + "projection screen white", + "projection screen black" + ], + "i would like a black 84\" projection screen with a 16:9 ultra hd aspect ratio.": [ + "black 84 projection screen 16:9 ultra hd", + "black 84 projection screen with 16:9 ultra hd aspect ratio", + "black 84 projection screen 16:9 ultra hd aspect ratio", + "black 84 projection screen with a 16:9 ultra hd aspect", + "black 84 projection screen", + "black 84 projection screen 16x9 ultra hd aspect ratio", + "black 84 projection screen, 16:9 ultra hd", + "black 84 projection screen, 16:9 ultra hd aspect ratio", + "black 84 projection screen with a 16:9 ultra hd", + "black 84 projection screen 16x9 ultra hd" + ], + "i am looking for 150\" white color 4k ultra hd 3d ready projector screen": [ + "150 white color 4k ultra hd 3d ready projector screen", + "blue 4k ultra hd 3d ready projector screen", + " 150 white color 4k ultra hd 3d ready projector screen", + "150 white 4k ultra hd 3d ready projector screen", + "white color 4k ultra hd 3d ready projector screen", + "white 4k ultra hd 3d ready projector screen", + "4k ultra hd 3d ready projector screen", + "150 white ultra hd 3d ready projector screen", + "150 white color 4k ultra hd 3d ready", + "blue 4k ultra hd 3d ready projector screen 150" + ], + "i am looking for projector screens of size 106\" that are easy to install.": [ + "size 106 projector screens that are easy to install", + "size 106 projector screens", + "projection screens of size 106", + "size 106 projector screens, easy to install", + "size 106 projector screens of size 106", + "size 106 projector screens of easy to install", + "size 106 projector screens easy to install", + "projection screens of size 106 easy to install", + "projector screens of size 106", + "portrait screens of size 106" + ], + "i'm looking for a easy to install ultra hd manual projector screen in size 136 inch. choose the ones that come in color white.": [ + "easy to install ultra hd manual projector screen in size 136 inch", + "easy to install ultra hd manual projector screen in color white", + "easy to install ultra hd manual projector screen in size 136 inches", + "easy to install ultra hd manual projector screen in a color white", + "easy to install ultra hd manual projector screen", + "easy to install ultra hd manual projector screen in size 136", + "easy to install ultra hd manual projector screen size 136 inch", + "easy to install ultra hd manual projector screen color white", + "simple to install ultra hd manual projector screen in size 136 inch", + "yellow ultra hd manual projector screen in size 136 inch" + ], + "dermatologically tested waterproof eyeliner": [ + "dermatologically tested waterproof eyeliner", + "dermatologically tested waterproof eyeliner, and price lower than 50.00 dollars", + "dermatologically tested waterproof eyeliner, and price lower than 40.00 dollars", + "dermatologically tested waterproof eyeliner, and price lower than 30.00 dollars", + "dermatologically tested waterproof eyeliner, and price lower than 60.00 dollars", + "dermatologically tested waterproof eyeliner, and price lower than $40.00", + "dermatologically tested waterproof eyeliner, and price lower than 120.00 dollars", + "dermatologically tested waterproof eyeliner under $50", + "dermatologically tested waterproof eyeliner, and price lower than 140.00 dollars", + "dermatologically tested waterproof eyeliner under $40" + ], + "i am searching for fluoride free toothpaste scented with coconut chamomile, 4.2 oz": [ + "fluoride free toothpaste scented with coconut chamomile", + "toothpaste scented with coconut chamomile 4.2 oz", + "toothpaste scented with coconut chamomile, 4.2 oz", + " fluoride free toothpaste scented with coconut chamomile 4.2 oz", + "fluoride free toothpaste scented with coconut chamomile under $40", + "fluoride free toothpaste scented with coconut chamomile 4 oz", + "fluoride free toothpaste scented with coconut chamomile under $60", + "fluoride free toothpaste scented with coconut chamomile under $50", + "fluoride free toothpaste scented with coconut chamomile, 4 oz", + "fluoride free toothpaste, 4.2 oz" + ], + "i am interested in buying machine washable throws which are in magenta green color and the size should be 60\" x 80\" for adults.": [ + "machine washable throws in magenta green color", + "machine washable throws in magenta green", + "machine washable throws 60 x 80", + "machine washable throws that are in magenta green", + "machine washable throws which are in magenta green", + "machine washable throws 60 x 80 for adults", + "machine washable throws, magenta green", + "machine washable throws", + "magnenta green throw", + "magnenta green throws" + ], + "i want a stainless steel minkissy eyebrow trimming tool.": [ + "stainless steel minkissy eyebrow trimming tool", + "stainless steel minkissy eyebrow trimming tool.", + "stainless steel minkissy eyebrow trimming tool,", + "stainless steel minkissy eyebrow trimming tools", + "sstainless steel minkissy eyebrow trimming tool", + " stainless steel minkissy eyebrow trimming tool", + "silicone steel minkissy eyebrow trimming tool", + "silain steel minkissy eyebrow trimming tool", + " stainless steel minkissy eyebrow trimming tool.", + "minkissy eyebrow trimming tool" + ], + "i would like a pair of size 8.5 black sandals with a open toe.": [ + "black sandals size 8.5", + "black sandals with a open toe", + "size 8.5 black sandals", + "sneakers size 8.5 black sandals", + "sneakers size 8.5 black", + "pair of size 8.5 black sandals", + "black sandals with open toe size 8.5", + "black sandals with an open toe", + "black sandals with open toe", + "black sandals" + ], + "i need a a31 light weight background": [ + "a31 light weight background", + " a31 light weight background", + "portrait a31 light weight background", + "a31 light weight background,", + "a 31 light weight background", + "a31 light weight background a31", + "a31 heavy weight background", + "living room light weight background", + "a31 light weight", + "light weight background" + ], + "i am in need of insulated wine tumbler and natural soy wax candles -4 packs": [ + "insulated wine tumbler natural soy wax candles -4 packs", + " insulated wine tumbler natural soy wax candles -4 packs", + "insulated wine tumbler natural soy wax candles -4 packs", + "insulated wine tumbler natural soy wax candles -4 packs", + " insulated wine tumbler and natural soy wax candles -4 packs", + "insulated wine tumbler natural soy wax candles", + " insulated wine tumbler natural soy wax candles -4 packs", + " insulated wine tumbler natural soy wax candles -4 packs", + " insulated wine tumbler natural soy wax candles", + "insulated wine tumbler natural soy wax candles -4 pack" + ], + "i'm looking for travel size men's perfume in a 0.27 fl oz bottle size.": [ + "mens perfume in a 0.27 fl oz bottle size", + "mens perfume in a 0.27 fl oz bottle", + "travel size mens perfume in a 0.27 fl oz bottle", + "mens perfume in a 0.27 fl oz bottle size", + "mens perfume in a 0.27 fl oz bottle size.", + "mens perfume 0.27 fl oz bottle size", + "pink mens perfume in a 0.27 fl oz bottle", + "mens perfume in a 0.27 fl oz bottle", + "mens perfume 0.27 fl oz bottle", + "mens perfume travel size 0.27 fl oz bottle size" + ], + "i am looking for a refillable perfume sprayer for travelling purposes. look for an 8 ml size.": [ + "pink sprayer for travelling purposes 8 ml", + "pink sprayer for travelling purposes. 8 ml size", + "pink sprayer for travelling purposes, 8 ml", + "pink perfume sprayer for travelling purposes. 8 ml size", + "pink sprayer for travelling purposes. 8 ml", + "pink sprayer for travelling purposes", + "pinkable perfume sprayer for travelling purposes. 8 ml size", + "pink pomegranate sprayer for travelling purposes 8 ml", + "pink pomegranate sprayer for travelling purposes 8 ml size", + "8 ml perfume sprayer" + ], + "i'm looking for fragrance for travel size and its for long lasting and need to buy it.": [ + "scent for travel size long lasting", + "pomegranate travel size long lasting", + "pink fragrance for travel size long lasting", + "temporary fragrance for travel size long lasting", + "sneakers for travel size long lasting", + "pink fragrance travel size long lasting", + "vanity for travel size long lasting", + "scent for travel size long lasting fragrance", + "scent for travel size", + "sneakers for long lasting travel size" + ], + "azzaro wanted gil impression perfume travel size refillable and quality should be high": [ + "gil impression perfume travel size refillable", + "gil impression perfume travel size refillable high", + "gil impression perfume travel size refillable high quality", + "gil impression perfume travel size refillable with quality", + "bagel impression perfume travel size refillable", + "gil impression perfume travel size high", + "gal impression perfume travel size refillable", + "gil impression perfume travel size", + "granate perfume travel size refillable", + "gil impression perfume travel" + ], + "i am looking for a gluten free snacking avocado with non gmo.": [ + "gluten free snacking avocado", + "gluten free eating avocado with non gmo", + "gluten free avocado with non gmo", + "gluten free eating avocado", + "gluten free snacking avocado non gmo", + "gluten free snacking avocado no gmo", + "gluten free and non gmo avocado", + "gluten free avocado", + "gluten free sacking avocado", + "gluten free non gmo avocado" + ], + "i'm looking for an aluminum alloy, ultra hd hdmi cable that is designed for plug and play.": [ + "aluminum alloy ultra hd hdmi cable", + "aluminum alloy, ultra hd hdmi cable", + "aluminum alloy ultra hd hdmi cable for plug and play", + "aluminum alloy ultra hd hdmi cable plug and play", + "aluminum alloy hdmi cable", + "aluminum alloy hdmi cable that is designed for plug and play", + "aluminum alloy ultra hd hdmi cable, plug and play", + "aluminum alloy ultra hd hdmi cable under $40", + "uminum alloy ultra hd hdmi cable", + "aluminum alloy ultra hdmi cable" + ], + "i am looking for gold plated video cables": [ + "gold plated video cables", + "gold plated video cables under $40", + "gold plated video cables under $60", + "gold plated video cables under $50", + "pink plated video cables", + "gold plated video cables under 50 dollars", + "gold plated video cables under $130", + "gold plated video cables under 30 dollars", + "gold plated video cables under $120", + "plated video cables gold plated" + ], + "i am looking for women fashion sneakers with anti slip, steel toe, high heel, memory foam of size :10": [ + "woman fashion sneakers with anti slip, steel toe, high heel, memory foam", + "womens fashion sneakers with anti slip, steel toe, high heel, memory foam", + "women fashion sneakers with anti slip, steel toe, high heel, memory foam", + "woman fashion sneakers with anti slip, steel toe, high heel", + "womens fashion sneakers with anti slip, steel toe, high heel", + "womens fashion sneakers with anti slip, steel toe", + "woman fashion sneakers with anti slip, steel toe", + "women fashion sneakers with anti slip, steel toe", + "womens fashion sneakers", + "woman fashion sneakers" + ], + "i'm looking for a high performance and high definition bluetooth speakers with stereo sound effect. also, choose golden colored one.": [ + "gluten colored bluetooth speakers", + "high performance and high definition bluetooth speakers", + "blue bluetooth speakers with stereo sound effect", + "high performance bluetooth speakers with stereo sound", + "bioetooth speakers with stereo sound effect", + "high performance high definition bluetooth speakers", + "Bluetooth speakers with stereo sound effect", + " bluetooth speakers with stereo sound effect", + "blue bluetooth speakers with stereo sound", + "high performance bluetooth speakers" + ], + "i wanna purchase quadshield black color 50ft coaxial cable for broadband internet connection": [ + "quadshield black cable", + "quadshield black wireless cable", + "quadshield black", + "quadshield black cable for broadband", + "quadshield black internet connection", + "quadshield black cable internet connection", + "quadshield black phone cable", + "quadshield black wireless internet cable", + "quadshield black wireless internet connection", + " quadshield black cable" + ], + "i am looking for white color high power speaker": [ + "white high power speaker", + "white color high power speaker", + "white high power speaker white", + "white noise high power speaker", + "white portable high power speaker", + "white high power speaker,", + "white low power speaker", + "white high power speakers", + "white power speaker", + "white speaker" + ], + "i am looking for super soft fastupda fleece throw blanket of size (50\"x80\")": [ + "super soft fastupda fleece throw blanket", + "super soft fastupda fleece throw blanket (50x80)", + "super soft fastupda fleece throw blanket that is 50x80", + "super soft fastupda fleece throw blanket, 50x80", + "super soft fastupda fleece throw blanket in 50x80", + "super soft fastupda fleece throw blanket in a 50x80", + "super soft fastupda fleece throw blanket, 50x80,", + "super soft fastupda fleece throw blanket 50x80", + "super soft fastupda fleece throw blanket under 50 dollars", + "super soft fast upda fleece throw blanket" + ], + "i am looking a cosmetic display cases for lipstick eyeshadow highliter blushes brushes": [ + "beauty display cases for lipstick eyeshadow highliter blushes", + "beauty display case for lipstick eyeshadow highliter blushes", + " cosmetic display cases for lipstick eyeshadow highliter blushes", + " cosmetic display case for lipstick eyeshadow highliter blushes", + "plastic display cases for lipstick eyeshadow highliter blushes", + "plastic display case for lipstick eyeshadow highliter blushes", + "pink eyeshadow highliter blushes", + "beauty display cases for lipstick eyeshadow highliter", + "pink eyeshadow highliter blushes brushes", + "lipstick eyeshadow highliter blushes" + ], + "i want to buy famous tik-tok leggings, yoga pants for women which have high waist tummy control booty bubble and hip lifting with running tights. which is the size x-small and a-red color.": [ + "tik-tok leggings x-small", + "tik-tok leggings x-small yoga pants", + "tok-tok leggings x-small", + "tik-tok leggings size x-small", + "tik-tok leggings", + "tok tok leggings x-small", + "tea yoga pants x-small", + "te yoga pants x-small and a-red", + "teams x-small and a-red", + "te yoga pants x-small" + ], + "i am in need of large sized wine color long sleeve shirts for women": [ + "large sized wine color long sleeve shirts for women", + "large sized wine color long sleeve shirts", + "large size wine color long sleeve shirts for women", + "large sized wine color long sleeve shirt for women", + "large wine color long sleeve shirts for women", + "womens long sleeve shirts", + "large sash wine color long sleeve shirts", + "large sized wine color long sleeves shirts for women", + "small wine color long sleeve shirts for women", + "womens wine color long sleeve shirts" + ], + "i am looking for eco friendly water ripple multicolor glass window film of size : 17.7\"x47.2\"x2pcs": [ + "eco friendly water ripple multicolor glass window film 17.7x47.2x2pcs", + "eco friendly water ripple multicolor glass window film", + "eco friendly water ripple multicolor glass window film, 17.7x47.2x2pcs", + "eco friendly water ripple multicolor glass window film size 17.7x47.2x2pcs", + "23.7x47.2x2pcs eco friendly water ripple multicolor glass window film", + "eco friendly water ripple multicolor glass window film 17.7x47.2x2pcs", + "eco friendly water ripple multicolor glass window film 17.7x 47.2x2pcs", + "eco friendly water ripple multicolor glass window film of size", + "water ripple multicolor glass window film", + "eco friendly water ripple multicolor glass window" + ], + "i am interested in buying a cookies which can be perfect gift, and the flavor of which is of donut": [ + "moisturizing cookies flavor of which is of donut", + "sugar cookies, flavor of which is of donut", + "sugar cookies flavor of which is of donut", + "moisturizer cookies flavor of which is of donut", + "cookie flavor of which is of donut", + "sugar cookies, flavor of which is of donut,", + "sugar cookies that are perfect gift", + "sneakers that are perfect gift", + "moisturizing cookies", + "moisturizer cookies" + ], + "i would like a white 42 by 72 inch window panel for my living room.": [ + "white 42 by 72 inch window panel", + "window panel white 42 by 72 inch", + "window panel for living room", + "white 42 x 72 inch window panel", + "window panel for living room white 42 by 72", + "white 42 by 72 inch window panel living room", + "window panel white 42 by 72 inches", + "window panel living room white 42 by 72 inches", + "window panel, white 42 by 72 inch", + "window panel" + ], + "i am looking for photo background high resolution in 15*10ft": [ + "15*10ft photo background high resolution", + "photo background high resolution in 15*10ft", + "photo background high resolution 15*10ft", + "16*10ft photo background high resolution", + "high resolution 15*10ft photo background high resolution", + "15*10ft high resolution photo background high resolution", + "high resolution 15*10ft photo background", + "15*10ft high resolution photo background", + "pink background high resolution 15*10ft", + "10ft photo background high resolution" + ], + "i need a six by four foot backdrop for digital photography. it should be high resolution and light weight.": [ + "6 by four foot backdrop for digital photography", + "6 x 4 foot backdrop for digital photography", + "6 by four foot backdrop digital photography", + "6 by 4 foot backdrop for digital photography", + "6 x 4 foot backdrop digital photography", + "6 by 4 foot backdrop digital photography", + "6x4 backdrop for digital photography", + "6x4 backdrop digital photography", + "6x4 backdrop digital photography high resolution", + "6x4 digital photography backdrop high resolution" + ], + "i want notmilk chocolate plant-based milk.": [ + "milk chocolate plant-based milk", + "nonmilk chocolate plant-based milk", + "milk chocolate plant-based milk.", + "notmilk chocolate plant-based milk", + "milk chocolate plant-based milk no sugar", + "milk chocolate plant-based milk no dairy", + "nonmilk chocolate plant-based milk.", + "nomilk chocolate plant-based milk", + "milk chocolate plant-based milk under $40", + "milk chocolate plant-based milk under $50" + ], + "i want a book case made from solid to use as a decoration in my living room": [ + "book case made from solid to use as a decoration in my living room", + "Book case made from solid to use as a decoration in my living room", + "bag case made from solid to use as a decoration in my living room", + "a book case made from solid to use as a decoration in my living room", + " book case made from solid to use as a decoration in my living room", + "clothing case made from solid to use as a decoration in my living room", + "book case made from solid to use as a decoration in the living room", + "book case made from solid to use as a decoration in my living room.", + "book case made from solid for living room", + "bag case made from solid for living room" + ], + "i am looking for a cat paw pink kid\u2019s toothbrush that is easy to use.": [ + "cat paw pink kid\u2019s toothbrush", + "pink kid\u2019s toothbrush that is easy to use", + "kitty paw pink kid\u2019s toothbrush", + "cat paw pink kid\u2019s toothbrush easy to use", + "cats paw pink kid\u2019s toothbrush", + "cat paw pink kid\u2019s toothbrush, easy to use", + " cat paw pink kid\u2019s toothbrush", + "Cat paw pink kid\u2019s toothbrush", + "pink kid\u2019s toothbrush", + "kids toothbrush that is easy to use" + ], + "i want machine washable pajamas": [ + "machine washable pajamas", + "man washable pajamas", + "machine washable pajamas under $40", + "machine washable pajamas under $50", + "machine washable pajamas under $60", + "machine washable pajamas under 50 dollars", + "machine washable pajama", + "woman washable pajamas", + "hand washable pajamas", + "coaxial pajamas" + ], + "i am looking for a tampered glass screen protector which is bubble free.": [ + "tempered glass screen protector", + "tampered glass screen protector", + "tempered glass screen protector which is bubble free", + "tempered glass screen protector that is bubble free", + "tempered glass screen protector, bubble free", + "tampered glass screen protector, bubble free", + "shampered glass screen protector", + "ampered glass screen protector", + "tempered glass screen protector, bubble free,", + "contampered glass screen protector" + ], + "i would like to buy a pencil backdrop which is of high resolution, it is easy carry, and has a size of 6x4ft-vinyl": [ + "pocket backdrop which is of high resolution, it is easy carry, and has a size of 6x4ft-vinyl", + "pocket backdrop that is of high resolution, it is easy carry, and has a size of 6x4ft-vinyl", + "pocket backdrop that is of high resolution, it is easy carry and has a size of 6x4ft-vinyl", + "pocket backdrop which is of high resolution, it is easy carry and has a size of 6x4ft-vinyl", + "pencil backdrop that is of high resolution, it is easy carry and has a size of 6x4ft-vinyl", + "pocket backdrop that is of high resolution, it is easy carry, and is a size of 6x4ft-vinyl", + "pocket backdrop which is of high resolution, it is easy carry, and is a size of 6x4ft-vinyl", + "pocket backdrop, high resolution, 6x4ft-vinyl", + "pocket backdrop 6x4ft-vinyl", + "high resolution pencil backdrop, 6x4ft-vinyl" + ], + "i need 17 pcs of space saving porcelain ceramic tea sets": [ + "17 pcs of space saving porcelain ceramic tea sets", + "17 pcs of space saving porcelain ceramic tea set", + " 17 pcs of space saving porcelain ceramic tea sets", + "18 pcs of space saving porcelain ceramic tea sets", + " 17 pcs of space saving porcelain ceramic tea set", + "18 pcs of space saving porcelain ceramic tea set", + "16 pcs of space saving porcelain ceramic tea sets", + "16 pcs of space saving porcelain ceramic tea set", + "a 17 pcs of space saving porcelain ceramic tea sets", + "a 17 pcs of space saving porcelain ceramic tea set" + ], + "i am seraching for eco friendly candles and clean cotton holders for my home & kitchen.": [ + "eco friendly candles and clean cotton holders for my home & kitchen", + "eco friendly candles and clean cotton holders", + "eco friendly candles and clean cotton holders for my home and kitchen", + "eco friendly candles and clean cotton holders for a home & kitchen", + "eco friendly candles and clean cotton holders for the home & kitchen", + "eco friendly candles and clean cotton holders for a home and kitchen", + "eco friendly candles and clean cotton holders for home & kitchen", + "eco friendly candles and clean cotton holders for the home and kitchen", + "eco friendly candles and clean cotton holders for my home", + "eco friendly candles and clean cotton holders for home and kitchen" + ], + "i want a autumn spice jar candle that is eco friendly.": [ + "18 spice jar candle that is eco friendly", + " autumn spice jar candle that is eco friendly", + "almond spice jar candle eco friendly", + "an autumn spice jar candle", + "almond spice jar candle", + "earth friendly spice jar candle", + "18 spice jar candle eco friendly", + "an autumn spice jar candle eco friendly", + "eco friendly spice jar candle", + " autumn spice jar candle eco friendly" + ], + "i want a set of 2 mesh laundry bags with green leaves design.": [ + "2 mesh laundry bags with green leaves", + "set of 2 mesh laundry bags", + "two mesh laundry bags with green leaves", + "2 mesh laundry bags with green leaves design", + "4 mesh laundry bags with green leaves", + "3 mesh laundry bags with green leaves", + "1 mesh laundry bags with green leaves", + "two mesh laundry bags with green leaves design", + " mesh laundry bags with green leaves", + "set of 2 mesh laundry bags with green" + ], + "i am looking for non gmo, nut free, gluten free and real fruit , all natural fruit snacks with flaovr name : passion fruit power pals": [ + "non gmo fruit snacks", + "non gmo fruit snacks with flaovr", + "non gmo fruit snacks flaovr", + "non gmo fruit snacks that are nut free", + "non gmo fruit snacks under $40", + "non gmo fruit snacks flaovr name", + "non gmo fruit snacks under $50", + "non gmo fruit snacks under $60", + "non gmo fruit snacks under 50 dollars", + "non gmo natural fruit snacks" + ], + "find a toothpaste with natural ingredients": [ + "toothpaste natural", + "toothpaste natural no fluoride", + "teethpaste natural", + "teethpaste natural no fluoride", + "toothpaste with natural ingredients", + "natural toothpaste", + "tothpaste natural", + "teethpaste with natural ingredients", + "homepaste natural", + "tothpaste natural no fluoride" + ], + "i would like a color a toothpaste made from natural ingredients.": [ + "natural toothpaste", + "teethpaste natural", + "teethpaste natural no fluoride", + "natural toothpaste colored natural", + "natural toothpaste natural", + "toothpaste natural", + "natural toothpaste color", + "toothpaste natural no fluoride", + "natural toothpaste natural no fluoride", + "natural toothpaste made from natural" + ], + "i am looking for ready eat in coconut & kale": [ + "ready eat coconut & kale", + "ready eat coconut and kale", + "ready eat in coconut & kale", + "ready eat coconut & kale drink mix", + "coconut & kale ready eat", + "toothpaste coconut and kale ready eat", + "toothpaste coconut & kale ready eat", + "coconut and kale ready eat", + "ready eat in coconut and kale", + "ready eat coconut & kale ready eat" + ], + "i am looking for ivory color rugs for dining room": [ + "yellow dining room rug ivory color", + "yellow ivory color rugs dining room", + " ivory color rugs dining room", + "yellow dining room rugs ivory color", + "white ivory color rugs dining room", + "yellow dining room rug", + "yellow modern dining room rug", + "yellow dining room rug ivory", + "yellow dining room rugs ivory", + "yellow plush rug dining room" + ], + "i need a living room rug that is gold and ivory in the shape of a square.": [ + "living room rug gold and ivory", + "living room rug that is gold and ivory", + "living room rug gold and ivory square", + "living room rug, gold and ivory", + "living room rug with gold and ivory", + "living room rug gold and ivory,", + "living room rug, gold and ivory,", + "living room rug gold ivory", + "living room rug", + "living room rug gold square" + ], + "i am looking for rectangular shaped dark grey color entryway plush thick area rug of size 2 ft 3 in x 6 ft for living room": [ + "square grey color entryway plush rug", + "square grey color entryway plush thick area rug", + " rectangular shaped dark grey color entryway plush rug", + "square grey color entryway plush rug for living room", + "square rug of size 2 ft 3 in x 6 ft", + "rectangular shaped dark grey color entryway plush rug", + " rectangular shaped dark grey color entryway plush thick area rug", + "square grey color entryway plush", + "square grey rug", + "square x 6 ft rug" + ], + "i am looking for super soft multi color duvet cover sets": [ + "super soft multi color duvet cover sets", + "super soft multi color duvet cover set", + "super soft multi color duvet cover", + "super soft multi color duvet cover sets under $40", + "super soft multi color duvet cover sets under $50", + "super soft multi color duvet coverset", + "super soft multi color duvet cover sets under 50 dollars", + "super soft multi color duvet cover sets under $60", + "super soft multi color duvet cover sets under 40 dollars", + "super soft multi color duvet cover set under $40" + ], + "i'm looking for a super soft leopard pattern duvet with multi 3 colors. king and queen size please thanks.": [ + "super soft leopard pattern duvet with multi 3 colors", + "super soft leopard pattern duvet multi 3 colors", + "super soft leopard pattern duvet multi 3 colors king and queen size", + "super soft leopard pattern duvet in multi 3 colors", + "super soft leopard pattern duvet queen size", + "super soft leopard pattern duvet multi 3 colors king and queen", + "super soft leopard pattern duvet, multi 3 colors", + "super soft leopard pattern duvet", + "super soft leopard pattern duvet with multi 3 colors king and queen", + "super soft leopard pattern duvet with multi 3 colors queen size" + ], + "i am looking a gift set of jams and jellies gluten free variety-favorites size 1.25 pound": [ + "gift set of jams and jellies gluten free", + "gift set of jams and jellies gluten free 1.25 pound", + "gluten free variety-favorites size 1.25 pound", + "gluten free variety-favorites 1.25 pound", + "bagel free variety-favorites size 1.25 pound", + "bagel free variety-favorites 1.25 pound", + "bagels gluten free 1.25 pound", + "jams and jellies gluten free 1.25 pound", + "gift set of jams and jellies gluten free variety-favored", + "bagels gluten free" + ], + "complete, easy-to-carry orthodontic storage case": [ + "complete, easy-to-carry orthodontic storage case", + "open, easy-to-carry orthodontic storage case", + "easy-to-carry orthodontic storage case", + "comfortable, easy-to-carry orthodontic storage case", + "complete, easy-to-carry orthodontic storage case under $130", + "complete, easy-to-carry orthodontic storage case under $50", + "complete, easy-to-carry orthodontic storage case under $120", + "complete, easy-to-carry orthodontic storage case under $40", + "complete, easy-to-carry orthodontic storage case under $60", + "complete, easy-to-carry orthodontic storage case," + ], + "i want to buy hair color which is dermatologist test, is oil free, and is of dark chocolate color": [ + "hair color dermatologist test dark chocolate", + "dermatologist test dark chocolate hair color", + "hair color dermatologist test dark chocolate color", + "dark chocolate hair color dermatologist test", + "hair color that is dermatologist test dark chocolate", + "dermatologist test hair color dark chocolate", + "hair color, dermatologist test dark chocolate color", + "dermatologist test hair color dark chocolate color", + "dark chocolate hair color", + "hair color, dermatologist test, dark chocolate" + ], + "i'm looking for a 32 ounce package of gluten free almond flour.": [ + "gluten free almond flour 32 ounce package", + "32 ounce package of gluten free almond flour", + "12 ounce package of gluten free almond flour", + "gluten free almond flour 32 oz package", + "almond flour 32 ounce package", + "28 ounce package of gluten free almond flour", + "almond flour 32 ounce", + "gluten free almond flour 32 ounce", + "gluten free almond flour 32 ounce pack", + "freeze dried almond flour 32 ounce package" + ], + "i'm looking for a mini desktop pc with an intel core i7-9750h processor.": [ + "mini desktop pc with an intel core i7-9750h processor", + "desktop pc with an intel core i7-9750h processor", + "tablet desktop pc with an intel core i7-9750h processor", + " mini desktop pc with an intel core i7-9750h processor", + "tablet pc with an intel core i7-9750h processor", + "mini desktop pc with an intel core i7-9750h processor.", + "mini desktop pc i7-9750h processor", + "desktop pc with an intel core i7-9750h processor.", + " mini desktop pc with an intel core i7-9750h processor.", + "tablet pc with an intel core i7-9750h processor." + ], + "i am looking for a windows 10 pro mini computer with an intel core i7-10750h, 32 gigabytes of ram, a 256 gigabyte ssd and gigabyte ethernet.": [ + "window 10 pro mini computer with an intel core i7-10750h", + "windows 10 pro mini computer with an intel core i7-10750h", + "window 10 pro mini computer with an intel core i7-10750h, 32 gigabytes of ram", + " windows 10 pro mini computer with an intel core i7-10750h", + "window 10 pro mini computer with an intel core i7-10750h 32 gigabytes of ram", + "window 10 pro mini computer with an intel core i7-10750h with a 256 gigabyte ssd", + "desktop mini computer with an intel core i7-10750h", + "window 10 pro mini computer with intel core i7-10750h", + "window 10 pro mini computer", + "windows 10 pro mini computer" + ], + "i need an intel core i7 mini computer.": [ + "intel core i7 mini computer", + "intel core i7 mini computer.", + "i need an intel core i7 mini computer.", + "intel core i7 mini computer under $130", + "intel core i7 mini computer under $120", + "intel core i7 mini computer under $50", + "intel core i7 mini computer under $60", + "intel core i7 mini computer under $40", + " intel core i7 mini computer", + " intel core i7 mini computer." + ], + "i need a dual band computer with intel core, 64 gb ram and 1tb ssd.": [ + "dual band computer with intel core, 64gb ram and 1tb ssd", + "dual band computer with intel core with 64gb ram and 1tb ssd", + "dual band computer with intel core 64gb ram and 1tb ssd", + "dual band computer with intel core 64 gb ram and 1tb ssd", + "dual band computer with intel core, 64gb ram, 1tb ssd", + "dual band computer with intel core and 64 gb ram", + "dual band computer with intel core, 64 gb ram", + "dual band computer with intel core and 64gb ram", + "dual band computer with intel core with 64gb ram", + "dual band computer with intel core, 64gb ram" + ], + "i am looking for a high quality glossy pink nail polish storage case that is easy to clean.": [ + "lip polish storage case that is easy to clean", + "lip polish storage case", + "high quality glossy pink nail polish storage case", + "low quality glossy pink nail polish storage case", + "pink nail polish storage case", + "lip polish storage case easy to clean", + "nude pink nail polish storage case", + "lip polish storage case, easy to clean", + "plastic pink nail polish storage case", + "lens polish storage case" + ], + "i am looking for gluten free cinnamon crisps": [ + "gluten free cinnamon crisps", + "gluten free cinnamon crisps under $40", + "gluten free cinnamon crisps under $60", + "gluten free cinnamon crisps under $50", + "gluten free cinnamon crisps under 50 dollars", + "gluten free cinnamon crisps under 40 dollars", + "gluten free cinnamon crisps under 30 dollars", + "gluten free cinnamon crisps under 60 dollars", + "gluten free cinnamon crisps below $40", + "gluten free cinnamon crisps gluten free" + ], + "i am looking for a portable wireless bluetooth speaker with high performance. also choose green color.": [ + "portable wireless bluetooth speaker with high performance", + "portrait wireless bluetooth speaker with high performance", + "portable wireless bluetooth speaker with high performance in green", + "portable wireless bluetooth speaker with high performance, green", + "portable wireless bluetooth speaker with high performance.", + "portrait wireless bluetooth speaker with high performance in green", + "portable wireless bluetooth speaker that is high performance", + "portportable wireless bluetooth speaker with high performance", + "portable wireless bluetooth speaker", + "portrait wireless bluetooth speaker" + ], + "i want a gentle facial cleanser for acne prone & sensitive skin.": [ + "moisturizing facial cleanser acne sensitive skin", + "facial cleanser acne sensitive skin", + "facial cleanser acne sensitive", + "facial cleanser acne sensitive sensitive skin", + "moisturizing facial cleanser acne prone sensitive skin", + "facial cleanser acne prone & sensitive skin", + "facial cleanser for acne prone & sensitive skin", + "facial cleanser acne prone sensitive skin", + "moisturizing facial cleanser acne sensitive sensitive skin", + "moisturizing facial cleanser acne sensitive" + ], + "i'm interested in calming gel acne facial moisturizer for sensitive skin that is oil-free and not tested on animals.": [ + " calming gel acne facial moisturizer for sensitive skin that is oil-free and not tested on animals", + "i want a calming gel acne facial moisturizer for sensitive skin that is oil-free and not tested on animals.", + "curtains gel acne facial moisturizer for sensitive skin that is oil-free and not tested on animals", + "a calming gel acne facial moisturizer for sensitive skin that is oil-free and not tested on animals", + "tempered gel acne facial moisturizer for sensitive skin that is oil-free and not tested on animals", + "chocolate gel acne facial moisturizer for sensitive skin that is oil-free and not tested on animals", + "comfortable gel acne facial moisturizer for sensitive skin that is oil-free and not tested on animals", + "curtains gel acne facial moisturizer for sensitive skin", + " calming gel acne facial moisturizer for sensitive skin", + "tempered gel acne facial moisturizer for sensitive skin" + ], + "i am looking for red color short sleeve shirts": [ + "red short sleeve shirts", + "red color short sleeve shirts", + "red short sleeve shirts under $40", + "red shirt short sleeve shirts", + "red short sleeve shirts under $50", + "red short sleeve shirts under 50 dollars", + "red short sleeve shirts under 40 dollars", + "red short sleeve shirts under $60", + "red short sleeve shirts under 30 dollars", + "red buttoned short sleeve shirts" + ], + "i'm looking for a toothpaste that clears bad breath and gives fresh breath.": [ + "toothpaste that clears bad breath", + "tothpaste that clears bad breath", + "teethpaste that clears bad breath", + "toothpaste with fresh breath", + "toothpaste clean bad breath", + "toothpaste clear bad breath", + "toothpaste clean fresh breath", + "toothpaste no fluoride", + "toothpaste", + "teethpaste" + ], + "i want a light gray oliver king size arched tufted platform bed.": [ + "light gray oliver king size arched tufted platform bed", + "light gray oliver king size arched tufted platform bed.", + "low gray oliver king size arched tufted platform bed", + "heavy gray oliver king size arched tufted platform bed", + "lit gray oliver king size arched tufted platform bed", + "a light gray oliver king size arched tufted platform bed", + "king size arched tufted platform bed", + "rainbow colored oliver king size arched tufted platform bed", + "light gray oliver king size arched tufted platform bed,", + "oliver king size arched tufted platform bed" + ], + "i would like a queen sized black bed with a box spring.": [ + "queen sized black bed with a box spring", + " queen sized black bed with a box spring", + "king size black bed with a box spring", + "queen sized black bed", + "Queen sized black bed with a box spring", + "kingstown sized black bed with a box spring", + "kingwoman sized black bed with a box spring", + "queen size black bed with a box spring", + "king sized black bed with a box spring", + "queen sized black bed, box spring" + ], + "i am looking for fuzzy sandals open toe fox fur slippers in khaki": [ + " fuzzy sandals open toe fox fur slippers in khaki", + "f fuzzy sandals open toe fox fur slippers in khaki", + "fuzzy sandals open toe fox fur slippers", + "foggy sandals open toe fox fur slippers", + "fog toe fox fur slippers in khaki", + "faux sandals open toe fox fur slippers in khaki", + "foggy sandals open toe fox fur slippers khaki", + "blanket fox fur slippers in khaki", + "fuzzy sandals open toe fox fur slippers khaki", + "square toe fox fur slippers in khaki" + ], + "i want a easy to clean bag": [ + "easy to clean bag", + "bag easy to clean", + "easy clean bag", + "pocket bag easy to clean", + "bag clean easy to clean", + "bag easy clean", + "pocket bag", + "pocketed bag", + "bag", + "walking bag" + ], + "find cookies made with high fructose": [ + "low fructose cookies made with high fructose", + "high fructose cookies made with high fructose", + "sugar cookies made with high fructose", + "cookie cookies made with high fructose", + "strawberry cookies made with high fructose", + "chocolate cookies made with high fructose", + "cookies made with high fructose", + " cookies made with high fructose", + "high fructose cookies cookies made with high fructose", + "low fructose cookies made with high fructose flavor" + ], + "i would like a six pack of 34.92 ounce non-gmo cookies.": [ + "6 pack of 34.92 ounce non-gmo cookies", + "pack of 34.92 ounce non-gmo cookies", + "28 pack of 34.92 ounce non-gmo cookies", + "12 pack of 34.92 ounce non-gmo cookies", + "six pack of 34.92 ounce non-gmo cookies", + "6 pack of 32.92 ounce non-gmo cookies", + "6 pack of 33.92 ounce non-gmo cookies", + "6 pack of 34.92 oz non-gmo cookies", + "6 pack non-gmo cookies", + "non-gmo cookies 34.92 oz" + ], + "i am looking for pink color hair removal razors": [ + "pink color hair removal razors", + "pink color hair removal razors under $40", + "pink color hair removal razors under $50", + "pink colored hair removal razors", + "pink hair removal razors", + "pink color hair removal razors under $60", + "pink color hair removal razors under 50 dollars", + "pink color hair removal razors under 40 dollars", + "pink color hair removal razors,", + "pink wig removal razors" + ], + "i am looking for easy to install video player": [ + "easy to install video player", + "easy to install video player under $40", + "easy to install video player under $60", + "easy to install video player under $50", + "easy to install video player under $120", + "easy to install video player under $130", + "easy to install video player under 60 dollars", + "easy to install video player under 30 dollars", + "easy to install video player under 50 dollars", + "easy to install video player under 120 dollars" + ], + "i want cake toppers for a baby shower.": [ + "cake toppers for a baby shower", + "cake toppers for baby shower", + "cake toppers for a baby shower.", + "baby shower cake toppers", + "cake toppers for a baby shower", + "cake toppers baby shower", + "birthday cake toppers for baby shower", + "cake toppers for baby shower.", + "brittle toppers for a baby shower", + "birthday cake toppers" + ], + "i am looking for gluten free doodles wavy corn chips, 1.37 ounce (pack of 36)": [ + "gluten free doodles wavy corn chips 1.37 ounce (pack of 36)", + "gluten free wavy corn chips, 1.37 ounce (pack of 36)", + "gluten free doodles wavy corn chips", + "gluten free wavy corn chips 1.37 ounce (pack of 36)", + "gluten free doodles wavy corn chips 2.37 ounce (pack of 36)", + "gluten free doodles wavy corn chips (pack of 36)", + "gluten free doodles wavy corn chips pack of 36", + "gluten free doodles wavy corn chips 1.37 ounce (pack of 36),", + "gluten free wavy corn chips, 1.37 ounce (pack of 36),", + "gluten free wavy corn chips" + ], + "i'm looking for a high waist boxer brief for men made of stretchable polyester spandex fabric. also choose x-large style 1.": [ + "high waist boxer brief x-large style 1", + "high waist boxer brief x-large style 1.", + "low waist boxer brief x-large style 1", + "low waist boxer brief x-large style 1.", + "high waist boxer brief x-large", + "high waist boxer brief x-large style 1.5", + "x-large boxer brief x-large style 1", + "x-large boxer brief", + "x-large boxer brief x-large style 1.", + "x-large boxer brief x-large" + ], + "find a lactose free cake topper": [ + "lactose free cake topper", + "gluten free cake topper", + "lactose free cake toppers", + "l lactose free cake topper", + "lemon free cake topper", + "moisturizing cake topper", + "loose free cake topper", + "a lactose free cake topper", + "no lactose free cake topper", + "low lactose free cake topper" + ], + "i am looking to purchase a dollar-patterned cake topper that has to be lactose and dairy free.": [ + "dollar-patterned cake topper dairy free", + "dollar-patterned cake topper that is lactose and dairy free", + "dollar-patterned cake topper that has to be lactose free", + "dollar-patterned cake topper that is lactose free", + "dollar-patterned cake topper lactose and dairy free", + "dollar-patterned cake topper lactose free", + "dollar-patterned cake topper with lactose and dairy free", + "dollar-patterned cake topper", + "dollar patterned cake topper dairy free", + "dairy free cake topper" + ], + "i am looking for a coconut oil for hair growth. also choose 8 fl oz ( pack 1)": [ + " coconut oil for hair growth 8 fl oz ( pack 1)", + "coffee oil 8 fl oz ( pack 1)", + " coconut oil 8 fl oz ( pack 1)", + "toothpaste coconut oil 8 fl oz ( pack 1)", + "shampoo coconut oil 8 fl oz ( pack 1)", + "coffee oil for hair growth 8 fl oz pack 1)", + " coconut oil for hair growth 8 fl oz ( pack 1),", + " coconut oil for hair growth pack 1)", + "coffee oil for hair growth", + "coffee oil for hair growth 8 fl oz pack 1" + ], + "i want a vanguard veo 2 204ab black carbon fiber tripod.": [ + "vanguard veo 2 204ab black carbon fiber tripod", + "vanguard veo 2 204ab black carbon fiber tripod.", + "vananguard veo 2 204ab black carbon fiber tripod", + "vanguard veo 2204ab black carbon fiber tripod", + "tvanguard veo 2 204ab black carbon fiber tripod", + " vanguard veo 2 204ab black carbon fiber tripod", + "a vanguard veo 2 204ab black carbon fiber tripod", + "vanguard veo 2 204ab black carbon fiber tripod,", + "veo 2 204ab black carbon fiber tripod", + "vinyl fiber tripod" + ], + "i want six boxes of earl grey decaf with 20 individually wrapper bags.": [ + "6 boxes of earl grey decaf with 20 individually wrapper bags", + "6 box of earl grey decaf with 20 individually wrapper bags", + "packet of earl grey decaf with 20 individually wrapper bags", + "pack of earl grey decaf with 20 individually wrapper bags", + "six boxes of earl grey decaf with 20 individually wrapper bags", + "two boxes of earl grey decaf with 20 individually wrapper bags", + "8 box of earl grey decaf with 20 individually wrapper bags", + "8 earl grey decaf with 20 individually wrapper bags", + "earthl grey decaf with 20 individually wrapper bags", + "6 boxes of earl grey decaf" + ], + "i am looking for high quality pink color bags": [ + "pink color bags", + "pink color bags high quality", + "high quality pink color bags", + "pink color bag", + "pink color bags, high quality", + "pink color bags in high quality", + "pink color bags under $40", + "pink colored bags", + "pink color bags under $50", + "pink color bags under 50 dollars" + ], + "i need a bpa free bag that is blue": [ + "blue bpa free bag", + "bpa free bag that is blue", + "bpa free bag", + "bag that is blue", + "bag blue bpa free", + "bag that is blue bpa free", + "pink bpa free bag", + "blue bpa free bags", + "bag bpa free", + "bag blue" + ], + "carbamide peroxide whitening pen, easy to use": [ + "carbamide peroxide whitening pen, easy to use", + "carbamide peroxide whitening pen easy to use", + "carbamide peroxide whitening pen", + "carbamide peroxide whitening pen that is easy to use", + "carbamide peroxide whitening pen, easy to use,", + "carbamide peroxide whitening pen under $40", + "carbamide peroxide whitening pen , easy to use", + "carbamide peroxide whitening pen under $50", + "carbamide peroxide whitening pen under $60", + "carbamide peroxide whitening pen for women" + ], + "i am looking for machine washable ambesonne ocean kitchen curtains of color : green yellow": [ + "machine washable ambesonne ocean kitchen curtains of color green", + "machine washable ambesonne ocean kitchen curtains of color", + "machine washable ambesonne ocean kitchen curtains", + "man washable ambesonne ocean kitchen curtains of color green", + "man washable ambesonne ocean kitchen curtains of color", + "man washable ambesonne ocean kitchen curtains", + "alarm washable ambesonne ocean kitchen curtains", + "womens kitchen curtains of color green", + "sea kitchen curtains of color green", + "sea kitchen curtains green yellow" + ], + "i want a easy to use eyeshadow": [ + "easy to use eyeshadow", + "easy to use eyeshadow under $40", + "easy to use eyeshadow under $50", + "easy to use eyeshadow under $60", + "easy to use eyeshadow under 50 dollars", + "easy to use eyeshadow under 30 dollars", + "easy to use eyeshadow under 60 dollars", + "easy to use eyeshadow under 40 dollars", + "easy to use eyeshadow below $40", + "easy-to-use eyeshadow" + ], + "i would like a brown dining set that is easy to install.": [ + "brown dining set that is easy to install", + "brown dining set", + "easy to install brown dining set", + "brown dining set easy to install", + "brown dining set, easy to install", + "brown dining set, easy to install,", + "dining set that is easy to install", + "easy-to-install brown dining set", + "brown dining set with easy to install", + "easy setup brown dining set" + ], + "i would like ten 100 ft long gold plated hdmi male male cable.": [ + "10 100 ft long gold plated hdmi male cable", + "ten 100 ft long gold plated hdmi male cable", + "10 ft long gold plated hdmi male cable", + "10 ft long gold plated hdmi male male cable", + "10ft long gold plated hdmi male cable", + "10 gold plated hdmi male cable", + "10ft long gold plated hdmi male male cable", + "10 gold plated hdmi male male cable", + "gold plated hdmi male cable", + "gold plated hdmi male male cable" + ], + "look for 100ft high speed hdmi cable male to male with ethernet black (50 feet/15.2 meters). show me the price .": [ + "100ft high speed hdmi cable male to male with ethernet black", + "100ft high speed hdmi cable male to male with ethernet black price lower than 50.2", + "100ft high speed hdmi cable male to male with ethernet black price", + "100ft high speed hdmi cable male to male", + "90ft high speed hdmi cable male to male with ethernet black", + "high speed hdmi cable male to male with ethernet black", + "50ft high speed hdmi cable male to male with ethernet black", + "high speed hdmi cable male to male with ethernet black price", + "telescope male to male with ethernet black", + "high speed hdmi cable male to male" + ], + "find a leak proof bag": [ + "leak proof bag", + "leek proof bag", + "leaky proof bag", + "leep proof bag", + "teeth proof bag", + "leach proof bag", + "leech proof bag", + "leaks proof bag", + "leakers proof bag", + "leaked proof bag" + ], + "i'm looking for white colored travel bottles easy to carry.": [ + "white colored travel bottles easy to carry", + "white colored travel bottles easy to carry.", + "white travel bottles easy to carry", + "white colored travel bottles", + "white colored travel bottles, easy to carry", + "easy to carry white colored travel bottles", + "white travel bottles easy to carry.", + "white travel bottles that are easy to carry", + "white colored travel bottles easy to carry,", + "white colored travel bottle easy to carry" + ], + "i'm looking for light weighted travel bottles and the color was pink bottles.": [ + "light weighted travel bottles pink", + "pink travel bottles", + "light weighted travel bottles in pink", + "light weighted travel bottles", + "light weighted travel bottles, pink", + "low weighted travel bottles pink", + "light weighted travel bottles color pink", + "light weighted travel bottles pink", + "light weighted travel bottles pink bottles", + "yellow travel bottles" + ], + "i want a s'well 12 oz travel bottle set.": [ + "s swell 12 oz travel bottle set", + "saddle 12 oz travel bottle set", + "12 oz travel bottle set", + "10 oz travel bottle set", + " swell 12 oz travel bottle set", + "size 12 oz travel bottle set", + " swell 12 oz travel bottle set.", + "10oz travel bottle set", + "5 oz travel bottle set", + "s swell 12 oz travel bottle" + ], + "i want a leak proof and blonde s'well travel bottle set.": [ + "leak proof and blonde swell travel bottle set", + "leek proof and blonde swell travel bottle set", + "leep proof and blonde swell travel bottle set", + "leaks proof and blonde swell travel bottle set", + "leaky proof and blonde swell travel bottle set", + "leakers proof and blonde swell travel bottle set", + "leaker proof and blonde swell travel bottle set", + "leak proof and blonde swell travel bottle", + "leaky clean travel bottle set", + "leaky clean travel bottle set." + ], + "i am looking for birkenstock gizeh synthetic sole in navy oiled leather": [ + " birkenstock gizeh synthetic sole in navy oiled leather", + "bubkenstock gizeh synthetic sole in navy oiled leather", + "birkenstock gizeh synthetic sole in navy oiled leather", + "boolkenstock gizeh synthetic sole in navy oiled leather", + "Birkenstock gizeh synthetic sole in navy oiled leather", + "ubkenstock gizeh synthetic sole in navy oiled leather", + "baby oiled leather birkenstock gizeh synthetic sole", + " birkenstock gizeh synthetic sole in navy oiled", + " birkenstock gizeh synthetic sole in navy oiled leather,", + " birkenstock gizeh synthetic sole" + ], + "i like synthetic sole in graceful antique lace": [ + "synthetic sole in graceful antique lace", + "synthetic sole graceful antique lace", + "synthetic sole, graceful antique lace", + "faux sole in graceful antique lace", + "stainless sole in graceful antique lace", + "natural synthetic sole in graceful antique lace", + "synthetic sole dancing antique lace", + "natural sole in graceful antique lace", + "synthetic sole", + "synthetic sole natural lace" + ], + "i'm looking for birkenstock gizeh.": [ + " birkenstock gizeh", + "birkenstock gizeh", + " birkenstock gizeh.", + " birkenstock gizeh under $40", + " birkenstock gizeh under $50", + " birkenstock gizeh under $60", + "baby birkenstock gizeh", + "birkenstock gizeh.", + " birkenstock gizeh below $40", + "Birkenstock gizeh" + ], + "i need some taupe flip flops that have arch support": [ + "taupe flip flops with arch support", + "taupe flip flops that have arch support", + "taupe flip flops", + "taupe flip flops arch support", + "taupe flip flops, arch support", + "taupe flip flops no arch support", + " taupe flip flops with arch support", + "tea flip flops with arch support", + "toothpaste flip flops with arch support", + "tea flip flops that have arch support" + ], + "i need 5 size synthetic sole brown color gizeh sandals": [ + "5 size synthetic sole brown color gizeh sandals", + "5 size synthetic sole brown gizeh sandals", + "5 size synthetic sole brown", + "synthetic sole brown color gizeh sandals", + "synthetic sole brown gizeh sandals", + "5 foot synthetic sole brown color gizeh sandals", + "5 size synthetic sole brown sandals", + "natural sole brown gizeh sandals", + "natural sole brown gizeh sandals 5 size", + "synthetic sole brown" + ], + "i would like a size 5 narrow tobacco brown flip flops with a synthetic sole.": [ + "size 5 narrow tobacco brown flip flops", + "small tobacco brown flip flops with a synthetic sole", + "taco brown flip flops with a synthetic sole", + "slimming tobacco brown flip flops", + "sugar brown flip flops with a synthetic sole", + "tobacco brown flip flops with a synthetic sole", + "sneakers size 5 narrow tobacco brown flip flops", + "large tobacco brown flip flops with a synthetic sole", + "taco brown flip flops", + "small tobacco brown flip flops" + ], + "i am looking for non gmo, gluten free and artificial colors o2 oxygenated recovery drink with flavor name: lemon lime": [ + "non gmo drink with flavor name: lemon lime", + "o2 oxygenated recovery drink with flavor name: lemon lime", + "non gmo drink with flavor name", + "non gmo alcohol drink with flavor name: lemon lime", + "non gmo with flavor name: lemon lime", + "non gmo drink with flavor name: lemon", + "o2 oxygenated recovery drink with flavor name", + "non gmo, gluten free and artificial", + "non gmo drink flavor", + "non gmo drink" + ], + "i am looking for a slip loafer with vinyl acetate. also choose dark khaki suede color and 7 narrow size.": [ + "slip loafer with vinyl acetate 7 narrow", + "slide loafer with vinyl acetate 7 narrow", + "slip loafer with vinyl acetate 7 narrow size", + "slide loafer with vinyl acetate 7 narrow size", + "slip loafer dark khaki suede color 7 narrow", + "slip loafer dark khaki suede color and 7 narrow", + "slip loafer with vinyl acetate", + "slide loafer with vinyl acetate", + "slide loafer dark khaki suede color 7 narrow", + "slip loafer dark khaki suede color 7 narrow size" + ], + "i need sugar free low carb, barbecue flavored marinade for meats, 102 ounce (pack of 3)": [ + "sugar free low carb barbecue flavored marinade for meats 102 ounce (pack of 3)", + "sugar free low carb barbecue flavored marinade for meats 102 ounce (pack of 3),", + "gluten free low carb barbecue flavored marinade for meats 102 ounce (pack of 3)", + "sugar free low carb barbecue flavored marinade for meats 102 oz (pack of 3)", + "low carb barbecue flavored marinade for meats 102 ounce (pack of 3)", + "sugar free low carb barbecue flavored marinade, 102 ounce (pack of 3)", + "sugar free barbecue flavored marinade for meats 102 ounce (pack of 3)", + "bbq flavored marinade for meats 102 ounce (pack of 3)", + "sugar free low carb barbecue flavored marinade", + "sugar free low carb barbecue flavored marinade, 102 ounce (pack of 3)," + ], + "i am looking for low carb, sugar free barbecue marinade in the 18 ounce size.": [ + "low carb barbecue marinade in the 18 ounce size", + "low carb barbecue marinade 18 ounce", + "low carb barbecue marinade 18 ounce size", + "low carb, sugar free barbecue marinade 18 ounce", + "low carb sugar free barbecue marinade 18 ounce size", + "low carb sugar free barbecue marinade 18 ounce", + "low carb, sugar free barbecue marinade", + "low carb barbecue marinade in an 18 ounce size", + "low carb barbecue marinade in 18 ounce size", + "low carb barbecue marinade in a 18 ounce size" + ], + "i am looking for gluten free, non gmo and soy free b.fine foods snack mix with size: 4 ounce (pack of 3)": [ + "gluten free, non gmo and soy free b.fine foods snack mix", + "gluten free b.fine foods snack mix with size: 4 ounce (pack of 3)", + "gluten free b.fine foods snack mix 4 ounce (pack of 3)", + "gluten free b.fine foods snack mix 4 oz (pack of 3)", + "gluten free b.fine foods snack mix with size 4 ounce (pack of 3)", + "gluten free b.fine foods snack mix", + "gluten free and soy free b.fine foods snack mix 4 ounce (pack of 3)", + "gluten free b.fine foods snack mix 4 ounces (pack of 3)", + "gluten free, non gmo and soy free b.fine foods snack mix under $40", + "gluten free and soy free b.fine foods snack mix" + ], + "i want a bagel made from high quality ingredients": [ + "bagel made from high quality ingredients", + "bagel with high quality ingredients", + "bagel made with high quality ingredients", + "bagels made from high quality ingredients", + "bagel from high quality ingredients", + "bagel that is high quality", + "bagel, high quality ingredients", + "bagel with quality ingredients", + "bagel made from high quality", + "bagel, high quality" + ], + "i am looking for black color hair dye": [ + "black hair dye", + "black color hair dye", + "black human hair dye", + "hair dye black", + "black hair dye under $40", + "black hair dye under $50", + "black hair dye that is black", + "black hair dye black", + "black colored hair dye", + "black wig dye" + ], + "i need a a23 colored light weight background": [ + "a23 colored light weight background", + "23 colored light weight background", + "blue a23 colored light weight background", + " a23 colored light weight background", + "colored light weight background a23", + "a23 colored light weight background,", + "a23colored light weight background", + "colored light weight background", + "aluminum colored light weight background", + "a23 colored light weight" + ], + "purse set for washing blouse and underwear bra and panties": [ + "purse set for washing blouse and underwear bra and panties", + "purse set for washing blouse, underwear bra and panties", + "purse set for washing blouse with underwear bra and panties", + "purse set, washing blouse and underwear bra and panties", + "purse set to washing blouse and underwear bra and panties", + "purse set of washing blouse and underwear bra and panties", + "purse set for washing blouse bra and panties", + "purse set for washing blouse underwear bra and panties", + "purse set for washing blouse under $40", + "purse set for washing blouse under $50" + ], + "i am looking a long lasting hair cutting kits for hair salon color :sugur skull and flower": [ + "long lasting hair cutting kits for hair salon color", + "hair cutting kits for hair salon color", + "sugur skull and flower long lasting hair cutting kits", + "long lasting hair cutting kits", + "sugur skull and flower long lasting hair cutting kit", + "long lasting hair cutting kits for hair salon color under $40", + "long lasting hair cutting kits for hair salon color under $50", + "long lasting hair cutting kits for hair salon color under $60", + "hair cutting kit for hair salon color", + "sugur skull and flower" + ], + "i am interested in buying shampoo for hair treatment.": [ + "shampoo for hair treatment", + "shampoo shampoo for hair treatment", + "shampoo for hair treatment.", + "shampoo shampoo for hair treatment.", + "sneakers for hair treatment", + " shampoo for hair treatment", + "shampoo hair treatment", + "ampoo for hair treatment", + "shampoo shampoo", + "shampoo" + ], + "i am looking for long lasting and nail polish cute blushs makecup palettes of color:c": [ + "long lasting and nail polish cute blushs makecup palettes", + "long lasting nail polish cute blushs makecup palettes", + "nail polish cute blushs makecup palettes", + "nail polish cute blushs makecup palettes of color", + "long lasting and nail polish cute blushs", + "long lasting and nail polish cute blushs pcup palettes", + "long lasting nail polish cute blushs", + "lip polish cute blushs makecup palettes", + "long lasting polish cute blushs makecup palettes", + "nude blush pomegranate palettes" + ], + "i want a bpa free autobrush brush head replacement for kids.": [ + "bpa free autobrush brush head replacement", + "bpa free autobrush brush head for kids", + "bpa free autobrush brush head", + "a bpa free autobrush brush head replacement", + "bpa free autobrush brush head replacement kids", + "banque free autobrush brush head replacement", + "brushed head replacement for kids", + "burglar brush head replacement for kids", + "burgl brush head replacement for kids", + "buffet brush head replacement for kids" + ], + "i want a dual band beelink u59 mini pc with u59 8+256g.": [ + "dual band beelink u59 mini pc with u59 8+256g", + "dual band beelink mini pc with u59 8+256g", + "dual band beelink i59 mini pc with u59 8+256g", + "dual band beelink u59 mini pc", + "dual band beelink U59 mini pc with u59 8+256g", + "dual band beelinku59 mini pc with u59 8+256g", + "dual band beelink o59 mini pc with u59 8+256g", + "dual band beelink mini pc with u59 8+256g.", + "u59 mini pc with u59 8+256g", + "dual band mini pc with u59 8+256g" + ], + "i want a gluten free cake snack": [ + "gluten free cake snack", + "gluten free cake snack under $40", + "gluten free cake snack under 50 dollars", + "gluten free cake snack under $60", + "gluten free cake snack under 60 dollars", + "gluten free cake snack under $50", + "gluten free cake snack under 40 dollars", + "gluten free cake snack under 30 dollars", + "gluten free cake snack below $40", + "gluten-free cake snack" + ], + "i want a gluten free gourmet popcorn": [ + "gluten free gourmet popcorn", + "gluten free gourmet popcorn flavor", + "gluten-free gourmet popcorn", + "gluten free gourmet popcorn drink mix", + "gluten free gourmet popcorn gourmet", + "gourmet popcorn gluten free", + " gluten free gourmet popcorn", + "vegan gourmet popcorn", + "gluten free popcorn", + "gourmet popcorn" + ], + "i am interested in buying hdmi adapter cable which is compatible with apple, and is of white color while the size should be 6ft": [ + "hdmi adapter cable compatible with apple 6ft", + "hdmi adapter cable that is compatible with apple", + "hdmi adapter cable which is compatible with apple", + "hdmi adapter cable 6ft white", + "hdmi adapter cable, compatible with apple", + "hdmi adapter cable for apple 6ft", + "hdmi adapter cable with white color", + "hdmi adapter cable 6ft", + "hdmi adapter cable in white", + "hdmi adapter cable" + ], + "i am looking for ready to eat peanut butter and jelly": [ + "ready to eat peanut butter and jelly", + "pomegranate butter and jelly", + "pale peanut butter and jelly ready to eat", + "ready to eat peanut butter peanut butter and jelly", + "peanut butter and jelly ready to eat", + "butter peanut butter and jelly ready to eat", + "pomegranate butter peanut butter and jelly", + "pomegranate peanut butter and jelly", + "pale peanut butter and jelly", + "butter peanut butter and jelly" + ], + "i want a low carb cake": [ + "low carb cake", + "low carb cake under $40", + "low carb cake under 50 dollars", + "low carb cake under $60", + "low carb cake under $50", + "low carb cake below $40", + "low carb cake low carb", + "low carb cake under 40 dollars", + "low carb cake no sugar", + "low carb cake below $50" + ], + "i am looking for a grey bunk bed with slats made of solid wood.": [ + "grey bunk bed with slats made of solid wood", + "grey bunk bed, slats made of solid wood", + "grey bunk bed made of solid wood", + "grey bunk bed slats made of solid wood", + "grey bunk bed with slats made from solid wood", + "grey bunk bed", + "grey bunk bed that slats made of solid wood", + "grey bunk bed made from solid wood", + "grey bunk bed with slats", + "grey bunk bed with slats, solid wood" + ], + "i am looking for ultra hd surveillance dvr kits": [ + " ultra hd surveillance dvr kits", + " ultra hd surveillance dvr kit", + " ultra hd surveillance dvr kits under $40", + " ultra hd surveillance dvr kits under $50", + " ultra hd surveillance dvr kits under $60", + " ultra hd surveillance dvr kits under 50 dollars", + " ultra hd surveillance dvr kits under $120", + "Ultra hd surveillance dvr kits", + "ultra hd surveillance dvr kits", + "i am looking for ultra hd surveillance dvr kits under 30 dollars" + ], + "i want a red ergonomic office chair with lumbar support.": [ + "red ergonomic office chair with lumbar support", + "red ergonomic office chair lumbar support", + "red ergonomic office chair with lumbar support.", + "red ergonomic office chair", + "red ergonomic office chair, lumbar support", + "red office chair with lumbar support", + "red ergonomic office chair with lumbar support,", + "red ergonomic office chair that is lumbar support", + "green ergonomic office chair with lumbar support", + "red ergonomic office chair lumbar support." + ], + "i'm looking for a plant based, non-dairy milk maker. also choose white milkmade with 6 storage glass one.": [ + "plant based, non-dairy milk maker", + "plant based dairy milk maker with 6 storage glass", + "plant based non-dairy milk maker with 6 storage glass", + "plant based dairy milk maker", + "plant based, non-dairy milk maker.", + "plant based non-dairy milk maker", + "plant based non-dairy milk maker, 6 storage glass", + "plant based dairy milk maker, 6 storage glass", + "plant based, non-dairy milk maker under $60", + "plant based dairy milk maker 6 storage glass" + ], + "i am looking for oral hygiene dental tools of design: set of 4": [ + "oral hygiene dental tools of design set of 4", + "oral hygiene dental tools of design set of 4,", + "oral hygiene dental tools of design: set of 4", + "oral hygiene dental tools set of 4", + "oral hygiene dental tools of design, set of 4", + "oral hygiene dental tools of design", + "oral hygiene dental tools of designset of 4", + "oral hygiene dental tools, set of 4", + "oral hygiene dental tools 4 set of 4", + "oral hygiene dental tools" + ], + "i am looking for oily skin to instantly remove excess oil & shine in easy use": [ + "moisturizing oily skin", + " oily skin that is easy to use", + "oatmeal skin that is easy to clean", + " oily skin that is easy to clean", + "oatmeal skin that is easy to use", + "moisturizing oily skin with oil", + "moisturizing oil and shine", + "moisturizing oil", + " oily skin with a natural shine", + "oatmeal skin" + ], + "find boots with arch support": [ + "find boots with arch support", + "find boots with arch support under $40", + "find boots with arch support under $50", + "booty arch support", + "find boots with arch support under 50 dollars", + "find boots with arch support under $60", + "find boots with arch support under 30 dollars", + "find boots with arch support under 40 dollars", + "bootlegging arch support", + "shoes with arch support" + ], + "i want to buy dual usb 3.0 male to usb 3.0 female auxiliary which is fast charging and is square dual usb 3.0": [ + "dual usb 3.0 female auxiliary", + "dual usb 3.0 female auxiliary with fast charging", + "dual usb 3.0 woman auxiliary", + "dual usb 3.0 female auxiliary under $40", + "alarm dual usb 3.0 female auxiliary", + "dual usb 3.0 female auxiliary under $50", + "dual usb 3.0 female auxiliary under $60", + "dual usb 3.0 girl auxiliary", + "dual usb 3.0 female auxiliary, fast charging", + "dual usb 3.0 female auxiliary under $130" + ], + "i am looking for a cupcake topper for a birthday party. also choose gold with 35th pattern name.": [ + "cupcake topper for a baby shower", + "cupcake topper for a baby shower gold", + "cupcake topper for a birthday party", + "cupcake topper for a baby shower gold pattern", + "cupcake topper for a birthday party gold", + "cupcake topper for a baby shower under 40 dollars", + "cupcake topper for a baby shower under $50", + "cupcake topper for a baby shower gold patterned", + "cupcake topper for a baby shower under $40", + "cupcake topper" + ], + "i'm looking for a daily casual wear gym shorts with elastic waistband for men. also, choose small, army green colored one.": [ + "small, army green colored gym shorts", + "small, army green gym shorts", + "small, army green training shorts", + "walking shorts small, army green", + "regular wear gym shorts with elastic waistband", + "small, army green tennis shorts", + "small, army green hiking shorts", + "small, army green colored gym shorts,", + "walking shorts small, army green colored", + "walking shorts" + ], + "i'm looking for eco friendly window curtain panels for living room and dining room. also, choose 27.5\" * 39\" *2 panels with christmas-049zse9572 colored one.": [ + "eco friendly window curtain panels for living room and dining room", + "window curtain panels for living room and dining room", + "window curtain panels for living room and dining room.", + "eco friendly window curtain panels", + "window curtain panels for living room and dining room eco friendly", + "eco friendly window curtain panels in living room and dining room", + "eco friendly window curtain panels for living room", + "window curtain panels for living room", + "window curtain panels", + "window curtain panels that are eco friendly" + ], + "i'm looking for personalized photo and name flip flops that are non slip and have memory foam. also, i need them in black.": [ + "pink flip flops with memory foam", + "nude photo and name flip flops with memory foam", + "pink flip flops non slip and have memory foam", + "non slip flip flops in black", + "professional photo and name flip flops with memory foam", + "nude photo flip flops with memory foam", + "pink flip flops with memory foam in black", + "nude photo and name flip flops", + "non slip flip flops with memory foam", + "pink flip flops" + ], + "i am looking for an easy to use hair dye that is natural and coffee colored.": [ + "natural and coffee colored hair dye", + "natural coffee colored hair dye", + "natural hair dye natural and coffee colored", + "natural hair dye coffee colored", + "natural and coffee colored human hair dye", + "easy to use hair dye", + "natural colored hair dye", + "natural hair dye", + "natural hair dye natural coffee colored", + "natural and coffee colored hair dye," + ], + "i am looking for a certified refurbished inkjet printer.": [ + "certified refurbished inkjet printer", + "certified refurbished inkjet printer.", + "professional refurbished inkjet printer", + "womens inkjet printer certified refurbished", + "a certified refurbished inkjet printer.", + "a certified refurbished inkjet printer", + "certified refurbished inkjet printer under $40", + "certified refurbished inkjet printer under $50", + "certified refurbished inkjet printer under $60", + "certified refurbished inkjet printer under $120" + ], + "i'm searching for natural permanent hair dye , 6g light golden brown color, 1 count": [ + "natural permanent hair dye 6g light golden brown", + "natural permanent hair dye 6g light golden brown color", + "natural permanent hair dye , 6g light golden brown", + "natural permanent hair dye, 6g light golden brown", + "natural permanent hair dye6g light golden brown color", + "natural permanent hair dye6g light golden brown", + "natural permanent hair dye with a golden brown color", + "natural permanent hair dye 5g light golden brown", + "natural permanent hair dye light golden brown", + "natural permanent hair dye 6g light golden" + ], + "i need high quality perm rod curlers for natural hair styling. pick one in orange color.": [ + "permanent hair styling orange", + "pale color perm rod curlers natural hair styling", + "pale rod curlers for natural hair styling", + "pale rod curlers natural hair styling", + "perm rod curlers for natural hair styling orange", + "perm rod curlers for natural hair styling in orange", + "pale rod curlers natural hair styling in orange", + "permanent hair styling with orange color", + "permanent hair styling color orange", + "permanent hair styling orange color" + ], + "i would like a 0.28 inch gray hair rollers for natural hair.": [ + "0.28 inch gray hair rollers for natural hair", + "1.28 inch gray hair rollers for natural hair", + "3.28 inch gray hair rollers for natural hair", + "2.28 inch gray hair rollers for natural hair", + "0.28 inch gray hair rollers", + "0.28 inch gray hair rollers natural hair", + "natural hair rollers 0.28 inches", + "natural hair rollers 0.28 inch", + "freeze dried gray hair rollers for natural hair", + "gray hair rollers for natural hair" + ], + "i would like to search for a tennis fashioned women running sneakers in black color preferably with ankle strap.": [ + "tennis fashioned women running sneakers in black color", + "tennis fashioned women running sneakers in black", + "tennis fashioned women running sneakers black", + "te tennis fashioned women running sneakers in black color", + " tennis fashioned women running sneakers in black color", + "tennis fashioned women running sneakers", + "sneakers black", + "walking sneakers in black", + "walking sneakers in black color", + "walking sneakers black" + ], + "i'm looking for some easy to use body paint. get the one in rose gold.": [ + "easy to use body paint in rose gold", + "easy to use body paint, rose gold", + "easy to use body paint", + "easy to use body paint rose gold", + "easy to use body paint.", + "easy to use body paint.rose gold", + "easy to use body paint. rose gold", + "easy to use body paint under $40", + "easy to use body paint under $50", + "walking paint rose gold" + ], + "i need dusty pink mid century bar stools that don't have open backs.": [ + "dust pink mid century bar stool with open backs", + "dust pink mid century bar stools with open backs", + "dust pink mid century bar stools", + "dust pink mid century bar stool, with open backs", + "dust pink mid century bar stool", + "dust pink mid century bar stool with open backs.", + "dust pink mid century bar stool no open backs", + "dust pink mid century bar stools no open backs", + "dust pink mid century bar stool with open backs,", + "dust pink mid century bar stool without open backs" + ], + "i'm looking for a heavy duty queen sized bed frame in a rustic brown color.": [ + "heavy duty queen sized bed frame in a rustic brown", + "low duty queen sized bed frame in a rustic brown", + "living room queen sized bed frame in a rustic brown", + "queen sized bed frame in a rustic brown", + "queen sized bed frame in a rustic brown color", + "dust free queen sized bed frame in a rustic brown", + "burgic brown queen sized bed frame", + "bag bed frame in a rustic brown", + "rashic brown queen sized bed frame", + "heavy duty queen sized bed frame, rustic brown" + ], + "i am looking for high quality nail polish of fijji color.": [ + "nail polish fijji color", + "nude polish fijji color", + "fijji nail polish high quality", + "nude polish of fijji", + "lip polish of fijji color", + "nude polish fijji", + "nail polish fijji", + "nail polish of fijji", + "fijji nail polish", + "fijji polish" + ], + "can you find me a pair of men's slippers with memory foam and rubber soles? i want the ones that are khaki and either 10.5 or 11.": [ + "mens slippers with memory foam and 11.5", + "mens slippers with memory foam 10.5 or 11", + "mens slippers with memory foam, 10.5 or 11", + "mens slippers with memory foam", + "mens slippers with memory foam and 10.5 or 11", + "mens slippers with memory foam and rubber soles", + "mens slippers with memory foam and 11", + "mens slippers with memory foam and 11.5 or 11", + "mens slippers with memory foam 10.5", + "mens slippers" + ], + "i am looking for a clear glass shade, vanity light with black and brushed nickel finish.": [ + "vanity light with black and brushed nickel finish", + "vinyl light with black and brushed nickel finish", + "white vanity light with black and brushed nickel finish", + "clear glass shade with black and brushed nickel finish", + "clear glass shade vanity light black and brushed nickel finish", + "vanity light, black and brushed nickel finish", + "clear glass shade vanity light", + "clear glass shade vanity light with black and brushed nickel", + "vanity light with black and brushed nickel finish,", + "vanity light with black and brushed nickel finish." + ], + "i'm looking for a lactose free and gluten free nutrition bar. i want to get the one that is available in the 24 count.": [ + "lactose free and gluten free nutrition bar 24 count", + "lactose free gluten free nutrition bar 24 count", + "lactose free and gluten free nutrition bar", + "lactose free and gluten free nutrition bar, 24 count", + " lactose free and gluten free nutrition bar 24 count", + "lactose free and gluten free nutrition bar. 24 count", + "lactose free and gluten free nutrition bar under $60", + "lactose free and gluten free nutrition bar under $40", + "lactose free and gluten free nutrition bar in 24 count", + "l lactose free and gluten free nutrition bar 24 count" + ], + "i am looking for some purple, woman's shoes in size 8 that have an anti-slip, rubber sole.": [ + "pink womans shoes size 8 with an anti-slip, rubber sole", + "pink womans shoes in size 8 with anti-slip, rubber sole", + "pink, womans shoes size 8 with anti-slip, rubber sole", + "pink womans shoes size 8 with anti-slip, rubber sole", + "pink, womans shoes in size 8", + "pink womans shoes in size 8", + "pink, womans shoes size 8", + "pink womans shoes size 8", + "pink, womans shoes", + "pink womans shoes" + ], + "i am looking for purple accent side table end which is easy to clean.": [ + "pink accent side table end", + "pink accent side table end, easy to clean", + "pink accent table end", + "pink accent table end, easy to clean", + "pink accent table end that is easy to clean", + "plainty accent side table end", + "pl purple accent side table end", + "plastic accent side table end", + "ps purple accent side table end", + "pink accent side table end clean" + ], + "i'm looking for a easy to install ottoman bench with handle made of faux leather. also, choose grey colored one.": [ + "grey ottoman bench with handle made of faux leather", + "easy to install grey colored ottoman bench", + "walking ottoman bench with handle made of faux leather", + "yellow ottoman bench with handle made of faux leather", + "white ottoman bench with handle made of faux leather", + "easy to install grey ottoman bench", + "easy to install ottoman bench made of faux leather", + "grey ottoman bench", + "easy to install ottoman bench", + "walking bench with handle made of faux leather" + ], + "i would like a color 15 72\" w x 63\" panel that is machine washable.": [ + "15 72 w x 63 panel", + "15 72 x 63 panel that is machine washable", + "15 72 w x 63 panel, machine washable", + "15 72 w x 63 panel with machine washable", + "blue 15 72 w x 63 panel", + "size 15 72 w x 63 panel", + "colored 15 72 w x 63 panel", + "15 72w x 63 panel", + "tablet 15 72 w x 63 panel", + "15 72 x 63 panel" + ], + "i'm looking for curtains for machinable products.": [ + " curtains for machinable products", + "curtains for machinable products", + " curtains for machinable products.", + "comfortable curtains for machinable products", + "window curtains for machinable products", + "clothing for machinable products", + " curtains machinable products", + "queen for machinable products", + "curtains machinable products", + "clothing" + ], + "i am looking for 2 window panels that are 108\" wide and 84\" in length that are machine washable.": [ + "window panels 108 wide and 84 in length", + "window panels that are 108 wide and 84 in length", + "window panels 104 wide and 84 in length", + "window panel 108 wide and 84 in length", + "window panels with 108 wide and 84 in length", + "window panels 110 wide and 84 in length", + "window panels 108 wide, 84 in length", + "window panels 106 wide and 84 in length", + "window panels that are 108 wide and 84in length", + "window panels 108 wide and 84" + ], + "i want machine washable dream catcher light proof curtains that is 55\" w x 45\" l.": [ + "machine washable dream catcher curtains that is 55 w x 45 l", + "machine washable dream catcher light proof curtains", + "machine washable dream catcher light proof curtains 55 w x 45 l", + "machine washable dream catcher curtains 55 w x 45 l", + "machine washable dream catcher light proof curtains, 55 w x 45 l", + "machine washable dream catcher light proof curtains that is 55 w x 45", + "machine washable dream catcher curtains, 55 w x 45 l", + "machine washable dream catcher curtains", + "machine washable dream catcher curtains that is 55 w x 45", + "machine washable dream catcher curtains that is 55 w x 45 l." + ], + "i want hand painted window covering curtain panels. the size should be 52\" wide and 63\" in length.": [ + "hand painted window covering curtain panels", + "hand painted window covering curtain panels 52 wide and 63 in length", + "hand painted window covering curtain panels, 52 wide and 63 in length", + "window covering curtain panels 52 wide and 63 in length", + "hand painted window covering curtain panels. 52 wide and 63 in length", + "window covering curtain panels 52 wide", + "hand painted window covering curtain panels 52 wide", + "hand painted window covering curtain panels 52 wide and 63 in length.", + "window covering curtain panels, 52 wide and 63 in length", + "hand painted window covering curtain panels 52 wide and 63" + ], + "i am looking for some machine washable curtains in the side 52\" by 63\"": [ + "machine washable curtains 52 by 63", + "machine washable curtains in the side 52 by 63", + "man washable curtains 52 by 63", + "man washable curtains in the side 52 by 63", + "machine washable curtains, 52 by 63", + "machine washable curtains", + "woman washable curtains 52 by 63", + "machine washable curtains 52x 63", + "machine washable curtains 52 x 63", + "machine washable curtains in the side 52x 63" + ], + "i saw hand painted with size 96\" w x 90\"": [ + "hand painted with size 96 w x 90", + "hand painted with size 96w x 90", + "hand painted 96 w x 90", + "hand painted size 96 w x 90", + "hand painted with size 96 x 90", + "hand painted in size 96 w x 90", + "hand painted", + "hand painted 96w x 90", + "hand painted, 96 w x 90", + "hand painted size 96w x 90" + ], + "i would like some medium brown hair building fibers for my hair loss.": [ + "medium brown hair building fibers for hair loss", + "medium brown hair building fibers", + "medium brown hair building fibers for my hair loss", + "medium brown hair building fibers for a hair loss", + "medium brown hair building fibers for hair loss.", + "medium brown hair building fibers for human hair loss", + "medium brown hair building fibers for the hair loss", + "medium brown human hair building fibers", + "medium brown hairbuilding fibers", + "medium brown hair" + ], + "find me the 2-pack of trader joe's chocolate covered peppermint joe's cookies.": [ + "2-pack of trader joes chocolate covered peppermint joes cookies", + "two-pack of trader joes chocolate covered peppermint joes cookies", + " 2-pack of trader joes chocolate covered peppermint joes cookies", + "1-pack of trader joes chocolate covered peppermint joes cookies", + "3-pack of trader joes chocolate covered peppermint joes cookies", + "pack of trader joes chocolate covered peppermint joes cookies", + "two pack of trader joes chocolate covered peppermint joes cookies", + "2pack of trader joes chocolate covered peppermint joes cookies", + "2-pack of trader joes chocolate covered Peppermint joes cookies", + "2 pack of trader joes chocolate covered peppermint joes cookies" + ], + "i want to get some baked fresh pretzels. can you get me 6 of them?": [ + "baked fresh pretzels", + " baked fresh pretzels", + "baked fresh pretzels under $60", + "barbecue fresh pretzels", + "baked fresh pretzels under $50", + " baked fresh pretzels under $60", + "baked fresh pretzels under $40", + "baked fresh pretzels under 50 dollars", + " baked fresh pretzels under $50", + " baked fresh pretzels under $40" + ], + "i want an elastic waist beach shorts that is xx-large in size.": [ + "an elastic waist beach shorts xx-large", + "xx-large beach shorts", + "elastic waist beach shorts xx-large", + "xxl beach shorts xx-large", + "x-large beach shorts xx-large", + "xx-large beach shorts xx-large", + "extra-large beach shorts xx-large", + "xl beach shorts xx-large", + "xxl beach shorts xx-large in size", + "x-large beach shorts" + ], + "i would like a 10x8ft light weight photo background for my studio that looks good on digital photography.": [ + "10x8ft light weight photo background", + "10x8ft digital photography background", + "10x8 ft light weight photo background", + "10 x8ft light weight photo background", + "10x8ft heavy weight photo background", + "10x8ft light weight photo backdrop", + "10x8 light weight photo background", + "10x8ft photo background", + "10x8ft camera background", + "10x8ft photography background" + ], + "i'm looking for a short sleeve shirt with a button down closure. get the one in 3xl.": [ + "short sleeve shirt button down closure 3xl", + "short sleeve shirt button down closure", + "short sleeve shirt button down closure, 3xl", + "short sleeve shirt with button down closure", + "short sleeve shirt with button down closure 3xl", + "short sleeve shirt button down closure in 3xl", + "short sleeve shirt button down closure 3xl.", + "short sleeve shirt buttoned closure 3xl", + "short sleeve shirt button down closure. 3xl", + "short sleeve shirt with a button down closure" + ], + "can you find me a stainless steel band for my smartwatch? i need it to be 24 mm.": [ + "stainless steel smartwatch band 24 mm", + "24 mm stainless steel band for smartwatch", + "stainless steel band for smartwatch", + "stainless steel band 24 mm", + "stainless steel band smartwatch 24 mm", + "stainless steel band for my smartwatch", + "stainless steel band 24 mm smartwatch", + "smartwatch band 24 mm", + "stainless steel smartwatch band", + "24 mm stainless steel smartwatch band" + ], + "i want a 20mm stainless steel handmade alligator leather watch band.": [ + "20mm stainless steel alligator leather watch band", + "20mm stainless steel handmade alligator leather watch band", + "20mm stainless steel alligator leather watch band.", + "20mm stainless steel alligator leather watch band under $40", + "20mm stainless steel alligator leather watch band under $50", + "20mm stainless steel alligator leather watch band,", + "20mm stainless steel alligator leather watch band under $60", + "20mm stainless steel alligator leather watch band under 30 dollars", + " 20mm stainless steel alligator leather watch band", + "20mm stainless steel alligator leather watch band under 50 dollars" + ], + "i would like a color12 hair cutting kit that is easy to clean.": [ + "color12 hair cutting kit", + "hair cutting kit that is easy to clean", + "12 hair cutting kit that is easy to clean", + "colored 12 hair cutting kit", + "colored12 hair cutting kit", + "white hair cutting kit that is easy to clean", + "color12 hair cutting kit, easy to clean", + "hair cutting kit that is easy to clean.", + "color12 hair cutting kit easy to clean", + "easy clean hair cutting kit" + ], + "i am looking for a certified organic and caffeine free tea that is licorice root flavored and comes in pack of 16.": [ + "gluten free tea pack of 16", + "natural and caffeine free tea pack of 16", + "sugar free tea pack of 16", + "a certified organic and caffeine free tea pack of 16", + "coffee free tea pack of 16", + "lemon root flavored tea pack of 16", + "a certified organic and caffeine free tea", + "lemon flavored tea pack of 16", + "gluten free tea pack of 16 under $40", + "lemon tea pack of 16" + ], + "i am looking for caffeine free herbal leaf tea having hibiscus flavor.": [ + "caffeinated herbal leaf tea with hibiscus flavor", + "coffee free herbal leaf tea with hibiscus flavor", + "caffeinated herbal leaf tea hibiscus flavor", + " caffeine free herbal leaf tea with hibiscus flavor", + "a caffeine free herbal leaf tea with hibiscus flavor", + "eco-free herbal leaf tea with hibiscus flavor", + "coffee free herbal leaf tea hibiscus flavor", + "caffeinated herbal tea with hibiscus flavor", + "caffeinated herbal leaf tea", + "coffee free herbal leaf tea" + ], + "i would like a 32 count box of individually wrapped moringa with spearmint and sage tea bags that are certified organic.": [ + "32 count box of individually wrapped moringa with spearmint and sage tea bags", + "28 count box of individually wrapped moringa with spearmint and sage tea bags", + " 32 count box of individually wrapped moringa with spearmint and sage tea bags", + "32 count box of individually wrapped moringa with spearmint and sage tea bags certified organic", + "33 count box of individually wrapped moringa with spearmint and sage tea bags", + "32 count box of individually wrapped moringa with spearmint and sage tea", + "32 count box of individually wrapped moringa with spearmint", + "bag of individually wrapped moringa with spearmint and sage tea bags", + "32 count box of individually wrapped moringa", + "32 count box" + ], + "i am looking for hair growth treatment for damaged hair. find me a pack of 2.": [ + "hair growth treatment for damaged hair pack of 2", + "hair growth treatment for damaged hair pack of 2 pack", + "hair growth treatment for damaged hair pack of 2.", + "hair growth treatment for damaged hair. pack of 2", + "hair growth treatment for damaged hair. pack of 2.", + "hair growth treatment for damaged hair with pack of 2", + "human hair growth treatment for damaged hair pack of 2", + "human hair growth treatment for damaged hair pack of 2 pack", + "hair growth treatment for damaged hair", + "hair growth treatment" + ], + "need a flavor syrup that is gluten free and comes in a 12oz size.": [ + "12oz flavor syrup that is gluten free", + "12oz gluten free flavor syrup", + "12oz flavor syrup", + "12oz flavor syrup gluten free", + "gluten free flavor syrup 12oz", + "12oz gluten free flavor syrup 12oz", + "10oz flavor syrup that is gluten free", + "sugar free flavor syrup 12oz", + "gluten free flavor syrup 12oz size", + "12oz flavor syrup, gluten free" + ], + "i want non gmo liquid alchemist blood orange for cocktails.": [ + "non gmo liquid alchemist blood orange for cocktails", + "non gmo liquid alchemist blood orange drink mix", + "non gmo liquid alchemist blood orange for cocktails.", + "non gmo liquid alchemist blood orange", + "non gmo liquid alchemist blood orange cocktails", + "non-gmo liquid alchemist blood orange for cocktails", + "non gmo liquid alchemist blood orange mix for cocktails", + "non gmo liquid alchemist blood orange cocktail drink mix", + "non gmo liquid alchemist blood orange cocktail mix", + "non gmo liquid alchemist blood orange mix" + ], + "i am looking for a power amplifier that is silver.": [ + "silver power amplifier", + "silver power amplifier that is silver", + "power amplifier silver", + "silver power amplifier under $40", + "electric power amplifier silver", + "silver power amplifier under $50", + "silver power amplifier under $60", + "plastic power amplifier silver", + "silver power amplifier silver", + "silver power amplifier," + ], + "i'm looking for 3x-large women's top which will be a great gift for plus size women. ensure to pick the one with blakc color.": [ + "3xl womens top", + "3xl womens top with blakc color", + "3xl womens top in blakc color", + "3xl womens top in blakc", + "3xl womens top, blakc color", + "3xl womens top blakc", + "3xl womens top with blakc", + "3xl womens top, blakc", + "3xl womens top blakc color", + "3xl womens top, blakc colored" + ], + "i would like a small blue blazer that can be dry cleaned.": [ + "small blue blazer", + "small blue blazer dry cleaned", + "small blue blazer, dry cleaned", + "small blue blazer with dry cleaning", + "small blue blazer with a dry cleaning", + "small blue blazer that is dry cleaned", + "small blue blazer under $50", + "small blue blazer under $40", + "small blue blazer with dry cleaned", + "small blue blazer in dry cleaned" + ], + "i need 2-pack dark chocolate almond bars that are gluten free.": [ + "2-pack dark chocolate almond bars", + "2-pack dark chocolate almond bars gluten free", + "2-pack dark chocolate almond bar gluten free", + "2-pack dark chocolate almond bar", + "2-pack dark chocolate almond bars, gluten free", + "two-pack dark chocolate almond bars", + "2-pack dark chocolate almond bars no sugar", + "dark chocolate almond bars that are gluten free", + "2-pack dark chocolate almond bars with gluten free", + "2-pack dark chocolate almond bars gluten free." + ], + "i am looking for a kerating detangler spray that is effective at stimulating hair growth.": [ + " kerating detangler spray that is effective at stimulating hair growth", + "kneeating detangler spray", + "kneeating detangler spray, effective at stimulating hair growth", + "kneeating detangler spray for hair growth", + " kerating detangler spray, effective at stimulating hair growth", + "kneeating detangler spray effective at stimulating hair growth", + "kneeating detangler spray stimulating hair growth", + " kerating detangler spray for hair growth", + " kerating detangler spray, effective at stimulating hair growth.", + " kerating detangler spray" + ], + "i need a perfect sugar fruit gift basket for halloween party. it should be easy to use.": [ + "sugar fruit gift basket for halloween party", + "synthetic sugar fruit gift basket for halloween party", + "sugar fruit gift basket for a halloween party", + "sugar fruit gift basket for halloween", + "gluten-free sugar fruit gift basket for halloween party", + "sugar fruit gift basket for halloween party easy to use", + "sugar fruit gift basket for halloween party under $40", + "gluten free sugar fruit gift basket for halloween party", + "sugar fruit gift basket for halloween party under $50", + "sugar fruit gift basket for halloween party under $60" + ], + "i need a stainless steel gua sha set that includes the roller and box.": [ + "stainless steel gua sha set", + "stainless steel gua sha set with the roller and box", + "stainless steel gua sha set with roller and box", + "stainless steel gua sha set with a roller and box", + "stainless steel gua sha set includes the roller and box", + "stainless steel gua sha set under $50", + "stainless steel gua sha set under $40", + "stainless steel gua sha box", + "stainless steel gua sha", + " stainless steel gua sha set" + ], + "can you find me a pair of open toe rubber sole pumps? get me the black one in 5.5.": [ + "open toe rubber sole pumps in 5.5", + "open toe rubber sole pumps 5.5 black", + "open toe rubber sole pumps 5.5", + "open toe rubber sole pumps black 5.5", + "open toe rubber sole pumps in 5.5.", + "open toe rubber sole pumps in 5.5 black", + "open toe rubber sole pumps 5.5.5", + "open toe rubber sole pumps size 5.5 black", + "open toe rubber sole pumps black in 5.5", + "open toe rubber sole pumps 5.5, black" + ], + "i am looking for grey color women sandals.it must have steel toe.": [ + "grey color women sandals with steel toe", + "grey color women sandals, steel toe", + "grey color women sandals", + "grey woman sandals with steel toe", + "grey women sandals with steel toe", + "grey color women sandals steel toe", + "grey color women sandals.steel toe", + "grey colored women sandals with steel toe", + "grey woman sandals steel toe", + "grey women sandals steel toe" + ], + "i am looking for valentine d\u00e9cor for my living room.": [ + "valentine d\u00e9cor for my living room.", + "valentine d\u00e9cor for my living room", + " valentine d\u00e9cor for my living room.", + " valentine d\u00e9cor for my living room", + "a valentine d\u00e9cor for my living room", + "vinylentine d\u00e9cor for my living room", + "vegan d\u00e9cor for my living room.", + "living room valentine d\u00e9cor", + "vegan d\u00e9cor for my living room", + "valentine d\u00e9cor living room" + ], + "i am looking for window treatment panels for living room and size should be 52x84 inx2.": [ + "window treatment panels for living room 52x84 inx2", + "window treatment panels for living room 52x84 inx2.", + "window treatment panels for living room", + "window treatment panels for living room, 52x84 inx2", + "window treatment panels 52x84 inx2", + "window treatment panels, 52x84 inx2", + "window treatment panels for living room 52x84 x2", + "window treatment panels for living room 52x84", + "window treatment panels, 52x84 inx2,", + "window treatment panels" + ], + "i need a box spring bunk bed. pick a grey one with slide.": [ + "grey box spring bunk bed with slide", + "grey box spring bunk bed", + "box spring bunk bed grey", + "box spring bunk bed grey with slide", + "grey bunk bed with slide", + "box spring bunk bed with slide", + "box spring bunk bed", + "box spring bunk bed, grey", + "black box spring bunk bed with slide", + "grey bunk bed" + ], + "i am looking for variety pack of gluten free energy drinks.": [ + "variety pack of gluten free energy drinks", + " variety pack of gluten free energy drinks", + "comp variety pack of gluten free energy drinks", + "variety pack of gluten free energy drink", + "cariety pack of gluten free energy drinks", + "plastic pack of gluten free energy drinks", + "gluten free energy drinks variety pack", + "com variety pack of gluten free energy drinks", + "variety pack gluten free energy drinks", + "gluten free energy drink variety pack" + ], + "i want to update the living room and need a bronze light fixture. i want you to buy one that is a sconce in the industrial style with clear glass globe shade.": [ + "living room bronze light fixture", + "dining room bronze light fixture", + "living room bronze light fixture.", + "living room bronze light fixture,", + "portrait bronze light fixture", + "chrome light fixture living room", + "plastic light fixture", + "silver bronze light fixture", + "chrome light fixture", + "a bronze light fixture" + ], + "i need a hyaluronic acid lotion that is unscented.": [ + "hyaluronic acid lotion", + "hyaluronic acid lotion unscented", + " hyaluronic acid lotion", + " hyaluronic acid lotion unscented", + "hyaluronic acid lotion, unscented", + " hyaluronic acid lotion, unscented", + "hyaluronic acid lotion unscented.", + "syaluronic acid lotion", + "hyaluronic acid lotion under $40", + "aluronic acid lotion" + ], + "i'm searching for blue color autumn winter shoes of open toe style and size 8.": [ + "blue winter shoes of open toe style and size 8", + "blue winter shoes of open toe style size 8", + "blue autumn winter shoes of open toe style size 8", + "blue winter shoes in open toe style and size 8", + "blue winter shoes in open toe style size 8", + "blue color autumn winter shoes in a size 8", + "blue color autumn winter shoes", + "blue winter shoes size 8", + "blue autumn winter shoes size 8", + "blue winter shoes" + ], + "i want a low fat cereal that is also sugar free.": [ + "low fat cereal sugar free", + "low fat cereal", + "low fat cereal, sugar free", + "low fat cereal no sugar", + "low fat cereal that is sugar free", + "low fat cereal, sugar free,", + "low fat cereal with sugar free", + "low fat cereal under $40", + "sugar free low fat cereal", + "sugar free cereal" + ], + "i'm looking for an anti aging face mask with jojoba seed oil to restore my skin's vitality.": [ + "anti aging face mask with jojoba seed oil", + "anti aging face mask jojoba seed oil", + "anti aging face mask, jojoba seed oil", + "ant aging face mask with jojoba seed oil", + "anti aging face mask made from jojoba seed oil", + "anti aging face mask jojoba seed oil under $40", + "anti aging face mask jojoba seed oil under $50", + "anti aging face mask, jojoba seed oil,", + "anti aging face mask with jojoba seed oil,", + "anti aging face mask" + ], + "i would like a pound of non gmo oatmeal": [ + "pound of non gmo oatmeal", + "pump of non gmo oatmeal", + "non gmo oatmeal pound", + "pack of non gmo oatmeal", + "bag of non gmo oatmeal", + "bagel of non gmo oatmeal", + " pound of non gmo oatmeal", + "bagels of non gmo oatmeal", + "pink oatmeal pound", + "non gmo oatmeal" + ], + "i am looking for a gluten free, 100% vegan plant based protein shake that is soy-free.": [ + "plant based protein shake that is soy free", + "gluten free vegan plant based protein shake", + "vegan plant based protein shake", + "gluten free plant based protein shake", + "plant based protein shake gluten free", + "vegan plant based protein shake gluten free", + "protein shake gluten free 100% vegan", + "protein shake that is soy free", + "plant based protein shake", + "protein shake gluten free" + ], + "i would like a floor lamp light fixture for my living room.": [ + "floor lamp light fixture for living room", + "floor lamp light fixture for my living room", + "floor lamp light fixture for the living room", + "floor lamp light fixture living room", + "floor lamp light fixture for living room.", + "floor lamp light fixture", + "floor lamp light fixture for a living room", + "floor lamp light fixture in my living room", + "floor lamp light fixture in the living room", + "floor lamp light fixture, living room" + ], + "i need a white maxax feather pendant light for the living room.": [ + "white maxax feather pendant light for the living room", + "white maxax feather pendant light for living room", + "white maxax feather pendant light living room", + "white maxax feather pendant light", + "white maxax feather pendant light in the living room", + "white maxax feather pendant light, living room", + "white maxax feather pendant light for living room.", + "white maxax feather pendant light in a living room", + "white maxax feather pendant light dining room", + "white maxax feather pendant light in living room" + ], + "find me a women's 3 piece brazilian thong bikini set that is machine washable and size large. i need it in color a01#purple.": [ + "womens 3 piece brazilian thong bikini set", + "womens 3 piece brazilian thong bikini set in color a01#purple", + "womens 3 piece brazilian thong bikini set that is machine washable", + "womens 3 piece brazilian thong bikini set, machine washable and size large", + "womens 3 piece brazilian thong bikini set a01#purple", + "womens 3 piece brazilian thong bikini set that is machine washable size large", + "womens 3 piece brazilian thong bikini set that is machine washable large", + "womens 3 piece brazilian thong bikini set size large", + "womens 3 piece brazilian thong bikini set under $50", + "3 piece brazilian thong bikini set" + ], + "i'm searching for a black color 150-inch | 16:9, ultra hd and light weight projector screen": [ + "black color 150-inch ultra hd", + "black ultra hd projector screen", + "black color 150-inch | 16:9 projector screen", + "black color 150-inch", + "black color 150-inch | 16:9", + "black ultra hd", + "black color 150-inch high definition ultra hd", + "black color ultra hd", + "150-inch ultra hd", + "blue ultra hd" + ], + "i am looking for a cinewhite sable frame series ultra hd projection material .i prefer light weight.": [ + "cinewhite sable frame series ultra hd projection material", + "cinewhite sable frame series", + "cinewhite frame series ultra hd projection material", + "cinewhite sable frame series", + "cinewhite frame series ultra hd projection material", + "cinewhite frame series", + "cinewhite", + "sable frame series", + "comfortable frame series", + "contrast material" + ], + "i'm looking for a 135 inch light weight projection screen.": [ + "projection screen 135 inches", + "135 inch light weight projection screen", + " 135 inch light weight projection screen", + "projection screen 135 inch", + "portrait screen 135 inches", + "projection screen 135 inches high", + "projection screen 135 ft", + "projection screen 135 x 135", + "projection screen 135 inches long", + "projection screen 135" + ], + "i would like a 92\" powergain ezframe cg5d series projection screen that is ultra hd.": [ + "92 powergain ezframe cg5d series projection screen", + " 92 powergain ezframe cg5d series projection screen", + "92 powergain ezframe cg5d projection screen", + "90 powergain ezframe cg5d series projection screen", + "90 powergain ezframe cg5d projection screen", + "28 powergain ezframe cg5d series projection screen", + "cg5d projection screen that is ultra hd", + "comport screen that is ultra hd", + "cg5d projection screen", + "comport screen that is ultra hd." + ], + "i am interested in an ultra hd projection screen that is 92\"": [ + " ultra hd projection screen that is 92", + "Ultra hd projection screen that is 92", + " ultra hd projection screen", + " ultra hd projection screen that is 92 dollars", + "ux ultra hd projection screen that is 92", + "104 ultra hd projection screen that is 92", + "28 ultra hd projection screen that is 92", + "104 ultra hd projection screen", + " ultra hd projection screen that is 92 inches", + " ultra hd projection screen, 92" + ], + "i am looking for contemporary design featuring clean lines and smooth upholstery, storage ottoman offers the look, feel, and design of a truly contemporary piece. with a minimalistic yet refined structure, this piece brings out a simplistic style that emphasizes comfort and functionality of christopher knight home bancroft lift-top storage ottoman.": [ + "contemporary design with clean lines and smooth upholstery", + "living room bancroft lift-top storage ottoman", + "contemporary design featuring clean lines and smooth upholstery", + "contemporary design storage ottoman", + "contemporary style storage ottoman", + "contemporary design", + "living room ottoman", + "contemporary design for a modern piece", + "living room ottoman with clean lines", + "living ottoman" + ], + "i need easy to install window films that are multicolored and are 123.6\" by 78.7\".": [ + "multicolored window films 123.6 by 78.7", + "multicolored window films that are 123.6 by 78.7", + "window films that are multicolored 123.6 by 78.7", + "window films that are multicolored, 123.6 by 78.7", + "multicolored window films, 123.6 by 78.7", + "multicolored window films that are 123.6 by 78.7.", + "window films that are multicolored 123.6 by 78.7.", + "multicolored window films 123.6 by 78.7.", + "window films that are multicolored", + "multicolored window films" + ], + "i need a hand psychedelic painted window cover that is multi-19818 color and about l23.6\" x h 35.4\".": [ + "hand psychedelic painted window cover l23.6 x h 35.4", + "hand psychedelic painted window cover that is multi-19818 color", + "hand psychedelic painted window cover", + "womens painted window cover that is multi-19818 color", + "hand psychedelic painted window cover that is multi-19818", + "window cover that is multi-19818 color", + "window cover multi-19818 color", + "rainbow color multi-19818 window cover", + "rainbow color multi-19818", + "hand psychedelic painted window cover under $50" + ], + "i need some multicolored window films that are easy to install.": [ + "multicolored window films", + "multicolored window films easy to install", + "multicolored window films under $40", + "multicolored window films under $60", + "multicolored window films under $50", + "multicolored window film", + "multicolored window filmseasy to install", + "multicolored window films under 50 dollars", + "multicolored windows films", + "multicolored window" + ], + "i am looking for an intel core i5 desktop pc.": [ + "intel core i5 desktop pc", + "intel core i5 desktop pc.", + "i am looking for an intel core i5 desktop pc.", + "intel core i5 desktop pc price lower than 50.00 dollars", + "intel core i5 desktop pc with price lower than 50.00 dollars", + "intel core i5 desktop pc, price lower than 50.00 dollars", + "intel core i5 desktop pc under $130", + "intel core i5 desktop pc under $120", + "intel core i5 desktop pc intel", + "intel core i5 desktop pc, under $130" + ], + "i am looking for a blue toothbrush for kids that is easy to use for ages 2-6.": [ + "blue toothbrush for kids 2-6", + "blue toothbrush for kids 2-6.", + "blue toothbrush for kids ages 2-6", + "blue toothbrush for kids", + "blue toothbrush for kids size 2-6", + "blue toothbrush for kids, 2-6", + "blue toothbrush for kids under $60", + "blue toothbrush kids 2-6", + "blue toothbrush 2-6", + "blue toothbrush" + ], + "can you get me a machine washable throw? get me one that is 30x40 inches.": [ + "machine washable throw 30x40 inches", + "machine washable throw that is 30x40 inches", + "machine washable throw, 30x40 inches", + "machine washable throw 30x40 inches under $40", + "man washable throw 30x40 inches", + "machine washable throw 30x40 inches under $50", + "machine washable throw for woman 30x40 inches", + "machine washable throw 30x40 inches under $60", + "machine washable throw", + "machine washable throw 30x40 inches under 30 dollars" + ], + "i'm looking for 16 plus petite women pant with regular fit and easy to care. also, choose vivid blue colored one": [ + "16 plus petite women pant with regular fit and easy to care", + "16 plus petite women pant with regular fit and easy to care, choose vivid blue colored one", + "16 plus petite women pant with regular fit and easy to care.", + "16 plus petite women pant with regular fit and easy to care, choose vivid blue colored", + "16 plus petite women pant", + "16 plus petite women pant with regular fit and easy to care with vivid blue colored", + "16 plus petite women pant with regular fit and easy to care color", + "16 plus petite women pant with regular fit and easy to care under $40", + "16 plus petite women pant with regular fit", + "16 plus petite women pant color" + ], + "i need a heavy duty desk chair for my office. get me one that is easy to assemble though.": [ + "heavy duty desk chair", + "heavy duty desk chair for my office", + "heavy duty desk chair for my office.", + "heavy duty desk chair that is easy to assemble", + "heavy duty desk chair for office", + "heavy duty desk chair for the office", + "heavy duty desk chair, easy to assemble", + "heavy duty desk chair easy to assemble", + "heavy duty desk chair for work", + "heavy duty desk chair for an office" + ], + "i am looking for a vegan gourmet food gift basket with 4 bars.": [ + "vegan gourmet food gift basket with 4 bars", + "vegan gourmet food gift basket 4 bars", + "vegan gourmet food gift basket", + "vegan gourmet food gift basket with 4 bars.", + "vegan gourmet food gift basket, 4 bars", + "vegan gourmet food gift basket with 4 bar", + "plantarian gourmet food gift basket with 4 bars", + "vegan gourmet food gift basket that is 4 bars", + "vegan gourmet food gift basket 4 bar", + "vegan gourmet food gift basket with 4 bars," + ], + "i am looking for a long lasting perfume.": [ + "long lasting perfume", + "long lasting perfume.", + "pink perfume long lasting", + "long lasting perfume under $40", + "long lasting perfume under $50", + "long lasting perfume under $60", + "long lasting perfume under 30 dollars", + "long lasting perfume under 50 dollars", + "long lasting perfume under 60 dollars", + "long lasting perfume under 40 dollars" + ], + "i need a liwin black wireless 3 in 1 qi-certified 15w fast charging station": [ + "levwin black wireless 3 in 1 qi-certified 15w fast charging station", + " liwin black wireless 3 in 1 qi-certified 15w fast charging station", + "liwin black wireless 3 in 1 qi-certified 15w fast charging station", + "lacwin black wireless 3 in 1 qi-certified 15w fast charging station", + "laiwin black wireless 3 in 1 qi-certified 15w fast charging station", + "lenswin black wireless 3 in 1 qi-certified 15w fast charging station", + "a liwin black wireless 3 in 1 qi-certified 15w fast charging station", + "lilwin black wireless 3 in 1 qi-certified 15w fast charging station", + "3 in 1 qi-certified 15w fast charging station", + "levwin black wireless 3 in 1 qi-certified 15w fast charging" + ], + "i am looking for shoes that are grey and light blue with a rubber sole in a size 11-11.5 women.": [ + "grey light blue shoes 11-11.5 women", + "grey walking shoes 11-11.5 women", + "grey light blue shoes 11-11.5", + "walking shoes 11-11.5 women", + "grey light blue walking shoes 11-11.5", + "grey and light blue shoes 11-11.5", + "grey tennis shoes 11-11.5 women", + "grey walking shoes 11-11.5", + "grey light blue tennis shoes 11-11.5", + "walking shoes 11-11.5" + ], + "i need a pink peach colored cruelty free blush.": [ + "pink peach colored cruelty free blush", + "pink peachy colored cruelty free blush", + "pink peach colored cruelty free blush.", + "pink peach colored cruelty free blush under $40", + "pink peaco colored cruelty free blush", + "pink peach colored cruelty free blush below $40", + "pink peach colored cruelty free blush,", + "pink peach colored cruelty free blush under $50", + "pink peaches colored cruelty free blush", + "pink peach colored cruelty free blush under $60" + ], + "i would like a size a color f face cruelty free brush.": [ + "f face cruelty free brush", + "color f face cruelty free brush", + "size a color f cruelty free brush", + "pink face cruelty free brush", + "beauty f face cruelty free brush", + "size f face cruelty free brush", + "f face cruelty free brush.", + "size a color f face cruelty free", + "white face cruelty free brush", + "color f face cruelty free brush." + ], + "i would like to purchase a 0.4 ounce hyaluronic acid water proof concealer that can help to improve the appearance of dark circles. the one with the 20.0 medium (n) color is preferable.": [ + "1.4 ounce hyaluronic acid water proof concealer", + "teeth concealer 20.0 medium (n) color", + "0.4 ounce hyaluronic acid water proof concealer", + "2.4 ounce hyaluronic acid water proof concealer", + "10.4 ounce hyaluronic acid water proof concealer", + "8.4 ounce hyaluronic acid water proof concealer", + "10.0 ounce hyaluronic acid water proof concealer", + "8 oz hyaluronic acid water proof concealer", + "teeth concealer 20.0 medium (n)", + "honey colored concealer 20.0 medium (n)" + ], + "i need long lasting concealer that is in a light natural and is a pack of one.": [ + "long lasting concealer in a light natural", + "long lasting concealer", + "long lasting concealer pack of one", + "long lasting concealer with a pack of one", + "long lasting concealer in a light natural pack", + "long lasting concealer pack of 1", + "long lasting concealer light natural", + "long lasting concealer under $40", + "long lasting concealer under $50", + "long lasting concealer with a pack of 1" + ], + "i am looking for anti ageing concealer with hyaluronic acid for dark circles and should be 0.11floz.": [ + "anti ageing concealer with hyaluronic acid for dark circles", + "anti ageing concealer with hyaluronic acid dark circles 0.11floz", + "anti ageing concealer with hyaluronic acid", + "anti ageing concealer with hyaluronic acid for dark circles under $40", + "anti ageing concealer with hyaluronic acid for dark circles under $50", + "anti ageing concealer with hyaluronic acid, 0.11floz", + "anti ageing concealer 0.11floz", + "anti ageing concealer with hyaluronic acid, 0.11floz,", + "anti ageing concealer", + "anti ageing concealer under $40" + ], + "my skin included 0.4 size dark circle": [ + "skin 0.4 size dark circle", + "1.4 size dark circle", + "dark circle 0.4 size", + "0.4 size dark circle", + "dark circle skin 0.4 size", + "dark circle 0.4", + "dark circle", + "dark circle, 0.4 size", + "dark circle skin 0.4", + "skin 0.4 x dark circle" + ], + "i want to buy a pair of but lifting grey skinny jean shorts.": [ + "grey skinny jean shorts", + "grey skinny jean shorts.", + "grey skinny jean shorts under $40", + "grey skinny jean shorts under $50", + "grey skinny jean shorts under 50 dollars", + "grey jean shorts", + "womens grey skinny jean shorts", + "grey skinny jean shorts,", + "grey skinny jean shorts under 30 dollars", + "grey skinny jean shorts under $60" + ], + "i am looking for a long sleeved graphic shirt that is large in size.": [ + "large graphic shirt", + "large sleeved graphic shirt", + "long sleeved graphic shirt large in size", + "large long sleeved graphic shirt", + "long sleeved graphic shirt", + "long sleeved graphic shirt that is large", + "lens long sleeved graphic shirt", + "medium sleeved graphic shirt", + "large graphic shirt that is large in size", + "large sleeved graphic shirt that is large" + ], + "i need a black barber blade cleaning brush with a long handle.": [ + "black barber blade cleaning brush", + "barber blade cleaning brush with a long handle", + "black barber blade cleaning brush with long handle", + "barber blade cleaning brush with long handle", + "black barber blade cleaning brush, long handle", + "barber blade cleaning brush", + "black barber blade cleaning brush long handle", + "barber blade cleaning brush long handle", + "barber blade cleaning brush long handle black", + "barber blade cleaning brush black" + ], + "i need a super soft brown color llama storage ottoman for living room": [ + "super soft brown color llama storage ottoman", + "super soft brown llama storage ottoman", + "super soft brown llama storage ottoman living room", + "super soft brown lama storage ottoman", + "super soft brown lama storage ottoman living room", + "super soft brown ottoman for living room", + "super soft brown", + "super soft brown ottoman living room", + "super soft brown ottoman", + "super soft brown rug" + ], + "i'd like to buy a queen size bed frame with a dark grey linen headboard.": [ + "king size bed frame with a dark grey linen headboard", + "queen size bed frame, dark grey linen headboard", + " queen size bed frame with a dark grey linen headboard", + "queen size bed frame", + "queen size bed frame dark grey linen headboard", + "Queen size bed frame with a dark grey linen headboard", + "queen size bed frame in dark grey linen headboard", + "queen size bed frame with a dark grey linen", + "queen size bed frame that is dark grey", + "queen size bed frame dark grey linen" + ], + "i am looking for full size , faux leather and box sping pezzola led bed frame": [ + "full size , faux leather and box sping pezzola led bed frame", + "full size faux leather and box sping pezzola led bed frame", + "full size , faux leather, box sping pezzola led bed frame", + "full size, faux leather and box sping pezzola led bed frame", + "full size , faux leather box sping pezzola led bed frame", + "full size , faux leather bed frame", + "full size , faux leather sleeping frame", + "full size , faux leather", + "full size furnthetic leather bed frame", + "full size faux leather bed frame" + ], + "i want an alcohol and sulfate free perfume for women. look for the poised clean breeze scent.": [ + "alcohol and sulfate free perfume for women", + "alcohol and sulfate free perfume", + "alcohol and sulfate free perfume for women.", + "alarm free perfume for women", + "alcohol sulfate free perfume for women", + "alcohol and sulfate free perfume women", + "alcohol and sulfate free perfume woman", + "alcohol free perfume for women", + "pink perfume for women", + "alarm free perfume" + ], + "i'm looking for a women's roll-on perfume from mixologie, called assured. also it needs to be a natural fragrance.": [ + "womens roll-on perfume from mixologie", + "womens roll-on perfume from mixologie, called assured", + "womens roll-on perfume from mixologie, natural fragrance", + "womens roll-on perfume from mixologie natural fragrance", + "womens roll-on perfume from mixologie,", + "womens roll-on perfume from mixologie that is natural", + "womens roll-on perfume from mixologie natural", + "womens roll-on perfume from mixologie with natural fragrance", + "womens roll-on perfume from mixologie a natural fragrance", + "womens roll-on perfume" + ], + "i\u2019d like to find a core i5 micro tower desktop computer; it must have 8 gig of ram and have a 500 gig hard drive.": [ + "core i5 micro tower desktop computer with 8 gig of ram", + "desktop computer core i5 with 8 gig of ram", + "desktop computer with 8 gig of ram", + " core i5 micro tower desktop computer with 8 gig of ram", + "a core i5 micro tower desktop computer with 8 gig of ram", + "core i5 micro tower desktop computer", + "tablet i5 with 8 gig of ram", + "core i5 micro tower desktop computer that is 8 gig of ram", + "desktop computer core i5 micro tower", + "desktop computer with 8 gig ram" + ], + "i am looking for a headset that is certified refurbished.": [ + "certified refurbished headset", + "a headset that is certified refurbished", + "a headset certified refurbished", + "curtains certified refurbished", + "professional headset certified refurbished", + "comfortable headset certified refurbished", + "concealed refurbished headset", + "a headset certified refurbished.", + "comportable refurbished", + "curtains certified refurbished." + ], + "i want you to find me a mini desktop computer with intel core. i want the one with no ram, no ssd, and no wifi.": [ + "mini desktop computer with intel core", + "tablet computer with intel core", + "desktop computer with intel core", + " mini desktop computer with intel core", + "mini desktop computer with intel core with no ram", + "a mini desktop computer with intel core", + "mini desktop computer with intel core, no ram", + "mini desktop computer with intel core.", + "dual desktop computer with intel core", + "mini desktop computer" + ], + "can you find me a formal dress with a lace closure? i'm looking for something in ocean blue in size 24 plus.": [ + "a formal dress with a lace closure in size 24 plus", + "a formal dress with a lace closure", + "a formal dress with a lace closure size 24 plus", + "an ocean blue formal dress with a lace closure", + "a formal dress with a lace closure, size 24 plus", + "anal blue formal dress with a lace closure", + "a formal dress with a lace closure size 24", + "sea blue formal dress with a lace closure", + "a formal dress with a lace closure size 24 plus.", + "a formal dress with a lace closure in size 24" + ], + "i would like a coffee latte rooted wig made of natural hair.": [ + "coffee latte rooted wig made of natural hair", + "cup latte rooted wig made of natural hair", + "ffee latte rooted wig made of natural hair", + " coffee latte rooted wig made of natural hair", + "coffee latte rooted wig made from natural hair", + "a coffee latte rooted wig made of natural hair", + "coffee latte rooted wig made of natural", + "cup coffee latte rooted wig made of natural hair", + "coffee latte rooted wig", + "bagel rooted wig made of natural hair" + ], + "find me a loose fitting, long sleeve hoodie for teenage girls. i want the one that is green and in xxl.": [ + "jeans hoodie green xxl", + "large sleeve hoodie for teenage girls green xxl", + "pocket fitting, long sleeve hoodie for teenage girls", + "womens hoodie green xxl", + "lens hoodie for teenage girls green xxl", + "green long sleeve hoodie for teenage girls", + "large sleeve hoodie for teenage girls in xxl", + "green hoodie for teenage girls", + "lens hoodie green xxl", + "green hoodie" + ], + "i need a z6-black and small short sleeve crop top for women.": [ + "z6-black short sleeve crop top for women", + "z6-black small short sleeve crop top for women", + " z6-black small short sleeve crop top for women", + " z6-black short sleeve crop top for women", + "a z6-black short sleeve crop top for women", + "z6-black small short sleeve crop top", + "short sleeve crop top for women z6-black", + "z6-black short sleeve crop top", + "small short sleeve crop top for women", + "z6-black short sleeve crop top for women." + ], + "i'm looking for a khaki - light filtering cellular shades of size 67\"w x 39\"h for living room": [ + "kaki - light filtering cellular shades of size 67w x 39h", + "curtains 67w x 39h for living room", + "curtains of size 67w x 39h for living room", + "kakis - light filtering cellular shades of size 67w x 39h", + "kyaki - light filtering cellular shades of size 67w x 39h", + "kaki light filtering cellular shades of size 67w x 39h", + "curtains 67w x 39h", + "kaki - light filtering cellular shades", + "curtains 67w x 39h living room", + "curtains of size 67w x 39h living room" + ], + "i would like a 88 inch wide by 56 inch tall set of blinds for my living room preferably coffee colored.": [ + "88 inch wide by 56 inch tall set of blinds", + "88 inch wide by 56 inch tall set of blinds for my living room coffee colored", + "88 inch wide by 56 inch tall set of blinds in my living room coffee colored", + " 88 inch wide by 56 inch tall set of blinds for my living room coffee colored", + "88 inch wide by 56 inch tall set of blinds living room coffee colored", + "88 inch wide by 56 inch tall set of blinds for living room coffee colored", + "88 inch wide by 56 inch tall set of blinds in a coffee colored", + "88 inch wide by 56 inch tall set of blinds that are coffee colored", + " 88 inch wide by 56 inch tall set of blinds in my living room coffee colored", + "88 inch wide by 56 inch tall set of blinds for living room preferably coffee colored" + ], + "i am looking for a dairy free, and soy free vegan mac and cheese, id like to get a four pack of them.": [ + "vegan mac and cheese four pack", + "dairy free vegan mac and cheese four pack", + "vegan mac and cheese 4 pack", + "4 pack dairy free vegan mac and cheese", + "vegan mac and cheese four pack dairy free", + "vegan mac and cheese four pack less then $40", + "vegan mac and cheese four pack under $40", + "4 pack vegan mac and cheese", + "vegan mac and cheese four pack less then $60", + "vegan mac and cheese four pack under $60" + ], + "i am looking for a high speed hdmi male to male cable that is gold plated. i need it in a 10 pack.": [ + "high speed hdmi male to male cable", + "hdmi male to male cable that is gold plated", + "high speed hdmi male to male cable gold plated", + "high speed hdmi male to male cable 10 pack", + "low speed hdmi male to male cable", + "high speed hdmi male to male cable under $40", + "high speed hdmi male to male cable under $50", + "hdmi male to male cable", + "tv hdmi male to male cable", + "high speed hdmi cable" + ], + "i am looking for a 1 pack of high speed hdmi cables": [ + "1 pack of high speed hdmi cables", + "1 pack of hdmi cables", + "1 pack high speed hdmi cables", + "1 pack hdmi cables", + "high speed hdmi cables", + "one pack of high speed hdmi cables", + "1 pack of high speed hdmi cable", + "hdmi cables 1 pack", + "high speed hdmi cables 1 pack", + "hdmi cables 1 pack high speed" + ], + "i want to get a fully cooked meat pizza. pick out the one that comes in the five pack.": [ + "5 pack fully cooked meat pizza", + "vegan meat pizza five pack", + "pack of fully cooked meat pizza five pack", + "pack of fully cooked meat pizza", + "pack of fully cooked meat pizza 5 pack", + "full cooked meat pizza five pack", + "vegan meat pizza 5 pack", + "gluten-free meat pizza five pack", + "6 pack fully cooked meat pizza", + "5 pack fully cooked meat pizza." + ], + "ilooking a fully cooked 6 pack meat natural ingredient with sausage supreme flavour": [ + "6 pack meat natural ingredient with sausage supreme flavour", + "6 pack meat natural ingredient", + "6 pack meat natural ingredient with sausage supreme", + "pack meat natural ingredient with sausage supreme flavour", + "6 pack meat natural ingredient with sausage supreme flavor", + "8 pack meat natural ingredient with sausage supreme flavour", + "4 pack meat natural ingredient with sausage supreme flavour", + "pack meat natural ingredient with sausage supreme", + "5 pack meat natural ingredient with sausage supreme flavour", + "8 pack meat natural ingredient" + ], + "i need a bag of pizza pepperoni with natural pizza ingredients.": [ + "bag of pizza pepperoni natural pizza ingredients", + "pizza pepperoni with natural pizza ingredients", + "bag of pizza pepperoni", + "pizza pepperoni natural pizza ingredients", + "bag of pizza pepperoni natural pizza", + "pack of pizza pepperoni natural pizza ingredients", + "pizza pepperoni natural pizza", + "bag of pizza pepperoni natural", + "pizza pepperoni natural", + "pizza pepperoni" + ], + "i am looking for well cooked frozen chicken pizza with double cheese in a size of 6 pack.": [ + "well cooked frozen chicken pizza with double cheese in a size of 6 pack", + "large cooked frozen chicken pizza with double cheese in a size of 6 pack", + "6 pack frozen chicken pizza with double cheese", + "6 pack frozen chicken pizza with double cheese in a size of 6 pack", + "fresh cooked frozen chicken pizza with double cheese in a size of 6 pack", + "low cooked frozen chicken pizza with double cheese in a size of 6 pack", + "pack of frozen chicken pizza with double cheese in a size of 6 pack", + "well cooked frozen chicken pizza with double cheese", + "6 pack frozen chicken pizza", + "6 pack of frozen chicken pizza with double cheese" + ], + "i am looking for non-toxic eyelashes that are purple.": [ + "non-toxic eyelashes purple", + "non-toxic eyelashes", + "non-toxic eyelashes in purple", + "non-toxic eyelashes, purple", + "non-toxic eyelashes with purple", + "non-toxic eyelashes color purple", + "nude purple eyelashes", + "non toxic eyelashes purple", + "nuanced eyelashes purple", + "pink eyelashes" + ], + "i need wireless bluetooth speakers that are red.": [ + "red bluetooth speakers", + "red wireless bluetooth speakers", + "wireless bluetooth speakers red", + "blue wireless bluetooth speakers", + "blue bluetooth speakers", + "red bluetooth speakers that are red", + "blue bluetooth speakers that are red", + "red bluetooth speakers bluetooth", + "green wireless bluetooth speakers", + "red bluetooth speakers that are wireless" + ], + "please help me find a phoenix single cup and saucer that is made of bone china and is easy to clean.": [ + "phoenix single cup and saucer that is made of bone china", + "poenix single cup and saucer that is made of bone china", + "pink single cup and saucer that is made of bone china", + "phoenix single cup and saucer made of bone china", + "single cup and saucer that is made of bone china", + "phoenix single cup and saucer", + "poenix single cup and saucer made of bone china", + "poenix single cup and saucer", + "phoenix single cup and saucer, made of bone china", + "poenix single cup and saucer, made of bone china" + ], + "i'm looking for a fruit king crispy tofu stick that is freeze dried and high in protein.": [ + "fruit king crispy tofu stick freeze dried and high in protein", + "fruit king crispy tofu stick, freeze dried and high in protein", + "fruit king crispy tofu stick", + "fruit king crispy tofu stick freeze dried", + "fruit king crispy tofu stick freeze dried high in protein", + "fruit king crispy tofu stick that is freeze dried", + "fruit king crispy tofu stick, freeze dried, high in protein", + "fruit king crispy tofu stick that is freeze dried high in protein", + "fruit king crispy tofu stick frozen dried and high in protein", + "fruit king crispy tofu stick high in protein" + ], + "show me a ready to hang horse33 wall art in 16''w x 24''h size for my living room.": [ + "16w x 24h wall art", + "ready to hang horse33 wall art", + "ready to hang 16w x 24h wall art", + "18 wall art in 16w x 24h", + "ready to hang horse33 wall art for living room", + "living room wall art 16w x 24h", + "18 wall art in 16w x 24h size", + "ready to hang horse33 wall art for living room.", + "ready to hang horse33 wall art for my living room", + "18 wall art" + ], + "i'm looking for high heels with open toe and has ankle strap. also choose size 6 with black colored one.": [ + "high heels with open toe black", + "high heels with open toe in black", + "high heels size 6 with ankle strap", + "high heels with open toe", + "high heels with open toe, black", + "high heel with open toe black", + "high heels size 6 black", + "high heels in black", + "high heels black", + "high heels" + ], + "i am looking for hand crafted food decoration toopers for birthday parties.": [ + "hand crafted food decoration toopers for birthday parties", + "hand crafted food decoration toopers for birthday parties.", + "hand crafted food decoration toopers for baby shower", + "hand crafted food decoration toopers for birthday parties under $40", + "hand crafted food decoration toopers for birthday parties under 50 dollars", + "hand crafted food decoration toopers for birthday parties under $50", + "hand crafted food decoration toopers for birthday parties under $60", + "hand crafted food decoration toopers for birthday parties under 30 dollars", + "hand crafted food decoration toopers for birthday parties under 40 dollars", + "hand crafted food decoration toopers for birthday parties under 60 dollars" + ], + "i tore my walking shoes today and need new ones. i'd like you to buy me a new pair. my size is 16 wide and the only other thing i care about is that they are made of ethylene vinyl.": [ + "walking shoes 16 wide ethylene vinyl", + "walking shoes16 wide ethylene vinyl", + "walking shoes size 16 ethylene vinyl", + "walking shoe 16 wide ethylene vinyl", + "walking shoes 17 wide ethylene vinyl", + "walking shoes made of ethylene vinyl", + "walking shoes size16 ethylene vinyl", + "walking shoes size 16", + "walking shoes 16 x 16", + "walking shoes 16 wide" + ], + "buy a pair of size nine waterproof lace-up walking shoes. they should be made out of vinyl acetate .": [ + "size 9 waterproof lace-up walking shoes", + "size 9 waterproof lace-up walking shoes made out of vinyl acetate", + "size nine waterproof lace-up walking shoes", + "size nine waterproof lace-up walking shoes made out of vinyl acetate", + "size 9 waterproof lace-up walking shoes with vinyl acetate", + "size 9 waterproof walking shoes made out of vinyl acetate", + "size 9 waterproof lace-up walking shoes in vinyl acetate", + "womens size 9 waterproof lace-up walking shoes", + "size 9 waterproof walking shoes", + "walking shoes size 9 waterproof" + ], + "i'm looking for some open toe flats for teen girls. i want the pink one in size 7.": [ + "open toe flats for teen girls size 7", + "open toe flats for teen girls in size 7", + "open toe flats for teen girls", + "open toe flats for teen girls size 7.", + "open toe flats for teen girl size 7", + "open toe flats for teen girl", + "open toe flats for teen girls. pink", + "open toe flats teen girl girl size 7", + "open toe flats for teen girls, size 7", + "open toe flats teen girl size 7" + ], + "i would like a 40x120cm roller shade for my living room that's easy to install.": [ + "40x120cm roller shade for my living room", + "40x120cm roller shade", + "40x120cm roller shade for living room", + "40x120cm roller shade for the living room", + "40x120cm roller shade in my living room", + "40x120cm roller shade for a living room", + "40x120cm roller shade living room", + "40x120cm roller shade, easy to install", + "dust roller shade for living room", + "roller shade for living room" + ], + "i need a stainless steel pot rack.": [ + "stainless steel pot rack", + "stainless steel pot rack.", + "stainless steel pot rack under $50", + "stainless steel pot rack under $40", + "stainless steel pot rack under $60", + "stainless steel pot rack under 50 dollars", + "stainless steel pot rack under $130", + "stainless steel pot rack under $120", + "stainless steel pot rack under 30 dollars", + "stainless steel pot rack below $50" + ], + "i am looking for a 12\" darkest brown #2 synthetic hair hair extensions": [ + "12 darkest brown synthetic hair extensions", + "12 darkest brown synthetic hair hair extensions", + "12 darkest brown human hair extensions", + "12 darkest brown hair extensions", + "12 darkest brown synthetic hair extension", + "12 darkest brown synthetic hair hair extension", + "12 darkest brown natural hair extensions", + "12 dark brown synthetic hair extensions", + "12 darkest brown synthetic hair wig extensions", + "12 darkest brown" + ], + "show me a ready to hang wooden framed wall art poster of nude man or women in 20 x 30 in size.": [ + "ready to hang wooden framed wall art poster of nude man or women", + "ready to hang wooden framed wall art poster of nude man or women.", + "ready to hang wooden framed wall art poster of nude men or women", + "ready to hang wooden framed wall art poster of nude woman under 30 dollars", + "ready to hang wooden framed wall art poster of nude woman", + "20 x 30 wall art poster of nude man or women", + "ready to hang wooden framed wall art poster", + "20 x 30 wall art poster", + "20 x 30 wall art poster of nude woman", + "portrait nude man or women 20 x 30" + ], + "i need a gift set of cookies for the perfect gift that has oreos.": [ + "gift set of cookies that has oreos", + "gift set of cookies", + "gift set of cookies with oreos", + "gift set of cookies perfect gift that has oreos", + "gift set of cookies that have oreos", + "gift set of cookies for the perfect gift", + "gift set of cookies for a perfect gift", + "gift set of cookies that has oreos.", + "gift set of cookies under $50", + "gift set of cookies under 50 dollars" + ], + "i am looking for a specific perfume fragrance called impression of a poison girl that comes in a travel size.": [ + "pink perfume fragrance", + "pink perfume fragrance that is travel size", + "pink perfume fragrance in a travel size", + "pink girl perfume fragrance travel size", + "pink girl perfume fragrance", + "pink perfume fragrance with a poison girl", + "pink perfume fragrance that is travel sized", + "pink girl perfume", + "portrait of a poison girl", + "pink girl perfume scent" + ], + "i am looking for a kids u shaped toothbrush that is high quality and blue or orange in color.": [ + "kids u shaped toothbrush high quality and blue or orange", + "kids u shaped toothbrush high quality blue or orange", + "kids toothbrush that is high quality and blue or orange", + "kids u shaped toothbrush blue or orange", + "kids toothbrush high quality blue or orange", + "kids u shaped toothbrush that is high quality in color", + "kids u shaped toothbrush that is high quality", + "kids u shaped toothbrush in blue or orange", + "kids u shaped toothbrush", + "kids toothbrush blue or orange" + ], + "i'm looking for space saving storage bins made of pu leather. also, choose 16.5\" thickened in size with burgundy stripe pattern.": [ + "storage bins 16.5 thickened in size with burgundy stripe pattern", + "16.5 thickened in size with burgundy stripe pattern", + "storage bins made of pu leather", + "16.5 thickened storage bins made of pu leather", + "storage bins made of pu leather 16.5 thickened in size", + "16.5 thickened storage bins with burgundy stripe pattern", + "space saving storage bins made of pu leather", + "23 ft storage bins made of pu leather", + "space saving storage bins made of pu leather 16.5 thickened in size", + "grey storage bins made of pu leather" + ], + "snow white water glow mask cream": [ + "snow white water glow mask cream", + "snow white water glow mask cream under $40", + "snow white water glow mask cream under $50", + "snow white water glow mask cream under $60", + "snow white water glow mask cream under 50 dollars", + "snow white water glow mask cream below $40", + "snow white water glow mask cream under 30 dollars", + "snow white water glow mask cream below $50", + "snow white water Glow mask cream", + "snow white water glow mask cream," + ], + "can you find me a pair of men's pleated golf shorts with a button closure and a high waist? i want them in khaki and in size 38.": [ + "mens pleated golf shorts in khaki size 38", + "mens pleated golf shorts in khaki in size 38", + "mens pleated golf shorts in khaki in a size 38", + "mens pleated golf shorts size 38", + "mens pleated golf shorts with a button closure in khaki", + "mens pleated golf shorts with a button closure", + "mens pleated golf shorts with button closure", + "mens pleated golf shorts with button closure in khaki", + "mens pleated golf shorts in khaki", + "mens pleated golf shorts with a button closure, size 38" + ], + "i want to buy a pair of closed toe sandals in size 6. it should have high heels.": [ + "open toe sandals size 6 high heels", + "open toe sandals size 6 with high heels", + "clinically closed toe sandals in size 6", + "open toe sandals size 6", + "open toe sandals in size 6", + "open toe sandals in size 6 with high heels", + "clinically closed toe sandals size 6", + "closed toe sandals in size 6", + "open toe sandals size 6, high heels", + "sneakers size 6 high heels" + ], + "i'm looking for a non slip spotting scopes for bird watching.": [ + "non slip spotting scopes for bird watching", + "non slip spotting scopes for bird watching.", + "non slip spotting scopes bird watching", + "non slip spotting scopes bird watching.", + "non slip spotting scopes for bird watching under $40", + "non slip spotting scopes for bird watching under $50", + "non slip spotting scopes for bird watching under $60", + "non slip spotting scopes for bird watching under 50 dollars", + "non slip spotting scopes for bird watching under 30 dollars", + "non slip spotting scopes, bird watching" + ], + "find me a high quality 613 bundle with closure hair extension in 14 14 16+12 size.": [ + "613 bundle with closure hair extension", + "613 bundle with closure hair extension 14 14 16+12", + "613 bundle with closure hair extension that is high quality", + "high quality 613 bundle with closure hair extension", + "613 bundle with closure hair extension in 14 14", + "613 bundle with closure hair extension 14 14", + "613 bundle with closure hair extension under $50", + "613 bundle with closure hair extension with high quality", + "613 bundle", + "613 bundle with closure" + ], + "i would like a bundle of hair extensions that are 20 inches": [ + "20 hair extensions", + "20 hair extension bundle", + "20 hair extensions 20 inches", + "20 hair extensions under 20 dollars", + "20 hair extension bundle 20 inches", + "20 hair extensions under $40", + "20 hair extensions under $50", + "20 hair extensions, 20 inches", + "hair extension bundle 20 inches", + "20 hair extensions under $60" + ], + "find me some non-slip steel toe platform shoes for women. i want something in pink in the size 10.5.": [ + "non-slip steel toe platform shoes for women size 10.5", + "non-slip steel toe platform shoes for women size 10.5.", + "non-slip steel toe platform shoes for women size 10.5 pink", + "non-slip steel toe platform shoes for women", + "non-slip steel toe platform shoes size 10.5", + "non-slip steel toe platform shoes for women, size 10.5", + "non-slip steel toe platform shoes", + "non-slip steel toe platform shoes for women in pink", + "non-slip steel toe platform shoes in pink", + "pink steel toe platform shoes" + ], + "i am looking for an easy clean rug that is red in color.": [ + "easy clean rug red", + "easy clean rug red rug", + "easy clean rug in red", + "easy clean rug", + "living rug red easy clean", + "easy clean rug, red", + "easy clean rug red clean", + "living rug red", + "yellow rug easy clean", + "yellow rug" + ], + "i need some new yoga wide leg yoga pants. make sure you get me the wocachi brand and that they are plaid. oh, also make sure they are from this years spring/summer collection.": [ + "yoga wide leg yoga pants", + "yoga wide leg yoga pants plaid", + "yoga wide leg yoga pants, plaid", + "yoga wide leg yoga pants with plaid", + "yoga wide leg yoga pants in plaid", + "yoga wide leg yoga pants under $40", + "yoga wide leg yoga pants under $50", + "yoga wide leg yoga pants.", + "walking wide leg yoga pants", + " yoga wide leg yoga pants" + ], + "i am looking for a high quality nylon strap for my galaxy phone.": [ + "high quality nylon strap for my galaxy phone", + "high quality nylon strap for a galaxy phone", + "high quality nylon strap for my galaxy phone.", + "nylon strap for galaxy phone", + "a high quality nylon strap for my galaxy phone", + "high quality nylon strap for a galaxy phone.", + "a high quality nylon strap for a galaxy phone", + "navy strap for galaxy phone", + "nylon strap for a galaxy phone", + "low quality nylon strap for my galaxy phone" + ], + "i am looking for natural looking hair extensions 18 inch.": [ + "natural looking hair extensions 18 inch", + "natural looking hair extension 18 inch", + "natural looking hair extensions 18 inches", + "natural looking hair extensions 18 inch natural", + "natural looking hair extensions 18 inch.", + "natural looking hair extensions 18 inches natural", + "natural looking hair extension 18 inches", + "natural looking hair extensions 18 inches.", + "natural looking hair extension 18 inch natural", + "natural looking hair extensions" + ], + "my sister have natural hair in 12 inch": [ + "natural hair 12 inch", + "natural hair 12 inch under $50", + "natural hair in 12 inch", + "natural hair 12 inch under $40", + "natural hair 12 inch under $60", + "natural hair 12 inch under $120", + "natural hair in 12 inch", + "natural hair 12 inches", + "natural hair 12 inch under 50 dollars", + "natural hair 12 inch under 30 dollars" + ], + "i am looking for an eco friendly 35 by 59 inch waterproof clear plastic table mat.": [ + "eco friendly 35 by 59 inch waterproof clear plastic table mat", + "35 by 59 inch waterproof clear plastic table mat", + "23 by 59 inch waterproof clear plastic table mat", + "eco friendly 35 x 59 inch waterproof clear plastic table mat", + "28 by 59 inch waterproof clear plastic table mat", + "33 by 59 inch waterproof clear plastic table mat", + "eco friendly 35 by 59 inch waterproof clear plastic table mats", + "a 35 by 59 inch waterproof clear plastic table mat", + "waterproof clear plastic table mat", + "35 by 59 inch waterproof clear plastic table mat." + ], + "i am looking for some birthday party supplies to go on a plane-themed birthday cake.": [ + "baby shower party supplies plane-themed", + "baby shower supplies plane-themed", + "birthday party supplies plane-themed", + "baby shower cake plane-themed", + "bday party supplies plane-themed", + "baby shower with plane-themed cake", + "pink birthday party supplies", + "baby shower party supplies", + "baby shower cake", + "baby shower supplies" + ], + "can you find me some rose gold eyeshadow, please?": [ + "rose gold eyeshadow, please?", + "rose gold eyeshadow", + "rose gold eyeshadow, please", + "rose gold eyeshadow under $40", + "rose gold eyeshadow under $50", + "rose gold eyeshadow under 30 dollars", + "rose gold eyeshadow, please,", + "rose gold eyeshadow under $60", + "rose gold eyeshadow under 50 dollars", + "rose gold eyeshadow below $50" + ], + "i am looking for a high quality perfume.": [ + "high quality perfume", + "pink perfume high quality", + "high quality perfume.", + "high quality perfume under $40", + "pink perfume", + "high quality perfume under 30 dollars", + "high quality perfume under $60", + "high quality perfume under $50", + "high quality perfume under 120 dollars", + "perfume high quality" + ], + "i would like a size 10 black long sleeve sweatshirt.": [ + "size 10 black long sleeve sweatshirt", + "black long sleeve sweatshirt size 10", + "size 10 black long sleeve sweatshirt.", + "black long sleeve sweatshirt", + "shirt size 10 black long sleeve sweatshirt", + "womens sweatshirt size 10 black", + "slimming sweatshirt size 10 black", + "black long sleeve sweatshirt in size 10", + "sneakers size 10 black", + "black long sleeve sweatshirt, size 10" + ], + "i need contemporary style and granite counter stools for the dining room.": [ + "contemporary style granite counter stools dining room", + "contemporary style granite counter stool dining room", + "living room granite counter stools", + "contemporary style granite counter stool for dining room", + "contemporary style and granite counter stool dining room", + "living room granite counter stool", + "contemporary style granite counter stools", + "living room stone counter stools", + "living room counter stools", + "living room counter stool" + ], + "can you find me a tablet charger with ouput protection, please?": [ + "tablet charger with ouput protection", + "tablet charger ouput protection", + " tablet charger with ouput protection", + " tablet charger ouput protection", + "titanium charger with ouput protection", + "a tablet charger with ouput protection", + "titanium charger ouput protection", + "desktop charger with ouput protection", + " tablet charger with ouput protection, please", + "tablet charger ouput protection, please" + ], + "please help me find a pair of white men\u2019s sneaker in a size 13; it must be the \u201cu-throat\u201d type with a rubber sole.": [ + "white men\u2019s sneaker in a size 13", + "white men\u2019s sneaker size 13", + "white men\u2019s sneaker size 13, rubber sole", + "black men\u2019s sneaker in a size 13", + "white men\u2019s sneaker 13 in a size 13", + "white men\u2019s sneaker 13 with a rubber sole", + "white men\u2019s sneaker 13 size 13", + "white men\u2019s sneaker 13", + "white men\u2019s sneaker 13, rubber sole", + "white men\u2019s sneaker" + ], + "i am looking for 16\" natural human hair extensions that is a mix of brown and dark blonde.": [ + "16 natural human hair extensions", + "natural human hair extensions mix of brown and dark blonde", + "16 natural human hair extensions mix of brown and dark blonde", + "16 natural human hair extensions a mix of brown and dark blonde", + "natural human hair extensions a mix of brown and dark blonde", + "16 natural human hair extensions brown and dark blonde", + "natural human hair extensions", + "natural human hair extensions brown and dark blonde", + "16 natural human hair extension", + "16 natural human hair extensions that is a mix of brown" + ], + "i am looking for a high quality reusable facial treatment.": [ + "high quality reusable facial treatment", + "low quality reusable facial treatment", + "a high quality reusable facial treatment", + "reusable facial treatment", + "high quality reusable facial treatment.", + "releasable facial treatment", + "rubber facial treatment", + "useful reusable facial treatment", + "facial treatment high quality", + "rubber facial treatment high quality" + ], + "i want a gray dzquy men striped knit sweater in x-large. i want one that is fleece lined and water resistant.": [ + "gray dzquy men striped knit sweater in x-large", + "gray dzquy men striped knit sweater x-large", + "womens striped knit sweater in x-large", + "womens striped knit sweater x-large", + "grey dzquy men striped knit sweater in x-large", + "womens gray dzquy men striped knit sweater in x-large", + "gray dzquy men striped knit sweater in x-large.", + "womens striped knit sweater x-large, fleece lined and water resistant", + "gray dzquy men striped knit sweater", + "gray dzquy men striped knit sweater in x-large under $40" + ], + "i am looking for a window film for the dining room in the color 917730770571231000 in the size 23.6 by 23.6.": [ + "window film dining room in the color 917730770571231000", + "window film for dining room in the color 917730770571231", + "window film dining room color 917730770571231000", + "window film dining room in the color 917730770571231", + "window film dining room", + "window film dining room color 917730770571231", + "window film for dining room", + "window film", + "window film for dining room in the color 9177307", + "window" + ], + "i am looking for a 2 light vanity light with glass shade.": [ + "2 light vanity light with glass shade", + "2 light vanity light", + "2 light vanity light, glass shade", + "two light vanity light with glass shade", + " 2 light vanity light with glass shade", + "2 light vanity light in glass shade", + "1 light vanity light with glass shade", + "light vanity light with glass shade", + "2 light vanity light in glass", + "two light vanity light" + ], + "i am looking for a desktop that is a core intel i7 that has 8gb of ram and 512 ssd of storage.": [ + "desktop with 8gb of ram and 512 ssd of storage", + "desktop with 8gb of ram and 512 ssd", + "desktop i7 with 8gb of ram and 512 ssd", + "desktop desktop with 8gb of ram and 512 ssd of storage", + "desktop with 8gb of ram", + "desktop with 8gb of ram with 512 ssd", + "desktop with 8gb ram and 512 ssd", + "desktop i7 with 8gb of ram", + "desktop desktop with 8gb of ram and 512 ssd", + "desktop with 8gb ram" + ], + "i would like to buy a desktop computer with windows 10, intel core processor. additionally i would like 8gb of ram and a 512gb ssd.": [ + "desktop computer with windows 10 intel core processor", + "desktop computer with windows 10, intel core processor", + "desktop computer with windows 10 intel core processor.", + "desktop computer with windows 10 intel core processor 8gb of ram", + "desktop computer with windows 10 intel core processor under $130", + "desktop computer with windows 10 intel core processor with 8gb ram", + "desktop computer windows 10 intel core processor", + "desktop computer 8gb of ram", + "desktop computer with windows 10 cpu", + "desktop computer" + ], + "i am looking for a fast charging charger in mystic navy color.": [ + "fast charging charger in mystic navy color", + "womens navy fast charging charger", + "impaired navy charger", + "fast charging charger in mystic navy", + "magnate navy charger", + "womens navy charger", + "magnified navy charger", + "tempered navy charger", + "womens navy charger fast charging", + "mega navy charger" + ], + "i need one ounce of keto friendly vanilla flavor.": [ + "keto friendly vanilla flavor", + "keto friendly vanilla flavor.", + "keto friendly vanilla flavor keto", + "keto friendly vanilla flavor one ounce", + "keto friendly vanilla flavor 1 ounce", + "keto friendly vanilla flavor in keto", + "keto friendly vanilla flavor, keto", + "keto friendly vanilla flavor no keto", + "keto friendly vanilla flavor keto", + "keto friendly vanilla flavor under $40" + ], + "can you look and find me some water resistant eyeliner?": [ + "water resistant eyeliner", + "i need some water resistant eyeliner, and price lower than 50.00 dollars", + "i am looking and find me some water resistant eyeliner?", + "i want some water resistant eyeliner, and price lower than 50.00 dollars", + "i am water resistant eyeliner, and price lower than 50.00 dollars", + "i need some water resistant eyeliner, and price lower than 40.00 dollars", + "water resistant eyeliner, and price lower than 50.00 dollars", + "water resistant eyeliner under $50", + "water resistant eyeliner under $40", + "water resistant eyeliner under $60" + ], + "do you have any long lasting eye shadow? something with 2 colors would be the best.": [ + "long lasting eye shadow 2 colors", + "long lasting eye shadow with 2 colors", + "long lasting eye shadow", + "long lasting eye shadow 2 color", + "long lasting eye shadow in 2 colors", + "long lasting eye shadow, 2 colors", + "long lasting eye shadow 2 colors", + "long lasting eye shadow under $40", + "long lasting eye shadow2 colors", + "long lasting eye shadow, 2 color" + ], + "i want to buy a tongue scraper that will give me fresh breath and is made from stainless steel.": [ + "tongued breath scraper made from stainless steel", + "tongor scraper made from stainless steel", + "tongble scraper made from stainless steel", + "tongued scraper made from stainless steel", + "tongor scraper that is made from stainless steel", + "tempered breath scraper made from stainless steel", + "tonguing scraper made from stainless steel", + "tooth scraper made from stainless steel", + "tongue scraper made from stainless steel", + "tongued breath scraper made from stainless steel," + ], + "i am looking for a blue long sleeve quarter zip hoodie.": [ + "blue long sleeve quarter zip hoodie", + "blue long sleeve quarter zip hoodie under $40", + "blue long sleeve quarter zip hoodie under $50", + "blue long sleeve quarter zip hoodie.", + "blue long sleeve quarter zip hoodie under $60", + "blue long sleeve quarter zip hoodie under 50 dollars", + "blue long sleeve zip hoodie", + "blue long sleeve quarter zip hoodie under 40 dollars", + "blue long sleeve quarter zip hoodie under 30 dollars", + "blue long sleeve quarter zip hoodie under 60 dollars" + ], + "i need 26\" metal bar stools that are distressed teal with modern wooden seats and are easy to assemble.": [ + "23 metal bar stools that are distressed teal with modern wooden seats", + "28 metal bar stools that are distressed teal with modern wooden seats", + "24 metal bar stools that are distressed teal with modern wooden seats", + "26 metal bar stools that are distressed teal with modern wooden seats", + "27 metal bar stools that are distressed teal with modern wooden seats", + "bag stools that are distressed teal with modern wooden seats", + "23 metal bar stools, distressed teal with modern wooden seats", + "23 metal bar stools", + "23 metal bar stool", + "28 metal bar stool" + ], + "i am looking for a good travel size cologne small 0.27 ounce.": [ + "travel size cologne small 0.27 ounce", + "cologne small 0.27 ounce", + "small 0.27 ounce cologne", + "small 0.27 ounce travel size cologne", + "small 0.27 ounce cologne small", + "small cologne small 0.27 ounce", + "1.27 ounce travel size cologne small", + "pocket small 0.27 ounce cologne", + "3.27 ounce travel size cologne small", + "1.27 ounce travel size cologne" + ], + "i am looking for a travel size eau de parfum for men of sandalwood & white musk perfume scent.": [ + "travel size eau de parfum for men of sandalwood & white musk perfume scent", + "eau de parfum for men of sandalwood & white musk perfume scent", + "travel size eau de parfum for men with sandalwood & white musk perfume scent", + " travel size eau de parfum for men of sandalwood & white musk perfume scent", + "travel size eau de parfum men of sandalwood & white musk perfume scent", + "eau de parfum men of sandalwood & white musk perfume scent", + "eau de parfum for men with sandalwood & white musk perfume scent", + "eau de parfum for men of sandalwood & white musk perfume scent.", + "travel size eau de parfum", + "eau de parfum" + ], + "i'm looking for a men's fragrance or cologne with a long lasting scent. i need a travel size bottle of about 8ml.": [ + "mens fragrance or cologne", + "mens fragrance or cologne long lasting scent", + "mens fragrance or cologne travel size bottle", + "mens fragrance or cologne 8ml", + "mens fragrance or cologne", + "mens fragrance or cologne long lasting", + "mens scent or cologne", + "mens fragrance 8ml", + "mens fragrance", + "mens scent 8ml" + ], + "i will like to get a high quality, long lasting ca perfume club impression of bad boy for men, size 0.17 fl oz | 5ml": [ + "a perfume club impression of bad boy for men size 0.17 fl oz | 5ml", + "curtains club impression of bad boy for men size 0.17 fl oz | 5ml", + "cas perfume club impression of bad boy for men size 0.17 fl oz | 5ml", + "cologne club impression of bad boy for men size 0.17 fl oz | 5ml", + "a perfume club impression of bad boy for men, size 0.17 fl oz | 5ml", + "cas perfume club impression of bad boy for men, size 0.17 fl oz | 5ml", + "ac perfume club impression of bad boy for men size 0.17 fl oz | 5ml", + "coffee club impression of bad boy for men size 0.17 fl oz | 5ml", + "tempered ca perfume club impression of bad boy for men size 0.17 fl oz | 5ml", + "a perfume club impression of bad boy for men size 0.17 fl oz" + ], + "do you have a high quality tool bag? i need something at least 5ml.": [ + "high quality tool bag 5ml", + "tools bag 5ml high quality", + "high quality tool bag, 5ml", + "tool bag 5ml high quality", + "tools bag at least 5ml", + "high quality tool bag in 5ml", + "tools bag 5ml", + "low quality tool bag 5ml", + "high quality tool bag under $50", + "high quality tool bag" + ], + "find me a non gmo banana and strawberry meal.": [ + "non gmo banana and strawberry meal", + "non gmo banana and strawberry meal.", + "non gmo banana and strawberry meal under $40", + "non-gmo banana and strawberry meal", + "non gmo banana and strawberry meal under $60", + "non gmo banana and strawberry meal under $50", + "banana and strawberry meal", + "non gmo banana and strawberry meal under 50 dollars", + "non gmo banana and strawberry meal no gmo", + "non gmo banana and strawberry meal under 30 dollars" + ], + "i am looking for a happy birthday cake for a party.": [ + "happy birthday cake for a party", + "happy birthday cake for a baby shower", + "birthday cake for a party", + "happy birthday cake for a party.", + "birthday cake for a baby shower", + "a happy birthday cake for a party", + "birthday cake for a party.", + "Happy birthday cake for a baby shower", + "pink birthday cake for a party", + "happy birthday cake for a birthday party" + ], + "i want a double sided pillow cover. it should be orange blue in color.": [ + "double sided pillow cover orange blue", + "double sided pillow cover, orange blue", + "double sided pillow cover in orange blue", + "double sided pillow cover orange", + "double sided pillow cover", + "double sided pillow cover with orange blue", + "double sided pillow cover that is orange", + "double sided pillow cover in orange", + "double sided pillow coverorange blue", + "double sided pillow cover orangeblue" + ], + "i need 300 cotton rounds for my nail polish": [ + "300 cotton rounds nail polish", + "300 cotton rounds for nail polish", + "300 cotton rounds for my nail polish", + "womens polish 300 cotton rounds", + "cotton rounds for nail polish", + "cotton rounds nail polish", + "300 cotton rounds nail polish polish", + "nude polish with cotton rounds", + "hair polish with cotton rounds", + "hair polish with cotton rounds 300 cotton" + ], + "locate the 12 pouch option of gogo squeez fruit on the go applesauce that is non gmo. i want the apple cinnamon flavor.": [ + "12 pouch option of gogo squeez fruit", + "12 pouch of gogo squeez fruit", + "12 pouch fruit on the go applesauce", + "12 pouch apple cinnamon flavor", + "12 pouch pomegranate cinnamon flavor", + "12 pouch option of apple cinnamon flavor", + "12 pouch size apple cinnamon flavor", + "12 pouch pomegranate flavor", + "12 pouch of apple cinnamon flavor", + "12 pouch fruit" + ], + "i'm looking for a living room light set. i want the one in gold with three lights.": [ + "living room light set with three lights", + "living room light set three lights", + "living room light set", + "living room light set, three lights", + "living room light set in gold", + "living room light set, gold", + "living room light set 3 lights", + "living room light set under $40", + "living room light set under $50", + "living room light set, 3 lights" + ], + "i am looking for 4g lte wifi router.it should be of black color.": [ + "4g lte wifi router black", + "4g lte wifi router in black", + "4g lte wifi router with black color", + "4g lte wifi router, black", + "4g lte wifi router", + "4g lte wifi router.black", + "4g lte wifi router colored black", + "4g lte wifi routerblack", + "4g lte wifi router in black color", + "4g lte wifi router black 4g" + ], + "i am looking for a black high performance smart watch.": [ + "black high performance smart watch", + "black high performance smart watch.", + "black high performance smartwatch", + "black high performance smart watch watch", + "black high performance smart watch,", + "black smart watch", + "smart watch black", + "high performance smart watch", + "smartwatch black", + "low performance smart watch" + ], + "i need a desk lamp with brushed nickle finish.": [ + " desk lamp with brushed nickle finish", + "desktop lamp with brushed nickle finish", + "wooden lamp with brushed nickle finish", + "wood lamp with brushed nickle finish", + " desk lamp with brushed nickle finish.", + "end desk lamp with brushed nickle finish", + "desktop lamp brushed nickle finish", + " desk lamp brushed nickle finish", + "office lamp with brushed nickle finish", + "floor lamp with brushed nickle finish" + ], + "i am looking for 8 channel pyle bluetooth stereo amplifier receiver is perfect for your pa/ home theater acoustic sound system with wireless bluetooth-compatible the professional compact rack mount home theater system of amplifier - 4000w rack mount multi zone sound mixer set of 1 pack.": [ + "8 channel pyle bluetooth stereo amplifier receiver", + "8 channel pyle bluetooth audio sound system", + "8 channel pyle bluetooth stereo amplifier receiver that is professional compact rack mount home theater system", + "8 channel pyle bluetooth stereo amplifier receiver with wireless bluetooth", + "8 channel pyle bluetooth stereo amplifier", + "8 channel pyle bluetooth stereo amplifier receiver,", + " 8 channel pyle bluetooth stereo amplifier receiver", + "8 channel pyle bluetooth speaker system", + "8 channel pyle bluetooth sound system", + "8 channel pyle bluetooth system" + ], + "i'm looking for a pair of open toe women's sandals with a leather sole. i want the green ones in size six.": [ + "open toe womens sandals with a leather sole", + "open toe womens sandals with a leather sole size six", + "open toe womens sandals with a leather sole in size six", + "open toe womens sandals with a leather sole, size six", + "open toe womens sandals with a leather sole size 6", + "open toe womens sandals with a leather sole in size 6", + "green womens sandals with a leather sole", + "open toe womens sandals", + "green womens sandals with a leather sole size six", + "womens sandals with a leather sole" + ], + "i am looking for a men's medium size slim fit long sleeve button down floral dress shirt.": [ + "mens slim fit long sleeve button down floral dress shirt", + "slim fit long sleeve button down floral dress shirt", + "mens medium t-short sleeve button down floral dress shirt", + "mens medium fit long sleeve button down floral dress shirt", + "mens slim fit long sleeve button down floral dress shirt.", + "mens medium t-shirt button down floral dress shirt", + "mens medium fit long sleeve button down floral dress shirt.", + "mens medium tuxedo floral dress shirt", + "mens medium t-shirt button down floral", + "mens medium tuxedo" + ], + "i need a sugar free 5 pound pack of coconut flakes. it should be plant based.": [ + "sugar free 5 pound pack of coconut flakes plant based", + "sugar free 5 pound pack of coconut flakes", + "sugar free 5 pound pack of coconut flakes, plant based", + "sugar free 5 pound pack of coconut flakes plant based.", + "gluten free 5 pound pack of coconut flakes plant based", + "sugar free 5 pound pack of coconut flakes plant based,", + "soy free 5 pound pack of coconut flakes plant based", + "shoes free 5 pound pack of coconut flakes plant based", + "5 pound pack of coconut flakes plant based", + "sugar free coconut flakes plant based" + ], + "i need black 20g makeup sample containers that are leak proof.": [ + "black 20g makeup sample containers", + "black 20g makeup sample containers, leak proof", + "black 20g makeup sample containers leak proof", + "20g makeup sample containers that are leak proof", + "black 20g makeup sample containers with leak proof", + "black 20g makeup sample containers under $40", + "black 20g makeup sample containers under $50", + "black makeup sample containers that are leak proof", + "20g makeup sample containers", + "black makeup sample containers" + ], + "get me a high power bird watching monocular that is 10x50 in size": [ + "10x50 bird watching monocular", + "high power bird watching monocular 10x50 in size", + "high power bird watching monocular that is 10x50", + "high power bird watching monocular 10x50", + "low power bird watching monocular 10x50 in size", + "low power bird watching monocular that is 10x50", + "stainless steel bird watching monocular 10x50", + "10x50 bird watching monocular under $50", + "monocular 10x50 in size", + "high power bird watching monocular" + ], + "i need a slipper anti slip in white color size 9.5-11 for women and 9-10 for men": [ + "slipper anti slip 9.5-11 for women and 9-10 for men", + "slipper anti slip white men 9.5-11", + "slippers anti slip 9.5-11 for women and 9-10 for men", + "slipper anti slip white 9.5-11 woman and 9-10 for men", + "slipper anti slip white woman 9.5-11", + "slipper anti slip white", + "slipper anti slip white women 9.5-11", + "slipper anti slip white woman size 9.5-11", + "slipper anti slip white woman", + "slipper anti slip in white" + ], + "i'm looking to buy a high resolution marine animal themed backdrop. the size should be 12x10ft.": [ + "high resolution marine animal themed backdrop", + "sea animal themed backdrop 12x10ft", + "marine animal themed backdrop 12x10ft", + "large marine animal themed backdrop 12x10ft", + "low resolution marine animal themed backdrop", + "large marine animal themed backdrop", + "high resolution marine animal themed backdrop under $50", + "sea animal themed backdrop", + "marine animal themed backdrop", + "4x10ft backdrop" + ], + "i need a coconut hair loss serum.": [ + "coffee hair loss serum", + "coaxial hair loss serum", + "toothpaste coconut hair loss serum", + "coffee hair loss serum.", + "coffee hair loss serum coconut", + "coo hair loss serum", + "coo hair loss serum coconut", + "coffee hair loss serum, coconut", + "coconut hair loss serum", + "coaxial hair loss serum coconut" + ], + "i need to get a new photography background. pick out the one that is 2m in diameter.": [ + "2m photography background", + "photography background 2m in diameter", + "professional photography background 2m in diameter", + "portrait background 2m in diameter", + "1m photography background", + "3m photography background", + "2m photography background under $50", + "2m photography background under $40", + "background 2m in diameter", + "2m photography background under $60" + ], + "i would like a 6 pack of 5.5 ounce non gmo sundried tomatoes.": [ + "6 pack of non gmo sundried tomatoes", + "6 pack non gmo sundried tomatoes", + "5 ounce non gmo sundried tomatoes", + "6 pack of pomegranate sundried tomatoes", + "6 pack of gmo sundried tomatoes", + "6 pack of natural gmo sundried tomatoes", + "non gmo sundried tomatoes 6 pack", + "6 pack of non gmo sundried tomatoes.", + "5 ounce non gmo sundried tomatoes.", + "6 pack of tomatoes" + ], + "i want to find a barstool made out of faux leather and stainless steel. i want the one in black.": [ + "barstool made out of faux leather and stainless steel", + "barstool made out of faux leather and stainless steel in black", + "barstool made out of faux leather and stainless steel, black", + "barstool made out of faux leather and stainless steel.", + "barstool made from faux leather and stainless steel", + "barstool made out of faux leather, stainless steel", + "barstool made out of faux leather with stainless steel", + "barstool made out of faux leather in black", + "stool made out of faux leather and stainless steel", + "barstool made out of faux leather" + ], + "i am looking for a core i5 laptop that has 64 gb of ram and 2tb of storage.": [ + "core i5 laptop with 64gb of ram and 2tb of storage", + "core i5 laptop with 64gb of ram", + " core i5 laptop with 64gb of ram and 2tb of storage", + "core i5 laptop with 64gb of ram with 2tb of storage", + "core i5 laptop with 64gb of ram with 128gb of storage", + "core i5 laptop with 64 gb of ram", + "core i5 laptop with 128gb of ram", + "tablet i5 laptop with 64gb of ram", + "core i5 laptop with 64gb", + "curtains i5 laptop with 64gb of ram" + ], + "can you find me a wireless bluetooth speaker that comes with a carrying case? i want you to get me the one in blue.": [ + "blue wireless bluetooth speaker", + "wireless bluetooth speaker with carrying case", + "blue bluetooth speaker", + "wireless bluetooth speaker with a carrying case", + "blue wireless bluetooth speaker with carrying case", + "blue wireless bluetooth speaker with a carrying case", + "wireless bluetooth speaker in blue", + "blue bluetooth speaker with carrying case", + "wireless bluetooth speaker", + "womens wireless bluetooth speaker in blue" + ], + "i need a keto friendly and non gmo variety pack can. it should be cranberry and raspberry flavored.": [ + "keto friendly and non gmo variety pack can be cranberry and raspberry flavored", + "keto friendly and non gmo variety pack that is cranberry and raspberry flavored", + "keto friendly and non gmo variety pack, cranberry and raspberry flavored", + "keto friendly and non gmo variety pack can. it should be cranberry and raspberry flavored", + "keto friendly and non gmo variety pack can be cranberry and raspberry flavored.", + "keto friendly and non gmo variety pack", + "keto friendly and non gmo variety pack of cranberry and raspberry flavored keto", + "keto friendly and non gmo variety pack of cranberry and raspberry flavored keto keto", + "keto friendly and non gmo variety pack with cranberry and raspberry flavored keto", + "keto friendly and non gmo variety pack, cranberry and raspberry flavored, keto friendly" + ], + "i'd like to shop for sparkling watermelon juice that's non-gmo and sugar free.": [ + "non-gmo sparkling watermelon juice", + "non-gmo and sugar free sparkling watermelon juice", + "watermelon juice non-gmo and sugar free", + "non-gmo watermelon juice", + "non-gmo and sugar free watermelon juice", + "sugar free sparkling watermelon juice", + "pink watermelon juice non-gmo", + "watermelon juice non-gmo", + "pink watermelon juice non-gmo sugar free", + "pure sparkling watermelon juice" + ], + "i'm looking for beauty pro 30 capsules which should be clinically proven for anti aging, hair growth, works on dry skin and has natural ingredients.": [ + "beauty pro 30 capsules, anti aging, hair growth", + "beauty pro 30 capsules with anti aging, hair growth", + "beauty pro 30 capsules", + "beauty pro 30 capsules with anti aging and natural ingredients", + "beauty pro 30 capsules with anti aging", + "beauty pro 30 capsules with natural ingredients", + "beauty pro 30 capsules anti aging, hair growth", + "beauty pro 30 capsules, anti aging and natural", + "beauty pro 30 capsules anti aging", + "beauty pro 30 capsules natural" + ], + "i am looking for great for normal to oily skin, the non-comedogenic cosmetic features skin-soothing aloe vera and lavender plus anti-aging antioxidants and skin-smoothing peptides selected with effective natural ingredients and ensure our products are free of gluten, parabens, talc, artificial colors, synthetic fragrances, sls and phthalates. never conduct animal testing mineral fusion liquid foundation, warm 2, 1 fl ounce in deep 1 color.": [ + "facial fusion liquid foundation, warm 2, anti-comedogenic", + "facial fusion liquid foundation, warm 2, 1 fl ounce", + "facial fusion liquid foundation, warm 2, anti-comedogenic cosmetic", + "non-comedogenic cosmetic products with natural ingredients", + "non-comedogenic cosmetic products", + "moisturizing mineral fusion liquid foundation", + "non-comedogenic cosmetic", + "moisturizing liquid foundation", + "facial fusion liquid foundation", + "natural beauty products" + ], + "can you find a black dining table set? i'm looking for something that is easy to clean.": [ + "black dining table set", + "living room table set", + "black dining table set, easy to clean", + "living room dining table set", + "white dining table set", + "living room table set, easy to clean", + "living room table set black", + "living room table set easy to clean", + "black dining table set, easy clean", + "living room dining table set black" + ], + "i'm looking for sofa wall side table.": [ + " sofa wall side table", + "f sofa wall side table", + " sofa wall side table.", + "furniture wall side table", + "comfortable wall side table", + "coaxial wall side table", + "f sofa wall side table.", + "fog wall side table", + " sofa wall side table, sofa wall", + " sofa wall side table under $50" + ], + "i am looking for a black and gold chandelier for my dining room that has six lights": [ + "black and gold chandelier dining room with six lights", + "black and gold chandelier dining room", + "black dining room chandelier with six lights", + "black and gold chandelier dining room, six lights", + "black chandelier dining room that has six lights", + "black chandelier dining room with six lights", + "black and gold chandelier dining room under $130", + "black and gold chandelier dining room under $50", + "black gold chandelier dining room", + "black and gold chandelier" + ], + "i'm looking for a solid wood coatrack with a round base. i want color b as well.": [ + "solid wood coatrack with a round base", + "solid wood coatrack with a round base color b", + "solid wood coatrack with a round base.", + "solid wood coatrack with a round base color", + "stainless wood coatrack with a round base", + "solid wood coatrack with a round base colored b", + "white solid wood coatrack with a round base", + "wood coatrack with a round base", + "solid wood coatrack, round base", + "solid wood coatrack" + ], + "i'm looking for gold plated, high speed hdmi cable . also, choose 12 feet hdmi male to female cable in pack of 1.": [ + "gold plated, high speed hdmi cable", + "gold plated, high speed hdmi cable pack of 1", + "gold plated hdmi cable in pack of 1", + "gold plated hdmi cable", + "gold plated high speed hdmi cable in pack of 1", + "gold plated high speed hdmi cable pack of 1", + "gold plated high speed hdmi cable", + "gold plated hdmi cable pack of 1", + "gold plated hdmi cable in pack of 1.", + "12 foot hdmi cable" + ], + "i'm looking for a single high speed gold plated hdmi cable.": [ + "single high speed gold plated hdmi cable", + "single high speed gold plated hdmi cable.", + "single high speed gold plated hdmi cable under $40", + "single high speed gold plated hdmi cable under $50", + "single high speed gold plated hdmi cable under $60", + "single high speed gold plated hdmi cable below $50", + "single high speed gold plated hdmi cable below $40", + "single high speed gold plated hdmi cable,", + "single high speed gold plated hdmi cable below $60", + "single high speed gold plated hdmi cable under $130" + ], + "i'm looking for high speed 3 feet hdmi cable male to female with ethernet black": [ + "3 feet hdmi cable male to female with ethernet black", + "3 ft hdmi cable male to female with ethernet black", + "3 feet hdmi cable male to female", + "3 foot hdmi cable male to female with ethernet black", + "high speed 3 feet hdmi cable male to female", + "4 ft hdmi cable male to female with ethernet black", + "3ft hdmi cable male to female with ethernet black", + "3 ft hdmi cable male to female", + "3 feet hdmi cable male to female with ethernet", + "3 feet hdmi cable male to female high speed" + ], + "i am looking for a solid wood dining table with a barn wood finish.": [ + "solid wood dining table with a barn wood finish", + "dining table with a barn wood finish", + "wood dining table with a barn wood finish", + "living room dining table with a barn wood finish", + "a solid wood dining table with a barn wood finish", + "living room table with a barn wood finish", + "tablet with a barn wood finish", + "solid wood dining table with a barn wood finish.", + "solid wood dining table with a barn wood finish,", + "dining table with a barn wood finish." + ], + "i want a modern turned leg solid wood dining table with tuscany finish.": [ + "modern turned leg solid wood dining table with tuscany finish", + "modern turned leg solid wood dining table tuscany finish", + " modern turned leg solid wood dining table with tuscany finish", + "Modern turned leg solid wood dining table with tuscany finish", + "modern turned leg solid wood dining table", + "modern turned leg solid wood dining table with tuscany finish.", + "a modern turned leg solid wood dining table with tuscany finish", + "us modern turned leg solid wood dining table with tuscany finish", + "living room modern turned leg solid wood dining table tuscany finish", + "living room table with tuscany finish" + ], + "i am looking for an easy to use three piece set of hair growth treatment that works on damaged hair.": [ + "three piece set of hair growth treatment that works on damaged hair", + "easy to use three piece set of hair growth treatment", + "three piece set of hair growth treatment", + "3 piece set of hair growth treatment that works on damaged hair", + "three piece set of hair growth treatment for damaged hair", + "three piece set of hair growth treatment for damaged hair.", + "3 piece set of hair growth treatment", + "3 piece set of hair growth treatment for damaged hair", + "hair growth treatment that works on damaged hair", + "hair growth treatment for damaged hair" + ], + "i cook beef so added artificial flavors 12 pack": [ + "i cook beef so added artificial flavors 12 pack", + "i cook beef so-called artificial flavors 12 pack", + "12 pack artificial flavor beef", + "i cook beef so added artificial flavors, 12 pack", + "12 pack artificial flavors", + "i cook beef so natural flavors 12 pack", + "i cook beef so no artificial flavors 12 pack", + "i cook beef so added artificial flavors 12 pack", + "i cook beef so no artificial flavors, 12 pack", + "12 pack artificial flavors for beef" + ], + "looking for wild caught coho salmon with organic butternut squash and beets in beef 6 pack": [ + "wild salmon with organic butternut squash and beets in beef 6 pack", + "wild coho salmon with organic butternut squash and beets 6 pack", + "wild salmon with organic butternut squash and beets 6 pack", + "wild coho salmon with organic butternut squash and beets", + "wild coho salmon with organic butternut squash in beef 6 pack", + "coho salmon with organic butternut squash and beets 6 pack", + "wild salmon with organic butternut squash and beets", + "wild coho salmon with organic butternut squash", + "wild coho salmon", + "wild salmon" + ], + "i want a 12 pack of serenity kids baby food pouches, wild caught salmon.": [ + "12 pack of serenity kids baby food pouches", + "searenity kids baby food pouches, wild caught salmon", + "baby food pouches wild salmon 12 pack", + "12 pack of baby food pouches, wild caught salmon", + "serenity kids baby food pouches, wild caught salmon", + "searenity kids baby food pouches wild salmon 12 pack", + "baby food pouches, wild salmon, 12 pack", + "kids baby food pouches wild salmon 12 pack", + "baby food pouches, wild salmon", + "searenity kids baby food pouches wild salmon" + ], + "i need cat 6 cables that are gold plated, black and 1 ft.": [ + "cat 6 cables gold plated, black and 1 ft", + "cat 6 cables gold plated black and 1 ft", + "cat 6 cables gold plated black", + "curtains gold plated, black and 1 ft", + "Cat 6 cables gold plated, black and 1 ft", + "cat 6 cables gold plated black 1 ft", + "cat 6 cables gold plated and black", + "cat 6 cables gold plated black and 1 ft.", + "cat 6 cables", + "cat 6 cables black" + ], + "i want to find a plant based party mix gift set. get me the one in old bay flavor.": [ + "plant based party mix gift set in old bay flavor", + "plant based party mix gift set", + "plant based party mix gift set, old bay flavor", + "plant based party mix gift set with old bay flavor", + "plant based party mix gift set for old bay flavor", + "plastic party mix gift set in old bay flavor", + "plant based party mix gift set.", + "plant based party mix gift set old bay flavor", + "plant based party mix gift set under $50", + "plant based party mix" + ], + "i'm looking for an easy to install living room celling light with a 2-light capacity": [ + "living room celling light", + "living room celling light 2-light capacity", + "easy to install living room celling light", + "living room celling light 2-light", + "living room celling light with 2-light capacity", + "living room celling light, 2-light capacity", + "3-light living room celling light", + "living room celling light 2light capacity", + "living room celling light with a 2light capacity", + "5 ft living room celling light" + ], + "i am looking for a brushed nickel floor lamp. i believe the color is called great falls.": [ + "brushed nickel floor lamp", + "brushed nickel floor lamp,", + "buffet nickel floor lamp", + "brushed nickel floor lamp with great falls", + "brushed nickel floor lamp color", + "brushed nickel floor lamp with a color", + "brushed nickel floor lamp under $40", + "brushed nickel floor lamp under $50", + "brushed nickel floor lamp in a color", + "brushed nickel floor lamp with color" + ], + "i would like some orange fluoride free toothpaste.": [ + "orange fluoride free toothpaste", + "orange fluoride free toothpaste.", + "orange fluoride free toothpaste under $40", + "orange fluoride free toothpaste under $50", + "orange fluoride free toothpaste under $60", + "orange fluoride free toothpaste no fluoride", + "orange fluoride free toothpaste under 50 dollars", + "orange fluoride free toothpaste under 30 dollars", + "orange fluoride free toothpaste below $40", + "orange fluoride free toothpaste," + ], + "i need pure white curtains that are machine washable and are 66 in by 54 in.": [ + "pure white curtains 66 in by 54 in", + "pure white curtains that are machine washable", + "pure white curtains 66 in by 54 in.", + "pure white curtains, 66 in by 54 in", + "pure white curtains 65 in by 54 in", + "pure white curtains, 66 in by 54 in.", + "pure white curtains 67 in by 54 in", + "pure white curtains, 66 in by 54 in,", + "pure white curtains", + "pure white curtains 66 in by 54 in," + ], + "i am looking for long lasting princess dreaming edp perfume spray.": [ + "long lasting princess dreaming edp perfume spray", + "a long lasting princess dreaming edp perfume spray", + "long lasting princess dreaming edp perfume spray.", + "pink perfume spray long lasting", + "pink perfume spray", + "daring princess dreaming edp perfume spray", + "lens dreaming edp perfume spray", + "daring edp perfume spray", + "long lasting princess dreaming edp perfume spray,", + "pink perfume spray that is long lasting" + ], + "i need a virtual reality gaming popgrip with wireless charging.": [ + "virtual reality gaming popgrip with wireless charging", + "portrait gaming popgrip with wireless charging", + "virtual reality gaming popgrip with wireless charging.", + "Virtual reality gaming popgrip with wireless charging", + "a virtual reality gaming popgrip with wireless charging", + " virtual reality gaming popgrip with wireless charging", + "portable reality gaming popgrip with wireless charging", + "virtual reality gaming popgrip", + "virtual reality gaming popgrip, wireless charging", + "portrait gaming popgrip with wireless charging." + ], + "i'm looking for a relaxed fit, long sleeve women's blouse with animal print or polka dots. the color should be a-gray and the size 4x-large.": [ + "womens blouse with animal print", + "a-gray womens blouse with animal print", + "womens blouse with animal print 4x-large", + "womens blouse with animal print in a-gray", + "long sleeve womens blouse with animal print", + "lens blouse with animal print 4x-large", + "lens blouse with animal print in a-gray", + "lens blouse with animal print", + "comfortable fit womens blouse with animal print", + "large womens blouse with animal print" + ], + "i would like a small multicolor button down shirt that i can machine wash.": [ + "small multicolor button down shirt", + "small multicolor button down shirt, machine wash", + "small multicolor button down shirt machine wash", + "small multicolor button down shirt under $40", + "small multicolor button down shirt under $50", + "small multicolor button down shirt under 50 dollars", + "small multicolor button down shirt under $60", + "multicolor button down shirt", + "small multicolor button down shirt under 40 dollars", + "slimming shirt" + ], + "i need dining room chairs that is in mustard color.": [ + "dining room chairs in mustard color", + "dining room chairs mustard color", + "dining room chairs in mustard", + "living room chairs in mustard color", + "dining room chairs color mustard", + "dining room chairs in mustard color.", + "dining room chairs, mustard color", + "dining room chairs in mustard colored", + "dining room chairs in mustard color,", + " dining room chairs in mustard color" + ], + "i'm looking for a pair of high heeled, rubber soled pumps. pick the black suede ones in 9.": [ + "high heeled, rubber soled pumps 9 black", + "high heeled, rubber soled pumps in 9", + "high heeled, rubber soled pumps in 9 black", + "two high heeled, rubber soled pumps in 9", + "high heeled, rubber soled pumps in 9.", + "high heeled, rubber soled pumps", + "high heeled, rubber soled pumps 9", + "black suede pumps in 9", + "black suede pumps 9", + "shoes black suede pumps 9" + ], + "find me a quick drying hawaiin shirt with short sleeves and a front pocket. get me a large size.": [ + "quick drying hawaiin shirt short sleeves", + "quick drying hawaiin shirt with short sleeves", + "quick drying hawaiin shirt short sleeves in a large size", + "quick drying hawaiin shirt with short sleeves and front pocket", + "quick drying hawaiin shirt short sleeves and a front pocket", + "quick drying hawaiin shirt with short sleeves, front pocket", + "quick drying hawaiin shirt with short sleeves and pocket", + "quick drying hawaiin shirt", + "quick drying hawaiin shirt short sleeves and pocket", + "quick drying hawaiin shirt short sleeves large" + ], + "i would like to purchase 10 packs of trader joe's pretzels. also make sure they contain no artificial flavors.": [ + "10 packs of trader joes pretzels", + " trader joes pretzels no artificial", + " trader joes pretzels with no artificial flavors", + " trader joes pretzels with no artificial flavor", + " trader joes pretzels no artificial flavor", + "trader joes pretzels no artificial", + "pack of trader joes pretzels no artificial", + "10 packs of trader joes pretzels natural", + " trader joes pretzels natural", + " trader joes pretzel" + ], + "i am looking for a 4 pack of trader joe's pretzels.": [ + "4 pack of trader joes pretzels", + "pack of trader joes pretzels", + "pack of trader joes pretzels 4 pack", + "4 pack of trader joes pretzels.", + "4 pack trader joes pretzels", + "pack of trader joes pretzels under $40", + " 4 pack of trader joes pretzels", + "bag of trader joes pretzels", + "trader joes pretzels 4 pack", + "4 pack of trader joes pretzel" + ], + "i would like a one pound bag of trader joes pretzels.": [ + "one pound bag of trader joes pretzels", + "two pound bag of trader joes pretzels", + "1 pound bag of trader joes pretzels", + "bag of trader joes pretzels", + "one pound bag of trader joes pretzel", + "trader joes pretzels one pound", + "trader joes pretzels", + "trains joes pretzels", + "ones pretzels one pound", + "ones pretzels" + ], + "i need a leak proof travel bottle that is reusable and comes in 6 pack.": [ + "6 pack travel bottle that is reusable and comes in 6 pack", + "5 pack travel bottle that is reusable and comes in 6 pack", + "leak proof travel bottle", + "6 pack travel bottle that is reusable", + "leak proof travel bottle 6 pack", + "leak proof travel bottle in 6 pack", + "leak proof travel bottle, 6 pack", + "leak proof travel bottle that is reusable and is 6 pack", + "6 pack travel bottle that is reusable and is leak proof", + "6 pack travel bottle" + ], + "i would like a extra small multi green boxer brief that i can hand wash in the sink.": [ + "extra small multi green boxer brief", + "extra small multi green boxer brief under $50", + "extra small multi green boxer brief under $40", + "extra small multi green boxer brief in the sink", + "extra small multi green boxer brief, hand wash", + "extra small multi green boxer brief under $60", + "extra small multi green boxer brief under 50 dollars", + "extra small multi green boxer brief, hand wash,", + "extra-small multi green boxer brief", + "extra small multi green boxer brief in the sink." + ], + "i want to find some dairy free sprinkles. something with nuts would be great.": [ + "dairy free sprinkles", + "dairy free sprinkles with nuts", + "dairy free sprinkles dairy free", + "dairy free sprinkles no nuts", + "dairy free sprinkles that are dairy free", + "dairy free sprinkles something with nuts", + "dairy free sprinkles under $40", + "dairy free sprinkles under $50", + "dairy free sprinkles under $60", + "dairy free sprinkles, something with nuts" + ], + "do you think you can find me a fluoride free toothpaste for sensitive teeth? i want something that comes in a 3.5 ounce size.": [ + "fluoride free toothpaste 3.5 ounce", + "fluoride free toothpaste 3.5 ounce size", + "fluoride free toothpaste 3.5 oz", + "fluoride free toothpaste for sensitive teeth", + "toothpaste for sensitive teeth 3.5 ounce", + "fluoride free toothpaste three.5 ounce", + " fluoride free toothpaste for sensitive teeth 3.5 ounce", + "fluoride free toothpaste", + "toothpaste for sensitive teeth 3.5 ounce size", + " fluoride free toothpaste for sensitive teeth 3.5 oz" + ], + "can you find me a 4g lte coaxial cable? i need the 3 foot one.": [ + "4g lte coaxial cable", + "4g lte coaxial cable under $40", + "4g lte coaxial cable under $60", + "4g lte coaxial cable under $50", + "4g lte coaxial cable under $120", + "4g lte coaxial cable under $130", + "4g lte coaxial cable 3 foot", + "4g lte coaxial cable under 50 dollars", + "4g lte coaxial cable, 3 foot", + "3 foot coaxial cable" + ], + "i am looking for hair extensions black storage bag.it should be of high quality.": [ + "hair extensions black storage bag", + "hair extension black storage bag", + "hair extensions black storage bag that is high quality", + "hair extensions black storage bag that should be high quality", + "hair extensions black storage bag, high quality", + "hair extensions black storage bag high quality", + "hair extension black storage bag that is high quality", + "black storage bag for hair extensions", + "hair extensions black", + "black storage bag" + ], + "i would like a women's size 11 azure walking shoe made of vinyl acetate.": [ + "womens size 11 walking shoe made of vinyl acetate", + "womens size 11 hiking shoe made of vinyl acetate", + "womens size 11 azure walking shoe", + "womens size 11 walking shoe made of vinyl acetate.", + "mens size 11 azure walking shoe made of vinyl acetate", + "womens size 11 walking shoe made from vinyl acetate", + "womens size 11 walking shoe made of vinyl acetate,", + "womens size 11 walking shoe", + "womens size 11 hiking shoe made of vinyl acetate.", + "walking shoe made of vinyl acetate" + ], + "i'm looking for a sythetic hair extensions. also, choose black colored one.": [ + "sythetic hair extensions black", + "sythetic hair extension black", + "synthetic hair extensions black", + "sythetic hair extensions, black", + "sythetic hair extensions", + "sythetic hair extensionsblack", + "sythetic hair extensions. black", + "sythetic hair extensions in black", + "sythetic hair extension, black", + "sythetic hair extension" + ], + "i want a hdmi cable with high speed and 1.5 feet size.": [ + "hdmi cable high speed 1.5 feet", + "hdmi cable high speed and 1.5 feet", + "hdmi cable high speed 1.5 feet size", + "hdmi cable with high speed 1.5 feet", + " hdmi cable high speed 1.5 feet", + "hdmi cable high speed 1.5 feet", + " hdmi cable high speed and 1.5 feet", + "hdmi cable 1.5 feet", + "hdmi cable 1.5 feet size", + "hdmi cable" + ], + "i am interested in a high speed hdmi cable that is 10 feet long and comes in a 2 pack.": [ + "high speed hdmi cable 10 feet long", + "high speed hdmi cable that is 10 feet long", + "high speed hdmi cable 10 feet long 2 pack", + "high speed hdmi cable", + "high speed hdmi cable 2 pack", + "high speed hdmi cable 10 ft long 2 pack", + "high speed hdmi cable with a 2 pack", + "high speed hdmi cable 10 ft long", + "tv hdmi cable 10 feet long", + "hdmi cable 10 feet long" + ], + "i'm looking for an high speed hdmi cable which is gold plated. also, choose a pack of 4 hdmi male to male cable of size 3 feet one.": [ + "4 hdmi cable", + "4 hdmi cable gold plated", + "4 hdmi cable, gold plated", + "high speed hdmi cable", + "4 hdmi cable of size 3", + "high speed hdmi cable of size 3", + "4 hdmi cable of size 3 feet", + "pack of 4 hdmi cable", + "4 hdmi cable size 3 feet one", + "4 hdmi cable size 3 feet" + ], + "i am looking for high speed hdmi cable of size 75 feet.": [ + "high speed hdmi cable of size 75 feet", + "high speed hdmi cable", + "hdmi cable of size 75 feet", + "high speed hdmi cable, size 75 feet", + "tv hdmi cable of size 75 feet", + "high speed hdmi cable size 75 feet", + "high speed hdmi cable in size 75 feet", + "high speed hdmi cable of size 75", + "high speed hdmi cable that is 75 feet", + "high speed hdmi cable of size 75 dollars" + ], + "i'm trying to find a laundry bag for women.": [ + "womens laundry bag", + "woman laundry bag for women", + "a laundry bag for women", + "alarm bag for women", + "washable bag for women", + "bag for women", + "woman laundry bag", + "home laundry bag for women", + "laundry bag", + "living room laundry bag" + ], + "i want a loose fit pullover. pick out the one in gray, please.": [ + "womens pullover in gray", + "loose fit pullover in gray", + "loose fit pullover gray", + "womens pullover", + "womens pullover gray", + "pocket fit pullover in gray", + "womens pullover loose fit", + "womens pullover.", + "jeans pullover in gray", + "womens pullover, gray" + ], + "i want a sonoma oak or white 3 tier classic tube that comprises of shelving units and a tv stand in my living room. also choose the one designed with engineered wood.": [ + "sonoma oak or white 3 tier classic tube", + "sonoma oak or white 3 tier classic tube that comprises of shelving units and a tv stand in my living room", + "sonoma oak or white 3 tier classic tube that comprises of shelving units and a tv stand", + "sonoma oak or white 3 tier classic tube that comprises of shelving units", + "sonoma oak or white 3 tier classic tube with shelving units", + "sonoma oak or white 3 tier classic tube with engineered wood", + "sonoma oak or white 3 tier classic tube for living room", + "sonoma oak 3 tier classic tube", + "sonoma oak white 3 tier classic tube", + "sonoma oak tv stand" + ], + "i am looking for a french oak grey | black corner shelves for living room": [ + "faux oak grey", + "faux oak grey black corner shelves", + " french oak grey black corner shelves for living room", + "faux oak grey | black corner shelves", + "faux oak grey black corner shelves living room", + "i am looking for a french oak grey", + "faux oak grey wall shelves for living room", + " french oak grey | black corner shelves", + " french oak grey black corner shelves", + "faux oak grey black corner shelf" + ], + "i am searching for 3-tier classic tube white color corner shelf for living room": [ + "3-tier classic tube white color corner shelf for living room", + "3-tier classic tube white color corner shelf", + "3-tier classic tube white color corner shelf living room", + "3-tier classic tube white", + "3-tier classic tube white color corner shelf in living room", + "3-tier classic tube white color corner shelf, living room", + "3-tier classic tube white rug shelf for living room", + "3-tier classic tube white shelf for living room", + "3-tier classic tube white rug shelf", + "3tier classic tube white" + ], + "i need a 5-tier corner shelf for my living room.": [ + "5-tier corner shelf for my living room", + "5-tier corner shelf for the living room", + "5-tier corner shelf for living room", + "5-tier corner shelf in my living room", + "5-tier corner shelf for living room.", + "5-tier corner shelf living room", + "5-tier corner shelf", + "5tier corner shelf for my living room.", + "5tier corner shelf for my living room", + "living room 5-tier corner shelf" + ], + "i am in search of a black printed heavy duty toiletry bags which will be able to resist the water damage.": [ + "black printed heavy duty toiletry bags", + "black printed heavy duty toiletry bags with water damage", + "black heavy duty toiletry bags with water damage", + "black heavy duty toiletry bags", + "black pomegranate colored heavy duty toiletry bags", + "black printed heavy duty toiletry bags under $40", + "black, heavy duty toiletry bags", + "black waterproof toiletry bags", + "black rubber toiletry bags", + "black poo bags" + ], + "i am looking for an off-white toiletry bag that is easy to carry.": [ + "easy to carry off-white toiletry bag", + "off-white toiletry bag", + "toiletry bag that is easy to carry", + "off-white toiletry bag, easy to carry", + "handry bag that is easy to carry", + "toothpaste bag easy to carry", + "easy to carry white toiletry bag", + "toiletry bag easy to carry", + "toiletry bag that is easy to carry.", + "pocketed toiletry bag" + ], + "i want help getting an open toe, non-slip sandal. get the ones in blue in women's size 6.": [ + "open toe, non-slip sandal", + "open toe, non-slip sandal size 6", + "open toe, non-slip sandal womens", + "open toe, non-slip sandal.", + "open toe sandal womens size 6", + "open toe non-slip sandal", + "open toe mudal womens size 6", + "open toe womens sandal", + "open toe walking sandal", + "open toe sandal" + ], + "i am looking for butter from grass fed cows i need something non gmo, and gluten free. glass jar 16 oz if possible.": [ + "butter from grass fed cows", + "butter from grass fed cows 16 oz", + "butter from grass fed cows 17 oz", + "butter from grass fed cows glass jar 16 oz", + "butter from grass fed cows 16 oz if possible", + "butter from grass fed cows 24 oz", + "butter from grass fed cows 12 oz", + "butter from grass fed cows no gmo", + "butter from grass fed cows, dairy free", + "butter from grass fed cows 16 oz dairy free" + ], + "i need a 4.7 ounce paraben free makeup remover.": [ + "4.7 ounce paraben free makeup remover", + " 4.7 ounce paraben free makeup remover", + "4.7 oz paraben free makeup remover", + "3.7 ounce paraben free makeup remover", + "lip makeup remover 4.7 oz", + "hair remover 4.7 oz", + "professional makeup remover 4.7 oz", + "hair remover 4.7 ounce", + "beauty remover 4.7 oz", + "beauty remover 4.7 ounce" + ], + "i need to get a new high performance printer for my office.": [ + "high performance printer for my office.", + "high performance printer for my office", + "new high performance printer for my office", + "tablet printer for office", + "high performance printer for the office", + "high performance printer for office", + "professional printer for office", + "desktop printer high performance", + "high performance printer for work", + "desktop printer" + ], + "i am looking for king sized platform bed.it should be made of solid wood.": [ + "king sized platform bed made of solid wood", + "king sized platform bed", + "king sized platform bed, made of solid wood", + "king sized platform bed made from solid wood", + "king sized platform bed with solid wood", + "king sized platform bed made of solid wood.", + "king sized platform bed, made from solid wood", + "king sized platform bed made of solid wood,", + "king sized platform bed in a solid wood", + "king sized platform bed in solid wood" + ], + "i'm looking for jeans that are machine washable and are in size 27.": [ + "jeans in size 27", + "machine washable jeans in size 27", + "machine washable jeans size 27", + "jeans size 27 machine washable", + "jeans machine washable size 27", + "jeans size 27", + "jeans that are machine washable", + "jeans machine washable in size 27", + "man washable jeans size 27", + "woman washable jeans size 27" + ], + "i need a tv stand that is wall mounted and is walnut colored. size should be 51\"w x 14\"d x 18\"h.": [ + "tv stand that is wall mounted walnut colored", + "tv stand that is wall mounted and is walnut colored", + "wall mounted tv stand that is walnut colored", + "tv stand 51w x 14d x 18h", + "tv stand wall mounted walnut colored", + "wall mounted walnut colored tv stand", + "tv stand that is wall mounted and walnut colored", + "tv stand that is wall mounted, walnut colored", + "tv stand with walnut colored", + "tv stand in walnut colored" + ], + "i'm looking for a white, solid wood bar stool. i just need to make sure that it's about 45 inches high.": [ + "white solid wood bar stool", + "white, solid wood bar stool", + "white solid wood bar stool, 45 inches high", + "white solid wood bar stool 45 inches high", + "white, solid wood bar stool 45 inches high", + "white solid wood bar stool about 45 inches high", + "white, solid wood bar stool under $40", + "white solid wood bar stool under $40", + "white, solid wood bar stool.", + "white, solid wood bar stool under $50" + ], + "please find a dust poof red color bluetooth speaker": [ + "dust poof red bluetooth speaker", + "dust poof red bluetooth speaker under $40", + "dust poof red bluetooth speakers", + "dust poof red bluetooth speaker under $50", + "dust poof red bluetooth speaker under $60", + " dust poof red bluetooth speaker", + "dust poof red bluetooth speaker under 50 dollars", + "dust poof red bluetooth speaker,", + "dust poof red bluetooth speaker under $130", + "dust poof bluetooth speaker" + ], + "i am looking for a remote control for an lg blu-ray dvd home theater system.": [ + "remote control lg blu-ray dvd home theater system", + "remote control for lg blu-ray dvd home theater system", + "remote control lg blu-ray dvd home theater system.", + "lg blu-ray dvd home theater system", + "remote control lg blu-ray dvd home theater system,", + "remote control home theater system", + "remote control lg blu-ray dvd home theater", + "remote control dvd home theater system", + "remote control lg blu-ray dvd", + "remote control" + ], + "i want a remote control for lg blu ray": [ + "remote control lg blu ray", + "remote control lg blu-ray", + "remote control for lg blu ray", + "remote control for lg blu-ray", + "remote control lg blu-ray system", + "remote control lg blu-ray disc", + "remote control lg blu", + "remote control lg blu -ray", + "remote control lg blu-ray player", + "remote control lg blu-ray phone" + ], + "i need a wifi ip surveillance camera and stainless steel waterproof junction box with external speaker": [ + "wifi ip surveillance camera and stainless steel waterproof junction box", + "wifi ip surveillance camera, stainless steel waterproof junction box", + " wifi ip surveillance camera and stainless steel waterproof junction box", + "womens ip surveillance camera with external speaker", + "wifi ip surveillance camera with external speaker", + "womens ip surveillance camera", + "wifi ip surveillance camera stainless steel waterproof junction box", + "wifi ip surveillance camera", + "womens ip surveillance camera stainless steel waterproof junction box", + "womens ip surveillance camera stainless steel junction box" + ], + "i need a durable 13\u201d lightweight case for my macbook; i\u2019d prefer a red one.": [ + " durable 13\u201d lightweight case for my macbook", + "durable 13\u201d lightweight case for my macbook", + "a durable 13\u201d lightweight case for my macbook", + "12\u201d lightweight case for my macbook", + "macbook case durable 13\u201d lightweight", + "12\u201d lightweight case for macbook", + "curtains 13\u201d lightweight case for macbook", + "curtains 13\u201d lightweight case", + "macbook case durable 13\u201d lightweight case", + "durable 13\u201d lightweight case" + ], + "i want to find a lightweight macbook pro case cover that has a matte blue color.": [ + " lightweight macbook pro case cover with a matte blue color", + "macbook pro case cover that has a matte blue color", + "macbook pro case cover with a matte blue color", + "macbook pro case cover that has a matte blue", + " lightweight macbook pro case cover that has a matte blue", + "magnate blue macbook pro case cover", + "aluminum macbook pro case cover", + "macbook pro case cover that is matte blue", + "light weight macbook pro case cover", + " lightweight macbook pro case cover" + ], + "i'm looking for a deborah lippman gel lab pro nail polish. ensure the color is the full coverage bright red cr\u00e8me": [ + "deborah lippman gel lab pro nail polish", + "deborah lippman gel lab pro nail polish color", + "duckorah lippman gel lab pro nail polish", + "duborah lippman gel lab pro nail polish", + "deborah lippman gel lab pro nail polish.", + "deborah lippman gel lab pro nail polish bright red", + "duborah lippman gel lab pro nail polish color", + "duckorah lippman gel lab pro nail polish color", + "duckman gel lab pro nail polish", + "deborah lippman gel lab pro polish" + ], + "i want to get a high resolution and high performance hdmi cable.": [ + "high resolution hdmi cable", + "high resolution and high performance hdmi cable", + "high resolution high performance hdmi cable", + "tv hdmi cable high resolution", + "tv hdmi cable high performance", + "high resolution hdmi cable high performance", + "high resolution hdmi cable with high performance", + "hdmi cable high resolution", + "tv hdmi cable high resolution high performance", + "hdmi cable high performance" + ], + "i need a high performance smartwatch band compatible with apple. pick something in black gray color.": [ + "smartwatch band compatible with apple black", + "smartwatch band compatible with apple", + "smartwatch band black", + "smartwatch band compatible with appleblack", + "smartwatch band with high performance black", + "smartwatch band for apple black", + "high performance smartwatch band", + "high performance smartwatch band with apple", + "black smartwatch band", + "smartwatch band" + ], + "i buy a solid wood in white color": [ + "white solid wood", + "white solid wood in white", + "white solid wood under $40", + "white solid wood under $60", + "white solid wood under $50", + "white solid wood below $40", + "stainless wood white", + "solid wood in white", + "solid wood white", + "white solid wood," + ], + "i need a multipack of living room curtains that are 29\" by 45\"": [ + "multipack of living room curtains that are 29 by 45", + "living room curtains 29 by 45", + "multipack of living room curtains", + "m multipack of living room curtains that are 29 by 45", + "multipack of living room curtains 29 by 45", + "living room curtains that are 29 by 45", + "multipack of living room curtains, 29 by 45", + "multipack living room curtains that are 29 by 45", + " multipack of living room curtains that are 29 by 45", + "multipack of living room curtains with 29 by 45" + ], + "i need a face mask that is for dark circles and is clinically proven to work.": [ + "face mask for dark circles clinically proven", + "face mask for dark circles clinically proven to work", + "dark circles face mask clinically proven to work", + "dark circles face mask clinically proven", + "face mask that is for dark circles", + "face mask for dark circles", + "face mask that is for dark circles clinically proven", + "moisturizing face mask for dark circles", + "face mask for dark circles that is clinically proven", + "face mask for dark circles, clinically proven" + ], + "i am looking for 9 ounce packs of 12 certified organic, non gmo, and gluten free organic brown rice cakes.": [ + "9 ounce packs of 12 certified organic brown rice cakes", + "9 ounce packs of 12 certified organic, non gmo, gluten free organic brown rice cakes", + "12 ounce packs of 12 certified organic brown rice cakes", + "12 ounce packs of 12 certified organic, non gmo, gluten free organic brown rice cakes", + " 9 ounce packs of 12 certified organic, non gmo, gluten free organic brown rice cakes", + "9 ounce packs of 12 certified organic, non gmo and gluten free organic brown rice cakes", + "9 ounce packs of 12 certified organic gluten free organic brown rice cakes", + "9 ounce packs of 12 certified organic, non gmo gluten free organic brown rice cakes", + "8 ounce packs of 12 certified organic brown rice cakes", + "10 ounce packs of 12 certified organic brown rice cakes" + ], + "i am hoping to find some tamari with seaweed flavored rice cakes. i want them to be gluten free and non gmo": [ + "tamari with seaweed flavored rice cakes", + "temari with seaweed flavored rice cakes gluten free", + "temari with seaweed flavored rice cakes", + "shamari with seaweed flavored rice cakes", + "amari with seaweed flavored rice cakes gluten free", + "amari with seaweed flavored rice cakes", + "tempered rice cakes gluten free", + "tempered rice cakes gluten free and non gmo", + "tamari rice cakes gluten free", + "temami with seaweed flavored rice cakes" + ], + "i am looking for a pack of 12 cafe mocha in plant based form.": [ + "pack of 12 cafe mocha in plant based form", + "pack of 12 cafe mocha plant based form", + "12 cafe mocha in plant based form", + "bag of 12 cafe mocha in plant based form", + "12 cafe mocha plant based form", + "bag of 12 cafe mocha plant based form", + "pack of 12 cafe mocha plant based", + "12 cafe mocha plant based", + "pack of 12 cafe mocha plant based form.", + "bag of 12 cafe mocha plant based" + ], + "i need an usda organic jinxuan oolong tea bag that is hand crafted.": [ + "usda organic jinxuan oolong tea bag", + "jinxuan oolong tea bag that is hand crafted", + "usda organic jinxuan oolong tea bag, hand crafted", + "usda organic jinxuan oolong tea bag hand crafted", + "womensda organic jinxuan oolong tea bag", + "jinxuan oolong tea bag", + "jinxuan oolong tea bag hand crafted", + "jinxuan oolong tea bag that is hand crafted.", + "usda organic jinxuan oolong tea bag hand crafted.", + "bag that is hand crafted" + ], + "i want t secretea oolong tea bags, taiwan jinxuan 100% organic.": [ + "s secretea oolong tea bags, taiwan jinxuan 100% organic", + " secretea oolong tea bags, taiwan jinxuan 100% organic", + "taiwan jinxuan 100% organic", + "semiretea oolong tea bags, taiwan jinxuan 100% organic", + "secretea oolong tea bags, taiwan jinxuan 100% organic", + "tea oolong tea bags, taiwan jinxuan 100% organic", + "syntretea oolong tea bags, taiwan jinxuan 100% organic", + "synthetica oolong tea bags, taiwan jinxuan 100% organic", + "a oolong tea bags, taiwan jinxuan 100% organic", + "i want t secretea oolong tea bags that are 100% organic." + ], + "i am looking for a hair styling mirror.": [ + "hair styling mirror", + "hair styling mirror.", + "hair styling mirror under $50", + "hair styling mirror under $40", + "hair styling mirror under $60", + "hair styling mirror under 50 dollars", + "hair styling mirror under $120", + "style mirror for hair styling", + "hair styling mirror under $130", + "shoes styling mirror" + ], + "get a tongue cleaner that is easy clean and use, and is also stainless steel.": [ + "easy clean and use tongue cleaner stainless steel", + "easy clean tongue cleaner stainless steel", + "easy clean and use tongue cleaner that is also stainless steel", + "tong cleaner that is easy clean and use, stainless steel", + "lip cleaner that is easy clean and use, stainless steel", + "easy clean tongue cleaner that is also stainless steel", + "tongor cleaner that is easy clean and use stainless steel", + "easy clean, stainless steel tongue cleaner", + "tongue cleaner that is easy clean and use stainless steel", + "tongor cleaner that is easy clean and use" + ], + "can you find me a face moisturizer for dead and dry skin? i want the one that comes in the 5.07 ounces.": [ + "face moisturizer for dead and dry skin 5.07 ounces", + "moisturizer for dead and dry skin 5.07 ounces", + "face moisturizer for dead and dry skin 5.07 oz", + "face moisturizer for dead and dry skin, 5.07 ounces", + "toothpaste for dead and dry skin 5.07 ounces", + "beauty moisturizer for dead and dry skin 5.07 ounces", + "moisturizer for dead and dry skin 5.07 oz", + "face moisturizer for dead and dry skin", + "face moisturizer for dead and dry skin 5.07 ounces", + "face moisturizer for dead and dry skin 5.07 ounces." + ], + "i need a black twin sized bed.": [ + "black twin sized bed", + "black twin sized bed.", + "black twin bed", + "black twin sized bed,", + "black twin sized bed under $50", + "black twin sized bed under $40", + "black twin sized bed under $60", + "twin bed black", + "twin sized bed", + "black twin size bed" + ], + "i\u2019d like to find a super soft luxurious fleece throw that\u2019s about 50\u201d x 40\u201d in size. it should look good in my living room.": [ + "super soft luxurious fleece throw", + "super soft luxurious fleece throw for living room", + "super soft luxurious fleece throw 50\u201d x 40\u201d", + "50\u201d x 40\u201d fleece throw", + "super soft luxurious fleece throw for the living room", + "super soft luxurious fleece throw for living room under 50 dollars", + "super soft luxurious fleece throw 50\u201d x 40", + "super soft luxurious fleece throw under 50\u201d x 40", + "super soft plush fleece throw", + "super plush fleece throw" + ], + "i am looking for a 60\"x 50\" super soft throws": [ + "60x 50 super soft throws", + "60x 50 super soft throws under $50", + "60x 50 super soft throws under $40", + "60x 50 super soft throws under $60", + "60x 50 super soft throws under 50 dollars", + "60x 50 super soft throws under 30 dollars", + "60x 50 super soft throws under 60 dollars", + "60x 50 super soft throws under 40 dollars", + "50x 50 super soft throws", + "60x 50 super soft throws under $120" + ], + "i need a 1.0mm braces brush that is easy to clean.": [ + "1.0mm braces brush", + "1.0mm braces brush easy to clean", + "1.0mm braces brush clean", + "1.0mm braces brush under $50", + "1.0mm braces brush under $40", + "1.0mm braces brusheasy to clean", + "easy clean 1.0mm braces brush", + "1.0mm braces brush easy clean", + "2.0mm braces brush", + "easy clean braces brush" + ], + "i want the easy to use seasoning spice mix. look for the garlic butter option.": [ + "easy to use seasoning spice mix garlic butter", + "easy to use seasoning spice mix garlic butter flavor", + "easy to use seasoning spice mix with garlic butter", + "moisturizing seasoning spice mix garlic butter", + "easy to use seasoning spice mix. garlic butter", + "moisturizer spice mix garlic butter", + "easy to use seasoning spice mix, garlic butter", + "easy to use seasoning spice mix", + "easy to use seasoning spice mix under $40", + " seasoning spice mix garlic butter" + ], + "i am looking for low sugar, low carb and gluten free cookies that has flavored chocolate cake": [ + "low sugar, low carb and gluten free cookies", + "low sugar low carb gluten free cookies that has flavored chocolate cake", + "low sugar low carb and gluten free cookies", + "low sugar low carb and gluten free cookies with flavored chocolate cake", + "low sugar and gluten free cookies that has flavored chocolate cake", + "low sugar gluten free cookies that has flavored chocolate cake", + "low sugar low carb gluten free cookies", + "low sugar low carb and gluten free cookies that has flavored chocolate", + "low sugar cookies that has flavored chocolate cake", + "low sugar cookies with flavored chocolate cake" + ], + "i need a henleys shirt, slim fit and fleece lined. color needs to be white and x-large in size.": [ + " henleys shirt white x-large", + " henleys shirt white x-large in size", + " henleys shirt, slim fit and fleece lined", + " henleys shirt slim fit and fleece lined", + " henleys shirt slim fit white x-large", + " henleys shirt slim fit and fleece lined white", + "h henleys shirt white x-large", + "h henleys shirt white x-large in size", + " henleys shirt white and x-large in size", + " henleys shirt white and x-large" + ], + "hey i need some new press on nails. get me babalal cat eye ones that aren't toxic and make sure the color you get is purple.": [ + "pink nail polish press", + "pink nail press", + "babalal cat eye ones", + "babalal cat eye", + "babalal cat eye polish", + "pink nails press", + "babalal cat eye nails", + "pink nails press on nails", + "babalal cat eye color", + "pink nails" + ], + "i would like a desktop mini computer with16 gig of ram and a intel core i9.": [ + "desktop mini computer with16 gig of ram and intel core i9", + "desktop mini computer with16 gig of ram", + "desktop mini computer with16 gig of ram with intel core i9", + "desktop mini computer with16 gig of ram, intel core i9", + "desktop mini computer with16 gig of ram and Intel core i9", + "desktop mini computer with 16 gig of ram and intel core i9", + "desktop mini computer with16 gig of ram and i9", + "desktop mini computer with16 gig of ram under $130", + "desktop mini computer with16 gig of ram and i9.", + "desktop mini computer 16 gig of ram" + ], + "i'm searching for sunkist\u00ae omega 3+6 trail mix , low sodium and gluten free snack with almonds, yogurt raisins, banana chips": [ + "sunkist\u00ae omega 3+6 trail mix with almonds, yogurt raisins, banana chips", + "sunkist\u00ae omega 3+6 trail mix", + "sunkist\u00ae omega 3+6 trail mix with almonds, yogurt raisins and banana chips", + "sunkist\u00ae omega 3+6 trail mix, low sodium and gluten free, banana chips", + " sunkist\u00ae omega 3+6 trail mix with almonds, yogurt raisins, banana chips", + "sinkist\u00ae omega 3+6 trail mix with almonds, yogurt raisins, banana chips", + "sunkist\u00ae omega 3+6 trail mix that is low sodium and gluten free", + "sunkist\u00ae omega 3+6 trail mix low sodium and gluten free banana chips", + "sunkist\u00ae omega 3+6 trail mix that is low sodium and gluten free banana chips", + "sinkist\u00ae omega 3+6 trail mix" + ], + "i am looking for an old fashioned and gluten free rolled oats. i would need about 400 ounces of it.": [ + "old fashioned gluten free rolled oats", + "old fashioned and gluten free rolled oats", + "old fashioned and gluten free rolled oats under $40", + "old fashioned gluten free rolled oats under $40", + "old fashioned gluten free rolled oats.", + "old fashioned and gluten free rolled oats.", + "old fashioned and gluten free rolled oats under $50", + "old fashioned and gluten free rolled oats under 50 dollars", + "old fashioned gluten free rolled oats under $50", + "old fashioned gluten free rolled oats under 50 dollars" + ], + "i need a dermatologist tested instantly warm clay mask- 1 count (6 masks)": [ + "dermatologist tested instantly warm clay mask- 1 count (6 masks)", + "dentalologist tested instantly warm clay mask- 1 count (6 masks)", + "ddermatologist tested instantly warm clay mask- 1 count (6 masks)", + "dendritic tested instantly warm clay mask- 1 count (6 masks)", + "a dermatologist tested instantly warm clay mask- 1 count (6 masks)", + "im looking for an instantly warm clay mask- 1 count (6 masks)", + "endorsologist tested instantly warm clay mask- 1 count (6 masks)", + "dermatologist tested instantly warm clay mask 1 count (6 masks)", + "dermatologist tested instantly warm clay mask", + "ddermatologist tested instantly warm clay mask- 1 count (6 masks)," + ], + "i would like to find raspberry jam snacks with real fruit combined with almond spread.": [ + "pomegranate jam snacks with real fruit combined with almond spread", + "pomegranate jam snacks with real fruit and almond spread", + "pomegranate jam snacks with real fruit with almond spread", + "pomegranate jam snacks with real fruit", + "p raspberry jam snacks with real fruit combined with almond spread", + "pomegranate jam snacks made from real fruit with almond spread", + "pomegranate jam snacks that are real fruit with almond spread", + "raspberry jam snacks with real fruit combined with almond spread", + "pomegranate jam snacks with real fruit, almond spread", + "pomegranate jam snacks with real fruit under $40" + ], + "i need area rugs in the color french cellar that i can easily spot clean.": [ + "area rugs in the color french cellar", + "colored area rugs in the color french cellar", + "yellow area rugs in the color french cellar", + "area rug in the color french cellar", + "area rug in the color french cellar that i can easily spot clean", + "23 area rugs in the color french cellar", + "area rug color french cellar that i can easily spot clean.", + "area rugs color french cellar", + "area rugs in a color french cellar", + "area rug color french cellar" + ], + "i am looking for a high quality purple ice roller skin care tool kit.": [ + "pink ice roller skin care tool kit", + "high quality purple ice roller skin care tool kit", + "pink ice roller skin care tool kit.", + "low quality purple ice roller skin care tool kit", + "high quality purple ice roller skin care tool kit.", + "pink ice roller skin care tool kit below $40", + "pink ice roller skin care tool kit under $40", + "pink ice roller skin care tool kit below $50", + "blue ice roller skin care tool kit", + "plastic ice roller skin care tool kit" + ], + "i want a facial serum with antioxidants, oil free, clinically proven, in a 1.7 ounce just one pack.": [ + "facial serum with antioxidants 1.7 ounce in one pack", + "facial serum with antioxidants, oil free, clinically proven", + "facial serum with antioxidants 1.7 ounce", + "facial serum with antioxidants 1.7 ounce just one pack", + "facial serum with antioxidants, oil free, clinically proven, one pack", + "facial serum, oil free, clinically proven, 1.7 ounce", + "facial serum with antioxidants, oil free and clinically proven", + "facial serum with antioxidants 1.7 oz", + "facial serum with antioxidants", + "facial serum" + ], + "i'd like to shop for a three piece set of eye creams that have hyaluronic acid and are oil free.": [ + "three piece set of eye creams that have hyaluronic acid", + "three piece set of eye creams", + "three piece set of eye creams that are hyaluronic acid", + "three piece set of eye creams with hyaluronic acid", + "3 piece set of eye creams that have hyaluronic acid", + "3 piece set of eye creams that are hyaluronic acid", + "two piece set of eye creams that have hyaluronic acid", + "3 piece set of eye creams with hyaluronic acid", + "3 piece set of eye creams", + "three piece set of eye creams oil free" + ], + "i would like a 0.5 fluid ounce bottle of water gel eye cream that is clinically proven.": [ + "1.5 fluid ounce bottle of water gel eye cream", + "0.5 fluid ounce bottle of water gel eye cream", + "water gel eye cream that is clinically proven", + "1.5 fluid ounce bottle of water gel", + "1.5oz bottle of water gel eye cream", + "one fluid ounce bottle of water gel eye cream", + "water gel eye cream clinically proven", + "teeth gel eye cream clinically proven", + "water gel eye cream, clinically proven", + "water gel eye cream" + ], + "i am looking for a good freeze dried food for my dog.": [ + "freeze dried food for my dog.", + "freeze dried food for my dog", + "freeze dried food for dog", + "frozen dried food for my dog.", + "freeze dried food for a dog", + "frozen dried food for my dog", + "freeze dried food for dog.", + "frozen dried food for dog", + "freeze dried food for dogs", + "freeze dried food for a dog." + ], + "like to buy a high speed fast charging green usb type c cable 3.1a in 3.3ft size length .": [ + "green usb type c cable 3.1a in 3.3ft size length", + "high speed fast charging green usb type c cable 3.1a in 3.3ft", + "high speed fast charging green usb type c cable 3.1a", + "high speed fast charging green usb type c cable 3.3ft size length", + "electric charging green usb type c cable 3.1a in 3.3ft size length", + "high speed fast charging green usb type c cable 3.1a in 3ft size length", + "green usb type c cable 3.1a in 3.3ft", + "high speed fast charging green usb type c cable 3.3ft", + "green usb cable 3.1a in 3.3ft size length", + "high speed fast charging green usb type c cable 3.1a 3.3ft" + ], + "i would like a black dual band repeater.": [ + "black dual band repeater", + "black dual band repeater.", + "black dual band repeater under $40", + "black dual band repeater under $50", + "black dual band repeater,", + "black dual band repeater under $60", + "black dual band repeater under 30 dollars", + "black dual band repeater under 50 dollars", + "black dual band repeater that is black", + "white dual band repeater" + ], + "i am looking for large sized men tank.it shoud be made of polyester heather.": [ + "large sized men tank made of polyester heather", + "large sized men tank with polyester heather", + "large sized men tank made from polyester heather", + "large sized men tank, polyester heather", + "large sized men tank with a polyester heather", + "large sized men tank, polyester heather,", + "large sized men tank", + "large sized men tank under $50", + "large sized men tank under $40", + "large sized men tank heather" + ], + "i would like a german chocolate flavored syrup that is sugar free and 15.89 oz.": [ + "german chocolate flavored syrup 15.89 oz", + "german chocolate flavored syrup 17.89 oz", + "german chocolate flavored syrup 14.89 oz", + "german chocolate flavored syrup", + "german chocolate flavored syrup 16.89 oz", + "german chocolate flavored syrup 13.89 oz", + " german chocolate flavored syrup 15.89 oz", + "german chocolate flavored syrup 15.89 oz.", + "german chocolate flavored syrup 15.89 oz under $40", + "german chocolate flavored syrup 15.89 oz under 30 dollars" + ], + "i am looking for a sugar free drink syrup. get the one in the egg nog flavor.": [ + "sugar free drink syrup egg nog flavor", + "sugar free drink syrup", + "sugar free drink syrup in egg nog flavor", + "sugar free drink syrup, egg nog flavor", + "sugar free drink syrup for egg nog flavor", + "sugar free drink syrup with egg nog flavor", + "sugar free drink syrup egg nog flavor.", + "sugar free drink syrup no sugar", + "sugar free drink syrup under $40", + "sugar free drink syrup under $50" + ], + "i am looking for a super soft, fleece throw blanket that has to be at least 80\"x60\" and ideally have a sloth on it.": [ + "super soft fleece throw blanket with a sloth", + "super soft fleece throw blanket with sloth", + "super soft fleece throw blanket 80x60", + "super soft fleece throw blanket with an 80x60 sloth", + "super soft fleece throw blanket with a sloth on it", + "super soft fleece throw blanket 80x60 with sloth", + "super soft fleece throw blanket, 80x60", + "super soft fleece throw blanket", + "super soft fleece throw blanket 80x60 with a sloth", + "super soft, fleece throw blanket with a sloth" + ], + "i want to get a fleece throw that's machine washable. it needs to be extra small 40 by 30 in and strawberry cow 2 color.": [ + "fleece throw extra small 40 by 30 in strawberry cow 2 color", + "fleece throw extra small 40 by 30 in and strawberry cow 2 color", + " fleece throw extra small 40 by 30 in strawberry cow 2 color", + " fleece throw extra small 40 by 30 in and strawberry cow 2 color", + "fleece throw 40 by 30 in strawberry cow 2 color", + " fleece throw 40 by 30 in strawberry cow 2 color", + " fleece throw that is extra small 40 by 30 in strawberry cow 2 color", + "fleece throw that is machine washable", + " fleece throw that is machine washable", + "fleece throw extra small 40 by 30 in strawberry cow 2 color." + ], + "i am looking for sweatpants and short pants for gym workout": [ + "sweatpants for gym workout", + "sweatpants for workouts", + "sweatpants for workout", + "sweatpants for a workout", + "sweatpants for gym workouts", + "sweatspants for gym workout", + "sweatpants for training", + "sweatpants for workout workout", + "sweatpants gym workout", + "sweatpants workout" + ], + "i want to get a birthday party themed cake topper. get the one with the purple butterfly on it.": [ + "birthday party themed cake topper with purple butterfly", + "birthday party themed cake topper with purple butterflies", + "birthday party themed cake topper purple butterfly", + "baby shower themed cake topper with a purple butterfly", + "birthday party themed cake topper purple butterflies", + "birthday party themed cake topper, purple butterfly", + "birthday party themed cake topper purple", + "birthday party themed cake topper", + "baby shower themed cake topper with purple butterflies", + "baby shower themed cake topper" + ], + "i'm searching for a toothpick oral hygiene pink color brush": [ + "toothpick oral hygiene pink color brush", + "tothpick oral hygiene pink color brush", + "teethpick oral hygiene pink color brush", + " toothpick oral hygiene pink color brush", + "othpick oral hygiene pink color brush", + "tosspick oral hygiene pink color brush", + "pocketpick oral hygiene pink color brush", + "tortpick oral hygiene pink color brush", + "oral hygiene pink color brush", + "toothpick oral hygiene pink" + ], + "i need a 2.6 ounce deodorant that is cruelty free and smells of mandarin woods.": [ + "2.6 ounce deodorant that is cruelty free and smells of mandarin woods", + "2.6 ounce deodorant that is cruelty free", + "2.6 ounce deodorant", + "two.6 ounce deodorant that is cruelty free and smells of mandarin woods", + " 2.6 ounce deodorant that is cruelty free and smells of mandarin woods", + "2.6 ounce deodorant that is cruelty free, smells of mandarin woods", + "2.6 ounce deodorant, cruelty free and smells of mandarin woods", + "2.6 ounce deodorant with cruelty free and smells of mandarin woods", + "2.6 ounce deodorant cruelty free and smells of mandarin woods", + "1.6 ounce deodorant that is cruelty free and smells of mandarin woods" + ], + "i am looking to buy a high powered car cd receiver with bluetooth.": [ + "high powered car cd receiver with bluetooth", + "high powered car cd receiver", + "car cd receiver with bluetooth", + "high powered car cd receiver bluetooth", + "high powered car cd receiver, bluetooth", + "high powered car cd receivers with bluetooth", + "low powered car cd receiver with bluetooth", + "high powered car cd player with bluetooth", + "car cd receiver bluetooth", + "car cd receiver" + ], + "i am looking for high speed 4k hdmi cable of 6 feet.i need 80 pcs.": [ + "4k hdmi cable of 6 feet", + "high speed 4k hdmi cable of 6 feet", + "4k hdmi cable of 6 feet with 80 pcs", + "4k hdmi cable", + "4k hdmi cable of 6 feet, 80 pcs", + "4k hdmi cable of 6 feet under 80 pcs", + "4k hdmi cable of 6 feet. 80 pcs", + "high speed 4k hdmi cable of 6 feet.", + "4k hdmi cable of 6 feet 80 pcs", + "4k hdmi cable with 80 pcs" + ], + "i'm looking for twin bunk beds with box spring. also, choose black colored one.": [ + "twin bunk beds with box spring", + "twin bunk beds with box spring black", + "twin bunk beds with box springblack", + "twin bunk beds black", + "twin bunk beds with box spring.", + "twin bunk beds box spring black", + "twin bunk beds, box spring black", + "twin bunk beds", + "twin bunk beds box spring", + " twin bunk beds with box spring" + ], + "i am looking for a wall mounted mid-century sconce that preferably has a plug in 2 pack.": [ + "wall mounted mid-century sconce with plug in 2 pack", + "wall mounted mid-century sconce", + "wall mounted mid-century sconce that is plug in 2 pack", + "wall mounted mid-century sconce with plug in 2 pack.", + "wall mounted mid-century sconce, plug in 2 pack", + "wall mounted mid-century sconce with a plug in 2 pack", + "wall mounted mid-century sconce plug in 2 pack", + "wall mounted mid-century sconce that preferably has plug in 2 pack", + "wall mounted mid-century sconce that is plug in 2 pack.", + "wall mounted mid-century sconce with plug in 2 pack," + ], + "i need a elephant11lbg8852 valentine's fleece throw that is 50x60in.": [ + " elephant11lbg8852 valentines fleece throw that is 50x60in", + "animal11lbg8852 valentines fleece throw that is 50x60in", + "alarm11lbg8852 valentines fleece throw that is 50x60in", + " elephant 11lbg8852 valentines fleece throw that is 50x60in", + " elephant11lbg8852 valentines fleece throw", + "8 elephant11lbg8852 valentines fleece throw that is 50x60in", + "an elephant11lbg8852 valentines fleece throw that is 50x60in", + "alarm 11lbg8852 valentines fleece throw that is 50x60in", + "a elephant11lbg8852 valentines fleece throw that is 50x60in", + "animal11lbg8852 valentines fleece throw" + ], + "i am looking for restore & repair oil.which is effective for anti aging.": [ + "stainless & repair oil anti aging", + "stainless and repair oil anti aging", + "toothpaste oil anti aging", + "stainless & repair oil", + "restoration & repair oil anti aging", + "restoration & repair oil for anti aging", + "restoring & repair oil anti aging", + "stainless and repair oil", + "find & repair oil for anti aging", + "restoration & repair oil" + ], + "can you find me a clear screen protector for glass screens?": [ + "clear screen protector for glass screens", + "glass screens clear screen protector", + "glass screen protector", + "glass screen protector for glass screens", + "sky screen protector for glass screens", + "clear screen protector", + "clear screen protector glass screens", + "clear screen protector for glass screen", + "sneakers for glass screens", + "window protector" + ], + "i would like a clear performance glass screen protector for a samsung s21.": [ + "glass screen protector samsung s21", + "glass screen protector for samsung s21", + "samsung s21 clear performance glass screen protector", + "clear performance glass screen protector samsung s21", + "samsung s21 screen protector", + "samsung s21 glass screen protector", + "samsung s21 screen protector clear performance", + "glass screen protector samsung s21 clear performance", + "glass screen protector for samsung s21.", + "glass screen protector" + ], + "i would like a clear value glass screen samsung a32 5g phone.": [ + "glass screen samsung a32 5g phone", + "samsung a32 5g phone", + "samsung a32 5g phone clear value", + "samsung a32 5g phone with clear value", + "samsung samsung a32 5g phone", + "samsung a32 5g phone, clear value", + "glass screen samsung a32 5g phone.", + "samsung a32 5g phone.", + "samsung a32 5g phone glass screen", + "a32 5g phone" + ], + "i am looking for a tempered glass screen protector for an iphone 12 mini.": [ + "tempered glass screen protector for an iphone 12 mini", + "tempered glass screen protector iphone 12 mini", + "tempered glass screen protector for a iphone 12 mini", + "tempered glass screen protector for iphone 12 mini", + "tempered glass screen protector for iiphone 12 mini", + "tempered glass screen protector for aniphone 12 mini", + "tempered glass screen protector for an iiphone 12 mini", + "tempered glass screen protector for iphone 12 mini.", + "tempered glass screen protector, iphone 12 mini", + "tempered glass screen protector iphone 12 mini." + ], + "i'm looking for desktop computer with intel core processor.": [ + "desktop computer with intel core processor", + "desktop computer with intel core processor.", + "desktop computer with intel core processor under $130", + "desktop computer with intel core processor under $120", + "desktop computer with intel core processor under $50", + "desktop computer with intel core processor under $40", + "desktop computer with intel core processor under $60", + "desktop computer with intel core processor desktop computer", + "desktop computer with intel core processor.desktop computer", + "desktop computer with intel core processor," + ], + "i am shopping for a ready use syrup that is lemon lime in flavor.": [ + "lemon lime ready use syrup", + "lemon lime flavor", + "lemon lime in flavor", + "lemon lime syrup ready use", + "pomegranate lime flavor", + "lemon lime ready use syrup flavor", + "lemon lime drink mix", + "ready use syrup that is lemon lime", + "lemon lime", + "lemon lime drink syrup" + ], + "i'm looking for a 32 ounce bottle of peach flavored ready to use syrup.": [ + "32 ounce bottle of peach flavored ready to use syrup", + "28 ounce bottle of peach flavored ready to use syrup", + "pomegranate flavored ready to use syrup 32 ounce", + "pomegranate flavored ready to use syrup 32 oz", + "16 ounce bottle of peach flavored ready to use syrup", + "pomegranate flavored ready to use syrup", + "per ounce bottle of peach flavored ready to use syrup", + "chocolate flavored ready to use syrup 32 ounce", + "chocolate flavored ready to use syrup 32 ounce bottle", + "tea flavored ready to use syrup 32 ounce" + ], + "i'm looking for a camouflage colored leggings which is high at the waist.": [ + "curtains colored leggings high at the waist", + "comfortable colored leggings high at the waist", + "moisturizing colored leggings high at the waist", + " camouflage colored leggings high at the waist", + "manual colored leggings high at the waist", + "coaxial colored leggings high at the waist", + "comfortable colored leggings that is high at the waist", + "comportable colored leggings high at the waist", + "curtains colored leggings high at the waist.", + "comfy colored leggings high at the waist" + ], + "do you think you can find me a power amp that is easy to install?": [ + "power amp easy to install", + "power amp", + "easy to install power amp", + "power amp, easy to install", + "power amp with easy to install", + "power amp under $40", + "power amp under $50", + "power amp easy setup", + "easy setup power amp", + "power amp easy install" + ], + "i am looking for remote controls that include batteries.": [ + "remote controls with batteries", + "remote controls that include batteries", + "remote control with batteries", + "remote controls for remote control", + "remote controls that are batteries", + "remote controls for remote", + "remote controls", + "remote controls for remote controls", + "remote controls no batteries", + "remote controls without batteries" + ], + "i want to buy a moisturizing milk purifying gel cleanser that is sulfate and alcohol free.": [ + "moisturizing milk purifying gel cleanser", + "moisturizing gel cleanser that is sulfate and alcohol free", + "moisturizing milk purifying gel cleanser with alcohol free", + "moisturizing milk purifying gel cleanser with sulfate", + "moisturizing milk purifying gel cleanser, sulfate free", + "moisturizing milk purifying gel cleanser under $40", + "moisturizing cream purifying gel cleanser", + "moisturizing dairy purifying gel cleanser", + "moisturizing gel cleanser", + "moisturizing milk cleansing gel cleanser" + ], + "i need a small yellow polyester spandex lingerie sleepwear.": [ + "small yellow polyester spandex lingerie sleepwear", + "small yellow polyester spandex lingerie sleepwear.", + "small yellow polyester spandex lingerie sleepwear under $40", + "small yellow polyester spandex lingerie sleepwear under $50", + "small yellow polyester spandex lingerie sleepwear,", + "small yellow polyester spandex lingerie sleepwear under $60", + "small yellow polyester spandex lingerie sleepwear under 50 dollars", + "small yellow polyester spandex lingerie sleepwear under 30 dollars", + "small yellow polyester spandex lingerie sleepwear under 40 dollars", + "small yellow polyester spandex lingerie sleepwear under 60 dollars" + ], + "i am looking for black magic seasoning that is gluten free and 1.37 pounds.": [ + "black magic seasoning that is gluten free 1.37 pounds", + "black magic seasoning gluten free 1.37 pounds", + "black magic seasoning gluten free and 1.37 pounds", + "black magic seasoning, gluten free and 1.37 pounds", + "black magic seasoning, gluten free, 1.37 pounds", + "black magic seasoning 1.37 pounds", + "black magic seasoning with gluten free 1.37 pounds", + "black magic seasoning gluten free 1.37 pounds", + "black magic seasoning", + "black magic seasoning 2.37 pounds" + ], + "i want variety pack gluten free meat seasoning spices gift set size :5.5 ounce (pack of 4)": [ + " variety pack gluten free meat seasoning spices gift set size :5.5 ounce (pack of 4)", + "gluten free meat seasoning spices gift set size :5.5 ounce (pack of 4)", + "variety pack gluten free seasoning spices gift set size :5.5 ounce (pack of 4)", + "variety pack gluten free meat seasoning spices gift set size 5.5 ounce (pack of 4)", + "variety pack gluten free meat seasoning spices gift set size", + " variety pack gluten free meat seasoning spices gift set size :5.5 ounce (pack of 4),", + "variety pack gluten free meat seasoning spices gift set", + "variety pack gluten free meat seasoning spices gift set size (pack of 4)", + "variety pack gluten free meat seasoning spices gift set 4)", + "variety pack gluten free meat seasoning spices" + ], + "variety pack seasoning, gluten free 5.5oz gift set (pack of 4.)i'm cooking for friends, need to gift the couple something gourmet. mis rubins magic seems to be ideal.": [ + "variety pack seasoning gourmet 5.5oz gift set", + "variety pack seasoning gourmet", + "variety pack seasoning gourmet 4.5oz gift set", + "variety pack seasoning gluten free 5.5oz gift set", + "variety pack seasoning gourmet 2.5oz gift set", + "variety pack seasoning gourmet under $40", + "variety pack seasoning gourmet under $60", + "variety pack seasoning gourmet gourmet", + "variety pack seasoning gourmet under $50", + "variety pack seasoning gourmet gifts" + ], + "i want an ontario furniture 5 foot solid plastic folding table. if possible i need it to be heavy duty with the steel frame.": [ + " ontario furniture 5 foot solid plastic folding table", + " ontario furniture 5 foot solid plastic folding table heavy duty", + "portario furniture 5 foot solid plastic folding table heavy duty", + "portario furniture 5 foot solid plastic folding table", + "portrait furniture 5 foot solid plastic folding table heavy duty", + "endorsario furniture 5 foot solid plastic folding table", + "tendario furniture 5 foot solid plastic folding table", + "5 foot solid plastic folding table", + "5 foot solid plastic folding table heavy duty", + "8 foot solid plastic folding table" + ], + "do you think you can find me some long lasting women's nail polish? i want the one in the color a-07.": [ + "womens nail polish a-07", + "womens nail polish color a-07", + "womens nail polish a-07.", + "womens nail polish a-07 color", + "long lasting womens nail polish a-07", + "womens nail polish, a-07", + "womens nail polish colored a-07", + "womens nail polish a-06", + "long lasting womens nail polish a-07.", + "womens nail polish color a-07." + ], + "i need a 60 silver mist wig that is made from natural hair.": [ + "60 silver mist wig", + "60 silver mist wig natural", + "60 silver mist wig with natural hair", + "60 silver mist wig made from natural", + "60 silver mist wig from natural hair", + "60 silver mist wig natural hair", + "60 silver mist wig, natural", + "50 silver mist wig", + " 60 silver mist wig", + "silver mist wig" + ], + "i'm searching for daily wear men loafers with size 11 and black | 01 color": [ + "men loafers size 11 black", + "mens loafers size 11 black", + "men loafers size 11 and black", + "mens loafers size 11 and black", + "men loafers with size 11 black", + "man loafers size 11 black", + "mens loafers with size 11 black", + "man loafers size 11 and black", + "men loafers in size 11 black", + "man loafers with size 11 black" + ], + "i am looking for an all in one bluetooth record player and carrying case in brown.": [ + " bluetooth record player and carrying case in brown", + "blue bluetooth record player carrying case in brown", + " bluetooth record player carrying case in brown", + " bluetooth record player with carrying case in brown", + "black bluetooth record player with carrying case", + "black bluetooth record player and carrying case", + "blue bluetooth record player carrying case", + " bluetooth record player in brown", + "black bluetooth record player", + "indoor bluetooth record player and carrying case" + ], + "can you find me a shelf stable potato side dish? i want something that i can cook in the microwave.": [ + " shelf stable potato side dish in the microwave", + "shelf stable potato side dish", + " shelf stable potato side dish", + "shelf stable potato side dish in the microwave", + "stainless potato side dish in the microwave", + "packet stable potato side dish in the microwave", + " shelf stable potato side dish in the microwave.", + "packet stable potato side dish", + "stainless potato side dish", + " shelf stable potato side dish, microwave" + ], + "i need you to find me a high definition bullet camera that has 1080p hd.": [ + "high definition bullet camera", + "high definition bullet camera 1080p hd", + "high definition bullet camera 1080p", + "tv camera that has 1080p hd", + "tv camera with 1080p hd", + "high definition bullet camera in 1080p", + "high definition bullet camera with 1080p", + "high definition bullet camera, 1080p", + "1080p bullet camera", + "1080p high definition bullet camera" + ], + "i'm looking for a portable bluetooth speakers with plug play and has usb port. also, choose mini mamba sized black colored one.": [ + "portable bluetooth speakers with plug play", + "portrait mamba sized black bluetooth speakers", + "portrait bluetooth speakers with plug play", + "portrait mamba sized black wireless speakers", + "portable bluetooth speakers with plug play and is black", + "portportable bluetooth speakers with plug play", + "portable bluetooth speakers with plug play and are black", + "portable bluetooth speakers with plug play and usb port", + "portrait mamba sized black portable bluetooth speakers", + "portable bluetooth speakers with plug play in a black" + ], + "i need a two pack of hdmi cables that are high speed and 35 feet.": [ + "two pack of hdmi cables high speed and 35 feet", + "two pack of hdmi cables", + "two pack of hdmi cables high speed 35 feet", + "two pack hdmi cables high speed and 35 feet", + "two pack hdmi cables high speed 35 feet", + "two pack of hdmi cables that are high speed", + "two pack of hdmi cables under $40", + "two pack of hdmi cables under $50", + "two pack of hdmi cables high speed", + "two pack of hdmi cables with high speed 35 feet" + ], + "i need a water resistant pager that has a transmitter set.": [ + "water resistant pager with a transmitter set", + "water resistant pager with transmitter set", + "water resistant pager with a transmitter", + "water resistant pager with transmitter", + "water resistant pager that has a transmitter", + "pager that has a transmitter set", + "womens pager with transmitter set", + "water resistant pager with transmitter set.", + "water resistant pager", + "pager with a transmitter set" + ], + "i want a vogu twin platform wood trudle bed for teens. i need it in white-6 color.": [ + "vogu twin platform wood trudle bed white-6 color", + "vogu twin platform wood trudle bed for teens white-6", + "vinyl platform wood trudle bed for teens white-6 color", + "vogu twin platform wood trudle bed", + "vogu twin platform wood trudle bed for teens", + "vogu twin platform wood trudle bed in white-6 color", + "vogu twin platform wood trudle bed, white-6 color", + "vogu twin platform wood trudle bed white-6", + "wood trudle bed for teens white-6 color", + "wood trudle bed white-6" + ], + "i would like wide leg black jeans that are small": [ + "small wide leg black jeans", + "small black jeans", + "small black jeans that are small", + "small wide leg black jeans,", + "small, wide leg black jeans", + "small wide leg black jeans small", + "open wide leg black jeans", + "small size black jeans", + "wide leg black jeans", + "large black jeans" + ], + "i am looking for a wireless mini 1080p spy camera with motion detection and night vision.": [ + "wireless mini 1080p spy camera", + " wireless mini 1080p spy camera with motion detection", + "womens wireless mini 1080p spy camera", + "phone mini 1080p spy camera with motion detection", + "tv mini 1080p spy camera with motion detection", + " wireless mini 1080p spy camera", + "womens camera with motion detection", + "phone mini 1080p spy camera", + "tv camera with motion detection and night vision", + "tv camera with motion detection" + ], + "i need 30ml travel bottles.": [ + "30ml travel bottles", + "i need 30ml travel bottles.", + "30ml travel bottles.", + "30ml travel bottles under $40", + "30ml travel bottles under 30 dollars", + "30ml travel bottles under $60", + "30ml travel bottles under $50", + "28ml travel bottles", + "30ml travel bottles under 50 dollars", + "30ml travel bottles under 40 dollars" + ], + "i would like a women's xl dark heather cotton tank top that's machine washable.": [ + "womens xl dark heather cotton tank top", + "womens xl dark heather cotton tank top machine washable", + "womens xl dark heather cotton tank top, machine washable", + "womens xl dark heather cotton tank top thats machine washable", + "womens xl dark heather cotton tank top machine washable", + "womens xl dark heather cotton tank top that machine washable", + "womens xl dark heather cotton tank top whose machine washable", + "womens xl dark heather cotton tank top under $40", + " womens xl dark heather cotton tank top", + "mens xl dark heather cotton tank top" + ], + "i'm looking for a pack of butter cookies made with quality ingredients. get me the 3 pound package.": [ + "pack of butter cookies made with quality ingredients", + "pack of butter cookies made with quality ingredients.", + "3 pound butter cookies made with quality ingredients", + "butter cookies 3 pound package", + "butter cookies made with quality ingredients", + "3 pound pack of butter cookies", + "pack of butter cookies 3 pound package", + "pack of butter cookies made from quality ingredients", + "pack of butter cookies", + "3 pound butter cookies" + ], + "i am looking for light brown hair extensions for women.": [ + "light brown hair extensions for women", + "light brown hair extensions", + "light brown hair extension for women", + "light brown hair extensions for women.", + "light brown hair extension", + "low brown hair extensions for women", + "dark brown hair extensions for women", + "light brown hair extensions, for women", + "light brown hair extensions for women,", + "light brown wig extensions for women" + ], + "find me an 18 inch long double sided human hair extensions that is golden brown and beach blonde in color.": [ + "18 inch long double sided human hair extensions", + "18 inch long human hair extensions that is golden brown", + "18 inch long human hair extensions", + "18 inch long human hair extensions golden brown", + "18 inch long double sided human hair extension", + "18 inch long double sided human hair extensions golden brown", + "18 inch long double sided human hair extensions, golden brown", + "18 inch long human hair extensions with golden brown color", + "18 inch long human hair extension", + "human hair extensions golden brown" + ], + "i need some 12 inch white blonde hair extensions": [ + "12 inch white blonde hair extensions", + "12 inch white blonde hair extension", + "12 inch white hair extensions", + "12 inch white blonde wig extensions", + "white blonde hair extensions", + "hair extensions 12 inch white", + "12 inch white hair extension", + "12 inch white wig extensions", + "hair extensions 12 inches white", + "12 inch white blonde wig extension" + ], + "i am interested in 24 inch hair extensions": [ + "hair extension 24 inches long", + "hair extension 24 inches", + "hair extensions 24 inches long", + "24 inch hair extensions", + "hair extension 24 inches long 24 ft", + "hair extensions 24 inches long 24 ft", + "24 inch hair extension", + "hair extensions 24 inches", + "hair extension 24 inch", + "hair extension" + ], + "i need a certified refurbished hp laser printer.": [ + "certified refurbished hp laser printer", + "certified refurbished hp laser printer.", + "i need a certified refurbished hp laser printer.", + "monetized refurbished hp laser printer", + "certified refurbished hp laser printer under $40", + "certified refurbished hp laser printer under $50", + "certified refurbished hp laser printer under $60", + "a certified refurbished hp laser printer", + "a certified refurbished hp laser printer.", + "certified refurbished hp laser printer under $120" + ], + "i want to find some keto friendly salsa made with quality ingredients.": [ + "keto friendly salsa made with quality ingredients", + "keto friendly salsa made with quality ingredients.", + "keto friendly salsa made with quality ingredients under $40", + "keto friendly salsa made with quality ingredients under 30 dollars", + "keto friendly salsa made with quality ingredients under 50 dollars", + "keto friendly salsa made with quality ingredients under $60", + "keto friendly salsa made with quality ingredients under 40 dollars", + "keto friendly salsa made with quality ingredients under $50", + "keto friendly salsa made with quality ingredients under 60 dollars", + "keto friendly salsa made with quality ingredients" + ], + "let's see some long lasting moose that is about 250ml.": [ + "long lasting moose that is about 250ml", + "large moose that is about 250ml", + "long lasting moose 250ml", + "moose that is about 250ml", + "big and tall moose 250ml", + "moose 250ml", + "living moose 250ml", + "long lasting moose with a size 250ml", + "long lasting moose under 250ml", + "large moose 250ml" + ], + "i need to find a sugar free, fruit flavoured powdered drink.": [ + "sugar free, fruit flavoured powdered drink", + "sugar free fruit flavoured powdered drink", + "sugar free, fruit flavoured powdered drink.", + "sugar free, fruit flavoured powdered drink under $40", + "sugar free, fruit flavoured powdered drink under $50", + "sugar free, fruit flavoured powdered drink under $60", + "sugar free, fruit flavoured powdered drink under 50 dollars", + "sugar free, fruit flavoured powdered drink under 30 dollars", + "sugar free, fruit flavoured powdered drink under 40 dollars", + "sugar free, fruit flavoured powdered drink under 60 dollars" + ], + "i am looking for sugar free soft drink mixes with fruit punch": [ + "sugar free soft drink mix with fruit punch", + "sugar free soft drink mixes with fruit punch", + "sugar free soft drink mix fruit punch", + "sugar free soft drink mix", + "sugar free soft drink mix made from fruit punch", + "sugar free soft drink mix, fruit punch", + "synthetic free soft drink mix with fruit punch", + "sugar free soft drink mix that is fruit punch", + "gluten free soft drink mix with fruit punch", + "sugar free drink mix with fruit punch" + ], + "i am looking for a good hair salon.": [ + "good hair salon", + "good hair salon.", + "hair salon that is good", + "hair salon", + "beauty salon", + "a good hair salon", + "a good hair salon.", + "good hair salon under $40", + "good hair salon under 30 dollars", + "good hair salon under $50" + ], + "i'm looking for a heavy duty case for my phone. can you get me one in black and orange?": [ + "black and orange heavy duty phone case", + "heavy duty phone case black and orange", + "heavy duty phone case in black and orange", + "heavy duty case for my phone black and orange", + "phone case black and orange", + "black heavy duty phone case", + "heavy duty case for my phone", + "black and orange heavy duty mobile phone case", + "black phone case heavy duty", + "heavy duty phone case" + ], + "i am looking for an easy to install iphone case that is pink and blue and xs max in size.": [ + "iphone case pink and blue xs max", + "iphone case pink and blue", + "iphone case pink and blue and xs max", + "iphone case pink xs max in size", + "pink and blue iphone case", + "iphone case pink and blue xs", + "iphone case with pink and blue xs max", + "iphone case pink xs max", + "pink iphone case", + "iphone case pink" + ], + "i would like 6 bottles of non alcoholic harry potter butterscotch beer.": [ + "6 bottles of non alcoholic harry potter butterscotch beer", + "6 bottles non alcoholic harry potter butterscotch beer", + "5 bottles of non alcoholic harry potter butterscotch beer", + "non alcoholic harry potter butterscotch beer 6 oz", + "4 bottles of non alcoholic harry potter butterscotch beer", + "6 bottle of non alcoholic harry potter butterscotch beer", + "pack of non alcoholic harry potter butterscotch beer", + "non alcoholic harry potter butterscotch beer", + "8 bottles of non alcoholic harry potter butterscotch beer", + "non alcoholic harry potter butterscotch beer 6 bottles" + ], + "can you find me a face mask for dry skin? i want something that comes in 1.0 fl oz.": [ + "face mask for dry skin 1.0 fl oz", + "face mask for dry skin 1.0 fl oz", + "face mask for dry skin, 1.0 fl oz", + "face mask for dry skin in 1.0 fl oz", + "face mask for dry skin that is 1.0 fl oz", + "face mask for dry skin 1.0 fl oz", + "toothpaste for dry skin 1.0 fl oz", + "face mask for dry skin 1.0 fl oz.", + "face mask for dry skin", + "face mask for dry skin, 1.0 fl oz." + ], + "i need a wall lamp that is a vanity lamp with a white finish.": [ + "wall lamp white", + "wall lamp with white finish", + "wall lamp, white", + "wall lamp", + "wall lamp that is white", + "wall lamp in white", + "living room wall lamp white", + "wall lamp white vanity lamp", + "wall lamp a white", + "wall lamp color white" + ], + "i'm looking for an anti-aging serum that helps to reduce fine lines and moisturizes dry skin.": [ + "anti-aging serum", + "anti-aging serum with fine lines and moisturizes dry skin", + "anti-aging serum for dry skin", + "anti-aging serum with fine lines, moisturizes dry skin", + "anti-aging serum with fine lines", + "anti-aging serum that helps to reduce fine lines", + "anti-aging serum with a moisturizing quality", + "anti-aging serum under $50", + "anti-aging serum with a moisturizing effect", + "anti-aging serum, anti-aging" + ], + "do you think you can find me a long lasting women's perfume?": [ + "womens perfume long lasting", + "womens perfume", + "long lasting womens perfume", + "womens perfume, long lasting", + "tempered womens perfume", + "tempered womens perfume long lasting", + "temporary womens perfume", + "mens perfume long lasting", + "woman perfume long lasting womens", + "woman perfume long lasting womens perfume" + ], + "i need purple eyeshadow applicators that are easy to clean.": [ + "pink eyeshadow applicators", + "pink eyeshadow applicators easy to clean", + "plastic eyeshadow applicators", + "plastic eyeshadow applicators easy to clean", + "blue eyeshadow applicators easy to clean", + "ps purple eyeshadow applicators", + "purple eyeshadow applicators", + "blue eyeshadow applicators", + "psi purple eyeshadow applicators", + "green eyeshadow applicators" + ], + "can you find me a bath scrubber for dead skin with a long handle? i want the one that is white with the bath ball.": [ + "bath scrubber for dead skin white", + "bath scrubber white with a long handle", + "bath scrubber for dead skin", + "bath scrubber white", + "bath scrubber white with a bath ball", + "bath scrubber white with the bath ball", + "bath scrubber white with bath ball", + "bath scrubber white bath ball", + "bath scrubber white", + "bath scrubber" + ], + "i am looking for a man's size 6, black, non-slip working shoe with a rubber sole.": [ + "mens size 6, black, non-slip working shoe with a rubber sole", + "man size 6, black, non-slip working shoe with a rubber sole", + " mans size 6, black, non-slip working shoe with a rubber sole", + "mens size 6 black, non-slip working shoe with a rubber sole", + "man size 6 black, non-slip working shoe with a rubber sole", + "mens size 6 black non-slip working shoe with a rubber sole", + "men size 6, black, non-slip working shoe with a rubber sole", + "mens size 6, black non-slip working shoe with a rubber sole", + " mans size 6 black, non-slip working shoe with a rubber sole", + "man size 6 black non-slip working shoe with a rubber sole" + ], + "i need hdmi cables that are high speed and 1m long.": [ + "hdmi cables that are high speed and 1m long", + "hdmi cables high speed and 1m long", + " hdmi cables that are high speed and 1m long", + "hdmi cables high speed 1m long", + "hdmi cables that are high speed and 1m long", + " hdmi cables high speed and 1m long", + "high speed hdmi cables 1m long", + "hdmi cables high speed and 1m long", + "hdmi cables high speed and 1m long.", + "high speed hdmi cables that are high speed" + ], + "i would like three 3.5 fluid ounce long lasting hair dye preferably in dark warm brown.": [ + "3.5 fluid ounce long lasting hair dye", + "three fluid ounce long lasting hair dye", + "3.5 fluid ounce long lasting hair dye dark warm brown", + "three fluid ounce long lasting hair dye, dark warm brown", + "three fluid ounce long lasting hair dye preferably in dark warm brown", + "three fluid ounce long lasting hair dye in dark warm brown", + "3.5 fluid ounce long lasting hair dye under $50", + "3.5 fluid ounce long lasting hair dye under $40", + "three fluid ounce long lasting hair dye, dark warm brown,", + "3.5oz long lasting hair dye" + ], + "i looh for this brand i need exactly this kiss express semi-permanent hair color 100ml (3.5 us fl.oz) long lasting, color cobalt blue.": [ + "kiss express semi-permanent hair color 100ml (3.5 us fl.oz) long lasting", + "50ml (3.5 us fl.oz) long lasting, color cobalt blue", + "kiss express semi-permanent hair color 100ml (3.5 fl.oz) long lasting, color cobalt blue", + "knee dry shampoo 100ml (3.5 us fl.oz) long lasting, color cobalt blue", + "knee dryer hair color 100ml (3.5 us fl.oz) long lasting, color cobalt blue", + "kiss express semi-permanent hair color 100ml (3.5 us fl.oz) long lasting, color cobalt", + "pink express semi-permanent hair color 100ml (3.5 us fl.oz) long lasting", + "50ml (3.5 us fl.oz) long lasting, color cobalt blue hair brand", + "kiss express semi-permanent hair color 100ml long lasting, color cobalt blue", + "knee dry shampoo" + ], + "i am looking for graphic tees for men highest quality fabrics, are 100% cotton and machine washable classic fit willy wonka and the chocolate factory music makers t-shirt in heather grey color. size 4t preferable.": [ + " graphic tees for men 100% cotton and machine washable classic fit", + " graphic tees for men 100% cotton with a heather grey color", + " graphic tees for men 100% cotton", + "tees for men 100% cotton and machine washable classic fit", + "man graphic tees in heather grey color", + " graphic tees for men 100% cotton, heather grey color", + "graphic tees for men 100% cotton", + " graphic tees in heather grey color", + " graphic tees 100% cotton and machine washable classic fit", + " graphic tees heather grey" + ], + "i am looking for easy install hanging lamp dome pendant light, color b": [ + "easy install hanging lamp dome pendant light color b", + "easy install hanging lamp dome pendant light", + "living lamp dome pendant light, color b", + "living lamp dome pendant light color b", + "living lamp dome pendant light", + "low install hanging lamp dome pendant light color b", + "low install hanging lamp dome pendant light", + "l lamp dome pendant light, color b", + "5 ft lamp dome pendant light", + "l lamp dome pendant light" + ], + "i want a soy wax candle that has a terra cotta scent.": [ + "soy wax candle that has a terra cotta scent", + "soy wax candle that has a terra cotta scent", + "soy wax candle with a terra cotta scent", + "soy wax candle with a terra cotta scent", + "soy wax candle with terra cotta scent", + "soy wax candle with terra cotta scent", + "soy wax candle, terra cotta scent", + "sneakers terra cotta scent", + "soy wax candle terra cotta scent", + "soy wax candle" + ], + "i'm interested in a 10-inch soy jar candle with a sea salt & ginger scent.": [ + "10-inch soy jar candle with a sea salt & ginger scent", + "10-inch soy jar candle with sea salt & ginger scent", + "10-inch soy jar candle with a sea salt and ginger scent", + "10-inch soy jar candle, sea salt & ginger scent", + "10-inch soy jar candle", + "10-inch soy jar candle with a sea salt & ginger scent.", + "a 10-inch soy jar candle with a sea salt & ginger scent", + "8-inch soy jar candle with a sea salt & ginger scent", + "10-inch soy jar candle with sea salt and ginger scent", + "sea salt & ginger scent 10-inch soy jar candle" + ], + "i would like a moss green candle that is made from soy": [ + " moss green candle made from soy", + "moss green candle made from soy", + " moss green candle that is made from soy", + "moisturizing green candle made from soy", + "moss green candle that is made from soy", + "moisturizing candle made from soy", + "moist green candle made from soy", + "mens green candle made from soy", + "mush green candle made from soy", + " moss green candle" + ], + "i would like to buy a colorful blouse hosiery laundry bag.": [ + "colored blouse hosiery laundry bag", + "a colorful blouse hosiery laundry bag", + "color blouse hosiery laundry bag", + "white blouse hosiery laundry bag", + "brushed blouse hosiery laundry bag", + "brushed hosiery laundry bag", + "colored blouse hosiery laundry bag.", + "womens hosiery laundry bag", + "color blouse hosiery laundry bag.", + "womens hosiery laundry bag." + ], + "i am looking for long lasting winter candle with green jar.": [ + "long lasting winter candle with green jar", + "short lasting winter candle with green jar", + "long lasting winter candle in green jar", + "long lasting winter candle", + "long lasting winter candle, green jar", + "lens with green jar", + "warm winter candle with green jar", + "winter candle with green jar", + "living candle with green jar", + "long lasting winter candle with green" + ], + "i am looking for a 6 foot by 4 foot underwater photography backdrop.": [ + "6 foot by 4 foot underwater photography backdrop", + "6 foot by 4 foot underwater photography backdrop.", + "6 foot x 4 foot underwater photography backdrop", + "6 foot by 4 foot underwater photography backdrop under $50", + "6 foot by 4 foot underwater photography backdrop under $60", + "6 foot by 4 foot underwater photography backdrop under $40", + "6 foot by 4 foot underwater photography backdrop under $120", + "6 foot by 4 foot underwater photography backdrop under 30 dollars", + "6 foot by 4 foot underwater photography backdrop under $130", + "6 foot by 4 foot underwater photography backdrop under 50 dollars" + ], + "find me a samsung galaxy smartphone with a long lasting battery and its t-mobile is already unlocked.": [ + "samsung galaxy smartphone with long lasting battery", + "samsung galaxy smartphone with a long lasting battery", + "samsung galaxy smartphone with long lasting battery and is already unlocked", + "samsung galaxy smartphone with long lasting battery, t-mobile", + "samsung galaxy smartphone with long lasting battery and t-mobile", + "samsung galaxy smartphone long lasting battery", + "samsung galaxy smartphone", + "samsung galaxy smartphone t-mobile", + "samsung galaxy smartphone battery", + "samsung galaxy smartphone with battery" + ], + "i am looking for snickerdoodles that have been baked fresh.": [ + "snickerdoodles baked fresh", + "snoickerdoodles baked fresh", + "suntickerdoodles baked fresh", + "stickerdoodles baked fresh", + "sneickerdoodles baked fresh", + "ssnickerdoodles baked fresh", + "sneakerdoodles baked fresh", + "sickerdoodles baked fresh", + "snickerdoodles baked fresh.", + "sneakers fresh" + ], + "i want 81 medium ash blonde color hair dye": [ + "81 medium ash blonde color hair dye", + "81 medium ash blonde hair dye", + "81 medium ash blonde wig dye", + " 81 medium ash blonde color hair dye", + "stainless ash blonde color hair dye", + "81 medium ash blonde colored hair dye", + "81 medium ash blonde wig color", + "81 medium ash blonde wig color hair dye", + "hair dye 81 medium ash blonde color", + "medium ash blonde color hair dye" + ], + "i'm looking for hair dye for permanent hair it was easy to use.": [ + "easy to use hair dye for permanent hair", + "hair dye for permanent hair easy to use", + "easy-to-use hair dye for permanent hair", + "hair dye for permanent hair", + "hair dye for permanent hair easy to use", + "hair dye for permanent hair easy to use.", + "easy to use hair dye", + "hair dye for permanent hair", + "easy-to-use hair dye", + "small hair dye for permanent hair" + ], + "i need a easy to apply hair coloring product on the black color..": [ + "easy to apply hair coloring product black", + "easy to apply hair coloring product in black", + "easy to apply hair coloring product on the black", + "easy to apply hair coloring product", + "easy to apply hair coloring product, black", + "easy to apply hair coloring product in black color", + "easy to apply hair coloring product on black color", + "easy apply hair coloring product on the black color", + "easy to apply black hair coloring product", + "easy to apply hair color" + ], + "i am looking for hair care conditioner for damaged hair having scent tea tree rosemary 33.8 fl": [ + "hair care conditioner for damaged hair with scent tea tree rosemary 33.8 fl", + "hair care conditioner for damaged hair having scent tea tree rosemary 33.8 fl", + "hair care conditioner for damaged hair scent tea tree rosemary 33.8 fl", + "hair care conditioner for damaged hair tea tree rosemary 33.8 fl", + "hair care conditioner for damaged hair whose scent tea tree rosemary 33.8 fl", + "hair care conditioner for damaged air with scent tea tree rosemary 33.8 fl", + "hair care conditioner for damaged hair, scent tea tree rosemary 33.8 fl", + "hair care conditioner with scent tea tree rosemary 33.8 fl", + "hair care conditioner tea tree rosemary 33.8 fl", + "hair care conditioner for damaged hair with scent tea tree rosemary 33.8fl" + ], + "i am looking for lightweight men's size 7.5 non slip german shepherd shoes with mesh.": [ + " lightweight mens size 7.5 non slip german shepherd shoes", + " lightweight mens size 7.5 german shepherd shoes with mesh", + "womens size 7.5 non slip german shepherd shoes", + " lightweight mens size 7.5 walking shoes with mesh", + " lightweight mens size 7.5 german shepherd shoes", + "mens size 7.5 non slip german shepherd shoes", + "light weight german shepherd shoes with mesh", + "light weight german shepherd shoes", + "heavy duty german shepherd shoes", + " lightweight mens size 7.5 walking shoes" + ], + "i would like some white noise cancelling earbud headphones that charge as fast as possible.": [ + "white noise cancelling earbud headphones", + "white noise cancelling earbud headphones that charge", + "white noise cancelling earbud headphones,", + "white noise cancelling earbud headphones charging fast", + "white noise cancelling earbud headphones that are fast", + "white noise cancelling earbud headphones under $40", + "white noise cancelling earbud headphones charging as fast", + "white noise cancelling earbud headphones that charge fast", + "white noise cancelling earbud", + "whitening earbud headphones" + ], + "do you think you can find me an alcohol free mouthwash for bad breath?": [ + "alcohol free mouthwash", + "alcohol free mouthwash for bad breath", + "alcohol free mouthwash under $40", + "alcohol free mouthwash under $50", + "alcohol free mouthwash under $60", + "alcohol free mouthwash under 50 dollars", + "alcohol free mouthwash under 30 dollars", + "alcohol free mouthwash under 60 dollars", + "alcohol free mouthwash under 40 dollars", + "alarm free mouthwash" + ], + "i need some fruit snacks that come in a variety pack. make sure that they are gluten free.": [ + "variety pack fruit snacks that are gluten free", + "variety pack fruit snacks gluten free", + "variety pack fruit snacks", + "variety pack fruit snacks, gluten free", + "variety pack fruit snacks no gluten", + "variety pack fruit snacks which are gluten free", + "variety pack fruit snacks under $40", + "variety pack fruit snacks made from gluten free", + "variety pack fruit snacks under $60", + "variety pack fruit snacks under $50" + ], + "i am looking to buy a mesh laundry bag.": [ + " mesh laundry bag", + "Mesh laundry bag", + " mesh laundry bag.", + "m mesh laundry bag", + " mesh laundry bag under $40", + " mesh laundry bag under $50", + " mesh laundry bag under $60", + "Mesh laundry bag.", + " mesh laundry bag under 50 dollars", + "Mesh laundry bag under $40" + ], + "i would like chocolate that is individually wrapped and are fun sized.": [ + "chocolate that is individually wrapped and are fun sized.", + "chocolate that is individually wrapped and are fun sized", + "chocolate that is individually wrapped and fun sized", + "chocolate that is individually wrapped and fun sized.", + "chocolate individually wrapped and fun sized", + "chocolate chocolate that is individually wrapped and are fun sized", + "chocolate that is individually wrapped and is fun sized.", + "chocolate that is individually wrapped and is fun sized", + "bag chocolate that is individually wrapped and are fun sized.", + "pack of chocolate that is individually wrapped and are fun sized" + ], + "can you find me some high speed hdmi cables? i really want the ones that come in a 3 pack.": [ + "high speed hdmi cables 3 pack", + "3 pack hdmi cables", + "hdmi cables 3 pack", + "3 pack high speed hdmi cables", + "low speed hdmi cables 3 pack", + "high speed hdmi cables in 3 pack", + "high speed hdmi cables, 3 pack", + "high speed hdmi cables", + "4 pack high speed hdmi cables", + "tv cables 3 pack" + ], + "i am looking for grey color mens polyester hoodie.": [ + "grey mens polyester hoodie", + "grey color mens polyester hoodie", + "grey mens polyester hoodie.", + "grey color mens polyester hoodie.", + "grey colored mens polyester hoodie", + "grey mens polyester hoodie,", + "grey pomegranate hoodie", + "grey color mens polyester hoodie,", + "womens polyester hoodie", + "grey polyester hoodie" + ], + "i'm looking for a pair of men's beach sandals with a leather sole, arch support, and non-slip grip. get the ones that are light brown in 9 or 9.5 in size.": [ + "mens beach sandals with a leather sole and non-slip grip", + "mens beach sandals with a leather sole, arch support, 9.5", + "mens beach sandals with a leather sole and non-slip grip", + "mens beach sandals with a leather sole", + "mens beach sandals with a leather sole, arch support", + "mens beach sandals with a leather sole", + "mens beach sandals that are light brown", + "mens beach sandals light brown", + "mens beach sandals, light brown", + "mens beach sandals" + ], + "i need to get some batteries for my two way radio. the one that i have takes aaa batteries.": [ + "two way radio with aaa batteries", + "two way radio batteries", + "two way radio with batteries", + "two way radio batteries aaa batteries", + "two way radio batteries under $40", + "two way radio batteries under $50", + "two way radio batteries under $60", + "two way radio batteries with aaa", + "two way radio batteries no aaa", + "two way radio battery" + ], + "i need xx-large wide leg jumpsuits that are wine colored.": [ + "xxl wide leg jumpsuits that are wine colored", + "xx-large wide leg jumpsuits wine colored", + "xxl wide leg jumpsuits wine colored", + "xx-large wide leg jumpsuits", + " xx-large wide leg jumpsuits wine colored", + "xx-large wide leg jumpsuits, wine colored", + "xx-large wide leg jumpsuits with wine colored", + "xx-large wide leg jumpsuit wine colored", + " xx-large wide leg jumpsuits", + "xxl wide leg jumpsuits" + ], + "i am looking for a nightstand with drawers. it should have a nickle finish.": [ + "nightstand with drawers", + "nightstand with drawers with nickle finish", + "nightstand with drawers under $40", + "nightstand with drawers under $50", + "nightstand with drawers under $60", + "nightstand with drawers, nickle finish", + "nightstand with drawers no nickle finish", + "nightstand with drawers no nickle", + "nightstand drawers", + "nightstand" + ], + "i am looking for cactus colored vinyl shoes in a size 8.5-9.": [ + "cactus colored vinyl shoes in a size 8.5-9", + "cactus colored vinyl shoes size 8.5-9", + "cactus colored vinyl shoes size 8.5-9.", + "cactus colored vinyl shoe in a size 8.5-9", + "casino colored vinyl shoes in a size 8.5-9", + "cactus colored vinyl shoes 8.5-9", + "cactus colored vinyl shoes, size 8.5-9", + "cactus colored vinyl shoes, size 8.5-9.", + "size 8.5-9 cactus colored vinyl shoes", + "cactus colored vinyl shoe size 8.5-9" + ], + "i am looking for a tea gift set that is in rose gold.": [ + "tea gift set in rose gold", + "tea gift set rose gold", + "tea gift set in rose gold tea", + "tea gift set in rose gold.", + "tea gift set, rose gold", + "tea gift set with rose gold", + "tea gift set rose gold tea", + "tea gift set in rose gold,", + "tea gift set, in rose gold", + "tea gift set" + ], + "can you find a gluten free flatbread cracker with multi-seeds on it?": [ + "gluten free flatbread cracker with multi-seeds", + "gluten free flatbread cracker", + "gluten free flatbread cracker multi-seeds", + "gluten-free flatbread cracker with multi-seeds", + "gluten free flatbread cracker that is multi-seeds", + "gluten free flatbread cracker, multi-seeds", + "gluten free gluten free flatbread cracker with multi-seeds", + "gluten free flatbread cracker with multi-seeds on it", + "gluten free flatbread cracker under $40", + "gluten free flatbread cracker under $60" + ], + "i\u2019m interested in nail art; can you help me find a really high quality nail gel polish with a metallic purple effect?": [ + "nude gel polish with a metallic purple", + "nail gel polish with a metallic purple", + "nude gel polish with metallic purple", + "nail gel polish with metallic purple", + "nail gel polish metallic purple", + "nude gel polish metallic purple", + "nude gel polish that is high quality", + "nail gel polish that is high quality", + "nude gel polish", + "nude gel polish, metallic purple" + ], + "i need a water resistant snow boot in caramel brown color.": [ + "water resistant snow boot in caramel brown", + "water resistant snow boot in caramel brown color", + "rain resistant snow boot in caramel brown", + "rain resistant snow boot in caramel brown color", + "snow boot in caramel brown", + "a water resistant snow boot in caramel brown", + "womens snow boot in caramel brown", + "snow boot in caramel brown color", + "water resistant snow boot, caramel brown", + "mush boot in caramel brown" + ], + "i am looking for an oil free hyaluronic acid.": [ + "oil free hyaluronic acid", + "an oil free hyaluronic acid", + "an oil free hyaluronic acid.", + "oil free hyaluronic acid under $40", + "oil free hyaluronic acid under $50", + "oil free hyaluronic acid under $60", + "fluoride free hyaluronic acid", + "oil free hyaluronic acid below $40", + "lip oil free hyaluronic acid", + "oil free hyaluronic acid below $50" + ], + "i\u2019m looking for some keto-friendly breakfast waffles in cinnamon toast and maple flavour. please make sure it\u2019s gluten free.": [ + "keto-friendly breakfast waffles in cinnamon toast maple flavour", + "keto-friendly breakfast waffles with maple flavour", + "keto-friendly breakfast waffles in cinnamon toast", + "keto-friendly breakfast waffles cinnamon toast maple flavour", + "keto-friendly breakfast waffles in cinnamon toast maple flavor", + "keto-friendly breakfast waffles cinnamon toast maple flavor", + "keto-friendly breakfast waffles with cinnamon toast", + "keto-friendly breakfast waffles in cinnamon toast maple", + "keto-friendly breakfast waffles cinnamon toast and maple flavour", + "keto-friendly breakfast waffles with cinnamon toast maple flavour" + ], + "i am looking for plant based,sugar free and gluten free maple waffle.": [ + "plant based sugar free and gluten free maple waffles", + "plant based sugar free gluten free maple waffles", + "plant based sugar free, gluten free maple waffles", + "plant based sugar free and gluten free maple waffle", + "plant based sugar free gluten free maple waffle", + "plant based sugar free maple waffles", + "plant based sugar free gluten free maple waffles.", + "plant based gluten free maple waffles", + "plant based sugar free and gluten free maple", + "plant based maple waffles" + ], + "i want to buy a 9 ounce, maple waffle flavored keto friendly snack that is sugar and grain free.": [ + " maple waffles flavored keto friendly snack that is sugar and grain free", + " maple waffle flavored keto friendly snack that is sugar and grain free", + "synthetic waffles keto friendly snack sugar and grain free", + "keto friendly snack that is sugar and grain free", + "synthetic waffle flavored keto friendly snack", + "keto friendly snack 9 oz sugar and grain free", + "synthetic waffles keto friendly snack", + " maple waffles flavored keto friendly snack", + " maple waffle flavored keto friendly snack", + "keto friendly snack that is sugar and grain free 9 oz" + ], + "i would like a quad core tablet.": [ + "quad core tablet", + "quad core tablet.", + "quad core tablet with quad core", + "quad core tablet, quad core", + "quad core tablet under $130", + "quad core tablet under $50", + "quad core tablet under $120", + "quad core tablet under $40", + "quad core tablet under $60", + "quad core tablet, quad" + ], + "i would like a 12\"x20\" grey throw pillow cover that has exquisite sewing and technique.": [ + "12x20 grey throw pillow cover", + "12x20 grey throw pillow cover with exquisite sewing", + "grey throw pillow cover that has exquisite sewing and technique", + "grey throw pillow cover with exquisite sewing and technique", + "12x20 grey throw pillow cover that has exquisite sewing", + "12x20 grey throw pillow cover under $50", + "12x20 grey throw pillow cover with exquisite sewing technique", + "12x20 grey throw pillow cover that is exquisite sewing", + "12 x20 grey throw pillow cover", + "grey throw pillow cover" + ], + "my mom wear 11 size high heel": [ + "11 size high heel", + "11 size high heel shoes", + "12 size high heel", + "stainless high heel", + "10 size high heel", + "12 foot high heel", + "11 size high heel woman", + "10 foot high heel", + "11 size high heel shoe", + "alarm high heel" + ], + "i am looking to buy an ultra hd, motion detection hidden camera charger.": [ + " ultra hd motion detection hidden camera charger", + " ultra hd, motion detection hidden camera charger", + " ultra hd with motion detection hidden camera charger", + "Ultra hd motion detection hidden camera charger", + "the ultra hd, motion detection hidden camera charger", + " ultra hd, motion detection hidden camera charger.", + "an ultra hd, motion detection hidden camera charger", + "an ultra hd with motion detection hidden camera charger", + " ultra hd motion detection hidden camera charger.", + " ultra hd, motion detection hidden camera charger," + ], + "i need a butterfly print slippers which is 13 wide. it should be non slip and light weight.": [ + " butterfly print slippers 13 wide", + "butterfly print slippers 13 wide", + "coaxial print slippers 13 wide", + "chocolate print slippers 13 wide", + "flyfly print slippers 13 wide", + "10 butterfly print slippers that is 13 wide", + "twin print slippers 13 wide", + "twistling slippers 13 wide", + "10 butterfly print slippers", + "butterfly print slippers 13 wide non slip" + ], + "i am looking for some size 7 wide open toe shoes that have a heel and come in black.": [ + "size 7 wide open toe shoes", + "size 7 wide open toe shoes in black", + "size 7 wide open toe shoes with heel in black", + "size 7 wide open toe shoes, black", + "size 7 wide open toe shoes with heel black", + "foot shoes size 7 wide open toe black", + "sneakers size 7 wide open toe shoes black", + "size 7 wide open toe shoes that have a heel", + "size 7 wide open toe shoes black", + "foot shoes size 7 wide open toe shoes black" + ], + "find me a machine washable long sleeved pullover with a loose fit. i want the one in green in small.": [ + "machine washable long sleeved pullover with a loose fit", + "machine washable long sleeved pullover in green", + "machine washable long sleeved pullover", + "machine washable long sleeved pullover in green in small", + "machine washable long sleeved pullover with a loose fit small", + "man washable long sleeved pullover with a loose fit", + "machine washable long sleeved pullover with loose fit", + "machine washable long sleeved pullover, loose fit", + "machine washable long sleeved pullover small", + "coaxial pullover in green" + ], + "i am looking for a gluten free, low carb, flavored fyr salt shaker.": [ + "gluten free, low carb, flavored fyr salt shaker", + "gluten free, low carb fyr salt shaker", + "gluten free low carb, flavored fyr salt shaker", + "gluten free fyr salt shaker", + "gluten free, low carb flavored fyr salt shaker", + "gluten free, low carb and flavored fyr salt shaker", + "gluten free low carb fyr salt shaker", + "flavored fyr salt shaker", + "gluten free, low carb fyr salt shaker.", + "fyr salt shaker gluten free" + ], + "i need an easy to clean bedroom bench footstool seat. show me something in white.": [ + "living room bench footstool seat", + "white bedroom bench footstool seat", + "easy clean bedroom bench footstool seat", + "living room bench footstool seat white", + "living room bench footstool seat.", + "blue bedroom bench footstool seat", + "living room bench footstool", + "home office bench footstool seat", + "bedroom bench footstool seat", + "blanket footstool seat" + ], + "i wish to buy a tempered glass screen protector which must be easy to instal on an 8.4 inch touchscreen of a 2019 dodge ram.": [ + "tempered glass screen protector", + "tempered glass screen protector for a dodge ram", + "tempered glass screen protector for dodge ram", + "tempered glass screen protector for a 2019 dodge ram", + "tempered glass screen protector, 8.4 inch", + "tempered glass screen protector 8.4 inch", + "tempered glass screen protector 8.4 inch touchscreen", + " tempered glass screen protector", + "glass screen protector", + "window protector" + ], + "i need ten 12 foot high speed hdmi male to male cables.": [ + "12 foot high speed hdmi male to male cables", + "10 ft high speed hdmi male to male cables", + "10 12 foot high speed hdmi male to male cables", + "ten 12 foot high speed hdmi male to male cables", + "10 foot high speed hdmi male to male cables", + "stretch high speed hdmi male to male cables", + "10 hdmi male to male cables", + "12 foot high speed hdmi male to male cables.", + "hdmi male to male cables", + "10 ft high speed hdmi male to male cables." + ], + "i'm looking for product packaging it is easy to use": [ + "easy to use product packaging", + "easy-to-use product packaging", + "easy to use product packaging under $40", + "easy to use product packaging under $50", + "easy to use product packaging under $60", + "packaged product packaging easy to use", + "packaging easy to use", + "labeled product packaging easy to use", + "pink product packaging easy to use", + "easy to use product packaging under 30 dollars" + ], + "i would like two packs of 12 feet high speed hdmi male to male cables.": [ + "two packs of 12 feet high speed hdmi male to male cables", + "two pack of 12 feet high speed hdmi male to male cables", + "2 packs of 12 feet high speed hdmi male to male cables", + "two packs of 12 foot high speed hdmi male to male cables", + "2 pack of 12 feet high speed hdmi male to male cables", + "two packs of 12 ft high speed hdmi male to male cables", + "12 foot high speed hdmi male to male cables", + "two packs of 12 feet high speed hdmi cable", + "two packs of 12 feet high speed hdmi male cable", + "2 pack hdmi male to male cables" + ], + "i would like a remote control that already comes with aaa batteries included.": [ + "remote control with aaa batteries", + "remote control remote control", + "remote control remote control aaa batteries", + "remote control aaa batteries", + "remote control for aaa batteries", + "remote control of aaa batteries", + "remote control", + "remote control remote control under $40", + "remote control remote control under $60", + "remote control remote control under $50" + ], + "i am looking for a slip resistant black water shoe in size 12 that is also quick drying.": [ + "slip resistant black water shoe in size 12", + "slide resistant black water shoe in size 12", + "slip resistant black water shoe size 12", + "slip resistant black water shoe", + "slip resistant black water shoe in a size 12", + "slide resistant black water shoe size 12", + "slipping resistant black water shoe in size 12", + "slip resistant black water shoe, size 12", + "slide resistant black water shoe", + "lip resistant black water shoe in size 12" + ], + "can you get me a whitening toothpaste that is for sensitive teeth?": [ + "whitening toothpaste for sensitive teeth", + "whitening toothpaste sensitive teeth", + "whitening teethpaste for sensitive teeth", + "white teethpaste for sensitive teeth", + "whiteening toothpaste for sensitive teeth", + "white toothpaste for sensitive teeth", + "tootening toothpaste for sensitive teeth", + "whitening toothpaste", + "teethpaste for sensitive teeth", + "white teethpaste sensitive teeth" + ], + "i'm setting up for a birthday party and i'm looking for some party supplies. can you find me a cake topper?": [ + "birthday party cake topper", + "birthday party cake toppers", + "baby shower cake topper", + "baby shower cake toppers", + "birthday party party cake topper", + "birthday party party cake toppers", + "birthday party with cake topper", + "birthday party with cake toppers", + "baby shower party cake topper", + "baby shower party cake toppers" + ], + "i'm searching for small high gloss nightstand for living room": [ + "small high gloss nightstand for living room", + "small high gloss nightstand living room", + "small high gloss nightstand in living room", + "small high gloss nightstand", + "small high gloss nightstand, living room", + "small high gloss nightstand for living room,", + "small high gloss nightstand dining room", + "small high gloss nightstand, living room,", + "medium gloss nightstand for living room", + "low gloss nightstand for living room" + ], + "i am an african woman looking for a barber to cut my hair.": [ + " african woman looking for a barber to cut my hair.", + "a african woman looking for a barber to cut my hair.", + "African woman looking for a barber to cut my hair.", + "affrican woman looking for a barber to cut my hair.", + "african woman looking for a barber to cut my hair.", + "al african woman looking for a barber to cut my hair.", + "frican woman looking for a barber to cut my hair.", + " african woman, barber to cut my hair.", + " african woman, barber to cut my hair", + " african woman with hair cut" + ], + "my 6 years old child like teeth whitening": [ + "6 years old teeth whitening", + "6 years old child teeth whitening", + "6 years old child like teeth whitening", + "6 years old tooth whitening", + "kids teeth whitening 6 years old", + "6 years old child tooth whitening", + "6 years old child with teeth whitening", + "6 year old teeth whitening", + "5 years old teeth whitening", + "6 years old teeth whitening with fluoride" + ], + "i am looking for toothbrush of b04#yellow penguin color that is easy to use.": [ + "toothbrush of b04#yellow penguin color", + "teethbrush of b04#yellow penguin color", + "b04#yellow penguin toothbrush", + "brush of b04#yellow penguin color", + " toothbrush of b04#yellow penguin color", + "tothbrush of b04#yellow penguin color", + "yellow penguin toothbrush that is easy to use", + "brushed of b04#yellow penguin color", + "yellow penguin toothbrush", + "b04#yellow penguin color" + ], + "i am looking for long sleeve men t-shirt.and please also choose the black one.": [ + "long sleeve men t-shirt black", + "long sleeve men t-shirt", + "short sleeve men t-shirt black", + "womens t-shirt black", + "lens t-shirt black", + "t-shirt long sleeve black", + "long sleeve men t-shirtblack", + "lens men t-shirt black", + "mens t-shirt black", + "shoes long sleeve black" + ], + "i need a wall lamp that is easy to install.": [ + "wall lamp that is easy to install", + "wall lamp easy to install", + "wall lamp", + "wall lamp, easy to install", + "wall lamp, easy to install,", + "living room wall lamp easy to install", + "wall lamp with easy to install", + "living room wall lamp", + "womens wall lamp", + "wall lamp under $40" + ], + "i want to find a vanity light that is easy to install. my walls are black and i want something the same color.": [ + "easy to install vanity light", + "easy to install vanity light in black", + "white vanity light", + "easy to install vanity light, black", + "pink vanity light", + "easy-to-install vanity light", + "easy to install vanity light black", + "living room vanity light", + "vanity light", + "easy install vanity light" + ], + "find a black colored wall lamp thats easy to install": [ + "wall lamp black", + "wall lamp black easy to install", + "white wall lamp easy to install", + "living room wall lamp black", + "black wall lamp easy to install", + "living room lamp black", + "wall lamp, easy to install", + "wall lamp easy to install black", + "living room wall lamp", + "wall lamp easy to install" + ], + "please help me find an 8oz pack of medical body scrub exfolient that is suitable for sensitive skin.": [ + "8oz pack of medical body scrub exfolient", + "medical body scrub exfolient 8oz", + "medical body scrub exfolient", + "medical body scrub exfolient for sensitive skin 8oz", + "medical body scrub exfolient for sensitive skin", + "medical body scrub exfolient 8oz pack", + "medical body scrub exfolient, 8oz", + "medical body scrub exfolient sensitive skin 8oz", + "medical body scrub exfolient 8oz under $40", + "medical body scrub exfolient 8oz under $60" + ], + "get me a headset that is high resolution and is red in color.": [ + "high resolution red headset", + "high resolution headset red", + "high resolution and red headset", + "high resolution headset red in color", + "high resolution wireless headset red", + "high resolution headset that is red", + "high resolution headset with red color", + "high resolution red gaming headset", + "high resolution gaming headset red", + "high resolution red wireless headset" + ], + "i need a small hawaiian shirt with short sleeves, lasts long and has a button closure.": [ + "small hawaiian shirt with short sleeves", + "small hawaiian shirt button closure", + "small hawaiian shirt with short sleeves with button closure", + "small hawaiian shirt with short sleeves and button closure", + "small hawaiian shirt with short sleeves long", + "small hawaiian shirt short sleeves with button closure", + "small hawaiian shirt with short sleeves that lasts long", + "small hawaiian shirt short sleeves", + "small hawaiian shirt long sleeves button closure", + "small hawaiian shirt with short sleeves that is long" + ], + "i'm looking for some highly pigmented seed oil lipstick. find the one in rich berry that is .14 fl oz.": [ + "pink pigmented seed oil lipstick that is .14 fl oz", + "pink pigmented seed oil lipstick .14 fl oz", + "pink lipstick that is .14 fl oz", + "pink pigmented seed oil lipstick .14 fl oz", + "pink pigmented seed oil lipstick", + "pink pigmented seed oil lipstick under $40", + "rich berry pigmented seed oil lipstick", + "pink pigmented seed oil lipstick under $50", + "pink pigmented seed oil lipstick that is .14fl oz", + "pink pigmented seed oil lipstick under $60" + ], + "i need a highly pigment lip tint. pick a 0.14 fl oz bottle.": [ + "lip tint 0.14 fl oz", + "pink lip tint 0.14 fl oz", + "pink lip tint 0.14 fl oz bottle", + "lip tint 0.14 fl oz bottle", + "highly pigment lip tint 0.14 fl oz bottle", + "highly pigment lip tint 0.14 fl oz", + "high pigment lip tint 0.14 fl oz bottle", + "low pigment lip tint 0.14 fl oz bottle", + "pink lip tint, 0.14 fl oz", + "fluoride lip tint 0.14 fl oz" + ], + "i need cake toppers that are dairy free and are 2\".": [ + "cake toppers dairy free 2", + "cake toppers dairy free 2.5 oz", + "dairy free cake toppers 2.5 oz", + "cake toppers dairy free 2.", + "dairy free cake toppers 2", + "cake toppers dairy free", + "cake toppers dairy free 2.5", + "cake toppers dairy free and 2.5 oz", + "cake toppers dairy free, 2.5 oz", + "cake toppers dairy free 2.5 oz" + ], + "i am looking for rich taste and color of classic red velvet cake, packaged in bpa free and gluten free lorann red velvet bakery emulsion in hazelnut flavour in 4 fl oz, 3 pack size.": [ + "classic red velvet cake, bpa free and gluten free lorann red velvet bakery emulsion in hazelnut flavour", + "classic red velvet cake with bpa free and gluten free flavor in 4 fl oz, 3 pack size", + "classic red velvet cake, bpa free and gluten free lorann red velvet bakery emulsion", + "classic red velvet cake with bpa free and gluten free lorann red velvet bakery emulsion", + "classic red velvet cake with bpa free and gluten free flavor in hazelnut", + "classic red velvet cake bpa free and gluten free", + "classic red velvet cake that is bpa free and gluten free", + "classic red velvet cake with rich taste and color", + "classic red velvet cake bpa free", + "classic red velvet cake" + ], + "i am looking for a pair of women's high waisted active shorts. get me the pink ones.": [ + "womens high waisted active shorts pink", + "womens high waisted active shorts", + "womens high waisted active shorts.", + "mens high waisted active shorts", + "mens high waisted active shorts pink", + "woman high waisted active shorts", + "mens high waisted active shorts", + "teen girl active shorts pink", + "tempered active shorts pink", + "teen girl active shorts" + ], + "i need some argan oil that is free of parabens. get me the 2 ounce pack.": [ + "argan oil 2 ounce pack", + "argan oil 2 ounce pack", + "an oil free of parabens 2 ounce pack", + "artificial oil 2 ounce pack", + "argan oil free of parabens", + "argan oil that is free of parabens", + "argan oil that is free of parabens", + "algan oil 2 ounce pack", + "argan oil free of parabens", + "argan oil 2 ounce pack below $40" + ], + "i'm looking for men's daily wear shirt with long sleeves and button closure type. also, choose black colored tall shirt with size 20\" neck and 34\"-35\" sleeves.": [ + "mens daily wear shirt with long sleeves and button closure type", + "mens daily wear shirt with long sleeves and button closure", + "mens daily wear shirt with long sleeves with button closure", + "mens daily wear shirt long sleeves 34-35 sleeves", + "mens daily wear shirt with long sleeves and button closure", + "mens daily wear shirt with long sleeves with button closure type", + "mens daily wear shirt with long sleeves 34-35 sleeves", + "mens daily wear shirt with long sleeves, button closure type", + "mens daily wear shirt long sleeves and button closure type", + "mens daily wear shirt with long sleeves" + ], + "i need daily casual and gym workout large size yoga pants with classic dark gray color and special size- 02 sweatpants": [ + "day yoga pants classic dark gray", + "day yoga pants with classic dark gray color", + "yoga pants classic dark gray", + "yoga pants with classic dark gray color", + "daring yoga pants classic dark gray", + "day yoga pants classic dark gray color", + "moga pants classic dark gray", + "large size yoga pants with classic dark gray", + "yoga pants classic dark gray color", + "day yoga pants with classic dark gray" + ], + "i am looking for a product that i can use for hair cutting dry hair.": [ + "hair cutting dry hair product", + "hair cutting dry hair", + "hair cutting dry hair products", + "hair cutting dry hair", + "hair cutting dry hair with a product", + "hair cutting dry hair under $40", + "hair cutting dry hair.", + "hair cutting dry hair product", + "hair cut dry hair product", + "hair cutting dry hair product," + ], + "i need a 9.5 rubber soled hiking shoe made of light weight vinyl acetate.": [ + "9.5 rubber soled hiking shoe made of light weight vinyl acetate", + "8.5 rubber soled hiking shoe made of light weight vinyl acetate", + "10.5 rubber soled hiking shoe made of light weight vinyl acetate", + " 9.5 rubber soled hiking shoe made of light weight vinyl acetate", + "9.5 rubber soled hiking shoe", + "stainless hiking shoe made of light weight vinyl acetate", + "9.5 rubber soleed hiking shoe made of light weight vinyl acetate", + "stainless hiking shoe made of light weight vinyl acetate 9.5", + "9.5 hiking shoe made of light weight vinyl acetate", + "shoes made of light weight vinyl acetate 9.5" + ], + "i would like a 47.2\" x 11.8\" x 11.8\" white and sonoma oak tv center for my living room.": [ + "analoma oak tv center for living room 47.2 x 11.8", + "sonoma oak tv center for living room 47.2 x 11.8", + "analoma oak tv center for living room", + "sonoma oak tv center for living room", + "analoma oak tv center for the living room", + "analoma oak tv center", + "sonoma oak tv center for living room 47.2 x 11.8 white", + "sonoma oak tv center", + "analoma oak tv center for living room 47.2 x 11", + "analoma oak tv center for living room." + ], + "i'm looking for a corner shelf unit for the living room made out of engineered wood. get the one in light cherry and black color.": [ + " corner shelf unit for the living room made out of engineered wood in light cherry and black color", + "floor shelf unit for the living room made out of engineered wood in light cherry and black color", + "wood corner shelf unit for the living room made out of engineered wood", + " corner shelf unit for the living room made out of engineered wood", + "floor shelf unit for the living room made out of engineered wood", + "wooden shelf unit for living room made out of engineered wood", + " corner shelf unit for the living room made out of engineered wood, light cherry and black color", + "wooden shelf unit for the living room made out of engineered wood", + " corner shelf unit for the living room made out of engineered wood in light cherry black color", + "living room corner shelf unit in light cherry and black color" + ], + "i am looking for engineered wood 3-tier corner shelf in color : walnut|brown": [ + "engineered wood 3-tier corner shelf in color walnut|brown", + " engineered wood 3-tier corner shelf in color : walnut|brown", + "engineered wood 3-tier corner shelf in color : walnut", + "engineered wood 3-tier corner shelf color : walnut|brown", + "engineered wood 3tier corner shelf in color : walnut|brown", + "engineered wood 3-tier corner shelf color walnut|brown", + " engineered wood 3-tier corner shelf in color walnut|brown", + "engineered wood 3-tier corner shelf in color walnut", + "engineered wood 3-tier corner shelf in color", + "engineered wood 3-tier corner shelf in color : walnut brown" + ], + "i am looking for a dark cherry | black corner shelves for living room": [ + "dark cherry black corner shelves", + "dark cherry black corner shelves living room", + "dark cherry | black corner shelves", + "dark cherry black corner shelf living room", + "dark cherry black corner shelf", + "dark cherry", + "dark cherry, black corner shelves", + "dark cherry living room shelf", + "dark cherry kitchen shelf", + "dark cherry living room" + ], + "i am looking for corner shelf of size 5-tier for my living room.": [ + " corner shelf of size 5-tier living room", + "curtains of size 5-tier living room", + "curtains 5-tier living room", + "living room corner shelf size 5-tier", + "corner shelf of size 5-tier living room", + "floor shelf of size 5-tier living room", + " corner shelf of size 5-tier living room.", + " corner shelf of size 5-tier", + "5-tier living room shelf", + "living room corner shelf" + ], + "i am looking for 3-tier size corner shelf for my living room.": [ + "3-tier size corner shelf", + "3-tier shelf for my living room", + "3-tier size corner shelf for living room", + "3tier size corner shelf for my living room", + "3-tier shelf for my living room.", + "3-tier size corner shelf living room", + "3-tier size corner shelf, living room", + "3-tier shelf for living room", + "3tier size corner shelf", + "3-tier shelf" + ], + "i am looking for a pair of anti slip womens sneakers spot color.": [ + "anti slip womens sneakers spot color", + "anti slip womens sneakers", + "anti slip womens sneakers, spot color", + "womens sneakers spot color", + "anti slip womens sneakers color", + "anti slip womens sneakers spot color.", + "anti slip womens sneakers with a color", + "anti slip womens sneakers pattern color", + "anti slip womens sneakers in a color", + "anti slip womens sneakers white" + ], + "i am looking for high quality glass spray bottle of 3.40 ounce.": [ + "3.40 ounce glass spray bottle", + "3.40 ounce high quality glass spray bottle", + "high quality glass spray bottle of 3.40 ounce", + "low quality glass spray bottle of 3.40 ounce", + "bottle spray bottle of 3.40 ounce", + "3.40 ounce glass spray bottle under $40", + "3.40 ounce glass spray bottle of quality", + "3.40 ounce glass spray bottle, high quality", + "3.40 ounce glass spray bottle under $60", + "glass spray bottle of 3.40 ounce" + ], + "i am looking for a pair of mens shorts that are machine washable for my everyday wear. id like a light grey color.": [ + "mens shorts that are machine washable", + "mens shorts in a light grey", + "mens shorts with a light grey color", + "mens shorts in a light grey color", + "mens shorts light grey", + "mens shorts machine washable", + "mens shorts, machine washable", + "mens shorts", + "man washable mens shorts", + "mens shorts machine washable light grey" + ], + "i need window blinds that are easy to install that have a java brown light filtering.": [ + "window blinds with java brown light filtering", + "window blinds with a java brown light filtering", + "window blinds easy to install java brown", + "window blinds that are easy to install", + "window blinds java brown", + "window blinds with java brown", + "window blinds with java brown light", + "window blinds in java brown", + "window blinds jac brown", + "window blinds" + ], + "i'm looking for an easy-to-install, light-filtering window curtain in java brown.": [ + "window curtain in java brown", + "living room window curtain in java brown", + "walking window curtain in java brown", + "alarm curtain in java brown", + "window curtain in java brown easy to install", + "light-filtering window curtain", + "light-filtering window curtain in java", + "living room window curtain", + "yellow window curtain", + "window curtain" + ], + "i would like a 14\"w x 60\"h snow white roller shade that is easy to install.": [ + "14w x 60h snow white roller shade", + "14w x 60h snow white roller shade easy to install", + " 14w x 60h snow white roller shade", + "14w x 60h snow white roller shade under $40", + "14w x 60h snow white roller shade under $60", + "14w x 60h snow white roller shade under $50", + "14w x 60h snow white roller shade under 30 dollars", + "14w x 60h snow white roller shade under 50 dollars", + "15w x 60h snow white roller shade", + "teenw x 60h snow white roller shade" + ], + "i need some white window blinds that are 60 inches tall.": [ + "window blinds 60 inches tall", + "white window blinds 60 inches tall", + "window blinds 60 inches tall white", + "white window blinds 60 inches", + "60 white window blinds", + "white window blinds 60 inches long", + "grey window blinds 60 inches tall", + "window blinds 60 inches white", + "window blinds 60 inches long", + "white window blinds 60 inches high" + ], + "i would like a 21\"w x 36\"h cheese milk roller shade that is easy to install on a window.": [ + "21w x 36h cheese milk roller shade", + "23w x 36h cheese milk roller shade", + "28w x 36h cheese milk roller shade", + "22w x 36h cheese milk roller shade", + "18w x 36h cheese milk roller shade", + "21w x 36h cheese milk roller shade under $40", + "21w x 36h cheese milk roller shade under $50", + "21w x 36h cheese milk roller shade under $60", + "20w x 36h cheese milk roller shade", + "21w x 36h cheese milk roller shade easy to install" + ], + "i am looking for a size: 20\"w x 64\"h roller shades white item which is easy to install.": [ + "20w x 64h roller shades white", + "23w x 64h roller shades white", + "28w x 64h roller shades white", + "40w x 64h roller shades white", + " 20w x 64h roller shades white", + "20w x 64h roller shades", + "19w x 64h roller shades white", + "x64h roller shades white", + "gmo roller shades white", + "roller shades white" + ], + "i would like a 2\"w x 36\"h cheese milk colored roller shade that is easy to install.": [ + "2w x 36h cheese milk colored roller shade", + "2w x 36h cheese milk colored roller shade easy to install", + " 2w x 36h cheese milk colored roller shade", + "twow x 36h cheese milk colored roller shade", + "3w x 36h cheese milk colored roller shade", + "easy to install 2w x 36h cheese milk colored roller shade", + "2w x 36h cheese milk colored roller shade under $40", + "2w x 36h cheese milk colored roller shade under $50", + "2w x 36h cheese milk colored roller shade under $60", + "2w x 36h cheese milk colored roller shade under 50 dollars" + ], + "im looking for white window blinds that are easy to install and measure 35\u201d wide with a 48\u201d height.": [ + "white window blinds 35\u201d wide with a 48\u201d height", + "window blinds 35\u201d wide with a 48\u201d height", + "white window blinds 35\u201d wide", + "window blinds that are easy to install and measure 35\u201d wide", + "window blinds 35\u201d wide", + "white window blinds 36\u201d wide with a 48\u201d height", + "white window blinds with a 48\u201d height", + "white window blinds 35\u201d wide, 48\u201d height", + "white window blinds, easy to install and measure 35\u201d wide", + "white window blinds" + ], + "i'm looking for a size 34\"w x 72\"h easy install window blinds.": [ + "33w x 72h easy install window blinds", + "window blinds 34w x 72h", + "28w x 72h easy install window blinds", + "window blinds size 34w x 72h", + "32w x 72h easy install window blinds", + "24w x 72h easy install window blinds", + "38w x 72h easy install window blinds", + "window blinds 34w x 72h easy install", + "easy install 34w x 72h window blinds", + "33w x 72h window blinds" + ], + "i am looking for shades of size 54\"w x 72\"h that are easy to install.": [ + "5 shades of size 54w x 72h", + "50 shades of size 54w x 72h", + "5 shades of size 54w x 72h that are easy to install", + "sale of size 54w x 72h", + "sneakers of size 54w x 72h", + "5 shades of size 54w x 72h", + "50 shades of size 54w x 72h", + "50 shades of size 54w x 72h that are easy to install", + "sale of size 54w x 72h that are easy to install", + "6 shades of size 54w x 72h" + ], + "i would like purple blinds that are easy to install": [ + "pink blinds that are easy to install", + "pink blinds easy to install", + "plastic blinds that are easy to install", + "easy to install purple blinds", + "pink blinds", + "plastic blinds easy to install", + "pink blinds, easy to install", + "plainty blinds easy to install", + "plastic blinds", + "pink blinds, easy to install," + ], + "i am looking for an easy to install light filtering contrast grey window blind.": [ + "light filtering contrast grey window blind", + "yellow light filtering contrast grey window blind", + "light filtering grey window blind", + "grey window blind", + "5 ft grey window blind", + "grey window blind easy to install", + "light filtering contrast grey window blind.", + "yellow window blind", + "yellow window blind easy to install", + "window blind" + ], + "i am interested in blinds that are 34\"w by 56\"h and that are light filtering.": [ + "brushed blinds 34w by 56h", + "rainbow colored blinds 34w by 56h", + "alarm blinds 34w by 56h", + "33w by 56h blinds with light filtering", + "rainbow color blinds 34w by 56h", + "walking blinds 34w by 56h", + "33w by 56h blinds", + "brushing blinds 34w by 56h", + "colored blinds 34w by 56h", + "24w by 56h blinds" + ], + "i need some white window treatments that are easy to install and size 58\"w by 48\"h": [ + "white window treatments 58w by 48h", + "window treatments 58w by 48h", + "white window treatments size 58w by 48h", + "window treatments size 58w by 48h", + "white window treatments", + "white window treatments, 58w by 48h", + "white window treatments in a 58w by 48h", + "white window treatments that are easy to install", + "white window treatments for white", + "window treatments" + ], + "i am looking for hen of the woods potato chips with all natural ingredients would like sea salt pack of 6, 6 ounce.": [ + "sea salt pack of 6, 6 ounce", + "pack of 6 sea salt pack of 6, 6 ounce", + "sea salt pack of 6 sea salt", + "sea salt pack of 6 sea salt under $60", + "sea salt pack of 6, 6 ounce.", + "sea salt pack of 6 sea salt under $50", + "sea salt pack of 6 sea salt under $40", + "pack of 6 sea salt pomegranate chips", + "pack of 6 sea salt sea salt chips under $60", + "pack of 6 sea salt sea salt chips under $50" + ], + "polyester bag with trolley belt,": [ + "polyester bag with trolley belt", + "polyester bag trolley belt", + "polyester bag with trolley belt,", + "polyester bag with trolley belt under $40", + "polyester bag trolley belt,", + "polyester bag with trolley belt under $50", + "polyester bag with trolley belt under $60", + "polyester bag, trolley belt", + "polyester bag", + "polyester bag under $40" + ], + "i would like a youth size 3t dark heather cotton t shirt.": [ + "youth size 3t dark heather cotton t-shirt", + "youth size 3t dark heather cotton t shirt", + "kids size 3t dark heather cotton t-shirt", + "womens size 3t dark heather cotton t-shirt", + "youth size 3t dark heather cotton t-shirt.", + "youth size 3t dark heather cotton t t-shirt", + "kids size 3t dark heather cotton t shirt", + "youth size 3t dark heather cotton t", + "tablet dark heather cotton t-shirt", + "youth t-shirt under $40" + ], + "i'm looking for some women's sneakers with rubber soles. make sure they are fabric and in a size 6.5.": [ + "womens sneakers with rubber soles size 6.5", + "womens sneakers in a size 6.5", + "womens sneakers with rubber soles, size 6.5", + "womens sneakers size 6.5", + "womens sneakers with rubber soles", + "womens sneakers with rubber sole in a size 6.5", + "womens sneakers, rubber soles, size 6.5", + "womens sneakers with rubber soles a size 6.5", + "womens sneakers with rubber soles size 6.5.", + "womens sneakers" + ], + "can you find me a long lasting hdmi cable? i only need one that is fifteen foot long.": [ + "long lasting hdmi cable", + "long lasting hdmi cable fifteen foot long", + "hdmi cable fifteen foot long", + "long lasting hdmi cable 15 foot long", + "long lasting hdmi cable twenty foot long", + "hdmi cable 15 foot long", + "a long lasting hdmi cable", + "long lasting hdmi cable under $60", + "15 foot long hdmi cable", + "hdmi cable" + ], + "i am looking for a red high performance bluetooth speaker.": [ + "red high performance bluetooth speaker", + "red high performance bluetooth speaker.", + "red high performance bluetooth speaker under $40", + "red high performance bluetooth speaker under $60", + "red high performance bluetooth speaker under $50", + "red high performance bluetooth speaker under $130", + "red high performance bluetooth speaker under 30 dollars", + "blue high performance bluetooth speaker", + "red high performance bluetooth speaker,", + " red high performance bluetooth speaker" + ], + "i am looking for a women's natural blonde, 16 inch, synthetic hair wig to buy.": [ + "womens natural blonde 16 inch synthetic hair wig", + "womens natural blonde wig 16 inch", + "natural blonde 16 inch synthetic hair wig", + "womens natural blonde wig", + "womens natural blonde synthetic hair wig", + "womens natural blonde 17 inch synthetic hair wig", + "womens natural blonde wig 16 inch synthetic", + "woman natural blonde 16 inch synthetic hair wig", + "womens natural blonde hair wig", + "mens natural blonde 16 inch synthetic hair wig" + ], + "i'm looking for reecho 20 inch (pack of 1) of 3/4 full head curly wave clips on synthetic hair extensions pieces for women and choose the color ombre dark brown to dirty blonde": [ + "reecho 20 inch (pack of 1) of synthetic hair extensions pieces for women", + "reecho 20 inch (pack of 1) of synthetic hair extensions pieces for women in the color ombre dark brown", + "reecho 20 inch (pack of 1) of synthetic hair extensions pieces for women and choose the color ombre dark brown", + "reecho 20 inch (pack of 1) of synthetic hair extensions pieces for women with the color ombre dark brown", + "reecho 20 inch (pack of 1) of synthetic hair extensions pieces for women color ombre dark brown", + "reecho 20 inch (pack of 1) of synthetic hair extensions pieces for women, color ombre dark brown", + "reecho 20 inch (pack of 1) of synthetic hair extensions pieces", + "reecho 20 inch (pack of 1) of synthetic hair extensions pieces for women, and price lower than 50.00 dollars", + "reecho 20 inch (pack of 1) of synthetic hair extensions pieces for women under $40", + "reecho 20 inch (pack of 1) of synthetic hair extensions" + ], + "i want jet black hair extensions that is synthetic.": [ + "jet black hair extensions synthetic", + "turnt black hair extensions", + " jet black hair extensions synthetic", + "turnt black hair extensions synthetic", + " jet black hair extensions", + "faux black hair extensions", + "faux human hair extensions", + "jeans black hair extensions synthetic", + "jet black hair extensions", + "facial hair extensions synthetic" + ], + "i want light purple synthetic hair extensions.": [ + "light purple synthetic hair extensions", + "light purple synthetic hair extension", + "i want light purple synthetic hair extensions.", + "light purple synthetic hair extensions.", + "light purple synthetic hair extensions under $50", + "light purple synthetic hair extensions under $40", + "light purple synthetic hair extensions under $60", + "light purple synthetic hair extensions under 50 dollars", + "light purple synthetic hair extensions under 30 dollars", + "low purple synthetic hair extensions" + ], + "i'm looking for a pack of synthetic hair extensions to clip onto my curly hair; please choose the 24\" length.": [ + "pack of synthetic hair extensions 24 length", + "24 synthetic hair extensions", + "bag of synthetic hair extensions 24 length", + "natural hair extensions 24 length", + "23 synthetic hair extensions", + "18 pack of synthetic hair extensions", + "pack of synthetic hair extension 24 length", + "24 synthetic hair extensions under $60", + "24 synthetic hair extension", + "24 length synthetic hair extensions" + ], + "what kind of cupcake toppers do you see that you can use for a birthday party?": [ + "cupcake toppers for a baby shower", + "cupcake toppers for baby shower", + "cupcake toppers for a birthday party", + "cupcake toppers for birthday party", + "cupcake toppers that are suitable for a baby shower", + "cupcake toppers that are good for a baby shower", + "cupcake toppers toppers for a baby shower", + "cupcake toppers for a baby shower under 50 dollars", + "cupcake toppers for a baby shower under $50", + "cupcake toppers for a baby shower under $40" + ], + "i would like a women's size 9 brown high heeled shoe with a closed toe.": [ + "womens size 9 brown high heeled shoe with a closed toe", + "womens size 9 brown high heeled shoe", + "womens size 9 brown high heeled shoe with closed toe", + "womens size 9 brown high heeled shoe, closed toe", + "mens size 9 brown high heeled shoe with a closed toe", + "womens size 9 brown high heeled shoe that is closed toe", + " womens size 9 brown high heeled shoe with a closed toe", + "size 9 brown high heeled shoe with a closed toe", + "womens size 9 brown high heeled shoe no closed toe", + "mens size 9 brown high heeled shoe" + ], + "i'm looking for a cookie that replaces a meal in varying flavors with macadamia nuts and is low in calories.": [ + "cookie that replaces a meal in varying flavors with macadamia nuts", + "sugar cookie that replaces a meal in varying flavors with macadamia nuts", + "cashew cookie that replaces a meal in varying flavors with macadamia nuts", + "chocolate cookie that replaces a meal in varying flavors with macadamia nuts", + "moisturizing cookie in varying flavors with macadamia nuts", + "cookie in varying flavors macadamia nuts low in calories", + "cookie in varying flavors with macadamia nuts", + "cookie in varying flavors with macadamia nuts low in calories", + "moisturizing cookie with macadamia nuts", + "cookie in varying flavors macadamia nuts" + ], + "i need some low calorie chocolate chip pecan snacks.": [ + "low calorie chocolate chip pecan snacks", + "chocolate chip pecan snacks", + "low calorie chocolate chip pecan snacks.", + "low calorie chocolate chip pecan snacks under $40", + "chocolate chip pecan snacks that are low calorie", + "low calorie chocolate chip pecan snacks under $50", + "low calorie chocolate chip pecan snacks under 50 dollars", + "low calorie chocolate chip pecan snacks under $60", + "chocolate chip pecan snacks that are low calories", + "low calorie chocolate chip pecan snacks under 30 dollars" + ], + "i'm looking for a white bookcase for my office. make sure it has a white finish.": [ + "white bookcase for office", + "white bookcase for office white", + "white bookcase for my office", + "white office bookcase white", + "white bookcase for work", + "white bookcase for the office", + "white bookcase with white finish", + "white bookcase in white", + "white bookcase", + "white bookcase white" + ], + "i would like a perfect gift basket for a happy birthday.": [ + "gift basket for a happy birthday.", + "gift basket for a happy birthday", + "perfect gift basket for a happy birthday.", + "pink gift basket for a happy birthday.", + "a perfect gift basket for a happy birthday.", + "pink gift basket for a happy birthday", + "gift basket for a baby shower", + "gluten free gift basket for a happy birthday", + "blanket for a happy birthday", + "gift basket for happy birthday" + ], + "can you find me an alcohol free mouthwash for bad breath? i want the one in energizing mint flavor.": [ + "alcohol free mouthwash with energizing mint flavor", + "alcohol free mouthwash for bad breath", + "alcohol free mouthwash", + "alcohol free mouthwash in energizing mint flavor", + "alcohol free mouthwash, energizing mint flavor", + "alcohol free mouthwash energizing mint flavor", + "alcohol free mouthwash that is energizing mint flavor", + "alcohol free mouthwash for bad breath under $40", + "alcohol free mouthwash for bad breath under $60", + "alcohol free mouthwash for bad breath under $50" + ], + "i need an animal themed and seafoam multicolor office chair slipcover that is machine washable.": [ + "animal themed and seafoam multicolor office chair slipcover", + "animal themed and seafoam multicolor office chair slipcover under $50", + "animal themed and seafoam multicolor office chair slipcover under $40", + "animal themed and seafoam multicolor office chair slipcover under 50 dollars", + "animal themed and seafoam multicolor office chair slipcover under $60", + "animal themed and seafoam multicolor office chair slipcover under 30 dollars", + "animal themed and seafoam multicolor office chair slipcover under 60 dollars", + "animal themed and seafoam multicolor office chair slipcover under 40 dollars", + "animal themed seafoam multicolor office chair slipcover", + "animal themed, seafoam multicolor office chair slipcover" + ], + "my face included small sizes of dark circles": [ + "small sizes of dark circles", + "small dark circles", + "small small sizes of dark circles", + "small size of dark circles", + "small dark circles under 50 dollars", + "small size dark circles", + "small dark circles under $50", + "small dark circles under 30 dollars", + "small dark circles under $40", + "small dark circles under 40 dollars" + ], + "can you find me an easy to clean coffee table made out of solid wood and tempered glass?": [ + "living room coffee table made out of solid wood and tempered glass", + "easy clean coffee table made out of solid wood and tempered glass", + "coffee table made out of solid wood and tempered glass", + "living coffee table made out of solid wood and tempered glass", + "living room table made out of solid wood and tempered glass", + "easy to clean coffee table made out of solid wood", + "tablet made out of solid wood and tempered glass", + "a coffee table made out of solid wood and tempered glass", + "5 ft coffee table made out of solid wood and tempered glass", + "white coffee table made out of solid wood and tempered glass" + ], + "i want party supplies for decorations that are easy to use. make sure there are cupcake toppers.": [ + "party supplies for decorations that are easy to use. make sure there are cupcake toppers.", + "Party supplies for decorations that are easy to use. make sure there are cupcake toppers.", + "party supplies for decorations easy to use. make sure there are cupcake toppers.", + "pink party supplies for decorations", + "easy to use party supplies for decorations", + "easy to use party supplies for decorations under $50", + "cupcake toppers for decorations", + "pink cupcake toppers", + "cupcake toppers", + "party supplies for decorations" + ], + "i'm looking for large melinda slippers for women that have faux fur and rubber soles.": [ + "melinda slippers for women faux fur rubber soles", + "large melinda slippers for women", + "melinda slippers for women faux fur rubber sole", + "large melinda slippers for women with faux fur", + "melinda slippers large faux fur rubber sole", + "melinda slippers large faux fur rubber soles", + "large melinda slippers", + "melinda slippers for women faux fur", + "melinda slippers for women", + "melinda slippers" + ], + "i am ordering grey women faux fur slippers .": [ + "grey women faux fur slippers", + "grey woman faux fur slippers", + "grey women faux fur slippers,", + "grey men faux fur slippers", + "grey women faux fur slippers under $40", + "grey women faux fur slippers under $50", + "grey faux fur slippers", + "grey women faux fur slippers under $60", + "grey women faux fur slippers, $40", + "grey women faux fur slippers." + ], + "i'm looking for some eco friendly dental floss. can you pick out the white one?": [ + "eco friendly dental floss", + "eco friendly dental floss white", + "eco friendly dental floss, white", + "eco friendly dental floss. white", + "eco friendly dental floss in white", + "eco friendly dental floss white", + "eco friendly dental floss.", + "eco friendly dental floss.white", + "green dental floss", + "white dental floss" + ], + "can you find me a pair of men's non-slip beach sandals with arch support? i want a pair in size 14.": [ + "mens non-slip beach sandals with arch support", + "mens non-slip beach sandals with arch support 14", + "mens non-slip beach sandals", + "mens non-slip beach sandals with arch support", + "mens non-slip beach sandals in size 14", + "mens non-slip beach sandals size 14", + "mens non-slip beach sandals", + "mens non-slip sandals with arch support", + "mens non-slip sandals", + "mens walking shoes size 14" + ], + "i like gold gift basket": [ + "gold gift basket", + "gift basket gold", + "pink gold gift basket", + "gift basket gold gift basket", + "gold gift basket under $50", + "plastic gold gift basket", + "gold gift basket under $40", + "gold gift basket under $60", + "gold gift basket under 50 dollars", + "gold gift basket," + ], + "i'm looking to buy a gift set filled with wellness tea samples that are caffeine free.": [ + "gift set filled with wellness tea samples", + "womens tea samples that are caffeine free", + "gift set with wellness tea samples", + "gift set of wellness tea samples", + "gift set for wellness tea samples", + "womens tea samples", + "womens tea samples caffeine free", + "gluten free wellness tea samples", + "gift set", + "manual tea samples" + ], + "i need 3.52 ounce funky choco pineapple biscuits that are soy free.": [ + "3.52 ounce funky choco pineapple biscuits that are soy free", + "3.52 ounce funky choco pineapple biscuits", + "3.52 ounce funky choco pineapple biscuits soy free", + "3.52 ounce funky choco pineapple biscuits, soy free", + "three.52 ounce funky choco pineapple biscuits that are soy free", + "3.2 ounce funky choco pineapple biscuits that are soy free", + "3.52 ounce funky choco pineapple biscuits no soy", + " 3.52 ounce funky choco pineapple biscuits that are soy free", + "3.52 ounce funky choco pineapple biscuits under $40", + "3.52 ounce funky choco pineapple biscuits under $50" + ], + "find for me a set of yarnow birthday party supplies": [ + "set of yarnow birthday party supplies", + "yogow birthday party supplies", + "l yarnow birthday party supplies", + "set of yarnow baby shower supplies", + "yogow baby shower supplies", + "baby shower supplies", + "l yarnow baby shower supplies", + "kids party supplies", + "kids shower supplies", + "kids blanket" + ], + "i need super soft throws that have butterflies and are 30 by 40 inches.": [ + "super soft throws with butterflies 30 by 40 inches", + "super soft throws that have butterflies 30 by 40 inches", + "super soft throws 30 by 40 inches", + "super soft throws with butterflies", + "super soft throws that have butterflies", + "super soft throws with butterflies, 30 by 40 inches", + "super soft throws with butterflies and 30 by 40 inches", + "super soft throws, 30 by 40 inches", + "super soft throws no butterflies 30 by 40 inches", + "super soft throws with butterflies 30 by 40 inch" + ], + "looking for a keyboard that is long lasting and use aaa batteries. needs to have color of cherry mx brown.": [ + "long lasting and use aaa batteries", + "long lasting keyboard with aaa batteries", + "short lasting keyboard with aaa batteries", + "tuned keyboard with aaa batteries", + "knee keyboard with aaa batteries", + "knee keyboard with aaa batteries long lasting", + "knee mx brown keyboard long lasting", + "long lasting and use aaa batteries for keyboard", + "long lasting aaa batteries keyboard", + "aaa batteries" + ], + "i'm looking for hershey's kisses chocolates that can serve as a perfect gift for valentine's day.": [ + "sheys kisses chocolates for valentines day", + "sheys kisses chocolates valentines day", + "hersheys kisses chocolates valentines day", + "hersheys kisses chocolates for valentines day", + "sheys kisses chocolates", + "sheys kisses chocolates for valentines day.", + "hersheys kisses chocolates", + "sheys kisses chocolates, valentines day", + "hersheys kisses chocolates for valentines day.", + "hersheys kisses chocolates valentines day." + ], + "i am looking for a men's classic fit t shirt that is x-large and white.": [ + "mens classic fit t-shirt x-large white", + "mens classic fit t-shirt x-large and white", + "mens classic fit t shirt x-large white", + "mens classic fit t-shirt x-large white", + "mens classic fit t shirt x-large white mens", + "mens classic fit t-shoes x-large white", + "mens classic fit t shirt that is x-large white", + "mens classic fit t-shirt x-l white", + "mens classic fit t-shirt xl white", + "mens classic fit t-shirt" + ], + "find me some light weight, noise cancelling headphones. i want the white and black ones.": [ + "white noise cancelling headphones", + "light weight noise cancelling headphones", + "light weight, noise cancelling headphones", + "low weight noise cancelling headphones", + "low weight, noise cancelling headphones", + "low weight noise cancelling headphones white and black", + "light weight noise cancelling headphones white and black", + "black noise cancelling headphones", + "light weight noise cancelling headphones, white", + "white noise cancelling headphones." + ], + "i am looking for a candle in a clear glass jar (19 ounce) that smells like orange.": [ + "6 candle in a clear glass jar (19 ounce) that smells like orange", + "candle in a clear glass jar (19 ounce) that smells like orange", + "12 candle in a clear glass jar (19 ounce) that smells like orange", + "light in a clear glass jar (19 ounce) that smells like orange", + "19 ounce candle in clear glass jar (19 ounce) that smells like orange", + "orange candle in a clear glass jar (19 ounce) that smells like orange", + "19 ounce candle in a clear glass jar (19 ounce)", + "a candle in a clear glass jar (19 ounce) that smells like orange", + "18 candle in a clear glass jar (19 ounce) that smells like orange", + "bottle in a clear glass jar (19 ounce) that smells like orange" + ], + "i would like a apple & oak three wick candle made of soy wax.": [ + "apple & oak three wick candle made of soy wax", + "apple and oak three wick candle made of soy wax", + " apple & oak three wick candle made of soy wax", + "apple & oak three wick candle made of soy wax.", + "apple & oak three wick candle made from soy wax", + "apple & oak 3 wick candle made of soy wax", + "apple & oak three-wick candle made of soy wax", + "apple & oak three wick candle made of soy wax,", + "apple & oak three wick candle", + "a apple & oak three wick candle made of soy wax" + ], + "i really need a long lasting deodorant.": [ + "long lasting deodorant", + "long lasting deodorant.", + "long lasting deodorant under $40", + "long lasting deodorant under $50", + "long lasting deodorant under $60", + "long lasting deodorant under 30 dollars", + "long lasting deodorant under 50 dollars", + "long lasting deodorant under 60 dollars", + "long lasting deodorant under 40 dollars", + "long lasting deodorant," + ], + "i want to buy an easy to clean and assemble entertainment center.": [ + "easy to clean and assemble entertainment center", + "easy clean and assemble entertainment center", + "easy clean and assemble entertainment center.", + "5 ft 5 ft entertainment center", + "easy to clean, assemble entertainment center", + "5 ft x 5 ft entertainment center", + "5 ft entertainment center", + "living room entertainment center", + "kids entertainment center", + "living room" + ], + "i am looking for some pink high quality makeup brush sets.": [ + "pink high quality makeup brush sets", + "pink makeup brush set", + "pink high quality makeup brush set", + "pink makeup brush sets", + "pink high quality makeup brush", + "pink makeup brush set.", + "pink makeup brush sets.", + "pink makeup brush", + "pink makeup brushset", + "pink" + ], + "i need elbow pads for teen girls that are small and black.": [ + "small black elbow pads for teen girls", + "teen girl elbow pads small black", + "teen girl elbow pads small and black", + "small black elbow pads teen girl", + "teeth girl elbow pads small black", + "small black elbow pads teen girls", + "teen girl elbow pads", + "small black elbow pads for teen girl", + "small black elbow pads teen girl girl", + "small black elbow pads" + ], + "i would like round bottles that are bpa free and have fine mist spray caps. pick the clear one.": [ + "round bottles with fine mist spray caps", + "round bottles with fine mist spray", + "round bottles bpa free with fine mist spray caps", + "round bottles bpa free with fine mist spray", + "round bottles with fine mist spray caps bpa free", + "round bottles of fine mist spray", + "bpa free and fine mist spray caps", + "bpa free fine mist spray bottle", + "Round bottles with fine mist spray caps", + "bottle with fine mist spray" + ], + "i looking a short sleeve bridemaid gown satin tumble dry colour should be coral": [ + "short sleeve bridemaid satin tumble dry colour", + "short sleeve bridemaid in a coral", + "short sleeve bridemaid", + "short sleeve bridemaid gown satin tumble dry", + "short sleeve bridemaid with coral", + "short sleeve bridemaid in coral", + "short sleeve bridemaid t-dry colour", + "short sleeve bridemaid gown satin", + "short sleeve bridemaid t-dry", + "bridemaid" + ], + "i would like to buy a deer statue for display in my living room.": [ + "deer statue for living room", + "red deer statue for display in my living room", + "deer statue for display in my living room", + "red deer statue for living room", + "a deer statue for display in my living room", + "daring deer statue for living room", + "daring deer statue in my living room", + "dude statue for living room", + "daring deer statue in my living room.", + "deer statue for living room." + ], + "i need cake toppers that are red for valentine's day.": [ + "cake toppers red valentines day", + "cake toppers red for valentines day", + "red valentines day cake toppers", + "cake toppers red for valentines day.", + "cake toppers that are red valentines day", + "red cake toppers for valentines day", + "cake toppers red valentines day.", + "cupcake toppers red valentines day", + "cake toppers red valentines day", + "red cake toppers for valentines day." + ], + "i need a high speed hdmi cable with an extension cord. pick a white one.": [ + "high speed hdmi cable with an extension cord", + "high speed hdmi cable with an extension cord white", + "tv hdmi cable with an extension cord", + "tv hdmi cable with an extension cord white", + "high speed hdmi cable", + "hdmi cable with an extension cord", + "hdmi cable with an extension cord white", + "high speed hdmi cable with extension cord", + "high speed hdmi cable extension cord", + "tv hdmi cable" + ], + "i'm trying to find a one piece swimsuit with tummy control. i need one in size small.": [ + "one piece swimsuit with tummy control", + "one piece swimsuit with tummy control.", + "one piece swimsuit", + "two piece swimsuit with tummy control", + "1 piece swimsuit with tummy control", + "one piece swimsuit with tummy control small", + "slimsuit with tummy control", + "one piece swimsuit size small", + "one piece swimsuit in size small", + "one piece swimsuit under $50" + ], + "i am looking for corn that is non gmo and spicy toasted as well as 16 oz.": [ + "non gmo and spicy toasted corn 16 oz", + "corn non gmo and spicy toasted 16 oz", + "corn that is non gmo and spicy toasted", + "corn non gmo spicy toasted 16 oz", + "non gmo toasted corn 16 oz", + "non gmo corn 16 oz", + "corn non gmo 16 oz", + "non gmo and spicy toasted corn 17 oz", + "non gmo and spicy toasted corn", + "corn 16 oz" + ], + "i am looking for easy to use movie themed cake toppers.": [ + "easy to use movie themed cake toppers", + "easy to use movie themed cake toppers.", + "easy to use movie themed cake toppers under $40", + "easy to use movie themed cake toppers under $60", + "easy to use movie themed cake toppers under $50", + "easy to use movie themed cake toppers under 50 dollars", + "easy to use movie themed cake toppers under 30 dollars", + "easy to use movie themed cake toppers under 60 dollars", + "easy to use movie themed cake toppers under 40 dollars", + "easy to use movie themed cake toppers under 120 dollars" + ], + "i would like a white contemporary modern style bed.": [ + "white contemporary modern style bed", + "white contemporary modern style bed.", + "white modern style bed", + "white contemporary modern style bed,", + "white contemporary modern style bed that is white", + "white modern style bed.", + "white contemporary modern style bed, white", + "white contemporary modern style bed with modern style", + "white contemporary modern style bed under $40", + "white contemporary modern style bed under $50" + ], + "i need a white high definition dome camera.": [ + "white high definition dome camera", + "white high definition dome camera.", + "white high definition dome camera under $40", + "white high definition dome camera under $60", + "white high definition dome camera under $50", + "white high definition dome camera under $120", + "white high definition dome camera,", + "white high definition dome camera under 50 dollars", + "white high definition dome camera under $130", + "white high definition dome camera under 30 dollars" + ], + "i'm looking for optical zoom electronics want to buy a white color.": [ + "optical zoom electronics white", + "white optical zoom electronics", + "white zoom electronics", + "digital zoom electronics white", + "white digital zoom electronics", + "organic zoom electronics white", + "optical zoom electronics", + "white electronic zoom electronics", + "white electronic color", + "optical zoom electronics black" + ], + "i am looking for grey color smartwatch band.it should be compatible with apple watch.": [ + "grey color smartwatch band", + "grey smartwatch band", + "grey color smartwatch band with apple watch", + "grey color smartwatch band for apple watch", + "grey color smartwatch band under $40", + "grey color smartwatch band,", + "grey color smartwatch band for apple", + "grey apple watch band", + "grey watch band", + "grey" + ], + "i'm going hiking so i'm looking for a pair of slip resistant rubber soled boots. i want something in 8.5.": [ + "shoes 8.5 slip resistant", + "shoes 8.5", + "shoes 8.5, slip resistant", + "shoes that are slip resistant 8.5", + "shoes, slip resistant, 8.5 hiking", + "shoes that are slip resistant 8.5 hiking", + "shoes, slip resistant, 8.5", + "shoes size 8.5 slip resistant", + "shoes 8.5 slip resistant hiking", + "shoes that are slip resistant 8.5." + ], + "i want round shape home furniture": [ + "round shape home furniture", + "square shape home furniture", + "living room furniture round shape", + "roof shape home furniture", + "Round shape home furniture", + "router shape home furniture", + "roasted home furniture", + "living room furniture", + "wooden furniture round shape", + "home furniture round shape" + ], + "i want a square shaped area rug for my home. pick a contemporary design in lavender or ivory color.": [ + "square shaped area rug in lavender or ivory color", + "square shaped area rug for my home in lavender or ivory color", + "square shaped area rug living room in lavender or ivory color", + "square shaped area rug for living room in lavender or ivory color", + "square shaped area rug, lavender or ivory color", + "square shaped area rug that is lavender or ivory color", + "square shaped area rug, lavender or ivory color,", + "square shaped area rug in lavender or ivory", + "square shaped area rug in lavender or ivory color,", + "square shaped area rug" + ], + "i am looking for a round, non-shedding, boho chic medallion distressed area rug for my living room.": [ + "living room rug boho chic", + "boho chic medallion distressed area rug", + "round, boho chic medallion distressed area rug", + "round boho chic medallion distressed area rug", + "boho chic medallion rug for living room", + "roof boho chic medallion distressed area rug", + "roasted area rug for living room", + "living room rug", + "boho chic medallion rug", + "living room rug with boho chic" + ], + "i need a pink colored area rug for my living room area.": [ + "pink colored area rug living room area", + "pink colored area rug for living room area", + "pink colored rug for living room area", + "pink colored rug living room area", + "pink colored rug for living room area.", + "pink colored rug for my living room area", + "pink colored area rug living room area.", + "pink colored rug for the living room area", + "pink colored area rug living room", + "pink colored area rug" + ], + "i am looking for a rectangular shaped area rug for living room with orange or light blue color. also choose 2ft 2in x 4ft in size.": [ + "2ft 2in x 4ft rug", + "square shaped rug for living room with orange or light blue color", + "square rug for living room with orange or light blue color", + "2ft 2in x 4ft rug in size", + "2ft 2in x 4ft rug for living room", + "3ft 2in x 4ft rug", + "size 2ft 2in x 4ft rug", + "3ft 2in x 4ft rug in size", + "size 2ft 2in x 4ft rug in size", + "2ft 2in x 4ft rug, orange" + ], + "i am looking for boho chic medallion non shedding area rug 6'7''x9'2'' for my living room. in forest green, or light blue.": [ + "boho chic medallion non shedding area rug 67x92", + "boho chic medallion non shedding area rug 67x92 in forest green", + "boho chic medallion non shedding rug 67x92", + "boho chic medallion non shedding rug 67x92 in forest green", + "boho chic medallion rug 67x92 living room. in forest green", + "boho chic medallion non shedding area rug 67x92, or light blue", + "boho chic medallion rug 67x92", + "boho chic medallion non shedding area rug", + "boho chic medallion non shedding rug", + "boho chic medallion rug" + ], + "i would like a 8 by 8 round rug preferably in fuchsia for the living room.": [ + "8 by 8 round rug", + "8 by 8 round rug in fuchsia", + "8 by 8 round rug for living room", + "8 by 8 round rug, fuchsia", + "8 by 8 round rug living room", + "8 by 8 rug in fuchsia", + "8 by 8 round rug fuchsia", + "8 by 8 rug", + "8 by 8 fuchsia rug", + "8 by 8 rug fuchsia" + ], + "i'm looking for an oil free concealer. can you get the one in shade 9?": [ + "oil free concealer shade 9", + "oil free concealer in shade 9", + "an oil free concealer shade 9", + "oil free concealer, shade 9", + "an oil free concealer in shade 9", + "oil free concealer, shade 9,", + "oil free concealer shades 9", + "oil free concealer shade 9,", + "oil free concealer under $40", + "oil free concealer. shade 9" + ], + "i need a black full size metal bed frame that doesn't take up too much storage space.": [ + "black full size metal bed frame", + "black full size metal bed frame,", + "black full size metal bed frame with storage", + "black full size metal bed frame for sleeping", + "black heavy duty metal bed frame", + "black metal bed frame", + "full size metal bed frame", + "aluminum bed frame black", + "living room metal bed frame", + "large metal bed frame" + ], + "do you think you can find me a dustproof phone case? i'll take one in white.": [ + "dustproof phone case in white", + "dustproof phone case", + "dustproof phone case white", + "dustproof phone case, white", + "dustproof phone case white", + "dustproof phone case that is white", + "dustproof phone case white", + "dustproof phone case with white", + "dustproof phone case black", + "dustproof phone case black" + ], + "i'm trying to find an office chair with metal legs. i really want one that is black.": [ + "black office chair with metal legs", + "office chair with metal legs black", + "black office chair", + "white office chair with metal legs", + "black office chair that is black", + "white office chair with metal legs black", + "black office chair with metal legs.", + "office chair black", + "black office chair with metal legs black", + "office chair with metal legs" + ], + "can you get me a white bookshelf with a white finish? i want to get the one with one door.": [ + "white bookshelf with a white finish", + "white bookshelf with white finish", + "white bookshelf white finish", + "white bookshelf with a white finish,", + "white bookhelf with a white finish", + "white booksshelf with a white finish", + "white bookshelf white with one door", + "white bookshelf, white finish", + "white bookshelf white", + "white bookshelf" + ], + "i am looking for a peppermint alcohol free mouthwash for bad breath.": [ + "pomegranate alcohol free mouthwash", + " peppermint alcohol free mouthwash for bad breath", + "pommint alcohol free mouthwash", + " peppermint alcohol free mouthwash", + "powmint alcohol free mouthwash", + "pink alcohol free mouthwash for bad breath", + "spraymint alcohol free mouthwash", + "peppermint alcohol free mouthwash", + "pink alcohol free mouthwash", + "sugar free mouthwash" + ], + "i am looking for a long lasting matte lipstick in darling damask color.": [ + "long lasting matte lipstick in darling damask color", + "long lasting matte lipstick in darling damask", + "lush matte lipstick in darling damask color", + "daring damask matte lipstick long lasting", + "pink lipstick in darling damask color", + "daring damask lipstick long lasting", + "plastic lipstick in darling damask color", + "lens lipstick in darling damask color", + "a long lasting matte lipstick in darling damask", + "daring damask matte lipstick" + ], + "i am looking for a heavy duty purple case with a screen protector and kickstand for a samsung galaxy tablet.": [ + "heavy duty purple samsung galaxy tablet case", + "heavy duty purple samsung galaxy tablet case with kickstand", + "heavy duty purple samsung galaxy tablet", + "heavy duty purple samsung galaxy tablet case under $40", + "heavy duty purple samsung galaxy tablet case under $130", + "heavy duty purple samsung galaxy tablet with kickstand", + "heavy duty purple samsung galaxy tablet case under $60", + "heavy duty purple samsung galaxy tablet case under $50", + "heavy duty purple samsung galaxy tablet case under $120", + "heavy duty purple samsung galaxy tablet case under 50 dollars" + ], + "i would like a 1 fluid ounce green apple lip gloss that's cruelty free to animals.": [ + "1 fluid ounce green apple lip gloss cruelty free", + "1 fluid ounce green apple lip gloss cruelty free to animals", + "1 fluid ounce green apple lip gloss", + "1 fluid ounce green apple lip gloss that is cruelty free", + "1 fluid ounce green apple lip gloss, cruelty free", + "green apple lip gloss cruelty free", + "1 fluid ounce green apple lip gloss, cruelty free,", + "1 fluid ounce green apple lip gloss that cruelty free", + "green apple lip gloss cruelty free to animals", + "one fluid ounce green apple lip gloss cruelty free" + ], + "i need portable speakers that are bluetooth, high powered, and have stereo sound. i'm looking for k9 2ng gen color.": [ + "portrait speakers bluetooth high powered", + "portrait speakers bluetooth high powered, and have stereo sound", + "portrait speakers that are bluetooth high powered and have stereo sound", + "portable speakers that are bluetooth high powered and have stereo sound", + "portrait speakers that are bluetooth high powered", + "portable speakers bluetooth high powered", + "portable speakers that are bluetooth high powered", + "portable speakers with bluetooth high powered", + "portable speakers with bluetooth", + "portrait speakers with bluetooth" + ], + "i am looking for a styling tool that is black that one would find in a salon.": [ + "black styling tool for a salon", + "black styling tool that is black", + "black styling tool", + "black styling tool in a salon", + "black styling tool for salon", + "black styling tool for black salon", + "black styling tool for the salon", + "black styling tool for hair salon", + "style checker tool black", + "hair styling tool black" + ], + "i want a hair treatment steamer thermal heat cap.": [ + "hair treatment steamer thermal heat cap", + "shoes treatment steamer thermal heat cap", + "shampoo treatment steamer thermal heat cap", + "toothpaste steamer thermal heat cap", + "hair treatment steamer thermal heat cap.", + "honey treatment steamer thermal heat cap", + "toothbrush steamer thermal heat cap", + "hair treatment steamer thermal heat cap", + "style steamer thermal heat cap", + "coaxial heat cap" + ], + "need a hair extension that is synthetic and long lasting, and get the 8 pack of 18 inch size.": [ + "synthetic hair extension 18 pack", + "synthetic and long lasting hair extension", + "hair extension that is synthetic and long lasting", + "synthetic human hair extension 18 pack", + "synthetic hair extension 18 inch", + "synthetic hair extension 8 pack 18 inch", + "synthetic hair extension that is long lasting", + "synthetic long lasting hair extension 8 pack", + "synthetic hair extension", + "hair extension synthetic 18 inch" + ], + "i\u2019m looking for a nice outdoor loveseat sofa that is easy to clean in all weather; please choose the navy blue one.": [ + "navy blue sofa", + "navy blue living room sofa", + "furniture navy blue", + "living room sofa navy blue", + "navy blue sofa under $50", + "navy blue sofa under $40", + "navy blue sofa under $60", + "navy blue sofa, easy clean", + "navy blue sofa under 30 dollars", + "an outdoor loveseat sofa" + ], + "i am looking for stylish, comfortable women's mid calf boots in leather shoes, knee-height boots in gt51-brown color. 6.5 size preferable..": [ + "womens mid calf boots in leather shoes gt51-brown", + "womens mid calf boots in gt51-brown color", + "womens mid calf boots in leather shoes", + "womens mid calf boots gt51-brown", + "womens mid calf boots in gt51-brown", + "womens mid calf boots in leather shoes 6.5 size preferable", + "curtains gt51-brown", + "walking shoes gt51-brown", + "womens mid calf boots in leather", + "womens mid calf boots" + ], + "i need 3 packs tempered glass that is lcd compatible for canon eos 1500d 1300d 1200d models": [ + "3 packs tempered glass lcd compatible for canon eos 1500d 1300d 1200d models", + "tempered glass lcd compatible for canon eos 1500d 1300d 1200d models", + "tempered glass that is lcd compatible for canon eos 1500d 1300d 1200d models", + "3 packs tempered glass lcd compatible for canon eos 1500d 1300d 1200d model", + "3 packs tempered glass with lcd compatible for canon eos 1500d 1300d 1200d models", + "3 pack tempered glass lcd compatible for canon eos 1500d 1300d 1200d models", + "3 packs tempered glass, lcd compatible for canon eos 1500d 1300d 1200d models", + "3 packs tempered glass lcd compatible for eos 1500d 1300d 1200d models", + "3 packs tempered glass that is lcd compatible for canon eos 1500d 1300d 1200d", + "tempered glass that is lcd compatible for canon eos 1500d 1300d 1200d model" + ], + "i am looking for a gourmet buffalo chicken snack with simple ingredients.": [ + "gourmet buffalo chicken snack", + "gourmet buffalo chicken snack with simple ingredients", + "buffet chicken snack with simple ingredients", + "buffet chicken snack", + "buffalo chicken snack with simple ingredients", + "gourmet buffalo chicken snack no sugar", + "gourmet buffalo chicken snack under $40", + "gluten-free buffalo chicken snack", + "gourmet buffalo chicken snack simple ingredients", + "gourmet buffalo chicken snack under $60" + ], + "i am looking for high quality clear bass computer speakers of vaensong jt009 wooden multimedia. compatible with pc,tv,laptop,mac,smartphones,mp3 player, perfect for home,party etc.easy to set up,usb port in green color.": [ + "high quality clear bass computer speakers", + "high quality clear bass computer speakers of vaensong jt009", + "levensong jt009 wooden multimedia speakers", + "levensong jt009 wooden multimedia speakers that are high quality", + "levensong jt009 wooden multimedia speaker", + "levensong jt009 wooden multimedia speakers with high quality", + "levensong jt009 wooden multimedia speakers high quality", + "levensong jt009 wooden multimedia speakers, high quality", + "levensong jt009 wooden multimedia", + "dual bass computer speakers" + ], + "find me a lead free, eco friendly, long lasting candle. i want the fragrance to be cinnamon delight": [ + "lead free, eco friendly, long lasting candle", + "lead free, eco friendly long lasting candle", + "lead free, eco friendly candle", + "lead free, eco friendly and long lasting candle", + "lead free eco friendly, long lasting candle", + "lead free eco friendly long lasting candle", + "lead free and eco friendly long lasting candle", + "lead free, eco friendly candles", + "lead free candles", + "lead free candle" + ], + "i'm searching for womens leather angle strap platform slip on of size 6.5 and c brown color": [ + "womens leather angle strap platform slip on of size 6.5 in c brown", + "womens leather angle strap platform slip on of size 6.5 in a brown color", + "womens leather angle strap platform slip on of size 6.5 and c brown", + "womens leather angle strap platform slip on of size 6.5 in a brown", + "womens leather angle strap platform slip on of size 6.5 in c brown color", + "womens leather angle strap platform slip on of size 6.5", + "womens leather angle strap platform slip on of size 6.5 and c brown color", + "womens leather angle strap platform slip on of size 6.5, c brown", + "womens leather angle strap platform slip on of size 6.5, c brown color", + "womens leather angle strap platform slip on of size 6.5 black" + ], + "i need 2 panels easy clean window curtains of size 39.5\"w x 63\"l x2 for living room": [ + "window curtains of size 39.5w x 63l", + "window curtains size 39.5w x 63l", + "window curtains in size 39.5w x 63l", + "window curtains of size 39.5w x 63l", + "window curtains, of size 39.5w x 63l", + "window curtains 39.5w x 63l", + "window curtains in a size 39.5w x 63l", + "window curtains, size 39.5w x 63l", + "window curtains that are size 39.5w x 63l", + "window curtains size 39.5w x 63l x2" + ], + "i'm looking for some nail polish. i really need something that is burgundy, please.": [ + "burgundy nail polish", + "nude polish burgundy", + "nail polish burgundy", + "burgundy nail polish, please", + "pink nail polish burgundy", + "burgundy nail polish,", + "burgundy nail polish.", + "burgundy nail polish ", + "burgundy polish", + "nude polish" + ], + "i want light weight polyster back": [ + "light weight polyster back", + "low weight polyster back", + "light weight polyster", + "low weight polyster", + "heavy weight polyster back", + "pomegranate back", + "lighter weight polyster back", + "pink polyster back", + "polyster back", + "lip polyster back" + ], + "i would like a basic phone case that has wireless charging.": [ + "basic phone case with wireless charging", + "basic phone case that has wireless charging", + "basic phone case wireless charging", + "Basic phone case with wireless charging", + "basic phone case with wireless charging.", + "basic phone case", + "basic phone case, wireless charging", + "basic phone case that has wireless charging.", + "simple phone case with wireless charging", + "basic phone case with wireless charging," + ], + "i need a 15 ft 1080p hd vga cable,": [ + "15 ft 1080p hd vga cable", + "15 ft 1080p hd vga cable,", + "size 15 ft 1080p hd vga cable", + "15 ft 1080p hd vga cable 15 ft", + "tv hd vga cable 15 ft high definition", + "15ft 1080p hd vga cable", + "16 ft 1080p hd vga cable", + "tv hd vga cable 15 ft", + "tv dga cable 15 ft 1080p", + "15 ft hd vga cable" + ], + "i am looking for a high speed coaxial cable that is 3 feet in size.": [ + "high speed coaxial cable 3 feet in size", + "3 ft coaxial cable", + "medium speed coaxial cable 3 feet in size", + "3 foot high speed coaxial cable", + "3 feet high speed coaxial cable", + "high speed coaxial cable 3 feet", + "coaxial cable 3 feet in size", + "3 foot coaxial cable", + "3 ft high speed coaxial cable", + "3 ft coaxial cable that is 3 feet" + ], + "i am looking for a high speed coaxial cable that is 5 feet long and is solid copper.": [ + "high speed coaxial cable 5 feet long", + "high speed coaxial cable that is 5 feet long", + "5 ft long coaxial cable that is 5 feet long", + "5 foot long coaxial cable that is 5 feet long", + "5 ft long coaxial cable", + "high speed coaxial cable 5 feet long, solid copper", + "high speed coaxial cable 5 feet long with solid copper", + "coaxial cable 5 feet long and is solid copper", + "5 foot long coaxial cable", + "coaxial cable 5 feet long" + ], + "i am looking for a 200 ft size high-speed coaxial cable and the cable material is aluminum alloy.": [ + "200 ft high-speed coaxial cable", + "200 ft size high-speed coaxial cable", + "200 ft long high-speed coaxial cable", + "200 ft cable high-speed coaxial cable", + "200 ft cable high-speed aluminum alloy", + "200 ft cable high-speed", + "200 ft cable", + "200 ft size high-speed cable", + "200 ft cable high-speed cable", + "200 ft cable cable" + ], + "i am looking for a high speed 250 foot long 75 ohm coaxial cable.": [ + "high speed 250 foot long 75 ohm coaxial cable", + "25 ft long 75 ohm coaxial cable", + "25 foot long 75 ohm coaxial cable", + "50 ft long 75 ohm coaxial cable", + "high speed 25 foot long 75 ohm coaxial cable", + "coaxial cable high speed 250 foot long", + "high speed 250 foot long 75 ohm cable", + "coaxial cable", + "coaxial cable high speed", + "electricity cable" + ], + "i would like a black 90 foot coaxial cable.": [ + "black 90 foot coaxial cable", + "black 90 foot coaxial cable under $40", + "black 90 foot coaxial cable under $60", + "black 90 foot coaxial cable.", + "black 90 foot coaxial cable under $50", + "black90 foot coaxial cable", + "black 90 foot coaxial cable under $130", + "black 90 foot coaxial cable,", + "black 90 foot coaxial cable black", + "black coaxial cable" + ], + "i would like a 3xl grey scrub bottoms that are easily machine washable.": [ + "3xl grey scrub bottoms", + "3xl grey scrub bottoms, easily machine washable", + "3xl grey scrub bottoms, machine washable", + "3xl grey scrub bottoms machine washable", + "3xl grey scrub bottoms easy machine washable", + "3xl grey scrub bottoms under $50", + "3 xl grey scrub bottoms", + "3xl grey scrub bottoms under $40", + "3xl grey scrub bottoms that are easy to wash", + "3xl grey scrub bottoms, machine washable," + ], + "i am looking for slim fit men jean of black color.": [ + "slim fit men jean black", + "mens jean black", + "mens jean black slim fit", + "mens jean of black", + "man jean black slim fit", + "mens jean of black color", + "slim fit black men jean", + "slim fit men jean", + "slim fit men jean colored", + "man jean of black" + ], + "can you find me a high quality spa linen in green?": [ + "spray linen in green", + "high quality spa linen in green", + "a high quality spa linen in green", + "pink spa linen in green", + "pampering linen in green", + "stainless spa linen in green", + "spa linen in green", + "psa linen in green", + "green spa linen", + "spray linen" + ], + "can you find me a high definition hdmi cable that is gold plated?": [ + "high definition hdmi cable gold plated", + "high definition hdmi cable", + "tv hdmi cable gold plated", + "hdmi cable gold plated", + "low definition hdmi cable gold plated", + "high definition hdmi cable with gold plated", + "high definition hdmi cable, gold plated", + "tv high definition hdmi cable gold plated", + "gold plated hdmi cable", + "gold hdmi cable" + ], + "i am looking for human hair toppers for hair loss. i would like something in a medium brown.": [ + "human hair toppers for hair loss", + "human hair toppers for hair loss, medium brown", + "human hair toppers for hair loss medium brown", + "human hair toppers for hair loss medium brown", + "human hair toppers for hair loss.", + "human hair toppers for hair loss. human", + "human hair toppers, medium brown", + "human hair toppers for hair loss under $40", + "human hair toppers", + "human hair toppers medium brown" + ], + "get me a face moisturizer that is for dry skin and fine lines.": [ + "face moisturizer for dry skin and fine lines", + "face moisturizer for dry skin with fine lines", + "toothpaste for dry skin and fine lines", + "face moisturizer for dry skin", + "face moisturizer for dry skin fine lines", + "face moisturizer for dry skin, fine lines", + "toothpaste for dry skin with fine lines", + "face moisturizer with fine lines", + "moisturizer for dry skin", + "face moisturizer" + ], + "i would like a lip balm that has natural ingredients and is the color a.": [ + "lip balm natural", + "lip balm with natural ingredients", + "lip balm that has natural ingredients", + "lip balm natural no sugar", + "lip balm natural no fluoride", + "lip balm natural no synthetic", + "lip balm natural ingredients", + "lip balm natural no natural", + "lip balm natural no ethylene", + "lip balm natural natural" + ], + "i need a 3.4 fl oz glass bottle of toothgel that is plant based and made of fennel & baking soda.": [ + "3.4 fl oz glass bottle of toothgel made of fennel & baking soda", + "3.4 fl oz glass bottle of toothgel with fennel & baking soda", + "3.4 fl oz glass bottle of toothgel", + "3.4 fl oz glass bottle of toothgel made from fennel & baking soda", + "3.4 fl oz glass bottle of toothgel made of fennel and baking soda", + "3.4 fl oz glass bottle of toothgel plant based with fennel & baking soda", + "3.4 fl oz glass bottle of toothgel plant based and made of fennel", + "3.4 fl oz glass bottle of fennel & baking soda", + "3.4 fl oz glass bottle of toothgel plant based", + "3.4 fl oz glass bottle of toothgel made of fennel & baking soda." + ], + "i am looking for the perfect gift, with quality ingredients like jack daniel's pecan.": [ + "pack of jack daniels pecan", + "pink daniels pecan gift", + "pack of quality ingredients jack daniels pecan", + "hand crafted jack daniels pecan gift", + "hand crafted jack daniels pecan", + "pink daniels pecan", + "jacks daniels pecan", + "pink daniels pecan gift under 50 dollars", + "hand crafted jack daniels pecan gifts", + "pink daniels pecan gift under $50" + ], + "i am looking for active shorts with an elastic waistband that are red and 3x large.": [ + "active shorts red 3x large", + "active shorts with an elastic waistband red 3x large", + " active shorts with an elastic waistband red 3x large", + "Active shorts with an elastic waistband red 3x large", + "Active shorts red 3x large", + " active shorts red 3x large", + "active shorts with elastic waistband red 3x large", + "active shorts with an elastic waistband red", + "living shorts red 3x large", + "active shorts with an elastic waistband" + ], + "i'm looking for some long lasting deodorant.": [ + "long lasting deodorant", + "long lasting deodorant.", + "long lasting deodorant under $40", + "long lasting deodorant under $50", + "long lasting deodorant under $60", + "long lasting deodorant under 30 dollars", + "long lasting deodorant under 50 dollars", + "long lasting deodorant under 60 dollars", + "long lasting deodorant under 40 dollars", + "long lasting deodorant under 120 dollars" + ], + "i am looking for a pound of instant coffee that is gluten free and english toffee.": [ + "pump of instant coffee gluten free and english toffee", + "bag of instant coffee that is gluten free and english toffee", + "pink instant coffee that is gluten free and english toffee", + "bag of instant coffee gluten free and english toffee", + "bagel of instant coffee gluten free and english toffee", + "gluten free and english toffee instant coffee pound", + "alarm coffee gluten free and english toffee", + "gluten free and english toffee instant coffee", + "gluten free and english toffee instant coffee drink mix", + "pump of instant coffee gluten free and english toffee flavor" + ], + "i am looking for a rich creamy instant coffee of hazelnut flavor": [ + "rich creamy instant coffee of hazelnut flavor", + "rich creamy instant coffee with hazelnut flavor", + "rich creamy instant coffee of hazelnut flavor", + "rich creamy instant coffee of a hazelnut flavor", + "rich creamy instant coffee hazelnut flavor", + "rich creamy instant coffee drink mix of hazelnut flavor", + "rich creamy instant coffee mix of hazelnut flavor", + "rich creamy instant coffee with hazelnut flavor", + "rich creamy instant coffee of hazelnut flavor", + "rich creamy instant coffee" + ], + "i am looking for a stainless steel foot scraper.": [ + "stainless steel foot scraper", + "stainless steel foot scraper.", + "stainless steel foot scraper under $40", + "stainless steel foot scraper under $50", + "stainless steel foot scraper under $60", + "stainless steel foot scraper under 50 dollars", + "stainless steel foot scraper under $120", + "stainless steel foot scraper under $130", + "stainless steel foot scraper under 30 dollars", + "stainless steel foot scraper below $50" + ], + "i am looking for square shaped swival bar stools with adjustable heights. a set of 2 in gray is preferred.": [ + "square shaped swival bar stool with adjustable heights", + "square shaped swival bar stools with adjustable heights", + "square shaped swival bar stool with adjustable heights.", + "square shaped swival bar stools with adjustable heights.", + "square shaped swival bar stool", + "square shaped swival bar stool with adjustable heights in gray", + "square shaped swival bar stools", + "square shaped swival bar stool with adjustable height", + "square shaped swival bar stool, adjustable heights", + "square shaped swival bar stool in gray" + ], + "i want to buy a special himalayan salt diet seasoning pack, around 3 ounces and it has to be gluten free.": [ + "special himalayan salt diet seasoning pack, 3 ounces gluten free", + "special himalayan salt diet seasoning pack, 3 ounces", + "special himalayan salt diet seasoning pack, around 3 ounces", + "special healayan salt diet seasoning pack, 3 ounces gluten free", + "special himalayan salt diet seasoning pack that is gluten free", + "special healayan salt diet seasoning pack, 3 ounces", + "special himalayan salt diet seasoning pack, small and gluten free", + "special himalayan salt diet seasoning pack, gluten free", + "special himalayan salt diet seasoning pack", + "special healayan salt diet seasoning pack" + ], + "i want to buy some gluten free gourmet seasonings.": [ + "gluten free gourmet seasonings", + "gluten free gourmet seasonings.", + "gluten free gourmet seasonings under $40", + "gluten free gourmet seasonings under 50 dollars", + "gluten free gourmet seasonings under $60", + "gluten free gourmet seasonings under 30 dollars", + "gluten free gourmet seasonings under 40 dollars", + "gluten free gourmet seasonings under $50", + "gluten free gourmet seasonings under 60 dollars", + "gluten free gourmet seasonings under 120 dollars" + ], + "looking for organic paleo food seasoning which is gluten free of 1 pound pack": [ + "organic paleo food seasoning 1 pound pack", + "organic paleo food seasoning that is gluten free 1 pound pack", + "organic paleo food seasoning which is gluten free 1 pound pack", + "organic paleo food seasoning, gluten free, 1 pound pack", + "organic paleo food seasoning gluten free 1 pound pack", + "organic paleo food seasoning, gluten free 1 pound pack", + "organic paleo food seasoning", + "organic paleo food seasoning, gluten free of 1 pound pack", + "organic paleo food seasoning 2 pound pack", + "organic paleo food seasoning gluten free of 1 pound pack" + ], + "i would like a 1.5 pound box of 3 oz bottles of organic seasonings that are low sodium.": [ + "3 oz bottles of organic seasonings", + "pack of 3 oz bottles of organic seasonings", + "3 oz bottles of organic seasonings that are low sodium", + "pack of 3 oz bottles of organic seasonings low sodium", + "low sodium organic seasonings 1.5 pound box", + "low sodium organic seasonings 1.5 oz", + "3 oz bottle of organic seasonings", + "3 oz bottles of organic seasonings low sodium", + "natural seasonings 1.5 oz", + "natural seasonings 1.5 pound box" + ], + "i need everyday seasoning which should be gluten free and have low sodium. i will prefer a pack of 1 with 20 ounce or a pack of 3 with 3 ounce each.": [ + "almond seasoning pack of 1 with 20 ounce", + "bag of 3 with low sodium", + "a seasoning pack of 1 with 20 ounce", + "bag of 1 with 20 ounce seasoning", + "almond seasoning pack of 3 with 20 ounce", + "almond seasoning pack of 3 with low sodium", + "pack of 3 with low sodium", + "a pack of 1 with 20 ounce seasoning", + "bag of 1 with 20 ounce", + "a pack of 1 with 20 ounce" + ], + "i need some special diet seasonings that are low sodium and 4 ounces.": [ + "special diet seasonings low sodium 4 ounces", + "special diet seasonings low sodium and 4 ounces", + "special diet seasonings that are low sodium 4 ounces", + "special diet seasonings, low sodium and 4 ounces", + "special diet seasonings with low sodium and 4 ounces", + "special diet seasonings with low sodium 4 ounces", + "special diet seasonings 4 ounces", + "special diet seasonings for low sodium and 4 ounces", + "special diet seasonings for low sodium 4 ounces", + "special diet seasonings, low sodium 4 ounces" + ], + "i want to find some all-purpose everyday seasoning that is low sodium. i want both a 1.5 pound package and a 2 ounce package.": [ + "low sodium all-purpose everyday seasoning that is low sodium", + "low sodium all-purpose everyday seasoning", + "1.5 pound package and 2 ounce package", + "natural seasoning 1.5 pound package and 2 ounce package", + "a seasoning that is low sodium and is 2 ounce package", + "low sodium all-purpose everyday seasoning 2 ounce package", + "low sodium, all-purpose everyday seasoning", + "a seasoning that is low sodium", + "almond seasoning 1.5 pound package", + "low sodium all-purpose everyday seasoning under $40" + ], + "i'm looking for some slim fit gym workout clothing. i wear a size small.": [ + "slim fit gym workout clothing", + "slim fit gym workout clothing size small", + "slim fit gym workout clothing small", + "slim fit gym workout clothing.", + "slim fit gym workout clothing in small", + "slim fit gym workout clothing, small", + " slim fit gym workout clothing", + "small slim fit gym workout clothing", + "small workout clothing slim fit", + "small gym workout clothing" + ], + "do you think you can find me an ac adapter with output protection?": [ + "ac adapter with output protection", + " ac adapter with output protection", + "ac adapter no output protection", + "ac adapter that is output protection", + "ac adapter with output protection under $40", + "alarm ac adapter with output protection", + "ac adapter with output protection under $60", + "ac adapter with output protection under $50", + "ac adapter", + "ac adapter no output" + ], + "i am looking for a gray non-slip case for a moto g power 2021 that has a screen protector.": [ + "gray non-slip case for a moto g power 2021", + "gray non-slip case moto g power 2021", + "gray non-slip case with screen protector", + "gray non-slip case", + "gray non-slip case for moto g power 2021", + "gray non-slip case that has a screen protector", + "womens gray non-slip case with screen protector", + "gray non-slip case with a screen protector", + "gray non-slip case under $40", + "gray moto g power case with screen protector" + ], + "i'm looking for moto g phone with dual camera.": [ + "moto g phone with dual camera", + "mensoto g phone with dual camera", + "mens moto g phone with dual camera", + "mens g phone with dual camera", + "moto g phone dual camera", + "mensoto g phone dual camera", + "mens moto g phone dual camera", + "i moto g phone with dual camera", + "moto g phone with dual camera.", + "mensoto g phone with dual camera." + ], + "i am looking for a 24 pack of pink glitter cupcake toppers for a kids birthday party.": [ + "pink glitter cupcake toppers for a kids birthday party", + "24 pack pink glitter cupcake toppers for a kids birthday party", + "24 pack of pink glitter cupcake toppers", + "pink glitter cupcake toppers for a kids birthday party.", + "24 pack of pink glitter cupcake toppers for kids birthday party", + "pink glitter cupcake toppers for kids birthday party", + "pink glitter cupcake toppers for a kids baby shower", + "23 pink glitter cupcake toppers for a kids birthday party", + "green glitter cupcake toppers for a kids birthday party", + "pink glitter cupcake toppers" + ], + "i need cupcake picks for birthday party decoration.": [ + "cupcake picks for birthday party decoration", + "cupcake picks for birthday party decoration.", + "cupcake picks for baby shower", + "cupcake picks for a baby shower", + "cupcake pick for birthday party decoration", + "cupcake picks for baby shower decoration", + "cupcake pick for birthday party decoration.", + "cupcake pick for baby shower", + "cupcake pick for a baby shower", + "cupcake picks for baby shower decoration." + ], + "i need a quick drying clog shoes that is light weight and pink in color.": [ + "quick drying clog shoes light weight and pink", + "quick drying clog shoes light weight pink", + "quick drying clog shoes in pink", + "quick drying clog shoes", + "quick drying clog shoes pink", + " quick drying clog shoes light weight and pink", + "quick drying clog shoes with pink", + "quick drying clog shoes with pink color", + "quick drying clog shoes, light weight pink", + "pink clog shoes" + ], + "i\u2019m looking for a toothbrush that is easy to use for travel and will give me fresh breath. the sky blue one would be good.": [ + "pocketbrush that is easy to use for travel", + "easy to use sky blue toothbrush", + "pocketbrush for travel", + "easy-to-use sky blue toothbrush", + "pocketbrush easy to use for travel", + "sky blue toothbrush", + "pocketbrush, easy to use for travel", + "easy to use toothbrush", + "easy-to-use toothbrush", + "easy-to-use toothbrush sky blue" + ], + "i am looking for a white bookcase that is easy to assemble.": [ + "white bookcase", + "white bookcase easy to assemble", + "white bookcase easy assemble", + "white bookcase, easy assemble", + "white bookcase with easy assemble", + "easy assemble white bookcase", + "white bookcase under $50", + "white bookcase under $40", + "white bookcase under $60", + "white bookcase easy assembled" + ], + "i would like a grey 35\"x20\"x29\" home desk that's easy to clean.": [ + "grey 35x20x29 home desk", + "grey 35x20x29 home desk easy to clean", + "grey 35x20x29 home desk, easy to clean", + "grey 35x20x29 home desk clean", + "grey 35x20x29 home desk thats easy to clean", + "grey 35x20x29 home desk whose easy to clean", + "grey 35x20x29 home desk easy to clean.", + "grey 35x20x29 home desk that is clean", + "grey 35x20x29 home desk with easy to clean", + "grey 35x20x28 home desk" + ], + "i an looking for designed with a button-tufted back, hand-crafted upholstery details & espresso wooden legs rosevera pottery tufted upholstered fine linen accent armchair set it in living room, bedroom or sitting room in muticolor.": [ + "tunfted upholstered fine linen accent armchair", + "button-tufted back sofa with espresso wooden legs rosevera pottery", + "tunfted upholstered fine linen accent armchair in muticolor", + "button-tufted back armchair in muticolor", + "button-tufted back armchair with espresso wooden legs", + "button-tufted back armchair", + "pink saturna pottery armchair", + "button-tufted back sofa with espresso wooden legs", + "artwork with a button-tufted back", + "pink linen accent armchair" + ], + "i would like to buy a navy star wars top in a small men's size that is also machine washable.": [ + "small mens size that is also machine washable", + "small mens navy star wars top", + "small mens size", + "navy star wars top", + "navy star wars top small mens size", + "navy star wars top in a small mens", + "navy star wars top, small mens size", + "navy star wars top small mens", + "small mens size navy star wars top", + "small mens" + ], + "i am looking for roxy vista flip flops for women, size 11 with a synthetic sole.": [ + "roxy vista flip flops for women size 11 with synthetic sole", + "roxy vista flip flops for women size 11", + "roxy vista flip flops size 11 with a synthetic sole", + "roxy vista flip flops, size 11 with a synthetic sole", + "roxy vista flip flops 11 with a synthetic sole", + "roxy vista flip flops for women", + "roxy vista flip flops", + "roxy vista flip flops for women size 11 synthetic sole", + "rfista flip flops for women size 11 with a synthetic sole", + "roxy vista flip flops for women, size 11" + ], + "i\u2019m looking for a bunny rabbit cupcake topper for theme kids birthday party supplies": [ + "bunny rabbit cupcake topper for theme kids birthday party", + "bunny rabbit cupcake topper", + "bunny rabbit cupcake topper for baby shower", + "bunny rabbit cupcake topper for kids birthday party supplies", + "pink bunny rabbit cupcake topper for baby shower", + "pink bunny rabbit cupcake topper", + "bunny rabbit cupcake topper for kids birthday party", + "bunny rabbit cupcake topper for theme kids", + "pink bunny rabbit cupcake topper for a baby shower", + "a bunny rabbit cupcake topper" + ], + "i need 2 pcs of non toxic 12ml atomizer perfume spray travel bottle in gold color": [ + "12ml atomizer perfume spray travel bottle in gold color", + "2 pcs of non toxic 12ml atomizer perfume spray travel bottle", + "12ml atomizer perfume spray travel bottle in gold", + "non toxic 12ml atomizer perfume spray travel bottle in gold color", + "2 pcs of non toxic 12ml atomizer perfume spray travel bottle gold", + "12ml atomizer perfume spray travel bottle in gold color 2 pcs", + "2 pcs non toxic 12ml atomizer perfume spray travel bottle in gold", + "12ml atomizer perfume spray travel bottle", + "2 pcs non toxic 12ml atomizer perfume spray travel bottle", + "non toxic 12ml atomizer perfume spray travel bottle in gold" + ], + "find me the fomiyes 4pcs silicone travel bottles that are easy to carry.": [ + "fomiyes 4pcs silicone travel bottles", + "fomiyes 4pcs silicone travel bottles easy to carry", + "fomiyes 4pcs silicone travel bottles under $40", + "easy to carry fomiyes 4pcs silicone travel bottles", + "fomiyes 4pcs silicone travel bottles under $50", + "fomiyes 4pcs silicone travel bottles for travel", + "fluoride travel bottles easy to carry", + "4pcs silicone travel bottles", + "fomiyes silicone travel bottles", + "fluoride travel bottles" + ], + "i am looking for queen size velvet upholstered platform bed with contemporary design. also choose black one.": [ + "queen size velvet upholstered platform bed with contemporary design", + "queen size velvet upholstered platform bed", + "king size velvet upholstered platform bed with contemporary design", + " queen size velvet upholstered platform bed with contemporary design", + "Queen size velvet upholstered platform bed with contemporary design", + "queen size velvet upholstered platform bed, contemporary design", + "king size velvet upholstered platform bed", + "Queen size velvet upholstered platform bed", + " queen size velvet upholstered platform bed", + "queen size velvet bed with contemporary design" + ], + "i'm looking for a gluten-free thick & easy clear thickened apple juice, honey consistency, 4 ounces.": [ + "gluten-free thick & easy clear thickened apple juice, honey consistency 4 ounces", + "gluten free thick & easy clear thickened apple juice, honey consistency, 4 ounces", + "gluten-free thick & easy clear thickened apple juice 4 ounces", + "gluten free thick & easy clear thickened apple juice, honey consistency 4 ounces", + "gluten-free thick & easy clear thickened apple juice with honey consistency 4 ounces", + "gluten free thick & easy clear thickened apple juice 4 ounces", + "gluten-free and easy clear thickened apple juice, honey consistency, 4 ounces", + "gluten-free thick clear thickened apple juice, honey consistency, 4 ounces", + "gluten-free thick & easy clear thickened apple juice", + "gluten free and easy clear thickened apple juice, honey consistency, 4 ounces" + ], + "i need a sulfate and paraben free bottle of shampoo.": [ + "sulfate paraben free bottle of shampoo", + "sulfate and paraben free shampoo bottle", + "sulfate and paraben free shampoo", + "shampoo sulfate and paraben free", + "sulfate and paraben free", + "sulfate and paraben free shampoo bottles", + "sulfate free bottle of shampoo", + "sulfate free shampoo bottle", + "sulfate shampoo", + "sulfate free shampoo" + ], + "i need a long lasting pearl headset.": [ + "long lasting pearl headset", + "long lasting pearl headset.", + "lens headset long lasting", + "a long lasting pearl headset", + "lens headset long lasting pearl", + "long lasting pearl headset,", + "pale headset long lasting", + "large lasting pearl headset", + "a long lasting pearl headset.", + "lens headset" + ], + "i'm searching for a rubber soled men's loafer that has memory foam and is size 13 extra wide. preferred color is birch.": [ + "rubber soled mens loafer 13 extra wide", + "rubber soled mens loafer that has memory foam", + "rubber soled mens loafer that has memory foam 13 extra wide", + "rubber soled mens loafer size 13 extra wide", + "rubber soled mens loafer with memory foam size 13 extra wide", + "stainless mens loafer 13 extra wide", + "rubber soled mens loafer with memory foam", + "rubber soled mens loafer", + "stainless mens loafer that has memory foam", + " rubber soled mens loafer 13 extra wide" + ], + "i want to find an orthodontic model that is portable and easy to carry so i can use it to teach oral hygiene.": [ + "oral hygiene model portable and easy to carry", + "oral hygiene portable and easy to carry", + "oral hygiene tablet portable and easy to carry", + "oral hygiene with portable and easy to carry", + "portable oral hygiene model", + "oral hygiene portable", + "portrait oral hygiene", + "oral hygiene", + "oral hygiene model portable", + "portable oral hygiene" + ], + "i want to find a 2-piece pool alarm that's remote controlled. it needs to be easy to install and ideally the batteries will be included.": [ + "2-piece pool alarm", + "2-piece pool alarm with batteries", + "2-piece pool alarm, remote controlled", + "2-piece pool alarm remote controlled", + "2-piece pool alarm thats remote controlled", + "2-piece pool alarm that remote controlled", + "2-piece pool alarm easy to install", + "2-piece pool alarm under $50", + "1-piece pool alarm", + "pink pool alarm" + ], + "i need some keto friendly, non-gmo potato chips in the sour cream & onion flavor.": [ + "keto friendly potato chips with sour cream & onion flavor", + "keto friendly potato chips sour cream & onion flavor", + "keto friendly, non-gmo potato chips flavor", + "keto friendly, non-gmo potato chips", + "keto friendly potato chips, sour cream & onion flavor", + "keto friendly potato chips in the sour cream & onion flavor", + "keto friendly potato chips with a sour cream & onion flavor", + "keto friendly, non-gmo potato chips under $40", + "keto friendly, non-gmo potato chips under $60", + "keto friendly, non-gmo potato chips under $50" + ], + "i'm looking for a cotton long sleeve sleepwear set having elastic waist, 3x-large sized for men. also choose the color yk9672#": [ + "cotton long sleeve sleepwear set, 3x-large sized for men", + "cotton long sleeve sleepwear set 3x-large sized for men", + "womens long sleeve sleepwear set, 3x-large sized for men", + " cotton long sleeve sleepwear set having elastic waist, 3x-large sized for men", + "cotton long sleeve sleepwear set having elastic waist", + "womens long sleeve sleepwear set having elastic waist", + "cotton long sleeve sleepwear set having elastic waist, 3xl", + "cotton long sleeve sleepwear set", + "womens long sleeve sleepwear set", + "womens long sleeve sleepwear set with elastic waist" + ], + "i want to buy a dual band phone signal booster and want it to be booster 2 | 5.": [ + "dual band phone signal booster", + "dual band phone signal booster 2 | 5", + "dual band phone signal booster 2 | 5.", + "dual band phone signal booster 5.5", + "dual band phone signal booster under $40", + "dual band phone signal booster under $50", + "dual band phone signal booster under $60", + "dual band phone signal booster 1 | 5", + "dual band phone signal booster 5.5.", + "dual band phone signal booster 5" + ], + "i need some black and white fashion sneakers in size 11 with a rubber sole.": [ + "black and white fashion sneakers size 11 with a rubber sole", + "black and white fashion sneakers in a rubber sole", + "black and white fashion sneakers in size 11", + "black and white fashion sneakers in a rubber sole size 11", + "black and white fashion sneakers in size 11 rubber sole", + "black and white fashion sneakers size 11 rubber sole", + "black and white fashion sneakers, size 11, rubber sole", + "black and white fashion sneakers in size 11, rubber sole", + "black and white fashion sneakers size 11", + "black and white fashion sneakers" + ], + "i am looking to buy a bathroom vanity light that has three lights. brushed nickel, please.": [ + "bathroom vanity light that has three lights brushed nickel", + "bathroom vanity light with three lights brushed nickel", + "bathroom vanity light brushed nickel", + "bathroom vanity light, brushed nickel", + "bathroom vanity light with three lights", + "bathroom vanity light with brushed nickel", + "bathroom vanity light that has three lights", + "bathroom vanity light, brushed nickel, please.", + "bathroom vanity light with three lights. brushed nickel", + "bathroom vanity light with three lights, brushed nickel" + ], + "i'm looking for hair treatments that are sulfate and paraben free and are of high quality too. i need it in bottle for with 60 capsules.": [ + "sulfate and paraben free hair treatments", + "sulfate paraben free hair treatments", + "sulfate and paraben free hair treatments under 60 dollars", + "sulfate and paraben free hair treatments with 60 capsules", + "hair treatments that are sulfate and paraben free", + "sulfate and paraben free hair treatments under 60 capsules", + "sulfate and paraben free hair treatment", + "sulfate paraben free hair treatments that are high quality", + "hair treatments sulfate and paraben free", + "sulfate paraben free hair treatments under 60 dollars" + ], + "i'm looking for a large pink travel makeup bag that's not only high-quality but also easy to carry and clean.": [ + "large pink travel makeup bag", + "large pink travel makeup bag that is clean", + "large pink travel makeup bag that is high-quality", + "large pink travel makeup bag easy to carry and clean", + "pink travel makeup bag that is high-quality", + "large pink travel makeup bag that is easy to carry", + "large pink travel makeup bag that is heavy duty", + "large pink travel makeup bag easy to carry", + "large pink travel makeup bag,", + "pink travel makeup bag" + ], + "i'm looking for an android tv box that comes in ultra hd with dual band wi-fi.": [ + "tv box ultra hd with dual band wi-fi", + "desktop tv box ultra hd with dual band wi-fi", + "4k ultra hd with dual band wi-fi", + "an android tv box with dual band wi-fi", + "alarm radio ultra hd with dual band wi-fi", + "tv box ultra hd with dual band wi-fi.", + "alarm radio ultra hd with dual band", + "alarm radio ultra hd", + "an android tv box that comes in ultra hd", + "tv box ultra hd with dual band wi-fi," + ], + "i want to find a usb headset that's certifiably refurbished and has a plug to play.": [ + "usb headset that is certifiably refurbished", + "usb headset certifiably refurbished", + "usb headset certifiably refurbished with plug", + "usb headset with plug to play", + "usb headset certified refurbished with plug to play", + "usb headset certified refurbished", + "usb headset, certifiably refurbished", + "usb headset certified refurbished with plug", + "usb headset with plug", + "usb headset with a plug" + ], + "i want to find a gift set that includes a variety of four instant coffees from nescafe to sample in it.": [ + "4 instant coffees from nescafe", + "4 instant coffees from nescafe to sample in it", + "four instant coffees from nescafe to sample in it", + "4 instant coffees from nescafe to sample", + "gift set four instant coffees from nescafe", + "four instant coffees from nescafe", + "4 instant coffees", + "bag of four instant coffees from nescafe", + "4 instant coffees from nescafe to sample in it.", + "gift set four instant coffees from nescafe to sample" + ], + "i would like a bundle of crackers, spicy beef and cheese which is shelf stable. it also needs to be keto and gluten free.": [ + "pack of crackers keto and gluten free", + "pack of crackers, spicy beef and cheese", + "pack of crackers, spicy beef and cheese keto", + "pack of crackers keto gluten free", + "pack of crackers keto dairy free", + "pack of crackers with keto and gluten free", + "pack of crackers keto-free", + "pack of crackers keto free", + "pack of crackers keto", + "pack of crackers keto keto" + ], + "im looking for keto friendly, gluten free backpacking snacks including cheese, crackers and summer sausage.": [ + "keto friendly, gluten free backpacking snacks including cheese, crackers and summer sausage", + "keto friendly, gluten free backpacking snacks", + "keto friendly, gluten free backpacking snacks with cheese, crackers and summer sausage", + "keto friendly, gluten free backpacking snacks including cheese crackers and summer sausage", + "keto friendly, gluten free backpacking snacks including cheese cheese crackers and summer sausage", + "keto friendly, gluten free backpacking snacks including cheese, crackers and summer sausage", + "keto friendly and gluten free backpacking snacks including cheese, crackers and summer sausage", + "keto friendly, gluten free backpacking snacks including cheese, crackers, summer sausage", + "keto friendly gluten free backpacking snacks including cheese, crackers and summer sausage", + "keto friendly, gluten free backpacking snacks under $40" + ], + "i want to find fragrance-free pure moroccan argan oil for my hair and face.": [ + "scent-free pure moroccan argan oil", + "scent-free pure moroccan argan oil for my hair face", + "pure moroccan argan oil for my hair and face", + "pure moroccan argan oil", + "pure moroccan argan oil for my hair face", + "sneakers-free pure moroccan argan oil", + "synthetic-free moroccan argan oil for my hair face", + "synthetic-free pure moroccan argan oil", + "pure moroccan argan oil for my hair and face.", + "synthetic-free moroccan argan oil" + ], + "i'm looking for grass-fed gluten free beef jerky meat stick flavored wild ginger. i need 16 sticks (size)": [ + " grass-fed gluten free beef jerky meat stick flavored wild ginger", + "grass-fed gluten free beef jerky meat stick flavored wild ginger", + "gluten free beef jerky meat stick flavored wild ginger 16 sticks", + " grass-fed gluten free beef jerky meat stick flavored wild ginger 16 sticks", + "gluten free beef jerky meat stick flavored wild ginger", + "strawberry jerky meat stick flavored wild ginger 16 sticks (size)", + "strawberry jerky meat stick flavored wild ginger 16 sticks", + "vegan gluten free beef jerky meat stick flavored wild ginger", + "strawberry jerky meat stick flavored wild ginger", + "shoes flavored wild ginger 16 sticks" + ], + "i'm looking for teeth cleansing toothpaste for teeth whitening.": [ + "teeth cleansing toothpaste teeth whitening", + "teeth cleansing toothpaste", + "toothpaste teeth whitening", + "toothpaste teeth whitening teeth", + " teeth cleansing toothpaste for teeth whitening", + " teeth cleansing toothpaste teeth whitening", + "toothpaste teeth cleansing teeth whitening", + "ethically cleansing toothpaste teeth whitening", + "toothpaste for teeth whitening", + " teeth cleansing toothpaste" + ], + "i am looking for a canvas for living room with size of 12x18 inch. also ready to hang": [ + "12x18 canvas for living room", + "portrait for living room 12x18 inch", + "pale canvas for living room 12x18 inch", + "10x18 canvas for living room", + "a canvas for living room 12x18 inch", + "12x18 canvas for living room under $50", + "12x18 inch canvas for living room", + "12x18 canvas", + "8x18 canvas for living room", + "12x18 canvas for living room under $60" + ], + "i am looking for a six piece peppermint bark holiday cookie that is gluten, vegan and dairy free.": [ + "6 piece peppermint bark holiday cookie that is gluten free", + "6 piece peppermint bark holiday cookie", + "6 piece peppermint bark holiday cookie gluten free", + "6 piece pomegranate bark holiday cookie that is gluten free", + "6 chocolate pomegranate bark holiday cookie that is gluten free", + "pack of peppermint bark holiday cookie that is gluten free", + "6 chocolate peppermint bark holiday cookie that is gluten free", + "6 piece Peppermint bark holiday cookie that is gluten free", + "6 piece peppermint bark holiday cookie that is gluten free and vegan", + "6 piece peppermint bark holiday cookie that is gluten-free" + ], + "i would like a casual tie dye crewneck sweatshirt. it needs to be long sleeve and have a side splits.": [ + "casual tie dye crewneck sweatshirt long sleeve with side splits", + "casual tie dye crewneck sweatshirt with side splits", + "casual tie dye crewneck sweatshirt long sleeves with side splits", + "casual tie dye crewneck sweatshirt long sleeve", + "casual tie dye crewneck sweatshirt", + "casual tie dye crewneck sweatshirt long sleeve with a side splits", + "casual tie dye crewneck sweatshirt long sleeve and with side splits", + "casual tie dye crewneck sweatshirt with a side splits", + "casual tie dye crewneck sweatshirt long sleeve with side splits.", + "casual tie dye crewneck sweatshirt, long sleeve, side splits" + ], + "i want to find an ivory area rug for my dining room. it should have a square shape and be 6 feet by 7 inches.": [ + "yellow square rug dining room 6 feet by 7 inches", + "square rug for dining room 6 feet by 7 inches", + "square rug dining room 6 feet by 7 inches", + "yellow area rug dining room 6 feet by 7 inches", + "5 ft x 7 ft ivory area rug dining room", + "5 ft x 7 ft ivory rug dining room", + "5 ft x 7 ft yellow square rug dining room", + "5 ft x 7 ft ivory area rug", + "yellow square rug dining room", + "5 ft x 7 ft yellow square rug" + ], + "i need an area rug for the living room that is navy": [ + "area rug for living room that is navy", + "square rug for living room that is navy", + "navy area rug for living room", + "synthetic rug for living room navy", + "navy rug for living room", + "synthetic rug for living room", + "area rug for living room navy", + "area rug for the living room navy", + "area rug living room navy", + "synthetic rug for the living room" + ], + "i need a leak proof purple bag for travel bottles.": [ + "leak proof purple bag for travel bottles", + "leek proof purple bag for travel bottles", + "leep proof purple bag for travel bottles", + "leak proof purple travel bottles", + "leaky proof purple bag for travel bottles", + "leek proof purple travel bottles", + "leep proof purple travel bottles", + "teeth proof purple bag for travel bottles", + "leaky proof purple travel bottles", + "teeth proof purple travel bottles" + ], + "i want a pack of old fashioned pretzel rods, look for chocolate covered too.": [ + "old fashioned pretzel rods chocolate covered", + "pack of old fashioned pretzel rods chocolate covered", + "pack of old fashioned pretzel rods, chocolate covered", + "old fashioned pretzel rods, chocolate covered", + "a pack of old fashioned pretzel rods chocolate covered", + "old fashioned pretzel rods chocolate covered under $40", + "bag of old fashioned pretzel rods chocolate covered", + "old fashioned pretzel rods chocolate covered under $50", + "old fashioned pretzel rods chocolate covered under 30 dollars", + "old fashioned pretzel rods chocolate covered under $60" + ], + "i'm looking for cinnamon almond cereal that has cookie flavor and high protein serving. also, i want a pack of 12 at 1.2 ounce each.": [ + "chocolate almond cereal pack of 12 at 1.2 ounce", + "pink almond cereal pack of 12 at 1.2 ounce", + "pink almond cereal pack of 12 at 1.2 ounce each", + "chocolate almond cereal pack of 12 at 1.2 ounce each", + " cinnamon almond cereal pack of 12 at 1.2 ounce", + " cinnamon almond cereal pack of 12 at 1.2 ounce each", + "chocolate almond cereal that has cookie flavor and high protein serving", + "cinnamon almond cereal pack of 12 at 1.2 ounce each", + "cinnamon almond cereal pack of 12 at 1.2 ounce", + "chocolate almond cereal pack of 12 pack of 1.2 ounce" + ], + "i'm looking for gluten free it contains many proteins.": [ + "gluten free dairy free drink mix", + "gluten free dairy free", + "gluten free", + "gluten free gluten free drink mix", + "gluten free gluten free", + "gluten free protein drink mix", + "gluten free gluten free dairy products", + "gluten free dairy free products", + "gluten free food drink mix", + "gluten free dairy free dairy products" + ], + "i would like a high protein cereal that is honey almond.": [ + "low protein cereal honey almond", + "high protein cereal honey almond", + "low protein cereal that is honey almond", + "high protein cereal that is honey almond", + "honey almond high protein cereal", + " honey almond high protein cereal", + "low protein cereal honey almond flavor", + "low protein cereal with honey almond flavor", + "low protein cereal with honey almond", + "mush protein cereal honey almond" + ], + "i'd love some help finding some organic beard growth oil that can treat hair loss.": [ + "organic beard growth oil", + "organic beard growth oil for hair loss", + "organic beard growth oil under $40", + "organic beard growth oil under $50", + "organic beard growth oil under $60", + "organic beard growth oil with hair loss", + "organic beard growth oil, under $40", + "organic beard growth oil, under $50", + "organic beard growth oil, under $60", + "organic beard growth oil," + ], + "can you pick a tapered leg jean for men that is comfortable to wear? i'm looking for harbor blue color and size 32w x 29l.": [ + "tapered leg jean for men size 32w x 29l", + "taped leg jean for men size 32w x 29l", + "tapered leg jean for men 32w x 29l", + "taped leg jean for men 32w x 29l", + "tapered leg jean 32w x 29l", + "tapered leg jean size 32w x 29l", + "taped leg jean 32w x 29l", + "taped leg jean for men size 32w x 29l.", + "tapered leg jean for men 32w x 29l.", + "tapered leg jean for men" + ], + "i need some face powder in a banana color that is long lasting and free of animal cruelty.": [ + "banana face powder long lasting and free of animal cruelty", + "banana color long lasting and free of animal cruelty", + "face powder banana color long lasting and free of animal cruelty", + "a banana color long lasting and free of animal cruelty", + "banana powder long lasting and free of animal cruelty", + "toothpaste banana color long lasting", + "banana color long lasting and free of animal cruelty.", + "face powder banana color long lasting", + "banana color long lasting", + "banana face powder" + ], + "i'm looing for a cruelty free certified loose baking face powder that is paraben free and long lasting. also, choose a pack of 1 weights 32g and banana light colored one.": [ + "cruelty free certified loose baking face powder", + "cruelty free banana face powder", + "cruelty free banana light colored", + "cruelty free and banana light colored", + "animal cruelty free certified loose baking face powder", + "cruelty free fresh baked face powder", + "cruelty free bananas light colored", + "cruelty free banana light colored pack", + "cruelty free baked face powder", + "cruelty free" + ], + "i am looking for a white oak dining room chandelier with 4 foyer pendant light": [ + "white oak dining room chandelier with 4 foyer pendant light", + "white oak dining room chandelier 4 foyer pendant light", + "white oak dining room chandelier, 4 foyer pendant light", + "living room chandelier with 4 foyer pendant light", + " white oak dining room chandelier with 4 foyer pendant light", + "white oak dining room chandelier with 4 foyer pendant lights", + "white oak dining room chandelier", + "white dining room chandelier with 4 foyer pendant light", + "living room chandelier 4 foyer pendant light", + "whitelier with 4 foyer pendant light" + ], + "i want some golden brown hair dye.": [ + "golden brown hair dye", + "gluten brown hair dye", + "gluten-free hair dye", + "golden brown hair dye.", + " golden brown hair dye", + "gluten free hair dye", + "yellow hair dye", + "hair dye golden brown", + "gluten brown hair dye.", + "yellow human hair dye" + ], + "i am looking for a black shower cap for natural hair.": [ + "black shower cap for natural hair", + "black shower cap for natural hair.", + "shower cap for natural hair", + "bathroom cap for natural hair", + "black shower cap natural hair", + "a black shower cap for natural hair", + "shower cap for natural hair black", + "bathroom cap for natural hair.", + "shower cap for natural hair.", + "bathroom cap for natural hair black" + ], + "i'm looking for a large sea team round cotton rope storage basket with lid and decorative woven storage bin, pot, caddy, organizer, container for snacks, towels and plants 10 x 7.5 inches. also, choose the white one.": [ + "large sea team round cotton rope storage basket with lid and decorative woven storage bin", + "large sea team round cotton rope storage basket", + "large sea team round cotton rope storage basket with lid", + "sea team round cotton rope storage basket with lid and decorative woven storage bin", + "large sea team round cotton rope storage basket with lid and organizer", + "large sea team round cotton rope storage basket under $40", + "large sea team round cotton rope storage basket with lid that is decorative", + "sea team round cotton rope storage basket", + "sea team round cotton rope storage basket with lid", + "large sea team waterproof storage basket" + ], + "i want to find a set of leak-proof, bpa-free travel bottles for my toiletries. ideally the set will have four 3-ounce bottles and the color should be #02.": [ + "set of leak-proof, bpa-free travel bottles", + "set of leak-proof bpa-free travel bottles", + "set of leak-proof bpa-free travel bottles for my toiletries", + "teeth-proof, bpa-free travel bottles", + "teeth-proof, bpa-free travel bottles for my toiletries", + "teeth-proof bpa-free travel bottles", + "teeth-proof, bpa-free travel bottles for toiletries", + "teeth-proof, bpa-free travel bottles for bathroom", + "set of leak-proof, bpa-free travel bottles for bathroom", + "teeth-proof bpa-free travel bottles for toiletries" + ], + "i need a 8.5 fl oz cool girl aromatherapy candle for my living room. i want the nectarine + coral scent.": [ + "8.5 fl oz cool girl aromatherapy candle", + "8.5 fl oz cool girl aromatherapy candle for my living room", + "8.5 fl oz cool girl aromatherapy candle for my living room.", + "8.5 fl oz cool girl aromatherapy candle for living room", + "8.5 fl oz cool girl aromatherapy candle for the living room", + "8.5 fl oz cool girl aromatherapy candle for living room.", + "8.5 fl oz cool girl aromatherapy candle in my living room", + "8.5 fl oz cool girl aromatherapy candle for the living room.", + "8.5 fl oz nectarine + coral scent", + "8.5 fl oz girl aromatherapy candle" + ], + "i want blue chamomile scented deep hair conditioner that has tea tree oil, is sulfate free and weighs six ounces.": [ + "blue chamomile scented deep hair conditioner that has tea tree oil", + "blue chamomile scented deep hair conditioner that has tea tree oil six ounces", + "blue chamomile scented deep hair conditioner", + "blue chamomile scented deep hair conditioner, sulfate free and weighs six ounces", + "blue chamomile scented deep hair conditioner that has tea tree oil in six ounces", + "blue chamomile scented deep hair conditioner with tea tree oil", + "blue chamomile scented deep hair conditioner with tea tree oil six ounces", + "blue chamomile scented deep hair conditioner under $50", + "blue chamomile scented deep hair conditioner under $60", + "blue chamomile scented deep hair conditioner six ounces" + ], + "i am looking for braven brv-xxl a large portable wireless bluetooth speaker, that is for the outdoors and waterproof, with a built-in 15,000mah power bank usb charger. also, i need it in black/titanium.": [ + "brushed brv-xxl a large portable wireless bluetooth speaker, waterproof, with a built-in 15,000mah power bank usb charger", + "bravven brv-xxl a large portable wireless bluetooth speaker, waterproof, with a built-in 15,000mah power bank usb charger", + "branven brv-xxl a large portable wireless bluetooth speaker, waterproof, with a built-in 15,000mah power bank usb charger", + "bravven brv-xxl a large portable wireless bluetooth speaker, waterproof, with a built-in 15,000mah power bank usb charger.", + "brushed brv-xxl a large portable wireless bluetooth speaker, waterproof", + "bravven brv-xxl a large portable wireless bluetooth speaker, waterproof", + "brushed brv-xxl a large portable wireless bluetooth speaker", + "brushed brv-xxl waterproof", + "bravven brv-xxl waterproof", + "a braven brv-xxl waterproof speaker" + ], + "i want to find a 7.6 ounce package of hair removal wax that's easy to use. the color should be \"all purpose honey.\"": [ + "7.6 ounce package of hair removal wax", + "6 ounce package of hair removal wax", + "hair removal wax that is all purpose honey", + "8.6 ounce package of hair removal wax", + "honey removal wax 7.6 ounce", + "honey removal wax 7.6 oz", + "hair removal wax 7.6 ounce", + "hair removal wax all purpose honey", + "hair removal wax that is easy to use", + "easy to use honey 7.6 ounce package" + ], + "i want to find a 7.6 ounce package of hair removal wax that's easy to use. the wax should be brazilian style and the primary ingredients should be beeswax and soybean oil.": [ + "hair removal wax brazilian style", + "7.6 ounce package of hair removal wax", + "6 ounce package of hair removal wax", + "6 ounce package of hair removal wax brazilian style", + "brazilian style hair removal wax", + "hair removal wax that is brazilian style", + "8.6 ounce package of hair removal wax", + "6 ounce package of hair removal wax that is easy to use", + "honey removal wax brazilian style", + "6 ounce package of hair removal wax, brazilian style" + ], + "i want to buy a 32-count pack of hand-crafted, chocolate dessert cups. they need to be gluten free!": [ + "32-count pack of hand-crafted chocolate dessert cups", + "bag of hand-crafted, chocolate dessert cups", + "32 count pack of hand-crafted, chocolate dessert cups", + "hand-crafted, chocolate dessert cups", + "28-count pack of hand-crafted chocolate dessert cups", + "hand-crafted, chocolate dessert cups that are gluten free", + "bag of hand-crafted chocolate dessert cups", + "hand-crafted chocolate dessert cups", + "chocolate dessert cups 32 count gluten free", + "hand-crafted, chocolate dessert cups 32 count" + ], + "i need a gold colored birthday cake ornament.": [ + "gold colored birthday cake ornament", + "gold birthday cake ornament", + "gold colored birthday cake ornament.", + "garden colored birthday cake ornament", + "birthday cake ornament gold colored", + "pink colored birthday cake ornament", + "gold baby shower cake ornament", + "pink birthday cake ornament", + "birthday cake ornament gold", + "gold colored birthday cake" + ], + "get me a gold birthday cake topper.": [ + "gold birthday cake topper", + "gold birthday cake topper.", + "birthday cake topper gold", + "pink birthday cake topper", + "plastic gold birthday cake topper", + "pink birthday cake topper.", + "baby shower gold birthday cake topper", + "gold birthday cake toppers", + "birthday cake topper", + "gold birthday cake topper," + ], + "i need a birthday cake topper that is gold": [ + "birthday cake topper gold", + "baby shower cake topper gold", + "birthday cake toppers gold", + "gold birthday cake topper", + "gift cake topper gold", + "baby shower topper gold", + "gold birthday cake topper gold", + "birthday cake topper", + "bday cake topper gold", + "baby shower gold" + ], + "i'm looking for fully cooked dry rubbed st. louis style ribs.": [ + "full cooked dry rubbed st. louis style ribs", + "non cooked dry rubbed st. louis style ribs", + " fully cooked dry rubbed st. louis style ribs", + "full cooked dry rubbed st. louis style barbecue", + "st. louis style ribs", + "st. louis style ribs, fully cooked", + "st. louis style ribs.", + "st. louis style ribs under $40", + "womens barbecue ribs fully cooked", + "womens style ribs" + ], + "i need a vanity light with a classic bronze finish.": [ + "vanity light with a classic bronze finish", + "k vanity light with a classic bronze finish", + "king vanity light with a classic bronze finish", + "vanity light, classic bronze finish", + "vinyl light with a classic bronze finish", + "t vanity light with a classic bronze finish", + "vanity light with classic bronze finish", + "vanity light classic bronze", + "vanity light classic bronze finish", + "vanity light" + ], + "i want to find a small pair of men's pajama pants that's officially licensed with the joker.": [ + "mens pajama pants that are officially licensed with the joker", + "mens pajama pants, officially licensed with the joker", + "mens pajama pants officially licensed with the joker", + "small mens pajama pants officially licensed with the joker", + "mens pajama pants, officially licensed with the joker.", + "mens pajama pants, officially licensed with the joker", + "mens pajama pants, officially licensed with the joker,", + "mens pajama pants with joker", + "small mens pajama pants with the joker", + "mens pajama pants" + ], + "i wanna find a wireless soundbar with stereo sound for my tv, color black and with support for u disk tf and sd card.": [ + "wireless soundbar with stereo sound for my tv, color black", + " wireless soundbar with stereo sound for my tv, color black", + "wireless soundbar with stereo sound for tv color black", + "wirefree soundbar with stereo sound for my tv, color black", + "alarm soundbar with stereo sound for my tv, color black", + "wireless soundbar with stereo sound for tv, color black", + "wireless soundbar with stereo sound for my tv color black", + "womens wireless soundbar with stereo sound", + "womens tv wireless soundbar with stereo sound", + "wireless soundbar with stereo sound" + ], + "i need some non-gmo chocolate pretzels.": [ + "non-gmo chocolate pretzels", + "non-gmo chocolate pretzels under $40", + "non-gmo chocolate pretzels.", + "non-gmo chocolate pretzels under $50", + "non-gmo chocolate pretzels under $60", + "non-gmo chocolate pretzels under 50 dollars", + "non-gmo chocolate pretzels under 30 dollars", + "non-gmo chocolate pretzels under 60 dollars", + "non-gmo chocolate pretzels under 40 dollars", + "non-gmo chocolate pretzels under 120 dollars" + ], + "i would like a large, low carb drink alternative that is a red flavor such as cherry or strawberry.": [ + "large, low carb drink alternative that is a red flavor", + "large low carb drink alternative that is a red flavor", + "large red low carb drink alternative that is a red flavor", + "large, low carb drink alternative cherry or strawberry flavor", + "large, low carb drink alternative with cherry or strawberry flavor", + "large, low carb drink alternative cherry or strawberry", + "large, low carb drink alternative", + "large low carb drink alternative cherry or strawberry", + "large red low carb drink alternative", + "large, low carb drink" + ], + "i want a keds champion women's for day comfort, choose a white with a especial size 9": [ + "keds champion womens white", + "keds champion womens for day comfort size 9", + "keds champion womens for day comfort in white", + "keds champion womens for day comfort", + "keds champion womens in day comfort white", + "keds champion womens size 9", + "keds champion womens for day comfort 9 white", + "keds champion womens", + "womens white", + "kingwoman white" + ], + "i want to find a 15.99 fluid ounce can of an energy drink without any sugar, artificial colors or flavors. my flavor of preference is called shoc wave.": [ + "15.99 fluid ounce can of an energy drink without any sugar, artificial colors or flavors", + "15.99 fluid ounce can of an energy drink with no sugar, artificial colors or flavors", + "15.99 fluid ounce can of an energy drink no sugar, artificial colors or flavors", + "15.99 fluid ounce can of an energy drink", + "15.99 fluid ounce can of an energy drink without sugar, artificial colors or flavors", + "15.99 fluid ounce can of an energy drink with any sugar, artificial colors or flavors", + "15.99 fluid ounce can of an energy drink without artificial colors or flavors", + "15.99 fluid ounce can of an energy drink with no sugar and artificial colors", + "15.99 fluid ounce can of an energy drink with artificial colors", + "15.99 fluid ounce can of an energy drink with artificial colors and flavors" + ], + "i want to find a 2-ounce bottle of sulfate-free conditioner that's compatible with damaged hair.": [ + "sulfate-free conditioner for damaged hair", + "sulfate-free conditioner for damaged hair 2 oz", + "2-ounce bottle of sulfate-free conditioner", + "sulfate-free conditioner for damaged hair 2ounce", + "sulfate-free conditioner for damaged air", + "sulfate-free conditioner with damaged hair", + "sulfate-free conditioner thats compatible with damaged hair", + "sulfate-free conditioner", + "sulfate-free conditioner, compatible with damaged hair", + "sulfate free conditioner" + ], + "i need a manual toothbrush which has teeth whitening strips and is good for sensitive teeth.": [ + "manual toothbrush with teeth whitening strips", + "manual toothbrush that has teeth whitening strips", + "manual toothbrush for sensitive teeth", + "manual toothbrush which has teeth whitening strips", + "manual toothbrush teeth whitening strips", + "manual toothbrush, teeth whitening strips", + "manual toothbrush, teeth whitening strips,", + "manual toothbrush that is good for sensitive teeth", + "manual toothbrush", + "manual toothbrush teeth whitening strips" + ], + "i want to find an f-colored toothbrush that can help whiten my teeth.": [ + "f-colored toothbrush", + "f-colored toothbrush whiten teeth", + "f-colored toothbrush for teeth whitening", + "f-colored toothbrush whitened teeth", + "f-colored toothbrush whitening teeth", + "f-colored toothbrush with teeth whitening", + "f-colored toothbrush to whiten teeth", + "f-colored toothbrush for teeth whiten", + "f-colored toothbrush, whiten teeth", + "f-colored toothbrush whiten my teeth" + ], + "i need cupcake picks for my son's birthday party.": [ + "cupcake picks for a sons birthday party", + "cupcake picks for a baby shower", + "cupcake picks for sons birthday party", + "cupcake picks for a boys birthday party", + "cupcake picks for sons birthday party.", + "cupcake picks for my sons birthday party", + "cupcake pick for a sons birthday party", + "cupcake picks for baby shower", + "cupcake pick for sons birthday party", + "cupcake picks for a kids birthday party" + ], + "i'm looking for l'oreal paris true match super-blendable liquid foundation, oil free in c2 natural ivory. i want a 1 fl oz pack of 1.": [ + "teaal paris true match super-blendable liquid foundation, oil free in c2 natural ivory", + "loreal paris true match super-blendable liquid foundation, oil free in c2 natural ivory", + "l loreal paris true match super-blendable liquid foundation, oil free in c2 natural ivory", + "teal paris true match super-blendable liquid foundation, oil free in c2 natural ivory", + " loreal paris true match super-blendable liquid foundation, oil free in c2 natural ivory", + "a loreal paris true match super-blendable liquid foundation, oil free in c2 natural ivory", + "oral paris true match super-blendable liquid foundation, oil free in c2 natural ivory", + "teaal paris super-blendable liquid foundation, oil free in c2 natural ivory", + "teaal paris true match super-blendable liquid foundation", + "teaal paris true match super-blendable liquid foundation in c2 natural ivory" + ], + "i'm looking for a single bottle of bone colored foundation that's oil free and covers fine lines.": [ + "single bottle of bone colored foundation", + "single bottle of bone colored foundation with fine lines", + "single bottle of bone colored foundation that oil free", + "single bottle of bone colored foundation oil free", + "single bottle of bone colored foundation, oil free", + "single bottle of bone colored foundation thats oil free", + "bone colored foundation oil free", + "single bottle bone colored foundation", + "barren colored foundation", + "bone colored foundation" + ], + "i want to find wheat crackers that have no gmos and no high-fructose corn syrup.": [ + " wheat crackers no gmos and no high-fructose corn syrup", + "a wheat crackers no gmos and no high-fructose corn syrup", + "taco crackers no gmos and no high-fructose corn syrup", + "strawberry crackers no gmos and no high-fructose corn syrup", + "wheat crackers no gmos and no high-fructose corn syrup", + "a wheat crackers that have no gmos and no high-fructose corn syrup", + "trawberry crackers no gmos and no high-fructose corn syrup", + "gluten-free wheat crackers no gmos and no high-fructose corn syrup", + "gluten free wheat crackers no gmos and no high-fructose corn syrup", + "a wheat crackers that have no gmos and no high-fructose corn syrup." + ], + "i'm looking for easy to apply, high quality hair extensions in medium light brown.": [ + "easy to apply high quality hair extensions in medium light brown", + "easy to apply hair extensions in medium light brown", + "easy to apply, high quality hair extensions", + "easy apply, high quality hair extensions in medium light brown", + "easy to apply medium light brown hair extensions", + "easy to apply hair extension in medium light brown", + "easy to apply high quality hair extensions", + "easy to apply, high quality hair extensions under $40", + "easy to apply, high quality hair extensions under $50", + "easy to apply hair extensions" + ], + "i like traditional , old and individually wrapped albert's chocolate ice cubes 60 count tray chocolate": [ + "alberts chocolate ice cubes 60 count tray chocolate", + "traditional , old and individually wrapped alberts chocolate ice cubes 60 count tray chocolate", + "traditional , old and individually wrapped alberts chocolate ice cubes 60 count", + "traditional and individually wrapped alberts chocolate ice cubes 60 count tray chocolate", + "traditional , old and individually wrapped alberts chocolate ice cubes 60 count tray", + "traditional , old and individually wrapped alberts chocolate ice cubes 60 count chocolate", + "alberts chocolate ice cubes 60 count", + "traditional , old and individually wrapped alberts chocolate ice cubes", + "traditional , old chocolate ice cubes 60 count tray chocolate", + "alberts chocolate ice cubes 60 count tray chocolate under $60" + ], + "i need women's loafers with arch support. find something in black.": [ + "womens loafers with arch support", + "womens loafers with arch support black", + "womens loafers with arch supportblack", + "womens loafers", + "womens loafers, arch support", + "womens loafers in black", + "mens loafers with arch support", + "womens loafers arch support", + " womens loafers with arch support", + "mens loafers with arch support" + ], + "i'm looking for some usda organic chocolate bars.": [ + "usda organic chocolate bars", + "usda organic chocolate bar", + "usda organic chocolate bars.", + "pack of usda organic chocolate bars", + "usda organic chocolate bars under $40", + "usda organic chocolate bars under $60", + "usda organic chocolate bars under $50", + "usda organic chocolate bars under 50 dollars", + "usda organic chocolate bar below $40", + "usda organic chocolate bars below $40" + ], + "i want to get a blue 100-foot-long high-speed ethernet cable that's easy to install.": [ + "blue 100-foot-long high-speed ethernet cable", + "blue 100-foot long high-speed ethernet cable", + "blue 100 ft-long high-speed ethernet cable", + "blue 100ft-long high-speed ethernet cable", + "blue high-speed ethernet cable", + "blue 100 foot-long high-speed ethernet cable", + "blue high-speed ethernet cable that is easy to install", + "blue 100foot-long high-speed ethernet cable", + "blue high-speed ethernet cable easy to install", + "blue" + ], + "i need burgundy colored high heels in size us5.5.": [ + "burgundy colored high heels in size us5.5", + "burgundy colored high heels in size us5.5.", + "burgundy colored high heels size us5.5", + "burgundy colored high heels size us5.5.", + "burgundy colored high heels in a size us5.5", + "burgundy colored high heel in size us5.5", + "burgundy colored high heel in size us5.5.", + "burgundy colored high heels in size us5.5,", + " burgundy colored high heels in size us5.5.", + " burgundy colored high heels in size us5.5" + ], + "i'm looking for chairs for the dining room that are button-tufted and easy-to-assemble.": [ + "chairs for dining room button-tufted and easy-to-assemble", + "dining room chairs button-tufted and easy-to-assemble", + "living room chairs button-tufted and easy-to-assemble", + "comfortable dining room chairs button-tufted", + "chairs dining room button-tufted and easy-to-assemble", + "tablet-tufted dining room chairs", + "chairs for dining room that are button-tufted", + "chairs for the dining room that are button-tufted", + "chairs for dining room button-tufted", + "living room chairs button-tufted" + ], + "find me a fragrance free mineral powder foundation set in a medium color and with mascara.": [ + "scent free mineral powder foundation set in a medium color and with mascara", + "silky free mineral powder foundation set in a medium color and with mascara", + "dust free mineral powder foundation set in a medium color and with mascara", + "silent free mineral powder foundation set in a medium color and with mascara", + "scent free mineral powder foundation set in a medium color with mascara", + "silicone free mineral powder foundation set in a medium color and with mascara", + "silky free mineral powder foundation set in a medium color with mascara", + "fog free mineral powder foundation set in a medium color and with mascara", + "dust free mineral powder foundation set in a medium color with mascara", + "synthetic free mineral powder foundation set in a medium color with mascara" + ], + "i'm looking for an easy to clean halloween set for the dining room.": [ + "living room halloween set", + "easy clean halloween set dining room", + "easy to clean halloween set", + "floor clean halloween set dining room", + "living room clean halloween set", + "easy to clean dining room set", + "living room dining room clean", + "living room dining room rug", + "living room dining room", + "bathroom set" + ], + "i am looking for a pair of grey running shorts that are light weight with an elastic waistband and have moisture wicking technology in a size small": [ + "grey running shorts with elastic waistband", + "grey running shorts light weight", + "grey running shorts that are light weight", + "grey running shorts in a size small", + "grey running shorts size small", + "grey running shorts", + "grey running shorts small", + "grey running shorts, light weight", + "grey running shorts with moisture wicking", + "grey running shorts lightweight" + ], + "i want to purchase a manual toothbrush that whitens teeth and prefer ones with stars and either pink, blue, purple or yellow.": [ + "manual toothbrush with stars pink, blue, purple or yellow", + "manual toothbrush that whitens teeth, blue, purple or yellow", + "manual toothbrush that whitens teeth", + "manual toothbrush whitens teeth pink, blue, purple or yellow", + "manual toothbrush, pink, blue, purple or yellow", + "manual toothbrush with stars pink, blue, purple or black", + "manual toothbrush pink, blue, purple or yellow", + "manual toothbrush that whitens teeth with stars", + "manual toothbrush that whitens teeth pink, blue, purple or", + "manual toothbrush with stars" + ], + "i need an antique walnut bed frame in a walnut color": [ + "ashnut bed frame in a walnut color", + "antique walnut bed frame in a walnut color", + "an antique walnut bed frame in a walnut color", + " antique walnut bed frame in a walnut color", + "artwork walnut bed frame in a walnut color", + "almond walnut bed frame in a walnut color", + "a walnut bed frame in a walnut color", + "alarm frame in a walnut color", + "antique walnut bed frame in a walnut", + "almond walnut bed frame in a walnut" + ], + "i want to buy some ash blonde hair color with argan oil in it.": [ + " ash blonde hair color with argan oil", + "ash blonde hair color with argan oil", + " ash blonde hair color, argan oil", + "al ash blonde hair color with argan oil", + " ash blonde hair color", + " ash blonde hair color that is argan oil", + " ash blonde hair color no argan oil", + " ash blonde wig color with argan oil", + "a ash blonde hair color with argan oil", + " ash blonde hair color with argan oil," + ], + "i need to buy some permanent hair dye. it should be deep ash brown and contain argan oil.": [ + "permanent hair dye deep ash brown with argan oil", + "permanent hair dye deep ash brown color with argan oil", + "permanent hair dye deep ash brown and contain argan oil", + "permanent hair dye deep ash brown", + "permanent hair dye deep ash brown, with argan oil", + "deep ash brown hair dye with argan oil", + "artificial hair dye deep ash brown with argan oil", + "permanent hair dye deep ash brown with argan oil.", + "temporary hair dye deep ash brown with argan oil", + "pink hair dye deep ash brown with argan oil" + ], + "show me an one organic hair growth serum roller set for all hair types.": [ + "one organic hair growth serum roller set for all hair types", + "one organic hair growth serum roller set for all hair types.", + "one organic hair growth serum roller set", + "one organic hair growth serum roller set, all hair types", + "one organic hair growth serum roller set, all hair types.", + "one organic hair growth serum roller set for all hair type", + "one organic hair growth serum roller set for all hair types,", + "two organic hair growth serum roller set for all hair types", + "one organic hair growth serum roller set for all hair types ", + "organic hair growth serum roller set for all hair types" + ], + "i want the men's mesh sissy pouch lace see through pajama pants that are low rise and slim fit in x-large. i want the black ones.": [ + "mens mesh sissy pouch lace", + "mens mesh sissy pouch lace see through pajama pants", + "mens mesh sissy pouch lace see through pajama pants in x-large", + "mens mesh sissy pouch lace pajama pants slim fit in x-large", + "mens mesh sissy pouch lace, slim fit in x-large", + "mens mesh sissy pouch lace pajama pants", + "mens mesh sissy pouch lace black pajama pants", + "mens mesh sissy pouch lace slim fit", + "mens mesh sissy pouch lace black", + "mens mesh sissy pouch" + ], + "i need a bpa and gmo free pack of moringia leaf ground.": [ + "bpa and gmo free pack of moringia leaf ground", + "barpa and gmo free pack of moringia leaf ground", + "banana and gmo free pack of moringia leaf ground", + "gmo free pack of moringia leaf ground", + "burgia leaf ground bpa and gmo free pack", + "bpa gmo free pack of moringia leaf ground", + "burgia leaf ground bpa and gmo free", + "bpa and gmo free pack of moringia leaf", + "bpa free pack of moringia leaf ground", + "brushed moringia leaf ground bpa and gmo free" + ], + "i'm looking for a natural whole bay leaf which should be free from bpa, gmo, fat and gluten. also choose a pack of 1 weighing 3.53 ounce with organic senna flavored one.": [ + "natural whole bay leaf pack of 1", + "natural whole bay leaf with organic senna flavored pack", + "natural whole bay leaf with organic senna flavored pack of 1", + "natural whole bay leaf pack of 1 with organic senna flavored", + "natural whole bay leaf pack of 1 with organic senna flavored one", + "natural whole bay leaf natural senna flavored pack of 1", + "natural whole bay leaf pack of 1 containing organic senna flavored", + "natural whole bay leaf", + "natural whole bay leaf pack of 1 containing organic senna flavored one", + "natural whole bay leaf natural no bpa, gmo and gluten" + ], + "i'm looking for some cupcake picks that are suitable for a baby shower.": [ + "cupcake picks suitable for a baby shower", + "cupcake picks for a baby shower", + "cupcake picks for baby shower", + "cupcake pick suitable for a baby shower", + "cupcake picks suitable for baby shower", + "cupcake pick for a baby shower", + "cupcake pick for baby shower", + "cupcake picks suitable for baby shower.", + "cupcake pick suitable for baby shower", + "cupcake picks for a baby shower." + ], + "i want to find an adult tank top that's machine washable and features the italian stallion from rocky.": [ + "adult tank top italian stallion from rocky", + "adult tank top italian stallion", + "adult tank top with italian stallion from rocky", + "adult tank top, italian stallion from rocky", + "adult tank top with italian stallion", + "adult tank top italian stallion from rocky.", + "adult tank top that is machine washable", + "adult tank top made from rocky", + "adult tank top under $40", + "adult tank top" + ], + "i am interested in buying a x-small size purple colored classic fit birthday t-shirt.": [ + "pink colored classic fit birthday t-shirt", + "x-small size purple colored classic fit birthday t-shirt", + "small size purple colored classic fit birthday t-shirt", + "pink colored classic fit birthday t-shirt.", + "pink colored classic fit birthday t-shirt x-small", + "pink colored classic fit birthday t-shirt under 50 dollars", + "pink colored classic fit birthday t-shirt under $50", + "small size purple colored classic fit birthday t-shirt.", + "pink baby shower t-shirt", + "pink colored birthday t-shirt" + ], + "locate a emme 3-piece king bed in a bag comforter set that is machine washable. i also need the color to be blue stripe.": [ + "emme 3-piece king bed in a bag comforter set", + "imme 3-piece king bed in a bag comforter set", + "emme 3-piece king bed with a blue stripe", + "imme 3-piece king bed with a blue stripe", + "3-piece king bed in a bag comforter set", + "emme 3-piece king bed in a bag comforter", + "imme 3-piece king bed in a bag comforter", + "emme 3-piece king bed", + "comforter set blue", + "pink bed" + ], + "i want to buy some plant-based tuna.": [ + "plant-based tuna", + "plant-based tuna.", + "plant-based tuna under $40", + "plant-based tuna under $60", + "plant-based tuna under $50", + "plant-based tuna flavor", + "plant-based tuna plant-based", + "plant-based tuna under 30 dollars", + "plant-based tuna under 50 dollars", + "plant-based tuna no sugar" + ], + "im looking for a earbud headphones for stereo sound quality of style je-04b which will be more comfortable for me to use without disturbing others .": [ + "i want an earbud headphones for stereo sound quality of style je-04b which will be more comfortable for me to use without disturbing others .", + "i want a earbud headphones for stereo sound quality of style je-04b which will be more comfortable for me to use without disturbing others .", + "earbud headphones for stereo sound quality of style je-04b", + "pocketbud headphones for stereo sound quality of style je-04b", + "je-04b earbud headphones", + "e-04b earbud headphones", + "e-04b earbud headphones for stereo sound quality", + "je-04b earbud headphones for stereo sound quality", + "sound quality je-04b earbud headphones", + "sound quality je-04b" + ], + "3 sugar free fruit syrup packs of different flavors ie cherry, raspberry, watermelon flavors": [ + "3 sugar free fruit syrup packs of different flavors ie cherry, raspberry, watermelon flavors", + "3 sugar free fruit syrup pack of different flavors ie cherry, raspberry, watermelon flavors", + "3 sugar free fruit syrup packs of different flavors", + "3 sugar free fruit syrup packs of different flavors cherry, raspberry, watermelon flavors", + "3 sugar free fruit syrup packs of different flavors ie cherry, raspberry, watermelon flavor", + "3 sugar free fruit syrup packs of different flavors i cherry, raspberry, watermelon flavors", + "3 sugar free fruit syrup packs of different flavors with cherry, raspberry, watermelon flavors", + "3 sugar free fruit syrup packs of different flavors, raspberry, watermelon flavors", + "3 sugar free fruit syrup packs of cherry, raspberry, watermelon flavors", + "3 sugar free fruit syrup packs of different flavors, cherry, raspberry, watermelon flavors" + ], + "hello, i am looking for some cupcake picks, i want to use them on my mom's birthday party.": [ + "cupcake picks for moms birthday party", + "cupcake picks for a baby shower", + "cupcake picks for moms baby shower", + "cupcake pick for moms birthday party", + "cupcake pick for a baby shower", + "cupcake picks for baby shower", + "cupcake picks for moms birthday", + "cupcake pick for moms birthday", + "cupcake picks for mom", + "cupcake picks" + ], + "i need some white inline skates in size 40.": [ + "white inline skates size 40", + "white inline skates in size 40", + "white inline skates in size 40.", + "white inline skates in a size 40", + "white inline skates size 40.", + "white inline skates, size 40", + "white inline skates size 40 white", + "white inline skates size 40.00", + "white inline skates size 40,", + "white inline skates in size 40," + ], + "#4 medium brown color hair pieces of 8 inch length as hair extension.": [ + "medium brown hair pieces of 8 inch length", + "hair pieces of 8 inch length", + "hair pieces of 8 inch length as hair extension", + "medium brown color hair pieces of 8 inch length", + "4 medium brown hair pieces of 8 inch length", + "hair piece of 8 inch length", + "4 medium brown color hair pieces of 8 inch length", + "#4 medium brown hair pieces of 8 inch length", + "hair pieces 8 inch length", + "medium brown hair pieces" + ], + "i need a large, gray long sleeve hoodie.": [ + "large, gray long sleeve hoodie", + "large gray long sleeve hoodie", + "large grey long sleeve hoodie", + "large gray long sleeve hoodie.", + "large black long sleeve hoodie", + "womens hoodie large gray", + "large long sleeve hoodie", + "large dark gray long sleeve hoodie", + "large white long sleeve hoodie", + "womens hoodie gray" + ], + "i need a 1080p hd hidden camera which is motion activated.": [ + "1080p hd hidden camera", + "1080p hd hidden camera motion activated", + "1080p hd hidden camera with motion activated", + "1080p hd hidden camera, motion activated", + "tvp hd hidden camera motion activated", + " 1080p hd hidden camera motion activated", + " 1080p hd hidden camera", + "1080p hd hidden camera motion activated.", + "1080p hd hidden camera under $40", + "1080p hd hidden camera under $50" + ], + "i need a white mirror with a with a brushed nickel finish in window style.": [ + "white mirror with a brushed nickel finish", + "white mirror", + "white mirror that is brushed nickel finish", + "white mirror with a brush nickel finish", + "white mirror in window style", + "window style white mirror", + "white mirror, window style", + "white mirror window style", + "white mirror, window style,", + "white mirror white" + ], + "i am looking for a white brushed nickel for wall-mounted mirrors": [ + "white brushed nickel wall-mounted mirrors", + "white brushed nickel for wall-mounted mirrors", + "white brushed nickel wall-mounted mirror", + "white brushed nickel wall-mounted mirrors,", + "white brushed nickel wall wall-mounted mirrors", + "white brushed nickel wall mounted mirrors", + " white brushed nickel wall-mounted mirrors", + "white brushed nickel bathroom mirror", + "white brushed nickel bathroom mirrors", + "white brushed nickel wall-mounted" + ], + "i'm looking for brushed nickel decorative ship porthole nautical mirror.": [ + "brushed nickel decorative ship porthole nautical mirror", + "brushed nickel decorative ship porthole nautical mirror.", + "brushed nickel decorative ship porthole nautical mirror under $40", + "im looking for brushed nickel decorative ship porthole nautical mirror.", + "brushed nickel decorative ship porthole nautical mirror under $50", + "brushed nickel decorative ship porthole nautical mirror under $60", + "buffet nickel decorative ship porthole nautical mirror", + "brushed nickel decorative ship porthole nautical mirror,", + "brushed nickel decorative ship porthole nautical mirror below $40", + " brushed nickel decorative ship porthole nautical mirror" + ], + "i'm trying to find a six-pack of kids' toothbrushes for sensitive teeth. i need the toothbrushes to have long handles and they should come in assorted colors, like blue, pink and yellow.": [ + "kids toothbrushes for sensitive teeth", + "kids toothbrushes for sensitive teeth in assorted colors", + "kids toothbrushes for sensitive teeth blue", + "kids toothbrushes for sensitive teeth color blue", + "kids toothbrushes for sensitive teeth colored blue", + "kids toothbrushes for sensitive teeth with long handles", + "kids toothbrushes for sensitive teethblue", + "kids toothbrushes for sensitive teeth blue and pink", + "kids toothbrush for sensitive teeth", + "kids toothbrushes pink" + ], + "i'm looking for a 50 piece candy gift basket.": [ + "50 piece candy gift basket", + "50 piece candy gift basket under $60", + "50 piece candy gift basket under 50 dollars", + "50 piece candy gift basket under $50", + "50 piece candy gift basket under 40 dollars", + "50 piece candy gift basket under $40", + "50 piece candy gift basket.", + "50 piece candy gift basket under 30 dollars", + "50 piece candy gift basket under 60 dollars", + "50 piece candy gift basket under 120 dollars" + ], + "i'm looking for low-fat, hot and spicy beef jerky that's also high in protein.": [ + "low-fat, hot and spicy beef jerky", + "low-fat, hot and spicy beef jerky with protein", + "low fat, hot and spicy beef jerky", + "low-fat hot and spicy beef jerky", + "low-fat hot and spicy beef jerky with protein", + "low-fat and spicy beef jerky high in protein", + "low-fat beef jerky high in protein", + "low-fat and spicy beef jerky", + "low fat hot and spicy beef jerky", + "low fat and spicy beef jerky" + ], + "i'd like to find a 3-ounce pack of whiskey barbeque flavored beef jerky. i'm on a diet, so the jerky needs to be low fat.": [ + "3 pack of whiskey barbeque flavored beef jerky", + "barbeque flavored beef jerky", + "barbeque flavored beef jerky that is low fat", + "bottle of whiskey barbeque flavored beef jerky", + "barbeque flavored beef jerky low fat", + "barbeque flavored beef jerky 3 oz", + "barbeque flavored beef jerky, low fat", + "barbeque flavored beef jerky 3 oz low fat", + "barbeque flavored beef jerky 3ounce pack", + "barbecue flavored beef jerky" + ], + "i would like a black pepper 3 ounce bag of jerky that's high protein.": [ + "black pepper 3 ounce bag of jerky high protein", + "black pepper 3 ounce bag of jerky", + "bag of jerky high protein", + "bag of jerky high protein black pepper", + "3 ounce bag of jerky high protein", + "white pepper 3 ounce bag of jerky high protein", + "4 ounce bag of jerky high protein", + "3 ounce bag of jerky", + "bag of jerky high protein black", + "pack of jerky high protein" + ], + "i want to order some low fat whiskey barbecue jerky. look for the three pack.": [ + "low fat whiskey barbecue jerky three pack", + "low fat whiskey barbecue jerky 3 pack", + "low fat whiskey barbecue jerky, three pack", + "low fat whiskey barbecue jerky three pack three pack", + "low fat whiskey barbecue jerky that is three pack", + "low fat whiskey barbecue jerky three pack.", + "3 pack low fat whiskey barbecue jerky three pack", + "barbecue jerky three pack", + "3 pack low fat whiskey barbecue jerky", + "low fat barbecue jerky three pack" + ], + "i'm looking for a gray faux fur height adjustable vanity chair with gold round base for a study room dorm.": [ + "gray faux fur height adjustable vanity chair with gold round base", + "gray faux fur height adjustable vanity chair", + "grey faux fur height adjustable vanity chair with gold round base", + "grey faux fur height adjustable vanity chair", + "womens gray faux fur height adjustable vanity chair", + "gray faux fur height adjustable vanity chair, gold round base", + "gray faux fur height adjustable vanity chair in gold", + "gray faux fur height adjustable vanity chair with gold", + "gray faux fur height adjustable vanity chair that is gold", + "gray faux fur height adjustable vanity chair, gold" + ], + "i am looking for a mist water bottle in white color with leak proof. also delivery fine mist": [ + "m mist water bottle in white color", + "mush water bottle in white color", + "white mist water bottle in white color", + "moist water bottle in white color", + "womens water bottle in white color", + "maint water bottle in white color", + " mist water bottle in white color", + "m mist water bottle in white", + "water bottle in white color with leak proof", + "water bottle in white color" + ], + "looking for a soft fleece blanket 50\"x60\" that is super soft and machine washable. color 8.": [ + "soft fleece blanket 50x60", + "soft fleece blanket 50x60 color 8", + "soft fleece blanket 50x60 in color 8", + "soft fleece blanket 50x60 under $60", + "soft fleece blanket 50x60 with a color 8", + "soft fleece blanket 50x60 in a color 8", + "soft fleece blanket 50x60 that is super soft", + "soft fleece blanket 50x60 super soft", + "soft fleece blanket 50x60 color 8.", + "soft fleece blanket 50x60 under $40" + ], + "i want to find a 3 foot by 3 foot wine rack that i can mount on my wall. it must be easy to install as well.": [ + "3 foot by 3 foot wine rack", + "3 foot by 3 foot wine rack, easy to install", + "3 foot by 3 foot wine rack easy to install", + "3 foot by 3 foot wine rack, easy to install,", + "3 foot x 3 foot wine rack", + "3 foot by 3 foot wine rack under $50", + "3 foot by 3 foot wine rack under $40", + "3 foot by 3 foot wine rack under $60", + "3 foot by 3 foot wine rack that i can mount", + "bottle rack" + ], + "i'm looking for pale blush living room window drapes, 2 panel set measuring 108\" x 84\"": [ + "pale blush living room window drapes, 2 panel set measuring 108 x 84", + "pale blush living room window drapes 2 panel set measuring 108 x 84", + "pale blush living room window drapes, 2 panel set, 108 x 84", + "pale blush living room window drapes, 2 panel set", + "pale blush living room window drapes with a panel set measuring 108 x 84", + "pale blush living room window drapes", + "pale blush living room window drapes with panel set measuring 108 x 84", + "pale blush living room windows drapes, 2 panel set measuring 108 x 84", + "pale blush living room window drapes with 2 panel set measuring 108 x 84", + "pale blush living room window drapes 2 panel set" + ], + "i need a purple body brush for sensitive, dry skin.": [ + "pink body brush for sensitive, dry skin", + "pink body brush for sensitive, dry skin.", + "pink body brush sensitive, dry skin", + "purple body brush for sensitive, dry skin", + "pink body brush, sensitive, dry skin", + "purple body brush for sensitive, dry skin.", + "large purple body brush for sensitive, dry skin", + "ps purple body brush for sensitive, dry skin", + "pink body brush for sensitive, dry skin,", + "toothbrush for sensitive, dry skin" + ], + "i need a manual toothbrush for sensitive teeth.": [ + "manual toothbrush for sensitive teeth", + "manual toothbrush for sensitive teeth.", + "manual toothbrush for sensitive teeth no fluoride", + "manual teethbrush for sensitive teeth", + "manual toothbrush for sensitive teeth,", + " manual toothbrush for sensitive teeth", + "toothbrush for sensitive teeth", + "manual toothbrush", + "manual toothbrush sensitive teeth", + "handbrush for sensitive teeth" + ], + "i ned some hands free white earbuds.": [ + "hand free white earbuds", + "womens free white earbuds", + "hands free white earbuds", + "clothing free white earbuds", + "sneakers free white earbuds", + "hand free white earbuds.", + "kids free white earbuds", + "free white earbuds", + "hand free white earbuds,", + "hands free white earbuds." + ], + "i need an alcohol free face mist in peppermint scent.": [ + "alcohol free face mist in peppermint scent", + "alcohol free face mist peppermint scent", + "alcohol free face mist in peppermint scent.", + "alcohol free face mist, peppermint scent", + "alarm free face mist in peppermint scent", + "alarm free peppermint scent", + "alcohol free face mist with peppermint scent", + "alcohol free face mist pomegranate scent", + "alcohol free peppermint scent", + "alcohol free face mist" + ], + "i want a fragrance and alcohol free tropical waters rose water face mist make up setting spray.": [ + "scent and alcohol free tropical waters rose water face mist", + "rose water face mist make up setting spray", + "spray and alcohol free tropical waters rose water face mist", + "beauty and alcohol free tropical waters rose water face mist", + "pink and alcohol free tropical waters rose water face mist", + "rose water face mist", + "rose water face mist make up", + "roasted water face mist make up setting spray", + "rose water face mist make up setting spray.", + "scent and alcohol free tropical water face mist" + ], + "i need a metal framed dining room stool with a pink center.": [ + "metal framed dining room stool with a pink center", + " metal framed dining room stool with a pink center", + "metal framed dining room stool with a pink", + "Metal framed dining room stool with a pink center", + " metal framed dining room stool with a pink", + "wooden framed dining room stool with a pink", + "metal framed dining room stool", + "heavy duty dining room stool with a pink center", + "glass framed dining room stool with a pink center", + "dining room stool with a pink center" + ], + "i'm looking for dental picks with no break & no shred floss, count should be 150 & with pack of 6": [ + "dental picks with no break & no shred floss", + "dental picks with no break & no shred floss pack of 6", + "dental picks no break & no shred floss pack of 6", + "dental picks no break & no shred floss", + "dental picks 150 pack with pack of 6", + "dental picks with no break & no shred floss under $50", + "dental picks with no break & no shred floss under $60", + "oral picks with no break & no shred floss", + "dental picks 150 pack", + "dental picks" + ], + "i'm looking for oral hygiene because the bad breath affect our whole body.": [ + "oral hygiene", + "oral hygiene oral hygiene", + "oral hygiene with bad breath", + "oral hygiene that is bad breath", + "oral hygiene bad breath", + "oral hygiene, bad breath", + "oral hygiene for the whole body", + "oral hygiene - bad breath", + "oral hygiene bad breath", + "oral hygiene under $40" + ], + "i'm looking for oral hygiene its prevention of bad breathe.": [ + "oral hygiene its prevention of bad breathe.", + "oral hygiene its prevention of bad breathe", + "oral hygiene prevention of bad breathe", + "oral hygiene the prevention of bad breathe.", + "oral hygiene, prevention of bad breathe", + "oral hygiene with prevention of bad breathe", + "oral hygiene the prevention of bad breathe", + "oral hygiene it prevention of bad breathe.", + "oral hygiene for the prevention of bad breathe", + "oral hygiene, prevention of bad breathe." + ], + "i want a 6 pack of dentek triple clean floss picks for bad breath.": [ + "6 pack of dentek triple clean floss picks for bad breath", + "6 pack of dentek triple clean floss pick for bad breath", + "6 pack of dentek triple clean floss picks", + "dentalek triple clean floss picks for bad breath", + "6 pack of dentek triple clean floss picks bad breath", + "dentek triple clean floss picks for bad breath", + "6 pack of dentek triple clean floss pick bad breath", + "6 pack of dentalek triple clean floss picks for bad breath", + "4 pack of dentek triple clean floss picks for bad breath", + "8 pack of dentek triple clean floss picks for bad breath" + ], + "i need the yongquiang 26\" set of 4 metal bar height stools in black. i want the ones for a dining room.": [ + "yongquiang 26 set of 4 metal bar height stool in black", + "yongquiang 26 set of 4 metal bar height stools", + "yongquiang 26 set of 4 metal bar height stool", + " yongquiang 26 set of 4 metal bar height stool in black", + "yongquiang 26 metal bar height stools in black", + "yongquiang 26 set of 4 metal bar height", + "yongquiang 26 dining room stools in black", + "4 metal bar height stools for dining room", + "4 metal bar height stools in black", + "tablet stools in black" + ], + "find me a gray men's button down work shirt that is machine washable but also gives me some tummy control. size x-large.": [ + "gray mens button down work shirt with tummy control x-large", + "gray mens button down work shirt with tummy control", + "gray mens button down work shirt that is machine washable", + "womens button down work shirt with tummy control x-large", + "womens button down work shirt with tummy control", + "gray mens button down work shirt", + "womens button down work shirt that is machine washable", + "gray mens button down work shirt x-large", + "womens button down work shirt x-large", + "womens button down work shirt" + ], + "find me 150 ml wella professional oil free hair color with the pink style.": [ + "150 ml wella professional oil free hair color", + "50 ml wella professional oil free hair color", + "150 ml wella professional oil free hair color pink", + "150 ml oil free hair color with the pink style", + " 150 ml wella professional oil free hair color", + "150 ml oil free hair color", + "professional oil free hair color in pink", + "professional oil free hair color with the pink", + "professional oil free hair color", + "150 ml professional oil free hair color" + ], + "i'd like to find a large pink tankini swimsuit that's loose-fitting.": [ + "large pink tankini swimsuit", + "large pink tankini swimsuit loose-fitting", + "pink tankini swimsuit loose-fitting", + "tankini swimsuit loose-fitting", + "large pink tankini swimsuit under $50", + "large pink tankini swimsuit under $40", + "tankini swimsuit, loose-fitting", + "small pink tankini swimsuit", + "tankini swimsuit", + "large pink tankini" + ], + "i am looking for a mattress that gives me core support and is medium plush. i want an 8\" twin xl sized one.": [ + "8 twin xl mattress", + "medium plush mattress 8 twin xl", + "8 twin xl mattress with core support", + "stainless 8 twin xl mattress", + "yoga mattress 8 twin xl", + "8 twin xl mattresses", + "size 8 twin xl mattress", + "8 twin xl mattress under $120", + "8 twin xl mattress that is comfortable", + "8 twin xl mattress under $130" + ], + "i'd like help finding a pack of 500 wooden wax sticks that i can use for hair removal.": [ + "pack of 500 wooden wax sticks", + "pack of 500 wooden wax sticks for hair removal", + "bag of 500 wooden wax sticks for hair removal", + "bag of 500 wooden wax sticks", + "pack of 500 wooden wax sticks for hair removal.", + "pack of 500 wooden wax sticks, for hair removal", + "baby shower pack of 500 wooden wax sticks", + "pink wax sticks for hair removal", + "plastic wax sticks for hair removal", + "a pack of 500 wooden wax sticks" + ], + "show me a 3x large sized machine washable boxer brief made with polyester spandex in black color.": [ + "3xl boxer brief made with polyester spandex in black", + "3xl boxer brief made with polyester spandex in black color", + "machine washable boxer brief made with polyester spandex in black color", + "man washable boxer brief made with polyester spandex in black color", + "man washable boxer brief made with polyester spandex in black", + "3x large boxer brief made with polyester spandex in black", + "3x large sized machine washable boxer brief with polyester spandex", + "machine washable boxer brief made with polyester spandex in black", + "3x large sized machine washable boxer brief", + "3x large boxer brief made with polyester spandex in black color" + ], + "i need some baked breadcrumbs in a classic french flavor.": [ + "baked breadcrumbs in a classic french flavor", + " baked breadcrumbs in a classic french flavor", + "a baked breadcrumbs in a classic french flavor", + "bake breadcrumbs in a classic french flavor", + "baked breadcrumbs classic french flavor", + "baking breadcrumbs in a classic french flavor", + " baked breadcrumbs in a classic french flavor.", + "barbecue breadcrumbs classic french flavor", + " baked breadcrumbs classic french flavor", + "baked breadcrumbs classic french flavor." + ], + "i would like to have a n6 honey beige and oil free liquid foundation suitable for fine lines and sold on pack of 2 with 1fl oz each.": [ + "n6 honey beige and oil free liquid foundation", + "n6 honey beige and oil free liquid foundation pack of 2 with 1fl oz each", + "n6 honey beige and oil free liquid foundation pack of 2 with 1fl oz", + "n6 honey beige and oil free liquid foundation, pack of 2 with 1fl oz each", + "n6 honey beige and oil free liquid foundation for fine lines", + "n6 honey beige and oil free liquid foundation pack of 2", + "n6 honey beige and oil free liquid foundation, pack of 2 with 1fl oz", + "n6 honey beige and oil free liquid foundation, pack of 2, 1fl oz each", + "n6 honey beige and oil free liquid foundation, pack of 2 with 1fl oz,", + "nat6 honey beige and oil free liquid foundation" + ], + "i am looking for a oil free c3 creamy natural color face foundation.": [ + "oil free natural color face foundation", + "oil free creamy natural color face foundation", + "c3 creamy natural color face foundation", + "coaxial natural color face foundation", + "oils free natural color face foundation", + "an oil free natural color face foundation", + "coffee colored natural color face foundation", + "oil free natural color face foundation.", + "oil free creamy natural color face foundation.", + "c3 creamy natural color face foundation." + ], + "i'm looking for foundation make up by l\u00f3real. i want oil free liquid foundation. my color is w1 porcelain. check for pack of 1 in stock.": [ + "foundation make up by l\u00f3real", + "f foundation make up by l\u00f3real", + "felty make up by l\u00f3real", + " foundation make up by l\u00f3real", + "foundation make up by l\u00f3real oil free", + "foundation make up by l\u00f3real oil free", + "f foundation make up by l\u00f3real oil free", + "foundation make up by l\u00f3real, oil free", + "te foundation make up by l\u00f3real", + "foundation make up l\u00f3real" + ], + "i'd like to find a digital camera that's water resistant. the color needs to be graphite silver and i want the configuration to be the international version.": [ + "digital camera that is water resistant", + "digital camera with graphite silver", + "digital camera graphite silver", + "digital camera in graphite silver", + "digital camera with water resistant", + "digital camera, graphite silver", + "digital camera with a water resistant color", + "digital camera with a water resistant configuration", + "digital camera that is water resistant.", + "digital camera" + ], + "i am looking for hair dry shampoo ammonia free ,chestnut brown": [ + "hair dry shampoo ammonia free,chestnut brown", + "hair dry shampoo ammonia free ,chestnut brown", + "hair dry shampoo ammonia free chestnut brown", + "hair dry shampoo ammonia free", + "hair dry shampoo ammonia freechestnut brown", + "hair dry shampoo ammonia free and chestnut brown", + "hair dry shampoo ammonia free, chestnut brown", + "hair dry shampoo ammonia free inchestnut brown", + "hair dry shampoo ammonia free chestnut brown", + "ammon free shampoo" + ], + "i'm looking for a mid century home office desk chair that is easy to assemble. please choose the grey velvet one.": [ + "mid century home office desk chair that is easy to assemble", + "mid century home office desk chair that is easy to assemble, grey velvet", + "mid century home office desk chair that is easy to assemble. grey velvet", + "mid century home office desk chair, grey velvet", + "mid century home office desk chair, easy to assemble, grey velvet", + "mid century home office desk chair that is easy to assemble.grey velvet", + "mid century home office desk chair that is easy to assemble.", + "mid century home office desk chair", + "mid century home office desk chair in grey velvet", + "mid century home office desk chair with grey velvet" + ], + "i want to find white scented candles that are eco-friendly and made of soy wax.": [ + "white scented candles made of soy wax", + "white scented candles made from soy wax", + "eco-friendly candles made of soy wax", + "eco-friendly candles made from soy wax", + "white scented candles", + "white scented candles made out of soy wax", + "white scented candles with soy wax", + "eco-friendly and made of soy wax candles", + "white scented candles eco-friendly with soy wax", + "eco-friendly candles made of soy wax, white" + ], + "i want to get a 9-pack of veggie lasagna entrees that are easy to prepare and high in protein.": [ + "veggie lasagna entrees high in protein", + "veggie lasagna entrees easy to prepare high in protein", + "veggie lasagna entrees low in protein", + "veggie lasagna entrees", + "veggie lasagna entrees 9 pack high in protein", + "veggie lasagna entrees high in protein 9 pack", + "veggie lasagna entrees high in protein 9-pack", + "veggie lasagna entrees with protein", + "veggie lasagna entrees with protein 9 pack", + "veggie lasagna entrees high in protein, 9 pack" + ], + "i'm looking for men's kiltie dress loafers with leather sole and rubber heel. also, choose the black and brown option in a size 11 narrow.": [ + "mens kiltie dress loafers with leather sole and rubber heel", + "mens kiltie dress loafers in a size 11 narrow", + "mens kiltie dress loafers with leather sole", + "mens kiltie dress loafers size 11 narrow", + "mens kiltie dress loafers black and brown", + "mens kiltie dress loafers with leather sole, black and brown", + "mens kiltie dress loafers with leather sole, size 11 narrow", + "mens kiltie dress loafers, black and brown", + "mens kiltie dress loafers", + "mens kiltie dress loafers 11 narrow" + ], + "i need a spread dress shirt with a slim fit in the color blue, and it needs to be available for machine wash.": [ + "spread dress shirt with slim fit in the color blue", + "spread dress shirt slim fit in the color blue", + "spread dress shirt with a slim fit", + "spread dress shirt, slim fit in the color blue", + "spread dress shirt with a slim fit for machine wash", + "spread dress shirt in the color blue", + "spread dress shirt", + "spread dress shirt with slim fit", + "spread dress shirt slim fit", + "spread dress shirt blue" + ], + "i'm looking for a long handle stainless steel nail clipper set with color 8592 black": [ + "long handle stainless steel nail clipper set with color 8592 black", + "long handle stainless steel nail clipper set", + "long handle stainless steel nail clipper set with color 8592", + "short handle stainless steel nail clipper set with color 8592 black", + "long handle stainless steel nail clipper set in color 8592 black", + " long handle stainless steel nail clipper set with color 8592 black", + "nail clipper set with color 8592 black", + "lens stainless steel nail clipper set with color 8592 black", + "medium handle stainless steel nail clipper set with color 8592 black", + "long handle stainless steel nail clipper set, color 8592 black" + ], + "i need some easy to apply body glitter for halloween.": [ + "easy to apply body glitter for halloween", + "beauty glitter for halloween", + "body glitter for halloween", + "easy to apply body glitter halloween", + "low to apply body glitter for halloween", + "easy to apply body glitter, halloween", + "easy to apply body glitter", + "walking glitter for halloween", + "lip glitter for halloween", + "beauty glitter for halloween." + ], + "can you help me find organic chicken broth that is gluten free and contains high protein? i'm looking for a pack of 2 pound.": [ + "organic chicken broth pack of 2 pound", + "organic chicken broth gluten free 2 pound pack", + "organic chicken broth 2 pound", + "organic chicken broth, gluten free, 2 pound", + "organic chicken broth that is gluten free", + "organic chicken broth", + "organic chicken broth gluten free 2 pound", + "organic chicken broth 2 pound less then $40", + "organic chicken broth 2 pound under $40", + "organic chicken broth pack 2 pound" + ], + "i need a heavy duty dust proof tempered glass for iphone 13 pro max 6.7 inch and its size is case+4 protectors with redblack color": [ + "dust proof tempered glass iphone 13 pro max 6.7 inch", + "heavy duty dust proof tempered glass iphone 13 pro max 6.7 inch", + "dust proof tempered glass for iphone 13 pro max 6.7 inch", + "heavy duty dust proof tempered glass for iphone 13 pro max 6.7 inch", + "dust proof tempered glass iphone 13 pro max 6.7 inch with redblack color", + "dust proof tempered glass iphone 13 pro max 6.7", + "dust proof tempered glass case+4 protectors with redblack", + "dust proof tempered glass case+4 protectors", + "heavy duty dust proof tempered glass", + "dust proof tempered glass" + ], + "i'd like to find dark black faux dreadlock extenders. ideally they'll come 10 to a pack and i want two packs.": [ + "dark black faux dreadlock extenders", + "dark black faux dreadlock extenders pack", + "dark black faux dreadlock extenders pack two pack", + "dark black faux dreadlock extenders 2 pack", + "dark black faux dreadlock extenders in a pack", + "dark black faux dreadlock extenders, two pack", + "dark black faux dreadlock extenders under $40", + "dark black faux dreadlock extenders pack under $40", + "dark black faux dreadlock extenders under $50", + "dark black faux dreadlock extenders pack under $50" + ], + "i'm looking for blue slip-on women's fashion sneakers in a size 7, and they must feature good arch support.": [ + "blue slip-on womens fashion sneakers in a size 7", + "blue slip-on womens fashion sneakers in a size 7 with arch support", + "blue slip-on womens fashion sneakers", + "blue slip-on womens fashion sneakers size 7 with arch support", + "blue slip-on womens fashion sneakers size 7", + "blue slip-on womens fashion sneakers size 7 with good arch support", + "blue slip-on womens fashion sneakers with arch support", + "blue slip-on womens fashion sneakers, size 7, with arch support", + "blue slip-on womens fashion sneakers size 7, with arch support", + "blue slip-on womens fashion sneakers with good arch support" + ], + "i need a bag of valentine day candies full of 25 units.": [ + "bag of valentine day candies full of 25 units", + "bag of valentine day candies full of 25", + "bag of valentine day candies 25 units", + "bag of valentine day candies with 25 units", + "bag of valentine day candies, 25 units", + "bag of valentine day candies full of 25 unit", + "bag of valentine day candies of 25 units", + "bag of valentine day candies containing of 25 units", + "bag of valentine day candies", + "bag of valentine day candies full of 25 dollars" + ], + "i want to find a pair of white and thyme men's blaster pants with an elastic waistband. the size needs to be 5x-large.": [ + "white and thyme mens blaster pants with an elastic waistband", + "white and thyme mens blaster pants 5x-large", + "white and thyme mens blaster pants that are 5x-large", + "white mens blaster pants with an elastic waistband 5x-large", + "white and thyme mens blaster pants, 5x-large", + "white and thyme mens blaster pants", + "white and thyme mens blaster pants 5xl", + "white mens blaster pants with an elastic waistband", + "white mens blaster pants 5x-large", + "white mens blaster pants" + ], + "i want to buy a photography background that is lightweight and 9x6 ft..": [ + "portrait background lightweight 9x6 ft", + "light weight photography background 9x6 ft", + "lightweight and 9x6 ft photography background", + "lightweight 9x6 ft photography background", + "portrait background lightweight and 9x6 ft", + "lightweight 9x6 photography background", + "light weight photography background lightweight 9x6 ft", + "light weight 9x6 photography background", + "portrait background lightweight and 9x6 ft..", + "light weight photography background 9x6 ft lightweight" + ], + "i need a pair of high quality black hair clippers.": [ + "black hair clippers", + "high quality black hair clippers", + "black hair clippers high quality", + "hair clippers high quality black", + "high quality black hair clippers.", + "hair clippers that are high quality", + "hair clippers high quality", + "black hair clippers, high quality", + "black hair clippers.", + "hair clippers" + ], + "i am looking for a red area rug, 9 by 12 feet, that i can put in the living room.": [ + "red area rug 9 by 12 feet", + "red area rug, 9 by 12 feet", + "red area rug, 9 by 12 feet,", + "red rug 9 by 12 feet", + "red area rug living room 9 by 12 feet", + "red area rug 9 by 12 feet living room", + "red area rug 9 x 12 feet", + "red area rug 9 by 12 feet,", + "red rug, 9 by 12 feet", + "red area rug living room" + ], + "i want to find a natural-colored twin-sized kids' bed that's easy to assemble.": [ + "natural-colored twin-sized kids bed", + "natural-colored twin-sized kids bed, easy to assemble", + "natural-colored twin-sized kids bed easy to assemble", + "natural-colored twin-sized kids bed thats easy to assemble", + "natural-colored twin-size kids bed", + "natural-colored twin-sized kids bed that easy to assemble", + "natural colored twin-sized kids bed", + "natural-colored twin-teen bed", + "natural-colored twin bed", + "natural-colored twin-bed" + ], + "i'm looking for a birthday cake topper that i can use for a party.": [ + "birthday cake topper for a party", + "birthday cake topper for a baby shower", + "birthday cake topper", + "birthday cake topper for party", + "birthday cake toppers for a baby shower", + "birthday cake topper for a party.", + "birthday cake topper for baby shower", + "birthday cake toppers for a party", + "baby shower cake topper", + "baby shower cake topper for a baby shower" + ], + "i want to find a pair of yellow high heeled stilettos with ankle straps, in a size 8.5.": [ + "yellow high heeled stilettos with ankle straps", + "yellow high heeled stilettos with ankle straps, size 8.5", + "yellow high heeled stilettos with ankle straps size 8.5", + "yellow high heeled stilettos with ankle straps 8.5", + "yellow high heeled stiletto with ankle straps", + "yellow high heeled stiletto with ankle straps, size 8.5", + "yellow high heeled stiletto with ankle straps size 8.5", + "yellow high heeled stilettos, in a size 8.5", + "yellow high heeled stilettos, in a size 8.5.", + "yellow high heeled stilettos" + ], + "i need a black colored birthday party cupcake topper.": [ + "black colored birthday party cupcake topper", + "black birthday party cupcake topper", + "black baby shower cupcake topper", + "black birthday party cupcake topper.", + "birthday party cupcake topper black", + "baby shower cupcake topper black", + "black colored birthday party cupcake toppers", + "black birthday party cupcake toppers", + "black baby shower cupcake topper.", + "black colored baby shower cupcake topper" + ], + "i am looking for a full wood, white king size bed frame with headboard.": [ + "full wood, white king size bed frame", + "full wood white king size bed frame", + "white king size bed frame with headboard", + "full wood king size bed frame with headboard", + "full wood bed frame with headboard", + "full wood queen size bed frame with headboard", + "white king size bed frame", + "full wood king size bed frame", + "king size bed frame with headboard", + "full wood bed frame" + ], + "i'm looking for a tongue scraper for adult and children for a oral hygiene and a fresh breath with 4pcs": [ + "tongor scraper for adult and children for oral hygiene and fresh breath with 4pcs", + "tongor scraper for adult and children oral hygiene and fresh breath with 4pcs", + "tongble scraper for adult and children for oral hygiene and fresh breath with 4pcs", + "tongue scraper for adult and children for oral hygiene and fresh breath with 4pcs", + "toothpaste for adult and children oral hygiene and fresh breath with 4pcs", + "tongor scraper for adult and children oral hygiene with 4pcs", + "tongor scraper for adult and children for oral hygiene with 4pcs", + "tongor scraper for adult and children for oral hygiene and fresh breath 4pcs", + "tongor scraper for adult and children for oral hygiene and a fresh breath 4pcs", + "tongble scraper for adult and children for oral hygiene and a fresh breath 4pcs" + ], + "i would like to get some high protein beef jerky in the resealable bag in original flavoring.": [ + "high protein beef jerky in the resealable bag in original flavoring", + "high protein beef jerky resealable bag in original flavoring", + "high protein beef jerky in a resealable bag in original flavoring", + "high protein beef jerky in the resealable bag with original flavoring", + "high protein beef jerky resealable bag with original flavoring", + "high protein beef jerky with original flavoring", + "vegan jerky resealable bag in original flavoring", + "high protein beef jerky in a resealable bag with original flavoring", + "protein beef jerky resealable bag in original flavoring", + "buffet jerky resealable bag in original flavoring" + ], + "i'm looking for the block striped t shirts for women in loose fit and long sleeve. i need the 1/4 zipper collared in 3x-large in the gxfc-s330-white color.": [ + "block striped t-shirt for women in loose fit and long sleeve", + "block striped t-shirt for women in loose fit long sleeve", + "block striped t shirts for women in loose fit and long sleeve", + "block striped t-shirt for women in loose fit", + "block striped t shirts for women in loose fit long sleeve", + "block striped t-shirt", + "block striped t-shirt for women in loose fit with long sleeves", + "block striped t-shirt for women in loose fit with long sleeve", + "block striped t-shirt for women in loose fit long sleeve white", + "block striped t-shirt women in loose fit and long sleeve" + ], + "i need a height adjustable swivel chair with lumbar support for gaming. i would like it in grey.": [ + "height adjustable swivel chair with lumbar support", + "height adjustable swivel chair lumbar support for gaming", + "height adjustable swivel chair with lumbar support gaming", + "height adjustable swivel chair", + "height adjustable swivel chair lumbar support", + "height adjustable swivel chair lumbar support gaming", + "height adjustable swivel chair in grey", + "height adjustable swivel chair for gaming in grey", + "height adjustable swivel chair under $50", + "height adjustable swivel chair under $40" + ], + "i am looking for toyota corolla android dash navigation with bt, wifi mirror link, fm , backup camera, 8 inch touch display, models can from 2006 - 2012": [ + "toyota corolla android dash navigation with bt, wifi mirror link, fm , models can from 2006 - 2012", + "tantota corolla android dash navigation with bt, wifi mirror link, fm , models can from 2006 - 2012", + "tactota corolla android dash navigation with bt, wifi mirror link, fm , models can from 2006 - 2012", + "toyota corolla android dash navigation with bt, wifi mirror link, fm , model can from 2006 - 2012", + "tamota corolla android dash navigation with bt, wifi mirror link, fm , models can from 2006 - 2012", + "toyota corolla android dash navigation with bt, wifi mirror link", + "tama corolla android dash navigation with bt, wifi mirror link, fm , models can from 2006 - 2012", + "toyota corolla android dash navigation with bt, wifi mirror link, fm , backup camera", + "tantota corolla android dash navigation with bt, wifi mirror link", + "toyota corolla android dash navigation" + ], + "i need a mouse colored ottoman in a contemporary design.": [ + "mouse colored ottoman in a contemporary design", + "Mouse colored ottoman in a contemporary design", + "mouse colored ottoman", + " mouse colored ottoman in a contemporary design", + "mouse colored ottoman with a contemporary design", + "mouse colored ottoman, contemporary design", + "mouse colored ottoman in a modern design", + "mouse colored ottoman contemporary design", + "mouse colored ottoman that is contemporary", + "mouse colored ottoman with contemporary design" + ], + "i am looking for women's active pants for walking. also, choose the medium size.": [ + "womens active pants for walking", + "womens active pants for walking.", + "womens active pants", + "womens active pants walking", + "womens active pants walking medium", + "womens active pants, walking", + "womens active pants for walking medium", + "womens active pants walking.", + "mens active pants for walking", + "living pants for walking" + ], + "i'm looking for a high resolution wireless headphones with charging case, earphones should be in-ear, built-in mic, easy-pair, voice control sports and gaming earbuds. also choose the black one.": [ + "high resolution wireless headphones with charging case", + "high resolution wireless headphones with charging case, black", + "high resolution wireless headphones with charging case in black", + "high resolution wireless headphones with charging case black", + "high resolution wireless headphones with charging case for gaming", + "high resolution wireless headphones with charging caseblack", + "high resolution wireless headphones", + "high resolution wireless headphones with charging case with black", + "low resolution wireless headphones with charging case", + "high resolution wireless headphones charging case" + ], + "i'm looking for a silver radio antenna that's made of carbon fiber.": [ + "silver radio antenna made of carbon fiber", + "silver radio antenna made from carbon fiber", + "silver radio antenna thats made of carbon fiber", + "silver radio antenna, made of carbon fiber", + "silver radio antenna made of carbon fiber.", + "silver radio antenna", + "silver radio antenna made of carbon fiber,", + "silicone radio antenna made of carbon fiber", + "silver radio antenna made out of carbon fiber", + "silver radio antenna with carbon fiber" + ], + "i'm looking for a white, pu leather office chair that offers good lumbar support.": [ + "white, pu leather office chair", + "white, pu leather office chair with lumbar support", + "white leather office chair with lumbar support", + "white, pu leather office chair lumbar support", + "white leather office chair that offers lumbar support", + "white, pu leather office chair, lumbar support", + "white leather office chair that offers good lumbar support", + "white ou leather office chair with lumbar support", + "white leather office chair", + "white leather office chair lumbar support" + ], + "i need some purple eye shadow brushes for easy application.": [ + "pink eye shadow brushes", + "pink eye shadow brushes for easy application", + "pink eye shadow brushes for easy application.", + "pink eye shadow brushes easy application", + "pink eye shadow brushes easy to apply", + "pink eye shadow brushes easy to use", + "pink eye shadow brushes that are easy application", + "pink eye shadow brushes, easy to apply", + "pink eye shadow brush", + "purple eye shadow brushes" + ], + "i am looking for a laundry bag in medium size": [ + "medium size laundry bag", + "large laundry bag", + "small laundry bag in medium size", + "living room bag in medium size", + "medium laundry bag", + "large laundry bag in medium size", + "laundry bag in medium", + "medium-size laundry bag", + "laundry bag medium size", + "laundry bag medium" + ], + "i need an easy to use carbon fiber tripod.": [ + "easy to use carbon fiber tripod", + "easy to use carbon fiber tripod.", + "easy to use carbon fiber tripod under $40", + "easy to use carbon fiber tripod under $50", + "easy to use carbon fiber tripod under $60", + "easy-to-use carbon fiber tripod", + "easy to use carbon fiber tripod under 50 dollars", + "easy to use carbon fiber tripod under $120", + "easy to use carbon fiber tripod under $130", + "easy to use carbon fiber tripod under 30 dollars" + ], + "i want to find a super soft 50x80 inch throw that i can leave in my living room.": [ + "super soft 50x80 inch throw", + "super soft 50x80 inch throw for living room", + "super soft 50x80 inch throw under $50", + "super soft 50x80 inch throw under $60", + "super soft 50x80 inch throw under $40", + "super soft 50x80 inch throw living room", + "super soft 50 x80 inch throw", + "super soft 50x80 inches throw", + "super soft 50x80 inch throw,", + "supersoft 50x80 inch throw" + ], + "i'm looking for a carrying case for hair cutting accessories.": [ + "carry case for hair cutting accessories", + "carry case for hair cutting accessories.", + "walking case for hair cutting accessories", + "bag carrying case for hair cutting accessories", + "pocket case for hair cutting accessories", + "bagging case for hair cutting accessories", + "large carrying case for hair cutting accessories", + " carrying case for hair cutting accessories", + " carrying case for hair cutting accessories.", + "portrait for hair cutting accessories" + ], + "i need a core i5 desktop tower.": [ + "core i5 desktop tower", + "desktop tower i5 core i5", + "desktop tower core i5 i5", + "desktop tower core i5", + "desktop tower that is core i5", + "desktop tower i5 i5", + "core i5 desktop tower.", + "desktop tower i5", + "tablet i5 desktop tower", + "desktop tower with i5 i5" + ], + "i'm looking to get a pack of 24 cans of the starkist white tuna that's packed in water.": [ + "pack of 24 cans of the starkist white tuna", + "12 pack of white tuna packed in water", + "bathroomist white tuna pack in water", + "staringist white tuna pack in water", + "white tuna pack of 24 pack in water", + "white tuna pack 24 pack packed in water", + " starkist white tuna pack in water", + "white tuna pack of 24", + "bathroomist white tuna pack in water pack", + "staringist white tuna pack in water pack" + ], + "i am interested in acquiring tuna which is wild caught, and has low sodium, while it has a flavor of albacore in oil and it's in a pack of 8 of 5 ounces.": [ + "tuna flavor of albacore in oil pack of 5 ounces", + "wild tuna flavor of albacore in oil pack of 5 ounces", + "tuna flavor low sodium pack of 8 of 5 ounces", + "tuna wild caught with low sodium flavor", + "tuna flavor of albacore in oil pack of 8", + "tuna wild caught in oil pack of 8 of 5 ounces", + "tuna wild caught in oil pack of 8", + "tuna wild caught in oil pack of 8 pack", + "tuna flavor", + "tuna wild caught" + ], + "i need an accessory for the ultra hd system.": [ + "affordable hd system", + "extra hd system accessory", + "the ultra hd system", + " ultra hd system accessory", + "extra hd system", + "the ultra hd system.", + "affordable hd system accessory", + " ultra hd system", + "alarm for ultra hd", + "the ultra hd system," + ], + "i'd like to find a 10-pack of black usb flash drives that can store 512 megabytes of data. the usbs must be easy to carry and use.": [ + "10-pack of black usb flash drives", + "black usb flash drives that can store 512 megabytes", + "10-pack black usb flash drives", + "black usb flash drives with 512 megabytes", + "9-pack of black usb flash drives", + "10-pack of black usb flash drive", + "black usb flash drives", + "black usb flash drives with 512gb", + "pack of black usb flash drives", + "bag of black usb flash drives" + ], + "i am looking for high quality and freshed baked desserts, please include the corn muffins as well.": [ + "high quality and freshed baked desserts, please include the corn muffins as well.", + "high quality and freshed baked desserts, please include the corn muffins under $40", + "low quality and freshed baked desserts, please include the corn muffins as well.", + "high quality and freshed baked desserts, please include the corn muffins under 30 dollars", + "high quality and freshed baked desserts, please include the corn muffins under $60", + "high quality and freshed baked desserts, please include the corn muffins under $50", + "high quality and freshed baked desserts, please include the corn muffins", + "high quality and freshed baked desserts, please include the corn muffins under 50 dollars", + "high quality and freshed baked desserts", + "high quality and freshed baked desserts under $40" + ], + "i want to find some casual black women's penny loafers. i wear a size 9 and need good arch support!": [ + "casual black womens penny loafers with arch support", + "casual black womens penny loafers", + "casual black womens penny loafers size 9", + "casual black womens penny loafers in a size 9", + "casual black womens penny loafers size 9 arch support", + "casual black womens penny loafers, size 9", + "casual black women penny loafers", + "casual black woman penny loafers", + "curtains 9", + "pocket loafers size 9" + ], + "i need a hand wash blue jump suit for daily wear.": [ + "hand wash blue jump suit", + "hand wash blue jump suit for daily wear", + "hand wash blue jump suit daily wear", + "hand wash blue jump suit, daily wear", + "hand wash blue jumper suit for daily wear", + "hand wash blue jump suit daily wear.", + "hand wash blue jump suit in daily wear", + "hand washblue jump suit for daily wear", + "hand wash blue jumper suit", + "hand washblue jump suit" + ], + "i'm looking for a heavy duty barstool with a steel frame in a natural maple color.": [ + "heavy duty barstool with a steel frame", + "barstool with a steel frame in natural maple", + "barstool with a steel frame", + "barstool with a steel frame natural maple", + "heavy duty barstool in a natural maple color", + "barstool heavy duty maple", + "heavy duty barstool natural maple", + "barstool heavy duty natural maple", + "heavy duty barstool", + "barstool natural maple" + ], + "i want to find a heavy duty bar stool that is rein bay colored.": [ + "bar stool that is rein bay colored", + "bar stool rein bay colored", + "bar stool, rein bay colored", + "bar stool in rein bay colored", + "bar stool with rein bay colored", + "bar stool in a rein bay colored", + "bar stool in a heavy duty color", + "bar stool under $40", + "bar stool under $50", + "bar stool rein bay colored." + ], + "i am looking forward to buy a high speed, high definition mini pc with windows 10 pro equip with intel celeron": [ + "high speed mini pc with windows 10 pro equip with intel celeron", + "desktop mini pc with windows 10 pro equip with intel celeron", + "mac mini pc with windows 10 pro equip with intel celeron", + "mini pc with windows 10 pro equip with intel celeron", + "tablet pc with windows 10 pro equip with intel celeron", + "tv mini pc with windows 10 pro equip with intel celeron", + "desktop mini pc with windows 10 pro equip with intel celeron high speed", + "mac mini pc with windows 10 pro equip with intel celeron high speed", + "mini pc with windows 10 pro equip with intel celeron high speed", + "tablet pc with windows 10 pro equip with intel celeron high speed" + ], + "i want to find a pink 10-inch android touch tablet with a quad core processor.": [ + "pink 10-inch android touch tablet with a quad core processor", + "pink 10-inch android touch tablet with quad core processor", + "pink 9-inch android touch tablet with a quad core processor", + "pink 10-inch android touch tablet", + "pink 10-inch android tablet with a quad core processor", + "pink 10-inch android touch tablet, quad core processor", + "pink 10-inch android touch tablet that is quad core processor", + "pink 5-inch android touch tablet with a quad core processor", + "pink 9-inch android touch tablet with quad core processor", + "pink 10-inch android touch tablet that is quad core" + ], + "i want a variety pack of fat free apple mango real fruit bars. i want a 12 pack.": [ + "variety pack of fat free apple mango real fruit bars 12 pack", + "variety pack of fat free apple mango real fruit bars", + "variety pack of fat free apple mango real fruit bar 12 pack", + "12 pack of fat free apple mango real fruit bars", + "variety pack of fat free apple mango real fruit bars12 pack", + "variety pack of fat free apple mango real fruit bar", + "variety pack of fat free apple mango real fruit bars 13 pack", + " variety pack of fat free apple mango real fruit bars 12 pack", + " variety pack of fat free apple mango real fruit bars", + "12 pack of fat free apple mango real fruit bar" + ], + "i would like a fig fruit bar that is gluten and soy free.": [ + "pigs fruit bar gluten and soy free", + "figs fruit bar gluten and soy free", + "pigs fruit bar gluten free", + "fruit bar gluten and soy free", + "pink fruit bar gluten and soy free", + "figs fruit bar gluten free", + "fruit bar gluten free", + "pomegranate fruit bar gluten free", + "pig fruit bar gluten and soy free", + "pink fruit bar gluten free" + ], + "i'd like to find a medium-sized, long-sleeve women's maternity gown that's purple.": [ + "medium-sized, long-sleeve womens maternity gown", + "medium-sized long-sleeve womens maternity gown thats purple", + "medium-sized long-sleeve womens maternity gown", + "medium-sized long-sleeve womens maternity gown, purple", + "medium-size long-sleeve womens maternity gown thats purple", + "medium-size, long-sleeve womens maternity gown", + "medium-sleeve womens maternity gown thats purple", + "womens maternity gown purple", + "medium-sleeve womens maternity gown, purple", + "medium-sleeve womens maternity gown" + ], + "i want to find usda organic tomato basil marinara sauce. ideally i want a pack of three 1.5 pound jars.": [ + "usda organic tomato basil marinara sauce pack of three 1.5 pound jars", + "usda organic tomato basil marinara sauce pack of 3 1.5 pound jars", + " usda organic tomato basil marinara sauce pack of three 1.5 pound jars", + "usda organic tomato basil marinara saucepack of three 1.5 pound jars", + "usda organic tomato basil marinara sauce pack of three 1.5 pound", + "natural tomato basil marinara sauce pack of three 1.5 pound jars", + "pack of three usda organic tomato basil marinara sauce", + "usda organic tomato basil marinara sauce pack of three", + "pack of three 1.5 pound jars", + "pack of 3 usda organic tomato basil marinara sauce" + ], + "i need some long-lasting snowboots with no slip soles in size 7.5 and the color black.": [ + "long-lasting snowboots in size 7.5 in the color black", + "snowboots with no slip soles in size 7.5 in the color black", + "long-lasting snowboots with no slip soles in size 7.5", + "long-lasting snowboots with no slip soles in size 7.5 black", + "long-lasting snowboots in size 7.5 and the color black", + "snowboots with no slip soles in size 7.5 and the color black", + "shoes with no slip soles in size 7.5 in the color black", + "long-lasting snowboots with no slip soles black", + "long-lasting snowboots with no slip soles", + "long-lasting snowboots, black" + ], + "i'm looking for a pair of women's casual moccasin flats with rubber soles. i wear a size 8 and prefer the color champagne.": [ + "womens casual moccasin flats with rubber soles", + "womens casual moccasin flats with rubber soles size 8", + "womens casual moccasin flats", + "womens casual moccasin flats size 8 in the color champagne", + "womens casual moccasin flats in a size 8", + "womens casual moccasin flats size 8", + "womens casual moccasin flats with rubber sole", + "womens casual moccasin flats in size 8", + "mens casual moccasin flats", + "curtains size 8" + ], + "i'm looking for a women ladies cross angle strap roman slides sandal of size 9 and black color": [ + "womens ladies cross angle strap roman slides sandal size 9 black", + "women ladies cross angle strap roman slides sandal of size 9 black", + "woman ladies cross angle strap roman slides sandal of size 9 black", + "womens ladies cross angle strap roman slides sandal black", + "women ladies cross angle strap roman slides sandal size 9 black", + "woman ladies cross angle strap roman slides sandal size 9 black", + "women ladies cross angle strap roman slides sandal of size 9 and black", + "woman ladies cross angle strap roman slides sandal of size 9 and black", + "women ladies cross angle strap roman slides sandal of size 9 in black", + "womens size 9 sandal" + ], + "i need an omega-3 deluxe mix with artificial ingredients in a resealable bag.": [ + " omega-3 deluxe mix with artificial ingredients", + "mega-3 deluxe mix with artificial ingredients", + " omega-3 deluxe mix with artificial ingredients, resealable bag", + " omega-3 deluxe mix", + " omega-3 deluxe mix with artificial ingredients resealable bag", + "mega-3 deluxe mix with artificial ingredients, resealable bag", + "aluxe mix with artificial ingredients in a resealable bag", + "omega-3 deluxe mix with artificial ingredients", + "mega-3 deluxe mix", + "aluxe mix with artificial ingredients" + ], + "i'm looking for a snack called nature's garden, it's a heart healthy trail mix in single servings. it should be a 7 count 1.2-ounce package that weights 8.4 ounces.": [ + "natures garden snack mix 8.4 ounces", + "natures garden snack pack 8.4 ounces", + "natures garden snack 8.4 ounces", + "natures garden snack that is heart healthy", + "natures garden snacks 8.4 ounces", + "natierra garden snack mix 8.4 ounces", + "natures garden snack made from heart healthy trail mix", + "natures garden snack mix 8.4 oz", + "natures garden snack", + "natures garden snack 7 count 1.2 oz" + ], + "i'm looking for high quality and long lasting microfiber massage table sheets set with a size 60x180cm(24x71inch). also choose the large one": [ + "high quality and long lasting microfiber massage table sheets", + "large massage table sheets 60x180cm(24x71inch)", + "large microfiber massage table sheets", + "60x180cm massage table sheets", + "large massage table sheets", + "microfiber massage table sheets", + "large massage table sheets under 60x180cm", + "microfiber massage table sheets that are large", + "large massage table sheets 60x180cm", + "medium massage table sheets" + ], + "i need a 3 pack of ethique solid deodorant bar for men and women. i want the oil-free variety.": [ + "3 pack ethique solid deodorant bar for men and women", + "3 pack ethique solid deodorant bar", + "3 pack of ethique solid deodorant bar for men and women", + "3 pack ethique solid deodorant bar for men", + "3 pack of ethique solid deodorant bar", + "3 pack ethique solid deodorant bar men and women", + "3 pack ethique solid deodorant bar for men and women.", + "3 pack ethique solid deodorant bar, oil-free", + "3 pack ethique solid deodorant bar that is oil-free", + "3 pack ethique solid deodorant bar, men and women" + ], + "i want a green stool that would be suitable to use for a haircut at a beauty salon.": [ + "green stool for a haircut at a beauty salon", + "green stool for a haircut at a beauty salon.", + "green stool for a haircut", + "green stool for a beauty salon", + "green stool suitable for a haircut at a beauty salon", + "green stool for haircut at a beauty salon", + "green stool for a haircut, beauty salon", + "green stool", + "green stool for beauty salon", + "green stool for haircut" + ], + "i need a high-performance tablet for dual-band wifi.": [ + "high-performance tablet for dual-band wifi", + "high-performance tablet with dual-band wifi", + "high performance tablet for dual-band wifi", + "tablet for dual-band wifi", + "dual-band wifi high performance tablet", + "high performance tablet with dual-band wifi", + "high-performance tablet dual-band wifi", + "high-performance tablet, dual-band wifi", + "dual-band wifi high-performance tablet", + "tablet for dual-band wifi high performance" + ], + "i want to find a pair of non-slip women's running shoes in a size 8. they need to have rubber soles and i want them in black and red.": [ + "non-slip womens running shoes in a size 8", + "womens running shoes in a size 8 black and red", + "womens running shoes in a size 8", + "womens running shoes size 8 black and red", + "walking shoes size 8 black and red", + "walking shoes in a size 8", + "walking shoes in a size 8 black and red", + "walking shoes in a size 8, black and red", + "walking shoes in a size 8 black", + "walking shoes size 8 black" + ], + "i am looking for a dark spot solution serum without fragrance and paraben.": [ + "dark spot solution serum without fragrance and paraben", + "dark spot solution serum with fragrance and paraben", + "dark spot solution serum no fragrance and paraben", + "dark spot solution serum, without fragrance and paraben", + "dark spot solution serum", + "dark spot solution serum without fragrance and paraben.", + "dark spot solution serum, with fragrance and paraben", + "dark spot solution serum, no fragrance and paraben", + "dark spot solution serum natural no fragrance and paraben", + "dark spot solution serum with fragrance, paraben" + ], + "i want to find a universal remote control replacement that comes with aaa batteries.": [ + "universal remote control replacement with aaa batteries", + "remote control replacement with aaa batteries", + "remote control replacement that comes with aaa batteries", + "universal remote control replacement for aaa batteries", + "universal remote control replacement", + "manual remote control replacement with aaa batteries", + "home theater remote control replacement with aaa batteries", + "remote control replacement for aaa batteries", + "alarm remote control replacement with aaa batteries", + "universal remote control replacement with aaa batteries." + ], + "i'm looking fo a large faux leather even path that's effective for dark circles also.choose the blue one.": [ + "large faux leather even path", + "large faux leather even path thats effective for dark circles", + "large faux leather even path for dark circles", + "large faux leather even path, effective for dark circles", + "large faux leather even path effective for dark circles", + "large faux leather even path whose effective for dark circles", + "large faux leather even path in dark circles", + "large faux leather walking path", + "large faux leather path", + "large faux leather" + ], + "i need rich, creamy coconut biscuits.": [ + "rich, creamy coconut biscuits", + "rich, creamy coconut biscuits.", + "rich, creamy coconut biscuits under $40", + "rich, creamy coconut biscuits under $50", + "rich, creamy coconut biscuits under $60", + "rich, creamy coconut biscuits under 50 dollars", + "rich, creamy coconut biscuits under 30 dollars", + "rich, creamy coconut biscuits under 60 dollars", + "rich, creamy coconut biscuits under 40 dollars", + "rich, creamy coconut biscuits under 120 dollars" + ], + "i'm trying to find a tempered glass screen protector that i can use for my iphone 13 pro max.": [ + "tempered glass screen protector iphone 13 pro max", + "tempered glass screen protector for iphone 13 pro max", + "tempered glass screen protector", + "tempered glass screen protector, iphone 13 pro max", + "tempered glass screen protector for my iphone 13 pro max", + "tempered glass screen protector for an iphone 13 pro max", + "tempered glass screen protector foriphone 13 pro max", + "tempered glass screen protector for iphone 13 pro max.", + "tempered glass screen protector for i iphone 13 pro max", + "tempered glass screen protector iphone 13 pro max." + ], + "i'm looking for a black phone case that is apple compatible with a black screen.": [ + "black phone case with a black screen", + "black phone case", + "black phone case that is apple compatible", + "apple compatible black phone case", + "black phone case, apple compatible", + "black phone case with black screen", + "black phone case apple compatible", + "black phone case with a black phone screen", + "black phone case with a black", + "black phone case with apple compatible" + ], + "i need a smartwatch case that is apple compatible and is silver": [ + "smartwatch case silver", + "smartwatch case silver smartwatch", + "smartwatch case with silver", + "apple smartwatch case silver", + "smartwatch case", + "apple compatible smartwatch case", + "smartwatch case, silver", + "smartwatch case gold", + "smartwatch case is apple compatible", + "smartwatch case in silver" + ], + "i want to buy case for apple watch which has tempered glass and is for rose pink color, and it's size should be 42 mm.": [ + "apple watch case 42 mm", + "apple watch case with tempered glass 42 mm", + "case for apple watch with tempered glass", + "apple watch case with tempered glass, 42 mm", + "case for apple watch 42 mm", + "case for apple watch with tempered glass 42 mm", + "apple watch case with tempered glass", + "case for apple watch, 42 mm", + "apple watch case with tempered glass in rose pink", + "apple watch case for 42 mm" + ], + "i want 4 pcs of bpa free oral hygiene tongue scraper for fresh breath.": [ + "4 pcs bpa free oral hygiene tongue scraper", + "4 pcs oral hygiene tongue scraper for fresh breath", + "bpa free oral hygiene tongue scraper for fresh breath", + "4 bpa free oral hygiene tongue scraper", + "4 pcs oral hygiene tongue scraper", + "4 oral hygiene tongue scraper for fresh breath", + "bpa free oral hygiene tongue scraper", + "oral hygiene tongue scraper for fresh breath", + "oral hygiene tongue scraper for fresh breath 4 pcs", + "4 oral hygiene tongue scraper" + ], + "please help me find a pair of soft plush women's house shoes that would be cozy and warm for winter. my favorite color is khaki and i normally wear anywhere between a size 9.5 to a 10.5.": [ + "soft plush womens house shoes size 9.5", + "soft plush womens house shoes", + "soft plush womens house shoes in khaki", + "womens house shoes size 9.5", + "womens house shoes in khaki", + "soft plush womens house shoes, size 9.5", + "knee shoes size 9.5", + "soft plush womens shoes", + "womens house shoes", + "knee shoes" + ], + "i'm trying to find a 4-xl collegiate unc charlotte polo that is officially licensed.": [ + "4-xl collegiate unc charlotte polo", + "4-xl collegiate unc charlotte polo, officially licensed", + "4 xl collegiate unc charlotte polo that is officially licensed", + "4xl collegiate unc charlotte polo that is officially licensed", + "4-xl collegiate unc charlotte polo under $40", + "4-xl collegiate unc charlotte polo under $50", + "4-xl collegiate unc charlotte polo under $60", + "4 xl collegiate unc charlotte polo", + "4xl collegiate unc charlotte polo", + "4-xl collegiate unc charlotte polo officially licensed" + ], + "i'm looking for clothing it can use for machinable uses.": [ + "machinable uses", + "womens clothing machinable", + "shoes for machinable uses", + "machinable clothing", + "machinable uses.", + "machinable use clothing", + "shoes machinable for men", + "shoes machinable", + "machinable", + "womens clothing" + ], + "i want some long-lasting snow boots with faux fur in black or khaki at size 7.5.": [ + "long-lasting snow boots with faux fur in black or khaki", + "shoes with faux fur in black or khaki size 7.5", + "long-lasting snow boots in black or khaki size 7.5", + "snow boots with faux fur in black or khaki size 7.5", + "shoes with faux fur in black or khaki", + "long-lasting snow boots in black or khaki", + "shoes with faux fur in black or khaki in size 7.5", + "snow boots with faux fur in black or khaki", + "shoes with faux fur in black or khaki size 7.5.", + "long-lasting snow boots size 7.5" + ], + "i'm looking for a 70cm wall mounted mirror for bathroom": [ + "70cm wall mounted mirror for bathroom", + "projection 70cm wall mounted mirror", + "living room mirror 70cm wall mounted", + "71cm wall mounted mirror for bathroom", + "projection mirror for bathroom", + "floor mounted mirror for bathroom", + "70cm wall mounted mirror bathroom", + "70cm wall mounted mirror", + "wall mounted mirror for bathroom", + "projection mirror 70cm wall mounted" + ], + "i need some high fructose citrus tonic water.": [ + "high fructose citrus tonic water", + "high fructose citrus tonic water under $40", + "high fructose citrus tonic water under $50", + "high fructose citrus tonic water under $60", + "high fructose citrus tonic water below $40", + "high fructose citrus tonic water.", + "low fructose citrus tonic water", + "high fructose citrus tonic water below $50", + "high fructose citrus tonic water below $60", + "high fructose citrus tonic water under 30 dollars" + ], + "i'm looking for blouse hosiery travel laundry bag set of 2 mesh": [ + " blouse hosiery travel laundry bag set of 2 mesh", + "blouse hosiery travel laundry bag set of 2 mesh", + "brushed hosiery travel laundry bag set of 2 mesh", + "blanket hosiery travel laundry bag set of 2 mesh", + "blue blouse hosiery travel laundry bag set of 2 mesh", + "black blouse hosiery travel laundry bag set of 2 mesh", + "white blouse hosiery travel laundry bag set of 2 mesh", + "brouse hosiery travel laundry bag set of 2 mesh", + "brush hosiery travel laundry bag set of 2 mesh", + " blouse hosiery travel laundry bag set of 2 mesh under $40" + ], + "i need a pack of fine line remover.": [ + "fine line remover pack", + "pack of fine line remover", + "fine line remover pack below $40", + "fine line remover pack below $50", + "fine line remover pack below $60", + "fine line remover pack under $40", + "fine line remover pack of 5", + "fine line remover pack under $50", + "pack of fine line remover.", + "fine line remover pack under $60" + ], + "i want to find some spray that i can use to treat hot flashes, and it should be suitable for sensitive skin.": [ + "hot flashes spray", + "hot flashes spray suitable for sensitive skin", + "hot flashes spray, suitable for sensitive skin", + "hot flashes spray that is suitable for sensitive skin", + "spray for sensitive skin", + "spray for hot flashes", + "hot flashes spray for sensitive skin", + "spray for hot flashes sensitive skin", + "hot flashes spray, suitable for sensitive skin,", + "hot flashes spray, suitable for sensitive skin." + ], + "i'd like to find some noise cancelling headphones that are hands-free. they should be compatible with bluetooth version 5.0.": [ + "phone noise cancelling headphones", + "sound cancelling headphones that are hands-free", + "hand-free noise cancelling headphones", + "silicone noise cancelling headphones", + "noise cancelling headphones", + "eco-free noise cancelling headphones", + "phone noise cancelling headphones with bluetooth", + "phone case 5.0", + "sound cancelling headphones", + "phone charging headphones" + ], + "i am looking to purchase a hand or machine wash women's classic plain bikini swimsuit with high waist, tummy control in an x-large. prefer color yellow.": [ + "womens classic plain bikini swimsuit with high waist, tummy control in an x-large", + "womens classic plain bikini swimsuit with high waist, tummy control, x-large", + "womens classic plain bikini swimsuit with high waist and tummy control in an x-large", + "hand or machine wash womens classic plain bikini swimsuit with high waist, tummy control", + "womens classic plain bikini swimsuit with high waist, tummy control", + "womens classic plain bikini swimsuit with high waist", + "hand or machine wash womens classic plain bikini swimsuit with high waist", + "hand or machine wash womens classic plain bikini swimsuit", + "womens classic plain bikini swimsuit x-large", + "womens classic plain bikini swimsuit" + ], + "i'm looking for black color medium size puweer straight leg slacks for women to business work casual.": [ + "puweer straight leg slacks for women", + "puweer straight leg slacks", + "black size puweer straight leg slacks", + "large size puweer straight leg slacks", + "black color medium work slacks", + "puweer straight leg slacks black", + "puweer straight leg slacks, black", + "black color medium work slacks for women", + "black color medium work casual", + "black color medium tuxedo" + ], + "i'm looking for easy-to-use cake toppers for a birthday party.": [ + "easy to-use cake toppers for a baby shower", + "easy-to-use cake toppers", + "easy to-use cake toppers for a birthday party", + "easy-to-use birthday party cake toppers", + "easy-to-use birthday cake toppers", + "plastic cake toppers for a baby shower", + "pie toppers for a baby shower", + "kids cake toppers for a birthday party", + "cake toppers for a baby shower", + "baby shower cake toppers" + ], + "i am looking for a water beverage with source of vitamin and zero sugar. also in kiwi strawberry flavor.": [ + "water beverage with source of vitamin and zero sugar", + "kiwi strawberry flavor", + "water beverage with source of vitamin and zero sugar.", + "water drink with source of vitamin and zero sugar", + "pink water beverage with source of vitamin and zero sugar", + "kiwi strawberry flavor under $40", + "kiwi strawberry flavor under $60", + "kiwi strawberry flavor under $50", + "kiwi strawberry flavor under 50 dollars", + "kiwi strawberry flavor." + ], + "i'm looking for a high-quality manicure set made from stainless steel that is designed for removing dead skin.": [ + "high-quality manicure set made from stainless steel", + "mensure set made from stainless steel", + "low-quality manicure set made from stainless steel", + "stainless steel manicure set made from stainless steel", + "high-quality manicure set made from stainless steel with dead skin", + "manual set made from stainless steel", + "high-quality manicure set made from stainless steel for removing dead skin", + "nude set made from stainless steel", + "manual set made from stainless steel that is designed for removing dead skin", + "magnate set made from stainless steel" + ], + "i would like to buy a sugar free powder drink mix that is a nice source of vitamin.": [ + "sugar free powder drink mix", + "sugar free powder drink mix with vitamin", + "sugar free powder drink mix under $40", + "sugar free powder drink mix with a vitamin", + "sugar free powder drink mix with vitamins", + "sugar free powder drink mix under $60", + "sugar free powder drink mix,", + "gluten free powder drink mix", + "synthetic drink mix", + "sugar free drink mix" + ], + "i want to find a set of high-power binoculars that i can use for birdwatching.": [ + "high-power binoculars", + "high-power binoculars for birdwatching", + "set of high-power binoculars", + " binoculars high-power birdwatching", + " binoculars high-power for birdwatching", + " binoculars high-power", + "high-power binoculars, birdwatching", + "high-power binoculars under $40", + " binoculars high power", + " binoculars" + ], + "looking for men classic slip on with anti slip grips and back heel square toe, with quality leather.": [ + "mens classic slip on with anti slip grips and back heel square toe", + "men classic slip on with anti slip grips and back heel square toe", + "mens classic slip on with anti slip grips", + "man classic slip on with anti slip grips and back heel square toe", + "mens classic slip on with anti slip grips, back heel square toe", + "classic slip on with anti slip grips and back heel square toe", + "men classic slip on with anti slip grips", + "mens classic slip on with anti slip grips with quality leather", + "classic slip on with anti slip grips", + "mens classic slip on" + ], + "i want the 8 pack of pork king good seasoning. i need the 8 pack of the gluten free variety.": [ + "8 pack of pork king good seasoning", + "pork king good seasoning 8 pack", + "8 pack of pork king good seasoning.", + "8 pack of pork king seasoning", + "8 pack pork king good seasoning", + "8 pack of pork king good seasoning flavor", + "pork king good seasoning pack", + "pork king good seasoning", + "pack of pork king good seasoning", + "pork king good seasoning flavor" + ], + "i'm looking for rose gold hair salon bags.": [ + "rose gold hair salon bags", + "rose gold hair salon bags.", + "rose gold hair salon bag", + "rose gold hair salon bags under $40", + "rose gold hair salon bags under $50", + "rose gold hair salon bags,", + "rose gold hair salon bags under $60", + "rose gold hair salon bags under 50 dollars", + "rose gold salon bags", + "rose gold hair salon" + ], + "i want a 2-in-one shampoo and conditioner for damaged hair.": [ + "2-in-one shampoo and conditioner for damaged hair", + "2-in-one shampoo and conditioner for damaged hair.", + "2in-one shampoo and conditioner for damaged hair", + "two-in-one shampoo and conditioner for damaged hair", + "2-in-one shampoo and conditioner for damaged air", + "2-in-one shampoo and conditioner for damaged hair,", + "2-in-one shampoo conditioner for damaged hair", + "2-in-one shampoo and conditioner for damaged hair ", + "shampoo and conditioner for damaged hair", + "2-in-one shampoo and conditioner" + ], + "i'm looking for an armchair for my living room that features solid wood legs. i only need one chair and the color should be brown.": [ + "armchair for my living room that features solid wood legs", + "armchair for my living room with solid wood legs brown", + "armchair for my living room with solid wood legs", + "alarmchair for my living room with solid wood legs", + "alarmchair for living room with solid wood legs brown", + "armchair for living room with solid wood legs brown", + "armchair for living room with solid wood legs", + "alarmchair for living room brown", + "living room armchair with solid wood legs", + "walking chair brown" + ], + "i'd like to get a 3d, high-resolution personal mobile cinema. it needs to come with a carrying case too.": [ + "3d, high-resolution personal mobile cinema carrying case", + "3d high-resolution personal mobile cinema carrying case", + "3d, high-resolution personal mobile cinema", + "3d, high-resolution personal mobile cinema with carrying case", + "3d high-resolution personal mobile cinema with carrying case", + "3d high-resolution personal mobile cinema", + "3d high-resolution personal mobile cinema with a carrying case", + "3d, high-resolution personal mobile cinema case", + "3d personal mobile cinema carrying case", + "3d, high-resolution personal mobile cinema under $50" + ], + "i want to find a tempered glass covering film that i can use on my dining room windows. the dimensions should be 23.6 inches by 47.2 inches and film should come in a set of two.": [ + "tempered glass covering film dining room windows", + "tempered glass covering film", + "tempered glass covering film for dining room windows", + "tempered glass covering film 23.6 x 47.2", + "tempered glass film 23.6 x 47.2", + "tempered glass covering film dining room windows in a set of two", + "tempered glass covering film 23.6 x 47.2 inches", + "tempered glass film 23.6 x 47.2 inches", + "tempered glass film dining room windows", + "tempered glass film" + ], + "i need a space saving coat rack in solid wood.": [ + "space saving coat rack in solid wood", + "a space saving coat rack in solid wood", + "black coat rack in solid wood", + "space saving coat rack in solid wood.", + "white coat rack in solid wood", + "blanket rack in solid wood", + "grey coat rack in solid wood", + "small coat rack in solid wood", + "small solid wood coat rack", + "sneakers for solid wood coat rack" + ], + "i'm looking for a stool that could be used by a beauty salon to cut hair.": [ + "stainless beauty salon stool", + "stool for beauty salon to cut hair", + "beauty salon stool", + "stool for a beauty salon to cut hair", + "stool for beauty salon to cut hair.", + "stool for a beauty salon", + "stool for beauty salon", + "synthetic salon stool", + "stainless beauty salon", + "bathroom stool" + ], + "i'm looking for a way to watch birds from far away and have my smartphone involved.": [ + "watching birds from far away with a smartphone", + "watch birds from far away with a smartphone", + "femming birds from far away", + "watching birds from far away", + "watching birds from far away with my smartphone", + "remote bird watching smartphone", + "femming bird watching from far away", + "watch birds from far away", + "curtains birds from far away", + "femming birds" + ], + "i am looking for a high quality, black spa equipment wall mount that is eco friendly.": [ + "eco friendly black spa equipment wall mount", + "eco friendly, black spa equipment wall mount", + "high quality, black spa equipment wall mount", + "eco friendly high quality, black spa equipment wall mount", + "a high quality, black spa equipment wall mount", + "low quality, black spa equipment wall mount", + "high quality, black spa equipment wall mount eco friendly", + "eco friendly wall mount", + "black spa equipment wall mount that is eco friendly", + "black spa equipment wall mount" + ], + "i\u2019m looking for a small tummy control swimwear for teen girls. and i would prefer the a3-green color": [ + "small tummy control swimwear for teen girls a3-green", + "small tummy control swimwear for teen girls", + "small tummy control swimwear for teen girls a3-green color", + "small tummy control swimwear for teen girls in a3-green", + "small tummy control swimwear for teen girls, a3-green", + "small tummy control swimwear for teen girl a3-green", + "small tummy control swimwear", + "small tummy control swimwear for teen girls. a3-green", + "small tummy control swimwear for teen girls under $50", + "small tummy control swimwear for teen girl" + ], + "i'm looking for a queen size bed with a box spring.": [ + "king size bed with a box spring", + "queen size bed with box spring", + " queen size bed with a box spring", + "queen size bed", + "queen bed with a box spring", + "queen size bed, box spring", + "Queen size bed with a box spring", + "queen size bed box spring", + "king size bed with box spring", + "king size bed" + ], + "i'm hoping to find a purple, xx-large batman shirt that's officially licensed.": [ + "pink xx-large batman shirt", + "pink xx-large batman shirt, officially licensed", + "pink, xx-large batman shirt", + "pink xx-large batman shirt officially licensed", + "pink, xx-large batman shirt officially licensed", + "pink x-large batman shirt", + "pink x-large batman shirt, officially licensed", + "pink xx-large batman shirt under $40", + "pink xxl batman shirt", + "plastic batman shirt" + ], + "show me long sleeved daily wear sweater for teen girls in white color and 4x large size.": [ + "long sleeved daily wear sweater for teen girls in white color 4x large", + "long sleeved daily wear sweater for teen girls in white color 4x large size", + "long sleeved daily wear sweater for teen girls in white color and 4x large", + "long sleeved daily wear sweater for teen girls in white color", + "long sleeved daily wear sweater for teen girl in white color 4x large", + "short sleeved daily wear sweater for teen girls in white color 4x large", + "black long sleeved daily wear sweater for teen girls in white color 4x large", + "long sleeved daily wear sweater for teen girl in white color 4x large size", + "white long sleeved daily wear sweater for teen girls in white color 4x large", + "long sleeved daily wear sweater for teen girls" + ], + "i'm looking for easy to install mounted wall hooks to hang towels and clothes also, choose the 1 piece set with 2 hooks.": [ + "easy to install wall hooks to hang towels and clothes", + "1 piece set with 2 hooks", + "easy to install mounted wall hooks for towels and clothes", + "easy to install mounted wall hooks", + "easy to install mounted wall hooks to hang towels", + "3 piece set with 2 hooks", + "1 piece set of mounted wall hooks", + "easy to install wall hooks", + "3 piece wall hooks", + "living room wall hooks" + ], + "i'm looking for white noise cancelling, wireless headphones that have bluetooth capabilites.": [ + "white noise cancelling wireless headphones", + "white noise cancelling wireless headphones bluetooth capabilites", + "white noise cancelling wireless headphones with bluetooth", + "white noise cancelling wireless headphones bluetooth", + "white noise cancelling wireless headphones with bluetooth capabil", + "white noise cancelling wireless headphones bluetooth capabilized", + "white noise cancelling wireless headphones that have bluetooth", + "white noise cancelling, bluetooth capabilites", + "white noise cancelling bluetooth wireless headphones", + "white noise cancelling, wireless headphones" + ], + "i'm looking for an 8-pack of 8-inch portable hair extensions. the color needs to be wine red.": [ + "8-pack of 8-inch portable hair extensions", + "8-pack of 8-inch portable hair extensions wine red", + "8-pack of 8-inch portable hair extension", + "8-pack of 8-inch portable hair extensions red", + "8-pack of 8-inch portable hair extension color", + "8-pack of 8-inch portable hair extensions in wine", + "8-pack of 8-inch portable hair extensions color wine", + "8 pack of 8-inch portable hair extensions", + "8-pack portable hair extensions wine red", + "8-pack pomegranate hair extensions" + ], + "looking for a hair extension for grey dry hair and 18 in long": [ + "grey dry hair extension 18 in long", + "grey dry hair extension 17 in long", + "grey dry hair extension 18 inches long", + "grey dry hair extension 18 ft long", + "grey dry hair extension for 18 in long", + "womens extension 18 in long", + "grey dry hair extension18 in long", + "grey hair extension 18 in long", + "grey dry hair extension", + "hair extension 18 in long" + ], + "i need a pack of storage bag for my hair extension . and i would prefer the white blonde color": [ + "pack of storage bag for my hair extension", + "pack of storage bag for hair extension", + "pack of storage bag for a hair extension", + "pack of storage bag white blonde", + "pack of storage bag for my hair extension white", + "pack of storage bag for my hair extension color", + "pack of storage bag for hair extension white", + "pack of storage bag white hair extension", + "pack of storage bags for hair extension", + "pack of storage bag" + ], + "i would like a 18 inch medium brown hair extension.": [ + "18 inch medium brown hair extension", + "18 inch medium brown hair extension under $50", + "18 inch medium brown hair extension under $60", + "18 inch medium brown hair extension.", + "18 inch medium brown hair extension under $40", + "18 inch brown hair extension", + "18 inch medium brown hair extension under $120", + "18 inch medium brown hair extension under 30 dollars", + " 18 inch medium brown hair extension", + "18 inches medium brown hair extension" + ], + "i want some anti-slip water shoes in size 7.5 and the color khaki.": [ + "anti-slip water shoes in size 7.5 in the color khaki", + "anti-slip water shoes size 7.5 in the color khaki", + "anti-slip water shoes in size 7.5 and the color khaki", + "anti-slip water shoes in size 7.5, the color khaki", + "anti-slip water shoes in size 7.5 color khaki", + "anti-slip water shoe size 7.5 in the color khaki", + "anti-slip water shoe in size 7.5 in the color khaki", + "anti-slip water shoes in size 7.5", + "anti-slip water shoes size 7.5 in the color khaki.", + "anti-slip water shoes in size 7.5 under $40" + ], + "i'm interested in jar candles made from soy with a lead-free wick.": [ + "bar candles made from soy with a lead-free wick", + "m jar candles made from soy with a lead-free wick", + "mason candles made from soy with a lead-free wick", + " jar candles made from soy with a lead-free wick", + "jar candles made from soy with a lead-free wick", + "art candles made from soy with a lead-free wick", + "bar candles made from soy with a lead-free wick.", + " jar candles made from soy with a lead-free wick.", + "mason candles made from soy", + "bar candles made from soy" + ], + "i'm looking for a pair of adidas unisex adult harden vol. 5 futurenatural basketball athletic shoes.": [ + "antidas unisex adult harden vol. 5 futurenatural basketball athletic shoes", + "adidas unisex adult harden vol. 5 futurenatural basketball athletic shoes", + "Adidas unisex adult harden vol. 5 futurenatural basketball athletic shoes", + "adult harden vol. 5 futurenatural basketball athletic shoes", + "an adult harden vol. 5 futurenatural basketball athletic shoes", + "antidas unisex adult harden vol. 5 futurenatural basketball shoes", + "comfortable adult harden vol. 5 futurenatural basketball athletic shoes", + "antidas unisex adult harden vol. 5 futurenatural basketball", + "adidas unisex adult harden vol. 5 futurenatural basketball shoes", + "antidas unisex adult harden vol. 5 futurenatural" + ], + "i'am looking for sulfate free argan oil for the hair treatment of my wife": [ + "sulfate free argan oil for the hair treatment of my wife", + "sulfate free argan oil", + "sulfate free argan oil for hair treatment of my wife", + "sulfate free argan oil for the hair treatment of a wife", + "sulfate free argan oil for the hair treatment of a woman", + "syntate free argan oil for the hair treatment of my wife", + "sulfate free aran oil for the hair treatment of my wife", + "silate free argan oil for the hair treatment of my wife", + "sulfate free argan oil hair treatment of my wife", + "sulfate free argan oil for the hair treatment" + ], + "i need some wild caught spring water tuna fish.": [ + "wild caught spring water tuna fish", + "wild fish spring water tuna fish", + "wild caught spring water tuna fish.", + "wild spring water tuna fish", + "wild fresh spring water tuna fish", + "tuna fish wild caught spring water", + "tea fish wild caught spring water", + "pink water tuna fish", + "water fish wild caught spring water", + "wild fish spring water" + ], + "i want to find a two-pack of jarred wild-caught tuna filets that are low calorie. the jars need to be 6.7 ounces, and ideally the flavor should be very garlicky.": [ + "two-pack of jarred wild-caught tuna filets that are low calorie", + "two-pack of jarred wild-caught tuna filets", + "two-pack of jarred wild-caught tuna filets that are low calorie, 6.7 ounces", + "two-pack of jarred wild-caught tuna filets that are low calorie and are garlicky", + "two-pack of jarred wild-caught tuna filets, 6.7 ounces", + "two-pack of jarred wild-caught tuna filets that are low calorie and are under $60", + "2-pack of jarred wild-caught tuna filets that are low calorie", + "two-pack of jarred wild-caught tuna filets that are low calorie and are under $50", + "two-pack jarred wild-caught tuna filets that are low calorie", + "two-pack of jarred wild-caught tuna filets flavor" + ], + "locate the ambesonne harbour stripe throw pillow cover, 18 x 18 inch, double sided. i want the salmon brown color.": [ + "alarmesonne harbour stripe throw pillow cover 18 x 18 inch", + "18 x 18 inch throw pillow cover, salmon brown", + "ambesonne harbour stripe throw pillow cover 18 x 18 inch", + "18 x 18 inch throw pillow cover with salmon brown color", + "ambesonne harbour stripe throw pillow cover, 18 x 18 inch", + "18 x 18 inch throw pillow cover", + "18 x 18 inch throw pillow cover, salmon brown color", + "18 x 18 salmon brown throw pillow cover", + "23 x 18 salmon brown throw pillow cover", + "alarmesonne harbour stripe throw pillow cover" + ], + "i want some low fat orange mousse cookies.": [ + "low fat orange mousse cookies", + "low fat orange mousse cookies under $40", + "low fat orange mousse cookies under $60", + "low fat orange mousse cookies under $50", + "low fat orange mousse cookies under 50 dollars", + "low fat orange mousse cookies below $40", + "low fat orange mousse cookies.", + "low fat orange mousse cookies under 30 dollars", + "low fat orange mousse cookies below $50", + "low fat orange mousse cookies under 40 dollars" + ], + "i want a hair remover for face and body including the bikini area. pick the lilac one.": [ + "hair remover for face body bikini area lilac", + "hair remover for face body bikini area in lilac", + "hair remover for face body and bikini area lilac", + "hair remover for face body in lilac", + "hair remover for face body bikini area, lilac", + "hair remover for face body bikini area", + "hair remover for face body including the bikini area", + "hair remover for face body with bikini area", + "hair remover bikini area lilac", + "hair remover for face body" + ], + "i need ready use hand-knitted ottoman pouf for living room. and choose the purple one.": [ + "hand-knitted ottoman pouf for living room", + "hand-knitted ottoman pouf for living room. purple", + "hand-knitted ottoman pouf for living room, purple", + "hand-knitted ottoman pouf for living room.", + "hand-knitted ottoman pouf", + "hand-knitted ottoman pouf for living room in purple", + "hand-knitted ottoman pouf living room", + "hand-knitted ottoman pouf living room, purple", + "pink ottoman pouf for living room", + "pink ottoman pouf" + ], + "i'm looking for a gray wash colored living room console table with a wood frame.": [ + "gray wash colored living room console table", + "gray wash colored living room console table with wood frame", + "living room console table with a wood frame", + "living room console table with wood frame", + "gray wash colored living room table with a wood frame", + "gray wash colored living room console table wood frame", + "gray wash colored living room console table, wood frame", + "living room console table wood frame", + "grey wash colored living room console table", + "gray wash colored living room table" + ], + "i need some hands free gold earbuds.": [ + "hand free gold earbuds", + "hands free gold earbuds", + "hand free gold earbuds.", + "hand free gold earbuds,", + "free gold earbuds", + "holding free gold earbuds", + "clothing free gold earbuds", + "leather free gold earbuds", + "hands free gold earbuds.", + "alarm earbuds" + ], + "remote control for emerson led lcd tv lf501em4a lf320em4a lc391em4": [ + "remote control lcd tv lf501em4a lc391em4", + "remote control for emerson led lcd tv lf501em4a lc391em", + "remote control lcd tv lf501em4a lc391em4 a", + "imerson led lcd tv lf501em4a lc391em4", + "remote control for lcd tv lf501em4a lc391em4", + "remote control lcd tv lf501em4a lc391em4", + "remote control lcd tv lf501em4a lc391em", + "remote control lcd tv lf501em4a lc391em4 under $60", + "remote control lcd tv lf501em4a lc391em4 under $40", + "remote control" + ], + "i need a slate blue, big and tall t-shirt that is good for machine wash.": [ + "slash blue, big and tall t-shirt", + "blanket blue, big and tall t-shirt", + "slate blue, big and tall t-shirt", + "s slate blue, big and tall t-shirt", + " slate blue, big and tall t-shirt", + "al slate blue, big and tall t-shirt", + "slash blue t-shirt for machine wash", + "slash blue t-shirt", + "sweat blue t-shirt", + "pink t-shirt" + ], + "i'm looking for a 10 pack of hydrating sheet masks with anti aging properties. i would like to select the spa hairband option.": [ + "10 pack of hydrating sheet masks with anti aging properties", + "10 pack of hydrating sheet masks", + "10 pack hydrating sheet masks with anti aging properties", + "10 pack of hydrating sheets masks with anti aging properties", + "8 pack of hydrating sheet masks with anti aging properties", + "10 pack hydrating sheet masks", + "10 pack of hydrating sheets masks", + "a 10 pack of hydrating sheet masks", + "bathroom hairband", + "sea masks with anti aging properties" + ], + "i need some easy to apply 18mm eyelashes.": [ + "18mm eyelashes", + "18mm eyelashes easy to apply", + "18mm eyelashes, easy to apply", + "18mm eyelashes easy apply", + "18mm eyelashes under $50", + "easy to apply 18mm eyelashes", + "18mm eyelashes under $40", + "18mm eyelashes under $60", + "18mm eyelashes with easy to apply", + "18mm eyelashes." + ], + "i need high quality lashes in size 21mm that are easy to apply.": [ + "high quality lashes in size 21mm", + "high quality lashes size 21mm", + "low quality lashes in size 21mm", + "21mm lashes that are easy to apply", + "high quality lashes size 21mm easy to apply", + "large quality lashes in size 21mm", + "low quality lashes size 21mm", + "21mm lashes in size 21mm", + "21mm lashes easy to apply", + "21mm lashes" + ], + "look for supplies for eyelash extension dd curl 0.05 show me with easy apply.color: dd-0.03. please": [ + "alarm extension dd curl 0.05", + "alarm extension dd curl 0.05 color dd-0.03", + "alarm extension dd curl 0.05 color d-0.03", + "alarm extension dd curl 0.05 color", + "alarm extension dd curl 0.05 under $60", + "alarm extension dd curl 0.05 under $40", + "alarm extension dd curl 0.05 under $50", + "alarm extension dd curl 0.05, easy apply", + "l eyelash extension dd curl 0.05", + "l eyelash extension dd curl 0.05 color" + ], + "i am looking for a high quality wig that is sky blue colored.": [ + "sky blue wig", + "sky blue wig that is high quality", + "sky blue wig high quality", + "sky blue wig that is sky blue", + "sky blue colored wig", + "sky blue wig, high quality", + "sky blue wig high quality wig", + "sky blue wig, high quality,", + "sky blue wig in a high quality", + "sky blue wig." + ], + "i want to buy an easy to use instant coffee that comes in a decaf french vanilla.": [ + "easy to use instant coffee with decaf french vanilla", + "easy to use instant coffee decaf french vanilla", + "easy to use instant coffee with a decaf french vanilla", + "easy to use instant coffee flavor decaf french vanilla", + "easy to use instant coffee", + "easy to use instant coffee drink decaf french vanilla", + "easy to use instant coffee, decaf french vanilla", + "easy to use instant coffee decaf french vanilla flavor", + "easy to use instant coffee decaf french vanilla drink", + "easy to use instant coffee with decaf french vanilla flavor" + ], + "i would like a 3 piece assortment of salted caramel instant coffee that's rich and creamy.": [ + "3 piece assortment of salted caramel instant coffee", + "3 piece assortment of salted caramel instant coffee creamy", + "3 piece assortment of salted caramel instant coffee rich and creamy", + "salted caramel instant coffee rich and creamy", + "sugar caramel instant coffee rich and creamy", + "salted caramel instant coffee rich creamy", + "salted caramel instant coffee creamy 3 piece", + "stainless caramel instant coffee", + "sugar caramel instant coffee", + "salted caramel instant coffee creamy" + ], + "i would like some easy to use salted caramel instant coffee": [ + "easy to use salted caramel instant coffee", + "salted caramel instant coffee", + "sugar salted caramel instant coffee", + "simple to use salted caramel instant coffee", + "almond caramel instant coffee", + "almond salted caramel instant coffee", + "salted caramel instant coffee easy to use", + "Salted caramel instant coffee", + "slash caramel instant coffee", + "sugar caramel instant coffee" + ], + "i would like a 12 ounce box of classic cappuccino instant coffee mix that is easy to make.": [ + "12 ounce box of classic cappuccino instant coffee mix", + "classic cappuccino instant coffee mix", + "12 oz box of classic cappuccino instant coffee mix", + "classic cappuccino instant coffee mix 12 ounce", + "classic cappuccino instant coffee mix 12 oz", + "classic cappuccino instant coffee mix easy to make", + "12 ounce box classic cappuccino instant coffee mix", + "almond coffee mix 12 ounce", + "alarm coffee mix 12 ounce", + "12 ounce coffee mix" + ], + "i want to buy some men's construction boots with steel toe. they need to be slip resistant and size 15.": [ + "mens construction boots with steel toe size 15", + "mens construction boots with steel toe size 15", + "mens construction boots with steel toe", + "mens construction boots with steel toe, size 15", + "mens construction boots with steel toe size 15.", + "mens construction boots, slip resistant and size 15", + "mens construction boots size 15", + "mens construction boots with steel toe", + "mens construction boots in steel toe size 15", + "mens construction boots that are slip resistant size 15" + ], + "i want the fast charging hands free amzstar ipx0 waterproof headset. i want the grey ones.": [ + "i want the fast charging hands free amzstar ipx0 waterproof headset. i want the grey ones.", + "i want the fast charging hands free amzstar ipx0 waterproof headset. i want the grey ones.", + "im looking for the fast charging hands free amzstar ipx0 waterproof headset. i want the grey ones.", + "im looking for fast charging hands free amzstar ipx0 waterproof headset. i want the grey ones.", + "im looking for fast charging hands free amzstar ipx0 waterproof headset. i want the grey ones.", + "im looking for a grey amzstar ipx0 waterproof headset. i want the grey ones.", + "im looking for an amzstar ipx0 waterproof headset. i want the grey ones.", + "im looking for waterproof amzstar ipx0 waterproof headset. i want the grey ones.", + "im looking for waterproof amzstar ipx0 waterproof headset. i want the grey ones.", + "amzstar ipx0 waterproof headset" + ], + "fast charging wireless headphones with waterproof and bluetooth 5.0 facility and 16gb mp3 player and also color is red": [ + "fast charging wireless headphones with waterproof and bluetooth 5.0", + "fast charging wireless headphones with waterproof bluetooth 5.0 facility", + "fast charging wireless headphones", + "fast charging wireless headphones with waterproof", + "fast charging wireless headphones waterproof and bluetooth 5.0", + "red wireless headphones with waterproof and bluetooth 5.0 facility", + "fast charging wireless headphones with waterproof bluetooth 5.0", + "fast charging wireless headphones, waterproof and bluetooth 5.0", + "fast charging wireless headphones 16gb mp3 player color is red", + "fast charging wireless headphones with waterproof 2gb mp3 player" + ], + "i am interested in 2 pints eggless raw edible cookie dough with natural ingredients with chocochip & cherrychoco flavor.": [ + "2 pints eggless raw edible cookie dough with chocochip & cherrychoco flavor", + "2 pints eggless raw edible cookie dough", + "two pints eggless raw edible cookie dough with chocochip & cherrychoco flavor", + "1 pints eggless raw edible cookie dough with chocochip & cherrychoco flavor", + "2 pints eggless raw edible cookie dough, chocochip & cherrychoco flavor", + "2 pints eggless raw edible cookie dough with chocochip and cherrychoco flavor", + "pints eggless raw edible cookie dough with chocochip & cherrychoco flavor", + "2 pints eggless raw edible cookie dough, cherrychoco flavor", + "two pints eggless raw edible cookie dough", + "2 pints eggless raw edible cookie dough natural ingredients" + ], + "i am looking for a lantern pendant light with 4 lights. find me something in black and gold.": [ + " lantern pendant light with 4 lights", + "a lantern pendant light with 4 lights", + "l lantern pendant light with 4 lights", + "lantern pendant light with 4 lights", + " lantern pendant light with 4 lights in black and gold", + "anan pendant light with 4 lights", + "rainbow colored pendant light with 4 lights", + "lemon pendant light with 4 lights", + " lantern pendant light black and gold", + "nan pendant light with 4 lights" + ], + "seeking to buy a jar candle that is eco friendly. i want it to be 8 ounces and hazelnut latte color. soy candle wax.": [ + "a jar candle that is eco friendly. soy candle wax", + "m jar candle that is eco friendly. soy candle wax", + "mason candle 8 ounces eco friendly", + "mason candle that is eco friendly", + "m jar candle that is eco friendly", + "m jar candle 8 ounces eco friendly", + "a jar candle that is eco friendly", + "a jar candle that is eco friendly. soy candle wax.", + "moisturizing jar candle 8 ounces and hazelnut latte", + "mason candle eco friendly" + ], + "i want to find a gift set of soy candles that are eco friendly. the color should ideally be fresh linen.": [ + "gift set of soy candles", + "green candles that are eco friendly", + "eco friendly soy candles fresh linen", + "synthetic candles fresh linen", + "eco friendly soy candles", + "green candles", + "eco friendly candles fresh linen", + "sneakers fresh linen", + "synthetic friendly candles", + "eco friendly candles" + ], + "i am looking for eco friendly candle wax. please choose vanilla lavender.": [ + "eco friendly candle wax", + "eco friendly candle wax, vanilla lavender", + "eco friendly candle wax with vanilla lavender", + "eco friendly candle wax in vanilla lavender", + "eco friendly candle wax that is eco friendly", + "eco friendly candle wax vanilla lavender", + "eco friendly candle wax below $40", + "eco friendly candle wax under $40", + "eco friendly candle wax below $50", + "eco friendly candle wax candle wax" + ], + "i would like a jar candle that is eco friendly and cinnamon vanilla": [ + " jar candle that is eco friendly and cinnamon vanilla", + "mason candle eco friendly and cinnamon vanilla", + "mason candle eco friendly cinnamon vanilla", + " jar candle eco friendly cinnamon vanilla", + " jar candle eco friendly and cinnamon vanilla", + "m jar candle eco friendly cinnamon vanilla", + "pack candle eco friendly cinnamon vanilla", + "a jar candle that is eco friendly cinnamon vanilla", + " jar candle that is eco friendly cinnamon vanilla", + "moisturizing jar candle with cinnamon vanilla" + ], + "throw of size 40\"x50\" and color blankets 13": [ + "throw of size 40x50 color blankets 13", + "throw of size 40x50 color blankets", + "40x50 color blankets 13", + "size 40x50 color blankets 13", + "throw of size 40x50 colored blankets 13", + "throw of size 40 x50 color blankets 13", + "throw of size 40x50", + "throw of size 40x50 blankets 13", + "40x50 color blankets", + "50x50 color blankets 13" + ], + "i need a ready to use and fully assembled sewing kit.": [ + "ready to use and fully assembled sewing kit", + "ready to use and fully assembled sewing kit.", + "ready to use and fully assembled sewing kit for women", + "ready to use and fully assembled sewing kit for woman", + "ready to use, fully assembled sewing kit", + "ready to use fully assembled sewing kit", + "living room sewing kit ready to use", + "teeth kit ready to use", + "living room sewing kit", + "handmade sewing kit" + ], + "i need some pre-cooked honey barbque wings with the bone in, having at least 14 grams of protein per serving, contains 5 servings and is preferably frozen.": [ + "honey barbque wings with the bone in, 14 grams of protein per serving, contains 5 servings and is preferably frozen", + "hot honey barbque wings with the bone in, 14 grams of protein per serving, contains 5 servings and is preferably frozen", + "pre-cooked honey barbque wings with the bone in, contains 5 servings and is preferably frozen.", + "pre-cooked honey barbque wings with the bone in, contains 5 servings and is preferably frozen", + "pre-cooked honey barbque wings with the bone in", + "ready-cooked honey barbque wings with the bone in", + "pink honey barbque wings with the bone in", + "vegan honey barbque wings with the bone in", + "ready-cooked honey barbque wings", + "pink honey barbque wings" + ], + "i need a travel sized shampoo for damaged hair in a mini-discovery kit.": [ + "travel sized shampoo for damaged hair in a mini-discovery kit", + "travel sized shampoo for damaged hair in a mini-discovery kit.", + "vanity sized shampoo for damaged hair in a mini-discovery kit", + "Travel sized shampoo for damaged hair in a mini-discovery kit", + "travel sized shampoo for damaged hair mini-discovery kit", + " travel sized shampoo for damaged hair in a mini-discovery kit", + "temporary shampoo for damaged hair in a mini-discovery kit", + " travel sized shampoo for damaged hair in a mini-discovery kit.", + "temporary shampoo for damaged hair mini-discovery kit", + "travel sized shampoo for damaged hair" + ], + "i'm looking for a quad core, high performance desktop which has core i5.": [ + "quad core high performance desktop with core i5", + "quad core desktop with core i5", + "quad core desktop which has core i5", + "quad core, high performance desktop", + "quad core laptop with core i5", + "quad core, high performance desktop with i5", + "quad core desktop which has core i5.", + "desktop with core i5 quad core", + "desktop with core i5", + "quad core high performance desktop" + ], + "i'd like to find some brown fur-lined women's boots; they should be warm in the winter and work well in snow.": [ + "brown fur-lined womens boots", + "brown fur-lined womens boots in snow", + "brown fur-lined womens boots under $50", + "pink fur-lined womens boots", + "brown fur-lined womens boots in winter", + "brown fur-lined womens boots under $40", + "brown fur-lined womens boots,", + "brown fur-lined womens boots under $60", + "brown furlined womens boots", + "womens boots that are warm in the winter" + ], + "i need high quality makeup remover pads for my sensitive skin. i like it to be 12 pack and gray in color.": [ + "pink makeup remover pads for sensitive skin 12 pack and gray", + "high quality makeup remover pads for sensitive skin 12 pack and gray", + "pink makeup remover pads 12 pack and gray", + "high quality makeup remover pads for my sensitive skin 12 pack and gray", + "high quality makeup remover pads for sensitive skin. 12 pack and gray", + "high quality makeup remover pads 12 pack and gray", + "professional makeup remover pads 12 pack and gray", + "beauty remover pads 12 pack and gray", + "daring makeup remover pads 12 pack and gray", + "pink makeup remover pads for sensitive skin. 12 pack and gray" + ], + "locate for me a sweatyrocks women's high waist pu leather midi skirt. i want it in brown.": [ + "womens high waist pu leather midi skirt in brown", + "sweatrocks womens high waist pu leather midi skirt in brown", + "womens high waist pu leather midi skirt", + "sweatrocks womens high waist pu leather midi skirt", + "sweatrocks high waist pu leather midi skirt in brown", + "womens high waist pu leather midi skirt, brown", + "hotelrocks womens high waist pu leather midi skirt in brown", + "hot airrocks womens high waist pu leather midi skirt in brown", + "sweatrocks womens high waist pu leather midi skirt, brown", + " sweatyrocks womens high waist pu leather midi skirt in brown" + ], + "i need a hands free fm transmitter with a fast charge time.": [ + "free fm transmitter with a fast charge time", + "fm transmitter with a fast charge time", + "hands free fm transmitter with fast charge time", + "hands free fm transmitter with a fast charge", + "hand free fm transmitter with a fast charge", + "hand free fm transmitter with fast charge time", + "hands free fm transmitter", + "hand free fm transmitter", + "womens free fm transmitter", + "fm transmitter with fast charge" + ], + "i need some extra large butt lifting leggings in mint green.": [ + "extra large butt lifting leggings in mint green", + "extra large butt lifting leggings mint green", + "butt lifting leggings mint green", + "butt lifting leggings in mint green", + "pink butt lifting leggings in mint green", + "extra large butt lifting leggings in mint green.", + "untastic large butt lifting leggings in mint green", + "mens green butt lifting leggings in mint green", + "mint green butt lifting leggings in mint green", + "large butt lifting leggings in mint green" + ], + "i'm looking for a dark blue fleece throw that i can use to decorate my living room.": [ + "dark blue fleece throw for living room", + "dark blue fleece throw for living room.", + "dark blue fleece throw", + "dark blue fleece throw living room", + "dark blue fleece throw for the living room", + "dark blue fleece throw for a living room", + "dark blue fleece throw in the living room", + "dark blue fleece throw in a living room", + "dark blue fleece throw, for living room", + "dark blue fleece throw for living room," + ], + "i need a small rotating book shelf made of wood with 3 tier storage. pick a white one.": [ + "small rotating book shelf made of wood with 3 tier storage", + "small rotating book shelf made of wood 3 tier storage", + "small rotating book shelf made of wood", + "small rotating book shelf made of wood, 3 tier storage", + "small rotating book shelf made of wood 3 tier storage, white", + "small rotating book shelf made of wood with 3 tier storage white", + "small rotating book shelf made from wood with 3 tier storage", + "small rotating book shelf made of wood 2 tier storage", + "small rotating book shelf with 3 tier storage", + "small rotating book shelf" + ], + "i:need a mirrored wooden cabinet with one drawer two doors with round ring handle, style28 size and solid wood legs": [ + " mirrored wooden cabinet with one drawer two doors with round ring handle, style28 size and solid wood legs", + "roofed wooden cabinet with one drawer two doors with round ring handle", + "a mirrored wooden cabinet with one drawer two doors with round ring handle", + "roasted wooden cabinet with one drawer two doors with round ring handle", + "wood cabinet with one drawer two doors with round ring handle, style28 size and solid wood legs", + " mirrored wooden cabinet with one drawer two doors with round ring handle", + "roofed wooden cabinet with one drawer two doors with round ring handle and solid wood legs", + "roof wooden cabinet with one drawer two doors with round ring handle", + "wood cabinet with one drawer two doors with round ring handle", + "roofed wooden cabinet" + ], + "i want to find a 39.4 inch storage bench for shoes that i can put in my living room entryway.": [ + "39.4 inch storage bench for shoes", + "38.4 inch storage bench for shoes", + "40.4 inch storage bench for shoes", + "sneakers 39.4 inch", + "storage bench for shoes", + "portrait bench for shoes", + "39.4 inch storage bench", + "38.4 inch storage bench", + "40.4 inch storage bench", + "shoes storage bench" + ], + "find me 9oz bags of sugar free catalina crunch honey graham keto cereal. i want the low carb gluten free kind.": [ + "9oz sugar free catalina crunch honey graham keto cereal", + "sugar free catalina crunch honey graham keto cereal", + "9oz bags sugar free catalina crunch honey graham keto cereal", + "stainless sugar free catalina crunch honey graham keto cereal", + "sugar free catalina crunch honey graham keto cereal 9oz", + "9oz honey graham keto cereal", + "gluten free keto cereal 9oz", + "gluten free keto cereal 9oz sugar free", + "gluten free keto cereal 9oz bag", + "gluten free keto cereal 9oz sugar free 9oz" + ], + "i am looking for a organic cold brew coffee with straight black flavor. choose shelf stable product.": [ + "organic cold brew coffee with straight black flavor", + "organic cold brew coffee", + "organic cold brew coffee that is shelf stable", + "organic cold brew coffee straight black flavor", + "organic cold brew coffee straight black", + "organic cold brew coffee, straight black flavor", + "organic cold brew coffee shelf stable", + "organic cold brew coffee in straight black flavor", + "organic cold brew coffee drink mix shelf stable", + "organic cold brew coffee shelf stable product" + ], + "i am looking for a non-diary and sugar free cookie baking mix. it should have soft chocolate chips.": [ + "non-diary and sugar free cookie baking mix", + "non-diary sugar free cookie baking mix", + "non-diary sugar free cookie baking mix with soft chocolate chips", + "non-diary sugar free cookie baking mix, soft chocolate chips", + "non-diary and sugar free cookie baking mix under $40", + "non-diary chocolate chips cookie baking mix", + "non-diary cookies baking mix", + "non-diary cookie baking mix", + "no sugar free cookie baking mix", + "sugar free cookie baking mix" + ], + "i'd like to find a plastic body brush with a long handle that can slough off dead skin.": [ + "plastic body brush with a long handle", + "plastic body brush with long handle", + "plastic body brush", + "plastic body brush with long handle for dead skin", + "a plastic body brush with a long handle", + "pink body brush with a long handle", + "pink body brush with long handle", + "living body brush with long handle", + "pink body brush", + "living body brush" + ], + "i need some paraben free conditioner to promote hair growht.": [ + "paraben free conditioner to promote hair growht.", + "paraben free conditioner to promote hair growht", + "paraben free conditioner for hair growht", + "paraben free conditioner to promote hair growht under $40", + "paraben free conditioner to promote hair growht under $60", + "paraben free conditioner to promote hair growht under $50", + "paraben free conditioner to promote hair growht under 30 dollars", + "paraben free conditioner for hair growht.", + "paraben free conditioner to promote hair growht under 50 dollars", + "paraben free conditioner to promote hair growht under 60 dollars" + ], + "i am looking for slimpointoe red color anti slip flat sandal.": [ + "slimpointoe red color anti slip flat sandal", + "slimpointoe red anti slip flat sandal", + " slimpointoe red color anti slip flat sandal", + "slimpointoe red sandal", + "slimpointoe red color anti slip flat sandal", + "slimpointoe red stone anti slip flat sandal", + "lippointoe red color anti slip flat sandal", + " slimpointoe red anti slip flat sandal", + "slimpointoe red", + "slimpointoe red color anti slip flat sandals" + ], + "shop for a pair of size six jelly sandals with rubber soles and snap closures. by the silver ones in size six.": [ + "jeans size six with rubber soles and snap closures", + "jelly sandals with rubber soles and snap closures", + "pair of size six jelly sandals with rubber soles", + "size six jelly sandals with rubber soles", + "jeans with rubber soles and snap closures", + "pair of size six jelly sandals", + "two size six jelly sandals with rubber soles", + "jeans size six with rubber soles", + "size six jelly sandals", + "jelly sandals size six" + ], + "i want to find a blue electric shower brush with a long handle.": [ + "blue electric shower brush with a long handle", + "blue electric shower brush with long handle", + "blue electric shower brush", + "blue electric shower brush, long handle", + "blue electric shower brush long handle", + "blue electric shower brush that a long handle", + "blue electric shower brush that is long handle", + "blue electric showerbrush with a long handle", + "blue electric shower brush that has long handle", + "blue electric shower brush with long handle." + ], + "i need some hair growth formula.": [ + "hair growth formula", + "hair growth formula.", + "i need some hair growth formula.", + "hair growth formula under $40", + "hair growth formula under $50", + "hair growth formula that is high quality", + "hair growth formula under $60", + "hair growth formula that is natural", + "hair growth formula under 30 dollars", + "hair growth formula for men" + ], + "i\u2019m looking for refreshing advanced purifying mouth wash mouth spray for instant fresh breath.": [ + "pure purifying mouth wash mouth spray", + "water wash mouth spray", + "fresh breath mouth spray", + "pure purifying mouth wash", + "water wash mouth spray for fresh breath", + "pink mouth wash", + "watery mouth wash mouth spray", + "waterproof mouth wash", + "pink mouth wash mouth spray", + "toothpaste mouth spray" + ], + "i need a 6-wide jogging shoes that has arch support. and i would prefer the a4-black": [ + "6-wide jogging shoes with arch support", + "6-wide jogging shoes that has arch support", + "6-wide jogging shoes with arch support a4-black", + "6-wide jogging shoes with arch support in a4-black", + "6-wide jogging shoes with arch support, a4-black", + "6-wide jogging shoes that has arch support a4-black", + "6-wide jogging shoes a4-black", + "6-wide jogging shoes that have arch support", + "6-wide jogging shoes, arch support, a4-black", + "6-wide jogging shoes" + ], + "i am looking for a blue video gaming chair with lumbar support please.": [ + "blue video gaming chair with lumbar support", + "blue gaming chair with lumbar support", + "blue video gaming chair lumbar support", + "blue video gaming chair", + "blue gaming chair lumbar support", + "blue video gaming chair, lumbar support", + "blue video gaming chair that lumbar support", + "blue gaming chair, lumbar support", + "blue gaming chair", + "blue video gaming chair lumbar" + ], + "get me a non alcoholic bread mix made with natural ingredients.": [ + "non alcoholic bread mix with natural ingredients", + "non alcoholic bread mix made natural ingredients", + "non alcoholic bread mix", + "non alcoholic bread mix natural", + "non alcoholic bread mix natural ingredients", + "non alcoholic bread mix natural no sugar", + "non alcoholic bread mix made", + "non alcoholic bread mix made with natural", + "non alcoholic gluten free bread mix", + "natural bread mix" + ], + "i want a tempered glass screen protector that i can use for my iphone se.": [ + "tempered glass screen protector for iphone", + "tempered glass screen protector", + "tempered glass screen protector for iphone se", + "tempered glass screen protector iphone", + "tempered glass screen protector iphone se", + "tempered glass screen protector for my iphone", + "tempered glass screen protector, iphone se", + "tempered glass screen protector for i iphone", + "tempered glass screen protector for a iphone", + " tempered glass screen protector" + ], + "i'd like some black cupcake topper picks that i can use for a birthday party.": [ + "black cupcake topper picks for a baby shower", + "cupcake topper picks for a baby shower", + "bagcake topper picks for a baby shower", + "black cupcake topper pick for a baby shower", + "cupcake topper pick for a baby shower", + "cupcake topper picks for a baby shower.", + "black cupcake topper picks for a baby shower.", + "black cupcake topper picks for baby shower", + "cupcake topper picks for baby shower", + "black cupcake topper picks for a birthday party" + ], + "find me thai healthy gluten free mixed real fruit chips": [ + "tai healthy gluten free mixed real fruit chips", + "stai healthy gluten free mixed real fruit chips", + "sugar free mixed real fruit chips", + "tea healthy gluten free mixed real fruit chips", + "vegan healthy gluten free mixed real fruit chips", + "almond healthy gluten free mixed real fruit chips", + "almond gluten free mixed real fruit chips", + "fruit chips that are gluten free", + "sugar free mixed real fruit chips thai", + "i thai healthy gluten free fruit chips" + ], + "i need highly pigmented eyeshadow that is suitable for sensitive skin. metallic grey color is my preference.": [ + "pink pigmented eyeshadow suitable for sensitive skin. metallic grey", + "pink pigmented eyeshadow for sensitive skin", + "pink pigmented eyeshadow sensitive skin", + "pink pigmented eyeshadow suitable for sensitive skin. metallic grey color", + "pink pigmented eyeshadow suitable for sensitive skin", + "pink pigmented eyeshadow for sensitive skin. metallic grey", + "pink pigmented eyeshadow, suitable for sensitive skin. metallic grey", + "pink pigmented eyeshadow that is suitable for sensitive skin", + "highly pigmented eyeshadow that is suitable for sensitive skin. metallic grey", + "pink pigmented eyeshadow for sensitive skin. metallic grey color" + ], + "looking for safavieh hudson shag collection area rug in dark grey | ivory rectangular shaped that is 2 ft 3 in x 6 ft for my living or dining room.": [ + "safavieh hudson shag collection area rug in dark grey", + "safavieh hudson shag rug in dark grey", + "safavieh hudson shag collection rug in dark grey", + "safavieh hudson shag collection area rug", + "safavieh hudson shag rug", + "safavieh hudson shag collection rug", + "shag collection area rug in dark grey", + "safavieh hudson shag", + "shag collection rug in dark grey", + "shag rug in dark grey" + ], + "i want to find an extra large, long-sleeve two-piece outfit for daily wear. please find me something in coffee color.": [ + "extra large, long-sleeve two-piece outfit", + "extra large long-sleeve two-piece outfit", + "two-piece outfit for daily wear in coffee color", + "two-piece outfit in coffee color", + "two-piece outfit for daily wear. coffee color", + "extra large coffee color two-piece outfit", + "two-piece outfit for daily wear", + "extra large coffee colored two-piece outfit", + "two-piece outfit for daily wear coffee color", + "two-piece outfit" + ], + "i want to find a 4-piece set of haircare products for damaged hair, including essential oils and herbal spray.": [ + "4-piece set of haircare products for damaged hair with essential oils", + "4-piece set of haircare products for damaged hair", + "hairbrush products for damaged hair with essential oils and herbal spray", + "hairbrush products 4-piece set of essential oils and herbal spray", + "hairbrush products for damaged hair, essential oils and herbal spray", + "hairbrush products for damaged air with essential oils and herbal spray", + "hairbrush products for damaged hair with essential oils", + "hairbrush products for damaged hair 4-piece", + "hairbrush products for damaged hair", + "4-piece set of haircare products" + ], + "i want to get a 3.5 ounce bag of snackable thai rice cake chips, in the original flavor. i'm a celiac so these must be gluten free.": [ + "3.5 ounce bag of snackable thai rice cake chips", + "3.5 ounce bag of snackable thai rice cake chips, gluten free", + "3.5 ounce bag of snackable thai rice cake chips gluten free", + "3.5 ounce bag of snackable thai rice cake chips no gluten", + "sneakers 3.5 ounce bag of snackable thai rice cake chips", + "three.5 ounce bag of snackable thai rice cake chips", + "3.5 ounce bag of snackable thai rice cake chips,", + "3.5 ounce bag of snackable thai rice cake chips, no gluten", + "sugar free thai rice cake chips", + "bag of snackable thai rice cake chips" + ], + "i'm looking for some non gmo honey roasted and chopped pecans.": [ + "non gmo honey roasted and chopped pecans", + "non gmo honey roasted and chopped pecans under $40", + "non gmo honey roasted and chopped pecans under $60", + "non gmo honey roasted and chopped pecans under $50", + "non gmo honey roasted and chopped pecans under 50 dollars", + "non gmo honey roasted and chopped pecans.", + "non gmo honey roasted and chopped pecans under 30 dollars", + "non gmo honey roasted and chopped pecans below $40", + "non gmo honey roasted and chopped pecans under 40 dollars", + "non gmo honey roasted and chopped pecans under 60 dollars" + ], + "i want to find a pink pair of women's casual wedge, anti-slip slippers in a size 9.": [ + "womens casual wedge, anti-slip slippers in a size 9", + "pink pair of womens casual wedge, anti-slip slippers", + "pink womens casual wedge anti-slip slippers in a size 9", + "womens casual wedge, anti-slip slippers size 9", + "womens casual wedge anti-slip slippers in a size 9", + "pink, anti-slip slippers in a size 9", + "womens casual wedge, anti-slip slippers, size 9", + "womens casual wedge, anti-slip slippers", + "pink womens casual wedge, anti-slip slippers", + "pink slippers in a size 9" + ], + "i'd like to find a pair of extra-large cargo shorts in british khaki. ideally, it'll have an elastic waist.": [ + "extra-large cargo shorts british khaki", + "british khaki extra-large cargo shorts", + "british khaki extra-large shorts", + "extra-large british khaki shorts", + "british khaki shorts extra-large", + "extra-large cargo shorts with elastic waist", + "extra-large cargo shorts", + "extra-large cargo shorts under $50", + "british khaki shorts", + "british khaki cargo shorts" + ], + "please find me a heavy duty pvc table cover protector that is about 36 x 60 inches. ideally, it should be waterproof and easy clean.": [ + "heavy duty pvc table cover protector", + "heavy duty pvc table cover protector 36 x 60 inches", + "heavy duty pvc table cover protector under $60", + "heavy duty pvc table cover protector under $50", + "heavy duty pvc table cover protector under $40", + "pvc table cover protector 36 x 60 inches", + "heavy duty pvc table cover protector under $120", + "pvc table cover protector, 36 x 60 inches", + "pvc table cover protector", + "heavy duty pvc table cover protector, 36 x 60" + ], + "i am looking for a 44 x 122.2 inches - customized size double sided table pads": [ + " 44 x 122.2 inches - customized size double sided table pads", + "44 x 122.2 inches - customized size double sided table pads", + "42 x 122.2 inches - customized size double sided table pads", + "44 x 122.2 inches double sided table pads", + "44 x 122.2 inches table pads", + " 44 x 122.2 inches table pads", + "42 x 122.2 inches table pads", + " 44 x 122.2 inches double sided table pads", + "a 44 x 122.2 inches table pads", + " 44 x 122.2 inches - customized size double sided table pad" + ], + "i'm looking for gluten-free beanfields bean chips, jalapeno lime 4-pack.": [ + "gluten-free beanfields bean chips jalapeno lime 4-pack", + "gluten free beanfields bean chips jalapeno lime 4-pack", + "gluten free beanfields bean chips, jalapeno lime 4-pack", + "gluten free beanfields bean chips jalapeno lime 4-pack.", + "a gluten-free beanfields bean chips jalapeno lime 4-pack", + "gluten-free beanfields beans chips jalapeno lime 4-pack", + "bagels gluten free jalapeno lime 4-pack", + "bagels gluten-free jalapeno lime 4-pack", + "bagel chips jalapeno lime 4-pack", + "bagels gluten-free jalapeno lime 4-pack." + ], + "i am looking for a face oil serum that is cruelty free produced and has anti aging properties.": [ + "face oil serum cruelty free", + "cruelty free face oil serum with anti aging properties", + "tooth serum cruelty free", + "face oil serum with anti aging properties", + "teeth oil serum cruelty free", + "face oil serum cruelty free and anti aging", + "cruelty free face oil serum", + "cruelty free face oil serum that is cruelty free", + "cruelty free face oil serum anti aging", + "face oil serum that is cruelty free" + ], + "i need a easy to use high quality self piercing ear gun in light grey colour": [ + "easy to use high quality self piercing ear gun in light grey", + "easy to use high quality self piercing ear gun", + "easy to use high quality self piercing ear gun light grey", + "easy to use high quality self piercing ear gun, light grey", + "easy to use high quality self piercing ear gun under $40", + "easy to use high quality self piercing ear gun under $50", + "low grey self piercing ear gun", + "light grey self piercing ear gun", + "walking ear gun in light grey", + "walking ear gun light grey" + ], + "i'm looking for a remote control for my ultra hd tv.": [ + "remote control ultra hd tv", + "remote control for ultra hd tv", + "remote control ultra hd tv.", + "remote control for ultra hd tv.", + "remote control for my ultra hd tv", + "remote control for an ultra hd tv", + "remote control of ultra hd tv", + "remote control ultra hd tv,", + "router control ultra hd tv", + "tv remote control" + ], + "i'm looking for a neck cushion for a hair salon shampoo bowl .": [ + " neck cushion for a hair salon shampoo bowl", + "neck cushion for a hair salon shampoo bowl", + "knee cushion for a hair salon shampoo bowl", + "teeth cushion for a hair salon shampoo bowl", + "hair salon shampoo bowl neck cushion", + "head cushion for a hair salon shampoo bowl", + "neck cushion for hair salon shampoo bowl", + " neck cushion for a hair salon shampoo bowl .", + "neck cushion hair salon shampoo bowl", + " neck cushion for a hair salon shampoo bowl." + ], + "i'm looking for a candie potato chips covered by chocolate and with 1 pound pack": [ + "curtie potato chips covered by chocolate and with 1 pound pack", + "candie potato chips covered by chocolate and with 1 pound pack", + "curtie potato chips covered by chocolate and 1 pound pack", + "strawberry potato chips covered by chocolate and with 1 pound pack", + "candie potato chips covered by chocolate and 1 pound pack", + "strawberry potato chips covered by chocolate and 1 pound pack", + "curtie potato chips covered by chocolate 1 pound pack", + "strawberry potato chips covered by chocolate 1 pound pack", + "candie potato chips covered by chocolate 1 pound pack", + "curtie potato chips covered by chocolate 1 pound pack under $40" + ], + "i want to find grey 30 by 45 inch blackout curtains that i can use for my living room. they must be machine washable.": [ + "grey 30 by 45 inch blackout curtains", + "grey 30 by 45 inch blackout curtains, machine washable", + "grey 30 by 45 inch blackout curtains for living room", + "grey 30 by 45 inch blackout curtains machine washable", + "grey 30 by 45 inch blackout curtains under $60", + "grey 30 by 45 inch blackout curtains in a living room", + "grey 30 by 45 inch blackout curtains under $40", + "grey 30 x 45 inch blackout curtains", + "grey 30 by 45 inch blackout curtains under $50", + "grey 30 by 45 inch blackout curtains under 50 dollars" + ], + "i need some vinyl sandals in ochre colors.": [ + "vinyl sandals in ochre colors", + "vinyl sandals ochre colors", + " vinyl sandals in ochre colors", + "a vinyl sandals in ochre colors", + "aluminum sandals in ochre colors", + " vinyl sandals ochre colors", + "levis sandals in ochre colors", + "vinyl sandals ochre", + "vinyl sandals in ochre", + " vinyl sandals in ochre colors." + ], + "i'm looking for a w 47in x h 75in cooling bamboo mattress pad that is double sided.": [ + "w 47in x h 75in cooling bamboo mattress pad", + "w 47in x h 75in cooling bamboo mattress pad", + "w 47in x h 75in cooling bamboo mattress pad, double sided", + "w 47in x h 75in cooling bamboo mattress pad with double sided", + "w 47in x h 75in sleeping bamboo mattress pad", + "w 47in x h 75in cooling bamboo mattress pad double sided", + "w 47in x h 75in cooling bamboo mattress pad under $40", + "w 47in x h 75in bamboo mattress pad", + "twin sided bamboo mattress pad", + "living room mattress pad" + ], + "search for women wedding wedges with slingback shoes and summer ankle strap must be leopard print.": [ + "womens wedding wedges with slingback shoes and summer ankle strap", + "womens wedding wedges with slingback shoes in leopard print", + "womens wedding wedges with slingback shoes", + "womens wedding wedges with slingback shoes, leopard print", + "womens wedding wedges with slingback shoes with leopard print", + "womens wedding wedges with slingback shoes leopard print", + "woman wedding wedges with slingback shoes and summer ankle strap", + "womens wedding wedges, leopard print", + "womens wedding wedges in leopard print", + "womens wedding wedges leopard print" + ], + "i need some fully cooked canned meats with a long shelf life.": [ + "full cooked canned meats with a long shelf life", + "full cooked canned meats with long shelf life", + "packaged meats with long shelf life", + "full cooked canned meats with long shelf life.", + "full cooked canned meats long shelf life", + "non cooked canned meats with long shelf life", + "packaged meats with a long shelf life", + "vegan meats with long shelf life", + "vanity cooked canned meats with long shelf life", + "packaged meats long shelf life" + ], + "i'm looking for a highly pigmented eye shadow kit. also, choose the nude pallet kit with brush.": [ + "nude pallet kit with brush", + "pink pigmented eye shadow kit", + "pink pallet kit with brush", + "lip pigmented eye shadow kit with brush", + "highly pigmented eye shadow kit with brush", + "nude pallet kit", + "nude pallet kit with brush.", + "lip pigmented eye shadow kit", + "pigmented eye shadow kit with brush", + "pink pallet kit" + ], + "i need a new quad core 4gb 32gb support usb port 1080p hd android tv box.": [ + "quad core 4gb 32gb support usb port", + "quad core 4gb 32gb with usb port", + "quad core 4gb 32gb tv box with usb port", + "quad core 4gb 32gb tv box", + "quad core 4gb 32gb usb port", + "quad core 4gb 32gb", + "quad core 4gb 32gb support usb port.", + "quad core 4gb 32gb android tv box", + "quad core 4gb 32gb bundle with usb port", + "tablet 4gb with usb port" + ], + "i want a fully assembled queen size mattress.": [ + "queen size mattress", + "king size mattress", + "living room queen size mattress", + "living queen size mattress", + "comfortable queen size mattress", + "queen size mattress.", + "living room queen size mattress.", + "kingwoman size mattress", + "living queen size mattress.", + "king size mattress." + ], + "i would like a twin size bed with a 8\" unassembled box string high density mattress.": [ + "twin bed with a 8 unassembled box string high density mattress", + "twin size bed with a 8 unassembled box string", + "twin bed with a 8 unassembled box string", + "twin bed 8 unassembled box string high density mattress", + "twin bed with 8 unassembled box string high density mattress", + " twin size bed with a 8 unassembled box string high density mattress", + "twin size bed with a 8 unassembled box string high density", + "twin size bed with 8 unassembled box string high density mattress", + "twin bed with an 8 unassembled box string high density mattress", + "twin bed with a 8 unassembled box string high density" + ], + "i am looking 2 bathbar marblezied having nickel finish vanity light": [ + "bathbar marblezied with nickel finish vanity light", + "bathbar marblezied having nickel finish vanity light", + "2 bathbar marblezied with nickel finish vanity light", + "2 bathbar marblezied having nickel finish vanity light", + "bathbar marblezied having a nickel finish vanity light", + "bathbar marblezied having nickel finish vanity light", + "bathbar marblezied 2 nickel finish vanity light", + "bathbar marblezied, nickel finish vanity light", + "bathbar marblezied", + "2 bathbar marblezied" + ], + "i want to find a high-speed, fast-charging portable iphone charger that's black.": [ + "iphone charger black", + "portable iphone charger black", + "portable iphone charger thats black", + "portrait charger black", + "portable iphone charger in black", + "portable iphone charger", + "iphone charger thats black", + "portable iphone charger, black", + "iphone charger that is black", + "iphone charger in black" + ], + "i am looking for faceworks hypoallergenic lipstick for sensitive skin in the color matte nude hollywood.": [ + "lip color matte nude hollywood", + "beauty lip color matte nude hollywood", + "pink lip color matte nude hollywood", + "pink hypoallergenic lipstick hollywood", + " faceworks hypoallergenic lipstick hollywood", + "pink lip for sensitive skin", + "faceworks hypoallergenic lipstick hollywood", + " faceworks hypoallergenic lipstick", + "gluten-free hollywood lip color", + "gluten-free hollywood lipstick" + ], + "i need a beauty salon chair.": [ + "beauty salon chair", + "beauty salon chair.", + "beauty salon chair less then $40", + "beauty salon chair under $50", + "beauty salon chair less then $60", + "beauty salon chair less then $50", + "beauty salon chair in a beauty salon", + "beauty salon chair beauty salon chair", + "beauty salon chair under $40", + "beauty salon chair under $60" + ], + "i'm looking for a men's loose fit shirt in xx-large for daily wear.": [ + "mens loose fit shirt xx-large", + "mens loose fit shirt in xx-large", + "mens loose fit shirt xx-large daily wear", + "mens loose fit shirt xx-large", + "mens loose fit shirt in xx-large", + "mens loose fit shirt xx-large daily", + "mens loose fit shirt x-large", + "mens loose fit t-shirt xx-large", + "mens loose fit shirt xx-l", + "mens loose fit shirt xxl" + ], + "i'm looking for a 6 count, 9oz. simple mills gluten free almond flour baking bread mix in pumpkin flavor. it needs to be muffin pan ready and nutrient dense.": [ + "simple mills gluten free almond flour baking bread mix in pumpkin flavor", + "6 count, 9oz. simple mills gluten free almond flour baking bread mix", + "6 count gluten free almond flour baking bread mix in pumpkin flavor", + "simple mills gluten free almond flour baking bread mix", + "simple mill gluten free almond flour baking bread mix in pumpkin flavor", + "6 count, 9oz gluten free almond flour baking bread mix in pumpkin flavor", + "6 count almond flour baking bread mix in pumpkin flavor", + "6 count sugar free almond flour baking bread mix in pumpkin flavor", + "6 count, 9oz. simple mill gluten free almond flour baking bread mix", + "easy gluten free almond flour baking bread mix in pumpkin flavor" + ], + "i'm looking for a two-ounce stick of anti-perspirant that will be long-lasting.": [ + "two-ounce stick of anti-perspirant", + "twoounce stick of anti-perspirant", + "two ounce stick of anti-perspirant", + "one-ounce stick of anti-perspirant", + "2ounce stick of anti-perspirant", + "2-ounce stick of anti-perspirant", + "two oz stick of anti-perspirant", + "two-ounce stick anti-perspirant", + "two oz anti-perspirant", + "anti-perspirant twoounce stick" + ], + "i need a machine washable ottoman seat that is contemporary and white navy colored.": [ + "machine washable ottoman seat contemporary and white navy colored", + "machine washable ottoman seat, contemporary and white navy colored", + "machine washable ottoman seat in contemporary and white navy colored", + "machine washable ottoman seat with contemporary and white navy colored", + "machine washable ottoman seat", + "machine washable ottoman seat that is contemporary and white navy", + "machine washable ottoman seat that is contemporary white navy colored", + "machine washable ottoman seat contemporary white navy colored", + "machine washable ottoman seat that is contemporary and white", + "machine washable ottoman seat in contemporary white" + ], + "i would like a white beige armless chair in a contemporary modern style.": [ + "white beige armless chair", + "white beige armless chair in a modern style", + "white beige armless chair, contemporary modern style", + "white armless chair in a contemporary modern style", + "white beige armless chair living modern style", + "living modern style white beige armless chair", + "white beige armless chair with a modern style", + "white beige armless chair that is contemporary modern", + "white beige armless chair, modern style", + "white beige armless chair modern style" + ], + "i need a long sleeve shirt with a red contrast color.": [ + "long sleeve shirt red contrast", + "long sleeve shirt with red contrast color", + "long sleeve shirt red contrast color", + "long sleeve shirt with red contrast", + "long sleeve shirt with a red contrast", + "long sleeve shirt in red contrast color", + "long sleeve shirt in red contrast", + "long sleeve shirt, red contrast color", + "short sleeve shirt red contrast", + "long sleeve shirt red contrast colored" + ], + "i need a medium size lovers casual round neck valentine's day print short sleeve tummy control v-neck t-shirt top, also, choose the \u8d2248 - wine color one.": [ + "medium size lovers casual round neck valentines day print t-shirt top", + "medium size lovers casual round neck valentines day print t-shirt", + "medium size lovers casual round neck valentines day print t-shirt top in wine color", + "medium size lovers casual round neck valentines day print t-shirt top under $50", + "short sleeve tummy control v-neck t-shirt", + "slimming v-neck t-shirt", + "medium t-shirt with a wine color", + "short sleeve tummy control t-shirt", + "small wine t-shirt", + "medium t-shirt under $50" + ], + "i need an eco friendly soy candle with an english pear scent.": [ + "eco friendly soy candle with an english pear scent", + "eco friendly soy candle with english pear scent", + "eco friendly soy candle with a english pear scent", + "eco friendly soy candle, english pear scent", + "eco friendly soy candle that is english pear scent", + "eco friendly soy candles with an english pear scent", + "eco friendly soy candle", + "eco friendly soy candle in english pear scent", + "eco friendly soy candle by english pear scent", + "eco friendly soy candle under $40" + ], + "i'm looking for mccormick easy to prepare turkey gravy mix in a 0.87oz package.": [ + "mccormick turkey gravy mix in a 0.87oz package", + "mccormick turkey gravy mix 0.87oz package", + "mccormick easy to prepare turkey gravy mix", + "mccormick turkey gravy mix in a 0.87oz package.", + "easy to prepare turkey gravy mix in a 0.87oz package", + "mccormick gravy mix in a 0.87oz package", + "mccormick turkey gravy mix, 0.87oz package", + "mccormick turkey gravy mix 0.87oz", + "mccormick turkey gravy mix", + "mccormick turkey gravy mix in a 0.87oz package," + ], + "i'm looking for a size 0.75 ounce easy prepare turkey gravy mix.": [ + "size 0.75 ounce easy prepare turkey gravy mix", + "1.75 ounce easy prepare turkey gravy mix", + "easy prepare turkey gravy mix size 0.75 oz", + "small 0.75 ounce easy prepare turkey gravy mix", + "easy prepare turkey gravy mix", + "6.75 ounce easy prepare turkey gravy mix", + "easy prepare turkey gravy mix size 0.75 ounce", + "small turkey gravy mix", + "easy prepare turkey gravy mix size 0.75", + "easy prepare turkey gravy mix below $50" + ], + "i want an easy to prepare mccormick turkey brown gravy mix.": [ + "easy to prepare mccormick turkey brown gravy mix", + "mccormick turkey brown gravy mix", + "easy to prepare mccormick turkey brown gravy mix.", + "mccormick turkey brown gravy mix that is easy to prepare", + "im looking for a mccormick turkey brown gravy mix.", + "mccormick turkey brown gravy mix easy to prepare", + "moisturizing turkey brown gravy mix", + "mccormick turkey brown gravy mix.", + "muskmick turkey brown gravy mix", + "moisturizing turkey gravy mix" + ], + "can you find me a pack of turkey gravy mix that is easy to prepare?": [ + "pack of turkey gravy mix", + "turkey gravy mix that is easy to prepare", + "pack of turkey gravy mix easy to prepare", + "t turkey gravy mix that is easy to prepare", + "turkey gravy mix easy to prepare", + "easy to prepare turkey gravy mix", + "bag of turkey gravy mix", + "t turkey gravy mix easy to prepare", + "turkey gravy mix", + "pink turkey gravy mix" + ], + "i'm looking for a cell phone case for my new iphone 13 mini, i want the case to have the non slip and wireless charging feature, also, the color should be in clear green and blue.": [ + "cell phone case for iphone 13 mini", + "phone case for iphone 13 mini", + "cell phone case in clear green and blue", + "iphone 13 mini case in clear green", + "iphone 13 mini case with non slip", + "cell phone case in clear green", + "iphone 13 mini case", + "phone case iphone 13 mini", + "cell phone case", + "phone case" + ], + "i'm looking for soft, blue plaid throw pillows for the living room, also machine washable.": [ + "soft, blue plaid throw pillows for the living room", + "soft, blue plaid throw pillows for the living room,", + "soft, blue plaid throw pillows for living room", + "soft, blue plaid throw pillows", + "soft, blue plaid throw pillows in the living room", + "soft, blue plaid throw pillows living room", + "soft, blue plaid throw pillows that are machine washable", + "soft, blue plaid throw pillows, machine washable", + "soft plaid throw pillows for the living room", + "soft blue plaid throw pillows for the living room" + ], + "i want to find a pair of women's ankle boots in an ice blue color. i wear a size 5 and need good arch support.": [ + "womens ankle boots in an ice blue color", + "womens ankle boots size 5 with arch support", + "womens ankle boots size 5", + "womens ankle boots in an ice blue", + "womens ankle boots in a size 5", + "womens ankle boots size 5 ice blue", + "womens ankle boots, ice blue", + "knee boots in an ice blue color", + "womens ankle boots a size 5", + "womens ankle boots" + ], + "find me a 2 ft 3 in x 14 ft sized living room square rug in either navy or cream color.": [ + "2 ft 3 x 14 ft sized living room square rug in either navy or cream color", + "2 ft 3 in x 14 ft sized living room square rug in either navy or cream", + "living room square rug in either navy or cream color", + "2 ft 3 in x 14 ft sized living room square rug in navy or cream color", + "2 ft 3 in x 14 ft living room square rug in either navy or cream color", + "living room square rug in navy or cream color", + "2 ft 3 in x 14 ft sized living room square rug", + "2 ft 3 square rug in either navy or cream color", + "living room square rug in either navy or cream", + "living room square rug in navy or cream" + ], + "i need a large high resolution photography background in 10x7ft.": [ + "large high resolution photography background in 10x7ft", + "large high resolution photography background in 10x7ft.", + "large high resolution photography background 10x7ft", + "medium high resolution photography background in 10x7ft", + "small high resolution photography background in 10x7ft", + "x7 high resolution photography background in 10x7ft", + "large high resolution photography background in 10x7ft,", + "large high resolution photography background in 10x7 ft", + "large high resolution photography background", + "10x7 high resolution photography background" + ], + "i'm looking for a solid wood, full size low platform storage bed.": [ + "solid wood low platform storage bed", + "solid wood full size low platform storage bed", + "full size low platform storage bed", + "solid wood low platform storage bed.", + "stainless wood low platform storage bed", + "living room solid wood low platform storage bed", + "solid wood high platform storage bed", + "solid wood storage bed", + "low platform storage bed", + "full size low platform storage bed." + ], + "i am interested in a bos spring storage bed which is king sized.": [ + "king sized spring storage bed", + "king sized spring storage bed, king sized", + "queen spring storage bed king sized", + "bathroom spring storage bed king sized", + "king sized spring storage bed king sized", + "knee spring storage bed king sized", + "ps spring storage bed king sized", + "king sized spring storage bed under $50", + "king sized spring storage bed under $40", + "king sized spring storage bed under $60" + ], + "i'd like to find a 3-pack of male to female high-speed hdmi cables. ideally these cables should be 12 feet long.": [ + "3-pack of male to female high-speed hdmi cables", + "4-pack of male to female high-speed hdmi cables", + " 3-pack of male to female high-speed hdmi cables", + "3-pack of male to female hdmi cables", + "3 pack of male to female high-speed hdmi cables", + "3-pack of female high-speed hdmi cables", + "man to woman high-speed hdmi cables 12 feet long", + "men to female high-speed hdmi cables 12 feet long", + "male to female high-speed hdmi cables 12 feet long", + "male to female high-speed hdmi cables" + ], + "i want to buy hdmi cable which is gold plated and comes in 10 pack with a length of 1.5 feet and is an hdmi male to male.": [ + "hdmi cable gold plated hdmi male to male", + "hdmi cable with a length of 1.5 feet", + "hdmi cable, gold plated, 1.5 feet", + "hdmi cable which is gold plated 1.5 feet", + "hdmi cable gold plated", + "hdmi cable which is gold plated", + "hdmi cable, gold plated", + "hdmi cable 10 pack", + "hdmi cable gold plated 1.5 feet", + "gold hdmi cable" + ], + "please help me find a cozy and warm fleece throw blanket. it should be quite large, about 50 by 80 inches.": [ + "50 by 80 inches fleece throw blanket", + "50 by 80 inch fleece throw blanket", + "40 by 80 inches fleece throw blanket", + "50 x 80 fleece throw blanket", + "50 by 80 foot fleece throw blanket", + "50x 80 fleece throw blanket", + "blanket 50 by 80 inches", + "comfortable fleece throw blanket", + "50 by 80 blankets", + "fleece throw blanket" + ], + "i want to find an ac adapter that features a dual-band cradle signal booster kit.": [ + "ac adapter with dual-band cradle signal booster kit", + "ac adapter dual-band cradle signal booster kit", + "ac adapter, dual-band cradle signal booster kit", + "a dual-band cradle signal booster kit", + "dual-band cradle signal booster kit", + "ac adapter with dual-band cradle signal booster", + "ac adapter with a dual-band cradle signal booster", + "ac adapter dual-band cradle signal booster kit.", + "ac adapter dual-band cradle signal booster", + "alarm signal booster kit" + ], + "i am looking for an ac adapter that has output protection.": [ + "ac adapter with output protection", + "ac adapter that has output protection", + "ac adapter no output protection", + " ac adapter with output protection", + "a ac adapter with output protection", + "ac adapter that is output protection", + "ac adapter, output protection", + "ac adapter output protection", + "ac adapter no output", + "ac adapter" + ], + "i want to find a pair of women's classic side sandals in black and red. i wear a size 7, and the shoes need to feature ethylene vinyl.": [ + "womens classic side sandals in black and red", + "womens classic side sandals size 7 ethylene vinyl", + "classic side sandals in black and red", + "womens classic side sandals in black and red.", + "womens classic side sandals black ethylene vinyl", + "womens classic side sandals in black ethylene vinyl", + "mens classic side sandals in black and red", + "womens classic side sandals in black", + "classic side sandals size 7 ethylene vinyl", + "womens classic side sandals in black red" + ], + "i'd like to find a pair of size-12 men's waterproof sneakers. it should have ethylene vinyl and ideally i want the color to be breen.": [ + "size-12 mens waterproof sneakers with ethylene vinyl", + "size-12 mens waterproof sneakers", + "size-12 mens waterproof sneakers ethylene vinyl", + "size-12 mens waterproof sneakers breen", + "size-12 mens waterproof sneakers in ethylene vinyl", + "size-12 mens waterproof sneakers, ethylene vinyl", + "size-12 mens waterproof sneakers color breen", + "pair of size-12 mens waterproof sneakers", + "sneakers size-12 ethylene vinyl", + "pair of size-12 mens waterproof sneakers breen" + ], + "i need a 70\" portable, easy to install, and easy to use projector screen.": [ + "70 portable projector screen", + "projection screen 70 portable", + "projector screen 70 portable", + "projection screen that is 70 portable", + "projector screen that is 70 portable", + "projection screen", + "projector screen", + "projection screen 70", + " 70 portable projector screen", + "projection screen that is portable" + ], + "i need some medium white casual shorts in a regular size.": [ + "medium white casual shorts in a regular size", + "medium white casual shorts", + "medium white casual shorts regular size", + "medium white casual shorts in regular size", + "medium white casual shorts, regular size", + "medium white casual shorts that are regular size", + "medium white casual shorts in regular size.", + "large white casual shorts in a regular size", + "medium white casual shorts a regular size", + "medium white" + ], + "i'm looking for a 12-pack of individually wrapped, spicy beef jamaican style patties.": [ + "12 pack of individually wrapped, spicy beef jamaican style patties", + "pack of individually wrapped, spicy beef jamaican style patties", + "12-pack of individually wrapped spicy beef jamaican style patties", + "12-pack, spicy beef jamaican style patties", + "12-pack of individually wrapped beef jamaican style patties", + "pack of individually wrapped, spicy beef jamaican style patties.", + "12-pack of individually wrapped, spicy beef jamaican patties", + "chocolate beef jamaican style patties 12 pack", + "chocolate beef jamaican style patties", + "12-pack of individually wrapped patties" + ], + "i need a heavy duty beauty salon chair in black.": [ + "beauty salon chair in black", + "heavy duty beauty salon chair in black", + "large duty beauty salon chair in black", + "low duty beauty salon chair in black", + "beauty salon chair in black.", + "laundry salon chair in black", + "beauty salon chair black", + "beauty salon chair heavy duty black", + "black beauty salon chair heavy duty", + "bagel chair in black" + ], + "i'm looking for a pair of men's adidas shoes with lace closure and rubber sole, and i need size seven.": [ + "mens adidas shoes with lace closure", + "mens adidas shoes with lace closure and rubber sole", + "mens adidas shoes size 7", + "mens adidas shoes with lace closure, rubber sole", + "mens adidas shoes size 7.5", + "mens adidas shoes size seven", + "mens adidas shoes in a size 7", + "mens adidas shoes", + "mens adidas shoes that are size 7", + "mens adidas shoes with lace closure" + ], + "i want a bling smartwatch case, apple series 6/5/4/3/2/1, with tempered glass, to fit a 44mm watch.": [ + " bling smartwatch case, apple series 6/5/4/3/2/1, with tempered glass, to fit a 44mm watch", + "brushed smartwatch case, apple series 6/5/4/3/2/1, with tempered glass, to fit a 44mm watch", + "bling smartwatch case, apple series 6/5/4/3/2/1, with tempered glass, to fit a 44mm watch", + "duck smartwatch case, apple series 6/5/4/3/2/1, with tempered glass, to fit a 44mm watch", + "smartwatch case, apple series 6/5/4/3/2/1, with tempered glass, to fit a 44mm watch", + " bling smartwatch case, apple series 6/5/4/3/2/1, with tempered glass", + "bling smartwatch case, apple series 6/5/4/3/2/1, with tempered glass, to fit a 44mm watch", + "brushed smartwatch case, apple series 6/5/4/3/2/1, with tempered glass", + "smartwatch case, apple series 6/5/4/3/2/1, with tempered glass", + " bling smartwatch case, apple series 6/5/4/3/2/1, with tempered glass, for 44mm watch" + ], + "i'm looking for a pair of turbo regular men's slippers with soft rubber floaters.": [ + "two turbo regular mens slippers with soft rubber floaters", + "turbo regular mens slippers with soft rubber floaters", + "engineered mens slippers with soft rubber floaters", + "two of turbo regular mens slippers with soft rubber floaters", + "pair of turbo regular mens slippers with soft rubber floaters", + "two turbo regular mens slippers", + "twin mens slippers with soft rubber floaters", + "two turbo regular mens slippers with soft rubber floaters.", + "two turbo regular mens slippers with soft rubber floaters under $40", + "two turbo regular mens slippers with soft rubber floaters under $50" + ], + "i need an officially plated iron armor t-shirt which is medium, and also navy blue.": [ + "plated iron armor t-shirt in navy blue", + "plated iron armor t-shirt, navy blue", + "navy blue plated iron armor t-shirt", + "plated iron armor t-shirt navy blue", + "portrait plated iron armor t-shirt navy blue", + "plated iron armor t-shirt", + "medium plated iron armor t-shirt in navy blue", + "plated iron armor t-shirt which is medium", + "navy blue plated iron t-shirt", + "medium plated iron armor t-shirt" + ], + "i'd like to find a six-piece haircare gift set that includes items specifically meant to promote hair growth.": [ + "shampoo gift set that includes items specifically meant to promote hair growth.", + "shampoo gift set that includes items specifically meant to promote hair growth", + "6-piece haircare gift set", + "hairbrush gift set that includes items specifically meant to promote hair growth.", + "hairbrush gift set that includes items specifically meant to promote hair growth", + "barberare gift set that includes items specifically meant to promote hair growth", + "shampoo gift set with items specifically meant to promote hair growth", + "shampoo gift set, six-piece, promote hair growth", + "6-piece haircare gift set that includes items that promote hair growth", + "6-piece haircare gift set for hair growth" + ], + "i'd like a brown wire-framed coffee table that i can put in my living room, fully assembled.": [ + "brown wire-framed coffee table", + "brown wire-framed coffee table fully assembled", + "brown wire-framed coffee table living room", + "wire-framed coffee table", + "dining table brown", + "living room coffee table brown", + "living room coffee table", + "tablet brown", + "wooden coffee table", + "green coffee table" + ], + "i'm looking for some non-slip black vinyls.": [ + "non-slip black vinyls", + "non-slip black vinyl vinyls", + "non-slip black vinyls.", + "non-slip black vinyls under $40", + "non-slip black vinyls under $50", + "non-slip black vinyls under 50 dollars", + "non-slip black vinyls under $60", + "non-slip black vinyls under 30 dollars", + "non-slip black vinyls under 40 dollars", + "non-slip black vinyls below $40" + ], + "bragg premium nutritional yeast seasoning - vegan, gluten free cheese flakes \u2013 good source of protein & vitamins \u2013 nutritious savory parmesan cheese substitute \u2013 non gmo verified (variety, 3.0 ounce (pack of 2))": [ + "bragg premium nutritional yeast seasoning - vegan, gluten free cheese flakes", + "bragg premium nutritional yeast seasoning", + "bragg premium nutritional yeast seasoning vegan, gluten free cheese flakes", + "bragg premium nutritional yeast seasoning, vegan, gluten free cheese flakes", + "bragg premium nutritional yeast seasoning- vegan, gluten free cheese flakes", + "bragg premium nutritional yeast seasoning - vegan cheese flakes", + "bragg premium nutritional yeast seasoning - vegan and gluten free cheese flakes", + "bragg premium nutritional yeast seasoning - vegan dairy free cheese flakes", + "bragg premium nutritional yeast seasoning no gmo", + "bragg premium nutritional yeast seasoning, gluten free cheese flakes" + ], + "i'm looking for permanent hair coloring in a smoky pink color.": [ + "pink hair coloring", + "pink permanent hair coloring", + "pink human hair coloring", + "pink pigmented hair coloring", + "stainless pink hair coloring", + "temporary hair coloring in smoky pink", + "pink wig color", + "pink hair color", + "pink hair coloring permanent", + "pink hair coloring, permanent" + ], + "i am looking for l'oreal paris feria hair dye in the color tropical teal.": [ + "teal paris feria hair dye in the color tropical teal", + "oralal paris feria hair dye in the color tropical teal", + "loreal paris feria hair dye in the color tropical teal", + "veteral paris feria hair dye in the color tropical teal", + "vegetal paris feria hair dye in the color tropical teal", + "loral paris feria hair dye in the color tropical teal", + "a loreal paris feria hair dye in the color tropical teal", + "loralal paris feria hair dye in the color tropical teal", + "loreal paris feria hair dye in the color tropical teal", + "teal paris feria hair dye in the color tropical teal." + ], + "i need some high performance speakers that are easy to install.": [ + "high performance speakers that are easy to install.", + "high performance speakers that are easy to install", + "easy to install high performance speakers", + "high performance speakers easy to install", + "high performance speakers", + "low performance speakers that are easy to install.", + "high performance speakers easy to install.", + "easy to install high performance speakers under $40", + "low performance speakers that are easy to install", + "easy-to-install high performance speakers" + ], + "i'm looking for the harklinikken balancing shampoo in 2.54 oz. it must be plant based and comprised of seed oil.": [ + "plant based harklinikken balancing shampoo in 2.54 oz", + "harklinikken balancing shampoo 2.54 oz plant based and comprised of seed oil", + "harklinikken balancing shampoo in 2.54 oz", + "plant based harklinikken balancing shampoo 2.54 oz", + "plant based harklinikken balancing shampoo in 2.54 oz with seed oil", + "pack of harklinikken balancing shampoo in 2.54 oz", + "harklinikken balancing shampoo in 2.54 oz with seed oil", + "packet based harklinikken balancing shampoo in 2.54 oz", + "plant based harklinikken balancing shampoo", + "harklinikken balancing shampoo 2.54 oz" + ], + "i need high-speed usb cables with gold plates in a simple packaging.": [ + "high-speed usb cables with gold plates", + "high-speed usb cables gold plates", + "simple packaging high-speed usb cables with gold plates", + "usb cables with gold plates in a simple packaging", + "low-speed usb cables with gold plates", + "high-speed usb cables", + "usb cables with gold plates", + "simple packaging usb cables with gold plates", + "simple usb cables with gold plates", + "usb cables gold" + ], + "i need a 35-quart top mount pullout kitchen waste trash container easy install bin for 1.63 inch wood frame cabinet": [ + "35-quart top mount pullout kitchen waste trash container", + "35-quart top mount pullout kitchen waste trash container easy install cabinet", + "35-quart top mount pullout kitchen waste trash container easy install", + "35-quart top mount pullout kitchen waste trash container wood frame cabinet", + " 35-quart top mount pullout kitchen waste trash container", + "35-quart top mount pullout kitchen waste trash container easy install bin", + " 35-quart top mount pullout kitchen waste trash container easy install cabinet", + "35-quart top mount pullout kitchen waste trash", + "living room waste bin 35-quart", + "living room waste bin" + ], + "i want to find nontoxic eye shadow in white gold, as part of a blending brush set.": [ + "toxic eye shadow in white gold", + "nontoxic eye shadow in white gold", + "toxic eye shadow in white gold blend set", + "nonoxic eye shadow in white gold", + "white gold nontoxic eye shadow blending brush set", + "toxic eye shadow in white gold blend", + "natoxic eye shadow in white gold", + "ntoxic eye shadow in white gold", + "white gold nontoxic eye shadow", + "toothpaste brush set" + ], + "i need a quick release camera mount made of aluminum alloy.": [ + "quick release camera mount made of aluminum alloy", + "Quick release camera mount made of aluminum alloy", + " quick release camera mount made of aluminum alloy", + "quick release camera mount made from aluminum alloy", + "quick release camera mount made of aluminum alloy.", + "light weight camera mount made of aluminum alloy", + "temporary camera mount made of aluminum alloy", + "easy release camera mount made of aluminum alloy", + "short release camera mount made of aluminum alloy", + "quick release camera mount made of aluminum alloy," + ], + "i need a machine washable jogger outfit in a red color.": [ + "machine washable jogger outfit in a red color", + "machine washable jogger outfit in a red", + "machine washable jogger outfit in a red color.", + "man washable jogger outfit in a red color", + "machine washable jogger outfit in a red color,", + "woman washable jogger outfit in a red color", + "machine washable jogger outfit red", + "machine washable jogger outfit in red color", + "hand washable jogger outfit in a red color", + "machine washable jogger outfit in red" + ], + "i want to buy a double-sided shower brush.": [ + "double-sided shower brush", + "double-sided shower brush.", + "single-sided shower brush", + "double-sided shower brush under $40", + "double-sided shower brush under $50", + "double sided shower brush", + "double-sided shower brush under $60", + "double-sided shower brush,", + "double-sided shower brush below $40", + "double-sided shower brush under 50 dollars" + ], + "i want to find a straight spotting scope that i can use for bird-watching.": [ + "straight spotting scope for bird-watching", + "straight spotting scope bird-watching", + "straight spotting scope for bird-watching.", + "straight spotting scope, bird-watching", + "straight spotting scope for bird-watching,", + "straight spotting scope bird-watching.", + "findings scope for bird-watching", + "straight spotting scope", + "straight spotting scope for birdwatching", + "straight spotting scope birdwatching" + ], + "i want to find some whitening toothpaste for sensitive teeth. the color should be orange and ideally it'll come in a set of two.": [ + "white toothpaste for sensitive teeth", + "moisturizing toothpaste for sensitive teeth", + "toothpaste for sensitive teeth orange set of two", + "whitening toothpaste for sensitive teeth", + "whitening toothpaste for sensitive teeth with orange", + "toothpaste for sensitive teeth orange", + "teethpaste for sensitive teeth orange", + "white teeth whitening toothpaste", + "toothpaste for sensitive teeth", + "teethpaste orange" + ], + "i am looking down jacket ,long sleeve pedded coat insulated thick puffer jacket": [ + "down jacket ,long sleeve pedded coat insulated thick puffer jacket", + "shoes, long sleeve pedded coat insulated thick puffer jacket", + "baggy pedded coat insulated thick puffer jacket", + "curtains insulated thick puffer jacket", + "slimming jacket insulated thick puffer jacket", + "pocket insulated thick puffer jacket", + "shoes insulated thick puffer jacket", + "curtains insulated thick puffer jacket under $40", + "slimming jacket insulated thick puffer jacket below $50", + "slimming jacket" + ], + "i'm looking for a skincare set including a snail gel cream. choose the ones that are fragrance and paraben free and comes in a size of 1.52 fl oz.": [ + "skincare set with a snail gel cream", + "skincare set with a snail gel cream 1.52 fl oz", + "skincare set with a snail gel cream, 1.52 fl oz", + "skincare set with a snail gel cream size 1.52 fl oz", + "skincare set that are fragrance and paraben free", + "skincare set including a snail gel cream", + "skincare set that is fragrance and paraben free", + "skincare set of snail gel cream", + "skincare set", + "sneakers" + ], + "i'm looking for some easy to install center channel speakers.": [ + "easy to install center channel speakers", + "easy to install center channel speakers.", + "easy to install center channel speakers under $40", + "easy to install center channel speakers under $60", + "easy to install center channel speakers under $50", + "easy to install center channel speakers under 30 dollars", + "easy to install center channel speakers under 50 dollars", + "easy to install center channel speakers under 60 dollars", + "easy to install center channel speakers under 40 dollars", + "easy to install center channel speakers under $120" + ], + "i need a paraben free blow out mist serum.": [ + "paraben free blow out mist serum", + "paraben free blow out mist serum.", + " paraben free blow out mist serum", + "Paraben free blow out mist serum", + "paraben free blow out mist serum,", + "psaben free blow out mist serum", + "gluten free blow out mist serum", + "shampoo paraben free", + "pink mist serum", + "professional blow out mist serum" + ], + "i want to find a men's wine-colored long sleeve dress shirt in size xx-large.": [ + "mens wine-colored long sleeve dress shirt xx-large", + "mens wine-colored long sleeve dress shirt in size xx-large", + "mens wine-colored long sleeve dress shirt xx-large.", + "mens wine-colored long sleeve dress shirt xx-large mens", + "mens wine-colored long sleeve dress shirt x-large", + "mens wine-colored long sleeve dress shirt in a xx-large", + "mens wine-colored long sleeve dress shirt xx-large", + "mens wine-colored long sleeve dress shirt size xx-large", + "mens wine-colored long sleeve dress shirt", + "mens wine-colored long sleeve shirt in size xx-large" + ], + "i'm trying to find a black and walnut standing desk. it should be electric and height adjustable with memory presets as well.": [ + "black and walnut standing desk with memory presets", + "black walnut standing desk with memory presets", + "black and walnut standing desk", + "black walnut standing desk", + "electric and walnut standing desk with memory presets", + "black and walnut walking desk with memory presets", + "white and walnut standing desk with memory presets", + "living desk electric and height adjustable with memory presets", + "electric and walnut standing desk", + "living desk electric and height adjustable" + ], + "i need a high quality elastic tie for my hair with a light blue band.": [ + "elastic tie for my hair with a light blue band", + "lip elastic tie for my hair with a light blue band", + "low quality elastic tie for hair with a light blue band", + "elastic tie for hair with a light blue band", + "high quality elastic tie for hair with a light blue band", + "high quality elastic tie for my hair with a light blue", + "elastic tie for my hair light blue", + "low quality elastic tie for my hair with a light blue", + "hair elastic tie light blue", + "elastic tie for my hair with a light blue" + ], + "i want to buy a keto deluxe trail mix that is made with natural flavors.": [ + "keto deluxe trail mix made with natural flavors", + "keto deluxe trail mix", + "keto deluxe trail mix natural", + "keto deluxe trail mix with natural flavors", + "keto deluxe trail mix made with natural flavors", + "keto deluxe trail mix made from natural flavors", + "keto deluxe trail mix made natural flavors", + " keto deluxe trail mix made with natural flavors", + "keto deluxe trail mix natural flavor", + "keto deluxe trail mix made with natural flavor" + ], + "i am interested in buying snacks which have natural ingredients, and have a flavor of keto choconut mix and the size of which is 16 ounce and come in pack of 1.": [ + "keto choconut mix 16 ounce pack", + "natural snacks 16 ounce and pack of 1", + "keto choconut mix 16 oz pack", + "keto choconut mix 16 ounce", + "natural snacks 16 ounce pack of 1", + "teen ounce keto choconut mix", + "natural snacks 16 ounce pack", + "keto choconut mix", + "natural snacks 16 ounce", + "natural snacks 16 ounce size" + ], + "i need a 1.5 pound box of trail mix that is keto and has natural ingredients.": [ + "1.5 pound box of trail mix keto natural", + "1.5 pound box of trail mix", + "1.5 pound box of trail mix with natural ingredients", + "1.5 pound box of trail mix keto", + "one.5 pound box of trail mix keto natural", + "2.5 pound box of trail mix keto natural", + "keto trail mix 1.5 pound", + "tea mix keto keto", + "pack of trail mix keto natural", + "tea mix keto" + ], + "i need an easy carry headset in gray.": [ + "easy carry headset in gray", + "easy carry headset in gray.", + "white easy carry headset in gray", + "easy carry headset gray", + "walking headset in gray", + "easy carry headset in gray,", + "easy carry headset, gray", + "gray easy carry headset in gray", + "simple carry headset in gray", + "walking headset in gray easy carry" + ], + "i'm looking for unicorn sprinkle surprise cereal bars which coms with 15 count (pack of 1), also gluten free and non gmo.": [ + "coffee sprinkle surprise cereal bars gluten free and non gmo", + "coffee sprinkle surprise cereal bar gluten free and non gmo", + "non gmo unicorn sprinkle surprise cereal bars", + "pink sprinkle surprise cereal bars gluten free and non gmo", + "non gmo unicorn sprinkle surprise cereal bar", + "non gmo unicorn sprinkle surprise cereal bars, 15 count", + "non gmo unicorn sprinkle surprise cereal bars that are 15 count", + "non gmo unicorn sprinkle surprise cereal bar, 15 count", + "pink unicorn sprinkle surprise cereal bars", + "pink sprinkle surprise cereal bars" + ], + "i am looking gluten free non gmo nut free cereal bar size 40 count": [ + "gluten free non gmo nut free cereal bar size 40 count", + "gluten free non gmo nut free cereal bar 40 count", + "gluten free non gmo nut free cereal bar", + "gluten free gmo nut free cereal bar size 40 count", + "gluten free and gmo nut free cereal bar size 40 count", + "gluten free non gmo nut free cereal bar, 40 count", + "gluten free gmo nut free cereal bar 40 count", + "gluten free non gmo nut free cereal bar under 40 count", + " gluten free non gmo nut free cereal bar size 40 count", + "gluten free no gmo nut free cereal bar size 40 count" + ], + "i need to buy a power charger for my car that is fast charging. it also needs to be black blue.": [ + "power charger for my car black", + "power charger for a car black", + "black power charger for my car", + "power charger for my car", + "electric car charger black", + "black power charger for a car", + "black power charger for car", + "white power charger for my car", + "electric charging car black", + "black power charger" + ], + "i am looking for quad core video game console with high definition. pick a 256 gb one that is yellow in color.": [ + "quad core video game console with high definition yellow", + "quad core video game console with high definition", + "quad core video game console that is yellow", + "quad core video game console with high definition, yellow", + "quad core video game console with high definition in yellow", + "quad core video game console with high definition color", + "quad core video game console yellow", + "quad core video game console in yellow", + "quad core video game console", + "quad core video game console with high definition yellow" + ], + "i'm looking for some black high heeled sandals for my mom. she wears size 5.5.": [ + "black high heeled sandals size 5.5", + "black high heeled sandals in a size 5.5", + "black high heeled sandals size 5.5.", + "black high heeled sandals", + "black high heeled sandals for my mom.", + "black high heeled sandals, size 5.5", + "black high heeled sandals, size 5.5.", + "black high heeled sandals for mom size 5.5", + "black high heeled sandals 5.5", + "black high heeled sandals for my mom" + ], + "chocolatefilledcandy": [ + "chocolatefilledcandy", + "chocolatefilledcandy flavor", + "chocolatefilledcandy that is chocolate-filled", + "chocolatefilledcandy chocolate flavored", + "chocolatefilledcandy chocolate-filled", + "chocolatefilledcandy, less than $40", + "chocolatefilledcandy under $40", + "chocolatefilledcandy below $40", + "chocolatefilledcandy, less than $60", + "chocolatefilledcandy chocolate flavor" + ], + "i'm looking for gluten free which has a protein found in a wheat.": [ + "gluten free wheat gluten free", + "gluten free gluten free wheat", + "gluten free wheat protein", + "gluten free wheat drink mix", + "gluten free gluten free wheat protein", + "gluten free wheat", + "gluten free gluten free dairy free", + "gluten free dairy free gluten free", + "gluten free gluten free", + "gluten free" + ], + "find me the large loose fit towmus mens polo t shirt.": [ + "towmus mens polo t-shirt", + "towmus mens polo t shirt", + "large loose fit towmus mens polo t", + "womens polo t-shirt", + "towmus mens polo t shirt.", + "troumus mens polo t-shirt", + "troumus mens polo t shirt", + "womens polo t shirt", + "large loose fit polo t-shirt", + "towmus mens polo t" + ], + "i want a oil-free concealer for dark circles for medium color.": [ + "oil-free concealer for dark circles for medium color", + "oil-free concealer dark circles for medium color", + "oil-free concealer for dark circles", + "oil-free concealer for dark circles medium color", + "oil-free concealer for dark circles in medium color", + "oil-free concealer for dark circles, medium color", + "oil-free concealer dark circles", + "oil free concealer for dark circles for medium color", + "oil-free concealer for dark circles with medium color", + "oil-free concealer for dark circles under $40" + ], + "i'd like to find a four-pack of low-carb chocolate chip cookies.": [ + "4 pack of low-carb chocolate chip cookies", + "4-pack low-carb chocolate chip cookies", + "4pack of low-carb chocolate chip cookies", + "pack of low-carb chocolate chip cookies", + "4 pack low-carb chocolate chip cookies", + "chocolate chip cookies four pack", + "low-carb chocolate chip cookies four pack", + "high-carb chocolate chip cookies four pack", + "4-pack chocolate chip cookies", + "4-pack of low-carb chocolate chips" + ], + "i want a power inverter with dual ac outlets and usb for my car. it should be 900 watts.": [ + "power inverter with dual ac outlets and usb", + "power inverter with dual ac outlets", + "power inverter with dual ac outlets and usb for car", + "power inverter with dual ac outlets, 990 watts", + "power inverter with dual ac outlets, 900 watts", + "power inverter with dual ac outlets with usb", + "power inverter that is 900 watts", + "power inverter 990 watts", + "power inverter 900 watts", + "power inverter" + ], + "i need some purple polyester robes.": [ + "pink polyester robes", + "pomegranate polyester robes", + "i need some purple polyester robes.", + "pink polyester robes.", + "pink polyester robes under $40", + "plastic polyester robes", + "pink polyester robes under $50", + "purple polyester robes", + "pink polyester robes under $60", + "pink polyester robes under 30 dollars" + ], + "i need a steel framed dining set with a black and blue coating.": [ + "steel framed dining set with a black and blue coating", + "brushed dining set with a black and blue coating", + " steel framed dining set with a black and blue coating", + "steel framed dining set that is black and blue", + "steel framed dining set in a black and blue coating", + "Steel framed dining set with a black and blue coating", + "steel framed dining set", + "steel framed dining set, black and blue,", + "buffet dining set with a black and blue coating", + "steel framed dining set, black and blue" + ], + "i'm looking for a waterproof hiking sandals with arch support. also, choose the red color in a size 6.": [ + "waterproof hiking sandals with arch support size 6", + "waterproof hiking sandals with arch support", + "waterproof hiking sandals with arch support, size 6", + "waterproof hiking sandals in a size 6", + " waterproof hiking sandals with arch support in a size 6", + "waterproof hiking sandals with arch support a size 6", + "womens hiking sandals with arch support size 6", + "waterproof hiking sandals with arch support size 6.", + " waterproof hiking sandals with arch support", + "waterproof hiking sandals" + ], + "i need an anti slip pair of sandals with arch support. pick something in purple, grey or green.": [ + "anti slip pair of sandals with arch support", + "anti slip pair of sandals with arch support purple", + "anti slip pair of sandals with arch support, purple", + "anti slip pair of sandals with arch support in purple", + "anti slip sandals with arch support", + "anti slip pair of sandals", + "anti slip pair of sandals, grey or green", + "anti slip sandals with arch support in purple", + "anti slip sandals with arch support purple", + "anti slip white sandals with arch support" + ], + "i want to find some bpa-free bottles of strawberry flavored emulsion extract. please find a package of six 4-ounce bottles.": [ + "bpa-free bottles of strawberry flavored emulsion extract", + "bpa-free bottles of strawberry flavored emulsion extract 6 pack", + "strawberry flavored emulsion extract six 4-ounce bottles", + "strawberry flavored emulsion extract six bpa-free bottles", + " strawberry flavored emulsion extract six bpa-free bottles", + "strawberry flavored emulsion extract 6 pack", + "strawberry flavored emulsion extract six pack", + "barrawberry flavored emulsion extract 6 pack", + "pomegranate flavored emulsion extract 6 pack", + "bottle of strawberry flavored emulsion extract" + ], + "i would like a 16 fluid ounce rum imitation extract that is bpa free.": [ + "16 fluid ounce rum imitation extract", + "16 fluid ounce rum imitation extract bpa free", + "16 fluid ounce rum imitation extract under $40", + "16 fluid ounce rum imitation extract under $60", + "16oz rum imitation extract", + "16 fluid ounce rum imitation extract under $50", + "16 fluid ounce rum imitation extract under 30 dollars", + "16oz rum imitation extract bpa free", + "16 oz rum imitation extract", + "16 ounce rum imitation extract" + ], + "i need a bundle of red shower caps that are used for hair treatment.": [ + "red shower caps for hair treatment", + "red shower caps that are used for hair treatment", + "red shower caps", + "pack of red shower caps for hair treatment", + "red shower caps, used for hair treatment", + "brushed of red shower caps for hair treatment", + "red shower caps used for hair treatment", + "shower caps for hair treatment", + "bathroom caps for hair treatment", + "red shower caps for hair treatment under $40" + ], + "i want to find a black xx-large men's jean jacket that i can throw in the washing machine.": [ + "black xx-large mens jean jacket", + "black xx-large mens jean jacket for washing machine", + "black xx-large mens jean jacket, washing machine", + "black xx-large mens jean jacket under 50 dollars", + "xx-large mens jean jacket", + "black xx-large mens jean jacket under $50", + "black xxl mens jean jacket", + "xxl mens jean jacket", + "large mens jean jacket", + "mens jean jacket" + ], + "i'm looking for non gmo kettle corn in the flavors of dark chocolate, marshmallow, and frosted sugar cookie. also, choose the set of three": [ + "non gmo kettle corn in the flavors of dark chocolate, marshmallow and frosted sugar cookie", + "non gmo kettle corn in the flavors of dark chocolate, marshmallow, frosted sugar cookie", + "non gmo kettle corn flavors of dark chocolate, marshmallow, and frosted sugar cookie", + "non gmo kettle corn in the flavors of dark chocolate marshmallow and frosted sugar cookie", + "non gmo kettle corn flavor of dark chocolate, marshmallow, and frosted sugar cookie", + "non gmo kettle corn flavor that is dark chocolate, marshmallow, and frosted sugar cookie", + "non gmo kettle corn flavor, dark chocolate, marshmallow, and frosted sugar cookie", + "non gmo kettle corn flavor", + "non gmo kettle corn with a chocolate flavor", + "non gmo kettle corn" + ], + "i need some compact space saving bookcases.": [ + "compact space saving bookcases", + "compact space saving bookcases.", + "compact space saving bookcases under $50", + "compact space saving bookcases under $120", + "compact space saving bookcases under $40", + "compact space saving bookcases under $60", + "compact space saving bookcases under $130", + "compact space saving bookcases under 50 dollars", + "compact space saving bookcases under 30 dollars", + "compact space saving bookcases under 40 dollars" + ], + "i'm interested in a lightweight, easy to carry background for digital photography that is 9 x 6 feet.": [ + "light weight, easy to carry background for digital photography", + "light weight digital photography 9 x 6 feet", + "lightweight, easy to carry background for digital photography", + "light weight, easy to carry background digital photography", + "aluminum background digital photography 9 x 6 feet", + "light weight digital photography 9 x 6", + "easy to carry background for digital photography", + "background for digital photography 9 x 6 feet", + "light weight 9 x 6 feet digital photography", + "light weight 9 x 6 feet digital photography lightweight" + ], + "i want a super soft, yellow rug for the living room area.": [ + "super soft yellow rug for living room area", + "super soft yellow rug living room area", + "super soft, yellow rug living room area", + "super soft yellow rug for living room", + "super soft yellow rug living room", + "super soft yellow rug for the living room", + "super soft, yellow rug for living room", + "super soft, yellow rug living room", + "super soft yellow rug, living room area", + "super soft yellow rug" + ], + "i'm looking for a tempered glass iphone 11 screen protector": [ + "tempered glass iphone 11 screen protector", + "tempered glass iiphone 11 screen protector", + "tempered glass iphone 11 screen protector under $40", + "tempered glass iphone 11 screen protector under $50", + "tempered glass iphone 11 screen protector under $130", + "tempered glass iphone 11 screen protector under $60", + "tempered glass iphone 11 screen protector under $120", + "tempered glass iphone 11 screen protector,", + " tempered glass iphone 11 screen protector", + "tempered glassiphone 11 screen protector" + ], + "large size white colored 1/4 zip golf shirt long sleeve athletic pullover with brushed fleece lining": [ + "large size white tennis pullover with brushed fleece lining", + "large size white athletic pullover with brushed fleece lining", + "large size white tennis pullover with brushed fleece", + "large size white colored athletic pullover with brushed fleece", + "large size white athletic pullover with brushed fleece", + "large size white tennis pullover", + "large size white long sleeve athletic pullover", + "large size white colored athletic pullover", + "large size white tennis pullover long sleeve", + "large size white tennis pullover under $40" + ], + "i am looking for dukal toothpastes of size :2.75 ounce |144 pack with oral hygiene.": [ + "dukal toothpastes of size :2.75 ounce |144 pack", + "dukal toothpastes of size 2.75 ounce |144 pack", + "duckal toothpastes of size :2.75 ounce |144 pack", + "dukal toothpastes 2.75 ounce |144 pack with oral hygiene", + "dukal toothpastes 2.75 ounce |144 pack oral hygiene", + "dukal toothpastes of size :2.75 ounce", + "dukal toothpastes of size 2.75 ounce", + "dukal toothpastes 2.75 ounce |144 pack", + "2.75 ounce oral hygiene dukal toothpastes", + "dukal toothpastes 2.75 ounce" + ], + "i need a face mask for dead skin removal with a peppermint scent.": [ + "face mask for dead skin removal with a peppermint scent", + "toothpaste face mask for dead skin removal with a peppermint scent", + "toothpaste for dead skin removal with a peppermint scent", + "face mask for dead skin removal with peppermint scent", + " face mask for dead skin removal with a peppermint scent", + "a face mask for dead skin removal with a peppermint scent", + "face mask for dead skin removal with a peppermint scent.", + "face mask dead skin removal with a peppermint scent", + "face mask for dead skin removal with a peppermint scent below $40", + "face mask for dead skin removal with a peppermint scent," + ], + "i'm looking for an extra large boxer briefs with customizable multi face prints. choose the machine washable ones.": [ + "extra large boxer briefs with customizable multi face prints", + "extra large boxer briefs that are customizable multi face prints", + "extra large boxer briefs, with customizable multi face prints", + "extra large boxer briefs with customizable multi face prints,", + "extra large boxer briefs, customizable multi face prints", + "extra large boxer briefs with customizable multi face print", + "extra large boxer briefs with multi face prints", + "extra large boxer briefs", + "extra large boxer briefs, multi face prints", + "extra large boxer briefs multi face prints" + ], + "i want to find a women's gift set that contains long-lasting edt spray and body cream.": [ + "womens gift set with long-lasting edt spray and body cream", + "womens gift set that contains long-lasting edt spray body cream", + "womens gift set with long-lasting edt spray body cream", + "womens gift set that contains long-lasting edt spray", + "womens gift set with long-lasting edt spray", + "womens gift set containing long-lasting edt spray and body cream", + "womens gift set containing long-lasting edt spray body cream", + "womens gift set", + "womens gift set under $50", + "womens gift set under $40" + ], + "large size black 44410 color snowflake graphic flowy vintage loose tunic tops for women": [ + "large size black 44410 color snowflake graphic flowy vintage loose tunic tops", + "large size black 44410 color snowflake graphic flowy vintage loose tunic", + "black 44410 color snowflake graphic flowy vintage loose tunic tops for women", + "large size black 44410 color snowflake graphic flowy vintage loose tunic tops women", + "large black 44410 color snowflake graphic flowy vintage loose tunic tops for women", + "large size black 44410 color snowflake graphic flowy vintage loose tunic tops woman", + "black 44410 color snowflake graphic flowy vintage loose tunic tops", + "large size black 44410 color snowflake graphic flowy", + "black 44410 color snowflake graphic flowy vintage loose tunic", + "large size black 44410 color snowflake graphic" + ], + "i'm looking for a professional photography turntable with electric motorized 360-degree rotating display stand and soft touch button to control speed in white.": [ + "professional photography turntable with electric motorized 360-degree rotating display stand and soft touch button", + "professional photography turntable with electric motorized 360-degree rotating display stand in white", + "professional photography turntable with electric motorized 360-degree rotating display stand", + "professional photography turntable with electric motorized 360-degree rotating display stand, soft touch button", + "professional photography turntable with electric motorized 360-degree rotating display stand with soft touch button", + "professional photography turntable with electric motorized 360-degree rotating display stand in white.", + "professional photography turntable with electric motorized 360-degree rotating display stand that is white", + "professional photography turntable electric motorized 360-degree rotating display stand", + "electric motorized 360-degree rotating display stand and soft touch button", + "professional photography turntable" + ], + "i need a dermatologist tested moisturizer with a buttercream scent.": [ + "dermatologist tested moisturizer with a buttercream scent", + "dermatologist tested moisturizer with buttercream scent", + "moisturizer with a buttercream scent", + " dermatologist tested moisturizer with a buttercream scent", + "dentalologist tested moisturizer with a buttercream scent", + "dermatologist tested moisturizer with buttercream scent.", + "dermatologist tested moisturizer, buttercream scent", + "moisturizer with buttercream scent", + "manualizer with a buttercream scent", + "dermatologist tested moisturizer" + ], + "i need some grey living room pillow covers.": [ + "grey living room pillow covers", + "grey living room pillow covers.", + "grey living room pillow cover", + "grey living room pillow covers under $40", + "grey living room pillow covers under $50", + "grey living room pillow covers under 50 dollars", + "grey living room pillow covers under $60", + "grey living room pillow covers,", + "grey living room pillow covers under 30 dollars", + "grey living room pillow cover." + ], + "i want some vinyl acetate clogs in women's size 8.": [ + "vinyl acetate clogs in womens size 8", + "vinyl acetate clogs womens size 8", + " vinyl acetate clogs in womens size 8", + "aluminum acetate clogs in womens size 8", + "a vinyl acetate clogs in womens size 8", + " vinyl acetate clogs womens size 8", + "aluminum acetate clogs womens size 8", + " vinyl acetate clogs in womens size 8.", + "vinyl acetate clogs size 8", + "womens size 8 vinyl acetate clogs" + ], + "i am looking lightweight backgrounds for my digital photography that has 15x10ft size": [ + "lightweight backgrounds for digital photography 15x10ft", + "light weight backgrounds for digital photography 15x10ft", + " lightweight backgrounds for digital photography 15x10ft", + "15x10ft lightweight backgrounds", + "lightweight backgrounds for my digital photography 15x10ft", + "lightweight backgrounds for digital photography", + "lightweight backgrounds for digital photography 15x10ft size", + " lightweight backgrounds for digital photography that has 15x10ft", + "lightweight backgrounds for digital photography with 15x10ft", + "16x10ft lightweight backgrounds" + ], + "find me a heavy duty wall plate that is 1-gang blank style.": [ + "1-gang blank wall plate", + "1-gang blank style wall plate", + "2-gang blank wall plate", + "wall plate 1-gang blank style", + "2-gang blank style wall plate", + "wall plate that is 1-gang blank", + "3-gang blank wall plate", + "1-gang blank wall plate heavy duty", + "heavy duty wall plate", + "heavy duty wall plate 1-gang blank" + ], + "i'm interested in a pair of rubber-soled, non-slip snakeskin shoes in a size medium.": [ + "slip snakeskin shoes in a size medium", + "shoes in a size medium", + "t snakeskin shoes in a size medium", + "non-slip snakeskin shoes size medium", + "non-slip snakeskin shoes", + "stainless snakeskin shoes size medium", + "stainless snakeskin shoes", + "sneakers small", + "slip snakeskin shoes", + "sneakers medium" + ], + "i'm looking for a pair of navy pants for men in a size 36w x 34l for daily wear made from a polyester-cotton blend.": [ + "navy pants for men size 36w x 34l", + "navy pants for men 36w x 34l", + "navy pants in a size 36w x 34l", + "navy pants 36w x 34l", + "navy pants size 36w x 34l", + "womens navy pants 36w x 34l", + "man navy pants 36w x 34l", + "navy pants for men", + "navy pants", + "pair of navy pants" + ], + "i want 50g of green brew edible glitter in bronze. it must be nut and dairy free.": [ + "50g of green brew edible glitter in bronze", + "green brew edible glitter in bronze", + "50g green brew edible glitter in bronze", + "50g of green brew edible glitter", + "20g of green brew edible glitter in bronze", + "25g of green brew edible glitter in bronze", + "green brew edible glitter in bronze 50g", + "rainbow colored glitter 50g", + "pink brew edible glitter in bronze", + "rainbow colored glitter 50g nut free" + ], + "i want a nut free brew glitter in the maroon red color.": [ + "alcohol glitter maroon red", + "nut free brew glitter maroon red", + "pack glitter maroon red", + "marmoon red brew glitter", + "bar glitter maroon red", + "glitter maroon red", + "brew glitter maroon red", + "glitter maroon red drink glitter", + "alcohol glitter maroon red drink glitter", + "pack glitter maroon red drink glitter" + ], + "i am looking for an easy to assemble sofa with metal legs and preferably grey in color.": [ + "easy to assemble sofa with metal legs", + "easy assemble sofa with metal legs", + "easy assemble sofa with metal legs in grey", + "easy to assemble sofa with metal legs grey", + "easy assemble sofa with metal legs and grey", + "5 ft sofa with metal legs", + "living room sofa with metal legs", + "grey sofa with metal legs", + "walking sofa with metal legs", + "yellow sofa with metal legs" + ], + "i want the n!ck's swedish chocolate variety pack ice cream but i want the bakery flavor. it must be keto friendly.": [ + "n!cks swedish chocolate variety pack ice cream keto friendly", + "n!cks swedish chocolate variety pack ice cream", + "nat!cks swedish chocolate variety pack ice cream keto friendly", + "n!cks swedish chocolate variety pack ice cream, keto friendly", + "n!cks swedish chocolate variety pack ice cream keto friendly.", + "n!cks swedish chocolate variety pack ice cream flavor keto friendly", + "n!cks swedish chocolate variety pack ice cream keto-friendly", + "n!cks swedish chocolate variety pack ice cream with keto flavor", + "n!cks swedish chocolate variety pack ice cream flavor", + "nat!cks swedish chocolate variety pack ice cream" + ], + "i want to find 0.9 ounce packets of old-fashioned, harvest raspberry flavored oatmeal. they should come in a pack of 8.": [ + "pack of 8 old-fashioned, harvest raspberry flavored oatmeal", + "old-fashioned, harvest raspberry flavored oatmeal pack of 8 pack", + "old-fashioned, harvest raspberry flavored oatmeal pack of 8", + "8 pack old-fashioned, harvest raspberry flavored oatmeal pack of 8", + "12 pack old-fashioned, harvest raspberry flavored oatmeal pack of 8", + "3 pack old-fashioned, harvest raspberry flavored oatmeal pack of 8", + "8 pack old-fashioned, harvest raspberry flavored oatmeal", + "12 pack old-fashioned, harvest raspberry flavored oatmeal", + "pink oatmeal pack of 8", + "pink oatmeal pack of 8 pack" + ], + "i want to find a hand-crafted care package box filled with the best meats, cheeses and savory snacks.": [ + "hand-crafted care package box filled with the best meats, cheeses and savory snacks", + "hand-crafted care package box with the best meats, cheeses and savory snacks", + "hand-crafted care package box with the best meats, cheeses and savory snacks.", + "hand-crafted care package box packed with the best meats, cheeses and savory snacks", + "hand-crafted care package box for meats, cheeses and savory snacks", + "hand-crafted care package box full with the best meats, cheeses and savory snacks", + "handcrafted care package box filled with the best meats, cheeses and savory snacks", + "hand crafted care package box filled with the best meats, cheeses and savory snacks", + "hand-crafted care package box for meats and savory snacks", + "hand-crafted care package box" + ], + "i need a clear glass wall mounting lamp for my bath room. and i would prefer 2-light size": [ + "clear glass wall mounting lamp for my bath room", + "clear glass wall mounting lamp for my bath room.", + "floor mounting lamp for bath room 2-light", + "clear glass wall mounting lamp for a bath room", + "2-light wall mounting lamp", + "2-light wall mounting lamp for bath room", + "clear glass wall mounting lamp for bath room", + "a clear glass wall mounting lamp for my bath room", + "floor mounting lamp 2-light", + "clear glass wall mounting lamp" + ], + "please help me find a monocular telescope with good high power and zoom. it needs to work at night for bird watching.": [ + "monocular telescope with good high power and zoom", + "monocular telescope with high power and zoom", + "monocular telescope that is high power and zoom", + "monocular telescope with a high power and zoom", + "monocular telescope", + "monocular telescope high power and zoom", + "monocular telescope, high power and zoom", + "monocular telescope good high power and zoom", + "monocular telescope with good high power", + "monocular telescope for bird watching" + ], + "i need heavy duty electrical outlets with high gloss.": [ + "heavy duty electrical outlets with high gloss", + "heavy duty electrical outlets high gloss", + "heavy duty electrical outlets", + "heavy duty electrical outlets, high gloss", + "light duty electrical outlets with high gloss", + "heavy duty electrical outlet with high gloss", + "heavy duty electrical outlets heavy gloss", + "low duty electrical outlets with high gloss", + "high gloss heavy duty electrical outlets", + "electric outlets with high gloss" + ], + "i want to find a pair of dark gray, slip resistant women's work shoes. i wear a size 9.5, usually.": [ + "dark gray, slip resistant womens work shoes", + "dark gray, slip resistant womens work shoes size 9.5", + "womens work shoes size 9.5, usually", + "womens work shoes in a size 9.5", + "womens work shoes in a size 9.5, usually", + "womens work shoes size 9.5", + "womens work shoes size 9.5, usually.", + "dark gray slip resistant womens work shoes", + "womens work shoes, size 9.5, usually", + "womens work shoes in dark gray" + ], + "i want to get some lemon sesame and ginger tuna salad that is wild caught.": [ + "lemon sesame and ginger tuna salad wild caught", + "lemon sesame and ginger tuna salad", + "lemon sesame and ginger tuna salad wild", + "tea sesame and ginger tuna salad wild caught", + "lenel sesame and ginger tuna salad wild caught", + "lemon sesame ginger tuna salad wild caught", + "lemon sesame tuna salad wild caught", + "vegan tuna salad wild caught", + "sea salt tuna salad wild caught", + "lemon sesame ginger tuna salad" + ], + "i'm looking for a blu-ray and dvd player in ultra hd.": [ + "dual dvd player ultra hd", + " blu-ray dvd player in ultra hd", + " blu-ray and dvd player in ultra hd", + "duck-ray and dvd player in ultra hd", + " blu-ray dvd player ultra hd", + "duck-ray and dvd player ultra hd", + "duck-ray dvd player ultra hd", + "Blu-ray dvd player ultra hd", + " blu-ray and dvd player in ultra hd.", + " blu-ray dvd player in ultra hd." + ], + "i'm looking for a hair growth serum designed to combat hair loss and repair damaged hair.": [ + "hair growth serum for hair loss and repair damaged hair", + "hair growth serum", + "hair growth serum that combat hair loss and repair damaged hair", + "hair growth serum for hair loss and repair damaged hair.", + "hair growth serum that is durable and is hair growth serum", + "human hair growth serum", + "hair growth serum for hair loss and repair damaged", + "hair growth serum for women", + "hair growth serum for hair loss", + "hair growth serum that is effective" + ], + "i'm looking for some mid-century style grey chairs.": [ + "mid-century style grey chairs", + "mid-century style grey chairs.", + "grey chairs mid-century style", + "mid-century style grey chairs under $40", + "mid-century style grey chairs under $50", + "mid-century style grey chairs under $60", + "mid century style grey chairs", + "mid-century style grey chairs,", + "mid-century style grey chair", + "mid-century style grey dining table" + ], + "i want to find a camel-colored tissue box cover that is made of pu leather.": [ + "camel-colored tissue box cover made of pu leather", + "camel-colored tissue box cover", + "curtains colored tissue box cover made of pu leather", + "camel-colored tissue box cover, made of pu leather", + " camel-colored tissue box cover that is made of pu leather", + "amel-colored tissue box cover that is made of pu leather", + "bagel-colored tissue box cover made of pu leather", + "shoes made of pu leather", + "curtains colored tissue box cover", + "shoes made from pu leather" + ], + "i'm looking for dark gray button down short-sleeve shirts.": [ + "dark gray button down short-sleeve shirts", + "dark gray button down short-sleeve shirt", + "dark gray button down short-sleeve shirts.", + "dark gray button downs short-sleeve shirts", + "dark gray button-down short-sleeve shirts", + "dark gray button button down short-sleeve shirts", + "dark gray buttoned short-sleeve shirts", + "dark gray button down short sleeve shirts", + "dark gray button down shirt", + "dark gray button" + ], + "i'm looking for teeth cleansing toothpaste which is idol for fresh breath,stain removal and longlasting. i need 2pcs in purple color.": [ + "teeth cleansing toothpaste longlasting", + "teeth cleansing toothpaste", + "teeth cleansing toothpaste purple", + "teeth cleansing toothpaste in purple", + "teeth cleansing toothpaste, longlasting", + "teeth cleansing toothpaste, purple", + "teeth cleansing toothpaste purple", + "teeth cleansing toothpaste longlasting purple", + "toothpaste", + " teeth cleansing toothpaste" + ], + "looking for a very powerful range extender antenna with high performance.": [ + "large range extender antenna with high performance", + "high performance range extender antenna with high performance", + "range extender antenna with high performance", + "low performance range extender antenna with high performance", + "long range extender antenna with high performance", + "5 ft extender antenna with high performance", + "alarm antenna with high performance", + "high performance range extender antenna", + "range extender antenna with high performance.", + "large range extender antenna with high performance." + ], + "i need some non-slip black walking shoes in the color black and size 7.5 for women.": [ + "walking shoes size 7.5 for women", + "walking shoes in the color black", + "walking shoes black size 7.5 for women", + "non-slip black walking shoes", + "walking shoes in black size 7.5 for women", + "walking shoes size black", + "walking shoes size 7.5 black", + "walking shoes black", + "walking shoes size 7.5", + "walking shoes in black" + ], + "i need a gift basket for welcoming.": [ + "gift basket for welcoming", + "gift basket for welcoming.", + "gift basket for welcoming,", + "gift basket for welcoming kids", + "gift basket for welcoming gifts", + "gift basket for welcoming people", + "gift basket that is welcoming", + "gift basket, welcoming", + "gift basket", + "gift basket welcoming" + ], + "i am looking for a gift basket of candy & chocolate gifts. also, choose the welcome cottage gift box.": [ + "gift basket of candy & chocolate gifts", + "gift basket of candy & chocolate gifts", + "gift basket of candy & chocolate gifts under 50 dollars", + "gift basket of chocolate gifts", + "gift basket of candy & chocolate gifts under $50", + "gift basket of candy & chocolate gifts.", + "gift basket of candy & chocolate gifts under 40 dollars", + "gift basket of candy & chocolate gifts under 30 dollars", + "gift basket of candy & chocolate gifts. ", + "gift basket of candy & chocolate gifts under $40" + ], + "you need to come up with an instruction for a virtual shopping assistant (ai with human-level smartness) to buy a product on amazon. you will be given a product's title along with some of its background information, such as the product's tags, buying options, and its category on the amazon website. you need write an instruction that tells a virtual assistant what you want to buy. include at least one tag in your instruction. when suitable, more tags is better. include at least one buying option in your instruction. check the tag boxes that you included in the instruction. avoid including too much information from \"product title\". this is only to provide a better context (see example page). a good instruction should allow the ai assistant to find the intended product. the instruction should be natural sounding text. imagine you are talking to a smart ai. diversify language use when viable.": [ + "price lower than 50.00 dollars", + "price lower than $40.00", + "price lower than 30.00 dollars", + "price lower than 60.00 dollars", + "price lower than 40.00 dollars", + "price lower than $60.00", + "price lower than $50.00", + "price lower than 70.00 dollars", + "price lower than 120.00 dollars", + "price lower than 20.00 dollars" + ], + "i need some fresh baked rye.": [ + "fresh baked rye", + "fresh baked rye under $40", + "fresh baked rye under $50", + "fresh baked rye under $60", + "fresh baked rye drink mix", + "fresh baked rye under 30 dollars", + "fresh baked rye.", + "fresh baked rye under 50 dollars", + "fresh baked rye under 60 dollars", + "fresh baked rye under 40 dollars" + ], + "i want buy a string backpack with small woman kids travel bag": [ + "string backpack with small woman kids travel bag", + "string backpack small woman kids travel bag", + "string backpack, small woman kids travel bag", + "string backpack for small woman kids travel bag", + "string backpack", + "string backpack in small woman kids travel bag", + "string backpack that small woman kids travel bag", + "string backpack size woman kids travel bag", + "string backpack woman kids travel bag", + "string backpack with small woman kids" + ], + "i am looking for 9'x 12' size modern ombre that fits for my living room. and i would prefer the purple one": [ + "9x 12 modern ombre", + "9x 12 size modern ombre", + "portrait 9x 12 size modern ombre", + "9x 12 size modern ombre for living room", + "modern ombre 9x 12 size", + "9x 12 modern ombre for living room", + "modern ombre 9x 12", + "modern ombre that fits for my living room.", + "9x 12 modern ombre that fits for living room", + "contemporary ombre 9x 12 size" + ], + "i want to get some satin nickel wall sconces that are 40 inches in width. they also need to have a bronze finish.": [ + " satin nickel wall sconces that are 40 inches in width", + "satin nickel wall sconces that are 40 inches in width", + " satin nickel wall sconces with a bronze finish", + "satin nickel wall sconces with a bronze finish", + "satin nickel wall sconces 40 inches in width", + " satin nickel wall sconces that are 40 inches in width, bronze finish", + "satin nickel wall sconces that are 40 inches in width, bronze finish", + "satin nickel wall sconces that are 40 inches in width", + " satin nickel wall sconces 40 inches in width", + "satin nickel wall sconces" + ], + "this brand eurofase 23271-036 zuma frosted tube glass with cast metal frame sconce wall mount lighting, 2-light 80 total watts, 13\"h x 5\"w, bronze finish for my living room, help me": [ + "i want a brand eurofase 23271-036 zuma frosted tube glass with cast metal frame sconce wall mount lighting, 2-light 80 total watts, 13h x 5w, bronze finish for my living room, help me", + "i want a brand eurofase 23271-036 zuma frosted tube glass with cast metal frame sconce wall mount lighting, 2-light 80 total watts, 13h x 5w, bronze finish, and price lower than 50.00 dollars", + "i would like to buy a brand eurofase 23271-036 zuma frosted tube glass with cast metal frame sconce wall mount lighting, 2-light 80 total watts, 13h x 5w, bronze finish for my living room, help me", + "i am looking for a brand eurofase 23271-036 zuma frosted tube glass with cast metal frame sconce wall mount lighting, 2-light 80 total watts, 13h x 5w, bronze finish for my living room, help me", + "eurofase 23271-036 zuma frosted tube glass with cast metal frame sconce wall mount lighting", + "i want a brand eurofase 23271-036 zuma frosted tube glass with cast metal frame sconce wall mount lighting, 2-light 80 total watts, 13h x 5w, bronze finish", + "eurofase 23271-036 zuma frosted tube glass with cast metal frame sconce wall mount lighting, 2-light 80 total watts, 13h x 5w, bronze finish", + "a brand eurofase 23271-036 zuma frosted tube glass with cast metal frame sconce wall mount lighting", + "i want a brand eurofase 23271-036 zuma frosted tube glass with cast metal frame sconce wall mount lighting, 2-light 80 total watts, 13h x 5w", + "eurofase 23271-036 zuma frosted tube glass" + ], + "i need a 9 channel power amplifier.": [ + "9 channel power amplifier", + "9 channel power amplifier under $40", + "8 channel power amplifier", + "9 channel power amplifier under $50", + "9 channel power amplifier under $60", + " 9 channel power amplifier", + "9 channel power amplifier.", + "alarm power amplifier 9 channel", + "9 channel power amplifier under $120", + "9 channel power amplifier under $130" + ], + "i need a lorex ultra hd indoor wired dvr security camera system with motion detection": [ + "lorex ultra hd indoor wired dvr security camera system with motion detection", + " lorex ultra hd indoor wired dvr security camera system with motion detection", + "a lorex ultra hd indoor wired dvr security camera system with motion detection", + "veterx ultra hd indoor wired dvr security camera system with motion detection", + "lorex ultra hd indoor wired dvr security camera system", + "oralx ultra hd indoor wired dvr security camera system with motion detection", + "vegetx ultra hd indoor wired dvr security camera system with motion detection", + "lorex ultra hd indoor wired dvr security camera system with motion detection", + "l lorex ultra hd indoor wired dvr security camera system with motion detection", + "teax ultra hd indoor wired dvr security camera system with motion detection" + ], + "i need some straight legged levi jeans in big and tall, with a button and not a zipper.": [ + "straight legged levi jeans in big and tall", + "straight leg levi jeans in big and tall", + "straight legged levi jeans with a button and not a zipper", + "straight legged levi jeans with button and not a zipper", + "straight legged levi jeans in big and tall with a button", + "straight leg levi jeans in big and tall with a button and", + "straight legged levi jeans in a big and tall", + "straight legged levi jeans", + "straight leg levi jeans in a big and tall", + "straight leg levi jeans" + ], + "i would like a pair of 58 w and 32 long dark stonewash straight leg jeans.": [ + "58 w long dark stonewash straight leg jeans", + "58 w and 32 long dark stonewash straight leg jeans", + "58 long dark stonewash straight leg jeans", + "28 long dark stonewash straight leg jeans", + "58w long dark stonewash straight leg jeans", + "50 w long dark stonewash straight leg jeans", + "58 w long dark stonewash straight leg jeans under $40", + "58 w long dark stonewash straight leg jeans under $60", + "58 w long dark stonewash straight leg jeans under $50", + "58 w and 32 long dark stonewash straight leg jeans." + ], + "two wolf bags one large and one small bra and panty set jeans white blouse and a zipper jacket": [ + "two wolf bags one large and one small bra and panty set jeans white blouse and a zipper jacket", + "two wolf bags one large and one small bra and panty set jeans white blouse and zipper jacket", + "two wolf bags one large and one small bra and panty set jeans white blouse with a zipper jacket", + "two wolf bags one large and one small bra and panty set jeans white blouse", + "two wolf bags one large and one small bra and panty set jeans white blouse, zipper jacket", + "two wolf bags, large and one small bra and panty set jeans white blouse and a zipper jacket", + "two wolf bag one large and one small bra and panty set jeans white blouse and a zipper jacket", + "two wolf bags large and one small bra and panty set jeans white blouse and a zipper jacket", + "two wolf bags one large, one small bra and panty set jeans white blouse and a zipper jacket", + "two wolf bags one large and one small bra and panty set jeans white blouse with zipper jacket" + ], + "i'm looking for a large package of micro applicator brushes that has it's own storage case and comes in purple, blue, pink, and white.": [ + "large package of micro applicator brushes", + "large package of micro applicator brushes that has its own storage case", + "large package of micro applicator brushes that has its own storage case, purple, blue, pink and white", + "large package of micro applicator brushes in purple, blue, pink, and white", + "large package of micro applicator brushes, purple, blue, pink, and white", + "large package of micro applicator brushes with its own storage case in purple, blue, pink, and white", + "large package of micro applicator brushes purple, blue, pink, and white", + "large package of micro applicator brushes with its own storage case", + "large package of micro applicator brushes purple, blue, pink and white", + "large package of micro applicator brushes with a storage case" + ], + "i'm looking for a pair of women's workout shorts with a drawstring waist. i need them to be extra large and in light gray.": [ + "womens workout shorts extra large light gray", + "womens workout shorts extra large and light gray", + "womens workout shorts extra large in light gray", + "womens workout shorts with drawstring waist extra large", + "womens workout shorts with drawstring waist", + "womens workout shorts extra large and in light gray", + "womens workout shorts extra large", + "womens workout shorts extra large, light gray", + "womens workout shorts in light gray", + "womens workout shorts" + ], + "i want to find strawberry mango fruit spread that's fat free.": [ + "strawberry mango fruit spread fat free", + " strawberry mango fruit spread fat free", + "prawberry mango fruit spread fat free", + "pomegranate fruit spread fat free", + "rawberry mango fruit spread fat free", + "pink mango fruit spread fat free", + "plastic mango fruit spread fat free", + "strawberry mango fruit spread", + " strawberry mango fruit spread fat free.", + "fruit spread fat free" + ], + "find me a dual band signal booster.": [ + "dual band signal booster", + "dual band signal booster.", + "dual band signal booster under $40", + "dual band signal booster under $50", + "dual band signal booster under $60", + "dual band signal booster,", + "dual band signal booster under 50 dollars", + "find me a dual band signal booster.", + "dual band signal booster under $130", + "daring dual band signal booster" + ], + "i need a light weight photo studio wall prop in 100 square feet for a high resolution image.": [ + "light weight photo studio wall prop in 100 square feet", + "low weight photo studio wall prop in 100 square feet", + "heavy weight photo studio wall prop in 100 square feet", + "light weight photo studio wall prop", + "high resolution photo studio wall prop in 100 square feet", + "medium weight photo studio wall prop in 100 square feet", + "projection wall prop in 100 square feet", + "light weight photo studio wall prop, 100 square feet", + "low weight photo studio wall prop", + "professional wall prop in 100 square feet" + ], + "i'd love help finding a square ottoman coffee table made of solid wood. it should come in gray.": [ + "square ottoman coffee table made of solid wood", + "square ottoman coffee table made from solid wood", + "square ottoman coffee table made of solid wood gray", + "square ottoman coffee table made of solid wood color", + "square ottoman coffee table with solid wood", + "small ottoman coffee table made of solid wood", + "square ottoman coffee table", + "square ottoman coffee table in gray", + "square ottoman coffee table, gray", + "living room table made of solid wood" + ], + "i'm looking for coconut oil body butters.": [ + "coffee oil body butters", + "toothpaste coconut oil body butters", + "coffee oil body butters.", + "coffee oil body butters coconut oil", + "shoes coconut oil body butters", + "coffee oil body butters under $40", + "coffee oil body butters under $50", + "coconut oil body butters", + "coaxial oil body butters", + "coffee oil body butters under $60" + ], + "i'm trying to find white bluetooth speakers that are not only water resistant but also come with stereo sound.": [ + "white bluetooth speakers with stereo sound", + "white bluetooth speakers that are not only water resistant", + "white bluetooth speakers", + "white bluetooth speakers that are water resistant", + "white bluetooth speakers with a stereo sound", + "blue bluetooth speakers that are not only water resistant", + "white bluetooth speakers that are waterproof", + "white bluetooth speakers with stereo sound.", + "white bluetooth speakers water resistant", + "white bluetooth speakers waterproof" + ], + "i'm looking for a teal blue watch band that's easy to install.": [ + "teal blue watch band", + "teal blue watch band, easy to install", + "teal blue watch band easy to install", + "teal blue watch band thats easy to install", + "teal blue watch band with easy to install", + "teal blue watch band easy to install", + "teal blue watch band that easy to install", + "teal blue watch bandeasy to install", + "teal blue watch band easy to install.", + "teal blue watch band under $50" + ], + "i'm looking for some high heeled sandals in size 9. also, in the color red.": [ + "high heeled sandals size 9 in the color red", + "high heeled sandals in size 9", + "high heeled sandals in size 9. also red", + "high heeled sandals in size 9.", + "high heeled sandals size 9", + "high heeled sandals in a color red", + "high heeled sandals color red", + "high heeled sandals size 9 red", + "high heeled sandals red", + "high heeled sandals" + ], + "i am looking for an exfoliating and soothing skin cream for keratosis pilaris and would like a two pack of four oz containers": [ + "exfoliating and soothing skin cream for keratosis pilaris two pack of four oz containers", + "exfoliating and soothing skin cream for keratosis pilaris two pack of four oz", + "exfoliating and soothing skin cream for keratosis pilaris", + " exfoliating and soothing skin cream for keratosis pilaris two pack of four oz containers", + "exfoliating and soothing skin cream for keratosis pilaris four oz containers", + "an exfoliating and soothing skin cream for keratosis pilaris two pack of four oz", + "foliating and soothing skin cream for keratosis pilaris two pack of four oz containers", + "an exfoliating and soothing skin cream for keratosis pilaris", + "foliating and soothing skin cream for keratosis pilaris two pack of four oz", + "exfoliating and soothing skin cream for keratosis pilaris, two pack of four oz" + ], + "i'm hoping to find a stainless steel set of wireless headphones that comes with a carrying case. ideally the metal on the headphones should be black and the leather should be olive colored.": [ + "stainless steel wireless headphones with carrying case", + "stainless steel wireless headphones with a carrying case", + "stainless steel set of wireless headphones", + "stainless steel wireless headphones carrying case", + "stainless steel wireless headphones", + "stainless steel set of wireless headphones with carrying case", + "stainless steel wireless headphones with carrying case, black", + "stainless steel wireless headphones case", + "stainless steel", + "sneakers black" + ], + "i'm searching for canned skinless and boneless pink salmon which is ready to eat. also, i want sweet and spicy flavor.": [ + "canning skinless and boneless pink salmon", + "pink salmon flavor", + "canned skinless and boneless pink salmon", + "pink salmon with a sweet and spicy flavor", + "artificial skinless and boneless pink salmon", + "packaged skinless and boneless pink salmon", + "pink salmon that is ready to eat", + "pink salmon that is ready to eat.", + "pink salmon", + "moisturizing pink salmon flavor" + ], + "i need some open toe women's sandals in size 10.5.": [ + "open toe womens sandals in size 10.5", + "open toe womens sandals size 10.5", + "open toe womens sandals in size 10.5.", + "open toe womens sandals in a size 10.5", + "open toe womens sandals size 10.5.", + "open toe womens sandals, size 10.5", + "open toe womens sandals", + "open toe womens sandals, size 10.5.", + "open toe womens sandals 10.5", + "open toe womens sandals size 10.5.5" + ], + "i am looking for a gluten free almond flour with 32 ounce (pack of 4)": [ + "gluten free almond flour 32 ounce (pack of 4)", + "almond flour 32 ounce (pack of 4)", + "gluten free almond flour 32 ounce (pack of 4),", + "gluten free almond flour 32 oz (pack of 4)", + "almond flour 32 ounce (pack of 4) gluten free", + "almond flour 32 ounce (pack of 4), gluten free", + "flavored almond flour 32 ounce (pack of 4)", + "almond flour with 32 ounce (pack of 4)", + "almond flour 32 oz (pack of 4)", + "gluten free almond flour" + ], + "i want to find a signal booster for my 4g lte phone, and it needs to have a dual-band cell signal repeater.": [ + "4g lte phone signal booster", + "4g lte signal booster, dual-band cell signal repeater", + "4g lte signal booster", + "4g lte phone signal booster dual-band", + "dual-band cell signal repeater", + "4g lte phone signal booster under $40", + "4g lte phone signal booster with dual-band phone", + "4g lte signal booster under $40", + "3g lte signal booster", + "phone signal booster" + ], + "i'm hoping to find a 4g lte tablet that i can use for my work.": [ + "4g lte tablet", + "industrial 4g lte tablet", + "4g lte work tablet", + "4g lte tablet under $40", + "4g lte tablet under $120", + "4g lte tablet under $50", + "4g lte tablet for work", + "4g lte tablet under $60", + "4g lte tablet under $130", + "industrial 4g lte tablets" + ], + "i need a super soft throw pillow in coral for my living room.": [ + "super soft throw pillow in coral for living room", + "super soft throw pillow in coral", + "super soft throw pillow for living room", + "super soft throw pillow for the living room", + "super soft throw pillow for my living room", + "super soft throw pillow for my living room.", + "super soft throw pillow in coral living room", + "super soft throw pillow for a living room", + "super soft throw pillow for living room.", + "super soft throw pillow for the living room." + ], + "i need a modern wall mount for light led in bronze with a 36\" wide.": [ + "modern wall mount for light led in bronze", + "modern wall mount for light led in bronze, 36 wide", + "living wall mount for light led in bronze", + "modern wall mount for light led bronze with a 36 wide", + "modern wall mount light led in bronze with a 36 wide", + " modern wall mount for light led in bronze", + "modern wall mount light led in bronze", + "wall mount for light led in bronze", + "modern wall mount", + "modern wall mount in bronze" + ], + "i\u2019m looking for a dht blocking anti hair loss set with hyaluronic acid as pure hair growth support shampoo": [ + "dht blocking anti hair loss set with hyaluronic acid", + "anti hair loss set with hyaluronic acid", + "a dht blocking anti hair loss set with hyaluronic acid", + "duck blocking anti hair loss set with hyaluronic acid", + "dht blocking anti hair loss set", + " dht blocking anti hair loss set with hyaluronic acid", + "dhana blocking anti hair loss set with hyaluronic acid", + "anti hair loss set with hyaluronic acid as pure hair growth support shampoo", + "dhnt blocking anti hair loss set with hyaluronic acid", + "dht blocking anti hair loss set with hyaluronic acid under $40" + ], + "i need a long high speed and aluminum alloy usb 3.0 extension cable of male-male style and 3.3ft long size": [ + "long high speed and aluminum alloy usb 3.0 extension cable", + "long high speed aluminum alloy usb 3.0 extension cable 3.3ft long", + "long high speed and aluminum alloy usb 3.0 extension cable 3.3ft long", + "long high speed aluminum alloy usb 3.0 extension cable", + "long high speed aluminum alloy usb 3.0 extension cable 3.3ft long size", + "long high speed and aluminum alloy usb 3.0 extension cable of male-male style", + "aluminum alloy usb 3.0 extension cable 3.3ft long", + "aluminum alloy usb 3.0 extension cable 3.3ft long size", + "aluminum alloy usb 3.0 extension cable", + "aluminum alloy usb 3.0 extension cable long" + ], + "i need an oil and paraben free shampoo for my hair. it should be 29.2 fluid ounces in size.": [ + "oil and paraben free shampoo for my hair 29.2 fluid ounces in size", + "oil and paraben free shampoo for my hair 29.2 fluid ounces in size", + "an oil and paraben free shampoo for my hair 29.2 fluid ounces in size", + "oil and paraben free shampoo for my hair 29.2 fluid ounces in size.", + "oil and paraben free shampoo for my hair, 29.2 fluid ounces in size", + "oil and paraben free shampoo for my hair 29.2 fluid ounces", + "shampoo 29.2 fluid ounces in size", + "oil and paraben free shampoo for my hair", + "shampoo 29.2 fluid ounces", + "hair shampoo 29.2 fluid ounces in size" + ], + "blue color velvet upholstered suitable for large living room.": [ + "blue color velvet upholstered for large living room", + "blue color velvet upholstered large living room", + "blue color velvet upholstered living room", + "blue color velvet upholstered large living room.", + "blue color velvet upholstered small living room", + "blue color velvet upholstered living room.", + "blue velvet upholstered for large living room.", + "blue velvet upholstered for large living room", + "blue velvet upholstered large living room", + "blue color velvet upholstered for living room." + ], + "i want to find a gray twin-sized daybed with a trundle made out of solid wood.": [ + "gray twin-sized daybed with a trundle made out of solid wood", + "womens daybed with a trundle made out of solid wood", + "gray twin-size daybed with a trundle made out of solid wood", + "gray twin-bed with a trundle made out of solid wood", + "grey twin-sized daybed with a trundle made out of solid wood", + "gray twin-style daybed with a trundle made out of solid wood", + " gray twin-sized daybed with a trundle made out of solid wood", + "gray twin-sized daybed with a trundle made from solid wood", + "gray twin-sized daybed", + "gray twin-sized daybed with a trundle" + ], + "i need a black, rubber sole workboot in size 11.5.": [ + "black, rubber sole workboot in size 11.5", + "black rubber sole workboot in size 11.5", + "black rubber sole workboot in size 11.5.", + "black, rubber sole workboot size 11.5", + "black rubber sole workboot size 11.5", + "black rubber sole workboot in a size 11.5", + "black, rubber sole workboot, size 11.5", + "black rubber sole workboot, size 11.5", + "black, rubber sole workboot size 11.5.", + "black rubber sole workboot size 11.5." + ], + "get me sugar free water drink mix. i like half iced tea and half lemonade flavor.": [ + "sugar free water drink mix with lemonade flavor", + "sugar free water drink mix", + "sugar free water drink mix with a lemonade flavor", + "sugar free water drink mix with half iced tea and half lemonade flavor", + "sugar free water drink mix, half iced tea and half lemonade flavor", + "sugar free water drink mix half iced tea and half lemonade flavor", + "sugar free water drink mix. half iced tea and half lemonade flavor", + "sugar free water drink mix iced tea and half lemonade flavor", + "sugar free water drink mix, half iced tea, half lemonade flavor", + "sugar free water drink mix iced tea and lemonade flavor" + ], + "i'd like to find aa batteries that are fast-charging and compatible with my xbox controller.": [ + "a batteries fast-charging and compatible with my xbox controller", + "a batteries for xbox controller", + "a batteries that are fast-charging", + "a batteries", + "a batteries fast-charging", + "a batteries fast-charging xbox controller", + "a batteries fast-charging and compatible with xbox controller", + "a batteries for aa xbox controller", + "a batteries compatible with xbox controller", + "a batteries with fast-charging" + ], + "i want a size 6 donna morgan women's knotted crepe sheath dress that is machine washable. i want it in viridian green.": [ + "size 6 donna morgan womens knotted crepe sheath dress", + "donna morgan womens knotted crepe sheath dress in viridian green", + "donna morgan womens knotted crepe sheath dress", + "banana morgan womens knotted crepe sheath dress in viridian green", + "womens knotted crepe sheath dress in viridian green", + "womens knotted crepe sheath dress", + "bagel dress in viridian green", + "bagel dress in viridian green size 6", + "bag dress in viridian green", + "bag dress in viridian green size 6" + ], + "i want to find a long-lasting tempered glass phone screen protector that i can use. the color needs to be liquid purple and blue.": [ + "tempered glass phone screen protector", + "tempered glass phone screen protector liquid purple", + "tempered glass phone screen protector, liquid purple and blue", + "tempered glass phone screen protector in liquid purple", + "tempered glass phone screen protector, liquid purple", + "tempered glass phone screen protector liquid purple and blue", + "tempered glass phone screen protector in liquid purple and blue", + "tempered glass phone screen protector with liquid purple", + "tempered glass phone screen protector, liquid purple,", + "tempered glass phone screen protector with liquid purple and blue" + ], + "i want to buy a gray a gray color daybed in twin size with a wooden frame.": [ + "gray a gray color daybed in twin size with a wooden frame", + "gray a gray color daybed in twin size", + "grey a gray color daybed in twin size with a wooden frame", + "gray a gray daybed in twin size with a wooden frame", + "gray a gray color daybed twin size with a wooden frame", + "womens daybed in twin size with a wooden frame", + "gray a gray color daybed with a wooden frame", + "gray a gray color daybed", + "womens gray a gray color daybed in twin size", + "womens a gray color daybed in twin size" + ], + "i'm looking for some temporary hair chalk for my teenage niece; it should be easy to apply to dry hair.": [ + "temporary hair chalk for teenage niece", + "temporary hair chalk", + "temporary hair chalk for my teenage niece", + "temporary hair chalk for a teenage niece", + "temporary hair chalk for teenage niece under $50", + "temporary hair chalk for teenage niece under $40", + "temporary hair chalk for teenage niece under $60", + "temporary hair chalk for teenage girl", + "porary hair chalk for teenage niece", + "temporary hair chalk for girl" + ], + "i'd like to find a large, navy-colored women's skater dress that's machine washable.": [ + "large, navy-colored womens skater dress", + "large, navy-colored womens skater dress machine washable", + "navy-colored womens skater dress", + "navy-colored womens skater dress, machine washable", + "large navy-colored womens skater dress", + "womens skater dress that is machine washable", + "large, navy-colored womens skater dress under $50", + "womens skater dress, machine washable", + "large, navy-colored womens skater dress under $40", + "womens skater dress machine washable" + ], + "find an electric spa body brush with a long handle that comes in stainless steel for me please": [ + "electric spa body brush with long handle", + "electric spa body brush with long handle stainless steel", + "electric spa body brush with a long handle stainless steel", + "electric spa body brush stainless steel", + "electric spa body brush with a long handle", + "electric spa body brush with long handle, stainless steel", + "electric spa body brush with long handle in stainless steel", + "electric spa body brush, long handle, stainless steel", + "electric spa body brush", + "electric spa body brush that comes in stainless steel" + ], + "i need a digital photography background that is lightweight, easy to carry, and 8 by 6 feet in size.": [ + "digital photography background lightweight 8 by 6 feet", + "digital photography background lightweight 8 by 6 feet in size", + "digital photography background lightweight and easy to carry", + "digital photography background lightweight 8 by 6 foot", + "light weight digital photography background 8 by 6 feet", + "digital photography background lightweight 8 by 6 foot in size", + "digital photography background 8 by 6 feet", + "light weight digital photography background", + "digital photography background lightweight", + "digital photography background" + ], + "i want to find a 7x5 foot underwater world backdrop that's high resolution and also lightweight.": [ + "7x5 foot underwater world backdrop", + "7x5 foot underwater world backdrop high resolution", + "7x5 foot underwater world backdrop lightweight", + "7x5 underwater world backdrop", + "7x5 underwater world backdrop high resolution", + "7 x5 foot underwater world backdrop", + "7x5 lightweight underwater world backdrop", + "sea backdrop high resolution and lightweight", + "8x5 foot underwater world backdrop", + "8x5 underwater world backdrop high resolution" + ], + "i want to find snickerdoodle cookie bites that are dairy free and low carb.": [ + "snickerdoodle cookie bites dairy free and low carb", + "snickerdoodle cookie bites dairy free", + "stickerdoodle cookie bites dairy free and low carb", + "snoickerdoodle cookie bites dairy free and low carb", + "ssnickerdoodle cookie bites dairy free and low carb", + "snickerdoodle cookie bites dairy free low carb", + "sneickerdoodle cookie bites dairy free and low carb", + "snickerdoodle cookies bites dairy free and low carb", + "snoickerdoodle cookie bites dairy free", + "stickerdoodle cookie bites dairy free" + ], + "i need a motion-activated black bullet camera in 1080p hd.": [ + "motion-activated black bullet camera in 1080p hd", + "Motion-activated black bullet camera in 1080p hd", + " motion-activated black bullet camera in 1080p hd", + "magnified black bullet camera in 1080p hd", + "motion-activated black bullet camera in 1080p", + "motion-activated black bullet camera 1080p hd", + "Motion-activated black bullet camera in 1080p", + "moisturizing black bullet camera in 1080p", + "Motion-activated black bullet camera 1080p hd", + "motion-activated black bullet camera 1080p" + ], + "i want some navy blue straight leg pants.": [ + "i want some navy blue straight leg pants.", + "navy blue straight leg pants", + "i want some navy blue straight leg pants under 30 dollars", + "i want some navy blue straight leg pants under $40", + "i want some navy blue straight leg pants under $50", + "i want some navy blue straight leg pants under $60", + " navy blue straight leg pants", + "navy blue straight leg pants.", + "womens navy blue straight leg pants", + "synthetic blue straight leg pants" + ], + "i want to find a microdermabrasion machine that can treat sensitive dead skin.": [ + "microdermabrasion machine that can treat sensitive dead skin", + "microdermabrasion machine for sensitive dead skin", + "microdermabrasion machine with sensitive dead skin", + "microdermabrasion machine", + "mabrasion machine that can treat sensitive dead skin", + "midermabrasion machine that can treat sensitive dead skin", + "microdermabrasion machine, sensitive dead skin", + "mabrasion machine that can treat sensitive dead skin.", + "microdermabrasion machine for sensitive dead skin.", + "microdermabrasion machine under $50" + ], + "i am looking for cupcake toppers for a birthday party that are dino shaped.": [ + "cupcake toppers for a baby shower dino shaped", + "cupcake toppers for a birthday party dino shaped", + "cupcake toppers for a baby shower", + "cupcake toppers for a birthday party", + "cupcake toppers for a baby shower dino shaped.", + "cupcake toppers for a birthday party dino shaped.", + "cupcake toppers for a baby shower with dino shaped", + "cupcake toppers for a baby shower are dino shaped", + "cupcake toppers for a birthday party with dino shaped", + "cupcake toppers dino shaped" + ], + "i need to buy a toothbrush travel container. make sure it's easy to clean and buy color five.": [ + "toothbrush travel container color five", + "toothbrush travel container color 5", + "tothbrush travel container color five", + "teethbrush travel container color five", + "tothbrush travel container color 5", + "teethbrush travel container color 5", + "toothbrush travel container in color five", + "toothbrush travel container", + "toothbrush travel container in color 5", + "toothbrush travel container, color five" + ], + "i am looking for a high resolution natural scenery.": [ + "natural scenery high resolution", + "high resolution natural scenery", + "natural scenery that is high resolution", + "high resolution natural scenery.", + "natural scenery", + "natural scenery with high resolution", + "natural scenery, high resolution", + "natural scenery in high resolution", + "natural scenery high resolution natural", + "natural scenery." + ], + "i'm looking for a size 14.9 ounce wabry organic syrup": [ + "size 14.9 ounce wabry organic syrup", + "14.9 ounce wabry organic syrup", + "wabry organic syrup 14.9 oz", + "wabry organic syrup 14.9 ounce", + "wabry organic syrup size 14.9 oz", + "wabry organic syrup size 14.9 ounce", + "wabry organic syrup size 14.9", + "12.9 ounce wabry organic syrup", + "wabry organic syrup 14.9 ounces", + "wabry organic syrup size 14.9 ounces" + ], + "i need to buy some decaffeinated lavender tea.": [ + "decaffeinated lavender tea", + "decaffeinated lavender tea.", + "decaffeinated lavender tea under $40", + "decaffeinated lavender tea under 50 dollars", + "decaffeinated lavender tea under $60", + "decaffeinated lavender tea under 30 dollars", + "decaffeinated lavender tea under $50", + "decaffeinated lavender tea under 40 dollars", + "decaffeinated lavender tea under 60 dollars", + "decaffeinated lavender tea flavor" + ], + "i am looking for a certified organic herbal tea which has a rose flavor.": [ + "a certified organic herbal tea with rose flavor", + "certified organic herbal tea with rose flavor", + "synthetic organic herbal tea rose flavor", + "certified organic herbal tea rose flavor", + "roasted herbal tea with rose flavor", + "natural herbal tea rose flavor", + "natural herbal tea with rose flavor", + "roasted herbal tea", + "a certified organic herbal tea rose flavor", + "alarm tea rose flavor" + ], + "need one toothbrush holder easy to clean and non toxic in white": [ + "white toothbrush holder easy to clean and non toxic", + "toothbrush holder easy to clean white", + "teethbrush holder easy to clean white", + "white toothbrush holder easy to clean", + "tothbrush holder easy to clean white", + "toothbrush holder easy to clean and non toxic white", + "teethbrush holder easy to clean and non toxic", + "toothbrush holder easy to clean and non toxic", + "teethbrush holder easy to clean and non toxic white", + "tothbrush holder easy to clean and non toxic white" + ], + "i need a black yaheetech home office computer desk that is easy to assemble.": [ + "black yaheetech home office computer desk", + "black yaheetech home office computer desk easy to assemble", + "white yaheetech home office computer desk", + "easy assemble black yaheetech home office computer desk", + "home office computer desk that is easy to assemble", + "black yaheetech home office computer desk easy assemble", + "black yaheetech home office computer desk under $40", + "black yaheetech home office computer desk, easy assemble", + "yaheetech home office computer desk", + "home office computer desk black" + ], + "i am interested in the travel sized version of gucci bamboo impression.": [ + "travel sized version of gucci bamboo impression", + "travel sized version of gucci bamboo impression.", + "pink gucci bamboo impression travel sized", + "pink gucci bamboo impression", + "guancci bamboo impression travel sized", + "vanity sized gucci bamboo impression", + "womens travel sized gucci bamboo impression", + "g gucci bamboo impression travel sized", + "pink pomegranate bamboo impression", + "guancci bamboo impression" + ], + "i'm looking travel size alcohol free fragrance body oil which should be long lasting. also choose chanel coco impression one.": [ + "travel size alcohol free fragrance body oil", + "travel size alcohol free fragrance body oil chanel coco impression", + "vanity size alcohol free fragrance body oil", + "travel size alcohol free fragrance body oil that should be long lasting", + "alcohol free fragrance body oil travel size chanel coco impression", + "travel size alcohol free fragrance body oil which should be long lasting", + "travel size alcohol free fragrance body oil which should be long lasting.", + "Travel size alcohol free fragrance body oil", + "temporary alcohol free fragrance body oil", + "alcohol free fragrance body oil" + ], + "i am interested in a travel sized bottle of kilian good girl gone bad.": [ + "travel sized bottle of kilian good girl gone bad", + "port sized bottle of kilian good girl gone bad", + "travel sized bottle of kilian good girl", + "temporary travel sized bottle of kilian good girl", + "klian good girl travel sized bottle", + "kalian good girl travel sized bottle", + "kolian good girl travel sized bottle", + "kimian good girl travel sized bottle", + "kilian good girl travel sized bottle", + "klonian good girl travel sized bottle" + ], + "i am looking for alcohol free women versace dreamer impression scent.": [ + "alcohol free women versace dreamer impression scent", + "alcohol free women versace dreamer impression scent.", + "alcohol free women versace dreamer impression scent under $40", + "alcohol free women versace dreamer scent", + "alcohol free women versace dreamer impression scent under $50", + "alcohol free women versace dreamer impression scent under $60", + "alcohol free women versace dreamer impression scent under 50 dollars", + "alcohol free women versace dreamer impression scent below $40", + "alcohol free women versace dreamer impression scent under 30 dollars", + "alcohol free women versace dreamer impression scent under 40 dollars" + ], + "i am looking for a travel sized bottle of jean paul gaultier scandal impression perfume.": [ + "travel sized bottle of jean paul gaultier scandal impression perfume", + "travel sized bottle of jean paul gaultier scandal impression perfume.", + "jean paul gaultier scandal impression perfume", + "a travel sized bottle of jean paul gaultier scandal impression perfume", + "Travel sized bottle of jean paul gaultier scandal impression perfume", + " travel sized bottle of jean paul gaultier scandal impression perfume", + "tour sized bottle of jean paul gaultier scandal impression perfume", + "pink jean paul gaultier scandal impression perfume", + "jean paul gaultier scandal impression perfume travel sized", + "travel sized bottle of jean paul gaultier scandal impression perfume," + ], + "i am looking for a women's short sleeve honey bee t shirt size x-large.": [ + "womens short sleeve honey bee t shirt x-large", + "womens short sleeve honey bee t-large", + "womens short sleeve honey bee t shirt", + "mens short sleeve honey bee t shirt size x-large", + "womens short sleeve honey bee t t-large", + "womens short sleeve honey bee t shirt x-l", + "honey bee t-shirt x-large", + "womens short sleeve honey bee t-short", + "womens short sleeve honey bee t-short sleeve", + "womens short sleeve honey bee t" + ], + "i am looking for a lightweight photography background in a size 10ft by 7ft.": [ + "light weight photography background in a size 10ft by 7ft", + "lightweight photography background in a size 10ft by 7ft", + " lightweight photography background in a size 10ft by 7ft", + "aluminum photography background in a size 10ft by 7ft", + "weight photography background in a size 10ft by 7ft", + "10ft by 7ft lightweight photography background", + "light weight photography background 10ft by 7ft", + "lightweight photography background 10ft by 7ft", + "light weight photography background in a size 10ft x 7ft", + "lightweight photography background in a size 10ft x 7ft" + ], + "i am looking for loght weight photography background.size should be 10x7 ft": [ + "loght weight photography background 10x7 ft", + "loght weight photography background", + "loght weight photography background, 10x7 ft", + "loght weight photography background that should be 10x7 ft", + "loght weight photography background 9x7 ft", + "loght weight photography background 10x7", + "loght weight photography background in a 10x7 ft", + "loght weight photography background in 10x7 ft", + "lens weight photography background 10x7 ft", + "loght weight photography background.size should be 10x7" + ], + "i need a lightweight background for the photo studio that is 10 by 7 ft.": [ + " lightweight background for the photo studio that is 10 by 7 ft", + "weight background for the photo studio that is 10 by 7 ft", + "light weight background for photo studio that is 10 by 7 ft", + "light weight background for the photo studio 10 by 7 ft", + "10 by 7 ft lightweight background for photo studio", + "10 by 7 ft lightweight background", + "10 by 7 ft lightweight background photo studio", + "light weight background 10 by 7 ft", + "10 x 7 ft lightweight background for photo studio", + "light weight background for the photo studio 10 by 7 ft." + ], + "i want to get an 8 fluid ounce pack of 24 sweet and sour margarita and daquiri mix packets made with only natural ingredients.": [ + "8oz pack of 24 sweet and sour margarita and daquiri mix packets", + "8 fluid ounce pack of 24 sweet and sour margarita mix packets", + "8 oz pack of 24 sweet and sour margarita and daquiri mix packets", + "8 fluid ounce pack of 24 sweet and sour margarita with no natural ingredients", + "8 fluid ounce pack of 24 sweet and sour margarita with only natural ingredients", + "8oz natural margarita and daquiri mix packets", + "8 fluid ounce pack of 24 sweet and sour margarita natural ingredients", + "8oz margarita and daquiri mix packets", + "chocolate and sour margarita mix packets", + "8oz natural margarita mix packets" + ], + "i want rose gold cupcake picks that say we will miss you for a retirement party i'm throwing.": [ + "rose gold cupcake picks for a retirement party", + "rose gold cupcake picks for retirement party", + "rose gold cupcake picks for a retirement party im throwing", + "rose gold cupcake picks", + "rose gold cupcake pick for a retirement party", + "rose gold cupcake picks for a retirement party throwing", + "rose gold cupcake pick for retirement party", + "rose gold cupcake picks, for a retirement party", + "rose gold cupcake picks for a retirement party,", + "rose gold cupcake pick" + ], + "i would like a chocolate gift basket.": [ + "chocolate gift basket", + "chocolate gift basket.", + "chocolate gift basket under $50", + "chocolate gift basket that is chocolate", + "chocolate gift basket under 50 dollars", + "chocolate gift basket under $40", + "chocolate gift basket under $60", + "chocolate gift basket under 40 dollars", + "chocolate gift basket under 30 dollars", + "chocolate gift basket under 60 dollars" + ], + "i need to buy an iphone case in midnight grey. make sure it supports wireless charging.": [ + "iphone case in midnight grey", + "iphone case in midnight grey with wireless charging", + "digital iphone case in midnight grey", + "iphone case in midnight grey wireless charging", + "iphone case with wireless charging", + "iphone case in midnight grey, wireless charging", + "aniphone case in midnight grey", + "iphone case in midnight grey under $40", + "iphone case midnight grey", + "iphone case" + ], + "i would like some soft drink mixes that have low sugar.": [ + "soft drink mix low sugar", + "soft drink mixes low sugar", + "soft drink mixes that have low sugar", + "soft drink mix with low sugar", + "soft drink mixes with low sugar", + "soft drink mix that have low sugar", + "soft drink mix that are low sugar", + "soft drink mixes that are low sugar", + "soft drink mix no sugar", + "soft drink mixes no sugar" + ], + "i would like a size 7 narrow non slip sneaker with a storm blue snake color.": [ + "sneaker with a storm blue snake color", + "sneakers with a storm blue snake color", + "sneaker with a storm blue snake", + "sneakers size 7 storm blue", + "sneakers with a storm blue snake", + "sneaker with a storm blue snakes", + "sneaker with a storm blue snakes color", + "sneakers with a storm blue snakes color", + "sneakers size 7 with a storm blue snake", + "small non slip sneaker with a storm blue snake" + ], + "i want a multicolor spandex top for summer.": [ + "multicolor spandex top for summer", + "multicolor spandex top for summer.", + "multicolor spandex top", + "multicolor spandex top in summer", + "multicolor spandex bikini top for summer", + "multicolor spandex shirt for summer", + "multicolor spandex top for the summer", + "multicolor spandex top, summer", + "multicolor spandex top for kids", + "multicolor spandex top summer" + ], + "i am looking for caffeine free coconut almond flavored carob bars.": [ + "coffee free coconut almond flavored carob bars", + "coffee free coconut almond flavored carob bar", + "caffeinated coconut almond flavored carob bars", + "caffeinated coconut almond flavored carob bar", + "caffeinated free coconut almond flavored carob bars", + "coffee free coconut almond flavored carob bars.", + "caffeinated free coconut almond flavored carob bar", + "caffeine free coconut almond flavored carob bars", + "caffeinated coconut almond flavored carob bars.", + " caffeine free coconut almond flavored carob bars" + ], + "i am looking for caffeine free and gluten free chocolate. please choose peanut butter flavor.": [ + "chocolate peanut butter flavor", + "pomegranate butter chocolate flavor", + "pomegranate peanut butter flavor", + "pomegranate butter flavor", + "pale peanut butter flavor", + "pomegranate free chocolate flavor", + "coffee free and gluten free chocolate", + "pale butter chocolate flavor", + "pale peanut butter chocolate flavor", + "pomegranate butter chocolate" + ], + "i want to find an extra-large black women's blouse that is loose-fitting.": [ + "extra-large black womens blouse", + "extra-large black womens blouse loose-fitting", + "extra-large black womens blouse, loose-fitting", + "extra-large black womens blouse in loose-fitting", + "extra-large black womens blouse with loose-fitting", + "extra-large black womens blouse that is loose fitting", + "extra-large black womens blouse under $50", + "extra-large black womens blouse under $40", + "extra-large black womens blouse loose-fitting.", + "extra large black womens blouse" + ], + "i want to find 8 ounces of instant coffee sticks that are easy to prepare. they must come with 12 sticks in a box.": [ + "8 ounces of instant coffee sticks", + "8 oz of instant coffee sticks", + "8 ounces of instant coffee sticks with 12 sticks", + "8 ounces of instant coffee sticks easy to prepare", + "8 ounce of instant coffee sticks", + "8 ounces of instant coffee sticks in a box", + "8 ounces instant coffee sticks", + "8 oz instant coffee sticks", + "8 ounces of coffee sticks", + "8 ounce instant coffee sticks" + ], + "i am looking for 14 oz (200 sachets) strong and pure easy prepare coffee of cappucino hazelnut color": [ + "14 oz (200 sachets) strong and pure easy prepare coffee of cappucino hazelnut color", + "14 oz (200 sachets) strong and pure easy prepare coffee of cappucino hazelnut", + "12 oz (200 sachets) strong and pure easy prepare coffee of cappucino hazelnut color", + "15 oz (200 sachets) strong and pure easy prepare coffee of cappucino hazelnut color", + "14 oz (200 sachets) strong and pure easy prepare coffee with cappucino hazelnut color", + "13 oz (200 sachets) strong and pure easy prepare coffee of cappucino hazelnut color", + "14 oz (200 sachets) strong and pure easy prepare coffee of cappucino hazelnut flavor", + "14 oz (200 sachets) strong and pure coffee of cappucino hazelnut color", + "14 oz (200 sachets) strong and pure easy prepare coffee", + "14 oz (200 sachets) strong and pure easy prepare coffee of cappucino hazelnut colored" + ], + "i am looking for some special edition instant coffee that is easy to prepare and has 12 sticks.": [ + "special edition instant coffee with 12 sticks", + "special edition instant coffee", + "special edition instant coffee 12 sticks", + "special edition instant coffee under 120 dollars", + "special edition instant coffee flavor 12 sticks", + "special edition instant coffee blend 12 sticks", + "special edition instant coffee under $50", + "special edition instant coffee under $40", + "special edition instant coffee with 12 stick", + "special edition instant coffee with 12 sticks." + ], + "i am looking for cappucino coconut and low sugar instant coffee for energy boost": [ + "cppucino coconut and low sugar instant coffee", + "cppucino coconut low sugar instant coffee", + "casppucino coconut and low sugar instant coffee", + "cupppucino coconut and low sugar instant coffee", + "cupppucino coconut low sugar instant coffee", + "coffee coconut and low sugar instant coffee", + "coffee coconut low sugar instant coffee", + "cppucino coconut", + "caramel instant coffee", + "coffee coconut" + ], + "i am looking for khaki color summer pants for women that can be washed by hands.": [ + "kaki color summer pants for women", + "k khaki color summer pants for women", + "h khaki color summer pants for women", + "kaki color summer pants", + "k khaki color summer pants", + "curtains for women", + " khaki color summer pants for women", + "comfortable khaki color summer pants for women", + "kcaki color summer pants for women", + "h khaki color summer pants" + ], + "i'm looking for size ten ladies shoes with a closed toe and leather soles.": [ + "size ten ladies shoes with a closed toe and leather soles", + "size 10 ladies shoes with a closed toe and leather soles", + "size ten ladies shoes with closed toe and leather soles", + "size ten ladies shoes, closed toe and leather soles", + "size ten ladies shoes with a closed toe, leather soles", + " size ten ladies shoes with a closed toe and leather soles", + "size ten ladies shoes with a closed toe with leather soles", + "small ladies shoes with a closed toe and leather soles", + "size ten ladies shoes", + "twin ladies shoes with a closed toe and leather soles" + ], + "i am looking for a nickel finished one light wall sconce.": [ + " nickel finished one light wall sconce", + "one light wall sconce", + "n nickel finished one light wall sconce", + "nyl finished one light wall sconce", + "10 nickel finished one light wall sconce", + "one light wall sconce nickel finished", + " nickel finished one light wall sconce.", + "light wall sconce nickel finished", + "one light wall sconce, nickel finished", + "two light wall sconce" + ], + "i would like a 3.4 oz dry shampoo that is paraben free.": [ + "3.4 oz dry shampoo", + "3.4 oz dry shampoo paraben free", + "3.4 oz dry shampoo, paraben free", + "3.4 oz dry shampoo with paraben free", + "3.4 oz dry shampoo no paraben", + "dry shampoo 3.4 oz paraben free", + "3.4 oz dry shampoo under $40", + "3.4 oz dry shampoo under $50", + "3.4 oz dry shampoo with paraben", + "3.4 oz dry shampoo paraben free," + ], + "buy some baby food. make sure it's certified organic.": [ + "baby food certified organic", + "baby food certified organic.", + "baby food, certified organic", + "baby food certified natural", + "baby food. certified organic", + "babyfood certified organic", + "baby food organic", + "baby food", + "baby food certified", + "baby food natural" + ], + "buy me a black flip case for my phone with a glass screen.": [ + "black flip case for my phone with a glass screen", + "black flip case for a phone with a glass screen", + "black flip case for phone with a glass screen", + "white flip case for my phone with a glass screen", + "glass flip case for my phone with a glass screen", + "black flip case phone with a glass screen", + "phone case with a glass screen", + "black flip case for my phone with glass screen", + "black flip case for my phone", + "phone case with glass screen" + ], + "i would like a 100 count friends bunny grahams party mix with simple ingredients.": [ + "100 count friends bunny grahams party mix", + " 100 count friends bunny grahams party mix", + "bagel grahams party mix with simple ingredients", + "10 count friends bunny grahams party mix", + "100 count friendly bunny grahams party mix", + "pink bunny grahams party mix", + "a 100 count friends bunny grahams party mix", + "bagel grahams party mix 100 count", + "living room bunny grahams party mix", + "living room bunny grahams party mix 100 count" + ], + "i want a 12 ounce bag of gluten free pecan flavored ground coffee.": [ + "12 ounce bag gluten free pecan flavored ground coffee", + "12 ounce bag of gluten free pecan flavored coffee", + "bag of gluten free pecan flavored ground coffee", + "12 ounce bag gluten free pecan flavored coffee", + "12 ounce gluten free pecan flavored ground coffee", + "gluten free pecan flavored ground coffee", + "pcan flavored ground coffee 12 ounce bag", + "gluten free pecan flavored ground coffee drink mix", + "pcan flavored ground coffee 12 oz", + "pcan flavored ground coffee" + ], + "i want to get a grey wireless headset with stereo sound.": [ + "grey wireless headset with stereo sound", + "grey wireless headset", + "grey wireless headset with stereo sound.", + "grey wireless headset with stereo sound,", + "grey wireless headset, with stereo sound", + "grey wireless headset that is stereo sound", + "grey wireless headset, stereo sound", + "grey wireless headset with stereo sound with grey", + "grey wireless headset with a stereo sound", + "grey wireless headset, with stereo sound," + ], + "i'm looking for a 12-count box of european cookies in holiday flavors that i can give as a valentine's day gift.": [ + "12-count box of european cookies in holiday flavors", + "12 count box of european cookies in holiday flavors", + "12-count box of european cookies", + "12count box of european cookies in holiday flavors", + "12 count box of european cookies", + "12-count box of european cookies, valentines day gift", + "12 count box of european cookies, valentines day gift", + "12-count box of european cookies for valentines day gift", + "12count box of european cookies", + "12-count box of european cookies for valentines day" + ], + "i am looking for pink cake toppers for a birthday party.": [ + "pink cake toppers for a baby shower", + "pink cake toppers for a birthday party", + "pink cake toppers for a birthday party.", + "pink cake toppers for a baby shower.", + "pink birthday cake toppers for a baby shower", + "pink cake toppers, for a baby shower", + "pink birthday cake toppers for a birthday party", + "pink cake toppers for baby shower", + "pink cake toppers for a bday party", + "pink birthday cake toppers" + ], + "i'm looking for a pair of mens sneakers with a synthetic sole, i'm a size 7 and a half.": [ + "mens sneakers with a synthetic sole", + "mens sneakers size 7 and a half", + "mens sneakers in a size 7 and a half", + "mens sneakers, size 7 and a half", + "mens sneakers, a size 7 and a half", + "mens sneakers with a synthetic sole size 7", + "mens sneakers with a synthetic sole", + "mens sneakers", + "mens sneakers size 7", + "mens sneakers" + ], + "i want to find a wireless bluetooth sound bar featuring blu ray.": [ + "wireless bluetooth sound bar", + "wireless bluetooth sound bar with blu ray", + "womens wireless bluetooth sound bar", + "a wireless bluetooth sound bar with blu ray", + "womens bluetooth sound bar", + "wireless bluetooth sound bar featuring blu ray", + " wireless bluetooth sound bar with blu-ray", + " wireless bluetooth sound bar with blu ray", + "wireless bluetooth sound bar under $40", + "wirefree wireless bluetooth sound bar" + ], + "i am looking for a power cord for a blu ray player with output protection.": [ + "power cord for blu ray player with output protection", + "power cord blu-ray player with output protection", + "power cord blu ray player with output protection", + "power cord for blu ray player", + "power cord for bluray player with output protection", + "power cord blu-ray player", + "power cord for blu-ray player", + "power cord for a blu ray player", + "power cord blu ray player", + "power cord" + ], + "i am looking for a certified refurbished intel core mini desktop computer with windows 10 pro.": [ + "intel core mini desktop computer with windows 10 pro", + "dual desktop computer with windows 10 pro", + "certified refurbished intel core mini desktop computer", + "desktop computer with windows 10 pro", + "intel core mini desktop computer with windows 10", + "aluminum mini desktop computer with windows 10 pro", + "intel core mini desktop computer", + "alarm clock with windows 10 pro", + "dual desktop computer with windows 10", + "dual desktop computer" + ], + "i am interested in a high quality cosmetic bag.": [ + "beauty bag high quality", + "high quality cosmetic bag", + "high quality cosmetic bag.", + "beauty bag", + "a high quality cosmetic bag", + "clothing bag high quality", + "low quality cosmetic bag", + "medical bag high quality", + "lip gloss cosmetic bag", + "low quality cosmetic bag." + ], + "looking for hiking shoes non slip and waterproof in orange size 7.5": [ + "non slip hiking shoes in orange size 7.5", + "walking shoes non slip and waterproof in orange size 7.5", + "non slip hiking shoes waterproof orange size 7.5", + "non slip hiking shoes orange size 7.5", + "hiking shoes non slip and waterproof orange size 7.5", + "walking shoes non slip and waterproof orange size 7.5", + "non slip hiking shoes waterproof in orange size 7.5", + "non slip hiking shoes size 7.5", + "pink hiking shoes non slip and waterproof size 7.5", + "non slip hiking shoes waterproof orange size 7.5 hiking shoes" + ], + "need a mini computer with a intel core 5 4200u, 8gb ram, 64g ssd": [ + "mini computer with a intel core 5 4200u, 8gb ram, 64g ssd", + "i mini computer with a intel core 5 4200u, 8gb ram, 64g ssd", + "mini computer with a intel core 5 4200u with 8gb ram, 64g ssd", + "mini computer with a intel core 5 4200u with 8gb ram", + "i mini computer with a intel core 5 4200u with 8gb ram, 64g ssd", + "mini computer with a intel core 5 4200u 8gb ram, 64g ssd", + "tablet computer with a intel core 5 4200u with 8gb ram, 64g ssd", + "mini computer with a intel core 5 4200u, 8gb ram, 64g ssd, mini computer", + "tablet computer with a intel core 5 4200u with 8gb ram", + "mini computer with a intel core 5 4200u" + ], + "i am interested in a dual colored headset that is noise cancelling.": [ + "dual colored headset that is noise cancelling", + "dual colored headset noise cancelling", + "dual colored headset with noise cancelling", + "dual colored headset", + "dual colored headset, noise cancelling", + "dual colored headset no noise cancelling", + "dual colored headset for noise cancelling", + "dual colored headset noise cancelling.", + "dual colored headset with noise cancelling,", + "dual colored headset no noise" + ], + "i am looking for black 18th birthday cake toppers.": [ + "18th birthday cake toppers", + "18th birthday cake toppers black", + "black 18th birthday cake toppers", + "18th birthday cake toppers black 18th", + "18th birthday cake toppers, black", + "18th birthday cake toppers that are black", + "18th birthday cake toppers under $40", + "18th birthday cake toppers under $50", + "18th birthday cake toppers.", + "18th birthday cake toppers under $60" + ], + "i want pink 18th birthday cake toppers.": [ + "pink 18th birthday cake toppers", + "pink 18th birthday cake toppers.", + "18th birthday cake toppers pink", + "teen girl pink 18th birthday cake toppers", + "18th birthday cake toppers", + "18th birthday cake toppers pink 18th birthday", + "teen girl birthday cake toppers pink 18th birthday", + "teenth birthday cake toppers pink 18th birthday", + "teen years birthday cake toppers pink 18th birthday", + "19 pink 18th birthday cake toppers" + ], + "i need a grey square shaped rug that is 2'3\" x 18' for my living room.": [ + "grey square shaped rug 23 x 18", + "grey square shaped rug that is 23 x 18", + "23 x 18 grey square shaped rug", + "grey square shaped rug 23 x 18 living room", + "grey square shaped rug", + "grey square shaped rug living room 23 x 18", + "grey square shaped rug, 23 x 18", + "grey square shaped rug 22 x 18", + "23 x 18 grey square shaped rug living room", + "grey square rug 23 x 18" + ], + "i want a 36 pack of applesauce that is non gmo.": [ + "24 pack of applesauce", + "36 pack of applesauce", + "24 pack of applesauce non gmo", + "36 pack of applesauce non gmo", + "28 pack of applesauce", + "18 pack of applesauce", + " 36 pack of applesauce", + "bag of applesauce", + "pack of applesauce", + "appleauce 36 pack" + ], + "i night some light tan anti-aging cream for dark circles under my eyes.": [ + "light tan anti-aging cream for dark circles under my eyes", + "light tan anti-aging cream dark circles under my eyes", + "light tan anti-aging cream", + "light tan anti-aging cream under my eyes", + "light tan anti-aging cream for dark circles under 30 dollars", + "light tan anti-aging cream for dark circles under 20 dollars", + "light tan anti-aging cream for dark circles under 60 dollars", + "low tan anti-aging cream for dark circles under my eyes", + "light tan anti-aging cream for dark circles under 40 dollars", + "light tan anti-aging cream for dark circles" + ], + "i want to find a heavy duty writing table that has a steel coating.": [ + "heavy duty writing table with a steel coating", + "heavy duty writing table with steel coating", + "heavy duty writing table steel coating", + "heavy duty writing table, steel coating", + "heavy duty writing table steel", + "light duty writing table with a steel coating", + "heavy duty writing table made from steel", + "heavy duty writing table in steel", + "heavy duty writing table", + "heavy duty writing table with steel" + ], + "i need a loose fit, long sleeved hoodie in green. buy the size medium.": [ + "womens hoodie in green", + "lens long sleeved hoodie in green", + "large hoodie in green", + "short sleeved hoodie in green", + "lens hoodie in green", + "large hoodie loose fit, long sleeved", + "large hoodie loose fit in green", + "large black hoodie in green", + "womens hoodie in green loose fit", + "lens hoodie in green size medium" + ], + "i want blue faux leather 26\" watson & whitely bar stools.": [ + "blue faux leather 26 watson & whitely bar stools", + "blue faux leather 26 watson & whitely bar stool", + "blue faux leather 26 watson and whitely bar stools", + "blue faux leather 26 watson and whitely bar stool", + "blue faux leather 26watson & whitely bar stools", + "blue faux leather 26 watson & whitely bar stool.", + "blue faux leather 26 watson & whitely bar stool,", + "blue faux leather 26 watson & whitely barstools", + "blue faux leather 26watson & whitely bar stool", + "blue faux leather 26 watson & whitely bar" + ], + "do you have any old fashioned taffy that is sugar free in apple flavour?": [ + "old fashioned taffy sugar free", + "old fashioned taffy sugar free apple flavour", + "old fashioned taffy that is sugar free", + "old fashioned taffy with apple flavour", + "old fashioned taffy", + "old fashioned taffy apple flavour", + "old fashioned taffy with sugar free flavor", + "old fashioned taffy with sugar free", + "old fashioned taffy in apple flavour", + "old fashioned taffy no sugar" + ], + "i'm looking for eye serum for anti aging and clinically proven": [ + "anti aging serum clinically proven", + "anti aging serum that is clinically proven", + "oral serum anti aging clinically proven", + "anti aging serum", + "oral anti aging serum clinically proven", + "anti aging serum for anti aging clinically proven", + "eye serum anti aging clinically proven", + "oral serum anti aging and clinically proven", + "ant aging serum clinically proven", + "oral anti aging serum" + ], + "get me a green iphone 12 case that supports wireless charging.": [ + "green iphone 12 case with wireless charging", + "green iphone 12 case that supports wireless charging", + "green iphone 12 case", + "iphone 12 case with wireless charging", + "green iiphone 12 case with wireless charging", + "greeniphone 12 case with wireless charging", + "green iphone 12 case, with wireless charging", + "iphone 12 case that supports wireless charging", + "green iphone 12 case, wireless charging", + "green iphone 12 charging case with wireless charging" + ], + "i would like a shampoo to help my dry hair.": [ + "shampoo for dry hair", + "shampoo to help dry hair", + "shampoo to help my dry hair.", + "shampoo to help my dry hair", + "shampoo to help dry hair.", + "shampoo that helps dry hair", + "shampoo", + "shampoo for dry hair under $40", + "shampoo for dry hair.", + "shampoo for dry hair under $50" + ], + "i am looking for women's size 5.5 athletic sneakers with rubber soles.": [ + "womens size 5.5 athletic sneakers", + "womens size 5.5 athletic sneakers rubber soles", + "womens size 5.5 athletic sneakers with rubber sole", + "mens size 5.5 athletic sneakers with rubber soles", + "mens size 5.5 athletic sneakers with rubber soles", + "womens size 5.5 tennis sneakers", + "womens size 5.5 sneakers with rubber soles", + "size 5.5 athletic sneakers with rubber soles", + "womens size 5.5 athletic sneakers, rubber sole", + "mens size 5.5 athletic sneakers" + ], + "i am looking for a pair of women's size 5 athletic sneakers with a rubber sole.": [ + "womens size 5 athletic sneakers", + "mens size 5 athletic sneakers with a rubber sole", + "mens size 5 athletic sneakers with a rubber sole", + "womens size 5 athletic sneakers with rubber sole", + "womens size 5 athletic sneakers, rubber sole", + "size 5 athletic sneakers with a rubber sole", + "womens size 5 sneakers with a rubber sole", + "woman size 5 athletic sneakers with a rubber sole", + "womens size 5 tennis sneakers", + "mens size 5 athletic sneakers" + ], + "i would like a 50 inch high speed tv.": [ + "50 inch high speed tv", + "i would like a 50 inch high speed tv.", + "50 inch high speed tv under $60", + "50 inch high speed tv price lower than 50.00 dollars", + "50 inch high speed tv.", + "50 inch high speed tv price lower then $60.00", + "50 inch high speed tv under 30 dollars", + "50 inch high speed tv under 50 dollars", + "50 inch high speed tv under $40", + "50 inch high speed tv under $50" + ], + "i would like some 16 inch hair extensions in color 60.": [ + "16 inch hair extensions color 60", + "16 inch hair extension color 60", + "hair extension color 60", + "hair extensions in color 60", + "16 inch hair extensions", + "hair extensions color 60", + "16 inch hair extensions colored 60", + "16 inch hair extension colored 60", + "16 inch hair extension", + "hair extension in color 60" + ], + "i need a beige or green shower brush with a long handle.": [ + "beige or green shower brush", + "beige or green shower brush with long handle", + "beige shower brush with a long handle", + "beige or green shower brush, long handle", + "bathroom brush with a long handle", + "bathroom brush with long handle", + "beige shower brush with long handle", + "shower brush with long handle", + "shower brush with a long handle", + "green shower brush with a long handle" + ], + "can you find me 1 pack of low calorie wheat flour sandwich crackers that are lemon, chocolate, and cream cheese flavored?": [ + "low calorie wheat flour sandwich crackers that are lemon, chocolate, and cream cheese flavored", + "low calorie wheat flour sandwich crackers that are lemon, chocolate and cream cheese flavored", + "low calorie wheat flour sandwich crackers that are lemon, chocolate, cream cheese flavored", + "1 pack of low calorie wheat flour sandwich crackers", + "pack of low calorie wheat flour sandwich crackers that are lemon, chocolate and cream cheese flavored", + "low calorie wheat flour sandwich crackers", + "low calorie wheat flour sandwich crackers flavor", + "3 pack of low calorie wheat flour sandwich crackers", + "pack of low calorie wheat flour sandwich crackers", + "low calorie wheat flour sandwich crackers with flavor" + ], + "i need black dodoing curly messy hair bun extensions.": [ + "black dodoing curly messy hair bun extensions", + "black dodoing curly messy hair bun extension", + "black dodoing curly messy hair bun extensions.", + "black dodoing curly messy hair bun extensions under $50", + "black dodoing curly messy hair bun extensions under $40", + "black dodoing curly messy hair bun extensions under $60", + "black dodoing curly messy hair bun extensions under 30 dollars", + "black dodoing curly messy hair bun extensions under 50 dollars", + "black dodoing curly messy hair bun extensions,", + "i need black dodoing curly messy hair bun extensions." + ], + "i am looking for a white mesh height adjustable drafting chair.": [ + "white mesh height adjustable drafting chair", + "white mesh height adjustable drafting chair.", + "white mesh height adjustable drafting chair under $40", + "white mesh height adjustable drafting chair under $50", + "white mesh height adjustable drafting chair under $60", + "white mesh height adjustable drafting chair,", + "white mesh height adjustable drafting chair under $120", + "white mesh height adjustable drafting chair under $130", + "white mesh height adjustable drafting chair under 50 dollars", + "living room white mesh height adjustable drafting chair" + ], + "i'm looking for a mens slipper that has a water resistant rubber outer sole. size thirteen and extra wide.": [ + "mens slipper with a water resistant rubber outer sole", + "mens slipper size thirteen extra wide", + "mens slipper with water resistant rubber outer sole", + "mens slipper that is water resistant rubber outer sole", + "mens slipper, size thirteen, extra wide", + "mens slipper size thirteen and extra wide", + "mens slipper, water resistant rubber outer sole", + "mens slipper water resistant rubber outer sole", + "mens slipper size thirteen extra wide.", + "mens slipper" + ], + "i am looking for a women's short sleeve playsuit size medium.": [ + "womens short sleeve playsuit size medium", + "womens short sleeve playsuit", + "womens short sleeve playsuit size medium.", + "womens short sleeve playsuit medium", + "womens short sleeve playsuit size medium,", + "womens short sleeve playuit size medium", + "womens short sleeve playsuit small", + "womens long sleeve playsuit size medium", + "womens short sleeve playsuit in a medium", + "womens short sleeve playsuit, medium" + ], + "i want to buy the rattan wicker sofa set with machine washable burgandy cusions.": [ + "t rattan wicker sofa set with machine washable burgandy cusions", + "tattlean wicker sofa set with machine washable burgandy cusions", + "the rattan wicker sofa set with machine washable burgandy cusions", + "shttan wicker sofa set with machine washable burgandy cusions", + "rashan wicker sofa set with machine washable burgandy cusions", + "tattan wicker sofa set with machine washable burgandy cusions", + "rattan wicker sofa set with machine washable burgandy cusions", + " rattan wicker sofa set with machine washable burgandy cusions", + "t rattan wicker sofa set", + " rattan wicker sofa set" + ], + "i'd like to find a highly pigmented eyeshadow palette that is long-lasting. it needs to have a daring color.": [ + "daring pigmented eyeshadow palette", + "daring pigmented eyeshadow palette that is long-lasting", + "pink pigmented eyeshadow palette that is long-lasting", + "pink pigmented eyeshadow palette", + "pink eyeshadow palette that is long-lasting", + "pink pigmented eyeshadow palette long-lasting", + "daring pigmented eyeshadow palette with a daring color", + "lip pigmented eyeshadow palette that is long-lasting", + "daring pigmented eyeshadow palette, long-lasting", + "pink eyeshadow palette" + ], + "i am looking for an apple watch compatible lavender grey silicone band with quick release.": [ + "apple watch compatible lavender grey silicone band", + "apple watch with a lavender grey silicone band", + "pink watch compatible lavender grey silicone band", + "apple watch with lavender grey silicone band", + "apple watch band with quick release", + "alarm grey silicone band", + "pink silicone band apple watch watch", + "plastic grey silicone band", + "pink silicone band apple watch", + "plastic grey silicone band apple watch" + ], + "i want gluten free classic chili chicharrones.": [ + "gluten free classic chili chicharrones", + "gluten free classic chili chicharrones.", + "classic chili chicharrones gluten free", + "i want gluten free classic chili chicharrones.", + "gluten free classic chili chicharrones under $40", + "gluten free classic chili chicharrones under $60", + "gluten free classic chili chicharrones under $50", + "gluten free classic chili chicharrones under 40 dollars", + "gluten free classic chili chicharrones under 50 dollars", + "gluten free classic chili chicharrones under 30 dollars" + ], + "i am interested in a high quality brush set.": [ + "high quality brush set", + "high quality brush set.", + "brush set that is high quality", + "high quality brush set under $40", + "high quality brush set under $50", + "high quality brush set under $60", + "high quality brush set under 30 dollars", + "high quality brush set under 50 dollars", + "high quality brush set under $120", + "high quality brush set under 120 dollars" + ], + "i'm looking for throw pillow covers for the pillows for my living room, they should be super soft and about 22 by 22 inches.": [ + "throw pillow covers 22 by 22 inches", + "throw pillow covers for living room 22 by 22 inches", + "throw pillow cover 22 by 22 inches", + "throw pillow covers for my living room 22 by 22 inches", + "throw pillow covers for the pillows for my living room", + "throw pillows for the living room 22 by 22 inches", + "throw pillow covers 22 x 22 inches", + "throw pillows 22 by 22 inches", + "throw pillow covers 23 by 22 inches", + "throw pillow covers 22 by 22 inches under $50" + ], + "i'm looking for a standard pair of straight legged jeans in noir heather.": [ + "standard jeans noir heather", + "standard jeans in noir heather", + "standard straight leg noir heather jeans", + "standard leg noir heather jeans", + "standard noir heather jeans", + "noir heather jeans", + "standard jeans noir heather heather", + "standard straight leg jeans noir heather", + "standard size noir heather jeans", + "straight leg noir heather jeans" + ], + "i would like some clinically proven power dental flossers.": [ + "clinically proven power dental flossers", + " clinically proven power dental flossers", + "dermatically proven power dental flossers", + "maturity proven power dental flossers", + "barren proven power dental flossers", + " clinically proven power dental flossers.", + "nude proven power dental flossers", + "medical proven power dental flossers", + "maturity proven power dental flossers.", + "clinical proven power dental flossers" + ], + "i am looking for a women's long sleeve sherpa fleece jacket.": [ + "womens long sleeve sherpa fleece jacket", + "womens long sleeve sherpa fleece jacket.", + "womens long sleeve sherpa fleece jacket,", + "womens long sleeves sherpa fleece jacket", + "mens long sleeve sherpa fleece jacket", + "mens long sleeve sherpa fleece jacket", + "mwens long sleeve sherpa fleece jacket", + "woman long sleeve sherpa fleece jacket", + " womens long sleeve sherpa fleece jacket", + "mens long sleeve sherpa fleece jacket." + ], + "i would like four flatbreads from trader joes.": [ + "4 flatbreads from trader joes", + "four flatbreads from trader joes", + "three flatbreads from trader joes", + "pack of flatbreads from trader joes", + "flatbreads from trader joes", + "4 flatbreads from trader joes.", + "two flatbreads from trader joes", + "four flatbreads from trader joes.", + "packet flatbreads from trader joes", + "4 flatbreads" + ], + "i need 3 trader joe's gluten free crackers.": [ + "3 trader joes gluten free crackers", + "3 trader joes gluten free crackers.", + "3 trader joes gluten free crackers under $40", + "3 trader joes gluten free crackers under $50", + "3 trader joes gluten free crackers under $60", + "i need 3 trader joes gluten free crackers.", + "3 trader joes gluten free crackers under 30 dollars", + "3 trader joes gluten free crackers under 50 dollars", + "3 trader joes gluten free crackers below $40", + "three trader joes gluten free crackers" + ], + "i want to buy crackers which are gluten free and i want 2 of them.": [ + "gluten free crackers 2", + "gluten free crackers", + "gluten free crackers 2 of them", + "gluten free crackers 2 count", + "strawberry crackers gluten free 2", + "gluten free crackers under $40", + "gluten free crackers 2 oz", + "gluten free crackers under $50", + "roasted crackers gluten free 2", + "gluten free crackers under $60" + ], + "i am looking for fuchsia colored comfortable fit levi's bomber jacket for women.": [ + "fuchsia colored comfortable fit levis bomber jacket for women", + "fuchsia colored comfortable fit levis bomber jacket", + "fuchsia colored comfortable fit levis bomber jacket, women", + "fuchsia colored comfortable fit levis bomber jacket woman", + "fuchsia colored comfortable fit levis bomber jacket,", + "fuchsia colored comfortable fit levis bomber jacket women", + "fy fit levis bomber jacket for women", + "fuchsia colored jacket for women", + "fy fit levis bomber jacket", + "blanket jacket for women" + ], + "i would like plant based meatballs.": [ + "plant based meatballs", + "plant based meatballs.", + "plant based meatballs that are plant based", + "plant based meatballs plant based", + "plant based meatballs under $40", + "plant based meatballs under $60", + "plant based meatballs under $50", + "plant based meatballs. plant based", + "plant based meatballs no sugar", + "plant based meatballs, plant based" + ], + "i want a regular fit dark green pair of adidas men's pro bounce shoes in size 14.": [ + "regular fit dark green tennis shoes in size 14", + "regular fit dark green tennis shoes in a size 14", + "regular fit dark green shoes in size 14", + "regular fit dark green tennis shoes size 14", + "regular fit dark green walking shoes in size 14", + "regular fit dark green men pro bounce shoes size 14", + "regular fit dark green sneakers in size 14", + "regular fit dark green tennis shoes in size 14.", + "regular fit dark green tennis", + "regular fit dark green tennis shoes" + ], + "i need brown eco friendly cenglings women slingback sandals in size 7.": [ + "brown eco friendly cenglings women slingback sandals in size 7", + "brown eco friendly cenglings women slingback sandals size 7", + "brown eco friendly cenglings women slingback sandals", + "brown eco friendly cengling women slingback sandals in size 7", + "green eco friendly cenglings women slingback sandals in size 7", + "eco friendly cenglings women slingback sandals in size 7", + " brown eco friendly cenglings women slingback sandals in size 7", + "brown eco friendly cenglings women slingback sandals, size 7", + "brown eco friendly cenglings women slingback sandals size 7.", + "eco friendly cenglings women slingback sandals size 7" + ], + "i'd like to buy some board shorts in size twenty-nine. get the ones with the button closure.": [ + "board shorts size twenty-nine button closure", + "board shorts size twenty-nine with button closure", + "board shorts size twenty-nine", + "board shorts in size twenty-nine", + "Board shorts size twenty-nine button closure", + "bathroom shorts size twenty-nine button closure", + "board shorts in size twenty-nine button closure", + "Board shorts size twenty-nine with button closure", + "Board shorts size twenty-nine", + "Board shorts in size twenty-nine" + ], + "i need a x-large machine washable men's evan scrub pant in ceil color.": [ + "x-large machine washable mens evan scrub pant in ceil color", + "xl machine washable mens evan scrub pant in ceil color", + " x-large machine washable mens evan scrub pant in ceil color", + "xxl machine washable mens evan scrub pant in ceil color", + " xl machine washable mens evan scrub pant in ceil color", + "x-large machine washable mens evan scrub pant", + "xl mens evan scrub pant in ceil color", + "xl machine washable mens evan scrub pant", + "x-large machine washable mens evan scrub pant, ceil color", + "x-large machine washable mens evan scrub pant color" + ], + "i am interested in straight leg scrub buttoms in an x-large that are ceil colored": [ + "straight leg scrub buttoms x-large that are ceil colored", + "straight leg scrub buttoms in x-large that are ceil colored", + "straight leg scrub buttoms in an x-large", + "straight leg scrub buttoms x-large", + "straight leg scrub buttoms x-large, ceil colored", + "straight leg scrub buttoms x-large ceil colored", + "straight leg scrub buttoms in an x-large, ceil colored", + "straight leg scrub buttoms x-large whose color is ceil colored", + "straight leg scrub buttoms in an x-large ceil colored", + "straight leg scrub buttoms in x-large" + ], + "i want to get a grey counter stool that is made of solid wood.": [ + "grey counter stool made of solid wood", + "grey counter stool made from solid wood", + "grey counter stool, made of solid wood", + "grey counter stool made out of solid wood", + "grey counter stool made of solid wood.", + "grey counter stool made of solid wood,", + "grey counter stool", + "grey counter stool, made from solid wood", + "grey counter stool with solid wood", + "grey counter stool made from solid wood." + ], + "i want to find a glass screen protector for my high definition s20 samsung galaxy ultra.": [ + "glass screen protector for s20 samsung galaxy ultra", + "glass screen protector s20 samsung galaxy ultra", + "s20 samsung galaxy ultra glass screen protector", + "glass screen protector, s20 samsung galaxy ultra", + "glass screen protector s20 samsung galaxy ultra.", + "s20 samsung galaxy ultra screen protector", + "window protector s20 samsung galaxy ultra", + "glass samsung galaxy ultra screen protector", + "samsung galaxy ultra glass screen protector", + "glass screen protector" + ], + "i would like a backdrop for digital photography that is 10 by 8 ft.": [ + "10 by 8 ft backdrop for digital photography", + "10 by 8 ft backdrop digital photography", + "10 x 8 ft backdrop for digital photography", + "10x8 backdrop digital photography", + "10 x 8 ft backdrop digital photography", + "background for digital photography 10 by 8 ft", + " backdrop for digital photography 10 by 8 ft", + "10x8 backdrop for digital photography", + " backdrop for digital photography 10 by 8 ft.", + "background for digital photography 10 by 8 ft." + ], + "i am looking for a 8x6ft backgrounds for digital photography.": [ + "8x6ft backgrounds for digital photography", + "8x6ft backgrounds digital photography", + "8x6ft backgrounds", + "8x6f backgrounds for digital photography", + "8x6 ft backgrounds for digital photography", + "8x6 backgrounds for digital photography", + "8x6d backgrounds for digital photography", + "8 x6ft backgrounds for digital photography", + "8x6ft background for digital photography", + "8x6 background for digital photography" + ], + "i am looking for easy to use marula oil hydrating shampoo.": [ + "easy to use marula oil hydrating shampoo", + "easy to use marula oil hydrating shampoo.", + "low to use marula oil hydrating shampoo", + "mula oil hydrating shampoo", + "mula oil hydrating shampoo easy to use", + "5 foot marula oil hydrating shampoo", + "waterproof marula oil hydrating shampoo", + "low to no marula oil hydrating shampoo", + "moisturizing shampoo", + "aluminum oil hydrating shampoo" + ], + "i'm looking for a slim-fit, short-sleeved, slim-fit men's compression t-shirt in i-silver.": [ + "slim-fit mens compression t-shirt in i-silver", + "slim-fit mens compression t-shirt i-silver", + "im looking for a slim-fit mens compression t-shirt in i-silver.", + " slim-fit mens compression t-shirt in i-silver", + "slim-fit mens compression t-shirt in i-silver", + "slim-fit mens compression t-shirt in i-silver.", + "slim-fit mens compression t-shirt in i-silver, slim-fit", + "slim-fit mens compression t-shirt", + "slim-fit mens compression t-shirt in i-silver under $40", + "slim-fit, short-sleeved mens compression t-shirt" + ], + "i would like a brown wig made of natural hair.": [ + "brown wig made of natural hair", + "brown wig made from natural hair", + "brown wig made natural hair", + "natural wig made of natural hair", + "natural wig made from natural hair", + "brown wig natural hair", + "natural wig brown", + "brown wig made natural", + "brown wig made of natural", + "natural hair brown wig" + ], + "i need new york style strawberry swirl cheesecake that is ready to eat.": [ + "york style strawberry swirl cheesecake", + "york style strawberry swirl cheesecake ready to eat", + "new york style strawberry swirl cheesecake", + "strawberry swirl cheesecake", + "york style strawberry swirl cheesecake under $40", + "york style strawberry swirl cheesecake under $60", + "synthetic strawberry swirl cheesecake", + "strawberry swirl cheesecake ready to eat", + "pomegranate swirl cheesecake", + "rawberry swirl cheesecake" + ], + "buy me some paraben free coconut oil lip balm.": [ + "paraben free coconut oil lip balm", + "lip balm paraben free", + "lip balm that is paraben free", + "paraben free coconut oil lip balm.", + "pink lip balm", + "pink lip balm paraben free", + "lip balm paraben free coconut oil", + "lip balm, paraben free", + "paraben free coconut oil lip balm,", + "pink coconut oil lip balm" + ], + "i would like some blue non toxic bath brushes.": [ + "blue non toxic bath brushes", + "blue non toxic bath brush", + "blue non toxic bath brushes.", + "blue non toxic bath brushes under $50", + "blue non toxic bath brushes under $40", + "blue non toxic bath brushes under $60", + "blue non toxic bath brushes under 50 dollars", + "blue non toxic bathbrush", + "blue non toxic bath brushes under 30 dollars", + "blue non toxic bath brushes," + ], + "i need jane grey pink vanity fair women's nylon spandex hi cut panties in plus size 5.": [ + "jane grey pink vanity fair womens nylon spandex hi cut panties in plus size 5", + " jane grey pink vanity fair womens nylon spandex hi cut panties in plus size 5", + "jeans grey pink vanity fair womens nylon spandex hi cut panties in plus size 5", + "pink vanity fair womens nylon spandex hi cut panties in plus size 5", + "walking pink vanity fair womens nylon spandex hi cut panties in plus size 5", + "jane grey pink vanity fair womens nylon spandex hi cut panties size 5", + "jeane grey pink vanity fair womens nylon spandex hi cut panties in plus size 5", + "pink vanity fair womens nylon spandex hi cut panties in plus size 5.", + "walking pink vanity fair womens nylon spandex hi cut panties in plus size 5.", + "jane grey pink vanity fair womens nylon spandex hi cut panties size 5." + ], + "i am interested in a memory foam queen sized mattress.": [ + "memory foam queen sized mattress", + "memory foam queen sized mattress.", + "memory foam queen sized mattress under $50", + "memory foam queen sized mattress under $40", + "memory foam queen sized mattress under $130", + "memory foam queen sized mattress under $60", + "memory foam queen sized mattress under $120", + "memory foam queen sized mattress under 50 dollars", + "memory foam queen sized mattress under 40 dollars", + "memory foam queen sized mattress," + ], + "i need to shop for a high performance tablet. i'd really like a blue one.": [ + "blue high performance tablet", + "blue high performance tablet with high performance", + "blue high performance tablet under $130", + "blue high performance tablet under $120", + "blue high performance tablet under $40", + "blue high performance tablet under $60", + "blue high performance tablet with performance", + "blue high performance tablet,", + "high performance tablet in blue", + "high performance tablet" + ], + "i want to get a white wooden coat rack.": [ + "white wooden coat rack", + "white wooden coat rack.", + "white wooden coat rack under $40", + "white wooden coat rack under $50", + "white wooden coat rack under $60", + "white wooden coat rack,", + "white wooden coat rack under 50 dollars", + "white wooden coat rack under 40 dollars", + "white wooden coat rack for coat rack", + "white wood coat rack" + ], + "i want to find a dip powder kit for my nails that's easy to use. the color of the powder must be gentle nude.": [ + "dip powder kit for my nails that is gentle nude", + "dip powder kit for my nails", + "pink powder kit for my nails that is gentle nude", + "dip powder kit for my nails, gentle nude", + "dip powder kit for my nails gentle nude", + "dip powder kit for my nails with gentle nude color", + "pink powder kit for my nails", + "dip powder kit for my nails, gentle nude,", + "dip powder kit for my nails that is gentle nude.", + "dip powder kit" + ], + "i am interested in a black shirt that is short sleeved.": [ + "short sleeved black shirt", + "short sleeved black shirt short sleeved", + "short sleeved black shirt below $50", + "short sleeved black shirt under $50", + "short sleeved black shirt under $40", + "short sleeved black shirt below $40", + "short sleeved black shirt under 50 dollars", + "black shirt short sleeved", + "short sleeved black shirt under $60", + "short sleeve black shirt" + ], + "i am looking for a plug and play ps2 to hdmi converter adapter.": [ + "ps2 to hdmi converter plug and play", + "ps2 to hdmi converter adapter", + "pps2 to hdmi converter plug and play", + "ps2 to hdmi converter plug-and play", + "ps2 to hdmi converter plug and play adapter", + "ps2 to hdmi converter plug-and-play", + "ps2 to hdmi converter plug and play pack", + "ps2 hdmi converter plug and play", + "ps2 to hdmi converter plug", + "ps2 to hdmi converter" + ], + "i need a lightweight navy pullover in a large.": [ + "light navy pullover in a large.", + "light navy pullover in a large", + "womens navy pullover in a large", + " lightweight navy pullover in a large.", + "light weight navy pullover in a large.", + "lightweight navy pullover in a large.", + "heavy duty navy pullover in a large.", + "heavy duty navy pullover in a large", + "light weight navy pullover in a large", + "lens navy pullover in a large" + ], + "i am interested in wedges that are teal with memory foam in a size 9.5-10.": [ + "teal with memory foam wedges 9.5-10", + "teal with memory foam wedges 9.5-10.", + "teal with memory foam in a size 9.5-10", + "teal with memory foam 9.5-10 wedges", + "teal with memory foam, 9.5-10", + "teal with memory foam", + "teal with memory foam 9.5-10", + "teal with memory foam wedges", + "tetges 9.5-10", + "tetges 9.5-10." + ], + "i want to find a high quality 5 pcs makeup brush set with the stitch 2 color theme": [ + "5 pcs makeup brush set with the stitch 2 color", + "5 pcs makeup brush set with a stitch 2 color", + "5 pcs makeup brush set", + "5 pcs makeup brush with the stitch 2 color", + "4 pcs makeup brush set with the stitch 2 color", + "beauty brush set with the stitch 2 color", + "5 pcs makeup brush set, stitch 2 color", + "5 pcs makeup brush set in the stitch 2 color", + "5 pcs makeup brush", + "5 pcs makeup brush set under $50" + ], + "i need to buy a four pack of fully assembled dining room chairs.": [ + "4 pack dining room chairs", + "living room chairs four pack", + "dining room chairs four pack", + "four pack dining room chairs", + "three pack dining room chairs", + "living room chairs four pack fully assembled", + "large dining room chairs four pack", + "living room chairs 4 pack", + "large dining room chairs", + "4 pack dining room chairs." + ], + "i am looking for heavy duty chair. please choose kelly red color.": [ + "heavy duty chair kelly red", + "heavy duty chair in kelly red", + "heavy duty chair, kelly red", + "heavy duty chair with kelly red color", + "heavy duty chair that is kelly red", + "heavy duty chair in kelly red color", + "heavy duty chair, kelly red color", + "heavy duty chair in a kelly red", + "heavy duty chair kelly red", + "heavy duty chair klly red" + ], + "get me a heavy duty office chair with lumbar support. look for dillon black fabric.": [ + "heavy duty office chair with lumbar support", + "heavy duty office chair dillon black", + "heavy duty office chair lumbar support dillon black", + "office chair with lumbar support dillon black", + "heavy duty office chair lumbar support", + "office chair with lumbar support", + "work chair with lumbar support", + "dillon black office chair heavy duty", + "heavy duty office chair", + "dillon black office chair" + ], + "i'm looking for a portable beauty salon manicure table.": [ + "portrait beauty salon manicure table", + "portrait beauty salon manicure table.", + "portrait beauty salon manicure table that is portable", + "beauty salon manicure table", + "portable beauty salon manicure table", + "portrait beauty salon manicure table for beauty salon", + "portportrait beauty salon manicure table", + "portrait beauty salon manicure table under $50", + "portrait beauty salon manicure table under $40", + "portrait beauty salon manicure table, portable" + ], + "i need a toothbrush container with holes.": [ + "toothbrush container with holes", + "teethbrush container with holes", + "tothbrush container with holes", + "toothbrush container", + " toothbrush container with holes", + "teethbrush container", + "toothbrush containers with holes", + "tothbrush container", + "ttebrush container with holes", + "othbrush container with holes" + ], + "i want to buy some living room curtain panels that are pattern 6 and 55x46 inches.": [ + "living room curtain panels pattern 6 and 55x46 inches", + "living room curtain panels pattern 6, 55x46 inches", + "living room curtain panels pattern 6", + "living room curtain panels pattern 6 in 55x46 inches", + "living room curtain panels pattern 6 and 55x46", + "living room curtain panels pattern 6 with 55x46 inches", + "living room curtain panels pattern 7 and 55x46 inches", + "living room curtain panels pattern 6 x46 inches", + "living room curtain panels", + "living room curtain panel" + ], + "i would like a pattern-4 colored window curtain panel for the living room.": [ + "pattern-4 colored window curtain panel for the living room", + "pattern-4 colored window curtain panel", + "pattern-4 colored window curtain panel for living room", + " pattern-4 colored window curtain panel for the living room", + "pattern-4 colored window curtain panel, living room", + "pattern-4 colored window curtain panel in the living room", + "pattern-4 colored window curtain panel living room", + "pattern-4 colored window curtain panel for living room.", + "pattern-4 colored window curtain panel for a living room", + " pattern-4 colored window curtain panel" + ], + "buy a flat-packed nightstand in marble black with a white frame.": [ + "flat-packed nightstand in marble black", + "living room nightstand in marble black with a white frame", + "flat-packed nightstand in marble black with white frame", + "plastic nightstand in marble black with a white frame", + "floorstand in marble black with a white frame", + "flat-packed nightstand in marble black, white frame", + "open-packed nightstand in marble black", + "floor-packed nightstand in marble black", + "living room nightstand in marble black", + "floorstand in marble black" + ], + "get me some low-carb plant based lemon cookies.": [ + "low-carb plant based lemon cookies", + "low-carb plant based lemon cookies.", + "low-carb plant based lemon cookies under $40", + "plant based lemon cookies", + "low-carb plant based lemon cookies under $60", + "low-carb plant based lemon cookies under $50", + "low-carb plant based lemon cookies under 50 dollars", + "low-carb plant based lemon cookies below $40", + "low-carb plant based lemon cookies under 30 dollars", + "low-carb plant based lemon cookies under 40 dollars" + ], + "i am looking for a three pack of hand crafted cheese squares,": [ + "three pack of hand crafted cheese squares", + "3 pack of hand crafted cheese squares", + "two pack of hand crafted cheese squares", + "three pack of hand crafted cheese square", + "three pack hand crafted cheese squares", + "hand crafted cheese squares three pack", + "3 pack hand crafted cheese squares", + "three pack cheese squares", + "hand crafted cheese squares", + "three pack of cheese squares" + ], + "get me some steel-toed workboots in size eleven and a half.": [ + "steel-toed workboots in size eleven and a half", + "steel-toed workboots size eleven and a half", + "steel-toed workboots size 11 and a half", + "steel-toed workboots in size 11 and a half", + "steel-toed workboots size eleven and a half.", + "steel-toed workboots, size eleven and a half", + "steel-toed workboots size 11 and a half.", + "steel-toed workboots, size 11 and a half", + "steel-toed workboots 11 and a half", + "steel-toed workboots" + ], + "i want to get a super soft blue fleece throw that's 50 inches by 63 inches.": [ + "super soft blue fleece throw 50 inches by 63 inches", + "super soft blue fleece throw thats 50 inches by 63 inches", + "super soft blue fleece throw that 50 inches by 63 inches", + "super soft blue fleece throw", + "super soft blue fleece throw 50 inches x 63 inches", + "super soft blue fleece throw, 50 inches by 63 inches", + "super soft blue fleece throw with 50 inches by 63 inches", + "super soft blue fleece throw which 50 inches by 63 inches", + "super soft blue fleece throw50 inches by 63 inches", + "supersoft blue fleece throw 50 inches by 63 inches" + ], + "i would like a deep brown clog with a rubber sole for my size 8 foot.": [ + "deep brown clog with a rubber sole", + "deep brown clog with a rubber sole 8 foot", + "deep brown clog with a rubber sole size 8", + "Deep brown clog with a rubber sole", + "deep brown clog with rubber sole", + "deep brown clog", + "deep brown clog in a rubber sole", + "deep brown clog, rubber sole", + "deep brown clog 8 foot", + "deep brown clog size 8 foot" + ], + "i'm looking for a wax hair removal kit for very sensitive skin.": [ + "wax hair removal kit for sensitive skin", + "wax hair removal kit for very sensitive skin", + "wax hair removal kit for very sensitive skin.", + "wax hair removal kit for sensitive skin.", + "womens wax hair removal kit", + "womens wax hair removal kit for very sensitive skin", + "womens wax hair removal kit for sensitive skin", + "wax hair removal kit for sensitive skin under $40", + "wax hair removal kit for sensitive skin under $50", + "wax hair removal kit for sensitive skin under $60" + ], + "i want to find a gold v shaped facial roller for anti aging massage.": [ + "gold v shaped facial roller for anti aging massage", + "gold v shaped facial roller anti aging massage", + "gold v shaped facial roller", + "gold v shaped facial roller, anti aging massage", + "plastic facial roller for anti aging massage", + "gold v shaped facial roller anti aging massage.", + "gold facial roller for anti aging massage", + "gold face roller for anti aging massage", + "gmo roller for anti aging massage", + "gold face roller anti aging massage" + ], + "i would like a black schwarz size 6-6.5 shoe made of vinyl acetate.": [ + "black schwarz shoe made of vinyl acetate", + "black schwarz size 6-6.5 shoe", + "black schwarz shoes made of vinyl acetate", + "black schwarz shoe size 6-6.5", + "6-6.5 shoe made of vinyl acetate", + "black schwarz shoe 6-6.5", + "black schwarz shoes 6-6.5", + "shoes made of vinyl acetate black", + "shoes made of vinyl acetate", + "black schwarz shoe" + ], + "i'm looking for a high power sound bar.": [ + "high power sound bar", + "high power sound bar.", + "high power sound bar under $40", + "high power sound bar under $60", + "sound bar high power", + "high power sound bar under $50", + "sound bar that is high power", + "high power sound bar under 30 dollars", + "high power sound bar under $130", + "high power sound bar under 50 dollars" + ], + "i want to find a wooden bar stool that features faux leather.": [ + "stainless leather bar stool", + "wooden bar stool that features faux leather", + "stainless leather wooden bar stool", + "wooden bar stool with faux leather", + "wooden bar stool faux leather", + "stainless leather wood bar stool", + "stooled wooden bar stool with faux leather", + "stooled faux leather bar stool", + "wooden bar stool that features faux leather.", + "wooden bar stool" + ], + "i want to find engraved cheetah-white bands for my apple watch. the bands need to be 38 millimeters long.": [ + "28 engraved cheetah-white bands for my apple watch", + "plastic cheetah-white bands for my apple watch", + " engraved cheetah-white bands for my apple watch", + "blue cheetah-white bands 38 millimeters long", + "alarm cheetah-white bands 38 millimeters long", + "23 engraved cheetah-white bands for my apple watch", + "28 engraved cheetah-white bands", + "plastic cheetah-white bands", + "curtains 38 millimeters long", + "blue cheetah-white bands" + ], + "i am looking for a king size platform bed.": [ + "king size platform bed", + "king size platform bed.", + "king size platform bed under $50", + "king size platform bed under $40", + "king size platform bed,", + "king size platform bed under $60", + "king size platform bed under $130", + "king size platform bed, king size", + "king size bed", + "king bed" + ], + "i'm looking for upholstered platform bed.": [ + "upholstered platform bed", + "upholstered platform bed.", + "pink upholstered platform bed", + "living room upholstered platform bed", + "upholstered platform bed,", + "endurostered platform bed", + "comfortable bed upholstered", + "comfortable platform bed", + "comfortable bed", + "upholstered bed" + ], + "i want to get some sandals with high heels and open toe in the color black and size 9 wide.": [ + "sneakers size 9 wide", + "sneakers black size 9 wide", + "slimming sandals size 9 wide", + "sneakers black", + "sneakers 9 wide", + "sneakers black size 9", + "sneakers in black size 9 wide", + "sneakers black 9 wide", + "sneakers size 9 wide, black", + "sandals size 9 wide" + ], + "looking for leak proof refillable plastic cosmetic jars 50g": [ + "leak proof refillable plastic cosmetic jars 50g", + "leek proof refillable plastic cosmetic jars 50g", + "leaky proof refillable plastic cosmetic jars 50g", + "leep proof refillable plastic cosmetic jars 50g", + "teeth proof refillable plastic cosmetic jars 50g", + "50g leak proof refillable plastic cosmetic jars 50g", + "leeping proof refillable plastic cosmetic jars 50g", + "leaks proof refillable plastic cosmetic jars 50g", + "leef proof refillable plastic cosmetic jars 50g", + "leach proof refillable plastic cosmetic jars 50g" + ], + "get me some non-toxic nail glitter in twelve colors.": [ + "non-toxic nail glitter twelve colors", + "non-toxic nail glitter 12 colors", + "non-toxic nail glitter", + "non-toxic nail glitter color twelve", + "non-toxic nail glitter color", + "non-toxic nail glitter 12 color", + "non-toxic nail glitter colored twelve", + "non-toxic nail glitter color 12", + "nude glitter in twelve colors", + "non-toxic nail glitter colored 12" + ], + "show me all your non-slip size ten ladies ankle boots in grey.": [ + "walking boots in grey", + "womens ankle boots in grey", + "walking boots size ten in grey", + "walking boots size ten ladies ankle boots", + "walking boots size ten", + "walking boots size ten, grey", + "walking boots size ten women", + "grey ladies ankle boots", + "woman ankle boots in grey", + "walking boots" + ], + "i want to find a 30-count pack of non-dairy, salted caramel flavored hot chocolate mix.": [ + "non-dairy salted caramel flavored hot chocolate mix 30 count", + "non-dairy salted caramel flavored hot chocolate mix", + "non-dairy, salted caramel flavored hot chocolate mix", + "non-dairy, salted caramel flavored hot chocolate mix 30 count", + "non-dairy salted caramel flavored hot chocolate mix 30 count pack", + "non-dairy salted caramel flavored hot chocolate mix 30count pack", + "non-dairy salted caramel flavored hot chocolate mix under 30 dollars", + "non-dairy salted caramel flavored hot chocolate mix, 30 count", + "non-dairy salted caramel flavored hot chocolate mix 30count", + "strawberry flavored hot chocolate mix 30 count" + ], + "i need a yellow xx-large floral print tank sleeveless dress that is quick drying.": [ + "yellow xx-large floral print tank sleeveless dress", + "yellow xxl floral print tank sleeveless dress that is quick drying", + "yellow xx-large floral print tank sleeveless dress quick drying", + "yellow xxl floral print tank sleeveless dress", + "yellow xx-large floral print tank sleeveless dress, quick drying", + "yellow xx-large floral print tank sleeveless dress with quick drying", + "yellow xx-large floral print tank sleeveless dress under $50", + "yellow xx-large floral print tank sleeveless dress in quick drying", + "yellow xx-large floral print tank sleeveless dress under $40", + "yellow xx-large floral print tank sleeveless dress under 50 dollars" + ], + "i want gluten free tasty teriyaki perky jerky turkey jerky.": [ + "gluten free tasty teriyaki jerky", + "turky jerky", + "teriyaki perky jerky", + "teriyaki perky jerky turkey jerky", + "turkey jerky gluten free", + "turky jerky gluten free", + "uten free tasty teriyaki perky jerky", + "turkey jerky", + "gluten free teriyaki perky jerky", + "gluten free and zero sugar turkey jerky" + ], + "i'm looking for a ready to eat goya guisadas preferable white beans in sauce.": [ + "ready to eat goya guisadas preferable white beans in sauce", + "ready to eat goya guisadas with white beans in sauce", + "ready to eat goya guisadas white beans in sauce", + "ready to eat goya guisadas, white beans in sauce", + "white beans ready to eat goya guisadas preferable white beans", + "ready to eat goya guisadas preferable white beans", + "goya guisadas preferable white beans in sauce", + "white beans goya guisadas preferable white beans", + "ready to eat goya guisadas with white beans", + "white beans ready to eat goya guisadas" + ], + "i am interested in permanent hair color that is dark blonde tobacco.": [ + "dark blonde tobacco permanent hair color", + "dark blonde hair color", + "dark blonde tobacco hair color", + "dark blonde tobacco", + "dark blonde wig permanent hair color", + "dark blonde tobacco color", + "permanent hair color dark blonde", + "dark blonde wig", + "pink permanent hair color", + "dark blonde tobacco wig color" + ], + "i would like some long lasting eau de toilette.": [ + "long lasting eau de toilette", + "eau de toilette long lasting", + "long lasting eau de toilette.", + "eau de toilette", + "long lasting eau de toilette under $40", + "long lasting eau de toilette under $50", + "long lasting eau de toilette under $60", + "a long lasting eau de toilette", + "long lasting eau de toilette under 50 dollars", + "long lasting eau de toilette under 30 dollars" + ], + "i'm looking for high speed, gold plated hdmi cables that are male to male.": [ + "high speed, gold plated hdmi cables", + "high speed gold plated hdmi cables", + "low speed, gold plated hdmi cables", + "gold plated hdmi cables that are male to male", + "high speed gold plated hdmi cables, male to male", + "high speed high speed, gold plated hdmi cables", + "high speed hdmi cables that are male to male", + "gmo cables that are male to male", + "gmo cables male to male", + "gold plated hdmi cables" + ], + "what scented candles that are lead free are available in wild lavender scent?": [ + "sented candles that are lead free", + "synthetic candles that are lead free", + "sented candles with wild lavender scent", + "stented candles that are lead free", + "stented candles with wild lavender scent", + "synthetic candles with lead free scent", + "pink candles that are lead free", + "scented candles that are lead free", + "synthetic candles lead free", + "synthetic candles" + ], + "i want to get a six-count package of white karahi flavored mix. the mix shouldn't have any artificial flavors.": [ + "6-count package of white karahi flavored mix", + "6 count package of white karahi flavored mix", + "6 count white karahi flavored mix", + "white karahi flavored mix six count", + "white karahi flavored mix", + "white karahi flavored mix, six count", + "pack of white karahi flavored mix", + "packet of white karahi flavored mix", + "white karahi flavored mix no artificial flavor", + "white karahi flavored mix no artificial" + ], + "get me a mesh laundry bag in any color, please.": [ + "Mesh laundry bag in any color", + " mesh laundry bag in any color", + "m mesh laundry bag in any color", + "router laundry bag in any color", + "mushroom bag in any color", + "living laundry bag in any color", + "a mesh laundry bag in any color", + "Mesh laundry bag", + "Mesh laundry bag color", + " mesh laundry bag" + ], + "i am looking for a stainless steel tongue cleaner.": [ + "stainless steel tongue cleaner", + "stainless steel tongue cleaner under $40", + "stainless steel tongue cleaner under $50", + "stainless steel tongue cleaner under $60", + "stainless steel tongue cleaner below $40", + "stainless steel tongue cleaner.", + "stainless steel tongue cleaner below $50", + "stainless steel tongue cleaner under 50 dollars", + "stainless steel tongue cleaner below $60", + "stainless steel tongue cleaner under 30 dollars" + ], + "i am looking for a cat with ears cupcake toppers for a baby shower.": [ + "cat with ears cupcake toppers for a baby shower", + "cat with ears cupcake toppers for baby shower", + "cats with ears cupcake toppers for a baby shower", + "cat with ears cupcake toppers for a baby shower.", + "a cat with ears cupcake toppers for a baby shower", + "kitty with ears cupcake toppers for a baby shower", + "cat with ears cupcake toppers baby shower", + "cats with ears cupcake toppers for baby shower", + "Cat with ears cupcake toppers for a baby shower", + "kitty with ears cupcake toppers for baby shower" + ], + "i want a small black women's blouse with long sleeves.": [ + "small black womens blouse with long sleeves", + "small black womens blouse long sleeves", + "small black womens blouse", + "small black womens blouse, long sleeves", + "womens blouse with long sleeves", + "small black womens blouse long sleeves.", + "small black womens blouse that long sleeves", + "womens blouse long sleeves", + "womens blouse", + "shoes small black" + ], + "i want to find an 80x50 centimeter desk that can be mounted to my wall.": [ + "80x50 centimeter desk", + "80x50 centimeter desk mounted to my wall", + "80x50 centimeter desk, mounted to my wall", + "80x50 centimeter desk mounted to my wall.", + "80x50 centimeter desk mount to my wall", + "80x50 centimeter desk, mounted to my wall,", + "80x50 centimeter desk, mounted to my wall.", + "90x50 centimeter desk", + " 80x50 centimeter desk", + "80x50 centimeter desk under $50" + ], + "i am looking for x-large mint green snow boots that have a rubber outsole.": [ + "x-large mint green snow boots with rubber outsole", + "x-large mint green snow boots", + " x-large mint green snow boots with rubber outsole", + "x-large mint green snow boots, rubber outsole", + "mens green snow boots with a rubber outsole", + "mens green snow boots with rubber outsole", + " x-large mint green snow boots", + "x-large mint green snow boots with a rubber sole", + "x-large mint green snow boots with a rubber", + "xl mint green snow boots" + ], + "i am looking for low fat beef jerky.": [ + "low fat beef jerky", + "low fat beef jerky under $40", + "low fat beef jerky below $40", + "low fat beef jerky under $60", + "low fat beef jerky under $50", + "low fat beef jerky below $50", + "low fat beef jerky below $60", + "low fat beef jerky.", + "low fat beef jerky under 50 dollars", + "low fat beef jerky no sugar" + ], + "i am looking for a body brush that has a long handle.": [ + "body brush with long handle", + "body brush long handle", + "body brush that has long handle", + "body brush with a long handle", + "Body brush with long handle", + "Body brush long handle", + "Body brush that has long handle", + " body brush with long handle", + "body brush, long handle", + "body brush with long handle." + ], + "i want to find a pair of purple women's boots in a size 8. the boots need to have rubber soles.": [ + "pink womens boots in a size 8", + "pink womens boots size 8 rubber soles", + "pink womens boots in a size 8 rubber soles", + "pair of purple womens boots in a size 8", + "pink womens boots size 8 with rubber soles", + "pair of purple womens boots size 8 rubber soles", + "pink womens boots size 8 rubber sole", + "pink womens boots size 8", + "pink womens boots in a size 8 with rubber sole", + "size 8 purple womens boots" + ], + "i need a black leopard print polyester-cotton shirt with long sleeves.": [ + "black leopard print polyester-cotton shirt with long sleeves", + "black leopard print polyester-cotton shirt", + "black leopard print polyester-cotton shirt long sleeves", + "black leopard print polyester-cotton shirt, long sleeves", + "leopard print polyester-cotton shirt with long sleeves", + "black leopard print polyester-cotton shirt that long sleeves", + "black leopard print polyester-cotton shirt under 50 dollars", + "black leopard print polyester-cotton t-shirt", + "leopard print polyester-cotton shirt long sleeves", + "leopard print polyester-cotton shirt" + ], + "i am interested in a high quality hair cutting kit.": [ + "high quality hair cutting kit", + "high quality hair cutting kit.", + "hair cutting kit that is high quality", + "hair cutting kit high quality", + "hair cutting kit", + "hair cutting kit, high quality", + "low quality hair cutting kit", + "hair cutting kit.", + "style hair cutting kit", + "beauty cutting kit" + ], + "i want 8 pcs of water resistant tattoo grip tape.": [ + "8 pcs water resistant tattoo grip tape", + "water resistant tattoo grip tape", + "water resistant tattoo grip tape 8 pcs", + "teeth resistant tattoo grip tape", + "shoes water resistant tattoo grip tape", + "8 water resistant tattoo grip tape", + "water resistant tattoo grip tape under $50", + "water resistant tattoo grip tape under $40", + "water resistant tattoo grip tape under $60", + "water resistant tattoo grip tape." + ], + "i need to buy a fake security camera. get the one that comes with batteries. buy it in silver.": [ + "fake security camera silver", + "faux security camera silver", + "fake security camera in silver", + "fake security camera, silver", + "fake security camera", + "faux security camera in silver", + "fake security camera with batteries", + "Fake security camera silver", + "faux security camera, silver", + "faux security camera with batteries" + ], + "i want a sulfate free shampoo that is 8 fl oz.": [ + "sulfate free shampoo 8 fl oz", + "sulfate free shampoo", + "sulfate free shampoo, 8 fl oz", + "sulfate free shampoo 8 fl oz.", + "sulfate free shampoo 8fl oz", + "sulfate free shampoo with 8 fl oz", + "sulfate free shampoo8 fl oz", + "sulfate free shampoo 9 fl oz", + "sulfate free shampoo for 8 fl oz", + "sulfate free shampoo 7 fl oz" + ], + "i am looking for a usda organic cacao flavored instant cup of oatmeal .": [ + "usda organic cacao flavored instant cup of oatmeal", + "natierra organic cacao flavored instant cup of oatmeal", + " usda organic cacao flavored instant cup of oatmeal", + "natural cacao flavored instant cup of oatmeal", + "usda organic cacao flavored instant cup oatmeal", + "buttermilk flavored instant cup of oatmeal", + "buttermilk instant cup of oatmeal", + "usda organic cacao flavored instant coffee drink mix", + "usda organic cacao flavored instant cup", + "buttermilk instant cup oatmeal" + ], + "i am looking for a pack of 4 non gmo flatbread crackers that are sesame": [ + "4 non gmo flatbread crackers", + "4 non gmo flatbread crackers sesame", + "pack of 4 non gmo flatbread crackers", + "4 non gmo flatbread crackers under $40", + "4 non gmo flatbread crackers, sesame", + "4 non gmo flatbread crackers with sesame", + "4 non-gmo flatbread crackers", + "4 non-gmo flatbread crackers sesame", + "non gmo flatbread crackers that are sesame", + "non gmo flatbread crackers sesame" + ], + "i want a mother's love scented long lasting jewelry jar candle with a size 9 ring.": [ + "moms love scented long lasting jewelry jar candle", + "moms love scented long lasting jewelry jar candle with a size 9", + "mother love scented long lasting jewelry jar candle with a size 9 ring", + "mother love scented long lasting jewelry jar candle", + "mother love scented long lasting jewelry jar candle with a size 9", + " mothers love scented long lasting jewelry jar candle with a size 9 ring", + "moms love scented long lasting jewelry jar candle, size 9,", + "kids love scented long lasting jewelry jar candle with a size 9 ring", + "moms love scented long lasting jewelry jar candle in a size 9", + "womens love scented long lasting jewelry jar candle" + ], + "i need long lasting lead free candle with a smoky mountains cabin scent.": [ + "lead free candle with a smoky mountains cabin scent", + "long lasting lead free candle", + "long lasting lead free candle, smoky mountains cabin scent", + "long lasting lead free candle smoky mountains cabin scent", + "lens with a smoky mountains cabin scent", + "long lasting lead free candle under $40", + "sneakers smoky mountains cabin scent long lasting", + "sneakers smoky mountains cabin scent", + "lens with a smoky mountains cabin scent long lasting", + "lead free candle with a smoky mountains cabin scent." + ], + "i'm looking for a long lasting jewelry candle with a cotton candy scent; please pick the one with earrings inside.": [ + "long lasting jewelry candle with a cotton candy scent", + "jewelry candle with a cotton candy scent", + "a long lasting jewelry candle with a cotton candy scent", + "short lasting jewelry candle with a cotton candy scent", + "long lasting jewelry candle, cotton candy scent", + "womens candle with a cotton candy scent", + "long lasting jewelry candle with cotton candy scent", + "long lasting jewelry candle with a cotton candy scent.", + "long lasting jewelry candle with a cotton candy scent,", + "long lasting jewelry candle" + ], + "i would like a lead free bracelet birthday cake jar candle.": [ + "brittle free birthday cake jar candle", + "lead free bracelet birthday cake jar candle", + "brittle free bracelet birthday cake jar candle", + "brittle free birthday cake jar candle.", + "brushed free bracelet birthday cake jar candle", + "brittle free birthday cake jar candles", + "lead free bracelet birthday cake jar candle.", + "lead free birthday cake jar candle", + "brushed free birthday cake jar candle", + "brittle free birthday cake jar candle," + ], + "i want a size 8 black raspberry vanilla candle that is long lasting.": [ + "size 8 black raspberry vanilla candle", + "size 8 black raspberry vanilla candle long lasting", + "size 8 black raspberry vanilla candle, long lasting", + "black raspberry vanilla candle that is long lasting", + "black raspberry vanilla candle long lasting", + "size 8 black raspberry vanilla candle long lasting.", + "size 8 black raspberry vanilla candle with long lasting", + " size 8 black raspberry vanilla candle long lasting", + " size 8 black raspberry vanilla candle", + "black raspberry vanilla candle" + ], + "i am looking for a mint green twin size adult weighted blanket.": [ + "mint green twin size adult weighted blanket", + "mens green twin size adult weighted blanket", + "mint green twin size adult weighted blanket", + "pink twin size adult weighted blanket", + "mens green twin size adult weighted blanket", + " mint green twin size adult weighted blanket", + "adult weighted blanket mint green", + "m mint green twin size adult weighted blanket", + "mint green twin size adult weighted blanket.", + "pink twin size adult weighted blanket." + ], + "i need a canon powershot s200 with optical zoom.": [ + "canon powershot s200 with optical zoom", + "coaxial powershot s200 with optical zoom", + "curtainshot s200 with optical zoom", + "toothpaste s200 with optical zoom", + "the canon powershot s200 with optical zoom", + "canon powershot s200 with optical zoom", + "cantals powershot s200 with optical zoom", + "artificals powershot s200 with optical zoom", + "cloneshot s200 with optical zoom", + "canon powershot s200 with optical zoom." + ], + "i want to buy a high speed, high resolution mirrorless camera. get the one with the standard lens kit.": [ + "high speed, high resolution mirrorless camera", + "high speed, high resolution mirrorless camera with a standard lens", + "high speed high resolution mirrorless camera", + "high speed mirrorless camera", + "high speed high resolution mirrorless camera with a standard lens kit", + "high speed mirrorless camera with a standard lens kit", + "high speed mirrorless camera with a standard lens", + "high speed high resolution mirrorless camera with a standard lens", + "high speed, high resolution mirrorless camera with standard lens kit", + "high speed, high resolution mirrorless camera with the standard lens" + ], + "i am looking for a slim fit t-shirt of black-5 color.": [ + "slim fit t-shirt black-5", + "slim fit t-shirt of black-5", + "slim fit t-shirt black-5 color", + "black t-shirt slim fit", + "black t-shirt slim fit black-5", + " slim fit t-shirt of black-5 color", + "slim fit black-5 t-shirt", + "black-5 t-shirt slim fit", + "slim fit t-shirt of black 5 color", + "slim fit t-shirt black 5 color" + ], + "get me a hand-washable swimsuit in size small.": [ + "hand-washable swimsuit", + "hand-washable swimsuit size small", + "womens swimsuit in size small", + "hand-washable swimsuit small", + "hand-washable swimsuit in small", + "swimsuit in size small", + "womens size small", + "womens swimsuit", + "womens small", + "large swimsuit" + ], + "i need to shop for a heavy duty cell phone case. i'd like one that's black with blue accents.": [ + "black heavy duty cell phone case", + "heavy duty cell phone case black", + "black cell phone case", + "cell phone case black", + "large duty cell phone case black", + "black cell phone case with blue accents", + "bag phone case black", + "cell phone case black with blue accents", + "a heavy duty cell phone case black", + "heavy duty cell phone case in black" + ], + "i want a pink coat that is 3x large and machine washable.": [ + "pink coat 3x large machine washable", + "pink coat 3x large", + "3x large and machine washable pink coat", + "pink coat that is 3x large", + "3x large machine washable pink coat", + "pink coat 3x large washable", + "pink coat 3x x large", + "pink coat 3x large under $50", + "3x large pink coat", + "pink coat" + ], + "i need 2 pack 5 pound resealable bags of fine ground celtic sea salt.": [ + "2 pack 5 pound sea salt", + "2 pack 5 pound fresh sea salt", + "2 pack 5 pound resealable sea salt", + "2 pack 5 pound salt resealable bags", + "2 pack 5 pound sea salt under $50", + "2 pack 5 pound sea salt under $40", + "2 pack 5 pound natural sea salt", + "2 pack 5 pound sea salt under $60", + "2 pack 5 pound sea salt 2 pack", + "two pack 5 pound sea salt" + ], + "i'm looking for gluten free it was high protein and healthy need to buy.": [ + "gluten free high protein and healthy", + "gluten free dairy free", + "gluten free high protein and healthy snacks", + "gluten free gluten free", + "gluten free", + "gluten free, high protein and healthy", + "gluten free high protein dairy free", + "gluten free high protein dairy", + "gluten free foods", + " gluten free" + ], + "i am looking for sea salt of 2-pack size which is gluten free.": [ + "sea salt 2-pack size gluten free", + "sea salt 2-pack size", + "sea salt of 2-pack size", + "sea salt 2-pack", + "sea salt 2-pack size no gluten", + "sea salt 2pack size gluten free", + "sea salt 1-pack", + "sea salt 2pack size", + "sea salt, gluten free", + "sea salt" + ], + "i'm looking for a 2 pack of sea salt in a resealable bag and gluten free": [ + "sea salt 2 pack resealable bag gluten free", + "sea salt resealable bag gluten free", + "sea salt 2 pack", + "sea salt 2 pack resealable bag", + "sea salt 2 pack in a resealable bag", + "sea salt in a resealable bag gluten free", + "sea salt in a resealable bag", + "sea salt, resealable bag and gluten free", + "sea salt resealable bag and gluten free", + "sea salt resealable bag" + ], + "i am looking for a women's short sleeve tank top size 3x-large.": [ + "womens short sleeve tank top size 3x-large", + "womens short sleeve tank top size 3xl", + "womens short sleeve tank top size 3x-l", + "womens short sleeve tank top size 3xl.", + "womens short sleeve tank top", + "womens short sleeve tank top 3x-large", + "womens short sleeve tank size 3x-large", + "womens short sleeve tank top 3xl", + "womens short sleeve tank size 3xl", + "3xl womens short sleeve tank top" + ], + "i need a can of ready to eat vegan duck.": [ + "vegan duck", + "can of ready to eat vegan duck", + "vegan duck can", + "vegan duck drink can", + "vegan duck no sugar", + "plantarian duck", + "ready to eat vegan duck", + "vegan duck drink mix", + "vegan duck flavor", + "ready to eat vegan duck drink can" + ], + "i am looking for a solid wood vertical file cabinet that is easy to assemble.": [ + "solid wood vertical file cabinet", + "easy assemble solid wood vertical file cabinet", + "solid wood vertical file cabinet easy to assemble", + "living room solid wood vertical file cabinet", + "solid wood vertical file cabinet under $50", + "solid wood vertical file cabinet under $60", + "solid wood vertical file cabinet under $120", + "solid wood vertical file cabinet under $40", + "solid wood vertical file cabinet under $130", + "5 ft vertical file cabinet" + ], + "i am looking for 1 pack of 14 inch tape in hair extensions.": [ + "1 pack of 14 inch tape in hair extensions", + "14 inch tape in hair extensions", + "1 pack of 14 inch tape in hair extension", + "pack of 14 inch tape in hair extensions", + "12 pack of 14 inch tape in hair extensions", + "4 pack of 14 inch tape in hair extensions", + "13 pack of 14 inch tape in hair extensions", + "1 pack of 14 inch tape", + "1 pack of 14 inch tape for hair extensions", + "14 inch tape in hair extension" + ], + "i need a rose gold cell phone case with a tempered glass screen.": [ + "rose gold cell phone case with a tempered glass screen", + "rose gold cell phone case with a tempered glass screen.", + "rose gold cell phone case with a tempered glass screen,", + "rose gold cell phone case", + "rose gold cell phone case with tempered glass screen", + "rose gold phone case with a tempered glass screen", + "rose gold cell phone case, tempered glass screen", + "rose gold cell phone case that is tempered glass", + "rose gold cell phone case with a tempered glass", + "rose gold cell phone case, tempered glass" + ], + "i am looking for high quality 18 inch hair extensions": [ + "18 inch hair extensions", + "18 inch hair extension", + "hair extension 18 inches high quality", + "high quality 18 inch hair extensions", + "18 inch hair extensions under $50", + "18 inch hair extensions high quality", + "hair extensions 18 inches high quality", + "18 inch hair extensions under $60", + "18 inch hair extensions under $40", + "18 inch hair extensions, high quality" + ], + "i'd like to buy a black bullet camera with motion detection.": [ + "black bullet camera with motion detection", + "black bullet camera", + "a black bullet camera with motion detection", + "black bullet camera with motion detection.", + "large black bullet camera with motion detection", + "black bullet camera that is motion detection", + "black bullet camera, motion detection", + "white bullet camera with motion detection", + "black bullet camera with motion detection,", + "pink bullet camera with motion detection" + ], + "i would like a woman's large cotton heather t shirt preferably in slate gray.": [ + "womens large cotton heather t-shirt in slate gray", + "womens large cotton heather t-shirt", + "womens large cotton heather t-shirt, slate gray", + "womens large cotton heather t shirt", + "womans large cotton heather t-shirt in slate gray", + "womens large cotton heather t shirt in slate gray", + "womans large cotton heather t-shirt", + "womans large cotton heather t-shirt, slate gray", + "womens large cotton heather t shirt, slate gray", + "womens large cotton heather t shirt preferably in slate gray" + ], + "i need to buy a new laptop. look for one with a core i5 intel processor, 64 gigabytes of ram, and a 2 terrabyte ssd.": [ + "desktop laptop with a core i5 intel processor with 64 gigabytes of ram", + "desktop laptop with core i5 intel processor with 64 gigabytes of ram", + "desktop laptop with a core i5 intel processor, 64 gigabytes of ram", + "desktop laptop with i5 intel processor with 64 gigabytes of ram", + "desktop laptop with i5 intel processor", + "desktop laptop with core i5 intel processor, 64 gigabytes of ram", + "aluminum laptop with a core i5 intel processor", + "desktop laptop with core i5 intel processor", + "desktop laptop with a core i5 intel processor", + "laptop with i5 intel processor" + ], + "buy me any long sleeve polo as long as it's a size medium.": [ + "long sleeve polo medium", + "long sleeve polo in a medium", + "long sleeve polo", + "long sleeve polo small", + "long sleeve polo size medium", + "long sleeve polo under $40", + "long sleeve polo under $50", + "long sleeve polo that is medium", + "long sleeve polo, medium", + "long sleeve polo under $60" + ], + "i am looking for a 40ft hdmi cable that is gold plated.": [ + "40ft hdmi cable gold plated", + "40ft hdmi cable", + "40ft hdmi cable, gold plated", + "40ft hdmi cable with gold plated", + "40ft hdmi cable silver plated", + "40ft hdmi cable under $40", + " 40ft hdmi cable gold plated", + "dust free 40ft hdmi cable", + "shoes gold plated", + "shoes gold" + ], + "i would like a single 25 foot hdmi 2.1 cable for my blu ray player.": [ + "single 25 foot hdmi 2.1 cable", + "single 25 foot hdmi 2.1 cable for blu ray player", + "single 25 foot hdmi 2.1 cable blu-ray player", + "single 25 foot hdmi 2.1 cable blu ray player", + "single 25 foot hdmi 2.1 cable under $40", + "25 foot hdmi 2.1 cable", + "a single 25 foot hdmi 2.1 cable", + " single 25 foot hdmi 2.1 cable", + "24 foot hdmi 2.1 cable", + "single 25 foot hdmi 2.1" + ], + "i am looking for a 3ft high speed hdmi male-male cable with gold plated.": [ + "3ft high speed hdmi male-male cable", + "3ft hdmi male-male cable", + " 3ft high speed hdmi male-male cable", + "3ft high speed hdmi cable with gold plated", + "3 ft high speed hdmi male-male cable", + "4ft high speed hdmi male-male cable", + "low speed hdmi male-male cable", + "high speed hdmi male-male cable", + "hdmi male-male cable", + "dmi male-male cable" + ], + "add some non-gmo popcorn to my order.": [ + "non-gmo popcorn", + "non-gmo popcorn $40", + "non-gmo popcorn order", + "non-gmo popcorn $60", + "non gmo popcorn", + "no gmo popcorn", + "nude popcorn", + "gmo popcorn", + "freeze popcorn", + "mo popcorn" + ], + "i want to get a 12-pack of 14 ounce boxes of hand-crafted fettucine.": [ + "12-pack of 14 ounce boxes of hand-crafted fettucine", + "12 pack of 14 ounce boxes of hand-crafted fettucine", + "12-pack of 14 ounce box of hand-crafted fettucine", + "12pack of 14 ounce boxes of hand-crafted fettucine", + "12 pack of 14 ounce box of hand-crafted fettucine", + "bag of 14 ounce boxes of hand-crafted fettucine", + "pack of 14 ounce boxes of hand-crafted fettucine", + "12 pack of 14 ounce boxes of hand-crafted fettucine.", + "12-pack of 14 ounce boxes of hand crafted fettucine", + "hand-crafted fettucine 12 pack" + ], + "i want to find a case for my iphone 11 pro that is easy to install.": [ + "iphone 11 pro case", + "iphone 11 pro case easy to install", + "iphone 11 pro case, easy to install", + "iphone 11 case that is easy to install", + "iphone 11 pro case is easy to install", + "iphone 11 pro case for easy to install", + "iphone 11 case easy to install", + "iphone 11 pro, easy to install", + "iphone 11 pro case with easy to install", + "iphone 11 pro" + ], + "i need a rainfall colored and high quality reusable shower cap.": [ + "rainbow colored shower cap", + "rainbow colored reusable shower cap", + "rainbow colored high quality reusable shower cap", + "rainbow colored water shower cap", + "rainbow colored shower cap below $40", + "rainbow colored shower cap below $50", + "rainbow colored shower cap below $60", + "rainbow colored shower cap.", + "rainbow colored reusable shower cap.", + "rainbow colored shower cap, high quality" + ], + "i want to find a tv stand made of solid wood for my living room.": [ + "tv stand made of solid wood for my living room", + "tv stand made of solid wood", + "tv stand made of solid wood for living room", + "tv stand made of solid wood living room", + "tv stand made of solid wood for living room.", + "tv stand made of solid wood for the living room", + "tv stand made from solid wood for living room", + "tv stand made from solid wood for my living room", + "tv stand made of solid wood for a living room", + "tv stand made of solid wood in my living room" + ], + "i need a new watchband for my apple watch se. buy one that's sky blue and waterproof.": [ + "watchband sky blue and waterproof", + "watchband sky blue", + "apple watchband sky blue waterproof", + "watchband sky blue waterproof", + "apple watchband sky blue", + "watchband for apple watch se", + "watchband for apple watch", + "sky blue apple watch band", + "sky blue watchband", + "watchband" + ], + "i need a water proof watch band for a 42 millimeter apple watch. i want a green one.": [ + "water proof watch band for a 42 millimeter apple watch", + "watch band for a 42 millimeter apple watch", + "water proof watch band 42 millimeter apple watch", + "water proof watch band for a 42 millimeter apple watch.", + "watch band for 42 millimeter apple watch", + "water proof watch band for 42 millimeter apple watch", + "watch band 42 millimeter apple watch", + "watch band for a 42 millimeter apple watch.", + "watch band 42 millimeter green", + "watch band 42 millimeter" + ], + "looking for a coat with hood and long sleeve in black size large for women": [ + "large coat with hood and long sleeve in black", + "black coat with hood and long sleeve in black", + "large woman coat with hood long sleeve in black", + "large women coat with hood long sleeve in black", + "curtains large for women", + "large woman coat", + "large women coat", + "black coat with hood long sleeve in black", + "black coat with hood long sleeve", + "large black woman coat" + ], + "i would like a monocular for my bird watching.": [ + "monocular bird watching", + "monocular for bird watching", + "monocular bird watching.", + "monocular bird watching under $40", + "monocular bird watching under $50", + "monocular bird watching for bird watching", + "monocular bird watching under $60", + "monocular for bird watching.", + "monocular bird watching,", + "monocular" + ], + "buy a steel framed end table for the living room.": [ + "steel framed end table for the living room", + "steel framed end table for living room.", + "steel framed end table for living room", + "steel framed end table living room", + "steel framed end table in the living room", + "end table for the living room steel framed", + "end table for living room steel framed", + "end table for the living room.", + "steel framed end table for dining room", + "steel framed end table" + ], + "i am looking for gold+purple color remote controller for playstation 3 having wireless bluetooth.": [ + "gold+purple color remote controller for playstation 3", + "graphics remote controller for playstation 3 with wireless bluetooth", + "plastic remote controller for playstation 3 with wireless bluetooth", + "remote controller for playstation 3 with wireless bluetooth", + "gold+purple remote controller for playstation 3", + "plastic color remote controller for playstation 3", + "pink color remote controller for playstation 3", + "pure gold+purple color remote controller for playstation 3", + "graphics remote controller for playstation 3", + "gold+purple color remote controller" + ], + "i am looking for swivel bar stools with adjustable height, 1pc.": [ + "swivel bar stool with adjustable height 1pc", + "swivel bar stool adjustable height 1pc", + "swivel bar stool adjustable height, 1pc", + "swivel bar stools with adjustable height", + "swivel bar stool height 1pc", + "swivel bar stool, adjustable height 1pc", + "swivel bar stool with adjustable height", + "swivel bar stool adjustment height 1pc", + "swivel bar stool size 1pc", + "swivel bar stool adjustable height" + ], + "buy some gray machine washable shorts.": [ + "gray machine washable shorts", + "womens gray machine washable shorts", + "grey machine washable shorts", + "gray machine washable shorts.", + "gray machine washable shorts under $40", + "gray machine washable shorts under $50", + "gray machine washable shorts under $60", + "gray machine washable shorts under 50 dollars", + "womens grey machine washable shorts", + "green machine washable shorts" + ], + "i'm looking for a lip gloss base that is non-toxic. it comes in a pink tube.": [ + "non-toxic lip gloss", + "lip gloss pink", + "non toxic lip gloss pink", + "nude lip gloss pink", + "lip gloss lip gloss pink", + "lip gloss natural pink", + "nude lip gloss", + "lip gloss no toxic", + "lip gloss no toxic pink", + "lip gloss" + ], + "i'm looking for a set of 6 midcentury desert prints in 11x14\" beige frames. they are a terra cotta color.": [ + "6 midcentury desert prints in 11x14 beige frames", + "6 midcentury desert prints in 11x14 beige frame", + "set of 6 midcentury desert prints in 11x14 beige frames", + "6 midcentury desert prints in 11x14 beige", + "6 midcentury desert prints in 11x14 beige frames. they are a terra cotta color", + "set of 6 midcentury desert prints in 11x14 beige frame", + "6 midcentury desert prints in 11x14 beige frame. they are a terra cotta color", + "6 midcentury desert prints in 11x14 beige frames in a terra cotta color", + "set of 6 midcentury desert prints in 11x14 beige", + "6 midcentury desert prints in 11x14 beige color" + ], + "i would like a 6 pack of 5 count boxes of gluten free peanut butter fudge crisp bars.": [ + "6 pack of gluten free peanut butter fudge crisp bars", + "6 pack of peanut butter fudge crisp bars", + "6 pack of gluten free peanut butter fudge crisp bar", + "gluten free peanut butter fudge crisp bars 6 pack", + "6 pack of peanut butter fudge crisp bar", + "6 pack peanut butter fudge crisp bars", + "6 pack gluten free peanut butter fudge crisp bars", + "gluten free peanut butter fudge crisp bar 6 pack", + "6 pack of gluten free peanut butter fudge cris bars", + "gluten free peanut butter fudge crisp bars" + ], + "i am interested in a long sleeved large button down shirt.": [ + "long sleeved large button down shirt", + "long sleeved large button down shirt under $40", + "long sleeved large button down shirt under $50", + "long sleeved large button down shirt below $50", + "short sleeved large button down shirt", + "long sleeved large button down shirt under $60", + "long sleeved large button down shirt under 50 dollars", + "long sleeved large button down shirt below $40", + "long sleeved large button down shirt.", + "long sleeved large button down shirt under 40 dollars" + ], + "i am interested in a heavy duty coat rack that is rice white colored.": [ + "heavy duty coat rack that is rice white", + "rainbow colored coat rack", + "rainbow colored coat rack under $40", + "heavy duty coat rack rice white", + "large duty coat rack that is rice white", + "rainbow colored coat rack under $50", + "rainbow colored coat rack, rice white", + "rainbow colored coat rack under $60", + "rainbow colored heavy duty coat rack", + "heavy duty coat rack" + ], + "i would like some non gmo strawberries that are 2.5 ounces": [ + "non gmo strawberries 2.5 ounces", + "non gmo strawberries that are 2.5 ounces", + "non gmo strawberries 2.5 oz", + "non-gmo strawberries 2.5 ounces", + "non gmo strawberries 2.5 ounces under $40", + "non gmo strawberries 2.5 ounces under $50", + "2.5 ounces non gmo strawberries", + "non gmo strawberries 2.5 ounces under $60", + "non gmo strawberries 2.5 ounces below $40", + "non gmo strawberries 2.5 ounces under 50 dollars" + ], + "i am looking for a freeze dried bag of beets.": [ + "freeze dried bag of beets", + "freeze dried bag of beets.", + "frozen dried bag of beets", + "freeze dried bag of beets under $40", + "freeze dried bag of beets under $50", + "freeze dried bag of beets under $60", + "freeze dried bag of beets under 50 dollars", + "freeze dried bag of beets under 30 dollars", + "freeze dried bag of beets under 40 dollars", + "freeze dried bag of beets below $40" + ], + "i am looking for 1 ounce bag of non-gmo freeze-dried beets.": [ + "bag of non-gmo freeze-dried beets", + "non-gmo freeze-dried beets", + "non-gmo freeze-dried beets 1 ounce", + "non-gmo freeze-dried beets, 1 ounce", + "non-gmo freeze-dried beets 1 oz", + "1 ounce bag of non-gmo freeze dried beets", + "non-gmo freeze-dried beets under $40", + "bag of non-gmo freeze-dried beets.", + "non-gmo freeze-dried beets under $60", + "non-gmo freeze-dried beets under $50" + ], + "need me an organic freeze dried beets in strawberries and apples flavor": [ + "organic freeze dried beets strawberries and apples flavor", + "organic freeze dried strawberries and apples flavor", + "organic freeze dried beets strawberry and apples flavor", + "organic freeze dried beets in strawberries and apples flavor", + "organic freeze dried beets with strawberries and apples flavor", + "organic freeze dried strawberry and apples flavor", + "freeze dried beets strawberries and apples flavor", + "organic freeze dried beets strawberries and apple flavor", + "organic freeze dried beets strawberries natural flavor", + "freeze dried strawberries and apples flavor" + ], + "i am looking a non gmo freeze dried low calorie fat free peas 1.8 ounce": [ + "non gmo freeze dried low calorie fat free peas 1.8 ounce", + "non gmo freeze dried low calorie fat free peas 1.8 oz", + "non gmo freeze dried low calorie fat free peas 1.8oz", + "freeze dried low calorie fat free peas 1.8 ounce", + "non gmo freeze dried low calorie fat free peas 1.8 ounces", + "no gmo freeze dried low calorie fat free peas 1.8 ounce", + "non gmo frozen dried low calorie fat free peas 1.8 ounce", + "mo freeze dried low calorie fat free peas 1.8 ounce", + "natierra freeze dried low calorie fat free peas 1.8 ounce", + "non gmo freeze dried low calorie fat free peas" + ], + "i am looking for low calorie dried vegetables of chocolate banana slices flavor.": [ + "low calorie dried vegetables of chocolate banana slices flavor", + "low calorie dried vegetables chocolate banana slices flavor", + "low calorie dried vegetables of chocolate banana slices flavor.", + "low calorie dried vegetables with chocolate banana slices flavor", + "low calorie dried vegetables and chocolate banana slices flavor", + "low calories dried vegetables of chocolate banana slices flavor", + "chocolate banana slices flavor", + "low calorie dried vegetables flavor", + "low calorie dried vegetables chocolate banana slices", + "low calorie dried vegetables" + ], + "i would like a 2.5 ounce bundle of blueberries that are usda organic.": [ + "2.5 ounce bundle of blueberries", + "blueberries 2.5 ounce", + "2.5 ounce bundle of blueberries natural", + "two.5 ounce bundle of blueberries", + "blueberries 2.5 ounce natural", + "blueberries 2.5 ounce usda organic", + "blueberries 2.5 ounce bundle", + "blueberries 2.5 oz", + "blueberries 2.5 ounce pack", + "blueberry bundle" + ], + "i'm looking for a plant based, usda organic freeze dried fruits which is fat free. also choose a pack of 12 weighting 1.5 ounce bundle with strawberries + banana flavored one.": [ + "plant based, usda organic freeze dried fruits which is fat free", + "plant based, usda organic freeze dried fruits", + "plant based, usda organic freeze dried fruits bundle with strawberries", + "plant based, usda organic freeze dried fruits that is fat free", + "plant based, usda organic freeze dried fruits whose price is lower than 50.00 dollars", + "plant based, usda organic freeze dried fruits with strawberries", + "plant based, usda organic freeze dried fruits that are fat free", + "plant based, usda organic freeze dried fruits bundle", + "plant based, usda organic freeze dried fruits whose price is fat free", + "plant based, usda organic freeze dried fruits bundle with strawberries + banana flavored one" + ], + "i'm looking for organic freeze-dried beets.": [ + "organic freeze-dried beets", + "organic freeze-dried beets.", + "organic freeze-dried beets under $40", + "organic freeze-dried beets under $60", + "organic freeze-dried beets under $50", + "organic freeze-dried beets under 50 dollars", + "organic freeze-dried beets under 40 dollars", + "organic freeze-dried beets under 30 dollars", + "organic freeze-dried beets under 60 dollars", + "organic freeze-dried beets under 120 dollars" + ], + "i'm looking for a 1.2 ounce package of freeze dried, non gmo, beets.": [ + "1.2 ounce package of freeze dried, non gmo, beets", + "1.2 ounce package of freeze dried, non gmo beets", + "1.2 ounce package of freeze dried, non gmo, beets.", + "one.2 ounce package of freeze dried, non gmo, beets", + "1.2 ounce package of freeze dried, non gmo, beets,", + "1.2 ounce package of freeze dried, non gmo dried beets", + "1.2 ounce package of freeze dried non gmo, beets", + "1.2 ounce package of freeze dried non gmo beets", + "freeze dried, non gmo, beets", + "freeze dried, non gmo beets" + ], + "i am looking for a long lasting edp spray for women.": [ + "long lasting edp spray for women", + "idp spray for women", + "edp spray for women", + "endocrine spray for women", + "indp spray for women", + "elevate spray for women", + "ep spray for women", + "idp spray for women long lasting", + "long lasting edp spray", + "long lasting edp spray women" + ], + "i am looking for a yellow short sleeve men's hawaiian shirt.": [ + "yellow mens hawaiian shirt", + "yellow mens hawaiian shirt.", + "yellow mens hawaiian shirt under $40", + "yellow short sleeve mens hawaiian shirt", + "yellow mens hawaiian shirt under 50 dollars", + "yellow mens hawaiian shirt under $50", + "yellow mens hawaiian shirt under 40 dollars", + "yellow mens hawaiian shirt under 30 dollars", + "yellow mens hawaiian shirt under $60", + "yellow mens hawaiian shirt under 60 dollars" + ], + "i am looking for a solid wood light golden brown stained bookcase.": [ + "solid wood light golden brown stained bookcase", + "solid wood light golden brown stained bookcase.", + "yellow solid wood light golden brown stained bookcase", + "grey solid wood light golden brown stained bookcase", + "solid wood light golden brown stained bookcase,", + "wood light golden brown stained bookcase", + "gluten-free stained bookcase", + "gluten free stained bookcase", + "stainless wood light golden brown", + "stainless wood light golden" + ], + "i am looking for a computer desk with a steel frame and a wood finish that is easy to clean.": [ + "desktop desk with a steel frame and wood finish", + "computer desk with a steel frame and wood finish", + "Computer desk with a steel frame and wood finish", + " computer desk with a steel frame and wood finish", + "desktop desk with steel frame and wood finish", + "desktop desk with a steel frame", + "computer desk with a steel frame", + "desktop desk wood finish", + "desktop desk with steel frame", + "desktop desk steel frame" + ], + "i am looking for a dust proof travel bag.": [ + "dust proof travel bag", + "dust proof travel bag.", + "dust proof travel bag under $40", + "dust proof travel bag for travel", + "dust proof travel bag,", + "dust proof travel bag under $50", + "dust proof travel bag under $60", + "dust proof travel bag", + "dust proof travel bag under 50 dollars", + "dust proof travel bag " + ], + "i am interested in orange flats with arch support that are a size 11.5": [ + "orange flats with arch support size 11.5", + "orange flats with arch support", + "orange flats with arch support 11.5", + "orange flats 11.5", + "orange flats with arch support, size 11.5", + "orange flats with arch support a size 11.5", + "orange flats, arch support, size 11.5", + "orange flats that are a size 11.5", + "orange flats size 11.5", + "orange flats with arch support in size 11.5" + ], + "i am looking for a gold colored bpa free beauty case.": [ + "beauty case gold bpa free", + "gold bpa free beauty case", + "pink bpa free beauty case", + "gold colored bpa free beauty case", + "a gold bpa free beauty case", + "bpa free beauty case", + "plastic beauty case", + "gold bpa free beauty case.", + "beauty case gold", + "gmo free beauty case" + ], + "i would like a extra large fushia and leopard tunic that i can machine wash.": [ + "extra large fushia and leopard tunic", + "extra large fushia with leopard tunic", + "extra large fushia under $50", + "extra large fushia under $40", + "extra large fushia under 50 dollars", + "extra large fushia machine wash", + "extra large fushia under $60", + "extra large fushia", + "extra large fushia, leopard tunic", + "extra large fushia under 30 dollars" + ], + "i want to find a pair of blue men's work shoes in size 10. the shoes must be made of high quality materials.": [ + "blue mens work shoes in size 10", + "blue mens work shoes size 10", + "blue mens work shoes in size 10, high quality materials", + "blue mens work shoes size 10, high quality materials", + "blue mens work shoes size 10 made of high quality materials", + "blue mens work shoes size 10 high quality materials", + "blue mens work shoes", + "blue mens work shoes in a size 10", + "blue mens work shoes, size 10, high quality materials", + "blue mens work shoes, size 10, high quality" + ], + "i need a peacock blue halter lace short homecoming dress in size 2 that can be hand washed.": [ + "pomegranate blue halter lace short homecoming dress in size 2", + "pomegranate blue halter lace short homecoming dress", + " peacock blue halter lace short homecoming dress in size 2", + "p peacock blue halter lace short homecoming dress in size 2", + "pom peacock blue halter lace short homecoming dress in size 2", + "p peacock blue halter lace short homecoming dress", + " peacock blue halter lace short homecoming dress", + "pom peacock blue halter lace short homecoming dress", + "a peacock blue halter lace short homecoming dress in size 2", + "pockock blue halter lace short homecoming dress in size 2" + ], + "i want to get a two-count package of gray barstools that i can put in my dining room.": [ + "two-count package of gray barstools", + "two-count package of gray barstools dining room", + "two count package of gray barstools dining room", + "two count package of gray barstools", + "two-count package of gray barstools living room", + "gray barstools dining room two count", + "gray barstools dining room", + "gray barstools for dining room", + "gray barstools", + "grey barstools" + ], + "i need a shampoo set that is sulfate free and is 16 fl oz.": [ + "sulfate free shampoo set 16 fl oz", + "shampoo set 16 fl oz", + "sulfate free 16 fl oz shampoo set", + "synthetic free shampoo set 16 fl oz", + "sulfate free shampoo set16 fl oz", + "sulfate free shampoo set", + "sulfate free shampoo set 17 fl oz", + "shampoo set 17 fl oz", + "shampoo set16 fl oz", + "16 fl oz shampoo set" + ], + "i would like a charcoal oval rug thats 10 ft x 13 ft and easy to clean.": [ + " charcoal oval rug 10 ft x 13 ft", + " charcoal oval rug 10 ft x 13 ft easy to clean", + " charcoal oval rug that is 10 ft x 13 ft", + " charcoal oval rug 10 ft x 13 ft clean", + " charcoal oval rug, 10 ft x 13 ft", + "barbecue oval rug 10 ft x 13 ft", + " charcoal oval rug that is 10 ft x 13 ft clean", + "blanket rug 10 ft x 13 ft", + "charcoal oval rug 10 ft x 13 ft", + " charcoal oval rug" + ], + "i want an octagonal area right that is light green in color and is easy to clean.": [ + "octagonal area right light green", + "octagonal area that is light green", + " octagonal area right light green", + "octagonal area in light green", + "octagonal area right", + "octagonal area right light green color", + "octagonal area of octagonal color", + "octagonal area right yellow", + "octagonal area, light green", + "octagonal area" + ], + "i am looking for a red easy to clean area rugs": [ + "easy clean area rugs", + "easy clean area rug", + "easy to clean area rugs", + "red area rugs", + "easy clean red area rugs", + "red area rug", + "red area rug easy to clean", + "easy clean red area rug", + "red easy to clean area rug", + "easy to clean area rug" + ], + "i am looking for a light green octagonal plush area rug.": [ + "light green octagonal plush rug", + "light green octagonal plush area rug", + "light green octagonal plush rug.", + "living room light green octagonal plush rug", + "low green octagonal plush rug", + "yellow octagonal plush rug", + "lit green octagonal plush rug", + "pink octagonal plush rug", + "light green octagonal plush rug,", + "living octagonal plush rug" + ], + "get some shelf stable baguettes.": [ + "shelf stable baguettes", + "packuettes shelf stable", + "stainless baguettes shelf stable", + "shelf stable baguettes.", + "baguettes shelf stable", + " shelf stable baguettes", + " shelf stable baguettes.", + " shelf stable baguettes under $40", + " shelf stable baguettes under $50", + " shelf stable baguettes under $60" + ], + "i would like some long lasting perfume.": [ + "long lasting perfume", + "long lasting perfume.", + "long lasting perfume under $40", + "long lasting perfume under $50", + "long lasting perfume under $60", + "long lasting perfume under 30 dollars", + "long lasting perfume under 50 dollars", + "long lasting perfume under 60 dollars", + "pink perfume long lasting", + "long lasting perfume under 120 dollars" + ], + "buy some cotton rounds that are appropriate for sensitive skin, okay?": [ + "cotton rounds for sensitive skin", + "cotton rounds sensitive skin", + "synthetic skin cotton rounds", + "womens cotton rounds", + "cotton rounds sensitive skin, okay?", + "cotton rounds sensitive sensitive skin", + "cotton rounds sensitive skin under $40", + "cotton rounds appropriate for sensitive skin", + "cotton rounds sensitive skin under $50", + "cotton rounds" + ], + "i am looking for an eco friendly cruelty free orange ylang shampoo and conditioner combo pack.": [ + "eco friendly cruelty free orange ylang shampoo and conditioner combo pack", + "eco friendly cruelty free orange ylang shampoo and conditioner pack", + "eco friendly cruelty free orange ylang shampoo and conditioner pack.", + "eco friendly cruelty free ylang shampoo and conditioner combo pack", + "animal friendly cruelty free orange ylang shampoo and conditioner combo pack", + "eco friendly cruelty free orange ylang shampoo and conditioner packs", + "eco friendly cruelty free orange ylang shampoo conditioner combo pack", + "eco friendly cruelty free orange ylang shampoo conditioner pack", + "eco friendly cruelty free ylang shampoo and conditioner pack", + "orange ylang shampoo and conditioner combo pack" + ], + "i am looking for loose fitting men's cargo pants with an elastic waist size 32.": [ + "mens cargo pants with an elastic waist size 32", + "mens cargo pants with an elastic waist size 32", + "jeans elastic waist size 32", + "mens cargo pants elastic waist size 32", + "womens cargo pants elastic waist size 32", + "womens cargo pants elastic waist 32", + "mens cargo pants elastic waist 32", + "jeans elastic waist 32", + "womens cargo pants with an elastic waist", + "mens cargo pants with an elastic waist size 32." + ], + "i'd like to see large bathing suits for women that are quick drying and loose fitting.": [ + "large bathing suits for women", + "large bathing suits for women quick drying and loose fitting", + "large bathing suit for women quick drying and loose fitting", + "large bathing suits for women quick drying loose fitting", + "large bathing suits for women quick drying", + "large bathing suit for women", + "large bathing suits, quick drying and loose fitting", + "large bathing suits", + "large bathing suits for women with quick drying", + "large bathing suit" + ], + "can you find me a rose hydrations set to take care of my skin that has natural ingredients like green tea?": [ + "rose hydrations with natural ingredients", + "rose hydrations", + "rose hydrations made from natural ingredients", + "rose hydrations for skin with natural ingredients", + "rose hydrations natural no sugar", + "rose hydrations that are natural", + "rose hydrations natural", + "rose hydrations natural ingredients", + "rose hydrations, natural, green tea", + "rose hydrations that are natural ingredients" + ], + "buy me a non-slip razor stand.": [ + "non-slip razor stand", + "non-slip razor stand.", + "non-slip razor stand under $50", + "non-slip razor stand under $40", + "non-slip razor stand under $60", + "non-slip razor stand, $40", + "non-slip razor stand, $60", + "non-slip razor stand under 50 dollars", + "non-slip razor stand,", + "non-slip razor" + ], + "i need a dermatologist tested honest beauty elevated hydration mist.": [ + "dermatologist tested honest beauty elevated hydration mist", + "dermatologist tested honest beauty elevated hydration mist.", + "ddermatologist tested honest beauty elevated hydration mist", + "dermatologist tested beauty elevated hydration mist", + " dermatologist tested honest beauty elevated hydration mist", + "dentalologist tested honest beauty elevated hydration mist", + "im looking for an honest beauty elevated hydration mist.", + "beauty elevated hydration mist", + "dermatologist tested honest beauty elevated hydration mist,", + " dermatologist tested honest beauty elevated hydration mist." + ], + "i am looking for an easy to use meat masala flavored seasoning mix for a traditional meat stew.": [ + "meat masala flavored seasoning mix for a traditional meat stew", + "meat masala seasoning mix for a traditional meat stew", + "Meat masala flavored seasoning mix for a traditional meat stew", + "vegan seasoning mix for a traditional meat stew", + "meat masala flavored seasoning mix", + "easy to use meat masala flavored seasoning mix", + "pink seasoning mix for a traditional meat stew", + "meat masala seasoning mix for a traditional meat stew.", + "almond seasoning mix for a traditional meat stew", + "sale mix for a traditional meat stew" + ], + "i am looking for spice powder with some artificial flavor such as meat masala": [ + " spice powder with some artificial flavor", + "pink powder with some artificial flavor", + " spice powder that is artificial flavor", + " spice powder with some artificial flavor that is natural", + " spice powder made from meat masala", + " spice powder with some artificial flavor under $40", + "sugar powder with some artificial flavor", + " spice powder no artificial flavor", + " spice powder natural flavor", + " spice powder" + ], + "i would like a 3.52 ounce packet of kat a kat seasoning that's easy to use.": [ + "3.52 ounce packet of kat a kat seasoning", + "3.52 ounce packet of kat seasoning", + "3.52 ounce packet of kat a kat seasoning easy to use", + "3.52 ounce packets of kat a kat seasoning", + "3.52 ounce packet of kat a kat seasoning under $40", + "4.52 ounce packet of kat a kat seasoning", + "3.52 ounce packet of kat a kat seasoning under $60", + "3.52 ounce packet of kat a kat seasoning under $50", + "3.52 ounce packet of kat a kat seasoning under 30 dollars", + " 3.52 ounce packet of kat a kat seasoning" + ], + "i am looking for some easy to use chicken handi indian seasoning mix.": [ + "easy to use chicken handi indian seasoning mix", + "easy to use chicken handi indian seasoning mix.", + "pink chicken handi indian seasoning mix", + "chicken handi indian seasoning mix", + "yogurt chicken handi indian seasoning mix", + "Chicken handi indian seasoning mix", + "5 foot chicken handi indian seasoning mix", + "plastic seasoning mix chicken handi indian", + "Chicken handi indian seasoning mix easy to use", + "plastic seasoning mix" + ], + "i want a 2.1 ounce package of chicken masala seasoning that's easy to use.": [ + "chicken masala seasoning 2.1 oz", + "1 ounce package of chicken masala seasoning", + "chicken masala seasoning 2.1 ounce", + "pink masala seasoning 2.1 oz", + "pink masala seasoning 2.1 ounce", + "moisturizer seasoning 2.1 ounce", + "moisturizing seasoning 2.1 ounce", + "moisturizer seasoning 2.1 oz", + "yogurt seasoning 2.1 ounce", + "chicken masala seasoning" + ], + "i'd like to buy a nightsand that's made out of engineered wood.": [ + "nightstand made out of engineered wood", + "nightstand made out of engineered wood.", + "nightstand made from engineered wood", + "nightstand made out of engineered wood,", + "nightstand that is made out of engineered wood", + "nightstand made out of engineered wood for nights", + " nightsand made out of engineered wood", + "nightand made out of engineered wood", + "nightstand made made out of engineered wood", + "nightstand with engineered wood" + ], + "looking for temporary tattoos easy apply and waterproof with pattern name fluttery": [ + "temporary tattoos easy apply waterproof", + "temporary tattoos waterproof", + "temporary tattoos easy apply and waterproof", + "temporary tattoos waterproof under $50", + "temporary tattoos waterproof fluttery", + "temporary tattoos easy apply waterproof with pattern", + "temporary tattoos waterproof under $40", + "temporary tattoos easy apply under $50", + "temporary tattoos waterproof with pattern", + "temporary tattoos" + ], + "i am looking for a three piece assortment of individually wrapped bakery gifts that are chocolate caramels.": [ + "3 chocolate caramels", + "three piece assortment of individually wrapped bakery gifts", + "3 chocolate caramels bakery gifts", + "barbecue gifts chocolate caramels three piece", + "three chocolate caramels bakery gifts", + "3 chocolate caramels bakery gifts that are chocolate", + "three chocolate caramels", + "bagel gifts chocolate caramels three piece", + "barbecue gifts chocolate caramels", + "3 chocolate caramels bakery gifts under $50" + ], + "i am looking for hair extensions that are gray and 26 inches.": [ + "gray hair extensions 26 inches", + "gray and 26 inches hair extensions", + "gray human hair extensions 26 inches", + "gray hair extension 26 inches", + "gray human hair extension 26 inches", + "gray and 26 inches hair extension", + "gray hair extensions with 26 inches", + "gray human hair extensions", + "gray hair extension", + "gray hair extensions" + ], + "i want an 18 inch sunny human hair extensions tape.": [ + "18 inch sunny human hair extensions tape", + "18 inch sunny human hair extension tape", + "18 inch sunny human hair extensions tape.", + "18 inch sunny human hair extensions tape under $50", + "18 inch sunny human hair extensions tape under $60", + "18 inch sunny human hair extensions tape under $40", + "18 inch sunny human hair extensions tape under 50 dollars", + "18 inch sunny human hair extensions tape under $120", + "18 inch sunny human hair extensions tape under 30 dollars", + "18 inch human hair extensions tape" + ], + "get me some twenty four inch natural hair extensions. buy color number eight.": [ + "twenty four inch natural hair extensions", + "20 four inch natural hair extensions color", + "two twenty four inch natural hair extensions", + "natural hair extensions color number eight", + "Twenty four inch natural hair extensions color", + "20 four inch natural hair extensions", + "natural hair extensions color eight", + "faux four inch natural hair extensions", + "Twenty four inch natural hair extensions", + "20 four inch natural hair extension color" + ], + "i am interested in a large short sleeved shirt that is multicolored.": [ + "multicolored shirt", + "multicolored shirt under $40", + "multicolored short sleeved shirt", + "multicolored shirt under $50", + "large short sleeved shirt", + "multicolored shirt under $60", + "multicolored shirt under 50 dollars", + "multicolored long sleeved shirt", + "multicolored t-shirt", + "large multicolored shirt" + ], + "i am looking for 1 pound of nut free christmas candy.": [ + "1 pound of nut free christmas candy", + "one pound of nut free christmas candy", + "1 pound nut free christmas candy", + "2 pound of nut free christmas candy", + "3 pound of nut free christmas candy", + "stainless christmas candy 1 pound", + "cup of nut free christmas candy", + "pink christmas candy 1 pound", + "stainless christmas candy", + "curtains of christmas candy" + ], + "i am interested in rose gold eyebrow trimmers.": [ + "rose gold eyebrow trimmers", + "rose gold eyebrow trimmers.", + "rose gold eyebrow trimmers under $50", + "rose gold eyebrow trimmers under $40", + "rose gold eyebrow trimmers,", + "rose gold eyebrow trimmers under $60", + "rose gold eyebrow trimmers under 50 dollars", + "rose gold eyebrow trimmers under 30 dollars", + "rose gold eyebrow trimmers, under $40", + "rose gold eyebrow trimmers, under $50" + ], + "i need white womens high waist bell-bottomed pants in size x-large.": [ + "white womens high waist bell-bottomed pants in size x-large", + "white womens high waist bell-bottomed pants x-large", + "white womens high waist bell-bottomed pants x-large white", + "white womens high waist bell-bottomed pants size x-large", + "womens high waist bell-bottomed pants in size x-large", + "white womens high waist bell-bottomed pants x-large.", + "whomens high waist bell-bottomed pants in size x-large", + "white womens high waist bell-bottomed pants in x-large", + "white womens high waist bell-bottomed pants", + "white womens high waist bell-bottomed pants in size x-l" + ], + "i am interested in a lightweight hoodie that is red and x-large.": [ + "light weight hoodie red x-large", + "womens hoodie red x-large", + "black lightweight hoodie red x-large", + "lightweight hoodie red x-large", + "black lightweight hoodie that is red x-large", + "l lightweight hoodie red x-large", + " lightweight hoodie red x-large", + "lens red x-large lightweight hoodie", + "lens red x-large", + "black lightweight hoodie" + ], + "i am interested in a synthetic wig that is silver.": [ + "silver synthetic wig", + "silver synthetic wig that is silver", + "silver synthetic wig, synthetic wig", + "silver synthetic wig silver", + "silver synthetic wig under $40", + "silver synthetic wig under $50", + "silver synthetic wig under $60", + "synthetic wig silver", + "sneakers silver", + "silver synthetic wig," + ], + "i need a pair of shorts. make sure they're made out of quality materials and buy them in a size extra small.": [ + "sneakers extra small", + "twin shorts extra small", + "pair of shorts extra small", + "slimming shorts extra small", + "size extra small shorts", + "shorts extra small", + "extra small shorts", + "extra small shorts extra small", + "sneakers extra-small", + "shorts extra small extra small" + ], + "i need a pair of sandles with an ankle strap in size eight wide, please.": [ + "sneakers eight wide", + "sneakers size eight wide", + "two sandles with an ankle strap size eight wide", + "sandles with an ankle strap in size eight wide", + "pair of sandles with an ankle strap", + "sneakers with an ankle strap size eight wide", + "sandles with an ankle strap size eight wide", + "sneakers 8 wide", + "two sandles with an ankle strap", + "sneakers size 8 wide" + ], + "i would like some black tongue cleaners for my bad breath.": [ + "black tongue cleaners for bad breath", + "black tongue cleaners for bad breath.", + "black tongue cleaners", + "black tongue cleaners for my bad breath.", + "black tongue cleaners for my bad breath", + "black tongue cleaners bad breath", + "black tongue cleaners that are bad breath", + "black tongue cleaners for a bad breath", + "black tongue cleaners, bad breath", + "black tongue cleaners for breath" + ], + "i want some hand cream for dry and sensitive hands in a grapefruit scent.": [ + "hand cream for dry and sensitive hands with grapefruit scent", + "hand cream for dry and sensitive hands", + "hand cream for dry and sensitive hands, grapefruit scent", + "hand cream for dry and sensitive hands a grapefruit scent", + "hand cream for dry and sensitive hands grapefruit scent", + "hand cream for dry sensitive hands in a grapefruit scent", + "hand cream for dry sensitive hands with grapefruit scent", + "hand cream for dry and sensitive hands under $40", + "hand cream for dry sensitive hands", + "hand cream" + ], + "get me some twin-sized flat sheets in gray.": [ + "twin-sized flat sheets in gray", + "twin-size flat sheets in gray", + "twin-style flat sheets in gray", + "twin-bed flat sheets in gray", + "twin bed flat sheets in gray", + "twin- sized flat sheets in gray", + "twin-sized flat sheets", + "twin-sized flat sheets, gray", + "twin bed sheets in gray", + "twin-sized flat sheets gray" + ], + "looking for flexible curling rods in blue for natural and dry hair easy to use in size 9.45 x 0.55": [ + "flexible curling rods in blue natural and dry hair easy to use 9.45 x 0.55", + "flexible curling rods in blue natural and dry hair 9.45 x 0.55", + "flexible curling rods in blue for natural and dry hair 9.45 x 0.55", + "pink curling rods in blue natural and dry hair easy to use 9.45 x 0.55", + "fluoride curling rods in blue natural and dry hair 9.45 x 0.55", + "flexible curling rods in blue natural and dry hair", + "flexible curling rods 9.45 x 0.55", + "flexible curling rods in blue natural and dry hair easy to use", + "flexible curling rods in blue for natural and dry hair", + "flexible curling rods in blue natural and dry hair easy to use 9.45 x 0.5" + ], + "find me a clear ultra hd tempered glass screen protector for my samsung galaxy s22 ultra 5g. it has a 6.8\" screen, and i'll need a 3 pack.": [ + "samsung galaxy s22 ultra 5g screen protector", + "clear ultra hd tempered glass screen protector", + "4 pack samsung galaxy s22 ultra 5g screen protector", + "curtains samsung galaxy s22 ultra 5g screen protector", + "samsung galaxy s22 ultra 5g screen protector, clear ultra hd", + "5g samsung galaxy s22 ultra 5g screen protector", + "curtains samsung galaxy s22 ultra 5g", + "samsung galaxy s22 ultra 5g screen protector in a 3 pack", + "samsung galaxy s22 ultra 5g screen protector with a 3 pack", + "a clear ultra hd tempered glass screen protector" + ], + "i would like a medium sized dress with a elastic waist.": [ + "medium sized dress with a elastic waist", + "medium sized dress with elastic waist", + "medium size dress with a elastic waist", + "medium sized dress elastic waist", + "medium sized dress, elastic waist", + "medium sized dress that is elastic waist", + "large sized dress with a elastic waist", + "medium sized dress no elastic waist", + "medium sized dress", + "medium sized dress under $50" + ], + "i am looking for a certified refurbished laser printer.": [ + "certified refurbished laser printer", + "certified refurbished laser printer.", + "a certified refurbished laser printer.", + "a certified refurbished laser printer", + "certified refurbished laser printer under $40", + "certified refurbished laser printer under $50", + "certified refurbished laser printer under $60", + "certified refurbished laser printer under $120", + "certified refurbished laser printer under 30 dollars", + "certified refurbished laser printer under $130" + ], + "i'm looking for hyaluronic acid serum for face -1 fl oz (pack of 1)": [ + "hyaluronic acid serum for face -1 fl oz (pack of 1)", + " hyaluronic acid serum for face -1 fl oz (pack of 1)", + "hyaluronic acid serum for face -1 fl oz (pack of 1),", + "hyaluronic acid serum for face-1 fl oz (pack of 1)", + "syaluronic acid serum for face -1 fl oz (pack of 1)", + "hyaluronic acid serum -1 fl oz (pack of 1)", + "hyaluronic acid serum face -1 fl oz (pack of 1)", + "Hyaluronic acid serum for face -1 fl oz (pack of 1)", + "aluronic acid serum for face -1 fl oz (pack of 1)", + "hyaluronic acid serum for face -1 fl oz" + ], + "i want to get gluten free chicken and apple sausages that are organic.": [ + "gluten free chicken and apple sausages", + "organic chicken and apple sausages", + "organic chicken and apple sausages that are gluten free", + "freeze dried chicken and apple sausages", + "gluten free chicken and apple sausages no sugar", + "gluten-free chicken and apple sausages", + " gluten free chicken and apple sausages", + "gluten free chicken and apple sausages organic", + "gal gluten free chicken and apple sausages", + "moisturizing chicken and apple sausages" + ], + "i am looking for an easy to carry bluetooth speaker that is black.": [ + "easy to carry bluetooth speaker black", + "black bluetooth speaker", + "easy to carry bluetooth speaker", + "easy to carry bluetooth speaker in black", + "black bluetooth speaker easy to carry", + "easy to carry bluetooth speaker, black", + "white bluetooth speaker", + "easy-to-carry bluetooth speaker", + "5 ft bluetooth speaker", + "pocket speaker black" + ], + "i'd like to find a 1-pack of hdmi and dp cables that are three feet long. they need to have gold plating.": [ + "1-pack of hdmi and dp cables that are three feet long", + "1-pack of hdmi and dp cables", + "1-pack of hdmi and dp cables three feet long", + "1-pack of hdmi and dp cables with gold plating", + "1-pack of hdmi and dp cables that are three feet long, gold plating", + "1-pack of hdmi and dp cables that are three feet long.", + "3-pack of hdmi and dp cables that are three feet long", + "3-pack of hdmi and dp cables", + "1-pack hdmi and dp cables that are three feet long", + "hdmi and dp cables three feet long" + ], + "i am looking for a uni-directional displayport to hdmi cable for usb port which capable of 1080p hd quality. also choose 25 feet in length and 10-pack": [ + "uni-directional displayport to hdmi cable for usb port 25 feet in length and 10-pack", + "uni-directional displayport to hdmi cable for usb port", + "uni-directional displayport to hdmi cable for usb port which capable of 1080p hd quality", + "uni-directional displayport to hdmi cable", + "uni-directional displayport to hdmi cable with usb port 25 feet in length and 10-pack", + "uni-directional displayport to hdmi cable for usb port 25 ft in length and 10-pack", + "uni-directional displayport to hdmi", + "uni-directional displayport to hdmi cable for usb port 25 feet long and 10-pack", + "uni-directional displayport to hdmi cable for usb port 25 feet in length", + "uni-directional displayport to hdmi cable with usb port" + ], + "i need a display usb port for 1080p hd to hdmi. pick one that is 10ft": [ + "displayport for hdmi 10ft", + "display usb port for hdmi 10ft", + "10ft display usb port for hdmi", + "displayport 10ft hdmi", + "displayport for hdmi, 10ft", + "displayport for hdmi", + "displayport to hdmi 10ft", + "displayport hdmi 10ft", + "1080p hdmi display port 10ft", + "displayport 10ft hdmi 10ft" + ], + "i am looking for a ten foot gold plated displayport to hdmi cable.": [ + "gold plated displayport to hdmi cable", + "buffet displayport to hdmi cable", + "10 foot gold plated displayport to hdmi", + "10 foot gold plated displayport hdmi cable", + "ten foot gold plated displayport to hdmi", + "gold plated displayport to hdmi cable.", + "ten foot gold plated displayport hdmi cable", + "port to hdmi cable", + "10 foot gold plated displayport", + "yellow hdmi displayport" + ], + "i would like a venetian bronze doorbell only motion detector for my door.": [ + " venetian bronze doorbell only motion detector", + " venetian bronze doorbell no motion detector", + "vegan bronze doorbell only motion detector", + "Venetian bronze doorbell only motion detector", + "levetian bronze doorbell only motion detector", + "venetian bronze doorbell only motion detector", + "vinetian bronze doorbell only motion detector", + "vanetian bronze doorbell only motion detector", + "enetian bronze doorbell only motion detector", + " venetian bronze doorbell" + ], + "i am looking for chocolate gifts for valentine's day.": [ + "chocolate gifts valentines day", + "chocolate gifts for valentines day", + "chocolate gifts for valentines day.", + "chocolate gifts valentines day.", + "chocolate gift for valentines day", + "chocolate gift valentines day", + "pink chocolate gifts valentines day", + "pink chocolate gifts for valentines day", + "ocolate gifts for valentines day", + "ocolate gifts valentines day" + ], + "i would like some gnocchi that is easy to prepare.": [ + "gnocchi easy to prepare", + "gmochi easy to prepare", + "gmochi that is easy to prepare", + "easy to prepare gnocchi", + "easy-to-prep gnocchi", + "nigocchi easy to prepare", + "gnocchi that is easy to prepare", + "gnocchi easy to prepare", + "gnocchi", + "gnocchi easy to prepare." + ], + "i am looking for a gift basket that has pancakes, muffins, jam and syrup.": [ + "gift basket with pancakes, muffins, jam and syrup", + "gift basket for pancakes, muffins, jam and syrup", + "gift basket that has pancakes, muffins and syrup", + "gift basket, pancakes, muffins, jam and syrup", + "gift basket of pancakes, muffins, jam and syrup", + "gift basket pancakes, muffins, jam and syrup", + "gift basket with pancakes, muffins and syrup", + "gift basket for pancakes, muffins and syrup", + "gift basket under $50", + "gift basket" + ], + "i am looking for silver cake toppers for a baby shower.": [ + "silver cake toppers for a baby shower", + "silver cake toppers for a baby shower.", + "pink cake toppers for a baby shower", + "silver cake toppers for baby shower", + "silver cake toppers baby shower", + "silver baby shower cake toppers", + "plastic cake toppers for a baby shower", + "cupcake toppers for a baby shower", + "plastic silver cake toppers for baby shower", + "plastic silver baby shower cake toppers" + ], + "i need a red pair of skechers men's performance shoes with synthetic soles in size 9.5.": [ + "red pair of skechers mens performance shoes", + "sneakers mens performance shoes", + "red performance shoes with synthetic soles in size 9.5", + "red tennis performance shoes with synthetic soles size 9.5", + "sneakers mens performance shoes size 9.5", + "red skechers mens performance shoes", + "skechers mens performance shoes", + "red tennis performance shoes", + "red mens performance shoes", + "red performance shoes" + ], + "i want to find an xxl sized granite heather colored champion crew neck sweatshirt that is a poly cotton blend.": [ + "xxl sized granite heather colored champion crew neck sweatshirt", + " xxl sized granite heather colored champion crew neck sweatshirt", + "xxl sized granite heather colored champion crew neck sweatshirt with poly cotton blend", + " xxl sized granite heather colored champion crew neck sweatshirt with poly cotton blend", + "xxl sized granite heather colored champion crew neck sweatshirt, poly cotton blend", + "xxl size granite heather colored champion crew neck sweatshirt", + "xxl sized granite heather colored champion crew neck sweatshirt under $50", + "xxl sized granite heather colored champion crew neck sweatshirt under $40", + "xxl boxer sweatshirt that is a poly cotton blend", + "xxl sized granite heather colored crew neck sweatshirt" + ], + "i am interested in highly pigmented eyeshadow in the color sienna.": [ + "pink pigmented eyeshadow in the color sienna", + "highly pigmented eyeshadow in the color sienna", + "pigmented eyeshadow in the color sienna", + "high pigmented eyeshadow in the color sienna", + "daring pigmented eyeshadow in the color sienna", + "lip pigmented eyeshadow in the color sienna", + "pink eyeshadow in the color sienna", + "pink pigmented eyeshadow", + "highly pigmented eyeshadow in the color sienna.", + "pink pigmented eyeshadow under $40" + ], + "i'd like to see double sided box spring mattresses.": [ + "double sided box spring mattresses", + "double sided box spring mattresses.", + "single sided box spring mattresses", + "double sided box spring mattresses,", + "dual sided box spring mattresses", + "Double sided box spring mattresses", + "double sided box mattresses", + "double sided box spring mattress", + "double sided box mattress", + "double sided mattress" + ], + "i am looking for a truffle oil and mushroom pizza with artificial flavors.": [ + "truffle oil and mushroom pizza", + "truffle oil and mushroom pizza with artificial flavors", + "truffle oil and mushroom pizza", + "stuffle oil and mushroom pizza with artificial flavors", + "stuffle oil and mushroom pizza", + "truffle oil and mushroom pizza with artificial flavor", + "truffle oil and mushroom pizza no artificial flavor", + "truffle oil and mushroom pizza no artificial", + " truffle oil and mushroom pizza with artificial flavors", + "truffle oil mushroom pizza with artificial flavors" + ], + "i need a 10 foot high speed tnp hdmi cable left angle.": [ + "10 foot high speed tnp hdmi cable left angle", + "10 foot high speed tnp hdmi cable", + "tnp hdmi cable left angle", + "8 foot high speed tnp hdmi cable left angle", + "9 foot high speed tnp hdmi cable left angle", + "temporary high speed tnp hdmi cable left angle", + "tv tnp hdmi cable left angle", + "tnp hdmi cable", + "tv hdmi cable left angle", + "tv tnp hdmi cable" + ], + "i would like a remote control that has batteries included.": [ + "remote control with batteries", + "remote control that has batteries", + "remote control no batteries", + "remote control remote control", + "remote control", + "remote control system with batteries", + "remote control, with batteries", + "remote control remote with batteries", + "remote control for remote control", + "remote control remote" + ], + "i want to buy some hair extensions in color 613 bleach blonde in a two pack.": [ + "hair extensions color 613 bleach blonde in a two pack", + "hair extension color 613 bleach blonde in a two pack", + "613 bleach blonde hair extensions in a two pack", + "hair extensions color 613 bleach blonde two pack", + "hair extensions in color 613 bleach blonde two pack", + "hair extensions in color 613 bleach blonde", + "hair extension color 613 bleach blonde two pack", + "two pack bleach blonde hair extensions", + "hair extensions color 613 bleach blonde", + "brushed blonde hair extensions in color 613" + ], + "i need small boxer briefs that have an elastic waistband": [ + "small boxer briefs with an elastic waistband", + "small boxer briefs with elastic waistband", + "small boxer briefs elastic waistband", + "small boxer briefs with a waistband", + "small boxer briefs, elastic waistband", + "small boxer briefs that are elastic waistband", + "small boxer briefs", + "small boxer briefs no elastic waistband", + "small boxer briefs under $50", + "small boxer briefs with elastic waist" + ], + "i would like a faux leather light brown chair.": [ + "faux leather light brown chair", + "faux leather light brown chair.", + "faux leather light brown chair under $50", + "faux leather light brown chair under $40", + "faux leather light brown chair,", + "faux leather light brown chair under $60", + "faux leather light brown chair that is comfortable", + "faux leather light brown chair under 50 dollars", + " faux leather light brown chair", + "faux leather light brown chairs" + ], + "i need a set of non slip eyebrow epilator.": [ + "non slip eyebrow epilator", + "non slip eyebrow epilator.", + "non slip eyebrow epilator under $50", + "non slip eyebrow epilator under $40", + "non slip eyebrow epilator under $60", + "non slip eyebrow epilator below $40", + "non slip eyebrow epilator below $50", + "non slip eyebrow epilator under 50 dollars", + "set of non slip eyebrow epilator", + "non slip eyebrow epilator below $60" + ], + "i need a stainless steel black and large easuny watch band.": [ + "stainless steel black easuny watch band", + "stainless steel and large easuny watch band", + "stainless steel, large easuny watch band", + "stainless steel easuny watch band", + "stainless steel black large easuny watch band", + "stainless steel", + "stainless steel 9 foot easuny watch band", + "stainless steel watch band", + "stainless steel black and large easuny watch", + "stainless steel ouze watch band" + ], + "get me some gluten free tortilla chips with sea salt.": [ + "gluten free tortilla chips with sea salt", + "gluten free tortilla chips", + "gluten free tortilla chips with sea salt.", + "gluten free tortilla chips sea salt", + "gluten free tortilla chips with sea salt under $40", + "gluten free tortilla chips with sea salt under $60", + "gluten free tortilla chips with sea salt below $40", + "vegan tortilla chips with sea salt", + "gluten free tortilla chips with sea salt under $50", + "gluten free tortilla chips with sea salt below $60" + ], + "i would like 10 sweet and savory variety packs of gluten free potato sticks.": [ + "gluten free potato sticks", + "10 gluten free potato sticks", + "gluten free potato sticks 10", + "pomegranate sticks gluten free", + "gluten free potato sticks 10 oz", + "pomegranate sticks gluten free 10", + "gluten free potato sticks flavor pack", + "12 gluten free potato sticks", + "gluten free potato sticks flavor", + "gluten free potato sticks, 10 oz" + ], + "i am interested in closed toe muels that are blue and size 10 narrow.": [ + "blue closed toe muels size 10 narrow", + "blue closed toe muels in a size 10 narrow", + "blue closed toe muels", + "blue closed toe muels, size 10 narrow", + "blue and size 10 narrow closed toe muels", + "blue closed toe muels in size 10 narrow", + "blue and 10 narrow closed toe muels", + "blue closed toe muels size 10", + "open toe muels blue size 10 narrow", + "blue closed toe muels with a size 10 narrow" + ], + "i need women's olive leather moccasins in size 9.5 wide.": [ + "womens olive leather moccasins in size 9.5 wide", + "womens olive leather moccasins size 9.5 wide", + "womens olive leather moccasins 9.5 wide", + "womens olive leather moccasins in size 9.5", + "mens olive leather moccasins in size 9.5 wide", + "womens olive leather moccasins in a 9.5 wide", + "mens olive leather moccasins in size 9.5 wide", + "womens olive leather moccasins size 9.5 wide.", + "womens olive leather moccasins, size 9.5 wide", + "womens olive leather moccasins" + ], + "i am looking for a high power monocular with phone holder.": [ + "monocular with phone holder", + "high power monocular with phone holder", + "low power monocular with phone holder", + "high power monocular with phone holder.", + "monocular with phone holder high power", + "monocular with phone holder under $40", + "monocular with phone holder, high power", + "monocular with phone holder.", + "monocular with phone holder under $60", + "monocular phone holder" + ], + "i am looking for organic snacks with real fruit.": [ + "organic snacks with real fruit", + "organic snacks", + "organic snacks that are real fruit", + "organic snacks made from real fruit", + "organic snacks with real fruit.", + "organic snacks real fruit", + "organic snacks no sugar", + "organic snacks, real fruit", + "natural snacks with real fruit", + "organic snacks natural fruit" + ], + "i want to find a spinning facial brush that is water resistant and comes with a storage case. make sure it's the mint green one from touchbeauty.": [ + "facial brush that is water resistant", + "mens green facial brush that is water resistant", + "mens green facial brush", + "moisturizing facial brush mint green", + "womens facial brush that is water resistant", + "moisturizing facial brush", + "mint green facial brush", + "mint green facial brush that is water resistant", + "womens green facial brush", + "dust green facial brush" + ], + "get some barbecue vegetable chips. make sure they're nut-free.": [ + "barbecue vegetable chips nut-free", + " barbecue vegetable chips nut-free", + "barbecue vegetable chips nut free", + "bbq vegetable chips nut-free", + " barbecue vegetable chips nut free", + "becue vegetable chips nut-free", + "bbq vegetable chips nut free", + "barbecue vegetable chips nutfree", + " barbecue vegetable chips that are nut free", + "barbecue vegetable chips" + ], + "i am interested in a tempered glass iphone case that is blue": [ + "tempered glass iphone case that is blue", + "tempered glass iphone case", + "tempered glass iphone case, blue", + "tempered glass iphone case in blue", + " tempered glass iphone case that is blue", + "tempered glass iphone case with blue", + "tempered glassiphone case that is blue", + "tempered glass iphone case with a blue", + "tempered glass iphone case under $50", + "tempered glass iphone case under $40" + ], + "i need a pair of shoes with rubber soles. remember to get size seven and a half women's.": [ + "shoes size 7 and a half womens", + "sneakers size 7 and a half womens", + "shoes with rubber soles size 7.5 womens", + "shoes with rubber soles size 7 womens", + "shoes size seven and a half womens", + "shoes with rubber soles", + "shoes with rubber soles size 7, half womens", + "shoes, rubber soles, size 7, womens", + "shoes with rubber soles size 7", + "shoes" + ], + "i am looking for cake toppers for a birthday party.": [ + "cake toppers for a baby shower", + "birthday cake toppers for a baby shower", + "cake toppers for a birthday party", + "cake toppers for a birthday party.", + "birthday cake toppers", + "cake toppers for a baby shower.", + "birthday cake toppers for a birthday party", + "cake toppers for a baby shower", + "baby shower cake toppers for a baby shower", + "pink cake toppers for a baby shower" + ], + "i am looking for a phone case for iphone 13 of sunflower america flag color that is easy to install.": [ + "iphone 13 phone case in sunflower america flag color", + "phone case for iphone 13 of sunflower america flag color", + "iphone 13 phone case with sunflower america flag color", + "iphone 13 of sunflower america flag color", + "phone case for iphone 13 of sunflower america flag color", + "iphone 13 of sunflower america flag color that is easy to install", + "iphone 13 in sunflower america flag color", + "iphone 13 phone case in sunflower america flag color easy to install", + "iphone 13 with sunflower america flag color", + "iphone 13 in sunflower america flag color that is easy to install" + ], + "i'm looking for a gameboy should to be easy to instal and to use for an iphone11 pro": [ + "gameboy easy to instal and to use for an iphone11 pro", + "gameboy, easy to instal and to use for an iphone11 pro", + "gameboy easy to instal and to use for an iphone 11 pro", + "gameboy, easy to instal and to use for an iphone 11 pro", + "gameboy easy to instal and to use iphone11 pro", + "easy to instal iphone11 pro gameboy", + "gameboy that is easy to instal and to use", + "gameboy with an iphone11 pro", + "gameboy iphone11 pro", + "gameboy iphone 11 pro" + ], + "i want a dust proof case for my iphone 11. it should be black and easy to install.": [ + "dust proof case for iphone 11", + "dust proof case for my iphone 11", + "dust proof case for iphone 11 black", + "dust proof case iphone 11", + "dust proof iphone 11 case", + "dust proof case iphone 11 black", + "iphone 11 dust proof case", + "dust proof case for iiphone 11", + "dust proof iphone 11", + "iphone 11 dust proof case black" + ], + "i am interested in a loose fit t-shirt that is blue and 4x large.": [ + "blue and 4x large t-shirt", + "blue t-shirt 4x large", + "blue loose fit t-shirt 4x large", + "blue 4x large t-shirt", + "blue 4xl t-shirt", + "blue loose fit t-shirt", + "blue, 4x large t-shirt", + "blue and 4xl t-shirt", + "blue, 4xl t-shirt", + "blue shirt 4x large" + ], + "i want a hair loss and thinning hair product for a hair treatment, water based": [ + "hair loss and thinning hair product for a hair treatment, water based", + "hair loss and thinning hair product", + "hair loss and thinning hair product for a hair treatment", + "hair loss and thinning hair product for a hair treatment water based", + "hair loss and thinning hair product for a hair treatment, water based", + "honey loss and thinning hair product for a hair treatment, water based", + "a hair loss and thinning hair product for a hair treatment, water based", + "shoes loss and thinning hair product for a hair treatment, water based", + "human hair loss and thinning hair product for a hair treatment, water based", + "hair loss and thinning hair product for a hair treatment water based" + ], + "i want a eco friendly xiao jian swivel computer chair.": [ + "eco friendly xiao jian swivel computer chair", + "eco friendly xiao jian swivel computer chair.", + "eco friendly xiao jian swivel computer chair,", + "eco friendly xiao jian swivel computer chair eco friendly", + "eco friendly xiao jian swivel computer chair under $60", + "eco friendly xiao jian swivel computer chair under $40", + "eco friendly xiao jian swivel computer chair under $50", + "eco friendly xiao jian swivel computer chair under $120", + " eco friendly xiao jian swivel computer chair", + "xiao jian swivel computer chair" + ], + "i would like a red cupcake topper for a baby shower.": [ + "red baby shower cupcake topper", + "cupcake topper for a baby shower", + "red cupcake topper baby shower", + "red cupcake topper for baby shower", + "red baby shower cupcake toppers", + "red baby shower cupcake topper red", + "cupcake topper for baby shower", + "red baby shower cupcake topper.", + "cupcake topper baby shower", + "red baby shower topper" + ], + "i want a queen size upholstered platform bed.": [ + "queen size upholstered platform bed", + "queen size upholstered platform bed.", + "king size upholstered platform bed", + "queen size upholstered platform bed,", + "king size upholstered platform bed.", + " queen size upholstered platform bed", + "comfortable queen size upholstered platform bed", + "queen sized upholstered platform bed", + " queen size upholstered platform bed.", + "queen size upholstered bed" + ], + "find counter height table set with socket space saving for dining room in brawn/beige colors": [ + "counter height table set with socket space saving for dining room in brawn/beige colors", + "tablet set with socket space saving for dining room in brawn/beige colors", + "floor height table set with socket space saving for dining room in brawn/beige colors", + "tablet table set with socket space saving for dining room in brawn/beige colors", + "clockwise table set with socket space saving for dining room in brawn/beige colors", + "counter height table set with socket space saving dining room in brawn/beige colors", + "counter height table set brawn/beige colors", + "counter height table set with socket space saving for dining room in brawn/beige", + "tablet height table set with socket space saving for dining room in brawn/beige", + "counter height table set with socket space saving for dining room in brawn/beige color" + ], + "i need a 1 fl oz bottle of organic neem oil for hair growth.": [ + "1 fl oz bottle of organic neem oil for hair growth", + "one fl oz bottle of organic neem oil for hair growth", + "1 fl oz bottle of organic neem oil", + "1 fl oz bottle of organic neem oil hair growth", + "1fl oz bottle of organic neem oil for hair growth", + "2 fl oz bottle of organic neem oil for hair growth", + " 1 fl oz bottle of organic neem oil for hair growth", + "organic neem oil for hair growth", + "organic neem oil for hair growth 1 fl oz", + "one fl oz bottle of organic neem oil" + ], + "i am interested in a plug and play hdmi to vga adapter.": [ + "plug and play hdmi to vga adapter", + "plug and play hdmi to vga plug and play", + "hdmi to vga plug and play", + " plug and play hdmi to vga adapter", + "plug and play hdmi to vga adapter.", + "home theater plug and play hdmi to vga adapter", + "tvga plug and play hdmi to vga adapter", + "Plug and play hdmi to vga adapter", + "pink and play hdmi to vga adapter", + "hdmi to vga plug and play adapter" + ], + "i am interested in cake topper party supplies.": [ + "cake topper party supplies", + "cake topper party supplies.", + "cake topper party supplies under $50", + "cake topper party supplies under $40", + "cake topper party supplies under 50 dollars", + "cake topper party supplies under $60", + "cake topper party supplies under 40 dollars", + "cake topper party supplies under 30 dollars", + "cake topper party supplies under 60 dollars", + "birthday cake topper party supplies" + ], + "looking for grand court adidas for everyday wear size 9 in white": [ + "grand court adidas for everyday wear size 9 in white", + "granate adidas for everyday wear size 9 in white", + "stainless white grand court adidas", + "grand court adidas size 9 in white", + "grand court adidas for everyday wear size 9", + "stainless white grand court adidas for everyday wear", + "giant court adidas for everyday wear size 9", + "stretch 9 in white grand court adidas", + "garden court adidas for everyday wear size 9", + "grand court adidas for everyday wear" + ], + "i'm looking for a red carbon fiber decal for my xbox.": [ + "red carbon fiber decal xbox", + "red carbon fiber decal for my xbox.", + "red carbon fiber decal for my xbox", + "red carbon fiber decal for xbox", + "red carbon fiber decal xbox.", + "red carbon fiber decal for xbox.", + "red carbon fiber decal", + "red carbon fiber decal for my xbox,", + "red carbon fiber decal for a xbox.", + "red carbon fiber decal xbox under $40" + ], + "i am looking for a red carbon fiber faceplates, protectors & skins with high resolution.": [ + "red carbon fiber faceplates protectors & skins", + "red carbon fiber faceplates, protectors & skins", + "red carbon fiber faceplates protectors & skins with high resolution", + "red carbon fiber faceplates protectors & skins high resolution", + "red carbon fiber faceplates, protectors & skins high resolution", + "red carbon fiber faceplates with protectors & skins", + "red carbon fiber faceplates protectors & skins, high resolution", + "red carbon fiber faceplates protectors and skins", + "red carbon fiber faceplates protectors & skins under $40", + "red carbon fiber faceplates protector & skins" + ], + "i am looking for an xbox compatible vinyl skin that has a black carbon fiber design.": [ + "xbox compatible vinyl skin with a black carbon fiber", + "xbox compatible vinyl skin with black carbon fiber", + "xxl vinyl skin with a black carbon fiber design", + "xxl vinyl skin with a black carbon fiber", + "xxl vinyl skin with black carbon fiber", + "xxl vinyl skin that has a black carbon fiber", + " xbox compatible vinyl skin with a black carbon fiber", + "xxl vinyl skin black carbon fiber", + "xbox compatible vinyl skin", + "xxl vinyl skin black" + ], + "that video game is really high resolution, so room background color is silver.": [ + "tv game silver", + "room background color is silver", + "living room background color", + "high resolution video game silver", + "living room background color silver", + "room background color", + "high resolution video game", + "high resolution room background color", + "white high resolution video game", + "room background color silver" + ], + "i want to find a pink orthodontic retainer storage case that's easy to carry.": [ + "pink orthodontic retainer storage case", + "pink orthodontic retainer storage case easy to carry", + "pink orthodontic retainer storage case, easy to carry", + "pink orthodontic retainer storage case thats easy to carry", + "pink orthodontic retainer storage case easy to carry", + "pink orthodontic retainer storage case easy to carry.", + "pink orthodontic retainer storage case under $40", + "pink orthodontic retainer storage case under $50", + "pink orthodontic retainer storage case under $60", + " pink orthodontic retainer storage case" + ], + "i want to find a 12-pack of 4.2 ounce low-carb lentil-flavored rice cakes.": [ + "12-pack low-carb lentil-flavored rice cakes", + "low-carb lentil-flavored rice cakes 12 pack", + "low-carb lentil-flavored rice cakes", + "low-carb lentil-flavored rice cakes 12 oz", + "4.2 ounce low-carb lentil-flavored rice cakes", + "12-pack of lentil-flavored rice cakes", + "low-carb lentil-flavored rice cakes 12-pack", + "12 oz low-carb lentil-flavored rice cakes", + "12-pack low-carb lentil-flavored rice cakes under $40", + "12-pack low-carb lentil-flavored rice cakes under 40 dollars" + ], + "i need to buy some rice cakes that are sugar free, fat free, low calorie, and low carb. they should contain whole wheat. get the pack of twelve.": [ + "sugar free, fat free, low carb rice cakes pack of twelve", + "sugar free, fat free, low calorie, low carb rice cakes pack of twelve", + "sugar free, fat free, low carb, and low carb rice cakes pack of twelve", + "sugar free, fat free, low carb and low carb rice cakes pack of twelve", + "sugar free, fat free, low carb rice cakes", + "rainbow rice cakes sugar free, fat free, low carb, pack of twelve", + "rainbow rice cakes that are sugar free, fat free, low carb, and low carb", + "sugar free, fat free, low calorie, low carb rice cakes pack of twelve pack", + "sugar free, fat free and low carb rice cakes pack of twelve", + "sugar free, fat free, low carb rice cakes pack of twelve pack" + ], + "i am looking for a living room curtain that is machine washable and multi color": [ + "living room curtain", + "living room curtain that is machine washable", + "living room curtain machine washable multi color", + "living room curtain with multi color", + "living room curtain multi color", + "living room curtain, machine washable", + "living room curtain in multi color", + "living room curtain with machine washable", + "living room curtain under $40", + "living room curtain under $50" + ], + "i am looking for a white color hdmi cable having high speed.": [ + "white hdmi cable with high speed", + "white hdmi cable high speed", + "white hdmi cable", + "white hdmi cable having high speed", + "white hdmi cable, high speed", + "white color hdmi cable", + "white hdmi cable no high speed", + "white color hdmi cable high speed", + "white high speed hdmi cable", + "white hdmi cable under $40" + ], + "i'd like to buy a small hair cutting kit.": [ + "small hair cutting kit", + "small hair cutting kit.", + "small hair cutting kit under $50", + "small hair cutting kit under $40", + "small hair cutting kit under $60", + "small hair cutting kit under 50 dollars", + "small hair cutting kit under 40 dollars", + "small hair cutting kit under 30 dollars", + "small hair cutting kit that is small", + "small hair cutting kit under $120" + ], + "can you help me find the replacement power cord made by afkt for my yamaha bd-s681 blue ray player?": [ + "electric power cord made by afkt for yamaha bd-s681 blue ray player", + "power cord made by afkt for yamaha bd-s681 blue ray player", + "electricity cord made by afkt for yamaha bd-s681 blue ray player", + "alarm cord made by afkt for yamaha bd-s681 blue ray player", + "phone cord made by afkt for yamaha bd-s681 blue ray player", + "electric cord made by afkt for yamaha bd-s681 blue ray player", + "power cord made by afkt for yamaha bd-s681 blue ray player,", + "electric power cord made by afkt", + "alarm power cord made by afkt", + "electricity cord made by afkt" + ], + "i need a five by three foot background for digitial photography. make sure it's light weight and easy to carry.": [ + "5 by 3 foot background for digitial photography", + "5 by three foot background for digitial photography", + "5 x 3 foot background for digitial photography", + "five by three foot background for digitial photography", + "a five by three foot background for digitial photography", + "5x3 background for digitial photography", + "three foot background for digitial photography", + "5 by 3 foot background for digitial photography.", + "5 foot background for digitial photography", + "5 by 3 foot background" + ], + "i am looking for a individual wrapped birthday cakes and chocolate chip blondies that come in a 12 pack.": [ + "individual wrapped birthday cakes and chocolate chip blondies", + "individual wrapped birthday cakes chocolate chip blondies 12 pack", + "12 pack chocolate chip blondies", + "12 pack of chocolate chip blondies", + "almond wrapped birthday cakes and chocolate chip blondies", + "manual wrapped birthday cakes and chocolate chip blondies", + "12 pack chocolate chip blondies under $50", + "individual wrapped birthday cakes chocolate chip blondies", + "8 chocolate chip blondies", + "6 chocolate chip blondies" + ], + "get me some sandals with an ankle strap. buy them in size seven and a half, please.": [ + "sneakers size 7 and a half", + "sandals with an ankle strap size 7 and a half", + "sneakers with an ankle strap size 7", + "sneakers with an ankle strap size 7.5", + "sneakers size seven and a half", + "sneakers with an ankle strap", + "sandals with an ankle strap size 7", + "sandals with an ankle strap size 7.5", + "sneakers with ankle strap size 7", + "sandals with an ankle strap" + ], + "help me find the alcohol free listerine tartar control mouthwash.": [ + "listerine tartar control mouthwash", + "alarm control mouthwash", + "alcohol free tartar control mouthwash", + "alarm control mouthwash alcohol free", + "alarm control mouthwash under $40", + "alarm control mouthwash, alcohol free", + "alarm control mouthwash under $50", + "alarm control mouthwash under $60", + "listerine tartar control mouthwash.", + "alcohol free lipwash" + ], + "i need a long lasting 7 oz rosemary candle.": [ + "long lasting 7 oz rosemary candle", + "rosemary candle long lasting", + "rosemary candle long lasting 7 oz", + "rosemary candle", + "rosemary candle that is long lasting", + "rosymary candle long lasting", + "6 oz rosemary candle", + "8 oz rosemary candle", + "rosemary candle, long lasting", + "roastedmary candle long lasting" + ], + "i am interested in a high quality shower cap": [ + "shower cap high quality", + "high quality shower cap", + "shower cap", + "shoes cap high quality", + "shower cap, high quality", + "bathroom cap high quality", + "tempered shower cap high quality", + "tempered shower cap", + "low quality shower cap", + "shoes cap" + ], + "i want a 89\" stone & beam dark grey leather sofa with a wood frame.": [ + "90 stone & beam dark grey leather sofa with a wood frame", + "89 stone & beam dark grey leather sofa with a wood frame", + "90 stone & beam dark grey leather sofa", + "89 stone & beam dark grey leather sofa", + " 89 stone & beam dark grey leather sofa with a wood frame", + "90 stone and beam dark grey leather sofa with a wood frame", + "89 stone and beam dark grey leather sofa with a wood frame", + "88 stone & beam dark grey leather sofa with a wood frame", + "black stone & beam dark grey leather sofa with a wood frame", + "90 stone & beam dark grey leather sofa with wood frame" + ], + "i am looking for 1 pack of 8 fl oz style balm for hair with natural ingredients.": [ + "1 pack of 8 fl oz style balm for hair", + "8 fl oz style balm for hair with natural ingredients", + "1 pack of 8 fl oz style balm", + "8 fl oz style balm for hair", + "8 oz style balm for hair with natural ingredients", + "8 pack of 8 fl oz style balm for hair", + "1 pack of 8fl oz style balm for hair", + "8fl oz style balm for hair with natural ingredients", + "8 fl oz style balm", + "8oz style balm for hair with natural ingredients" + ], + "i need a high speed, high performance fifteen foot hdmi cable. make sure it's gold plated, and buy it in blue.": [ + "high speed high performance fifteen foot hdmi cable", + "teen foot hdmi cable gold plated", + "compact fifteen foot hdmi cable in blue", + "15 foot hdmi cable", + "15 foot hdmi cable gold plated", + "high speed hdmi cable in blue", + "compact fifteen foot hdmi cable", + "teen foot hdmi cable", + "high speed hdmi cable", + "15 foot hdmi cable in blue" + ], + "i need a highspeed hdmi cable that is purple": [ + "highspeed hdmi cable that is purple", + "highspeed hdmi cable", + "highspeed hdmi cable purple", + "highspeed hdmi cable in purple", + "pink hdmi cable that is purple", + "highspeed hdmi cable, purple", + "high speed hdmi cable that is purple", + "highspeed hdmi cable color purple", + "pink hdmi cable", + "highspeed hdmi cable with purple" + ], + "i am looking for high quality travel size glass spray bottles": [ + "high quality travel size glass spray bottles", + "low quality travel size glass spray bottles", + "temporary travel size glass spray bottles", + "large quality travel size glass spray bottles", + "vacation size glass spray bottles", + "travel size glass spray bottles", + "5 ft travel size glass spray bottles", + "vacuum spray bottles", + "vanity spray bottles", + "vanity spray bottles high quality" + ], + "i want to get a pack of 10 different food flavors that are dairy and sugar free.": [ + "pack of 10 different food flavors dairy and sugar free", + "pack of 10 dairy and sugar free food flavors", + "10 different food flavors that are dairy and sugar free", + "10 different food flavors dairy and sugar free", + "pack of 10 different food flavors that are dairy free", + "pack of 10 different food flavors", + "pack of 10 dairy and sugar free foods", + "pack of 10 dairy free food flavors", + "pack of 10 dairy and sugar free food flavor", + "pack of 10 dairy and sugar free" + ], + "i'm looking for a men's velvet coat with a button closure in purple.": [ + "mens velvet coat with button closure in purple", + "mens velvet coat with a button closure in purple", + "mens velvet coat button closure in purple", + "mens velvet coat button closure", + "mens velvet coat with button closure", + "mens velvet coat with a button closure", + "mens velvet coat button closure in purple mens", + "mens velvet coat with button closure in purple", + "mens velvet coat, button closure in purple", + "mens velvet coat button closure in purple" + ], + "i want to buy a casual performance fleece jacket in black.": [ + "casual performance fleece jacket in black", + "curtains fleece jacket in black", + "clothing performance fleece jacket in black", + "compact performance fleece jacket in black", + "clothing fleece jacket in black", + "comfortable performance fleece jacket in black", + "professional performance fleece jacket in black", + "style fleece jacket in black", + "casual performance fleece jacket, black", + "faux jacket in black" + ], + "i want a pair of black men's work shoes that are slip resistant. they must come in a size 9.5 and be extra wide.": [ + "black mens work shoes that are slip resistant", + "black mens work shoes size 9.5 extra wide", + "black mens work shoes 9.5 extra wide", + "black mens work shoes that are slip resistant 9.5", + "black mens work shoes that are slip resistant, extra wide", + "black mens work shoes, extra wide, 9.5", + "black mens work shoes", + "black mens work shoes, extra wide", + "black mens work shoes, slip resistant, extra wide", + "black mens work shoes with slip resistant" + ], + "i am interested in curtains that are eco friendly with geometric patterns and is size 42w by 63 h.": [ + "eco friendly curtains 42w by 63 h", + "eco friendly curtains size 42w by 63 h", + "eco friendly yellow curtains 42w by 63 h", + "eco friendly curtains, 42w by 63 h", + "eco friendly with geometric patterns", + "curtains 42w by 63 h", + "eco friendly curtains 42w by 63 h.", + "42w by 63 h curtains", + "42w by 63 h curtains eco friendly", + "40w by 63 h curtains" + ], + "i am interested in grass fed protein bars that are vanilla shortbread flavor.": [ + " grass fed protein bars vanilla shortbread flavor", + "grass fed protein bars vanilla shortbread flavor", + " grass fed protein bar vanilla shortbread flavor", + "grass fed protein bar vanilla shortbread flavor", + "vegan protein bar vanilla shortbread flavor", + "protein bar vanilla shortbread flavor", + "chocolate shortbread protein bar", + " grass fed protein bars vanilla shortbread flavor.", + "grass fed protein bars vanilla shortbread flavor.", + " grass fed protein bar vanilla shortbread flavor." + ], + "i am looking for a pack of 2 hemp seed oil deep conditioner treatments.": [ + "pack of 2 hemp seed oil deep conditioner treatments", + "2 hemp seed oil deep conditioner treatments", + "bag of 2 hemp seed oil deep conditioner treatments", + "pack of 2 hemp seed oil deep conditioner", + "two hemp seed oil deep conditioner treatments", + "pomegranate seed oil deep conditioner treatments", + "pack of 2 hemp seed oil deep conditioner treatment", + "2 hemp seed oil deep conditioner", + "4 pack hemp seed oil deep conditioner treatments", + "hemp seed oil deep conditioner treatments" + ], + "i want hask hemp seed oil deep conditioner treatments for all hair types, it should be sulfate free and have a tea tree scent.": [ + "h hemp seed oil deep conditioner treatments for all hair types with a tea tree scent", + "hemp seed oil deep conditioner treatments for all hair types with a tea tree scent", + "ank hemp seed oil deep conditioner treatments for all hair types with a tea tree scent", + "hemp seed oil deep conditioner treatments for all hair types with tea tree scent", + "h hemp seed oil deep conditioner treatments for all hair types with tea tree scent", + "hemp seed oil deep conditioner treatments for all hair types", + "h hemp seed oil deep conditioner treatments for all hair types", + "ank hemp seed oil deep conditioner treatments for all hair types", + "h hemp seed oil deep conditioner treatments for all hair types with a tea tree scent.", + "hemp seed oil deep conditioner treatments for all hair types with a tea tree scent." + ], + "i would like some stainless steel sheers to cut my hair.": [ + "stainless steel hair sheers", + "stainless steel sheers for hair", + "stainless steel hair cutting sheers", + "stainless steel hair styling sheers", + "stainless steel beauty sheers", + "stainless steel hair cut", + "stainless steel sheers", + "stainless steel heers for hair", + "stainless steel hair salon sheers", + "stainless steel" + ], + "i am interested in grass fed jerky that is chili lime.": [ + "grass fed jerky that is chili lime", + " grass fed jerky that is chili lime", + "grass fed jerky chili lime", + "chili lime jerky", + " grass fed jerky chili lime", + "synthetic jerky chili lime", + " grass fed jerky chili lime flavor", + "grass fed jerky chili lime flavor", + "grass fed jerky with chili lime", + "chili lime jerky grass fed" + ], + "i am looking for a light weight background of size 9x16 ft.": [ + "light weight background 9x16 ft", + "light weight background 9x16 ft.", + "9x16 ft light weight background", + "heavy weight background 9x16 ft", + "9x16 ft background", + "8x16 ft light weight background", + "10x16 ft light weight background", + "background 9x16 ft", + "background 9x16 ft light weight", + "background 9x16 ft light weight background" + ], + "i need laser ipl hair removal.": [ + "i need laser ipl hair removal.", + "laser ipl hair removal", + "toothpaste laser ipl hair removal", + "lipid ipl hair removal", + "lal ipl hair removal", + "laser ipl hair removal.", + "glaser ipl hair removal", + "alarm hair removal laser ipl", + "alarm hair removal", + " laser ipl hair removal" + ], + "i want to buy that window film for the dining room. make sure to get the one that's 59 inches in length.": [ + "window film dining room 59 inches", + "window film for dining room 59 inches", + "window film dining room 59 inches long", + "window film, 59 inches", + "window film for dining room", + "window film for the dining room", + "window film", + "window film 59 inches", + "window film dining room", + "window" + ], + "can you find some carol wright men's lounge pants in a 5xl? i want the ones with a draw string closure that are charcoal colored.": [ + "carol wright mens lounge pants charcoal colored", + "carol wright mens lounge pants that are charcoal colored", + "carol wright mens lounge pants, charcoal colored", + "carol wright mens lounge pants with draw string closure", + "carol wright mens lounge pants", + "carol wright mens lounge pants with drawstring closure", + "carol wright mens lounge pants color charcoal colored", + "carol wright mens lounge pants colored charcoal", + "carol wright mens lounge pants are charcoal colored", + "carol wright mens lounge pants colored" + ], + "i would like a 26 inch black brown natural hairpiece.": [ + "26 inch black natural hairpiece", + "26 inch black brown natural hairpiece", + "27 inch black natural hairpiece", + "28 inch black natural hairpiece", + "hairpiece 26 inches black", + " 26 inch black natural hairpiece", + "25 inch black natural hairpiece", + "26 inch black natural hairpiece.", + "hairpiece 26 inch black", + "28 black natural hairpiece" + ], + "i want to find eco-friendly candles made out of soy wax in the ms. coco color.": [ + "eco-friendly candles made out of soy wax", + "eco-friendly candles made from soy wax in the ms. coco color", + "eco-friendly candles made out of soy wax mens. coco color", + "eco-friendly candles made out of soy wax in ms. coco color", + "eco-friendly candles made out of soy wax, ms. coco color", + "eco-friendly candles made out of soy wax in the ms. coco", + "eco-friendly candles made out of soy wax ms. coco color", + "eco-friendly candles made from soy wax", + "eco-friendly candles with soy wax", + "eco friendly candles made out of soy wax" + ], + "i would like a 24\" x 24\" blackish green pillow throw cover for my living room.": [ + "24 x 24 blackish green pillow throw cover for my living room", + "24 x 24 blackish green pillow throw cover", + "24 x 24 blackish green pillow throw cover for living room", + "24 x 24 blackish green pillow throw cover for the living room", + "24 x 24 blackish green pillow throw cover for a living room", + "24 x 24 blackish green pillow throw cover for living room.", + "24 x 24 blackish green pillow throw cover in my living room", + "24 x 24 blackish green pillow throw cover living room", + "23 x 24 blackish green pillow throw cover for my living room", + "24 x 24 blackish green pillow throw cover, living room" + ], + "i want to find gray throw pillow covers for my living room that are 18 inches by 18 inches.": [ + "gray throw pillow covers for my living room 18 inches by 18 inches", + "gray throw pillow covers for living room 18 inches by 18 inches", + "gray throw pillow covers 18 inches by 18 inches", + "gray throw pillow covers for the living room 18 inches by 18 inches", + "gray throw pillow cover for my living room 18 inches by 18 inches", + "gray throw pillow covers for my living room", + "gray throw pillow covers living room 18 inches by 18 inches", + "gray throw pillow covers for my living room 18 inches x 18 inches", + "gray throw pillow covers for living room", + "gray throw pillow covers" + ], + "i'm looking for a pair of size sixteen nylon spandex pants.": [ + "pair of size sixteen nylon spandex pants", + "size sixteen nylon spandex pants", + "pair of size 16 nylon spandex pants", + "teen nylon spandex pants size 16", + "size 16 nylon spandex pants", + "nylon spandex pants size 16", + "nylon spandex pants size sixteen", + "size sixteen nylon spandex pants.", + "navy spandex pants size sixteen", + "teen nylon spandex pants" + ], + "buy me some antiperspirant. make sure it's clinically proven.": [ + "antiperspirant clinically proven", + "antiiperspirant clinically proven", + "antiperspirant, clinically proven", + "antiperspirant clinically proven.", + "antiperspirant", + "antiperspirant. clinically proven", + "antiiperspirant, clinically proven", + " antiperspirant clinically proven", + "antiperspirant no clinically proven", + "antiiperspirant" + ], + "i am interested in a bullet camera that has motion detection.": [ + "shooting camera with motion detection", + "shooting camera that has motion detection", + "a bullet camera with motion detection", + "large body camera with motion detection", + "bullet camera with motion detection", + "large motion detection bullet camera", + "shooting camera motion detection", + "proof camera with motion detection", + "pocket camera with motion detection", + "shooting camera with motion detection." + ], + "i am interested in a bookcase that has a steel frame.": [ + "a bookcase that has a steel frame", + "bookcase that has a steel frame", + "teeth bookcase with steel frame", + "bookcase with a steel frame", + "a bookcase with a steel frame", + "teeth bookcase with a steel frame", + "teeth bookcase steel frame", + "bookcase steel frame", + "bookcase with steel frame", + "bookcase that has a steel frame." + ], + "i'm looking for a pair of blue noise cancelling headphones with stereo sound.": [ + "blue noise cancelling headphones with stereo sound", + "blue noise cancelling headphones", + "pair of blue noise cancelling headphones", + "two blue noise cancelling headphones with stereo sound", + "blue noise cancelling headphones with stereo sound.", + "blue noise cancelling headphones, stereo sound", + "blue noise cancelling headphones with stereo sound,", + "pink noise cancelling headphones with stereo sound", + "blue noise cancelling headphones, with stereo sound", + "two blue noise cancelling headphones" + ], + "i need white chocolate andy anand malt balls with natural ingredients.": [ + "white chocolate andy malt balls with natural ingredients", + "white chocolate andy malt balls", + "white chocolate andy malt balls natural", + "white chocolate andy malt balls natural no sugar", + "white chocolate andy malt balls natural ingredients", + "white chocolate andy malt balls no natural", + "white chocolate andy malt balls that are natural", + "white chocolate andy anand malt balls", + "wholesale chocolate andy malt balls", + "white chocolate malt balls natural" + ], + "i want to buy a navy blue ottomon for the living room. get the one with tufted buttons.": [ + "navy blue ottomon for the living room with tufted buttons", + "navy blue ottomon for the living room", + "navy blue ottomon living room with tufted buttons", + "navy blue ottomon for living room with tufted buttons", + "navy blue ottomon for the living room with tufted button", + "navy blue ottomon for the living room, tufted buttons", + " navy blue ottomon for the living room with tufted buttons", + "navy blue ottomon in the living room with tufted buttons", + "navy blue ottomon living room", + "navy blue ottomon for living room" + ], + "i want to find italian herb-flavored parmesan cheese crisps that are low in carbs.": [ + "italian herb-flavored parmesan cheese crisps that are low in carbs", + "italian herb-flavored parmesan cheese crisps that are low in carbs", + "italian herb-flavored parmesan cheese crisps low in carbs", + "italian herb-flavored parmesan cheese crisps low in carbs", + " italian herb-flavored parmesan cheese crisps that are low in carbs", + "italian herb-flavored parmesan cheese crisps", + "italian herb-flavored parmesan cheese crisps low in carbs.", + "italian herb-flavored parmesan cheese crisps", + "italian herb-flavored parmesan cheese crisps low in carbs.", + "an italian herb-flavored parmesan cheese crisps low in carbs" + ], + "i am looking for a high performance laptop with 1tb,16 gb ram, intel core i7. nvidia.": [ + "high performance laptop with 1tb,16 gb ram", + "high performance laptop with 1tb,16 gb ram with nvidia", + "high performance laptop with 1tb,16gb ram", + "high performance laptop with 1tb,16gb ram, intel core i7", + "desktop laptop with 1tb,16 gb ram, intel core i7", + "desktop laptop with 1tb,16 gb ram", + "laptop with 1tb,16 gb ram", + "high performance laptop with 1tb,16 gb ram under $130", + "high performance laptop with i7. nvidia", + "high performance laptop" + ], + "i am interested in a living room chandelier that is black with eight lights.": [ + "living room chandelier black with eight lights", + "living room chandelier that is black", + "living room chandelier with eight lights", + "living room chandelier black", + "living room chandelier black eight lights", + "living room chandelier black, eight lights", + "living room chandelierblack with eight lights", + "living room chandelier, black", + "living room chandelier", + "living room chandelier white" + ], + "i am looking for iced coffee that is shelf stable and mocha flavor that is 96 fl oz.": [ + "iced coffee that is shelf stable and mocha flavor that is 96 fl oz", + "ice coffee that is shelf stable and mocha flavor that is 96 fl oz", + " iced coffee shelf stable and mocha flavor that is 96 fl oz", + "iced coffee shelf stable and mocha flavor that is 96 fl oz", + "ice coffee shelf stable and mocha flavor that is 96 fl oz", + " iced coffee with mocha flavor that is 96 fl oz", + "iced coffee with mocha flavor that is 96 fl oz", + " iced coffee shelf stable and mocha flavor that is 96 fl oz.", + " iced coffee that is shelf stable and mocha flavor is 96 fl oz", + "iced coffee shelf stable and mocha flavor that is 96 fl oz." + ], + "i would like a 4 ounce volume plus hair care bottle thats made from natural ingredients.": [ + "4 ounce volume plus hair care bottle", + "4 ounce hair care bottle made from natural ingredients", + "4 ounce natural hair care bottle", + "4 ounce body care bottle made from natural ingredients", + "4 ounce volume plus hair care bottle, natural", + "4 ounce volume plus hair care bottle natural", + "4 ounce natural beauty bottle", + " 4 ounce volume plus hair care bottle", + "4 ounce hair care bottle", + "4 ounce human hair care bottle" + ], + "i would like a 8 ounce bottle of scalp therapy spray made with natural ingredients.": [ + "8 ounce bottle of scalp therapy spray", + "8 ounce bottle of scalp therapy spray natural", + "8 ounce bottle of scalp therapy spray with natural ingredients", + "8 ounce bottle of scalp therapy spray made with natural", + "8 ounce bottle of scalp therapy spray made", + "8 ounce bottle of scalp therapy spray natural ingredients", + "8 ounce scalp therapy spray made with natural ingredients", + "8 ounce bottle of scalp therapy spray made natural ingredients", + "8 ounce bottle of scalp therapy spray, natural", + "8 ounce bottle of scalp therapy spray natural no sugar" + ], + "do you have any gluten free cheese spreads with 0g of trans fat?": [ + "gluten free cheese spreads with 0g of trans fat", + "gluten free cheese spread with 0g of trans fat", + "gluten free cheese spreads", + "gluten free cheese spreads, 0g of trans fat", + "gluten free cheese spreads no trans fat", + "gluten free cheese spreads 0g of trans fat", + "gluten free cheese spreads containing 0g of trans fat", + "gluten free cheese spreads under $40", + "gluten free cheese spreads gluten free", + "gluten free cheese spreads under $60" + ], + "i need a foamma memory foam mattress in size 5\" x 36\" x 84\".": [ + "foamma memory foam mattress in size 5 x 36 x 84", + "famma memory foam mattress in size 5 x 36 x 84", + "f foamma memory foam mattress in size 5 x 36 x 84", + "foot foamma memory foam mattress in size 5 x 36 x 84", + "fogma memory foam mattress in size 5 x 36 x 84", + " foamma memory foam mattress in size 5 x 36 x 84", + "oatmeal memory foam mattress in size 5 x 36 x 84", + "foamma memory foam mattress size 5 x 36 x 84", + "foamma memory foam mattress 5 x 36 x 84", + " foamma memory foam mattress in size 5 x 36 x 84." + ], + "i'm looking for a tempered glass screen protector for my phone that comes with a black case.": [ + "tempered glass screen protector for my phone with a black case", + "tempered glass screen protector for my phone", + "tempered glass screen protector for a phone with a black case", + "tempered glass screen protector for my phone with a black", + "tempered glass screen protector for my phone in a black", + "tempered glass screen protector", + "tempered glass screen protector for my phone with a black color", + "tempered glass screen protector for my phone, black", + "tempered glass screen protector for phone with a black case", + "tempered glass screen protector for a phone" + ], + "i am looking for men's reebok leather sneakers size 3.5.": [ + "mens reebok leather sneakers size 3.5", + "mens reebok leather sneakers size 3.5.", + "mens reebok leather sneakers 3.5", + "mens reebok leather sneakers size 3.5 mens", + "mens reebok leather sneakers", + "mens reebok leather sneakers in a size 3.5", + "mens reebok leather sneakers, size 3.5", + "mens reebok leather sneakers 3.5.", + "mens reebok leather sneakers 2.5", + "mens reebok leather sneakers size 3.5," + ], + "please add to my list a pair of reebok men\u2019s classic daily casual sneaker size 8 .": [ + "reebok men\u2019s classic daily casual sneaker size 8", + "robbok men\u2019s classic daily casual sneaker size 8", + "twin men\u2019s classic daily casual sneaker size 8", + "reebok men\u2019s classic daily casual sneaker", + "reebok men\u2019s classic daily casual sneaker size 8,", + "a pair of reebok men\u2019s classic daily casual sneaker", + "classic daily casual sneaker size 8", + "robbok men\u2019s classic daily casual sneaker", + "twin men\u2019s classic daily casual sneaker", + "sneakers size 8" + ], + "i need a pair of sneakers that have a rubber sole and come in black. get the size five and a half.": [ + "sneakers size 5 and a half", + "sneakers size five and a half", + "sneakers size 5 and a half black", + "pair of sneakers size 5 and a half", + "shoes size 5 and a half", + "sneakers five and a half black", + "shoes size 5 and a half in black", + "sneakers five and a half in black", + "sneakers five and a half", + "sneakers in black" + ], + "i need leather sneakers with rubber sole. i am a size 11.": [ + " leather sneakers with rubber sole size 11", + "leather sneakers with rubber sole size 11", + "sneakers size 11", + "sneakers with rubber sole size 11", + "stainless leather sneakers size 11", + "black leather sneakers with rubber sole size 11", + " leather sneakers with rubber sole size 11.", + "leather sneakers with rubber sole", + "sneakers size 11, rubber sole", + "sneakers size 11 rubber sole" + ], + "i am looking for quick drying x- large women's bathing suit.": [ + "quick drying x- large womens bathing suit", + "quick drying x-large womens bathing suit", + " quick drying x- large womens bathing suit", + "temporary drying x- large womens bathing suit", + "quick drying x-lens bathing suit", + "quick drying x- large womens bathing suit.", + "tempered drying x- large womens bathing suit", + "temporary drying x-large womens bathing suit", + "quick drying x-large womens bathing suit.", + "womens bathing suit quick drying x- large" + ], + "i'd like to order another one of those soy wax candles that smells like a flower market.": [ + "sneakers flower market", + "soy wax candles", + "synthetic candles", + "sneakers for a flower market", + "sneakers for flower market", + "synthetic flower candles", + "soy wax candles", + "soy wax candles, flower market", + "soy wax candles that smells like a flower", + "sneakers" + ], + "i'm looking for a moisturizing shave oil for dry skin scent vanilla": [ + "moisturizing shave oil for dry skin scent vanilla", + "moisturizing shave oil for dry skin scent", + "moisturizing shave oil, dry skin scent vanilla", + "moisturizing shave oil dry skin scent vanilla", + "moisturizing shave oil with dry skin scent vanilla", + "moisturizing shave oil", + "moisturizing shave oil for dry skin scent Vanilla", + "moisturizing shave oil in dry skin scent vanilla", + "mmoizing shave oil for dry skin scent vanilla", + "moisturizing shave oil dry skin scent vanilla" + ], + "buy me the bluetooth soundbar in size mb-3220.": [ + "b bluetooth soundbar in size mb-3220", + "budetooth soundbar in size mb-3220", + " bluetooth soundbar in size mb-3220", + "mb-3220 bluetooth soundbar", + "bluetooth soundbar in size mb-3220", + "bioetooth soundbar in size mb-3220", + "dualetooth soundbar in size mb-3220", + "buddyetooth soundbar in size mb-3220", + "Bluetooth soundbar in size mb-3220", + " bluetooth soundbar in size mb-3220." + ], + "get me some black lounge pants with an elastic waistband.": [ + "black lounge pants with an elastic waistband", + "black lounge pants with elastic waistband", + "black lounge pants elastic waistband", + "black lounge pants with a elastic waistband", + "black lounge pants that are elastic waistband", + "black lounge pants, elastic waistband", + "black lounge pants with a waistband", + "black lounge pants no elastic waistband", + "black lounge pants", + "black lounge pants with waistband" + ], + "i am looking for high performance night vision binoculars with batteries included.": [ + "night vision binoculars with batteries", + "high performance night vision binoculars with batteries", + "low performance night vision binoculars with batteries", + "night vision binoculars", + "light performance night vision binoculars with batteries", + "night vision binoculars that are high performance", + "day vision binoculars with batteries", + "high performance night vision binoculars", + "night vision binoculars, batteries included", + "night vision binoculars no batteries" + ], + "get the heavy duty bed frame in espresso.": [ + "heavy duty bed frame in espresso", + "heavy duty bed frame in espresso.", + "comfortable bed frame in espresso", + "low duty bed frame in espresso", + "mog bed frame in espresso", + "heavy duty bed frame in espresso,", + "heavy duty bed frame in espresso flavor", + "bed frame in espresso", + "heavy duty bed frame", + "mog frame in espresso" + ], + "i would like a mickey mouse toy chest made of solid wood.": [ + "mickey mouse toy chest made of solid wood", + "mackey mouse toy chest made of solid wood", + " mickey mouse toy chest made of solid wood", + "majkey mouse toy chest made of solid wood", + "mushroom mouse toy chest made of solid wood", + "mickey mouse toy chest made of solid wood.", + "monkey mouse toy chest made of solid wood", + "matkey mouse toy chest made of solid wood", + "mackey mouse toy chest made of solid wood.", + " mickey mouse toy chest made of solid wood." + ], + "i am looking for a low sugar garlic flavor sauce.": [ + "low sugar garlic flavor sauce", + "low sugar garlic flavor sauce under $40", + "low sugar garlic flavor sauce.", + "low sugar garlic flavor sauce under $60", + "low sugar garlic flavor sauce under $50", + "low sugar garlic flavor sauce under 50 dollars", + "low sugar garlic flavor sauce under 30 dollars", + "low sugar garlic flavor sauce under 40 dollars", + "low sugar garlic flavor sauce below $40", + "low sugar garlic flavor sauce under 60 dollars" + ], + "i would like a 2xl gray short sleeve button down shirt.": [ + "2xl gray short sleeve button down shirt", + "2xl gray short sleeve button down shirt.", + "2xl gray short sleeve button down shirt under $50", + "2 xl gray short sleeve button down shirt", + "2xl gray short sleeve button down shirt under $40", + "2xl gray short sleeve button down shirt under 50 dollars", + "2xl gray short sleeve button down shirt below $50", + "2xl gray short sleeve button down shirt under $60", + "2xl gray short sleeve button down shirt under 40 dollars", + "2xl gray short sleeve button down shirt below $40" + ], + "i am looking for a loose fit tee that is army green and in an xx-large.": [ + "a loose fit tee that is army green xx-large", + "jeans army green xx-large", + "womens tee that is army green xx-large", + "a loose fit tee that is army green", + "an army green loose fit tee that is army green", + "an army green loose fit tee", + "womens tee that is army green", + "jeans x-large", + "a loose fit tee", + "womens tee" + ], + "i am interested in a closed toe mule that is light tan suede and in a size 6.5": [ + "open toe mule light tan suede in a size 6.5", + "closed toe mule in a size 6.5", + "low tan suede mule in a size 6.5", + "open toe mule in a size 6.5", + "closed toe mule light tan suede in a size 6.5", + "light tan suede mule in a size 6.5", + "closed toe mule that is light tan suede", + "open toe mule that is light tan suede", + "open toe mule light tan suede in a size 6.5,", + "low tan suede mule in a size 6.5," + ], + "i am looking for a water resistant cosmetic bag": [ + "water resistant cosmetic bag", + "water resistant cosmetic bag under $40", + "water resistant cosmetic bag under $50", + "a water resistant cosmetic bag", + "water resistant cosmetic bag under $60", + "water resistant cosmetic bag under 50 dollars", + "bottle water resistant cosmetic bag", + "water resistant cosmetic bag under 40 dollars", + "water resistant cosmetic bag under $120", + "beauty bag water resistant" + ], + "i am looking for a dark blue daily wear women's jumpsuit.": [ + "dark blue daily wear womens jumpsuit", + "dark blue womens jumpsuit", + "dark blue day wear womens jumpsuit", + "darkblue daily wear womens jumpsuit", + "womens jumpsuit dark blue", + "dark blue womens jumpsuit.", + "dark blue womens jumpsuit,", + "dark blue mens jumpsuit", + "womens jumpsuit", + "dark blue women jumpsuit" + ], + "i am looking in day comfort walking shoes that are pink and in a size 5 wide.": [ + "day comfort walking shoes pink 5 wide", + "day comfort walking shoes pink", + "day comfort walking shoes that are pink", + "day comfort walking shoes size 5 wide", + "pink walking shoes size 5 wide", + "day comfort walking shoes 5 wide", + "day comfort walking shoes pink size 5", + "day comfort walking shoes in pink", + "day comfort walking shoes", + "pink walking shoes" + ], + "i would like double sided throw pillow covers that are scarlet orange and are 20\" by 20\".": [ + "double sided throw pillow covers 20 by 20", + "double sided throw pillow covers that are scarlet orange", + "single sided throw pillow covers 20 by 20", + "single sided throw pillow covers that are scarlet orange", + "double sided throw pillow covers 20 by 20.", + "double sided throw pillow covers with scarlet orange", + "double sided throw pillow cover 20 by 20", + "double sided throw pillow cover that are scarlet orange", + "single sided throw pillow covers 20 by 20.", + "double sided throw pillow covers, scarlet orange" + ], + "i am interested in an intel core computer that has 4gb of ram and 64gb of ssd.": [ + "intel core computer with 4gb of ram and 64gb of ssd", + "intel core computer 4gb of ram and 64gb of ssd", + "intel core computer with 4gb of ram", + " intel core computer with 4gb of ram and 64gb of ssd", + "intel core computer with 4gb of ram and 64gb ssd", + "intel core computer with 4gb of ram, 64gb of ssd", + "intel core computer, 4gb of ram and 64gb of ssd", + "intel core computer 4gb of ram and 64gb of ssd.", + "intel core computer 4gb of ram and 64gb ssd", + "intel core computer 4gb of ram with ssd" + ], + "i would like some color 5 hairpieces that are easy to put on.": [ + "colored 5 hairpieces", + "color 5 hairpieces easy to put on.", + "color 5 hairpieces", + "color 5 hairpieces easy to put on", + "colored 5 hairpieces easy to put on", + "colored 5 hairpieces easy to put on.", + "beauty 5 color 5 hairpieces", + "color 5 hairpieces, easy to put on", + "color 5 hairpieces under $50", + "hairpieces color 5" + ], + "i'd like to look at high resolution backdrops with pictures of marine animals. the size should be around seven by five foot.": [ + "high resolution backdrops with pictures of marine animals", + "high resolution backdrops with pictures of marine animals size should be around seven by five foot", + "high resolution backdrops with pictures of marine animals that should be around seven by five foot", + "high resolution backdrops with pictures of marine animals under $40", + "high resolution backdrops with pictures of marine animals under 30 dollars", + "high resolution backdrops with pictures of marine animals in a size 7 by 5 foot", + "high resolution backdrops with pictures of marine animals under $50", + "backdrops with pictures of marine animals", + "high resolution backdrops for marine animals", + "high resolution backdrops of marine animals" + ], + "i am interested in a long lasting perfume.": [ + "long lasting perfume", + "long lasting perfume.", + "long lasting perfume under $40", + "pink perfume long lasting", + "long lasting perfume under $50", + "long lasting perfume under $60", + "long lasting perfume under 30 dollars", + "long lasting perfume under 50 dollars", + "long lasting perfume under 60 dollars", + "long lasting perfume under 40 dollars" + ], + "i am looking for a loose fitting x-large women's cardigan.": [ + "womens cardigan", + "womens cardigan loose fitting x-large", + "lose fitting x-large womens cardigan", + "loose fitting x-large womens cardigan", + "faux fitting x-large womens cardigan", + "womens cardigan.", + "womens cardigan, loose fitting", + "womens cardigan loose fitting", + "x-large womens cardigan", + "womens cardigan under $50" + ], + "get me an easy to install phone case in blue.": [ + "blue phone case easy to install", + "blue phone case", + "pocket phone case in blue", + "phone case in blue", + "blue mobile phone case", + "blue easy to install phone case", + "blue smart phone case", + "blue phone case in blue", + "easy to install phone case", + "blue mobile phone case in blue" + ], + "i need some aaa batteries.": [ + "aaa batteries", + "aaa batteries under $50", + "aaa batteries under $40", + "aaa batteries under $60", + "aaa batteries aaa", + "aaa batteries no aaa", + "aaa batteries under $130", + "aaa batteries, aaa", + "aaa batteries.", + "aa batteries" + ], + "i need an open toe summer gladiator strap sandle. get me size 6.5": [ + "open toe summer gladiator strap sandle in a size 6.5", + "open toe summer gladiator strap sandle", + "open toe summer gladiator strap sandle size 6.5", + "open toe summer gladiator strap sandle. get me size 6.5", + "open toe summer gladiator strap sandle, size 6.5", + "open toe summer gladiator strap sandle in size 6.5", + "open toe summer gladiator strap sandle, size 6.5,", + "open toe summer gladiator strap sandle, in a size 6.5", + "open toe summer gladiator strap sandle that is size 6.5", + "open toe summer gladiator strap sandle size 6.5" + ], + "i am looking for a heavy duty phone holster.": [ + "heavy duty phone holster", + "phone holster heavy duty", + "heavy duty phone holster under $40", + "heavy duty phone holster under $50", + "heavy duty phone holster.", + "heavy duty phone holster under $60", + "heavy duty phone holster under 50 dollars", + "heavy duty phone holster under 30 dollars", + "heavy duty phone holster under 40 dollars", + "heavy duty phone holster under $130" + ], + "i am looking for a gift of sriracha peanuts.": [ + "siracha peanuts", + "sriracha peanuts", + "shriracha peanuts", + "sriracha peanuts", + "siracha peanuts gift", + "siracha peanuts.", + "sriracha peanuts gift", + "shiracha peanuts", + "soiracha peanuts", + "barbecue peanuts" + ], + "i need some chocolate covered peanuts that would be a great gift": [ + "chocolate covered peanuts", + "chocolate covered peanuts a great gift", + "chocolate covered peanuts under $50", + "chocolate covered peanuts under $40", + "chocolate covered peanuts under $60", + "chocolate covered peanuts chocolate covered peanuts", + "chocolate covered peanuts chocolate covered", + "chocolate covered peanuts,", + "ocolate covered peanuts", + " chocolate covered peanuts" + ], + "i am interested in a high speed hdmi cable that is 10 feet long.": [ + "high speed hdmi cable 10 feet long", + "tv hdmi cable 10 feet long", + "high speed hdmi cable 10 ft long", + "high speed hdmi cable", + "10 foot high speed hdmi cable", + "hdmi cable 10 feet long", + "10 ft high speed hdmi cable", + "10 ft hdmi cable", + "high speed hdmi cable under $40", + "10 foot hdmi cable" + ], + "i am looking for a large women's skirt with an elastic waistband and pockets.": [ + "large womens skirt with an elastic waistband and pockets", + "large womens skirt with an elastic waistband", + "womens skirt with an elastic waistband and pockets", + "large womens skirt with an elastic waistband and pocket", + "womens skirt with an elastic waistband", + "womens skirt with an elastic waistband and pocket", + "large womens skirt with an elastic waistband with pocket", + "large womens skirt with an elastic waistband with pockets", + "large womens skirt with an elastic waistband, pocket", + "large womens skirt with an elastic waistband, pockets" + ], + "i would like a 3xl black broken cover long sleeve sweatshirt.": [ + "3xl black broken cover long sleeve sweatshirt", + "3xl black long sleeve sweatshirt", + "3xl long sleeve sweatshirt", + "3 xl black broken cover long sleeve sweatshirt", + " 3xl black broken cover long sleeve sweatshirt", + "threexl black broken cover long sleeve sweatshirt", + "3xl long sleeve sweatshirt.", + "3xl black long sleeve sweatshirt.", + "3xl black sweatshirt", + "3xl sweatshirt" + ], + "i need to buy an officially licenced marvel t-shirt for women.": [ + "gift t-shirt for women", + "an officially licenced marvel t-shirt for women", + "im officially licenced marvel t-shirt for women", + "an officially licenced t-shirt for women", + "im officially licenced marvel t-shirt for women.", + "artwork t-shirt for women", + "musical t-shirt for women", + "womens t-shirt", + "womens t-shirt, officially licenced", + "an officially licenced marvel t-shirt for women." + ], + "i'm looking for lounge style pants that are machine washable and they should have a drawstring waist. the size should be small.": [ + "lounge style pants with drawstring waist", + "lush style pants with drawstring waist", + "lounge style pants that are machine washable", + "lounge style pants with drawstring waist small", + "baggy pants with drawstring waist", + "baggy pants that are machine washable small", + "baggy pants that are machine washable", + "lush style pants that are machine washable", + "lip style pants with drawstring waist", + "g lounge style pants with drawstring waist" + ], + "i am looking for a 3 color alarm clock having wireless bluetooth.": [ + "3 color alarm clock with wireless bluetooth", + "3 color alarm clock", + "3 color alarm clock having wireless bluetooth", + "3 color alarm clock, wireless bluetooth", + "three color alarm clock with wireless bluetooth", + "3 color alarm clock that is wireless", + "3 color alarm clock, bluetooth", + " 3 color alarm clock with wireless bluetooth", + "3 color alarm clock with wireless", + "three color alarm clock" + ], + "i would like a pink toothbrush for sensitive teeth.": [ + "pink toothbrush for sensitive teeth", + "pink toothbrush for sensitive teeth.", + "pink toothbrush for sensitive teeth under $40", + "pink toothbrush for sensitive teeth under $50", + "pink toothbrush for sensitive teeth under $60", + "pink teethbrush for sensitive teeth", + "pink toothbrush for sensitive teeth under 50 dollars", + "pink toothbrush for sensitive teeth below $40", + "pink toothbrush for sensitive teeth that is sensitive", + "pink toothbrush for sensitive teeth no fluoride" + ], + "i am looking for a black history classic fit shirt size medium.": [ + "black history classic fit shirt size medium", + "black history classic fit shirt size medium.", + "black history classic fit shirt size medium black", + "black history classic fit shirt", + "black History classic fit shirt size medium", + "black history classic fit t-shirt size medium", + "black classic fit shirt size medium", + "black history classic fit shirt size", + "black history classic fit shirt small", + "shirt size medium black" + ], + "i want to get cartoon themed cupcake toppers that i can use for a birthday party.": [ + " cartoon themed cupcake toppers for a baby shower", + "contemporary cartoon themed cupcake toppers for a baby shower", + "artwork cartoon themed cupcake toppers for a baby shower", + "portrait themed cupcake toppers for a baby shower", + "contrabble themed cupcake toppers for a baby shower", + "cupcake toppers cartoon themed for a baby shower", + "pink cupcake toppers for a baby shower", + "cupcake toppers for a baby shower", + " cartoon themed cupcake toppers for a baby shower.", + "cupcake toppers for a baby shower cartoon themed" + ], + "i am interested in single serve coffee that is cinnamon roll flavored and is a 24 count.": [ + "single serve coffee cinnamon roll flavored 24 count", + "single serve coffee that is cinnamon roll flavored", + "single serve coffee that is cinnamon roll flavored 24 count", + "single serve coffee with cinnamon roll flavored 24 count", + "single serve coffee cinnamon roll flavored", + "single serve coffee, cinnamon roll flavored, 24 count", + "single serve coffee with cinnamon roll flavored", + "single serve coffee flavor 24 count", + "single serve coffee 24 count", + "single serve coffee" + ], + "i'm looking for gluten free high protein for coffee.": [ + "gluten free high protein coffee drink mix", + "gluten free high protein coffee", + "gluten free high protein coffee drink", + "gluten free high protein coffee mix", + "gluten free high protein coffee blend", + "gluten free high protein coffee drink blend", + "gluten free high protein coffee flavor", + "gluten free high protein coffee drink coffee", + "gluten free high protein coffee coffee", + "gluten free coffee drink mix" + ], + "get me a pack of 16 count hot chocolate pack. it should be dairy and gluten free.": [ + "pack of 16 count hot chocolate pack", + "pack of 16 count hot chocolate pack dairy free", + "16 count hot chocolate pack dairy free", + "16 count hot chocolate pack", + "pack of 16 count hot chocolate pack, dairy free", + "pack of 16 count hot chocolate pack. dairy free", + "16 count hot chocolate pack that is dairy free", + "hot chocolate pack of 16 count dairy free", + "pack of 16 count hot chocolate pack no dairy", + "hot chocolate pack 16 count dairy free" + ], + "look for gluten free dairy free hot cocoa pods 16 count (pack of 1) with quality ingredients and also choose": [ + "gluten free dairy free hot cocoa pods 16 count (pack of 1)", + "gluten free hot cocoa pods 16 count (pack of 1)", + "gluten free dairy free hot cocoa pods 16 count (pack of 1),", + "gluten free hot cocoa pods 16 count (pack of 1), dairy free", + "gluten free hot cocoa pods 16 count (pack of 1) dairy free", + "gluten free hot cocoa pods 16 count (pack of 1),", + "gluten free dairy free hot cocoa pods 16 count", + "alcohol free hot cocoa pods 16 count (pack of 1)", + "gluten free hot cocoa pods 16 count", + "gluten free dairy free hot cocoa pods" + ], + "i want 16 pieces of dairy free maud's dark hot chocolate.": [ + "16 dairy free mauds dark hot chocolate", + "16 chocolate mauds dark hot chocolate", + "16 mauds dark hot chocolate", + "12 dairy free mauds dark hot chocolate", + "dairy free mauds dark hot chocolate", + "16 oz dairy free mauds dark hot chocolate", + "mauds dark hot chocolate", + "mauds dark hot chocolate 16 oz", + "mauds dark hot chocolate 16 pieces", + "16 pieces of dairy free mauds chocolate" + ], + "sumatra sensation included the quality ingretidents": [ + "sumatra sensation included the quality ingretidents", + "sumatra sensation included quality ingretidents", + "sumatra sensation with quality ingretidents", + "sumatra sensation", + "sumatra sensation, quality ingretidents", + "sumatra sensation quality ingretidents", + "sumatra sensation of quality ingretidents", + "sumatra sensation includes the quality ingretidents", + "sumatra sensation high quality ingretidents", + "sumatra" + ], + "i am interested in old fashioned caramels.": [ + "old fashioned caramels", + "old fashioned caramels.", + "old fashioned caramels under $40", + "old fashioned caramels under $60", + "old fashioned caramels under $50", + "old fashioned caramels under 30 dollars", + "old fashioned caramels under 50 dollars", + "old fashioned caramels under 60 dollars", + "old fashioned caramels under 40 dollars", + "old fashioned caramels under 120 dollars" + ], + "i need 2 pink flamingo rose mesh laundry bags.": [ + "pink flamingo rose mesh laundry bags", + "2 pink flamingo rose mesh laundry bags", + "pink flamingo rose mesh laundry bags.", + "pink flamingo rose mesh laundry bags under $40", + "pink flamingo rose mesh laundry bags 2 pink", + "pink flamingo rose mesh laundry bags under $50", + "pink flamingo rose mesh laundry bag", + "two pink flamingo rose mesh laundry bags", + "pink flamingo rose mesh laundry bags, 2 pink", + "pink flamingo rose mesh laundry bags under $60" + ], + "i need to find the 10 pack of easy to use lankiz magnetic eyelashes that come with the micellar water, tweezers, and the tubes of magnetism.": [ + "lankiz magnetic eyelashes with the micellar water, tweezers, and the tubes of magnetism", + "lankiz magnetic eyelashes with the micellar water, tweezers, and tubes of magnetism", + "10 pack of easy to use lankiz magnetic eyelashes", + "lankiz magnetic eyelashes with the micellar water, tweezers and tubes of magnetism", + "lankiz magnetic eyelashes, tweezers, and tubes of magnetism", + "lankiz magnetic eyelashes with the micellar water and tubes of magnetism", + "lankiz magnetic eyelashes with the micellar water", + "lankiz magnetic eyelashes", + "10 pack of lankiz magnetic eyelashes", + "lipiz magnetic eyelashes" + ], + "i need 5 ounce flawless eye cream for dark circles.": [ + "5 ounce flawless eye cream for dark circles", + "5 ounce flawless eye cream for dark circles.", + "5 ounce flawless eye cream for dark circles under $50", + "5 ounce flawless eye cream for dark circles under $40", + "5 ounce flawless eye cream", + "5 ounce flawless eye cream for dark circles under $60", + "5 ounce flawless eye cream for dark circles under 50 dollars", + "5 ounce flawless eye cream for dark circles under 30 dollars", + "5 ounce flawless eye cream dark circles", + "i need 5 ounce flawless eye cream for dark circles." + ], + "i need a 1.7 ounce eye cream for dark circles.": [ + "1.7 ounce eye cream for dark circles", + "1.7 ounce eye cream for dark circles.", + "1.7 ounce eye cream for dark circles under $40", + "1.7 ounce eye cream dark circles", + "1.7 ounce eye cream for dark circles under $50", + "1.7 ounce eye cream for dark circles under $60", + "1.7 ounce eye cream", + "1.7 ounce eye cream for dark circles under 50 dollars", + "1.7 ounce eye cream for dark circles under 30 dollars", + "1.7 ounce eye cream for dark circles under 40 dollars" + ], + "buy me some cotton pajama pants in size extra extra large, please. make sure they have an elastic waistband.": [ + "cotton pajama pants extra extra large", + "womens pajama pants extra extra large", + "cotton pajama pants in size extra extra large", + "extra large cotton pajama pants extra extra large", + "twin pajama pants extra extra large", + "size extra large cotton pajama pants extra extra large", + "t cotton pajama pants extra extra large", + "size extra extra large cotton pajama pants", + "size extra large cotton pajama pants", + "pajama pants extra extra large" + ], + "i am interested in a waxing kit for sensitive skin.": [ + "waxing kit for sensitive skin", + "womens waxing kit for sensitive skin", + "waxing kit for sensitive skin.", + "womens waxing kit for sensitive skin.", + "womens waxing kit", + "waxing kit for sensitive skin under $50", + "waxing kit for sensitive skin under $40", + "temporary waxing kit for sensitive skin", + "waxing kit for sensitive skin under $60", + "waxing kit sensitive skin" + ], + "get me some long sleeve pajamas. look for blue ones.": [ + "long sleeve pajamas blue", + "blue pajamas", + "blue long sleeve pajamas", + "long sleeve pajamas", + "blue pajama pajamas", + "long sleeve pajamas, blue", + "long sleeve pajamas in blue", + "blue pajamas long sleeve", + "blue pajamas under $40", + "long sleeve pajamasblue" + ], + "i am looking for a blue long sleeve men's linen shirt.": [ + "blue long sleeve mens linen shirt", + "blue long sleeve mens linen shirt.", + "blue long sleeve mens linen shirt under $40", + "blue long sleeve mens linen shirt under $50", + "blue long sleeve mens linen shirt under 50 dollars", + "blue long sleeve mens linen shirt under $60", + "blue long sleeve mens linen shirt under 40 dollars", + "blue long sleeve mens linen shirt under 30 dollars", + "blue long sleeve mens linen shirt below $50", + "blue long sleeve mens linen shirt below $40" + ], + "i would like 10 pounds of chocolate covered nuts.": [ + "chocolate covered nuts 10 pounds", + "10 pounds of chocolate covered nuts", + "chocolate covered nuts", + "10 pounds chocolate covered nuts", + "chocolate covered nuts, 10 pounds", + "chocolate covered nuts 10 pound", + "chocolate covered nuts under 50 dollars", + "chocolate covered nuts under $40", + "chocolate covered nuts under $50", + "chocolate covered nuts 10 oz" + ], + "i'm looking for chocolates covered for parties.": [ + "chocolates covered for parties", + "chocolates covered for parties.", + "pink chocolates covered for parties", + "caramel chocolates covered for parties", + "chocolate chocolates covered for parties", + "bagel chocolates covered for parties", + "cocolates covered for parties", + "chocolates covered for party", + "lip chocolates covered for parties", + "chocolates for parties" + ], + "i need a decor therapy white fnished bailey bead board, sized 14x17x26.5, in color sahara.": [ + "decor therapy white fnished bailey bead board 14x17x26.5, in color sahara", + " decor therapy white fnished bailey bead board, sized 14x17x26.5, in color sahara", + " decor therapy white fnished bailey bead board 14x17x26.5, in color sahara", + "vinyl therapy white fnished bailey bead board 14x17x26.5, in color sahara", + "decor therapy white fnished bailey bead board 14x17x26.5 in color sahara", + " decor therapy white fnished bailey bead board 14x17x26.5 in color sahara", + "decor therapy white fnished bailey bead board 14x17x26.5, in color sahara,", + "decor therapy white fnished bailey bead board 14x17x26.5, in color sahara.", + "red bailey bead board 14x17x26.5, in color sahara", + "decor therapy white fnished bailey bead board, sized 14x17x26.5 in color sahara" + ], + "buy me a pink synthetic wig.": [ + "pink synthetic wig", + "pink synthetic wig.", + "pink synthetic wig price lower than 50.00 dollars", + "pink synthetic wig price lower than 40.00 dollars", + "pink synthetic wig, less then $40", + "pink synthetic wig under $40", + "pink synthetic wig under $50", + "pink synthetic wig under $60", + "pink synthetic wig,", + "pink synthetic wig, under $40" + ], + "looking for spicy sea salt with low sodium and smoked & infused": [ + "sea salt with low sodium and smoked & infused", + "sea salt that is low sodium and smoked & infused", + "sea salt low sodium and smoked & infused", + "pink sea salt smoked & infused", + "sneakers low sodium and smoked & infused", + "pink sea salt with low sodium smoked & infused", + "sea salt low sodium smoked & infused", + "pink sea salt smoked and infused", + "sea salt with low sodium and smoked and infused", + "semi sea salt with low sodium smoked & infused" + ], + "i want a smoked and infused spicy sea salt gift set.": [ + "smoked and infused spicy sea salt gift set", + "smoked and infused spicy sea salt gift set.", + "pink and infused spicy sea salt gift set", + "moked and infused spicy sea salt gift set", + " smoked and infused spicy sea salt gift set", + " smoked and infused spicy sea salt gift set.", + "pink and infused spicy sea salt gift set.", + "moked and infused spicy sea salt gift set.", + "pots and infused spicy sea salt gift set", + "stoked and infused spicy sea salt gift set" + ], + "i am interested in a height adjustable spa tool that is color a8 and is 40 by 45-63cm.": [ + "height adjustable spa tool 40 by 45-63cm", + "height adjustable spa tool that is color a8", + "height adjustable spa tool, 40 by 45-63cm", + "height adjustable spa tool", + "height adjustable spa tool with a8 color", + "height adjustable spa tool color a8", + "height adjustable spa tool 40 by 45-63cm color", + "height adjustable spa tool colored a8", + "height adjustable spa tool with color a8", + "height adjustable spa tool in color a8" + ], + "i need a small stick of antiperspirant that is fragrance free.": [ + "small stick of antiperspirant", + "small stick antiperspirant that is fragrance free", + "small stick of antiperspirant fragrance free", + "small stick of antiperspirant, fragrance free", + "small antiperspirant that is fragrance free", + "small stick antiperspirant", + "small stick of antiperspirant under $40", + "small stick of antiperspirant no fragrance", + "small stick of antiperspirant under $50", + "antiperspirant that is fragrance free" + ], + "get me a quad core tablet with 64 gigabytes of storage.": [ + "quad core tablet with 64 gigabytes of storage", + "quad core tablet with 64 gigabytes", + " quad core tablet with 64 gigabytes of storage", + "quad core tablet 64 gigabytes of storage", + "quad core tablets with 64 gigabytes of storage", + "tablet with 64 gigabytes of storage", + "quad core tablet with 128 gigabytes of storage", + "quad core tablet with 32 gigabytes of storage", + "quad core tablet with 64 gigabytes storage", + "quad core tablet 64 gigabytes" + ], + "i want to get a single-count pack of oil-free liquid foundation that has a natural buff color.": [ + "single-count pack of oil-free liquid foundation", + "single-count pack of oil-free liquid foundation with natural buff color", + "single count pack of oil-free liquid foundation", + "single count pack of oil-free liquid foundation with natural buff color", + "single-count pack of oil-free liquid foundation with natural buff", + "single-count pack of oil-free liquid foundation, natural buff color", + "single-count pack of oil-free liquid foundation with natural buff colored", + "single count pack of oil-free liquid foundation with a natural buff color", + "single-count pack of oil-free liquid foundation natural buff color", + "single count pack of oil-free liquid foundation with natural buff" + ], + "i want to buy a fully assembled faux leather nightstand. i want the one that's white and has a contemporary design.": [ + "faux leather nightstand white", + "white faux leather nightstand with a contemporary design", + "white faux leather nightstand with contemporary design", + "faux leather nightstand with a contemporary design", + "white faux leather nightstand", + "faux leather nightstand that is white", + "faux leather nightstand with contemporary design", + "full assembled faux leather nightstand with contemporary design", + "faux leather nightstand white contemporary", + "faux leather nightstand" + ], + "i am looking for a printed backdrop that is 6 by 9 feet for digital photography.": [ + "6 by 9 feet digital photography", + "6 by 9 foot digital photography", + "art backdrop 6 by 9 feet for digital photography", + "6x9 digital photography backdrop", + "6x9 digital backdrop", + "art backdrop 6 by 9 feet digital photography", + "6 by 9 digital photography", + "digital backdrop 6 by 9 feet for digital photography", + "6 x 9 digital photography backdrop", + "6 x 9 digital photography" + ], + "i'm looking for a 3' x 5', light weight, aquatic wildlife back drop.": [ + "3 x 5, light weight, aquatic wildlife back drop", + "3 x 5, light weight aquatic wildlife back drop", + "4 x 5, light weight, aquatic wildlife back drop", + "2 x 5, light weight, aquatic wildlife back drop", + "3 x 5 light weight, aquatic wildlife back drop", + "3 x 5 aquatic wildlife back drop", + "portrait wildlife back drop 3 x 5", + "sea wildlife back drop 3 x 5", + "portrait wildlife back drop", + "3 x 5, light weight, aquatic wildlife" + ], + "i am looking for a high quality black bag that is 6.7 oz.": [ + "6.7 oz black bag", + "6.7 oz high quality black bag", + "6.7 oz black bag, high quality", + "black bag that is 6.7 oz", + "6.7 oz black bag with high quality", + "bag that is 6.7 oz", + "6.7 oz black bag high quality", + "6.7 oz black bag under $50", + "6.7 oz black bag with quality", + "black bag 6.7 oz" + ], + "i want a top hairpiece in dark blonde to conceal hair loss.": [ + "dark blonde hairpiece", + "dark blonde hairpiece conceal hair loss", + "dark blonde hairpiece with hair loss", + "dark blonde hairpiece that conceal hair loss", + "dark blonde hairpiece to conceal hair loss", + "dark blonde hairpiece in dark blonde", + "dark blonde wig conceal hair loss", + "dark blonde hairpiece, conceal hair loss", + "dark blonde hairpiece under $40", + "dark blonde hairpiece under $50" + ], + "find my-lady silk base top , updated 120% density remy human hair clip in fringe-free topper. it has to be this one and i will for sure cover up a friend's hair loss. register the color : #18p613 so that the order is correct.": [ + "lady silk base top in fringe-free topper", + "lady silk base top with 120% density remy human hair clip", + "lady silk base top", + "lady silk base top, 120% density remy human hair clip", + "lady silk base top, updated 120% density remy human hair clip", + "lady silk base top color in fringe-free topper", + "lady silk base top 120% density remy human hair clip", + "lady silk base top color", + "lady silk base top in fringe-free topper,", + "p613 hair clip" + ], + "i am looking for 12 inch size women hairpiece for my damaged hair.": [ + "12 inch size women hairpiece for my damaged hair", + "12 inch women hairpiece for my damaged hair.", + "12 inch women hairpiece for my damaged hair", + "12 inch woman hairpiece for my damaged hair.", + "12 inch woman hairpiece for damaged hair", + "12 inch size women hairpiece for damaged hair", + "12 inch woman hairpiece for my damaged hair", + "12 inch women hairpiece for damaged hair", + "12 inch size women hairpiece", + "woman hairpiece for damaged hair 12 inch" + ], + "i need a jet black hair piece for hair loss": [ + " jet black hair piece for hair loss", + "jet black hair piece for hair loss", + "Jet black hair piece for hair loss", + "pink hair piece for hair loss", + "facial black hair piece for hair loss", + "brushed black hair piece for hair loss", + "toothbrush hair piece for hair loss", + "toothpaste hair piece for hair loss", + "facial hair piece for hair loss", + " jet black hair piece" + ], + "i am looking for a canvas poster for the living room that shows sunny zakynthos island.": [ + "portrait of a zakynthos island", + "portrait of a sunny zakynthos island", + "portrait for living room that shows sunny zakynthos island", + "portrait of zakynthos island", + "portrait of a sunny zakynthos island.", + "portrait of a zakynthos island under $40", + "portrait of a sunny zakynthos island under $40", + "portrait of a zakynthos island under $50", + "portrait of a sunny zakynthos island under $50", + "artwork poster for the living room" + ], + "i am interested in a white dinnerware set that has a contemporary design.": [ + "white dinnerware set with a contemporary design", + "white dinnerware set", + "white dinnerware set with contemporary design", + "white dinnerware set in a contemporary design", + "white dinnerware set, contemporary design", + "white dinnerware set with a modern design", + "white dining table set with a contemporary design", + "white dinnerware set that is contemporary", + "white dinnerware set that is contemporary design", + "white dinnerware set with modern design" + ], + "i am looking for stainless steel hair removal tweezers.": [ + "stainless steel hair removal tweezers", + "stainless steel hair removal tweezers under $50", + "stainless steel hair removal tweezers under $40", + "stainless steel hair removal tweezers under $60", + "stainless steel hair removal tweezers.", + "stainless steel hair removal tweezers under 50 dollars", + "stainless steel hair removal tweezers under 30 dollars", + "stainless steel hair removal tweezers under 40 dollars", + "stainless steel hair removal tweezers under $120", + "stainless steel hair removal tweezers under 60 dollars" + ], + "i want a set of tweezers for hair removal.": [ + "set of tweezers for hair removal", + "tweezers for hair removal", + "spray tweezers for hair removal", + "tweezers for hair removal.", + "set of tweezers hair removal", + "two tweezers for hair removal", + "hand tweezers for hair removal", + "teezers for hair removal", + "set of tweezers", + "tweezers" + ], + "i am looking for men's adidas hiking shoes size 9 with rubber soles.": [ + "mens adidas hiking shoes size 9 rubber soles", + "mens hiking shoes size 9 with rubber soles", + "mens adidas hiking shoes size 9", + "mens hiking shoes size 9 rubber soles", + "mens adidas hiking shoes size 9 with rubber sole", + "mens adidas hiking shoes size 9 rubber sole", + "mens adidas hiking shoes 9 with rubber soles", + "mens adidas hiking shoes 9 rubber soles", + "mens hiking shoes size 9", + "mens adidas hiking shoes" + ], + "i am interested in a high definition streaming media player.": [ + "high definition streaming media player", + "high definition streaming media player.", + "high definition streaming media player under $40", + "high definition streaming media player under $60", + "high definition streaming media player under $50", + "high definition streaming media player under 30 dollars", + "high definition streaming media player under $120", + "high definition streaming media player under $130", + "high definition streaming media player under 60 dollars", + "high definition streaming media player under 50 dollars" + ], + "i'm looking for a charcoal and walnut colored summer chair that has a wood finish.": [ + " charcoal and walnut colored summer chair with wood finish", + " charcoal and walnut colored summer chair with a wood finish", + "barbecue and walnut colored summer chair with wood finish", + "barbecue and walnut colored summer chair", + "chocolate and walnut colored summer chair with wood finish", + " charcoal and walnut colored summer chair", + "chalk and walnut colored summer chair with wood finish", + "chocolate and walnut colored summer chair", + "chalet and walnut colored summer chair", + "brushed charcoal and walnut colored summer chair" + ], + "i want to find a black portable bluetooth speaker with stereo sound.": [ + "black portable bluetooth speaker with stereo sound", + "black portable bluetooth speaker", + "white portable bluetooth speaker with stereo sound", + "black portable bluetooth speaker with stereo sound.", + "a black portable bluetooth speaker with stereo sound", + "black portable bluetooth speaker with stereo sound,", + "portrait bluetooth speaker with stereo sound", + "black portable bluetooth speaker, with stereo sound", + "black portable bluetooth speakers with stereo sound", + "black portable bluetooth speaker with stereo" + ], + "i need a 2 pack of lemon cookie mini bars that have high protein.": [ + "2 pack of lemon cookie mini bars", + "2 pack of lemon cookie mini bars with high protein", + "2 pack of lemon cookie mini bars high protein", + "lemon cookie mini bars that have high protein", + "2 pack of lemon cookie mini bars, high protein", + "two pack of lemon cookie mini bars with high protein", + "2 pack of lemon cookie mini bar with high protein", + "two pack of lemon cookie mini bars", + "lemon cookie mini bars high protein", + "lemon cookie mini bars with high protein" + ], + "i am looking for 36 high protein chocolate caramel snack bars.": [ + "chocolate caramel snack bar 36 high protein", + "chocolate caramel snack bars 36 high protein", + "36 high protein chocolate caramel snack bars", + "chocolate caramel snack bar", + "chocolate caramel snack bar 36", + "28 high protein chocolate caramel snack bars", + "12 high protein chocolate caramel snack bars", + "36 high protein chocolate caramel snack bar", + "chocolate caramel snack bars", + "strawberry chocolate caramel snack bar" + ], + "i'm looking for a vanity wall light with a brushed nickel finish. it should be around 15 inches big.": [ + "vanity wall light with a brushed nickel finish", + "vanity wall light with brushed nickel finish", + "vanity wall light", + "k vanity wall light with a brushed nickel finish", + "vanity wall light, brushed nickel finish", + "pink vanity wall light with brushed nickel finish", + "k vanity wall light with brushed nickel finish", + "vanity wall light 15 inches long", + "vanity wall light that is 15 inches long", + "pink vanity wall light" + ], + "i want to find a women's long-sleeve jumpsuit in a medium size with the 13 color.": [ + "womens long-sleeve medium jumpsuit 13 color", + "womens long-sleeve jumpsuit 13 color", + "womens long-sleeve medium jumpsuit, 13 color", + "womens long-sleeve medium jumpsuit with 13 color", + "womens long-sleeve medium jumpsuit", + "womens long-sleeve medium jumpsuit 13 color.", + "womens long-sleeve pink jumpsuit 13 color", + "womens long-sleeve medium jumpsuit 12 color", + "womens long-sleeve medium jumpsuit 13 color,", + "womens long-sleeve medium jumpsuit 13" + ], + "i would like a 16.9 fluid ounce amber bottle that could be used in a hair salon.": [ + "16.9 fluid ounce amber bottle", + "16.9 fluid ounce amber bottle for hair salon", + "16.9 fluid ounce amber bottle under $50", + "16.9 fluid ounce amber bottle under $40", + "16.9 fluid ounce hair salon bottle", + "16.9 fluid ounce amber bottle,", + "16.9 oz amber bottle", + "16.9 ounce amber bottle", + "16 oz amber bottle", + "teen oz amber bottle" + ], + "i want a bezel-less vizio 43-inch d-series full hd 1080p smart tv.": [ + "bezel-less vizio 43-inch d-series full hd 1080p smart tv", + "28 bezel-less vizio 43-inch d-series full hd 1080p smart tv", + "tv bezel-less vizio 43-inch d-series full hd 1080p smart tv", + "uptio 43-inch d-series full hd 1080p smart tv", + "bezel-less vizio 43-inch d-series full hd 1080p smart tv.", + "i want a bezel-less vizio 43-inch d-series smart tv.", + "tv bezel-less vizio 43-inch d-series full hd 1080p", + "tv bezel-less with a price lower than 50.00 dollars", + "tv bezel-less", + "tv bezel-less with a hd 1080p" + ], + "i'm trying to find high quality eyelash extensions that are 0.15 millimeters in diameter and 13-20 millimeters long.": [ + "low quality eyelash extensions 13-20 millimeters long", + "high quality eyelash extensions 13-20 millimeters long", + "lip extensions 13-20 millimeters long", + "low quality eyelash extension 13-20 millimeters long", + "l eyelash extensions 13-20 millimeters long", + "alarm extensions 13-20 millimeters long", + "low quality eyelash extensions 13-20 millimeters long.", + "high quality eyelash extensions 13-20 millimeters long.", + "low quality eyelash extensions 13-20 millimeters", + "high quality eyelash extensions 13-20 millimeters" + ], + "i need to buy some slim fit yoga pants. get the ones that are multicolered in xx large.": [ + "slim fit yoga pants xx large", + "slim fit yoga pants xx large.", + "slim fit yoga pants in xx large", + "slim fit yoga pants xx x large", + "slim fit yoga pants xx large", + " slim fit yoga pants xx large", + "slim fit yoga pants x large", + "synthetic yoga pants xx large", + "slim fit yoga pants x x large", + "slim fit yoga pants xxx large" + ], + "i am looking for an easy to carry 4-tier black cosmetic box.": [ + "easy to carry 4-tier black cosmetic box", + "4-tier black cosmetic box", + "5-tier black cosmetic box", + "easy to carry 4-tier black cosmetic box.", + "4-tier black cosmetic box, easy to carry", + "easy to carry 4-tier black cosmetic box,", + "4-tier black cosmetic box easy to carry", + "easy-to carry 4-tier black cosmetic box", + "3-tier black cosmetic box", + "4-tier black cosmetic box." + ], + "i want a vintage beige twin size metal platform bed frame.": [ + "twin size metal platform bed frame", + "classic beige twin size metal platform bed frame", + "pink twin size metal platform bed frame", + "style metal platform bed frame", + "vintage beige twin bed frame", + "twin size metal platform bed frame.", + "a vintage beige twin bed frame", + "pink twin size metal platform bed frame.", + "stainless steel bed frame", + "twin bed frame" + ], + "i am looking for a brushed polished nickel color vanity light having glass shade.": [ + "brushed polished nickel color vanity light", + "brushed polished nickel color vanity light with glass shade", + "brushed polished nickel color vanity light having glass shade", + "buffet polished nickel color vanity light", + "brushed polished nickel color vanity light that is glass", + "brushed polished nickel color vanity light,", + "brushed polished nickel color vanity light under $40", + "brushed polished nickel color vanity light under $50", + "brushed polished nickel color vanity light in glass", + "brush polished nickel color vanity light" + ], + "buy a two pack of whitening toothpaste.": [ + "two pack of whitening toothpaste", + "two pack of whitening toothpaste.", + "two pack of whitening toothpaste,", + "twin pack of whitening toothpaste", + "two pack of whitening teethpaste", + "three pack of whitening toothpaste", + "one pack of whitening toothpaste", + "two pack whitening toothpaste", + "white toothpaste two pack", + "white teethpaste two pack" + ], + "i need brown eco friendly nikahoo small storage baskets.": [ + "brown eco friendly nikahoo small storage baskets", + "green eco friendly nikahoo small storage baskets", + " brown eco friendly nikahoo small storage baskets", + "eco friendly nikahoo small storage baskets", + "brown eco friendly nikahoo small storage basket", + "browneco friendly nikahoo small storage baskets", + "nikahoo small storage baskets", + "nikahoo small storage baskets brown", + "small storage baskets brown eco friendly", + "small storage baskets brown" + ], + "i need a new dresser. look for one made from engineered wood with lots of storage space.": [ + "engineered wood dresser", + "engineered wood dresser made from engineered wood", + "engineered wood dresser with storage space", + "troubled wood dresser made from engineered wood", + "teeth dresser made from engineered wood", + "engineered wood dresser with lots of storage space", + "trouble dresser made from engineered wood", + "new dresser made from engineered wood", + "sneakers made from engineered wood", + "troubled wood dresser" + ], + "buy me some coffee brown hair dye. make sure it only contains natural ingredients.": [ + "coffee brown hair dye", + "coffee brown hair dye natural", + "coffee brown hair dye that is natural", + "coffee brown hair dye with natural ingredients", + "coffee brown hair dye no natural", + "coffee brown hair dye, natural", + "cup coffee brown hair dye", + "coffee brown hair dye natural", + "coffee brown hair dye. natural", + "coffee brown hair dye natural no sugar" + ], + "i'm looking for protein snacks that are very high in protein and contain pumpkin seeds. i'm lactose intolerant.": [ + "protein snacks high in protein and contain pumpkin seeds", + "protein snacks that are high in protein and contain pumpkin seeds", + "protein snacks that are very high in protein and contain pumpkin seeds", + "protein snacks high in protein and contain pumpkin seeds. im lactose intolerant.", + "protein snacks high in protein and contain pumpkin seeds, lactose intolerant", + "protein snacks that are high in protein and contain pumpkin seeds, lactose intolerant", + "protein snacks high in protein and contain pumpkin seeds that are lactose intolerant", + "protein snacks high in protein with pumpkin seeds", + "protein snacks with pumpkin seeds", + "protein snacks high protein and contain pumpkin seeds" + ], + "i'm looking for a comfortable pair of mens jeans. they should be shadow black and slim fitting.": [ + "comfortable pair of mens jeans", + "comfortable mens jeans slim fitting", + "slim fitting mens jeans", + "mens jeans slim fitting", + "comfortable mens jeans", + "mens jeans, shadow black", + " comfortable pair of mens jeans", + "mens jeans slim fitting", + "mens jeans", + "walking mens jeans" + ], + "i am looking for slim comfortable fit jeans that is long lasting.": [ + "slim comfortable fit jeans long lasting", + "slim comfortable fit jeans", + "slim comfortable fit jeans long lasting.", + " slim comfortable fit jeans long lasting", + "slim comfortable fit jeans, long lasting", + "slim comfortable fit jeans with long lasting", + "slim comfortable fit jeans long lasting", + "l slim comfortable fit jeans long lasting", + "short lasting slim comfortable fit jeans", + " slim comfortable fit jeans" + ], + "i'm looking for comfortable fit regular jean which must be machine wash with long lasting imported zipper": [ + "comfortable fit regular jean with long lasting imported zipper", + "comfortable fit regular jean", + "coaxial jean with long lasting imported zipper", + " comfortable fit regular jean with long lasting imported zipper", + "comfortable fit regular jean, machine wash", + "comfortable fit regular jean under $40", + "comfortable fit regular jean which must be machine wash", + "comfortable fit regular jean with long lasting imported zipper,", + "comfortable fit regular jean machine wash", + "coaxial jean" + ], + "i would like a 28 wide by 34 long big and tall pair of dax jeans that can be machine washed.": [ + "28 wide by 34 long big and tall pair of dax jeans", + "28 wide by 34 long dax jeans", + "28 wide by 34 long dax jeans that can be machine washed", + "28 wide by 34 long big and tall dax jeans", + "28 wide by 34 long long and tall pair of dax jeans", + "28 wide by 34 long dax jeans machine washed", + "28 wide by 34 long fat and tall dax jeans", + "28 wide by 34 long big and tall woman dax jeans", + "28 wide by 34 long long and tall dax jeans", + "28 wide by 34 long big and tall jeans" + ], + "i would like a 30 wide by 40 long big and tall pair of acorn jeans with a comfortable fit.": [ + "30 wide by 40 long big and tall pair of acorn jeans", + "30 wide by 40 long big and tall acorn jeans", + "30 wide by 40 long comfortable fit acorn jeans", + "30 wide by 40 long acorn jeans with a comfortable fit", + "30 wide by 40 long wide acorn jeans with a comfortable fit", + "30 wide by 40 long long and tall pair of acorn jeans", + "30 wide by 40 long long comfortable fit acorn jeans", + "30 wide by 40 long fat and tall acorn jeans", + "30 wide by 40 long wide acorn jeans", + "30 wide by 40 long acorn jeans" + ], + "i'm locking for a cowboy cut original fit jean for men's.": [ + "cowboy cut original fit jean for mens", + "cowboy cut original fit jean for mens.", + "cowboy cut original fit jean mens", + "cowboy cut original fit jean mens.", + "cowboy cut original fit jean mens under $50", + "cowboy cut original fit jean mens under $40", + "cowboy cut original fit jean", + "cowboy cut original fit jean for mens,", + "cowboy cut jean for mens", + "cowboy cut jean for mens." + ], + "i'm looking for a pair of comfortably fitting men's jeans in the size of 33 wide by 34 length.": [ + "33 wide by 34 length mens jeans", + "comfortable fit mens jeans 33 wide by 34 length", + "comfortable fitting mens jeans 33 wide by 34 length", + "walking mens jeans 33 wide by 34 length", + "mens jeans 33 wide by 34 length", + "jean 33 wide by 34 length", + "32 wide by 34 length mens jeans", + "33 wide by 34 length mens jeans under $50", + "33 wide by 34 length mens jeans under $40", + "33 wide by 34 length mens jeans with comfortable fit" + ], + "i would like some low carb elbow noodles that come in a six pack.": [ + "low carb elbow noodles six pack", + "low carb elbow noodles in a six pack", + "low carb elbow noodles, six pack", + "low carb elbow noodles 6 pack", + "low carb elbow noodles pack six pack", + "low carb elbow noodles six pack below $50", + "low carb elbow noodles six pack under $60", + "low carb elbow noodles that are six pack", + "low carb elbow noodles six pack below $40", + "low carb elbow noodles six pack under $50" + ], + "i'm looking for an extra-large women's swimsuit that is moisture-wicking. it needs to be green.": [ + "extra-large womens swimsuit", + "extra-large womens swimsuit with moisture-wicking", + "extra-large womens swimsuit, moisture-wicking", + "extra-large womens swimsuit is moisture-wicking", + "extra-large womens swimsuit with a green color", + "extra-large womens swimsuit with a color", + "extra-large womens swimsuit in a green", + "extra-large womens swimsuit, green", + "extra-large womens swimsuit green", + "extra large womens swimsuit" + ], + "i want machine washable christmas scene white decorative pillow covers in size square 22 x 22 inches.": [ + "machine washable christmas scene white decorative pillow covers", + "machine washable christmas scene white decorative pillow covers size square 22 x 22 inches", + "machine washable christmas scene white decorative pillow covers 22 x 22 inches", + "machine washable christmas scene white decorative pillow covers size 22 x 22 inches", + "machine washable christmas scene white decorative pillow covers x 22 inches", + "machine washable christmas scene white decorative pillow covers in size square 22 x 22", + "white decorative pillow covers in size square 22 x 22 inches", + "machine washable christmas scene white decorative pillow covers size square 22 x 22", + "white decorative pillow covers size 22 x 22 inches", + "white decorative pillow covers 22 x 22 inches" + ], + "i want to buy pillow covers which are machine washable and have ombre blue grey color and have a size of square 20 x 20 inches.": [ + "pump covers that are machine washable and have ombre blue grey color", + "pump covers which are machine washable and have ombre blue grey color", + "pink pillow covers with ombre blue grey color", + "pink pillow covers that are machine washable and have ombre blue grey", + "pump covers that are machine washable and ombre blue grey", + "pump covers that are machine washable and have ombre blue grey", + "pink pillow covers that are machine washable and ombre blue grey", + "pink pillow covers, machine washable and ombre blue grey", + "pump covers with ombre blue grey color", + "pink pillow covers in ombre blue grey" + ], + "i am looking for a folding mattress of size 90cm\u00d7190cm for my living room.": [ + "90cm\u00d7190cm folding mattress", + "90cm\u00d7190cm folding mattress for living room", + "90cm x190cm folding mattress", + "90cm x190cm folding mattress for living room", + "folding mattress of size 90cm\u00d7190cm", + "90cm\u00d7190cm living room folding mattress", + "compact mattress of size 90cm\u00d7190cm", + "comfortable mattress of size 90cm\u00d7190cm", + "90cm\u00d7190cm living room mattress", + "90cm x190cm" + ], + "i am interested in a black travel sized cosmetic bag.": [ + "black travel sized cosmetic bag", + "black travel sized cosmetic bag.", + "a black travel sized cosmetic bag", + "bag black travel sized cosmetic bag", + "black travel sized cosmetic bag,", + "white travel sized cosmetic bag", + "clothing bag black travel sized", + "plastic bag black", + "bag black travel sized", + "clothing bag black" + ], + "i need a xmarto wireless home security camera system with motion detection.": [ + "xmarto wireless home security camera system with motion detection", + " xmarto wireless home security camera system with motion detection", + "xxmarto wireless home security camera system with motion detection", + "xmarto wireless home security camera system", + " xmarto wireless home security camera system", + "xxmarto wireless home security camera system", + "womens security camera system with motion detection", + "xmarto wireless home security camera system, motion detection", + "xmarto wireless home security camera system motion detection", + "xmarto wireless home security camera with motion detection" + ], + "i am looking for a dual band streaming player that has 4gb of ram and 64gb of storage.": [ + "dual band streaming player with 4gb of ram", + "dual band streaming player with 4gb of ram and 64gb", + "dual band streaming player with 4gb ram and 64gb storage", + "dual band streaming player 4gb of ram with 128gb storage", + "dual band streaming player with 4gb of ram with storage", + "dual band streaming player 4gb of ram", + "dual band streaming player that has 4gb of ram", + "dual band streaming player", + "dual band streaming player under $40", + "dual band streaming player with 4gb" + ], + "i am looking for a 3 cheese wine country gift basket with italian salame.": [ + "3 cheese wine country gift basket with italian salame", + "3 cheese wine country gift basket italian salame", + "3 cheese wine country gift basket with italian salame.", + "3 cheese wine country gift basket", + "3 cheese wine country gift basket, italian salame", + "3 cheese wine country gift basket with italian salame,", + " 3 cheese wine country gift basket with italian salame", + "three cheese wine country gift basket with italian salame", + "2 cheese wine country gift basket with italian salame", + "3 cheese wine country gift basket under $60" + ], + "i am interested in earth tone blinds that are easy to install and are 43\" by 56\"": [ + "earth tone blinds that are easy to install", + "earth tone blinds 43 by 56", + "earth tone blinds, 43 by 56", + "earth tone blinds easy to install 43 by 56", + "earth tone blinds 42 by 56", + "earth tone blinds43 by 56", + "earth tone blinds with 43 by 56", + "earth tone blinds", + "earth tone blinds under $40", + "earth tone blind" + ], + "i am looking for a light brown - 100% blackout 50\"w x 72\"h roller shades which is easy to install.": [ + "light brown roller shades", + "light brown 100% blackout 50w x 72h roller shades", + "light brown roller shades that are easy to install", + "light brown roller shades that is easy to install", + "50w x 72h roller shades", + "50w x 72h roller shades that is easy to install", + "50w x 72h roller shades easy to install", + "light brown roller shades, easy to install", + "light brown roller shades under $50", + "light brown" + ], + "i am looking for easy install blackout roller shades no tools needed. 12'w x 48\"h": [ + "easy install blackout roller shades 12w x 48h", + "easy install blackout roller shades no tools", + "easy install blackout roller shades", + "easy install blackout roller shades, 12w x 48h", + "easy install blackout roller shades no tools needed", + "easy install blackout roller shades with tools", + "easy to install blackout roller shades 12w x 48h", + "black blackout roller shades 12w x 48h", + "easy install blackout roller shades under $50", + "easy install blackout roller shades 12w x 48h," + ], + "i want to find a two-pack of 2-ounce beef jerky bags that are high in protein and come in a variety of flavors.": [ + "two-pack of 2-ounce beef jerky bags", + "two-pack of 2-ounce beef jerky bags in a variety of flavors", + "two-pack of 2-ounce beef jerky bags variety of flavors", + "two-pack of 2-ounce beef jerky bags that are high in protein", + "two-pack of 2-ounce beef jerky bags with a variety of flavors", + "two-pack of 2-ounce beef jerky bags with protein", + "two-pack of 2ounce beef jerky bags", + "two-pack of beef jerky bags", + "2-pack of beef jerky bags", + "2-ounce beef jerky bags" + ], + "i am looking for size 13 evergreen clogs with vinyl acetate.": [ + "green clogs with vinyl acetate size 13", + "green clogs with vinyl acetate", + "size 13 vinyl acetate clogs", + "12 evergreen clogs with vinyl acetate", + "almond clogs with vinyl acetate", + "slimming clogs 13 vinyl acetate", + "green clogs with vinyl acetate 13", + "alarm clogs with vinyl acetate", + "aluminum clogs size 13", + "size 13 evergreen clogs" + ], + "i want to find an emergency radio that's water resistant and includes aaa batteries.": [ + "water resistant emergency radio with aaa batteries", + "an emergency radio that is water resistant and includes aaa batteries", + "emergency radio that is water resistant and includes aaa batteries", + "an emergency radio that is water resistant with aaa batteries", + "water resistant radio with aaa batteries", + "emergency radio that is water resistant with aaa batteries", + "an emergency radio with aaa batteries", + "emergency radio with aaa batteries", + "an emergency radio that is water resistant", + "water resistant emergency radio" + ], + "i'd like to get men's straight-legged jeans that are 38 centimeters in width and 30 centimeters in length. the color should be waterless rose.": [ + "mens straight-legged jeans 38 centimeters in width and 30 centimeters in length", + "mens straight leg jeans 38 centimeters in width and 30 centimeters in length", + "mens straight-legged jeans that are 38 centimeters in width and 30 centimeters in length", + "mens straight leg jeans that are 38 centimeters in width and 30 centimeters in length", + "mens straight-legged jeans 38 centimeters in width and 30 centimeters in length under $40", + "mens straight leg jeans 38 centimeters in width and 30 centimeters in length, waterless rose", + "mens straight-legged jeans 38 centimeters in width and 30 centimeters in length", + "mens straight leg jeans 38 centimeters in width and 30 centimeters in length under $40", + "mens straight-legged jeans 38 centimeters in width and 30 centimeters in length under $50", + "mens straight-legged jeans with 38 centimeters in width and 30 centimeters in length" + ], + "i am looking for gluten free chili bean sauce.": [ + "gluten free chili bean sauce", + "gluten free chili bean sauce under $40", + "gluten free chili bean sauce under $60", + "gluten free chili bean sauce under $50", + "gluten free chili bean sauce.", + "gluten free chili bean sauce under 50 dollars", + "gluten free chili bean sauce under 40 dollars", + "gluten free chili bean sauce under 30 dollars", + "gluten free chili bean sauce below $40", + "gluten free chili bean sauce under 60 dollars" + ], + "i need white non slip working shoes that in a size 10.5 for women": [ + "white non slip working shoes size 10.5 for women", + "white non slip working shoes", + "white non slip working shoes in a size 10.5", + "white non slip working shoes size 10.5", + "white non slip working shoes 10.5 for women", + "white non slip working shoes size 10.5 women", + "white non slip working shoes, size 10.5", + "white non slip working shoes for women size 10.5", + "white non slip working shoes 10.5", + "white non slip working shoes for women" + ], + "i am looking for a high quality makeup mirror.": [ + "high quality makeup mirror", + "high quality makeup mirror.", + "high quality makeup mirror under $40", + "high quality makeup mirror under $50", + "high quality makeup mirror under $60", + "high quality makeup mirror under 30 dollars", + "high quality makeup mirror under 50 dollars", + "beauty mirror that is high quality", + "beauty mirror high quality", + "high quality makeup mirror under 40 dollars" + ], + "i would like some pink wedges that provide all day comfort and are a size 8.5.": [ + "pink wedges 8.5", + "pink wedges that provide all day comfort", + "pink wedges size 8.5", + "pink wedges", + "pink wedges, size 8.5", + "pink wedges, all day comfort", + "pink wedges small 8.5", + "pink wedges 8.5.", + "pink wedges with all day comfort", + "pink wedges size 8.5." + ], + "i need a high heel 8.5 sized , z92-purple wedge platform sandals for women": [ + "high heel 8.5 sized , z92-purple wedge platform sandals for women", + "high heel 8.5 sized z92-purple wedge platform sandals for women", + "high heel 8.5 size , z92-purple wedge platform sandals for women", + "high heel 8.5 sized , z92-purple wedge platform sandals", + "low heel 8.5 sized , z92-purple wedge platform sandals for women", + "high heel 8.5 sized z92-purple wedge platform sandals", + "high heel 8.5-purple wedge platform sandals for women", + "high heel 8.5 sized , z92-purple wedge platform sandals, women", + "high heel 8.5 x 5 foot sandals for women", + "high heel 8.5 size , z92-purple wedge platform sandals" + ], + "i am interested in hdmi cables that have output protection.": [ + "hdmi cables with output protection", + "hdmi cables that have output protection", + " hdmi cables with output protection", + "hdmi cables with output protection", + "hdmi cables no output protection", + "tv cables with output protection", + " hdmi cables that have output protection", + "dhdmi cables with output protection", + "hdmi cables output protection", + "hdmi cables with output protection." + ], + "i would like a white size 6 sandal with a rubber sole.": [ + "white sandal with a rubber sole", + "size 6 sandal with a rubber sole", + "white sandal", + "white sandal with a rubber sole.", + "white sandal, rubber sole", + "white sandal with rubber sole", + "white sandal with a rubber sole,", + "white sashal with a rubber sole", + "white sandal size 6", + "white sandal size 6 rubber sole" + ], + "i would like a standard sofa table that has a wood finish.": [ + "standard sofa table wood finish", + "standard sofa table with wood finish", + "standard sofa table with a wood finish", + "standard sofa table that has wood finish", + "standard sofa table, wood finish", + "standard sofa table has a wood finish", + "living room sofa table wood finish", + "standard sofa table with wood finish.", + "standard sofa table", + "standard sofa table with wood finish," + ], + "get me a hands free two way radio. get the two pack charging station option.": [ + "two pack charging station", + "two pack charging station for radio", + "two pack charging station radio", + "two pack charging station under $40", + "two pack charging station under $60", + "two pack charging station under $50", + "one pack charging station", + "two pack charging station,", + "two pack charging stations", + "three pack charging station" + ], + "i would like a desk set with a steel frame.": [ + " desk set with a steel frame", + "desktop set with a steel frame", + "wooden set with a steel frame", + "tablet set with a steel frame", + "desktop set with steel frame", + " desk set with a steel frame.", + "wooden set with steel frame", + "office set with a steel frame", + "wooden desk set with steel frame", + " desk set with steel frame" + ], + "i want to find a birthday cake topper that i can use for my birthday party.": [ + "birthday cake topper for a baby shower", + "birthday cake topper", + "birthday cake topper for baby shower", + "baby shower cake topper", + "birthday cake toppers for a baby shower", + "birthday cake topper for birthday party", + "birthday cake topper for a birthday party", + "birthday cake topper for a girl", + "birthday cake topper under $50", + "birthday cake topper for a party" + ], + "i am looking for a 36 count pack of soy free fruit and nut bars.": [ + "36 count pack of soy free fruit and nut bars", + "28 count pack of soy free fruit and nut bars", + "24 count pack of soy free fruit and nut bars", + "12 count pack of soy free fruit and nut bars", + "bag of soy free fruit and nut bars", + "strawberry free fruit and nut bars 36 count", + "strawberry free fruit and nut bars", + "synthetic fruit and nut bars 36 count", + "strawberry and nut bars 36 count", + "shoes free fruit and nut bars 36 count" + ], + "i want to find a pair of wireless bluetooth headphones.": [ + "pair of wireless bluetooth headphones", + "womens wireless bluetooth headphones", + "two wireless bluetooth headphones", + "wireless bluetooth headphones", + "a pair of wireless bluetooth headphones", + "pair of wireless bluetooth wireless headphones", + "pink wireless bluetooth headphones", + "pair of wireless bluetooth headphones.", + "pair wireless bluetooth headphones", + "2 wireless bluetooth headphones" + ], + "i would like a lotion that is mango scented and cruelty free that comes in 32 ounces.": [ + "mango scented and cruelty free lotion 32 ounces", + "mango scented cruelty free lotion 32 ounces", + "pomegranate scented cruelty free lotion 32 ounces", + "mango scented and cruelty free lotion 32 oz", + "mango scented and cruelty free", + "mango scented cruelty free lotion 32 oz", + "mango scented and cruelty free lotion", + "vegan lotion that is mango scented and cruelty free", + "moisturizing lotion 32 ounces", + "mango scented cruelty free" + ], + "looking for one snack of jalapeno n cheddar smoked gluten free with high protein": [ + "jalapeno n cheddar smoked gluten free", + "jalapeno n cheddar smoked gluten free snack", + "sugar free jalapeno n cheddar smoked gluten free", + "sugar jalapeno n cheddar smoked gluten free", + "jalapeno n cheddar smoked gluten free snacks", + "sneakers jalapeno n cheddar smoked gluten free", + "sugar pomegranate n cheddar smoked gluten free", + "bagel pomegranate n cheddar smoked gluten free", + "sugar jalapeno n cheddar smoked gluten free snack", + "sugar pomegranate n cheddar smoked gluten free snack" + ], + "i want to buy some hair growth shampoo that is bamboo and charcoal scented in a 10 ounce bottle.": [ + "hair growth shampoo bamboo and charcoal scented in a 10 ounce bottle", + "bamboo and charcoal scented hair growth shampoo 10 ounce bottle", + "shampoo bamboo and charcoal scented in a 10 ounce bottle", + "baby shower shampoo bamboo and charcoal scented in a 10 ounce bottle", + "hair growth shampoo bamboo and charcoal scented 10 ounce bottle", + "shampoo bamboo and charcoal scented 10 ounce bottle", + "bamboo and charcoal scented hair growth shampoo", + "baby shower shampoo bamboo and charcoal scented 10 ounce bottle", + "bran and charcoal scented hair growth shampoo 10 ounce bottle", + "bamboo and charcoal scented hair growth shampoo 10 ounce" + ], + "i'm looking for a lip balm that would help minimize dead skin caused by dry lips in the winter.": [ + "lip balm for dead skin", + "lip balm", + "lip balm with dead skin", + "lip balm to minimize dead skin", + "lip balm that would help minimize dead skin", + "lip balm for dead skin in the winter", + "lip balm dead skin", + "lip balm for dry lips in the winter", + "lip balm, dead skin", + "lip balm for dry lips" + ], + "i would like a black 3'11'' x 5'3'' rug for my dining room.": [ + "black 311 x 53 rug dining room", + "black 311 x 53 rug for dining room", + "black 311 x 53 rug for dining room.", + "black 311 x 53 rug for my dining room", + "black 311 x 53 rug", + "living room rug black 311 x 53", + "black 311 x 53 rug dining room.", + "black 311 x 53 rug for the dining room", + "black 311 x 53 rug living room", + "living room black 311 x 53 rug" + ], + "i am looking for a high resolution portrait of green forest natural scenery.": [ + "high resolution portrait of green forest natural scenery", + "green forest natural scenery high resolution", + "green forest natural scenery", + "low resolution portrait of green forest natural scenery", + "green forest natural scenery that is high resolution", + "green forest natural scenery, high resolution", + "high resolution portrait green forest natural scenery", + "green forest natural scenery.", + "green forest natural scenery under $40", + "green forest natural scenery under 30 dollars" + ], + "i'm looking for a photo studio background that's light weight and has a high definition image. it should be five by three feet.": [ + "5 by 3 foot photo studio background", + "5 by 3 feet photo studio background", + "photo studio background five by three feet", + "5 by three foot photo studio background", + "portrait five by three feet", + "portrait five by three feet high definition", + "light weight photo studio background", + "5x3 photo studio background", + "photo studio background 5 by 3 feet", + "photo studio background that is light weight" + ], + "i want a high resolution portrait background that is 10x7ft in size.": [ + "high resolution portrait background that is 10x7ft", + "high resolution portrait background 10x7ft", + "10x7 portrait background", + "high resolution portrait background 10x7ft in size", + "10x7 high resolution portrait background", + "10x7 portrait background that is high resolution", + "10x7 portrait background in high resolution", + "10x7 portrait background with high resolution", + "10x7 portrait background, 10x7ft", + "10x7ft portrait background" + ], + "i am looking for a high definition a19 color background.": [ + "high definition a19 color background", + "a19 color background", + "high definition a19 color background.", + "a19 color background high definition", + "blue high definition a19 color background", + "low definition a19 color background", + "high definition color background", + "a19 color background.", + "a19 color background, high definition", + "19 color background" + ], + "searching in the photo studio, i am looking for green forest natural scenery landscape portrait background studio prop that is of high resolution and definition. the approximate size is 9x6ft|2.7x1.8m.": [ + "green forest natural scenery landscape portrait background studio prop", + "green forest natural scenery portrait background studio prop", + "green forest natural scenery landscape portrait background studio prop 9x6ft", + "green forest natural scenery portrait background studio prop 9x6ft", + "green forest natural scenery portrait background studio prop that is of high resolution", + "green forest natural scenery landscape portrait size 9x6ft", + "green forest natural scenery landscape portrait frame", + "green forest natural scenery landscape portrait", + "green forest natural scenery backdrop studio prop", + "green forest natural scenery" + ], + "i am looking for small long sleeve women's christmas cardigan with pockets.": [ + "small long sleeve womens christmas cardigan with pockets", + "small long sleeve womens christmas cardigan", + "small long sleeve womens christmas cardigan with pocket", + "womens christmas cardigan with pockets", + "womens christmas cardigan", + "womens christmas cardigan with pocket", + "small long sleeve womens christmas cardigan in pockets", + "small long sleeve womens christmas cardigan pocket", + "slimming womens christmas cardigan", + "slimming womens cardigan" + ], + "i am looking for wall mounted security camera for home security": [ + "wall mounted security camera for home security", + "wall mounted security camera", + "wall mounted security camera, for home security", + "wall mounted security camera, home security", + "wall mounted security camera home security", + "wall mounted security camera that is home security", + "wall mounted security camera to home security", + "wall mounted security camera for home security,", + "wall mounted security camera with home security", + "home security camera" + ], + "i am looking for a clear glass office desk that is white.": [ + "white office desk", + "white clear glass office desk", + "white office desk that is clear", + "white office desk, clear glass", + "white office desk that is white", + "white office desk white", + "white office desk with clear glass", + "white office desk clear glass", + "clear glass office desk white", + "white white office desk" + ], + "i need a fast charging usb c wall charger.": [ + "fast charging usb c wall charger", + "temporary charging usb c wall charger", + "memory charging usb c wall charger", + "wirelessly charging usb c wall charger", + "wireless charging usb c wall charger", + "tempered charging usb c wall charger", + " fast charging usb c wall charger", + "fast charging usb c wall charger.", + "fast charging usb c wall charger,", + "wall charger" + ], + "i want to find an 8 ounce soy wax candle that is unscented.": [ + "8 ounce soy wax candle", + "8 ounce soy wax candle unscented", + "8 ounce soy wax candle, unscented", + "8 ounce soy wax candle in unscented", + "8 ounce soy wax candle under $40", + "8 ounce soy wax candle under $60", + "8 ounce soy wax candle under $50", + "8 ounce soy wax candle unscented.", + "8 oz soy wax candle", + "8oz soy wax candle" + ], + "i am looking for gluten free sea salt.": [ + "gluten free sea salt", + "gluten free sea salt under $40", + "gluten free sea salt under $50", + "gluten free sea salt under $60", + "gluten free sea salt below $40", + "gluten free sea salt under 50 dollars", + "gluten free sea salt below $50", + "gluten free sea salt under 30 dollars", + "gluten free sea salt.", + "gluten-free sea salt" + ], + "get me a high-quality cosmetic bag with palm trees on it.": [ + "beauty bag with palm trees", + "medical bag with palm trees", + "lip gloss cosmetic bag with palm trees", + "plastic cosmetic bag with palm trees", + "clothing bag with palm trees", + " cosmetic bag with palm trees", + "lip cosmetic bag with palm trees", + "beauty bag, palm trees", + "medical bag with palm trees high quality", + "beauty bag" + ], + "looking for a soap that is antifugal and antibacterial with natural ingredients to wash the body": [ + "antifugal and antibacterial soap", + "antiifugal and antibacterial soap", + "antifugal antibacterial soap", + "antifugal and antibacterial soap natural", + "sneakers antifugal and antibacterial", + "anti-antifugal and antibacterial soap", + "natural soap antifugal and antibacterial", + "antiifugal antibacterial soap", + "antifugal and antibacterial", + "antifugal and antibacterial soap, natural" + ], + "i am looking for an xx-large short sleeve casual v-neck t-shirt.": [ + "xxl short sleeve casual v-neck t-shirt", + "xx-large casual v-neck t-shirt", + "xxl long sleeve casual v-neck t-shirt", + "xx-large t-shirt", + "xxl t-shirt", + " xx-large t-shirt", + "xx-large t-shirt under $50", + "xx-large t-shirt under $40", + "xx-large t-shirt under 50 dollars", + "xx-large t-shirt." + ], + "i am looking for a carbon fiber tripod.": [ + "carbon fiber tripod", + "carbon fiber tripod.", + "coaxial fiber tripod", + "aluminum fiber tripod", + "carbon fiber tripod under $50", + "carbon fiber tripod under $40", + "carbon fiber tripod", + "carbon fiber tripod under $60", + "carbon fiber tripod under $130", + "carbon fiber tripod under $120" + ], + "i am looking for stainless steel long carbon fiber 3 series| 3 section long tripod": [ + "stainless steel long carbon fiber 3 series tripod", + "stainless steel long carbon fiber 3 series", + "stainless steel long carbon fiber 3 section long tripod", + "stainless steel long carbon fiber 3", + "stainless steel long carbon fiber 3x long tripod", + "stainless steel long carbon fiber tripod", + "stainless steel long carbon fiber 3 pattern long tripod", + "stainless steel long carbon fiber 3 tripod", + " stainless steel long carbon fiber 3 series tripod", + "3 section long tripod" + ], + "i want a benro mach3 long carbon fiber aluminum tripod.": [ + " benro mach3 long carbon fiber aluminum tripod", + "benro mach3 long carbon fiber aluminum tripod", + "lenro mach3 long carbon fiber aluminum tripod", + " benro mach 3 long carbon fiber aluminum tripod", + " benro mach3 long carbon fiber aluminum tripod.", + "benro mach3 long carbon fiber aluminum tripod", + "bennro mach3 long carbon fiber aluminum tripod", + "bene mach3 long carbon fiber aluminum tripod", + "banro mach3 long carbon fiber aluminum tripod", + "benro mach3 long carbon fiber aluminum tripod." + ], + "i need a supershieldz glass screen protector for samsung galaxy tab s2 8.0.": [ + "samsung galaxy tab s2 8.0", + "supershieldz glass screen protector samsung galaxy tab s2 8.0", + "pshieldz glass screen protector samsung galaxy tab s2 8.0", + "samsung galaxy tab s2 8.0.", + "samsung galaxy tab s2 8.0 screen protector", + "pshieldz glass screen protector for samsung galaxy tab s2 8.0", + "supercompactz glass screen protector samsung galaxy tab s2 8.0", + "samsung galaxy tab s2 8.0, supershieldz", + "samsung galaxy tab s2 8.0 with a supershieldz screen protector", + "samsung galaxy tab s2 8.0 with screen protector" + ], + "i am looking for a gluten free chicken sticks with high protein. also choose pepper flavor and 6 stick pack.": [ + "gluten free chicken sticks 6 stick pack", + "gluten free chicken sticks with high protein and 6 stick pack", + "gluten free chicken sticks with high protein flavor and 6 stick pack", + "gluten free chicken sticks with high protein flavor 6 stick pack", + "gluten free chicken sticks with high protein", + "gluten free chicken sticks with high protein, 6 stick pack", + "gluten free chicken sticks with high protein in a 6 stick pack", + "gluten free chicken sticks, 6 stick pack", + "gluten free chicken sticks with high protein and are 6 stick pack", + "gluten free chicken sticks in a 6 stick pack" + ], + "get me a seventy centimeter wall mounted mirror that's easy to install.": [ + "temporary wall mounted mirror", + "two foot wall mounted mirror", + "synthetic mirror", + "living room mirror", + "home theater mirror seventy centimeter", + "living room mirror seventy centimeter", + "temporary mirror seventy centimeter", + "home mounted mirror", + "home theater mirror", + "temporary mirror" + ], + "i'd like to get coaxial cables that are plated with gold.": [ + "coaxial cables plated with gold", + "coaxial cable plated with gold", + "curtial cables plated with gold", + "coaxial cables gold", + "coaxial cables with gold", + "coaxial cables pated with gold", + " coaxial cables plated with gold", + "coaxial cables in gold", + "coaxial cables", + "coaxial cables plated gold" + ], + "i am interested in a mattress pad that is the color e and is 180 by 200 cm.": [ + " mattress pad that is the color e and is 180 by 200 cm", + "matte pad that is the color e and is 180 by 200 cm", + "maternity pad that is the color e and is 180 by 200 cm", + "portrait pad that is the color e and is 180 by 200 cm", + " mattress pad that is the color e and is 180 by 200 cm.", + " mattress pad that is the color e, 180 by 200 cm", + "sneakers 180 by 200 cm", + "pink mattress pad that is the color e", + "portrait pad that is the color e", + "pink mattress pad" + ], + "i'm looking for a small mens t-shirt that is machine washable and made of polyester or cotton.": [ + "small mens t-shirt made of polyester or cotton", + "small mens t-shirt with polyester or cotton", + "small mens t-shirt made from polyester or cotton", + "small mens t-shirt", + "small mens t-shirt that is machine washable", + "mens t-shirt made of polyester or cotton", + "mens t-shirt made of polyester or cotton", + "small mens t-shirt with polyester", + "small mens t-shirt made of polyester", + "mens t-shirt" + ], + "i am interested in hand crafted snack gifts.": [ + "hand crafted snack gifts", + "hand crafted snack gifts.", + "hand crafted snack gifts under 50 dollars", + "hand crafted snack gifts under $50", + "hand crafted snack gifts under $40", + "hand crafted snack gifts under 40 dollars", + "hand crafted snack gifts under 30 dollars", + "hand crafted snack gifts under $60", + "hand crafted snack gifts under 60 dollars", + "hand crafted snack gifts under 120 dollars" + ], + "i'm looking for a 50-pack of black usb plugs that last for a long time.": [ + "50-pack of black usb plugs", + "50-pack of black usb plug", + "50-pack black usb plugs", + "black usb plugs that last for a long time", + "50-pack of black usb plugs long-lasting", + "50-pack black usb plug", + "50-pack of black usb plugs under $50", + "black usb plug 50-pack", + "black usb plug", + "black usb plugs" + ], + "i would like a clear glass screen protector for my galaxy watch 4.": [ + "clear glass screen protector for my galaxy watch 4", + "clear glass screen protector for galaxy watch 4", + "clear glass screen protector for my galaxy watch 4.", + "clear glass screen protector for a galaxy watch 4", + "clear glass screen protector for galaxy watch 4.", + "a clear glass screen protector for my galaxy watch 4", + "clear glass screen protector for the galaxy watch 4", + "clear glass screen protector for a galaxy watch 4.", + "sky clear glass screen protector for my galaxy watch 4", + "glass screen protector for galaxy watch 4" + ], + "i am looking for an easy to use sonic toothbrush for kids, 1 pack.": [ + "easy to use sonic toothbrush, 1 pack", + "sonic toothbrush for kids 1 pack", + "sonic toothbrush for kids, 1 pack", + "soundproof toothbrush for kids 1 pack", + "kids sonic toothbrush 1 pack", + "easy to use sonic toothbrush for kids", + "bathroom toothbrush for kids 1 pack", + "pocketbrush for kids 1 pack", + "pocketbrush for kids, 1 pack", + "5 pack sonic toothbrush for kids" + ], + "buy me some hiking boots with rubber soles. get them in red, size eight.": [ + "hiking boots with rubber soles size eight", + "pink hiking boots with rubber soles", + "hiking boots with rubber soles red", + " hiking boots with rubber soles size eight", + "hiking boots with rubber soles in red", + "hiking boots red size eight", + " hiking boots with rubber soles red hiking boots", + "hiking boots red hiking boots", + "hiking boots size eight", + "pink hiking boots" + ], + "i need 16 inch long dark brown goo goo remy hair extensions tape.": [ + "16 inch long dark brown goo goo remy hair extensions tape", + "16 inch long dark brown goo goo remy hair extension tape", + "teen inch long dark brown goo goo remy hair extensions tape", + "16 ft long dark brown goo goo remy hair extensions tape", + "16 foot long dark brown goo goo remy hair extensions tape", + " 16 inch long dark brown goo goo remy hair extensions tape", + "16 inch long dark brown wig extensions tape", + "16 inch long dark brown goo goo remy hair extensions", + "16 inch long dark brown hair extensions tape", + "16 inch long dark brown wig extension tape" + ], + "i am looking for coaxial cable brass connector of size 195ft having high speed.": [ + "coaxial cable brass connector of size 195ft", + " coaxial cable brass connector of size 195ft", + "coaxial cable brass connector", + "curtial cable brass connector of size 195ft", + "coaxial cable brass connector in size 195ft", + "coaxial cable brass connector, size 195ft", + "coaxial cable brass connector that is high speed", + "tunnelial cable brass connector of size 195ft", + "coaxial cable brass connector size 195ft", + " coaxial cable brass connector" + ], + "i am looking for a 400 foot long high speed coaxial cable.": [ + "400 foot long high speed coaxial cable", + "4 ft long high speed coaxial cable", + "coaxial cable 400 foot long", + "large high speed coaxial cable", + "projectial cable 400 foot long", + "high speed coaxial cable", + "projection cable 400 foot long", + "400 foot long high speed cable", + "coaxial cable", + "projectial cable" + ], + "i'm looking for high speed accessories for video cables.": [ + "high speed accessories for video cables", + "high speed accessories for video cables.", + "high speed accessories for video cables under $40", + "high speed accessories for video cables under $50", + "high speed accessories for video cables under $60", + "high speed accessories for video cables under 50 dollars", + "high speed accessories for video cables under $120", + "tv cables high speed accessories", + "high speed accessories", + "tv cables high speed" + ], + "i want a 280ft black tri-shield weather seal indoor outdoor rg-6 coaxial cable.": [ + "280ft black tri-shield weather seal indoor outdoor rg-6 coaxial cable", + " 280ft black tri-shield weather seal indoor outdoor rg-6 coaxial cable", + "28ft black tri-shield weather seal indoor outdoor rg-6 coaxial cable", + "280ft black tri-shield weather seal indoor outdoor rg-6 cable", + "280ft black Tri-shield weather seal indoor outdoor rg-6 coaxial cable", + "280ft black quad-shield weather seal indoor outdoor rg-6 coaxial cable", + "280ft black tri-shield weather seal indoor outdoor rg-6", + " 280ft black tri-shield weather seal indoor outdoor rg-6 cable", + "280ft black tri-shield weather seal indoor outdoor rg-6 cable.", + "280ft black indoor outdoor rg-6 coaxial cable" + ], + "i'm looking for men's swiftwater river relaxed fit sandal of size 9": [ + "mens swiftwater river relaxed fit sandal of size 9", + "mens swiftwater river relaxed fit sandal", + "mens swiftwater river relaxed fit sandal size 9", + "mens swiftwater river relaxed fit sandal of size 9", + "mens swiftwater river relaxed fit sandal in a size 9", + "mens swiftwater river relaxed fit sandal in size 9", + "mens swiftwater river relaxed fit sandal", + "mens swiftwater river relaxed fit sandal, size 9", + "mens swiftwater river relaxed fit sandal mens size 9", + "mens swiftwater river relaxed fit sandal size 9 mens" + ], + "i'm looking for a volleyball shorts in low rise and in a 02navy colour and large size": [ + " volleyball shorts in low rise and in a 02navy colour", + " volleyball shorts in low rise in a 02navy colour", + " volleyball shorts in low rise in a 02navy colour and large size", + "knee shorts in low rise and in a 02navy colour", + "6 foot volleyball shorts in low rise and in a 02navy colour", + "volleyball shorts in low rise and in a 02navy colour", + "burgling shorts in low rise and in a 02navy colour", + "volley shorts in low rise and in a 02navy colour", + " volleyball shorts in low rise and in a 02navy colour and large", + "low rise volleyball shorts in a 02navy colour" + ], + "i am looking for a high quality stainless steel set of hair cutting scissors.": [ + "stainless steel set of hair cutting scissors", + "high quality stainless steel set of hair cutting scissors", + "stainless steel hair cutting scissors", + "stainless steel cut of hair cutting scissors", + "stainless steel human hair cutting scissors", + "stainless steel style hair cutting scissors", + "stainless steel beauty cutting scissors", + "hair cutting scissors high quality stainless steel", + "stainless steel hair cutting scissors.", + "hair cutting scissors high quality" + ], + "i would like a dark brown fabric chair with a more contemporary design.": [ + "dark brown fabric chair with a contemporary design", + "dark brown fabric chair with a modern design", + "dark brown fabric chair", + "dark brown fabric chair that is contemporary", + "dark brown fabric chair in a contemporary design", + "dark brown fabric chair with contemporary design", + "dark brown fabric chair that is modern", + "dark brown fabric chair, contemporary", + "dark brown fabric chair, more contemporary", + "dark brown fabric chair, more contemporary design" + ], + "i want a heavy duty splice board design computer office desk.": [ + "heavy duty splice board design computer office desk", + "heavy duty splice board design computer office desk.", + "heavy duty splice board design computer office desk under $130", + "heavy duty splice board design computer office desk under $120", + "heavy duty splice board design computer office desk under $50", + "heavy duty splice board design computer office desk under $40", + "heavy duty splice board design computer office desk under $60", + "heavy duty splice board design computer office desk under 30 dollars", + "heavy duty splice board design computer office desk,", + "heavy duty splice board design computer desk" + ], + "i'm looking for a dermatologist tested hair remover that comes in a spray and is size large.": [ + "dermatologist tested hair remover that comes in a spray size large", + "dermatologist tested hair remover that comes in a spray size large.", + "dermatologist tested hair remover that is size large", + "dermatologist tested hair remover that comes in a spray large", + "dermatologist tested hair remover that comes in a spray large.", + " dermatologist tested hair remover that comes in a spray and is size large", + "dermatologist tested hair remover that comes in a spray", + "dermatologist tested hair remover size large", + "dermatologist tested hair remover that is size large.", + "ddermatologist tested hair remover that comes in a spray size large" + ], + "i'm trying to find a chrome, stainless steel storage organizer to put over my kitchen cabinet doors.": [ + "chrome, stainless steel storage organizer for kitchen cabinet doors", + "chrome, stainless steel storage organizer", + "chrome, stainless steel storage organizer for dining room cabinet doors", + "chrome stainless steel storage organizer for kitchen cabinet doors", + "chrome, stainless steel storage organizer for living room cabinet doors", + "chrome steel storage organizer for kitchen cabinet doors", + "chrome steel storage organizer to put over my kitchen cabinet doors", + "plastic steel storage organizer for kitchen cabinet doors", + "chrome, stainless steel storage organizer for dining cabinet doors", + "chrome stainless steel storage organizer" + ], + "i want an electric callus remover that's not only easy to clean, but also rechargeable.": [ + "electric callus remover", + "electric callus remover that is rechargeable", + "electric callus remover that is clean and rechargeable", + "electric callus remover rechargeable", + "electric callus remover easy to clean, rechargeable", + "electric callus remover easy to clean and rechargeable", + "electric callus remover, rechargeable", + "electric callus remover that is easy to clean", + "electric callus remover that is clean, rechargeable", + "electric callus remover clean and rechargeable" + ], + "find me a white and black wooden etagere bookcase that needs assembly.": [ + "white and black wooden etagere bookcase that needs assembly", + "white and black wooden etagere bookcase", + "white and black wooden etagere bookcase with assembly", + "white and black wood etagere bookcase that needs assembly", + "white and black wooden etagere bookcase assembly", + "white and black wooden etagere bookcase under $50", + "white and black wooden etagere bookcase under $60", + "white and black wooden etagere bookcase, assembly", + "white and black wooden etagere bookcase under $40", + "white and black wooden etagere bookcase," + ], + "i'm looking for a men's classic fit shirt containing a jamaican woman.": [ + "mens classic fit shirt containing a jamaican woman", + "mens classic fit shirt with a jamaican woman", + "mens classic fit shirt containing a jamaican woman.", + "mens classic fit shirt, jamaican woman", + "mens classic fit shirt jamaican woman", + "mens classic fit shirt containing a jamaican woman under 30 dollars", + "mens classic fit shirt with a jamaican woman under 30 dollars", + "mens classic fit shirt containing a jamaican woman under $40", + "mens classic fit shirt containing a jamaican woman under 40 dollars", + "mens classic fit shirt containing a jamaican woman under $50" + ], + "i want a large white storage shoe bench for the entryway to my living room. please find one that's 63 inches in height.": [ + "large white storage shoe bench for living room", + "large white storage shoe bench", + "large white storage shoe bench for the entryway", + "large white storage shoe bench that is 63 inches in height", + "large white storage shoe bench for living room 63 inches in height", + "large white storage shoe bench for living room. 63 inches", + "large white storage shoe bench for entryway to my living room", + "large white storage shoe bench that is 63 inches", + "large white storage shoe bench for living room.", + "large white storage shoe bench living room" + ], + "hey i am looking for an open toe, size 9 women's slipper made with fax fur.": [ + "open toe womens slipper made with fax fur", + "womens slipper made with fax fur", + "open toe, size 9 womens slipper", + "size 9 womens slipper made with fax fur", + "open toe womens slipper with fax fur", + "open toe womens slipper", + "womens slipper with fax fur", + "womens slipper, size 9", + "womens slipper", + "womens slipper size 9" + ], + "i want to find edible black glitter that i can easily use on desserts.": [ + "edible black glitter for desserts", + "edible black glitter", + "ind edible black glitter", + "ind edible black glitter for desserts", + "pink glitter for desserts", + " edible black glitter for desserts", + "red edible black glitter for desserts", + "red edible black glitter", + "indoor black glitter", + "ep edible black glitter" + ], + "i'm looking for a tempered glass coffee table for my living room that has a wooden frame.": [ + "tempered glass coffee table for living room that has a wooden frame", + "tempered glass coffee table for my living room with a wooden frame", + "tempered glass coffee table for my living room", + "tempered glass coffee table living room that has a wooden frame", + "tempered glass coffee table for living room with a wooden frame", + "tempered glass coffee table for living room", + "tempered glass coffee table that has a wooden frame", + "tempered glass coffee table", + "tempered glass coffee table for my living room, wood frame", + "tempered glass coffee table living room" + ], + "i want to find a blonde-colored, full-sized standard futon mattress. it must be easy to clean!": [ + "a blonde-colored, full-sized standard futon mattress", + "a blonde-colored, full-size standard futon mattress", + "b blonde-colored, full-sized standard futon mattress", + "roasted-colored, full-sized standard futon mattress", + "brushed-colored, full-sized standard futon mattress", + "a blonde-colored full-sized standard futon mattress", + "yellow, full-sized standard futon mattress", + "bottle mattress that is easy to clean", + "bottle bed blonde-colored", + "bottle mattress" + ], + "i'm looking for an extra small black women's t-shirt that's machine washable and features origami paper cranes.": [ + "extra small black womens t-shirt", + "womens t-shirt with origami paper cranes", + "extra small black womens t-shirt under $50", + "extra small black womens t-shirt under 50 dollars", + "extra small black womens t-shirt under $40", + "extra small black womens t-shirt under 30 dollars", + "extra small black womens t-shirt under 40 dollars", + "extra small black womens t-shirt, machine washable", + "extra small black womens t-shirt with origami paper", + "womens t-shirt" + ], + "i'm in need of a large, 32 ounce bottle of conditioner that is both sulfate and paraben free. i would also like it be completely non-toxic.": [ + "large, 32 ounce bottle of conditioner", + "large, 32 ounce bottle of conditioner non-toxic", + "sulfate and paraben free conditioner", + "large, 32 ounce bottle of conditioner under $40", + "large, 32 ounce bottle of conditioner under $60", + "large, 32 ounce bottle of conditioner under $50", + "syntoxic conditioner 32 ounce", + "large, 32 ounce bottle", + "magnified conditioner", + "large dairy conditioner" + ], + "give me a long lasting 8 pieces false lashes set.": [ + "8 false lashes set", + "long lasting 8 pieces false lashes set", + "8 pieces false lashes set", + "short lasting 8 pieces false lashes set", + "long lasting 8 piece false lashes set", + "8 pieces false lashes set.", + "8 piece false lashes set", + "8 false lashes set.", + "alarm false lashes set", + "8 false lashes set, long lasting" + ], + "i'm looking for fast charging, waterproof earbuds.": [ + "fast charging waterproof earbuds", + "waterproof earbuds", + "easy charging waterproof earbuds", + "fast charging, waterproof earbuds", + "tempered charging waterproof earbuds", + "soundproof earbuds", + "fast charging waterproof earbuds.", + "fast charging, waterproof earbuds.", + "womens earbuds", + "electric earbuds" + ], + "i'm in need of a hands free pair of earbud headphones that work with bluetooth and offer noise reduction technology.": [ + "hand free pair of earbud headphones", + "hand free earbud headphones", + "hand free wireless earbud headphones", + "hand free earbud headphones with bluetooth", + "hand free wireless earbud headphones with noise reduction", + "phone earbud headphones with bluetooth noise reduction", + "hand free wireless pair of earbud headphones", + "hand free bluetooth earbud headphones", + "a hands free pair of earbud headphones", + "phone earbud headphones" + ], + "i want some vanity lights with a cylindrical shape and a metal base. the shades must feature clear glass.": [ + "vanity lights with a cylindrical shape and a metal base", + "vanity lights with a cylindrical shape and metal base", + "k vanity lights with a cylindrical shape and a metal base", + "vinyl lights with a cylindrical shape and a metal base", + "vity lights with a cylindrical shape and a metal base", + "pink vanity lights with a cylindrical shape and metal base", + "k vanity lights with a cylindrical shape and metal base", + "vanity lights with a cylindrical shape with clear glass", + "vanity lights with a cylindrical shape", + "vanity lights" + ], + "order a women's tank top made from blue polyester spandex in size medium.": [ + "womens tank top made from blue polyester spandex", + "tank top made from blue polyester spandex in size medium", + "temporary womens tank top made from blue polyester spandex", + "womens tank top, blue polyester spandex", + "tank top made from blue polyester spandex", + "womens tank top", + "woman tank top made from blue polyester spandex", + "womens tank top in size medium", + "womens tank top size medium", + "womens tank top in size medium." + ], + "i'm trying to find 52\" x 84\" sheer linen curtains for my living room, and ideally they'll be sky blue.": [ + "50 x 84 sheer linen curtains for my living room", + "50 x 84 sheer linen curtains for my living room, and ideally theyll be sky blue", + " 52 x 84 sheer linen curtains for my living room, and ideally theyll be sky blue", + "52 x 84 sheer linen curtains for my living room, and ideally theyll be sky blue", + "52 x 84 sheer linen curtains for my living room", + "48 x 84 sheer linen curtains for my living room, and ideally theyll be sky blue", + "42 x 84 sheer linen curtains for my living room, and ideally theyll be sky blue", + " 52 x 84 sheer linen curtains for my living room", + "22 x 84 sheer linen curtains for my living room, and ideally theyll be sky blue", + "48 x 84 sheer linen curtains for my living room" + ], + "i'd love to find a pair of women's faux fur slippers in size 8.5.": [ + "womens faux fur slippers in size 8.5", + "womens faux fur slippers size 8.5", + "womens faux fur slippers, size 8.5", + "womens faux fur slippers size 8.5.", + "mens faux fur slippers in size 8.5", + "womens faux fur slippers", + "faux fur slippers in size 8.5", + "womens faux fur slippers 8.5", + "faux fur slippers size 8.5", + "womens faux fur slippers in size 8" + ], + "i need a purple tee shirt in medium i can wear at the gym.": [ + "pink tee shirt in medium", + "pink tee shirt in medium gym", + "pink tee shirt in medium workout", + "pink tee shirt at the gym", + "pink tee shirt for the gym", + "pink tee shirt in medium workouts", + "pink tee shirt in medium size", + "pink tee shirt in medium for gym", + "pink tee shirt in a medium", + "pink tee shirt in a medium gym" + ], + "find me some gluten free fruit snacks made from real fruit. they must be certified organic as well.": [ + "gluten free fruit snacks", + "gluten free fruit snacks certified organic", + "freezer fruit snacks made from real fruit", + "gluten free fruit snacks, certified organic", + "fruit snacks made from real fruit", + "vegan snacks made from real fruit", + "gluten free fruit snacks under $40", + "gluten free fruit snacks natural", + "fruit snacks certified organic", + "organic fruit snacks" + ], + "i'm looking for a classic fitting, needle-sleeved t-shirt that is machine washable.": [ + "classic fitting, needle-sleeved t-shirt", + "classic fitting, machine washable t-shirt", + "classic fit, needle-sleeved t-shirt", + "classic fitting t-shirt that is machine washable", + "classic fitting t-shirt machine washable", + "t-shirt that is machine washable", + "classic fitting, machine washable t-shirt.", + "t-shirt machine washable", + "classic fitting t-shirt", + "t-shirt" + ], + "i'd like a set of two 12x20 decorative pillow covers that are machine-washable and ideally double sided.": [ + "12x20 decorative pillow covers that are machine-washable and ideally double sided", + "two 12x20 decorative pillow covers that are machine-washable", + "2 x20 decorative pillow covers that are machine-washable and ideally double sided", + "12x20 decorative pillow covers that are machine-washable", + "two 12x20 decorative pillow covers", + "two 12x20 decorative pillow covers that are machine-washable and double sided", + "two 12x20 decorative pillow covers, machine-washable and ideally double sided", + "12 x20 decorative pillow covers that are machine-washable and ideally double sided", + "12x20 decorative pillow cover that are machine-washable and ideally double sided", + "2 x20 decorative pillow covers that are machine-washable" + ], + "i'm interested in a stainless steel portable salon sink that is easy to clean.": [ + "stainless steel portable salon sink", + "stainless steel portable salon sink easy to clean", + "stainless steel salon sink", + "stainless steel portable salon sink under $50", + "stainless steel portable salon sink under $40", + "stainless steel portable salon sink under $60", + "easy clean stainless steel portable salon sink", + "a stainless steel portable salon sink", + "easy clean portable salon sink", + "plastic salon sink" + ], + "i'd love some help locating a pair of men's slim fit, ripped skinny jeans in a size 34. it would be awesome if you can find a pair in black.": [ + "mens slim fit, ripped skinny jeans in a size 34", + "mens slim fit, ripped skinny jeans in a size 34", + "mens slim fit, ripped skinny jeans size 34", + "mens slim fit jeans in a size 34", + "slim fit, ripped skinny jeans in a size 34", + "mens slim fit, ripped skinny jeans, size 34", + "mens slim fit, ripped skinny jeans size 34", + "mens slim fit, ripped skinny jeans", + "mens slim fit jeans in black", + "mens slim fit jeans size 34" + ], + "i'm looking for a ursula neon t-shirt for girls from disney that is a classic fit, machine washable and in the size of medium.": [ + "ursula neon t-shirt for girls from disney that is a classic fit, machine washable and in the size of medium", + "ursula neon t-shirt for girls from disney", + "ursula neon t-shirt for girls from disney in a classic fit, machine washable and in the size of medium", + "ursula neon t-shirt for girls from disney in the size of medium", + "ursula neon t-shirt for girls from disney in a classic fit", + " ursula neon t-shirt for girls from disney in a classic fit, machine washable and in the size of medium", + " ursula neon t-shirt for girls from disney", + " ursula neon t-shirt for girls from disney in a classic fit", + "ursula neon t-shirt for girls", + "ursula neon t-shirt" + ], + "i want to find a short-sleeve, classic fit men's polo that comes in size small. see if any in white are available.": [ + "short-sleeve, classic fit mens polo", + "short-sleeve mens polo in size small", + "short-sleeve mens polo in white", + "mens polo short-sleeve small", + "short-sleeve mens polo white", + "mens polo short-sleeve white", + "slimming mens polo in size small", + "mens polo short-sleeve in white", + "mens polo in white", + "mens polo small" + ], + "i'm looking for a pair of large men's ankle strap sandals.": [ + "large mens ankle strap sandals", + "mens ankle strap sandals", + "womens ankle strap sandals", + "sneakers large mens ankle strap sandals", + "large mens ankle strap sandals.", + "small mens ankle strap sandals", + "large mens ankle strap sandals under $40", + "large mens ankle strap sandals under $50", + "large mens ankle strap sandals under $60", + "large mens ankle strap sandals under 50 dollars" + ], + "i'm interested in a pair of moss nappa pumps in a size 7 with a rubber sole.": [ + "mens nappa pumps in a size 7 with a rubber sole", + "mushroom pumps in a size 7 with a rubber sole", + "moss nappa pumps size 7 with a rubber sole", + "moss nappa pumps in a size 7", + "mens nappa pumps size 7 with a rubber sole", + "mushroom pumps size 7 with a rubber sole", + "sneakers size 7 with a rubber sole", + "moss nappa pumps in a size 7 with rubber sole", + "a pair of moss nappa pumps in a size 7", + "moss nappa pumps in a size 7, rubber sole" + ], + "i'm looking for a package of 16 stainless steel lip razors for women.": [ + "16 stainless steel lip razors for women", + "16 stainless steel lip razors", + "12 stainless steel lip razors for women", + "stainless steel lip razors for women", + "16 stainless steel lip razors for women.", + "16 stainless steel lip razors for women,", + "24 stainless steel lip razors for women", + "17 stainless steel lip razors for women", + "16 stainless steel lip razors, for women", + "teen stainless steel lip razors for women" + ], + "i'm interested in a pair of hunter green scrub bottoms with a straight leg and drawstring waist in size medium tall.": [ + "hunter green scrub bottoms with a straight leg and drawstring waist in size medium tall", + "hunter green scrub bottoms with a straight leg drawstring waist in size medium tall", + "hunting green scrub bottoms with a straight leg and drawstring waist in size medium tall", + "hunting green scrub bottoms with a straight leg drawstring waist in size medium tall", + "Hunter green scrub bottoms with a straight leg and drawstring waist in size medium tall", + "Hunter green scrub bottoms with a straight leg drawstring waist in size medium tall", + "hunter green scrub bottoms with a straight leg and drawstring waist in size medium tall.", + "hunter green scrub bottoms with a straight leg and drawstring waist in size medium tall", + "hunty green scrub bottoms with a straight leg and drawstring waist in size medium tall", + "hunky green scrub bottoms with a straight leg and drawstring waist in size medium tall" + ], + "i'm looking for a solid wood sofa table in order to get some extra storage space in my living room.": [ + "wood sofa table in order to get some extra storage space in my living room.", + "living room sofa table in order to get some extra storage space.", + "living room sofa table", + "solid wood sofa table in order to get some extra storage space in my living room", + "living room solid wood sofa table in order to get some extra storage space.", + "living room sofa table in order to get some extra storage space", + "living room solid wood sofa table in order to get some extra storage space", + "living room solid wood sofa table", + "living room sofa table, solid wood", + "solid wood sofa table" + ], + "i'm in need of a night cream for the dry skin on my face that has been tested by dermatologists.": [ + "night cream for the dry skin on my face", + "night cream for the dry skin", + "night cream for the dry skin on my face that has been tested", + "night cream for dry skin", + "night cream for the dry skin on my face with tested dermatologist", + "night cream for dry skin on my face", + "night cream for the dry skin on my face under $40", + "night cream for the dry skin on my face under $50", + "night cream for dry skin dermatologist", + "night cream for sensitive skin" + ], + "i'm looking to find a pair of cropped women's pants with an elastic waist and wide legs. see if you can find a pair in navy that runs small to medium.": [ + "curtains small to medium", + "womens pants small to medium", + "womens pants with an elastic waist", + "small to medium womens pants", + "shoes small to medium", + "comfortable womens pants small to medium", + "womens pants in navy small to medium", + "sneakers small to medium", + "shorts small to medium", + "comfortable womens pants with an elastic waist" + ], + "i want to find a black ink refill set for temporary tattoos that is not only easy to use but high quality.": [ + "black ink refill set for temporary tattoos", + "black ink refill set for temporary tattoos that is high quality", + "black ink refill set for temporary tattoos high quality", + "easy to use black ink refill set for temporary tattoos", + "black ink refill set for temporary tattoos that is heavy duty", + "black ink refill set for temporary tattoos, high quality", + "a black ink refill set for temporary tattoos", + "black ink refill set temporary tattoos", + "black ink refill set", + "blanket set for temporary tattoos" + ], + "i'm looking for a black short-sleeve men's v-neck shirt that i can wear to the gym for my workouts. it would be great if the size were a medium.": [ + "short-sleeve mens v-neck shirt", + "black mens v-neck shirt", + "black mens v-neck workout shirt", + "black mens v-neck shirt for workouts", + "mens v-neck shirt", + "black mens v-neck t-shirt", + "sens v-neck shirt", + "black men v-neck shirt", + "mens v-neck shirt", + "shoes black" + ], + "i'm looking for a pack of gluten free cocoa vanilla bunny-shaped cookies.": [ + "pack of gluten free cocoa vanilla bunny-shaped cookies", + "bag of gluten free cocoa vanilla bunny-shaped cookies", + "gluten free cocoa vanilla bunny-shaped cookies", + "gluten free cocoa vanilla bunny-shaped cookies pack", + "pack of gluten free chocolate bunny-shaped cookies", + "cupcake vanilla bunny-shaped cookies", + "pack of gluten free cocoa vanilla bunnies", + "pack of gluten free cocoa vanilla bunny- shaped cookies", + "banana vanilla bunny-shaped cookies", + "coffee vanilla bunny-shaped cookies" + ], + "i need a long sleeve men's chef coat with button closure in size 3x-large. i want a white one.": [ + "long sleeve mens chef coat with button closure", + "long sleeve mens chef coat button closure", + "long sleeve mens chef coat button closure in a white", + "large white mens chef coat with button closure", + "mens chef coat with button closure in a white", + "mens chef coat with button closure", + "long sleeve mens chef coat with button closure, white", + "mens chef coat button closure", + "large white mens chef coat", + "long sleeve mens chef coat" + ], + "i want some puffed snacks that are both gluten and fat free.": [ + "puffed snacks gluten free", + "puffed snacks fat free", + "puffed snacks gluten and fat free", + "puffed snacks that are both gluten free", + "puffed snacks both gluten and fat free", + "puffed snacks fat free puffed snacks", + "puffed snacks fat free puffed", + "puffed snacks gluten-free", + "puffed snacks gluten free puffed snacks", + "puffed snacks gluten free puffed" + ], + "please buy an office desk chair with lumbar support in green.": [ + "office desk chair with lumbar support in green", + "office desk chair lumbar support in green", + "office desk chair with lumbar support", + "office desk chair, lumbar support in green", + "office desk chair that lumbar support in green", + "office desk chair lumbar support in green", + "office desk chair with lumbar support, green", + "office desk chair lumbar support", + "wooden desk chair with lumbar support", + "office desk chair in green" + ], + "i want to find cruelty free organic lip balm that's made with natural ingredients.": [ + "cruelty free organic lip balm", + "cruelty free organic lip balm natural", + "cruelty free lip balm", + "cruelty free natural lip balm", + "cruelty free lip balm with natural ingredients", + "cruelty free lip balm natural", + "cruelty free organic lip balm, natural", + " cruelty free organic lip balm", + "animal friendly lip balm", + "cruelty free" + ], + "i need a pair of lightweight flip flops in a size 5 or 6 that have a rubber sole.": [ + "light weight flip flops in a size 5 or 6 that have a rubber sole", + " lightweight flip flops in a size 5 or 6 that have a rubber sole", + "light weight flip flops in a size 5 or 6 with a rubber sole", + " lightweight flip flops in a size 5 or 6 with a rubber sole", + "pair of lightweight flip flops in a size 5 or 6 with a rubber sole", + "pair of lightweight flip flops in a size 5 or 6", + "light weight flip flops in a size 5 or 6", + "lightweight flip flops in a size 5 or 6 that have a rubber sole", + "lightweight flip flops in a size 5 or 6 with a rubber sole", + "womens flip flops in a size 5 or 6 with a rubber sole" + ], + "i'm looking for an 11 ounce bag of caffeine-free, acid-free, prebiotic chicory coffee alternative. also, include vanilla nut flavor. additionally, include medium roast.": [ + "11 ounce bag of caffeine-free, acid-free coffee alternative. also, include vanilla nut flavor", + "11 ounce bag of caffeine free, acid-free, prebiotic chicory coffee alternative", + "bag of caffeine-free, acid-free coffee alternative. also, include vanilla nut flavor.", + "11 ounce bag of caffeine-free, acid free, prebiotic chicory coffee alternative", + "11 ounce bag of caffeine free, acid-free, prebiotic chicory coffee", + "bag of caffeine free, acid-free, prebiotic chicory coffee", + "11 ounce bag of caffeine-free, acid-free coffee alternative", + "strawberry chicory coffee alternative 11 oz", + "11 ounce bag of caffeine-free coffee", + "stainless coffee 11 oz" + ], + "i am looking for a small padded bench, preferably easy to assemble and in beige, please.": [ + "small padded bench in beige", + "small padded bench, easy to assemble and beige", + "small padded bench easy to assemble and beige", + "small padded bench easy to assemble and in beige", + "small padded bench under $50", + "small padded bench, easy to assemble, beige", + "small padded bench", + "small padded bench easy to assemble in beige", + "small padded bench under $40", + "small padded bench under $60" + ], + "help me find some clogs in size 9.5 made of ethylene vinyl.": [ + "clogs 9.5 made of ethylene vinyl", + "clogs size 9.5 made of ethylene vinyl", + "clogs 9.5 ethylene vinyl", + "clogs in size 9.5 ethylene vinyl", + "clogs 9.5 ethylene vinyl clogs", + "clogs size 9.5 ethylene vinyl", + "clogs 9.5 made of ethylene vinyl.", + "clogs 9.5 made of ethylene vinyl,", + "clogs 8.5 ethylene vinyl", + "clogs made of ethylene vinyl" + ], + "go ahead and find me a dining room sideboard table that has a bottom shelf. it needs to be easy to assemble.": [ + "dining room sideboard table that has a bottom shelf", + "dining room sideboard table with a bottom shelf", + "dining room sideboard table", + "dining room sideboard table that has a bottom shelf.", + "dining room dining room sideboard table that has a bottom shelf", + "dining room sideboard table that has a bottom shelf under $50", + "dining room sideboard table, easy to assemble", + "dining room table that has a bottom shelf", + "dining room sideboard table easy to assemble", + "dining room table with a bottom shelf" + ], + "i'm looking for an easily assembled and cleaned storage chest for my shoes that would fit well in my living room.": [ + "easy assembled and cleaned storage chest", + "storage chest for shoes", + "living room shoe chest", + "walking chest for shoes", + "storage chest for my shoes", + "pack of shoes", + "comfortable walking chest", + "walking chest", + "living room shoes", + "pocket shoes" + ], + "i want to buy a navy blue casual short-sleeve t-shirt. it should have an ombre gradient on it, and i'll need a medium.": [ + "navy blue casual short-sleeve t-shirt with ombre gradient", + "navy blue casual short-sleeve t-shirt", + "navy blue casual short-sleeve t-shirt, ombre gradient", + "navy blue casual short-sleeve t-shirt with an ombre gradient", + " navy blue casual short-sleeve t-shirt with ombre gradient", + "navy blue casual short-sleeve t-shirt that is ombre gradient", + "navy blue casual short-sleeve t-shirt ombre gradient", + "navy blue casual short-sleeve t-shirt under $50", + " navy blue casual short-sleeve t-shirt", + "navy blue casual t-shirt" + ], + "i want to find a mirrorless digital camera that produces high resolution photos, and comes with a color filter kit.": [ + " mirrorless digital camera with high resolution", + " mirrorless digital camera with a color filter kit", + "mirrorless digital camera with a color filter kit", + "sh mirrorless digital camera with a color filter kit", + "mirrorless digital camera with a color filter", + " mirrorless digital camera with a color filter", + "projectionless digital camera with a color filter kit", + "sh mirrorless digital camera with a color filter", + "sh mirrorless digital camera with high resolution", + " mirrorless digital camera" + ], + "can you find a seed oil based face wash that is cruelty free with no fragrance and good for sensitive skin?": [ + "seed oil based face wash for sensitive skin", + "seed oil based face wash that is cruelty free", + "seed oil based face wash sensitive skin", + "seeds oil based face wash for sensitive skin", + "seeds oil based face wash that is cruelty free", + "seed oil based face wash with sensitive skin", + "seeds oil based face wash sensitive skin", + "plant oil based face wash that is cruelty free", + "seed oil based face wash", + "seed oil based face wash, cruelty free, sensitive skin" + ], + "find a hanging pendant light fixture for my living room with a plug-in cord. it should have a diamond lampshade along with hemp rope.": [ + "living room pendant light fixture with a plug-in cord", + "living room pendant light fixture with plug-in cord", + "pendant light fixture for my living room with a plug-in cord", + "living room pendant light fixture", + "living room pendant light fixture with hemp rope", + "living room pendant light fixture that should have a plug-in cord", + "living room pendant light fixture, with plug-in cord", + "living room pendant light fixture that is plug-in", + "living room pendant light fixture, with plug-in cord,", + "living room lampshade with hemp rope" + ], + "i'd like to find a large brown ottoman for my living room that's easy to spot clean.": [ + "large brown ottoman for my living room", + "large brown ottoman for living room", + "large brown ottoman for the living room", + "large brown ottoman living room", + "large brown ottoman in my living room", + "large brown ottoman for a living room", + "large brown ottoman", + "large brown ottoman in the living room", + "small brown ottoman for living room", + "living room ottoman large brown" + ], + "help me find an electric razor for men that's easy to clean with a digital display.": [ + "electric razor for men easy to clean with a digital display", + "electric razor for men", + "electric razor for men with a digital display", + "electric razor for men clean with a digital display", + "electric razor for men easy to clean with digital display", + "electric razor that is easy to clean with a digital display", + "electric razor for men with digital display", + "electric razor for men easy to clean", + "electric razor for men that is easy to clean", + "electric razor" + ], + "i'm looking for a long sleeve green or yellow plaid shirt with button closure in a size medium.": [ + "green plaid shirt with button closure", + "long sleeve green or yellow plaid shirt", + "green or yellow plaid shirt with button closure", + "long sleeve green or yellow plaid shirt button closure", + "green plaid shirt button closure in a size medium", + "short sleeve green or yellow plaid shirt", + "yellow plaid shirt with button closure", + "green plaid shirt button closure", + "long sleeve green plaid shirt with button closure", + "green plaid shirt" + ], + "i'm looking for a dust brush that i can use for my nail art which is easy to use and clean.": [ + "dust brush for nail art", + "dust brush that i can use for my nail art", + "dust brush for nail art easy to use and clean", + "dust brush for nail art easy to use", + "dust brush, easy to use and clean", + "dust brush for nail art that is easy to use", + "dust brush that is easy to use and clean", + "dust brush for nail art easy to clean", + "dust brush", + "dust brush, easy to use and clean," + ], + "i'm looking for a record player and stereo speaker that is not only high power, but also high performance. i don't have a preference for the color.": [ + "record player and stereo speaker that is high power", + "record player and stereo speaker high performance", + "record player and stereo speaker with high performance", + "high power stereo speaker", + "high power stereo speaker with high performance", + "Record player and stereo speaker that is high power", + "high power stereo speaker that is high performance", + "record player high power", + "high power stereo speaker high performance", + "high power vinyl record player and stereo speaker" + ], + "i'd love to find a compact magnified mirror that's easy to carry and travel sized.": [ + "compact magnified mirror", + "compact magnified mirror easy to carry", + "compact magnified mirror travel sized", + "compact magnified mirror for travel", + "compact magnified mirror with travel sized", + "compact magnified mirror under $40", + "compact magnified mirror under $50", + "compact magnified mirror with travel", + "compact magnified mirror compact", + " compact magnified mirror" + ], + "help me find a small console table for my living room. a wall mounted one will be great.": [ + "small console table for living room", + "small console table for my living room", + "small console table for the living room", + "small console table for a living room", + "small console table for living room.", + "small console table for living room wall mounted", + "small console table living room", + "small console table for my living room.", + "small console table for dining room", + "small console table" + ], + "l am looking for a pair of non-slip, rubber-soled black shoes in a size 8.5.": [ + "non-slip, rubber-soled black shoes", + "non-slip black shoes in a size 8.5", + "non-slip black shoes size 8.5", + "soled black shoes in a size 8.5", + "non-slip black shoes in a size 8.5.", + "non-slip, rubber soleed black shoes", + "walking shoes in a size 8.5", + "shoes in a size 8.5", + "non-slip black shoes", + "walking shoes in a size 8.5." + ], + "i'm trying to find an extra large men's tank top with a classic fit. it needs to be sapphire colored and say \"i play bocce & i know things\" on it.": [ + "extra large mens tank top with a classic fit", + "extra large mens tank top", + "extra large mens tank top that is sapphire colored", + "extra large mens tank top, sapphire colored", + "extra large mens tank top with a classic fit under $40", + "extra large mens tank top with a classic fit under $50", + "extra large mens tank top with classic fit", + "mens tank top with a classic fit", + "mens tank top with a classic fit", + "tank top with a classic fit" + ], + "i'm looking for a freeze-dried fruit snacks that are sugar - and gluten-free.": [ + "freeze dried fruit snacks that are sugar-free", + "freeze-dried fruit snacks sugar-free", + "freeze-dried fruit snacks that are sugar free", + "freeze dried fruit snacks sugar-free", + "freezer dried fruit snacks that are sugar-free", + "freeze-dried fruit snacks", + "freeze dried fruit snacks that are sugar free", + " freeze-dried fruit snacks that are sugar-free", + "freeze dried fruit snacks", + "freeze dried fruit snacks sugar free" + ], + "i'm hoping to buy a pair of men's slip-on penny loafers with rubber soles. find a pair for me that's black in size 8.": [ + "mens slip-on penny loafers with rubber soles", + "mens slip-on penny loafers black in size 8", + "mens slip-on penny loafers", + "mens slip-on penny loafers with rubber soles", + "mens slip-on penny loafers black in a size 8", + "mens slip-on penny loafers black", + "mens slip-on penny loafers, black in size 8", + "mens slip-on penny loafers in size 8", + "mens slip-on penny loafers with rubber sole", + "mens slip-on penny loafers black size 8" + ], + "i'd like a twin-pack of gold wall sconces that i can put in my living room hallways. they should have clear glass shades.": [ + "twin-pack of gold wall sconces", + "twin-pack of gold wall sconces living room hallways", + "twin-pack gold wall sconces", + "twin-pack of gold wall sconces with clear glass shades", + "twin-pack of gold wall sconces,", + " twin-pack of gold wall sconces", + "dual-pack of gold wall sconces", + "two-pack of gold wall sconces", + "twin pack of gold wall sconces", + "double-pack of gold wall sconces" + ], + "i'd like to find a desk for my home office that i can use for my computer. it should be easy to assemble and i'd like something in white.": [ + "easy assemble desk for my home office", + "easy assemble white desk for home office", + "white desk for home office", + "easy assemble desk for home office white", + "home office desk in white", + "white desk for my home office", + "living room desk in white", + "easy assemble desk for home office", + "easy assemble white desk", + "white desk" + ], + "i'm interested in a blue or gray high performance tablet that offers fast charging capabilities.": [ + "blue or gray high performance tablet with fast charging", + "blue or gray high performance tablet", + "blue and gray high performance tablet with fast charging", + "blue or gray high performance tablet, fast charging", + "blue or gray high performance tablets with fast charging", + "blue or gray high performance tablet with charging capabilities", + "blue or gray high performance tablet with quick charging", + "blue or gray high performance tablet with charging", + "blue or gray high performance tablets", + "blue and gray high performance tablet" + ], + "give me a slim fit machine washable blazer that is gold.": [ + "slim fit machine washable blazer that is gold", + "slim fit machine washable blazer", + "slim fit machine washable blazer gold", + "slim fit machine washable blazer that is gold", + " slim fit machine washable blazer that is gold", + "super fit machine washable blazer that is gold", + "slim fit machine washable blazer with gold", + "slim fit machine washable blazer, gold", + "machine washable blazer that is gold", + "slim fit machine washable blazer with gold price" + ], + "i'm looking for an officially licensed youth t-shirt featuring russell and carl from pixar's movie up. it should be extra-small and ideally come in baby blue.": [ + "kids t-shirt with russell and carl", + "kids t-shirt extra-small", + "youth t-shirt with russell and carl", + "youth t-shirt extra-small", + "baby blue youth t-shirt", + "kids t-shirt under $50", + "kids t-shirt extra-small under $50", + "baby blue youth t-shirt under $50", + "kids t-shirt extra-small under $40", + "kids t-shirt" + ], + "i'm looking for a slim-fitting women's button-up henley. it should be large and ideally the color will be army green.": [ + "slim-fitting womens button-up henley in army green", + " slim-fitting womens button-up henley in army green", + "slim-fitting womens button-up henley, army green", + "slim-fitting womens button-up henley color army green", + "slim-fitting womens button-up henley", + "womens button-up henley in army green", + "slim-fitting womens button-up henley color", + "slim-fitting womens button-up henley with a size large", + "slim-fitting womens button-up henley with a large color", + "slim-fitting womens button-up henley with a color large" + ], + "i'm in need of a four-piece set of christmas coasters with non-slip technology.": [ + "4 christmas coasters with non-slip technology", + "4-piece set of christmas coasters", + "4 christmas coasters with non-slip", + "christmas coasters with non-slip technology", + "three-piece set of christmas coasters", + "four-piece set of christmas coasters", + "comfortable christmas coasters with non-slip technology", + "4 christmas coasters", + "4 x 4 christmas coasters with non-slip", + "4 christmas coasters with non-slip technology." + ], + "i'm looking for a white, twin sized bed frame which will allow me to save space in my child's bedroom.": [ + "white twin sized bed frame", + "white, twin sized bed frame", + "white twin sized bed frame for childs bedroom", + "white twin bed frame", + "white twin sized bed frame,", + "white, twin sized bed frame,", + "white twin size bed frame", + "white toddler bed frame", + "white baby bed frame", + "white bed frame" + ], + "i want to find 16x16 inch decorative pillows that i can put in my living room, ideally with the color that is 05 red.": [ + "16x16 inch decorative pillows", + "16x16 inch decorative pillows color that is 05 red", + "16x16 inch decorative pillows under $50", + "16x16 inch decorative pillows in the color of 05 red", + "16x16 inch decorative pillows under 50 dollars", + "16x16 inch decorative pillows in white", + "16x16 inch decorative pillows under $40", + "16x16 inch decorative pillows in red", + "16x16 inch decorative pillows in a color of 05 red", + "16x16 inch decorative pillows in a color 05 red" + ], + "i want to find a pink women's quilted puffy vest that i can machine wash. the size needs to be extra large.": [ + "pink womens quilted puffy vest", + "pink womens quilted puffy vest, extra large", + "pink womens quilted puffy vest extra large", + "pink womens quilted puffy vest under $50", + "pink womens quilted puffy vest under $40", + "pink womens quilted puffy vest extra large", + "pink womens quilted puffy vest under 50 dollars", + "pink womens quilted puffy vest under $60", + "pink womens quilted puffy vest machine wash", + "pink womens quilted puffy vest under 40 dollars" + ], + "i'm looking for an officially licensed minecraft alex with bow taking aim tshirt in youth size and heather grey color": [ + "an officially licensed minecraft alex with bow taking aim tshirt in youth size and heather grey color", + "magnate licensed minecraft alex with bow taking aim tshirt in youth size and heather grey color", + "indoor licensed minecraft alex with bow taking aim tshirt in youth size and heather grey color", + "mi-craft alex with bow taking aim tshirt in youth size and heather grey color", + "minecraft alex with bow taking aim tshirt in youth size and heather grey color", + "mi-portrait alex in youth size and heather grey color", + "mi-portrait alex in youth size and heather grey", + "mi-portrait alex in heather grey", + "mi-portrait alex in heather grey color", + "muskmelts heather grey" + ], + "help me find a standing four-tiered baker's rack that's heavy duty.": [ + "4-tiered bakers rack heavy duty", + "four-tiered bakers rack heavy duty", + "three-tiered bakers rack heavy duty", + "4 bakers rack heavy duty", + "4 tiered bakers rack heavy duty", + "4tiered bakers rack heavy duty", + "4-tiered bakers rack", + "barbecue rack heavy duty", + "a standing four-tiered bakers rack", + "heavy duty bakers rack" + ], + "find me a set of cute mesh laundry bags.": [ + "set of cute mesh laundry bags", + "pack of cute mesh laundry bags", + "curtains mesh laundry bags", + "match of cute mesh laundry bags", + "comfortable mesh laundry bags", + "living room mesh laundry bags", + "comfy mesh laundry bags", + "pack of cute mesh laundry", + "kids mesh laundry bags", + "maturity laundry bags" + ], + "i need a long sleeve button up shirt that has a casual style and slim fit.": [ + "long sleeve button up shirt slim fit", + "long sleeve button up shirt", + "long sleeve button up shirt with a casual style", + "short sleeve button up shirt with a casual style", + "short sleeve button up shirt slim fit", + "short sleeve button up shirt", + "lens button up shirt with a casual style", + "lens button up shirt slim fit", + "lens button up shirt", + "long sleeve button up shirt slim fit." + ], + "i'm looking for healthy granola bars that lack artificial coloring, flavoring and don't include high fructose corn syrup as an ingredient.": [ + "healthy granola bars with artificial coloring and flavoring", + "healthy granola bars that are high fructose corn syrup", + "healthy granola bar with artificial coloring and flavoring", + "healthy granola bars that no artificial coloring and flavoring", + "healthy granola bar with artificial coloring", + "healthy granola bars with artificial coloring", + "healthy granola bars that lack artificial coloring and flavoring", + "healthy granola bars no artificial coloring", + "healthy granola bars with artificial coloring, flavoring", + "healthy granola bars that are natural no artificial" + ], + "i want to find a pair of brown loose-fitting men's pants in a medium size.": [ + "brown loose-fitting mens pants", + "brown loose-fitting mens pants in a medium", + "womens pants in a medium size", + "twin mens pants in a medium size", + "brown mens pants in a medium size", + "brown loose-fitting mens pants, medium size", + "brown loose-fitting mens pants under $40", + "brown loose-fitting mens pants, medium", + "womens pants brown", + "brown loose fitting mens pants" + ], + "would you get me a work polo, has to have buttons, preferably orange and a medium.": [ + "work polo with buttons orange", + "work polo buttoned orange", + "work polo with buttoned orange", + "work polo, orange and medium", + "work polo, orange and a medium", + "work polo that is buttoned orange", + "work polo with buttons orange and medium", + "work polo buttoned orange and medium", + "work polo, orange, medium", + "work polo with buttons" + ], + "i need to buy women's leggings for yoga. i need slim fit with tummy control in a large size.": [ + "womens leggings for yoga", + "womens leggings for yoga slim fit", + "womens leggings yoga", + "womens leggings for yoga. slim fit", + "womens leggings for yoga slim fit large", + "womens leggings yoga large", + "womens leggings for yoga.", + "womens leggings for yoga, slim fit", + "womens leggings", + "womens leggings yoga slim fit" + ], + "what is a simulated camera that takes aaa batteries?": [ + "imagine camera that takes aaa batteries", + "imagine camera with aaa batteries", + "impaired camera with aaa batteries", + "impaired camera that takes aaa batteries", + "improvoking camera with aaa batteries", + "imagine a camera that takes aaa batteries", + "imagine a camera with aaa batteries", + " simulated camera that takes aaa batteries", + "imagine camera that takes aaa batteries?", + "aaa batteries" + ], + "i need help finding a twin set of gold coffee tables that's easy to clean.": [ + "twin set of gold coffee tables", + "twin set of gold coffee table", + "twin set of gold coffee tables easy to clean", + "twin set of gold coffee tables clean", + "twin set of gold coffee table clean", + "twin set of gold coffee table easy to clean", + "two set of gold coffee tables", + "two set of gold coffee table", + " twin set of gold coffee tables", + "double set of gold coffee tables" + ], + "i want to find a long-sleeve sweatshirt that features the charlie vaggie anime character on it.": [ + "long-sleeve sweatshirt with a charlie vaggie anime character", + "long-sleeve sweatshirt with the charlie vaggie anime character", + "long-sleeve sweatshirt that features the charlie vaggie anime character", + "long-sleeve sweatshirt with charlie vaggie anime character", + "womens sweatshirt with a charlie vaggie anime character", + "womens sweatshirt with the charlie vaggie anime character", + "a long-sleeve sweatshirt with a charlie vaggie anime character", + "womens sweatshirt with the charlie vaggie anime character on it", + "womens sweatshirt with a charlie vaggie anime character on it", + "long-sleeve sweatshirt with an anime character" + ], + "order a round black side table with storage space.": [ + "round black side table with storage space", + "tablet with storage space round black", + "tablet with storage space", + "tablet black with storage space", + "square black side table with storage space", + "Round black side table with storage space", + "tablet black", + "round black side table", + "living room table with storage space", + "tablet with storage" + ], + "i'm hoping to find a twin pack of hydrating body lotion that's cruelty free and certified organic.": [ + "twin pack of hydrating body lotion", + "twin pack of hydrating body lotion cruelty free", + "twin pack of hydrating body lotion cruelty free certified organic", + "twin pack of hydrating body lotion that is cruelty free", + "twin pack of hydrating body lotion that cruelty free", + "twin pack of hydrating body lotion certified organic", + "twin pack hydrating body lotion", + "two pack of hydrating body lotion", + "two pack hydrating body lotion", + "twin pack" + ], + "find me a classic-fitting women's tank top in navy that says \"why yes they're real boobs\" on it.": [ + "classic-fitting womens tank top in navy with real boobs", + "classic-fitting womens tank top with real boobs", + "classic-fitting womens tank top in navy with real boobs on it", + "classic-fitting womens tank top with real boobs on it", + "classic-fitting womens tank top in navy", + "classic-fitting womens tank top in navy with boobs", + "classic-fitting womens tank top in navy with boobs on it", + "classic-fitting womens tank top in navy with real boobs.", + "classic-fitting womens tank top in navy, with real boobs", + "classic-fitting womens tank top" + ], + "i'm looking for a men's classic fit button-down shirt for special occasions.": [ + "mens classic fit button-down shirt for special occasions", + "mens classic fit button-down shirt for special occasions.", + "mens classic fit button-down shirt", + "mens classic fit button-down shirt for special occasions", + "mens classic fit button-down shirt, special occasions", + "mens classic fit button-down shirt for special occasions mens", + "mens classic fit button-down shirt special occasions", + "mens classic fit button-down shirt for special occasions.", + "mens classic fit button-down shirt", + "mens button-down shirt for special occasions" + ], + "i'm hoping to find a pair of g-string thong underwear for men. ideally, the underwear will have a high waist, and i need it in a medium size.": [ + "gstring thong underwear for men", + "g-string thong underwear for men", + "gstring thong underwear for men in a medium size", + "g-string thong underwear for men in a medium", + "gstring thong underwear for men in a medium", + "gstring thong underwear", + "g-string thong underwear", + "gstring thong underwear for men in a high waist", + "gstring thong underwear in a medium size", + "gstring thong underwear for men size medium" + ], + "i'd like to find a twin sized bed with drawers for extra storage.": [ + "twin sized bed with drawers", + "twin bed with drawers", + "twin bed drawers for extra storage", + "twin bed drawers", + "twin bed with drawers extra storage", + "twin bed drawers extra storage", + "twin sized bed drawers", + "twin beds with drawers", + "twin sized bed", + "twin bed" + ], + "i want an easy to carry lighting background for my studio.": [ + "light weight lighting background for my studio", + "easy to carry lighting background", + "light weight lighting background", + "lighted lighting background for my studio", + "pocket lighting background for my studio.", + "pocket lighting background for my studio", + "living room lighting background", + "yellow lighting background for my studio", + "light weight lighting background for studio", + "light blue studio lighting background" + ], + "i'm looking for a provocative set of small women's polyester spandex.": [ + "small womens polyester spandex", + "small womens polyester spandex under $40", + "small womens polyester spandex under $50", + "small womens polyester spandex under $60", + "small womens polyester spandex under 30 dollars", + "small womens polyester spandex under 50 dollars", + "small womens polyester spandex.", + "small womens polyester spandex under 40 dollars", + "small womens polyester spandex under $120", + "small womens polyester spandex, provocative" + ], + "i'm looking for an ornament sculpted from iron of a mother and child that i can put in my living room.": [ + "an ornament sculpted from iron of a mother and child", + "ornaments sculpted from iron of a mother and child", + "oral sculpted from iron of a mother and child", + "artwork from iron of a mother and child", + "ornamments sculpted from iron of a mother and child", + "indoor ornament sculpted from iron of a mother and child", + "artwork sculpted from iron of a mother and child", + "artwork from iron of a mother and child living room", + "oral sculpted from iron of a mother and child living room", + "ornamments from iron of a mother and child" + ], + "i need a plug and play high definition video converter.": [ + "plug and play high definition video converter", + " plug and play high definition video converter", + "tv plug and play high definition video converter", + "high definition video converter plug and play", + "plug and play high definition video converter.", + "Plug and play high definition video converter", + "high definition video converter", + "pink and play high definition video converter", + " plug and play high definition video converter.", + "pack and play high definition video converter" + ], + "i'm looking for a silicone band compatible with my apple watch that's 40 mm and white.": [ + "silicone band for apple watch 40 mm white", + "silicone band for apple watch 40 mm", + "silicone band for apple watch", + "silicone band 40 mm and white", + "silicone band for apple watch 40 mm black", + "silicone band 40 mm white", + "silicone band with apple watch 40 mm white", + "silicone band, 40 mm and white", + "silicone band that is 40 mm and white", + "silicone band 40 mm white apple watch" + ], + "i want to find 38 millimeter silicone bands that are compatible with my apple watch. the bands can be either dark green, black, or olive green.": [ + "38 millimeter silicone bands", + "38 millimeter silicone bands that are compatible with my apple watch", + "38 millimeter silicone bands compatible with my apple watch", + "38 millimeter silicone bands for apple watch", + "38 millimeter silicone bands, compatible with my apple watch", + "38 millimeter silicone bands that are compatible with my apple watch, under $40", + "38 millimeter silicone bands that are compatible with my apple watch,", + "38 millimeter silicone bands with apple watch", + "38 millimeter silicone bands in dark green", + "38 millimeter silicone band" + ], + "i want to find a blue bedside table unit that comes with extra shelf storage space.": [ + "blue bedside table unit", + "blue bedside table unit with extra shelf storage", + "blue bedside table unit with extra shelf storage space", + "blue bedside table unit, extra shelf storage", + "blue bedside table unit, extra shelf storage space", + "blue bedside table unit that is extra shelf storage", + "blue bedside table unit under $50", + "blue bedside table unit under $40", + "blue bedside table unit extra shelf storage", + "blue bedside table unit under $60" + ], + "help me locate a pair of women's angelfish stripe boat shoes with rubber soles in a size 6.": [ + "womens angelfish stripe boat shoes", + "womens angelfish stripe boat shoes in a size 6", + "womens angelfish stripe boat shoes with rubber soles size 6", + "womens angelfish stripe boat shoes in a size 6.", + "womens angelfish stripe boat shoes size 6", + "womens angelfish stripe boat shoes with rubber sole in a size 6", + "womens angelfish stripe boat shoes with rubber soles", + "womens angelfish stripe boat shoes, size 6", + "womens angelfish stripe boat shoes with rubber soles size 6.", + "mens angelfish stripe boat shoes" + ], + "i'm hoping to buy a medium pair of women's cropped jeans with an elastic waist for everyday wear.": [ + "womens cropped jeans with an elastic waist", + "medium size womens cropped jeans with an elastic waist", + "medium womens cropped jeans with an elastic waist", + "womens cropped jeans", + "medium jeans with an elastic waist", + "womens cropped jeans with an elastic waist,", + "medium size womens cropped jeans", + "womens cropped jeans, elastic waist", + "medium jeans", + "medium womens cropped jeans" + ], + "i'm looking for a men's slip-on in a size 10 that has a rubber sole.": [ + "mens slip-on in a size 10", + "mens slip-on size 10 with a rubber sole", + "mens slip-on size 10 that has a rubber sole", + "mens slip-on in a size 10 with rubber sole", + "mens slip-on size 10 with rubber sole", + "mens slip-on in a size 10, rubber sole", + "mens slip-on in a size 10 rubber sole", + "mens slip-on size 10", + "mens slip-on size 10 rubber sole", + "mens slip-on size 10, rubber sole" + ], + "i'm looking to buy a large adjustable blue bathrobe towel wrap that's good for drying hair after a shower.": [ + "large adjustable blue bathrobe towel wrap", + "large adjustable blue bathrobe towel wrap for drying hair", + "large adjustable blue bathrobe towel wrap for drying hair in a shower", + "large adjustable blue bathrobe towel wrap for drying hair after a shower", + "large adjustable blue bathrobe towel wrap for drying hair shower", + "large adjustable blue bathrobe towel wrap for drying hair under $40", + "large adjustable blue bathrobe towel wrap for drying hair under $50", + "large adjustable blue bathrobe towel wrap for drying hair.", + "large adjustable blue bathrobe towel wrap for drying hair under $60", + "large adjustable blue bathrobe towel wrap for drying hair under 50 dollars" + ], + "find me a navy blue wooden sideboard storage cabinet that comes with a height-adjustable shelf.": [ + "i want a navy blue wooden sideboard storage cabinet that comes with a height-adjustable shelf.", + "navy blue wooden sideboard storage cabinet with height-adjustable shelf", + "navy blue wooden sideboard storage cabinet that comes with a height-adjustable shelf", + "navy blue wooden sideboard storage cabinet", + "navy blue wooden sideboard storage cabinet that comes with a height-adjustable shelf.", + "navy blue wooden sideboard storage cabinet with height adjustment", + "navy blue wooden sideboard storage cabinet with height adjustmentable shelf", + "navy blue wooden sideboard storage cabinet with height-adjustable shelf.", + "navy blue wooden sideboard storage cabinet that comes with a height-adjustable shelf,", + "navy blue wooden sideboard storage cabinet with height-adjustable shelf," + ], + "i am looking to buy a stainless steel mens hair trimmer": [ + "stainless steel mens hair trimmer", + "stainless steel mens hair trimmer under $40", + "stainless steel mens hair trimmer under $50", + "stainless steel mens hair trimmer under $60", + "stainless steel mens hair trimmer under 50 dollars", + "stainless steel mens hair trimmer under 30 dollars", + "stainless steel mens hair trimmer under 40 dollars", + "stainless steel mens hair trimmer under $130", + "stainless steel mens hair trimmer,", + "sneakers mens hair trimmer" + ], + "i am in the need of an end table that has to be put together.": [ + "end table", + "end table to be put together", + "end table for end table", + "end table under $50", + "end table under $40", + "end table under $60", + "end table to be put together.", + "end table for dining", + "end table under $120", + "end table," + ], + "i'm looking for a women's swimsuit that is quick drying and size large and color black": [ + "womens swimsuit size large and color black", + "womens swimsuit size large color black", + "womens swimsuit size large black", + "womens swimsuit size large", + "womens swimsuit large and color black", + "womens swimsuit that is quick drying black", + "womens swimsuit large black", + "womens swimsuit", + "womens swimsuit in a size large", + "womens swimsuit in size large" + ], + "you are viewing one of the trendiest products vintage yellowstone national park wolf retro graphic art tank top for men black belong theme vintage yellowstone national park tank tops at printerval:": [ + "vintage yellowstone national park tank tops", + "vintage yellowstone national park tank tops at printerval", + "vintage yellowstone national park tank tops under 50 dollars", + "vintage yellowstone national park tank tops under $50", + "vintage yellowstone national park tank tops under $40", + "vintage yellowstone national park tank tops under 30 dollars", + "yellowstone national park tank tops", + "vintage yellowstone national park tank tops under $60", + "vintage yellowstone national park tank tops for men black", + "yellowstone national park tank tops that are trendiest" + ], + "i want a nesting table that will last a long time and is gray. it has to be small and space saving too.": [ + "nesting table small and space saving", + "nest table small and space saving", + "nesting table, small and space saving", + "nesting table small space saving", + "nesting table small", + "nesting table that is small space saving", + "nesting table with a gray color", + "nesting table gray", + "nesting table that is small", + "nesting table" + ], + "i'm looking for blackout curtains for living room which should be thermal insulated. also, choose 52w*84l size mustard yellow one.": [ + "black blackout curtains for living room which should be thermal insulated", + "black blackout curtains for living room", + "black blackout curtains for living room 52w*84l", + "black blackout curtains for living room that should be thermal insulated", + "bathroom curtains 52w*84l size mustard yellow", + "50w*84l size mustard yellow blackout curtains", + "bathroom curtains 52w*84l", + "black blackout curtains for living room with thermal insulated", + "50w*84l blackout curtains", + "white blackout curtains for living room" + ], + "i need a basketball of size 9. it needs to have a lace closure and and rubber sole and outsole.": [ + "size 9 basketball with lace closure and rubber sole and outsole", + "basketball of size 9 with lace closure and rubber sole", + "basketball of size 9 with a lace closure and rubber sole", + "size 9 basketball with lace closure and rubber sole", + "basketball of size 9", + "basketball of size 9 with a lace closure", + "basketball of size 9 with lace closure", + "size 9 basketball with lace closure", + "basketball of size 9", + "size 9 basketball" + ], + "i need a grey button down dhirt that is hand wash and has a longer sleeve.": [ + "grey button down dhirt with a longer sleeve", + "grey button down dhirt that is hand wash", + "grey button down dhirt with a long sleeve", + "grey button down dhirt", + "grey button down dhirt with long sleeves", + "grey button down dhirt with long sleeve", + "grey button down dhirt with hand wash", + "grey button down dhirt, hand wash", + "grey button down dhirt with a longer sleeves", + "grey button down dhirt hand wash" + ], + "show me an easy carry high definition body cam which can be used for spying or security.": [ + "easy carry high definition body cam", + "easy carry high definition body cam with security", + "easy carry high definition body cam for spying", + "easy carry high definition body cam,", + "low carry high definition body cam", + "5 foot high definition body cam", + "walking high definition body cam", + "low definition body cam", + "walking cam easy carry", + "5 ft body cam" + ], + "i need some cheese that is ready to eat and has good quality to it. an 8 pack that is individually wrapped is what i need.": [ + "8 pack cheese that is ready to eat and is individually wrapped", + "8 pack cheese that is ready to eat and has good quality", + "8 pack of cheese that is ready to eat and is individually wrapped", + "8 pack of cheese that is ready to eat and has good quality", + "8 pack cheese that is ready to eat", + "8 pack of cheese that is ready to eat", + "8 pack cheese", + "8 pack of cheese", + "chocolate cheese 8 pack individually wrapped", + "almond cheese 8 pack" + ], + "i want a 12-pack of bourbon gouda that's individually wrapped.": [ + "12-pack of bourbon gouda individually wrapped", + "12-pack of bourbon gouda", + "12 pack of bourbon gouda individually wrapped", + "barbecue gouda 12-pack individually wrapped", + "barbecue gouda 12 pack individually wrapped", + "barbecue gouda 12-pack", + "12-pack bourbon gouda individually wrapped", + "barbecue gouda that is individually wrapped", + "barbecue gouda 12 pack", + "barbecue gouda individually wrapped" + ], + "i am interested in buying cheese which is made of quality ingredients and comes in a pack of 12.": [ + "12 pack cheese made from quality ingredients", + "12 pack of cheese made from quality ingredients", + "12 pack cheese made of quality ingredients", + "pack of 12 cheese made from quality ingredients", + "12 pack of cheese made of quality ingredients", + "chocolate cheese pack of 12", + "cheese pack of 12", + "almond cheese pack of 12", + "style cheese pack of 12", + "12 pack of cheese" + ], + "i'm looking for machine wasable savannan burlap placemat with compatible table runner with dahlia flower print table set of 6 pcs. also choose color golden circlesan4455 with size 13x70inch+13x19inch*4.": [ + "machine wasable savannan burlap placemat with compatible table runner with dahlia flower print table set of 6 pcs", + "machine wasable savannan burlap placemat with compatible table runner", + "machine wasable savannan burlap placemat with compatible table runner with dahlia flower print table set of 6 pcs.", + "machine wasable savannan burlap placemat with compatible table runner, dahlia flower print table set of 6 pcs", + "machine wasable savannan burlap placemat with compatible table runner color 13x70inch+13x19inch", + "machine wasable savannan burlap placemat with compatible table runner with dahlia flower print table runner", + "machine wasable savannan burlap placemat with dahlia flower print table runner", + "machine wasable savannan burlap placemat with dahlia flower print table set of 6 pcs", + "machine wasable savannan burlap placemat with dahlia flower print table set of 6 pcs.", + "machine wasable savannan burlap placemat" + ], + "i need some serum that is for anti aging and doesn't have smell. cruelty free is necessary. i only need a 1 oz portion.": [ + "anti aging serum 1 oz", + "anti aging serum that is for anti aging", + "anti aging serum cruelty free 1 oz", + "anti aging serum that is cruelty free", + "anti aging serum", + "anti aging serum cruelty free", + "anti aging serum with smell 1 oz", + "anti aging serum, cruelty free", + "anti aging serum with smell", + "anti aging serum, 1 oz" + ], + "i'm looking for a sturdy and solid dummy camera that's portable and made of stainless steel. also, choose the one that's easy to install.": [ + "stainless and solid dummy camera", + "solid dummy camera portable and made of stainless steel", + "stainless stainless steel dummy camera", + "stainless steel dummy camera", + "sturdy and solid dummy camera", + "stainless solid dummy camera", + "stainless and solid dummy camera under $40", + "stainless and solid dummy camera under $50", + "a sturdy and solid dummy camera", + "solid dummy camera" + ], + "i want buy a large wall mounted storage organizer basket .": [ + "large wall mounted storage organizer basket", + "large wall mounted storage organizer basket under $50", + "large wall mounted storage organizer basket under $40", + "large wall mounted storage organizer basket under $60", + "large wall mounted storage organizer basket for storage", + "large wall mounted storage organizer basket under $130", + "large wall mounted storage organizer basket under $120", + "large wall mounted storage organizer basket under 50 dollars", + "large wall mounted storage organizer basket under 40 dollars", + "large wall mounted storage organizer basket," + ], + "i'm looking for 4g lte prepaid flip phone with quad core processor which should include sim card. also, choose color black": [ + "4g lte prepaid flip phone with quad core processor", + "4g lte prepaid flip phone with quad core processor in color black", + "4g lte prepaid flip phone with quad core processor in black", + "4g lte prepaid flip phone with quad core processor with sim card", + "4g lte prepaid flip phone with quad core processor, black", + "4g lte prepaid flip phone with quad core processor black", + "4g lte prepaid flip phone with quad core processor color black", + "4g lte prepaid flip phone with quad core processor in color", + "quad core processor 4g lte prepaid flip phone with quad core processor", + "4g lte prepaid flip phone" + ], + "i am looking for a black color tv stick remote that should be non slip and easy to install.": [ + "black tv stick remote", + "black color tv stick remote", + "tv stick remote black", + "black tv stick remote easy to install", + "black tv stick remote that is non slip", + "tv stick remote that should be non slip", + "black tv stick remote non slip", + "black tv stick remote, non slip", + "white tv stick remote", + "tv stick remote" + ], + "i need a hoodie with a loose fit. sky blue and large is preferred.": [ + "hoodie sky blue and large", + "hoodie sky blue", + "hoodie, sky blue and large", + "hoodie with loose fit sky blue", + "hoodie with a loose fit", + "hoodie in sky blue", + "hoodie large", + "hoodie size sky blue", + "hoodie sky blue large", + "hoodie" + ], + "i am looking for a lip plumper with cruelty free, also long lasting": [ + "lip plumper cruelty free", + "lip plumper with cruelty free", + "lip plumper that is cruelty free", + "lip plumper cruelty free long lasting", + "lip plumper long lasting", + "lip plumper, cruelty free", + "lip plumper which is cruelty free", + "lip plumper", + "lip plumper animal free", + "lip plumper no cruelty" + ], + "i need a camera that is fast and has high definition capabilities": [ + "fast and high definition camera", + "fast high definition camera", + "curtains fast and high definition", + "cameras fast and high definition", + "fast camera with high definition", + "high definition camera", + "curtains fast high definition", + "camera fast and high definition", + "memory camera fast high definition", + "fast camera" + ], + "i am looking for a dental flosser that is eco friendly for my oral hygiene": [ + "oral flosser eco friendly", + "eco friendly oral hygiene flosser", + "dental flosser eco friendly", + "eco friendly dental flosser", + "eco friendly oral hygiene dental flosser", + "dental flosser that is eco friendly", + "oral flosser that is eco friendly", + "eco friendly dental flosser for oral hygiene", + "antental flosser eco friendly", + "oral flosser eco friendly for oral hygiene" + ], + "i need some draw string shorts that are official cleveland university. the need to be small and charcoal along with being machine washable.": [ + "drawstring shorts small and charcoal", + "draw string shorts small and charcoal", + "draw string shorts, small and charcoal", + "drawstring shorts, small and charcoal", + "draw string shorts", + "drawstring shorts size small and charcoal", + "drawstring shorts", + "draw string shorts size small and charcoal", + "draw string shorts in small and charcoal", + "drawstring shorts in small and charcoal" + ], + "i'm looking for high-waisted lace women's lingerie in red. choose the x-large size.": [ + "high-waisted lace womens lingerie in red", + "high-waisted lace womens lingerie in red x-large", + "high-waisted lace womens lingerie in red x-large size", + "high-waisted lace womens lingerie in red, x-large", + "low-waisted lace womens lingerie in red x-large size", + "low-waisted lace womens lingerie in red x-large", + "low-waisted lace womens lingerie in red", + "high-waisted lace womens lingerie", + "lens lingerie in red x-large", + "lens lingerie x-large" + ], + "looking for a 2 pack of granola that is gluten free. it needs to be non gmo and shelf stable.": [ + "2 pack of granola gluten free", + "2 pack of granola", + "2 pack of granola non gmo", + "gluten free granola 2 pack", + "2 pack of granola dairy free", + "granola gluten free 2 pack", + "2 pack of granola no gmo", + "2 pack of granola, gluten free", + "2 pack of granola natural", + "granola gluten free" + ], + "i need something for hair growth.": [ + "hair growth", + "hair growth serum", + "hair growth.", + "hair growth under $50", + "hair growth under $40", + "hair growth product", + "hair growth under $60", + "hair growth cream", + "hair growth products", + "hair growth that is natural" + ], + "i'm looking for high quality phone cord hair ties. also, choose size 18, matte color.": [ + "high quality phone cord hair ties in a matte color", + "phone cord hair ties size 18, matte color", + "phone cord hair ties, size 18, matte color", + "high quality phone cord hair ties in matte color", + "phone cord hair ties in a size 18 matte color", + "phone cord hair ties size 18, matte color", + "high quality phone cord hair ties", + "phone cord hair ties in a matte color", + "phone cord hair ties size 18 matte color", + "phone cord hair ties in a size 18" + ], + "i am looking for a fast charging adapter with fast charging support in high speed": [ + "fast charging adapter with fast charging support", + "fast charging adapter", + "fast charging adapter for fast charging", + "fast charging adapter for high speed", + " fast charging adapter with fast charging support", + "fast charging adapter for charging high speed", + "fast charging adapter that is high speed", + "fast charging adapter high speed", + "fast charging adapter fast charging", + "fast charging adapter with fast charging" + ], + "i'm looking for a scoop neck long sleeve medium size tunic top that's fit for everyday wear. also, choose the grey color one.": [ + "tunic top grey", + "cup neck long sleeve medium size tunic top", + " scoop neck long sleeve medium size tunic top", + "pocket neck long sleeve medium size tunic top", + "tunic top in grey", + "tunic top that fit for everyday wear", + "tunic top grey", + "tunic top, grey", + "tunic top that is grey", + "coax neck long sleeve medium" + ], + "i need a bikini that is low rise and quick drying, in a size small": [ + "bikini small", + "small bikini", + "bikini size small", + "small bikini low rise quick drying", + "bikini low rise quick drying", + "low rise quick drying bikini", + "small bikini size small", + "slimming bikini small", + "slimming small", + "big bikini" + ], + "i am looking for a non toxic bag that has great quality to it, along with being for nail art.": [ + "non toxic bag for nail art", + "non toxic bag", + "non toxic bag, nail art", + "non toxic bag under $40", + "non toxic bag under $50", + "non toxic bag with great quality", + "non toxic bag for nail art.", + "non toxic bag under $60", + "non toxic bag, under $40", + "non toxic bag with quality" + ], + "i need a button down shirt that is slim fit and hand washable. the fabric needs to be stretch and be large and black.": [ + "button down shirt slim fit and hand washable", + "button down shirt slim fit large black", + " button down shirt slim fit and hand washable", + "button down shirt with stretch and be large black", + "button down shirt slim fit", + "button down shirt slim fit large and black", + " button down shirt slim fit large black", + "button down shirt large and black", + "button down shirt slim fit small black", + "button down shirt large black" + ], + "i am looking for cruelty free long lasting lip lacquer with the color option moody.": [ + "cruelty free long lasting lip lacquer color option moody", + "cruelty free long lasting lip lacquer", + "cruelty free lip lacquer with the color option moody", + "cruelty free long lasting lip lacquer that is moody", + "cruelty free lip lacquer color option moody", + "cruelty free long lasting lip lacquer color", + "cruelty free long lasting lip lacquer under $40", + "cruelty free long lasting lip lacquer color option", + "cruelty free long lasting lip lacquer under $60", + "cruelty free lip lacquer" + ], + "i need an easy to carry headset for audio.": [ + "easy to carry headset for audio", + "easy to carry headset for audio.", + "easy to carry headset", + "easy-to-carry headset for audio", + "easy to carry headset for audio,", + "simple to carry headset for audio", + "pocket headset for audio", + "5 ft headset for audio", + "phone headset for audio", + "5 ft headset" + ], + "i'm looking for sheer window covering rod pocket 2 panels for living room with size 52\" x 63\" inch. also choose the color plaid red black.": [ + "window covering rod pocket 2 panels for living room with size 52 x 63", + "window covering rod pocket 2 panels", + "window covering rod pocket 2 panels for living room in size 52 x 63", + "window covering rod pocket 2 panels in size 52 x 63 inch", + "window covering rod pocket 2 panels for living room", + "window covering rod pocket 2 panels, size 52 x 63 inch", + "window covering rod pocket 2 panels in size 52 x 63", + "window covering rod pocket 2 panels, size 52 x 63", + "window covering rod pocket 2 panels size 52 x 63 inch", + "large window covering rod pocket 2 panels" + ], + "looking for a beverage that is non alcoholic and low carb please.": [ + "non alcoholic and low carb beverage", + "non alcoholic and low carb drink", + "non alcoholic low carb beverage", + "non alcoholic low carb drink", + "non alcoholic and low carb beverages", + "non alcoholic and low carb drink mix", + "non alcoholic and low carb alcoholic beverage", + "non alcoholic and low carb", + "non alcoholic low carb", + "non alcoholic drink" + ], + "i am in search of a cover-up that is easy to care for, machine washable and is quick drying. the waist needs to be elastic and of relaxed fit.": [ + "cover-up easy to care for", + "cover-up that is easy to care for", + "cover-up easy to care for under $40", + "cover-up easy to care for under $50", + "cover-up under $50", + "cover-up under $40", + "cover-up", + "cover-up under $60", + "cover-up with elastic waist", + "cover-up with elastic" + ], + "i am looking for some pajamas that use good materials and has long sleeves. i will be wearing it daily and need a large size.": [ + "pajamas large", + "pajamas with long sleeves", + "pajamas that are large", + "pajama large", + "pajamas large size", + "pajamas size large", + "pajamas long sleeves", + "pajamas large and small", + "pajamas small", + "pajamas large in size" + ], + "looking for a white medium casual shirt. i am slim and it needs to be button down. long sleeves and machine washable needed as well.": [ + "white medium casual shirt button down", + "white medium casual shirt buttoned", + "white medium casual shirt", + "white medium casual shirt buttoned down", + "white medium casual shirt with long sleeves", + "white medium casual shirt buttoned button down", + "white medium casual shirt, button down", + "white medium casual shirt buttoned up", + "white medium casual shirt slim", + "white medium casual shirt that is button down" + ], + "i'm looking for a pair of women's jeans in a size 33 regular which wash cold and dry clean.": [ + "womens jeans in a size 33 regular", + "womens jeans size 33 regular", + "womens jeans size 33 regular wash cold and dry clean", + "womens jeans size 33 regular wash cold and dry", + "womens jeans 33 regular", + "womens jeans, size 33 regular", + "womens jeans a size 33 regular", + "womens jeans in size 33 regular", + "womens jeans size 33", + "womens jeans" + ], + "i am looking for a folding chair with steel frame. also with space saving.": [ + "folding chair with steel frame", + "living room folding chair with steel frame", + "coaxial chair with steel frame", + " folding chair with steel frame", + "a folding chair with steel frame", + "comfortable chair with steel frame", + "furniture chair with steel frame", + "folding chair steel frame", + "compact chair with steel frame", + "living room folding chair" + ], + "i'm looking for a pair of high quality, stainless steel nail clippers that also function as a pedicure tool.": [ + "stainless steel nail clippers", + "stainless steel nail clippers, pedicure tool", + "stainless steel nail clippers for pedicure", + "two high quality, stainless steel nail clippers", + "stainless steel pedicure tool", + "pair of high quality, stainless steel nail clippers", + "stainless steel nail clippers for pedicure tool", + "a pair of high quality, stainless steel nail clippers", + "two stainless steel nail clippers", + "nail clippers" + ], + ": i'm looking for a funny dad beer tank top. also men's size large classic fit in royal blue,": [ + "mens size large classic fit in royal blue", + "muskmens size large classic fit in royal blue", + "mens size large classic fit in royal blue,", + "mens size large classic fit in royal blue", + "kids size large classic fit in royal blue", + "muskmens size large classic fit in royal blue,", + "muskmens large classic fit in royal blue", + "mens size large classic fit in royal blue mens", + "a funny dad beer tank top in royal blue", + "comedy dad beer tank top in royal blue" + ], + "i am looking for a heavy duty spa bed made-up of stainless steel": [ + "heavy duty spa bed made-up of stainless steel", + "intensive care spa bed made-up of stainless steel", + "intensive duty spa bed made-up of stainless steel", + "mushroom bed made-up of stainless steel", + "maternity bed made-up of stainless steel", + "mamma bed made-up of stainless steel", + "mens spa bed made-up of stainless steel", + "heavy duty spa bed made-up of stainless steel,", + "mens bed made-up of stainless steel", + "heavy duty spa bed" + ], + "i need a woman's t-shirt that has a classic fit and a needle type sleeve.": [ + "womens t-shirt with a classic fit and a needle type sleeve", + "womens t-shirt with classic fit and a needle type sleeve", + "womans t-shirt with a classic fit and a needle type sleeve", + "womens t-shirt with a classic fit", + "womens t-shirt with a classic fit and needle type sleeve", + "womens t-shirt with a classic fit with a needle type sleeve", + "womens t-shirt classic fit and a needle type sleeve", + "womens t-shirt, classic fit and a needle type sleeve", + "womens t-shirt with classic fit", + "womens t-shirt with a classic fit and a needle type sleeves" + ], + "i am looking for a metal coat rack for my entryway. i need it to be heavy duty and i want it silver in color.": [ + "metal coat rack for my entryway", + "heavy duty metal coat rack for my entryway", + "metal coat rack for entryway", + "heavy duty metal coat rack for entryway", + "metal coat rack for my entryway silver", + "metal coat rack for entryway silver", + "metal coat rack for my entryway, silver", + "heavy duty metal coat rack for the entryway", + "heavy duty metal coat rack", + "metal coat rack" + ], + "i'm looking for a 4 pack of teeth whitening trays,bpa free, that comes with a free storage case.": [ + "4 pack teeth whitening trays,bpa free", + "4 pack of teeth whitening trays", + "4 pack of teeth whitening trays bpa free", + "4 pack teeth whitening trays", + "4 pack of teeth whitening trays free storage case", + "teeth whitening trays,bpa free", + "4 pack teeth whitening trays bpa free", + "teeth whitening trays,bpa free,", + "4 pack of teeth whitening trays no storage", + "teeth whitening trays" + ], + "i am looking for a shoe with rubber sole and vinyl acetate also size 11.": [ + "shoes with rubber sole and vinyl acetate", + "size 11 shoe with rubber sole and vinyl acetate", + "shoes with rubber sole, vinyl acetate", + "sneakers with rubber sole and vinyl acetate", + "shoes with vinyl acetate size 11", + "shoes with rubber sole in vinyl acetate", + "shoes with rubber sole", + "shoes size 11 vinyl acetate", + "shoes with rubber sole vinyl acetate", + "size 11 shoe" + ], + "i'm looking for a women soon to be dad pregnancy tank top with classic fit, needle sleeve, cotton heather and should be machine washable. also, choose medium size, royal blue": [ + "woman soon to be dad pregnancy tank top with classic fit, needle sleeve, cotton heather", + "womens soon to be dad pregnancy tank top with classic fit", + "women soon to be dad pregnancy tank top with classic fit, needle sleeve, cotton heather", + "womens baby shower tank top with classic fit, needle sleeve, cotton heather", + "womens soon to be dad pregnancy tank top with classic fit and machine washable", + "baby shower tank top with classic fit, needle sleeve, cotton heather", + "womens soon to be dad pregnancy tank top", + "woman soon to be dad pregnancy tank top with classic fit", + "maternity tank top with classic fit, needle sleeve, cotton heather", + "woman soon to be dad pregnancy tank top" + ], + "find me a high speed dual style package with 12\" power amplifier car subwoofer": [ + "high speed dual style package with 12 power amplifier car subwoofer", + "high speed dual style package with 12 power amplifier car subwoofer", + "high speed dual style package with a 12 power amplifier car subwoofer", + "dual style package with 12 power amplifier car subwoofer", + "dual style package with 12 power amplifier car subwoofer", + "dual style package with a 12 power amplifier car subwoofer", + "low speed dual style package with 12 power amplifier car subwoofer", + "high speed dual style package", + "high speed dual style package with an amplifier car subwoofer", + "dual style package" + ], + "i would like a single 15\" power amplifier car subwoofer/": [ + "single 15 power amplifier car subwoofer", + "single 15 power amplifier car subwoofer under $40", + "single 15 power amplifier car subwoofer under $60", + "single 15 power amplifier car subwoofer under $50", + "single 15 power amplifier car subwoofer under $120", + "single 15 power amplifier car subwoofer under 30 dollars", + "single 15 power amplifier car subwoofer under $130", + "single 15 power amplifier car subwoofer/", + "single 15 power amplifier car subwoofer under 50 dollars", + "single 15 power amplifier car subwoofer under 40 dollars" + ], + "i am looking for a lace closure water booties & socks of red color.": [ + "laces closure water booties & socks of red color", + "a lace closure water booties & socks of red color", + "lace closure water booties & socks of red color", + "laces closure water booties & socks of red", + "laces closure water booties & socks red", + "laces closure water booties & socks", + "lace closure water booties & socks of red", + "laces closure water booties and socks of red color", + "lens closure water booties & socks of red color", + "lac closure water booties & socks of red color" + ], + "i am looking for a letter y size monogram coaster set that fits for my living room . and i prefer the 22-lights color": [ + "a letter y size monogram coaster set", + "letter y size monogram coaster set", + "alarm coaster set 22-lights", + "synthetic 22-lights monogram coaster set", + "synthetic monogram coaster set 22-lights", + "letter y size monogram coaster set for my living room", + "synthetic monogram coaster set 22-lights color", + "19-lights monogram coaster set", + "12 letter y size monogram coaster set", + "22-lights monogram coaster set" + ], + "i'm looking for the wall arts for hanging through the wall to the living room and dinning room.": [ + "wall arts for living room and dinning room", + "wall arts for living room", + "wall arts living room and dinning room", + "wall arts, living room and dinning room", + "wall arts living room and dining room", + "wall arts for living room and dining room", + "wall arts", + "wall arts living room", + "wall arts for dining room", + "wall arts dining room" + ], + "i am looking owl statue eco friendly soy wax jar candle color black": [ + " owl statue eco friendly soy wax jar candle color black", + "eco friendly soy wax jar candle color black", + " owl statue eco friendly soy wax jar candle color", + " owl statue eco friendly soy wax jar candle", + "grey owl statue eco friendly soy wax jar candle color", + "womens wax jar candle color black", + "eco friendly soy wax jar candle color black owl statue", + "eco friendly soy wax jar candle color", + "eco friendly soy wax jar candle", + "oatmeal statue eco friendly" + ], + "i am looking for a super comfy x-large palazzo pants with elastic waist and wide legs.": [ + "super comfy x-large palazzo pants with elastic waist and wide legs", + "super comfy x-large palazzo pants with elastic waist", + "super comfy x-large palazzo pants with elastic waist wide legs", + "super comfy x-large palazzo pants with elastic waist, wide legs", + "super comfy x-large palazzo pants", + "super comfy x-large panda pants with elastic waist and wide legs", + "super comfy x-large palazzo pants with elastic waist with wide legs", + "super comfy x-large pajama pants with elastic waist and wide legs", + "super comfy x-large palaazzo pants with elastic waist", + "super comfy x-large panda pants with elastic waist" + ], + "i am looking for rose gold and phoenix colored makeup powder.": [ + "rose gold and phoenix colored makeup powder", + "rose gold makeup powder", + "rose gold, phoenix colored makeup powder", + "rose gold phoenix colored makeup powder", + "rose gold makeup powder under $40", + "rose gold color makeup powder", + "rose gold colored makeup powder", + "rose gold makeup powder under $50", + "rose gold makeup powder.", + "rose gold" + ], + "looking for highlighting makeup powder in the highlighting & luminizers section of beauty & personal care. long lasting, metallic shimmer, venus (pearlescent white.) made by aesthetica starlite": [ + "beauty powder in the highlighting & luminizers section of beauty & personal care", + "king makeup powder in the highlighting & luminizers section of beauty & personal care", + "beauty powder that is long lasting, metallic shimmer", + "pink makeup powder that is long lasting, metallic shimmer", + "pink makeup powder in beauty & personal care", + "pink makeup powder for beauty & personal care", + "beauty powder long lasting, metallic shimmer", + "beauty powder in the highlighting & luminizers section", + "beauty powder", + "pink makeup powder" + ], + "i am looking for a gluten free mixed nuts of all-in-one mix flavours": [ + "gluten free mixed nuts", + "gluten free mix nuts", + "gluten free mixed nuts mix flavours", + "gluten free mixed nuts mix", + "gluten free mixed nuts drink mix", + "gluten free mixed nuts no sugar", + "gluten free mixed nuts blend flavours", + "gluten free all-in-one mix", + "gluten free mixed nuts drink mix flavours", + "gluten free mixed nuts no sugar mix" + ], + "i am looking for size: \u00f870cm | 28inch size tempered glass lazy susans": [ + "28inch size tempered glass lazy susans", + "im looking for size: \u00f870cm", + "28inch x 28inch tempered glass lazy susans", + "28inch size tempered glass lazy susans under $40", + "28inch x 28inch size tempered glass lazy susans", + "i am looking for size: \u00f870cm", + "28inch size tempered glass lazy susans under $60", + "28inch size tempered glass lazy susans under $50", + "size: \u00f870cm", + "size 28inch size tempered glass lazy susans" + ], + "earphone earbuds comfortable ear noise cancelling with mic": [ + "earphone earbuds comfortable ear noise cancelling", + "phone earbuds comfortable ear noise cancelling with mic", + "earphone earbuds comfortable for ear noise cancelling", + "earphone earbuds comfortable noise cancelling with mic", + "sound cancelling earbuds", + "sound cancelling earbuds with mic", + "earphone earbuds with noise cancelling", + "earphone earbuds with mic", + "phone earbuds comfortable ear noise cancelling", + "earphone earbuds" + ], + "i need a gift basket with milk chocolate covered peanuts": [ + "gift basket with milk chocolate covered peanuts", + "gift basket milk chocolate covered peanuts", + "gift basket, milk chocolate covered peanuts", + "gift basket of milk chocolate covered peanuts", + "gift basket for milk chocolate covered peanuts", + "gift basket that is milk chocolate covered peanuts", + "gift basket that milk chocolate covered peanuts", + "gift basket dairy chocolate covered peanuts", + "gift basket chocolate covered peanuts", + "gift basket, milk chocolate covered peanuts," + ], + "i'm looking for a men's slim fit athletic long sleeve shirts with printed graphic tees top by jspoyou .": [ + "mens slim fit athletic long sleeve shirts jspoyou", + "mens slim fit athletic long sleeve shirts", + "mens slim fit athletic long sleeve shirts, jspoyou", + "mens slim fit athletic long sleeve shirts by jspoyou", + "mens slim fit athletic long sleeve shirts with printed graphic tees", + "mens slim fit long sleeve shirts jspoyou", + "mens slim fit long sleeve shirts with printed graphic tees top", + "mens slim fit long sleeve shirts", + "mens slim fit long sleeve shirts with printed graphic tees", + "mens slim fit athletic long sleeve shirts under $40" + ], + "i want long lasting king size headbord color : white queen wingback": [ + "king size headbord color white queen wingback", + "king size headbord color : white queen wingback", + "king size headbord color white", + "king size headbord colored white queen wingback", + "king size headbord color: white queen wingback", + "king size headbord color white queen wingback", + "king size headbord white queen wingback", + "king size headbord color, white queen wingback", + "king size headbord with white queen wingback", + "king size headbord color" + ], + "i'm searching for cork base coaster for home living room - a set of 4 with cup holder": [ + "cork base coaster for home living room", + "cork base coaster for home living room with cup holder", + "cork base coaster living room set of 4 with cup holder", + "cork base coaster for home living room a set of 4", + "cork base coaster for home living room set of 4", + "home theater coaster set of 4 with cup holder", + "home living room cork base coaster", + "wood base coaster for home living room", + "home colored cork base coaster", + "cork base coaster" + ], + "i want a small dress shirt made of polyester cotton. it should be navy in color.": [ + "small dress shirt made of polyester cotton", + "small dress shirt made from polyester cotton", + "small dress shirt with polyester cotton", + "small navy dress shirt", + "small polyester cotton dress shirt", + "small dress shirt, navy in color", + "small navy dress shirt under $50", + "small navy dress shirt under $40", + "small dress shirt, navy", + "small dress shirt in navy" + ], + "i am looking for a espresso color home office desks with steel frame.": [ + "espresso color home office desks with steel frame", + "espresso color home office desk with steel frame", + "espresso colored home office desks with steel frame", + "espresso color home office desks", + "a espresso color home office desks with steel frame", + " espresso color home office desks with steel frame", + "epresso color home office desks with steel frame", + "espresso color office desks with steel frame", + "home office desks with steel frame", + "eco color home office desks with steel frame" + ], + "i am looking for a denim for daily wear , size 28.": [ + "jeans for daily wear size 28", + "jeans for daily wear size 28.", + "jeans for daily wear, size 28", + "jean for daily wear size 28", + "daring denim for daily wear size 28", + "jeans for daily wear in size 28", + "djeans for daily wear size 28", + " denim for daily wear size 28", + "jeans for daily wear", + "jeans size 28" + ], + "i am searching for an engorgement style breast mask suitable for dry skin.": [ + "an engorgement style breast mask suitable for dry skin", + " engorgement style breast mask suitable for dry skin", + " engorgement style breast mask suitable for dry skin.", + " engorgement style breast mask for dry skin", + "enorgement style breast mask suitable for dry skin", + "alarm style breast mask suitable for dry skin", + "an engorgement style breast mask for dry skin", + "enorgement style breast mask suitable for dry skin.", + " engorgement style breast mask for dry skin.", + "enorgement style breast mask for dry skin" + ], + "i am looking for cupcake toppers for baby shower birthday party. please choose pink color.": [ + "cupcake toppers for baby shower", + "cupcake toppers baby shower pink", + "baby shower cupcake toppers pink", + "cupcake toppers for baby shower pink", + "pink baby shower cupcake toppers", + "cupcake toppers baby shower", + "pink cupcake toppers baby shower", + "cupcake toppers for baby shower party", + "cupcake toppers for baby shower birthday", + "cupcake toppers pink" + ], + "i need pink tennis shoes for my daily wear. it should be a size 8.": [ + "pink tennis shoes size 8", + "pink tennis shoes", + "pink tennis shoes in a size 8", + "pink tennis shoes for daily wear size 8", + "pink tennis shoes for daily wear", + "pink tennis shoes size 8.5", + "pink tennis shoes, size 8", + "pink tennis shoes a size 8", + "pink tennis shoes for my daily wear", + "pink tennis shoes in a size 8." + ], + "i want size 8 aodong walking shoes for women with lace closure.": [ + "size 8 aodong walking shoes", + "size 8 aodong walking shoes for women", + "size 8 walking shoes for women with lace closure", + "size 8 aodong walking shoes with lace closure", + "aodong walking shoes for women with lace closure", + "walking shoes size 8 aodong with lace closure", + "size 8 aodong walking shoes, lace closure", + "walking shoes for women with lace closure size 8", + "walking shoes for women with lace closure", + "size 8 walking shoes for women" + ], + "i am looking for blue color wireless charger": [ + "blue wireless charger", + "blue wireless charger under $40", + "blue color wireless charger", + "blue wireless charger under $50", + "blue wireless charger under $60", + "blue wireless charger under $130", + "blue wireless charger under 50 dollars", + "blue wireless charger that is wireless", + "blue wireless charger for woman", + "blue wireless charger," + ], + "i'm looking for wall mounted for furniture need to buy it.": [ + "wall mounted furniture", + "wall mounted for furniture", + "wall mounted furniture price lower than 50.00 dollars", + "wall mounted living room furniture", + "wall mounted furniture price lower then 50.00 dollars", + "wall mounted furniture price lower than $40.00", + "wall mounted dining room furniture", + "wall mounted for furniture,", + "wall mounted furniture,", + "wall mounted wood furniture" + ], + "i am looking a large pajama set machine wash cold wash relaxed fit color: with checker pant": [ + "large pajama set with checker pant", + "large pajama set machine wash relaxed fit color", + "large pajama set in a checker pant", + "large pajama set in checker pant", + "large pajama set with checker pant color", + "large pajama set machine wash relaxed fit", + "large pajama set, checker pant", + "pajama set with checker pant", + "large pajama set under $50", + "large pajama set" + ], + "i am looking for a 9 ft. x 12 ft area rugs for living room.": [ + "9 ft x 12 ft area rugs", + "8 ft x 12 ft area rugs", + "9 ft x 12 ft rug", + "9 ft x 12 ft area rug", + "8 ft x 12 ft rug", + "9 ft x 12 ft area rug for living room", + "9 ft x 12 ft rug for living room", + "living room rug 9 ft x 12 ft", + "8 ft x 12 ft area rug", + "9 ft x 12 ft area rugs living room" + ], + "i would like a 8 ft. by 10 ft. chocolate brown runner rug for my living room.": [ + "chocolate brown runner rug for living room", + "chocolate brown runner rug for my living room", + "8 ft x 10 ft. chocolate brown runner rug", + "8 ft by 10 ft. chocolate brown runner rug", + "chocolate brown runner rug for the living room", + "chocolate brown runner rug for my living room.", + "chocolate brown runner rug living room", + "chocolate brown runner rug", + "chocolate brown runner rug for living room.", + "chocolate brown runner rug for a living room" + ], + "i am looking for a rose gold high quality oral care": [ + "rose gold oral care", + "rose gold oral care that is high quality", + "rose gold oral care price lower than 50.00 dollars", + "rose gold oral care price lower than $40.00", + "rose gold oral care price lower than 40.00 dollars", + "rose gold oral care price lower then $40.00", + "rose gold oral care whose price is high quality", + "rose gold oral care under $40", + "rose gold oral care oral care", + "rose gold oral care under $50" + ], + "i want a easy care hair styling irons straighteners": [ + "easy care hair styling irons straighteners", + "easy care hair styling irons straighteners under $40", + "easy care hair styling irons straighteners under $50", + "easy care hair styling irons straighteners under $60", + "easy care hair styling irons straighteners below $40", + "easy care hair styling irons straighteners under 50 dollars", + "easy care hair styling irons straighteners below $50", + "easy care hair styling irons straighteners under 30 dollars", + "easy care hair styling irons straighteners under 40 dollars", + "easy care hair styling irons straighteners below $60" + ], + "i'm looking for oral hygiene to prevent the dental care problems.": [ + "oral hygiene to prevent dental care problems", + "oral hygiene for dental care", + "oral hygiene", + "oral hygiene oral hygiene", + "oral hygiene oral hygiene for dental care", + "oral hygiene to prevent dental care", + "oral hygiene, prevent dental care problems", + "oral hygiene that prevents dental care problems", + "oral hygiene for dental care problems", + "oral hygiene dental care problems" + ], + "i'm looking for a foothill farms cream pie filling mix.": [ + " foothill farms cream pie filling mix", + " foothill farms cream pie filling mix.", + "foothill farms cream pie filling mix", + " foothill farms cream pie filling mix under $40", + "foothill farms cream pie filling mix.", + "teethill farms cream pie filling mix", + " foothill farms cream pie filling mix below $40", + "clayill farms cream pie filling mix", + " foothill farms cream pie filling mix under $60", + "sneakers farms cream pie filling mix" + ], + "i am looking for a small size cotton heather tank top with classic fit which is machine washable. also choose the royal blue color.": [ + "small size cotton heather tank top with classic fit", + "small size cotton heather tank top", + "small size cotton heather tank top with classic fit which is machine washable", + "small cotton heather tank top with classic fit", + "small size cotton heather tank top with classic fit in royal blue", + "small size cotton heather tank top with classic fit in a royal blue color", + "small size cotton heather tank top with classic fit that is machine washable", + "small size cotton heather tank top with classic fit, machine washable", + "small size cotton heather tank top that is machine washable", + "small size cotton heather tank top, machine washable" + ], + "i would like a 64 gig ddr 4 ram laptop with a intel core.": [ + "64 gig ddr 4 ram laptop with a intel core", + "64 gig ddr 4 ram laptop", + "64 gig ddr 4 ram laptop with intel core", + "64 gig ddr 4 ram laptop with a intel core.", + " 64 gig ddr 4 ram laptop with a intel core", + "32 gig ddr 4 ram laptop with a intel core", + "16 gig ddr 4 ram laptop with a intel core", + "64 gig ddr 4 ram laptop with a intel core,", + "64 gig ddr 4 ram laptop with a intel", + "large ddr 4 ram laptop with a intel core" + ], + "i would like some cake toppers for a baby shower.": [ + "cake toppers for a baby shower", + "cake toppers for baby shower", + "cake toppers for a baby shower.", + "baby shower cake toppers", + "cake toppers for a baby shower", + "birthday cake toppers for baby shower", + "cake toppers for baby shower.", + "cake toppers baby shower", + "birthday cake toppers", + "cake toppers for baby shower" + ], + "i am looking for a hair removal device for home use.": [ + "hair removal device for home use", + "hair removal device for home use.", + "home use hair removal device", + "hair removal device for home use", + "shoes removal device for home use", + "hair removal device", + "a hair removal device for home use", + "human hair removal device for home use", + "home hair removal device", + "human hair removal device" + ], + "i am looking for fragrance free eye cream effective for dark circle.": [ + "scent free eye cream for dark circle", + "synthetic free eye cream for dark circle", + "scent free eye cream for dark circle.", + "st fragrance free eye cream for dark circle", + "scent free eye cream effective for dark circle", + "silky free eye cream for dark circle", + "vomitive free eye cream for dark circle", + "pink eye cream effective for dark circle", + "pink eye cream for dark circle", + "pink eye cream effective for dark circle." + ], + "i am looking for a pink/blue switch gaming keyboard that is non-slip": [ + "pink/blue switch gaming keyboard", + "pink gaming keyboard that is non-slip", + "pink gaming keyboard non-slip", + "pink andblue switch gaming keyboard", + "pink gaming keyboard with non-slip", + "pink gaming keyboard", + "pink gaming keyboard with a non-slip", + "pink/blue gaming keyboard", + "pink and blue switch gaming keyboard", + "pink switch gaming keyboard" + ], + "i am looking for water resistant camera housing.": [ + "water resistant camera housing", + "water resistant camera housing under $40", + "water resistant camera housing under $50", + "water resistant camera housing under $60", + "water resistant camera housing.", + "water resistant camera housing under $120", + "water resistant camera housing under $130", + "rain resistant camera housing", + "water resistant camera housing under 50 dollars", + "water resistant camera housing for camera" + ], + "i am looking for a white moisture wicking briefs for men": [ + "white moisture wicking briefs for men", + "womens white moisture wicking briefs", + "white moisture wicking briefs", + "white moisture wicking briefs for men,", + "white mens wicking briefs for men", + " white moisture wicking briefs for men", + "white water wicking briefs for men", + "white moisture wicking briefs men", + "white wicking briefs for men", + "white mens wicking briefs" + ], + "i'm looking for a twin size bed that soft beds for bedroom.": [ + "twin bed soft beds for bedroom", + "twin bed", + "twin size bed", + "twin bed soft beds", + "twin bed less then $40", + "twin bed for bedroom", + "twin bed less then $50", + "twin size bed for bedroom", + "twin bed less then $60", + "twin bed with soft beds" + ], + "i am looking for a pack of 3 long lasting champagne blonde hair dye.": [ + "3 long lasting champagne blonde hair dye", + "pack of 3 long lasting champagne blonde hair dye", + "3 long lasting champagne blonde hair dye pack", + "4 pack of long lasting champagne blonde hair dye", + "4 pack long lasting champagne blonde hair dye", + "3 pack of long lasting champagne blonde hair dye", + "3 long lasting champagne blonde hair dye.", + "4 pack of champagne blonde hair dye", + "plastic blonde hair dye", + "pink blonde hair dye" + ], + "i am looking for long lasting eyeliner in charcoal color": [ + "long lasting eyeliner in charcoal color", + "long lasting eyeliner in charcoal", + "large lasting eyeliner in charcoal color", + "long lasting eyeliner in charcoal colored", + "long lasting eyeliner charcoal color", + "lens eyeliner in charcoal color", + "laliner in charcoal color", + "medium lasting eyeliner in charcoal color", + "alarm color long lasting eyeliner", + "long lasting eyeliner, charcoal color" + ], + "i am looking for a solid wood display & curio cabinets": [ + "solid wood display & curio cabinets", + "solid wood display and curio cabinets", + "stainless wood display & curio cabinets", + "solid wood display & curio cabinets under $40", + "solid wood display & curio cabinets under $60", + "solid wood display & curio cabinets under $120", + "solid wood display & curio cabinets under $50", + "solid wood display & curio cabinets under $130", + "solid wood display & curio cabinets under 50 dollars", + "solid wood display & curio cabinet" + ], + "i would like a versa3 furry beige black fitbit band that has a quick release.": [ + "a versa3 furry beige black fitbit band", + "pale beige black fitbit band", + "psi3 furry beige black fitbit band", + " versa3 furry beige black fitbit band", + "veterate 3 furry beige black fitbit band", + "vide3 furry beige black fitbit band", + "psi3 furry beige black fitbit band quick release", + "pale beige black fitbit band quick release", + "a versa3 furry beige black fitbit band quick release", + "veterate3 furry beige black fitbit band" + ], + "i'm looking for a easy to assemble dresser storage organizer with steel frame. also, choose small size black grey colored one.": [ + "small steel frame black grey colored dresser storage organizer", + "small steel frame black grey steel dresser storage organizer", + "small steel frame dresser storage organizer", + "small steel frame black grey frame dresser storage organizer", + "small steel frame black grey sash dresser storage organizer", + "small steel frame black grey dresser storage organizer", + "small steel frame black grey colored frame dresser storage organizer", + "small steel frame black grey", + "small steel frame black grey colored dresser storage organizer,", + "small steel frame" + ], + "baggy jeans for women high waisted daily casuals in colour blue-6": [ + "baggy jeans for women blue-6", + "baggy jeans in colour blue-6", + "baggy jeans for women high waisted", + "baggy jeans", + "baggy jeans blue-6", + "baggy jeans for women", + "baggy jeans for womenblue-6", + "baggy jeans high waisted daily casuals", + "baggy jeans for women high waisted daily", + "baggy jeans black" + ], + "i am looking for a 5 no. rubber sole of road running shoes": [ + "5 no. rubber sole of road running shoes", + "5 no. rubber sole road running shoes", + "a 5 no. rubber sole of road running shoes", + " 5 no. rubber sole of road running shoes", + "5 no. rubber sole of road running shoes,", + "4 no. rubber sole of road running shoes", + "no. rubber sole of road running shoes", + "5 no. rubber sole running shoes", + "road running shoes 5 no. rubber sole", + "5 no. rubber sole" + ], + "i am looking for 9 size , true red color and rubber sole running shoes for men": [ + "9 size , true red color and rubber sole running shoes", + "9 size rubber sole running shoes for men", + "9 size , true red color running shoes for men", + "black rubber sole running shoes for men 9 size", + " 9 size , true red color and rubber sole running shoes", + "9 size, true red color and rubber sole running shoes", + "stainless red running shoes for men 9 size", + "9 size , true red color and rubber sole running shoes,", + "black rubber sole running shoes for men 9 oz", + "9 size men running shoes" + ], + "i'm looking for a winsome element 2pc bar stool.": [ + "womensome element 2pc bar stool", + "gainsome element 2pc bar stool", + "winome element 2pc bar stool", + "lensome element 2pc bar stool", + "uwome element 2pc bar stool", + "gainsome element 2pc bar stool.", + "nude element 2pc bar stool", + "winome element 2pc bar stool.", + "lensome element 2pc bar stool.", + "uwome element 2pc bar stool." + ], + "i am looking for an easy to carry charger with wireless bluetooth features.": [ + "easy to carry charger with wireless bluetooth", + "easy to carry charger for bluetooth", + "easy to carry charger", + "easy to carry charger for wireless bluetooth", + "pocket charger with wireless bluetooth", + "easy to carry charger wireless bluetooth", + "easy to carry charger for bluetooth wireless", + "easy to carry wireless bluetooth charger", + "pocket charger for bluetooth", + "easy to carry charger with bluetooth" + ], + "i want to buy a faux fur snow boots with rubber soles. it should be size 9 in width.": [ + "faux fur snow boots size 9 in width", + "faux fur snow boots 9 in width", + "faux fur snow boots with rubber soles", + "faux fur snow boots", + "faux fur snow boots, size 9 in width", + "faux fur snow boots that are 9 in width", + "faux fur snow boots size 9 in width.", + "faux fur snow boots in size 9 in width", + "faux fur snow boots 9in width", + "faux fur snow boots size 9" + ], + "i'm looking for groceries shop for high protein ingredients.": [ + " groceries shop for high protein ingredients.", + "gift shop for high protein ingredients.", + "grocery shop for high protein ingredients.", + "gift shop for high protein ingredients", + "grocery shop for high protein ingredients", + "garden groceries shop for high protein ingredients.", + "good groceries shop for high protein ingredients.", + "gmo groceries shop for high protein ingredients.", + "gift shop high protein ingredients", + "gift store high protein ingredients" + ], + "i'm looking for a contemporary style dresser made of solid wood.": [ + "contemporary style dresser made of solid wood", + "contemporary style dresser made of solid wood.", + "living style dresser made of solid wood", + "compact style dresser made of solid wood", + "contemporary style dresser made from solid wood", + "a contemporary style dresser made of solid wood", + "comfortable style dresser made of solid wood", + "affordable style dresser made of solid wood", + "classic style dresser made of solid wood", + "a contemporary style dresser made of solid wood." + ], + "i need a blanket with lighthouse printing with 70x90\" in grey brown": [ + "blanket with lighthouse printing", + "blanket with lighthouse printing 70x90", + "blanket with lighthouse printing in grey brown", + "blanket 70x90 in grey brown", + "blanket 70x90 in grey", + "blanket 70x90 grey", + "blanket with lighthouse printing in grey", + "blanket blanket with lighthouse printing", + " blanket with lighthouse printing", + "blanket" + ], + "i would like a 2xl black and white hoodie that i can machine wash.": [ + "2xl black and white hoodie", + "2xl black and white hoodie machine wash", + "2xl black and white hoodie, machine wash", + "2xl black and white hoodie under $40", + "2xl black and white hoodie under $50", + "2xl black and white hoodie under $60", + "2xl black and white hoodie in machine wash", + "2 xl black and white hoodie", + "2xl black white hoodie", + "2xl hoodie machine wash" + ], + "i would like a bottle of coffee time romance nail polish.": [ + "coffee time romance nail polish", + "coffee time romance nail polish.", + "a bottle of coffee time romance nail polish", + "coffee time romance nail polish under $40", + "coffee time romance nail polish under 30 dollars", + "coffee time romance nail polish under 50 dollars", + "coffee time romance nail polish under $50", + "coffee time romance nail polish under $60", + "coffee time romance nail polish bottle", + "cup time romance nail polish" + ], + "i'm looking for a organic certified garbanzo beans that contains dietary fiber and low sodium level. also, choose a pack of 1 weights 15 pounds with conventional one.": [ + "organic certified garbanzo beans that contains dietary fiber and low sodium level", + "organic certified garbanzo beans with dietary fiber and low sodium level", + "organic certified garbanzo beans with dietary fiber and low sodium", + "organic certified garbanzo beans with dietary fiber", + "organic certified garbanzo beans 15 pounds", + "organic certified garbanzo beans with dietary fiber 15 pounds", + "organic certified garbanzo beans that contain dietary fiber and low sodium level", + "organic certified garbanzo beans that contains dietary fiber and low sodium", + "organic certified garbanzo beans that contains dietary fiber", + "organic certified garbanzo beans" + ], + "i want a gluten free apple strawberry snack gift.": [ + "gluten free apple strawberry snack gift", + "gluten free apple strawberry snack gift.", + "gluten free apple strawberry snack gift under 50 dollars", + "gluten free apple strawberry snack gift under $50", + "gluten free apple strawberry snack gift under 40 dollars", + "gluten free apple strawberry snack gift under $60", + "gluten free apple strawberry snack gift under 30 dollars", + "gluten free apple strawberry snack gift under $40", + "i want a gluten free apple strawberry snack gift.", + "gluten free apple strawberry snack gift under 60 dollars" + ], + "i'm searching for 650 pcs nail art gel polish remover": [ + "nail art gel polish remover 650 pcs", + "bathroom polish remover 650 pcs", + " 650 pcs nail art gel polish remover", + "nail art gel polish remover", + "toothpaste remover 650 pcs", + "nude art gel polish remover 650 pcs", + "lip art gel polish remover 650 pcs", + "hair polish remover 650 pcs", + "nude art gel polish remover", + "toothpaste remover 650 pcs nail art" + ], + "i'm looking for a blue diamond almonds nut .": [ + "blue diamond almonds nut", + "blue diamond almonds nut under $40", + "blue diamond almonds nut under $60", + "blue diamond almonds nut under $50", + "blue diamond almonds nut under 50 dollars", + "blue diamond almonds nut under 30 dollars", + "blue diamond almonds nuts", + "blue diamond almonds nut, under $40", + "blue diamond almonds nut, under $60", + "blue diamond almonds nut, under $50" + ], + "i am looking for a turquoise color turquoise": [ + "turquoise color", + "turquoise color turquoise", + "turquoise", + "turquoise turquoise", + "turquoise turquoise color", + "turquoise colored turquoise", + "turquoise color under $40", + "turquoise color under $50", + "turquoise color under $60", + "turquoise color below $40" + ], + "find for gift: comfortable women's pink drawstring sweatpants high waist with pockets aragone my friend's favorite brand to train at the gym workout.": [ + "pink drawstring sweatpants high waist workout workout", + "pink drawstring sweatpants high waist", + "pink drawstring sweatpants high waist workout", + "sweatpants high waist with pockets aragone", + "womens pink drawstring sweatpants high waist", + "comfortable womens pink drawstring sweatpants", + "pink drawstring sweatpants high waist workouts", + "pink drawstring sweatpants", + "blanket sweatpants high waist", + "sweatpants high waist" + ], + "i am looking for 2 sets of mesh laundry bags and should be medium sized.": [ + "2 sets of mesh laundry bags", + "2 sets of mesh laundry bags, medium sized", + "2 mesh laundry bags", + "2 mesh laundry bags that should be medium sized", + "2 mesh laundry bags, medium sized", + "2 sets of mesh laundry bags medium sized", + "2 set of mesh laundry bags", + "2 mesh laundry bags that are medium sized", + "2 mesh laundry bags medium sized", + "2 sets of mesh laundry bags under $40" + ], + "i would like a blue 2.95 foot wire pendent light for my living room.": [ + "blue 2.95 foot wire pendent light", + "blue 2.95 foot wire pendent light for my living room", + "blue 2.95 foot wire pendent light for living room", + "blue 2.95 foot wire pendent light living room", + "blue 2.95 foot wire pendent light for the living room", + "blue 2.95 foot wire pendent light for a living room", + "blue 2.95 foot wire pendent light in my living room", + "blue 2.95 foot wire pendent light for living room.", + "blue 2.95 foot wire pendent light, living room", + "blue 2.95 foot wire pendent light in a living room" + ], + "i am looking for a wooden storage rack that is easy to assemble and has exquisite workmanship.": [ + "easy assemble wooden storage rack with exquisite workmanship", + "easy assemble wooden storage rack", + "easy to assemble wooden storage rack with exquisite workmanship", + "wood storage rack that is easy to assemble with exquisite workmanship", + "wooden storage rack with exquisite workmanship", + "easy assemble wooden storage rack under $50", + "easy to assemble wooden storage rack", + "easy assemble wooden storage rack that is easy to assemble", + "wooden storage rack", + "wood storage rack" + ], + "for dry skin, i need three pack of foot scrub which also contains coconut oil.": [ + "three pack of foot scrub", + "three pack of foot scrub with coconut oil", + "three pack of foot scrub, coconut oil", + "three pack of foot scrub in coconut oil", + "3 pack of foot scrub", + "three pack of foot scrub coconut oil", + "3 pack of foot scrub, coconut oil", + "three pack of foot scrub under $50", + "two pack of foot scrub", + "foot scrub three pack" + ], + "i am looking for modern vanity lighting for bathroom. please choose chrome color.": [ + "modern vanity lighting for bathroom in chrome color", + "modern vanity lighting for bathroom", + "modern vanity lighting for bathroom with chrome color", + "modern vanity lighting for bathroom chrome color", + "modern vanity lighting", + "modern vanity lighting for bathroom, chrome color", + "modern vanity lighting for bathroom chrome color", + "modern vanity lighting for bathroom color", + "modern vanity lighting for bathroom in chrome", + "modern vanity lighting for bathroom." + ], + "looking for one merry christmas cake toppers for a birthday party": [ + "womens christmas cake toppers for a birthday party", + "merry christmas cake toppers for a baby shower", + "merry christmas cake toppers for a birthday party", + "ferry christmas cake toppers for a baby shower", + "m merry christmas cake toppers for a birthday party", + "ferry christmas cake toppers for a birthday party", + "a merry christmas cake toppers for a birthday party", + "m merry christmas cake toppers for a baby shower", + "mas cake toppers for a baby shower", + "mas cake toppers for a birthday party" + ], + "i'm looking for groceries for simple ingredients need to buy it for house usage.": [ + "simple ingredients groceries for house usage", + "gift groceries for simple ingredients", + " groceries for simple ingredients", + "gmo groceries for simple ingredients", + "grocery for simple ingredients", + "simple ingredients groceries for simple ingredients", + "garden groceries for simple ingredients", + "simple ingredients groceries for home usage", + "simple ingredients groceries", + "bagels for simple ingredients" + ], + "i am looking for 30 fl oz (pack of 1) - set of 2 new (two... size simple ingredients mayonnaise": [ + "30 fl oz (pack of 1) simple ingredients mayonnaise", + "28 fl oz (pack of 1) simple ingredients mayonnaise", + "30 fl oz (pack of 1) simple ingredients mayonnaise under $40", + "30 fl oz (pack of 1) simple ingredients mayonnaise under 30 dollars", + "30 fl oz (pack of 1) simple ingredients mayonnaise under $60", + "30 fl oz (pack of 1), simple ingredients mayonnaise", + "30 fl oz (pack of 1) simple ingredients mayonnaise under 40 dollars", + " 30 fl oz (pack of 1) simple ingredients mayonnaise", + "30 fl oz (pack of 1) simple ingredients mayonnaise under 50 dollars", + "30 fl oz (pack of 1) simple ingredients mayonnaise under $50" + ], + "i would like a bottle of 30 fluid ounce regular mayo with simple ingredients.": [ + "30 fluid ounce regular mayo", + "30oz regular mayo with simple ingredients", + "30oz regular mayo", + "30 oz regular mayo with simple ingredients", + "30 fluid ounce regular mayo no sugar", + "28oz regular mayo with simple ingredients", + "28 fluid ounce regular mayo", + "30oz regular mayo no sugar", + "30 oz regular mayo", + "30 fluid ounce regular mayo drink" + ], + "i am looking for 0.34 fluid ounce of medium colored concealer. also, please make sure that it is suitable for sensitive skin.": [ + "1.34 fluid ounce of medium colored concealer", + "0.34 fluid ounce of medium colored concealer", + "3.34 fluid ounce of medium colored concealer", + "low colored concealer 0.34 fluid ounce", + "teeth concealer 0.34 fluid ounce", + "pink concealer 0.34 fluid ounce", + "low colored concealer under $40", + "medium colored concealer", + "low colored concealer 0.34 oz", + "low colored concealer" + ], + "i would like a 0.34 fluid ounce bottle of bisque concealer for my dark circles.": [ + "1.34 fluid ounce bottle of bisque concealer", + "2.34 fluid ounce bottle of bisque concealer", + "0.34 fluid ounce bottle of bisque concealer", + "3.34 fluid ounce bottle of bisque concealer", + "2 oz bisque concealer for dark circles", + "3 oz bisque concealer for dark circles", + "que concealer for dark circles under $40", + "que concealer for dark circles", + "teeth concealer for dark circles 0.34", + "teeth concealer for dark circles" + ], + "i am looking for foldable wireless bluetooth headphones": [ + " foldable wireless bluetooth headphones", + "foldable wireless bluetooth headphones", + "fauxable wireless bluetooth headphones", + "foolable wireless bluetooth headphones", + "com foldable wireless bluetooth headphones", + "faxable wireless bluetooth headphones", + "f foldable wireless bluetooth headphones", + "fungable wireless bluetooth headphones", + "foldable wireless bluetooth headphones", + "frayable wireless bluetooth headphones" + ], + "i am looking for a great gift of breakfast & cereal bars of newtella crispies flavor.": [ + "roasted & cereal bars of newtella crispies flavor", + "roasted and cereal bars of newtella crispies flavor", + " breakfast & cereal bars of newtella crispies flavor", + "roasted breakfast & cereal bars of newtella crispies flavor", + "toothpaste and cereal bars of newtella crispies flavor", + "tella crispies flavor", + "roasted and cereal bars of newtella crispies flavor.", + "roasted breakfast & cereal bars of newtella crispies flavor.", + "toothpaste and cereal bars of newtella crispies flavor.", + "a great gift of breakfast & cereal bars of newtella crispies" + ], + "i want lemon berry crispies in a gift basket.": [ + "lemon berry crispies in a gift basket", + "lemon berry crisies in a gift basket", + "lemon berry crispies", + "lemon berry crispies gift basket", + "lemon berry crispies in a gift basket", + "gluten berry crispies in a gift basket", + "pink berry crispies in a gift basket", + "lemon berry crispies, gift basket", + "lemon berry crispies gift basket.", + "lemon berry crispies under $50" + ], + "i am looking for a pack of 1 antiseptic mouthwash that is effective at eliminating bad breath.": [ + "antiseptic mouthwash", + "1 antiseptic mouthwash", + "antiseptic mouthwash pack of 1", + "pack of 1 antiseptic mouthwash", + "antiseptic mouthwash pack", + "antiiseptic mouthwash pack of 1", + "antiseptic mouthwash under $40", + "antiseptic mouthwash pack 1 pack", + "antiseptic mouthwash under $60", + "antiiseptic mouthwash" + ], + "find me a large cardigan sweater for men in long sleeve and machine wash": [ + "large cardigan sweater for men in long sleeve and machine wash", + "large cardigan sweater for men long sleeve and machine wash", + "large cardigan sweater for men in long sleeves and machine wash", + "large cardigan sweater for men with long sleeve and machine wash", + "large cardigan sweater for men", + "large cardigan sweater", + "large cardigan sweater for men with long sleeves and machine wash", + "large cardigan sweater for men in long sleeve machine wash", + "cardigan sweater for men long sleeve and machine wash", + "mens cardigan sweater long sleeve and machine wash" + ], + "i am looking for a table + 4 grey chairs of clear glass and faux leather.": [ + "table + 4 grey chairs of clear glass and faux leather", + "table + 4 grey chairs, clear glass and faux leather", + "table with 4 grey chairs of clear glass and faux leather", + "table + 4 grey chairs with clear glass and faux leather", + "table 4 grey chairs of clear glass and faux leather", + "table + 4 grey chairs of clear glass, faux leather", + "table + 4 grey chairs of clear glass", + " table + 4 grey chairs of clear glass and faux leather", + "tableaux 4 grey chairs of clear glass and faux leather", + "table + 4 grey chairs of clear glass faux leather" + ], + "i'm looking for a wide leg, daily wear women's baggy jeans with high waist, button closure type made of polyester spandex. also choose x-large, aa-dark blue colored one.": [ + "womens baggy jeans x-large polyester spandex", + "baggy jeans x-large, button closure type made of polyester spandex", + "baggy jeans x-large with button closure type made of polyester spandex", + "baggy jeans x-large polyester spandex", + "womens baggy jeans x-large", + "baggy jeans x-large, aa-dark blue", + "womens baggy jeans x-large with button closure type", + "baggy jeans x-large", + "baggy jeans x-large, aa-dark blue colored", + "womens baggy jeans x-large polyester spandex," + ], + "i'm looking for peanut butter chocolate chip protein bars. they need to be both dairy free and gluten free.": [ + "pomegranate butter chocolate chip protein bar", + "peanut butter chocolate chip protein bars dairy free", + "pomegranate butter chocolate chip protein bars", + "peanut butter chocolate chip protein bar dairy free", + " peanut butter chocolate chip protein bars dairy free", + "butter butter chocolate chip protein bars dairy free", + " peanut butter chocolate chip protein bar dairy free", + "butter butter chocolate chip protein bar", + "peanut butter chocolate chip protein bar", + "pale butter chocolate chip protein bar" + ], + "multi stick trio cream that is easy to apply also choose sweet pink rose": [ + "multi stick trio cream that is easy to apply", + "multi stick trio cream", + "multi stick trio cream easy to apply sweet pink rose", + "single stick trio cream that is easy to apply", + "multi stick trio cream, easy to apply", + "multi stick trio cream easy to apply", + "multi stick trio cream sweet pink rose", + "multi stick trio cream with a pink rose", + "single stick trio cream", + "multi stick trio cream pink rose" + ], + "i am looking for a medium size low rise underwear string for men.": [ + "medium size low rise underwear string for men", + "medium size low rise underwear string", + "low rise underwear string for men", + "large size low rise underwear string for men", + "medium height low rise underwear string for men", + "medium style low rise underwear string for men", + "slimming underwear string for men", + "medium size low rise underwear string men", + "medium rise underwear string for men", + "medium men underwear string" + ], + "i am looking for santa red color birthday cake": [ + "santa red color birthday cake", + "santa red birthday cake", + "santa red baby shower cake", + " santa red color birthday cake", + "santa red baby shower", + "santa red cake", + "santa red colored birthday cake", + "santa red color baby shower", + " santa red birthday cake", + "santa red" + ], + "1 pacj of deep nourishing hair mask for hair treatment": [ + "1 pacj of deep nourishing hair mask for hair treatment", + "deep nourishing hair mask for hair treatment", + "1 pacj of deep nourishing hair mask", + "1 pacj of deep nourishing hair mask for hair treatment", + "2 pacj of deep nourishing hair mask for hair treatment", + "Deep nourishing hair mask for hair treatment", + "6 pacj of deep nourishing hair mask for hair treatment", + "2 pacj of deep nourishing hair mask", + "deep nourishing hair mask for hair treatment", + "deep nourishing hair mask" + ], + "i am looking for green beans pickle in a jar. it should be made of natural infredients.": [ + "green beans pickle in a jar natural infredients", + "green beans pickle in a jar", + "green beans pickle in a jar with natural infredients", + "green beans pickle in a jar, natural infredients", + "green beans pickle in a jar natural", + "green beans pickle in a jar natural infredients.", + "green beans pickle in a jar that is natural", + "green beans pickle jar natural", + "green beans pickle mix natural", + "green beans pickle jar" + ], + "get me height adjustable pendant light with easy installation feature for dining room and in large wood chandelier size": [ + "height adjustable pendant light dining room", + "height adjustable pendant light in large wood chandelier size", + "height adjustable pendant light dining room large wood chandelier", + "height adjustable pendant light", + "height adjustable pendant light dining room with easy installation", + "height adjustable pendant light dining room wood chandelier size", + "height adjustable pendant light in large wood chandelier", + "height adjustable pendant light dining room with easy installation feature", + "height adjustable pendant light with easy installation", + "pendant light" + ], + "i need a gluten free popped veggie chips of 10 packs": [ + "veggie chips of 10 packs", + "veggie chips of 10 packs gluten free", + "veggie chips of 10 pack", + "veggie chips of 10 packs, gluten free", + "gluten free veggie chips of 10 packs", + "veggie chips of 10 packs under 50 dollars", + "veggie chips of 10 packs under $40", + "veggie chips of 10 packs no gluten", + "veggie chips of 10 packs below $40", + "veggie chips of 10 packs under $60" + ], + "i am looking for a light blue color anti slip boots with rubber sole for women. also choose size 9.5.": [ + "light blue anti slip boots with rubber sole", + "light blue anti slip boots with rubber sole for women", + "light blue anti slip boots", + "light blue color anti slip boots with rubber sole", + "light blue color anti slip boots with rubber sole for women", + "light blue anti slip boots with rubber sole 9.5", + "light blue anti slip boots size 9.5", + "light blue color anti slip boots", + "light blue walking boots with rubber sole", + "light blue walking boots" + ], + "i am trying to find carolina herrera good girl impression scent and it should be in travel size long lasting and high quality.": [ + "carolina herrera good girl impression scent long lasting", + "carolina herrera good girl impression scent", + "carolina herrera good girl scent long lasting and high quality", + "carolina herrera good girl impression scent long lasting high quality", + "carolina herrera good girl scent long lasting", + "carolina herrera girl impression scent long lasting and high quality", + "carolina herrera good girl impression scent long lasting long lasting", + "carolina herrera girl impression scent long lasting", + "carolina herrera good girl scent", + "carolina herrera long lasting scent" + ], + "i am looking for a travel size, alcohol free eau de parfum for women of estee lauder beautiful impression scent.": [ + "travel size, alcohol free eau de parfum", + "a travel size, alcohol free eau de parfum", + "Travel size, alcohol free eau de parfum", + "temporary travel size, alcohol free eau de parfum", + "travel size, alcohol free, estee lauder beautiful impression scent", + " travel size, alcohol free eau de parfum", + "a travel size, alcohol free eau de parfum with a scent", + "travel size, alcohol free eau de parfum with a scent", + "travel size alcohol free eau de parfum", + "eau de parfum" + ], + "i am looking for a long lasting travel size bottle of michael kors sexy amber impression perfume.": [ + "michael kors sexy amber impression perfume", + "michael kors sexy amber impression perfume long lasting", + "michael kors sexy amber impression perfume, long lasting", + "michael kors sexy amber impression perfume.", + "michael kors sexy amber scent", + "michael kors sexy amber impression perfume travel size", + "michael kors sexy amber impression perfume long lasting travel", + "michael kors sexy amber perfume", + "mens sexy amber impression perfume", + "mens sexy amber scent" + ], + "i am looking for le labo bergamote 22 impression and alcohol-free travel size concentrated hypoallergenic vegan attar roll-on for women": [ + "lipoallergenic vegan attar roll-on for women", + "elevated hypoallergenic vegan attar roll-on", + "le labo bergamote 22 under $40", + "lipoallergenic vegan attar roll-on", + "le labo bergamote 22 impression", + "le labo bergamote 22 impression and alcohol-free travel size", + "le labo bergamote 22 impression under $40", + "le labo bergamote 22 impression under $50", + "le labo bergamote 22 impression and alcohol-free travel", + "le labo bergamote 22" + ], + "i am looking for ca perfume impression of anais anais which is esay to carry with high quality , long lasting, alcohol free. nina ricci l'air du temps impression scent preferable.": [ + "a perfume impression of anais anais which is esay to carry with high quality , long lasting, alcohol free. nina ricci lair du temps impression scent", + "a perfume impression of anais anais which is esay to carry with high quality , long lasting, alcohol free, nina ricci lair du temps impression scent", + "a perfume impression of anais anais scent long lasting, alcohol free, nina ricci lair du temps impression scent preferable.", + "pink perfume impression of anais anais scent long lasting, alcohol free, nina ricci lair du temps impression scent preferable.", + "a perfume impression of anais anais scent long lasting, alcohol free", + "pink perfume impression of anais anais scent long lasting, alcohol free", + "a perfume impression of anais anais scent long lasting", + "a perfume impression of anais anais", + "pink perfume impression of anais anais", + "temps impression scent" + ], + "i'm looking for teeth cleansing for teeth whitening and the fresh breathe.": [ + "teeth cleansing teeth whitening fresh breathe", + "teeth cleansing teeth whitening and fresh breathe", + "teeth cleansing teeth whitening", + "teeth cleansing for teeth whitening", + "teeth cleansing for teeth whitening fresh breathe", + "toothpaste teeth cleansing fresh breathe", + " teeth cleansing for teeth whitening and fresh breathe", + " teeth cleansing teeth whitening fresh breathe", + "toothpaste teeth cleansing", + "teeth cleansing teeth whitening, fresh breathe" + ], + "i want to buy a red watch band for my 42 millimeter apple watch.": [ + "watch band 42 millimeter apple watch", + "38 millimeter apple watch band", + "42 millimeter apple watch band", + "42 millimeter apple watch", + "38 millimeter apple watch", + "22 millimeter apple watch band", + "watch band 42 millimeter apple", + "22 millimeter apple watch", + "red watch band 42 millimeter apple", + "a red watch band 42 millimeter" + ], + "i'm looking for eye shadow to use for eye makeup the needed color was caramel.": [ + "im looking for eye shadow to use for eye makeup the needed color was caramel.", + "i need an eye shadow to use for eye makeup the needed color was caramel.", + "i want an eye shadow to use for eye makeup the needed color was caramel.", + "i would like an eye shadow to use for eye makeup the needed color was caramel.", + "an eye shadow to use for eye makeup the needed color was caramel", + "an eye shadow to use for eye makeup the needed color was caramel.", + "eye shadow for eye makeup caramel", + "orange eye shadow", + "eye shadow caramel", + "apple eye shadow" + ], + "i want a .18 ounce pack of revlon colorstay creme eye shadow.": [ + "8 oz pack of revlon colorstay creme eye shadow", + "28 ounce pack of revlon colorstay creme eye shadow", + "vlon colorstay creme eye shadow", + "tvlon colorstay creme eye shadow", + "rvlon colorstay creme eye shadow", + "vlon colorstay creme eye shadow.18 ounce pack", + "rl colorstay creme eye shadow", + "vlon colorstay creme eye shadow.18 oz pack", + "tvlon colorstay creme eye shadow.18 ounce pack", + "tvlon colorstay creme eye shadow.18 oz pack" + ], + "i'm looking for computer accessories and its easy to carry and it need to buy it.": [ + "easy to carry computer accessories", + "easy-to-carry computer accessories", + "computer accessories easy to carry", + "desktop accessories easy to carry", + "easy to carry computer accessories under $40", + "easy to carry computer accessories under $60", + "easy to carry computer accessories under $50", + "simple to carry computer accessories", + "easy to carry computer accessories under 30 dollars", + "tablet accessories easy to carry" + ], + "i am searching for a high definition stereo sound hands free portable bluetooth speaker. also, choose the b color.": [ + "high definition stereo sound hands free portable bluetooth speaker", + "high definition stereo sound hands free bluetooth speaker", + "b bluetooth speaker", + "b bluetooth speaker that is high definition", + "b bluetooth speaker high definition", + "portrait bluetooth speaker b color", + "tablet bluetooth speaker b color", + "phone bluetooth speaker b color", + "portrait sound hands free bluetooth speaker", + "phone speaker b color" + ], + "i am looking for a long sleeve women's jumpsuits of small size.": [ + "womens jumpsuits small", + "womens jumpsuits", + "womens jumpsuits small size", + "womens size small jumpsuits", + "womens jumpsuits, small", + "womens jumpsuit small", + "womens jumpsuits in small", + "small womens jumpsuits", + "womens jumpsuits size small", + "womens jumpsuit" + ], + "i am looking for brown colored kitchen table and chair set with storage space.": [ + "brown colored kitchen table and chair set with storage space", + "brown colored kitchen table and chair set", + "brown dining table and chair set with storage space", + "brown kitchen table and chair set with storage space", + " brown colored kitchen table and chair set with storage space", + "brown color kitchen table and chair set with storage space", + "brown colored kitchen table and chair set with storage", + "brown colored kitchen table and chair with storage space", + "living room table and chair set with storage space", + "living room table and chair set with storage space brown" + ], + "i'm searching for men's stan smith rubber sole sneaker of size 5.5": [ + "mens stan smith rubber sole sneaker of size 5.5", + "mens stan smith rubber sole sneaker size 5.5", + "mens stan smith rubber sole sneaker", + "mens stan smith rubber sole sneaker in size 5.5", + "mens stan smith rubber sole sneaker in a size 5.5", + "mens stan smith rubber sole sneaker, size 5.5", + "mens stan smith rubber sole sneaker that is size 5.5", + "mens stan smith rubber sole sneaker of a size 5.5", + "mens stan smith rubber sole sneaker 5.5", + "mens stan smith rubber sole sneaker of size 5.5," + ], + "i'm looking for a bath brush that is easy to clean and has a long handle for easy use. oh and it should be blue.": [ + "bath brush easy to clean blue", + "bath brush with long handle", + "bath brush blue", + "bath brush easy to clean", + "bath brush easy clean blue", + "bath brush easy clean and blue", + "bath brush in blue", + "bath brush", + "bath brush clean blue", + "bath brush easy clean" + ], + "i want a plant based, dairy free oat milk of about 4.4lb.": [ + "plant based dairy free oat milk of about 4.4lb", + "plant based dairy free oat milk 4.4lb", + "plant based dairy free oat milk of 4.4lb", + "plant based dairy free oat milk about 4.4lb", + "plant based dairy free oat milk of about 4.4lbs", + "plant based dairy free oat milk", + "plant based dairy free oat milk that is 4.4lb", + "plant based dairy free oat milk 4.4lb.", + "plant based dairy free oat milk, 4.4lb", + "plant based dairy free oat milk 2.4lb" + ], + "i'm looking for women's clothing it was long sleeve the color was hot pink.": [ + "womens clothing long sleeve hot pink", + "womens clothing hot pink", + "womens clothing long sleeve pink", + "womens clothing in hot pink", + "womens clothing long sleeves hot pink", + "womens clothing that is hot pink", + "womens clothing, hot pink", + "womens clothing", + "womens clothing long sleeve", + "womens clothing, long sleeve pink" + ], + "i need a 3 panel african art for my living room wall.": [ + "3 panel african art living room wall", + "3 panel african art for my living room wall", + "3 panel african art", + "3 panel african art for living room wall", + "3 panel african art for the living room wall", + "3 panel african art for a living room wall", + "3 panel african art for living room wall.", + "3 panel african art in my living room wall", + "3 panel african art living room wall.", + "3 panel african art, living room wall" + ], + "i'm looking for fine mist and the bottles was continues that stream of water.": [ + "fine mist and the bottles", + "fine mist", + "fine mist and bottles", + "fine mist in fine mist", + "fine mist under $40", + "fine mist under $50", + "fine mist fine mist", + "fine mist in bottles", + "fine mist bottle", + "fine mist bottles" + ], + "i am looking for 5mp ptz poe camera with 20x optical zoom lens.": [ + "5mp ptz poe camera with 20x optical zoom lens", + "5mp ptz poe camera with 20x optical zoom", + "5mp ptz poe camera 20x optical zoom lens", + "5mp ptz poe camera", + " 5mp ptz poe camera with 20x optical zoom lens", + "5mp ptz poe camera, 20x optical zoom lens", + "6mp ptz poe camera with 20x optical zoom lens", + "4mp ptz poe camera with 20x optical zoom lens", + "ptz poe camera with 20x optical zoom lens", + "5mp ptz poe camera 20x optical zoom" + ], + "i need a pink pair of winter warm boots for a 9 year old kid. it has to be non slip ones.": [ + "pink winter warm boots for a 9 year old kid", + "pink winter warm boots 9 year old kid", + "pink pair of winter warm boots 9 year old kid", + "pink winter warm boots 9 year old girl", + "pink pair of winter warm boots", + "pink winter warm boots for 9 year old kid", + "pink pair of winter warm boots 9 year old girl", + "pink hiking boots 9 year old girl", + "pink winter warm boots 9 year old kids", + "pink pair of winter warm boots 9 years old kid" + ], + "i am looking for an easy to assemble blue home office desk chair with lumbar support.": [ + "blue home office desk chair with lumbar support", + "easy to assemble blue home office desk chair", + "blue home office desk chair", + "blue home office desk chair lumbar support", + "easy assemble blue home office desk chair", + "blue home office desk chair that is easy to assemble", + "blue office desk chair with lumbar support", + "blue home office desk chair, lumbar support", + "blue home office desk chair with lumbar support.", + "blue home office desk chair with lumbar support," + ], + "i am looking for 5p deep pink color concealer that is anti aging and cruelty free.": [ + "5p deep pink color concealer", + "5p deep pink color concealer anti aging and cruelty free", + "5p deep pink color concealer, anti aging and cruelty free", + "5p deep pink color concealer anti aging and cruelty free", + "p deep pink color concealer that is anti aging and cruelty free", + "5p deep pink color concealer with anti aging and cruelty free", + "5p deep pink color concealer that is anti aging", + "5p deep pink color concealer anti aging", + "5p deep pink color concealer under $40", + "5p deep pink color concealer under $50" + ], + "i want light pink veil cosmetics complexion fix oil-free concealer.": [ + "light pink veil cosmetics complexion fix oil-free concealer", + "light pink veil cosmetics complexion fix oil-free concealer.", + "pink veil cosmetics complexion fix oil-free concealer", + "light pink veil cosmetics complexion fix oil-free concealer,", + "low pink veil cosmetics complexion fix oil-free concealer", + "light pink veil cosmetics complexion fix oil-free concealer ", + "light pink veil cosmetics complexion fix oil free concealer", + "lip gloss cosmetics complexion fix oil-free concealer", + "portrait fix oil-free concealer", + "light pink veil cosmetics complexion fix oil-free" + ], + "i want to find oil-free concealer that has a light, neutral color.": [ + "oil-free concealer", + "oil-free concealer light, neutral", + "oil-free concealer that is light, neutral", + "oil-free concealer with light, neutral color", + "oil-free concealer light neutral", + "oil-free concealer, light, neutral", + "oil-free concealer, light, neutral color", + "oil-free concealer in a light neutral color", + "oil-free concealer light, neutral color", + "light oil-free concealer" + ], + "i'm looking for intel core was computer accessories it was install at any.": [ + "intel core computer accessories", + "intel core computer accessories install at any price", + "intel core computer accessories that are install at any price", + "intel core computer accessories it was install at any price", + "intel core computer accessories it was install at any.", + "intel core computer accessories, install at any price", + "intel core computer accessories install at any time", + "intel core computer accessories no Intel", + "intel core computer accessories install at any cost", + "intel core computer accessories no computer" + ], + "i'd like a certfied organic 36 pack of 2 ounce vitality shot drink flavored lemon ginger": [ + "certfied organic 36 pack of 2 ounce vitality shot drink flavored lemon ginger", + "certified organic 36 pack of 2 ounce vitality shot drink flavored lemon ginger", + "certfied organic 36 pack of 2 ounce vitality shot drink flavored lemon g", + "contesting organic 36 pack of 2 ounce vitality shot drink flavored lemon ginger", + "certfied organic 36 pack of 2 ounce vitality shot drink flavor lemon ginger", + "certfied organic 36 pack of 2 ounce vitality shot drink flavored lemon", + "2 ounce vitality shot drink flavored lemon ginger", + "8 pack of 2 ounce vitality shot drink flavored lemon ginger", + "certfied organic 36 pack of 2 ounce vitality shot drink", + "3 ounce vitality shot drink flavored lemon ginger" + ], + "i am looking for tulua apple cider vinegar lemon ginger flavored fruit juice that is certified organic.": [ + "tulua apple cider vinegar lemon ginger flavored fruit juice", + "a tulua apple cider vinegar lemon ginger flavored fruit juice", + "tunua apple cider vinegar lemon ginger flavored fruit juice", + "turflua apple cider vinegar lemon ginger flavored fruit juice", + "silkua apple cider vinegar lemon ginger flavored fruit juice", + "pink apple cider vinegar lemon ginger flavored fruit juice", + "vinyl ginger flavored fruit juice that is certified organic", + "tulua apple cider vinegar le ginger flavored fruit juice", + "vinyl ginger flavored fruit juice", + "toothpaste lemon ginger flavored fruit juice" + ], + "i'm looking for a 80 miles signal amplifier booster for hd tv.": [ + "80 miles signal amplifier booster for hd tv", + "an 80 miles signal amplifier booster for hd tv", + "telescope booster for hd tv 80 miles", + " 80 miles signal amplifier booster for hd tv", + "90 miles signal amplifier booster for hd tv", + "40 miles signal amplifier booster for hd tv", + "80 miles signal amplifier booster for hd tv.", + "telescope booster for hd tv", + "alarm booster for hd tv 80 miles", + "80 miles signal amplifier booster hd tv" + ], + "i am looking for 3mp motion detection security camera.": [ + "3mp motion detection security camera", + "3mp motion detection security camera.", + "3mp motion detection security camera under $40", + "3mp motion detection security camera under $50", + "3mp motion detection security camera under $60", + "3mp motion detection security camera under $120", + "3mp motion detection security camera under $130", + "3mp motion detection security camera under 50 dollars", + "3mp motion detection security camera,", + " 3mp motion detection security camera" + ], + "i'm looking for clothing for machinable wash and it makes confortable.": [ + "shoes for machinable wash", + "machinable wash", + "clothing for machinable wash", + "machinable wash under $40", + "machinable wash under $50", + "comfortable wash", + "tempered wash", + "womens wash", + "womens clothing", + "large wash" + ], + "i want pure certified organic bpa free coconut oil for baking and cooking purpose size :128 fl oz": [ + "pure certified organic bpa free coconut oil for baking and cooking purpose", + "pure certified organic bpa free coconut oil for baking", + "pure certified organic bpa free coconut oil for baking and cooking purpose", + "pure certified organic bpa free coconut oil", + "pure organic bpa free coconut oil for baking and cooking purpose", + "pure certified organic bpa free coconut oil for baking and cooking purpose", + "pure organic bpa free coconut oil for baking and cooking purpose", + "pure organic bpa free coconut oil for baking", + "pure certified organic bpa free coconut oil for baking", + "pure organic bpa free coconut oil" + ], + "i looking a heavy duty height adjustable professional salon spa stool color:beige": [ + "heavy duty height adjustable professional salon spa stool color beige", + "heavy duty height adjustable professional salon spa stool color:beige", + "heavy duty height adjustable professional salon spa stool color", + "heavy duty height adjustable professional salon spa stool colorbeige", + "heavy duty height adjustable professional salon spa stool color beige", + "heavy duty height adjustable professional salon spa stool color,beige", + "heavy duty height adjustable professional salon spa stool color", + "height adjustable professional salon spa stool color beige", + "heavy duty height adjustable professional salon spa stool colorbeige", + "heavy duty height adjustable professional salon spa stool color, beige" + ], + "i am looking for arms lumbar support in grey": [ + "arms lumbar support in grey", + "armwork lumbar support in grey", + "armchair lumbar support in grey", + "army lumbar support in grey", + "arm lumbar support in grey", + "alarm lumbar support in grey", + "armstrong lumbar support in grey", + "armament lumbar support in grey", + "armwork lumbar support grey", + "armchair lumbar support grey" + ], + "want to buy some peanut butter flavored cereal that is grain free and keto friendly. it needs to come in a 9 oz pack of four.": [ + "pomegranate flavored cereal that is grain free keto friendly 9 oz pack of four", + " peanut butter flavored cereal that is grain free keto friendly 9 oz pack of four", + "panut butter flavored cereal that is grain free keto friendly 9 oz pack of four", + "peanut butter flavored cereal that is grain free keto friendly 9 oz pack of four", + "pomegranate flavored cereal that is grain free keto friendly", + "panut butter flavored cereal that is grain free keto friendly, 9 oz pack of four", + " peanut butter flavored cereal that is grain free keto friendly, 9 oz pack of four", + " peanut butter flavored cereal that is grain free keto friendly, 9 oz pack of four,", + "pomegranate flavored cereal 9 oz pack of four", + " peanut butter flavored cereal that is grain free keto friendly" + ], + "i would like some maple waffle 1.27 ounce sugar free cereal.": [ + " maple waffles 1.27 ounce sugar free cereal", + " maple waffle 1.27 ounce sugar free cereal", + "synthetic waffles 1.27 ounce sugar free cereal", + "synthetic waffle 1.27 ounce sugar free cereal", + "strawberry waffles 1.27 ounce sugar free cereal", + "synthetic waffles 1.27 ounce sugar free", + "m maple waffles 1.27 ounce sugar free cereal", + " maple waffles 1.27 ounce sugar free cereal.", + " maple waffles 1.27 ounce sugar free", + " maple waffles sugar free cereal" + ], + "i'm looking for groceries shop for buying zero sugar and the flavor was french vanilla.": [ + " groceries shop for buying zero sugar and the flavor was french vanilla", + "gift shop for buying zero sugar and the flavor was french vanilla", + " groceries shop for buying zero sugar flavor, french vanilla", + "gift shop for buying zero sugar flavor french vanilla", + " groceries shop for buying zero sugar and the flavor was french vanilla.", + "gift shop for buying zero sugar flavor, french vanilla", + " groceries shop for buying zero sugar flavor that is french vanilla", + " groceries shop for buying zero sugar flavor french vanilla", + "vegan groceries shop for buying zero sugar flavor, french vanilla", + "gift shop for buying zero sugar flavor" + ], + "i want a non slip case cover for my motorola one phone.": [ + "non slip case cover for my motorola one phone", + "non slip case cover for a motorola one phone", + "non slip case cover for motorola one phone", + "non slip case cover for motorola one phone.", + "non slip case cover for the motorola one phone", + "non slip case for a motorola one phone", + "non slip case cover for an motorola one phone", + "non slip case for motorola one phone", + "non slip case for my motorola one phone", + "non slip case cover motorola one phone" + ], + "i'm looking for need to clean my teeth adn it was prevention of oral care.": [ + "toothpaste prevention", + "toothpaste prevention oral care", + "natural teeth cleaning prevention", + "oral care teeth clean", + "teeth cleaning prevention", + "oral care teeth no fluoride", + "anti-oral care teeth clean", + "teeth clean prevention", + "oral care teeth", + "natural teeth cleaning" + ], + "i'm in need of a stereo sound, pink color alarm clock radio": [ + "pink color alarm clock radio", + "sound pink alarm clock radio", + "stereo sound pink alarm clock radio", + "sound, pink color alarm clock radio", + "pink alarm clock radio", + "pink color alarm clock radio,", + "blue alarm clock radio", + "red alarm clock radio pink", + "white alarm clock radio pink", + "white alarm clock radio" + ], + "i need a big rug with a fuzzy non-stick surface.": [ + "big rug with a fuzzy non-stick surface", + "big rug with fuzzy non-stick surface", + "large rug with a fuzzy non-stick surface", + "small rug with a fuzzy non-stick surface", + "big rug that is fuzzy non-stick", + "big rug, fuzzy non-stick", + "big rug rug with fuzzy non-stick surface", + "big rug fuzzy non-stick", + "big rug", + "big rug rug" + ], + "i need a high performance bluetooth speakers that can be used for indoor parties. please choose the gray one.": [ + "high performance bluetooth speakers for indoor parties", + "low performance bluetooth speakers for indoor parties", + "gray bluetooth speakers for indoor parties", + "grey bluetooth speakers for indoor parties", + "blue bluetooth speakers for indoor parties", + "high performance bluetooth speakers", + "high performance bluetooth speakers for indoor party", + "gray bluetooth speakers", + "high performance bluetooth speakers, gray", + "womens bluetooth speakers" + ], + "i want lead free long lasting scented candle scent : cinnamon apple": [ + "lead free long lasting scented candle scent : cinnamon apple", + "lead free long lasting scented candle scent cinnamon apple", + "lead free long lasting scented candle scent", + "lead free long lasting scented candle scent: cinnamon apple", + "lead free long lasting scented candle scent, cinnamon apple", + "lead free long lasting scented candle scent with cinnamon apple", + "lead free long lasting scented candle scent cinnamon apple", + "lead free long lasting scented candle scent by cinnamon apple", + "lead free long lasting scented candle scent under $40", + "lead free candles scent cinnamon apple" + ], + "i am looking for long lasting candle. please choose creme brulee scent.": [ + "long lasting candle creme brulee scent", + "long lasting candle with creme brulee scent", + "long lasting candle, creme brulee scent", + "tempered candle with creme brulee scent", + "long lasting candle. creme brulee scent", + "tempered candle creme brulee scent", + "long lasting candle creme brulee scent.", + "long lasting candle under $40", + "long lasting candle", + "long lasting candle under $50" + ], + "i am looking for a travel size moschino miniature eau de toilette.": [ + "size moschino miniature eau de toilette", + "mushroom mini eau de toilette", + "moisturizing mini eau de toilette", + "motochino miniature eau de toilette", + "moschino miniature eau de toilette", + "mi-chino miniature eau de toilette", + "moisturizing eau de toilette", + "mushroom eau de toilette", + "size moschino miniature eau de toilette.", + "size moschino miniature eau de toilette," + ], + "i want to buy a box of savory fava bean snacks that are non-gmo. find the pack that has 21 bags.": [ + "savory fava bean snacks", + "savory fava bean snacks pack with 21 bags", + "pack of savory fava bean snacks", + "savory fava bean snacks 21 pack", + "savory fava bean snacks, 21 bags", + "savory fava bean snacks 21 bags", + "savory fava bean snacks 22 pack", + "savory fava bean snacks under $50", + "savory fava bean snacks under $40", + "savory fava bean snacks pack that has 21" + ], + "i need an area rug for my living room in wineberry color.": [ + "living room rug wineberry color", + "living room rug in wineberry color", + "living room area rug in wineberry color", + "living room area rug wineberry color", + "area rug living room in wineberry color", + "living room rug wineberry", + "living room rug wineberry colored", + "living room rug in wineberry color.", + "living room area rug wineberry colored", + "area rug for living room in wineberry" + ], + "i'm looking for an oil free fine mist makeup foundation. also, choose the buff beige color.": [ + "oil free fine mist makeup foundation", + "oil free fine mist makeup foundation.", + "fine mist makeup foundation that is oil free", + "fine mist makeup foundation, buff beige", + "fine mist makeup foundation in buff beige", + "fine mist makeup foundation buff beige", + "fine mist makeup foundation, buff beige color", + "fine mist makeup foundation", + "fine mist makeup foundation in buff beige color", + "fine mist makeup foundation." + ], + "i'm looking for a relax fit fashion designed long sleeve lapel coats for women. also, choose xx-large size z4 black colored one.": [ + "im looking for a relax fit fashion designed long sleeve lapel coats for women. also, choose xx-large size z4 black colored one.", + "im looking for a relax fit fashion designed long sleeve lapel coat for women. also, choose xx-large size z4 black colored one.", + "i want a relax fit fashion designed long sleeve lapel coats for women. also, choose xx-large size z4 black colored one.", + "a relax fit fashion designed long sleeve lapel coats for women", + "xx-large size z4 black colored coat", + "xx-large size z4 black colored jacket", + "xx-large size z4 black colored woman coat", + "xx-large size z4 black colored woman washcloth", + "xx-large size z4 black colored woman rug", + "a relax fit fashion designed long sleeve lapel coats" + ], + "i am looking for a classic fit t-shirt for a youth girl. also choose asphalt color and x-small size.": [ + "classic fit t-shirt for a youth girl x-small", + "classic fit t-shirt for a youth girl x-small size", + "classic fit t-shirt for a youth girl in x-small", + "classic fit t-shirt for a youth girl", + "classic fit t-shirt for a youth girl size x-small", + "classic fit t-shirt for a youth girl x-small", + "classic fit t-shirt for a girl x-small", + "classic fit t-shirt girl x-small", + "classic fit t-shirt", + "classic fit t-shirt for a girl" + ], + "i am looking for a black rose high speed automobile chargers": [ + "black rose high speed automobile chargers", + "black rose high speed automobile chargers under $40", + "black rose high speed automobile chargers under $60", + "black rose high speed automobile chargers under $50", + "black rose high speed automobile chargers under $120", + "black rose high speed automobile chargers under 30 dollars", + "black rose high speed automobile chargers under 50 dollars", + "black rose high speed automobile chargers under $130", + "black rose high speed automobile charger", + "black rose high speed automobile chargers," + ], + "i am looking for a pair of men's size 48 blue winter shoes with memory foam.": [ + "mens size 48 blue winter shoes with memory foam", + "mens size 48 blue winter shoes", + "man size 48 blue winter shoes with memory foam", + "men size 48 blue winter shoes with memory foam", + "mens size 48blue winter shoes with memory foam", + "mas size 48 blue winter shoes with memory foam", + "mens size 48 blue winter shoes", + "blue winter shoes with memory foam", + "womens size 48 blue winter shoes", + "blue winter shoes" + ], + "i want a bedside table with a wooden cabinet in my living room. it should be green in color.": [ + "bedside table with a wooden cabinet in my living room", + "bedside table with a wooden cabinet in my living room, green", + "bedside table with a wooden cabinet in my living room green", + "bedside table with a wooden cabinet in my living room with a green color", + "bedside table with a wooden cabinet in my living room green", + "bedside table with a wooden cabinet in my living room, green in color", + "bedside table with a wooden cabinet", + "living room bedside table green", + "bedside table green", + "bedside table" + ], + "i am looking for travel foaming dispenser for hand soap. please choose rose gold and silver pump head.": [ + "travel foaming dispenser for hand soap rose gold and silver pump head", + "travel foaming dispenser for hand soap with rose gold and silver pump head", + "travel foaming dispenser for hand soap, rose gold and silver pump head", + "travel foaming dispenser for hand soap", + "travel foaming dispenser for hand soap. rose gold and silver pump head", + "vanity foaming dispenser for hand soap rose gold and silver pump head", + "moisturizing dispenser for hand soap rose gold and silver pump head", + "travel foaming dispenser for hand soap rose gold", + "pink foaming dispenser for hand soap", + "travel foaming dispenser for hand soap with rose gold" + ], + "i would like a op99 phone case cover.": [ + "op99 phone case cover", + "phone case cover op99", + "opt99 phone case cover", + " op99 phone case cover", + "optical phone case cover", + "opus99 phone case cover", + "pink phone case cover", + "Op99 phone case cover", + "phone case cover", + "optic phone case cover" + ], + "i want a fully assembled desk converter that would fit 2 monitors.": [ + "desktop converter that would fit 2 monitors", + "living room desk converter", + "living room desk converter with 2 monitors", + "desktop converter with 2 monitors", + "full assembled desk converter for 2 monitors", + "desktop converter for 2 monitors", + "full assembled desk converter 2 monitors", + "living room desk converter 2 monitors", + "desktop converter", + "desktop converter 2 monitors" + ], + "get me a body scrub to remove dead skin. pick a 3.4 fl oz pack that is meant for sensitive skin.": [ + "body scrub 3.4 fl oz pack for sensitive skin", + "body scrub 3.4 fl oz pack", + "body scrub to remove dead skin 3.4 fl oz pack", + "body scrub for sensitive skin 3.4 fl oz pack", + "dead skin body scrub 3.4 fl oz pack", + "body scrub 3.4 fl oz pack with sensitive skin", + "body scrub 3.4 fl oz pack of sensitive skin", + "Body scrub 3.4 fl oz pack for sensitive skin", + "body scrub 3.4 fl oz pack for sensitive skin.", + "body scrub 3.4 fl oz pack for sensitive skin," + ], + "i need an easy use but high quality beauty ice contour mold skin care tool. pink color will work for me.": [ + "beauty ice contour mold skin care tool", + "beauty ice contour mold skin care tool pink", + "beauty ice contour mold skin care tool. pink", + "beauty ice contour mold skin care tool, pink", + "beauty ice contour mold skin care tool in pink", + "beauty ice contour mold skin care tool with pink color", + "beauty ice contour mold skin care tool easy to use", + "beauty ice contour mold skin care tool. pink color", + "pink beauty ice contour mold skin care tool", + "beauty ice contour mold skin care tool easy use" + ], + "get me a gluten and nut free ready to eat plant based vegan meal variety pack in size 2.29 ounce (pack of 4).": [ + "plant based vegan meal variety pack in size 2.29 ounce (pack of 4)", + "plant based vegan meal variety pack in size 2.29 ounce (pack of 4),", + "plant based vegan meal variety pack in size 2.29 ounce (pack of 4).", + "plant based vegan meal variety pack 2.29 ounce (pack of 4)", + "plant based vegan meal variety pack 2.29 ounce (pack of 4),", + "plant based vegan meal variety pack 2.29 ounce (pack of 4).", + "plant based vegan meal variety pack in a 2.29 ounce (pack of 4)", + "plant based vegan meal variety pack size 2.29 ounce (pack of 4)", + "vegan meal variety pack in size 2.29 ounce (pack of 4)", + "plant based vegan meal variety pack" + ], + "i am looking for a 2.3 ounce (pack of 4) size of plant based, gluten free and non gmo side dishes": [ + "plant based, gluten free and non gmo side dishes", + "plant based gluten free and non gmo side dishes", + "plant based, gluten free and non gmo side dishes under $40", + "plant based, gluten free, non gmo side dishes", + "pack of 4 plant based, gluten free and non gmo side dishes", + "plant based, gluten free and non gmo side dishes under $60", + "plant based gluten free and non gmo side dishes 2.3 oz", + "plant based gluten free and non gmo side dishes 2.3 ounce", + "plant based dairy free and gluten free side dishes", + "plant based and gluten free side dishes" + ], + "i am interested in a ready to eat millet and lentil packet that comes in a pack of 8": [ + "millet and lentil packet that comes in a pack of 8", + "ready to eat millet and lentil packet", + "ready to eat millet and lentil packet pack of 8", + "milk and lentil packet that comes in a pack of 8", + "mushroom and lentil packet that comes in a pack of 8", + "ready to eat millet and lentil packet under $60", + "ready to eat millet and lentil packet, pack of 8", + "millet and lentil packet", + "ready to eat millet and lentil packet, pack of 8,", + "millet and lentil packet that comes in a pack of 8 pack" + ], + "i need a long lasting perfume that is unisex and alcohol free.": [ + "long lasting perfume that is unisex and alcohol free", + "long lasting perfume unisex and alcohol free", + "vegan perfume that is unisex and alcohol free", + "vegan perfume unisex and alcohol free", + "long lasting perfume, unisex and alcohol free", + "unisex and alcohol free perfume", + "long lasting perfume", + "long lasting perfume, unisex and alcohol free,", + "long lasting perfume, unisex, alcohol free", + "long lasting perfume unisex alcohol free" + ], + "i an looking for electric hair cream mixer, automatic hair dye mixing bowl, usb rechargeable hair dyeing, color diy mixer for salon home use which is durable and lightweight. will not mold, peel, crack, warp, absorb odors, or fade. portable size, convenient to carry..suitable for professional salon hairstylist or home personal use.2 in 1 includes a bowl and a dyestuff whisk, meeting basic demands on hair dying.": [ + "electric hair cream mixer durable and lightweight", + "electric hair cream mixer durable and light weight", + "electric hair cream mixer", + "electric hair cream mixer, durable and lightweight", + "electric hair cream mixer with durable and lightweight", + "electric hair cream mixer durable", + "electric hair cream mixer durable and heavy duty", + "electric hair cream mixer durable and portable", + "electric hair cream mixer durable and lightweight", + "electric hair cream mixer for salon home use" + ], + "i want lumabase 30748 votive candles in clear glass holders - set of 12": [ + " lumabase 30748 votive candles in clear glass holders - set of 12", + " lumabase 30748 votive candles in clear glass holders set of 12", + "l lumabase 30748 votive candles in clear glass holders - set of 12", + "lumenabase 30748 votive candles in clear glass holders - set of 12", + "lumabase 30748 votive candles in clear glass holders - set of 12", + "alumabase 30748 votive candles in clear glass holders - set of 12", + "vinylabase 30748 votive candles in clear glass holders - set of 12", + "lumenabase 30748 votive candles in clear glass holders set of 12", + "l lumabase 30748 votive candles in clear glass holders set of 12", + " lumabase 30748 votive candles in clear glass holders" + ], + "i am looking for a makeup chair with metal legs for my living room. pick something in blue.": [ + "pink makeup chair with metal legs for my living room. pick something in blue.", + "daring makeup chair with metal legs for my living room. pick something in blue.", + " makeup chair with metal legs for my living room. pick something in blue.", + "moisturizing chair with metal legs for my living room. pick something in blue.", + "pink makeup chair with metal legs for my living room", + "pink makeup chair with metal legs", + "daring makeup chair with metal legs", + "beauty chair with metal legs", + " makeup chair with metal legs", + "pink makeup chair" + ], + "i am looking for gluten free strawberry juicy gels.": [ + "gluten free strawberry juicy gels", + "gluten free strawberry juicy gels.", + "gluten free strawberry juicy gels under $40", + "gluten free strawberry juicy gels under $60", + "gluten free strawberry juicy gels under $50", + "gluten free strawberry juicy gels under 50 dollars", + "gluten free strawberry juicy gels under 40 dollars", + "gluten free strawberry juicy gels under 30 dollars", + "gluten free strawberry juicy gels under 60 dollars", + "gluten free strawberry juicy gels under 120 dollars" + ], + "please find an easy use shower scalp scrubber tool in the color pink for hair care": [ + "easy use shower scalp scrubber tool in the color pink", + "bathroom scalp scrubber tool in the color pink", + "bathroom scalp scrubber tool in the color pink hair care", + "easy to use shower scalp scrubber tool in the color pink", + "shower scalp scrubber tool in the color pink", + "shower scalp scrubber tool in the color pink hair care", + "easy use shower scalp scrubber tool", + "bathroom scalp scrubber tool pink", + "pink shower scalp scrubber tool", + "bathroom scalp scrubber tool" + ], + "i am looking high speed hdmi cable. size should be 3 feet.": [ + "high speed hdmi cable 3 feet", + "high speed hdmi cable", + "high speed hdmi cable 3 ft", + "high speed hdmi cable, 3 feet", + "high speed hdmi cable 3 foot", + "high speed hdmi cable 3 ft high", + "high speed hdmi cable 3ft", + "tv hdmi cable 3 feet", + "high speed hdmi cable 3 feet long", + "tv hdmi cable" + ], + "i want a swappable top for my phone with wireless charging. it should have jacksonville jaguars logo.": [ + "swappable top for my phone with wireless charging", + "swappable top for my phone with wireless charging, jacksonville jaguars", + "swappable top for my phone with wireless charging with jacksonville jaguars", + "swappable top for my phone with wireless charging with jaguars logo", + "swappable top for a phone with wireless charging", + "swappable top for my phone with wireless charging, jaguars", + "swappable top for phone with wireless charging", + "swappable top with wireless charging", + "swappable top phone with wireless charging", + "swappable top" + ], + "i am looking for whitening massage manual easy use toothbrush with handle for boy with color d": [ + "whitening massage manual easy use toothbrush with handle for boy", + "white massage manual easy use toothbrush with handle for boy with color d", + "white massage manual easy use toothbrush with handle for boy", + "whiteening massage manual easy use toothbrush with handle for boy", + "white toothbrush with handle for boy with color d whitening massage manual", + "mushroom manual easy use toothbrush with handle for boy", + "white toothbrush with handle for boy with color d", + "easy to whitening massage manual easy use toothbrush with handle for boy", + "whitening massage manual easy use toothbrush with handle", + "whitening massage manual easy use toothbrush" + ], + "i want to find 6 ounces of goji colored blueberry powder that is high in dietary fiber.": [ + "6 ounces of goji colored blueberry powder", + "blueberry powder that is high in dietary fiber", + "blueberry powder 6 ounces high in dietary fiber", + "6 ounce of goji colored blueberry powder", + "6 oz of goji colored blueberry powder", + "6 ounces goji colored blueberry powder", + "blueberry powder high in dietary fiber", + "goji colored blueberry powder", + "blueberry powder 6 oz", + "blueberry powder" + ], + "i'm looking for a nubeleaf blackberry powder.": [ + "nubeleaf blackberry powder", + "nubeleaf blackberry powder.", + "nubeleaf blackberry powder nubeleaf", + "nubeleaf blackberry powder under $40", + "nubeleaf blackberry powder under $60", + "nubeleaf blackberry powder under $50", + "nubeleaf blackberry powder below $40", + "nubeleaf blackberry powder, under $40", + "nubeleaf blackberry powder, under $60", + "nubeleaf blackberry powder, under $50" + ], + "i'm looking for easy apply for hair removal in natural ingredients. it can easily apply.": [ + "easy apply hair removal natural ingredients", + "easy apply for hair removal natural ingredients", + "easy apply natural hair removal", + "easy apply for hair removal in natural ingredients", + "easy apply human hair removal natural ingredients", + "easy apply natural hair removal with natural ingredients", + "easy apply hair removal in natural ingredients", + "easy apply natural hair removal under $40", + "easy apply natural hair removal under $50", + "easy apply natural hair removal under $60" + ], + "i need some spacedye spandex leggings.": [ + " spacedye spandex leggings", + " spacedye spandex leggings.", + "ashye spandex leggings", + "sparye spandex leggings", + "sashye spandex leggings", + "a spacedye spandex leggings", + "syntye spandex leggings", + "par spacedye spandex leggings", + "a spacedye spandex leggings.", + "psandex leggings" + ], + "i'm looking for a high waist shapewear leggings in heather charcoal color and in size large.": [ + "high waist shapewear leggings in heather charcoal color", + "high waist shapewear leggings in heather charcoal color in size large", + "high waist shapewear leggings heather charcoal color", + "high waist shapewear leggings heather charcoal color in size large", + "high waist shapewear leggings in heather charcoal color size large", + "high waist shapewear leggings heather charcoal color in a size large", + "shapewear leggings in heather charcoal color", + "shapewear leggings in heather charcoal color in size large", + "shapewear leggings in heather charcoal color in a size large", + "high waist shapewear leggings in heather charcoal color, size large" + ], + "i'm looking for a lace silk pajama lingerie for women with long sleeves and made of good quality polyester material. also, choose large size wine colored one.": [ + "lace silk pajama lingerie for women with long sleeves", + "lace silk pajama lingerie large size polyester material", + "lens silk pajama lingerie large size polyester material", + "l lace silk pajama lingerie for women with long sleeves", + "lace silk pajama lingerie", + "lace silk pajama lingerie with long sleeves", + "lens silk pajama lingerie", + "lace silk pajama lingerie for women", + "lace silk pajama lingerie in a wine colored", + " lace silk pajama lingerie" + ], + "i would like a size 11 women's slate colored clog with a rubber sole.": [ + "size 11 womens slate colored clog with a rubber sole", + "womens slate colored clog with a rubber sole", + "size 11 womens slate colored clog", + "womens slate colored clog", + " size 11 womens slate colored clog with a rubber sole", + "size 11 womens slate colored clog with rubber sole", + "womens slate colored clog with a rubber sole.", + "womens slate colored clog with rubber sole", + "mens slate colored clog with a rubber sole", + "size 11 womens slate colored clog rubber sole" + ], + "i am looking for a pack of 6 12 ounce gluten free coffee creamer.": [ + "pack of 6 gluten free coffee creamer", + "gluten free coffee creamer pack of 6", + "bag of 6 gluten free coffee creamer", + "pack of 6 gluten free coffee creamer.", + "pack of 6 gluten free coffee creamer pack", + "12 ounce gluten free coffee creamer", + "gluten free coffee creamer pack 6 pack", + "gluten free coffee creamer pack", + "pack of 6 gluten free coffee creamer,", + "12 pack gluten free coffee creamer" + ], + "let me have kasrou 3-tier stackable wire baskets, wall mounted, easy install, hanging basket kitchen pantry storage": [ + "kasrou 3-tier stackable wire baskets", + "kasrou 3-tier stackable wire baskets, wall mounted", + "kasrou 3-tier stackable wire baskets kitchen pantry storage", + "kasrou 3-tier stackable wire basket kitchen pantry storage", + "kasrou 3-tier stackable wire baskets that are easy install", + "ketrou 3-tier stackable wire baskets", + "living basket kitchen pantry storage", + "kasrou 3tier stackable wire baskets", + "3-tier stackable wire baskets", + "4-tier stackable wire baskets" + ], + "i would like a 1.25 ounce container of probiotics from natural ingredients. i would like 24 of them.": [ + "1.25 ounce container of probiotics", + "1.25 ounce natural probiotics", + "natural probiotics 24 oz", + "pack of probiotics from natural ingredients 24 oz", + "1.25 ounce container of natural ingredients", + "natural probiotics 1.25 ounce", + "1.25 ounce container of probiotics natural", + "1.25 ounce pack of probiotics", + "1.25 ounce natural ingredients", + "pure natural probiotics 24 oz" + ], + "looking for a black 28\" inseam 3 x-large machine wash, drawstring closure men's straight fit modern stretch pant made by goodthreads.": [ + "black 28 inseam 3 x-large machine wash modern stretch pant made by goodthreads", + "black 28 inseam 3 x-large machine wash", + "black 28 inseam 3 x-large machine wash with drawstring closure mens straight fit modern stretch pant", + "black 28 inseam 3 x-large machine wash, drawstring closure mens straight fit modern stretch pant", + "28 inseam 3 x-large machine wash modern stretch pant made by goodthreads", + "28 inseam 3 x-large machine wash, drawstring closure mens straight fit modern stretch pant", + "28 inseam 3 x-large machine wash with drawstring closure mens straight fit modern stretch pant", + "black 28 inseam 3 x-large machine wash modern stretch pant made by goodthreads.", + "28 inseam 3 x-large machine wash", + "black 28 inseam 3 xl machine wash" + ], + "i am looking for cruelty free beard oil with sandalwood": [ + "cruelty free beard oil with sandalwood", + "cruelty free beard oil", + "cruelty free beard oil sandalwood", + "cruelty free beard oil, sandalwood", + "cruelty free beard oil with sandalwood below $40", + "cruelty free beard oil with sandalwood under $40", + "cruelty free beard oil with sandalwood under $60", + "cruelty free beard oil with sandalwood below $50", + "cruelty free beard oil with sandalwood under $50", + "cruelty free beard oil with sandalwood below $60" + ], + "i'm looking for a gourmet food gift basket that is perfect for valentine's day": [ + "gourmet food gift basket for valentines day", + "gourmet food gift basket", + "gourmet food gift basket for valentines", + "gourmet food gift basket perfect for valentines day", + "gourmet food gift basket valentines day", + "gourmet food gift basket, valentines day", + "gourmet food gift basket under $50", + "gourmet food gift basket for valentines day,", + "gourmet food gift basket under $40", + "gluten-free gourmet food gift basket" + ], + "i'm looking for strawberry & yogurt pretzels artificial flavors snacks": [ + "strawberry & yogurt pretzels artificial flavors snacks", + "strawberry and yogurt pretzels artificial flavors snacks", + "strawberry & yogurt pretzels natural flavors snacks", + "pomegranate & yogurt pretzels artificial flavors snacks", + "strawberry & yogurt pretzels artificial flavor snacks", + " strawberry & yogurt pretzels artificial flavors snacks", + "strawberry & yogurt pretzels artificial flavors", + "strawberry & yogurt pretzel artificial flavors snacks", + "rawberry & yogurt pretzels artificial flavors snacks", + "pink & yogurt pretzels artificial flavors snacks" + ], + "i want an easy to carry storage case for my cosmetics that is multi-colored.": [ + "easy to carry multi-colored cosmetics case", + "easy to carry multi-colored cosmetics", + "easy to carry storage case for my cosmetics", + "pocket storage case for cosmetics multi-colored", + "easy to carry storage case for cosmetics", + "plastic cosmetics case multi-colored", + "single colored cosmetics case", + "single color cosmetics storage case", + "plastic cosmetics case", + "easy to carry storage case" + ], + "i'm looking for native american indian dream catcher feathers talisman.": [ + "native american indian dream catcher feathers talisman", + "Native american indian dream catcher feathers talisman", + "indian dream catcher feathers talisman", + "native american indian dream catcher feathers talisman.", + "native american indian dream catcher feathers talisman under $40", + "native american indian dream catcher feathers talisman under $50", + "portrait feathers talisman native american", + "native american indian dream catcher feathers talisman under $60", + "antian dream catcher feathers talisman", + "portrait feathers talisman" + ], + "i'm looking for an ottoman cover made of beige faux leather.": [ + "oatoman cover made of beige faux leather", + "oatttoman cover made of beige faux leather", + "ottoman cover made of beige faux leather", + " ottoman cover made of beige faux leather", + "oatmeal cover made of beige faux leather", + "oatoman cover made from beige faux leather", + "optoman cover made of beige faux leather", + "oatoman cover made of beige faux leather.", + "otttoman cover made of beige faux leather", + "oatoman cover made of beige faux leather," + ], + "i need a short sleeved top for a teen girl. it should be xx-large in size.": [ + "short sleeved top for a teen girl xx-large", + "short sleeved top teen girl xx-large", + "short sleeved top teen girl xx-large in size", + "short sleeved top for teen girl xx-large", + "short sleeved top girl xx-large in size", + "short sleeved top for a teen girl", + "short sleeved top for a teen girl x-large", + "short sleeved top girl xx-large", + "short sleeved top xx-large in size", + "teen girl short sleeved top xx-large" + ], + "find me a backdrop vertical striped easy carry for digital photography in 5x7 ft": [ + " backdrop vertical striped easy carry digital photography in 5x7 ft", + "5x7 ft backdrop vertical striped easy carry digital photography", + " backdrop vertical striped easy carry digital photography 5x7 ft", + "background vertical striped easy carry digital photography in 5x7 ft", + "gl backdrop vertical striped easy carry digital photography 5x7 ft", + "background vertical striped easy carry digital photography 5x7 ft", + "5x7 ft backdrop digital photography", + " backdrop vertical striped easy carry digital photography", + "gl backdrop vertical striped easy carry digital photography", + "5x7 ft easy carry digital photography" + ], + "i need a twin size fully assembled plush mattress, which should have 8' split foundation with frame.": [ + "twin size fully assembled plush mattress with frame", + "twin size fully assembled plush mattress", + "twin bed fully assembled plush mattress with frame", + "twin size fully assembled plush mattress,", + " twin size fully assembled plush mattress with frame", + "twin size fully assembled plush mattress frame", + "twin bed fully assembled plush mattress", + " twin size fully assembled plush mattress", + "twin bed frame", + "twin bedframe" + ], + "i am looking for a light brown color faux leather storage benches for living room": [ + "light brown faux leather storage benches for living room", + "light brown faux leather storage bench for living room", + "light brown faux leather storage benches", + "light brown faux leather storage benches living room", + "faux leather storage benches for living room", + "low brown faux leather storage benches for living room", + "light brown faux leather storage benches in living room", + "living room light brown faux leather storage benches", + "light brown faux leather storage bench", + "light brown color faux leather storage benches" + ], + "i'm looking for curtains for living room and it color was white.": [ + "white curtains for living room", + " curtains for living room white", + "white curtains living room", + "living room curtains white", + "yellow curtains for living room", + "white living room curtains", + "blue curtains for living room", + "white curtains", + "white bedroom curtains", + "curtains white" + ], + "i am looking for wood split box spring of california king sized.": [ + "wood split box spring of california king sized", + "wood split box spring of california king sized.", + "wood split box spring california king sized", + " wood split box spring of california king sized", + "wood split box spring of california king sized wood", + "wood split box spring, california king sized", + "wood split box spring of california king sized,", + "wood split box spring in california king sized", + "Wood split box spring of california king sized", + "wood split box spring that is king sized" + ], + "i'm looking for god plated converter for combo kit and need to buy it.": [ + "god plated converter for combo kit", + "godd plated converter for combo kit", + "god plated converter for combo kit and need to buy it.", + " god plated converter for combo kit", + "gift plated converter for combo kit", + "gods plated converter for combo kit", + " god plated converter for combo kit and need to buy it.", + "gmo plated converter for combo kit", + "man plated converter for combo kit", + "godd plated converter for combo kit," + ], + "find me a small long sleeve sweatshirt in green": [ + "small long sleeve sweatshirt in green", + "small long sleeves sweatshirt in green", + "womens sweatshirt in green", + "small long sleeve sweatshirt, green", + "small long sleeve sweatshirt", + "slimming sweatshirt in green", + "large long sleeve sweatshirt in green", + "small long sleeve sweatshirt green", + "shortshirt in green", + "sneakers in green" + ], + "i'm looking for a smart remote control included with batteries. also, that battery type should be aaa size.": [ + "smart remote control with batteries", + "smart remote control included with batteries", + "smart remote control with batteries aaa size", + "smart remote control that is aaa size", + "smart remote control battery", + "smart remote control", + "smart remote control with batteries under $50", + "smart remote control with batteries under $40", + "smart remote control battery aaa size", + "smart remote control with batteries aaa" + ], + "i am looking for lace closure men sneaker. please select 16 size.": [ + " lace closure men sneaker 16 size", + "lace closure men sneaker 16 size", + "laces closure men sneaker 16 size", + "lens closure men sneaker 16 size", + "lace closure men sneaker 16 size", + " lace closure men sneaker 16", + "lace closure men sneaker 16", + "laces closure men sneaker 16", + "lac closure men sneaker 16 size", + "knee closure men sneaker 16 size" + ], + "i need an easy to use tofu drainer for tofu bricks.": [ + "easy to use tofu drainer for tofu bricks", + "tofu drainer for tofu bricks", + "tofo drainer for tofu bricks", + "t tofu drainer for tofu bricks", + "soft tofu drainer for tofu bricks", + "tartwork tofu drainer for tofu bricks", + "tokomo drainer for tofu bricks", + "taco drainer for tofu bricks", + "easy to use tofu drainer", + "yellow tofu drainer for tofu bricks" + ], + "i would like a medium snickers tracksuit for my gym workout.": [ + "medium snickers tracksuit for workouts", + "medium snickers workoutsuit", + "medium snickers workout tracksuit", + "medium snickers tracksuit", + "medium snickers tracksuit for workout", + "medium snickers workout suit", + "medium snickers tracksuit for training", + "medium snickers workout workout", + "medium snickers tracksuit workout", + "medium snickers workout workout suit" + ], + "i am looking for high density tri-fold full memory foam mattress with size :twin xl and 3\" blue": [ + "high density tri-fold full memory foam mattress", + "tri-fold full memory foam mattress with size :twin xl", + "dual memory foam mattress with size :twin xl and 3 blue", + "memory foam mattress with size :twin xl and 3 blue", + "tri-fold full memory foam mattress", + "3 blue high density tri-fold full memory foam mattress", + "dual memory foam mattress with size :twin xl", + "memory foam mattress with size :twin xl", + "tri-fold full memory foam mattress 3 blue", + "dual memory foam mattress" + ], + "i am looking for a cupcake topper for a family birthday party.": [ + "cupcake topper for a family birthday party", + "cupcake topper for a family birthday party.", + "cupcake topper for a baby shower", + "cupcake toppers for a family birthday party", + "cupcake toppers for a family birthday party.", + "a cupcake topper for a family birthday party", + "curtcake topper for a family birthday party", + "cupcake toppers for a baby shower", + "cupcake topper for a small baby shower", + "cupcake topper for baby shower" + ], + "i'm looking for daily wear open toe shoes that was blue in color.": [ + "blue open toe shoes", + "blue open toe walking shoes", + "blue walking shoes", + "blue open toe shoes,", + "blue, open toe shoes", + "blue open toe shoes daily", + "blue toe shoes", + "blue open toe shoe", + "blue modern walking shoes", + "blue shoes" + ], + "i'm looking for a 84 inch green lazzzy blackout velvet curtains.": [ + "84 inch green lazzzy blackout velvet curtains", + " 84 inch green lazzzy blackout velvet curtains", + "104 inch green lazzzy blackout velvet curtains", + "24 inch green lazzzy blackout velvet curtains", + "8 foot green lazzzy blackout velvet curtains", + "green lazzzy blackout velvet curtains", + "8 ft green lazzzy blackout velvet curtains", + "living room curtains 84 inches green", + "green lazzzy blackout velvet curtains,", + "living room curtains" + ], + "i am looking for a skin brush with natural bristles and a long handle.": [ + "skin brush natural bristles", + "skin brush with natural bristles", + "skin brush natural bristles and long handle", + "skin brush with natural bristles long handle", + "skin brush natural bristles long handle", + "skin brush natural bristles under $40", + "skin brush natural bristles under $50", + "skin brush natural bristles with long handle", + "skin brush natural bristles, long handle", + "skin brush" + ], + "i am looking bpa free fine mist high quality case color silver color size 3.4 ounce": [ + "bpa free fine mist 3.4 ounce", + "bpa free fine mist case color silver", + "bpa free fine mist silver", + "bpa free fine mist bpa free", + "fine mist bpa free 3.4 ounce", + "bpa free fine mist silver bpa free", + "silver fine mist bpa free", + "bpa free fine mist case color", + "bpa free fine mist silver case", + "bpa free fine mist" + ], + "i am looking for a 180w x 5 power amplifier.": [ + "180w x 5 power amplifier", + " 180w x 5 power amplifier", + "portrait 180w x 5 power amplifier", + "tuned 180w x 5 power amplifier", + "180w x 5 power amplifier.", + "portable 180w x 5 power amplifier", + "control amplifier 180w x 5", + "power amplifier 180w x 5", + "womens power amplifier", + "pink power amplifier" + ], + "i would like to buy a machine washable quick drying butt lifting tummy controlling women legging in ywhite color and small size made from quality polyester .": [ + "machine washable quick drying butt lifting tummy controlling women legging in ywhite color", + "machine washable quick drying butt lifting tummy controlling women legging in ywhite color and small size", + "man washable quick drying butt lifting tummy controlling women legging in ywhite color", + "woman washable quick drying butt lifting tummy controlling women legging in ywhite color", + "machine washable quick drying butt lifting tummy controlling women legging in ywhite color under $40", + "temporary quick drying butt lifting tummy controlling women legging in ywhite color", + "machine washable quick drying butt lifting tummy controlling women legging", + "machine washable quick drying butt lifting tummy controlling women legging in ywhite", + "hand lifting tummy controlling women legging in ywhite color", + "tummy controlling women legging in ywhite color" + ], + "i need a 10' round area rug for my living room. it should be ivory colored.": [ + "10 round rug for my living room. it should be ivory colored", + "10 square rug for my living room. it should be ivory colored", + "10 round area rug for living room. it should be ivory colored", + "10 round area rug for my living room, ivory colored", + "10 square rug for living room. it should be ivory colored", + "10 round rug for my living room, ivory colored", + "10 square rug for my living room, ivory colored", + "10 round area rug for my living room", + "10 square rug living room ivory colored", + "10 round area rug for my living room, ivory colored," + ], + "liquid water identifier strawberry watermelon flavor and natural flavor": [ + "strawberry watermelon flavor natural flavor", + "liquid water identifier strawberry watermelon flavor", + "liquid watermelon flavor natural flavor", + "liquid watermelon flavor and natural flavor", + "pure watermelon flavor and natural flavor", + "pure strawberry watermelon flavor and natural flavor", + "bottle watermelon flavor natural flavor", + "pure watermelon flavor", + "bottle water identifier strawberry watermelon flavor", + "liquid watermelon flavor" + ], + "i am looking a natural flavor sugar free straberry kiwi water enhancer": [ + "natural flavor sugar free straberry kiwi water enhancer", + "natural sugar free straberry kiwi water enhancer", + " natural flavor sugar free straberry kiwi water enhancer", + "natural flavor sugar free kiwi water enhancer", + "sugar free straberry kiwi water enhancer", + "natural flavor sugar free berry kiwi water enhancer", + "natural flavor sugar free straberry kiwi", + "natural flavor sugar free water enhancer", + "natural flavor sugar free straberry", + "natural flavor sugar free" + ], + "i am looking for a dome cameras of 1080p hd": [ + "dome cameras of 1080p hd", + "dome cameras of 1080p", + "dome cameras 1080p hd", + "dome cameras 1080p", + "tvD dome cameras of 1080p hd", + "dome camera of 1080p hd", + "temporary dome cameras of 1080p hd", + "a dome cameras of 1080p hd", + "dual cameras of 1080p hd", + "tvd dome cameras of 1080p hd" + ], + "i am looking for a real fruit juice of cranberry cocktail juice drink flavor": [ + "real fruit juice of cranberry cocktail juice drink flavor", + "fruit juice of cranberry cocktail juice drink flavor", + "cranberry cocktail juice drink flavor", + "fresh fruit juice of cranberry cocktail juice drink flavor", + "curtains cocktail juice drink flavor", + "fresh cranberry cocktail juice drink flavor", + "carberry cocktail juice drink flavor", + "curtains drink flavor", + "curtains drink flavor real cranberry cocktail juice", + "real fruit juice of cranberry cocktail juice drink" + ], + "i need a janet color low rise women's jeans with quality material in size 7-36": [ + "janet color low rise womens jeans", + "Janet color low rise womens jeans", + " janet color low rise womens jeans", + "stainless rise womens jeans size 7-36", + "natet color low rise womens jeans", + "stainless rise womens jeans", + "janet color low rise womens jeans with quality material", + "womens jeans in size 7-36", + "womens jeans size 7-36", + "womens jeans in size 7-36," + ], + "i am looking for home decor products for living room in a ivory /aqua color": [ + "home decor products for living room in ivory /aqua color", + "home decor products for living room ivory /aqua color", + "home decor products living room in a ivory /aqua color", + "home decor products in a ivory /aqua color", + "home decor products for living room in a ivory /aqua", + "home decor products for living room a ivory /aqua color", + "home decor products for living room in a ivory", + "home decor products for living room in ivory /aqua", + "home decor products for living room ivory", + "home decor products" + ], + "i would like a pair of size 7 black oxfords with a anti slip rubber sole.": [ + "black oxfords with a anti slip rubber sole", + "size 7 black oxfords with a anti slip rubber sole", + "black oxfords with a anti slip rubber sole size 7", + "black oxfords size 7 with a anti slip rubber sole", + "black oxfords size 7 anti slip rubber sole", + "2 black oxfords with a anti slip rubber sole", + "black oxfords with anti slip rubber sole", + "size 7 black oxfords with a anti slip rubber sole.", + "black oxfords with a anti slip rubber sole, size 7", + "black oxfords with anti slip rubber sole size 7" + ], + "i am looking for low fat pasta options": [ + "low fat pasta options", + "low fat pasta", + "low fat pasta options under $40", + "low fat pasta options under $60", + "low fat pasta options under $50", + "low fat pasta options under 50 dollars", + "low fat pasta options under 30 dollars", + "low fat pasta options under 40 dollars", + "low fat pasta options under 60 dollars", + "low fat pasta options under 120 dollars" + ], + "i'm looking for a machine washable window curtains for living room. also choose 52\"w by 90\"l and lace4lbg0839 designed one.": [ + "machine washable window curtains for living room", + "machine washable window curtains", + "machine washable window curtains for living room.", + "window curtains 52w by 90l", + "machine washable window curtains in living room", + "man washable window curtains for living room", + "window curtains for living room", + "man washable window curtains", + "window curtains for living room.", + "window curtains" + ], + "i need a king sized, white coloured contemporary style wooden frame bed with memory foam.": [ + "king sized, white coloured contemporary style wooden frame bed with memory foam", + "king sized white coloured contemporary style wooden frame bed with memory foam", + "king sized, white coloured contemporary style wooden frame bed", + "king sized, white colored contemporary style wooden frame bed with memory foam", + "king sized, white modern style wooden frame bed with memory foam", + "king sized, white contemporary style wooden frame bed with memory foam", + "king sized white modern style wooden frame bed with memory foam", + "king sized, white steel contemporary style wooden frame bed with memory foam", + "king sized white contemporary style wooden frame bed with memory foam", + "king sized modern style wooden frame bed with memory foam" + ], + "i'm looking for living room furniture and kitchen furniture and need to buy it.": [ + "living room furniture", + "living room furniture and kitchen furniture", + "living room furniture, kitchen furniture", + "living room furniture, kitchen furniture, less then $40", + "living room furniture, kitchen furniture, less then $60", + "living room furniture price lower than 50.00 dollars", + "living room and kitchen furniture", + "living room furniture, kitchen furniture,", + "living room furniture living room furniture", + "living room furniture kitchen furniture" + ], + "i am looking for a pair of long lasting men's size 10 steel toe work boots.": [ + "mens size 10 steel toe work boots", + "mens size 10 steel toe work boots", + "womens size 10 steel toe work boots", + "mens size 10 steel toe work boots.", + "men size 10 steel toe work boots", + "mens size 10 steel toe work boots.", + "man mens size 10 steel toe work boots", + "muskmens size 10 steel toe work boots", + "sneakers size 10 steel toe work boots", + "tens size 10 steel toe work boots" + ], + "i'm looking for a 24 pcs arrow cupcake topper .": [ + "24 pcs arrow cupcake topper", + "24 pcs arrow cupcake topper under $40", + "24 pcs arrow cupcake topper", + "24 pcs arrow cupcake topper under $50", + "24 pcs arrow cupcake topper under $60", + "24 pcs arrow cupcake toppers", + "24 pcs arrow cupcake topper under 30 dollars", + "24 pcs of arrow cupcake topper", + "24 pcs arrow cupcake topper under 50 dollars", + "24 pcs arrow cupcake topper under 40 dollars" + ], + "i am looking for chocolate covered wafers for valentine day.": [ + "chocolate covered wafers for valentine day", + "chocolate covered wafers valentine day", + "chocolate covered wafers valentine day.", + "chocolate covered waffles for valentine day", + "ocolate covered wafers for valentine day", + "chocolate covered wafers, valentine day", + "chocolate covered waffles valentine day", + "ocolate covered wafers valentine day", + "chocolate covered waffles for valentine day.", + "chocolate covered wafers for valentine" + ], + "i am looking for a large sized makeup case that is easy to clean.": [ + "large sized makeup case", + "large sized makeup case easy to clean", + "large sized makeup case clean", + "large sized makeup case under $50", + "large sized makeup case under $40", + "large sized makeup case under $60", + "large sized makeup case, easy clean", + "small makeup case", + "medium sized makeup case", + "large makeup case" + ], + "get me 6 bars of gluten free low sodium 0g trans in flavor of dark chocolate nuts & sea salt.": [ + "gluten free low sodium 0g trans", + "gluten free low sodium 0g trans with sea salt", + "gluten free low sodium 0g trans under $60", + "gluten free low sodium 0g trans sea salt drink mix", + "gluten free low sodium 0g trans sea salt", + "gluten free low sodium 0g trans flavor", + "gluten free low sodium 0g trans under $50", + "gluten free low sodium 0g trans under $40", + "gluten free low sodium 0g trans under 50 dollars", + "gluten free low sodium 0g trans drink mix" + ], + "i would like 60 milk chocolate peanut butter bars that are low sodium.": [ + "60 milk chocolate peanut butter bars", + "60 milk chocolate peanut butter bar", + "60 milk chocolate peanut butter bars low sodium", + "60 milk chocolate peanut butter bar low sodium", + "low sodium peanut butter bars 60 milk chocolate", + "low sodium peanut butter bars that are low sodium", + "lip chocolate peanut butter bars that are low sodium", + "60 milk chocolate peanut butter bars, low sodium", + "low sodium peanut butter bars", + "low sodium peanut butter bar" + ], + "i am looking for a low soda cream soda flavor chocolate drink mixes": [ + "low soda cream soda flavor chocolate drink mix", + "low soda cream soda flavor chocolate drink mixes", + "low sugar cream soda flavor chocolate drink mix", + "low sugar cream soda flavor chocolate drink mixes", + "chocolate drink mix low sugar", + "low sugar chocolate drink mix", + "low sugar and chocolate drink mix", + "low sugar chocolate drink mixes", + "low sugar and chocolate drink mixes", + "chocolate drink mix" + ], + "i am looking for a professional make up brush with easy use. also choose color b.": [ + "professional make up brush color b", + "professional make up brush with easy use", + "professional make up brush", + "professional make up brush easy use color b", + "professional make up brush with easy use.", + "professional brush with easy use color b", + "professional make up brush that is easy use", + "professional make up brush easy use", + "professional brush color b", + "professional brush" + ], + "i am searching for heavy duty complete tripods.": [ + "heavy duty complete tripods", + "heavy duty complete tripods.", + "heavy duty complete tripods under $40", + "heavy duty complete tripods under $50", + "heavy duty complete tripods under $60", + "heavy duty complete tripods under 50 dollars", + "heavy duty complete tripods under $120", + "heavy duty complete tripods under 40 dollars", + "heavy duty complete tripods under $130", + "heavy duty complete tripods under 30 dollars" + ], + "i'm looking for a wireless bluetooth speaker, preferable blue color.": [ + "blue wireless bluetooth speaker", + "blue bluetooth speaker", + "wireless bluetooth speaker, preferable blue", + "womens bluetooth speaker, preferable blue", + "wireless bluetooth speaker, preferable blue color", + "blue wireless bluetooth speaker, preferable blue", + "wireless bluetooth speaker in preferable blue", + "wireless bluetooth speaker in a preferable blue", + " wireless bluetooth speaker, preferable blue", + "blue bluetooth speaker, preferable blue" + ], + "i need some easy to install 76 inch blinds for my living room. look for them in light grey.": [ + "easy to install 76 inch blinds for my living room", + "easy to install 76 inch blinds in light grey", + "easy to install 76 inch blinds", + "easy to install 76 inch blinds living room", + "easy to install 76 inch blinds for the living room", + "easy to install 76 inch blinds, light grey", + "easy to install 76 inch blinds for living room", + "living room blinds in light grey", + "pocket blinds for living room", + "76 inch blinds living room" + ], + "shop for some easy install living room shades. get the fifty two inch ones with top brackets.": [ + "easy install living room shades with top brackets", + "easy install living room shades", + "easy install living room shades under 50 dollars", + "easy install living room shades under $50", + "simple install living room shades with top brackets", + "living room shades with top brackets", + "living room shades fifty two inch", + "living room shades, fifty two inch", + "fifty two inch living room shades", + "living room shades" + ], + "i need noise cancelling headphones for my daily running routine.": [ + "noise cancelling headphones for daily running routine", + "noise cancelling headphones", + "noise cancelling headphones for running routine", + " noise cancelling headphones for my daily running routine", + " noise cancelling headphones for daily running routine", + " noise cancelling headphones for running routine", + " noise cancelling headphones for daily running routine.", + "noise cancelling headphones for daily running", + " noise cancelling headphones", + "non noise cancelling headphones" + ], + "i want a gray colored lightweight throw for the living room. i would prefer it to be double sided.": [ + "gray colored lightweight throw for the living room", + "gray colored lightweight throw for living room", + "gray lightweight throw for the living room", + "gray lightweight throw for living room", + "grey colored lightweight throw for the living room", + "gray colored lightweight throw for the living room.", + "grey lightweight throw for the living room", + "grey lightweight throw for living room", + "gray colored lightweight throw", + "gray lightweight throw" + ], + "i want to buy a shoe cabinet for my living room which is in pink color.": [ + "shoes cabinet for living room pink", + "pink shoe cabinet for living room", + "shoes cabinet for living room in pink", + "shoes cabinet for my living room pink", + "pink shoe cabinet for my living room", + "shoes cabinet for the living room pink", + "sneakers for living room pink", + "foot cabinet for living room pink", + "shoes cabinet in pink", + "shoes cabinet" + ], + "i'm looking for plug play electronics for computer components and need to buy it.": [ + "plug play electronics for computer components", + " plug play electronics for computer components", + "Plug play electronics for computer components", + "plug play electronics", + "pink play electronics for computer components", + "electric plug play electronics for computer components", + "plug play electronics for computer components.", + "plug and play electronics for computer components", + "plug play electronics for computer", + "plug play electronics for computers" + ], + "i am looking for a foldable tatami mattress to reduce on my storage space. the best size would be 90x200 cm (35.4*78.7 in).": [ + " foldable tatami mattress", + "foldable tatami mattress", + " foldable tatami mattress to reduce on storage space", + "foldable tatami mattress to reduce on storage space", + "fossable tatami mattress", + "foldingable tatami mattress", + "foldable tatami mattress", + "foolable tatami mattress", + "faxable tatami mattress", + "a foldable tatami mattress" + ], + "i looking wooden frame mid century sofa couch for leaving room colour :blue": [ + "wooden frame mid century sofa couch for leaving room colour :blue", + "wooden frame mid century sofa couch for living room colour :blue", + "wooden frame mid century sofa couch for leaving room", + "wooden frame mid century sofa couch for leaving room colour", + "wooden frame mid century sofa couch", + "wooden frame mid century sofa couch in leaving room colour :blue", + "wood frame mid century sofa couch for leaving room colour :blue", + " wooden frame mid century sofa couch for leaving room colour :blue", + "wooden frame mid century sofa couch in a colour :blue", + "stainless frame mid century sofa couch" + ], + "i would like a beige type 4 sofa for my living room.": [ + "beige type 4 sofa for my living room", + "beige type 4 sofa for living room", + "living room sofa beige", + "beige type 4 sofa for the living room", + "beige type 4 sofa for living room.", + "living room sofa beige type 4", + "beige type 4 sofa in my living room", + "beige type 4 sofa", + "beige sofa for my living room.", + "beige sofa for my living room" + ], + "i need grey color wood frame": [ + "grey color wood frame", + "grey wood frame", + "grey color wood frame under $40", + "grey wood frame that is light weight", + "grey wood frame that is heavy duty", + "grey color wood frame under $50", + "grey wood frame that is durable", + "grey wood frame grey", + "grey wood frame for grey", + "grey color wood frame for grey" + ], + "i'm looking for cell phone accessories the color was red brushed tpu. it was need to buy.": [ + "red brushed tpu cell phone accessories", + "cell phone accessories red brushed tpu", + "red brushed tpu phone accessories", + "red brushed tpu", + "red phone accessories", + "red tpu cell phone accessories", + "red phone accessories red brushed tpu", + "phone accessories red brushed tpu", + "red brushed tpucell phone accessories", + "yellow cell phone accessories" + ], + "i would like a blue brush tpu case that is non slip.": [ + "blue brush tpu case", + "blue brush tpu case non slip", + "blue brush tpu case, non slip", + "blue brush tpu case with non slip", + "blue brush tpu case no slip", + "blue brush tpu case under $50", + "blue brush tpu case under $40", + "blue brush tpu case under $60", + "blue brush tpu case in non slip", + "blue brush tpu" + ], + "find me a pair of non slip sneakers with rubber soles. i am a woman of size 13.": [ + "non slip sneakers size 13 woman", + "non slip sneakers with rubber soles", + "non slip sneakers size 13", + "non slip sneakers", + "non slip sneakers 13 woman size 13", + "non slip sneakers woman size 13", + "non slip sneakers, woman size 13", + "woman of size 13 sneakers", + "non slip sneakers, size 13", + "woman sneakers size 13" + ], + "i'm looking for pendant lights for hanging through the wall that color was chrome finish.": [ + "pendant lights through the wall chrome finish", + "pendant lights hanging through the wall chrome finish", + "pendant lights for hanging through the wall", + "chrome pendant lights for hanging through the wall", + "pendant lights with chrome finish", + "pendant lights in chrome finish", + "pendant lights", + "chrome finish pendant lights", + "pendant lights, chrome finish", + "pendant lights that are chrome finish" + ], + "i need a pendant light wall fixture for my bathroom. it should have a bronze finish.": [ + "pendant light wall fixture for bathroom", + "pendant light wall fixture for my bathroom with bronze finish", + "pendant light wall fixture", + "pendant light wall fixture for my bathroom", + "pendant light wall fixture for bathroom with bronze finish", + "pendant light wall fixture for my bathroom, bronze finish", + "pendant light wall fixture in my bathroom with bronze finish", + "pendant light wall fixture, bronze finish", + "pendant light wall fixture for my bathroom pendant light", + "pendant light wall fixture for bathroom pendant light" + ], + "where can i find this product? seagull lighting 65625-782 wheaton transitional a pendant light hanging light fixture modern, bronze finish": [ + "seagull lighting 65625-782 pendant light hanging light fixture modern, bronze finish", + "seagull lighting 65625-782 with pendant light hanging light fixture modern, bronze finish", + "eagull lighting 65625-782 pendant light hanging light fixture modern, bronze finish", + "sneakers with a pendant light hanging light fixture modern, bronze finish", + "seagull lighting 65625-782 wheaton transitional a pendant light hanging light fixture modern", + "seagull lighting 65625-782 pendant light hanging light fixture modern, bronze finish,", + "seagull lighting 65625-782 pendant light hanging light fixture modern bronze finish", + "seagull lighting 65625-782 pendant light hanging light fixture modern", + "seagull lighting 65625-782, bronze finish", + "comfortable light fixture modern, bronze finish" + ], + "i'm looking for natural jar candles with grapefruit and mangosteen scents and which are made with 100% soy wax.": [ + "natural jar candles grapefruit and mangosteen scents", + "natural jar candles natural no soy wax", + "natural jar candles that are made with 100% soy wax", + "natural jar candles natural soy wax", + "natural jar candles natural no soy", + "natural jar candles", + "natural jar candles natural natural no soy wax", + "natural jar candles natural soy wax natural", + "natural jar candles natural no soy wax natural", + "natural jar candles natural no soy wax natural candles" + ], + "i'm looking for a lead free jar candles made of soy wax. also choose natural, coconut milk and mango scented one": [ + "lead free jar candles made of soy wax", + "lead free jar candles made from soy wax", + "case free jar candles made of soy wax", + "lead free jar candles made of soy wax.", + "Lead free jar candles made of soy wax", + "pink free jar candles made of soy wax", + "brittle free jar candles made of soy wax", + "lead free jar candles made of soy wax natural", + "lead free candles made of soy wax", + "lead free jar candles with soy wax" + ], + "i am looking for a blue coated steel backyard furniture set.": [ + "blue coated steel backyard furniture set", + "blue coated steel backyard furniture set.", + "blue steel backyard furniture set", + "blue coated steel backyard furniture set,", + "blue coated steel backyard furniture set under $50", + "blue coated steel backyard furniture set under $40", + "blue coated steel backyard furniture set under $60", + "blue coated steel backyard furniture set under $120", + "blue coated steel backyard furniture set under 50 dollars", + "blue coated steel backyard furniture set under $130" + ], + "i need fluoride free 2 pcs purple toothpaste which is good for sensitive teeth and teeth whitening.": [ + "fluoride free 2 pcs purple toothpaste", + "fluoride free 2 pcs purple teethpaste", + "fluoride free 2 pcs teeth whitening", + "fluoride free 2 pcs oral toothpaste", + "fluoride free 2 pcs oralpaste", + "2 pcs purple toothpaste", + "fluoride free 2 pcs teethpaste", + "fluoride free 2 pcs toothpaste", + "fluoride free 2 pcs", + "two pcs purple toothpaste" + ], + "i want a purple and orange toothpaste that is fluoride free and whitens teeth.": [ + "pink and orange toothpaste", + "pink toothpaste that is fluoride free and whitens teeth", + "pink and orange toothpaste fluoride free and whitens teeth", + "vegan toothpaste that is fluoride free and whitens teeth", + "pink and orange toothpaste that is fluoride free", + "pink and orange toothpaste with fluoride free teeth", + "toothpaste that is fluoride free and whitens teeth", + "fluoride free toothpaste purple and orange", + "pink and orange toothpaste fluoride free", + "fluoride free toothpaste" + ], + "i'm looking for a black guitar cable with usb port and it should be 10ft long.": [ + "black guitar cable with usb port", + "black guitar cable with usb port 10ft long", + "black guitar cable 10ft long", + "black guitar cable with usb port10ft long", + "black guitar cable", + "black guitar cable with usb port 9ft long", + "black guitar cable with usb port under $40", + "black guitar cable that is 10ft long", + "black guitar cable with usb port under $50", + "black guitar cable with usb port 10ft" + ], + "i am looking for eco friendly scented candles": [ + "eco friendly scented candles", + "eco friendly candles", + "eco friendly scented candles under $40", + "eco friendly scented candles under $50", + "eco friendly scented candles under $60", + "eco friendly scented candles under 50 dollars", + "eco friendly scented candles under 30 dollars", + "eco friendly scented candles under 40 dollars", + "eco friendly scented candles under 60 dollars", + "eco friendly candles under $40" + ], + "i need a quad core hd streaming player with enhanced voice remote": [ + "quad core hd streaming player with enhanced voice remote", + " quad core hd streaming player with enhanced voice remote", + "quad core hd streaming player", + "quad core hd streaming player that is enhanced voice remote", + "quad core hd streaming player with enhanced voice remote,", + "quad core hd streaming player with an enhanced voice remote", + "quad core hd streaming player, with enhanced voice remote", + "tablet core hd streaming player with enhanced voice remote", + "quad core hd streaming player, enhanced voice remote", + "quad core hd streaming player with audio remote" + ], + "i would like a fluoride free toothpaste.": [ + "fluoride free toothpaste", + "fluoride free toothpaste.", + "fluoride free toothpaste no fluoride", + "fluoride free toothpaste,", + "toothpaste fluoride free", + "facial free toothpaste", + "focal free toothpaste", + "veal free toothpaste", + " fluoride free toothpaste", + "gluten free toothpaste" + ], + "i am looking for a color: blue zebra water resistant , wireless bluetooth for portable bluetooth speakers": [ + "blue zebra water resistant", + "blue zebra bluetooth speakers", + "blue zebra wireless bluetooth speakers", + "blue zebra water resistant speakers", + "blue zebra waterproof", + "blue zebra waterproof speakers", + "blue zebra waterproof speaker", + "blue zebra water resistant speaker", + "blue bluetooth speakers", + "blue bluetooth speaker" + ], + "i am looking for some grass fed and grain free bread and muffin mix.": [ + "grass fed and grain free bread and muffin mix", + " grass fed and grain free bread and muffin mix", + "synthetic gluten free bread and muffin mix", + "chocolate fed and grain free bread and muffin mix", + " grass fed and grain free bread and muffin mix.", + "grain free bread and muffin mix", + "muffin mix grass fed and grain free", + "gluten free bread and muffin mix", + "grass fed and grain free bread and muffin mix.", + "synthetic gluten free bread muffin mix" + ], + "i'm looking for electronics accessories that aluminum alloy tripod. need to buy it.": [ + "aluminum alloy tripod", + "im looking for electronics accessories that aluminum alloy tripod. need to buy it.", + "aluminum alloy tripod.", + "aluminum alloy tripod for electronics accessories", + "aluminum alloy tripod,", + "aluminum alloy tripod for electronics", + "engineered aluminum alloy tripod", + "alarm tripod", + "aluminium alloy tripod", + "uminum alloy tripod" + ], + "i am looking for a grey wireless charging earbud headphones with stereo sound": [ + "grey wireless charging earbud headphones with stereo sound", + "grey wireless charging earbud headphones", + "grey wireless charging earbud headphones, with stereo sound", + "grey wireless charging earbud headphones with stereo sound,", + "grey wireless charging earbud headphones with a stereo sound", + "grey wireless charging earbud headphones with stereo", + "grey wireless charging earbud wireless charging headphones", + "womens grey wireless charging earbud headphones", + "grey wireless charging earbud headphones that are stereo sound", + "grey wireless charging earbud headphones that are high quality" + ], + "i'm looking for a classic styling salon chair, hydraulic barber chair with wider seat & heavy duty hydraulic pump, also it should have beauty salon spa shampoo equipment, choose the gold color.": [ + "classic styling salon chair with wide duty hydraulic pump", + "classic styling salon chair with wider seat", + "classic styling salon chair heavy duty hydraulic pump gold", + "classic styling salon chair gold", + "classic styling salon chair heavy duty hydraulic pump", + "classic styling salon chair with wide duty hydraulic pump gold", + "classic styling salon chair, hydraulic barber chair", + "classic styling salon chair with wide duty hydraulic pump, gold", + "classic styling salon chair heavy duty", + "classic styling salon chair" + ], + "i'm looking for a storage unit which is easy to clean for a living room.": [ + "storage unit for living room", + "storage unit easy to clean for a living room", + "storage unit, easy to clean, living room", + "living room storage unit", + "temporary storage unit for living room", + "storage unit clean for living room", + "storage unit in a living room", + "storage unit easy to clean for living room", + "living room storage unit, easy to clean", + "storage unit, easy to clean for living room" + ], + "i'm looking for the pant have straight leg and the drawstring waist.": [ + "pant with straight leg drawstring waist", + "pant with straight leg and drawstring waist", + "pant straight leg drawstring waist", + "pant have straight leg drawstring waist", + "pant with straight leg drawstring waist.", + "pant drawstring waist", + "ps straight leg drawstring waist", + "pant that has straight leg drawstring waist", + "pant, straight leg drawstring waist", + "ps with straight leg drawstring waist" + ], + "i'm looking for highly pigmented makeup products it can use long lasting.": [ + "pink pigmented makeup products long lasting", + "highly pigmented makeup products long lasting", + "high pigmented makeup products long lasting", + "lip pigmented makeup products long lasting", + "pink pigmented makeup products", + "pinkmented makeup products long lasting", + "pigmented makeup products long lasting", + "pink makeup products long lasting", + "highly pigmented makeup products", + "highly pigmented makeup products long lasting." + ], + "i am interested in purchasing a lip gloss set which is long lasting and comes in the size g.": [ + "lip gloss set long lasting", + "lip gloss set long lasting in a size g", + "lip gloss set long lasting in the size g", + "lip gloss set long lasting g", + "lip gloss set in the size g", + "lip gloss set in a size g", + "lip gloss set", + "lip gloss g", + "long lasting lip gloss", + "lip gloss set g" + ], + "looking for tooth powder for teeth whitening": [ + "tooth powder teeth whitening", + "teeth powder for teeth whitening", + "teeth powder teeth whitening", + "tooth powder for teeth whitening", + "tooth powder teeth whitening teeth", + "teeth powder, teeth whitening", + "teeth powder", + "tooth powder teeth whitening under $40", + "teeth powder teeth whitening teeth", + "toth powder teeth whitening" + ], + "i am looking for large size regular fit polo.": [ + "large size regular fit polo", + "large size regular fit polo.", + "large size regular fit polo under $40", + "large size regular fit polo under $50", + "large size regular fit polo under $60", + "large size regular fit polo under 30 dollars", + "large size regular fit polo under 50 dollars", + "large size regular fit polo under 40 dollars", + "large size regular fit polo under 60 dollars", + "large size regular fit polo under 120 dollars" + ], + "i am looking a easy install smartwatch band compatible with apple color:midnight blue /cantaloupe size: 38mm/40mm/41mm": [ + "easy install smartwatch band compatible with apple color", + "smartwatch band compatible with apple color", + "easy install smartwatch band with apple color", + "smartwatch band 38mm/40mm", + "smartwatch band compatible with apple color 38mm", + "easy install smartwatch band", + "easy install smartwatch band 38mm/40mm", + "smartwatch band with apple color", + "smartwatch band 38mm", + "smartwatch band" + ], + "i am looking for small sized and tummy control women workout legging.": [ + "small sized women workout legging", + "small sized woman workout legging", + "small and tummy control women workout legging", + "small sized womens workout legging", + "small woman workout legging", + "small sized men workout legging", + "small women workout legging", + "small sized women workout legging under $40", + "small sized women workout legging under $50", + "small sized women workout legging." + ], + "i am looking for mlide men's summer quick dry fit performance short surf swim trunk drawstring with pockets. swim trunk featuring elasticized waistband with drawstring and contrast in green in xxl size.": [ + "mlide mens summer quick dry fit performance short surf swim trunk drawstring", + " mlide mens summer quick dry fit performance short surf swim trunk drawstring", + "mens summer quick dry fit performance short surf swim trunk drawstring", + "lens summer quick dry fit performance short surf swim trunk drawstring", + "mlide mens long surf swim trunk drawstring with pockets", + "mlide mens short surf swim trunk drawstring with pockets", + "mlide mens long surf swim trunk drawstring", + "mlide mens short surf swim trunk drawstring", + "mlide mens short surf swim trunk drawstring with pocket", + "mlide mens swim trunk drawstring" + ], + "i am looking for texas style flank steak beef jerky that has a resealable bag.": [ + "texas style flank steak beef jerky with resealable bag", + "texas style flank steak beef jerky with a resealable bag", + "txas style flank steak beef jerky with resealable bag", + "taco steak beef jerky that has a resealable bag", + "teas style flank steak beef jerky with resealable bag", + "taco steak beef jerky resealable bag", + "texas style flank steak beef jerky", + "txas style flank steak beef jerky", + "texas style flank steak beef jerky with resealable bag.", + "taco steak beef jerky" + ], + "i am looking for a blue loose fit sleep bottoms for men": [ + "blue loose fit sleep bottoms for men", + "blue loose fit sleep bottoms", + "blue loose fit sleeping bottoms for men", + "blue loose fit sleep bottoms for men,", + "blue, loose fit sleep bottoms for men", + "blue loose fit sleep bottoms men", + "blue loose fit bed bottoms for men", + "blue loose fit sleep bottoms, men", + "blue loose fit men sleep bottoms", + "blue sleeping bottoms for men" + ], + "i'm looking for a pack of 3 cheese crisps with 10 ounce need to be gluten and lactose free, savory seed flavor": [ + "pack of 3 cheese crisps with 10 ounce savory seed flavor", + "pack of 3 cheese crisps with 10 ounce, savory seed flavor", + "3 cheese crisps with 10 ounce savory seed flavor", + "pack of 3 cheese crisps gluten free, savory seed flavor", + "3 cheese crisps with 10 ounce gluten free, savory seed flavor", + "pack of 3 cheese crisps with 10 ounce", + "pack of 3 cheese crisps with 10 ounce flavor", + "pack of 3 cheese crisps", + "3 cheese crisps with 10 ounce", + "3 cheese crisps" + ], + "i am looking for a blue stripe classic fit dress shirts": [ + "blue stripe classic fit dress shirts", + "blue stripe classic fit dress shirts under 50 dollars", + "blue stripe classic fit dress shirts under $40", + "blue stripe classic fit dress shirts under $50", + "blue stripe classic fit dress shirts under 40 dollars", + "blue stripe classic fit dress shirts under $60", + "blue stripe classic fit dress shirts under 30 dollars", + "blue stripe classic fit dress shirts under 60 dollars", + "blue stripe classic fit dress shirts below $50", + "blue stripe classic fit dress shirts under 120 dollars" + ], + "i am looking for women\u2019s long pajama sleep pants with elastic waistband and small in size.": [ + "womens long pajama sleep pants", + "womens pajama sleep pants small", + "woman pajama sleep pants small", + "pajama sleep pants small", + "womens pajama sleep pants", + "woman long pajama sleep pants", + "woman pajama sleep pants", + "pajama sleep pants small in size", + "pajama sleep pants long in size", + "pajama sleep pants" + ], + "i'm looking for a plant based healthy snacks which is gmo free and gluten free. also, choose a pack of 2 with coconut cashew pineapple mix and banana flavored one.": [ + "plant based healthy snacks which is gmo free and banana flavored", + "plant based healthy snacks that are gmo free and banana flavored", + "plant based healthy snacks which is gmo free and gluten free", + "plant based healthy snacks which are gmo free and banana flavored", + "plant based healthy snacks that is gmo free and banana flavored", + "plant based healthy snacks gmo free and banana flavored pack of 2", + "plant based healthy snacks, gmo free and banana flavored", + "plant based healthy snacks with coconut cashew pineapple mix and banana flavored", + "plant based healthy snacks gmo free and banana flavored", + "plant based healthy snacks" + ], + "i am looking for a women's xx-large oatmeal | navy iowa state cyclones relaxed fit , fleece lined asym redux hoodie made by ouray sportswear.": [ + "womens xx-large oatmeal", + "womens xx-large oatmeal under $40", + "womens xx-large oatmeal under $50", + "womens xx-large oatmeal hoodie", + "womens xx-large oatmeal under $60", + "womens xxl oatmeal", + " womens xx-large oatmeal", + "mens xx-large oatmeal", + "xx-large oatmeal", + "mens xx-large oatmeal" + ], + "i would like a fleece lined extra large navy mississippi state bulldog sweatshirt.": [ + " fleece lined extra large navy mississippi state bulldog sweatshirt", + "fleece lined extra large navy mississippi state bulldog sweatshirt", + "pink fleece lined extra large navy mississippi state bulldog sweatshirt", + "f fleece lined extra large navy mississippi state bulldog sweatshirt", + " fleece lined extra large navy mississippi state bulldog sweatshirt.", + "cruelty lined extra large navy mississippi state bulldog sweatshirt", + " fleece lined extra large navy mississippi state bulldog sweatshirt under $50", + " fleece lined extra large navy mississippi state bulldog sweatshirt under $40", + " fleece lined extra large navy mississippi state bulldog sweatshirt under 50 dollars", + " fleece lined extra large navy mississippi state bulldog sweatshirt under $60" + ], + "i am looking for relaxed fit small size hood.": [ + "small size hood", + " relaxed fit small size hood", + "a small size hood", + "small size hood relaxed fit", + "compact fit small size hood", + "easy fit small size hood", + "lax fit small size hood", + "small size hood, relaxed fit", + "small hood relaxed fit", + "a small size hood relaxed fit" + ], + "i am looking for medium sized and relaxed fitted men hoddie.": [ + "medium sized and relaxed fitted men hoddie", + "medium sized men hoddie", + "large sized and relaxed fitted men hoddie", + "medium sized relaxed fitted men hoddie", + "mid sized and relaxed fitted men hoddie", + "medium size and relaxed fitted men hoddie", + "comfortable fit men hoddie", + "man hoddie", + "medium sized men hoddie.", + "man hoddie medium sized and relaxed" + ], + "i am looking for queen size , super soft terracotta comforter set with 2 pillowcases and its color is 2-white chevron": [ + "queen size , super soft terracotta comforter set with 2 pillowcases", + "queen size , super soft terracotta comforter set with 2 pillowcases color is 2-white chevron", + "queen size , super soft terracotta comforter set with 2 pillowcases, color is 2-white chevron", + "queen size , super soft terracotta comforter set with 2 pillowcases and color is 2-white chevron", + "queen size , super soft terracotta comforter set with 2 pillowcases in 2-white chevron", + "queen size , super soft terracotta comforter set with 2 pillowcases, 2-white chevron", + "queen size , super soft terracotta comforter set with 2 pillowcases in a color 2-white chevron", + "queen size , super soft terracotta comforter set with 2 pillowcases color is 2-white chevron queen", + "queen size, super soft terracotta comforter set with 2 pillowcases", + "queen size , super soft terracotta comforter set" + ], + "i am looking for a rechargeable and portable hair removal device which is easy to carry. also choose white color.": [ + "easy to carry white hair removal device", + "easy-to-carry white hair removal device", + "pink hair removal device that is easy to carry", + "breathable and portable hair removal device in white", + "breathable and portable hair removal device white", + "breathable and portable hair removal device, white", + "brushedable and portable hair removal device white", + "breathable and portable hair removal device", + "brushedable and portable hair removal device", + "pink hair removal device" + ], + "i am looking a king size box spring bed with metal leg colour black": [ + "king size box spring bed with metal leg colour", + "king size box spring bed with metal leg colour black", + "king size box spring bed with metal leg colour", + "king size box spring bed metal leg colour black", + "king size box spring bed metal leg colour black", + "king size box spring bed in metal leg colour", + "king size box spring bed in metal leg colour", + "king size box spring bed in metal leg colour black", + "king size box spring bed metal leg colour", + "king size x box spring bed with metal leg colour" + ], + "i am looking for deluxe faux leather, box spring, easy assemble , wood bed frame with led headboard and color is black and queen size": [ + "deluxe faux leather box spring", + "deluxe faux leather box spring easy assemble black and queen size", + "deluxe faux leather box spring black queen size", + "deluxe faux leather box spring easy assemble black queen size", + "deluxe faux leather bed frame with led headboard", + "deluxe faux leather box spring with led headboard", + "deluxe faux leather box spring, easy assemble , black queen size", + "deluxe faux leather with led headboard", + "deluxe faux leather wood bed frame with led headboard", + "deluxe faux leather box spring, easy assemble , wood bed frame" + ], + "i want an easy to use cd player that has batteries included.": [ + "easy to use cd player with batteries", + "easy to use cd player that has batteries", + "easy to use cd player", + "easy to use cd player, with batteries", + "simple to use cd player with batteries", + "easy to use cd player under $40", + "easy to use cd player under $60", + "5 ft cd player with batteries", + "curtains easy to use", + "5 ft cd player" + ], + "i'm looking for clothing need to buy it .": [ + "im looking for clothing under 30 dollars", + "im looking for clothing under 60 dollars", + "im looking for clothing under 50 dollars", + "slimming clothing", + "im looking for clothing under $50", + "sneakers for women", + "sneakers for clothing", + "shoes", + "clothing", + "tempered clothing" + ], + "i'm looking for white finish for kitchen and it was assembly required.": [ + "white finish kitchen", + "white finish for kitchen", + "white finish kitchen kitchen", + "white finish for kitchen assembly", + "white finish kitchen, assembly required", + "white finish for kitchen with assembly", + "white finish for kitchen and assembly", + "white finish kitchen dining room", + "white finish kitchen under $50", + "white finish kitchen under $40" + ], + "i am looking for a queen size foam mattress that has 9 inch desnsity. please choose the black & white color": [ + "queen size foam mattress that has 9 inch desnsity", + "queen size foam mattress with 9 inch desnsity", + "queen size foam mattress 9 inch desnsity", + "queen size foam mattress with 9 inch desnsity black & white", + "queen size foam mattress, 9 inch desnsity", + "queen size foam mattress 9 inch desnsity black & white", + "queen size foam mattress black & white", + "queen size foam mattress in 9 inch desnsity", + "queen size foam mattress with 9 inch desnsity under $40", + "queen size foam mattress" + ], + "i am looking for women hair removal rechargeable razor. please select white color.": [ + "womens hair removal rechargeable razor white", + "woman hair removal rechargeable razor white", + "women hair removal rechargeable razor white", + "womens hair removal rechargeable razor", + "men hair removal rechargeable razor white", + "woman hair removal rechargeable razor in white", + "woman hair removal rechargeable razor", + "woman hair removal rechargeable razor, white", + "woman hair removal rechargeable razor with white color", + "women hair removal rechargeable razor" + ], + "i am lookin g for a nut free, gluten free cake toppers": [ + "gluten free cake toppers", + "gluten free, gluten free cake toppers", + "nut free, gluten free cake toppers", + "lemon free, gluten free cake toppers", + "gluten free cake toppers under $40", + "nut free, gluten free, cake toppers", + "gluten free cake toppers under $60", + "gluten free cake toppers under $50", + "natural gluten free cake toppers", + "cake toppers nut free" + ], + "i want to get a black twin size bed frame.": [ + "black twin size bed frame", + "black twin bed frame", + "black twin size bed frame.", + "black twin size bed frame,", + "twin bed frame black", + "black twin bed frame,", + "black twin bed frame.", + "twin bed frame", + "white twin bed frame", + "bed frame black" + ], + "i am looking for a twin size bed that has storage. pick a cherry color.": [ + "twin bed with storage cherry", + "twin bed with storage", + "twin bed with storage cherry color", + "twin bed that has storage cherry", + "twin size bed with storage cherry", + "twin bed that has storage", + "twin size bed with storage", + "twin size bed that has storage", + "twin bed with storage in cherry", + "twin bed" + ], + "i'm looking for teeth whitening for oral care whitening kits.": [ + "oral care whitening kits", + " teeth whitening oral care whitening kits", + "toothpaste whitening kits", + "toothpaste whitening", + "toothpaste whitening kit", + "toothpaste teeth whitening", + " teeth whitening oral care whitening kit", + "toothpaste teeth whitening kits", + "toothpaste teeth whitening kit", + "teeth whitening" + ], + "i am looking for a faux leather storage ottoman.": [ + "faux leather storage ottoman", + "faux leather storage ottoman.", + "faux leather storage ottoman under $50", + "faux leather storage ottoman under $40", + "faux leather storage ottoman under $60", + "faux leather storage ottoman under 50 dollars", + "faux leather storage ottoman under $130", + "faux leather storage ottoman under $120", + "faux leather storage ottoman under 30 dollars", + "faux leather storage ottoman faux leather" + ], + "i'm looking for rubber sole hiking shoe and it was grey steel in clor.": [ + "rubber sole hiking shoe in clor", + "rubber sole hiking shoe grey steel", + "rubber sole hiking shoe", + "rubber sole hiking shoe, grey steel", + "rubber sole hiking shoe that is grey steel", + "rubber sole hiking shoe in clor.", + "rubber sole hiking shoe grey steel clor", + "stainless hiking shoe grey steel", + "rubber sole hiking shoe clor", + "grey steel hiking shoe" + ], + "i'm looking for short sleeve clothing it makes feel comfortable.": [ + "short sleeve clothing it makes comfortable", + "short sleeve clothing it makes feel comfortable", + "short sleeve clothing that is comfortable", + "short sleeve clothing it makes comfortable.", + "short sleeve clothing", + "short sleeve clothing it is comfortable", + "short sleeve clothing under $50", + "short sleeve clothing under $40", + "short sleeve clothing comfortable", + "short sleeve clothing that makes feel comfortable" + ], + "i'm looking for clothing for water resistant and fleece lined.": [ + "im looking for clothing for water resistant fleece lined.", + "water resistant fleece lined clothing", + "womens clothing for water resistant fleece lined", + "womens clothing for water resistant and fleece lined", + "fleece lined clothing", + "shoes for water resistant fleece lined", + "water resistant fleece lined clothing under $40", + "teeth water resistant fleece lined", + "water resistant fleece lined clothing under $50", + "shoes for fleece lined" + ], + "i'm looking for a tea tree oil shampoo.": [ + "tea tree oil shampoo", + "tea tree oil shampoo.", + "tea tree oil shampoo under $40", + "tea tree oil shampoo under $50", + "tea tree oil shampoo under $60", + "tea tree oil shampoo under 50 dollars", + "tea tree oil shampoo under 30 dollars", + "tea tree oil shampoo less then $40", + "tea tree oil shampoo below $40", + "tea tree oil shampoo less then $60" + ], + "i want easy to install blackout curtains for my living room. i need it in tribeca indigo color.": [ + "easy to install blackout curtains for my living room in tribeca indigo color", + "easy to install blackout curtains for living room in tribeca indigo color", + "easy to install blackout curtains in tribeca indigo color", + "easy to install blackout curtains for my living room.", + "easy to install blackout curtains for my living room in tribeca indigo color.", + "easy to install blackout curtains for my living room. tribeca indigo color", + "easy to install blackout curtains for my living room, tribeca indigo color,", + "easy to install blackout curtains for my living room, tribeca indigo color", + "living room blackout curtains in tribeca indigo color", + "tribeca indigo blackout curtains" + ], + "i am looking for wooden bed frame of gray color.": [ + "wooden bed frame of gray color", + "wooden bed frame gray", + "wooden bed frame gray color", + "wooden bed frame of gray", + "wooden bed frame", + "wooden bed frame in gray color", + "wooden bed frame, gray color", + "wooden bed frame that is gray", + "wooden bed frame with gray color", + "wooden bed frame, gray" + ], + "i am looking for a g_pink short sleeves shirts for man": [ + "g_pink short sleeves shirts for man", + "g_pink short sleeves shirts for men", + "gpink short sleeves shirts for man", + "g-pink short sleeves shirts for man", + "g_pink short sleeves shirts for woman", + "g_pink short sleeves shirt for man", + "g_pink short sleeve shirts for man", + "g_pink short sleeves shirts", + "gpink short sleeves shirts for men", + "g-pink short sleeves shirts for men" + ], + "i am looking for a nv4108e-hs size of motion detection surveillance video recorders": [ + "nv4108e-hs size of motion detection surveillance video recorders", + "nv4108e-hs motion detection surveillance video recorders", + "tv4108e-hs size of motion detection surveillance video recorders", + " nv4108e-hs size of motion detection surveillance video recorders", + "nuv4108e-hs size of motion detection surveillance video recorders", + "nv4108e-hs size of motion detection surveillance video recordingers", + "nv4108e-hs size of motion detection surveillance video", + "v4108e-hs size of motion detection surveillance video recorders", + "nv4108e-hs size of motion detection surveillance video cameraers", + "nv4108e-hs size of motion detection surveillance video camera" + ], + "i'm looking for natural ingredients for tattoo cleansing product.": [ + "natural ingredients for tattoo cleansing product", + "natural ingredients for tattoo cleansing product.", + "natural ingredients tattoo cleansing product", + "natural ingredients for tattoo cleansing products", + "natural ingredients to tattoo cleansing product", + "natural ingredients tattoo cleansing product.", + "natural ingredients for tattoo cleansing", + "natural cleansing product", + "natural healing product", + "natural ingredients" + ], + "i'm looking for hair growth and solutions for damaged hair for hair extenisons.": [ + "hair growth and solutions for damaged hair for hair extenisons", + "hair growth and solutions for damaged hair with hair extenisons", + "hair growth and solutions for damaged hair hair extenisons", + "hair growth and solutions for damaged hair", + "hair growth and solutions for damaged hair and hair extenisons", + "hair growth and solutions for damaged hair, hair extenisons", + "hair growth solutions for damaged hair with hair extenisons", + "hair growth solutions for damaged hair for hair extenisons", + "hair growth solutions for damaged hair", + "hair growth for damaged hair" + ], + "i am looking for a halloween jacko lantern gift basket with handles to put candy chocolates.": [ + "halloween jacko lantern gift basket with handles to put candy chocolates", + "sonoween jacko lantern gift basket with handles to put candy chocolates", + " halloween jacko lantern gift basket with handles to put candy chocolates", + "halloween jacko lantern gift basket with handle to put candy chocolates", + "halloween jacko lantern gift basket with handles for candy chocolates", + "Halloween jacko lantern gift basket with handles to put candy chocolates", + "halloween jacko lantern gift basket with handles, candy chocolates", + "halloween jacko lantern gift basket with handles", + "halloween jacko lantern gift basket with handles to put candy chocolates", + "halloween jacko lantern gift basket" + ], + "i am looking high quality long lasting travel size parfum prada luna rossa impression": [ + "long lasting travel size parfum prada luna rossa impression", + "high quality long lasting travel size parfum prada luna rossa impression", + "low quality long lasting travel size parfum prada luna rossa impression", + "long lasting travel size parfum prada luna rossa", + "large quality long lasting travel size parfum prada luna rossa impression", + "high quality long lasting travel size parfum prada luna rossa", + "travel size parfum prada luna rossa impression", + "long lasting travel size parfum prada luna rossa under $40", + "long lasting travel size parfum prada luna rossa under $60", + "tourism size parfum prada luna rossa impression" + ], + "i want a thin and light weight men's boxers that is black in color.": [ + "mens boxers black", + "thin and light weight mens boxers", + "slimming black mens boxers", + "heavy weight mens boxers black", + "mens boxers that is black", + "muskmens boxers black", + "mens boxers black in color", + "black mens boxers", + "black mens boxers that is black", + "mens boxers black" + ], + "i'm looking for a toothpaste vegan with coconut oil": [ + "vegan toothpaste coconut oil", + "vegan toothpaste vegan with coconut oil", + "vegan toothpaste vegan", + "toothpaste vegan with coconut oil", + "vegan toothpaste with coconut oil", + "vegan toothpaste vegan coconut oil", + "teethpaste vegan with coconut oil", + "non-vegan toothpaste coconut oil", + "non-vegan toothpaste vegan", + "toothpaste vegan" + ], + "i am looking for a white usb cables with high performance": [ + "white usb cables with high performance", + "white usb cables high performance", + "white usb cables", + "white usb cables, high performance", + "white usb cables for high performance", + "white usb cable high performance", + "white usb cables in high performance", + "white usb cable with high performance", + "white usb cables under $40", + "white usb cable" + ], + "i am looking for a hands free z-floral color flip cases": [ + "hand free z-floral color flip cases", + "clothing free z-floral color flip cases", + "hands free z-floral color flip cases", + "hand free z-floral color flip case", + "freeze dried z-floral color flip cases", + "z-floral color flip cases", + "hand free zfloral color flip cases", + "clothing free z-floral color flip case", + "freeze dried z-floral color flip case", + "floral color flip cases" + ], + "i am looking for a double locker outlet wall plate cover and should be of a high gloss.": [ + "double locker outlet wall plate cover", + "double locker outlet wall plate cover with high gloss", + "double locker outlet wall plate cover, high gloss", + "double locker outlet wall plate cover high gloss", + "double locker outlet wall plate cover high gloss", + "double locker outlet wall plate cover in high gloss", + "double locker outlet with high gloss", + "double locker outlet wall plate cover", + "double locker outlet with a high gloss", + "double locker outlet wall plate cover under $40" + ], + "i'm looking for long sleeve sweater dry cleaned caramel cafe colored because its easy to dry.": [ + "i am looking for long sleeve sweater dry cleaned caramel cafe colored because its easy to dry.", + "long sleeve sweater dry cleaned caramel cafe colored", + "i want a long sleeve sweater dry cleaned caramel cafe colored because its easy to dry.", + "i want long sleeve sweater dry cleaned caramel cafe colored because its easy to dry.", + "womens long sleeve sweater dry cleaned caramel cafe colored", + "i would like to buy long sleeve sweater dry cleaned caramel cafe colored", + "i want a long sleeve sweater dry cleaned caramel cafe colored", + "i long sleeve sweater dry cleaned caramel cafe colored", + "short sleeve sweater dry cleaned caramel cafe colored", + "i want long sleeve sweater dry cleaned caramel cafe colored" + ], + "i need a small intel desktop.": [ + "small intel desktop", + "small intel desktop.", + "small intel desktop under $50", + "small intel desktop that is small", + "small intel desktop under $130", + "small intel desktop with small intel", + "small intel desktop under $40", + "small intel desktop under $60", + "small intel desktop under $120", + "small intel desktop small" + ], + "i would like a 6 ounce package of non gmo basil pesto seasoned rice.": [ + "6 ounce package of non gmo basil pesto seasoned rice", + "6 ounce package of non gmo basil pesto seasoning rice", + "6 oz package of non gmo basil pesto seasoned rice", + "non gmo basil pesto seasoned rice 6 ounce package", + "6 ounce package of non gmo Basil pesto seasoned rice", + "4 ounce package of non gmo basil pesto seasoned rice", + "6 ounce package of gmo basil pesto seasoned rice", + "non gmo basil pesto seasoned rice 6 oz package", + "non gmo basil pesto seasoned rice 6 oz", + "non gmo basil pesto seasoned rice" + ], + "i am looking for a super soft fleece throw & blankets of multicolor.": [ + "super soft fleece throw & blankets of multicolor", + "super soft fleece throw and blankets of multicolor", + "super soft fleece throw blankets of multicolor", + "super soft fleece throwable blankets of multicolor", + "super soft fleece throw blanket of multicolor", + "super soft fleece throw, blankets of multicolor", + "super soft fleece throw & blankets", + "super soft fleece throw for multicolor", + "super soft fleece throw", + "super soft fleece throw blankets" + ], + "i am searching for a wall mounted floating shelf for my living room. it should be 24 inch size and natural color.": [ + "wall mounted floating shelf for my living room in natural color", + "wall mounted floating shelf for my living room with natural color", + "wall mounted floating shelf for my living room", + "wall mounted floating shelf for my living room natural color", + "living room wall mounted floating shelf 24 inch size natural color", + "living room wall mounted floating shelf 24 inch natural color", + "living room wall mounted floating shelf", + "living room wall mounted floating shelf in natural color", + "wall mounted floating shelf for living room", + "wall mounted floating shelf" + ], + "i am looking a coconut flavor gmo free chocolate": [ + "coffee flavor gmo free chocolate", + "coffee flavor gmo free", + "chocolate coconut flavor gmo free", + " coconut flavor gmo free chocolate", + "chocolate gmo free", + "coffee gmo free chocolate", + "toothpaste gmo free chocolate", + "vegan chocolate gmo free", + "coffee gmo free", + "mo free chocolate" + ], + "i am looking for bpa free tongue scrubber with cap.": [ + "bpa free tongue scrubber with cap", + "bpa free tongue scrubber", + "bpa free tongue scrubber with cap.", + " bpa free tongue scrubber with cap", + "bpa free tongue scrubber, with cap", + "bpa free oral scrubber with cap", + "a bpa free tongue scrubber with cap", + "barpa free tongue scrubber with cap", + "banana free tongue scrubber with cap", + "bpa free tongue scrubber no cap" + ], + "i'm looking for gluten free it contains high protein need to buy a nut free.": [ + "gluten free dairy free", + "gluten free nut free dairy drink mix", + "gluten free dairy free drink mix", + "gluten free nut free", + "gluten free gluten free dairy free", + "gluten free high protein dairy free", + "gluten free", + "gluten free gluten free", + "gluten free and high protein dairy free", + " gluten free" + ], + "i am looking a small size regular fit machine wash active hoodies color :crew blue": [ + "small size regular fit machine wash active hoodies color :crew blue", + "small size regular fit machine wash active hoodies color", + "small size regular fit machine wash active hoodies", + "small size regular fit machine wash active hoodies color:crew blue", + "small size regular fit machine wash active hoodies color :crewblue", + "small size regular fit machine wash active hoodies color crew blue", + "small size regular fit machine wash active hoodies color,crew blue", + "large size regular fit machine wash active hoodies color :crew blue", + "small size regular fit machine wash active hoodies color that iscrew blue", + "small size regular fit machine wash active hoodies color :crew blue," + ], + "i need a power cord cable for blu ray player sound bar": [ + "power cord cable for blu ray player sound bar", + "power cord for blu ray player sound bar", + "power cord cable blu-ray player sound bar", + "power cord for blu-ray player sound bar", + "power cord cable blu ray player sound bar", + "power cord to blu-ray player sound bar", + "power cord to blu ray player sound bar", + "power cord cable to blu ray player sound bar", + "power cord cable", + "power cord" + ], + "i'm looking for a nikon coolpix 990 3.34mp digital camera .": [ + "nikon coolpix 990 3.34mp digital camera", + "nikon coolpix 990 3.34mp digital camera under $40", + "nikon coolpix 990 3.34mp digital camera under $50", + "nikon coolpix 990 3.34mp digital camera under $60", + "nikon coolpix 990 3.34mp digital camera under $120", + "nikon coolpix 990 3.34mp digital camera nikon", + " nikon coolpix 990 3.34mp digital camera", + "nikon coolpix 990 3.34mp digital camera,", + "nikoncoolpix 990 3.34mp digital camera", + "nikon coolpix 990 3.34mp digital camera" + ], + "i'm looking for lumbar support for home office desk chairs.": [ + "home office desk chairs lumbar support", + "lumbar support for home office desk chairs", + "home office desk chairs", + "home office desk chairs with lumbar support", + "home office desk chairs, lumbar support", + "home office desk chair lumbar support", + "home office desk chairs that lumbar support", + "lipar support for home office desk chairs", + "lumbar support home office desk chairs", + "lumbar support desk chairs" + ], + "i am looking 5 no. rubber sole of trail running": [ + "5 no. rubber sole of trail running", + "5 no. rubber sole trail running", + "no. rubber sole of trail running", + "no. rubber sole of trail running 5", + "no. rubber sole trail running", + "4 no. rubber sole of trail running", + "no. rubber sole trail running 5 ft", + "no. rubber sole trail running 5", + "4 no. rubber sole trail running", + "5 no. rubber sole" + ], + "i'm looking to buy a quick drying bathing suit in brown and medium size.": [ + "quick drying bathing suit brown and medium size", + "quick drying bathing suit brown and medium", + "quick drying bathing suit in brown medium size", + "bathroom suit in brown and medium size", + "quick drying bathing suit in brown and medium", + "quick drying bathing suit brown medium size", + "quick drying bathing suit brown", + "quick drying bathing suit brown medium", + "quick drying bathing suit in brown", + "bathroom suit brown and medium" + ], + "i'm looking for home decor products it was in living room.": [ + "home decor products living room", + "home decor products in living room", + "home decor products for living room", + "home decor products it was in living room", + "home decor products it was living room.", + "home decor products that are in living room", + "home decor products in living room.", + "home decor products for living room.", + "home decor products it is in living room", + "home decor products" + ], + "i am looking for high quality bathing accessories in white color": [ + "white bathing accessories", + "high quality bathing accessories in white", + "bathroom accessories in white", + "bathroom accessories white", + "white bathing accessories in high quality", + "white bathing accessories high quality", + "stainless white bathing accessories", + "bathroom accessories in white color", + "white high quality bathing accessories", + "buffet accessories in white" + ], + "i'm looking for wood framed wall art through the wall.": [ + "wood framed wall art through the wall", + "wood framed wall art", + "wood framed wall art in the wall", + "wood framed wall art under $40", + "wood framed wall art under $50", + "wood framed wall art under 30 dollars", + "wood framed wall art under $60", + "wood framed wall art,", + "art through the wall", + "wall art" + ], + "i am looking for a gluten free, plant based and non gmo classic chocolate & hazelnut spreads": [ + "gluten free, plant based and non gmo classic chocolate & hazelnut spreads", + "gluten free, plant based and non gmo classic chocolate and hazelnut spreads", + "gluten free and non gmo classic chocolate & hazelnut spreads", + "gluten free and non gmo classic chocolate and hazelnut spreads", + "gluten free, plant based non gmo classic chocolate & hazelnut spreads", + "gluten free, plant based and non gmo classic chocolate & hazelnut spread", + "gluten free non gmo classic chocolate & hazelnut spreads", + "plant based and non gmo classic chocolate & hazelnut spreads", + "gluten free non gmo classic chocolate and hazelnut spreads", + "gluten free and non gmo classic chocolate & hazelnut spread" + ], + "i'm looking for a nail treatment kit that is easy to use and certified cruelty free. also choose a pack of 2 which weighs 0.5 fl oz with bamboo & biotin 5 in 1 nail treatment kit.": [ + "nail treatment kit that is easy to use and certified cruelty free", + "nude treatment kit that is easy to use and certified cruelty free", + "easy to use nail treatment kit that is easy to use and certified cruelty free", + "nail treatment kit that is easy to use and certified cruelty free pack of 2", + "nude treatment kit that is easy to use and certified cruelty free pack of 2", + "lip treatment kit that is easy to use and certified cruelty free", + "easy to use and certified cruelty free nail treatment kit", + "nail treatment kit, easy to use and certified cruelty free", + "easy to use nail treatment kit", + "nude treatment kit" + ], + "i'm looking for clothing for unique design need to buy a lace pink color.": [ + "laces pink", + "teeth pink", + "lace pink", + "lens pink", + "lace pink clothing", + "a lace pink color", + "lace pink color", + "lace pink design", + "leather pink", + "knee pink clothing" + ], + "i would like a b002c30 rod pocket window panel that is machine washable.": [ + "b002c30 rod pocket window panel", + "a b002c30 rod pocket window panel", + "barbecue window panel that is machine washable", + "brushed window panel that is machine washable", + "bb002c30 rod pocket window panel", + " b002c30 rod pocket window panel", + "window panel that is machine washable", + "barbecue window panel", + "b002c30 window panel", + "brushed window panel" + ], + "i want a white colored pair of sandals that has high heels with an ankle strap.": [ + "white colored sandals with an ankle strap", + "white colored pair of sandals with an ankle strap", + "white colored sandals with ankle strap", + "white sandals with high heels with an ankle strap", + "white colored pair of sandals with ankle strap", + "white colored sandals with high heels", + "white colored sandals with high heels with ankle strap", + "white colored pair of sandals", + "white colored pair of sandals with high heels", + "white colored high heels with an ankle strap" + ], + "i am looking for a starlight band compatible with apple watch size 38/40/421mm.": [ + "stainless band 38/40/421mm", + "starlight band for apple watch 38/40/421mm", + "stainless band apple watch 38/40/421mm", + "starlight band 38/40/421mm", + "stainless band 38/40/421mm apple watch", + "Starlight band 38/40/421mm", + "apple watch band 38/40/421mm", + "stainless band for apple watch 38/40", + "starlight band 38/40/421mm apple watch", + "stainless band for apple watch 38/40mm" + ], + "i'm looking for green color 44mm sized smart watch band compatible with apple watch": [ + "green color 44mm smart watch band", + "green color 44mm sized smart watch band", + "green smart watch band compatible with apple watch", + "green watch band 44mm", + "green 44mm sized smart watch band", + "green watch band compatible with apple watch", + "green 44mm smart watch band", + "green color 44mm watch band", + "green 42mm smart watch band", + "green smart watch band" + ], + "i am looking for sulfate free, paraben free , tea tree triple treat invigorating shampoo & conditioner set": [ + "sulfate free, paraben free , tea tree triple treat invigorating shampoo & conditioner set", + "sulfate free, paraben free tea tree triple treat invigorating shampoo & conditioner set", + "sulfate free, paraben free, tea tree triple treat invigorating shampoo & conditioner set", + "sulfate free, paraben free and tea tree triple treat invigorating shampoo & conditioner set", + "sulfate free, paraben free , tea tree triple treat invigorating shampoo and conditioner set", + "sulfate free and paraben free tea tree triple treat invigorating shampoo & conditioner set", + "sulfate free paraben free , tea tree triple treat invigorating shampoo & conditioner set", + "synthetic free, paraben free , tea tree triple treat invigorating shampoo & conditioner set", + "sulfate free tea tree triple treat invigorating shampoo & conditioner set", + "sulfate free paraben free tea tree triple treat invigorating shampoo & conditioner set" + ], + "i'm looking for a giovanni tea tree shampoo and conditioner set that helps with dry scalp and hair treatment. i would like it in the 8.5 fl oz two pack, with the 505:50 ph balance with aloe and sunflower oil.": [ + "giovanni tea tree shampoo and conditioner set", + "giovanni tea tree shampoo and conditioner set with aloe and sunflower oil", + "giovanni tea tree shampoo and conditioner set with dry scalp and hair treatment", + "giovanni tea tree shampoo and conditioner set with aloe and hair treatment", + "giovanni tea tree shampoo with aloe and sunflower oil", + "giovanni tea tree shampoo and conditioner set 505:50 ph", + "giovanni tea tree shampoo and conditioner set under $50", + "gaiovanni tea tree shampoo and conditioner set", + "giovanni tea tree shampoo conditioner set", + "giovanni tea tree shampoo" + ], + "i'm looking for nickel finish for ceiling fan for home improvement.": [ + " nickel finish for ceiling fan for home improvement", + " nickel finish ceiling fan for home improvement", + "floor fan for home improvement", + " nickel finish for ceiling fan", + "pink finish ceiling fan for home improvement", + "floor fan for home improvement nickel finish", + " nickel finish ceiling fan for home improvement.", + "pink finish for ceiling fan", + " nickel finish ceiling fan", + "floor fan" + ], + "i need a straight leg jeans that is original fit. it should be medium stonewash in color.": [ + "straight leg jeans that is original fit", + "straight leg jeans that are original fit", + "straight leg jeans medium stonewash in color", + "straight leg jeans", + "straight leg jeans medium stonewash", + "straight leg jeans with original fit", + "straight leg jeans, medium stonewash", + "straight leg jeans in a medium stonewash", + "straight leg jeans, original fit", + "straight leg jeans original fit" + ], + "buy me a 4x-large sized long sleeved shirt made from soft material in g05#black color.": [ + "4xl long sleeved shirt made from soft material", + "4xl shirt made from soft material in g05#black", + "large long sleeved shirt made from soft material in g05#black", + "4xl long sleeved shirt in g05#black", + "4xl t-shirt in g05#black", + "4xl long sleeved shirt made from soft material in g05", + "4xl long sleeved shirt", + "4xl t-shirt g05#black", + "4xl shirt made from soft material in g05#black color", + "4xl long sleeved shirt with soft material" + ], + "i am looking for a 16inch x 16inch x 3 panels of posters & prints for dining room": [ + "16inch x 16inch x 3 panels of posters & prints dining room", + "16inch x 16inch x 3 panels of poster & prints dining room", + "16inch x 16inch x 3 panels of posters & prints", + "16inch x 16inch x 3 panels of posters and prints dining room", + "16inch x 16inch x 3 panels of posters & print dining room", + "16x 16inch x 3 panels of posters & prints dining room", + "16inch x 16inch x 3 panels of poster & prints", + "16inch x 16inch x 3 panels of posters", + "16inch x 16inch x 3 panels", + "16inch x 16inch" + ], + "i am looking high speed blu ray hdmi cable vedio cable 8 feet color:5 pack": [ + " blu-ray hdmi cable vedio cable 8 feet color", + "tv hdmi cable vedio cable 8 feet color", + " blu ray hdmi cable vedio cable 8 feet color", + "high speed blu ray hdmi cable vedio cable 8 pack", + "hdmi cable vedio cable 8 feet color", + "hdmi cable vedio cable 8 feet color", + "high speed blu ray hdmi cable vedio cable", + "high speed blu ray hdmi cable vedio", + "high speed blu ray hdmi cable", + "tv dmi cable 8 pack" + ], + "leak prrof free refillable plastic containers of 2 count pack of 1": [ + "leak prrof free refillable plastic containers of 2 count pack of 1", + "leak prrof free refillable plastic containers of 2 count pack", + "leak prrof free refillable plastic containers 2 count pack of 1", + "leaks prrof free refillable plastic containers of 2 count pack of 1", + "leak prrof free refillable plastic containers", + "leak prrof free refillable plastic containers, 2 count pack of 1", + "leak prrof free refillable bottles of 2 count pack of 1", + "leak prrof free refillable plastic bottles of 2 count pack of 1", + "lenak prrof free refillable plastic containers of 2 count pack of 1", + "leak prrof free refillable plastic containers 1 count pack of 1" + ], + "i'm looking for storage case for toothbrush travel containers and need to buy it.": [ + "storage case for toothbrush travel containers", + "teethbrush travel containers", + "stainless toothbrush travel containers", + "storage case toothbrush travel containers", + "temporary storage case toothbrush travel containers", + "tastebrush travel containers", + "tothbrush travel containers", + "storage case for toothbrush travel containers,", + "ttebrush travel containers", + "teethbrush travel containers storage case" + ], + "i'm looking for black clothing out because it can easily machine wahsable.": [ + "black clothing machine wahsable", + "black clothing", + "black clothing that is machine wahsable", + "black clothing, machine wahsable", + "black clothing in a machine wahsable", + "black clothing is machine wahsable", + "black clothing easy machine wahsable", + "black clothing easy to machine wahsable", + "black clothing out", + "black clothing machine-womensable" + ], + "i'm looking for usb port for computer accessories.": [ + "usb port for computer accessories", + "usb port computer accessories", + "usb port for computer accessories.", + " usb port for computer accessories", + "desktop port for computer accessories", + "strawberry port computer accessories", + "usb port computer accessories.", + "usb port computer accessories for computer", + " usb port computer accessories", + "usb port" + ], + "i am looking for a c color toothpaste for teeth whitening and sensitive teeth": [ + "c color toothpaste for teeth whitening sensitive teeth", + "toothpaste for teeth whitening sensitive teeth", + "c color toothpaste teeth whitening sensitive teeth", + "toothpaste for teeth whitening and sensitive teeth", + "a color toothpaste for teeth whitening sensitive teeth", + "c color teeth whitening and sensitive teeth", + "teethpaste for teeth whitening sensitive teeth", + "c color teeth whitening sensitive teeth", + "toothpaste teeth whitening sensitive teeth", + "teethpaste for teeth whitening and sensitive teeth" + ], + "i am looking for a gray color hdmi cables with high speed and blu ray": [ + "gray hdmi cables with high speed and blu ray", + "gray hdmi cables high speed and blu-ray", + "gray hdmi cables high speed and blu ray", + "gray hdmi cables with high speed and blu", + "gray hdmi cables high speed blu-ray", + "gray color hdmi cables high speed and blu ray", + "gray hdmi cables", + "gray hdmi cables high speed and blu", + "gray hdmi cables high speed blu ray", + "gray color hdmi cables with high speed and blu" + ], + "i'm looking for a vegetable snacks that is free from nuts and gluten. also, choose pack of 24 weighing 1 ounce with mixed (variety) flavored one.": [ + "vegan snacks that are free from nuts and gluten", + "vegan snacks free from nuts and gluten pack of 24 weighing 1 ounce", + "vegan snacks that are free from nuts and gluten 1 ounce", + "vegan snacks pack of 24 weighing 1 ounce", + "pack of 24 vegetable snacks that is free from nuts and gluten", + "vegan snacks that is free from nuts and gluten", + "vegan snacks that are free from nuts and gluten pack of 24", + "vegan snacks free from nuts and gluten pack of 24", + "vegan snacks no nuts and gluten", + "vegan snacks pack of 24" + ], + "this simply 7 lentil chips product is delicious and also non-gmo, gluten-free and nut-free. i'm looking for a creamy dill flavor, 4 oz bag (pack of 12).": [ + "6 lentil chips product is delicious and also non-gmo, gluten-free and nut-free. 4 oz bag (pack of 12)", + "6 lentil chips product is delicious and also non-gmo, gluten-free and nut-free.4 oz bag (pack of 12)", + "6 lentil chips product is delicious and also non-gmo, gluten-free and nut-free. 4 oz bag (pack of 12),", + "6 lentil chips product is delicious and also non-gmo, gluten-free and nut-free", + "pure 7 lentil chips product is delicious and also non-gmo, gluten-free and nut-free", + "pure 7 lentil chips flavor, gluten-free and nut-free", + "pure 7 lentil chips product, gluten-free and nut-free", + "pure 7 lentil chips product", + "pure 7 lentil chips", + "6 lentil chips" + ], + "i am looking for red color bath & body brushes for dry skin": [ + "red color bath & body brushes for dry skin", + "red color bath and body brushes for dry skin", + "red color bath with body brushes for dry skin", + "red bath & body brushes for dry skin", + "red color bath, body brushes for dry skin", + " red color bath & body brushes for dry skin", + "red color bath & body brushes", + "red bath and body brushes for dry skin", + "bath & body brushes for dry skin", + "red body brushes for dry skin" + ], + "i would like a boom box with stereo sound.": [ + "boom box with stereo sound", + "boom box with stereo sound", + "a boom box with stereo sound", + "bomber box with stereo sound", + "burgling box with stereo sound", + "baby shower box with stereo sound", + "burgola box with stereo sound", + "baby boom box with stereo sound", + "burgl box with stereo sound", + "a boom box with stereo sound." + ], + "i need a pair of gray workout pants with a butt lift.": [ + "gray workout pants with butt lift", + "gray workout pants with a butt lift", + "gray workout pants with butt lift.", + "gray workout pants, butt lift", + "womens workout pants with butt lift", + "grey workout pants with butt lift", + "gray workout pants that are butt lift", + "gray workout pants with a butt lift.", + "gray workout pants butt lift", + "gray workout pants" + ], + "i am looking green color wireless bluetooth speaker": [ + "green wireless bluetooth speaker", + "green color wireless bluetooth speaker", + "green bluetooth speaker", + "green wireless bluetooth speaker that is green", + "green wireless bluetooth speaker under $40", + "green wireless bluetooth speaker under $50", + "green wireless bluetooth speaker under $60", + "green wireless bluetooth speaker,", + "green wireless bluetooth speakers", + "greenetooth speaker" + ], + "i am looking for a low sugar granola bar that is soy and diary free. pick the pack of 3 weighing 10 ounces.": [ + "low sugar granola bar that is soy and diary free", + "low sugar granola bar pack of 3 weighing 10 ounces", + "gluten free granola bar pack of 3 weighing 10 ounces", + "low sugar granola bar", + "low sugar granola bar, soy and diary free", + "low sugar granola bar pack of 3", + "low sugar granola bar with soy and diary free", + "low sugar granola bar under $40", + "granola bar that is soy and diary free", + "low sugar granola bar with soy" + ], + "i'm looking for a couple of laundry bags.": [ + "a couple of laundry bags", + "two laundry bags", + "laundry bags", + "womens laundry bags", + "living room laundry bags", + "pair of laundry bags", + "dual laundry bags", + "bag of laundry", + "bag of laundry bags", + "womens laundry bag" + ], + "i need a stainless steel nail dust collector machine for creating nail art.": [ + "stainless steel nail dust collector machine for creating nail art", + "stainless steel nail dust collector machine", + "stainless steel nail dust collector machine for creating nail art.", + "stainless steel nail dust collector machine, for nail art", + "stainless steel nail dust collector machine for creating nail art,", + "stainless steel nail dust collector machine, for creating nail art", + "stainless steel nail dust collector machine for making nail art", + "stainless steel nail dust collector machine under $50", + "stainless steel nail dust collector machine,", + "stainless steel nail dust collector" + ], + "i am looking for a large size men's t-shirt for gym workout with classic fit. also choose purple in color.": [ + "large size mens t-shirt for gym workout", + "mens t-shirt for gym workout with classic fit", + "large size mens t-shirt with classic fit", + "mens t-shirt for gym workout purple", + "large size mens t-shirt workout with classic fit", + "large t-shirt for gym workout with classic fit", + "large size mens t-shirt", + "mens t-shirt for gym workout", + "large t-shirt for gym workout", + "mens t-shirt in purple" + ], + "i'm looking for anti aging beauty personal products that facial moisturizer skin.": [ + "anti aging beauty personal products that facial moisturizer skin", + "anti aging beauty personal products", + "anti aging beauty personal products facial moisturizer skin", + "anti aging beauty personal products with facial moisturizer skin", + "anti aging beauty personal products for facial moisturizer skin", + "anti aging beauty personal products, facial moisturizer skin", + "anti aging beauty personal products facial moisturizer skin.", + "anti aging beauty personal products facial moisturizer", + "anti aging beauty", + "anti aging beauty products" + ], + "please can i have one skinny pina colada which is sugar free and non gmo?": [ + "sugar free pina colada", + "low sugar pina colada", + "skinny pina colada sugar free", + "one skinny pina colada sugar free", + "lip pina colada sugar free", + "two skinny pina colada sugar free", + " skinny pina colada sugar free", + "low sugar pina colada sugar free", + "pina colada sugar free", + "low sugar pina colada under $40" + ], + "i'm looking for a bench style farmhouse in white color": [ + "buffet style farmhouse in white", + "cowboy style farmhouse in white", + "burgling style farmhouse in white", + "bench style farmhouse in white", + "wooden style farmhouse in white", + "bench style farmhouse in white color", + " bench style farmhouse in white", + "burgling style farmhouse white", + " bench style farmhouse in white color", + "cowboy style farmhouse white" + ], + "certified organic 100% pure & natural sweet almond oil": [ + "certified organic 100% pure natural sweet almond oil", + "organic 100% pure & natural sweet almond oil", + "certified organic 100% pure & natural almond oil", + "natural almond oil certified organic 100% pure & natural", + "pure & natural sweet almond oil", + "certified organic 100% pure almond oil", + "pure natural sweet almond oil", + "pure and natural almond oil", + "pure & natural almond oil", + "pure natural almond oil" + ], + "i am looking for tempered glass for samsung galaxy s22 ultra.": [ + "tempered glass samsung galaxy s22 ultra", + "tempered glass for samsung galaxy s22 ultra", + "tempered glass samsung galaxy s22 ultra.", + "tempered glass samsung galaxy s22 ultra,", + " tempered glass samsung galaxy s22 ultra", + "samsung galaxy s22 ultra tempered glass", + "tempered glass samsung s22 ultra", + "tempered glass samsung galaxy s22", + "glass samsung galaxy s22 ultra", + "tempered glass" + ], + "i would like a epilator for hair removal.": [ + "epilator for hair removal", + "i would like a epilator for hair removal.", + "epilator for hair removal.", + "epilator for hair removal under $40", + "epilator for hair removal under $50", + "epilator for hair removal price lower than 50.00 dollars", + "epilator for hair removal under $60", + "epilator for hair removal that is epilator", + "epilator hair removal", + "epilator" + ], + "i'm looking for a foundation brush that i can use on very sensitive skin. i would also like it to be a coloured brush.": [ + "felty brush for sensitive skin", + "foundation brush for sensitive skin", + "f foundation brush for sensitive skin", + "fantastic brush for sensitive skin", + "blanket brush for sensitive skin", + "fantastic foundation brush for sensitive skin", + "facial brush for sensitive skin", + "felty brush for sensitive skin.", + "f foundation brush for sensitive skin.", + "f foundation brush for sensitive skin, coloured" + ], + "i'm looking for gluten free, fat free and sugar free natural strawberry jel dessert": [ + "gluten free, fat free natural strawberry jel dessert", + "gluten free natural strawberry jel dessert", + "gluten free and sugar free natural strawberry jel dessert", + "gluten free, sugar free natural strawberry jel dessert", + "gluten free sugar free natural strawberry jel dessert", + "natural strawberry jel dessert gluten free", + "gluten free strawberry jel dessert", + "natural strawberry jel dessert", + "freeze dried strawberry jel dessert", + "gluten free natural strawberry jel dessert under $40" + ], + "i want paraben free hair treatment hair mask for healthy hair size: 120ml+cs": [ + "hair treatment hair mask for healthy hair size 120ml+cs", + "paraben free hair treatment hair mask", + "paraben free hair treatment hair mask for healthy hair size", + "paraben free hair treatment hair mask 120ml+cs", + "paraben free hair treatment hair mask for healthy hair", + "lip mask for healthy hair size 120ml+cs", + "hair treatment hair mask 120ml+cs", + "hair treatment hair mask for healthy hair", + "pink hair treatment hair mask", + "hair treatment hair mask" + ], + "i am looking for a non-slip sandals for my wife that is blue in color. and please choose the 5.5 size": [ + "non-slip sandals for my wife that is blue", + "non-slip sandals for my wife", + "non-slip sandals for my wife in blue", + "non-slip sandals for my wife 5.5 size", + "non-slip sandals for my wife, 5.5", + "non-slip sandals in color 5.5", + "non-slip sandals for my wife blue in color", + "non-slip sandals for my wife 5.5", + "non-slip sandals", + "non-slip sandals in blue" + ], + "i would like to buy a full sized box spring bed that has storage drawers.": [ + "full sized box spring bed with storage drawers", + "full sized box spring bed", + "full size box spring bed with storage drawers", + "box spring bed with storage drawers", + "full sized box spring bed, storage drawers", + "box spring bed that has storage drawers", + "full sized box spring bed storage drawers", + "full sized box spring bed under $50", + "full sized box spring bed under $40", + "full size box spring bed" + ], + "i am searching for contemporary design, black linen king size tufted upholstered platform bed with storage drawers": [ + "black linen king size tufted upholstered platform bed with storage drawers", + "black linen king size tufted upholstered platform bed", + "contemporary design black linen king size tufted upholstered platform bed", + "white linen king size tufted upholstered platform bed with storage drawers", + "tuxed upholstered platform bed with storage drawers", + "contemporary design, black linen king size tufted upholstered platform bed", + "tefted upholstered platform bed with storage drawers", + "modern design black linen king size tufted upholstered platform bed", + "a modern design black linen king size tufted upholstered platform bed", + "tuxed upholstered platform bed" + ], + "i would like a medium sized with sleep set that i can hand wash.": [ + "medium sized with sleep set", + "medium sized sleep set that i can hand wash", + "medium sized sleeping set that i can hand wash", + "medium sized with sleep set, hand wash", + "medium sized bed set that i can hand wash", + "medium sized with sleep set under $40", + "medium sized with sleep set under $50", + "medium sized sleep set", + "medium sized bed with sleep set", + "medium sized sleeping set" + ], + "i am looking for double rod silver color professional hair cutting kit for men": [ + "double rod silver color professional hair cutting kit for men", + "double rod silver color professional hair cutting kit", + "single rod silver color professional hair cutting kit for men", + "double rod silver hair cutting kit for men", + "double rod silver professional hair cutting kit for men", + "double rod silver colored professional hair cutting kit for men", + "double rod silver color hair cutting kit for men", + "double rod silver color professional hair cutting kit men", + "single rod silver color professional hair cutting kit", + "double rod silver hair cutting kit" + ], + "i'm looking for clothing for elastic waisted it will use for machine wash need to buy it.": [ + "teeth for elastic waisted machine wash", + "clothing for elastic waisted it will use for machine wash", + "jeans for elastic waisted machine wash", + "clothing for elastic waisted machine wash", + "large elastic waisted clothing for machine wash", + "teeth for elastic waisted machines wash", + "clothing for elastic waisted", + "toothpaste machine wash", + "large elastic waisted clothing", + "toothpaste" + ], + "i'm looking for bags for travel usage. it easy to carry .": [ + "bag for travel", + "bag for travel usage", + "bag that is easy to carry", + "easy to carry bags for travel", + "bag easy to carry", + "bag for travel under $40", + "bag for travel use", + "bag, easy to carry", + "bag travel", + "bag" + ], + "i am looking for a pair of women's high heel stilettos in a size 7.": [ + "womens high heel stilettos in a size 7", + "womens high heel stilettos size 7", + "womens high heel stiletto in a size 7", + "womens high heel stilettos a size 7", + "womens high heel stilettos", + "mens high heel stilettos in a size 7", + "womens high heel stilettos, size 7", + "womens high heel stilettos, a size 7", + "womens high heel stilettos, size 7,", + "womens high heel stilettos size 7.5" + ], + "i'm looking for apple watch brands it can easily install any.": [ + "apple watch brands that are easy to install", + "apple watch brands", + "apple watch brands easy to install", + "apple watch brands that can be easily install", + "apple watch brands it can easily install", + "apple watch brands that can easily install", + "apple watch brands it can easily install.", + "apple watch brands that are easily install", + "apple watch brands easy install", + "apple watch brands that are easy install" + ], + "i'm looking for a keto friendly kassumay strawberry hibiscus sabddariffa spread.": [ + "keto friendly strawberry hibiscus sabddariffa spread", + "keto friendly strawberries hibiscus sabddariffa spread", + "keto friendly strawberry hibiscus sabddariffa spread.", + "keto friendly kassumay strawberry hibiscus sabddariffa", + "keto friendly strawberry hibiscus sabddariffa spread", + "keto friendly strawberry hibiscus sabddariffa spread keto friendly", + "keto friendly strawberry hibiscus sabddariffa spread under $40", + "keto friendly keto friendly strawberry hibiscus sabddariffa spread", + "keto friendly strawberry hibiscus sabddariffa spread under 50 dollars", + "keto friendly strawberry hibiscus sabddariffa" + ], + "i am looking for a 11\" sized walking boots for outdoor activities. and i would go for the black one": [ + "walking boots 11 size black", + "walking boots 11 sized black", + "walking boots 11 ft black", + "walking boots 11 oz black", + "walking boots 11 sized", + "walking boots 11x11 black", + "walking boots size 11 black", + "walking boots 11 x 11 black", + "walking boots for outdoor activities 11", + "11 sized walking boots" + ], + "i want a light beige full platform bed with a headboard. it should be easy to assemble.": [ + "light beige full platform bed with a headboard", + "light beige full platform bed", + "low beige full platform bed with a headboard", + "light beige full platform bed with a headboard.", + "heavy beige full platform bed with a headboard", + "light beige full platform bed with a headboard,", + "a light beige full platform bed with a headboard", + "full platform bed with a headboard", + "living room bed with a headboard", + "light beige full platform bed with headboard" + ], + "i am looking or a 12 ounce (pack of 1) non gmo gluten free granola": [ + "non gmo gluten free granola pack", + "non gmo gluten free granola", + "non gmo gluten free granola 12 oz", + "non gmo gluten free granola 12 oz pack", + "gmo gluten free granola 12 oz", + "non gmo gluten free granola 12 ounce pack", + "non gmo gluten free granola pack 12 oz", + "non gmo gluten free granola pack of 1", + "12 ounce gluten free granola", + "gmo gluten free granola pack" + ], + "i'm looking for sliver smart watch made from 20mm stainless steel.": [ + "sliver smart watch band made from 20mm stainless steel", + "sliver smart watch watch band made from 20mm stainless steel", + "sliver smart watch band", + "slimiver smart watch band made from 20mm stainless steel", + "sliver smartwatch band made from 20mm stainless steel", + "sliver smart watch band with 20mm stainless steel", + "sliver smart watch band made from 20mm stainless steel.", + "sliver smartwatch watch band made from 20mm stainless steel", + "sliver smart watch case made from 20mm stainless steel", + "sliver smart watch made from 20mm stainless steel" + ], + "i am looking for an anti-aging serum based on hyaluronic acid in a 1 fl oz bottle": [ + "anti-aging serum based on hyaluronic acid", + "anti-aging serum based on hyaluronic acid 1 fl oz", + "anti-aging serum, hyaluronic acid, 1 fl oz", + "anti-aging serum hyaluronic acid 1 fl oz bottle", + "anti-aging serum in a 1 fl oz bottle", + "anti-aging serum", + "anti-aging serum 2 fl oz", + "anti-aging serum hyaluronic acid", + "anti-aging serum 2 fl oz bottle", + "anti-aging serum under $50" + ], + "i want avocado extract flover paraben free hair mask for treatment of dry hair": [ + "avocado extract flover paraben free hair mask for treatment of dry hair", + "an avocado extract flover paraben free hair mask for treatment of dry hair", + "avocado extract flover paraben free hair mask", + "an avocado extract flover paraben free hair mask", + "an avocado extract flover paraben free hair mask for treatment of dry hair", + "an avocado extract flover paraben free hair mask for treatment of dry hair", + "avocado extract flover paraben free hair mask for treatment of dry hair", + "an avocado extract flover paraben free hair mask", + "avocado extract flover paraben free hair mask for treatment of dry hair", + "avocado extract flover paraben free hair mask" + ], + "i am looking for a 5x7 ft backgrounds for digital photography": [ + "5x7 backgrounds for digital photography", + "5x7 ft backgrounds digital photography", + "5x7 ft backgrounds", + "5x7 digital photography backgrounds", + "5x7 background for digital photography", + "5x7 digital photography background", + "5x7 backgrounds digital photography", + "5x7 background digital photography", + "digital photography 5x7 ft backgrounds", + "5x7 backgrounds" + ], + "i want to buy a lightweight photography backdrop that has a print color 03 and is 9x16 ft.": [ + "light weight photography backdrop 9x16 ft", + "lightweight photography backdrop 9x16 ft", + "aluminum photography backdrop 9x16 ft", + "light weight photography backdrop that has a print color 03", + "lightweight photography backdrop that has a print color 03", + " lightweight photography backdrop 9x16 ft", + "portrait lightweight photography backdrop 9x16 ft", + " lightweight photography backdrop that has a print color 03", + "a lightweight photography backdrop that has a print color 03", + "light weight photography backdrop" + ], + "i am looking for a size 13 sandal for women which has an open toe and a high heel.": [ + "size 13 sandal for women with an open toe and high heel", + "size 13 sandal for women with an open toe and a high heel", + "size 13 sandal for women which has an open toe and high heel", + "size 13 sandal for women", + "size 13 sandal for women with an open toe and high heel.", + "size 13 sandal for women with an open toe with high heel", + "size 13 sandal for women, with an open toe and high heel", + "size 13 sandal for women whose has an open toe and high heel", + "size 13 sandal for women with an open toe", + "sneakers size 13" + ], + "i am looking for a high quality bag that has a cartoon image.": [ + "bag with cartoon image", + "bag cartoon high quality", + "bag cartoon quality high quality", + "bag cartoon quality", + "bag cartoon", + "bag with a cartoon image", + "bag with cartoon cartoon", + "bag with cartoon quality", + "bag that has cartoon image", + "bag that has a cartoon" + ], + "i need an open toe, high heel, ankle strap wedge sandals in color white and size 9.5-10.": [ + "open toe high heel, ankle strap wedge sandals in color white", + "open toe high heel, ankle strap wedge sandals in color white, 9.5-10", + "open toe high heel, ankle strap wedge sandals in color white 9.5-10", + "open toe, high heel, ankle strap wedge sandals in color white", + "open toe, high heel, ankle strap wedge sandals in color white 9.5-10", + "open toe high heel ankle strap wedge sandals in color white 9.5-10", + "open toe high heel ankle strap wedge sandals in color white and size 9.5-10", + "open toe high heel ankle strap wedge sandals in color white", + "open toe white ankle strap wedge sandals in color 9.5-10", + "open toe high heel, ankle strap wedge sandals" + ], + "i intend to buy a queen sized easy to assemble black metal platform bed.": [ + "queen sized easy to assemble black metal platform bed", + "queen sized black metal platform bed", + " queen sized easy to assemble black metal platform bed", + "queen sized easy assemble black metal platform bed", + "Queen sized easy to assemble black metal platform bed", + "kingwoman sized easy to assemble black metal platform bed", + "king size easy to assemble black metal platform bed", + "queen sized easy to assemble black metal bed", + "queen sized black metal platform bed.", + "black metal platform bed" + ], + "i need to buy an 104 square foot piece of eco-friendly synthetic turf.": [ + "104 square foot piece of eco-friendly synthetic turf", + " 104 square foot piece of eco-friendly synthetic turf", + "104 sq foot piece of eco-friendly synthetic turf", + "104square foot piece of eco-friendly synthetic turf", + "103 square foot piece of eco-friendly synthetic turf", + "104 foot piece of eco-friendly synthetic turf", + "eco-friendly synthetic turf 104 sq ft", + "eco-friendly synthetic turf 104 square foot", + "104 square foot piece of eco-friendly synthetic", + "104 x 104 synthetic turf" + ], + "i am looking for a blue stretch fabric dress shirts for regular fit": [ + "blue stretch fabric dress shirts for regular fit", + "blue stretch fabric dress shirts", + "blue stretch fabric dress shirts regular fit", + "blue stretch fabric dress shirts, regular fit", + "blue stretch fabric dress shirt for regular fit", + "blue stretch fabric dress shirts with regular fit", + "blue stretch fabric dress shirts in regular fit", + "blue stretch fabric dress shirts that regular fit", + "blue stretch fabric dress shirt regular fit", + "blue stretch fabric dress shirt" + ], + "i'm looking for a large sweatpants fleece lined for sports in dark gray": [ + "large sweatpants fleece", + "sweatpants fleece", + "large sweatpants fleece", + "sweatpants fleece, dark gray", + "large sweatpants fleece lined for sports", + "large sweatpants fleece lined for sports", + "sweatpants fleece for sports", + "sweatpants fleece under $40", + "large sweatpants fleece for sports", + "sweatpants fleece, dark gray," + ], + "i would like a pair of size 9.5 wheat work boots that have a steel toe.": [ + "womens work boots that have a steel toe", + "a pair of size 9.5 wheat work boots", + "pair of size 9.5 wheat work boots", + "womens work boots with steel toe", + "womens work boots steel toe", + "size 9.5 wheat work boots with steel toe", + "womens work boots with a steel toe", + "size 9.5 wheat work boots", + "womens work boots", + "large steel work boots" + ], + "i am looking for a 8.5 size ankle strap flat sandals": [ + "8.5 size ankle strap flat sandals", + "8.5 ankle strap flat sandals", + "8.5 x 8.5 ankle strap flat sandals", + "8.5 foot ankle strap flat sandals", + "8.5 size ankle strap flats sandals", + "8.5 x 5 foot flat sandals", + "8.5 size ankle strap flat sandals under $50", + "8.5 size ankle strap flat sandals under $40", + "8.5 size ankle strap flat sandals,", + "8.5 size ankle strap flat sandals under $60" + ], + "i'm looking for beauty salon need buy a blue colored chairs.": [ + "beauty salon blue colored chairs", + "beauty salon blue", + "beauty salon blue colored", + "beauty salon blue colored chair", + "beauty salonblue colored chairs", + "beauty salon blue with chairs", + "beauty salon blue color chairs", + "beauty salon blue chairs", + "beauty salon colored chairs", + "beauty salon white" + ], + "i am looking for a heavy duty barber chair thats high quality bar stool. go ahead and get a brown color.": [ + "barber chair brown", + "barber chair heavy duty brown", + "barber chair brown heavy duty", + "barber chair brown heavy duty brown", + "barber chair high quality brown", + "heavy duty barber chair brown", + "barber chair brown high quality", + "barber chair, heavy duty brown", + "barber chair with high quality brown", + "barber chair brown, heavy duty" + ], + "i'm looking for coaxial cable for cell phone accessories.": [ + "coaxial cable for cell phone accessories", + " coaxial cable for cell phone accessories", + "coaxial cable for cell phone accessories.", + "curtial cable for cell phone accessories", + "coaxial cable cell phone accessories", + " coaxial cable for cell phone accessories.", + "carrier cable for cell phone accessories", + "comportial cable for cell phone accessories", + "conceial cable for cell phone accessories", + "coaxial cable phone accessories" + ], + "i'm looking for a leather sole high heel sandal in dark rose gold.": [ + " leather sole high heel sandal in dark rose gold", + "black leather sole high heel sandal in dark rose gold", + "sneakers high heel sandal in dark rose gold", + "leather sole high heel sandal in dark rose gold", + "high heel sandal in dark rose gold", + "slather sole high heel sandal in dark rose gold", + "shoes sole high heel sandal in dark rose gold", + "sneakers high heel sandal dark rose gold", + "sneakers dark rose gold", + "slimming sandal in dark rose gold" + ], + "i'm looking for brown industrial size 10 boots made with vinyl acetate.": [ + "brown industrial size 10 boots made with vinyl acetate", + "brown industrial size 10 boots made with vinyl acetate.", + " brown industrial size 10 boots made with vinyl acetate", + "brown industrial size 10 hiking boots made with vinyl acetate", + "brown industrial size 10 boots made with vinyl acetate,", + "black industrial size 10 boots made with vinyl acetate", + "brown industrial size 10 boots made from vinyl acetate", + "brown industrial size 10 boots with vinyl acetate", + "brown industrial boots made with vinyl acetate", + "industrial size 10 boots made with vinyl acetate" + ], + "i am looking for large nightstand end table for living room.": [ + "large nightstand end table for living room", + "large nightstand end table living room", + "large nightstand end table in living room", + "large nightstand end table", + "large nightstand end table, living room", + "large nightstand end table dining room", + "medium nightstand end table for living room", + "large nightstand end table living room.", + "nightstand end table for living room", + "living room nightstand end table" + ], + "i'm looking for certifies organic groceries the flavor was cacao bits": [ + "certified organic groceries cacao bits", + "certified organic groceries with cacao bits", + "certifies organic groceries with cacao bits", + "certifies organic groceries cacao bits", + "certified organic groceries flavor was cacao bits", + "organic groceries with cacao bits", + "certified organic groceries flavor cacao bits", + "organic groceries cacao bits", + "certified organic groceries", + "acao bits" + ], + "i need green colored headphones with superior stereo sound and comes with a convenient carrying case.": [ + "green colored headphones with superior stereo sound", + "green colored headphones with superior stereo sound and carry case", + "green colored headphones with superior stereo sound with convenient carrying case", + "green colored headphones with superior stereo sound, convenient carrying case", + "green colored headphones with superior stereo sound and convenient carrying case", + "green wireless headphones with superior stereo sound", + "green colored headphones that are superior stereo sound", + "green colored headphones", + "green headphones with superior stereo sound", + "green colored headphones carrying case" + ], + "i'm looking for a 10 lights stepeak w23.6\" crystal golden chandelier pendant lighting .": [ + "10 lights stepeak w23.6 crystal golden chandelier pendant lighting", + "10 lights stepeak w23.6 crystal golden chandelier pendant lighting under $40", + "10 lights stepeak w23.6 crystal golden chandelier pendant lighting under $50", + "10 lights stepeak w23.6 crystal golden chandelier pendant lighting under $60", + "8 lights stepeak w23.6 crystal golden chandelier pendant lighting", + "10 lights stepeak w23.6 crystal golden chandelier pendant lighting under 30 dollars", + "10 lights stepeak w23.6 crystal golden chandelier pendant lighting under $120", + "10 lights stepeak w23.6 crystal golden chandelier pendant lighting under 50 dollars", + "a 10 lights stepeak w23.6 crystal golden chandelier pendant lighting", + "10 lights stepeak w23.6 crystal golden chandelier pendant lighting under 40 dollars" + ], + "i need to buy a solid wood console table for my living room. look for one in grey.": [ + "grey solid wood console table for living room", + "grey solid wood console table for the living room", + "grey solid wood console table", + "grey solid wood console table for my living room", + "grey solid wood console table living room", + "grey solid wood console table in grey", + "solid wood console table for my living room in grey", + "grey solid wood console table for a living room", + "grey solid wood gaming table for living room", + "solid wood console table for my living room, grey" + ], + "i'm looking for one aluminum alloy magnetic case phor iphone 13 mini in black": [ + "aluminum alloy magnetic case phor iphone 13 mini in black", + "one aluminum alloy magnetic case phor iphone 13 mini in black", + "aluminum alloy magnetic case phor iphone 13 mini", + "aluminum alloy mobile case phor iphone 13 mini in black", + "aluminum alloy Magnetic case phor iphone 13 mini in black", + "aluminum alloy case phor iphone 13 mini in black", + "uminum alloy magnetic case phor iphone 13 mini in black", + "aluminum alloy magnetic case for iphone 13 mini in black", + "aluminum alloy magnetic case phor iphone 13 mini, black", + "aluminum alloy magnetic case phor iphone 13" + ], + "i'm looking for stainless steel accessories and need to buy it.": [ + "stainless steel accessories", + "stainless steel accessories for stainless steel", + "stainless steel accessories under $50", + "stainless steel accessories under $40", + "stainless steel accessories under $60", + "stainless steel accessories under 50 dollars", + "stainless steel accessories under 30 dollars", + "stainless steel accessories below $50", + "stainless steel accessories under 40 dollars", + "stainless steel accessories for women" + ], + "i am looking for 1080p security camera with motion detection feature.": [ + "1080p security camera with motion detection", + " 1080p security camera with motion detection", + "1080p security camera", + "tv security camera with motion detection", + "10p security camera with motion detection", + "1080p security camera, motion detection", + "p security camera with motion detection", + "1080p security camera motion detection", + "security camera with motion detection", + " 1080p security camera" + ], + "i am looking for a size 9.5 brown open toed heeled sandal with an ankle strip": [ + "size 9.5 brown open toed heeled sandal with an ankle strip", + "brown open toed heeled sandal with an ankle strip", + "brown open toed heeled sandal with an ankle strip size 9.5", + "size 9.5 brown open toed heeled sandal", + "small brown open toed heeled sandal with an ankle strip", + "yellow open toed heeled sandal with an ankle strip", + "black open toed heeled sandal with an ankle strip", + "brown open toed heeled sandal with an ankle strip 9.5", + "brown open toed heeled sandal", + "black heeled sandal with an ankle strip" + ], + "i would like a grey 100x40x40cm ottoman for my living room.": [ + "grey 100x40x40cm ottoman", + "grey 100x40x40cm ottoman for living room", + "grey 100x40x40cm ottoman living room", + "grey 100x40x40cm ottoman, living room", + "grey 100x40 x40cm ottoman", + "grey ottoman for living room", + "grey ottoman living room", + "grey living room ottoman", + "grey ottoman for living room.", + "grey ottoman for living room.grey" + ], + "i am looking for 60 pieces of farm themed cupcake toppers for a birthday party.": [ + "farm themed cupcake toppers for a baby shower", + "60 farm themed cupcake toppers for a baby shower", + "28 farm themed cupcake toppers for a baby shower", + "50 farm themed cupcake toppers for a baby shower", + "60 farm themed cupcake toppers for a birthday party", + "farm themed cupcake toppers for a birthday party", + " farm themed cupcake toppers for a baby shower", + "farm themed cupcake toppers for a baby shower.", + "barbecue toppers for a baby shower", + "60 farm themed cupcake toppers for a baby shower." + ], + "get me a high performance coaxial cable connector.": [ + "coaxial cable connector", + "coaxial cable connector high performance", + "high performance coaxial cable connector", + "coaxial cable connector, high performance", + "coaxial cable connector for high performance", + "coaxial cable connector.", + "high performance coaxial cable connector.", + "coaxial cable connector under $40", + "coaxial cable connector under $60", + "cable connector high performance" + ], + "i'm looking for high heel boost the color was wine.": [ + "high heel boost wine", + "high heel boost the color was wine", + "high heel boost wine color", + "high heel boost wine under $40", + "high heel boost wine under $50", + "high heel boost wine flavor", + "high heel boost, wine", + "high heel boost wine wine", + "high heel boost wine colored", + "low heel boost wine" + ], + "i need some dark gray cotton trousers.": [ + "dark gray cotton trousers", + "dark gray cotton trousers under $40", + "dark gray cotton trousers under $50", + "dark gray cotton trousers under $60", + "dark gray cotton pants", + "dark gray cotton trousers under 50 dollars", + "dark gray cotton trousers.", + "dark gray cotton trousers under 30 dollars", + "dark gray cotton trousers under 40 dollars", + "dark gray cotton trousers under 60 dollars" + ], + "i am looking for a heavy duty rca cables.": [ + "heavy duty rca cables", + "heavy duty rca cables under $40", + "heavy duty rca cables under $50", + "heavy duty rca cables under $60", + "heavy duty rca cables under 50 dollars", + "heavy duty rca cables.", + "rca cables heavy duty", + "heavy duty rca cables under $130", + "heavy duty rca cables under 30 dollars", + "heavy duty rca cables under $120" + ], + "i am looking 25 pound high protein dietary fiber wheat flours & meals": [ + "25 pound high protein dietary fiber wheat flours & meals", + "25 pound high protein dietary fiber wheat flours and meals", + "25 pound high protein dietary fiber wheat flours", + "25 pound high protein dietary fiber wheat flours, meals", + " 25 pound high protein dietary fiber wheat flours & meals", + "25 pound high protein dietary fiber flours & meals", + "25 pound high protein dietary fiber wheat flours & meal", + "25 pound high protein dietary fiber wheat flours meals", + "25 pound high protein dietary fiber", + "25 pound high protein dietary fiber meal" + ], + "i want a light weight high resolution background for photography purpose of baby sower party size :5*3ft": [ + "light weight high resolution baby sower party size :5*3ft", + "background for photography purpose of baby sower party size :5*3ft", + "light weight high resolution background for photography purpose of baby sower party", + "background for photography purpose of baby sower party size 5*3ft", + "low weight high resolution background for photography purpose of baby sower party", + "background for photography purpose of a baby sower party size :5*3ft", + "light weight high resolution background for photography purpose of a baby sower party", + "light weight high resolution background for photography purpose of baby sower party size 5*3ft", + "low weight high resolution background for photography purpose of baby sower party size 5*3ft", + "light weight high resolution baby sower party" + ], + "i'm looking for clothing accessories for carry a laundry bags.": [ + "pocket accessories for carry a laundry bags", + "style accessories for carry a laundry bags", + "womens clothing accessories", + "toothpaste laundry bags", + "pocket accessories", + "womens laundry bags", + "tuxedale laundry bags", + "large laundry bags", + "teeth accessories", + "shoes and accessories" + ], + "looking for vegan sweet potato puffs non gmo product": [ + "vegan sweet potato puffs non gmo", + "vegan sweet potato puffs non gmo product", + "vegan sweet potato puffs non-gmo", + "vegan sweet potato puffs non gmo products", + "vegan sweet potato puffs non gmo flavor", + "vegan potato puffs non gmo", + "vegan sweet potato puffs non gmo natural", + "vegan sweet potato puffs no gmo", + "vegan potato puffs non gmo product", + "vegan sweet potato puffs" + ], + "i looking a relaxed fit nylon spandex camping everyday wear hiking woman pant color :thistle": [ + "a relaxed fit hiking woman pant color :thistle", + "a relaxed fit hiking woman pant color", + "comfortable fit hiking woman pant color :thistle", + "foggy fit hiking woman pant color :thistle", + "nude fit hiking woman pant color :thistle", + "comfortable fit hiking woman pant color", + "foggy fit hiking woman pant color", + "living woman pant color hiking woman", + "walking woman pant color", + " relaxed fit hiking woman pant color" + ], + "i need everyday wear pants for hiking that are flax colored in a size 20.": [ + "walking pants in a size 20", + "pink hiking pants in a size 20", + "walking pants size 20", + "walking pants size 20 flax colored", + "pant for hiking flax colored size 20", + "flax colored hiking pants in a size 20", + "jeans for hiking flax colored size 20", + "pink hiking pants size 20", + "walking pants 20 flax colored", + "pink hiking pants in a size 20." + ], + "i want a high quality acrylic nail kit that is long lasting and clear pink nude in color.": [ + "long lasting and clear pink nude nail kit", + "high quality acrylic nail kit", + "long lasting clear pink nude nail kit", + "long lasting and clear pink nail kit", + "long lasting and clear pink acrylic nail kit", + "nude nail kit long lasting and clear pink", + "long lasting pink nude nail kit", + "high quality acrylic nail kit with clear pink", + "high quality acrylic nail kit in color", + "high quality acrylic nail kit with clear pink nude" + ], + "i would like a black race style video game chair with good lumbar support.": [ + "black race style video game chair with lumbar support", + "black race style video game chair", + "black race style video game chair with good lumbar support", + "black race style video game chair lumbar support", + "black race style video game chair, lumbar support", + "black race style video game chair with lumbar support.", + "black race style video game chair that is lumbar support", + "black race style video game chair with a lumbar support", + "white race style video game chair with lumbar support", + "black race style video game chair with lumbar support," + ], + "i am looking for a medium sized laundry bag for my travel on christmas holidays": [ + "medium sized laundry bag for travel on christmas", + "medium sized laundry bag for travel", + "medium sized laundry bag for a christmas holidays", + "medium sized laundry bag for the christmas holidays", + "medium sized laundry bag for christmas holidays", + "medium sized laundry bag for christmas", + "medium sized laundry bag for my travel", + "medium sized laundry bag for travel", + "medium sized laundry bag for my travel", + "medium sized laundry bag" + ], + "i'm looking for open toe pillow slippers that can drying shower.": [ + "open toe pillow slippers drying shower", + "open toe pillow slippers that can drying shower", + "open toe pillow slippers for drying shower", + "open toe pillow slippers", + "open toe pillow slippers that can drying shower.", + "open toe pillow slippers drying shower.", + "open toe pillow slippers for drying shower.", + "open toe pillow slippers, drying shower", + "open toe pillow slippers dried shower", + "open toe pillow slippers drying shower under $40" + ], + "i am looking for an intel core i5 workstation pc with windows 10 pro.": [ + "intel core i5 workstation pc with windows 10 pro", + "intel core i5 workstation pc with windows 10", + "intel core i5 workstation pc with windows 10 pro.", + "intel core i5 workstation pc", + " intel core i5 workstation pc with windows 10 pro", + "intel core i5 workstation pc with windows 10 pro intel", + "intel core i5 workstation pc with windows 10 pro,", + "intel core i5 workstation pc windows 10 pro", + "Intel core i5 workstation pc with windows 10 pro", + "intel core i5 workstation pc with windows" + ], + "i want a pair of orange non slip shoes with memory foam for jogging.": [ + "orange non slip shoes with memory foam", + "orange non slip shoes", + "orange non slip walking shoes with memory foam", + "orange non slip shoes jogging", + "orange walking shoes with memory foam", + "orange non slip running shoes with memory foam", + "orange non slip walking shoes", + "orange running shoes with memory foam", + "oatmeal jogging shoes", + "orange walking shoes" + ], + "i'm looking for women's clothing for it was soft material it can wear everyday wear.": [ + "womens clothing soft material", + "womens clothing", + "womens clothing that is soft material", + "womens clothing, soft material", + "womens clothing in soft material", + "soft material womens clothing", + "womens clothing with soft material", + "womens clothing, soft material,", + "womens clothing is soft material", + "mens clothing" + ], + "i want to find a pair of black women's platform wedges for everyday wear. they need to be a size 9 and be on the wider side.": [ + "black womens platform wedges", + "black womens platform wedges for everyday wear", + "black womens platform wedges size 9", + "black womens platform wedges in a size 9", + "womens platform wedges size 9", + "black womens platform wedges, size 9", + "black womens platform wedges small 9", + "womens platform wedges", + "walking wedges size 9", + "bag wedges size 9" + ], + "i need a alcohol free perfume oil of 12ml meal size . and i would prefer the green musk scent": [ + "alcohol free perfume oil of 12ml meal size", + "alcohol free perfume oil 12ml meal size", + "alcohol free perfume oil of 12ml meal size", + "alcohol free perfume oil 12ml meal size", + "alcohol free musk perfume oil 12ml meal size", + "alcohol free perfume oil, 12ml meal size", + "alcohol free perfume oil of 12ml meal size ", + "alcohol free perfume oil 12ml meal", + "alcohol free perfume oil of 12ml meal size,", + "alcohol free scent 12ml meal size" + ], + "seeking as premium perfume oil containing attar oil, that is vegan, cruelty, and alcohol free, long lasting, 3ml bottle, violet scent, named amber romance by amuze fragrance": [ + "premium perfume oil containing attar oil, long lasting, 3ml bottle, violet scent, named amber romance by amuze", + "premium perfume oil containing attar oil long lasting, 3ml bottle, violet scent, named amber romance by amuze fragrance", + "premium perfume oil containing attar oil, long lasting, 3ml bottle, violet scent, ethylene", + "premium perfume oil containing attar oil, long lasting, 3ml bottle, violet scent", + "premium perfume oil containing attar oil long lasting, 3ml bottle, violet scent, named amber romance by amuze", + "premium perfume oil containing attar oil, long lasting, 3ml bottle, violet scent, named amber romance", + "premium perfume oil containing attar oil, long lasting, 3ml bottle, violet scent,", + "premium perfume oil containing attar oil", + "premium perfume oil containing attar oil that is vegan, cruelty free, long lasting, 3ml bottle, violet scent", + "premium perfume oil containing attar oil long lasting, 3ml bottle, violet scent, ethylene" + ], + "i want to buy a perfume which is alcohol free and lasts long, the scent should be of egyptian musk and it should be 3 ml.": [ + "egyptian musk perfume 3 ml", + "pink perfume that is alcohol free 3 ml", + "pink perfume, alcohol free, 3 ml", + "pink perfume that is alcohol free and lasts long", + "pink perfume which is alcohol free 3 ml", + "pink perfume which is alcohol free and lasts long", + "pink perfume that is alcohol free", + "pink perfume 3 ml", + "alcohol free perfume 3 ml", + "pink perfume" + ], + "i want a 12 ml bottle of turkish rose long lasting fragrance.": [ + "turkish rose long lasting fragrance", + "turkish rose long lasting fragrance 12 ml", + "turkish rose long lasting fragrance 12 ml bottle", + "12 ml bottle turkish rose long lasting fragrance", + "turkish rose long lasting fragrance, 12 ml", + "turkish rose long lasting fragrance. 12 ml", + "turkish rose long lasting fragrance 12ml", + "turkish rose long lasting fragrance12 ml bottle", + "turkish rose long lasting fragrance under $50", + "turkish rose long lasting fragrance under $40" + ], + "i am looking for alcohol and cruelty free vanilla musk perfume oil.": [ + "alcohol and cruelty free vanilla musk perfume oil", + "alcohol and cruelty free vanilla musk perfume oil under $40", + "alcohol and cruelty free vanilla musk perfume oil under $60", + "alcohol and cruelty free vanilla musk perfume oil under $50", + "alcohol and cruelty free vanilla musk perfume oil.", + "alcohol and cruelty free vanilla musk perfume oil under 50 dollars", + "alcohol and cruelty free vanilla musk perfume oil under 30 dollars", + "alcohol and cruelty free vanilla musk perfume oil under 40 dollars", + "alcohol and cruelty free vanilla musk perfume oil below $40", + "alcohol and cruelty free vanilla musk perfume oil under 60 dollars" + ], + "i am looking for gluten free chocolate bars.": [ + "gluten free chocolate bars", + "gluten free chocolate bar", + "gluten free chocolate bars under $40", + "gluten free chocolate bars under $50", + "gluten free chocolate bars under $60", + "gluten free chocolate bar under $40", + "gluten free chocolate bars under 50 dollars", + "gluten free chocolate bar below $40", + "gluten free chocolate bars.", + "gluten free chocolate bars under 40 dollars" + ], + "i am looking for a 46 inches table pads of stainless steel": [ + "46 inches table pads of stainless steel", + "45 inches table pads of stainless steel", + "45 inch table pads of stainless steel", + "tablet pads of stainless steel", + "45 ft table pads of stainless steel", + "45 foot table pads of stainless steel", + "45 x 46 inches table pads of stainless steel", + "45 table pads of stainless steel", + "tablet pads of stainless steel 46 inches", + "45 stainless steel table pads" + ], + "i'm looking for stainless steel for for kitchen and dinning room.": [ + "stainless steel kitchen and dinning room", + "stainless steel for dining room", + "stainless steel dining room", + "stainless steel kitchen and dining room", + "stainless steel dinning room", + "stainless steel dining room cabinets", + "stainless steel dining room cabinet", + "stainless steel dining room table top", + "stainless steel dining room and dining room", + "stainless steel dining room and living room" + ], + "i need a desk cover protector that's 30 by 60 inches. it should be easy to clean.": [ + " desk cover protector 30 by 60 inches", + "desktop cover protector 30 by 60 inches", + " desk cover protector that is 30 by 60 inches", + "wooden cover protector 30 by 60 inches", + "desktop cover protector that is 30 by 60 inches", + " desk cover protector, 30 by 60 inches", + "wood cover protector 30 by 60 inches", + "office cover protector 30 by 60 inches", + "floor cover protector 30 by 60 inches", + " desk cover protector 30 by 60 inches easy to clean" + ], + "i am looking for plant based,gluten free and sugar free seedbars.please choose mulberry cacao flavour.": [ + "plant based,gluten free and sugar free seedbars", + "plant based,gluten free and sugar free seedbars under $40", + "plant based sugar free seedbars with mulberry cacao flavour", + "plant based,gluten free and sugar free seedbars under $60", + "plant based,gluten free and sugar free seedbars under $50", + "plant based,gluten free and sugar free seedbars under 40 dollars", + "plant based sugar free seedbars", + "plant based gluten free and sugar free seedbars", + "plant basedgluten free and sugar free seedbars", + "plant based,gluten free sugar free seedbars" + ], + "i'm looking for resealable bag red color.": [ + " resealable bag red", + "snealable bag red", + " resealable bag red color", + "bag red resealable", + "s resealable bag red", + "tealable bag red", + "bag red", + "routerable bag red", + "tea red bag", + "tealable bag red color" + ], + "i need chocolate filled snack cookies with low calories,low sugar and dairy free.": [ + "chocolate filled cookies dairy free", + "chocolate filled cookies low sugar and dairy free", + "chocolate filled cookies with low sugar and dairy free", + "chocolate filled cookies,low sugar and dairy free", + "chocolate filled cookies", + "chocolate filled cookies with low calories and dairy free", + "chocolate filled snack cookies low sugar and dairy free", + "chocolate filled cookies no sugar and dairy", + "chocolate filled snack cookies dairy free", + "chocolate filled cookies low sugar dairy free" + ], + "i'm looking for a size 9 woman denim high heel.": [ + "woman denim high heel size 9", + "size 9 woman denim high heel", + "woman denim high heel size 9 woman", + "woman denim high heel", + "jeans high heel size 9 woman", + "woman denim high heel in a size 9", + "woman denim high heel size 9 size 9", + "woman denim high heel size 9 woman jeans", + "size 9 woman denim high heel.", + "woman denim high heel, size 9" + ], + "i need a pair of high speed usb-c cables.": [ + "high speed usb-c cables", + "usb-c cables high speed", + "pair of high speed usb-c cables", + "usb-c cables", + "usb-c cables that are high speed", + "high speed usb-c cables.", + "two high speed usb-c cables", + "dual usb-c cables", + "usb-c cables, high speed", + " usb-c cables" + ], + "i want a office chair for heavy duty easy assemble with lumber support": [ + "office chair heavy duty easy assemble with lumber support", + "office chair heavy duty easy assemble", + "office chair easy assemble with lumber support", + "office chair heavy duty easy assemble with wood support", + " office chair heavy duty easy assemble with lumber support", + "office chair heavy duty easy assemble with lumber", + "office chair for heavy duty easy assemble", + "easy assemble office chair with lumber support", + "office chair heavy duty", + "office chair" + ], + "i need 3-light vanity light in brushed nickel": [ + "3-light vanity light in brushed nickel", + "3light vanity light in brushed nickel", + "3 light vanity light in brushed nickel", + "3l vanity light in brushed nickel", + "3-light vanity light, brushed nickel", + "3-light vanity light brushed nickel", + " 3-light vanity light in brushed nickel", + "3-light vanity light", + "three-light vanity light in brushed nickel", + "3-light vanity light with brushed nickel" + ], + "i'm looking for hair loss to prevention of hair extensions.": [ + "hair loss to prevention of hair extensions", + "hair loss prevention of hair extensions", + "hair loss prevention hair extensions", + "hair loss to prevention of hair extension", + "to prevention of hair extensions", + "hair loss prevention", + "hair loss prevention of hair extension", + "hair loss prevention of hair extensions.", + "hair loss prevention hair extension", + "shoes loss prevention" + ], + "i'm looking for a splitter for high speed coaxial cable.": [ + "splitter for high speed coaxial cable", + " splitter for high speed coaxial cable", + "dual splitter for high speed coaxial cable", + "coaxial cable splitter", + "splitter for high speed coaxial cable.", + "splitter high speed coaxial cable", + "duck splitter for high speed coaxial cable", + "high speed coaxial cable splitter", + "lipitter for high speed coaxial cable", + "pink cable splitter high speed coaxial cable" + ], + "i need small size men's boxer brief, with elastic waistband in black air cool color for everyday wear. it should also feature quick drying and machine wash.": [ + "small size mens boxer brief, with elastic waistband", + "small size mens boxer brief with elastic waistband", + "small size mens boxer brief in black air cool color", + "small size mens boxer brief", + "small size mens boxer brief in black", + "mens boxer brief, black air cool color", + "mens boxer brief in black", + "mens boxer brief, black air cool color", + "mens boxer brief in black", + "slimming mens boxer brief" + ], + "i am looking for high performance gamer computer with 64gb ram": [ + "high performance gamer computer with 64gb ram", + "gamer computer with 64gb ram", + "low performance gamer computer with 64gb ram", + "tv gaming computer with 64gb ram", + "gaming computer with 64gb ram", + "high performance gaming computer with 64gb ram", + "gamer computer with 64gb ram high performance", + "high performance gamer computer with 128gb ram", + "64gb gaming computer with high performance", + "gb gaming computer with 64gb ram" + ], + "i am looking for a high performance gaming computer with intel core, 64gb ram and 1tb ssd. also look for 2tb hdd.": [ + "high performance gaming computer with intel core, 64gb ram and 2tb hdd", + "high performance gaming computer with intel core, 64gb ram and 1tb ssd", + "high performance gaming computer with intel core, 64gb ram and 2tb ssd", + "high performance gaming computer with intel core, 64gb ram, 2tb hdd", + "high performance gaming computer with intel core with 64gb ram and 2tb hdd", + "high performance gaming computer with intel core and 64gb ram", + "desktop computer with intel core, 64gb ram and 2tb hdd", + "gaming computer with intel core, 64gb ram and 2tb hdd", + "high performance gaming computer with intel core, 64gb ram", + "high performance gaming computer with intel core with 64gb ram" + ], + "i am looking for a high performance computer that has 32 gb of ram and 3tb of storage.": [ + "high performance computer with 32gb of ram", + "high performance computer 32gb of ram and 3tb of storage", + "high performance computer with 32 gb of ram", + "high performance computer that has 32 gb of ram", + "high performance computer with 32gb of ram with 3tb storage", + "high performance computer with 32gb of ram under $120", + "high performance computer that has 32gb of ram", + "high performance computer 32gb of ram", + "high performance computer with 32gb", + "high performance computer with 32gb ram" + ], + "i am looking for black nail polish.": [ + "black nail polish", + "black nail polish under $50", + "black nail polish under $40", + "black nail polish.", + "black nail polish under $60", + "black nail polish under 30 dollars", + "black nail polish for nail polish", + "black nail polish under 50 dollars", + "black nail polish,", + "nude polish black" + ], + "i want a black ethereal nail polish organizer case.": [ + "black ethereal nail polish organizer case", + "black ethereal nail polish organizer case.", + "black ethereal nail polish organizer case,", + "a black ethereal nail polish organizer case", + "white ethereal nail polish organizer case", + "ethereal nail polish organizer case black", + "ethereal nail polish organizer case", + "nude polish organizer case black", + "black nail polish organizer case", + "nail polish organizer case black" + ], + "i'm looking for future mattress for living room it can make decor a living area.": [ + "living room mattress", + "future mattress for living room", + "sneakers for living room", + "comfortable mattress for living room", + "temporary mattress for living room", + "contemporary mattress for living room", + "Future mattress for living room", + "home mattress for living room", + "comfortable living room mattress", + "sneakers living room" + ], + "i am looking for a black nubuck | mesh shoes of memory foam for men.": [ + "black nubuck | mesh shoes of memory foam", + "black nubuck mesh shoes of memory foam for men", + "black nubuck | mesh shoes of memory foam men", + "black nubuck | mesh shoes", + "nubuck | mesh shoes of memory foam for men", + "black nubuck mesh shoes of memory foam", + "black nubuck mesh shoes", + "black nubuck", + "black mesh shoes of memory foam for men", + "black nubuck mens mesh shoes" + ], + "order for me a high speed data sync charge cable for my playstation 4 and should be silver in color.": [ + "high speed data sync charge cable for my playstation 4 silver", + "high speed data sync charge cable for my playstation 4", + "high speed data sync charge cable for playstation 4 silver", + "high speed data sync charge cable for a playstation 4 silver", + "high speed data sync charge cable for playstation 4 in silver", + "high speed data sync charge cable for the playstation 4 silver", + "silver high speed data sync charge cable for my playstation 4", + "high speed data sync charge cable for playstation 4", + "high speed data sync charge cable", + "tv4 silver high speed data sync charge cable" + ], + "i am looking for a straight leg fitted shorts for my work out. and i choose the xx-large with black-2 color": [ + "straight leg fitted shorts xx-large with black-2 color", + "straight leg fitted shorts x-large with black-2 color", + "straight leg fitted shorts for a work out", + "straight leg fitted shorts for my work out. black-2", + "straight leg fitted shorts for a work out xx-large", + "straight leg fitted shorts for my work out", + "straight leg fitted shorts for work out xx-large", + "straight leg fitted shorts for work out", + "straight leg fitted shorts", + "straight leg fitted shorts x-large" + ], + "i'm looking for black embossed rose shoes for women's and it will long lasting.": [ + "black embossed rose shoes for womens long lasting", + "black embossed rose shoes for womens", + "black embossed rose shoes", + "black embossed rose shoes for womens long lasting.", + "black embossed rose shoes for womens, long lasting", + "black embossed rose shoes, womens long lasting", + "black embossed rose shoes for womens and long lasting", + "black embossed rose shoes womens long lasting", + "black embossed rose shoes that are long lasting", + "black embossed rose shoes for womens long lasting," + ], + "pick a nutmeg shade concealer that hides dark circle. also remember that i have sensitive skin.": [ + "nutmeg shade concealer that hides dark circle", + "nutmeg shade concealer that hides dark circle.", + "nutmeg shade concealer with sensitive skin", + "stainless dark circle nutmeg shade concealer", + "pink shade concealer that hides dark circle", + "natural nutmeg shade concealer that hides dark circle", + "dark circle nutmeg shade concealer", + "nutmeg shade concealer dark circle", + "nutmeg shade concealer, dark circle", + "nutmeg shade concealer" + ], + "i am looking for a medium color concealers & neutralizers for sensitive skin": [ + "medium color concealers & neutralizers for sensitive skin", + "medium color concealers and neutralizers for sensitive skin", + "medium color concealers & neutralizers for sensitive skin under $40", + "medium color concealers & neutralizers for sensitive skin ", + "medium color concealers & neutralizers for sensitive skin under $50", + "medium color concealers & neutralizers for sensitive skin", + "medium color concealers & neutralizers for sensitive skin under $60", + "medium color concealers & neutralizers for sensitive skin under 50 dollars", + "medium color concealers & neutralizers for sensitive skin under 30 dollars", + "medium color concealers & neutralizers for sensitive skin under 40 dollars" + ], + "i am looking for a eco friendly window films of 23.6\" x 63\" x 2 pcs( total: 120x160cm ) size.": [ + "23.6 x 63 x 2 pcs eco friendly", + "23.6 x 63 x 2 pcs", + "window films of 23.6 x 63 x 2 pcs", + "23.6 x 63 x 2 pcs, eco friendly", + "23.6 x 63 x 2 pcs in eco friendly", + "window films of 23.6 x 63 x 2 pcs", + "23.6 x 63 x 2 pcs eco friendly window films", + "23.6 x 63 x 2 pcs with eco friendly quality", + "23.6 x 63 x 2 pcs in eco friendly size", + "23.6 x 63 x 2 pcs of eco friendly" + ], + "i am looking for a eco friendly window films of 35.4\" x 94.4\" x 2 pcs( total: 180x240cm )": [ + "window films of 35.4 x 94.4x 2 pcs", + "window films of 35.4 x 94.4", + "eco friendly window films of 35.4 x 94.4", + "23 eco friendly window films of 35.4 x 94.4", + "window films of 35.4 x 94.4 by 2 pcs", + "28 eco friendly window films of 35.4 x 94.4", + "window films of 35.4 x 94.4, 2 pcs", + "a eco friendly window films of 35.4 x 94.4", + "window film of 35.4 x 94.4", + "window films of 35.4 x 94.4" + ], + "i need individually wrapped gluten free oatmeal chocolate chip cookies that is plant based.": [ + "pack of gluten free oatmeal chocolate chip cookies plant based", + "pack of gluten free oatmeal chocolate chip cookies", + "almond wrapped gluten free oatmeal chocolate chip cookies", + "plastic gluten free oatmeal chocolate chip cookies", + "alarm wrapped gluten free oatmeal chocolate chip cookies", + "packaged gluten free oatmeal chocolate chip cookies plant based", + " individually wrapped gluten free oatmeal chocolate chip cookies", + "pack gluten free oatmeal chocolate chip cookies plant based", + "packaged gluten free oatmeal chocolate chip cookies", + "pack gluten free oatmeal chocolate chip cookies" + ], + "i am looking for a loofahs for dead skin": [ + "loofahs for dead skin", + "lofahs for dead skin", + "loofahs for dead skin under $40", + "loofahs for dead skin under $50", + "loofahs for dead skin under $60", + "loofahs dead skin", + "loofahs for dead skin under 50 dollars", + "loofahs for dead skin under 30 dollars", + "a loofahs for dead skin", + "loofahs for dead skin " + ], + "i'm looking for a plant based vegetable crisps made of simple ingredients and should be gluten free.": [ + "plant based vegetable crisps made of simple ingredients", + "plant based vegetable crisps made of simple ingredients gluten free", + "plant based vegetable crisps made of simple ingredients no gluten", + "plant based vegetable crisps that are gluten free", + "plant based vegetable crisps", + "plant based vegetable crisps with simple ingredients", + "plant based vegetable crisps natural no sugar", + "plant based vegetable crisps no sugar", + "plant based vegetable crisps gluten free", + "plant based vegetable crisps, gluten free" + ], + "i would like a box of 24 granola bars that are high in protein.": [ + "granola bars high in protein", + "24 granola bars high in protein", + "pack of 24 granola bars high in protein", + "bag of 24 granola bars high in protein", + "granola bars that are high in protein", + "grainola bars high in protein", + "granola bar high in protein", + "23 granola bars high in protein", + "grainola bar high in protein", + "granola bars high in protein, 24 oz" + ], + "i looking foco nfl team logo women's moisture wicking arch support size :9 black daily use slipper": [ + "foco nfl team logo :9 black daily use slipper", + "coaxo nfl team logo :9 black daily use slipper", + "coaxo nfl team logo 9 black daily use slipper", + "foco nfl team logo 9 black daily use slipper", + "foco nfl team logo", + "coaxo nfl team logo", + "foco nfl team logo womens moisture wicking arch support", + "coaxo nfl team logo womens moisture wicking arch support", + "coo nfl team logo womens moisture wicking arch support size", + "coo nfl team logo womens moisture wicking arch support" + ], + "i am looking for a white bed frames": [ + "white bed frame", + "white bed frames", + "white bed frames for white", + "white bed frames white", + "white bed frames under $40", + "white bed frame for white", + "white bed frames under $50", + "white bed frame under $40", + "white bed frame under $50", + "white bed frames under $60" + ], + "i'm looking for computer accessories for high speed and gold plated.": [ + "computer accessories for high speed gold plated", + "computer accessories high speed gold plated", + "computer accessories for high speed and gold plated", + "desktop accessories for high speed gold plated", + "desktop accessories high speed gold plated", + "Computer accessories for high speed gold plated", + "desktop accessories for high speed and gold plated", + "Computer accessories high speed gold plated", + "computer accessories for high speed gold plated computer", + "desktop accessories for high speed gold plated computer" + ], + "i need 5 pack of 100 feet high speed internet cable. the color should be yellow and the wire must be gold plated": [ + "5 pack of 100 feet high speed internet cable", + "yellow high speed internet cable 5 pack", + "yellow 5 pack of 100 feet high speed internet cable", + "5 pack of 100 feet high speed internet cable in yellow", + "yellow high speed internet cable", + "yellow high speed internet cable 5 pack gold plated", + "5 pack high speed internet cable", + " 5 pack of 100 feet high speed internet cable", + "5 pack of high speed internet cable", + "yellow internet cable 5 pack" + ], + "i'm looking for skin care products it can easy to use and it can use for sensitive skin.": [ + "skin care products for sensitive skin", + "skin care products that are easy to use for sensitive skin", + "skin care products easy to use for sensitive skin", + "skin care products that are easy to use", + "skin care products easy to use for sensitive skin.", + "skin care products that can easy to use for sensitive skin", + "skin care products easy to use", + "skin care products for sensitive skin.", + "skin care products for sensitive skin", + "skin care products" + ], + "i need a casual short sleeve small size flowy dress. also d-sage green one.": [ + "casual short sleeve small size flowy dress", + "curtains small size flowy dress", + "a casual short sleeve small size flowy dress", + "casual short sleeve small size dress", + "casual short sleeve small size green dress", + "casual short sleeve small size work dress", + "curtains small", + "low sleeve small size flowy dress", + "clothing small size flowy dress", + "curtains small size" + ], + "i am looking for a white item barstools": [ + "white item barstools", + "white item barstools under $40", + "white item barstools under $50", + "white item barstools under $60", + "white item barstools that are white", + "white item barstools under 50 dollars", + "white item barstools,", + "white item barstools under 30 dollars", + "white item barstools under 40 dollars", + "white item barstools under 60 dollars" + ], + "i'm looking for a women's summer adjustable buckle ankle strap cloth sandals.": [ + "womens summer adjustable buckle ankle strap cloth sandals", + "womens summer adjustable buckle ankle strap cloth sandals.", + "mens summer adjustable buckle ankle strap cloth sandals", + "womens summer adjustable buckle ankle strap cloth sandals,", + "mens summer adjustable buckle ankle strap cloth sandals", + "womens winter adjustable buckle ankle strap cloth sandals", + "womens Summer adjustable buckle ankle strap cloth sandals", + "womens summer adjustable strap cloth sandals", + "womens summer adjustable ankle strap cloth sandals", + "mens summer adjustable buckle ankle strap cloth sandals." + ], + "i am looking for a travel size and alcohol free eau de parfum for women of versace dreamer impression scent.": [ + "travel size and alcohol free eau de parfum", + "travel size and alcohol free eau de parfum women of versace dreamer impression scent", + "travel size alcohol free eau de parfum for women of versace dreamer impression scent", + "eau de parfum for women of versace dreamer impression scent", + "travel size and alcohol free versace dreamer impression scent", + "a travel size and alcohol free eau de parfum", + "womens travel size and alcohol free eau de parfum", + "temporary travel size and alcohol free eau de parfum", + "travel size alcohol free eau de parfum", + "eau de parfum for women of versace dreamer impression scent." + ], + "i am looking for a travel sized bottle of christian dior homme intense impression perfume.": [ + "travel sized bottle of christian dior homme intense impression perfume", + "cruise sized bottle of christian dior homme intense impression perfume", + "a travel sized bottle of christian dior homme intense impression perfume", + "travel sized bottle of christian dior homme intense impression perfume.", + "pink dior homme intense impression perfume", + "ch christian dior homme intense impression perfume", + "curtains of christian dior homme intense impression perfume", + "curtains christian dior homme intense impression perfume", + "pink dior homme intense impression perfume travel sized", + "ch christian dior homme intense impression perfume travel sized" + ], + "i am in need of 18 inch high quality human hair wig for women": [ + "18 inch high quality human hair wig for women", + "18 inch high quality human hair wig", + "human hair wig 18 inches high quality", + "human hair wig for women 18 inches high quality", + "human hair wig 18 inch high quality", + " 18 inch high quality human hair wig for women", + "18 inch human hair wig for women", + "human hair wig for women 18 inch high quality", + "18 inch high quality human hair wig woman", + "18 inch human hair wig" + ], + "i am looking for non toxic makeup remover.": [ + "non toxic makeup remover", + "non toxic makeup remover.", + "non toxic makeup remover under $40", + "non toxic makeup remover under $50", + "non toxic makeup remover under $60", + "non toxic makeup remover under 50 dollars", + "non toxic makeup remover under 30 dollars", + "non toxic makeup remover under 40 dollars", + "non toxic makeup remover under 60 dollars", + "non toxic makeup remover below $40" + ], + "a heavy duty single gang rocker high gloss electric wall plate cover": [ + "single gang rocker high gloss electric wall plate cover", + "single gang rocker high gloss", + "single gang rocker with high gloss electric wall plate cover", + "a heavy duty single gang rocker with high gloss", + "a heavy duty single gang rocker high gloss", + "single gang rocker electric wall plate cover", + "heavy duty single gang rocker with electric wall plate cover", + "single gang rocker high gloss electric wall plate", + "a heavy duty single gang rocker", + "single gang rocker high gloss" + ], + "i would like a 12 by 16 inch poster in three pieces of watercolor potted leaves for my living room.": [ + "12 by 16 inch poster in three pieces of watercolor potted leaves", + "12 by 16 inch poster in three pieces of watercolor potted leaves living room", + "12 x 16 inch poster in three pieces of watercolor potted leaves", + "12x 16 inch poster in three pieces of watercolor potted leaves", + "12x16 inch poster in three pieces of watercolor potted leaves", + "12 by 16 inch poster with potted leaves for living room", + "12 by 16 inch poster of potted leaves for my living room", + "potted leaves 12 by 16 inch poster in three pieces", + "12 by 16 inch poster in three pieces", + "12 by 16 inch poster" + ], + "i am looking for a 5 no. rubber sole heeled sandals": [ + "5 no. rubber sole heeled sandals", + "5 no. rubber sole sandals", + "5 no. rubber sole heeled sandals", + " 5 no. rubber sole heeled sandals", + "a 5 no. rubber sole heeled sandals", + "5 no. rubber sole sandals under $50", + "5 no. rubber sole heeled sandals,", + "5 no. rubber sole sandals under $40", + "no. rubber sole heeled sandals", + "5 foot rubber sole heeled sandals" + ], + "i'm looking for walnut oil for dead skin for sensitive skin and skin caring.": [ + "almond oil for dead skin sensitive skin", + "woolnut oil for dead skin sensitive skin", + "almond oil for dead skin sensitive skin skin", + "almond oil for sensitive skin and skin caring", + "almond oil for sensitive skin skin", + " walnut oil for dead skin sensitive skin skin", + " walnut oil for dead skin sensitive skin", + "almond oil for sensitive skin", + "lip oil for sensitive skin", + "womens skin oil" + ], + "coney island classics butter me up popcorn, brings back memories of my childhood. in addition to having dietary fiber and gluten free. please select for me.": [ + "coney island classics butter me up popcorn", + "coney island classics butter me up popcorn,", + "coney island classics butter me up popcorn flavor", + "coney island classics butter me up popcorn that are gluten free", + "coney island classics butter me up popcorn, under $40", + "coney island classics butter me up popcorn, under $60", + "coney island classics butter me up popcorn no sugar", + "coney island classics butter me up popcorn, no sugar", + "coney island classics butter me up popcorn, natural fiber", + "classic butter me up popcorn" + ], + "i want comfortable green colored winter boots that is meant for daily wear.": [ + "comfortable green colored winter boots", + "living green colored winter boots", + "warm comfortable green colored winter boots", + " comfortable green colored winter boots", + "fortable green colored winter boots", + "green colored winter boots", + "yellow winter boots", + "foggy green winter boots", + "comfortable green hiking boots", + "green winter boots" + ], + "i'm looking for gluten free it contains high protein and needed to protein.": [ + "gluten free dairy free", + "gluten free high protein dairy drink mix", + "gluten free dairy free drink mix", + "gluten free gluten free dairy drink mix", + "gluten free gluten free", + "gluten free dairy free dairy drink mix", + "gluten free high protein gluten free", + "gluten free high protein dairy free", + "gluten free", + "gluten free high protein gluten free protein" + ], + "i'm looking for a 3 pack poyiccot screen protector for suunto 9 peak.": [ + "poyiccot screen protector for suunto 9 peak", + "3 pack poyiccot screen protector", + "poyiccot screen protector, suunto 9 peak", + "portrait for suunto 9 peak", + "portrait for suunto 9 peak 3 pack", + "poyiccot screen protector", + "3 pack poyiccot screen protector under $40", + "tv screen protector for suunto 9 peak", + "3 pack poyiccot screen protector under $60", + "3 pack poyiccot screen protector under $50" + ], + "i am looking for a keto friendly vanilla syrup with quality ingredients. also choose 25.4 fl oz pack 4": [ + "keto friendly vanilla syrup 25.4 fl oz pack 4", + "keto friendly vanilla syrup with quality ingredients pack 4", + "keto friendly vanilla syrup 25.4 fl oz pack", + "keto friendly vanilla syrup 25.4 fl oz pack 4", + "keto friendly vanilla syrup 24.4 fl oz pack 4", + "keto friendly vanilla syrup 25.4fl oz pack 4", + " keto friendly vanilla syrup 25.4 fl oz pack 4", + "keto friendly vanilla syrup pack 4", + "keto friendly vanilla syrup", + "keto friendly vanilla syrup with quality ingredients" + ], + "i want a pair of comfortable fit wide leg pants. i need it in 3x-large size.": [ + "comfortable wide leg pants 3xl", + "comfortable fit wide leg pants 3xl", + "comfortable wide leg pants 3x-large", + "comfortable fit wide leg pants 3x-large", + "comfortable wide leg pants in 3xl size", + "synthetic fit wide leg pants 3xl", + "comfortable fit wide leg pants in 3xl", + "comfortable wide leg pants in 3xl", + "comfortable wide leg pants 3x-large size", + "comfortable wide leg pants 3xl size" + ], + "i am looking for a xx-large wide leg and high waist pants for men.": [ + "xx-large wide leg high waist pants for men", + "xxl wide leg high waist pants for men", + "xx-large wide leg high waist pants", + " xx-large wide leg high waist pants for men", + "xxl wide leg high waist pants", + "xxl wide leg and high waist pants for men", + "xx-large wide leg waist pants for men", + "xx wide leg high waist pants for men", + "xxl wide leg high waist pants for men.", + "xx-large wide leg and high waist pants" + ], + "i am searching for gift basket village sweet for giving as a great gift.": [ + "gift basket village sweet", + "gift basket village sweet for giving", + "gift basket village sweet under $50", + "gift basket village sweet under $40", + "gift basket village sweet under $60", + "gift basket village sweet giving", + "gift basket village sweet gift", + "gift basket village sweet gifts", + "gift basket village", + "gift basket" + ], + "i am looking for a laundry, blouse and hosiery wallet": [ + "laundry, blouse and hosiery wallet", + "womens laundry, blouse and hosiery wallet", + " laundry, blouse and hosiery wallet", + "a laundry, blouse and hosiery wallet", + "laundry blouse and hosiery wallet", + "laundry blouse hosiery wallet", + "laundry, blouse hosiery wallet", + "living room laundry, blouse and hosiery wallet", + "womens blouse and hosiery wallet", + "living room blouse and hosiery wallet" + ], + "i'm looking for binoculars for bird watching and need to buy it.": [ + " binoculars for bird watching", + "binoculars for bird watching", + " binoculars bird watching", + "stainless binoculars for bird watching", + "oculars for bird watching binoculars", + "baroculars for bird watching", + " binoculars for bird watching.", + " binoculars for bird watching under $60", + " binoculars for bird watching under $40", + "oculars for bird watching" + ], + "i'm looking for gluten free it has contain high protein.": [ + "gluten free gluten free dairy drink mix", + "gluten free dairy free", + "gluten free dairy free drink mix", + "gluten free gluten free", + "gluten free gluten free drink mix", + "gluten free it has contain high protein", + "gluten free dairy free dairy drink mix", + "gluten free gluten free dairy products", + "gluten free dairy free products", + "gluten free gluten free dairy free" + ], + "i need easy to use plug and play computer speakers with bluetooth. pick one in white color.": [ + "easy to use plug and play computer speakers", + "white computer speakers with bluetooth", + "white plug and play computer speakers with bluetooth", + "easy to use plug and play white computer speakers", + "white computer speakers that are easy to use", + "white computer speakers plug and play", + "white plug and play computer speakers", + "white computer speakers", + "easy to use plug and play black computer speakers", + "black computer speakers with bluetooth" + ], + "a cold wash machine wash classic fit heather cotten baby blue color women t shirt size:3x-large": [ + "cold wash machine wash classic fit heather cotten baby blue", + "cold wash machine wash classic fit heather cotten baby blue t-shirt size 3x-large", + "cold wash machine wash classic fit heather cotten baby blue women t shirt size 3x-large", + "a cold wash machine wash classic fit heather cotten baby blue", + "i cold wash machine wash classic fit heather cotten baby blue", + "cold wash machine wash classic fit heather cotten baby blue t shirt size 3x-large", + "cold wash machine wash classic fit heather cotten baby blue woman t shirt size 3x-large", + "3x-large heather cotten baby blue women t-shirt", + "3x-large heather cotten baby blue t-shirt", + "3x-large heather cotten baby blue" + ], + "i want to buy some caffeine-free rooibos tea in a 50 pack.": [ + "coffee free rooibos tea in a 50 pack", + "caffeinated rooibos tea in a 50 pack", + "rooibos tea in a 50 pack", + "coffee-free rooibos tea 50 pack", + "coffee free rooibos tea 50 pack", + "ecoibos tea in a 50 pack", + "rooibos tea 50 pack", + "caffeinated rooibos tea 50 pack", + "coffee-free rooibos tea", + "coffee free rooibos tea" + ], + "i want an easy to install tv antenna with usb port.": [ + "tv antenna with usb port", + "easy to install tv antenna with usb port", + "tv antenna with usb port easy to install", + "5 ft tv antenna with usb port", + "tv antenna easy to install with usb port", + "tv antenna with usb port.", + "tv antenna with usb port under $40", + "tv antenna that is easy to install", + "tv antenna", + "tv antenna usb port" + ], + "i'm looking for ceiling lights pendent lights for living room.": [ + "floor lights pendent lights for living room", + "floor lights pendent lights living room", + "floor lights pendent lights living room.", + "sky lights pendent lights for living room", + "living room ceiling lights pendent lights", + "floor lights pendent lights in living room", + "floor lights pendent lights", + "curtains lights for living room", + "sky lights pendent lights living room", + "curtains lights living room" + ], + "i would like a eye shadow brush set.": [ + "eye shadow brush set", + "eye shadow brush set.", + "eye shadow brush set under $40", + "eye shadow brush set under $50", + "Eye shadow brush set", + "eye shadow brush set,", + "eye shadow brush set under $60", + "eye shadow brush", + "an eye shadow brush set", + "eyes shadow brush set" + ], + "i am looking for gluten free cookies in chocolate flavor": [ + "gluten free cookies in chocolate flavor", + "gluten free cookies chocolate flavor", + "gluten free cookies", + "gluten free cookies cookies in chocolate flavor", + "gluten free cookies, chocolate flavor", + "gluten-free cookies in chocolate flavor", + "gluten free cookies chocolate flavor", + "gluten free cookies that are chocolate flavor", + "gluten free cookies with chocolate flavor", + "gluten free cookies that are gluten free" + ], + "i need a futon and chaise set that is made with faux leather. and i would prefer the navy linen color": [ + " futon and chaise set made with faux leather", + "fogon and chaise set made with faux leather", + "furniture and chaise set made with faux leather", + " futon and chaise set that is made with faux leather", + "navy linen futon and chaise set", + "faux leather futon and chaise set", + "porton and chaise set made with faux leather", + "stainless leather futon and chaise set", + "furniture set made with faux leather", + "faux leather futon and chaise set, navy linen" + ], + "i am looking for teeth whitening toothpaste.": [ + "teeth whitening toothpaste", + "toothpaste teeth whitening", + "toothpaste teeth whitening teeth", + " teeth whitening toothpaste", + "teeth whitening toothpaste.", + "toothpaste teeth whitening toothpaste", + "teeth whitening toothpaste no fluoride", + "teeth whitening teethpaste", + "toothpaste no fluoride", + "toothpaste" + ], + "i am looking for a small low rise briefs for men.": [ + "small low rise briefs for men", + "small low rise briefs for men.", + "small low rise briefs for men under $40", + "small low rise briefs for men under $50", + "small low rise briefs for men under $60", + "small low rise briefs for men under 50 dollars", + "small low rise briefs for men under 30 dollars", + "small low rise briefs for men under 40 dollars", + "small low rise briefs for men below $40", + "small low rise briefs for men," + ], + "in hunt for an anti-perspirant deodorant that fights underarm problems in a 40ml size, alcohol free made by the belo essentials in the beauty & personal care aisle.": [ + "anti-perspirant deodorant 40ml", + "anti-perspirant deodorant 40ml underarm", + "anti-perspirant deodorant 40ml size", + "anti-perspirant deodorant underarm", + "anti-perspirant deodorant 40ml size underarm", + "anti-perspirant deodorant 40ml, alcohol free", + "anti-perspirant deodorant 40ml below $40", + "anti-perspirant deodorant 40ml natural", + "anti-perspirant deodorant 40ml underarm products", + "anti-perspirant deodorant" + ], + "i am looking for some blue daily casual jumpsuits that are a medium size.": [ + "blue daily casual jumpsuits", + "blue daily casual jumpsuits, medium size", + "blue daily casual jumpsuits a medium size", + "blue daily casual jumpsuits, medium", + "blue daily casual jumpsuits under $40", + "blue daily casual jumpsuit", + "blue daily casual jumpsuits under $50", + "blue daily casual jumpsuits medium", + "blue daily casual jumpsuits in a medium", + "blue daily casual jumpsuits medium size" + ], + "i am looking for a digital coax cable + connector n-female to n-female.": [ + "digital coax cable + connector n-female", + "digital coax cable + connector n-female to n-male", + "digital coax cable + connector n-female to n-day", + "digital coax cable with connector n-female", + "digital coax cable + connector n-female to n-boy", + "digital coax cable and connector n-female", + "digital cable + connector n-female", + "digital coax cable + connector n-female to n-l", + "digital coax cable to n-female", + "digital coax cable n-female" + ], + "i am looking for coffee gift trunk with gift basket": [ + "coffee gift trunk with gift basket", + "coffee gift trunk", + "ffee gift trunk with gift basket", + "cupcake gift trunk with gift basket", + "coffee gift trunk with gift basket coffee gift", + "coffee gift trunk, gift basket", + "coffee gift trunk with gift basket", + "toffee gift trunk with gift basket", + " coffee gift trunk with gift basket", + "ffee gift trunk" + ], + "can i get an easy use gneric children\u2019s u-shape toothbrush c-green color": [ + "kids toothbrush c-green", + "kids\u2019s u-shape toothbrush c-green", + "easy use gneric children\u2019s u-shape toothbrush", + "kids\u2019s u-shape toothbrush c-green color", + "gneric children\u2019s u-shape toothbrush", + "kids teethbrush c-green", + "kids toothbrush c-green easy to use", + "kids toothbrush c-green easy use gneric", + "kids toothbrush c-green easy use", + "kids toothbrush c-green color" + ], + "i'm going to travel and i want this u-shaped toothbrush for kids, 2-6t, easy to use, i need it urgently.": [ + "u-shaped toothbrush for kids 2-6t", + "u-shaped toothbrush for kids, 2-6t", + "us-shaped toothbrush for kids 2-6t", + "ub-shaped toothbrush for kids 2-6t", + "duckbrush for kids 2-6t", + "u-shaped toothbrush 2-6t", + "kids toothbrush 2-6t", + "toothbrush for kids 2-6t", + "u-shaped toothbrush for kids", + "u-shaped toothbrush" + ], + "get me a large sized machine washable women's v neck printed top made with polyester spandex and in 2 red-103 color.": [ + "large sized machine washable womens v neck printed top made with polyester spandex", + "womens v neck printed top made with polyester spandex in 2 red-103 color", + "womens v neck printed top made with polyester spandex and in 2 red-103 color", + "womens v neck printed top made with polyester spandex", + "womens v neck printed top made with polyester spandex 2 red-103 color", + "large sized machine washable womens v neck printed top in 2 red-103 color", + "large sized machine washable womens v neck print top made with polyester spandex", + "womens v neck printed top made with polyester spandex, 2 red-103 color", + "large sized machine washable womens v neck printed top with polyester spandex", + "womens v neck printed top made with polyester spandex, 2 red-103 color," + ], + "i am searching for space saving brown ottoman for living room, that should have the size 17x13x13 inches": [ + "black ottoman 17x13x13 inches", + "space saving brown ottoman 17x13x13 inches", + "living room brown ottoman 17x13x13 inches", + "grey ottoman 17x13x13 inches", + "white ottoman 17x13x13 inches", + "23x13x13 inches brown ottoman", + "18x13x13 inches brown ottoman", + "17x13x13 inches brown ottoman", + "23x13x13 inches brown ottoman for living room", + "18x13x13 inches brown ottoman for living room" + ], + "i am looking for a tempered glass screen protector smartwatch cases": [ + "tempered glass screen protector smartwatch cases", + "tempered glass screen protector smartwatch case", + "tempered glass screen protector smartwatch", + " tempered glass screen protector smartwatch cases", + " tempered glass screen protector smartwatch case", + "tempered glass smartwatch cases", + "glass screen protector smartwatch cases", + "tempered glass smartwatch case", + "window protector smartwatch cases", + "window protector smartwatch case" + ], + "i'm looking for a jar candle that's eco friendly, lasts a long time, and comes in a citrus scent. look for soy wax candles in a pack of two.": [ + "mason candle eco friendly", + "m jar candle eco friendly", + "a jar candle eco friendly", + " jar candle eco friendly with citrus scent", + "moisturizer candle eco friendly", + "bar candle eco friendly with citrus scent", + "bottle candle eco friendly", + "bar candle eco friendly", + "moisturizing jar candle", + " jar candle eco friendly" + ], + "i'm looking for ultra hd plug play maxwhite color.": [ + " ultra hd plug play maxwhite color", + "ultra hd plug play maxwhite color", + "extra hd plug play maxwhite color", + " ultra hd plug play maxwhite color.", + " ultra hd plug play maxwhite", + " ultra hd plug play in maxwhite color", + " ultra hd plug play with maxwhite color", + "pure white ultra hd plug play", + " ultra hd plug play maxwhite color,", + " ultra hd plug play black" + ], + "i need a plug and play spectrum projector screen that is white or black.": [ + "plug and play spectrum projector screen that is white or black", + "plug and play spectrum projector screen white or black", + "white or black plug and play spectrum projector screen", + " plug and play spectrum projector screen that is white or black", + "pink and play spectrum projector screen white or black", + "white and black plug and play spectrum projector screen", + "power and play spectrum projector screen white or black", + "white or black black plug and play spectrum projector screen", + "black plug and play spectrum projector screen", + "white or black plug and play spectrum projector screen," + ], + "i am looking for a non slip and easy to carry tripod for my camera.": [ + "non slip tripod", + "non slip tripod for camera", + "non slip tripod for my camera", + "non slip tripod for photography", + "non slip tripod for a camera", + "non slip camera tripod", + "non slip easy to carry tripod", + "easy to carry tripod for camera", + "non slip tripod under $50", + "non slip tripod camera" + ], + "i am looking for style-10 color wall art for my living room.": [ + "style-10 color wall art", + "style-10 color wall art for my living room", + "style-10 color wall art for the living room", + "style-10 color wall art in my living room", + "style-10 color wall art for a living room", + "style-10 color wall art for living room", + "style-10 color wall art living room", + "style-10 color wall art, living room", + "style-10 color wall art in a living room", + "style 10 color wall art for my living room" + ], + "i would like a pair of size 10.5 steel toe hiking boots.": [ + "steel toe hiking boots size 10.5", + "pair of size 10.5 steel toe hiking boots", + "size 10.5 steel toe hiking boots", + "steel toe hiking boots in a size 10.5", + "womens hiking boots size 10.5", + "steel toe hiking boots, size 10.5", + "walking boots size 10.5 steel toe hiking boots", + "steel toe hiking boots in size 10.5", + "steel toe hiking boots", + "size 10.5 steel toe hiking boots." + ], + "i am looking for a x large men's sweatpants for daily wear and color should be gray": [ + "x large mens sweatpants", + "x large mens sweatpants for daily wear", + "x large mens sweatpants that are gray", + "x large mens sweatpants, gray", + "x large mens sweatpants in gray", + " x large mens sweatpants", + "womens sweatpants x large gray", + "x large mens sweatpants with gray", + " x large mens sweatpants for daily wear", + "womens sweatpants" + ], + "i want to buy a facial scrub that is apricot scented, oil-free dermatology tested and comes in 6 oz bottle.": [ + "articot scented, oil-free dermatology tested and comes in 6 oz bottle", + "an apricot scented, oil-free dermatology tested and comes in 6 oz bottle", + "an apricot scented, oil-free dermatology tested facial scrub", + "an apricot scented, oil-free dermatology tested facial scrub, 6 oz bottle", + "an apricot scented, oil-free dermatology tested facial scrub in 6 oz bottle", + "articot scented, oil-free dermatology tested facial scrub 6 oz bottle", + "articot scented, oil-free dermatology tested and comes in 6 oz bottle.", + "articot scented facial scrub 6 oz bottle", + "articot scented, oil-free dermatology tested facial scrub", + "articot scented dermatology tested facial scrub 6 oz bottle" + ], + "i would like a quad core desktop tower.": [ + "quad core desktop tower", + "quad core desktop tower.", + "quad core desktop tower under $130", + "quad core desktop tower,", + "quad core desktop tower under $120", + "quad core desktop tower under $50", + "quad core desktop tower in a quad", + " quad core desktop tower", + "desktop tower quad core", + "desktop tower" + ], + "i would like a olive 18.5\" neck 35\" sleeve dress shirt that i can machine wash .": [ + " olive 18.5 neck 35 sleeve dress shirt that i can machine wash", + " olive 18.5 neck 35 sleeve dress shirt", + "olive 18.5 neck 35 sleeve dress shirt that i can machine wash", + "a olive 18.5 neck 35 sleeve dress shirt that i can machine wash", + "al olive 18.5 neck 35 sleeve dress shirt that i can machine wash", + "aleo 18.5 neck 35 sleeve dress shirt that i can machine wash", + " olive 18.5 neck 35 sleeve dress shirt that i can machine wash .", + "oatmeal 18.5 neck 35 sleeve dress shirt that i can machine wash", + " olive 18.5 neck 35 sleeve dress shirt that i can machine wash,", + "olive 18.5 neck 35 sleeve dress shirt" + ], + "i am looking for a light ash brown mix bleach blonde hair extensions for wigs": [ + "light ash brown mix bleach blonde hair extensions", + "light ash brown mix bleach blonde wig extensions", + "light ash brown mix bleach blonde wig extension", + "light ash brown mix bleach blonde hair extension", + "light ash brown blend bleach blonde hair extensions", + "light ash brown mix bleach blonde wig", + "light ash brown blend bleach blonde wig extensions", + "light ash brown bleach blonde hair extensions", + "light ash brown wig extensions", + "light ash brown hair extensions" + ], + "i want dark black clip-in hair extensions. it should be 17\" in size when curly.": [ + "dark black clip-in hair extensions 17 in size", + "dark black clip-in hair extensions", + "dark black clip-in hair extensions 17", + "dark black clip-in hair extension", + "dark black clip-in hair extension 17 in size", + "dark black clip-in hair extensions 17 x 17", + "dark black clip-in hair extensions 17in size", + "dark black clip-in hair extensions 17 inches", + "dark black clip-in hair extensions 17 inches long", + "dark black clip-in hair extensions 17 ft long" + ], + "i'm looking for a transparent pendant light that comes with 15light": [ + "15light pendant light", + "10light pendant light", + "16light pendant light", + "pendant light with 15light", + "20light pendant light", + "15light transparent pendant light", + "14light pendant light", + "12light pendant light", + "pendant light", + "window pendant light" + ], + "get me some vintage cupcake picks for a birthday party. it should be in black with a 1992 theme.": [ + "cupcake picks for a baby shower in black with a 1992 theme", + "pink cupcake picks for a baby shower in black with a 1992 theme", + "pink cupcake picks for a baby shower with a 1992 theme", + "vintage cupcake picks for a baby shower in black with a 1992 theme", + "pink cupcake picks for a baby shower with a 1992 theme.", + "pink cupcake picks for a baby shower", + "pink cupcake picks for a baby shower in black with a 1992 theme.", + "cupcake picks for a baby shower in black with a 1992 theme.", + "vintage cupcake picks for a baby shower in black with a 1992 theme.", + "vintage cupcake picks for a baby shower with a 1992 theme." + ], + "i am looking for certified organic herbal tea which is caffeine free.": [ + "certified organic herbal tea which is caffeine free", + "certified organic herbal tea", + "certified organic herbal tea that is caffeine free", + "certified organic herbal tea, caffeine free", + "a certified organic herbal tea which is caffeine free", + "caffe free herbal tea", + "natural herbal tea that is caffeine free", + "certified organic herbal tea with caffeine free", + "certified organic herbal tea tea", + "certified organic herbal tea with caffeine" + ], + "find me a grain free, non gmo, and gluten free cake mix bundle with chocolate chip cookie flavor.": [ + "gluten free cake mix bundle with chocolate chip cookie flavor", + "gluten free, non gmo, gluten free cake mix bundle", + "gluten free, non gmo and gluten free cake mix bundle", + "gluten free, non gmo gluten free cake mix bundle", + "gluten free, non gmo, chocolate chip cookie mix bundle", + "gluten free chocolate chip cookie mix bundle", + "gluten free, non gmo cake mix bundle", + "rain free, non gmo, gluten free cake mix bundle", + "gluten free cake mix bundle", + "gluten free and gluten free cake mix bundle" + ], + "i want a medium sized classic fit men's shirt that is white in color.": [ + "medium sized classic fit mens shirt white", + "medium sized white mens shirt", + "medium sized classic fit mens shirt", + "medium size classic fit mens shirt white", + "medium sized mens shirt white", + "medium sized mens shirt that is white", + "medium size white mens shirt", + "medium t-shirt white", + "white mens shirt", + "medium white mens shirt" + ], + "i want some low fat pretzel sticks.": [ + "low fat pretzel sticks", + "low fat pretzel sticks under $40", + "low fat pretzel sticks under $50", + "low fat pretzel sticks under $60", + "low fat pretzel sticks.", + "low fat pretzel sticks under 50 dollars", + "low fat pretzel sticks under 40 dollars", + "low fat pretzel sticks under 30 dollars", + "low fat pretzel sticks under 60 dollars", + "low fat pretzel sticks below $40" + ], + "i'm looking for home decor products for home accessories.": [ + "home decor products for home accessories", + "home decor products for home accessories.", + "home decor products", + "home decor products for home accessories under $40", + "home decor products for home accessories under $50", + "home decor products for home accessories under $60", + "home decor products for home accessories under 50 dollars", + "home decor products for home accessories under 30 dollars", + "home decor products for home accessories under 40 dollars", + "home decor products for home accessories " + ], + "i am looking for multi colored glass window film that is eco friendly. the installation process should be easy as well.": [ + "multi colored glass window film that is eco friendly", + "multi colored glass window film", + " multi colored glass window film that is eco friendly", + "window film that is eco friendly", + "Multi colored glass window film that is eco friendly", + "single colored glass window film that is eco friendly", + "multi colored glass window film, eco friendly", + " multi colored glass window film", + "multi colored glass window film, easy to install", + "single colored glass window film" + ], + "i'm looking for oral care for seed oiul.": [ + "oral care for seed oiul", + "oral care for seed oiul.", + "oral care oiul", + "oral care oiul oral care", + "oral care for seed oiul,", + "oral care oiul.", + " oral care for seed oiul", + "oral care of seed oiul", + "oral care seed oiul", + "oral care plant oiul" + ], + "i\u2019m looking for a wireless headset with microphone , water proof, foldable bluetooth earphones": [ + "womens wireless headset with microphone", + "wireless headset with microphone", + "wireless headset with microphone , water proof", + "wireless headset with microphone, water proof", + "womens wireless headset", + "womens wireless headset with microphone waterproof", + "wireless headset with microphone waterproof", + " wireless headset with microphone", + "alarm wireless headset with microphone", + "phone headset with microphone" + ], + "i'm looking for a victorian bed frame, twin queen size with storage space.": [ + "contorian bed frame twin queen size with storage space", + "contorian bed frame twin queen size", + "victorian bed frame twin queen size with storage space", + "victorian bed frame twin queen size", + "victorian bed frame, twin queen size", + "contorian bed frame, twin queen size", + " victorian bed frame twin queen size with storage space", + "twin queen size with storage space", + " victorian bed frame twin queen size", + "a victorian bed frame, twin queen size" + ], + "i'm looking for rubber sole shoes for men women. it is easy to use.": [ + "rubber sole shoes for men women", + "rubber sole shoes for men", + "rubber sole shoes for women", + "woman rubber sole shoes for men", + "rubber sole shoes for men woman", + "rubber sole shoes men women", + "woman rubber sole shoes for men women", + "woman rubber sole shoes", + "roof sole shoes for men women", + "men rubber sole shoes" + ], + "i am looking for a star wars the mandalorian t-shirt which is machine washable and is in the baby blue color.": [ + "baby blue star wars t-shirt", + "the mandalorian t-shirt, machine washable, baby blue", + "baby blue t-shirt that is machine washable", + "knee washable baby blue t-shirt", + "the mandalorian t-shirt which is machine washable", + "a star wars the mandalorian t-shirt", + "the mandalorian t-shirt in baby blue", + "man washable baby blue t-shirt", + "baby blue t-shirt", + "knee washable baby blue" + ], + "i would like a black 5xl tunic with short sleeves.": [ + "black 5xl tunic with short sleeves", + "black 5xl tunic short sleeves", + "black 5xl tunic", + "black 5xl tunic, short sleeves", + "black 5xl tunic long sleeves", + "black 5xl tunic with short sleeves.", + "black 5 xl tunic with short sleeves", + "black 5xl tunic no short sleeves", + "a black 5xl tunic with short sleeves", + "5xl tunic with short sleeves" + ], + "i ma looking for a wireless charging flip cases of midnight green color.": [ + "i ma looking for a wireless charging flip cases of midnight green color.", + "i ma looking for a wireless charging flip cases of midnight green color, and price lower than 50.00 dollars", + "i ma looking for a wireless charging flip cases of midnight green color.", + "i ma looking for a wireless charging flip cases of midnight green color, and price lower than 40.00 dollars", + "i ma looking for a wireless charging flip cases of midnight green color, and price lower than 120.00 dollars", + "i ma looking for a wireless charging flip cases of midnight green color, and price lower than 30.00 dollars", + "i ma looking for a wireless charging flip cases of midnight green color, and price lower than 60.00 dollars", + "i ma looking for a wireless charging flip cases of midnight green color, and price lower than 140.00 dollars", + "i ma looking for a wireless charging flip cases of midnight green color, and price lower than 20.00 dollars", + "i ma looking for a wireless charging flip cases of midnight green color, and price lower than 100.00 dollars" + ], + "i want dailywear long sleeves big shirt with 20\" neck and 34\" sleeve. the color should be lavender 012(pink)": [ + "day long sleeves big shirt with 20 neck and 34 sleeve", + "daring long sleeves big shirt with 20 neck and 34 sleeve", + "big shirt with 20 neck and 34 sleeve", + " dailywear long sleeves big shirt with 20 neck and 34 sleeve", + "dailywear long sleeves big shirt with 20 neck and 34 sleeve", + "long sleeves big shirt with 20 neck and 34 sleeve", + "daring long sleeves big shirt with 20 neck and 34 sleeve color", + " dailywear long sleeves big shirt with 20 neck and 34 sleeve color", + "large shirt with 20 neck and 34 sleeve", + "t-shirt with 20 neck and 34 sleeve" + ], + "i would like a 66 inch matte black lamp floor lamp for my living room. i would also like a remote for the lamp.": [ + "66 inch matte black lamp floor lamp", + "67 inch matte black lamp floor lamp", + " 66 inch matte black lamp floor lamp", + "64 inch matte black lamp floor lamp", + "71 inch matte black lamp floor lamp", + "68 inch matte black lamp floor lamp", + "floor lamp 66 inches matte black", + "projection lamp 66 inch", + "projection lamp 66 inches", + "projection lamp 66 inches high" + ], + "i am looking for a 1.6 ounce (pack of 6) of cookies which is low carb, high protein, low sugar and gluten free.": [ + "1.6 ounce (pack of 6) of cookies", + "1.6 ounce (pack of 6) of cookies sugar free", + "1.6 ounce (pack of 6) of cookies gluten free", + "one.6 ounce (pack of 6) of cookies", + "2.6 ounce (pack of 6) of cookies", + "1.6 ounce (pack of 6) of cookies", + "1.6 ounce (pack of 6) cookies", + "pack of 6 cookies low carb and gluten free", + "pack of 6 cookies low carb high protein", + "pack of 6 cookies" + ], + "i want low carb chipmonk keto lemon poppyseed cookies.": [ + "low carb chipmonk keto lemon poppyseed cookies", + "low carb keto lemon poppyseed cookies", + "low carb chipmonk keto lemon poppyseed cookies under $40", + "low carb chipmonk keto lemon poppyseed cookies.", + "low carb chipmonk keto lemon poppyseed cookies under $50", + "low carb chipmonk keto lemon poppyseed cookies under $60", + "low carb chipmonk keto lemon poppyseed cookies below $40", + "low carb chipmonk keto lemon poppyseed cookies under 50 dollars", + "low carb chipmonk keto lemon poppyseed cookies below $50", + "chocolate chipmonk keto lemon poppyseed cookies" + ], + "order for me a walnut computer desk 39.4 inches made of a solid wood and easy to clean.": [ + "womens computer desk 39.4 inches made of a solid wood", + "womens computer desk 39.4 inches made of a solid wood and easy to clean", + "woolnut computer desk 39.4 inches made of a solid wood", + "woolnut computer desk 39.4 inches made of a solid wood and easy to clean", + "womens computer desk 39.4 inches made of a solid wood and easy to clean.", + "a walnut computer desk 39.4 inches made of a solid wood and easy to clean.", + "a walnut computer desk 39.4 inches made of a solid wood and easy to clean", + "woolnut computer desk 39.4 inches made of a solid wood and easy to clean.", + "a walnut computer desk 39.4 inches made of a solid wood", + "work desk 39.4 inches made of a solid wood" + ], + "i am looking for a large size nylon spandex breathable underwear with elastic waistband .": [ + "large size nylon spandex breathable underwear", + "nylon spandex breathable underwear with elastic waistband", + "nylon spandex breathable underwear", + "nude spandex breathable underwear with elastic waistband", + "large size nylon spandex breathable underwear under $40", + "large size nylon spandex breathable underwear under $50", + "navy spandex breathable underwear with elastic waistband", + "large size nylon spandex breathable underwear under $60", + "nude spandex breathable underwear", + "bagel breathable underwear" + ], + "i'm looking for a heavy duty table pads made of ecofriendly materials and also easy to clean for dining room. also, choose 48*60 inch in size new version clear 1.5 mm one.": [ + "heavy duty table pads made of ecofriendly materials", + "tablet pads made of ecofriendly materials", + "table pads made of ecofriendly materials", + "intensive duty table pads made of ecofriendly materials", + "heavy duty table pads made of eco friendly materials", + "heavy duty table pads", + "heavy duty table pad made of ecofriendly materials", + "table pad made of ecofriendly materials", + "heavy duty table pads for dining room", + "heavy duty table pads in ecofriendly materials" + ], + "i am looking for a 1 pack of high speed hdmi cables.": [ + "1 pack of high speed hdmi cables", + "1 pack of hdmi cables", + "1 pack high speed hdmi cables", + "1 pack hdmi cables", + "one pack of high speed hdmi cables", + "high speed hdmi cables", + "1 pack of high speed hdmi cable", + "hdmi cables 1 pack", + "high speed hdmi cables 1 pack", + "pack of high speed hdmi cables" + ], + "i need to buy two dozen individually wrapped gourmet cookies.": [ + "two dozen individually wrapped gourmet cookies", + "two dozen individually wrapped gourmet cookies.", + "two dozen individually wrapped gourmet cookies under $50", + "two dozen individually wrapped gourmet cookies under $40", + "two dozen individually wrapped gourmet cookies under $60", + "two dozen individually wrapped gourmet cookies under 30 dollars", + "two dozen individually wrapped gourmet cookies under 40 dollars", + "two dozen individually wrapped gourmet cookies under 50 dollars", + "two dozen individually wrapped gourmet cookies under 120 dollars", + "two dozen individually wrapped gourmet cookies," + ], + "i am looking for a non gmo gluten free spicy salad dressing ketchup": [ + "non gmo gluten free spicy salad dressing ketchup", + "non gmo gluten free spicy salad dressing ketchup", + "non gmo gluten free sashimi salad dressing ketchup", + "non gmo gluten free sizzling salad dressing ketchup", + "non gmo gluten free salad dressing ketchup", + "gluten free spicy salad dressing ketchup", + "gluten free spicy salad dressing ketchup", + "non gmo gluten free szechate salad dressing ketchup", + "non gmo gluten free pomegranate salad dressing", + "non gmo gluten free" + ], + "i'm looking for hair extensions for hair loss for dark blonde.": [ + "dark blonde hair extensions", + "dark blonde hair extensions for hair loss", + "dark blonde wig extensions", + "dark blonde hair extension", + "hair extensions for hair loss dark blonde", + "hair extensions for dark blonde", + "hair extensions dark blonde", + "dark blonde hair extensions, hair extensions", + "dark blonde hair extensions under $50", + "dark blonde hair extensions under $40" + ], + "i am looking for fluoride free and sulfate free toothpaste. please choose spearmint flavor..": [ + "fluoride free and sulfate free toothpaste", + "fluoride free and sulfate free toothpaste under $40", + "fluoride free and sulfate free toothpaste under $60", + "fluoride free and sulfate free toothpaste under $50", + "fluoride free and sulfate free toothpaste under 50 dollars", + "fluoride free and sulfate free toothpaste under 40 dollars", + "fluoride free and sulfate free toothpaste under 30 dollars", + "fluoride free and sulfate free toothpaste under 60 dollars", + "fluoride free toothpaste spearmint flavor", + "fluoride free oralpaste spearmint flavor" + ], + "i am looking for a long lasting parfume gift set": [ + "long lasting parfume gift set", + "a long lasting parfume gift set", + "lens parfume gift set", + "lens long lasting parfume gift set", + "parfume gift set", + "living parfume gift set", + "pink parfume gift set", + "short lasting parfume gift set", + "parfume gift set long lasting", + "psfume gift set" + ], + "i would like a sugar free bottle of syrup.": [ + "sugar free bottle of syrup", + "sugar free bottle of syrup under $40", + "sugar free bottle of syrup under $50", + "sugar free bottle of syrup under $60", + "sugar free bottle of syrup.", + "sugar free bottle of syrup under 50 dollars", + "sugar free bottle of syrup below $40", + "sugar free bottle of syrup under 30 dollars", + "sugar free bottle of syrup below $50", + "sugar free bottle of syrup under 40 dollars" + ], + "i looking yoga day classic fit ,machine wash ,heathers cotten women t-shirt color:royal blue size 3t": [ + "yoga day classic fit ,machine wash ,heathers cotten women t-shirt", + "yoga day classic fit ,machine wash ,heathers cotten women t-shirt size 3t", + "yoga day classic fit ,machine wash ,heathers cotten women t-shirt 3t", + "yoga day classic fit ,machine wash ,heathers cotten women t-shirt, color 3t", + "man yoga day classic fit ,machine wash ,heathers cotten women t-shirt", + "yoga day classic fit ,machine wash , heathers cotten women t-shirt", + "yoga day classic fit ,machine wash ,heathers cotten", + "yoga day classic fit men t-shirt", + "yoga day classic fit men t-shirt 3t", + "yoga day classic fit women t-shirt" + ], + "i'm looking for computer accessories it was silver in color.": [ + "silver computer accessories", + "silver computer accessories under $40", + "silver computer accessories silver", + "silver in color computer accessories", + "silver computer accessories under $50", + "silver computer accessories it was silver", + "silver computer accessories in color", + "silver computer accessories under $60", + "silver computer accessories it is silver", + "silver color computer accessories" + ], + "i need a five by four foot light weight, easy to carry background for digital photography.": [ + "5 by four foot light weight digital photography", + "5 by 4 foot light weight digital photography", + "5 x 4 foot light weight digital photography", + "five by four foot light weight digital photography", + "light weight five by four foot digital photography", + "5 by four foot light weight camera", + "5 by 4 foot light weight camera", + "5 by four foot light weight photography", + "5 by 4 foot light weight photography", + "5 by four foot light weight camera tripod" + ], + "i am looking for 3 piece decorative quilted bedspread set with 2 pillow shams of violet color, that is fit for queen size bed.": [ + "3 piece decorative quilted bedspread", + "3 piece decorative quilted bedspread set with 2 pillow shams", + "3 piece decorative quilted bedspread set", + "3 piece decorative quilted bedspread, queen size bed", + "3 piece decorative quilted bedspread with 2 pillow shams", + "3 piece decorative quilted bedspread,", + "comfortable queen size bedspread", + "blue queen size bedspread 3 piece", + "daring queen size bedspread", + "blue queen size bedspread" + ], + "i am looking for a fully assembled twin box spring and mattress set in king size": [ + "twin box spring and mattress set in king size", + "twin box spring mattress set in king size", + "king size twin box spring and mattress set in king", + "tunnel spring and mattress set in king size", + "living room twin box spring mattress set in king size", + "king size twin box spring mattress set in king size", + "twin box spring and mattress set in king", + "living room twin box spring and mattress set in king", + "king size twin box spring", + "twin box spring" + ], + "i'm looking for travel laundry bag it will use for travel usage.": [ + "travel laundry bag for travel", + "tourist laundry bag for travel", + "pink travel laundry bag for travel", + "moisturizing travel laundry bag", + "temporary travel laundry bag for travel", + "temporary travel laundry bag", + "travel laundry bag", + "tourist laundry bag", + "pink travel laundry bag", + "tourist laundry bag travel" + ], + "langwolf kids camera, 1080p hd digital camera with 32gb sd card, kids selfie video camera for 3 4 5 6 7 8 9 year olds boys tell me the best option of digital camera hd1080p with an sd card with at least 32gb for boys and girls in the range of 3 to 9 years. i saw a \"langwolf\" brand on tv. send me her features.": [ + "langwolf kids camera with 32gb sd card", + "langwolf kids camera hd1080p with 32gb", + "langwolf kids camera with 32gb", + "langwolf kids camera hd1080p", + "langwolf kids camera", + "langwolf kids camera, 1080p hd digital camera", + "langwolf kids camera, 32gb sd card", + "langwolf kids camera hd1080p with 32gb camera", + "llangwolf kids camera with 32gb sd card", + "langwolf kids camera camera with 32gb" + ], + "i'm looking for a ottoman 6 seater sofa.": [ + "oatmeal 6 seater sofa", + "oatoman 6 seater sofa", + "oatmeal 6 seater sofa ottoman", + " ottoman 6 seater sofa", + "oatmeal 6 seater sofa.", + "ottoman 6 seater sofa", + "oatoman 6 seater sofa ottoman", + "oatoman 6 seater sofa.", + " ottoman 6 seater sofa.", + "oatmeal 6 seater sofa under $120" + ], + "i am looking for a sunstone color eyeshadow with paraben free non toxic": [ + "sunstone color eyeshadow with paraben free", + "sunstone color eyeshadow", + "sunstone color eyeshadow paraben free", + "sunstone color eyeshadow that is paraben free", + "sunstone color eyeshadow, paraben free", + " sunstone color eyeshadow with paraben free", + "suntan stone eyeshadow with paraben free", + "sunstone color eyeshadow no toxic", + "suntanstone color eyeshadow", + "shadow with paraben free non toxic" + ], + "i'm looking for gypsy amber eyeshadow.": [ + "gpsy amber eyeshadow", + "gypsy amber eyeshadow", + "synthetic amber eyeshadow", + "Gypsy amber eyeshadow", + "gpsy amber eyeshadow.", + "yogpsy amber eyeshadow", + "ogpsy amber eyeshadow", + "psypsy amber eyeshadow", + " gypsy amber eyeshadow", + "gypsy amber eyeshadow." + ], + "i need king size, machine washable, super soft duvet cover set in multi 41 color.": [ + "king size, machine washable, super soft duvet cover", + "king size machine washable super soft duvet cover set in multi 41 color", + "king size super soft duvet cover set in multi 41 color", + "king size, machine washable, super soft duvet cover under $40", + "king size, machine washable super soft duvet cover, multi 41 color", + "king size human soft duvet cover set in multi 41 color", + "king size, machine washable super soft duvet cover", + "king size, multi 41 color duvet cover", + "super soft duvet cover set in multi 41 color", + "king size machine washable super soft duvet cover" + ], + "i want a twin size and machine washable feelyou blue rose floral duvet cover.": [ + "twin size and machine washable feelyou blue rose floral duvet cover", + "twin size machine washable feelyou blue rose floral duvet cover", + "twins size and machine washable feelyou blue rose floral duvet cover", + "twin size woman washable feelyou blue rose floral duvet cover", + " twin size and machine washable feelyou blue rose floral duvet cover", + "twin size floral duvet cover", + "womens washable feelyou blue rose floral duvet cover", + "twin size and machine washable feelyoublue rose floral duvet cover", + "twin size and machine washable feelyou blue rose floral duvet", + "twin size and machine washable feelyou floral duvet cover" + ], + "need me an electric blue, gluten free cake color gel, 1.06 ounces": [ + "electric blue gluten free cake color gel, 1.06 ounces", + "electric blue gluten free cake color gel 1.06 ounces", + "electric blue gluten free cake color gel", + "electric blue gluten free cake color gel, 1.06 oz", + "electric blue gluten free cake color gel 1.06 oz", + "electric blue, gluten free cake color gel 1.06 ounces", + "electric blue gluten free cake color gel in 1.06 ounces", + "electric blue gluten free cake color gel 1.06 ounces", + "electric blue gluten free cake color gel 2.06 ounces", + "electric blue gluten free cake color" + ], + "i am looking for a black power dental flossers for bad breath": [ + "black power dental flossers for bad breath", + "black power dental flossers", + "black power dental flossers with bad breath", + "black power dental flossers bad breath", + "black power dental flossers that are bad breath", + "black power dental flossers, bad breath", + "black power dental flossers for bad breath,", + "black power dental flossers in bad breath", + "white dental flossers for bad breath", + "black dental flossers for bad breath" + ], + "find me a case with tempered glass for apple watch 45mm color variety": [ + "case with tempered glass apple watch 45mm color variety", + "case with tempered glass apple watch 45mm color", + "pack of tempered glass apple watch 45mm color variety", + "pack with tempered glass apple watch 45mm color variety", + "case with tempered glass for apple watch 45mm color", + "cases with tempered glass apple watch 45mm color variety", + "pack of tempered glass apple watch 45mm color", + "apple watch 45mm case with tempered glass", + "case with tempered glass apple watch 45mm", + "tempered glass apple watch 45mm case" + ], + "i need a deep chestnut brown hair dye that is permanent.": [ + "deep chestnut brown hair dye", + "deep chestnut brown hair dye that is permanent", + "deep chestnut brown hair dye, permanent", + "deep chestnut brown hair dye permanent", + "Deep chestnut brown hair dye that is permanent", + "Deep chestnut brown hair dye", + " deep chestnut brown hair dye that is permanent", + "deep chestnut brown hair dye under $40", + "deep chestnut brown hair dye under $50", + "permanent chestnut brown hair dye" + ], + "i need a dark brown permanent hair dye. it should be easy to use.": [ + "dark brown permanent hair dye", + "dark brown permanent hair dye, easy to use", + "dark brown permanent hair dye easy to use", + "dark brown permanent hair dye under $40", + "dark brown permanent hair dye easy to use", + "dark brown permanent hair dye under $50", + "dark brown permanent hair dye under $60", + "dark brown permanent hair dye under 50 dollars", + "dark brown permanent hair dye under 30 dollars", + "dark brown permanent hair dye easy to use." + ], + "i am looking for modern high performance 3-way tower speaker, it should have left & right pair d17 speaker (black)": [ + "modern high performance 3-way tower speaker with d17 speaker (black)", + "modern high performance 3-way tower speaker with a d17 speaker (black)", + "modern high performance 3-way tower speaker d17 speaker (black)", + "living high performance 3-way tower speaker with d17 speaker (black)", + "Modern high performance 3-way tower speaker with d17 speaker (black)", + "modern high performance 3-way tower speaker with d17 speaker", + "modern high performance 3-way tower speaker with d17 speaker (black) modern high performance", + "modern high performance 3-way tower speaker", + "modern high performance 3-way tower speaker with d17 speaker (black), modern high performance", + "modern high performance 3-way tower speaker with left & right pair d17 speaker" + ], + "i'm looking for d17(dedicated right, back) high performance 3-way tower speaker made with carbon fiber": [ + "d17(dedicated right, back) high performance 3-way tower speaker made with carbon fiber", + "d17 (dedicated right, back) high performance 3-way tower speaker made with carbon fiber", + "d17(dedicated right, back) high performance 3-way tower speaker", + "d17(dedicated right, back) high performance 3-way tower speaker with carbon fiber", + "d17(dedicated right, back) high performance 3-way tower speakers made with carbon fiber", + "dedicated right, back) high performance 3-way tower speaker made with carbon fiber", + "3-way tower speaker made with carbon fiber", + "d17(dedicated right, back) high performance 3-way radio speaker made with carbon fiber", + "high performance 3-way tower speaker made with carbon fiber", + "3-way tower speaker made with carbon fiber d17" + ], + "i would like a large pair of multicolored boxer briefs that are machine washable.": [ + "multicolored boxer briefs machine washable", + "multicolored boxer briefs that are machine washable", + "multicolored boxer briefs", + "large pair of multicolored boxer briefs", + "multicolored boxer briefs, machine washable", + "multicolored boxer briefs with machine washable", + "multicolored boxer briefs which are machine washable", + "multicolored boxer briefs machine washable.", + "multicolored boxer briefs in machine washable", + "magnified boxer briefs machine washable" + ], + "i am looking for a long lasting eau de parfum": [ + "eau de parfum", + "long lasting eau de parfum", + "eau de parfum long lasting", + "a long lasting eau de parfum", + "eau de parfum, long lasting", + "long lasting eau de parfum under $40", + "long lasting eau de parfum under $50", + "eau de parfum that is long lasting", + "long lasting eau de parfum under $60", + "long lasting eau de parfum under 30 dollars" + ], + "i need a valentines day chocolate gift box.": [ + "valentines day chocolate gift box", + " valentines day chocolate gift box", + "valentines day chocolate gift box.", + "Valentines day chocolate gift box", + " valentines day chocolate gift box.", + "a valentines day chocolate gift box", + "Valentines day chocolate gift box.", + "caramel gift box valentines day", + "alive day chocolate gift box", + "alarm chocolate gift box" + ], + "i need some special hair conditioner for damaged hair.": [ + "special hair conditioner for damaged hair.", + "special hair conditioner for damaged hair", + "special hair conditioner for damaged hair with price lower than 50.00 dollars", + "special hair conditioner for damaged hair under $50", + "special hair conditioner for damaged hair under $40", + "special hair conditioner for damaged hair under $60", + "special hair conditioner for damaged hair whose price is high", + "special hair conditioner for damaged hair ", + "special hair conditioner", + "special hair conditioner for damaged" + ], + "i am looking for a 2.53 fl oz hyaluronic acid cc creams": [ + "2.53 fl oz hyaluronic acid cc creams", + "two.53 fl oz hyaluronic acid cc creams", + " 2.53 fl oz hyaluronic acid cc creams", + "1.53 fl oz hyaluronic acid cc creams", + "2.53 fl oz hyaluronic acid", + "2.53 fl oz hyaluronic acid cc creams,", + "3.53 fl oz hyaluronic acid cc creams", + "hyaluronic acid cc creams 2.53 fl oz", + "2.3 fl oz hyaluronic acid cc creams", + "2.53 fl oz hyaluronic acid cc cream" + ], + "i'm looking for clothing its was short sleeve and regular fit. its easily to wear.": [ + "short sleeve regular fit clothing", + "short sleeve and regular fit clothing", + "short sleeve regular fit clothing under $40", + "short sleeve regular fit clothing under $50", + "shoes short sleeve regular fit", + "t-short sleeve regular fit clothing", + "short sleeve regular fit clothing under $60", + "short sleeve regular fit clothing under 50 dollars", + "s short sleeve regular fit clothing", + "short sleeve regular fit jeans" + ], + "i need to satisfy my desire to eat g.h. cretors popcorn, the mix, 1.5 oz. (pack of 12). i prefer this brand because it is a healthy, gluten-free and non-gmo option. find the 8 ounce pack": [ + "gmo popcorn 8 oz pack", + "gmo popcorn 8 ounce pack", + "gmo popcorn 8 oz. pack", + "gmo-free 8 ounce pack", + "gmo popcorn 8oz pack", + "gmo popcorn 8 oz", + "gmo pack 8 oz", + "gmo popcorn 8 oz.", + "gmo flavor 8 oz pack", + "gmo mix 8 oz" + ], + "i am looking for trader joe's apple sauce crushers.": [ + " trader joes apple sauce crushers", + "trader joes apple sauce crushers", + " trader joes apple sauce crushers.", + "manual joes apple sauce crushers", + " trader joes apple sauce crushers under $40", + "trains joes apple sauce crushers", + "trader joes apple sauce crushers.", + " trader joes apple sauce crushers under $50", + "terrain joes apple sauce crushers", + " trader joes apple sauce crushers under $60" + ], + "i am looking for a paraben free and dermatologist tested exfoliating body wash with pink lemon and mandarin orange extracts.": [ + "paraben free dermatologist tested exfoliating body wash with pink lemon and mandarin orange", + "psl exfoliating body wash with pink lemon and mandarin orange extracts", + "an exfoliating body wash with pink lemon and mandarin orange extracts", + "paraben free and dermatologist tested exfoliating body wash", + "lip exfoliating body wash with pink lemon and mandarin orange extracts", + "pink lemon exfoliating body wash with pink lemon and mandarin orange extracts", + "paraben free dermatologist tested exfoliating body wash", + "pink lemon and mandarin orange exfoliating body wash", + "psl exfoliating body wash with pink lemon and mandarin orange extract", + "pink lemon exfoliating body wash with pink lemon and mandarin orange extract" + ], + "i am looking fir paraben free body wash.please choose vanilla style.": [ + "faux paraben free body wash", + "factory paraben free body wash", + "facial paraben free body wash", + "fluoride free body wash", + "frig paraben free body wash", + "faux paraben free body wash in vanilla style", + "factory paraben free body wash in vanilla style", + "fluoride paraben free body wash", + "firm paraben free body wash", + "faux paraben free body wash in vanilla style." + ], + "find me a gold plated stereo audio cable that works well with a power amplifier and is 5ft long.": [ + "gold plated stereo audio cable 5ft long", + "gold plated stereo audio cable", + "gold plated stereo audio cable, 5ft long", + "gold plated stereo audio cable that is 5ft long", + "5ft long gold plated stereo audio cable", + "plated stereo audio cable 5ft long", + "gold plated stereo audio cable, 5ft long,", + "gold plated stereo audio cable 5ft long.", + "gold plated stereo audio cable under $50", + "gold plated stereo audio cable, 5ft long." + ], + "i'm looking for a high density gaming chair with lumbar support which is made of pu leather. also, choose cool blue colored one.": [ + "high density gaming chair with lumbar support", + "high density gaming chair made of pu leather", + "high density gaming chair with lumbar support cool blue", + "high density gaming chair made from pu leather", + "tv gaming chair made of pu leather", + "comfortable gaming chair made of pu leather", + "low density gaming chair made of pu leather", + "low density gaming chair with lumbar support", + "tv gaming chair with lumbar support", + "high density gaming chair" + ], + "i'm looking for a oil free, fragrance free pressed powder that should be long lasting when applied. also choose 290 natural ochre one.": [ + "oil free, fragrance free pressed powder 290 natural ochre", + "oil free, fragrance free pressed powder, 290 natural ochre", + "oil free, fragrance free pressed powder", + "oil free, fragrance free pressed powder that should be long lasting", + "oil free, fragrance free pressed powder for natural ochre", + "an oil free, fragrance free pressed powder that should be long lasting", + "an oil free, fragrance free pressed powder", + "natural ochre oil free", + "natural ochre powder", + "6 natural ochre powder" + ], + "i need ready to shake high protein mocktail which is lactose, soy & gluten free.": [ + "mocktail that is lactose, soy & gluten free", + "mocktail lactose, soy & gluten free", + "mocktail lactose free", + "mocktail lactose, soy and gluten free", + "mocktail with lactose, soy & gluten free", + "mocktail that is lactose, soy and gluten free", + "mocktail with lactose, soy and gluten free", + "high protein mocktail with lactose, soy & gluten free", + "mocktail dairy free", + "mocktail that is lactose free" + ], + "i need a ten pack of male to female hdmi cables that are three feet long, high speed, and gold plated.": [ + "10 pack of male to female hdmi cables that are three feet long, high speed, gold plated", + "10 pack of male to female hdmi cables", + "10 pack of male to female hdmi cables that are three feet long, high speed and gold plated", + "ten pack of male to female hdmi cables that are three feet long, high speed, gold plated", + "10 pack of male to female hdmi cables, high speed, and gold plated", + "10 pack of male to female hdmi cables that are three feet long", + "10 pack of male to female hdmi cables with high speed and gold plated", + "10 pack of male to female hdmi cables, high speed, gold plated", + "ten pack of male to female hdmi cables", + "12 pack of male to female hdmi cables" + ], + "i am looking for high speed 8ft style hdmi cable.": [ + "high speed 8ft style hdmi cable", + "8ft style hdmi cable", + "8ft high speed hdmi cable", + "low speed 8ft style hdmi cable", + "8ft hdmi cable", + "8ft style hdmi cable high speed", + "tv hdmi cable high speed", + "tv hdmi cable high speed 8ft", + "tv hdmi cable", + "8ft style hdmi cable." + ], + "i am looking for a 30 foot gold plated high speed hdmi cable.": [ + "30 foot gold plated high speed hdmi cable", + "28 foot gold plated high speed hdmi cable", + "30 foot gold plated high speed hdmi cable.", + " 30 foot gold plated high speed hdmi cable", + "30 foot gold plated high speed hdmi cable,", + "womens gold plated high speed hdmi cable", + "30 foot gold plated hdmi cable", + "gold plated high speed hdmi cable", + "womens high speed hdmi cable", + "30 foot high speed hdmi cable" + ], + "i'm looking for binoculars for bird watching even at so far.": [ + " binoculars for bird watching", + " binoculars for bird watching so far", + " binoculars for bird watching so far.", + "binoculars for bird watching", + " binoculars bird watching", + " binoculars for bird watching under $50", + " binoculars for bird watching under $40", + " binoculars for bird watching.", + "oculars for bird watching", + " binoculars" + ], + "i\u2019m looking for rockport lace up shoes for men": [ + "rockport lace up shoes for men", + "rockport lace up shoes for men under $40", + "rockport lace up shoes for men under 50 dollars", + "rockport lace up shoes for men under $50", + "rockport lace up shoes for men under 40 dollars", + "rockport lace up shoes for men under $60", + "rockport lace up shoes for men under 30 dollars", + "rockport lace up shoes for men below $40", + "rockport lace up shoes for men below $50", + "rockport laces up shoes for men" + ], + "i am in need of a sunflower piggy printed protection case cover for iphone 6 plus": [ + "sunflower piggy printed protection case cover for iphone 6 plus", + "sunflower piggy printed protection case cover iphone 6 plus", + "sunflower piggy print protection case cover for iphone 6 plus", + " sunflower piggy printed protection case cover for iphone 6 plus", + "suntflower piggy printed protection case cover for iphone 6 plus", + "shuntflower piggy printed protection case cover for iphone 6 plus", + "sunflower piggy printed protection case cover foriphone 6 plus", + "sunflower piggy printed protection case cover for iphone 6", + "sunflower piggy print protection case cover iphone 6 plus", + "sunflower piggy printed protection case cover for iiphone 6 plus" + ], + "i need iphone 11 wireless charging": [ + "iphone 11 wireless charging", + "iphone 11 wireless charging price lower than 50.00 dollars", + "iphone 11 wireless charging price lower than $40.00", + "iphone 11 wireless charging price lower than $130.00", + "iphone 11 wireless charging price lower than 40.00 dollars", + "iphone 11 wireless charging price lower than $60.00", + "iphone 11 wireless charging under $40", + "iphone 11 wireless charging under $50", + "iphone 11 wireless charging under $130", + "iphone 11 wireless charging under $60" + ], + "i want easy use high quality nail art equipment for nail art": [ + "easy use high quality nail art equipment", + "easy to use high quality nail art equipment", + "easy use nail art equipment for nail art", + "easy to use nail art equipment", + "nude art equipment for nail art", + "easy use nail art equipment", + "nude art equipment", + "nail art equipment for nail art", + "low quality nail art equipment for nail art", + "nail art equipment" + ], + "please re order a 9188 -red brown leather duo motor recliner chair and should be of high density and easy to clean.": [ + "9188 -red brown leather duo motor recliner chair", + "9188 -red leather duo motor recliner chair", + "9188 -red brown leather duo motor recliner chair easy to clean", + "8188 -red brown leather duo motor recliner chair", + "10188 -red brown leather duo motor recliner chair", + "9188 -red leather duo motor recliner chair easy to clean", + "9188 -red leather duo motor recliner chair, easy to clean", + " 9188 -red brown leather duo motor recliner chair", + "black leather duo motor recliner chair", + " 9188 -red leather duo motor recliner chair" + ], + "i am looking for a wallets for blouse hosiery & laundry bag": [ + "alarm for blouse hosiery & laundry bag", + "lens for blouse hosiery & laundry bag", + "al wallets for blouse hosiery & laundry bag", + "pack of blouse hosiery & laundry bag", + " wallets for blouse hosiery & laundry bag", + "alarm blouse hosiery & laundry bag", + "bag for blouse hosiery & laundry bag", + "bag blouse hosiery & laundry bag", + "pocket hosiery & laundry bag", + "alarm blouse hosiery laundry bag" + ], + "i would like a plant based shampoo.": [ + "plant based shampoo", + "plant based shampoo.", + "plant based shampoo that is plant based", + "plant based shampoo under $40", + "plant based shampoo under $50", + "plant based shampoo under $60", + "plant based shampoo, less then $40", + "plant based shampoo, plant based", + "plant based shampoo. plant based", + "plant based shampoo," + ], + "i am looking for a travel size perfume with long lasting fragrance. also choose coco mademoiselle + j'adore impression scent.": [ + "travel size perfume with long lasting fragrance", + "travel size perfume with long lasting fragrance.", + "pink perfume with long lasting fragrance", + "pink travel size perfume with long lasting fragrance", + "a travel size perfume with long lasting fragrance.", + "pink pomegranate long lasting fragrance", + "pink perfume with long lasting fragrance.", + "a travel size perfume with long lasting fragrance", + "pink perfume long lasting fragrance", + "pink perfume travel size scent" + ], + "i am looking for a tan memory foam slipper": [ + "sneakers tan memory foam slipper", + "tart memory foam slipper", + "tanned memory foam slipper", + "soy memory foam slipper", + "tain memory foam slipper", + "a tan memory foam slipper", + "tan memory foam slipper", + "sneakers for memory foam slipper", + "knee slipper", + "sneakers tan memory foam slippers" + ], + "power cord cable outlet plug lead for fm stereo sound rider with output protection": [ + "power cord cable outlet plug lead fm stereo sound rider", + "power cord cable outlet plug lead for fm stereo sound rider", + "power cord cable for fm stereo sound rider with output protection", + "power cord cable for fm stereo sound rider", + "power cord cable outlet plug-in fm stereo sound rider", + "power cord for fm stereo sound rider with output protection", + "power cord cable outlet plug plug lead fm stereo sound rider", + "power cord cable outlet plug lead", + "power cord cable outlet plug", + "power cord cable" + ], + "in the last order i bought the sauce from the brand org\u00e2nicville organic, caesar sauce, the taste is very good .no dairy, 8 fz i want to repeat this order .": [ + "alcohol sauce from the brand org\u00e2nicville organic", + "sugar from the brand org\u00e2nicville organic", + "comonicville organic, caesar sauce", + "a caesar sauce 8 fz", + "a caesar sauce, 8 fz", + "muskmel sauce, 8 fz", + "comonicville organic sauce, 8 fz", + "comonicville organic sauce", + "muskmel sauce", + "a caesar sauce" + ], + "i looking hair styling fine mist sprayers refillable bottles color :pink": [ + "fine mist sprayers refillable bottles color :pink", + "fine mist sprayers, refillable bottles color :pink", + "fine mist sprayers refillable bottles color :pink", + "fine mist sprayers in refillable bottles color :pink", + "fine mist sprayers with refillable bottles color :pink", + "fine mist sprayers refillable bottles color pink", + "fine mist sprayers color :pink", + "fine mist sprayers refillable bottles color", + "hair styling fine mist sprayers color :pink", + "hair styling fine mist sprayers" + ], + "i'm looking for a rca 3-device universal remote control for repacement.": [ + "rca 3-device universal remote control for repacement", + "rfsh 3-device universal remote control for repacement", + "rca 3-device universal remote control", + "rfc 3-device universal remote control for repacement", + "rfsh 3-device universal remote control", + "rf-3-device universal remote control for repacement", + "rfray 3-device universal remote control for repacement", + "rf3-device universal remote control for repacement", + "rfd 3-device universal remote control for repacement", + "rfoto 3-device universal remote control for repacement" + ], + "i am looking for a 50 ml leak proof bags & cases": [ + "50 ml leak proof bags & cases", + "50 ml leak proof bags and cases", + "50 ml leak proof bags", + "50 ml leak proof bags & case", + "50 ml of leak proof bags & cases", + "50 ml leak proof bags under $60", + "50 ml leak proof bags under $40", + "50 ml leak proof bags &cases", + "50 ml leak proof bags under $50", + "50 ml leak proof bags and case" + ], + "i am looking for a black knee high mid-calf": [ + "black knee high mid-calf", + "knee high mid-calf black", + "knee high mid-calf", + "black knee high mid-calf below $40", + "white knee high mid-calf", + "black knee high mid-calf below $50", + "black knee high mid-calf under $40", + "black knee high mid-calf under $50", + "a black knee high mid-calf", + "black knee high mid-calf below $60" + ], + "i'm looking for skin buttock lifting clothing it can use for machine washing.": [ + "skin buttock lifting clothing for machine washing", + "skin buttock lifting clothing", + "skin buttock lifting clothing it can use for machine washing", + "skin buttock lifting clothing that can use for machine washing", + "skin buttock lifting clothing for machine washing.", + "skin buttock lifting clothing he can use for machine washing", + "skin buttock lifting clothing for machine washing under $40", + "skin buttock lifting clothing for machine washing under $50", + "skin buttock lifting clothing under $50", + "skin buttock lifting clothing under $40" + ], + "find me natural hair gels that use seed oil as a main ingredient.": [ + "natural hair gels with seed oil", + "natural hair gels that use seed oil", + "natural hair gels natural no seed oil", + "natural hair gels natural oil", + "natural hair gels no seed oil", + "natural hair gels", + "natural hair gels natural", + "natural hair gels, seed oil", + "natural hair gels natural with seed oil", + "natural hair gels natural no seed" + ], + "i'm looking for palazzo pants its easy to wear and it was straight leg.": [ + "paleazzo pants straight leg", + "paleazzo pants", + "palazzo pants straight leg", + "paleazzo pants easy to wear", + "palazzo pants easy to wear straight leg", + "pink palazzo pants straight leg", + "paleazzo pants that are straight leg", + "palazzo pants that are easy to wear", + "palazzo pants that are straight leg", + "al palazzo pants straight leg" + ], + "i am looking for gluten free almond cranberry crunch.": [ + "gluten free almond cranberry crunch", + "almond cranberry crunch", + "gluten free almond cranberry crunch.", + "gluten-free almond cranberry crunch", + "gluten free almond cranberry crunch no sugar", + "almond cranberry crunch gluten free", + "flavored almond cranberry crunch", + "almond cranberry crunch.", + "vegan almond cranberry crunch", + "lemon cranberry crunch" + ], + "i am looking for a nail art for practice hands & fingers.": [ + "nude art for practice hands & fingers", + "nail art for practice hands & fingers", + "nailing art for practice hands & fingers", + "nails art for practice hands & fingers", + "nude art with practice hands & fingers", + "nude art for practicing hands & fingers", + "nail art with practice hands & fingers", + "nude art", + "lip art for practice hands & fingers", + "nail art" + ], + "i'm looking for blankets it was super soft and it is easy to clean.": [ + "super soft blankets", + "pink blankets super soft", + "pink blankets", + "blanket super soft", + "super soft blankets easy clean", + "easy clean blankets", + "pack of blankets super soft", + "soft blankets", + "super soft blanket", + "blanket" + ], + "i'm looking for a 2.75 inch partywoo birthday blue candles .": [ + "2.75 inch partywoo birthday blue candles", + "2.75 inch partywoo birthday candles", + "2.75 inch partywoo candles", + "two.75 inch partywoo birthday blue candles", + "3.75 inch partywoo birthday blue candles", + " 2.75 inch partywoo birthday blue candles", + "1.75 inch partywoo birthday blue candles", + "baby shower blue candles 2.75", + "2.75 inch birthday blue candles", + "two.75 inch partywoo birthday candles" + ], + "i am looking for a wallets of blouse hosiery and laundry bag": [ + "pack of blouse hosiery and laundry bag", + "bag of blouse hosiery and laundry bag", + "alarm blouse hosiery and laundry bag", + "alarm blouse hosiery laundry bag", + "bag blouse hosiery and laundry bag", + "pocket hosiery and laundry bag", + "womens blouse hosiery laundry bag", + "pack of blouse hosiery laundry bag", + "bag of blouse hosiery", + "pocket hosiery laundry bag" + ], + "i need a 1 pack of high quality hair piece shaped like donuts . an i would prefer 30# color": [ + "1 pack of high quality hair piece", + "1 pack of high quality hair piece under 30 dollars", + "hair piece shaped like donuts 30# color", + "hair piece 30# color", + "hair piece shaped like donuts 30# color", + "1 pack of high quality hair piece colored 30#", + "hair piece 30#", + "hair piece, 30# color", + "hair piece colored 30#", + "hair piece shaped like donuts" + ], + "i will like to have the low fat silver hills steady eddie bread, made with organic sprouted grains, non-gmo, the big 16": [ + "low fat silver hills steady eddie bread", + "low fat silver hills steady eddie bread non-gmo", + "low fat silver hills steady eddie bread under $40", + "low fat silver hills steady eddie bread no gmo", + "low fat silver hills steady eddie bread under $60", + "low fat silver hills steady eddie bread no gmo 16", + "leviseless eddie bread", + "low fat silver hills steady eddie", + "gluten-free eddie bread", + "silver hills steady eddie bread" + ], + "i am looking for flower glass shade floor lamp": [ + " flower glass shade floor lamp", + "flower glass shade floor lamp", + "rosy glass shade floor lamp", + "beauty glass shade floor lamp", + "a flower glass shade floor lamp", + "rose glass shade floor lamp", + "vegetable glass shade floor lamp", + " flower glass shade floor lamp under $40", + "glory glass shade floor lamp", + " flower glass shade floor lamp under $50" + ], + "i am looking for a 4g lte coaxial cable.": [ + "4g lte coaxial cable", + "4g lte coaxial cable under $40", + "4g lte coaxial cable under $60", + "4g lte coaxial cable under $50", + "4g lte coaxial cable under $130", + "4g lte coaxial cable under $120", + "4g lte coaxial cable below $40", + "4g lte coaxial cable below $50", + "4g lte coaxial cable under 50 dollars", + "4g lte coaxial cable." + ], + "i would like a 3 pound bag of unsalted deluxe nut mix that are in a resealable bag.": [ + "3 pound bag of unsalted deluxe nut mix", + "3 pound bag of unsalted deluxe nut mix resealable bag", + "3 pound bag of unsalted deluxe nut mix, resealable bag", + "3 pound bag of unsalted deluxe nut mix resealable", + "3 pound bag of unsalted deluxe nut mix resealable bag.", + "3 pound bag of unsalted deluxe nut mix with resealable bag", + "3 pound bag of unsalted deluxe nut mix, resealable", + "3 pound bag of unsalted deluxe nut mix under 50 dollars", + "3 pound bag unsalted deluxe nut mix", + "3 pound bags of unsalted deluxe nut mix" + ], + "i am looking for small sized with eastic waist men short.": [ + "small eastic waist men short", + "small men short", + "small sized men short", + "small t-short men short", + "small sized eastic waist men", + "small eastic waist men", + "small sized men short.", + "small t-short men", + "small size men short", + "small men short." + ], + "i am looking for tempered glass screen protector for iphone xr.": [ + "tempered glass screen protector for iphone xr", + "tempered glass screen protector iphone xr", + "tempered glass screen protector for iphone xr.", + "tempered glass screen protector foriphone xr", + "tempered glass screen protector for iiphone xr", + "tempered glass screen protector iphone xr.", + "tempered glass screen protector, iphone xr", + "tempered glass screen protector for iphone xr,", + "tempered glass screen protector for an iphone xr", + "tempered glass screen protector for iphone xr " + ], + "i am looking for a breathable and slip resistant shoe with rubber sole for men. also choose size 8.": [ + "size 8 breathable and slip resistant shoe", + "womens shoe with rubber sole", + "shoes with rubber sole size 8", + "walking shoe with rubber sole size 8", + "breathable and slip resistant shoe", + "sneakers with rubber sole size 8", + "shoes with rubber sole", + "womens shoe size 8", + "walking shoe size 8", + "walking shoe" + ], + "am looking for a long lasting reddhoon metallic nail polish blue and purple colors": [ + "redhoon metallic nail polish blue and purple", + "red hoon metallic nail polish blue and purple", + "long lasting reddhoon metallic nail polish blue", + "redhoon metallic polish blue and purple", + "redhoon metallic nail polish blue", + "blue and purple nail polish", + "yellow nail polish blue and purple", + "redhoon metallic nail polish blue purple", + "yellow nail polish", + "yellow nail polish long lasting" + ], + "i am looking for a high-quality facial table bed that will be effective for giving clients massages and tattoos in my beauty salon": [ + "facial table bed", + "facial table bed that will be effective for giving clients massages and tattoos", + "facial table bed that is effective for giving clients massages and tattoos", + "high-quality facial table bed", + "facial table bed, high quality, and price lower than 50.00 dollars", + "facial table bed with massages and tattoos in my beauty salon", + "facial table bed with massages and tattoos", + "facial table bed, high quality, less than $40", + "facial table bed, high quality, less than $60", + "a high-quality facial table bed" + ], + "i am looking for a metal legs chair for living room which is east to assemble. also choose velvet black color.": [ + "aluminum legs chair for living room which is east to assemble", + "metal legs chair for living room which is east to assemble", + "jeans chair for living room which is east to assemble", + "wooden legs chair for living room which is east to assemble", + "heavy duty metal legs chair for living room which is east to assemble", + "a metal legs chair for living room which is east to assemble", + " metal legs chair for living room which is east to assemble", + "metal legs chair for living room which is east to assemble, velvet black", + "aluminum legs chair for living room", + "heavy duty metal legs chair for living room" + ], + "find me a watch band in hyper grape color that is made of stainless steel and goes with my apple iwatch.": [ + "watch band in hyper grape color", + "watch band made of stainless steel", + "watch band made of stainless steel for iwatch", + "watch band made from stainless steel", + "watch band made from stainless steel for iwatch", + "watch band in hyper grape color for iwatch", + "watch band that is made of stainless steel", + "watch band in hyper grape color under $50", + "watch band in hyper grape color under $40", + "watch band with stainless steel" + ], + "i am looking for a single pack of 8 ounce dried cherries that are gluten free.": [ + "single pack of dried cherries that are gluten free", + "single pack of dried cherries", + "single pack of 8 ounce dried cherries", + "single pack of dried cherries gluten free", + "single pack dried cherries that are gluten free", + "single pack of 8 ounce dried cherries gluten free", + "single pack of dried cherries, gluten free", + "single pack of dried cherries no sugar", + "single pack of dried cherries dairy free", + "single pack dried cherries gluten free" + ], + "i need wild blueberries that are dried and non gmo that is 8 oz.": [ + "wild blueberries dried and non gmo 8 oz", + "wild blueberries dried and non gmo", + "wild blueberries dried and non gmo under $40", + "wild blueberries dried and non gmo under $60", + "wild blueberries 8 oz dried and non gmo", + "wild blueberries dried and non gmo under $50", + "wild blueberries dried and non gmo, 8 oz", + "wild wild blueberries dried and non gmo 8 oz", + "wild blueberries dried 8 oz", + "rain dried wild blueberries 8 oz" + ], + "i'm looking for furniture to make my living room and dinning room so nice.": [ + "living room and dinning room furniture", + "living room and dinning room with furniture", + "living room and dinning room", + "living room and dinning room wood furniture", + "wooden dining room and dinning room", + "living room and dinning room sofa", + "living room and dinning room living furniture", + "living room, dinning room furniture", + "wooden dining room furniture", + "living room dining room furniture" + ], + "i am looking for king size pillows in plum": [ + "king size pillows in plum", + "king size pillows in plum, king size", + "king size pillows plum", + "king size pillows in plum under $40", + "king size pillows in plum under $50", + "king size pillows in plum under $60", + "king size pillows in plum under 50 dollars", + "king size pillows in plum,", + "king size pillows, plum", + "king sized pillows in plum" + ], + "i am looking for a 12 count (pack of 1) of gluten free raspberry cashew & chia": [ + "12 count (pack of 1) gluten free raspberry cashew & chia", + "pack of 1) of gluten free raspberry cashew & chia", + "12 count (pack of 1), gluten free raspberry cashew & chia", + "pack of 1 gluten free raspberry cashew & chia", + "pack of 1) gluten free raspberry cashew & chia", + "12 count (pack of 1) gluten free raspberry cashew and chia", + "12 count (pack of 1) of gluten free raspberry cashew chia", + "gluten free raspberry cashew & chia 12 count", + "gluten free raspberry cashew & chia pack", + "12 count (pack of 1) of gluten free raspberry cashew" + ], + "i am looking for a 12 pack of gluten free bars that are dark chocolate almond": [ + "12 pack of gluten free bars", + "12 pack of gluten free bar dark chocolate almond", + "12 pack of gluten free bars dark chocolate almond", + "12 pack of gluten free bar", + "12 pack of gluten free chocolate almond", + "12 pack of gluten free bar chocolate almond", + "gluten free bars dark chocolate almond 12 pack", + "12 pack of gluten free chocolate almond bars", + "12 pack gluten free bars", + "dark chocolate almond 12 pack" + ], + "i'm looking for a memias premium window sheer voile curtains": [ + " memias premium window sheer voile curtains", + "memias premium window sheer voile curtains", + "memias premium window sheer voile curtains", + "emotional window sheer voile curtains", + " memias premium window sheer voile curtains under 50 dollars", + "ememias premium window sheer voile curtains", + " memias premium window sheer voile curtains under $40", + "memory premium window sheer voile curtains", + "empire premium window sheer voile curtains", + " memias premium window sheer voile curtains under 30 dollars" + ], + "i'm looking for a portable nail clippers.": [ + "portrait nail clippers", + "portable nail clippers", + "portportable nail clippers", + "portrait nail clippers that are portable", + "portrait nail clippers portable", + "portportrait nail clippers", + "portable nail clippers.", + "portable nail clippers under $40", + "portable nail clippers under $50", + "portable nail clippers under $60" + ], + "i am looking for a grey mules & clogs for day comfert": [ + "grey mules & clogs for day comfert", + "grey mules & clogs day comfert", + "grey mules and clogs for day comfert", + "grey mules & clogs", + "grey mules and clogs day comfert", + "grey mules & clogs, day comfert", + "grey mules & clogs in day comfert", + "grey mules & clogs that day comfert", + "grey mules & clogs day comfert grey", + "grey mules and clogs" + ], + "i am looking for birthday cake toppers of black 65 pattern.": [ + "birthday cake toppers of black 65 pattern", + "birthday cake toppers black 65 pattern", + "baby shower cake toppers of black 65 pattern", + "baby shower cake toppers black 65 pattern", + "birthday cake toppers black 65 pattern.", + "birthday cake toppers, black 65 pattern", + "birthday cake toppers in black 65 pattern", + "birthday cake toppers black 65", + "birthday cake toppers", + "black 65 birthday cake toppers" + ], + "i would like some cake toppers for a baby shower or birthday party.": [ + "cake toppers for a baby shower or birthday party", + "cake toppers for baby shower or birthday party", + "baby shower or birthday party cake toppers", + "baby shower cake toppers", + "cake toppers for baby shower or birthday party.", + "cake toppers baby shower or birthday party", + "cake toppers for a baby shower or baby shower", + "birthday cake toppers", + "baby shower or baby shower cake toppers", + "baby shower" + ], + "i am in need of some cupcake toppers that have a birthday party theme and is meant for a baby shower.": [ + "cupcake toppers for baby shower", + "cupcake toppers for a baby shower", + "cupcake toppers that have a baby shower", + "cupcake toppers baby shower", + "cupcake toppers for a baby shower.", + "cupcake toppers with a baby shower theme", + "cupcake toppers for baby shower.", + "baby shower cupcake toppers", + "bagcake toppers for baby shower", + "cupcake toppers" + ], + "i want a hoodie for couple with quality polyester in size medium black": [ + "hoodie for couple with quality polyester", + "hoodie for couple", + "hoodie for couple in size medium black", + "hoodie for couple size medium black", + "hoodie size medium black", + " hoodie for couple with quality polyester", + "hoodie in size medium black", + "hoodie small polyester", + "hoodie medium black", + "hoodie" + ], + "i'm looking for keto friendly it has low sugar its good for health.": [ + "keto friendly keto friendly", + "keto friendly low sugar keto friendly", + "keto friendly keto friendly low sugar", + "keto friendly keto friendly low sugar drink mix", + "keto friendly", + "keto friendly low sugar low sugar keto friendly", + "keto friendly keto friendly low sugar low sugar", + "keto friendly high sugar keto friendly", + "keto friendly keto friendly low sugar diet", + "keto friendly low sugar keto" + ], + "i am looking for a general colored floor lamp for my living room. it should be easy to clean and assemble.": [ + "general colored floor lamp for my living room", + "general colored floor lamp", + "general colored floor lamp for living room", + "general colored floor lamp living room", + "general colored floor lamp for the living room", + "general colored floor lamp in my living room", + "floor lamp for living room", + "general colored floor lamp, living room", + "living room general colored floor lamp", + "living room floor lamp" + ], + "help me find 2 fl oz (pack of 24) gluten free non gmo butter extract made without artificial colors.": [ + "2 fl oz (pack of 24) gluten free non gmo butter extract", + "gluten free non gmo butter extract", + "two fl oz (pack of 24) gluten free non gmo butter extract", + "gluten free non gmo butter extract made without artificial colors", + "2fl oz (pack of 24) gluten free non gmo butter extract", + "3 fl oz (pack of 24) gluten free non gmo butter extract", + "gluten free non gmo butter extract 2 fl oz", + "butter extract 2 fl oz (pack of 24) gluten free", + "gluten free non gmo butter extract made without artificial", + "gluten free non gmo butter extract under $60" + ], + "i would like a pair of women's size 14.5 black work shoes with a steel toe.": [ + "womens size 14.5 black work shoes with a steel toe", + "womens size 14.5 black work shoes", + "womens size 14.5 black work shoes with steel toe", + "womens size 14.5 black work shoes, steel toe", + "mens size 14.5 black work shoes with a steel toe", + "womens size 14.5 black work shoes that are steel toe", + "woman size 14.5 black work shoes with a steel toe", + "womens size 14.5 black work shoe with a steel toe", + "mens size 14.5 black work shoes", + "woman size 14.5 black work shoes" + ], + "i'm looking for decorative pillows and covers for dinning room.": [ + "vinyl pillows and covers for dinning room", + "contemporary pillows and covers for dinning room", + "pink pillows and covers for dinning room", + "decorated pillows for dinning room", + "vinyl pillows for dinning room", + "pink pillows for dinning room", + "contains for dinning room decorative pillows", + "decorated pillows and covers for dining room", + "contains for dinning room", + "contains for dining room" + ], + "i need a small spray fine mist with 100 ml amber for travel, makeup etc": [ + "small spray fine mist with 100 ml amber", + "small spray fine mist with 100 ml amber travel", + "small spray fine mist", + "small spray fine mist, 100 ml amber", + "small spray fine mist for travel, makeup etc", + "small spray fine mist for travel, makeup", + "small spray fine mist for travel", + "small spray fine mist that is 100 ml", + "small spray fine mist that is 100 ml amber", + "small spray fine mist 100 ml amber" + ], + "i am looking for a fluoride free, paraben free toothpaste.": [ + "fluoride free, paraben free toothpaste", + "fluoride free paraben free toothpaste", + "fluoride free and paraben free toothpaste", + " fluoride free, paraben free toothpaste", + "facial free, paraben free toothpaste", + "toothpaste fluoride free paraben free", + "fluoride free oralpaste", + "fluoride free toothpaste", + "toothpaste fluoride free", + "fluoride free dentalpaste" + ], + "i am looking for 9pcs of hair growth essence spray.": [ + "hair growth essence spray 9pcs", + "9pcs of hair growth essence spray", + "8pcs of hair growth essence spray", + "hair growth essence spray, 9pcs", + "9pcs hair growth essence spray", + "hair growth essence spray that is 9pcs", + "9pcs of hair growth essence spray.", + "hair growth essence spray. 9pcs", + "hair growth essence spray 9 pcs", + "hair growth essence spray" + ], + "i am looking for a natural ingredients soap": [ + "natural ingredients soap", + "natural ingredients soap under $40", + "natural ingredients soap that is natural", + "natural ingredients soap under $50", + "natural ingredients soap below $40", + "natural ingredients soap under $60", + "natural ingredients soap below $50", + "natural ingredients soap under 50 dollars", + "natural ingredients soap natural", + "natural ingredients" + ], + "in hunt for a paraben free, weave tea tree and borage seed oil scalp treatment soother oil serum for scalps in a 2 ounce bottle for wigs made by the sheamoisture company.": [ + "paraben free, weave tea tree and borage seed oil scalp treatment soother oil serum", + "a paraben free, weave tea tree and borage seed oil scalp treatment soother oil serum", + "paraben free, weave tea tree and borage seed oil scalp treatment soother oil", + "paraben free, weave tea tree and borage seed oil scalp treatment soother oil bottle", + "pale tea tree and borage seed oil scalp treatment soother oil serum", + "paraben free tea tree and borage seed oil scalp treatment soother oil serum", + "sea tree and borage seed oil scalp treatment soother oil serum", + "paraben free, weave tea tree and borage seed oil scalp treatment", + "pink tea tree and borage seed oil scalp treatment soother oil serum", + "sheamoisture" + ], + "i would like a pair of size 12 black oxford shoes with a leather sole.": [ + "size 12 black oxford shoes with a leather sole", + "black oxford shoes with a leather sole", + "black oxford shoes with a leather sole size 12", + "sneakers size 12 black oxford shoes", + "black oxford shoes size 12 with a leather sole", + "2 black oxford shoes with a leather sole", + "size 12 black oxford shoes", + "pair of size 12 black oxford shoes", + "black oxford shoes size 12 leather sole", + "black oxford shoes with leather sole" + ], + "i'm looking for teeth whitening for prevention of oral care.": [ + "teeth whitening for oral care", + "teeth whitening oral care", + "teeth whitening for oral care.", + "toothpaste oral care teeth whitening", + "teeth whitening prevention of oral care", + "teeth whitening", + "toothpaste teeth whitening oral care", + "teeth whitening prevention oral care", + "toothpaste teeth whitening", + " teeth whitening for prevention of oral care" + ], + "i am looking for an easy apply concealer foundation makeup cosmetics that can cover dark circles. a light skin tone will work well for me.": [ + "easy apply concealer foundation makeup cosmetics", + "easy apply concealer foundation makeup cosmetics that can cover dark circles", + "easy apply concealer foundation makeup cosmetics with dark circles", + "easy apply concealer foundation makeup cosmetics with a light skin tone", + "light skin tone concealer foundation makeup cosmetics", + "easy apply concealer foundation makeup cosmetics with light skin tone", + "easy apply concealer foundation makeup cosmetics for dark circles", + "easy apply concealer foundation makeup cosmetics in dark circles", + "easy apply concealer foundation makeup cosmetics dark circles", + "easy apply concealer foundation makeup cosmetics, dark circles" + ], + "i'm looking for a portable computer speakers that has plug play and power amplifier.": [ + "portable computer speakers with plug play and power amplifier", + "portable computer speakers with plug play", + "portrait computer speakers with plug play and power amplifier", + "portportable computer speakers with plug play", + "portrait computer speakers with plug play", + "portable computer speakers plug play and power amplifier", + "portable computer speakers that have plug play", + "portable computer speakers plug play", + "portrait computer speakers plug play", + "portable computer speakers" + ], + "i'm looking for apple smartwatch acesseries it is easy to use.": [ + "apple smartwatch acesseries easy to use", + "apple smartwatch acesseries", + "apple smartwatch acesseries that are easy to use", + "apple smartwatch acesseries easy to use.", + "apple smartwatch acesseries it is easy to use", + "apple smartwatch acesseries, easy to use", + "easy to use apple smartwatch acesseries", + "apple smartwatch acesseries, easy to use,", + "apple smartwatch acesserieseasy to use", + "smartwatch acesseries" + ], + "i am looking for a high performance 4g lte android tablet.": [ + "4g lte android tablet", + "4g lte android tablet that is high performance", + "4g lte android tablet with high performance", + "high performance 4g lte android tablet", + "4g lte android tablet high performance", + "4g lte android tablet, high performance", + "4g lte android tablet.", + "high performance 4g lte android tablet.", + "4g lte android tablet under $130", + "4g lte android tablet whose price is high" + ], + "i'm looking for 10 inch android tablet with dual 4g lte.": [ + "10 inch android tablet with dual 4g lte", + "10 inch android tablet with dual 4g lte.", + "10 inch android tablet dual 4g lte", + "9 inch android tablet with dual 4g lte", + "10 inch android tablet that is dual 4g lte", + "a 10 inch android tablet with dual 4g lte", + "10 inch android tablet, dual 4g lte", + "8 inch android tablet with dual 4g lte", + "10 inch android tablet with dual 4g lte,", + "10 inch android tablet" + ], + "i am looking for a low calorie, gluten free tortilla with chia and sesame seeds.": [ + "low calorie, gluten free tortilla with chia and sesame seeds", + "low calorie gluten free tortilla with chia and sesame seeds", + "low calorie and gluten free tortilla with chia and sesame seeds", + "low calories, gluten free tortilla with chia and sesame seeds", + "tortilla with chia and sesame seeds", + "low calories gluten free tortilla with chia and sesame seeds", + "low calorie, gluten free tortilla chia and sesame seeds", + "low calorie, gluten free tortilla with chia sesame seeds", + "low calorie gluten free tortilla chia and sesame seeds", + "gluten free tortilla with chia and sesame seeds" + ], + "find me a long lasting and anti perspirant deodorant": [ + "long lasting and anti perspirant deodorant", + "anti perspirant deodorant", + "long lasting and anti perspirant deodorant under $40", + "long lasting and anti perspirant deodorant under $50", + "long lasting and anti perspirant deodorant under $60", + "long lasting anti perspirant deodorant", + "long lasting and anti perspirant deodorant under 30 dollars", + "long lasting and anti perspirant deodorant under 50 dollars", + "a long lasting and anti perspirant deodorant", + "anti perspirant deodorant long lasting" + ], + "i'm looking for white colored plug play and it will use for video accesseories.": [ + "white colored plug play for video accesseories", + "white colored plug play video accesseories", + "white colored plug play", + "white colored plug play, video accesseories", + "white colored plug play in video accesseories", + "white colored plug play with video accesseories", + "white colored plug play video", + "white colored plug play for video", + "white colored plug plug play", + "white colored plug" + ], + "universal smart controller with big buttons tool for tv stb dvd with aaa batteries": [ + "universal smart controller with big buttons with aaa batteries", + "universal smart controller with big buttons", + "universal smart controller with big buttons that is aaa batteries", + "universal smart controller with big buttons for tv dvd with aaa batteries", + "universal smart controller with big buttons and aaa batteries", + "universal smart controller with big buttons tool for tv stb dvd", + "universal smart controller with big buttons for tv stb dvd", + "universal smart controller with big buttons, tv stb dvd", + "universal smart controller with big buttons tool", + "universal smart controller" + ], + "show me a apple compatible white sport band made from stainless steel and in 40 mm size.": [ + "apple compatible white sport band made from stainless steel", + "apple compatible white sport band made from stainless steel 40 mm", + "apple compatible white sport band made from stainless steel 40 mm size", + "apple compatible white sport band made from stainless steel in 40 mm", + "apple compatible white sport band made from stainless steel, 40 mm", + "apple compatible white sport band made from stainless steel under $40", + "white sport band made from stainless steel", + "white sport band made from stainless steel 40 mm", + "apple compatible white sport band", + "apple compatible white sport band, 40 mm" + ], + "i am looking for a pink cupcake toppers, cupcake picks for baby shower birthday party party supplies": [ + "pink cupcake toppers baby shower party supplies", + "pink cupcake toppers for baby shower party supplies", + "pink cupcake toppers for baby shower", + "pink cupcake toppers for baby shower party", + "pink cupcake toppers baby shower", + "pink cupcake toppers baby shower party", + "pink cupcake toppers, baby shower party supplies", + "pink cupcake toppers, cupcake picks", + "pink cupcake toppers for baby shower baby shower", + "pink cupcake toppers" + ], + "show me a light weight non slipping men's walking shoes with rubber outsole in cuenca split leather burgundy color and 9.5 size.": [ + "walking shoes in cuenca split leather burgundy", + "walking shoes with rubber outsole 9.5 size", + "walking shoes with rubber outsole 9.5 in a light weight", + "walking shoes with rubber outsole 9.5", + "walking shoes that are light weight", + "walking shoes in cuenca split leather burgundy color", + "walking shoes that are light weight and are 9.5 size", + "walking shoes with rubber outsole", + "walking shoes 9.5", + "walking shoes" + ], + "i want to find hair extensions that are strawberry blonde to medium brown, and they need to be 18 inches long.": [ + " strawberry blonde to medium brown hair extensions 18 inches long", + "strawberry blonde to medium brown hair extensions", + " strawberry blonde medium brown hair extensions 18 inches long", + "strawberry blonde hair extensions 18 inches long", + "pink hair extensions 18 inches long", + " strawberry blonde to medium brown hair extension 18 inches long", + "strawberry blonde wig extensions 18 inches long", + "hair extensions 18 inches long strawberry blonde", + "hair extensions 18 inches long", + " strawberry blonde to medium brown hair extensions" + ], + "i'm looking for clothing long sleeve its for women's. it was easy to use.": [ + "womens long sleeve shirt", + "womens long sleeve t-shirt", + "womens long sleeve shirts", + "womens long sleeve shirt long sleeve", + "womens long sleeve its for womens", + "womens long sleeve shirt under $50", + "womens long sleeve shirt under $40", + "womens clothing long sleeve", + "womens long sleeve under $50", + "womens long sleeve under $40" + ], + "i am looking for a black valentines day women\u2019s medium jumpsuit and should be a high quality material.": [ + "black valentines day women\u2019s medium jumpsuit", + "black valentines day women\u2019s medium jumpsuit high quality", + "black valentines day women\u2019s medium jumpsuit, high quality", + "black valentines day women\u2019s medium jumpsuit high quality material", + "woman black valentines day women\u2019s medium jumpsuit", + "black valentines day womens medium jumpsuit", + "womens medium jumpsuit high quality", + "womens medium jumpsuit", + "black valentines day", + "woman medium jumpsuit" + ], + "i'm looking for a high quality, non toxic massage table sheets made of quality materials that is easy to clean for a beauty salon. also, choose 70 * 185 cm sized purple colored one.": [ + "professional massage table sheets made of quality materials", + "professional massage table sheets 70 * 185 cm", + "high quality, non toxic massage table sheets", + "non toxic massage table sheets 70 * 185 cm", + "mushroom table sheets made of quality materials", + "non toxic massage table sheets made of quality materials", + "non toxic massage table sheets", + "beauty salon massage table sheets", + "professional massage table sheets", + "pink massage table sheets" + ], + "i would like a purple 70 by 190 cm linen for my beauty salon that is easy to clean.": [ + "pink 70 by 190 cm linen", + "pink 70 by 190 cm linen beauty salon", + "plastic 70 by 190 cm linen", + "purple 70 by 190 cm linen", + "vinyl 70 by 190 cm beauty salon", + "pure purple 70 by 190 cm linen", + "ps purple 70 by 190 cm linen", + "green 70 by 190 cm linen", + "blue 70 by 190 cm linen", + "living room linen" + ], + "i need a warm winter coat for women with faux fur.": [ + "warm winter coat for women with faux fur", + "warm winter coat for women", + "warm winter coat for women faux fur", + "warm winter coat for women, faux fur", + "warm winter coat for woman with faux fur", + "warm winter coat for women in faux fur", + "warm winter coat women with faux fur", + "warm winter coat", + "warm winter coat for women no fur", + "warm winter coat, women" + ], + "i'm looking for a 3 boho wall decor mid century modern wall art by gubiyu": [ + "3 boho wall decor mid century modern wall art by gubiyu", + "3 boho wall decor mid century modern wall art", + " 3 boho wall decor mid century modern wall art by gubiyu", + "art 3 boho wall decor mid century modern wall art by gubiyu", + "a 3 boho wall decor mid century modern wall art by gubiyu", + "3 boho wall decor mid century modern wall art gubiyu", + "project 3 boho wall decor mid century modern wall art by gubiyu", + "3 boho wall decor mid century modern wall art under 30 dollars", + "3 boho wall decor mid century modern wall art under $40", + " 3 boho wall decor mid century modern wall art" + ], + "i am looking for a 1082 white sports bras for daily casual.": [ + "1082 white sports bras", + "1082 white sports bras for daily casual", + "1082 white sports bras daily casual", + "1082 white sports bras, daily casual", + "white sports bras for daily casual", + "1082 white sports bras in daily casual", + "stainless white sports bras", + "1082 white sports bra", + "a 1082 white sports bras", + "white sports bras" + ], + "i am looking for a medium short sleeve control slips": [ + "medium short sleeve control slips", + "short sleeve control slips", + "medium sleeve control slips", + "medium long sleeve control slips", + "clothing control slips", + "slimming control slips", + "medium short sleeve control slip", + "large short sleeve control slips", + "lens control slips", + "control slips" + ], + "i'm looking for protein crunch bars that are grain free, high in protein, and keto friendly. also they should be peanut cinnamon hemp flavor.": [ + "protein crunch bar peanut cinnamon hemp flavor", + "protein crunch bars peanut cinnamon hemp flavor", + "protein crunch bar peanut cinnamon hemp", + "protein crunch bar keto peanut cinnamon hemp flavor", + "protein crunch bars peanut cinnamon hemp", + "protein crunch bars keto peanut cinnamon hemp flavor", + "protein crunch bar peanut cinnamon hemp flavor.", + "protein crunch bars peanut cinnamon hemp flavor.", + "protein crunch bar keto peanut cinnamon hemp", + "protein crunch bars keto friendly peanut cinnamon hemp" + ], + "i am looking for a craft table with steel frame that comes with a padded stool.": [ + "Craft table with steel frame", + "craft table with steel frame with a padded stool", + "craft table with steel frame", + "Craft table with steel frame with a padded stool", + "a craft table with steel frame", + "womens craft table with steel frame", + "craft table with steel frame, padded stool", + "coffee table with steel frame", + "art table with steel frame", + "Craft table steel frame" + ], + "parmcrisps - all parm crisps cheese, made simply with 100% real cheese | healthy keto snacks, low carb, high protein, gluten free, oven baked, keto-friendly find for me, parm crisps brand, as it is oven baked, gluten free, low carb. excellent product that helps me maintain my low carb diet. my favorite flavor is italian herb. find this flavor.": [ + "parm crisps italian herb flavor", + "parm crisps italian herb", + "parmcrisps italian herb flavor", + "parm crisps italian herb flavor under $40", + "parm crisps italian herb flavor that is italian", + "parm crisps italian herb flavor under $60", + "parm crisps italian herb flavor under $50", + "parm crisps italian herb flavor flavor", + "parm crisps italian herb flavor under 50 dollars", + "parm crisps italian herb flavor under 30 dollars" + ], + "i need a dense cotton mattress cover.": [ + "dense cotton mattress cover", + "dust cotton mattress cover", + "tablet cotton mattress cover", + "comfortable cotton mattress cover", + "heavy cotton mattress cover", + "cotton mattress cover", + "yogurt mattress cover", + "living room mattress cover", + "dust cotton mattress cover.", + "floor cover" + ], + "i would like 18 bags of 1.25 croele party mix that is gluten free.": [ + "18 bags of 1.25 croele party mix that is gluten free", + "18 bags of 1.25 croele party mix", + "12 bags of 1.25 croele party mix that is gluten free", + "bag of 1.25 croele party mix that is gluten free", + "18 bags of 1.25 croele party mix that are gluten free", + "18 bags of 1.25 croele party mix gluten free", + "18 bag of 1.25 croele party mix that is gluten free", + "18bag of 1.25 croele party mix that is gluten free", + "12 bags of 1.25 croele party mix", + "1.25 croele party mix that is gluten free" + ], + "i looking a dark chocolate gift basket pack for valentine day size -2 pound": [ + "dark chocolate gift basket pack valentine day size -2 pound", + "dark chocolate gift basket pack for valentine day size 2 pound", + "dark chocolate gift basket pack for valentine day", + "dark chocolate gift basket pack valentine day size 2 pound", + "dark chocolate gift basket pack", + "dark chocolate gift basket pack for valentine day -2 pound", + "dark chocolate gift basket pack -2 pound", + "dark chocolate gift basket pack that is 2 pound", + "dark chocolate gift basket pack valentine day", + "dark chocolate gift basket pack under $50" + ], + "i need plant based and sulfate free shampoo which prevents hair loss and regenerates hair growth.": [ + "plant based and sulfate free shampoo", + "plant based and sulfate free shampoo for hair loss and regenerates hair growth", + "plant based and sulfate free shampoo with hair loss and regenerates hair growth", + "plant based and sulfate free shampoo for hair loss", + "plant based and sulfate free shampoo with hair loss", + "plant based sulfate free shampoo", + "plant based sate free shampoo", + "plant based natural shampoo", + "plant based serum free shampoo", + "plastic free shampoo" + ], + "i am searching for beige color memory foam upholstered fabric platform bed": [ + "beige color memory foam upholstered fabric platform bed", + "pink color memory foam upholstered fabric platform bed", + "memory foam upholstered fabric platform bed", + " beige color memory foam upholstered fabric platform bed", + "beige color memory foam upholstered fabric platform bed,", + "memory foam upholstered fabric platform bed beige", + "blue beige color memory foam upholstered fabric platform bed", + "beige memory foam upholstered fabric platform bed", + "beige color memory foam upholstered fabric bed", + "beige color memory foam bed" + ], + "i'm looking for clothing jeans it will use for easy to machinable wash.": [ + "teeth jeans easy to machinable wash", + "easy to machinable wash jeans", + "womens jeans easy to machinable", + "jeans easy to machinable wash", + "easy to machinable wash clothing jeans", + "teeth jeans that are machinable wash", + "teeth jeans easy to machinable", + "womens jeans", + "tuxedale jeans", + "tempered clothing jeans" + ], + "i'm looking for butt lifting and the clothing for quick drying and high waist.": [ + "butt lifting quick drying high waist", + "butt lifting quick drying high waist jeans", + "butt lifting quick drying high waist.", + "butt lifting quick drying and high waist", + "butt lifting quick drying waist high waist", + "butt lifting quick drying high waist pants", + "butt lifting quick drying waist", + "butt lifting quick drying", + "butt lifting high waist", + "butt lifting" + ], + "i am looking a dark olive color oil free fine mist foundation": [ + "dark olive color oil free fine mist foundation", + "dark olive color fine mist foundation", + "dark olive oil free fine mist foundation", + "light olive color oil free fine mist foundation", + "low olive color oil free fine mist foundation", + "dark olive colored fine mist foundation", + " dark olive color oil free fine mist foundation", + "dark olive color oil free fine mist", + "dark olive color foundation", + "dark olive color" + ], + "i'm looking for buy a rugs for kitchen rugs.": [ + "rugs for kitchen rugs", + "router for kitchen rugs", + "home rugs for kitchen rugs", + "rfsh rug for kitchen rugs", + "rugs for kitchen rugs.", + "living room rugs", + "rainbow color kitchen rugs", + "rainbow colored kitchen rugs", + "roasted kitchen rugs", + "router for kitchen rugs." + ], + "i would like a 5 by 8 ft light blue runner rug for the living room.": [ + "5 by 8 ft light blue runner rug", + "5 by 8 ft light blue runner rug living room", + "5 x 8 ft light blue runner rug", + "5 x 8 ft light blue runner rug living room", + "living room 5 by 8 ft light blue runner rug", + "walking rug for the living room", + "light blue runner rug for living room", + "walking rug 5 by 8 ft", + "walking rug for living room", + "walking rug" + ], + "i am looking for a 0g trans bagels.": [ + "0g trans bagels", + "1g trans bagels", + "3g trans bagels", + "bagels 0g trans", + "5g trans bagels", + "9g trans bagels", + "2g trans bagels", + "0g trans bagels.", + "1g trans bagels.", + "bagels 0g" + ], + "please re order deep conditioning hair treatment for my natural hair and should be 4.06 fl oz.": [ + "deep conditioning hair treatment for natural hair 4.06 fl oz", + "deep conditioning hair treatment 4.06 fl oz", + "deep conditioning hair treatment for my natural hair 4.06 fl oz", + "Deep conditioning hair treatment for natural hair 4.06 fl oz", + "deep conditioning hair treatment for natural hair 4.06 fl oz.", + "deep conditioning hair treatment for natural hair with 4.06 fl oz", + "deep conditioning hair treatment for natural hair, 4.06 fl oz", + "deep conditioning hair treatment, 4.06 fl oz", + "deep conditioning hair treatment 4.06 fl oz.", + "natural hair treatment 4.06 fl oz" + ], + "i'm looking for optical zoom camera it contains stereo sound.": [ + "optical zoom camera with stereo sound", + "optical zoom camera it contains stereo sound", + "optical zoom camera that contains stereo sound", + "optical zoom camera", + "optical zoom camera which contains stereo sound", + "optical zoom camera with stereo sound.", + "optical zoom camera no stereo sound", + "optical zoom camera, with stereo sound", + "optical zoom camera that is stereo sound", + "optical zoom camera, stereo sound" + ], + "i want to find a matte black hair removal trimmer.": [ + "matte black hair removal trimmer", + "maturity black hair removal trimmer", + "matte black hair removal trimmer.", + "plastic black hair removal trimmer", + "stainless black hair removal trimmer", + "matmat black hair removal trimmer", + "pink black hair removal trimmer", + "maturity black hair removal trimmer.", + "matte black hair removal trimmer,", + "teeth removal trimmer" + ], + "i'm looking for a long lasting hydrating lip gloss that contains hyaluronic acid. also, choose name drop one.": [ + "lip gloss hyaluronic acid", + "long lasting hydrating lip gloss", + "lip gloss with hyaluronic acid", + "lip gloss that contains hyaluronic acid", + "lip gloss hyaluronic acid long lasting", + "long lasting hydrating lip gloss under $40", + "lip gloss hydrating lip gloss", + "long lasting hydrating lip gloss under $50", + "long lasting hydrating lip gloss under $60", + "lip gloss hyaluronic" + ], + "i would like a black nightstand for my kid that is made of engineered wood.": [ + "black nightstand for kids made of engineered wood", + "nightstand for my kid made of engineered wood", + "black nightstand made of engineered wood", + "black nightstand for kids made from engineered wood", + "black nightstand for my kid", + "black nightstand made from engineered wood", + "black nightstand, made of engineered wood", + "black nightstand", + "black nightstand for kids", + "nightstand" + ], + "hey !order for me women\u2019s sun sandals size 10 and should come with a synthetic sole and a open toe.": [ + "woman\u2019s sun sandals size 10", + "woman sandals size 10 with a synthetic sole", + "womens sun sandals size 10", + "woman sandals size 10 with synthetic sole", + "woman sandals size 10", + "woman sun sandals size 10 with a synthetic sole", + "womens sandals size 10 with a synthetic sole", + "womens sandals size 10", + "woman sandals size 10 synthetic sole", + "woman sun sandals size 10" + ], + "i am looking for a 1.5mm anti aging cotton swabs": [ + "1.5mm anti aging cotton swabs", + "anti aging cotton swabs 1.5mm", + "1.5mm anti aging cotton swab", + "anti aging cotton swabs, 1.5mm", + "anti aging cotton swabs", + "one.5mm anti aging cotton swabs", + "anti aging cotton swabs 1.5mm anti aging", + "a 1.5mm anti aging cotton swabs", + "1.5mm anti aging cotton swabs,", + "ant aging cotton swabs" + ], + "i want bowl to have in a bowl, soy wax scented candle which is lead free.": [ + " bowl of soy wax scented candle", + "dining bowl with a soy wax scented candle", + "bowl with a soy wax scented candle", + "bowl to have in a bowl soy wax scented candle", + " bowl with a soy wax scented candle", + " bowl of soy wax scented candle that is lead free", + " bowl of soy wax scented candle, lead free", + "shoes wax scented candle", + " bowl with a candle that is lead free", + " bowl with a candle" + ], + "i need some candles that are made with soy wax and that have a pretty scent.": [ + "synthetic candles made with soy wax", + "synthetic candles", + "sneakers made with soy wax", + "sneakers made with soy wax candles", + "natural candles made with soy wax", + "synthetic candles made from soy wax", + "sneakers with a pretty scent", + " candles made with soy wax", + "synthetic candles under $50", + "synthetic candles under $40" + ], + "i'm looking for clothing accessories for women's.": [ + "womens clothing accessories", + "clothing accessories for womens", + "teeth accessories for womens", + "style accessories for womens", + "womens accessories", + " clothing accessories for womens", + "pocket accessories for womens", + "womens clothing accessories for womens", + "womens clothing accessories under $40", + "womens clothing accessories under $50" + ], + "i'm looking for a high quality salon and spa chair for hair and beauty salon. also, choose grey colored one.": [ + "grey colored salon and spa chair", + "beauty salon and spa chair grey colored", + "beauty salon chair grey colored", + "high quality salon and spa chair grey colored", + "hair salon and spa chair grey colored", + "grey colored salon chair", + "high quality salon and spa chair", + "grey salon and spa chair", + "professional salon and spa chair grey colored", + "grey colored salon and beauty salon chair" + ], + "looking for a cream | gray which is easy to clean.": [ + "roasted gray cream | gray", + "cream | gray cream", + "cream | gray", + "cream | gray cream | gray", + "moisturizing gray cream", + "colored cream | gray", + "ac cream | gray", + "white cream | gray", + "cream | gray", + "acom | gray cream" + ], + "i want a pink color easy assemble height adjustable 26\"h -2 chair bar stool": [ + "easy assemble height adjustable 26h -2 chair bar stool", + "pink color 26h -2 chair bar stool", + "pink color easy assemble height adjustable 26h -2 chair", + "pink color 25h -2 chair bar stool", + "easy assemble height adjustable 26h -2 chair bar stool pink", + "pink color 18h -2 chair bar stool", + "pink color easy assemble height adjustable 26h -2 chair stool", + "pink color easy assemble height adjustable 26h -2 chair bar", + "pink color 12h -2 chair bar stool", + "easy assemble height adjustable 26h -2 chair bar stool, pink" + ], + "i'm looking for a blue, 10.1 inch android tablet that has dual cameras and a long-lasting battery.": [ + "blue, 10.1 inch android tablet with dual cameras", + "blue 10.1 inch android tablet with dual cameras", + "blue, 10.1 inch android tablet with dual camera", + "blue, 10.1 inch android tablet", + "blue 9.1 inch android tablet with dual cameras", + "blue 10.1 inch android tablet that has dual cameras", + "blue and 10.1 inch android tablet with dual cameras", + "blue 8.1 inch android tablet with dual cameras", + "blue 10.1 inch android tablet with dual camera", + "blue 10.1 inch android tablet" + ], + "i am looking for a blue classic fit shirts for men.": [ + "blue classic fit shirts for men", + "blue classic fit shirts for men.", + "blue classic fit shirts for men under 50 dollars", + "blue classic fit shirts for men under $40", + "blue classic fit shirts for men under 40 dollars", + "blue classic fit shirts for men under 30 dollars", + "blue classic fit shirts for men under $50", + "blue classic fit shirt for men", + "blue classic fit shirts for men under $60", + "blue classic fit shirts for men under 60 dollars" + ], + "i would like a some black camera batteries that are easy to install.": [ + "black camera batteries", + "easy to install black camera batteries", + "black camera batteries easy to install", + "black camera batteries, easy to install", + "alarm batteries easy to install", + "white camera batteries easy to install", + "easy setup black camera batteries", + "alarm batteries easy to install black", + "a black camera batteries", + "white camera batteries" + ], + "i would like a women's 3xl black blouse that is long sleeved.": [ + "womens 3xl black blouse long sleeved", + "womens 3xl black blouse", + "womens 3xl black blouse, long sleeved", + "womens 3xl black blouse with long sleeved", + "womens 3xl blouse long sleeved", + "womens 3xl black blouse long sleeved.", + "womens 3xl blouse that is long sleeved", + "womens 3 xl black blouse long sleeved", + "womens 3xl black blouse long sleeved,", + "womens 3xl blouse" + ], + "hi there, can you search the web for the price of a 30 pack of sugar-free limon to drink while on my low-carb diet.": [ + "30 pack of sugar-free limon", + "30 pack sugar-free limon", + "28 pack of sugar-free limon", + "30 pack sugar-free limon to drink", + "30 pack of sugar-free limon drink", + "low-carb limon drink 30 pack", + "low-carb limon 30 pack", + "30 pack of sugar free limon", + "sugar free limon 30 pack", + "low-carb limon" + ], + "i am looking for flat open toe slipper in z1-02 black": [ + "flat open toe slipper in z1-02 black", + "flat open toe slipper z1-02 black", + "open toe slipper in z1-02 black", + "clinically open toe slipper in z1-02 black", + "stainless open toe slipper in z1-02 black", + "flat open toe slipper, z1-02 black", + " flat open toe slipper in z1-02 black", + "open toe slipper z1-02 black", + "flat open toe slippers in z1-02 black", + "flat open toe slipper in z1-02 black," + ], + "i am looking for eco friendly roller shades for windows in charcoal gray color": [ + "eco friendly roller shades for windows in charcoal gray", + "eco friendly roller shades for windows in charcoal gray color", + "eco friendly roller shades for windows in charcoal gray", + "eco friendly, roller shades for windows in charcoal gray", + "eco friendly and roller shades for windows in charcoal gray", + "eco friendly yellow roller shades for windows in charcoal gray", + "eco friendly colored roller shades for windows in charcoal gray", + "eco friendly , roller shades for windows in charcoal gray", + "eco friendly roller shades for windows, charcoal gray", + "eco friendly white roller shades for windows in charcoal gray" + ], + "i'm looking for a 40 pieces hair satin foam rollers perm rods.": [ + "40 pieces hair satin foam rollers perm rods", + "40 piece hair satin foam rollers perm rods", + "hair satin foam rollers perm rods", + "hair satin foam rollers perm rods 40 pieces", + "40 pieces hair satin foam rollers", + "hair satin foam rollers perm rods 40 piece", + "hair satin foam rollers perm rods 40", + "40 hair satin foam rollers perm rods", + "40 piece hair satin foam rollers", + "hair satin foam rollers" + ], + "i'm looking for a closed toe sandals with arch support and lace closure. also, choose 5.5 size black colored one.": [ + "open toe sandals with arch support and lace closure", + "closed toe sandals with arch support and lace closure", + "open toe sandals with arch support", + "open toe sandals 5.5 size black", + "closed toe sandals with arch support", + "open toe sandals with arch support with lace closure", + "clinically closed toe sandals with arch support", + "5.5 size black colored sandals", + "open toe sandals", + "open toe sandals black" + ], + "please order for me 6 packs of black eye peas that are gluten free and non gmo.": [ + "6 packs of black eye peas", + "6 packs of black eye peas gluten free", + "6 packs of black eye peas that are gluten free", + "black eye peas gluten free and non gmo", + "6 pack of black eye peas gluten free", + "6 packs of gluten free and non gmo peas", + "6 pack of black eye peas", + "6 packs of black eye peas no gmo", + "pack of black eye peas gluten free", + "black eye peas gluten free" + ], + "i'm looking for camellia brand dried field peas.": [ + "abllia brand dried field peas", + "barbecue brand dried field peas", + "rubber dried field peas", + "barbecue brand dried field peas.", + "bar dried field peas", + "brushed peas brand dried field peas", + "barbecue dried peas", + "rubber dried field peas.", + "rubber dried peas", + "brushed peas brand dried" + ], + "i would like a 30 x 40 inches multicolored super soft fleece throw.": [ + "30 x 40 inches multicolored super soft fleece throw", + "28 x 40 inches multicolored super soft fleece throw", + "40 x 40 inches multicolored super soft fleece throw", + "rainbow throw 30 x 40 inches", + "super soft fleece throw 30 x 40 inches", + "30 x 40 inch multicolored super soft fleece throw", + "multicolored super soft fleece throw", + "magnified super soft fleece throw", + "super soft fleece throw", + "magnified super soft fleece throw under 30 dollars" + ], + "i want a solid wood sofa bed that goes in my living room. pick a 2 seater.": [ + "living room sofa bed 2 seater", + "solid wood sofa bed 2 seater", + "solid wood sofa bed, 2 seater", + "solid wood sofa bed", + "2 seater solid wood sofa bed", + "solid wood sofa bed in my living room", + "2 seater sofa bed", + "living room sofa bed with 2 seater", + "stainless wood sofa bed", + "living room sofa bed" + ], + "i'm looking for a clincally proven hyaluronic acid 20% vitamin c serum that helps with fine lines.": [ + "clincally proven hyaluronic acid 20% vitamin c serum", + "clinically proven hyaluronic acid 20% vitamin c serum", + "hyaluronic acid 20% vitamin c serum", + "fluoride 20% vitamin c serum that helps with fine lines", + "hyaluronic acid 20% vitamin c serum with fine lines", + "fluoride 20% vitamin c serum", + "clincally proven hyaluronic acid 20% vitamin", + "20% vitamin c serum that helps with fine lines", + "hyaluronic acid 20% vitamin c serum under $40", + "20% vitamin c serum" + ], + "i'm looking for engineered wood it was white finish grey in color.": [ + "engineered wood white finish grey", + "engineered wood white finish", + "engineered wood white finish grey", + "engineered wood white finish grey color", + "engineered wood, white finish grey", + "engineered wood with white finish grey", + "engineered wood white", + "engineered wood white finish grey,", + "white finish grey engineered wood", + "engineered wood" + ], + "i want gray startogoo twin low bunk bed with wood frame.": [ + "gray startogoo twin low bunk bed with wood frame", + "gray startogoo twin low bunk bed", + "gray startogoo twin low bunk bed wood frame", + "grey startogoo twin low bunk bed with wood frame", + "gray startogoo twin low bunk bed with wood frame.", + "gray Startogoo twin low bunk bed with wood frame", + "gray startogoo twin low bunk bed with wood frame,", + "womens gray startogoo twin low bunk bed", + "grey startogoo twin low bunk bed wood frame", + "grey startogoo twin low bunk bed" + ], + "i am looking for chocolate gift set.": [ + "chocolate gift set", + "chocolate gift set.", + "chocolate gift set that is chocolate", + "chocolate gift set under $50", + "chocolate gift set under 50 dollars", + "chocolate gift set under $40", + "chocolate gift set under $60", + "chocolate gift set under 30 dollars", + "chocolate gift set under 40 dollars", + "chocolate gift set under 60 dollars" + ], + "i am looking for chocolate flavor milk chocolate for valentine day.": [ + "chocolate flavor milk chocolate valentine day", + "chocolate flavor milk chocolate for valentine day", + "chocolate flavor milk chocolate valentine day.", + "ocolate flavor milk chocolate valentine day", + "chocolate flavor milk chocolate valentine day flavor", + "chocolate flavor milk chocolate valentine", + "chocolate flavor chocolate valentine day", + " chocolate flavor milk chocolate valentine day", + "pink chocolate flavor valentine day", + "chocolate flavor milk chocolate" + ], + "i want a 2lb box of old fashioned milk and dark chocolate nuts.": [ + "2lb box of old fashioned milk and dark chocolate nuts", + "old fashioned milk and dark chocolate nuts 2lb box", + " 2lb box of old fashioned milk and dark chocolate nuts", + "twolb box of old fashioned milk and dark chocolate nuts", + "2lb old fashioned milk and dark chocolate nuts", + "2lb box old fashioned milk and dark chocolate nuts", + "2lb box of old fashioned milk with dark chocolate nuts", + "2lb box of old fashioned milk chocolate nuts", + "2lb box of old fashioned milk dark chocolate nuts", + "2lb box of old fashioned milk and chocolate nuts" + ], + "i am looking for an old fashioned 1 pound peanut cluster milk chocolate": [ + "old fashioned 1 pound peanut cluster milk chocolate", + "old fashioned peanut cluster milk chocolate", + " old fashioned 1 pound peanut cluster milk chocolate", + "old fashioned peanut cluster milk chocolate that is old fashioned", + "old fashioned peanut cluster milk chocolate under $40", + "old fashioned peanut cluster milk chocolate old fashioned", + " old fashioned peanut cluster milk chocolate", + "1 pound peanut cluster milk chocolate", + "old fashioned peanut cluster milk chocolate flavor", + "a peanut cluster milk chocolate" + ], + "i am looking for a hygiene tongue cleaner for fresh breath. also choose 6 count pack.": [ + " hygiene tongue cleaner for fresh breath 6 count pack", + "sneakers tongue cleaner for fresh breath 6 count pack", + "shampoo tongue cleaner for fresh breath 6 count pack", + " hygiene tongue cleaner for fresh breath. 6 count pack", + " hygiene tongue cleaner for fresh breath, 6 count pack", + "hygiene tongue cleaner for fresh breath 6 count pack", + "slimming tongue cleaner for fresh breath 6 count pack", + "shamper cleaner for fresh breath 6 count pack", + "lip cleaner for fresh breath 6 count pack", + "sneakers tongue cleaner 6 count pack" + ], + "i am looking loose leaf green flavor non gmo usda organic herbal tea size:1 pouch (pack of 1)": [ + "non gmo usda organic herbal tea size 1 pouch (pack of 1)", + " loose leaf green flavor non gmo usda organic herbal tea size 1 pouch (pack of 1)", + "leaf green flavor non gmo usda organic herbal tea size 1 pouch (pack of 1)", + "non gmo usda organic herbal tea size:1 pouch (pack of 1)", + "leaf green flavor non gmo usda organic herbal tea size 1 pouch (pack of 1)", + "i am looking loose leaf green flavor non gmo usda organic herbal tea", + "lemon leaf green flavor non gmo usda organic herbal tea", + " loose leaf green flavor non gmo usda organic herbal tea", + " loose leaf green flavor non gmo usda organic herbal tea", + "non gmo usda organic herbal tea" + ], + "i want milk thistle tea bags. make sure that it has an usda organic label.": [ + "milk thistle tea bags with usda organic label", + "milk thistle tea bags with an usda organic label", + "milking thistle tea bags with usda organic label", + "milk thistle tea bags with a usda organic label", + "milking thistle tea bags with an usda organic label", + "milky thistle tea bags with usda organic label", + " milk thistle tea bags with usda organic label", + "milk thistle tea bags usda organic label", + "milk thistle tea bags with usda organic label.", + "milk thistle tea bags" + ], + "i'm looking for a light weight fashion designed pure cotton men's briefs. also, choose medium sized b gray colored one.": [ + "pure cotton mens briefs", + "medium sized b gray colored briefs", + "pure cotton mens briefs light weight", + "light weight fashion b gray colored briefs", + "medium sized b gray colored boxer", + "medium size b gray colored briefs", + "medium cotton mens briefs", + "pure cotton mens briefs, light weight", + "light weight fashion b gray colored", + "pure cotton mens briefs, b gray" + ], + "i need a pack of long lasting argan oil lotion. pick one that is 16.8 fl oz in size.": [ + "pack of long lasting argan oil lotion 16.8 fl oz", + "long lasting argan oil lotion 16.8 fl oz in size", + "pack of long lasting argan oil lotion", + "long lasting argan oil lotion 16.8 fl oz", + "pack of long lasting argan oil lotion16.8 fl oz", + "bag of long lasting argan oil lotion 16.8 fl oz", + "a pack of long lasting argan oil lotion", + "pack of long lasting argan oil lotion 16 oz in size", + "argan oil lotion 16.8 fl oz in size", + "6 pack of long lasting argan oil lotion" + ], + "i would like a pendant light fixture.": [ + "pendant light fixture", + "pendant light fixture pendant", + "pendant light fixture.", + "pendant light fixture, pendant", + "pendant light fixture under $40", + "pendant light fixture under $50", + "pendant light fixture for pendant", + "pendant light fixture in pendant", + "pendant light fixture under $60", + "pocket light fixture" + ], + "show me a bright green art wall sculptures for living room made through exquisite workmanship.": [ + "green art wall sculptures for living room made through exquisite workmanship", + "yellow art wall sculptures for living room made through exquisite workmanship", + "living room wall sculptures with exquisite workmanship", + "beautiful green art wall sculptures for living room", + "green art wall sculptures for living room with exquisite workmanship", + "green art wall sculptures for living room", + "beautiful green art wall sculptures", + "yellow modern art wall sculptures", + "rainbow color wall sculptures", + "beauty green art wall sculptures" + ], + "i would like a cube of individually wrapped sugarolly candy for a birthday party.": [ + "pack of individually wrapped sugarolly candy for a baby shower", + "pack of individually wrapped sugarolly candy for a birthday party", + "sugarolly candy for a baby shower", + "bag of individually wrapped sugarolly candy for a baby shower", + "bag of individually wrapped sugarolly candy for a birthday party", + "plastic sugarolly candy for a baby shower", + "single wrapped sugarolly candy for a baby shower", + "sugarolly candy for a birthday party", + "synthetic sugarolly candy for a baby shower", + "curtains sugarolly candy for a baby shower" + ], + "i'm looking for clothing to wear comfortable and everyday wear.": [ + "comfortable and everyday wear", + "clothing comfortable and everyday wear", + "living comfortable and everyday wear", + "style comfortable and everyday wear", + "comfortable and everyday wear.", + "comfortable comfortable and everyday wear", + "pocketed comfortable and everyday wear", + "living comfortable and everyday wear.", + "walking shoes comfortable and everyday wear", + "fortable and everyday wear" + ], + "order for me sour gummies that are dairy free,gluten free and with good quality ingredients.": [ + "sugar free gummies", + "sour gummies dairy free", + "sour gummies dairy free", + "sugar free gummies that are dairy free", + "sour gummies dairy free and gluten free", + "sneakers dairy free", + "sugar free gummies dairy free", + "sneakers dairy free and gluten free", + "sours gummies dairy free", + "sugar free gummies under $40" + ], + "i'm looking for buy a chocolates and candys gits for valentines day a perfect gift.": [ + "chocolates and candys gits for valentines day", + "chocolates and candys gits valentines day", + "chocolates and candys gits valentines day a perfect gift", + "chocolates and candys git valentines day a perfect gift", + "chocolates and candys gits valentines day, perfect gift", + "chocolates and candys git valentines day", + "chocolates and candys gits valentines day perfect gift", + "pink chocolates and candys gits for valentines day", + "caramel and candys gits valentines day", + "chocolate and candys gits valentines day" + ], + "crystal rhinestone phone ring and stand hands free in gold colour": [ + "crystal rhinestone phone ring", + "crystal rhinestone phone ring in gold", + "crystal rhinestone phone ring, gold", + "crystal rhinestone phone ring gold", + "crystal rhinestone phone ring with gold colour", + "crystal rhinestone phone ring with gold color", + "crystal rhinestone phone ring black", + "crystal rhinestone phone ring with gold", + "crystal rhinestone phone ring, gold colour", + "phone ring gold" + ], + "i'm looking for camera for digital photography. the camera was easy to carry at.": [ + "camera for digital photography", + "camera for digital photography easy to carry", + "easy to carry camera for digital photography", + "curtains for digital photography", + "curtains digital photography easy to carry", + "simple to carry camera for digital photography", + "cameras for digital photography", + " camera for digital photography", + "projection camera for digital photography", + "curtains digital photography" + ], + "i am looking for an easy to use seasoning mix in the green raita flavor.": [ + "easy to use seasoning mix in the green raita flavor", + "green raita seasoning mix", + "green raita seasoning mix easy to use", + "green raita seasoning mix that is easy to use", + "easy to use seasoning mix for green raita flavor", + "yellow seasoning mix in the green raita flavor", + "easy to use seasoning mix in a green raita flavor", + "pink raita seasoning mix", + "green raita seasoning mix, easy to use", + "green raita seasoning mix under $40" + ], + "i am searching for easy to use mascara brushes. also, choose the pink one.": [ + "pink mascara brushes", + "easy to use mascara brushes", + "easy to use mascara brushes pink", + "easy to use mascara brushes, pink", + "easy to use mascara brushes in pink", + "easy to use mascara brushes.", + "pink mascara brushes easy to use", + "easy to use pink mascara brushes", + "pink mascara brush", + "easy to use mascara brushes. pink" + ], + "show me some long lasting honeysuckle jasmine colored candles made from soy wax.": [ + "long lasting honeysuckle jasmine colored candles made from soy wax", + "honeyysuckle jasmine colored candles made from soy wax", + "long lasting honeysuckle jasmine colored candles", + "honeyysuckle jasmine colored candles", + "homeysuckle jasmine colored candles made from soy wax", + "womensuckle jasmine colored candles made from soy wax", + "navy jasmine colored candles made from soy wax", + "honeyysuckle jasmine colored candles made from soy wax.", + "vegan candles made from soy wax", + "a long lasting honeysuckle jasmine colored candles" + ], + "i am looking a eye cream for dark circles.": [ + "eye cream for dark circles", + "dark circles eye cream", + "eye cream for dark circles under $40", + "dark circles with eye cream", + "eye cream for dark circles under $50", + "eye cream for dark circles under $60", + "eye cream for dark circles under 50 dollars", + "eye cream dark circles", + "eye cream for dark circles.", + "dark circles" + ], + "i'm looking for a permanent hair dye which is paraben free and should be cruelty free certified. also choose a pack of 1 with 3.99 fl oz and pillarbox red colored one.": [ + "permanent hair dye that is paraben free and should be cruelty free certified", + "pink hair dye that is paraben free and should be cruelty free certified", + "permanent hair dye which is paraben free and should be cruelty free certified", + "pink hair dye that is paraben free", + "permanent hair dye, paraben free and should be cruelty free certified", + "permanent hair dye that is paraben free", + "pink colored hair dye that is paraben free", + "pink hair dye paraben free", + "paraben free hair dye", + "pink colored hair dye" + ], + "i am looking for a hot pink machine washable bikinis sets": [ + "hot pink machine washable bikinis sets", + "hot pink machine washable bikinis", + "hot pink machine washable bikinis set", + "hot pink bikinis sets", + "hot pink machine washable bikinis Sets", + "hot pink bikinis set", + "hot pink bikinis", + "hot pink machine washable bikinis,", + "hot pink woman washable bikinis", + "hot pink mens bikinis sets" + ], + "i'm looking for long sleeve tops it can makes feel comfortable.": [ + "long sleeve tops", + "long sleeve tops that are comfortable", + "long sleeve tops comfortable", + "long sleeve tops that feel comfortable", + "long sleeve tops that is comfortable", + "long sleeve tops under $50", + "long sleeve tops under $40", + "long sleeve tops for women", + "short sleeve tops", + "short sleeve tops comfortable" + ], + "i am looking for a water resistant minimalist shoe with rubber sole for a man. also choose storm navy color and size no 9.": [ + "water resistant minimalist shoe with rubber sole", + "water resistant minimalist shoe with rubber sole size no 9", + "water resistant minimalist shoe with rubber sole for a man", + "water resistant minimalist shoe in a size no 9", + "water resistant minimalist shoe with rubber sole no 9", + "rain navy shoe size no 9", + "water resistant minimalist shoe size no 9", + "rain navy shoes size no 9", + "water resistant minimalist shoe", + "rain navy shoe" + ], + "i'm looking for a day comfort men's boots with synthetic sole. also, choose 12 size burnished gold colored one.": [ + "day comfort mens boots with synthetic sole", + "day comfort mens boots with synthetic sole 12 size burnished gold", + "day comfort mens boots 12 size burnished gold colored", + "day comfort mens boots with synthetic sole12 size burnished gold", + "day comfort mens boots with synthetic sole 12 ft burnished gold", + "day comfort mens boots with synthetic sole 12 size", + "day comfort mens boots with synthetic sole 12", + "day comfort mens boots with synthetic sole.", + "day comfort mens boots", + "day comfort mens boots with synthetic sole 12 ft" + ], + "find me a super soft round table cloth that is 70\"x70\" in size.": [ + "super soft round table cloth 70x70", + "super soft round table cloth", + "super soft round table cloth, 70x70", + "super soft round table cloth in 70x70", + "super soft round table cloth size 70x70", + "super soft table cloth that is 70x70", + "super soft round table cloth under 70x70", + "super soft table cloth 70x70", + "super soft round table cloth under 70 dollars", + "super soft table cloth" + ], + "i am looking for non gmo chopped pecan nuts of 4 pound size.": [ + "non gmo chopped pecan nuts of 4 pound size", + "non gmo chopped pecan nuts 4 pound size", + "non gmo chopped pecan nuts 4 pound", + "non gmo chopped pecan nuts of 4 pound", + "non gmo chopped pecan nuts 4 pound size.", + "non gmo chopped pecan nuts, 4 pound size", + "non gmo chopped pecan nuts", + "non gmo chopped pecan nuts size 4 pound", + "non-gmo chopped pecan nuts 4 pound size", + "non gmo chopped pecan nuts in 4 pound size" + ], + "i would like a 8 ounce pack of non gmo pecans.": [ + "8 ounce pack of non gmo pecans", + "8 oz pack of non gmo pecans", + "8oz pack of non gmo pecans", + " 8 ounce pack of non gmo pecans", + "8 ounce pack non gmo pecans", + "8 ounce pack of gmo pecans", + "non gmo pecans 8 ounce pack", + "non gmo pecans 8 oz", + "non gmo pecans 8 oz pack", + "8 ounce pack" + ], + "i need a pre shampoo treatment for damaged hair.": [ + "pre shampoo treatment for damaged hair", + "pre shampoo treatment for damaged hair.", + "Pre shampoo treatment for damaged hair", + "pre shampoo treatment for damaged hair under $40", + "pre shampoo treatment for damaged hair under $50", + "pre shampoo treatment for damaged hair under $60", + "pink shampoo treatment for damaged hair", + "pre shampoo treatment for damaged hair below $50", + "tea treatment for damaged hair", + "toothpaste treatment for damaged hair" + ], + "i am searching for a certified refurbished all-in-one printer with high performance.": [ + "certified refurbished all-in-one printer", + "professional refurbished all-in-one printer with high performance", + " certified refurbished all-in-one printer with high performance", + "curtains all-in-one printer with high performance", + "furnished all-in-one printer with high performance", + "a certified refurbished all-in-one printer", + "aluminum all-in-one printer with high performance", + "professional refurbished all-in-one printer", + "curtains all-in-one printer", + "aluminum all-in-one printer" + ], + "i'm looking for furniture for living room that wood framed furniture is easy to use.": [ + "wood framed furniture for living room", + "living room wood framed furniture", + "living room furniture wood framed furniture", + "wood framed furniture living room", + "living room wood framed furniture easy to use", + "wood framed furniture that is easy to use", + "wood framed furniture for living room.", + "wood framed furniture", + "wood framed furniture in living room", + "living room furniture" + ], + "i'm looking for a keratin hair treatment kit which has anti aging property and made of natural ingredients. also, choose 3.4 fl oz one": [ + "kneeatin hair treatment kit with anti aging property", + "ketatin hair treatment kit with anti aging property 3.4 fl oz", + " keratin hair treatment kit with anti aging property and made of natural ingredients", + "kneeatin hair treatment kit made of natural ingredients", + "knee keratin hair treatment kit with anti aging property", + "kneeatin hair treatment kit", + "kneeatin hair treatment kit natural no aging", + " keratin hair treatment kit with anti aging property", + "ketatin hair treatment kit with anti aging property", + "kneeatin hair treatment kit anti aging" + ], + "i use mostly natural ingredients for my skin in 10.1 fl oz": [ + "natural ingredients for my skin in 10.1 fl oz", + "natural ingredients for my skin 10.1 fl oz", + "natural ingredients 10.1 fl oz", + "natural ingredients for my skin, 10.1 fl oz", + "natural ingredients for skin in 10.1 fl oz", + "natural ingredients for the skin in 10.1 fl oz", + "10.1 fl oz natural ingredients", + "natural ingredients for skin 10.1 fl oz", + "natural ingredients for my skin in 10.1fl oz", + "10.1 fl oz natural ingredients for skin" + ], + "i am looking for oil free foundation for dry skin. please choose mocha color.": [ + "oil free foundation for dry skin mocha color", + "oil free foundation for dry skin mocha", + "an oil free foundation for dry skin mocha color", + "moisturizing foundation for dry skin mocha color", + "oil free foundation for dry skin with mocha color", + "oil free foundation for dry skin. mocha color", + "oil free foundation for dry skin, mocha color", + "oil free foundation for dry skin", + "oil free foundation for dry skin, mocha color,", + "an oil free foundation for dry skin mocha color." + ], + "i am interested in purchasing a cruelty free lip enhancer with natural ingredients in the color teal.": [ + "cruelty free lip enhancer with natural ingredients", + "cruelty free lip enhancer", + "cruelty free lip enhancer, teal", + "cruelty free lip enhancer teal", + "cruelty free lip enhancer that is natural", + "cruelty free lip enhancer teal", + "cruelty free lip enhancerteal", + "cruelty free lip enhancer natural", + "lip enhancer with natural ingredients", + "animal cruelty free lip enhancer" + ], + "i want some headphone amplifiers with a power adapter.": [ + "phone amplifiers with a power adapter", + "electric headphone amplifiers with a power adapter", + "electric amplifiers with a power adapter", + "a headphone amplifiers with a power adapter", + "power adapter for headphone amplifiers", + "toothpaste amplifiers with power adapter", + "phone amplifiers with power adapter", + "daring headphone amplifiers with power adapter", + "electric headphone amplifiers with power adapter", + "phone amplifiers with a power adapter." + ], + "i am looking non slip glass screen heavy duty protective case cover -purple": [ + "non slip glass screen heavy duty protective case cover -purple", + "non slip glass screen heavy duty protective case cover-purple", + "non slip glass screen heavy duty protective", + "non slip glass screen heavy duty protective case cover", + "non slip glass screen heavy duty protective case cover", + "non slip glass screen heavy duty protective case cover ppurple", + "non slip glass screen heavy duty protective case coverpurple", + "non slip glass screen heavy duty protective case cover,purple", + "non slip glass screen heavy duty protective pomegranate", + "non slip glass screen heavy duty protective under $50" + ], + "i want cacao powder 3 pound pack sugar free and certified organic": [ + "acao powder 3 pound pack sugar free and certified organic", + " cacao powder 3 pound pack sugar free and certified organic", + "cacao powder 3 pound pack sugar free and certified organic", + "acao powder 3 pound pack sugar free certified organic", + " cacao powder 3 pound pack sugar free certified organic", + "cacao powder 3 pound pack sugar free certified organic", + "coffee powder 3 pound pack sugar free and certified organic", + "bagel powder 3 pound pack sugar free and certified organic", + "3 pound pack sugar free and certified organic cacao powder", + "acao powder 3 pound pack sugar free" + ], + "i'm looking for a glass case with fashion cute pattern design for iphone 13.": [ + "glass case with fashion cute pattern design iphone 13", + "glass case with fashion cute pattern design for iphone 13", + "window case with fashion cute pattern design iphone 13", + "glass case with fashion cute pattern design iphone 13.", + "window case with fashion cute pattern design for iphone 13", + " glass case with fashion cute pattern design iphone 13", + "a glass case with fashion cute pattern design iphone 13", + "iphone 13 glass case with fashion cute pattern design", + "glass case with fashion cute pattern design", + "glass case with fashion cute pattern" + ], + "i'm looking for an easy to install iphone 13 case with a colorful cactus pattern.": [ + "iphone 13 case with a colorful cactus pattern", + "iphone 13 color case with a colorful cactus pattern", + "iphone 13 case with a colorful cactus pattern.", + "iphone 13 case with a colorful cactus pattern,", + "iphone 13 case with colorful cactus pattern", + "iphone 13 case in a colorful cactus pattern", + "iphone 13 with a colorful cactus pattern", + "iphone 13 case, colorful cactus pattern", + "iphone 13 case", + "iphone 13 color case" + ], + "i am looking for a 3 vanity lights with with clear glass shade.": [ + "3 vanity lights with clear glass shade", + "3 vanity lights with clear glass", + "3 vanity lights", + "3 vanity lights, clear glass shade", + "3 vanity lights in clear glass shade", + "3 vanity lights with clear glass shades", + "3 vanity lights that are clear glass", + " 3 vanity lights with clear glass shade", + "3 vanity lights in clear glass", + "3 vanity lights color clear" + ], + "i'm looking for clothing jeans for women's and the it was comfortable fit.": [ + "womens jeans comfortable fit", + "style jeans for womens comfortable fit", + "womens clothing jeans comfortable fit", + "comfortable fit womens jeans", + "tempered fit womens jeans", + "tempered fit womens clothing jeans", + "womens comfortable fit", + "womens comfortable fit jeans", + "jeans comfortable fit", + "womens comfortable jeans" + ], + "i'm looking for a hair shaving, household neck hair removal brush with rope for men": [ + "hair shaving, household neck hair removal brush with rope", + "hair shaving, household neck hair removal brush with rope for men", + "home hair shaving, household neck hair removal brush with rope", + "home shaving, household neck hair removal brush with rope", + "home shaving, household neck hair removal brush with rope for men", + "hair shaving, household neck hair removal brush with rope, men", + "hair shaving, household neck hair removal brush, rope for men", + "hair shaving, household neck hair removal brush", + "hand shaving, household neck hair removal brush with rope for men", + "hand shaving, household neck hair removal brush with rope" + ], + "i'm looking for made for cupcakes to birthday party it is easy to make.": [ + "cupcakes to birthday party easy to make", + "cupcakes to birthday party", + "cupcakes for a baby shower", + "cupcakes to baby shower easy to make", + "cupcakes for baby shower", + "cupcakes to a baby shower", + "cupcakes for baby shower easy to make", + "cupcakes for birthday party easy to make", + "cupcakes to baby shower", + "cupcakes for birthday party" + ], + "i'm looking for pants for sports with a fleece lining and a relaxed fit in sky blue": [ + "pens for sports with a fleece lining and a relaxed fit in sky blue", + "pant for sports with a fleece lining and a relaxed fit in sky blue", + "pants for sports with a fleece lining and a relaxed fit in sky blue", + "pant for sports with a fleece lining and relaxed fit in sky blue", + "pens for sports with a fleece lining and relaxed fit in sky blue", + "pans for sports with a fleece lining and a relaxed fit in sky blue", + "pants for sports with a fleece lining and relaxed fit in sky blue", + "pants for sports with a fleece lining and a relaxed fit in sky blue", + "pens for sports with a fleece lining", + "pant for sports with a fleece lining" + ], + "i would like a pair of size 46 black shoes made from quality materials.": [ + "size 46 black shoes made from quality materials", + "style 46 black shoes made from quality materials", + "pair of size 46 black shoes", + "size 46 black shoes", + "black shoes size 46", + "black shoes made from quality materials size 46", + "black shoes made from quality materials", + "sneakers size 46 black", + "sneakers size 46", + "size 46 black shoes, quality materials" + ], + "i'm looking for rice shaped pasta it contains low fiber fat it good for health.": [ + "rainbow dried pasta low fiber fat", + "rainbow dried pasta with low fiber fat", + "rainbow dried rice shaped pasta", + "rainbow dried pasta no sugar", + "rainbow dried pasta that is low fiber", + "rainbow dried pasta low fiber", + "rainbow colored pasta low fiber fat", + "rainbow dried pasta", + "rainbow dried pasta high fiber", + "rainbow dried rice shaped pasta no sugar" + ], + "i am looking for a storage benches for living room of espresso color.": [ + "storage benches for living room of espresso color", + "storage bench for living room of espresso color", + "storage benches living room of espresso color", + "storage benches in living room of espresso color", + "storage benches, living room of espresso color", + "storage bench living room of espresso color", + "storage benches for living room espresso color", + "storage benches living room espresso color", + "storage benches for living room color", + "storage benches" + ], + "i'm looking for trader joe for buying groceries products.": [ + "trader joe for buying groceries products", + "trader joe groceries products", + " trader joe for buying groceries products.", + " trader joe for buying groceries products", + " trader joe groceries products", + "trains joe for buying groceries products", + "trains joe groceries products", + " trader joe groceries products under $40", + "trader joe groceries products.", + "terrain joe groceries products" + ], + "i'm looking for oral care the prevention of dental care.": [ + "oral care the prevention of dental care.", + "oral care the prevention of dental care", + "oral care, prevention of dental care.", + "oral care, prevention of dental care", + "oral care for dental care", + "oral care prevention of dental care", + "oral care no fluoride", + "oral care for oral care", + "oral care for dental care.", + "oral care" + ], + "i am looking for a high definition 24 inch tv": [ + "high definition 24 inch tv", + "24 inch tv", + "24 inch tv high definition", + "tv 24 inches high definition", + "tv high definition 24 inch", + "tv 24 inch", + "tv 24 inch high definition", + "living room 24 inch tv", + "tv 24 inches", + "23 inch tv" + ], + "i am looking for a blue rubber outsole sneaker for men.": [ + "blue rubber outsole sneaker for men", + "blue rubber outsole sneaker for men.", + "blue rubber sole sneaker for men", + "blue rubber outsole sneaker for men,", + "blue rubber insole sneaker for men", + "blue rubber outsole sneaker", + "blue rubber outsole sneaker men", + "blue rubber sneaker for men", + "blue rubber outsole sneakers for men", + "blue rubber men outsole sneaker" + ], + "i am looking for a jet black #1 hair extensions.": [ + " jet black hair extensions", + "jet black hair extensions", + "Jet black hair extensions", + " jet black #1 hair extensions", + "facial hair extensions jet black", + " jet black hair extension", + "jet black hair extension", + "Jet black hair extension", + "pink hair extensions", + " jet black #1 hair extension" + ], + "i would like a 18 inch natural black hair extension.": [ + "18 inch natural black hair extension", + "18 inch natural black hair extension under $50", + "18 inch natural black hair extension under $60", + "18 inch natural black hair extension under $40", + "18 inch natural black hair extension.", + "18 inch natural black hair extension under $120", + "18 inch natural black hair extension under 30 dollars", + "natural black hair extension 18 inches", + "18 inch natural black hair extension under $130", + " 18 inch natural black hair extension" + ], + "i need a relaxed fit daily wear gym pants for daily wear. pick an xx-large one.": [ + "easy fit daily wear gym pants xx-large", + "a relaxed fit daily wear gym pants", + "easy to fit xx-large gym pants", + "comfortable fit daily wear gym pants", + "yoga pants xx-large", + "easy fit daily wear gym pants", + "jeans xx-large", + "easy fit daily wear gym pants x-large", + "easy to clean xx-large gym pants", + "walking pants xx-large" + ], + "i'm looking for a wooden upholstered daybed twin with trundle and backrest.": [ + "wooden upholstered daybed twin with trundle and backrest", + " wooden upholstered daybed twin with trundle and backrest", + " wooden upholstered daybed twin with trundle and backrest", + "wooden upholstered daybed twin", + "stooled daybed twin with trundle and backrest", + "daybed twin with trundle and backrest", + "stainless modern daybed twin with trundle and backrest", + "footbed twin with trundle and backrest", + "wooden upholstered daybed twin with trundle, backrest", + "wooden upholstered daybed twin, trundle and backrest" + ], + "i would like some 22 inch hair extensions made of natural hair.": [ + "22 inch hair extensions made of natural hair", + "22 inch hair extension made of natural hair", + "hair extensions made of natural hair 22 inches", + "hair extensions 22 inches natural", + "hair extension 22 inches natural", + "hair extension made of natural hair 22 inches", + "22 inch hair extensions made from natural hair", + "22 hair extensions made of natural hair", + "hair extensions made of natural hair", + "22 inch natural hair extensions" + ], + "i'm looking for a italian ice fat free": [ + "italian ice fat free", + "an italian ice fat free", + " italian ice fat free", + "anitalian ice fat free", + "italian ice fat free under $40", + "italian ice fat free under $60", + "italian ice fat free under $50", + "italian ice fat free drink mix", + "an italian ice fat free drink mix", + "italian ice fat free under 30 dollars" + ], + "i want to buy some fat free freezer bars with real fruit.": [ + "fat free freezer bars with real fruit", + "fat free freezer bar with real fruit", + "fat free freezer bars", + "fat free freezer bars with real fruit.", + "fat free freezer bar", + "fat free freezer bars made from real fruit", + "freezer bar fat free with real fruit", + "fat free freezer bar with real fruit.", + "fat free freezer bars, real fruit", + "fat free freezer bars no sugar" + ], + "i'm looking for a open toe slip resistant sneakers with arch support and ankle strap. also, choose 7.5 size black one.": [ + "open toe slip resistant sneakers with arch support and ankle strap", + "open toe slip resistant sneakers with arch support", + "open toe slip resistant sneakers 7.5 size black", + "open toe slip resistant sneakers with arch support 7.5 size black", + "open toe slip resistant sneakers with arch support, 7.5 size black", + "open toe slip resistant sneakers, 7.5 size black", + "open toe slip resistant sneakers with arch support, black", + "open toe slip resistant sneakers", + "open toe slip resistant sneakers with arch support in black", + "open toe slip resistant sneakers with arch support and ankle strap 7.5" + ], + "i am looking for a black faux leather bed frames.": [ + "black faux leather bed frames", + "black faux leather bed frame", + "faux leather bed frame", + "faux leather bed frames", + "living room frame black faux leather", + "black faux leather bed frames.", + "black faux leather bed frames,", + "a black faux leather bed frame", + "black faux leather bed frame,", + "a black faux leather bed frames" + ], + "i am looking for a 1 pack of cooling pads with high performance": [ + "1 pack of cooling pads", + "1 pack of cooling pads with high performance", + "1 pack of cooling pads high performance", + "one pack of cooling pads with high performance", + "1 pack of cooling pads, high performance", + "1 pack of cooling pads in high performance", + "1 pack of cooling pad with high performance", + "one pack of cooling pads", + "1 pack of cooling pads for high performance", + "1 pack cooling pads" + ], + "i would like a aqua blue applewatch charger.": [ + "a blue applewatch charger", + "acqua blue applewatch charger", + "aqua blue applewatch charger", + "al aqua blue applewatch charger", + "aca blue applewatch charger", + "antawa blue applewatch charger", + "artificial blue applewatch charger", + "a blue applewatch charger.", + "acqua blue applewatch charger.", + "applewatch charger" + ], + "i'm looking for a high-quality toothbrush in straw color(for 2-6 years) for sensitive teeth.": [ + "high-quality toothbrush in straw color for sensitive teeth", + "high-quality toothbrush in straw color for sensitive teeth.", + "high-quality toothbrush in straw color", + "high-quality toothbrush in straw color 2-6 years", + "high-quality toothbrush in straw color, 2-6 years", + "strawberry toothbrush in straw color for sensitive teeth", + "high-quality toothbrush in straw color(for sensitive teeth.", + "high-quality toothbrush in straw color(for sensitive teeth", + "strawberry toothbrush for sensitive teeth", + "strawberry toothbrush in straw color" + ], + "i am looking for a water proof outdoor ultra hd projector, also the color should be sport color.": [ + "water proof outdoor ultra hd projector", + "water proof outdoor ultra hd projector with sport color", + "water proof outdoor ultra hd projector in a sport color", + "water proof outdoor ultra hd projector,", + "water proof outdoor ultra hd projector in sport color", + "water proof outdoor ultra hd projector, sport color", + "water proof outdoor ultra hd projector with a sport color", + "water proof outdoor ultra hd projector that is sport colored", + "rain proof outdoor ultra hd projector", + "water proof indoor ultra hd projector" + ], + "i need a sporty water resistant portable projector with usb port.": [ + "porty water resistant portable projector with usb port", + "portrait water resistant portable projector with usb port", + "porty water resistant portable projector", + "portable projector with usb port", + "portrait water resistant portable projector", + "portrayable portable projector with usb port", + "porty water resistant portable projector, usb port", + "portrayable projector with usb port", + "portrait with usb port", + "portrait portable projector with usb port" + ], + "i am looking for a white storage benches of grey wash color": [ + "grey wash storage benches", + "grey wash color", + "grey wash storage bench", + "white storage benches", + "grey wash storage bench white", + "grey wash storage benches white", + "grey wash white storage benches", + "white storage benches grey wash", + "grey wash white storage bench", + "grey wash bench white" + ], + "i am looking for a stainless steel shears.": [ + "stainless steel shears", + "stainless steel hears", + "stainless steel shears.", + "stainless steel shears for woman", + "stainless steel shears for women", + "stainless steel shears,", + "stainless steel", + "shears stainless steel", + "stainless steel oven", + "steel shears" + ], + "i would like a eye shadow makeup palette.": [ + "eye shadow makeup palette", + "eye shadow makeup palette.", + "Eye shadow makeup palette", + "eye shadow makeup palette under $40", + "eye shadow makeup palette under $50", + "eye shadow makeup palette under $60", + "eye shadow makeup palette under 50 dollars", + "eye shadow makeup palette,", + "an eye shadow makeup palette", + "lip makeup palette" + ], + "i am looking for a sleep sets of medium size for daily wear.": [ + "sleep sets of medium size", + "sleep sets medium size for daily wear", + "sleep set of medium size", + "sleep sets medium size", + "sneakers of medium size", + "sleep sets of medium size daily wear", + "sneakers medium size", + "sleep sets for daily wear", + "nightstand of medium size", + "nightstand medium size for daily wear" + ], + "i need a bag of alaska caught salmon jerkey.": [ + "bag of alaska caught salmon jerkey", + "bag of alaska caught salmon jerky", + "alaska caught salmon jerkey", + "alaska caught salmon jerkey bag", + "alaska caught salmon jerky bag", + "bag of alaska salmon jerkey", + "alaska caught salmon jerky", + "bag of alaska caught salmon jerque", + "pack of alaska caught salmon jerkey", + "alaska salmon jerkey bag" + ], + "i am looking for computer desk drawing table that is easy to install": [ + "computer desk drawing table that is easy to install", + "desktop drawing table that is easy to install", + "easy to install computer desk drawing table", + "Computer desk drawing table that is easy to install", + "computer desk drawing table easy to install", + " computer desk drawing table that is easy to install", + "computer desk drawing table", + "computer desk drawing table, easy to install", + "desktop drawing table easy to install", + "computer desk drawing table, easy to install," + ], + "i am looking for a double sided stainless steel foot files for cleaning of dry skin.": [ + "double sided stainless steel foot files for cleaning of dry skin", + "double sided stainless steel foot files for cleaning of dry skin.", + "single sided stainless steel foot files for cleaning of dry skin", + "double sided stainless steel foot files", + "single sided stainless steel foot files for cleaning of dry skin.", + "dual sided stainless steel foot files for cleaning of dry skin", + "double sided stainless steel foot files for cleaning of dry skin,", + "stainless steel foot files for cleaning of dry skin", + "double sided stainless steel foot files for cleaning of dry skin ", + "double sided stainless steel foot files cleaning of dry skin" + ], + "i am looking for a 9.3 color for permanent hair color": [ + "9.3 color for permanent hair color", + "9.3 color for permanent hair color", + "hair color 9.3", + "9.3 color for permanent human hair color", + "hair color 9.3 color", + "stainless human hair color 9.3", + "8.3 color for permanent hair color", + "8.3 color for permanent hair color", + "stainless hair color 9.3", + "hair color that is 9.3" + ], + "i'm looking for laundry bags for it can use for move to another place.": [ + "living room laundry bags", + "laundry bags for moving to another place", + "laundry bags for move to another place", + "laundry bags for living room", + "womens laundry bags", + "laundry bags for it", + "laundry bags", + "womens laundry bags for it", + "living room bags", + "home laundry bags" + ], + "add to my list 6 packs of raspberry snackbar and should be nut free and has low sodium.": [ + "pack of raspberry snackbar nut free", + "6 packs of raspberry snackbar", + "pack of raspberry snackbar that is nut free", + "6 packs of raspberry snackbar with low sodium", + "pack of raspberry snackbar with low sodium", + "6 packs of raspberry snackbar nut free", + "6 packs of raspberry snackbar that is nut free", + "pack of raspberry snackbar", + "6 packs of raspberry snackbar that are nut free", + "6 packs of raspberry snackbar, nut free" + ], + "i'm looking for a wide leg jeans with regular fit and tummy control. also, choose 3x large zz-zm black colored one.": [ + "3x large zz-zm black colored jeans", + "3x large zz-zm black jeans", + "wide leg jeans with regular fit and tummy control", + "4x large zz-zm black colored jeans", + "3x wide leg jeans with regular fit and tummy control", + "3x large zz-zm black colored jean", + "open wide leg jeans with regular fit and tummy control", + "3x large zz-zm black jean", + "3x large zz-zm black", + "5x large zz-zm black colored jeans" + ], + "i am looking for wide leg black color bell bottom flare jegging sweatpants, but size in small": [ + "small wide leg black color bell bottom flare jegging sweatpants", + " wide leg black color bell bottom flare jegging sweatpants in small", + "open wide leg black color bell bottom flare jegging sweatpants", + " wide leg black color bell bottom flare jegging sweatpants", + "wide leg black color bell bottom flare jegging sweatpants", + "wide leg black color bell bottom flare jegging sweatpants in small", + " wide leg black color bell bottom flare jegging sweatpants, small", + "wide leg black color bell bottom flare jegging sweatpants, small", + "large black color bell bottom flare jegging sweatpants", + "open wide leg black jogging sweatpants in small" + ], + "i'm looking for a rickaroons coconut energy bars with chocolate.": [ + "rickaroons coconut energy bars with chocolate", + "rfsh coconut energy bars with chocolate", + "rickaroons coconut energy bar with chocolate", + "rfshan coconut energy bars with chocolate", + "rfshannon coconut energy bars with chocolate", + "rfsh coconut energy bar with chocolate", + "rickaroons coconut energy bars", + "rfshan coconut energy bar with chocolate", + "roasted coconut energy bars with chocolate", + "rickaroons coconut energy bars chocolate" + ], + "i need a ninety inch table runner. look for one that's eco-friendly and available in color \"poppie slop.\"": [ + "table runner eco-friendly in color poppie slop", + "table runner in color poppie slop", + "table runner eco-friendly color poppie slop", + "table runner, eco-friendly, color poppie slop", + "table runner with eco-friendly color poppie slop", + "table runner color poppie slop", + "table runner eco-friendly in color poppie slop.", + "table runner that is eco-friendly", + "table runner eco-friendly", + "table runner eco-friendly in color poppie slop," + ], + "i want a wooden dining table that is multi color with a white finish. it will go in my dining room.": [ + "wood dining table multi color white", + "wood dining table multi color", + "wood dining table multi color with white finish", + "wood dining table with white finish", + "stainless dining table with white finish", + "wood dining table that is multi color", + "white dining table multi color", + "stainless dining table white", + "wood dining table white", + "dining table multi color white" + ], + "i would like a mint scent dental chewy that is bpa free.": [ + "mint scent dental chewy", + "mint scent dental chewy bpa free", + "mens scent dental chewy bpa free", + "mens scent dental chewy", + "mint scent dental chewy bpa free", + "mint scent dental chewy, bpa free", + "mint scent dental chewy bpa free", + "mens scent dental chewy bpa free", + "mint scent dental chewy", + " mint scent dental chewy bpa free" + ], + "winter warm long sleeves jackets for women which is hand washable and in yellow colour": [ + "winter warm long sleeves jackets for women", + "winter warm long sleeves jackets for women in yellow", + "winter warm long sleeves jackets for women yellow", + "winter warm long sleeves jacket for women", + "winter warm long sleeves jacket for women in yellow", + "winter warm long sleeves jackets", + "winter warm long sleeves jackets for women in yellow colour", + "winter warm long sleeves jackets for women with yellow colour", + "winter warm long sleeves jackets for women with yellow", + "winter warm long sleeves jackets for women under $50" + ], + "i am looking for a iphone 11 pro 5.8 inches basic cases which is easy to install": [ + "iphone 11 pro 5.8 inches basic cases", + "iphone 11 pro 5.8 inches basic case", + "iphone 11 pro 5.8 inch basic cases", + "iphone 11 pro 5.8 inches", + "iphone 11 pro 5.8 inches basic", + "iphone 11 pro 5.8 inches case", + "iphone 11 pro 5.8", + "iphone 11 case easy to install", + "iphone 11 case", + "iphone 11 laptop case" + ], + "i need a high power charger that charges fast and is white.": [ + "high power charger white", + "white high power charger", + "high power charger", + "high power charger with white", + "high power charger that is white", + "high power charger, white", + "high power charger in white", + "high power charger for white", + "high power charger that charges fast", + "high power charger black" + ], + "i am looking for manual toothbrush for sensitive teeth. please choose blue color.": [ + "manual toothbrush for sensitive teeth blue", + "manual toothbrush for sensitive teethblue", + "manual toothbrush for sensitive teeth", + "manual toothbrush for sensitive teeth, blue", + "manual toothbrush for sensitive teeth in blue", + "manual toothbrush for sensitive teeth. blue", + "manual toothbrush for sensitive teeth with blue", + "manual toothbrush for sensitive teeth.blue", + "manual toothbrush for sensitive teethBlue", + "manual teethbrush for sensitive teeth blue" + ], + "i want to buy some vanity lights with brushed nickel trim and black color. it needs to be a two light style.": [ + "two light vanity lights", + "two light vanity lights with brushed nickel trim", + "two light vanity lights with brushed nickel trim and black", + "two light vanity lights in brushed nickel trim and black", + "two light vanity lights in brushed nickel trim", + "two light vanity lights, brushed nickel trim and black", + "two light vanity lights with brushed nickel trim in black", + "vanity lights with brushed nickel trim and black color", + "two light vanity lights with brushed nickel trim, black", + "two light vanity lights that are brushed nickel trim" + ], + "i'm looking for a gray blue, apple compatible, case for apple airpods that also charges.": [ + "gray blue apple compatible case for apple airpods", + "gray blue apple compatible, apple airpods", + "gray apple compatible, case for apple airpods", + "gray blue apple compatible case", + "gray blue apple compatible apple airpods", + "gray blue apple compatible, case", + "gray blue apple compatible, apple airpods case", + "gray blue apple airpods case", + "gray blue apple compatible airpods", + "gray blue apple compatible airpods case" + ], + "i want a heavy duty fine wood bookcase for living room color white": [ + "heavy duty fine wood bookcase for living room color white", + "heavy duty fine wood bookcase living room color white", + "large duty fine wood bookcase for living room color white", + "heavy duty fine wood bookcase in living room color white", + "heavy duty fine wood bookcase for living room color", + "medium duty fine wood bookcase for living room color white", + " heavy duty fine wood bookcase for living room color white", + "fine wood bookcase for living room color white", + "wood bookcase for living room color white", + "low duty fine wood bookcase for living room color white" + ], + "i'm looking for rubber sole for shoe for men's the color was blue.": [ + "rubber sole for mens blue", + "rubber sole for shoe for mens", + "rubber sole for mens", + "rubber sole for shoe mens blue", + "stainless shoe for mens blue", + "rubber sole shoe for mens blue", + "blue rubber sole for mens", + "rubber sole mens blue", + "rubber sole for mens colored blue", + "rubber sole for shoe mens" + ], + "i am looking for a multi purpose tripod for camera made up of aluminum alloy with quick release. also choose but2664 color and but2287 size.": [ + "multi purpose tripod for camera made up of aluminum alloy", + "Multi purpose tripod for camera made up of aluminum alloy", + " multi purpose tripod for camera made up of aluminum alloy", + "multi purpose tripod tripod for camera made up of aluminum alloy", + "single purpose tripod for camera made up of aluminum alloy", + "multi purpose tripod camera made up of aluminum alloy", + "mult purpose tripod for camera made up of aluminum alloy", + "multi purpose tripod tripod made up of aluminum alloy", + "multi purpose tripod made up of aluminum alloy", + "multi purpose tripod" + ], + "i'm looking for black colored high quality hair removal cream it easy to use": [ + "black colored high quality hair removal cream", + "black colored hair removal cream", + "black colored high quality hair removal cream easy to use", + "black colored hair removal cream that is easy to use", + "black colored hair removal cream easy to use", + "black colored hair removal cream it easy to use", + "black colored high quality hair removal cream under $40", + "black colored hair removal cream, easy to use", + "black colored high quality hair removal cream under $60", + "black high quality hair removal cream" + ], + "i am looking for a golden g cake toppers for birthday party": [ + "golden g cake toppers for birthday party", + "golden g cake toppers for a baby shower", + "gluten-free g cake toppers for birthday party", + "gluten g cake toppers for birthday party", + "golden g cake toppers for baby shower", + "gluten g cake toppers for a baby shower", + "gluten-free g cake toppers for baby shower", + "gluten-filled g cake toppers for birthday party", + "gluten g cake toppers for baby shower", + "golden g cake toppers for a birthday party" + ], + "i'm looking for a clear glass wall lamps with glass shade for living room. also, choose the lamp that has 3 lights and bronze colored one.": [ + "clear glass wall lamps with glass shade for living room", + "clear glass wall lamps with glass shade", + "clear glass wall lamps with glass shade living room", + "clear glass wall lamp with glass shade for living room", + "clear glass wall lamps", + "clear glass wall lamps with glass shade in living room", + "clear glass wall lamps with glass shade, living room", + "glass wall lamps with glass shade for living room", + "floor lamp with glass shade for living room", + "glass wall lamps" + ], + "i need apple compatible smartwatch band made of carbon fiber in elephant grey color and black buckle.": [ + "apple compatible smartwatch band made of carbon fiber in elephant grey color", + "apple compatible smartwatch band with carbon fiber in elephant grey color", + "apple compatible smartwatch band made of carbon fiber in elephant grey color black", + "smartwatch band made of carbon fiber in elephant grey color and black buckle", + "apple compatible smartwatch band made of carbon fiber with a black buckle", + "apple compatible smartwatch band with a black buckle", + "apple compatible smartwatch band with carbon fiber", + "apple compatible smartwatch band with black buckle", + "apple compatible smartwatch band with elephant grey color", + "apple compatible smartwatch band made of carbon fiber" + ], + "i'm searching for super soft happy fall gnome orange plaid blanket": [ + "super soft happy fall gnome orange plaid blanket", + "affordable soft happy fall gnome orange plaid blanket", + "super soft happy snow gnome orange plaid blanket", + "super soft happy pomegranate orange plaid blanket", + "slim soft happy fall gnome orange plaid blanket", + "super soft happy, fall gnome orange plaid blanket", + "super soft happy fall gnome orange plaid blanket,", + "super soft happy autumn gnome orange plaid blanket", + "super soft happy fall gnome orange plaid blankets", + "soft happy fall gnome orange plaid blanket" + ], + "i need black flats that are slip resistant. they should also have leather soles.": [ + "black flats slip resistant", + "black flats that are slip resistant", + "black flats slip resistant with leather soles", + "black flats slip resistant leather soles", + "black flats slip resistant, leather soles", + "black flats with slip resistant leather soles", + "black flats with leather soles", + "black flats slip resistant leather", + "black flats, slip resistant", + "slide resistant black flats" + ], + "i am looking for rubber sole men sneaker.please choose grey and navy color.": [ + "rubber sole men sneaker grey and navy", + "rubber sole men sneaker grey navy", + "rubber sole men sneaker in grey and navy", + "rubber sole men sneaker grey", + "rubber sole men sneaker, grey and navy", + "rubber sole men sneaker.grey and navy", + "rubber sole men sneaker grey and navy color", + "rubber sole men sneaker in grey navy", + "rubber sole men sneaker", + "rubber sole men sneaker in grey" + ], + "i am looking for king size pillowcases in leopard print color": [ + "king size pillowcases in leopard print", + "king size pillowcases in leopard print color", + "king size pillowcases leopard print", + "king size pillowcases with leopard print color", + "king size pillowcases in leopard print size", + "king size pillowcases, leopard print color", + "king size pillowcases leopard print color", + "king size pillowcase in leopard print", + "king size pillowcases with leopard print", + "king size pillowcases" + ], + "i would like a beige bookcase with a lot of storage space.": [ + "beige bookcase with a lot of storage space", + "beige bookcase with a lot of storage space.", + "a beige bookcase with a lot of storage space", + "pink bookcase with a lot of storage space", + "beige bookcase with storage space", + "bige bookcase with a lot of storage space", + "womens bookcase with a lot of storage space", + "beige bookcase with a lot of storage", + "beige bookcase with a lot of storage space,", + "beige bookcase" + ], + "i'm looking for a compact wireless bluetooth speaker.": [ + "compact wireless bluetooth speaker", + "compact wireless bluetooth speaker.", + "compact wireless bluetooth speaker under $40", + "compact wireless bluetooth speaker under $130", + "compact wireless bluetooth speaker under $50", + "compact wireless bluetooth speaker under $60", + "contact wireless bluetooth speaker", + "compact wireless bluetooth speaker under $120", + "compact wireless bluetooth speaker that is compact", + "compact wireless bluetooth speaker under 50 dollars" + ], + "i'm looking for a set of 3 nesting end tables.": [ + "set of 3 nesting end tables", + "set of 3 nesting end tables.", + "3 nesting end tables", + "set of 3 nesting end tables,", + "4 nesting end tables", + "3 nesting end tables.", + "3 nesting end tables under $50", + "floor table with 3 nesting end tables", + "set of 3 nesting end table", + "2 nesting end tables" + ], + "i am looking for a surveillance camera cables for output protection.": [ + " surveillance camera cables for output protection", + "a surveillance camera cables for output protection", + "sportrait camera cables for output protection", + "tv camera cables for output protection", + "curtains for output protection", + "tvc cables for output protection", + " surveillance camera cables for output protection.", + "a surveillance camera cables for output protection.", + "sportrait camera cables for output protection.", + " surveillance camera cables for output protection under $40" + ], + "i am looking for a 7 wide synthetic sole of platforms & wedges": [ + "7 wide synthetic sole of platforms & wedges", + "6 wide synthetic sole of platforms & wedges", + "8 wide synthetic sole of platforms & wedges", + " 7 wide synthetic sole of platforms & wedges", + "a 7 wide synthetic sole of platforms & wedges", + "shoes & wedges 7 wide synthetic sole", + "roasted sole of platforms & wedges", + "roofed synthetic sole of platforms & wedges", + "shoes, platforms & wedges 7 wide", + "shoes & wedges 7 wide" + ], + "i'd like to buy a pair of sandals with a synthetic sole and arch support. look for a pair that's size four, in slate.": [ + "sneakers with a synthetic sole and arch support", + "sneakers size four, in slate", + "sneakers size four", + "sandals with a synthetic sole and arch support", + "sneakers size 4, in slate", + "sneakers size four with arch support", + "sneakers with a synthetic sole, arch support", + "sneakers size four in slate", + "shoes size four", + "size four sandals" + ], + "i would like a 64 gig dd4 ram mini desktop computer that has a dual band i7 core processor.": [ + "64 gig dd4 ram mini desktop computer with dual band i7 core processor", + "64 gig dd4 ram mini desktop computer with i7 core processor", + "64 gig dd4 ram mini desktop computer", + "64 gig dd4 mini desktop computer with dual band i7 core processor", + "64 gig dd4 ram mini desktop computer with an i7 core processor", + "64 gig d4 ram mini desktop computer with dual band i7 core processor", + "64 gig i7 core processor", + "bootstrap mini desktop computer with dual band i7 core processor", + "64 gig dd4 ram mini desktop computer with i7 core processor.", + "desktop computer with dual band i7 core processor" + ], + "im looking for a mini dual band desktop pc that uses wireless bluetooth connectivity and has windows 11.": [ + "desktop pc with wireless bluetooth", + "desktop pc with wireless bluetooth connectivity", + "desktop pc with bluetooth connectivity", + "tablet with wireless bluetooth", + "tablet with bluetooth connectivity", + "mini dual band desktop pc", + "tablet with wireless bluetooth connectivity", + "tablet dual band with windows 11", + "desktop pc mini dual band", + "desktop pc that uses wireless bluetooth" + ], + "i'm looking for grow a hair that was gives a hair extensions.": [ + "grow a hair with a hair extensions", + "hair extensions", + "grow a hair with hair extensions", + "grow a hair hair with a hair extensions", + "hair extension", + "grow a hair with a hair extensions.", + "grow a hair with a hair extension", + "womens hair extensions", + "hair extensions under $50", + "grow a hair with extensions" + ], + "i am looking for a heavy duty foot soaking tub for dead skin removal. also choose blue one.": [ + "heavy duty foot soaking tub for dead skin removal", + "heavy duty foot soaking tub for dead skin removal.", + "heavy duty foot soaking tub for dead skin removal, blue", + "heavy duty foot soaking tub for dead skin removal in blue", + "heavy duty foot soaking tub for dead skin removal blue", + "heavy duty foot soaking tub for dead skin removal with blue", + "heavy duty foot soaking tub for dead skin removal blue", + "heavy duty foot soaking tub with dead skin removal", + "heavy duty foot soaking tub dead skin removal", + "heavy duty foot soaking tub" + ], + "i am looking for lead free candles for home, made up of soy wax. also choose lavender & geranium scented": [ + "lead free candles for home made up of soy wax", + "lead free candles for home, made up of soy wax", + "pink free candles for home made up of soy wax", + "lead free candles home made up of soy wax", + "lead free candles for home made up of soy wax,", + "lead free candles, made up of soy wax", + "lead free candles made up of soy wax", + "lead free candles for home made up of soy wax.", + "lead free candles for home with soy wax", + "lead free candles that are made up of soy wax" + ], + "i'm looking for a hair conditioner for dry hair that stimulates hair growth. also, choose a pack of 1 contains 32 fl oz.": [ + "hair conditioner for dry hair with 32 fl oz", + "hair conditioner for dry hair with 32 fl oz pack of 1", + "hair conditioner for dry hair that stimulates hair growth 32 fl oz", + "hair conditioner for dry hair with 32 fl oz pack", + "hair conditioner for dry hair that stimulates hair growth", + "hair conditioner for dry hair whose size is 32 fl oz", + "hair conditioner for dry hair, 32 fl oz", + "hair conditioner for dry hair 32 fl oz pack of 1", + "hair conditioner for dry hair 32 fl oz", + "hair conditioner for dry hair" + ], + "i am looking for a high performace tv antenna having usb port.": [ + "tv antenna with usb port", + "high performace tv antenna with usb port", + "tv antenna high performace with usb port", + "tv antenna with usb port high performace", + "high performace tv antenna having usb port", + "tv antenna that is high performace", + "tv antenna having usb port", + "tv antenna high performace usb port", + "tv antenna with usb port.", + "tv antenna with usb port under $40" + ], + "i want a 16 colour eyeshadow palette higly pigmented high quality long lasting eyeshadow pallet matte": [ + "16 colour eyeshadow palette higly pigmented high quality long lasting", + "16 colour eyeshadow palette higly pigmented", + "16 color eyeshadow palette higly pigmented high quality long lasting", + "16 colour eyeshadow palette higly pigmented high quality", + "16 colour eyeshadow palette higly pigmented high quality long lasting with a pigmented", + "16 colour eyeshadow palette higly pigmented high quality long lasting with a color", + "16 colour eyeshadow palette higly pigmented high quality long lasting with a high quality", + "16 colour eyeshadow palette higly pigmented high quality long lasting with a high price", + "16 colour eyeshadow palette higly pigmented long lasting", + "16 colour eyeshadow palette" + ], + "i am looking for a 41mm | 42mm smartwatch bands which is easy install.": [ + "41mm | 42mm smartwatch bands", + "40mm | 42mm smartwatch bands", + "42mm smartwatch bands", + "43mm | 42mm smartwatch bands", + "28mm | 42mm smartwatch bands", + "42mm smartwatch bands easy install", + "stainless 42mm smartwatch bands", + "42mm smartwatch bands that is easy install", + "stunt 42mm smartwatch bands", + "41mm" + ], + "show me a digital camera, by panasonic is good for me. i need a high performance. i want memory card about 64gb , try this model: lumix 4k dmc-zs100": [ + "digital camera with high performance", + "digital camera, by panasonic", + "digital camera, by panasonic, high performance", + "digital camera, by panasonic,", + "digital camera that is high performance", + "digital camera by panasonic", + "digital camera, by panasonic with high performance", + "panasonic digital camera with high performance", + "pink digital camera with high performance", + "panasonic digital camera" + ], + "i'm looking for star wars for clothing for navy white colored.": [ + "star wars for clothing navy white colored", + "star wars navy white colored", + "star wars clothing navy white colored", + "star wars for clothing white colored", + "star wars, navy white colored", + "star wars navy white", + "star wars for clothing navy white", + "star wars clothing navy white", + "stainless navy white colored", + "star wars for clothing for navy white" + ], + "i would like a 5xl a color blouse with long sleeves.": [ + "5xl color blouse with long sleeves", + "5xl color blouse long sleeves", + "5xl blouse with long sleeves", + "5xl blouse long sleeves", + "5 xl color blouse with long sleeves", + "5xl color blouse", + "5xl color blouse, long sleeves", + "5 xl color blouse long sleeves", + "a color blouse with long sleeves", + "5xl a color blouse long sleeves" + ], + "i am looking for a solid black duvet cover set that is queen size.": [ + "solid black duvet cover set that is queen size", + "solid black duvet cover set queen size", + "queen size duvet cover set", + "solid black duvet cover set", + "duvet cover set queen size", + "queen size solid black duvet cover set", + "solid black duvet cover set, queen size", + "king size solid black duvet cover set", + "queen size black duvet cover set", + "king size duvet cover set queen size" + ], + "i am looking for grain and gluten free chips.": [ + "grain and gluten free chips", + "gluten free chips", + "chocolate chips grain and gluten free", + "grain and gluten free chips.", + "rainbow chips grain and gluten free", + "rain and gluten free chips", + "gluten free chips under $40", + "chocolate chips grain free", + "grain free chips", + "grain gluten free chips" + ], + "let me have grocery & gourmet food dietary fibre": [ + "gourmet food dietary fibre", + "vegan & gourmet food dietary fibre", + "gourmet food dietary fibre under $40", + "gluten-free gourmet food dietary fibre", + "gourmet food dietary fibre under $60", + "gourmet food dietary fibre under $50", + "gourmet food dietary fibre under 50 dollars", + "gourmet food dietary fibre below $40", + "mega gourmet food dietary fibre", + "gourmet food" + ], + "i am looking for a high quality dark gray reclining barber chair for a hair salon.": [ + "dark gray reclining barber chair for a hair salon", + "dark gray reclining barber chair for a hair salon.", + "dark gray reclining barber chair", + "high quality dark gray reclining barber chair", + "dark gray reclining barber chair for a hair salon,", + "dark gray reclining barber chair that is high quality", + "lush gray reclining barber chair for a hair salon", + "low quality dark gray reclining barber chair", + "dining barber chair for a hair salon", + "dark gray reclining barber chair, hair salon" + ], + "i am looking for a xx-large casual print shirt for women for gifting purpose. also choose wine color.": [ + "xxl casual print shirt for women", + "xx-large casual print shirt for women", + "xxl casual print shirt for women for gifting purpose", + " xx-large casual print shirt for women", + "xxl casual print shirt", + "xx-large casual print shirt", + " xx-large casual print shirt", + "xx-large casual print shirt with wine color", + " xxl casual print shirt for women", + " xxl casual print shirt" + ], + "i am looking for sulfate free in redwood": [ + "sulfate free redwood", + "sulfate free in redwood", + "sulfate free redwood under $40", + "sulfate free redwood under $50", + "sulfate free redwood under $60", + "sulfate free redwood plant", + "sulfate free redwood under 30 dollars", + "sulfate free redwood sate free", + "sulfate free redwood under 50 dollars", + "sulfate free redwood under 40 dollars" + ], + "i need a gold plated, high definition digital optical cable that's five feet long.": [ + "gold plated high definition digital optical cable five feet long", + "gold plated high definition digital optical cable", + "gold plated high definition digital optical cable 5 feet long", + "gold plated, high definition digital optical cable", + "digital optical cable five feet long", + "digital optical cable that is five feet long", + "digital optical cable 5 feet long", + "5 ft high definition digital optical cable", + "digital optical cable 5 ft long", + "digital optical cable 5ft long" + ], + "i'm looking for a 60in (150cm) pro studio softbox with heavy duty construction. also ensure its style is broncolor impact.": [ + "60in (150cm) pro studio softbox with heavy duty construction", + "60in (150cm) pro studio softbox", + "60in (150cm) pro studio softbox with heavy duty construction.", + "60in (150cm) pro studio softbox that is broncolor impact", + "60in (150cm) pro studio softbox heavy duty construction", + "60in (150cm) pro studio softbox with heavy duty", + "60in (150cm) pro studio softbox with heavy duty construction,", + "60in (150cm) pro studio softbox, heavy duty construction", + " 60in (150cm) pro studio softbox with heavy duty construction", + "60in (150cm) pro studio softbox heavy duty" + ], + "i'm looking for a heavy duty soft box, specifically with a quantum qflash lighting setting.": [ + "soft box with a quantum qflash lighting", + "soft box with a quantum qflash lighting setting", + "heavy duty soft box", + "soft box with quantum qflash lighting", + "soft box, quantum qflash lighting", + "heavy duty soft box that is heavy duty", + "heavy duty soft box, quantum qflash lighting", + "soft box that is heavy duty", + "heavy duty soft box that is light duty", + "heavy duty soft box," + ], + "i am looking for unicorn collection nail polish with glossy and matte top": [ + " unicorn collection nail polish with glossy and matte top", + "mono collection nail polish with glossy and matte top", + "nude polish with glossy and matte top", + "lemon collection nail polish with glossy and matte top", + "plastic and matte top unicorn collection nail polish", + " unicorn collection nail polish glossy and matte top", + "mono collection nail polish glossy and matte top", + "toothpaste unicorn collection glossy and matte top", + "pink unicorn collection nail polish", + "nude polish with glossy and matte top, unicorn" + ], + "show me a king sized machine washable super soft pillow in yellow coral pattern and 30\" x 20\" size.": [ + "king sized machine washable super soft pillow in yellow coral pattern", + "king size machine washable super soft pillow in yellow coral pattern", + "king sized machine washable super soft pillow with yellow coral pattern", + "king sized machine washable super soft pillow in yellow coral pattern.", + "king sized machine washable super soft pillow yellow coral pattern", + "king sized machine washable super soft pillow", + "king sized machine washable soft pillow in yellow coral pattern", + "knee washable super soft pillow in yellow coral pattern", + "king sized human soft pillow in yellow coral pattern", + "super soft pillow in yellow coral pattern" + ], + "i want hydration undereye & smile line jelly patches fragrance free cruelty free cream for eyes": [ + " hydration undereye & smile line jelly patches fragrance free", + " hydration undereye and smile line jelly patches fragrance free", + "hydration undereye & smile line jelly patches fragrance free", + "hydration undereye and smile line jelly patches fragrance free", + " hydration undereye & smile line jelly patches fragrance free cream", + " hydration undereye & smile line jelly patches fragrance free for eyes", + " hydration undereye and smile line jelly patches fragrance free cream", + "hydration undereye & smile line jelly patches fragrance free cream", + " hydration undereye and smile line jelly patches fragrance free for eyes", + "hydration undereye & smile line jelly patches fragrance free for eyes" + ], + "i am looking for a box of 50 singles non-dairy coffee creamers that will add sugar-free hazelnut flavor to coffee drinks.": [ + "50 singles non-dairy coffee creamers", + "single malt coffee creamers", + "40 singles non-dairy coffee creamers", + "single malt coffee creamers that are sugar-free", + "sugar-free hazelnut coffee creamers", + "synthetic hazelnut coffee creamers", + "50 singles non-dairy coffee creamers under 50 dollars", + "non-dairy coffee creamers", + "single malt coffee creamers under 50 dollars", + "50 singles non-dairy coffee creamers under $50" + ], + "i am looking for a high performance home surveillance security camera that is certified refurbished.": [ + "home surveillance security camera certified refurbished", + "home surveillance camera that is certified refurbished", + "home surveillance camera certified refurbished", + "home surveillance security camera", + "high performance home surveillance security camera", + "home surveillance security camera, certified refurbished", + "living room surveillance camera certified refurbished", + "home surveillance security camera with certified refurbished", + "security camera certified refurbished", + "home surveillance security camera certified refurbished." + ], + "i am looking for a purple double-sided, eco friendly, and long handle bath body brush scrubber.": [ + "pink double-sided eco friendly, and long handle bath body brush scrubber", + "pink double-sided eco friendly, long handle bath body brush scrubber", + "green double-sided, eco friendly, and long handle bath body brush scrubber", + "pink double-sided eco friendly and long handle bath body brush scrubber", + "pink double-sided, eco friendly, long handle bath body brush scrubber", + "pink double-sided, eco friendly and long handle bath body brush scrubber", + "green double-sided eco friendly, and long handle bath body brush scrubber", + "pink double-sided eco friendly bath body brush scrubber", + "pink double-sided eco friendly, long handle bath body brush scrubber.", + "large handle bath body brush scrubber" + ], + "i want an oil free foundation that is high in quality. find me the 410 caoouccino color.": [ + "oil free foundation 410 caoouccino color", + "oil free foundation, 410 caoouccino color", + "oil free foundation that is high in quality", + "oil free foundation 410 caoouccino", + "oil free foundation, 410 caoouccino", + "oil free foundation", + "oil free foundation with quality", + "oil free foundation under $40", + "an oil free foundation", + "oil free foundation, high in quality" + ], + "i would like to buy a cupcake topper which has a laser gold pattern and is suitable for birthday parties.": [ + "cupcake topper with laser gold pattern for birthday parties", + "cupcake topper with laser gold pattern for baby shower", + "cupcake topper that has a laser gold pattern", + "cupcake topper with laser gold pattern", + "cupcake topper which has a laser gold pattern", + "cupcake topper with a laser gold pattern", + "cupcake topper that is laser gold", + "cupcake topper, laser gold", + "cupcake topper for birthday parties", + "cupcake topper" + ], + "i'm looking for a 10 pcs jinxiao snowflake glitter cupcake topper.": [ + "10 pcs jinxiao snowflake glitter cupcake topper", + "10 pcs jinxiao snowflake glitter cupcake toppers", + "10 pcs jinxiao snowflake glitter cupcake topper.", + "10 pcs jinxiao snowflake glitter glitter cupcake topper", + "pcs jinxiao snowflake glitter cupcake topper", + "10 pcs jinxiao glitter cupcake topper", + "10 pcs jinxiao snowflake glitter", + "pcs jinxiao snowflake glitter cupcake toppers", + "10 pcs jinxiao glitter cupcake toppers", + "snowflake glitter cupcake topper" + ], + "i want pearl white cake toppers for a birthday party.": [ + "plastic white cake toppers for a baby shower", + "pink cake toppers for a baby shower", + "pale white cake toppers for a baby shower", + "pink white cake toppers for a baby shower", + "pale white cake toppers for a birthday party", + "plastic white cake toppers for a birthday party", + " pearl white cake toppers for a baby shower", + "pink cake toppers for a birthday party", + "pink white cake toppers for a birthday party", + "pink cake toppers for a birthday party." + ], + "i'm looking for open and close toe sandals for women's. need to buy it.": [ + "open toe sandals for womens", + "open toe sandals for womens", + "open toe sandals", + "open toe sandals for womens", + "open toe sandals womens", + "open toe sandals for womens.", + "open toe sandals for women", + "open toe sandals for a womens", + "open toe sandals for womens ", + "open toe sandals for mens" + ], + "i want an easy to assemble shoe rack that goes in my living room. pick a white one.": [ + "easy to assemble white shoe rack", + "easy to assemble white shoe rack for living room", + "white shoe rack that goes in my living room", + "easy assemble white shoe rack", + "easy to assemble white shoe rack living room", + "easy to assemble shoe rack for living room white", + "easy to assemble shoe rack in my living room", + "white shoe rack for living room", + "white shoe rack", + "easy to assemble shoe rack" + ], + "i am looking for a 5 gram non alcoholic for cocktail mixers": [ + "5 gram non alcoholic cocktail mixers", + "5 gram non alcoholic for cocktail mixers", + "5 gram non alcoholic drink mixers", + "5 gram non alcoholic mixers", + "5 gram non alcoholic cocktail mixers under $40", + "5 gram non alcoholic cocktail mixers under $50", + "5 gram non alcoholic cocktail mixers under $60", + "5 gram non alcoholic cocktail mixers under 30 dollars", + "5 gram non alcoholic cocktail mixers under 50 dollars", + "5 gram non alcoholic cocktail mixers under 40 dollars" + ], + "i would like a non alcoholic cocktail mixer that is one ounce.": [ + "non alcoholic cocktail mixer one ounce", + "one ounce non alcoholic cocktail mixer", + "non alcoholic cocktail mixer, one ounce", + "non alcoholic cocktail mixer in one ounce", + "non alcoholic cocktail mixer with one ounce", + "1 ounce non alcoholic cocktail mixer", + "non alcoholic cocktail mixer 1 ounce", + "non alcoholic cocktail mixer under $60", + "non alcoholic cocktail mixer under $50", + "non alcoholic cocktail mixer" + ], + "i'm looking for beauty care accessories it is easy to clean and it was helpful for deadly skin.": [ + "beauty care accessories for deadly skin", + "beauty care accessories easy to clean and it was helpful for deadly skin", + "beauty care accessories that are easy to clean", + "beauty care accessories easy to clean and it was helpful for deadly skin", + "beauty care accessories", + "beauty care accessories, easy to clean and it was helpful for deadly skin", + "beauty care accessories easy to clean", + "beauty care accessories that are easy to clean and is helpful for deadly skin", + "beauty care accessories easy to clean and it is helpful for deadly skin", + "beauty care accessories easy to clean" + ], + "i am looking for dried fruits in artificial colors with size 8 ounce": [ + "dried fruits in artificial colors 8 ounce", + "dried fruits in artificial colors size 8 ounce", + " dried fruits in artificial colors 8 ounce", + "dried fruits in artificial colors", + " dried fruits in artificial colors size 8 ounce", + "dried fruits in artificial colors with size 8 ounce", + "dried fruits in artificial colors, size 8 ounce", + "drain dried fruits in artificial colors 8 ounce", + "dried fruits in artificial colors in size 8 ounce", + "drain dried fruits in artificial colors size 8 ounce" + ], + "i am looking for single pack of 8 ounce size containing artificial colors cherries.": [ + "single pack of 8 ounce size containing artificial colors cherries", + "single pack of 8 ounce size containing artificial colors cherries.", + "single pack of 8 ounce size containing artificial colors cherries under $40", + "single pack of 8 ounce size containing artificial colors cherries under $60", + "single pack of 8 ounce size containing artificial colors cherries under $50", + "single pack of 8 ounce size containing artificial colors cherries,", + "single pack of 8 ounce size containing artificial colors cherries under 40 dollars", + "single pack of 8 ounce size containing artificial colors cherries under 50 dollars", + "single pack of 8 ounce size containing artificial colors cherries under 30 dollars", + " single pack of 8 ounce size containing artificial colors cherries" + ], + "i am looking far a 3 pack bloody mary non gmo margarita": [ + "3 pack bloody mary non gmo margarita", + "3 pack bloody mary non gmo margarita under $40", + "3 pack bloody mary non gmo margarita under $60", + "3 pack bloody mary non gmo margarita under $50", + "3 pack bloody mary non gmo margarita under 50 dollars", + "3 pack bloody mary non gmo margarita under 30 dollars", + "3 pack bloody mary non gmo margarita under 40 dollars", + "2 pack bloody mary non gmo margarita", + "4 pack bloody mary non gmo margarita", + " 3 pack bloody mary non gmo margarita" + ], + "i'm looking for a nuvo vanity": [ + "nuvo vanity", + "nuvo vanity under $40", + "nuvo vanity under $50", + "nuvo vanity under $60", + "nuvo vanity under 30 dollars", + "nuvo vanity under 50 dollars", + "nuvo vanity", + "nuvo vanity under $120", + "nuvo vanity vanity", + "nuvo vanity," + ], + "to improve my home lighting i'm searching for wall lights and 4lt brushed nickel vanity strip lights .": [ + "home lighting 4lt brushed nickel vanity strip lights", + "home lighting with 4lt brushed nickel vanity strip lights", + "home lighting 4lt brushed nickel vanity strips lights", + "living room lighting 4lt brushed nickel vanity strip lights", + "home lighting4lt brushed nickel vanity strip lights", + "home lighting, 4lt brushed nickel vanity strip lights", + "living lighting 4lt brushed nickel vanity strip lights", + "home lighting 4lt brushed nickel vanity strip lights,", + "home lighting 4lt brushed nickel vanity strips", + "home lighting 4l brushed nickel vanity strip lights" + ], + "i would like a mahogany bronze pendant with frosted glass for my vanity light.": [ + " mahogany bronze pendant with frosted glass", + " mahogany bronze pendant with frosted glass for my vanity light", + " mahogany bronze pendant with frosted glass for vanity light", + " mahogany bronze pendant with frosted glass for a vanity light", + " mahogany bronze pendant with frosted glass vanity light", + "m mahogany bronze pendant with frosted glass", + " mahogany bronze pendant with frosted glass for vanity light.", + " mahogany bronze pendant", + "a mahogany bronze pendant with frosted glass", + " mahogany bronze pendant with frosted glass for the vanity light" + ], + "i need a vanity light that is mahogany bronze": [ + "vanity light mahogany bronze", + "vanity light that is mahogany bronze", + "k vanity light mahogany bronze", + "k vanity light that is mahogany bronze", + "vinyl light mahogany bronze", + "king vanity light mahogany bronze", + "mahogany bronze vanity light", + "vanity light mahogany bronze vanity light", + "k vanity light mahogany bronze vanity light", + "vanity light" + ], + "i'm looking for long sleeve and slim fit for dry clean for women's clothing.": [ + "long sleeve slim fit for dry clean womens clothing", + "womens clothing long sleeve slim fit", + "short sleeve slim fit for dry clean womens clothing", + "long sleeve slim fit dry clean womens clothing", + "slim fit for dry clean womens clothing", + "long sleeve slim fit for dry clean", + "womens clothing long sleeves slim fit", + "long sleeve slim fit for dry clean womens", + "womens clothing long sleeve", + "long sleeve slim fit" + ], + "i want a non slip pair of sport shoes that has rubber soles. i am a woman and my size is 15.": [ + "non slip pair of sport shoes", + "non slip pair of sport shoes 15", + "non slip pair of sport shoes size 15", + "non slip pair of sport shoes, 15", + "non slip tennis shoes size 15", + "non slip pair of tennis shoes", + "non slip tennis shoes 15", + "non slip pair of sport shoes 15 woman", + "non slip tennis shoes", + "non slip walking shoes 15" + ], + "i want a belt-clip heavy duty holster case for my galaxy s22 plus in the color dark blue | pink+belt": [ + "belt-clip heavy duty holster case for my galaxy s22 plus in the color dark blue | pink+belt", + " belt-clip heavy duty holster case for my galaxy s22 plus in the color dark blue | pink+belt", + "black belt-clip heavy duty holster case for my galaxy s22 plus in the color dark blue | pink+belt", + "belt-clip heavy duty holster case for my galaxy s22 plus in the color dark blue | pink+belt", + "belt-clip heavy duty holster case for s22 plus in the color dark blue | pink+belt", + "a belt-clip heavy duty holster case for my galaxy s22 plus in the color dark blue | pink+belt", + " belt-clip heavy duty holster case for s22 plus in the color dark blue | pink+belt", + "black belt-clip heavy duty holster case for s22 plus in the color dark blue | pink+belt", + "belt-clip heavy duty holster case for my galaxy s22 plus in the color dark blue", + "belt-clip heavy duty holster case for my galaxy s22 plus in the color dark blue | pink+belt" + ], + "i want a clear glass mystic sand colored wall sconce. it will go in my living room.": [ + "clear glass mystic sand colored wall sconce", + "clear glass mystic sand colored wall sconce living room", + "a clear glass mystic sand colored wall sconce", + "clear glass mystic sand colored wall sconce,", + "magnified glass mystic sand colored wall sconce", + "pure glass mystic sand colored wall sconce", + "monumental sand colored wall sconce", + "white sand colored wall sconce", + "floor sconce clear glass", + "white sand colored wall sconce," + ], + "i'm looking for a clip in hair extensions for hair styling. also choose f one.": [ + "hair extensions for hair styling", + "curtains in hair extensions", + "clothing extensions for hair styling", + "hair extensions for hair styling f", + "clip in hair extensions", + "hair extensions f", + "hair extensions", + "lip in hair extensions", + "hair extensions that are f one", + "hair extensions f one" + ], + "i am looking for a black wall lamps & sconces for living room": [ + "black wall lamps & sconces for living room", + "wall lamps & sconces for living room", + "black wall lamps and sconces for living room", + "wall lamps and sconces for living room", + "white wall lamps & sconces for living room", + "black wall lamps & sconces living room", + "living room wall lamps & sconces black", + "wall lamps & sconces for living room black", + "living room black wall lamps & sconces", + "black wall lamps & sconces" + ], + "i am looking for a candy & chocolate gifts box": [ + "candy & chocolate gifts box", + "synthetic candy & chocolate gifts box", + "gift box candy & chocolate", + "gift box candy & chocolate gifts box", + "synthetic sugar & chocolate gifts box", + "candy and chocolate gifts box", + "sugar & chocolate gifts box", + "synthetic chocolate gifts box", + " candy & chocolate gifts box", + "gift box candy & chocolate gifts" + ], + "i'm looking for a hollywood style vanity lights which is easy to install.": [ + "hollywood style vanity lights", + "hollywood style vanity lights which is easy to install", + "hollywood style vanity lights that is easy to install", + "hollywood style vanity lights, easy to install", + "easy to install hollywood style vanity lights", + "hollywood style vanity lights that are easy to install", + "home style vanity lights that is easy to install", + "home style vanity lights", + "hollywood style vanity lights easy to install", + "home style vanity lights, easy to install" + ], + "i am looking for am/fm radio with digital frequency display of hannlomax hx-506r portable am/fm radio which could play my favourite music from the smartphone or bluetooth enabled device on boombox by bluetooth streaming.suitable for indoor and outdoor.": [ + "am/fm radio with digital frequency display", + "am/fm radio with digital frequency display of hannlomax hx-506r", + "am/fm radio with digital frequency display hannlomax hx-506r", + "am/fm radio with digital frequency display hannlomax hx-506r portable", + "am/fm radio hannlomax hx-506r portable", + "am/fm radio", + "am/fm radio with digital frequency display that is portable", + "a portable am/fm radio with digital frequency display", + "mfm radio with digital frequency display", + "am/fm radio portable" + ], + "i am looking for rubber soled men loafer. please choose size of 13.": [ + "rubber soled men loafer 13", + "rubber soled men loafer size 13", + "men loafer size 13 rubber soled", + "men loafer 13 rubber soled", + "rubber soled men loafer 13 size", + "stainless men loafer size of 13", + "shoes 13 rubber soled men loafer", + "stainless men loafer size 13", + "rubber soled men loafer 13.", + "men loafer size of 13" + ], + "i am looking for cupcake picks for baby shower birthday.": [ + "cupcake picks for baby shower", + "cupcake picks for baby shower birthday", + "cupcake picks baby shower", + "baby shower cupcake picks", + "cupcake pick for baby shower", + "cupcake picks baby shower birthday", + "cupcake pick for baby shower birthday", + "baby shower baby shower cupcake picks", + "cupcake pick baby shower", + "cupcake picks for baby shower." + ], + "i need a large button closure shirt that is charcoal grey in color. pick the regular fit one.": [ + "large button closure shirt that is charcoal grey", + "large button closure shirt in charcoal grey", + "large button closure shirt with charcoal grey color", + "large button closure shirt, charcoal grey", + "large button closure shirt charcoal grey", + "large button closure shirt", + "large button closure shirt charcoal grey", + "large button closure shirt for charcoal grey", + "large button closure shirt of charcoal grey", + "large button closure shirt in charcoal grey color" + ], + "i need a mens hairline hairpiece that can be used as replacement for hair lose. and please choose the medium brown with 130 desnsity": [ + "mens hairline hairpiece 130 desnsity", + "mens hairline hairpiece with 130 desnsity", + "mens hairline hairpiece, 130 desnsity", + "mens hairline hairpiece 130 desnsity mens mens", + "mens hairline hairpiece", + "mens hairline hairpiece 130 desnsity mens", + "mens hairline hairpiece that can be used for hair lose", + "mens hairline hairpiece 130 desnsity", + "mens hairline hairpiece that can be used for hair lose.", + "mens hairline hairpiece 130 desnsity" + ], + "i'm looking for a natural hair cap to hide my hair loss": [ + "natural hair cap", + "natural hair cap to hide my hair loss", + "natural hair cap for hair loss", + "natural hair cap that hide my hair loss", + "natural hair cap that hides my hair loss", + "natural hair cap, hide my hair loss", + "natural hair cap to hide hair loss", + "natural hair cap, less then $40", + "natural hair cap under $40", + "natural hair cap under $50" + ], + "find me a round table non slip with storage basket": [ + "tablet non slip with storage basket", + "round table non slip storage basket", + "round table non slip with storage basket", + "router table non slip with storage basket", + "tablet non slip storage basket", + "square table non slip with storage basket", + "roasted table non slip with storage basket", + "tablet non slip", + "Round table non slip storage basket", + "square table non slip storage basket" + ], + "i am shopping for a non alcoholic slush mix that is non alcoholic. i like the cherry flavor.": [ + "non alcoholic slush mix with cherry flavor", + "non alcoholic slush mix that is non alcoholic", + "non alcoholic slush mix cherry flavor", + "non alcoholic slush mix", + "non alcoholic slush mix, cherry flavor", + "non alcoholic slush mix non alcoholic cherry flavor", + "non alcoholic slush mix in cherry flavor", + "non alcoholic slush mix with a cherry flavor", + "non alcoholic slush mix with cherry flavor.", + "non alcoholic slush mix cherry flavor" + ], + "i am looking for a 3x-large long sleeved sweatshirt that is hooded for everyday wear.": [ + "3xl long sleeved sweatshirt", + "3xl hooded sweatshirt", + "3xl long sleeved sweatshirt under $50", + "3xl long sleeved sweatshirt under $40", + "3xl long sleeved sweatshirt under $60", + "3x-large long sleeved sweatshirt", + "3xl hooded sweatshirt for everyday wear", + "3xl long sleeved sweatshirt for everyday wear", + "3xl long sleeved sweatshirt with hooded", + "3xl sweatshirt" + ], + "i would like a extra large pair of peach butt purple shorts with a high waist.": [ + "extra large pair of peach butt purple shorts", + "extra large peachy butt purple shorts with a high waist", + "extra large peaches butt purple shorts with a high waist", + "extra large peach butt purple shorts with a high waist", + "extra large pomegranate butt purple shorts", + "extra large peachy butt purple shorts", + "extra large pair of peach butt purple shorts, high waist", + "extra large pecs butt purple shorts with a high waist", + "extra large peach butt purple shorts", + "extra large peaches butt purple shorts" + ], + "i would like some peach high waisted shorts": [ + "pomegranate high waisted shorts", + "chocolate high waisted shorts", + "pink high waisted shorts", + "peach high waisted shorts", + "ch peach high waisted shorts", + "peaches high waisted shorts", + "teeth high waisted shorts", + "pembro high waisted shorts", + "peac high waisted shorts", + " peach high waisted shorts" + ], + "i would like a pair of women's 6.5 black powder water shoes with a rubber sole.": [ + "womens 6.5 black powder water shoes with a rubber sole", + "womens 6.5 black powder water shoes", + "womens 6.5 black powder water shoes with rubber sole", + "womens 6.5 black powder water shoes, rubber sole", + "mens 6.5 black powder water shoes with a rubber sole", + "womens 6.5 black powder water shoe with a rubber sole", + "womens 6.5 black powder water shoes rubber sole", + "mens 6.5 black powder water shoes with a rubber sole", + "womens 6.5 black powder water shoes that are rubber sole", + "mens 6.5 black powder water shoes" + ], + "i'm looking for a ready to use, fully assembled mattresses with box spring. also, choose beige colored california kig sized bed with 4\" split foundation one.": [ + "ready to use, fully assembled mattresses with box spring", + "ready to use, fully assembled mattresses with box spring.", + "ready to use, fully assembled mattresses with box spring under $40", + "ready to use, fully assembled mattresses with box spring under $60", + "ready to use fully assembled mattresses with box spring", + "ready to use, fully assembled mattresses", + "ready to use mattresses with box spring", + "living room mattresses with box spring", + "comfortable mattresses with box spring", + "bathroom mattresses with box spring" + ], + "i would like some 18 inch 1b hair extensions made from synthetic hair.": [ + "18 inch 1b hair extensions", + "18 inch human hair extensions made from synthetic hair", + "18 inch 1b hair extension", + "18 inch hair extensions made from synthetic hair", + "18 inch synthetic hair extensions", + "18 inch synthetic hair extensions made from synthetic hair", + "18 inch 1b hair extensions made from synthetic", + "18 inch 1b human hair extensions", + "18 inch human hair extensions", + "18 inch synthetic hair extension" + ], + "i am looking for long sleeve henley shirt. please choose orange color.": [ + "long sleeve henley shirt in orange", + "long sleeve henley shirt orange", + "long sleeve henley shirt with orange color", + "long sleeve henley shirt, orange", + "long sleeve henley shirt. orange", + "long sleeve henley shirt in orange color", + "a long sleeve henley shirt in orange", + "large sleeve henley shirt in orange", + "long sleeve henley shirt", + "long sleeve henley shirt orange long sleeve" + ], + "i am looking a heavy duty hdmi vedio cable size: 6-feet": [ + "heavy duty hdmi vedio cable size 6-feet", + "heavy duty hdmi vedio cable size", + "heavy duty hdmi vedio cable", + "hdmi vedio cable size 6-feet", + "heavy duty hdmi vedio cable size 7-feet", + "heavy duty hdmi vedio cable size 5-feet", + "heavy duty hdmi vedio cable size 8-feet", + "heavy duty hdmi vedio cable size6-feet", + "hdmi vedio cable size: 6-feet", + "hdmi vedio cable" + ], + "i am looking for dermatologist tested and paraben free body cream with green tea extracts which is suitable for dry and sensitive skin.": [ + "dermatologist tested and paraben free body cream with green tea extracts", + "dermatologist tested and paraben free body cream", + "dermatologist tested and paraben free body cream with green tea extract", + "ddermatologist tested and paraben free body cream with green tea extracts", + "dermatologist tested paraben free body cream with green tea extracts", + " dermatologist tested and paraben free body cream with green tea extracts", + "dermatologist tested and paraben free body cream, dry and sensitive skin", + "dermatologist tested and paraben free body cream, dry and sensitive skin,", + "dermatologist tested body cream with green tea extracts", + "dermatologist tested paraben free body cream" + ], + "please re order a happy easter flannel fleece throw blanket for my coach.it should be super soft and easy to clean.": [ + "happy easter flannel fleece throw blanket", + "a happy easter flannel fleece throw blanket", + "happy easter flannel fleece throw blanket", + "felty fleece throw blanket for my coach", + "felty fleece throw blanket for a coach", + "faux fleece throw blanket for my coach", + "faux fleece throw blanket for a coach", + "affordable flannel fleece throw blanket", + "felty fleece throw blanket", + "pink easter blanket" + ], + "i am looking for non slip shoes in 10 size": [ + "non slip shoes in 10 size", + "non slip shoes 10 size", + "non slip shoes in 10", + "non slip shoes size 10", + "non slip shoes, 10 size", + "non slip shoes 10x10", + "non slip shoes 10 in size", + "non slip shoes 10 x 10", + "non slip shoes 10 ft", + "non slip shoes 10 oz" + ], + "i'm looking for regular outfit it can make feel comfortab;e.": [ + "regular outfit", + "regular outfit comfortableab;e", + "regular outfit with comfortab;e", + "regular outfit feel comfortab;e", + "regular outfit for comfortab;e", + "regular outfit with comfortab", + "regular outfit that is comfortable", + "regular outfit comfortableab;e.", + "regular outfit under $50", + "regular outfit comfortableab" + ], + "are there any gluten free protein bars with very high protein content available in chocolate raspberry flavour?": [ + "gluten free protein bars chocolate raspberry flavour", + "gluten free protein bar chocolate raspberry flavour", + "gluten free protein bars chocolate raspberry flavor", + "gluten free protein bar chocolate raspberry flavor", + "gluten free protein bar chocolate raspberry", + "gluten free protein bars chocolate raspberry flavour", + "gluten free protein bars chocolate raspberry", + "gluten free protein bars with high protein content", + "gluten free protein bar chocolate raspberry flavour", + "gluten free protein bar with high protein content" + ], + "i would like a stained glass wall lamp with a bronze finish.": [ + "stainless glass wall lamp with bronze finish", + "stainless glass wall lamp", + "stained glass wall lamp with a bronze finish", + "a stained glass wall lamp with a bronze finish", + "red stained glass wall lamp with a bronze finish", + "stainless glass wall lamp, bronze finish", + "stained glass wall lamp with bronze finish", + "stained glass wall lamp with a bronze finish", + "stainless glass wall lamp bronze finish", + "stained glass wall lamp" + ], + "i am looking for a loose fit vest that is red and a 4-xlarge": [ + "red 4xl loose fit vest", + "red 4-xlarge loose fit vest", + "red 4-xl loose fit vest", + "loose fit vest red 4xl", + "loose fit vest red 4xlarge", + "red loose fit vest 4xl", + "pocket fit vest red 4-xlarge", + "red loose fit vest 4xlarge", + "red shirt 4xl", + "red shirt 4xlarge" + ], + "i want to buy an air purifier candle that's soy wax. it should be falling leaves colored and in a 3 pack.": [ + "air purifier candle thats soy wax 3 pack", + "air purifier candle with soy wax 3 pack", + "air purifier candle, soy wax 3 pack", + " air purifier candle thats soy wax 3 pack", + " air purifier candle with soy wax 3 pack", + " air purifier candle, soy wax 3 pack", + "an air purifier candle thats soy wax 3 pack", + "air purifier candle that is falling leaves colored", + "air purifier candle with soy wax", + "air purifier candle" + ], + "i am looking for lock screen ad supported tablet in 1080p hd": [ + "stool screen ad supported tablet in 1080p hd", + "lens screen ad supported tablet in 1080p hd", + "alarm screen ad supported tablet in 1080p hd", + "control screen ad supported tablet in 1080p hd", + "stool screen ad supported tablet in 1080p", + "lens screen ad supported tablet in 1080p", + "stainless tablet in 1080p", + "alarm screen tablet in 1080p hd", + "alarm screen tablet in 1080p", + "portrait tablet in 1080p" + ], + "i want something that will let me use my cell phone hands free and has the kansas city chiefs' logo on it. it should allow for wireless charging.": [ + "cell phone hands free", + "phone with kansas city chiefs logo", + "cell phone with kansas city chiefs logo", + "phone with a kansas city chiefs logo", + "kansas city chiefs logo", + "kansas city chiefs wireless charging", + "cell phone with kansas city chiefs", + "phone with kansas city chiefs", + "cell phone hands free kansas city chiefs", + "phone hands free" + ], + "i am looking for small sized women t-shirt. it should be machine washable.": [ + "small sized women t-shirt", + "small women t-shirt", + "small woman t-shirt", + "small women t-shirt, machine washable", + "small women t-shirt machine washable", + "small sized women t-shirt machine washable", + "small woman t-shirt, machine washable", + "small woman t-shirt machine washable", + "small sized women t-shirt under $50", + "small sized women t-shirt under $40" + ], + "i would like a purple storage case for my nail polish.": [ + "pink storage case for nail polish", + "pink storage case for my nail polish", + "pink storage case for nail polish.", + "purple storage case for nail polish", + "plastic storage case for nail polish", + "pink storage case nail polish", + "pink storage case for nail polish polish", + "purple storage case for my nail polish", + "pink storage case for polish polish", + "pink nail polish storage case" + ], + "i'm looking for a bronze finish pendant light for high ceiling in dining room.": [ + " bronze finish pendant light dining room", + "silver finish pendant light dining room", + "gold pendant light dining room", + "chrome finish pendant light dining room", + "gold finish pendant light dining room", + "dining room bronze finish pendant light", + "plastic finish pendant light dining room", + "brushed finish pendant light dining room", + "buffet finish pendant light dining room", + " bronze finish pendant light dining room." + ], + "i'm looking for stereo sound it was outside of noise pollution.": [ + "sound outside of noise pollution", + "sound no noise", + "stereo sound no noise pollution", + "sound no noise pollution", + "slimming sound", + "stereo sound no noise", + "stereo sound", + "sound outside of noise pollution.", + "silo sound", + "noise pollution" + ], + "i am looking for a white02 high quality hair cutting kits": [ + "white02 high quality hair cutting kits", + "white02 hair cutting kits", + "white02 hair cutting kit", + "white02 high quality hair cutting kit", + "white02 hair cutting kits, high quality", + "white02 hair cutting kits high quality", + "white02 high quality hair cutting kits,", + "white02 hair cutting kits under $40", + " white02 high quality hair cutting kits", + "white02 hair cutting tools" + ], + "i am looking for long lasting 11oz ceramic tea cup": [ + "long lasting 11oz ceramic tea cup", + "large lasting 11oz ceramic tea cup", + "12oz ceramic tea cup", + "12oz ceramic tea cup long lasting", + "4oz ceramic tea cup", + "aluminum tea cup long lasting", + "4oz ceramic tea cup long lasting", + "10oz ceramic tea cup", + "lens tea cup long lasting", + "5oz ceramic tea cup" + ], + "i would like a cat sparkly cosmetic bag that is high quality and water resistant.": [ + "cat sparkly cosmetic bag that is high quality and water resistant", + "kitty sparkly cosmetic bag that is high quality and water resistant", + "Cat sparkly cosmetic bag that is high quality and water resistant", + "cat sparkly cosmetic bag that is high quality and water resistant.", + " cat sparkly cosmetic bag that is high quality and water resistant", + "a cat sparkly cosmetic bag that is high quality and water resistant", + "cat sparkly cosmetic bag, high quality and water resistant", + "pinkly cosmetic bag that is high quality and water resistant", + "cats sparkly cosmetic bag that is high quality and water resistant", + "cat sparkly cosmetic bag high quality and water resistant" + ], + "seeking a men's tech pique botanical polo that is short-sleeved, moisture wickering in a size medium showing navy blazer-ocean depths color made by puma.": [ + "mens tech pique botanical polo that is short-sleeved, moisture wickering in a size medium", + "mens tech pique botanical polo that is short-sleeved with navy blazer-ocean depths color", + "mens tech pique botanical polo short-sleeved with navy blazer-ocean depths color", + "mens tech pique botanical polo with short-sleeved navy blazer-ocean depths color", + "mens tech pique botanical polo with a navy blazer-ocean depths color", + "mens tech pique botanical polo that is short-sleeved", + "mens tech pique botanical polo", + "mens tech pique botanical polo with a size medium", + "mens tech pique botanical polo in a size medium", + "mens pique botanical polo" + ], + "i'm looking for a ready-to-eat mild flavor seasoned pork meat with quality ingredients, choose 8.8 ounce (pack of 3)": [ + "ready-to-eat mild flavor seasoned pork meat", + "ready-to-eat mild flavor seasoned pork meat with quality ingredients", + "mild flavor seasoned pork meat 8.8 ounce (pack of 3)", + "ready-to-eat mild flavor seasoned pork meat (pack of 3)", + "ready-to-eat mild flavor seasoned pork meat whose price is lower than $40.00", + "ready-to-eat mild flavor seasoned pork meat whose price is lower then $40.00", + "ready-to-eat mild flavor seasoned pork meat with quality ingredients under $60", + "ready-to-eat mild flavor seasoned pork meat with quality ingredients under $40", + "pork meat 8.8 ounce (pack of 3)", + "ready-to-eat mild flavor seasoned pork meat meat" + ], + "i'm looking for a oat milk creamer by califia farms .": [ + "oat milk creamer by califia farms", + "oatmeal milk creamer by califia farms", + "oat milk creamer by califia farms", + " oat milk creamer by califia farms", + "oat milk cream creamer by califia farms", + "oatmeal cream creamer by califia farms", + "oat milk creamer, califia farms", + "oat milk creamer califia farms", + "oat milk creamer", + "oat milk creamer dairy dairy farms" + ], + "i am looking for a hair mask and a hair conditioner that promotes hair growth and helps repair damaged hair.": [ + "hair mask and hair conditioner that promotes hair growth and helps repair damaged hair", + "hair mask and hair conditioner", + "hair mask and conditioner that promotes hair growth and helps repair damaged hair", + "hair mask and conditioner that promotes hair growth and helps repair damaged hair.", + "hair mask that promotes hair growth and helps repair damaged hair", + "hair mask and hair conditioner that promotes hair growth", + "hair mask that promotes hair growth and helps repair damaged hair.", + "shoes mask and hair conditioner", + "hair mask and hair conditioner for damaged hair", + "human hair mask and hair conditioner" + ], + "i want an xx-large gonxaga bulldogs sweatshirt. it should be officially licensed.": [ + "xx-large gonxaga bulldogs sweatshirt", + "xxl gonxaga bulldogs sweatshirt", + "xx-large gonxaga bulldogs sweatshirt, officially licensed", + "xxl gonxaga bulldogs sweatshirt, officially licensed", + "xxl gonxaga bulldogs sweatshirt that is officially licensed", + " xx-large gonxaga bulldogs sweatshirt", + "xx-large gonxaga bulldogs sweatshirt officially licensed", + "xxl gonxaga bulldogs sweatshirt officially licensed", + "xx-large gonxaga bulldogs sweatshirt under $50", + "xx-large gonxaga bulldogs sweatshirt under $40" + ], + "find the officially licensed top of the world fit light heather arch men's crew neck sweater. my son wants it with the team name: wisconsin badgers.": [ + "wisconsin badgers team name", + "wisconsin badgers", + "wisconsin badgers team", + "womens crew neck sweater", + "wisconsin badgers under $40", + "wisconsin badgers under $50", + "wisconsin badgers shirt under $40", + "wisconsin badgers shirt under $50", + "wisconsin badgers under $60", + "wisconsin badgers shirt" + ], + "i want a medium machine washable top of the world men's fit sweatshirt.": [ + "medium machine washable mens fit sweatshirt", + "medium mens fit sweatshirt", + "medium machine washable men fit sweatshirt", + "medium machine washable mens fit sweatshirt.", + "medium mens fit sweatshirt under $40", + "medium mens fit sweatshirt under $50", + "medium mens fit sweatshirt.", + "mens fit sweatshirt", + "medium machine washable mens fit sweatshirt,", + "medium machine washable sweatshirt" + ], + "i looking a super soft fleece throw for small pets size;40*30 inch": [ + "super soft fleece throw for small pets size 40*30 inch", + "super soft fleece throw for small pets size40*30 inch", + "super soft fleece throw for small pets", + "super soft fleece throw for small pets size", + "super soft fleece throw for small pets size 40*30 inches", + "super soft fleece throw for small pets 40*30 inch", + "super soft fleece throw for small pets size40*30 inches", + "super soft fleece throw for small pets size 40*30", + "super soft fleece throw for small pets,40*30 inch", + "super soft fleece throw for small pets 40*30 inch" + ], + "i want to find a 42 millimeter long baby pink loop strap compatible with my apple watch band.": [ + "baby pink loop strap", + "42 millimeter long baby pink loop strap", + " 42 millimeter long baby pink loop strap", + "baby pink loop strap, 42 millimeter long", + "a 42 millimeter long baby pink loop strap", + "roller strap 42 millimeter long", + "40 millimeter long baby pink loop strap", + "baby pink loop strap for apple watch", + "roller strap 42 millimeter long baby pink", + "baby pink strap" + ], + "i am shopping for a height adjustable blue desk with drawers.": [ + "height adjustable blue desk with drawers", + "height adjustable blue desk drawers", + "height adjustable blue desk with drawers.", + "height adjustable blue desk with drawers under $40", + "height adjustable blue desk with drawers below $40", + "height adjustable blue desk with drawers under $50", + "height adjustable blue desk with drawers below $50", + "height adjustable blue desk with drawers under $60", + "height adjustable blue desk with drawers under $120", + "height adjustable blue desk with drawers below $60" + ], + "i would like a single spring 4mm jaw nail clippers made of stainless steel.": [ + "single spring 4mm jaw nail clippers made of stainless steel", + "single spring 4mm jaw nail clippers", + "single spring 4mm jaw nail clippers made of stainless steel,", + "single spring 4mm jaw nail clippers made from stainless steel", + "single spring 4mm jaw nail clippers made of stainless steel.", + "single spring 4mm jaw nail clippers with stainless steel", + "single spring 4mm jaw nail clippers, made of stainless steel", + "manual spring 4mm jaw nail clippers made of stainless steel", + "single spring 4mm jaw nail clippers, stainless steel", + " single spring 4mm jaw nail clippers made of stainless steel" + ], + "i am looking for a hands free earbud headphones and color should be light grey or blue.": [ + "hand free earbud headphones light grey", + "hand free earbud headphones light grey or blue", + "womens free earbud headphones light grey", + "hand free earbud headphones", + "hands free earbud headphones light grey or blue", + "hand free earbud headphones in light grey", + "hand free earbud headphones with color light grey", + "womens free earbud headphones", + "hands free earbud headphones light grey", + "hand free earbud headphones that are light grey" + ], + "i want a pair of non slip ballet flats with rubber sole. i need it in size 11.": [ + "non slip ballet flats with rubber sole size 11", + "non slip ballet flats with rubber sole in size 11", + "non slip ballet flats with rubber sole", + "non slip ballet flats with rubber sole, size 11", + "non slip ballet flats with rubber sole size 11.", + "non slip ballet flats size 11", + "non slip ballet flats in size 11", + "non slip ballet flats, rubber sole, size 11", + "non slip ballet flats with rubber sole. size 11", + "non slip ballet flats" + ], + "i am looking for a cruelty free makeup blender sponge which is easy to clean. also choose green color.": [ + "cruelty free makeup blender sponge", + "cruelty free makeup blender sponge green", + "cruelty free makeup blender sponge, green", + "cruelty free makeup blender sponge with green color", + "cruelty free makeup blender sponge in green", + "cruelty free makeup blender sponge in a green color", + "cruelty free makeup blender sponge with a green color", + "cruelty free makeup blender sponge easy to clean green", + "cruelty free makeup blender sponge, easy to clean", + "cruelty free makeup blender sponge in a green" + ], + "i am looking for high quality rainbow9 color hair cap.": [ + "rainbow9 color hair cap", + "rainbow 9 color hair cap", + "low quality rainbow9 color hair cap", + "rainbow9 color hair cap.", + "high quality rainbow9 color hair cap", + "hair cap high quality rainbow9", + "rainbow 9 color hair cap.", + "spray9 color hair cap", + "rainbow9 color wig", + "hair cap rainbow9" + ], + "i'm looking for clothing easy to machinable washes and it has unique design.": [ + "easy to machinable washes", + "easy to machinable washes with unique design", + "easy to machinable washes with a unique design", + "easy to machinable washes under $40", + "easy to machinable washes under $50", + "easy to machinable washes in a unique design", + "easy to machinable washes under $60", + "womens clothing easy to machinable", + "easy to machinable washes with unique design.", + "easy to machinable clothing" + ], + "im looking for women\u2019s beige skechers go walk 5-lucky sneaker in a size 10.": [ + "womens beige skechers walk 5-lucky sneaker in a size 10", + "woman\u2019s beige skechers go walk 5-lucky sneaker in a size 10", + "women\u2019s beige skechers go walk 5-lucky sneaker in a size 10", + "womens beige skechers go walk 5-lucky sneaker in a size 10", + "woman\u2019s beige skechers walk 5-lucky sneaker in a size 10", + "womens\u2019 beige skechers walk 5-lucky sneaker in a size 10", + "women\u2019s beige skechers walk 5-lucky sneaker in a size 10", + "womens beige skechers walk 5-lucky sneaker in a size 10.", + "womens beige skechers go walk 5-lucky sneaker in a size 10.", + "woman\u2019s beige skechers walk 5-lucky sneaker in a size 10." + ], + "i am looking for easy to use bath shower scrubber for men. please choose blue one.": [ + "bath shower scrubber for men", + "bath shower scrubber for men easy to use", + "bath shower scrubber for men, blue", + "easy to use bath shower scrubber for men", + "bath shower scrubber for men blue", + "bath shower scrubber for men under $40", + "bath shower scrubber for men under $50", + "bath shower scrubber for men in blue", + "bath shower scrubber for men. blue", + "bathroom scrubber for men" + ], + "find me a pair of anti slip high heel sandals in black. i am a size 6.": [ + "anti slip high heel sandals in black", + "anti slip high heel sandals in black size 6", + "anti slip high heel sandals size 6", + "anti slip high heel sandals in black, size 6", + "anti slip high heel sandals in black. size 6", + "anti slip high heel sandals in black size 6.", + "anti slip high heel sandals size 6.5", + "anti slip high heel sandals size 6.", + "anti slip high heel sandals size 6 in black", + "anti slip high heel sandals in black." + ], + "i am looking for a alcohol free face wash for makeup removal which is easy to use. also choose eco friendly one.": [ + "alcohol free face wash for makeup removal", + "alcohol free face wash", + "alcohol free makeup wash", + "alcohol free makeup wash eco friendly", + "alcohol free face wash with makeup removal", + "alcohol free face wash, makeup removal", + "alarm wash for makeup removal", + "alcohol free face wash eco friendly", + "alcohol free makeup wash, eco friendly", + "alcohol free makeup removal" + ], + "i'm looking for rose gold hair coloring products for permanent hair.": [ + "rose gold hair coloring products for permanent hair.", + "rose gold hair coloring products for permanent hair", + "rose gold hair coloring products for permanent hair color", + "rose gold hair coloring products for permanent hair under $40", + "rose gold hair coloring products for permanent hair ", + "rose gold hair coloring products", + "rose gold hair coloring products for permanent hair under $50", + "rose gold hair coloring products for permanent hair under $60", + "rose gold hair coloring products for permanent hair colored", + "rose gold hair coloring products for permanent hair under 30 dollars" + ], + "i'm looking for open and closed toe sandals for buy it.": [ + "open toe sandals", + "open toe sandals for buy it", + "open toe sandals under $40", + "open toe sandals under $50", + "open toe sandals under $60", + "open toe sandals under 50 dollars", + "open toe sandals below $40", + "open toe sandals below $50", + "open toe sandals buy it", + "open toe sandals," + ], + "this brand lorann blueberry ss (with natural flavors) is the one i always use, find the 16 oz bottle, for me the gluten free version.": [ + "lorann blueberry ss 16 oz bottle", + "gluten free lorann blueberry ss 16 oz bottle", + "lorann blueberry ss (natural flavors) 16 oz bottle", + "lorann blueberry ss 16 oz bottle, gluten free", + "lorann blueberry ss 16 oz bottle gluten free", + "lorann blueberry ss (natural flavors) 16 oz bottle, gluten free", + "label lorann blueberry ss (natural flavors) 16 oz bottle", + "label lorann blueberry ss 16 oz bottle", + "lorann blueberry ss", + "label lorann blueberry ss" + ], + "i am looking for gluten free foods with hazelnut flavor": [ + "gluten free foods with hazelnut flavor", + "gluten free foods hazelnut flavor", + "gluten free foods", + "gluten free foods, hazelnut flavor", + "gluten free foods in hazelnut flavor", + "gluten free foods and hazelnut flavor", + "gluten free foods no sugar", + "gluten free foods under $40", + "gluten free foods that are gluten free", + "gluten free foods no nuts" + ], + "i would like a 4 fluid ounce bottle of bpa free cookie butter extract.": [ + "4oz bottle of bpa free cookie butter extract", + "4oz bpa free cookie butter extract", + "4 fluid ounce bottle of bpa free cookie butter", + "4oz cookie butter extract", + "4oz sugar free cookie butter extract", + "pack of bpa free cookie butter extract", + "pack of bpa free cookie butter extract 4oz", + "4oz cookie butter extract bpa free", + "pack of bpa free cookie butter extract 4 oz", + "4oz cookie butter extract below $40" + ], + "i'm looking for a bakery emulsion which should be free from bpa and gluten. also, choose 1 gallon maple flavored one.": [ + "1 gallon maple flavored bakery emulsion", + "bakery emulsion maple flavored", + "bakery emulsion free from bpa and gluten", + "bakery emulsion maple flavored 1 gallon", + "bakery emulsion maple flavored 1 gallon maple flavored", + "gluten free maple flavored bakery emulsion", + "barbecue emulsion maple flavored 1 gallon", + "bathroom emulsion maple flavored 1 gallon", + "barbecue emulsion maple flavored", + "bathroom emulsion maple flavored" + ], + "i need some gluten free orange extract": [ + "gluten free orange extract", + "gluten free orange extract under $40", + "gluten free orange extract under $50", + "gluten free orange extract under $60", + "gluten free orange extract below $40", + "gluten free orange extract below $50", + "gluten free orange extract under 50 dollars", + "gluten free orange extract under 30 dollars", + "gluten free orange extract below $60", + "gluten-free orange extract" + ], + "i am looking for a cupcake toppers for the birth day party of my daughter": [ + "cupcake toppers for a birth day party", + "cupcake toppers for a baby shower", + "cupcake toppers for the birth day party", + "cupcake toppers for baby shower", + "cupcake toppers for birth day party", + "cupcake toppers for the baby shower", + "cupcake toppers for a newborn day party", + "cupcake toppers birth day party", + "birthday cupcake toppers", + "cupcake toppers" + ], + "i am looking for a pack of 5 dark blonde hair dye touch up spray.": [ + "pack of 5 dark blonde hair dye touch up spray", + "dark blonde hair dye touch up spray", + "5 dark blonde hair dye touch up spray", + "bag of 5 dark blonde hair dye touch up spray", + "a pack of 5 dark blonde hair dye touch up spray", + "6 pack of 5 dark blonde hair dye touch up spray", + "pack of 5 dark blonde hair dye touch up spray.", + "6 pack dark blonde hair dye touch up spray", + "dark blonde hair dye touch up spray pack", + "pack of 5 dark blonde hair dye touch up spray," + ], + "i would like a pair of yellow size 8.5 boots that are comfortable during the day.": [ + "yellow size 8.5 boots", + "yellow size 8.5 hiking boots", + "pair of yellow size 8.5 boots", + "yellow 8.5 boots", + "yellow size 8.5 boots, comfortable", + "yellow size 8.5 boots comfortable", + "yellow size 8.5 walking boots", + "yellow 8.5 hiking boots", + "yellow hiking boots", + "yellow boots" + ], + "i am looking for gluten free snacks with strawberry flavor": [ + "gluten free snacks with strawberry flavor", + "gluten free snacks strawberry flavor", + "gluten free snacks", + "gluten free snacks, strawberry flavor", + "gluten free snacks that are strawberry flavor", + "gluten free snacks that are gluten free", + "gluten free snacks no sugar", + "gluten-free snacks with strawberry flavor", + "gluten free snacks in strawberry flavor", + "gluten free snacks under $40" + ], + "i am looking for a short sleeve top for a teenage girl. it should in xx-large size.": [ + "short sleeve top for a teenage girl xx-large", + "short sleeve shirt for a teenage girl xx-large", + "short sleeve top teenage girl xx-large", + "xxl short sleeve top for a teenage girl", + "short sleeve top for teenage girl xx-large", + "short sleeve top for teenage girl xx-large size", + "xxl short sleeve shirt teenage girl xx-large", + "xxl short sleeve top teenage girl xx-large", + "short sleeve top teenage girl xx-large size", + "teen girl short sleeve top xx-large" + ], + "cosmetic craft glitter set for nail art in green colour": [ + "cosmetic craft glitter set for nail art in green colour", + "cosmetic craft glitter set for nail art in green", + "cosmetic craft glitter set for nail art", + "cosmetic craft glitter set for nail art in green color", + "cometic craft glitter set for nail art in green colour", + "co-metic craft glitter set for nail art in green", + "ecometic craft glitter set for nail art in green colour", + "cosmetic craft glitter set for nail art green", + "cosmetic glitter set for nail art in green colour", + "beauty glitter set for nail art in green colour" + ], + "i need grey memory foam slippers with open toes.": [ + "grey memory foam slippers with open toes", + "grey memory foam slippers", + "grey memory foam slippers with open toes.", + "grey memory foam slippers with open toe", + "grey memory foam slippers with open toes,", + "grey memory foam slippers with open toes under $50", + "grey memory foam slippers with open toes under $40", + "grey memory foam slippers, open toes", + "grey memory foam slippers with open toes under $60", + "grey memory foam slippers that are open toes" + ], + "i am searching for an anti aging and dermatologist tested night cream. also, choose the 3.4 ounce size.": [ + "anti aging and dermatologist tested night cream 3.4 ounce", + "ant aging and dermatologist tested night cream 3.4 ounce", + "anti aging dermatologist tested night cream 3.4 ounce", + "anti aging and dermatologist tested night cream 3.4 oz", + "anti aging and dermatologist tested night cream", + "anti aging night cream 3.4 ounce", + "anti aging and dermatologist tested night cream 2.4 ounce", + "anti aging and dermatologist tested night cream three.4 ounce", + "ant aging and dermatologist tested night cream", + "night cream 3.4 ounce" + ], + "show me twin sized bronze colored day bed made in canopy bed style.": [ + "twin sized bronze colored day bed", + "twin sized bronze colored day bed with canopy bed style", + "twin sized bronze colored day bed, canopy bed style", + "twin sized bronze colored day bed bed", + "twin sized bronze colored day bed", + "twin sized bronze colored day bed in canopy bed style", + "twin sized bronze colored day bed made in canopy bed", + "twin sized bronze colored day bed with canopy bed", + "twin sized bronze colored day bed bed", + "twin bed bronze colored day bed" + ], + "i want to find a white and gold king-sized daybed.": [ + "white and gold king-sized daybed", + "king-sized daybed white and gold", + "king-sized daybed white gold", + "king-size daybed white and gold", + "white king-sized daybed", + "king-sized daybed", + "white and gold king-size daybed", + "king-size daybed white gold", + "king-sized daybed white", + "white gold king-sized daybed" + ], + "i am looking for a suckers & lollipops of spiderman pop ups flavor for birthday party.": [ + "suckers & lollipops of spiderman pop ups flavor for birthday party", + "sugers & lollipops of spiderman pop ups flavor for birthday party", + "sinkers & lollipops of spiderman pop ups flavor for birthday party", + "suckerers & lollipops of spiderman pop ups flavor for birthday party", + "suckingers & lollipops of spiderman pop ups flavor for birthday party", + "sugar and lollipops of spiderman pop ups flavor for birthday party", + "suckers & lollipops of spiderman pop ups flavor for baby shower", + "sneakers & lollipops of spiderman pop ups flavor for birthday party", + "sugar & lollipops of spiderman pop ups flavor for birthday party", + "suckers & lollipops of spiderman pop ups for birthday party" + ], + "i'm looking for hair removal of men's it was personal care in beauty.": [ + "hair removal of mens", + "hair removal mens", + "beauty with mens", + "home care mens", + "beauty mens", + "human care in beauty", + "personal care in beauty", + "man hair removal mens", + "man hair removal", + "beauty" + ], + "i'm looking for makeup accessories for deadly skin and easy to clean to skin.": [ + "beauty accessories for deadly skin", + "pink makeup accessories for deadly skin", + "beauty accessories for deadly skin easy to clean to skin", + "beauty accessories for deadly skin easy to clean", + "moisturizing makeup accessories for deadly skin", + "beauty accessories for deadly skin, clean to skin", + "pink makeup accessories for deadly skin, clean to skin", + "pink makeup accessories for deadly skin easy to clean", + "daring skin makeup accessories", + " makeup accessories for deadly skin" + ], + "i am looking for men's machine washable alloy colored dress pants.": [ + "mens machine washable alloy colored dress pants", + "mens machine washable alloy colored dress pants", + "mens machine washable alloy colored dress pants.", + "mens machine washable alloy colored dress pants under $40", + "mens machine washable alloy colored dress pants under $50", + "mens machine washable alloy colored dress pants mens", + "mens machine washable alloy colored dress pants under $60", + "mens machine washable alloy colored dress pants under 50 dollars", + "mens machine washable alloy colored dress pants under 40 dollars", + "mens mens machine washable alloy colored dress pants" + ], + "i'm looking for need to buy a cookie butter and it was gluten free and it contains high protein.": [ + "cookie butter gluten free", + "gluten free cookie butter", + "cookie butter gluten free and high protein", + "cookie butter that is gluten free", + "chocolate butter gluten free", + "cookie butter gluten free high protein", + "cookie butter gluten free, high protein", + "coffee butter gluten free", + "cookie butter gluten free under $40", + "sugar free cookie butter" + ], + "i would like a 128 fluid ounce bottle of princess cake and cookie that is bpa free.": [ + " 128 fluid ounce bottle of princess cake and cookie", + "128 fluid ounce bottle of princess cake and cookie", + "contains 128 fluid ounce bottle of princess cake and cookie", + "pink cake and cookie bpa free 128 oz", + "104 fluid ounce bottle of princess cake and cookie", + "lemon cake and cookie bpa free 128 oz", + "cupcake and cookie bpa free 128 oz", + "pink cake and cookie bpa free 128oz", + "lemon cake and cookie bpa free 128oz", + "pink cake and cookie bpa free 128oz bottle" + ], + "show me lorann coffee bakery emulsion, red velvet flavor and gluten free. i need to add an order for this week.": [ + "lorann coffee bakery emulsion red velvet flavor", + "gluten free lorann coffee bakery emulsion", + "levis coffee bakery emulsion red velvet flavor", + "lorann coffee bakery emulsion gluten free", + "lorann coffee bakery emulsion, red velvet flavor", + "lorann coffee bakery emulsion", + "lorann coffee bakery emulsion red velvet flavor no sugar", + "lorann coffee bakery emulsion red velvet flavor no gluten", + "lip bakery emulsion red velvet flavor", + "lorann coffee bakery emulsion no sugar" + ], + "i'm looking for 4 ounce bottle of coffee bakery emulsion.": [ + "4 ounce bottle of coffee bakery emulsion", + "4 ounce bottle of coffee bakery emulsion.", + "4 ounce bottle of coffee bakery emulsion 4 oz", + "4 ounce coffee bakery emulsion", + "coffee bakery emulsion 4 ounce", + "4 oz bottle of coffee bakery emulsion", + " 4 ounce bottle of coffee bakery emulsion", + "4 ounce bottle coffee bakery emulsion", + "coffee bakery emulsion 4 oz", + "bagel emulsion 4 ounce" + ], + "i would like a 1 gallon bottle of blueberry imitation extract that is bpa free.": [ + "1 gallon bottle of blueberry imitation extract", + "blueberry imitation extract that is bpa free", + "blueberry imitation extract bpa free", + "blueberry imitation extract", + "blueberry imitation extract 1 gallon", + "blueberry imitation extract bpa free 1 gallon", + "one gallon bottle of blueberry imitation extract", + "a 1 gallon bottle of blueberry imitation extract", + "blueberry imitation extract 2 gallon", + "strawberry imitation extract" + ], + "i want to get some cherry flavored imitation flavoring that is in a 4 oz six pack size.": [ + "cherry flavored imitation flavoring 4 oz six pack size", + "cherry flavored imitation flavoring 4 oz six pack", + "roasted imitation flavoring 4 oz six pack size", + "roasted imitation flavoring 4 oz six pack", + "cherries flavored imitation flavoring 4 oz six pack size", + "cherries flavored imitation flavoring 4 oz six pack", + " cherry flavored imitation flavoring 4 oz six pack size", + "synthetic flavoring 4 oz six pack", + "cherry flavored imitation flavoring 4 oz 6 pack size", + "roasted imitation flavoring 4 oz six pack size." + ], + "i am looking for birthday party gift supplies. she is a 15 year old girl.": [ + "15 year old girl birthday party gift supplies", + "teen girl birthday party gift supplies", + "16 year old girl birthday party gift supplies", + "14 year old girl birthday party gift supplies", + "baby shower gift supplies 15 year old girl", + "baby shower gift supplies 15 years old girl", + "teen year old girl birthday party gift supplies", + "birthday party gift supplies 15 years old", + "baby shower gift supplies 15 years old", + "birthday party gift supplies" + ], + "i'm looking for cellphone accessories for tempered glass. it was long lasting time.": [ + "phone accessories for tempered glass long lasting", + "phone accessories for tempered glass long lasting time", + "phone accessories for tempered glass", + "tempered glass cellphone accessories long lasting", + "tempered glass cellphone accessories long lasting time", + "tempered glass phone accessories long lasting", + "tempered glass phone accessories long lasting time", + "cellphone accessories for tempered glass long lasting", + "phone accessories long lasting", + "phone accessories" + ], + "i'm looking for a open toe slippers with ankle strap. also, choose 6 size wide, a8 white colored one": [ + "open toe slippers with ankle strap", + "open toe slippers with ankle strap a8 white", + "open toe slippers, a8 white colored", + "open toe slippers a8 white", + "open toe slippers", + "open toe slippers with ankle strap 6 white", + "open toe slippers a8 white colored", + "open toe slippers with ankle strap 6 white colored", + "open toe slippers in a8 white colored", + "open toe slippers with ankle strap 6 size wide" + ], + "i am looking to buy pillow covers for my living room. i would like them to be 2 pieces of dimension 18\" x 18\"": [ + "pink pillow covers for my living room. 2 pieces of dimension 18 x 18", + "pink pillow covers for my living room 2 pieces of dimension 18 x 18", + "pink pillow covers for living room 2 pieces of dimension 18 x 18", + "pink covers for my living room 2 pieces of dimension 18 x 18", + "pump covers for my living room 2 pieces of dimension 18 x 18", + "pink pillow covers for my living room. 2 pieces of dimension 18 x 18,", + "pink pillow covers for my living room", + "pink pillow covers for my living room 2 pieces of dimension 18 x 18,", + "pump covers for my living room 2 pieces of dimension 18 x 18,", + "pink covers for my living room 2 pieces of dimension 18 x 18," + ], + "i am looking for eco friendly window films that are multicolored.": [ + "eco friendly window films that are multicolored", + "multicolored eco friendly window films", + "multicolored window films", + "eco friendly window films", + "eco friendly window films multicolored", + "window films that are multicolored", + "multicolored window films eco friendly", + "eco friendly multiicolored window films", + "window films multicolored", + "eco friendly window films with multicolored colors" + ], + "i am looking for a heavy duty bedroom sets of full xl size": [ + "heavy duty bedroom sets of full xl", + "heavy duty bedroom set of full xl", + "living room set of full xl", + "heavy duty bedroom sets", + "living room sets of full xl", + "large duty bedroom sets of full xl", + "heavy duty bedroom sets in full xl", + "living room sets of full xl size", + "full xl heavy duty bedroom sets", + "full xl bedroom set" + ], + "szitop women's yoga pants crossover yoga pants flare crossover high waist workout leggings yoga pants with stretch belly control bootcut do you know a szitop brand? i need flare yoga pants. for everyday wear, machine washable, high waist. look for size .xx-large.": [ + "szitop womens yoga pants with stretch belly control bootcut", + "szitop womens yoga pants", + "szitop womens yoga pants with stretch belly control bootcut size", + "szitop womens yoga pants stretch belly control bootcut", + "szitop womens yoga pants with stretch belly control bootcut ", + "szitop womens yoga pants size xxx-large", + "szitop womens yoga pants, xxx-large", + "szitop womens yoga pants xxx-large", + "szitop womens yoga pants with stretch belly control", + "szitop womens yoga pants crossover yoga pants" + ], + "find me an oil free dermatologist tested exfoliating facial scrub for dry skin with shien control feature and in 4.2 ounce (pack of 3) size.": [ + "an oil free dermatologist tested exfoliating facial scrub for dry skin with shien control feature and in 4.2 ounce (pack of 3) size.", + "an oil free dermatologist tested exfoliating facial scrub for dry skin with shien control feature in 4.2 ounce (pack of 3) size", + "an oil free dermatologist tested exfoliating facial scrub for dry skin with shien control feature and in 4.2 ounce (pack of 3) size", + "an oil free dermatologist tested exfoliating facial scrub for dry skin with shien control feature in 4.2 ounce (pack of 3) size.", + "an oil free dermatologist tested exfoliating facial scrub for dry skin with shien control", + "an oil free dermatologist tested exfoliating facial scrub for dry skin with shien control, in 4.2 ounce (pack of 3) size.", + "an oil free dermatologist tested exfoliating facial scrub for dry skin with shien control feature, in 4.2 ounce (pack of 3) size.", + "oil free dermatologist tested exfoliating facial scrub for dry skin with shien control", + "an oil free dermatologist tested exfoliating facial scrub for dry skin with shien control feature, in 4.2 ounce (pack of 3) size,", + "an oil free dermatologist tested exfoliating facial scrub for dry skin" + ], + "i need a chocolate coated wafers with a 4.41 ounce size. and i choose the caramel flavor": [ + "chocolate coated wafers with a 4.41 ounce size", + "chocolate coated wafers 4.41 ounce", + "chocolate coated wafers 4.41 ounce size", + "chocolate coated wafers 4.41 ounce size caramel flavor", + "chocolate coated wafers 4.41 ounce flavor", + "chocolate coated wafers 4.41 ounce caramel flavor", + "chocolate coated wafers with a caramel flavor", + "chocolate coated wafers that are 4.41 ounce", + "ocolate coated wafers 4.41 ounce", + "chocolate coated wafers" + ], + "i am looking for a white tempered glass screen smartwatch bands which is compatible to apple": [ + "white tempered glass screen smartwatch bands compatible to apple", + "white tempered glass screen smartwatch bands", + "white tempered glass screen smartwatch bands, compatible to apple", + "white tempered glass screen smartwatch band compatible to apple", + "white tempered glass screen smartwatch bands for apple", + "white tempered glass screen smartwatch band", + "white tempered glass screen smartwatch bands compatible with apple", + "white tempered glass screen smartwatch bands compatible apple", + "white tempered glass screen smartwatch bands, compatible with apple", + "white tempered glass smartwatch bands" + ], + "i am looking for a blue color tablets with high performance.": [ + "blue color tablets with high performance", + "blue tablets with high performance", + "blue tablet with high performance", + "blue color tablets", + "blue color tablets high performance", + "blue tablets high performance", + "blue tablet tablets with high performance", + "blue tablets that are high performance", + "blue colored tablets with high performance", + "blue tablet tablets high performance" + ], + "i'm looking for high definition 5 in 1 carrying case kit that has separate compartments for case cover, tempered glass and glass screen. also choose large blue colored one.": [ + "5 in 1 carrying case kit that has separate compartments for case cover, tempered glass and glass screen", + "5 in 1 carrying case kit with separate compartments for case cover, tempered glass and glass screen", + "4 in 1 carrying case kit that has separate compartments for case cover, tempered glass and glass screen", + "4 in 1 carrying case kit with separate compartments for case cover, tempered glass and glass screen", + "high definition 5 in 1 carrying case kit, tempered glass and glass screen", + "high definition 5 in 1 carrying case kit", + "large blue high definition 5 in 1 carrying case kit", + "high definition 5 in 1 carrying case kit, tempered glass and glass screen,", + "large blue 5 in 1 carrying case kit", + "5 in 1 carrying case kit" + ], + "i would like a large blue switch case with a glass screen.": [ + "large blue switch case with a glass screen", + "large blue switch case with a glass screen.", + "large blue switch case", + "large blue switch case with a glass screen,", + "large blue switch case with glass screen", + "large blue switch case, with a glass screen", + "large blue electronic switch case with a glass screen", + "large blue switch case, glass screen", + "large blueswitch case with a glass screen", + "blue switch case with a glass screen" + ], + "i am looking for a curtain for living room which is washable in machine. also choose 52\" wide by 90\" length in size.": [ + "50 wide by 90 length curtain for living room", + "curtains for living room 52 wide by 90 length", + "50 wide by 90 length curtain", + "a curtain for living room which is washable in machine", + "manual curtain for living room 52 wide by 90 length", + "curtains 52 wide by 90 length", + "brushed curtain for living room 52 wide by 90 length", + " curtain for living room which is washable in machine", + "40 wide by 90 length curtain for living room", + "curtains 52 wide by 90 length in size" + ], + "a am looking vinyl acetate rose gold women sandal size 10": [ + "a vinyl acetate rose gold women sandal size 10", + "vinyl acetate rose gold women sandal size 10", + " vinyl acetate rose gold women sandal size 10", + "aluminum acetate rose gold women sandal size 10", + "glacate rose gold women sandal size 10", + "a vinyl acetate rose gold women sandal", + "vinyl acetate rose gold women sandal", + "levisate rose gold women sandal size 10", + "vinyl acetate rose gold women sandal size 9", + "slash gold women sandal size 10" + ], + "i am looking for a high definition android car stereo of quad core color.": [ + "high definition android car stereo of quad core color", + "high definition android car stereo with quad core color", + "quad core color high definition android car stereo", + "quad core color android car stereo", + "high definition android car stereo, quad core color", + "high definition android car stereo", + "high definition android car stereo quad core color", + "car stereo of quad core color", + "high definition android car stereo of quad core", + "quad core color car stereo" + ], + "i'm looking for high pigmented for long lasting beauty skin care.": [ + "high pigmented beauty skin care", + "high pigmented for long lasting beauty skin care", + "lip pigmented beauty skin care", + "lip pigmented for long lasting beauty skin care", + "beauty skin care high pigmented", + "high pigmented long lasting beauty skin care", + "high pigmented makeup skin care", + "high pigmented skin care", + "high pigmented cosmetics skin care", + "high pigmented beauty skin care." + ], + "i'm looking for wall art pictures for hanging through the wall.": [ + "wall art pictures", + "wall art pictures through the wall", + "wall art pictures through the wall.", + "wall art pictures hanging through the wall", + "wall art pictures for hanging through the wall", + "wall art pictures hanging through the wall.", + "wall art pictures of hanging through the wall", + "wall art pictures living through the wall", + "wall art pictures under $40", + "wall art pictures under 30 dollars" + ], + "im looking for ready to hang, beach themed art work in size 14\u201d x 14\u201d.": [ + "ready to hang beach themed art work", + "ready to hang, beach themed art work", + "ready to hang, beach themed art work in size 14\u201d x 14", + "ready to hang beach themed art work in size 14\u201d x 14", + "ready to hang beach themed art work in size 14\u201d x 14\u201c", + "ready to hang, beach themed art work in size 14\u201d x 14,", + "ready to hang, beach themed art work in size 14\u201d x 14 ft", + "ready to hang beach themed art work in size 14\u201d x 14 ft", + "ready to hang, beach themed art work in size 14\u201d x 14\ufffd", + "ready to hang beach themed art work 14\u201d x 14" + ], + "i'm looking for fragrance for men's its for long lasting.": [ + "scent for mens long lasting", + "mens fragrance long lasting", + "scent for mens long lasting.", + "vegan fragrance for mens long lasting", + "pink mens fragrance long lasting", + "beauty for mens long lasting", + " fragrance for mens long lasting", + "synthetic mens long lasting", + "mens scent long lasting", + " fragrance for mens long lasting." + ], + "i am looking for a ready to hang print that is of sea and glass": [ + "sea and glass ready to hang print", + "sea and glass ready to hang print under $40", + "sea and glass ready to hang print under $50", + "sea and glass ready to hang print under $60", + "sea and glass ready to hang print under 30 dollars", + "sea and glass ready to hang print under 50 dollars", + "sea and glass ready to hang print under 40 dollars", + "sea and glass ready to hang print under 60 dollars", + "sea and glass ready to hang print under 120 dollars", + "sea glass ready to hang print" + ], + "earthy fragrance for women": [ + "earthy fragrance for women", + "earthy fragrance for women under $40", + "earthy fragrance for women under 30 dollars", + "earthy fragrance for women under $50", + "earthy fragrance for women under $60", + "earthy fragrance for women under 50 dollars", + "earthy fragrance for women under 60 dollars", + "earthy fragrance for women under 40 dollars", + "earthy scent for women", + "earthy fragrance" + ], + "i am looking for low carb, gluten free keto red velvet brownie cookies": [ + "low carb keto red velvet brownie cookies", + "low carb, gluten free keto red velvet brownie cookies", + "low carb gluten free keto red velvet brownie cookies", + "low carb keto red velvet brownie cookies under $40", + "low carb keto red velvet brownie cookies below $40", + "low carb keto red velvet brownie cookies under 50 dollars", + "low carb keto red velvet brownie cookies under 40 dollars", + "low carb keto red velvet brownie cookies below $50", + "low carb keto red velvet brownie cookies under $60", + "keto red velvet brownie cookies" + ], + "i want a 6 ounce peanut butter low carb snacks.": [ + "6 ounce peanut butter low carb snacks", + "6 ounce peanut butter low carb snacks under $60", + "6 ounce peanut butter low carb snacks.", + "6 ounce peanut butter low carb snacks under $40", + "6 ounce peanut butter low carb snacks under $50", + "6 ounce peanut butter low carb snacks under 50 dollars", + "6 ounce peanut butter low carb snacks under 30 dollars", + "6 ounce peanut butter low carb snacks under 40 dollars", + "6 ounce peanut butter low carb snacks under 60 dollars", + "6 ounce peanut butter low carb snacks under 120 dollars" + ], + "i'm looking for super soft blankets and throws.": [ + "super soft blankets and throws", + "super soft blankets and throws under $40", + "soft blankets and throws", + "super soft blankets and throws under $50", + "super soft blankets and throws.", + "super soft blankets and throws under 50 dollars", + "super soft blankets and throws under $60", + "affordable soft blankets and throws", + "super soft blankets and throws under 40 dollars", + "super soft blankets and throws under 30 dollars" + ], + "i am looking for a glass shade candle sconces.": [ + "glass shade candle sconces", + "glass shade candle sconces.", + "glass shade candle sconces under $40", + "glass shade candle sconces under $50", + "glass shade candle sconces under $60", + "glass shade candle sconces under 50 dollars", + "glass shade candle sconces under 30 dollars", + "glass shade candle sconces under 40 dollars", + "glass candle sconces", + "glass shade candle sconces," + ], + "i'm looking for cupcake decorations for parties and need to buy it.": [ + "cupcake decorations for parties", + "cupcake decorations for parties under 50 dollars", + "cupcake decorations for parties under $40", + "cupcake decorations for parties under $50", + "cupcake decorations for parties under $60", + "cupcake decorations for party", + "cupcake decorations for a party", + "cupcake decorations for parties under 40 dollars", + "cupcake decorations for parties under 30 dollars", + "cupcake decorations for parties." + ], + "i'm looking for stretch fabric rubber outsole": [ + "stretch fabric rubber outsole", + " stretch fabric rubber outsole", + "Stretch fabric rubber outsole", + "stainless fabric rubber outsole", + "jeans stretch fabric rubber outsole", + " stretch fabric rubber outsole under $40", + " stretch fabric rubber outsole under $50", + "stretch fabric rubber outsole for women", + "retch fabric rubber outsole", + "Stretch fabric rubber outsole under $40" + ], + "i'm looking for gym workout wear for daily wear uses.": [ + "mim workout wear for daily wear uses.", + "gym workout wear for daily wear uses", + "mim workout wear for daily wear uses", + "mim gym workout wear for daily wear uses", + "pink workout wear for daily wear uses", + "gym workout wear for daily wear uses.", + "pink workout wear for daily wear uses.", + "gym workout wear for daily wear uses", + "workout wear for daily wear uses", + "gaist workout wear for daily wear uses" + ], + "i am looking a long handle bath body brush easy usable quality should be high": [ + "long handle bath body brush easy usable quality", + "long handle bath body brush easy usable", + "bath body brush easy usable quality", + "long handle bath body with easy usable quality", + "lens bath body brush easy usable quality", + "bath body brush easy usable", + "long handle bath body", + "short handle bath body brush easy usable quality", + " long handle bath body brush easy usable quality", + "long handle bath body brush" + ], + "i'm looking for keto friendly have zero sugar.": [ + "keto friendly keto friendly", + "keto friendly keto friendly zero sugar", + "keto friendly zero sugar keto friendly", + "keto friendly keto with zero sugar", + "keto friendly with zero sugar", + "keto friendly keto friendly no sugar", + "keto friendly zero sugar keto", + "keto friendly keto", + "keto friendly keto friendly low sugar", + "keto friendly no sugar keto" + ], + "i want a high power binoculars with a large eyepiece for bird watching.": [ + "high power binoculars with a large eyepiece", + " binoculars with a large eyepiece for bird watching", + "high power binoculars with a large eyepiece bird watching", + "sonoculars with a large eyepiece for bird watching", + " binoculars with a large eyepiece for bird watching.", + "bagoculars with a large eyepiece for bird watching", + "oculars with a large eyepiece for bird watching", + " binoculars large eyepiece for bird watching", + "high power binoculars", + " binoculars with a large eyepiece" + ], + "i want a pair of binoculars for bird watching.": [ + "pair of binoculars for bird watching", + " binoculars for bird watching", + " binoculars for bird watching.", + "pair of binoculars bird watching", + "dual binoculars for bird watching", + "two binoculars for bird watching", + "binoculars for bird watching", + "sneakers for bird watching", + "dual binoculars bird watching", + "two binoculars for bird watching." + ], + "i would like a 38 mm smartwatch band for my applewatch that is a transparent black flower.": [ + "38 mm smartwatch band", + "38 mm smartwatch band with transparent black flower", + "38 mm smartwatch band, transparent black", + "38 mm smartwatch band, transparent black,", + "38 mm smartwatch band for my applewatch", + "38 mm smartwatch band in a transparent black", + "38 mm smartwatch band under $40", + "38 mm smartwatch band under $50", + "38 mm smartwatch band transparent black", + "28 mm smartwatch band" + ], + "i'm looking for a adapter for wireless bluetooth speakers with output protection.": [ + "wireless bluetooth speakers with output protection", + "alarm for bluetooth speakers with output protection", + "alarm for wireless bluetooth speakers with output protection", + "alarm wireless bluetooth speakers with output protection", + "portable wireless bluetooth speakers with output protection", + "portable bluetooth speakers with output protection", + "alarm for bluetooth speakers", + "alarm for wireless bluetooth speakers", + "wireless bluetooth speakers", + "wireless bluetooth speakers with output protection." + ], + "i am looking for a fully assembled storage unit made from plywood.": [ + "living room storage unit made from plywood", + "full assembled storage unit made from plywood", + "plastic storage unit made from plywood", + "a fully assembled storage unit made from plywood", + "living storage unit made from plywood", + "freeze dried storage unit made from plywood", + "pink storage unit made from plywood", + "living room unit made from plywood", + "full assembled storage unit made from plywood.", + "living room storage unit made from plywood." + ], + "i need a tuna creations bold, rice and beans in soy free hot sauce flavored tapatio, 2.6 ounce (pack of 1)": [ + "tuna creations bold, rice and beans in soy free hot sauce flavored tapatio 2.6 ounce (pack of 1)", + "tuna creations bold, rice and beans in soy free hot sauce flavored tapatio, 2.6 ounce (pack of 1)", + "tunnel creations bold, rice and beans in soy free hot sauce flavored tapatio 2.6 ounce (pack of 1)", + "tuna creations bold, rice and beans in soy free hot sauce flavored tapatio, 2.6 ounce (pack of 1),", + "taco creations bold, rice and beans in soy free hot sauce flavored tapatio 2.6 ounce (pack of 1)", + "tuna creations bold, rice and beans in soy free hot sauce flavored tapatio", + "tuna creations bold, rice and beans in soy free hot sauce flavored tapatio 2.6 ounce (pack of 1),", + "taco creations bold, rice and beans in soy free hot sauce flavored tapatio, 2.6 ounce (pack of 1)", + "tetan creations bold, rice and beans in soy free hot sauce flavored tapatio 2.6 ounce (pack of 1)", + "tuna creations bold and beans in soy free hot sauce flavored tapatio 2.6 ounce (pack of 1)" + ], + "i am looking for washable easy clean non toxic hair chalk for girls": [ + "washable easy clean non toxic hair chalk for girls", + "washable easy clean non toxic hair chalk", + "womens washable easy clean non toxic hair chalk", + " washable easy clean non toxic hair chalk for girls", + "washable easy clean non toxic hair chalk for girl", + "washable easy clean non toxic hair chalk girls", + "washable easy clean non toxic hair chalk girl", + "washable easy clean non toxic hair chalk for girls", + "easy clean non toxic hair chalk for girls", + "washable easy clean non toxic hair chalk girl girl" + ], + "i nee all natural but no artificial ingredients savory and spicy sauce, 3 pack with sweet kick mustard flavor.": [ + "i nee all natural but no artificial ingredients savory and spicy sauce, 3 pack", + "i nee all natural but no artificial ingredients savory and spicy sauce 3 pack", + "natural but no artificial ingredients savory and spicy sauce 3 pack with sweet kick mustard flavor", + "natural but no artificial ingredients savory and spicy sauce 3 pack", + "i nee all natural but no artificial ingredients savory and spicy sauce", + "natural and no artificial ingredients savory and spicy sauce 3 pack", + "sugar kick mustard flavor 3 pack", + "natural and spicy sauce 3 pack", + "sugar kick mustard flavor", + "sugar kick mustard" + ], + "i am looking for a cake toppers for birthday party.": [ + "cake toppers for birthday party", + "cake toppers for baby shower", + "birthday cake toppers for baby shower", + "cake toppers for a baby shower", + "cake toppers for birthday party.", + "birthday cake toppers for birthday party", + "birthday cake toppers", + "baby shower cake toppers for birthday party", + "birthday cake toppers for party", + "cake toppers for birthday party" + ], + "i'm looking for a twin bed frame with light brown color and white finish.": [ + "twin bed frame light brown", + "twin bed frame with light brown color", + "twin bed frame white", + "twin bed frame light brown color", + "twin bed frame that is light brown", + "twin bed frame light brown color white", + "twin bed frame", + "twin bed frame with light brown", + "twin bed frame, light brown", + "twin bed frame color white" + ], + "i am looking for a wide leg overall for women with long sleeve and high waist. also choose beige color and 3x large size.": [ + "wide leg overall for women with long sleeve high waist", + "wide leg overall for women with long sleeve high waist and 3x large size", + "womens wide leg overall beige color 3x large", + "wide leg overall for women with long sleeve high waist in beige color", + "wide leg overall for women with long sleeve high waist in a beige color", + "wide leg overall for women long sleeve high waist", + " wide leg overall for women with long sleeve high waist", + "wide leg overall women with long sleeve high waist", + "wide leg overall in beige color", + "wide leg overall for women" + ], + "i want pecocke print curtain panel machine washable size:120\"w*90\"l": [ + "pcocke print curtain panel machine washable size 120w*90l", + "coaxke print curtain panel machine washable size:120w*90l", + "cocke print curtain panel machine washable size:120w*90l", + "pcocke print curtain panel machine washable size", + "pcocke print curtain panel machine washable size120w*90l", + "pacoke print curtain panel machine washable size:120w*90l", + "pecke print curtain panel machine washable size:120w*90l", + "pale print curtain panel machine washable size:120w*90l", + "pcocke print curtain panel machine washable", + "pcocke print curtain panel" + ], + "large size hand washable silk satin pajamas with elasticwaistband": [ + "large size hand washable silk satin pajamas with elasticwaistband", + "large size hand washable silk satin pajamas", + "hand washable silk satin pajamas with elasticwaistband", + "large size hand washable silk satin pajamas, elasticwaistband", + "large size hand washable silk satin pajama with elasticwaistband", + "large size hand washable silk satin pajamas elasticwaistband", + "small size hand washable silk satin pajamas with elasticwaistband", + "medium size hand washable silk satin pajamas with elasticwaistband", + "large size hand washable silk satin pajamas under $50", + "large size hand washable silk satin pajamas under $40" + ], + "i need black color and 15 ft long heavy duty surge protector power strip": [ + "15 ft long heavy duty surge protector power strip", + "black heavy duty surge protector power strip", + "16 ft long heavy duty surge protector power strip", + "14 ft long heavy duty surge protector power strip", + "black surge protector power strip", + "black high duty surge protector power strip", + "black power strip 15 ft long", + "black power strip", + "black power strip for surge protector", + "black power strip for surge protector power strip" + ], + "i am looking for a wireless bluetooth 4.0 power amplifier board.": [ + "wireless bluetooth 4.0 power amplifier board", + "womens bluetooth 4.0 power amplifier board", + "wirefree wireless bluetooth 4.0 power amplifier board", + "wirelessly wireless bluetooth 4.0 power amplifier board", + "wirefreeetooth 4.0 power amplifier board", + "a wireless bluetooth 4.0 power amplifier board", + "alarm board wireless bluetooth 4.0", + " wireless bluetooth 4.0 power amplifier board", + "wireless bluetooth 4.0 power amplifier board.", + "wireless bluetooth 4.0 power amplifier board," + ], + "i need a mid century faux leather ottoman in walnut brown color.": [ + "mid century faux leather ottoman in walnut brown", + "mid century faux leather ottoman in walnut brown color", + "faux leather ottoman in walnut brown", + "mid century faux leather ottoman in walnut", + " mid century faux leather ottoman in walnut brown", + "st century faux leather ottoman in walnut brown", + "Mid century faux leather ottoman in walnut brown", + "mid century faux leather ottoman walnut brown", + "mens faux leather ottoman in walnut brown", + "womens ottoman in walnut brown" + ], + "i would like a full sized day bed with a brushed bronze frame that's easy to assemble.": [ + "full sized day bed with a brushed bronze frame", + "full sized day bed, brushed bronze frame", + "full size day bed with a brushed bronze frame", + "full sized day bed that is easy to assemble", + "full sized day bed made from brushed bronze frame", + "full sized day bed with brushed bronze frame", + "full sized day bed in brushed bronze frame", + "full sized day bed brushed bronze frame", + "full sized day bed", + "day bed with a brushed bronze frame" + ], + "i'm looking for cakes it contains high protein and the low fat.": [ + "cakes high protein and low fat", + "high protein and low fat cakes", + "cake high protein and low fat", + "cashew cakes high protein and low fat", + "cakes high protein and the low fat", + "cakes high protein low fat", + "queen cakes high protein and low fat", + "cup cakes high protein and low fat", + "cake high protein and low fat", + "cakes high protein and low fat" + ], + "i am lookin for black stereo sound computer speakers.": [ + "black stereo sound computer speakers", + "black computer speakers", + "black stereo sound computer speakers.", + "black stereo sound computer speakers under $40", + "black stereo sound computer speakers under $50", + "black stereo sound computer speakers under $60", + "black stereo sound computer speakers under $130", + "black stereo sound computer speakers,", + "black audio computer speakers", + "black radio sound computer speakers" + ], + "i'm looking for hand painted decorative pillows for grey plant colored.": [ + "hand painted decorative pillows for grey plant colored", + "hand painted decorative pillows for grey plant colored.", + "hand painted decorative pillows grey plant colored", + "hand painted decorative pillows, grey plant colored", + "hand painted decorative pillows in grey plant colored", + "hand painted decorative pillows for grey plant colored,", + "hand painted decorative pillows that are grey plant colored", + "hand painted decorative pillows of grey plant colored", + "hand painted decorative pillows gray plant colored", + "hand painted decorative pillows" + ], + "i am looking for a x-large jacket fleece that is water resistant. and please get me the red color": [ + "x-large jacket fleece that is water resistant", + " x-large jacket fleece that is water resistant", + "x-large jacket fleece red", + "x-large jacket fleece in red", + "xxl jacket fleece that is water resistant", + "xl jacket fleece that is water resistant", + "x-large jacket fleece", + "x-large jacket fleece, water resistant", + "x-large jacket fleece with a red color", + "x-large jacket fleece with water resistant" + ], + "i'm looking for open toe pillow slippers its make comfortable.": [ + "open toe pillow slippers", + "open toe pillow slippers that are comfortable", + "open toe pillow slippers under $50", + "open toe pillow slippers its make comfortable", + "open toe pillow slippers under $40", + "open toe pillow slippers, make comfortable", + "open toe pillow slippers whose make comfortable", + "open toe pillow slippers make comfortable", + "open toe pillow slippers,", + "open toe pillows" + ], + "i'm looking for tripoid for electronics needed.": [ + "tripoid for electronics", + "tripoid for electronics", + "tripsoid for electronics", + "tideoid for electronics", + "tourist for electronics", + "tripoid for electronics needed", + "triaxl for electronics", + "triaxical for electronics", + "triaxed for electronics", + "tripoid" + ], + "i would like 72 one ounce bags of bbq and pineapple jerky that is non-gmo.": [ + "one ounce bags of bbq and pineapple jerky", + "two ounce bags of bbq and pineapple jerky", + "bag of bbq and pineapple jerky", + "72 one ounce bags of bbq and pineapple jerky", + " 72 one ounce bags of bbq and pineapple jerky", + "bag of bbq and pineapple jerky non-gmo", + "ones of bbq and pineapple jerky", + "two ounce bbq and pineapple jerky", + "bbq and pineapple jerky", + "barbecue jerky 72 oz" + ], + "i am looking for a body scrubs for dead skin.": [ + "body scrubs for dead skin", + "body scrubs for dead skin.", + "body scrubs for dead skin under $40", + "body scrubs for dead skin under $50", + "body scrubs for dead skin under $60", + "body scrubs for dead skin under 50 dollars", + "body scrubs for dead skin under 30 dollars", + "body scrubs for dead skin below $40", + "dead skin body scrubs", + "Body scrubs for dead skin" + ], + "i'm looking for a gift covered with chocolate and should be in a gift basket.": [ + "gift basket covered with chocolate", + "gift basket chocolate covered with chocolate", + "gift basket chocolate covered", + "gift covered with chocolate", + "gift basket chocolate", + "gift basket chocolate under $50", + "gift basket chocolate gift covered", + "gift basket with chocolate", + "gift basket chocolate gift", + "gift basket" + ], + "looking for travel accessories bottles for travel size": [ + "travel accessories bottles for travel size", + "travel accessories bottles travel size", + "travel accessories bottles travel size travel", + "travel accessories bottles for travel", + "pink travel accessories bottles for travel size", + "pink travel accessories bottles travel size", + "tourist accessories bottles for travel size", + "tourist accessories bottles travel size", + "toothpaste travel accessories bottles travel size", + "pink travel accessories bottles travel size travel" + ], + "i am looking for a paraben free body wash that has a pink lemon and mandarin orange style.": [ + "pink lemon body wash", + "paraben free body wash", + "paraben free body wash, pink lemon and mandarin orange style", + "paraben free body wash with pink lemon and mandarin orange style", + "lip gloss body wash that has a pink lemon and mandarin orange style", + "paraben free body wash in pink lemon and mandarin orange style", + "paraben free body wash pink lemon and mandarin orange style", + "pink lemony body wash", + "pink lemon body wash", + "lip gloss body wash" + ], + "i would like a 13.5 fluid ounce bottle of vanilla body wash that is paraben free.": [ + "13.5 fluid ounce bottle of vanilla body wash", + "12.5 fluid ounce bottle of vanilla body wash", + "14.5 fluid ounce bottle of vanilla body wash", + "a 13.5 fluid ounce bottle of vanilla body wash", + "vanity body wash 13.5 oz paraben free", + " 13.5 fluid ounce bottle of vanilla body wash", + "vanity body wash 13.5 fluid ounce", + "vanity body wash 13.5 oz", + "natierra body wash 13.5 oz", + "pack of vanilla body wash" + ], + "storage cabinet white led buffet cabinet with 3 doors": [ + "storage cabinet white led buffet cabinet with 3 doors", + "storage cabinet white led buffet cabinet", + "storage cabinet white led buffet cabinet 3 doors", + "storage cabinet white led buffet cabinet, 3 doors", + "white led buffet cabinet with 3 doors", + "storage cabinet white led buffet cabinet 2 doors", + "storage cabinet white led buffet cabinet 4 doors", + "storage cabinet white led buffet cabinet under $130", + "storage cabinet white led buffet cabinet under $120", + "storage cabinet white led buffet cabinet white" + ], + "i need a high heeled close toe shoes that is in size 9.": [ + "high heeled close toe shoes in size 9", + "high heeled close toe shoes size 9", + "high heeled close toe shoes in size 9.", + "high heeled close toe shoes", + "high heeled close toe shoes in a size 9", + "high heeled close toe shoes, size 9", + "high heeled close toe shoes, size 9,", + "high heeled toe shoes in size 9", + "high heeled close toe shoes size 9.", + "high heeled close toe shoes size 9.5" + ], + "i am looking for clinical strength anti perspirant for sensitive skin.": [ + "clinical strength anti perspirant for sensitive skin", + "clinical strength anti perspirant for sensitive skin", + "clinical strength anti perspirant for sensitive skin.", + "ant perspirant for sensitive skin", + "oral strength anti perspirant for sensitive skin", + "maturity strength anti perspirant for sensitive skin", + "clinical strength anti perspirant sensitive skin", + "clinical strength anti perspirant sensitive skin", + "clinically strength anti perspirant sensitive skin", + "anti perspirant for sensitive skin" + ], + "i am looking for a 24 pack of high protein herbal tea": [ + "24 pack of high protein herbal tea", + "24 pack of high protein herbal tea under $40", + "24 pack of high protein herbal tea under $60", + "24 pack of high protein herbal tea under $50", + "24 pack of high protein herbal tea under 30 dollars", + "23 pack of high protein herbal tea", + "24 pack of high protein herbal tea under 120 dollars", + "24 pack high protein herbal tea", + "24 pack of high protein herbal tea under 40 dollars", + "24 pack of high protein herbal tea under 50 dollars" + ], + "i want high protein vitasoy soy milk drink.": [ + "high protein vitasoy soy milk drink", + "vitasoy soy milk drink", + "low protein vitasoy soy milk drink", + "protein vitasoy soy milk drink", + "pink vitasoy soy milk drink", + "natasoy soy milk drink", + "lip sugar vitasoy soy milk drink", + "toxicasoy soy milk drink", + "vitasoy soy milk drink.", + "titasoy soy milk drink" + ], + "can i get a large size navy blue lightweight and breathable stretch fabric polo shirt for men?": [ + "large size navy blue lightweight breathable stretch fabric polo shirt for men", + "navy blue lightweight and breathable stretch fabric polo shirt for men", + "large size navy blue lightweight and breathable stretch fabric polo shirt", + "large size navy blue lightweight stretch fabric polo shirt for men", + "large navy blue lightweight and breathable stretch fabric polo shirt for men", + "navy blue lightweight breathable stretch fabric polo shirt for men", + "large size navy blue lightweight breathable stretch fabric polo shirt", + "navy blue lightweight stretch fabric polo shirt for men", + "large size navy blue lightweight stretch fabric polo shirt", + "navy blue lightweight breathable stretch fabric polo shirt" + ], + "i need a hand painted storage case for my living room . it should be book shaped": [ + "hand painted storage case for my living room", + "hand painted storage case for my living room, book shaped", + "hand painted storage case for my living room", + "hand painted storage case for living room", + "hand painted storage case for my living room under $50", + "hand painted storage case for the living room", + "hand painted storage case", + "hand painted storage case for living room", + "hand painted storage case living room", + "hand painted storage case" + ], + "i am looking for a long lasting full size metal platform bed.": [ + "long lasting full size metal platform bed", + "full size metal platform bed", + "long lasting metal platform bed", + "large metal platform bed", + "heavy duty metal platform bed", + "big and tall metal platform bed", + "lens metal platform bed", + "full size metal platform bed.", + "long lasting metal platform bed.", + "large metal platform bed long lasting" + ], + "i am looking for a atomic red orange mid century sofas & couches.": [ + "atomic red orange mid century sofas & couches", + "atomic red mid century sofas & couches", + " atomic red orange mid century sofas & couches", + "atomic red orange mid century sofas & couches.", + " atomic red mid century sofas & couches", + "atomic red orange mid century sofas and couches", + "alarm red mid century sofas & couches", + "atomic red modern century sofas & couches", + "atomic red ou mid century sofas & couches", + "atomic red mid century sofas & couches." + ], + "i need a six pack of manual toothbrushes that are good for sensitive teeth.": [ + "6 pack of manual toothbrushes", + "6 pack of manual toothbrushes for sensitive teeth", + "manual toothbrushes for sensitive teeth", + "manual toothbrushes for sensitive teeth six pack", + "6 pack manual toothbrushes for sensitive teeth", + "6 pack of manual toothbrushes, sensitive teeth", + "6 pack of manual toothbrushes with sensitive teeth", + "two pack of manual toothbrushes", + "6 pack of manual teethbrushes", + "6 pack manual toothbrushes" + ], + "open toe sexy high heels, non slip fashion for street wearing size 7": [ + "open toe sexy high heels size 7", + "open toe sexy high heels in a size 7", + "open toe sexy high heels, non slip", + "open toe sexy high heels, non slip fashion for street wearing", + "open toe sexy high heels, non slip, street wearing", + "open toe sexy high heels", + "open toe sexy high heels, non slip, size 7", + "open toe sexy high heels, non slip,", + "open toe sexy high heels in size 7", + "open toe sexy high heel" + ], + "i am looking for dairy free and apple variety pack of chips": [ + "dairy free and apple variety pack of chips", + " dairy free and apple variety pack of chips", + "dairy free apple variety pack of chips", + "moisturizing chips dairy free", + "dairy free pack of chips", + "moisturizer free pack of chips", + "chocolate chips dairy free and apple variety pack", + "moisturizing chips dairy free pack", + "chocolate chips dairy free", + "moisturizing chips" + ], + "i'm looking for binocular for bird watching.": [ + " binocular for bird watching", + " binocular bird watching", + " binocular for bird watching.", + "i binocular for bird watching.", + " binocular bird watching.", + " binocular binocular for bird watching", + "binocular for bird watching", + " binocular binocular bird watching", + "binocular bird watching", + " binocular bird watching under $40" + ], + "i need a wash cold, blue hoodies for men's pullover": [ + "wash cold, blue hoodies mens pullover", + "wash cold mens pullover hoodies", + "wash cold blue hoodies for mens pullover", + "wash cold hoodies for mens pullover", + "wash cold blue hoodies mens pullover", + "wash cold mens pullover hoodies wash cold", + "wash cold hoodies mens pullover", + "wash cold, blue hoodies", + "womens pullover hoodies wash cold", + "womens pullover hoodies" + ], + "encontrar uma linda \u00e9 a sand\u00e1lia de cristal haoricu para mulher. preciso comprar para presente. ache o tamanho 8,5 na cor preta.": [ + "encontrar uma linda", + "encontrar uma linda under 30 dollars", + "encontrar uma linda o tamanho 8,5", + "encontrar uma linda tamanho 8,5", + "encontrar uma linda tamanho 8,5", + "encontrar uma linda mudanho 8,5", + "encontrar uma linda under $40", + "encontrar uma linda mulher", + "contrar uma linda", + "uma linda" + ], + "i'm looking for electronics for wearable technology and it was silver water resistant.": [ + "silver water resistant electronics", + "silver water resistant electronics for wearable technology", + "silver water resistant wearable technology", + "fluoride for wearable technology silver", + "silver water resistant electronic wearables", + "silver water resistant electronics for wearable", + "silver water resistant electronics under $40", + "fluoride resistant", + "silver water resistant electronic smartwatch", + "fluoride for wearable technology" + ], + "i would like a 44 mm blue sport band smartwatch with gps and cellular. i would also like it to be water resistant.": [ + "44 mm blue sport band smartwatch with gps and cellular", + " 44 mm blue sport band smartwatch with gps and cellular", + "43 mm blue sport band smartwatch with gps and cellular", + "42 mm blue sport band smartwatch with gps and cellular", + "44 mm blue sport band smartwatch with gps", + "44 mm blue sport band smartwatch", + "45 mm blue sport band smartwatch with gps and cellular", + " 44 mm blue sport band smartwatch with gps", + " 44 mm blue sport band smartwatch", + "44 mm smartwatch with gps and cellular" + ], + "i want to find an apple watch that has a silver aluminum case and a white 40 millimeter band. it needs to be water resistant and come with a gps.": [ + "apple watch silver with a white 40 millimeter band", + "apple watch with silver aluminum case and white 40 millimeter band", + "silver aluminum apple watch with a white 40 millimeter band", + "apple watch with silver aluminum case", + "apple watch silver 40 millimeter band", + "apple watch silver", + "apple watch with silver aluminum case, white 40 millimeter band", + "apple watch with a silver aluminum case", + "apple watch silver with gps", + "apple watch silver with a white 40 millimeter band," + ], + "i would like a 40mm black and clear apple watch screen protector made of tempered glass.": [ + "40mm black and clear apple watch screen protector", + "40mm black apple watch screen protector made of tempered glass", + "40mm black and clear apple watch screen protector with tempered glass", + "40mm black and clear apple watch screen protector, tempered glass", + "40mm black apple watch screen protector", + "40mm black clear apple watch screen protector made of tempered glass", + "40mm black and clear apple watch screen protector under $40", + "40mm black screen protector made of tempered glass", + "40mm black and clear apple watch screen protector under $50", + "40mm black watch screen protector made of tempered glass" + ], + "i need red pump shoes for party or formal wear with rubber sole and size 7.5": [ + "red pump shoes for party or formal wear with rubber sole size 7.5", + "red pump shoes for party or formal wear with rubber sole", + "red pump shoes for party or formal wear rubber sole size 7.5", + "red pump shoes for party or formal wear size 7.5", + "red pump shoes for party or formal wear in rubber sole size 7.5", + "red pump shoes size 7.5", + "red pump shoes for party or formal wear", + "red pump shoes for party or formal wear rubber sole", + "red pump shoes in a size 7.5", + "red pump shoes in a party size 7.5" + ], + "i'm looking for a target reflections buffet": [ + "target reflections buffet", + "target reflections buffet under $40", + "target reflections buffet under $60", + "target reflections buffet under $50", + "target reflections buffet under 50 dollars", + "target reflections buffet under 30 dollars", + "target reflections buffet under 60 dollars", + "Target reflections buffet", + "toothpaste buffet", + "tant reflections buffet" + ], + "bacon jerky 15 pack": [ + "bacon jerky 15 pack", + "bacon jerky 15 pack under $40", + "bacon jerky 15 pack under $60", + "bacon jerky 15 pack under $50", + "bacon jerky 15 pack under 50 dollars", + "bacon jerky 15 pack under 30 dollars", + "pack of bacon jerky 15 pack", + "baracon jerky 15 pack", + "bagel jerky 15 pack", + "banana jerky 15 pack" + ], + "i would like a bath brush with a long handle.": [ + "bath brush with long handle", + "bath brush long handle", + "bath brush with a long handle", + "bath brush with long handle.", + "bath brush, long handle", + "bath brush that is long handle", + "bathroom brush with long handle", + "bath brush that long handle", + "bathbrush with long handle", + "bath brush" + ], + "i'm looking for camera it was easy to carry and need to buy it.": [ + "easy to carry camera", + "easy-to-carry camera", + "easy to carry camera under $40", + "easy to carry camera under $60", + "easy to carry camera under $50", + "easy to carry camera under 50 dollars", + "easy to carry camera under 30 dollars", + "easy to carry camera under 60 dollars", + "simple to carry camera", + "easy carry camera" + ], + "i need a heavy duty king sized bed frame.": [ + "heavy duty king sized bed frame", + "king sized bed frame", + "king sized bed frame heavy duty", + "heavy duty king sized bed frame.", + "king sized bed frame heavy duty king sized", + "king sized bed frame that is heavy duty", + "king sized bed frame, heavy duty", + "king sized bed frame.", + "king sized bed frame heavy duty king size", + "king sized bed frame under $50" + ], + "i need a small easy care shirt with long sleeves . and i prefer the clover color": [ + "small easy care shirt with long sleeves", + "small easy care shirt with long sleeves clover", + "small easy care shirt with long sleeves in clover", + "small easy care shirt with long sleeves, clover", + "small easy care shirt with long sleeves clover color", + "small easy care shirt long sleeves clover", + "small easy care shirt with long sleeves with clover", + "small easy care shirt with long sleeves under $40", + "small easy care shirt with long sleeves clover", + "small easy care shirt with long sleeves under $50" + ], + "i am looking for men classic fit t-shirt. please choose black color.": [ + "mens classic fit t-shirt black", + "mens classic fit t-shirt in black", + "men classic fit t-shirt black", + "men classic fit t-shirt in black", + "man classic fit t-shirt black", + "mens classic fit t-shirt, black", + "mens classic fit t-shirt with black color", + "mens classic fit t-shirt. black", + "mens classic fit t-shirt black", + "mens classic fit t-shirt in a black" + ], + "i am looking for a loose fit womens shirt with a short sleeve. also, i want the size of the shirt to be xx-large.": [ + "womens shirt xx-large", + "womens t-shirt xx-large", + "womens shirt x-large", + "womens shirt with a short sleeve", + "loose fit womens shirt xx-large", + "womens shirt xx-large.", + "large womens shirt xx-large", + "womens shirt xx-lens", + "lens shirt xx-large", + "womens shirt xxl" + ], + "i am looking for a high quality heeta 2-pack hair shampoo brush specifically for dry hair. i would be more inclined to take a pink & purple.": [ + "pink heeta 2-pack hair shampoo brush", + "pink & purple hair shampoo brush", + "pink & purple hair shampoo brush for dry hair", + "pink and purple hair shampoo brush", + "pink heeta 2-pack hair shampoo brush,", + "pink and purple hair shampoo brush for dry hair", + "pink 2-pack hair shampoo brush for dry hair", + "pink 2-pack hair shampoo brush", + "pink & purple shampoo brush for dry hair", + "pink hair shampoo brush" + ], + "i am looking for a s-dark black wireless bluetooth earbud headphones.": [ + "s-dark black wireless bluetooth earbud headphones", + "s-dark black wireless bluetooth earbud", + "s-dark black bluetooth earbud headphones", + "s-dark black wireless bluetooth earbud headphones.", + "s-dark black wireless bluetooth earbud headphones,", + "s-dark black wireless bluetooth earbud wireless headphones", + "s-dark black wireless bluetooth earbud wireless charging", + "s-dark black wireless bluetooth earbud wireless", + "sdark black wireless bluetooth earbud headphones", + "slight black wireless bluetooth earbud headphones" + ], + "i would like a laundry bag.": [ + "laundry bag", + "womens laundry bag", + "laundry bag.", + "living room laundry bag", + "i would like a laundry bag.", + "laundry bag under $40", + "laundry bag under $50", + "a laundry bag", + "laundry bag under $60", + "laundry bag under 50 dollars" + ], + "i'm looking for fully cooked the flavor saquatch": [ + "full cooked flavor saquatch", + "full cooked the flavor saquatch", + "stainless cooked flavor saquatch", + "sugar-free flavor saquatch", + "sugar free flavor saquatch", + "vegan flavor saquatch", + "sugar-filled flavor saquatch", + "living flavor saquatch", + "full cooked flavor saquatch under $40", + "full cooked flavor saquatch below $40" + ], + "i'm looking for the hyaluronic acid it was non-toxic acid. it contains petals.": [ + "non-toxic acid hyaluronic acid", + "hyaluronic acid non-toxic", + " hyaluronic acid non-toxic", + "non-toxic hyaluronic acid", + "non-toxic acid hyaluronic", + "hyaluronic acid", + "hyaluronic acid no toxic", + "non-toxic acid", + "non toxic acid hyaluronic acid", + "non toxic hyaluronic acid" + ], + "i need a large square solid wood coffee table laced with upholstered tufted button linen, an ivory-ottoman color will be most preferred.": [ + "large square solid wood coffee table laced with upholstered tufted button linen", + "large square solid wood coffee table with upholstered tufted button linen", + "large square solid wood coffee table laced with upholstered tufted button linen,", + "small square solid wood coffee table laced with upholstered tufted button linen", + "large square solid wood coffee table laced with upholstered tufted button linen color", + "medium square solid wood coffee table laced with upholstered tufted button linen", + "large square solid wood coffee table laced with upholstered button linen", + "small square solid wood coffee table with upholstered tufted button linen", + "large square solid wood coffee table in ivory-ottoman color", + "large square solid wood coffee table in ivory-ottoman" + ], + "please order for me a black pure leather ottoman stool size 100x40x43 cm for my living room.": [ + "pure leather ottoman stool size 100x40x43 cm", + "pure leather ottoman stool 100x40x43 cm", + "black pure leather ottoman stool 100x40x43 cm", + "black leather ottoman stool 100x40x43 cm", + "black leather ottoman stool size 100x40x43 cm", + "black pure leather ottoman stool", + "black ottoman stool 100x40x43 cm", + "pure leather ottoman stool", + "black pure leather ottoman stool living room", + "black leather ottoman stool" + ], + "i'm looking for regular fit and the clothing was makes day comfort.": [ + "regular fit clothing", + "regular fit clothing for day comfort", + "regular fit clothing that is day comfort", + "regular fit clothing that is made day comfort", + "regular fit clothing with day comfort", + "regular fit day comfort", + "regular fit clothing that is makes day comfort", + "regular fit and the clothing was day comfort", + "regular fit clothing made day comfort", + "regular fit clothing, day comfort" + ], + "i'm looking for sandals for a women need to buy a yellow color rubber sole.": [ + "yellow sandals for a women", + "sandals for a women yellow", + "sneakers yellow", + "sandals yellow", + "yellow sandals for a woman", + "sandals for a woman yellow", + " sandals for a women yellow", + "woman sandals yellow", + "yellow sandals for women", + "yellow sandals" + ], + "i am looking for a multicolor shower caps for hair loss.": [ + "multicolor shower caps for hair loss", + "multicolor shower caps for hair loss.", + "multicolor shower caps for hair loss under $40", + "multicolor shower caps for hair loss under $60", + "multicolor shower caps for hair loss under $50", + "multicolor shower caps for hair loss under 50 dollars", + "multicolor shower caps for hair loss under 30 dollars", + "multicolor shower caps for hair loss under 40 dollars", + "multicolor shower caps", + "multicolor shower caps for hair loss under $120" + ], + "i'm looking for wild caught seafood with no added genetically modified organisms in the ingredients.": [ + "wild caught seafood with no genetically modified organisms", + "wild caught seafood no genetically modified organisms", + "wild seafood with no genetically modified organisms", + "wild seafood with no added genetically modified organisms", + "wild seafood no genetically modified", + "wild seafood no genetically modified organisms", + "wild fresh seafood with no genetically modified organisms", + "wild caught seafood no added genetically modified organisms", + "wild fish with no genetically modified organisms", + "wild caught seafood no genetically modified" + ], + "i am looking for a 2 ounce (pack of 4) of 2 ounce (pack of 4) jerky": [ + "2 ounce (pack of 4) jerky", + "bag of 4) of 2 ounce (pack of 4), jerky", + "2 ounce (pack of 4) of 2 ounce jerky", + "bag of 4) of 2 ounce (pack of 4), jerky 2 oz", + "bag of 4) of 2 ounce (pack of 4), jerky under $40", + "bag of 4) of 2 ounce (pack of 4), jerky under $60", + "2 ounce (pack of 4) of 2 ounce, pack of 4, jerky", + "bag of 4) of 2 ounce (pack of 4), jerky under $50", + "2 ounce (pack of 4) of 2 ounce", + "shoes 2 ounce (pack of 4) of 2 ounce" + ], + "find high protein beef jerky's.": [ + "high protein beef jerkys", + "high protein beef jerkys.", + "high protein beef jerkys under $40", + "high protein beef jerkys under $50", + "high protein beef jerkys under $60", + "high protein beef jerys", + "find high protein beef jerkys.", + "high protein beef jerys.", + "high protein beef jerkys under 50 dollars", + "high protein beef jerkys under 30 dollars" + ], + "i'm looking for moisturizes the skin the green tea gives skin care goodness.": [ + "moisturizing the skin green tea", + "moisturizing the skin", + "moisturizing the skin with skin care", + "moisturizing the skin green tea flavor", + "moisturizing the skin green tea drink", + "moisturizing the skin with green tea", + "moisturizing skin green tea", + "moisturizing skin", + "moisturizers the skin", + "moisturizer the skin" + ], + "i want .5 fl oz of clinically proven vegan mia organic antioxidant face oil.": [ + "vegan mia organic antioxidant face oil", + "mia organic antioxidant face oil", + "vegan mia organic antioxidant face oil.", + "animal mia organic antioxidant face oil", + "mia organic antioxidant face oil.5 fl oz", + "pink mia organic antioxidant face oil", + "vegan mia organic antioxidant face oil under $50", + "vegan mia organic antioxidant face oil under $40", + "vegan mia organic antioxidant face oil under $60", + "mia organic antioxidant face oil." + ], + "i'm looking for cruelty free, vitabath brand, bath and shower gel in the 32 ounce size.": [ + "cruelty free vitabath brand bath and shower gel", + "cruelty free bath and shower gel 32 ounce", + "cruelty free, vitabath brand", + "cruelty free bath and shower gel 32 ounce size", + "cruelty free, bath and shower gel 32 ounce size", + "cruelty free and shower gel 32 ounce size", + "cruelty free and shower gel 32 ounce", + "cruelty free, bath and shower gel 32 ounce", + "cruelty free vitabath brand", + "cruelty free" + ], + "i am looking for a paraben free and cruelty free moisturizing body cleanser for dry skin. also choose size 32 fl oz.": [ + "paraben free and cruelty free moisturizing body cleanser", + "pink body cleanser for dry skin size 32 fl oz", + "lip cleansing body cleanser 32 fl oz", + "oralizing body cleanser for dry skin size 32 fl oz", + "lip cleansing body cleanser for dry skin size 32 fl oz", + "oralizing body cleanser 32 fl oz", + "lip cleanser for dry skin size 32 fl oz", + "pink body cleanser for dry skin 32 fl oz", + "shampoo size 32 fl oz", + "shampoo 32 fl oz" + ], + "i am looking for a red stereo sound earbud headphones": [ + "red earbud headphones", + "red stereo sound earbud headphones", + "red wireless sound earbud headphones", + "red audio earbud headphones", + "red high quality earbud headphones", + "red radio sound earbud headphones", + "red earbud headphones under $40", + "red sound earbud headphones", + "red stereo sound earbud headphones,", + "red earbud headphones under $50" + ], + "i am looking for solid wood gaosoul wall art with wooden frame and size is 36x24in": [ + "gaosoul wall art", + "solid wood gaosoul wall art", + "gaosoul wall art", + "gaosoul wall art size is 36x24in", + "gaosoul wall art with wooden frame", + "gaosoul wall art that is 36x24in", + "gaosoul wall art, 36x24in", + "stainless wood gaosoul wall art", + "solid wood gaosoul wall art with wooden frame", + "gaosoul wall art with wooden frame" + ], + "i'm looking for a regular fit men's sneakers with rubber sole. also choose 6.5 size black colored one.": [ + "regular fit mens sneakers with rubber sole", + "regular fit mens sneakers with rubber sole 6.5", + "regular fit mens sneakers with rubber sole.", + "regular fit mens sneakers with rubber sole that are black", + "regular fit mens sneakers with rubber sole black", + "regular fit mens sneakers with rubber sole, black", + "regular fit mens sneakers", + "mens sneakers with rubber sole", + "mens sneakers with rubber sole", + "regular fit mens sneakers black" + ], + "i want apple fruit sauce crushers that are certified organic.": [ + "apple fruit sauce crushers certified organic", + "apple fruit sauce crushers that are certified organic", + "apple fruit sauce crushers certified organic.", + " apple fruit sauce crushers certified organic", + "apple fruit sauce crusher certified organic", + "fruit fruit sauce crushers certified organic", + "apple fruit sauce crushers", + "pink fruit sauce crushers certified organic", + "green apple fruit sauce crushers certified organic", + "apple fruit sauce crushers, certified organic" + ], + "i am looking for a dual band dome cameras.": [ + "dual band dome cameras", + "dual band dome camera", + "dome cameras dual band", + "Dual band dome cameras", + "duck dome cameras", + "two band dome cameras", + "duo cameras", + "double band dome cameras", + "dual band camera", + "dome cameras" + ], + "i'm looking for hair extensions for natural hair and straight hair so need to buy it.": [ + "hair extensions for natural hair straight hair", + "hair extensions for natural hair straight", + "hair extensions natural natural hair", + "natural hair extensions for natural hair", + "hair extension for natural hair straight hair", + "natural hair extensions for natural hair straight", + "hair extensions for natural hair", + "natural hair extensions", + "hair extensions natural natural", + "hair extensions natural hair" + ], + "i'm looking for gluten free it was contain high protein and need to buy it.": [ + "gluten free gluten free drink mix", + "gluten free gluten free dairy drink mix", + "gluten free dairy free drink mix", + "gluten free gluten free", + "gluten free dairy free dairy drink mix", + "gluten free gluten free dairy free", + "gluten free dairy free", + "gluten free gluten free food drink mix", + "gluten free high protein gluten free", + "gluten free" + ], + "i'm looking for a 60\" floating tv console that will be best as media storage unit and has stone gray color.": [ + "60 floating tv console with stone gray color", + "60 floating tv console", + "60 floating tv console in stone gray", + "60 floating tv console, stone gray", + "60 floating tv console stone gray", + "60 floating tv console in stone gray color", + "60 floating tv console, stone gray color", + "60 floating tv console, stone gray,", + "60 floating tv console whose stone gray color is", + "60 floating tv console, stone gray color," + ], + "i'm looking for binocular it will use for bird watching.": [ + " binocular it will use for bird watching.", + " binocular it will use for bird watching", + "binocular it will use for bird watching.", + "binocular it will use for bird watching", + " binocular it is use for bird watching.", + " binocular bird watching", + " binocular for bird watching", + " binocular binocular bird watching", + "stainless binocular bird watching", + " binocular bird watching binocular" + ], + "i am searching for a star war graphic tee in white.": [ + "star war graphic tee in white", + "king war graphic tee in white", + "Star war graphic tee in white", + "a star war graphic tee in white", + "stars war graphic tee in white", + "strawberry card graphic tee in white", + "stainless white star war graphic tee", + "star war graphic tee in white.", + " star war graphic tee in white", + "star war graphic tee in white under $40" + ], + "i am looking for chocolate covered mint chip": [ + "chocolate covered mint chip", + "chocolate covered mint chips", + "chocolate covered mint chip under $40", + "chocolate covered mint chip under 50 dollars", + "chocolate covered mint chip under $50", + "chocolate covered mint chip under $60", + "chocolate covered mint chip below $40", + "chocolate covered mint chip under 30 dollars", + "chocolate covered mint chocolate chip", + "chocolate covered mint chip flavor" + ], + "i am looking for vintage white bed in a king size": [ + "a vintage white bed in a king size", + "vintage white bed in a king size", + "burgling white bed in a king size", + "stainless white bed in a king size", + "style white bed in a king size", + "vinyl white bed in a king size", + "burglar white bed in a king size", + "living room vintage white bed in a king size", + "vintage white bed king size", + "a vintage white bed in a king size," + ], + "i'm looking for a tippleman's barrel aged cola syrup .": [ + "tipplemans barrel aged cola syrup", + "tipplemans barrel aged cola syrup under $40", + "tipplemans barrel aged cola syrup under $50", + "tipplemans barrel aged cola syrup under $60", + "tipplemans barrel aged cola syrup below $40", + "tipplemans barrel aged cola syrup under 50 dollars", + "tipplemans barrel aged cola syrup under 30 dollars", + "bottle aged cola syrup tipplemans", + "barrel aged cola syrup tipplemans", + "barrel aged cola syrup" + ], + "i really appreciate the cheese bros honey sriracha gouda b individually wrapped, royal aged cheese i will gift to my friend with the 6 oz. i want the 8 pack ready to eat she will serve at the party.": [ + " cheese bros honey sriracha gouda b individually wrapped, royal aged cheese", + "cheese bros honey sriracha gouda b individually wrapped, royal aged cheese", + " cheese bros honey sriracha gouda b individually wrapped, royal aged cheese 6 oz", + "vegan cheese bros honey sriracha gouda b individually wrapped, royal aged cheese", + "cheese bros honey sriracha gouda b individually wrapped, royal aged cheese 6 oz", + "teese bros honey sriracha gouda b individually wrapped, royal aged cheese", + "chocolate bros honey sriracha gouda b individually wrapped, royal aged cheese", + "style cheese bros honey sriracha gouda b individually wrapped, royal aged cheese", + "chocolate bros honey sriracha gouda b individually wrapped, royal aged cheese 6 oz", + "style cheese bros honey sriracha gouda b individually wrapped, royal aged cheese 6 oz" + ], + "i looking a men's short sleeve relaxed fit xx- large maroon /white color polo shirt": [ + "mens short sleeve relaxed fit polo shirt xx- large maroon", + "mens short sleeve relaxed fit polo shirt xx- large maroon", + "mens short sleeve relaxed fit polo shirt", + "mens short sleeve relaxed fit polo shirt", + "mens short sleeve relaxed fit polo shirt x xx- large maroon", + "mens short sleeve relaxed fit polo shirt xx- large maroon white", + "mens short sleeve relaxed fit polo shirt size xx- large maroon", + "mens short sleeve relaxed fit polo shirt xxx- large maroon", + "mens short sleeve relaxed fit polo shirt xx", + "mens short sleeve relaxed fit polo shirt x xx" + ], + "i would like a maroon and white medium nc state wolfpack short sleeved polo shirt.": [ + " maroon and white medium nc state wolfpack short sleeved polo shirt", + "maroon and white medium nc state wolfpack short sleeved polo shirt", + "Maroon and white medium nc state wolfpack short sleeved polo shirt", + "caroon and white medium nc state wolfpack short sleeved polo shirt", + " maroon nc state wolfpack short sleeved polo shirt", + "pack short sleeved polo shirt maroon", + "burglpack short sleeved polo shirt maroon", + "burglpack short sleeved polo shirt", + "pack short sleeved polo shirt maroon and white", + "burglpack short sleeved polo shirt maroon and white" + ], + "bluetooth headset for cell phones with noise cancelling in black colour": [ + "bluetooth headset for cell phones", + "bluetooth headset for cell phones in black", + "bluetooth headset for cell phones black", + "bluetooth headset for cell phones, black", + "bluetooth headset for cell phones white", + "bluetooth headset black", + "bluetooth headset, black", + "bluetooth headset in black", + "bluetooth headset", + "phone headset black" + ], + "i am looking for a brushed nickel finish floor lamp.": [ + "brushed nickel finish floor lamp", + "floor lamp brushed nickel finish", + "brushed nickel finish floor lamp.", + "brushed nickel finish floor lamp,", + "floor lamp that is brushed nickel finish", + "rubber nickel finish floor lamp", + "buffet nickel finish floor lamp", + "toothpaste nickel finish floor lamp", + "plush nickel finish floor lamp", + "faux nickel finish floor lamp" + ], + "find me a x-large short sleeve dress in white with pockets": [ + "xl short sleeve dress in white", + "x-large short sleeve dress in white", + "xl short sleeve dress in white with pockets", + "xl short sleeve dress in white with pocket", + " x-large short sleeve dress in white", + "x-large white short sleeve dress in white", + "xxl short sleeve dress in white with pockets", + " xl short sleeve dress in white with pockets", + "xxl short sleeve dress in white", + "short sleeve dress in white" + ], + "storage ottoman bench with hinged lid which size 40*40*43cm": [ + "storage ottoman bench with hinged lid 40*40*43cm", + "storage ottoman bench with hinged lid", + "storage ottoman bench hinged lid 40*40*43cm", + "storage ottoman bench size 40*40*43cm", + "storage ottoman bench 40*40*43cm", + "storage ottoman bench", + "storage ottoman bench hinged lid", + "storage ottoman bench with hinged lid which size 40*40", + "storage ottoman bench with hinged lid 40*40", + "storage ottoman bench with hinged lid 40*40-43cm" + ], + "i need surgar free chocolate flavored cheesecake syrup, 3 pound (pack of 1)": [ + "surgar free chocolate flavored cheesecake syrup 3 pound (pack of 1)", + "surgar free chocolate flavored cheesecake syrup, 3 pound (pack of 1)", + "sugar free chocolate flavored cheesecake syrup 3 pound (pack of 1)", + "surgar free chocolate flavored cheesecake syrup, 3 pound (pack of 1),", + "sugar free chocolate cheesecake syrup 3 pound (pack of 1)", + "Surgar free chocolate flavored cheesecake syrup 3 pound (pack of 1)", + "surgar free chocolate flavored cheesecake syrup 3 pound (pack of 1),", + "surgar free chocolate cheesecake syrup 3 pound (pack of 1)", + "synthetic cheesecake syrup 3 pound (pack of 1)", + "sugar free cheesecake syrup 3 pound (pack of 1)" + ], + "i want davinci gourmet sugar-free hazelnut syrup.": [ + "davinci gourmet sugar-free hazelnut syrup", + "davinci gourmet sugar-free hazelnut syrup.", + "davinci gourmet sugar-free hazelnut syrup under $40", + "davinci gourmet sugar-free hazelnut syrup under $60", + "davinci gourmet sugar-free hazelnut syrup under $50", + "davinci gourmet sugar-free hazelnut syrup davinci", + "duckci gourmet sugar-free hazelnut syrup", + "i want davinci gourmet sugar-free hazelnut syrup.", + "davinci gourmet sugar-free hazelnut syrup below $40", + " davinci gourmet sugar-free hazelnut syrup" + ], + "i'm looking for black video play for video acccesseories.": [ + "black video play for video acccesseories", + "black video play video acccesseories", + "black video play for video acccesseories.", + "black video play", + "black video play video acccesseories.", + "black video play video acccesseories under $40", + "black video play video acccesseories under $50", + "white video play for video acccesseories", + "tv acccesseories black", + "white video play" + ], + "i'm looking for a silicone case cover for remote": [ + "silicone case cover for remote", + "silicone case cover remote", + "stainless case cover for remote", + "fluoride case cover for remote", + "sneakers case cover for remote", + "silicone case cover", + "solistate case cover for remote", + "silicone case cover, remote", + "silo case cover for remote", + "bottle case cover for remote" + ], + "i'm looking for some permanent blue hair dye that's cruelty free.": [ + "pink hair dye cruelty free", + "permanent blue hair dye cruelty free", + "pink hair dye that is cruelty free", + "pink human hair dye cruelty free", + "permanent blue hair dye", + "plant blue hair dye cruelty free", + "temporary blue hair dye cruelty free", + "permanent blue hair dye, cruelty free", + "stainless blue hair dye cruelty free", + "stainless blue hair dye" + ], + "i want a high quality dual band streaming media player with warranty,4gb+64gb": [ + "4gb+64gb high quality dual band streaming media player", + "4gb+64gb high quality dual band streaming media player with warranty", + "high quality dual band streaming media player with warranty 4gb+64gb", + "high quality dual band streaming media player with warranty4gb+64gb", + "4gb-64gb high quality dual band streaming media player", + "4gb-64gb high quality dual band streaming media player with warranty", + "4gb+64gb high quality high quality dual band streaming media player", + "4gb+64gb dual band streaming media player", + "dual band streaming media player 4gb+64gb", + "high quality dual band streaming media player" + ], + "i'm looking for hair extensions for wigs and hair care.": [ + "hair extensions for wig", + "hair extensions for wig hair care", + "hair extension for wig", + "hair extensions for wig wig", + "hair extensions", + "hair extensions wig", + "hair extensions and hair care", + "hair extensions wig wig", + "hair extensions for wig and wig", + "hair extensions for wig, wig" + ], + "i'm looking for a medium color with natural ingredients concealers & neutralizers for dark circle.": [ + "medium color with natural ingredients concealers & neutralizers for dark circle", + "medium color natural ingredients concealers & neutralizers for dark circle", + "medium color natural ingredients concealers & neutralizers dark circle", + "medium color with natural ingredients concealers & neutralizers dark circle", + "medium color with natural ingredients concealers and neutralizers for dark circle", + "medium color with natural ingredients concealers & neutralizers", + "medium color natural ingredients concealers & neutralizers for dark circle.", + "medium color natural concealers & neutralizers for dark circle", + "medium color, natural ingredients concealers & neutralizers for dark circle", + "medium color natural concealers & neutralizers dark circle" + ], + "i am looking for a high density mattress in full size which is made up of memory foam.": [ + "high density mattress in full size", + "high density mattress made up of memory foam", + "living room mattress made up of memory foam", + "high density mattress, made up of memory foam", + "high density mattress in full size with memory foam", + "high density mattress with memory foam", + "memory foam mattress in full size", + "memory foam mattress full size", + "memory foam mattress", + "high density mattress" + ], + "i need a plug and play compatible displayport to hdmi adapter.": [ + "displayport to hdmi plug and play", + "plug and play compatible displayport to hdmi adapter", + "plug and play compatible displayport to hdmi", + " plug and play compatible displayport to hdmi adapter", + "displayport to hdmi plug and play compatible", + "port to hdmi plug and play", + "portport to hdmi plug and play", + "plug and play compatible hdmi adapter", + "displayport hdmi plug and play", + "displayport to hdmi" + ], + "i need size 8 closed toe sandals with arch support. it should be in beige.": [ + "size 8 closed toe sandals with arch support", + "size 8 closed toe sandals with arch support, beige", + "size 8 closed toe sandals with arch support in beige", + "sneakers size 8 closed toe sandals with arch support", + " size 8 closed toe sandals with arch support", + "size 8 closed toe sandals with arch support beige", + "small toe sandals with arch support", + "large toe sandals with arch support", + "size 8 closed toe sandals", + "open toe sandals with arch support" + ], + "i want to find hair serum that contains argan oil and treats damaged hair.": [ + "hair serum that contains argan oil and treats damaged hair", + "hair serum with argan oil and treats damaged hair", + "hair serum with argan oil that treats damaged hair", + "hair serum with argan oil and treats damaged hair.", + "hair serum containing argan oil and treats damaged hair", + "hair serum containing argan oil and treats damaged hair.", + "hair serum with argan oil for damaged hair", + "hair serum with argan oil that treats damaged hair.", + "hair serum with argan oil", + "hair serum containing argan oil that treats damaged hair" + ], + "i am looking for a 7.7 ounce box of pecan gluten-free crackers": [ + "pecan gluten-free crackers 7.7 oz", + "pcan gluten-free crackers 7.7 oz", + "pecan gluten free crackers 7.7 oz", + "pcan gluten free crackers 7.7 oz", + "pecan gluten-free crackers", + "pcan gluten-free crackers", + "pack of pecan gluten-free crackers", + "pecan gluten-free crackers 7.7 ounce", + "pcan gluten free crackers", + "pecan gluten free crackers" + ], + "i would like a pair of women's 9.5 sized hot pink running shoes with a rubber outsole.": [ + "womens 9.5 sized hot pink running shoes", + "womens 9.5 sized hot pink running shoes with rubber outsole", + "mens 9.5 sized hot pink running shoes with a rubber outsole", + "hot pink running shoes with a rubber outsole", + "womens 9.5 sized hot pink running shoes, rubber outsole", + "womens 9.5 long walking shoes with a rubber outsole", + "womens 9.5 size hot pink running shoes", + "womens 9.5 sized hot pink running shoes with a rubber sole", + "womens 9.5 tennis shoes with a rubber outsole", + "tempered hot pink running shoes with a rubber outsole" + ], + "i'm looking for shoes of women men kenee high and the color in hot pink.": [ + "woman men kenee high shoes in hot pink", + "shoes of women men kenee high in hot pink", + "kenee high shoes in hot pink", + "women men kenee high shoes in hot pink", + "men kenee high shoes in hot pink", + "shoes of women men kenee high", + "womens men kenee high shoes in hot pink", + "woman kenee high shoes in hot pink", + "shoes of women men kenee high pink", + "shoes of women men kenee high, hot pink" + ], + "i'm looking for curved and rounded stainless steel scissors for trimming mustache, nose hair and beard. also silver color one.": [ + "curved stainless steel scissors for trimming mustache, nose hair and beard", + "curved stainless steel scissors for trimming mustache, nose hair and beard. also silver color one", + "curved stainless steel scissors for trimming mustache, nose hair and beard. also silver color", + "curved stainless steel scissors for trimming mustache, nose hair and beard in silver color", + "curve and rounded stainless steel scissors for trimming mustache, nose hair and beard", + "curved stainless steel scissors for trimming mustache, nose hair and beard in a silver color", + "curved stainless steel scissors for trimming mustache, nose hair and beard, silver color", + "curving and rounded stainless steel scissors for trimming mustache, nose hair and beard", + "curved stainless steel scissors for trimming mustache, nose hair and beard silver", + "curved stainless steel scissors for trimming mustache, nose hair and beard, silver color one" + ], + "i am looking a soy wax lead free scented candle for home": [ + "soy wax lead free scented candle for home", + "soy wax lead free scented candle for home", + "soy wax lead free scented candle", + "soy wax lead free scented candle", + "soy wax led free scented candle for home", + "som wax lead free scented candle for home", + "sugar wax lead free scented candle for home", + "soy wax led free scented candle for home", + "soy wax lead free candles for home", + "soy wax lead free scented candle home" + ], + "i am looking for luxurious blanket for bedroom sofa that is machine washable and also choose in colorful bohemian pattern": [ + "comfortable blanket for bedroom sofa that is machine washable", + "comfortable blanket for bedroom sofa in colorful bohemian pattern", + "coaxial blanket for bedroom sofa that is machine washable", + "comfortable blanket for bedroom sofa with a bohemian pattern", + "contemporary blanket for bedroom sofa that is machine washable", + "comfortable blanket for bedroom sofa color bohemian pattern", + "living blanket for bedroom sofa that is machine washable", + "felty blanket for bedroom sofa that is machine washable", + "pink blanket for bedroom sofa that is machine washable", + "comfortable blanket for bedroom sofa" + ], + "i need caxxa amber glass fine mist spray bottles, size 12 refillable containers.": [ + "caxxa amber glass fine mist spray bottles, size 12 refillable containers", + "aaxxa amber glass fine mist spray bottles, size 12 refillable containers", + "caxxa amber glass fine mist spray bottles, size 12 refillable", + "caxxa amber glass fine mist spray bottles size 12 refillable containers", + "acaxxa amber glass fine mist spray bottles, size 12 refillable containers", + "aaxxa amber glass fine mist spray bottles, size 12 refillable", + "caxxa amber glass fine mist spray bottles in size 12 refillable containers", + "casexa amber glass fine mist spray bottles, size 12 refillable containers", + "cupxa amber glass fine mist spray bottles, size 12 refillable containers", + "coaxxa amber glass fine mist spray bottles, size 12 refillable containers" + ], + "i want non gmo sugar free keto friendly cocoa chocolate size: 1 pound": [ + "non gmo sugar free keto friendly cocoa chocolate size 1 pound", + "non gmo sugar free keto friendly cocoa chocolate size", + "non gmo sugar free keto friendly cocoa chocolate", + "non gmo sugar free keto friendly cocoa chocolate size 2 pound", + "non gmo sugar free keto friendly chocolate size 1 pound", + "non gmo sugar free keto friendly chocolate size: 1 pound", + "keto friendly cocoa chocolate size 1 pound", + "keto friendly cocoa chocolate size: 1 pound", + "non gmo sugar free keto friendly chocolate", + "keto friendly cocoa chocolate size 1 pound" + ], + "i want non gmo healthworks cacao butter powder.": [ + "non gmo healthworks cacao butter powder", + "non gmo healthworks cacao butter powder.", + "non-gmo healthworks cacao butter powder", + "non gmo healthworks cacao butter powder,", + "non gmo healthwork cacao butter powder", + "mmo healthworks cacao butter powder", + "gmo healthworks cacao butter powder", + "non gmo healthworks chocolate butter powder", + "coffee butter powder non gmo", + "non gmo healthworks cacao butter" + ], + "i would like two boxes of mocha ash brown hair dye.": [ + "two boxes mocha ash brown hair dye", + "mocha ash brown hair dye", + "mocha ash brown hair dye two boxes", + "mens mocha ash brown hair dye", + "two box mocha ash brown hair dye", + "two mocha ash brown hair dye", + "mocha ash brown hair dye 2 boxes", + "mocha ash brown hair dye two box", + "mens hair dye two boxes", + "mensa ash brown hair dye" + ], + "i am looking for a white finish barstools and color should be antique white finish | black leather seat": [ + "white finish barstools with black leather seat", + "white finish barstools black leather", + "white finish barstools with black leather seat", + "white finish barstools black leather seat", + "white finish barstools", + "white finish barstools with black leather", + "white finish barstools, black leather seat", + "white finish barstools black leather", + "white barstools with a black leather seat", + "white finish barstools black leather seat" + ], + "i need a bag of non-toxic refillable lip gloss tubes.": [ + "non-toxic refillable lip gloss tubes", + "bag of non-toxic lip gloss tubes", + "non-toxic refillable lip gloss tube", + "non-toxic refillable lip gloss", + "non-toxic lip gloss tubes", + "bag of non-toxic lip gloss", + "bag of lip gloss tubes", + "natierra lip gloss tubes", + "bag of lip gloss", + "bag of non-toxic" + ], + "looking for long sleeve casual t-shirts that hand washable also choose yellow colour": [ + "long sleeve casual t-shirt yellow", + "long sleeve casual t-shirts yellow", + "long sleeve casual t-shirt in yellow", + "long sleeve casual t-shirts in yellow", + "short sleeve casual t-shirt yellow", + "long sleeve casual t-shirt with yellow", + "long sleeve casual t-shirt", + "short sleeve casual t-shirts yellow", + "hand washable yellow t-shirt", + "womens t-shirt yellow" + ], + "i am looking for noise cancelling headphones in a black color": [ + " noise cancelling headphones in a black color", + "noise cancelling headphones in a black color", + "black noise cancelling headphones", + "white noise cancelling headphones in a black color", + "non noise cancelling headphones in a black color", + "noise cancelling headphones in a black", + " noise cancelling headphones in a black", + "magnifying headphones in a black color", + "mumble cancelling headphones in a black color", + "clones cancelling headphones in a black color" + ], + "i am looking for sandals for high waist women with rubber sole and it color is black 4 and size is 7.5": [ + "sandals for high waist women with rubber sole", + "sandals for high waist women with rubber sole black 4", + "sneakers for high waist women with rubber sole", + "sandals for high waist women with rubber sole color is black 4", + "sneakers for high waist women with rubber sole black 4", + " sandals for high waist women with rubber sole black 4", + "sneakers for high waist women size is black 4", + "sandals for high waist women with rubber sole color is black", + "sneakers for high waist women", + "sandals for high waist women" + ], + "gel nail kit nail polish with 33 piece set": [ + "gel nail kit nail polish 33 piece set", + "gel nail kit nail polish 33 piece", + "gel nail polish 33 piece set", + "gel nail kit nail polish with 33 piece", + "gel nail kit nail polish", + "gel nail kit nail polish 32 piece set", + "gel nail kit nail polish 32 piece", + "gel nail kit nail polish33 piece set", + "gel nail kit nail polish 33 pieceset", + "gel nail polish with 33 piece set" + ], + "i am looking for high protein yogurt.": [ + "high protein yogurt", + "high protein yogurt under $40", + "high protein yogurt under $60", + "high protein yogurt under $50", + "high protein yogurt.", + "high protein yogurt under 30 dollars", + "high protein yogurt below $40", + "high protein yogurt under 50 dollars", + "high protein yogurt flavor", + "high protein yogurt drink mix" + ], + "i want to buy a shampoo and conditioner set for natural hair. my hair is on the dry side.": [ + "shampoo and conditioner set for natural hair", + "shampoo and conditioner set for natural hair.", + "shampoo and conditioner set for natural hair, dry side", + "shampoo and conditioner set for natural hair that is dry", + "shampoo and conditioner set for natural hair with dry side", + "shampoo and conditioner set for natural hair dry", + "shampoo conditioner set for natural hair", + "shampoo and conditioner set natural hair dry", + "shampoo and conditioner set natural hair", + "shampoo and conditioner set" + ], + "i'm looking for twin sized bed room for bedroom": [ + "twin sized bed room for bedroom", + "twin sized bed room", + "twin bed room for bedroom", + "twin bed room", + "twin sized bed room in bedroom", + "twin size bed room for bedroom", + "twin sized bed room, bedroom", + "twin sized bed room bedroom", + "twin sized bed room living room", + " twin sized bed room for bedroom" + ], + "i am looking for a green solid wood chairs for living rooms.": [ + "green solid wood chairs for living rooms", + "green solid wood chairs for living rooms.", + "green solid wood chairs living rooms", + "living room green solid wood chairs", + "green solid wood chairs for living room", + "green solid wood chairs", + "green solid wood dining chairs for living rooms", + "green solid wood chairs living room", + "green solid wood chairs in living rooms", + "green solid wood chairs for living rooms," + ], + "find me a polo shirt with short sleeves and stretch fabric. pick something in sundress color.": [ + "pink shirt with short sleeves stretch fabric", + "powo shirt with short sleeves stretch fabric", + "pink shirt with short sleeves and stretch fabric", + "palo shirt with short sleeves stretch fabric", + "poto shirt with short sleeves stretch fabric", + "p polo shirt with short sleeves stretch fabric", + "powo shirt with short sleeves and stretch fabric", + "pawno shirt with short sleeves stretch fabric", + "polo shirt with short sleeves stretch fabric", + "pink shirt with short sleeves stretch fabric in sundress" + ], + "i would like a long lasting perfume.": [ + "long lasting perfume", + "long lasting perfume.", + "long lasting perfume under $40", + "long lasting perfume under $50", + "long lasting perfume under $60", + "pink perfume long lasting", + "long lasting perfume under 30 dollars", + "long lasting perfume under 50 dollars", + "long lasting perfume under 60 dollars", + "long lasting perfume under 40 dollars" + ], + "find me a regular fit machine washable cargo pants with buttoned closure in 6057 apricot color and 29 size.": [ + "regular fit machine washable cargo pants with buttoned closure 29 size", + "regular fit machine washable cargo pants with buttoned closure, 29 size", + "coaxial fit machine washable cargo pants with buttoned closure 29 size", + "regular fit machine washable cargo pants with buttoned closure 29 size.", + "regular fit machine washable cargo pants with buttoned closure 29", + "regular fit machine washable cargo pants, buttoned closure 29 size", + "machine washable cargo pants with buttoned closure 29 size", + "regular fit machine washable cargo pants with buttoned closure", + "regular fit machine washable cargo pants 29 size", + "regular fit machine washable cargo pants" + ], + "i would like six bags of 3.25 ounce traditional snack mix that is low in sodium.": [ + "6 bags of 3.25 ounce traditional snack mix", + "6 bags of 3.25 ounce traditional snack mix low in sodium", + "6 pack of 3.25 ounce traditional snack mix", + "6 bags of 3.25 ounce traditional snack mix", + "6 pack of 3.25 ounce traditional snack mix low in sodium", + "6 bag of 3.25 ounce traditional snack mix", + "6 bags of 3.25 ounce traditional snack mix low in sodium", + "6 oz traditional snack mix low in sodium", + "6 oz traditional snack mix that is low in sodium", + "6 pack of 3.25 ounce traditional snack mix" + ], + "i am looking for 6 pack of size 6 ounce snack mix resealable bag.": [ + "6 pack of size 6 ounce snack mix resealable bag", + "pack of size 6 ounce snack mix resealable bag", + "6 pack of size 6 ounce snack mix resealable", + "pack of size 6 ounce snack mix resealable bag.", + "6 pack of snack mix resealable bag", + "8 pack of size 6 ounce snack mix resealable bag", + "5 pack of size 6 ounce snack mix resealable bag", + "pack of 6 ounce snack mix resealable bag", + "pack of size 6 ounce snack mix resealable", + "6 pack snack mix resealable bag" + ], + "i would like a #8 foundation for sensitive skin.": [ + "8 foundation for sensitive skin", + "#8 foundation for sensitive skin", + " #8 foundation for sensitive skin.", + "#8 foundation for sensitive skin.", + "a #8 foundation for sensitive skin", + " #8 foundation for sensitive skin", + "toothpaste foundation for sensitive skin", + "8 foundation for sensitive skin.", + "beauty foundation for sensitive skin", + "facial foundation for sensitive skin" + ], + "i am looking for heavy duty bed frame of black color.": [ + "heavy duty bed frame of black", + "heavy duty bed frame black", + "heavy duty bed frame in black", + "heavy duty bed frame", + "heavy duty bed frame, black", + "black heavy duty bed frame", + "low duty bed frame of black", + "low duty bed frame black", + "bed frame of black", + "heavy duty bed frameblack" + ], + "i am looking for a dark gray color steel coated bar stool with adjustable height option.": [ + "dark gray steel coated bar stool with adjustable height", + "dark gray color steel coated bar stool with adjustable height", + "dark gray steel coated bar stool", + "dark gray color steel coated bar stool", + "dark gray steel coated bar stool that is adjustable height", + "dark gray steel coated bar stool, adjustable height", + "dark gray colored steel coated bar stool with adjustable height", + "dark gray color steel coated bar stool, adjustable height", + "dark gray stainless steel bar stool with adjustable height", + "dark gray steel coated bar stool with adjustable height option" + ], + "i am looking for heavy duty clear glass spray bottles that are easy to clean.": [ + "heavy duty clear glass spray bottles", + "heavy duty clear glass spray bottles, easy to clean", + "easy clean heavy duty clear glass spray bottles", + "heavy duty clear glass spray bottles easy to clean", + "heavy duty clear glass spray bottles under $40", + "low duty clear glass spray bottles", + "heavy duty clear glass spray bottles under $50", + "easy to clean heavy duty clear glass spray bottles", + "heavy duty clear glass spray bottles under $60", + "light duty clear glass spray bottles" + ], + "i'm looking for hair coloring products for permanent hair.": [ + "hair coloring products for permanent hair", + "hair coloring products for permanent hair.", + "hair coloring products for permanent hair color", + "human hair coloring products for permanent hair.", + "human hair coloring products for permanent hair", + "hair coloring products for permanent hair under $40", + "hair coloring products for permanent hair under $50", + "hair coloring products for permanent hair under $60", + "hair coloring products for permanent hair ", + "human hair coloring products" + ], + "i would like a three pack of hair color that is long lasting and comes in a pack of three that are brown.": [ + "three pack of hair color long lasting brown", + "three pack of hair color", + "three pack of hair color, long lasting and brown", + "three pack of hair color long lasting and brown", + "three pack of hair color that is long lasting", + "three pack of hair color, long lasting, brown", + "three pack of hair color that is long lasting brown", + "three pack of hair color brown", + "3 pack of hair color long lasting brown", + "three pack of hair color long lasting" + ], + "i need a high quality refillable spray bottle of 50 ml size. and i choose the black one": [ + "rainbow spray bottle of 50 ml size", + "high quality spray bottle of 50 ml size", + "pink spray bottle of 50 ml size", + "50 ml refillable spray bottle of 50 ml", + "low quality refillable spray bottle of 50 ml", + "high quality refillable spray bottle of 50 ml", + "rainbow spray bottle of 50 ml", + "low quality spray bottle of 50 ml size", + "rainbow spray bottle 50 ml", + "50 ml spray bottle" + ], + "i'm looking for a skull king barber cape with hook sucker.": [ + " skull king barber cape with hook sucker", + "s skull king barber cape with hook sucker", + "slash king barber cape with hook sucker", + "shoes king barber cape with hook sucker", + "k skull king barber cape with hook sucker", + " skull king barber cape with hook sucker.", + "burglar king barber cape with hook sucker", + "cl skull king barber cape with hook sucker", + " skull king barber cape", + "s skull king barber cape" + ], + "i am looking for a double sided pocket mirror with a watercolor flower pattern.": [ + "double sided pocket mirror with a watercolor flower pattern", + "single sided pocket mirror with a watercolor flower pattern", + "double sided pocket mirror, watercolor flower pattern", + "double sided pocket mirror in a watercolor flower pattern", + "two sided pocket mirror with a watercolor flower pattern", + "double sided pocket mirror watercolor flower pattern", + "double sided pocket mirror that is watercolor flower pattern", + "duck mirror with a watercolor flower pattern", + "double sided pocket mirror", + "double sided pocket mirror with a watercolor flower" + ], + "i want high heel lace closure black color women's pump size: 7.5": [ + "high heel lace closure black womens pump size 7.5", + "high heel lace closure black woman pump size 7.5", + "high heel lace closure black", + "high heel lace closure black color womens pump size", + "womens pump size 7.5 high heel lace closure", + "high heel lace closure black women pump size 7.5", + "womens pump size 7.5", + "high heel lace closure black men pump size 7.5", + "womens pump size: 7.5", + "high heel lace closure" + ], + "i am looking for high quality tea tree essential face oil, 4 fl oz (pack of 1)": [ + "tea tree essential face oil 4 fl oz (pack of 1)", + "tea tree essential face oil, 4 fl oz (pack of 1)", + "tea tree essential face oil, 4 fl oz (pack of 1),", + "tea tree essential face oil 4 fl oz (pack of 1),", + "tea tree essential face oil 4 fl oz (pack of 1)", + "tea tree essential face oil 4fl oz (pack of 1)", + "tea tree essential face oil, 4fl oz (pack of 1)", + "tea tree essential face oil in 4 fl oz (pack of 1)", + "tea tree essential face oil4 fl oz (pack of 1)", + "tea tree essential face oil 4 fl oz" + ], + "i would like a small bottle of grapefruit high quality face oil.": [ + "small bottle of grapefruit high quality face oil", + "small bottle grapefruit high quality face oil", + "grapefruit high quality face oil", + "large bottle of grapefruit high quality face oil", + "grapefruit high quality face oil.", + "sugarfruit high quality face oil", + "pomegranate high quality face oil", + "small bottle of grapefruit", + "grapefruit face oil", + "sugarfruit face oil" + ], + "i need a plant based tea tree face cream for sensitive skin.": [ + "plant based tea tree face cream for sensitive skin", + "plant based tea tree face cream for sensitive skin.", + "tea tree face cream for sensitive skin", + "plant based tea tree face cream sensitive skin", + "tea tree face cream for sensitive skin.", + "tea tree face cream for sensitive skin plant based", + "plant based tea tree face cream for sensitive skin ", + "plant based tea tree face cream for sensitive skin,", + "plant based tea tree face cream", + "tea tree face cream sensitive skin" + ], + "looking for pet foam bottle that is easy to carry also choose in 60ml": [ + "pink foam bottle that is easy to carry", + "pet foam bottle that is easy to carry", + "pet foam bottle easy to carry in 60ml", + "easy to carry pet foam bottle 60ml", + "easy to carry pet foam bottle in 60ml", + "pet foam bottle easy to carry 60ml", + "pet foam bottle in 60ml", + "pet foam bottle 60ml", + "pink foam bottle", + "50ml pet foam bottle" + ], + "need a 10ft cable usb with rs422/rs485 port": [ + "10ft cable usb with rs422/rs485 port", + "10ft cable usb with rs422/r485 port", + "10ft cable usb usb with rs422/rs485 port", + "a 10ft cable usb with rs422/rs485 port", + "10ft cable usb", + "10ft cable usb, rs422/rs485 port", + "10ft cable usb with rs422/rs485", + "10ft cable usb, rs422/rs485", + "10ft cable usb with rs422/rs485 port,", + "10ft cable usb under $40" + ], + "i need a double sided sharpening strap": [ + "double sided sharpening strap", + "double sided sharpening strap for sharpening", + "double sided sharpening strap below $40", + "double sided sharpening strap below $50", + "double sided sharpening strap under $40", + "double sided sharpening strap under $50", + "double sided sharpening strap,", + "double sided sharpening strap under 50 dollars", + "dual sided sharpening strap", + "single sided sharpening strap" + ], + "i'm looking for a plant based protein drink that should be free from soy, gluten and dairy.": [ + "plant based protein drink free from soy, gluten and dairy", + "plant based protein drink no soy, gluten and dairy", + "plant based protein drink with soy, gluten and dairy", + "plant based protein drink", + "plant based protein drink with no soy, gluten and dairy", + "plant based protein drink no soy and dairy", + "plant based protein drink free from soy gluten and dairy", + "plant based protein drink with soy and dairy", + "plant based protein drink that should be free from soy dairy", + "plant based protein drink with soy, gluten free" + ], + "i am looking for a gluten free jerky": [ + "gluten free jerky", + "gluten free jerky under $40", + "gluten free jerky under $60", + "gluten free jerky under $50", + "gluten free jerky below $40", + "gluten free jerky under 50 dollars", + "gluten free jerky under 60 dollars", + "gluten free jerky under 30 dollars", + "gluten free jerky under 40 dollars", + "gluten-free jerky" + ], + "i am looking for a set of 7.4 inch size white lead free dessert salad plate which is easy to clean.": [ + "white lead free dessert salad plate", + "white lead free dessert salad plate that is easy to clean", + "white lead free dessert salad plate which is easy to clean", + "white lead free dessert salad plate, easy to clean", + "7.4 inch size white lead free dessert salad plate", + "6.4 inch white lead free dessert salad plate", + "7.4 inch white lead free dessert salad plate", + "8.4 inch white lead free dessert salad plate", + "white lead free dessert salad plate easy to clean", + "white lead free dessert salad plate under $40" + ], + "i want an easy to use tongue cleaner for eliminating bad breath.": [ + "easy to use tongue cleaner for eliminating bad breath", + "easy to use tongue cleaner", + "tongor cleaner for eliminating bad breath", + "easy to use tongue cleaner that eliminates bad breath", + "easy to use tongue cleaner with bad breath", + "easy to use tongue cleaner under $40", + "easy to use tongue cleaner under $50", + "easy-to-use tongue cleaner", + "plastic tongue cleaner", + "tongor cleaner" + ], + "i need open toe sandles in red color for a teenage girl.": [ + "open toe sandles in red teenage girl", + "open toe sandles in red", + "open toe sandles red teenage girl", + "open toe sandles for a teenage girl", + "open toe sandles in red girl", + "open toe sandles in red teen girl", + "open toe sandles teenage girl red", + "open toe sandles in red color", + "open toe sandles", + "open toe sandles red" + ], + "i am looking for a white item coffee tables for living room": [ + "white coffee table for living room", + "white item coffee table for living room", + "white coffee table living room", + "white coffee tables for living room", + "white coffee table", + "white item coffee tables for living room", + "white coffee table in living room", + "white table coffee table for living room", + "white coffee table for living room white", + "white coffee table, living room" + ], + "i am looking for a blue usb port cables": [ + "blue usb port cables", + "blue usb port cables under $40", + "blue usb port cable", + "blue usb port cables under $50", + "blue usb port cables under $60", + "blue usb port cables for bluetooth", + "blue usb port cables under $130", + "blue usb port cables under 50 dollars", + "blue usb port cables under $120", + "blue usb port cables," + ], + "i want a medium sized mini dress that is loose fit. it must be in navy blue color.": [ + "medium sized mini dress in navy blue", + "medium sized mini dress that is loose fit", + "medium sized mini dress navy blue", + "medium sized mini dress, navy blue", + "medium sized mini dress with navy blue color", + "medium sized mini dress in navy blue color", + "large sized mini dress in navy blue", + "medium sized mini dress that is navy blue", + "medium size mini dress in navy blue", + "small navy blue mini dress" + ], + "i am looking for high resolution television": [ + "high resolution television", + "tv high resolution", + "high resolution television price lower than 50.00 dollars", + "high resolution television under $60", + "high resolution television under $40", + "high resolution television price lower then 50.00 dollars", + "high resolution television price lower then $40.00", + "high resolution television under $50", + "high resolution television under 30 dollars", + "tv with high resolution" + ], + "i'm looking for skin care for sensitive for men's scent citron and driftwood and coconut water.": [ + "skin care sensitive for mens scent citron and driftwood and coconut water", + "skin care for sensitive mens scent citron and driftwood and coconut water", + "skin care sensitive mens scent citron and driftwood and coconut water", + "skin care for mens scent citron and driftwood and coconut water", + "skin care sensitive for mens scent citron and driftwood", + "skin care for sensitive mens scent citron and driftwood", + "skin care for sensitive mens scent citron and driftwood coconut water", + "skin care sensitive for mens scent citron and driftwood coconut water", + "skin care sensitive mens scent citron and driftwood", + "skin care sensitive" + ], + "i need men's non toxic deororizing body spray for sensitive skin. get the 2pack 3.4 ounce size.": [ + "mens non toxic deororizing body spray 3.4 ounce", + "mens non toxic deororizing body spray 3.4 ounce size", + "mens non toxic deororizing body spray 2pack 3.4 ounce", + "mens non toxic deororizing body spray", + "mens non toxic deororizing body spray 2pack 3.4 ounce size", + "mens non toxic deororizing body spray for sensitive skin 2pack", + "mens non toxic deororizing body spray 3.4 ounce size.", + "mens non toxic deororizing body spray, 2pack 3.4 ounce", + "mens non toxic deororizing body spray for sensitive skin", + "mens non toxic deorizing body spray" + ], + "find me a yellow quick drying sarong wrap.": [ + "yellow quick drying sarong wrap", + "yellow quick drying sarong wrap.", + "yellow quick drying sarong wrap under $40", + "yellow quick drying sarong wrap under $50", + "yellow quick drying sarong wrap under $60", + "yellow quick drying sarong wrap under 50 dollars", + "yellow quick drying sarong wrap that is easy drying", + "yellow quick drying sarong wrap,", + "yellow quick drying sarong wrap under 30 dollars", + "yellow quick drying sarong wrap, under $40" + ], + "i am ordering best dad ever coach fleece throw with super soft features.": [ + "best dad ever coach fleece throw", + "kids fleece throw with super soft features", + "pink fleece throw with super soft features", + "manual fleece throw with super soft features", + "coach fleece throw with super soft features", + "pink fleece throw", + "kids fleece throw super soft", + "coaxial throw with super soft features", + "magnified fleece throw", + "manual fleece throw" + ], + "i am looking for mini computer. it must have 16gb ram,512gd ssd hard disk and core i5 processor.": [ + "mini computer 16gb ram with i5 processor", + "mini computer with 16gb ram with i5 processor", + "mini computer with 16gb ram", + "mini computer with i5 processor", + "mini computer with 16gb ram and i5 processor", + "mini computer with 16gb ram,512gd ssd hard disk", + "mini computer with 16gb ram, 512gd ssd hard disk", + "mini computer 16gb ram,512gd ssd hard disk", + "mini computer 16gb ram, 512gd ssd hard disk", + "mini computer 16gb ram" + ], + "i'm looking for engineered wood for living room furniture. it was white finish color furniture.": [ + "engineered wood for living room furniture white finish", + "engineered wood for living room furniture", + "engineered wood living room furniture white finish", + "engineered wood living room furniture white finish color", + "engineered wood living room furniture", + "engineered wood for living room furniture white", + "engineered wood living room furniture white", + "engineered wood furniture white finish", + "engineered wood white finish", + "engineered wood" + ], + "i buy a 3pcs natural hair": [ + "3pcs natural hair", + "natural hair 3pcs natural", + "natural hair 3pcs", + "natural hair 3pcs natural less then $40", + "natural hair 3pcs natural less then $60", + "3pcs natural hair under $40", + "3pcs natural hair under $50", + "natural hair 3pcs natural less then 50 dollars", + "natural hair 3pcs natural less then $50", + "3pcs natural hair under $60" + ], + "i am looking for a high definition filter set with carrying case. it should be easy to install.": [ + "high definition filter set with carrying case", + "low definition filter set with carrying case", + "high definition filter set with carrying case, easy to install", + "high definition filter set with carrying case under $40", + "high definition filter set, carrying case, easy to install", + "high definition filter set with carrying case under $60", + "high definition filter set with carrying case under $50", + "high definition filter set carrying case", + "high definition filter set, carrying case", + "high definition filter set" + ], + "i'm looking for quality materials it was daily wear and need to buy it.": [ + "day wear quality materials", + "good quality materials daily wear", + "high quality materials daily wear", + "daily wear quality materials", + "quality materials daily wear", + "living room quality materials", + "dining room quality materials", + "high quality materials", + "dust free", + "daring quality materials" + ], + "looking for yellow aaa battery in pack of 2": [ + "yellow aaa battery pack of 2", + "yellow aaa battery in pack of 2", + "yellow aaa battery pack in pack of 2", + "yellow aaa battery pack pack of 2", + "yellow aaa battery pack", + "teeth yellow aaa battery pack of 2", + "yellow aaa battery pack, pack of 2", + "yellow aaa battery pack 2", + "yellow aaa batteries pack of 2", + "yellow aaa battery packs of 2" + ], + "i need some colorful wall dividers to arrange my living room for a holiday.": [ + "living room wall dividers", + "colored wall dividers for living room", + "living room wall dividers for a holiday", + "rainbow colored wall dividers for living room", + "rainbow color wall dividers for living room", + "rainbow colored wall dividers", + "color wall dividers for living room", + "colored wall dividers for a holiday", + "rainbow color wall dividers", + "rainbow colored wall dividers for a holiday" + ], + "i need some gourmet dining room curtains at around 52 inch width.": [ + "gourmet dining room curtains at around 52 inch width", + "gourmet dining room curtains", + "gourmet dining room curtains 52 inch width", + "gourmet dining room curtains, 52 inch width", + "gourmet dining room curtains at a 52 inch width", + "gourmet dining room curtains, 52 inch", + "gourmet dining room curtains 52 inch", + "gourmet dining room curtains at 52 inch width", + "gourmet dining room curtains that are 52 inch width", + "gourmet dining room curtains at around 52 inch" + ], + "i'm looking for a blu ray dvd player with wifi support": [ + " blu ray dvd player with wifi support", + " blu ray dvd player with wifi", + " blu-ray dvd player with wifi support", + "blue ray dvd player with wifi support", + "a blu ray dvd player with wifi support", + "duck ray dvd player with wifi support", + " blu ray dvd player", + " blu-ray dvd player with wifi", + "Blu-ray dvd player with wifi support", + "Blu ray dvd player with wifi support" + ], + "buy me a contemporary style tempered glass arm chair in white grey color.": [ + "contemporary style tempered glass arm chair in white grey", + "living style tempered glass arm chair in white grey color", + "living style tempered glass arm chair in white grey", + "tempered glass arm chair in white grey", + "a contemporary style tempered glass arm chair in white grey", + "tempered glass arm chair in white grey color", + "living room style tempered glass arm chair in white grey", + "modern style tempered glass arm chair in white grey color", + "modern style tempered glass arm chair in white grey", + "style tempered glass arm chair in white grey" + ], + "i'm looking for steel toe blue in color it was easy to use.": [ + "steel toe blue", + "steel toe blue in color", + "steel toe blue color", + "steel toe blue, easy to use", + "steel toe blue color easy to use", + "steel toe blue steel toe blue", + "brushed toe blue steel toe blue", + "steel toe blue easy to use", + "easy to use steel toe blue", + "brushed toe blue" + ], + "i am looking for an easy install home office chair with lumbar support. i would prefer a grey colored one.": [ + "living room chair with lumbar support", + "easy install grey colored home office chair", + "easy install grey colored office chair", + "grey office chair with lumbar support", + "home office chair with lumbar support", + "easy install home office chair lumbar support", + "easy install grey colored work chair", + "easy install home office chair", + "easy install grey office chair", + "living room chair with lumbar support grey" + ], + "i want to find a yellow cle gaming chair that is easy to install.": [ + "yellow gaming chair that is easy to install", + "yellow gaming chair easy to install", + "yellow gaming chair", + "yellow gaming chair, easy to install", + "yellow cle gaming chair easy to install", + "yellow cle gaming chair", + "yellow cle gaming chair, easy to install", + "yellow gaming chair with easy to install", + "yellow gaming chair, easy to install,", + "yellow gaming chair easy to install yellow" + ], + "i'm looking for a machine washable men's shorts made of nylon spandex stretchable fabric with imported zipper. also choose 32 sized dark ash colored one.": [ + "machine washable mens shorts made of nylon spandex stretchable fabric with imported zipper", + "machine washable mens shorts made of nylon spandex stretchable fabric", + "machine washable mens shorts with imported zipper 32 sized dark ash colored", + "machine washable mens shorts made from nylon spandex stretchable fabric with imported zipper", + "man washable mens shorts made of nylon spandex stretchable fabric with imported zipper", + "machine washable mens shorts with imported zipper 32 size dark ash colored", + "machine washable mens shorts made from nylon spandex stretchable fabric", + "man washable mens shorts made of nylon spandex stretchable fabric", + "machine washable mens shorts with imported zipper", + "machine washable mens shorts with imported zipper 32 ft dark ash colored" + ], + "i am looking for tv stand made of tempered glass that has fww color. and i would go for a size of 63\u201dwx17.7\u201d h x13.78\u201d d": [ + "tv stand made of tempered glass that has fww color", + "tv stand made of tempered glass with fww color", + "tv stand made of tempered glass", + "tv stand made of tempered glass fww color", + "tv stand made of tempered glass, fww color", + "tv stand made of tempered glass in fww color", + "tv stand with fww color", + "tv stand with tempered glass", + "tv stand of tempered glass", + "tv stand" + ], + "i am searching for a high gloss tv stand with additional storage space. also, choose an ob color.": [ + "tv stand with additional storage space", + "tv stand with additional storage space in ob color", + "tv stand with additional storage space.", + "tv stand with additional storage space with high gloss", + "tv stand with additional storage space high gloss", + "tv stand with storage space in ob color", + "tv stand with additional storage space, high gloss", + "tv stand in ob color", + "tv stand with additional storage space under $40", + "tv stand with extra storage space" + ], + "looking for high gloss storage space tv stand with led lights also choose colour black brown": [ + "tv stand with led lights black high gloss", + "tv stand with led lights in high gloss black", + "tv stand with led lights in black high gloss", + "tv stand with led lights", + "tv stand with led lights, black high gloss", + "tv stand with led lights high gloss black", + "tv stand with led lights black", + "tv stand with led lights in high gloss", + "tv stand with led lights high gloss", + "tv stand black high gloss" + ], + "i am looking for large jar candles of soy wax.": [ + "large jar candles of soy wax", + "large jar candles of soy wax.", + "small jar candles of soy wax", + "large jar candles candles of soy wax", + "large jar candles of soy wax,", + "mason candles of soy wax", + "medium jar candles of soy wax", + "large jar candles, soy wax", + "large jar candles", + "soy wax candles" + ], + "i am looking a white 1 posters & prints for living room": [ + "white 1 posters & prints for living room", + "white 1 poster & prints for living room", + "white 1 posters & prints living room", + "white 1 poster & prints living room", + "white 1 poster and prints for living room", + "white 1 posters and prints for living room", + "white 1 poster and prints living room", + "white 1 poster, prints for living room", + "white 1 poster & print living room", + "white 1 posters & prints" + ], + "i am looking for a creamy cellular shades for living room": [ + " creamy cellular shades for living room", + " creamy cellular shades living room", + "moisturizing cellular shades living room", + "magnified cellular shades for living room", + "comfortable creamy cellular shades for living room", + "macro cellular shades for living room", + "white cellular shades for living room", + "rich cellular shades for living room", + " creamy cellular shades for living room creamy", + " creamy cellular shades" + ], + "i need creamy shades for the living room.": [ + " creamy shades for the living room", + " creamy shades for the living room.", + " creamy shades for living room", + " creamy shades for living room.", + " creamy shades living room", + "white creamy shades for living room", + " creamy shades living room creamy shades", + "white creamy shades for the living room", + "white creamy shades living room", + "rich creamy shades for the living room" + ], + "i'm looking for spa stainless steel tool for hair salon.": [ + "spa stainless steel tool for hair salon", + "pampered steel tool for hair salon", + "shampoo stainless steel tool for hair salon", + "spray stainless steel tool for hair salon", + "s spa stainless steel tool for hair salon", + " spa stainless steel tool for hair salon", + "pink stainless steel tool for hair salon", + "spa stainless steel tool for hair salon.", + "bathroom stainless steel tool for hair salon", + "pampered steel tool for hair salon." + ], + "i am looking for a super soft blankets & throws of 40\u201cx30 \" xsmall for pets.": [ + "super soft blankets & throws of 40\u201cx30", + "super soft blankets & throws 40\u201cx30 xsmall for pets", + "super soft blankets & throws of 40\u201cx30", + "super soft blankets & throws 40\u201cx30", + "super soft blankets and throws of 40\u201cx30", + "super soft blankets & throws under 40\u201cx30", + "super soft blankets & throws 40\u201cx30 xsmall", + "super soft blankets and throws 40\u201cx30 xsmall for pets", + "super soft blankets & throws xsmall for pets", + "super soft blankets & throws of 40\u201cx30 xsmall" + ], + "i am looking for stainless steel grooming set": [ + "stainless steel grooming set", + "stainless steel grooming set under $50", + "stainless steel grooming set under $40", + "stainless steel grooming set for grooming", + "stainless steel grooming set under $60", + "stainless steel grooming set under $120", + "stainless steel grooming set under $130", + "stainless steel grooming set under 50 dollars", + "stainless steel grooming set under 30 dollars", + "stainless steel grooming set under 40 dollars" + ], + "i need daily wear white c large hoodie, which has a loose fit and made of polyester cotton.": [ + "white c large hoodie made of polyester cotton", + "white c large hoodie made from polyester cotton", + "white c large hoodie made of polyester", + "white c large hoodie", + "white c large hoodie with polyester cotton", + "white c large hoodie with loose fit", + "white c large hoodie made from polyester", + "white c large hoodie with a loose fit", + "white hoodie made from polyester cotton", + "white hoodie made of polyester cotton" + ], + "i am looking for a wireless portable bluetooth speakers": [ + "womens wireless portable bluetooth speakers", + "wireless portable bluetooth speakers", + " wireless portable bluetooth speakers", + "womens bluetooth speakers", + "a wireless portable bluetooth speakers", + "womens portable bluetooth speakers", + "alarm wireless portable bluetooth speakers", + "living room bluetooth speakers", + "portable bluetooth speakers", + " wireless portable bluetooth speakers under $40" + ], + "i am looking for a 3x scrub bottoms for day comfort": [ + "3x scrub bottoms for day comfort", + "3x scrub bottoms day comfort", + "3x scrub bottoms", + "3x scrub bottoms, day comfort", + " 3x scrub bottoms for day comfort", + "3x scrub bottoms in day comfort", + "3x scrub bottoms that day comfort", + "3x scrub bottoms for day comfort under $40", + "3 x scrub bottoms for day comfort", + "3x scrub bottoms for day comfort under $50" + ], + "i am looking for a hairpiece made up of synthetic hair. also choose swedish blonde hair color one.": [ + "swedish blonde hairpiece", + "swedish blonde hair color", + "sneakers made up of synthetic hair color", + "sneakers swedish blonde hair color", + "sneakers made up of synthetic hair", + "shoes swedish blonde hair color", + "shoes made up of synthetic hair color one", + "swedish blonde hair wig", + "shoes made up of synthetic hair color", + "swedish blonde hair color one" + ], + "i am in need of loose hip-hop blue color, x-large sized women's sweatpants that is fit for machine wash.": [ + "womens sweatpants x-large", + "womens sweatpants x-large size", + "womens sweatpants x-large sized", + "womens sweatpants", + "womens sweatpants size x-large", + "womens sweatpants fit for machine wash", + "x-large sized womens sweatpants", + "sweatpants x-large sized womens", + "sweatpants x-large", + "jaw-hop blue sweatpants" + ], + "i'm looking for natural ingredients for hair removal.": [ + "natural ingredients for hair removal", + "natural hair removal natural", + "natural hair removal ingredients", + "natural hair removal natural ingredients", + "natural ingredients to hair removal", + "natural natural hair removal", + "natural ingredients hair removal", + "natural hair removal", + "natural beauty products", + "natural ingredients" + ], + "i'm looking for a long lasting scented candles made of soy wax.": [ + "long lasting scented candles made of soy wax", + "scent candles made of soy wax", + "sneakers made of soy wax", + "sented candles made of soy wax", + "short lasting scented candles made of soy wax", + "vegan candles made of soy wax", + "shoes candles made of soy wax", + "long lasting scented candles made from soy wax", + "sneakers made from soy wax", + "sneakers made of soy wax long lasting" + ], + "i need a gift set of gourmet collection spices & seasoning blends \u2013 hot & spicey collection.": [ + "gourmet collection spices & seasoning blend", + "gourmet collection spices & seasoning blend hot & spicey collection", + "gourmet collection spices & seasoning blend hot & spicey", + "gourmet collection spices & seasoning blends", + "gourmet collection spices & seasoning blends hot & spicey collection", + "gourmet collection spices & seasoning blend, hot & spicey", + "gourmet collection spices & seasoning blends hot & spicey", + "gourmet collection spices & seasoning blend gourmet", + "gourmet collection spices & seasoning blend under $50", + "gourmet collection spices & seasoning blend gourmet collection" + ], + "i'm looking for seed oil it was certified organic good for skin and flavor was organic peppermint.": [ + "seed oil organic peppermint", + "synthetic organic peppermint seed oil", + "seed oil organic pomegranate flavor", + "seeds oil organic peppermint", + "seed oil certified organic good for skin", + "organic peppermint seed oil", + "plant oil certified organic", + "plant oil organic peppermint", + "seed oil certified organic for skin", + "seed oil organic peppermint flavor" + ], + "i'm looking for wheat color kitchen rugs it easy clean.": [ + "easy clean wheat color kitchen rugs", + "gluten-free kitchen rugs easy clean", + "whitewash kitchen rugs easy clean", + "womens kitchen rugs easy clean", + "a wheat color kitchen rugs easy clean", + "brittle color kitchen rugs easy clean", + "gluten free kitchen rugs easy clean", + "white kitchen rugs easy clean", + "a wheat color kitchen rugs it easy clean", + "womens kitchen rugs easy clean." + ], + "i am looking for a high definition mirrorless digital camera with optical zoom.": [ + "high definition mirrorless digital camera with optical zoom", + "high definition mirrorless digital camera", + "low definition mirrorless digital camera with optical zoom", + "projectionless digital camera with optical zoom", + "optical zoom high definition mirrorless digital camera", + "optical zoom mirrorless digital camera", + "low definition mirrorless digital camera", + "dual lens mirrorless digital camera", + "lens with optical zoom", + "professional camera with optical zoom" + ], + "show me a butt lifting tummy controlling high waisted green legging in medium size.": [ + "butt lifting tummy controlling high waisted green legging", + "butt lifting tummy control high waisted green legging", + "butt lifting tummy high waisted green legging", + "butt lifting tummy, high waisted green legging", + "butt lifting tummy for high waisted green legging", + "butt lifting tummy of high waisted green legging", + "butt lifting high waisted green legging", + "butt lifting tummy in medium size", + "butt lifting tummy under $50", + "butt lifting tummy" + ], + "in the tools & home improvement department, i am looking for matte black 24 inch vanity light using 14w led 3000k metal wall sconce (modern) that is easy to install, in the color of cool white 6000k.": [ + "matte black 24 inch vanity light with 14w led 3000k metal wall sconce (modern)", + "matte black 24 inch vanity light, 14w led 3000k metal wall sconce (modern)", + "matte black 24 inch vanity light in 14w led 3000k metal wall sconce (modern)", + "matte black 24 inch vanity light", + "matte black 24 inch vanity light with 14w led 3000k metal wall sconce", + "professional tools & home improvement department, matte black 24 inch vanity light", + "matte black 24 inch vanity light under $40", + "matte black 24 inch vanity light under $50", + "tools & home improvement department, matte black 24 inch vanity light", + "beauty black 24 inch vanity light" + ], + "i'm looking for a real fruit bitters with zero sugar. also, choose a pack of 2 weights 32 ounce each with cranberry punch flavored one.": [ + "real fruit bitters 32 ounce with zero sugar", + "real fruit bitters 32 ounce flavor", + "real fruit bitters 32 ounce no sugar pack", + "real fruit bitters 32 ounce", + "real fruit bitters 32 ounce under 30 dollars", + "real fruit bitters 32 ounce no sugar flavor", + "real fruit bitters 32 ounce under $40", + "real fruit bitters 32 ounce each", + "real fruit bitters 32 ounce under $60", + "real fruit bitters 32 ounce pack" + ], + "i'm looking for margarita low sugared real fruit needed.": [ + "margarita low sugared real fruit", + "margarita low sugared real fruit no sugar", + "margarita low sugared real fruit under $40", + "margarita low sugared real fruit under $60", + "margarita low sugared real fruit drink mix", + "margarita low sugared real fruit under $50", + "margarita low sugared real fruit under 50 dollars", + "m margarita low sugared real fruit", + " margarita low sugared real fruit", + "margarita low sugared real fruit under 30 dollars" + ], + "i am looking for gluten free sesame edamame bean and nut snack mix in creole flavor, 1.25 ounce (pack of 18)": [ + "gluten free sesame edamame bean and nut snack mix, 1.25 ounce (pack of 18)", + "gluten free sesame edamame bean and nut snack mix in creole flavor", + "gluten free sesame edamame bean and nut snack mix 1.25 ounce (pack of 18)", + "gluten free sesame edamame bean and nut snack mix", + "gluten free sesame edamame bean and nut snack mix, 1.25 ounce (pack of 18),", + "gluten free sesame edamame bean and nut snack mix in creole flavor (pack of 18)", + "gluten free sesame edamame bean and nut snack mix (pack of 18)", + "gluten free sesame edamame bean and nut snack mix under $60", + "gluten free sesame edamame bean and nut snack mix in creole flavor under $60", + "gluten free sesame edamame bean and nut snack mix under $50" + ], + "i am looking for tempered glass screen protector, color should be navy-n10": [ + "tempered glass screen protector, navy-n10", + "tempered glass screen protector navy-n10", + "tempered glass screen protector in navy-n10", + "tempered glass screen protector, navy-n10,", + "tempered glass screen protector that is navy-n10", + "tempered glass screen protector for navy-n10", + "tempered glass screen protector with navy-n10", + "tempered glass screen protector", + "tempered glass screen protector navy-n10", + "tempered glass screen protector Navy-n10" + ], + "i am looking for a 1blue & 1green & 1orange with noaa | usb charger | usb cable | battery | lanyard color of two-way radios which is easy to use": [ + "1blue & 1green & 1orange with noaa", + "1blue & 1green and 1orange with noaa", + "1blue & 1green & 1orange two-way radios", + "1blue & 1green 2-way radio with noaa", + "1blue & 1green 2-way radios with noaa", + "1blue & 1green 2-way radios", + "1blue & 1green and 1orange two-way radios", + "1blue & 1green radio with noaa", + "1blue 1green & 1orange with noaa", + "1blue & 1green 1orange with noaa" + ], + "i would like a medium sized blue windbreaker to keep me warm in the winter.": [ + "medium sized blue windbreaker", + "medium sized blue windbreaker for winter", + "medium sized blue windbreaker in the winter", + "medium sized blue windbreaker under $50", + "medium sized blue windbreaker under $40", + "medium sized blue windbreaker under $60", + "medium sized blue windbreaker for the winter", + "medium sized blue windbreaker in winter", + "large sized blue windbreaker", + "medium sized blue windbreaker that is warm" + ], + "i need a red jacket that is quick drying and in an x-small.": [ + "red jacket quick drying x-small", + "red jacket quick drying and x-small", + "red jacket quick drying in an x-small", + "red jacket that is quick drying x-small", + "red jacket, quick drying and x-small", + "hot drying red jacket x-small", + "red jacket quick drying x-small", + "red jacket x-small", + "red jacket quick drying", + "red jacket" + ], + "i am looking for a women's small long sleeve jumpsuit.": [ + "womens small long sleeve jumpsuit", + "womens small long sleeve medium jumpsuit", + "womens small long sleeve jumpsuit.", + "womens small long sleeve jumpsuit,", + "womens small long sleeves jumpsuit", + "womens small long sleeve pink jumpsuit", + "womens short sleeve jumpsuit", + "small long sleeve jumpsuit", + "mens small long sleeve jumpsuit", + "large long sleeve jumpsuit" + ], + "i'm looking for double sided hair extensions for hair care accessories.": [ + "double sided hair extensions", + "double sided hair extensions for hair care accessories", + "double sided hair extension for hair care accessories", + "double sided hair extensions, hair care accessories", + "double sided hair extension", + "double sided hair extensions hair care accessories", + "double sided hair extensions in hair care accessories", + "double sided hair extension hair care accessories", + "double sided hair extensions under $50", + "dual sided hair extensions" + ], + "i am looking for a silver non slip hair clip for hair styling.": [ + "silver non slip hair clip for hair styling", + "silver non slip hair clip", + "silver non slip hair clip, hair styling", + "silver hair clip for hair styling", + "silver non slip hair clip hair styling", + " silver non slip hair clip for hair styling", + "silver non slip hair clip in hair styling", + "plastic hair clip for hair styling", + "silver hair clip", + "plastic hair clip" + ], + "i'm looking for gluten free snack crackers in 4.25 ounce pack.": [ + "gluten free snack crackers in 4.25 ounce pack", + "gluten free snack crackers 4.25 ounce pack", + "gluten free snack crackers in 4.25 ounce pack.", + "gluten free snack crackers in a 4.25 ounce pack", + "gluten free snack crackers 4.25 ounce pack.", + "gluten free snack crackers pack 4.25 ounce pack", + "gluten free snack crackers, 4.25 ounce pack", + "gluten-free snack crackers in 4.25 ounce pack", + "gluten free snack crackers size 4.25 ounce pack", + "gluten free snack crackers 4.25 oz pack" + ], + "i am looking for 4 colors eye shadow.": [ + "4 colors eye shadow", + "4 colors of eye shadow", + "4 colors eye shadow under $40", + "4 colors eye shadow.", + "4 colors eye shadow under $50", + "4 colors eye shadow under $60", + "4 color eye shadow", + "4 colors eye shadow,", + "4 colors eye shadow below $40", + "4 colors eye shadow under 40 dollars" + ], + "i am looking for a high performance smart watch for unisex with water resistant. also choose 42mm face size and pearl white color.": [ + "smart watch 42mm face size and pearl white", + "smart watch 42mm face size and pearl white color", + "smart watch 42mm face size in pearl white", + "smart watch 42mm face size", + "smartwatch 42mm face size and pearl white", + "smart watch 42mm face size, pearl white", + "smartwatch 42mm face size and pearl white color", + "smart watch 42mm face size, pearl white color", + "smart watch 42mm face size with pearl white color", + "smartwatch 42mm face size" + ], + "i'm looking for a hair roller for hair styling, it should be easy to use. also, choose 2.8 *2 inch pink colored one.": [ + "2.8 *2 inch pink colored hair roller", + "hair roller 2.8 x 2 inch pink colored", + "hair roller 2.8 x2 inch pink colored", + "2.8 x 2 inch pink colored hair roller", + "2.8 x2 inch pink colored hair roller", + "hair roller 2.8 *2 inch pink colored", + "hair roller 2.8 x2 inch pink", + "pink colored hair roller", + "pink colored hair roller 2.8 x 2 inch", + "hair roller 2.8 x 2 inch pink colored one" + ], + "i am looking for a overall cover with tempered glass screen protector for my apple watch, preferably in rose gold color": [ + "alarm cover with tempered glass screen protector for my apple watch", + "alarm cover with tempered glass screen protector for an apple watch", + "alarm cover with tempered glass screen protector", + "alarm cover with tempered glass screen protector for apple watch", + "oral cover with tempered glass screen protector for my apple watch", + "alarm cover for apple watch rose gold", + "alarm cover with tempered glass screen protector apple watch", + "aluminum screen protector for apple watch", + "bagel cover with tempered glass screen protector", + "almond glass screen protector for apple watch" + ], + "i need a high heeled sandals of 6.5 size for daily use . and please get me the gold-2 one": [ + "high heeled sandals of 6.5 size for daily use", + "high heeled sandals of 6.5 size", + "high heeled sandals of 6.5", + "high heeled sandals of 6.5 gold-2", + "high heeled sandals of 6.5 in gold", + "high heeled sandals 6.5 size for daily use", + "low heeled sandals of 6.5 size for daily use", + "high heeled sandals of 6.5 gold", + "high heeled sandals 6.5 size", + "high heeled sandals 5.5 gold" + ], + "i need to buy some gold cupcake toppers for a birthday party.": [ + "cupcake toppers for a baby shower", + "gold cupcake toppers for a baby shower", + "cupcake toppers for a birthday party", + "pink cupcake toppers for a baby shower", + "gold cupcake toppers for a birthday party", + "cupcake toppers for a baby shower.", + "cupcake toppers for a baby shower gold", + "pink cupcake toppers for a birthday party", + "gift cupcake toppers for a baby shower", + "cupcake toppers for a birthday party." + ], + "i would like a gold 35 cupcake topper for a birthday party.": [ + "cupcake topper for a baby shower", + "gold 35 cupcake topper for a baby shower", + "gold 35 cupcake topper for a birthday party", + "cupcake topper for a baby shower gold 35", + "cupcake topper for a birthday party", + "cupcake topper for a birthday party gold 35", + "gold 35 cupcake topper for a birthday party.", + "cupcake topper for a baby shower.", + "cupcake topper for a birthday party.", + "cupcake topper for a baby shower, gold 35" + ], + "i'm looking for pack of 24 happy 75th birthday party supplies.": [ + "pack of 24 happy 75th birthday party supplies", + "24 happy 75th birthday party supplies", + "24 happy 75th birthday party supplies pack", + "24 happy 75th birthday party supplies pack of 24", + "bag of 24 happy 75th birthday party supplies", + "23 pack of 24 happy 75th birthday party supplies", + "pack of 24 happy 75th birthday party supplies.", + "23 happy 75th birthday party supplies pack of 24", + "23 happy 75th birthday party supplies", + "24 happy 75th birthday party supplies." + ], + "i want to find gold cupcake toppers that i can use for a birthday party.": [ + "cupcake toppers gold for a baby shower", + "gold cupcake toppers for a baby shower", + "cupcake toppers for a baby shower", + "cupcake toppers gold for baby shower", + "cupcake toppers for a baby shower gold", + "gold cupcake toppers for baby shower", + "gold birthday cupcake toppers", + "pink cupcake toppers for baby shower", + "cupcake toppers for baby shower", + "cupcake toppers gold" + ], + "i looking a gluten free food and beverage gift pack for dinner party": [ + "gluten free food and beverage gift pack for dinner party", + "gluten free food and beverage gift pack for a dinner party", + "gluten free food and beverage gift pack", + "gluten free food and beverage gift pack for dinner", + "gluten free food and beverage gift pack for dinner party", + "gluten free food and beverage gift pack for a baby shower", + "gluten free food and beverage gift pack, for dinner party", + "gluten free food and beverage gift pack for the dinner party", + "gluten free food and beverage gift pack for dinner party ", + "gluten free food and beverage gift pack dinner party" + ], + "i would like a pair of midnight green earbud headphones made of aluminum alloy.": [ + "midnight green earbud headphones made of aluminum alloy", + "nude green earbud headphones made of aluminum alloy", + "night sky earbud headphones made of aluminum alloy", + "nightstand earbud headphones made of aluminum alloy", + "night earbud headphones made of aluminum alloy", + "nightshade earbud headphones made of aluminum alloy", + "nightshoes made of aluminum alloy", + "pair of midnight green earbud headphones", + "nude green earbud headphones made from aluminum alloy", + "pair of midnight green earbud headphones made of aluminum" + ], + "i am looking for a organic and gluten free almond nut butter with kosher certified. also choose chocolate favor and 4-pack size.": [ + "organic and gluten free almond nut butter 4-pack", + "almond nut butter 4-pack", + "almond nut butter 4-pack size", + "organic gluten free almond nut butter 4-pack", + "organic and gluten free almond nut butter", + "organic gluten free almond nut butter 4-pack size", + "organic and gluten free almond nut butter with kosher certified", + "almond nut butter organic 4-pack", + "organic and gluten free almond nut butter 4pack", + "almond nut butter 4 pack" + ], + "i'm looking for furniture it was in living room the color was pastel blue.": [ + "living room furniture pastel blue", + "living room furniture, pastel blue", + "living room furniture that is pastel blue", + "living room furniture pastel blue", + "living room furniture in pastel blue", + "living room furniture color was pastel blue", + "living room furniture with pastel blue", + "living room furniture colored pastel blue", + "living room furniture, pastel blue,", + "living room furniture" + ], + "i would like a 44 inch wide and 47 inch tall caramel roller shade for the living room.": [ + "44 inch wide and 47 inch tall caramel roller shade for living room", + "44 inch wide and 47 inch tall caramel roller shade", + "42 inch wide and 47 inch tall caramel roller shade for living room", + "45 inch wide and 47 inch tall caramel roller shade for living room", + "43 inch wide and 47 inch tall caramel roller shade for living room", + "42 inch wide and 47 inch tall caramel roller shade", + "45 inch wide and 47 inch tall caramel roller shade", + "43 inch wide and 47 inch tall caramel roller shade", + "rainbow colored caramel roller shade for living room", + "bagel roller shade for living room" + ], + "i would like a 3.5 ounce variety pack of pretzels that are nut free.": [ + "3.5 ounce variety pack of pretzels that are nut free", + "3.5 ounce variety pack of pretzels nut free", + "3.5 ounce variety pack of pretzels", + "3.5 oz variety pack of pretzels that are nut free", + "three.5 ounce variety pack of pretzels that are nut free", + "3.5 ounce variety pack of pretzels nuts free", + "3.5 ounce variety pack of pretzels no nuts", + "3.5 ounce variety pack of pretzels, nut free", + "3.5 ounce variety pack of pretzels with nut free price", + "3.5 ounce variety pack of pretzels nut free," + ], + "i'm looking for black elastic waistband for need to use it.": [ + "black elastic waistband", + "black elastic waistband for men", + "black elastic waistband for women", + "black elastic waistband for black", + "black elastic waistband for woman", + "black elastic waistband,", + "black elastic waistband for use", + "clothing black", + "black waistband", + "bag black" + ], + "i am looking for a natural wood color floor lamps for living room": [ + "natural wood color floor lamps for living room", + "natural wood color floor lamps", + "natural wood color floor lamps living room", + "natural wood color floor lamp for living room", + "natural wood color floor lamps in living room", + "natural wood color floor lamps, living room", + "natural wood color floor lamp living room", + "natural wood floor lamps for living room", + "natural wood color floor lamp", + "living room natural wood color floor lamps" + ], + "i am looking for carplay ips touchscreen mirror link with 4 crore wifi 1g+16g": [ + "carplay ips touchscreen mirror link", + "carplay ips touchscreen mirror link 4 crore wifi 1g+16g", + "carplay ips touchscreen mirror link with 4 crore wifi", + "carplay ips touchscreen mirror link 4 crore wifi", + "carplay ips touchscreen mirror link 4 crore wifi 1g-16g", + "carplay ips touchscreen mirror link, 4 crore wifi", + "carplay ips with 4 crore wifi 1g+16g", + "carplay ips touchscreen mirror link with 4 crore wifi 1g", + "carplay ips touchscreen mirror link under 40 dollars", + "carplay ips touchscreen mirror link under $40" + ], + "i'm looking for green backdrop stand for digital photography": [ + "green backdrop stand for digital photography", + "green backdrop stand digital photography", + "a green backdrop stand for digital photography", + "pink backdrop stand for digital photography", + "green backdrop stand for digital photography green", + "green backdrop stand, digital photography", + "green backdrop stand in digital photography", + "green backdrop stand for digital photography,", + "living backdrop stand for digital photography", + "green backdrop stand" + ], + "i want highly pigmented easy apply easy carry face foundation color: white+red+black": [ + "pink pigmented easy apply easy carry face foundation", + "white pigmented easy apply easy carry face foundation", + "pink pigmented easy apply easy carry face foundation color", + "pigmented easy apply easy carry face foundation", + "easy apply easy carry pigmented easy carry face foundation", + "im looking for pigmented easy apply easy carry face foundation color", + "pink pigmented easy apply easy carry face foundation color", + "easy apply pigmented easy carry face foundation", + "pigmented easy apply easy carry face foundation color", + "lip pigmented easy apply easy carry face foundation" + ], + "i want a pineapple flavor caffeine free soft drink size :67.6 fl oz": [ + "pink flavor caffeine free soft drink size :67.6 fl oz", + "pineapple flavor caffeine free soft drink size :67.6 fl oz", + "pink flavor caffeine free soft drink drink size :67.6 fl oz", + "p pineapple flavor caffeine free soft drink size :67.6 fl oz", + "pink flavor caffeine free soft drink size67.6 fl oz", + " pineapple flavor caffeine free soft drink size :67.6 fl oz", + "pink flavor caffeine free drink size :67.6 fl oz", + "pink flavor caffeine free soft drink size 67.6 fl oz", + "pink flavor caffeine free soft drink", + "pink flavor caffeine free soft drink size" + ], + "i am looking for a 2 bottle set of long lasting holographic glitter that is rose gold in color.": [ + "2 bottle set of long lasting holographic glitter that is rose gold", + "2 bottle set of long lasting holographic glitter", + "2 bottle set of long lasting holographic glitter rose gold", + "2 bottle set of long lasting holographic glitter rose gold in color", + "two bottle set of long lasting holographic glitter that is rose gold", + "2 bottle set of long lasting holographic glitter, rose gold", + "2 bottle set of long lasting holographic glitter with rose gold color", + "2 bottle of long lasting holographic glitter that is rose gold", + "two bottle set of long lasting holographic glitter", + "2 bottle of long lasting holographic glitter" + ], + "i'm looking for soft sandal for habana oiled leather was fully used.": [ + "soft sandal for habana oiled leather", + "soft sandal for hbana oiled leather", + "soft sandal for a habana oiled leather", + "soft sandal, habana oiled leather", + "soft sandal habana oiled leather", + "soft sandal for the habana oiled leather", + "soft sandal habana oiled leather", + "soft sandal for habana oiled leather ", + "soft sandal", + "soft sandal for leather" + ], + "i would like a pair of size 9.5 mocha sandals made of vinyl acetate.": [ + "mocha sandals made of vinyl acetate", + "mocha sandals made of vinyl acetate size 9.5", + "size 9.5 mocha sandals made of vinyl acetate", + "2 mocha sandals made of vinyl acetate", + "two mocha sandals made of vinyl acetate", + "mocha sandals made of vinyl acetate.", + "mocha sandals made from vinyl acetate", + "mocha sandals made of vinyl acetate size 9", + "sneakers made of vinyl acetate", + "mocha sandals" + ], + "i'm looking for a pair of navy sandals for women that are made with vinyl acetate.": [ + "navy sandals for women made with vinyl acetate", + "pair of navy sandals for women made with vinyl acetate", + "navy sandals for women", + "pair of navy sandals for women", + "woman navy sandals made with vinyl acetate", + "navy sandals made with vinyl acetate", + "womens navy sandals made with vinyl acetate", + "navy sandals for women, made with vinyl acetate", + "navy sandals for women with vinyl acetate", + "navy sandals for women made with vinyl acetate." + ], + "i would like a pair of women's 7.5 black sandals with a open toe.": [ + "womens 7.5 black sandals with a open toe", + "womens 7.5 black sandals", + "womens 7.5 black sandals with open toe", + "womens 7.5 black sandals with an open toe", + "mens 7.5 black sandals with a open toe", + "womens 7.5 black sandals, open toe", + "womens 7.5 black sandals that are open toe", + "womens 7.5 sandals with a open toe", + "woman sandals with open toe", + "woman sandals" + ], + "i'm looking for lactose it made for sugar cup packets.": [ + "lactose sugar cup packets", + " lactose it made for sugar cup packets", + "lactose it made sugar cup packets", + "low lactose sugar cup packets", + "low lactose sugar sugar cup packets", + "loose sugar cup packets", + "low fat lactose sugar cup packets", + "low fat lactose sugar sugar cup packets", + "stainless sugar cup packets", + "low sugar sugar cup packets" + ], + "i am looking for a red slim fit robes for men.": [ + "red slim fit robes for men", + "red slim fit robes for men", + "red slim fit robes for men.", + "red slim fit men robes", + "slim fit robes for men", + "shoes for men red slim fit", + "red slim fit robe for men", + " red slim fit robes for men", + "red slim fit robes for men,", + "red slim fit robes" + ], + "i am looking for high speed video cable easy use multicolored size:10ft": [ + "high speed video cable easy use multicolored", + "multicolored video cable easy use", + "multicolored video cable easy use 10ft", + "multicolored video cable 10ft", + "multicolored video cable", + "multicolored video cable easy use 9ft", + "multicolored video cable easy to use", + "multicolored high speed video cable", + "multicolored video cable under $50", + "high speed video cable" + ], + "i am looking for a medium - large polyester cotton t shirts for men": [ + "medium polyester cotton t-shirt for men", + "medium size polyester cotton t-shirt for men", + "large polyester cotton t-shirt for men", + "medium - large polyester cotton t-shirt", + "medium - large polyester cotton t shirts for men", + "medium - large polyester cotton t-shirt men", + "medium - large polyester t-shirt for men", + "medium polyester cotton t-shirt", + "small polyester cotton t-shirt for men", + "medium polyester cotton t-shirt men" + ], + "i am looking for a water resistant & carrying case bags, cases & sleeves of purple color.": [ + "water resistant & carrying case bags, cases & sleeves of purple color", + "water resistant & carrying case bags, cases & sleeves of purple color", + "water resistant & carrying case bags, cases & sleeves of purple", + "water resistant & carrying case bags, cases & sleeves of purple", + "water resistant and carrying case bags, cases & sleeves of purple color", + "water resistant and carrying case bags, cases & sleeves of purple color", + "water resistant & carrying case bags, cases & sleeves of a purple color", + "water resistant and carrying case bags, cases & sleeves of purple", + "rain resistant & carrying case bags, cases & sleeves of purple color", + "water resistant & carrying case bags, cases & sleeves of purple color," + ], + "i need a light weight and high resolution background photo for my studio. it should be in a12 color.": [ + "light weight and high resolution background photo", + "light weight high resolution background photo", + "low weight and high resolution background photo", + "background photo in a12 color", + "background photo light weight and high resolution", + "heavy weight and high resolution background photo", + "12 color high resolution background photo", + "12 color background photo", + "background photo for my studio", + "background photo" + ], + "i would like a bag of a bpa free bacon snack.": [ + "bag of bpa free bacon snack", + "bag of bacon snack", + "bag bpa free bacon snack", + "bag of bpa free bacon snacks", + "bag of bacon snack bpa free", + "bpa free bacon snack", + "bag of bpa free bacon", + "bag of fresh bacon snack", + "bag of bacon snacks", + "bag" + ], + "i want to buy some long lasting black nail polish.": [ + "long lasting black nail polish", + "long lasting black nail polish.", + "lens polish long lasting black", + "long lasting black nail polish,", + "nail polish long lasting black", + "nude polish long lasting black", + "nude polish long lasting", + "black nail polish long lasting", + "nail polish long lasting", + "black nail polish" + ], + "i am hair cutting tool hair clipper accessories color :silver head": [ + "hair cutting tool hair clipper accessories", + "hair cutting tool hair clipper accessories color", + "hair cutting tool hair clipper accessories silver", + "hair cutting tool silver head", + "hair cutting tool with silver head", + "hair cutting tool, silver head", + "silver hair clipper accessories", + "hair cutting tool silver", + "hair cutting tool black", + "hair cutting tool" + ], + "i would like a football temporary tattoo that is easy to apply.": [ + "football temporary tattoo easy to apply", + "football temporary tattoo that is easy to apply", + "football temporary tattoo", + "football temporary tattoo, easy to apply", + "football temporary tattoo easy to apply.", + "Football temporary tattoo that is easy to apply", + "focals temporary tattoo easy to apply", + "Football temporary tattoo easy to apply", + "football temporary tattooeasy to apply", + "football temporary tattoo under $50" + ], + "i am looking for a non toxic green color temporary tattoos.": [ + "non toxic green color temporary tattoos", + "non toxic green temporary tattoos", + "non toxic green permanent tattoos", + "non toxic green color temporary tattoos.", + "non toxic green temporary tattoos.", + "non toxic green color temporary tattoo", + "non toxic green tattoo", + "non toxic green temporary tattoo", + "non toxic green tattoos", + "non toxic green" + ], + "i am looking for 18 inch women synthetic hair extension of 8 packs.": [ + "18 inch women synthetic hair extension of 8 packs", + "18 inch women synthetic hair extension of 8 packs.", + "18 inch women synthetic hair extension of 8 packs under $50", + "18 inch women synthetic hair extension of 8 packs under $60", + "18 inch women synthetic hair extension of 8 packs under $40", + "18 inch woman synthetic hair extension of 8 packs", + "18 inch women synthetic hair extension of 8 packs under $120", + "18 inch women synthetic hair extension of 8 packs under 30 dollars", + "18 inch women synthetic hair extension of 8 pack", + "18 inch women synthetic hair extension of 8 packs under 50 dollars" + ], + "i'm looking for home decor products and its for dining room.": [ + "home decor products for dining room", + "home decor products dining room", + "home decor products for dining room.", + "home decor products and dining room", + "home decor products and its for dining room.", + "home decor products that are for dining room", + "home decor products for dining room under $40", + "home decor products for dining room under $60", + "home decor products for dining room under $50", + "home decor products for dining room under 50 dollars" + ], + "i'm looking for queen horizontal sized beds that wood framed structure .": [ + "queen horizontal sized beds wood framed structure", + "queen horizontal sized beds that wood framed", + "queen horizontal sized beds", + "queen horizontal sized beds wood framed", + " queen horizontal sized beds that wood framed structure", + " queen horizontal sized beds wood framed structure", + "king size beds that wood framed structure", + " queen horizontal sized beds that wood framed", + " queen horizontal sized beds wood framed", + "king size beds that wood framed" + ], + "i'm looking for made cup cakes for birthaday parteis.": [ + "cup cakes for birthaday parteis", + "cup cakes for birthaday parteis.", + "curtains for birthaday parteis", + "cup cakes for a birthaday parteis", + "cup cakes for birthingaday parteis", + "cup cakes for birthsaday parteis", + "cup cakes for a baby shower", + "birthaday parteis cup cakes", + "cup cakes for baby shower", + "cup cakes for birthaday" + ], + "i'm looking for made a cookies for birthday parties.": [ + "sneakers for birthday parties", + "cookies for birthday parties", + "sugar cookies for birthday parties", + "kids cookies for birthday parties", + "cookies for baby shower", + "sneakers for baby shower", + "sugar cookies for baby shower", + "chocolate cookies for birthday parties", + "baby shower cookies", + "cookie cookies for birthday parties" + ], + "i'm looking for vanty lights for bathroom fixtures.": [ + "vanty lights bathroom fixtures", + "vanty lights for bathroom fixtures", + "vinyl lights for bathroom fixtures", + "vinyl lights bathroom fixtures", + "tvanty lights for bathroom fixtures", + "tvanty lights bathroom fixtures", + "vanity lights for bathroom fixtures", + "vanty lights bathroom fixtures.", + "vanity lights bathroom fixtures", + "vanty lights" + ], + "i would like some gluten free rice flour.": [ + "gluten free rice flour", + "gluten free rice flour under $40", + "gluten free rice flour under $60", + "gluten free rice flour under $50", + "gluten free rice flour.", + "gluten free rice flour below $40", + "gluten free rice flour under 50 dollars", + "gluten free rice flour under 30 dollars", + "gluten-free rice flour", + "gluten free rice flour flavor" + ], + "can i get arm & hammer ultramax anti-perspirant deodorant with fresh scent": [ + "arm & hammer ultramax anti-perspirant deodorant with fresh scent", + "arm & hammer ultramax anti-perspirant deodorant", + "arm and hammer ultramax anti-perspirant deodorant with fresh scent", + "arm & hammer ultramax anti-perspirant deodorant fresh scent", + " arm & hammer ultramax anti-perspirant deodorant with fresh scent", + "arm and hammer ultramax anti-perspirant deodorant", + "arm & hammer ultramax anti-perspirant deodorant, fresh scent", + "arm & hammer ultramax anti-perspirant deodorant under $40", + "armed & hammer ultramax anti-perspirant deodorant with fresh scent", + "alarm & hammer ultramax anti-perspirant deodorant" + ], + "i'm looking for a 6-pack of certified organic herbal mint cool-refresh tea and it should be caffeine-free.": [ + "6-pack of certified organic herbal mint cool-refresh tea", + "6-pack certified organic herbal mint cool-refresh tea", + "6 pack of certified organic herbal mint cool-refresh tea", + "6-pack of certified organic herbal mint sh-refresh tea", + "6-pack of certified organic herbal mint chill-refresh tea", + "6pack of certified organic herbal mint cool-refresh tea", + "pack of certified organic herbal mint cool-refresh tea", + "6-pack of certified organic herbal mint", + "6-pack of certified organic herbal mint drink", + "6-pack of certified organic herbal mint tea" + ], + "i am looking for 100 count (pack of 4) tea bags that are caffeine free.": [ + "tea bags that are caffeine free", + "tea bags that are caffeine free 100 count", + "tea bags caffeine free 100 count", + "100 count (pack of 4) tea bags", + "tea bags 100 count caffeine free", + "tea bags with caffeine free 100 count", + "pink tea bags that are caffeine free", + "10 count (pack of 4) tea bags", + "l tea bags that are caffeine free 100 count", + "tea bags caffeine free" + ], + "i need a pair of stainless hair cutting shears that is 6 inches and black in color.": [ + "stainless hair cutting shears 6 inches black", + "stainless hair cutting shears 6 inches and black", + "stainless hair cutting shears, 6 inches black", + "stainless steel hair cutting shears 6 inches black", + "stainless hair cutting shears size 6 inches black", + "woman stainless steel hair cutting shears 6 inches black", + "stainless hair cutting shears color 6 inches", + "stainless hair cutting shears", + "stainless hair cutting shears color 6 inches black", + "stainless hair cutting shears black" + ], + "i'm looking for clothing for women's for classic fit and needle sleeve need to buy it.": [ + "womens for classic fit and needle sleeve", + "womens classic fit needle sleeve", + "womens classic fit and needle sleeve", + "womens for classic fit needle sleeve", + "womens with classic fit and needle sleeve", + "womens for classic fit with needle sleeve", + "womens with classic fit needle sleeve", + "womens classic fit and needle sleeve clothing", + "womens for classic fit", + "womens classic fit" + ], + "i need a closed toe khakhi sandal with ankle straps in size 10": [ + "khakhi sandal with ankle straps in size 10", + "open toe khakhi sandal with ankle straps", + "closed toe khakhi sandal with ankle straps", + "khakhi sandal with ankle straps in a size 10", + "open toe khakhi sandal with ankle straps size 10", + "khakhi sandal with ankle straps size 10", + "khakhi sandal with ankle straps", + "closed toe khakhi sandal", + "open toe khakhi sandal in size 10", + "open toe khakhi sandal" + ], + "please add to my list baby boy silver cupcake picks for my son\u2019s birthday party.": [ + "baby boy silver cupcake picks for a baby shower", + "baby boy silver cupcake picks for baby shower", + "baby boy silver cupcake picks", + "baby boy silver cupcake pick for a baby shower", + "baby boy silver cupcake pick for baby shower", + "baby boy silver cupcake pick", + "baby girl silver cupcake picks for a baby shower", + "baby boy silver cupcake picks for birthday party", + "baby boy silver cupcake picks for baby boy", + "baby boy silver cupcake picks for baby shower." + ], + "i'm looking for a actloe women hoodie sweatshirt .": [ + "actloe women hoodie sweatshirt", + "actloe women hoodie sweatshirt under $40", + "actloe women hoodie sweatshirt under $50", + "actloe women hoodie sweatshirt under $60", + "actloe women hoodie sweatshirt under 50 dollars", + "actloe women hoodie sweatshirt under 30 dollars", + "actloe women hoodie sweatshirt under 40 dollars", + "actloe women hoodie sweatshirt under $120", + "actloe women hoodie sweatshirt under $130", + "actloe women hoodie sweatshirt under 60 dollars" + ], + "i am looking for a console table made up of wooden frame for living room. also choose espresso one.": [ + "console table made up of wooden frame for living room. also choose espresso one.", + "console table made up of wood frame for living room. also choose espresso one.", + "console table made up of wooden frame for living room", + "Console table made up of wooden frame for living room. also choose espresso one.", + "console table made up of wooden frame for living room.", + " console table made up of wooden frame for living room. also choose espresso one.", + "table made up of wooden frame for living room. also choose espresso one.", + "console table made up of wooden frame for living room. also choose espresso one", + "console table made up of wooden frame for living room with espresso", + "console table made up of wooden frame for living room with espresso one" + ], + "i want 18\" high quality hair extensions made with natural hair in color 882.": [ + "18 high quality hair extensions with natural hair color 882", + "18 hair extensions made with natural hair color 882", + "18 high quality hair extensions made with natural hair", + "high quality hair extensions made with natural hair color 882", + "18 high quality hair extension with natural hair color 882", + "18 high quality hair extensions", + "18 high quality hair extensions made with natural hair color", + "hair extensions made with natural hair color 882", + "18 hair extensions made with natural hair color 882.", + "18 high quality hair extension" + ], + "i'm searching for purple color toppers to decorate the birthday cake.": [ + "pink color toppers for a baby shower", + "pink color toppers for a birthday cake", + "pink color toppers for the birthday cake", + "pink color toppers for birthday cake", + "pink color toppers for the birthday cake.", + "pink color toppers for a birthday cake.", + "pink color toppers for baby shower", + "pink color birthday cake toppers", + "pink birthday cake toppers", + "pink baby shower toppers" + ], + "i need gluten free pizza with a soft centre and crispy edges.": [ + "gluten free pizza", + "gluten free pizza with crispy edges", + "gluten free pizza that is soft crispy", + "gluten free pizza with soft crispy edges", + "gluten free pizza soft crispy", + "gluten free pizza crispy edges", + "gluten free pizza with a crispy edges", + "gluten free pizza, soft crispy edges", + "gluten free pizza no dairy", + "gluten free pizza pizza" + ], + "i'm looking for engineered wood that need to white finish furniture.": [ + "engineered wood white finish furniture", + "engineered wood that need to white finish furniture", + "engineered wood for white finish furniture", + "engineered wood white finish furniture.", + "engineered wood for white finish furniture.", + "engineered wood that needs to white finish furniture", + "engineered wood white finish furniture under $40", + "engineered wood, white finish furniture", + "engineered wood white finish furniture under $50", + "engineered wood with white finish furniture" + ], + "i want a queen panel bed in white finish.": [ + "queen panel bed in white finish", + "queen panel bed white finish", + "queen panel bed in white", + "queen panel bed with white finish", + "queen panel bed white", + "queen panel bed, white finish", + " queen panel bed in white finish", + "kingdom panel bed in white finish", + "kingman panel bed in white finish", + "kingwoman panel bed in white finish" + ], + "i'm looking for a hands free navigation system for my car, about 2+32 big and it should have 8 cores.": [ + "hand free navigation system for my car 2+32 big", + "hand free navigation system for my car 2+32 big with 8 cores", + "hand free navigation system for a car 2+32 big", + "hands free navigation system for my car 2+32 big", + "hand free navigation system for my car with 8 cores", + "hand free navigation system 2+32 big", + "hand free navigation system for a car 2+32 big with 8 cores", + "hand free navigation system for my car 2+32", + "hand free navigation system for my car about 2+32 big", + "hand free navigation system for my car" + ], + "i am looking for permanent hair color with natural ingredients and color: funky yellow (2 pack)": [ + "pink hair color with natural ingredients", + "pink human hair color with natural ingredients", + "pink hair color", + "pink human hair color", + "permanent hair color with natural ingredients", + "pink permanent hair color", + "pink permanent hair color with natural ingredients", + "natural hair color funky yellow 2 pack", + "fog yellow permanent hair color", + "fluoride colored hair color" + ], + "i needed a 5-case gluten free multigrain table crackers.": [ + "5-case gluten free multigrain table crackers", + "5case gluten free multigrain table crackers", + "5-case gluten free multigrain table crackers.", + "5-case gluten free multigrain table crackers under $40", + "5-case gluten free multigrain table crackers under $50", + "5-case gluten free multigrain table crackers under $60", + "gluten free multigrain table crackers", + "gluten free multigrain table crackers 5case", + "5-case gluten free multigrain table crackers under 50 dollars", + "5-case gluten free multigrain table crackers under 40 dollars" + ], + "i would like a twin sized espresso bed that is made of solid wood.": [ + "twin sized espresso bed made of solid wood", + "twin sized espresso bed", + "twin sized espresso bed made from solid wood", + "twin sized espresso bed, made of solid wood", + "twin sized espresso bed made of solid wood.", + "twin sized espresso bed with solid wood", + " twin sized espresso bed made of solid wood", + "twin sized espresso bed made of solid wood,", + "twin sized espresso bed made out of solid wood", + "twin size espresso bed made of solid wood" + ], + "i'm looking for clothing for classic fit and needle and color was navy.": [ + "classic fit needle and color navy", + "classic fit and needle and color navy", + "style fit needle and color navy", + "classic fit needle and color, navy", + "classic fit needle and color navy under $40", + "classic fit needle and color navy under $50", + "classic fit needle and color", + "classic fit needle and color navy clothing", + "classic fit needle and color navy under $60", + "classic fit needle and color is navy" + ], + "i am looking for a electric pink zebra mules & clogs of ethylene vinyl.": [ + "electric pink zebra mules & clogs of ethylene vinyl", + "electric pink zebra mules and clogs of ethylene vinyl", + "electric pink zebra mules with clogs of ethylene vinyl", + "electric pink zebra mules & clogs ethylene vinyl", + "electric pink zebra mules, clogs of ethylene vinyl", + "electric pink zebra mules clogs of ethylene vinyl", + "electric pink zebra mules & clogs", + "electric pink zebra mules clogs ethylene vinyl", + "electric pink zebra mules and clogs ethylene vinyl", + "electric pink zebra mules" + ], + "am looking for a non-alcoholic spirit that comes in a bottle size of 750ml made by the monday company called zero alcohol gin that should be found in the grocery & gourmet food department.": [ + "non-alcoholic spirit monday", + "non-alcoholic spirit", + "non-alcoholic spirit under $50", + "non-alcoholic spirit under $40", + "monday bottle size of 750ml", + "non-alcoholic spirit monday company", + "non-alcoholic spirit by monday", + "non-alcoholic spirit, monday", + "non-alcoholic spirit by monday company", + "non-alcoholic spirit monday bottle size" + ], + "i am looking for a 48 piece nautical themed cupcake toppers for a birthday party.": [ + "nautical themed cupcake toppers for a baby shower", + "48 piece nautical themed cupcake toppers for a baby shower", + "nautical themed cupcake toppers for a birthday party", + " 48 piece nautical themed cupcake toppers for a baby shower", + "50 piece nautical themed cupcake toppers for a baby shower", + "48 piece nautical themed cupcake toppers for a birthday party", + "24 piece nautical themed cupcake toppers for a baby shower", + " 48 piece nautical themed cupcake toppers for a birthday party", + "50 piece nautical themed cupcake toppers for a birthday party", + "gift cupcake toppers for a baby shower" + ], + "i am looking for a 2'6\" x 14' area rugs for living rooms.": [ + "26 x 14 area rugs for living rooms", + "28 x 14 area rugs for living rooms", + "27 x 14 area rugs for living rooms", + "23 x 14 area rugs for living rooms", + " 26 x 14 area rugs for living rooms", + "26 x 14 area rug for living rooms", + "25 x 14 area rugs for living rooms", + "26 x 14 rug for living rooms", + "28 x 14 area rug for living rooms", + "26 x 14 area rugs" + ], + "i'm looking for furnitures for kitchen dinning room the color need to buy pu-red brown.": [ + "pu-red brown furnitures for kitchen dinning room", + "pu-red dining room furnitures", + "pu-red brown furnitures", + "furnitures for kitchen dinning room the color pu-red", + "furnitures for kitchen dinning room pu-red brown", + "furnitures for kitchen dinning room pu-red brown", + " furnitures for kitchen dinning room the color pu-red brown", + "living room furnitures pu-red brown", + "pu-red brown dining room furnitures", + "furnitures for kitchen dinning room" + ], + "i want easy assemble non slip button tufted bar stool color velvet -white": [ + "easy assemble and buttoned bar stool color velvet -white", + "easy assemble non slip button tufted bar stool color", + "easy assemble velvet -white bar stool", + "easy assemble and price lower than 50.00 dollars", + "easy assemble non slip button tufted bar stool", + "easy assemble velvet button tufted bar stool color", + "easy assemble velvet button tufted bar stool color velvet", + "easy assemble velvet-white bar stool", + "easy assemble, velvet -white bar stool", + "easy assemble velvet -white bar stool easy assemble" + ], + "i would like a black bottle of nail polish with elastic bands.": [ + "black nail polish with elastic bands", + "nude polish with elastic bands", + "nail polish with elastic bands", + "black polish with elastic bands", + "nail polish elastic bands black", + "nails polish with elastic bands", + "nail polish elastic bands", + "lip polish with elastic bands", + "black nail polish", + "nude polish" + ], + "i am looking or grey throw for couch sofa with machine washable feature.": [ + "grey throw couch sofa with machine washable", + "grey throw sofa with machine washable", + "grey throw sofa with machine washable feature", + "grey throw couch sofa", + "grey throw couch sofa, machine washable", + "grey throw rug sofa with machine washable", + "grey throw for couch sofa", + "grey throw sofa with machine washable features", + "grey throw couch sofa machine washable", + "grey throw sofa, machine washable" + ], + "i would like a 8 pack of almond butter dates that are ready to eat.": [ + "almond butter dates that are ready to eat", + "almond butter dates", + "almond butter dates ready to eat", + "almond butter dates 8 pack", + "almond butter dates ready to eat 8 pack", + "8 pack of almond butter dates", + "almond butter dates 8 pack ready to eat", + "8 pack of almond butter dates ready to eat", + "almond butter dates, 8 pack", + "almond butter dates, ready to eat" + ], + "i am looking for a white coffee tables with nickel finish.": [ + "white coffee table nickel finish", + "white coffee tables nickel finish", + "white coffee table with nickel finish", + "white coffee tables with nickel finish", + "white coffee table nickel finish.", + "white coffee table nickel finish,", + "white coffee table, nickel finish", + "white coffee table nickel finish white", + " white coffee table nickel finish", + "white coffee table" + ], + "i need multicolored hair bands that are non toxic.": [ + "multicolored hair bands", + "multicolored hair bands non toxic", + "multicolored hair bands, non toxic", + "multicolored hair bands no toxic", + "multicolored hair bands non toxic.", + "multicolored hair bands under $50", + "multicolored hair bands under $40", + "multicolored hair band non toxic", + "multicolored hair band", + "multicolored hair bands under $60" + ], + "i'm looking for shoes for women's sandals and want to buy a black color.": [ + "shoes for womens sandals black", + "walking shoes for womens sandals black", + "womens sandals black", + "womens sandals in a black", + "womens sandals in black", + "shoes for womens sandals", + "shoes for womens", + "walking shoes black", + "walking shoes for womens", + "mens sandals black" + ], + "i'm looking for a slip resistant women clog with 9.5 in dark brown suede": [ + "slip resistant women clog with 9.5 in dark brown suede", + "slide resistant women clog with 9.5 in dark brown suede", + "slip resistant women clog 9.5 in dark brown suede", + "slipping resistant women clog with 9.5 in dark brown suede", + "slide resistant women clog 9.5 in dark brown suede", + "slipped resistant women clog with 9.5 in dark brown suede", + "sliding resistant women clog with 9.5 in dark brown suede", + "slay resistant women clog with 9.5 in dark brown suede", + "slog with 9.5 in dark brown suede", + "slip resistant women clog with 9.5" + ], + "i'm looking for modern design shoes with additional features.": [ + "modern design shoes with additional features", + "modern design shoes with additional features.", + "modern design shoes", + "Modern design shoes with additional features", + "modern design shoes, with additional features", + " modern design shoes with additional features", + " modern design shoes with additional features.", + "classic design shoes with additional features", + "Modern design shoes with additional features.", + "modern design shoes with additional features," + ], + "i need some grey and white, easy to clean collapsible storage bins in a four pack.": [ + "grey and white collapsible storage bins in a four pack", + "grey and white collapsible storage bins four pack", + "grey and white, easy to clean collapsible storage bins", + "grey and white collapsible storage bins 4 pack", + "grey and white collapsible storage bins", + "grey and white collapsible storage bins, four pack", + "grey and white collapsible storage bin in a four pack", + "grey and white collapsible storage bin four pack", + "grey and white collapsible storage bins under $40", + "grey and white collapsible storage bins, 4 pack" + ], + "i am looking for a long lasting hair extensions for natural hair. also choose 30# color and 14inch (pack 7) one.": [ + "hair extensions 30# color 14inch (pack 7)", + "hair extension 30# color 14inch (pack 7)", + "hair extensions for natural hair 30# color and 14inch (pack 7)", + "hair extensions 30# color and 14inch (pack 7)", + "long lasting hair extensions for natural hair under 30 dollars", + "long lasting hair extensions for natural hair with a color 14inch (pack 7)", + "hair extensions for natural hair 30# color and 14inch (pack 7) one", + "long lasting hair extensions for natural hair.", + "long lasting hair extensions for natural hair with a color 30#", + "hair extensions 30# color and 14inch (pack 7) one" + ], + "i'm looking for a hyaluronic acid eye cream for dark circles.": [ + "hyaluronic acid eye cream for dark circles", + "hyaluronic acid eye cream dark circles", + " hyaluronic acid eye cream for dark circles", + "hyaluronic acid eye cream for dark circles.", + "hyaluronic acid eye cream", + "syaluronic acid eye cream for dark circles", + " hyaluronic acid eye cream dark circles", + "hyaluronic acid eye cream dark circles", + "hyaluronic acid eye cream, dark circles", + " hyaluronic acid eye cream for dark circles." + ], + "i am looking for a c type super fast charger for my samsung galaxy s21 mobile": [ + "samsung galaxy s21 mobile charger", + "c charger for samsung galaxy s21 mobile", + "super fast charger samsung galaxy s21 mobile", + "c type super fast charger", + "c charger samsung galaxy s21 mobile", + "samsung galaxy s21 mobile", + "samsung galaxy s21 mobile charging", + "super fast charger samsung galaxy s21", + "super fast charger for samsung galaxy s21", + "usb-c charger" + ], + "i am looking for a rose gold cartridges & refills for hair salon": [ + "rose gold cartridges & refills for hair salon", + "rose gold cartridges and refills for hair salon", + "rose gold cartridges & refills hair salon", + "rose gold cartridges & refills", + "rose gold cartridge & refills for hair salon", + "rose gold cartridges, refills for hair salon", + "rose gold cartridge and refills for hair salon", + "rose gold cartridges and refills hair salon", + "rose gold cartridge refills for hair salon", + "rose gold cartridges & refills, hair salon" + ], + "i am interested in nut free bridal shower candy sticks, it should be low in calories and preferably be wrapped in individually.": [ + "bridal shower candy sticks that are low in calories and are wrapped in individually", + "natierra bridal shower candy sticks, low in calories and wrapped in individually", + "bridal shower candy sticks low in calories and wrapped in individually", + "bridal shower candy sticks, low in calories and wrapped in individually", + "bridal shower candy sticks, low in calories and preferably be wrapped in individually", + "nut free bridal shower candy sticks", + "nat free bridal shower candy sticks", + "natierra bridal shower candy sticks", + "natural bridal shower candy sticks", + "bridal shower candy sticks" + ], + "i need a 5ft black color high speed usb 3.0 extension cable, a-male to a-female for usb flash drive": [ + "5ft black high speed usb 3.0 extension cable", + "5ft black high speed usb 3.0 extension cable usb flash drive", + "5ft black usb flash drive", + "5ft black usb 3.0 extension cable", + "5ft black color high speed usb 3.0 extension cable", + "5ft black high speed usb 3.0 extension cable under $40", + "5ft black high speed usb 3.0 extension cable high speed", + "5ft high speed usb 3.0 extension cable", + "high speed usb 3.0 extension cable", + "5ft black" + ], + "i need eco friendly curtains that are 52\" by 45\"": [ + "eco friendly curtains 52 by 45", + "eco friendly curtains that are 52 by 45", + "eco friendly curtains, 52 by 45", + "eco friendly curtains", + "eco friendly curtains with 52 by 45", + "eco friendly curtains 52 by 45 eco friendly", + "eco friendly curtains for 52 by 45", + "eco friendly curtains which are 52 by 45", + "eco friendly curtains 52 x 45", + "eco friendly curtains in 52 by 45" + ], + "iam looking for a grey-grey tempered glass conversation sets": [ + "grey-grey tempered glass conversation sets", + "grey-grey tempered glass conversation set", + "greygrey tempered glass conversation sets", + "greygrey tempered glass conversation set", + "grey grey tempered glass conversation sets", + "grey andgrey tempered glass conversation sets", + "grey-grey tempered glass conversation setting", + "grey grey tempered glass conversation set", + "grey-grey tempered glass conversation", + "grey glass conversation set" + ], + "i am looking for a teeth whitening toothpaste.": [ + "teeth whitening toothpaste", + "toothpaste teeth whitening", + " teeth whitening toothpaste", + "toothpaste teeth whitening toothpaste", + "toothpaste teeth whitening teeth", + "teeth whitening toothpaste.", + "teeth whitening toothpaste no fluoride", + " teeth whitening toothpaste.", + "toothpaste no fluoride", + "toothpaste" + ], + "i am looking for 16 inch long synthetic hair extensions for women.": [ + "16 inch long synthetic hair extensions for women", + "16 inch long synthetic hair extensions", + "16 inch long synthetic hair extension for women", + "16 inch long synthetic hair extensions for women.", + "16 inch long synthetic hair extensions for women under $40", + "16 inch long synthetic hair extension", + "16 inch long synthetic hair extensions for women under $60", + "16 inch long synthetic hair extensions for women under $50", + "16 inch long synthetic hair extensions for women under 30 dollars", + "16 inch long synthetic hair extensions for women under 50 dollars" + ], + "i'm interested in one pack of 20-inch hair extensions that are easy to apply.": [ + "20-inch hair extensions", + "20-inch hair extensions easy to apply", + "20-inch hair extension", + "20-inch hair extension easy to apply", + "23 pack of 20-inch hair extensions", + "20 hair extensions that are easy to apply", + "20-inch hair extensions under $40", + "20 hair extensions easy to apply", + "20-inch hair extensions under $50", + "20 hair extensions" + ], + "i looking for a pepper flavor rich creamy protein serving 36 oz peanut": [ + "pomegranate flavor rich creamy protein", + "pepper flavor rich creamy protein serving 36 oz peanut", + "spray flavor rich creamy protein 36 oz peanut", + "pepper flavor rich creamy protein 36 oz peanut", + "ps flavor rich creamy protein 36 oz peanut", + "pep flavor rich creamy protein 36 oz peanut", + "rich creamy protein serving 36 oz peanut", + "spray flavor rich creamy protein 36 oz peanut flavor", + "pepper flavor rich creamy protein 36 oz peanut flavor", + "pep flavor rich creamy protein 36 oz peanut flavor" + ], + "i am searching for a leather sole sandals. also, choose the size 6 inches.": [ + " leather sole sandals in a size 6 inches", + " leather sole sandals size 6 inches", + "leather sole sandals size 6 inches", + "sneakers size 6 inches", + "slimming sandals size 6 inches", + " leather sole sandals in size 6 inches", + "slather sole sandals size 6 inches", + "leather sole sandals in size 6 inches", + "sneakers 6 inches", + "leather sole sandals in a size 6" + ], + "help me buy a fog colored shoe with arch support and rubber sole in 12 size.": [ + "fog colored shoe with arch support and rubber sole", + "fog colored shoe with arch support", + "fog colored shoe with arch support in 12 size", + "fog colored shoe with arch support and rubber sole 12", + "fog colored shoe with arch support, rubber sole", + "foot shoe with arch support and rubber sole in 12 size", + "fog colored shoe with arch support 12 size", + "fog colored shoe", + "fog colored shoe 12 size", + "og colored shoe with arch support" + ], + "i need natural hair wig in lighter red color": [ + "natural hair wig in lighter red", + "natural hair wig in lighter red color", + "natural hair wig lighter red", + "natural hair wig, lighter red", + "natural hair wig in a lighter red", + "natural hair wig that is lighter red", + "natural hair wig in lighter red colored", + "natural hair wig color lighter red", + "natural hair wig with lighter red color", + "natural hair wig" + ], + "i am looking for a black slip lasting walking shoes.": [ + "walking shoes black slip lasting", + "walking shoes black", + "walking shoes black slip lasting walking shoes", + "walking shoes that are black", + "walking shoes black slip lasting 5 ft", + "black slip lasting walking shoes", + "walking shoes black slip lasting 2 years", + "walking shoes", + "walking shoes in black", + "walking shoes, black" + ], + "i'm looking for hd tablets for style with keyboard-case and microsoft the color was black it was comes from long lasting.": [ + "hd tablets with keyboard-case and microsoft", + "hd tablets black long lasting", + "i hd tablets with keyboard-case and microsoft", + "hd tablets for style with keyboard-case", + "hd tablets with keyboard-case and microsoft black", + "hd tablets for style with keyboard case and microsoft", + "hd tablets for style with keyboard-case black", + "i hd tablets black long lasting", + "hd tablets with keyboard-case black", + "hd tablets with keyboard-case" + ], + "i would like a men's medium classic fit t-shirt in slate gray.": [ + "mens medium classic fit t-shirt in slate gray", + "mens medium t-shirt in slate gray", + "mens medium classic fit t-shirt", + "mens medium classic fit t-shirt, slate gray", + "mens medium modern fit t-shirt in slate gray", + "mens medium style fit t-shirt in slate gray", + "mens medium fit t-shirt in slate gray", + "mens t-shirt in slate gray", + "mens medium classic fit t-shirt slate gray", + "mens medium t-shirt" + ], + "i'm looking for a phocus caffeinated sparkling water .": [ + "phocus caffeinated sparkling water", + "pink pomegranate sparkling water", + "pink and pomegranate sparkling water", + "Phocus caffeinated sparkling water", + "phocus caffeinated sparkling water under $40", + "pink caffeinated sparkling water", + "phocus caffeinated sparkling water under $60", + "phocus caffeinated sparkling water under $50", + "pink, caffeinated sparkling water", + "toothpaste caffeinated sparkling water" + ], + "i'm looking for a cactus cupcake toppers for birthday party": [ + "cactus cupcake toppers for birthday party", + "cactus cupcake toppers for a baby shower", + "cactus cupcake toppers for baby shower", + "cupcake toppers for birthday party", + "cupcake toppers for a baby shower", + "cupcake toppers for baby shower", + "cactus cupcake toppers for a birthday party", + "cupcake toppers for a birthday party", + "a cactus cupcake toppers for birthday party", + "cactus cupcake toppers for bday party" + ], + "i'm looking for a rosehip seed oil for face and skin by kate blanc.": [ + "rosehip seed oil for face and skin by kate blanc", + "rosehip seed oil face and skin by kate blanc", + "rosehip seed oil for face skin by kate blanc", + "rosehip seed oil, face and skin by kate blanc", + "rosehip seed oil for face and skin kate blanc", + "rosehip seed oil for face and skin, kate blanc", + "rosehip seed oil in face and skin by kate blanc", + "rosehip seed oil with face and skin by kate blanc", + "rosehip seed oil face and skin by kate blanc.", + "rosehip seed oil for face and skin" + ], + "i need a easy to use plug and play, power amplifier with bluetooth connectivity.": [ + "easy to use plug and play power amplifier with bluetooth connectivity", + "easy to use plug and play power amplifier with bluetooth", + "easy to use plug and play, power amplifier with bluetooth", + "easy to use plug and play, bluetooth connectivity", + "easy to use plug and play, power amplifier", + "easy to use plug and play, bluetooth connectivity power amplifier", + "easy to use plug and play power amplifier", + "easy to use plug and play power amplifier bluetooth", + "easy to use plug and play bluetooth power amplifier", + "easy to use plug and play, bluetooth wireless power amplifier" + ], + "i'm shopping for memory foam slippers with a rubber sole in a moonlight blue colour.": [ + "memory foam slippers with a rubber sole", + "memory foam slippers moonlight blue", + "memory foam slippers in a moonlight blue", + "memory foam slippers with a rubber sole moonlight blue", + "memory foam slippers, moonlight blue", + "memory foam slippers that are moonlight blue", + "memory foam slippers in a moonlight blue colour", + "memory foam slippers with a rubber sole under $40", + "memory foam slippers with a rubber sole under $50", + "memory foam slippers with a rubber sole under $60" + ], + "i want a non slip futon mattress that is in 1.8x2m queen size.": [ + "non slip futon mattress queen size", + "1.8x2m queen size mattress", + "non slip futon mattress queen size.", + "non slip futon mattress, queen size", + "non slip futon mattress", + "1.8x2m queen size", + "1.8x2m queen size sleeping pad", + "1.8x2m queen size sleeping pillows", + "non slip futon mattress queen", + "non slip futon mattress king size" + ], + "i am looking for black color light weight long sleeve sweatshirts": [ + "black long sleeve sweatshirts", + "black sweatshirts", + "black sweatshirts long sleeve", + "black short sleeve sweatshirts", + "black sweatshirt long sleeve", + "black long sleeve sweatshirt", + "black sweatshirt", + "black sweatshirts long sleeves", + "black color long sleeve sweatshirt", + "black" + ], + "i need to buy a long sleeve sweatshirt in red. look for a size small.": [ + "long sleeve sweatshirt in red", + "red long sleeve sweatshirt in red", + "short sleeve sweatshirt in red", + "shortshirt in red size small", + "shortshirt in red", + "womens sweatshirt in red", + "large sweatshirt in red", + "shortshirt in red small", + "shoes small", + "shortshirt small" + ], + "i would like a blue nasal spray that is long lasting.": [ + "blue nasal spray long lasting", + "blue nasal spray that is long lasting", + "blue nasal spray long lasting.", + "blue nasal spray, long lasting", + "blue nasal spray", + "blue nasal spray which is long lasting", + "blue nasal spray long lasting,", + "blue nasal spray with long lasting", + "long lasting blue nasal spray", + "green nasal spray long lasting" + ], + "i want x- large tall machine wash short sleeve t- shirt for men color:ash plum 554/black": [ + "x- large tall machine wash short sleeve t- shirt in black", + "x- large tall machine wash short sleeve t- shirt", + "x- large tall machine wash short sleeve t- shirt for men colorash plum 554", + "x- large tall machine wash short sleeve t- shirt black", + "large tall machine wash short sleeve t- shirt for men color:ash plum 554", + "x- large tall machine wash short sleeve t- shirt for men color", + "x- large tall machine wash short sleeve t- shirt with men colorash plum 554", + "x- large tall machine wash short sleeve t- shirt under $50", + "x- large tall machine wash short sleeve t- shirt under $40", + "x- large tall machine wash short sleeve t- shirt for men color" + ], + "i am looking for a black winter warm fleece lined hiking boots": [ + "black winter warm fleece lined hiking boots", + "winter warm fleece lined hiking boots", + "black fleece lined hiking boots", + "black winter fleece lined hiking boots", + "blanket hiking boots black", + "blanket hiking boots", + "slimming boots black", + "black hiking boots", + "ps hiking boots black", + "sneakers black" + ], + "i am looking for a twin xl twin size mattresses.": [ + "twin xl twin size mattresses", + "twin xl twin bed mattresses", + "twin xl twin bed", + " twin xl twin size mattresses", + "dual xl twin size mattresses", + "twin xl mattresses", + "twin xl twin bed frame", + "twin xl twin bedding", + "twin xl twin mattress", + "twin xl twin bed mattress" + ], + "i am searching for a 4g lte signal booster. it should be easy to install.": [ + "4g lte signal booster", + "4g lte signal booster easy to install", + "4g lte signal booster that is easy to install", + "4g lte signal booster, easy to install", + "4g lte signal booster under $40", + "4g lte signal booster under $60", + "4g lte signal booster under $50", + "4g lte signal booster, easy to install,", + "4g lte signal booster under $120", + "industrial 4g lte signal booster" + ], + "i am looking for a easy to use and long lasting audio recorded it should be voice activated and have a date and time stamp option.": [ + "easy to use and long lasting audio recorded with date and time stamp", + "easy to use long lasting audio recorded with date and time stamp", + "easy to use long lasting audio recorded with a date and time stamp", + "easy to use and long lasting audio recorded", + "easy to use, long lasting audio recorded with date and time stamp", + "easy to use and long lasting audio recorded date and time stamp", + "easy to use audio recorded with date and time stamp", + "easy to use and long lasting audio recorded it should be voice activated", + "easy to use and long lasting audio recorded under $40", + "easy to use and long lasting audio recorded under $60" + ], + "i have an order for an android tablet 8 inches, 2gb ram, 32gb rom, quad core and in green color. i await your return.": [ + "8gb ram android tablet 8 inches in green", + "tablet 8gb ram in green", + "4gb ram android tablet 8 inches in green", + "2gb ram android tablet 8 inches in green", + "8gb ram android tablet 8 inches in green color", + "8gb ram android tablet 8 inches", + " android tablet 8 inches with a quad core in green", + "tablet 8gb ram in green color", + " android tablet 8 inches 2gb ram in green color", + " android tablet 8 inches 2gb ram in green" + ], + "i am looking for home theater projector with high resolution and 1080p hd": [ + "home theater projector high resolution and 1080p hd", + "home theater projector with high resolution 1080p hd", + "home theater projector with high resolution", + "home theater projector high resolution with 1080p hd", + "home theater projector high resolution 1080p hd", + "home theater projector that is high resolution and 1080p", + "home theater projector 1080p", + "home theater projector", + "home theater projector that is high resolution", + "home theater projector high resolution 1080p" + ], + "i need a pink desk with lamp. it should be height adjustable and have storage space.": [ + "pink desk with lamp height adjustable", + "pink desk with lamp", + "pink desk with lamp height adjustment", + "pink desk with lampheight adjustable", + "pink desk with lamp, height adjustable", + "pink desk with lamp with height adjustment", + "pink desk with lamp with height adjustable", + "pink desk with lamp. height adjustable", + "pink desk lamp height adjustable", + "pink desk lamp" + ], + "i am looking for hdmi cables high speed in 50 feet": [ + "hdmi cables high speed in 50 feet", + " hdmi cables high speed in 50 feet", + "hdmi cables high speed 50 feet", + "high speed hdmi cables in 50 feet", + "hdmi cables high speed in 50 feet", + "dhdmi cables high speed in 50 feet", + "homedmi cables high speed in 50 feet", + "tv cables high speed in 50 feet", + "hdmi cables high speed", + " hdmi cables high speed 50 feet" + ], + "i'm looking for plug play for camera electronics to the video and it will buy it.": [ + "plug play for camera electronics", + "plug play for camera electronics to the video", + "plug play camera electronics to the video", + "plug play camera electronics", + " plug play for camera electronics to the video", + "Plug play for camera electronics to the video", + " plug play for camera electronics", + "Plug play for camera electronics", + "plug play camera electronics for video", + "plug play video camera electronics" + ], + "i'm looking for dinning room for kitchen need to buy it.": [ + "dining room for kitchen", + "dining room dining room", + "dining room", + "duckning room for kitchen", + "dining room for kitchen,", + "dinning room for kitchen", + "i dinning room for kitchen", + "dual dining room for kitchen", + "dining room in kitchen", + "dining room kitchen" + ], + "i'm looking for electric kick scooter a water resistant.": [ + "electric kick scooter water resistant", + "electric kick scooter a water resistant", + "electric kick scooter that is water resistant", + "electric kick scooter, water resistant", + "electric kick scooter a water resistant.", + "electric kick scooter is water resistant", + "electric kick scooter water resistant.", + "electric kick scooter with water resistant", + "electric kick scooter waterproof", + "electric kick scooters water resistant" + ], + "i want a water proof upbright ac/dc adapter compatible with segway ninebot.": [ + "water proof upbright ac/dc adapter compatible with segway ninebot", + "water proof upbright ac/dc adapter compatible with segway 9bot", + "upbright ac/dc adapter compatible with segway ninebot", + "water proof upbright ac/dc adapter", + "an upbright ac/dc adapter compatible with segway ninebot", + "water proof upbright ac/dc adapter for segway ninebot", + "pink upbright ac/dc adapter compatible with segway ninebot", + "upbright ac/dc adapter compatible with segway 9bot", + "water proof upbright ac/dc adapter with segway ninebot", + "upbright ac/dc adapter compatible with segway ninebot." + ], + "i want a water resistant upbright ac/dc adapter compatible with segway ninebot.": [ + "upbright ac/dc adapter compatible with segway ninebot", + "an upbright ac/dc adapter compatible with segway ninebot", + "upbright ac/dc adapter compatible with segway 9bot", + "upbright ac/dc adapter compatible with segway ninebot.", + "water resistant upbright ac/dc adapter", + "womens ac/dc adapter compatible with segway ninebot", + "water resistant upbright ac/dc adapter for segway ninebot", + "ac/dc adapter compatible with segway ninebot", + "upbright ac/dc adapter", + "womens ac/dc adapter" + ], + "i'm looking for a remote control replacement for a blu-ray player that's compatible with bdp-s3700.": [ + "remote control replacement for a blu-ray player", + "remote control for blu-ray player bdp-s3700", + "remote control blu-ray player with bdp-s3700", + "remote control replacement for blu-ray player", + "remote control blu-ray player bdp-s3700", + "remote control for blu-ray player", + "remote control blu-ray player", + "remote control for a blu-ray player", + "remote control bdp-s3700", + "remote control" + ], + "i am looking for a remote control for my blu ray player.": [ + "remote control blu-ray player", + "remote control blu ray player", + "remote control for blu ray player", + "remote control for blu-ray player", + "remote control for my blu ray player", + "remote control for a blu ray player", + "remote control blu-ray player.", + "remote control for blu ray player.", + "remote control blu-ray player,", + "remote control of blu ray player" + ], + "i want to buy some cashew almond flavored chocolate covered gluten-free bars.": [ + "chocolate covered gluten-free bars", + "chocolate covered gluten-free bar", + "chocolate almond gluten free bar", + "cashew almond gluten free bar", + "cashew almond gluten free bars", + "chocolate almond gluten free bars", + "cashew almond flavored gluten-free bars", + "chocolate cashew almond gluten free bar", + "cashew almond flavored gluten-free bar", + "chocolate cashew almond gluten free bars" + ], + "find me a 2pcs of human hair with high quality in brown black color": [ + "2pcs of human hair", + "2pcs of human hair brown", + "2pcs of human hair in brown black", + "2pcs human hair brown", + "2pcs of human hair with high quality", + "2pcs of human hair in brown", + "2pcs human hair", + "human hair 2pcs brown", + "2pcs human hair in brown black", + "2pcs human hair in brown" + ], + "i'm looking for gluten free it has contains high protein.": [ + "gluten free it has contains high protein", + "gluten free gluten free dairy drink mix", + "gluten free gluten free drink mix", + "gluten free gluten free", + "gluten free dairy free drink mix", + "gluten free dairy free", + "gluten free dairy free dairy drink mix", + "gluten free gluten free dairy products", + "gluten free gluten free food drink mix", + "gluten free gluten free dairy free" + ], + "i am looking for a kiwi strawberry flavored sports drink with zero sugar.": [ + "kiwi strawberry flavored sports drink with zero sugar", + "kiwi strawberry flavored sports drink", + "kiwi strawberry flavored sports drink zero sugar", + "kiwi strawberry flavored sports drink no sugar", + "kiwi strawberry flavored sports drink that is zero sugar", + "kiwi strawberry flavored sports drink, zero sugar", + "kiwi strawberry flavored sports drink with zero sugar.", + "a kiwi strawberry flavored sports drink with zero sugar", + "keto strawberry flavored sports drink with zero sugar", + "kiwi strawberry flavored sports drink without sugar" + ], + "find me a plant based body scrub to remove dead skin and which contains argon oil in toasted coconut coffee scent.": [ + "plant based body scrub to remove dead skin and contains argon oil in toasted coconut coffee scent", + "plant based body scrub to remove dead skin with argon oil in toasted coconut coffee scent", + "plant based body scrub that removes dead skin and contains argon oil in toasted coconut coffee scent", + "plant based body scrub with argon oil in toasted coconut coffee scent", + "plant based body scrub, dead skin and which contains argon oil in toasted coconut coffee scent", + "plant based body scrub to remove dead skin which contains argon oil in toasted coconut coffee scent", + "plant based body scrub to remove dead skin and with argon oil in toasted coconut coffee scent", + "plant based body scrub that is plant based and contains argon oil in toasted coconut coffee scent", + "plant based body scrub to remove dead skin with argon oil and toasted coconut coffee scent", + "plant based body scrub to remove dead skin with argon oil" + ], + "i am searching for travel size quality fragrance oil for women, 0.34 ounce": [ + "travel size quality fragrance oil for women, 0.34 ounce", + "Travel size quality fragrance oil for women, 0.34 ounce", + " travel size quality fragrance oil for women, 0.34 ounce", + "travel size quality fragrance oil for women 0.34 ounce", + "Travel size quality fragrance oil for women 0.34 ounce", + "travel size quality fragrance oil for women 0.34 ounce", + " travel size quality fragrance oil for women 0.34 ounce", + "travel size quality fragrance oil for women", + "5.34 ounce travel size quality fragrance oil for women", + "vanity oil for women, 0.34 ounce" + ], + "i am looking for a travel size of quality fragrance oils in the scent named creed vanisia impression.": [ + "travel size of quality fragrance oils", + "travel size of quality fragrance oils scent named creed vanisia impression", + "travel size of quality fragrance oils, scent named creed vanisia", + "travel size of quality fragrance oils scent named creed vanisia", + "vanisia scent travel size", + "travel size of quality fragrance oils under $40", + "vanisia scent", + "temporary scent oils", + "pink scent", + "compact fragrance oils scent" + ], + "i am looking for long lasting women's fragrance oil of 0.34 ounce size.": [ + "womens fragrance oil of 0.34 ounce", + "womens fragrance oil 0.34 ounce", + "womens fragrance oil of 0.34 ounce size", + "long lasting womens fragrance oil of 0.34 ounce", + "womens fragrance oil, 0.34 ounce", + "womens fragrance oil 0.34 ounce size", + "womens fragrance oil 1.34 ounce", + "long lasting womens fragrance oil 0.34 ounce", + "womens fragrance oil 0.34 ounce", + "womens fragrance oil in 0.34 ounce" + ], + "i'm looking for a waterloo naturally flavored sparkling water.": [ + "waterloo naturally flavored sparkling water", + "i want a waterloo naturally flavored sparkling water.", + "waterloo natural flavored sparkling water", + "waterloo naturally flavored sparkling water.", + "waterloo naturally flavored sparkling water under $40", + "waterloo naturally flavored sparkling water under $50", + "waterloo naturally flavored sparkling water under $60", + "womens waterloo naturally flavored sparkling water", + "i waterloo naturally flavored sparkling water.", + "womens waterloo naturally flavored sparkling water." + ], + "i'm looking for king sized bed pillows that contains pink color.": [ + "king sized bed pillows pink", + "king sized bed pillows with pink color", + "king sized bed pillows in pink", + "king sized bed pillows that contains pink", + "king sized bed pillows, pink", + "king sized bed pillows in pink color", + "king sized bed pillows pink color", + "king sized bed pillows pink", + "king sized bed pillows that contain pink", + "king sized bed pillows with pink" + ], + "i'm looking for home decor products for living room and it can gives nice look.": [ + "home decor products for living room with a nice look", + "home decor products for living room", + "home decor products for living room with a nice look.", + "home decor products for living room that can gives nice look", + "home decor products for living room that have a nice look", + "home decor products for living room, with a nice look", + "home decor products living room with a nice look", + "home decor products for living room that are a nice look", + "home decor products living room", + "home decor products" + ], + "i'm looking for light weight headset it was outside of noise cancelling.": [ + "light weight headset it was outside of noise cancelling", + "light weight headset that is outside of noise cancelling", + "low weight headset it was outside of noise cancelling", + "light weight headset that was outside of noise cancelling", + "light weight headset, outside of noise cancelling", + "light weight headset, outside of noise cancelling", + "light weight headset no noise cancelling", + "light weight headset with noise cancelling", + "light weight headset", + "light weight headset" + ], + "i'm looking for birthday cakes with superhero theme that is perfect for kids' birthday party.": [ + "kids birthday cakes with superhero theme", + "birthday cakes with superhero theme", + "baby shower cakes with superhero theme", + "baby shower cake with superhero theme", + "baby shower with superhero theme", + "baby shower theme", + "baby shower cake superhero theme", + "baby shower cake superhero themed", + "baby shower themed with superhero", + "baby shower themed cakes" + ], + "i'm looking for cosmetic high quality accessories and it will use for cosmetic bags.": [ + "beauty high quality accessories for cosmetic bags", + "beauty high quality accessories", + " cosmetic high quality accessories for cosmetic bags", + "plastic high quality accessories for cosmetic bags", + " cosmetic high quality accessories", + "beautiful high quality accessories for cosmetic bags", + " cosmetic high quality accessories for cosmetic bags.", + "beauty high quality accessories for cosmetic bags.", + "pink cosmetic high quality accessories for cosmetic bags", + "plastic high quality accessories for cosmetic bags." + ], + "i would like to buy a wallet case for my samsung s21 phone. i would like it to support wireless charging and in the color brown": [ + "pocket case for samsung s21 phone in the color brown", + "samsung s21 phone wallet case in the color brown", + "pocket case samsung s21 phone in the color brown", + "wallet case for samsung s21 phone in the color brown", + "pocket case for samsung s21 phone", + "pocket case for samsung s21 phone with wireless charging", + "a wallet case for samsung s21 phone with wireless charging", + "samsung s21 wallet case in the color brown", + "pocket case samsung s21 phone with wireless charging", + "a wallet case for samsung s21 phone" + ], + "i'm looking for grocery for fat free.": [ + "grocery for fat free", + "gift for fat free", + "grocery fat free", + "grocery for fat free.", + "gift for fat free.", + "gluten free grocery for fat free", + "gift for fat free groceries", + "gift store fat free", + "gift shop fat free", + "grocery for fat free groceries" + ], + "a men's closed toe rubber sole sandle size:11": [ + "mens closed toe rubber sole sandle size:11", + "mens closed toe rubber sole sandle size 11", + "mens closed toe rubber sole sandle size", + "mens closed toe rubber sole sandle size:11", + "mens closed toe rubber sole sandle size 9", + "mens closed toe rubber sole sandle size: 11", + "mens closed toe rubber sole sandle", + "mens closed toe rubber sole sandle size 9.5", + "mens closed toe rubber sole sandle size 11 mens", + "mens closed toe rubber sole sandle size 11" + ], + "i am looking for skin care in hyaluronic acid": [ + "skin care in hyaluronic acid", + "skin care hyaluronic acid", + "jeans care in hyaluronic acid", + "skin care with hyaluronic acid", + "honey care in hyaluronic acid", + "skin care hyaluronic acid under $40", + "skin care hyaluronic acid under $50", + "Skin care in hyaluronic acid", + "skin care hyaluronic acid below $40", + "skin care" + ], + "i looking flavor syrups french vanilla flavour bpa free non gmo gluten free size 33.8 fl oz": [ + " flavor syrups bpa free non gmo gluten free 33.8 fl oz", + " flavor syrups bpa free gluten free 33.8 fl oz", + " flavor syrups bpa free non gmo gluten free 33.8 fl oz flavor", + " flavor syrups french vanilla flavour 33.8 fl oz", + " flavor syrups bpa free non gmo gluten free 32.8 fl oz", + " flavor syrups bpa free non gmo gluten free size 33.8 fl oz", + "faux vanilla flavour 33.8 fl oz", + "i looking flavor syrups french vanilla flavour 33.8 fl oz", + "stainless vanilla flavour 33.8 fl oz", + " flavor syrups bpa free non gmo gluten free" + ], + "i'm looking for a hot sauce gift set with the flavor lazy ass.": [ + "hot sauce gift set with the flavor lazy ass", + "hot sauce gift set", + "hot sauce gift set, the flavor lazy ass", + "hot sauce gift set in the flavor lazy ass", + "hot sauce gift set that is lazy ass", + "hot sauce gift set with the flavor lazy butt", + "hot sauce gift set with a flavor lazy ass", + "hot sauce gift set, flavor lazy ass", + "hot sauce gift set the flavor lazy ass", + "hot sauce gift set for lazy ass" + ], + "i am looking for a perfect valentine gifting cake containing natural holiday flavor ingredients in 48 count size.": [ + "valentine gifting cake containing natural holiday flavor ingredients 48 count size", + "a perfect valentine gifting cake containing natural holiday flavor ingredients 48 count size", + "Valentine gifting cake containing natural holiday flavor ingredients 48 count size", + "valentine gifting cake containing natural holiday flavor ingredients in 48 count size", + "pink valentine gifting cake containing natural holiday flavor ingredients 48 count size", + "Valentine gifting cake containing natural holiday flavor ingredients in 48 count size", + "a perfect valentine gifting cake containing natural holiday flavor ingredients in 48 count", + "a perfect valentine gifting cake containing natural holiday flavor ingredients 48 count", + "valentine gifting cake containing natural holiday flavor ingredients in 48 count size.", + "alarm cake 48 count" + ], + "i'm looking for buy a binocular for bird watching.": [ + " binocular for bird watching", + " binocular for bird watching.", + " binocular bird watching", + "binocular for bird watching", + " binocular binocular for bird watching", + " binocular bird watching.", + "b binocular for bird watching", + "binocular for bird watching", + "a binocular for bird watching", + "a binocular for bird watching." + ], + "i need super king plus 120x120 (3pc duvet set) silver color silk decorative super soft pillow covers": [ + "super king plus 120x120", + "super king plus 120x120 pillow covers", + "super king plus 120x120 pillow covers silver", + "super king plus 120x120 plush rug", + "super king plus 120x120 pillow cover silver", + "super king plus 120x120 pillow cover", + "super king plus 120x120 plush pillow covers", + "super king plus 120x120 blankets", + "super king plus 120x120 pillow covers silver color", + "super king plus 120x120 plush pillow covers silver" + ], + "i want silver and super soft european pillow shams.": [ + "silver and super soft european pillow shams", + "silver super soft european pillow shams", + "silver and super soft european pillow shams.", + "silver and super soft european pillow shams,", + "pink and super soft european pillow shams", + "silver soft european pillow shams", + "silver super soft european pillow shams.", + "silver, super soft european pillow shams", + "plastic soft european pillow shams", + "silver ultra soft european pillow shams" + ], + "i want anti slip tennis shoes with rubber soles in size 13. it is for a man.": [ + "anti slip tennis shoes with rubber soles in size 13", + "anti slip tennis shoes", + "anti slip tennis shoes size 13", + "anti slip tennis shoes with rubber soles size 13", + "anti slip tennis shoes, size 13, for a woman", + "anti slip tennis shoes, size 13, for a man", + "anti slip tennis shoes with rubber soles 13", + "anti slip tennis shoes with rubber soles", + "anti slip tennis shoes in size 13", + "anti slip tennis shoes, size 13" + ], + "i am looking for oil free toner": [ + "oil free toner", + "oil free toner oil free", + "oil free toner that is oil free", + "oil free toner under $40", + "oil free toner for oil free", + "oil free toner under $60", + "oil free toner under $50", + "an oil free toner", + "oil free toner oil-free", + "Oil free toner" + ], + "i am looking for multi purpose for face in charcoal": [ + "multi purpose for face in charcoal", + "dual purpose for face in charcoal", + " multi purpose for face in charcoal", + "Multi purpose for face in charcoal", + "m multi purpose for face in charcoal", + "mult purpose for face in charcoal", + "multi purpose charcoal face in charcoal", + "multi purpose face in charcoal", + "moisturizing charcoal multi purpose", + "multi purpose charcoal" + ], + "i need a pair of black eyebrow trimmers.": [ + "black eyebrow trimmers", + "a pair of black eyebrow trimmers", + "black eyebrow trimmers.", + "black eyebrow trimmers under $50", + "black eyebrow trimmers under $40", + "two black eyebrow trimmers", + "black eyebrow trimmers that are black", + "pair of black eyebrow trimmers", + "black eyebrow trimmers under $60", + "black eyebrow trimmers under 50 dollars" + ], + "i'm looking for a fruit snacks that is free from gluten and fat, also made of real fruits.": [ + "fruit snacks free from gluten and fat", + "fruit snacks made from gluten and fat", + "fruit snacks made from real fruits", + "fruit snacks made of real fruits", + "fruit snacks no gluten and fat", + "free from gluten and fat fruit snacks", + "fruit snacks made from gluten free", + "fruit snacks natural no gluten and fat", + "fruit snacks gluten free", + "fruit snacks" + ], + "i am looking for relaxed fit women clogs of size 13.": [ + "a relaxed fit women clogs of size 13", + "comfortable fit women clogs of size 13", + " relaxed fit women clogs of size 13", + "sheen fit women clogs of size 13", + "comfortable fit women clogs size 13", + "easy fit women clogs of size 13", + " relaxed fit women clogs of size 13.", + "a woman clogs of size 13", + "a relaxed fit women clogs size 13", + "clogs of size 13 relaxed fit" + ], + "i want to buy a bundle of peanut butter cups for valentine day.": [ + "pomegranate butter cups valentine day", + "pomegranate butter cups for valentine day", + "pack of peanut butter cups for valentine day", + "pack of peanut butter cups valentine day", + "bag of peanut butter cups for valentine day", + "pink peanut butter cups valentine day", + "bag of peanut butter cups valentine day", + "pink peanut butter cups for valentine day", + "pack of peanut butter cups for valentine day.", + "pomegranate butter cups valentine day." + ], + "i need butt lifting yoga pants that also has a high waist. pick a blue one.": [ + "butt lifting yoga pants blue", + "butt lifting yoga pants that are high waist", + "butt lifting yoga pants high waist blue", + "butt lifting yoga pants with a high waist", + "butt lifting yoga pants with high waist", + "butt lifting yoga pants with high waist blue", + "butt lifting yoga pants blue high waist", + "butt lifting yoga pants high waist", + "butt lifting yoga pants that are blue", + "butt lifting yoga pants" + ], + "i need some baby food that is non gmo and has no artificial flavors.": [ + "baby food non gmo natural", + "baby food non-gmo natural", + "baby food non gmo", + "baby food non gmo no artificial", + "baby food non-gmo", + "baby food non gmo artificial", + "baby food non-gmo artificial", + "baby food no artificial", + "baby food natural", + "baby food natural no artificial" + ], + "i'm looking for wireless bluetooth and it will easy to use.": [ + "easy to use wireless bluetooth", + "womens wireless bluetooth", + "wireless bluetooth wireless bluetooth", + "easy to use wireless bluetooth phone", + "easy to use wireless bluetooth wireless", + "wireless bluetooth bluetooth", + "wireless bluetooth wireless", + "wireless bluetooth", + "womens wireless bluetooth wireless", + "phone bluetooth" + ], + "i looking heathers cotton machine wash men's classic fit x-large heater grey color t-shirt": [ + "womens classic fit x-large heater grey color t-shirt", + " heathers cotton machine wash mens classic fit x-large heater grey color t-shirt", + "heathers cotton machine wash mens classic fit x-large heater grey color t-shirt", + "womens classic fit x-large heater grey t-shirt", + "womens classic fit x-large heater grey color t-shirt heathers", + "womens classic fit x-large heater grey t-shirt heathers", + "t-shirt heathers x-large heater grey", + "i looking heathers cotton machine wash mens classic fit t-shirt under 50 dollars", + "classic fit x-large heater grey t-shirt heathers", + "t-shirt x-large heater grey" + ], + "i am looking for 4g lte android phone. please choose silver color.": [ + "4g lte android phone silver", + "4g lte android phone in silver", + "4g lte android phone", + "4g lte android phone, silver", + "4g lte android phone. silver", + "4g lte android phone color", + "4g lte android phone black", + "4g lte android phone with silver", + "large silver android phone", + "industrial phone silver" + ], + "i am looking for a tempered glass of basic cases for iphone 11 pro": [ + "tempered glass iphone 11 pro", + "tempered glass case for iphone 11 pro", + "tempered glass of iphone 11 pro", + "tempered glass for iphone 11 pro", + "tempered glass case iphone 11 pro", + "tempered glass of basic cases", + "tempered glass iphone 11 pro case", + "tempered glass of basic cases iphone 11", + "tempered glass of basic case iphone 11", + "tempered glass" + ], + "help me purchase black wireless headphones with high definition audio and quality stereo sound.": [ + "black wireless headphones with high definition audio quality", + "black wireless headphones with high definition audio", + "black wireless headphones", + "black wireless headphones high definition audio quality", + "black wireless headphones high definition audio", + "black wireless headphones high definition audio and quality", + "high definition audio and quality stereo sound", + "white wireless headphones with high definition audio", + "black wireless headphones high definition", + "white wireless headphones" + ], + "i'm looking for a light weight backdrop with high resolution image for digital photography. also, choose 7*5 ft one.": [ + "light weight backdrop for digital photography", + "light weight backdrop digital photography 7*5 ft", + "light weight backdrop with high resolution image", + "light weight backdrop with high resolution image digital photography", + "light weight backdrop photography 7*5 ft", + "light weight backdrop with high resolution digital photography", + "light weight backdrop for digital photography.", + "light weight backdrop", + "7*5 ft backdrop", + "light weight backdrop digital photography" + ], + "i need a valentine's day candy box": [ + "valentines day candy box", + " valentines day candy box", + "Valentines day candy box", + "a valentines day candy box", + "valentines day candy box under $40", + "valentines day candy box under $50", + "valentines day candy box under 50 dollars", + "alarm candy box valentines day", + "valentines day candy box under $60", + "variety candy box valentines day" + ], + "find me a makeup case for travel, need to be easy to carry and choose the marble black color": [ + "pink makeup case for travel", + "beauty case for travel, marble black", + "beauty case for travel marble black", + "mushroom case for travel", + "easy to carry marble black makeup case", + "plastic black makeup case for travel", + "mushroom case for travel marble black", + "moisturizing case for travel", + "mashable black makeup case", + "beauty case for travel" + ], + "i want high quality hair extensions that is 26 inches long.": [ + "hair extensions 26 inches long", + "hair extension 26 inches long", + "hair extensions that is 26 inches long", + "high quality hair extensions 26 inches long", + "hair extension that is 26 inches long", + "hair extensions 26 inches long high quality", + "high quality hair extension 26 inches long", + "hair extensions 25 inches long", + "hair extension 26 inches long high quality", + "hair extensions 26 inches long." + ], + "i am looking for sandy blonde extensions for my hair that are 24 inches long.": [ + " sandy blonde extensions for my hair 24 inches long", + "synthetic blonde extensions 24 inches long", + "soy blonde extensions for my hair 24 inches long", + "soy blonde extensions 24 inches long", + " sandy blonde extensions 24 inches long", + "sneaky blonde extensions 24 inches long", + "synthetic blonde extension 24 inches long", + " sandy blonde extensions for my hair 24 inches long.", + "synthetic blonde extensions", + " sandy blonde extensions" + ], + "women's slip on sneakers that size 5.5": [ + "womens slip on sneakers that size 5.5", + "womens slip on sneakers size 5.5", + "womens slip on sneakers", + "womens slip on sneakers, size 5.5", + "womens slip on sneakers that are 5.5", + "womens slip on sneakers in size 5.5", + "womens slip on sneakers 5.5", + "womens slip on sneakers small 5.5", + "womens slip on sneakers for size 5.5", + "size 5.5 sneakers" + ], + "i am looking for high definition and clear tempered glass for iphone.": [ + "high definition and clear tempered glass for iphone", + "high definition and clear tempered glass iphone", + "high definition and clear tempered glass iphone.", + "high definition and clear tempered glass iphone case", + "high definition clear tempered glass for iphone", + "high definition clear tempered glass for iphone.", + "high definition clear tempered glass iphone", + "high definition and clear tempered glass", + "high definition glass for iphone", + "high definition glass iphone" + ], + "i am looking for a low sugar, non gmo seaweed snacks of 1.13 ounce (pack of 6) size.": [ + "low sugar, non gmo seaweed snacks of 1.13 ounce (pack of 6)", + "low sugar, non gmo seaweed snacks of 1.13 ounce (pack of 6) size", + "low sugar, non gmo seaweed snacks of 1.13 ounce (pack of 6)", + "low sugar, non gmo seaweed snacks", + "low sugar, non gmo seaweed snacks 1.13 ounce (pack of 6)", + "low sugar non gmo seaweed snacks of 1.13 ounce (pack of 6) size", + "low sugar, non gmo seaweed snacks of 1.13 ounce (pack of 6),", + "low sugar, non gmo seaweed snacks of a 1.13 ounce (pack of 6)", + "low sugar non gmo seaweed snacks of 1.13 ounce (pack of 6)", + "low sugar, non gmo seaweed snacks 1.13 ounce (pack of 6)" + ], + "i am looking for long lasting high definition dark cocoa concealer for dark circles coverage.": [ + "dark cocoa concealer for dark circles coverage", + "dark cocoa concealer for dark circles", + "dark cocoa concealer dark circles coverage", + "dark cocoa concealer with dark circles coverage", + "dark cocoa concealer dark circles", + "dark circles concealer long lasting high definition", + "dark chocolate concealer for dark circles coverage", + "dark cocoa concealer", + "dark circles concealer long lasting", + "dark cocoa concealer long lasting" + ], + "i'm looking for steel toes shoes for construction working the color was black.": [ + "steel toes shoes for construction", + "steel toe shoes for construction", + "steel toes shoes", + "steel toes shoes for construction working", + "steel toes shoes for construction white", + "steel toes shoes that are black", + "steel toes shoes for construction work", + "steel toes shoes black", + "steel toe shoes", + "steel toe shoes black" + ], + "i'm looking for a perfect gifts that contains high protein preferably nuts . also choose a pack of 4 weights 7 ounce with savory flavored one.": [ + "barbecue flavored nuts pack of 4 weights 7 ounce", + "pack of 4 weights 7 ounce savory flavored gifts", + "pack of 4 weights 7 ounce savory flavored one", + "pack of 4 weights 7 ounce savory flavored gift", + "pack of 4 weights 7 ounce savory flavored nuts", + "perfect gifts that contains high protein preferably nuts", + "high protein nuts pack of 4 weights 7 ounce", + "barbecue flavored nuts pack of 4", + "4 pack of high protein nuts 7 ounce", + "4 pack of high protein nuts" + ], + "i'm looking for finepix 14 mp digital camera with optical zoom len, also purple one.": [ + "finepix 14 mp digital camera with optical zoom len", + "finepix 14 mp digital camera with optical zoom len, purple", + "finepix 14 mp digital camera with optical zoom len,", + "finepix 14 mp digital camera with optical zoom len in purple", + "finepix 14 mp digital camera", + "finepix 14 mp digital camera with optical zoom len color", + "finepix 14 mp digital camera with optical zoom", + "finepix 14mp digital camera with optical zoom len", + "finepix 14 mp digital camera that is purple", + "finepix 14 mp digital camera, purple" + ], + "i'm looking for a medium floral long sleeve shirt in purple": [ + "medium floral long sleeve shirt in purple", + "medium floral long sleeve shirt", + "large floral long sleeve shirt in purple", + "medium floral long sleeves shirt in purple", + "medium floral t-shirt in purple", + "medium floral long sleeve shirt, purple", + "medium floral long sleeve shirt under $40", + "medium floral long sleeve shirt under $50", + "medium floral long sleeve shirt in purple,", + "small floral long sleeve shirt in purple" + ], + "i am looking for individually wrapped cakes for a birthday party.": [ + " individually wrapped cakes for a baby shower", + " individually wrapped cakes for a birthday party", + " individually wrapped cakes for a birthday party.", + "packaged cakes for a baby shower", + "packaged cakes for a birthday party", + "8 individually wrapped cakes for a baby shower", + "single wrapped cakes for a baby shower", + " individually wrapped cakes for a baby shower.", + "manual wrapped cakes for a baby shower", + "packet wrapped cakes for a baby shower" + ], + "i am looking for a gluten free musk melon drink.": [ + "muskmelon drink gluten free", + "muskmelon gluten free", + "muskmelon drink that is gluten free", + "muskmelon drink", + "gluten free musk melon drink", + "muskmelon drink, gluten free", + "muskmelon drink no gluten", + "muskmelon drink gluten-free", + "muskmelon drink with gluten free", + "muskmelon" + ], + "i am looking for ladies large size black06 colored jeans with straight leg fit.": [ + "womens large size black06 colored jeans", + "large size black06 colored jeans", + "woman large size black06 colored jeans", + "black06 colored jeans with straight leg fit", + "bagel large size black06 colored jeans", + "ladies large size black06 colored jeans", + "large black06 colored jeans with straight leg fit", + "bagels large size black06 colored jeans", + "lens large size black06 colored jeans", + "large size black06 colored jeans straight leg fit" + ], + "i am looking for a leakproof travel bottle . and i choose the one with keychain": [ + "leakproof travel bottle", + "leakproof travel bottle with keychain", + "leepproof travel bottle", + "leepproof travel bottle with keychain", + "leekproof travel bottle", + "leekproof travel bottle with keychain", + "leaksproof travel bottle", + "leaksproof travel bottle with keychain", + "leakyproof travel bottle with keychain", + "leakyproof travel bottle" + ], + "order for me cupcake toppers decorations for celebrating a baby shower.": [ + "cupcake toppers decorations for a baby shower", + "cupcake toppers for a baby shower", + "cupcake toppers for baby shower", + "cupcake toppers decorations for baby shower", + "cupcake toppers for a baby shower.", + "cupcake toppers decor for a baby shower", + "cupcake toppers decorations for baby shower.", + "cupcake toppers decorations for an baby shower", + "cupcake toppers for baby shower.", + "cupcake toppers dancing baby shower" + ], + "i am looking for a 10.5 size non slip flip-flops": [ + "10.5 size non slip flip-flops", + "10.5 non slip flip-flops", + "10.5 small non slip flip-flops", + "10.5 ft non slip flip-flops", + "10.5 flip-flops", + "10.5 in non slip flip-flops", + "10.5 size non slip flip flops", + "10.5 x flip-flops", + "non slip flip-flops 10.5", + "10.5" + ], + "metal pendant light that is height adjustable also choose in metal": [ + "metal pendant light that is height adjustable", + "metal pendant light", + "metal pendant light height adjustable", + "metal pendant light, height adjustable", + "metal pendant light with height adjustable", + "metal pendant light with height adjustment", + "metal pendant light height adjustable metal", + "metal pendant light height adjustable in metal", + "metal pendant light that is height adjustment", + "metal pendant light weight adjustable" + ], + "i'm looking for women's clothing for classic fit and needle fit.": [ + "womens clothing for classic fit and needle fit", + "womens clothing for classic fit", + "womens clothing for classic fit needle fit", + "womens clothing classic fit and needle fit", + "womens clothing, classic fit and needle fit", + "womens clothing for classic fit, needle fit", + "womens clothing for classic fit with needle fit", + "womens clothing with classic fit and needle fit", + "womens clothing", + "womens clothing classic fit" + ], + "i want sweet and salty mini popcorn balls that are nut and gluten free.": [ + "sweet and salty mini popcorn balls nut and gluten free", + "salty mini popcorn balls that are nut and gluten free", + "sugar and salty mini popcorn balls nut and gluten free", + "sugar and salty mini popcorn balls", + "sweet and salty mini popcorn balls, nut and gluten free", + "sweet and salty mini popcorn balls", + "taco balls that are nut and gluten free", + "taco balls nut and gluten free", + "sweet and salty mini popcorn balls that are nut free", + "sweet and salty mini popcorn balls with nut and gluten free" + ], + "i am looking for silver cupcake toppers for baby shower birthday party.": [ + "silver cupcake toppers for baby shower", + "silver cupcake toppers baby shower", + "cupcake toppers for baby shower", + "pink cupcake toppers for baby shower", + "plastic cupcake toppers for baby shower", + "cupcake toppers for baby shower birthday party", + "cupcake toppers baby shower", + "silver cupcake toppers baby shower birthday party", + "pink cupcake toppers baby shower", + "silver cupcake toppers baby shower baby shower" + ], + "i'm looking for a meals with zero added sugar and also free from gluten and bpa. also, choose applesauce flavored one.": [ + "mens with zero added sugar and also free from gluten and bpa", + "meals with zero added sugar and also free from gluten and bpa", + "packet with zero added sugar and also free from gluten and bpa", + "mens with zero sugar and also free from gluten and bpa", + "mens no sugar and applesauce flavored", + "mens no sugar and gluten and bpa", + "mens with zero added sugar and also gluten and bpa", + "gluten free applesauce flavored meal", + "gluten free applesauce flavored one", + "moisturizing meals with zero added sugar" + ], + "i am looking for permanent hair color with color 5.12": [ + "pink permanent hair color 5.12", + "permanent hair color with color 5.12", + "permanent hair color 5.12", + "pink hair color with color 5.12", + "pink human hair color 5.12", + "pink permanent hair color", + "pink hair color 5.12", + "temporary hair color 5.12", + "pink hair color", + "pink human hair color 5.12 color" + ], + "i would like to order a pink harajuku 3x-large unisex printed hoodie that is made of polyester cotton.": [ + "pink harajuku hoodie", + "pink harajuku hoodie", + "pink hoodie made from polyester cotton", + "pink hoodie made of polyester cotton", + "pink hobo hoodie made of polyester cotton", + "3xl unisex printed hoodie", + "pink harajuku hoodie made of polyester", + "pink hobo hoodie made of polyester", + "pink pink harajuku hoodie", + "pink hobo hoodie" + ], + "i am looking for high speed hdmi cable male to male .": [ + "high speed hdmi cable male to male", + "tv hdmi cable male to male", + "low speed hdmi cable male to male", + "hdmi cable male to male", + "tv hdmi cable male to male high speed", + "tv high speed hdmi cable male to male", + "hdmi cable male to male", + "tv dmi cable male to male", + "hdmi cable male to male high speed", + "gmo cable male to male" + ], + "i am looking for a 5 pack of 12 foot gold plated hdmi cables.": [ + "5 pack of 12 foot gold plated hdmi cables", + "5 pack gold plated hdmi cables", + "5 pack of gold plated hdmi cables", + "6 pack of 12 foot gold plated hdmi cables", + "5 pack of 12 foot gold plated hdmi cable", + "pack of 12 foot gold plated hdmi cables", + "12 pack gold plated hdmi cables", + "6 pack gold plated hdmi cables", + "gold plated hdmi cables", + "5 pack gold plated hdmi cables under $50" + ], + "i would like a old version of a 3 count ultra light sun blonde hair dye.": [ + "3 count ultra light sun blonde hair dye", + "3 count ultra light sun blonde wig dye", + "3 count ultra light sun blonde hair dye.", + "5 count ultra light sun blonde hair dye", + "3 count ultra light sun blonde hair dye under $40", + "3 count ultra light sun blonde hair dye under $50", + "4 count ultra light sun blonde hair dye", + "3 count ultra light sun blonde hair dye under $60", + "2 count ultra light sun blonde hair dye", + "3 count ultra light sun blonde hair dye that is old" + ], + "i am looking for a long lasting permanent hair dye in light auburn color.": [ + "hair dye in light auburn", + "permanent hair dye in light auburn", + "long lasting permanent hair dye light auburn", + "light auburn hair dye", + "hair dye in light auburn color", + "long lasting permanent hair dye in auburn", + "auburn hair dye", + "auburn hair dye long lasting", + "dark auburn hair dye", + "light auburn hair dye long lasting" + ], + "i'm looking for a permanent hair dye with keratin in the brand of revlon.": [ + "permanent hair dye with keratin", + "pink hair dye with keratin", + "temporary hair dye with keratin", + "permanent hair dye with keratin under $40", + "pink permanent hair dye with keratin", + "permanent hair dye with keratin under $60", + "permanent hair dye with keratin under $50", + "pink human hair dye with keratin", + "temporary hair dye with keratin under $40", + "pink hair dye" + ], + "i am looking for an intel quad core i5 tower pc with windows 10 pro.": [ + "intel quad core i5 tower pc with windows 10 pro", + "intel quad core i5 tower pc with windows 10", + "intel quad core i5 tower pc", + "intel quad core i5 tower pc with windows 10 pro.", + "intel quad core i5 tower pc with windows 10 pro,", + "quad core i5 tower pc with windows 10 pro", + " intel quad core i5 tower pc with windows 10 pro", + "intel quad core i5 tower pc with windows 10 pro intel", + "intel quad core i5 tower pc with windows 10,", + "intel quad core i5 tower pc windows 10 pro" + ], + "i want to find pink floral pillow covers for the pillows in my living room that are 22 inches by 22 inches.": [ + "pink floral pillow covers 22 inches by 22 inches", + "pink floral pillow covers for the pillows in my living room", + "pink floral pillow covers for living room 22 inches by 22 inches", + "pink floral pillows 22 inches by 22 inches", + "pink floral pillow cover for the pillows in my living room", + "pink floral pillow covers for pillows 22 inches by 22 inches", + "pink floral pillow cover 22 inches by 22 inches", + "pink floral pillow covers 23 inches by 22 inches", + "pink floral pillow covers for pillows in my living room", + "pink floral pillow covers" + ], + "i am looking for memory foam canvas slip in a black color size 14": [ + "memory foam canvas slip in black color", + "memory foam canvas slip size 14", + "memory foam canvas slip black", + "memory foam canvas slip in a black", + "memory foam canvas slip color 14", + "memory foam canvas slip that is black", + "memory foam canvas slip, black", + "memory foam canvas slip", + "memory foam canvas slip 14 black", + "memory foam canvas slip in black" + ], + "i am looking for cupcake toppers for baby shower birthday party.": [ + "cupcake toppers for baby shower", + "cupcake toppers for baby shower birthday party", + "cupcake toppers baby shower", + "baby shower cupcake toppers", + "cupcake toppers for baby shower baby shower", + "baby shower cupcake toppers for baby shower", + "baby shower cupcake toppers below $50", + "cupcake toppers baby shower baby shower", + "baby shower cupcake toppers below $40", + "curtcake toppers for baby shower" + ], + "i'm looking for a keto friendly sugar free chocolate syrup which should be fat and gluten free. also, choose a pack of 1 contains 25.4 fl oz with sugar free s'mores one.": [ + "keto friendly sugar free chocolate syrup 25.4 fl oz", + "keto friendly sugar free chocolate syrup pack 25.4 fl oz", + "keto friendly sugar free chocolate syrup pack of 1 contains 25.4 fl oz", + "keto friendly sugar free chocolate syrup pack of 25.4 fl oz", + "keto friendly sugar free chocolate syrup, 25.4 fl oz", + "keto friendly sugar free chocolate syrup", + "keto friendly sugar free chocolate syrup pack of 1 25.4 fl oz", + "keto friendly sugar free chocolate syrup pack of 1, 25.4 fl oz", + "keto friendly sugar free chocolate syrup that should be fat and gluten free", + "keto friendly sugar free chocolate syrup which should be fat and gluten free" + ], + "i'm looking for a pack of 4 in 25.4 ounce sugar and gluten free chocolate syrup": [ + "pack of 4 in 25.4 ounce sugar free chocolate syrup", + "pack of 4 sugar free chocolate syrup", + "4 in 25.4 ounce sugar and gluten free chocolate syrup", + "pack of 4 sugar and gluten free chocolate syrup", + "pack of 4 oz sugar and gluten free chocolate syrup", + "pack of 4 sugar free chocolate syrup 25.4 oz", + "pack of 4 in 25.4 ounce sugar and gluten free", + "pack of 4 in 25.4 ounce sugar", + "pack of 4 sugar free chocolate syrup 25.4 ounce pack", + "pack of 4 sugar free chocolate syrup 25.4 ounce" + ], + "i would like to buy a pink makeup brush that is high quality and easy to clean and carry.": [ + "pink makeup brush", + "pink makeup brush easy to clean and carry", + "pink makeup brush clean and carry", + "pink makeup brush that is high quality", + "pink makeup brush, clean and carry", + "pink makeup brush easy clean and carry", + "pink makeup brush that is clean and carry", + "pink makeup brush, clean and carry,", + "pink makeup brush high quality", + "beauty brush" + ], + "i would like a crimson brush set that is high quality.": [ + "high quality crimson brush set that is high quality", + "high quality crimson brush set", + "coffee brush set that is high quality", + "coffee brush set that is high quality.", + "low quality crimson brush set that is high quality", + "toothbrush set that is high quality", + "red wine brush set that is high quality", + "roof brush set that is high quality", + "coffee brush set high quality", + "roof brush set that is high quality." + ], + "i'm looking for kitchen curtains it easy to use for machinable washes.": [ + " kitchen curtains easy to use for machinable washes", + "easy to use kitchen curtains for machinable washes", + "gluten free kitchen curtains for machinable washes", + "machinable washes", + "living room curtains easy to use", + "gluten-free kitchen curtains", + "machinable washes kitchen curtains", + "gluten free kitchen curtains", + "easy to use kitchen curtains", + "living room curtains that are easy to use" + ], + "i'm looking for home audio that contain batteries included. it was blue in color.": [ + "blue home audio with batteries", + "home audio with batteries", + "home audio that contain batteries", + "blue home audio", + "home audio with batteries blue", + "green home audio with batteries", + "home audio blue", + "blue audio with batteries", + "blue home audio no batteries", + "blue audio" + ], + "i am looking for caffeine free organic tea flavored chocolate rooibos": [ + "coffee free organic tea flavored chocolate rooibos", + "caffe free organic tea flavored chocolate rooibos", + "eco-free organic tea flavored chocolate rooibos", + "eco free organic tea flavored chocolate rooibos", + " caffeine free organic tea flavored chocolate rooibos", + "caffeinated tea flavored chocolate rooibos", + "chocolate rooibos caffeine free", + "vegan tea flavored chocolate rooibos", + "tea flavored chocolate rooibos", + "chocolate rooibos" + ], + "i would like a a box of 18 bags of caffeine free green rooibos herbal tea": [ + "green rooibos herbal tea", + "caffeinated green rooibos herbal tea", + "green rooibos herbal tea box", + "eco-free green rooibos herbal tea", + "green rooibos herbal tea mix", + "green rooibos herbal tea under $50", + "green rooibos herbal tea under $60", + "green rooibos herbal tea under $40", + "green rooibos herbal tea a box", + "green rooibos herbal tea pack" + ], + "i would like a box of 18 de tress herbal tea bags that are individually wrapped.": [ + "18 de tress herbal tea bags individually wrapped", + "18 de tress herbal tea bags", + "18 de tress herbal tea bags, individually wrapped", + "18 de tress herbal tea bags under $50", + "18 de tress herbal tea bags under $60", + "18 de tress herbal tea bags in a box", + "18 de tress herbal tea bags under $40", + "18 herbal tea bags individually wrapped", + "18 herbal tea bags that are individually wrapped", + "18 tea bags individually wrapped" + ], + "i am looking for a 18 count (pack of 1) caffeine free herbal tea": [ + "18 count (pack of 1) caffeine free herbal tea", + "18 count (pack of 1) caffeine free herbal tea under $50", + "18 count (pack of 1) caffeine free herbal tea under $60", + "18 count (pack of 1) caffeine free herbal tea under $40", + "12 count (pack of 1) caffeine free herbal tea", + "18 count (pack of 1) caffeine free herbal tea 18 count", + "18 count (pack of 1) caffeine free herbal tea under 50 dollars", + "18 count (pack of 1) caffeine free herbal tea under 30 dollars", + "17 count (pack of 1) caffeine free herbal tea", + "18 count (pack of 1) caffeine free herbal tea under 40 dollars" + ], + "i'm looking for rubber stole shoes for light wearing it was brown in color": [ + "rubber stole shoes brown", + "rubber stole shoes", + "rubber stole shoes light wearing it", + "rubber stole shoes in brown", + "stainless shoes brown", + "rubber stole shoes for light walking", + "moisturizing shoes brown", + "rainbow shoes brown", + "rubber stole shoes light brown", + "brown rubber stole shoes" + ], + "i am looking a varity pack seafood tuna fish high protein gluten free non gmo bpa free size 4.25 ounce": [ + "varity pack seafood tuna fish high protein gluten free 4.25 ounce", + "varity pack seafood tuna fish high protein gluten free", + "varity pack seafood tuna fish gluten free 4.25 ounce", + "varity pack seafood tuna fish high protein gluten free bpa free", + "varity pack seafood tuna fish high protein gluten free 1.25 ounce", + "varity pack seafood tuna fish high protein gluten free 4.25 oz", + "varity pack seafood tuna fish high protein gluten free and bpa free", + "varity pack seafood tuna fish gluten free", + "varity pack seafood tuna fish", + "varity pack seafood fish high protein gluten free" + ], + "i am looking for a 46\" x 16\" x 25\" vanities & vanity benches for living rooms.": [ + "45 x 16 x 25 vanities & vanity benches for living rooms", + "46 x 16 x 25 vanities & vanity benches for living rooms", + "45 x 16 x 25 vanities & vanity benches", + "43 x 16 x 25 vanities & vanity benches for living rooms", + "46 x 16 x 25 vanities & vanity benches", + "45 x 16 x 25 vanities & vanity benches for living rooms.", + "46 x 16 x 25 vanities & vanity benches for living rooms.", + " 46 x 16 x 25 vanities & vanity benches for living rooms", + "45 x 16 x 25 vanities and vanity benches for living rooms", + "an 11 x 16 x 25 vanities & vanity benches for living rooms" + ], + "i'm looking for furniture in engineered wood for living room and it was in white in color.": [ + "engineered wood for living room white", + "engineered wood for living room in white", + "engineered wood for living room", + "engineered wood living room white", + "wood furniture in engineered wood for living room", + "wood furniture in engineered wood living room white", + "living room furniture in white", + "engineered wood for living room, white", + "engineered wood for living room color", + "living room furniture in engineered wood white" + ], + "i am looking for high gloss buffet sideboard for kitchen with white led light.": [ + "high gloss buffet sideboard for kitchen with white led light", + "buffet sideboard for kitchen with white led light", + "high gloss buffet sideboard for kitchen", + "high gloss buffet sideboard in kitchen with white led light", + "high gloss buffet sideboard dining room with white led light", + "medium gloss buffet sideboard for kitchen with white led light", + "low gloss buffet sideboard for kitchen with white led light", + "high gloss buffet sideboard kitchen with white led light", + "high gloss buffet sideboard, kitchen with white led light", + "high gloss buffet sideboard dining room white led light" + ], + "i'm looking for certified organic seeds pack of six.": [ + "certified organic seeds pack of six", + "pack of six certified organic seeds", + "certified organic seeds pack of six.", + "6 certified organic seeds pack of six", + "12 pack certified organic seeds pack of six", + "manual organic seeds pack of six", + "curtains pack of six", + "organic seeds pack of six", + "natural seeds pack of six", + "natural seeds pack of six certified organic" + ], + "i am looking for sulfate free hair oil serum pack": [ + "sulfate free hair oil serum pack", + "sulfate free hair oil serum pack under $40", + "sulfate free hair oil serum pack under $60", + "sulfate free hair oil serum pack under $50", + "sulfate free hair oil serum pack under 50 dollars", + "sulfate free hair oil serum pack below $40", + "sulfate free hair oil serum pack below $50", + "sulfate free hair oil serum pack under 40 dollars", + "sulfate free hair oil serum pack under 30 dollars", + "sulfate free hair oil serum pack below $60" + ], + "i'm looking for certified refurbished for office electronics it easy to ues.": [ + "certified refurbished office electronics it easy to ues.", + "certified refurbished office electronics easy to ues", + "certified refurbished office electronics it easy to ues", + "certified refurbished office electronics", + "certified refurbished for office electronics it easy to ues", + "certified refurbished office electronics easy to ues.", + "certified refurbished for office electronics easy to ues", + "certified refurbished for office electronics", + "certified refurbished for office electronics easy to ues.", + "certified refurbished office electronics that are easy to ues" + ], + "i want sugar free, 10 pound classic flavour chocolate discs": [ + "10 pound classic flavour chocolate discs", + "sugar free 10 pound classic flavour chocolate discs", + "10 pound classic flavour chocolate discs sugar free", + "10 pound classic flavour chocolate disc", + "sugar free chocolate discs", + "sugar free 9 pound classic flavour chocolate discs", + "sugar free 10 pound classic flavour chocolate disc", + "sugar free chocolate discs 10 pound", + "8 pound classic flavour chocolate discs", + "9 pound classic flavour chocolate discs" + ], + "looking for ceramic drink coasters that is set of 6 with cup holder": [ + "roasted ceramic drink coasters set of 6 with cup holder", + "curtains set of 6 with cup holder", + "6 ceramic drink coasters set of 6 with cup holder", + "tea drink coasters set of 6 with cup holder", + "tablet drink coasters set of 6 with cup holder", + "m ceramic drink coasters set of 6 with cup holder", + "set of 6 ceramic drink coasters", + "set of 6 ceramic drink coasters with cup holder", + "curtains of 6 ceramic drink coasters", + "curtains of 6 ceramic drink coasters set of 6" + ], + "i am looking for gluten free potato chips.": [ + "gluten free potato chips", + "gluten free potato chips under $40", + "gluten free potato chips.", + "gluten free potato chips under $60", + "gluten free potato chips under 50 dollars", + "gluten free potato chips under $50", + "gluten free potato chips under 40 dollars", + "gluten free potato chips below $40", + "gluten free potato chips gluten free", + "gluten free chips" + ], + "i would like a pair of black earbud headphones that are fast charging.": [ + "black earbud headphones", + "black earbud headphones fast charging", + "black earbud headphones with fast charging", + "pair of black earbud headphones", + "black earbud headphones, fast charging", + "white earbud headphones fast charging", + "two black earbud headphones", + "black wireless charging earbud headphones", + "a pair of black earbud headphones", + "white earbud headphones" + ], + "i am looking for non slip, steel toe women shoe. also, choose the black b color and 42 size.": [ + "non slip, steel toe women shoe 42", + "non slip women shoe 42 size", + "non slip steel toe women shoe 42 size", + "non slip steel toe women shoe 42", + "non slip women shoe 42", + "non slip, steel toe women shoe", + "non slip woman shoe 42 size", + "non slip women shoe 42 in black", + "non slip woman shoe 42", + "non slip women shoe 42 black" + ], + "i want to buy a fifty-two pack of fava bean snacks that are low in sugar and fat. they should also be non-gmo.": [ + "fava bean snacks low in sugar and fat", + "frito bean snacks that are low in sugar and fat", + "faux-two pack of fava bean snacks", + "50-two pack of fava bean snacks", + "favoura bean snacks low in sugar and fat", + "frito bean snacks low in sugar and fat", + "fava bean snacks", + "fava bean snacks no sugar and fat", + "fava bean snacks low in sugar and fat.", + "fava bean snacks no sugar" + ], + "i'm looking for clothing for classic fit for women classic fit.": [ + "classic fit for women classic fit", + "classic fit women classic fit", + "classic fit woman classic fit", + "classic fit for women classic fit.", + "classic fit women classic fit.", + "classic fit for women", + "classic fit woman classic fit.", + "classic fit women", + "classic fit woman", + "classic fit" + ], + "i need a heavy duty wall plate cover that is high gloss. i want something in a rocker combo style.": [ + "heavy duty wall plate cover that is high gloss", + "wall plate cover that is high gloss", + "low duty wall plate cover that is high gloss", + "high gloss wall plate cover that is heavy duty", + "wall plate cover heavy duty rocker combo style", + "heavy duty wall plate cover, rocker combo style", + "heavy duty wall plate cover rocker combo style", + "lush duty wall plate cover that is high gloss", + "high gloss wall plate cover that is high gloss", + "heavy duty wall plate cover" + ], + "i am looking for a 3 pink long sleeve fashion hoodies & sweatshirts.": [ + "3 pink long sleeve fashion hoodies & sweatshirts", + "3 pink long sleeve fashion hoodies", + "3 pink long sleeve fashion hoodies and sweatshirts", + "pink long sleeve fashion hoodies & sweatshirts", + "3 pink long sleeve fashion hoodies under $50", + " 3 pink long sleeve fashion hoodies & sweatshirts", + "3 pink long sleeve fashion hoodies under $40", + "3 pink long sleeve fashion hoodies under 50 dollars", + "3 pink long sleeve fashion hoodies under $60", + "pink long sleeve fashion hoodies" + ], + "i want to buy a bronze finish pendant light, in brushed nickle color.": [ + " bronze finish pendant light in brushed nickle color", + "brushed nickle pendant light", + " bronze finish pendant light, brushed nickle color", + "gold pendant light, in brushed nickle color", + "silver finish pendant light in brushed nickle color", + "silver finish pendant light, brushed nickle color", + " bronze finish pendant light in brushed nickle", + "silver finish pendant light in brushed nickle", + "brushed nickle pendant light bronze", + " bronze finish pendant light" + ], + "search and add 20\"x20\" throw pillow covers used as decorative cushion covers in my living room to my shopping cart. make sure they are dark green.": [ + "20x20 throw pillow covers", + "20x20 throw pillow covers in my living room", + "20x20 throw pillow covers for living room", + "20x20 throw pillow covers that are dark green", + "20x20 throw pillow covers used as decorative cushion covers", + "20x20 throw pillow covers, dark green", + "20x20 throw pillow cover in my living room", + "20x20 throw pillow covers that are decorative cushion covers", + "20x20 throw pillow covers under 50 dollars", + "20x20 throw pillow cover" + ], + "i want a set of solid wine red throw pillow covers for my living room.": [ + "solid wine red throw pillow covers for my living room", + "solid wine red throw pillow covers for my living room.", + "solid wine red throw pillow covers for living room", + "solid wine red throw pillow covers for the living room", + "living room set of solid wine red throw pillow covers", + "set of solid wine red throw pillow covers", + "solid wine red throw pillow cover for my living room", + "solid wine red throw pillow cover for my living room.", + "solid wine red throw pillow covers", + "red throw pillow covers for living room" + ], + "i want skateboarding shoes that have rubber outsoles. pick something in blue color.": [ + "skateboarding shoes blue", + "skateboarding shoes that have rubber outsoles", + "kateboarding shoes blue", + "kateboarding shoes that have rubber outsoles", + "skateboarding shoes in blue", + "skateboarding shoes with rubber outsoles", + "kateboarding shoes with rubber outsoles", + "skateboarding shoes with rubber outsoles blue", + "kateboarding shoes in blue", + "skateboarding shoes that are blue" + ], + "i'm looking for women's clothing need to buy medium sized dresses.": [ + "womens clothing medium sized", + "womens clothing", + "womens clothing size medium", + "womens clothing medium", + "womens clothing medium size", + "medium sized dresses", + "medium sized womens clothing", + "womens clothing small", + "large sized womens clothing", + "large sized dresses" + ], + "throw pillows cover spot clean lumbar support color beach house cotton coastal blue": [ + "throw pillows cover spot clean lumbar support color beach house cotton", + "throw pillows with lumbar support color beach house cotton coastal blue", + "throw pillows, beach house cotton coastal blue", + "throw pillows color beach house cotton coastal blue", + "throw pillows beach house cotton coastal blue", + "throw pillows that are clean beach house cotton coastal blue", + "throw pillows cover beach house cotton coastal blue", + "throw pillows cover spot clean lumbar support color beach house", + "throw pillows with lumbar support color beach house cotton", + "throw pillows cover spot clean lumbar support" + ], + "i need a bolster pillow hypoallergenic for lombar support in cotton blue": [ + " bolster pillow hypoallergenic lombar support in cotton blue", + " bolster pillow hypoallergenic for lombar support in cotton blue", + "pink pillow hypoallergenic lombar support in cotton blue", + "pink pillow hypoallergenic for lombar support in cotton blue", + "brushed pillow hypoallergenic lombar support in cotton blue", + "brushed pillow hypoallergenic for lombar support in cotton blue", + "blanket hypoallergenic lombar support in cotton blue", + "clothing hypoallergenic for lombar support in cotton blue", + "clothing hypoallergenic lombar support in cotton blue", + "pink pillow hypoallergenic lombar support" + ], + "i am looking for a blue ottomans for living room": [ + "blue ottoman for living room", + "blue ottomans for living room", + "blue ottoman living room", + "blue ottomans living room", + "blue ottoman in living room", + "blue ottoman", + "blue ottoman, living room", + "blue ottomans in living room", + "blue ottomans, living room", + "blue ottoman for living room," + ], + "i need a replacement remote control for the blue ray disk player.": [ + "remote control blue ray disk player", + "blue ray disk player", + "remote control for blue ray disk player", + "remote control for the blue ray disk player", + "blue ray disk player with remote control", + "blue ray disk player remote control", + "remote control for a blue ray disk player", + "remote control for blue ray disk player.", + "blue ray disk player that is remote control", + "remote control blue ray disk player." + ], + "i want a certified organic clear lip balm made with coconut oil.": [ + "natural clear lip balm made with coconut oil", + "organic clear lip balm made with coconut oil", + "lip balm made with coconut oil", + "pure lip balm made with coconut oil", + "curtains lip balm made with coconut oil", + "certified organic lip balm made with coconut oil", + "certified organic clear lip balm with coconut oil", + "certified organic clear lip balm", + "organic clear lip balm made with coconut oil.", + "natural clear lip balm made with coconut oil." + ], + "i would like a pair of size 10.5 dark brown cheetah clogs with a non slip rubber sole.": [ + "10.5 dark brown cheetah clogs with a non slip rubber sole", + "pair of size 10.5 dark brown cheetah clogs", + "black cheetah clogs with a non slip rubber sole", + "2 dark brown cheetah clogs with a non slip rubber sole", + "two black cheetah clogs with a non slip rubber sole", + "sneakers size 10.5 dark brown cheetah clogs", + "10.5 dark brown cheetah clogs", + "sneakers 10.5 dark brown cheetah clogs", + "black cheetah clogs with a non slip rubber sole size 10.5", + "10.5 dark brown cheetah clogs with a non slip rubber sole." + ], + "i need a clear fine mist spray bottle for essential oils which is easy to carry during travel.": [ + "clear fine mist spray bottle for essential oils", + "moisturizing spray bottle for essential oils", + "clearing fine mist spray bottle for essential oils", + "pure fine mist spray bottle for essential oils", + "fine mist spray bottle for essential oils", + "dust spray bottle for essential oils", + "organic fine mist spray bottle for essential oils", + "clear fine mist spray bottle for essential oils travel", + "clear fine mist spray bottle", + "moisturizer for essential oils" + ], + "i need an ultra hd security camera which comes with plug and play option.": [ + " ultra hd security camera with plug and play", + " ultra hd security camera plug and play", + " ultra hd security camera which comes with plug and play", + " ultra hd security camera that comes with plug and play", + " ultra hd security camera, plug and play", + " ultra hd security camera", + " ultra hd security camera, plug and play,", + " ultra hd security camera with plug and play option", + " ultra hd security camera that is plug and play", + " ultra hd security camera under $40" + ], + "pick a pack of long lasting scented candles made of soy wax. it should be of teakwood color.": [ + "long lasting scented candles made of soy wax", + "a pack of long lasting scented candles made of soy wax", + "pack of long lasting scented candles made of soy wax", + "6 pack of long lasting scented candles made of soy wax", + "long lasting scented candles made of soy wax under $40", + "long lasting scented candles made of soy wax under $50", + "vegan candles made of soy wax", + "sneakers made of soy wax", + "scent candles made of soy wax", + "pink candles made of soy wax" + ], + "i am looking for a 9.5 sized men's running shoes with synthetic sole . and i choose the 7-black red color": [ + "mens running shoes with synthetic sole", + "mens running shoes with synthetic sole 7-black", + "9.5 sized mens running shoes with synthetic sole", + "mens running shoes with synthetic sole, 7-black", + "mens running shoes with synthetic sole in 7-black", + "9.5 mens running shoes with synthetic sole", + "mens running shoes 7-black", + "8-black mens running shoes with synthetic sole", + "mens running shoes, synthetic sole, 7-black", + "mens running shoes with synthetic sole 9.5 black" + ], + "hey, can you find me that high quality anti-aging cream that is a special blend made by dr. lancer? and please get the largest tube they make! if the tube comes in different colors, i want purple!": [ + "anti-aging cream", + "anti-aging cream by dr. lancer", + "anti-aging cream pomegranate", + "anti-aging cream purple", + "anti-aging cream in purple", + "anti-aging cream colored purple", + "anti-aging cream, purple", + "anti-aging cream pomegranate colored", + "anti-aging cream under $40", + "anti-aging cream under $50" + ], + "i want a black fast charging and high speed usb cable.": [ + "black fast charging usb cable", + "black fast charging and high speed usb cable", + "black fast charging high speed usb cable", + "black high speed usb cable", + "black fast charging usb cable under $40", + "black fast charging usb cable with high speed", + "black fast charging usb cable under $50", + "black charging and high speed usb cable", + "black fast charging usb cable.", + "black fast charging usb cable," + ], + "i am looking for steel frame coffee table in pewter color": [ + "steel frame coffee table in pewter color", + "steel frame coffee table pewter color", + "steel frame coffee table in pewter", + "steel frame coffee table pewter", + " steel frame coffee table in pewter color", + "steel frame coffee table with pewter color", + "steel frame coffee table, pewter color", + "teffee table in pewter color", + "coffee table in pewter color", + "steel frame coffee table" + ], + "i'm looking for queen size and twin sized furniture need to buy it.": [ + "queen size and twin sized furniture", + "queen size twin sized furniture", + "king size and twin sized furniture", + "queen size, twin sized furniture", + " queen size and twin sized furniture", + "queen sized and twin sized furniture", + "king size twin sized furniture", + "queen size furniture", + "queen size bed frame", + "queen size living room" + ], + "i'm looking for grocery snacks for make great and perfect gifts.": [ + "grocery snacks", + "gift bar snacks", + "gift snacks", + "gift bag", + "gift snacks that are great and perfect", + "grocery snacks under $40", + "gift bags that are great and perfect", + "gift bags", + "gift bar", + "gift" + ], + "i'm looking for blankets the color was boho colorful geometric pattern decor.": [ + "boho colorful geometric pattern decor", + "boho colorful geometric pattern", + "boho colorful pattern decor", + "boho colored geometric pattern decor", + "brushed boho colorful pattern decor", + "pink boho colorful pattern decor", + "boho colorful geometric pattern blankets", + "blanket color boho", + "boho colorful geometric pattern decor.", + "blanket color boho colorful pattern" + ], + "i want a quad core 7\" android kids tablet with iwawa ls, dc, bt, wifi etc": [ + "quad core 7 android kids tablet with iwawa", + "tablet 7 with iwawa", + "quad core 7 android kids tablet with iwawa ls", + " quad core 7 android kids tablet with iwawa", + "quad core 7 android kids tablet", + "tablet 7 with iwawa ls", + "tablet 7 with iwawa dvd", + "tablet 7 iwawa", + "tablet 7 with iwawa ld", + "tablet 7" + ], + "i'm looking for a 2 in 1 hair masks that helps to heal damaged hair and also promotes hair growth, should contain argan oil.": [ + "2 in 1 hair masks that helps to heal damaged hair and also promotes hair growth", + "2 in 1 hair masks that helps to heal damaged hair with argan oil", + "2 in 1 hair masks with argan oil", + "hair masks that helps to heal damaged hair and also promotes hair growth with argan oil", + "2 in 1 hair masks that helps to heal damaged hair and promotes hair growth", + "2 in 1 hair masks, healing damaged hair with argan oil", + "hair masks 2 in 1 with argan oil", + "2 in 1 hair masks, with argan oil", + "2 in 1 hair masks", + "hair masks with argan oil" + ], + "i am looking for a 32gb 1tb ssd pcle nvme m.2 size intel core minis.": [ + "32gb 1tb ssd pcle nvme m.2 size intel core minis", + " 32gb 1tb ssd pcle nvme m.2 size intel core minis", + "32gb ssd pcle nvme m.2 size intel core minis", + "28gb 1tb ssd pcle nvme m.2 size intel core minis", + "32gb 1tb ssd pcle nvme m.2", + "32gb 1tb ssd pcle nvme m2 size intel core minis", + "32gb ssd pcle nvme m.2 size intel core minis.", + "32gb nvme m.2 size intel core minis", + "32gb intel core minis", + "32gb 1tb ssd pcle nvme" + ], + "find me a regular fitting short sleeved casual shirt with breathable-4 pockets-white in 4x-large sizing.": [ + "regular fitting short sleeved casual shirt with breathable-4 pockets-white in 4xl", + "regular fitting short sleeved casual shirt with breathable-4 pockets-white", + "regular fitting short sleeved casual shirt with breathable-4 pocket-white in 4xl", + "regular fitting short sleeved casual shirt with breathable-4 pockets-white 4xl", + "regular fitting short sleeved casual shirt with breathable-4 pockets-white, 4xl", + "regular fitting short sleeved casual shirt with breathable-4 pocket-white", + "regular fitting short sleeved casual shirt", + "regular fitting short sleeved casual shirt 4xl", + "regular fitting short sleeved casual shirt in 4xl", + "short sleeved casual shirt with breathable-4 pockets-white" + ], + "i'm looking for a 6ft usb to hdmi adapter cable.": [ + "6ft usb to hdmi adapter cable", + "6ft usb to hdmi adapter cable.", + "usb to hdmi adapter cable", + "6ft usb to hdmi plug and play", + "6ft usb to hdmi adapter", + "6ft usb hdmi adapter cable", + "6ft usb to hdmi adapter cable,", + "6ft usb to hdmi plug-in", + "6ft usb to hdmi cable", + "shoes to hdmi adapter cable" + ], + "i am looking for disney frozen machine wash, heathers cotton kristoff olaf premium t-shirt for women": [ + "disney frozen machine wash t-shirt for women", + "disney frozen machine wash", + "disney frozen machine wash men t-shirt", + "disney frozen machine wash women t-shirt", + "disney frozen machine wash under $40", + "disney frozen machine wash men t-shirt under 50 dollars", + "disney frozen machine wash under $50", + "disney frozen machine wash men t-shirt under $40", + "disney frozen machine wash men t-shirt for women", + "disney frozen machine wash women t-shirt under $40" + ], + "i'm looking for a tablet with a high performance 8 inch screen": [ + "tablet with high performance 8 inch screen", + "tablet 8 inch screen", + "8 inch tablet with high performance", + "tablet 8 inches high performance", + " tablet with a high performance 8 inch screen", + "desktop tablet with high performance 8 inch screen", + "8 inch tablet", + "tablet 8 inch", + "tablet 8 inches", + "tablet 8 inch screen high performance" + ], + "i'm looking for organic, gluten free dutch cocoa chocolate sauce with a syrup pump": [ + "organic, gluten free dutch cocoa chocolate sauce", + "organic gluten free dutch cocoa chocolate sauce", + "organic dairy free dutch cocoa chocolate sauce", + "organic, gluten free dutch chocolate sauce", + "organic, gluten free, dutch cocoa chocolate sauce", + "organic and gluten free dutch cocoa chocolate sauce", + "organic dutch cocoa chocolate sauce with a syrup pump", + "organic, gluten free cocoa chocolate sauce", + "organic dutch cocoa chocolate sauce", + "organic dairy chocolate sauce" + ], + "i would like one organic raspberry syrup pump that is certified organic.": [ + "organic raspberry syrup pump certified organic", + "organic raspberry syrup pump that is certified organic", + "organic raspberry syrup pump", + "organic raspberry syrup pump, certified organic", + "natural raspberry syrup pump that is certified organic", + "natural raspberry syrup pump certified organic", + "organic raspberry syrup pump certified organic.", + "one organic raspberry syrup pump certified organic", + "organic raspberry syrup pump with certified organic", + "organic raspberry syrup pump certified" + ], + "i need dark chocolate organic syrup": [ + "dark chocolate organic syrup", + "dark chocolate organic syrup dark chocolate", + "dark chocolate organic syrup under $40", + "dark chocolate organic syrup under $50", + "dark chocolate organic syrup under $60", + "dark chocolate organic syrup under 50 dollars", + "dark chocolate organic syrup less then $40", + "dark chocolate organic syrup below $40", + "dark chocolate organic syrup no sugar", + "dark chocolate organic syrup less then $60" + ], + "i would like a peach syrup that is organic": [ + "organic peach syrup", + "pomegranate syrup organic", + "organic peach syrup that is organic", + "organic peaches syrup", + "pomegranate syrup", + "organic pomegranate syrup", + "a peach syrup that is organic", + "pomegranate syrup natural", + "organic peach syrup under $40", + "organic peach syrup no sugar" + ], + "i would like a 25.4 fluid ounce bottle of chocolate syrup made with non gmo organic candy cane mint.": [ + "25.4 fluid ounce bottle of chocolate syrup made with non gmo organic candy cane mint", + "25.4 fluid ounce bottle of chocolate syrup", + "25.4 fluid ounce bottle of chocolate syrup made with non gmo organic candy cane", + "25.4 oz bottle of chocolate syrup made with non gmo organic candy cane mint", + " 25.4 fluid ounce bottle of chocolate syrup made with non gmo organic candy cane mint", + "25.4oz bottle of chocolate syrup made with non gmo organic candy cane mint", + "25.4 fluid ounce bottle of chocolate syrup made from non gmo organic candy cane mint", + "24.4 fluid ounce bottle of chocolate syrup made with non gmo organic candy cane mint", + "25.4 ounce bottle of chocolate syrup made with non gmo organic candy cane mint", + "25.4 oz bottle of chocolate syrup" + ], + "i'm looking for a pack of three non-gmo organic flavor syrups with a pump. look for the pumpkin pie spice flavor.": [ + "three non-gmo organic flavor syrups", + "pumpkin pie spice flavor", + "3 non-gmo organic flavor syrups", + "pumpkin pie spice pack", + "natural flavor syrups with a pump", + "3 pumpkins pie spice flavor", + "non-gmo organic flavor syrups", + "3 pumpkin pie spice syrups", + "natural flavor syrups with pump", + "pumpkin spice flavor" + ], + "i'm looking for clothing has long sleeve it was dry cleaned it was ed in color.": [ + "im looking for clothing has long sleeve it was dry cleaned it was ed in color, and price lower than 50.00 dollars", + "im looking for clothing with long sleeve it was dry cleaned it was ed in color, and price lower than 50.00 dollars", + "im looking for clothing has long sleeve it was dry cleaned it was ed in color, and price lower than 40.00 dollars", + "im looking for clothing has long sleeve it was dry cleaned it was ed in color, and price lower than 140.00 dollars", + "im looking for clothing has long sleeve it was dry cleaned it was ed in color, and price lower than 60.00 dollars", + "im looking for clothing has long sleeve it was dry cleaned it was ed in color, and price lower than 100.00 dollars", + "im looking for clothing long sleeve it was dry cleaned it was ed in color, and price lower than 50.00 dollars", + "im looking for clothing has long sleeve it was dry cleaned it was ed in color, and price lower than 120.00 dollars", + "im looking for clothing has long sleeve it was dry cleaned it was ed in color, and price lower than 30.00 dollars", + "im looking for clothing has long sleeve it was dry cleaned it was ed in color." + ], + "i'm looking for a 37 inch metal and wood platform bed frame with chestnut brown, queen by zinus suzanne": [ + "wood platform bed frame with chestnut brown", + "temporary wood platform bed frame with chestnut brown", + "37 inch metal and wood platform bed frame", + "temporary metal and wood platform bed frame", + "temporary 9 ft metal and wood platform bed frame", + "contemporary style metal and wood platform bed frame", + "living room frame with chestnut brown", + "37 inch metal and wood platform bed frame with chestnut", + "temporary wood platform bed frame", + "wood platform bed frame" + ], + "i am looking for a black color dust proof and heavy duty protection phone case cover for samsung galaxy s22.": [ + "black samsung galaxy s22 phone case cover", + "black phone case cover samsung galaxy s22", + "black samsung galaxy s22 samsung phone case cover", + "black samsung galaxy s22 waterproof phone case cover", + "samsung galaxy s22 black phone case cover", + "black samsung galaxy s22 dust proof phone case cover", + "black samsung galaxy s22 mobile case cover", + "black samsung galaxy s22 case cover", + "black phone case cover for samsung galaxy s22", + "black samsung galaxy s22 phone case cover black" + ], + "i'm looking for cellphone accessories for wireless charging.": [ + "phone accessories for wireless charging", + "tablet accessories for wireless charging", + "pocket phone accessories for wireless charging", + "cellphone accessories for wireless charging", + "phone accessories for wireless charging.", + "smartphone accessories for wireless charging", + "phone accessories wireless charging", + "comportable wireless charging", + "wireless charging cellphone accessories", + "router wireless charging" + ], + "get me a slim fit hand washable black long sleeved men's suit's jacket in 4x size.": [ + "slim fit mens suits jacket in 4x size", + "slim fit mens suits jacket in 4x size.", + "slim fit mens suits jacket in 4x", + "slim fit men suits jacket in 4x size", + "womens suits jacket in 4x size", + "hand washable black long sleeved mens suits jacket", + "slim fit mens suits jacket 4x size", + "hand washable black long sleeved mens suits jacket 4x", + "slim fit hand washable black long sleeved mens suits", + "mens suits jacket in 4x size" + ], + "i'm looking for a soft gray women's shirt.": [ + "soft gray womens shirt", + "soft gray womens shirt.", + "soft gray womens shirt under $40", + "soft gray womens shirt under $50", + "soft gray womens shirt under $60", + "soft gray womens shirt under 50 dollars", + "soft gray womens shirt below $40", + "soft gray womens shirt below $50", + "soft gray womens t-shirt", + "soft gray womens shirt under 40 dollars" + ], + "i am looking for dual band computers": [ + "dual band computers", + "dual band computers under $40", + "dual band computers under $50", + "dual band computers under $60", + "dual band computers under $130", + "dual band computers under $120", + "dual band computers under 50 dollars", + "dual band computers under 30 dollars", + "dual band computers,", + "duals band computers" + ], + "i need dual band computer accessories.": [ + "dual band computer accessories", + "dual band computer accessories.", + "dual band computer accessories,", + "duals band computer accessories", + "dual band computer accessory", + "dual band computers accessories", + "Dual band computer accessories", + "two band computer accessories", + "double band computer accessories", + " dual band computer accessories" + ], + "i would like a purple barstool that is easy to clean and assemble.": [ + "pink barstool that is easy to clean and assemble", + "pink barstool easy to clean and assemble", + "pink barstool, easy to clean and assemble", + "ps purple barstool that is easy to clean and assemble", + "pink barstool", + "purple barstool that is easy to clean and assemble", + "plastic purple barstool", + "pink barstool, easy to clean and assemble.", + "plastic purple barstool easy to clean and assemble", + "pink barstool easy to clean and assemble." + ], + "i need a long lasting walnut curio cabinet with adjustable tempered glass to grace my room.": [ + "womens walnut curio cabinet with adjustable tempered glass", + "long lasting walnut curio cabinet with adjustable tempered glass", + "woolnut curio cabinet with adjustable tempered glass", + "a long lasting walnut curio cabinet with adjustable tempered glass", + "living room walnut curio cabinet with adjustable tempered glass", + "womens walnut curio cabinet", + "long lasting walnut curio cabinet", + "k walnut curio cabinet with adjustable tempered glass", + "aluminum tempered glass walnut curio cabinet", + "woolnut curio cabinet" + ], + "i would like a 6 pack of dental floss good for my oral hygiene.": [ + "6 pack of dental floss", + "6 pack of oral hygiene", + "6 pack of oral floss", + "6 pack of dental floss oral hygiene", + "6 pack oral hygiene floss", + "6 pack dental floss", + "6 pack oral floss", + "6 pack dental floss oral hygiene", + "6 pack oral hygiene", + "oral floss" + ], + "a throw pillow covers set for living room color natural-w": [ + "throw pillow covers set for living room color natural-w", + "throw pillow covers for living room color natural-w", + "throw pillow cover set for living room color natural-w", + "throw pillow cover for living room color natural-w", + "throw pillows set for living room color natural-w", + "throw pillow covers in living room color natural-w", + "throw pillow covers living room color natural-w", + "throw pillow covers, living room color natural-w", + "throw pillow cover living room color natural-w", + "throw pillow covers" + ], + "i'm looking for a wall mobile bookshelf .": [ + "wall mobile bookshelf", + "wall mobile bookshelf under $120", + "wall mobile bookshelf under $130", + "wall mobile bookshelf under $50", + "wall mobile bookshelf,", + "wall mobile bookshelf under $40", + "wall mobile bookhelf", + "wall mobile bookshelf wall mobile", + "wall mobile booksshelf", + "wall mobile bookshelf" + ], + "i need wine colored winter warm boxers. pick something in wine color.": [ + "womens red wine colored winter warm boxers", + "womens winter warm boxers wine colored", + "womens wine colored winter warm boxers", + "wine colored winter warm boxers", + "womens colored winter warm boxers wine color", + " wine colored winter warm boxers", + "wine colored winter warm boxers wine color", + "vinyl colored winter warm boxers", + "womens colored winter warm boxers", + "vinyl colored winter warm boxers wine color" + ], + "i want a keto friendly, white chocolate spread which is sugar and gluten free.": [ + "keto friendly white chocolate spread which is sugar and gluten free", + "keto friendly white chocolate spread", + "keto friendly, white chocolate spread", + "keto friendly white chocolate spread that is sugar and gluten free", + "keto friendly, white chocolate spread, sugar and gluten free", + "keto friendly white chocolate spread, sugar and gluten free", + " keto friendly white chocolate spread which is sugar and gluten free", + "keto friendly white chocolate spread sugar and gluten free", + "keto friendly white chocolate spread with sugar and gluten free", + " keto friendly white chocolate spread" + ], + "i am looking for a posters & prints for living rooms": [ + "poster & prints for living rooms", + "poster and prints for living rooms", + "poster & prints living rooms", + "living room posters & prints", + "poster and prints living rooms", + "pink poster & prints living rooms", + "living room posters and prints", + "pom print living room", + "poster & prints living room", + "living room poster & prints" + ], + "i am looking for easy to clean double sided velvet pads.": [ + "easy to clean double sided velvet pads", + "easy clean double sided velvet pads", + "yellow double sided velvet pads", + "simple to clean double sided velvet pads", + "double sided velvet pads", + "yellow velvet pads easy to clean", + "double sided velvet pads easy to clean", + "easy to clean double sided velvet pad", + "single sided velvet pads", + "yellow velvet pads" + ], + "find me a twin size bunk bed that's white and made from engineered wood.": [ + "twin size bunk bed made from engineered wood", + "twin bed white and made from engineered wood", + "twin size bunk bed white made from engineered wood", + "twin size bunk bed", + "twin size bunk bed white engineered wood", + "twin bed white engineered wood", + "twin bed made from engineered wood", + "twin size bunk bed, white, engineered wood", + "twin size bunk bed made from engineered wood.", + "twin bed white and made from engineered wood." + ], + "i need a slip resistant tactical boot with rubber soles. it should be in size 6.": [ + "slip resistant tactical boot with rubber soles in size 6", + "slip resistant tactical boot with rubber soles size 6", + "slip resistant tactical boot with rubber soles", + "slip resistant tactical boot with rubber soles, size 6", + "slide resistant tactical boot with rubber soles in size 6", + "slide resistant tactical boot with rubber soles size 6", + "slip resistant tactical boot, rubber soles, size 6", + "slide resistant tactical boot with rubber soles", + "slip resistant tactical boot", + "slip resistant tactical boot size 6" + ], + "i would like a w35.4\" x l78.7\" hunter green window film that is easy to install.": [ + "w35.4 l78.7 hunter green window film", + "window film w35.4 x l78.7", + "w35.4 x l78.7 hunter green window", + "w35.4 x l78.7 hunter green", + "window film that is easy to install", + "w35.4 x l78.7", + "whitewash green window film", + "womens green window film", + "living room window film", + "window film" + ], + "i am looking for golden edge storage bench of faux leather for living room.": [ + "golden edge storage bench of faux leather for living room", + "golden edge storage bench of faux leather living room", + "gluten edge storage bench of faux leather for living room", + "gluten edge storage bench of faux leather living room", + "golden edge storage bench of faux leather", + "golden edge storage bench of faux leather living room.", + " golden edge storage bench of faux leather for living room", + "glen edge storage bench of faux leather for living room", + "Golden edge storage bench of faux leather for living room", + "gluten-edge storage bench of faux leather living room" + ], + "i'm looking for want to buy a camera for digital photography. it also easy to carry.": [ + "easy to carry camera for digital photography", + "digital photography camera easy to carry", + "simple to carry camera for digital photography", + "camera for digital photography easy to carry", + "camera for digital photography", + "easy to carry camera", + "cameras for digital photography", + "easy-to-carry camera", + "digital camera for photography easy to carry", + "professional camera for digital photography" + ], + "i am looking for a long sleeve t-shirts of large size.": [ + "lens t-shirt large", + "large t-shirt", + "long sleeve t-shirt", + "t-shirt large", + "t-shirt large t-shirt", + "long sleeve t-shirt large", + "large t-shirt under $50", + "large t-shirt under $40", + "lens t-shirts large", + "large t-shirt long sleeve" + ], + "i would like a extra large yellow button down shirt that is machine washable.": [ + "extra large yellow button down shirt that is machine washable", + "extra large yellow button down shirt", + "extra large yellow button down shirt, machine washable", + "extra large yellow button down shirt machine washable", + "extra large yellow button down shirt with machine washable", + "extra large yellow button down shirt in machine washable", + "extra large yellow button down shirt under $40", + "extra large yellow button down shirt with a washable price", + "extra large yellow button down shirt under $50", + "extra large yellow button down shirt under 50 dollars" + ], + "i am looking for a 52x84inx2 panels for living room.": [ + "50x84inx2 panels for living room", + "52x84inx2 panels for living room", + " 52x84inx2 panels for living room", + "50x84inx2 panels", + "48x84inx2 panels for living room", + "50x84inx 2 panels for living room", + "home theater 52x84inx2 panels", + "56x84inx2 panels for living room", + "51x84inx2 panels for living room", + "50x84inx2 panels living room" + ], + "i'm looking for a double size, super soft blanket. also, choose 90*90\" black colored one.": [ + "double size, super soft blanket", + "double size, super soft blanket 90*90 black", + "double size, super soft blanket.", + "double size, super soft blanket, black", + "double size, super soft blanket with a black color", + "double size, super soft blanket under $90", + "single size, super soft blanket", + "double size super soft blanket", + "double size black soft blanket", + "double bed super soft blanket" + ], + "i am looking for light fixture hanging pendant light with color is black-a": [ + "light fixture hanging pendant light", + "light fixture hanging pendant light black", + "light fixture hanging pendant light in black", + "light fixture hanging pendant light colored black", + "light fixture hanging pendant light, black", + "light fixture hanging pendant light with color", + "portrait light fixture black", + "black pendant light", + "pendant light black", + "living pendant light black" + ], + "i want double horn bluetooth wireless speakers which is portable and easy to carry": [ + "double horn bluetooth wireless speakers", + "double horn bluetooth wireless speakers portable and easy to carry", + "double horn bluetooth wireless speakers that are portable", + "double horn bluetooth wireless speakers portable", + "double horn bluetooth wireless speakers, portable and easy to carry", + "double horn bluetooth wireless speakers, portable, easy to carry", + "dual horn bluetooth wireless speakers", + "double horn bluetooth wireless speakers, portable and under $40", + "double horn bluetooth wireless speakers, portable, under $40", + "double horn bluetooth wireless speakers easy to carry" + ], + "i am looking for a 6 pack of cookie assortments which is keto friendly grain free and sugar free": [ + "6 pack of cookie assortments keto friendly grain free", + "pack of cookie assortments keto friendly grain free and sugar free", + "6 pack of cookie assortments which is keto friendly grain free", + "6 pack of keto friendly grain free cookies", + "6 pack of keto friendly grain free and sugar free cookies", + "6 pack of cookie assortments", + "pack of cookie assortments keto friendly grain free", + "6 pack of cookie assortments keto friendly grain free sugar free", + "6 pack of keto friendly grain free sugar free cookies", + "6 pack of cookie assortments sugar free" + ], + "i am looking for a long sleeved medium sized sweatshirt.": [ + "long sleeved medium sized sweatshirt", + "long sleeved medium sized sweatshirt under $40", + "long sleeved medium sized sweatshirt under $50", + "sneakers long sleeved medium sized sweatshirt", + "long sleeved medium sized sweatshirt.", + "short sleeved medium sized sweatshirt", + "long sleeved medium sized sweatshirt under $60", + "long sleeved medium sized sweatshirt under 50 dollars", + "womens sweatshirt long sleeved", + "shortshirt long sleeved medium sized sweatshirt" + ], + "my sister have natural hair in 15 inch": [ + "natural hair in 15 inch", + "natural hair 15 inch", + "natural hair 15 inch", + "natural hair 15 x 8 inch", + "natural hair 15 inch", + "natural hair 15 x inch", + "natural hair 15 inches", + "natural hair 15 inches", + "natural hair 15 x 8 inches", + "natural hair in 15 inch" + ], + "i want a 10 ounce bottle of low calorie fries seasonings.": [ + "10 ounce bottle of low calorie fries seasonings", + "10 ounce bottle of low calorie fries seasonings.", + "10 ounce bottle of low calorie fries seasonings under $40", + "10 ounce bottle of low calorie fries seasonings under 30 dollars", + "10 ounce bottle of low calorie fries seasonings under 50 dollars", + "10 ounce bottle of low calorie fries seasonings under 40 dollars", + "10 ounce bottle of low calorie fries seasonings under $60", + "10 ounce bottle of low calorie fries seasonings under $50", + "10 ounce bottle of low calorie fries seasonings below $40", + "10 ounce bottle low calorie fries seasonings" + ], + "i want a ready to eat 9 ounce pack of fries seasoning bottle. it should be low in calories.": [ + "ready to eat 9 ounce pack of fries seasoning bottle", + "gluten free 9 ounce pack of fries seasoning bottle", + "8 ounce pack of fries seasoning bottle", + "6 ounce pack of fries seasoning bottle", + "fries seasoning bottle low in calories", + "faux seasoning bottle low in calories", + "15 ounce pack of fries seasoning bottle", + "6 pack of fries seasoning bottle", + "6 pack of fries seasoning bottle low in calories", + "faux seasoning bottle" + ], + "i am really looking for a low sugar flame grilled bbq meat seasoning that comes in 8 ounces": [ + "low sugar flame grilled bbq meat seasoning 8 ounces", + "low sugar flame grilled bbq meat seasoning", + "low sugar bbq meat seasoning that comes in 8 ounces", + "low sugar bbq meat seasoning 8 ounces", + "low sugar flame grilled bbq meat seasoning in 8 ounces", + "low sugar flame grilled bbq meat seasoning, 8 ounces", + "low sugar flame grilled bbq meat seasoning under $40", + "low sugar bbq meat seasoning", + "low sugar flame grilled bbq meat seasoning under $60", + "low sugar flame grilled bbq meat seasoning 8 oz" + ], + "i'm looking for open toe shoes for women's it was blue in color.": [ + "open toe shoes for womens blue", + "blue open toe shoes for womens", + "open toe shoes for womens", + "open toe shoes for womensblue", + "blue open toe shoes", + "green open toe shoes for womens", + "open toe shoes womens blue", + "open toe shoes", + "open toe shoes in blue", + "blue open toe walking shoes" + ], + "i am looking for trader joe and chocolate covered blueberries": [ + " trader joe chocolate covered blueberries", + "trader joe chocolate covered blueberries", + " trader joe and chocolate covered blueberries", + "trains joe chocolate covered blueberries", + " trader joe chocolate covered blueberries under $40", + " trader joe chocolate covered blueberries under 50 dollars", + "trader joe and chocolate covered blueberries", + " trader joe chocolate covered blueberries under 30 dollars", + " trader joe chocolate covered blueberries under $50", + "terrain joe chocolate covered blueberries" + ], + "i would like a chocolate covered fruit from trader joes.": [ + "chocolate covered fruit from trader joes", + "chocolate covered fruit trader joes", + "chocolate covered fruit from trader joes.", + "chocolate covered fruit from trader joes under $40", + "chocolate covered fruit from trader joes under 30 dollars", + "chocolate covered fruit from trader joes under $50", + "chocolate covered fruit from trader joes under 50 dollars", + "chocolate covered fruit from trader joes under $60", + "chocolate covered fruit trader joes.", + "chocolate covered fruit, trader joes" + ], + "a men's winter warm loose fit made from quality polyester xx- large casual pant color: gray": [ + "mens winter warm loose fit made from quality polyester", + "mens winter warm loose fit made from quality polyester xx- large casual pant color", + "mens winter warm loose fit made from quality polyester", + "a mens winter warm loose fit made from quality polyester", + "mens winter warm loose fit made from quality polyester gray", + "i mens winter warm loose fit made from quality polyester", + "mas winter warm loose fit made from quality polyester xx- large casual pant color", + "mas winter warm loose fit made from quality polyester", + "winter warm loose fit made from quality polyester", + "mens winter warm loose fit" + ], + "i am looking for high definition high power pink colour portable bluetooth speakers": [ + "pink colour portable bluetooth speakers", + "pink bluetooth speakers", + "pink colour bluetooth speakers", + "high definition high power pink bluetooth speakers", + "high definition high power pink portable bluetooth speakers", + "pink portable bluetooth speakers", + "pink bluetooth speakers high definition", + "pink bluetooth speakers high definition high power", + "high definition high power pink colour bluetooth speakers", + "pink color portable bluetooth speakers" + ], + "i am looking for leak proof soap dispenser. please select white one.": [ + "leek proof soap dispenser white", + "leak proof soap dispenser white", + "leep proof soap dispenser white", + "leaky proof soap dispenser white", + "teeth proof soap dispenser white", + "leaks proof soap dispenser white", + "leek proof soap dispenser", + "leek proof soap dispenser. white", + "leak proof soap dispenser. white", + "leep proof soap dispenser. white" + ], + "i am looking for a white power dental flossers for bad breath.": [ + "white power dental flossers for bad breath", + "white dental flossers for bad breath", + "white power dental flossers", + "white power dental flossers with bad breath", + "white dental flossers for bad breath.", + "white dental flossers with bad breath", + "white dental flossers for bad breath", + "white power dental flossers, bad breath", + "white power dental flossers bad breath", + "white dental flossers" + ], + "i'm looking for bench it can easily assemble a living room.": [ + "bench for living room", + "wooden bench for living room", + "bench it can assemble for living room", + "comfortable bench for living room", + " bench for living room", + "bench it can assemble a living room", + "bench that can assemble a living room", + "curtains living room", + "bench it can assemble living room.", + "bench it can assemble living room" + ], + "i am looking for an easy to use yellow children's toothbrush.": [ + "yellow childrens toothbrush", + "yellow childrens toothbrush easy to use", + "easy to use yellow childrens toothbrush", + "yellow childrens toothbrush.", + "yellow kidss toothbrush", + "yellow childrens toothbrush under $40", + "yellow childrens toothbrush under $60", + "yellow childrens toothbrush under $50", + "5 ft yellow childrens toothbrush", + "yellow childrens toothbrush under 50 dollars" + ], + "i'm looking for a tea bags which is sugar free and gluten free and also of good quality ingredients. also choose a pack of 1 weights 1.32 ounce, coconut with green tea flavored one.": [ + "tea bags sugar free and gluten free", + "tea bags sugar free and gluten free and also of good quality ingredients", + "tea bags sugar free and gluten free 1.32 ounce coconut", + "tea bags that are sugar free and gluten free", + "tea bags sugar free and gluten free 1.32 ounce, coconut", + "tea bags sugar free and gluten free, coconut", + "tea bags sugar free and gluten free, coconut with green tea flavored", + "tea bags sugar free 1.32 ounce coconut", + "tea bags sugar free and gluten free 1.32 ounce", + "tea bags sugar free coconut" + ], + "i am searching for individually wrapped gummy candies.": [ + "gummy candies individually wrapped", + "pack of gummy candies", + "packaged gummy candies", + " individually wrapped gummy candies", + "packet gummy candies", + "bagels individually wrapped gummy candies", + "bag of gummy candies", + "packaged gummy candies under $40", + " individually wrapped gummy candies under $40", + "packaged gummy candies under 50 dollars" + ], + "i want a long lasting comforter that is super soft and paw patrol colored.": [ + "super soft and paw patrol colored comforter", + "comforter super soft and paw patrol colored", + "super soft paw patrol colored comforter", + "coaxter super soft and paw patrol colored", + "comforter super soft paw patrol colored", + "long lasting comforter with a paw patrol colored", + "soft and paw patrol colored comforter", + "super soft and paw patrol colored comforter,", + "super soft and paw patrol colored", + "long lasting comforter" + ], + "i'm looking for nail polish for nail art to make our nail look beautiful.": [ + "nail polish for nail art", + "nude polish for nail art", + "nude polish nail art", + "nude polish for nail art nail look beautiful", + "nail polish for nail art that is beautiful", + "nail polish for nail art nail look beautiful", + "i nail polish for nail art", + "nail polish nail art", + "nail polish", + "lip polish for nail art" + ], + "i am looking for a long sleeve jumpsuits of 001-red.": [ + "long sleeve jumpsuits of 001-red", + "short sleeve jumpsuits of 001-red", + "001-red jumpsuits", + "curtains of 001-red", + "001-red jumpsuits long sleeve", + "jumpsuits of 001-red", + "001-red long sleeve jumpsuits", + "blue jumpsuits of 001-red", + "001-red jumpsuits under $40", + "001-red jumpsuit" + ], + "i'm looking for a nightstand with tempered glass for living room, size 19.7x11.8x23\" in retro brown color": [ + "nightstand 19.7x11.8x23 in retro brown color", + "nightstand 19.7x11.8x23 in retro brown", + "nightstand with tempered glass for living room, size 19.7x11.8x23", + "nightstand with tempered glass for living room 19.7x11.8x23", + "nightstand with tempered glass 19.7x11.8x23 in retro brown color", + "nightstand with tempered glass for living room size 19.7x11.8x23", + "nightstand with tempered glass living room 19.7x11.8x23 in retro brown", + "nightstand with tempered glass for living room", + "nightstand with tempered glass living room 19.7x11.8x23", + "nightstand with tempered glass" + ], + "i am looking for a fully cooked bow-tie of spaghetti pasta flavor": [ + "pink bow-tie spaghetti pasta flavor", + "rainbowtie of spaghetti pasta flavor", + "rainbow-tie of spaghetti pasta flavor", + "bageltie of spaghetti pasta flavor", + "pomegranate pasta flavor", + "rainbow-tie spaghetti pasta flavor", + "full cooked spaghetti pasta flavor", + "packet pasta flavor", + "full cooked bow-tie of spaghetti pasta", + "pink bow-tie of spaghetti pasta" + ], + "i am looking for gluten free turquoise edible glitter for cakes.": [ + "gluten free turquoise edible glitter cakes", + "turquoise edible glitter for cakes", + "gluten free turquoise edible glitter", + "gluten free turquoise edible glitter cake", + "turquoise edible glitter cakes", + "turquoise edible glitter for cakes.", + "turquoise edible glitter cakes gluten free", + "turquoise edible glitter", + "turquoise edible glitter cake", + "vegan bakery glitter" + ], + "i need a one pound bag of pink glitter that is kosher.": [ + "one pound bag of pink glitter", + "pink glitter one pound bag", + "pink glitter that is kosher", + "one pound bag of pink glitter, kosher", + "pink glitter one pound", + "pink glitter, kosher, one pound", + "two pound bag of pink glitter", + "pink glitter one pound below $50", + "pink glitter one pound under $50", + "1 pound bag of pink glitter" + ], + "i'm looking for a waterproof carrying case that can help secure my binoculars while bird watching.": [ + "waterproof carrying case for binoculars", + "waterproof carrying case for binoculars while bird watching", + "waterproof carrying case for binoculars, bird watching", + "waterproof carrying case for binoculars under $50", + "waterproof carrying case for binoculars under $40", + "womens binoculars waterproof carrying case", + " waterproof carrying case for binoculars", + "proof carrying case for binoculars", + "waterproof carrying case binoculars", + "womens binoculars waterproof" + ], + "i'm looking for made a cup cakes for birthday parties.": [ + "cup cakes for birthday parties", + "cup cakes for baby shower", + "cup cakes for a baby shower", + "cup cakes for birthday parties.", + "cup cakes for birthday party", + "cup cakes for bday parties", + "cup cakes for kids", + "cup cakes for small kids", + "cup cakes for toddler shower", + "cup cakes for babies" + ], + "i am looking for lake blue ridge parkway artwork-14 paintings for living room and its size is 48''wx24''h": [ + "Lake blue ridge parkway artwork-14 paintings for living room", + "lake blue ridge parkway artwork-14 paintings for living room", + "Lake blue ridge parkway artwork-14 paintings", + " lake blue ridge parkway artwork-14 paintings for living room", + "lake blue ridge parkway artwork-14 paintings", + "glac blue ridge parkway artwork-14 paintings", + " lake blue ridge parkway artwork-14 paintings", + "rain blue ridge parkway artwork-14 paintings for living room", + "glacewater parkway artwork 48wx24h", + "glacet blue ridge parkway artwork-14 paintings" + ], + "i'm looking for a standard plug and play computer mouse that is wired, preferably black.": [ + "standard plug and play computer mouse", + "standard plug and play computer mouse, black", + "standard plug and play computer mouse in black", + "standard plug and play computer mouse black", + "standard plug and play computer mouse wired black", + "standard plug and play computer mouse with wired", + "standard plug and play computer mouse with black", + "desktop computer mouse wired black", + "desktop mouse that is wired", + "desktop mouse wired black" + ], + "i want to buy a bronze wall scone with a bronze finish also. i would like it in the large size.": [ + "large bronze wall scone with a bronze finish", + " bronze wall scone with a bronze finish", + "small bronze wall scone with a bronze finish", + "plastic bronze wall scone with a bronze finish", + "gold wall scone with a bronze finish", + "brushed bronze wall scone with a bronze finish", + "a bronze wall scone with a bronze finish", + "large bronze wall scone with bronze finish", + "large bronze wall scone", + "large bronze wall scone with a bronze finish." + ], + "show me a day comfort knee high open toe z8-khaki open toe boots in 5.5 size made with quality materials.": [ + "knee high open toe z8-khaki open toe boots", + "walking boots in 5.5 size made with quality materials", + "day comfort knee high open toe z8-khaki", + "walking boots 5.5 size made with quality materials", + "walking boot 5.5 size made with quality materials", + "walking boot size z8-khaki", + "walking boots in 5.5", + "walking boots 5.5", + "walking boot 5.5", + "walking shoes 5.5" + ], + "i need high quality hair extensions that are 18 inches in size.": [ + "18 hair extensions 18 inches in size", + "18 high quality hair extensions", + "18 hair extensions 18 inches high quality", + "high quality hair extensions 18 inches long", + "hair extensions 18 inches high quality", + "high quality hair extensions 18 inches", + "hair extensions 18 inches in size", + "18 hair extensions 18 inches", + "18 hair extensions that are 18 inches", + "18 hair extensions" + ], + "i'm interested in this product, show me eye makeup remover, earth science, 4 fl oz (pack of 1), with green tea, hyaluronic acid.": [ + "earth science eye makeup remover 4 fl oz (pack of 1), with green tea, hyaluronic acid", + "eye makeup remover earth science 4 fl oz (pack of 1), with green tea, hyaluronic acid", + "earth science eye makeup remover 4 fl oz (pack of 1), with green tea hyaluronic acid", + "earth science eye makeup remover, 4 fl oz (pack of 1), with green tea, hyaluronic acid", + "oral makeup remover earth science 4 fl oz (pack of 1), with green tea, hyaluronic acid", + "elder makeup remover earth science 4 fl oz (pack of 1), with green tea, hyaluronic acid", + "eye makeup remover earth science 4 fl oz (pack of 1), with green tea hyaluronic acid", + "earth science eye makeup remover 4 fl oz (pack of 1), with green tea, hyaluronic acid,", + "eye makeup remover, earth science 4 fl oz (pack of 1), with green tea, hyaluronic acid", + "eye makeup remover earth science 4 fl oz (pack of 1), with green tea, hyaluronic acid," + ], + "i'm looking for a usb rechargeable lithium d batteries.": [ + "usb rechargeable lithium d batteries", + " usb rechargeable lithium d batteries", + "usb rechargeable lithium d batteries under $40", + "usb rechargeable lithium d batteries under $50", + "usb rechargeable lithium d batteries under $60", + "usb rechargeable lithium d batteries.", + "usb rechargeable lithium d batteries under $130", + "strawberry rechargeable lithium d batteries", + "usb rechargeable lithium d batteries under $120", + "a usb rechargeable lithium d batteries" + ], + "i am looking for black-1029 coaxial cable for smart tv.": [ + "black-1029 coaxial cable for smart tv", + "black-1029 coaxial cable smart tv", + "black-1029 coaxial cable", + "black-1029 coaxial cable tv", + "black-1028 coaxial cable for smart tv", + "black-1029 coaxial cable smart tv.", + "black-1029 cable for smart tv", + "black 1029 coaxial cable for smart tv", + "black-1029 coaxial cable home theater system", + "black-1029 coaxial cable TV" + ], + "i am looking for gold plated cables with size of 8 feet": [ + "gold plated cables", + "gold plated cables size of 8 feet", + "gold plated cables 8 feet", + "plated cables with size of 8 feet", + "gold plated cables for 8 feet", + "gold plated cables 8 ft", + "gold plated cables with size of 8", + "gold plated cables under $60", + "gold plated cables under $40", + "gold plated cables under $50" + ], + "i would like a small midweight beige thermal underwear top that has long sleeves.": [ + "small midweight beige thermal underwear top", + "small midweight beige thermal underwear top with long sleeves", + "small midweight beige thermal underwear top long sleeves", + "small midweight beige thermal underwear top, long sleeves", + "small midweight beige thermal underwear shirt with long sleeves", + "small midweight beige thermal underwear top under $50", + "small midweight beige thermal underwear top under $40", + "small midweight beige thermal underwear top that long sleeves", + "small midweight beige thermal underwear top short sleeves", + "small midweight beige thermal underwear" + ], + "i want a small fleece lined long sleeve crew neck shirt.": [ + "small fleece lined long sleeve crew neck shirt", + "small fleece lined long sleeve crew neck shirt.", + "small fleece lined long sleeve crew neck shirt under $50", + "small fleece lined long sleeve crew neck shirt under $40", + "small fleece lined long sleeve crew neck shirt under 50 dollars", + "small fleece lined long sleeve crew neck shirt under $60", + "small fleece lined long sleeve crew neck shirt under 30 dollars", + "small fleece lined long sleeve crew neck shirt under 40 dollars", + "small fleece lined long sleeve crew neck shirt,", + "small fleece lined long sleeve crew neck shirt below $50" + ], + "find me a long sleeve top for my teenage girl. she is x-large.": [ + "long sleeve top for teenage girl x-large", + "long sleeve top teenage girl x-large", + "teen girl long sleeve top x-large", + "short sleeve top for teenage girl x-large", + "short sleeve top teenage girl x-large", + "long sleeve top girl x-large", + "long sleeve top teenage girl x-large.", + "x-large girl long sleeve shirt", + "x-large teenage girl long sleeve shirt", + "x-large teenage girl long sleeve top" + ], + "i am looking for cal 100w eupen metal adjustable floor lamp with assembly required": [ + "al 100w eupen metal adjustable floor lamp", + "cal 100w eupen metal adjustable floor lamp", + "caled 100w eupen metal adjustable floor lamp", + "a cal 100w eupen metal adjustable floor lamp", + "floor lamp cal 100w with assembly", + "floor lamp with assembly cal 100w", + "floor lamp cal 100w", + "temporary floor lamp with assembly", + "floor lamp with assembly", + "al 100w eupen metal" + ], + "i am looking for men\u2019s running shoes size 10 which are light weight and slip resisistance.": [ + "men\u2019s running shoes size 10 with slip resisistance", + "mens running shoes size 10 with slip resisistance", + "mens running shoes size 10 which are light weight and slip resisistance", + "man\u2019s running shoes size 10 with slip resisistance", + "men\u2019s running shoes size 10", + "mens running shoes size 10, light weight and slip resisistance", + "mens running shoes size 10 that are light weight and slip resisistance", + "man\u2019s running shoes size 10", + "mens running shoes size 10", + "men\u2019s running shoes size 10 with slip resisistance." + ], + "i'm looking for hair products to white strong spray for hair loss products. it can very easy method.": [ + "white strong spray for hair loss products", + "hair products white strong spray for hair loss products", + "white strong spray for hair loss products under $40", + "white strong spray for hair loss products under $50", + "white strong spray for hair loss products under $60", + "whitewash spray for hair loss products", + "white strong spray hair loss products", + "white strong spray for hair loss", + "white strong spray hair products", + "hair products white strong spray" + ], + "i am looking for hair building fibers that are light brown for hair loss.": [ + "dark brown hair building fibers for hair loss", + "hair building fibers light brown for hair loss", + "light brown hair building fibers for hair loss", + "dark brown hair building fibers", + "light brown hair building fibers", + "dark brown hair building fibers that are light brown", + "light brown hair building fibers that are light brown", + "dark brown hair building fibers with hair loss", + "light brown hair building fibers for hair loss.", + "hair building fibers light brown" + ], + "i am looking for non toxic storage case for for travel usage": [ + "non toxic storage case for travel", + "non toxic storage case for travel usage", + "non toxic storage case for for travel", + "non toxic storage case", + "non toxic storage case for travel use", + "non toxic storage case for travel travel", + "non toxic storage case travel", + "non toxic storage case, for travel", + "non toxic storage case for a travel", + "non toxic storage case for" + ], + "i am looking for apple ipad mini 4, 1080p hd and color is silver": [ + "apple ipad mini 4 silver", + "apple ipad mini 4 in silver", + "apple ipad mini 4 with silver color", + "apple ipad mini 4 with silver", + "apple ipad mini 4, 1080p", + "apple ipad mini 4 black", + "apple ipad mini 4 gold", + "apple ipad mini 4 under $40", + "apple ipad mini 4 color", + "apple ipad mini 4 color is silver" + ], + "i'm looking for a ten pack of dairy free, non-gmo plant based sausage breakfast sandwiches.": [ + "10 pack of dairy free, non-gmo plant based sausage breakfast sandwiches", + "10 pack dairy free, non-gmo plant based sausage breakfast sandwiches", + "stainless dairy free, non-gmo plant based sausage breakfast sandwiches", + "ten pack of dairy free, non-gmo plant based sausage breakfast sandwiches", + "10 pack of dairy free non-gmo plant based sausage breakfast sandwiches", + "stainless sugar free, non-gmo plant based sausage breakfast sandwiches", + "chocolate free, non-gmo plant based sausage breakfast sandwiches", + "10 pack dairy free non-gmo plant based sausage breakfast sandwiches", + "ten pack dairy free, non-gmo plant based sausage breakfast sandwiches", + "10 pack dairy free, non-gmo plant based breakfast sandwiches" + ], + "i am looking for fine mist women fragrance.": [ + "fine mist women fragrance", + "fine mist women fragrance.", + "fine mist women fragrance under $40", + "fine mist women fragrance under $50", + "fine mist women fragrance under $60", + "fine mist women fragrance under 30 dollars", + "fine mist women fragrance under 50 dollars", + "fine mist women fragrance below $40", + "fine mist women fragrance below $50", + "fine mist women fragrance under 40 dollars" + ], + "i am looking for a black home office desk chairs for lumbar support.": [ + "black home office desk chairs for lumbar support", + "black office desk chairs for lumbar support", + "black home office desk chairs lumbar support", + "black home office desk chairs", + "home office desk chairs for lumbar support", + "black office desk chairs lumbar support", + "black home office desk chairs, lumbar support", + "black home office desk chairs with lumbar support", + "living room desk chairs for lumbar support", + "black office desk chairs" + ], + "i am looking for a z-5 green long sleeve women clothing": [ + "z-5 green long sleeve women clothing", + "green long sleeve women clothing z-5", + " z-5 green long sleeve women clothing", + "a z-5 green long sleeve women clothing", + "Z-5 green long sleeve women clothing", + "woman z-5 green long sleeve women clothing", + "green long sleeve women clothing", + "womens long sleeve women clothing z-5", + "z-5 green long sleeve women", + "womens z-5 green long sleeve women" + ], + "i would like a pair of size 9 grey snow boots that are water resistant.": [ + "grey snow boots size 9 water resistant", + "grey snow boots that are water resistant", + "grey snow boots size 9", + "grey snow boots size 9, water resistant", + "grey snow boots size 9 waterproof", + "grey snow boots in a size 9", + "grey snow boots, water resistant", + "grey snow boots in size 9 water resistant", + "grey snow boots water resistant size 9", + "grey snow boots water resistant" + ], + "i'm looking for furniture for kitchen a buy a desk for home office and coated steel and need buy it.": [ + "wooden desk for home office", + "wooden desk for home office and coated steel", + "living room furniture", + "wooden desk for home office with coated steel", + "living room furniture with coated steel", + "pink desk for home office", + "pink desk for home office with coated steel", + "wooden desk for home office, coated steel", + "wooden work desk for home office", + "wooden desk for kitchen" + ], + "i need 55 inch , teak color and easy clean modern simple style desk for home office": [ + "55 inch modern simple style desk for home office", + "55 inch modern simple style desk", + "55 inch , teak color desk for home office", + " 55 inch modern simple style desk for home office", + "55 inch teak color modern simple style desk for home office", + "55 inch teak color desk for home office", + "56 inch modern simple style desk for home office", + "50 inch modern simple style desk for home office", + "55 inch , teak color modern simple style desk", + "55 inch modern simple style desk for home office under $60" + ], + "i'm looking for multi colored home decor products.": [ + "multi colored home decor products", + "multi colored home decor products.", + "multicolored home decor products", + " multi colored home decor products", + "home decor products multi colored", + "Multi colored home decor products", + "single colored home decor products", + "multi colored home decor products", + "multi colored home decor", + " multi colored home decor products." + ], + "i would like a bundle set of earbud headphones that are water resistant.": [ + "a bundle set of earbud headphones that are water resistant", + "pack set of earbud headphones that are water resistant", + " bundle set of earbud headphones that are water resistant", + "bundle set of earbud headphones that are water resistant", + "packet of earbud headphones that are water resistant", + "pack of earbud headphones that are water resistant", + "packet set of earbud headphones that are water resistant", + "womens earbud headphones that are water resistant", + " bundle set of earbud headphones that are water resistant.", + "sea bud headphones that are water resistant" + ], + "i am looking for hair trimmer for beauty salon.": [ + "hair trimmer for beauty salon", + "hair trimmer beauty salon", + "hair trimmer for beauty salon.", + "beauty salon hair trimmer", + "hair trimmer beauty salon.", + "style hair trimmer for beauty salon", + "hair trimmer, beauty salon", + "hair trimmer for beauty salon", + "hair trimmer", + "hair trimmer for beauty salon," + ], + "i need a pair of nice indigo pants for hand wash only.": [ + "indigo pants for hand wash", + "nice indigo pants for hand wash", + "synthetic indigo pants", + "blue indigo pants for hand wash", + "nice indigo pants for hand wash only", + "daring indigo pants for hand wash", + "indigo pants for hand wash only", + "pink indigo pants for hand wash", + "nice indigo pants for hand wash,", + "indigo pants hand wash" + ], + "i'm looking for temporary tattoos for women's and it was sensitive skin and it also with dry skin.": [ + "temporary tattoos for womens sensitive skin", + "temporary tattoos for womens with dry skin", + "temporary tattoos for womens", + "temporary tattoos for womens with sensitive skin", + "temporary tattoos womens sensitive skin", + "temporary tattoos for womens sensitive sensitive skin", + "temporary tattoos of womens sensitive skin", + "temporary tattoos for womens sensitive", + "temporary tattoos", + "temporary tattoos womens" + ], + "looking for women's plus size fineline denim jegging which is machine washable and have regular fit and colour must be radiant purple": [ + "womens plus size fineline denim jegging with regular fit and colour", + "womens plus size fineline denim jegging which is machine washable", + "womens plus size fineline denim jegging which is machine washable and have regular fit and colour", + "womens plus size fineline denim jegging with regular fit and colour must be radiant purple", + "womens plus size fineline denim jegging with regular fit", + "womens plus size fineline denim jegging", + "womens plus size fineline denim jegging which is machine washable, radiant purple", + "womens plus size fineline denim jegging which is machine washable and have regular fit", + "womens plus size fineline denim jegging which is machine washable and has regular fit and colour", + "womens plus size fineline denim jegging which is machine washable with regular fit and colour" + ], + "i want long lasting eye shadow in color c.": [ + "long lasting eye shadow in color c", + "long lasting eye shadow color c", + "long lasting eye shadow", + "long lasting eye shadow in color", + "long lasting eye shadow, color c", + "long lasting eye shadow in color a", + "long lasting eye shadow colored c", + "eye shadow in color c", + "long lasting eye shadow c", + "lens color" + ], + "i want a desktop computer with intel quad core i5 processor.": [ + "desktop computer with intel quad core i5 processor", + "desktop computer with intel quad core i5 processor.", + "desktop computer Intel quad core i5 processor", + "desktop computer intel quad core i5 processor", + "desktop computer with intel quad core i5 processor,", + "tablet computer with intel quad core i5 processor", + "desktop computer that is intel quad core i5 processor", + " desktop computer with intel quad core i5 processor", + "desktop computer i5 processor", + "desktop computer quad core i5 processor" + ], + "i am looking for a low fat low calorie jerky": [ + "low fat low calorie jerky", + "low fat low calorie jerky under $40", + "low fat low calorie jerky below $40", + "low fat low calorie jerky under $60", + "low fat low calorie jerky under 50 dollars", + "low fat low calorie jerky below $50", + "low fat low calorie jerky below $60", + "low fat low calorie jerky under $50", + "low fat low calorie jerky under 30 dollars", + "low fat no calorie jerky" + ], + "i am looking for a round w | glass top coffee tables for living room.": [ + "glass top coffee table for living room", + "round w | glass top coffee table", + "round w | glass top coffee tables", + "glass top coffee tables for living room", + "tablet coffee table", + "roasted coffee table", + "glass top coffee table", + "bottle top coffee table", + "gluten free coffee table", + "living room coffee table" + ], + "i am looking for chocolate covered cream bon in a 8 ounce, holly box": [ + "chocolate covered cream bon in a 8 ounce holly box", + "chocolate covered cream bon 8 ounce holly box", + "chocolate covered cream bon holly box", + "chocolate covered cream bon, 8 ounce holly box", + "chocolate covered cream bon 8 oz holly box", + "chocolate covered cream bon in an 8 ounce holly box", + "chocolate covered cream bon in 8 ounce holly box", + "chocolate covered cream bon, 8 ounce, holly box", + "ocolate covered cream bon in a 8 ounce holly box", + "chocolate covered cream bon holly box 8 oz" + ], + "i'm looking for a laundry bag": [ + "laundry bag", + "living room laundry bag", + "womens laundry bag", + "laundry bag under $40", + "laundry bag under $50", + "laundry bag under $60", + "a laundry bag", + "laundry bag under 50 dollars", + "laundry bag for laundry", + "laundry bag under 40 dollars" + ], + "i'm looking for skin care for lip care products want to buy.": [ + "skin care for lip care products", + "skin care lip care products", + "skin care lip care products that are skin care", + "skin care lip care products want to buy.", + "skin care products", + "skin care products for lip care products", + "skin care lip care products for lip care", + "skin care", + "skin care for lip care products under $40", + "skin care for lip care products that are sensitive" + ], + "looking for bamboo toothbrush with charcoal bristles": [ + "bamboo toothbrush with charcoal bristles", + "toothbrush with charcoal bristles", + "brimmed toothbrush with charcoal bristles", + "green bamboo toothbrush with charcoal bristles", + "brittle toothbrush with charcoal bristles", + "brushed bamboo toothbrush with charcoal bristles", + "brimming teethbrush with charcoal bristles", + "buffet toothbrush with charcoal bristles", + "baby toothbrush with charcoal bristles", + "brush with charcoal bristles" + ], + "i want high performance 6 ft usb 2.0 male to male cable color black": [ + "6 ft usb 2.0 male to male cable color black", + "6 ft usb 2.0 male to male cable color", + "6ft usb 2.0 male to male cable color black", + " 6 ft usb 2.0 male to male cable color black", + "high performance 6 ft usb 2.0 male to male cable color", + "8 ft usb 2.0 male to male cable color black", + "6 ft usb 2.0 male to male cable", + "6 ft usb 2.0 cable color black", + "manual to male cable color black", + "6 ft usb 2.0 black" + ], + "i am looking for leak proof travel bottle. please choose pack of 50.": [ + "leak proof travel bottle pack of 50", + "leep proof travel bottle pack of 50", + "leek proof travel bottle pack of 50", + "teeth proof travel bottle pack of 50", + "leaky proof travel bottle pack of 50", + "leaks proof travel bottle pack of 50", + "leach proof travel bottle pack of 50", + "pack of 50 leak proof travel bottle", + "pink proof travel bottle pack of 50", + "50 leak proof travel bottle" + ], + "i'm looking for a pack of 96 eight-ounce amber-colored travel bottles that are bpa free.": [ + "pack of 96 eight-ounce amber-colored travel bottles", + "a pack of 96 eight-ounce amber-colored travel bottles", + "8 pack of 96 eight-ounce amber-colored travel bottles", + "pack of 96 amber-colored travel bottles that are bpa free", + "12 pack of 96 eight-ounce amber-colored travel bottles", + "24 pack of 96 eight-ounce amber-colored travel bottles", + "pack of 96 bpa free travel bottles", + "pack of 96 amber-colored travel bottles", + "8-ounce amber-colored travel bottles that are bpa free", + "8-ounce amber-colored travel bottles" + ], + "i'm looking for black colored round table accent table for bedroom uses.": [ + "black colored round table accent table", + "black colored accent table for bedroom uses", + "black colored accent table for bedroom uses.", + "black colored table accent table for bedroom uses", + "black colored stone accent table for bedroom uses", + "black colored living room accent table", + "black square table accent table for bedroom uses", + "black colored table accent table", + "black square table accent table", + "black colored accent table" + ], + "i am looking for a wild orchid round lip gross which is cruelty free.": [ + "wild orchid round lip gross", + "wild orchid round lip gross, cruelty free", + "wild orchid round lip gross cruelty free", + "wild orchid round lip gross under $40", + "wild orchid round lip gross cruelty free", + "wild orchid round lip gross under $50", + "wild orchid round lip gross under $60", + "wild orchid round lip gross", + "wild orchid round lip gross under 50 dollars", + "wild orchid round lip gross no cruelty" + ], + "i'm looking for open toe pillow slippers for need to buy it.": [ + "open toe pillow slippers", + "open toe pillow slippers under $40", + "open toe pillow slippers under $50", + "open toe pillow slippers under $60", + "open toe pillow slippers under 50 dollars", + "open toe pillow slippers below $40", + "open toe pillow slippers below $50", + "open toe pillow slippers,", + "open toe pillows", + "living room slippers" + ], + "i'm looking for hair removal for women's for rose gold it easy to use.": [ + "hair removal for womens rose gold", + "hair removal for womens rose gold easy to use", + "hair removal for womens rose gold it easy to use", + "hair removal for womens for rose gold", + "hair removal for womens for rose gold easy to use", + "easy to use hair removal for womens rose gold", + "hair removal for womens rose gold easy to use.", + "hair removal for womens rose gold", + "hair removal for womens", + "hair removal womens rose gold" + ], + "i'm looking for a pack of towelette deodorant long lasting with 10 in sensitive scent": [ + "towelette deodorant long lasting with 10 in sensitive scent", + "pack of towelette deodorant long lasting with 10 sensitive scent", + "pack of towelette deodorant long lasting with 10 scent", + "pack towelette deodorant long lasting with 10 in sensitive scent", + "pack of towelette deodorant long lasting", + "pack of towelette deodorant long lasting with sensitive scent", + "pack of towelette deodorant long lasting with 10", + "pack of towelette deodorant", + "pack long lasting with 10 in sensitive scent", + "pack" + ], + "i am looking for an assorted chocolate gift set that i can present to a friend.": [ + "bag of assorted chocolate gift set for a friend", + "bag of assorted chocolate gift set", + "chocolate gift set for a friend", + "bag of chocolate gift set for a friend", + "pack of assorted chocolate gift set", + "bag of chocolate gift set", + "bag of assorted chocolate gift set for a friend.", + "bag of assorted chocolate gift set for a girl", + "alarm chocolate gift set", + "chocolate gift set" + ], + "i am looking for long lasting disney cinderella kids 3.4oz edt spray": [ + "disney cinderella kids 3.4oz edt spray", + "3.4oz edt spray", + "della cinderella kids 3.4oz edt spray", + "kids 3.4oz edt spray", + "dining cinderella kids 3.4oz edt spray", + "dewnterella kids 3.4oz edt spray", + "3.4oz edt spray long lasting", + "3.4oz edt spray under $40", + "kids 3.4oz edt spray long lasting", + "4oz edt spray" + ], + "i'm looking for a cruelty free certified body wash which is made of natural ingredients for dry skin. also, choose pack of 1 with 16 fl oz one.": [ + "cruelty free certified body wash", + "cruelty free certified body wash with natural ingredients", + "cruelty free certified body wash 16 fl oz pack", + "cruelty free certified body wash pack of 1", + "cruelty free certified body wash 16 fl oz", + "cruelty free certified body wash, 16 fl oz", + "cruelty free certified body wash 16 fl oz one", + "cruelty free body wash", + " cruelty free certified body wash", + "cruelty free" + ], + "i need a black colored shower sponge with a long handle.": [ + "black colored shower sponge with long handle", + "black shower sponge with long handle", + "black colored shower sponge", + "black shower sponge with a long handle", + "bathroom sponge with long handle", + "black colored shower sponge long handle", + "bathroom sponge with long handle black", + "shower sponge with long handle black", + "black colored shower sponge, long handle", + "shower sponge with long handle" + ], + "i would like some 54w x 29l rose straight leg jeans.": [ + "54w x 29l rose straight leg jeans", + " 54w x 29l rose straight leg jeans", + "50w x 29l rose straight leg jeans", + "brushed straight leg jeans 54w x 29l", + "54w x 29l straight leg jeans", + "56w x 29l rose straight leg jeans", + "55w x 29l rose straight leg jeans", + "54w x 29l rose straight leg jeans.", + "brushed straight leg jeans 54w x 29l rose", + "brushed straight leg jeans" + ], + "i am looking for men's jeans of unleaded medium indigo color that is machine washable.": [ + "mens jeans of unleaded medium indigo color", + "mens jeans of unleaded medium indigo", + "mens jeans in unleaded medium indigo color", + "mens jeans, unleaded medium indigo color", + "mens jeans with unleaded medium indigo color", + "mens jeans, machine washable", + "mens jeans that are machine washable", + "mens jeans", + "mens jeans machine washable", + "mens jeans" + ], + "i would like some straight leg jeans that are a size 52w by 28l": [ + "straight leg jeans 52w by 28l", + "straight leg jeans size 52w by 28l", + "straight leg jeans in a size 52w by 28l", + "straight leg jeans, 52w by 28l", + "straight leg jeans a size 52w by 28l", + "straight leg jeans with a size 52w by 28l", + "straight leg jeans, size 52w by 28l", + "straight leg jeans in size 52w by 28l", + "straight leg jeans", + "straight leg jeans 52w by 28l size 52w" + ], + "i'm looking for skin care products that color black i need to buy.": [ + "skin care products color black", + "skin care products that color black", + "skin care products colored black", + "skin care products in color black", + "skin care products black", + "skin care products with color black", + "skin care products that are black", + "skin care products, color black", + "skin care products of color black", + "skin care products in black" + ], + "i'm looking for assembly required for home office chairs with wheels and it want to buy it.": [ + "home office chairs with wheels", + "assembly required for home office chairs with wheels", + "home office chairs with wheels that are assembly required", + " assembly required for home office chairs with wheels", + "com assembly required for home office chairs with wheels", + "home office chairs with wheels and assembly", + "assembly of home office chairs with wheels", + "home office chairs with wheels, assembly required", + "home office chairs", + "home office chair assembly" + ], + "i'm looking for 3.17 ounce coconut chips with tropical mango flavor and it should be soy free": [ + "3.17 ounce coconut chips with tropical mango flavor", + "3.17 ounce coconut chips", + "3.17 ounce coconut chips with tropical mango flavor soy free", + "3.17 ounce coconut chips that are soy free", + "3.17 ounce coconut chips with tropical mango flavor no soy", + "3.17 ounce coconut chips, tropical mango flavor", + "2.17 ounce coconut chips with tropical mango flavor", + "3.17 ounce coconut chips no soy", + "3.17 ounce coconut chips natural no soy", + "3.17 ounce coconut chips no soy flavor" + ], + "i am looking for an easy to install iphone 12 case with a butterfly orchid design on it.": [ + "iphone 12 case with a butterfly orchid", + "iphone 12 case with butterfly orchid design", + "iphone 12 case with butterflies orchid design", + "iphone 12 case with butterflies orchid", + "iphone 12 case, butterfly orchid design", + "iphone 12 case, butterfly orchid", + "iphone 12 case with butterfly orchid", + "iphone 12 case", + "iphone 12 case butterfly orchid design", + "iphone 12" + ], + "i need a dust proof carrying case for my vr head set.": [ + "dust proof carrying case for my vr head set", + "dust proof carrying case for vr head set", + "dust proof carrying case for a vr head set", + "dust proof carrying case for vr head set.", + "dust proof carrying case for the vr head set", + "dust proof carrying case vr head set", + "dust proof carrying case for vr head set,", + "dust proof carrying case for vr headset", + "dust proof carrying case", + "dust proof carrying vr head set" + ], + "i am looking for a sulfate & paraben free shampoo": [ + "sulfate & paraben free shampoo", + "sulfate and paraben free shampoo", + "sulfate paraben free shampoo", + "sulfate & paraben free shampoo under $40", + "sulfate & paraben free shampoo under $60", + "sulfate & paraben free shampoo under $50", + "sulfate & paraben free shampoo under 50 dollars", + "sulfate & paraben free shampoo under 30 dollars", + "sulfate & paraben free shampoo under 40 dollars", + "sulfate & paraben free shampoo below $40" + ], + "i need a king size bed with faux leather upholstery. pick one in dark brown.": [ + "king size bed with faux leather upholstery", + "king size bed faux leather upholstery", + "king size bed, faux leather upholstery", + "king size bed in faux leather upholstery", + "king size bed leather upholstery", + "king size bed dark brown", + "king size bed in dark brown", + "king size bed with faux leather", + "king size bed made from faux leather", + "king size bed faux leather" + ], + "i am looking for a contemporary designed california king faux leather bed.": [ + "contemporary designed california king faux leather bed", + "a contemporary designed california king faux leather bed", + "compact designed california king faux leather bed", + "comfortable designed california king faux leather bed", + "casual designed california king faux leather bed", + "alifornia king faux leather bed", + "calfornia king faux leather bed", + "casualty designed faux leather bed", + "alifornia king faux leather bed.", + "alifornia king faux leather bed, contemporary" + ], + "i'm looking for pink colored rectangular kitchen rugs for dinning table.": [ + "pink colored rectangular kitchen rugs for dining table", + "pink colored rectangular kitchen rugs", + "pink colored rectangular kitchen rug", + "pink colored rectangular kitchen rug for dinning table", + "pink colored rectangular kitchen rug for dining table", + "pink colored kitchen rugs for dinning table", + "pink colored rectangular kitchen rugs dining table", + "pink colored rectangular kitchen rug for dining table.", + "pink colored kitchen rugs", + "pink colored dining table rug" + ], + "i am looking for a medium long sleeve shirts for men": [ + "medium long sleeve shirts for men", + "medium long sleeve shirt for men", + "medium long sleeve shirts for men under $40", + "medium long sleeve shirts for men under 50 dollars", + "medium long sleeve shirts for men under $50", + "medium long sleeve shirts for men under 40 dollars", + "medium long sleeve shirts for men under $60", + "medium long sleeve shirts for men under 30 dollars", + "medium long sleeve shirts for men under 60 dollars", + "large long sleeve shirts for men" + ], + "i am looking for nickel color pendant lights that are easy to install.": [ + "pendant lights that are easy to install", + " nickel color pendant lights", + "n nickel color pendant lights", + "easy to install nickel color pendant lights", + "plastic pendant lights", + "nyl color pendant lights", + "10 nickel color pendant lights", + "nude color pendant lights", + "clockwise pendant lights", + "pendant lights" + ], + "tropical fruit punch drink": [ + "tropical fruit punch drink", + "tropical fruit punch drink under $40", + "tropical fruit punch drink under $50", + "tropical fruit punch drink under $60", + "tropical fruit punch drink under 30 dollars", + "tropical fruit punch drink under 50 dollars", + "tropical fruit punch drink under 60 dollars", + "tropical fruit punch drink below $40", + "tropical fruit punch drink", + "tropical fruit punch" + ], + "can i get a wireless charging station dock for my iphone xr which is fast charging ?": [ + "iphone xr wireless charging station dock", + "iphone xr charging station dock", + "iphone xr wireless charging dock", + "iphone xr charging dock", + "wireless charging station dock for iphone xr", + "wireless charging station dock iphone xr", + "iphone xr wireless charging station dock fast charging", + "iphone xr charging station dock fast charging", + "iphone xr charger dock", + "phone charging station dock" + ], + "i'm looking for a 6pcs amosfun heart cake toppers.": [ + "6pcs amosfun heart cake toppers", + "6pcs amosfun heart cake toppers.", + "6pcs amosfun heart cake toppers under $40", + "6pcs amosfun heart cake toppers under $50", + "6pcs amosfun heart cake toppers under 50 dollars", + "6pcs amosfun heart cake toppers under $60", + "6pcs amosfun heart cake toppers under 30 dollars", + "6pcs of amosfun heart cake toppers", + "6pcs amosfun heart cake toppers under 40 dollars", + "6pcs amosfun heart cake toppers under 60 dollars" + ], + "looking for phone ring light with aaa batteries": [ + "phone ring light with aaa batteries", + "phone ring light with aaa batteries under $40", + "phone ring light aaa batteries", + "phone ring light with aaa batteries under $50", + "phone ring light with aaa batteries under $60", + "smartphone ring light with aaa batteries", + "phone ring light, aaa batteries", + "pocket ring light with aaa batteries", + "phone ring light with aaa batteries below $40", + "phone ring light that is aaa batteries" + ], + "i am looking for a women's arch support ankle boots which contain soft memory foam. also choose brown in color and us 9 size.": [ + "womens arch support ankle boots with soft memory foam", + "womens arch support ankle boots which contain soft memory foam", + "womens arch support ankle boots that contain soft memory foam", + "womens arch support ankle boots brown", + "womens arch support ankle boots", + "womens arch support ankle boots brown in color and us 9", + "womens arch support ankle boots, brown", + "womens arch support ankle boots in brown", + "womens arch support ankle boots brown in color", + "womens ankle boots brown" + ], + "i am looking for nickel finish floor lamp": [ + " nickel finish floor lamp", + "floor lamp nickel finish", + "stainless finish floor lamp", + "plastic finish floor lamp", + "n nickel finish floor lamp", + "clockwise finish floor lamp", + "clockwise nickel finish floor lamp", + "nyl finish floor lamp", + "nude finish floor lamp", + " nickel finish floor lamp," + ], + "i am looking for a 3x large breeches for wide legs": [ + "3x large breeches for wide legs", + "3x large breeches wide legs", + "3x large breeches", + "3x large breeches with wide legs", + "3 x large breeches for wide legs", + "3xl breeches for wide legs", + "3x large breeches, wide legs", + "3x wide breeches for wide legs", + " 3x large breeches for wide legs", + "3xl breeches wide legs" + ], + "i am looking for a long sleeve sweater for a teen girl which is able to do cold wash. also choose red in color and large size.": [ + "long sleeve sweater for a teen girl", + "long sleeve sweater for a teen girl red in color and large size", + "long sleeve sweater for a teen girl in red", + "long sleeve sweater for a teen girl, red in color and large", + "long sleeve sweater for a teen girl red in color and large", + "long sleeve sweater for a teen girl in red large size", + "long sleeve sweater for a teen girl red", + "teen girl long sleeve sweater", + "teen girl long sleeve sweater large", + "long sleeve sweater" + ], + "i am searching for 3 dozen baked fresh cookie gifts which should be wrapped individually.": [ + "3 dozen baked fresh cookie gifts", + "3 dozen baked fresh cookie gifts, wrapped individually", + "3 dozen baked fresh cookie gifts under $50", + "3 dozen baked fresh cookie gifts wrapped individually", + "3 dozen baked fresh cookie gifts, wrapped individually,", + "3 dozen baked fresh cookie gifts, wrapped individually.", + "3 dozen baked fresh cookie gifts under $60", + "3 dozen baked fresh cookies gifts", + "3 baked fresh cookie gifts", + "3 cookies baked fresh" + ], + "i'm looking for high heel and sandal for drying shower.": [ + "high heel and sandal drying shower", + "high heel and sandal for drying shower", + "high heel and sandal shower", + "high heel sandal drying shower", + "high heel and sandal dried shower", + "high heel sandal for drying shower", + "high heel and sandal drying shower.", + "high heel and sandal", + "high heel sandal for drying shower.", + "high heel and sandal drying shower" + ], + "i would like a h color natural hairpiece.": [ + "h color natural hairpiece", + "natural hairpiece h color", + "h color natural hairpiece.", + "a h color natural hairpiece", + "natural hairpiece h color natural", + "natural hairpiece h color h color", + "a h color natural hairpiece.", + "human hairpiece h color natural", + " h color natural hairpiece", + "natural hairpiece h color h colored" + ], + "i'm looking for high definition it was easy to use.": [ + "high definition it was easy to use.", + "easy to use high definition high definition", + "high definition high definition", + "easy to use high definition high definition under $40", + "high definition high definition under $40", + "easy to use high definition high definition t-shirt", + "easy to use high definition high definition under $60", + "easy to use high definition high definition under $50", + "high definition high definition under $50", + "high definition high definition under $60" + ], + "i want to buy a product and i need your help. find this henna brand: henna hair & beard dye also chooses an auburn color.": [ + " henna brand with auburn color", + " henna brand auburn", + " henna hair & beard dye auburn", + "h henna brand with auburn color", + " henna brand with auburn", + " henna brand with auburn hair dye", + " henna brand, auburn", + " henna brand", + " henna brand with auburn hair color", + " henna brand with auburn colored" + ], + "i am looking for ultra hd android box with 4gb ram and 32gb rom.": [ + " ultra hd android box with 4gb ram and 32gb rom", + " ultra hd android box 4gb ram and 32gb rom", + " ultra hd android box with 4gb ram, 32gb rom", + " ultra hd android box with 4gb ram", + " ultra hd android box with 4gb ram with 32gb rom", + "Ultra hd android box with 4gb ram and 32gb rom", + " ultra hd android box with 4gb ram 32gb rom", + " ultra hd android box 4gb ram 32gb rom", + " ultra hd android box 4gb ram", + " ultra hd android box" + ], + "i would like a 6 by 9 foot printed photo backdrop for digital photography.": [ + "6 by 9 foot printed photo backdrop for digital photography", + "6 by 9 foot print photo backdrop for digital photography", + "6 x 9 foot printed photo backdrop for digital photography", + "6 by 9 foot printed photo backdrop", + "6 by 9 foot printed photo backdrop digital photography", + "6 x 9 foot print photo backdrop for digital photography", + "6 by 9 foot print photo backdrop digital photography", + "6x 9 foot printed photo backdrop for digital photography", + "6 by 9 foot print photo backdrop", + "6 x 9 foot printed photo backdrop digital photography" + ], + "i need a printed backdrop that is for digital photography.": [ + "print backdrop for digital photography", + "printed backdrop for digital photography", + "pink backdrop for digital photography", + "printed backdrop that is for digital photography", + "print backdrop that is for digital photography", + "portrait backdrop for digital photography", + "pink backdrop digital photography", + "printed backdrop digital photography", + "printed backdrop for digital photography.", + "print backdrop digital photography" + ], + "i am looking for high fructose chocolate bar. please choose peanut butter flavor.": [ + "high fructose chocolate bar peanut butter flavor", + "high fructose chocolate bar with peanut butter flavor", + "low fructose chocolate bar peanut butter flavor", + "high fructose chocolate bar that is peanut butter flavor", + "high fructose chocolate bar, peanut butter flavor", + "high fructose chocolate bar. peanut butter flavor", + "pomegranate butter chocolate bar", + "high fructose chocolate bar with peanut butter flavor.", + "chocolate bar peanut butter flavor", + "pomegranate butter chocolate bar flavor" + ], + "i am looking for a pair of women's size 5.5 knee high snow boots.": [ + "womens size 5.5 knee high snow boots", + "knee high snow boots 5.5", + "knee high snow boots size 5.5", + "knee high snow boots", + "mens size 5.5 knee high snow boots", + "knee high snow boots, 5.5", + "5.5 knee high snow boots", + "knee high snow boots in a size 5.5", + "size 5.5 knee high snow boots", + "walking boots size 5.5 knee high snow boots" + ], + "i am looking for professional water resistant airbrush makeup foundation having light golden luminous color, .5 fl oz": [ + "professional water resistant airbrush makeup foundation with light golden luminous color", + "professional water resistant airbrush makeup foundation having light golden luminous color", + "professional water resistant airbrush makeup foundation", + "professional water resistant airbrush makeup foundation .5 fl oz", + "professional water resistant airbrush makeup foundation that is light golden luminous", + "professional water resistant airbrush makeup foundation, .5 fl oz", + "professional water resistant airbrush makeup foundation, .5 fl oz", + "professional water resistant airbrush makeup foundation, light golden luminous", + "professional water resistant airbrush makeup foundation under $50", + "professional water resistant airbrush makeup foundation.5 fl oz" + ], + "i want a non toxic sulfate free cruelty free shampoo for healthy hair": [ + "non toxic sulfate free cruelty free shampoo for healthy hair", + "non toxic sulfate free shampoo for healthy hair", + "non toxic sulfate free cruelty free shampoo", + "non toxic sulfate free cruelty free shampoo for healthy air", + "non toxic sate free cruelty free shampoo for healthy hair", + "non toxic sulfate free cruelty free shampoo for healthy men", + "non toxic sulfate free cruelty free shampoo for healthy", + "non toxic sulfate free cosmetics shampoo for healthy hair", + "non toxic sulfate free hair shampoo", + "non toxic sulfate free hair shampoo for healthy hair" + ], + "i am looking for elastics & ties of black color for hair styling": [ + "elastics & ties of black color", + "elastics and ties of black color", + "elastics & ties of black color hair styling", + "elastics & ties black color for hair styling", + "elastics & ties of black hair styling", + "elastics & ties black hair styling", + "elastics black hair styling", + "elastics & ties of black", + "elastics & ties black color", + "elastics black" + ], + "i want 4 ounce anti ageing kit with bag which is good for face firming and fine lines.": [ + "4 ounce anti ageing kit with bag", + "4 ounce anti ageing kit with bag with fine lines", + "4 ounce anti ageing kit", + "4 ounce anti ageing kit with bag for face firming", + "4 ounce anti ageing kit with bag for face firming fine lines", + "anti ageing kit with bag for face firming and fine lines", + "4 ounce anti ageing kit with bag, good for face firming", + "4 ounce anti ageing kit with bag under $40", + "4 ounce anti ageing kit with bag under $50", + "anti ageing kit with bag" + ], + "i am looking for highly pigmented lipstick in seine sunset color": [ + "pink lipstick in seine sunset color", + "highly pigmented lipstick in seine sunset color", + "high pigmented lipstick in seine sunset color", + " highly pigmented lipstick in seine sunset color", + "pink lipstick seine sunset color", + "pink lipstick in seine sunset", + "pink lipstick, seine sunset color", + "pink pigmented lipstick seine sunset color", + "pink pigmented lipstick in seine sunset", + "highly pigmented lipstick seine sunset color" + ], + "i am looking for highly pigmented lipstick in golden grape color": [ + "pink lipstick in golden grape color", + "highly pigmented lipstick in golden grape color", + "pink pigmented lipstick in golden grape color", + "high pigmented lipstick in golden grape color", + " highly pigmented lipstick in golden grape color", + "pink colored lipstick in golden grape color", + "pink lipstick golden grape color", + "highly pigmented lipstick golden grape color", + "pink lip color", + "pink lipstick" + ], + "i'm looking for a volcanic reds lipstick with argan oil": [ + " volcanic reds lipstick with argan oil", + "hot volcanic reds lipstick with argan oil", + "a volcanic reds lipstick with argan oil", + "gmo reds lipstick with argan oil", + "fog reds lipstick with argan oil", + "fog red lipstick with argan oil", + " volcanic red lipstick with argan oil", + "s lipstick with argan oil", + "shoes with argan oil", + "shoes with argan oil volcanic reds" + ], + "am looking for highly pigmented l'oreal paris makeup colour riche original creamy, british red color": [ + "pink pigmented loreal paris makeup colour riche original creamy british red color", + "highly pigmented loreal paris makeup colour riche original creamy british red color", + "pink pigmented loreal paris makeup colour riche original creamy british red", + "pigmented loreal paris makeup colour riche original creamy british red color", + "highly pigmented loreal paris makeup colour riche original creamy british red", + "pigmented loreal paris makeup colour riche original creamy british red", + "highly pigmented loreal paris makeup colour riche original creamy, british red color", + "lip pigmented loreal paris makeup colour riche original creamy british red color", + "pink pigmented loreal paris makeup colour riche original creamy, british red", + "projection colour riche original creamy british red" + ], + "i am looking for bathroom laundry room wood framed decor.": [ + "bathroom laundry room wood framed decor", + "wood framed decor for bathroom laundry room", + "wood framed decor for bathroom laundry", + "wood framed decor bathroom laundry room", + "bathroom laundry room wood framed decor.", + "wood framed decor for bathroom laundry room.", + "wood framed decor for bathroom laundry laundry room", + "wood framed decor", + "wood framed decor bathroom laundry", + "wood framed decor." + ], + "i am looking for gluten free chocolate with blueberry flavor": [ + "gluten free chocolate with blueberry flavor", + "gluten free chocolate", + "gluten free chocolate blueberry flavor", + "gluten free chocolate drink mix", + "gluten free chocolate, blueberry flavor", + "gluten free chocolate flavor", + "gluten free chocolate chocolate", + "gluten free chocolate that is gluten free", + "gluten free chocolate chocolate flavor", + "gluten free chocolate chocolate drink mix" + ], + "vegan beard and stache balm paraben free": [ + "vegan beard and stache balm", + "vegan beard and stache balm free", + "vegan beard no stache balm", + "vegan beard and stache balm no alcohol", + "vegan beard with stache balm", + "vegan beard and stache balm no sugar", + "vegan beard no paraben", + "vegan beard stache balm", + "vegan beard under $50", + "vegan beard" + ], + "i am looking for a short sleeve t shirts for men of venom red (690) | black color.": [ + "short sleeve t-shirt for men of venom red (690)", + "short sleeve t-shirt men of venom red (690) black", + "short sleeve t shirts for men of venom red (690) black", + "short sleeve t-shirt for men of venom red", + "t-shirt for men of venom red (690) black", + "short sleeve t-shirt in venom red (690) black", + "short sleeve t-shirt men of venom red (690)", + "short sleeve t-shirt for men of venom red, black", + "short sleeve t-shirt for men of venom red black", + "short sleeve t-shirt men of venom red" + ], + "i am looking for one size t-shirts having short sleeves.": [ + "one size t-shirt with short sleeves", + "one size t-shirts with short sleeves", + "one size t-shirt short sleeves", + "t-shirt short sleeves", + "one size t-shirt having short sleeves", + "t-shirt with short sleeves", + "two size t-shirt with short sleeves", + "one size t-shirts having short sleeves", + "one size t-shirt, short sleeves", + "one size t-shirt long sleeves" + ], + "i am looking for a 2 pack of ready to eat turkey": [ + "2 pack of ready to eat turkey", + "2 pack ready to eat turkey", + "two pack of ready to eat turkey", + "1 pack of ready to eat turkey", + " 2 pack of ready to eat turkey", + "3 pack of ready to eat turkey", + "ready to eat turkey 2 pack", + "pink turkey 2 pack", + "2 pack turkey", + "2 pack of turkey" + ], + "i'm looking for a fully cooked meat loaf that comes in a four pack and has tomato sauce.": [ + "4 pack meat loaf with tomato sauce", + "4 pack fully cooked meat loaf with tomato sauce", + "pack of meat loaf four pack with tomato sauce", + "pack of meat loaf with tomato sauce", + "meat loaf four pack with tomato sauce", + "pack of fully cooked meat loaf with tomato sauce", + "large cooked meat loaf with tomato sauce", + "large cooked meat loaf with tomato sauce four pack", + "4 pack meat loaf that comes in a four pack", + "pack of meat loaf with tomato sauce four pack" + ], + "i am looking for makeup remover for sensitive skin.": [ + "pink makeup remover for sensitive skin", + "moisturizing for sensitive skin", + "beauty remover for sensitive skin", + " makeup remover for sensitive skin", + "pink makeup remover sensitive skin", + "makeup remover for sensitive skin", + "daring makeup remover for sensitive skin", + " makeup remover for sensitive skin.", + "beauty remover for sensitive skin.", + "moisturizing sensitive skin" + ], + "i would like a 12 foot gold plated hdmi male to male cable. and can i have 10 of them.": [ + "12 foot gold plated hdmi male to male cable", + " 12 foot gold plated hdmi male to male cable", + "12 foot gold plated hdmi cable", + "gold plated hdmi male to male cable", + "12 foot gold plated hdmi male cable", + "12 foot gold plated hdmi", + "gmo male to male cable", + "manual to male cable 12 foot", + "alarm cable 12 foot gold", + "manual to male cable" + ], + "i need a gold plated hdmi cable.": [ + "gold plated hdmi cable", + "i need a gold plated hdmi cable.", + "gold plated hdmi cable.", + "gold plated hdmi cable under $40", + "gold plated hdmi cable under $60", + "gold plated hdmi cable under $50", + "gold plated hdmi cable,", + "plated hdmi cable", + "gold plated hdmi cable less then $40", + "pink plated hdmi cable" + ], + "i need a high speed hdmi male to male cable which is gold plated.": [ + "high speed hdmi male to male cable", + "hdmi male to male cable which is gold plated", + "high speed hdmi male to male cable gold plated", + "low speed hdmi male to male cable", + "hdmi male to male cable", + "high speed hdmi male to male cable under $40", + "high speed hdmi cable gold plated", + "tv hdmi male to male cable", + "hdmi male to male cable", + "high speed hdmi cable" + ], + "men's tuxedo t-shirt for daily wear also choose white colour": [ + "mens tuxedo t-shirt in white", + "mens tuxedo t-shirt for daily wear", + "mens tuxedo t-shirt white", + "mens tuxedo t-shirt", + "mens tuxedo t-shirt, white", + "mens tuxedo t-shirt with white", + "mens tuxedo t-shirt in a white", + "mens tuxedo t-shirt that is white", + "mens tuxedo t-shirt daily wear white", + "mens tuxedo t-shirt black" + ], + "i want a pair of moisture wicking outdoor pants which is also machine washable. get me something in adaptive green versastretch color.": [ + "im looking for an adaptive green versastretch pants, and price lower than 50.00 dollars", + "womens wicking outdoor pants in adaptive green versastretch color", + "im looking for an adaptive green versastretch pants, and price lower than 40.00 dollars", + "womens wicking outdoor pants in adaptive green versastretch", + "tempered green versastretch pants", + "im looking for an adaptive green versastretch pants under 30 dollars", + "waterproof green versastretch pants", + "womens wicking outdoor pants", + "womens wicking outdoor pants, adaptive green versastretch color", + "moisturizing green versastretch pants" + ], + "i am looking for a large short sleeve t shirt for women": [ + "large short sleeve t shirt for women", + "large t-shirt for women", + "large short sleeve t-shirt", + "lens t-shirt for women", + "large short sleeve t-shirt women", + "large short sleeve t-shirt woman", + "womens t-shirt large", + "womens t-shirt", + "t-shirt for women", + "large men t-shirt" + ], + "hp slim tower desktop pc intel core j4025 processor (32gb/1tb hdd/1 tb ssd wired keyboard)": [ + "hp slim tower desktop pc intel core j4025 processor (32gb ssd wired keyboard)", + "hp slim tower desktop pc intel core j4025 processor (32gb", + "hp slim tower desktop pc intel core", + "hp slim tower desktop pc intel core j4025 processor (32gb ssd wired keyboard)", + "hp slim tower desktop pc intel core j4025 processor (32gb/1tb hdd", + "hp slim tower desktop pc intel core j4025 processor (32gb", + "hp slim tower desktop pc intel core j4025 processor", + "hp slim tower desktop pc intel core j4025 processor", + "desktop pc intel core j4025 processor", + "desktop pc intel core" + ], + "i'm looking for smartwatch accessories for compatible apple and glass screen and need to buy it.": [ + "smartwatch accessories for compatible apple and glass screen", + "smartwatch accessories compatible apple and glass screen", + "smartwatch accessories that are compatible apple and glass screen", + "smartwatch accessories compatible with compatible apple and glass screen", + "smartwatch accessories compatible with apple and glass screen", + "smartwatch accessories with compatible apple and glass screen", + "smartwatch accessories", + "smartwatch accessories apple and glass screen", + "smartwatch accessories, compatible apple and glass screen", + "smartwatch accessories for compatible apple and glass screen that are smartwatch" + ], + "i am looking for fragrance free lotion for dry skin": [ + "scent free lotion for dry skin", + "synthetic free lotion for dry skin", + "st fragrance free lotion for dry skin", + "soy free lotion for dry skin", + " fragrance free lotion for dry skin", + "vegan lotion for dry skin", + "soy breath free lotion for dry skin", + "pink lotion for dry skin", + "shampoo free lotion for dry skin", + "scent free lotion for dry skin," + ], + "i would like a white full size stairway bunk bed with a steel frame.": [ + "white full size stairway bunk bed with a steel frame", + "white full size stairway bunk bed", + "white full size stairway bunk bed with steel frame", + "white high rise bunk bed with a steel frame", + "white high quality stairway bunk bed with a steel frame", + "white full size stairway bunk bed, steel frame", + "white plus size stairway bunk bed with a steel frame", + "white full height stairway bunk bed with a steel frame", + "white full size stairway bunk bed steel frame", + "white full size stairway bunk bed that is steel" + ], + "i am looking for grey color steel metal bedframe that is heavy duty.": [ + "grey color steel metal bedframe heavy duty", + "grey steel metal bedframe heavy duty", + "grey steel metal bedframe that is heavy duty", + "grey color steel metal bedframe", + "grey color steel bedframe heavy duty", + "grey color steel metal bedframe, heavy duty", + "grey stone steel metal bedframe heavy duty", + "grey metal bedframe heavy duty", + "grey color steel metal bedframe heavy duty.", + "grey color steel metal bedframe with heavy duty" + ], + "i'm looking for heavy duty twin solid wood triple bunk bed with 2 drawer.": [ + "heavy duty twin solid wood triple bunk bed with 2 drawer", + "heavy duty twin solid wood triple bunk bed", + "twin solid wood triple bunk bed with 2 drawer", + "heavy duty twin solid wood triple bunk bed 2 drawer", + "double duty twin solid wood triple bunk bed with 2 drawer", + "heavy duty twin solid wood triple bunk bed with 2 draw", + "dust free twin solid wood triple bunk bed with 2 drawer", + "medium duty twin solid wood triple bunk bed with 2 drawer", + "twin solid wood triple bunk bed", + "two solid wood triple bunk bed with 2 drawer" + ], + "i want an espresso colored cotoala twin size daybed.": [ + "espresso colored cotoala twin size daybed", + "espresso colored cotoala twin size daybed.", + "espresso colored cotoala twin size daybed,", + "espresso colored cotoala twin bed", + " espresso colored cotoala twin size daybed", + " espresso colored cotoala twin size daybed.", + "epresso colored cotoala twin size daybed", + "espresso colored cotoala twin-bed", + "espresso colored cotoala twin", + "espresso colored daybed" + ], + "i looking foot files for removing dead foot skin stainless steel can clean easly set of 20 pcs": [ + "foot files for removing dead foot skin stainless steel", + "walking foot files for removing dead foot skin stainless steel", + "dead foot skin stainless steel easly set of 20 pcs", + "dead foot skin stainless steel", + "walking foot files clean easly set of 20 pcs", + "fog files for removing dead foot skin stainless steel", + "foot files for removing dead foot skin stainless steel under $40", + "foot files of dead foot skin stainless steel", + "walking foot files", + "foot files" + ], + "i am looking for an alcohol free night cream for my face. make sure it is for sensitive skin.": [ + "alcohol free night cream for sensitive skin", + "alarm cream for sensitive skin", + "alcohol free night cream for sensitive skin.", + "an alcohol free night cream for sensitive skin", + "night cream for sensitive skin", + "alcohol free night cream", + "moisturizing cream for sensitive skin", + "alcohol free night cream for sensitive skin,", + "a night cream for sensitive skin", + "alcohol free night cream sensitive skin" + ], + "i need two lounge chairs for outdoors. it should be in grey, easy to assemble with a steel frame.": [ + "two lounge chairs for outdoors", + "two lounge chairs for outdoors with a steel frame", + "two lounge chairs for outdoors in grey", + "two lounge chairs for outdoors with steel frame", + "two lounge chairs for outdoors, steel frame", + "two lounge chairs in grey", + "grey lounge chairs for outdoors", + "two grey lounge chairs for outdoors", + "two lounge chairs", + "grey lounge chairs" + ], + "gummy and candy corn 5 pound with resealable bag": [ + "gummy and candy corn 5 pound", + "gummy and candy corn 5 pound resealable bag", + "gummy and candy corn 5 pound under $40", + "gummy and candy corn 5 pound under 50 dollars", + "gummy and candy corn 5 pound under $50", + "gummy and candy corn 5 pound under $60", + "gummy and candy corn 5 pound bag", + "gummy candy corn 5 pound", + "bag of candy corn 5 pound", + "bag candy corn 5 pound" + ], + "i'm looking for a anti perspirant deodorant that is long lasting.": [ + "anti perspirant deodorant long lasting", + "anti perspirant deodorant that is long lasting", + "anti perspirant deodorant", + "ant perspirant deodorant long lasting", + "anti perspirant deodorant that is long lasting.", + "anti perspirant deodorant long lasting.", + "anti perspirant deodorant, long lasting", + "ant perspirant deodorant that is long lasting", + "anti perspirant deodorant whose price is long lasting", + "anti perspirant deodorant long lasting under $40" + ], + "help me find a high quality, easy clean set of massage table covers in blue.": [ + "easy clean set of massage table covers in blue", + "mushroom table covers in blue", + "mushroom table cover in blue", + "easy clean set of massage table cover in blue", + "easy clean set of massage table covers", + "high quality, easy clean set of massage table covers", + "easy clean set of massage table covers in blue.", + "bathroom table covers in blue", + "easy clean set of massage table covers, blue", + "easy clean set of massage table covers in blue," + ], + "i am looking for a 120 light concealers & neutralizers for dark circles": [ + "light concealers & neutralizers for dark circles", + "light concealers & neutralizers for dark circles under 120 dollars", + "120 light concealers & neutralizers for dark circles", + "light concealers & neutralizers for dark circles under $120", + "light concealers & neutralizers for dark circles 120", + "light concealers & neutralizers for dark circles under $40", + "light concealers & neutralizers for dark circles under $60", + "light concealers & neutralizers for dark circles under 30 dollars", + "light concealers & neutralizers for dark circles under 40 dollars", + "light concealers & neutralizers for dark circles under 60 dollars" + ], + "i'm looking for eye shadow for eye makeup.": [ + "eye shadow for eye makeup", + "eye shadow for eye makeup.", + "eye shadow", + "Eye shadow for eye makeup", + "orange eye shadow for eye makeup", + "eye shadow, eye makeup", + "eye shadow eye makeup", + "oral eye shadow", + "oral makeup eye shadow", + "orange eye shadow" + ], + "i need a high quality bed cover that is easy to clean. find something in purple.": [ + "pink bed cover that is easy to clean", + "high quality bed cover that is easy to clean", + "high quality bed cover in purple", + "pink bed cover", + "easy clean bed cover in purple", + "pink bed cover, easy to clean", + "easy clean bed cover purple", + "high quality bed cover purple", + "high quality bed cover, easy to clean", + "high quality bed cover" + ], + "i'm looking for temper glass and glass screen for cell phones acesseries and the color fray need to buy it.": [ + "tempered glass screen for cell phones acesseries", + "tempered glass phone screen", + "tempered glass and glass screen cell phones acesseries", + "tempered glass phone screen in acesseries", + "tempered glass and glass screen for cell phones", + "tempered glass and glass screen", + "tempered glass phone screen color fray", + "tempered glass screen", + "tempered glass phone screens", + "tempered glass" + ], + "i am looking for hair growth oil with natural ingredients": [ + "hair growth oil natural", + "hair growth oil with natural ingredients", + "hair growth oil natural no synthetic", + "hair growth oil natural no oil", + "hair growth oil", + "hair growth oil natural no natural", + "hair growth oil no natural", + "hair growth oil natural ingredients", + "natural hair growth oil", + "hair growth oil natural natural" + ], + "i am looking for a cake toppers for party supplies and flavor must be new cake toy- cheese flavor (girls).": [ + "cake toppers for party supplies and flavor must be new cake toy- cheese flavor", + "cake toppers for party supplies with cheese flavor (girls)", + "cake toppers for party supplies with cheese flavor", + "cake toppers for party supplies with cheese flavor (girls).", + "cake toppers for party supplies and flavor", + "cake toppers for party supplies- cheese flavor (girls)", + "cake toppers for party supplies", + "cake toppers for party supplies and flavor must be old cake toy- cheese flavor", + "cake toppers for party supplies- cheese flavor", + "cake toppers with cheese flavor" + ], + "i'm looking for soy wax for candles and its for long lasting.": [ + "soy wax candles long lasting", + "soy wax candles long lasting", + "synthetic candles long lasting", + "sneakers long lasting", + "soy wax candles long lasting.", + "strawberry candles long lasting", + "soy wax candle candles long lasting", + "strawberry wax candles long lasting", + "som wax candles long lasting", + "soy wax candles long lasting." + ], + "i would like a standing shelf unit for my living room.": [ + "living room standing shelf unit", + "stand shelf unit for living room", + "stand shelf unit for my living room", + "living room living room standing shelf unit", + "stand shelf unit for living room.", + "stand shelf unit for the living room", + "living room shelf unit", + "standing shelf unit for my living room", + "standing shelf unit for living room", + "living room stand shelf unit" + ], + "i need a vegan smoothie in chocolate strawberry flavor. it should be soy and lactose free.": [ + "vegan smoothie chocolate strawberry flavor", + "vegan smoothie in chocolate strawberry flavor", + "vegan smoothie chocolate strawberry flavor, soy and lactose free", + "vegan smoothie in chocolate strawberry flavor that is soy free", + "vegan smoothie in chocolate strawberry flavor no soy and lactose", + "vegan smoothie in chocolate strawberry flavor no soy", + "vegan smoothie chocolate strawberry flavor no soy", + "vegan smoothie chocolate strawberry flavor that is soy free", + "pomegranate smoothie in chocolate strawberry flavor", + "vegan smoothie with chocolate strawberry flavor" + ], + "i would like a 3.52 ounce bottle of baby blue and pink body glitter that is long lasting.": [ + "baby blue body glitter long lasting", + "baby blue body glitter", + "baby blue and pink body glitter", + "baby blue and pink body glitter long lasting", + "baby blue body glitter that is long lasting", + "baby blue and pink body glitter that is long lasting", + "baby blue body glitter long lasting 3.52 oz", + "3.52 ounce bottle of baby blue body glitter", + "baby blue body glitter 3.52 oz long lasting", + "baby blue body glitter 3.52 oz" + ], + "i am looking for 4 packs of fat free chicken meat.": [ + "4 packs of fat free chicken meat", + "4 pack of fat free chicken meat", + "4 packs fat free chicken meat", + "fat free chicken meat 4 packs", + "fat free chicken meat 4 pack", + "8 packs of fat free chicken meat", + "6 packs of fat free chicken meat", + "4 pack fat free chicken meat", + "3 packs of fat free chicken meat", + "4 fat free chicken meat" + ], + "i need a sugar free and gluten free salami pack with a barolo flavor.": [ + "sugar free and gluten free salami pack", + "gluten free salami pack with a barolo flavor", + "sugar free salami pack with a barolo flavor", + "sugar free and gluten free salami pack under $40", + "sugar free and gluten free salami pack under $60", + "sugar free and gluten free salami pack under $50", + "salami pack with a barolo flavor", + "sugar free gluten free salami pack", + "gluten free salami pack", + "sugar free salami pack" + ], + "i'm looking for high speed accessories and three product of packaging.": [ + "high speed accessories three product of packaging", + "high speed accessories and three product of packaging", + "high speed accessories, three product of packaging", + "three product of packaging", + "high speed accessories three product of packaging.", + "high speed accessories 3 product of packaging", + "low speed accessories and three product of packaging", + "low speed accessories three product of packaging", + "three product of packaging high speed accessories", + "three product of packaging high speed" + ], + "show me a single pack high speed gold plated hdmi male to female cable with 100 feet length.": [ + "single pack high speed gold plated hdmi male to female cable", + "single pack high speed gold plated hdmi male to female cable under $40", + "single pack high speed gold plated hdmi male to female cable under $60", + "single pack high speed gold plated hdmi male to female cable under $50", + "single pack high speed gold plated hdmi male to female cable under 50 dollars", + "single pack high speed gold plated hdmi male to female cable 100 feet length", + "single pack high speed gold plated hdmi cable with 100 feet length", + "single pack high speed gold plated hdmi female cable with 100 feet length", + "single pack high speed gold plated hdmi men to female cable", + "single pack high speed gold plated hdmi female cable" + ], + "i want a 2 pack of 80 foot long gold plated hdmi male to male cables.": [ + "2 pack of 80 foot long gold plated hdmi", + "2 pack of 80 foot long gold plated hdmi cable", + "2 pack gold plated hdmi male to male cables", + "2 pack long gold plated hdmi male to male cables", + "2 pack of 80 foot long gold plated hdmi cables", + "2 pack hdmi male to male cables", + "2 pack of women to male cables", + "gmo male to male cables 2 pack", + "2 pack hdmi male to male cables 2 pack", + "2 pack hdmi male to male cables," + ], + "i am looking for refurbished bluetooth speaker.": [ + "refurbished bluetooth speaker", + "furnished bluetooth speaker", + " refurbished bluetooth speaker", + "refurnished bluetooth speaker", + "womens bluetooth speaker", + "duckished bluetooth speaker", + "bluetooth speaker refurbished", + " refurbished bluetooth speaker.", + "refurbished bluetooth speaker.", + "furnished bluetooth speaker." + ], + "i am looking for a slide scanner with usb and aaa batteries included. it should be easy to carry as well.": [ + " slide scanner with usb and aaa batteries", + "slide scanner with usb and aaa batteries", + "glide scanner with usb and aaa batteries", + "a slide scanner with usb and aaa batteries", + "slide scanner with usb aaa batteries", + "slide scanner, usb and aaa batteries", + " slide scanner with usb aaa batteries", + " slide scanner that is easy to carry", + "slide scanner", + " slide scanner" + ], + "i would like to buy a large poster for the living room of size 70\"wx40\"h that is easy to install.": [ + "large poster for living room of size 70wx40h", + "large poster for the living room size 70wx40h", + "large poster for the living room", + "large poster living room size 70wx40h", + "large poster for living room size 70wx40h", + "large poster living room of size 70wx40h", + "large poster for the living room that is easy to install", + "large poster for living room", + "size 70wx40h poster", + "large poster living room" + ], + "i want a primer face plant based and oil free": [ + "im primer face plant based and oil free", + "im primer face plant based oil free", + " primer face plant based oil free", + " primer face plant based and oil free", + "pink face plant based and oil free", + " primer face plant oil free", + "primeline face plant based oil free", + "pink face plant based oil free", + "im primer face plant oil free", + "primeline face plant oil free" + ], + "i am searching for high gloss storage cabinet organizer for living room": [ + "high gloss storage cabinet organizer for living room", + "high gloss storage cabinet organizer", + "high gloss storage cabinet organizer living room", + "high gloss storage cabinet organizer in living room", + "high gloss storage cabinet organizer, living room", + "low gloss storage cabinet organizer for living room", + "medium gloss storage cabinet organizer for living room", + "high gloss storage cabinet organizer for living room,", + "living room high gloss storage cabinet organizer", + "high gloss storage cabinet organizer, for living room" + ], + "i am looking for a dresser. it should be made of engineered wood and please choose jamocha wood finish.": [ + "engineered wood dresser made from jamocha wood finish", + "jeans dresser made of engineered wood", + "jeans dresser made from engineered wood", + "engineered wood dresser, jamocha wood finish", + "engineered wood dresser made of jamocha wood finish", + "engineered wood dresser", + "dressinger made of engineered wood", + "engineered wood dresser made of engineered wood", + "jeamocha wood dresser", + "router made of engineered wood" + ], + "i am looking for a dairy free soft baked cookies with soy free. also choose gingerbread spice flavor and 1 ounce (pack of 36) one.": [ + "veganbread spice cookies 1 ounce (pack of 36)", + "moisturizing cookies with soy free", + "dairy free soft baked cookies with soy free", + "veganbread spice cookies 1 ounce (pack of 36) one", + "moisturizing cookies with soy free flavor", + "moisturized cookies with soy free", + " dairy free soft baked cookies with soy free", + "dairy free cookies with soy free", + "dairy free soft baked cookies with soy free flavor", + "moisturizing cookies" + ], + "i am looking for a blue linen contemporary design beds.": [ + "blue linen contemporary design beds", + "blue linen contemporary design beds.", + "blue linen modern design beds", + "blue linen contemporary design beds under $40", + "blue linen contemporary design beds under $50", + "blue linen contemporary design beds under $60", + "blue linen contemporary design beds under 30 dollars", + "blue linen contemporary design beds under 50 dollars", + "blue linen contemporary design beds under $120", + "blue linen contemporary design beds under 40 dollars" + ], + "i'm looking for a 4 pounds bag of individually wrapped chocolate candies.": [ + "4 pounds bag of individually wrapped chocolate candies", + "4 pound bag of individually wrapped chocolate candies", + "pack of individually wrapped chocolate candies", + "4pound bag of individually wrapped chocolate candies", + "pack of individually wrapped chocolate candies 4 pounds", + "bag of individually wrapped chocolate candies", + "bag of individually wrapped chocolate candies 4 pounds", + "4 pounds pack of individually wrapped chocolate candies", + "4 pounds of individually wrapped chocolate candies", + "4 pounds chocolate candies" + ], + "i need a facial scrub that is anti aging and is made of natural ingredients.": [ + "facial scrub anti aging natural", + "facial scrub anti aging", + "moisturizing facial scrub natural", + "facial scrub anti aging with natural ingredients", + "moisturizing facial scrub", + "macial scrub anti aging natural", + "facial scrub anti aging and natural", + "facial scrub anti aging natural no aging", + "facial scrub natural", + "anti aging facial scrub" + ], + "i am looking for a non-slip slide sandals shoes that has 8 wide size. ad please get me the black one": [ + "non-slip slide sandals shoes 8 wide", + "non-slip slide sandals shoes 8 wide size", + "non-slip slide sandals shoes", + "non-slip slide sandals shoes, 8 wide", + "non-slip slide sandals shoe 8 wide", + "non-slip slide sandals shoes in 8 wide", + "non-slip slide sandals shoes 9 wide", + "non-slip slide sandals", + "walking shoes 8 wide", + "sneakers 8 wide" + ], + "find me a light weight monopod made of carbon fiber.": [ + "light weight monopod made of carbon fiber", + "pomod made of carbon fiber", + "heavy weight monopod made of carbon fiber", + "low weight monopod made of carbon fiber", + "pom monopod made of carbon fiber", + "light weight monopod made of carbon fiber.", + "pom tennis monopod made of carbon fiber", + " monopod made of carbon fiber", + "p monopod made of carbon fiber", + "light weight monopod made from carbon fiber" + ], + "i want to find a plum fire hd 8 tablet with a quad core and 32 gigabytes of storage space. it needs to have a lock screen and come with a case and screen protector.": [ + "pink fire hd 8 tablet with a quad core and 32 gigabytes of storage space", + "plum fire hd 8 tablet with a quad core and 32 gigabytes of storage space", + "pink fire hd 8 tablet with a quad core with 32 gigabytes of storage space", + "plush fire hd 8 tablet with a quad core and 32 gigabytes of storage space", + " plum fire hd 8 tablet with a quad core and 32 gigabytes of storage space", + "plastic fire hd 8 tablet with a quad core and 32 gigabytes of storage space", + "plum fire hd 8 tablet with a quad core with 32 gigabytes of storage space", + "pomegranate fire hd 8 tablet with a quad core and 32 gigabytes of storage space", + "pink fire hd 8 tablet with a quad core 32 gigabytes of storage space", + "pink fire hd 8 tablet with a quad core" + ], + "i need 8\" hd display, 64 gb quad core tablet with lockscreen ad-supported": [ + "8 hd display, 64 gb quad core tablet", + "8 hd display with lockscreen ad-supported", + "8 hd display quad core tablet with lockscreen", + "8 hd display, 64gb quad core tablet", + "8 hd display 64 gb quad core tablet", + "8 hd quad core tablet with lockscreen ad-supported", + "8 hd quad core tablet with lockscreen", + "8 hd tablet with lockscreen", + "8 hd display with lockscreen", + "8 hd display" + ], + "i would like a black 64 gigabyte tablet with a case and screen protector. it also needs to be able to be hands free and have a ad supported lockscreen.": [ + "black 64 gigabyte tablet with a case and screen protector", + "black 64 gigabyte tablet with case and screen protector", + "black 64 gigabyte tablet case and screen protector", + "black 32 gigabyte tablet with a case and screen protector", + "black 64 gigabyte tablets with a case and screen protector", + "black 64 gigabyte tablet case with screen protector", + "black 64 gigabyte tablet", + "black 64 gigabyte tablet case with a screen protector", + "black 64 gigabyte tablet with a case with screen protector", + "black 32 gigabyte tablet with case and screen protector" + ], + "i'm looking for nickel finish for living room.": [ + " nickel finish living room", + " nickel finish for living room", + " nickel finish for living room.", + "stainless finish living room", + "plastic finish for living room", + "nude finish living room", + "nyl finish living room", + "n nickel finish living room", + "pink finish living room", + " nickel finish living room." + ], + "i am looking for an organic shampoo which is effective my hair lose . and i choose the 4 ounce hair treatment": [ + "organic shampoo 4 ounce", + "organic shampoo 4 ounce hair treatment", + "organic shampoo 4 oz", + "organic shampoo 4 ounce less then $40", + "4 ounce hair treatment", + "organic shampoo, 4 ounce", + "organic shampoo 4 ounce less then 50 dollars", + "organic shampoo 4 ounce less then $60", + "organic shampoo 4 ounces", + "organic shampoo 4 ounce less then 40 dollars" + ], + "i am looking for a shampoo 17.5 ounce for hair growth hair loss": [ + "shampoo 17.5 ounce for hair growth hair loss", + "shampoo 17.5 ounce for hair growth", + "shampoo 17.5 ounce for hair growth hair", + "shampoo 17.5 ounce", + "shampoo 17.5 ounce hair growth hair loss", + "shampoo 17.5 ounce hair growth", + " shampoo 17.5 ounce for hair growth hair loss", + "sampoo 17.5 ounce for hair growth hair loss", + "shampoo 17.5 oz for hair growth hair loss", + "s shampoo 17.5 ounce for hair growth hair loss" + ], + "i want a 2 ounce shampoo bottle of hormonal balance made from argan oil.": [ + "2 ounce shampoo bottle of hormonal balance made from argan oil", + "shampoo bottle of hormonal balance made from argan oil", + "two ounce shampoo bottle of hormonal balance made from argan oil", + "1 ounce shampoo bottle of hormonal balance made from argan oil", + "shampoo bottle of hormonal balance made from argan oil 2 ounce", + "2 ounce shampoo bottle of hormonal balance made from argan oil.", + " 2 ounce shampoo bottle of hormonal balance made from argan oil", + "shampoo bottle of hormonal balance made from argan oil 2 oz", + "2 ounce shampoo bottle of hormonal balance made from argan oil,", + "woman shampoo bottle of hormonal balance made from argan oil" + ], + "i want a bottle of flower power laritelle organic shampoo.": [ + "flower power laritelle organic shampoo", + "beauty power laritelle organic shampoo", + "rosy power laritelle organic shampoo", + " flower power laritelle organic shampoo", + "leather power laritelle organic shampoo", + "sea power laritelle organic shampoo", + "synthetic shampoo flower power laritelle", + "lemon power laritelle organic shampoo", + "flower power laritelle organic shampoo.", + "beauty power laritelle organic shampoo." + ], + "i am looking healthy crispy chips snacks gluten free low fat high protein size: 4 ounce (pack of 6)": [ + "healthy crispy chips snacks 4 ounce (pack of 6)", + "healthy crispy chips snacks 4 oz (pack of 6)", + " healthy crispy chips snacks 4 ounce (pack of 6)", + "healthy crispy chips snacks 4ounce (pack of 6)", + "healthy crispy chips snacks gluten free low fat high protein", + "healthy crispy chips snacks 4oz (pack of 6)", + "healthy crispy chips snacks, gluten free low fat high protein", + "healthy crispy chips snacks gluten free high protein", + "healthy crispy chips snacks gluten free", + "healthy crispy chips snacks" + ], + "i am looking for a ac adapters for wireless bluetooth": [ + "ac adapters for wireless bluetooth", + "ac adapter for wireless bluetooth", + "ac adapters wireless bluetooth", + "a adapters for wireless bluetooth", + "ac adapters for bluetooth", + " ac adapters for wireless bluetooth", + "a wireless bluetooth ac adapters", + "ac adapter wireless bluetooth", + "ac adapters", + "a wireless bluetooth ac adapter" + ], + "i am looking for a white engineered wood for bookcases": [ + "white engineered wood for bookcases", + "white engineered wood bookcases", + "white engineered wood bookcases under $60", + "white engineered wood bookcases under $50", + "white engineered wood bookcases under $40", + "white engineered wood bookcases under $120", + "white engineered wood bookcases under $130", + "white engineered wood", + "white engineered wood bookcases,", + "white engineered wood to bookcases" + ], + "i need chandelier light fixture for dining room which should have bronze finish and glass shades.": [ + "chandelier light fixture dining room bronze finish", + "chandelier light fixture dining room with bronze finish and glass shades", + "chandelier light fixture dining room bronze finish and glass shades", + "chandelier light fixture dining room with bronze finish", + "chandelier light fixture dining room bronze finish with glass shades", + "chandelier light fixture for dining room with bronze finish", + "chandelier light fixture dining room, bronze finish and glass shades", + "chandelier light fixture for dining room bronze finish and glass shades", + "chandelier light fixture for dining room which should have bronze finish", + "chandelier light fixture for dining room" + ], + "i am looking for a set of 2 velvet fabric dining chairs for my dining room . and i choose the teal one": [ + "teal dining chairs", + "set of 2 velvet fabric dining chairs", + "2 velvet fabric dining chairs for dining room", + "teal dining chairs for dining room", + "2 velvet fabric dining chairs", + "teal dining chairs set of 2", + "set of 2 velvet fabric dining chairs dining room", + "two velvet fabric dining chairs for dining room", + "2 velvet fabric dining chairs for my dining room", + "two velvet fabric dining chairs" + ], + "i need to buy some old fashioned cocktail bitters for a gift. look for the \"mole negro\" flavor.": [ + "old fashioned cocktail bitters for a gift", + "old fashioned cocktail bitters for a gift under 50 dollars", + "old fashioned cocktail bitters for a gift under 60 dollars", + "old fashioned cocktail bitters for a gift under 30 dollars", + "old fashioned cocktail bitters", + "old fashioned cocktail bitters for a gift under $40", + "old fashioned cocktail bitters for a gift under $50", + "old fashioned cocktail bitters for a gift under $60", + "old fashioned cocktail bitters for a gift under 40 dollars", + "old fashioned cocktail bitters with mole negro flavor" + ], + "i'm looking for short sleeve outfit large sized.": [ + "short sleeve shirt large", + "short sleeve outfit large", + "short sleeve shirt large sized", + "short sleeve outfit large sized", + "short sleeve shirt large sash", + "short sleeve shirt that is large", + "short sleeve shirt large size", + "short sleeve shirt", + "short sleeve shirt under $50", + "short sleeve shirt under $40" + ], + "i am looking for a fragrance free lip glosses of sweet escape color.": [ + "scent free lip gloss", + "synthetic free lip gloss", + "scent free lip glosses", + "lip glosses of sweet escape color", + "beauty free lip gloss", + "pink escape color", + "synthetic free lip glosses", + "sugar free lip gloss", + "soy escape color", + "sweet escape color" + ], + "i am looking for an oral hygiene toothbrush. it should be easy to carry.": [ + "oral hygiene toothbrush easy to carry", + "oral hygiene toothbrush", + "oral hygiene toothbrush that is easy to carry", + "oral hygiene toothbrush, easy to carry", + "oral hygiene toothbrush that should be easy to carry", + "oral hygiene toothbrush, easy to carry,", + "oral hygiene toothbrush. easy to carry", + "oral hygiene toothbrush that is easy to carry.", + "oral hygiene toothbrush easy-to-carry", + "oral hygiene toothbrush easy to carry under $40" + ], + "i am searching for a long lasting high quality hair drying towel to dry my hair.": [ + "long lasting high quality hair drying towel", + "hair drying towel long lasting high quality", + "hair drying towel long lasting", + "hair drying towel", + "hair drying towel that is long lasting", + "short lasting high quality hair drying towel", + "high quality hair drying towel", + "hair drying towel, long lasting", + "hair drying towel long lasting quality", + "lens drying towel" + ], + "i want a quick release watch band in grey, black, white or blue.": [ + "watch band in grey, black, white or blue", + "quick release watch band in grey, black, white or blue", + "clockwise watch band in grey, black, white or blue", + "watch band in grey black, white or blue", + " quick release watch band in grey, black, white or blue", + "quick release watch band in grey black, white or blue", + "watch band grey, black, white or blue", + "watch band in grey, black, white or blue quick release", + "watch band in grey, black and white", + "quick release watch band in grey, black and white or blue" + ], + "i'm looking for queen sized wood frames for bed frames.": [ + "queen sized wood frames for bed frames", + "queen sized wood frame for bed frames", + "queen sized wood frames for bed frame", + "queen sized wood frame bed frames", + "queen sized wood frame for bed frame", + "queen sized wood frame bed frame", + "queen sized wood frames bed frames", + "queen sized wood frames", + "queen sized wood frame", + " queen sized wood frames for bed frames" + ], + "i am looking for gluten-free, lactose-free, dairy free, non-gmo salami.": [ + "gluten free, lactose-free, dairy free salami", + "gluten-free dairy free, non-gmo salami", + "gluten-free dairy free non-gmo salami", + "gluten free dairy free, non-gmo salami", + "gluten-free, lactose-free dairy free salami", + "gluten free, lactose-free dairy free salami", + "gluten free, lactose-free salami", + "gluten free dairy free non-gmo salami", + "gluten free non-gmo salami", + "gluten free dairy free salami" + ], + "men's small size soft material elastic clouser comfertable briefs": [ + "mens small size soft material elastic clouser comfertable briefs", + "mens small size soft material elastic clouser comfertable briefs under $50", + "mens small size soft material elastic clouser comfertable briefs,", + "mens small size soft material elastic clouser comfertable briefs under $40", + "mens small size soft material elastic clouser comfertable briefs under $60", + "mens small size soft material elastic clouser comfertable briefs under 50 dollars", + "mens small size elastic clouser comfertable briefs", + "mens small material elastic clouser comfertable briefs", + "mens small rubber elastic clouser comfertable briefs", + "mens small size soft material elastic clouser comfertable" + ], + "i'm looking for a 7 ounce chunk chicken creast in pack of 2 and fat free": [ + "7 ounce chunk chicken creast in pack of 2 fat free", + "8 ounce chunk chicken creast in pack of 2 fat free", + "6 ounce chunk chicken creast in pack of 2 fat free", + "chocolate creast in pack of 2 fat free", + "buffet chicken creast in pack of 2 fat free", + "chicken creast in pack of 2 fat free", + "sh chunk chicken creast in pack of 2 fat free", + "7 ounce chunk chicken creast pack of 2 fat free", + "7 ounce chunk chicken creast in pack of 2", + "chocolate creast pack of 2 fat free" + ], + "i am looking for sugar cookies in a gift basket": [ + "sugar cookies in a gift basket", + "sugar cookies gift basket", + "sugar cookies", + "sugar cookies, gift basket", + "sugar cookies in gift basket", + "sugar cookies for a gift basket", + "sugar cookies under $50", + "sugar cookies under $40", + "sugar cookies under $60", + "sugar cookies gifts basket" + ], + "i need heavy duty blackout curtains for my living room. pick something in beige.": [ + "heavy duty blackout curtains for my living room in beige", + "heavy duty blackout curtains for my living room", + "heavy duty blackout curtains in beige", + "heavy duty blackout curtains for the living room in beige", + "heavy duty blackout curtains for my living room beige", + "heavy duty blackout curtains living room in beige", + "heavy duty blackout curtains for my living room, beige", + "heavy duty blackout curtains for my living room with beige", + "heavy duty blackout curtains living room beige", + "heavy duty blackout curtains for living room" + ], + "i want high quality hair in water wave bundles with closure. it should remedy my hair loss.": [ + "high quality hair in water wave bundles", + "high quality hair in water wave bundle", + "water wave bundles with closure", + "low quality hair in water wave bundles", + "water wave bundle with closure", + "hair in water wave bundles with closure", + "high quality hair in water bundle with closure", + "spray bundle with closure", + "water wave bundles", + "water wave bundle" + ], + "i am looking for a curly lace frontal that is effective for hair loss. an i choose the 22 24 26+20\"closure with water wave bundles": [ + " curly lace frontal hair loss with water wave bundle 22 24 26+20", + " curly lace frontal hair loss with water wave bundles 22 24 26+20", + " curly lace frontal hair loss with water wave bundle", + " curly lace frontal hair loss with water wave bundles", + " curly lace frontal that is effective for hair loss with water wave bundles", + " curly lace frontal that is effective for hair loss", + " curly lace frontal hair loss with water wave", + " curly lace frontal with water wave bundle", + " curly lace frontal hair loss", + " curly lace frontal with water wave bundles" + ], + "can you find a high quality brazilian 13x4 curly lace frontal in size 24 24 24?": [ + "brazilian 13x4 curly lace frontal in size 24 24 24", + "brushed frontal brazilian 13x4 curly lace frontal", + "barrazilian 13x4 curly lace frontal in size 24 24 24", + "brazilian 13x4 curly lace frontal", + "bagelian 13x4 curly lace frontal in size 24 24 24", + "bbrazilian 13x4 curly lace frontal in size 24 24 24", + "brazilian 13x4 curly lace frontal in size 24 24", + "brazilian 13x4 curly lace frontal brazilian", + "barrazilian 13x4 curly lace frontal", + "bagelian 13x4 curly lace frontal" + ], + "order me four bundles of high quality curly hair extensions.": [ + "4 bundles of high quality curly hair extensions", + "4 bundle of high quality curly hair extensions", + "four bundles of high quality curly hair extensions", + "four bundle of high quality curly hair extensions", + "three bundles of high quality curly hair extensions", + "4 bundles of high quality curly hair extension", + "brushed of high quality curly hair extensions", + "4 bundle of high quality curly hair extension", + "high quality curly hair extensions", + "natural curly hair extensions four bundles" + ], + "i am looking for a long sleeve hoodies of medium size for men.": [ + "lens of medium size for men", + "long sleeve hoodies of medium size", + "slimming hoodies for men", + "large hoodies for men", + "long sleeve hoodies for men", + "medium size hoodies for men", + "long sleeve hoodies of medium size men", + "short sleeve hoodies of medium size", + "short sleeve hoodies of medium size men", + "long sleeve hoodies" + ], + "i'm looking for a high performance hdmi to displayport adapter cable that's easy to use.": [ + "high performance hdmi to displayport adapter cable", + "hdmi to displayport adapter cable", + "hdmi to displayport adapter cable", + "high performance hdmi to displayport adapter cable easy to use", + "hdmi to displayport adapter cable that is easy to use", + "hdmi to displayport adapter cable that is easy to use", + "hdmi to displayport adapter cable easy to use", + "hdmi to displayport adapter cable easy to use", + "high performance hdmi to displayport adapter cable under $40", + "high performance hdmi to displayport adapter cable under $60" + ], + "i am looking for a noise cancelling computer headsets.": [ + "noise cancelling computer headsets", + " noise cancelling computer headsets", + "non noise cancelling computer headsets", + "noise cancelling computer headsets under $40", + "comfortable noise cancelling computer headsets", + "noise cancelling computer headsets.", + "noise cancelling computer headsets under $60", + "noise cancelling computer headsets under $50", + "low noise cancelling computer headsets", + "clinically cancelling computer headsets" + ], + "i looking a maroon color ceiling lights haning pandent fixture for living room": [ + " maroon color ceiling lights haning pandent", + " maroon color ceiling lights haning pandent living room", + "maroon color ceiling lights haning pandent living room", + "maroon color ceiling lights haning pandent", + "floor lights haning pandent fixture for living room", + " maroon color ceiling lights haning pandent for living room", + "floor lights haning pandent", + "a maroon color ceiling lights haning pandent", + "m maroon color ceiling lights haning pandent", + "a maroon color ceiling lights haning pandent fixture" + ], + "i want to shop for a two pack of glass lamp shades for pendant lamps.": [ + "two pack of glass lamp shades pendant lamps", + "two pack of glass lamp shades", + "glass lamp shades for pendant lamps", + "two pack glass lamp shades for pendant lamps", + "glass lamp shades pendant lamps", + "two pack pendant lamps", + "glass lamp shades pendant lamps two pack", + "two pack of pendant lamps", + "two pack of glass lamp shades pendant lamp", + "two pack glass lamp shades pendant lamps" + ], + "i would like a rose gold single wireless bluetooth speaker that is hands free.": [ + "rose gold single wireless bluetooth speaker", + "rose gold single wireless bluetooth speaker, hands free", + "rose gold wireless bluetooth speaker that is hands free", + "rose gold bluetooth speaker that is hands free", + "rose gold single wireless bluetooth speaker with hands free", + "rose gold single wireless bluetooth speaker under $40", + "rose gold wireless bluetooth speaker", + "rosy gold single wireless bluetooth speaker", + "rose gold single wireless bluetooth speakers", + "rose gold bluetooth speaker" + ], + "i'm looking for a pack of 24 count of breakfast bars gluten free": [ + "pack of 24 count of breakfast bars gluten free", + "pack of 24 count of breakfast bar gluten free", + "bag of 24 count of breakfast bars gluten free", + "24 count of breakfast bars gluten free", + "12 count of breakfast bars gluten free", + "gluten free breakfast bar pack of 24", + "gluten free breakfast bar pack 24 count", + "gluten free breakfast bars pack of 24", + "23 count of breakfast bars gluten free", + "gluten free breakfast bar pack of 24 count" + ], + "i'm looking for healthy breakfast bars enriched with peanut butter.": [ + "healthy breakfast bars enriched with peanut butter", + "healthy breakfast bar enriched with peanut butter", + "healthy breakfast bars enriched with peanut butter.", + "vegan breakfast bars enriched with peanut butter", + "vegan breakfast bar enriched with peanut butter", + "healthy breakfast bar enriched with peanut butter.", + "healthy breakfast bar peanut butter", + "good breakfast bars enriched with peanut butter", + "healthy breakfast bar enriched peanut butter", + "munch bars enriched with peanut butter" + ], + "i'm looking for caffeine free for coffee and tea.": [ + "coffee and tea caffeine free", + "coffee and tea no caffeine", + "caffe free coffee and tea", + "coffee and tea that are caffeine free", + "caffeinated coffee and tea", + "coffee and tea", + "caffe free for coffee and tea", + "coffee and tea, caffeine free", + "caffe free coffee and tea drink mix", + "coffee and tea coffee no caffeine" + ], + "i want to buy chai tea which is caffeine free and has vanilla flavor, and it's in pack of 1 of 64 ounce.": [ + "chai tea in pack of 1 of 64 ounce", + "chai tea flavor in pack of 1 of 64 ounce", + "chai tea, caffeine free, 1 of 64 ounce", + "chai tea that is caffeine free 1 of 64 ounce", + "chai tea flavor pack of 1 of 64 ounce", + "chai tea that is caffeine free and has vanilla flavor", + "chai tea which is caffeine free and has vanilla flavor", + "chai tea flavor 1 of 64 ounce", + "chai tea caffeine free 1 of 64 ounce pack", + "chai tea caffeine free 1 of 64 ounce" + ], + "i would like a size 24 brown shelves for my living room wall.": [ + "size 24 brown shelves for my living room wall", + "size 24 brown shelves for living room wall", + "size 24 brown shelves for the living room wall", + "size 24 brown shelves for living room wall.", + "size 24 brown shelves for a living room wall", + "24 brown shelves for living room wall", + "size 24 brown shelf for living room wall", + " size 24 brown shelves for my living room wall", + "size 24 brown shelves living room wall", + "size 24 brown shelf for my living room wall" + ], + "i am looking for a fluoride free toothpaste": [ + "fluoride free toothpaste", + "fluoride free toothpaste under $40", + "fluoride free toothpaste under $50", + "fluoride free toothpaste under $60", + "fluoride free toothpaste below $40", + "fluoride free toothpaste under 50 dollars", + "fluoride free toothpaste below $50", + "fluoride free toothpaste below $60", + "fluoride free toothpaste under 40 dollars", + "fluoride free toothpaste under 30 dollars" + ], + "i am looking for a synthetic sole flip flop. also, choose munsell white color and 5 narrow size.": [ + "synthetic sole flip flop 5 narrow", + "synthetic sole flip flop 5 narrow size", + "sneakers sole flip flop 5 narrow", + "sneakers sole flip flop 5 narrow size", + "stainless sole flip flop 5 narrow", + "stainless sole flip flop 5 narrow size", + "faux sole flip flop 5 narrow", + "a synthetic sole flip flop 5 narrow", + "sole flip flop 5 narrow", + "sport flop 5 narrow" + ], + "i would like a pair of small black sleep bottoms that are machine washable.": [ + "small black sleep bottoms", + "small black sleep bottoms that are machine washable", + "small black sleep bottoms machine washable", + "small black sleep bottoms, machine washable", + "pair of small black sleep bottoms", + "small black sleep bottoms with machine washable", + "small black sleep bottoms, machine washable,", + "a pair of small black sleep bottoms", + "two small black sleep bottoms", + "small black sleep bottoms machine washable." + ], + "i'm looking for skin care for nail polish that color was aphrdesie neede.": [ + "skin care nail polish aphrdesie neede", + "skin care for nail polish aphrdesie neede", + "skin care nail polish that color was aphrdesie neede", + "skin care for nail polish aphrdesie neede.", + "skin care for nail polish that is aphrdesie neede", + "skin care nail polish that is aphrdesie neede.", + "skin care nail polish that is aphrdesie neede", + "skin care nail polish aphrdesie neede.", + "skin care for nail polish with aphrdesie neede", + "skin care for nail polish" + ], + "i am looking for a nylon spandex swimsuits & cover ups of 20 plus size.": [ + "nylon spandex swimsuits 20 plus size", + "nylon spandex swimsuit 20 plus size", + "navy spandex swimsuits 20 plus size", + "nude spandex swimsuits 20 plus size", + "nylon spandex swimsuit cover ups 20 plus size", + "nylon spandex swimsuits size 20 plus size", + "nylon spandex swimsuits plus size 20", + "nylon spandex swimsuits 20 plus size.", + "nylon spandex swimsuits 20 plus", + "nylon spandex swimsuits" + ], + "men's daily use slip resistance rubber sole shoe color reddish brown size: 8": [ + "mens daily use slip resistance rubber sole shoe color reddish brown", + "mens daily use slip resistant rubber sole shoe color reddish brown", + "mens daily use a slip resistance rubber sole shoe color reddish brown", + "mens daily use slip resistance rubber sole shoes color reddish brown", + "mens daily use mud resistant rubber sole shoe color reddish brown", + "mens daily use rubber sole shoe color reddish brown size 8", + "rubber sole shoe color reddish brown", + "moisturizing rubber sole shoe color reddish brown", + "mens daily use slip resistance rubber sole shoe size 8", + "sole shoe color reddish brown" + ], + "i am looking for a polyester cotton board short which is washable in machine. also choose grey one and 38 size.": [ + "polyester cotton board short", + "grey polyester cotton board short", + "polyester cotton board short in grey", + "polyester cotton board short washable in machine", + "pink polyester cotton board short", + "polyester cotton board short in a 38 size", + "polyester cotton board short, washable", + "polyester cotton board short grey", + "polyester cotton board short washable 38", + "pomegranate cotton board short" + ], + "i would like a full size grey bunk bed with a wooden frame.": [ + "grey bunk bed with a wooden frame", + "full size grey bunk bed", + "grey bunk bed with a wood frame", + "grey bunk bed", + "grey bunk bed with wood frame", + "grey bunk bed with wooden frame", + "blanket bed with a wooden frame", + "grey bunk bed, wooden frame", + "grey bunk bed wood frame", + "grey bunk bed wooden frame" + ], + "i am looking for gluten free red dog rub gourmet spice blends.": [ + "gluten free gourmet spice blend", + "gluten free gourmet spice blends", + "gluten free gourmet spice blend.", + "gluten-free gourmet spice blend", + "gluten free gourmet spice blend gourmet", + "gluten free gourmet spice blend no sugar", + "gourmet spice blend gluten free", + "gluten free spice blend", + " gluten free gourmet spice blend", + "gourmet spice blend" + ], + "i am looking for gluten free wow-a chihuahua gourmet spice blend.": [ + "gluten free chihuahua gourmet spice blend", + "gluten free gourmet spice blend", + "chihuahua gourmet spice blend", + "gluten free and gourmet spice blend", + "gluten free gourmet spice blend.", + "gluten free gourmet spice blend under $40", + "gluten free gourmet spice blend under $60", + "gourmet spice blend gluten free", + "gluten free spice blend", + "gourmet spice blend" + ], + "looking for new version of modern glass dining table set for dining room": [ + "modern glass dining table set for dining room", + "modern glass dining table set dining room", + "living room dining table set", + "living room modern glass dining table set", + "modern dining table set for dining room", + "living room dining table set for dining room", + "living room dining table set modern", + "living dining table set for dining room", + "living room dining table set with modern glass", + "modern glass dining table set" + ], + "i am looking for a black fast wireless universal charging stand.": [ + "black fast wireless universal charging stand", + "black wireless universal charging stand", + "black fast wireless universal charging stand.", + "black fast wireless universal charging stand,", + "black fast wireless charging stand", + "black fast wireless wireless universal charging stand", + "a black fast wireless universal charging stand", + "white wireless universal charging stand", + "white fast wireless universal charging stand", + "black fast wireless wireless charging stand" + ], + "i'm looking for hair extension for hair growth it was high quality and need to buy it.": [ + "hair extension for hair growth", + "hair extension for hair growth high quality", + "high quality hair extension for hair growth", + "hair extension for hair growth in high quality", + "hair extension for hair growth high quality", + "hair extension for hair growth high quality", + "hair extension for hair growth", + "high quality hair extension", + "hair extension high quality", + "hair extension" + ], + "looking for machine washable 52 w by 52 cute pet window curtains": [ + "machine washable 52 w by 52 cute pet window curtains", + "man washable 52 w by 52 cute pet window curtains", + "machine washable 52w by 52 cute pet window curtains", + "machine washable 52 by 52 cute pet window curtains", + "machine washable 52 w x 52 cute pet window curtains", + "machine washable 52 x 52 cute pet window curtains", + "woman washable 52 w by 52 cute pet window curtains", + "im looking for machine washable 52 w by 52 cute pet window curtains", + "hand washable 52 w by 52 cute pet window curtains", + "machine washable 52 w by 52 cute pet window curtains under $40" + ], + "i'm looking for long sleeve clothing and it was easy to wash the color red is attractive.": [ + "long sleeve clothing red", + "long sleeve clothing in red", + "short sleeve clothing red", + "long sleeve clothing color red", + "long sleeve clothing in the color red", + "long sleeve clothing", + "long sleeve clothing in a color red", + "long sleeve clothing that is attractive", + "long sleeve clothing red easy to wash", + "long sleeve clothing with red" + ], + "i would like a 2xl women's navy tank top with a officially licensed star wars logo.": [ + "2xl womens navy tank top with a officially licensed star wars logo", + "womens navy tank top with a officially licensed star wars logo", + "2 xl womens navy tank top with a officially licensed star wars logo", + "2xl womens navy tank top with a officially licensed star wars", + " 2xl womens navy tank top with a officially licensed star wars logo", + "2xl womens navy tank top", + "3xl womens navy tank top with a officially licensed star wars logo", + "2xl womens navy tank top with an officially licensed star wars logo", + "2xl navy tank top with a officially licensed star wars logo", + "2xl womens navy tank top, officially licensed star wars" + ], + "i am in a search for sugar free soft drink mixes of fruit punch flavor.": [ + "sugar free soft drink mix fruit punch flavor", + "sugar free drink mixes of fruit punch flavor", + "sugar free soft drink mix", + "sugar free drink mix of fruit punch flavor", + "sugar free soft drink mixes", + "sugar free fruit punch mix", + "sugar free soft drink mix of fruit punch", + "sugar free soft drink mixes of fruit punch", + "sugar free fruit punch flavor", + "sugar free soft drink mix fruit punch" + ], + "i'm looking for tablets for my uses and i want red color. it was long lasting.": [ + "tablet for my uses red", + "tablet red long lasting", + "tablet with red color long lasting", + "tablet for use long lasting red", + "tablet red", + "tablet with red color", + " tablets for my uses red", + "tablet that is long lasting", + "tablet for my uses in red", + "tablet for use long lasting" + ], + "i am looking for an intel quad core computer with 16 gb ram, 256 gb ssd and also a 1tb hdd.": [ + "intel quad core computer with 16gb ram, 256gb ssd and also a 1tb hdd", + "intel quad core computer with 16 gb ram", + "intel quad core computer with 16 gb ram with a 1tb hdd", + "intel quad core computer with 16gb ram", + "intel quad core computer with 16gb ram, 256 gb ssd and a 1tb hdd", + "intel quad core computer with 16gb ram with a 1tb hdd", + "intel quad core computer with 16 gb ram and 256 gb ssd", + "intel quad core computer with 16gb ram and 256 gb ssd", + "intel quad core computer 16gb ram", + "intel quad core computer" + ], + "mini pc with intel core i7 processor": [ + "mini pc with intel core i7 processor", + "mini pc i7 processor", + "immini pc with intel core i7 processor", + "mini pc intel core i7 processor", + "mini pc Intel core i7 processor", + "i mini pc with intel core i7 processor", + "implantable pc with intel core i7 processor", + "mini pc processor intel core i7", + "i7 processor", + "mini pc" + ], + "i need a grey or light blue colored area rug that is suitable for my living room.": [ + "grey or light blue colored rug for living room", + "grey or light blue colored area rug", + "grey or light blue rug for living room", + "grey or light blue area rug for living room", + "grey or light blue colored rug", + "grey or light blue area rug", + "grey or light blue rug", + "grey or light blue colored rug living room", + "grey or light blue rug living room", + "grey area rug" + ], + "i'm looking for soy wax it can use make for candles.": [ + "soy wax candles", + "soy wax candles", + "soy wax candles make for candles", + "soy wax candles made for candles", + "soy wax candles under $50", + "soy wax candles under $40", + "soy wax candles under $60", + "soy wax candle", + "soy wax candles no candles", + "sneakers soy wax" + ], + "i want special glass soy wax scented candles.": [ + "special glass soy wax scented candles", + "special glass soy wax candles", + "special glass soy wax scented candles under $50", + "special glass soy wax scented candles.", + "special glass soy wax scented candles under $40", + "special glass soy wax scented candles under $60", + "special glass soy wax scented candles under 50 dollars", + "special glass soy wax scented candles under 30 dollars", + "special glass soy wax scented candles under 40 dollars", + "special glass soy wax scented candles under 60 dollars" + ], + "i am looking for a silver water and birch style of anti perspirant deodorant": [ + "silver water and birch style of anti perspirant deodorant", + " silver water and birch style of anti perspirant deodorant", + "silver water, birch style of anti perspirant deodorant", + "silver water birch style of anti perspirant deodorant", + "silver water and birch style anti perspirant deodorant", + "silver water and birch style of anti perspirant", + "anti perspirant deodorant silver water and birch", + "plastic anti perspirant deodorant silver", + "anti perspirant deodorant silver", + "anti perspirant deodorant silver water" + ], + "i am looking for long lasting sage and citrus anti perspirant.": [ + "long lasting sage and citrus anti perspirant", + "sage and citrus anti perspirant", + "sneakers and citrus anti perspirant", + "long lasting sage and citrus anti perspirant.", + "sargain and citrus anti perspirant", + "susage and citrus anti perspirant", + "sage and citrus anti perspirant long lasting", + "snow and citrus anti perspirant", + "long lasting sage and citrus anti perspirant,", + "sue and citrus anti perspirant" + ], + "i am looking for a 3 inch queen size memory foam mattress toppers.": [ + "3 inch queen size memory foam mattress toppers", + "3 inch queen size mattress toppers", + "queen size memory foam mattress toppers", + "3 inch queen size memory foam mattress toppers.", + "2 inch queen size memory foam mattress toppers", + " 3 inch queen size memory foam mattress toppers", + "3 inch queen size foam mattress toppers", + "3 inch memory foam mattress toppers", + "3 inch queen size memory foam mattress toppers,", + "queen size foam mattress toppers" + ], + "i am searching for dark brown synthetic hair extensions with the size of 22 inch and pack of 1.": [ + "dark brown synthetic hair extensions 22 inch pack", + "dark brown synthetic hair extensions 22 inch pack of 1", + "dark brown synthetic hair extensions 22 inches pack of 1", + "dark brown synthetic hair extensions 22 inches pack", + "dark brown synthetic hair extension 22 inch pack of 1", + "dark brown synthetic hair extensions 22 inches and pack of 1", + "dark brown synthetic hair extension 22 inches pack of 1", + "dark brown synthetic hair extensions 22 inch pack pack of 1", + "dark brown synthetic hair extension 22 inch pack", + "dark brown synthetic hair extensions" + ], + "i need a white storage cabinet tv stand that is easy to assemble and goes in my living room. it should be highly glossy.": [ + "white storage cabinet tv stand", + "white storage cabinet tv stand in my living room", + "white storage cabinet tv stand for living room", + "white storage cabinet tv stand in the living room", + "white storage cabinet tv stand with glossy finish", + "white storage cabinet tv stand under $50", + "white storage cabinet tv stand under $60", + "tv stand white", + "white tv stand", + "white cabinet tv stand" + ], + "i need a high quality perfume atomizer bottle that is easy to carry and has 1 color.": [ + "pink perfume atomizer bottle, easy to carry and has 1 color", + "pink perfume atomizer bottle with 1 color", + "pink perfume atomizer bottle easy to carry and has 1 color", + "pink perfume atomizer bottle that is easy to carry 1 color", + "pink perfume atomizer bottle in 1 color", + "pink perfume atomizer bottle", + "pink perfume atomizer bottle, easy to carry and 1 color", + "pink perfume atomizer bottle 1 color", + "pink perfume atomizer bottle that is easy to carry", + "pink perfume atomizer bottle, easy to carry and 1 color," + ], + "i would like a 20m digital 4g lte coaxial cable that's male to female.": [ + "20m digital 4g lte coaxial cable", + "20m digital 4g lte coaxial cable male to female", + "20m digital 4g lte coaxial cable girl", + "20m digital 4g lte coaxial cable female", + "20m digital 4g lte coaxial cable under $40", + "20m digital 4g lte coaxial cable woman", + "20m digital 4g lte coaxial cable under $50", + "20m digital 4g lte cable", + "20m digital 4g lte cable girl", + "g lte coaxial cable" + ], + "i am looking for a cable extension that is male to male and supports 4g lte.": [ + "cable extension male to male 4g lte", + "tv extension male to male and supports 4g lte", + "tv extension male to male 4g lte", + "3g lte cable extension", + "4g lte cable extension", + "3g lte cable extension that is male to male", + "male to male cable extension", + "cable extension male to male", + "male to male cable extension that is male to male", + "manual cable extension" + ], + "i'm looking for furniture was in living room the color was crystal gray furniture was so good.": [ + "living room furniture crystal gray", + "living room color crystal gray furniture", + "living room furniture color crystal gray", + "living room furniture, crystal gray", + "living room furniture in crystal gray", + "living room color crystal gray", + "living room crystal gray furniture", + "vinyl gray furniture", + "furniture crystal gray", + "living room furniture crystal gray color" + ], + "i'm looking for a great river organic milling flour.": [ + "raw river organic milling flour", + "river organic milling flour", + "a great river organic milling flour", + " river organic milling flour", + "River organic milling flour", + "the river organic milling flour", + "water organic milling flour", + "a great river organic milling flour.", + "river organic milling flour under $40", + " river organic milling flour under $40" + ], + "i'm looking for a vanity mirror easy to install 40x32 with light led": [ + "vanity mirror easy to install 40x32 with light led", + "vanity mirror easy to install 40x32", + "k vanity mirror easy to install 40x32 with light led", + "k vanity mirror easy to install 40x32", + "vinyl mirror easy to install 40x32 with light led", + "pink vanity mirror easy to install 40x32", + "vinyl mirror easy to install 40x32", + "temporary vanity mirror easy to install 40x32", + "50x32 vanity mirror easy to install with light led", + "50x32 vanity mirror easy to install" + ], + "i am looking for an empty lip gloss tube 5ml which is of high quality and leak proof.": [ + "empty lip gloss tube 5ml", + "lip gloss tube 5ml", + "lip gloss tube 5ml, high quality and leak proof", + "lip gloss tube 5ml is high quality and leak proof", + "lip gloss tube 5ml, high quality, leak proof", + "lip gloss tube 5ml that is high quality", + "lip gloss tube 5ml of high quality and leak proof", + "lip gloss tube 5ml high quality and leak proof", + "lip gloss tube 5ml of high quality", + "nude lip gloss tube 5ml" + ], + "i am looking for a zero sugar flavor syrups of banana split": [ + "banana split zero sugar flavor syrups", + "zero sugar flavor syrups of banana split", + "banana split flavor syrups", + "banana split sugar flavor syrups", + "no sugar flavor syrups of banana split", + "low sugar flavor syrups of banana split", + "non sugar flavor syrups of banana split", + "freeze dried banana split flavor syrups", + "no sugar flavor syrups banana split", + "banana split sugar flavor" + ], + "i am looking for steel frame chairs in grey color": [ + "steel frame chairs in grey color", + "steel frame chairs in grey", + "steel frame chairs grey", + "grey steel frame chairs", + "grey steel frame chairs in grey", + " steel frame chairs in grey color", + "steel frame chairs that are grey", + "steel frame chairs, grey", + "steel frame chairs, grey color", + "steel frame chairs grey color" + ], + "can i get a green women short sleeve dandelion printed blouse thats is loose fit and desirable for day comfort?": [ + "green women short sleeve dandelion printed blouse", + "green women short sleeve dandelion printed blouse with day comfort", + "green women short sleeve dandelion printed blouse for day comfort", + "green woman short sleeve dandelion printed blouse", + "green women short sleeve dandelion printed blouse loose fit", + "green women short sleeve dandelion printed blouse, loose fit", + "green women short sleeve dandelion print blouse", + "green women blouse that is loose fit", + "green women blouse loose fit", + "green women blouse" + ], + "i'm looking for walnut color home accessories its very easy to clean.": [ + "woolnut color home accessories", + "living room accessories walnut color", + "al walnut color home accessories", + "living room accessories that are easy to clean", + "almond color home accessories", + "wooden color home accessories", + "living room accessories walnut", + "womens home accessories", + "home accessories walnut color", + "home accessories walnut color easy to clean" + ], + "i am looking for anti slip athletic sneakers in black yellow": [ + "anti slip athletic sneakers in black", + "anti slip athletic sneakers in black yellow", + "anti slip athletic sneakers black", + "anti slip athletic sneakers in black color", + "anti slip athletic sneakers in black, anti slip", + "anti slip athletic sneakers, black, anti slip", + "anti slip athletic sneakers in black yellow anti slip", + "anti slip athletic sneakers black anti slip", + "anti slip athletic sneakers, black", + "anti slip athletic sneakers" + ], + "i'm looking for a fresh baked snack cakes made with good quality ingredients. also choose pack of 1 with weight 4 ounce one.": [ + "fresh baked snack cakes made with good quality ingredients", + "fresh baked snack cakes made with good quality ingredients 4 ounce", + "fresh baked snack cakes made with good quality ingredients under $40", + "fresh baked snack cakes pack of 1 with weight 4 ounce", + "fresh baked snack cakes made with good quality ingredients 4 ounce one", + "fresh baked snack cakes made with good quality ingredients pack of 1", + "fresh baked snack cakes made with good quality ingredients under $60", + "fresh baked snack cakes pack of 1", + "fresh baked snack cakes under $40", + "fresh baked snack cakes made with quality ingredients" + ], + "i would like two pounds of baked fresh snack cakes.": [ + "two pounds of baked fresh snack cakes", + "two pounds baked fresh snack cakes", + "two baked fresh snack cakes", + "two pound baked fresh snack cakes", + "two pound of baked fresh snack cakes", + "two pounds fresh snack cakes", + "two pounds baked fresh snack cakes.", + "two baked fresh snack cakes.", + "two pound fresh snack cakes", + "two fresh baked fresh snack cakes" + ], + "i'm looking for midnight bakck smartwatch accessories. its can long lasting product.": [ + "night bakck smartwatch accessories", + "night bakck smartwatch accessories long lasting", + "night bakck smartwatch accessories long lasting product", + "midnight bakck smartwatch accessories", + "night bakck smartwatch accessories, long lasting", + "midnight bakck smartwatch accessories long lasting", + "nightwatch accessories long lasting", + "clockwise smartwatch accessories", + "nightstand smartwatch accessories", + "nightwatch accessories long lasting product" + ], + "i'm looking for short and long sleeve for women men its for slim fit.": [ + "short sleeve for women men slim fit", + "short and long sleeve for women men", + "short sleeve women men slim fit", + "short sleeve woman men slim fit", + "short and long sleeve men slim fit", + "short and long sleeve for women", + "slim fit women men", + "short and long sleeves for women men", + "short sleeve for women men", + "slim fit woman men" + ], + "i seek a tripod stand that is compatible with my iphone and is easy to carry.": [ + " tripod stand that is compatible with my iphone and is easy to carry", + " tripod stand, compatible with my iphone and is easy to carry.", + "t tripod stand that is compatible with my iphone", + " tripod stand that is compatible with my iphone", + " tripod stand, compatible with my iphone and is easy to carry", + " tripod stand for iphone easy to carry", + " tripod stand for iphone", + " tripod stand easy to carry", + "t tripod stand", + " tripod stand" + ], + "i am searching for a z2 black colored swimsuit cover up wide leg pants. also, choose the loose fit.": [ + "z2 black colored swimsuit cover up wide leg pants", + " z2 black colored swimsuit cover up wide leg pants", + "a z2 black colored swimsuit cover up wide leg pants", + "Z2 black colored swimsuit cover up wide leg pants", + "z2 black colored swimsuit cover up wide leg pants.", + "oz2 black colored swimsuit cover up wide leg pants", + "swimsuit cover up wide leg pants", + "z2 black swimsuit cover up wide leg pants", + "slimsuit cover up wide leg pants", + "swimsuit cover up wide leg pants, z2 black" + ], + "i am looking for 6 boxes of cookies. these should be individually wrapped.": [ + "6 boxes of cookies individually wrapped", + "6 boxes of cookies, individually wrapped", + "6 box of cookies individually wrapped", + "6 boxes of cookies", + "pack of cookies individually wrapped", + "6 boxes of cookies individually wrapped.", + "6 cookies individually wrapped", + "pack of cookies that are individually wrapped", + "6 box of cookies, individually wrapped", + "pack of cookies, individually wrapped" + ], + "i am looking for a gluten free nut bars of almond blueberry flavor": [ + "almond blueberry flavor", + "gluten free nut bars almond blueberry flavor", + "gluten free almond blueberry flavor", + "gluten free nut bar almond blueberry flavor", + "gluten free nuts bar almond blueberry flavor", + "almond blueberry nut bars gluten free", + "almond blueberry flavor gluten free", + "almond blueberry nut bar gluten free", + "almond blueberry flavor, gluten free", + "gluten free nut bars almond blueberry" + ], + "i saw the butterfly flower nail art.": [ + " butterfly flower nail art", + "butterfly flower nail art", + "the butterfly flower nail art", + "chocolate flower nail art", + "coaxial flower nail art", + "pink flower nail art", + "coffee flower nail art", + "butcher flower nail art", + " butterfly flower nail art.", + "toothbrush nail art" + ], + "alex evenings a-line women's long dress is what i want to buy today, with hood draped in the back, help find this model in dark plum, hand wash.": [ + "alex evenings a-line womens long dress in dark plum", + "alex evenings a-line womens long dress", + "alex evenings a-line womens long dress, dark plum", + "alex evenings womens long dress in dark plum", + "alex evenings a-line womens long dress under 50 dollars", + "alex evenings a-line womens long dress under 30 dollars", + "alex evenings long dress in dark plum", + "alex evenings womens long dress in dark plum", + "alex evenings men long dress in dark plum", + "alex evenings womens long dress" + ], + "i'm looking for a butt lifting yoga pants with high waist tummy control band. also, choose large size black colored one.": [ + "butt lifting yoga pants large size black", + "butt lifting yoga pants, large size black", + "butt lifting yoga pants that are large size black", + "butt lifting yoga pants large", + "butt lifting yoga pants in a large size black", + "butt lifting yoga pants size black", + "butt lifting yoga pants in large size black", + "butt lifting yoga pants", + "butt lifting yoga pants black", + "butt lifting yoga pants high waist tummy control" + ], + "i am looking for a black portable bluetooth speakers which is easy carry": [ + "black portable bluetooth speakers", + "easy carry black portable bluetooth speakers", + "black portable bluetooth speakers easy carry", + "black portable bluetooth speakers that are easy carry", + "black portable bluetooth speakers that is easy carry", + "easy to carry black portable bluetooth speakers", + "black portable bluetooth speakers easy to carry", + "black portable bluetooth speakers, easy carry", + "black portable bluetooth speakers which is easy carry", + "easy carry portable bluetooth speakers" + ], + "i am looking for an underwater themed 6 foot by 9 foot light weight vinyl photography backdrop.": [ + "alarm themed 6 foot by 9 foot light weight vinyl photography backdrop", + "alwater themed 6 foot by 9 foot light weight vinyl photography backdrop", + "sea themed 6 foot by 9 foot light weight vinyl photography backdrop", + "an underwater themed 6 foot by 9 foot light weight vinyl photography backdrop", + "indoor themed 6 foot by 9 foot light weight vinyl photography backdrop", + "6 foot by 9 foot light weight vinyl photography backdrop", + "waterproof themed 6 foot by 9 foot light weight vinyl photography backdrop", + "an underwater themed 6 foot by 9 foot light weight vinyl photography backdrop.", + "8 foot by 9 foot light weight vinyl photography backdrop", + "alarm themed 6 foot by 9 foot light weight vinyl photography backdrop." + ], + "i am looking for a 6x9 ft backgrounds for digital photography.": [ + "6x9 backgrounds for digital photography", + "6x9 digital photography backgrounds", + "6x9 ft backgrounds digital photography", + "6x9 background for digital photography", + "6x9 digital photography background", + "6x9 ft backgrounds", + "6x9 backgrounds digital photography", + "6x9 background digital photography", + "6x9 camera backgrounds", + "6x9 backgrounds" + ], + "i am looking for high quality long lasting mudslide colored liquid lipstick.": [ + "mudslide colored liquid lipstick", + "lip color mudslide colored liquid lipstick", + " mudslide colored liquid lipstick", + "long lasting mudslide colored liquid lipstick", + "d mudslide colored liquid lipstick", + "pure mudslide colored liquid lipstick", + "lip color mudslide colored", + "mudslide colored liquid lipstick.", + "long lasting mudslide colored liquid lipstick.", + "lip color high quality mudslide colored liquid" + ], + "i am looking for a antiperspirant deodorant.": [ + "antiperspirant deodorant", + "antiperspirant deodorant under $40", + "antiperspirant deodorant under $50", + "antiperspirant deodorant under $60", + "antiperspirant deodorant.", + "antiperspirant deodorant under 50 dollars", + " antiperspirant deodorant", + "antiperspirant deodorant under 30 dollars", + "antiiperspirant deodorant", + "antiperspirant deodorant below $40" + ], + "i am looking long totally cruelty-free,reusable &handmade high quality color xmz212 size :3 pair": [ + "xmz212 cruelty-free,reusable &handmade high quality", + "l cruelty-free,reusable &handmade high quality xmz212", + "xmz212 cruelty free,reusable &handmade high quality", + "long totally cruelty-free,reusable &handmade high quality", + "xmz212 cruelty-free andhandmade high quality", + "xmz212 cruelty free andhandmade high quality", + "xmz212 color", + "xmz212 cruelty-free", + "xmz212", + "xmz212 cruelty free" + ], + "i am looking for paraben free makeup powder. please choose copper color.": [ + "paraben free makeup powder", + "pink makeup powder paraben free", + "pink makeup powder", + "paraben free makeup powder in copper", + "pink makeup powder, paraben free", + "paraben free makeup powder, copper color", + "paraben free makeup powder in copper color", + "paraben free makeup powder, copper", + "paraben free makeup powder under $40", + "paraben free makeup powder that is copper" + ], + "i am looking for anti aging serum for dry skin.": [ + "anti aging serum for dry skin", + "anti aging serum for dry skin.", + "anti aging serum for dry skin under $40", + "anti aging serum for dry skin under $50", + "anti aging serum for dry skin under $60", + "anti aging serum for dry skin under 50 dollars", + "anti aging serum for dry skin under 30 dollars", + "ant aging serum for dry skin", + "anti aging serum for dry skin ", + "anti aging serum" + ], + "i'm looking for a 24 pack ro-tel mild diced tomatoes and green chilies.": [ + "24 pack ro-tel mild diced tomatoes and green chilies", + "24 pack ro-tel mild diced tomatoes and green chilies under $40", + "24 pack ro-tel mild diced tomatoes and green chilies under $60", + "24 pack ro-tel mild diced tomatoes and green chilies under 30 dollars", + "24 pack ro-tel mild diced tomatoes and green chilies under $50", + "24 pack ro-tel mild diced tomatoes and green chilies under 40 dollars", + "24 pack ro-tel mild diced tomatoes and green chilies under 50 dollars", + "24 pack ro-tel mild diced tomatoes and green chilies under 120 dollars", + "24 pack ro-tel mild diced tomatoes and green chilies under 60 dollars", + "24 pack ro-tel mild diced tomatoes and green chilies." + ], + "i am looking for a easy assemble bookcases": [ + "easy assemble bookcases", + "easy assemble bookcases under $50", + "easy assemble bookcases under $60", + "easy assemble bookcases under $40", + "easy assemble bookcases under $120", + "easy assemble bookcases under 50 dollars", + "easy assemble bookcases under $130", + "easy assemble bookcases under 30 dollars", + "easy assemble bookcases under 120 dollars", + "easy assemble bookcases under 40 dollars" + ], + "i'm looking for a omysalon all purpose hydraulic barber chair .": [ + "oatmeal barber chair omysalon", + "oatmeal barber chair", + "omysalon all purpose hydraulic barber chair", + "oatysalon all purpose hydraulic barber chair", + " omysalon all purpose hydraulic barber chair", + "oatmeal barbecue chair omysalon all purpose", + "oatmeal barber chair, omysalon", + "aluminum barber chair omysalon", + "oatmeal barbecue chair omysalon", + "oatmeal barbecue chair" + ], + "ultra long carbon fiber pole monopod 106\" upgraded selfie stick": [ + "ultra long carbon fiber pole monopod 106 upgraded selfie stick", + "ultra long carbon fiber pole monopod 106", + "ultra long carbon fiber pole monopod 106 digital selfie stick", + "ultra long carbon fiber pole monopod 106 upgraded selfie stick,", + "ultra long carbon fiber pole monopod 106 camera stick", + "ultra long carbon fiber pole monopod 106 upgrade selfie stick", + "ultra long carbon fiber pole monopod 106 high performance selfie stick", + "ultra long carbon fiber pole monopod 106 selfie stick", + "ultra long carbon fiber pole monopod 106 wireless selfie stick", + "ultra long carbon fiber pole monopod 106 upgraded selfie sticks" + ], + "i need 6 fresh baked shortbread cookies that are individually wrapped.": [ + "fresh baked shortbread cookies that are individually wrapped", + "6 fresh baked shortbread cookies", + "fresh baked shortbread cookies", + "6 fresh baked shortbread cookies individually wrapped", + "6 fresh baked shortbread cookies, individually wrapped", + "fresh baked shortbread cookies individually wrapped", + "fresh baked shortbread cookies, individually wrapped", + "6 fresh baked shortbread cookies under $60", + "6 fresh baked shortbread cookies individually wrapped.", + "6 fresh baked shortbread cookies under $50" + ], + "i am looking for a c- -coffee collection color acrylic nail tools for mnail art": [ + "coffee collection color acrylic nail tools for mnail art", + "cffee collection color acrylic nail tools for mnail art", + "cffee collection color acrylic nail tools", + "coffee collection color acrylic nail tools", + "c- -coffee collection color acrylic nail tools", + "coffee collection color acrylic nail tools mnail art", + "cffee collection color acrylic nail tools mnail art", + "a c- -coffee collection color acrylic nail tools", + "carffee collection color acrylic nail tools for mnail art", + "c-coffee collection color acrylic nail tools" + ], + "i'm looking for a button-tufted stitched sofa that offers a mid-century look. i would prefer one with a clay gold finish.": [ + "button-tufted stitched sofa with a mid-century look", + "button-tufted stitched sofa", + "button-tufted stitched sofa with a clay gold finish", + " button-tufted stitched sofa with a mid-century look", + "button-tufted stitched sofa that offers a mid-century look", + "button-tufted stitched sofa with a mid-century look.", + "button-tufted stitched sofa in clay gold", + "button-tufted stitched sofa, mid-century look", + " button-tufted stitched sofa", + "button-tufted stitched sofa with clay gold finish" + ], + "i'm looking for a breakfast cereal bars in a gift box. also, choose pack of 1 which weighs 5.4 ounce with fluffernutter crispies flavored one.": [ + "toothpaste cereal bars 5.4 ounce with fluffernutter crispies flavored", + "toothpaste cereal bars 5.4 ounce with fluffernutter crispies flavored one", + "bag of 1 breakfast cereal bars in a gift box", + "toothpaste cereal bars 5.4 ounce fluffernutter crispies flavored", + "morning cereal bars in a gift box 5.4 ounce fluffernutter crispies flavored", + "pack of 1 breakfast cereal bars in a gift box", + "a breakfast cereal bars in a gift box 5.4 ounce", + "bag of 1 breakfast cereal bars in a gift box.", + "morning cereal bars in a gift box 5.4 ounce", + "a breakfast cereal bars in a gift box" + ], + "i'm looking for rice crispy treats by bunch of munchies.": [ + "rainy crispy treats by bunch of munchies", + "rainbow crispy treats by bunch of munchies", + "roasted crispy treats by bunch of munchies", + "rice crispy treats by bunch of munchies", + "rainy crispy treat by bunch of munchies", + "rainy crispy treats by bunch of munchies.", + "rainbow colored munchies", + "rainbow colored munchies rice crispy treats", + "roasted crispy treats by bunch of munchies.", + "rainbow crispy treats by bunch of munchies." + ], + "i want by a gift easter basket with the og crispie - gourmet rice crispy, 5.9 ounce (pack of 1).": [ + "5.9 ounce (pack of 1) og crispie - gourmet rice crispy easter basket", + "gift easter basket with the og crispie - gourmet rice crispy", + "5.9 ounce (pack of 1), og crispie - gourmet rice crispy easter basket", + "8.9 ounce (pack of 1) og crispie - gourmet rice crispy easter basket", + "gift easter basket og crispie - gourmet rice crispy", + "5.9 ounce (pack of 1), og crispie - gourmet rice crispy", + "5.9 ounce (pack of 1) easter basket", + "bag of 1 og crispie - gourmet rice crispy easter basket", + "gift easter basket, og crispie - gourmet rice crispy", + "5.9 ounce (pack of 1)" + ], + "i need a high protein snack which is gluten and grain free. i really like the smoky serrano flavor.": [ + "high protein snack which is gluten and grain free", + "gluten free smoky serrano snack", + "high protein snack that is gluten and grain free", + "high protein snack which is gluten free", + "high protein snack that is gluten free", + "high protein snack gluten free", + "sugar-free smoky serrano snack", + "smoky serrano snack", + "moky serrano snack", + "gluten free high protein snack" + ], + "i'm looking for hair care for hair extenions its for permanent hair.": [ + "hair care for hair extenions for permanent hair.", + "hair care for hair extenions for permanent hair", + "hair care for hair extenions its for permanent hair.", + "hair care for hair extenions whose for permanent hair.", + "hair care for hair extenions its for permanent hair", + "hair care for hair extenions whose for permanent hair", + "hair care for hair extenions permanent hair", + "hair care for hair extenions", + "hair care for hair extenions that are for permanent hair", + "hair care for hair extenions with permanent hair" + ], + "i am looking for a green ottomans for living room.": [ + "green ottoman for living room", + "green ottomans for living room", + "green ottoman living room", + "green ottoman for living room.", + "green ottomans living room", + "green ottoman in living room", + "green ottoman living room.", + "green ottoman, living room", + "living room green ottoman", + "green ottoman for living room," + ], + "i am looking for a nautical color of fruit juice for party supplies": [ + "nautical color fruit juice party supplies", + "nautical color of fruit juice", + "nautical color fruit juice", + "fruit juice for party supplies", + "fruit juice party supplies nautical color", + "nautical colored fruit juice party supplies", + "fruit juice party supplies nautical colored", + "fruit juice nautical color", + "fruit juice party supplies", + "nautical color" + ], + "i'm looking for furniture it was for living room furniture.": [ + "living room furniture", + "wooden furniture for living room furniture", + "living room furniture.", + "wooden furniture for living room", + "wooden furniture living room furniture", + "wooden living room furniture", + "wooden furniture living room", + "living room furniture under $120", + "living room furniture,", + "wooden furniture" + ], + "i need a rose gold tattoo machine for permanent makeup.": [ + "rose gold tattoo machine for permanent makeup", + "rose gold tattoo machine for permanent makeup.", + "rose gold tattoo machine", + "rose gold tattoo machine that is permanent makeup", + "rose gold tattoo machine for permanent makeup under $50", + "rose gold tattoo machine for permanent makeup under $40", + "rose gold tattoo machine for permanent makeup under $60", + "rose gold tattoo machine for permanent makeup,", + "rose gold tattoo machine, permanent makeup", + "rose gold tattoo machine with permanent makeup" + ], + "i am looking for small sized sweatshirt. it should be machine washable.": [ + "small sweatshirt machine washable", + "small sized sweatshirt", + "small sized sweatshirt machine washable", + "small sized sweatshirt, machine washable", + "small sweatshirt, machine washable", + "small sweatshirt", + "small sweatshirt that is machine washable", + "small sized sweatshirt under $50", + "small sized sweatshirt under $40", + "small sweatshirt under $50" + ], + "i need small boxer briefs that are quick dry and white.": [ + "small boxer briefs quick dry and white", + "small boxer briefs quick dry white", + "small boxer briefs", + "small boxer briefs, quick dry and white", + "small boxer briefs with quick dry and white", + "small boxer briefs in quick dry and white", + "small boxer briefs quick drying and white", + "small boxer briefs quick dry", + "small boxer briefs quick dry and white.", + "small boxer briefs quick dry white boxer briefs" + ], + "i am looking for a clinically proven face moisturizer cream which supports anti aging": [ + "moisturizer cream anti aging", + "moisturizer cream that supports anti aging", + "moisturizer cream which supports anti aging", + "a clinically proven face moisturizer cream which supports anti aging", + "clinically proven face moisturizer cream", + "maturity proven face moisturizer cream which supports anti aging", + "maturity proven face moisturizer cream that supports anti aging", + "moisturizer cream with anti aging", + "clinically proven face moisturizer cream, anti aging", + " clinically proven face moisturizer cream which supports anti aging" + ], + "i am looking for a 4.0 rustic brown 1 color home office desk that is easy to assemble.": [ + "4.0 rustic brown 1 color home office desk", + "4.0 rustic brown home office desk", + "4.0 rustic brown office desk", + "4.0 rustic brown 2 color home office desk", + "home office desk that is easy to assemble 4.0", + "home office desk 4.0 rustic brown", + "industrial brown home office desk that is easy to assemble", + "4.0 rustic brown work desk", + "4.0 rustic brown desk", + "home office desk that is easy to assemble" + ], + "i'm looking for skin care products for hair styling products.": [ + "skin care products for hair styling products", + "skin care products for hair styling products.", + "skin care products for hair styling products under $40", + "skin care products for hair styling products under $50", + "skin care products for hair styling products under $60", + "skin care products for hair styling products under 50 dollars", + "skin care products for hair styling products under 30 dollars", + "skin care products for hair styling products under 40 dollars", + "skin care products for hair styling products under 60 dollars", + "skin care products for hair styling products under 120 dollars" + ], + "i am looking for forest green teal blue 6 colors nail polish.": [ + "wood green teal blue 6 colors nail polish", + "forest green teal blue 6 colors nail polish", + "wooden green teal blue 6 colors nail polish", + "green teal blue 6 colors nail polish", + " forest green teal blue 6 colors nail polish", + "manual green teal blue 6 colors nail polish", + "engineered green teal blue 6 colors nail polish", + "wood green teal blue 6 color nail polish", + "wood green teal blue nail polish", + "wood green teal blue 6 colors nail polish." + ], + "womens like high quality and dark color make up accessories": [ + "womens high quality and dark color make up accessories", + "womens high quality dark color make up accessories", + "high quality dark color make up accessories", + "high quality and dark color make up accessories", + "womens high quality color make up accessories", + "womens high quality black color make up accessories", + "womens high quality and dark color accessories", + "womens high quality and dark color makeup accessories", + "womens make up accessories high quality and dark color", + "womens high quality and dark color make up" + ], + "i want to find a brown wall mounted wall sconce with a bronze finish.": [ + "brown wall mounted wall sconce with a bronze finish", + "wall sconce with a bronze finish", + "brown wall mounted wall sconce with bronze finish", + "wall sconce with bronze finish", + "brown wall mounted wall sconce", + "white wall mounted wall sconce with a bronze finish", + "womens wall sconce with a bronze finish", + "grey wall mounted wall sconce with a bronze finish", + "brown wall mounted wall sconce bronze finish", + "wooden wall sconce with a bronze finish" + ], + "i am looking for new clear and easy clean tablecloth top protection cover": [ + "tablecloth top protection cover", + "tablecloth top protection", + "tablecloth top protection under $40", + "tablecloth top protection cover,", + "tablecloth top protection under $50", + " tablecloth top protection cover", + "Tablecloth top protection cover", + "tablecloth protection cover", + "tablecloth cover", + "floor protection cover" + ], + "i am looking for a multicolor runner area rug to go in my living room.": [ + "multicolor runner rug for living room", + "multicolor runner rug", + "multicolor runner rug living room", + "multicolor runner area rug for living room", + "multicolor runner area rug", + "multicolor runner rug in my living room", + "multicolor runner area rug living room", + "multicolor runner rug, living room", + "multicolor runner rug for living room.", + "multicolor runner rug, living room," + ], + "a super soft and warm flash light weight machine washable blanket for leaving room size:80\"60\"": [ + "super soft and warm flash light weight machine washable blanket", + "super soft flash light weight machine washable blanket", + "super soft and warm flash light weight machine washable blanket", + "super soft, warm flash light weight machine washable blanket", + "super soft warm flash light weight machine washable blanket", + "super soft flash light weight machine washable blanket for leaving room size", + "a super soft and warm flash light weight machine washable blanket", + "super soft warm flash light weight machine washable blanket", + "super soft and warm flash light weight", + "super soft blanket" + ], + "i am looking for golden blonde human hair extensions.": [ + "golden blonde human hair extensions", + "golden blonde human hair extension", + "gluten-free human hair extensions", + "gluten free human hair extensions", + "golden blonde human hair extensions.", + " golden blonde human hair extensions", + "golden blonde human hair extensions,", + "gluten-free human hair extension", + "goldene blonde human hair extensions", + "human hair extensions golden blonde" + ], + "i'm looking for aluminum tripod light weighted products because it can easy to carry.": [ + "aluminum tripod light weighted products", + "aluminum tripod light weighted products easy to carry", + "aluminum tripod light weighted products under $40", + "aluminum tripod light weighted products under $50", + "aluminum tripod light weighted products under $60", + "aluminum tripod light weighted products under 50 dollars", + "aluminum tripod heavy weighted products", + "alarm tripod light weighted products", + "uminum tripod light weighted products", + "aluminum tripod light weighted" + ], + "i'm looking for hair rose gold colored products.": [ + "hair rose gold colored products", + "hair rose gold colored products.", + "hair rose gold colored products under $40", + "hair rose gold colored products under $50", + "hair rose gold colored products under $60", + "hair rose gold colored products under 50 dollars", + "hair rose gold colored products under 30 dollars", + "hair rose gold colored products under 40 dollars", + "hair rose gold colored products,", + "hair rose gold colored" + ], + "i need a gift basket of gluten free food items for my family. and i would prefer 16 bars & card size": [ + "gift basket of gluten free food items", + "gift basket of gluten free food items 16 bars & card", + "gift basket of gluten free food items for my family", + "gluten free food items 16 bars & card size", + "gift basket gluten free food items 16 bars & card size", + "gluten free food items 16 bars & card", + "gift basket of gluten free food", + "gift basket of gluten free foods", + "gift basket gluten free", + "gift basket" + ], + "i am looking for individually wrapped lollipops jar. it should be in pearl kiwi green and green apple flavor.": [ + "packet kiwi green and green apple flavor", + "packaged lollipops jar with a green apple flavor", + "lemon kiwi green and green apple flavor", + "packet lollipops jar with a green apple flavor", + "plastic lollipops jar with a green apple flavor", + "packaged lollipops jar with pomegranate green apple flavor", + "packet kiwi green apple flavor", + "packaged lollipops jar with a green and green apple flavor", + " individually wrapped lollipops jar with a green apple flavor", + "packet lollipops jar with a green and green apple flavor" + ], + "i'm looking for high power monocular telescope with smartphone holder and tripod": [ + "high power monocular telescope with smartphone holder and tripod", + "monocular telescope with smartphone holder and tripod", + "high power monocular telescope with smartphone holder", + "high power monocular telescope with smartphone holder, tripod", + "low power monocular telescope with smartphone holder and tripod", + "monocular telescope with smartphone holder and tripod high power", + "monocular telescope with smartphone holder", + "high power monocular telescope, smartphone holder and tripod", + "high power monocular telescope with smartphone holder with tripod", + "monocular telescope with smartphone holder, tripod" + ], + "i am looking for vanity wall lamp of 2 pack.": [ + "vanity wall lamp of 2 pack", + "pink wall lamp of 2 pack", + " vanity wall lamp of 2 pack", + "pink vanity wall lamp of 2 pack", + "k vanity wall lamp of 2 pack", + "vinyl wall lamp of 2 pack", + "vanity wall lamp 2 pack", + "v vanity wall lamp of 2 pack", + "pink wall lamp 2 pack", + "vanity wall lamp of 2 pack." + ], + "i am looking ac adapters with good output production": [ + "ac adapters with good output production", + "ac adapters with good output", + "ac adapters that are good output", + " ac adapters with good output production", + "ac adapter with good output production", + "a adapters with good output production", + "ac adapters", + "ac adapters that are high output", + "ac adapter with good output", + "ac adapters, good output production" + ], + "i would like a ac adapter that is easy to carry.": [ + "ac adapter that is easy to carry", + "ac adapter easy to carry", + "easy to carry ac adapter", + "easy-to-carry ac adapter", + "ac adapter", + "ac adapter, easy to carry", + "alarm ac adapter easy to carry", + "pocket ac adapter easy to carry", + "alarm ac adapter", + "pocketable ac adapter" + ], + "i'm looking for one cocktail mix gluten free and natural ingredients spicy bloody mary flavor in pack of 2 with 32 fl oz": [ + "pink bloody mary flavor in pack of 2 with 32 fl oz", + "barbecue mix gluten free and natural ingredients 32 fl oz", + "slim bloody mary flavor in pack of 2 with 32 fl oz", + "barbecue mix gluten free and natural", + "gluten free and natural ingredients spicy bloody mary flavor in pack of 2", + "slimming mix gluten free and natural ingredients 32 fl oz", + "sugar free and natural ingredients spicy bloody mary flavor in pack of 2", + "cashew mix gluten free and natural ingredients 32 fl oz", + "gluten free and natural ingredients spicy bloody mary flavor pack of 2", + "barbecue mix gluten free with 32 fl oz" + ], + "i need 3v long lasting and high performance batteries in a pack of 6": [ + "3v long lasting high performance batteries pack of 6", + "3v long lasting and high performance batteries", + "3v long lasting high performance batteries", + "3v long lasting batteries in a pack of 6", + "3v batteries pack of 6", + "3v long lasting performance batteries pack of 6", + "3v batteries in a pack of 6", + "3v long lasting batteries pack of 6", + "3v battery pack", + "3v batteries" + ], + "i'm looking for high heeled shoes and open toe it will easy to wear": [ + "high heeled shoes with open toe", + "high heeled shoes", + "high heeled shoes and open toe", + "high heeled shoes easy to wear", + "high heeled shoes open toe easy to wear", + "high heeled shoes and open toe easy to wear", + "high heeled shoes with open toe easy to wear", + "high heeled shoes open toe", + "high heeled shoes that are easy to wear", + "high heeled shoes, open toe easy to wear" + ], + "i am looking for birthday cake in black 40": [ + "birthday cake in black 40", + "birthday cake in black", + "baby shower cake in black 40", + "birthday cake black 40", + "baby shower cake black 40", + "blue birthday cake in black 40", + "baby shower cake in black", + "black birthday cake in black 40", + "birthday cakes in black 40", + "birthday cake, black 40" + ], + "i'm looking for wall art for hanging through the wall.": [ + "wall art", + "wall art for hanging through the wall", + "wall art through the wall", + "wall art hanging through the wall", + "wall art hanging through the wall.", + "wall art through the wall.", + "wall art, hanging through the wall", + "wall art that hangs through the wall", + "wall art living through the wall", + "wall art wall art" + ], + "i need a custom metal print poster for my living room": [ + "temporary metal print poster for my living room", + "temporary metal print poster for living room", + "temporary metal print poster for the living room", + "custom metal print poster for my living room", + "temporary metal print poster living room", + "temporary metal print poster for a living room", + "engineered metal print poster for my living room", + "custom metal print poster for living room", + "a custom metal print poster for my living room", + "temporary metal print poster" + ], + "i'm looking for grey colored men's closed toe sports sandals in size 8 please.": [ + "grey colored mens closed toe sports sandals in size 8", + "grey colored mens closed toe sports sandals size 8", + "grey mens closed toe sports sandals in size 8", + "grey colored mens closed toe sports sandals", + "grey mens closed toe sports sandals size 8", + "grey mens closed toe sports sandals in a size 8", + "grey colored mens closed toe sports sandals, size 8", + "grey mens closed toe sports sandals", + "grey tennis sandals size 8", + "grey sandals size 8" + ], + "i looking a solid wood home furnishing 2 drawer nightstand": [ + "2 drawer nightstand", + "home furnishing 2 drawer nightstand", + "living room furnishing 2 drawer nightstand", + "wood home furnishing 2 drawer nightstand", + "2 drawer nightstand solid wood", + "2 drawer nightstand that is solid wood", + "2 drawer nightstand, solid wood", + "3 drawer nightstand", + "1 drawer nightstand", + "4 drawer nightstand" + ], + "i'm looking for some vinyl women's clogs in taupe color, size 9.": [ + "vinyl womens clogs in taupe color, size 9", + "vinyl womens clogs in taupe color", + " vinyl womens clogs in taupe color, size 9", + "a vinyl womens clogs in taupe color, size 9", + " vinyl womens clogs in taupe color, size 9.", + "vinyl womens clogs in taupe color size 9", + "a vinyl womens clogs in taupe color", + "vinyl womens clogs taupe color, size 9", + " vinyl womens clogs in taupe color", + " vinyl womens clogs in taupe color, size 9," + ], + "i need a matcha green team exfoliating scrub that is effective for removing dead skin from the surface of the skin.": [ + "matcha green team exfoliating scrub", + "matcha green team exfoliating scrub dead skin", + "matcha green team exfoliating scrub with dead skin", + "matcha green team exfoliating scrub, dead skin", + "matcha green team exfoliating scrub for dead skin", + "matcha green team exfoliating scrub dead skin", + "matcha green team exfoliating scrub dead skin under $40", + "matcha green team exfoliating scrub dead skin under $50", + "matcha green team exfoliating scrub dead skin below $40", + "matcha green team exfoliating scrub dead skin below $50" + ], + "show me trail running shoes with a rubber sole. it should be 4.5 for men.": [ + "walking shoes 4.5 for men", + "rainbow shoes 4.5 for men", + "tea running shoes 4.5 for men", + " trail running shoes 4.5 for men", + "rainbow shoes 4.5 men", + "walking shoes 4.5 men", + "tea running shoes 4.5 men", + " trail running shoes with a rubber sole", + "tea running shoes with a rubber sole", + "walking shoes with a rubber sole 4.5" + ], + "i am looking for a 05 red color women sneakers for day comfort": [ + " 05 red color women sneakers for day comfort", + "5 red color women sneakers for day comfort", + "05 red color women sneakers for day comfort", + "5 red women sneakers for day comfort", + "5 red sneakers for day comfort", + "05 red color women sneakers", + "06 red color women sneakers for day comfort", + "5 red color women sneakers", + " 05 red color women sneakers", + "05 red sneakers for day comfort" + ], + "i'm looking for a yaliaprint dragonfly blackout curtains.": [ + "yaliaprint dragonfly blackout curtains", + " yaliaprint dragonfly blackout curtains", + "yaliaprint dragonfly blackout curtains.", + "yaliaprint dragonfly blackout curtains under $40", + "yaliaprint dragonfly blackout curtains under $50", + "yaliaprint dragonfly blackout curtains under $60", + "yaliaprint dragonfly blackout curtains under 50 dollars", + "yaliaprint dragonfly blackout curtains under $130", + "a yaliaprint dragonfly blackout curtains", + "syaliaprint dragonfly blackout curtains" + ], + "i'm looking for navy colored large sized jackets it can use for winter warm.": [ + "navy colored large sized jackets", + "navy colored large sized jackets for winter warm", + "navy colored large sized jacket", + "navy colored large t-shirt", + "navy colored large sized jacket for winter warm", + "navy colored large sized jackets winter warm", + "navy colored large sash jackets", + "navy colored large sash jacket", + "navy colored large t-short jacket", + "navy colored large jacket" + ], + "i need a golden colored coffee table that is easy to assemble. choose one for my living room.": [ + "gluten colored coffee table for living room", + "gluten colored coffee table that is easy to assemble", + "golden colored coffee table that is easy to assemble", + "gluten colored coffee table", + "golden colored coffee table for living room", + "gluten colored coffee table in a living room", + "gluten colored coffee table in my living room", + "easy assemble golden colored coffee table for living room", + "gluten colored coffee table for living room.", + "golden colored coffee table" + ], + "i want to buy a hairbrush that increases hair growth.": [ + "hairbrush that increases hair growth", + "hairbrush that increases hair growth.", + "toothbrush that increases hair growth", + "honeybrush that increases hair growth", + "hairbrush for hair growth", + "hairbrush that increases hair growth", + "a hairbrush that increases hair growth", + "hairbrush with hair growth", + "hairbrush with growth", + "hairbrush" + ], + "i want to get a high performance security camera with ultra hd resolution.": [ + "high performance security camera with ultra hd resolution", + "high performance security camera ultra hd resolution", + "security camera ultra hd resolution", + "security camera ultra hd", + "security camera with ultra hd resolution", + "low performance security camera with ultra hd resolution", + "high performance security camera", + "high performance security camera ultra hd", + "high performance security camera ultra hd resolution.", + "stainless hd security camera" + ], + "i am interested in a six pack of non gmo crackers.": [ + "6 pack of non gmo crackers", + "6 pack non gmo crackers", + "non gmo crackers six pack", + "pack of non gmo crackers", + "6 pack of gmo crackers", + "non gmo crackers 6 pack", + "six pack of non gmo crackers", + "5 pack of non gmo crackers", + "6 pack gmo crackers", + "non gmo crackers" + ], + "i'm looking for accent furniture for living room.": [ + " accent furniture for living room", + " accent furniture for living room.", + "pink accent furniture for living room", + "indesthetic furniture for living room", + "indoor furniture for living room", + "ind accent furniture for living room", + "ac accent furniture for living room", + "acnt furniture for living room", + "indoor furniture for living room.", + "ind accent furniture for living room." + ], + "i'm looking for a amy's soup.": [ + "im looking for a amys soup.", + "i am looking for a amys soup.", + "amys soup", + "i amys soup.", + "amys soup.", + "amys soup under $40", + "amys soup below $40", + "amys soup under $60", + "im looking for a soup.", + "mys soup" + ], + "i want a doorbell camera that's 1080p and has motion detection.": [ + "doorbell camera 1080p with motion detection", + "doorbell camera 1080p", + "doorbell camera 1080p motion detection", + "window camera 1080p with motion detection", + "tv camera 1080p with motion detection", + "window camera 1080p", + "window camera 1080p motion detection", + "doorbell camera thats 1080p motion detection", + "doorbell camera that is 1080p", + "doorbell camera 1080p motion detection" + ], + "i'm looking for decor room for living room its full of wood finish and want to buy it.": [ + "decor room for living room wood finish", + "vinyl room for living room wood finish", + "living room decor room wood finish", + "decor room for living room with wood finish", + " decor room for living room wood finish", + "wood finish decor room for living room", + "vinyl room for living room with wood finish", + "home decor room for living room wood finish", + "wood decor room for living room", + "decor room living room wood finish" + ], + "find me a kitchen table with metal legs in black oak with 39.37\" for dining room": [ + "living room table with metal legs in black oak", + "white kitchen table with metal legs in black oak", + "gluten-free kitchen table with metal legs in black oak", + "gluten-free dining room table with metal legs", + "gluten free kitchen table with metal legs in black oak", + "living room table metal legs in black oak with 39.37", + "wooden dining table with metal legs in black oak", + "white kitchen table with metal legs in black oak dining room", + "gluten free dining room table with metal legs", + "living room table metal legs in black oak" + ], + "i am looking for a 2 manual toothbrushes for sensitive teeth.": [ + "2 manual toothbrushes for sensitive teeth", + "manual toothbrushes for sensitive teeth", + "two manual toothbrushes for sensitive teeth", + "2 manual toothbrushes for sensitive teeth.", + "1 manual toothbrushes for sensitive teeth", + "2 manual teethbrushes for sensitive teeth", + "2 manual toothbrush for sensitive teeth", + "two manual toothbrushes for sensitive teeth.", + "manual toothbrushes for sensitive teeth.", + "manual toothbrushes for sensitive teeth 2" + ], + "i'm looking for snacks fully cooked no preservatives and need to buy it.": [ + "sneakers fully cooked no preservatives", + "pack of snacks fully cooked no preservatives", + "strawberry snacks fully cooked no preservatives", + "sugar fully cooked no preservatives", + "protein snacks fully cooked no preservatives", + "pink snacks fully cooked no preservatives", + "sens fully cooked no preservatives", + "sneakers with no preservatives", + "s snacks fully cooked no preservatives", + "sneakers fully cooked no preservatives," + ], + "i'm looking for accessories for women's for dead skin adn need to buy it.": [ + "womens accessories for dead skin", + " accessories for womens for dead skin", + " accessories for womens for dead skin adn", + "bag accessories for womens for dead skin", + "womens accessories for dead skin adn", + " accessories for womens for dead skin", + "bag accessories for womens for dead skin", + "womens for dead skin accessories", + "womens accessories", + "walking skin accessories" + ], + "i'm looking for machine washable, daily wear boxer briefs with elastic waistband and has unique design. also choose x-large, love with hearts black colored one.": [ + "machine washable boxer briefs with elastic waistband", + "machine washable x-large boxer briefs with elastic waistband", + "machine washable, daily wear boxer briefs with elastic waistband", + "machine washable boxer briefs x-large, love with hearts black colored", + "machine washable boxer briefs x-large love with hearts black colored", + "machine washable boxer briefs with elastic waistband x-large", + "machine washable boxer briefs with elastic waistband, love with hearts black", + "machine washable boxer briefs x-large, love with hearts black", + "machine washable boxer briefs x-large with hearts black", + "machine washable x-large boxer briefs" + ], + "i'm looking for intel core has install at any at easy and it will high perfomanced.": [ + "intel core easy to install high perfomanced", + "intel core that is high perfomanced", + "intel core is high perfomanced", + "intel core high perfomanced", + "intel core is easy to install high perfomanced", + "intel core is easy to install and high perfomanced", + "intel core has install at any price high perfomanced", + "intel core has install at any price low perfomanced", + "intel core with high perfomanced", + "intel core easy perfomanced" + ], + "i am looking for a medium slim fit tops.": [ + "medium slim fit tops", + "medium slim fit tops.", + "medium slim fit tops under $40", + "medium slim fit tops under $50", + "medium slim fit t-shirt", + "medium slim fit tops under $60", + "medium slim fit tops under 50 dollars", + "medium slim fit tops under 40 dollars", + "medium slim fit t-shoes", + "medium slim fit t-short" + ], + "i am looking for a high power soundbar and it should be dust proof.": [ + "dust proof high power soundbar", + "dust proof soundbar", + "dust proof high power soundbar under $40", + "dust proof high power soundbar under $60", + "dust proof high power soundbar under $50", + "dust proof soundbar that is high power", + "dust proof high power soundbar under $120", + "dust proof high power soundbar under $130", + "dust proof high power soundbar under 30 dollars", + "dust proof high power soundbar under 50 dollars" + ], + "i need bacon cheddar crisps that are not only keto friendly but also gluten free and low carb.": [ + "bacon cheddar crisps keto friendly", + "bacon cheddar crisps keto friendly and gluten free", + "banana cheddar crisps keto friendly", + "bagel cheddar crisps keto friendly", + "keto cheddar crisps keto friendly", + "keto friendly keto crisps gluten free and low carb", + "banana cheddar crisps keto friendly and gluten free", + "bagel cheddar crisps keto friendly and gluten free", + "toothpaste keto friendly keto crisps gluten free", + "keto friendly crisps keto friendly" + ], + "i am looking orange almond muffin flavour baking mix with low carb,sugar free,gluten free made with natural ingredient": [ + "orange almond muffin flavour baking mix", + "orange almond muffin flavour baking mix low carb sugar free", + "orange almond muffin flavour baking mix sugar free", + "orange almond muffin flavour baking mix low carb with natural ingredient", + "orange almond muffin flavour baking mix with low carb sugar free", + "orange almond muffin flavour baking mix low carb sugar", + "orange almond muffin flavour baking mix low carb", + "orange almond muffin flavour baking mix no sugar", + "orange almond muffin flavour baking mix natural", + "orange almond muffin flavour" + ], + "i want to get some keto friendly blueberry baking mix that's made from all-natural ingredients.": [ + "keto friendly blueberry baking mix", + "keto friendly blueberry baking mix with all-natural ingredients", + "keto friendly blueberry baking mix keto friendly", + "keto friendly blueberry baking mix with natural ingredients", + "keto friendly blueberry baking mix made from all-natural", + "keto friendly keto friendly blueberry baking mix", + "keto friendly blueberry baking mix made from all natural ingredients", + " keto friendly blueberry baking mix", + "keto friendly blueberry baking mix", + "keto friendly blueberry baking mix keto friendly ingredients" + ], + "i'm looking for need to buy a machine washable and it easy to use it.": [ + "machine washable", + "machine washable and easy to use", + "machine washable, easy to use", + "machine washable under $40", + "machine washable under $50", + "man washable machine washable", + "hand washable machine washable", + "machine washable machine washable", + "machine washable, easy to use,", + "man washable" + ], + "i am looking for dual band cellular booster": [ + "dual band cellular booster", + "dual band cellular booster under $40", + "dual band cellular booster under $50", + "dual band cellular booster under $60", + "dual band cellular booster under $130", + "dual band cellular booster,", + "Dual band cellular booster", + "duals band cellular booster", + "two band cellular booster", + "double band cellular booster" + ], + "i am looking for a 15 foot gold plated interconnect cable.": [ + "15 foot gold plated interconnect cable", + "15 foot gold plated interconnect cable.", + "15 foot gold plated interconnect cable under $40", + "size 15 foot gold plated interconnect cable", + "15 foot gold plated interconnect cable under $60", + "15 foot gold plated interconnect cable under $50", + "15 foot gold plated interconnect cable,", + "15 foot gold plated interconnect cable under $120", + " 15 foot gold plated interconnect cable", + "15 foot gold plated interconnect cable under $130" + ], + "i want to find a female to dual cable that is 3.3 feet long. it needs to also come with a power amplifier.": [ + "female to dual cable 3.3 feet long", + "woman to dual cable 3.3 feet long", + "female to dual cable that is 3.3 feet long", + "womens to dual cable 3.3 feet long", + "woman to dual cable that is 3.3 feet long", + "3.3 feet long female to dual cable", + "female to dual cable 3.3 ft long", + "Female to dual cable 3.3 feet long", + "womens to dual cable 3.3 ft long", + "3.3 feet long power amplifier" + ], + "i'm looking for capacity in white plug play it was need to buy it.": [ + "white plug play", + "white plug play with capacity", + "white plug play capacity", + "power in white plug play", + "white plug play below $40", + "white plug play under $40", + "white plug play,", + "white plug play below $50", + "white plug play below $60", + "white plug play under $60" + ], + "i am looking for a pair of women's size 7.5 open toe outdoor sandals.": [ + "womens size 7.5 open toe outdoor sandals", + "mens size 7.5 open toe outdoor sandals", + "womens size 7.5 open toe indoor sandals", + "mens size 7.5 open toe outdoor sandals", + "womens size 7.5 wide toe outdoor sandals", + "open toe outdoor sandals womens size 7.5", + "woman size 7.5 open toe outdoor sandals", + "size 7.5 open toe outdoor sandals", + "mens size 7.5 open toe outdoor sandals.", + "womens size 7.5 open toe tennis" + ], + "i'm looking for bedspreads it was easy to wash it was machine washable": [ + "bedspreads machine washable", + "bedspreads easy to wash machine washable", + "bedspreads that are easy to wash", + "bedspreads easy to wash", + "bedspreads that are easy to wash machine washable", + "bedspreads, easy to wash, machine washable", + "bedspreads easy to wash, machine washable", + "bedspreads that were easy to wash", + "bedspreads that are machine washable", + "bedspreads" + ], + "i'm looking for a slim fit dress shirt with a button closure. it should come in a 4 x large with a blue plaid pattern.": [ + "slim fit dress shirt with button closure", + "slim fit dress shirt with a button closure", + "slim fit dress shirt with button closure 4 x large", + "shoes 4 x large with a blue plaid pattern", + "4 x large slim fit dress shirt with button closure", + " slim fit dress shirt with button closure", + "slim fit dress shirt with button closure under $40", + "slim fit dress shirt with button closure", + "slim fit dress shirt 4 x large", + "slim fit dress shirt with button closure under $50" + ], + "i need a white mid century table for my living room. it should be 15.6x23 inches in size.": [ + "white mid century table 15.6x23 inches in size", + "white mid century table 15.6x23 inches", + "white mid century table for living room 15.6x23 inches", + "white mid century dining table 15.6x23 inches in size", + "white mid century table for living room", + "white mid century table, 15.6x23 inches in size", + "15.6x23 inches white mid century table", + "white mid century table, 15.6x23 inches", + "white mid century table dining room 15.6x23 inches", + "white mid century table 15.6x23 inches in size." + ], + "i am looking for a dark taupe home office desks with metal legs.": [ + "dark taupe home office desks with metal legs", + "dark taupe home office desks", + "dark taupe home office desk with metal legs", + "dark taupe home office desks metal legs", + "dark taupe home office desks, metal legs", + "dark taupe office desks with metal legs", + "dark taupe home office desks that are metal", + "dark taupe home office desks with metal leg", + "dark taupe home office desk metal legs", + "dark taupe home office desk" + ], + "i need a high speed plug and play external optical drive with usb. pick a black one.": [ + "high speed plug and play external optical drive with usb", + "high speed plug and play external optical drive", + "high speed plug and play external optical drive with usb, black", + "high speed plug and play external optical drive with usb black", + "high speed plug and play external optical drive with usb in black", + "high speed plug and play external optical drive with usb that is black", + "high speed plug-and-play external optical drive with usb", + "high speed plug and play external optical drive with usb under $40", + "high speed plug and play external optical drive with usb under $60", + "high speed plug and play external optical drive usb" + ], + "i am looking for machine washable throw pillow cushion cover. please select peach mint color.": [ + "machine washable throw pillow cushion cover peach mint", + "machine washable throw pillow cushion cover, peach mint color", + "machine washable throw pillow cushion cover", + "machine washable throw pillow cushion cover, peach mint", + "machine washable throw pillow cushion cover in peach mint", + "pomegranate mint throw pillow cushion cover", + "machine washable throw pillow cushion cover peach mint color", + "machine washable throw pillow cushion cover with peach mint color", + "machine washable throw pillow cushion cover in peach mint color", + "machine washable throw pillow cushion cover peaches mint color" + ], + "i'm looking for skin care moisturizing seed oil need to buy it.": [ + "skin care moisturizing seed oil", + "skin care moisturizing seed oil,", + "skin care moisturizing seed oil under $40", + "skin care moisturizing seed oil under $50", + "skin care moisturizing seed oil under $60", + "skin care moisturizing seed oil, $40", + "skin care moisturizing seed oil skin care", + "skin care moisturizing seed oil, $60", + "i skin care moisturizing seed oil", + "Skin care moisturizing seed oil" + ], + "wall plate cover in toggle combo": [ + "wall plate cover in toggle combo", + "wall plate cover in toggle combo, less than $40", + "wall plate cover toggle combo", + "wall plate cover in toggle combo, less then $40", + "wall plate cover, toggle combo", + "wall plate cover in toggle combo under $40", + "wall plate cover in toggle combo, $40", + "wall plate cover in toggle combo,", + "wall plate cover with toggle combo", + "wall plate cover for toggle combo" + ], + "i am looking for white floral scent dab 002 in travel size": [ + "white floral scent dab 002 in travel size", + "white floral scent dab 002 travel size", + "white floral scent dab 002", + "white floral scent dab 002 in travel", + "white floral scent dab 002 travel", + "white floral scent dab 002, travel size", + " white floral scent dab 002 in travel size", + "white floral scent dab 002 travel size white", + "white floral scent dab 002 travel size,", + " white floral scent dab 002 travel size" + ], + "i want to buy canvas prints for the living room preferably having airplanes on them.": [ + " canvas prints for the living room with airplanes", + "portrait prints for the living room with airplanes", + "portrait prints for living room with airplanes", + "portrait print living room with airplanes", + "portrait prints living room with airplanes", + "artwork for living room with airplanes", + "a canvas prints for the living room with airplanes", + " canvas prints for the living room with airplanes on them", + " canvas prints for living room with airplanes", + "portrait prints for living room with airplanes on them" + ], + "i want to buy a six pack of snickerdoodle flavored hot chocolate. make sure it's gluten free.": [ + "snickerdoodle flavored hot chocolate six pack", + "stickerdoodle flavored hot chocolate six pack", + "pack of snickerdoodle flavored hot chocolate", + "sugar free hot chocolate six pack", + "stickerdoodle flavored hot chocolate", + "snickerdoodle flavored hot chocolate", + "shocolate snickerdoodle flavored hot chocolate", + "snoickerdoodle flavored hot chocolate", + "shocolate flavored hot chocolate six pack", + "snickerdoodle flavored hot chocolate flavor" + ], + "i'm looking for the furniture for bed room the color was beige.": [ + "living room furniture beige", + "wooden bed room furniture beige", + "wood furniture for bed room beige", + "pink bed room furniture beige", + "the furniture for bed room beige", + "living room color beige", + "pink bed room furniture", + "wooden furniture for bed room", + "living room beige", + "living room furniture beige color" + ], + "i'm looking for grey colored queen sized pillowcases and want to buy it.": [ + "grey colored queen sized pillowcases", + "grey colored queen sized pillowcases,", + "grey colored queen sized pillowcases under $40", + "grey colored queen sized pillowcases under $50", + "grey colored queen sized pillowcases under $60", + "grey colored queen sized pillowcases under 50 dollars", + "grey queen sized pillowcases", + "grey coloured queen sized pillowcases", + "grey colored queen sized pillowcases.", + "gray colored queen sized pillowcases" + ], + "i'm looking for wall art for living room the color was inspirational.": [ + "wall art for living room", + "wall art for living room that was inspirational", + "wall art for living room that is inspirational", + "wall art for living room inspirational", + "wall art for living room, inspirational", + "wall art for living room with inspirational color", + "living room wall art inspirational", + "living room wall art", + "wall art for living room color was inspirational", + "style wall art for living room" + ], + "i need an easy to carry tripod made of carbon fiber for my camera.": [ + "easy to carry tripod made of carbon fiber", + "easy to carry tripod made of carbon fiber camera", + "easy to carry tripod made of carbon fiber tripod", + "easy to carry tripod made from carbon fiber", + "5 ft tripod made of carbon fiber", + "light weight tripod made of carbon fiber", + "easy to carry tripod made of carbon fiber,", + "5 foot tripod made of carbon fiber", + "walking tripod made of carbon fiber", + "pocket tripod made of carbon fiber" + ], + "find me an easy to carry and easy to use 60cm double sided high quality body brush in green color.": [ + "60cm double sided high quality body brush in green color", + "60cm double sided high quality body brush in green", + "50cm double sided high quality body brush in green color", + "60cm double sided high quality body brush", + "easy to carry high quality body brush in green color", + "50cm double sided high quality body brush in green", + "90cm double sided high quality body brush in green color", + "easy to carry 60cm double sided high quality body brush", + "easy to carry high quality body brush in green", + "walking brush in green" + ], + "i am looking a eco friendly long lasting jar candle 6 oz butteercream vanilla cupcake": [ + "6 oz butteercream vanilla cupcake", + "8 oz butteercream vanilla cupcake", + "6 oz eco friendly long lasting vanilla cupcake", + "6 oz butteercream vanilla cupcake eco friendly", + "eco friendly long lasting vanilla cupcake", + "4 oz butteercream vanilla cupcake", + "butteercream vanilla cupcake", + "8 oz butteercream vanilla cupcake eco friendly", + "butteercream vanilla cupcake eco friendly", + "4 oz butteercream vanilla cupcake eco friendly" + ], + "i would like a two pack of soy candles": [ + "two pack of soy candles", + "two pack of soy candles under $40", + "two pack of soy candles under $50", + "two pack of soy candles under $60", + "two pack of soy candles under 50 dollars", + "two pack of soy candles under 30 dollars", + "two pack of soy candles under 40 dollars", + "two pack of soy candles under 120 dollars", + "two pack of soy candles,", + "two pack of soy candles two pack" + ], + "i'm looking to buy a rose gold 1-in flat iron.": [ + "rose gold 1-in flat iron", + "rose gold 1in flat iron", + "rose gold 2-in flat iron", + "rose gold 1 in flat iron", + "rose gold 2in flat iron", + "rose gold 3-in flat iron", + "rose gold flat iron", + "rose gold 3in flat iron", + "rose gold flats iron", + "rose gold" + ], + "i am looking for a cleanser and rmakeup remover for my sensitive skin. i want it in travel size.": [ + "cleanser and rmakeup remover for sensitive skin in travel size", + "cleanser and rmakeup remover for my sensitive skin in travel size", + "cleanser and rmakeup remover for sensitive skin", + "cleanser and rmakeup remover for sensitive skin travel size", + " cleanser and rmakeup remover for my sensitive skin in travel size", + " cleanser and rmakeup remover for sensitive skin in travel size", + "cleanser and rmakeup remover for my sensitive skin travel size", + "moisturizing cleanser and rmakeup remover for sensitive skin", + " cleanser and rmakeup remover for my sensitive skin in travel size.", + "cleanser and rmakeup remover for my sensitive skin. Travel size" + ], + "i am searching for a motion detection security camera.": [ + "Motion detection security camera", + "moisturizing security camera", + "motion detection security camera", + "magnified security camera", + " motion detection security camera", + "pink motion detection security camera", + "magnifying security camera", + "Motion detection security camera under $40", + "motion detection security camera under $40", + "Motion detection security camera under $50" + ], + "i am looking for a nail art carrying travel case. it should be easy to clean.": [ + "nude art carrying travel case", + "nail art carrying travel case", + "nail art carrying travel case, easy to clean", + "nude art carrying travel case, easy to clean", + "nail art carrying travel case easy to clean", + "nailing art carrying travel case", + "nails art carrying travel case", + "portrait carrying travel case", + "easy clean nail art carrying travel case", + "nail art carrying travel case, easy clean" + ], + "i am looking for easy clean and lumbar support home office chair": [ + "easy clean and lumbar support home office chair", + "easy clean lumbar support home office chair", + "easy clean, lumbar support home office chair", + "home office chair easy clean and lumbar support", + "simple clean and lumbar support home office chair", + "living room chair easy clean and lumbar support", + "home office chair", + "lumbar support home office chair", + "home office chair that is easy clean", + "home office chair easy clean" + ], + "i am looking for gluten free tea.please choose berry flavour.": [ + "gluten free tea with berry flavour", + "gluten free tea", + "gluten free tea with berry flavor", + "gluten free tea berry flavour", + "gluten free tea, berry flavour", + "gluten free tea mix berry flavour", + "gluten free tea mix berry flavor", + "gluten free tea berry flavor", + "gluten free tea tea", + "gluten free tea drink" + ], + "i would like a pair of size 7.5 wide khaki flat sandals with a closed toe.": [ + "shoes size 7.5 wide khaki flat sandals", + "curtains size 7.5 wide khaki flat sandals", + "pair of size 7.5 wide khaki flat sandals", + "size 7.5 wide khaki flat sandals", + "kaki flat sandals with a closed toe", + "kcaki flat sandals with a closed toe", + "shoes 7.5 wide khaki flat sandals", + "khamaki flat sandals with a closed toe", + "shoes size 7.5 wide khaki", + "womens size 7.5 wide khaki flat sandals" + ], + "i looking a beauty product leak proof travel size case for 288 bottles color yellow": [ + "beauty product leak proof", + "beauty product leak proof case for 288 bottles color yellow", + "beauty product leak proof travel size case for 288 bottles", + "beauty product leak proof for 288 bottles color yellow", + "beauty product leak proof travel size case", + "beauty product leak proof yellow", + "beauty product leak proof travel size case", + "beauty product leak proof in a travel size case", + "beauty product leak proof case for 288 bottles", + "beauty product leak proof case" + ], + "i need an x-large t-shirt blouse that has short sleeves.": [ + "x-large t-shirt blouse with short sleeves", + "xl t-shirt blouse with short sleeves", + " x-large t-shirt blouse with short sleeves", + "xl t-shirt blouse that has short sleeves", + "xxl t-shirt blouse with short sleeves", + "x-large t-shirt blouse short sleeves", + "x-large t-shirt blouse", + "xl t-shirt blouse short sleeves", + "xxl t-shirt blouse short sleeves", + "xl t-shirt blouse" + ], + "need a bag of creamy shake candy with 120 units cappuccino flavor and gluten free": [ + " creamy shake candy 120 units cappuccino flavor and gluten free", + "bag of creamy shake candy with 120 units cappuccino flavor", + "bag of creamy shake candy 120 units cappuccino flavor", + " creamy shake candy 120 units cappuccino flavor", + "bag of creamy shake candy", + "chocolate shake candy 120 units cappuccino flavor", + " creamy shake candy with 120 units cappuccino flavor", + "bag of creamy shake candy that is gluten free", + "a bag of creamy shake candy", + " creamy shake candy" + ], + "i would like a bag of 180 honeydew candies that are gluten free and low sugar.": [ + "bag of 180 honeydew candies", + "bag of 180 honeydew candies that are gluten free", + "bag of 180 honeydew candies gluten free and low sugar", + "bag of 180 honeydew candies that are gluten free low sugar", + "bag of 180 honeydew candies gluten free", + "bag of 180 honeydew candies with gluten free and low sugar", + "bag of 180 honeydew candies, gluten free and low sugar", + "bag of 180 honeydew candies no sugar", + "bag of 180 honeydew candies gluten free low sugar", + "bag of 180 honeydew candies with low sugar" + ], + "i'm looking for optical zoom for camera it was in ultra hd camera.": [ + "optical zoom for camera ultra hd camera", + "optical zoom for camera ultra hd", + "optical zoom camera ultra hd camera", + "optical zoom camera ultra hd", + "optical zoom for camera ultra hd camera.", + "optical zoom for camera", + "optical zoom ultra hd camera", + "optical zoom for camera in ultra hd camera", + "optical zoom for camera, ultra hd camera", + "optical zoom for camera ultra hd camera," + ], + "i am looking for a low calorie non alcoholic drink in the moscow mule flavor.": [ + "muscow mule flavor", + " moscow mule flavor", + "moscow mule flavor", + "mushcow mule flavor", + "muscow mule flavor below $40", + "mule flavor", + "muscow mule flavor below $50", + "Moscow mule flavor", + "muscow mule flavor below $60", + "muscow mule flavor under $40" + ], + "i am looking for cranberry health mix which contains natural ingredients only, 26 ounce (pack of 4)": [ + "curtains natural ingredients 26 ounce (pack of 4)", + "cranberry health mix which contains natural ingredients only, 26 ounce (pack of 4)", + "natural cranberry health mix 26 ounce (pack of 4)", + "curtains health mix which contains natural ingredients only, 26 ounce (pack of 4)", + "cranberry health mix which contains natural ingredients, 26 ounce (pack of 4)", + "curtainsberry health mix 26 ounce (pack of 4)", + "curtains health mix 26 ounce (pack of 4)", + "curtains natural ingredients 26 ounce (pack of 4) cranberry health mix", + "cranberry health mix 26 ounce (pack of 4)", + "cranberry health mix which contains natural ingredients only, 26 ounce (pack of 4)," + ], + "i want to find a red standing computer desk that i can adjust the height for.": [ + "red standing computer desk that i can adjust the height for.", + "red standing computer desk", + "red standing computer desk, i can adjust the height for.", + "red standing computer desk with height adjustment", + "red standing computer desk that i can adjust the height for", + "red standing computer desk with height", + "red standing computer desk that i can adjust the height", + "red standing computer desk height adjustment", + "red standing computer desk height", + "red standing computer desk whose height is high" + ], + "i would like a 60\"x80\" ref and black fringe fleece throw.": [ + "60x80 ref and black fringe fleece throw", + "60x80 fleece throw", + "60x80 ref black fringe fleece throw", + "60x80 ref fleece throw", + "60x80 ref, black fringe fleece throw", + "60x80 ref with black fringe fleece throw", + "60x80 black fringe fleece throw", + "60x80 ref and black fleece throw", + "60x80 ref and black fringe fleece throws", + "60x80 fleece throw under $40" + ], + "i am looking for makeup brush set that is suitable for synthetic hair. and i would prefer the pink one": [ + "pink makeup brush set for synthetic hair", + "pink makeup brush set", + "pink makeup brush set suitable for synthetic hair.", + "pink makeup brush set for synthetic hair.", + "pink makeup brush set, suitable for synthetic hair.", + "pink makeup brush set that is suitable for synthetic hair", + "pink makeup brush set suitable for synthetic hair", + "pink makeup brush set, suitable for synthetic hair", + "pink makeup brush set in synthetic hair", + "beauty brush set for synthetic hair" + ], + "i'm looking for flip flops it will comfort to wear.": [ + "pink flip flops comfort to wear", + "flops comfort to wear", + "pink flip flops comfortable to wear", + "portrait flip flops comfort to wear", + "flops that are comfort to wear", + "pink flip flops", + "flops comfortable to wear", + " flip flops comfort to wear", + "pops comfort to wear", + "flip flops comfort to wear" + ], + "women's multi pockets utility cargo pant relaxed fit for daily wear colour must bordeaux": [ + "multi pockets utility cargo pant relaxed fit for daily wear colour bordeaux", + "womens multi pockets utility cargo pant relaxed fit for daily wear colour", + "mens multi pockets utility cargo pant relaxed fit for daily wear colour bordeaux", + "mens multi pockets utility cargo pant relaxed fit for daily wear colour bordeaux", + "womens multi pockets utility cargo pant relaxed fit for daily wear bordeaux", + "womens multi pockets utility cargo pant relaxed fit for daily wear", + "mult pockets utility cargo pant relaxed fit for daily wear colour bordeaux", + "i multi pockets utility cargo pant relaxed fit for daily wear colour bordeaux", + "womens multi pockets utility cargo pant relaxed fit bordeaux", + "womens multi pockets utility cargo pant relaxed fit" + ], + "add to my list cupcake toppers decorations for my birthday party.": [ + "cupcake toppers decorations for a baby shower", + "cupcake toppers for a baby shower", + "cupcake toppers decorations for my birthday party", + "cupcake toppers decorations for a birthday party", + "cupcake toppers decorations for baby shower", + "cupcake toppers for baby shower", + "cupcake toppers decorations for birthday party", + "cupcake toppers decorations for my baby shower", + "cupcake toppers for a birthday party", + "cupcake toppers for birthday party" + ], + "i am looking for xx-large youth fit black color halloween t-shirt of needle sleeve": [ + "xx-large youth fit black color halloween t-shirt", + "xxl youth fit black color halloween t-shirt", + " xx-large youth fit black color halloween t-shirt", + "xx-large youth fit black t-shirt of needle sleeve", + "xxl youth fit black t-shirt of needle sleeve", + "xx-large black color halloween t-shirt", + "xxl t-shirt of needle sleeve", + "xx-large youth fit black", + "xx-large youth fit black t-shirt", + "xxl youth fit black" + ], + "i am looking for a paraben and bpa free cinnamon colored natural tooth gel.": [ + "paraben and bpa free cinnamon colored natural tooth gel", + "paraben bpa free cinnamon colored natural tooth gel", + "a paraben and bpa free cinnamon colored natural tooth gel", + "pink cinnamon colored natural tooth gel", + "a paraben bpa free cinnamon colored natural tooth gel", + "pink bpa free cinnamon colored natural tooth gel", + "gluten free cinnamon colored natural tooth gel", + "paraben and bpa free cinnamon colored natural tooth gel.", + "paraben and bpa free cinnamon colored natural tooth gel,", + "paraben natural tooth gel" + ], + "i'm looking for white item make my room look so nice.": [ + "white item", + "white item for living room", + "white item for white room", + "white item in white", + "white item white", + "white buttoned bed frame", + "white item that is nice", + "white item for white", + "white white room", + "white room" + ], + "i am looking for anti slip women sandals. please choose black one.": [ + "anti slip women sandals black", + "anti slip women sandals, black", + "anti slip women sandals in black", + "anti slip women sandals. black", + "anti slip women sandals", + "anti slip women sandalsblack", + "anti slip women sandals.black", + "anti slip women sandals color black", + "anti slip women sandals with black", + "woman sandals black" + ], + "i want pink and non slip luffymomo womens shower slippers.": [ + "pink luffymomo womens shower slippers", + "pink nubymomo womens shower slippers", + "pink luffymomo womens shower slippers.", + "pink luffymomo women shower slippers", + "pink luffymomo womens shower slippers,", + "pink and non slip luffymomo", + "pink mens shower slippers", + "pink womens shower slippers", + "pink shower slippers", + "pink bathroom slippers" + ], + "i want a dust proof tempered glass for nintendo switch color five star wings": [ + "dust proof tempered glass nintendo switch color five star wings", + "dust proof tempered glass nintendo switch color 5 star wings", + "dust proof tempered glass nintendo switch color five star", + "dust proof tempered glass nintendo switch color 5 star", + "dust proof tempered glass nintendo switch color five star air", + " dust proof tempered glass nintendo switch color five star wings", + "dust proof tempered glass nintendo switch color 5 star air", + "dust proof tempered glass nintendo switch color", + " dust proof tempered glass nintendo switch color 5 star wings", + "dust proof tempered glass 5 star wings" + ], + "i'm looking for long lasting beauty accessories for making skin glow.": [ + "beauty accessories for skin glow", + "long lasting beauty accessories", + "beauty accessories", + "beauty accessories long lasting", + "beauty accessories long lasting beauty", + "skin glow accessories long lasting beauty", + "lip gloss long lasting beauty accessories", + "skin glow accessories", + "lens glow", + "lip gloss" + ], + "i need a heavy duty office chair which is easy to install and has lumbar support.": [ + "heavy duty office chair with lumbar support", + "heavy duty office chair", + "easy to install heavy duty office chair with lumbar support", + "heavy duty office chair easy to install with lumbar support", + "easy setup heavy duty office chair with lumbar support", + "heavy duty office chair lumbar support", + "heavy duty office chair that is easy to install", + "easy to install heavy duty office chair", + "easy setup heavy duty office chair", + "office chair" + ], + "i am searching for a high quality long handle tongue cleaner.": [ + "high quality long handle tongue cleaner", + "long handle tongue cleaner", + "lens tongue cleaner", + "low quality long handle tongue cleaner", + "high quality long handle tongue cleaner.", + "lens tongue cleaner high quality", + "tongue cleaner high quality", + "long handle tongue cleaner under $40", + "tongor cleaner high quality", + "lunt handle tongue cleaner" + ], + "i need blue high heels with open toes. the size should be a 10.": [ + "blue high heels with open toes", + "blue high heels with open toes in a 10", + "blue high heels with open toes 10", + "blue high heels with open toes a 10", + "blue high heels with open toes, 10", + "blue high heels with open toes, a 10", + "blue high heel with open toes", + "blue high heels", + "blue high heels 10", + "blue high heels size 10" + ], + "i'm looking for a jet-4 bluetooth portable speaker": [ + "jet-4 bluetooth portable speaker", + "Jet-4 bluetooth portable speaker", + "a jet-4 bluetooth portable speaker", + " jet-4 bluetooth portable speaker", + "jet-4 bluetooth portable speaker under $40", + "jet-4 bluetooth portable speaker under $130", + "dualetooth portable speaker", + "jet-4 bluetooth portable speaker under $50", + "jet-4 bluetooth portable speaker under $60", + "banque portable speaker" + ], + "level 9 unlocked birthday boy game black t shirt machine wash classic fit cotton heater small size": [ + "level 9 unlocked birthday boy game black t-shirt machine wash", + "kids game black t-shirt machine wash classic fit cotton heater small", + "birthday boy game black t-shirt machine wash classic fit cotton heater", + "kids game black t-shirt machine wash classic fit cotton heater small size", + "level 9 unlocked birthday boy game black t-shirt", + "baby shower black t-shirt machine wash classic fit cotton heater small", + "baby shower black t-shirt machine wash classic fit cotton heater small size", + "level 9 unlocked birthday boy game black t-shirt under $40", + "baby shower black t-shirt machine wash classic fit cotton heater", + "baby shower small" + ], + "i am looking for a intel quad core i5 desktops": [ + "intel quad core i5 desktops", + "intel quad core i5 desktops that are intel quad core", + "intel quad core i5 desktops price lower than 50.00 dollars", + "intel quad core i5 desktops under $130", + "intel quad core i5 desktops under $120", + " intel quad core i5 desktops", + "intel quad core i5 desktops under $50", + "intel quad core i5 desktops that are intel", + "quad core i5 desktops", + "intel quad core i5 desktops," + ], + "i am looking for medium sized women knee high over calf.": [ + "medium sized women knee high over calf", + "large sized women knee high over calf", + "small woman knee high over calf", + "medium size women knee high over calf", + "small women knee high over calf", + "medium sized woman knee high over calf", + "woman knee high over calf", + "large woman knee high over calf", + "knee high over calf", + "woman knee high over calf." + ], + "i am looking for furniture for living room in black color": [ + "living room furniture in black", + "living room furniture black", + "black furniture for living room", + "living room furniture color", + "living room black furniture", + "living room in black", + "living room in black color", + "living room furniture", + "living room color", + "living room furniture color black" + ], + "i need to buy a three piece living room set with a sofa, armchair, and loveseat. make sure it's easy to assemble and has solid wood frames.": [ + "three piece living room set with a sofa, armchair, loveseat", + "three piece living room set with a sofa, armchair and loveseat", + "three piece living room set with a sofa, armchair, and loveseat", + "living room set with a sofa, armchair, loveseat", + "living room set with a sofa, armchair and loveseat", + "living room set with a sofa, armchair, and loveseat", + "three piece living room set with a sofa, armchair", + "living room set with a sofa, armchair", + "three piece living room set", + "living room set" + ], + "i'm looking for electronics accessories it was long lasting.": [ + "long lasting electronics accessories", + "electric car accessories long lasting", + "home theater accessories long lasting", + "smartphone accessories long lasting", + "tempered electronics accessories long lasting", + "the electronics accessories long lasting", + "phone accessories long lasting", + "long lasting electronics accessories under $40", + "long lasting electronics accessories under $50", + "long lasting electronics accessories under $60" + ], + "i would like a mango sparkling water bottle has has low calories.": [ + "mango sparkling water bottle has low calories", + "mango sparkling water bottle with low calories", + "pomegranate sparkling water bottle low calories", + "mango sparkling water bottle low calories", + "mango sparkling water bottle has low calories.", + "moisturizing water bottle with low calories", + "mango sparkling water bottle that has low calories", + "pomegranate sparkling water bottle", + "pomegranate sparkling water bottle no sugar", + "mango sparkling water bottle" + ], + "i am looking for men t-shirt. please choose royal blue color.": [ + "men t-shirt royal blue", + "mens t-shirt royal blue", + "man t-shirt royal blue", + "womens t-shirt royal blue", + "men t-shirt in royal blue", + "mens t-shirt royal blue", + "mens t-shirt in royal blue", + "men t-shirt with royal blue color", + "men t-shirt, royal blue", + "men t-shirt with royal blue" + ], + "i am looking for wireless bluetooth noise cancelling over-ear headphones.": [ + "wireless bluetooth noise cancelling over-ear headphones", + "womens wireless bluetooth noise cancelling over-ear headphones", + " wireless bluetooth noise cancelling over-ear headphones", + "womens bluetooth noise cancelling over-ear headphones", + "alarm wireless bluetooth noise cancelling over-ear headphones", + "wirefree wireless bluetooth noise cancelling over-ear headphones", + "wireless noise cancelling over-ear headphones", + "womens wireless bluetooth noise cancelling over-ear headphones.", + "wireless bluetooth noise cancelling over-ear headphones.", + "womens wireless bluetooth noise cancelling under-ear headphones" + ], + "i need a small black short sleeve shirt.": [ + "small black short sleeve shirt", + "small black short sleeve shirt under $50", + "small black short sleeve shirt under $40", + "small black short sleeve shirt under 50 dollars", + "small black short sleeve shirt under $60", + "small black short sleeve shirt under 30 dollars", + "small black short sleeve shirt under 40 dollars", + "small black short sleeve shirt.", + "small black short sleeve shirt under 60 dollars", + "small black short sleeve shirt below $50" + ], + "i am looking for a x-large high waist tummy control breeches": [ + "x-large high waist tummy control breeches", + " x-large high waist tummy control breeches", + "xxl high waist tummy control breeches", + "xl high waist tummy control breeches", + "xx-large high waist tummy control breeches", + "xxl t-large high waist tummy control breeches", + "xxl high waist tummy control breeches under $40", + "x-large high waist tummy control breeches,", + "xxl tummy control breeches", + "xxl waist tummy control breeches" + ], + "i want low fat high protein hellfire 8 ounce jerky": [ + "low fat high protein hellfire 8 ounce jerky", + "low fat high protein high protein hellfire 8 ounce jerky", + "low fat high protein hellfire 8 ounce jerky flavor", + "high fat high protein hellfire 8 ounce jerky", + "low fat high protein packfire 8 ounce jerky", + "low fat high protein jerky 8 ounce", + "low fat high protein jerky", + "low fat high protein and zero sugar jerky", + "low fat high protein high protein jerky", + "low fat high protein" + ], + "i want low fat cajan pit-smoked beef jerky.": [ + "low fat cajan pit-smoked beef jerky", + "low fat cajan psmoked beef jerky", + "low fat cajan barbecue jerky", + "low fat cajan-smoked beef jerky", + "cajan pit-smoked beef jerky", + "low fat cajan beef jerky", + "low fat cajan pita jerky", + "low fat cajan pork jerky", + "low fat cajan barbecue jerky below $40", + "low fat beef jerky" + ], + "i am looking for a wallet case with tempered glass protection. please select the rose gold color": [ + "pocket case with tempered glass protection", + "packet case with tempered glass protection", + "pocket case with tempered glass protection rose gold", + "a wallet case with tempered glass protection", + "wallet case with tempered glass protection", + " wallet case with tempered glass protection", + "wallet case with tempered glass protection rose gold", + "pink wallet case with tempered glass protection", + "alarm glass wallet case rose gold", + "paige gold wallet case" + ], + "i'm looking for stereo headphones it will use for outside noise cancelling.": [ + "sound cancelling stereo headphones", + "indoor noise cancelling stereo headphones", + "stereo headphones for outside noise cancelling", + "sneakers for outside noise cancelling", + "sound cancelling headphones", + "stereo headphones for noise cancelling", + "sound cancelling stereo headphones under $40", + "sound cancelling stereo headphones under $50", + "stereo headphones", + "stereo headphones for outside noise cancelling." + ], + "i want window curtain panel for leaving room easy clean size :52*72in color peacock 4lop0447": [ + "window curtain panel", + "window curtain panel for leaving room easy clean size 4lop0447", + "window curtain panel for leaving room easy clean size 2lop0447", + "window curtain panel in a peacock 4lop0447", + "window curtain panel in color peacock 4lop0447", + "window curtain panel with peacock 4lop0447", + "window curtain panel for leaving room easy clean size", + "window curtain panel for leaving room easy clean", + "window curtain panel for leaving room easy clean size :52*72in", + "window curtain panel for leaving room easy clean size 52*72in" + ], + "i would like a small mens cranberry t shirt with a classic fit.": [ + "small mens cranberry t-shirt with a classic fit", + "small mens cranberry t-shirt", + "small mens cranberry t shirt with a classic fit", + "small mens cranberry t-shirt, classic fit", + "small mens cranberry t-shirt that is classic fit", + "small mens cranberry t-shirt with classic fit", + "small mens cranberry t-shirt classic fit", + "mens cranberry t-shirt with a classic fit", + "small mens cranberry t-shirt in classic fit", + "small mens cranberry t shirt" + ], + "i'm looking for clothing long and short sleeve for women's dresses the color was purple.": [ + "womens dresses long and short sleeve purple", + "long and short sleeve womens dresses purple", + "short sleeve womens dresses purple", + "womens dresses purple long and short sleeve", + "long and short sleeve womens dresses", + "womens clothing long and short sleeve purple", + "long and short sleeve womens dresses in purple", + "womens dresses purple", + "womens dresses long and short sleeves purple", + "shoes long and short sleeve for womens" + ], + "i am looking for non slip closed toe high heel woman boot color black": [ + "non slip closed toe high heel woman boot color black", + "non slip closed toe high heel woman boot", + "non slip closed toe high heel woman boot colored black", + "non slip closed toe high heel woman boot color", + "non slip closed toe high heel woman boot size black", + "non slip closed toe high heel woman boot black", + "non slip closed toe low heel woman boot color black", + "non slip closed toe woman boot color black", + "non slip closed toe heel woman boot color black", + "low heel woman boot color black" + ], + "i am looking for a pack of birthday cake candles. also, i am looking for a golden colored number 9 shaped candle.": [ + "pack of birthday cake candles", + "birthday candles golden colored 9", + "baby shower candles golden colored 9", + "bag of birthday cake candles", + "a pack of birthday cake candles", + "pack of birthday cake candles.", + "pink birthday cake candles", + "birthday candles golden 9 shaped", + "baby shower candles", + "birthday candles" + ], + "i am looking for a rechargable facial cleansing spin brush set for sensitive skin. also choose fuchsia pink color.": [ + "fuchsia pink facial cleansing spin brush", + "facial cleansing spin brush set fuchsia pink", + "rechargable facial cleansing spin brush set for sensitive skin", + "rechargable facial cleansing spin brush set fuchsia pink", + "facial cleansing spin brush set for sensitive skin", + "facial cleansing spin brush fuchsia pink", + "facial cleansing spin brush set for sensitive skin.", + "fuchsia pink facial cleansing brush", + "facial cleansing spin brush", + "fuchsia pink" + ], + "i'm looking for a jean jacket with thicker collar size medium in color pink for daily wear use": [ + "jean jacket with thicker collar size medium", + "jean jacket with thicker collar size medium pink", + "blue jean jacket with thicker collar size medium", + "stainless collar size medium jean jacket", + "stainless collar size medium in color pink", + "walking jean jacket with thicker collar size medium", + "jeans size medium in color pink", + "jean jacket, thicker collar size medium", + "jean jacket in pink", + "walking jean jacket in pink" + ], + "i'm looking for a 2 pack push down pump dispenser bottles for nail polish and facial makeup remover": [ + "2 pack of nail polish and facial makeup remover", + "2 pack push down pump dispenser bottles", + "2 pack of nail polish", + "2 pack nail polish and facial makeup remover", + "pink pump dispenser bottles for nail polish", + "2 pack of nail polish with facial makeup remover", + "pink pump dispenser bottles for nail polish", + "2 pack pomegranate polish", + "2 pack nail polish", + "2 pack nail polish remover" + ], + "find me a motion detection high definition outdoor camera with 1080p hd definition.": [ + "motion detection high definition outdoor camera with 1080p hd definition", + "Motion detection high definition outdoor camera with 1080p hd definition", + " motion detection high definition outdoor camera with 1080p hd definition", + "projection high definition outdoor camera with 1080p hd definition", + "motion detection high definition outdoor camera", + "portrait high definition outdoor camera with 1080p hd definition", + "pink high definition outdoor camera with 1080p hd definition", + "Motion detection high definition outdoor camera", + "tempered motion detection high definition outdoor camera", + " motion detection high definition outdoor camera" + ], + "i'm looking for a long lasting perfumes.": [ + "long lasting perfumes", + "long lasting perfumes.", + "long lasting perfumes under $40", + "long lasting perfumes under $60", + "long lasting perfumes under $50", + "pink perfumes long lasting", + "long lasting perfumes under 30 dollars", + "long lasting perfumes under 50 dollars", + "long lasting perfumes under 60 dollars", + "perfumes long lasting" + ], + "i'm looking for n all-in-one computer. i want one that's high performance and has a 1080p screen. it should also have an intel processor.": [ + "n all-in-one computer with a 1080p screen", + "n all-in-one computer with an intel processor", + "n all-in-one computer with high performance", + "an all-in-one computer with high performance", + "desktop with high performance", + "n all-in-one computer", + "desktop with high performance and intel processor", + "desktop computer with high performance", + "desktop computer that is high performance", + "desktop computer" + ], + "i am looking for red rose hair dye for women.": [ + "red rose hair dye for women", + "red rose hair dye for women.", + "red rose hair dye", + "hair dye for women", + "hair dye for women red rose", + " red rose hair dye for women", + "red rose hair dye women", + "red rose hair dye woman", + "roasted hair dye for women", + "woman red rose hair dye" + ], + "i need anti slip mary jane oxfords with retro round toe size 5 and wine red color wedge heel women shoe": [ + "anti slip mary jane oxfords with retro round toe size 5", + "anti slip mary jane oxfords in wine red color wedge heel women shoe", + "anti slip mary jane oxfords, wine red color wedge heel women shoe", + "anti slip mary jane oxfords with retro round toe, wine red color wedge heel women shoe", + "anti slip mary jane oxfords with retro round toe heel women shoe", + "anti slip mary jane oxfords with retro round toe size 5 and wine red color wedge heel", + "anti slip mary jane oxfords with retro round toe", + "anti slip mary jane oxfords", + "anti slip mary jane oxfords with retro round toe size 5 in wine red", + "anti slip mary jane oxfords with retro round toe size 5 and wine red" + ], + "i am looking for a 30 in solid wood directors chairs": [ + "30 in solid wood directors chairs", + "30 solid wood directors chairs", + "30 dining room solid wood directors chairs", + "30 ft solid wood directors chairs", + "30 wood directors chairs", + "30 stone solid wood directors chairs", + " 30 in solid wood directors chairs", + "30 in solid wood directors chairs,", + "30in solid wood directors chairs", + "28 solid wood directors chairs" + ], + "i'm looking for a 18\" directors chair with solid wood and a natural frame.": [ + "18 directors chair with solid wood and natural frame", + "18 directors chair with solid wood", + "18 directors chair, solid wood and natural frame", + "18 directors chair with solid wood, natural frame", + "18 directors chair with solid wood in natural frame", + "18 directors chair with solid wood natural frame", + "18 directors chair with natural frame", + "18 directors chair", + "18 directors chair natural frame", + "18 directors chair with solid wood with natural frame" + ], + "i'm looking for furniture engineered wood at the living room the color was grey.": [ + "grey furniture engineered wood living room", + "grey living room furniture engineered wood", + "living room furniture engineered wood grey", + "grey furniture engineered wood living room color", + "grey wood living room furniture engineered wood", + "grey furniture engineered wood for living room", + "wood furniture engineered wood living room grey", + "grey living room furniture engineered wood color", + "furniture engineered wood living room", + "grey furniture engineered wood" + ], + "i'm looking for non alcoholic drink for bottled beverages.": [ + "non alcoholic drink for bottled beverages", + "non alcoholic drink for bottled beverages.", + "non alcoholic drink for bottled beverages under $40", + "non alcoholic drink for bottled beverages under $50", + "non alcoholic drink for bottled beverages under $60", + "non alcoholic drink for bottled beverages under 50 dollars", + "non alcoholic drink for bottled beverages under 30 dollars", + "non alcoholic drink for bottled beverages below $40", + "non alcoholic drink for bottled beverages under 40 dollars", + "non alcoholic drink for bottled beverages under 120 dollars" + ], + "i'm looking for a space saving storage cabinets for dining room. also, choose black colored one.": [ + "black storage cabinets dining room", + "living room storage cabinets black", + "black storage cabinets for dining room", + "white space saving storage cabinets dining room", + "white storage cabinets dining room", + "white storage cabinets for dining room", + "black storage cabinet dining room", + "storage cabinets for dining room black", + "white dining room storage cabinets", + "white dining room storage cabinets black" + ], + "i am looking for a size: 7 - pack natural ingredients of jerky": [ + "7 pack natural ingredients of jerky", + "6 pack natural ingredients of jerky", + "8 pack natural ingredients of jerky", + "natural ingredients jerky size 7 pack", + "natural jerky 7 pack", + "natural jerky size 7 pack", + "natural ingredients jerky 7 pack", + "shoes 7 pack natural ingredients", + "natural ingredients of jerky 7 pack", + "natural jerky pack 7 pack" + ], + "i am looking for a 5 pack of fully cooked and easy to prepare chicken breast strips.": [ + "5 pack of fully cooked and easy to prepare chicken breast strips", + "6 pack of fully cooked and easy to prepare chicken breast strips", + "5 pack fully cooked and easy to prepare chicken breast strips", + "4 pack of fully cooked and easy to prepare chicken breast strips", + "5 pack of fully cooked, easy to prepare chicken breast strips", + "pack of fully cooked and easy to prepare chicken breast strips", + " 5 pack of fully cooked and easy to prepare chicken breast strips", + "5 pack cooked and easy to prepare chicken breast strips", + "5 pack of fully cooked chicken breast strips", + "5 pack chicken breast strips" + ], + "am actually looking for a twin size loft bed with slide, gray color with headboard": [ + "twin bed with slide, gray color", + "twin size loft bed with slide", + "twin bed with slide gray color", + "twin size loft bed with slide gray", + "twin bed with slide gray", + "twin bed with slide", + "twin bed with slide, gray", + "twin bedroom with slide, gray color", + "twin size loft bed", + "twin bed, gray color" + ], + "we want a twin over twin kids beds easy assemble box spring color : silver": [ + "twin over twin kids beds easy assemble silver", + "twin over twin kids easy assemble box spring color", + "twin over twin kids bed easy assemble silver", + "twin over twin kids spring color", + "twin over twin kids beds easy assemble in silver", + " twin over twin kids beds easy assemble box spring color", + "twin over twin kids beds easy assemble", + "twin over twin kids beds easy assemble box spring", + "twin over twin kids", + "twin over twin kids white" + ], + "i am lookig for king size box spring easy assemble heavy duty bed frame": [ + "king size box spring easy assemble heavy duty bed frame", + "king size box spring easy assemble heavy duty bed frame under $40", + "king size box spring easy assemble heavy duty bed frame under $50", + "king size box spring easy assemble heavy duty bed frame under $60", + "king size box spring easy assemble heavy duty bed frame under $120", + "king size box spring easy assemble heavy duty bed frame under 50 dollars", + "king size box spring easy assemble heavy duty bed frame,", + "king size box spring easy assemble heavy duty bed frame under $130", + " king size box spring easy assemble heavy duty bed frame", + "king size box spring easy assemble heavy duty bed frame for king size" + ], + "i'm looking for teeth whitening for oral health care.": [ + "teeth whitening oral health care", + "oral health care teeth whitening", + "toothbrush whitening oral health care", + "teeth whitening oral health care.", + "toothpaste oral health care", + "teeth whitening for oral health care", + " teeth whitening oral health care", + "vegan teeth whitening oral health care", + "jeans whitening oral health care", + "teeth whitening" + ], + "i am looking for eyelash extension tool set for beauty salon.": [ + "alarm tool set for beauty salon", + " eyelash extension tool set for beauty salon", + "lip extension tool set for beauty salon", + "l eyelash extension tool set for beauty salon", + "al eyelash extension tool set for beauty salon", + "alleash extension tool set for beauty salon", + " eyelash extension tool set for beauty salon.", + "idleash extension tool set for beauty salon", + "alalash extension tool set for beauty salon", + "alarm tool set for beauty salon." + ], + "i am looking for non diary rich creamy creamers.": [ + "non diary rich creamy creamers", + "non diary rich creamy creamers under $40", + "non diary rich creamy creamers.", + "non diary rich creamy creamers under $60", + "non diary rich creamy creamers under $50", + "non diary rich creamy creamers under 50 dollars", + "non diary rich creamy creamers under 30 dollars", + "non diary rich creamy creamers under 40 dollars", + "non diary rich creamy creamers under 60 dollars", + "non diary rich creamy creamers under 120 dollars" + ], + "i am looking for a green long handle bath & body brushes": [ + "green long handle bath & body brushes", + "green long handle bath and body brushes", + "green long handle bath body brushes", + "green long handle bath & body brush", + "green long handle bath with body brushes", + "green long handle bath & body brushes,", + "green long handle bath tub & body brushes", + "green long handle bath, body brushes", + "green long handle bath brush", + "green long handle bath" + ], + "i am looking for crunchy indian snack sticks that have no artificial flavors or colors.": [ + " crunchy indian snack sticks that have no artificial flavors or colors", + " crunchy indian snack sticks with no artificial flavors or colors", + "crunchy indian snack sticks with no artificial flavors or colors", + "crunchy indian snack sticks no artificial flavors or colors", + " crunchy indian snack sticks no artificial flavors or colors", + "crunchy indian snack sticks no artificial flavors and colors", + "crunchy indian snack sticks no artificial flavors", + " crunchy indian snack sticks no artificial flavors and colors", + "crushy indian snack sticks with no artificial flavors or colors", + " crunchy indian snack sticks no artificial flavors" + ], + "i would like a car in dash gps device that is easy to install.": [ + "car in dash gps device", + "car in dash gps device easy to install", + "car in dash gps device, easy to install", + "car in dash gps", + "car in dash gps device is easy to install", + "car in dash gps device with easy to install", + "easy to install car in dash gps device", + "car in dash gps device easy to install.", + "car in dash gps device under $40", + "car in dash gps device under $50" + ], + "i wanted to get a compatible apple watch with a black carbon fiber buckle to match with my phone's cover.": [ + "apple watch with a black carbon fiber buckle", + "alarm watch with a black carbon fiber buckle", + "a compatible apple watch with a black carbon fiber buckle", + "compact apple watch with a black carbon fiber buckle", + "apple watch with black carbon fiber buckle", + "alarm watch with black carbon fiber buckle", + "Apple watch with a black carbon fiber buckle", + "black carbon fiber apple watch with a compatible phone cover", + "black carbon fiber apple watch", + "apple watch with a black carbon fiber buckle," + ], + "i'm looking for hair removal its inly used for natural ingredients.": [ + "hair removal natural", + "natural hair removal", + "hair removal natural no human hair", + "human hair removal natural", + "natural hair removal inly used", + "natural hair removal natural", + "hair removal natural natural", + "natural hair removal under $40", + "natural hair removal under $50", + "hair removal natural no ethylene" + ], + "i'm looking for individually wrapped green raspberry 30 count bulk lollipop pack": [ + "pack of green raspberry 30 count bulk lollipop pack", + "pack of green raspberry 30 count lollipop pack", + "pack of individually wrapped green raspberry 30 count bulk lollipop pack", + " individually wrapped green raspberry 30 count bulk lollipop pack", + "pack of individually wrapped green raspberry 30 count lollipop pack", + "pack of pack of green raspberry 30 count lollipop pack", + "pack of 6 pack of green raspberry 30 count lollipop pack", + "pack of pack of green raspberry 30 count bulk lollipop pack", + "pack of green raspberry 30 count bollipop pack", + "pack of green raspberry 30 count lollipop pack under $40" + ], + "i'm looking for the pendant lights for ceiling lights for living room.": [ + "pendant lights for ceiling lights living room", + "pendant lights for ceiling lights", + "pendant lights for living room", + "pendant lights living room", + "pendant lights pendant lights living room", + "pendant lights for ceiling lights dining room", + "pendant lights living room pendant lights", + "pendant lights for the living room", + "pendant lights, living room", + "pendant lights" + ], + "i'm looking for a mrs. fields cookies .": [ + "mens. fields cookies", + "mrs. fields cookies", + "mens. fields cookies mrs.", + "mrs. fields cookies mrs.", + "mens. fields cookies under $40", + "mrs. fields cookies mens.", + "mrs. fields cookies under $40", + "mens. fields cookies under $50", + "mrs. fields cookies under $50", + "mens. fields cookies, mrs." + ], + "i need a red allgala 60x45 super soft, machine wash flannel plush light weight throw blanket": [ + "red allgala 60x45 super soft throw blanket", + " red allgala 60x45 super soft throw blanket", + "red allgala 60x45 super soft throw blanket under 50 dollars", + "red allgala 60x45 super soft throw blanket under $40", + "red allgala 60x45 super soft throw blanket under $50", + "blue allgala 60x45 super soft throw blanket", + "red allgala 60x45 super soft throw blanket under 30 dollars", + "red allgala 60x45 super soft throw blanket,", + "roasted allgala 60x45 super soft throw blanket", + "red allgala 60x45 super soft throw blanket under 40 dollars" + ], + "i am looking for a counter height size barstools of faux leather": [ + "counter height size barstools of faux leather", + " counter height size barstools of faux leather", + "floor height size barstools of faux leather", + "Counter height size barstools of faux leather", + "barstools of faux leather", + "counter height size barstools faux leather", + "counter height size barstools", + "barstools faux leather", + "faux leather barstools", + "comfortable leather barstools" + ], + "i want a keyboard skin that is dust proof and long lasting. choose a rainbow color.": [ + "i want a keyboard skin that is dust proof and long lasting. choose a rainbow color, and price lower than 50.00 dollars", + "i want a keyboard skin that is dust proof and long lasting. choose a rainbow color, and price lower than 40.00 dollars", + "i want a keyboard skin that is dust proof and long lasting. choose a rainbow color, and price lower than 60.00 dollars", + "i want a keyboard skin that is dust proof and long lasting. choose a rainbow color, and price lower than 140.00 dollars", + "i want a keyboard skin that is dust proof and long lasting. choose a rainbow color, and price lower than 100.00 dollars", + "i want a keyboard skin that is dust proof and long lasting. choose a rainbow color, and price lower than 120.00 dollars", + "i want a keyboard skin that is dust proof and long lasting. choose a rainbow color, and price lower than 70.00 dollars", + "i want a keyboard skin that is dust proof and long lasting. choose a rainbow color, and price lower than 30.00 dollars", + "i want a keyboard skin that is dust proof and long lasting. choose a rainbow color, and price lower than 20.00 dollars", + "i want a keyboard skin that is dust proof and long lasting. choose a rainbow color, and price lower than 90.00 dollars" + ], + "i want quick release water resistant smart watch band color purple mist": [ + "watch band color purple", + "smart watch band color purple", + "smart watch band color purple mist", + "smartwatch band color purple", + "clockwise smart watch band color purple", + "smartwatch band color purple mist", + "quick release water resistant smart watch band", + "watch band color purple mist", + "water resistant smart watch band color purple", + "pink watch band color" + ], + "i'm looking for a noldares women's high heel shoes.": [ + "noldares womens high heel shoes", + "womens high heel shoes", + "mens high heel shoes noldares", + "low heel shoes noldares womens", + "mens high heel shoes", + "noldares high heel shoes", + "mens high heel shoes noldares", + "noldares women high heel shoes", + "mens high heel shoes", + "low heel shoes" + ], + "i am looking for a women's beverly pump with leather sole. also choose ruby kid suede color and 5 size.": [ + "womens beverly pump with leather sole 5 size", + "womens beverly pump with leather sole", + "womens beverly pump with leather sole in a 5 size", + "womens beverly pump with leather sole in ruby kid suede color", + "womens beverly pump with leather sole, 5 size", + "womens beverly pump with leather sole 5", + "womens beverly pump with leather sole in a size 5", + "womens beverly pump with leather sole in a womens size 5", + "womens beverly pump leather sole 5 size", + "womens beverly pump" + ], + "i would like a long lasting men's fragrance set.": [ + "mens fragrance set", + "mens fragrance set long lasting", + "long lasting mens fragrance set", + "long lasting mens fragrance set.", + "mens fragrance set.", + "mens fragrance set long lasting mens", + "mens fragrance set that is long lasting", + "mens fragrance set", + "mens fragrance set, long lasting", + "mens fragrance set long lasting" + ], + "i found this bracelet from toyouths which is fitbit versa/versa compatible in stainless steel i need it to match the saddle color brown.": [ + "toyouths fitbit versa/versa compatible in stainless steel", + "teeth bracelet fitbit versa/versa compatible in stainless steel", + "tomeouths fitbit versa/versa compatible in stainless steel", + "toysouths fitbit versa/versa compatible in stainless steel", + "bagel fitbit versa/versa compatible in stainless steel", + "tamaouths fitbit versa/versa compatible in stainless steel", + "toyouths fitbit versa/versa compatible in stainless steel bracelet", + "teammateouths fitbit versa/versa compatible in stainless steel", + "toyouths fitbit versa/versa compatible in stainless steel.", + "tomeouths fitbit versa/versa compatible in stainless steel bracelet" + ], + "i'm looking for keto friendly double cholate cup cake it was sued in parties.": [ + "keto friendly double cholate cup cake it was sued in parties", + "keto friendly double cholate cup cake", + "keto friendly double cholate cup cake, sued in parties", + "keto friendly double cholate cup cake that was sued in parties", + "keto friendly double cholate cup cake that is sued in parties", + "keto friendly double cholate cup cake it is sued in parties", + "keto friendly double cholate cup cake in parties", + "keto friendly double cholate cup cake which was sued in parties", + "keto friendly double cholate cup cake under $40", + "keto friendly double cholate cup cake sued in parties" + ], + "i looking a rose gold orgnizer display for lipstic, eye shadow,lip gloss ,blush color clear /soft brass size 8*4*2": [ + "rose gold orgnizer display for lipstic, eye shadow,lip gloss", + "rose gold orgnizer display for lipstic, eye shadow,lip gloss color clear", + "rose gold orgnizer display for lipstic lip gloss 8*4*2", + "rose gold orgnizer display for lipstic, eye shadow", + "rose gold orgnizer display for lipstic lip gloss color clear", + "rose gold orgnizer display", + "rose gold orgnizer display for lipstic lip gloss", + "rose gold orgnizer display for lipstic", + "rose gold orgnizer display lipstic", + "rose gold orgnizer" + ], + "show me machine washable officially licensed disney jungle book t-shirt for men in color baby blues and size 3t.": [ + "machine washable officially licensed disney jungle book t-shirt for men in color baby blues size 3t", + "machine washable officially licensed disney jungle book t-shirt in color baby blues size 3t", + "machine washable officially licensed disney jungle book t-shirt for men in color baby blues", + "machine washable officially licensed disney jungle book t-shirt in color baby blues and size 3t", + "machine washable officially licensed disney jungle book t-shirt for men size 3t", + "machine washable officially licensed disney jungle book t-shirt in color baby blues in a size 3t", + "machine washable officially licensed disney jungle book t-shirt in color baby blues", + "machine washable officially licensed disney jungle book t-shirt in color baby blues in size 3t", + "machine washable officially licensed disney jungle book t-shirt size 3t", + "machine washable officially licensed disney jungle book t-shirt" + ], + "i am looking for a grey toy chests & organizers for storage space": [ + "grey toy chests & organizers for storage space", + "grey toy chests and organizers for storage space", + "grey toy chests & organizer for storage space", + "grey toy chests & organizers", + "grey toy chest & organizers for storage space", + "grey toy chest organizer for storage space", + "grey toy chest and organizers for storage space", + "grey toy chest & organizer for storage space", + "grey toy chests with organizers for storage space", + "grey toy chests & organizers storage space" + ], + "i am looking for a 1 count (pack of 12) hand masks for anti aging and dry skin.": [ + "1 count (pack of 12) hand masks for anti aging and dry skin", + "1 count (pack of 12) hand masks anti aging and dry skin", + "one count (pack of 12) hand masks for anti aging and dry skin", + "1 count (pack of 12) hand masks", + "1 count (pack of 12) hand masks, anti aging and dry skin", + "2 count (pack of 12) hand masks for anti aging and dry skin", + "hand masks for anti aging and dry skin", + "hand masks for anti aging and dry skin 1 count", + "hand masks anti aging and dry skin", + "anti aging and dry skin hand masks" + ], + "i would like a medium sized black bikini with short sleeves.": [ + "medium sized black bikini with short sleeves", + "medium sized black bikini short sleeves", + "medium sized black bikini", + "medium sized black bikini with short sleeves.", + "medium size black bikini with short sleeves", + "medium sized black bikini, short sleeves", + "medium sized black bikini long sleeves", + "large sized black bikini with short sleeves", + "medium sized black bikini with short sleeves,", + "medium size black bikini short sleeves" + ], + "i would like a quad core desktop processor tower.": [ + "quad core desktop processor tower", + "quad core desktop processor tower.", + "quad core desktop processor tower under $130", + "quad core desktop processor tower,", + "quad core desktop processor tower under $50", + "quad core desktop processor tower under $120", + " quad core desktop processor tower", + "tablet desktop processor tower", + "desktop processor tower", + "desktop processor tower." + ], + "i'm looking for tempered glass for phone accessories the color was black and need to buy it.": [ + "tempered glass phone accessories black", + "tempered glass for phone accessories black", + "tempered glass phone accessories in black", + "tempered glass for phone accessories in black", + "tempered glass for phone accessories", + "tempered glass phone accessories", + "tempered glass phone accessories that are black", + "tempered glass phone accessories, black", + "tempered glass for phone accessories, black", + "tempered glass phone accessories in a black" + ], + "i\u2019m looking for a white window covering that is 72\u201d wide and 63\u201d long. also would prefer the covering had bears on it.": [ + "window covering 72\u201d wide and 63\u201d long", + "window covering 72\u201d wide and 63\u201d long.", + "white window covering 72\u201d wide and 63\u201d long", + "window covering 72\u201d wide, 63\u201d long", + "window covering, 72\u201d wide and 63\u201d long", + "window covering 72\u201d wide", + "window covering with bears 72\u201d wide", + "window covering 72\u201d wide with bears", + "window covering that is 72\u201d wide", + "window covering that is 72\u201d wide with bears" + ], + "i am looking for a gluten free and non gmo bakery & dessert gifts of peanut butter flavour": [ + "gluten free and non gmo bakery and dessert gifts", + "gluten free and non gmo bakery & dessert gifts", + "gluten free and non gmo bakery & dessert gifts of peanut butter", + "gluten free and non gmo bakery and dessert gifts of peanut butter", + "gluten free bakery and dessert gifts of peanut butter flavour", + "gluten free non gmo bakery and dessert gifts of peanut butter flavour", + "gluten free non gmo bakery & dessert gifts of peanut butter flavour", + "gluten free bakery & dessert gifts of peanut butter flavour", + "gluten free and non gmo bakery gifts of peanut butter flavour", + "gluten free bakery and dessert gifts of peanut butter" + ], + "i am looking for a gluten-free and usda organic labled fruit juice.": [ + "gluten-free and usda organic labled fruit juice", + "gluten free and usda organic labled fruit juice", + "gluten-free usda organic labled fruit juice", + "gluten-free and usda organic labled fruit juice.", + "gluten free usda organic labled fruit juice", + "gluten-free and usda organic labled fruit juice flavor", + "gluten-free and usda organic labled fruit juice drink", + "gluten free and usda organic labled fruit juice.", + "usda organic labled fruit juice", + "vegan fruit juice gluten free and usda organic" + ], + "i'm looking for a pexfix full length floor mirror with standing holder .": [ + "pxfix full length floor mirror with standing holder", + "pexfix full length floor mirror with standing holder", + "pxfix full length floor mirror", + "palexfix full length floor mirror", + " pexfix full length floor mirror with standing holder", + "pexfix full length floor mirror", + "psxfix full length floor mirror with standing holder", + "temporary pexfix full length floor mirror", + " pexfix full length floor mirror", + "a pexfix full length floor mirror" + ], + "i'm looking for cell phone accessories for tempered class and it was high definition.": [ + "cell phone accessories for tempered class high definition", + "tempered class cell phone accessories high definition", + "cell phone accessories for tempered class", + "tempered class phone accessories high definition", + "phone accessories for tempered class high definition", + "tempered class cell phone accessories", + "Cell phone accessories for tempered class high definition", + "tempered phone accessories high definition", + "tempered class phone accessories", + "cell phone accessories high definition" + ], + "i'm looking for make up for eye shadow to skin care products.": [ + "make up for eye shadow", + "make up for eye shadow skin care products", + "make up for skin care products", + "moisturizing eye shadow", + "pink eye shadow skin care products", + "eye shadow to skin care products", + "make up for eyes shadow", + "pink eye shadow", + "skin care products", + "make up" + ], + "i am looking for a usb 4g lte wifi modem for internet connection.": [ + "usb 4g lte wifi modem", + "usb 4g lte wifi modem for internet connection", + "usb 4g lte wifi modem for internet", + " usb 4g lte wifi modem for internet connection", + " usb 4g lte wifi modem", + " usb 4g lte wifi modem for internet", + "usb 4g lte wifi modem under $40", + "usb 4g lte wifi modem for internet connections", + "usb 4g lte wifi modem with internet connection", + "usb 4g lte wifi modem under $60" + ], + "wireless vertical ergonomic optical mouse with aaa batteries": [ + "wireless vertical ergonomic optical mouse with aaa batteries", + "wireless vertical ergonomic optical mouse", + "wireless horizontal ergonomic optical mouse with aaa batteries", + "wireless vertical ergonomic optical mouse with aaa batteries under $40", + "wireless vertical ergonomic optical mouse with aaa batteries under $50", + "wireless vertical ergonomic optical mouse with aaa batteries under $60", + "wireless vertical ergonomic optical mouse with aaa batteries under $130", + "wireless vertical ergonomic optical mouse with aaa batteries under $120", + "wireless indoor ergonomic optical mouse with aaa batteries", + "wireless wireless ergonomic optical mouse with aaa batteries" + ], + "i'm looking for long sleeve lightweight buy a c-blue weather.": [ + "long sleeve lightweight buy a c-blue weather drink", + "long sleeve lightweight buy a c-blue weather", + "long sleeve lightweight buy a c-blue weather jacket", + "long sleeve lightweight buy a c-blue weather.", + "long sleeve lightweight buy a c-blue weather rug", + "short sleeve lightweight buy a c-blue weather drink", + "long sleeve lightweight buy a c-blue weather watch", + "c-blue weather long sleeve lightweight", + "c-blue weather", + "c-blue weather lightweight" + ], + "i am looking for sego mono base hair topper with bangs 100% real human hair which creating the most lustrous and realistic natural effects, the hair extensions clip-in design makes it easier to wear. color platinum blonde-b in size 10 inch-130% density preferable": [ + "sego mono base hair topper with bangs 100% real human hair", + "snego mono base hair topper with bangs 100% real human hair", + "seago mono base hair topper with bangs 100% real human hair", + "sego mono base hair topper with bangs 100% real human hair ", + "ego mono base hair topper with bangs 100% real human hair", + "sego mono base hair topper with bangs 100% real human hair natural effects", + "sego mono base hair topper with bangs 100% natural effects", + "sego mono base hair topper with bangs", + "sego mono base hair topper with bangs 100% human hair", + "sego mono base hair topper" + ], + "i am looking for high quality nail cleaning brush. please choose color b .": [ + "nude cleaning brush color b", + "nail cleaning brush color b", + "high quality nail cleaning brush color b", + "nail cleaning brush in color b", + "nails cleaning brush color b", + "nude cleaning brush, color b", + "nail cleaning brush, color b", + "nail cleaning brush b", + "nude cleaning brush b", + "nude cleaning brush" + ], + "i'm looking for clothing for closet storage and it was easy to clean.": [ + "clothing for closet storage", + "easy clean clothing for closet storage", + "temporary clothing for closet storage", + "homes for closet storage", + "pocket storage clothing easy to clean", + "clothing for closet storage clean", + "living room clothing", + "pocket storage", + "easy clean clothing", + "pocket storage clothing" + ], + "i'm looking for grey flannel home and kitchen products for decore it.": [ + "grey flannel home and kitchen products", + "grey flannel home and kitchen products decore it", + "grey flannel home kitchen products for decore it", + "grey flannel home and kitchen products under $40", + "grey flannel home products for decore it", + "grey flannel home kitchen products", + "grey flannel home products", + "grey flannel home cooking products", + "grey flannel home bathroom products", + "grey flannel kitchen products" + ], + "i need a 60 inch projector screen with an aspect ratio of 4:3 that mounts on the wall. it should be easy to install it.": [ + "60 inch projector screen with an aspect ratio of 4:3", + "60 inch projector screen with an aspect ratio of 4.3", + "60 inch projector screen with a aspect ratio of 4:3", + "60 inch projector screen with an aspect ratio of 4x3", + "60 inch projector screen that mounts on the wall", + "60 inch projector screen with an aspect ratio of 4", + "projection screen with an aspect ratio of 4:3", + "projector screen with an aspect ratio of 4:3", + "60 inch projector screen", + "60 inch projector screen under $130" + ], + "i am looking for a paraben free conditioner for natural hair. also choose leave-in conditioner style": [ + "paraben free conditioner for natural hair", + "paraben free conditioner natural hair", + "natural conditioner paraben free conditioner", + "Paraben free conditioner for natural hair", + "lip conditioner for natural hair", + "pink conditioner for natural hair", + "paraben free conditioner", + "living conditioner for natural hair", + "natural hair conditioner", + "living room conditioner" + ], + "i'm looking for a handyulong womens high waist bootcut yoga pants": [ + "a handyulong womens high waist bootcut yoga pants", + "shoesulong womens high waist bootcut yoga pants", + "handoolulong womens high waist bootcut yoga pants", + "bootcut yoga pants", + "handiculong womens high waist bootcut yoga pants", + "clothingulong womens high waist bootcut yoga pants", + "mens high waist bootcut yoga pants", + "bootcut yoga pants handyulong womens", + "bootcut yoga pants, handyulong womens", + "a handyulong womens high waist bootcut yoga pants," + ], + "find me a lift top coffee table in cherry for my living room": [ + "lift top coffee table in cherry for my living room", + "pink coffee table in cherry for my living room", + "levis top coffee table in cherry for living room", + "lift top coffee table in cherry for living room", + "pink coffee table in cherry for living room", + "floor coffee table in cherry for living room", + "floor coffee table in cherry for my living room", + "aluminum coffee table in cherry for living room", + "lift top coffee table in cherry for living room", + "levis top coffee table in cherry" + ], + "i looking a body scrubs eco friendly for removing dead skin": [ + "body scrubs eco friendly for removing dead skin", + "body scrubs eco friendly", + " body scrubs eco friendly for removing dead skin", + "eco friendly body scrubs for removing dead skin", + "eco friendly body scrubs with dead skin", + "animal scrubs eco friendly for removing dead skin", + "eco friendly body scrubs", + "coaxial body scrubs eco friendly", + "eco friendly dead skin body scrubs", + "eco friendly for removing dead skin" + ], + "i'm looking for hyaluronic acid for skin care moisturizers.": [ + "hyaluronic acid for skin care moisturizers", + " hyaluronic acid for skin care moisturizers", + "hyaluronic acid skin care moisturizers", + "hyaluronic acid moisturizers", + " hyaluronic acid skin care moisturizers", + " hyaluronic acid moisturizers", + "jeans care moisturizers hyaluronic acid", + "hyaluronic acid", + "hyaluronic acid moisturizer", + "hyaluronic acid skin care moisturizer" + ], + "i'm looking for vegetables and dried vegetables for low carb. it is easy to use.": [ + "veggie and dried vegetables for low carb", + "veggies and dried vegetables for low carb", + "veggie and dried vegetables low carb", + "veggies and dried vegetables low carb", + "vegetable and dried vegetables for low carb", + "vegan vegetables and dried vegetables for low carb", + "vegan and dried vegetables for low carb", + "vegetable and dried vegetables low carb", + "veggie and dried vegetables", + "veggies and dried vegetables" + ], + "i'm looking for optical zoom electronic for digital cameras need to to buy it.": [ + "digital camera with electronic zoom", + "oral zoom electronic for digital cameras", + "optical zoom electronic digital cameras", + "optical zoom electronic camera", + "digital cameras with electronic zoom", + "optical zoom digital cameras", + "optical zoom digital camera", + "optical zoom electronic digital camera", + "digital camera with electronic for digital", + "digital camera" + ], + "i'm looking for a french macarons cookies birthday gift variety pack .": [ + "faux macarons cookies birthday gift variety pack", + "faux macarons cookies birthday gift pack", + " french macarons cookies birthday gift variety pack", + "gluten-free macarons cookies birthday gift pack", + " french macarons cookies birthday gift pack", + "lip macarons cookies birthday gift variety pack", + "gluten-free macarons cookies birthday gift variety pack", + "faux macarons cookies birthday gift pack variety pack", + "gift pack of french macarons cookies birthday gift", + "gift pack of french macarons cookies" + ], + "i need a silver fast wireless charger with aluminum alloy frame.": [ + "silver fast wireless charger with aluminum alloy frame", + "silver fast wireless charger", + "silver fast wireless charger aluminum alloy frame", + "silver fast wireless charger with aluminum alloy frame.", + "silver fast wireless charger, aluminum alloy frame", + "silver fast wireless charger with aluminum alloy frame,", + "silver fast wireless charging with aluminum alloy frame", + "silver fast wireless charger in aluminum alloy frame", + "silver fast wireless charger, aluminum alloy frame,", + "silver fast wireless charger that is aluminum alloy" + ], + "i am looking for a dummy surveillance camera for ceiling with batteries included. also choose which is supporting aaa size batteries.": [ + "dummy surveillance camera for ceiling with batteries", + "dude surveillance camera for ceiling with batteries", + "dual surveillance camera for ceiling with batteries", + "daring camera for ceiling with batteries", + "dog surveillance camera for ceiling with batteries", + "dummy surveillance camera with batteries", + "dummy surveillance camera for ceiling", + "duck surveillance camera for ceiling with batteries", + "aaa size surveillance camera for ceiling", + "dummy surveillance camera" + ], + "i'm looking for a ready to eat baked snacks which should be individually wrapped.": [ + "ready to eat baked snacks", + "ready to eat baked snacks, individually wrapped", + "packaged baked snacks that should be individually wrapped", + "ready to eat baked snacks under $40", + "ready to eat baked snacks under $50", + "ready to eat baked snacks under 50 dollars", + "ready to eat baked snacks individually wrapped", + "ready to eat baked snacks, individually wrapped,", + "packaged baked snacks", + "ready to eat baked snacks, individually wrapped." + ], + "i need a high quality gomu 500 pack - 2 oz / 60 ml clear refillable flip top pet plastic travel bottle container": [ + "gomu 500 pack - 2 oz", + "gomu 500 pack - 2 oz / 60 ml", + "gomu 500 pack with a high quality plastic travel bottle", + "gomu 500 pack - 2 oz with a travel bottle", + "gomu 500 pack", + "gomu 500 pack - 2 oz bottle", + "gomu 500 pack 2 oz", + "gomu 500 pack with a high quality plastic travel bottle container", + "gomu 500 pack - 2 oz with a travel bottle,", + "bagel travel bottle" + ], + "i want a pair of ethylene vinyl trainers that is black in color. get me a size 8.": [ + "black ethylene vinyl trainers in a size 8", + " ethylene vinyl trainers that is black in color", + "black ethylene vinyl trainers size 8", + "black ethylene vinyl trainers", + " ethylene vinyl trainers size 8", + " ethylene vinyl trainers black in color", + " ethylene vinyl trainers in black", + "a pair of ethylene vinyl trainers size 8", + "black ethylene vinyl trainers that is black", + "ethylene vinyl trainers size 8" + ], + "i'm looking for gray wireless headphones it can reduce outside noise pollution.": [ + "gray wireless headphones", + "gray wireless headphones that reduce outside noise pollution", + "gray wireless headphones with noise pollution", + "gray wireless headphones that can reduce noise pollution", + "gray wireless headphones that reduce noise pollution", + "gray wireless headphones that are noise free", + "gray wireless headphones that are noise-free", + "gray wireless headphones no noise", + "gray wireless headphones, less than $40", + "gray wireless headphones with a noise pollution" + ], + "i am looking for a medium size winter warm jackets": [ + "medium size winter warm jackets", + "medium size winter warm jacket", + "medium winter warm jackets", + "large size winter warm jackets", + "mid size winter warm jackets", + "medium sized winter warm jackets", + "medium size winter warm jackets,", + "winter warm jackets", + "medium winter warm jacket", + "slimming jacket" + ], + "i am looking for a cupcake toppers for birthday party birthday cake": [ + "cupcake toppers for birthday party birthday cake", + "cupcake toppers for birthday party", + "cupcake toppers for baby shower", + "cupcake toppers for birthday party cake", + "cupcake toppers for a baby shower", + "cupcake toppers for a birthday party", + "cupcake toppers birthday party", + "cupcake toppers for birthday party baby shower", + "cake toppers for birthday party birthday cake", + "baby shower cupcake toppers for birthday party" + ], + "i would like some old fashioned bake mix made from natural ingredients.": [ + "old fashioned bake mix made from natural ingredients", + "old fashioned baked mix made from natural ingredients", + " old fashioned bake mix made from natural ingredients", + "old fashioned bake mix natural ingredients", + "old fashioned bake mix with natural ingredients", + "old fashioned bake mix from natural ingredients", + "old fashioned bake mix", + "old fashioned bake mix natural no sugar", + "old fashioned bake mix, natural ingredients", + "old fashioned bake mix natural" + ], + "i need a yellow facial sponge for sensitive skin": [ + "yellow facial sponge for sensitive skin", + "yellow facial sponge sensitive skin", + "yellow facial sponge for sensitive skin under $40", + "yellow facial sponge for sensitive skin under $50", + "yellow facial sponge for sensitive skin under $60", + "yellow facial sponge, sensitive skin less then $40", + "yellow facial sponge, sensitive skin less then $60", + "yellow facial sponge for sensitive skin,", + "yellow facial sponge for sensitive skin yellow", + "yellow facial sponge" + ], + "teeth whitening toothpaste with natural ingredients only 1 pcs": [ + "teeth whitening toothpaste", + "teeth whitening toothpaste with natural ingredients", + "teeth whitening toothpaste no natural", + "teeth whitening toothpaste 1 pcs", + "teeth whitening toothpaste 2 pcs", + "teeth whitening toothpaste natural ingredients 1 pcs", + "teeth whitening toothpaste natural no pcs", + "teeth whitening toothpaste natural no fluoride", + "teeth whitening toothpaste with natural ingredients no fluoride", + "teeth whitening toothpaste natural" + ], + "i am looking set of 4 black velvet mid century chair for dining room": [ + "set of 4 black velvet mid century chair for dining room", + "set of 4 black velvet mid century chair dining room", + "set of 4 black velvet mid century chair", + "set of 4 black mid century chair for dining room", + "set of 4 black velvet mid century chair dining room set", + "set of 4 black velvet mid century chair in dining room", + "4 black velvet mid century chair dining room set of 4", + "set of 4 black velvet mid century chair, dining room", + "set of 4 black mid century chair dining room", + "set of 4 black modern century chair for dining room" + ], + "for my eyes i need a color 10 eyeshadow which should be easy to use.\u2075": [ + "8 eyeshadow color easy to use", + "8 eyeshadow easy to use", + "eyeshadow color 10 easy to use", + "easy to use eyeshadow color 10", + "8 eyeshadow", + "eyeshadow color 10", + "blue eyeshadow color 10", + "blue eyeshadow", + "10 eyeshadow", + "color 10 eyeshadow" + ], + "find me a tempered glass camera lens protector for iphone 12 pro max in blue": [ + "tempered glass camera lens protector for iphone 12 pro max", + "tempered glass camera lens protector iphone 12 pro max in blue", + "tempered glass camera lens protector iphone 12 pro max", + "tempered glass camera lens protector foriphone 12 pro max in blue", + "tempered glass camera lens protector", + "tempered glass camera lens protector for iiphone 12 pro max", + "tempered glass camera lens protector for iphone 12 pro", + "tempered glass camera lens protector foriphone 12 pro max", + "tempered glass camera lens protector in blue", + "tempered glass camera lens protector that is durable" + ], + "i am looking for hair growth serum for men.": [ + "hair growth serum for men", + "hair growth serum for men.", + "human hair growth serum for men", + "hair growth serum for men under $40", + "toothpaste hair growth serum for men", + "hair growth serum for men under $50", + "man hair growth serum for men", + "hair growth serum for men under $60", + "hair growth serum for men", + "hair growth serum for men under 50 dollars" + ], + "i'm looking for a light pink long handle back loofah shower brush.": [ + "light pink long handle back loofah shower brush", + "low pink long handle back loofah shower brush", + "light pink long handle back loofah shower brush.", + "heavy pink long handle back loofah shower brush", + "light pink long handle back loofah shower brush,", + "lit pink long handle back loofah shower brush", + "pink long handle back loofah shower brush", + "lush pink long handle back loofah shower brush", + "lip pink long handle back loofah shower brush", + "low pink long handle back loofah shower brush." + ], + "cowboy boots for women non slip choose in brown colour": [ + "cowboy boots for women non slip in brown", + "cowboy boots brown", + "cowboy boots for women non slip choose brown", + "cowboy boots women non slip choose in brown", + "cowboy boots for women non slip, brown", + "cowboy boots woman non slip choose in brown", + "cowboy boots for women non slip", + "cowboy boots for women", + "cowboy boots non slip choose in brown", + "cowboy boots in brown" + ], + "i would like a light weight computer speaker that is easy to carry.": [ + "light weight computer speaker that is easy to carry", + "light weight computer speaker", + "easy to carry computer speaker", + "low weight computer speaker that is easy to carry", + "easy to carry computer speaker that is light weight", + "easy-to-carry computer speaker", + "easy to carry light weight computer speaker", + "light weight computer speaker, easy to carry", + "light weight computer speaker easy to carry", + "low weight computer speaker" + ], + "i need some high quality blue body paint.": [ + "blue body paint", + "high quality blue body paint", + "blue body paint that is high quality", + "blue body paint, high quality", + "high quality blue body paint.", + "blue body paint.", + "high quality blue body paint under $40", + "blue body paint high quality", + "high quality blue body paint under $50", + "high quality blue body paint under $60" + ], + "i am looking for an apple compatible case cover that is clear green or has silver glitter in it.": [ + "apple compatible case cover with clear green or silver glitter", + "apple compatible case cover that is clear green or silver glitter", + "apple compatible case cover, clear green or silver glitter", + "apple compatible case cover in clear green or silver glitter", + "apple compatible case cover that is clear green with silver glitter", + "apple compatible case cover, clear green or silver glitter,", + "apple compatible case cover for clear green or silver glitter", + "apple compatible case cover", + "apple compatible case cover clear green or silver glitter", + "apple compatible case cover with clear green" + ], + "i am looking for a 8 size walking shoes for daily wear": [ + "8 size walking shoes", + "walking shoes for daily wear", + "walking shoes 8 size", + "8 walking shoes for daily wear", + "walking shoes", + "8 size walking shoes daily wear", + "8 walking shoes", + "walking shoes that are 8 size", + "walking shoes for daily wear 8", + "walking shoes 8 x 8" + ], + "i am looking for a women's socks made up of polyester cotton which is washable in machine. also choose black or semi mint rush green color.": [ + "womens socks made up of polyester cotton", + "womens socks made up of polyester cotton black", + "womens socks made up of polyester cotton color", + "mens socks made up of polyester cotton", + "womens socks made from polyester cotton", + "womens socks with polyester cotton", + "womens socks, polyester cotton", + "womens socks in polyester cotton", + "womens socks made up of polyester", + "womens socks" + ], + "i am looking for a media player that is easy to use.": [ + "easy to use media player", + "easy-to-use media player", + "easy to use media player under $40", + "easy to use media player under $60", + "easy to use media player under $50", + "media player that is easy to use.", + "easy to use media player under 30 dollars", + "media player easy to use", + "simple to use media player", + "easy setup media player" + ], + "i would like a ice coffee flavor protein powder that is usda organic and non gmo.": [ + "ice coffee flavor protein powder non gmo", + "ice coffee flavor protein powder", + "ice coffee flavor protein powder, usda organic and non gmo", + "ice coffee flavor protein powder that is usda organic", + "ice coffee flavor protein powder with usda organic and non gmo", + "natierra organic and non gmo ice coffee flavor", + "ice coffee flavor protein powder with usda organic", + "ice coffee flavor protein powder non gmo flavor", + "ice coffee flavor protein powder natural", + "natierra organic and non gmo flavor" + ], + "i would like a 2xl white v neck shirt that can be machine washed.": [ + "2xl white v neck shirt", + "2xl white v neck shirt, machine washed", + "2xl white v neck shirt machine washed", + "2xl white v neck shirt with machine washed", + "2xl white neck shirt", + "2 xl white v neck shirt", + "2xl white v neck shirt under $50", + "2xl white v neck shirt under $40", + "2xl white v neck t-shirt", + "2xl white v neck shirt under $60" + ], + "i need a green x-large sweater that comes in a soft material.": [ + "green x-large sweater", + "green x-large sweater with soft material", + "green x-large sweater in a soft material", + "green x-large sweater that is soft material", + "green x-large sweater, soft material", + "green x-large sweater with a soft material", + "green x-large sweater soft material", + "green x-large sweater made from soft material", + "green x-large sweater under $50", + "green x-large sweater, soft material," + ], + "find me a black red headphone bluetooth and wireless": [ + "black red headphone bluetooth wireless", + "black red headphone bluetooth and wireless", + "black red headphone bluetooth", + "black wireless headphone bluetooth and wireless", + "black wireless headphone bluetooth", + "black red headphone bluetooth wireless charging", + "black red headphone bluetooth with wireless", + "black wireless headphone bluetooth black", + "black wireless earbud bluetooth", + "black bluetooth wireless headphone bluetooth" + ], + "i am looking for dates that are low calorie": [ + "low calorie dates", + "date dates that are low calorie", + "low calorie and zero sugar dates", + "date dates low calorie", + "date mix low calories", + "date mix low calorie", + "low calorie dates under $40", + "low calorie dates under $60", + "low calorie dates under $50", + "date dates low calories" + ], + "i need to find a black gaming headset with stereo sound.": [ + "black gaming headset with stereo sound", + "black gaming headset with stereo sound.", + "black gaming headset", + "black gaming headset with stereo sound,", + "black gaming headset, stereo sound", + "black gaming headset, with stereo sound", + "black gaming headset that is stereo sound", + "white gaming headset with stereo sound", + "a black gaming headset with stereo sound", + "gaming headset with stereo sound" + ], + "i am looking for round shape table top cover for my living room.": [ + "tablet cover for my living room", + "tablet cover for living room", + "tablet top cover for living room", + "table top cover for my living room", + "table top cover for living room", + "tablet cover for the living room", + "tablet cover for living room.", + "tablet top cover", + "tablet cover", + "table top cover" + ], + "i am looking for long sleeve women tunic of gray color.": [ + "long sleeve women tunic gray", + "long sleeve women tunic gray color", + "long sleeve women tunic of gray", + "long sleeve women tunic", + "womens tunic gray", + "woman tunic of gray color", + "womens tunic gray color", + "lens tunic of gray color", + "long sleeve women tunic, gray", + "woman tunic gray" + ], + "i would like a non toxic nail polish set.": [ + "non toxic nail polish set", + "non toxic nail polish set.", + "non toxic nail polish set under $50", + "non toxic nail polish set under $40", + "non toxic nail polish set under $60", + "non toxic nail polish set under 50 dollars", + "non toxic nail polish set under 30 dollars", + "non toxic nail polish set below $40", + "non toxic nail polish set below $50", + "non toxic nail polish set under 40 dollars" + ], + "i am looking a classic style table lamp for my living room.": [ + "classic style table lamp for my living room", + "classic style table lamp for living room", + "classic style table lamp for the living room", + "classic style table lamp for living room.", + "classic style table lamp living room", + "table lamp for living room", + "classic style table lamp in my living room", + "classic style table lamp for a living room", + "classic style table lamp", + "table lamp for living room." + ], + "i am looking for barber shop height adjustable beauty salon chair. also green one": [ + "barber shop height adjustable beauty salon chair", + "barber shop height adjustable beauty salon chair green", + "barber shop height adjustable beauty salon chair, green", + "barber shop height adjustable beauty salon chair. green", + "barber shop height adjustable beauty salon chair.", + "barber shop height adjustable beauty salon chair in green", + "barber shop height adjustable beauty salon chair green", + "beauty salon chair green", + "green beauty salon chair", + "beauty salon chair, green" + ], + "i would like a 198 bt power amplifier with wireless bluetooth.": [ + " 198 bt power amplifier with wireless bluetooth", + "198 bt power amplifier with wireless bluetooth", + "pink power amplifier with wireless bluetooth", + "23 bt power amplifier with wireless bluetooth", + "200 bt power amplifier with wireless bluetooth", + "28 bt power amplifier with wireless bluetooth", + " 198 bt power amplifier", + "198 bt power amplifier", + "28 ft power amplifier with wireless bluetooth", + "portrait with wireless bluetooth" + ], + "i'm looking for a large upholstered bench that is contemporary style and has solid wood. also, it should be gray.": [ + "large upholstered bench that is contemporary style and has solid wood", + "large upholstered bench with solid wood", + "small upholstered bench that is contemporary style and has solid wood", + "large upholstered bench that is contemporary style with solid wood", + "large upholstered bench, contemporary style and has solid wood", + "large upholstered bench in a contemporary style with solid wood", + "large upholstered bench that is contemporary style", + "large upholstered bench", + "large upholstered bench in a contemporary style and has solid wood", + "large upholstered bench in contemporary style with solid wood" + ], + "i would like a 2 pound bag of chocolate covered gluten free bars.": [ + "2 pound bag of gluten free bars", + "chocolate covered gluten free bars", + "chocolate covered gluten free bars 2 pound", + "chocolate covered gluten free bar", + "bag of chocolate covered gluten free bars", + "2 pound bag of gluten free bar", + "chocolate covered gluten free bar 2 pound", + "bag of chocolate covered gluten free bar", + "gluten free bars 2 pound bag", + "2 pound gluten free bars" + ], + "i would like to have anti-aging moisturizer which has 10 ivory fair.": [ + "anti-aging moisturizer 10 ivory fair", + "anti-aging moisturizer with 10 ivory fair", + "anti-aging moisturizer 10 ivory", + "anti-aging moisturizer, 10 ivory fair", + "anti-aging moisturizer which has 10 ivory", + "anti-aging moisturizer 9 ivory fair", + "anti-aging moisturizer with 10 ivory", + "anti-aging moisturizer, 10 ivory", + "ant-aging moisturizer 10 ivory fair", + "anti-aging moisturizer 9 ivory" + ], + "i need a pair of white bluetooth speakers that have stereo sound.": [ + "white bluetooth speakers with stereo sound", + "white bluetooth speakers", + "white bluetooth speakers that have stereo sound", + "white bluetooth speakers that are stereo sound", + "pair of white bluetooth speakers", + "white bluetooth speakers with a stereo sound", + "white bluetooth speakers, with stereo sound", + "white bluetooth speakers with stereo sound.", + "white bluetooth speakers, stereo sound", + "white bluetooth speakers with stereo sound," + ], + "i would like a single pack of rooblos vanilla certified organic tea.": [ + "single pack of rooblos vanilla certified organic tea", + "rooblos vanilla certified organic tea", + "bottle of rooblos vanilla certified organic tea", + "rooblos vanilla certified organic tea drink mix", + "one pack of rooblos vanilla certified organic tea", + "bag of rooblos vanilla certified organic tea", + "rooblos vanilla certified organic tea pack", + "rooblos vanilla certified organic tea drink", + "rooblos vanilla certified organic tea.", + "single pack of rooblos vanilla certified organic" + ], + "i am looking for a high quality 3g/3ml round clear jar with bpa free. also choose green color and size with 50 jars.": [ + "3g/3ml round clear jar with bpa free", + "3g/3ml round clear jar", + "3g/3ml round clear jar bpa free", + "3g/3ml round clear jar, bpa free", + "4g/3ml round clear jar with bpa free", + "3g 3ml round clear jar with bpa free", + "low quality 3g/3ml round clear jar", + "4g/3ml round clear jar", + "green 3g/3ml round clear jar", + "3g 3ml round clear jar" + ], + "i am looking for body sprays alcohol free in persian rose-pack of 1": [ + "body sprays alcohol free persian rose-pack of 1", + "body sprays alcohol free in persian rose-pack of 1", + " body sprays alcohol free persian rose-pack of 1", + "Body sprays alcohol free persian rose-pack of 1", + " body sprays alcohol free in persian rose-pack of 1", + "Body sprays alcohol free in persian rose-pack of 1", + "body sprays alcohol free persian rose-pack", + "sneakers alcohol free persian rose-pack of 1", + "shoes alcohol free persian rose-pack of 1", + "body sprays alcohol free" + ], + "i want something to treat my hair loss that also promotes hair growth.": [ + "hair loss that promotes hair growth", + "hair loss that also promotes hair growth", + "hair loss treatment that promotes hair growth", + "hair loss with hair growth", + "hair loss that promotes hair growth.", + "hair loss treatment for hair growth", + "hair loss treatment with hair growth", + "hair loss treatment", + "hair loss with a hair growth", + "hair loss" + ], + "i would like a #6 nail whitener for nail art.": [ + "nude art whitener #6", + "nail whitener for nail art", + "#6 nail whitener for nail art", + "nude art color whitener #6", + "nude art nail whitener #6", + "nude art polish whitener #6", + "5 nail whitener for nail art", + "nail whitener for nail art.", + "nude art whitener", + "lip whitener for nail art" + ], + "i need a tripod that is made of carbon fiber.": [ + " tripod made of carbon fiber", + "t tripod made of carbon fiber", + "p tripod made of carbon fiber", + " tripod made from carbon fiber", + "t tripod made from carbon fiber", + "p tripod made from carbon fiber", + "v tripod made of carbon fiber", + "a tripod made of carbon fiber", + " tripod made of carbon fiber.", + " tripod made of carbon fiber," + ], + "i want a long lasting remote control with batteries included.": [ + "remote control with batteries", + "long lasting remote control with batteries", + "remote control long lasting with batteries", + "lens remote control with batteries", + "remote control that is long lasting", + "remote control no batteries", + "remote control", + "remote control long lasting", + "home remote control with batteries", + "remote control battery" + ], + "i am looking for women's cover up dress of black color with long sleeve.": [ + "womens cover up dress of black color", + "womens cover up dress black color", + "womens cover up dress of black", + "womens cover up dress black", + "womens cover- up dress of black color", + "womens cover up dress", + "womens cover up dress with long sleeve", + "womens cover up dress in black color", + "womens cover up dress in black", + "womens cover up dress, black" + ], + "looking for cup cake picks for party supplies of rose gold colour": [ + "cup cake picks for party supplies rose gold", + "cup cake picks rose gold", + "cup cake picks of rose gold colour", + "cup cake pick for party supplies rose gold", + "cup cake picks rose gold colour", + "cup cake picks that are rose gold", + "cup cake picks in rose gold colour", + "cup cake picks, rose gold colour", + "cup cake pick rose gold", + "cup cake picks in rose gold" + ], + "i am looking for a power amplifier.": [ + "power amplifier", + "power amplifier under $40", + "power amplifier under $50", + "power amplifier under $60", + "power amplifier.", + "power amplifier for power", + "power amplifier under 50 dollars", + "power amplifier under $130", + "power amplifier under $120", + "power amplifier that is high performance" + ], + "i'm looking for all skin type body moisturizer oil to prevent body from scars and stretchmarks,etc.,": [ + "skin type body moisturizer oil", + "skin type body moisturizer oil with scars and stretchmarks", + "skin type body moisturizer oil with stretchmarks,etc.,", + "skin type body moisturizer oil with stretchmarks", + "skin type body moisturizer oil with scars", + "skin type body moisturizer oil,", + "skin body moisturizer oil", + "skin cream with stretchmarks", + "body moisturizer oil", + "skin cream" + ], + "i want big size living room": [ + "big size living room", + "small size living room", + "large size living room", + "living room", + "big living room", + "small living room", + "living room small", + "living room large", + "living room big size", + "living room big" + ], + "i am looking for a black end table for my living room.": [ + "black end table for living room", + "black end table for my living room", + "black end table for the living room", + "living room black end table", + "black end table for living room.", + "black end table for a living room", + "black dining table for living room", + "black end table living room", + "end table for living room black", + "living room dining table black" + ], + "i would like some soy free candles": [ + "soy free candles", + "soy free candles", + "sneakers soy free", + "synthetic candles soy free", + "soy free candles under $40", + "soy free candles under $50", + "soy free candles under $40", + "soy free candles under $60", + "synthetic candles", + "soy free candles under $50" + ], + "i need some slim fitting pants that are desert rose colored and are a size 8 short.": [ + "slim fitting pants size 8 short", + "slim fitting pants that are desert rose colored", + "slim fitting pants 8 short", + "slim fitting pants in a size 8 short", + "slim fitting pants in desert rose colored", + "slim fitting pants", + "slim fitting pants, desert rose colored", + "slim fitting pants for desert rose colored", + "slim fitting pants a size 8 short", + "slim fitting pants small 8 short" + ], + "i am looking for womens size socks that are machine washable.": [ + "womens size socks", + "womens size socks machine washable", + "womens size socks, machine washable", + "mens size socks that are machine washable", + "womens size socks with machine washable", + "womens size socks are machine washable", + "womens size socks under $50", + "womens size socks under $40", + "woman washable womens size socks", + "womens size socks machine washable." + ], + "i am looking for a large, grey, men's pullover sweater with an elastic waist.": [ + "large grey mens pullover sweater with an elastic waist", + "mens pullover sweater with an elastic waist", + "large, grey mens pullover sweater", + "large, grey mens pullover sweater with elastic waist", + "large, grey, mens pullover sweater", + "large grey mens pullover sweater", + "large grey mens pullover sweater with elastic waist", + "womens pullover sweater with an elastic waist", + "mens pullover sweater with elastic waist", + "large, grey mens pullover sweater, elastic waist" + ], + "i would like a 4.22 ounce variety pack of non gmo gluten free smoothie pouches.": [ + "4.22 ounce variety pack of gluten free smoothie pouches", + "4.22 ounce variety pack of dairy free smoothie pouches", + "non gmo gluten free smoothie pouches 4.22 oz", + "gluten free smoothie pouches 4.22 oz", + "gmo gluten free smoothie pouches 4.22 oz", + "4.22 ounce variety pack of non gmo gluten free pouches", + "4 oz gluten free smoothie pouches", + "non gmo gluten free smoothie pouches", + "4.22 ounce variety pack of gluten free smoothie pouches.", + "4.22 ounce variety pack of gluten free smoothie pouches," + ], + "i'm looking for a long lasting 3 wick candle that has soy wax and is sweet delight scented.": [ + "3 wick candle that has soy wax", + "3 wick candle with soy wax", + "long lasting 3 wick candle with soy wax", + "3 wick candle", + "long lasting 3 wick candle", + "3wick candle that has soy wax", + "4 wick candle that has soy wax", + "3wick candle with soy wax", + "3 wick candle, soy wax", + "3 wick candle with soy wax long lasting" + ], + "i am looking for xx-large size stylish water resistant padded coat thicken winter warm outerwear. also blue one": [ + "xxl size stylish water resistant padded coat thicken winter warm outerwear", + "xxl water resistant padded coat thicken winter warm outerwear", + "xxl waterproof coat thicken winter warm outerwear", + "xxl padded coat thicken winter warm outerwear", + "xx-large water resistant padded coat thicken winter warm outerwear", + "xxl padded coat thicken winter warm outerwear. also blue", + "xx-large size stylish water resistant padded coat thicken winter warm", + "xxl water resistant padded coat thicken winter warmwear", + "xxl jacket thicken winter warm outerwear", + "xxl waterproof coat thicken winter warm" + ], + "i'm looking for a black hair loss concealer": [ + "black hair loss concealer", + "black hair loss concealer under $40", + "black hair loss concealer under $50", + "black hair loss concealer under $60", + "black hair loss concealer under 30 dollars", + "black hair loss concealer that is black", + "black hair loss concealer under 50 dollars", + "black hair loss concealer under $120", + "black hair loss concealer,", + "hair loss concealer black" + ], + "i would like a green tea mask.": [ + "green tea mask", + "green tea mask.", + "green tea mask under $40", + "green tea mask under $50", + "green tea mask that is green", + "green tea mask under $60", + "green tea mask under 50 dollars", + "green tea mask under 30 dollars", + "green tea mask under 40 dollars", + "green tea mask below $40" + ], + "i'm looking for permanent hair dye in black. i want a three pack.": [ + "permanent hair dye in black three pack", + "pink hair dye in black three pack", + "pink hair dye three pack", + "permanent hair dye three pack", + "plantation hair dye in black three pack", + "temporary hair dye in black three pack", + "pink permanent hair dye three pack", + "permanent hair dye in black", + "permanent hair dye in black 3 pack", + "pink permanent hair dye in black" + ], + "i need a red ball gown with a lace closure in a size twelve.": [ + "red ball gown with a lace closure size twelve", + "red ball gown with a lace closure", + "red ball gown with lace closure in a size twelve", + "red ball gown with a lace closure size 12", + "red ball gown with a lace closure, size twelve", + "red ball gown with a lace closure size twelve.", + "red ball gown with a lace closure a size twelve", + "red ball gown with lace closure size twelve", + "red ball gown, lace closure, size twelve", + "red ball gown in a size twelve" + ], + "i am looking for strawberry & apple flavor fruit snack pack that are gluten free.": [ + "strawberry & apple flavor fruit snack pack", + " strawberry & apple flavor fruit snack pack that are gluten free", + "pomegranate & apple flavor fruit snack pack", + "strawberry and apple flavor fruit snack pack", + "strawberry & apple flavor fruit snack pack gluten free", + "berry & apple flavor fruit snack pack that are gluten free", + "fruit snack pack that are gluten free", + " strawberry & apple flavor fruit snack pack", + "pomegranate flavor fruit snack pack", + "fruit snack pack gluten free" + ], + "i would like a hair trimmer that is stainless steel.": [ + "stainless steel hair trimmer", + "hair trimmer stainless steel", + "hair trimmer that is stainless steel", + "stainless steel human hair trimmer", + "shampoo trimmer stainless steel", + "manual hair trimmer stainless steel", + "brushed hair trimmer stainless steel", + "stainless steel hair trimmer,", + "shoes trimmer stainless steel", + "sneakers stainless steel" + ], + "i need straight leg jeans in a medium that are big and tall.": [ + "straight leg jeans in a medium", + "straight leg jeans in a medium size", + "straight leg jeans", + "straight leg jeans in a medium large", + "straight leg jeans, big and tall", + "straight leg jeans big and tall", + "straight leg jeans small and tall", + "straight leg jeans in a medium fat", + "straight leg jeans size medium", + "straight leg jeans large" + ], + "i am looking for levi's men's 550 regular relaxed fit jeans.": [ + "levis mens 550 regular relaxed fit jeans", + "levis mens 550 regular relaxed fit jeans.", + "lenvis mens 550 regular relaxed fit jeans", + " levis mens 550 regular relaxed fit jeans", + "lens mens 550 regular relaxed fit jeans", + "levis mens 550 regular relaxed fit jeans", + "mens 550 regular relaxed fit jeans", + "levis mens 550 relaxed fit jeans", + "levis mens 550 comfortable fit jeans", + "levis mens 550 regular fit jeans" + ], + "i'm looking for hair care for hair growth for women's to prevention of hair falling.": [ + "hair care for womens to prevention of hair falling", + "hair care for womens prevention of hair falling", + "hair care for hair growth womens prevention of hair falling", + "hair care for hair growth for womens", + "hair care for womens to prevention of hair falling.", + "hair care for hair growth womens", + "hair care for womens prevention of hair falling.", + "hair care for womens", + "hair care for women", + "hair care for hair growth" + ], + "i would like a 13.25 by 8 inch vanity light with a glass shade and a satin nickel finish.": [ + "13.25 by 8 inch vanity light with a glass shade and satin nickel finish", + "12.25 by 8 inch vanity light with a glass shade and satin nickel finish", + "14.25 by 8 inch vanity light with a glass shade and satin nickel finish", + "13.25 x 8 inch vanity light with a glass shade and satin nickel finish", + "vanity light 13.25 by 8 inch satin nickel finish", + "vinyl light 13.25 by 8 inch satin nickel finish", + "13.25 by 8 inch vanity light with a glass shade, satin nickel finish", + "bathroom light 13.25 by 8 inch satin nickel finish", + "13.25 by 8 inch vanity light", + "13.25 by 8 inch vanity light with a glass shade" + ], + "i'm looking for an easy to install bathroom vanity light in color black.": [ + "bathroom vanity light in color black", + "living room vanity light in color black", + "easy to install bathroom vanity light color black", + "easy to install bathroom vanity light in color", + "easy to install bathroom vanity light", + "easy install bathroom vanity light in color black", + "5 ft bathroom vanity light in color black", + "pink bathroom vanity light in color black", + "white bathroom vanity light in color black", + "bathroom vanity light color black" + ], + "my mom need wood frame twin size": [ + "wood frame twin size", + "wood frame twin", + "wood frame twin size wood frame", + "wood frame twin size below $50", + "wood frame twin size under $50", + "wood frame twin size below $40", + "wood frame twin size under $40", + "twin wood frame twin size", + "wood frame twin-twin", + "wood frame twin-size" + ], + "i am lookig for a light weight clover color womens pullover.": [ + "womens pullover", + "womens pullover light weight", + "womens pullover, light weight", + "womens pullover color", + "womens pullover.", + "womens pullover under $40", + "womens pullover under $50", + "womens pullover under $60", + "womens pullover under 50 dollars", + "mens pullover" + ], + "intel core i5-11700, 64gb ram, 1tb ssd + 1tb hdd, destop tower": [ + "intel core i5-11700, 64gb", + "intel core i5-11700, 64gb, 1tb hdd, destop tower", + "intel core i5-11700, 64gb ram, 1tb hdd", + "intel core i5-11700 with ssd + 1tb hdd, destop tower", + "intel core i5-11700 with ssd + 1tb hdd", + "intel core i5-11700, 64gb ram, 1tb", + "intel core i5-11700, 64gb ram", + "intel core i5-11700, 64gb ram", + "intel core i5-11700", + "intel core i5-11700, 64gb ram, 1tb hdd," + ], + "i want a non slip steel toe black men's shoe size :6.5": [ + "non slip steel toe black mens shoe size :6.5", + "non slip steel toe black mens shoe size 6.5", + "non slip steel toe black mens shoe size6.5", + "non slip steel toe black mens shoe size:6.5", + "non slip steel toe black mens shoe", + "non slip steel toe black mens shoe size", + "non slip steel toe black mens shoe size 5.5", + "non slip steel toe black mens shoe size of 6.5", + "non slip steel toe black mens shoe size, 6.5", + "non slip steel toe black mens shoe size 7.5" + ], + "i need to get some gluten free coffee and it should be one pack of 8 ounces.": [ + "gluten free coffee pack of 8", + "gluten free coffee pack 8 oz", + "gluten free coffee pack 8 ounces", + "gluten free coffee 8 pack", + "gluten free coffee 8 oz pack", + "gluten free coffee pack", + "gluten free coffee 8 oz", + "gluten free coffee", + "gluten free coffee blend 8 oz", + "gluten free coffee eight pack" + ], + "i would like a sulfate free conditioner": [ + "sulfate free conditioner", + "sulfate free conditioner under $40", + "sulfate free conditioner under $60", + "sulfate free conditioner under $50", + "sulfate free conditioner under 50 dollars", + "sulfate free conditioner under 30 dollars", + "sulfate free conditioner under 40 dollars", + "sulfate free conditioner under 60 dollars", + "sulfate free conditioner under $120", + "sulfate free conditioner for living" + ], + "i am looking for a 10x6.5ft backgrounds for digital photography": [ + "10x6.5ft backgrounds for digital photography", + "10x6.5ft backgrounds digital photography", + "10x6.5ft backgrounds", + "10 x6.5ft backgrounds for digital photography", + "10x6.5ft background for digital photography", + "10x6.5ft backgrounds in digital photography", + "digital photography 10x6.5ft backgrounds", + "10x6ft backgrounds for digital photography", + "10x6.5ft backgrounds photography", + "10x6.5ft digital photography backgrounds" + ], + "waterproof hair styling cape hairdressing cape for hairdressing salon hairdressing cut adjustable neckline makeup": [ + "waterproof hair styling cape hairdressing salon", + "waterproof hair styling cape", + "waterproof hair styling cape hairdressing cape", + "waterproof hair styling cape hairdressing cape with adjustable neckline makeup", + "waterproof hair styling cape with adjustable neckline makeup", + "waterproof hair styling cape hairdressing salon with adjustable neckline makeup", + "waterproof hair styling cape hairdressing cape with neckline makeup", + "waterproof hair styling cape for hairdressing salon", + "waterproof hair styling cape hairdressing salon hair styling", + "waterproof hair styling cape hairdressing salon with adjustable neckline" + ], + "i want a screen protector that is easy to install. pick something with leopard patterns.": [ + "screen protector that is easy to install with leopard patterns", + "easy to install screen protector with leopard patterns", + "screen protector that is easy to install with leopard pattern", + "easy to install screen protector with leopard pattern", + "screen protector with leopard patterns", + "tv screen protector with leopard patterns", + "tv screen protector with leopard pattern", + "screen protector with leopard pattern", + "desktop screen protector with leopard patterns", + "screen protector" + ], + "i'm looking for vanilla flavored chai tea mix that's sugar free, non-gmo, and gluten free. look for a pack that's around six ounces.": [ + "vanity flavored chai tea mix sugar free, non-gmo, and gluten free pack", + "vanity flavored chai tea mix, sugar free, non-gmo, six ounces", + "vanity flavored chai tea mix that sugar free, non-gmo, and gluten free", + "vanity flavored chai tea mix sugar free, non-gmo, and gluten free", + "vanity flavored chai tea mix", + "vegan chai tea mix sugar free, non-gmo, and gluten free pack", + "vanity flavored chai tea mix, sugar free, non-gmo, and gluten free", + "vanity flavored chai tea mix thats sugar free, non-gmo, and gluten free", + "vegan chai tea mix sugar free, non-gmo, and gluten free", + "vanity flavored chai tea mix that is sugar free and gluten free" + ], + "i would like a pair of small leggings with a high waist and tummy control for women.": [ + "small leggings with a high waist and tummy control", + "small leggings with a high waist", + "small leggings high waist with tummy control for women", + "small leggings high waist and tummy control for women", + "small leggings with a high waist, tummy control", + "small leggings with a high waist with tummy control", + "small leggings high waist with tummy control", + "small leggings", + "small leggings, high waist and tummy control", + "small leggings under $50" + ], + "i would like a pair of size 7.5 white sandals with a ankle strap.": [ + "white sandals size 7.5 with a ankle strap", + "size 7.5 white sandals with a ankle strap", + "white sandals size 7.5", + "white sandals with a ankle strap", + "white sandals with a ankle strap size 7.5", + "white sandals, size 7.5, ankle strap", + "white sandals with ankle strap size 7.5", + "white sandals size 7.5, ankle strap", + "white sandals with ankle strap", + "pair of size 7.5 white sandals" + ], + "i would like two grey chairs and a end table with a steel frame.": [ + "grey chairs and end table with a steel frame", + "grey chairs and an end table with a steel frame", + "grey chairs and a end table with a steel frame", + "grey dining table with a steel frame", + "grey chairs, end table with a steel frame", + "grey chairs and table with a steel frame", + "grey chairs and end table with a steel frame.", + "grey dining table with steel frame", + "grey chairs with a steel frame", + "grey chairs and end table with steel frame" + ], + "i would like a grey ottoman that has a steel frame": [ + "grey ottoman steel frame", + "grey ottoman with a steel frame", + "grey ottoman with steel frame", + "grey ottoman, steel frame", + "grey ottoman", + "grey ottoman made from steel frame", + "grey ottoman wood frame", + "grey ottoman in steel frame", + "grey ottoman metal frame", + "grey ottoman frame" + ], + "i'm looking for a full size platform bed storage with two drawers.": [ + "full size platform bed storage with two drawers", + "full size platform bed storage", + "full size platform bed storage two drawers", + "full size bed storage with two drawers", + "full size platform bed storage, two drawers", + "full bed storage with two drawers", + "full size platform bed storage with drawers", + "platform bed storage with two drawers", + "comfortable bed storage with two drawers", + "large bed storage with two drawers" + ], + "i would like a grey twin size bunk bed made of solid wood.": [ + "grey twin size bunk bed made of solid wood", + "grey twin bed made of solid wood", + "grey twin size bunk bed made from solid wood", + "grey twin size bunk bed with solid wood", + "grey twin size bunk bed", + "grey twin x bunk bed made of solid wood", + "grey twin foot bunk bed made of solid wood", + "grey twin bedroom bunk bed made of solid wood", + "grey twin bed made from solid wood", + "grey twin bunk bed made of solid wood" + ], + "i would like a white face belt that is anti aging.": [ + "white face belt anti aging", + "white face belt that is anti aging", + "white face belt, anti aging", + "white face belt anti aging.", + "white face belt with anti aging", + "white face belt", + "white face belt for aging", + "white face belt, anti aging.", + "white face belt anti aging white", + "white face belt, anti aging," + ], + "i need a pair of low rise yellow briefs in a large.": [ + "low rise yellow briefs in a large", + "yellow briefs in a large", + "low rise yellow briefs", + "high rise yellow briefs in a large", + "double yellow briefs in a large", + "light rise yellow briefs in a large", + "low rise yellow briefs large", + "low rise yellow briefs, large", + "low rise yellow briefs size large", + "yellow briefs in a large." + ], + "please find me a gluten free coffee creamer.": [ + "gluten free coffee creamer", + "gluten free coffee creamer.", + "gluten free coffee creamer under $40", + "gluten free coffee creamer under $60", + "gluten free coffee creamer under $50", + "gluten free coffee creamer under 50 dollars", + "gluten free coffee creamer under 30 dollars", + "gluten free coffee creamer under 40 dollars", + "gluten free coffee creamer below $40", + "gluten free coffee creamer under 60 dollars" + ], + "i am looking for king size bed with pocket spring mattress": [ + "king size bed with pocket spring mattress", + "king size bed with pocket spring mattress", + "king size bed pocket spring mattress", + "king size bed, pocket spring mattress", + "king size bed", + "kingsize bed with pocket spring mattress", + "king size bed with pocket spring mattress,", + "king x size bed with pocket spring mattress", + "king of size bed with pocket spring mattress", + "king size bed in pocket spring mattress" + ], + "i am looking for a s size manual toothbrushes for sensitive teeth": [ + "s size manual toothbrushes for sensitive teeth", + "s size manual toothbrush for sensitive teeth", + "manual toothbrushes for sensitive teeth s size s", + "s size manual toothbrushes for sensitive teeth s", + "manual toothbrushes for sensitive teeth", + "manual toothbrushes for sensitive teeth s s size", + "s-size manual toothbrushes for sensitive teeth", + "ssize manual toothbrushes for sensitive teeth", + " s size manual toothbrushes for sensitive teeth", + "s size manual toothbrushes for sensitive teeth s size" + ], + "i need a living room wall lamp that is in black.": [ + "living room wall lamp in black", + "living room wall lamp, in black", + "living room wall lamp color in black", + "living room wall lamp black", + "living room wall lamp", + "living room wall lamp in black.", + "living room wall lamp in black,", + "living room wall lamp colored in black", + "living room wall lamp is in black", + "living room wall lamp with black" + ], + "i need a red iphone 7/8 / se 2020 case with card holder and[ screen protector tempered glass": [ + "red iphone 7/8 case with card holder and screen protector tempered glass", + "red iphone 7/8 with card holder and screen protector tempered glass", + "red iphone 7/8 / se 2020 case with card holder", + "red iphone 7/8 s 2020 case with card holder", + "red iphone 7/8", + "red iphone 7/8 case with card holder, screen protector tempered glass", + "red iphone 7/8 case with card holder", + "red iphone 7/8 with card holder", + "red iphone 7/8 / se 2020 case with card holder and screen protector", + "red iphone 7/8 case with card holder and screen protector tempered glass," + ], + "i am looking for a low sugar ans dairy free vanilla flavored creamer, with added collagen.": [ + "low sugar dairy free vanilla flavored creamer with added collagen", + "low sugar dairy free vanilla flavored creamer", + "low sugar dairy free vanilla flavored creamer,", + "low sugar vanilla flavored creamer with added collagen", + "low sugar vanilla flavored creamer, with added collagen", + "low sugar dairy free vanilla flavored creamer under $40", + "low sugar dairy free vanilla flavored creamer with no sugar", + "low sugar and dairy free vanilla flavored creamer", + "low sugar dairy free vanilla flavored creamer flavor", + "low sugar dairy free vanilla flavored creamer under $60" + ], + "i need a 14 inch natural hair hair extension in #2 color.": [ + "14 inch natural hair extension in #2 color", + "14 inch natural hair extensions in #2 color", + "14 inch natural hair extension", + "natural hair extension in #2 color", + "14 inch natural hair hair extension", + " 14 inch natural hair extension in #2 color", + "28 inch natural hair extension in #2 color", + "14 inch natural hair hair extension color", + "14 inch natural hair extension color", + "14 inch natural hair extension in a color" + ], + "i'm looking for a flats made of ethylene vinyl. choose the ones in tan color and size 9.5 narrow.": [ + " flats made of ethylene vinyl 9.5 narrow", + " flats made of ethylene vinyl size 9.5 narrow", + "stainless ethylene vinyl flats 9.5 narrow", + "flat flats made of ethylene vinyl 9.5 narrow", + "shoes made of ethylene vinyl 9.5 narrow", + " flats made of ethylene vinyl", + "p flats made of ethylene vinyl 9.5 narrow", + "flat 9.5 ethylene vinyl flats", + "flat 9.5 ethylene vinyl flats in tan color", + "shoes made of ethylene vinyl" + ], + "i want to find gluten-free sunrise crunchy maple cereal. it needs to be a 10.6 ounce box in a pack of six.": [ + "gluten-free sunrise crunchy maple cereal pack of six", + "gluten free sunrise crunchy maple cereal pack of six", + "gluten-free sunrise crunchy maple cereal", + "gluten-free sunrise crunchy maple cereal pack of 6", + "gluten-free sunrise crunchy maple cereal pack of six.", + "gluten-free maple cereal pack of six", + "gluten free sunrise crunchy maple cereal", + "gluten free maple cereal pack of six", + "gluten-free maple cereal", + "gluten free maple cereal" + ], + "i want a twin size box spring bed for kids made from solid wood brown color": [ + "twin size box spring bed", + "twin size box spring bed for kids made from solid wood", + " twin size box spring bed for kids made from solid wood brown", + "twin bed for kids made from solid wood brown", + "twin size box spring bed kids made from solid wood brown", + "twin size box spring bed for kids", + "twin size box spring bed made from solid wood brown", + "twin size box spring bed for kids with solid wood brown", + "twin size box spring bed with kids made from solid wood", + " twin size box spring bed for kids made from solid wood" + ], + "i am looking for a short sleeve deep v neck solid color crop top.": [ + "short sleeve deep v neck solid color crop top", + "short sleeve deep neck solid color crop top", + "short sleeve deep v neck solid color crop top.", + "short sleeve deep v neck solid color crop top under $40", + "short sleeve deep v neck solid color crop top under $50", + "short sleeve deep v neck solid color crop top below $40", + "short sleeve deep v neck solid color crop top below $50", + "short sleeve deep v neck solid color crop top under $60", + "short sleeve deep v neck solid color crop top under 50 dollars", + "short sleeve deep v neck solid color crop top below $60" + ], + "i need some gym shorts that are black and are in a 3x-large.": [ + "black gym shorts 3x-large", + "3xl gym shorts black", + "gym shorts black 3xl", + "3xl black gym shorts", + "3x-large gym shorts black", + "black gym shorts 3xl", + "gaist shorts black 3xl", + "3x-large gym shorts", + "pink gym shorts 3xl", + "black gym shorts" + ], + "i would like a pair of 8.5 wide brown leather shoes with a rubber sole.": [ + "8.5 wide brown leather shoes with a rubber sole", + "8.5 wide brown leather shoes", + "9.5 wide brown leather shoes with a rubber sole", + "8.5 wide brown leather shoes with rubber sole", + "8 wide brown leather shoes with a rubber sole", + "8.5 wide brown leather shoe with a rubber sole", + "8.5 wide brown leather shoes, rubber sole", + "shoes 8.5 wide brown leather shoes", + "shoes 8.5 wide brown", + "9.5 wide brown leather shoes" + ], + "i am looking for white color bookcase having exquisite workmanship.": [ + "white color bookcase with exquisite workmanship", + "white color bookcase having exquisite workmanship", + "white color bookcase with exquisite workmanship.", + "white color bookcase, exquisite workmanship", + "white color bookcase that is exquisite workmanship", + "white color bookcase having exquisite workmanship.", + "white color bookcase, with exquisite workmanship", + "white color bookcase whose workmanship is exquisite", + "white color bookcase with exquisite workmanship,", + "white color bookcase" + ], + "looking for birthday party baby shower cupcake in colour blue": [ + "baby shower cupcake in colour blue", + "baby shower cupcake colour blue", + "baby shower cupcake in color blue", + "baby shower cupcake in blue", + "baby shower cupcake in colourblue", + "baby shower cupcake blue", + "baby shower cupcake color blue", + "baby shower cupcake", + "baby shower cupcake size blue", + "baby shower pink" + ], + "i am looking for a 2-tier chandelier for the dining room": [ + "2-tier chandelier dining room", + "2-tier chandelier for the dining room", + "2-tier chandelier for dining room", + " 2-tier chandelier dining room", + "two-tier chandelier dining room", + " 2-tier chandelier for the dining room", + "2tier chandelier dining room", + "2-tier chandelier dining room 2", + "2-tier chandelier dining room,", + "2-tier chandelier" + ], + "look for high density warm beige curtains for my living room.": [ + "warm beige curtains for my living room", + "warm beige curtains for living room", + "warm beige curtains for my living room.", + "warm beige curtains for the living room", + "high density warm beige curtains for living room", + "warm beige curtains for a living room", + "high density warm beige curtains", + "warm beige curtains for living room.", + "warm beige curtains for the living room.", + "warm beige curtains living room" + ], + "i would like a water resistant bluetooth headset.": [ + "water resistant bluetooth headset", + "bottle resistant bluetooth headset", + "womens bluetooth headset", + "water resistant bluetooth headset.", + "a water resistant bluetooth headset", + "bottle water resistant bluetooth headset", + "womens bluetooth headset water resistant", + "water resistant bluetooth headset under $40", + "water resistant bluetooth headset under $50", + "water resistant bluetooth headset for bluetooth" + ], + "i'm looking for a dining room table that's made out of solid wood and easy to assemble.": [ + "dining room table made out of solid wood", + "dining room table made out of solid wood easy to assemble", + "dining room table that is made out of solid wood", + "living room table made out of solid wood", + "dining room table, made out of solid wood", + "living room table made out of solid wood and easy to assemble", + "dining room table made from solid wood", + " dining room table made out of solid wood", + "dining room table made out of solid wood under $60", + "dining room table" + ], + "i am looking for a 3x-large sized 3d digital printed pattern short sleeve t-shirt": [ + "3d digital printed pattern short sleeve t-shirt", + "3xl t-shirt", + "3xl t-shirt under $50", + "3d digital print pattern short sleeve t-shirt", + "3xl print pattern short sleeve t-shirt", + "3xl t-shirt 3d print pattern", + "3xl t-shirt 3d print", + "3xl t-shirt under $40", + "3xl long sleeve t-shirt", + "3xl t-shirt patterned 3d" + ], + "i'm looking for a snack of protein balls gluten free pack size of 14.5 ounce": [ + "protein balls gluten free pack size 14.5 ounce", + "gluten free pack size of 14.5 ounce", + "protein balls gluten free pack 14.5 ounce", + "protein balls gluten free pack of 14.5 ounce", + "gluten free pack size 14.5 ounce", + "protein balls gluten free pack size 13.5 ounce", + "protein balls gluten free 14.5 ounce", + "protein balls gluten free pack size 14.5 oz", + "protein balls gluten free pack size 13.5 oz", + "protein balls gluten free pack 14.5 oz" + ], + "look for a pair of open toed sandals with an ankle strap. i want them in beige, size 8.": [ + "open toed sandals with an ankle strap", + "open toed sandals with an ankle strap size 8", + "open toeed sandals with an ankle strap", + "open toed sandals in beige, size 8", + "open toeed sandals with an ankle strap size 8", + "open toeed sandals in beige, size 8", + "open toed sandals with an ankle strap beige", + "open toed sandals in beige", + "open toeed sandals in beige", + "open toed sandals beige" + ], + "i need to buy a children's toothbrush that's easy to use and appropriate for sensitive teeth. buy the color option \"a.\"": [ + "kids toothbrush that is easy to use", + "kidss toothbrush that is easy to use", + "kidss toothbrush with sensitive teeth color", + "childrens toothbrush that is easy to use", + "kids toothbrush easy to use", + "kidss toothbrush easy to use", + "childrens toothbrush with sensitive teeth color", + "kidss toothbrush color", + "childrens toothbrush color", + "kids toothbrush" + ], + "i'm looking for high density of furniture home office chairs.": [ + "high density of furniture home office chairs", + "living room chairs high density", + "home office chairs high density", + "living room office chairs high density", + "high density furniture home office chairs", + "home office chairs that are high density", + "living room and office chairs high density", + "living room chair high density", + "living room chairs that are high density", + "living room chairs" + ], + "i'm looking for one red/orange henna hair dye": [ + "red/orange henna hair dye", + "red andorange henna hair dye", + "red and orange henna hair dye", + "red orange henna hair dye", + "red ou henna hair dye", + "red henna hair dye", + "one red/orange henna hair dye", + "red,orange henna hair dye", + "red oo henna hair dye", + "redo henna hair dye" + ], + "i am looking for soy free , gluten free ocean's halo tangy in flavor wasabi-style ranch": [ + "soy free , gluten free oceans halo tangy flavor wasabi-style ranch", + "soy free , gluten free oceans halo tangy flavor wasabi-style ranch", + "soy free , gluten free oceans halo tangy ranch", + "soy free , gluten free oceans halo tangy ranch", + "soy free , gluten free oceans halo tangy", + "sneakers halo tangy in flavor wasabi-style ranch", + "soy free , gluten free oceans halo tangy flavor", + "soy free , gluten free oceans halo tangy", + "soy free , gluten free oceans halo tangy flavor isabi-style ranch", + "soy free , gluten free oceans halo tangy flavor" + ], + "i am looking for men's shirts of small size having short sleeve.": [ + "mens shirts small", + "mens shirts of small size short sleeve", + "mens shirts with short sleeve", + "mens shirts with short sleeves", + "mens shirts of small size", + "mens shirts small size with short sleeve", + "mens shirts, small, short sleeve", + "mens shirts short sleeve", + "mens t-shirt small", + "mens shirts small" + ], + "i'm looking for rubber sole its for easy to use high heel shoe for woman's": [ + "rubber sole for womans", + "rubber sole for women", + "rubber sole for walking womans", + "rubber sole", + "rubber sole womans easy to use", + "rubber sole womans", + "rubber sole high heel shoe womans", + "rubber sole high heel shoe", + "rubber sole for high heel shoe", + "rubber sole for walking shoes" + ], + "i would like a medium gy tank top with a unique design.": [ + "medium gy tank top with a unique design", + "medium gy tank top", + "medium gy tank top, unique design", + "large gy tank top with a unique design", + "medium gy tank top that is unique", + "medium gy tank top in a unique design", + "medium g tank top with a unique design", + "medium gy tank top with a special design", + "medium gy tank top with unique design", + "tank top with a unique design" + ], + "i am looking for 30g of organic matcha.": [ + "30g of organic matcha", + "30g organic matcha", + "natural matcha 30g under 30 dollars", + "30g of organic matcha.", + "natural matcha 30g", + "30g organic matcha under 30 dollars", + "28g of organic matcha", + "freeze dried organic matcha 30g", + "organic matcha 30g", + "30g organic matcha under $40" + ], + "i'm looking for size 9 womens beach sandals that are non slip, quick drying and have a rubber sole. also, they should be silver.": [ + "womens beach sandals silver", + "womens beach sandals with a rubber sole", + "womens beach sandals size 9 silver", + "womens beach sandals", + "size 9 womens beach sandals", + "womens beach sandals with rubber sole", + "womens beach sandals, silver", + "womens beach sandals size 9", + "sneakers size 9", + "sneakers silver" + ], + "i need some eye cream for anti aging.": [ + "anti aging eye cream", + "eye cream anti aging", + "oral cream anti aging", + "anti aging eye cream under $40", + "anti aging eye cream under $50", + "an eye cream for anti aging", + "anti aging eye cream under $60", + "eye cream for anti aging", + "an eye cream for anti aging.", + "anti aging eye cream under 50 dollars" + ], + "looking for motion detection with 1080p hd wireless mini hidden camera": [ + "1080p hd wireless mini hidden camera", + "tvp hd wireless mini hidden camera", + "p hd wireless mini hidden camera", + "10p hd wireless mini hidden camera", + "portrait with 1080p hd wireless mini hidden camera", + "tvd wireless mini hidden camera", + "1080p hd wireless mini hidden camera with motion detection", + "tvp hd wireless mini hidden camera with motion detection", + "tvD wireless mini hidden camera", + "1080p hd wireless mini hidden camera under $40" + ], + "i'm looking for a lip pencil high pigmented for long lasting and melrose place color": [ + "lip pencil high pigmented long lasting melrose place color", + "lip pencil high pigmented with melrose place color", + "lip pencil high pigmented for long lasting melrose place", + "lip pencil high pigmented melrose place color", + "lip pencil high pigmented long lasting melrose place", + "lip pencil high pigmented and melrose place color", + "lip pencil high pigmented long lasting melrose place colored", + "lip pencil high pigmented long lasting melrose", + "lip pencil high pigmented for long lasting melrose", + "lip pencil long lasting melrose place color" + ], + "i want to buy a pair of honey colored size nine hiking boots with a non-slip rubber sole.": [ + "hiking boots with a non-slip rubber sole", + "womens hiking boots with a non-slip rubber sole", + " honey colored hiking boots with a non-slip rubber sole", + "hiking boots size 9 with a non-slip rubber sole", + "sneakers honey colored size 9 hiking boots", + "a pair of honey colored size 9 hiking boots", + " honey colored hiking boots with a non-slip rubber sole.", + "hiking boots honey colored size 9", + "hiking boots honey colored", + "hiking boots" + ], + "i would like a queen size blue bed and box spring mattress.": [ + "queen size blue bed and box spring mattress", + "king size blue bed and box spring mattress", + "queen size blue bed box spring mattress", + " queen size blue bed and box spring mattress", + "queen size blue bed with box spring mattress", + "kingstown size blue bed and box spring mattress", + "kingdom size blue bed and box spring mattress", + "queen size blue bed, box spring mattress", + "king size blue bed box spring mattress", + "king size blue bed and box spring mattress." + ], + "i would like a black travel size cosmetic bag.": [ + "black travel size cosmetic bag", + "black travel size cosmetic bag.", + "a black travel size cosmetic bag", + "bag black travel size cosmetic bag", + "black travel size cosmetic bag,", + "white travel size cosmetic bag", + "clothing bag black travel size", + "large cosmetic bag black", + "clothing bag black", + "white cosmetic bag" + ], + "i am looking for a rustic gray color home office desks for longlasting": [ + "a rustic gray color home office desks", + "r rustic gray color home office desks", + "r rustic gray office desks longlasting", + "home office desks longlasting rustic gray", + "home office desks rustic gray", + " rustic gray color home office desks", + "home office desks for longlasting", + "home office desks longlasting", + "home office desks longlasting rustic", + "rainbow color home office desks" + ], + "a light weight high speed usb wall charger for iphone11 color 3pack -back": [ + "high speed usb wall charger for iphone11 color 3pack -back", + "high speed usb wall charger for iphone 11 color 3pack -back", + "a light weight high speed usb wall charger", + "high speed usb wall charger for iphone11 color 3pack", + "high speed usb wall charger iphone11 color 3pack -back", + "high speed usb wall charger for iphone11 color 3pack-back", + "low weight high speed usb wall charger for iphone11 color 3pack", + "high speed usb wall charger for iphone 11 color 3pack", + "low weight high speed usb wall charger", + "iphone 11 high speed usb wall charger" + ], + "i am looking for a coconut water birthday party": [ + "coffee water birthday party", + "baby shower coconut water", + "coconut water birthday party", + "baby shower coconut water birthday party", + "coaxial water birthday party", + "baby shower coconut water below $50", + "baby shower coconut water below $40", + "birthday party coconut water", + "toothpaste birthday party coconut water", + "toothpaste baby shower coconut water" + ], + "i am looking for a 10ml (0.33 ounce) anti oxidant booster size of alcohol free oils": [ + "10ml (0.33 ounce) anti oxidant booster size of alcohol free oils", + "10ml (0.33 ounce) anti oxidant booster size", + "8ml (0.33 ounce) anti oxidant booster size of alcohol free oils", + "anti oxidant booster size of alcohol free oils 10ml (0.33 ounce)", + "12ml (0.33 ounce) anti oxidant booster size of alcohol free oils", + "9ml (0.33 ounce) anti oxidant booster size of alcohol free oils", + "10ml (0.33 ounce) anti oxidant booster", + "alcohol free oils 10ml (0.33 ounce) anti oxidant booster size", + "anti oxidant booster size of alcohol free oils 10ml", + "anti oxidant booster size of alcohol free oils" + ], + "i need a teeth whitening kit for sensitive teeth that comes in seven pairs.": [ + "teeth whitening kit for sensitive teeth seven pairs", + "toothpaste kit for sensitive teeth seven pairs", + "teeth whitening kit for sensitive teeth, seven pairs", + "teeth whitening kit for sensitive teeth in seven pairs", + "teeth whitening kit for sensitive teeth", + " teeth whitening kit for sensitive teeth seven pairs", + "teeth whitening kit for sensitive teeth with seven pairs", + "teeth whitening kit for sensitive teeth 7 pairs", + "teeth whitening kit for sensitive teeth, 7 pairs", + "toothpaste kit for sensitive teeth" + ], + "i would like a white nightstand made of solid wood.": [ + "white nightstand made of solid wood", + "white nightstand made from solid wood", + "white nightstand made of solid wood.", + "white nightstand made out of solid wood", + "white nightstand made of solid wood,", + "nightstand made of solid wood", + "white nightstand, made of solid wood", + "white nightstand made from solid wood.", + "white nightstand with solid wood", + "white nightstand" + ], + "i am looking for a flat sheet for a twin size bed. also choose navy color.": [ + "flat sheet for a twin size bed", + "flat sheet for twin size bed in navy", + "flat sheet for a twin bed in navy", + "flat sheet for a twin size bed navy", + "flat sheet for a twin size bed.", + "flat sheet for twin size bed navy", + "flat sheet for a twin bed", + "flat sheet for twin size bed", + "twin bed navy", + "navy bed flat sheet" + ], + "let me have the high performance band4u compatible with samsung galaxy watch 3 bands, 20mm size.": [ + "band4u samsung galaxy watch 3 bands, 20mm size", + "band4u compatible with samsung galaxy watch 3 bands 20mm", + "band4u compatible with samsung galaxy watch 3 bands", + "band4u samsung galaxy watch 3 bands 20mm", + "band4u samsung galaxy watch 3 bands, 20mm", + "band4u samsung galaxy watch 3 bands 20mm size", + "band4u samsung galaxy watch 3 bands", + "samsung galaxy watch 3 bands 20mm", + "band4u with samsung galaxy watch 3 bands", + "band4u" + ], + "i want to buy a wooden chandelier for my dining room. it should be easy to install. get the 22 inch size.": [ + "wooden chandelier dining room 22 inches", + "wooden chandelier dining room 22 inch", + "wooden chandelier for dining room 22 inch", + "wooden chandelier for dining room 22 inches", + "wooden chandelier dining room 22 x 22 inches", + "wooden chandelier for my dining room 22 inch", + "stainless wood chandelier dining room 22 inches", + "stainless wood chandelier dining room 22 inch", + "12 foot wooden chandelier dining room", + "wooden chandelier for my dining room 22 inches" + ], + "i am interested in a 12 pack of dill pickle chips that are low carb": [ + "12 pack of dill pickle chips", + "dill pickle chips that are low carb", + "12 pack of dill pickle chips low carb", + "dill pickle chips low carb", + "12 pack dill pickle chips", + "dill pickle chips low carb 12 pack", + "12 pack dill pickle chips low carb", + "low carb dill pickle chips 12 pack", + "dill pickle chips", + "barbecue chips low carb" + ], + "i need some active shorts that are in the color of equator and are a medium": [ + "active shorts in the color of equator", + "active shorts that are in the color of equator", + " active shorts in the color of equator", + "Active shorts in the color of equator", + " active shorts that are in the color of equator", + "active shorts in the color of equator, medium", + "active shorts color of equator", + "active shorts colored equator", + "active shorts with a medium color", + "active shorts color equator" + ], + "i am looking for a two pack of deodorant that is clinically proven.": [ + "two pack of deodorant clinically proven", + "two pack of deodorant", + "two pack of deodorant, clinically proven", + "two pack deodorant that is clinically proven", + "two pack deodorant clinically proven", + "two pack deodorant, clinically proven", + "two pack of deodorant clinically proven.", + "two pack deodorant", + "two pack of deodorant clinically proven,", + "two pack of deodorant under $40" + ], + "get me a brushed nickel finish 3-light chandelier.": [ + "brushed nickel finish 3-light chandelier", + "brushed nickel finish 3-light chandelier.", + "brush nickel finish 3-light chandelier", + "toothpaste nickel finish 3-light chandelier", + "brushed nickel finish 3-light chandelier,", + " brushed nickel finish 3-light chandelier", + "buffet nickel finish 3-light chandelier", + "brush nickel finish 3-light chandelier.", + "3-light chandelier brushed nickel finish", + "1-light chandelier brushed nickel finish" + ], + "i would like a clinically proven hair growth treatment.": [ + " clinically proven hair growth treatment.", + "barren proven hair growth treatment", + " clinically proven hair growth treatment", + "maturity proven hair growth treatment", + "a clinically proven hair growth treatment", + "hair growth treatment clinically proven", + "mat clinically proven hair growth treatment", + "nude proven hair growth treatment", + "professional proven hair growth treatment", + "hair growth treatment" + ], + "i need some shorts that are pink, have a high waist, and a drawstring closure. get the size 14.": [ + "pink shorts with high waist and drawstring closure", + "pink shorts with high waist, drawstring closure", + "pink shorts with a high waist and drawstring closure", + "pink shorts with high waist", + "pink shorts size 14", + "pink shorts with high waist with drawstring closure", + "pink shorts with a high waist, drawstring closure", + "pink shorts with high waist drawstring closure", + "pink shorts", + "pink shorts 14" + ], + "i would like a quad intel core i5 desktop tower.": [ + "quad intel core i5 desktop tower", + "quad intel core i5 desktop tower.", + " quad intel core i5 desktop tower", + "quad intel core i5 desktop tower under $130", + "quad intel core i5 desktop tower under $120", + "desktop tower quad intel core i5", + "quad intel core i5 desktop tower,", + " quad intel core i5 desktop tower.", + "desktop tower with quad intel core i5", + "tablet i5 desktop tower" + ], + "i'm looking for a round accent table for the living room that is fully assembled and ready to use. also, it should be gray and rose gold colored.": [ + "round accent table for living room that is fully assembled and ready to use. also, it should be gray and rose gold colored", + "square accent table for living room that is fully assembled and ready to use. also, it should be gray and rose gold colored", + "tablet for living room that is fully assembled and ready to use. also, it should be gray and rose gold colored", + "round accent table for the living room that is fully assembled and ready to use. also, it should be gray rose gold colored", + "round accent table for the living room, it should be gray and rose gold colored", + "round accent table for the living room that is fully assembled and ready to use.", + "round accent table for living room that is fully assembled and ready to use.", + "tablet for living room that is fully assembled and ready to use.", + "tablet for living room gray rose gold colored", + "round accent table for the living room" + ], + "i want to buy wall art decor which is high gloss and suitable for dining room, and the color of which is sword, b.": [ + "wall art decor high gloss dining room color of which is sword, b.", + "wall art decor high gloss and suitable for dining room with a sword, b.", + "wall art decor high gloss and suitable for dining room", + "wall art decor high gloss and suitable for dining room with sword, b.", + "wall art decor high gloss and suitable for dining room color of which is sword, b", + "wall art decor high gloss", + "wall art decor high gloss and suitable for dining room color of which is sword b.", + "wall art decor high gloss dining room", + "wall art decor in high gloss", + "wall art decor" + ], + "i'm looking for a 8 ounce of quality ingredient ranch dressing.": [ + "8 ounce of quality ingredient ranch dressing", + "8 ounce quality ingredient ranch dressing", + "8 ounce of quality ingredients ranch dressing", + "8 oz of quality ingredient ranch dressing", + "8 ounce high quality ingredient ranch dressing", + " 8 ounce of quality ingredient ranch dressing", + "8 ounce of quality active ranch dressing", + "8 ounce of quality ranch dressing", + "chocolate ranch dressing 8 ounce", + "8 ounce dairy ranch dressing" + ], + "i am looking for ultime permanent hair color cream, 5.22 ruby red": [ + " ultime permanent hair color cream, 5.22 ruby red", + " ultime permanent hair color cream 5.22 ruby red", + "raintime permanent hair color cream, 5.22 ruby red", + "raintime permanent hair color cream 5.22 ruby red", + "plastic hair color cream 5.22 ruby red", + "an ultime permanent hair color cream, 5.22 ruby red", + "ultime permanent hair color cream, 5.22 ruby red", + "ultime permanent hair color cream 5.22 ruby red", + " ultime permanent hair color cream, 5.22 ruby red,", + "raintime permanent hair color cream, 5.22 ruby red," + ], + "get me 2 metal legs barstools with back & arm with easy to assemble function in grey color.": [ + "2 metal legs barstools with back & arm", + "2 metal legs barstools with back & arm in grey color", + "2 metal legs barstools in grey color", + "two metal legs barstools with back & arm", + "2 metal legs barstools with back & arm, easy to assemble", + "2 metal legs barstools", + "2 metal legs barstools that are easy to assemble grey color", + "grey metal legs barstools with back & arm", + "2 metal legs barstools with back & arm color", + "2 metal legs barstools, grey color" + ], + "i would like a silver signal converter with a usb port.": [ + "silver signal converter with a usb port", + "silver signal converter with a usb port.", + "silver signal converter with usb port", + "silver signal converter with a usb port,", + "silver signal converter", + "silver signal converter, usb port", + "plastic silver signal converter with a usb port", + "silver signal converter that is usb port", + "silver signal converter, with a usb port", + "silver signal converter usb port" + ], + "i'm looking for a two pack of tea tree deodorant that's been tested by a dermatologist. it should last a long time and come in the scent \"rise.\"": [ + "two pack of tea tree deodorant", + "two pack of tea tree deodorant, tested by a dermatologist", + "two pack of tea tree deodorant thats been tested by a dermatologist", + "two pack of tea tree deodorant that is tested by a dermatologist", + "two pack of tea tree deodorant with scent rise", + "two pack of tea tree deodorant whose been tested by a dermatologist", + "tea tree deodorant that has been tested by a dermatologist", + "two pack of tea tree deodorant that has been tested", + "two pack of tea tree deodorant that is tested", + "two pack tea tree deodorant" + ], + "i'm looking for clothing for needle sleeve and classic fit for women's it is easy to wear it.": [ + "im looking for clothing for needle sleeve womens it is easy to wear it.", + "synthetic fit for womens", + "easy to wear clothing for womens", + "synthetic fit for womens easy to wear", + "synthetic fit womens", + "easy-to-womens clothing", + "womens clothing for needle sleeve", + "easy to wear womens clothing", + "classic fit womens clothing", + "easy to wear clothing for women" + ], + "i am looking for gluten free, non gmo butter chocolates made with vanilla and cashew. and i choose the 12 count packet with salty chocolate flavor": [ + "gluten free, non gmo butter chocolates made with vanilla and cashew flavor", + "gluten free, non gmo chocolates made with vanilla and cashew flavor 12 count packet", + "gluten free, non gmo butter chocolates made with vanilla and cashew flavor", + "gluten free, non gmo chocolates made with vanilla and cashew flavor", + "gluten free, non gmo butter chocolates made with vanilla and cashew", + "gluten free, non gmo butter chocolates made with vanilla and cashew flavor 12 count", + "gluten free non gmo butter chocolates made with vanilla and cashew flavor 12 count packet", + "gluten free, non gmo butter chocolates made with vanilla and cashew", + "gluten free, non gmo chocolates made with vanilla and cashew flavor 12 count packets", + "gluten free non gmo butter chocolates made with vanilla and cashew flavor" + ], + "i want to buy a pair of machine washable jeans. look for them in size 33 short with a standard fit. get the \"cast shadows\" color.": [ + "machine washable jeans 33 short with a standard fit", + "machine washable jeans size 33 short with a standard fit", + "man washable jeans 33 short with a standard fit", + "man washable jeans size 33 short with a standard fit", + "woman washable jeans 33 short with a standard fit", + "machine washable jeans 33 short", + "machine washable jeans with a standard fit", + "machine washable jeans in a standard fit", + "man washable jeans 33 short", + "machine washable jeans" + ], + "looking for because it is you perfurme long lasting effect": [ + " perfurme long lasting effect", + " perfurme long lasting", + "perfurme long lasting", + "pureme long lasting effect", + "psurme long lasting effect", + "pink long lasting effect", + "fluoride long lasting effect", + "perme long lasting effect", + "fluorme long lasting effect", + " perfurme long lasting effects" + ], + "i am looking for a 4 pack of long lasting, high performance 12v batteries.": [ + "4 pack long lasting, high performance 12v batteries", + "4 pack of long lasting high performance 12v batteries", + "4 pack of high performance 12v batteries", + "4 pack long lasting high performance 12v batteries", + "4 pack high performance 12v batteries", + "4 pack, high performance 12v batteries", + "4 pack of long lasting 12v batteries", + "4 pack 12v batteries", + "4 pack of high performance 12v batteries.", + "4 pack of batteries" + ], + "i need a cruelty free face mist": [ + "cruelty free face mist", + "cruelty free face mist under $40", + "cruelty free face mist under $50", + "cruelty free face mist under $60", + "cruelty free face mist under 50 dollars", + "cruelty-free face mist", + "cruelty free face mist cruelty free", + "cruelty free face mist, cruelty free", + "cruelty free face mist,", + "cruelty free face mist below $40" + ], + "i would like a 32 gigabyte desktop computer with a intel core.": [ + "desktop computer with a intel core", + "desktop computer with intel core 32 gigabyte", + "desktop computer with intel core", + "desktop computer with a intel core 32 gig", + "desktop computer with intel core 32 gig", + "32 gigabyte desktop computer with intel core", + "desktop computer with a intel core 32gb", + "32 gigabyte desktop computer", + "desktop computer 32 gigabyte intel core", + "desktop computer with an intel core" + ], + "i need a 4 oz sprinkle for my birthday party.": [ + "4 oz sprinkle for a baby shower", + "4 oz sprinkle for my birthday party", + "4 oz sprinkle for baby shower", + "4 oz sprinkle for birthday party", + "4 oz sprinkle for a birthday party", + "4 oz sprinkle for my baby shower", + "4 oz sprinkle for birthday party.", + "4 oz sprinkle of baby shower", + "4 oz sprinkle baby shower", + "4 oz sprinkle" + ], + "hunting for a natural deodorant that is aluminum and baking soda free, hypoallergenic, safe for sensitive skin, underarms, and private parts in a 2 pk 3 ounce tube. prefer either clean tangerine or lavender sage scent.": [ + "natural deodorant 2 pk 3 ounce tube", + "natural deodorant 2 pk 3 ounce", + "natural deodorant with aluminum and baking soda", + "natural deodorant", + "natural deodorant, aluminum and baking soda free", + "natural deodorant with aluminum and baking soda free", + "natural deodorant no aluminum and baking soda", + "natural deodorant 2 pk 3 oz", + "natural deodorant 2 pk 3 oz tube", + "natural deodorant under $40" + ], + "i need a toner for sensitive skin that is 16 fl oz": [ + "toner for sensitive skin 16 fl oz", + "tonic for sensitive skin 16 fl oz", + "tonger for sensitive skin 16 fl oz", + "toner for sensitive skin that is 16 fl oz", + "toter for sensitive skin 16 fl oz", + "tanter for sensitive skin 16 fl oz", + "tomer for sensitive skin 16 fl oz", + "t toner for sensitive skin 16 fl oz", + "teter for sensitive skin 16 fl oz", + "toxic skin toner 16 fl oz" + ], + "i am looking for a 2pcs set cosmetic bags which is easy to carry": [ + "2pcs set cosmetic bags", + "2pcs set cosmetic bags, easy to carry", + "2pcs set of cosmetic bags", + "2pcs set cosmetic bags that is easy to carry", + "2pcs set cosmetic bags", + "2pcs set cosmetic bags easy to carry", + "2pcs set cosmetic bags which is easy to carry", + "2pcs set of cosmetic bags, easy to carry", + "2pcs set cosmetic bags, easy to carry", + "2pcs set cosmetic bags easy to carry" + ], + "i am looking for nut free and gluten free chocolate.": [ + "chocolate nut free and gluten free", + "nut free and gluten free chocolate", + "chocolate nut free", + "lemon free and gluten free chocolate", + "butter free and gluten free chocolate", + "nut free and gluten free chocolate flavor", + "chocolate nut free gluten free", + "natural nut free and gluten free chocolate", + "nut free and gluten free chocolate.", + "clinically gluten free chocolate" + ], + "i'm looking for an easy-to-clean desk cover protector for my round dining room table; it should be frosted and about 34 x 48 inches in size.": [ + "easy-to-clean desk cover protector for dining room table", + "easy-to-clean desk cover protector", + "easy-to-clean desk cover protector for my dining room table", + "easy-to-clean desk cover protector, 34 x 48 inches", + "easy-to-clean desk cover protector for a dining room table", + "living room desk cover protector 34 x 48 inches", + "walking desk cover protector 34 x 48 inches", + "floor cover protector 34 x 48 inches", + "living room desk cover protector", + "walking desk cover protector" + ], + "i need round table pads that are heavy duty and are a size 33.5 by 55.1 inches": [ + "tablet pads 33.5 by 55.1 inches", + "round table pads 33.5 by 55.1 inches", + "tablet pads 33.5 by 55.1 inches heavy duty", + "tablet pads 33.5 x 55.1 inches", + "Round table pads 33.5 by 55.1 inches", + "square table pads 33.5 by 55.1 inches", + "round table pads 33.5 x 55.1 inches", + "router table pads 33.5 by 55.1 inches", + "tablet pad 33.5 by 55.1 inches", + "round table pads 33.5 by 55.1 inches heavy duty" + ], + "i need a pair of machine washable black sneakers in a 13 wide.": [ + "machine washable black sneakers 13 wide", + "man washable black sneakers 13 wide", + "woman washable black sneakers 13 wide", + "12 wide machine washable black sneakers", + "womens sneakers 13 wide", + "machine washable black sneakers, 13 wide", + "machine washable black sneakers 13 wide.", + "a pair of machine washable black sneakers", + "machine washable black sneakers", + "mens 13 wide" + ], + "i am looking for a pack of powder blush that can be applied easily . and i choose the pack of 3 with soft sable color": [ + "pack of powder blush that can be applied easily", + "pack of powder blush", + "pale blush pack of 3", + "pack of 3 powder blush", + "pack of powder blush with soft sable color", + "pack of powder blush pack of 3", + "pink blush pack of 3", + "pack of powder blush under $50", + "pack of powder blush under $40", + "pack of 3 powder blush under $40" + ], + "i want to buy an x-large satin sleepwear set made of soft material. also choose the one made in teal color.": [ + "x-large satin sleepwear set made of soft material", + " x-large satin sleepwear set made of soft material", + "x-large satin sleepwear set made of soft material.", + "xxl satin sleepwear set made of soft material", + "xl satin sleepwear set made of soft material", + "an x-large satin sleepwear set made of soft material", + "x-large satin sleepwear set made of soft material,", + "x-large satin sleepwear set", + "teal satin sleepwear set made of soft material", + " x-large satin sleepwear set" + ], + "i'm looking for a fudule sandals for women.": [ + "fudule sandals for women", + "fudule sandals for women.", + "fudule sandals for women under $40", + "fudule sandals for women under $50", + "fudule sandals for women under 50 dollars", + "fudule sandals for women under $60", + "fudule sandals for women under 30 dollars", + "fudule sandals for women under 40 dollars", + "fudule sandals for women under 60 dollars", + "fudule sandals" + ], + "i am looking for a high density mattress.": [ + "high density mattress", + "high density mattress.", + "high density mattress that is high density", + "high density mattress under $40", + "high density mattress under $130", + "high density mattress under $50", + "high density mattress under $120", + "high density mattress under $60", + "high density mattress that is high quality", + "high density mattress," + ], + "i'm looking for a grey 4k gold plated hdmi cable that is high speed and 6.6 feet long.": [ + "grey 4k gold plated hdmi cable", + "grey 4k gold plated hdmi cable 6.6 feet long", + "grey 4k gold plated hdmi cable, 6.6 feet long", + "grey 4k gold plated hdmi cable high speed 6.6 feet long", + "grey 4k gold plated hdmi cable 5.6 feet long", + "grey 4k gold plated hdmi cable 7.6 feet long", + "grey 4k gold plated hdmi cable, 6.6 feet long,", + "grey 4k gold plated hdmi cable 6.6 feet long.", + "grey 4k gold plated hdmi cable, 6.6 feet long.", + "grey 4k high speed hdmi cable" + ], + "i need pink color hair removal": [ + "pink color hair removal", + "pink colored hair removal", + "pink color hair removal under $50", + "pink color hair removal under $40", + "pink color hair removal under $60", + "pink hair removal", + "pink color hair removal under 30 dollars", + "pink color human hair removal", + "pink color hair removal pink", + "pink color hair removal with care" + ], + "i am looking for a food bar of organic blueberry lemon flavor having low sugar.": [ + "organic blueberry lemon flavor", + "food bar of organic blueberry lemon flavor", + "organic blueberry lemon flavor that is low sugar", + "a food bar of organic blueberry lemon flavor", + "organic blueberry lemon flavor under $40", + "organic blueberry lemon flavor under $50", + "organic blueberry lemon flavor under $60", + "organic blueberry lemon flavor no sugar", + "organic blueberry lemon flavor", + "blueberry lemon flavor" + ], + "i am looking for non gmo certified organic ghee.": [ + "non gmo certified organic ghee", + "non gmo certified organic ghee.", + "non gmo certified organic ghee under $40", + "non gmo certified organic ghee under $60", + "non gmo certified organic ghee under $50", + "non gmo certified organic ghee below $40", + "non gmo certified organic ghee under 50 dollars", + "non gmo certified organic ghee under 30 dollars", + "non gmo certified organic ghee under 40 dollars", + "non gmo certified organic ghee under 60 dollars" + ], + "i would like a wine red stool cover that is machine washable.": [ + "wine red stool cover that is machine washable", + "womens red stool cover", + " wine red stool cover that is machine washable", + "a wine red stool cover that is machine washable", + "bottle red stool cover that is machine washable", + "womens red stool cover, machine washable", + "wine red stool cover that is machine washable.", + "wine red stool cover", + " wine red stool cover that is machine washable.", + "wine red stool cover that is machine washable" + ], + "i would like a long lasting foundation for my line lines.": [ + "line lines long lasting foundation", + "long lasting foundation for line lines", + "long lasting foundation", + "living foundation for my line lines", + "lens lines long lasting foundation", + "line lines that are long lasting", + "clothing foundation long lasting", + "line lines long lasting", + "clothing foundation", + "living foundation" + ], + "i want fat free and toffee almond nonni's biscottis.": [ + "fat free and toffee almond nonnis biscottis", + "fat free and toffee almond nonnis biscottis.", + "fat free toffee almond nonnis biscottis", + "fat free and toffee almond nonnis biscottis under $40", + "fat free and toffee almond nonnis biscottis under $50", + "fat free and toffee almond nonnis biscottis under $60", + "fat free and toffee almond nonnis biscottis under 50 dollars", + "fat free and toffee almond nonnis biscottis under 30 dollars", + "fat free and toffee almond nonnis biscottis under 40 dollars", + " fat free and toffee almond nonnis biscottis" + ], + "i am interested in buying biscotti which are fat free, and individually wrapped while their flavor should be cioccolati and packed as 12 in 8-count boxes.": [ + "fat free biscotti 12 in 8-count boxes", + "fat free biscotti 8-count boxes", + "fat free biscotti 12 in 8-count box", + "biscotti fat free 8-count box", + "fat free biscotti 8-count box", + "biscotti fat free 8-count boxes", + "fat free biscotti which are fat free and individually wrapped", + "fat free biscotti 8-count", + "stainless sugar biscotti 12 in 8 count", + "fat free biscotti 8 count" + ], + "i am looking for some gluten free snack foods that are pumpkin pie flavored.": [ + "gluten free snack foods that are pumpkin pie flavored", + "pumpkin pie flavored snack foods", + "pumpkin pie flavored snacks", + "gluten free snack foods", + "gluten free snack foods pumpkin pie flavored", + "pomegranate pie flavored snack foods", + "pumpkin pie flavored snack foods under $40", + "gluten free snack foods, pumpkin pie flavored", + "pumpkin pie flavored snack foods under 50 dollars", + "pumpkin pie flavored snack foods under $60" + ], + "i'd like to buy some open toed, high heeled sandals with an ankle strap. look for 6 wides in khaki.": [ + "open toed high heeled sandals with an ankle strap", + "open toeed high heeled sandals with an ankle strap", + "open toed high heeled sandals", + "open toed high heeled sandals with ankle strap", + "open toed high heeled sandals in khaki", + "open toeed high heeled sandals", + "open toeed high heeled sandals in khaki", + "open toed, high heeled sandals", + "open toed heeled sandals with an ankle strap", + "open toeed, high heeled sandals" + ], + "i will like to have trader joe's fiberful granola bars rolled oats & chocolate chips": [ + " trader joes fiberful granola bars rolled oats & chocolate chips", + "trains joes fiberful granola bars rolled oats & chocolate chips", + "trader joes fiberful granola bars rolled oats & chocolate chips", + " trader joes fiberful granola bar rolled oats & chocolate chips", + "terrain joes fiberful granola bars rolled oats & chocolate chips", + " trader joes fiberful granola bars rolled oats and chocolate chips", + "trading joes fiberful granola bars rolled oats & chocolate chips", + "traders joes fiberful granola bars rolled oats & chocolate chips", + "packet joes fiberful granola bars rolled oats & chocolate chips", + " trader joes fiberful granola bars rolled oats & chocolate chips under $40" + ], + "i am looking for trader joe's granola bars.": [ + " trader joes granola bars", + "trader joes granola bars", + " trader joes granola bars.", + " trader joes granola bars under $40", + "manual joes granola bars", + " trader joes granola bars under $50", + " trader joes granola bar", + " trader joes granola bars under $60", + "terrain joes granola bars", + " trader joes granola bars under 50 dollars" + ], + "i need some makeup remover pads for sensitive skin. get style two.": [ + "pink makeup remover pads for sensitive skin style two", + " makeup remover pads for sensitive skin style two", + "moisturizing pads for sensitive skin style two", + "makeup remover pads for sensitive skin style two", + "beauty remover pads for sensitive skin style two", + "permanent makeup remover pads for sensitive skin style two", + "daring sensitive skin makeup remover pads style two", + "pink makeup remover pads sensitive skin style two", + " makeup remover pads for sensitive skin style two.", + "pink makeup remover pads for sensitive skin style 2" + ], + "i'm looking for twin sized furniture for bedroom furniture.": [ + "twin sized furniture for bedroom furniture", + "twin sized furniture", + "twin sized furniture bedroom furniture", + "twin size furniture for bedroom furniture", + "twin sized furniture, bedroom furniture", + "dual sized furniture for bedroom furniture", + "twin sized furniture living room", + "twin sized furniture for bedroom", + " twin sized furniture for bedroom furniture", + "twin bedroom furniture" + ], + "i'm looking for a queen pillow shams set of 2 pinch and to be super soft and white": [ + "queen pillow shams set of 2 pinch", + "queen pillow shams set of 2 pinch, super soft and white", + " queen pillow shams set of 2 pinch and to be super soft and white", + "queen pillow shams set of 2 pinch and is super soft and white", + "queen pillow shams set of 2 pinch and super soft and white", + "queen pillow shams 2 pinch and to be super soft and white", + "queen pillow shams set of 2 pinch and be super soft and white", + "queen pillow shams set of 2 pinch and to be super soft white", + "queen pillow shams set of 2 pinch super soft and white", + "queen pillow shams set of 2 pinch and to be super soft black" + ], + "i would like a 6 ounce variety of grain free cacao granola.": [ + "6 ounce variety of grain free cacao granola", + "4 ounce variety of grain free cacao granola", + "5 ounce variety of grain free cacao granola", + " 6 ounce variety of grain free cacao granola", + "8 ounce variety of grain free cacao granola", + "pack of grain free cacao granola", + "coffee granola 6 ounce", + "barbecue granola 6 ounce", + "barbecue granola 6 oz", + "coffee granola 6 ounce variety" + ], + "i am looking for some non gmo popcorn.": [ + "non gmo popcorn", + "non gmo popcorn under $40", + "non gmo popcorn under $60", + "non gmo popcorn under 50 dollars", + "non gmo popcorn under $50", + "non gmo popcorn no gmo", + "non gmo popcorn under 30 dollars", + "non gmo popcorn below $40", + "non gmo popcorn under 40 dollars", + "non-gmo popcorn" + ], + "i'm looking for a party supplies cupcake toppers, preferably red graduation toppers.": [ + "cupcake toppers red graduation toppers", + "party supplies cupcake toppers red graduation toppers", + "cupcake toppers, preferably red graduation toppers", + "bagcake toppers red graduation toppers", + "birthday cupcake toppers red graduation toppers", + "bagcake toppers, preferably red graduation toppers", + "red graduation toppers", + "cupcake toppers, preferably red graduation toppers.", + "pink graduation toppers", + "cupcake toppers red graduation toppers under $40" + ], + "i need to buy some easy to apply nail glitter. get color h8.": [ + "easy to apply nail glitter color h8", + "nude glitter color h8", + "easy to apply nail glitter h8", + "nude glitter h8", + "nude glitter h8 color", + "easy to apply nail glitter h8 color", + "easy to apply nail glitter", + "nail glitter color h8", + "easy to apply nail glitter under $40", + "easy to apply nail glitter in h8" + ], + "i am looking for medium sized underwear bottom with machine washable feature.": [ + "medium sized underwear bottom with machine washable feature", + "medium sized underwear bottom with machine washable", + "medium sized underwear bottom with machine washable feature.", + "medium sized underwear bottom", + "medium sized underwear bottom, machine washable", + "medium sized underwear bottom with machine washable features", + "medium sized underwear bottom with a machine washable feature", + "medium sized underwear bottom machine washable", + "medium sized underwear bottom with machine washable feature,", + "large sized underwear bottom with machine washable feature" + ], + "i am looking for a slim fitting red polo that is in a xx-large.": [ + "slim fitting red polo xx-large", + "xx-large red polo", + "xx-large red polo slim fitting", + "xxl red polo in a xx-large", + "xx-large red polo that is slim fitting", + "xxl red polo slim fitting xx-large", + "slim fitting red polo x-large", + "xxl red polo slim fitting", + "xxl red polo", + "xx-large red polo slim fit" + ], + "i am looking for 7.2 ounce (pack of 1) spicy white chocolate truffle for great gift": [ + "shy white chocolate truffle for a great gift", + "shy white chocolate truffle for great gift", + "shrimp white chocolate truffle for a great gift", + "shiny white chocolate truffle for great gift", + "shrimp white chocolate truffle for great gift", + "shy white chocolate truffle", + "shocolate truffle 7.2 ounce", + "shrimp white chocolate truffle", + "shocolate truffle 7.2 oz", + "shiny white chocolate truffle" + ], + "i'm looking for cupcakes for birthday parties.": [ + "cupcakes for birthday parties", + "cupcakes for baby shower", + "cupcakes for birthday parties.", + "cupcakes for a baby shower", + "cupcakes for birthday party", + "cupcakes for baby shower.", + "cupcakes for bday parties", + "cupcake for birthday parties", + "cupcakes baby shower", + "cupcakes for babies" + ], + "i would like a pack of salted butternut squash stalks that is gluten free and contains other plant based ingredients.": [ + "butternut squash stalks gluten free", + "salted butternut squash stalks gluten free", + "salted butternut squash stalks that is gluten free", + "salted butternut squash stalks with plant based ingredients", + "pack of salted butternut squash stalks that is gluten free", + "butternut squash stalks that is gluten free", + "salted butternut squash stalks", + "sugar free butternut squash stalks", + "almond squash stalks gluten free", + "butternut squash stalks" + ], + "i am looking for a dermatologist tested foundation that is in the color of soft honey.": [ + "dermatologist tested foundation in the color of soft honey", + "dermatologist tested foundation, in the color of soft honey", + " dermatologist tested foundation that is in the color of soft honey", + "dentalologist tested foundation in the color of soft honey", + "dermatologist tested foundation", + "dermatologist tested foundation color of soft honey", + "dermatologist tested foundation with soft honey", + "dermatologist tested foundation in the color of soft honey.", + "dermatologist tested foundation in the color of soft honey,", + "dermatologist tested foundation with soft honey color" + ], + "i want to buy liquid makeup which has been tested by dermatologists and it has honey color, i prefer it to be at 1 fl oz at pack of 1 size.": [ + "honey colored liquid makeup, dermatologist tested, 1 fl oz pack of 1", + "liquid makeup which has been tested by dermatologists and it has honey color, pack of 1", + "honey colored liquid makeup, dermatologist tested, pack of 1, less than $40", + "liquid makeup which has been tested by dermatologists and it has honey color", + "liquid makeup which has been tested by dermatologist and it has honey color, pack of 1", + "liquid makeup that has been tested by dermatologists and it has honey color", + "liquid makeup which has been tested by dermatologist and it has honey color", + "honey colored liquid makeup 1 fl oz pack of 1", + "honey colored liquid makeup that has been tested by dermatologist", + "honey colored liquid makeup, dermatologist tested, pack of 1" + ], + "i am looking for a dermatologist tested liquid makeup of chestnut color.": [ + "dermatologist tested liquid makeup of chestnut color", + "dermatologist tested liquid makeup of chestnut color.", + "ddermatologist tested liquid makeup of chestnut color", + "dermatologist tested liquid makeup of chestnut", + " dermatologist tested liquid makeup of chestnut color", + "dermatologist tested liquid makeup of chestnut colored", + "dentalologist tested liquid makeup of chestnut color", + "dental makeup of chestnut color", + "dental dermatologist tested liquid makeup of chestnut color", + "d dermatologist tested liquid makeup of chestnut color" + ], + "i need some foundation in a buff color. look for a two pack of one ounce bottles. it should be dermatologist tested.": [ + "two pack of foundation in a buff color", + "buff foundation two pack of one ounce bottles", + "two pack of buff color foundation", + "buff foundation two pack of 1 ounce bottles", + "two pack of buff color", + "beauty foundation in a buff color", + "f foundation in a buff color", + "butt foundation in a buff color", + "foundation in a buff color", + "buff color foundation" + ], + "i'm looking for a pair of pants that's easy to care for and come in a classic fit. i need them in black, size 40w x 32l.": [ + "sneakers 40w x 32l", + "classic fit pants 40w x 32l", + "classic fit black pants 40w x 32l", + "sneakers 40w x 32l black", + "style fit pants 40w x 32l", + "pair of pants 40w x 32l", + "classic fit pants 40w x 32l black", + "walking pants 40w x 32l", + "sneakers 40w x 32l in black", + "sneakers 40w x 32l, black" + ], + "i need a brown 6 wide sandal with ankle strap": [ + "brown 6 wide sandal with ankle strap", + "brown 6 wide sandal", + " brown 6 wide sandal with ankle strap", + "brown 6 wide sandal, ankle strap", + "brown 6 wide sandal with ankle strap,", + "brown 5 wide sandal with ankle strap", + "brown 6 wide sandal that is ankle strap", + "brown 6 wide sandal no ankle strap", + "brown 6 wide sandal ankle strap", + "6 wide sandal with ankle strap" + ], + "i want a dual band serveillance bullet camera waterproof motion detection": [ + "dual band serveillance bullet camera waterproof motion detection", + "dual band serveillance bullet camera waterproof motion detection", + "dual band serveillance with waterproof motion detection", + "dual band serveillance", + "dual band serveillance, waterproof motion detection", + "dual band serveillance waterproof motion detection", + "dual band serveillance camera waterproof motion detection", + "dual band serveillance s bullet camera waterproof motion detection", + "dual band serveillance for bullet camera waterproof motion detection", + "dual band serveillance waterproof motion detection" + ], + "i am looking for a double sided white apron for shaving and trimming.": [ + "double sided white apron for shaving and trimming", + "double sided white apron for shaving and trimming.", + "double sided white apron shaving and trimming", + "double sided white apron for shaving and trimming,", + "double sided white apron, shaving and trimming", + "single sided white apron for shaving and trimming", + "double sided white apron shaving and trimming.", + "double sided white apron that is shaving and trimming", + "double sided white apron to shave and trimming", + "double sided white apron for shaving and trimming " + ], + "i am looking for an old bronze vanity light": [ + "old bronze vanity light", + "old bronze vanity light under $40", + "old bronze vanity light under $50", + "old bronze vanity light under $60", + "old bronze vanity light under 50 dollars", + "old bronze vanity light under 30 dollars", + " old bronze vanity light", + "old bronze vanity light under $120", + "old bronze vanity light under 60 dollars", + "old bronze vanity light under 40 dollars" + ], + "nikon digital camera with red optical zoom": [ + "nikon digital camera with red optical zoom", + "nikon digital camera", + "nikon digital camera, red optical zoom", + "nikon digital camera red optical zoom", + "nikon digital camera that red optical zoom", + "nikon digital camera with red zoom", + "nikon digital camera with red", + "nikon digital camera red", + "nikon camera with red optical zoom", + "nikon digital camera no red" + ], + "i'm looking for a heavy duty mattress with box spring. also choose split king sized mattress + platform bed styled with cool gel designed one.": [ + "heavy duty mattress with box spring", + "split king sized mattress with box spring", + "single bed heavy duty mattress with box spring", + "dust mattress with box spring", + "single duty mattress with box spring", + "split king sized mattress", + "duck king sized mattress with box spring", + "dust mattresses with box spring", + "duck sized mattress with box spring", + "split king sized mattress + platform bed styled" + ], + "i am looking for a network antenna that is easy to install.": [ + "easy to install network antenna", + "network antenna that is easy to install", + "network antenna easy to install", + "easy-to-install network antenna", + "easy-to- install network antenna", + "easy to install wireless network antenna", + "network antenna, easy to install", + "easy setup network antenna", + "easy install network antenna", + "network antenna" + ], + "i want a high performance lenovo yoga book - fhd 10.1\" android tablet - 2 in 1 tablet windows os": [ + "lenovo yoga book 2 in 1 tablet windows os", + "lenovo yoga book - fhd 10.1", + "lenovo yoga book 2 in 1 tablet windows", + "lenovo yoga book - fhd 10.1 tablets", + "lenovo yoga book fhd 10.1", + "lenovo yoga book fhd 10.1 tablet windows", + "lenovo yoga book", + "lenovo yoga book with high performance", + "lenovo yoga book 2 in 1 tablet", + "lenovo yoga book under $120" + ], + "i would like a full xl 4\" foundation for a box spring and mattress set.": [ + "full xl 4 foundation", + "full xl 4 foundation box spring and mattress set", + "l 4 foundation for a box spring and mattress set", + "full xl 4 foundation for a box spring", + "full xl 4 foundation mattress set", + "full xl 4 foundation with mattress set", + "full xl 4 foundation under $50", + "box spring mattress set", + "xl 4 foundation", + "living room foundation" + ], + "i need to buy a silver eight light chandelier for my living room. i want one that's easy to install.": [ + "silver eight light chandelier for my living room", + "silver eight light chandelier", + "silver eight light chandelier living room", + "silver 8 light chandelier for my living room", + "silver eight light chandelier for living room", + "silver eight light chandelier in a living room", + "silver eight light chandelier for the living room", + "silver eight light chandelier in my living room", + "silver eight light chandelier for a living room", + "silver 8 light chandelier living room" + ], + "i want steel frame in grey color": [ + "steel frame in grey color", + "steel frame in grey", + "steel frame grey", + "steel frame grey color", + "grey steel frame in grey", + "grey steel frame steel frame", + "steel frame grey steel frame", + "grey steel frame", + "steel framegrey", + "steel frame gray" + ], + "i am looking for a wireless charging cradles of silence phone holder mount color": [ + "womens phone holder mount color", + "phone holder mount color", + "phone case mount color", + "phone charger cradles of silence", + "womens phone holder mount", + "phone charging cradles of silence", + "phone mount color", + "phone charger cradles", + "phone charging cradles", + "phone case mount" + ], + "need a large sleepwear pajamas in gray with elastic closure": [ + "large sleepwear pajamas in gray with elastic closure", + "large sleepwear pajamas in gray", + "large sleepwear pajamas in gray elastic closure", + "mammel pajamas in gray with elastic closure", + "small sleepwear pajamas in gray with elastic closure", + "nude pajamas in gray with elastic closure", + "medium sleepwear pajamas in gray with elastic closure", + "mens pajamas in gray with elastic closure", + "large sleepwear pajamas with elastic closure", + "moisturizing pajamas in gray elastic closure" + ], + "i would like a meat substitute flavored with sea salt that is ready to eat.": [ + "vegan meat substitute flavored with sea salt", + "meat substitute flavored with sea salt", + "sea salt meat substitute ready to eat", + "meat substitute flavored with sea salt ready to eat", + "veggie substitute flavored with sea salt", + "sea salt meat substitute that is ready to eat", + "shoes substitute flavored with sea salt", + "sea salt meat substitute", + "vegan meats substitute flavored with sea salt", + "Meat substitute flavored with sea salt" + ], + "i would like a 2.25 bottle of men's single shower fresh alcohol free antiperspirant.": [ + "single men shower fresh alcohol antiperspirant 2.25", + "single men shower fresh antiperspirant 2.25", + "men shower fresh alcohol antiperspirant 2.25", + "men shower fresh antiperspirant 2.25", + "single malt shower fresh antiperspirant 2.25", + "man shower fresh antiperspirant 2.25", + "man shower fresh alcohol antiperspirant 2.25", + "single men shower fresh alcohol antiperspirant", + "single bottle of mens shower fresh alcohol antiperspirant", + "single men shower fresh antiperspirant" + ], + "i'm looking for a stick of men's mountain air scented deodorant that is alcohol free.": [ + "mens mountain air scented deodorant that is alcohol free", + "mens mountain air scented deodorant", + "mens mountain air scented deodorant", + "mens mountain air scented deodorant under $40", + "mens mountain air scented deodorant, alcohol free", + "mens mountain air scented deodorant under $40", + "mens mountain air scented deodorant under $50", + "mens mountain air scented deodorant under $60", + "mens mountain air scented deodorant under $50", + "mens mountain air scented deodorant, alcohol free" + ], + "i am looking for a green tea makeup brushes & tools": [ + "green tea makeup brushes & tools", + "green tea makeup brushes and tools", + "green tea makeup brushes & tools under $40", + "green tea makeup brushes, tools", + "green tea makeup brushes & tools under $50", + "green tea makeup brushes & tools under 50 dollars", + "green tea makeup brushes & tools under $60", + "green tea makeup brush & tools", + "green tea makeup brushes", + "green tea makeup brushes & tools under 30 dollars" + ], + "i would like a extra large green short sleeve t shirt": [ + "extra large green short sleeve t-shirt", + "extra large green short sleeve t-shirt under $50", + "extra large green short sleeve t-shirt extra large", + "extra large green short sleeve t-shirt under 50 dollars", + "extra large green short sleeve t-shirt under $40", + "extra large green short sleeve t-shirt under 40 dollars", + "extra large green short sleeve t-shirt under 30 dollars", + "extra large green short sleeve t-shirt under $60", + "extra large green short sleeve t-shirt under 60 dollars", + "extra large green short sleeve t shirt" + ], + "i want a gray floral graphic long sleeve shirt for women.": [ + "gray floral graphic long sleeve shirt for women", + "womens gray floral graphic long sleeve shirt", + "womens gray floral graphic long sleeve shirt for women", + "gray floral graphic long sleeve shirt for women.", + "gray floral graphic long sleeve shirt", + "grey floral graphic long sleeve shirt for women", + "gray floral graphic long sleeve shirt for women under 50 dollars", + "gray floral graphic long sleeve shirt for women under $40", + "gray floral graphic long sleeve shirt for women under 30 dollars", + "gray floral graphic long sleeve shirt for women under $50" + ], + "i am looking for aluminum alloy video camera tripod": [ + "aluminum alloy video camera tripod", + "aluminum alloy video camera tripod under $40", + "aluminum alloy video camera tripod under $50", + "aluminum alloy video camera tripod under $60", + "aluminum alloy video camera tripod under $120", + "aluminum alloy video camera tripod under $130", + "aluminum alloy video camera tripod under 50 dollars", + "aluminium alloy video camera tripod", + "aluminum alloy video camera tripod,", + "aluminum alloy camera tripod" + ], + "i am looking for some 18 inch pearl platinum synthetic hair extensions.": [ + "18 inch pearl platinum synthetic hair extensions", + "18 inch pearl platinum synthetic hair extension", + "18 inch pearl platinum synthetic hair extensions under $50", + "18 inch pearl platinum synthetic hair extensions under $60", + "18 inch pearl platinum synthetic hair extensions under $40", + "18 inch pearl platinum synthetic hair extensions.", + "18 inch pearl platinum synthetic hair extensions under $120", + "18 inch pearl platinum synthetic hair extensions under 50 dollars", + "18 inch pearl platinum synthetic hair extensions under 30 dollars", + "18 inch pearl platinum synthetic hair extensions under 40 dollars" + ], + "i am looking for 16 inch light golden blonde color synthetic hair extensions hairpieces for women": [ + "16 inch light golden blonde color synthetic hair extensions", + "16 inch light golden blonde hair extensions", + "16 inch light golden blonde color synthetic hair extension", + "16 inch light golden blonde synthetic hair extensions", + "16 inch light golden blonde wig", + "16 inch light golden blonde colored synthetic hair extensions", + " 16 inch light golden blonde color synthetic hair extensions", + "16 inch light golden blonde hair extension", + "16 inch light golden blonde", + "16 inch light golden wig" + ], + "i am interested in pale blonde hair extensions that are 18 inches long": [ + "pale blonde hair extensions 18 inches long", + "pale blonde hair extension 18 inches long", + "pale blonde hair extensions that are 18 inches long", + "pale blonde hair extension that are 18 inches long", + "pale blonde hair extensions 17 inches long", + "pale blonde wig extensions 18 inches long", + "pale blonde hair extensions18 inches long", + "pale blonde hair extensions", + "pale blonde hair extensions, 18 inches long", + "pale blonde hair extensions 18 x 18 inches long" + ], + "i am looking for a camcorder that is easy to carry and have optical zoom.": [ + "camscorder that is easy to carry and has optical zoom", + "camscorder that is easy to carry and have optical zoom", + "easy to carry camcorder with optical zoom", + "camscorder that is easy to carry with optical zoom", + "camo camcorder that is easy to carry with optical zoom", + "camscorder with optical zoom", + "camscorder easy to carry with optical zoom", + "curtains easy to carry with optical zoom", + "camscorder that is easy to carry and with optical zoom", + "camo camcorder with optical zoom" + ], + "i would like a camcorder with optical zoom.": [ + "camscorder with optical zoom", + "camoorder with optical zoom", + "camcorder with optical zoom", + "camercorder with optical zoom", + "curtains with optical zoom", + " camcorder with optical zoom", + "camo camcorder with optical zoom", + "camcorder with optical zoom", + "camocorder with optical zoom", + "camscorder with optical zoom." + ], + "i need long lasting kenzo l'eau par kenzo toilet spray for women": [ + "kenzo leau par kenzo toilet spray for women", + "kenzo leau par kenzo toilet spray", + "kenzo leau par kenzo toilet spray women", + "kenzo leau par kenzo toilet spray woman", + "kenzo leau par kenzo bathroom spray for women", + "kenzo leau par kenzoilet spray for women", + "kenzo leau par kenzo toilet spray for woman", + "kenzo leau par kenzo toilet spray,", + "bathroom spray for women long lasting", + "womens bathroom spray long lasting" + ], + "i am looking for a 0.07d-15mm size cruelty free false eyelashes & adhesives": [ + "cruelty free false eyelashes & adhesives", + "cruelty free false eyelashes and adhesives", + "cruelty free false eyelashes & adhesives", + "cruelty free false eyelashes & adhesives under $40", + "cruelty free false eyelashes & adhesives under $60", + "cruelty free false eyelashes & adhesives below $40", + "cruelty free false eyelashes & adhesives under $50", + "cruelty free false eyelashes & adhesives below $60", + "0.07d-15mm cruelty free", + "cruelty free false eyelashes" + ], + "i want to find 0.7-14 millimeter long lash extensions in pink. they must be easy to apply.": [ + "0.7-14 millimeter long lash extensions", + "pink lash extensions that are easy to apply", + "1.7-14 millimeter long lash extensions", + "pink lash extensions", + "0.7-14 millimeter long lash extension", + "pink lash extensions, easy to apply", + "pink long lash extensions", + "pink lash extensions under $40", + "pink long lash extensions in pink", + "pink long lash extensions under $40" + ], + "i\u2019m looking for modern and natural platform bed frames for twin beds. i don\u2019t mind if there\u2019s some assembly required.": [ + "modern and natural platform bed frames for twin beds", + "modern and natural platform bed frames", + "modern and natural platform bed frame for twin beds", + "modern and natural platform bed frame", + "modern and natural platform bed frames with assembly", + "modern and natural platform bed frames, twin beds", + "Modern and natural platform bed frames for twin beds", + "modern and natural platform bed frame with assembly", + "Modern and natural platform bed frames", + "living room bed frame" + ], + "i am looking for a lightweight background that is 10 by 10 ft": [ + "10 by 10 ft lightweight background", + "10 x 10 ft lightweight background", + "10 x 10 lightweight background", + " lightweight background that is 10 by 10 ft", + "light weight background 10 by 10 ft", + " lightweight background 10 by 10 ft", + "10x10 lightweight background", + "10 by 10 ft lightweight background lightweight", + "10 ft lightweight background", + "12 ft lightweight background" + ], + "i would like a men's extra small navy officially licensed mario shirt.": [ + "mens extra small navy officially licensed mario shirt", + "mens extra small navy officially licensed mario shirt.", + "mens extra small navy officially licensed mario shirt", + "mens extra small navy officially licensed mario shirt under $50", + "mens extra small navy officially licensed mario shirt under $40", + "mens extra small navy officially licensed mario shirt under $60", + "mens extra small navy officially licensed mario shirt under 50 dollars", + "mens extra small navy officially licensed mario shirt below $50", + "mens extra small navy officially licensed mario shirt under 40 dollars", + "mens extra small navy officially licensed mario shirt under 30 dollars" + ], + "i need lightweight navy shoes that are in a size 11": [ + " lightweight navy shoes in a size 11", + " lightweight navy shoes size 11", + "light weight navy shoes in a size 11", + "lightweight navy shoes in a size 11", + "alarm shoes size 11 lightweight navy", + "size 11 lightweight navy shoes", + "light weight navy shoes size 11", + "alarm shoes size 11", + " lightweight navy shoes, size 11", + " lightweight navy shoes, size 11, lightweight" + ], + "i am looking for a men's baby blue classic fit shirt": [ + "mens baby blue classic fit shirt", + "mens baby blue classic fit shirt", + "baby blue classic fit shirt", + "baby blue classic fit shirt mens mens", + "mens baby blue classic fit shirt mens", + "baby blue classic fit shirt mens", + "mens baby blue classic fit shirt below $50", + "mens baby blue classic fit shirt under 50 dollars", + "mens baby blue classic fit shirt below $40", + "mens baby blue classic fit shirt under $40" + ], + "i'm looking for a pair of flat front stretch corduroy pants with a classic fit in dark grey. size needs to be 31 long with a 40 waist.": [ + "flat front stretch corduroy pants", + "flat front stretch corduroy pants 31 long with a 40 waist", + "flat front stretch corduroy pants in dark grey", + "flat front stretch corduroy pants 30 long with a 40 waist", + "flat front stretch corduroy pants with a classic fit", + "flat front stretch corduroy pants that are 31 long", + "flat front stretch corduroy pants 31 long", + "flat front stretch corduroy pants size 31 long", + "flat front stretch corduroy pants 40 waist", + "flat front stretch corduroy pants with a classic fit 31 long" + ], + "i am looking for a foundation that is metallic gold and has natural ingredients.": [ + "solid foundation that is metallic gold", + "solid foundation metallic gold natural", + "indoor gold foundation", + "mono gold foundation", + "monetary gold foundation", + "solid foundation metallic gold", + "pure gold foundation", + "pure gold foundation with natural ingredients", + "solid foundation gold natural", + "industrial gold foundation" + ], + "i would like a box of individually wrapped chocolate cereal bars.": [ + "pack of individually wrapped chocolate cereal bars", + "pack of individually wrapped chocolate cereal bars.", + "pack of individually wrapped chocolate cereal bar", + "bag of individually wrapped chocolate cereal bars", + "box of individually wrapped chocolate cereal bars", + "12 individually wrapped chocolate cereal bars", + "chocolate cereal bars individually wrapped", + "pack of chocolate cereal bars", + "chocolate cereal bars", + "pack chocolate cereal bars" + ], + "i need a black case cover for my iphone": [ + "black case cover for my iphone", + "black case cover for iphone", + "black iphone case cover", + "black case cover for an iphone", + "black case cover iphone", + "black case cover for a iphone", + "black case cover for iiphone", + "black case cover for iphone", + "white iphone case cover", + "black phone case cover" + ], + "i am looking for a automatic rotating styling tool with metallic ionic barrel and smart anti-stuck sensor for long and medium length hair.": [ + "automatic rotating styling tool with metallic ionic barrel", + "automatic rotating styling tool with metallic ionic barrel long and medium length hair", + "automatic rotating styling tool with metallic ionic barrel and smart anti-stuck sensor", + "automatic rotating styling tool with metallic ionic barrel for long and medium length hair", + "automatic rotating styling tool with metallic ionic barrel, long and medium length hair", + "auto rotating styling tool with metallic ionic barrel and smart anti-stuck sensor", + "automatic rotating styling tool with metallic ionic barrel long and medium length hair.", + "auto rotating styling tool with metallic ionic barrel", + "alarm rotating styling tool with metallic ionic barrel", + "automated rotating styling tool with metallic ionic barrel" + ], + "i need a digital camera that has a high optical zoom": [ + "digital camera with high optical zoom", + "digital camera that has a high optical zoom", + "digital camera with a high optical zoom", + "digital camera high optical zoom", + "digital camera that has high optical zoom", + "high optical zoom digital camera", + "digital camera whose high optical zoom is high", + "digital camera that is high optical zoom", + "digital camera, high optical zoom", + "digital camera" + ], + "i need to buy a two pack of beige memory foam chair pads for my dining room.": [ + "two pack of beige memory foam chair pads", + "two pack of beige memory foam chair pads dining room", + "two pack beige memory foam chair pads for dining room", + "two pack beige memory foam chair pads dining room", + "two pack of beige memory foam chair pad dining room", + "two pack beige memory foam chair pads", + "two pack of beige memory foam chair pad", + "2 pack of beige memory foam chair pads", + "memory foam chair pads for dining room", + "memory foam chair pads dining room" + ], + "i am looking for a 24 pack of shelf stable fruit juices.": [ + "24 pack of shelf stable fruit juices", + "24 pack of shelf stable fruit juices under $60", + "24 pack of shelf stable fruit juices under $40", + "24 pack of shelf stable fruit juices under $50", + "24 pack of shelf stable fruit juices.", + "24 pack of shelf stable fruit juices under 30 dollars", + "23 pack of shelf stable fruit juices", + "25 pack of shelf stable fruit juices", + "24 pack shelf stable fruit juices", + "24 pack of shelf stable fruit juices under 120 dollars" + ], + "i am looking for light weight safety shoes for men of black color.": [ + "light weight safety shoes men of black color", + "light weight safety shoes for men of black", + "light weight safety shoes for black men", + "walking shoes for men of black color", + "light weight safety shoes black men", + "light weight black men safety shoes", + "light weight safety shoes for men black color", + "heavy weight safety shoes for men of black", + "light weight safety shoes for black color", + "light weight black safety shoes" + ], + "i need a 4-light brushed nickel fixture. it should have a wood finish.": [ + "4-light brushed nickel fixture", + "4-light brushed nickel fixture with wood finish", + "4-light brushed nickel fixture, wood finish", + "4-light brushed nickel fixture under $40", + "4-light brushed nickel fixture. wood finish", + "4-light brushed nickel fixture under $50", + "4-light brushed nickel fixture under $60", + "4l brushed nickel fixture with wood finish", + "4light brushed nickel fixture", + "4l brushed nickel fixture" + ], + "i need an 8 ounce package of freeze dried tomatoes": [ + "8 ounce package of freeze dried tomatoes", + "8 ounce package of freeze dried tomatoes under $40", + "8 ounce package of freeze dried tomatoes under $60", + "8 ounce package of freeze dried tomatoes under $50", + "28 ounce package of freeze dried tomatoes", + "8 ounce package of freeze dried tomatoes under 50 dollars", + "8 ounce package of freeze dried tomatoes 8 oz", + "8 ounce package of freeze dried tomatoes below $40", + "8 oz package of freeze dried tomatoes", + "8 ounce package freeze dried tomatoes" + ], + "i need brown flats that are a size 7 and are anti-slip": [ + "brown flats size 7 anti-slip", + "brown flats size 7, anti-slip", + "brown flats a size 7 anti-slip", + "brown flats size 7", + "brown flats in size 7 anti-slip", + "brown flats in a size 7", + "brown flats that are a size 7", + "brown flats with anti-slip", + "brown flats a size 7", + "brown flats" + ], + "i would like a 3 lights conical lampshade that is easy to put on.": [ + "3 lights conical lampshade", + "3 lights conical lampshade easy to put on", + "3 lights conical lampshade under $40", + "3 lights conical lampshade under $50", + "3 lights conical lampshade under $60", + "3 lights conical lampshade under $120", + "3 lights conical lampshade under $130", + " 3 lights conical lampshade", + "3 lights conical lamp", + "3 lights" + ], + "im looking for light khaki brown men\u2019s jeans that are machine washable.": [ + "light khaki brown men\u2019s jeans", + "heavy khaki brown men\u2019s jeans", + "low khaki brown men\u2019s jeans", + "man washable khaki brown men\u2019s jeans", + "womens jeans that are machine washable", + "dark khaki brown men\u2019s jeans", + "kaki brown men\u2019s jeans", + "womens jeans machine washable", + "womens jeans", + "man jeans" + ], + "i am looking for machine washable athletic fit jeans that are olive in color.": [ + "machine washable athletic fit jeans olive in color", + "machine washable athletic fit jeans", + "machine washable athletic fit jeans olive", + "machine washable athletic fit jeans in olive color", + "man washable athletic fit jeans olive in color", + "machine washable athletic fit jeans with olive color", + "machine washable athletic fit jeans, olive in color", + "machine washable athletic fit jeans olive colored", + "machine washable athletic fit jeans that are olive", + "machine washable athletic fit jeans olive in color." + ], + "i want 1080p hd hidden camera 32 gb memory recorder": [ + "1080p hd hidden camera 32 gb memory", + "1080p hd hidden camera 32gb memory", + "1080p hd hidden camera 32gb memory recorder", + " 1080p hd hidden camera 32 gb memory", + " 1080p hd hidden camera 32gb memory", + " 1080p hd hidden camera 32gb memory recorder", + "tvp hd hidden camera 32 gb memory", + "tvp hd hidden camera 32gb memory", + "1080p hd hidden camera 32gb", + "1080p hd camera 32gb memory" + ], + "i'm looking a 6.5\" navy blue case for iphone 11 pro max with carbon fiber": [ + "6.5 navy blue case for iphone 11 pro max with carbon fiber", + "6.5 navy blue case for iphone 11 pro max", + "6.5 navy blue case iphone 11 pro max with carbon fiber", + "6.5 navy blue case for iiphone 11 pro max with carbon fiber", + "6.5 navy blue case for iphone 11 pro max, carbon fiber", + "6.5 navy blue iphone 11 pro max case with carbon fiber", + "6 navy blue case for iphone 11 pro max with carbon fiber", + "5 navy blue case for iphone 11 pro max with carbon fiber", + "6.5 navy blue case", + "6.5 navy blue case iphone 11 pro max" + ], + "i would like a high quality cosmetic bag decorated with cow and flowers.": [ + "beauty bag decorated with cow and flowers", + "high quality cosmetic bag decorated with cow and flowers", + "a high quality cosmetic bag decorated with cow and flowers", + "low quality cosmetic bag decorated with cow and flowers", + "lip gloss cosmetic bag decorated with cow and flowers", + "professional cosmetic bag decorated with cow and flowers", + " cosmetic bag decorated with cow and flowers", + "medical bag decorated with cow and flowers", + "beauty bag with cow and flowers", + "high quality cosmetic bag decorated with cow and flowers." + ], + "i would like a triple chocolate gluten free keto friendly cake mix.": [ + "double chocolate gluten free keto friendly cake mix", + "tri chocolate gluten free keto friendly cake mix", + "triple chocolate gluten free keto friendly cake mix", + "trials chocolate gluten free keto friendly cake mix", + "trials chocolate keto friendly cake mix", + "double chocolate keto friendly cake mix", + "triangle chocolate gluten free keto friendly cake mix", + "double chocolate gluten free keto friendly cake mix.", + " triple chocolate gluten free keto friendly cake mix", + "tri chocolate gluten free keto friendly cake mix." + ], + "i am looking for non gmo sea salt smoked": [ + "non gmo sea salt smoked", + "non gmo sea salt smoked under $40", + "non gmo sea salt smoked under $50", + "non gmo sea salt smoked below $40", + "non gmo sea salt smoked under $60", + "non-gmo sea salt smoked", + "non gmo sea salt smoked below $50", + "non gmo sea salt smoked non gmo", + "non gmo sea salt smoked below $60", + "non gmo sea salt" + ], + "i want to find a 3-count pack of 4-ounce containers of natural sea salt. the salt needs to be non-gmo.": [ + "natural sea salt 4-ounce pack", + "natural sea salt 3-count pack", + "sea salt 3-count pack", + "natural sea salt 3-ounce pack", + "natural sea salt 4 oz pack", + "sea salt 4-ounce pack", + "natural sea salt 4 oz", + "natural sea salt 3 count pack", + "sea salt 3-ounce pack", + "sea salt 4 oz" + ], + "i want to find a six-pack of 4-ounce bottles of vegetarian, gluten-free smoked sea salt.": [ + "pack of 4-ounce bottles of vegetarian, gluten-free smoked sea salt", + "6 pack of vegetarian, gluten-free smoked sea salt", + "6 pack of gluten free smoked sea salt", + "6-pack of gluten free smoked sea salt", + "6 pack of gluten-free smoked sea salt", + "6 pack of vegan sea salt", + "6-pack of vegan sea salt", + "pack of 4-ounce bottles of vegetarian, gluten free smoked sea salt", + "6 pack of 4-ounce bottles of vegetarian, gluten free smoked sea salt", + "6 pack of vegetarian, gluten free smoked sea salt" + ], + "i'm looking for tousled hair extensions that come two to a pack. they should be light brown and ash blonde.": [ + "tousled hair extensions light brown and ash blonde", + "tousled hair extensions light brown ash blonde", + "tousled hair extensions that come two to a pack", + "two tousled hair extensions light brown and ash blonde", + "tousled hair extension light brown and ash blonde", + "tousled hair extensions light brown", + "tousled hair extensions light brown, ash blonde", + "tousled hair extension light brown ash blonde", + "two to a pack of tousled hair extensions", + "two tousled hair extensions" + ], + "looking for eco friendly toothbrushes for sensitive teeth also choose paper package super soft": [ + "eco friendly toothbrushes for sensitive teeth", + "eco friendly toothbrush for sensitive teeth", + "eco friendly toothbrushes super soft", + "eco friendly toothbrushes for sensitive teeth under $50", + "eco friendly toothbrushes for sensitive teeth under $40", + "eco friendly toothbrushes that are super soft", + "eco friendly teethbrushes for sensitive teeth", + "eco friendly toothbrushes", + "eco friendly teethbrushes super soft", + "teethbrushes for sensitive teeth" + ], + "i would like a pair of women's 8.5 toffee shoe with arch support.": [ + "womens 8.5 toffee shoe", + "mens 8.5 toffee shoe with arch support", + "womens 8.5 toffee shoe arch support", + "womens 8.5 toffee shoe no arch", + "mens 8.5 toffee shoe with arch support", + "toffee shoe with arch support", + "womens 8.5 toffee shoe with arch", + "knee toffee shoe with arch support", + "mens 8.5 toffee shoe", + "teen girl toffee shoe with arch support" + ], + "i am looking for powdered milk that is gluten free and nonfat": [ + "pink milk gluten free and nonfat", + "pink powdered milk gluten free and nonfat", + "pink milk gluten free nonfat", + "pink milk gluten free", + "pale milk gluten free and nonfat", + "pink powdered milk gluten free", + "powdered milk gluten free nonfat", + "pink powdered milk gluten free nonfat", + "powdered milk gluten free", + "pink milk gluten free, nonfat" + ], + "i am looking for rectangular shape shaggy with tassels rug for a living room": [ + "square shape shaggy with tassels rug for a living room", + " rectangular shape shaggy with tassels rug for a living room", + "angular shape shaggy with tassels rug for a living room", + "square shape shaggy with tassels rug for living room", + "square shape shaggy with tassels rug", + "shaggy with tassels rug for a living room", + "square shape shaggy with tassels rug living room", + "square shape shaggy rug for a living room", + "rectangular shape shaggy with tassels rug for living room", + "small rectangular shape shaggy with tassels rug for living room" + ], + "i need a blue area rug for the living room": [ + "blue area rug living room", + "blue area rug for living room", + "blue area rug in living room", + "blue area rug, living room", + "blue rug for living room", + "blue rug for the living room", + "blue area rug dining room", + "blue area rug living room,", + "blue rug living room", + "blue area rug" + ], + "i want an off-white rectangular area rug for my living room.": [ + "off-white rectangular rug for living room", + "off-white rectangular rug living room", + "white square rug for living room", + "white rectangular rug for living room", + "aluminum rug for living room", + "off-white rectangular area rug living room", + "white rectangular rug for my living room", + "white rectangular rug for my living room.", + "wooden rug for living room", + "off-white rectangular rug" + ], + "i need 16 cups of gluten free organic hummus in black olive color.": [ + "16 cups gluten free organic hummus in black olive color", + "gluten free organic hummus in black olive color", + "16 gluten free organic hummus in black olive color", + "16 oz gluten free organic hummus in black olive color", + "16 cups of gluten free organic hummus black olive color", + "12 gluten free organic hummus in black olive color", + "16 cups of gluten free organic hummus in black olive", + "16 cups of gluten free organic hummus", + "gluten free organic hummus black olive color", + "16 cups of gluten free organic hummus black olive" + ], + "i am in need of a royal blue men's classic fit tank that is in a large.": [ + "kingman blue mens classic fit tank in a large", + "kingtelescope mens classic fit tank in a large", + "dual blue mens classic fit tank", + "kingman blue mens classic fit tank", + "pink mens classic fit tank that is in a large", + "kingman blue mens classic fit tank in a large.", + "pink mens classic fit tank in a large", + "kingtelescope blue mens classic fit tank", + "pink mens classic fit tank in a large.", + "pink mens classic fit tank" + ], + "i need a 50\" by 40\" living room throw": [ + "50 by 40 living room throw", + "50 x 40 living room throw", + "50 by 40 living room throw,", + "40 by 40 living room throw", + "living room throw 50 by 40", + "50x 40 living room throw", + "50 by 40 living room throws", + " 50 by 40 living room throw", + "50 by 40living room throw", + "living room throw" + ], + "i'm looking for a haori jacket that's machine wash and comes in black. i need a size extra small.": [ + "i need a haori jacket thats machine wash and comes in black. i need a size extra small.", + "i want a haori jacket thats machine wash and comes in black. i need a size extra small.", + "a haori jacket extra small", + "a haori jacket that is extra small", + "hori jacket extra small", + "i want a haori jacket size extra small.", + "gaori jacket extra small", + "a haori jacket, machine wash extra small", + "a haori jacket, extra small", + "a haori jacket extra-small" + ], + "i'm looking for gluten free and soy free it was contain high protein.": [ + "gluten free and soy free dairy free drink mix", + "gluten free and soy free", + "gluten free and soy free gluten free", + "gluten free soy free gluten free and soy free", + "gluten free and soy free dairy free products", + "gluten free and soy free gluten free dairy free", + "gluten free and soy free dairy free", + "gluten free and soy free gluten free dairy products", + "gluten free soy free gluten free", + "gluten free soy free" + ], + "i'm looking for a pair of women's pumps that have an ankle strap and a leather sole. look for them in black, size twelve and a half.": [ + "womens pumps that have an ankle strap and leather sole", + "womens pumps with an ankle strap and leather sole", + "womens pumps with an ankle strap and a leather sole", + "womens pumps with an ankle strap in black", + "womens pumps size twelve and a half", + "womens pumps, size twelve and a half", + "womens pumps size 12 and a half", + "womens pumps with an ankle strap", + "womens pumps in black", + "womens pumps" + ], + "i need a red phone case that comes with a tempered glass screen protector.": [ + "red phone case with a tempered glass screen protector", + "red phone case with tempered glass screen protector", + "red phone case tempered glass screen protector", + "red phone case, tempered glass screen protector", + "red phone case that is tempered glass screen protector", + "red phone case with tempered glass screen protector.", + "red phone case with glass screen protector", + "red phone case", + "red phone case tempered glass screen protector.", + "red phone case with screen protector" + ], + "i would like a pack of raisin challah bread that is gluten and soy free.": [ + "pack of raisin challah bread gluten free", + "pack of raisin challah bread gluten and soy free", + "pack of raisin challah bread that is gluten free", + "pack of raisin challah bread", + "pack of raisin challah bread gluten-free", + "pack of raisin challah bread, gluten free", + "bag of raisin challah bread gluten free", + "pack of raisin challah bread gluten free.", + "pack of raisin challah gluten free", + "pack of raisin challah" + ], + "i need a nine by twelve foot ivory colored rug for my dining room.": [ + "9 x 12 foot ivory colored rug dining room", + "9 x 12 foot ivory colored rug for dining room", + "9 by 12 foot ivory colored rug dining room", + "nine by twelve foot ivory colored rug dining room", + "9 by 12 foot ivory colored rug for dining room", + "nine by twelve foot ivory colored rug for dining room", + "9 by twelve foot ivory colored rug dining room", + "9 by twelve foot ivory colored rug for dining room", + "9 x 12 foot ivory colored rug", + "nine by twelve foot ivory colored rug dining room." + ], + "i need a pack of lip balm that is made of coconut oil": [ + "pack of lip balm made of coconut oil", + "lip balm made of coconut oil", + "pack of lip balm made from coconut oil", + "pink lip balm made of coconut oil", + "lip balm made of coconut oil pack", + "bag of lip balm made of coconut oil", + "pack of lip balm with coconut oil", + "pack of lip balm coconut oil", + "pack of lip balm", + "lip balm made from coconut oil" + ], + "i want a soft silicone mask for sensitive skin.": [ + "soft silicone mask for sensitive skin", + "soft silicone mask for sensitive skin.", + "soft silicone mask for sensitive skin under $50", + "soft silicone mask for sensitive skin under $40", + "soft silicone mask sensitive skin", + "soft silicone mask for sensitive skin under $60", + "soft silicone mask for sensitive skin,", + "soft silicone mask for sensitive skin under 50 dollars", + "soft silicone mask for sensitive skin under 30 dollars", + "soft silicone mask for sensitive skin below $50" + ], + "i need an executive chair that is black and made of pu leather": [ + "black and made of pu leather executive chair", + "black executive chair that is black and made of pu leather", + "executive chair black and made of pu leather", + "executive chair black made of pu leather", + "black executive chair made of pu leather", + "Executive chair black and made of pu leather", + "Executive chair black made of pu leather", + "black and made of pu leather", + "black and made of pu leather executive chair that is black", + "im looking for an executive chair black made of pu leather" + ], + "i am looking for sc665 handset for mobile phone with noise cancelling feature.": [ + "sc665 handset for mobile phone with noise cancelling", + "s665 handset for mobile phone with noise cancelling", + "sc665 mobile phone with noise cancelling", + "sc665 handset for mobile phone noise cancelling", + "sc665 handset for mobile phone no noise cancelling", + " sc665 handset for mobile phone with noise cancelling", + "s665 handset for mobile phone noise cancelling", + "sc665 handset for mobile phone", + "c665 handset for mobile phone with noise cancelling", + "s665 mobile phone with noise cancelling" + ], + "i would like a high speed pack of 5 hdmi cables": [ + "high speed pack of 5 hdmi cables", + "5 hdmi cables", + "5 hdmi cables high speed pack", + "pack of 5 hdmi cables", + "low speed pack of 5 hdmi cables", + "5 hdmi cables that are high speed", + "4 hdmi cables", + "high speed pack of 5 hdmi cable", + "4 hdmi cables high speed pack", + "hdmi cables high speed pack" + ], + "i am looking for a 10 pack of 10 feet long high speed gold plated hdmi cables.": [ + "10 pack of hdmi cables", + "10 pack gold plated hdmi cables", + "10 pack high speed gold plated hdmi cables", + "10 pack of high speed gold plated hdmi cables", + "10 pack gold plated hdmi cables under $40", + "10 pack gold plated hdmi cables under $50", + "10 pack of hdmi cables under $40", + "10 pack gold plated hdmi cables under $60", + "10 pack of hdmi cables under $50", + "10 pack hdmi cables" + ], + "i want a c&e high speed hdmi male to male cable.": [ + "c&e high speed hdmi male to male cable", + "corde high speed hdmi male to male cable", + "cable high speed hdmi male to male cable", + "c&e hdmi male to male cable", + "cable hdmi male to male cable", + "curtains high speed hdmi male to male cable", + "c&e high speed hdmi cable", + "tv hdmi male to male cable", + "curtains hdmi male to male cable", + "hdmi male to male cable" + ], + "i would like 38 servings of unflavored whey protein that is low in fat.": [ + "38 servings of unflavored whey protein", + "flavored whey protein that is low in fat", + "40 servings of unflavored whey protein", + "shake protein low in fat 38 servings", + "flavored whey protein low in fat 38 servings", + "low fat whey protein 38 servings", + "shake protein low fat 38 servings", + "shake protein that is low in fat", + "shake protein that is low in fat 38 servings", + "flavored whey protein low in fat" + ], + "i'm looking for a size 32x32 living room abstract canvas.": [ + "size 32x32 living room abstract canvas", + "32x32 living room abstract canvas", + "large 32x32 living room abstract canvas", + "living room abstract canvas 32x32", + "small 32x32 living room abstract canvas", + "28x32 living room abstract canvas", + "living room abstract canvas size 32x32", + "living room abstract canvas", + "33x32 living room abstract canvas", + "32x32 living room abstract canvas." + ], + "i'm looking for a small gift basket of milk chocolate mint truffles for valentine's day; about 4oz.": [ + "small gift basket of milk chocolate mint truffles", + "small gift basket of milk chocolate mint truffles about 4oz", + "small gift basket of milk chocolate mint truffles under $40", + "small gift basket of milk chocolate mint truffles under $60", + "small gift basket of milk chocolate mint truffles 4oz", + "small gift basket of milk chocolate mint truffles under $50", + "small gift basket of milk chocolate mint truffles under 40 dollars", + "small gift basket milk chocolate mint truffles", + "bag of milk chocolate mint truffles", + "small gift basket for valentines day" + ], + "buy me anti aging long lasting easy to use ice roller for face in aqua blue color.": [ + "anti aging long lasting easy to use ice roller", + "anti aging long lasting in aqua blue color", + "anti aging long lasting ice roller in aqua blue", + "anti aging long lasting easy to use ice roller for face", + "anti aging long lasting ice roller in aqua blue color", + "anti aging long lasting in aqua blue", + "anti aging long lasting, aqua blue color ice roller", + "anti aging long lasting", + "anti aging long lasting ice roller", + "anti aging long lasting blue ice roller" + ], + "i would like some wild caught crab.": [ + "wild caught crab", + "wild caught crab under $50", + "wild caught crab under $40", + "wild caught crab under $60", + "wild caught crab.", + "wild caught crab under 50 dollars", + "wild caught crab under 30 dollars", + "wild crab", + "wild caught crab under 60 dollars", + "wild caught crab below $50" + ], + "i would like a box of rubine hair dye.": [ + "rubine hair dye", + "rubine hair dye box", + "rubine hair dye.", + "rubine hair dye under $40", + "bag of rubine hair dye", + "rubine hair dye under $50", + "bottle of rubine hair dye", + "rubine hair dye under $60", + "rubine hair dye under 50 dollars", + "rubine hair dye, $40" + ], + "i need blue color 11.5 size long sleeve": [ + "blue 11.5 long sleeve shirt", + "blue long sleeve shirt 11.5", + "blue color 11.5 long sleeve shirt", + "blue 12.5 long sleeve shirt", + "blue 13.5 long sleeve shirt", + "blue shirt 11.5 long sleeve", + "blue color 11.5 long sleeve", + "blue 11.5 long sleeve", + "blue 11.5 size long sleeve shirt", + "blue 11.5 shirt long sleeve" + ], + "i'm looking for headphones are color it was wireless charging it was outside of noise cancellation.": [ + "blue wireless charging headphones", + "colored wireless charging headphones", + "green wireless charging headphones", + "pink wireless charging headphones", + "white wireless charging headphones", + "colored headphones with noise cancellation", + "black wireless charging headphones", + "gray wireless charging headphones", + "colored headphones with wireless charging", + "blue wireless charging headphones color" + ], + "i am looking for a multi-colored blackout window film for my living room.": [ + "multi-colored blackout window film", + "multi-colored blackout window film for living room", + "multi-colored blackout window film living room", + "multi colored blackout window film for my living room", + " multi-colored blackout window film", + "Multi-colored blackout window film", + "multi-colored blackout window film, living room", + "multi colored blackout window film for living room", + "multi colored blackout window film", + "rainbow color blackout window film" + ], + "i am looking for nail polish that is long lasting.": [ + "nude polish long lasting", + "nail polish long lasting", + "long lasting nail polish", + "nude polish that is long lasting", + "nail polish that is long lasting", + "long lasting nail polish under $50", + "long lasting nail polish under $40", + "long lasting nail polish under $60", + "nude polish long lasting.", + "nails polish long lasting" + ], + "i'm looking for a pair of sweatpants with a drawstring waist in space grey. i need them in size large.": [ + "sweatpants with drawstring waist", + "sweatpants size large", + "sweatpants in space grey", + "sweatpants in a size large", + "sneakers with drawstring waist", + "sweatpants in size large", + "sweatpants large", + "sneakers size large", + "sweatpants, size large", + "sneakers large" + ], + "looking for gift set of handmade italian biscottis with natural ingredients": [ + "gift set of handmade italian biscottis", + "handmade italian biscottis with natural ingredients", + "hand crafted italian biscottis with natural ingredients", + "a handmade italian biscottis with natural ingredients", + "handcrafted italian biscottis with natural ingredients", + " handmade italian biscottis with natural ingredients", + "handmade italian biscottis", + "handmade italian biscottis natural", + "handmade italian biscottis natural ingredients", + "hand crafted italian biscottis natural" + ], + "i would like 10 brown coat hooks for my living room.": [ + "10 brown coat hooks for my living room", + "10 brown coat hooks for living room", + "10 brown coat hooks for the living room", + "brown coat hooks for living room", + "10 brown coat hooks", + "10 brown coat hooks in my living room", + "10 brown coat hooks living room", + "10 brown coat hooks for a living room", + "10 brown coat hooks for living room.", + "10 brown coat hooks, living room" + ], + "i am looking for a high performance dslr camera lenses that are certified refurbished.": [ + "dslr camera lenses certified refurbished", + "dslr camera lenses, certified refurbished", + "high performance dslr camera lenses", + "dslr camera lenses", + "dslr camera lens certified refurbished", + "dslr camera lenses are certified refurbished", + "dslr camera lenses with certified refurbished", + "dslr camera lenses certified refurbished.", + "dual camera lenses certified refurbished", + "dual camera lenses" + ], + "i need to buy a six pack of sugar free, keto friendly, non-gmo cheese crisps in the original flavor.": [ + "6 pack of sugar free keto friendly, non-gmo cheese crisps", + "6 pack keto friendly, non-gmo cheese crisps in the original flavor", + "6 pack of keto friendly, non-gmo cheese crisps", + "6 pack keto friendly, non-gmo cheese crisps", + "6 pack of keto friendly non-gmo cheese crisps in the original flavor", + "6 pack keto friendly non-gmo cheese crisps in the original flavor", + "keto friendly, non-gmo cheese crisps in the original flavor", + "6 pack of sugar free, keto friendly, non-gmo cheese crisps", + "6 pack of sugar free keto friendly non-gmo cheese crisps", + "6 pack keto friendly non-gmo cheese crisps" + ], + "i would like some old fashioned summer sausage.": [ + "old fashioned summer sausage", + "old fashioned summer sausage.", + "old fashioned summer sausage under $40", + "old fashioned summer sausage under $60", + "old fashioned summer sausage under $50", + "old fashioned summer sausage under 30 dollars", + "old fashioned summer sausage under 50 dollars", + "old fashioned summer sausage under 60 dollars", + "old fashioned summer sausage under 120 dollars", + "old fashioned summer sausage no sugar" + ], + "i am looking for an electrolyte drink that is low carb and in the berry flavor.": [ + "low carb electrolyte drink with berry flavor", + "low carb electrolyte drink berry flavor", + "low carb electrolyte drink in berry flavor", + "low carb electrolyte drink, berry flavor", + "low carb electrolyte drink in the berry flavor", + "low carb electrolyte drink", + "low carb electrolyte drink low carb berry flavor", + "low carb electrolyte drink that is low carb", + "low carb electrolyte drink under $40", + "low carb electrolyte drink berry flavor below $40" + ], + "i would like a 12 ounce bottle of mango conditioner that is paraben free.": [ + "12 ounce bottle of mango conditioner", + "12 ounce bottle of mango conditioner paraben free", + "mango conditioner that is paraben free", + "12 ounce mango conditioner that is paraben free", + "12 ounce bottle of pomegranate conditioner", + "mango conditioner paraben free", + "12 ounce bottle of mango conditioner under $60", + "pomegranate conditioner", + "12 ounce mango conditioner", + "mango conditioner" + ], + "i need a conditioner that is 12 ounces and is paraben free with a coconut scent.": [ + "12 ounce conditioner that is paraben free with a coconut scent", + "12 oz conditioner that is paraben free with a coconut scent", + "12 ounce conditioner paraben free with a coconut scent", + "12 ounces conditioner that is paraben free with a coconut scent", + " conditioner that is 12 ounces paraben free with a coconut scent", + " conditioner 12 ounces paraben free with a coconut scent", + "conditioner that is 12 ounces paraben free with a coconut scent", + "conditioner 12 ounces paraben free with a coconut scent", + "12 ounce conditioner that is paraben free", + "12 ounce conditioner" + ], + "i am looking for a red blonde natural hair for wigs": [ + "red blonde natural hair for wig", + "red wig natural hair", + "red blonde natural hair wig", + "red natural hair for wigs", + "red blonde natural hair", + "red natural hair for wig", + "red blonde natural hair wigs", + "red wig natural hair for wig", + "red natural hair wig", + "red wig natural hair red" + ], + "looking for dual band output protection ac adapter": [ + "dual band output protection ac adapter", + "dual band output protection ac adapter under $40", + "dual band output protection ac adapter under $50", + "dual band output protection ac adapter under $60", + "dual band output protection ac adapter under $130", + "dual band output protection ac adapter,", + "duals band output protection ac adapter", + "dual band output protection ac adapters", + "dual band output protection", + "dual band output protection ac" + ], + "i would like a valentines day snack gift basket.": [ + "valentines day snack gift basket", + " valentines day snack gift basket", + "valentines day snack gift basket.", + " valentines day snack gift basket.", + "variety of valentines day snack gift basket", + "a valentines day snack gift basket", + "valentines day snack gift basket under $50", + "valentines day snack gift basket under 50 dollars", + "valentines day snack gift basket under $40", + "valentines day snack gift basket under $60" + ], + "i am looking for some storage cabinets for storage space.": [ + "storage cabinets for storage space", + "storage cabinet for storage space", + "storage cabinets", + "storage cabinets storage space", + "Storage cabinets for storage space", + "storage cabinets, storage space", + "storage cabinets in storage space", + "storage cabinet storage space", + "storage cabinets for storage", + "storage cabinet" + ], + "i am looking a chocolate gift box for valentine day.": [ + "chocolate gift box for valentine day", + "chocolate gift box valentine day", + "chocolate gift box for valentine day.", + "chocolate gift box valentine day.", + "chocolate gift box valentine day under $50", + "chocolate gift box valentine day under $40", + "chocolate gift box valentine day under $60", + "chocolate gift box valentine day under 50 dollars", + "chocolate gift box valentine day under 30 dollars", + "chocolate gift box valentine day under 40 dollars" + ], + "i'm looking for a high quality cosmetic bag. also the c mermaid scales color is what i prefer.": [ + "beauty bag in a mermaid scales color", + "c mermaid scales cosmetic bag", + "c mermaid scales color", + "beauty bag in mermaid scales color", + "beauty bag with a mermaid scales color", + "beauty bag that is high quality", + "beauty bag in mermaid scales", + "a high quality cosmetic bag in mermaid scales", + "a high quality cosmetic bag", + "beauty bag in a mermaid scales" + ], + "i would like a corgi dog cosmetic bag for my nail art.": [ + "corgi dog cosmetic bag for nail art", + "corgi dog cosmetic bag for my nail art", + "cgi dog cosmetic bag for nail art", + " corgi dog cosmetic bag for my nail art", + " corgi dog cosmetic bag for nail art", + "cgi dog cosmetic bag for my nail art", + "corgi dog cosmetic bag", + "corgi dog cosmetic bag for nail art.", + "curtgi dog cosmetic bag for nail art", + "cgi dog cosmetic bag" + ], + "i would like a pair of size 10 grey pumps with a high heel.": [ + "grey pumps with a high heel", + "grey pumps with a high heel size 10", + "grey pumps size 10 high heel", + "size 10 grey pumps with a high heel", + "grey pumps size 10 with a high heel", + "grey pumps with high heel", + "grey pumps with high heel size 10", + "grey pumps with a high heel size 9", + "grey pumps with a high heel.", + "grey pumps size 10" + ], + "find me a anti slip size 6 black color womens platform sandals": [ + "anti slip size 6 black womens platform sandals", + "anti slip size 6 black women platform sandals", + "anti slip size 6 black woman sandals", + "anti slip size 6 womens platform sandals", + "anti slip size 6 black", + "anti slip size 6 black men platform sandals", + "anti slip size 6 black girl sandals", + "anti slip size 6 black woman walking shoes", + "anti slip size 6 black walking shoes", + "anti slip size 6 black color womens sandals" + ], + "i am looking for a red faux fur jacket that is in a small.": [ + "small faux fur jacket", + "red faux fur jacket in a small", + "small red faux fur jacket", + "small faux fur jacket in a small", + "faux fur jacket in a small", + "small faux fur jacket under $50", + "faux fur jacket small", + "red faux fur jacket small", + "red faux fur jacket", + "small faux fur jacket under $40" + ], + "im looking for a black alarm clock radio that displays the temperature and uses a usb port.": [ + "black alarm clock radio with a usb port", + "alarm clock radio black", + "alarm clock radio with a usb port", + "alarm clock radio black with a usb port", + "black alarm clock radio with temperature and usb port", + "alarm clock radio with temperature and usb port", + "alarm clock radio with a usb port black", + "an alarm clock radio with a usb port", + "black alarm clock radio", + "black alarm clock radio with temperature" + ], + "i would like a peach flavored high fructose margarita mix.": [ + "chocolate flavored high fructose margarita mix", + "peach flavored high fructose margarita mix", + "peaches flavored high fructose margarita mix", + "pomegranate flavored margarita mix", + "pach flavored high fructose margarita mix", + "tea flavored high fructose margarita mix", + "a peach flavored high fructose margarita mix", + "chocolate flavored high fructose margarita mix.", + "peach flavored high fructose margarita mix.", + "peaches flavored high fructose margarita mix." + ], + "i need a green sweatshirt that is loose fit and is a medium": [ + "green sweatshirt loose fit", + "green sweatshirt", + "green sweatshirt with a medium", + "green sweatshirt with loose fit", + "green sweatshirt loose fit medium", + "green sweatshirt, loose fit", + "green sweatshirt in a medium", + "green sweatshirt under $40", + "green sweatshirt medium", + "green sweatshirt small" + ], + "i am looking for root beer flavor syrup that is easy to use.": [ + "root beer flavor syrup", + "root beer flavor syrup easy to use", + "root beer flavor syrup, easy to use", + "easy to use root beer flavor syrup", + "synthetic root beer flavor syrup", + "root beer flavor syrup easy to use.", + "Root beer flavor syrup easy to use", + "roasted beer flavor syrup", + "Root beer flavor syrup", + "strawberry flavor syrup" + ], + "i would like a twin size indigo pink duvet cover set that is machine washable.": [ + "twin size indigo pink duvet cover set", + "twin size indigo pink duvet cover", + "twins size indigo pink duvet cover set", + "duvet cover set that is machine washable", + " twin size indigo pink duvet cover set", + "two size indigo pink duvet cover set", + "womens pink duvet cover set", + "stainless pink duvet cover set", + "indigo pink duvet cover set", + "pink duvet cover set" + ], + "i am looking for shell mosaic color pendant light chandeliers": [ + "shell mosaic color pendant light chandeliers", + "sea mosaic color pendant light chandeliers", + " shell mosaic color pendant light chandeliers", + "shell mosaic color pendant light chandeliers under $40", + "shallow mosaic color pendant light chandeliers", + "shell mosaic color pendant light chandeliers under $50", + "shell mosaic color pendant light chandeliers under $60", + "shell mosaic color pendant light chandeliers under 50 dollars", + "shell mosaic color pendant light chandeliers under 40 dollars", + "Shell mosaic color pendant light chandeliers" + ], + "i am looking for wild caught smoked fish.": [ + "wild caught smoked fish", + "wild salmon smoked fish", + "wild fresh smoked fish", + "wild fish smoked fish", + "wild smoked fish", + "wild fish wild", + "wild fish", + "wild salmon wild", + "wild caught salmon", + "wild salmon" + ], + "i am looking for a soy wax candle that is white sage and 14 oz.": [ + "white sage candle 14 oz", + "sneakers white sage 14 oz", + "soy wax candle white sage 14 oz", + "soy wax candle white sage 14 oz", + "soy wax candle 14 oz", + "soy wax candle 14 oz", + "white sage candles 14 oz", + "sneakers white sage and 14 oz", + "soy wax candle that is white sage", + "soy wax candle that is white sage" + ], + "i want a 3 pack of trader joe's cookie thins.": [ + "3 pack of trader joes cookie thins", + "3 pack of trader joes cookie thins.", + "3 pack of trader joes cookies thins", + "3 pack of trader joes cookie thins under $50", + "3 pack of trader joes cookie thins under $60", + "3 pack of trader joes cookie thins under $40", + "3 pack of trader joes cookie thins under 30 dollars", + "three pack of trader joes cookie thins", + "3 pack trader joes cookie thins", + "3 pack of trader joes cookie thins under 50 dollars" + ], + "i am looking for a 4 pack of trader joe's ginger cookies.": [ + "4 pack of trader joes ginger cookies", + "pack of trader joes ginger cookies", + "4 pack of trader joes ginger cookies under $40", + "4 pack of trader joes ginger cookies under $60", + "4 pack of trader joes ginger cookies under 40 dollars", + "4 pack of trader joes ginger cookies under $50", + "pack of trader joes ginger cookies 4 pack", + "4 pack of trader joes ginger cookies under 50 dollars", + "4 pack of trader joes ginger cookies under 30 dollars", + "4 pack of trader joes ginger cookies." + ], + "i am looking for candles for a birthday cake in the style t.": [ + "birthday candles in the style t", + "birthday candles", + "womens birthday cake in the style t", + "birthday cake in the style t", + "birthday candles in the style t.", + "baby shower candles in the style t", + "baby shower candles", + "style t candles for a birthday cake", + "birthday candles for a baby shower style t", + "birthday cake in the style t." + ], + "i need birthday candles for my birthday cake.": [ + "birthday candles for birthday cake", + "birthday candles for a baby shower", + "birthday candles for a birthday cake", + "birthday candles for my birthday cake", + "birthday candles", + "birthday candles for birthday cake.", + "birthday candles for baby shower", + "birthday candles for a birthday party", + "birthday candles for the birthday cake", + "baby shower candles" + ], + "i am looking for non slip chair pads that are chocolate and come in an 8 pack.": [ + "non slip chair pads chocolate 8 pack", + "non slip chair pads chocolate chocolate 8 pack", + "non slip chair pads, chocolate and 8 pack", + "non slip chair pads, chocolate, 8 pack", + "non slip chair pads chocolate and 8 pack", + "non slip chair pads chocolate 8 pack", + "non slip chair pads in chocolate 8 pack", + "non slip chair pad chocolate 8 pack", + "non slip chair pads 8 pack", + "non slip chair pads 8 pack chocolate" + ], + "i need some espresso box spring twin beds": [ + "espresso box spring twin beds", + "espresso box spring twin beds price lower than 50.00 dollars", + "espresso box spring twin beds price lower then 50.00 dollars", + "espresso box spring twin beds under $40", + "espresso box spring twin beds under $50", + "espresso box spring twin beds under $60", + "espresso box spring twin beds under 50 dollars", + "epresso box spring twin beds", + "espresso box spring twin bed", + " espresso box spring twin beds" + ], + "i am looking for a conditioner bar for my dry hair that is having kookabara scent.": [ + " conditioner bar for my dry hair with kookabara scent", + " conditioner bar for my dry hair that is having kookabara scent", + " conditioner bar for my dry hair kookabara scent", + " conditioner bar for dry hair with kookabara scent", + "conditioner bar for dry hair with kookabara scent", + "conditioner bar for my dry hair with kookabara scent", + "Conditioner bar for dry hair with kookabara scent", + " conditioner bar for my dry hair with kookabara scent.", + " conditioner bar for my dry hair kookabara scent.", + "conditioner bar for my dry hair with kookabara scent." + ], + "i'm looking for a grey 3 seater living room sofa.": [ + "grey 3 seater living room sofa", + "grey 3 seater living room sofa.", + "grey 3 seater living room sofa,", + "grey 3 seater living room sofa under 30 dollars", + "grey 3 seater living room sofa under $50", + "grey 3 seater living room sofa under $120", + "grey 3 seater living room sofa that is comfortable", + "grey 3 seater living room sofa, under $120", + "grey 3 seater living room sofa, under $50", + "grey 3seater living room sofa" + ], + "i would like a mens 3xl baby blue t shirt made of heather cotton.": [ + "mens 3xl baby blue t-shirt made of heather cotton", + "mens 3xl baby blue t shirt made of heather cotton", + "mens 3xl baby blue t-shirt heather cotton", + "mens 3xl baby blue t-shirt made from heather cotton", + "mens 3xl baby blue t shirt made of heather cotton", + "mens 3 xl baby blue t-shirt made of heather cotton", + "baby blue t-shirt made of heather cotton", + "baby blue t-shirt heather cotton mens 3xl", + "mens 3xl baby blue t-shirt heather cotton", + "mens 3xl baby blue t-shirt" + ], + "i am looking for red color hard pc anti-slip phone tempered glass for iphone 11": [ + "red color hard pc anti-slip phone tempered glass", + "red color anti-slip phone tempered glass", + "red phone tempered glass for iphone 11", + "red color anti-slip phone tempered glass iphone 11", + "red color phone tempered glass for iphone 11", + "red phone tempered glass", + "red anti-slip phone tempered glass", + "red color phone tempered glass", + "red phone tempered glass iphone 11", + "red color mobile phone tempered glass" + ], + "i want to buy a 12 count package of individually wrapped sour candies for a birthday party.": [ + "12 count package of individually wrapped sour candies for a baby shower", + "12 count package of individually wrapped sour candies for a birthday party", + "12 count package of individually wrapped sour candies for a birthday party.", + "12 count package of individually wrapped sour candies", + "12 count package of individually wrapped sour candies for a baby shower.", + "12 count package of individually wrapped sour candies, for a baby shower", + "12 count package of individually wrapped sour candies for a bday party", + "12 count package of individually wrapped sour candies for baby shower", + "pack of individually wrapped sour candies for a baby shower", + "12 count package of individually wrapped sour candies for a birthday party," + ], + "i am interested in buying a hairdressing apron which is long lasting and easy to clean in the color ba or pe.": [ + "a hairdressing apron long lasting in the color ba or pe", + "a hairdressing apron in the color ba or pe", + "a hairdressing apron with a color ba or pe", + "a hairdressing apron", + "a hairdressing apron that is long lasting and easy to clean", + "a hairdressing apron long lasting", + "a hairdressing apron long lasting and easy to clean", + "a hairdressing apron, long lasting and easy to clean", + "long lasting and easy to clean hairdressing apron", + "long lasting and easy clean hairdressing apron" + ], + "i would like a pair of silver noise cancelling headphones with wireless bluetooth.": [ + "silver noise cancelling headphones with wireless bluetooth", + "silver noise cancelling headphones", + "pair of silver noise cancelling headphones", + "two silver noise cancelling headphones with wireless bluetooth", + "silicone noise cancelling headphones with wireless bluetooth", + "white noise cancelling headphones with wireless bluetooth", + "plastic noise cancelling headphones with wireless bluetooth", + "pink noise cancelling headphones with wireless bluetooth", + "silver noise cancelling headphones, wireless bluetooth", + "silver noise cancelling headphones with wireless bluetooth." + ], + "i am looking for cranberry almond color cookie that is fat free.": [ + "cranberry almond color cookie fat free", + "cranberry almond color cookie that is fat free", + "curtainsberry almond color cookie fat free", + "strawberry almond color cookie that is fat free", + "roasted cranberry almond color cookie fat free", + "turberry almond color cookie that is fat free", + "crawberry almond color cookie fat free", + "curtainsberry almond color cookie", + " cranberry almond color cookie fat free", + "turberry almond color cookie fat free" + ], + "i need a machine washable light gray t-shirt": [ + "machine washable light gray t-shirt", + "machine washable light gray t-shirt under $40", + "machine washable light gray t-shirt under $50", + "machine washable light gray t-shirt under 50 dollars", + "man washable light gray t-shirt", + "machine washable light gray t-shirt under $60", + "machine washable light gray t-shirt under 40 dollars", + "coaxial light gray t-shirt", + "hand washable light gray t-shirt", + "moisturizing light gray t-shirt" + ], + "order for me clear 2l -brass & glass globe shade for light fixture in my living room.": [ + "2l-brass & glass globe shade for light fixture", + "4l glass globe shade for light fixture in my living room", + "2l -brass & glass globe shade for light fixture", + "2l-brass and glass globe shade for light fixture", + "2l-brass & glass globe shade", + "2l-brass and glass globe shade", + "2l -brass & glass globe shade", + "4l glass globe shade for light fixture", + "2l-brass", + "4l glass globe shade" + ], + "i'm looking for wall sconces for living room, with clear glass and brushed nickel in 2l-bronze color and clear cone.": [ + "wall sconces living room with clear glass and brushed nickel in 2l-bronze color", + "wall sconces for living room clear glass and brushed nickel in 2l-bronze color", + "wall sconces living room clear glass and brushed nickel in 2l-bronze color", + "wall sconces for living room with clear glass and brushed nickel", + "wall sconces in 2l-bronze color and clear cone", + "wall sconces in 2l-bronze color", + "wall sconces for living room", + "wall sconces for living room with clear glass and brushed nickel color and clear cone", + "wall sconces for living room with clear glass", + "wall sconces for living room with clear glass and brushed nickel color and clear cone." + ], + "i'm losing my hair, so i need to buy a bright red wig.": [ + "shoes bright red", + "hair bright red wig", + "hair red wig", + "shoes bright red wig", + "hair wig bright red", + "shampoo bright red wig", + "bright red wig", + "beauty wig bright red", + "dark red wig", + "light red wig" + ], + "i would like a 0.25 fluid ounces of oil free 090 foundation.": [ + "1.25 fluid ounces of oil free 090 foundation", + "0.25 fluid ounces of oil free 090 foundation", + "8.25 fluid ounces of oil free 090 foundation", + "3.25 fluid ounces of oil free 090 foundation", + "3 fluid ounces of oil free 090 foundation", + "1.25 fluid ounces oil free 090 foundation", + "oil free 090 foundation", + "8oz oil free 090 foundation", + "levis oil free 090 foundation", + "1.25 fluid ounces of oil free" + ], + "looking for contemporary wingback fabric barstools faux leather": [ + "contemporary wingback fabric barstools faux leather", + "faux leather wingback fabric barstools", + "living wingback fabric barstools faux leather", + "womens wingback fabric barstools faux leather", + "affordable wingback fabric barstools faux leather", + "a contemporary wingback fabric barstools faux leather", + "modern wingback fabric barstools faux leather", + "classic wingback fabric barstools faux leather", + "living room fabric barstools faux leather", + "faux leather wingback fabric barstools faux leather" + ], + "can i have pierre's apothecary macadamia hydrating restoring conditioner with omega 7 and coconut oil": [ + "palecary macadamia hydrating restoring conditioner with omega 7 and coconut oil", + "psres apothecary macadamia hydrating restoring conditioner with omega 7 and coconut oil", + "portres apothecary macadamia hydrating restoring conditioner with omega 7 and coconut oil", + " pierres apothecary macadamia hydrating restoring conditioner with omega 7 and coconut oil", + "pink patecary macadamia hydrating restoring conditioner with omega 7 and coconut oil", + "pierres apothecary macadamia hydrating conditioner with omega 7 and coconut oil", + "pink macadamia hydrating restoring conditioner with omega 7 and coconut oil", + "pierres apothecary macadamia hydrating restoring conditioner with omega 7", + "pierres apothecary macadamia hydrating restoring conditioner with omega 7 coconut oil", + "palecary macadamia hydrating conditioner with omega 7 and coconut oil" + ], + "i need to buy some running shoes. they should fit comfortably and have a synthetic sole. look for them in white, size 13.": [ + "walking shoes white", + "walking shoes in white", + "walking shoes size 13", + "running shoes white", + "running shoes size 13", + "running shoes in white", + "walking shoes size 13 synthetic", + "walking shoes white size 13", + "walking shoes 13 white", + "walking shoes, white" + ], + "i'm looking for a royal 14 plus denim shorts butt lifting": [ + " royal 14 plus denim shorts butt lifting", + "duck 14 plus denim shorts butt lifting", + "kingen 14 plus denim shorts butt lifting", + "queen 14 plus denim shorts butt lifting", + "dual 14 plus denim shorts butt lifting", + "kinged 14 plus denim shorts butt lifting", + "the royal 14 plus denim shorts butt lifting", + "king of 14 plus denim shorts butt lifting", + "pink denim shorts butt lifting", + "pink denim shorts butt lifting royal 14" + ], + "looking for pack of 1 nail polish": [ + "pack of 1 nail polish", + "pack of 1 nail polish under $50", + "pack of 1 nail polish under $40", + "pack of 1 nail polish under $60", + "pack of 1 nail polish under 50 dollars", + "pack of 1 nail polish under 30 dollars", + "pack of 1 nail polish under 60 dollars", + "pack of 1 nail polish pack", + " pack of 1 nail polish", + "1 nail polish pack" + ], + "i search 550 hunger flames nail polish": [ + "i search 550 hunger flames nail polish under $40", + "i search 550 hunger flames nail polish under $50", + "i search 550 hunger flames nail polish under 50 dollars", + "i search 550 hunger flames nail polish under 30 dollars", + "i search 550 hunger flames nail polish under 40 dollars", + "i search 550 hunger flames nail polish under 60 dollars", + "i search 550 hunger flames nail polish under $60", + " 550 hunger flames nail polish", + "i search 550 hunger flames nail polish", + "5 ft 5 ft nail polish" + ], + "i want a variety pack of grass fed collagen creamers.": [ + "variety pack of grass fed collagen creamers", + "compact pack of grass fed collagen creamers", + " variety pack of grass fed collagen creamers", + "a variety pack of grass fed collagen creamers", + "springs pack of grass fed collagen creamers", + " variety pack of grass fed collagen creamers.", + "plastic creamers variety pack", + "spray fed collagen creamers variety pack", + "gene creamers variety pack", + "gmo creamers variety pack" + ], + "i want a queen sized and faux leather platform bed.": [ + "queen sized and faux leather platform bed", + "queen sized faux leather platform bed", + "queen sized faux leather platform bed.", + "king size and faux leather platform bed", + "queen sized faux leather platform bed,", + "king sized and faux leather platform bed", + "king sized faux leather platform bed", + "queen sized faux leather bed", + "queen sized, faux leather platform bed", + "queen sized and faux leather bed" + ], + "i would like a high performance memory card reader.": [ + "memory card reader that is high performance", + "memory card reader high performance", + "memory card reader", + "memory card reader with high performance", + "memory card reader which is high performance", + "memory card reader, high performance", + "high performance memory card reader", + "memory card reader whose price is high", + "memory card reader.", + "memory card reader. high performance" + ], + "i'm looking for a delicious danish kringle pair a pecan and cream cheesecake.": [ + "danish kringle pair a pecan and cream cheesecake", + "duck kringle pair a pecan and cream cheesecake", + "danish kringle with pecan and cream cheesecake", + "danish kringle pair pecan and cream cheesecake", + "danish kringle with a pecan and cream cheesecake", + "danish kringle pomegranate and cream cheesecake", + "danish kringle pecan and cream cheesecake", + "danish kringle pcan and cream cheesecake", + "danish kringle, pecan and cream cheesecake", + "danish kringle" + ], + "i'm looking for packaged fruits that flavor name was peaches-vanilla.": [ + "packet fruits peaches-vanilla flavor", + "packaged fruits peaches-vanilla flavor", + "packet fruits flavor name peaches-vanilla", + "packaged fruits flavor name peaches-vanilla", + "packaged fruits with flavor name peaches-vanilla", + "packet fruits with flavor name peaches-vanilla", + "packet fruits flavor name was peaches-vanilla", + "packet fruits peaches-vanilla", + "packaged fruits peaches-vanilla flavor name", + "packet fruits flavor name peaches-vanilla." + ], + "i want to easy to use and bush blonde l'oreal paris hair gloss.": [ + "easy to use bush blonde loreal paris hair gloss", + "easy to use and bush blonde loreal paris hair gloss", + "easy-to-use bush blonde loreal paris hair gloss", + "easy to use bush blonde loreal paris hair gloss.", + "bush blonde loreal paris hair gloss", + "bathroom blonde loreal paris hair gloss", + " bush blonde loreal paris hair gloss", + "easy to use bush blonde loreal paris hair gloss,", + "beauty gloss bush blonde loreal paris", + "uburn blonde loreal paris hair gloss" + ], + "i would like 250 bags of strawberry sugar free tea.": [ + "strawberry sugar free tea", + "pomegranate sugar free tea", + "strawberry sugar free tea drink", + "rawberry sugar free tea", + "rawberry sugar free tea drink mix", + "alcohol sugar free tea 250 bags", + "strawberry sugar free tea mix", + "sugar free tea 250 bags", + "rawberry sugar free tea drink", + "a strawberry sugar free tea drink mix" + ], + "am searching for the republic of tea peppermint cuppa chocolate tea, 36 tea bags and sugar free": [ + "tea peppermint cuppa chocolate tea", + "tte peppermint cuppa chocolate tea", + "tea peppermint cuppa chocolate tea drink", + "tea peppermint cuppa chocolate tea with sugar free", + "tea peppermint cuppa chocolate tea sugar free", + "tea peppermint cuppa chocolate tea tea", + "taco peppermint cuppa chocolate tea", + "tea peppermint cuppa chocolate tea drink mix", + "tea peppermint cuppa chocolate tea under $40", + "cupa chocolate tea drink mix sugar free" + ], + "i'm looking for double sided nail hand for nail art its easy to use.": [ + "double sided nail hand for nail art", + "double sided nail hand for nail art easy to use", + "double sided nail hand nail art easy to use", + "double sided nail hand nail art", + "double sided nail hand, nail art easy to use", + "single sided nail hand for nail art", + "single sided nail hand for nail art easy to use", + "dual sided nail hand for nail art", + "double sided nail hand", + "double sided nail hand nail art easy to use." + ], + "i am looking for throw pillow covers of size 18 x 18 inches for my living room.": [ + "throw pillow covers 18 x 18 inches", + "throw pillow covers 18 x 18 inches for living room", + "throw pillow covers of size 18 x 18 inches", + "throw pillow cover 18 x 18 inches", + "throw pillow cover 18 x 18 inches for living room", + "throw pillow covers 18 x 18 inches living room", + "throw pillow covers size 18 x 18 inches", + "throw pillow covers 17 x 18 inches", + "throw pillows 18 x 18 inches", + "throw pillow covers" + ], + "i am looking for casual rubber sole hot pink 7 color running shoes for women, 5 sized.": [ + "casual rubber sole hot pink 7 color running shoes", + "casual rubber sole running shoes for women 5 sized", + "casual rubber sole running shoes for women 5 size", + "curtains running shoes for women 5 sized", + "curtains hot pink 7 color running shoes", + "casual rubber sole hot pink women running shoes", + "curtains for women 5 sized", + "casual rubber sole running shoes 5 sized", + "curtains for women 5 size", + "casual rubber sole hot pink" + ], + "help me purchase a high definition digital tv antenna with coaxial cable and easy to install.": [ + "high definition digital tv antenna with coaxial cable", + "tv antenna with coaxial cable", + "tv antenna with coaxial cable easy to install", + "high definition digital tv antenna", + "tv antenna that is high definition", + "tv antenna with coaxial cable high definition", + "tv antenna high definition", + "tv antenna high definition easy to install", + "tv antenna high definition with coaxial cable", + "high definition digital tv antenna under $40" + ], + "i would like a 50 x 80 inch fleece throw with a valentines day inn design.": [ + "50 x 80 inch fleece throw", + "50 x 80 inch fleece throw with a valentines day inn", + "50 x 80 inch fleece throw with valentines day inn design", + "50 x 80 inch fleece throw, valentines day inn design", + "50 x 80 fleece throw with a valentines day inn design", + "50 x 80 inch fleece throw in valentines day inn design", + "50 x 80 inch fleece throw, valentines day inn", + "fleece throw with a valentines day inn design", + "50 x 80 inch fleece throw with valentines day inn", + "50 x 80 inch fleece throw under $50" + ], + "i would like a long lasting face toner for dry skin.": [ + "long lasting face toner for dry skin", + "long lasting face toner for dry skin.", + "a long lasting face toner for dry skin", + "vegan face toner for dry skin", + "large lasting face toner for dry skin", + "long lasting face toner for dry skin,", + "lens toner for dry skin", + "face toner for dry skin", + "long lasting face toner for dry skin ", + "hair toner for dry skin" + ], + "i'm looking for 4 color eyeshadow palette colorful matte and shimmer.": [ + "4 color eyeshadow palette colorful matte and shimmer", + "4 color eyeshadow palette with matte and shimmer", + "4 color eyeshadow palette color matte and shimmer", + "4 color eyeshadow palette with a matte and shimmer", + "4 color eyeshadow palette", + "4 color eyeshadow palette with shimmer", + "4 color eyeshadow palette with a shimmer", + "4 color eyeshadow palette colored matte and shimmer", + "4 color eyeshadow palette colorful matte and shimmer.", + "4 color eyeshadow palette with color matte and shimmer" + ], + "i want a light gray and machine washable 100% blackout window curtain panel.": [ + "light gray and machine washable 100% blackout window curtain panel", + "light gray machine washable 100% blackout window curtain panel", + "dark gray and machine washable 100% blackout window curtain panel", + "light gray, machine washable 100% blackout window curtain panel", + "light gray and machine washable 100% blackout window curtain panels", + "low gray and machine washable 100% blackout window curtain panel", + "light gray and machine washable 100% blackout window curtain", + "light gray and machine washable blackout window curtain panel", + "rainbow color blackout window curtain panel", + "light gray blackout window curtain panel" + ], + "i need a package of one hundred gray zip ties. they should be eco friendly.": [ + "one hundred gray zip ties eco friendly", + "one hundred gray zip ties", + "one hundred gray zip ties, eco friendly", + "one hundred gray zip ties. eco friendly", + "pack of one hundred gray zip ties", + "two hundred gray zip ties eco friendly", + "two hundred gray zip ties", + "one hundred gray zip ties with eco friendly", + "three hundred gray zip ties", + "green zip ties" + ], + "i want pineapple flavor gluten free nut free 8 ounce cooking and baking powder": [ + "pink flavor gluten free 8 ounce cooking and baking powder", + "pineapple flavor gluten free 8 ounce cooking and baking powder", + "pomegranate flavor gluten free 8 ounce cooking and baking powder", + "p pineapple flavor gluten free 8 ounce cooking and baking powder", + " pineapple flavor gluten free 8 ounce cooking and baking powder", + "apple flavor gluten free 8 ounce cooking and baking powder", + "pike flavor gluten free 8 ounce cooking and baking powder", + "pink spice gluten free 8 ounce cooking and baking powder", + "pauper flavor gluten free 8 ounce cooking and baking powder", + "pink flavor gluten free 8 ounce cooking and baking powder pineapple flavor" + ], + "i'm looking for a body hair remover cream.": [ + "body hair remover cream", + "body hair remover cream.", + "body hair remover cream under $40", + "body hair remover cream under $50", + "body hair remover cream under $60", + "Body hair remover cream", + "body hair remover cream under 50 dollars", + "body hair remover cream below $40", + "body hair remover cream below $50", + "body hair remover cream under 30 dollars" + ], + "looking for natural flavors whole grain cheddar": [ + "natural flavors whole grain cheddar", + "natural flavor whole grain cheddar", + "natural natural flavors whole grain cheddar", + "natural flavors whole grain cheddar natural", + "natural flavors whole grain cheddar flavor", + "natural flavors of whole grain cheddar", + "natural foods whole grain cheddar", + "natural flavors whole grain cheese", + "natural cheese natural flavor", + "natural cheese natural no sugar" + ], + "i would like a silver phone case with a glass tempered screen.": [ + "silver phone case with a glass tempered screen", + "silver phone case with a glass tempered screen.", + "silver phone case with glass tempered screen", + "silver phone case with a glass tempered screen,", + "silver phone case, glass tempered screen", + "silver phone case with a glass tempered screen ", + "silver phone case", + "silver phone case case with a glass tempered screen", + "silver phone case that is glass tempered screen", + " silver phone case with a glass tempered screen" + ], + "i need a non slip carpet with 47 inches x 31 inches dimension.": [ + "non slip carpet 47 inches x 31 inches", + "non slip carpet with 47 inches x 31 inches", + "non slip carpet 47 inches x 31 inches dimension", + "non slip carpet, 47 inches x 31 inches", + "non slip carpet 47 inches x 31 inches dimensions", + "non slip carpet with 47 x 31 inches dimension", + "non slip carpet 47 x 31 inches", + "non slip carpet in 47 inches x 31 inches", + "non slip carpet of 47 inches x 31 inches", + "non slip carpet 48 inches x 31 inches" + ], + "i am interested in a non slip area rug that is 70 by 55 inch": [ + "non slip rug that is 70 by 55 inch", + "non slip area rug 70 by 55 inch", + "non slip rug 70 by 55 inch", + "non slip area rug, 70 by 55 inch", + "non slip area rug", + "non slip rug that is 70 by 55 inches", + "non slip area rug 70 by 55 inches", + "non slip rug, 70 by 55 inch", + "non slip area rug with 70 by 55 inch", + "non slip area rug that is 70 by 55" + ], + "i need some sugar free gingerbread flavor syrup.": [ + "sugar free gingerbread flavor syrup", + "gluten free gingerbread flavor syrup", + "sugar free gingerbread flavor syrup.", + "sugar free gmobread flavor syrup", + "sugar free Gingerbread flavor syrup", + "synthetic gingerbread flavor syrup", + "sugar free gingerbread flavor syrup flavor", + "sugar free gingerbread flavor", + "ugar free gingerbread flavor syrup", + "gmobread flavor syrup" + ], + "i am interested in a paraben free eyeshadow": [ + "paraben free eyeshadow", + "pshadow paraben free", + "paraben free eyeshadow,", + "living eyeshadow paraben free", + "al eyeshadow paraben free", + "pink eyeshadow", + "gluten free eyeshadow", + "lip gloss eyeshadow", + "persistive eyeshadow", + "lip gloss" + ], + "i need a beauty salon makeup palette": [ + "beauty salon makeup palette", + "beauty salon makeup palette, beauty salon", + "beauty salon makeup palette under $50", + "beauty salon makeup palette under $40", + "beauty salon makeup palette under 50 dollars", + "beauty salon makeup palette under $60", + "beauty salon makeup palette less then $40", + "beauty salon makeup palette less then $50", + "beauty salon makeup palette less then $60", + "beauty salon makeup palette," + ], + "i would like a queen size blue linen bed with drawers with a contemporary design.": [ + "queen size blue linen bed with drawers", + "queen size blue linen bed with drawers, contemporary", + "king size blue linen bed with drawers", + " queen size blue linen bed with drawers", + "kingstown size blue linen bed with drawers", + "queen size blue linen bed", + "queen sizeblue linen bed with drawers", + "queen size blue linen bed drawers", + "Queen size blue linen bed with drawers", + "kingen size blue linen bed with drawers" + ], + "i'm looking for a individually wrapped cake topper for birthday party.": [ + "packaged cake topper for birthday party", + " individually wrapped cake topper for birthday party", + "single wrapped cake topper for birthday party", + "manual wrapped cake topper for birthday party", + "plastic cake topper for birthday party", + "almond wrapped cake topper for birthday party", + "alarm wrapped cake topper for birthday party", + " individually wrapped cake topper for birthday party.", + "bagel topper for birthday party", + "packet wrapped cake topper for birthday party" + ], + "looking for high quality silicone body scrubber for sensitive skin also choose colour grey": [ + "silicone body scrubber for sensitive skin", + "silicone body scrubber for sensitive skin in colour grey", + "silicone body scrubber sensitive skin", + "silicone body scrubber for sensitive skin, colour grey", + "silicone body scrubber for sensitive skin colour grey", + "silicone body scrubber sensitive skin in colour grey", + "silicone body scrubber for sensitive skin in grey", + "silicone body scrubber for sensitive skin with colour grey", + "high quality silicone body scrubber for sensitive skin", + "silicone body scrubber sensitive skin colour grey" + ], + "i am looking for a black-1 water resistant snow boots": [ + "black-1 water resistant snow boots", + "black snow boots that are water resistant", + "black 1 water resistant snow boots", + "black water resistant snow boots", + "black snow boots", + "black snow boots water resistant", + "black and water resistant snow boots", + "black snow boots, water resistant", + "black snow boots under $50", + "black boots" + ], + "ethylene vinyl women's running shoes also choose size 8": [ + "ethylene vinyl womens running shoes size 8", + "ethylene vinyl womens running shoes", + "ethylene vinyl womens running shoes in size 8", + "ethylene vinyl womens running shoes in a size 8", + "ethylene vinyl womens running shoes, size 8", + "size 8 ethylene vinyl womens running shoes", + "ethylene vinyl womens running shoes, size 8,", + "ethylene vinyl womens running shoes that are size 8", + "ethylene vinyl womens running shoes size 8 size 8", + "ethylene vinyl womens running shoes size 8," + ], + "i would like a yellow hair clip for hair styling.": [ + "yellow hair clip for hair styling", + "yellow hair clip", + "yellow hair clip for hair styling.", + "yellow hair clip, hair styling", + "yellow hair clip hair styling", + "yellow hair clips for hair styling", + "yellow hair clip, for hair styling", + "yellow hair clip for hair styling,", + "yellow hair clip in hair styling", + "yellow human hair clip" + ], + "i would like a king sized bed with a 8 inch mattress and storage space.": [ + "king sized bed with a mattress and storage space", + "king sized bed 8 inch mattress and storage space", + "king sized bed with a 8 inch mattress", + "king sized bed, 8 inch mattress and storage space", + "king sized bed with 8 inch mattress and storage space", + "king sized bed with a 8 inch mattress and storage", + "king sized bed with a mattresses and storage space", + "king sized bed 8 inch mattress with storage space", + "king sized bed with a mattress and storage space.", + "king sized bed 8 inch mattress" + ], + "i am looking for uin smiley slip with size 7": [ + "uin smiley slip size 7", + "gifty slip size 7", + "uin smiley slip", + "duck smiley slip size 7", + "uin smiley slip with size 7", + "uin smiley slip in size 7", + "uin smiley slip, size 7", + "ubin smiley slip size 7", + "nuin smiley slip size 7", + "beauty slip size 7" + ], + "i am looking for gingerbread and white chocolate granola in resealable bags. it should not contain any artificial flavors.": [ + "g gingerbread and white chocolate granola in resealable bags", + "gmanbread and white chocolate granola in resealable bags", + "gardenbread and white chocolate granola in resealable bags", + "giantbread and white chocolate granola in resealable bags", + "gingerbread and white chocolate granola in resealable bags", + "grambread and white chocolate granola in resealable bags", + "g gingerbread and white chocolate granola", + "g gingerbread and white chocolate granola resealable bags", + "gardenbread and white chocolate granola", + "gmo gmo sugar drink mix" + ], + "find a granola pack with low sodium.": [ + "granola pack low sodium", + "granola pack with low sodium", + "granola pack that is low sodium", + "granola pack with low sodium.", + "granola pack low sodium under $40", + "granola pack low sodium.", + "granola pack low sodium below $40", + "granola pack low sodium under $60", + "granola pack no sodium", + "granola pack low sodium under $50" + ], + "i would like a four pack of mocha granola that has all natural ingredients.": [ + "4 pack of mocha granola", + "mocha granola four pack natural", + "4 pack of mocha granola natural", + "mocha granola four pack natural ingredients", + "four pack of mocha granola", + "mocha granola with natural ingredients", + "mocha granola four pack", + "mocha granola 4 pack natural", + "mocha granola natural", + "4 pack mocha granola" + ], + "i am looking for low carb hight proteintrue meat snack sticks of southwest verde venison. size is 12 packs of 1 oz": [ + "low carb hight proteintrue meat snack sticks of southwest verde venison 12 packs of 1 oz", + "low carb hight proteintrue meat snack sticks of southwest verde venison 12 pack of 1 oz", + "low carb hight proteintrue meat snack sticks of southwest verde venison", + "low carb hight proteintrue meat snack sticks 12 packs of 1 oz", + "low carb hight proteintrue meat snack sticks of southwest verde venison pack of 1 oz", + "low carb hight proteintrue meat snack sticks of southwest verde venison, 12 packs of 1 oz", + "low carb hight proteintrue meat snack sticks of southwest verde venison flavor 12 pack of 1 oz", + "low carb hight proteintrue meat snack sticks of southwest verde venison in 12 packs of 1 oz", + "low carb hight proteintrue meat snack sticks of southwest verde venison, 12 pack of 1 oz", + "low carb hight proteintrue meat snack sticks 12 pack of 1 oz" + ], + "i am looking for a high protein and low carb beef snack stick. i also need it to be gluten free and be made of natural ingredients.": [ + "high protein and low carb beef snack stick", + "high protein low carb beef snack stick", + "high protein low carb beef snack stick made from natural ingredients", + "high protein low carb beef snack stick made of natural ingredients", + "high protein low carb beef snack stick that is gluten free", + "low carb beef snack stick", + "high protein and low carb beef snack stick.", + "low carb beef snack stick made from natural ingredients", + "high protein and low carb beef snack stick, gluten free", + "high protein low carb beef snack stick, gluten free" + ], + "i'm looking for a mary's gone crackers real thin crackers.": [ + "marys gone crackers real thin crackers", + "marys gone crackers real thin crackers under $40", + "marys go crackers real thin crackers", + "marys gone crackers real thin crackers.", + "marys gone crackers real thin crackers under $60", + "marys gone crackers real thin crackers under $50", + "marys gone crackers real thin crackers marys", + "marys gone crackers real thin crackers under 50 dollars", + "marys gone crackers real thin crackers under 30 dollars", + "marys gone crackers real thin crackers below $40" + ], + "i'm looking for some hot cocoa mix that comes in a pack of three and is non-gmo and sugar free.": [ + "hot cocoa mix non-gmo and sugar free", + "hot cocoa mix that comes in a pack of three", + "hot cocoa mix non-gmo sugar free", + "hot cocoa mix non-gmo", + "hot cocoa mix three pack", + "hot cocoa mix non-gmo, sugar free", + "hot cocoa mix three pack sugar free", + "hot cocoa mix no gmo and sugar", + "hot cocoa mix", + "hot cocoa mix pack of three" + ], + "i am looking for a 12x10 ft high resolution backdrop of spring garden leaves.": [ + "12x10 ft high resolution backdrop of spring garden leaves", + "12 x10 ft high resolution backdrop of spring garden leaves", + "12x10 ft high resolution backdrop of spring garden leaves.", + "a 12x10 ft high resolution backdrop of spring garden leaves", + "12x10 high resolution backdrop of spring garden leaves", + "12x10 ft high resolution backdrop of spring garden leaves,", + "pink garden leaves 12x10 ft high resolution backdrop", + " 12x10 ft high resolution backdrop of spring garden leaves", + "10 ft high resolution backdrop of spring garden leaves", + "12x10 ft backdrop of spring garden leaves" + ], + "i would like some champagne rhinestones for my nail art.": [ + "Champagne rhinestones for nail art", + " champagne rhinestones for nail art", + " champagne rhinestones for my nail art", + "pink rhinestones for nail art", + "chocolate rhinestones for nail art", + "plastic rhinestones for nail art", + " champagne rhinestones for my nail art.", + "Champagne rhinestones for my nail art", + "Champagne rhinestones nail art", + "Champagne rhinestones for nail art." + ], + "i'm looking for a cruelty free eyeshadow palette with division color.": [ + "cruelty free eyeshadow palette with division color", + "cruelty free eyeshadow palette", + "cruelty free eyeshadow palette with division color.", + "cruelty free eyeshadow palette, division color", + "cruelty-free eyeshadow palette with division color", + "cruelty free eyeshadow palette in division color", + "cruelty free eyeshadow palette that is division color", + "cruelty free eyeshadow palette under $40", + "cruelty free eyeshadow palette with division", + "cruelty free eyeshadow palette with division color," + ], + "i'm looking for a perfect natural hair treatment with rice protein.": [ + "natural hair treatment with rice protein", + "pure natural hair treatment with rice protein", + "natural hair treatment with rice protein.", + "perfect natural hair treatment with rice protein", + "beauty treatment with rice protein", + "natural hair treatment rice protein", + "natural hair treatment made with rice protein", + "natural hair treatment made from rice protein", + "natural hair treatment, rice protein", + "natural hair treatment" + ], + "i would like a color d wall lamp for my living room.": [ + "wall lamp for living room color d", + "living room color d wall lamp", + "wall lamp for living room", + "colored wall lamp for living room", + "wall lamp living room color d", + "color d wall lamp for living room", + "d wall lamp for living room", + "wall lamp in a color d", + "wall lamp for the living room", + "wall lamp for my living room." + ], + "i am looking for woman gym workout non slip arch support pink color shoe size :8": [ + "woman gym workout non slip arch support pink color shoe", + "woman gym workout non slip arch support pink", + "woman gym workout non slip arch support pink color shoe size", + "woman gym workout non slip arch support pink size :8", + "woman gym workout non slip arch support pink size", + "woman gym workout non slip arch support pink shoes", + "woman gym workout non slip arch support pink sneakers", + "pink color shoe size :8", + "woman gym workout shoes size :8", + "woman gym workout" + ], + "looking for hand crafted cranberry pumpkin seed choose pack of 12": [ + "hand crafted cranberry pumpkin seed pack of 12", + "hand crafted cranberry pump pumpkins seed pack of 12", + "hand crafted cranberry pump pumpkin seed pack of 12", + "hand crafted cranberry pumpkins seed pack of 12", + "hand crafted cranberry pumpkin seed pack of 12 under $50", + "hand crafted cranberry pump pumpman seed pack of 12", + "hand crafted cranberry pumpkin seed pack of 12 under $40", + "hand crafted cranberry pumpkin seed pack of 12 under $60", + "hand crafted cranberry pumpman seed pack of 12", + "hand crafted cranberry pumpkin seed pack of 12," + ], + "i need some boots in a seven wide that have leather soles. the color should be \"i mocka.\"": [ + "shoes 7 wide i mocka", + "shoes in a seven wide color i mocka", + "booty 7 wide i mocka", + "bootshoes 7 wide i mocka", + "shoes in a seven wide i mocka", + "booty seven wide i mocka", + "shoes seven wide i mocka", + "shoes in a seven wide with leather soles", + "shoes in a seven wide i mocka.", + "bootshoes in a seven wide i mocka" + ], + "am looking for a long lasting chanel gabrielle women edp spray 1.7 oz": [ + "chanel gabrielle women edp spray 1.7 oz", + "long lasting chanel gabrielle women edp spray 1.7 oz", + "chanel gabrielle women edp spray 1.7 oz long lasting", + "shoes chanel gabrielle women edp spray 1.7 oz", + "chanel gabrielle women edp spray 2.7 oz", + "bagrielle women edp spray 1.7 oz", + "chanel gabrielle women edp spray 1.7 oz,", + "chanel gabrielle women edp spray 1.7 oz", + "womens edp spray 1.7 oz", + "bathroom spray 1.7 oz" + ], + "looking for a gift for valentines day: custom funny face, comfortable fit kiss me boxer shorts novelty photo printed underwear. its size is 4x bigger.": [ + "pink boxer shorts 4x bigger", + "packet shorts 4x bigger", + "5x4 boxer shorts", + "bagel shorts 4x bigger", + "4x bigger boxer shorts", + "4x bigger valentines day underwear", + "6x4 boxer shorts", + "4x bigger valentines day", + "4xl boxer shorts", + "5x8 boxer shorts" + ], + "i am looking for chocolate filled flavor cookies having low sugar and low fat.": [ + "chocolate filled flavor cookies with low sugar and low fat", + "chocolate filled flavor cookies low sugar and low fat", + "chocolate filled flavor cookies, low sugar and low fat", + "chocolate filled flavor cookies", + "chocolate filled flavor cookies having low sugar and low fat", + "chocolate filled flavor cookies low sugar low fat", + "chocolate filled flavor cookies no sugar and low fat", + "chocolate filled flavor cookies with low sugar low fat", + "chocolate filled flavor cookies low sugar and low fat.", + "chocolate filled flavor cookies no sugar" + ], + "i am looking for a large size grey color light weight women's sleeveless pullover sweater with unique design.": [ + "womens sleeveless pullover sweater with unique design", + "womens sleeveless pullover sweater", + "grey color light weight womens sleeveless pullover sweater", + "large grey color light weight womens sleeveless pullover sweater", + "womens sleeveless pullover sweater with a unique design", + "womens sleeveless pullover sweater in a large size", + "womens sleeveless pullover sweater with unique design.", + "mens sleeveless pullover sweater with unique design", + "large size grey sweater with unique design", + "mens sleeveless pullover sweater" + ], + "i need an engineered wood end table": [ + "engineered wood end table", + "engineered wood end table under $40", + "engineered wood end table under $50", + "engineered wood end table under $60", + "engineered wood end table under $120", + "engineered wood end table under $130", + "engineered wood end table,", + "engineered wood end table that is engineered", + " engineered wood end table", + "engineered wood table" + ], + "i\u2019m looking for a mini dual band desktop computer that supports ultra hd and has at least 16 gigabytes of ram.": [ + "mini dual band desktop computer with 16 gigabytes of ram", + "desktop computer with ultra hd", + "mini dual band desktop computer with ultra hd", + "mini dual band desktop computer with 16 gigabytes", + "dual band desktop computer with ultra hd", + "dual band desktop computer with 16 gigabytes of ram", + "mini dual band desktop computer that supports ultra hd", + "desktop computer with ultra hd 16 gigabytes", + "tablet with ultra hd", + "desktop computer that supports ultra hd" + ], + "i would like a oversize 60 x 30 in color a wall posted to hang in the living room.": [ + "i would like a wall posted to hang in the living room.", + "oversize 60 x 30 wall posted to hang in the living room", + "oversize 60 x 30 color living room wall", + "oversize 60 x 30 in color living room", + "oversize 60 x 30 wall", + "oversize 60 x 30 color wall", + "size 60 x 30 wall", + "50 x 30 wall", + "living room wall", + "room wall" + ], + "i am looking for men's slippers of size 8 that are long lasting.": [ + "mens slippers size 8 long lasting", + "mens slippers of size 8 long lasting", + "mens slippers of size 8", + "mens slippers that are long lasting", + "mens slippers in size 8 long lasting", + "mens slippers, size 8 long lasting", + "mens slippers size 8", + "mens slippers long lasting", + "mens slippers", + "mens slippers size 8 long lasting." + ], + "tv rack up to 55 inches living room white": [ + "tv rack for 55 inches living room white", + "tv rack, 55 inches living room white", + "tv rack of 55 inches living room white", + "tv rack to 55 inches living room white", + "tv rack with 55 inches living room white", + "tv rack up to 55 inches white", + "tv rack living room white", + "tv rack for living room white", + "tv rack up to 55 inches living room", + "tv rack" + ], + "im looking for hair clips and a hair pad for my hair extensions in the color dark brown.": [ + "dark brown hair clips and pad", + "dark brown hair clips and hair pad", + "dark brown hair clips", + "dark brown hair clips, hair pad", + "dark brown hair clips and pads", + "dark brown hair clips and pad hair extensions", + "dark brown human hair clips and pad", + "dark brown hair clips in a hair pad", + "dark brown wig", + "dark brown" + ], + "i need a pack of 12 easy to prepare noodle dishes": [ + "pack of 12 easy to prepare noodle dishes", + "pack of 12 easy to prepare noodle dishes under $60", + "pack of 12 easy to prepare noodle dishes under $50", + "pack of 12 easy to prepare noodle dishes under $40", + "pack of 12 easy to prepare noodle dishes under 120 dollars", + "pack of 12 easy to prepare noodle dishes under 50 dollars", + "12 pack of 12 easy to prepare noodle dishes", + "pack of 12 easy to prepare noodle dishes under 30 dollars", + "pack of 12 easy to prepare noodle dishes under 40 dollars", + "pack of 12 easy to prepare noodle dishes under 60 dollars" + ], + "i want an easy to prepare knorr pasta butter and herb side dish.": [ + "easy to prepare knorr pasta butter and herb side dish", + "easy to prepare knorr pasta butter herb side dish", + "low to prepare knorr pasta butter and herb side dish", + "easy to prepare knorr pasta butter, herb side dish", + "easy to prepare knorr pasta butter herb side dish.", + "easy to prepare knorr pasta butter with herb side dish", + "korr pasta butter and herb side dish", + "krorr pasta butter and herb side dish", + "easy to prepare knorr pasta butter side dish", + "easy to prepare knorr pasta butter" + ], + "i would like a white twin size bed.": [ + "white twin bed", + "white twin size bed", + "white twin size bed.", + "white twin bed.", + "white twin size bed,", + "white twin bed with a bed", + "white twin bed under $50", + "white twin bed white", + "white twin bed under $40", + "white twin" + ], + "i would like a storage case for my dentures.": [ + "storage case for dentures", + "storage case for dentures.", + "storage case for my dentures", + "storage case for my dentures.", + "storage case for dentures under $50", + "storage case for dentures under $40", + "storage case for dentures under $130", + "storage case for dentures under $120", + "storage case for dentures under $60", + "storage case for dentures," + ], + "i'm looking for hair extensions to prevention of hair falling its for hair care.": [ + "hair extensions for hair care", + "hair extensions prevention less then $40", + "hair extensions prevention of hair falling its", + "hair extensions prevention hair care", + "hair extensions prevention", + "hair extensions to prevention of hair falling its", + "hair extensions prevention of hair falling", + "to prevention of hair extensions", + "hair extension prevention", + "hair extensions" + ], + "i'm looking for a super soft throw blanket with skulls on it that's fifty by forty inches.": [ + "super soft throw blanket with skulls", + "super soft throw blanket with skulls, fifty by forty inches", + "super soft throw blanket with skulls on it", + "super soft throw blanket with skulls thats fifty by forty inches", + "super soft throw blanket with skulls fifty by forty inches", + "super soft throw blanket, fifty by forty inches", + "super soft throw blanket that is fifty by forty inches", + "super soft throw blanket fifty by forty inches", + "super soft throw blanket", + "super soft throw blanket with skulls on it fifty by forty" + ], + "i am looking for a black queen size blanket for kids.": [ + "black queen size blanket for kids", + "black queen size blanket for kids.", + "blanket for kids black queen size", + "queen size blanket for kids", + "black queen size blanket", + "black queen size blanket for kids,", + "blanket for kids", + "blanket for kids black", + "white queen size blanket for kids", + "blanket black for kids" + ], + "i need green tea pack 1": [ + "green tea pack 1", + "green tea pack 1 green", + "green tea pack 1 that is green", + "green tea pack 1 green tea", + "green tea pack 1 under $40", + "green tea pack 1 under $50", + "green tea pack 1 under $60", + "green tea pack 1 green", + "green tea pack 1, green", + "green tea pack 1, green tea" + ], + "i want a black soulaca smart tv with usb port.": [ + "black soulaca smart tv with usb port", + "black soulaca smart tv with usb port.", + "black soulaca smart tv", + "black soulaca smart tv with usb port,", + "black Soulaca smart tv with usb port", + "a black soulaca smart tv with usb port", + "black soulaca smart tv system with usb port", + "black soulaca smart tv, usb port", + "black soulaca smart tv case with usb port", + "black saca smart tv with usb port" + ], + "i want solid wood espresso color queen size bed from modus furniture": [ + "solid wood espresso color queen size bed", + "gao color queen size bed from modus furniture", + "queen size bed from modus furniture", + "wooden queen size bed from modus furniture", + "solid wood espresso color queen size bed from modus", + "dust cream queen size bed from modus furniture", + "stainless wood espresso color queen size bed", + "jeans size bed from modus furniture", + "living room solid wood espresso color queen size bed", + "queen size bed from modus furniture solid wood" + ], + "i would like to buy an amplifier that is easy to install.": [ + "easy to install amplifier", + "easy-to-install amplifier", + "easy to install amplifier under $40", + "easy to install amplifier under $60", + "easy to install amplifier under $50", + "easy to install amplifier under 50 dollars", + "easy to install amplifier under 30 dollars", + "easy to install amplifier under 40 dollars", + "easy install amplifier", + "easy setup amplifier" + ], + "i'm looking for clothing quality and high waist for woman's.": [ + "womens clothing quality high waist", + "womens high waist", + "high waist womans", + "womens high waist high waist", + "womens high waist clothing quality", + "high waist for womans", + "tempered high waist womans", + "womens clothing quality", + "high waist womans clothing quality", + "large waist womans" + ], + "i am looking for a cover that has a glass screen and is blue": [ + "cover that has a glass screen", + "blanket cover that has a glass screen", + "cover with a glass screen", + "cover that has a glass screen, blue", + "cover that has a glass screen blue", + "cover for cover that has a glass screen", + "blanket cover with a glass screen", + "cover with glass screen", + "blanket cover", + "cover blue" + ], + "i am looking for an open toe sandals that has high heel. please choose the 8.5 size with white color": [ + "open toe sandals 8.5 white", + "open toe sandals with high heel white", + "open toe sandals in white", + "open toe sandals with high heel", + "open toe sandals 8.5", + "open toe sandals", + "open toe sandals that has high heel", + "open toe sandals that have high heel", + "open toe sandals, white", + "open toe sandals white" + ], + "i am looking for a o color shampoos for hair losses": [ + "shampoos for hair losses", + " o color shampoos for hair losses", + "o color shampoos for hair losses", + " o color shampoos for hair losses", + "o color shampoos for hair losses", + "a color shampoos for hair losses", + "oatmeal shampoos for hair losses", + "optical shampoos for hair losses", + "shampoos for hair losses o color", + "shampoos for hair losses o color o" + ], + "i'm looking for hair loss control drops that will help with hair growth.": [ + "hair loss control drops that will help with hair growth", + "hair loss control drops", + "hair loss control drops for hair growth", + "hair loss control drops that help with hair growth", + "hair loss control drops that can help with hair growth", + "hair loss control drops that help with hair growth.", + "hair loss control drops to help with hair growth", + "hair loss control drops that are good for hair growth", + "hair loss control drops that are help with hair growth", + "hair loss control drops for hair growth." + ], + "i am looking for a high definition sound bar that is camouflage.": [ + "high definition sound bar that is camouflage", + "low definition sound bar that is camouflage", + "comfortable sound bar that is camouflage", + "high definition sound bar with camouflage", + "curtains high definition sound bar", + "sound bar that is camouflage", + "high definition sound bar, camouflage", + "high definition sound bar", + "casualty sound bar", + "comfortable sound bar" + ], + "i would love to buy a 12 count , low carb keto bars made with quality ingredients and keto friendly.": [ + "12 count keto bars made with quality ingredients", + "low carb keto bar 12 count keto", + "low carb keto bars made with quality ingredients", + "12 count keto bars", + "low carb keto bars 12 count keto", + "12 count keto bar", + "keto bars 12 count keto", + "keto bar 12 count keto", + "low carb keto bars", + "12 count keto bars keto bar" + ], + "i am looking for 12 pcs bpa free plastic spray bottle of amber color": [ + "12 pcs bpa free plastic spray bottle of amber", + "12 pcs bpa free plastic spray bottle", + "pcs bpa free plastic spray bottle of amber color", + "pcs bpa free plastic spray bottle of amber", + "pcs bpa free plastic spray bottle", + "12 pcs bpa free plastic spray bottle in amber", + "bpa free plastic spray bottle of amber color", + "bpa free plastic spray bottle of amber", + "12 pcs bpa free", + "plastic spray bottle of amber color" + ], + "i am looking to buy a quick release, non slip, travel tripod stand and it has to be silver.": [ + "quick release, non slip travel tripod stand silver", + "quick release, non slip, travel tripod stand", + "short release, non slip travel tripod stand silver", + "quick release, non slip travel tripod stand", + "quick release non slip travel tripod stand silver", + "silver travel tripod stand", + "light weight travel tripod stand silver", + "quick release travel tripod stand silver", + "pink travel tripod stand", + "5 ft silver travel tripod stand" + ], + "i need to buy a satin nickel finished vanity light that's thirty inches long.": [ + " satin nickel finished vanity light", + " satin nickel finished vanity light, thirty inches long", + " satin nickel finished vanity light thats thirty inches long", + " satin nickel finished vanity light thirty inches long", + "satin nickel finished vanity light", + "satin nickel finished vanity light", + "satin nickel finished vanity light, thirty inches long", + "satin nickel finished vanity light thirty inches long", + "sittingin nickel finished vanity light", + "stainin nickel finished vanity light" + ], + "i would like a paraben and sulfate free body wash.": [ + "paraben and sulfate free body wash", + "paraben free body wash", + "paraben sulfate free body wash", + "shampoo paraben and sulfate free", + "lip wash paraben and sulfate free", + "sulfate free body wash", + "shampoo paraben sulfate free", + "pink body wash", + "shampoo paraben free", + "paraben free body wash." + ], + "i need a 1.43 ounce (pack of 12) soy free non gmo plant based gluten free original flavored chips.": [ + "1.43 ounce (pack of 12) soy free original flavored chips", + "1.43 ounce (pack of 12) soy free flavored chips", + "1.43 ounce (pack of 12) soy free gluten free original flavored chips", + "1.43 ounce (pack of 12) soy free original flavored chips.", + "soy free non gmo plant based gluten free original flavored chips", + "1.43 ounce (pack of 12) soy free original flavored chips,", + "strawberry chips gluten free 1.43 oz", + "chocolate chips gluten free 1.43 oz", + "stainless gluten free chips 1.43 oz", + "stainless gluten free chips" + ], + "i am looking for dang toasted coconut chips with soy free, gluten free , non gmo and plant based with size 3.17 ounce": [ + "dang toasted coconut chips soy free, gluten free, non gmo and plant based", + "dang toasted coconut chips soy free, gluten free and plant based", + "dang toasted coconut chips soy free, gluten free , non gmo and plant based", + "dang toasted coconut chips with soy free, gluten free and plant based", + "dang toasted coconut chips soy free, gluten free 3.17 ounce", + "dang toasted coconut chips soy free, gluten free and plant based 3.17 ounce", + "dang toasted coconut chips soy free", + "dang toasted coconut chips soy free 3.17 ounce", + "dang toasted coconut chips dairy free and plant based 3.17 ounce", + "dang toasted coconut chips soy free and plant based" + ], + "i'm interested in contemporary style barstools for the living room that are easy to clean and non-slip.": [ + "contemporary style barstools for the living room", + "living room barstools that are easy to clean and non-slip", + "contemporary style barstools for the living room that are easy to clean", + "living room style barstools clean and non-slip", + "contemporary style barstools for living room", + "living room barstools clean and non-slip", + "contemporary style barstools for living room that are easy to clean", + "contemporary style barstools", + "living room style barstools clean and non-slip.", + "living room style barstools" + ], + "i am looking for a low fat black bean soup": [ + "low fat black bean soup", + "low fat black bean soup, and price lower than 50.00 dollars", + "low fat black bean soup, and price lower than 40.00 dollars", + "low fat black bean soup, and price lower than 30.00 dollars", + "low fat black bean soup, and price lower than 60.00 dollars", + "low fat black bean soup below $40", + "low fat black bean soup, and price lower then 50.00 dollars", + "low fat black bean soup, and price lower than 140.00 dollars", + "low fat black bean soup, and price lower then $40.00", + "low fat black bean soup whose price is lower then $40.00" + ], + "i am looking for brass color coffee table for my living room.": [ + "brushed color coffee table for living room", + "brains color coffee table for living room", + "brush color coffee table for living room", + "brains color coffee table for my living room", + "brushed color coffee table for my living room", + "brushed color coffee table for living room.", + "brittle color coffee table for living room", + " brass color coffee table for my living room.", + "plastic coffee table for living room", + "brush color coffee table for my living room" + ], + "i want kerastim pro hair loss treatment for men & women.": [ + "kneeastim pro hair loss treatment for men & women", + " kerastim pro hair loss treatment for men & women", + " kerastim pro hair loss treatment for men & women.", + "komastim pro hair loss treatment for men & women", + "kerastim pro hair loss treatment for men & women", + "ketim pro hair loss treatment for men & women", + "kurastim pro hair loss treatment for men & women", + "kimatim pro hair loss treatment for men & women", + "kerastim pro hair loss treatment for men & women", + "kingim pro hair loss treatment for men & women" + ], + "i'm looking for a size 2.55 ounce anti aging hydra-nutrition day cream.": [ + "2.55 ounce anti aging hydra-nutrition day cream", + "size 2.55 ounce anti aging hydra-nutrition day cream", + "1.55 ounce anti aging hydra-nutrition day cream", + "anti aging hydra-nutrition day cream 2.55 oz", + "anti aging hydra-nutrition day cream size 2.55 oz", + "anti aging hydra-nutrition day cream", + "anti aging hydra-nutrition day cream size 2.55", + "ant aging hydra-nutrition day cream 2.55 oz", + "two.55 ounce anti aging hydra-nutrition day cream", + "ant aging hydra-nutrition day cream size 2.55 oz" + ], + "i am looking women hairpiece of 80cm size that are of high quality and easy to use.": [ + "womens hairpiece of 80cm size", + "womens hairpiece of 80cm", + "woman hairpiece of 80cm size", + "womens hairpiece 80cm size", + "women hairpiece of 80cm size", + "womens hairpiece 80cm", + "woman hairpiece of 80cm", + "womens hairpiece", + "woman hairpiece 80cm size", + "women hairpiece of 80cm" + ], + "i need to buy some work shoes with a slip resistant rubber sole. i want them in gray, size nine wide.": [ + "work shoes with a slip resistant rubber sole", + "rainbow shoes size 9 wide", + "work shoes in gray, size 9 wide", + "work shoes in gray, size nine wide", + "work shoes, gray, size 9 wide", + "work shoes size 9 wide", + "work shoes in gray size 9 wide", + "work shoes that are slip resistant", + "work shoes with slip resistant rubber sole", + "work shoes in gray" + ], + "i need a super soft twin throw that is multicolored": [ + "super soft twin throw that is multicolored", + "super soft twin throw", + "super soft twin throw multicolored", + "super soft twin throw with multicolored", + "super soft twin throw, multicolored", + "super soft twin throw in multicolored", + "super soft twin throw multiicolored", + "super soft twin throws that is multicolored", + "super soft twin throw with multicolored dimensions", + "super soft twin throw under $50" + ], + "i would like an intel core desktop that has 32gb of ram and 2tb of storage.": [ + "intel core desktop with 32gb of ram", + "intel core desktop with 32gb of ram and 2tb", + "intel core desktop 32gb of ram and 2tb storage", + "intel core desktop 32gb of ram and 2tb", + "intel core desktop 32gb of ram with 2tb storage", + "intel core desktop with 32gb of ram 2tb", + "intel core desktop 32gb of ram", + "intel core desktop 32gb of ram with 2tb", + "intel core desktop 32gb of ram 2tb", + "intel core desktop with 32gb" + ], + "i am interested in buying a demi-permanent hair color which is neon red, and that i can apply easily, also i want it to be cruelty free product.": [ + "moisturizing red hair color", + "moisturizing red human hair color", + "nano red hair color", + "nude red hair color", + "demi-permanent hair color", + "nude red human hair color", + "neen red hair color", + "nano red human hair color", + "moisturizing red", + "jeans red" + ], + "i would like a 6 pack of easy to prepare breakfast foods.": [ + "6 pack of easy to prepare breakfast foods", + "6 pack of breakfast foods", + "easy to prepare breakfast foods 6 pack", + "easy to prepare breakfast foods under $60", + "easy to prepare breakfast foods", + "easy to prepare breakfast foods. 6 pack", + "8 pack of easy to prepare breakfast foods", + "easy to prepare breakfast foods under $50", + "easy to prepare breakfast foods, 6 pack", + "pack of easy to prepare breakfast foods" + ], + "i would like a a monocular for bird watching.": [ + "monocular bird watching", + "monocular for bird watching", + "a monocular bird watching", + "a monocular for bird watching", + "a monocular for bird watching.", + "monocular for bird watching.", + "monocular bird watching under $40", + "monocular bird watching under $50", + "monocular bird watching.", + "a monocular bird watching." + ], + "i am looking for a fits round tables up to 42 diameter size of machine washable tablecloths": [ + "tablecloths 42 inches", + "bottle tablecloths 42 inches", + "router tablecloths 42 inches", + "tablecloths 42 x 42 inches", + "tablecloths 42 x 42", + "square tablecloths 42 inches", + "tablecloths 42 size", + "tablecloths 42 inches long", + "tablecloths 42 diameter", + "tablecloths 42 x 42 size" + ], + "i would like a aluminum alloy high speed coaxial tip.": [ + "aluminum alloy high speed coaxial tip", + "aluminum alloy high speed coaxial tip.", + "aluminum alloy high speed coaxial tip under $40", + "aluminum alloy high speed coaxial tip under $50", + "uminum alloy high speed coaxial tip", + "aluminum alloy high speed coaxial tip under $60", + "aluminum alloy high speed coaxial tip below $40", + "aluminum alloy high speed coaxial tip below $50", + "aluminum alloy high speed coaxial tip,", + "coaxial tip aluminum alloy" + ], + "i want the pinole project high protein oatmeal.": [ + "pinkole project high protein oatmeal", + "pinole project high protein oatmeal", + "polar project high protein oatmeal", + "pole project high protein oatmeal", + "pitole project high protein oatmeal", + "pinchole project high protein oatmeal", + "Pinole project high protein oatmeal", + "pinole project high protein oatmeal.", + "pink oatmeal", + "low protein oatmeal" + ], + "i need a wall sconce with two lights in brushed nickel.": [ + "wall sconce with two lights in brushed nickel", + "wall sconce with two lights in brushed nickel.", + "wall sconce, two lights in brushed nickel", + "wall sconce two lights in brushed nickel", + "wall sconce with two lights in brushed nickel,", + "wall sconce that is two lights in brushed nickel", + "wall sconce 2 lights in brushed nickel", + "wall sconce of two lights in brushed nickel", + "wall sconce in brushed nickel", + "wall sconce" + ], + "i would like to buy a slip resistant women's clog having rubber sole in size 11.": [ + "womens clog having rubber sole in size 11", + "womens clog with rubber sole in size 11", + "womens clog having rubber sole", + "womens clog with rubber sole size 11", + "womens clog with rubber sole", + "womens clog having rubber sole size 11", + "slip resistant womens clog having rubber sole", + "womens clog rubber sole in size 11", + "slip resistant womens clog with rubber sole", + "womens clog" + ], + "i need a blue body brush for dry skin.": [ + "blue body brush for dry skin", + "blue body brush for dry skin.", + "blue body brush for dry skin under $40", + "blue body brush for dry skin under $50", + "blue body brush for dry skin,", + "blue body brush for dry skin under $60", + "blue body brush for dry skin ", + "blue human brush for dry skin", + "blue body brush dry skin", + "blue body brush, dry skin" + ], + "i need a classic fit t-shirt . and i would prefer medium size with purple color": [ + "classic fit t-shirt purple", + "classic fit t-shirt with purple color", + "classic fit t-shirt with purple", + "classic fit t-shirt in purple", + "classic fit t-shirt", + "classic fit t-shirt, purple", + "classic fit t-shirt that is purple", + "classic fit t-shirt purple below $50", + "classic fit t-shirt pomegranate", + "classic fit t-shirt purple below $40" + ], + "i want to buy an easy to use plug and play usb flash drive in black. get the 512 megabyte size.": [ + "easy to use plug and play usb flash drive in black", + "usb flash drive in black", + "easy to use plug and play usb flash drive", + "easy to use plug and play usb flash drive 512 megabyte", + "usb flash drive 512 megabyte", + "usb flash drive in black, 512 megabyte", + "usb flash drive in black 512 megabyte", + "usb flash drive in black that is easy to use", + "easy to use usb flash drive in black", + "iphones flash drive in black" + ], + "for home furnishing, i need a rectangular rug in ivory grey color, measuring 11ft x 15ft.": [ + "square rug in ivory grey color, 11ft x 15ft", + "square rug in ivory grey color 11ft x 15ft", + "square rug in ivory grey color", + "square rug in ivory grey color, 9ft x 15ft", + "square rug in ivory grey", + "wooden rug 11ft x 15ft", + "home furnishing rug 11ft x 15ft", + "home furnishing rectangular rug in ivory grey color", + "size 11ft x 15ft rug", + "size 11ft x 15ft modern rug" + ], + "i would like a white twin sized bunk bed with a wood frame.": [ + "white twin sized bunk bed with a wood frame", + "white twin sized bunk bed with wood frame", + "white twin sized bunk bed", + "white twin bed with a wood frame", + "white twin sized bunk bed wood frame", + "white twin size bunk bed with a wood frame", + "white twin s bunk bed with a wood frame", + "white twin sized bunk bed that is wood frame", + "white twin sized bunk bed, wood frame", + "white twin bed with wood frame" + ], + "i am looking for a high quality trolley cart for a beauty salon, which is in 4tier size.": [ + "trolley cart for a beauty salon in 4tier size", + "4tier trolley cart for a beauty salon", + "4tier beauty salon trolley cart in 4tier size", + "trolley cart for a beauty salon 4tier size", + "4tier beauty salon trolley cart", + "trolley cart for beauty salon in 4tier size", + "beauty salon trolley cart in 4tier size", + "trolley cart for a beauty salon, 4tier size", + "4tier trolley cart for beauty salon", + "4tier trolley cart" + ], + "looking for long lasting string curtain window choose colour yellow": [ + "long lasting string curtain window yellow", + "string curtain window yellow long lasting", + "string curtain window yellow", + "long lasting string curtain window colour yellow", + "long lasting string curtain window", + "long lasting string curtain window in yellow", + "long lasting string curtain window color yellow", + "long lasting string curtain window, yellow", + "string curtain window colour yellow", + "yellow string curtain window" + ], + "i need 2 pieces anti aging ice face roller gua sha": [ + "anti aging ice face roller gua sha 2 pieces", + "anti aging ice face roller gua sha", + "2 pieces anti aging ice face roller gua sha", + "anti aging ice face roller gua sha 2 piece", + "anti aging ice face roller gua sha 2 pieces anti aging", + "anti aging ice face roller gua sha 2 piece anti aging", + "anti aging ice face roller gua sha, 2 pieces", + "2 piece anti aging ice face roller gua sha", + "anti aging ice face roller gua sha under $40", + "anti aging ice face roller gua sha 2" + ], + "i would like some eco friendly nail cleaning brushes.": [ + "eco friendly nail cleaning brushes", + "eco friendly nail cleaning brushes.", + "eco friendly nail cleaning brushes under $50", + "eco friendly nail cleaning brushes under $40", + "eco friendly nail cleaning brushes under $60", + "eco friendly nail cleaning brush", + "eco friendly nail cleaning brushes eco friendly", + "eco friendly nail cleaning brushes below $50", + "eco friendly nail cleaning brushes under 50 dollars", + "eco friendly nail cleaning brushes below $40" + ], + "i'm looking for a digital power amplifier board that's high performance and has stereo sound.": [ + "digital power amplifier board high performance with stereo sound", + "digital power amplifier board high performance", + "digital power amplifier board that is high performance", + "digital power amplifier board high performance and has stereo sound", + "digital power amplifier board with stereo sound", + "digital power amplifier board", + "digital power amplifier board with high performance", + "digital power amplifier board with high performance and stereo sound", + "digital power amplifier board high performance and with stereo sound", + "high performance digital power amplifier board with stereo sound" + ], + "i'm looking for a mini pc intel core desktop computer which supports with windows 11.": [ + "mini pc intel core desktop computer with windows 11", + "mini pc intel core desktop computer which supports with windows 11", + "tablet pc intel core desktop computer with windows 11", + "mini pc intel core desktop computer that supports with windows 11", + " mini pc intel core desktop computer which supports with windows 11", + "mini pc intel core desktop computer", + "desktop computer with windows 11 mini pc intel", + " mini pc intel core desktop computer with windows 11", + "desktop computer with windows 11", + "mini pc intel core desktop computer with windows 11." + ], + "i would like a pair of small purple jogging pants that are for the gym.": [ + "small purple jogging pants for the gym", + "small purple jogging pants", + "small purple jogging pants for the gym.", + "small purple jogging pants, for the gym", + "small purple jogging pants for a gym", + "small purple jogging pants for gym", + "small purple jogging pants for the gym,", + "pink jogging pants for the gym", + "small purple jogging pants for jogging", + "small purple jogging pants for workouts" + ], + "i would like a living room poster that is 16 by 20 inches": [ + "living room poster 16 by 20 inches", + "living room poster 16x 20 inches", + "living room poster 16 x 20 inches", + "living room poster16 by 20 inches", + "living room poster size 16 by 20 inches", + "16 by 20 inches living room poster", + "living room poster, 16 by 20 inches", + "living room poster", + "living room poster 17 by 20 inches", + "living room poster 16 by 20 inches," + ], + "i want lubriderm fragrance free body lotion for dry skin": [ + "lubriderm fragrance free body lotion", + "lipriderm fragrance free body lotion for dry skin", + "lipriderm fragrance free body lotion", + "ubriderm fragrance free body lotion for dry skin", + "lubriderm fragrance free body lotion dry skin", + "limbm fragrance free body lotion for dry skin", + " lubriderm fragrance free body lotion", + "levism fragrance free body lotion for dry skin", + "ubriderm fragrance free body lotion", + "body lotion for dry skin" + ], + "i need a pink dust-proof cover for my fire stick tv remote.": [ + "pink dust-proof tv remote", + "pink dust-proof cover tv remote", + "pink dust-proof cover for a tv remote", + "pink dust-proof cover for tv remote", + "pink dust-proof cover for my tv remote", + "pink dust-proof cover for the tv remote", + "pink dust-proof cover for an tv remote", + "pink dust-proof cover", + "pink dust-proof tv remote.", + "pink dust proof tv remote" + ], + "i would like a high speed wireless charging station for my iphone.": [ + "high speed wireless charging station for iphone", + "iphone wireless charging station", + "high speed wireless charging station iphone", + "high speed wireless charging station for iiphone", + "wireless charging station for iphone", + "iphone charging station", + "high speed wireless charging station", + "iphone high speed wireless charging station", + "high speed wireless charging station iphone.", + "iphone charging station high speed" + ], + "i would like a sky blue 12 inch throw pillow for my living room.": [ + "sky blue 12 inch throw pillow for my living room", + "sky blue 12 inch throw pillow", + "sky blue 12 inch throw pillow for the living room", + "sky blue 12 inch throw pillow for living room", + "sky blue 12 inch throw pillow living room", + "sky blue 12 inch throw pillow for a living room", + "sky blue 12 inch throw pillow for living room.", + "sky blue 12 inch throw pillow in my living room", + "sky blue throw pillow for my living room.", + "sky blue throw pillow for my living room" + ], + "i am looking for a body brush for dead skin.": [ + "body brush for dead skin", + "body brush for dead skin.", + "body brush for dead skin under $40", + "body brush for dead skin under $50", + "body brush for dead skin under $60", + "body brush for dead skin below $40", + "Body brush for dead skin", + "dead skin body brush", + "body brush for dead skin below $50", + "body brush for dead skin under 50 dollars" + ], + "i would like to buy a white colored easy to assemble book case for my living room.": [ + "white colored easy to assemble book case for living room", + "white colored easy to assemble book case", + "white colored easy to assemble book case living room", + "white easy to assemble book case for living room", + "white colored easy assemble book case for living room", + "white colored easy to assemble book case for dining room", + "white easy to assemble book case", + "white colored easy assemble book case", + "white colored living room book case", + "white" + ], + "i'm looking for computer accessories its easy to use it can install at any": [ + "easy to use computer accessories", + "easy to install computer accessories", + "easy-to-use computer accessories", + "easy to use computer accessories under $40", + "easy to use computer accessories under $50", + "easy to use computer accessories under $60", + "computer accessories easy to use", + "easy to use computer accessories under $120", + "easy to use computer accessories for any computer", + "easy to use computer accessories under $130" + ], + "i'm looking for groceries for great gift and gift basket.": [ + "gift basket", + "gift basket for groceries", + "gift basket with groceries", + "gift basket under $50", + "gift basket under $40", + "gift basket under $60", + "gift basket groceries", + "gift basket under 50 dollars", + "gift basket, groceries", + "gift basket that is great" + ], + "i would like a slim fit black tank that is in a medium": [ + "slim fit black tank", + " slim fit black tank in a medium", + "slim fit black tank, medium", + "small black tank in a medium", + "large black tank slim fit", + "medium black tank slim fit", + " slim fit black tank", + "small black tank", + "large black tank", + "medium black tank" + ], + "i need some vanity lights that are brushed nickel": [ + "vanity lights brushed nickel", + "vanity lights that are brushed nickel", + "vegan vanity lights brushed nickel", + "pink vanity lights brushed nickel", + "vanity lights brushed nickel vanity lights", + "k vanity lights brushed nickel", + "toothpaste lights brushed nickel", + "faux nickel vanity lights", + "v vanity lights brushed nickel", + "vans lights brushed nickel" + ], + "order for me a black marvel men\u2019s t shirt that is made of cotton heather.": [ + "black men\u2019s t-shirt made of cotton heather", + "black men\u2019s t-shirt made from cotton heather", + "black marvel men\u2019s t shirt made of cotton heather", + "black men\u2019s t shirt made of cotton heather", + "man t-shirt made of cotton heather", + "black men\u2019s t-shirt", + "black marvel men\u2019s t-shirt", + "mens t-shirt made of cotton heather", + "black men\u2019s t-shirt heather", + "black woman t-shirt made of cotton heather" + ], + "i am looking for pink color electric tooth brush which is easy to use": [ + "pink color electric toothbrush", + "pink color electric tooth brush", + "pink color electric tooth brush, easy to use", + "pink color electric toothbrush, easy to use", + "pink color electric toothbrush easy to use", + "pink color electric tooth brush easy to use", + "pink electric toothbrush that is easy to use", + "pink color electric toothbrush under $40", + "pink electric toothbrush", + "pink electric tooth brush" + ], + "i am looking for a 47 piece farm animal cake topper set for a birthday cake, we are having a birthday party.": [ + "47 piece farm animal cake topper set for a birthday party", + "47 piece farm animal cake topper set for a baby shower", + "47 piece farm animal cake topper for a baby shower", + "47 piece farm animal cake topper set for a birthday cake", + "47 piece farm animal cake topper for a birthday party", + " 47 piece farm animal cake topper set for a birthday party", + " 47 piece farm animal cake topper set for a baby shower", + "45 piece farm animal cake topper set for a birthday party", + " 47 piece farm animal cake topper set for a birthday cake", + "47 piece farm animal cake topper" + ], + "i would like a blue mk desk and chair that is height adjustable.": [ + "blue mk desk and chair height adjustable", + "blue mk desk and chair height adjustment", + "blue mk desk and chair height adjustable.", + "blue mk desk chair height adjustable", + "blue mk desk and chair with height adjustment", + "blue mk desk and chair, height adjustable", + "blue mk desk and chair", + "blue mk desk and chair with height adjustable", + "blue mk desk chair that is height adjustable", + "blue mk desk and chairheight adjustable" + ], + "i want a twin size box spring bed for kids color black": [ + "twin size box for kids color black", + "twin size box with kids color black", + "twin size box of kids color black", + "twin bed for kids color black", + "twin size box kids color black", + "twin size box spring bed kids color black", + "twin size box", + "twin size box spring bed", + "twin bed for kids color black twin size", + "twin bed" + ], + "i want plant based gluten free protein serving burgers & patties size ;5- pack": [ + "plant based gluten free protein serving patties size 5- pack", + "plant based gluten free protein serving patties size ;5- pack", + "plant based gluten free protein serving patties 5- pack", + "plant based gluten free protein serving burgers & patties size", + "plant based gluten free protein serving burgers & patties 5- pack", + "plant based gluten free protein serving burgers & patties", + "plant based gluten free protein serving burgers & patties size", + "plant based gluten free protein serving patties", + "plant based gluten free protein serving patties size", + "plant based gluten free protein serving" + ], + "i would like a floor lamp for my living room.": [ + "floor lamp for living room", + "floor lamp for my living room", + "floor lamp living room", + "floor lamp for the living room", + "floor lamp for living room.", + "floor lamp in my living room", + "floor lamp in the living room", + "floor lamp for a living room", + "floor lamp in living room", + "floor lamp, living room" + ], + "i'm looking for men hair removal cream.": [ + "mens hair removal cream", + "men hair removal cream", + "man hair removal cream", + "mens hair removal cream.", + "men hair removal cream.", + "mens hair removal cream under $40", + "men hair removal cream under $40", + "mens hair removal cream under $50", + "mens hair removal cream under $60", + "men hair removal cream under $50" + ], + "i am looking for variety pack sparkling water that is soy and gluten free.": [ + "variety pack sparkling water that is soy and gluten free", + "variety pack sparkling water soy and gluten free", + " variety pack sparkling water that is soy and gluten free", + "variety pack sparkling water", + "variety pack sparkling water with soy and gluten free", + "variety pack sparkling water, soy and gluten free", + "cariety pack sparkling water that is soy and gluten free", + "comp variety pack sparkling water that is soy and gluten free", + "variety pack sparkling water that is soy free", + "variety pack sparkling water with soy and gluten free flavor" + ], + "i need to buy a sky blue fire tablet for a child. it should have a 1080p screen and a blue tooth keyboard.": [ + "sky blue fire tablet for a child with a blue tooth", + "sky blue fire tablet for a child with a blue tooth keyboard", + "sky blue fire tablet for a child", + "sky blue fire tablet for a child with 1080p screen", + "sky blue fire tablet for a child, with a blue tooth keyboard", + "sky blue fire tablet for a child with blue tooth", + "sky blue fire tablet for a child with a blue tooth keyboard.", + "sky blue fire tablet for a child under 30 dollars", + "sky blue fire tablet with a blue tooth", + "sky blue fire tablet" + ], + "i would like a medium sized black women's top with long sleeves.": [ + "medium sized black womens top with long sleeves", + "medium sized black womens top long sleeves", + "medium sized black womens top", + "medium sized black womens top with long sleeves.", + "large sized black womens top with long sleeves", + "medium sized black womens shirt with long sleeves", + "medium size black womens top with long sleeves", + "medium sized black womens top, long sleeves", + "medium sized black womens shirt long sleeves", + "medium sized black womens top with long sleeves," + ], + "i am looking for an easy to assemble bunk bed full over twin trundle would like gray in color.": [ + "easy to assemble bunk bed full over twin trundle gray", + "easy to assemble bunk bed full over twin trundle", + "easy assemble bunk bed full over twin trundle gray", + "easy assemble bunk bed full over twin trundle", + "easy to assemble bunk bed full over twin trundle black", + "easy to assemble bunk bed full over twin trundle white", + "easy assemble bunk bed full over twin trundle in gray", + "bunk bed full over twin trundle gray", + "white bunk bed full over twin trundle", + "black bunk bed full over twin trundle" + ], + "i'm looking for a pendant light with brushed nickel finish. choose the ones in antique gold color.": [ + "pendant light with brushed nickel finish", + "pendant light, antique gold color", + "pendant light in antique gold color", + "pendant light in antique gold", + "pendant light, brushed nickel finish", + "pocket light with brushed nickel finish", + "pendant light antique gold", + "paendant light with brushed nickel finish", + "pendant light, antique gold", + "pendant light antique gold color" + ], + "i want silver and noise cancelling earbuds.": [ + "silver noise cancelling earbuds", + "silver and noise cancelling earbuds", + "silver noise cancelling earbuds.", + "silver noise cancelling earbuds under $40", + "plastic noise cancelling earbuds", + "silver noise cancelling earbuds under $50", + "silver noise cancelling earbuds under $60", + "silver noise cancelling earbuds,", + "silicone noise cancelling earbuds", + "silver noise cancelling earbuds under 50 dollars" + ], + "i need four mid century green chairs": [ + "4 mid century green chairs", + "mid century green chairs", + "mid century green chairs four mid century", + "medium century green chairs", + "four mid century green chairs", + "mid century green chairs, four mid century", + "4 mid century green chairs under $40", + "4 mid century green chairs under $50", + "mid century green chairs, 4 mid century", + "4 mid century green chairs under $60" + ], + "i would like a yellow 6\" around area rug that is easy to clean.": [ + "yellow 6 rug", + "yellow 6 rug easy to clean", + "yellow 6 living room rug", + "yellow rug, easy to clean", + "yellow rug easy to clean", + "yellow 6 area rug", + "yellow rug", + "yellow 6 x area rug", + "yellow 6 square rug", + "yellow 6 living area rug" + ], + "i am looking for steel frame night stand with white finish": [ + "steel frame night stand with white finish", + "steel frame night stand white finish", + "steel frame night stand", + "brushed frame night stand with white finish", + " steel frame night stand with white finish", + "steel frame night stand, white finish", + "brushed frame night stand white finish", + "steel frame night stand with white finish,", + "wooden frame night stand with white finish", + "steel frame night stand white" + ], + "i would like a cookies gift basket.": [ + "sneakers gift basket", + "s cookies gift basket", + "sugar gift basket", + "cookies gift basket", + "cookie gift basket", + "s cookies gift basket.", + " cookies gift basket.", + " cookies gift basket", + "cookie gift basket.", + "sugar gift basket." + ], + "i need an easy to assemble coat rack.": [ + "easy to assemble coat rack", + "easy assemble coat rack", + "easy to assemble coat rack.", + "easy assemble coat rack.", + "5 ft coat rack", + "compact coat rack", + "plastic coat rack", + "white coat rack", + "clothing rack", + "pocket rack" + ], + "i would like a 9 card slots zipper dark green phone flip case cover.": [ + "9 card slots zipper dark green phone flip case cover", + "9 card slots zipper dark green phone flip case", + " 9 card slots zipper dark green phone flip case cover", + "8 card slots zipper dark green phone flip case cover", + "9 card slot zipper dark green phone flip case cover", + "10 card slots zipper dark green phone flip case cover", + "alarm slots zipper dark green phone flip case cover", + " 9 card slots zipper dark green phone flip case", + "black phone flip case cover 9 card slots", + "black phone flip case cover" + ], + "can i get an open toe eduavar flat casual sandals for women, size 6.5-7": [ + "open toe eduavar flat casual sandals for women size 6.5-7", + "open toe eduavar flat casual sandals for women", + "open toe eduavar flat casual sandals for women 6.5-7", + "open toe eduavar flat casual sandals", + "open toe eduavar flat casual sandals, size 6.5-7", + "open toe eduavar flat casual sandals size 6.5-7", + "open toe eduavar sandals for women size 6.5-7", + "open toe eduavar flat casual sandals for women 5.5-7", + "open toe eduavar sandals for women, size 6.5-7", + "open toe eduavar flat casual sandals, size 6.5-7," + ], + "i would like a 400 lb bulk bag of certified organic gluten free oatmeal.": [ + "bag of certified organic gluten free oatmeal", + "gluten free oatmeal 400 lb bag", + "bathroom oatmeal 400 lb", + "mega gluten free oatmeal 400 lb bag", + "gluten free oatmeal 400 lb", + "rawberry oatmeal 400 lb", + "mega gluten free oatmeal", + "bathroom oatmeal 400 lb bag", + "gluten free oatmeal", + "400 lb oatmeal" + ], + "i am looking for long sleeve shirt in smoke grey": [ + "long sleeve shirt in smoke grey", + "womens long sleeve shirt in smoke grey", + "lens shirt in smoke grey", + "long sleeve shirt in smoke grey under $40", + "t-shirt in smoke grey", + "short sleeve shirt in smoke grey", + "long sleeve shirt in smoke grey under $50", + " long sleeve shirt in smoke grey", + "long sleeve shirt in smoke grey under $60", + "long sleeve shirt in smoke grey under 50 dollars" + ], + "i am looking for a fully cooked chicken & turkey": [ + "full cooked chicken & turkey", + "full cooked chicken and turkey", + "non cooked chicken & turkey", + "full cooked chicken & turkey under $40", + "large cooked chicken & turkey", + "living chicken & turkey", + "full cooked chicken & turkey under $60", + "full cooked chicken & turkey under $50", + "vegan chicken & turkey", + "ready cooked chicken & turkey" + ], + "i am looking for an olive machine washable t shirt for youth that is in a xx-large": [ + "olive machine washable t-shirt for youth xx-large", + " olive machine washable t-shirt for youth xx-large", + "aleo machine washable t-shirt for youth xx-large", + "olive machine washable t-shirt for youth xx-large", + "lemon machine washable t-shirt for youth xx-large", + "al olive machine washable t-shirt for youth xx-large", + "an olive machine washable t-shirt for youth xx-large", + "alarm t-shirt for youth xx-large", + " olive machine washable t-shirt for youth xx-large under $40", + " olive machine washable t-shirt for youth xx-large under $50" + ], + "i need a black tank top that is classic fit.": [ + "black tank top classic fit", + "classic fit black tank top", + "tank top that is classic fit", + "black tank top, classic fit", + "tank top classic fit black", + "tank top classic fit", + "black tank top with classic fit", + "white tank top classic fit", + "black tank top classic fit.", + "black tank top" + ], + "i'm looking for a small straight leg women athletic yoga shorts.": [ + "small straight leg women athletic yoga shorts", + "small straight leg women athletic yoga shorts.", + "small straight leg women athletic yoga shorts under $50", + "small straight leg women athletic yoga shorts under $40", + "small straight leg women athletic yoga shorts under $60", + "small straight leg women athletic yoga shorts under 50 dollars", + "small straight leg women athletic yoga shorts under 40 dollars", + "small straight leg women athletic yoga shorts under 30 dollars", + "small straight leg women athletic yoga shorts under 60 dollars", + "small straight leg women athletic yoga shorts," + ], + "i'm looking for high heels shoes for women men it is easy to wear.": [ + "high heels shoes for women men", + "high heels shoes for women men easy to wear", + "low heels shoes for women men easy to wear", + "low heels shoes for women men", + "easy to wear high heels shoes for women men", + "high heels shoes for women", + "woman high heels shoes for women men", + "woman high heels shoes", + "low heels shoes for women", + "high heels shoes" + ], + "i am looking for a citron scent deodorant that is non toxic and cruelty free.": [ + "citron scent deodorant that is non toxic and cruelty free", + "citron scent deodorant non toxic and cruelty free", + " citron scent deodorant that is non toxic and cruelty free", + "curtron scent deodorant non toxic and cruelty free", + "citron scent deodorant non toxic and cruelty free", + " citron scent deodorant non toxic and cruelty free", + "citron scent deodorant", + "citron scent deodorant non toxic", + "citron scent deodorant non toxic cruelty free", + "citron scent deodorant that is non toxic, cruelty free" + ], + "i need my large dress by machine wash": [ + "large dress by machine wash", + "large dress by machine wash under $40", + "large dress by machine wash under $50", + "large dress by machine wash under $60", + "large dress by machine wash under 50 dollars", + "large dress by machine wash under $120", + "large dress by machine wash under 30 dollars", + "large dress by machine wash under 40 dollars", + "large dress by machine wash under $130", + "large dress by machine wash under 60 dollars" + ], + "i need a heavy duty, height adjustable office chair in pink color": [ + "heavy duty, height adjustable office chair pink", + "heavy duty, height adjustable office chair", + "pink office chair heavy duty height adjustable", + "levisable office chair in pink", + "pink office chair heavy duty", + "heavy duty height adjustable office chair in pink", + "pink desk chair heavy duty height adjustable", + "levisable office chair in pink color", + "pink, height adjustable office chair", + "heavy duty office chair in pink" + ], + "i want a easy install roller sades window tretment size w45*h56 in color pastel blue": [ + "easy install roller sades window tretment size w45*h56", + "roller sades window tretment w45*h56 in color pastel blue", + "easy install roller sades window tretment in color pastel blue", + "easy install roller sades window tretment", + "easy install roller sades window tretment size w45*h56", + "window tretment size w45*h56 in color pastel blue", + "roller sades window tretment size w45*h56", + "roller sades window tretment size w45*h56 in color pastel", + "roller sades window tretment", + "window tretment" + ], + "i would like a forest green wireless bluetooth speaker.": [ + "forest green wireless bluetooth speaker", + "wood green wireless bluetooth speaker", + "green wireless bluetooth speaker", + "wooden green wireless bluetooth speaker", + " forest green wireless bluetooth speaker", + "forest green wireless bluetooth speaker.", + "manual green wireless bluetooth speaker", + "a forest green wireless bluetooth speaker", + "Forest green wireless bluetooth speaker", + "indoor green wireless bluetooth speaker" + ], + "i would like a 24 inch black barstool that is fully assembled.": [ + "24 inch black barstool that is fully assembled", + "24 inch black barstool", + "24 inch black barstool, fully assembled", + "24 inch black barstool fully assembled", + "24 inch black barstool under $50", + "23 inch black barstool that is fully assembled", + " 24 inch black barstool that is fully assembled", + "24 inch black barstool under $40", + "24 inch black barstool under $60", + "24 inch black barstool with fully assembled" + ], + "i would like a high performance label printer.": [ + "label printer that is high performance", + "label printer high performance", + "label printer which is high performance", + "label printer with high performance", + "label printer", + "label printer, high performance", + "label printer in high performance", + "label printer. high performance", + "label printer.", + "label printer whose price is high" + ], + "get me a machine washable men's classic fit star wars t-shirt in medium size and royal blue color.": [ + "machine washable mens classic fit star wars t-shirt in medium size and royal blue color", + "machine washable mens classic fit star wars t-shirt in medium size and royal blue", + "machine washable mens classic fit star wars t-shirt in a royal blue color", + "man washable mens classic fit star wars t-shirt in medium size and royal blue color", + "man washable mens classic fit star wars t-shirt in medium size and royal blue", + "machine washable mens classic fit star wars t-shirt in medium size in royal blue color", + "machine washable mens classic fit star wars t-shirt in medium size", + "mens classic fit star wars t-shirt in medium size and royal blue", + "mens classic fit star wars t-shirt in medium size and royal blue color", + "machine washable mens classic fit star wars t-shirt" + ], + "i'm looking for usda organic and gluten free chai tea that is caffeine and sugar free and also has natural ingredients. it also should be matcha latte flavor.": [ + "usda organic and gluten free chai tea with natural ingredients", + "usda organic and gluten free chai tea", + "usda organic and gluten free chai tea flavor", + "usda organic and gluten free chai tea natural", + "usda organic and gluten free chai tea blend", + "usda organic and gluten free chai tea tea", + "usda organic gluten free chai tea", + "butte chai tea with natural ingredients", + "packa latte flavor", + "butte chai tea natural" + ], + "look for butter pasta noodles with no artificial flavors.": [ + "butter pasta noodles no artificial flavors", + "butter pasta noodles with no artificial flavors", + "butter pasta noodles no artificial flavor", + "butter pasta noodles no artificial", + "butter pasta noodles with no artificial flavor", + "butter pasta noodles natural no artificial flavor", + "butter pasta noodles no artificial flavors.", + "butter pasta noodles", + "butter pasta noodles without artificial flavors", + "butter pasta noodles natural" + ], + "i am looking for an easy to prepare thai sweet chili lo mein flavored pasta.": [ + "easy to prepare thai sweet chili lo mein flavored pasta", + "easy to prepare thai sweet chili lo mein flavored pasta.", + "tai sweet chili lo mein flavored pasta", + "sugar chili lo mein flavored pasta", + "stai sweet chili lo mein flavored pasta", + "easy to prepare thai sweet chili lo mein flavored pasta flavor", + "home made thai sweet chili lo mein flavored pasta", + "thai sweet chili lo mein flavored pasta", + "natierra sweet chili lo mein flavored pasta", + "soft chili lo mein flavored pasta" + ], + "i am looking for knorr pasta sides cheddar broccoli that is easy to prepare and in a 12 pack of the butter and herb flavor.": [ + "knorr pasta sides cheddar broccoli with butter and herb flavor", + "knorr pasta sides cheddar broccoli 12 pack of the butter and herb flavor", + "knorr pasta sides cheddar broccoli that is easy to prepare with butter and herb flavor", + "knorr pasta sides cheddar broccoli 12 pack of butter and herb flavor", + "knorr pasta sides cheddar broccoli, 12 pack of the butter and herb flavor", + "knorr pasta sides cheddar broccoli", + "knorr pasta sides cheddar broccoli 12 pack with butter and herb flavor", + "korr pasta sides cheddar broccoli with butter and herb flavor", + "knorr pasta sides cheddar broccoli flavor 12 pack", + "knorr pasta sides cheddar broccoli, 12 pack of the butter and herb flavor," + ], + "i need some perfume that is long lasting and smells like a rainy day": [ + "pink perfume long lasting and smells like a rainy day", + "perfume long lasting and smells like a rainy day", + "sneakers long lasting and smells like a rainy day", + "per perfume long lasting and smells like a rainy day", + "permanent perfume long lasting and smells like a rainy day", + "pink perfume long lasting, smells like a rainy day", + "pink perfume long lasting", + "pink perfume long lasting and smells like a rainy day perfume", + "pink perfume long lasting and smells like a rainy day,", + "perfume long lasting" + ], + "i am looking for snow boots rubber sole in 6-blue": [ + "snow boots rubber sole in 6-blue", + "6-blue snow boots rubber sole", + "shoes rubber sole in 6-blue", + "snow boots rubber sole 6-blue", + "6 snow boots rubber sole in 6-blue", + " snow boots rubber sole in 6-blue", + "snow boots rubber sole in 6-blue snow", + "shoes rubber sole in 6-blue snow boots", + "4-blue snow boots rubber sole", + "6-blue snow boots rubber sole under $40" + ], + "i'm looking for a womens large lightweight jacket that has soft material and faux fur it should also be red plaid colored.": [ + "womens large lightweight jacket with soft material and faux fur", + "womens large lightweight jacket red plaid", + "womens large lightweight jacket, red plaid colored", + "womens large lightweight jacket", + "womens large lightweight jacket with soft material", + "womens large lightweight jacket that has soft material", + "womens large lightweight jacket red plaid colored", + "womens large lightweight jacket in red plaid colored", + "womens large lightweight jacket in red plaid", + "large lightweight jacket" + ], + "i am looking for a new balance men's sneaker for daily comfort.": [ + "balance mens sneaker for daily comfort", + "mens sneaker for daily comfort", + "balance mens sneaker", + "Balance mens sneaker for daily comfort", + "sneakers for daily comfort", + "balanced mens sneaker for daily comfort", + "balance mens sneaker daily comfort", + "mens sneaker", + "sneaker for daily comfort", + "mens sneaker for daily comfort" + ], + "i'm looking for a royal blue star wars t-shirt in a youth size double x large. it needs to be machine washable.": [ + "duck blue star wars t-shirt in a youth size double x large", + "a royal blue star wars t-shirt in a youth size double x large", + "kingen blue star wars t-shirt in a youth size double x large", + "pink star wars t-shirt in a youth size double x large", + "kingman blue star wars t-shirt in a youth size double x large", + "king of blue star wars t-shirt in a youth size double x large", + "kids t-shirt in a youth size double x large", + "t-shirt in a youth size double x large", + "dual x large t-shirt in a youth size double x large", + "duck blue star wars t-shirt" + ], + "i am looking for 450 mocha color face makeup that is oil free.": [ + "mocha color face makeup that is oil free", + "450 mocha color face makeup that is oil free", + " 450 mocha color face makeup that is oil free", + "450 mocha color face makeup", + "mocha color face makeup", + "mocha color face makeup oil free", + " 450 mocha color face makeup", + "mens mocha color face makeup that is oil free", + "mocha face makeup that is oil free", + "synthetic mocha color face makeup" + ], + "i would like a pair of wireless bluetooth earbud headphones.": [ + "pair of wireless bluetooth earbud headphones", + "two wireless bluetooth earbud headphones", + "womens wireless earbud headphones", + "pair of wireless earbud headphones", + "pair of wireless bluetooth earbud", + "wireless bluetooth earbud headphones", + "pair of wireless bluetooth earbud wireless", + "phone bluetooth earbud headphones", + "wireless earbud headphones", + "bud headphones" + ], + "i need a single light brown hair inch extension that's twenty inches long and made from synthetic fibers.": [ + "single light brown hair inch extension", + "single light brown hair inch extension with synthetic fibers", + "single light brown hair inch extension twenty inches long", + "single light brown hair inch extension under $40", + "single light brown hair inch extension under $50", + "single light brown hair inches extension", + "single light brown human hair inch extension", + "single light brown hair extension", + "single brown hair inch extension", + "single light brown hair" + ], + "i would like a 18 inch wig that is made of natural blonde synthetic hair.": [ + "18 inch wig made of natural blonde synthetic", + "18 inch wig natural blonde synthetic", + "18 inch wig", + "18 inch wig natural blonde synthetic hair", + "18 inch wig with natural blonde synthetic hair", + "natural blonde synthetic wig 18 inches long", + "natural blonde synthetic wig 18 inches", + "18 inch wig made from natural blonde synthetic", + "18 inch wig made natural blonde synthetic hair", + "natural blonde synthetic wig 18 inch" + ], + "i am looking for vintage style pendant light for a living room": [ + "vintage style pendant light for a living room", + "pendant light for a living room", + "a vintage style pendant light for a living room", + "style pendant light for a living room", + "vinyl style pendant light for a living room", + "variety style pendant light for a living room", + "vintage style pendant light living room", + "pendant light for living room", + "vinyl style pendant light living room", + "pendant light for a living room, vintage style" + ], + "i'm looking for some antiperspirant for sensitive skin.": [ + "antiperspirant for sensitive skin", + "antiperspirant for sensitive skin.", + "antiperspirant sensitive skin", + "antiiperspirant for sensitive skin", + "antiiperspirant for sensitive skin.", + " antiperspirant for sensitive skin", + "antiperspirant sensitive skin under $40", + "antiperspirant sensitive skin under $50", + "antiiperspirant sensitive skin", + "antiperspirant" + ], + "i am looking for some grey anti slip flats that are 8.5 in size.": [ + "grey anti slip flats 8.5 in size", + "grey anti slip flats 8.5", + "grey anti slip flats, 8.5 in size", + "grey anti slip flats 8.5 in size.", + "grey anti slip flats", + "grey anti slip flats that are 8.5", + "grey anti slip flats 9.5 in size", + "grey anti slip flats size 8.5", + "grey anti slip flats whose size is 8.5", + "grey anti slip flats in 8.5 in size" + ], + "looking for heavy duty wooden frame barstools also choose colour brown": [ + "heavy duty wooden frame barstools", + "heavy duty wooden frame barstools in colour brown", + "heavy duty wooden frame barstools with colour brown", + "heavy duty wooden frame barstools in brown", + "heavy duty wooden frame barstools in a brown", + "heavy duty wooden frame barstools brown", + "heavy duty wooden frame barstools that are brown", + "wood frame barstools heavy duty brown", + "heavy duty wooden frame barstools, colour brown", + "heavy duty wooden frame barstools, brown" + ], + "i need to buy some fat free jerky. make it sweet & hot.": [ + "fat free jerky", + "fat free jerky sweet & hot", + "fat free jerky that is sweet & hot", + "fat free jerky, sweet & hot", + "fat free jerky. sweet & hot", + "fat free jerky that is sweet and hot", + "fat free jerky sweet and hot", + "fat free jerky, sweet & hot,", + "fat free jerky no sugar", + "fat free jerky. sweet & hot." + ], + "i would like a black heavy duty hair cutting kit.": [ + "black heavy duty hair cutting kit", + "black heavy duty hair cutting kit.", + "black heavy duty hair cutting kit under $50", + "black heavy duty hair cutting kit under $40", + "black heavy duty hair cutting kit under $60", + "black heavy duty hair cutting kit,", + "black heavy duty hair cutting kit under 30 dollars", + "black heavy duty hair cutting kit under 50 dollars", + "black heavy duty hair cutting kit that is black", + "large duty hair cutting kit black" + ], + "i am looking for a cargo pant made up of polyester cotton which is washable in machine. also choose coyote brown color and 36w x 32l size.": [ + "cargo pant made up of polyester cotton", + "curtains made up of polyester cotton", + "coaxial pant made up of polyester cotton", + "cargo pant made up of polyester cotton in machine", + "curtains made up of polyester cotton in machine", + "curtains of coyote brown", + "curtains made from polyester cotton", + "curtains made of polyester cotton", + "cowboy brown cargo pant", + "cargo pant" + ], + "i need some easy to install cellular shades that have beige-light filtering and are a size 61\"w by 72\"h": [ + "easy to install cellular shades that have beige-light filtering", + "easy to install cellular shades in a size 61w by 72h", + "easy to install cellular shades size 61w by 72h", + "easy to install cellular shades with beige-light filtering", + "easy to install cellular shades, size 61w by 72h", + "easy to install cellular shades that are a size 61w by 72h", + "easy to install cellular shades", + "easy to install cellular shades, 61w by 72h", + "easy to install cellular shades 61w by 72h", + "simple to install cellular shades that have beige-light filtering" + ], + "i need some size ten and a half clogs with arch support and a rubber sole. find them in black.": [ + "size ten and a half clogs with arch support and rubber sole", + "size ten and a half clogs with arch support", + "size ten and a half clogs with arch support in black", + "size 10 and a half clogs with arch support and rubber sole", + "size ten clogs with arch support and rubber sole in black", + "size 10 and a half clogs with arch support", + "size ten and a half clogs", + "size ten rubber clogs with arch support", + "size ten clogs with arch support", + "size ten rubber clogs" + ], + "i am looking for petrol blue. coastal themed drapes that are machine washable.": [ + "petrol blue. coastal themed drapes that are machine washable", + "petrol blue coastal themed drapes that are machine washable", + "pink blue coastal themed drapes that are machine washable", + " petrol blue coastal themed drapes that are machine washable", + "pink drapes that are machine washable", + "pink, coastal themed drapes that are machine washable", + "petrol blue coastal themed drapes that are machine washable.", + "petrol blue coastal themed drapes", + "pink blue coastal themed drapes that are machine washable.", + "pink, coastal themed drapes that are machine washable." + ], + "i'm looking for nickel finish is for ceiling fan its living room.": [ + "floor fan living room nickel finish", + " nickel finish for ceiling fan living room", + "floor fan in the living room nickel finish", + " nickel finish ceiling fan living room", + "pink finish for ceiling fan living room", + "nyl finish for ceiling fan living room", + "floor fan for living room nickel finish", + "floor fan in its living room nickel finish", + " nickel finish is for ceiling fan living room", + "floor fan in the living room" + ], + "i'm looking for low rise in skinny leg in women's": [ + "low rise in skinny leg in womens", + "low rise skinny leg in womens", + "low rise fat leg in womens", + "low rise in skinny leg womens", + "low rise skinny leg womens", + "low rise leg in womens", + "low rise low rise skinny leg womens", + "low rise fat leg womens", + "low rise in skinny leg", + "low rise skinny leg" + ], + "im looking for a synthetic hair ponytail extension in the color ginger brown.": [ + "natural hair ponytail extension in the color ginger brown", + " synthetic hair ponytail extension in the color ginger brown", + "a synthetic hair ponytail extension in the color ginger brown", + "synthetic hair ponytail extension", + "faux hair ponytail extension in the color ginger brown", + "synthetic hair ponytail extension in the color ginger", + "synthetic hair ponytail extension color ginger brown", + "sneakers hair ponytail extension in the color ginger", + "stainless hair ponytail extension in the color ginger", + "stainless hair ponytail extension" + ], + "i would like two lights gold wall mounted vanity light.": [ + "two lights gold wall mounted vanity light", + "gold wall mounted vanity light", + "2 lights gold wall mounted vanity light", + "double lights gold wall mounted vanity light", + "three lights gold wall mounted vanity light", + "two light gold wall mounted vanity light", + "gold wall mounted vanity light.", + "two lights gold vanity light", + "grey wall mounted vanity light", + "yellow wall mounted vanity light" + ], + "i need a box spring california king mattress": [ + "box spring california king mattress", + " box spring california king mattress", + "pack spring california king mattress", + "clothing spring california king mattress", + "Box spring california king mattress", + "set spring california king mattress", + "a box spring california king mattress", + "tank spring california king mattress", + "box spring california king mattress,", + "compact spring california king mattress" + ], + "i need to buy some moisturizer that's good for fine lines and has anti-aging properties. find some that's paraben free and cruelty free. it should contain natural ingredients.": [ + "moisturizer that is anti-aging", + "moisturizer with anti-aging properties", + "moisturizer paraben free and cruelty free", + "moisturizer paraben free and cruelty free", + "moisturizer that is anti-aging natural", + "moisturizer that is anti-aging and cruelty free", + "moisturizer anti-aging", + "moisturizer for fine lines with anti-aging properties", + "moisturizer for fine lines and anti-aging properties", + "moisturizer that is anti-aging with natural ingredients" + ], + "i'm looking for a night fishing wall art picasso for living room in size 31\"x24\"": [ + "night fishing wall art picasso for living room", + "night fishing wall art picasso in size 31x24", + "night fishing wall art picasso", + "night fishing wall art picasso, size 31x24", + "night fishing wall art picasso size 31x24", + "night fishing wall art in size 31x24", + "night fishing wall art picasso 31x24", + "night fishing wall art, 31x24", + "night fishing wall art picasso living room", + "night fishing wall art" + ], + "i would like a 47\"w x 31\"h joie de vivre poster for my living room.": [ + "47w x 31h joie de vivre poster", + "47w x 31h joie de vivre poster for living room", + "45w x 31h joie de vivre poster", + "47w x 31h joie de vivre poster living room", + " 47w x 31h joie de vivre poster", + "45w x 31h joie de vivre poster for living room", + "manual poster for living room 47w x 31h", + "bagel poster for living room 47w x 31h", + "bagel poster for living room", + "manual poster for living room" + ], + "i am looking for hd quad core 10.1\" android tablet with 16gb storage capacity and alexa enabled charging dock": [ + "hd quad core 10.1 android tablet with 16gb storage capacity", + " hd quad core 10.1 android tablet with 16gb storage capacity", + "hd quad core 10.1 android tablet with 16gb storage capacity", + "hd quad core 10.1 android tablet with 16gb storage", + "quad core 10.1 android tablet with 16gb storage capacity", + "hd quad core 10.1 android tablet", + "tablet with 16gb storage capacity", + "desktop with 16gb storage capacity", + "desktop with 16gb storage", + "tablet with 16gb storage" + ], + "im looking for 1 small and 1 medium mesh laundry bags made specifically for underwear and lingerie.": [ + "small and 1 medium mesh laundry bags", + "small mesh laundry bags made for underwear and lingerie", + "small mesh laundry bags for underwear and lingerie", + "1 small and 1 medium mesh laundry bags", + "small mesh laundry bags", + "small and 1 medium mesh laundry bags under $50", + "small and 1 medium mesh laundry bags for underwear", + "small and 1 medium mesh laundry bags with underwear", + "small mesh laundry bags for underwear", + "small mesh laundry bag" + ], + "i want a set of 2 mesh laundry bags with day of the dead skull designs.": [ + "set of 2 mesh laundry bags with day of the dead skull", + "2 mesh laundry bags with day of the dead skull designs", + "set of 2 mesh laundry bags", + "2 mesh laundry bags with day of the dead skull", + "2 mesh laundry bags with day of the dead skull desings", + "two mesh laundry bags with day of the dead skull designs", + "4 mesh laundry bags with day of the dead skull designs", + "two mesh laundry bags with day of the dead skull", + "2 mesh laundry bags with day of the dead skull design", + " mesh laundry bags with day of the dead skull" + ], + "i'm looking for vanity light for laundry room.": [ + "vanity light laundry room", + "vanity light for laundry room", + "pink vanity light laundry room", + "pink vanity light for laundry room", + "k vanity light for laundry room", + "k vanity light laundry room", + "vinyl light for laundry room", + "vinyl light laundry room", + "vanity light for laundry room.", + "k vanity light for laundry room." + ], + "i need a space saving white full sized bed": [ + "white full sized bed", + "white full sized bed space saving", + "living room white full sized bed", + "white full sized bed, space saving", + "white full sized bed space saving white", + "size saving white full sized bed", + "space saving white full sized bed", + "living white full sized bed", + "small white full sized bed", + "white full sized bed below $40" + ], + "i'm looking for an officially licensed captain marvel tank top in heather grey. i need a size medium.": [ + "tank top in heather grey", + "an officially licensed captain marvel tank top in heather grey", + "portrait marvel tank top in heather grey", + "officially licensed captain marvel tank top in heather grey", + "tank top heather grey", + "Captain marvel tank top in heather grey", + "tank top in heather grey, officially licensed, size medium", + "tank top heather grey, officially licensed, size medium", + "tank top in heather grey, officially licensed", + "shoes heather grey" + ], + "i'm looking for a chair for hair salons in color b.": [ + "chair for hair salons in color b", + "chairs for hair salons in color b", + "chair for hair salons color b", + "chairs for hair salons in color b.", + "chair for hair salons in color b.", + "chairs for hair salons color b", + "a chair for hair salons in color b", + "chairs for hair salons color b.", + "chair for hair salons color b.", + "com chair for hair salons in color b" + ], + "i'm looking for a pair of knee high rubber soled boots in coffee colored microfiber. i need them in a size six.": [ + "knee high rubber soled boots in coffee colored microfiber", + "knee high rubber soled boots in coffee colored microfiber size six", + "knee high rubber soled boots in coffee colored microfiber, size six", + "knee high rubber soled boots in coffee colored microfiber a size six", + "knee high rubber soled boots coffee colored", + "knee high rubber soled boots in coffee colored", + "knee high rubber soled boots in coffee colored microfiber size six.", + "a pair of knee high rubber soled boots in coffee colored microfiber", + "nee high rubber soled boots in coffee colored microfiber", + "knee high rubber soled boots, coffee colored" + ], + "i am looking for two pack size shampoo that are good for my hair growth.": [ + "two pack size shampoo", + "two pack size shampoo for hair growth", + "two pack size shampoo, good for hair growth", + "two pack size shampoo for my hair growth", + "two pack size shampoo good for my hair growth", + "two pack size shampoo for the hair growth", + "two pack size shampoo good for hair growth", + "two pack size shampoo for hair growth.", + "two pack size shampoo for my hair growth.", + "two pack shampoo" + ], + "i'm looking for a organizer for aaa batteries": [ + " organizer for aaa batteries", + "organizer for aaa batteries", + " organizer for aaa batteries under $40", + " organizer for aaa batteries under $50", + " organizer for aaa batteries under $60", + "router for aaa batteries", + " organizer for aaa batteries under $120", + " organizer for aaa batteries under 50 dollars", + " organizer for aaa batteries under $130", + " organizer for aaa batteries under 30 dollars" + ], + "i am looking for white cheddar flavor cheese powder that is gluten free.": [ + "white cheddar flavor cheese powder", + "white cheddar flavor cheese powder gluten free", + "white cheddar flavor cheese powder, gluten free", + "white cheese powder that is gluten free", + "white cheese powder gluten free", + "white cheddar flavor cheese powder no dairy", + "white cheddar flavor cheese powder no gluten", + "white cheddar cheese powder that is gluten free", + "gluten free white cheddar flavor cheese powder", + "white cheddar flavor cheese powder no sugar" + ], + "i would like a high quality shower cap.": [ + "shower cap high quality", + "high quality shower cap", + "shower cap that is high quality", + "shower cap", + "high quality shower cap.", + "shoes cap high quality", + "shower cap, high quality", + "bathroom cap high quality", + "high quality shower cap under $40", + "high quality shower cap under $50" + ], + "i need a high quality storage case compatible for my infinitipro. please select the extra small oval brush": [ + "extra small oval brush", + "storage case compatible for infinitipro", + "storage case for infinitipro", + "storage case for infinitipro extra small oval brush", + "storage case compatible for infinitipro with high quality storage case", + "storage case compatible for my infinitipro with high quality storage case", + "extra small oval brush for infinitipro", + "storage case compatible for my infinitipro", + "high quality storage case compatible for my infinitipro", + "storage case compatible for my infinitipro with high quality" + ], + "i'm looking for kitchen rugs for kitchen its very clean and contemporary design.": [ + "kitchen rugs for kitchen", + "living room rug with a clean and contemporary design", + "living room rugs", + "living room rugs that are clean and contemporary", + "living room rugs with a modern design", + "kitchen rugs that are clean and contemporary", + "kitchen rugs for kitchen clean and contemporary", + "living room rug", + "kitchen rugs", + "kitchen rug for kitchen" + ], + "i would like a hair cutting kit with stainless steel sheers.": [ + "hair cutting kit with stainless steel sheers", + "hair cutting kit stainless steel", + "shoes cutting kit with stainless steel sheers", + "stainless steel hair cutting kit", + "hair cutting kit with stainless steel sheers.", + "hair cutting kit stainless steel sheers", + "human hair cutting kit with stainless steel sheers", + "hair cutting kit, stainless steel sheers", + "hair cutting kit that is stainless steel", + "shoes cutting kit stainless steel" + ], + "find me a knee high anti slip open toe ankle booties in black color and size 6.5.": [ + "knee high anti slip open toe ankle booties in black", + "knee high anti slip open toe ankle booties black", + "nee high anti slip open toe ankle booties in black color", + "knee high anti slip open toe ankle booties", + "walking booties in black color size 6.5", + "walking booties in black size 6.5", + "walking booties size 6.5", + "walking booties in black color", + "walking booties in black", + "walking booties black" + ], + "i looking for 8 oz resealable bag in 4 oz": [ + "8 oz resealable bag in 4 oz", + "8 oz resealable bag in 4 oz under $40", + "8 oz resealable bag in 4 oz under $60", + "8 oz resealable bag in 4 oz under $50", + "8 oz resealable bag in 4 oz under 40 dollars", + " 8 oz resealable bag in 4 oz", + "8 oz resealable bag in 4 oz,", + "8 oz resealable bag", + "8 oz resealable bag 4 oz", + "8oz resealable bag in 4 oz" + ], + "i am looking for gmo free peanut butter.size should be 2.65 ounce and pack of 48.": [ + "gmo free peanut butter pack of 48", + "gmo free peanut butter 2.65 ounce pack of 48", + "gmo free peanut butter pack of 48 gmo free", + "gluten free peanut butter 2.65 ounce pack of 48", + "gmo free peanut butter gmo free pack of 48", + "gmo free peanut butter 2.65 ounce pack", + "pomegranate free peanut butter pack of 48", + "gmo free peanut butter pack of 48, gmo free", + "gmo free peanut butter pack of 48.", + "gluten free peanut butter pack of 48" + ], + "i would like a s blue toothbrush for sensitive teeth.": [ + "s blue toothbrush for sensitive teeth", + "s blue toothbrush for sensitive teeth.", + "blue toothbrush for sensitive teeth", + "sblue toothbrush for sensitive teeth", + "s blue toothbrush for sensitive teeth,", + "s blue teethbrush for sensitive teeth", + "sblue toothbrush for sensitive teeth.", + "s blue toothbrush for sensitive teeth s", + "s blue toothbrush sensitive teeth", + "s blue toothbrush" + ], + "i am looking for fluoride free toothpaste that is made with coconut oil": [ + "fluoride free toothpaste made with coconut oil", + "fluoride free toothpaste", + "fluoride free toothpaste with coconut oil", + "fluoride free toothpaste made from coconut oil", + "fluoride free toothpaste under $40", + "toothpaste made with coconut oil", + "fluoride free toothpaste natural no fluoride", + "fluoride free toothpaste under $60", + "fluoride free toothpaste under $50", + " fluoride free toothpaste made with coconut oil" + ], + "i would like a 16 ounce ultra gold sugar free energy drink,": [ + "16 ounce ultra gold sugar free energy drink", + "16 ounce ultra gold sugar free energy drink,", + "16 ounce ultra gold sugar free energy drink under $40", + "16 ounce ultra gold sugar free energy drink under $60", + "16 ounce ultra gold sugar free energy drink under 30 dollars", + "16 ounce ultra gold sugar free energy drink under $50", + "16 ounce ultra gold sugar free energy drink under 40 dollars", + " 16 ounce ultra gold sugar free energy drink", + "16 oz ultra gold sugar free energy drink", + "16 ounce ultra gold sugar free drink" + ], + "i am looking for chocolate covered cakes of size 1 pound.": [ + "chocolate covered cakes of size 1 pound", + "chocolate covered cake of size 1 pound", + "chocolate covered cakes size 1 pound", + "chocolate covered cakes, size 1 pound", + "ocolate covered cakes of size 1 pound", + "chocolate covered cakes in size 1 pound", + "chocolate covered cakes 1 pound", + "chocolate covered cakes", + "cup cakes of size 1 pound", + "cupcake of size 1 pound" + ], + "i'm looking for some sulfate free, paraben free conditioner with argan oil for dry hair.": [ + "sulfate free, paraben free conditioner with argan oil", + "sulfate free paraben free conditioner with argan oil for dry hair", + "sulfate free, paraben free conditioner", + "sulfate free, paraben free conditioner with argan oil dry hair", + "sulfate free paraben free conditioner with argan oil", + "sulfate free, paraben free conditioner with argan oil,", + "sulfate free conditioner with argan oil for dry hair", + "sulfate free, paraben free conditioner under $40", + "sulfate free, paraben free conditioner for dry hair", + "sulfate free paraben free conditioner" + ], + "i'm looking for a two in one multifunctional led wall lamp.": [ + "two in one multifunctional led wall lamp", + "two in one multiunctional led wall lamp", + "2 in one multifunctional led wall lamp", + "three in one multifunctional led wall lamp", + "one in one multifunctional led wall lamp", + "temporary wall lamp two in one", + "aluminum led wall lamp", + "aluminum led wall lamp two in one", + "two ft wall lamp", + "temporary wall lamp" + ], + "fully cooked shredded chicken taco kit": [ + "fully cooked shredded chicken taco kit", + "moisturizing chicken taco kit", + "fully cooked shredded chicken taco kit under $40", + "fully cooked shredded chicken taco kit under $50", + "fully cooked shredded chicken taco kit under $60", + "fully cooked shredded chicken taco kit below $40", + "fully cooked shredded chicken taco kit below $50", + "fully cooked shredded chicken taco kit under 50 dollars", + "fully cooked shredded chicken taco kit below $60", + "full cooked shredded chicken taco kit" + ], + "i am looking for a plant based lip balm that is effective for dry lips": [ + "plant based lip balm that is effective for dry lips", + "plant based lip balm for dry lips", + "plant based lip balm", + "plant based lip balm, effective for dry lips", + "plant based lip balm dry lips", + "plant based lip balm effective for dry lips", + "plant based lip balm that is effective for dry lips.", + "plant based lip balm, effective for dry lips,", + "plant based lip balm dry lips", + "plant based lip balm no fluoride" + ], + "i am looking for signal antenna booster stickers that are easy to carry and install.": [ + "signal antenna booster stickers easy to carry and install", + "telescope antenna booster stickers easy to carry and install", + "red signal antenna booster stickers easy to carry and install", + "alarm antenna booster stickers easy to carry and install", + "phone antenna booster stickers easy to carry and install", + "signal antenna booster stickers", + "telescope antenna booster stickers", + "signal antenna booster stickers easy to carry and install.", + "red signal antenna booster stickers easy to carry and install.", + "red signal antenna booster stickers" + ], + "i am looking for brushed nickel in amber": [ + "brushed nickel in amber", + "brush nickel in amber", + "brushed nickel nickel in amber", + "buffet nickel in amber", + " brushed nickel in amber", + "toothpaste nickel in amber", + "faux nickel in amber", + "bristle nickel in amber", + "rubber nickel in amber", + "brushed nickel in amber," + ], + "i'm looking for something that is easily cleaned.": [ + "easy clean and under $40", + "easy clean and under $50", + "easy clean and under $60", + "easy cleaned and under $40", + "easy clean and under 30 dollars", + "easy cleaned and under $50", + "easy clean under $40", + "easy clean under $50", + "easy-to-cleat mud", + "easy clean laundry" + ], + "i want a tea tree conditioner that is sulfate and paraben free. pick a pack of 2 containing 6 ounce.": [ + "tea tree conditioner with sulfate and paraben free", + "tea tree conditioner no sulfate and paraben", + "tea tree conditioner", + "tea tree conditioner 2 containing 6 ounce", + "tea tree conditioner 6 ounce", + "tea tree conditioner under $60", + "tea tree conditioner 5 ounce", + "tea tree conditioner 6 oz", + "tea tree conditioner under $50", + "tea tree conditioner under $40" + ], + "i'm looking for a pack of high quality hair extensions that are 20 inches long. can you pick the silver one.": [ + "20 silver hair extensions", + "20 silver hair extension", + "hair extensions 20 inches long", + "hair extension 20 inches long", + "20 ounce hair extensions", + "20 hair extension silver", + "20 hair extensions silver", + "23 silver hair extensions", + "20 ounce hair extensions silver", + "20 ounce hair extension" + ], + "i would like a conditioner that is made with all natural ingredients.": [ + "natural conditioner made with all natural ingredients", + "natural conditioner", + " conditioner made with all natural ingredients", + "natural conditioner made with natural ingredients", + " conditioner that is made with all natural ingredients", + "natural conditioner, made with all natural ingredients", + "natural conditioner made with all natural ingredients.", + "Conditioner made with all natural ingredients", + "conditioner made with all natural ingredients", + " conditioner made with all natural ingredients." + ], + "i would like a gray toiletry bag that is water resistant.": [ + "gray toiletry bag that is water resistant", + "gray bathroomry bag that is water resistant", + "gray toiletry bag water resistant", + "gray toiletry bag with water resistant", + "gray toiletry bag, water resistant", + "grey toiletry bag that is water resistant", + "gray toiletry bag", + "womens gray toiletry bag", + "water resistant gray toiletry bag", + "gray toiletry bag under $40" + ], + "i'm looking for a size 30\" x 20\" king size pillow case.": [ + "size 30 x 20 king size pillow case", + "king size pillow case", + "king size pillow case size 30 x 20", + "king size pillow case 30 x 20", + "king size pillow case, 30 x 20", + "king size pillow case that is 30 x 20", + "size 30 x 20 king size pillow case.", + "king size pillow case.", + "king size pillow case. 30 x 20", + "king size pillow case in a 30 x 20" + ], + "look for a 120 count box of denture cleaning tablets that are easy to use.": [ + "120 count box of denture cleaning tablets", + "120 count box of denture cleaning tablets easy to use", + "heavy duty box of denture cleaning tablets", + "90 count box of denture cleaning tablets", + "60 count box of denture cleaning tablets", + "denture cleaning tablets that are easy to use", + "dental cleaning tablets that are easy to use 120 count", + "dental cleaning tablets that are easy to use", + "120 count box of denture cleaning tablets under $60", + "140 count box of denture cleaning tablets" + ], + "i am looking for brown color medium size star wars men's t-shirt. the cloth must be classic fit and needle sleeve.": [ + "brown mens t-shirt with a classic fit", + "brown color medium size star wars mens t-shirt", + "brown mens t-shirt with classic fit and needle sleeve", + "brown mens t-shirt with classic fit", + "brown mens t-shirt, classic fit and needle sleeve", + "brown mens t-shirt classic fit and needle sleeve", + "brown mens t-shirt", + "brown mens t-shirt classic fit", + "brown mens t-shirt that is classic fit", + "brown sash mens t-shirt with a classic fit" + ], + "i am searching for a gold color smart watch bands compatible for apple and any one of the sizes 38mm | 40mm | 41mm": [ + "smart watch bands 38mm | 40mm", + "smart watch bands 38mm", + "gold smart watch bands 38mm", + "gold watch bands 38mm | 40mm", + "smartwatch bands 38mm | 40mm", + "gold color smart watch bands", + "smart watch bands 38mm x 40mm", + "gold watch bands 38mm", + "gold color smart watch bands 38mm", + "smartwatch bands 38mm" + ], + "i'm looking for a gift basket of cookies which i believe will be a perfect gift for my wife.": [ + "gift basket of cookies", + "gift basket of cookies for a woman", + "gift basket of cookies for my wife", + "gift basket of cookies for woman", + "gift basket of cookies under 50 dollars", + "gift basket of cookies under $50", + "gift basket of cookies for wife", + "gift basket of cookies for a wife", + "gift basket of cookies under $60", + "blanket of cookies" + ], + "i would like a women's vesper perfume in a travel size bottle.": [ + "womens vesper perfume in a travel size bottle", + "womens vesper perfume travel size bottle", + "womens vesper perfume", + "womens vesper perfume in a travel size", + "womens vesper perfume, travel size bottle", + "mens vesper perfume in a travel size bottle", + "mwens vesper perfume in a travel size bottle", + "womens vesper perfume in travel size bottle", + "a womens vesper perfume in a travel size bottle", + "mens vesper perfume in a travel size bottle" + ], + "i'm looking for a size 7 non slip hedgehog running shoes": [ + "size 7 non slip hedgehog running shoes", + "non slip hedgehog running shoes size 7", + "gardenhog running shoes size 7", + " size 7 non slip hedgehog running shoes", + "slimming shoes size 7", + "walking shoes size 7", + "non slip hedgehog running shoes", + "size 7 hedgehog running shoes", + "walking shoes size 7 non slip hedgehog", + "tuxedhog running shoes size 7" + ], + "i want a stainless steel ronyme camera tripod screw.": [ + "stainless steel camera tripod screw", + "stainless steel camera tripod screw.", + "stainless steel photography tripod screw", + "stainless steel waterproof camera tripod screw", + "stainless steel camera tripod screw,", + "stainless steel cameras tripod screw", + "stainless steel digital camera tripod screw", + "stainless steel tripod screw", + "stainless steel camera tripod", + "alarm tripod" + ], + "i'm looking for a pair of size six high heels with a rubber sole. look for them in black.": [ + "size six high heels with a rubber sole", + "pair of size six high heels with a rubber sole", + "size six high heels with a rubber sole in black", + "size six high heels with a rubber sole, black", + "size 6 high heels with a rubber sole", + "two size six high heels with a rubber sole", + "size 6 high heels with a rubber sole in black", + "size six high heel with a rubber sole", + "pair of size six high heels", + "size six high heels" + ], + "i would like a deepgold automobile charger that is fast wireless charging.": [ + "deepgold automobile charger", + "deepgold automobile charger with fast wireless charging", + "deepgold automobile charger, fast wireless charging", + "deepgold automobile charger fast wireless charging", + "deepgold automobile charger for fast wireless charging", + "deepgold automobile charger with wireless charging", + "deepgold automobile charger for charging", + "deepgold automobile charger under $40", + "deepgold automobile charger under $50", + "Deepgold automobile charger" + ], + "i will love to have the fragrance free almay smart shade mousse makeup with deep color.": [ + "almay smart shade mousse makeup", + "almay smart shade mousse makeup with deep color", + "synthetic free almay smart shade mousse makeup", + "scent free almay smart shade mousse makeup", + "scent free almay smart shade mousse makeup with deep color", + "a fragrance free almay smart shade mousse makeup", + "a fragrance free almay smart shade mousse makeup with deep color", + "almay smart shade mousse makeup in deep color", + "almay smart shade mousse makeup, deep color", + "almay smart shade mousse makeup deep color" + ], + "i want a easy to use soundbar with stereo sound.": [ + "easy to use soundbar with stereo sound", + "easy to use soundbar with stereo sound.", + "easy to use soundbar", + "soundbar with stereo sound", + "soundbar with stereo sound easy to use", + "easy to use soundbar with stereo sound,", + "easy to use soundbar, with stereo sound", + "simple to use soundbar with stereo sound", + "easy to use soundbar that is stereo sound", + "easy to use soundbar, stereo sound" + ], + "i need to buy a chair for my living room with a solid wood frame and lumbar support. it should have brown fabric.": [ + "living room chair with a solid wood frame and lumbar support", + "wood chair for living room with a solid wood frame and lumbar support", + "chair for living room with a solid wood frame and lumbar support", + "chair for my living room with a solid wood frame and lumbar support", + "chairs for living room with a solid wood frame and lumbar support", + "living room chair with a solid wood frame with lumbar support", + "saddle for living room with a solid wood frame and lumbar support", + "living room chair with a solid wood frame and lumbar support brown", + "living room chair with a solid wood frame", + "living room chair" + ], + "i am looking for pink running shoes that have a rubber sole and are in a size 14": [ + "pink running shoes in a size 14", + "pink running shoes size 14", + "pink running shoes, size 14", + "pink running shoes 14 size 14", + "pink running shoes 14", + "pink running shoes", + "pink running shoes with a rubber sole", + "pink running shoes a size 14", + "pink running shoes, size 14,", + "pink running shoes 14 size" + ], + "i am looking for an antioxidant mix of mixed nuts that are non gmo and come in a pack of 15.": [ + "antioxidant mix of mixed nuts pack of 15", + "anti gmo mix of mixed nuts pack of 15", + "anti-gmo mix of mixed nuts pack of 15", + "anti gmo mix of mixed nuts pack of 15 pack", + "antioxidant mix of mixed nuts pack of 15.", + " antioxidant mix of mixed nuts pack of 15", + "italian mix of mixed nuts pack of 15", + "anti gmo mix of mixed nuts pack of 15.", + "antioxidant mix of mixed nuts pack of 15 pack", + "affordable mix of mixed nuts pack of 15" + ], + "i am looking for some gluten free honey roasted mixed nuts.": [ + "gluten free honey roasted mixed nuts", + "gluten free honey roasted mixed nuts flavor", + "gluten free honey roasted mixed nuts.", + "gluten-free honey roasted mixed nuts", + "low sugar honey roasted mixed nuts", + "gluten free honey roasted nuts", + "lemon roasted mixed nuts", + "butter roasted mixed nuts", + "vegan roasted mixed nuts", + "almond roasted mixed nuts" + ], + "i am looking for a high definition tempered glass screen protector.": [ + "tempered glass screen protector", + "high definition tempered glass screen protector", + "tempered glass screen protector, high definition", + "tempered glass screen protector high definition", + "tempered glass screen protector.", + "tempered glass screen protector in high definition", + "tempered glass screen protector under $40", + "tempered glass screen protector under $60", + "glass screen protector", + "window protector" + ], + "i am looking for brown color classic fit t-shirt.": [ + "brown classic fit t-shirt", + "brown color classic fit t-shirt", + "brown t-shirt classic fit", + "brown color classic fit t-shirt.", + "brown classic fit t-shirt.", + "brown classic fit t-shirt under $40", + "brown classic fit t-shirt under $50", + "brown classic fit t-shirt under 50 dollars", + "brown classic fit t-shirt brown", + "brown classic fit t-shirt below $50" + ], + "i am looking for women's golf skorts of medium size with elastic waistband.": [ + "womens golf skorts of medium size elastic waistband", + "womens golf skorts of medium size", + "womens golf skorts with elastic waistband", + "womens golf skorts", + "mens golf skorts of medium size with elastic waistband", + "golf skorts of medium size with elastic waistband", + "womens golf skorts, elastic waistband", + "womens golf skorts size medium", + "womens golf skorts of medium size elastic waist", + "mens golf skorts" + ], + "get me leak proof and easy to carry pump dispenser bottle for nail polish and make up removing.": [ + "easy to carry pump dispenser bottle for nail polish", + "leak proof nail polish pump dispenser bottle", + "leek proof nail polish pump dispenser bottle", + "leak proof nail polish bottle", + "leak proof and easy to carry pump dispenser bottle", + "leak proof nail polish polish pump dispenser bottle", + "leep proof nail polish bottle", + "leek proof nail polish bottle", + "easy to carry pump dispenser bottle", + "leak proof nail polish polish bottle" + ], + "i am looking for some gluten free yellow dog sweet shake flavored gourmet spice blends.": [ + "gluten free gourmet spice blend", + "gluten free gourmet spice blends", + "gluten free gourmet spice blend.", + "gluten free and gourmet spice blend", + "gluten free gourmet spice blend below $40", + "gluten free gourmet spice blend gourmet", + "gluten-free gourmet spice blend", + "gluten free gourmet spice blend under $40", + "gluten free gourmet spice blend below $50", + "gluten free gourmet spice blend below $60" + ], + "gluten-free spice seasonings": [ + "gluten-free spice seasonings", + "gluten-free spice seasonings under $40", + "gluten-free spice seasonings under $60", + "gluten-free spice seasonings under $50", + "gluten-free spice seasonings under 50 dollars", + "gluten-free spice seasonings under 30 dollars", + "gluten-free spice seasonings under 40 dollars", + "gluten-free spice seasonings under 60 dollars", + "gluten-free spice seasoning seasonings", + "gluten free spice seasonings" + ], + "i'm looking for gourmet spice blends and shake.": [ + "gourmet spice blend and shake", + "gourmet spice blend shake", + "gourmet spice blend and shake.", + "gourmet spice blends and shake", + "gourmet spice blend shake gourmet", + "gourmet spice blend with shake", + "gourmet spice blends and shake.", + "gourmet spice blend shake.", + "gourmet spice blends shake", + "gourmet spice blend" + ], + "i am looking for a argan oil hair color. also choose chrome - 3oz one.": [ + "ash oil hair color chrome 3oz", + "argan oil hair color chrome - 3oz", + "argan oil hair color chrome - 3oz", + "ash oil hair color chrome - 3oz", + "argan oil hair color chrome 3oz", + "argan oil hair color chrome 3oz", + "an oil hair color chrome 3oz", + "arsan oil hair color chrome 3oz", + "aluminum oil hair color", + "ash oil hair color" + ], + "i am looking for high quality hair care center to exten my hair without hair loss. hair extensions must be body wave and 5x5 lace closure .": [ + "high quality hair care center to exten my hair without hair loss with body wave and 5x5 lace closure", + "high quality hair care center to exten my hair without hair loss, body wave and 5x5 lace closure", + "hair care center to exten my hair without hair loss with body wave and 5x5 lace closure", + "hair care center to exten my hair without hair loss, body wave and 5x5 lace closure", + "high quality hair care center to exten my hair without hair loss, body wave, 5x5 lace closure", + "high quality hair care center to exten my hair without hair loss, body wave and 5x5 lace closure,", + "high quality hair care center to exten my hair without hair loss", + "hair care center to exten my hair without hair loss", + "high quality hair care center", + "hair care center" + ], + "i need some high quality 12 inch extensions": [ + "12 inch extensions", + "12 inch extension", + "12 inch extensions that are high quality", + "12 inch extensions price lower than 50.00 dollars", + "12 inch extension price lower than 50.00 dollars", + "high quality 12 inch extensions", + "12 inch extensions high quality", + "12 inch extension price lower then 50.00 dollars", + "12 inch extension price lower then $40.00", + "12 inch extensions price lower then $40.00" + ], + "i need to buy high quality hair extensions. look for them in the pineapple color.": [ + "pink hair extensions", + "high quality hair extensions pineapple color", + "high quality hair extensions in pineapple color", + "pink hair extension", + "high quality hair extensions, pineapple color", + "pink hair extensions high quality", + "high quality hair extension pineapple color", + "hair extensions pineapple color", + "hair extension pineapple color", + "pink hair extensions, high quality" + ], + "i am looking for outdoor speakers of 300w and with powerful bass.": [ + "indoor speakers of 300w with powerful bass", + "alarm speakers of 300w with powerful bass", + "living room speakers of 300w with powerful bass", + "almond speakers of 300w with powerful bass", + "pink speakers of 300w with powerful bass", + "indoor speakers of 300w and with powerful bass", + "alarm speakers of 300w and with powerful bass", + "living room speakers with powerful bass", + "4 ft 4 ft outdoor speakers with powerful bass", + "indoor speakers of 300w with powerful bass." + ], + "i need fluoide free toothpaste for fresh breath.": [ + "fluoide free toothpaste for fresh breath", + "fluoide free toothpaste for fresh breath.", + "fluoide free toothpaste", + "fluoide free toothpaste fresh breath", + "fluoide free toothpaste for fresh breath ", + "fluoide free toothpaste, fresh breath", + "fluoide free toothpaste that is fresh breath", + "fluoide free toothpaste fresh breath.", + "fluoride free toothpaste for fresh breath", + "fluoide free toothpaste no fluoride" + ], + "i would like a 2xl navy grey shirt i can wash in a machine.": [ + "2xl navy grey shirt i can wash in a machine", + "2xl navy grey shirt", + "2xl navy grey shirt, wash in a machine", + "2 xl navy grey shirt i can wash in a machine", + "2xl navy grey shirt that is wash in a machine", + "2xl navy grey shirt in a machine", + "2xl navy grey shirt wash in a machine", + "2xl navy grey shirt that can wash in a machine", + "2xl navy grey shirt that is washable", + "2xl navy grey shirt under $50" + ], + "i need 18 inch hair extensions": [ + "18 inch hair extensions", + "18 inch hair extension", + "18 inch hair extensions under $50", + "18 inch hair extensions under $60", + "18 inch hair extensions under $40", + "18 inch hair extensions under $120", + "18 inch hair extension under $50", + "18 inch hair extensions under 50 dollars", + "18 inch hair extensions under $130", + "18 inch hair extensions under 30 dollars" + ], + "i would like a vanilla 3.5 oz cupcake soy wax candle.": [ + "cupcake soy wax candle", + " vanilla 3.5 oz cupcake soy wax candle", + "cupcake soy wax candle below $40", + "cupcake soy wax candle.", + "cupcake soy wax candle below $50", + "cupcake soy wax candle below $60", + "vanity 3.5 oz cupcake candles", + "a vanilla 3.5 oz cupcake candles", + "vanity 3.5 oz cupcake candle", + "cake soy wax candle" + ], + "i am in need of some high quality toothbrushes that are blue for ages 2-6": [ + "blue toothbrushes for ages 2-6", + "blue toothbrush for ages 2-6", + "blue toothbrushes 2-6", + "blue toothbrushes ages 2-6", + "blue toothbrushes for kids 2-6", + "blue toothbrush for kids 2-6", + "blue toothbrush ages 2-6", + "blue toothbrush", + "blue toothbrushes", + "blue toothbrushes that are blue" + ], + "i am looking for 8 cupcake toppers that are black for teen girls": [ + "8 cupcake toppers black teen girl", + "cupcake toppers black for teen girls", + "8 cupcake toppers black teen girls", + "cupcake toppers black teen girl", + "black cupcake toppers for teen girls", + "8 cupcake toppers that are black", + "8 cupcake toppers black", + "8 cupcake toppers black girl", + "8 cupcake toppers for teen girls", + "cupcake toppers black teen girls" + ], + "i need some high quality stainless steel hair cutting shears that are six inches long.": [ + "stainless steel hair cutting shears six inches long", + "stainless steel hair cutting shears", + "stainless steel hair cutting shears 6 inches long", + "stainless steel hair cutting hears six inches long", + "high quality stainless steel hair cutting shears six inches long", + "stainless steel hair cutting shears six inches", + "6 stainless steel hair cutting shears", + "hair cutting shears six inches long", + "10 stainless steel hair cutting shears", + "sneakers six inches long" + ], + "i am looking to buy a black throw blanket that is 80 in x 60 in for my living room.": [ + "black throw blanket that is 80 in x 60", + "black throw blanket 80 in x 60", + "throw blanket that is 80 in x 60", + "black throw blanket for living room", + "blanket 80 in x 60", + "ash throw blanket that is 80 in x 60", + "throw blanket 80 in x 60", + "black throw blanket, 80 in x 60", + "black throw blanket with 80 in x 60", + "black throw blanket" + ], + "where can i find this special sauce? please help me .keto barbecue bbq sauce by yo mama's foods. carefully read all the features i need on the label. low carb, low sugar, gluten free, non gmo, classic pizza sauce flavor. if you can't find it let me know soon.": [ + "keto barbecue bbq sauce", + "keto barbecue bbq sauce by yo mamas", + "keto barbecue bbq sauce under $40", + "keto barbecue bbq sauce under $60", + "keto barbecue bbq sauce under $50", + "keto barbecue bbq sauce that is low carb", + "keto barbecue bbq sauce under 50 dollars", + "special sauce by yo mamas foods", + "keto barbecue bbq sauce flavor", + "special sauce" + ], + "i need a remote control with aaa betteries": [ + "remote control with aaa betteries", + "remote control aaa betteries", + "remote control remote control aaa betteries", + "remote control that is aaa betteries", + "remote control of aaa betteries", + "remote control for aaa betteries", + "remote control, aaa betteries", + "remote control no aaa betteries", + "remote control with aaa betteries,", + "remote control" + ], + "i would like a tan faux leather armchair.": [ + "tan faux leather armchair", + "tanned faux leather armchair", + "shoes tan faux leather armchair", + "stainless leather armchair", + "a tan faux leather armchair", + "tain faux leather armchair", + "tart faux leather armchair", + "tan faux leather armchair.", + "a tan faux leather armchair.", + "tanned faux leather armchair." + ], + "i am looking for a dome cameras batteries included": [ + "dome cameras batteries", + "stomegranate cameras batteries", + "dome cameras batteries included", + "dome camera batteries", + "temporary dome cameras batteries", + "tempered dome cameras batteries", + " dome cameras batteries", + "a dome cameras batteries", + "sto camera batteries", + "dome cameras batteries no batteries" + ], + "i need a purple tie-dyed dresser with a steel frame.": [ + "pink tie-dyed dresser with a steel frame", + "blue tie-dyed dresser with a steel frame", + "purple tie-dyed dresser with a steel frame", + "red tie-dyed dresser with a steel frame", + "vinyl tie-dyed dresser with a steel frame", + "pink tie-dyed dresser", + "pink tie-ded dresser with a steel frame", + "pink tie-dyed dresser, steel frame", + "turf dresser with a steel frame", + "blue tie-dyed dresser" + ], + "i'm looking for perfect men's trail running.": [ + "mens trail running", + "mens trail running perfect mens", + "mens trail running.", + "mens trail running mens", + "mens trail running with mens", + "mens trail running, perfect mens", + "mens trail running", + "mens trail running under $40", + "mens trail running perfect mens mens", + "mens trail running under $50" + ], + "i would like a blue cupcake topper for a birthday party.": [ + "blue cupcake topper for a baby shower", + "blue cupcake topper for a birthday party", + "blue cupcake topper for a birthday party.", + "blue cupcake topper for a baby shower.", + "blue birthday cupcake topper for a baby shower", + "blue cupcake toppers for a baby shower", + "blue birthday cupcake topper for a birthday party", + "blue cupcake toppers for a birthday party", + "blue cupcake topper, for a baby shower", + "blue cupcake topper for baby shower" + ], + "add to my cart polo red men by ralph lauren edt spray and should have a long lasting scent.": [ + "pink polo red men by ralph lauren edt scent", + "cart polo red men by ralph lauren edt scent", + "pink polo red men by ralph lauren edt", + "paddle polo red men by ralph lauren edt scent", + "pink polo red men scent long lasting", + "pink polo red men scent long lasting scent", + "cart polo red men by ralph lauren edt", + "pink polo red men with a long lasting scent", + "cart polo red men scent long lasting", + "cart polo red men scent long lasting scent" + ], + "i am looking for a sulfate free shampoo set that is 13.5 fl oz": [ + "sulfate free shampoo set 13.5 fl oz", + "sulfate free shampoo set, 13.5 fl oz", + "sulfate free shampoo set 12.5 fl oz", + "sulfate free shampoo set for 13.5 fl oz", + "sulfate free shampoo set with 13.5 fl oz", + "sulfate free shampoo set 14.5 fl oz", + "sulfate free shampoo set", + "sulfate free shampoo set 13.5 fl oz", + "sulfate free shampoo set 13.5fl oz", + "sulfate free shampoo set 13.5 fl oz," + ], + "i'm looking for an easy to clean coffee table for my living room. i want one that's in a modern style with natural wood.": [ + "living room coffee table with natural wood", + "living room coffee table in a modern style", + "living room coffee table", + "living room coffee table that is modern style", + "living room coffee table, modern style", + "living room coffee table that is modern", + "living room coffee table natural wood", + "living room coffee table modern style", + "living room coffee table clean", + "tablet modern" + ], + "i looking a high power telescope for bird watching with smartphone adapter and tripod": [ + "high power telescope for bird watching with smartphone adapter", + "high power telescope bird watching with smartphone adapter and tripod", + "sky telescope for bird watching with smartphone adapter and tripod", + "high power telescope bird watching with smartphone adapter", + "high power telescope for bird watching", + "sky telescope for bird watching with smartphone adapter", + "high power telescope", + "sky telescope high power", + "high power telescope bird watching", + "sky telescope" + ], + "i'm looking for a 5 pieces metal decorative loops for apple watch series 7/6/5/4/3/2/1 band silicon strap.": [ + "5 pieces metal decorative loops for apple watch series 7/6/5/4/3/2", + "5 piece metal decorative loops for apple watch series 7/6/5/4/3/2", + "5 pieces metal decorative loops for apple watch", + "5 pieces metal decorative loops for apple watch series", + "5 pieces metal decorative loops", + "5 pieces metal decorative loops for apple watch series 7/6/5", + "5 pieces metal decorative loops for apple watch series 7/6", + "5 piece metal decorative loops for apple watch", + "5 piece metal decorative loops for apple watch series", + "5 piece metal decorative loops" + ], + "i'm looking for 8.5 wide open toe women sandals.": [ + "8.5 wide open toe women sandals", + "8.5 wide open toe women sandals.", + "8.5 wide open toe women sandals,", + "8.5 wide wide open toe women sandals", + "open toe women sandals 8.5", + "8 x 5 wide open toe women sandals", + " 8.5 wide open toe women sandals", + "8 foot wide open toe women sandals", + "8 ft wide open toe women sandals", + "open toe women sandals" + ], + "i'm looking for a camellia seed oil conditioner, fragance free": [ + "frigance free camellia seed oil conditioner", + "barrelia seed oil conditioner, fragance free", + "abllia seed oil conditioner, fragance free", + "rubber dried plant oil conditioner, fragance free", + "barbecue oil conditioner, fragance free", + "rubber dried plant oil conditioner", + "broughtllia seed oil conditioner fragance free", + "plant oil conditioner, fragance free", + "fog conditioner, fragance free", + "barbecue oil conditioner, fragance free," + ], + "i would like some peanut butter cookies that are ready to eat.": [ + "peanut butter cookies ready to eat", + "peanut butter cookies ready to eat.", + "pomegranate butter cookies", + " peanut butter cookies ready to eat", + "panut butter cookies ready to eat", + "butter cookies ready to eat", + "lemon butter cookies ready to eat", + " peanut butter cookies ready to eat.", + "panut butter cookies ready to eat.", + "pink peanut butter cookies ready to eat" + ], + "i would like a bath brush for dead and dry skin.": [ + "bath brush for dead and dry skin", + "bath brush for dead and dry skin.", + "bath brush for dead and dry skin,", + "bathbrush for dead and dry skin", + "bath brush for dead skin", + "bath brush dead and dry skin", + "bath brush, dead and dry skin", + "bath brush for dead dry skin", + "bath brush for dead skin.", + "bath brush for dead body" + ], + "i am looking for a mid century metal floor lamp with a brushed nickel finish.": [ + "mid century metal floor lamp with a brushed nickel finish", + "mid century metal floor lamp", + "mid century metal floor lamp, brushed nickel finish", + "mid century metal floor lamp that is brushed nickel finish", + " mid century metal floor lamp with a brushed nickel finish", + "Mid century metal floor lamp with a brushed nickel finish", + "wooden floor lamp with a brushed nickel finish", + "mens floor lamp with a brushed nickel finish", + "mid century metal floor lamp with brushed nickel finish", + "floor lamp with a brushed nickel finish" + ], + "i need a 1.7 ounce perfume set that is long lasting.": [ + "1.7 ounce perfume set long lasting", + "1.7 ounce perfume set that is long lasting", + "1.7 ounce perfume set", + "1.7 ounce perfume set long lasting.", + "1.7 ounce perfume set, long lasting", + "one.7 ounce perfume set that is long lasting", + "1.7 ounce perfume set, long lasting.", + "1.7 ounce perfume set in long lasting", + "1.7 ounce perfume set with long lasting", + "one.7 ounce perfume set long lasting" + ], + "i need a stainless steel pedicure tool to remove dead skin and i would like an 8 piece black set if possible.": [ + "stainless steel pedicure tool to remove dead skin", + "stainless steel pedicure tool", + "stainless steel pedicure tool 8 piece black set", + "stainless steel pedicure tool for dead skin 8 piece black set", + "stainless steel pedicure tool for dead skin", + "stainless steel pedicure tool with dead skin", + "stainless steel pedicure tool 8 piece black", + "stainless steel pedicure tool 9 piece black", + "10 piece black pedicure tool", + "8 piece black pedicure tool" + ], + "i would like an xx-large black long sleeve shirt for daily casual wear, thanks": [ + "xxl black long sleeve shirt", + "xxl black long sleeve shirt for daily casual wear", + "xx-large black long sleeve shirt", + " xx-large black long sleeve shirt", + "xxl long sleeve shirt for daily casual wear", + "xxl black long sleeve shirt daily casual wear", + "xxl black long sleeve shirt, daily casual wear", + "xxl long sleeve shirt", + "xxl black long sleeve shirt in daily casual wear", + " xxl black long sleeve shirt" + ], + "i would like a 2.4 ounce bottle of deodorant that is made from natural ingredients.": [ + "2.4 ounce bottle of deodorant", + "2.4 ounce bottle of deodorant natural ingredients", + "2.4 ounce bottle of deodorant natural", + "natural deodorant 2.4 oz", + "two.4 ounce bottle of deodorant", + "natural deodorant 2.4 oz natural", + "2.4 ounce bottle of deodorant natural no sugar", + "2.4 ounce bottle of deodorant with natural ingredients", + "natural deodorant 2.4 ounce", + "2.4 ounce bottle of deodorant natural no fluoride" + ], + "i would like a 4g lte tablet with a high resolution.": [ + "4g lte tablet with a high resolution", + "4g lte tablet with high resolution", + "4g lte tablet high resolution", + "4g lte tablet", + "4g lte tablet that is high resolution", + "4g lte tablets with a high resolution", + " 4g lte tablet with a high resolution", + "4g lte tablet in high resolution", + "4g lte tablet, high resolution", + "industrial 4g lte tablet with high resolution" + ], + "i'm looking for a pair of running shorts made out of polyester spandex with an elastic waistband. i want them in red, size small.": [ + "walking shorts made out of polyester spandex", + "running shorts made out of polyester spandex", + "walking shorts made out of polyester spandex in red", + "walking shorts made out of polyester spandex, size small", + "walking shorts made out of polyester spandex in red size small", + "running shorts made out of polyester spandex in red", + "pair of running shorts made out of polyester spandex", + "walking shorts made out of polyester spandex, size small,", + "pink running shorts with an elastic waistband", + "walking shorts size small" + ], + "i am looking for wireless bluetooth speakers in the color a.": [ + "wireless bluetooth speakers in the color a", + " wireless bluetooth speakers in the color a", + "wireless bluetooth speakers color a", + " wireless bluetooth speakers in the color a.", + "wireless bluetooth speakers in a color a", + "womens wireless bluetooth speakers color a", + "womens wireless bluetooth speakers", + "blue wireless bluetooth speakers in the color a", + "wireless bluetooth speakers", + " wireless bluetooth speakers color a" + ], + "i would like a twin size blue bunk bed.": [ + "twin size blue bunk bed", + "twin bed blue", + "twin size blue bunk bed.", + "twin size blue bunk bed,", + "twin bedblue", + "twin bed less then $40", + "twin bed less then $50", + "twin bed that is blue", + "twin sizeblue bunk bed", + " twin size blue bunk bed" + ], + "i am looking for teeth whitening toothbrush in green bear size": [ + " teeth whitening toothbrush in green bear size", + "teeth whitening toothbrush in green bear", + "toothbrush in green bear size", + "teeth whitening toothbrush green bear size", + "teeth whitening toothbrush green bear", + "toothbrush teeth whitening green bear size", + " teeth whitening toothbrush in green bear", + " teeth whitening toothbrush green bear size", + "teeth whitening toothbrush", + "toothbrush in green bear" + ], + "i am looking for some noise cancelling earbud headphones": [ + "noise cancelling earbud headphones", + " noise cancelling earbud headphones", + "non noise cancelling earbud headphones", + "sound cancelling earbud headphones", + "low noise cancelling earbud headphones", + "nuance cancelling earbud headphones", + "magnifying earbud headphones", + " noise cancelling earbud headphones under $40", + "eclatically cancelling earbud headphones", + " noise cancelling earbud headphones under $50" + ], + "i'm looking for sheer window curtains that are machine washable and 55 in x 108 in. also, they should be mint color.": [ + "window curtains that are machine washable and 55 in x 108 in", + "pure window curtains that are machine washable and 55 in x 108 in", + "window curtains that are machine washable and 55 in x 108 in.", + "window curtains that are machine washable and 55 in x 108", + "pure window curtains that are machine washable and 55 in x 108", + "large window curtains that are machine washable and 55 in x 108 in", + "window curtains 55 in x 108 in", + "pure window curtains with a mint color", + "pure window curtains with mint color", + "pure window curtains in mint color" + ], + "i am looking for cruelty free lip balm having 3pk warm flavors scent .": [ + "cruelty free lip balm with 3pk warm flavors", + "cruelty free lip balm 3pk warm flavors scent", + "cruelty free lip balm", + "cruelty free lip balm having 3pk warm flavors", + "cruelty free lip balm 3pk warm flavors", + "cruelty free lip balm 2pk warm flavors scent", + "cruelty free lip balm, 3pk warm flavors", + "cruelty free lip balm under $40", + "cruelty free lip balm under $50", + "cruelty free lip balm with 3pk" + ], + "i'm looking for portable android tablet with dual speaker.": [ + "portable android tablet with dual speaker", + "portrait android tablet with dual speaker", + "portrait tablet with dual speaker", + "portable android tablet with dual speakers", + "portal android tablet with dual speaker", + "portrait android tablet with dual speakers", + "portable android tablet dual speaker", + "portable android tablet", + "tablet with dual speaker", + "portrait android tablet" + ], + "i am looking for a loose fit blue top that is a small.": [ + "loose fit blue shirt", + "small loose fit blue shirt", + "loose fit blue top", + "small blue shirt", + "pocket fit blue shirt", + "loose fit blue shirt small", + "small loose fit blue top", + "womens blue shirt", + "womens blue shirt small", + "pocket fit blue top" + ], + "i would like a 10 by 8 foot photo backdrop that is light weight and easy to carry.": [ + "10 by 8 foot photo backdrop", + "10 x 8 foot photo backdrop", + "10 by 8 foot photo backdrop light weight", + "light weight and easy to carry photo backdrop", + "10x 8 foot photo backdrop", + "10x8 photo backdrop", + "10 x 8 photo backdrop", + "portrait light weight", + "light weight photo backdrop", + "10 by 8 foot backdrop" + ], + "i am looking for an intel core all in one pc.": [ + "intel core all in one pc", + "intel core all in one pc.", + "intel core, all in one pc", + " intel core all in one pc", + "intel core in one pc", + " intel core all in one pc.", + "intel core all in one pc,", + "intel core for pc", + "intel core for a pc", + "intel core" + ], + "i need some coconut milk that is rich and creamy": [ + "rich and creamy coconut milk", + "rich and creamy coconut milk that is rich and creamy", + "rich and creamy coconut milk under $40", + "rich and creamy coconut milk below $40", + "rich and creamy coconut milk under $50", + "rich and creamy coconut milk under $60", + "rich and creamy coconut milk below $50", + "rich and creamy coconut milk below $60", + "rich and creamy coconut milk flavor", + "rich creamy coconut milk" + ], + "i am looking for dust proof monoculars having high definition.": [ + "dust proof monoculars with high definition", + "dust proof monoculars having high definition", + "dust proof monoculars", + "dust proof monoculars that are high definition", + "dust proof monoculars high definition", + "dust proof monoculars with high definition.", + "dust proof monoculars, high definition", + "dust proof monoculars having high definition.", + "dust proof monoculars in high definition", + "dust proof monoculars no high definition" + ], + "i want glitter crown cupcake picks.": [ + "glitter crown cupcake picks", + "glitter crown cupcake picks.", + "glitter crown cupcake pick", + "glitter crown cupcake picks under $50", + "glitter crown cupcake picks under $40", + "glitter crown cupcake picks under $60", + "glitter crown cupcake picks under 50 dollars", + "glitter crown cupcake picks under 40 dollars", + "glitter crown cupcake picks under 30 dollars", + "glitter crown cupcake picks for glitter" + ], + "i am looking for a tv stand and console that has storage shelves. i choose the sargent oak color for for my 55\" tv": [ + "tv stand and console sargent oak color", + "tv stand and console with storage shelves", + "tv stand and console sargent oak", + "tv stand and console that has storage shelves", + "tv stand and console with storage", + "tv stand and console with storage shelf", + "tv stand and console", + "tv stand and console in sargent oak", + "tv stand and console white", + "tv stand with storage shelves" + ], + "i am looking for a heel booties pump with leather sole . also choose black color and size no 9.": [ + "heel booties pump with leather sole", + "heel booties pump with leather sole in black", + " heel booties pump with leather sole in black", + " heel booties pump with leather sole", + "heel booties pump with leather sole no 9", + "heel booties pump with leather sole black", + "high heel booties pump with leather sole", + "high heel booties pump with leather sole in black", + "heel booties pump with leather sole, black", + "sheep booties pump with leather sole" + ], + "i am looking a light brown natural hair extention 20 inch long": [ + "light brown natural hair extention 20 inch long", + "light brown natural hair extention 20 inch long", + "light brown natural hair, extention 20 inch long", + "light brown natural hair", + "light brown natural hair with extention 20 inch long", + "light brown natural hair in extention 20 inch long", + "light brown natural hair extention 20 inch long", + "light brown natural hair 20 inch long", + "light brown natural hair extention", + "light brown natural hair extention 20 inches long" + ], + "i would like a navy medium short scrub bottoms with a relaxed fit.": [ + "navy medium short scrub bottoms with a relaxed fit", + "navy medium short scrub bottoms with a relaxed fit.", + " navy medium short scrub bottoms with a relaxed fit", + "navy medium short scrub bottoms", + "a navy medium short scrub bottoms with a relaxed fit", + "navy medium scrub bottoms with a relaxed fit", + " navy medium short scrub bottoms with a relaxed fit.", + "navy medium short scrub bottoms, relaxed fit", + "navy short scrub bottoms with a relaxed fit", + "navy medium short scrub bottoms with relaxed fit" + ], + "i want grey color lumbar support, pu leather swivel adjustable executive chair with flip-up arms": [ + "grey color lumbar support executive chair with flip-up arms", + "grey color lumbar support, pu leather swivel", + "grey color lumbar support Executive chair with flip-up arms", + "grey color lumbar support with flip-up arms", + "grey lumbar support executive chair with flip-up arms", + "grey color lumbar support chair with flip-up arms", + "grey color lumbar support that is flip-up", + "grey color lumbar support", + "grey color lumbar support executive chair", + "grey lumbar support" + ], + "i'm looking for a toothpaste for teeth whitening": [ + "toothpaste teeth whitening", + "toothpaste for teeth whitening", + "teethpaste for teeth whitening", + "teethpaste teeth whitening", + "teethpaste", + "tothpaste for teeth whitening", + "tothpaste teeth whitening", + "teethpaste, teeth whitening", + "teethpaste toothpaste", + "teethpaste no fluoride" + ], + "i am looking for yellow color hoodies for daily wear.": [ + "yellow hoodies for daily wear", + "yellow hoodies", + "yellow hoodies for daily wear.", + "yellow hoodies daily wear", + "yellow hoodies that are daily wear", + "yellow hoodies for daily wear yellow", + "yellow hoodies, daily wear", + "yellow hoodies in daily wear", + "yellow hoodie for daily wear", + "yellow hoodies for daily wear," + ], + "i'm looking for a bath brush in beige with a long handle.": [ + "bath brush in beige with a long handle", + "bath brush in beige", + "bath brush in beige with long handle", + "bathbrush in beige with a long handle", + "bath brush in beige, long handle", + "bath brush in beige long handle", + "bath brush in beige that is long handle", + "bath brush in beige no handle", + "bath brush beige", + "bath brush" + ], + "i would like a pair of size 10 bronze sneakers with a rubber sole.": [ + "size 10 bronze sneakers with a rubber sole", + "pair of size 10 bronze sneakers", + "size 10 bronze sneakers", + "two size 10 bronze sneakers with a rubber sole", + "size 10 bronze sneakers with a rubber sole.", + "sneakers size 10 with a rubber sole", + "size 10 bronze sneakers with a rubber sole,", + "sneakers size 10 bronze", + "size 10 bronze sneakers, rubber sole", + "pair of size 10 bronze sneakers, rubber sole" + ], + "looking for long sleeve and loose fit sweatshirt for women also choose colour gray": [ + "long sleeve and loose fit sweatshirt for women", + "womens sweatshirt long sleeve grey", + "long sleeve loose fit sweatshirt for women", + "womens sweatshirt in grey", + "short sleeve and loose fit sweatshirt for women", + "womens sweatshirt long sleeve gray", + "sweathirt for women long sleeve grey", + "long sleeve grey sweatshirt for women", + "womens sweatshirt in grey long sleeve", + "sweat sweatshirt for women in grey" + ], + "i am looking for french vanilla flavor syrup that is sugar free.": [ + "faux vanilla flavor syrup", + "faux vanilla flavor syrup sugar free", + " french vanilla flavor syrup sugar free", + "gluten free french vanilla flavor syrup", + "stainless vanilla flavor syrup", + "synthetic vanilla flavor syrup", + "faux vanilla flavor syrup no sugar", + " french vanilla flavor syrup", + "pink vanilla flavor syrup", + "pure vanilla flavor syrup" + ], + "hello, may you direct me to a pack of black cherry syrup? natural is preferable please": [ + "pack of black cherry syrup", + "black cherry syrup natural", + "natural black cherry syrup pack", + "natural black cherry syrup", + "bag of black cherry syrup", + "natural cherry syrup pack", + "black cherry syrup", + "white cherry syrup natural", + "pure black cherry syrup", + "natural cherry syrup" + ], + "i need heeled sandals that have a rubber sole and are a size 6.5 with silver glitter on them": [ + "shoes size 6.5 with silver glitter", + "knee sandals size 6.5 with silver glitter", + "shoes size 6.5 silver glitter", + "size 6.5 heeled sandals with silver glitter", + "knee sandals size 6.5 silver glitter", + "shoes heeled 6.5 with silver glitter", + "shoes heeled 6.5 silver glitter", + "stainless sandals size 6.5 silver glitter", + "foot sandals size 6.5 silver glitter", + "shoes 6.5 silver glitter" + ], + "i want a gift box of assorted fresh gourmet nuts and dried fruits.": [ + "gourmet nuts and dried fruits", + "gourmet nuts and dried fruits gift box", + "gourmet nuts and dried fruits under $50", + "gourmet nuts and dried fruits under $60", + "gourmet nuts and dried fruits under $40", + "gourmet nuts and dried fruits under 50 dollars", + "gourmet nuts and dried fruits under 30 dollars", + "gourmet nuts and dried fruits.", + "gift box of dried fruits", + "gourmet nuts dried fruits gift box" + ], + "i need some machine washable curtains for my kitchen in white or black.": [ + "machine washable curtains for my kitchen in white or black", + "machine washable curtains for my kitchen white or black", + "machine washable curtains for the kitchen in white or black", + "machine washable curtains for kitchen in white or black", + "machine washable curtains for the kitchen white or black", + "machine washable curtains in white or black", + "machine washable curtains for living room white or black", + "machine washable curtains for kitchen white or black", + "machine washable curtains white or black", + "machine washable curtains for my kitchen white or black." + ], + "i'm looking for a perfect waterproof eyeshadow stick with bronze shimmer": [ + "waterproof eyeshadow stick with bronze shimmer", + "perfect waterproof eyeshadow stick with bronze shimmer", + "pink waterproof eyeshadow stick with bronze shimmer", + "plastic waterproof eyeshadow stick with bronze shimmer", + "waterproof eyeshadow stick bronze shimmer", + "lip art waterproof eyeshadow stick with bronze shimmer", + "lip gloss eyeshadow stick with bronze shimmer", + "waterproof eyeshadow stick", + "waterproof eyeshadow stick, bronze shimmer", + "beauty stick with bronze shimmer" + ], + "looking for samsung galaxy a11 red brushed tpu case cover also choose non slip quality": [ + "samsung galaxy a11 red brushed tpu case cover", + " samsung galaxy a11 red brushed tpu case cover", + "samsung galaxy b11 red brushed tpu case cover", + "amsung galaxy a11 red brushed tpu case cover", + "a11 red brushed tpu case cover", + "samsung galaxy tpu case cover non slip quality", + "samsung galaxy a11 red brushed tpu", + "samsung galaxy a11 case cover non slip quality", + "samsung galaxy tpu case cover non slip", + "samsung galaxy tpu case cover" + ], + "i am looking for a case cover for my samsung galaxy a11": [ + "samsung galaxy case cover", + "case cover for samsung galaxy a11", + "samsung galaxy a11 case cover", + "case cover samsung galaxy a11", + "samsung galaxy samsung case cover", + "samsung samsung galaxy a11 case cover", + "samsung samsung galaxy case cover", + "cases cover for samsung galaxy a11", + "samsung galaxy case cover samsung samsung", + "samsung samsung case cover" + ], + "i need some binoculars for bird watching": [ + " binoculars for bird watching", + " binoculars bird watching", + "binoculars for bird watching", + " binoculars for bird watching under $40", + " binoculars for bird watching under $50", + "binoculars for bird watching binoculars", + " binoculars for bird watching under $60", + " binoculars for bird watching under 50 dollars", + "oculars for bird watching binoculars", + " binoculars for bird watching below $50" + ], + "i'm looking for a spa gift set that's good for dry skin and hasn't been tested on animals.": [ + "spa gift set for dry skin and hasnt been tested on animals", + "a spa gift set for dry skin and hasnt been tested on animals", + "pam gift set for dry skin and hasnt been tested on animals", + "spa gift set for dry skin that is tested on animals", + "spa gift set for dry skin", + "pampering set for dry skin", + "pam gift set for dry skin", + "gift set for dry skin", + "spray set for dry skin", + "sham gift set for dry skin" + ], + "i am looking for earbud headphones in noise cancelling": [ + "earbud headphones noise cancelling", + "sound cancelling earbud headphones", + "alarm noise cancelling earbud headphones", + " earbud headphones noise cancelling", + "earthbud headphones noise cancelling", + "earbud headphones in noise cancelling", + "earbud headphones with noise cancelling", + "8 earbud headphones noise cancelling", + "toothpaste headphones noise cancelling", + "alarm noise cancelling earbud" + ], + "i would like a 6.6 foot long gold plated fiber optic cable.": [ + "6.6 foot long gold plated fiber optic cable", + "6.6 foot long gold plated fiber optic cable.", + "6.6 x long gold plated fiber optic cable", + "6.6 foot long gold plated fiber optic cable,", + "6 foot long gold plated fiber optic cable", + "6 ft long gold plated fiber optic cable", + "8.6 foot long gold plated fiber optic cable", + "6ft long gold plated fiber optic cable", + "6.6 ft long gold plated fiber optic cable", + "5.6 foot long gold plated fiber optic cable" + ], + "i would like a 28x16x18inch yellow storage bench made from engineered wood and a faux leather top.": [ + "28x16x18inch yellow storage bench made from engineered wood and faux leather top", + "28x16x18inch yellow storage bench made from engineered wood", + "28x16x18inch yellow storage bench made from engineered wood and faux leather", + "28x16x18inch yellow storage bench made from engineered wood with faux leather top", + "28x16x18inch yellow storage bench made from engineered wood, faux leather top", + "28x16x18inch yellow storage bench made from engineered wood with faux leather", + "28x16x18inch yellow storage bench made from engineered wood and a faux leather", + "28x16x18inch yellow storage bench", + "28x16x18inch yellow storage bench with engineered wood and faux leather top", + "28x16 x18inch yellow storage bench made from engineered wood and faux leather top" + ], + "i'm interested in a button-tufted, faux leather, dark green bench in size 39x16x18inch.": [ + "button-tufted faux leather bench in size 39x16x18inch", + "button-tufted faux leather bench 39x16x18inch", + "button-tufted faux leather bench, 39x16x18inch", + " button-tufted faux leather bench in size 39x16x18inch", + "button-tufted, faux leather bench in size 39x16x18inch", + "button-tufted faux leather bench in size 39x16x18 inches", + "button-tufted faux leather, dark green bench", + "button-tufted faux leather bench in size 39x16x18 inch", + "button-tufted faux leather bench", + "button-tufted, faux leather, dark green bench" + ], + "i want a grey modern button tufted bed end bench.": [ + "grey modern button tufted bed end bench", + "grey modern button tufted bed end bench.", + "grey modern button tufted bed end bench,", + "grey modern button tufted bed end bench under $40", + "grey modern button tufted bed bed end bench", + "grey modern button tufted bed end bench under $50", + "grey modern button tufted bed end bench under $60", + "grey modern button tufted bed end bench under 50 dollars", + "grey modern button tfted bed end bench", + "grey modern button tufted bed" + ], + "i would like a pattern 21 cake topper for a birthday party.": [ + "pattern 21 cake topper for a birthday party", + "pattern 21 cake topper for a baby shower", + "pattern 21 cake topper for a birthday party.", + "pattern 21 cake topper for a baby shower.", + " pattern 21 cake topper for a birthday party", + " pattern 21 cake topper for a birthday party.", + " pattern 21 cake topper for a baby shower", + "pattern 21 cake toppers for a baby shower", + "pattern 21 cake toppers for a birthday party", + " pattern 21 cake topper for a baby shower." + ], + "i'm looking for a perfect valentine gift for my loved one with this strawberry love cookie cake.": [ + "a perfect valentine gift for my loved one with this strawberry love cookie cake", + "pink valentine gift for my loved one with this strawberry love cookie cake", + "valentine gift for my loved one with this strawberry love cookie cake", + "valentine gift for my loved one with this strawberry love cookie cake.", + "pink valentine gift for a loved one with this strawberry love cookie cake", + "valentine gift for a loved one with this strawberry love cookie cake", + "a strawberry love cookie cake", + "pomegranate love cookie cake", + "caramel love cookie cake", + "pink cookie cake" + ], + "i would like a pair of 18 plus chocolate regular fit jeans.": [ + "18 plus chocolate regular fit jeans", + "18 plus chocolate regular fit jeans under $50", + "18 plus chocolate regular fit jeans under $60", + "18 plus chocolate regular fit jeans under $40", + "18 plus chocolate regular fit jeans.", + "18 plus chocolate regular fit jeans under 30 dollars", + "18 plus chocolate regular fit jeans under 50 dollars", + "18 plus chocolate regular fit jeans under 40 dollars", + "18 plus chocolate regular fit jeans under 120 dollars", + " 18 plus chocolate regular fit jeans" + ], + "i need a refurbished pc that is an i5 and has 8gb of ram": [ + "i need a refurbished pc that is an i5 and has 8gb of ram, and price lower than 50.00 dollars", + "i need a refurbished pc that is an i5 and has 8gb of ram, and price lower than 40.00 dollars", + "i need a refurbished pc that is an i5 and has 8gb of ram, and price lower than 30.00 dollars", + "i need a refurbished pc that is an i5 and has 8gb of ram, and price lower than 20.00 dollars", + "i need a refurbished pc that is an i5 and has 8gb of ram, and price lower than 70.00 dollars", + "i need a refurbished pc that is an i5 and has 8gb of ram, and price lower than 60.00 dollars", + "i need a refurbished pc that is an i5 and has 8gb of ram, and price lower than 120.00 dollars", + "i need a refurbished pc that is an i5 and has 8gb of ram, and price lower than 100.00 dollars", + "i need a refurbished pc that is an i5 and has 8gb of ram, and price lower than 140.00 dollars", + "i need a refurbished pc that is an i5 and has 8gb of ram, and price lower than 9.00 dollars" + ], + "i would like a 3 ounce bottle of bright citrus deodorant for sensitive skin.": [ + "3 ounce bottle of bright citrus deodorant for sensitive skin", + "3 ounce bottle of citrus deodorant for sensitive skin", + "3 ounce bottle of bright citrus deodorant sensitive skin", + "3 ounce bottle of bright citrus deodorant", + "3 ounce bottle of fresh citrus deodorant for sensitive skin", + "2 ounce bottle of bright citrus deodorant for sensitive skin", + "3 ounce bottle of clear citrus deodorant for sensitive skin", + "3 ounce bottle of citrus deodorant for sensitive skin.", + "3 ounce bottle of orange deodorant for sensitive skin", + "3 ounce bottle of citrus deodorant sensitive skin" + ], + "i'm looking for a xx-large i hate running black t-shirt for women, machine wash": [ + "xx-large black t-shirt for women", + "xxl t-shirt for women", + "xx-large woman t-shirt", + "xx-large black t-shirt", + "xxl black t-shirt for women", + "xx-large t-shirt for women", + "xx-large women t-shirt", + "xxl black t-shirt", + "xxl t-shirt", + "xx-large t-shirt" + ], + "i need a black wall mouinted mirror for the living room.": [ + "black wall mouinted mirror for living room", + "wall mouinted mirror for the living room", + "black wall mouinted mirror living room", + "black wall mouinted mirror", + "living room black wall mouinted mirror", + "wall mouinted mirror for living room", + "white wall mouinted mirror for living room", + "living room wall mouinted mirror", + "wall mouinted mirror for living room.", + "wall mouinted mirror" + ], + "i need a high power car stereo receiver.": [ + "high power car stereo receiver", + "high power car stereo receiver.", + "car stereo receiver high power", + "car stereo receiver", + "car stereo receiver, high power", + "low power car stereo receiver", + "a high power car stereo receiver", + "high power car stereo receivers", + "high power car stereo", + "car stereo receiver." + ], + "i'm looking for pajama pants with an elastic waistband. they should be machine washable and come in a size large.": [ + "pajama pants with an elastic waistband", + "pajama pants with an elastic waistband size large", + "pajama pants that are machine washable", + "pajama pants in a size large", + "pajama pants with elastic waistband", + "pajama pants size large", + "pajama pants large", + "pajama pants", + "pajama pants a size large", + "pajama pants, machine washable" + ], + "i need machine washable pillow covers. it should be in turquoise blue.": [ + "machine washable pillow covers turquoise", + "im looking for machine washable pillow covers turquoise", + "machine washable pillow cover turquoise", + "man washable pillow covers turquoise", + "machine washable pillow covers in turquoise", + "turquoise pillow covers", + "im looking for machine washable pillow covers in turquoise", + "woman washable pillow covers turquoise", + "machine washable pillow covers, turquoise", + "turquoise pillow cover" + ], + "i need to buy a full sized mattress and box spring set. it should come fully assembled. look for style 225zf-4.": [ + "full sized mattress and box spring set", + "full sized mattress and box spring set in style 225zf-4", + "full sized mattress and box spring set with style 225zf-4", + "full sized mattress and box spring set, style 225zf-4", + "full sized mattress and box spring set style 225zf-4", + "full sized mattress and box spring set that is fully assembled", + "full sized mattress and box spring set. it should come fully assembled", + "full sized mattress and box spring set that should come fully assembled", + "full sized mattress with spring set", + "full sized mattress and box spring" + ], + "i would like fruit and nut bars that are soy free.": [ + "fruit and nut bars soy free", + "fruit and nut bars that are soy free", + "fruit and nut bar soy free", + "variety fruit and nut bars soy free", + "fruit and nut bar that are soy free", + "variety fruit and nut bar soy free", + "vegan and nut bars soy free", + " fruit and nut bars soy free", + "fruit and nut bars soy free.", + "fruit nut bars soy free" + ], + "smart tv flat screen stereo sound": [ + "smart tv flat screen stereo sound", + "smart tv flats screen stereo sound", + "smart tv flat screen stereo sound,", + "smart tv 3d screen stereo sound", + "smart tv tv flat screen stereo sound", + "smart tv flat screen stereo", + "smart tv blu screen stereo sound", + "smart tv flat screen stereo system", + "tv flat screen stereo sound", + "smart tv flat screen speakers" + ], + "looking for roasted carob powder with caffeine free and gluten free choose 1 pack": [ + "roasted carob powder caffeine free and gluten free 1 pack", + "roasted carob powder with caffeine free gluten free 1 pack", + "roasted carob powder", + "roasted carob powder gluten free 1 pack", + "roasted carob powder that is caffeine free 1 pack", + "roasted carob powder caffeine free 1 pack", + "roasted carob powder 1 pack", + "roasted carob powder that is caffeine free and gluten free", + "roasted carob powder that is caffeine free", + "roasted carob powder with caffeine free" + ], + "i am looking fore a 24 pack of individually wrapped chocolates.": [ + "24 pack of individually wrapped chocolates", + "24 pack of individually wrapped chocolates.", + "23 pack of individually wrapped chocolates", + "25 pack of individually wrapped chocolates", + "24 pack of individually wrapped chocolates,", + " 24 pack of individually wrapped chocolates", + "24 pack individually wrapped chocolates", + "22 pack of individually wrapped chocolates", + "12 pack of individually wrapped chocolates", + "pack of individually wrapped chocolates" + ], + "i am looking for a wireless charger": [ + "wireless charger", + "womens wireless charger", + "wireless charger for wireless", + "router wireless charger", + "alarm wireless charger", + "wireless charging wireless charger", + " wireless charger", + "wirefree charging wireless charger", + "freeze wireless charger", + "a wireless charger" + ], + "i'm looking for a king platform bed with solid wood in taylan style": [ + "king platform bed with solid wood taylan style", + "king platform bed with solid wood", + "king platform bed with solid wood in taylan", + "king platform bed, solid wood taylan style", + "king platform bed in taylan style", + "king platform bed wood taylan style", + "king platform bed", + "king platform bed taylan style", + "king platform bed wood in taylan style", + "king platform bed with solid wood taylan" + ], + "i would like a 2.8 mm dome camera that is in ultra hd.": [ + "2.8 mm dome camera", + "2.8 mm dome camera in ultra hd", + "2.8 mm dome camera, ultra hd", + "2.8 mm dome camera ultra hd", + "2.8 mm dome camera with ultra hd", + "2.8 mm dome camera under $50", + "2.8 mm dome camera under $40", + "2.8 mm dome camera under $120", + "2.8 mm dome camera under $60", + "3.8 mm dome camera" + ], + "i would like a 52\" w x 84\" white window panel that is machine washable.": [ + "window panel that is machine washable", + "window panel", + "window panel 52 w x 84", + " 52 w x 84 white window panel", + "52 w x 84 white window panel", + "50 w x 84 white window panel", + "window panel with machine washable", + "window panel, 52 w x 84", + "window panel 52w x 84", + "window panel, machine washable" + ], + "i would like a long lasting eye cruelty free shadow base.": [ + "long lasting eye cruelty free shadow base", + "long lasting eye cruelty free shadow base.", + "a long lasting eye cruelty free shadow base", + "cruelty free shadow base", + "eye cruelty free shadow base", + "long lasting eye cruelty free shadow base,", + "lady free shadow base", + "gluten free shadow base", + "cruelty free eye cruelty free", + "cruelty free eye care" + ], + "i am looking for slifm fit adidas women's essentials fleece tapered cuff pants in black color": [ + "slifm fit adidas womens essentials fleece tapered cuff pants in black color", + "slifm fit adidas womens essentials fleece tapered cuff pants in black", + "slimifm fit adidas womens essentials fleece tapered cuff pants in black", + "slifm fit adidas womens essentials fleece tapered cuff pants", + "slifterm fit adidas womens essentials fleece tapered cuff pants in black color", + " slifm fit adidas womens essentials fleece tapered cuff pants in black color", + "slifm fit adidas womens essentials fleece tapered cuff pants black", + "slifterm fit adidas womens essentials fleece tapered cuff pants in black", + " slifm fit adidas womens essentials fleece tapered cuff pants in black", + "slifm fit adidas womens essentials fleece tapered pants in black color" + ], + "i am looking for banana pecan fruit snacks that are gluten free.": [ + "banana pecan fruit snacks gluten free", + "banana pecan fruit snacks", + " banana pecan fruit snacks that are gluten free", + " banana pecan fruit snacks gluten free", + "pomegranate pecan fruit snacks", + "plastic fruit snacks that are gluten free", + "banana pecan fruit snacks, gluten free", + "bagel pecan fruit snacks gluten free", + "plastic fruit snacks gluten free", + "packet fruit snacks gluten free" + ], + "i am looking for thai chilli style tuna that has jalapeno flavor. it should be gluten free.": [ + "stai chilli style tuna that has jalapeno flavor", + "tuna chilli style tuna that has jalapeno flavor", + "stai chilli style tuna with jalapeno flavor", + "thai chilli style tuna that has jalapeno flavor", + "thai chilli style tuna with jalapeno flavor", + "tuna chilli style tuna with jalapeno flavor", + " thai chilli style tuna that has jalapeno flavor", + "tuna chilli style tuna that is jalapeno flavor", + "tuna chilli style tuna", + "tuna chilli style tuna that is gluten free" + ], + "i need wild caught salmon that comes in a pack of 12": [ + "wild salmon pack of 12 pack", + "pack of 12 wild salmon", + "12 pack wild salmon pack", + "wild salmon pack of 12", + "12 pack wild salmon pack of 12", + "wild salmon pack 12 pack", + "pack of 12 wild salmon pack", + "wild salmon pack of 12 pack wild", + "12 pack wild salmon", + "wild salmon pack pack of 12" + ], + "i am looking for a scalp massager brush for hair growth which is easy to use. also choose black color": [ + "sweat massager brush for hair growth black", + "sweat massager brush for hair growth in black", + "stainless black scalp massager brush for hair growth", + "sweat massager brush for hair growth easy to use black", + "sweat massager brush for hair growth", + "easy to use scalp massager brush for hair growth black", + "easy to use scalp massager brush for hair growth in black", + "sweat massager brush for hair growth, black", + " scalp massager brush for hair growth black", + " scalp massager brush for hair growth" + ], + "i am looking for a black 24inch size vanity light fixture": [ + "black 24inch size vanity light fixture", + "black 24inch vanity light fixture", + "24inch size vanity light fixture", + "black 24inch x 24inch vanity light fixture", + "black 24inch plus vanity light fixture", + "24inch vanity light fixture", + "black 24inch x 24 inch vanity light fixture", + "black 24inch bathroom light fixture", + "living room 24inch vanity light fixture", + "24ft vanity light fixture" + ], + "i would like a queen sized black bed with a box spring mattress.": [ + "queen sized black bed with a box spring mattress", + " queen sized black bed with a box spring mattress", + "king size black bed with a box spring mattress", + "kingstown sized black bed with a box spring mattress", + "queen sized black bed", + "kingwoman sized black bed with a box spring mattress", + "Queen sized black bed with a box spring mattress", + "queen size black bed with a box spring mattress", + "queen sized black bed, box spring mattress", + "queen sized black bed with a box spring" + ], + "i am looking for tan colored queen folding mattresses with high density foam.": [ + "tan colored queen folding mattresses with high density foam", + "teen colored queen folding mattresses with high density foam", + "yellow queen folding mattresses with high density foam", + "tanned colored queen folding mattresses", + "tan colored queen folding mattresses", + "tart colored queen folding mattresses", + "stainless queen folding mattresses high density foam", + "tan colored queen folding mattresses high density foam", + "sneakers high density foam", + "yellow queen folding mattresses" + ], + "i want aveda scalp benefits balancing shampoo, plant based and size of 33.81 fl oz": [ + "aveda scalp benefits balancing shampoo plant based and size of 33.81 fl oz", + "aveda scalp benefits balancing shampoo plant based size of 33.81 fl oz", + "aveda scalp benefits balancing shampoo plant based size of 33.81 fl oz", + "aveda scalp benefits, plant based and size of 33.81 fl oz", + "aveda scalp benefits, plant based and size of 33.81 fl oz", + "veda scalp benefits balancing shampoo plant based and size of 33.81 fl oz", + "veda scalp benefits balancing shampoo plant based and size of 33.81 fl oz", + "aveda scalp benefits 33.81 fl oz", + "aveda scalp benefits 33.81 fl oz", + "aveda scalp benefits balancing shampoo plant based" + ], + "i want a bottle of shampoo that's at least thirty ounces, smells like rosemary, and is plant based.": [ + "shampoo at least thirty ounces plant based", + "shampoo with rosemary plant based", + "shampoo that smells like rosemary plant based", + "bottle of shampoo with rosemary plant based", + "shampoo that smells like rosemary", + "shampoo plant based", + "shampoo that is plant based", + "bottle of shampoo plant based", + "bottle of shampoo that smells like rosemary", + "shampoo with rosemary" + ], + "i'm looking for xx-large long sleeve polo shirts for men that are hand washable and regular fit. also, i want it to be grey.": [ + "xxl long sleeve polo shirts for men", + "xx-large long sleeve polo shirts for men", + "xxl long sleeve polo shirts", + "xx-large long sleeve polo shirts", + "xxl long sleeve polo shirts for men grey", + "xx-large long sleeve polo shirts for men grey", + " xx-large long sleeve polo shirts for men", + "xxl long sleeve polo shirts in grey", + "xxl long sleeve polo shirts that are hand washable", + "xxl polo shirts" + ], + "i am interested in a plant based energy drink that is cucumber lime flavor.": [ + "plant based energy drink that is cucumber lime flavor", + "plant based energy drink with cucumber lime flavor", + "plant based energy drink, cucumber lime flavor", + "plant based energy drink cucumber lime flavor", + " plant based energy drink that is cucumber lime flavor", + "plant based energy drink in cucumber lime flavor", + "plant based energy drink with a cucumber lime flavor", + "plant based energy drink with cucumber lime flavor.", + "plant based energy drink", + "plant based energy drink under $40" + ], + "i need some slim fitting white jeans that are an x-large.": [ + "slim fitting white jeans x-large", + " slim fitting white jeans x-large", + "slim fitting white jeans", + "slim fit white jeans x-large", + "slim fitting white jeans x-large", + "slimming white jeans x-large", + "small white jeans x-large", + "x-large white jeans", + " slim fitting white jeans", + "small white jeans" + ], + "i'm looking for a pack of 12 cans of zesty lemon tuna in olive oil; it must be kosher certified.": [ + "pack of 12 cans of zesty lemon tuna in olive oil", + "pack of 12 can of zesty lemon tuna in olive oil", + "pack of 12 oz of zesty lemon tuna in olive oil", + "pack of 12 oz zesty lemon tuna in olive oil", + "pack of 12 zesty lemon tuna in olive oil", + "pack of 12 pack of zesty lemon tuna in olive oil", + "pack of 12 packs of zesty lemon tuna in olive oil", + "pack of 12 canned zesty lemon tuna in olive oil", + "pack of 12 cans of zesty le tuna in olive oil", + "pack of 12 fresh zesty lemon tuna in olive oil" + ], + "i'm looking for non toxic personal care for women's it easy to use.": [ + "non toxic personal care for womens easy to use", + "non toxic personal care for womens", + "non toxic personal care womens easy to use", + "non toxic personal care for womens under $40", + "non toxic personal care womens easy to use.", + "non toxic personal care for womens under $50", + "non toxic personal care for womens under $60", + "non toxic personal care womens", + "non toxic personal care for womens no toxic", + "non toxic personal care" + ], + "i need a tempered glass screen protector for my iphone 13 pro. it should be easy to install.": [ + "tempered glass screen protector for iphone 13 pro", + "tempered glass screen protector for my iphone 13 pro", + "tempered glass screen protector iphone 13 pro", + "tempered glass screen protector for iiphone 13 pro", + "tempered glass screen protector for an iphone 13 pro", + "tempered glass screen protector for a iphone 13 pro", + "tempered glass screen protector for the iphone 13 pro", + "tempered glass screen protector foriphone 13 pro", + "tempered glass screen protector", + "tempered glass screen protector, iphone 13 pro" + ], + "i am looking for a high quality gold color eye shadow brush set which is easy to carry.": [ + "high quality gold color eye shadow brush set", + "gold color eye shadow brush set", + "low quality gold color eye shadow brush set", + "easy to carry gold eye shadow brush set", + "gold color eye shadow brush set, easy to carry", + "easy to carry gold color eye shadow brush set", + "gold eye shadow brush set that is easy to carry", + "gold eye shadow brush set", + "high quality gold eye shadow brush set", + "beauty brush set gold" + ], + "i'm looking for a small womens solid color long sleeve v neck sweater that has a relaxed fit.": [ + "small womens solid color long sleeve v neck sweater", + "small womens solid color long sleeve v neck sweater with relaxed fit", + "small womens solid color long sleeve v neck sweater, relaxed fit", + "small womens long sleeve v neck sweater with a relaxed fit", + "small womens long sleeve v neck sweater that has a relaxed fit", + "small womens solid color long sleeve neck sweater with a relaxed fit", + "small womens solid color long sleeve v neck sweater under $50", + "small womens solid color long sleeve v neck sweater under $40", + "womens solid color long sleeve v neck sweater", + "small womens solid color long sleeve neck sweater" + ], + "i am interested in buying a laptop carrying case with colorful faces.": [ + "laptop carrying case with colorful faces", + " laptop carrying case with colorful faces", + "a laptop carrying case with colorful faces", + "tablet carrying case with colorful faces", + "portrait laptop carrying case with colorful faces", + "lemon carrying case with colorful faces", + "desktop laptop carrying case with colorful faces", + "l laptop carrying case with colorful faces", + "laptop carrying case with colorful faces.", + "laptop carrying case with colorful face" + ], + "im looking for a large, rectangular storage ottoman made out of faux leather.": [ + "large, rectangular storage ottoman made out of faux leather", + "small, rectangular storage ottoman made out of faux leather", + "large storage ottoman made out of faux leather", + "large, rectangular storage ottoman made from faux leather", + "size, rectangular storage ottoman made out of faux leather", + "large square storage ottoman made out of faux leather", + "large, rectangular storage ottoman", + "womens ottoman made out of faux leather", + "large ottoman made out of faux leather", + "living ottoman made out of faux leather" + ], + "i am looking for english muffins in high fructose": [ + " english muffins in high fructose", + " english muffins high fructose", + "high fructose english muffins price lower than 50.00 dollars", + "high fructose english muffins price lower than 40.00 dollars", + "high fructose english muffins", + "high fructose english muffins price lower then 50.00 dollars", + "high fructose english muffins price lower than $40.00", + "high fructose english muffins price lower then $40.00", + "high fructose english muffins in high fructose", + "high fructose english muffins under $40" + ], + "i am looking for a poster of size 12\"x12\" with wood frame.": [ + "12x12 poster", + "12x12 poster with wood frame", + "12x12 poster wood frame", + "poster 12x12 wood frame", + "size 12x12 poster with wood frame", + "12x12 poster of wood frame", + "size 12x12 poster wood frame", + "12x12 poster, wood frame", + "size 12x12 poster", + "poster 12x12 wood frame poster" + ], + "i'm looking for a quad core android tablet in black.": [ + "quad core android tablet in black", + " quad core android tablet in black", + "quad core android tablet in black.", + "quad core android tablet in black,", + "quad core android tablets in black", + "quad core android tablet black", + "tablet in black quad core", + "quad core android tablet color in black", + "quad core android tablet, black", + "tablet in black" + ], + "i would like a large black faux fur vest.": [ + "large black faux fur vest", + "large black faux fur vest.", + "large black faux fur vest under $50", + "large black faux fur vest under $40", + "large black faux fur vest under $60", + "large black faux fur vest,", + "large black faux fur vest under 50 dollars", + "large black faux fur vest under 30 dollars", + "large black faux fur vest that is large", + "small black faux fur vest" + ], + "i am looking for hands free car stereo receivers": [ + "hand free car stereo receivers", + "hands free car stereo receivers", + "womens free car stereo receivers", + "clothing free car stereo receivers", + "sneakers free car stereo receivers", + "free car stereo receivers", + "car stereo receivers that are hands free", + "roof free car stereo receivers", + "hand free car stereo receivers,", + "hand free car stereo" + ], + "i'm looking for a pair of black men's oxfords with a rubber outsole. i need a size eleven and a half.": [ + "black mens oxfords with a rubber outsole size eleven and a half", + "black mens oxfords with a rubber outsole", + "black mens oxfords with a rubber outsole size 11 and a half", + "black mens oxfords with a rubber outsole, size eleven and a half", + "black mens oxfords with a rubber outsole. size eleven and a half", + "two black mens oxfords with a rubber outsole size eleven and a half", + "black mens oxfords size eleven and a half", + "black mens oxfords with a rubber outsole size eleven", + "black mens oxfords with a rubber outsole size 11.5", + "black mens oxfords with a rubber outsole size eleven and a half." + ], + "i am looking for caramel flavor chocolate candy for valentine day.": [ + "caramel flavor chocolate candy valentine day", + "caramel flavor chocolate candy for valentine day", + "caramel flavor chocolate candy valentine day.", + "strawberry flavor chocolate candy valentine day", + "baramel flavor chocolate candy valentine day", + "almond flavor chocolate candy valentine day", + "chocolate flavor chocolate candy valentine day", + "baramel flavor chocolate candy for valentine day", + "chocolate flavor valentine day", + " caramel flavor chocolate candy valentine day" + ], + "i am looking for 2 pounds of individually wrapped milk chocolate candy.": [ + "2 pounds of individually wrapped milk chocolate candy", + "two pounds of individually wrapped milk chocolate candy", + "1 pound of individually wrapped milk chocolate candy", + "packet of individually wrapped milk chocolate candy", + "pack of individually wrapped milk chocolate candy", + "two pound of individually wrapped milk chocolate candy", + "2 pound of individually wrapped milk chocolate candy", + "packaged milk chocolate candy 2 pounds", + "packaged milk chocolate candy", + "keto chocolate candy 2 pounds" + ], + "i need a black open toe pair of flat sandals. it should be 7.5 in width.": [ + "black open toe pair of flat sandals", + "black open toe pair of flat sandals 7.5 in width", + "black open toe pair of flat sandals, 7.5 in width", + "open toe pair of flat sandals 7.5 in width", + "black open toe sandals 7.5 in width", + "black open toe pair of flat sandals 7.5 in width.", + "open toe pair of flat sandals, 7.5 in width", + "black open toe pair of flat sandals 7.5", + "open toe pair of flat sandals, 7.5 in width.", + "black open toe pair of flat sandals in width" + ], + "i'm looking for a space-saving ottoman bench to match my blue living room. pick that one that's 100x45x45cm.": [ + "living room ottoman bench 100x45x45cm", + "living room ottoman bench, 100x45x45cm", + "grey ottoman bench, 100x45x45cm", + "grey ottoman bench 100x45x45cm", + "a space-saving ottoman bench for living room", + "living room ottoman bench", + "space-saving ottoman bench to match my blue living room", + "space-saving ottoman bench for living room", + "grey ottoman bench", + "black ottoman bench" + ], + "i want x-small heynuts hawthorn athletic women's high waist yoga shorts.": [ + "x-small heynuts hawthorn athletic womens high waist yoga shorts", + " x-small heynuts hawthorn athletic womens high waist yoga shorts", + "xx-small heynuts hawthorn athletic womens high waist yoga shorts", + "x-small heynuts hawthorn athletic womens high waist yoga shorts.", + "xxl heynuts hawthorn athletic womens high waist yoga shorts", + " x-small heynuts hawthorn athletic womens high waist yoga shorts.", + "small heynuts hawthorn athletic womens high waist yoga shorts", + "yoga shorts x-small heynuts hawthorn", + "womens high waist yoga shorts x-small", + "walking shorts x-small heynuts hawthorn" + ], + "i would like a hair growth treatment.": [ + "hair growth treatment", + "hair growth treatment.", + "hair growth treatment under $50", + "hair growth treatment under $40", + "toothpaste hair growth treatment", + "hair growth treatment under $60", + "hair growth treatment that is natural", + "hair growth treatment under 30 dollars", + "hair growth treatment for men", + "hair growth treatment under 50 dollars" + ], + "i need a medium low rise thong that is yellow": [ + "medium low rise thong yellow", + "medium high rise thong yellow", + "medium low rise thong with yellow", + "medium low rise thong in yellow", + "medium low rise thong, yellow", + "medium low rise thong", + "large low rise thong yellow", + "medium low rise thong color yellow", + "low rise thong yellow", + "medium low rise thongyellow" + ], + "i would like a red light high power light string.": [ + "red light high power light string", + "red light high power light string.", + "red light high power light string,", + "red light high power lightstring", + "red light high power light strings", + "red lights high power light string", + "red light high power light", + "red light high power", + "low power light string", + "high power light string" + ], + "i would like a cupcake pick toppers for a birthday party.": [ + "cupcake pick toppers for a baby shower", + "cupcake pick toppers for a birthday party", + "cupcake pick toppers for a birthday party.", + "cupcake pick toppers for a baby shower.", + "cupcake pick toppers for a small baby shower", + "cupcake pick toppers for baby shower", + "cupcake pick toppers, for a baby shower", + "bagcake pick toppers for a baby shower", + "cupcake pick toppers for a bday party", + "cupcake pick toppers baby shower" + ], + "i'm looking for a wireless bluetooth speaker that is easy to use and is also black.": [ + "easy to use wireless bluetooth speaker black", + "easy to use bluetooth speaker that is black", + "easy to use bluetooth speaker black", + "easy to use wireless bluetooth speaker", + "easy to use wireless bluetooth speaker in black", + "easy-to-use bluetooth speaker black", + "easy to use bluetooth speaker", + "easy to use bluetooth speaker in black", + "white wireless bluetooth speaker", + "phone speaker black" + ], + "i am looking for women nail art decorations that are non toxic.": [ + "non toxic women nail art decorations", + "woman nail art decorations that are non toxic", + "nude art decorations non toxic", + "non toxic nail art decorations", + "nude art decorations that are non toxic", + "nude art decorations", + "woman nail art decorations non toxic", + "womens nail art decorations non toxic", + "non toxic woman nail art decorations", + "nail art decorations non toxic" + ], + "i would like some black brushes that are made of synthetic hair.": [ + "black brushes made of synthetic hair", + "black brushes made from synthetic hair", + "black brush made from synthetic hair", + "black brush made of synthetic hair", + "black brushes made out of synthetic hair", + "black brushes made of synthetic hair.", + "black brushes, made of synthetic hair", + "black brushes made from synthetic hair.", + "black brushes made of synthetic hair,", + "black brushes made from synthetic human hair" + ], + "i am looking for v8 splash with natural pineapple coconut flavor. 64 oz bottles (pack of 6).": [ + "v8 splash with natural pineapple coconut flavor", + "v8 splash natural pineapple coconut flavor", + "v8 splash natural pineapple coconut flavor 64 oz bottles (pack of 6)", + "v8 splash natural pineapple coconut flavor. 64 oz bottles (pack of 6)", + "v8 splash with natural pineapple coconut flavor 64 oz bottles (pack of 6)", + "v8 splash natural pineapple coconut flavor. 64 oz bottles (pack of 6),", + "v8 splash natural pineapple coconut flavor, 64 oz bottles (pack of 6),", + "v8 splash natural pineapple coconut flavor 64 oz bottles (pack of 6).", + "v8 splash with natural pineapple coconut flavor 64 oz bottles (pack of 6).", + "vinyl pineapple coconut flavor 64 oz bottles (pack of 6)" + ], + "i'm looking for gluten free that flavor was vanilla cream its so good.": [ + "gluten free vanilla cream flavor", + "gluten free flavor vanilla cream", + "gluten free vanilla cream", + "vegan cream flavor", + "vanity cream flavor", + "vanity cream gluten free", + "vegan cream gluten free", + "vanity free vanilla cream flavor", + "vanity free flavor vanilla cream", + "vanity cream" + ], + "i want to buy a long sleeved lace bodysuit in red. look for size medium.": [ + "long sleeved lace bodysuit in red", + "long sleeved lace bodysuit in red size medium", + "short sleeved lace bodysuit in red", + "long sleeved lace bodysuit size medium", + "large long sleeved lace bodysuit in red", + "a long sleeved lace bodysuit in red", + "long sleeved lace bodysuit in red.", + "short sleeved lace bodysuit in red size medium", + "long sleeved lace bodysuit", + "lens bodysuit in red" + ], + "i would like a temporary tattoo that is easy to apply and is in the 06 pattern": [ + "temporary tattoo under $50", + "temporary tattoo in the 06 pattern", + "temporary tattoo that is easy to apply", + "temporary tattoo easy to apply in the 06 pattern", + "temporary tattoo 06 pattern", + "temporary tattoo under $120", + "temporary tattoo in a 06 pattern", + "temporary tattoo under $60", + "temporary tattoo, 06 pattern", + "temporary tattoo" + ], + "i am looking for a hollow side console table that is easy to assemble.": [ + " hollow side console table that is easy to assemble", + "pocket side console table that is easy to assemble", + " hollow side console table that is easy to assemble.", + "pocket side console table that is easy to assemble.", + "stainless side console table", + "easy assemble hollow side console table", + "stainless side console table easy to assemble", + "synthetic side console table", + "furniture table that is easy to assemble.", + " hollow side console table" + ], + "i am looking for a conditioner that comes in a pack of three for natural hair.": [ + "natural hair conditioner pack of three", + "natural hair conditioner pack of 3", + "pack of three natural hair conditioner", + "natural hair conditioner pack three", + "conditioner pack of three natural hair", + "pack of three conditioner for natural hair", + "natural conditioner pack of three", + " conditioner pack of three natural hair", + "natural hair conditioner pack of three pack", + "natural hair conditioner three pack of three" + ], + "i'm looking for a size 35 straight leg men denim jeans.": [ + "straight men denim jeans size 35", + "size 35 straight leg men denim jeans", + "style 35 straight leg men denim jeans", + "size 35 straight men denim jeans", + "men denim jeans size 35", + "straight men jeans size 35", + "twin men denim jeans size 35", + "straight men denim jeans in size 35", + "straight men denim jeans size 35 men", + "straight men denim jeans" + ], + "i'm looking for some trader joe's gluten free cornbread mix.": [ + " trader joes gluten free cornbread mix", + "trader joes gluten free cornbread mix", + "trains joes gluten free cornbread mix", + " trader joes gluten free cornbread mix.", + "terrain joes gluten free cornbread mix", + "traders joes gluten free cornbread mix", + "trader joes gluten free cornbread mix.", + "manual gluten free cornbread mix", + "teacher joes gluten free cornbread mix", + "trains joes gluten free cornbread mix." + ], + "i'm looking for long sleeve clothing its for blue in clor.": [ + "long sleeve clothing blue in clor", + "blue in clor long sleeve clothing", + "long sleeve clothing for blue in clor", + "blue long sleeve clothing", + "blue long sleeve clothing blue in clor", + "blue long sleeve clothing in clor", + "short sleeve clothing blue in clor", + "long sleeve clothing blue in clor.", + "blue in clor long sleeve", + "blue clor long sleeve clothing" + ], + "i would like a late night drone right lipstick that is paraben free.": [ + "mid night drone right lipstick paraben free", + "night night drone right lipstick paraben free", + "late night drone right lipstick paraben free", + "drones right lipstick paraben free", + "mid night drone right lipstick", + "Late night drone right lipstick paraben free", + "night night drone right lipstick", + "late night drone right lipstick", + "daring night drone right lipstick", + "drones right lipstick" + ], + "i'm looking for a copper wall mounted sconce with clear glass shades.": [ + "copper wall mounted sconce with clear glass shades", + "plastic wall mounted sconce with clear glass shades", + "coaxial wall mounted sconce with clear glass shades", + "coffee wall mounted sconce with clear glass shades", + " copper wall mounted sconce with clear glass shades", + "coo wall mounted sconce with clear glass shades", + "copper wall mounted sconce with clear glass shades.", + "wooden wall mounted sconce with clear glass shades", + "chrome wall mounted sconce with clear glass shades", + "pink wall mounted sconce with clear glass shades" + ], + "i would like a 4 ounce bag of regular old fashioned jerky.": [ + "4 ounce bag of regular old fashioned jerky", + "4 ounce bag of old fashioned jerky", + "4 ounce old fashioned jerky", + "regular old fashioned jerky 4 ounce bag", + "bag of regular old fashioned jerky 4 oz", + "regular old fashioned jerky 4 oz bag", + "4 oz bag of regular old fashioned jerky", + "bag of regular old fashioned jerky", + "4 ounce bag old fashioned jerky", + "4 ounce old fashioned jerky below $40" + ], + "find me a high power waterproof binoculars for bird watching.": [ + "high power waterproof binoculars for bird watching", + "high power waterproof binoculars for bird watching.", + "waterproof binoculars for bird watching", + "low power waterproof binoculars for bird watching", + "low power waterproof binoculars for bird watching.", + "waterproof binoculars for bird watching.", + "high power waterproof binoculars", + "high power waterproof binoculars bird watching", + "waterproof binoculars bird watching", + "low power waterproof binoculars" + ], + "i need a core i5 computer with gtx1650 graphics and 16g+256gb+1t": [ + "core i5 computer with gtx1650 graphics and 16g+256gb+1t", + " core i5 computer with gtx1650 graphics and 16g+256gb+1t", + "core i5 computer with gtx1650 graphics", + "intensive i5 computer with gtx1650 graphics and 16g+256gb+1t", + "desktop i5 computer with gtx1650 graphics and 16g+256gb+1t", + " i5 computer with gtx1650 graphics and 16g+256gb+1t", + "i need a core i5 computer with gtx1650 graphics and 16g+256gb", + "core i5 computer with gtx1650 graphics 16g+256gb+1t", + "tablet i5 computer with gtx1650 graphics", + " core i5 computer with gtx1650 graphics" + ], + "i am looking for monoculars that are for bird watching": [ + "monoculars for bird watching", + "monoculars bird watching", + "monoculars that are for bird watching", + "monoculars for bird watching under $40", + "monoculars for bird watching under 50 dollars", + "monoculars for bird watching under $50", + "monoculars, bird watching", + "monoculars", + "monoculars birds watching", + "monocular" + ], + "i want brushed nickel linea di liara teramo island lighting for my dining room.": [ + "brushed nickel linea di liara teramo island lighting", + "buffet nickel linea di liara teramo island lighting", + " brushed nickel linea di liara teramo island lighting", + "brushed nickel linea of liara teramo island lighting", + "brushed nickel linea d liara teramo island lighting", + "brush nickel linea di liara teramo island lighting", + "brushed nickel linea dining room lighting", + "brushed nickel linea di liara teramo dining room", + "brushed nickel linea di liara teramo", + "brushed nickel linea dining room" + ], + "i would like a quad core streaming media player.": [ + "quad core streaming media player", + "quad core streaming media player.", + "quad core streaming media player that is quad core", + "quad core streaming media player under $40", + "quad core streaming media player under $50", + "quad core streaming media player under $60", + "quad core streaming media player under $130", + "quad core streaming media player which is quad core", + "quad core streaming media player with a quad core", + "quad core streaming media player," + ], + "i would like a pair of women's 11.5 colorful sugar skull sneakers with a anti slip sole.": [ + "womens 11.5 colorful sugar skull sneakers", + "womens 11.5 colorful sugar skull sneakers with anti slip sole", + "womens 11.5 sneakers with a anti slip sole", + "womens 11.5 colorful sugar skull sneakers, anti slip sole", + "mens 11.5 colorful sugar skull sneakers with a anti slip sole", + "mens 11.5 colorful sugar skull sneakers", + "sugar skull sneakers with anti slip sole", + "sugar skull sneakers", + "teen colored sugar skull sneakers", + "teen girl sneakers" + ], + "i am looking for tripod stand that is non slippable.": [ + " tripod stand that is non slippable", + " tripod stand non slippable", + "t tripod stand non slippable", + "non slippable tripod stand", + "anti-slippable tripod stand", + "p tripod stand non slippable", + "no slippable tripod stand", + " tripod stand non slippable.", + "t tripod stand non slippable.", + "p tripod stand non slippable." + ], + "i would like a 3 pack set of non gmo tree nuts.": [ + "3 pack set of non gmo tree nuts", + "3 pack of non gmo tree nuts", + "3 pack set of non gmo tree nuts.", + "3 pack natural gmo tree nuts", + "3 pack set of non-gmo tree nuts", + "3 pack pack of non gmo tree nuts", + "three pack set of non gmo tree nuts", + "3 pack set of non gmo tree nuts,", + "non gmo tree nuts 3 pack", + "3 pack non gmo tree nuts" + ], + "i'm looking for a body brush to remove dead skin": [ + "body brush to remove dead skin", + "body brush for dead skin", + "body brush to remove dead skin under $40", + "body brush to remove dead skin under $50", + "body brush to remove dead skin under $60", + "Body brush to remove dead skin", + "body brush to remove dead skin below $40", + " body brush to remove dead skin", + "dead skin body brush", + "body brush to remove dead skin under 30 dollars" + ], + "i need red sneakers that have a leather sole and are a size 7 x-wide": [ + "red sneakers size 7 x-wide", + "red sneakers 7 x-wide", + "red sneakers that have a leather sole", + "red sneakers in a size 7 x-wide", + "red sneakers, size 7 x-wide", + "red sneakers a size 7 x-wide", + "red sneakers 7 x-wide size 7", + "red sneakers 6 x-wide", + "red sneakers 5 x-wide", + "red sneakers" + ], + "i want ready hang living room poster size 61*41cm the bridges of amsterdam": [ + "ready hang living room poster size 61*41cm the bridges of amsterdam", + " ready hang living room poster size 61*41cm the bridges of amsterdam", + "ready hung living room poster size 61*41cm the bridges of amsterdam", + "ready hanging living room poster size 61*41cm the bridges of amsterdam", + "ready hang living room poster size 61*41cm", + "ready hang living room poster 61*41cm the bridges of amsterdam", + "living room poster size 61*41cm the bridges of amsterdam", + "ready hang living room poster size 61*41cm, bridges of amsterdam", + "ready hang living room poster size 61*41cm under 30 dollars", + "ready hang living room poster size 61" + ], + "i need easy to use, water resistant eye shadow in dark brown color.": [ + "easy to use, water resistant eye shadow in dark brown", + "easy to use, water resistant eye shadow", + "easy to use water resistant eye shadow in dark brown color", + "easy to use, water resistant eye shadow, dark brown", + "easy to use water resistant eye shadow in dark brown", + "easy to use, water resistant eye shadow dark brown", + "easy to use dark brown eye shadow", + "water resistant eye shadow in dark brown", + "easy to use, water resistant eyes shadow in dark brown", + "water resistant eye shadow in dark brown color" + ], + "i am interested in acquiring a bookcase which will last me a long time and i prefer to have it in anthracite color.": [ + "alarmracite bookcase", + "a bookcase in anthracite color", + "bookcase in anthracite color", + "acracite bookcase", + "buffet bookcase in anthracite color", + "a bookcase in anthracite", + "an anthracite bookcase", + "buffet bookcase in anthracite", + "bookcase in anthracite", + "alarmracite bookcase long-lasting" + ], + "i am looking for a black video projector that is 1080p": [ + "1080p black video projector", + "black video projector that is 1080p", + "tv projector that is 1080p", + "black video projector 1080p", + "black video projector", + "black video projector with 1080p", + "black video projector, 1080p", + "black video projector with a 1080p", + "black video projector in 1080p", + "tv projector 1080p" + ], + "i need style 5 hair salon": [ + "style 5 hair salon", + "style 5 hair salon, less then $40", + "style 5 hair salon under $50", + "style 5 hair salon, less then $60", + "style 5 hair salon, less than $40", + "style 5 hair salon under $40", + "style 5 hair salon, less then $50", + "style 5 hair salon, less than $60", + "style 5 hair salon under $60", + "style 5 hair salon, less then $120" + ], + "i am looking for high power and dust proof sound bar.": [ + "dust proof sound bar", + "high power and dust proof sound bar", + "sound bar high power and dust proof", + "high power dust proof sound bar", + "dust proof sound bar.", + "dust proof sound bar under $40", + "dust proof sound bar for high power", + "dust proof sound bar high power", + "dust proof sound bar under $60", + "sound bar" + ], + "i'm looking for one hundred and eight inch brown curtains that are machine washable.": [ + "one hundred and eight inch brown curtains", + "one hundred and eight inch brown curtains, machine washable", + "two hundred and eight inch brown curtains", + "one hundred and eight inch brown curtains with machine washable", + "ones and eight inch brown curtains that are machine washable", + "one hundred and eight inch brown curtains machine washable", + "one hundred and eight inch brown curtains under $50", + "1 hundred and eight inch brown curtains", + "ones and eight inch brown curtains", + "coaxial brown curtains" + ], + "i'm looking for a thirty inch mirror for my living room that's easy to install. it should also turn into a lighted lunar picture.": [ + "30 inch mirror for my living room", + "temporary lighted lunar picture", + "temporary mirror for living room", + "two foot mirror for living room", + "30 inch mirror for living room", + "tempered lunar picture", + "living room mirror lighted lunar picture", + "temporary mirror for my living room", + "living room mirror lighted lunar", + "projected lunar picture" + ], + "i am looking for a 32 inch by 48 inch ready to hang hand painted painting.": [ + "32 inch by 48 inch ready to hang hand painted painting", + "32 inch x 48 inch ready to hang hand painted painting", + " 32 inch by 48 inch ready to hang hand painted painting", + "28 inch by 48 inch ready to hang hand painted painting", + "hand painted painting 32 inch by 48 inch", + "16 inch by 48 inch ready to hang hand painted painting", + "28 foot by 48 inch ready to hang hand painted painting", + "hand painted painting 32 inches by 48 inch", + "projection 32 inch by 48 inch ready to hang", + "hand painted painting" + ], + "i need a super soft easy to clean blanket in bible verse trust in the lord color and 50x40 small size for kid.": [ + "super soft easy to clean blanket in bible verse", + "super soft easy to clean blanket 50x40 small", + "super soft easy to clean blanket 50x40 small size", + "super soft easy to clean blanket that is 50x40 small", + "super soft blanket in bible verse trust in the lord color", + "super soft easy to clean blanket", + "super soft easy to clean blanket with a lord color", + "super soft easy to clean blanket under 50x40 small size", + "super soft easy to clean blanket under 50x40 small", + "super soft easy to clean blanket in bible verse under $40" + ], + "i need lace closure in bliss blue color": [ + "lace closure in bliss blue", + "laces closure in bliss blue", + "knee closure in bliss blue", + "lens closure in bliss blue", + "lace closure in bliss blue color", + "leather closure in bliss blue", + "laces closure in bliss blue color", + "a lace closure in bliss blue color", + "a lace closure in bliss blue", + "knee closure in bliss blue color" + ], + "i am looking for a loose fit small size women's t shirt.": [ + "womens t-shirt", + "womens t-shirt loose fit", + "womens t-shirt.", + "womens t-shirt small", + "small size womens t-shirt", + "small womens t-shirt", + "womens t shirt", + "lens t-shirt", + "small t-shirt", + "large t-shirt" + ], + "buy me a cruelty free solid perfume with a flirt scent.": [ + "cruelty free solid perfume with a flirt scent", + "cruelty free solid perfume", + "cruelty free solid perfume with a flirt scent.", + "cruelty free perfume with a flirt scent", + "cruelty-free solid perfume with a flirt scent", + "cruelty free solid perfume with a flirt scent,", + "cruelty free solid perfume with flirt scent", + "cruelty free liquid perfume with a flirt scent", + "cruelty free solid perfume that is flirt scent", + "cruelty free solid perfume, flirt scent" + ], + "i am looking for men scrubs pant of pewter color that is machine washable.": [ + "men scrubs pant of pewter color", + "mens scrubs pant of pewter color", + "man scrubs pant of pewter color", + "men scrubs pant of pewter color machine washable", + "womens scrubs pant of pewter color", + "mens scrubs pant of pewter color", + "mens scrubs pant of pewter color machine washable", + "men scrubs pant of pewter color under $40", + "men scrubs pewter color", + "mens scrubs pewter color" + ], + "i'm looking for high waist biker shorts for women with pockets tummy.": [ + "high waist biker shorts for women with pockets tummy", + "high waist biker shorts with pockets tummy", + "high waist biker shorts for women with pocket tummy", + "high waist biker shorts women with pockets tummy", + "high waist biker shorts in women with pockets tummy", + "high waist biker shorts, women with pockets tummy", + "high waist biker shorts", + "biker shorts for women with pockets tummy", + "high waist biker shorts with pocket tummy", + "low waist biker shorts for women with pockets tummy" + ], + "i need to find a strawberry-flavoured toothpaste for my child to keep her breath fresh; make sure it only has natural ingredients.": [ + "strawberry-flavoured toothpaste", + "strawberry-flavoured toothpaste for my child", + "strawberry-flavoured toothpaste that is natural", + "strawberryflavoured toothpaste", + "strawberry-flavoured toothpaste for a child", + "strawberry-flavoured toothpaste with natural ingredients", + "strawberry-flavoured toothpaste for a baby", + "strawberry-flavoured toothpaste no natural", + " strawberry-flavoured toothpaste", + "strawberry-flavoured toothpaste for baby" + ], + "i want to buy underwear boxer for men which are low rise and are hand washable, as for the color i want them yellow and at 3x-large size.": [ + "im underwear boxer for men yellow 3xl", + "imman boxer for men yellow 3xl", + "imman boxer yellow 3xl", + "im underwear boxer for men yellow 3x-large", + "im underwear boxer for men yellow and 3xl", + "im underwear boxer for men yellow 3xl size", + "immanual boxer for men yellow 3xl", + "improvable boxer for men yellow 3xl", + "slimming boxer for men yellow 3xl", + "im underwear boxer yellow 3xl" + ], + "i would like a 100 count bamboo charcoal oil free blotting paper.": [ + "100 count bamboo charcoal oil free blotting paper", + "bamboo charcoal oil free blotting paper", + "10 count bamboo charcoal oil free blotting paper", + "a 100 count bamboo charcoal oil free blotting paper", + "bramboo charcoal oil free blotting paper", + "100 count bamboo charcoal oil free blotting paper.", + "brimmed charcoal oil free blotting paper", + "bamboo charcoal oil free blotting paper 100 count", + "brimeline charcoal oil free blotting paper", + "buffetting paper 100 count" + ], + "i need some yellow curtains for my living room.": [ + "yellow curtains for living room", + "yellow curtains for my living room", + "yellow curtains for the living room", + "yellow curtains living room", + "yellow curtains for living room.", + "yellow curtains for a living room", + "yellow curtains in my living room", + "yellow living room curtains", + "yellow curtains in the living room", + "yellow curtains, living room" + ], + "i am looking for ethylene vinyl cat color women road running shoes , and size is 6": [ + " ethylene vinyl cat color women road running shoes", + " ethylene vinyl cat color women road running shoes size is 6", + " ethylene vinyl cat color women road running shoes, size is 6", + " ethylene vinyl cat color women road running shoes, and size is 6", + " ethylene vinyl cat color women road running shoes , and size is 6", + " ethylene vinyl cat color women road running shoes size is 6 ethylene", + " ethylene vinyl cat color women road running shoes , size is 6", + " ethylene vinyl cat color women road running shoes size 6", + " ethylene vinyl cat color women road running shoes 6", + "ethylene vinyl cat color women road running shoes" + ], + "i'm looking for toddler smoothie pouches that are non-gmo, certified organic, and bpa free.": [ + "baby smoothie pouches that are non-gmo, certified organic, and bpa free", + "baby smoothie pouches that are non-gmo, certified organic, bpa free", + "troller smoothie pouches that are non-gmo, certified organic, bpa free", + "baby smoothie pouches that are non-gmo and bpa free", + "t toddler smoothie pouches that are non-gmo, certified organic, bpa free", + " toddler smoothie pouches that are non-gmo, certified organic, and bpa free", + "troller smoothie pouches that are non-gmo and bpa free", + "t toddler smoothie pouches that are non-gmo and bpa free", + " toddler smoothie pouches that are non-gmo, certified organic, bpa free", + "tog smoothie pouches that are non-gmo, certified organic, bpa free" + ], + "i want a large and classic fit phineas and ferb perry the platypus shirt.": [ + "large and classic fit phineas in a platypus shirt", + "large and classic fit phineas under $50", + "large and classic fit phineas under $40", + "large and classic fit phineas under 60 dollars", + "large and classic fit phineas under 30 dollars", + "large and classic fit phineas under $60", + "large and classic fit phineas with ferb perry", + "large and classic fit phineas and ferb perry", + "large and classic fit phineas under 50 dollars", + "large and classic fit phineas" + ], + "i am looking for a manual toothbrush for easy use to oral hygiene. also choose violet color.": [ + "manual toothbrush for oral hygiene", + "manual toothbrush for oral hygiene in a violet", + "manual toothbrush, easy use to oral hygiene", + "manual toothbrush for oral hygiene, violet", + "manual toothbrush for oral hygiene with violet color", + "manual toothbrush for easy use to oral hygiene", + "manual toothbrush for oral hygiene in violet", + "manual toothbrush for oral hygiene.", + "manual toothbrush with a violet color", + "manual toothbrush" + ], + "i am looking for twin sized bunk beds that are white.": [ + "twin sized bunk beds white", + "twin sized bunk beds", + "white twin sized bunk beds", + "twin bed white", + "twin bunk beds white", + "twin size bunk beds white", + "black twin sized bunk beds", + " twin sized bunk beds white", + "twin beds white", + "duck beds white" + ], + "i am looking for an easy to assemble brown triple bunk beds.": [ + "easy to assemble brown triple bunk beds", + "easy assemble brown triple bunk beds", + "easy to assemble brown triple bunk beds.", + "brown triple bunk beds", + "easy assemble brown triple bunk beds.", + "easy-to assemble brown triple bunk beds", + "easy setup brown triple bunk beds", + "brown triple bunk beds easy to assemble", + "living room brown triple bunk beds", + "yellow triple bunk beds" + ], + "i'm looking for women's bootcut pants in the brand of tapata.": [ + "womens bootcut pants in the brand of tapata", + "womens bootcut pants, brand of tapata", + "womens bootcut pants in a brand of tapata", + "womens bootcut pants", + "womens bootcut pants under $40", + "womens bootcut pants in the brand of Tapata", + "womens bootcut pants under $50", + "womens bootcut pants under 30 dollars", + "womens bootcut pants under $60", + "bootcut pants in the brand of tapata" + ], + "i want one pack of paraben free hair styling spray in size 5.5 ounce.": [ + "paraben free hair styling spray in size 5.5 ounce", + "paraben free hair styling spray in a size 5.5 ounce", + "paraben free hair styling spray 5.5 ounce", + "paraben free hair styling spray in size 5.5 ounce.", + "pink hair styling spray in size 5.5 ounce", + "paraben free hair styling spray size 5.5 ounce", + "pink hair styling spray 5.5 ounce", + "paraben free hair styling spray", + "paraben free hair styling spray in size 5.5 oz", + "paraben free hair styling spray in size 5.5 ounce," + ], + "i want to find 5.5 ounces of hair styling spray that is certified organic.": [ + "5.5 ounces of hair styling spray", + "5.5 ounces of hair styling spray certified organic", + "5.5 ounce of hair styling spray", + "5.5 ounce of hair styling spray certified organic", + "5.5 ounces of hair styling spray, certified organic", + "5.5 ounce hair styling spray that is certified organic", + "5.5 ounce of hair styling spray, certified organic", + "5.5 ounce hair styling spray certified organic", + "5.5 ounces of hair styling spray certified organic.", + "5.5 ounce hair styling spray" + ], + "i would like a 104''w x 84'' l trianglwxf4152 window panel that is machine washable.": [ + "104w x 84 l trianglwxf4152 window panel", + " 104w x 84 l trianglwxf4152 window panel", + "104w x 84 l trianglwxf4t window panel", + "104w x 84 l trianglwxf4152window panel", + "104w x 84 l window panel that is machine washable", + "window panel 104w x 84 l machine washable", + "104w x 84 l trianglwxf4", + "104w x 84 l window panel", + "window panel 104w x 84", + "window panel" + ], + "i'm looking for a high performance tablet with quad core processor. also, choose 4g+64gb emmc one.": [ + "4g+64gb emmc tablet", + "4g+64gb emmc tablet with quad core processor", + "high performance tablet with quad core processor", + "4g+64gb high performance tablet with quad core processor", + "tablet with quad core processor 4g+64gb", + "quad core processor high performance tablet 4g+64gb", + "high performance tablet with quad core processor 4g+64gb", + "high performance tablet 4g+64gb emmc", + "quad core processor 4g+64gb emmc", + "tablet with quad core processor" + ], + "i am looking for gluten free and crispy potato snacks with barbecue flavour .": [ + "gluten free and crispy potato snacks", + "gluten free barbecue snacks", + "gluten free potato snacks with barbecue flavour", + "gluten free crispy potato snacks barbecue flavour", + "gluten free potato snacks barbecue flavour", + "gluten free and crispy potato snacks barbecue", + "gluten free crispy potato snacks", + "gluten free barbecue barbecue snacks", + "gluten free potato snacks", + "gluten free barbecue snack" + ], + "i am searching for fluffy faux fur duvet cover set of queen size and aqua color": [ + "faux fur duvet cover set of queen size and aqua color", + "pink faux fur duvet cover set of queen size and aqua color", + " fluffy faux fur duvet cover set of queen size and aqua color", + "queen size fur duvet cover set of queen size and aqua color", + "puff faux fur duvet cover set of queen size and aqua color", + "puffy faux fur duvet cover set of queen size and aqua color", + "faux fur duvet cover set of queen size in aqua color", + "faux fur duvet cover set of queen size", + "pink faux fur duvet cover set of queen size in aqua color", + "pink faux fur duvet cover set of queen size" + ], + "i need queen size turquoise color fluffy faux fur duvet cover set": [ + "queen size turquoise faux fur duvet cover", + "queen size turquoise fur duvet cover set", + "king size turquoise faux fur duvet cover set", + "turquoise faux fur duvet cover set", + "turquoise faux fur duvet cover set queen size", + "queen size turquoise fur duvet cover", + "queen size turquoise rug cover set", + "king size turquoise faux fur duvet cover", + "turquoise faux fur duvet cover", + "queen size turquoise" + ], + "hi i'm going to barbecue sausage, i want you to find the special summer gluten free sausage old wisconsin beef sausages low carb flavored beef 8oz (pack of 3).": [ + "barbecue sausage old wisconsin", + "barbecue sausage", + " barbecue sausage old wisconsin", + "barbecue sausage, low carb and zero sugar", + "barbecue sausage, low carb flavored beef 8oz", + "barbecue sausage, low carb and under $60", + "barbecue sausage, low carb and under $40", + "barbecue sausage special summer gluten free", + "bbq sausage old wisconsin", + "barbecue sausage no sugar" + ], + "i'm interested in a pair of off-white, rubber-soled sneakers in a size 6 with memory foam.": [ + "shoes in a size 6 with memory foam", + "shoes size 6 with memory foam", + "sneakers in a size 6 with memory foam", + "pair of sneakers in a size 6 with memory foam", + "sneakers size 6 with memory foam", + "pair of off-white, rubber-soled sneakers", + "white, rubber-soled sneakers in a size 6", + "pair of white, rubber-soled sneakers", + "shoes in a size 6 with memory foam,", + "sneakers size 6" + ], + "i am looking for a personalized, metal hair and beauty signage or artwork.": [ + " personalized, metal hair and beauty signage or artwork", + "pomegranate colored beauty signage", + "professional, metal hair and beauty signage or artwork", + " personalized, metal hair and beauty signage", + "professional, metal hair and beauty signage", + "pompered, metal hair and beauty signage", + "pomegranate colored beauty signage or artwork", + "personalized, metal hair and beauty signage", + "pink human hair and beauty signage", + "pomegranate beauty signage" + ], + "i am looking for pink non slip shoes that are a 10.5": [ + "pink non slip shoes 10.5", + "pink non slip shoes, 10.5", + "pink non slip shoes", + "pink non slip shoes with a 10.5", + "pink non slip shoes in a 10.5", + "pink non slip shoes a 10.5", + "pink non slip shoes 9.5", + "pink non slip shoes size 10.5", + "pink non slip shoes, a 10.5", + "pink non slip shoes, 10.5," + ], + "i am looking for canalis 3 mini pendant lighting led hanging light fixture.": [ + "canalis 3 mini pendant lighting led hanging light fixture", + "banalis 3 mini pendant lighting led hanging light fixture", + "canalis 3 mini pendant lighting led hanging light fixture.", + "a canalis 3 mini pendant lighting led hanging light fixture", + "vanalis 3 mini pendant lighting led hanging light fixture", + "curtains 3 mini pendant lighting led hanging light fixture", + "bagel 3 mini pendant lighting led hanging light fixture", + "canalis 3 mini pendant lighting led hanging light fixture,", + "pendant lighting led hanging light fixture", + "garden lighting led hanging light fixture" + ], + "i'm looking for a ready to hang wall mounted mirror for my living room. it should be round and come in silver brushed nickel.": [ + "living room wall mounted mirror silver brushed nickel", + "living room mirror silver brushed nickel", + "ready to hang wall mounted mirror", + "living room wall mounted mirror in silver brushed nickel", + "ready to hang wall mounted mirror for living room", + "living room wall mounted mirror, silver brushed nickel", + "living room wall mounted mirror", + "room mirror silver brushed nickel", + "white wall mounted mirror", + "clockwise mirror" + ], + "i'm looking for a height adjustable laptop stand with tempered glass and walnut colored wood.": [ + "height adjustable laptop stand with tempered glass and walnut colored wood", + "height adjustable laptop stand with tempered glass, walnut colored wood", + "height adjustable laptop stand with tempered glass walnut colored wood", + "height adjustable laptop stand that is tempered glass and walnut colored", + "height adjustable laptop stand, tempered glass and walnut colored wood", + "height adjustable laptop stand with tempered glass and walnut colored", + " height adjustable laptop stand with tempered glass and walnut colored wood", + "height adjustable laptop stand tempered glass and walnut colored wood", + "height adjustable laptop stand with tempered glass with walnut colored wood", + "height adjustable laptop stand, tempered glass and walnut colored" + ], + "i would like a 11.1 by 4.5 by 4.5 cm transparent makeup case for my nail art.": [ + "stainless makeup case 11.1 by 4.5", + "stainless makeup case 11.1 by 4.5 cm", + "stainless makeup case 11.1 by 4.5 cm transparent", + "11.1 by 4.5 by 4l transparent makeup case", + "stainless makeup case 11.1 by 4.5 with a color", + "stainless makeup case 11.1 by 4.5 by 4l", + "stainless makeup case 11.1 by 4.5 by 4", + "stainless makeup case 11.1 by 4.5 with a transparent", + "stainless makeup case 11.1 by 4.5 x 4.", + "an 11.1 by 4.5 by 4" + ], + "i am looking for gluten free snacks that made up by sea salt": [ + "gluten free snacks made up by sea salt", + "gluten-free snacks made up by sea salt", + "gluten free snacks that made up by sea salt", + "gluten free snack made up by sea salt", + "gluten free snacks made made up by sea salt", + "gluten free snacks made from sea salt", + "gluten free snacks", + "gluten free snacks under $40", + "gluten free snacks sea salt", + "gluten free snacks under 50 dollars" + ], + "i am looking for brown black throw pillow case that is double sided and super soft.": [ + "brown black throw pillow case", + "brown black throw pillow case double sided and super soft", + "brown black throw pillow case with super soft", + "brown black throw pillow case whose price is super soft", + "brown black throw pillow case that is double sided", + "brown black throw pillow case with a super soft color", + "brown black throw pillow case with double sided", + "pink black throw pillow case", + "brown throw pillow case with super soft", + "brown throw pillow case" + ], + "i want to buy a waterproof security camera with an optical zoom and motion detection.": [ + "waterproof security camera with an optical zoom and motion detection", + " waterproof security camera with an optical zoom and motion detection", + "proof security camera with an optical zoom and motion detection", + "waterproof security camera with an optical zoom", + "a waterproof security camera with an optical zoom and motion detection", + "alarm camera with an optical zoom and motion detection", + "waterproof security camera with an optical zoom with motion detection", + "waterproof security camera with an optical zoom, motion detection", + "waterproof security camera", + "womens waterproof security camera" + ], + "i want some margherita pizza that's gluten free.": [ + "margherita pizza gluten free", + " margherita pizza gluten free", + "margherita pizza that is gluten free", + "m margherita pizza gluten free", + "margherita pizza gluten free under $40", + "margherita pizza gluten free below $40", + "margherita pizza gluten free.", + "margherita pizza gluten-free", + "margherita pizza gluten free under $60", + "margherita pizza gluten free under 50 dollars" + ], + "i am looking for a elastic waistband small size active shorts for man": [ + " elastic waistband small size active shorts for man", + "small size active shorts for man", + "small size active shorts for men", + " elastic waistband small size active shorts for men", + "an elastic waistband small size active shorts", + "small size active shorts for woman", + "elastic waistband small size active shorts", + "small size active shorts for a man", + " elastic waistband small size active shorts", + "small size active shorts for a woman" + ], + "i'm looking for a ultimate hand care cream for dry skin": [ + "ultimate hand care cream for dry skin", + "lip care cream for dry skin", + "ultimate hand care cream for dry skin under $40", + "a ultimate hand care cream for dry skin", + "lip cream for dry skin", + "useless hand care cream for dry skin", + "ultimate hand care cream for dry skin under $50", + "ultimate hand care cream for dry skin,", + "ultimate hand care cream for dry skin under $60", + "faux hand care cream for dry skin" + ], + "i am looking for short sleeve animal graphic t shirts.": [ + "short sleeve animal graphic t-shirt", + "short sleeve animal graphic t-shirt below $50", + "short sleeve animal graphic t-shirt under $40", + "short sleeve animal graphic t-shirt under $50", + "short sleeve animal graphic t-shirt below $40", + "short sleeve animal graphic t-shirt under 50 dollars", + "short sleeve animal graphic t-shirt under $60", + "short sleeve animal graphic t-shirt below $60", + "short sleeve animal graphic t-shirt under 40 dollars", + "short sleeve animal graphic t-shirt under 30 dollars" + ], + "i'm looking for short and long sleeve and the elastic waist for women's the color was black.": [ + "short and long sleeve elastic waist black", + "short and long sleeve elastic waist", + "short and long sleeve elastic waist white", + "short and long sleeve elastic waist in black", + "short and long sleeve black elastic waist", + "short and long sleeves elastic waist black", + "short and long sleeve elastic waist woman", + "short and long sleeve elastic waist women", + "short and long sleeve elastic waist woman black", + "short and long sleeve elastic waist black woman" + ], + "i am looking for a xx-large short sleeves sleep & lounge for teen girls": [ + "xx-large short sleeves sleep & lounge for teen girls", + "xxl short sleeves sleep & lounge for teen girls", + " xx-large short sleeves sleep & lounge for teen girls", + "xx-large short sleeves sleep & lounge for teen girl", + "xx-large short sleeves sleep and lounge for teen girls", + "xxl short sleeves sleep & lounge for teen girl", + "xxl short sleeves sleep and lounge for teen girls", + "xx-large long sleeves sleep & lounge for teen girls", + "xx-l short sleeves sleep & lounge for teen girls", + "xx-large short sleeves sleep & lounge" + ], + "im looking for men\u2019s small boxer briefs, long leg style that are moisture wicking.": [ + "man boxer briefs long leg style", + "men\u2019s small boxer briefs long leg style", + "man\u2019s small boxer briefs long leg style", + "small boxer briefs with moisture wicking", + "small boxer briefs long leg style", + "man boxer briefs with moisture wicking", + "mens small boxer briefs with moisture wicking", + "men boxer briefs long leg style", + "womens boxer briefs long leg style", + "small boxer briefs, long leg style" + ], + "i am looking for a six pack of gluten free jerky": [ + "6 pack of gluten free jerky", + "6 pack gluten free jerky", + "gluten free jerky six pack", + "pack of gluten free jerky", + "vegan jerky six pack gluten free", + "gluten free jerky pack six pack", + "pack of gluten free jerky six pack", + "gluten free jerky 6 pack", + "vegan jerky six pack", + "bag of gluten free jerky six pack" + ], + "i am looking for a loose fit shirt that is black and in a xx-large.": [ + "black loose fit shirt xx-large", + "black loose fit shirt that is black xx-large", + "black xx-large loose fit shirt", + "womens black loose fit shirt xx-large", + "black loose fit shirt x-large", + "black and xx-large loose fit shirt", + "black loose fit shirt black xx-large", + "black loose fit shirt xx-large under $50", + "black loose fit shirt", + "black loose fit shirt xx-large under $40" + ], + "i need some knee high boots that are black and in a size 5": [ + "knee high boots black in a size 5", + "knee high boots black size 5", + "knee high boots black", + "knee high boots in a size 5", + "knee high boots size 5 black", + "knee high boots in a size 5 black", + "knee high boots size 5", + "knee high boots that are black size 5", + "knee high boots black, size 5", + "knee high boots in black size 5" + ], + "am looking for a knee high runmte platform boots for women high boots size 9": [ + "knee high runmte platform boots for women high boots size 9", + "nee high runmte platform boots for women high boots size 9", + "knee high runmte platform boots", + "knee high runmte platform boots women high boots size 9", + "knee high runmte platform boots for women high boots", + "knee high ranmte platform boots for women high boots size 9", + "knee high runmte platform boots size 9", + "knee high runmte platform boots, women high boots size 9", + "knee high runningmte platform boots for women high boots size 9", + "knee high runmte platform boots woman high boots size 9" + ], + "i am looking for hemp regular and gluten free vegan granola.": [ + "pack of hemp regular and gluten free vegan granola", + "h hemp regular and gluten free vegan granola", + "h hemp regular gluten free vegan granola", + "pack of hemp regular gluten free vegan granola", + "hemp regular and gluten free vegan granola", + "high hemp regular and gluten free vegan granola", + "high hemp regular gluten free vegan granola", + "hemp regular gluten free vegan granola", + "high quality gluten free vegan granola", + "h hemp regular and gluten free vegan granola." + ], + "i am looking for distressed gaelic label short sleeve t-shits.": [ + " distressed gaelic label short sleeve t-shits", + " distressed gaelic label short sleeve t-shits.", + "redressed gaelic label short sleeve t-shits", + "distressed gaelic label short sleeve t-shits", + "red gaelic label short sleeve t-shits", + "dressed gaelic label short sleeve t-shits", + " distressed gaelic label short sleeve t-shits under $40", + "23 distressed gaelic label short sleeve t-shits", + " distressed gaelic label short sleeve t-shits under $50", + " distressed gaelic label short sleeve t-shits under 50 dollars" + ], + "i would like a 3 piece set of natural ingredient hair growth treatments.": [ + "natural ingredient hair growth treatments 3 piece", + "natural ingredient hair growth treatments", + "natural active hair growth treatments 3 piece", + "natural ingredients hair growth treatments 3 piece", + "natural ingredient hair growth treatments.", + "natural hair growth treatments 3 piece", + "3 piece natural ingredient hair growth treatments", + "natural ingredient hair growth treatments 3 pieces", + "natural ingredients hair growth treatments", + "natural hair growth treatments" + ], + "i need an elastic waist active short that is an x-large": [ + "an elastic waist active short x-large", + "elastic waist active short x-large", + " elastic waist active short x-large", + "an elastic waist active short that is x-large", + "an elastic waist active short", + "elastic waist active short that is x-large", + "elastic waist active short", + " elastic waist active short that is x-large", + "alarm waist active short x-large", + " elastic waist active short" + ], + "i want a small and long lasting columbia men's pair of shorts.": [ + "small and long lasting columbia mens shorts", + "small long lasting columbia mens pair of shorts", + "small long lasting columbia mens shorts", + "small and long lasting columbia mens short shorts", + "small and long lasting columbia mens shorts.", + "small and long lasting columbia mens", + "small, long lasting columbia mens shorts", + "small size and long lasting columbia mens shorts", + "small and long lasting columbia mens shorts shorts", + "small and long lasting columbia mens shorts," + ], + "many engineers choose long lasting, quality materials in alternate team color": [ + "long lasting, quality materials in alternate team color", + "long lasting quality materials in alternate team color", + "long lasting, quality materials in alternate colors", + "long lasting high quality materials in alternate team color", + "long lasting, quality materials in alternate team colors", + "large durable, quality materials in alternate team color", + "long lasting, quality materials in alternate color", + "long lasting, quality materials", + "long lasting quality materials", + "a team color" + ], + "i buy a design house in white color": [ + "white design house", + "white design house in white", + "design house in white", + "design house white", + "design house in white color", + "red design house in white", + "yellow design house in white", + "style white design house", + "a design house in white", + "Design house in white" + ], + "most people like sensitive skin in red color": [ + "red sensitive skin in red", + "pink sensitive skin in red", + "red sensitive skin in red color", + "red sensitive skin sensitive skin", + "pink sensitive skin red", + "red sensitive skin red", + "red sensitive skin", + "sensitive skin red", + "per sensitive skin red", + "pink sensitive skin sensitive skin" + ], + "i want to buy an argan oil hair treatment for damaged hair.": [ + "argan oil hair treatment for damaged hair", + "argan oil hair treatment for damaged hair", + "argan oil hair treatment for damaged hair.", + "an argan oil hair treatment for damaged hair", + "argan oil hair treatment for damaged hair.", + "an argan oil hair treatment for damaged hair.", + "agan oil hair treatment for damaged hair", + "agan oil hair treatment for damaged hair.", + "aran oil hair treatment for damaged hair", + "ash oil hair treatment for damaged hair" + ], + "i am looking for rose gold fine mist, soothing and refreshing face spray, 3 pack - 3.4 fl oz": [ + "rose gold fine mist, soothing and refreshing face spray 3 pack - 3.4 fl oz", + "rose gold fine mist, soothing and refreshing face spray 3.4 fl oz", + "rose gold fine mist 3 pack - 3.4 fl oz", + "rose gold fine mist, soothing and refreshing face spray", + "rose gold fine mist, soothing and refreshing face spray 3 pack- 3.4 fl oz", + "rose gold fine mist, soothing and refreshing face spray 3 pack-3.4 fl oz", + "rose gold fine mist soothing and refreshing face spray 3 pack - 3.4 fl oz", + "rose gold fine mist 2 pack - 3.4 fl oz", + "rose gold fine mist 3 pack- 3.4 fl oz", + "rose gold fine mist 3 pack - 3.4 fl oz" + ], + "i want the orange color, 2 pcs of v34 color correction tooth whitening sensitive toothpaste for sensitive teeth and bad breath.": [ + "orange toothpaste for sensitive teeth and bad breath", + "orange toothpaste sensitive teeth and bad breath", + "orange toothpaste for sensitive teeth", + "orange teeth whitening sensitive toothpaste", + "orange teeth whitening sensitive teeth and bad breath", + "orange toothpaste sensitive teeth", + "orange toothpaste for sensitive teeth with bad breath", + "orange toothpaste sensitive teeth 2 pcs", + "orange toothpaste 2 pcs", + "orange toothpaste with sensitive teeth" + ], + "i'm looking for furniture for space saving in living room.": [ + "living room furniture", + "living room furniture for space saving", + "wooden furniture for space saving living room", + "living room furniture that is space saving", + "wood furniture for space saving in living room", + "artwork for space saving in living room", + "furniture for space saving living room", + "wooden furniture for living room", + "wooden living room furniture for space saving", + "wooden living room furniture" + ], + "i want a temporary tooth repair kit for teeth whitening.": [ + "temporary tooth repair kit for teeth whitening", + "temporary tooth repair kit", + "temporary tooth repair kit teeth whitening", + "temporary tooth repair kit, teeth whitening", + "temporary teeth repair kit for teeth whitening", + "temporary tooth repair kit to teeth whitening", + "porary tooth repair kit for teeth whitening", + "temporary tooth repair kit tooth whitening", + "temporary teeth repair kit", + "porary tooth repair kit" + ], + "looking for a honiway decorative wall mirror 12.3 inch rustic wood frame for living room. keep in touch": [ + "honiway decorative wall mirror 12.3 inch rustic wood frame", + "an honiway decorative wall mirror 12.3 inch rustic wood frame", + "12.3 inch rustic wood frame for living room", + "12.3 inch rustic wood frame for living room", + "12.3 inch rustic wood frame living room", + "12.3 inch rustic wood frame for a living room", + "wood frame for living room. keep in touch", + "12.3 inch rustic wood frame", + "wood frame for living room", + "wood frame 12.3 inch" + ], + "i am looking to buy a multi color birthday candles for a birthday cake.": [ + "multi color birthday candles for a birthday cake", + "multi color birthday candles", + "multi color birthday candles for a baby shower", + " multi color birthday candles for a birthday cake", + "Multi color birthday candles for a birthday cake", + "single color birthday candles for a birthday cake", + "baby shower candles multi color", + "birthday candles multi color", + "multi color birthday candles for birthday cake", + "multi color birthday candles under $50" + ], + "i am looking for blue color toothbrushes that helps to maintain my oral hygiene.": [ + "blue oral hygiene toothbrushes", + "blue oral hygiene toothbrush", + "blue dental hygiene toothbrushes", + "blue oral hygiene teethbrushes", + "blue dental hygiene toothbrush", + "blue oral hygiene teethbrush", + "blue oral hygiene toothpaste", + "blue oral hygiene toothbrushing", + "blue color toothbrushes", + "blue toothbrushes" + ], + "i need a white classic fit shirt that is in an xx-large for youth": [ + "white classic fit shirt xx-large for youth", + "white classic fit shirt xx-large", + "white classic fit shirt x-large for youth", + "white classic fit shirt", + "white classic fit shirt x-large", + "white classic fit shirt for youth xx-large", + "white classic fit shirt xx-large youth", + "white classic fit shirt in an xx-large", + "white classic fit shirt, xx-large", + "white classic fit shirt x-large youth" + ], + "i would like a 40 by 50 inch fleece throw with valentine's day trucks.": [ + "40 by 50 inch fleece throw with valentines day trucks", + "40 by 50 inch fleece throw", + "40 x 50 inch fleece throw with valentines day trucks", + "50 by 50 inch fleece throw with valentines day trucks", + "40 by 50 inch fleece throw with valentines day", + "40 by 50 inches fleece throw with valentines day trucks", + "40 by 50 inch fleece throw, valentines day trucks", + "40x 50 inch fleece throw with valentines day trucks", + "40 by 50 inch fleece throw, valentines day", + "fleece throw with valentines day trucks" + ], + "i am looking for 40 oz. ready eat triple berry nut trail mix": [ + "40 oz. ready eat triple berry nut trail mix", + "4 oz. ready eat triple berry nut trail mix", + "50 oz. ready eat triple berry nut trail mix", + "40 oz ready eat triple berry nut trail mix", + "42 oz. ready eat triple berry nut trail mix", + "40 oz triple berry nut trail mix", + "melted triple berry nut trail mix 40 oz", + "melted triple berry nut trail mix", + "ready eat triple berry nut trail mix", + "ready eat triple berry nut trail mix 40 oz" + ], + "i'm looking for a orange toothpaste for teeth whitening and color correction": [ + "orange toothpaste teeth whitening and color correction", + "orange toothpaste teeth whitening color correction", + "orange toothpaste for teeth whitening color correction", + "orange toothpaste teeth whitening with color correction", + "orange toothpaste teeth whitening", + "orange toothpaste for teeth whitening", + "orange teeth whitening and color correction", + "orange toothpaste teeth whitening, color correction", + "orange toothpaste whitening and color correction", + "orange toothpaste" + ], + "i need a fully cooked two whole slabs with dry rubbed (seasoned) baby backs.": [ + "two whole slabs with dry rubbed (seasoned) baby backs", + "full cooked two whole slabs with dry rubbed (seasoned) baby backs", + "two whole slabs with dry rubbed (seasoned) baby backs.", + "two whole slabs with dry rubbed (seasoned) baby backs under $40", + "two full cooked two whole slabs with dry rubbed (seasoned) baby backs", + "two whole slabs with dry rubbed (seasoned) baby backs under $50", + "half cooked two whole slabs with dry rubbed (seasoned) baby backs", + "slimming two whole slabs with dry rubbed (seasoned) baby backs", + "two whole slabs with dry rubbed (seasoned) baby backs under $60", + "two whole slabs with dry rubbed (seasoned) baby backs, fully cooked" + ], + "i need four half slabs of seasoned ribs that are fully cooked.": [ + "4 half slabs of seasoned ribs", + "4 half slabs of seasoned ribs fully cooked", + "four half slabs of seasoned ribs", + "4 full slabs of seasoned ribs", + "4 half slabs of seasoned ribs cooked", + "4 slabs of seasoned ribs", + "4 sabs of seasoned ribs", + "4 seasoned ribs fully cooked", + "4 seasoned ribs", + "4 cooked seasoned ribs" + ], + "i'm looking for a high quality anti-static hair brush": [ + "anti-static hair brush", + "anti-static hair brush high quality", + "anti-static hair brush, high quality", + "high quality anti-static hair brush", + "anti-static hair brush under $40", + "anti-static hair brush under $50", + "anti-static hair brush below $40", + "anti-static hair brush under $60", + "anti-static hair brush in high quality", + "anti-static hair brush below $50" + ], + "like to buy a memory foam flat with rubber sole in taupe color and 8 wide size.": [ + "memory foam flat 8 wide", + "memory foam flat with rubber sole 8 wide", + "memory foam flat with rubber sole", + "memory foam flat in taupe color", + "memory foam flat 8 wide size", + "memory foam flat taupe color", + "memory foam flat 9 wide", + "memory foam flat", + "memory foam flat taupe", + "memory foam flat 7 wide" + ], + "i am interested in buying a remote control repeater which supports blu ray streaming.": [ + "remote control repeater with blu ray streaming", + "remote control repeater that supports blu ray streaming", + "remote control repeater which supports blu ray streaming", + "remote control repeater blu ray streaming", + "remote control repeater with blu-ray streaming", + "remote control repeater for blu ray streaming", + "remote control repeater for blu-ray streaming", + "remote control repeater", + "remote control repeater, blu ray streaming", + "remote control repeater blu-ray streaming" + ], + "hello, i'm looking for a sweater that's slim fit and comes in black? size medium too, please": [ + "slim fit sweater black", + "slim fit black sweater", + "slim fit black sweater slim fit", + "slim fit sweater in black", + "slim fit sweater slim fit black", + "slim fit slim fit black sweater", + "sweat sweater slim fit black", + "slim fit sweater black slim fit", + "slim fit sweater size medium", + " slim fit black sweater slim fit" + ], + "find me a jar of baby food that is certified organic. it should also be non gmo.": [ + "baby food certified organic", + "baby food that is certified organic", + "baby food non gmo", + "baby food non-gmo", + "baby food no gmo", + "pack of baby food certified organic", + "mama food certified organic", + "bag of baby food certified organic", + "baby food natural", + "baby food" + ], + "i need some relaxed fit pants that are gray and are a size 3x.": [ + "gray relaxed fit pants in a size 3x", + "gray relaxed fit pants size 3x", + "gray relaxed fit pants that are gray", + "gray relaxed fit pants, size 3x", + "gray relaxed fit pants", + "gray relaxed fit pants 3x", + "foggy fit pants size 3x", + "gray relaxed fit pants with a size 3x", + "gray relaxed fit pants size 3x.", + "comfortable fit pants size 3x" + ], + "i would like some original flavor plant based meat.": [ + "original flavor plant based meat", + "plant based meat", + "original flavor plant based meat.", + "plant based meat.", + "plant based meat flavor plant based", + "vegan flavor plant based meat", + "almond flavor plant based meat", + "plant based meat flavor plant-based", + "vegan flavor plant based meat.", + "plant based meat no sugar" + ], + "i need gold plated red rca cables that are 1.6 feet.": [ + "gold plated red rca cables", + "gold plated red rca cables 1.6 feet", + "gold plated red rca cables, 1.6 feet", + "plated red rca cables that are 1.6 feet", + "gold plated red rca cables 2.6 feet", + "red rca cables that are 1.6 feet", + "gold plated red rca cables 2.6 ft", + "gold plated red rca cables under $50", + "gold plated red rca cables that are 1.6", + "gold plated red rca cables 1.6 ft" + ], + "i am looking for chocolate sugar free fat free pistachio flavored pudding and pie filling mix": [ + "chocolate sugar free fat free pistachio flavored pudding and pie filling mix", + "chocolate sugar free fat free pomegranio flavored pudding and pie filling mix", + "chocolate sugar free pomegranio flavored pudding and pie filling mix", + "chocolate sugar free fat free pita flavored pudding and pie filling mix", + "chocolate sugar free, pistachio flavored pudding and pie filling mix", + "chocolate sugar free fat free pomegranate flavored pudding and pie filling mix", + "chocolate sugar free pomegranate flavored pudding and pie filling mix", + "chocolate sugar free pita flavored pudding and pie filling mix", + "chocolate sugar free and pistachio flavored pudding and pie filling mix", + "chocolate sugar free keto flavored pudding and pie filling mix" + ], + "i am looking for men comfortable fit sweatpants of black color.": [ + "mens comfortable fit sweatpants of black color", + "men comfortable fit sweatpants of black color", + "man comfortable fit sweatpants of black color", + "mens comfortable fit sweatpants of black", + "comfortable fit sweatpants of black color", + "mens comfortable fit sweatpants black", + "man comfortable fit sweatpants of black", + "men comfortable fit sweatpants of black", + "sweatpants of black color", + "sweatpants black" + ], + "i need glass screen grey color": [ + "glass screen grey color", + "glass screen grey", + "glass screen grey color, less then $40", + "glass screen grey color that is easy to buy", + "glass screen grey color, less than $40", + "glass screen grey color, less then $60", + "glass screen grey color for glass screen", + "glass screen grey color below $40", + "grey glass screen grey color", + "glass screen grey color glass screen" + ], + "i want case cover in american flag deer color": [ + "case cover in american flag deer color", + "a case cover in american flag deer color", + "case cover for american flag deer color", + "teams cover in american flag deer color", + "packet cover in american flag deer color", + "case cover deer color", + "american flag deer color", + "american flag deer color case cover", + "usan flag deer color case cover", + "usan flag deer color" + ], + "i need a cell phone case that is easy to install and is astronaut colored": [ + "cell phone case that is easy to install and is astronaut colored", + "phone case that is easy to install and is astronaut colored", + "pocket phone case that is easy to install and is astronaut colored", + "easy to install cell phone case that is astronaut colored", + "cell phone case, easy to install and is astronaut colored", + "easy to install and astronaut colored cell phone case", + "cell phone case with astronaut colored", + "easy to install cell phone case with astronaut colored", + "cell phone case, easy to install and is astronaut colored,", + "telescope phone case that is easy to install" + ], + "i need a bpa free jar that is black": [ + "bpa free jar that is black", + "bpa free jar", + "black bpa free jar", + "barbecue free jar that is black", + "bpa free jar black", + "bpa free jar, black", + "bpa free jar in black", + "bag of bpa free", + "bpa free jar of black", + "a bpa free jar" + ], + "find me a 5-pack of natural water enhancer that is keto-friendly and does not contain any sugar. i'll take the skinny orange citrus flavor.": [ + "natural water enhancer keto-friendly", + "5-pack of natural water enhancer", + "natural water enhancer keto-friendly orange citrus flavor", + "5-pack of natural water enhancer keto-friendly", + "natural water enhancer keto-friendly keto citrus flavor", + "natural water enhancer keto-friendly with no sugar", + "natural water enhancer keto-friendly flavor", + "natural water enhancer keto-friendly and no sugar", + "5-pack of natural water enhancer with keto-friendly", + "5-pack of natural water enhancer keto-friendly flavor" + ], + "i would like 2 packs and rinse of alcohol free mouthwash and toothpaste.": [ + "2 packs and rinse of alcohol free mouthwash", + "alcohol free mouthwash and toothpaste 2 packs", + "2 pack and rinse of alcohol free mouthwash", + "alcohol free mouthwash and toothpaste 2 pack", + "alcohol free mouthwash 2 packs and rinse", + "alcohol free mouthwash and toothpaste", + "2 packs of alcohol free mouthwash", + "alcohol free mouthwash 2 packs", + "alcohol free mouthwash 2 pack", + "2 packs and rinse" + ], + "i need an ac adapter that has output protection": [ + "ac adapter with output protection", + "ac adapter that has output protection", + "ac adapter no output protection", + " ac adapter with output protection", + "ac adapter whose output protection is high", + "ac adapter output protection", + "ac adapter, output protection", + "a adapter with output protection", + "ac adapter no output", + "ac adapter" + ], + "i'm looking for a wall mounted mirror with a silver painted wooden frame. the size should be eighteen by twenty-four inches.": [ + "wall mounted mirror with a silver painted wooden frame", + "wall mounted mirror 18 by twenty-four inches", + "wall mounted mirror eighteen by twenty-four inches", + "wall mounted mirror eighteen by twenty-four inches", + "wall mounted mirror, eighteen by twenty-four inches", + "a wall mounted mirror with a silver painted wooden frame", + "wall mounted mirror, 18 by twenty-four inches", + "wall mounted mirror 18 x twenty-four inches", + "wall mounted mirror", + "wall mounted mirror 18x24 inches" + ], + "i need a black wireless earbuds bluetooth": [ + "black wireless earbuds bluetooth", + "black wireless earbuds with bluetooth", + "white wireless earbuds bluetooth", + "black wireless earbuds bluetooth wireless", + "black wireless earbuds bluetooth under $40", + "black wireless earbuds", + "black wireless earbuds bluetooth under $50", + "black wireless earbuds bluetooth black", + "black wireless earbuds bluetooth,", + "black wireless earbuds bluetooth under $130" + ], + "i am looking for a set of 2 easy to install sea teal colored curtains that are machine washable.": [ + "sea teal colored curtains", + "sea teal colored curtains machine washable", + "sea teal colored curtains, machine washable", + "sea teal colored curtains with machine washable", + "sea teal colored curtains under $40", + "sea teal colored curtains under $50", + "sea teal colored curtains under $60", + "sea teal colored curtains under 50 dollars", + "sea teal colored curtains easy to install", + "sea teal colored curtains machine washable." + ], + "i am interested in buying a mai tai mix which is ready to use and is not alcoholic.": [ + "mens tai mix", + "mens tai mix, ready to use and is not alcoholic", + "mens tai mix that is ready to use", + "mens tai mix ready to use and is not alcoholic", + "mens tai mix ready to use", + "mai tai mix", + "mai tai mix that is ready to use", + "mens tai mix, ready to use, under $40", + "mens tai mix no alcoholic", + "mai tai mix ready to use" + ], + "i need an ac adapter with output protection": [ + "ac adapter with output protection", + "ac adapter price with output protection", + "ac adapter no output protection", + " ac adapter with output protection", + "a adapter with output protection", + "ac adapter that is output protection", + "ac adapter price below $40.00", + "ac adapter with output protection under $40", + "ac adapter, output protection", + "ac adapter" + ], + "i am looking for antislip shoes that are a 6.5 for women": [ + "antislip shoes 6.5 for women", + "antislip shoes a 6.5 for women", + "antiislip shoes 6.5 for women", + " antislip shoes 6.5 for women", + "antislip shoes size 6.5 for women", + "antislip shoes, 6.5 for women", + "antislip shoes that are a 6.5", + "antislip shoes that are a 6.5 women", + "antislip shoes that are a 6.5 woman", + "antislip shoes" + ], + "i would like a gluten free sweet and sour chicken dinner.": [ + "gluten free sweet and sour chicken dinner", + "gluten free and sour chicken dinner", + "gluten free pomegranate chicken dinner", + "gluten free, sour chicken dinner", + "gluten free sweet and sour chicken dinner.", + "gluten free chicken dinner", + "gluten-free sweet and sour chicken dinner", + "gluten free baked chicken dinner", + "gluten free sweet and sour chicken dinner,", + "gluten free high quality chicken dinner" + ], + "i am looking for brown color ottoman bench for living room.": [ + "brown ottoman bench for living room", + "brown ottoman bench for living room.", + "brown color ottoman bench for living room", + "brown ottoman bench living room", + " brown ottoman bench for living room", + "brown ottoman bench for living room brown", + "brown ottoman bench in living room", + "brown ottoman bench for living room,", + "pink ottoman bench for living room", + "yellow ottoman bench for living room" + ], + "i need a solid wood white bed frame.": [ + "solid wood white bed frame", + "white bed frame", + "white solid wood bed frame", + "living room white bed frame", + "wood white bed frame", + "solid wood white bed frame.", + "solid wood white bed frame,", + "blanket white bed frame", + "white bed frame solid wood", + "dust free white bed frame" + ], + "i want twin size black pants": [ + "twin size black pants", + "twin size black pants under $50", + "twin size black pants under $40", + "twin size black pants below $50", + "twin size black pants under 50 dollars", + "twin size black pants under $60", + "twin size black pants below $40", + "twin black pants", + "twin size black pants,", + " twin size black pants" + ], + "i am looking for black twin size bunk beds.": [ + "black twin size bunk beds", + "black twin bed bunk beds", + "black twin size bunk beds.", + "black twin size bunk beds,", + "black twin bed", + "black twin bed with bunk beds", + "black twin size bunk bed", + "black twin bunk beds", + "black twin bedding", + "black twin beds" + ], + "i'm looking for a pair of women's size seven steel toed boots that are water resistant and come in black.": [ + "womens size 7 steel toed boots", + "womens size seven steel toed boots", + "womens size 7 steel toed boots that are water resistant", + "womens size seven steel toed boots that are water resistant", + "woman size 7 steel toed boots that are water resistant and come in black", + "womens size 7 steel toed boots that are water resistant and black", + "womens size seven steel toed boots that are water resistant and black", + "womens size 7 steel toed boots that are water resistant, black", + "womens size seven steel toed boots that are water resistant, black", + "womens size 7 steel toed boots that are water resistant black" + ], + "i want fluoride free ayurvedic herbal toothpaste.": [ + " fluoride free ayurvedic herbal toothpaste", + "water fluoride free ayurvedic herbal toothpaste", + "waterproof ayurvedic herbal toothpaste", + "toothpaste fluoride free ayurvedic", + "fluoride free herbal toothpaste", + " fluoride free ayurvedic herbal toothpaste.", + "fluoride free oral toothpaste", + "toothpaste fluoride free ayurvedic herbal", + "toothpaste fluoride free", + "almond toothpaste fluoride free" + ], + "i would like a black pair of earbud headphones that are able to be wirelessly charged.": [ + "black wireless charging earbud headphones", + "black earbud headphones", + "black earbud headphones that are wirelessly charged", + "black pair of earbud headphones", + "black earbud headphones wirelessly charged", + "black earbud headphones, wirelessly charged", + "black earbud headphones with wirelessly charged", + "black wireless charging earbud headphones under $40", + "black wireless charging earbud headphones under $50", + "black wireless charging earbud headphones under $60" + ], + "i would like a strawberry sunrise lip balm that is paraben and cruelty free.": [ + "strawberry sunrise lip balm paraben and cruelty free", + " strawberry sunrise lip balm that is paraben and cruelty free", + "pink sunrise lip balm that is paraben and cruelty free", + "strawberry sunrise lip balm, paraben and cruelty free", + "strawberry sunrise lip balm paraben", + "strawberry sunrise lip balm that is paraben", + "strawberry sunrise lip balm that is paraben free", + "strawberry sunrise lip balm", + "strawberry sunrise lip balm no paraben and cruelty free", + " strawberry sunrise lip balm paraben and cruelty free" + ], + "i am looking for brown hiking boots that are size 10.5 wide with a synthetic sole.": [ + "brown hiking boots 10.5 wide with a synthetic sole", + "brown hiking boots size 10.5 wide", + "brown hiking boots 10.5 wide", + "brown hiking boots that are size 10.5 wide", + "brown hiking boots size 10.5 wide with synthetic sole", + "brown hiking boots 10.5 wide with synthetic sole", + "brown hiking boots 10.5 wide synthetic sole", + "brown hiking boots size 10.5 wide synthetic sole", + "brown hiking boots, size 10.5 wide", + "brown hiking boots 9.5 wide with a synthetic sole" + ], + "i am looking for a replacement tv remote control with the aaa batteries included.": [ + "tv remote control with aaa batteries", + "tv remote control with the aaa batteries", + "tv remote control aaa batteries", + "tv remote control that is aaa batteries", + "tv remote control, aaa batteries", + "tv remote control no aaa batteries", + "tv remote control with aaa batteries,", + "remote control with aaa batteries", + "tv remote control with aaa batteries.", + " tv remote control with aaa batteries" + ], + "i'm looking for a pair of straight leg jeans with a button closure that comes in the \"silo\" color. i need them with a forty inch waist and a twenty nine inch length.": [ + "straight leg jeans with button closure", + "straight leg jeans with a button closure", + "straight leg jeans with a button closure twenty nine inch length", + "straight leg jeans with button closure twenty nine inch", + "straight leg jeans with button closure twenty nine inch length", + "straight leg jeans with button closure twenty nine inches", + "straight leg jeans with button closure, twenty nine inch length", + "straight leg jeans with a button closure twenty nine inch", + "straight leg jeans with button closure in silo color", + "straight leg jeans with a button closure twenty nine inches length" + ], + "i am looking for a great gift chocolate box packed in silver foil box color.": [ + "gift chocolate box packed in silver foil box", + "chocolate box packed in silver foil box color", + "chocolate box packed in silver foil box", + "pink foil box chocolate box", + "silver foil box chocolate box", + "cupcake box packed in silver foil box", + "cupcake box packed in silver foil box color", + "silver foil box gift chocolate box", + "pink foil box chocolate gift chocolate box", + "gluten free chocolate box packed in silver foil" + ], + "i am looking for a non alcoholic cocktail syrup with coconut flavour.": [ + "non alcoholic cocktail syrup with coconut flavour", + "non alcoholic cocktail syrup", + "non alcoholic cocktail syrup coconut flavour", + "non alcoholic cocktail syrup, coconut flavour", + "non alcoholic cocktail syrup coconut flavor", + "non alcoholic cocktail syrup with coconut flavor", + "non alcoholic cocktail syrup no coconut flavor", + "non alcoholic cocktail syrup no coconut", + "non alcoholic cocktail syrup, coconut flavor", + "non alcoholic cocktail syrup with coconut" + ], + "i would like a 40 w by 28 l grill pant with a elastic waist.": [ + "40 w by 28 l grill pant with a elastic waist", + "40 w by 28 l grill pant", + "40 w by 28 l grill pant, elastic waist", + "40w by 28 l grill pant with a elastic waist", + "40 w by 28 l grill pant with elastic waist", + "40 w by 28 l grill pant that is elastic waist", + "40 x 28 l grill pant with a elastic waist", + "40 by 28 l grill pant with a elastic waist", + "40 w by 28 l grill pant elastic waist", + "40 x 28 l grill pant" + ], + "i need a space saving ottoman that is purple": [ + "space saving ottoman that is purple", + "pink ottoman that is purple", + "grey ottoman that is purple", + "size saving ottoman that is purple", + "white space saving ottoman that is purple", + "black ottoman that is purple", + "space saving ottoman purple", + "pink ottoman", + "grey ottoman that is purple space saving", + "pink ottoman space saving" + ], + "i'm looking for a long lasting samsung cell phone.": [ + "samsung cell phone long lasting", + "samsung cell phone", + "long lasting samsung cell phone", + "samsung cell phone with long lasting", + "samsung cell phone, long lasting", + "a long lasting samsung cell phone", + "telescope samsung cell phone", + "long lasting samsung cell phone.", + "samsung cell phone.", + "samsung phone" + ], + "i would like some non gno amaretto almond biscotti.": [ + "non gno amaretto almond biscotti", + "non-gno amaretto almond biscotti", + "non gno amaretto almond biscotti.", + "non gno amaretto almond biscotti under $40", + "non gno amaretto almond biscotti under $60", + "non gno amaretto almond biscotti under 50 dollars", + "non gno amaretto almond biscotti under $50", + "non gno amaretto almond biscotti below $40", + "non gno amaretto almond biscotti under 30 dollars", + "non gno amaretto almond biscotti under 40 dollars" + ], + "i want a creme brulee truffle coffee that is gmo free.": [ + " creme brulee truffle coffee that is gmo free", + " creme brulee truffle coffee", + "rome brulee truffle coffee that is gmo free", + " creme brulee truffle coffee gmo free", + "comme brulee truffle coffee that is gmo free", + "creme brulee truffle coffee that is gmo free", + "roasted brulee truffle coffee that is gmo free", + "rome brulee truffle coffee gmo free", + "rome brulee truffle coffee", + "roasted truffle coffee gmo free" + ], + "i need an 8 ft navy area rug for the living room that is round.": [ + "8 ft navy area rug for the living room", + "8 ft navy area rug for living room", + "8 ft navy rug living room that is round", + "8 ft navy area rug", + "8 ft navy rug for living room", + "8 ft navy rug for the living room", + "8 ft navy area rug living room", + "8 ft navy area rug in the living room", + "8 ft navy rug living room", + "8 ft navy rug" + ], + "i want an area rug to go in my living room. pick something in either white or royal blue.": [ + "area rug in white or royal blue", + "white area rug for living room", + "white area rug living room", + "living room area rug white royal blue", + "living room rug white royal blue", + "area rug for living room white", + "white area rug in my living room", + "white area rug", + "living room area rug in white", + "living room area rug white" + ], + "i'm looking for a high definition screen protector for my smart watch.": [ + "high definition screen protector for smart watch", + "high definition screen protector", + "tv screen protector for smart watch", + "tv screen protector high definition", + "tv screen protector", + "display protector for smart watch", + "high definition screen protector for smartwatch", + "high definition screen protector smart watch", + "screen protector for smart watch", + "smart watch screen protector" + ], + "i am searching for 3 colors makeup naked long lasting eye shadow": [ + "3 colors makeup naked long lasting eye shadow", + "three colors makeup naked long lasting eye shadow", + "3 color makeup naked long lasting eye shadow", + " 3 colors makeup naked long lasting eye shadow", + "beauty naked long lasting eye shadow", + "daring makeup naked long lasting eye shadow", + "portrait naked long lasting eye shadow", + " makeup naked long lasting eye shadow 3 colors", + " makeup naked long lasting eye shadow", + "pink long lasting eye shadow" + ], + "i would like a pair of extra large darkgrey sweatpants with a elastic waist.": [ + "extra large darkgrey sweatpants with a elastic waist", + "extra large darkgrey sweatpants", + "extra large darkgrey sweatpants with elastic waist", + "extra large darkgrey sweatpants that are elastic waist", + "extra large darkgrey sweatpants, elastic waist", + "extra large darkgrey sweatpants with a elastic waist.", + "extra large darkgrey sweatpants elastic waist", + "extra large darkgrey sweatpants with a elastic waist,", + "extra large darkgrey sweatpants with an elastic waist", + "extra large dark grey sweatpants with a elastic waist" + ], + "i am looking for an arabic javy cold brew coffee concentrate.": [ + "arabic javy cold brew coffee concentrate", + "arganic javy cold brew coffee concentrate", + "alarmic javy cold brew coffee concentrate", + "aubic javy cold brew coffee concentrate", + "an arabic javy cold brew coffee concentrate", + "aabic javy cold brew coffee concentrate", + "artificial javy cold brew coffee concentrate", + "armic javy cold brew coffee concentrate", + "arabic javy cold brew coffee concentrate.", + "arganic javy cold brew coffee concentrate." + ], + "i would like a foot cream made from seed oil.": [ + "foot cream made from seed oil", + "foot cream made from seed oil.", + "foot cream made from seed oil under $40", + "foot cream made from seed oil under $60", + "foot cream made from seed oil under $50", + "foot cream made from seed oil below $40", + "feet cream made from seed oil", + "foot cream made from seed oil below $50", + "foot cream made from seed oil,", + " foot cream made from seed oil" + ], + "i'm looking for some 3 x large high waisted tummy control leggings in wine red polyester spandex.": [ + "3 x large high waisted tummy control leggings in wine red polyester spandex", + "3 x large high waisted tummy control leggings wine red polyester spandex", + "3 xl high waisted tummy control leggings in wine red polyester spandex", + "4 x large high waisted tummy control leggings in wine red polyester spandex", + "3 x large high waisted tummy control leggings, wine red polyester spandex", + "three x large high waisted tummy control leggings in wine red polyester spandex", + " 3 x large high waisted tummy control leggings in wine red polyester spandex", + "3 x large high waisted tummy control leggings", + "3 x large high waisted tummy control leggings under $40", + "3 x large high waisted tummy control leggings in wine red polyester" + ], + "i'm looking for a large novelty pajama set for my husband who likes blue stripes; i must be able to machine wash it cold.": [ + "large novelty pajama set for my husband who likes blue stripes", + "large novelty pajama set", + "large novelty pajama set with blue stripes", + "large novelty pajama set for my husband whose likes blue stripes", + "large novelty pajama set for a husband who likes blue stripes", + "blue pajama set for my husband who likes blue stripes", + "large novelty pajama set for my husband with blue stripes", + "large novelty pajama set under $50", + "large novelty pajama set under $40", + "large novelty pajama set for my husband" + ], + "i'm looking for oral care tooth brushes with accessories.": [ + "oral care tooth brushes with accessories", + "oral care tooth brushes", + "oral care toothbrush with accessories", + "oral care tooth brushes with accessories.", + "oral care tooth brush with accessories", + "oral care teeth brushes with accessories", + "oral care tooth brushes, accessories", + "oral care tooth brushes no accessories", + "oral care toothbrush with accessories.", + "oral care toothbrush" + ], + "i'm looking for after wax lotion that is cruelty free and is also an epilating trial pack pattern.": [ + "wax lotion that is cruelty free", + "cruelty free wax lotion", + "temporary wax lotion that is cruelty free", + "cruelty free wax lotion that is cruelty free", + "wax lotion cruelty free", + "womens wax lotion that is cruelty free", + "wax lotion", + "wax lotion that is cruelty free under $50", + "cruelty free wax lotion under $40", + "toxic free wax lotion" + ], + "i am looking for star wars large size navy color bounty hunter wrap around logo raglan baseball t-shirt": [ + "star wars large size navy color bounty hunter wrap around logo raglan baseball t-shirt", + "navy color bounty hunter wrap around logo raglan baseball t-shirt", + "strawberry color bounty hunter wrap around logo raglan baseball t-shirt", + "super wars large size navy color bounty hunter wrap around logo raglan baseball t-shirt", + "i am looking for star wars large size navy color bounty hunter wrap around logo raglan baseball t-shirt under 30 dollars", + "i am looking for star wars large size navy color bounty hunter wrap around logo raglan baseball t-shirt under 50 dollars", + "i am looking for star wars large size navy color bounty hunter wrap around logo raglan baseball t-shirt under 40 dollars", + "manual size navy color bounty hunter wrap around logo raglan baseball t-shirt", + "i am looking for star wars large size navy color bounty hunter wrap around logo raglan baseball t-shirt under $40", + "i am looking for star wars large size navy color bounty hunter wrap around logo raglan baseball t-shirt under $50" + ], + "so i would like to find a men's blazer. it needs to be a size 40 and it has to have buttons for those cold windy days. ideally, make sure it is grey with a slim fit as well.": [ + "mens blazer size 40", + "mens blazer in grey", + "mens blazer size 40 slim fit", + "mens blazer size 40 with buttons", + "mens blazer size 40", + "mens blazer in a size 40", + "mens blazer size 40 grey", + "mens blazer size 40 in grey", + "mens blazer, size 40", + "mens blazer with buttons" + ], + "i am looking for modern mid century droplet accent table lamp for living room": [ + "modern mid century droplet accent table lamp for living room", + "modern mid century droplet accent table lamp", + "modern mid century droplet accent table lamp living room", + "Modern mid century droplet accent table lamp for living room", + " modern mid century droplet accent table lamp for living room", + "modern mid century droplet accent table lamp in living room", + "modern mid century droplet accent table lamp, living room", + "Modern mid century droplet accent table lamp", + "modern mid century droplet accent table lamp dining room", + "living room droplet accent table lamp" + ], + "i need medipharma cosmetics eyebrow booster serum paraben & silicon free": [ + "medipharma cosmetics eyebrow booster serum paraben & silicon free", + "Medipharma cosmetics eyebrow booster serum paraben & silicon free", + " medipharma cosmetics eyebrow booster serum paraben & silicon free", + "medipharma cosmetics eyebrow booster serum paraben", + "dipharma cosmetics eyebrow booster serum paraben & silicon free", + "Medipharma cosmetics eyebrow booster serum paraben", + "medipharma cosmetics eyebrow booster serum paraben and silicon free", + "medical cosmetics eyebrow booster serum paraben & silicon free", + "medipharma cosmetics eyebrow booster serum paraben, silicon free", + "medical cosmetics eyebrow booster serum paraben" + ], + "i am looking for superfood low carb snack tropical mix cubed of 4 pound (pack of 1)": [ + "superfood low carb snack tropical mix cubed of 4 pound (pack of 1)", + "superfood low carb snack tropical mix cubed of 4 pound (pack of 1),", + "superfood low carb snacks tropical mix cubed of 4 pound (pack of 1)", + "superfood low carb snack mix cubed of 4 pound (pack of 1)", + "superfood low carb snack Tropical mix cubed of 4 pound (pack of 1)", + "superfood low carb snack tropical mix cubed 4 pound (pack of 1)", + "superfood low carb snack tropical mix cubed of 4 pound", + "superfood low carb snack tropical mix 4 pound (pack of 1)", + "superfood low carb snack pack of 1)", + "superfood low carb snack" + ], + "i'm looking for a set of machine washable long sleeved pajamas that come in a men's small.": [ + "machine washable long sleeved pajamas", + "man washable long sleeved pajamas", + "woman washable long sleeved pajamas", + "mens small pajamas", + "womens small pajamas", + "mens small pajama set", + "womens small pajama set", + "mens small pajamas", + "womens small pajama", + "mens small pajama" + ], + "i would like a auto charger with a usb port.": [ + "auto charger with a usb port", + "auto charger with usb port", + "auto charger with a usb port.", + "alarm charger with a usb port", + "autom charger with a usb port", + "Auto charger with a usb port", + "an auto charger with a usb port", + "auto charger with a usb port,", + "auto charger, usb port", + "auto charger usb port" + ], + "i would like 72 pieces of a variety of sugar free bubblegum.": [ + "synthetic free bubblegum", + "synthetic free bubblegum 72", + "sugar free bubblegum", + "sugar free bubblegum 72", + "synthetic sugar free bubblegum", + "sugar free bubblegum 72 pieces", + "24 sugar free bubblegum", + "72 sugar free bubblegum", + "sugar free bubblegum 72 oz", + "fluoride free bubblegum" + ], + "i am looking for sugar free wintergreen chewing gum.": [ + "sugar free wintergreen chewing gum", + "sugar free wintergreen chewing gum.", + "sugar free wintergreen chewing gum under $40", + "sugar free wintergreen chewing gum under $60", + "sugar free wintergreen chewing gum under $50", + "sugar free wintergreen chewing gum under 50 dollars", + "sugar free wintergreen chewing gum below $40", + "sugar free wintergreen chewing gum under 30 dollars", + "sugar free wintergreen chewing gum under 40 dollars", + "gluten free wintergreen chewing gum" + ], + "i am looking for string curtain of rose color that are eco friendly and easy to install.": [ + "string curtain of rose color", + "string curtain of rose color eco friendly", + "string curtain eco friendly and easy to install", + "string curtain rose color", + "string curtain rose color eco friendly", + "rose color eco friendly and easy to install", + "string curtain eco friendly", + "rose color string curtain", + "string curtain in rose color", + "string curtain" + ], + "i want a blue color synthetic sole vinyl acetate women clogs size 6.5": [ + "blue color synthetic sole vinyl acetate women clogs size 6.5", + "blue synthetic sole vinyl acetate women clogs size 6.5", + "blue color synthetic sole vinyl acetate women clogs", + "blue vinyl acetate women clogs size 6.5", + "blue color synthetic sole vinyl acetate woman clogs size 6.5", + "blue sole vinyl acetate women clogs size 6.5", + "blue colored synthetic sole vinyl acetate women clogs size 6.5", + "blue color vinyl acetate women clogs size 6.5", + "blue synthetic sole vinyl acetate women clogs", + "blue color synthetic sole vinyl acetate women clogs size 6" + ], + "i would like a glass screen scanner.": [ + "glass screen scanner", + "glass screen scanner.", + "glass screen scanner that is easy to use", + "glass screen scanner, less then $40", + "glass screen scanner under $50", + "glass screen scanner under $40", + "glass screen scanner, less then $60", + "glass screen scanner for glass", + "glass screen scanner under $60", + "glass screen scanner," + ], + "i'm looking for a red folding ottoman bench for the living room that has storage space and is easy to assemble and easy to clean.": [ + "red folding ottoman bench for the living room", + "red folding ottoman bench for living room", + "red folding ottoman bench for living room that has storage space", + "red folding ottoman bench in the living room", + "red folding ottoman bench for the living room with storage space", + "red folding ottoman bench", + " red folding ottoman bench for the living room", + "red folding ottoman bench living room", + "wooden folding ottoman bench for the living room", + "living room red folding ottoman bench" + ], + "i am looking for medium size, white color and short sleeve aloha beach shirt": [ + "medium size aloha beach shirt", + "medium t-short sleeve aloha beach shirt", + "medium t-shirt aloha beach shirt", + "medium size, white color aloha beach shirt", + "medium size beach shirt", + "medium size white aloha beach shirt", + "medium size aloha beach shirt under $40", + "medium size aloha beach shirt under $50", + "medium size white beach shirt", + "medium size, white" + ], + "i am looking for desktop having 8gb ram and 64gb ssd and core i5 processor.": [ + "desktop with 8gb ram and 64gb ssd with i5 processor", + "desktop having 8gb ram and 64gb ssd with i5 processor", + "desktop 8gb ram and 64gb ssd with core i5 processor", + "desktop with 8gb ram and 64gb ssd", + "desktop 8gb ram and 64gb ssd with i5 processor", + "desktop with 8gb ram and 64gb ssd processor", + "desktop with 8gb ram and 64gb ssd under $130", + "desktop with 8gb ram with i5 processor", + "desktop 8gb ram with i5 processor", + "desktop with 8gb ram" + ], + "i am looking for herbal ginger tea in small packs.": [ + "herbal ginger tea in small packs", + " herbal ginger tea in small packs", + "herbal ginger tea small packs", + "italian ginger tea in small packs", + "hermon ginger tea in small packs", + " herbal tea in small packs", + " herbal ginger tea in small packs", + "shelf tea in small packs", + "herbal tea in small packs", + " herbal ginger tea in small packs." + ], + "i need a 3 ft fast charging lightning cable that is purple.": [ + "3 ft fast charging lightning cable", + "3 ft fast charging lightning cable that is purple", + "3 ft fast charging lightning cable in purple", + "3 ft fast charging lightning cable, purple", + "3 ft fast charging lightning cable purple", + "3 ft fast charging lightning cable with purple", + "pink fast charging lightning cable that is purple", + "pink fast charging lightning cable", + "3 ft fast charging lightning cable under $40", + "4 ft fast charging lightning cable that is purple" + ], + "i am looking for carbon fiber monopod": [ + "carbon fiber monopod", + "coaxial fiber monopod", + "carbon fiber monopod under $40", + "carbon fiber monopod under $50", + "aluminum fiber monopod", + "carbon fiber monopod under $60", + "eco fiber monopod", + "carbon fiber monopod", + "carbon fiber monopod under 50 dollars", + "blue carbon fiber monopod" + ], + "i need six feet of hdmi high performance cables in a ten pack": [ + "hdmi high performance cables in a ten pack", + "6 hdmi high performance cables in a ten pack", + "pack of hdmi high performance cables in a ten pack", + "6 foot hdmi high performance cables in a ten pack", + "6 ft hdmi high performance cables in a ten pack", + "6 feet of hdmi high performance cables in a ten pack", + "6 foot of hdmi high performance cables in a ten pack", + "6 feet hdmi high performance cables in a ten pack", + "high performance cables in a ten pack", + "pack of hdmi high performance cables" + ], + "i am looking for women classic fit t-shirt.": [ + "womens classic fit t-shirt", + "womens classic fit t-shirt.", + "woman classic fit t-shirt", + "women classic fit t-shirt", + "woman classic fit t-shirt.", + "women classic fit t-shirt.", + "woman classic fit t-shirt below $50", + "woman classic fit t-shirt under $50", + "woman classic fit t-shirt under $40", + "mens classic fit t-shirt" + ], + "i would like a b04 toothbrush for kid's 6-12 sensitive teeth.": [ + "b04 toothbrush for kids 6-12 sensitive teeth", + "bb04 toothbrush for kids 6-12 sensitive teeth", + " b04 toothbrush for kids 6-12 sensitive teeth", + "b04 teethbrush for kids 6-12 sensitive teeth", + "b04 toothbrush 6-12 sensitive teeth", + "brushed for kids 6-12 sensitive teeth", + "b04 toothbrush, 6-12 sensitive teeth", + "brush for kids 6-12 sensitive teeth b04", + "bathroom for kids 6-12 sensitive teeth", + "brush for kids 6-12 sensitive teeth" + ], + "i want wireless charging in white color": [ + "white wireless charging", + "wireless charging white", + "white wireless charging wireless charging", + "wireless charging in white", + "red wireless charging in white", + " wireless charging in white", + "white wireless charging in white", + "wirefree charging white", + "blue wireless charging", + " wireless charging white" + ], + "looking for lumbar support massage gaming chair choose colour yellow": [ + "lumbar support massage gaming chair in colour yellow", + "lumbar support massage gaming chair", + "lumbar support massage gaming chair in yellow", + "lumbar support massage gaming chair colour yellow", + "lumbar support massage gaming chair choose colour yellow", + "lumbar support massage gaming chair yellow", + "lumbar support massage gaming chair, colour yellow", + "lumbar support massage gaming chair with colour yellow", + "lumbar support massage gaming chair in a yellow", + "lumbar support massage gaming chair that is yellow" + ], + "i am looking for a grey home office desk chair that is height adjustable and has lumbar support.": [ + "grey home office desk chair that is height adjustable", + "grey home office desk chair with height adjustment", + "grey home office desk chair with lumbar support", + "grey home office desk chair height adjustable", + "grey home office desk chair with height adjustable", + "grey home office desk chair", + "grey office desk chair that is height adjustable", + "grey office desk chair with height adjustment", + "grey office desk chair height adjustable", + "grey office desk chair" + ], + "i am interested in buying a screen protector which is tempered glass, and has rose gold color.": [ + "tempered glass screen protector", + "tempered glass screen protector that is rose gold", + "tempered glass screen protector in rose gold", + "tempered glass screen protector with rose gold color", + "tempered glass screen protector, rose gold", + "tempered glass screen protector rose gold", + "screen protector tempered glass rose gold", + "tempered glass screen protector, rose gold color", + "screen protector which is tempered glass, rose gold", + "screen protector that is tempered glass, rose gold" + ], + "i'm looking for small high performance silicone watch bands that are quick release.": [ + "small high performance silicone watch bands", + "small high performance silicone watch bands with quick release", + "small high performance silicone watch bands quick release", + "small high performance silicone watch bands, quick release", + "small high performance silicone watch band", + "small high performance silicone watch bands under $50", + "small high performance silicone watch bands for quick release", + "small high performance silicone watch bands under $40", + "small high performance silicone watch bands under $60", + "sneakers quick release" + ], + "i am looking for a small long sleeve fashion hoodies & sweatshirts": [ + "small long sleeve hoodies & sweatshirts", + "small long sleeve hoodies and sweatshirts", + "small long sleeve fashion hoodies", + "small long sleeve fashion hoodies", + "small long sleeve sweatshirts", + "small long sleeve hoodies", + "small long sleeve hoodies sweatshirts", + "small long sleeve fashion hoodies under $50", + "small long sleeve sweatshirt", + "small long sleeve" + ], + "i am interested in buying an artwork for the living room. i would love it in the artwork-02 color.": [ + "artwork for the living room in an artwork-02 color", + "artwork for the living room in the artwork-02 color", + "artwork for the living room under $50", + "artwork for the living room in artwork-02 color", + "artwork for the living room under 30 dollars", + "artwork for the living room under $60", + "artwork for the living room under 120 dollars", + "artwork for the living room under $40", + "artwork for the living room", + "artwork for the living room in artwork-02 color." + ], + "i want gluten free valley fresh 100% natural white chicken breast.": [ + "gluten free valley fresh 100% natural white chicken breast", + "gluten free fresh 100% natural white chicken breast", + "vegan 100% natural white chicken breast", + "a gluten free valley fresh 100% natural white chicken breast", + "gluten free 100% natural white chicken breast", + "gluten free natural white chicken breast", + "alley fresh 100% natural white chicken breast", + " valley fresh 100% natural white chicken breast", + "gluten free dairy free 100% natural white chicken breast", + "gluten free fresh 100% natural white chicken breast." + ], + "i would like a pair of size 8 shoes with a leather sole.": [ + "size 8 shoes with a leather sole", + "shoes with a leather sole", + "sneakers size 8 leather sole", + "shoes size 8 with a leather sole", + "shoes with a leather sole size 8", + "shoes size 8 leather sole", + "pair of size 8 shoes", + "size 8 shoes with a leather sole.", + "size 8 shoes with a leather sole,", + "sneakers size 8" + ], + "i want to buy a giant popsicle which is low calorie and fat free with orange flavor and is 51 ounce.": [ + "giant popsicle, low calorie and fat free", + "popsicle that is low calorie and fat free", + "giant popsicle with orange flavor", + "giant popsicle with orange flavor 51 ounce", + "giant popsicle with orange flavor, 51 ounce", + "giant popsicle sugar free 51 ounce", + "popsicle fat free 51 ounce", + "giant popsicle fat free 51 ounce", + "gluten free popsicle 51 ounce", + "giant popsicle fat free" + ], + "i am looking for gluten free original caramel perfect premium gourmet popcorn": [ + "gluten free gourmet popcorn", + "gluten free original caramel perfect gourmet popcorn", + "gluten free premium gourmet popcorn", + "gluten free and gourmet popcorn", + "gluten free gourmet popcorn under $40", + "gluten free gourmet popcorn flavor", + "gluten free gourmet popcorn under 50 dollars", + "gluten free gourmet popcorn under $60", + "gluten free gourmet popcorn under 30 dollars", + "gluten free gourmet popcorn under 40 dollars" + ], + "i need some white bluetooth speakers that are easy to carry": [ + "white bluetooth speakers easy to carry", + "white bluetooth speakers", + "white bluetooth speakers that are easy to carry", + "white bluetooth speakers, easy to carry", + "white bluetooth speakers easy-to-carry", + "white bluetooth speakers, easy to carry,", + "white bluetooth speakers which are easy to carry", + "white bluetooth speakers with easy to carry", + "easy to carry white bluetooth speakers", + "white bluetooth speakerseasy to carry" + ], + "i'm looking for trail cameras its is easy to use it can batteries inlcuded.": [ + "easy to use trail cameras with batteries", + "easy to use trail cameras with batteries inlcuded", + "easy-to-use trail cameras with batteries", + "easy to use trail cameras batteries inlcuded", + "trail cameras that are easy to use with batteries", + "walking cameras that are easy to use with batteries", + "easy to use trail cameras", + "easy to use trail cameras batteries", + "easy-to-use trail cameras batteries", + "walking camera with batteries" + ], + "i am looking for sindhi biryani spice powder that is easy to prepare.": [ + "sindhi biryani spice powder", + "sindhi biryani spice powder easy to prepare", + "sindhi biryani spice powder under $40", + "sindhi biryani spice powdereasy to prepare", + "sindhi biryani spice powder under $60", + "sindhi biryani spice powder under 50 dollars", + "sindhi biryani spice powder under $50", + " sindhi biryani spice powder", + "indhi biryani spice powder", + "soy biryani spice powder" + ], + "i need 6 packs of bombay biryani easy prepare seasoning mix flavored punjabi yakhni pilau": [ + "bombay biryani easy prepare seasoning mix flavored punjabi yakhni pilau", + "Bombay biryani easy prepare seasoning mix flavored punjabi yakhni pilau", + "pack of bombay biryani easy prepare seasoning mix flavored punjabi yakhni pilau", + "bombay biryani easy prepare seasoning mix flavored punjabi yakhni pilau 6 pack", + "bombay biryani seasoning mix flavored punjabi yakhni pilau", + "Bombay biryani easy prepare seasoning mix flavored punjabi yakhni pilau 6 pack", + "bombay biryani easy prepare seasoning mix flavored punjabi yakhni pilau 6 packs", + "bombay biryani easy prepare seasoning mix flavored punjabi yakhni pilau flavor", + "bombay biryani easy prepare seasoning mix flavored punjabi yakhni pilau pack", + "barbecue biryani seasoning mix flavored punjabi yakhni pilau" + ], + "i am looking for a brown wood finish end table.": [ + "end table brown wood finish", + "brown wood finish end table", + "end table brown", + "end table with wood finish", + "brown wood finish end table.", + "end table with brown wood finish", + "wood finish end table brown", + "end table that is brown", + "end table, brown wood finish", + "end table brown with wood finish" + ], + "i am looking for feather color jogging pants having elastic waist.": [ + " feather color jogging pants with elastic waist", + " feather color jogging pants having elastic waist", + " feather color jogging pants, elastic waist", + " feather color jogging pants that are elastic waist", + "feather color jogging pants with elastic waist", + "feather color jogging pants having elastic waist", + " feather color jogging pants having elastic waist.", + " feather colored jogging pants with elastic waist", + "brittle color jogging pants with elastic waist", + " feather color jogging pants with elastic waist." + ], + "i am looking for a high quality and long lasting makeup kit for women.": [ + "high quality long lasting makeup kit for women", + "high quality makeup kit for women", + "beauty kit for women", + "high quality and long lasting makeup kit", + "high quality makeup kit for women.", + "pink makeup kit for women", + "daring makeup kit for women", + "high quality long lasting makeup kit", + "professional makeup kit for women", + "beauty kit for women high quality" + ], + "i need a size 6 closed toe high heel pump shoe. the color should be cheetah leopard red.": [ + "size 6 closed toe high heel pump shoe in cheetah leopard red", + "size 6 closed toe high heel pump shoe, cheetah leopard red", + "size 6 closed toe high heel pump shoe", + "size 6 closed toe high heel pump shoe cheetah leopard red", + "size 6 closed toe high heel pump shoe with cheetah leopard red", + " size 6 closed toe high heel pump shoe in cheetah leopard red", + "sneakers size 6 cheetah leopard red", + "slimming shoe cheetah leopard red", + "slimming shoe cheetah leopard red size 6", + "small toe high heel pump shoe" + ], + "i am looking for resealable snak club antioxidant trail mix. 5.5oz packs of six.": [ + "sneak club antioxidant trail mix 5.5oz packs of six", + "snoak club antioxidant trail mix 5.5oz packs of six", + " resealable snak club antioxidant trail mix 5.5oz packs of six", + "sealable snak club antioxidant trail mix 5.5oz packs of six", + "sneak club antioxidant trail mix, 5.5oz packs of six", + "sugar club antioxidant trail mix 5.5oz packs of six", + "sneak club antioxidant trail mix 5.5oz packs of six.", + "snoak club antioxidant trail mix 5.5oz packs of six.", + "sneak club antioxidant trail mix, 5.5oz packs of six,", + " resealable snak club antioxidant trail mix" + ], + "i want a travel organiser for blouse hosiery underwear lingeries laundry bag": [ + "travel organiser for blouse hosiery underwear lingeries laundry bag", + "travel organiser blouse hosiery underwear lingeries laundry bag", + "pink blouse hosiery underwear lingeries laundry bag", + "moisturiser blouse hosiery underwear lingeries laundry bag", + "moisturiser for blouse hosiery underwear lingeries laundry bag", + "travel organiser for blouse hosiery underwear lingeries laundry bag", + "Travel organiser for blouse hosiery underwear lingeries laundry bag", + "vanity organiser blouse hosiery underwear lingeries laundry bag", + "Travel organiser blouse hosiery underwear lingeries laundry bag", + "womens hosiery underwear lingeries laundry bag" + ], + "i am looking for warm film video lighting kit for my digital photography. i prefer the 3200k lighting with 2400 watt": [ + "warm film video lighting kit", + "warm film video lighting kit for digital photography", + "warm film video lighting kit for my digital photography", + "warm film video lighting kit 3200k lighting", + "warm film video lighting kit for digital photography.", + "warm film video lighting kit for photography", + "warm film video lighting kit, 2400 watt", + "warm film video lighting", + "warm film camera lighting", + "3200k lighting" + ], + "look for a long lasting shaving cream that is fragrance free. i also have a sensitive skin.": [ + "long lasting shaving cream that is fragrance free", + "long lasting shaving cream with sensitive skin", + "shave cream that is fragrance free", + "vegan shaving cream that is fragrance free", + "long lasting shaving cream with a sensitive skin", + "long lasting shaving cream that is fragrance free.", + "bathroom cream that is fragrance free", + "shaving cream that is fragrance free", + "long lasting shaving cream", + "long lasting shaving cream sensitive skin" + ], + "i'm looking for an easy to use electric foot grinder in blue.": [ + "electric foot grinder in blue", + "easy to use electric foot grinder", + "blue electric foot grinder", + "yellow electric foot grinder in blue", + "green electric foot grinder in blue", + "blue electric foot grinder easy to use", + "blue electric foot grinder in blue", + "easy to use electric foot grinder blue", + "yellow electric foot grinder", + "pocket grinder in blue" + ], + "i am ordering a grey plus size women long sleeved t -shirt .": [ + "grey plus size women long sleeved t-shirt", + "grey plus size women long sleeved t -shirt", + "womens long sleeved t-shirt", + "grey plus size women long sleeved t-shirt,", + "grey plus-size women long sleeved t-shirt", + "grey plus size women long sleeved t-shirt.", + "grey plus t-shirt", + "grey plus size women t-shirt", + "womens grey plus size t-shirt", + "womens t-shirt grey plus size" + ], + "i would like a aircraft cake topper for a kids birthday party.": [ + "an aircraft cake topper for a kids birthday party", + "an aircraft cake topper for a kids birthday party.", + "alarm cake topper for a kids birthday party", + "engineered cake topper for a kids birthday party", + "airplane cake topper for a kids birthday party", + "airport cake topper for a kids birthday party", + "pink birthday cake topper for a kids birthday party", + "engineered cake topper for a kids birthday party.", + "alarm cake topper for kids birthday party", + "alarm cake topper for a kids birthday party." + ], + "i am looking for a grey full daybed with 2 drawers and should be made of a solid wood.": [ + "grey full daybed with 2 drawers", + "grey full daybed with 2 drawers in a solid wood", + "grey full daybed with 2 drawers with a solid wood", + "grey full daybed with 2 drawers in solid wood", + "grey full daybed 2 drawers", + "grey full daybed", + "grey full daybed with 2 drawers.", + "grey full daybed with 2 drawers", + "grey adult daybed with 2 drawers", + "grey daybed with 2 drawers" + ], + "i am looking for a easy to use hair extension that has elastic rubber band. and i choose the curly bun with strawberry blonde color": [ + "easy to use hair extension with elastic rubber band", + "easy to use hair extension with elastic rubber", + "easy to use curly bun with strawberry blonde color", + "easy to use hair extension, strawberry blonde", + "easy to use hair extension, strawberry blonde color", + "easy to use hair extension", + "easy to use hair extension that has elastic rubber", + "easy to use hair extension in strawberry blonde", + "hair extension that has elastic rubber band", + "plastic rubber bun" + ], + "i am looking for a tousled bun hairpieces for hair salon": [ + "tousled bun hairpieces for hair salon", + "tousled bun hairpieces", + "toothled bun hairpieces for hair salon", + "tousled bun hairpieces hair salon", + " tousled bun hairpieces for hair salon", + "tousled bun hairpieces, hair salon", + "tousled bun hairpieces at hair salon", + "tousled bun hairpieces in hair salon", + "hair salon tousled bun hairpieces", + "toothled bun hairpieces" + ], + "i am looking for a ladder bookshelf having steel frame.": [ + "leviseless bookshelf with steel frame", + "lemon bookshelf with steel frame", + "a ladder bookshelf with steel frame", + "ladders bookshelf with steel frame", + "a ladder bookshelf having steel frame", + "levity bookshelf with steel frame", + "lemon bookshelf steel frame", + "ladders bookshelf steel frame", + "leviseless bookshelf steel frame", + "a ladder bookshelf having steel frame." + ], + "i am looking for a wall mounted mirror for the living room": [ + "wall mounted mirror for living room", + "wall mounted mirror for the living room", + "wall mounted mirror living room", + "wall mounted mirror living room price lower than 50.00 dollars", + "wall mounted mirror in the living room", + "wall mounted mirror for a living room", + "wall mounted mirror, living room", + "living room wall mounted mirror", + "wall mounted mirror in living room", + "wall mounted mirror" + ], + "i need a eco friendly green tea mask for sensitive sikn": [ + "eco friendly green tea mask for sensitive sikn", + "eco friendly green tea mask sensitive sikn", + "eco friendly green tea mask, sensitive sikn", + "green tea mask for sensitive sikn", + "eco friendly tea mask for sensitive sikn", + "eco friendly green tea mask sikn", + "eco friendly green tea mask for sensitive sikn,", + " eco friendly green tea mask for sensitive sikn", + "eco friendly green tea mask that is sensitive sikn", + "eco friendly green tea mask for sensitive sikn " + ], + "looking for loose fit medium size casual basic tee shirts": [ + "easy fit medium size casual tee shirts", + "medium size casual tee shirts", + "medium size casual basic tee shirts", + "easy fit casual basic tee shirts", + "living room medium tee shirts", + "living room medium size tee shirts", + "living room medium size casual tee shirts", + "low fat tee shirts", + "living room medium tee shirts loose fit", + "easy fit casual tee shirts" + ], + "i would like a pair of size 5 leather oxfords with a synthetic sole.": [ + "pair of size 5 leather oxfords", + "size 5 leather oxfords with a synthetic sole", + "sneakers size 5 leather oxfords", + "sneakers 5 leather oxfords", + "twin leather oxfords with a synthetic sole", + "large leather oxfords with a synthetic sole", + "a pair of size 5 leather oxfords", + "size 5 leather oxfords", + "pair of size 5 leather oxfords, synthetic sole", + "size 5 leather oxfords with a synthetic sole." + ], + "i'm looking for a silicon exfoliating body scrubber which would be easy to use.": [ + "silicon exfoliating body scrubber", + "silicone exfoliating body scrubber", + "silicon exfoliating body scrubber easy to use", + "silicone exfoliating body scrubber easy to use", + "silicon exfoliating body scrubber, easy to use", + "silicone exfoliating body scrubber that is easy to use", + "silicone exfoliating body scrubber, easy to use", + "silicon exfoliating body scrubber that is easy to use", + "silicon exfoliating body scrubber, easy to use,", + "silicone exfoliating body scrubber, easy to use," + ], + "i need a high power soundbar with stereo sound. it should include the audio line.": [ + "high power soundbar with stereo sound", + "soundbar with stereo sound", + "high power soundbar with stereo sound with audio line", + "high power soundbar with stereo sound with an audio line", + "high power soundbar with stereo sound with high power", + "high power soundbar with stereo sound, with audio line", + "high power soundbar with stereo sound under $40", + "soundbar high power with stereo sound", + "high power soundbar", + "soundbar high power" + ], + "i like soy wax in freesia & gardenia": [ + "soy wax in freesia & gardenia", + "soy wax in freesia & gardenia", + "soy wax freesia & gardenia", + "synthetic soy wax in freesia & gardenia", + "soy wax in freesia and gardenia", + "sneakers in freesia & gardenia", + "soy wax freesia & gardenia", + "synthetic soy wax freesia & gardenia", + "soy wax freesia and gardenia", + "synthetic soy wax in freesia and gardenia" + ], + "i'm looking for a size 48 in vanity light comtemporary cylinder.": [ + "size 48 vanity light comtemporary cylinder", + "size 48 in vanity light comtemporary cylinder", + "k vanity light comtemporary cylinder size 48", + "pink vanity light comtemporary cylinder", + "k vanity light comtemporary cylinder", + "vinyl light comtemporary cylinder size 48", + "large 48 vanity light comtemporary cylinder", + "vinyl light comtemporary cylinder", + "small vanity light comtemporary cylinder", + "vanity light comtemporary cylinder size 48" + ], + "i am looking for an easy to clean wobble stool for kids, i would like a 20 inch seat, and black in color.": [ + "easy to clean wobble stool for kids in black", + "easy to clean wobble stool for kids black", + "easy to clean wobble stool for kids, black", + "easy to clean wobble stool 20 inch seat black", + "easy to clean wobble stool in black", + "easy clean wobble stool for kids in black", + "walking stool 20 inches black", + "walking stool 20 inch black", + "kids wobble stool 20 inch black", + "walking stool in black" + ], + "i am looking for kids blanket of size 50x60 inch for my living room.": [ + "kids blanket of size 50x60 inch", + "kids blanket 50x60 inch", + "kids blanket 50x60 inch for living room", + "kids blanket size 50x60 inch", + "kids blanket size 50x60 inch for living room", + "kids blanket of size 50x60 inch living room", + "kids blanket 50x60 inch for my living room", + "kids blanket, size 50x60 inch", + "kids blanket in size 50x60 inch", + "kids blanket" + ], + "i want wildcat leopard impo stretch boots with memory foam.": [ + "wildcat leopard impo stretch boots with memory foam", + "wildcat leopard impo stretch boots", + "wildcat leopard impo stretch boots with memory foam.", + "wildcat leopard impo stretch boots with memory foam under $50", + "wildcat leopard impo stretch boots with memory foam under $40", + "wildcat leopard impo stretch boots with memory foam under $60", + "wildcat leopard pomegranate stretch boots with memory foam", + "wildcat leopard impo stretch boots, memory foam", + "wildcat leopard impo stretch boots with memory foam under 50 dollars", + " wildcat leopard impo stretch boots with memory foam" + ], + "i need red party supplies": [ + "red party supplies", + "red party supplies under $50", + "red party supplies under $40", + "red party supplies under $60", + "red party supplies red party", + "red party supplies below $50", + "red party supplies for red party", + "red party supplies below $40", + "red party supplies that are red", + "red party supplies under 50 dollars" + ], + "i want a classic fit best cruise director ever shirt for men.": [ + "classic fit best cruise director ever shirt for men", + "classic fit best cruise director shirt for men", + "classic fit best cruise director shirt for men.", + "classic fit cruise director ever shirt for men", + "classic fit cruise director shirt for men", + "classic fit men cruise director shirt", + "classic fit men cruise director shirt for men", + "classic fit best cruise director ever shirt", + "classic fit best cruise director men shirt", + "classic fit best cruise director" + ], + "i would like a pack of six chocolate cake mixes that are non gmo.": [ + "pack of six chocolate cake mixes", + "pack of six chocolate cake mixes non gmo", + "pack of six chocolate cake mix", + "pack of six chocolate cake mix non gmo", + "pack of six chocolate cake mixes no gmo", + "6 chocolate cake mixes non gmo", + "6 chocolate cake mix non gmo", + "pack of six chocolate cake mixes with gmo", + "6 chocolate cake mix", + "6 chocolate cake mixes" + ], + "i am looking for women's sandals of 8 size having leather sole.": [ + "womens sandals of 8 size leather sole", + "womens sandals 8 size having leather sole", + "womens sandals of 8 size", + "womens sandals 8 size with leather sole", + "womens sandals 8 size leather sole", + "womens sandals of 8", + "mens sandals of 8 size having leather sole", + "womens sandals 8 size", + "womens sandals 8", + "womens sandals" + ], + "i would like a portable bluetooth speaker with stereo sound.": [ + "portable bluetooth speaker with stereo sound", + "portrait bluetooth speaker with stereo sound", + "portrait bluetooth speaker", + "portportable bluetooth speaker with stereo sound", + "portable bluetooth speaker", + "portportrait bluetooth speaker with stereo sound", + "portable bluetooth speaker with stereo sound.", + "portrait bluetooth speaker with stereo sound.", + "portal bluetooth speaker with stereo sound", + " portable bluetooth speaker with stereo sound" + ], + "i am looking for a wireless hidden camera that can be easily used with shirt's pocket": [ + "wireless hidden camera", + "womens pocket wireless hidden camera", + "wireless hidden camera under $40", + "wireless hidden camera under $50", + "wireless hidden camera under $60", + " wireless hidden camera", + "wireless hidden camera for shirts pocket", + "wireless hidden camera under 50 dollars", + "womens pocket wireless camera", + " wireless hidden camera under $40" + ], + "i'm looking for golden decorated birthday cupcake.": [ + "golden decorated birthday cupcake", + "golden decorated birthday cupcake.", + "gluten-filled birthday cupcake", + "gluten-free birthday cupcake", + "goldened birthday cupcake", + "glory decorated birthday cupcake", + "golden decorated birthday cupcake,", + "baby shower cupcake golden decorated", + "yellow birthday cupcake", + "baby shower cupcake golden" + ], + "i would like 42 bags of 100% colombian rich and creamy single serve coffee cups.": [ + "almond rich and creamy single serve coffee cups", + "barbecue beans 100% colombian rich and creamy", + "barbecue coffee cups 100% colombian rich and creamy", + "almond rich and creamy single serve coffee cups under $40", + "almond rich creamy single serve coffee cups", + "almond rich and creamy single serve coffee cups under 42 dollars", + "barbecue coffee cups 100% colombian", + "single serve coffee cups under $40", + "single serve coffee cups under $50", + "barbecue coffee mix 42 bags" + ], + "i want a 200 count pack of hot cocoa cups that is rich and creamy. ensure that it is gluten free.": [ + "200 count pack of hot cocoa cups", + "hot cocoa cups rich and creamy", + "hot cocoa cups that is rich and creamy", + "200 count pack of hot cocoa cups creamy gluten free", + "hot cocoa cups that are rich and creamy", + "200 count pack of hot cocoa cups gluten free", + "rich and creamy hot cocoa cups", + "200 count pack of hot cocoa cups with creamy quality", + "200 count pack of hot cocoa cups with creamy flavor", + "200 count pack of hot cocoa" + ], + "i am looking for a large light blue dress shirt that is long sleeved": [ + "large light blue dress shirt", + "large light blue dress shirt long sleeved", + "large light blue dress shirt, long sleeved", + "large light blue dress shirt with long sleeved", + "large light blue dress shirt under $40", + "large light blue dress shirt under $50", + "large light blue dress shirt under 50 dollars", + "large light blue dress shirt under 40 dollars", + "lens long sleeved", + "large light blue shirt" + ], + "i want size 7 ankle strap in metal": [ + "size 7 ankle strap in metal", + "foot strap in metal size 7", + "knee strap in metal size 7", + "size 7 ankle strap in metal size 7", + " size 7 ankle strap in metal", + "knee strap in metal", + "foot strap in metal", + "slimming ankle strap in metal", + "size 7 ankle strap in metal,", + "size 7 ankle strap" + ], + "i'm looking for a 26cm hand painted wicker woven basket.": [ + "26cm hand painted wicker woven basket", + "28cm hand painted wicker woven basket", + "27cm hand painted wicker woven basket", + "25cm hand painted wicker woven basket", + "23cm hand painted wicker woven basket", + " 26cm hand painted wicker woven basket", + "wicker woven basket 26cm", + "womens wicker woven basket", + "womens basket 26cm", + "wicker woven basket" + ], + "i'm looking for a carbon fiber tripods for cameras": [ + "carbon fiber tripods for cameras", + "carbon fiber tripods for cameras", + "eco fiber tripods for cameras", + "aluminum fiber tripods for cameras", + "carot fiber tripods for cameras", + "carbon fiber tripod for cameras", + "carbon fiber tripods", + "curtains for cameras", + "carbon fiber tripods for camera", + "carbon fiber camera tripods" + ], + "i would like a small rustic brown tv stand made of solid wood.": [ + "small rustic brown tv stand made of solid wood", + "small rustic brown tv stand made of solid wood.", + "small rustic brown tv stand made from solid wood", + "small rustic brown tv stand", + "small rustic brown tv stand made of solid wood,", + "small rustic brown tv stand, made of solid wood", + "tv stand made of solid wood", + "small rustic brown tv stand with solid wood", + "small rustic brown tv stand made out of solid wood", + "a small rustic brown tv stand made of solid wood" + ], + "i'm looking for solid wooden furniture for kitchen, dinning and table chair set.": [ + "solid wooden furniture for kitchen, dining and table chair set", + "wooden furniture for kitchen, dining and table chair set", + "solid wooden furniture for kitchen, dinning and table chair", + "wooden furniture for kitchen, table chair set", + "wooden furniture for kitchen dining table chair set", + "solid wooden furniture dining room table chair set", + "living room solid wooden furniture", + "solid wooden furniture for kitchen, dining and table chair", + "wooden furniture for kitchen, dining and table chair", + "living room solid wood furniture" + ], + "i'm looking for some leak proof, easy to clean travel bodies that are non-toxic and have hearts on them.": [ + "easy clean travel bodies with hearts", + "leak proof, easy to clean travel bodies with hearts", + "leep proof, easy to clean travel bodies with hearts", + "non-toxic travel bodies with hearts", + "leak proof, easy to clean travel bodies", + "easy to clean travel bodies with hearts", + "easy clean travel body with hearts", + "leep proof, easy to clean travel bodies", + "teeth proof, easy to clean travel bodies with hearts", + "non-toxic travel body with hearts" + ], + "i need some beige storage bins that are easy to clean.": [ + "beige storage bins that are easy to clean.", + "beige storage bins that are easy to clean", + "beige storage bins", + "beige storage bins easy to clean", + "beige storage bins easy to clean.", + "beige storage bins, easy to clean", + "beige storage bins, easy to clean, under $40", + "easy clean beige storage bins", + "beige storage bins clean", + "beige storage bin" + ], + "i would like a variety pack of low calorie microwave popcorn.": [ + "variety pack of low calorie microwave popcorn", + "low calorie microwave popcorn variety pack", + "variety pack of low calorie microwave popcorn.", + " variety pack of low calorie microwave popcorn", + "low calorie microwave popcorn variety pack below $40", + "cariety pack of low calorie microwave popcorn", + "low calorie microwave popcorn variety pack below $60", + "comp variety pack of low calorie microwave popcorn", + "single pack of low calorie microwave popcorn", + "low calorie microwave popcorn variety pack under $40" + ], + "i am looking for candle having jungle guava scent and should be lead free.": [ + "pink candle with jungle guava scent", + "manual guava scent", + "pink candle having jungle guava scent", + "packaged guava scent", + "manual guava scent that is lead free", + "packaged guava scent that is lead free", + "bagel guava scent that is lead free", + "pink jungle guava scent", + "packet guava scent that is lead free", + "bagel guava scent" + ], + "i want a tropic mist lead free single wick candle.": [ + "tropic mist lead free single wick candle", + "tropic mist lead free single wick candle", + "pomegranate mist lead free single wick candle", + "tropic mist led free single wick candle", + "tropic mist lead free single wick candle.", + "a tropic mist lead free single wick candle", + "tacic mist lead free single wick candle", + "tropic mist free single wick candle", + "pink candle tropic mist lead free", + "tropic mist lead free" + ], + "i'm looking for pure mulberry silk underwear for men.": [ + "pure mulberry silk underwear for men", + "mens mulberry silk underwear", + "pure mulberry silk underwear", + "mens mulberry silk underwear for men", + "pure mulberry silk underwear men", + "mulberry silk underwear for men", + "mens pure mulberry silk underwear", + "mens silk underwear pure mulberry", + "pure mulberry silk", + "mens silk underwear" + ], + "looking for tatami floor mat for living room also choose size180x200cm(71*79inch)": [ + "tatami floor mat for living room", + "tatami floor mat living room size180x200cm(71*79inch)", + "tunami floor mat for living room size180x200cm(71*79inch)", + "tatami floor mat for living room size180x200cm", + "tatami floor mat for living room in a size180x200cm", + "tatami floor mat size180x200cm(71*79inch)", + "tatami floor mat in living room", + "tatami floor mat", + "tatami floor mat living room", + "tunami floor mat for living room" + ], + "i am looking for ultra hd motion detection surveillance dome camera color black size :6mp wdr 2.8 mm": [ + " ultra hd motion detection surveillance dome camera color black", + " ultra hd motion detection surveillance dome camera black", + " ultra hd motion detection surveillance dome camera", + "ultra hd motion detection surveillance dome camera color black", + " ultra hd motion detection surveillance dome camera color", + "Ultra hd motion detection surveillance dome camera color black", + " ultra hd motion detection surveillance dome camera size black", + " ultra hd motion detection surveillance dome camera color black,", + "5mp wdr 2.8 mm ultra hd", + "5mp wdr" + ], + "i need to buy a light weight, machine washable tank top in brown, size small.": [ + "light weight, machine washable tank top", + "brown machine washable tank top in brown", + "small, machine washable tank top", + "tank top in brown", + "heavy weight, machine washable tank top", + "tank top in brown, size small", + "low weight, machine washable tank top", + "brown machine washable tank top", + "tank top brown", + "tanks small, light weight" + ], + "i would like a source vitamin soft drink mix.": [ + "source vitamin soft drink mix", + "source vitamin soft drink mix.", + "vitamin soft drink mix", + "pure vitamin soft drink mix", + "vegan vitamin soft drink mix", + "vinyl soft drink mix", + "almond soft drink mix", + "plant vitamin soft drink mix", + "pure vitamin soft drink mix.", + "sugar drink mix" + ], + "i would like a 2x poolside sebastion plaid shirt that is easy to take care of.": [ + "2x poolside sebastion plaid shirt", + "1x poolside sebastion plaid shirt", + "2x poolside sebastion plaid shirt under $50", + "2x poolside sebastion plaid shirt under $40", + " 2x poolside sebastion plaid shirt", + "2x poolside sebastion plaid shirt under 50 dollars", + "2x poolside sebastion plaid t-shirt", + "2x poolside sebastion plaid shirt under $60", + "2 x poolside sebastion plaid shirt", + "3x poolside sebastion plaid shirt" + ], + "i am looing for a fog color hair drying towels which is easy to use": [ + "fog color hair drying towels", + "fog color hair drying towels easy to use", + "fog colored hair drying towels", + "fog color hair drying towels looing", + "fog color hair drying towels under $40", + "fog color hair drying towels under $50", + "mog color hair drying towels", + "fog color hair drying towels,", + "og color hair drying towels", + "moisturizing towels" + ], + "i need to buy a queen sized duvet cover. i want one that's machine washable.": [ + "queen sized duvet cover", + "queen sized duvet cover machine washable", + "queen sized duvet cover under $50", + "queen sized duvet cover under $40", + "queen sized duvet cover under $60", + "queen sized duvet cover.", + "queen sized duvet cover under 50 dollars", + "king size duvet cover", + "king sized duvet cover", + " queen sized duvet cover" + ], + "i'm looking for a cruelty free body wash, preferably citrus and mint scent.": [ + "cruelty free body wash with citrus and mint scent", + "cruelty free body wash, citrus and mint scent", + "cruelty free body wash citrus and mint scent", + "cruelty free body wash", + "cruelty free body wash with citrus", + "cruelty free body wash no citrus and mint scent", + "cruelty free body wash with citrus and mint", + "cruelty free body wash with mint scent", + "cruelty free body wash with citrus scent", + "cruelty free body wash no citrus and mint" + ], + "i am looking for a tablet of plum color having quad core processor.": [ + "tablet of plum color with quad core processor", + "pink tablet of plum color with quad core processor", + "pomegranate color tablet with quad core processor", + "tablet of plum color quad core processor", + "tablet of plum color having quad core processor", + "tablet of plum color, quad core processor", + " tablet of plum color with quad core processor", + "pomegranate color quad core processor", + "plum color tablet with quad core processor", + "tablet of plum color with quad core processor." + ], + "i am looking for a roller shade that is gray and for the living room": [ + "roller shade for the living room", + "roller shade gray living room", + "roller shade gray for living room", + "roller shade for living room", + "gray roller shade for living room", + "roller shade for gray living room", + "roller shade in gray living room", + "roller shade that is gray", + "roller shade gray", + "roller shade" + ], + "i want to find white blackout window shades that i can put in my living room, and they need to be 2 inches in width and 64 inches in height.": [ + "white blackout window shades", + "white blackout window shades 2 inches in width and 64 inches in height", + "white blackout window shades, 2 inches in width and 64 inches in height", + "white blackout window shades living room 2 inches in width and 64 inches in height", + "white blackout window shades 32 inches in width and 64 inches in height", + "white blackout window shades, 32 inches in width and 64 inches in height", + "white blackout window shades 32 inches x 64 inches", + "white blackout window shades, 2 inches in width and 64 inches in height,", + "white blackout window shades, 2 inches in width and 64 inches in height.", + "white blackout window shades, 64 inches in height" + ], + "i need a mid century coffee table.": [ + "mid century coffee table", + "mid century coffee table.", + "mid century coffee table with a mid century quality", + "mid century coffee table with a mid century theme", + "mid century coffee table that is mid century", + "mid century coffee table, mid century", + "mid century coffee table in mid century", + "mid century coffee table with a modern look", + "tablet mid century coffee table", + "mid century coffee table," + ], + "i'm looking for a three pack of grey pendant lights for my dining room.": [ + "three pack of grey pendant lights dining room", + "three pack of grey pendant lights for dining room", + "three pack of grey pendant lights", + "3 pack of grey pendant lights dining room", + "three pack grey pendant lights dining room", + "three pack of grey pendant lights dining room.", + "grey pendant lights dining room three pack", + "three pack pendant lights dining room", + "three pack of grey pendant lights dining room,", + "3 pack of grey pendant lights for dining room" + ], + "i'm looking for a high definition wireless bluetooth radio with fast charging capacity. also choose white star one.": [ + "high definition wireless bluetooth radio with fast charging", + "high definition wireless bluetooth radio", + "white wireless bluetooth radio with fast charging", + "wireless bluetooth radio with fast charging capacity", + "low definition wireless bluetooth radio with fast charging", + "wireless bluetooth radio with fast charging", + "white bluetooth radio with fast charging", + "high definition wireless bluetooth radio, fast charging", + "blue bluetooth radio with fast charging", + "white wireless bluetooth radio" + ], + "i am interested in buying a universal remote control which has batteries included and is compatible with smart tvs.": [ + "universal remote control with batteries", + "universal remote control", + "universal remote control for smart tvs", + "universal remote control that has batteries", + "universal remote control which has batteries", + "universal remote control which has batteries included", + "remote control with batteries", + "home theater remote control with batteries", + "universal remote control for tvs", + "universal remote control, with batteries" + ], + "i would like some 12 inch balayage dark brown mixed with walnut brown and strawberry blonde hair extensions.": [ + "12 inch balayage dark brown hair extensions", + "12 inch balayage dark brown hair extension", + "12 inch balayage dark brown wig extensions", + "balayage dark brown hair extensions", + "barbayage dark brown hair extensions", + "12 inch balayage dark brown extensions", + "bathroom dark brown hair extensions", + "12 inch balayage dark brown wig", + "12 inch balayage dark brown", + "almond brown hair extensions" + ], + "i would like a pack of dome cameras that have motion detection.": [ + "pack of dome cameras with motion detection", + "pack of dome cameras that have motion detection", + "dome cameras with motion detection", + "pack of dome cameras", + "pack of dome camera with motion detection", + "bag of dome cameras with motion detection", + "pack of dome cameras motion detection", + "a pack of dome cameras with motion detection", + "pack of dome cameras with motion detection.", + "dome cameras that have motion detection" + ], + "i want to find a barber cape that can be used in a hair salon. it needs to have a pepperoni pizza pattern to it.": [ + "barber cape that can be used in a hair salon", + "barber cape for hair salon with a pepperoni pizza pattern", + "barber cape in a hair salon with pepperoni pizza pattern", + "barber cape, pepperoni pizza pattern", + "barber cape in a hair salon", + "barber cape with pepperoni pizza pattern", + "barber cape for hair salon", + "barber cape for a hair salon", + "barber cape, pepperoni pizza pattern,", + "barber cape" + ], + "i would like some travel bottles for my cosmetics.": [ + "travel bottles for cosmetics", + "pink cosmetics travel bottles", + "Travel bottles for cosmetics", + "portrait bottles for cosmetics", + "pink travel bottles", + "pocket bottles for cosmetics", + "moisturizing bottles", + "temporary travel bottles", + "travel bottles for cosmetics.", + "pink cosmetics travel bottle" + ], + "i am searching for a bronze finish lighting fixture.": [ + " bronze finish lighting fixture", + "silver finish lighting fixture", + "plastic finish lighting fixture", + "gold finish lighting fixture", + "brushed finish lighting fixture", + "aluminum finish lighting fixture", + "a bronze finish lighting fixture", + "daring bronze finish lighting fixture", + " bronze finish lighting fixture.", + "a bronze finish lighting fixture." + ], + "i'm looking for elastic bands that are easily adjustable, please. something good for beginners": [ + "easy adjustable elastic bands for beginners", + "easy adjustable elastic bands", + "easy to adjustable elastic bands for beginners", + "elastic bands for beginners", + "elastic bands that are easy adjustable", + "easy adjustable elastic bands under $50", + "easy adjustable elastic bands under $40", + "easy adjustable elastic band for beginners", + "elastic bands that are easily adjustable", + "easy adjustable elastic bands under $60" + ], + "i'm looking for a 4g lte tablet": [ + "4g lte tablet", + "4g lte tablet under $130", + "4g lte tablet under $120", + "4g lte tablet under $40", + "4g lte tablet under $50", + "4g lte tablet under $60", + "4g lte tablet under 40 dollars", + "4g lte tablet under 50 dollars", + "industrial 4g lte tablet", + "4g lte tablet under $140" + ], + "i would like a extra large dark blue sweatshirt that is long sleeved.": [ + "extra large dark blue sweatshirt long sleeved", + "extra large dark blue sweatshirt", + "extra large dark blue sweatshirt, long sleeved", + "extra large dark blue sweatshirt with long sleeved", + "extra large dark blue sweatshirt extra long sleeved", + "extra large dark blue sweatshirt under $50", + "extra large dark blue sweatshirt under $40", + "extra large dark blue sweatshirt under 50 dollars", + "extra large dark blue sweatshirt long sleeved.", + "large dark blue sweatshirt" + ], + "i am searching for 2 packs of gluten free chewy chocolate chip granola bars": [ + "gluten free chewy chocolate chip granola bars", + "gluten free chewy chocolate chip granola bar", + "2 packs of gluten free chocolate chip granola bars", + "gluten free chocolate chip granola bars", + "gluten free chocolate chip granola bar", + "2 packs of gluten free chocolate chip granola bar", + "chewy chocolate chip granola bars", + "two packs of gluten free chocolate chip granola bars", + "chewy chocolate chip granola bar", + "2 packs gluten free chocolate chip granola bars" + ], + "i am looking for 3 packs gluten free chocolate bars.": [ + "3 packs gluten free chocolate bars", + "3 packs gluten free chocolate bar", + "gluten free chocolate bars 3 packs", + "gluten free chocolate bar 3 packs", + "3 pack gluten free chocolate bars", + "gluten free chocolate bars 3 pack", + "3 packs of gluten free chocolate bars", + "gluten free chocolate bar 3 pack", + "3 packs gluten free chocolate bars.", + "gluten free chocolate bars" + ], + "i am looking for a contemporary home office chair": [ + "contemporary home office chair", + "living room office chair", + "living room chair", + "living room office chair that is contemporary", + "contemporary home office chair that is contemporary", + "contemporary home office chair under $120", + "contemporary home office chair under $130", + "living room office chair contemporary", + "living room office chair, contemporary", + "contemporary home office chair under $50" + ], + "i'm looking for high heel for women's it was white red in color.": [ + "white high heel for womens", + "high heel womens white red", + "white high heel womens", + "high heel white womens", + "high heel for womens white", + "high heel womens white", + "white heel for womens", + "high heel white woman", + "white high heel women", + "white high heel" + ], + "i need some hair extensions that are dark brown and 18 inches": [ + "dark brown hair extensions 18 inches", + "dark brown human hair extensions 18 inches", + "dark brown and 18 inches hair extensions", + "dark brown hair extension 18 inches", + "dark brown hair extensions 18 inches long", + "dark brown wig extensions 18 inches", + "dark brown hair extensions 17 inches", + "dark brown hair extensions", + "dark brown hair extension", + "dark brown and 18 inches hair extension" + ], + "i'm looking for a rug with contemporary design in black/ivory color sized 10x14 ft": [ + "living rug with contemporary design in blackivory color sized 10x14 ft", + "a rug with contemporary design in blackivory color sized 10x14 ft", + "brush with contemporary design in blackivory color sized 10x14 ft", + "living rug with contemporary design in blackivory color size 10x14 ft", + "blackivory rug with contemporary design 10x14 ft", + "8 ft rug with contemporary design in blackivory color", + "10x14 ft rug with contemporary design", + "blackivory rug 10x14 ft", + "living rug with contemporary design in blackivory color", + "10x14 ft rug with contemporary design in blackivory color" + ], + "i am looking for contemporary designed rug of 3.ftx 5ft.": [ + "contemporary designed rug of 3ftx 5ft", + "contemporary designed rug of 3ft x 5ft", + "contemporary designed rug of 3ftx 5ft.", + "contemporary designed rug of 3ft x 5ft.", + "contemporary designed rug of 3ftx 5ft,", + "compact designed rug of 3ftx 5ft", + "contemporary designed rug of 3ftx 5ft rug", + "contemporary designed rug of 3ft x 5ft,", + "contemporary designed rug 3ftx 5ft", + "contemporary designed rug 3ft x 5ft" + ], + "i need an 8ft round contemporary area rug that is silver and ivory.": [ + "8ft round contemporary area rug silver and ivory", + "8ft square contemporary area rug silver and ivory", + "8ft round contemporary area rug", + "8ft round contemporary rug silver and ivory", + "8ft modern rug silver and ivory", + "8ft modern area rug silver and ivory", + "8ft square contemporary area rug", + "8ft x 8ft contemporary area rug", + "8ft round contemporary rug", + "8ft square contemporary rug" + ], + "i am looking for blue color digital camera having optical zoom.": [ + "blue color digital camera with optical zoom", + "blue digital camera with optical zoom", + "blue color digital camera having optical zoom", + "blue digital camera having optical zoom", + "blue color digital camera", + "blue digital camera that is optical zoom", + "blue electronic camera with optical zoom", + "blue digital camera with optical zoom.", + "blue camera with optical zoom", + "blue digital camera" + ], + "i want a black walnut entryway console table with metal legs and 40 inches long.": [ + "black walnut entryway console table with metal legs 40 inches long", + "black walnut entryway console table with metal legs and 40 inches long", + "black walnut entryway console table with metal legs", + "black walnut entryway console table with metal legs, 40 inches long", + "black walnut entryway console table with metal legs 40 inches long.", + "black walnut entryway console table", + "black walnut entryway console table that is 40 inches long", + "black walnut entryway console table 40 inches long", + "black walnut entryway console table, metal legs and 40 inches long", + "black walnut entryway console table with metal legs with 40 inches long" + ], + "i want a pink water dental oral irrigator for bad breath.": [ + "pink water dental oral irrigator for bad breath", + "pink water dental oral irrigator for bad breath.", + "pink water dental oral irrigator", + "pink water dental oral irrigator with bad breath", + "pink water dental oral irrigator bad breath", + "pink water dental oral irrigator, bad breath", + "pink water dental oral irrigator for bad breath,", + "pink water oral irrigator for bad breath", + "pink water dental oral irrigator for bad breath ", + "pink water oral irrigator" + ], + "i'm looking for a leak proof soap container for kids.": [ + "leek proof soap container for kids", + "teeth proof soap container for kids", + "leep proof soap container for kids", + "leaky proof soap container for kids", + "leak proof soap container for kids", + "leaks proof soap container for kids", + "leach proof soap container for kids", + "leakers proof soap container for kids", + "leap proof soap container for kids", + "tea container for kids" + ], + "i am looking for wireless bluethooth for my compact radios and stereos- hands free electronic.": [ + "wireless bluethooth for compact radios", + " wireless bluethooth for compact radios and stereos", + "womens wireless bluethooth", + "phone bluethooth for compact radios and stereos", + "wireless bluethooth", + "wireless bluethooth for my compact radios", + "wireless bluethooth for compact radio", + "wirefree electronic wireless bluethooth", + "phone bluethooth", + " wireless bluethooth" + ], + "i am looking for a 7.5 no. high heel for women": [ + "7.5 no. high heel for women", + "no. high heel for women", + "7.5 no. high heel women", + "7.5 no. high heel woman", + "woman 7.5 no. high heel", + "shoes no. high heel for women", + "no. high heel for women 7.5", + "7.5 no. high heel", + "no. high heel women", + "no. high heel woman" + ], + "i'm looking for coated steel for furniture for living room.": [ + "coated steel furniture for living room", + "coaxial steel furniture for living room", + "coated steel for furniture for living room", + "coated steel furniture for living room.", + "coated steel furniture living room", + "coaxial steel living room", + "coated steel living room", + "coated steel living room furniture", + "coating steel for furniture for living room", + "coaxial steel furniture living room" + ], + "i am looking for a high quality hairpieces. also choose 250# darkest brown with 50% synthetic grey color and 8x10''-80% light density in size": [ + "250# darkest brown hairpieces with 50% synthetic grey color and 8x10-80% light density", + "250# darkest brown hairpieces with 50% synthetic grey color", + "hairpieces 250# darkest brown with 50% synthetic grey color and 8x10-80% light density", + "250# darkest brown hairpieces with 50% synthetic grey color, 8x10-80% light density", + "250# darkest brown with 50% synthetic grey color and 8x10-80% light density", + "250# darkest brown hairpieces with 50% synthetic grey color in size", + "25# darkest brown hairpieces with 50% synthetic grey color", + " 250# darkest brown hairpieces with 50% synthetic grey color", + "250# darkest brown hairpieces with 50% synthetic grey color in a size", + "hairpieces 250# darkest brown with 50% synthetic grey color" + ], + "i'm looking for a black storage case for my hair dryer.": [ + "black storage case for hair dryer", + "black storage case for my hair dryer", + "black storage case for a hair dryer", + "black hair dryer storage case", + "black storage case for hair dryer.", + "black storage case for the hair dryer", + "black storage case for hair dryer,", + "black storage case", + "white hair dryer storage case", + "black storage case under $50" + ], + "i am looking for quick drying x-large size leggings.": [ + "quick drying x-large size leggings", + "quick drying x-large size leggings.", + "quick drying x-large size leggings under $40", + "quick drying x-large size leggings under $50", + " quick drying x-large size leggings", + "quick drying x-large size leggings under $60", + "quick drying x-large size leggings under 50 dollars", + "quick drying x-large leggings", + "quick drying x-large size leggings under 30 dollars", + "quick drying x-large t-large leggings" + ], + "i need some women's shoes with a non-slip rubber sole. look for them in white, size eleven.": [ + "womens shoes white", + "womens shoes in white", + "womens shoes in white size eleven", + "womens shoes size eleven", + "womens shoes white, size eleven", + "womens shoes size 11", + "womens shoes in white size 11", + "womens shoes", + "womens shoes white size eleven", + "mens shoes white" + ], + "i need a shampoo set that is paraben free": [ + "shampoo set that is paraben free", + "shampoo set paraben free", + "shampoo set, paraben free", + "bottle set that is paraben free", + "shampoo set with paraben free", + "shampoo set no paraben", + "shampoo set in paraben free", + "shampoo set no paraben free", + "synthetic shampoo set paraben free", + "shampoo set, paraben free," + ], + "i am interested in buying a grey colored rocking chair with memory foam and lumbar support.": [ + "grey colored rocking chair with memory foam and lumbar support", + "grey colored rocking chair with memory foam", + "grey colored rocking chair with memory foam lumbar support", + "grey colored rocking chair with memory foam, lumbar support", + "grey colored rocking chair with memory foam with lumbar support", + "grey coloured rocking chair with memory foam and lumbar support", + "grey colored rocking chair, memory foam and lumbar support", + "grey rocking chair with memory foam and lumbar support", + "grey walking chair with memory foam and lumbar support", + "grey colored rocking chair" + ], + "i am looking for a chocolate gift basket.": [ + "chocolate gift basket", + "chocolate gift basket.", + "chocolate gift basket under $50", + "chocolate gift basket under $40", + "chocolate gift basket under 50 dollars", + "chocolate gift basket that is chocolate", + "chocolate gift basket under $60", + "chocolate gift basket under 40 dollars", + "chocolate gift basket under 30 dollars", + "chocolate gift basket under 60 dollars" + ], + "i am looking for clinically proven deodorants . the men's deodorants with anitperspirants -long lasting performance and z-discontinued.": [ + "clinically proven deodorants with anitperspirants z-discontinued", + "moisturants with anitperspirants -long lasting performance and z-discontinued", + "mens deodorants with anitperspirants z-discontinued", + "mens deodorants with anitperspirants long lasting performance and z-discontinued", + "clinically proven deodorants with anitperspirants", + "maturity proven deodorants with anitperspirants z-discontinued", + "mens deodorants with anitperspirants", + "maturity proven deodorants with anitperspirants", + "clinically proven deodorants with anitperspirants z-discontinued.", + "moisturants with anitperspirants" + ], + "i need a high power sound bar in a natural color": [ + "high power sound bar natural color", + "natural sound bar high power", + "high power sound bar natural", + "natural high power sound bar", + "natural color high power sound bar", + "sound bar in a natural color", + "high power sound bar natural colored", + "high power sound bar", + "natural sound bar", + "sound bar natural color" + ], + "i would like a 201 by 153 cm high definition protection screen.": [ + "201 by 153 cm high definition protection screen", + " 201 by 153 cm high definition protection screen", + "control screen 201 by 153 cm high definition protection screen", + " 201 by 153 cm high definition protection screen.", + "natierra 153 cm high definition protection screen", + "200 by 153 cm high definition protection screen", + "portrait 201 by 153 cm high definition protection screen", + "201 by 153 cm high definition protection screen.", + "manual protection screen 201 by 153 cm", + " 201 by 153 cm high definition protection screen," + ], + "i would like a women's extra large heather grey cotton tank top.": [ + "womens extra large heather grey cotton tank top", + "womens extra large heather grey cotton tank top.", + "womens extra large heather grey cotton tank", + "womens extra large heather grey cotton tank top,", + "womens extra large heather grey cotton tank top under $40", + "womens extra large heather grey cotton tank top under $50", + "womens extra large heather grey cotton tank top below $50", + "womens extra large heather grey cotton tank top below $40", + "womens extra large heather grey cotton tank top under 50 dollars", + "womens extra large heather grey cotton tank top under $60" + ], + "i'm looking for a universal remote control with batteries included": [ + "universal remote control with batteries", + "remote control with batteries", + "manual remote control with batteries", + "universal remote control", + "home remote control with batteries", + "home theater remote control with batteries", + "alarm remote control with batteries", + "Universal remote control with batteries", + "simple remote control with batteries", + "universal remote control with batteries included" + ], + "i am looking for a quad core desktop that has 16gb of ram and 2tb storage": [ + "quad core desktop with 16gb of ram", + "quad core desktop 16gb of ram and 2tb storage", + "quad core desktop with 16gb of ram 2tb storage", + "quad core desktop with 16gb ram and 2tb storage", + "quad core desktop with 16gb of ram and 2tb", + "quad core desktop that has 16gb of ram", + "quad core desktop with 16gb of ram under $130", + "quad core desktop 16gb of ram", + "quad core desktop with 16gb", + "desktop with 16gb of ram" + ], + "i need a 1.6ft gold cable usb c for fast charging": [ + "1.6ft gold cable usb c", + "1.6ft gold cable usb", + "one.6ft gold cable usb c", + "1.6ft gold cable usb c charging", + "gold cable usb c for fast charging", + "a 1.6ft gold cable usb c", + "gold cable usb c", + "gold cable usb c fast charging", + "2ft gold cable usb c", + "gold cable usb" + ], + "i want children's mousse teeth whitening toothpaste.": [ + "kids mousse teeth whitening toothpaste", + "childrens mousse teeth whitening toothpaste", + "Childrens mousse teeth whitening toothpaste", + "childrens mousse teeth whitening toothpaste.", + "kids mousse teeth whitening toothpaste.", + "kidss mousse teeth whitening toothpaste", + "children mousse teeth whitening toothpaste", + "mousse teeth whitening toothpaste", + "pink teeth whitening toothpaste", + "teeth whitening toothpaste" + ], + "i'm looking for a outdoor camera with optical zoom and ultra hd": [ + "indoor camera with optical zoom ultra hd", + "alarm camera with optical zoom ultra hd", + "indoor camera with optical zoom and ultra hd", + "alarm camera with optical zoom and ultra hd", + "almond camera with optical zoom ultra hd", + "living room camera with optical zoom ultra hd", + " outdoor camera with optical zoom ultra hd", + "indoor camera with optical zoom", + "4k ultra hd outdoor camera", + "alarm camera with optical zoom" + ], + "i drink for red wine quick release for me": [ + "alcohol quick release drink for red wine", + "red wine quick release", + "hot red wine quick release", + "red wine quick release drink for me", + "hot red wine quick release for me", + "red wine quick release for me", + "hot red wine quick release drink", + "red wine quick release drink", + "pink wine quick release drink", + "i drink for red wine quick release" + ], + "i need 12 packs of gluten free cajun rice mix.": [ + "12 packs of gluten free cajun rice mix", + "12 packs gluten free cajun rice mix", + "12 pack gluten free cajun rice mix", + "12 pack of gluten free cajun rice mix", + "gluten free cajun rice mix", + "gluten free cajun rice mix 12 packs", + "gluten free cajun rice mix 12 pack", + "12 packs gluten free cajun rice mix.", + "al gluten free cajun rice mix", + "barbecue mix gluten free 12 pack" + ], + "i would like a black smartwatch quick release band.": [ + "black smartwatch quick release band", + "smartwatch quick release band", + "black smartwatch quick release band.", + "black smartwatch quick release band,", + "black smartwatch quick-release band", + "white smartwatch quick release band", + "black smartwatch quick releases band", + "black smartwatch quickrelease band", + "black smartwatch band", + "black smartwatch quick release" + ], + "i am looking for 3t size, olive color cotton heather men shirts .the cloth must be machine wash.": [ + "3t size, olive color cotton heather men shirts", + "3t size olive color cotton heather men shirts", + "3t size cotton heather men shirts", + "3t size, olive color cotton heather men shirt", + "3t, olive color cotton heather men shirts", + "3t cotton heather men shirts", + "3t olive color cotton heather men shirts", + "3t cotton heather men shirts, machine wash", + "3t cotton heather men shirts machine wash", + "3t men shirts" + ], + "i need heavy duty yellow bed frames.": [ + "heavy duty yellow bed frames", + "heavy duty yellow bed frame", + "yellow bed frame heavy duty yellow", + "yellow bed frames heavy duty yellow", + "yellow bed frame heavy duty", + "heavy duty yellow bed frames.", + "heavy duty yellow bed frames,", + "yellow bed frames heavy duty", + "yellow bed frame", + "yellow bed frames" + ], + "i am in need of 8.5 sized pink color rubber sole women round toe lace up oxford shoes": [ + "8.5 pink color rubber sole women round toe lace up oxford shoes", + "pink color rubber sole women round toe lace up oxford shoes", + "size pink color rubber sole women round toe lace up oxford shoes", + "8.5 pink rubber sole women round toe lace up oxford shoes", + "8.5 sized pink color rubber sole women", + "8.5 sized pink color rubber sole women ouford shoes", + "8.5 pink color rubber sole women", + "8.5 sized pink color rubber sole women under 60 dollars", + "pink color rubber sole women round toe lace up oxford walking shoes", + "square toe lace up oxford shoes" + ], + "i want a high quality, eco friendly cart for a beauty salon.": [ + "eco friendly cart for a beauty salon", + "eco friendly cart for a beauty salon.", + "eco friendly beauty salon cart", + "eco friendly cart for beauty salon", + "eco friendly shopping cart for a beauty salon", + "eco friendly walking cart for a beauty salon", + "eco friendly shopping cart for beauty salon", + "eco friendly cart for beauty salon.", + "eco friendly cart for a beauty salon,", + "eco friendly cart" + ], + "i would like some beige throw pillow covers for the living room": [ + "beige throw pillow covers for the living room", + "pink throw pillow covers for the living room", + "beige throw pillow cover for the living room", + "beige throw pillow covers for living room", + "throw pillow covers for living room", + "im looking for beige throw pillow covers for the living room", + "pink throw pillow covers for living room", + "throw pillow covers for the living room", + "beige throw pillow covers living room", + "throw pillow covers for the living room beige" + ], + "i would like a carrying case for my vita.": [ + "carry case for vita", + "carry case for my vita", + "carry case for a vita", + "carry case for vita.", + "walking case for vita", + "bagging case for vita", + "walking case for my vita", + "pocket case for vita", + "carry case vita", + "vita carrying case" + ], + "i am interested in buying a desktop pc which is high performance and has a quad core i5 processor.": [ + "desktop pc with quad core i5 processor", + "desktop pc high performance with quad core i5 processor", + "desktop pc with a quad core i5 processor", + "desktop pc high performance quad core i5 processor", + "desktop pc with high performance quad core i5 processor", + "desktop pc with high performance and quad core i5 processor", + "desktop pc quad core i5 processor", + "desktop pc high performance with quad core i5 processor.", + "desktop pc with a quad core i5 processor.", + "desktop pc with high performance" + ], + "im looking for a synthetic hair ponytail in the color ash blonde.": [ + "synthetic hair ponytail ash blonde", + "a synthetic hair ponytail in the color ash blonde", + " synthetic hair ponytail in the color ash blonde", + "synthetic hair ponytail, ash blonde", + "synthetic hair ponytail color ash blonde", + "sneakers hair ponytail ash blonde", + "synthetic hair ponytail in ash blonde", + "synthetic hair ponytail", + "ash blonde synthetic hair ponytail", + "synthetic hair ponytail in the color ash" + ], + "my grandma use sugar free honey gram flavor": [ + "sugar free honey gram flavor", + "gluten free honey gram flavor", + "synthetic honey gram flavor", + "synthetic free honey gram flavor", + "soy free honey gram flavor", + "low sugar free honey gram flavor", + "sugar free honey gram flavor,", + "sugar free honey gram flavor grandma", + "ugar free honey gram flavor", + " sugar free honey gram flavor" + ], + "i am looking for back exfoliating scrubber easy use in purple": [ + "back exfoliating scrubber easy use in purple", + "pink exfoliating scrubber easy use", + "antifoliating scrubber easy use in purple", + "back exfoliating scrubber in purple", + "back exfoliating scrubber easy use", + "blue exfoliating scrubber easy use in purple", + "facial scrubber easy use in purple", + "pink exfoliating scrubber easy to use", + "antifoliating scrubber purple", + "back exfoliating scrubber purple" + ], + "i need cupcake toppers for a birthday party": [ + "cupcake toppers for a baby shower", + "cupcake toppers for a birthday party", + "cupcake toppers for baby shower", + "cupcake toppers for birthday party", + "cupcake toppers for a small baby shower", + "cupcake toppers for a bday party", + "cupcake toppers for a girl birthday party", + "cupcake toppers for a toddler shower", + "cake toppers for a baby shower", + "cupcake toppers birthday party" + ], + "i am looking for a pair of easy to use stainless steel monitoring headphones.": [ + "easy to use stainless steel monitoring headphones", + "stainless steel monitoring headphones", + "easy-to-use stainless steel monitoring headphones", + "easy to use stainless steel monitoring headphones.", + "sneakers easy to use stainless steel monitoring headphones", + "easy to use stainless steel monitoring headphones under $40", + "easy to use stainless steel monitoring headphones under $50", + "easy to use stainless steel monitoring headphones under $60", + "simple to use stainless steel monitoring headphones", + "easy to use stainless steel monitoring headphones under 50 dollars" + ], + "i would like a high glossy white desk with metal legs.": [ + "high glossy white desk with metal legs", + "high glossy white desk with metal legs.", + "high glossy white desk with metal legs under $40", + "high glossy white desk with metal legs under $50", + "high glossy white desk with metal legs under $60", + "high glossy white desk with metal legs,", + "high glossy white desk with metal legs under $120", + "high glossy white desk with metal legs under $130", + "low glossy white desk with metal legs", + "high glossy white desk" + ], + "i would like a desktop dual band mini with a intel core i7 and 64 gigs of ram.": [ + "desktop dual band mini with a intel core i7 and 64 gigs of ram", + "desktop dual band mini with a intel core i7 with 64 gigs of ram", + "desktop dual band mini with a intel core i7 and 64 gig of ram", + "desktop dual band mini with a intel core i7, 64 gigs of ram", + "desktop dual band mini with a intel core i7 and 64 gigs", + "desktop dual band mini with a intel core i7 with 64 gig of ram", + "desktop dual band mini with a intel core i7 processor", + "desktop dual band mini with a intel core i7 and 64 gig ram", + "desktop dual band mini with intel core i7 and 64 gigs of ram", + "desktop dual band mini with i7 and 64 gigs of ram" + ], + "i'm looking for a mini computer with 32g ram, 512gb sdd and 1tb hd with a intel core i9 for high definition": [ + "mini computer with 32g ram with a intel core i9 high definition", + "mini computer with 32g ram with a intel core i9", + "mini computer with 32g ram, 512gb sdd", + "mini computer with 32gb ram with a intel core i9 high definition", + "mini computer with 32g ram and 512gb sdd", + "mini computer with 32g ram, 512gb sdd under $40", + "mini computer with 32g ram 512gb sdd", + "mini computer with 32g ram", + "mini computer with 32gb ram", + "mini computer" + ], + "i would like a desktop mini with a dual band intel i7 core and with 128 g of ssd.": [ + "desktop mini with a dual band intel i7 core and 128 g of ssd", + "desktop mini with a dual band intel i7 core with 128 g of ssd", + "desktop mini with a dual band intel i7 core and 128gb ssd", + "desktop mini with a dual band intel i7 core with 128gb ssd", + "desktop mini with a dual band intel i7 core and 128gb of ssd", + "desktop mini with a dual band intel i7 core with 128gb of ssd", + "desktop mini with a dual band intel i7 core 128gb ssd", + "desktop mini with a dual band intel i7 core and with 128gb ssd", + "desktop mini with a dual band intel i7 core", + "desktop mini with dual band intel i7 core with 128 g of ssd" + ], + "i'm looking for a easy install protective band strap in gray color": [ + "easy install protective band strap in gray color", + "easy install protective band strap in gray", + "easy install protective band strap gray", + "easy install protective band strap, gray", + "easy install protective band strap", + "easy install protective band strap for gray", + "easy install protective band strap with gray color", + "easy to install protective band strap in gray", + "easy install protective band strap that is gray", + "easy install protective band strap gray color" + ], + "i would like a long lasting minocular for bird watching.": [ + "long lasting minocular bird watching", + "long lasting minocular for bird watching", + "long lasting minocular bird watching.", + "medium lasting minocular for bird watching", + "medium lasting minocular bird watching", + "lens long lasting bird watching", + "big and tall bird watching minocular", + "magnocular bird watching", + "tunocular for bird watching", + "long lasting minocular" + ], + "looking for a x-large in red slim fit pants for valentine's day": [ + "x-large in red slim fit pants valentines day", + "xl in red slim fit pants for valentines day", + "xl in red slim fit pants valentines day", + "x-large red slim fit pants for valentines day", + "xxl in red slim fit pants for valentines day", + "xl slim fit pants for valentines day", + "xl slim fit pants valentines day", + "x-large red slim fit pants valentines day", + "x-large in red slim fit pants", + "x-large in red slim fit pants for valentines" + ], + "i would like a 15 count herbal tea pack that is non gmo": [ + "15 count herbal tea pack", + "15 count herbal tea pack, non gmo", + "15 count herbal tea pack non gmo", + "15 count herbal tea pack with non gmo", + "15 count herbal tea pack with gmo", + "shelf tea pack that is non gmo", + "tea pack that is non gmo", + "16 count herbal tea pack", + "10 count herbal tea pack", + "shelf tea pack" + ], + "i would like a box of 15 palace tea that is caffeine free.": [ + "15 palace tea", + "a box of 15 palace tea", + "pack of 15 palace tea", + "15 palace tea, caffeine free", + "15 palace tea box", + "pocket tea box of 15", + "pink palace tea", + "15 palace tea box of 15", + "14 palace tea", + "12 palace tea" + ], + "i want a 3 pack of gluten free paromi cinnamon chai rooibos.": [ + "3 pack of gluten free paromi cinnamon chai rooibos", + "3 pack gluten free paromi cinnamon chai rooibos", + "gluten free paromi cinnamon chai rooibos 3 pack", + "gluten free paromi cinnamon chai rooibos", + "3 pack of gluten free paromi cinnamon chai rooibos.", + "3 pack gluten free paromi cinnamon chai rooibos.", + "gluten free paromi cinnamon chai rooibos pack", + "3 pack of gluten free paromi cinnamon chai rooibos,", + "4 pack of gluten free paromi cinnamon chai rooibos", + "three pack of gluten free paromi cinnamon chai rooibos" + ], + "i am looking for organic caffeine-free chai blends rich rooibos and a sultry blend of spices.; piquant cloves, nutmeg, and cinnamon mingle with sweet allspice, ginger, and a kiss of cardamom organic paromi cinnamon chai rooibos, a chamomile tea,numi which has the floral, herbaceous, and rich herbal teas that's craving. 15 count pack of 1 preferable.": [ + "organic caffeine-free chai blends rich rooibos and a sultry blend of spices", + "organic caffeine-free chai blends rich rooibos with a sultry blend of spices", + "organic caffeine-free chai blend rich rooibos and a sultry blend of spices", + "organic caffeine-free chai blend rich rooibos piquant cloves, nutmeg, ginger, and a kiss of cardamom", + "organic caffeine-free chai blend rich rooibos with a sultry blend of spices", + "organic caffeine-free chai blends rich rooibos piquant cloves, nutmeg, ginger, and a kiss of cardamom", + "organic caffeine-free chai blend rich rooibos piquant cloves, nutmeg, and cinnamon", + "organic caffeine-free chai blend rich rooibos with piquant cloves, nutmeg, and cinnamon", + "organic caffeine-free chai blend rich rooibos", + "organic caffeine-free chai blend of spices" + ], + "i am looking for multi018 color short sleeve shirts.": [ + "multi018 color short sleeve shirts", + " multi018 color short sleeve shirts", + "Multi018 color short sleeve shirts", + "multi018 color short sleeve shirt", + "multia018 color short sleeve shirts", + "multi018 color short sleeve shirts.", + " multi018 color short sleeve shirts.", + " multi018 color short sleeve shirt", + "multivate color short sleeve shirts", + "manual018 color short sleeve shirts" + ], + "i'm looking for a dual layer window 70% blackout hemp fabric zebra roller shades.": [ + "dual layer window 70% blackout hemp fabric zebra roller shades", + "window 70% blackout hemp fabric zebra roller shades", + "Dual layer window 70% blackout hemp fabric zebra roller shades", + "two layer window 70% blackout hemp fabric zebra roller shades", + "dalmat window 70% blackout hemp fabric zebra roller shades", + "single layer window 70% blackout hemp fabric zebra roller shades", + "double layer window 70% blackout hemp fabric zebra roller shades", + "alarm window 70% blackout hemp fabric zebra roller shades", + "daring hemp fabric zebra roller shades", + "dual layer window 70% blackout hemp fabric zebra roller" + ], + "i am looking for a high speed laptop wall charger of black color.": [ + "high speed laptop wall charger of black", + "high speed laptop wall charger", + "high speed laptop wall charger black", + "high speed laptop wall charger in black", + "high speed laptop wall charger, black", + "laptop wall charger of black", + "laptop wall charger black", + "low speed laptop wall charger of black", + "laptop wall charger in black", + "low speed laptop wall charger" + ], + "i am looking for lemon cake perfume body mist, in a 4 fl oz container.": [ + "lemon cake perfume body mist 4 fl oz", + "lemon cake perfume body mist, 4 fl oz", + "lemon cake perfume body mist", + "lemon cake perfume body mist 4fl oz", + "tea cake perfume body mist 4 fl oz", + "teeth cake perfume body mist 4 fl oz", + "lemon cake perfume body mist 4 fl oz", + "4 fl oz perfume body mist", + "4 fl oz lemon cake perfume body mist", + "lemon cake perfume body mist, 4fl oz" + ], + "i would like a medium dark pink robe made from a soft material.": [ + "medium dark pink robe made from a soft material", + "medium dark pink robe", + "medium dark pink robe made from soft material", + "large dark pink robe made from a soft material", + "medium dark pink robe with soft material", + "medium dark pink robe with a soft material", + "medium dark pink robe, soft material", + "medium dark pink robe from a soft material", + "medium dark pink robe that is soft material", + "medium dark pink robe, soft material," + ], + "i am looking for a 3x-large long sleeve t shirts for man": [ + "3xl long sleeve t-shirt for man", + "3xl long sleeve t shirts for man", + "3xl t-shirt for man", + "3xl long sleeve t-shirt for men", + "3xl long sleeve t-shirt for woman", + "3xl long sleeve t-shirt", + "3xl t-shirt for a man", + "3xl long sleeve t shirts for men", + "3xl t-shirt for men", + "3xl long sleeve t shirts for a man" + ], + "i am looking for a quad core tablet that is certified refurbished.": [ + "quad core tablet that is certified refurbished", + "quad core tablet certified refurbished", + "quad core tablet that is certified refurbished.", + "quad core tablet, certified refurbished", + "quad core tablet with certified refurbished", + " quad core tablet that is certified refurbished", + "quad core tablet whose price is certified refurbished", + "quad core tablet with a certified refurbished", + "quad core tablet with a refurbished price", + "quad core tablet" + ], + "i want a set of 2 mesh laundry bags.": [ + "set of 2 mesh laundry bags", + "set of 2 mesh laundry bags.", + "set of 2 mesh laundry bags,", + "set of 2 mesh laundry bag", + "2 mesh laundry bags", + "two mesh laundry bags", + "4 mesh laundry bags", + "set of 2 mesh laundry", + "2 mesh laundry bags.", + "1 mesh laundry bags" + ], + "i am looking for a height adjustable makeup mirror for cutting hair. it should come with a light.": [ + "height adjustable makeup mirror for cutting hair with a light", + "height adjustable makeup mirror for cutting hair", + "height adjustable makeup mirror for cutting hair with a light.", + "height adjustable makeup mirror for cutting hair under $50", + "height adjustable makeup mirror", + "height adjustable makeup mirror for cutting hair under $40", + "height adjustable makeup mirror for cutting hair with light", + "height adjustable makeup mirror for cutting hair under $60", + "height adjustable makeup mirror cutting hair with a light", + "height adjustable makeup mirror cutting hair" + ], + "i am looking for a nightstand that is easy to install": [ + "nightstand that is easy to install", + "nightstand easy to install", + "nightstand", + "nightstand, easy to install", + "nightstand with easy to install", + "nightstand, easy to install,", + "nightstand easy setup", + "nightstand under $40", + "nightstand under $50", + "nightstand easy install" + ], + "i am looking for heavy duty flip case for samsung galaxy mobile and color should be olive.": [ + "heavy duty flip case samsung galaxy mobile", + "heavy duty flip case samsung galaxy mobile with olive color", + "heavy duty flip case samsung galaxy mobile with olive", + "heavy duty flip case samsung galaxy mobile, olive", + "heavy duty flip case samsung galaxy mobile in olive", + "heavy duty flip case for samsung galaxy mobile", + "heavy duty flip case for samsung galaxy mobile in olive", + "heavy duty flip case for samsung galaxy mobile with olive", + "heavy duty flip case for samsung galaxy mobile color", + "heavy duty flip case samsung galaxy mobile with olive colored" + ], + "i need cruelty free body lotion that is medium dark olive color": [ + "cruelty free body lotion medium dark olive", + "cruelty free body lotion", + "cruelty free body lotion with olive color", + "cruelty free body lotion under $40", + "cruelty free body lotion dark olive", + "cruelty free body lotion under $50", + "cruelty free body lotion under $60", + "medium dark olive body lotion", + "animal lotion medium dark olive", + "animal cruelty free body lotion" + ], + "i am looking for long lasting hair dye if blue and black color.": [ + "long lasting hair dye blue and black", + "long lasting hair dye if blue and black", + "long lasting hair dye in blue and black", + "long lasting hair dye, blue and black", + "long lasting hair dye blue black", + "long lasting hair dye", + "long lasting hair dyeblue and black", + "blue and black hair dye", + "hair dye blue and black", + "long lasting hair dye blue and black color" + ], + "find me a joe west character flash case compatible with apple phone": [ + " joe west character flash case compatible with apple phone", + "joe west character flash case compatible with apple phone", + "a joe west character flash case compatible with apple phone", + "jeo west character flash case compatible with apple phone", + "coffee west character flash case compatible with apple phone", + "boot case compatible with apple phone joe west character flash case", + "joe west character flash case compatible with apple phone", + "boot case compatible with apple phone", + " joe west character flash case compatible with apple phone case", + " joe west character flash case compatible with apple phone," + ], + "i want a 9 pack of hairrebirth herbal spray for hair loss.": [ + "hairrebirth herbal spray for hair loss 9 pack", + "hairrebirth herbal spray for hair loss", + "9 pack of hairrebirth herbal spray for hair loss", + "hairrebirth herbal spray 9 pack", + "8 pack of hairrebirth herbal spray for hair loss", + "hairrebirth herbal spray for hair loss. 9 pack", + "hairrebirth herbal spray for hair loss, 9 pack", + "hairrebirth herbal spray", + "9 pack of hairrebirth herbal spray", + "hairrebirth herbal spray for hair loss under $40" + ], + "i would like a pair of 38 mens grey hiking shoes with a rubber outsole.": [ + "38 mens grey hiking shoes with a rubber outsole", + "28 mens grey hiking shoes with a rubber outsole", + "grey hiking shoes with a rubber outsole", + "23 mens grey hiking shoes with a rubber outsole", + "womens grey hiking shoes with a rubber outsole", + "38 mens grey hiking shoes", + "40 mens grey hiking shoes with a rubber outsole", + "mens grey hiking shoes with a rubber outsole", + "38 mens grey hiking shoes with rubber outsole", + "38 mens grey hiking shoes, rubber outsole" + ], + "i'm looking for an easy to use stainless steel nail clipper set.": [ + "easy to use stainless steel nail clipper set", + "easy to use stainless steel nail clipper set.", + "stainless steel nail clipper set", + "simple to use stainless steel nail clipper set", + "easy to use stainless steel nail clipper set,", + "easy to use stainless steel nail clipper", + "plastic steel nail clipper set", + "small stainless steel nail clipper set", + "5 ft stainless steel nail clipper set", + "nail clipper set" + ], + "i am looking for non toxic lip gloss that has organic certificate. please select the rose one": [ + "non toxic lip gloss rose", + "non toxic lip gloss with organic certificate", + "non toxic lip gloss, rose", + "non toxic lip gloss", + "non toxic lip gloss under $40", + "non toxic lip gloss under $50", + "non toxic lip gloss, rose one", + "non toxic lip gloss under $60", + "non toxic lip gloss rose one", + "non toxic lip gloss in rose" + ], + "i'm looking for a replacement remote control for my sharp aquos tv that comes with aaa batteries.": [ + "remote control for a sharp aquos tv with aaa batteries", + "remote control for sharp aquos tv with aaa batteries", + "remote control for my sharp aquos tv with aaa batteries", + "remote control for a sharp aquos tv", + "tv remote control with aaa batteries", + "remote control for sharp aquos tv", + "remote control for the sharp aquos tv with aaa batteries", + "remote control for my sharp aquos tv", + "tablet remote control", + "tv remote control" + ], + "i am looking for a snowy white high speed wifi booster.": [ + "snow white high speed wifi booster", + " snowy white high speed wifi booster", + "synthetic white high speed wifi booster", + "a snowy white high speed wifi booster", + "sw snowy white high speed wifi booster", + "shy white high speed wifi booster", + "snow white high speed wifi booster.", + "grey white high speed wifi booster", + "snow white wifi booster", + "white high speed wifi booster" + ], + "i want a xyyssm barber chair for my beauty salon.": [ + "xyyssm barber chair for my beauty salon", + "xxssm barber chair for my beauty salon", + "xxssm barber chair for my beauty salon.", + "xyyssm barber chair for a beauty salon", + "xxssm barber chair for a beauty salon", + " xyyssm barber chair for my beauty salon", + "xyyssm barber chair", + "xxssm barber chair", + " xyyssm barber chair for a beauty salon", + "xyyssm barber chair for beauty salon" + ], + "i am looking for lobsters ready eat and size 2-pack(1 box of each)": [ + "roasted lobsters ready eat 2-pack(1 box of each)", + "robbsters ready eat 2-pack(1 box of each)", + "6 lobsters ready eat 2-pack(1 box of each)", + "lobsters ready eat 2-pack(1 box of each)", + "6 lobsters ready eat and size 2-pack(1 box of each)", + "roasted lobsters ready eat and size 2-pack(1 box of each)", + "roasted lobsters ready eat size 2-pack(1 box of each)", + "6 lobsters ready eat size 2-pack(1 box of each)", + "rooksters ready eat 2-pack(1 box of each)", + "robbsters ready eat 2-pack(1 box of each) under $40" + ], + "i would like a high resolution background that is 7 by 5 ft.": [ + "high resolution background 7 by 5 ft", + "background that is 7 by 5 ft", + "high resolution background 7 by 5 ft.", + "background 7 by 5 ft high resolution", + "background 7 by 5 ft", + "background 7 by 5 ft high resolution background", + "background that is 7 by 5 ft.", + "7 by 5 ft high resolution background", + "high resolution background 7 x 5 ft", + "high resolution background, 7 by 5 ft" + ], + "find me a nightstand in off-white color with storage space": [ + "nightstand in off-white color", + "nightstand in off-white", + "nightstand in white", + "nightstand in white with storage space", + "nightstand in white color", + "nightstand in black", + "nightstand black", + "nightstand white", + "nightstand color", + "nightstand" + ], + "i am looking for earbud headphone having deep bass stereo sound.please choose black color.": [ + "earbud headphone with deep bass stereo sound", + "pocketbud headphone with deep bass stereo sound", + "earbud headphone deep bass stereo sound black", + "pocketbud headphone deep bass stereo sound black", + "earbud headphone deep bass stereo sound", + "pocketbud headphone deep bass stereo sound", + "alarm headphone with deep bass stereo sound", + "earbud headphone deep bass", + "sound black earbud headphone", + "black earbud headphone" + ], + "i would like a surveillance camera with aaa batteries included.": [ + " surveillance camera with aaa batteries", + "aaa batteries surveillance camera", + "pink surveillance camera with aaa batteries", + "s surveillance camera with aaa batteries", + "aaa batteries for surveillance camera", + "womens camera with aaa batteries", + "aaa batteries surveillance camera under $50", + "aaa batteries surveillance camera under $40", + "aaa batteries surveillance camera under $60", + "aaa batteries" + ], + "i am looking for stainless steel hair cutting scissors of 7 inch size.": [ + "stainless steel hair cutting scissors of 7 inch size", + "stainless steel hair cutting scissors 7 inch", + "stainless steel hair cutting scissors", + "stainless steel hair cutting scissors 7 inch size", + "stainless steel hair cutting scissors of 7 inch", + "stainless steel hair cutting scissors, 7 inch", + "stainless steel hair cutting scissors, 7 inch size", + "stainless steel hair cutting scissors that are 7 inch", + "stainless steel hair cutting scissors of 7 inches size", + "stainless steel hair cutting scissors in 7 inch size" + ], + "i would like a black lavender candle made from soy.": [ + "black lavender candle made from soy", + "black lavender candle made from soy.", + "a black lavender candle made from soy", + "white lavender candle made from soy", + "black lavender candle", + "pink lavender candle made from soy", + "l lavender candle made from soy", + "black lavender candle, made from soy", + "lush lavender candle made from soy", + "black lavender candles made from soy" + ], + "i would like a chrome power amplifier": [ + "chrome power amplifier", + "chrome power amplifier that is chrome", + "chrome power amplifier under $40", + "chrome power amplifier under $50", + "chrome power amplifier under $60", + "chrome power amplifier under $130", + "plastic power amplifier", + "chrome power amplifier chrome", + "chrome power amplifier,", + " chrome power amplifier" + ], + "i would like a trail mix that is almond cranberry crunch and is non gmo.": [ + "almond cranberry crunch trail mix", + "a trail mix that is almond cranberry crunch", + "rain mix almond cranberry crunch non gmo", + " trail mix that is almond cranberry crunch", + " trail mix almond cranberry crunch non gmo", + "rain mix almond cranberry crunch", + "rainbow mix almond cranberry crunch", + "trail mix almond cranberry crunch", + "a trail mix almond cranberry crunch", + " trail mix almond cranberry crunch" + ], + "i need a high speed black usb cable": [ + "high speed black usb cable", + "high speed black usb cable under $40", + "high speed black usb cable under $50", + "high speed black usb cable under $60", + "high speed black usb cable below $40", + "high speed black usb cable below $50", + "high speed black usb cable,", + "high speed black usb cable high speed", + "black usb cable", + "low speed black usb cable" + ], + "i want an easy assemble wampat farmhouse coffee table with storage drawers, modern coffee table for living room, center table with double storage spaces, metal legs, grey,": [ + "easy assemble wampat farmhouse coffee table with storage drawers", + "wampat farmhouse coffee table with storage drawers", + "living room coffee table with storage drawers", + "womens coffee table with storage drawers", + "living room coffee table with storage drawers, modern coffee table", + "womens coffee table with storage drawers, modern coffee table", + "simple assemble wampat farmhouse coffee table with storage drawers", + "easy assemble wampat farmhouse coffee table", + "living room coffee table with storage drawers easy assemble", + "farmhouse coffee table with storage drawers" + ], + "i'm looking for nail drill bits for nail art": [ + "nude drill bits for nail art", + "nail drill bits for nail art", + "nude drill bits nail art", + "nail drill bits nail art", + "nude drill bits", + "nude drill bits for nail art under $40", + "nude drill bits for nail art under $50", + "nude drill bits for nail art under $60", + "nude drill bit for nail art", + "nails drill bits for nail art" + ], + "i'm looking for modern kitchen with the latest design.": [ + "modern kitchen with the latest design", + "living kitchen with the latest design", + "modern kitchen with the latest design.", + "living kitchen with the latest design.", + "living kitchen modern with the latest design", + "Modern kitchen with the latest design", + "style modern kitchen with the latest design", + "living kitchen modern", + "a modern kitchen with the latest design", + "Modern kitchen with the latest design." + ], + "i am looking for amber vanila scented shampoo and conditioner set containing argan oil.": [ + " amber vanila scented shampoo and conditioner set containing argan oil", + "amber vanila scented shampoo and conditioner set containing argan oil", + "an amber vanila scented shampoo and conditioner set containing argan oil", + "green vanila scented shampoo and conditioner set containing argan oil", + "am amber vanila scented shampoo and conditioner set containing argan oil", + " amber vanila scented shampoo and conditioner set containing argan oil.", + "amazing vanila scented shampoo and conditioner set containing argan oil", + "orange vanila scented shampoo and conditioner set containing argan oil", + " amber vanila scented shampoo conditioner set containing argan oil", + "ashampoo and conditioner set containing argan oil" + ], + "i am looking for a sulfate free conditioner": [ + "sulfate free conditioner", + "sulfate free conditioner under $40", + "sulfate free conditioner under $60", + "sulfate free conditioner under $50", + "sulfate free conditioner under 50 dollars", + "sulfate free conditioner under 30 dollars", + "sulfate free conditioner under 40 dollars", + "sulfate free conditioner under 60 dollars", + "sulfate free conditioner under $120", + "sulfate free conditioner for living" + ], + "i am looking for a linen pants with elastic waist. and i choose the xx-large size with wine color": [ + " linen pants xx-large size with wine color", + " linen pants x-large size with wine color", + " linen pants xx-large in wine color", + " linen pants xx-large with wine color", + "x-large linen pants with wine color", + "womens pants xx-large wine color", + "stainless waist linen pants xx-large", + "womens pants xx-large", + " linen pants xx-large", + " linen pants x-large" + ], + "i am looking for aaa batteries remote control for tv.": [ + "aaa batteries remote control for tv", + "aaa batteries remote control tv", + "tv remote control aaa batteries", + "tv remote control with aaa batteries", + "tv aaa batteries remote control", + "tv remote control", + "tv with aaa batteries remote control", + "aaa batteries remote control tv.", + "remote control tv with aaa batteries", + "remote control tv aaa batteries" + ], + "i want to buy ballet shoes which have rubber sole in grey suede color and a size of 6.": [ + "musical shoes size of 6", + "musical shoes in grey suede color", + "dual dancing shoes size of 6", + "musical shoes in grey suede", + "musical shoes size 6.5", + "dancing shoes in grey suede", + "musical shoes size 6", + "dancing shoes in grey suede color", + "dual dancing shoes size 6", + "dancing shoes size 6" + ], + "i am looking for a women's medium long sleeve sweater.": [ + "womens medium long sleeve sweater", + "womens medium long sleeve sweater.", + "womens medium long sleeves sweater", + "womens medium long sleeve sweater,", + "womens long sleeve sweater", + "womens large long sleeve sweater", + "mens medium long sleeve sweater", + "womens short sleeve sweater", + "mens medium long sleeve sweater", + "large long sleeve sweater" + ], + "i would like a 2 pound bag of individually wrapped candy.": [ + "2 pound bag of individually wrapped candy", + "two pound bag of individually wrapped candy", + "2 pound bag of individually wrapped candy.", + "bag of individually wrapped candy", + "bag of individually wrapped candy 2 pound", + "bag of individually wrapped candy 2 pound bag", + " 2 pound bag of individually wrapped candy", + "1 pound bag of individually wrapped candy", + "two pound bag of individually wrapped candy.", + "2 pound bag of individually wrapped candy," + ], + "find me a paraben free long lasting lip gloss": [ + "lip gloss paraben free", + "paraben free long lasting lip gloss", + "lip gloss that is paraben free", + "lip gloss no paraben", + "lip gloss, paraben free", + "lip gloss", + "paraben free lip gloss", + "lip gloss paraben free long lasting", + "lip gloss with paraben free", + "gloss paraben free" + ], + "i am looking for a gluten free rice ramen & miso soup. choose a pack of 10 with jade pearl color": [ + "gluten free rice ramen & miso soup pack of 10", + "gluten free rice ramen & miso soup pack of 10 with jade pearl", + "gluten free rice ramen & miso soup pack of 10 jade pearl color", + "gluten free rice ramen & miso soup pack of 10 jade pearl", + "gluten free rice ramen and miso soup pack of 10", + "gluten free rice ramen and miso soup pack of 10 with jade pearl", + "gluten free rice ramen & miso soup pack of 10 jade pearl colored", + "gluten free rice ramen and miso soup pack of 10 jade pearl color", + "bag of 10 gluten free rice ramen & miso soup", + "gluten free rice ramen & miso soup" + ], + "i want to buy ceiling chandeliers which are stainless steel, and suitable for dining room, while the color should be 345-variable light.": [ + "floor chandeliers stainless steel", + "floor chandeliers that are stainless steel", + "floor chandeliers that are stainless steel, and suitable for dining room", + "floor chandeliers that are stainless steel, and suitable for dining room,", + "floor chandeliers which are stainless steel, and suitable for dining room", + "floor chandeliers which are stainless steel, and suitable for dining room,", + "floor chandeliers with a 345-variable light", + "floor chandeliers that are stainless steel and suitable for dining room", + "floor chandeliers, stainless steel, and suitable for dining room", + "floor chandeliers which are stainless steel" + ], + "i am looking for arabic anti aging coffee scrub.": [ + "arabic anti aging coffee scrub", + "alarmic anti aging coffee scrub", + "an arabic anti aging coffee scrub", + "aubic anti aging coffee scrub", + "argic anti aging coffee scrub", + "aabic anti aging coffee scrub", + "artificial aging coffee scrub", + "arabic anti aging coffee scrub.", + "roasted coffee scrub", + "alarmic anti aging coffee scrub." + ], + "i am looking for red leather flat sandals in a size 6.5.": [ + "red leather flat sandals in a size 6.5", + "red leather flat sandals size 6.5", + "red leather flats sandals in a size 6.5", + "red leather flat sandals a size 6.5", + " red leather flat sandals in a size 6.5", + "red leather flat sandals size 6.5.", + "red leather flat sandals, a size 6.5", + "red leather flat sandals, size 6.5", + "red leather flat sandals 6.5", + "red leather flat sandals" + ], + "i am looking for green tea face masks for adults.": [ + "green tea face masks for adults", + "green tea face masks for adults.", + "green tea face masks for adults under $40", + "green tea face masks for adults under $50", + "green tea face masks for adults under $60", + "green tea face masks for adults under 50 dollars", + "green tea face masks for adults under 30 dollars", + "green tea face masks", + "green tea face masks for adults under 40 dollars", + "green tea face mask for adults" + ], + "looking for laundry bags with imported zipper": [ + "laundry bags with imported zipper", + "living room bags with imported zipper", + "home laundry bags with imported zipper", + "laundry bag with imported zipper", + "alarm bags with imported zipper", + "laundry bags imported zipper", + "dining bags with imported zipper", + "living bags with imported zipper", + "bag with imported zipper", + "womens laundry bags imported zipper" + ], + "i am looking for large size sweater pullover having long sleeve.": [ + "large size sweater pullover with long sleeves", + "large size sweater pullover with long sleeve", + "large size sweater pullover long sleeve", + "large size sweater pullover having long sleeve", + "large size sweater pullover having long sleeves", + "large size sweater pullover long sleeves", + "large size sweater pullover with long sleeve.", + "large size sweater pullover with long sleeves.", + "large size sweater pullover, long sleeve", + "large size sweater pullover" + ], + "i am looking for a travel size whitening toothpaste.": [ + "travel size whitening toothpaste", + "Travel size whitening toothpaste", + "travel size whitening toothpaste.", + " travel size whitening toothpaste", + "temporary whitening toothpaste", + "moisturizing toothpaste", + "vanity toothpaste travel size", + "pink toothpaste travel size", + "tootening toothpaste travel size", + "toothpaste travel size" + ], + "i'm looking for a large butt lifting women workout short.": [ + "large butt lifting women workout short", + "butt lifting women workout short", + "large butt lifting women workout shorts", + "shoes lifting women workout short", + "small butt lifting women workout short", + "tunt lifting women workout short", + "large butt lifting woman workout short", + "womens workout short", + "bag lifting women workout short", + "mens workout short" + ], + "i am looking for a lead free limoncello scented jar candle that uses soy wax.": [ + "lead free limoncello scented jar candle", + "lead free limoncello scented jar candle with soy wax", + "lemoncello scented jar candle that uses soy wax", + "lead free limoncello scented jar candle under $40", + "brittle free limoncello scented jar candle", + "lead free limoncello scented jar candle, soy wax", + "brushed free limoncello scented jar candle", + "lead free limoncello scented jar candle under $50", + "lemoncello scented jar candle", + "levo scented jar candle" + ], + "i am looking for a dresser that is mid century style": [ + "mid century style dresser", + "mid century style dresser under $40", + "mid century style dresser under $50", + "mid century style dresser under $60", + "mid century style dresser under 30 dollars", + "mid century style dresser under $120", + "mid century style dresser under $130", + "mid century style dresser under 50 dollars", + "Mid century style dresser", + " mid century style dresser" + ], + "i'm looking for a perfect quality modern wall light sconce led brushed nickel hardwired in the brand of natalya.": [ + "modern wall light sconce led brushed nickel hardwired", + "modern wall light sconce led brushed nickel", + "modern wall light sconce led brushed nickel hardwired under $40", + "modern wall light sconce led brushed nickel hardwired under $60", + "tempered modern wall light sconce led brushed nickel hardwired", + "portalya modern wall light sconce led brushed nickel hardwired", + "modern wall light sconce led brushed nickel hardwired under $50", + "modern wall light sconce led brushed nickel hardwired under 30 dollars", + "a modern wall light sconce led brushed nickel hardwired", + "portalya modern wall light sconce led brushed nickel hardwired under $40" + ], + "i would like a 100g copper holographic body glitter that is long lasting.": [ + "100g copper holographic body glitter", + "100g copper holographic body glitter long lasting", + "living glitter 100g long lasting", + "a 100g copper holographic body glitter", + "coaxial body glitter long lasting", + "10g copper holographic body glitter", + " 100g copper holographic body glitter", + "coaxial body glitter that is long lasting", + "large glitter 100g copper holographic body glitter", + "10g copper holographic body glitter long lasting" + ], + "i am looking for an easy to use wireless nanny camera that features motion detection and night vision.": [ + "easy to use wireless nanny camera", + "nanny camera with motion detection", + "phone nanny camera with motion detection", + "living room nanny camera with motion detection", + "womens nanny camera", + "5 ft wireless nanny camera", + "walking camera with motion detection", + "pocket camera with motion detection", + "walking camera", + "pocket camera" + ], + "i am looking for a pair of 80 inch wide by 84 inch long machine washable curtains for my living room.": [ + "80 inch wide by 84 inch long machine washable curtains for my living room", + "80 inch wide by 84 inch long machine washable curtains", + "80 inch wide by 84 inch long machine washable curtains for living room", + "40 inch wide by 84 inch long machine washable curtains for my living room", + "80 inch wide by 84 inch long machine washable curtains for the living room", + "81 inch wide by 84 inch long machine washable curtains for my living room", + " 80 inch wide by 84 inch long machine washable curtains for my living room", + "90 inch wide by 84 inch long machine washable curtains for my living room", + "80 inch wide by 84 inch long machine washable curtains living room", + "40 inch wide by 84 inch long machine washable curtains" + ], + "i'm looking for a perfect furniture item.": [ + "living room furniture", + "pink furniture item", + "perfect furniture item", + "beautiful furniture item", + "perfect furniture item.", + "furniture item", + "a perfect furniture item", + "comfortable furniture item", + "wooden furniture", + "beauty furniture" + ], + "looking for bookshelves and bookcases for living room of vintage black colour": [ + "living room bookshelves and bookcases in vintage black", + "teens and bookcases for living room of vintage black", + "vinyl black bookcases for living room", + "pink bookcases for living room of vintage black", + "vinyl bookcases for living room of vintage black", + "vinyl black bookcases for living room of vintage black", + "sneakers for living room of vintage black", + "vinyl black bookshelves for living room", + "vinyl black bookcases living room", + "bookshelves and bookcases for living room vintage black" + ], + "i would like some 18 inch high quality synthetic hair extensions that are gray.": [ + "18 inch high quality synthetic hair extensions that are gray", + "18 inch high quality synthetic hair extensions", + "18 inch high quality synthetic hair extension", + "18 inch high quality synthetic hair extension that are gray", + " 18 inch high quality synthetic hair extensions that are gray", + "18 inch high quality synthetic hair extensions, gray", + "18 inch high quality synthetic hair extensions under $50", + "18 inch high quality synthetic hair extensions under $60", + "18 inch high quality synthetic hair extensions in gray", + "18 inch high quality synthetic hair extensions under $40" + ], + "please find a multi-pack of 18\" synthetic hair extensions that are curly enough to be suitable for black women.": [ + "multi-pack of 18 synthetic hair extensions", + "mult-pack of 18 synthetic hair extensions", + "single-pack of 18 synthetic hair extensions", + "18 synthetic hair extensions that are curly enough for black women", + "multi-pack of 18 synthetic hair extension", + "multi-pack of 18 synthetic hair extensions that are curly", + "multi-pack of 18 synthetic hair extensions for black women", + "18 synthetic hair extensions", + "23 synthetic hair extensions", + "mens natural hair extensions" + ], + "i would like a old version of a 730 golden caramel foundation that is cruelty free.": [ + "old version of a 730 golden caramel foundation", + "730 golden caramel foundation that is cruelty free", + "630 golden caramel foundation that is cruelty free", + "old golden caramel foundation that is cruelty free", + "830 golden caramel foundation that is cruelty free", + "730 golden caramel foundation cruelty free", + "730 golden caramel foundation", + "old golden caramel foundation cruelty free", + "630 golden caramel foundation", + "old-fashioned golden caramel foundation cruelty free" + ], + "i'm looking for a snack with 3 seed mix in 1 pack of 4 pound and non gmo product": [ + "sneakers 4 pound non gmo product", + "sneakers with 3 seed mix in 1 pack of 4 pound", + "sneakers 4 pound non gmo", + "sneakers 4 pound and non gmo product", + "3 seed mix in 1 pack of 4 pound non gmo product", + "sugar snack with 3 seed mix in 1 pack of 4 pound", + "snack with 3 seed mix in 1 pack of 4 pound", + "sneakers 4 pound non gmo products", + "sneakers 4 pound", + "sneakers 4 pound and non gmo products" + ], + "i am looking for an easy to install computer table for my living room.": [ + "easy to install computer table for my living room", + "easy to install computer table for living room", + "easy to install computer table for the living room", + "easy to install computer table in my living room", + "easy to install computer table for living room.", + "easy to install computer table for a living room", + "easy to install computer table", + "easy to install computer table living room", + "easy setup computer table for living room", + "living room computer table" + ], + "looking for fresh breath organic toothpaste": [ + "fresh breath organic toothpaste", + "fresh breath organic toothpaste fresh breath", + "fresh breath organic toothpaste under $40", + "fresh breath organic toothpaste under $50", + "fresh breath organic toothpaste under $60", + "fresh breath organic toothpaste under 50 dollars", + "fresh breath organic toothpaste below $40", + "fresh breath organic toothpaste, fresh breath", + "fresh breath organic toothpaste below $50", + "fresh breath organic toothpaste under 30 dollars" + ], + "i would like a fluoride free toothpaste to give me fresh breath.": [ + "fluoride free toothpaste", + "fluoride free toothpaste,", + "fluoride free toothpaste fresh breath", + "toothpaste fluoride free", + "facial free toothpaste", + "veal free toothpaste", + "focal free toothpaste", + " fluoride free toothpaste", + "toothpaste fresh breath", + "toothpaste" + ], + "i'm looking for a blanket with a shark tooth printed in 60x80\"": [ + "blanket with a shark tooth printed in 60x80", + "blanket with a shark tooth print in 60x80", + "blanket with a shark tooth", + "blanket with a shark tooth in 60x80", + "blanket with a shark tooth that is 60x80", + "blanket with a shark tooth, 60x80", + "blanket with shark tooth printed in 60x80", + "50x80 blanket with a shark tooth", + " blanket with a shark tooth printed in 60x80", + "blanket with a shark tooth with 60x80" + ], + "i am lookinf for high quality scrubbing strap that is easy to use.": [ + "easy to use scrubbing strap", + "high quality scrubbing strap that is easy to use", + "rubbing strap that is easy to use", + "high quality scrubbing strap", + "easy-to-use scrubbing strap", + "low quality scrubbing strap that is easy to use", + "rubbing strap easy to use", + "low quality scrubbing strap", + "rubbing strap that is easy to use.", + "rubbing strap" + ], + "i want windmill birthday cake toppers.": [ + "windmill birthday cake toppers", + "womens birthday cake toppers", + "i want windmill birthday cake toppers.", + "womens birthday cake toppers.", + "Windmill birthday cake toppers", + " windmill birthday cake toppers", + "windmill birthday cake toppers.", + "womens birthday cake toppers windmill", + "windmill birthday cake toppers under $40", + "tunnel birthday cake toppers" + ], + "i want katz gluten free cinnamon donut holes.": [ + "katz gluten free cinnamon donut holes", + "katz gluten free cinnamon donut holes.", + "katz gluten free cinnamon donut hole", + "gluten free cinnamon donut holes", + "keto gluten free cinnamon donut holes", + "katz gluten free cinnamon donut holes,", + "Katz gluten free cinnamon donut holes", + "katz gluten free cinnamon donut", + "kin gluten free cinnamon donut holes", + "gmo cinnamon donut holes" + ], + "i am looking for a cell phone that is fast charging and is cream colored": [ + "cell phone with fast charging cream colored", + "cell phone that is fast charging cream colored", + "cell phone fast charging cream colored", + "temporary cell phone with fast charging cream colored", + "cell phone cream colored", + "cell phone that is fast charging and cream colored", + "curtains phone cream colored", + "white cell phone with fast charging cream colored", + "cell phone with fast charging and is cream colored", + "cell phone color cream colored" + ], + "i would like a z flip 3 256gb phantom black cell phone that is fast charging.": [ + "z flip 3 256gb phantom black cell phone", + "z flip 3 256gb phantom black cell phone with fast charging", + " z flip 3 256gb phantom black cell phone", + " z flip 3 256gb phantom black cell phone with fast charging", + "a z flip 3 256gb phantom black cell phone", + "Z flip 3 256gb phantom black cell phone", + "Z flip 3 256gb phantom black cell phone with fast charging", + "z flip 3 256gb phantom black cell phone, fast charging", + "galaxy black cell phone with fast charging", + "phone z flip 3 256gb" + ], + "i want a green couch for my living room. make sure that it is easy to assemble.": [ + "green couch for living room", + "green couch for my living room", + "green couch for the living room", + "green couch for living room easy to assemble", + "living room green couch that is easy to assemble", + "living room green couch", + "green couch for living room, easy to assemble", + "green couch for living room. easy to assemble", + "green couch for living room.", + "green couch living room" + ], + "i need dark chocolate made by trader joe": [ + "dark chocolate made by trader joe", + "dark chocolate made by trader joe under $40", + "dark chocolate made by trader joe under $50", + "dark chocolate made by trader joe under $60", + "dark chocolate made by trader joe under 50 dollars", + "dark chocolate made by trader joe under 30 dollars", + "dark chocolate made by trader joe under 60 dollars", + "dark chocolate made by trader joe under 40 dollars", + "dark chocolate made by trader joe under 120 dollars", + "dark chocolate made from trader joe" + ], + "i am looking for a cd drive that is silver and easier to use": [ + "silver cd drive", + "silver cd drive, easy to use", + "silver cd drive that is silver", + "plastic silver cd drive", + "silver cd drive under $40", + "silver cd drive under $50", + "silver cd drive under $60", + "curtains silver", + "silver dvd drive", + "digital cd drive silver" + ], + "i need blue clogs that are made of vinyl and are a size 9": [ + "blue clogs made of vinyl", + "blue clogs made from vinyl", + "blue clogs size 9", + "blue clogs in a size 9", + "blue clogs, made of vinyl", + "blue vinyl clogs size 9", + "blue clogs", + "blue clogs 9 vinyl", + "blue clogs in vinyl", + "blue clogs with vinyl" + ], + "i am looking for fruit snack pack having fuji & red apple flavor and are gluten and fat free.": [ + "fruit snack pack with fuji & red apple flavor", + "fruit snack pack having fuji & red apple flavor", + "fruit snack pack with fuji and red apple flavor", + "fruit snack pack having fuji and red apple flavor", + "fruit snack pack of fuji & red apple flavor", + "fruit snack pack that is gluten and fat free", + "fruit snack pack that is gluten free", + "fruit snack pack gluten free", + "fruit snack pack fat free", + "fruit snack pack" + ], + "i want 24 bags of non gmo bare baked crunchy apple fruit snacks.": [ + "24 bags of non gmo bare baked crunchy apple fruit snacks", + "24 bags of non gmo baked crunchy apple fruit snacks", + "24 bags of non gmo fresh baked crunchy apple fruit snacks", + "24 bags of non gmo baked baked crunchy apple fruit snacks", + "24 bag of non gmo bare baked crunchy apple fruit snacks", + "non gmo bare baked crunchy apple fruit snacks 24 bags", + "gmo bare baked crunchy apple fruit snacks 24 bags", + "24 bags of non gmo fruit snacks", + "non gmo bare baked crunchy apple fruit snacks", + "gmo bare baked crunchy apple fruit snacks" + ], + "i would like a brown phone case with tempered glass.": [ + "brown phone case with tempered glass", + "brown phone case tempered glass", + "a brown phone case with tempered glass", + "brown phone case with tempered glass.", + " brown phone case with tempered glass", + "pink phone case with tempered glass", + "brown phone case with tempered glass,", + "brown phone case, tempered glass", + "grey phone case with tempered glass", + "black phone case with tempered glass" + ], + "i would like to a buy a glass window film of the color multi-020884 for the living room.": [ + "window film multi-020884 for the living room", + "window film multi-020884 for living room", + "window film multi-020884 living room", + "glass window film of the color multi-020884", + "window film multi-020884", + "glass window film multi-020884 living room", + "glass window film multi-020884 for living room", + "window film of the color multi-020884", + "glass window film", + "window film" + ], + "i am looking for gluten free, low fat protein chips , chili nacho cheese": [ + "gluten free, low fat protein chips chili nacho cheese", + "gluten free, low fat pomegranate cheese chips", + "gluten free low fat protein chips chili nacho cheese", + "gluten free, low fat protein chips chili nacho cheese", + "gluten free, low fat, protein chips chili nacho cheese", + "gluten free, low fat protein chips", + "gluten free low fat pomegranate cheese chips", + "gluten free high fat protein chips chili nacho cheese", + "gluten free protein chips chili nacho cheese", + "gluten free, low fat pomegranate cheese protein chips" + ], + "im looking for women\u2019s blue, flat propet sandals, in size 6 and the style should be fionna.": [ + "womens blue, flat propet sandals", + "womens blue, flat propet sandals in size 6", + "woman\u2019s blue, flat propet sandals", + "womens blue, flat propet sandals fionna", + "womens blue flat propet sandals", + "women\u2019s blue, flat propet sandals", + "womens blue flat propet sandals in size 6", + "woman blue, flat propet sandals", + "blue, flat propet sandals", + "blue flat propet sandals" + ], + "i want gluten free yummy earth organic fruit lollipops.": [ + "earth organic fruit lollipops", + "earth organic fruit lollipops gluten free", + "gluten free earth organic fruit lollipops", + "earth organic fruit lollipops, gluten free", + "earth organic fruit lollipops.", + "earth organic fruit lollipops under $40", + "earth organic fruit lollipops under $50", + "earth organic fruit lollipops under $60", + "earth organic fruit lollipops below $40", + "earth organic fruit lollipops no sugar" + ], + "i would like a 20 by 26 inch dark green pillow throw cover for my living room.": [ + "20 by 26 inch dark green pillow throw cover for my living room", + "20 by 26 inch dark green pillow throw cover", + "20 by 26 inch dark green pillow throw cover for living room", + "20 by 26 inch dark green pillow throw cover for the living room", + "20 by 26 inch dark green pillow throw cover for a living room", + "20 by 26 inch dark green pillow throw cover for living room.", + "20 x 26 inch dark green pillow throw cover for my living room", + "20 by 26 inch dark green pillow throw cover in my living room", + "20 by 26 inch dark green pillow throw cover living room", + "20 x 26 inch dark green pillow throw cover for living room" + ], + "i am looking for pink color long lasting cube ice face roller for facial treatment to tighten ,tone skin and de-puff the eye area": [ + "pink color long lasting cube ice face roller", + "pink color long lasting cube ice face roller to tighten ,tone skin and de-puff the eye area", + "pink color long lasting cube ice face roller that can tighten ,tone skin and de-puff the eye area", + "pink color long lasting cube ice face roller for facial treatment to tighten ,tone skin and de-puff", + "pink color long lasting cube ice face roller for facial treatment", + "pink color long lasting ice face roller", + "pink color long lasting cube face roller", + "pink color long lasting face roller", + "pink ice face roller", + "pink face roller" + ], + "i need some lipstick that is long lasting and is cherry colored": [ + "long lasting cherry colored lipstick", + "pink lipstick long lasting cherry colored", + "klip color long lasting cherry colored", + "synthetic lipstick long lasting cherry colored", + "lip color long lasting cherry colored", + "long lasting cherry colored lip color", + "lens long lasting cherry colored", + "pocket lipstick long lasting cherry colored", + "long lasting cherry colored lipstick under $40", + "long lasting cherry colored lipstick under $50" + ], + "i'm looking for outdoor security camera with audio.": [ + "indoor security camera with audio", + "alarm security camera with audio", + "alarm security camera", + "wooden security camera with audio", + "indoor security camera", + "living room security camera with audio", + " outdoor security camera with audio", + "area security camera with audio", + "4 ft outdoor security camera with audio", + "indoor security camera with audio." + ], + "i am looking for 16 pcs 4k bullet hd outdoor security ip camera with mic/audio and motion detection": [ + "16 pcs 4k bullet hd outdoor security ip camera", + "16 pcs 4k bullet hd outdoor security ip camera with mic/audio", + "16 pcs 4k bullet hd outdoor security ip camera under $40", + "4k bullet hd outdoor security ip camera with mic/audio and motion detection", + "16 pcs 4k bullet hd outdoor security ip camera with mic", + " 16 pcs 4k bullet hd outdoor security ip camera", + "16 pcs 4k bullet hd outdoor security", + "16 pcs 4k bullet hd outdoor security camera", + "4k bullet hd outdoor security ip camera", + "16 pcs outdoor security ip camera" + ], + "i am looking for east west furniture dlt-ana-tp dublin dining table made of acacia ,a beautiful round dining table makes a cozy addition to any kitchen or classic dining room. the remarkable dining table which facilitates an affectionate family emotion. the frame of this dining room table which will increase the beauty of your living area. the wood table which gives high-quality style with a touch of class to add a powerful appeal. measurements of the great hardwood wood kitchen table length 42; width 42; height 29.5 in dmt-wbk-tp color preferable.": [ + "wood dining table made of acacia", + "dining table made of acacia", + "wood table made of acacia", + "wood dining table with a touch of class", + "wood table that is high quality", + "wood table that is high-quality", + "wood table dining table with a touch of class", + "wood table that is a living room beauty", + "wood table that is a cozy dining room table", + "wood table" + ], + "i am looking for rubber sole backless slip on loafer shoes for women of size :8": [ + "rubber sole backless slip on loafer shoes for women", + "rubber sole backless slip on loafer shoes", + "rubber sole backless slip on loafer shoes size 8", + "rober sole backless slip on loafer shoes for women", + "rober sole backless slip on loafer shoes", + "stainless slip on loafer shoes for women", + "stainless slip on loafer shoes", + "roofless slip on loafer shoes", + "rubber sole backless slip", + "shoes size 8" + ], + "i want a 2 pack argan oil shampoo and conditioner set.": [ + "2 pack argan oil shampoo and conditioner set", + "2 pack argan oil shampoo conditioner set", + "2 pack argan oil shampoo and conditioner set.", + "1 pack argan oil shampoo and conditioner set", + "two pack argan oil shampoo and conditioner set", + "a 2 pack argan oil shampoo and conditioner set", + "2 pack aran oil shampoo and conditioner set", + "2 pack argan oil shampoo with conditioner set", + "2 pack argan oil shampoo and conditioner set,", + "2 pack argan oil shampoo" + ], + "i am looking for a plant based peppermint scented soap.": [ + "plant based peppermint scented soap", + "plant based peppermint scented soap.", + "plant based peppermint scented soap under $40", + "plant based peppermint scented soap under $50", + "plant based peppermint scented soap under $60", + "plant based peppermint scented soap below $40", + "plant based peppermint scented soap under 50 dollars", + "plant based peppermint scented soap below $50", + "plant based peppermint scented soap,", + "plastic scented soap plant based" + ], + "i would like a pair of size 9 walking shoes with a rubber sole.": [ + "walking shoes size 9 with a rubber sole", + "walking shoes with a rubber sole", + "size 9 walking shoes with a rubber sole", + "walking shoes with a rubber sole size 9", + "walking shoes size 9 rubber sole", + "walking shoes, size 9, rubber sole", + "walking shoe size 9 with a rubber sole", + "walking shoes size 9, rubber sole", + "walking shoes with rubber sole size 9", + "walking shoes with rubber sole" + ], + "i want to buy walkie talkie which has batteries included and come in pack of 3 in black color.": [ + "walkingie talkie pack of 3 in black", + "walkingie talkie pack of 3 in black color", + "walkingie talkie pack of 3 black", + "walking walkie talkie pack of 3 in black", + "walking talkie pack of 3 in black", + "walkingie talkie, pack of 3 in black", + "walkingie talkie pack of 3, black", + "walkingie talkie, pack of 3, black", + "walkingie talkie pack of 3", + "walkingie talkie with batteries" + ], + "i want a 24w led light with high power lamp. it should mount on a wall.": [ + "24w led light with high power lamp", + "24w led light with high power lamp mount on a wall", + "24w led light with high power lamp, mount on a wall", + "24w led light with high power lamp mounted on a wall", + "23w led light with high power lamp", + "24w led light with high power lamp, mounted on a wall", + "24w led light with high power lamp under $40", + "24w led light", + "25w led light with high power lamp", + "24w led light high power lamp" + ], + "i want a small and easy to use u-shaped toothbrush for kids.": [ + "small and easy to use u-shaped toothbrush for kids", + "small and easy to use u-shaped toothbrush for kids.", + "small and easy to use u-shaped toothbrush", + "small and easy-to-use u-shaped toothbrush for kids", + "small, easy to use u-shaped toothbrush for kids", + "small and easy to use u-shaped toothbrush for kids,", + "small and easy to use u- shaped toothbrush for kids", + "kids toothbrush small and easy to use", + "small toothbrush for kids", + "pocketbrush for kids" + ], + "i would like a 2 bottles of flathead cherry jerry gluten free jam.": [ + "2 bottles of flathead cherry jerry gluten free", + "flathead cherry jerry gluten free jam 2 bottles", + "flathead cherry jerry gluten free jam", + "3 bottles of flathead cherry jerry gluten free", + "two bottles of flathead cherry jerry gluten free", + "flathead cherry jerry gluten free", + "flathead cherry jerry gluten free jam 2 oz", + "1 bottles of flathead cherry jerry gluten free", + "flathead cherry jerry gluten free drink mix", + "bagel free jam 2 bottles" + ], + "i would like a brush set for synthetic hair.": [ + "brush set for synthetic hair", + "brush set for synthetic hair.", + "brushed set for synthetic hair", + "brushing set for synthetic hair", + "brush set for synthetic hair under $40", + "brush set for synthetic hair under $50", + "brush set for synthetic hair under $60", + "brushed set for synthetic hair.", + "brushing set for synthetic hair.", + "brush set for synthetic hair" + ], + "i want degree men anti-perspirant.": [ + "degree men anti-perspirant", + "degree men anti-perspirant.", + "i want degree men anti-perspirant.", + "man anti-perspirant degree men", + "tempered men anti-perspirant", + "tempered men anti-perspirant.", + "degree men anti-perspirant under $50", + "degree men anti-perspirant under $40", + "degree men anti-perspirant under $60", + "degree men anti-perspirant under 30 dollars" + ], + "looking for high density black colour gaming chair": [ + "high density black gaming chair", + "high density black colour gaming chair", + "high density black gaming chair under $50", + "high density black gaming chair under $60", + "high density black gaming chair under $120", + "high density black gaming chair under $40", + "high density black gaming chair under $130", + "tv gaming chair high density black", + "low density black gaming chair", + "high density black computer gaming chair" + ], + "i want a cottage grey and long lasting 6-drawer double dresser.": [ + " cottage grey long lasting 6-drawer double dresser", + "cottage grey long lasting 6-drawer double dresser", + "curtains grey long lasting 6-drawer double dresser", + " cottage grey and long lasting 6-drawer double dresser", + "cottage grey and long lasting 6-drawer double dresser", + "curtains grey long lasting 6drawer double dresser", + "cottage grey long lasting 6drawer double dresser", + " cottage grey long lasting 6drawer double dresser", + " cottage grey long lasting 6-drawer double dresser.", + " cottage grey and long lasting 6-drawer double dresser." + ], + "i would like a sofa with a solid wood frame.": [ + " sofa with a solid wood frame", + "furniture with a solid wood frame", + "living sofa with a solid wood frame", + "f sofa with a solid wood frame", + "comfortable sofa with a solid wood frame", + "living room sofa with a solid wood frame", + "fog sofa with a solid wood frame", + "a sofa with a solid wood frame", + "s sofa with a solid wood frame", + " sofa with a solid wood frame." + ], + "i am looking for 03#beige color women shoes having high heels.": [ + "02#beige color women shoes having high heels", + "03#beige color women shoes having high heels", + "02#beige color women shoes with high heels", + "03#beige color women shoes with high heels", + "02#beige color women shoes", + "03#beige color women shoes", + "02beige color women shoes having high heels", + "02#beige women shoes having high heels", + "02#beige women shoes with high heels", + "02#beige color women shoes, high heels" + ], + "i would like a pair of 14 short red pants made from nylon spandex.": [ + "14 short red pants made from nylon spandex", + "teen short red pants made from nylon spandex", + "short red pants made from nylon spandex", + "28 short red pants made from nylon spandex", + "12 short red pants made from nylon spandex", + "18 short red pants made from nylon spandex", + "shorts made from nylon spandex", + "14 short red pants made from nylon spandex.", + "teen short red pants made from nylon spandex.", + "14 short red pants made from nylon spandex," + ], + "i am looking for a black bikini set that is an xx-large and a comfortable fit": [ + "xxl black bikini set with comfortable fit", + "xx-large black bikini set", + "xxl black bikini set", + "xx-large black bikini set with comfortable fit", + "xx-large bikini set with comfortable fit", + "xxl bikini set with comfortable fit", + "xxl black bikini set that is comfortable fit", + "xxl black bikini set in a comfortable fit", + "xx-large bikini set", + "xxl black bikini set comfortable fit" + ], + "looking for babydoll mini bodysuit of quality polyester choose size xx large": [ + "babydoll mini bodysuit of quality polyester", + "babydoll mini bodysuit", + "babydoll mini bodysuit size xx large", + "babydoll mini bodysuit, size xx large", + "babydoll mini bodysuit xx large", + "babydoll mini bodysuit that is xx large", + "babydoll mini bodysuit in quality polyester", + "babydoll mini bodysuit x large", + "babydoll mini bodysuit under $50", + "babydoll mini bodysuit under $40" + ], + "i need a non toxic and high quality empty bottle for cosmetic": [ + "non toxic and high quality empty bottle cosmetic", + "non toxic and high quality empty bottle", + "non toxic cosmetic bottle", + "non toxic and high quality cosmetic bottle", + "non toxic high quality empty bottle for cosmetic", + "non toxic, high quality empty bottle cosmetic", + "non toxic and high quality empty bottle cosmetics", + "non toxic and high quality bottle for cosmetic", + "non toxic and high quality cosmetic empty bottle", + "non toxic cosmetic empty bottle" + ], + "i want a machine washable contemporary 52\"w*52\"l curtain panel for living room color mandala 7rvw0093": [ + "machine washable contemporary 52w*52l curtain panel", + "machine washable contemporary 52w*52l curtain panel, color mandala 7rvw0093", + "machine washable contemporary 52w*52l curtain panel color mandala 7rvw0093", + "machine washable contemporary 52w*52l curtain panel living room color mandala 7rvw0093", + "machine washable contemporary 52w*52l curtain panel for living room", + "machine washable contemporary 52w*52l curtain panel for living room color mandala 7rvw", + "machine washable contemporary 52w*52l curtain panel for living room color mandala 7rvw00", + "man washable contemporary 52w*52l curtain panel", + "machine washable contemporary 52w*52l curtain panel", + "machine washable contemporary 2w*52l curtain panel" + ], + "i am looking for contemporary designed window treatment curtains that are 52 inches long.": [ + "contemporary designed window treatment curtains 52 inches long", + "contemporary designed window treatment curtains", + "contemporary designed window treatment curtains with 52 inches long", + "contemporary designed window treatment curtains, 52 inches long", + "contemporary designed window treatment curtains for 52 inches", + "window treatment curtains 52 inches long", + "contemporary designed window treatment curtains for 52 inches long", + "window treatment curtains that are 52 inches long", + "contemporary designed window treatment curtains with 52 inches", + "contemporary designed window treatment curtains 52 inches long." + ], + "i want a white 16.9oz hair dye bottle from segbeauty.": [ + "white 16.9oz hair dye bottle", + "16.9oz hair dye bottle from segbeauty", + "white 16 oz hair dye bottle from segbeauty", + "white 16oz hair dye bottle from segbeauty", + "hair dye bottle from segbeauty", + "black hair dye bottle from segbeauty", + "white 16 oz hair dye bottle from segbeauty.", + "white 16.9oz hair dye bottle under $40", + "16.9oz hair dye bottle", + "white 16 oz hair dye bottle" + ], + "i am looking for a light fixture for my dining room in the weather wood shade.": [ + "rainbow colored light fixture dining room", + "light fixture dining room", + "rainbow colored light fixture for dining room", + "rainbow colored light fixture", + "womens dining room light fixture", + "rainbow color light fixture dining room", + "weather wood light fixture dining room", + "light fixture for dining room", + "living room light fixture", + "weather wood shade" + ], + "i need a floral window curtain for my living room . and i choose the 52x72in with skulllop3455": [ + "a floral window curtain for my living room with skulllop3455", + " floral window curtain for my living room with skulllop3455", + "glassy window curtain for my living room with skulllop3455", + "synthetic window curtain for my living room with skulllop3455", + "glory window curtain for my living room with skulllop3455", + "glen curtain for my living room with skulllop3455", + "window curtain for my living room with skulllop3455", + "a floral window curtain for my living room", + "window curtain for my living room with skulllop3455 floral window curtain", + "synthetic window curtain for my living room" + ], + "i want to find a 52 x 84 inch set of living room curtains that are snowman colored.": [ + "50 x 84 inch set of living room curtains", + "living room curtains that are snowman colored", + "living room curtains snowman colored 52 x 84", + "52 x 84 inch set of living room curtains", + "living room curtains snowman colored", + " 52 x 84 inch set of living room curtains", + "snowman colored living room curtains", + "living room curtains, snowman colored", + "man colored living room curtains", + "living room curtains" + ], + "i need pumps that are black and closed toe in a 7.5 size": [ + "black pumps in a 7.5 size", + "black and closed toe pumps 7.5", + "black pumps, closed toe, 7.5", + "black pumps in a 7.5", + "black pumps that are black and closed toe", + "black pumps 7.5", + "black and closed toe pumps 7.5 size", + "black and closed toe pumps", + "black closed toe pumps in a 7.5", + "black pumps" + ], + "i am looking for stainless steel gold color wall mounted mirror.": [ + "stainless steel gold color wall mounted mirror", + "stainless steel gold wall mounted mirror", + "stainless steel wall mounted mirror", + "stainless steel gold wall mounted mirror.", + "stainless steel wall mounted mirror.", + "stainless steel gold colored wall mounted mirror", + "stainless steel gold wall mounted mirror,", + "stainless steel gold", + "wall mounted mirror stainless steel", + "stainless steel" + ], + "i am searching for modern contemporary high density and left facing sofa with massage vibration and usb port": [ + "modern contemporary high density and left facing sofa with massage vibration and usb port", + "modern contemporary high density sofa with massage vibration and usb port", + "modern contemporary high density and left facing sofa with massage vibration", + "living room high density and left facing sofa with massage vibration and usb port", + " modern contemporary high density and left facing sofa with massage vibration and usb port", + "Modern contemporary high density and left facing sofa with massage vibration and usb port", + "modern contemporary high density and left facing sofa with massage vibration, usb port", + "modern contemporary high density sofa with massage vibration", + "modern contemporary high density and left facing sofa with massage vibration with usb port", + "living room high density and left facing sofa with massage vibration" + ], + "i am interested in purchasing keto friendly protein power in creamy vanilla and raspberry lemonade flavor.": [ + "keto friendly protein power in creamy vanilla and raspberry lemonade flavor", + "keto friendly protein power creamy vanilla and raspberry lemonade flavor", + "keto friendly protein power cream vanilla and raspberry lemonade flavor", + "keto friendly protein power creamy vanilla and raspberry lemonade flavor.", + "keto friendly protein power in creamy vanilla and raspberry lemonade flavor", + " keto friendly protein power in creamy vanilla and raspberry lemonade flavor", + "keto friendly protein power in creamy vanilla and raspberry Lemonade flavor", + "keto friendly protein power, creamy vanilla and raspberry lemonade flavor", + "keto friendly protein power in creamy vanilla flavor", + "keto friendly protein power in creamy vanilla lemonade flavor" + ], + "i need protein powder that comes in 3 lbs and is keto friendly": [ + "protein powder keto friendly", + "protein powder keto friendly 3 lbs", + "protein powder keto friendly 3 oz", + "protein powder keto friendly 3 lbs keto", + "protein powder keto friendly keto", + "protein powder keto friendly3 lbs keto", + "protein powder keto friendly 3 oz keto", + "protein powder keto friendly 3lbs", + "protein powder 3 lbs keto friendly", + "protein powder keto friendly, 3 lbs" + ], + "i would like a king size extra firm 12 inch mattress with memory foam.": [ + "king size extra firm 12 inch mattress with memory foam", + "king size extra firm 12 inch mattress", + "king size extra firm 12 inch mattress with memory foam.", + "king size extra firm 12 inch mattress with memory foam under $50", + "king size extra firm 12 inch mattress with memory foam,", + "king size extra firm 12 inch mattress with memory foam under $40", + "king size extra firm 12 inch mattress with memory foam under $130", + "king size extra firm 12 inch mattress with memory foam under $60", + "king size extra firm 12 inch mattress with memory foam under $120", + "king size extra- firm 12 inch mattress with memory foam" + ], + "i want non gmo cauliflower bites 1.4 ounce 2 packs": [ + "non gmo cauliflower bites 1.4 ounce 2 packs", + "non gmo cauliflower bites 2 packs", + "non gmo cauliflower bites 1.4 ounce 2 pack", + "non gmo cauliflower bites 2 pack", + "non gmo cauliflower bites 1.4 oz 2 packs", + "non gmo cauliflower bites 1.4 ounce", + "non gmo cauliflower bites 1.4oz 2 packs", + "coffee cauliflower bites 1.4 ounce 2 packs", + "non-gmo cauliflower bites 2 packs", + "coaxiflower bites 1.4 ounce 2 packs" + ], + "may i please have teal colored curtains ideally for my living room? size 52x63 is fine": [ + "teal colored curtains ideally for my living room", + "teal colored curtains for my living room size 52x63", + "teal colored curtains for my living room", + "teal colored curtains for living room size 52x63", + "teal colored curtains for the living room size 52x63", + "teal colored curtains in a size 52x63", + "teal colored curtains for living room", + "teal colored curtains for a living room size 52x63", + "teal colored curtains", + "teal colored curtains for the living room" + ], + "i am looking 4g lte antenna that can be wall mounted.": [ + "4g lte antenna", + "4g lte antenna wall mounted", + "4g lte antenna, wall mounted", + "4g lte antenna with wall mounted", + "4g lte antenna under $40", + "4g lte antenna under $50", + "4g lte antenna under $60", + "industrial 4g lte antenna", + "4g lte antenna, wall mounted,", + "4g lte antenna, wall mounted." + ], + "i'm looking for a hair extension anniston hairpiece preferably color 13#": [ + "hair extension anniston hairpiece color 13#", + "hair extension anniston hairpiece color 13", + "hair extension anniston hairpiece preferably color 13#", + "hair extension anniston hairpiece 13#", + "aniston hair extension anniston hairpiece color 13", + "hair extension anniston hairpiece colored 13#", + "hair extension anniston hairpiece preferably color 13", + "hair extension anniston hairpiece, color 13#", + "aniston hair extension anniston hairpiece 13#", + "hair extension anniston hairpiece color 13#" + ], + "i am looking for four pounds of protein powder that is chocolate and kosher.": [ + "protein powder chocolate and kosher", + "protein powder that is chocolate and kosher", + "pack of protein powder that is chocolate and kosher", + "protein powder chocolate and kosher four pounds", + "pack of protein powder chocolate and kosher", + "4 pounds of protein powder chocolate and kosher", + "protein powder that is chocolate and kosher four pounds", + "protein powder chocolate and kosher four pound", + "chocolate and kosher protein powder four pounds", + "protein powder that is chocolate and kosher 4 pounds" + ], + "i want a portable wireless bluetooth waterproof speaker.": [ + "portable wireless bluetooth waterproof speaker", + "portrait wireless bluetooth waterproof speaker", + "portable wireless bluetooth waterproof speaker.", + "i want a portable wireless bluetooth waterproof speaker.", + "portable wireless bluetooth waterproof speaker under $40", + "portable wireless bluetooth waterproof speaker under $50", + "portable wireless bluetooth waterproof speaker under $130", + "portable wireless bluetooth waterproof speaker under $60", + "portable wireless bluetooth waterproof speaker under 50 dollars", + "portportable wireless bluetooth waterproof speaker" + ], + "i'm looking for some women's flat mules that i can wear every day for walking; i'm a size 5.5 and like the colour apricot.": [ + "womens flat mules size 5.5 in the colour apricot", + "womens flat mules size 5.5 in apricot", + "womens flat mules in a size 5.5", + "womens flat mules in a size 5.5 in apricot", + "womens flat mules size 5.5", + "womens flat mules that i can wear every day for walking", + "womens flat mules in apricot", + "womens flat mules", + "womens flat mules size 5.5 in the colour apricot.", + "womens flat mules size 5.5 in the colour apricot," + ], + "i need high quality makeup bag for my eyeshadow. it should be beach pineapple in color.": [ + "high quality makeup bag for eyeshadow", + "high quality makeup bag beach pineapple in color", + "beauty bag for eyeshadow beach pineapple in color", + "high quality makeup bag for eyeshadow beach pineapple", + "high quality makeup bag for eyeshadow, beach pineapple", + "beauty bag beach pineapple in color", + "beauty bag for eyeshadow beach pineapple", + "beauty bag beach pineapple", + "high quality makeup bag", + "high quality makeup bag in beach pineapple" + ], + "i would like 3 pieces of white and gold bpa free toiletry travel bottles.": [ + "3 white and gold bpa free toiletry travel bottles", + "white and gold bpa free toiletry travel bottles", + "3 white bpa free toiletry travel bottles", + "white bpa free toiletry travel bottles", + "3 pieces of white bpa free toiletry travel bottles", + "3 white and gold bpa free toiletry travel bottles.", + "three white and gold bpa free toiletry travel bottles", + "3 white and gold bpa free toiletry travel bottles,", + "4 white and gold bpa free toiletry travel bottles", + "white and gold bpa free toiletry travel bottles." + ], + "i would like a 2xl gray romper that has a high drawstring waist.": [ + "2xl gray romper with drawstring waist", + "2xl gray romper with high drawstring waist", + "2xl gray romper with a high drawstring waist", + "2 xl gray romper with drawstring waist", + "2xl gray romper", + "2 xl gray romper with high drawstring waist", + "2xl gray romper that has high drawstring waist", + "2 xl gray romper with a high drawstring waist", + "2xl gray romper, high drawstring waist", + "2xl gray romper with high drawstring waist." + ], + "please help me find a violet hair dye in a 500ml bottle; pick a herbal one that has only natural ingredients.": [ + "vegan hair dye in a 500ml bottle", + "a violet hair dye in a 500ml bottle", + "auburn hair dye in a 500ml bottle", + "pure natural violet hair dye in a 500ml bottle", + "violet hair dye in a 500ml bottle", + "green hair dye in a 500ml bottle", + "vinyl hair dye in a 500ml bottle", + "toothpaste violet hair dye in a 500ml bottle", + "beauty dye in a 500ml bottle", + "a violet hair dye in a 500ml bottle, natural" + ], + "i am looking for mn4 color foundation for my sensitive skin.": [ + "mn4 color foundation for my sensitive skin", + "mens4 color foundation for sensitive skin", + "mn4 color foundation for sensitive skin", + "mn4 color foundation for sensitive skin.", + "mens4 color foundation for sensitive skin.", + "mens4 color foundation for my sensitive skin", + "mens4 color foundation for my sensitive skin.", + "mens 4 color foundation for sensitive skin", + "mn4 color foundation", + "mn4 color foundation sensitive skin" + ], + "i want 200 pieces of crystal color lip gloss applicator disposable brushes": [ + "crystal color lip gloss applicator disposable brushes", + " crystal color lip gloss applicator disposable brushes", + "synthetic lip gloss applicator disposable brushes", + "fluoride lip gloss applicator disposable brushes", + "glass color lip gloss applicator disposable brushes", + "pink lip gloss applicator disposable brushes", + "fluoride applicator disposable brushes", + "glass lip gloss applicator disposable brushes", + "fluoride applicator disposable brushes 200", + "lip gloss applicator disposable brushes" + ], + "i would like some blueberry acai jelly beans in a resealable bag.": [ + "blueberry acai jelly beans in a resealable bag", + "blueberry acai jelly beans resealable bag", + "blueberry acai jelly beans", + "blueberry acai jelly beans, resealable bag", + "blueberry acai jelly beans resealable", + "blueberry acai jelly beans that are resealable", + "blueberry acai jelly beans resealable bag.", + "blueberry acai jelly beans in resealable bag", + "blueberry acai jelly beans a resealable bag", + "blueberry acai jelly beans, resealable" + ], + "i would like a #1 lip stain that is paraben and alcohol free.": [ + "lip stain paraben and alcohol free", + "lip stain that is paraben free", + "lip stain paraben", + "lip stain paraben alcohol free", + "lip stain paraben, alcohol free", + "lip stain paraben no alcohol", + "lip stain paraben free", + "lip stain no paraben and alcohol", + "lip stain that is paraben", + "lip stain" + ], + "i would like a perfect bread gift.": [ + "perfect bread gift", + "pink bread gift", + "perfect bread gift.", + "gluten-free bread gift", + "a perfect bread gift", + "a perfect bread gift.", + "gluten free bread gift", + "brittle gift", + "perfect bread gift for a woman", + "perfect bread gift under 30 dollars" + ], + "i would like some yellow stainless steel nail clippers": [ + "yellow stainless steel nail clippers", + "yellow stainless steel nail clippers that are easy to use", + "yellow stainless steel nail clippers under $40", + "yellow stainless steel nail clippers under $50", + "yellow stainless steel nail clippers under $60", + "yellow stainless steel nail clippers that are easy to handle", + "yellow stainless steel nail clippers that are easy to clean", + "yellow stainless steel nail clippers under 50 dollars", + "yellow stainless steel nail clippers,", + "yellow steel nail clippers" + ], + "get me fleece lined khaki pants with elastic band in x-large size.": [ + " fleece lined khaki pants x-large", + " fleece lined khaki pants in x-large size", + "fleece lined khaki pants x-large", + " fleece lined khaki pants in x-large", + " fleece lined khaki pants x-large size", + " fleece lined khaki pants", + " fleece lined khaki pants with elastic band", + "f fleece lined khaki pants x-large", + "pink fleece lined khaki pants x-large", + "fleece lined khaki pants in x-large" + ], + "i want gray milin 100% blackout roller shades for my living room.": [ + "gray milin 100% blackout roller shades for my living room", + "gray milin 100% blackout roller shades", + "gray milin 100% blackout roller shades for living room", + "gray milin 100% blackout roller shades for the living room", + "gray milin 100% blackout roller shades living room", + "gray milin 100% blackout roller shades in my living room", + "gray milin 100% blackout roller shades for a living room", + "gray milin 100% blackout roller shades for living room.", + "gray milin 100% blackout roller shades, living room", + "grey milin 100% blackout roller shades" + ], + "i am looking for some light brown easy to install roller shades for my living room.": [ + "light brown easy to install roller shades for living room", + "light brown easy to install roller shades", + "easy to install roller shades for living room", + "light brown easy to install roller shades living room", + "easy to install roller shades for my living room", + "easy to install roller shades for my living room.", + "easy to install roller shades for the living room", + "roller shades for living room", + "easy install roller shades for living room", + "roller shades" + ], + "i am looking for a pair of women's size small pants that are machine washable and made of stretch fabric.": [ + "womens size small pants made of stretch fabric", + "womens size small pants", + "womens size small pants made from stretch fabric", + "womens size small pants with stretch fabric", + "womens size small pants made out stretch fabric", + "womens size small pants in stretch fabric", + "womens size small pants under $40", + "womens size small pants, machine washable", + "womens small pants", + "woman size small pants" + ], + "i want pink and black machine washable nufoot ballet flats.": [ + "pink and black machine washable nufoot ballet flats", + "pink and black machine washable nufoot ballet flats.", + "pink and black machine washable nufoot ballet flats,", + "pink pink and black machine washable nufoot ballet flats", + "pink and black mens washable nufoot ballet flats", + "pink black machine washable nufoot ballet flats", + "pink, black machine washable nufoot ballet flats", + "pink nufoot ballet flats", + "pink and black mens nufoot ballet flats", + "pink and black nufoot ballet flats" + ], + "i would like a island strawberry gluten free drink mix.": [ + "an island strawberry gluten free drink mix", + " island strawberry gluten free drink mix", + "an island strawberry gluten free drink mix.", + "us strawberry gluten free drink mix", + "strawberry gluten free drink mix", + " island strawberry gluten free drink mix.", + "island strawberry gluten free drink mix", + "a island strawberry gluten free drink mix", + "indian strawberry gluten free drink mix", + "island strawberry gluten free drink mix." + ], + "i would like a pair of 4xl gray pants with a elastic closure.": [ + "4xl gray pants with a elastic closure", + "4 xl gray pants with a elastic closure", + "4xl gray pants with elastic closure", + "4xl gray pants elastic closure", + "4 xl gray pants with elastic closure", + "4 xl gray pants elastic closure", + "4xl gray pants that are elastic closure", + "4xl gray pants", + "4xl gray pants, elastic closure", + "4 xl gray pants" + ], + "hp all-in-one pc 23.8-inch(60.8 cm) fhd desktop pc intel core i5 4300u with alexa built-in (8gb/256gb ssd + 1tb": [ + "hp all-in-one pc 23.8-inch(60.8 cm) fhd desktop pc intel core i5 4300u", + "hp all-in-one pc 23.8-inch(60.8 cm)", + "hp all-in-one pc 23.8-inch(60.8 cm) fhd desktop pc intel core i5", + "desktop pc intel core i5 4300u with alexa built-in (8gb/256gb ssd + 1tb", + "desktop pc intel core i5 4300u with alexa built-in (8gb/256gb ssd + 1tb)", + "hp all-in-one desktop pc intel core i5 4300u with alexa", + "desktop pc intel core i5 4300u with alexa", + "hp all-in-one desktop pc intel core i5 4300u", + "desktop pc intel core i5 4300u", + "hp all-in-one pc 23.8-inch" + ], + "i am looking for a truffle garlic oil gift set": [ + "truffle garlic oil gift set", + "stuffle garlic oil gift set", + "truffle garlic oil gift set", + " truffle garlic oil gift set", + "toothpaste garlic oil gift set", + "bruffle garlic oil gift set", + "s truffle garlic oil gift set", + "truffle garlic oil gift set under 50 dollars", + "truffle garlic oil gift set under $50", + "truffle garlic oil gift set under $40" + ], + "i would like a blue green water resistant toiletry bag.": [ + "blue green water resistant toiletry bag", + "blue green water resistant toiletry bag.", + "blue water resistant toiletry bag", + "blue green water resistant toiletry bag,", + "blue human water resistant toiletry bag", + "green water resistant toiletry bag", + "blue and water resistant toiletry bag", + "bluegreen water resistant toiletry bag", + "blue water resistant toiletry bag.", + "blue green water resistant bathroomry bag" + ], + "i am looking for low sugar, low carb cocoa flavored peanut butter puffs,1 ounce (pack of 12)": [ + "low sugar low carb cocoa flavored peanut butter puffs,1 ounce (pack of 12)", + "low sugar peanut butter puffs,1 ounce (pack of 12)", + "low sugar, low carb cocoa flavored peanut butter puffs 1 ounce (pack of 12)", + "low sugar low carb cocoa flavored peanut butter puffs,1 ounce (pack of 12),", + "low sugar low carb cocoa flavored peanut butter puffs, 1 ounce (pack of 12)", + "low sugar low carb cocoa flavored peanut butter puffs 1 ounce (pack of 12)", + "low sugar high carb cocoa flavored peanut butter puffs,1 ounce (pack of 12)", + "low sugar peanut butter puffs 1 ounce (pack of 12)", + "low sugar peanut butter puffs, 1 ounce (pack of 12)", + "low sugar peanut butter puffs,1 ounce (pack of 12)," + ], + "i am looking for a classic fit medium t-shirt that is cranberry colored": [ + "classic fit medium t-shirt cranberry colored", + "classic fit medium t-shirt with cranberry colored", + "classic fit medium t-shirt, cranberry colored", + "classic fit medium t-shirt in cranberry colored", + "classic fit medium t-shirt", + "classic fit t-shirt that is cranberry colored", + "classic fit medium t-shirt under $50", + "classic fit medium t-shirt under $40", + "classic fit medium t-shirt under 50 dollars", + "classic fit medium t-shirt with cranberry color" + ], + "i want a sugar free prodough chocolate keto muffin mix.": [ + "sugar free prodough chocolate keto muffin mix", + "sugar free keto muffin mix", + "sugar free prodough chocolate keto muffin mix.", + "sugar free prodough chocolate keto muffin mix under $40", + "sugar free prodough chocolate keto muffin mix under $50", + "sugar free prodough chocolate keto muffin mix under $60", + "sugar free prodough chocolate keto muffin mix under 50 dollars", + "sugar free prodough chocolate keto muffin mix below $40", + "sugar free prodough chocolate keto muffin mix under 30 dollars", + "sugar free prodough chocolate keto muffin mix under 40 dollars" + ], + "i'm looking for a light fixture farmhouse pendant light, preferably the white color.": [ + "light fixture farmhouse pendant light", + "farmhouse pendant light white", + "light fixture farmhouse pendant light white", + "light fixture farmhouse pendant light in white", + "light fixture farmhouse pendant light, white", + "farmhouse pendant light, white", + "farmhouse pendant light", + "pendant light farmhouse pendant light", + "farmhouse pendant light, preferably the white", + "pendant light farmhouse pendant light white" + ], + "i'm looking for a vinyl acetate women athletic shoes. preferably the pink color.": [ + "vinyl acetate women athletic shoes in pink", + "vinyl acetate women athletic shoes", + "vinyl acetate women athletic shoes pink", + "vinyl acetate women athletic shoes, pink", + "a vinyl acetate women athletic shoes in pink", + "levisate women athletic shoes in pink", + " vinyl acetate women athletic shoes in pink", + "a vinyl acetate women athletic shoes, pink", + "levisate women athletic shoes pink", + "pink women athletic shoes" + ], + "braided synthetic hair bundle": [ + "braided synthetic hair bundle", + "braided synthetic hair bundle under $50", + "braided synthetic hair bundle under $40", + "braided synthetic hair bundle under $60", + "braided synthetic hair bundle under 50 dollars", + "braided synthetic hair bundle, less then $40", + "braided synthetic hair bundle, less than $40", + "braided synthetic hair bundle under $120", + "braided synthetic hair bundle under $130", + "braided synthetic hair bundle, less then $60" + ], + "i'm looking for a small black t-shirt for women with alpaca design and manchine wash": [ + "small black t-shirt for women", + "small black t-shirt", + "small black t-shirt with alpaca design", + "small black t-shirt for women alpaca design", + "small black woman t-shirt with alpaca design", + "small black t-shirt woman with alpaca design", + "small black women t-shirt with alpaca design", + "small black t-shirt women with alpaca design", + "small black t-shirt for women with alpaca", + "small black woman t-shirt" + ], + "i would like a lemonade made with real fruit and natural flavors.": [ + "lemonade with real fruit natural flavors", + "lemonade natural", + "lemonade made with real fruit natural", + "lemonade with real fruit natural flavor", + "lemonade with real fruit natural", + "lemonade made natural flavors", + "lemonade made with real fruit", + "lemonade real fruit natural", + "lemonade with real fruit", + "lemonade natural flavor" + ], + "i'm looking for farmhouse chandelier light with clear glass.": [ + "farmhouse chandelier light with clear glass", + "farmhouse chandelier light", + " farmhouse chandelier light with clear glass", + "farmhouse chandelier light with clear glass.", + "farmhouse chandelier light, clear glass", + "farminghouse chandelier light with clear glass", + "Farmhouse chandelier light with clear glass", + "farmhouse chandelier light with clear glass,", + "farmhouse chandelier light clear glass", + "farmhouse chandelier light no glass" + ], + "i am looking for 2 light grey chairs made of high density solid wood.": [ + "2 light grey chairs made of high density solid wood", + "light grey chairs made of high density solid wood", + "two light grey chairs made of high density solid wood", + "2 light grey chairs made from high density solid wood", + "2 light grey dining table made of high density solid wood", + "2 light grey chairs made of high density solid wood.", + "pair of light grey chairs made of high density solid wood", + "2 light grey chair made of high density solid wood", + "light grey chairs made from high density solid wood", + "2 light grey chairs made of high density solid wood," + ], + "i'm looking for a nickel finish valley lightning, preferably the old bronze color.": [ + " nickel finish valley lightning, old bronze color", + " nickel finish valley lightning", + "n nickel finish valley lightning", + " nickel finish valley lightning in old bronze color", + " nickel finish valley lightning color", + " nickel finish valley lightning in old bronze", + "nyl finish valley lightning", + "n nickel finish valley lightning color", + "n nickel finish valley lightning in old bronze", + "clockwise nickel finish valley lightning" + ], + "i would like a winter white floor lamp made with brushed nickel.": [ + "winter white floor lamp made with brushed nickel", + "winter white floor lamp with brushed nickel", + "winter white floor lamp made from brushed nickel", + "winter white floor lamp made with brushed nickel.", + "living room floor lamp made with brushed nickel", + " winter white floor lamp made with brushed nickel", + "floor lamp made with brushed nickel", + "wooden white floor lamp made with brushed nickel", + "winter white floor lamp", + "winter white floor lamp made with brushed nickel," + ], + "i need a bag for my hair styling tools": [ + "bag for hair styling tools", + "bag for my hair styling tools", + "bag of hair styling tools", + "bag for styling tools", + "bag hair styling tools", + "bag for the hair styling tools", + "bag for hair styling tools bag", + "bag to hair styling tools", + "bag with hair styling tools", + "bag" + ], + "i am looking for an easy to assemble 4 light vanity light.": [ + "easy to assemble 4 light vanity light", + "easy assemble 4 light vanity light", + "4 light vanity light", + "5 light vanity light", + "simple to assemble 4 light vanity light", + "4 light vanity light easy to assemble", + "living room 4 light vanity light", + "simple assemble 4 light vanity light", + "4 light vanity light easy assemble", + "3 light vanity light" + ], + "i would like a d20\u201dx h 30\u201d silver chandelier for the dining room.": [ + "d20\u201dx h 30\u201d silver chandelier dining room", + "d20\u201dx h 30\u201d silver chandelier for dining room", + "d20\u201dx h 30\u201d silver chandelier", + "d20\u201dx h 30\u201d silver chandelier dining room.", + "silver chandelier dining room d20\u201dx h 30\u201d", + "d20\u201d x h 30\u201d silver chandelier dining room", + " d20\u201dx h 30\u201d silver chandelier dining room", + "a d20\u201dx h 30\u201d silver chandelier dining room", + "silver chandelier dining room", + "d20\u201dx h 30\u201d silver chandelier dining room," + ], + "i'm looking for colorful rainbow gradient lattice window coverings film.": [ + "rainbow gradient lattice window coverings film", + "rainbow gradient lattice window coverings film.", + "rainbow gradient lattice window coverings", + "colored rainbow gradient lattice window coverings film", + "pink rainbow gradient lattice window coverings film", + "color rainbow gradient lattice window coverings film", + "plastic rainbow gradient lattice window coverings film", + "rainbow gradient lattice window coverings film,", + "rainbow color lattice window coverings film", + "rainbow gradient lattice window coverings film color" + ], + "i'm looking for a beauty salon table towel.": [ + "beauty salon table towel", + "beauty salon table towel.", + "beauty salon table towel under $50", + "beauty salon table towel under $40", + "beauty salon table towel under 50 dollars", + "beauty salon table towel under $60", + "beauty salon table towel under 30 dollars", + "beauty salon table towel under 40 dollars", + "beauty salon table towel under 60 dollars", + "beauty salon table towel under $130" + ], + "you can help me find on the web men's guide gear cargo joggers sweatpants, jogger pants, straight leg and for a gift. size has to be medium": [ + "com mens guide gear cargo joggers sweatpants", + "mens guide gear cargo joggers sweatpants", + "web mens guide gear cargo joggers sweatpants", + "curtains joggers sweatpants, jogger pants, straight leg", + "com mens guide gear cargo joggers sweatpants, jogger pants", + "web mens guide gear cargo joggers sweatpants, jogger pants", + "mens guide gear cargo joggers sweatpants, jogger pants", + "curtains joggers sweatpants", + "commens guide gear cargo joggers sweatpants", + "moisturizing joggers sweatpants" + ], + "i want a set of 2 mesh laundry bags sea turtle.": [ + "sea turtle mesh laundry bags", + "2 mesh laundry bags sea turtle", + "sea turtle set 2 mesh laundry bags", + "sea turtle mesh laundry bag", + "sea turtle 2 mesh laundry bags", + "sea turtle mesh laundry bags 2 mesh", + "teeth laundry bags sea turtle", + "sea turtle mesh laundry bags set 2", + "sea turtle set", + "sea turtle" + ], + "i would like a wired 8 cam motion detection surveillance camera.": [ + "wireless 8 cam motion detection surveillance camera", + "wirewire 8 cam motion detection surveillance camera", + "wireled 8 cam motion detection surveillance camera", + "wirelessly wired 8 cam motion detection surveillance camera", + " wired 8 cam motion detection surveillance camera", + "wireened 8 cam motion detection surveillance camera", + "wirefreeze 8 cam motion detection surveillance camera", + "wireed 8 cam motion detection surveillance camera", + "wirefree 8 cam motion detection surveillance camera", + "wireless 8 cam motion detection surveillance camera." + ], + "toothpaste for dental cleaning - 60ml fresh breath freeorr": [ + "toothpaste for dental cleaning 60ml fresh breath free", + "toothpaste dental cleaning 60ml fresh breath free", + "toothpaste for dental cleaning60ml fresh breath free", + "toothpaste for dental cleaning", + "toothpaste oral cleaning 60ml fresh breath free", + "toothpaste, dental cleaning 60ml fresh breath free", + "toothpaste dental cleaning - 60ml fresh breath free", + "toothpaste for dental cleaning with fresh breath free", + "toothpaste", + "toothpaste no fluoride" + ], + "i am looking for a variety pack of keto friendly energy drinks": [ + "keto friendly energy drinks variety pack", + "keto friendly energy drinks", + "keto friendly energy drink variety pack", + "variety pack of keto friendly energy drinks", + " variety pack of keto friendly energy drinks", + "com variety pack of keto friendly energy drinks", + "competition pack of keto friendly energy drinks", + "keto friendly energy drinks variety pack keto", + "keto friendly energy drinks variety pack", + "keto friendly energy drink variety" + ], + "i want luxshiny 72pcs halloween cupcake picks.": [ + "fluxshiny 72pcs halloween cupcake picks", + " luxshiny 72pcs halloween cupcake picks", + "luxshiny 72pcs halloween cupcake picks", + "luxshiny 72pcs halloween cupcake picks", + "lipshiny 72pcs halloween cupcake picks", + " luxshiny 72pcs halloween cupcake picks.", + "fauxshiny 72pcs halloween cupcake picks", + "fluxshiny 72pcs halloween cupcake pick", + "levisshiny 72pcs halloween cupcake picks", + "luxshiny 72pcs halloween cupcake picks." + ], + "i want navy skechers men's gowalk shoes made with vinyl acetate.": [ + "navy skechers mens gowalk shoes made with vinyl acetate", + " navy skechers mens gowalk shoes made with vinyl acetate", + "anal skechers mens gowalk shoes made with vinyl acetate", + "navy skechers mens gowalk shoe made with vinyl acetate", + "navy skechers mens gowalk shoes with vinyl acetate", + "a navy skechers mens gowalk shoes made with vinyl acetate", + "natals skechers mens gowalk shoes made with vinyl acetate", + "navy skechers mens gowalk shoes", + "womens gowalk shoes made with vinyl acetate", + " navy skechers mens gowalk shoes" + ], + "i'm looking for a fluoride free toothpaste which is clinically proven for sensitive teeth.": [ + "fluoride free toothpaste for sensitive teeth", + "fluoride free toothpaste", + "fluoride free toothpaste, clinically proven for sensitive teeth", + "fluoride free toothpaste clinically proven for sensitive teeth", + "fluoride free toothpaste for sensitive teeth.", + "fluoride free toothpaste with sensitive teeth", + "fluoride free toothpaste clinically proven for sensitive teeth.", + "fluoride free toothpaste, clinically proven, sensitive teeth", + "fluoride free toothpaste, clinically proven", + "fluoride free toothpaste that is clinically proven" + ], + "i'm looking for a glass screen protector for samsung galaxy a13 5g.": [ + "glass screen protector for samsung galaxy a13", + "glass screen protector samsung galaxy a13", + "samsung galaxy a13 5g screen protector", + "window protector samsung galaxy a13 5g", + "glass screen protector samsung galaxy 5g", + "glass screen protector samsung galaxy", + "a13 samsung screen protector", + "glass screen protector for samsung galaxy", + "a13 5g screen protector", + "glass screen protector" + ], + "show me a silver colored 2.4ghz intel core i5 laptop with 1.4ghz processor - 8gb ram 256gb ssd capacity.": [ + "silver colored 2.4ghz intel core i5 laptop with 8gb ram 256gb ssd capacity", + "silver colored 2.4ghz intel core i5 laptop with 8gb ram 256gb ssd", + "silver colored i5 laptop with 1.4ghz processor - 8gb ram 256gb ssd capacity", + "silver colored i5 laptop with 1.4ghz processor - 8gb ram 256gb ssd", + "silver colored 2.4ghz intel core i5 laptop with 8gb ram 128gb ssd capacity", + "silver colored 2.4ghz intel core i5 laptop", + "silver colored 2.4ghz intel core i5 laptop with 8gb ram 256gb ssd storage", + "silver colored 2.4ghz intel core i5 laptop with 8gb ram 256gb ssd,", + "silver colored laptop with 1.4ghz processor - 8gb ram 256gb ssd capacity", + "i5 laptop with 1.4ghz processor - 8gb ram 256gb ssd capacity" + ], + "i would like a presentation remote that is easy to use": [ + "a presentation remote that is easy to use", + "portrait remote that is easy to use", + "portrait remote easy to use", + "projection remote that is easy to use", + "easy to use presentation remote", + "projection remote easy to use", + "plastic presentation remote easy to use", + "compact remote easy to use", + "plastic presentation remote", + "pink presentation remote" + ], + "i am looking for a nut and gluten free wild blueberry preserve.": [ + "wild blueberry preserve", + "wild blueberry preserve nut and gluten free", + "wild blueberry preserve nut free", + "nut and gluten free wild blueberry preserve", + "wild blueberry preserve, nut and gluten free", + "a nut and gluten free wild blueberry preserve", + "wild blueberry preserve that is nut free", + "wild blueberry preserve. nut and gluten free", + "wild blueberry preserve.", + "wild blueberry preserve under $40" + ], + "i m looking for a 8 no. vinyl acetate man's sandals": [ + "8 no. vinyl acetate mans sandals", + " 8 no. vinyl acetate mans sandals", + "8no. vinyl acetate mans sandals", + "8 no. vinyl acetate mans sandals,", + "8 no vinyl acetate mans sandals", + "8 vinyl acetate mans sandals", + "8 foot vinyl acetate mans sandals", + "8 ft vinyl acetate mans sandals", + "chocolate acetate mans sandals", + "no vinyl acetate mans sandals" + ], + "i want earth's best organic baby food.": [ + "earths best organic baby food", + "earths best organic baby food.", + "earths best organic baby food under $40", + "earth\u2019s best organic baby food", + "earths best organic baby food under $50", + "earths best organic baby food under $60", + "i want earths best organic baby food.", + "earth\u2019s best organic baby food.", + "earths best organic baby food under 30 dollars", + "earths top organic baby food" + ], + "i'm looking for perfect waterproof digital camera with 2.5 inch lcd screen.": [ + "waterproof digital camera with 2.5 inch lcd screen", + "pink waterproof digital camera with 2.5 inch lcd screen", + "waterproof digital camera 2.5 inch lcd screen", + "perfect waterproof digital camera with 2.5 inch lcd screen", + "2.5 inch lcd screen waterproof digital camera", + "portrait 2.5 inch lcd screen", + "perfect waterproof digital camera with 2.5 inch lcd screen.", + "waterproof digital camera with 2.5 inch lcd screen.", + "3.5 inch waterproof digital camera", + "waterproof digital camera with 2.5 inch lcd screen," + ], + "i would like a ginger boost gluten free bottle.": [ + "gmo boost gluten free bottle", + "gluten free bottle", + "gluten free bottle of ginger boost", + "gman boost gluten free bottle", + "ginger boost gluten free bottle", + "gluten free gmo boost bottle", + "gluten free bottle ginger boost", + "gmo boost gluten free bottle.", + "gluten free bottle.", + "gluten free bottle under $40" + ], + "i am looking for black color heeled sandals containing rubber sole.": [ + "black heeled sandals containing rubber sole", + "black heeled sandals with rubber sole", + "black color heeled sandals containing rubber sole", + "black sandals containing rubber sole", + "black color heeled sandals with rubber sole", + "black sandals with rubber sole", + "black heeled sandals containing rubber sole.", + "black heeled sandals, rubber sole", + "black heeled sandals containing rubber sole,", + "black stone heeled sandals containing rubber sole" + ], + "i need a slip on shoes with rubber sole . and i choose the 14\" size with burgundy color": [ + "slip on shoes 14 in burgundy", + "teen slip on shoes with rubber sole", + "slip on shoes with rubber sole 14 size", + "slip on shoes 14 size burgundy", + "16 slip on shoes with rubber sole", + "slip on shoes with rubber sole 14", + "slide on shoes 14 in burgundy", + "slip on shoes 14 in burgundy color", + "14 slip on shoes with rubber sole", + "slip on shoes with burgundy color 14" + ], + "i am looking for non gmo , gluten free organic cinnamon syrup": [ + "non gmo gluten free organic cinnamon syrup", + "non gmo , gluten free organic cinnamon syrup", + "non gmo cinnamon syrup", + "non gmo, gluten free organic cinnamon syrup", + "non gmo organic cinnamon syrup", + "non gmo and gluten free organic cinnamon syrup", + "non gmo natural cinnamon syrup", + "non-gmo gluten free organic cinnamon syrup", + "non gmo gluten free natural cinnamon syrup", + "non gmo gluten free cinnamon syrup" + ], + "i want a large and short sleeve womens down vest.": [ + "womens down vest", + "large and short sleeve womens down vest", + "womens down vest.", + "womens down vest large and short", + "large long sleeve womens down vest", + "large short sleeve womens down vest", + "womens down vest that is large", + "womens down vest large", + "womens down vest, large", + "mens down vest" + ], + "i am looking for a men's size 14 sneaker with a synthetic sole.": [ + "mens size 14 sneaker with a synthetic sole", + "mens size 14 sneaker", + "mens size 14 sneaker with a synthetic sole.", + "mens size 14 sneaker with a synthetic sole,", + "mens size 14 sneaker with a synthetic sole", + "mens size 14 sneaker with synthetic sole", + "mens size 14 sneaker, synthetic sole", + "mens sized 14 sneaker with a synthetic sole", + "mens size 14 sneaker synthetic sole", + "mens sneaker with a synthetic sole" + ], + "i would like a long lasting lipstick in the color emma": [ + "long lasting lipstick in the color emma", + "pink lipstick in the color emma", + "lip color emma long lasting", + "lip lipstick in the color emma", + "lens in the color emma", + "l lipstick in the color emma", + "lipstick in the color emma", + "lip color emma", + "long lasting lipstick color emma", + "long lasting lipstick" + ], + "i am looking for a black quad core tablets": [ + "black quad core tablets", + "black quad core tablets under $40", + "black quad core tablets under $130", + "black quad core tablets under $50", + "black quad core tablets that are black", + "black quad core tablets under $60", + "black quad core tablets under $120", + "black quad core tablets,", + "black quad core tablet", + "black quad core tablets black" + ], + "i would like a galaxy a12 pink phone case with a tempered glass screen.": [ + " galaxy a12 pink phone case with a tempered glass screen", + "a12 pink phone case with a tempered glass screen", + "galaxy a12 pink phone case", + "galaxy a12 pink phone case with a tempered glass", + "galaxy a12 pink phone case with tempered glass screen", + " galaxy a12 pink phone case with a tempered glass", + "alarm pink phone case with a tempered glass screen", + " galaxy a12 pink phone case", + "a12 pink phone case with a tempered glass screen.", + "galaxy a12 pink phone case, tempered glass" + ], + "i would like a pair of small olive scrub bottoms with a relaxed fit.": [ + "small olive scrub bottoms with a relaxed fit", + "small olive scrub bottoms", + "small olive scrub bottoms with a relaxed fit.", + "small olive scrub bottoms, relaxed fit", + "small olive scrub bottoms with a relaxed fit,", + "two small olive scrub bottoms with a relaxed fit", + "small olive scrub bottoms relaxed fit", + "small olive scrub bottoms with relaxed fit", + "small olive scrub bottoms in a relaxed fit", + "small olive scrub bottoms that are relaxed fit" + ], + "i am interested in some monoculars that have optical zoom": [ + "monoculars with optical zoom", + "monoculars that have optical zoom", + "monoculars with an optical zoom", + "monoculars optical zoom", + "monoculars in optical zoom", + "optical zoom monoculars", + "monoculars with zoom", + "monoculars", + "monoculars zoom", + "monocular" + ], + "i would like a fluoride free mouth wash made with natural ingredients.": [ + "fluoride free mouth wash", + "fluoride free mouth wash natural", + "fluoride free mouth wash no natural", + "fluoride free mouth wash, natural", + "fluoride free mouth wash made", + "fluoride free mouth wash made natural", + "tooth wash natural no fluoride", + "focal free mouth wash", + "facial wash natural", + " fluoride free mouth wash" + ], + "i want a earbud wireless bluetooth": [ + "earbud wireless bluetooth earbud", + "earbud wireless bluetooth", + "i want a earbud wireless bluetooth speaker under 30 dollars", + "i want a earbud wireless bluetooth speaker under 50 dollars", + "alarm wireless bluetooth earbud", + "i want a earbud wireless bluetooth speaker under $40", + "pocket wireless bluetooth earbud wireless", + " earbud wireless bluetooth", + "phone bluetooth earbud wireless", + "e earbud wireless bluetooth" + ], + "i need a 038 | honey beige long lasting foundation which is cruelty,oil,alcohol and paraben free.": [ + "honey beige long lasting foundation which is cruelty,oil,alcohol and paraben free", + "038 honey beige long lasting foundation which is cruelty,oil,alcohol and paraben free", + "138 honey beige long lasting foundation which is cruelty,oil,alcohol and paraben free", + "pink honey beige long lasting foundation which is cruelty,oil,alcohol and paraben free", + "28 honey beige long lasting foundation which is cruelty,oil,alcohol and paraben free", + "02 honey beige long lasting foundation which is cruelty,oil,alcohol and paraben free", + "honey beige long lasting foundation that is cruelty,oil,alcohol and paraben free", + "honey beige long lasting foundation which is cruelty,oil,alcohol and paraben free.", + "honey beige long lasting foundation", + "038 honey beige long lasting foundation" + ], + "i want blue egg gender reveal cupcake toppers for my baby shower.": [ + "blue egg gender reveal cupcake toppers for baby shower", + "blue egg gender reveal cupcake toppers for a baby shower", + "blue egg gender reveal cupcake toppers for baby shower.", + "blue egg gender reveal cupcake toppers baby shower", + "blue egg gender reveal cupcake toppers", + "blue egg gender reveal cupcake toppers for my baby shower", + "blue egg baby shower cupcake toppers", + "blue egg gender reveal cupcake toppers, baby shower", + "blue egg gender reveal cupcake toppers forbaby shower", + "blue egg gender reveal cupcake toppers for an baby shower" + ], + "i would like a 2 piece window film set for the dining room": [ + "window film set dining room 2 piece", + "window film set for dining room", + "window film set for dining room 2 piece", + "window film set dining room", + "2 piece window film set dining room", + "window film set for the dining room", + "2 piece window film set for dining room", + "window film set dining room 2 pieces", + "window film set dining room, 2 piece", + "window film set for dining room 2 pieces" + ], + "i am looking for a pack of 720 high performance aaa batteries.": [ + "pack of 720 high performance aaa batteries", + "pack of 720 high performance aaa batteries.", + "aaa batteries pack of 720 high performance", + "curtains of 720 high performance aaa batteries", + "curtains 720 high performance aaa batteries", + " pack of 720 high performance aaa batteries", + "bag of 720 high performance aaa batteries", + "aaa batteries pack of 720", + "aaa batteries pack 720 high performance", + "aaa batteries pack" + ], + "i need a high performance 48 count set a batteries": [ + "high performance 48 count set a batteries", + "low performance 48 count set a batteries", + "high performance 48 count set of batteries", + "48 count set a batteries", + "high performance 48 count batteries", + "high performance 48 count set", + " 48 count set a batteries", + "50 count set a batteries", + "high performance 48 count", + "48 count batteries" + ], + "let's buy a light weight cell phone case.": [ + "light weight cell phone case", + "cell phone case light weight", + "low weight cell phone case", + "cell phone case", + "phone case light weight", + "pocket phone case light weight", + "pocket phone case", + "cell phone case.", + "carport phone case", + "phone case" + ], + "i want a red machine washable slow down men's ultra lightweight jacket.": [ + "red machine washable slow down mens ultra lightweight jacket", + "red machine washable mens ultra lightweight jacket", + "red machine washable fast down mens ultra lightweight jacket", + "red machine washable lightweight jacket", + "red machine washable mud down mens ultra lightweight jacket", + "red machine washable low down mens ultra lightweight jacket", + "red machine washable mens ultra lightweight jacket.", + "red mens ultra lightweight jacket", + "red machine washable low weight mens ultra lightweight jacket", + "red machine washable mens ultra lightweight jacket," + ], + "i am looking for ready to use gluten free tomato stew sauce made with extra virgin olive oil. and i choose a packet of 4 with mama's everything sauce": [ + "plantario stew sauce made with extra virgin olive oil", + "gluten free tomato stew sauce", + "plantate stew sauce made with extra virgin olive oil", + "gluten free tomato stew sauce mamas everything sauce", + "plantarian stew sauce made with extra virgin olive oil", + "ready to use gluten free tomato stew sauce", + "gluten free tomato stew sauce under $40", + "gluten free tomato stew sauce pomegranate", + "paleo stew sauce", + "plantario stew sauce" + ], + "i would like two strawberry and 2 peach lip balms that are made from seed oil.": [ + "two strawberry and 2 peach lip balms", + "pomegranate lip balms made from seed oil", + "two strawberry and 2 peach lip balms made from seed oil", + "pomegranate lip balms that are made from seed oil", + " strawberry and 2 peach lip balms that are made from seed oil", + "strawberry and 2 peach lip balms made from seed oil", + "two strawberry lip balms made from seed oil", + "strawberry and 2 peach lip balms", + "2 strawberry and 2 peach lip balms", + "pomegranate lip balms" + ], + "i would like non toxic press on nails that are the color jp939": [ + "non toxic press on nails color jp939", + "non toxic press on nails in jp939", + "non toxic nail polish color jp939", + "non toxic press nails color jp939", + "non toxic press on nails colored jp939", + "non toxic press on nails jp939", + "non toxic press nail polish color jp939", + "non toxic press on nails", + "non toxic press on nails, jp939", + "non toxic press nails" + ], + "i would like two packs of fluoride free toothpaste.": [ + "two packs of fluoride free toothpaste", + "fluoride free toothpaste two packs", + "two packs of fluoride free toothpaste.", + "fluoride free toothpaste two pack", + "two packs of fluoride free toothpaste,", + "two pack of fluoride free toothpaste", + "fluoride free toothpaste", + "fluoride free toothpaste 2 packs", + "twin packs of fluoride free toothpaste", + "fluoride free toothpaste 2 pack" + ], + "hello, i want a music stereo for my car. bluetooth please. i would appreciate it being hands free as well": [ + "a music stereo for my car", + "musical stereo", + "music stereo for my car", + "musical stereo for car", + "musical stereo for the car", + "musical stereo for a car", + "soundproof car stereo", + "a music stereo", + "burgling stereo", + "music stereo" + ], + "i want a large summer o neck women's short sleeve blouse.": [ + "large summer o neck womens short sleeve blouse", + "large summer o neck womens blouse", + "small summer o neck womens short sleeve blouse", + "womens short sleeve blouse", + "mens short sleeve blouse", + "large summer o neck womens blouse.", + "womens short sleeve blouse.", + "lens short sleeve blouse", + "large long sleeve blouse", + "slimming blouse" + ], + "i am looking for certified organic regular rolled oats, 25 pound (pack of 1)": [ + "25 pound (pack of 1) certified organic regular rolled oats", + "certified organic regular rolled oats 25 pound (pack of 1)", + "certified organic regular rolled oats, 25 pound (pack of 1)", + "23 pound (pack of 1) certified organic regular rolled oats", + "12 pound (pack of 1) certified organic regular rolled oats", + "curtains organic regular rolled oats 25 pound (pack of 1)", + "50 pound (pack of 1) certified organic regular rolled oats", + "25 pound (pack of 1), certified organic regular rolled oats", + "certified organic regular rolled oats, 25 pound (pack of 1),", + "certified organic regular rolled oats 25 pound (pack of 1)," + ], + "i would like some wild caught sardines that are in water": [ + "wild sardines in water", + "wild sardines that are in water", + "wild sardines in water under $50", + "wild caught sardines in water", + "wild sardines in water under $40", + "wild sardine sardines in water", + "wild sardines in water under $60", + "wild sardines under $50", + "wild sardines under $40", + "wild sardines in water under 50 dollars" + ], + "i am looking for a travel mirror that is easy to carry": [ + "easy to carry travel mirror", + "easy-to-carry travel mirror", + "travel mirror that is easy to carry", + "pocket mirror that is easy to carry", + "travel mirror easy to carry", + "5 ft travel mirror", + "pocket mirror", + "tour mirror easy to carry", + "travel mirror", + "easy to carry travel mirror," + ], + "i'm looking for a set of 14 inch human hair extensions in #3t613 ombre dark brown to bleach blonde color.": [ + "human hair extensions #3t613 ombre dark brown to bleach blonde", + "human hair extensions color 3t613 ombre dark brown to bleach blonde", + "human hair extensions in a dark brown to bleach blonde color", + "human hair extensions in #3t613 ombre dark brown", + "human hair extensions that are dark brown to bleach blonde", + "human hair extensions color 3t613 dark brown to bleach blonde", + "human hair extensions 14 inch dark brown to bleach blonde", + "human hair extensions #3t613 ombre dark brown", + "human hair extensions color 3t613 ombre dark brown", + "human hair extensions 14 inch dark brown to bleach blonde color" + ], + "find mouthwash, tartar stain removal, fresh breath, for daily life, for my bad breath !": [ + "tartar stain removal", + "tartar stain removal, fresh breath", + "tartar stain removal for my bad breath", + "tartar stain removal for daily breath", + "toothwash, tartar stain removal, fresh breath", + "tartar stain removal fresh breath", + "tartar stain removal, fresh breath,", + "waterwash, tartar stain removal, fresh breath", + "tartar stain removal for fresh breath", + "mouthwash, tartar stain removal, fresh breath" + ], + "i would like a 12 fluid ounce blonde low calorie non alcoholic drink.": [ + "12 fluid ounce blonde low calorie non alcoholic drink", + "12oz ounce blonde low calorie non alcoholic drink", + "12oz blonde low calorie non alcoholic drink", + "12oz non alcoholic drink", + "12oz bottle blonde low calorie non alcoholic drink", + "12 oz blonde low calorie non alcoholic drink", + "12oz non alcoholic drink 12 oz", + "12 fluid ounce non alcoholic drink", + "12oz non alcoholic drink under $50", + "12oz non alcoholic drink under $60" + ], + "i would like to buy a nail buffer to take care of dead skin and in style1.": [ + "nail buffer to take care of dead skin", + "nude buffer to take care of dead skin", + "nail buffer for dead skin in style1", + "nude buffer for dead skin in style1", + "nail buffer for dead skin style1", + "nude buffer for dead skin style1", + "nude buffer for dead skin", + "nail buffer for dead skin", + "nude buffer", + "nail buffer" + ], + "i'm looking for milk based organic formula for baby.": [ + "milk based organic formula for baby", + "milky based organic formula for baby", + "milking based organic formula for baby", + " milk based organic formula for baby", + "milk based organic formula baby", + "milk based organic formula baby shower", + "baby formula milk based organic", + "baby formula for baby", + "natural formula for baby", + "milk based organic formula" + ], + "i need a slim fit t-shirt that is blue and a large": [ + "slim fit t-shirt blue", + "slim fit t-shirt blue and large", + "slim fit t-shirt that is blue", + "slim fit t-shirt", + "blue slim fit t-shirt", + "slim fit t-shirt in blue", + "slim fit t-shirt blue large", + "slim fit t-shirt large", + " slim fit t-shirt", + "blue t-shirt" + ], + "i would like to buy machine washable leggings in size 16 plus with an elastic waistband.": [ + "machine washable leggings in size 16 plus with an elastic waistband", + "machine washable leggings size 16 plus with an elastic waistband", + "machine washable leggings 16 plus with an elastic waistband", + "man washable leggings in size 16 plus with an elastic waistband", + "machine washable leggings size 16 plus elastic waistband", + "machine washable leggings in size 16 plus", + "machine washable leggings in size 16 plus elastic waistband", + "machine washable leggings size 16 with an elastic waistband", + "machine washable leggings size 16 plus with an elastic waistband.", + "machine washable leggings size 16 plus" + ], + "i would like a cake topper for a birthday party.": [ + "cake topper for a baby shower", + "cake topper for a birthday party", + "cake topper for a birthday party.", + "cake topper for a baby shower.", + "brittle topper for a baby shower", + "cake topper for a baby shower", + "birthday cake topper", + "a cake topper for a baby shower", + "cake toppers for a baby shower", + "a cake topper for a birthday party" + ], + "i would like some black high heels that are a size 6.5": [ + "black high heels size 6.5", + "black high heels in a size 6.5", + "black high heels size 6.5 black", + "black high heels a size 6.5", + "black high heels, size 6.5", + "black high heel size 6.5", + "black high heels with a size 6.5", + "black high heels", + "black high heels in size 6.5", + "black high heels, size 6.5," + ], + "i am looking for toiletries kit bag with water resistant feature and color should be green.": [ + "toiletries kit bag with water resistant feature and color should be green", + "toothries kit bag with water resistant feature and color should be green", + "iletries kit bag with water resistant feature and color should be green", + "bathroomries kit bag with water resistant feature and color should be green", + "tiletries kit bag with water resistant feature and color should be green", + "toiletries kit bag with water resistant feature green", + "toiletries kit bag with water resistant feature in green", + "toiletries kit bag with water resistant feature", + "toiletries kit bag green", + "towelries kit bag with water resistant feature green" + ], + "i want 42x84 inch, baby pink and gold color gorgeous unicorn eyelash print curtain for living or bed rooms.": [ + "baby pink and gold color gorgeous unicorn eyelash print curtain for living or bed rooms", + "42x84 inch baby pink and gold color gorgeous unicorn eyelash print curtain", + "42x84 inch, baby pink and gold color gorgeous unicorn eyelash print curtain", + "baby pink and gold color gorgeous unicorn eyelash print curtain", + "baby pink and gold color gorgeous unicorn eyelash print curtain for living or bed rooms.", + "pink and gold color gorgeous unicorn eyelash print curtain for living or bed rooms", + "50x84 inch baby pink and gold color gorgeous unicorn eyelash print curtain", + "40x84 inch baby pink and gold color gorgeous unicorn eyelash print curtain", + "baby pink and gold color gorgeous unicorn eyelash print curtain living or bed rooms", + "beautiful unicorn eyelash print curtain for living or bed rooms" + ], + "i need 5ft power cord cable for blu ray player and home theater system": [ + "5ft power cord cable for blu ray player and home theater system", + "5ft power cord cable for blu-ray player", + "5ft power cord cable for blu ray player", + "5ft power cord cable for blu-ray player home theater system", + "5ft power cord cable for blu ray player home theater system", + "5ft power cord for blu ray player and home theater system", + "5ft power cord for blu-ray player and home theater system", + "5ft power cord cable for blu ray player, home theater system", + "5ft power cord cable for bluray player and home theater system", + "5ft power cord cable for blu-ray player and home theater" + ], + "i am looking for a living room poster of fruit": [ + "living room poster of fruit", + "living room poster of fruit price lower than 50.00 dollars", + "living room poster of fruit price lower then 50.00 dollars", + "living room poster of fruit price lower then $40.00", + "living room poster of fruit price lower than 40.00 dollars", + "living room poster of fruit price lower than 30.00 dollars", + "living room poster of fruit price lower than $40.00", + "living room poster of fruit under $40", + "living room poster of fruit under 30 dollars", + "living room poster of fruit under $50" + ], + "i am looking for a green plants color wall art for my living room.": [ + "green plants color wall art", + "green plants color wall art for my living room", + "green plants color wall art for living room", + "green plants color wall art for the living room", + "green plants color wall art living room", + "green plants color wall art for a living room", + "green plants color wall art in a living room", + "green plant wall art for living room", + "green plants color wall art for living room.", + "green plant wall art" + ], + "i am looking for peanut butter chocolate cookie assortments that are dairy free": [ + " peanut butter chocolate cookie assortments that are dairy free", + "peanut butter chocolate cookie assortments that are dairy free", + "butter butter chocolate cookie assortments that are dairy free", + "pomegranate butter chocolate cookie assortments dairy free", + " peanut butter chocolate cookie assortments dairy free", + "peanut butter chocolate cookie assortments dairy free", + "lemon butter chocolate cookie assortments that are dairy free", + "pomegranate butter chocolate cookie assortments", + "butter butter chocolate cookie assortments dairy free", + "pomegranate butter chocolate cookie assortments no dairy" + ], + "i would like a desk made from engineered wood.": [ + "wood desk made from engineered wood", + "engineered wood desk", + "desktop made from engineered wood", + " desk made from engineered wood", + "wooden desk made from engineered wood", + "desktop desk made from engineered wood", + "wood desk made from engineered wood.", + "engineered wood desk desk", + " desk made from engineered wood.", + "wood desk made from engineered wood," + ], + "i'm looking for an individually wrapped bar snack cakes.": [ + "single wrapped bar snack cakes", + "bag snack cakes individually wrapped", + "packet snack cakes individually wrapped", + "bar snack cakes individually wrapped", + "packaged bar snack cakes", + " individually wrapped bar snack cakes", + "aluminum wrapped bar snack cakes", + "manual wrapped bar snack cakes", + "packet snack cakes", + " individually wrapped bar snack cakes." + ], + "i am looking for khaki colored house slippers with a non-slip grip in the size 11 wide.": [ + "kaki colored house slippers 11 wide", + "crawlin colored house slippers 11 wide", + " khaki colored house slippers 11 wide", + "c khaki colored house slippers 11 wide", + "curtains 11 wide", + "h khaki colored house slippers 11 wide", + "kaki colored house slippers", + "kaki colored house slippers 12 wide", + "home slippers 11 wide", + "bathroom slippers 11 wide" + ], + "i am looking for a high resolution car stereo system with mp-800 and the latest phonelink.": [ + "high resolution car stereo system with mp-800", + "car stereo system with mp-800", + "car stereo system with mp-800 and the latest phonelink", + "high resolution car stereo system with mp-800 under $40", + "high resolution car stereo system with mp-800 under $60", + "a high resolution car stereo system with mp-800", + "high resolution car stereo system with mp-800 under $120", + "high resolution car stereo system", + "electric car stereo system with mp-800", + "car stereo system" + ], + "i want to buy frame for bed platform which is eco friendly and with box spring, while the color i would prefer for it to be black and as for the size it should be king size.": [ + "frame for bed platform black", + "frame for bed platform in a black", + "frame for bed platform in black", + "frame for bed platform", + "frame for bed platform, black", + "frame for bed platform that is eco friendly", + "frame for bed platform which is eco friendly", + "frame for bed platform with eco friendly color", + "frame for bed platform black eco friendly", + "frame for bed platform white" + ], + "i need a classic fir t-shirt that is suitable for my wife. and i choose the orange one": [ + "classic fir t-shirt suitable for my wife.", + "classic fir t-shirt", + "classic fir t-shirt for wife", + "classic fir t-shirt suitable for my wife", + "classic fir t-shirt for a woman", + "classic fir t-shirt for woman", + "classic fir t-shirt in orange", + "classic fir t-shirt suitable for woman", + "classic fir t-shirt for a wife", + "classic fir t-shirt suitable for a woman" + ], + "i would like a 40 by 84 inch round frosted table pad for the dining room.": [ + "40 by 84 inch round frosted table pad dining room", + "40 by 84 inch round frosted table pad for dining room", + "40 by 84 inch round frosted table pad", + "40 by 84 inch round frosted table pad dining room.", + "40 x 84 inch round frosted table pad dining room", + "40 x 84 inch round frosted table pad for dining room", + "40 by 84 inch dining room table pad", + "40 by 84 inch round frosted table pad dining room,", + "40 by 84 inch round frosted dining room table pad", + "40 by 84 inch square frosted table pad dining room" + ], + "i would like some flouride free toothpaste": [ + "fluoride free toothpaste", + "flouride free toothpaste", + "brushed free toothpaste", + "faux free toothpaste", + "toothpaste flouride free", + "a flouride free toothpaste", + "brittle free toothpaste", + "gluten free toothpaste", + "fossilide free toothpaste", + " flouride free toothpaste" + ], + "i am looking for a black bike short that is made of nylon spandex. pick a size 16.": [ + "black bike short", + "black bike short in a size 16", + "black bike short size 16", + "black bikers short in a size 16", + "black bike short in nylon spandex", + "black bikes short in a size 16", + "black bike short 16 in a size 16", + "black bike short 16", + "black bike short", + "black bikes short" + ], + "looking for leather sole womans sandals with arch support also choose size 7 wide": [ + "leather sole womans sandals with arch support", + "leather sole womans sandals size 7 wide", + " leather sole womans sandals size 7 wide", + " leather sole womans sandals with arch support", + "womens sandals size 7 wide", + "shoes 7 wide leather sole womans sandals", + "shoes 7 wide leather sole womans", + "leather sole womans sandals", + "sneakers size 7 wide", + "sneakers 7 wide" + ], + "find me a white tablet with high performance with quad core": [ + "white tablet with high performance with quad core", + "white tablet high performance with quad core", + "white tablet with high performance quad core", + "white tablet with high performance", + "white tablet high performance quad core", + "white tablet with high performance and quad core", + "white tablet with high performance, quad core", + "white tablet, high performance with quad core", + "white tablet that is high performance quad core", + "white tablets with high performance with quad core" + ], + "i'm looking for a coral velvet microfiber hair towel wrap for women.": [ + "oral velvet microfiber hair towel wrap for women", + "coral velvet microfiber hair towel wrap for women", + "oral velvet microfiber hair towel wrap", + "al coral velvet microfiber hair towel wrap for women", + "roof velvet microfiber hair towel wrap for women", + "corals velvet microfiber hair towel wrap for women", + "sea velvet microfiber hair towel wrap for women", + "coal velvet microfiber hair towel wrap for women", + "coral velvet microfiber hair towel wrap", + "oral velvet microfiber hair towel wrap for women." + ], + "i'm looking for new year cupcake with glitter dessert muffins.": [ + "cupcake with glitter dessert muffins", + "new year cupcake with glitter dessert muffins", + "a new year cupcake with glitter dessert muffins", + "cupcake with glitter dessert muffins under $40", + "cupcake with glitter dessert muffins new year", + "cupcake with glitter dessert muffins under $60", + "cupcake with glitter dessert muffins under $50", + "new year cupcake glitter dessert muffins", + "cupcake with glitter", + "new year cupcake with glitter dessert muffins." + ], + "i would like a volumizing pomegranate conditioner made from seed oil.": [ + "volumizing pomegranate conditioner made from seed oil", + "pomegranate conditioner made from seed oil", + " volumizing pomegranate conditioner made from seed oil", + "levumizing pomegranate conditioner made from seed oil", + "vomizing pomegranate conditioner made from seed oil", + "vegan pomegranate conditioner made from seed oil", + "vozumizing pomegranate conditioner made from seed oil", + "voumizing pomegranate conditioner made from seed oil", + "vinylizing pomegranate conditioner made from seed oil", + "volumizing pomegranate conditioner made from seed oil." + ], + "i want a white emma + oliver kids 3 piece solid hardwood table and chair set for my dining room.": [ + "white emma + oliver kids 3 piece solid hardwood table and chair set dining room", + "white emma + oliver kids 3 piece solid hardwood dining room table and chair set", + "white emma + oliver kids 3 piece solid hardwood table and chair set", + "white emma + oliver kids 3 piece solid wood dining room table and chair set", + "3 piece solid hardwood table and chair set for dining room", + "3 piece solid hardwood table and chair set for my dining room", + "white emma + oliver kids dining room table and chair set", + "white emma + oliver kids 3 piece solid hardwood table dining room", + "3 piece solid hardwood table and chair set for my dining room.", + "white emma + oliver kids 3 piece solid hardwood table and chair" + ], + "i am looking for women's woodland texapore low rise hiking shoes. also ebony blue one.": [ + "womens woodland texapore low rise hiking shoes", + "womens woodland texapore low rise hiking shoes.", + "womens woodland texapore hiking shoes", + "womens woodland texapore hiking shoes ebony blue", + "womens woodland texapore hiking shoes, ebony blue", + "womens woodland texapore hiking shoes. also ebony blue", + "womens woodland texapore low rise hiking shoes ebony blue", + "womens woodland texapore hiking shoes.", + "womens woodland texapore low rise hiking shoes under $40", + "womens woodland hiking shoes ebony blue" + ], + "i would like a 4 ounce face moisturizer made with natural ingredients.": [ + "4 ounce face moisturizer made with natural ingredients", + "4 ounce face moisturizer", + "4 ounce face moisturizer with natural ingredients", + "4 ounce face moisturizer natural", + "4 ounce face moisturizer made from natural ingredients", + " 4 ounce face moisturizer made with natural ingredients", + "4 oz face moisturizer made with natural ingredients", + "4 ounce face moisturizer natural ingredients", + "4 ounce face moisturizer made with natural", + "4 ounce face moisturizer made natural ingredients" + ], + "can i get the heavy duty 2-gang, outlet toggle combination wall plate cover.": [ + "2-gang wall plate cover", + "2-gang, outlet toggle combination wall plate cover", + "heavy duty 2-gang wall plate cover", + "heavy duty 2-gang outlet toggle combination wall plate cover", + "2-gang outlet toggle combination wall plate cover", + "two-gang, outlet toggle combination wall plate cover", + "2-gang with outlet toggle combination wall plate cover", + "2-gang, outlet toggle combination wall plate cover.", + "2-gang wall plate cover under $40", + "heavy duty 2-gang wall plate cover under $40" + ], + "hello, i would like a gift set of chocolates with peanut products in it? preferably dusted chocolate toffee flavor": [ + "gift set of chocolates with peanut products", + "gift set of chocolates with peanut products flavor", + "gift set of chocolates chocolate toffee flavor", + "chocolates with peanut products", + "gift set of chocolates peanut products", + "bagel chocolates with peanut products", + "gift set of chocolate toffee flavor", + "chocolate toffee flavor", + "chocolates with peanut products in it", + "bagels with peanut products" + ], + "i am looking for ac dc adapter charger for my wireless bluetooth speaker.": [ + "ac dc adapter charger for bluetooth speaker", + "ac dc adapter charger for wireless bluetooth speaker", + "ac dc adapter charger for a bluetooth speaker", + "ac dc adapter charger", + "ac dc adapter charger for bluetooth speaker.", + "ac dc adapter charger wireless bluetooth speaker", + "ac dc charging charger for bluetooth speaker", + "ac dc charger for bluetooth speaker", + "ac dc adapter charger bluetooth speaker", + "ac dc adapter charger for bluetooth speakers" + ], + "i need a bronze colored high resolution digital camera that also has optical zoom lens.": [ + " bronze colored high resolution digital camera with optical zoom lens", + "golden colored high resolution digital camera with optical zoom", + "silver high resolution digital camera with optical zoom lens", + " bronze colored high resolution digital camera with optical zoom", + "silver high resolution digital camera with optical zoom", + "golden colored high resolution digital camera", + "silver colored high resolution digital camera with optical zoom lens", + " bronze colored high resolution digital camera", + " bronze colored high resolution digital camera with zoom lens", + "buffet colored high resolution digital camera with optical zoom" + ], + "i'm looking for vanilla meringues cookies, fat and gluten free": [ + "vanity meringues cookies fat and gluten free", + "vegan meringues cookies fat and gluten free", + "vanyl meringues cookies fat and gluten free", + "vanilla meringues cookies fat and gluten free", + " vanilla meringues cookies fat and gluten free", + "vegan chocolate meringues cookies fat and gluten free", + "pink meringues cookies fat and gluten free", + "plastic meringues cookies fat and gluten free", + "vanil meringues cookies fat and gluten free", + "a vanilla meringues cookies fat and gluten free" + ], + "i'm looking for gyufise glitter mounted butterfly cupcake toppers butterfly cupcake pick, pattern name: 1-multicolor birthday party decorations if you find it let me know soon": [ + "gmoufise glitter mounted butterfly cupcake toppers", + "gift glitter mounted butterfly cupcake toppers 1-multicolor", + "pink glitter mounted butterfly cupcake toppers 1-multicolor", + "1-multicolor butterfly cupcake toppers", + "gufise glitter mounted butterfly cupcake toppers", + "1-multicolor birthday party decorations", + "pink glitter mounted butterfly cupcake toppers", + "2-multicolor birthday party decorations", + "gift glitter mounted butterfly cupcake toppers", + "gmoufise glitter mounted butterfly cupcake toppers, pattern" + ], + "i want non gmo triscuit dill sea salt and olive oil crackers.": [ + "non gmo triscuit dill sea salt and olive oil crackers", + "non gmo triscuit dill sea salt with olive oil crackers", + "non gmo triscuit dill sea salt, olive oil crackers", + "gmo triscuit dill sea salt and olive oil crackers", + "mo triscuit dill sea salt and olive oil crackers", + "non gmo triscuit dill sea salt oil crackers", + "non gmo triscuit dill sea salt", + "non gmo triscuit dill sea salt under $40", + "non gmo triscuit dill sea salt seasoning", + "non gmo triscuit dill sea salt under $50" + ], + "i want a grey 3-piece faux leather tufted sectional sofa.": [ + "grey 3-piece faux leather tufted sectional sofa", + "grey 3-piece faux leather tufted sectional sofa.", + "grey 3-piece faux leather tufted sectional sofa,", + "grey 3-piece faux leather tufted sectional sofa under 30 dollars", + "grey 3-piece faux leather tufted sectional sofa under 50 dollars", + "grey 3-piece faux leather tufted sectional sofa under $50", + "grey 3-piece faux leather tufted sectional sofa under $40", + "grey 3ft faux leather tufted sectional sofa", + "grey 2-piece faux leather tufted sectional sofa", + "grey 3 piece faux leather tufted sectional sofa" + ], + "i want a 0.27 fl oz perfume bottle that is high in quality. it should be in travel size.": [ + "0.27 fl oz perfume bottle", + "1.27 fl oz perfume bottle", + "0.27 fl oz perfume bottle in travel size", + "pink perfume bottle that is high in quality", + "1.27 fl oz perfume bottle in travel size", + "0.27 fl oz perfume bottle travel size", + "1.27 fl oz perfume bottle travel size", + "pink perfume bottle in travel size", + "pink perfume bottle", + "pink perfume bottle travel size" + ], + "i would like a long lasting men's fragrance.": [ + "mens fragrance long lasting", + "long lasting mens fragrance", + "mens fragrance long lasting mens", + "mens fragrance long lasting", + "long lasting mens fragrance.", + "mens fragrance that is long lasting", + "mens fragrance", + "mens fragrance, long lasting", + "mas fragrance long lasting mens", + "mas fragrance long lasting" + ], + "i would like 10 ml of lavender face oil that's high quality.": [ + "10 ml of lavender face oil", + "10 ml lavender face oil", + "pavender face oil that is high quality", + "10 ml lavender face oil thats high quality", + "l lavender face oil that is high quality", + "10 ml lavender face oil, high quality", + "10 ml of lavender face oil high quality", + "pavender face oil high quality", + "lip oil 10 ml high quality", + "pavender face oil" + ], + "i want a silver star wars the mandalorian muted warrior t-shirt.": [ + "silver star wars t-shirt", + "the mandalorian muted warrior t-shirt", + "silver star wars mens t-shirt", + "silver star wars warrior t-shirt", + "the mandalorian muted warrior t-shirt.", + "silver star wars t-shirt.", + "silver star wars mens t-shirt.", + "silver star wars t-shirt under $40", + "silver star wars warrior t-shirt.", + "silver star wars" + ], + "i need easy to install white trim led light in pack of 18. tye color should be daylight 5000k.": [ + "easy to install white trim led light in pack of 18", + "easy to install white trim led light pack of 18", + "white trim led light in pack of 18", + "easy to install white trim led light in pack of 18 under $50", + "lighted white trim led light in pack of 18", + "white trim led light pack of 18", + "easy to install white trim led light", + "yellow trim led light in pack of 18", + "walking light in pack of 18", + "white trim led light" + ], + "would you find this curtain more easily than i can? fangsosolong dragon bedroom curtains with window cover decoration superior noise blocking reduce , machine washable for my boy's bedroom 63\" rod pocket w 52 l 95": [ + "fangsosolong dragon bedroom curtains with window cover decoration", + "fangsosolong dragon bedroom curtains", + "rfangsosolong dragon bedroom curtains with window cover decoration", + "fangsosolong dragon bedroom curtains with window cover", + "fangsosolong dragon bedroom curtains under $50", + "living room curtains with window cover decoration", + "living room curtain with window cover", + "living room curtain", + "window cover decoration", + "fluoride curtain" + ], + "get me a 10g protein per serving chocolate and peanut butter bars.": [ + "10g protein chocolate and peanut butter bars", + "chocolate peanut butter bars 10g protein", + "10g protein and peanut butter bars", + "chocolate peanut butter bar 10g protein", + "10g protein chocolate and peanut butter bar", + "chocolate and peanut butter bars 10g", + "chocolate and peanut butter bars", + "10g protein, peanut butter bars", + "10g protein", + "chocolate peanut butter bars" + ], + "i am looking of a balms & moisturizers for fine lines": [ + "balms & moisturizers for fine lines", + "balms and moisturizers for fine lines", + "balsms & moisturizers for fine lines", + "balm & moisturizers for fine lines", + " balms & moisturizers for fine lines", + "Balms & moisturizers for fine lines", + "balms & moisturizers fine lines", + "glm & moisturizers for fine lines", + "alarm moisturizers for fine lines", + "moisturizers for fine lines" + ], + "i would like a l5538-1 nail tip that is easy to apply": [ + "l5538-1 nail tip", + "l5538-1 nail tip easy to apply", + "lip tip l5538-1", + "lip tip l5538-1 easy to apply", + "lip tip that is easy to apply", + "l5538-1 nail tip under $50", + " l5538-1 nail tip", + "lip tip l5538-1 nail tip", + "l5538-1 nail tip under $60", + "lip tip" + ], + "searching to purchase a men's zerogrand hiker boot that is water resistant with rubber outsole in a size 10 1/2, either dark coffee or black in coloring. cole haan.": [ + "mens zerogrand hiker boot that is water resistant with rubber outsole, dark coffee or black in coloring", + "mens zerogrand hiker boot that is water resistant with rubber outsole, dark coffee or black", + "mens zerogrand hiker boot in a size 10 1/2, either dark coffee or black in coloring", + "mens zerogrand hiker boot that is water resistant with rubber outsole", + "mens zerogrand hiker boot, water resistant with rubber outsole, dark coffee or black in coloring", + "mens zerogrand hiker boot, water resistant with rubber outsole, dark coffee or black", + "mens zerogrand hiker boot that is water resistant", + "mens zerogrand hiker boot dark coffee", + "mens zerogrand hiker boot dark coffee or black", + "mens zerogrand hiker boot" + ], + "i am interested in a c colored cruelty free blush alongside a nailpolish": [ + "c colored cruelty free blush with a nailpolish", + "c colored cruelty free blush alongside a nailpolish", + "c colored cruelty free blush", + "cruelty free blush with a nailpolish", + "cruelty free blush with nailpolish", + "colored cruelty free blush with a nailpolish", + "c colored cruelty free blush, nailpolish", + "cruelty free blush", + "c colored cruelty free blush under $40", + "cruelty free blush under $40" + ], + "i am interested in a grey solid wood nightstand": [ + "grey solid wood nightstand", + "grey solid wood nightstand under $40", + "grey solid wood nightstand under $50", + "grey solid wood nightstand under $60", + "grey solid wood nightstand,", + "grey solid wood nightstand under 30 dollars", + "grey solid wood nightstand, under $40", + "grey solid wood nightstand, under $60", + "grey solid wood nightstand, under $50", + "grey stone nightstand" + ], + "i am looking for kosher certified ready to eat reese quartered artichoke hearts, in size 7 ounce (pack of 12)": [ + "kosher certified ready to eat reese quartered artichoke hearts, in size 7 ounce (pack of 12)", + "kosher certified ready to eat reese quartered artichoke hearts, in size 7 ounce (pack of 12),", + "kosher certified ready to eat reese quartered artichoke hearts", + "kosher certified ready to eat reese quartered artichoke hearts in size 7 ounce (pack of 12)", + "cl kosher certified ready to eat reese quartered artichoke hearts, in size 7 ounce (pack of 12)", + "kosher certified ready to eat reese quartered artichoke hearts in a size 7 ounce (pack of 12)", + "keto certified ready to eat reese quartered artichoke hearts, in size 7 ounce (pack of 12)", + "kosher certified ready to eat reese quartered artichoke hearts, size 7 ounce (pack of 12)", + "5 ounce (pack of 12) kosher certified ready to eat reese quartered artichoke hearts", + "cl kosher certified ready to eat reese quartered artichoke hearts" + ], + "i am looking for dining chairs of g-gray color for my living room.": [ + "dining chairs of g-gray color", + "living room dining chairs of g-gray color", + "living room dining chairs g-gray", + "g-gray dining chairs for living room", + "living room dining chairs in g-gray color", + "g-gray dining chairs for my living room", + "dining chairs g-gray color", + "dining chairs g-gray", + "g-gray dining chairs", + "living room dining chairs" + ], + "i want anti aging collagen boosting serum.": [ + "anti aging collagen boosting serum", + "anti aging collagen boosting serum.", + "anti aging collagen boosting serum under $50", + "anti aging collagen boosting serum under $40", + "anti aging collagen boosting serum under $60", + "anti aging collagen boosting serum that is anti aging", + "anti aging collagen boosting serum under 30 dollars", + "anti aging collagen boosting serum under 50 dollars", + "anti aging collagen boosting serum, anti aging", + "anti aging collagen boosting serum. anti aging collagen" + ], + "i am looking for a classic fit army green color shirts.": [ + "classic fit army green color shirts", + "classic fit army green color shirts.", + "classic fit army green color shirts under $40", + "classic fit army green color shirts under 50 dollars", + "classic fit army green color shirts under $50", + "classic fit army green color shirts under 40 dollars", + "classic fit army green color shirts under 30 dollars", + "classic fit army green color shirts under $60", + "classic fit army green color shirts under 60 dollars", + "classic fit army green color shirts below $40" + ], + "i am looking for medium size elastic waist loose fit workout running sweatpants for men": [ + "medium size elastic waist workout running sweatpants for men", + "medium size elastic waist loose fit workout running sweatpants", + "medium size elastic waist workout running sweatpants", + "medium size elastic waist loose fit workout running sweatpants men", + "medium size elastic waist running sweatpants for men", + "medium size elastic waist workouts running sweatpants for men", + "medium size elastic waist sweatpants for men", + "medium size elastic waist workout running sweatpants men", + "medium workout running sweatpants for men", + "medium size elastic waist sweatpants" + ], + "i am looking for a comfortable desk chair without wheels, for my living room, or dining room. i would like for it to have golden legs.": [ + "comfortable desk chair with golden legs", + "living room desk chair with golden legs", + "comfortable desk chair without wheels for living room with golden legs", + "comfortable desk chair without wheels for living room", + "comfortable desk chair with wheels for living room with golden legs", + "comfortable desk chair without wheels", + "comfortable desk chair with wheels for living room", + "comfortable desk chair with wheels", + "comfortable desk chair without wheels living room", + "comfortable desk chair" + ], + "i want a bag of high protein thailand unique jamaican crickets.": [ + "bag of high protein thailand unique jamaican crickets", + "bag of high protein thailand unique jamaican crickets.", + "bag of high protein thailand special jamaican crickets", + "bag of high protein thailand style jamaican crickets", + "bag of high protein thailand-style jamaican crickets", + "bag of high protein thailand jamaican crickets", + "bag of high protein thailand unique jamaican crickets,", + "bag of high protein thailand unique jamaican crickets bag", + "bag of high protein jamaican crickets", + "pack of high protein thailand unique jamaican crickets" + ], + "find some 5 ounce gluten free herbs.": [ + "5 ounce gluten free herbs", + "gluten free herbs 5 ounce", + "5 ounce gluten free herbs under $40", + "find some 5 ounce gluten free herbs.", + "5 ounce gluten free herbs under $50", + "5 ounce gluten free herbs.", + "5 ounce gluten free herbs under $60", + "gluten free herbs 5 ounce gluten free", + "vegan herbs 5 ounce gluten free", + "gluten free herbs 5 oz" + ], + "i want an intel i5 core desktop with 32 gb ram and 256 gb nvme ssd.": [ + "intel i5 core desktop with 32gb ram and 256 gb nvme ssd", + "intel i5 core desktop with 32gb ram and 256gb nvme ssd", + "intel i5 core desktop with 32 gb ram and 256gb nvme ssd", + "intel i5 core desktop with 32gb ram and 256gb nvme ssd.", + "intel i5 core desktop with 32gb ram with 256 gb nvme ssd", + "intel i5 core desktop with 32gb ram and 256gb nvme ssd", + "intel i5 core desktop with 32gb ram with 256gb nvme ssd", + "intel i5 core desktop with 32gb ram", + "intel i5 core desktop with 32 gb ram", + "intel i5 core desktop 32gb ram" + ], + "i am looking for 5x-large party casual short sleeve loose tunic dress": [ + "5xl party casual short sleeve loose tunic dress", + "5xl party casual short sleeve loose tunic dress under $40", + "5xl party casual short sleeve loose tunic dress under $50", + "5xl party casual short sleeve loose tunic dress under 50 dollars", + "5xl party casual short sleeve loose tunic", + "5xl party casual short sleeve loose tunic dress under $60", + "5xl party casual short sleeve loose tunic dress under 30 dollars", + "5xl party casual short sleeve loose tunic dress under 40 dollars", + "5 xl party casual short sleeve loose tunic dress", + "5xl party casual short sleeve loose tunic dress under 60 dollars" + ], + "i'm looking for a ultra hd digital camera with optical zoom lens.": [ + " ultra hd digital camera with optical zoom lens", + "ultra hd digital camera with optical zoom lens", + " ultra hd digital camera with optical zoom", + " ultra hd digital camera with optical zoom lens.", + "Ultra hd digital camera with optical zoom lens", + "an ultra hd digital camera with optical zoom lens", + "uaco hd digital camera with optical zoom lens", + "u ultra hd digital camera with optical zoom lens", + " ultra hd digital camera with an optical zoom lens", + " ultra hd digital camera with optical zoom lens," + ], + "i need some whitening toothpaste": [ + "whitening toothpaste", + "white toothpaste whitening toothpaste", + "white teethpaste whitening toothpaste", + "whiteening toothpaste", + "white toothpaste whitening teeth", + "teethpaste whitening toothpaste", + " whitening toothpaste", + "whitening toothpaste whitening", + "whitening teethpaste", + "white toothpaste" + ], + "i want to buy a brush for facial cleansing which is suitable for sensitive skin and it's blue color.": [ + "facial cleansing brush for sensitive skin blue", + "brush for facial cleansing", + "facial cleansing brush for sensitive skin", + "brush for facial cleansing with sensitive skin blue", + "facial cleansing brush for sensitive skin in blue", + "brush for facial cleansing blue", + "facial cleansing brush blue", + "brush for facial cleansing with a blue color", + "facial cleansing brush", + "brush for facial cleansing with sensitive skin" + ], + "i am looking for variety truffles style - 4pc. of dairy free chocolate truffles": [ + "curtains style 4pc. dairy free chocolate truffles", + "variety truffles style 4pc.", + "variety truffles style - 4pc.", + "curtains style 4pc. dairy free chocolate truffles under $40", + "curtains style 4pc. dairy free chocolate truffles below $40", + "curtains style 4pc. dairy free chocolate truffles under $60", + "curtains style 4pc. dairy free chocolate truffles under 40 dollars", + "curtains style 4pc. dairy free chocolate truffles under $50", + "variety truffles style", + "variety truffles style - 4pc. of dairy free" + ], + "im looking for the long lasting soy wax jar candles in lavender scent.": [ + "soy wax jar candles in lavender scent", + "soy wax jar candles in lavender scent", + "soy wax jar candles with lavender scent", + "long lasting soy wax jar candles lavender scent", + "long lasting soy wax jar candles", + "sneakers lavender scent", + "sneakers in lavender scent", + "long lasting soy wax jar candles scent", + "soy wax jar candles in lavender", + "l lavender scent" + ], + "i want a beige colored storage bench for my living room. it should be 40 inches in size.": [ + "beige colored storage bench for living room. it should be 40 inches in size", + "beige colored storage bench for my living room. it should be 40 inches", + "beige colored storage bench for my living room, 40 inches in size.", + "beige colored storage bench for my living room", + "beige colored storage bench for my living room under 40 dollars", + "beige colored storage bench for living room", + "beige colored storage bench for the living room", + "beige colored storage bench", + "living room beige colored storage bench", + "beige colored storage bench for my living room, 40 inches," + ], + "can i get a hedgehog garden ornament collection which has a longlasting battery .": [ + "garden ornament collection with a longlasting battery", + "harden ornament collection with a longlasting battery", + "a hedgehog garden ornament collection", + "garden ornament collection with longlasting battery", + "living hedgehog garden ornament collection", + "garden ornament collection with longlasting batteries", + "green hedgehog garden ornament collection", + "garden ornament collection", + "garden ornament collection longlasting", + "harden ornament collection" + ], + "i want a lenovo thinkcentre quad core desktop pc.": [ + "lenovo thinkcentre quad core desktop pc", + "lenovo thinkcentre quad core desktop pc.", + "lenovo thinkcentre quad core desktop pc lenovo", + "lenovo thinkcentre quad core desktop pc. lenovo", + "lenovo thinkscentre quad core desktop pc", + "lenovo thinkcentre quad core desktop pc,", + "lenovo Thinkcentre quad core desktop pc", + "lenovo thinkscentre quad core desktop pc.", + "lenovo thinkcentre quad core desktop", + "lenovo desktop pc lenovo" + ], + "i need a bag that can carry my travel bottles": [ + "bag for travel bottles", + "bag to carry my travel bottles", + "bag of travel bottles", + "bag that can carry travel bottles", + "bag with travel bottles", + "bag travel bottles", + "bag to carry travel bottles", + "bag carrying travel bottles", + "bag bag for travel bottles", + "bag for travel" + ], + "find me a pair of women's jogger sweatpants with an elastic band and drawstring. i want a medium sized black pair.": [ + "womens jogger sweatpants with an elastic band", + "womens jogger sweatpants, elastic band and drawstring", + "womens jogger sweatpants", + "womens jogger sweatpants with an elastic band drawstring", + "womens jogger sweatpants with elastic band and drawstring", + "womens jogger sweatpants with elastic band", + "mens jogger sweatpants with an elastic band", + "womens jogger sweatpants elastic band", + "woman jogger sweatpants with an elastic band", + "mens jogger sweatpants with an elastic band" + ], + "i am looking for 03 yellow square pattern eco friendly shower caps.": [ + "33 yellow square pattern eco friendly shower caps", + "3 yellow square pattern eco friendly shower caps", + "23 yellow square pattern eco friendly shower caps", + "03 yellow square pattern eco friendly shower caps", + "02 yellow square pattern eco friendly shower caps", + "yellow square pattern eco friendly shower caps", + "three yellow square pattern eco friendly shower caps", + "33 yellow square pattern eco friendly shower caps.", + "23 yellow square pattern eco friendly shower caps.", + "3 yellow square pattern eco friendly shower caps." + ], + "i am looking for some long lasting ruby colored lip gloss .": [ + "long lasting ruby colored lip gloss", + "ruby colored lip gloss", + "a long lasting ruby colored lip gloss", + "lip gloss long lasting ruby colored", + "low lasting ruby colored lip gloss", + "large lasting ruby colored lip gloss", + "lip gloss long lasting ruby colored", + "long lasting ruby colored lip gloss,", + "rainbow colored lip gloss", + "alarm colored lip gloss" + ], + "i am looking for a french chic color lip gloss that is long lasting.": [ + "lip gloss long lasting", + "faux chic lip gloss long lasting", + "faux chic color lip gloss", + "lip gloss that is long lasting", + "faux chic lip gloss", + " french chic color lip gloss long lasting", + " french chic lip gloss long lasting", + "lip gloss long lasting", + "gloss long lasting", + "lip gloss that is long lasting." + ], + "i am interested in a long lasting lip gloss set": [ + "long lasting lip gloss set", + "lip gloss set long lasting", + "long lasting lip gloss", + "lip gloss long lasting", + "lip gloss", + "lip gloss set", + "lip gloss, long lasting", + "lip gloss", + "lip gloss set", + "l lip gloss" + ], + "i am looking for height adjustable blue color children's study desk table chair set with drawer and bookstand.": [ + "height adjustable blue color childrens study desk table chair set with drawer and bookstand", + "height adjustable blue color childrens study desk table chair with drawer and bookstand", + "height adjustable blue color childrens study desk table chair", + "height adjustable blue color childrens study desk table chair with drawer and bookstand.", + "height adjustable blue color childrens study desk table chair, drawer and bookstand", + " height adjustable blue color childrens study desk table chair set with drawer and bookstand", + "height adjustable blue childrens study desk table chair set with drawer and bookstand", + "height adjustable blue color kidss study desk table chair set with drawer and bookstand", + "height adjustable blue color childrens study desk table chair, with drawer and bookstand", + "height adjustable blue color childrens study desk table chair that is bookstand" + ], + "i am looking for a 3x large heathers cotton t-shirts for boys": [ + "3x large heathers cotton t-shirts for boys", + "3x large heathers cotton t-shirt for boys", + "3xl heathers cotton t-shirt for boys", + "3xl heathers cotton t-shirts for boys", + "3x large heathers cotton t-shirts", + "3x large heathers cotton t-shirt", + "3 x large heathers cotton t-shirt for boys", + "3 x large heathers cotton t-shirts for boys", + " 3x large heathers cotton t-shirts for boys", + "3xl heathers cotton t-shirt" + ], + "i would like some non gmo gluten free snack food.": [ + "non gmo gluten free snack food", + "non gmo gluten free snack food.", + "non gmo gluten free snack", + "non-gmo gluten free snack food", + "gluten free snack food", + "non gmo gluten free snack foods", + "non gmo gluten free snacks", + "gmo gluten free snack food", + "non gluten free snack food", + "mo gluten free snack food" + ], + "i am interested in buying an ottoman for coffee table which is of high density and solid wood, and i want it's color to be distressed dark blue, and has a 36 inch dimension.": [ + "oatoman for coffee table that is high density and solid wood", + "oatoman for coffee table which is of high density and solid wood", + "oatoman for coffee table that is of high density and solid wood", + "oatoman for coffee table which is high density and solid wood", + "oatoman for coffee table whose color is distressed dark blue", + "oatoman for coffee table with high density and solid wood", + "oatoman for coffee table, distressed dark blue", + "oatoman for coffee table", + "oatoman for coffee table with high density and solid wood color", + "oatoman for coffee table, distressed dark blue, 36 inch dimension" + ], + "i want brown pgojuni womens open toe booties.": [ + "brown pgojuni womens open toe booties", + "pgojuni womens open toe booties", + " brown pgojuni womens open toe booties", + "green pgojuni womens open toe booties", + "brown pgojuni women open toe booties", + "pgojuni womens open toe booties.", + "open toe booties brown pgojuni", + "womens open toe booties brown", + "womens open toe booties", + "brown pgojuni" + ], + "i am looking for long lasting blackout curtains. and i choose the 55\" w x 72\" l with color 17": [ + "long lasting blackout curtains", + "long lasting blackout curtains with color 17", + "long lasting blackout curtains, 55 w x 72 l", + "long lasting blackout curtains 55 w x 72 l", + "long lasting blackout curtains. 55 w x 72 l", + "long lasting blackout curtains in 55 w x 72 l", + "long lasting blackout curtains under $40", + "long lasting blackout curtains under $60", + "long lasting blackout curtains color 17", + "long lasting blackout curtains under $130" + ], + "i'm looking for a high heel stiletto shoes with ankle strap and deep purple color size 10": [ + "stiletto shoes with ankle strap deep purple", + "high heel stiletto shoes in deep purple", + "high heel stiletto shoes with ankle strap", + "high heel stiletto shoes in deep purple color", + "stiletto shoes with ankle strap in deep purple", + "high heel stiletto shoes ankle strap deep purple", + "high heel stiletto shoes", + "high heel stiletto shoes deep purple", + "stiletto shoes in deep purple", + "stiletto shoes deep purple" + ], + "i would like to find gluten free barbecue sauce with flavor of smokey mesquite": [ + "gluten free barbecue sauce with flavor of smokey mesquite", + "gluten free barbecue sauce flavor of smokey mesquite", + "gluten free barbecue sauce", + "gluten free barbecue sauce, flavor of smokey mesquite", + "gluten free barbecue sauce flavor of smokey mesquite barbecue", + "gluten free barbecue sauce barbecue sauce", + "gluten free barbecue sauce, smokey mesquite", + "gluten free barbecue sauce under $40", + "gluten free barbecue sauce flavor", + "gluten free barbecue sauce barbecue sauce flavor" + ], + "i am looking for some oil free baby powder": [ + "oil free baby powder", + "baby powder oil free", + "an oil free baby powder", + "moisturizing baby powder", + "baby powder that is oil free", + "fluoride free baby powder", + "oil free baby powder for baby", + "bathroom powder oil free", + " oil free baby powder", + "Oil free baby powder" + ], + "i am interested in a white alarm clock that has batteries included.": [ + "white alarm clock with batteries", + "white alarm clock that has batteries", + "white alarm clock", + "white alarm clock, with batteries", + "alarm clock with batteries", + "a white alarm clock with batteries", + "white alarm clock, batteries included", + "white alarm clock that is batteries", + "white alarm clock no batteries", + "white alarm clock whose batteries are" + ], + "i'm looking for a fluoride free toothpaste that prevents bad breath. also choose a pack of 2, 50g blue colored one.": [ + "fluoride free toothpaste 50g", + "fluoride free toothpaste 50g under 50 dollars", + "fluoride free toothpaste 50g under 30 dollars", + "fluoride free toothpaste 50g under $50", + "fluoride free toothpaste 50g under $40", + "fluoride free toothpaste 50g under $60", + "fluoride free toothpaste 50g under 40 dollars", + "fluoride free toothpaste 50g under 60 dollars", + "fluoride free toothpaste 50g under 20 dollars", + "fluoride free toothpaste 50g pack" + ], + "i am looking for a macaroni & cheese with rich creamy and non gmo.": [ + "macaroni and cheese creamy non gmo", + "macaroni and cheese creamy", + "macaroni cheese creamy and non gmo", + "macaroni cheese creamy non gmo", + "macaroni and cheese no gmo creamy", + "macaroni and cheese creamy no gmo", + "macaroni & cheese creamy non gmo", + "macaroni cheese creamy", + "macaroni and cheese", + "macaroni cheese" + ], + "i am looking for a beige sectional sofa set for my living room.": [ + "beige sectional sofa set for my living room", + "beige sectional sofa set for my living room.", + "beige sectional sofa set for the living room", + "living room beige sectional sofa set", + "beige sectional sofa set for living room", + "beige sectional sofa set in my living room", + "beige sectional sofa set for a living room", + "beige sectional sofa set for my living room,", + "beige sectional sofa set", + "beige sectional sofa set in my living room." + ], + "i would like some non gmo watermelon fruit snacks": [ + "non gmo watermelon fruit snacks", + "non gmo watermelon fruit snacks under $40", + "non-gmo watermelon fruit snacks", + "non gmo watermelon fruit snacks under 50 dollars", + "non gmo watermelon fruit snacks under $50", + "non gmo watermelon fruit snacks under $60", + "non gmo watermelon fruit snacks under 30 dollars", + "non gmo watermelon fruit snacks under 60 dollars", + "non gmo watermelon fruit snacks under 40 dollars", + "non gmo watermelon fruit snacks no gmo" + ], + "i want blue travel toothbrushes with long handles.": [ + "blue travel toothbrushes with long handles", + "blue travel toothbrushes long handles", + "blue travel toothbrushes with long handle", + "blue travel toothbrushes", + "blue travel toothbrushes long handle", + "blue travel toothbrush with long handles", + "blue travel toothbrushes, long handles", + "blue travel toothbrushes that long handle", + "blue travel toothbrushes that long handles", + "blue travel toothbrush long handles" + ], + "i am looking for easy clean and space saving kitchen trash cabinet of hm-gb01gy model": [ + "easy clean and space saving kitchen trash cabinet", + "easy clean kitchen trash cabinet hm-gb01gy", + "easy clean kitchen trash cabinet of hm-gb01gy", + "easy clean kitchen trash cabinet hm-gb01gy model", + "easy clean kitchen trash cabinet hmgb01gy", + "easy clean, space saving kitchen trash cabinet", + "living room trash cabinet hmgb01gy", + "easy clean kitchen trash cabinet", + "living room trash cabinet", + "home theater trash cabinet" + ], + "i am looking for non gmo ocean's halo seaweed snacks. 1 case of 20 units.": [ + "non gmo oceans halo seaweed snacks 1 case of 20 units", + "non gmo oceans halo seaweed snacks", + "non gmo oceans halo seaweed snacks case of 20 units", + "non gmo oceans halo seaweed snacks 1 case of 20", + "non gmo oceans halo seaweed snacks under 20 dollars", + "non gmo oceans halo seaweed snacks case of 20", + "non gmo oceans halo seaweed snacks in a case of 20", + "non gmo oceans halo seaweed snacks 1 case of 20 dollars", + "non gmo oceans halo seaweed snacks 2 case of 20 units", + "non gmo oceans halo seaweed snacks under $40" + ], + "i want a large royal blue golf and bourbon enjoyer tank top for women for machine wash": [ + "large royal blue golf and bourbon enjoyer tank top for women", + "large royal blue golf and bourbon enjoyer tank top for women for machine wash", + "large royal blue golf and bourbon enjoyer tank top", + "large royal blue golf and bourbon enjoyer tank top for women under $50", + "large royal blue golf and bourbon enjoyer tank top for women under $40", + "large royal blue golf and bourbon enjoyer tank top for women, machine wash", + "large royal blue golf and bourbon enjoyer tank top for women in machine wash", + "large royal blue golf and bourbon enjoyer tank top for women under 50 dollars", + "large royal blue golf and bourbon enjoyer tank top for women under 30 dollars", + "large royal blue golf and bourbon enjoyer tank top for women under $60" + ], + "i'm looking for the original gypsy color 5 light crystal white flush mount chandelier.": [ + "gpsy color 5 light crystal white flush mount chandelier", + "original gypsy color 5 light crystal white flush mount chandelier", + "pink color 5 light crystal white flush mount chandelier", + "gpsy color 5 light crystal white flush mount chandelier.", + "gpsy color 5 white flush mount chandelier", + "gpsy color 5 light crystal white flush mount chandelier,", + "pink crystal white flush mount chandelier", + "alarm chandelier, original gypsy color 5", + "gpsy color 5 white flush mount chandelier.", + "alarm chandelier" + ], + "i am seeking a high quality toothpaste which ensure that i have long lasting fresh breath": [ + "high quality toothpaste", + "high quality toothpaste with fresh breath", + "toothpaste long lasting fresh breath", + "high quality toothpaste under $40", + "high quality toothpaste under $60", + "high quality toothpaste under $50", + "toothpaste high quality", + "teethpaste high quality", + "high quality toothpaste that is long lasting", + "high quality toothpaste with fresh breath " + ], + "i am looking for 2pink color anti slip women sandals.": [ + "2pink color anti slip women sandals", + "2pink anti slip women sandals", + "2pink women sandals", + "2pink woman sandals", + " 2pink color anti slip women sandals", + "pink color anti slip women sandals", + "2pink anti slip women sandals.", + "2pink girl sandals", + "pink anti slip women sandals", + "2pink sandals" + ], + "i am looking for a toning treatment that is fragrance free": [ + "tonic treatment that is fragrance free", + "tasting treatment that is fragrance free", + "toning treatment that is fragrance free", + "tonic treatment", + "toting treatment that is fragrance free", + "toling treatment that is fragrance free", + "toothpaste treatment that is fragrance free", + "tonic treatment fragrance free", + "toxic free toning treatment", + "tonic treatment with fragrance free" + ], + "i am looking for white color wood frame triple bunk bed with ladder": [ + "white color wood frame triple bunk bed with ladder", + "white wood frame triple bunk bed with ladder", + "white color wood frame triple bunk bed", + "white wood frame triple bunk bed", + "white solid wood frame triple bunk bed with ladder", + "white steel frame triple bunk bed with ladder", + "white stone wood frame triple bunk bed with ladder", + "white size wood frame triple bunk bed with ladder", + "wood frame triple bunk bed with ladder", + "white frame triple bunk bed with ladder" + ], + "i am looking for a lavender women's party dress in the size x-large.": [ + "l lavender womens party dress in the size x-large", + "a lavender womens party dress in the size x-large", + "l lavender womens party dress in a size x-large", + "l lavender womens party dress x-large", + "pink womens party dress in the size x-large", + "lavender womens party dress in the size x-large", + "pink womens party dress x-large", + "pink womens party dress in a size x-large", + "a lavender womens party dress x-large", + "womens party dress x-large" + ], + "king size platform bed with rgb led headboard": [ + "king size platform bed with rgb led headboard", + "king size platform bed with rgb led headboard under $40", + "king size platform bed with rgb led headboard under $50", + "king size platform bed with rgb led headboard under $60", + "king size platform bed with rgb led headboard under $130", + "king size platform bed with rgb led headboard under $120", + "king size platform bed with rgb led headboard,", + "king size platform bed with a rgb led headboard", + "king size platform bed, rgb led headboard", + "king size bed with rgb led headboard" + ], + "i want easy clean high quality pink linens for beauty salon size :60*180 cm": [ + "pink linens beauty salon size :60*180 cm", + "easy clean high quality pink linens", + "lip linens for beauty salon size :60*180 cm", + "easy clean high quality pink linens for beauty salon", + "beauty salon size :60*180 cm", + "pink linens for beauty salon size 60*180 cm", + "easy clean high quality pink linens for beauty salon size", + "beauty salon size 60*180 cm", + "pink linens for beauty salon", + "beauty salon pink linens" + ], + "i am looking for easy clean yellow color beauty bedspreads massage table skirt": [ + "easy clean yellow beauty bedspreads massage table skirt", + "beauty bedspreads massage table skirt", + "yellow beauty bedspreads massage table skirt", + "beauty bedspreads massage table skirt easy clean", + "living yellow beauty bedspreads massage table skirt", + "5 ft beauty bedspreads massage table skirt", + "beautiful yellow beauty bedspreads massage table skirt", + "yellow beauty bedspreads massage table skirt easy clean", + "5 ft yellow beauty bedspreads massage table skirt", + "simple clean yellow beauty bedspreads massage table skirt" + ], + "i am looking for flower fairy giel with pink wing elves pillow cover for living room.": [ + "flower fairy giel with pink wing elves pillow cover for living room", + " flower fairy giel with pink wing elves pillow cover for living room", + "flower fairy giel with pink wing elves pillow cover", + " flower fairy giel with pink wing elves pillow cover", + "pink wing elves pillow cover for living room", + "rose fairy giel with pink wing elves pillow cover for living room", + "flower fairy giel pink wing elves pillow cover for living room", + " flower fairy giel pink wing elves pillow cover for living room", + "flower fairy giel with pink wing elves pillow cover living room", + "flower fairy giel with pink wing elves pillow cover" + ], + "i am looking for venice color lip gloss containing natural ingredients.": [ + " venice color lip gloss containing natural ingredients", + " venice color lip gloss with natural ingredients", + " venice color lip gloss", + "vegan color lip gloss containing natural ingredients", + "levice color lip gloss containing natural ingredients", + "nuice color lip gloss containing natural ingredients", + "vegan color lip gloss with natural ingredients", + "venice color lip gloss containing natural ingredients", + "vegan lip gloss with natural ingredients", + " venice color lip gloss natural" + ], + "i need a liquid lip gloss that has natural ingredients and is in the color rabida.": [ + "liquid lip gloss in the color rabida", + "liquid lip gloss that has natural ingredients", + "liquid lip gloss with natural ingredients", + "Liquid lip gloss that has natural ingredients", + "fluoride lip gloss that is natural", + "liquid lip gloss natural", + "fluoride lip gloss natural", + "liquid lip gloss, rabida", + "liquid lip gloss that is natural", + "liquid lip gloss" + ], + "i need an orange faux leather office chair": [ + "orange faux leather office chair", + "orange faux leather office chair that is easy to use", + "orange faux leather office chair under $50", + "orange faux leather office chair,", + "orange faux leather office chair under $40", + "orange faux leather office chair, less then $40", + "orange faux leather office chair under $60", + "orange faux leather office chair, under $40", + "orange faux leather office chair that is comfortable", + "orange leather office chair" + ], + "i'm looking for a high waisted jeans for women.": [ + "high waisted jeans for women", + "high waisted jeans for women.", + "high waisted jeans for women under $40", + "high waisted jeans for women under $50", + "high waisted jeans for women under 30 dollars", + "high waisted jeans for women under 50 dollars", + "high waisted jeans for women under $60", + "high waisted jeans for women under 40 dollars", + "high waisted jeans for women under 60 dollars", + "low waisted jeans for women" + ], + "i am looking for hands free and dark blue bluetooth stereo wireless music earphones headset": [ + "hand free and dark blue bluetooth stereo wireless music earphones headset", + "hand free and dark blue bluetooth wireless music earphones headset", + "hands free and dark blue bluetooth stereo wireless music earphones headset", + "womens free bluetooth stereo wireless music earphones headset", + "hands free and dark blue bluetooth wireless music earphones headset", + "hand free bluetooth stereo wireless music earphones headset", + "womens free bluetooth wireless music earphones headset", + "hand free and dark blue bluetooth stereo wireless music earphones", + "hand free and dark blue bluetooth stereo wireless music earphone headset", + "hand free bluetooth wireless music earphones headset" + ], + "i am looking for clinical strength solid deodorant for men.it should be paraben free.": [ + "clinical strength solid deodorant for men", + "clinically strength solid deodorant for men", + "clinical strength solid deodorant for men.it should be paraben free", + "clinical strength solid deodorant for men", + "clinical strength solid deodorant for men whose price is paraben free", + "maturity strength solid deodorant for men", + "clinical strength solid deodorant for men, paraben free", + "clinical strength solid deodorant for men, paraben free", + "clinical strength solid deodorant for men under $40", + "ant for men" + ], + "i need a medium sized classic fit t-shirt. it should be black in color.": [ + "medium sized classic fit t-shirt black", + "medium t-shirt black", + "medium size classic fit t-shirt black", + "medium fit t-shirt black", + "medium sized classic fit t-shirt", + "medium sized black t-shirt", + "medium size classic fit t-shirt", + "medium size black t-shirt", + "medium black t-shirt", + "medium t-shirt in black" + ], + "i would like a body scrub that is eco friendly.": [ + "eco friendly body scrub", + "body scrub eco friendly", + "body scrub that is eco friendly", + " body scrub that is eco friendly", + "coaxial body scrub", + "Body scrub eco friendly", + " body scrub eco friendly", + "animal scrub eco friendly", + "natural body scrub eco friendly", + "eco friendly body scrub body scrub" + ], + "i am looking for nuts & chews milk chocolate with quality ingredients for valentine day. also choose dark-chocolate flavor and 56 pound (9 ounce) size.": [ + "natierra nuts & chews milk chocolate", + "nuts & chews milk chocolate", + "nuns & chews milk chocolate", + "nuts & chews milk chocolate flavor 56 pound (9 ounce)", + "nut & chews milk chocolate", + "natierra chocolate flavor 56 pound (9 ounce)", + "nuts & chews milk chocolate", + " nuts & chews milk chocolate", + "natierra nuts & chews milk chocolate with quality ingredients", + "natierra milk chocolate" + ], + "i would like a chandelier with pendant lights.": [ + "chandelier with pendant lights", + "chandelier pendant lights", + "a chandelier with pendant lights", + "chandelier with pendant lights.", + "large chandelier with pendant lights", + "living chandelier with pendant lights", + " chandelier with pendant lights", + "chandelier, pendant lights", + "pendant lights chandelier", + "chandelier" + ], + "i am interested in buying a king sized bed with memory foam and which provides lumbar support.": [ + "king sized bed with memory foam", + "king sized bed with memory foam with lumbar support", + "king sized bed with memory foam and lumbar support", + "king sized bed with memory foam lumbar support", + "king sized bed with memory foam, lumbar support", + "king sized bed with memory foam and", + "king sized bed with memory foam under $50", + "king size bed with memory foam", + "king sized bed with memory foam,", + "king sized bed" + ], + "i need ethylene vinyl slippers in size 8.": [ + " ethylene vinyl slippers in size 8", + " ethylene vinyl slippers in size 8.", + "ethylene vinyl slippers in size 8", + " ethylene vinyl slippers in a size 8", + " ethylene vinyl slippers size 8", + " ethylene vinyl slippers in size 8.5", + " ethylene vinyl slippers in size 8.00", + " ethylene vinyl slippers in size 8 ethylene", + "ethylene vinyl slippers in size 8 ethylene vinyl", + " ethylene vinyl slippers" + ], + "i would like a purple classic fit t-shirt that is a x-large": [ + "pink classic fit t-shirt x-large", + "pink classic fit t-shirt that is x-large", + "pink classic fit t-shirt", + "pomegranate classic fit t-shirt x-large", + "pink classic fit t-shirt, x-large", + "pink classic fit t-shirt x-l", + "plastic classic fit t-shirt x-large", + "blue classic fit t-shirt x-large", + "pink classic fit t-shirt x-large purple", + "pink classic fit t-shirt that is x-l" + ], + "i am looking for high quality hair cutting scissor make up of thinning shears.": [ + "high quality hair cutting scissor make up of thinning shears", + "hair cutting scissor make up of thinning shears", + "hair cutting scissor make up of thinning shears.", + "low quality hair cutting scissor make up of thinning shears", + "hair cutting scissor made up of thinning shears", + "high quality hair cutting scissor made up of thinning shears", + "high quality hair cutting scissor make up of thinning hears", + "hair cutting scissor make up of thinning shears", + "shoes cutting scissor make up of thinning shears", + "high quality hair cutting scissor" + ], + "i would like a extra large pair of sleep bottoms with buttons.": [ + "extra large sleeping bottoms with buttons", + "extra large pair of sleep bottoms", + "extra large bed bottoms with buttons", + "extra large sleeping bottoms with button", + "extra large sleep bottoms with buttons", + "extra large sleeping bottoms", + "extra large woman sleep bottoms with buttons", + "extra large sleeping bottoms with buttons.", + "extra large bed bottoms with button", + "extra large men sleep bottoms with buttons" + ], + "i am looking for a sconce light with a black metal base and a wood finish.": [ + "sconce light with a black metal base", + "sconce light black metal base", + "sconce light black metal base and wood finish", + "sconce light with a black metal base", + "sconce light wood finish", + "sonce light with a black metal base", + "sconce light with wood finish", + "sconce light black metal", + "sconce light", + "sconce light" + ], + "i am looking for toilet storage cabinet that is easy to clean.": [ + "toothpaste cabinet easy to clean", + "easy clean toilet storage cabinet", + "toothbrush storage cabinet easy to clean", + "toothpaste cabinet", + "easy to clean toilet storage cabinet", + "toothbrush storage cabinet", + "tower storage cabinet easy to clean", + "towel storage cabinet", + "tower storage cabinet", + "temporary storage cabinet" + ], + "i would like 30 bpa free amber travel bottles.": [ + "30 bpa free amber travel bottles", + "bpa free amber travel bottles", + "28 bpa free amber travel bottles", + "banana free amber travel bottles", + "25 bpa free amber travel bottles", + "30 bpa free amber travel bottles.", + "rainbow colored travel bottles", + "banana free travel bottles", + "barbecue free amber travel bottles", + "bpa free amber travel bottles." + ], + "i am looking for some high quality clear travel bottles.": [ + "high quality clear travel bottles", + "high quality clear travel bottles.", + "high quality clear travel bottles under $40", + "high quality clear travel bottles under $60", + "high quality clear travel bottles under $50", + "high quality clear travel bottles under 30 dollars", + "high quality clear travel bottles under 50 dollars", + "high quality clear travel bottles under 40 dollars", + "high quality clear travel bottles under 120 dollars", + "high quality clear travel bottles under 60 dollars" + ], + "i want amber and bpa free moyo natural labs 8 oz boston round travel bottles.": [ + " amber and bpa free moyo natural labs 8 oz boston round travel bottles", + "amber and bpa free moyo natural labs 8 oz boston round travel bottles", + " amber bpa free moyo natural labs 8 oz boston round travel bottles", + "a amber and bpa free moyo natural labs 8 oz boston round travel bottles", + "an amber and bpa free moyo natural labs 8 oz boston round travel bottles", + " amber and bpa free moyo natural labs 8 oz boston round travel bottles.", + "amel and bpa free moyo natural labs 8 oz boston round travel bottles", + "amber bpa free moyo natural labs 8 oz boston round travel bottles", + "amoyo natural labs 8 oz boston round travel bottles", + "moyo natural labs 8 oz boston round travel bottles" + ], + "i am interested in buying a rug for the living room with diameter of 6ft, 72 inches and 183 cms.": [ + "6ft rug for living room with diameter of 6ft, 72 inches and 183 cms", + "rou rug for living room with diameter of 6ft, 72 inches and 183 cms", + "rou rug for the living room with diameter of 6ft, 72 inches and 183 cms", + "rugs for living room with diameter of 6ft, 72 inches and 183 cms", + "rubber rug for living room with diameter of 6ft, 72 inches and 183 cms", + "6 ft rug for living room with diameter of 6ft, 72 inches and 183 cms", + "6ft rug living room with diameter of 6ft, 72 inches and 183 cms", + "6ft rug for living room with diameter of 6ft 72 inches and 183 cms", + "rou rug for living room with diameter of 6ft, 72 inches and 183 cms.", + "6ft rug for living room" + ], + "i want a gray non slip dining chair cushion.": [ + "gray non slip dining chair cushion", + "gray dining chair cushion", + "womens dining chair cushion", + "living room cushion gray non slip", + "grey non slip dining chair cushion", + "gray living room chair cushion", + "living room cushion gray", + "living room cushion", + "gray dining chair cushion.", + "white dining chair cushion" + ], + "i am looking for an intel i5 core desktop computer that has 4gb ram and 64gb ssd.": [ + "intel i5 core desktop computer with 4gb ram and 64gb ssd", + "intel i5 core desktop computer with 4gb ram", + "intel i5 core desktop computer with 4gb ram with ssd", + "intel i5 core desktop computer with 4gb ram, 64gb ssd", + " intel i5 core desktop computer with 4gb ram and 64gb ssd", + "intel i5 core desktop computer 4gb ram and 64gb ssd", + "intel i5 core desktop computer with 4gb ram and 128gb ssd", + "intel i5 desktop computer with 4gb ram and 64gb ssd", + "intel i5 core desktop computer that has 4gb ram", + "intel i5 core desktop computer 4gb ram" + ], + "i need to get a dark beige ottoman for my living room.": [ + "dark beige ottoman for my living room", + "dark beige ottoman for living room", + "dark beige ottoman living room", + "dark beige ottoman for the living room", + "dark beige ottoman", + "dark beige ottoman for living room.", + "dark beige ottoman for a living room", + "dark beige ottoman in my living room", + "dark beige ottoman in the living room", + "dark beige ottoman for dining room" + ], + "i need a machine wash, red tooloud italian flag the medium size": [ + "machine wash red tooloud italian flag", + "machine wash red tooloud italian flag the medium size", + "machine wash, red tooloud italian flag", + "machine wash red tooloud italian flag medium size", + "machine wash, red tooloud italian flag medium size", + "machine wash red tooloud italian flag medium", + "machine wash, red tooloud italian flag, medium", + "machine wash red tooloud italian flag, medium size", + "machine wash red tooloud italian flag under $40", + "machine wash red tooloud italian flag the medium" + ], + "i'm looking for a telescope with high power for bird watching": [ + "telescope high power bird watching", + "telescope with high power bird watching", + "a telescope with high power for bird watching", + "high power bird watching telescope", + "telescope high power for bird watching", + "sky telescope with high power for bird watching", + " telescope with high power for bird watching", + "sneakers high power bird watching", + "telescope with high power", + "sky telescope with high power" + ], + "i'm looking for wireless bluetooth headphones.": [ + "wireless bluetooth headphones", + "womens wireless bluetooth headphones", + "im looking for wireless bluetooth headphones.", + "wirefree wireless bluetooth headphones", + " wireless bluetooth headphones", + "wireless bluetooth wireless headphones", + "wirefreeetooth headphones", + "blue wireless bluetooth headphones", + "free wireless bluetooth headphones", + "wireless bluetooth headphones under $40" + ], + "i would like a 10.6 ounce coffee crumble that is low calorie.": [ + "10.6 ounce coffee crumble", + "coffee crumble that is low calorie", + "10.6 ounce coffee crumble low calorie", + "low calorie coffee crumble 10.6 oz", + "low calorie coffee crumble that is low calorie", + "coffee crumble 10.6 oz", + "cup crumble that is low calorie", + "coffee crumble 10.6 ounce", + "low calorie and zero sugar coffee crumble", + "coffee crumble low calorie" + ], + "i want to find a two-pack of 12-count coffee-crumble flavored sweet delights. they need to be individually wrapped.": [ + "two-pack of 12-count coffee-crumble flavored sweet delights", + "2-pack of 12-count coffee-crumble flavored sweet delights", + "two-pack of 12 count coffee-crumble flavored sweet delights", + "two pack of 12-count coffee-crumble flavored sweet delights", + "two-pack of 12-count coffee-crumble flavored delights", + "two-pack of 12count coffee-crumble flavored sweet delights", + "two-pack coffee-crumble flavored sweet delights", + "two-pack of 12-count coffee-crumble flavored sweets", + "12-count coffee-crumble flavored sweet delights", + "coffee-crumble flavored sweet delights" + ], + "i am looking for matte ink long lasting liquid lipstick having 15 lover color": [ + "pink long lasting liquid lipstick having 15 lover color", + "matte ink long lasting liquid lipstick having 15 lover color", + "team ink long lasting liquid lipstick having 15 lover color", + "teeth ink long lasting liquid lipstick having 15 lover color", + "pink long lasting liquid lipstick with 15 lover color", + " matte ink long lasting liquid lipstick having 15 lover color", + "maint ink long lasting liquid lipstick having 15 lover color", + "team ink long lasting liquid lipstick with 15 lover color", + "matte ink long lasting liquid lipstick with 15 lover color", + "pink long lasting liquid lipstick" + ], + "i'm looking for a room divider panel in silver with wood frame": [ + "living room divider panel in silver", + "room divider panel in silver", + "white room divider panel in silver", + "room divider panel in silver wood frame", + "wood divider panel in silver", + "alarm divider panel in silver", + "aluminum room divider panel in silver", + "grey room divider panel in silver", + "floor divider panel in silver", + "living room divider panel" + ], + "i am looking for a gluten free non gmo fig bar packet of 7. and i choose the variety pack": [ + "gluten free non gmo fig bar packet of 7", + "gluten free gmo fig bar packet of 7 variety pack", + "gluten free gmo fig bar packet of 7", + "gluten free non gmo fig bar pack of 7", + "gluten free non gmo fig bar packets of 7", + "gluten free gmo fig bar packets of 7 variety pack", + "gluten free non gmo fig bar packet", + "gluten free non gmo fig bar packet of 7 variety", + "gluten free non gmo fig bar packet of 7.", + "gluten-free non gmo fig bar packet of 7" + ], + "i want a tv stand made of wood and has a storage space. it should be suitable for my living room.": [ + "tv stand made of wood", + "tv stand made of wood for living room", + "tv stand made of wood with storage space", + "tv stand made of wood suitable for living room", + "tv stand made from wood", + "tv stand made of wood in a living room", + "tv stand made of wood with a storage space", + "tv stand made of wood storage space", + "tv stand made wood", + "tv stand wood" + ], + "i would like a awesome violet 4g lte cell phone": [ + "vegan violet 4g lte cell phone", + "5g lte cell phone", + "violet 4g lte cell phone", + "vinyl 4g lte cell phone", + "fans violet 4g lte cell phone", + "5g lte cell phone that is awesome", + "g lte cell phone", + "g lte cell phone that is awesome", + "5g lte cell phone under $40", + "5g lte cell phone under $60" + ], + "i want a hp elite desktop pc with intel quad core i5.": [ + "ps elite desktop pc with intel quad core i5", + "ps elite desktop pc with intel quad core i5.", + "hp elite desktop pc with intel quad core i5", + "hp elite desktop pc with intel quad core i5.", + "p hp elite desktop pc with intel quad core i5", + "espresso elite desktop pc with intel quad core i5", + "pk elite desktop pc with intel quad core i5", + "desktop pc with intel quad core i5", + " hp elite desktop pc with intel quad core i5", + "ps elite desktop pc intel quad core i5" + ], + "i am looking for a tabletop decorative mirror size 60cm /24inch for my living room.": [ + "tablet decorative mirror size 60cm /24inch", + " tabletop decorative mirror size 60cm /24inch", + "tablet decorative mirror size 60cm", + "tablet decorative mirror size 60cm x24inch", + "daring decorative mirror size 60cm /24inch", + "tablet decorative mirror size 60cm 24inch", + "tablet decorative mirror size 60cm x 24inch", + "wooden decorative mirror size 60cm /24inch", + "tablet decorative mirror 60cm /24inch", + " tabletop decorative mirror size 60cm" + ], + "i am looking for a men's body wash that uses seed oil and is burmese sandalwood scented.": [ + "mens body wash that is burmese sandalwood scented", + "mens body wash that uses seed oil", + "mens body wash, burmese sandalwood scented", + "mens body wash with seed oil, burmese sandalwood scented", + "mens body wash with seed oil", + "mens body wash burmese sandalwood scented", + "mens body wash burmese sandalwood scented", + "mens body wash that is burmese sandalwood scented.", + "mens body wash that is burmese sandalwood scented mens", + "mens body wash" + ], + "i want a black playstation 1 console airpods water proof case.": [ + "black playstation 1 console airpods water proof", + "black gamingstation 1 console airpods water proof", + "black gamingstation 1 with airpods water proof", + "black playstation 1 with airpods water proof", + "black playstation 1 console airpods", + "black gamingstation 1 with water proof case", + "black gamingstation 1 with airpods", + "black gamingstation 1 with a water proof case", + "black playstation 1 console airpods case", + "black gamingstation 1" + ], + "i want da vinci sugar free huckleberry syrup.": [ + "vinci sugar free huckleberry syrup", + "vanci sugar free huckleberry syrup", + "vinci sugar free huckleberry syrup", + "sugar free huckleberry syrup", + "tvinci sugar free huckleberry syrup", + "vegan sugar free huckleberry syrup", + "variety sugar free huckleberry syrup", + "vanci sugar free huckleberry syrup.", + "vinci sugar free huckleberry syrup.", + "a sugar free huckleberry syrup" + ], + "i am looking for beauty soaps that contain cocounut oil.": [ + "beauty soaps with cocounut oil", + "beauty soaps containing cocounut oil", + "beauty soaps no cocounut oil", + "beauty soaps contain cocounut oil", + "beauty soaps, cocounut oil", + "beauty soaps cocounut oil", + "beauty soaps natural cocounut oil", + "beauty soaps coconut oil", + "beauty soaps no cocounut", + "beauty soaps" + ], + "i am looking for fully assembled file cabinets.": [ + "full assembled file cabinets", + "full assembled file cabinets under $40", + "full assembled file cabinets under $60", + "full assembled file cabinets under $50", + "full assembled file cabinets under $120", + "full assembled file cabinets under $130", + "living room and office cabinet fully assembled", + "full assembled file cabinets.", + "full assembled file cabinets under 30 dollars", + "full assembled file cabinets under 50 dollars" + ], + "i would like a 8 pack of original fresh scent coconut oil soap that's fragrance free.": [ + "8 pack of fresh scent coconut oil soap", + "8 pack fresh scent coconut oil soap", + "8 pack coconut oil soap", + "8 pack original fresh scent coconut oil soap", + "8 pack of original fresh scent coconut oil", + "8 pack natural fresh scent coconut oil soap", + "8 pack of fresh scent coconut oil", + "chocolate scent coconut oil soap", + "8 pack of coconut oil soap", + "8 pack coconut oil soap fragrance free" + ], + "am looking for low rise lam kwongy sexy yoga shorts for women, blue color.": [ + "low rise lam kwongy sexy yoga shorts for women blue", + "low rise lam kwongy sexy yoga shorts", + "low rise lam kwongy sexy yoga shorts for women", + "low rise lam kwongy sexy yoga shorts for womenblue", + "low rise lam kwongy sexy yoga shorts in blue", + "low rise lam kwongy sexy yoga shorts, blue", + "low rise lam kwongy sexy yoga shorts for women color", + "low rise lam kwongy sexy yoga shorts in blue color", + "low rise kwongy sexy yoga shorts", + "low rise yoga shorts for women blue" + ], + "i am interested in a high definition yellow playstation": [ + "yellow playstation", + "yellow playstation high definition", + "high definition yellow playstation", + "yellow playstation with high definition", + "yellow playstation, high definition", + "yellow playstation high definition yellow", + "yellow playstation in high definition", + "yellow playstation under $40", + "yellow playstation under $60", + "tv yellow playstation" + ], + "i want a black hands free denon home 250 wireless speaker.": [ + "black hands free home 250 wireless speaker", + "indoor 250 wireless speaker black", + "black hands free wireless speaker", + "black wireless speaker", + "black home 250 wireless speaker", + "alarm wireless speaker black", + "white wireless speaker", + "indoor 250 wireless speaker", + "white wireless speaker black", + "alarm wireless speaker black hands free" + ], + "looking for short sleeve tumble dry shirt for men also choose size large": [ + "short sleeve tumble dry shirt for men", + "short sleeve tumble dry shirt for men large", + "short sleeve tumble dry shirt size large", + "short sleeve tumble dry shirt for men small", + "tumble dry shirt for men size large", + "short sleeve tumble dry shirt in a large", + "short sleeve tumble dry shirt men size large", + "short sleeve tumble dry shirt", + "short sleeve tumble dry shirt large", + "short sleeve tumble dry shirt small" + ], + "i am looking for wall art of size 24\" x 36\" black for my living room.": [ + "wall art of size 24 x 36 black", + "wall art 24 x 36 black", + "wall art size 24 x 36 black", + "wall art 24 x 36 black living room", + "wall art size 24 x 36 black living room", + "living room wall art 24 x 36 black", + "womens wall art 24 x 36 black", + "wall art of size 24 x 36 black,", + "23 x 36 wall art", + "24 x 36 wall art" + ], + "i need an easy to install pendant light for ceiling.": [ + "pendant light for ceiling", + "easy to install pendant light", + "pocket pendant light for ceiling", + "plastic pendant light for ceiling", + "5 ft pendant light for ceiling", + "easy install pendant light for ceiling", + "pocket light pendant light for ceiling", + "pocket light for ceiling", + "psendant light for ceiling", + "pendant light" + ], + "find me a medium sized romper with short sleeves.": [ + "medium sized romper with short sleeves", + "medium sized romper short sleeves", + "medium sized romper with short sleeves.", + "medium sized romper long sleeves", + "medium sized romper", + "medium sized romper short sleeves under $40", + "medium sized romper short sleeves under $50", + "medium sized romper, short sleeves", + "medium sized romper short sleeves under $60", + "medium sized romper short sleeves under 50 dollars" + ], + "i would like a 19\" tall floor lamp with a white finish.": [ + "19 tall floor lamp with a white finish", + "19 tall floor lamp with white finish", + " 19 tall floor lamp with a white finish", + "19 tall floor lamp", + "19 tall floor lamp white", + "19 tall floor lamp, white finish", + " 19 tall floor lamp with white finish", + "19 tall floor lamp white finish", + "floor lamp 19 tall white", + "18 tall floor lamp with white finish" + ], + "looking for cookie favor gifts with natural ingredients choose size 4 bars": [ + "cookie favor gifts natural ingredients size 4 bars", + "cookie favor gifts with natural ingredients 4 bars", + "cookie favor gifts natural ingredients 4 bars", + "cookie favor gifts size 4 bars", + "cookie favor gifts natural ingredients size 4 bar", + "natural cookies favor gifts size 4 bars", + "cookie favor gifts with natural ingredients size 4", + "natural cookie favor gifts size 4 bars", + "cookie favor gifts natural less then $40", + "cookie favor gifts natural ingredients size 4" + ], + "i would like a pair of size 11.5 dark blue sandals that are open toe.": [ + "pair of size 11.5 dark blue sandals", + "dark blue sandals size 11.5", + "size 11.5 dark blue sandals", + "dark blue sandals that are open toe", + "dark blue sandals", + "dark blue sandals, size 11.5", + "black sandals size 11.5", + "dark blue sandals 11.5", + "12.5 dark blue sandals", + "dark blue sandals size 11.5 open toe" + ], + "i'm looking for women's summer sandals, non-slip, high heels in z#02red color.": [ + "womens summer sandals z#02red color", + "womens summer sandals in z#02red color", + "womens summer sandals z#02red", + "womens summer sandals in z#02red", + "womens summer sandals z#02red color.", + "womens summer sandals with z#02red color", + "womens summer sandals z#02red color", + "mens summer sandals z#02red color", + "mens summer sandals z#02red color", + "mens summer sandals in z#02red color" + ], + "i would like a 38 mm gold apple watch band.": [ + "38 mm gold apple watch band", + " 38 mm gold apple watch band", + "28 mm gold apple watch band", + "38 mm gold apple watch band.", + "38 mm gold apple watch band under $50", + "38 mm gold apple watch band under $40", + "38 mm gold apple watch band under $60", + "38 mm gold apple watch band,", + "38 mm gold apple watch band under 30 dollars", + "38 mm gold apple watch band under 40 dollars" + ], + "i'm looking for a perfect slip-on active sneaker for women.": [ + "slip-on active sneaker for women", + "lip-on active sneaker for women", + "slide-on active sneaker for women", + "moisturizing active sneaker for women", + "slipping-on active sneaker for women", + "sole-on active sneaker for women", + "slipped-on active sneaker for women", + "lip-on active sneaker for women.", + "slip-on active sneaker", + "lip-on active sneaker" + ], + "i want a black and heavy duty pots and pans organizer.": [ + "pots and pans organizer black and heavy duty", + "pots and pans organizer black heavy duty", + "black and heavy duty pots and pans organizer", + "pots and pans organizer black", + "pots and pans organizer, black and heavy duty", + "pots and pans organizer", + "pots and pans organizer black and heavy duty", + "pots and pans organizer that is black", + "pots and pans organizer for black and heavy duty", + "pots and pans organizerblack and heavy duty" + ], + "i am looking for a wireless fast charger that goes with my iphone.": [ + "wireless fast charger for iphone", + "iphone wireless fast charger", + "womens wireless fast charger", + "wireless fast charger iphone", + "wirelessly fast charger for iphone", + "wireless fast charger", + "wireless fast charger for iiphone", + "wireless fast charger for iphone", + "wirefree charging iphone", + "iphone wireless charger" + ], + "i am looking for a 4gb android 10.0 tv box.": [ + "4gb android 10.0 tv box", + "4gb android 10.0 tv box.", + "4gb android 10.0 tv box under $40", + "4gb android 10.0 tv box under $60", + "4gb android 10.0 tv box under $50", + "4gb android 10.0 tv box under $120", + "4gb android 10.0 tv box under 40 dollars", + "4gb android 10.0 tv box under $130", + "4gb android 10.0 tv box under 50 dollars", + " 4gb android 10.0 tv box" + ], + "i want a spicy beef meat and cheese gift basket.": [ + "pink beef meat and cheese gift basket", + "slimming beef meat and cheese gift basket", + "tempered beef meat and cheese gift basket", + "spicy beef meat and cheese gift basket", + "s spicy beef meat and cheese gift basket", + "shrimp meat and cheese gift basket", + "hot beef meat and cheese gift basket", + " spicy beef meat and cheese gift basket", + "pink beef meat and cheese gift basket.", + "s spicy beef meat and cheese gift basket." + ], + "i am looking for slim fit men t-shirts of black color.": [ + "slim fit men t-shirt black", + "mens t-shirt black", + "slim fit men t-shirts black", + "mens t-shirt black slim fit", + "mens t-shirt of black", + "slim fit men t-shirt", + " slim fit men t-shirt of black", + "mens black t-shirt slim fit", + "slim fit black men t-shirt", + "man t-shirt black" + ], + "i need a large 3-wick bucket mult-color floral print soy wax candle for summer": [ + "large 3-wick bucket mult-color floral print soy wax candle", + "3-wick bucket mult-color floral print soy wax candle for summer", + "3-wick bucket mult-color floral print soy wax candle", + "medium 3-wick bucket mult-color floral print soy wax candle", + "4-wick bucket mult-color floral print soy wax candle for summer", + "4-wick bucket mult-color floral print soy wax candle", + "mult-color floral print soy wax candle for summer", + "mult-color floral print soy wax candle", + "daring floral print soy wax candle for summer", + "lens floral print soy wax candle for summer" + ], + "i'm looking for a wings set of 2 white finish heavy home office desk.": [ + "pink finish heavy home office desk", + "2 white finish heavy home office desk", + "3 white finish heavy home office desk", + "two white finish heavy home office desk", + "white finish heavy home office desk", + "wings set 2 white finish heavy home office desk", + "wooden desk with 2 white finish heavy", + "wings set of 2 white finish heavy work desk", + "wings set of 2 white finish heavy office desk", + "pink finish heavy home office desk." + ], + "i am looking for cimota pu leather dining chairs in a set of 2.": [ + "cimota pu leather dining chairs in a set of 2", + "cimota pu leather dining chairs set of 2", + "cimota pu leather dining chairs", + "cimota pu leather dining chairs set of 2.", + "cimota pu leather dining chairs, set of 2", + "tablet pu leather dining chairs in a set of 2", + "cimota pu leather dining chairs, set of 2,", + "cimota pu leather dining chairs 2 set of 2", + "cimota pu leather dining chairs, set of 2.", + "cimota pu leather dining chairs a set of 2" + ], + "i want tiger lily bareminerals eye shadow.": [ + "tiger lily bareminerals eye shadow", + "teeth lily bareminerals eye shadow", + "teiger lily bareminerals eye shadow", + "manual lily bareminerals eye shadow", + "tiger lily bareminerals eye shadow.", + " tiger lily bareminerals eye shadow", + "t tiger lily bareminerals eye shadow", + "antiger lily bareminerals eye shadow", + "animal lily bareminerals eye shadow", + "teeth lily bareminerals eye shadow." + ], + "i'm looking for a tempered glass screen protector that is compatible with a 42 mm size apple watch.": [ + "tempered glass screen protector 42 mm", + "tempered glass screen protector 42 mm apple watch", + "tempered glass screen protector for 42 mm apple watch", + "tempered glass screen protector", + "tempered glass screen protector for 42 mm size apple watch", + "tempered glass screen protector 42 mm size apple watch", + "tempered glass screen protector for an 42 mm apple watch", + "tempered glass screen protector for a 42 mm apple watch", + "tempered glass screen protector, 42 mm", + "tempered glass screen protector for 42 mm" + ], + "i am looking for a non gmo mojito cocktail mixer": [ + "non gmo mojito cocktail mixer", + "non-gmo mojito cocktail mixer", + "non gmo mojito cocktail mixer under $40", + "non gmo mojito cocktail mixer under $60", + "non gmo mojito cocktail mixer under $50", + "non gmo mojito cocktail mixer under 50 dollars", + "non gmo mojito cocktail mixer under 40 dollars", + "non gmo mojito cocktail mixer below $40", + "non gmo mojito cocktails mixer", + "no gmo mojito cocktail mixer" + ], + "get football shoes with size 5.5. it should have a rubber sole.": [ + "football shoes size 5.5 rubber sole", + "football shoes size 5.5 with a rubber sole", + "football shoes size 5.5 with rubber sole", + "football shoes size 5.5, rubber sole", + "size 5.5 football shoes with a rubber sole", + "football shoes in size 5.5 with a rubber sole", + "football shoes size 5.5", + "football shoes with size 5.5 rubber sole", + "football shoes, size 5.5, rubber sole", + "football shoes 5.5 rubber sole" + ], + "i want seeds of change organic whole grain brown basmati rice.": [ + "seeds of change organic whole grain brown basmati rice", + "plant seeds of change organic whole grain brown basmati rice", + "sneakers of change organic whole grain brown basmati rice", + "plants of change organic whole grain brown basmati rice", + "sale of change organic whole grain brown basmati rice", + "seeds of change organic whole grain brown basmati rice", + "ps seeds of change organic whole grain brown basmati rice", + "plantings of change organic whole grain brown basmati rice", + "pink organic whole grain brown basmati rice", + "seeds of change organic whole grain brown basmati rice." + ], + "i am looking for casual button-down shirts of burgundy color having long sleeve.": [ + "casual button-down shirts of burgundy color", + "pocket button-down shirts of burgundy color with long sleeves", + "pocket button-down shirts of burgundy color having long sleeve", + "pocket button-down shirts of burgundy color with long sleeve", + "curtains burgundy color with long sleeves", + "casual button-down shirts burgundy color with long sleeves", + "casual button-down shirts of burgundy color long sleeve", + "curtains burgundy color with long sleeve", + "curtains of burgundy color with long sleeves", + "pocket button-down shirts of burgundy color" + ], + "i am looking for a 21 inch high quality hairpiece used for hair extensions.": [ + "21 inch high quality hairpiece", + "21 inch high quality hairpiece for hair extensions", + "hairpiece 21 inches high quality", + "21 inch hairpiece used for hair extensions", + "hairpiece 21 inch high quality", + "21 inch high quality hairpiece under $50", + "21 inch high quality hairpiece under $40", + "21 inch high quality hairpiece under $60", + "21 inch high quality hairpiece for hair extension", + "23 inch high quality hairpiece" + ], + "i would like a t6b83a premier edition printer with a usb port.": [ + "t6b83a premier edition printer with a usb port", + " t6b83a premier edition printer with a usb port", + "tablet t6b83a premier edition printer with a usb port", + "t6b83a premier edition printer", + "t6b83a premier edition printer with a usb port.", + "teams t6b83a premier edition printer with a usb port", + "teens t6b83a premier edition printer with a usb port", + "a premier edition printer with a usb port", + "t6b83a premier edition printer with usb port", + "team t6b83a premier edition printer with a usb port" + ], + "i'm looking for tablet pc with 32gb storage, android 9.0, dual sim slots and dual camera.": [ + "tablet pc with 32gb storage with dual camera", + "tablet pc with 32gb storage", + "tablet pc with 32gb storage, dual camera", + "tablet pc with 32gb storage and dual camera", + "tablet pc 32gb storage with dual camera", + "tablet pc with 32gb storage dual camera", + "tablet pc 32gb with dual sim slots", + "tablet pc with 32gb storage under $130", + "desktop pc with 32gb storage", + "tablet pc 32gb storage" + ], + "i want a black cordless water flosser for bad breath.": [ + "black cordless water flosser for bad breath", + "black cordless water flosser for bad breath.", + "black cordless water flosser with bad breath", + "black cordless water flosser for bad breath under $40", + "black cordless water flosser bad breath", + "black cordless water flosser for bad breath under $50", + "black cordless water flosser", + "black cordless water flosser for bad breath under $60", + "black cordless water flosser for bad breath,", + "black cordless water flosser for bad breath under 50 dollars" + ], + "i am looking self tanner for removal my dry and dead skin": [ + "self tanner for removal my dry and dead skin", + "self tanner for removal my dry and dead skin", + "self tanner for removal of dry and dead skin", + "self tanner for removal of my dry and dead skin", + "self tanner for removal dry and dead skin", + "self tanner for removing my dry and dead skin", + "self tanner for removal of dead skin", + "self tanner my dry and dead skin", + "self tanner for removal my dry and dead skin ", + "self tanner" + ], + "i would like an assorted bag of individually wrapped caramels": [ + "bag of individually wrapped caramels", + "pack of individually wrapped caramels", + "bag of individually wrapped caramels under $40", + "bag of individually wrapped caramels under $60", + "bag of individually wrapped caramels under $50", + "bag of individually wrapped caramels under 50 dollars", + "bag of individually wrapped caramels under 30 dollars", + "alarm bag of individually wrapped caramels", + "an assorted bag of individually wrapped caramels", + "bag of individually wrapped caramels below $40" + ], + "i would like the perfect jam gift.": [ + "jams gift", + "pink jam gift", + "muskmel gift", + "lip art jam gift", + "jammed gift", + "mam gift", + "jams gift under 50 dollars", + "jams gift that is perfect", + "jam gift", + "jams gift under $50" + ], + "i'm looking for heavy weight paper plates.": [ + "heavy weight paper plates", + "heavy weight paper plates under $40", + "heavy weight paper plates under $50", + "heavy weight paper plates under $60", + "heavy weight paper plates under 50 dollars", + "heavy weight paper plates under 40 dollars", + "heavy weight paper plates under 30 dollars", + "heavy weight paper plates under 60 dollars", + "heavy weight paper plates under 120 dollars", + "heavy weight paper plates under $120" + ], + "i am interested in acquiring women shirt which is gray color and x-large size, while also i want it to be machine washable and be a loose fit.": [ + "womens shirt gray x-large", + "womens shirt x-large", + "womens shirt gray color x-large", + "womens shirt, gray color x-large", + "womens shirt in gray color x-large", + "womens shirt with gray color x-large", + "womens shirt gray", + "woman shirt gray x-large", + "womens t-shirt gray x-large", + "woman shirt x-large" + ], + "i looking for strawberry&blueberry artificial flavors in variety pack apple cinnamon &strawberry": [ + "strawberry&blueberry artificial flavors in variety pack apple cinnamon", + "strawberry andblueberry artificial flavors in variety pack apple cinnamon", + "strawberry &blueberry artificial flavors in variety pack apple cinnamon", + "strawberry andblueberry artificial flavors variety pack apple cinnamon", + "strawberry&blueberry artificial flavors variety pack apple cinnamon", + "strawberry&blueberry artificial flavors in variety pack apple cinnamon &strawberries", + "strawberry andblueberry artificial flavors in variety pack apple cinnamon &strawberries", + "strawberryberry &blueberry artificial flavors in variety pack apple cinnamon &stanberry", + "strawberry &blueberry artificial flavors in variety pack apple cinnamon &strawberries", + "strawberry and blueberry artificial flavors in variety pack apple cinnamon &strawberries" + ], + "i'm looking for disposable razors for hair removal in multiple colors": [ + " disposable razors for hair removal in multiple colors", + "pink disposable razors for hair removal", + "pink razors for hair removal in multiple colors", + "plastic razors for hair removal in multiple colors", + "permanent razors for hair removal in multiple colors", + "pink hair removal razors", + "pink and black disposable razors for hair removal", + "pink hair removal razors in multiple colors", + "pink razors for hair removal", + "pink disposable razors" + ], + "i am looking for a easily cleanable toothbrush with travel case that has extra soft feature. and i choose the white one": [ + "easy cleanable white toothbrush", + "white toothbrush with travel case", + "teethbrush with travel case", + "teethbrush with travel case white", + "yellow toothbrush with travel case", + "easy cleanable toothbrush", + "toothbrush with travel case white", + "white toothbrush", + "toothbrush with travel case", + "pocketbrush with travel case" + ], + "i am looking for 040 medium ash brown color hair dye that is easy to use.": [ + "040 medium ash brown hair dye", + "040 medium ash brown color hair dye", + "easy to use 040 medium ash brown hair dye", + "small ash brown hair dye that is easy to use", + "140 medium ash brown hair dye", + "easy to use 040 medium ash brown hair dye", + "040 medium ash brown hair dye easy to use", + "140 medium ash brown color hair dye", + "small ash brown hair dye", + "040 medium ash brown color hair dye easy to use" + ], + "i am looking for some honey dark colored paraben free powder foundation.": [ + "honey dark colored paraben free powder foundation", + " honey dark colored paraben free powder foundation", + "a honey dark colored paraben free powder foundation", + "home made honey dark colored paraben free powder foundation", + "honey dark colored paraben free powder foundation.", + " honey dark colored paraben free powder foundation.", + "shoney dark colored paraben free powder foundation", + "home colored paraben free powder foundation", + "butter colored paraben free powder foundation", + "honey dark colored paraben free powder foundation," + ], + "i'm looking for a green tea full coverage concealer for dark circles": [ + "green tea full coverage concealer for dark circles", + "green tea full coverage concealer for dark circles under $40", + "green tea full coverage concealer for dark circles under $50", + "green tea full coverage concealer for dark circles under $60", + "green tea full coverage concealer for dark circles under 50 dollars", + "green tea full coverage concealer for dark circles under 30 dollars", + "green tea full coverage concealer", + "green tea full coverage concealer for dark circles under 40 dollars", + "green tea full coverage concealer dark circles", + "green tea full coverage concealer for dark circles under 60 dollars" + ], + "i'm looking for boxer briefs for men.": [ + " boxer briefs for men", + " boxer briefs for men.", + " boxer briefs for men under $40", + " boxer briefs for men under $50", + " boxer briefs for men under 50 dollars", + " boxer briefs for men under $60", + "man boxer briefs for men", + " boxer briefs for men under 60 dollars", + " boxer briefs for men under 30 dollars", + "boxer briefs for men" + ], + "i'm interested in a long-sleeved, size large hooded sweatshirt made from quality polyester.": [ + "large hooded sweatshirt made from quality polyester", + "womens sweatshirt made from quality polyester", + "l hooded sweatshirt made from quality polyester", + "hooded sweatshirt made from quality polyester", + "medium hooded sweatshirt made from quality polyester", + "large hooded sweatshirt made from quality polyester.", + "shortshirt made from quality polyester", + "large hooded sweatshirt made from quality polyester,", + "large sweatshirt made from quality polyester", + "lenshirt made from quality polyester" + ], + "i would like some non toxic body glitter in the color ch138": [ + "non toxic body glitter ch138", + "non toxic body glitter color ch138", + "non toxic body glitter, ch138", + "non toxic body glitter colored ch138", + "non toxic body glitter", + "non toxic body glitter ch138 color", + "non toxic body glitter ch138", + "non toxic body glitter in ch138", + "non toxic body glitter that is non toxic", + "non toxic body glitter, ch138," + ], + "i'm looking for a 2t royal blue t-shirt encanto movie officially licensed for men": [ + "2t royal blue t-shirt encanto movie", + "2t royal blue t-shirt encanto movie officially licensed", + "2t royal blue t-shirt encanto movie licensed for men", + "2t royal blue t-shirt encanto", + "2t royal blue t-shirt encanto movie under $40", + "2t royal blue t-shirt encanto movie for men", + " 2t royal blue t-shirt encanto movie", + "2t royal blue t-shirt encanto movie, officially licensed", + "2t royal blue t-shirt encanto movie under $50", + "twot royal blue t-shirt encanto movie" + ], + "i want a light blue and funut case cover compatible with the macbook pro.": [ + "light blue macbook pro case cover", + "light blue and funut case cover for macbook pro", + "light blue and funut case cover", + "light blue and funut case cover with macbook pro", + "light blue and funut case cover, macbook pro", + "macbook pro case cover light blue", + "macbook pro case cover light blue and funut", + "lens blue macbook pro case cover", + "case cover for macbook pro", + "macbook pro case cover" + ], + "i would like some non gmo sugar": [ + "non gmo sugar", + "non-gmo sugar", + "non gmo sugar non gmo", + "non gmo sugar under $40", + "non gmo sugar below $40", + "non gmo sugar under $50", + "non gmo sugar under $60", + "non gmo sugar under 50 dollars", + "non gmo sugar no gmo", + "non gmo sugar below $50" + ], + "i would like a one pound bag of non-gmo amla.": [ + "one pound bag of non-gmo amla", + "1 pound bag of non-gmo amla", + "bag of non-gmo amla", + "non-gmo amla bag", + "two pound bag of non-gmo amla", + "one pound bag non-gmo amla", + "non-gmo amla one pound bag", + "non-gmo amla bags", + "non-gmo amla bag under $40", + "bag of non-gmo amla." + ], + "find this dynasty mattress fully adjustable bed frame with custom headband, bluetooth & usb ports + memory foam mattress set\u2026 for a fair price": [ + "dual adjustable bed frame with custom headband, bluetooth & usb ports", + "i would like to buy a fully adjustable bed frame with custom headband, bluetooth & usb ports, memory foam mattress set", + "i would like to buy a fully adjustable bed frame with custom headband, bluetooth & usb ports + memory foam mattress set", + "dual adjustable bed frame with custom headband, bluetooth & usb ports + memory foam mattress set", + "i would like to buy a fully adjustable bed frame with custom headband, bluetooth & usb ports", + "dual adjustable bed frame with custom headband, bluetooth & usb ports, memory foam mattress set", + "dynasty mattress fully adjustable bed frame with custom headband, bluetooth & usb ports", + "dual adjustable bed frame with custom headband", + "comfortable bed frame with custom headband, bluetooth & usb ports", + "comfortable mattress fully adjustable with bluetooth & usb ports" + ], + "i am looking fresh scent body lotion for dry skin.": [ + "fresh scent body lotion for dry skin", + "fresh scent body lotion for dry skin.", + "fresh scent body lotion", + "fresh scent body lotion for dry skin under $40", + "fresh scent body lotion for dry skin under $50", + "fresh scent body lotion for dry skin under $60", + "fresh scent body lotion for dry skin under 30 dollars", + "fresh scent body lotion for dry skin under 50 dollars", + "fresh scent body lotion for dry skin fresh", + "fresh scent body lotion for dry skin below $40" + ], + "i am looking for loose fit small size pajama pant.": [ + "loose fit small size pajama pant", + "small pajama pant", + "pocket fit small size pajama pant", + "faux fit small size pajama pant", + "small size pajama pant", + "lose fit small size pajama pant", + "womens pajama pant", + "womens pajama pant loose fit", + "pocket fit pajama pant", + "small pajama pant loose fit" + ], + "i want hands free and bluetooth headphones.": [ + "hand free bluetooth headphones", + "hands free bluetooth headphones", + "hand free and bluetooth headphones", + "i want hands free bluetooth headphones.", + "womens free bluetooth headphones", + "hands free and bluetooth headphones", + "womens free and bluetooth headphones", + "sneakers free bluetooth headphones", + "hand free bluetooth headphones under $40", + "hand free bluetooth headphones under $50" + ], + "i want black and comfortable under armour ansa slide sandals.": [ + "black under armour ansa slide sandals", + "black black under armour ansa slide sandals", + "black under armour ansa slide sandals.", + "black under armour ansa slide sandals,", + "black armour ansa slide sandals", + "black sandals", + "black and comfortable under armour sash", + "black and comfortable under armour", + "black sandals under armour", + "black sea sandals" + ], + "i am looking for a long handle red color toothbrush which is eco friendly and long lasting.": [ + "long handle red toothbrush eco friendly", + "long handle red toothbrush eco friendly long lasting", + "long handle red color toothbrush", + "long handle red toothbrush", + "long handle red color toothbrush eco friendly", + "long handle red toothbrush that is eco friendly", + "long handle red dentalbrush eco friendly long lasting", + "long handle red teethbrush eco friendly long lasting", + "long handle red dentalbrush eco friendly", + "eco friendly red toothbrush" + ], + "i want a qivynsry filter carrying case.": [ + "qivynsry filter carrying case", + "qivynsry filter carrying case.", + " qivynsry filter carrying case", + "qivynsry filter carrying case,", + "tivynsry filter carrying case", + "a qivynsry filter carrying case", + "kivynsry filter carrying case", + "quivynsry filter carrying case", + "womens filter carrying case", + "tvr filter carrying case" + ], + "find a 1 pound bag snowy river holiday cocktail sugar - all natural festive cocktail rimmer gluten free, non gmo, i want to make a good impression on guests.": [ + "1 pound bag snowy river holiday cocktail sugar", + "a 1 pound bag snowy river holiday cocktail sugar", + "sugar 1 pound bag snowy river holiday cocktail sugar", + "one pound bag snowy river holiday cocktail sugar", + "1 pound bag snowy river holiday cocktail sugar non gmo", + "blanket bag snowy river holiday cocktail sugar", + "1 pound bag snowy river holiday cocktail sugar no gmo", + "1 pound bag of snowy river holiday cocktail sugar", + "strawberry river holiday cocktail sugar", + "snowman river holiday cocktail sugar" + ], + "i would like wall lamps that have two heads and are made of glass": [ + "wall lamps with two heads made of glass", + "wall lamps two heads made of glass", + "wall lamps made of glass", + "wall lamps made from glass", + "wall lamp with two heads made of glass", + "wall lamps that have two heads", + "wall lamps with two heads", + "wall lamps that are made of glass", + "wall lamp two heads made of glass", + "wall lamps" + ], + "i am looking for a medium size laundry bag for my wife": [ + "medium size laundry bag for my wife", + "medium size laundry bag for a wife", + "medium size laundry bag for a woman", + "medium size laundry bag", + "medium laundry bag for my wife", + "medium size laundry bag for wife", + "large size laundry bag for my wife", + "medium size laundry bag for the wife", + "medium size laundry bag for woman", + "medium sized laundry bag for my wife" + ], + "i would like a long lasting men's perfume.": [ + "mens perfume long lasting", + "mens perfume long lasting mens", + "long lasting mens perfume", + "mens perfume long lasting", + "long lasting mens perfume.", + "mens perfume that is long lasting", + "mens perfume", + "mens perfume, long lasting", + "mas perfume long lasting", + "mens perfume" + ], + "i am looking for a mango matic flavored performance drink that has zero sugar.": [ + "mango matic flavored performance drink that has zero sugar", + "mango matic flavored performance drink with zero sugar", + "mango matic flavored performance drink", + "pomegranate matic flavored performance drink", + "mango matic flavored performance drink no sugar", + "mango matic flavored performance drink zero sugar", + "a mango matic flavored performance drink that has zero sugar", + "muskmatic flavored performance drink that has zero sugar", + "mango matic flavored performance drink, zero sugar", + "pomegranate matic flavored performance drink no sugar" + ], + "i am looking for a boat shoe that has rubber sole. and i would prefer the 8.5 size with blue color": [ + "oat shoe with rubber sole", + "oat shoe that has rubber sole", + "oat shoe with rubber sole 8.5", + "oat shoe, 8.5, blue", + "oat shoe 8.5 in blue", + "oat shoe that has rubber sole in a blue", + "oat shoe 8.5 size with blue color", + "oat shoe with rubber sole, 8.5", + "oat shoe 8.5 blue", + "oat shoe with rubber sole 8.5 size" + ], + "i need to get blue tongue cleaner that is stainless steel.": [ + "blue tongue cleaner that is stainless steel", + "blue tongue cleaner stainless steel", + "blue tongue cleaner, stainless steel", + "blue tongue cleaner with stainless steel", + "blue tongue cleaner made from stainless steel", + "blue tongue cleaner in stainless steel", + "blue tongue cleaner", + "blue tongue cleaner from stainless steel", + "blue tongue cleaner under $50", + "blue tongue cleaner under $40" + ], + "i would like a xlarge plus red camellia fleece jacket that can be machine washed.": [ + "xlarge plus red camellia fleece jacket", + " xlarge plus red camellia fleece jacket", + "xlarge plus red fleece jacket that can be machine washed", + "xlarge plus red ranllia fleece jacket", + "xlarge plus red fleece jacket", + "xxl fleece jacket that can be machine washed", + " xlarge plus red fleece jacket that can be machine washed", + "xl plus red camellia fleece jacket", + "xlarge plus red satin fleece jacket", + " xlarge plus red fleece jacket" + ], + "i need a two pack of peanut butter that is non gmo": [ + "two pack of peanut butter non gmo", + "two pack of peanut butter", + "two pack peanut butter non gmo", + "two pack of peanut butter, non gmo", + "two pack peanut butter that is non gmo", + "two pack of peanut butter non-gmo", + "two pack of peanut butter no gmo", + "two pack peanut butter", + "two pack of peanut butter with gmo", + "two pack peanut butter, non gmo" + ], + "i need a fast charging charging station that is space black": [ + "fast charging charging charging station that is space black", + "fast charging charging charging station space black", + "fast charging charging charging station for space black", + "space black fast charging charging station", + "space black fast charging charging charging station", + "fast charging charging charging station in space black", + "fast charging charging charging station", + "living room fast charging charging station", + "white fast charging charging station", + "white fast charging charging charging station" + ], + "i am looking for queen size beds.": [ + "queen size beds", + "queen size beds.", + "queen size beds queen size", + "king size beds queen size", + "queen size beds queen", + "queen size beds for queen", + "queen size beds, queen", + "queen size beds,", + "queen sized beds", + " queen size beds" + ], + "i want white non slip women's wedges cowboy boots.": [ + "white non slip womens wedges cowboy boots", + "white non slip womens wedges cowboy boots.", + "white non slip womens wedges cowboy boots,", + "white non slip womens wedges cowboy boots white", + "womens wedges cowboy boots", + "womens wedges cowboy boots white", + "whomens wedges cowboy boots", + "whomens wedges cowboy boots white", + "non slip womens wedges cowboy boots", + "white non slip women wedges cowboy boots" + ], + "i am looking for home theatres plug connectors that are easy to install.": [ + "home theatres plug connectors that are easy to install", + "home theatres plug connectors", + "home theatres plug connectors easy to install", + "home theatres plug connectors, easy to install", + "home theatres plug connectors easy to install.", + "home theatres plug connectors, easy to install,", + "home theatres plug connectors which are easy to install", + "home theatres plug connectors with easy to install", + "home theatres plug connectorseasy to install", + "home theatres plug connectors are easy to install" + ], + "i am looking for a 50 ft | 15m size ultra hd gold plated hdmi cables": [ + "50 ft | 15m ultra hd gold plated hdmi cables", + "50 ft x 15m ultra hd gold plated hdmi cables", + "50 ft hd gold plated hdmi cables", + "50 ft | 15m gold plated hdmi cables", + "50 ft | 15m ultra hd gold plated hdmi cable", + "50 ft | 15m size ultra hdmi cables", + "50 ft | 15m hdmi cables", + "50 ft | 15m", + "50 ft hd gold plated hdmi cables under $60", + "50 ft" + ], + "i need meat seasoning that is made in usa . and i would prefer the one with peppered sea salt": [ + "meat seasoning made from usa sea salt", + "meat seasoning made in usa with peppered sea salt", + "vegan seasoning made in usa with peppered sea salt", + "vegan seasoning made from usa sea salt", + "pack seasoning made from usa sea salt", + "meat seasoning that is made in usa sea salt", + "vegan seasoning made in usa sea salt", + "meat seasoning made in usa sea salt", + "meat seasoning that is made in usa sea salt", + "meat seasoning that is made in usa salt" + ], + "i need a laundry bag for my travel": [ + "laundry bag for travel", + "a laundry bag for travel", + "laundry bag", + "a laundry bag for my travel", + "womens laundry bag", + "living room laundry bag for travel", + "living room laundry bag", + "toothpaste bag for travel", + "laundry bag travel", + "dining bag for travel" + ], + "i need a bluetooth keyboard with aaa batteries in gold color": [ + " bluetooth keyboard with aaa batteries in gold", + " bluetooth keyboard with aaa batteries", + " bluetooth keyboard with aaa batteries gold", + "blue bluetooth keyboard with aaa batteries", + "blueetooth keyboard with aaa batteries", + "b bluetooth keyboard with aaa batteries", + " bluetooth keyboard with aaa batteries, gold", + "blueetooth keyboard with aaa batteries in gold", + " bluetooth keyboard gold", + "aaa batteries bluetooth keyboard" + ], + "i'm looking for gift basket for teachers.": [ + "gift basket for teachers", + "gift basket for teachers.", + "gift basket for teachers under $50", + "gift basket for teachers under $40", + "gift basket for teachers under $60", + "gift basket for teachers under 50 dollars", + "gift basket for teachers under 40 dollars", + "gift basket for teachers under 30 dollars", + "gift basket for teachers under 60 dollars", + "gift basket to teachers" + ], + "i am looking for a gift basket for teacher which is hand crafted.": [ + "gift basket for teacher", + "gift basket for teacher hand crafted", + "hand crafted gift basket for teacher", + "gift basket for teacher hand crafted.", + "gift basket for teacher, hand crafted", + "gift basket for teacherhand crafted", + "gift basket for teacher with hand crafted", + "gift basket for teacher under $50", + "gift basket for a teacher", + "gift basket" + ], + "i am looking for a 5 piece glass dining table with metal legs for my dining room. it should have faux leather dining chairs.": [ + "5 piece glass dining table with metal legs", + "5 piece glass dining table with metal legs for dining room", + "5 piece glass dining table with metal legs, dining room", + "5 piece glass dining table with metal legs in a dining room", + "5 piece glass dining table with metal legs for my dining room", + "5 piece glass dining table with metal legs dining room", + "living room 5 piece glass dining table with metal legs", + "5 piece glass dining table", + "5 x 5 piece glass dining table with metal legs", + "living room dining table with metal legs" + ], + "i am looking for a grain free pumpkin bread mix": [ + "grain free pumpkin bread mix", + "rain free pumpkin bread mix", + "pumpkin bread mix grain free", + "pomegranate bread mix grain free", + "gluten free pumpkin bread mix", + "pomegranate bread mix", + "pumpkin bread mix", + "a grain free pumpkin bread mix", + "grain free pumpkin bread mix under $40", + "grain free pumpkins bread mix" + ], + "i want a khaki phone case for apple phones.": [ + "k khaki phone case for apple phones", + "h khaki phone case for apple phones", + " khaki phone case for apple phones", + "kaki phone case for apple phones", + "khawaki phone case for apple phones", + "khamaki phone case for apple phones", + "crawberry phone case for apple phones", + "Khaki phone case for apple phones", + " khaki phone case for apple phones.", + "k khaki phone case" + ], + "i am looking for a 3 pack of trader joe's shelf stable whapping cream in 8 fl oz, three pack -set of two.": [ + "3 pack of trader joes shelf stable whapping cream in 8 fl oz, three pack -set of two", + "3 pack of trader joes shelf stable whapping cream in 8 fl oz three pack -set of two", + "3 pack of trader joes shelf stable whapping cream in 8 fl oz, three pack-set of two", + "3 pack of trader joes shelf stable whapping cream in 8 fl oz 3 pack -set of two", + "3 pack of trader joes shelf stable whapping cream in 8 fl oz three pack-set of two", + "3 pack of trader joes shelf stable whapping cream in 8 fl oz three pack -set of two.", + "3 pack of trader joes shelf stable whapping cream in 8 fl oz", + "three pack of trader joes shelf stable whapping cream in 8 fl oz, three pack -set of two", + "3 pack of trader joes shelf stable whapping cream in 8 fl oz, 3 pack -set of two", + "3 pack of trader joes shelf stable whapping cream in 8 fl oz, three pack -set of 2" + ], + "looking for drying hair turban choose one size": [ + "drying hair turban one size", + "drying hair turban in one size", + "drying hair turban, one size less then $40", + "drying hair turban size one size", + "drying hair turban, one size less then $60", + "drying hair turban size 1.5 oz", + "drying hair turban one size less then $40", + "drying hair turban", + "drying hair turban, one size less then $50", + "drying hair turban size one size less then $40" + ], + "i am looking for a blue computer gaming chair that is height adjustable and has lumbar support.": [ + "blue computer gaming chair with height adjustment", + "blue computer gaming chair that is height adjustable", + "blue computer gaming chair with height adjustment and lumbar support", + "blue computer gaming chair height adjustable", + "blue computer gaming chair height adjustable with lumbar support", + "blue computer gaming chair height adjustable and lumbar support", + "blue computer gaming chair with height adjustable and lumbar support", + "blue computer gaming chair, height adjustable and lumbar support", + "blue computer gaming chair with height adjustable", + "blue computer gaming chair height adjustable lumbar support" + ], + "i want a 2 pack of fragrance free hair detangler spray.": [ + "2 pack of fragrance free hair detangler spray", + "1 pack of fragrance free hair detangler spray", + "two pack of fragrance free hair detangler spray", + "scent free hair detangler spray 2 pack", + " 2 pack of fragrance free hair detangler spray", + "2 pack fragrance free hair detangler spray", + "beauty free hair detangler spray 2 pack", + "pink hair detangler spray 2 pack", + "scent free hair detangler spray", + "synthetic free hair detangler spray" + ], + "i'm looking a pocket telescope with high definition for bird watching": [ + "pocket telescope high definition bird watching", + "pocket telescope high definition for bird watching", + "pocket telescope with high definition for bird watching", + "pocket telescope with high definition bird watching", + "pocket telescope that is high definition bird watching", + "pocket telescope with high definition", + "pocket telescope, high definition, bird watching", + "pocket telescope that is high definition", + "pocket telescope, high definition for bird watching", + "pocket telescope, high definition bird watching" + ], + "i need a stereo headset with fast charging capacity. and i choose the green one": [ + "green stereo headset with fast charging capacity", + "stereo headset with fast charging capacity", + "red stereo headset with fast charging capacity", + "white stereo headset with fast charging capacity", + "a stereo headset with fast charging capacity", + "blue stereo headset with fast charging capacity", + "green stereo headset with fast charging", + "sound headset with fast charging capacity", + "green stereo headset", + "red stereo headset" + ], + "i'm looking for a gluten free cauliflower cizza crust": [ + "gluten free cauliflower cizza crust", + "gluten free cauliflower cizza crust below $40", + "gluten free cauliflower cizza crust under $40", + "gluten-free cauliflower cizza crust", + "gluten free cauliflower cizza crust below $60", + "gluten free cauliflower cizza crust under $60", + "gluten free cauliflower cizza crust under 50 dollars", + "gluten free cauliflower cizza crust below $50", + "gluten free cauliflower cizza crust under $50", + "gluten free cauliflower cizza crust under 40 dollars" + ], + "i am looking for 100th birthday cake toppers.": [ + "100th birthday cake toppers", + "birthday cake toppers 100 years old", + "100th birthday cake toppers.", + "100th birthday cake toppers under $40", + "100th birthday cake toppers under $50", + "100th birthday cake toppers under $60", + "100th birthday cake toppers under 50 dollars", + "100th birthday cake toppers under 30 dollars", + "100th birthday cake toppers under 40 dollars", + "living 100th birthday cake toppers" + ], + "i am looking for watermelon flavored mango dragon fruit tea refresher having high fructose": [ + "mango dragon fruit tea refresher high fructose", + "watermelon flavored mango dragon fruit tea refresher", + "pomegranate dragon fruit tea refresher high fructose", + "mango dragon fruit tea refresher with high fructose", + "pomegranate dragon fruit tea refresher with high fructose", + "pomegranate dragon fruit tea refresher", + "mango dragon fruit tea refresher that is high fructose", + "mango dragon fruit tea refresher", + "watermelon flavored mango dragon fruit tea refresher under $40", + "mango dragon fruit tea refresher having high fructose" + ], + "i am looking for kosher certified irish fortune cookies with pattern name :halloween": [ + "kosher certified irish fortune cookies", + "kosher certified irish fortune cookies pattern name :halloween", + "kosher certified irish fortune cookies with pattern name", + "kosher certified irish fortune cookies with pattern", + "kosher certified irish fortune cookies under $40", + "kosher certified irish fortune cookies with pattern name halloween", + "kosher certified irish fortune cookies under $60", + "cruelty certified irish fortune cookies", + "kosher certified irish fortune cookies, patterned halloween", + "cruelty certified irish fortune cookies with pattern name" + ], + "i am looking for certified organic loose leaf containing spirit herbal herbal tea flavor tea.": [ + "natural herbal tea flavor", + "alarm herbal tea flavor", + "living herbal tea flavor", + "natural herbal tea flavor tea", + "pure natural herbal tea flavor", + "living herbal tea flavor tea", + "tea flavor", + "tea flavor tea", + "freeze dried tea flavor", + "living tea flavor" + ], + "i would like a 18 individually wrapped hunnybrush tea bags.": [ + "18 individually wrapped hunnybrush tea bags", + "18 individually wrapped hunnybrush tea bags.", + "18 individually wrapped hunnybrush tea bags under $50", + "18 individually wrapped hunnybrush tea bags under $60", + "18 individually wrapped hunnybrush tea bags under $40", + "18 individually wrapped hunnybrush tea bags under 30 dollars", + "18 individually wrapped hunnybrush tea bags under 50 dollars", + "18 individually wrapped hunnybrush tea bags under 40 dollars", + "18 individually wrapped hunnybrush tea bags under 120 dollars", + " 18 individually wrapped hunnybrush tea bags" + ], + "i need18 count box of tea bags (pack of 3) caffeine free herbal tea": [ + "18 count box of tea bags with 3) caffeine free herbal tea", + "18 count tea bags (pack of 3) caffeine free herbal tea", + "18 count box of tea bags", + "18 count box of tea bags that are caffeine free herbal tea", + "18 count box of tea bags (pack of 3) caffeine free", + "18 count box of tea bags with caffeine free herbal tea", + "18 count box of tea bags under $50", + "18 count box of tea bags with tea", + "18 count box of tea bags under $60", + "18 count box of tea" + ], + "i would like a pack of 3 herbal teas that are immune boosting.": [ + "3 herbal teas that are immune boosting", + "pack of 3 herbal teas", + "3 herbal teas immune boosting", + "3 herbal teas that are immune boosting.", + "pack of 3 herbal teas with immune boosting", + "3 herbal teas", + "4 herbal teas that are immune boosting", + "3 herbal teas with immune boosting", + "pack of 3 herbal teas immune boosting", + "herbal teas that are immune boosting" + ], + "i would like to have bike shorts with elastic waist which are in bold blue color and x-large in size.": [ + "bike shorts x-large", + "bike shorts x-large in size", + "bike shorts with elastic waist in bold blue", + "bike shorts in bold blue color x-large", + "biking shorts x-large in size", + "bike shorts with elastic waist x-large", + "bike shorts in bold blue", + "biking shorts x-large", + "bikes shorts x-large in size", + "bikes shorts x-large" + ], + "i would like a african american pretty girl hair kit for home hair cutting.": [ + " african american pretty girl hair kit for home hair cutting", + "affrican american pretty girl hair kit for home hair cutting", + " african american pretty girl hair kit", + "affrican american pretty girl hair kit", + " african american girl hair kit for home hair cutting", + "affrican american girl hair kit for home hair cutting", + "fashions girl hair kit for home hair cutting", + "African american pretty girl hair kit for home hair cutting", + "frican american pretty girl hair kit for home hair cutting", + "fashions girl hair kit" + ], + "looking for generic led bedside table set for living room also choose set of 2": [ + "generic led bedside table set for living room", + "generic led bedside table set for living room set of 2", + "Generic led bedside table set for living room", + "generic led bedside table set in living room", + "anti led bedside table set for living room", + "a generic led bedside table set for living room", + "roasted bedside table set for living room", + "generic led bedside table set", + "generic led bedside table set living room", + "a bedside table set for living room" + ], + "i am interested in buying a biege colored diner chai which is easy to assemble and ideal for the dining room.": [ + "biege colored diner chai", + "biege colored diner chai that is easy to assemble", + "biege colored diner chai dining room", + "biege colored diner chai for dining room", + "biege colored diner chai in a dining room", + "biege colored dining room chai", + "biege colored diner chai which is easy to assemble", + "bbiege colored diner chai", + "biege colored diner chai, dining room", + "biege colored diner chai under $40" + ], + "i am looking for a super soft fleece throw that has the constellation zodiac scorpio color.": [ + "super soft fleece throw with zodiac scorpio color", + "super soft fleece throw in constellation zodiac scorpio", + "super soft fleece throw with constellation zodiac scorpio", + "super soft fleece throw zodiac scorpio color", + "super soft fleece throw zodiac scorpio", + "super soft fleece throw, constellation zodiac scorpio", + "super soft fleece throw constellation zodiac scorpio", + "super soft fleece throw with zodiac scorpio", + "super soft fleece throw", + "super soft fleece throw under $40" + ], + "i am looking for large size soft material women's cardigans with pockets": [ + "large size soft material womens cardigans", + "womens cardigans with pockets", + "womens cardigans with pocket", + "womens cardigans", + "mens cardigans with pockets", + "large size womens cardigans with pockets", + "womens cardigans large", + "soft material womens cardigans with pockets", + "womens cardigans large pocket", + "mens cardigans with pocket" + ], + "i am looking for black color twisted x men\u2019s rubber outsole slip-on of size 12.": [ + "womens rubber outsole slip-on of size 12", + "black rubber outsole slip-on of size 12", + "black rubber outsole slip-on", + "womens rubber outsole slip-on size 12", + "black rubber outsole slip-on size 12", + "black men\u2019s rubber outsole slip-on", + "womens rubber outsole slip-on of size 12 black", + "black rubber outsole slip-on in a size 12", + "brushed x men\u2019s rubber outsole slip-on", + "twin x men\u2019s rubber outsole slip-on" + ], + "i am interested in buying a xx-large sized onesie pajamas which is ideal for teen girls and is long sleeved.": [ + "xx-large sized onesie pajamas", + " xx-large sized onesie pajamas", + "xxl onesie pajamas", + "xxl onesie pajamas long sleeved", + "xx-large sized onesie pajamas that are long sleeved", + "xx-large sized onesie pajamas, long sleeved", + "xxl onesie pajamas that is ideal for teen girls", + "xx-large sized onesie pajamas for teen girls", + "xxl pajamas", + "xx-large pajamas" + ], + "i am looking for drawstring closure denim pants that have an elastic waist, in the size large.": [ + "drawstring closure denim pants that have an elastic waist", + "drawstring closure denim pants in a size large", + " drawstring closure denim pants that have an elastic waist", + "drawstring closure denim pants large drawstring closure", + "drawstring closure denim pants size large drawstring closure", + "drawstring closure denim pants", + "drawstring closure denim pants size large", + "drawstring closure denim pants in the size large", + "drawstring closure denim pants, size large", + "drawstring closure denim pants with an elastic waist" + ], + "i am looking for long lasting dark navy color noise cancelling headphones.": [ + "long lasting dark navy noise cancelling headphones", + "long lasting dark navy color noise cancelling headphones", + "dark navy noise cancelling headphones", + "dark navy color noise cancelling headphones", + "lens noise cancelling headphones", + "daring dark navy noise cancelling headphones", + "long lasting dark navy noise cancelling headphones.", + "black navy noise cancelling headphones", + "light lasting dark navy noise cancelling headphones", + "dark navy noise cancelling headphones long lasting" + ], + "i would like a ultra hd usb hub.": [ + " ultra hd usb hub", + " ultra hd usb hub.", + " ultra hd usb hub under $40", + " ultra hd usb hub,", + " ultra hd usb hub under $50", + " ultra hd usb hub under $60", + "uaco hd usb hub", + " ultra hd usb hub under $130", + " ultra hd usb hub, under $40", + " ultra hd usb hub, under $60" + ], + "i want an ivory safavieh tulum rug for my living room.": [ + "5 ft ivory safavieh tulum rug", + "5 foot ivory safavieh tulum rug", + "t5 ivory safavieh tulum rug", + " ivory safavieh tulum rug for living room", + "yellow tulum rug for living room", + " ivory safavieh tulum rug", + "tribute safavieh tulum rug", + "yellow modern tulum rug for living room", + "5 ft yellow tulum rug", + "yellow modern tulum rug" + ], + "i want cruelty free good chemistry silver coast body spray.": [ + "cruelty free good chemistry silver coast body spray", + "cruelty free good chemistry silver coast body spray.", + "cruelty free silver coast body spray", + "cruelty free good chemistry silver coast body spray,", + "cruelty free, silver coast body spray", + "cruelty free and silver coast body spray", + "cruelty free silver coast body spray.", + "cruelty free bad chemistry silver coast body spray", + "cruelty free small body spray", + "cruelty free body spray" + ], + "i am looking for a spot clean roman shade window blinds which is easy to install. also choose size 24 w x 48 h.": [ + "window blinds 24 w x 48 h", + "spot clean roman shade window blinds", + "window blinds size 24 w x 48 h", + "roman shade window blinds 24 w x 48 h", + "sneakers 24 w x 48 h", + "spot clean roman shade window blinds 24 w x 48", + "window blinds 24 w x 48", + "window blinds 24w x 48 h", + "window blinds 24 x 48 h", + "12 ft window blinds" + ], + "i am looking for easy install roman window blinds that are light filtering": [ + "easy install roman window blinds", + "easy install roman window blinds with light filtering", + "easy install roman window blinds light filtering", + "roman window blinds that are light filtering", + "window blinds that are light filtering", + "easy install roman window blinds, light filtering", + "easy install roman window blinds under $40", + "easy install roman window blinds under $60", + "roman window blinds with light filtering", + "easy install roman window blinds under $50" + ], + "i want gray aodong open toe sandals for women.": [ + "gray aodong open toe sandals for women", + "gray aodong open toe sandals for women.", + "gray aodong open toe sandals", + "womens gray aodong open toe sandals", + "grey aodong open toe sandals for women", + "gray aodong open toe sandals for women,", + " gray aodong open toe sandals for women", + "gray aodong open toe sandals women", + "gray aodong open toe sandals woman", + "gray toe sandals for women" + ], + "i am searching for navy color x-large silk smooth slim fit long sleeve shirt for men": [ + "navy color x-large silk smooth slim fit long sleeve shirt for men", + " navy color x-large silk smooth slim fit long sleeve shirt for men", + "navy color x-large silk smooth slim fit long sleeve shirt", + "womens navy color x-large silk smooth slim fit long sleeve shirt", + "navy navy color x-large silk smooth slim fit long sleeve shirt for men", + "tunnel color x-large silk smooth slim fit long sleeve shirt for men", + "anal color x-large silk smooth slim fit long sleeve shirt for men", + "navy color xl silk smooth slim fit long sleeve shirt for men", + " navy blue x-large silk smooth slim fit long sleeve shirt for men", + " navy color x-large silk smooth slim fit long sleeve shirt" + ], + "i want dalang soy wax scented candles.": [ + "dalang soy wax scented candles", + "dalang soy wax candles", + "i want dalang soy wax scented candles.", + "dalang soy wax scented candles.", + "dalang soy wax scented candles under $40", + "dalang soy wax scented candles dalang", + "dalang soy wax scented candles under $50", + "dalang soy wax scented candles under $60", + "dualang soy wax scented candles", + "dalang soy wax scented candles under 50 dollars" + ], + "i'm looking for a rich creamy, ready to eat buttermilk syrup made from quality ingredients. also, choose a pack of 4 with maple flavored one.": [ + "buttermilk syrup pack of 4 maple flavored", + "rich creamy buttermilk syrup pack of 4 maple flavored", + "buttermilk syrup pack of 4", + "buttermilk syrup pack of 4 with maple flavored", + "buttermilk syrup pack of 4 maple flavor", + "buttermilk syrup pack of 4 maple flavored one", + "buttermilk syrup pack of 4, maple flavored", + "buttermilk syrup pack 4 maple flavored", + "buttermilk syrup pack of 4 with maple flavored one", + "pack of 4 maple flavored" + ], + "i am looking for a solid wood bed frames of espresso color": [ + "solid wood bed frames of espresso color", + "solid wood bed frame of espresso color", + "living room frame of espresso color", + "wood bed frames of espresso color", + "wood bed frame of espresso color", + "solid wood bedframe of espresso color", + "stainless wood bed frame", + "solid wood bed frame, espresso color", + "solid wood bed frame", + "solid wood bed frames" + ], + "i need red colored cocktail glitter that is gmo free.": [ + "red colored cocktail glitter", + "red colored cocktail glitter gmo free", + "red cocktail glitter gmo free", + "red colored cocktail glitter no gmo", + "red wine glitter gmo free", + "red colored cocktail glitter under $40", + "red pomegranate glitter", + "red sugar cocktail glitter", + "red cocktail glitter", + "red dancing glitter" + ], + "i am looking for an anti slip pair of booties with rubber sole. it should be a size 6 and coffee colored.": [ + "anti slip pair of booties with rubber sole", + "booties with rubber sole size 6 coffee colored", + "anti slip pair of booties", + "anti slip booties size 6 coffee colored", + "anti slip booties with rubber sole", + "booties with rubber sole size 6", + "booties with rubber sole", + "booties size 6 coffee colored", + "anti slip shoe size 6 coffee colored", + "anti slip booties" + ], + "i want beige flip flop open toe slippers.": [ + "beige flip flop open toe slippers", + "beige flip flop open toe slippers.", + "pink flip flop open toe slippers", + "beige flip flop open toe slippers,", + "pink beige flip flop open toe slippers", + "pink toe slippers beige", + "beige flip flop wide toe slippers", + "sweat flop open toe slippers", + "open toe slippers beige", + "pink toe slippers" + ], + "i am looking for long lasting lip balm stick with pack of 2.": [ + "lip balm stick with pack of 2", + "lip balm stick pack of 2", + "long lasting lip balm stick pack of 2", + "long lasting lip balm stick", + "l lip balm stick with pack of 2", + "lip balm stick, pack of 2", + "lip balm stick with pack of 2.", + "lip balm stick with pack of 2", + "lip balm stick pack of 2 long lasting", + "lip balm stick" + ], + "i am looking for a universal remote control with the aaa batteries included.": [ + "universal remote control with aaa batteries", + "universal remote control with the aaa batteries", + "remote control with aaa batteries", + "manual remote control with aaa batteries", + "home theater remote control with aaa batteries", + "alarm remote control with aaa batteries", + "Universal remote control with aaa batteries", + "universal remote control aaa batteries", + "universal remote control", + "aaa batteries" + ], + "i want a blanket that's quirky and is fleece throw. i would appreciate it if it was easy to clean too please": [ + "blanket that is quirky", + "blanket fleece throw", + "blanket with fleece throw", + "blanket with a fleece throw", + "faux fleece throw blanket", + "blanket quirky fleece throw", + "pink blanket that is quirky", + "blanket", + "blanket throw", + "pink blanket" + ], + "i would like some grey sneakers in a 7.5 that have a rubber sole.": [ + "grey sneakers in a 7.5 rubber sole", + "grey sneakers in a 7.5", + "grey sneakers 7.5 with a rubber sole", + "grey sneakers 7.5 rubber sole", + "grey sneakers, 7.5, rubber sole", + "grey sneakers size 7.5 rubber sole", + "grey sneakers 7.5 with rubber sole", + "grey sneakers with a rubber sole", + "grey sneakers size 7.5", + "grey sneakers 7.5" + ], + "i would like a medium sized classic fit tank top for a girl.": [ + "tank top for a girl", + "medium sized classic fit tank top girl", + "medium sized classic fit tank top", + "medium sized tank top for a girl", + "medium fit tank top for a girl", + "medium sized classic fit tank top girl girl", + "medium sized classic fit tank top, girl", + "medium sized tank top for a girl.", + "tank top for a girl.", + "tank top for girl" + ], + "get me a black t-shirt with short sleeves. i am an xx-large sized man.": [ + "black t-shirt xx-large", + "xxl t-shirt with short sleeves", + "xx-large t-shirt black", + "black t-shirt x-large", + "black t-shirt with short sleeves", + "black t-shirt xx-large sized", + "xxl black t-shirt", + "xxl t-shirt short sleeves black", + "xxl t-shirt black", + "xxl t-shirt" + ], + "i want a tree hut sugar body scrub for dry skin.": [ + "tree hut sugar body scrub for dry skin", + "tree hut sugar body scrub for dry skin.", + "tree hut sugar body scrub", + "Tree hut sugar body scrub for dry skin", + "trees hut sugar body scrub for dry skin", + " tree hut sugar body scrub for dry skin", + "a tree hut sugar body scrub for dry skin", + "tub sugar body scrub for dry skin", + "Tree hut sugar body scrub for dry skin.", + "manual scrub for dry skin tree hut sugar" + ], + "i would like 2 thirty inch barstools with a dark gray tunic cover for the dining room.": [ + "two thirty inch barstools", + "2 thirty inch barstools", + "two thirty inch barstools under $50", + "two thirty inch barstools dining room", + "two thirty inch barstools for dining room", + "two thirty inch barstools under $40", + "two thirty inch barstools under $60", + "two thirty inch dining room barstools", + "two thirty inch barstools for dining room.", + "two thirty inch barstools, dark gray," + ], + "i want a seabear wild caught alaskan smoked salmon gift box.": [ + "seabear wild caught alaskan smoked salmon gift box", + "seaabear wild caught alaskan smoked salmon gift box", + "seabear wild salmon gift box", + "seabear wild alaskan smoked salmon gift box", + "seabear wild caught alaskan salmon gift box", + "seabear wild caught alaskan smoked salmon gifts box", + "seabear wild salmon gift box.", + "seaabear wild salmon gift box", + "i want a seabear wild salmon gift box.", + "sneakers wild salmon gift box" + ], + "i am looking for a storage cabinet for the kitchen which has a white finish.": [ + "storage cabinet for the kitchen white", + "white storage cabinet for the kitchen", + "storage cabinet for kitchen white", + "white storage cabinet for kitchen", + "storage cabinet in the kitchen white", + "storage cabinet for living room white", + "storage cabinet for the kitchen", + "storage cabinet for kitchen white finish", + "living room storage cabinet white", + "white storage cabinet" + ], + "i am looking for central park ombre window curtain panel's in gray 50'' x 84'' set of two for my living room.": [ + "window curtain panels in gray 50 x 84", + "gray 50 x 84 window curtain panels", + "central park ombre window curtain panels", + "gray 50 x 84 window curtain panels for living room", + "window curtain panels gray 50 x 84", + "curtains gray 50 x 84", + "curtains of two gray 50 x 84", + "grey 50 x 84 window curtain panels", + "grey 50 x 84 window curtain panels for living room", + "curtains gray 50 x 84 set of two" + ], + "i am looking for a 450 mocha color oil free fragrance free face makeup": [ + "450 mocha color oil free face makeup", + " 450 mocha color oil free face makeup", + "mocha color oil free face makeup", + "a 450 mocha color oil free face makeup", + "synthetic free face makeup 450 mocha", + "soy mocha color oil free face makeup", + "scent free face makeup 450 mocha", + "soy colored face makeup", + "synthetic free face makeup", + "450 mocha color oil free" + ], + "i would like a pink body scrub for dry skin.": [ + "pink body scrub for dry skin", + "pink body scrub for dry skin.", + "pink body scrub for dry skin under $40", + "pink body scrub", + "pink body scrub for dry skin under $50", + "pink body scrub for dry skin under $60", + "pink body scrub for dry skin,", + "pink body scrub for dry skin under 30 dollars", + "pink body scrub for dry skin under 50 dollars", + "pink body scrub, dry skin" + ], + "i'm looking for a body scrub for dead and dry skin. also choose black colored one.": [ + "body scrub for dead and dry skin", + "body scrub for dead and dry skin black", + "body scrub for dead and dry skin, black", + "body scrub for dead and dry skin. black", + "body scrub for dead and dry skin in black", + "body scrub for dead and dry skin black", + "body scrub for dead and dry skin.", + "body scrub for dead and dry skin with black", + "dead and dry skin body scrub black", + "body scrub dead and dry skin" + ], + "i want to buy phone glass screen protector which is tempered glass and compatible with apple, the color should be clear, and suitable for iphone 11 pro.": [ + "phone glass screen protector iphone 11 pro", + "phone glass screen protector which is tempered glass and compatible with apple", + "phone glass screen protector for iphone 11 pro", + "phone glass screen protector that is clear iphone 11 pro", + "phone glass screen protector", + "phone glass screen protector which is tempered glass", + "phone glass screen protector that is tempered glass and compatible with apple", + "phone glass screen protector, iphone 11 pro", + "phone glass screen protector that is clear", + "phone glass screen protector, iphone 11 pro," + ], + "i want a small womens summer short sleeve shirt.": [ + "small womens summer short sleeve shirt", + "small womens summer short sleeve shirt under $50", + "small womens summer short sleeve shirt.", + "small womens summer short sleeve shirt under $40", + "small womens summer short sleeve shirt under 50 dollars", + "small womens summer short sleeve shirt under $60", + "small womens short sleeve shirt", + "small womens summer short sleeve shirt under 30 dollars", + "small womens summer short sleeve shirt under 40 dollars", + "womens summer short sleeve shirt" + ], + "i am looking for 16 size short satin homecoming unique design dress": [ + "16 size short satin homecoming unique design dress", + "16 size short satin homecoming style design dress", + "16 size short satin homecoming style dress", + "16 size short satin homecoming special design dress", + "teen size short satin homecoming unique design dress", + "16 size short satin homecoming design dress", + "short satin homecoming unique design dress", + " 16 size short satin homecoming unique design dress", + "16 size short satin homecoming unique design", + "short satin homecoming unique design dress 16 size" + ], + "i want small and machine washable champion men's shorts.": [ + "small and machine washable champion mens shorts", + "small and machine washable mens shorts", + "small machine washable champion mens shorts", + "small machine washable mens shorts", + "small, machine washable champion mens shorts", + "small and machine washable mens shorts.", + "small, machine washable mens shorts", + "small washable champion mens shorts", + "small and machine washable mens shorts,", + "small and machine washable men shorts" + ], + "i am looking for classic fit dark heather color tank top.": [ + "classic fit dark heather color tank top", + "classic fit dark heather color tank top.", + "classic fit dark heather color tank", + "classic fit dark heather color tank top below $40", + "classic fit dark heather color tank top below $50", + "classic fit dark heather color tank top under $40", + "classic fit dark heather color tank top under $50", + "classic fit dark heather color tank top below $60", + "classic fit dark heather color tank top under $60", + "classic fit dark heather color tank top," + ], + "i want x-large and machine washable leggings depot pajama pants.": [ + "xl and machine washable leggings depot pajama pants", + "x-large machine washable leggings depot pajama pants", + "x-large pajama pants", + "xxl pajama pants x-large", + "xxl pajama pants x-large and machine washable", + "xxl pajama pants xl", + "xl pajama pants x-large", + "xxl pajama pants", + " x-large pajama pants", + "xl pajama pants xl" + ], + "i would like a 8.5 inch wide black non slip platform wedge pair.": [ + "8.5 inch wide black non slip platform wedge pair", + "8.5 inch wide black non slip platform wedge", + "8.5 wide black non slip platform wedge pair", + "8.5 x wide black non slip platform wedge pair", + "8.5 wide black non slip platform wedge", + "8.5 inch wide black non slip platform wedge pair.", + "8.5 x wide black non slip platform wedge", + "8.5 inches wide black non slip platform wedge pair", + "8.5 inch wide black non slip platform wedge pair,", + "8.5 x 5 inch wide black non slip platform wedge" + ], + "i wan a high speed micro usb cable.": [ + "high speed micro usb cable", + "micro usb cable high speed", + "low speed micro usb cable", + "mega usb cable high speed", + "micro usb cable", + "large speed micro usb cable", + "mega usb cable", + "usb cable high speed", + "macro usb cable", + "moto usb cable" + ], + "i want dual band and quad core smart streaming media tv box with high speed ,which is 4gb +64gb storage capacity": [ + "dual band and quad core smart streaming media tv box", + "dual band quad core smart streaming media tv box with high speed", + "dual band high speed smart streaming media tv box with high speed", + "dual band smart streaming media tv box with high speed", + "dual band quad core smart streaming media tv box", + "4gb quad core smart streaming media tv box with high speed", + "quad core smart streaming media tv box with high speed", + "dual band high speed smart streaming media tv box", + "dual band smart streaming media tv box", + "4gb quad core smart streaming media tv box" + ], + "i am looking for a chocolate candy suitable for valentine day. and i choose kisses pink style": [ + "chocolate candy for valentine day", + "chocolate candy pink", + "pink chocolate candy valentine day", + "chocolate candy suitable for valentine day", + "chocolate candy that is pink", + "chocolate candy for valentine day.", + "pink chocolate candy for valentine day", + "ocolate candy for valentine day", + "chocolate candy pink style", + "chocolate candy" + ], + "i am looking for noise cancelling on ear headphone of black color.": [ + "noise cancelling ear headphone black", + "black noise cancelling ear headphone", + "noise cancelling on ear headphone black", + " noise cancelling on ear headphone of black", + "white noise cancelling ear headphone", + "noise cancelling ear headphone of black", + " noise cancelling on ear headphone black", + "sound cancelling on ear headphone of black", + "non noise cancelling ear headphone black", + "noise cancelling ear headphone" + ], + "i want to buy loose leaf tea which is certified organic and has sleepytime bundle flavor and comes in 4 pack of 40 servings.": [ + "tea certified organic 4 pack of 40 servings", + "tea with sleepytime bundle flavor 4 pack of 40", + " loose leaf tea with sleepytime bundle flavor 4 pack of 40", + "lemon leaf tea certified organic 4 pack of 40 servings", + "tea with sleepytime bundle flavor 4 pack of 40 servings", + "lemon leaf tea with sleepytime bundle flavor", + "lemon leaf tea 4 pack of 40 servings", + "gluten leaf tea 4 pack of 40", + "lemon leaf tea 4 pack of 40", + "lemon leaf tea" + ], + "i want to buy a ten count tea sampler that's certified organic.": [ + "tea sampler certified organic", + "ten count tea sampler certified organic", + "10 count tea sampler certified organic", + "tea sampler certified organic.", + "tea sampler, certified organic", + "tea sampler thats certified organic", + "tte sampler certified organic", + "tea sampler", + "ten count tea sampler", + "10 count tea sampler" + ], + "i am looking for a portable artist storage bag for nail polish and makeup things. also choose corgi-1 color.": [ + "portrait artist storage bag for nail polish and makeup", + "portrait artist storage bag for nail polish and makeup things", + "portrait artist storage bag for nail polish and makeup things.", + "portportrait artist storage bag for nail polish and makeup", + "portrait artist storage bag for nail polish and makeup things under $50", + "portrait artist storage bag for nail polish", + "portrait artist storage bag for nail polish and makeup things under $40", + "portrait artist storage bag for nail polish makeup", + "portrait artist storage bag in corgi-1 color", + "portable artist storage bag for nail polish and makeup" + ], + "i need an 8 oz coffee substitute that is caffeine free": [ + "8 oz coffee substitute", + "8 oz coffee substitute caffeine free", + "8 oz coffee substitute, caffeine free", + "8 oz coffee substitute no caffeine", + "8 oz coffee substitute caffeine free", + "8 oz coffee substitute with caffeine free", + "8 oz coffee substitute under $40", + "8 oz coffee substitute under $60", + "8 oz coffee substitute under $50", + "8 oz coffee substitute coffee" + ], + "order for me cocoa blend caffein free drink with natural ingredients.": [ + "coffee blend caffein free drink", + "cup of cocoa blend caffein free drink", + "cocoa blend caffein free drink", + "caffein free drink with natural ingredients", + "chocolate blend caffein free drink", + "cup blend caffein free drink with natural ingredients", + "cup of coffee blend caffein free drink", + "cacin free drink with natural ingredients", + "acoa blend caffein free drink", + "caffein free drink with natural ingredients." + ], + "i am looking for a long lasting eye shadow pen having 7#violet color.": [ + "long lasting eye shadow pen 7#violet color", + "7#violet eye shadow pen", + "long lasting eye shadow pen 7#violet", + "long lasting eye shadow pen, 7#violet", + "8#violet eye shadow pen", + "curtains 7#violet eye shadow pen", + "long lasting eye shadow pen with 7#violet", + "6#violet eye shadow pen", + "long lasting eye shadow pen with 7 color", + "long lasting eye shadow pen having 7#violet" + ], + "i am looking for some ready to eat graham crackers.": [ + "ready to eat graham crackers", + "ready to eat graham crackers under $40", + "ready to eat graham crackers under $60", + "ready to eat graham crackers under $50", + "ready to eat graham crackers under 50 dollars", + "ready to eat graham crackers under 30 dollars", + "ready to eat graham crackers under 60 dollars", + "ready to eat graham crackers under 40 dollars", + "ready to eat graham crackers.", + "ready to eat graham crackers under 120 dollars" + ], + "i need a bath brush with a long handle that is green": [ + "bath brush with long handle green", + "bath brush with long handle", + "bath brush green", + "bath brush with a long handle", + "bath brush that is green", + "bath brush, long handle green", + "bath brush long handle green", + "bath brush", + "bath brush, green", + "bath brush in green" + ], + "i would like a 50 by 60 inch fleece throw decorated with a tractor.": [ + "50 by 60 inch fleece throw decorated with a tractor", + "50 by 60 inch fleece throw with a tractor", + "50 x 60 inch fleece throw decorated with a tractor", + "50 by 60 inch fleece throw", + "40 by 60 inch fleece throw decorated with a tractor", + "50 by 60 inches fleece throw decorated with a tractor", + "50x 60 inch fleece throw decorated with a tractor", + "50 by 60 inch fleece throw under $60", + "50 by 60 inch fleece throw under $40", + "fleece throw decorated with a tractor" + ], + "i'm looking for hair care solutions.": [ + "hair care solutions", + "hair care solutions under $40", + "hair care solutions under $50", + "hair care solutions for men", + "hair care solutions.", + "hair care solutions under $60", + "hair care solutions for women", + "hair care solutions under 30 dollars", + "hair care solutions under $120", + "shoes care solutions" + ], + "i want paraben free and oatmeal shampoo.": [ + "paraben free oatmeal shampoo", + "paraben free and oatmeal shampoo", + "lip gloss paraben free oatmeal shampoo", + "roasted oatmeal shampoo paraben free", + " paraben free oatmeal shampoo", + "paraben free oatmeal shampoo.", + "bathroom shampoo paraben free", + "paraben free and oatmeal shampoo.", + "pink oatmeal shampoo", + "roasted oatmeal shampoo" + ], + "i need a high resolution decal sticker skin for my ps4. it should be long lasting.": [ + "ps4 decal sticker skin long lasting", + "pps4 decal sticker skin long lasting", + "high resolution decal sticker skin ps4", + "ps4 high resolution decal sticker skin long lasting", + "ps 4 decal sticker skin long lasting", + "ps4 decal sticker skin long lasting.", + "ps4 decal sticker skin that is long lasting", + "high resolution decal sticker skin ps4 long lasting", + "high resolution decal sticker skin for ps4", + "ps4 decal sticker skin" + ], + "i'm looking for a long sleeve sweatshirts black flower for valentines": [ + "long sleeve sweatshirts black flower valentines", + "long sleeve sweatshirts black flower for valentines", + "short sleeve sweatshirts black flower for valentines", + "short sleeve sweatshirts black flower valentines", + "womens sweatshirts black flower valentines", + "long sleeve sweatshirts black flower", + "sweat sweatshirts black flower valentines", + "shortshirts black flower valentines", + "shortshirts black flower for valentines", + "sweathirts black flower valentines" + ], + "i am looking for always women high waisted capri leggings.": [ + "woman high waisted capri leggings", + "women high waisted capri leggings", + "mens high waisted capri leggings", + "men high waisted capri leggings", + "woman high waisted capri leggings.", + "women high waisted capri leggings.", + "woman high waisted capri leggings,", + "pink capri leggings", + "womens high waisted capri", + "curtri leggings" + ], + "i am looking for a 12 fl oz (pack of 4) of non alcoholic low calorie soft drinks": [ + "12 oz (pack of 4) non alcoholic low calorie soft drinks", + "12 fl oz (pack of 4) of non alcoholic soft drinks", + "12 fl oz (pack of 4) non alcoholic soft drinks", + "non alcoholic low calorie soft drinks 12 oz (pack of 4)", + "non alcoholic low calorie soft drinks 12 fl oz", + "non alcoholic low calorie soft drinks 12 oz", + "12 fl oz (pack of 4)", + "non alcoholic low calorie soft drinks 12 fl oz pack", + "non alcoholic low calorie soft drinks 12 oz pack", + "non alcoholic low calorie soft drinks" + ], + "i would like a 10 gram packet of crimson long lasting nail glitter.": [ + "10 gram packet of crimson long lasting nail glitter", + "10 gram packets of crimson long lasting nail glitter", + "8 gram packet of crimson long lasting nail glitter", + "10 gram packet of long lasting nail glitter", + "10 gram packet long lasting nail glitter", + "coffee glitter 10 gram long lasting nail glitter", + "lip glitter 10 gram long lasting", + "10 gram packet of red nail glitter", + "coffee glitter 10 gram long lasting", + "lip glitter 10 gram long lasting nail glitter" + ], + "i am looking for a height adjustable barstool with footrest. i want something in brown.": [ + "height adjustable brown barstool with footrest", + "height adjustable brown barstool", + "height adjustable brown barstool with footrest,", + "height adjustable brown barstool with footrest.", + "height adjustable barstool with footrest brown", + "height adjustable brown barstool, footrest", + "height adjustable brown brown barstool with footrest", + "height adjustable brown bstool with footrest", + "height adjustable barstool with footrest", + "height adjustable brown brown barstool" + ], + "i want to get the elastic waistband mofiz women golf short knee-length lounge shorts, khaki color.": [ + "golf short knee-length lounge shorts, khaki color", + "golf short knee-length lounge shorts in khaki color", + "knee-length lounge shorts, khaki color", + "womens golf short knee-length lounge shorts khaki color", + "knee-length lounge shorts in khaki color", + "golf short knee-length lounge shorts khaki color", + "golf short knee-length lounge shorts in khaki", + "womens golf short knee-length lounge shorts in khaki", + "jogging shorts in khaki color", + "fog shorts in khaki color" + ], + "i need an easy to use trail camera": [ + "easy to use trail camera", + "easy-to-use trail camera", + "easy to use trail camera under $40", + "easy to use trail camera under $50", + "easy to use trail camera under $60", + "easy to use trail camera under 50 dollars", + "easy to use trail camera under $120", + "easy to use trail camera under $130", + "easy to use trail camera under 30 dollars", + "easy to use trail camera under 60 dollars" + ], + "i am looking for wireless bluetooth speaker.please choose gray one.": [ + "gray bluetooth speaker", + "gray wireless bluetooth speaker", + "wireless bluetooth speaker gray", + "white wireless bluetooth speaker", + "blue wireless bluetooth speaker", + "wireless bluetooth speaker", + "womens bluetooth speaker", + "alarm wireless bluetooth speaker", + "green bluetooth speaker", + "gray bluetooth speaker, wireless" + ], + "i want to buy knee high boots in color brown and having size 8.5.": [ + "knee high boots in color brown size 8.5", + "knee high boots in color brown", + "knee high boots size 8.5", + "knee high boots size 8.5.", + "knee high boots size 8.5 in color brown", + "nee high boots in color brown size 8.5", + "nee high boots size 8.5", + "nee high boots in color brown", + "knee high boots size 8.5 in color", + "knee high boots color brown" + ], + "i would like a ac adapter that has output protection.": [ + "ac adapter with output protection", + "ac adapter that has output protection", + "ac adapter no output protection", + " ac adapter with output protection", + "a ac adapter with output protection", + "ac adapter that has output protection.", + "a adapter with output protection", + "ac adapter whose output protection is high", + "ac adapter, output protection", + "ac adapter output protection" + ], + "i am looking for a wall mounted book shelf . ad i would prefer the driftwood color": [ + "wall mounted book shelf in driftwood", + "wall mounted book shelf with driftwood color", + "wall mounted book shelf", + "wall mounted book shelf, driftwood color", + "wall mounted book shelf in driftwood color", + "wall mounted book shelf, driftwood", + "wall mounted book shelf that is driftwood", + "wall mounted book shelf with driftwood", + "wall mounted book shelf driftwood", + "wall mounted book shelf in a driftwood" + ], + "get me a hand washable short sleeved loose fit top in army green color and 3x-large size.": [ + "hand washable short sleeved loose fit top in army green color 3x-large", + "hand washable short sleeved loose fit top in army green color", + "hand washable short sleeved loose fit top in army green color and 3x-large", + "hand washable short sleeved loose fit top in army green color, 3x-large", + "hand washable short sleeved loose fit top in army green color 3x-large size", + "hand washable short sleeved loose fit top in army green color in 3x-large", + "hand washable short sleeved loose fit top in army green color 3x-l", + "hand washable short sleeved loose fit top in army green color 3xl", + "hand washable short sleeved loose fit top in army green", + "hand washable short sleeved loose fit top in army green color 2x-large" + ], + "i would like a two pack of chicken that is shelf stable": [ + "two pack of chicken shelf stable", + "two pack of chicken", + "two pack of chicken, shelf stable", + "two pack chicken shelf stable", + "two pack chicken that is shelf stable", + "2 pack of chicken shelf stable", + "two pack of chicken whose shelf stable", + "two pack of chicken under $40", + "two pack of chicken under $50", + "two pack chicken" + ], + "i would like 100 bags of green usda organic tea.": [ + "green usda organic tea", + "green usda organic tea 100 bags", + "green usda organic tea mix 100 bags", + "100 bags of green usda organic tea", + "green usda organic tea blend 100 bags", + "green usda organic tea drink mix", + "green usda organic tea flavor 100 bags", + "green usda organic tea, 100 bags", + "green usda organic tea blend", + "green usda organic tea mix" + ], + "i would like 10 bags of peach green tea usda organic tea.": [ + "pomegranate green tea usda organic tea", + "10 bags of peach green tea usda organic tea", + "tea green tea usda organic tea", + "pack of peach green tea usda organic tea", + "chocolate green tea usda organic tea", + "pomegranate green tea usda", + "tea green tea usda organic tea flavor", + "chocolate green tea usda organic tea flavor", + "tea green tea usda", + "zerda organic tea" + ], + "i'm looking for a mini desktop computer with 16 gigs of ram and that comes equipped with intel core i5.": [ + "mini desktop computer with 16 gigs of ram", + "tablet computer with 16 gigs of ram", + "desktop computer with 16 gigs of ram with intel core i5", + "desktop computer with 16 gigs of ram", + "mini desktop computer with 16 gig of ram", + " mini desktop computer with 16 gigs of ram", + "mini desktop computer with 16 gigs of ram under $130", + "mini desktop computer with 16 gigs of ram, i5", + "mini desktop computer 16 gigs of ram", + "a mini desktop computer with 16 gigs of ram" + ], + "i want an i5 intel core mini pc. it should be 10300h": [ + "i want an i5 intel core mini pc. it should be 10300h", + "i want an i5 intel core mini pc. it should be 10300h under 30 dollars", + "i want an i5 intel core mini pc. it should be 10300h under $60", + "i want an i5 intel core mini pc. it should be 10300h under $50", + " i5 intel core mini pc. it should be 10300h", + "i want an i5 intel core mini pc which should be 10300h", + " i5 intel core mini pc 10300h", + " i5 intel core mini pc, 10300h", + "i want an i5 intel core mini pc under 30 dollars", + " i5 intel core mini pc in 10300h" + ], + "i would like a beige concealer for dark circles.": [ + "beige concealer for dark circles", + "beige concealer for dark circles.", + "beige concealer for dark circles under $40", + "beige concealer for dark circles under $50", + "beige concealer for dark circles under $60", + "beige concealer for dark circles under 50 dollars", + "beige concealer for dark circles under 30 dollars", + "beige concealer dark circles", + "beige concealer for dark circles under $120", + "pige concealer for dark circles" + ], + "i'm looking for this product : qumox wireless pro controller remote control pro gamepad joystick with dual vibration if you find it let me know soon i need wireless bluetooth": [ + "qumox wireless pro controller remote control pro gamepad joystick", + "qumox wireless pro controller remote control pro gamepad", + "qumox wireless pro controller remote control pro gamepad with dual vibration", + "tumox wireless pro controller remote control pro gamepad joystick", + "qumox wireless pro controller remote control", + "qumox wireless pro controller remote control with dual vibration", + "qumox wireless pro controller with dual vibration", + "tablet gaming with dual vibration", + "qumox wireless pro controller", + "tablet with dual vibration" + ], + "i'm looking for a high protein meat jerky which should be free from gluten, soy and dairy products.": [ + "high protein meat jerky", + "high protein meat jerky with gluten free dairy", + "high protein meat jerky with gluten free dairy products", + "high protein meat jerky no gluten and dairy", + "high protein meat jerky no dairy", + "high protein meat jerky with gluten free", + "high protein meat jerky dairy free", + "high protein meat jerky no gluten", + "high protein meat jerky with dairy products", + "protein meat jerky" + ], + "i would like a polyester cotton hoodie with flowers on it.": [ + "polyester cotton hoodie with flowers", + "polyester cotton hoodie", + "pomegranate cotton hoodie with flowers", + " polyester cotton hoodie with flowers", + "plastic cotton hoodie with flowers", + "pink cotton hoodie with flowers", + "pomeester cotton hoodie with flowers", + "polyester cotton hoodie, with flowers", + "large polyester cotton hoodie with flowers", + "Polyester cotton hoodie with flowers" + ], + "i would like some pink birthday candles for a birthday party": [ + "pink birthday candles for a baby shower", + "pink birthday candles for a birthday party", + "pink birthday candles", + "pink baby candles for a birthday party", + "pink baby candles for a baby shower", + "pink birthday candles for baby shower", + "pink birthday candles for a girl", + "pink birthday candles for birthday party", + "pink birthday candles for a party", + "teen girl pink birthday candles" + ], + "find me a black 3x-large mens t-shit with button closure aloha theme": [ + "3xl mens t-shit with button closure aloha theme", + "3xl mens t-shit with button closure aloha", + "3xl mens t-shit with button closure", + "black 3xl mens t-shit with button closure aloha", + "black 3xl mens t-shit with button closure", + "4xl mens t-shit with button closure aloha theme", + "white mens t-shit with button closure aloha theme", + "3x-large mens t-shit with button closure aloha", + "black mens t-shit with button closure aloha theme", + "black 3xl mens t-shit" + ], + "i need flouride free toothpaste": [ + "fluoride free toothpaste", + "flouride free toothpaste", + "toothpaste flouride free", + "gluten free toothpaste", + "brushed toothpaste flouride free", + " flouride free toothpaste", + "brushed free toothpaste", + "flavored toothpaste flouride free", + "dust free toothpaste", + "faux free toothpaste" + ], + "i'm looking for a medium skirt with side pockets in polyester spandex, choose navy blue color": [ + "medium skirt with side pockets in polyester spandex navy blue", + "medium skirt with side pockets in polyester spandex, navy blue", + "medium skirt with side pockets in polyester spandex", + "medium skirt with side pockets in polyester spandex in navy blue", + "medium skirt with side pocket in polyester spandex, navy blue", + "medium skirt with side pocket in polyester spandex navy blue", + "medium skirt with side pocket in polyester spandex in navy blue", + "medium skirt with side pocket in polyester spandex", + "medium skirt in polyester spandex navy blue", + "medium skirt polyester spandex navy blue" + ], + "i am looking for a wicked hot gluten free salsas": [ + "gluten free salsas", + "hot gluten free salsas", + "womens hot gluten free salsas", + "gluten free salsas under $40", + "gluten free salsas under 50 dollars", + "gluten free salsas under $60", + "gluten free salsas under $50", + "gluten free salsas under 30 dollars", + "gluten free salsas under 60 dollars", + "gluten free salsas under 40 dollars" + ], + "i need a cinewhite projector screen that is ultra hd and light weight.": [ + "cinewhite projector screen ultra hd", + "cinewhite projector screen that is ultra hd", + "cinewhite projector screen ultra hd and light weight", + "cinewhite projector screen", + "cinewhite projector screen ultra hd light weight", + "cinewhite projector screen, ultra hd and light weight", + "cinewhite projector screen that is ultra hd light weight", + "cinewhite projector screen ultra hd, light weight", + "cinewhite projector screen, ultra hd, light weight", + "cinewhite projector screen with ultra hd" + ], + "i am looking for height adjustable, mid century crystal chandelier lighting for living room, gold color, size 23.6\"": [ + "height adjustable mid century crystal chandelier lighting for living room gold color 23.6", + "height adjustable mid century crystal chandelier lighting for living room, gold color 23.6", + "height adjustable, mid century crystal chandelier lighting for living room gold color 23.6", + "height adjustable, mid century crystal chandelier lighting for living room, gold color", + "height adjustable, mid century crystal chandelier lighting for living room gold color", + "height adjustable mid century crystal chandelier lighting for living room, gold color", + "height adjustable mid century crystal chandelier lighting for living room gold color", + "height adjustable, mid century crystal chandelier lighting", + "height adjustable, mid century crystal chandelier lighting for living room", + "height adjustable mid century crystal chandelier lighting" + ], + "my son needs a mattress, look for the greaton brand, fully assembled, box spring. includes 8\" split base | full xl size...": [ + "compact mattress with 8 split base", + "greaton mattress with 8 split base", + "living room mattress with 8 split base", + "sneakers 8 split base", + "greaton mattress 8 split base", + "a mattress that is fully assembled", + "greaton mattress", + "living room mattress", + "compact mattress", + "tactical mattress" + ], + "i am looking for solo loop dark grey band compatible with apple watch bands 38mm 40mm": [ + "single loop dark grey band compatible with apple watch bands 38mm 40mm", + "solo loop dark grey band compatible with apple watch bands 38mm 40mm", + "sonically loop dark grey band compatible with apple watch bands 38mm 40mm", + "silo loop dark grey band compatible with apple watch bands 38mm 40mm", + "single loop dark grey band with apple watch bands 38mm 40mm", + "manual loop dark grey band compatible with apple watch bands 38mm 40mm", + "sonic loop dark grey band compatible with apple watch bands 38mm 40mm", + "son loop dark grey band compatible with apple watch bands 38mm 40mm", + "single loop dark grey band", + "stainless loop dark grey band" + ], + "i would like a leo candle made of soy wax.": [ + "leo candle made of soy wax", + "leo candle made from soy wax", + "leo candle made of soy wax.", + "a leo candle made of soy wax", + "lo candle made of soy wax", + "leo candles made of soy wax", + "leno candle made of soy wax", + "leo candle, made of soy wax", + "leo candle made of soy wax,", + "leo candle with soy wax" + ], + "i would like a sagittarius candle that has soy wax": [ + "sagittarius candle with soy wax", + "sagittarius candle that has soy wax", + "sargittarius candle that has soy wax", + "sargittarius candle with soy wax", + "sagaittarius candle that has soy wax", + "sogittarius candle that has soy wax", + "sagaittarius candle with soy wax", + "sagittarius candle", + "sogittarius candle with soy wax", + "sagittarius candle, soy wax" + ], + "please look for peet's iced espresso vanilla latte 8 oz can with quality ingredients.": [ + "pets iced espresso vanilla latte 8 oz can", + "peets iced espresso vanilla latte 8 oz can", + "pets iced espresso vanilla latte 8 oz can with quality ingredients", + "peets iced espresso vanilla latte 8 oz can with quality ingredients", + " peets iced espresso vanilla latte 8 oz can with quality ingredients", + " peets iced espresso vanilla latte 8 oz can", + "i peets iced espresso vanilla latte 8 oz can", + "epets iced espresso vanilla latte 8 oz can with quality ingredients", + "ps iced espresso vanilla latte 8 oz can with quality ingredients", + "paets iced espresso vanilla latte 8 oz can with quality ingredients" + ], + "i am looking for 5.9 fl oz eau de parfum - fragrance mist for women": [ + "5.9 fl oz eau de parfum - fragrance mist for women", + "5.9 fl oz eau de parfum fragrance mist for women", + "5.9 fl oz eau de parfum", + "5.9 fl oz eau de parfum perfume mist for women", + "5.9 fl oz eau de parfum scent mist for women", + "5.9 fl oz eau de parfum - fragrance mist", + "5.9 fl oz eau de parfum- fragrance mist for women", + " 5.9 fl oz eau de parfum - fragrance mist for women", + "5.9 fl oz eau de parfum, fragrance mist for women", + "6.9 fl oz eau de parfum - fragrance mist for women" + ], + "i want a black bellagio european outdoor carriage light fixture.": [ + "black bellagio european outdoor carriage light fixture", + "black bellagio european outdoor carriage light fixture.", + "black bellagio european indoor carriage light fixture", + "a black bellagio european outdoor carriage light fixture", + "black bellagio european outdoor carriage light fixture,", + "black Bellagio european outdoor carriage light fixture", + "black bellsagio european outdoor carriage light fixture", + "black bellagio european", + "black jogging car light fixture", + "alarm light fixture black" + ], + "i'm looking for pomegranate blueberry flavored energy drinks. preferably with vitamins. i want a pack too": [ + "pomegranate blueberry flavored energy drinks pack", + "pomegranate blueberry flavored energy drinks pack too", + "pomegranate blueberry flavored energy drinks pack with vitamins", + "pomegranate blueberry flavored energy drinks with vitamins", + "pomegranate blueberry flavored energy drink pack", + "pomegranate blueberry flavored energy drinks", + "pomegranate blueberry flavored energy drinks pack of 5", + "pomegranate blueberry flavored energy drinks pack of 7", + "pomegranate blueberry flavored energy drinks pack of 6", + "pomegranate colored energy drinks pack" + ], + "i would like to buy men's briefs which is easy care and of stripe color and a unique design.": [ + "mens briefs with stripe color", + "mens briefs easy care and of stripe color", + "mens briefs with a stripe color", + "mens briefs easy care and stripe color", + "mens briefs easy care and with stripe color", + "mens briefs easy care with stripe color", + "mens briefs with stripe color", + "mens briefs in stripe color", + "mens briefs, easy care and stripe color", + "mens briefs" + ], + "i want cruelty free illuminating makeup mist.": [ + "cruelty free illuminating makeup mist", + "cruelty free illuminating makeup mist.", + "cruelty free makeup mist", + "cruelty free illuminating makeup mist,", + "cruelty-free illuminating makeup mist", + "cruelty free illuminating makeup mist for makeup", + "cruelty free face mist", + "cruelty free cosmetics mist", + " cruelty free illuminating makeup mist", + "light weight" + ], + "i would like a pair of size 6 black luster satin pumps with a open toe.": [ + "black luster satin pumps with a open toe", + "black luster satin pumps", + "black luster satin pumps with open toe", + "black luster satin pumps with an open toe", + "pair of size 6 black luster satin pumps", + "sneakers size 6 black luster satin pumps", + "size 6 black luster satin pumps", + "black luster satin pumps with a open toe.", + "a pair of size 6 black luster satin pumps", + "black luster satin pumps size 6" + ], + "i am interested in gray faux leather barstools": [ + "gray faux leather barstools", + "womens gray faux leather barstools", + "gray faux leather barstools under $40", + "gray faux leather barstools under $50", + "grey faux leather barstools", + "gray faux leather barstools under 50 dollars", + "gray faux leather barstools under $60", + "gray faux leather barstools,", + "gray faux leather bar stool", + " gray faux leather barstools" + ], + "i need a faux leather barstool that is 30\" in height.": [ + "faux leather barstool 30 in height", + "faux leather barstool 30 ft high", + "faux leather barstool 30 ft tall", + "faux leather barstool 30 ft in height", + "faux leather barstool 30 ft height", + "faux leather barstool, 30 in height", + "faux leather barstool under 30 dollars", + "faux leather barstool with 30 in height", + "faux leather barstool 30 ft", + "faux leather barstool 30 ft long" + ], + "i am looking for certified organic sandwich crackers.": [ + "certified organic sandwich crackers", + "mono crackers certified organic", + "certified organic sandwich crackers.", + "organic sandwich crackers certified organic", + "monetry crackers certified organic", + "easy to make certified organic sandwich crackers", + "freeze dried cheese crackers certified organic", + "freeze dried peanut butter sandwich crackers", + "non-gmo sandwich crackers", + "organic sandwich crackers" + ], + "i want a set of 2 mesh laundry bags with deer floral arrows design.": [ + "set of 2 mesh laundry bags with deer floral arrows", + "2 mesh laundry bags with deer floral arrows", + "set of 2 mesh laundry bag with deer floral arrows", + "set of 2 mesh laundry bags, deer floral arrows", + "set of 2 mesh laundry bags", + "two mesh laundry bags with deer floral arrows", + "2 mesh laundry bags with deer floral arrows design", + "4 mesh laundry bags with deer floral arrows", + "set of 2 mesh laundry with deer floral arrows", + "two mesh laundry bags with deer floral arrows design" + ], + "i am looking for a pc build that's a linux and it is core i5. size: no ram please and thank you": [ + " pc build i5 with no ram", + "psc build i5 with no ram", + " pc build that is a linux", + "ps build i5 with no ram", + "desktop build i5 with no ram", + " pc build with i5", + " pc build with a linux core i5", + " pc build i5 no ram", + "curtains a linux", + " pc build i5" + ], + "i would like to buy individually wrapped hand crafted olive oil tortas. i would prefer them in packs of 10.": [ + "pack of 10 individually wrapped hand crafted olive oil tortas", + " individually wrapped hand crafted olive oil tortas pack of 10", + "aluminum wrapped hand crafted olive oil tortas pack of 10", + "alarm wrapped hand crafted olive oil tortas pack of 10", + " individually wrapped hand crafted olive oil tortas pack of 10.", + "bag of 10 individually wrapped hand crafted olive oil tortas", + " individually wrapped hand crafted olive oil tortas packs of 10", + "6 individually wrapped hand crafted olive oil tortas pack of 10", + " individually wrapped hand crafted olive oil tortas in packs of 10", + "lemon oil tortas pack of 10" + ], + "i am looking for some gluten free berries.": [ + "gluten free berries", + "gluten free berries under $40", + "gluten free berries under $50", + "gluten free berries under $60", + "gluten free berries under 50 dollars", + "gluten free berries under 30 dollars", + "gluten free berries under 40 dollars", + "gluten free berries under 60 dollars", + "gluten free berries under 120 dollars", + "gluten free berries." + ], + "i want a black hazel velvet king sized bed.": [ + "black hazel velvet king sized bed", + "black hazel velvet king sized bed.", + "black hazel velvet king sized bed,", + "black hazel velvet king sized bed under $50", + "black hazel velvet king sized bed under $40", + "black hazel velvet king sized bed under $130", + "ashel velvet king sized bed", + "bagel velvet king sized bed", + "hazel velvet king sized bed", + "black hazel velvet king bed" + ], + "i am looking for medium size tank tops for women that can be washed through hands.": [ + "medium size tank tops for women", + "tank tops for women that can be washed through hands", + "medium size tank tops for women, washed through hands", + "medium size tank tops for women with wash through hands", + "medium size tank tops", + "medium size tank tops that can be washed through hands", + "medium size tank tops for women with washed through hands", + "medium size tank tops for women with washable hands", + "large size tank tops for women", + "tank tops for women" + ], + "i am looking for a stainless steel watch bands for my smart watch. and i choose the 18mm size with black color": [ + "stainless steel watch bands 18mm", + "stainless steel watch bands 18mm size", + "stainless steel watch bands 18mm black", + "stainless steel smart watch band 18mm", + "stainless steel watch bands", + "stainless steel smart watch bands 18mm", + "stainless steel watch bands for smart watch", + "stainless steel watch band 18mm", + "watch bands 18mm black", + "10 stainless steel watch bands" + ], + "i need a super soft baby sized blanket throw for my living room.": [ + "super soft baby sized blanket throw for my living room", + "super soft baby sized blanket throw for the living room", + "super soft baby sized blanket throw for living room", + "super soft baby sized blanket throw", + "super soft baby sized blanket throw for a living room", + "super soft baby blanket throw for my living room", + "super soft baby blanket throw for my living room.", + "super soft baby sized blanket throw for living room.", + "super soft baby blanket throw for the living room", + "super soft baby blanket throw for living room" + ], + "i need a sugar free lemon cream with raspberry lemonade flavor": [ + "sugar free lemon cream raspberry lemonade flavor", + "sugar free lemon cream flavor", + "sugar free lemon cream", + "lemon cream with raspberry lemonade flavor", + "gluten free lemon cream flavor", + "sugar free lemon cream with raspberry lemonade", + "sugar free lemon cream flavor", + "sugar free lemon cream drink mix", + "sugar free lemon cream drink flavor", + "sugar free lemon cream flavored" + ], + "i would like a mango flavored salt water taffy that is old fashioned.": [ + "mango flavored salt water taffy", + "mango flavored salt water taffy old fashioned", + "old fashioned salt water taffy", + "pomegranate flavored salt water taffy", + "old fashioned salt water taffy that is old fashioned", + "moisturizing salt water taffy old fashioned", + "a mango flavored salt water taffy", + "yogurt flavored salt water taffy old fashioned", + "moisturizing salt water taffy", + "yogurt flavored salt water taffy" + ], + "i need a white queen sized bed with storage space.": [ + "white queen sized bed with storage space", + "white queen sized bed", + "white queen sized bed with storage space.", + "queen sized bed with storage space", + "white queen sized bed with storage space,", + "white queen sized bed, storage space", + "white queen size bed with storage space", + "white queen sized bed with storage", + "white queen sized bed that is storage space", + "white queen sized bed storage space" + ], + "i am looking for blueberry muffin scent candles that are long lasting.": [ + "blueberry muffin scent candles long lasting", + "blueberry muffin scent candles that are long lasting", + "blueberry muffin scent candles", + "blueberry muffin scent candles long lasting.", + "blueberry muffin scent candles, long lasting", + "blueberry muffin candles long lasting", + "blueberry muffin scent candles lasting long lasting", + "pinkberry muffin scent candles long lasting", + "blueberry muffins scent candles long lasting", + "greenberry muffin scent candles long lasting" + ], + "i am interested in a wall mounted candle holder scone which has a glass shade.": [ + "wall mounted candle holder scone with a glass shade", + "wall mounted candle holder scone which has a glass shade", + "wall mounted candle holder scone", + "wall mounted candle holder scone that has a glass shade", + "wall mounted candle holder scone with glass shade", + "womens candle holder scone with a glass shade", + "wall mounted candle holder scone, glass shade", + "wall mounted candle holder scone, with a glass shade", + "wall mounted candle holder scone with a glass shade.", + "wall mounted candle holder scone, with glass shade" + ], + "i need eco friendly fully assembled and red color 3 drawer rolling file cabinet": [ + "eco friendly fully assembled and red color 3 drawer rolling file cabinet", + "eco friendly fully assembled red color 3 drawer rolling file cabinet", + " eco friendly fully assembled and red color 3 drawer rolling file cabinet", + "electric friendly fully assembled and red color 3 drawer rolling file cabinet", + "eco friendly fully assembled and red 3 drawer rolling file cabinet", + "eco friendly fully assembled white 3 drawer rolling file cabinet", + "eco friendly fully assembled white drawer rolling file cabinet", + "eco friendly fully assembled 3 drawer rolling file cabinet", + "eco friendly fully assembled and red color 3 drawer rolling files cabinet", + "eco friendly fully assembled and red color 3 drawer roll file cabinet" + ], + "i am looking for red color, 3x-large pajamas polyester cotton nightgowns for women": [ + "red pajamas polyester cotton nightgowns for women", + "3xl pajamas polyester cotton nightgowns", + "pajamas polyester cotton nightgowns for women", + "3xl pajamas polyester cotton nightgown", + "3xl pajamas polyester cotton nightgown for women", + "red pajamas polyester cotton nightgowns", + "red pajamas polyester cotton nightgown for women", + "red color pajamas polyester cotton nightgowns for women", + "3x-large pajamas polyester cotton nightgowns", + "red pajamas polyester cotton nightgown" + ], + "looking for long sleeve regular fit shirts for men that's colour black": [ + "long sleeve regular fit shirts for men colour black", + "long sleeve regular fit shirts for men", + "regular fit shirts for men colour black", + "short sleeve regular fit shirts for men colour black", + "long sleeve regular fit shirts for men black", + "regular fit shirts for men in colour black", + "short sleeve regular fit shirts for men", + "long sleeve regular fit shirts for men in black", + "regular fit shirts for men", + "regular fit shirts for men black" + ], + "i am looking for an 18 light chandelier for my dining room.": [ + "18 light chandelier dining room", + "18 light chandelier for dining room", + "18 light chandelier for my dining room", + "18 light chandelier dining room.", + "18 light chandelier", + "18 light chandelier for dining room.", + " 18 light chandelier dining room", + "18 light chandelier dining room,", + "18 light chandelier living room", + "19 light chandelier dining room" + ], + "i am looking for some anti aging revitalizing shampoo and conditioner with natural ingredients.": [ + "anti aging revitalizing shampoo and conditioner", + "anti aging revitalizing shampoo and conditioner natural", + "anti aging revitalizing shampoo and conditioner with natural", + "anti aging revitalizing shampoo conditioner with natural ingredients", + "anti aging revitalizing shampoo and conditioner no natural", + "anti aging revitalizing shampoo and conditioner natural ingredients", + "anti aging revitalizing shampoo and conditioner, natural", + "anti aging revitalizing shampoo conditioner", + "ant aging revitalizing shampoo and conditioner", + "anti aging revitalizing shampoo" + ], + "i am looking for ottomans that are round and made of pu leather": [ + "oatmeal ottoman round and made of pu leather", + "oatmeal ottomans round and made of pu leather", + "ottomans round and made of pu leather", + "ottoman round and made of pu leather", + "clockwise ottoman round and made of pu leather", + " ottoman round and made of pu leather", + " ottomans round and made of pu leather", + "clockwise ottomans round and made of pu leather", + "oatmeal ottoman made of pu leather", + "oatmeal ottomans round and made from pu leather" + ], + "i need tamanu scented vitamin e oil for my face to reduce fine lines. i have dry skin.": [ + "tamanu scented vitamin e oil", + "tamanu scented vitamin e oil for my face to reduce fine lines", + "tamanu scented vitamin e oil for my face to reduce fine lines with dry skin", + "tamanu scented vitamin e oil for my face with dry skin", + "tamanu scented vitamin e oil for my face to reduce fine lines.", + "tamanu scented vitamin e oil for my face", + "tamanu scented vitamin e oil dry skin", + "tamanu scented vitamin e oil with dry skin", + "tea scented vitamin e oil", + "toothpaste vitamin e oil" + ], + "i need a 120 ml hair mask treatment": [ + "120 ml hair mask treatment", + " 120 ml hair mask treatment", + "120 ml hair mask treatment under $40", + "120 ml hair mask treatment under $50", + "120 ml hair mask treatment under $60", + "120 ml hair mask treatment under 30 dollars", + "120 ml hair mask treatment under 120 dollars", + "120 ml hair mask treatment under $120", + "120 ml human hair mask treatment", + "120 ml hair mask treatment under $130" + ], + "i need small black ,one count easy to use dental guard": [ + "small black dental guard", + "small black dental guard easy to use", + "small black oral guard", + "small black dental guard under $50", + "small black dental guard under $40", + "small black dental guard under $60", + "small black dentistry guard", + "small black dental guard", + "small black dental guard", + "small black" + ], + "i am looking for gluten free norwegian crispbread.": [ + "gluten free norwegian crispbread", + "gluten free norwegian crispbread.", + "gluten free norwegian crispbread below $40", + "gluten free norwegian crispbread under $40", + "gluten free norwegian crispbread below $60", + "gluten free norwegian crispbread below $50", + "gluten free norwegian crisbread", + "gluten free norwegian crispbread under $60", + "gluten free norwegian crispbread under $50", + "gluten-free norwegian crispbread" + ], + "i'm looking for stretch jeggings for women.": [ + "stretch jeggings for women", + "Stretch jeggings for women", + " stretch jeggings for women", + "stainless jeggings for women", + "stretch jeggings for women.", + "Stretch jeggings for women.", + "retch jeggings for women", + " stretch jeggings for women.", + "plastic jeggings for women", + "stretch jeggings for women," + ], + "i want to buy a dress for women which i can machine wash and has yellow color, as for the size i want it to be 4x-large.": [ + "woman dress 4xl yellow", + "4xl dress for women", + "woman dress 4xl", + "4xl dress for women in yellow", + "4xl woman dress", + "woman dress 4xl in yellow", + "4xl woman dress 4xl", + "4xl woman dress under $40", + "4xl yellow woman dress", + "4xl woman dress under $50" + ], + "i'm looking for a organic tea tree oil. also, choose vanilla flavored one.": [ + "organic tea tree oil", + "organic tea tree oil, vanilla flavored", + "organic tea tree oil flavor", + "organic tea tree oil vanilla flavored", + "organic tea tree oil.", + "organic tea tree oil. vanilla flavored", + "organic tea tree oil vanilla flavor", + "organic tea tree oil in vanilla flavored", + "organic tea tree oil that is natural", + "organic tea tree oil vanilla" + ], + "i would like a heart sunflower heavy duty phone case.": [ + "heart sunflower heavy duty phone case", + "Heart sunflower heavy duty phone case", + "heart sunflower heavy duty phone case.", + " heart sunflower heavy duty phone case", + "Heart sunflower heavy duty phone case.", + "heart sunflowers heavy duty phone case", + "home sunflower heavy duty phone case", + "heart sunflower heavy duty phone case,", + "a heart sunflower heavy duty phone case", + "heart sunflower phone case" + ], + "i need black colored natural hair extensions.": [ + "black colored natural hair extensions", + "natural hair extensions black", + "natural hair extensions black natural", + "black natural hair extensions", + "black colored natural hair extension", + "natural hair extension black", + "natural hair extensions black colored", + "natural hair extension black natural", + "natural hair extensions black black", + "black natural hair extension" + ], + "i need some hair extensions that are blue and pink": [ + "blue and pink hair extensions", + "blue and pink human hair extensions", + "blue human hair extensions", + "blue and pink hair extension", + "blue human hair extension", + "blue and pink human hair extension", + "hair extensions blue and pink", + "blue, pink hair extensions", + "blue pink hair extensions", + "blue hair extensions that are pink" + ], + "hello, i would like to have leggings that could go up to my waist please? also, pick purple": [ + "leggings that could go up to my waist", + "leggings purple", + "leggings that can go up to my waist", + "levisings that could go up to my waist", + "pink leggings", + "leggings that go up to my waist", + "leggings up to my waist purple", + "leggings up to my waist in purple", + "pocket leggings purple", + "levisings purple" + ], + "i would like a 52 inch wide and 63 inch long pair of light grey window panels for the living room.": [ + "window panels for living room 52 inches wide", + "window panels for living room 52 inch wide", + "window panels for living room", + "window panels for the living room 52 inches wide", + "50 x 63 inch long pair of light grey window panels", + "window panels for the living room 52 inch wide", + "window panels 52 inch wide and 63 inch long", + "window panels for the living room", + "window panels 52 inch wide", + "window panels" + ], + "i want a 5x7ft vinyl shabby wooden loft background for digital photography.": [ + "5x7ft vinyl shabby wooden loft background for digital photography", + "5x7ft vinyl shabby wooden loft background digital photography", + "5x7ft vinyl shabby wooden loft background", + "5 x7ft vinyl shabby wooden loft background for digital photography", + "5x7 ft vinyl shabby wooden loft background for digital photography", + " 5x7ft vinyl shabby wooden loft background for digital photography", + "5x7 vinyl shabby wooden loft background for digital photography", + "5x7ft vinyl shabby wooden photography background", + "5 x7ft vinyl shabby wooden loft background digital photography", + "5x7ft vinyl shabby wooden loft background photography" + ], + "i want a gold plated 85ft usb-c to 2 rca stereo audio cable.": [ + "gold plated 85ft usb-c to 2 rca audio cable", + "aluminum 85ft usb-c to 2 rca stereo audio cable", + "plated 85ft usb-c to 2 rca stereo audio cable", + "gold plated 85ft usb-c to 2 rca", + "iphone 85ft usb-c to 2 rca stereo audio cable", + "iphones 85ft usb-c to 2 rca stereo audio cable", + "24ft usb-c to 2 rca stereo audio cable", + "gold plated 85ft usb-c to 2 rca stereo", + "usb-c to 2 rca stereo audio cable", + "gold plated audio cable" + ], + "gold plated stereo sound cable input usb port": [ + "gold plated stereo sound cable input usb port", + "gold plated stereo sound cable input usb port,", + "gold plated stereo sound cable output usb port", + "gold plated stereo sound cable with usb port", + "gold plated stereo sound cable in usb port", + "gold plated stereo sound cable to usb port", + "gold plated stereo sound cable", + "gold plated stereo sound cables input usb port", + "gold plated stereo sound cable input usb", + "gold plated stereo sound cable input" + ], + "i am looking for 6 packs of nut free, soy free, dairy free chocolate candy variety pack": [ + "6 packs of nut free, soy free, dairy free chocolate candy variety pack", + "6 pack of nut free, soy free, dairy free chocolate candy variety pack", + "pack of nut free, soy free, dairy free chocolate candy variety pack", + "6 packs of nut free, soy free dairy free chocolate candy variety pack", + "6 packs of nut free dairy free chocolate candy variety pack", + "6 packs of nut free, soy free and dairy free chocolate candy variety pack", + "6 packs of nut free, soy free chocolate candy variety pack", + "6 packs of nut free soy free, dairy free chocolate candy variety pack", + "6 packs of nut free chocolate candy variety pack", + "6 packs of dairy free chocolate candy variety pack" + ], + "i am looking for low calorie gelatin mix.": [ + "low calorie gelatin mix", + "low calorie gelatin mix.", + "low calorie gelatin mix under $40", + "low calorie gelatin mix below $40", + "low calorie gelatin mix under $50", + "low calorie gelatin mix under $60", + "low calorie gelatin mix below $50", + "low calorie gelatin mix under 50 dollars", + "low calorie gelatin mix below $60", + "low calorie gelatin mix no sugar" + ], + "i am looking for the perfect wedding gift of chocolates that has 27 pieces": [ + "womens chocolates that has 27 pieces", + "bridal gift of chocolates that has 27 pieces", + "womens chocolates with 27 pieces", + "gift of chocolates that has 27 pieces", + "a wedding gift of chocolates that has 27 pieces", + "bridal gift of chocolates with 27 pieces", + "gift of chocolates with 27 pieces", + "chocolates that has 27 pieces", + "chocolates with 27 pieces", + "womens chocolates that has 27 piece" + ], + "i want a teeth whitening toothpaste that removes bad breath. pick an orange one.": [ + "teeth whitening toothpaste orange", + " teeth whitening toothpaste that removes bad breath", + " teeth whitening toothpaste orange", + "teeth whitening toothpaste, orange", + "teeth whitening toothpaste", + "toothpaste that removes bad breath, orange", + "toothpaste that removes bad breath", + "teeth whitening toothpaste with bad breath", + " teeth whitening toothpaste, orange", + " teeth whitening toothpaste" + ], + "i would like some grass fed spicy jerky": [ + "grass fed spicy jerky", + " grass fed spicy jerky", + "synthetic jerky grass fed", + "chocolate jerky grass fed", + "grass fed spicy jerky under $40", + "youth fed spicy jerky", + "grass fed spicy jerky under $50", + "grass fed spicy jerky under $60", + "psi jerky grass fed", + "sugar fed spicy jerky" + ], + "i'm looking for monocular telescope tripod phone mount binoculars.": [ + "monocular telescope tripod phone mount binoculars", + "monocular telescope tripod phone mount binoculars.", + "monocular telescope tripod phone mount binoculars under $40", + "monocular telescope tripod phone mount binoculars under $50", + "monocular telescope tripod phone mount binoculars under $60", + "monocular telescope tripod phone mount binoculars under 50 dollars", + "monocular telescope tripod phone mount binoculars under $130", + "monocular telescope tripod phone mount binoculars under $120", + "monocular telescope tripod phone mount binoculars under 30 dollars", + "monocular tripod phone mount binoculars" + ], + "find me a x-small white slipknot t-shirt classic fit for men": [ + "x-small white slipknot t-shirt classic fit for men", + " x-small white slipknot t-shirt classic fit for men", + "xxl white slipknot t-shirt classic fit for men", + "x-small white slipknot t-shirt", + "small white slipknot t-shirt classic fit for men", + "x-small white slipknot t-shirt classic fit for men,", + "i x-small white slipknot t-shirt classic fit for men", + "xl white slipknot t-shirt classic fit for men", + "x-small white slipknot t-shirt for men", + "x-small white slipknot t-shirt classic fit men" + ], + "i am looking for a refresher spray for the curl hair of my wife that is suitable for hair growth. and i choose the a pack of 3": [ + " refresher spray for the curl hair of my wife that is suitable for hair growth. pack of 3", + " refresher spray for the curl hair of my wife that is suitable for hair growth. a pack of 3", + "curther spray for the curl hair of my wife that is suitable for hair growth. pack of 3", + " refresher spray for the curl hair of my wife suitable for hair growth. pack of 3", + " refresher spray for the curl hair of my wife whose price is suitable for hair growth. pack of 3", + " refresher spray for curl hair of my wife that is suitable for hair growth. pack of 3", + " refresher spray for the curl hair of my wife that is suitable for hair growth. pack of 3,", + "a refresher spray for the curl hair of my wife that is suitable for hair growth. pack of 3", + " refresher spray for the curl hair of my wife that is suitable for hair growth. and pack of 3", + " refresher spray for the curl hair of my wife, suitable for hair growth. pack of 3" + ], + "i need you to get me slip resistant shoes that has open toes and is white in color. pick a size 4.": [ + "slip resistant shoes size 4", + "slip resistant shoes in white", + "slip resistant shoes in white size 4", + "slide resistant shoes size 4", + "slide resistant shoes in white size 4", + "slide resistant shoes in white", + "slip resistant shoes size 4 in white", + "slip resistant shoes size 4.5", + "slip resistant shoes size 4 white", + "slide resistant shoes size 4.5" + ], + "i am looking for non alcoholic sparkling refreshments in the sauvignon blanc flavor.": [ + "non alcoholic sparkling refreshments in the sauvignon blanc flavor", + "non alcoholic sparkling refreshments sauvignon blanc flavor", + "non alcoholic sparkling refreshments in a sauvignon blanc flavor", + "non alcoholic sparkling refreshments with sauvignon blanc flavor", + "non alcoholic sparkling refreshments with a sauvignon blanc flavor", + "alcohol sparkling refreshments in the sauvignon blanc flavor", + "non alcoholic sparkling refreshments, sauvignon blanc flavor", + "non alcoholic sparkling refreshments", + "non alcoholic sparkling refreshments sauvignon blanc flavor.", + "sauuvignon blanc flavor" + ], + "i would like a 12 pack of non alcoholic rose seltzer water.": [ + "12 pack non alcoholic rose seltzer water", + "non alcoholic rose seltzer water 12 pack", + "alcohol rose seltzer water 12 pack", + "12 packnon alcoholic rose seltzer water", + "12 pack of non alcoholic rose seltzer", + "12 pack of alcoholic rose seltzer water", + "12 pack natural rose seltzer water", + "12 pack of non alcoholic rose water", + "12 pack non alcoholic rose seltzer", + "alarm water 12 pack" + ], + "i am looking for anti aging cream with green tea and hyaluronic acid. i want it to be effective for dark circles": [ + "anti aging cream with green tea and hyaluronic acid", + "anti aging cream with green tea hyaluronic acid", + "anti aging cream with green tea and hyaluronic acid in dark circles", + "anti aging cream with green tea and hyaluronic acid for dark circles", + "anti aging cream with green tea and hyaluronic acid dark circles", + "anti aging cream with green tea and hyaluronic acid under $40", + "anti aging cream green tea hyaluronic acid", + "anti aging cream with green tea and hyaluronic acid under $50", + "anti aging cream with green tea hyaluronic acid for dark circles", + "anti aging cream with green tea and hyaluronic acid under $60" + ], + "i need a royal blue dress with draw string closure. i am a size 17.": [ + " royal blue dress with draw string closure", + "dual blue dress with draw string closure", + "queen blue dress with draw string closure", + "pink royal blue dress with draw string closure", + "kingman blue dress with draw string closure", + " royal blue dress with drawstring closure", + "Royal blue dress with draw string closure", + "queen blue dress with drawstring closure", + "pink royal blue dress with drawstring closure", + "kingtelescope blue dress" + ], + "i need 12 ounce hormel spam that is cooked fully": [ + "12 ounce hormel spam cooked fully", + "12 ounce hormel spam that is cooked fully", + "12 ounce hormel spam", + "12 ounce hormel spam, cooked fully", + "12 ounce hormel spam that is cooked", + "12 ounce hormel spam cooked", + "12 ounce hormel spam under $50", + "natural 12 ounce hormel spam cooked fully", + "alarmel spam cooked fully", + "hormel spam cooked fully" + ], + "i want violet and hands free walkie talkies for adults.": [ + "vegan walkie talkies for adults", + "vanity walkie talkies for adults", + "vegan walkingie talkies for adults", + "vanity walkingie talkies for adults", + "violet walkie talkies for adults", + "walkingie talkies for adults", + "vegan walkie talkies for adults.", + "vegan walkingie talkies for adults.", + "vanity walkie talkies for adults.", + "violet and hands free walkie talkies" + ], + "i want a twin xl long lasting memory form 6 in mattress for bed": [ + "twin xl long lasting memory form 6", + "twin xl long lasting memory form 6 bed", + "twin xl long lasting memory form 6 in mattress", + "twin xl memory form 6 in mattress for bed", + "twin xl long lasting memory form 6 mattresses", + "twin xl long lasting memory form 6 mattress", + "twin xl long lasting memory form 6 for bed", + "twin xl long lasting memory form 6 bedroom", + "twin xl long lasting memory", + "twin xl mattress for bed" + ], + "i am looking for women's sandals of a7-green color that are non slippable.": [ + "womens sandals of a7-green color", + "womens sandals of a7-green", + "womens sandals a7-green color", + "womens sandals color non slippable", + "womens sandals a7-green", + "womens sandals in a7-green color", + "womens sandals, a7-green color", + "womens sandals of a 7-green color", + "womens sandals that are non slippable", + "womens sandals colored non slippable" + ], + "i am looking for a high speed hdmi male to female cable that is 30 feet long. pick a 2 pack one.": [ + "high speed hdmi male to female cable", + "high speed hdmi male to female cable 2 pack", + "high speed hdmi male to female cable 2 pack one", + "high speed hdmi male to female cable under 30 dollars", + "tv hdmi male to female cable 2 pack", + "low speed hdmi male to female cable 2 pack", + "hdmi male to female cable 2 pack", + "high speed hdmi male to female cable under $40", + "low speed hdmi male to female cable", + "tv hdmi male to female cable" + ], + "i would like two packs of three foot long gold plated hdmi male to male cables.": [ + "three foot long gold plated hdmi male to male cables", + "3 foot long gold plated hdmi male to male cables", + "two packs of three foot long gold plated hdmi", + "three foot long gold plated hdmi male to male cables.", + "3 ft long gold plated hdmi male to male cables", + "two packs of three foot long gold plated hdmi cable", + "three foot long gold plated hdmi male to male cables,", + "three foot long gold plated hdmi cable", + "three foot long gold plated hdmi male cable", + "gmo male to male cables" + ], + "i want lundberg organic white chocolate thin stackers.": [ + "lundberg organic white chocolate thin stackers", + "lundberg organic white chocolate thin stackers", + "lundberg organic white chocolate thin stackers.", + "lundberg organic white chocolate thin stackers.", + "lipberg organic white chocolate thin stackers", + " lundberg organic white chocolate thin stackers", + "undberg organic white chocolate thin stackers", + "lundberg organic white chocolate thin stackers lundberg", + "lenberg organic white chocolate thin stackers", + "lundberg organic white chocolate thin stackers," + ], + "i want 1 biotin thickening herbal serum for hair growth.": [ + "1 biotin thickening herbal serum for hair growth", + "biotin thickening herbal serum for hair growth", + "biootin thickening herbal serum for hair growth", + "biotin thickening herbal serum for hair growth.", + "2 biotin thickening herbal serum for hair growth", + "one biotin thickening herbal serum for hair growth", + "biopotin thickening herbal serum for hair growth", + "1 biotin thickening herbal serum", + "anti-anxiety serum for hair growth", + "biotin thickening herbal serum" + ], + "i need blue and yellow headphones that have batteries included": [ + "blue and yellow headphones with batteries", + "blue and yellow headphones that have batteries", + "blue and yellow headphones", + "blue and yellow headphones, with batteries", + "blue and yellow wireless headphones with batteries", + "blue and yellow wireless charging headphones", + "blue and yellow wireless headphones", + "blue and yellow headphones no batteries", + "blue and yellow headphones that are batteries", + "blue and yellow hiking headphones with batteries" + ], + "i'm looking for a desktop computer with inel core core i5 10th generation.": [ + "desktop computer with inel core core i5 10th generation", + "desktop computer i5 10th generation", + "desktop computer with inel core core i5 10th", + "desktop computer inel core core i5 10th generation", + "desktop computer with inel core core i5 10th Generation", + "desktop computer with inel core core i5 10thgeneration", + " desktop computer with inel core core i5 10th generation", + "desktop computer with inel core core i5", + "desktop computer i5 10th generation.", + "desktop computer, i5 10th generation" + ], + "i'm looking for electric hair clipper for men.": [ + "electric hair clipper for men", + "electric hair clipper for men.", + "electric hair clipper for men under $40", + "electric hair clipper for men under $50", + "electric hair clipper for men under $60", + "electric hair clipper men", + "electric hair clipper for men under 50 dollars", + "electric hair clippers for men", + "electric hair clipper for men below $40", + "electric hair clipper for men under 30 dollars" + ], + "i am looking for caribbean blue color non slippable silicone cases that are compatible with apple iphone.": [ + "caribbean blue non slippable silicone cases", + "caribbean blue color non slippable silicone cases", + "caribbean blue non slippable silicone case", + "caribbean blue silicone case compatible with apple iphone", + "caribbean blue silicone case", + "caribbean blue color non slippable silicone case", + "caribbean blue silicone cases compatible with apple iphone", + "caribbean blue silicone case compatible with apple iphone.", + "caribbean blue silicone cases compatible with apple iphone.", + "caribbean blue silicone cases" + ], + "i need a slim fitting short sleeved t-shirt in copper color. pick one in xx-large tall size.": [ + "slim fitting short sleeved t-shirt in copper color", + "slim fitting short sleeved t-shirt xx-large tall", + "slim fitting short sleeved t-shirt x-large tall", + "short sleeved t-shirt in copper color", + "short sleeved t-shirt xx-large tall", + "slim fitting t-shirt xx-large tall", + "slim fitting t-shirt in copper color", + "slim fitting t-shirt xx-large tall size", + "slim fitting short sleeved t-shirt", + "xxl t-shirt in copper color" + ], + "i am interested in buying sweatpants for men which can be machine washed have navy color, and are large size.": [ + "sweatpants for men large size", + "sweatpants for men large", + "sweatpants for men in navy", + "sweatpants for men size large", + "sweatpants for men navy", + "sweatpants for men", + "sweatpants for men, navy", + "sweatpants in navy", + "sweatpants large", + "sweatpants" + ], + "i am looking for terrace garden style conditioner that are eco friendly.": [ + "tensace garden style conditioner eco friendly", + "a terrace garden style conditioner", + " terrace garden style conditioner eco friendly", + "tensace garden style conditioner", + "terrace garden style conditioner eco friendly", + "tea garden style conditioner eco friendly", + "terrace garden style conditioner", + "tea garden style conditioner", + " terrace garden style conditioner", + "rainbow color conditioner" + ], + "i would like a pair of small blue shorts made of nylon spandex.": [ + "small blue shorts made of nylon spandex", + "small blue shorts made from nylon spandex", + "small blue shorts made out of nylon spandex", + "small blue shorts made of nylon spandex.", + "small blue shorts made of nylon spandex,", + "small blue shorts with nylon spandex", + "small blue shorts, nylon spandex", + "small blue shorts", + "small blue shorts in nylon spandex", + "small blue shorts under $40" + ], + "i would like to purchase gramzero banana suger free fooding mix specially low calorie dessert vanilla flavor .": [ + "gramzero banana suger free fooding mix specially low calorie dessert vanilla flavor", + "gramzero banana suger free fooding mix with low calorie dessert vanilla flavor", + "bagel suger free fooding mix specially low calorie dessert vanilla flavor", + " gramzero banana suger free fooding mix specially low calorie dessert vanilla flavor", + "gazero banana suger free fooding mix specially low calorie dessert vanilla flavor", + "gramzero banana suger free fooding mix", + "gramzero banana suger free fooding mix, low calorie dessert vanilla flavor", + "gramzero banana suger free fooding mix that is low calorie", + "gluten free fooding mix", + "gluten-free fooding mix" + ], + "i'm looking for safety boots for men and women.": [ + "safety boots for men and women", + "safety boots for men and women.", + "Safety boots for men and women", + "safety boots men and women", + "teeth boots for men and women", + "sneakers for men and women", + "Safety boots for men and women.", + "safeline boots for men and women", + "safe boots for men and women", + "safety boots for men" + ], + "i need long lasting wax candles that is scented with lemon verbera": [ + "long lasting wax candles scented with lemon verbera", + "long lasting candles scented with lemon verbera", + "womens candles scented with lemon verbera", + "wax candles scented with lemon verbera", + "l wax candles scented with lemon verbera", + "long lasting wax candles with lemon verbera", + "long lasting wax candles", + "long lasting wax candles under $50", + "wax candles", + "long lasting candles" + ], + "i would like a 32 gb ram intel i5 core desktop mini.": [ + "32gb ram intel i5 core desktop mini", + "32 gb ram intel i5 core desktop mini", + " 32gb ram intel i5 core desktop mini", + " 32 gb ram intel i5 core desktop mini", + "32gb ram intel i5 core desktop mini", + "32gb ram intel i5 desktop mini", + "32gb ram intel i5 core desktop mini.", + "desktop mini 32gb ram intel i5", + "32gb i5 core desktop mini", + "desktop mini 32gb" + ], + "i'm looking for a contemporary style coffee table with tempered glass.": [ + "contemporary style coffee table with tempered glass", + "living room style coffee table with tempered glass", + "living style coffee table with tempered glass", + "a contemporary style coffee table with tempered glass", + "contemporary style coffee table tempered glass", + "affordable style coffee table with tempered glass", + "comfortable style coffee table with tempered glass", + "contemporary style coffee table with tempered glass.", + "living room style coffee table tempered glass", + "living room coffee table with tempered glass" + ], + "i want to buy usb cable for fast charging iphone, and is high speed, also it should be 3ft long, while the type should be usb c.": [ + "usb cable for fast charging iphone", + "usb cable for iphone 3ft long", + "usb cable fast charging iphone 3ft long", + " usb cable for fast charging iphone", + "usb cable for iphone 3ft long", + "usb cable for fast charging iphone usb c", + "iphone usb cable 3ft long", + "usb cable 3ft long", + "usb cable for iphone", + "usb cable fast charging iphone" + ], + "i'm looking for high waisted denim shorts distressed jeans for women.": [ + "high waisted denim shorts distressed jeans for women", + "high waisted denim shorts distressed jeans", + "high waisted denim shorts distressed jeans for women.", + "high waisted denim shorts for women", + "high waisted denim shorts", + "low waisted denim shorts distressed jeans for women", + "high waisted denim shorts distressed jeans for women,", + "high waisted denim shorts below $50", + "high waisted denim shorts below $40", + "high waisted denim shorts distressed jeans women" + ], + "i want gold and jade fresh collagen eye roller serum for dark circles.": [ + "gene fresh collagen eye roller serum for dark circles", + "gold and jade fresh collagen eye roller serum", + "pink fresh collagen eye roller serum for dark circles", + "gold jade fresh collagen eye roller serum for dark circles", + "gold and jade fresh collagen eye roller serum dark circles", + "gmo fresh collagen eye roller serum for dark circles", + "plastic eye roller serum for dark circles", + "lip roller serum for dark circles gold and jade fresh", + "green fresh collagen eye roller serum for dark circles", + "gene fresh collagen eye roller serum for dark circles." + ], + "i would like a large tops a4c4 army green short sleeve t shirt.": [ + "a4c4 army green short sleeve t-shirt", + "4c4 army green short sleeve t-shirt", + "large tops a4c4 army green t-shirt", + "large t-shirt a4c4 army green", + "a4c4 army green short sleeve t shirt", + "4c4 army green short sleeve t shirt", + "large t-shirt a4c4", + "alarm green short sleeve t-shirt", + "large t-shirt army green", + "large t-shirt" + ], + "i am looking for a high quality waterproof makeup bag that can be cleaned easily": [ + "waterproof makeup bag that can be cleaned easily", + "waterproof makeup bag", + "waterproof makeup bag that can be cleaned", + "high quality waterproof makeup bag", + "waterproof makeup bag that is cleanable", + " waterproof makeup bag that can be cleaned easily", + "low quality waterproof makeup bag", + "high quality waterproof makeup bag that can be cleaned", + "lip makeup bag that can be cleaned easily", + "low quality waterproof makeup bag that can be cleaned" + ], + "i want white wall decoration for my beauty salon.": [ + "white wall decoration for beauty salon", + "white wall decoration for a beauty salon", + "white wall decoration for my beauty salon", + "white wall decoration for beauty salon.", + "white wall decoration", + "beauty salon white wall decoration", + "white wall decoration for the beauty salon", + "white wall decoration beauty salon", + "white wall decoration for an beauty salon", + "white wall decoration, beauty salon" + ], + "i need some white nail polish that i would find at a beauty salon.": [ + "white nail polish", + "white nail polish beauty salon", + "beauty salon white nail polish", + "white nail polish for beauty salon", + "white nail polish, beauty salon", + "nude polish beauty salon", + "beauty polish white", + "beauty salon polish white", + "white nail polish beauty salon.", + "beauty salon white polish" + ], + "i want medium brown carlxanz hair fibers for hair loss.": [ + "medium brown carlxanz hair fibers for hair loss", + "medium brown carlxanz hair fibers", + "large brown carlxanz hair fibers for hair loss", + "carlxanz hair fibers for hair loss", + "medium brown carlxanz hair fiber for hair loss", + "medium brown carlxanz hair fibers for hair", + "medium brown carlxanz hair fibers,", + "large brown carlxanz hair fibers", + "medium brown hair fibers for hair loss", + "carlxanz hair fibers" + ], + "i am interesed in buying a 12 pack travel size storage organizer.": [ + "12 pack travel size storage organizer", + "12 pack travel size storage organizer.", + "12 pack travel size storage organizer,", + "a 12 pack travel size storage organizer", + "12 pack travel storage organizer", + "12 pack travel sized storage organizer", + "10 pack travel size storage organizer", + "12 pack travel organizer", + "12 pack travel size organizer", + "travel size storage organizer" + ], + "i am looking non slip vinyl acetate women walking shoe size 13.5 color grey _black_white": [ + "non slip vinyl acetate women walking shoe 13.5 color grey _black", + "non slip vinyl acetate walking shoe size 13.5 color grey _black", + "womens walking shoe size 13.5 color grey _black", + "womens walking shoe 13.5 color grey _black", + "non slip vinyl acetate walking shoe 13.5 color grey _black", + "non slip vinyl acetate women walking shoe size 13.5 color grey _black", + "womens walking shoe size 13.5 color grey _black_white", + "walking shoe 13.5 color grey _black", + "womens walking shoe 13.5 color grey _black_white", + "non slip vinyl acetate women walking shoe 13.5 color grey _black" + ], + "i like to get a king size bedspread with high density. pick an orange cream one.": [ + "king size bedspread with high density", + "king size bedspread with high density, orange cream", + "king size bedspread with high density and is orange cream", + "king size bedspread with high density orange cream", + "king size bedspread with high density that is orange cream", + "king size bedspread with high density in orange cream", + "king size bedspread with high density with orange cream", + "king size bedspread high density orange cream", + "king size bedspread with high density that is king size", + "king size bedspread with high density, orange cream," + ], + "i need a slim fit gray colored coat that has long sleeves. it should be in x-large size.": [ + "slim fit gray colored coat x-large", + "slim fit gray colored coat x-large size", + "slim fit gray colored coat that has long sleeves", + "slim fit gray colored coat with long sleeves", + "slim fit gray colored coat x-lens", + " slim fit gray colored coat x-large", + "slim fit gray colored coat, x-large", + "slim fit gray colored coat in x-large", + "slim fit gray colored coat x-l", + "slim fit gray colored coat" + ], + "i want a black and easy to use cluster mascara wand.": [ + "black cluster mascara wand", + "black cluster mascara wand easy to use", + "black cluster mascara wand under $40", + "cluster mascara wand black", + "black cluster mascara wand under $50", + "black cluster mascara wand under $60", + "black cluster mascara wand.", + "black cluster mascara wand under 50 dollars", + "black cluster mascara wand under 30 dollars", + "black cluster mascara wand black" + ], + "i want a white tommy hilfiger men's long sleeve button down shirt.": [ + "white tommy hilfiger mens long sleeve button down shirt", + "white tommy hilfiger mens long sleeve button down shirt.", + "white tommy hilfiger mens long sleeve button down shirt under $40", + "white tommy hilfiger mens long sleeve button down shirt under $50", + "white tommy hilfiger mens long sleeve button down shirt under 50 dollars", + "white tommy hilfiger mens long sleeve button down shirt below $50", + "white tommy hilfiger mens long sleeve button down shirt below $40", + "white tommy hilfiger mens long sleeve button down shirt under $60", + "white tommy hilfiger mens long sleeve button down shirt under 40 dollars", + "white tommy hilfiger mens long sleeve button down shirt under 30 dollars" + ], + "i am looking for grey color 4 drawers console sofa entry table for living room": [ + "grey color 4 drawers sofa entry table", + "grey color 4 drawers console sofa entry table", + "grey color 4 drawers sofa entry table living room", + "grey color 4 drawers sofa entry table,", + "grey color 4 drawers couch entry table", + "grey color 4 drawers sofa entry table dining room", + "grey color 4 drawers living room", + "grey 3 drawers sofa entry table", + "grey 4 drawers sofa entry table", + "grey color 4 drawers dining room" + ], + "i am interested in buying a blue colored noise cancelling headphones with wireless bluetooth available.": [ + "blue noise cancelling headphones with wireless bluetooth", + "blue noise cancelling headphones", + "blue noise cancelling headphones wireless bluetooth", + "blue wireless noise cancelling headphones", + "blue noise cancelling headphones, wireless bluetooth", + "blue noise cancelling headphones bluetooth", + "blue noise cancelling headphones bluetooth wireless", + "blue noise cancelling headphones with bluetooth", + "blue noise cancelling wireless bluetooth headphones", + "blue noise cancelling headphones that are wireless" + ], + "i would like a antique gray twin size bed.": [ + "antique gray twin size bed", + "antique gray twin bed", + " antique gray twin size bed", + " antique gray twin bed", + "an antique gray twin size bed", + "ashtray twin size bed", + "old gray twin size bed", + "an antique gray twin bed", + " antique gray twin size bed.", + "dust gray twin size bed" + ], + "i would love to buy a heavy duty dust proof case for my iphone xs in black and gray color.": [ + "dust proof case for iphone xs black and gray", + "dust proof iphone xs black and gray", + "dust proof iphone xs in black and gray color", + "dust proof case iphone xs black and gray", + "dust proof case for iphone xs in black and gray", + "dust proof case iphone xs in black and gray color", + "dust proof iphone xs black and gray color", + "dust proof case for iphone xs black and gray color", + "dust proof case iphone xs in black and gray", + "iphone xs black and gray" + ], + "i'm looking for heels cupcake toppers for gender reveal party baby shower birthday.": [ + "cupcake toppers for gender reveal party baby shower", + "cupcake toppers for gender reveal baby shower", + "cupcake toppers for baby shower", + "high heels cupcake toppers for baby shower", + "cupcake toppers baby shower", + "baby shower cupcake toppers", + "cupcake toppers for a baby shower", + "shoes cupcake toppers for baby shower", + "stainless cupcake toppers for baby shower", + "cupcake toppers for gender reveal baby shower birthday" + ], + "i am looking for long sleeve x-large crew neck caramel color casual pullover": [ + "long sleeve x-large crew neck caramel color pullover", + "long sleeve x-large crew neck caramel color casual pullover", + "short sleeve x-large crew neck caramel color pullover", + "x-large crew neck caramel color pullover", + " long sleeve x-large crew neck caramel color pullover", + "short sleeve x-large crew neck caramel color casual pullover", + "lens x-large crew neck caramel color pullover", + "lens x-large crew neck caramel color casual pullover", + "x-large crew neck caramel color casual pullover", + "long sleeve x-large crew neck caramel color" + ], + "i am interested in buying sandals for women which have open toe, are knee high, and are in white color, while the size should be 6.5.": [ + "woman sandals size 6.5", + "knee high sandals in white", + "knee high sandals 6.5", + "sandals for women size 6.5", + "sneakers for women in white", + "woman sandals 6.5 white", + "woman sandals 6.5", + "shoes size 6.5", + "sneakers for women in white color", + "sneakers for women 6.5" + ], + "i will like to have a synthetic sole, memory foam cc corso como women's denice, size 5.5 and tan color": [ + "memory foam cc corso como womens denice size 5.5 in tan", + "memory foam cc corso como womens denice in a size 5.5", + "memory foam cc corso como womens denice size 5.5 synthetic sole", + "memory foam cc corso como womens denice, size 5.5", + "memory foam cc corso como womens denice size 5.5", + "memory foam cc corso como womens denice", + "synthetic sole 5.5", + "synthetic sole 5.5 in memory foam", + "synthetic sole size 5.5", + "synthetic sole" + ], + "i am looking for women's pants of wine red color with elastic waistband.": [ + "womens pants of wine red color elastic waistband", + "womens pants of wine red color", + "womens pants red color with elastic waistband", + "womens red pants with elastic waistband", + "womens pants of wine red color under $40", + "womens pants, wine red color", + "womens pants red color", + "womens pants of wine red", + "womens pants", + "womens red pants" + ], + "i am looking for a prom dresse with unique design. and i choose the 8\" size with plum color": [ + "pink prom dresse with unique design", + "8 prom dresse with unique design", + "prom dresse with unique design. 8 size", + "prom dresse with unique design", + "pink prom dresse 8 in plum color", + "a prom dresse with unique design", + "prom dresse with unique design plum color", + "pink prom dresse 8 size", + "pink prom dresse 8", + "pink prom dresse" + ], + "i need a set of 4 dining chairs for my dining room. it should be light grey in color.": [ + "living room dining chairs light grey", + "dining chairs for dining room light grey", + "dining chairs light grey", + "4 dining chairs for dining room", + "set of 4 dining chairs dining room", + "4 dining chairs dining room light grey", + "set of 4 dining chairs for dining room", + "4 dining chairs for dining room light grey", + "tablet dining chairs light grey", + "4 dining chairs light grey" + ], + "i want a 30 ml sized travel bottle which is leak proof.": [ + "30 ml sized travel bottle which is leak proof", + "30 ml sized travel bottle, leak proof", + "30 ml sized travel bottle that is leak proof", + "30 ml sized travel bottle", + "30 ml travel bottle which is leak proof", + "30 ml travel bottle, leak proof", + "30 ml travel bottle that is leak proof", + "30 ml sized travel bottle with leak proof", + "30 ml travel bottle", + "30 ml sized travel bottle, leak proof," + ], + "i want to buy workout sets outfits for women which are high waist and machine washable while their color should be grey, and with the size of x-large.": [ + "workout sets outfits for women x-large", + "workout sets outfits for women that are high waist and machine washable", + "workout sets outfits for women which are high waist and machine washable", + "workout set outfits for women x-large", + "workout sets outfits for women with the size of x-large", + "workout sets outfits for women high waist and machine washable", + " workout sets outfits for women x-large", + "workout sets outfits for women size x-large", + "workout sets outfits for women x-large in grey", + "workout sets outfits for women x-large, grey" + ], + "i want a travel friendly imported zipper laundry bag for blouse, hosiery ,lingeries": [ + "travel friendly imported zipper laundry bag for blouse, hosiery ,lingeries", + "travel friendly imported zipper laundry bag for blouse, hosiery ,lingeries", + "temporary travel friendly imported zipper laundry bag for blouse, hosiery ,lingeries", + "Travel friendly imported zipper laundry bag for blouse, hosiery ,lingeries", + "temporary travel friendly imported zipper laundry bag for blouse, hosiery ,lingeries", + "travel friendly imported zipper laundry bag for blouse hosiery ,lingeries", + " travel friendly imported zipper laundry bag for blouse, hosiery ,lingeries", + "Travel friendly imported zipper laundry bag for blouse, hosiery ,lingeries", + "travel friendly imported zipper laundry bag for blouse hosiery ,lingeries", + "travel friendly imported zipper laundry bag" + ], + "i am looking for gluten free banana flavored original protein shake": [ + "gluten free banana flavored original protein shake", + "banana flavored original protein shake", + "vegan banana flavored original protein shake", + "aluten free banana flavored original protein shake", + "gluten free banana flavored protein shake", + "plastic banana flavored original protein shake", + "gluten free banana flav protein shake", + "gluten free banana flav original protein shake", + "almond flavored original protein shake", + "flavored original protein shake" + ], + "looking for freeze dried green fruit snacks also choose size: 0.36 ounce (pack of 24)": [ + "freeze dried green fruit snacks size: 0.36 ounce (pack of 24)", + "freeze dried green fruit snacks 0.36 ounce (pack of 24)", + "freeze dried green fruit snacks size 0.36 ounce (pack of 24)", + "freeze dried green fruit snacks pack of 24", + "freeze dried green fruit snacks 1.36 ounce (pack of 24)", + "freeze dried green fruit snacks", + "im looking for freeze dried green fruit snacks, and price lower than 50.00 dollars", + "i would like freeze dried green fruit snacks, and price lower than 50.00 dollars", + "im looking for freeze dried green fruit snacks, and price lower than 100.00 dollars", + "im looking for freeze dried green fruit snacks, and price lower than 40.00 dollars" + ], + "i want a herbal magic hair loss treatment for promoting hair growth. make sure that it is non-toxic.": [ + "herbal magic hair loss treatment for promoting hair growth", + "herbal magic hair loss treatment", + "herbal magic hair loss treatment, non-toxic", + "herbal magic hair loss treatment that is non-toxic", + "herbal magic hair loss treatment non-toxic", + " herbal magic hair loss treatment for promoting hair growth", + "an herbal magic hair loss treatment for promoting hair growth", + "herbal magic hair loss treatment for hair growth", + "herbal magic hair loss treatment no toxic", + " herbal magic hair loss treatment" + ], + "i want to find a 16 ounce box of certified organic hair loss treatment with an herbal magic scent.": [ + "16 ounce box of certified organic hair loss treatment with an herbal magic scent", + "16 ounce box of certified organic hair loss treatment with herbal magic scent", + "16 ounce box of certified organic hair loss treatment", + "16 ounce box certified organic hair loss treatment with an herbal magic scent", + "16 ounce box of certified organic hair loss treatment with a herbal magic scent", + " 16 ounce box of certified organic hair loss treatment with an herbal magic scent", + "16 ounce box of certified organic hair loss treatment, herbal magic scent", + "17 ounce box of certified organic hair loss treatment with an herbal magic scent", + "teen ounce box of certified organic hair loss treatment with an herbal magic scent", + "16 ounce box certified organic hair loss treatment with herbal magic scent" + ], + "i used herbal magi shampoo for hair growth": [ + "herbal magi shampoo for hair growth", + " herbal magi shampoo for hair growth", + "herbal magi shampoo", + "shelf magi shampoo for hair growth", + "italian magi shampoo for hair growth", + "an herbal magi shampoo for hair growth", + "a herbal magi shampoo for hair growth", + "herbal magi shampoo hair growth", + "im looking for herbal magi shampoo for hair growth", + "herbal magi shampoo for hair growth herbal" + ], + "i want laritelle organic hair loss treatment.": [ + " laritelle organic hair loss treatment", + "laritelle organic hair loss treatment", + " laritelle organic hair loss treatment.", + "alarmitelle organic hair loss treatment", + "l laritelle organic hair loss treatment", + "a laritelle organic hair loss treatment", + "aritelle organic hair loss treatment", + "latinitelle organic hair loss treatment", + "laritelle organic hair loss treatment.", + "l laritelle organic hair loss treatment." + ], + "i am interested in a fresh breath spray of peppermint flavor.": [ + "fresh breath spray of peppermint flavor", + "fresh breath spray peppermint flavor", + "fresh breath spray of peppermint flavor.", + "fresh breath spray pomegranate flavor", + "fresh breath spray of peppermint flavor,", + "fresh breath spray with peppermint flavor", + "fresh breath spray, peppermint flavor", + "fresh breath spray of peppermint", + "fresh breath spray peppermint", + "fresh breath spray" + ], + "i need a speaker wireless with usb port in green color": [ + " speaker wireless with usb port in green color", + "manual wireless with usb port in green", + "ch speaker wireless with usb port in green color", + "manual wireless with usb port in green color", + "iphone wireless with usb port in green color", + "phone speaker wireless with usb port in green color", + "iphone wireless with usb port in green", + " speaker wireless with usb port in green", + "ch speaker wireless with usb port in green", + "iphones wireless with usb port in green color" + ], + "i want black skechers sport women's d'lites memory foam shoes.": [ + "black skechers sport womens dlites memory foam shoes", + "black skechers sport womens dlites memory foam shoes.", + "black skechers sport womens dlites memory foam shoes black", + "snechers sport womens dlites memory foam shoes", + "white skechers sport womens dlites memory foam shoes", + "black skechers sport womens dlites memory foam shoe", + "black skechers sport womens dlites memory foam shoes,", + "snechers sport womens dlites memory foam shoes black", + "black skechers sport womens dlites memory foam", + "pschers sport womens dlites memory foam shoes" + ], + "i want an easy to use pair of moisturizing gloves to remedy rough skin.": [ + "moisturizing gloves for rough skin", + "moisturizing gloves to remedy rough skin", + "easy to use pair of moisturizing gloves to remedy rough skin", + "moisturizing gloves to remedy rough skin.", + "moisturizing gloves", + "moisturizing gloves for rough skin, easy to use", + "moisturizing gloves for rough skin.", + "moisturizing gloves that remedy rough skin", + "moisturizing gloves, easy to use", + "moisturizing gloves for rough skin under $40" + ], + "i would like a two piece hair treatment for hair growth": [ + "two piece hair treatment for hair growth", + "two piece hair treatment", + "two piece hair treatment for hair growth under $40", + "two piece hair treatment for hair growth under $50", + "two piece hair treatment for hair growth under $60", + "two piece hair treatment for hair growth under 30 dollars", + "two piece hair treatment for hair growth,", + "two piece hair treatment, for hair growth", + "one piece hair treatment for hair growth", + "two piece hair treatment for hair" + ], + "i am looking for high power sound bar that is also dust proof.": [ + "dust proof high power sound bar", + "high power sound bar that is also dust proof", + "dust proof sound bar that is high power", + "dust proof sound bar", + "dust proof high power sound bar under $40", + "dust proof high power sound bar under $60", + "dust proof high power sound bar under $50", + "dust proof high power sound bar,", + "dust proof high power sound bar with high power", + "dust proof sound bar high power" + ], + "i'm looking for a blue power bank with a usb port and wireless charging": [ + "blue power bank with a usb port", + "blue power bank with a usb port wireless charging", + "blue power bank, usb port and wireless charging", + "blue power bank", + "blue power bank with a usb port for charging", + "blue power bank with usb port and wireless charging", + "blue power bank, usb port, wireless charging", + "blue power bank with usb port", + "blue power bank, usb port", + "blue power bank with wireless charging" + ], + "i want a black 1080p hd mini projector.": [ + "black 1080p hd mini projector", + "black 1080p hd mini projector.", + "black 1080p hd mini projector under $40", + "black 1080p hd mini projector under $60", + "black 1080p hd mini projector under 30 dollars", + "black 1080p hd mini projector under $50", + "black 1080p hd mini projector under 50 dollars", + "black 1080p hd mini projector under 40 dollars", + "black 1080p hd mini projector under 60 dollars", + "black 1080p hd mini projector under $120" + ], + "i would like a queen sized multicolored comforter set that's easy to clean.": [ + "queen sized multicolored comforter set", + "queen sized multicolored comforter set easy to clean", + "queen sized multicolored comforter set clean", + " queen sized multicolored comforter set", + "king size multicolored comforter set", + "queen sized multicolored comforter set under $50", + "queen sized multicolored comforter set under $40", + "queen sized multicolored comforter set under $60", + "king sized multicolored comforter set", + "Queen sized multicolored comforter set" + ], + "i am interested in buying a short sleeve blouse for men which i can wash in a washing machine and it's f red in color with a size of 3x-large.": [ + "short sleeve blouse for men whose size is f red in color", + "short sleeve blouse for men f red in color", + "short sleeve blouse for men size of 3x-large", + "short sleeve blouse for men whose size is 3x-large", + "short sleeve blouse for men", + "short sleeve blouse for men size 3x-large", + "short sleeve blouse for men in f red in color", + "short sleeve blouse for men, f red in color", + "short sleeve blouse for men in f red", + "short sleeve blouse for men whose size is f red" + ], + "i need a super soft throw blanket for my living room. it should be 80\"x60\" in size.": [ + "super soft throw blanket for living room", + "super soft throw blanket for living room 80x60", + "super soft throw blanket for the living room 80x60", + "super soft throw blanket for the living room", + "super soft throw blanket for my living room", + "super soft throw blanket for my living room 80x60", + "super soft throw blanket for living room, 80x60", + "super soft throw blanket in 80x60", + "super soft throw blanket living room 80x60", + "super soft throw blanket" + ], + "i am looking for optical zoom digital camera with flexible 12\" tripod and hdmi cable": [ + "digital camera with flexible 12 tripod and hdmi cable", + "optical zoom digital camera with flexible 12 tripod", + "optical zoom digital camera with flexible 12 tripod hdmi cable", + "optical zoom digital camera", + "digital camera with flexible 12 tripod hdmi cable", + "optical zoom digital camera with flexible 12 tripod under $120", + "optical zoom digital camera with flexible 12 tripod under $40", + "optical zoom digital camera with flexible 12 tripod under $50", + "digital camera with flexible 12 tripod", + "optical zoom digital camera with flexible 12 tripod and hdmi" + ], + "i am looking for men's jacket of white-01 color having short sleeve.": [ + "mens jacket white-01", + "mens jacket of white-01 color", + "mens jacket white-01 short sleeve", + "mens jacket of white-01", + "mens jacket white-01 color", + "mens jacket with short sleeve", + "mens jacket of white", + "mens jacket white", + "mens jacket black", + "mens jacket" + ], + "i'm looking for a long lasting eye shadow made from natural ingredients which should be fragrance free. also, choose rose gold colored one.": [ + "rose gold colored eye shadow", + "rose gold eye shadow", + "rose gold pigmented eye shadow", + "natural eye shadow rose gold", + "natural eye shadow rose gold colored", + "rosy gold eye shadow", + "long lasting eye shadow natural no fragrance", + "rose gold colored eyes shadow", + "long lasting eye shadow natural no perfume", + "long lasting eye shadow with natural ingredients" + ], + "for living room i need brushed nickel finish table lamp in black hardback shade. it should be a set of two and should include wifi smart socket.": [ + "table lamp in black hardback shade", + "table lamp with wifi smart socket", + "tablet lamp in black hardback shade", + "brushed nickel finish table lamp", + "table lamp in black hardback", + "buffet nickel finish table lamp", + "table lamp brushed nickel finish", + "table lamp brushed nickel finish in black hardback", + "table lamp in black", + "table lamp black" + ], + "can you direct me to an office desk that's easy to assemble and the size is 40x24? thank you": [ + "office desk that is easy to assemble 40x24", + "office desk 40x24", + "office desk that is easy to assemble", + "office desk size 40x24", + "office desk easy to assemble 40x24", + "office desk that is easy to assemble under 40x24", + "easy assemble office desk 40x24", + "office desk that is easy to assemble, 40x24", + "office desk, easy to assemble, 40x24", + "office desk, easy to assemble and under 40x24" + ], + "am trying to find an easy install floor lamps with shelves tropical green palm leaves, color 1": [ + "floor lamps with shelves tropical green palm leaves color 1", + "floor lamps with shelves tropical green palm", + "floor lamps with shelves tropical green palm leaves", + "easy install floor lamps with shelves tropical green palm leaves", + "floor lamp with shelves tropical green palm leaves color 1", + "easy install floor lamps with shelves tropical green palm", + "floor lamps with shelves tropical green", + "floor lamps with shelves tropical green pomegranate", + "floor lamp with shelves tropical green palm leaves", + "floor lamp with shelves tropical green palm" + ], + "i would like a 32 inch light good mirror that is wall mounted.": [ + "32 inch light good mirror", + "32 inch light good mirror wall mounted", + "floor mounted 32 inch light good mirror", + "32 inch wall mounted light good mirror", + "32 inch light good mirror, wall mounted", + "32 inch light good mirror with wall mounted", + " 32 inch light good mirror", + "window mirror 32 inches wall mounted", + "32 inch light good mirror under $50", + "32 inch light good mirror under $40" + ], + "i am looking for an easy to use facial cleaning brush that is high quality and double sided.": [ + "easy to use facial cleaning brush", + "easy to use facial cleaning brush, double sided", + "easy-to-use facial cleaning brush", + "easy to use facial cleaning brush with double sided", + "easy to use facial cleaning brush with high quality", + "easy to use facial cleaning brush under $40", + "easy to use facial cleaning brush under $50", + "simple to use facial cleaning brush", + "easy clean facial cleaning brush", + "5 ft facial cleaning brush" + ], + "i would like a 20 foot long 4 pack of gold plated hdmi male to male cables.": [ + "20 foot long 4 pack of gold plated hdmi male to male cables", + " 20 foot long 4 pack of gold plated hdmi male to male cables", + "19 foot long 4 pack of gold plated hdmi male to male cables", + "20 foot long 4 pack of gold plated hdmi men to male cables", + "28 foot long 4 pack of gold plated hdmi male to male cables", + "20 foot long 4 pack of gold plated hdmi", + "23 foot long 4 pack of gold plated hdmi male to male cables", + "20 foot long 4 pack of gold plated hdmi cable", + "23 pack of gold plated hdmi male to male cables", + "gold plated hdmi male to male cables 20 foot long" + ], + "i am looking for 3 feet (5 pack) size high speed hdmi cable.": [ + "3 feet (5 pack) size high speed hdmi cable", + "3 feet (5 pack) high speed hdmi cable", + "3 feet (5 pack) hdmi cable", + "3 foot (5 pack) size high speed hdmi cable", + "3 ft (5 pack) size high speed hdmi cable", + "3 feet (5 pack) size hdmi cable", + "3 feet high speed hdmi cable", + "3 feet (5 pack) long speed hdmi cable", + "3 feet (5 pack) high speed hdmi cable.", + "3 foot high speed hdmi cable" + ], + "i would like to buy a 5x5 feet easy to clean grass mat for the lawn which is eco friendly.": [ + "5x5 feet easy to clean grass mat", + "5 x5 feet easy to clean grass mat", + "5x5 easy to clean grass mat for the lawn", + "5x5 foot easy to clean grass mat", + "5x5 grass mat for the lawn", + "5x5 grass mat for the lawn eco friendly", + "5x5 clean grass mat for the lawn", + "5x5 feet easy to clean grass mat for lawn", + "easy to clean grass mat for the lawn", + "5x5 grass mat" + ], + "i want to find a 4 x 50 foot artificial glass turf that is easy to clean.": [ + "4 x 50 foot artificial glass turf", + "4 x 50 foot artificial glass turf easy to clean", + "4 x 50 foot artificial glass turf under $50", + "4 x 50 foot artificial glass turf under $40", + "4 x 50 foot artificial glass turf under $60", + "4 x 50 foot artificial glass turf under $120", + "industrial glass turf 4 x 50 foot", + "4 x 50 foot artificial glass turf under 50 dollars", + "industrial glass turf that is easy to clean", + "4 x 50 foot artificial glass turf clean" + ], + "i am interested in buying brownies which are plant based and gluten free, with a 4 flavor variety pack, and come in pack of 8 of 1.9 ounce.": [ + "plant based gluten free brownies pack of 8 of 1.9 ounce", + "plant based and gluten free brownies pack of 8 of 1.9 ounce", + "plant based and gluten free brownies, pack of 8 of 1.9 ounce", + "plant based gluten free brownies pack 8 of 1.9 ounce", + "plant based gluten free brownies, pack of 8 of 1.9 ounce", + "plant based gluten free brownies pack of 8 of 1.9 ounce pack", + "plant based gluten free brownies pack of 8 of 1.9 oz", + "plant based and gluten free brownies pack of 8 of 1.9 ounce pack", + "plant based and gluten free brownies pack of 8 of 1.9 ounce.", + "plant based gluten free brownies pack of 8 pack" + ], + "i need closed toe flats that are red in a size 5.5": [ + "red closed toe flats in a size 5.5", + "red closed toe flats", + "red closed toe flats size 5.5", + "red closed toe flats, size 5.5", + "red closed toe flats that are red", + "red closed toe flats 5.5", + "closed toe flats red size 5.5", + "red closed toe flats a size 5.5", + "red closed toe flats, size 5.5,", + "red closed toe flats that are red 5.5" + ], + "i need a 3x-large porg star wars t-shirt with charcoal heather 070": [ + "3xl porg star wars t-shirt with charcoal heather 070", + "3xl porg star wars t-shirt with charcoal heather", + "3xl porg star wars t-shirt", + "3xl porg star wars t-shirt with charcoal heather under $40", + "3xl porg star wars t-shirt with charcoal heather below $40", + "3x-large porg star wars t-shirt with charcoal heather 070", + "3xl porg star wars t-shirt with charcoal heather under $60", + "3xl porg star wars t-shirt, charcoal heather 070", + "3xl porg star wars t-shirt with charcoal heather below $60", + "3xl porg star wars t-shirt with charcoal heather under $50" + ], + "i would like a navy men's classic fit cami.": [ + "navy mens classic fit cami", + "navy mens classic fit cami.", + "navy mens classic fit cami under $40", + "navy mens classic fit cami under $50", + "navy mens classic fit cami under $60", + "navy mens classic fit cami under 30 dollars", + "navy mens classic fit cami under 50 dollars", + "navy mens classic fit cami under 40 dollars", + "navy mens classic fit cami under 60 dollars", + " navy mens classic fit cami." + ], + "i'm looking for a rejuvenating oil serum for damaged hair": [ + " rejuvenating oil serum for damaged hair", + "rejuvenating oil serum for damaged hair", + "juvenating oil serum for damaged hair", + "jeans rejuvenating oil serum for damaged hair", + "veganating oil serum for damaged hair", + "a rejuvenating oil serum for damaged hair", + "rejuvenating oil serum for damaged air", + "rejuvenating oil serum for damaged hair under $40", + " rejuvenating oil serum for damaged hair under $40", + " rejuvenating oil serum for damaged hair under $50" + ], + "i want 4 pack of old fashioned sophia italian crackers.": [ + "4 pack of old fashioned sophia italian crackers", + "4 pack old fashioned sophia italian crackers", + "4 pack of old fashioned sophia italian crackers.", + "4 pack old fashioned sophia italian crackers under $40", + "4 pack old fashioned sophia italian crackers under $60", + "4 pack old fashioned sophia italian crackers under 40 dollars", + "4 pack old fashioned sophia italian crackers.", + "old fashioned sophia italian crackers 4 pack", + "old fashioned sophia italian crackers", + "kids crackers 4 pack" + ], + "i need a machine washable decorative elastic edged square fitted tablecloth fit for square table 42\"x42\"": [ + "machine washable decorative elastic edged square fitted tablecloth", + "machine washable decorative elastic edged square fitted tablecloth size 42x42", + "machine washable decorative elastic edged square fitted tablecloth under $40", + "machine washable decorative elastic edged square fitted tablecloth, 42x42", + "machine washable decorative elastic edged square fitted tablecloth under 50 dollars", + "machine washable decorative elastic edged square fitted tablecloth under $50", + "tablecloth fit for square table 42x42", + "machine washable decorative elastic edged square fitted tablecloth fit for square table", + "machine washable decorative tablecloth 42x42", + "tablecloth size 42x42" + ], + "i am looking glitter eyeshadow long lasting easy apply color #15": [ + "glitter eyeshadow long lasting easy apply color #15", + "glitter eyeshadow long lasting easy apply", + "glitter eyeshadow long lasting easy apply color", + " glitter eyeshadow long lasting easy apply color #15", + "glitter eyeshadow long lasting easy apply ", + " glitter eyeshadow long lasting easy apply color #15", + " glitter eyeshadow long lasting easy apply", + "glitter eyeshadow long lasting easy apply color", + "glitter eyeshadow long lasting easy apply colored #15", + "glitter eyeshadow color #15" + ], + "i am interested in acquiring a mattress which is fully assembled and of high density, and it should be only mattress in twin style.": [ + "living room mattress in twin style", + "single bed mattress in twin style", + "manual mattress in twin style", + "dual bed mattress", + "living room mattress", + "twin bed mattress", + "stainless mattress", + "single bed mattress", + "sneakers", + "sneakers for mattress" + ], + "i need a storage case for false teeth. make sure that it is leak proof.": [ + "storage case for false teeth", + "storage case for false teeth, leak proof", + "storage case for false teeth under $50", + "storage case for false teeth under $40", + "storage case for false teeth under $60", + "storage case for false teeth under $130", + "storage case for false teeth under $120", + "storage case for false teeth leak proof", + "storage case for false teeth.", + "storage case for false teeth," + ], + "i am looking for contemporary design privacy protected panel for living room, its size should be 52\" wide by 90\" length": [ + "contemporary design privacy protected panel for living room", + "contemporary design privacy protected panel for living room 52 wide by 90 length", + "contemporary design privacy protected panel for living room with a size 52 wide by 90 length", + "contemporary design privacy protected panel for living room 52 wide by 90 length", + "contemporary design privacy protected panel for living room with 52 wide by 90 length", + "contemporary design privacy protected panel for living room that should be 52 wide by 90 length", + "contemporary design privacy protected panel for living room with a 52 wide by 90 length", + "contemporary design privacy protected panel", + "contemporary design privacy protected panel, 52 wide by 90 length", + "living room design privacy protected panel 52 wide by 90 length" + ], + "i am looking for a lavender scented foot peel mask suitable for dry skin which removes dead skin and fine lines.": [ + "pink scented foot peel mask for dry skin with dead skin and fine lines", + "pink foot peel mask suitable for dry skin with dead skin and fine lines", + "pink foot peel mask for dry skin with dead skin and fine lines", + "lip peel mask for dry skin with dead skin and fine lines", + "pink scented foot peel mask for dry skin with dead skin", + "lavender scented foot peel mask for dry skin with dead skin", + "a lavender scented foot peel mask suitable for dry skin with dead skin", + "lip peel mask for dry skin with dead skin", + "l lavender scented foot peel mask", + "lip peel mask for dry skin" + ], + "i am looking for a large women's long sleeve tunic with pockets and is machine washable.": [ + "womens long sleeve tunic with pockets", + "large womens long sleeve tunic with pockets", + "large womens long sleeve tunic", + "womens long sleeve tunic", + "womens long sleeve tunic with pocket", + "large womens long sleeve tunic with pocket", + "large womens long sleeve tunic that is machine washable", + "womens long sleeve tunic that is machine washable", + "large womens long sleeve tunic, machine washable", + "mens long sleeve tunic" + ], + "i am looking for x-large navy color lion king jungle trio graphic machine wash t-shirt for men": [ + "x-large navy color lion king jungle trio graphic machine wash t-shirt for men", + " x-large navy color lion king jungle trio graphic machine wash t-shirt for men", + "xl navy color lion king jungle trio graphic machine wash t-shirt for men", + "x-large navy color lion king jungle trio graphic machine wash t-shirt", + "xxl navy color lion king jungle trio graphic machine wash t-shirt for men", + " x-large navy color lion king jungle trio graphic machine wash t-shirt", + "xl navy color lion king jungle trio graphic machine wash t-shirt", + "x-large navy color lion king Jungle trio graphic machine wash t-shirt for men", + "xxl navy color lion king jungle trio graphic machine wash t-shirt", + "y-large navy color lion king jungle trio graphic machine wash t-shirt for men" + ], + "i need a fragrance free facial wash": [ + "synthetic free facial wash", + "scent free facial wash", + "facial wash fragrance free", + "beauty free facial wash", + "compose free facial wash", + "silky free facial wash", + "facial wash", + "vegan facial wash", + "vegan facial wash fragrance free", + "shampoo fragrance free" + ], + "i'm looking for hollister festival nite men spray.": [ + "hollister festival nite men spray", + "hollister festival nite men spray.", + " hollister festival nite men spray", + "tv hollister festival nite men spray", + "hollister festival nite men spray hollister", + "i hollister festival nite men spray.", + "mens spray hollister festival nite men spray", + "hollister festival nite men spray below $40", + "hollister festival nite men spray below $50", + "hollister festival nite men spray under $40" + ], + "i need a wall mounted white coat hook": [ + "wall mounted white coat hook", + "wall mounted white coat hook, less then $40", + "wall mounted white coat hook,", + "wall mounted white coat hook, less then $60", + "wall mounted white coat hook, less than $40", + "wall mounted white coat hook under $40", + "womens white coat hook", + "wall mounted white coat hook under $50", + "wall mounted white coat hook for white coat", + " wall mounted white coat hook" + ], + "i want to buy medium sized hand washable casual trousers which can be used for daily wear.": [ + "medium sized hand washable casual trousers", + "medium size hand washable casual trousers", + "large sized hand washable casual trousers", + "hand washable casual trousers", + "medium sashable casual trousers", + "medium washable casual trousers", + "medium sized hand washable jeans", + "medium sized hand washable casual", + "medium t-shirt", + "medium sized walking shoes" + ], + "i would like a sparkling dry moscato that is non alcoholic.": [ + "non alcoholic moscato", + "non alcoholic sparkling dry moscato", + "brink dry moscato non alcoholic", + "curtains dry moscato", + "sugar dry moscato non alcoholic", + "living water moscato non alcoholic", + "non alcoholic moscato under $40", + "living wine moscato non alcoholic", + "non alcoholic moscato under $50", + "sugar dry moscato" + ], + "i want a modern home luxe spyder height adjustable bar stool.": [ + "modern home luxe spyder height adjustable bar stool", + "modern home luxe spyder height adjustable bar stool.", + "living room luxe spyder height adjustable bar stool", + " modern home luxe spyder height adjustable bar stool", + "living room luxe spyder height adjustable bar stool.", + "a modern home luxe spyder height adjustable bar stool", + "modern home luxe spyder height adjustable bar stool,", + " modern home luxe spyder height adjustable bar stool.", + "Modern home luxe spyder height adjustable bar stool", + "home luxe spyder height adjustable bar stool" + ], + "i want a small sized t-shirt that has long sleeves. it is for a teenage girl.": [ + "small t-shirt with long sleeves", + "small t-shirt that has long sleeves", + "small t-shirt", + "small t-shirt for a teenage girl", + "small t-shirt long sleeves", + "small t-shirt with long sleeves for teenage girl", + "small t-shirt, long sleeves", + "small t-shirt with long sleeves under $50", + "small t-shirt with long sleeves under $40", + "small t-shirt, long sleeves, teenage girl" + ], + "i'm looking for long sleeve open front chunky knit draped sweaters.": [ + "long sleeve open front chunky knit draped sweaters", + "short sleeve open front chunky knit draped sweaters", + "long sleeve open front chunky knit draped sweaters.", + "long sleeve open front chunky knit draped sweaters under $40", + "long sleeve open front chunky knit draped sweaters under $50", + "shoes long sleeve open front chunky knit draped sweaters", + "long sleeve open front chunky knit draped sweaters under $60", + "lens open front chunky knit draped sweaters", + "womens long sleeve open front chunky knit draped sweaters", + "long sleeve open front chunky knit draped sweaters under 50 dollars" + ], + "i am looking for a pink colored body brush with long handle. it should suit my sensitive skin.": [ + "pink colored body brush with long handle", + "pink colored body brush with long handle for sensitive skin", + "pink colored body brush with long handle, sensitive skin", + "pink colored body brush", + "pink colored body brush, long handle, sensitive skin", + "pink colored body brush, long handle", + "pink colored body brush with long handle sensitive skin", + "pink colored body brush with long handle sensitive skin", + "pink colored body brush for sensitive skin", + "pink colored body brush with long handle, sensitive" + ], + "i am looking for a canvas giclee print art suitable for my living room . and i choose the 28\"x40\" size": [ + "28x40 canvas giclee print art", + "23x40 canvas giclee print art", + "27x40 canvas giclee print art", + "24x40 canvas giclee print art", + "portrait giclee print art 28x40", + "a canvas giclee print art 28x40 size", + "giclee print art 28x40", + "a canvas giclee print art 28x40", + "portrait giclee print art 28x40 size", + "art 28x40" + ], + "i am looking for a oil free face wash": [ + "oil free face wash", + "an oil free face wash", + "moisturizing face wash", + "vegan face wash oil free", + "oil free face wash under $40", + "oil free face wash under $50", + "toothpaste oil free face wash", + "toothpaste oil free", + "oil free face wash under $60", + "vegan face wash" + ], + "i'm looking for a heavy duty wall mountable projection screen with ultra hd resolution. also, choose 16:9, 200\", high contrast material one,": [ + "heavy duty wall mountable projection screen with ultra hd resolution", + "heavy duty wall mountable projection screen", + "large duty wall mountable projection screen with ultra hd resolution", + "low duty wall mountable projection screen with ultra hd resolution", + "living room wall mountable projection screen with ultra hd resolution", + "heavy duty wall mountable projection screen with ultra hd resolution.", + "wall mountable projection screen with ultra hd resolution", + "projection screen with ultra hd resolution", + "projection screen 16:9, 200 high contrast material", + "heavy duty wall mountable projection screen with ultra hd resolution," + ], + "i would like two 100 foot long gold plated hdmi male to male cables.": [ + "two 100 foot long gold plated hdmi male to male cables", + "2 100 foot long gold plated hdmi male to male cables", + "two 100 foot long gold plated hdmi male to male cable", + "two 100 foot long gold plated hdmi men to male cables", + "2100 foot long gold plated hdmi male to male cables", + "2 gold plated hdmi male to male cables", + "womens gold plated hdmi male to male cables", + "two 100 foot long gold plated hdmi cable", + "gold plated hdmi male to male cables", + "two 100 foot long gold plated hdmi" + ], + "i am looking for a high speed male to female hdmi cable.": [ + "high speed male to female hdmi cable", + "low speed male to female hdmi cable", + "high speed male to female hdmi cable.", + "high speed male to female hdmi cable,", + "womens to female hdmi cable", + "mens to female hdmi cable", + "mens to female hdmi cable high speed", + "tv hdmi cable high speed", + "high speed female hdmi cable", + "hdmi cable high speed" + ], + "i need a high speed hdmi male to female gold plated cable.": [ + "high speed hdmi male to female gold plated cable", + "hdmi male to female gold plated cable", + "low speed hdmi male to female gold plated cable", + "tv hdmi male to female gold plated cable", + "hdmi male to female gold plated cable", + " hdmi male to female gold plated cable", + "dhmi male to female gold plated cable", + "gmo male to female gold plated cable", + "high speed hdmi female gold plated cable", + "hdmi male to female gold plated cable." + ], + "i am looking for brown color, sleeveless polyester cotton jumpsuit and size is large": [ + "brown sleeveless polyester cotton jumpsuit", + "brown sleeveless polyester cotton jumpsuit size is large", + "brown sleeveless polyester cotton jumpsuit that is large", + "brown sleeveless polyester cotton jumpsuit in a large", + "brown sleeveless polyester cotton jumpsuit large", + "brown sleeveless polyester cotton jumpsuit, large", + "large brown sleeveless polyester cotton jumpsuit", + "brown sleeveless polyester cotton jumpsuit large", + "brown s sleeveless polyester cotton jumpsuit", + "brown cotton jumpsuit that is large" + ], + "i would like some aluminum alloy binoculars.": [ + "aluminum alloy binoculars", + "aluminum alloy binoculars.", + "aluminum alloy binoculars under $50", + "aluminum alloy binoculars under $40", + "aluminum alloy binoculars under $60", + "aluminum alloy binoculars under $130", + "aluminum alloy binoculars under $120", + "aluminum alloy binoculars,", + "uminum alloy binoculars", + " aluminum alloy binoculars" + ], + "i would like 30 x 30 x 46 cm blue ottoman with a solid wood frame.": [ + "30 x 30 x 46 cm blue ottoman", + "blue ottoman with a solid wood frame", + "blue ottoman 30 x 30 x 46 cm", + "28 x 30 x 46 cm blue ottoman", + "womens blue ottoman with a solid wood frame", + "30 x 30 x 46 cm blue ottoman wood frame", + "blue ottoman with solid wood frame", + "30 x 30 x 46 cm blue ottoman under $50", + "30 x 30 x 46 cm blue ottoman under $40", + "blue ottoman" + ], + "i can't find this product, please help! smart remote control, htt381 htct380 htct381 remote control replacement for office with batteries included asap, i'm waiting for your reply in minutes": [ + "smart remote control htct380 with batteries", + "smart remote control htct380", + "smart remote control, htt381 htct380", + "smart remote control for office with batteries", + "htct380 htct381 remote control", + "htct380 htct381 remote control replacement", + "smart remote control with batteries", + "smart remote control htct381 with batteries", + "smart remote control htct380 with batteries in minutes", + "smart remote control for office" + ], + "i am looking for low sugar, low calorie, gmo free, gluten free , soy free , vanilla caramel protein bars": [ + "low sugar low calorie gmo free, gluten free , vanilla caramel protein bar", + "low sugar, low calorie gmo free, gluten free , vanilla caramel protein bar", + "low sugar low calorie gmo free, gluten free , vanilla caramel protein bars", + "low sugar, low calorie gmo free, gluten free , vanilla caramel protein bars", + "low sugar low calorie, gmo free, gluten free , vanilla caramel protein bar", + "low sugar low calorie gmo free, gluten free, vanilla caramel protein bar", + "low sugar low calorie gmo free, gluten free, vanilla caramel protein bars", + "low sugar low calorie, gmo free, gluten free , vanilla caramel protein bars", + "low sugar, low calorie gmo free, gluten free, vanilla caramel protein bars", + "low sugar, low calorie gmo free, gluten free, vanilla caramel protein bar" + ], + "i want an army green modos logicos case for apple phones.": [ + " army green modos logicos case for apple phones", + " army green modos case for apple phones", + "Army green modos logicos case for apple phones", + "antarmos logicos case for apple phones", + "alarm green modos case for apple phones", + "argo green modos case for apple phones", + "Army green modos case for apple phones", + "argos logicos case for apple phones", + " army green modos case for apple phones.", + "argo green modos case for apple phones." + ], + "i want a maui moisture shine conditioner for dry hair.": [ + "mensai moisture shine conditioner for dry hair", + "mensile shine conditioner for dry hair", + "mensai moisture shine conditioner for dry hair.", + "mensl shine conditioner for dry hair", + "maui moisture shine conditioner for dry hair", + "mensu moisture shine conditioner for dry hair", + "mensile shine conditioner for dry hair.", + "mensa moisture shine conditioner for dry hair", + "mensu moisture shine conditioner for dry hair.", + "mensual shine conditioner for dry hair" + ], + "i want a stereo sound wired gaming headset.": [ + "stereo sound wired gaming headset", + "sound wired gaming headset", + "slimming wired gaming headset", + "stereo sound wired gaming headset.", + "stainless sound wired gaming headset", + "stereo sound gaming headset", + "a stereo sound wired gaming headset", + "stainless sound gaming headset", + "sneakers for gaming headset", + "sportable gaming headset" + ], + "i want a white amanti wall mounted mirror.": [ + "white amanti wall mounted mirror", + "white amanti wall mounted mirror.", + "white amanti wall mounted mirror under $50", + "white amanti wall mounted mirror under $40", + "white amanti wall mounted mirror under $60", + "white amanti wall mounted mirror under 30 dollars", + "white amanti wall mounted mirror,", + "white amanti wall mounted mirror under 50 dollars", + "white amanti wall mounted mirror below $50", + "white amanti wall mounted mirror under $120" + ], + "i would like to buy a peach high 490 colored long lasting lipstick.": [ + "pink high 490 colored long lasting lipstick", + "chocolate high 490 colored long lasting lipstick", + "teeth high 490 colored long lasting lipstick", + "peach high 490 colored long lasting lipstick", + "a peach high 490 colored long lasting lipstick", + "pink long lasting lipstick", + "pink high 490 colored long lasting lipstick.", + "pink high 490 long lasting lipstick", + "pink high 490 colored long lasting lipstick,", + "a peach high 490 colored long lasting lipstick." + ], + "i am looking for a high definition binoculars & scopes": [ + "high definition binoculars & scopes", + " binoculars & scopes high definition", + "high definition binoculars and scopes", + " binoculars & scopes", + " binoculars & scopes that are high definition", + " binoculars and scopes high definition", + "low definition binoculars & scopes", + " binoculars and scopes", + "high definition binoculars", + " binoculars" + ], + "i need a high heel sandal of size 6.5\"": [ + "high heel sandal of size 6.5", + "high heel sandal size 6.5", + "high heel sandal in size 6.5", + "high heel sandal, size 6.5", + "high heel sandal in a size 6.5", + "high heel sandal of size 6.5,", + "low heel sandal of size 6.5", + "high heel sandal that is size 6.5", + "high heel sandal", + "high heel sandal 6.5" + ], + "i need a yellow colored slim fit t-shirt that has short sleeves.": [ + "yellow slim fit t-shirt with short sleeves", + "yellow slim fit t-shirt", + "yellow slim fit t-shirt short sleeves", + "yellow slim fit t-shirt, short sleeves", + "yellow slim fit t-shirt long sleeves", + "yellow slim fit t-shirt under $40", + "yellow slim fit t-shirt under $50", + "yellow slim fit t-shirt in short sleeves", + "yellow slim fit t-shirt under 50 dollars", + "yellow t-shirt with short sleeves" + ], + "i am looking for an easy to install high speed 4g lte signal booster.": [ + "4g lte signal booster", + "5g lte signal booster", + "4g lte signal booster easy to install", + "4g lte signal booster, easy to install", + "easy to install 4g lte signal booster", + "4g lte signal booster under $40", + "high speed 4g lte signal booster", + "4g lte signal booster under $60", + "4g lte signal booster under $50", + "3g lte signal booster" + ], + "i am looking for contemporary design polyester fabric storage ottoman bench with legs in white color": [ + "contemporary design polyester fabric storage ottoman bench with legs in white", + "contemporary design polyester fabric storage ottoman bench", + "contemporary design polyester fabric storage ottoman bench with legs", + "compact design polyester fabric storage ottoman bench with legs in white", + "contemporary design polyester fabric storage ottoman bench, legs in white", + "a contemporary design polyester fabric storage ottoman bench with legs in white", + "contemporary design polyester fabric storage ottoman bench in white", + "living room design polyester fabric storage ottoman bench with legs in white", + "contemporary design polyester fabric storage ottoman bench with legs white", + "contemporary design polyester fabric storage ottoman bench with legs, white" + ], + "i want to buy a folding storage box ottoman which i can easily install and has faux leather, the size of it should be 60x40x40cm.": [ + "womens storage box ottoman 60x40x40cm", + "folding storage box ottoman 60x40x40cm", + "faux leather folding storage box ottoman", + "folding storage box ottoman, 60x40x40cm", + "50x40x40cm folding storage box ottoman", + "40 x40x40cm folding storage box ottoman", + "faux leather folding storage box ottoman that i can easily install", + "faux leather folding storage box ottoman 60x40x40", + "womens storage box ottoman 60x40x40", + "womens storage box ottoman" + ], + "i am looking for low calorie, gluten free protein smoothie squeeze pouch of variety pack with all five flavors, 4.5 ounce (pack of 9)": [ + "low calorie, gluten free protein smoothie squeeze pouch, 4.5 ounce (pack of 9)", + "low calorie, gluten free protein smoothie squeeze pouch 4.5 ounce (pack of 9)", + "low calorie, gluten free protein smoothie squeeze pouch of variety pack", + "low calorie gluten free protein smoothie squeeze pouch 4.5 ounce (pack of 9)", + "low calorie gluten free protein smoothie squeeze pouch, 4.5 ounce (pack of 9)", + "low calorie, gluten free protein smoothie squeeze pouch, 4.5 ounce (pack of 9),", + "low calorie, gluten free protein smoothie squeeze pouch 5.5 ounce (pack of 9)", + "low calorie gluten free protein smoothie squeeze pouch of variety pack", + "low calorie, gluten free protein smoothie squeeze pouch", + "low calorie, gluten free protein smoothie squeeze pouch of variety pack with all five flavors" + ], + "i ma interested in buying a pack of 6, gluten free chocolate gems.": [ + "pack of 6 gluten free chocolate gems", + "gluten free chocolate gems pack of 6", + "pack of 6, gluten free chocolate gems", + "pack of 6 gluten free chocolate gems.", + "bag of 6 gluten free chocolate gems", + "pack of six gluten free chocolate gems", + "gluten free chocolate gems pack", + "pack of 6 gluten free chocolate gems,", + "pack of 6 gluten free chocolate gem", + "6 gluten free chocolate gems" + ], + "i am looking for a hair scalp brush that stimulates hair growth and exfoliates dandruff.": [ + "hair scalp brush that stimulates hair growth and exfoliates dandruff", + "hair scalp brush with exfoliates dandruff", + "toothbrush that stimulates hair growth and exfoliates dandruff", + "hair scalp brush, stimulates hair growth and exfoliates dandruff", + "hair scalp brush that stimulates hair growth exfoliates dandruff", + "hair scalp brush that stimulates hair growth with exfoliates dandruff", + "shampoo brush that stimulates hair growth and exfoliates dandruff", + "hair scalp brush that stimulates hair growth, exfoliates dandruff", + "hair scalp brush with exfoliating dandruff", + "hair scalp brush that stimulates hair growth" + ], + "i need a 15 feet coaxial cable that is compatible with apple tv.": [ + "15 feet coaxial cable", + "15 feet coaxial cable for apple tv", + "15 feet coaxial cable compatible with apple tv", + "15 feet coaxial cable, compatible with apple tv", + "15 feet coaxial cable with apple tv", + "15 feet coaxial cable compatible with apple tv.", + "15 feet coaxial cable apple tv", + "15 feet coaxial cable under $60", + "15 feet coaxial cable under $40", + "15 foot coaxial cable" + ], + "i would like a cosmetic case for my nail polish.": [ + "beauty case for nail polish", + " cosmetic case for my nail polish", + " cosmetic case for nail polish", + "cl cosmetic case for nail polish", + "nail polish cosmetic case", + "clothing case for nail polish", + "beautiful case for nail polish", + "nude polish cosmetic case", + "beauty case", + "nude polish case" + ], + "i am looking for a white platform bed that is easy to assemble.": [ + "white platform bed", + "white platform bed easy to assemble", + "white platform bed, easy to assemble", + "white platform bed easy assemble", + "white platform bed, easy assemble", + "white platform bed with easy assemble", + "white platform bed easy to assemble.", + "white platform bed that is easy assemble", + "white platform bed under $40", + "easy assemble white platform bed" + ], + "i need some kosher sea salt": [ + "kosher sea salt", + "vegan sea salt", + "cruelty sea salt", + "sea salt", + "casual sea salt", + "clinically salt sea salt", + "cl kosher sea salt", + "clinic sea salt", + "clothing sea salt", + "vegan sea salt, kosher" + ], + "i am looking for a purple toiletry bag that is water resistant": [ + "pink toiletry bag that is water resistant", + "plastic toiletry bag that is water resistant", + "pink bathroomry bag that is water resistant", + "pink toiletry bag, water resistant", + "pink toiletry bag water resistant", + "pink toiletry bag", + "toothpaste bag that is water resistant", + "pink toiletry bag with water resistant", + "green toiletry bag that is water resistant", + "pink toiletry bag under $40" + ], + "i would like a b type vr headset that has aaa batteries included.": [ + "b type vr headset with aaa batteries", + "b type vr headset that has aaa batteries", + " b type vr headset with aaa batteries", + "aaa batteries b type vr headset", + "usb type vr headset with aaa batteries", + "bb type vr headset with aaa batteries", + "b type vr headset, with aaa batteries", + "b type vr headset", + "aaa batteries for b type vr headset", + "bar type vr headset with aaa batteries" + ], + "search for unsalted pretzels that are individually wrapped. it should also be shelf stable.": [ + "unsalted pretzels that are individually wrapped. it should also be shelf stable.", + "packaged pretzels that are individually wrapped. it should also be shelf stable.", + " unsalted pretzels that are individually wrapped. it should also be shelf stable.", + "salted pretzels that are individually wrapped. it should also be shelf stable.", + "unsalted pretzels that are individually wrapped", + "packet stable unsalted pretzels that are individually wrapped", + "packaged pretzels that are individually wrapped", + "packet stable unsalted pretzels under $40", + "salted pretzels that are individually wrapped", + "an unsalted pretzels that are individually wrapped" + ], + "i need some unsalted pretzels that are individually wrapped in a pack of 25.": [ + " unsalted pretzels pack of 25", + "unsalted pretzels pack of 25", + "sugar pretzels pack of 25", + "pack of 25 unsalted pretzels", + "pack of 25 unsalted pretzels pack of 25", + "pack of 25 unsalted pretzels under $40", + "pack of 25 unsalted pretzels under $60", + "unsalted pretzels 25 pack", + " unsalted pretzels 25 pack", + "pack of 25 unsalted pretzels pack of 25." + ], + "i would like a two pack of tempered glass screen protectors": [ + "two pack of tempered glass screen protectors", + "two pack tempered glass screen protectors", + "tempered glass screen protectors two pack", + "tempered glass screen protectors", + "two pack of tempered glass screen protectionors", + "2 pack of tempered glass screen protectors", + "two pack of tempered glass screen protector", + "one pack of tempered glass screen protectors", + "glass screen protectors two pack", + "two pack glass screen protectors" + ], + "i need an all-in-one cleanser that is dermatologist tested.": [ + "all-in-one cleanser dermatologist tested", + "dental cleanser that is dermatologist tested", + "All-in-one cleanser dermatologist tested", + "dental cleanser dermatologist tested", + "an all-in-one cleanser dermatologist tested", + "dermatologist tested cleanser", + "dermatologist tested cleanser that is dermatologist tested", + "natural cleanser dermatologist tested", + "hair cleanser dermatologist tested", + "all-in-one cleanser dermatologist tested." + ], + "i am looking for some gluten free pudina party flavored puffed snacks.": [ + "gluten free pudina party flavored puffed snacks", + "pudina party flavored puffed snacks", + "pudina party flavored puffed snacks gluten free", + "gluten free pudina party flavored puffed snacks.", + "pudina party flavored puffed snacks that are gluten free", + "gmo pudina party flavored puffed snacks", + "pudina party flavored puffed snacks.", + "gluten-free pudina party flavored puffed snacks", + "pudina party flavored puffed snacks under $40", + "gluten free pudina puffed snacks" + ], + "i am looking for a pair of women's size 11 sandals with arch support.": [ + "womens size 11 sandals with arch support", + "womens size 11 sandals", + "womens size 11 sandals arch support", + "womens size 11 sandals, arch support", + "mens size 11 sandals with arch support", + "womens size 11 sandals that arch support", + "womens size 11 sandals no arch support", + "size 11 sandals with arch support", + "womens sandals with arch support", + "woman size 11 sandals with arch support" + ], + "i would like a 24 inch dark blonde mix hair extension.": [ + "24 inch dark blonde mix hair extension", + "23 inch dark blonde mix hair extension", + "hair extension 24 inches dark blonde", + "25 inch dark blonde mix hair extension", + " 24 inch dark blonde mix hair extension", + "hair extension 24 inch dark blonde", + "hair extension 24 inches dark", + "24 inches dark blonde mix hair extension", + "hair extension 24 inches long", + "24 inch dark blonde hair extension" + ], + "i am looking for a green colored high definition tablet pc.": [ + "green colored high definition tablet pc", + "green high definition tablet pc", + "green colored high definition tablet pc.", + "green high definition tablet pc.", + "green colored high definition tablet pc under $40", + "green colored high definition tablet pc under $60", + "green colored high definition tablet pc under $120", + "green colored high definition tablet pc under $50", + "green colored high definition tablet pc under $130", + "green colored high definition tablet pc," + ], + "i am looking for golden tooth hygiene kit made up of stainless steel.": [ + "golden tooth hygiene kit made up of stainless steel", + "gluten tooth hygiene kit made up of stainless steel", + "yellow tooth hygiene kit made up of stainless steel", + "goldene tooth hygiene kit made up of stainless steel", + "golden teeth hygiene kit made up of stainless steel", + "golden tooth hygiene kit made up of stainless steel.", + "golden tooth hygiene kit made made up of stainless steel", + "golden tooth hygiene kit made from stainless steel", + " golden tooth hygiene kit made up of stainless steel", + "golden tooth hygiene kit made up of stainless steel," + ], + "i'm looking for a ready to drink protein shake which should be free from gluten and has low sugar and fat. also choose strawberry cream one.": [ + "protein shake free from gluten and strawberry cream", + "protein shake with low sugar and fat", + "protein shake free from gluten", + "protein shake that should be free from gluten", + "protein shake that is free from gluten", + "pomegranate cream protein shake", + "protein shake free from gluten, strawberry cream", + "protein shake no gluten", + "protein shake that is gluten free", + "protein shake that is ready to drink" + ], + "i am interested in a 8 by 6ft digital photography background": [ + "8 by 6ft digital photography background", + "8 x 6ft digital photography background", + "8x6 digital photography background", + "8x6ft digital photography background", + "8\u00d76ft digital photography background", + "digital photography background 8 by 6ft", + "digital photography background 8 x 6ft", + "8x6 photography background", + "8\u00d76 digital photography background", + "8ft digital photography background" + ], + "i am looking for some high quality reusable spray bottles that are easy to clean.": [ + "easy clean reusable spray bottles", + "easy to clean reusable spray bottles", + "spray bottles that are easy to clean", + "low quality reusable spray bottles", + "high quality reusable spray bottles", + "easy clean reusable spray bottles under $40", + "easy clean reusable spray bottles under $50", + "easy clean reusable spray bottles under $60", + "easy clean, reusable spray bottles", + "easy clean and reusable spray bottles" + ], + "i want 24\" x 24\" pink purple throw pillow cover for living room sofa": [ + "24 x 24 pink throw pillow cover for living room sofa", + "24 x 24 pink pill pillow cover for living room sofa", + "24 x 24 pink throw pillow cover living room sofa", + "24 x 24 pink purple throw pillow cover living room sofa", + "24 x 24 pink pillow cover for living room sofa", + "23 x 24 pink throw pillow cover for living room sofa", + "24 x 24 pink pill pillow cover living room sofa", + "24 x 24 pink throw pillow cover", + "24 x 24 pink purple throw pillow cover", + "24 x 24 pink pill pillow cover" + ], + "i want to find 24x24 inch dark blue decorative pillow covers that i can use in my living room.": [ + "24x24 inch dark blue decorative pillow covers", + "24x24 inch dark blue decorative pillow covers for living room", + "24x24 inch dark blue decorative pillow covers living room", + "23x24 inch dark blue decorative pillow covers", + "24x24 inch dark blue decorative pillow covers, living room", + "24x24 inch dark blue decorative pillow cover", + "23x24 inch dark blue decorative pillow covers for living room", + "24x24 inch dark blue decorative pillow covers,", + "living room 24x24 inch dark blue decorative pillow covers", + "24x24 black decorative pillow covers" + ], + "i want to buy a cabinet which i can put in living room and it's easy to clean, while it's color should be light brown.": [ + "living room cabinet light brown", + "living room cabinet, light brown", + "cabinet light brown", + "tuxedo cabinet light brown", + "living room cabinet with light brown", + "floor cabinet light brown", + "vinyl brown cabinet", + "wood cabinet light brown", + "living room cabinet", + "white cabinet" + ], + "i need wireless bluetooth noise cancelling headphone in black 2 color": [ + "wireless bluetooth noise cancelling headphone in black 2 color", + " wireless bluetooth noise cancelling headphone in black 2 color", + "blue bluetooth noise cancelling headphone in black 2 color", + "blue wireless bluetooth noise cancelling headphone in black 2 color", + "wireless noise cancelling headphone in black 2 color", + "alarm noise cancelling headphone in black 2 color", + "bluetooth noise cancelling headphone in black 2 color", + "wireless bluetooth noise cancelling headphone in black 2", + "womens wireless bluetooth noise cancelling headphone in black", + "womens bluetooth noise cancelling headphone in black 2" + ], + "looking for long-wear eyeliner that is easy to apply also choose barrow street": [ + "long-wear eyeliner that is easy to apply", + "long-wear eyeliner barrow street", + "short-wear eyeliner that is easy to apply", + "long-wear eyeliner for barrow street", + "long-wear eyeliner in barrow street", + "long-wear eyeliner with barrow street", + "lens long-wear barrow street", + "long-wear eyeliner", + "short-wear eyeliner barrow street", + "long-wear eyeliner under $50" + ], + "i want double sided throw pillow cover in blue mustard color.": [ + "double sided throw pillow cover in blue mustard color", + "double sided throw pillow cover in blue mustard", + "single sided throw pillow cover in blue mustard color", + "double sided throw pillow cover, blue mustard color", + "double sided throw pillow cover blue mustard", + "double sided throw pillow cover with blue mustard color", + "double sided throw pillow cover blue mustard color", + "double sided throw pillow cover", + "single sided throw pillow cover in blue mustard", + "double sided throw pillow cover color" + ], + "i need a laptop with intel quad core i5 processor. it should also have 8gb ddr4 ram and 512 gb pcie ssd.": [ + "desktop laptop with intel quad core i5 processor with 8gb ddr4 ram and 512 gb pcie ssd", + "tablet with intel quad core i5 processor with 8gb ddr4 ram and 512 gb pcie ssd", + "desktop laptop with intel quad core i5 processor", + "aluminum laptop with intel quad core i5 processor", + "tablet with intel quad core i5 processor", + " laptop with intel quad core i5 processor", + "laptop with intel quad core i5 processor", + "intel quad core i5 processor", + "dual core i5 processor", + "desktop with intel quad core i5 processor" + ], + "i need black hair cutting shears": [ + "black hair cutting shears", + "hair cutting shears black", + "black hair cutting shears under $50", + "black hair cutting shears under $40", + "black hair cutting shears black", + "black hair cutting shears under $60", + "black hair cutting shears,", + "black hair cutting hears", + "black hair cutting shears that are cutting", + "black human hair cutting shears" + ], + "i'm looking for professional hair cutting barber scissors.": [ + "professional hair cutting barber scissors", + "professional hair cutting barber scissors.", + "professional hair cutting barber scissors under $40", + "professional hair cutting barber scissors under $50", + "professional hair cutting barber scissors under $60", + "professional hair cutting barber scissors, less then $40", + "professional hair cutting barber scissors that are professional", + "professional hair cutting barber scissors under 50 dollars", + "professional hair cutting barber scissors under 30 dollars", + "professional hair cutting barber scissors, less then $60" + ], + "i want to buy a male to male hdmi cable which supports high speed data transfer. it would be good if it is gold plated.": [ + "male to male hdmi cable", + "man to male hdmi cable", + "womens to male hdmi cable", + "Male to male hdmi cable", + "manual to male hdmi cable", + "mens to male hdmi cable", + "mens to male hdmi cable", + "gmo cable male to male", + "pink hdmi cable", + "gmo cable" + ], + "i would like anti-dandruff shampoo that is tea tree.": [ + "anti-dandruff shampoo tea tree", + "anti-dandruff shampoo that is tea tree", + "anti-dandruff shampoo that is tea tree.", + "anti-dandruff shampoo, tea tree", + "anti-dandruff shampoo", + "anti-dandruff shampoo tea tree under $40", + "anti-dandruff shampoo tea tree under $50", + "anti-dandruff shampoo tea tree under $60", + "anti-dandruff shampoo tea tree under 50 dollars", + "anti-dandruff shampoo with tea tree" + ], + "i need memory foam slippers that are black in a size 11-11.5": [ + "memory foam slippers 11-11.5", + "memory foam slippers size 11-11.5", + "memory foam slippers black 11-11.5", + "memory foam slippers 11-11.5 black", + "memory foam slippers black size 11-11.5", + "memory foam slippers size 11-11.5 black", + "memory foam slippers black, 11-11.5", + "memory foam slippers that are black", + "memory foam slippers 11-11.5 in black", + "memory foam slippers black" + ], + "i would like a large champagne colored shower cap for natural hair.": [ + "large champagne colored shower cap for natural hair", + "large champagne colored shower cap for natural hair.", + "small champagne colored shower cap for natural hair", + "large champagne colored shower cap for natural hair,", + "large champagne colored shower cap natural hair", + "large champagne colored shower cap", + "large champagne colored shower cap for natural hair ", + "small champagne colored shower cap for natural hair.", + "mushroom cap for natural hair", + "bathroom cap for natural hair" + ], + "i would like a turquoise makeup crayon that is fragrance free.": [ + "turquoise makeup crayon", + "turquoise makeup crayon fragrance free", + "turquoise makeup crayon, fragrance free", + "turquoise makeup crayon with fragrance free", + "turquoise makeup crayon is fragrance free", + "turquoise makeup crayon in fragrance free", + "turquoise makeup crayon scent free", + "turquoise makeup crayon no fragrance", + "turquoise makeup crayon with fragrance", + "turquoise makeup crayon under $40" + ], + "i would like almond butter that is keto friendly and comes in a gift box": [ + "almond butter keto friendly gift box", + "almond butter keto friendly", + "keto friendly almond butter gift box", + "almond butter gift box keto friendly", + "almond butter keto friendly gifts box", + "almond butter keto friendly gifts", + "almond butter that is keto friendly", + "almond butter gift box", + "keto friendly almond butter", + "almond butter" + ], + "i want a morden art paint throw pillow cover size 20\"*20\" color 02": [ + "mens art paint throw pillow cover size 20*20 color 02", + "mens art paint throw pillow cover 20*20 color 02", + "mens art paint throw pillow cover size 20*20 color", + "mens art throw pillow cover size 20*20 color 02", + "morden art paint throw pillow cover size 20*20", + "mens art paint throw pillow cover 20*20 color", + "mens art painting throw pillow cover size 20*20 color 02", + "mens art paint throw pillow cover size 20*20", + "morden art paint throw pillow cover", + "mens art paint throw pillow cover" + ], + "i need high waisted grey pants.": [ + "high waisted grey pants", + "grey pants high waisted", + "high waisted grey pants.", + "high waisted grey pants under $40", + "high waisted grey pants under $50", + "high waisted grey pants below $50", + "i need high waisted grey pants.", + "grey pants high waisted grey", + "high waisted grey pants under $60", + "high waisted grey pants below $40" + ], + "i am looking for a green tea detox & repair shampoo": [ + "green tea detox & repair shampoo", + "green tea detox and repair shampoo", + "green tea detox & repair shampoo under $40", + "green tea detox & repair shampoo under $50", + "green tea detox & repair shampoo under $60", + "green tea detox & repair shampoo under 50 dollars", + "green tea detox & repair shampoo below $40", + "green tea detox and repair shampoo under $40", + "green tea detox & repair shampoo under 30 dollars", + "green tea detox & repair shampoo," + ], + "i would like a king sized grey umbria daybed with a box spring.": [ + "king sized grey umbria daybed with a box spring", + "king sized grey umbria daybed", + "king sized grey umbria daybed with a box spring.", + "king sized grey umbria daybed with a box spring,", + "king size grey umbria daybed with a box spring", + "king sized grey umbria daybed, with a box spring", + "king sized grey Umbria daybed with a box spring", + "king sized grey umbria daybed, box spring", + "king sized grey umbria daybed with box spring", + "king sized grey umbria daybed box spring" + ], + "i want a white anferstore simple modern coffee table for my living room.": [ + "white anferstore modern coffee table", + "white modern coffee table for living room", + "white anferstore coffee table", + "white anferstore dining room table", + "white anferstore dining table", + "white modern coffee table", + "white coffee table", + "living room white", + "white dining table", + "white" + ], + "get me a ready to eat cheese popcorn bag.": [ + "ready to eat cheese popcorn bag", + "ready to eat cheese popcorn bag.", + "toothpaste cheese popcorn bag", + "te cheese popcorn bag", + "tea popcorn bag ready to eat", + "gluten-free cheese popcorn bag", + "vegan cheese popcorn bag", + "tea popcorn bag", + "teal cheese popcorn bag", + "te cheese popcorn bag." + ], + "i am interested in buying a steel bed frame with memory foam.": [ + "steel bed frame with memory foam", + "brushed bed frame with memory foam", + "steel bed frame with memory foam.", + "teeth frame with memory foam", + "steel bed frame, memory foam", + " steel bed frame with memory foam", + "steel bed frame", + "brittle bed frame with memory foam", + "a steel bed frame with memory foam", + "steel bed frame with memory foam," + ], + "i want a high heel open toe pink color women shoe with ankel strap size :4.5 wide": [ + "high heel open toe pink color women shoe with ankel strap", + "high heel open toe pink women shoe with ankel strap", + "high heel open toe pink woman shoe with ankel strap", + "high heel pink women shoe with ankel strap size 4.5 wide", + "high heel open toe pink color women shoe", + "high heel pink color women shoe with ankel strap", + "high heel pink women shoe with ankel strap", + "high heel open toe pink women shoe", + "pink color women shoe with ankel strap", + "high heel open toe pink woman shoe" + ], + "i am looking for gluten free protein granola for my keto diet": [ + "gluten free protein granola keto diet", + "gluten free protein granola keto", + "gluten free protein granola for keto diet", + "gluten free protein granola keto keto", + "gluten-free protein granola keto diet", + "gluten free protein granola keto diet,", + "gluten freeprotein granola keto diet", + "gluten free keto protein granola", + "gluten free keto granola", + "gluten free protein granola" + ], + "i would like a refurbished laser printer": [ + " refurbished laser printer", + "furnished laser printer", + "refurnished laser printer", + "womens laser printer refurbished", + "a refurbished laser printer", + "refurbished laser printer", + "affordable laser printer", + "womens laser printer", + "monetized laser printer", + " refurbished laser printer under $50" + ], + "i am in need of a button tufted sofa for my living room. it should be grey in color.": [ + "button tufted sofa for my living room", + "grey button tufted sofa for living room", + "button tufted sofa for my living room in grey", + "button tufted sofa for my living room. it should be grey", + "button tufted sofa for my living room, grey", + "button tufted sofa for living room", + "button tufted sofa for my living room in grey color", + "button tufted sofa for my living room, grey in color,", + "grey button tufted sofa for my living room", + "button tufted sofa for my living room, grey in color" + ], + "i would like a bronze finish table lamp": [ + "table lamp bronze finish", + "plastic finish table lamp", + "buffet finish table lamp", + "wooden table lamp bronze finish", + "silver finish table lamp", + "living room bronze finish table lamp", + " bronze finish table lamp", + "a bronze finish table lamp", + "table lamp bronze finish below $40", + "table lamp bronze finish below $50" + ], + "i am interested in highly pigmented eyeshadow": [ + "pink pigmented eyeshadow", + "highly pigmented eyeshadow", + "pink pigmented eyeshadow under $40", + "pink pigmented eyeshadow under $50", + "pink pigmented eyeshadow under $60", + "pink pigmented eyeshadow under 50 dollars", + "pink pigmented eyeshadow under 30 dollars", + "lip pigmented eyeshadow", + "pigmented eyeshadow", + "high pigmented eyeshadow" + ], + "i am interested in buying a rustic brown entertainment center with a steel frame for the living room.": [ + "a rustic brown entertainment center with a steel frame", + " rustic brown entertainment center with a steel frame", + "rustic brown entertainment center with a steel frame", + "rainbow colored entertainment center with a steel frame", + "Rustic brown entertainment center with a steel frame", + "rainbow colored entertainment center with steel frame", + " rustic brown entertainment center", + "a rustic brown entertainment center", + "rustic brown entertainment center", + "r rustic brown entertainment center" + ], + "i am searching for cupcake picks for a birthday party.": [ + "cupcake picks for a baby shower", + "cupcake picks for a birthday party", + "cupcake picks for a baby shower.", + "cupcake pick for a baby shower", + "cupcake picks for a birthday party.", + "cupcake pick for a birthday party", + "cupcake pick for a baby shower.", + "cupcake picks for baby shower", + "cupcake pick for a birthday party.", + "cupcake picks for birthday party" + ], + "i'm looking for a mini display port adapter with ultra hd high resolution feature. also, choose 0.65 ft one.": [ + "mini display port adapter with ultra hd high resolution", + "tablet display port adapter with ultra hd high resolution", + " mini display port adapter with ultra hd high resolution", + "mini display port adapter, ultra hd high resolution", + "a mini display port adapter with ultra hd high resolution", + "mini display port adapter 0.65 ft", + "mini display port with ultra hd high resolution", + "tv mini display port adapter with ultra hd high resolution", + "mini display port adapter", + "i want a mini display port adapter with ultra hd high resolution" + ], + "i'm looking for screen protection for apple iphone 12.": [ + "screen protection for apple iphone 12", + "screen protection apple iphone 12", + "apple iphone 12 screen protection", + "screen protection for apple iphone 12.", + "i want screen protection for apple iphone 12.", + "screen protection for apple iphone 12 with screen protection", + "tv screen protection apple iphone 12", + "screen protection for apple iphone 12.5", + "screen protection for appleiphone 12", + "iphone 12 screen protection" + ], + "i am looking for a noise cancelling headset.": [ + "noise cancelling headset", + " noise cancelling headset", + "non noise cancelling headset", + "noise cancelling headset.", + "low noise cancelling headset", + "clinically cancelling headset", + "nuance cancelling headset", + "sound cancelling headset", + " noise cancelling headset.", + "noise cancelling headset," + ], + "i need non-slip lack pillow slippers that is suitable for pool bathing . and i choose the f size with green color": [ + "non-slip lack pillow slippers suitable for pool bathing", + "non-slip lack pillow slippers for pool bathing", + "non-slip lack pillow slippers", + "non-slip pillow slippers suitable for pool bathing", + "non-slip lack pillow slippers f size", + "non-slip slippers suitable for pool bathing", + "non-slip no pillow slippers", + "non-slip blanket slippers", + "non-slip pillow slippers", + "non-slip slippers" + ], + "i'm looking for a full size heavy duty bed frame.": [ + "full size heavy duty bed frame", + "full duty heavy duty bed frame", + "living room heavy duty bed frame", + "full bed frame heavy duty", + "heavy duty bed frame", + "full fat duty bed frame", + "large duty bed frame", + "full bed frame", + "living room bed frame", + "heavy duty bed frame." + ], + "i need some fat free popsicles": [ + "fat free popsicles", + "fat free popsicles under $40", + "fat free popsicles fat free", + "fat free popsicles under 50 dollars", + "fat free popsicles under $50", + "fat free popsicles under $60", + "fat free popsicles under 30 dollars", + "fat free popsicles under 60 dollars", + "fat free popsicles under 40 dollars", + "fat free popsicles under 120 dollars" + ], + "i would like a women's medium sized slate gray t shirt made from heather cotton.": [ + "womens medium sized slate gray t-shirt made from heather cotton", + "womens medium sized slate gray t shirt made from heather cotton", + "womens medium sized slate gray t-shirt heather cotton", + "womens medium size slate gray t-shirt made from heather cotton", + "womens medium t-shirt made from heather cotton", + "womens medium sized slate gray t-shirt", + "womens medium sized slate gray t-shoes made from heather cotton", + "womens medium sized slate gray t t-shirt made from heather cotton", + "womens medium sized slate gray t-shirt made from heather cotton.", + "womens medium sized slate gray t-shirt made from heather cotton," + ], + "i am looking for a multi 6 color super soft throws": [ + "multi 6 color super soft throws", + " multi 6 color super soft throws", + "Multi 6 color super soft throws", + "multi 6 color soft throws", + "super soft throws multi 6 color", + "multi 6 color super soft throws under $50", + "mega soft throws multi 6 color", + "multi 6 color super soft throws under $40", + "rainbow throws multi 6 color", + " multi 6 color super soft throws under $50" + ], + "i am looking for a teeth whitening toothpaste in b color. it should be for sensitive teeth.": [ + "teeth whitening toothpaste in b color", + " teeth whitening toothpaste in b color", + "teeth whitening toothpaste b color", + "teeth whitening toothpaste for sensitive teeth", + "teeth whitening toothpaste sensitive teeth", + "toothpaste in b color", + " teeth whitening toothpaste b color", + "teeth whitening toothpaste", + "toothpaste b color", + "toothpaste b" + ], + "i need some x-large dark blue jeans that are straight leg/": [ + "x-large dark blue jeans", + "xxl dark blue jeans that are straight leg", + "xxl dark blue jeans", + "xxl dark blue jeans straight leg", + " x-large dark blue jeans", + "x-large dark blue jeans straight leg", + "xl dark blue jeans that are straight leg", + "x-large dark blue jeans with straight leg", + "xl dark blue jeans", + "x-large dark blue jeans, straight leg" + ], + "i want a 2.5 pound pack of sugar free candies.": [ + "2.5 pound pack of sugar free candies", + "two.5 pound pack of sugar free candies", + "sugar free candies 2.5 pound pack", + "sugar free candies 2.5 pound", + " 2.5 pound pack of sugar free candies", + "3.5 pound pack of sugar free candies", + "1.5 pound pack of sugar free candies", + "sugar free candies 2.5 oz", + "sugar free candies 2.5 pounds", + "two pound pack of sugar free candies" + ], + "i am looking for an easy to use hair dye with natural ingredients.": [ + "easy to use hair dye", + "easy to use hair dye natural", + "easy-to-use hair dye", + "easy to use hair dye, natural", + "easy to use hair dye with natural", + "simple to use hair dye", + "natural hair dye", + "beauty dye natural", + "5 foot hair dye", + "hair dye natural" + ], + "i would like a 9 ounce tub of non gmo grass fed ghee.": [ + "9 ounce tub of non gmo grass fed ghee", + "8 ounce tub of non gmo grass fed ghee", + " 9 ounce tub of non gmo grass fed ghee", + "10 ounce tub of non gmo grass fed ghee", + "9 oz tub of non gmo grass fed ghee", + "9 ounce tub of non gmo grass fed ghee.", + "6 ounce tub of non gmo grass fed ghee", + "9 ounce tub of gmo grass fed ghee", + "9 ounce tub of non gmo grass fed ghee,", + "non gmo grass fed ghee 9 oz" + ], + "i would like to buy kosher certified greek yogurt.": [ + "kosher certified greek yogurt", + "clinically certified greek yogurt", + "cl kosher certified greek yogurt", + "clinic certified greek yogurt", + "kosher certified greek yogurt.", + "clash kosher certified greek yogurt", + "clothing certified greek yogurt", + "chocolate certified greek yogurt", + "kosher certified greek yogurt flavor", + "vegan greek yogurt" + ], + "i need a sleeveless hem that is machine washable . and i choose the 3x size with grey mix color": [ + "s sleeveless hem 3x size with grey mix", + "slimveless hem 3x size with grey mix", + "sneveless hem 3x size with grey mix", + "sleveless hem 3x size with grey mix", + "sleeveless hem 3x size with grey mix", + "st sleeveless hem 3x size with grey mix", + "s sleeveless hem 3x washable", + "s sleeveless hem 3x size", + "s sleeveless hem", + "s sleeveless hem 3x" + ], + "i want a loft bed for a dorm that saves space.": [ + "low bed for a dorm that saves space", + "loft bed for a dorm", + "low bed for a dorm", + " loft bed for a dorm that saves space", + "land bed for a dorm that saves space", + "l loft bed for a dorm", + "left bed for a dorm", + "living room loft bed for a dorm", + " loft bed for a dorm", + "living room loft bed" + ], + "i would like a 32 ounce bag of oatmeal that is resealable and has a good protein serving.": [ + "32 ounce bag of oatmeal", + "32 ounce bag of oatmeal with a protein serving", + "32 ounce bag of oatmeal with protein serving", + "32 ounce bag of oatmeal with protein", + " 32 ounce bag of oatmeal with a protein serving", + " 32 ounce bag of oatmeal", + "28 ounce bag of oatmeal", + "32 ounce bag oatmeal", + "32 ounce oatmeal", + "bag of oatmeal" + ], + "i am looking for a bulk bag of protein serving rolled oats.": [ + "bag of protein serving rolled oats", + "large bag of protein serving rolled oats", + "bulk bag of protein serving rolled oats", + "pack of protein serving rolled oats", + "mega-protein serving rolled oats", + "a bulk bag of protein serving rolled oats", + "brittle bag of protein serving rolled oats", + "bale bag of protein serving rolled oats", + "protein serving rolled oats", + "bag of protein serving rolled oats." + ], + "i am looking for an easy to use makeup lip brush.": [ + "easy to use makeup lip brush", + "lip brush easy to use", + "beauty lip brush easy to use", + "lip brush that is easy to use", + "easy to use makeup lip brush.", + "beauty lip brush", + "pocket lip brush easy to use", + "lip brush, easy to use", + "lip brush", + "pink makeup lip brush" + ], + "i'm looking for a pair of mesh laundry bags.": [ + " mesh laundry bags", + "Mesh laundry bags", + "a pair of mesh laundry bags", + "pair of mesh laundry bags", + "jeans mesh laundry bags", + "comfortable mesh laundry bags", + " mesh laundry bags.", + " mesh laundry bags under $40", + "m mesh laundry bags", + "two mesh laundry bags" + ], + "i am looking for grey-1 color women's t-shirt that are machine washable.": [ + "grey-1 color womens t-shirt", + "grey womens t-shirt that are machine washable", + "womens t-shirt that are machine washable", + "grey-1 womens t-shirt", + "grey mens t-shirt that are machine washable", + "grey-1 white womens t-shirt", + "grey womens t-shirt", + "grey-1 woman t-shirt", + "womens t-shirt", + "grey-1 t-shirt" + ], + "i am looking for a red 40 foot long gold plated hdmi cable.": [ + "red 40 foot long gold plated hdmi cable", + " red 40 foot long gold plated hdmi cable", + "red 40 foot long gold plated hdmi cable.", + "gold plated hdmi cable", + "rfsh gold plated hdmi cable", + "a red 40 foot long gold plated hdmi cable", + "red 40 foot long gold plated hdmi cable,", + "28 ft long gold plated hdmi cable", + "28 foot long gold plated hdmi cable", + "23 foot long gold plated hdmi cable" + ], + "i am looking for an anti-aging facial roller.": [ + "anti-aging facial roller", + "anti-aging facial roller.", + "anti-aging facial roller under $40", + "anti-aging facial roller under $50", + "anti-aging facial roller under $60", + "anti-aging facial roller under 50 dollars", + "anti-aging facial roller below $40", + "anti-aging facial roller below $50", + "anti-aging facial roller under 30 dollars", + "ant-aging facial roller" + ], + "i would like a birch bar cabinet for the dining room": [ + " birch bar cabinet dining room", + " birch bar cabinet for dining room", + " birch bar cabinet for the dining room", + "birch bar cabinet dining room", + "birch bar cabinet for dining room", + "bar cabinet for dining room birch", + "a birch bar cabinet for dining room", + "bar cabinet dining room birch", + "Birch bar cabinet dining room", + "bar cabinet for dining room" + ], + "i'm looking for korean roasted job's tears powder.": [ + "korean roasted jobs tears powder", + "korean roasted jobs tears powder.", + "korean roasted jobs tears powder under $40", + "korean roasted jobs tears powder below $40", + "keto roasted jobs tears powder", + "korean roasted jobs tears powder under 50 dollars", + "korean roasted jobs tears powder under $60", + "korean roasted jobs tears powder under $50", + "korean roasted jobs tears powder korean roasted", + "home roasted jobs tears powder" + ], + "i would like a faux fur sleeveless jacket, also, pick the white color": [ + "faux fur sleeveless jacket, white", + "faux fur sleeveless jacket in white", + "faux fur sleeveless jacket white", + "faux fur sleeveless jacket", + "faux fur sleeveless jacket,", + "faux fur sleeveless jacket with white", + " faux fur sleeveless jacket, white", + " faux fur sleeveless jacket in white", + "faux fur sleeveless jacket, black", + " faux fur sleeveless jacket white" + ], + "i am looking for long lasting deep color colorstay concealer": [ + "long lasting deep color concealer", + "long lasting deep colorstay concealer", + "long lasting deep color stay concealer", + "deep color colorstay concealer", + "long lasting deep color blend concealer", + "deep color concealer", + "long lasting deep color draw concealer", + "long lasting deep color coverer", + "long lasting deep color", + "deep colorstay concealer" + ], + "i am looking to buy a 2-pack long lasting wall scones which is easy to assemble.": [ + "2-pack long lasting wall scones", + "2 pack long lasting wall scones", + "2-pack long lasting wall scones easy to assemble", + "2-pack long lasting wall scones under $40", + " 2-pack long lasting wall scones", + "2-pack long lasting wall scones under $60", + "2-pack long lasting wall scones under $50", + "2pack long lasting wall scones", + "2-pack long lasting wall scones under 50 dollars", + "3-pack long lasting wall scones" + ], + "i am looking for ivory color living room rug of size 2' x 5'": [ + "yellow living room rug of size 2 x 5", + "yellow living room rug size 2 x 5", + "yellow living room rug in a size 2 x 5", + "yellow living room rug, size 2 x 5", + "yellow living room rug", + "living room rug of size 2 x 5", + "yellow living room rug 2 x 5", + "yellow living room rug in size 2 x 5", + "size 2 x 5 living room rug", + "yellow living room rug of size 2 x 5," + ], + "get me a shelf stable snack mix. pick the honey cheddar flavor.": [ + "shelf stable snack mix honey cheddar flavor", + " shelf stable snack mix honey cheddar flavor", + "packet stable snack mix honey cheddar flavor", + "shelf stable snack mix with honey cheddar flavor", + " shelf stable snack mix with honey cheddar flavor", + "packet stable snack mix with honey cheddar flavor", + "shelf stable snack mix honey cheddar", + "shelf stable snack mix, honey cheddar flavor", + "shelf stable snack mix honey cheddar flavor.", + "pack of honey cheddar snack mix" + ], + "i am looking for high quality 15 inch hair extensions.": [ + "15 inch hair extensions", + "high quality 15 inch hair extensions", + "15 inch hair extension", + "hair extension 15 inches high quality", + "hair extensions that are high quality", + "hair extension 15 inch high quality", + "hair extensions high quality 15 inch", + "hair extension high quality 15 inch", + "high quality 15 inch hair extension", + "high quality 15 inch hair extensions." + ], + "i want black birthday cupcake picks.": [ + "black birthday cupcake picks", + "black birthday cupcake picks.", + "black birthday cupcake pick", + "i want black birthday cupcake picks.", + "birthday cupcake picks black", + "baby shower cupcake picks black", + "black birthday cupcake picks under $50", + "black birthday cupcake pick.", + "black birthday cupcake picks under $40", + "black birthday cupcake picks under 50 dollars" + ], + "i am looking for men's green tea shampoo and conditioner.": [ + "mens green tea shampoo and conditioner", + "mens green tea shampoo and conditioner.", + "mens green tea shampoo conditioner", + "mens green tea shampoo and conditioner", + "green tea shampoo and conditioner mens", + "mens green tea shampoo conditioner.", + "mens green tea shampoo conditioner", + "green tea shampoo and conditioner", + "mens green tea shampoo", + "green tea shampoo" + ], + "i am interested in buying a power amplifier with wireless capabilities and stereo sound.": [ + "power amplifier with wireless capabilities and stereo sound", + "power amplifier with wireless capabilities", + "power amplifier with wireless capabilities with stereo sound", + "power amplifier with wireless capabilities, stereo sound", + "power amplifier, wireless capabilities and stereo sound", + "power amplifier that is wireless", + "power amplifier", + "power amplifier with wireless capabilities and stereo", + "power amplifier with wireless capabilities in stereo", + "power amplifier with wireless" + ], + "i need long lasting lipstick in the color b": [ + "long lasting lipstick in the color b", + "long lasting lipstick in a color b", + "long lasting lipstick color b", + "pink lipstick in the color b", + "long lasting lipstick b", + "long lasting lipstick a color b", + "lip color b long lasting", + "lens in the color b", + "long lasting lipstick colored b", + "lip color b long lasting lipstick" + ], + "i would like to purchase a 3.3 fl oz, long lasting men's perfume.": [ + "3.3 fl oz long lasting mens perfume", + "3.3 fl oz mens perfume", + "3.3 fl oz, long lasting mens perfume", + "mens perfume 3.3 fl oz long lasting mens", + "3.3 fl oz long lasting mens perfume.", + "mens perfume 3.3 fl oz", + "mens perfume 3.3 fl oz long lasting", + "mens perfume 3.3 fl oz", + "mens perfume 3.3 fl oz long lasting", + "2.3 fl oz mens perfume" + ], + "looking for hand painted multicolor flat candle": [ + "hand painted multicolor flat candle", + "hand painted multicolor flat candle under $40", + "hand painted multicolor flat candle under $50", + "hand painted multicolor flat candle under 50 dollars", + "hand painted multicolor flat candle under $60", + "hand painted multicolor flat candle under 30 dollars", + "hand painted multicolor flat candle under 60 dollars", + "hand painted multicolor flat candle under 40 dollars", + "hand painted multicolor flat candle under $120", + "hand painted multicolor flat candles" + ], + "i am looking for 3.88 ounce body wash bar for sensitive skin.": [ + "3.88 ounce body wash bar for sensitive skin", + "3.88 ounce body wash bar for sensitive skin.", + "3.88 ounce body wash bar for sensitive skin under $40", + "3.88 ounce body wash bar", + "3.88 ounce body wash bar for sensitive skin under $50", + "3.88 ounce body wash bar for sensitive skin under $60", + "3.88 ounce body wash bar for sensitive skin,", + "3.88 oz body wash bar for sensitive skin", + "3.88 ounce body wash bar sensitive skin", + "3.88 ounce body wash bar for sensitive skin under $120" + ], + "i'm looking for brushes set for eye shadow foundation cosmetic tools.": [ + "brushes set for eye shadow foundation cosmetic tools", + "brush set for eye shadow foundation cosmetic tools", + "brushing set for eye shadow foundation cosmetic tools", + "brushes set for eye shadow foundation cosmetic tools.", + "toothbrush set for eye shadow foundation cosmetic tools", + "brush set for eye shadow foundation cosmetic tools.", + "brushed for eye shadow foundation cosmetic tools", + "teeth set for eye shadow foundation cosmetic tools", + "brushed set for eye shadow foundation cosmetic tools", + " brushes set for eye shadow foundation cosmetic tools" + ], + "i'm looking for a high definition surveillance camera with 1080p hd resolution.": [ + "1080p surveillance camera", + "tv camera with 1080p resolution", + "tv camera 1080p", + "high definition surveillance camera with 1080p", + "tv surveillance camera with 1080p resolution", + "1080p surveillance camera with 1080p", + "high definition surveillance camera", + "high definition surveillance camera 1080p", + "1080p surveillance camera under $60", + "1080p high definition surveillance camera" + ], + "i am looking for high quality toothbrush containers.": [ + "high quality toothbrush containers", + "teethbrush containers that are high quality", + "toothbrush containers that are high quality", + "teethbrush containers high quality", + "toothbrush containers high quality", + "tothbrush containers that are high quality", + "high quality toothbrush containers under $40", + "tothbrush containers high quality", + "high quality toothbrush containers.", + "high quality toothbrush containers under $60" + ], + "i am looking for a pair of dark blue noise cancelling wireless bluetooth earbuds.": [ + "dark blue noise cancelling wireless bluetooth earbuds", + "pair of dark blue noise cancelling wireless bluetooth earbuds", + "dark blue noise cancelling wireless bluetooth earbuds.", + "dark blue noise cancelling bluetooth earbuds", + "dark blue noise cancelling wireless bluetooth earbuds,", + "black noise cancelling wireless bluetooth earbuds", + "light blue noise cancelling wireless bluetooth earbuds", + "sea blue noise cancelling wireless bluetooth earbuds", + "dark blue wireless bluetooth earbuds", + "black bluetooth earbuds" + ], + "i would like sunflower butter and chocolate protein bars that are high protein.": [ + "sunflower butter chocolate protein bars that are high protein", + "sunflower butter and chocolate protein bars high protein", + "sunflower butter chocolate protein bar that are high protein", + "sunflower butter and chocolate protein bar high protein", + "sunflower butter protein bars that are high protein", + "sunflower butter and chocolate protein bars", + "sunflower butter chocolate protein bars high protein", + "sunflower butter chocolate protein bar high protein", + "sunflower butter and chocolate protein bar", + "sunflower butter chocolate protein bar" + ], + "i need an easy to clean tablecloth that is the color of wood": [ + "tablecloth the color of wood", + "tablecloth in a color of wood", + "easy to clean tablecloth", + "tablecloth color of wood", + "tablecloth color easy to clean", + "easy to clean tablecloth with wood", + "tablecloth color", + "easy to clean tablecloth color wood", + "tablecloth with wood color", + "tablecloth color wood" + ], + "i'm looking for a heavy duty twin size bunk bed made from solid wood with good storage space for space saving. also, choose white colored one.": [ + "heavy duty twin size bunk bed made from solid wood", + "heavy duty twin size bunk bed with space saving", + "heavy duty twin bed made from solid wood", + "twin size bunk bed made from solid wood", + "twin bed made from solid wood with good storage space", + "double duty twin size bunk bed made from solid wood", + "twin bed made from solid wood", + "heavy duty twin size bunk bed", + "heavy duty twin bed with storage space", + "heavy duty twin bed" + ], + "i would like anti slip boots that are navy": [ + "anti slip boots navy", + "anti slip boots that are navy", + "anti slip boots navy anti slip", + "anti slip boots navy under $50", + "anti slip boots, navy", + "anti slip boots navy, anti slip", + "anti slip boots navy under $40", + "natals anti slip boots navy", + "anti slip boots navy anti slip boots", + "anti slip boots in navy" + ], + "i am looking for classic fit women's tee shirts of dark gray3 color.": [ + "classic fit womens tee shirts of dark gray3 color", + "classic fit womens tee shirts dark gray3 color", + "classic fit womens tee shirts in dark gray3 color", + "classic fit womens tee shirts of dark gray", + "classic fit womens tee shirts dark gray3", + "classic fit womens tee shirts, dark gray3 color", + "classic fit womens tee shirts of dark gray 3 color", + "classic fit womens tee shirts dark gray", + "classic fit womens tee shirts of dark gray3", + "classic fit womens tee shirts with dark gray3 color" + ], + "i am looking for a black pu leather desk organizer that is non slip.": [ + "black pu leather desk organizer", + "black pu leather desk organizer non slip", + "black pu leather desk organizer, non slip", + "non slip black pu leather desk organizer", + "black pu leather desk organizer with non slip", + "white leather desk organizer that is non slip", + "black pu leather desk organizer no slip", + "black pu leather desk organizer under $40", + "black pu leather desk organizer under $50", + "black pu leather desk organizer under $60" + ], + "i need a pack of 3 natural labs 8 oz green color travel bottles": [ + "3 natural labs 8 oz green color travel bottles", + "natural labs 8 oz green color travel bottles", + "4 natural labs 8 oz green color travel bottles", + " 3 natural labs 8 oz green color travel bottles", + "pack of 3 natural labs 8 oz green", + "3 natural labs 8 oz green travel bottles", + "animal labs 8 oz green color travel bottles", + "3 natural labs 8 oz green", + "natural labs 8 oz green travel bottles", + "pack of 3 natural labs" + ], + "i need a six pack of leak proof, bpa free travel bottles. look for the amber colored ones.": [ + "6 pack of leak proof, bpa free travel bottles", + "6 pack of leak proof bpa free travel bottles", + "6 pack of bpa free travel bottles", + "a six pack of leak proof, bpa free travel bottles", + "pack of leak proof, bpa free travel bottles", + "6 pack of leak proof, bpa free travel bottles.", + "six pack of leak proof, bpa free travel bottles", + "pack of leak proof bpa free travel bottles", + "6 pack of leak proof travel bottles", + "pack of bpa free travel bottles" + ], + "i need black moyo natural labs 8 oz travel bottles.": [ + "black moyo natural labs 8 oz travel bottles", + "moyo natural labs 8 oz travel bottles", + "black moyo natural labs 8 oz travel bottles.", + "black moyo natural labs 8 oz travel bottles,", + "white moyo natural labs 8 oz travel bottles", + "moyo natural labs 8 oz travel bottles.", + "pure black moyo natural labs 8 oz travel bottles", + "black moyo natural labs travel bottles", + "black moyo natural labs 8oz travel bottles", + "black moyo natural labs" + ], + "i want a dark brown bench seat made of solid wood.": [ + "dark brown bench seat made of solid wood", + "dark brown bench seat made from solid wood", + "dark brown bench seat made of solid wood.", + "dark brown bench seat made of solid wood,", + "dark brown bench seat, made of solid wood", + "dark brown bench seat made out of solid wood", + "dark brown bench seat", + "dark brown bench seat with solid wood", + "a dark brown bench seat made of solid wood", + "wood bench seat made of solid wood" + ], + "i'm looking for a daily wear sweatshirt made of good quality polyester material with long sleeves. also, choose x-large one.": [ + "womens sweatshirt x-large", + "day sweatshirt made of good quality polyester material", + "a daily wear sweatshirt made of good quality polyester material", + "sweathirt made of good quality polyester material", + "womens sweatshirt made of good quality polyester material", + " daily wear sweatshirt made of good quality polyester material", + "sweathirt x-large", + "day sweatshirt x-large", + "sweathirt made of good quality polyester", + "womens sweatshirt x-l" + ], + "i'm looking for an outlet toggle wall plate cover.": [ + "i want an outlet toggle wall plate cover.", + "aluminum toggle wall plate cover", + "alarm toggle wall plate cover", + "temporary wall plate cover", + " outlet toggle wall plate cover", + "affordable price lower than 50.00 dollars", + "affordable price lower than $40.00", + "wall plate cover", + " outlet toggle wall plate cover.", + "aluminum toggle wall plate cover." + ], + "i am looking for red popcorn boxes for a baby shower.": [ + "red popcorn boxes for a baby shower", + "red popcorn boxes for baby shower", + "red popcorn boxes baby shower", + "red popcorn box for a baby shower", + "red popcorn box for baby shower", + "red popcorn boxes for baby shower.", + "red popcorn box baby shower", + "pink popcorn boxes for baby shower", + "red popcorn boxes, baby shower", + "red popcorn boxes" + ], + "i am looking for car overhead player of size cm157a+dwh006x2 having stereo sound.": [ + "car overhead player of size cm157a+dwh006x2", + "car overhead player of size cm157a+dwh006x2", + "car overhead player cm157a+dwh006x2 with stereo sound", + "car overhead player cm157a+dwh006x2 having stereo sound", + "car overhead player cm157a+dwh006x2", + "car overhead player in size cm157a+dwh006x2", + "car overhead player size cm157a+dwh006x2", + "car overhead player cm157a+dwh006x2", + "car overhead player with stereo sound", + "car overhead player" + ], + "i'm looking for individually wrapped triple chocolate cookie bars. choose the ones that come in pack of 18 with 4 count each.": [ + "pack of 18 individually wrapped triple chocolate cookie bars", + "pack of 18 individually wrapped triple chocolate cookie bars with 4 count each", + "pack of 18 individually wrapped triple chocolate cookie bars, 4 count each", + "pack of 18 individually wrapped triple chocolate cookie bars under $60", + "single chocolate cookie bars pack of 18 with 4 count each", + "pack of 18 individually wrapped triple chocolate cookie bars under $40", + "pack of 18 individually wrapped triple chocolate cookie bars under 40 dollars", + "pack of 18 individually wrapped triple chocolate cookie bars under $50", + "pack of 18 individually wrapped triple chocolate cookie bar", + "pack of 18 individually wrapped triple chocolate cookie bars that are 4 count" + ], + "i am looking for a red women's long sleeve sweater.": [ + "red womens long sleeve sweater", + "red womens long sleeve sweater under $40", + "red womens long sleeve sweater under $50", + "red womens long sleeve sweater.", + "red womens long sleeve sweater under $60", + "red womens long sleeve sweater under 50 dollars", + "red womens long sleeve sweater under 40 dollars", + "red womens long sleeve sweater under 30 dollars", + "red womens long sleeve sweater below $50", + "red womens long sleeve sweater below $40" + ], + "i am looking for light weight a34 color photo background.": [ + "light weight a34 color photo background", + "a34 color photo background", + "heavy weight a34 color photo background", + "rainbow color photo background", + "12 color photo background", + "light weight a34 color photo backdrop", + "colored photo background", + "colored photo background light weight a34", + "light weight a34 colored photo background", + "a34 color photo background." + ], + "i'm looking for a26 high resolution, light weight spring flower portrait photo background 5x3ft/1.5x1m.": [ + "26 high resolution, light weight spring flower portrait photo background 5x3ft/1.5x1m", + "28 high resolution, light weight spring flower portrait photo background 5x3ft/1.5x1m", + "25 high resolution, light weight spring flower portrait photo background 5x3ft/1.5x1m", + "27 high resolution, light weight spring flower portrait photo background 5x3ft/1.5x1m", + "26 high resolution, light weight spring flower portrait photo background 5x3ft", + "23 high resolution, light weight spring flower portrait photo background 5x3ft/1.5x1m", + "24 high resolution, light weight spring flower portrait photo background 5x3ft/1.5x1m", + "26 high resolution, light weight spring flower portrait photo background 5x3ft/1.5x1", + "low resolution, light weight spring flower portrait photo background 5x3ft/1.5x1m", + "28 high resolution, light weight spring flower portrait photo background 5x3ft" + ], + "looking for heavy duty twilight blue colour shock-proof standing cover": [ + "heavy duty twilight blue colour shock-proof standing cover", + "low duty twilight blue colour shock-proof standing cover", + "heavy duty twilight blue color shock-proof standing cover", + "light duty twilight blue colour shock-proof standing cover", + "heavy duty twilight blue with shock-proof standing cover", + "heavy duty twilight blue", + "grey twilight blue colour shock-proof standing cover", + "heavy duty twilight blue colour shockproof standing cover", + "heavy duty twilight blue colour shock proof standing cover", + "heavy duty twilight blue colour shock-proof stand cover" + ], + "i want a white and long lasting bellesky eyeshadow primer set.": [ + "white long lasting bellesky eyeshadow primer", + "whitewash eyeshadow primer set", + "whitewash eyeshadow primer", + "whitelesky eyeshadow primer set", + "white bellesky eyeshadow primer set", + "white eyeshadow primer set", + "gluten-free eyeshadow primer set", + "whitewash eyeshadow primer set white", + "whitelesky eyeshadow primer", + "white bellesky eyeshadow primer" + ], + "i am looking for certified organic cream blush": [ + "certified organic cream blush", + "certified organic cream blush under $40", + "certified organic cream blush under $50", + "certified organic cream blush under $60", + "curtains of certified organic cream blush", + "certified organic cream blush under 50 dollars", + "certified organic cream blush below $40", + "organic cream blush", + "certified organic cream blush under 30 dollars", + "curtains organic cream blush" + ], + "i want to find a win10pro desktop minis with high speed.": [ + "womens desktop minis with high speed", + "win10pro desktop minis with high speed", + "desktop minis with high speed", + "womens desktop minis high speed", + "womens desktop minis", + "Win10pro desktop minis with high speed", + "win10pro desktop minis high speed", + "desktop minis that are high speed", + "win10pro desktop minis", + "desktop minis high speed" + ], + "i'm looking for sexy beach swimsuit with bikini set.": [ + "slimming swimsuit with bikini set", + "sexy beach swimsuit with bikini set", + " sexy beach swimsuit with bikini set", + "beauty beach swimsuit with bikini set", + "slimming beach swimsuit with bikini set", + "sexy beach swimsuit with bikini set.", + "bathroom swimsuit with bikini set", + "slimming swimsuit with bikini set.", + " sexy beach swimsuit with bikini set.", + "beauty beach swimsuit with bikini set." + ], + "i'm looking for iphone 12 pro carbon fiber pattern case.": [ + "iphone 12 pro carbon fiber pattern case", + "iphone 12 pro carbon fiber pattern case.", + "iphone 12 pro carbon fiber pattern case under $40", + "iphone 12 pro carbon fiber pattern", + "iphone 12 pro carbon fiber pattern case under $50", + "iphone 12 pro carbon fiber pattern case under $60", + "iphone 12 pro carbon fiber pattern case under $120", + "iphone 12 pro carbon fiber pattern case, under $40", + "iphone 12 pro carbon fiber pattern case, under $60", + "iphone 12 pro carbon fiber pattern case, under $50" + ], + "i need a gaming pc powered by an core i5": [ + "gaming pc powered by an core i5", + "gaming pc powered by an i5", + " gaming pc powered by an core i5", + "desktop pc powered by an core i5", + " gaming pc powered by an i5", + "a gaming pc powered by an core i5", + "Gaming pc powered by an core i5", + "g gaming pc powered by an core i5", + "desktop pc powered by an i5", + "gaming pc powered by an i5 gaming pc" + ], + "i am looking for matx gaming intel core desktop pc having 128gb ram, 2tb ssd and win10 os installed": [ + "matx gaming intel core desktop pc with 128gb ram", + "matx gaming intel core desktop pc 128gb ram with win10 os", + "matx gaming intel core desktop pc having 128gb ram", + "matx gaming intel core desktop pc", + "matx gaming intel core desktop pc 128gb ram", + "matx gaming intel core desktop pc with 128gb ram under $130", + "portrait intel core desktop pc with 128gb ram", + "portrait desktop pc with 128gb ram", + "portal desktop pc with 128gb ram", + "desktop pc with 128gb ram" + ], + "i want to find a core i5 6700 xt gaming desktop with 16 gigabytes of ram.": [ + "core i5 6700 xt gaming desktop with 16 gigabytes of ram", + "core i5 6700 gaming desktop with 16 gigabytes of ram", + "desktop core i5 6700 with 16 gigabytes of ram", + "curtains i5 6700 gaming desktop with 16 gigabytes of ram", + "tablet i5 6700 with 16 gigabytes of ram", + "desktop i5 6700 with 16 gigabytes of ram", + "tablet gaming desktop with 16 gigabytes of ram", + "core i5 6700 xt gaming desktop with 16 gigabytes", + "desktop with 16 gigabytes of ram", + "core i5 6700 gaming desktop with 16 gigabytes of ram." + ], + "i would like a marble black cosmetic bag that is high quality.": [ + " marble black cosmetic bag that is high quality", + " marble black cosmetic bag that is high quality.", + "m marble black cosmetic bag that is high quality", + "mara black cosmetic bag that is high quality", + " marble black cosmetic bag", + "brushed black cosmetic bag that is high quality", + "plastic bag that is high quality", + " marble black cosmetic bag, high quality", + "mushroom black cosmetic bag", + " marble black cosmetic bag high quality" + ], + "i am looking for a pair of women's size 6.5 open toe and knee high sandals": [ + "womens size 6.5 open toe knee high sandals", + "womens size 6.5 open toe and knee high sandals", + "womens size 6.5 open toe high sandals", + "womens size 6.5 open toe, knee high sandals", + "womens size 6.5 open toe sandals", + "womens size 6.5 open toe walking shoes", + "womens size 6.5 open toe leg high sandals", + "womens size 6.5 open toe walking sandals", + "womens size 6.5 open toe", + "womens size 6.5 open toe knee high sandals," + ], + "i'm looking for 2 mesh laundry bags.": [ + "2 mesh laundry bags", + "two mesh laundry bags", + "2 mesh laundry bags.", + " mesh laundry bags 2 mesh", + "Mesh laundry bags 2 mesh", + "3 mesh laundry bags", + " mesh laundry bags", + "1 mesh laundry bags", + "4 mesh laundry bags", + "comfortable mesh laundry bags" + ], + "i want an ultra hd wifi bluetooth projector.": [ + " ultra hd wifi bluetooth projector", + " ultra hd wifi bluetooth projector.", + " ultra hd wifi bluetooth projector under 50 dollars", + " ultra hd wifi bluetooth projector under $40", + " ultra hd wifi bluetooth projector under $50", + " ultra hd wifi bluetooth projector under $60", + " ultra hd wifi bluetooth projector under $130", + " ultra hd wifi bluetooth projector under 30 dollars", + "ultra hd wifi bluetooth projector", + "the ultra hd wifi bluetooth projector" + ], + "i'm looking for men's workhog xt coil wide square toe.": [ + "mens workhog xt coil wide square toe", + "mens workhog xt coil wide square toe.", + "mens workhog xt coil wide square toe", + "mens workhog txt coil wide square toe", + "mens workhog x coil wide square toe", + "mens workhog xt coil wide", + "mens workhog, coil wide square toe", + "mens workhog coil wide square toe", + "mens workhog t-shirt", + "mens workhog" + ], + "i am looking for large size khaki color wide leg high waist workout pants": [ + "large size khaki workout pants", + "large size khaki wide leg high waist workout pants", + "kaki color wide leg high waist workout pants", + "large size khaki workouts pants", + "large size khaki training pants", + "large x 5 foot workout pants", + "large x 5 ft workout pants", + "large size khaki workout pants that are high waist", + "large size khaki workout pants that are wide leg", + "large size khaki workout pants high waist" + ], + "i'm looking for a pair of men's sandals that provide a leather sole, which are grey and sized a men's 14.": [ + "mens sandals grey mens 14", + "mens sandals that provide a leather sole", + "mens sandals size a mens 14", + "mens sandals grey leather sole mens 14", + "mens sandals grey", + "mens sandals with leather sole", + "grey mens sandals with a leather sole", + "grey mens sandals with leather sole", + "mens sandals grey leather sole", + "grey mens sandals" + ], + "i'm looking for fast wireless charger for iphone 12.": [ + "fast wireless charger for iphone 12", + "iphone 12 fast wireless charger", + "easy charging wireless charger for iphone 12", + "wireless charger for iphone 12", + "smart wireless charger for iphone 12", + "fast wireless charger for iphone 12.", + "temporary wireless charger for iphone 12", + "phone charger for iphone 12", + "iphone 12 wireless charger", + "wireless charger for iphone 12." + ], + "i need some ready to eat snack packs": [ + "ready to eat snack packs", + "ready to eat snack pack", + "ready to eat snack packs under $40", + "ready to eat snack packs under 50 dollars", + "ready to eat snack packs under $50", + "ready to eat snack packs under $60", + "sneakers ready to eat snack packs", + "ready to eat snack packs under 30 dollars", + "ready to eat snack packs under 60 dollars", + "ready to eat snack packs under 40 dollars" + ], + "i am looking for long sleeved orange pajamas in a size medium.": [ + "orange pajamas in a size medium", + "long sleeved orange pajamas", + "large orange pajamas in a size medium", + "long sleeved orange pajamas size medium", + "medium orange pajamas long sleeved", + "large orange pajamas", + "orange pajamas in a size medium.", + "long sleeved orange pajamas in a medium", + "large orange pajamas in a size medium.", + "long sleeved orange pajamas in a size" + ], + "i am looking for a fully assembled vintage grey side table.": [ + "vinyl assembled vintage grey side table", + "a fully assembled vintage grey side table", + "vanity grey side table", + "full assembled vintage grey side table", + "vintage grey side table", + "living room vintage grey side table", + "full assembled vintage grey side table.", + "roasted grey side table", + "vintage grey side table.", + "vanity grey side table." + ], + "i am looking for 6 ounce pack of high protein almond snacks.": [ + "6 ounce pack of high protein almond snacks", + "8 ounce pack of high protein almond snacks", + "pack of high protein almond snacks", + "6 oz pack of high protein almond snacks", + "low protein almond snacks 6 ounce pack", + "low protein almond snacks 6 oz pack", + "almond snacks 6 ounce pack", + "6 ounce pack high protein almond snacks", + "pack of high protein almond snacks 6 oz", + "almond snacks 6 oz pack" + ], + "i am looking for smokehouse flavor snack nuts having high protein content.": [ + "smokedhouse flavor snack nuts high protein", + "smokedhouse flavor snack nuts with high protein", + "smokehouse flavor snack nuts high protein", + "smokyhouse flavor snack nuts high protein", + "smokedhouse flavor snack nuts that are high protein", + "strawberry flavor snack nuts high protein", + "strawberry flavor snack nuts with high protein", + "smokehouse flavor snack nuts with high protein", + " smokehouse flavor snack nuts high protein", + "smokedhouse flavor snack nuts with high protein content" + ], + "can you find me a spicy blue diamonds high protein snack? my friends prefer the smokehouse flavor in the 6.ounce can (pack of 12)": [ + " spicy blue diamonds high protein snack 6.ounce can (pack of 12)", + "sickhouse flavor 6.ounce can (pack of 12)", + "pink barbecue high protein snack 6.ounce can (pack of 12)", + "pink high protein snack 6.ounce can (pack of 12)", + "sugar blue diamonds high protein snack", + "s spicy blue diamonds high protein snack", + "sugar blue diamonds high protein snack pack of 12", + "sugar blue diamonds high protein snack pack of 12 (pack of 12)", + "spicy blue diamonds high protein snack", + "slimming blue diamonds high protein snack" + ], + "i'm looking for a pair of men's gym workout shorts for daily wear in a camo black and size medium.": [ + "mens gym workout shorts in camo black", + "mens gym workout shorts in a camo black", + "mens gym workout shorts size medium", + "mens gym workout shorts in camo black size medium", + "mens gym workout shorts in a camo black", + "mens gym workout shorts in camo black", + "mens gym workout shorts size medium", + "mens gym workout shorts camo black", + "mens gym workout shorts", + "mens gym workout shorts" + ], + "i am looking for some highly pigmented neon eyeshadow.": [ + "pink pigmented neon eyeshadow", + "pink pigmented neon eyeshadow.", + "pink pigmented eyeshadow", + "pigmented neon eyeshadow", + "pinkmented neon eyeshadow", + "high pigmented neon eyeshadow", + "low pigmented neon eyeshadow", + "highly pigmented neon eyeshadow", + "nude eyeshadow", + "pink neon eyeshadow" + ], + "i'm interested in purchasing a black colored easy to apply bun maker": [ + "black colored easy to apply bun maker", + "easy to apply bun maker", + "easy to apply bun maker black", + "black bun maker easy to apply", + "easy to apply bun maker, black", + "easy-to-apply bun maker", + "easy to apply bun maker in black", + "black bun maker", + "black easy to apply bun maker", + "black colored bun maker" + ], + "i want to buy a toothbrush for sensitive teeth.": [ + "toothbrush for sensitive teeth", + "teethbrush for sensitive teeth", + "toothbrush for sensitive teeth.", + "tothbrush for sensitive teeth", + "teethbrush for sensitive teeth.", + "treatments for sensitive teeth", + "tothbrush for sensitive teeth.", + "treatybrush for sensitive teeth", + "tootbrush for sensitive teeth", + "tetbrush for sensitive teeth" + ], + "i am looking for 10 pounds of fine grain non gmo sea salt.": [ + "10 pounds of fine grain non gmo sea salt", + "10 pounds fine grain non gmo sea salt", + "10 pound fine grain non gmo sea salt", + "fine grain non gmo sea salt", + "5 pounds of fine grain non gmo sea salt", + "5 pounds fine grain non gmo sea salt", + "fine grain non gmo sea salt 10 pounds", + "mo sea salt 10 pounds", + "fine grain non gmo sea salt under $40", + "fine grain non gmo sea salt under $50" + ], + "i'm looking for a two pound package of sea salt that is both kosher and non gmo. i would like a two pack of five pound package option.": [ + "two pound package of sea salt", + "sea salt two pack of 5 pound package", + "sea salt two pack of five pound package", + "two pack package of sea salt", + "sea salt two pack, non gmo", + "sea salt two pack", + "two pack of sea salt", + "sea salt two pound package", + "sea salt two pack pack", + "sea salt" + ], + "i would like to get an xx-small hoodie with polyester quality.": [ + "xx-small hoodie polyester", + "xxl hoodie polyester", + "xxl hoodie with polyester quality", + "xx-small hoodie with polyester", + "xx-small hoodie polyester quality", + "xx-small hoodie", + "xxl hoodie with polyester", + " xx-small hoodie polyester", + "xxl hoodie", + "xx" + ], + "looking for light weight fitbit versa bands for men women also choose size large": [ + "light weight fitbit versa bands for men", + "light weight fitbit versa bands for men women", + "large fitbit versa bands for men", + "small fitbit versa bands for men", + "size large fitbit versa bands for men women", + "large fitbit versa bands for men women", + "heavy weight fitbit versa bands for men", + "size large fitbit versa bands for men", + "small fitbit versa bands for men women", + "lens fitbit versa bands for men" + ], + "i am looking for soft marble color anna synthetic sole pump for women": [ + "soft marble color", + "soft marble color anna synthetic sole pump", + "soft marble color for women", + "soft marble color anna synthetic sole pump", + "soft marble color, anna synthetic sole pump", + "soft marble color of anna synthetic sole pump", + "a synthetic sole pump for women", + "soft marble color with a woman", + "soft marble color that is durable", + "soft marble" + ], + "i am looking for a backlit eco friendly vanity mirror.": [ + "eco friendly vanity mirror", + "backlit eco friendly vanity mirror", + "eco friendly vanity mirror.", + "backlit eco friendly vanity mirror.", + "eco friendly vanity mirror under $40", + "eco friendly vanity mirror under $50", + "eco friendly vanity mirror under $60", + "a backlit eco friendly vanity mirror", + "eco friendly vanity mirror,", + "backlit eco friendly vanity mirror," + ], + "i need a wireless amplifier with bluetooth": [ + "wireless amplifier with bluetooth", + " wireless amplifier with bluetooth", + "womens wireless amplifier", + "a wireless amplifier with bluetooth", + "wireless amplifier", + "phone amplifier with bluetooth", + "alarm with bluetooth", + "wireless amplifier bluetooth", + "alarm wireless amplifier", + " wireless amplifier" + ], + "i'm looking for a long lasting roll on antiperspirant.": [ + "long lasting roll on antiperspirant", + "long lasting roll on antiperspirant.", + "a long lasting roll on antiperspirant", + "antiiperspirant long lasting", + "long lasting antiperspirant", + "toothpaste antiperspirant long lasting", + "antiperspirant long lasting", + "oral antiperspirant long lasting", + "long lasting roll of antiperspirant", + "long lasting roll on antiperspirant," + ], + "i am looking for a long lasting deodorant.": [ + "long lasting deodorant", + "long lasting deodorant.", + "long lasting deodorant under $40", + "long lasting deodorant under $50", + "long lasting deodorant under $60", + "long lasting deodorant under 30 dollars", + "long lasting deodorant under 50 dollars", + "long lasting deodorant under 60 dollars", + "long lasting deodorant under 40 dollars", + "long lasting deodorant under 120 dollars" + ], + "i am looking for a set of 2 mesh laundry bags.": [ + "set of 2 mesh laundry bags", + "set of 2 mesh laundry bags.", + "2 mesh laundry bags", + "set of 2 mesh laundry bags,", + "set of 2 mesh laundry bag", + "two mesh laundry bags", + "pack of 2 mesh laundry bags", + "4 mesh laundry bags", + "3 mesh laundry bags", + "1 mesh laundry bags" + ], + "i am looking for a christmas balls green & red hand painted seasonal celebration candles": [ + " christmas balls green & red hand painted seasonal celebration candles", + "christmas balls green & red hand painted seasonal celebration candles", + " christmas balls green and red hand painted seasonal celebration candles", + "christmas balls green and red hand painted seasonal celebration candles", + "green & red hand painted seasonal celebration candles", + "cupmas balls green & red hand painted seasonal celebration candles", + "green and red hand painted seasonal celebration candles", + " christmas balls red hand painted seasonal celebration candles", + " christmas balls green & red hand painted seasonal candles", + "christmas balls green & red" + ], + "i would like some keto friendly strawberry nutrition drink": [ + "keto friendly strawberry nutrition drink", + "keto friendly strawberry nutrition drink keto", + "keto friendly strawberry nutrition drink under $40", + "keto friendly strawberry nutrition drink keto friendly", + "keto friendly strawberry nutrition drink under $50", + "keto friendly strawberry nutrition drink under $60", + "keto friendly strawberry nutrition drink under 50 dollars", + "keto friendly strawberry nutrition drink under 30 dollars", + "keto friendly strawberry nutrition drink under 60 dollars", + "keto friendly strawberry nutrition drink" + ], + "i would like a 70 by 185 cm round head massage linens for a beauty salon.": [ + "70 by 185 cm round head massage linens", + "70 by 185 cm massage linens for a beauty salon", + "70 by 185 cm round head massage linens for beauty salon", + "70 by 185 cm round head massage linens beauty salon", + "beauty salon massage linens 70 by 185 cm", + " 70 by 185 cm round head massage linens", + "70 by 185 cm massage linens", + "60 by 185 cm round head massage linens", + "90 by 185 cm round head massage linens", + "70 by 185 cm massage linens for a beauty salon." + ], + "i'm looking for a plant based meal replacement shake that are nut, soy, and gluten free. choose the ones that are chai flavor and come in 12 fl oz and pack of 12.": [ + "plant based meal replacement shake that are nut, soy and gluten free", + "plant based meal replacement shake that are nut, soy and gluten free chai flavor 12 fl oz pack pack of 12", + "plant based meal replacement shake that are nut, soy and gluten free, 12 fl oz pack and pack of 12", + "plant based meal replacement shake that are nut, soy and gluten free, 12 fl oz pack pack of 12", + "plant based meal replacement shake that are nut, soy and gluten free 12 fl oz pack pack of 12", + "plant based meal replacement shake that are nut, soy, and gluten free", + "plant based meal shake that are nut, soy and gluten free", + "plant based meal replacement shake that are nut, soy free", + "plant based meal replacement shake", + "plant based meal shake" + ], + "i am looking to buy a paraben free makeup remover containing hyaluronic acid.": [ + "pink makeup remover containing hyaluronic acid", + "lip makeup remover containing hyaluronic acid", + "beauty remover containing hyaluronic acid", + "professional makeup remover containing hyaluronic acid", + "lip gloss remover containing hyaluronic acid", + "hair remover containing hyaluronic acid", + "syaluronic acid makeup remover", + "pink makeup remover containing hyaluronic acid.", + "pink makeup remover containing hyaluronic acid,", + "lip makeup remover containing hyaluronic acid." + ], + "i want a 6 pack of valentine's day stretch chair cover dining room chair covers.": [ + "6 pack of valentines day stretch chair cover dining room chair covers", + "6 pack of valentines day stretch chair cover dining room chair cover", + "6 pack of valentines day stretch chair cover dining room chair", + "5 pack of valentines day stretch chair cover dining room chair covers", + "8 pack of valentines day stretch chair cover dining room chair covers", + "pack of valentines day stretch chair cover dining room chair covers", + "6 pack dining room chair covers", + "6 pack dining room chair cover", + "6 pack dining room chair covers.", + "6 pack" + ], + "i would like to buy jojoba oil which is non toxic, and comes in a size of 128 fl oz, and pack of 1.": [ + " jojoba oil 128 fl oz pack of 1", + " jojoba oil 128 fl oz pack pack of 1", + " jojoba oil 128 fl oz pack", + "jojoba oil 128 fl oz pack of 1", + " jojoba oil 128 fl oz pack, pack of 1", + "non toxic jojoba oil 128 fl oz pack of 1", + "no toxic jojoba oil 128 fl oz pack of 1", + "coffee oil 128 fl oz pack of 1", + "jojoba oil 128 fl oz pack", + " jojoba oil 128 fl oz pack pack" + ], + "i want dual band upbright 5v ac/dc adapter compatible with zboost.": [ + "dual band upbright 5v ac/dc adapter compatible with zboost", + "dual band upbright 5v ac/dc adapter", + "dual band upbright 5v ac/dc adapter with zboost", + "dual band upbright 5v ac/dc adapter that is zboost", + "dual band upbright 5v ac/dc adapter for zboost", + "duals band upbright 5v ac/dc adapter compatible with zboost", + "dual band upbright 5v ac/dc adapter, zboost", + "dal band upbright 5v ac/dc adapter compatible with zboost", + "Dual band upbright 5v ac/dc adapter compatible with zboost", + "dual band upbright 5v ac" + ], + "i am looking for a women's navy blue blouse that is machine washable.": [ + "womens navy blue blouse", + "womens navy blue blouse, machine washable", + "womens navy blue blouse machine washable", + "womens navy blue blouse with machine washable", + "womens navy blue blouse is machine washable", + "womens navy blue blouse under $40", + "womens navy blue blouse under $50", + "woman navy blue blouse", + "mens navy blue blouse", + "navy blue blouse" + ], + "can you direct me to minimalism barefoot shoes? preferably with rubber soles... also, i want blue": [ + "im looking for minimalism barefoot shoes with rubber soles", + "im looking for minimalism barefoot shoes with rubber sole", + "im looking for minimalism barefoot shoes in blue", + "im looking for minimalism barefoot shoes", + "minimalism barefoot shoes", + "barefoot shoes with rubber soles", + "siliconeism barefoot shoes", + "naturalism barefoot shoes", + "sneakers blue", + "barefoot shoes blue" + ], + "i need a large petite elastic waist pan. and i choose the dark indigo 20": [ + "large petite elastic waist pan", + "large petite elastic waist pan under $40", + "large petite elastic waist pan under $50", + "large petite elastic waist pan dark indigo 20", + "large petite elastic waist pan under 50 dollars", + "large petite elastic waist pan under $60", + "large petite elastic waist pan under 30 dollars", + "large petite elastic waist pan in dark indigo", + "large petite elastic waist pan dark indigo", + "large petite elastic waist pan, dark indigo" + ], + "i want black levi's men's 501 straight leg jeans.": [ + "black levis mens 501 straight leg jeans", + "levis mens 501 straight leg jeans black", + "levis mens 501 straight leg jeans black", + "levis mens 501 straight leg jeans", + "i want black levis mens 501 straight leg jeans.", + "black levis mens 501 straight leg jeans.", + "black levis mens 501 straight leg jeans black", + "black levis mens 501 straight leg jeans under $50", + "black levis mens 501 straight leg jeans under $40", + "black levis mens 501 straight leg jeans under 50 dollars" + ], + "i would like a dark blue denture storage case.": [ + "dark blue denture storage case", + "dark blue denture storage case.", + "dark blue denture storage case under $40", + "dark blue denture storage case under $50", + "dark blue denture storage case under $60", + "dark blue denture storage case,", + "dark blue denture storage case under $120", + "dark blue denture storage case under $130", + "dark blue denture storage case under 50 dollars", + "dark blue dentalure storage case" + ], + "i need high speed hdmi panel mount extension cable with angle down- 0.5m": [ + "high speed hdmi panel mount extension cable", + "tv hdmi panel mount extension cable", + "high speed hdmi panel mount extension cable with angle down", + "hdmi panel mount extension cable", + "tv hdmi panel mount extension cable with angle down", + " hdmi panel mount extension cable", + "tvDmi panel mount extension cable", + "tv dmi panel mount extension cable", + "hdmi panel mount extension cable", + "tv panel mount extension cable" + ], + "i'm looking for a loose fit vest with long sleeves for teen girls. also choose large size khaki colored one.": [ + "large size khaki colored vest", + "womens size khaki colored vest", + "womens large size khaki colored vest", + "womens long sleeves khaki colored vest", + "womens vest large size khaki colored", + "large khaki colored vest", + "large t-shirt teen girl", + "large size khaki colored shirt", + "small khaki colored vest", + "womens vest large khaki colored" + ], + "i am looking for an easy to assemble queen size box spring that has memory foam.": [ + "queen size box spring with memory foam", + "queen size box spring that has memory foam", + "easy assemble queen size box spring with memory foam", + "easy to assemble queen size box spring", + "easy assemble queen size box spring", + "queen size box spring", + "beautiful queen size box spring with memory foam", + "comfortable queen size box spring with memory foam", + " queen size box spring that has memory foam", + " queen size box spring with memory foam" + ], + "i would like a 4 foot by 6 foot rectangular sage green area rug that is super soft.": [ + "4 foot by 6 foot rectangular sage green area rug", + "4 foot x 6 foot rectangular sage green area rug", + "4 foot by 6 foot rectangular sage green rug", + "4 foot by 6 foot rectangular sage green rug that is super soft", + "4 foot by 6 foot rectangular sage green area rug, super soft", + "4 foot x 6 foot rectangular sage green rug", + "4 foot x 6 foot rectangular sage green rug that is super soft", + "4 foot by 6 foot rectangular sage green area rug super soft", + "4 foot by 6 foot square sage green area rug", + "4 foot x 6 foot rectangular sage green area rug, super soft" + ], + "i'm looking for a good quality rugs for living and dining rooms. also choose 8\" round shape, green colored one.": [ + "good quality rugs for living and dining rooms.", + "good quality rugs for living and dining rooms", + "8 round shape, green colored rug", + "living room rugs 8 round shape, green colored", + "living room rug 8 round shape, green colored", + "rugs for living and dining rooms green colored", + "rugs for living and dining rooms green", + "green rugs for living and dining rooms", + "8 square shape, green colored rug", + "8 square rug" + ], + "i would like a brown sugar body scrub for sensitive skin.": [ + "brown sugar body scrub for sensitive skin", + "brown sugar body scrub for sensitive skin.", + "brown sugar body scrub sensitive skin", + "brown sugar body scrub for sensitive skin under $40", + "brown sugar body scrub for sensitive skin under $50", + "brown sugar body scrub for sensitive skin under $60", + "brown sugar body scrub for sensitive skin under 30 dollars", + "brown sugar body scrub for sensitive skin,", + "brown sugar body scrub for sensitive skin under 50 dollars", + "brown sugar body scrub for sensitive skin " + ], + "i'm looking for dora the explore kids edt spray.": [ + "dora the explore kids edt spray", + "dora the explore kids edt spray.", + "dora the explore kids edt spray under $40", + "dora the explore kids edt spray under $50", + "dora the explore kids edt spray dora", + "dora the explore kids edt spray under $60", + "kids edt spray dora the explore kids", + "dora the kids edt spray", + "kids edt spray", + "kids edt spray dora" + ], + "i would like a 44w by 32l big and tall mocha dress that can be machine washed.": [ + "44w by 32l big and tall mocha dress", + " 44w by 32l big and tall mocha dress", + "42w by 32l big and tall mocha dress", + "43w by 32l big and tall mocha dress", + "45w by 32l big and tall mocha dress", + "mocha dress 44w by 32l machine washed", + "gao dress 44w by 32l machine washed", + "44w by 32l mocha dress", + "large and tall mocha dress", + "mocha dress" + ], + "i'm looking for plastic empty mist spray bottles.": [ + "plastic empty mist spray bottles", + "plastic empty mist spray bottles under $40", + "plastic empty mist spray bottles.", + "plastic empty mist spray bottles under $50", + "plastic empty mist spray bottles under $60", + "plastic empty mist spray bottles under 50 dollars", + "plastic empty mist spray bottles below $40", + "plastic empty mist spray bottles below $50", + "plastic empty mist spray bottles under 40 dollars", + "plastic empty mist spray bottles below $60" + ], + "kocota unisex garden clogs options to include in your search : bow support, gray vinyl acetate color. i hope you find": [ + "kocota unisex garden clogs color", + "kocota unisex garden clogs in gray vinyl acetate color", + "kocota unisex garden clogs color, gray vinyl acetate", + "kocota unisex garden clogs, gray vinyl acetate color", + "kocota unisex garden clogs color gray vinyl acetate", + "kocota unisex garden clogs gray vinyl acetate", + "kocota unisex garden clogs", + "kocota unisex garden clogs in gray vinyl acetate", + "kocota unisex garden clogs gray vinyl acetate color", + "kocota unisex garden clogs with bow support" + ], + "i want white professional stereo wireless bluetooth speaker.": [ + "white professional stereo wireless bluetooth speaker", + "white professional stereo wireless bluetooth speaker.", + "white professional wireless bluetooth speaker", + "white professional stereo wireless bluetooth speaker that is white", + "white professional stereo wireless bluetooth speaker,", + "white professional stereo wireless bluetooth speaker under $40", + "white professional stereo wireless bluetooth speaker under $60", + "white professional stereo wireless bluetooth speaker under $50", + "white professional stereo wireless bluetooth speaker under $130", + "white professional stereo wireless bluetooth speakers" + ], + "i'm looking for a 4g lte gps antenna which should be easy to install.": [ + "4g lte gps antenna", + "4g lte gps antenna easy to install", + "4g lte gps antenna, easy to install", + "4g lte gps antenna under $40", + "4g lte gps antennaeasy to install", + "4g lte gps antenna under $60", + "4g lte gps antenna easy setup", + "industrial 4g lte gps antenna", + "4g lte gps antenna easy to install.", + "4g lte gps" + ], + "i am looking for a adhesive mount aerial connector cable right angle plug for car stereo which is easy to install. also choose which accept 4 g lte": [ + "additional mount aerial connector cable for car stereo", + "indoor mount aerial connector cable for car stereo", + "an adhesive mount aerial connector cable for car stereo", + "idle mount aerial connector cable for car stereo", + "indoor connector cable 4 g lte", + "additional mount aerial connector cable", + "indoor connector cable for car stereo", + "indoor connector cable 3 g lte", + "indoor mount aerial connector cable", + "indoor mount aerial connector cable right angle plug" + ], + "i would like one wall bath fixture that has a brushed nickel finish.": [ + "wall bath fixture with brushed nickel finish", + "wall bath fixture brushed nickel finish", + "wall bath fixture that has brushed nickel finish", + "wall bath fixture with a brushed nickel finish", + "wall bath fixture, brushed nickel finish", + "wall bath fixture that is brushed nickel finish", + "wall bath fixture with brushed nickel finish.", + "wall bath fixture in a brushed nickel finish", + "wall bath fixture, brushed nickel finish,", + "wall bath fixture brushed nickel" + ], + "i would like a 4.2 fluid ounce bottle of coconut oil shampoo.": [ + "4.2 fluid ounce bottle of coconut oil", + "4.2oz bottle of coconut oil shampoo", + "4.2 ounce bottle of coconut oil shampoo", + "4.2 oz bottle of coconut oil shampoo", + "4.2oz coconut oil shampoo", + "pack of coconut oil shampoo 4.2 oz", + "4.2 oz coconut oil shampoo", + "pack of coconut oil shampoo 4.2", + "4 oz coconut oil shampoo 4.2", + "4 oz coconut oil shampoo" + ], + "i would like a bakers rack that is space saving.": [ + "bakers rack space saving", + "bakers rack that is space saving", + "bakers rack space saving.", + "barbecue rack space saving", + "small bakers rack space saving", + "a bakers rack space saving", + "bakers rack, space saving", + "bakers rack space saving bakers", + "burgers rack space saving", + "bakers rack" + ], + "i am looking for a high perfromance grey quad core tablet.": [ + "grey quad core tablet", + "high perfromance grey quad core tablet", + "grey quad core tablet high perfromance", + "grey quad core tablet with high perfromance", + "grey quad core tablet, high perfromance", + "low perfromance grey quad core tablet", + "high perfromance grey quad core tablet.", + "grey quad core tablet that is high quality", + "grey quad core tablet high quality", + "grey quad core tablet." + ], + "looking for light weight rosy pink colour mens womens water shoes": [ + "rosy pink mens womens water shoes", + "pink mens womens water shoes", + "low weight rosy pink womens water shoes", + "womens water shoes", + "lip pink mens womens water shoes", + "rosy pink womens water shoes", + "womens water shoes light weight", + "rosy pink mens womens water shoes,", + "rosy pink mens womens water shoe", + "rainbow shoes" + ], + "i'm looking for a queen size bedspread set in the color redwood.": [ + "queen size bedspread in the color redwood", + " queen size bedspread set in the color redwood", + "king size bedspread set in the color redwood", + "queen size bedspread", + "king size bedspread in the color redwood", + "queen size bedspread, redwood", + "queen size bedspread with redwood", + "queen size bedspread that is redwood", + "queen size bedspread set in the color red", + "queen size bedspread in the color red" + ], + "i am looking for a sma male to female coaxial cable for 4g lte signal booster.": [ + "sma male to female coaxial cable for 4g lte signal booster", + "sma male to female coaxial cable 4g lte signal booster", + "slima male to female coaxial cable 4g lte signal booster", + " sma male to female coaxial cable for 4g lte signal booster", + "swa male to female coaxial cable for 4g lte signal booster", + " sma male to female coaxial cable 4g lte signal booster", + "sneakers male to female coaxial cable 4g lte signal booster", + "sma male to female coaxial cable", + "sneakers 4g lte signal booster", + "sma male to female coaxial cable under $40" + ], + "i am looking for a wireless, bluetooth enabled home theatre system.": [ + "home theatre system wireless, bluetooth enabled", + "home theatre system", + "home theatre system wireless", + "wirefree home theatre system", + "home theatre system that is wireless", + "wireless home theatre system", + "home theatre system wireless bluetooth", + "living room theatre system", + "home theatre system wireless, bluetooth free", + "home theatre system wireless bluetooth enabled" + ], + "i am looking for a pair of black men's medium underwear that are light weight and machine washable.": [ + "black mens medium underwear", + "black mens medium underwear light weight", + "black mens medium underwear under $40", + "black mens medium underwear under $50", + "black mens medium underwear, light weight", + "black mens medium underwear under $60", + "black mens medium underwear under 30 dollars", + "white mens medium underwear", + "blackmens medium underwear", + "mens medium underwear" + ], + "i am looking for a pair of women's size 7.5 camo colored non slip walking shoes.": [ + "camo colored walking shoes", + "walking shoes size 7.5 camo colored", + "camo colored walking shoes size 7.5", + "womens size 7.5 walking shoes", + "walking shoes womens size 7.5", + "walking shoes size 7.5", + "camo colored walking shoes.", + "camo colored walking shoes,", + "comfortable walking shoes", + "tempered walking shoes" + ], + "i'm looking for a high quality accessory bundle for my canon camera; speed and performance is essential.": [ + "high quality accessory bundle for my canon camera", + "low quality accessory bundle for my canon camera", + "high quality accessory bundle for a canon camera", + "carport camera with speed and performance", + "portrait bundle for my canon camera", + "cord camera accessory bundle", + "carport camera speed and performance", + "high quality accessory bundle", + "carabin camera accessory bundle", + "carport camera" + ], + "i am looking for a pair of women's size 11 daily wear boots.": [ + "womens size 11 daily wear boots", + "womens size 11 daily wear boots.", + "womens size 11 daily wear boots,", + "a pair of womens size 11 daily wear boots", + "mens size 11 daily wear boots", + "mens size 11 daily wear boots", + "woman size 11 daily wear boots", + "womens size 11", + "walking boots size 11", + "living boots size 11" + ], + "find me a nice black relaxed fit linen button up for the beach with short sleeves in size 3xl.": [ + "a nice black relaxed fit linen button up for the beach with short sleeves in size 3xl", + "a nice black relaxed fit linen button up for the beach with short sleeves in a size 3xl", + "comfortable black relaxed fit linen button up for the beach with short sleeves in size 3xl", + "black relaxed fit linen button up for the beach with short sleeves in size 3xl", + "large black relaxed fit linen button up for the beach with short sleeves in size 3xl", + "a nice black relaxed fit linen button up for the beach with short sleeves in size 3xl.", + "a nice black relaxed fit linen button up for the beach with short sleeves, size 3xl", + "blanket linen button up for the beach with short sleeves in size 3xl", + "a nice black relaxed fit linen button up for the beach with short sleeves", + "white linen button up for the beach with short sleeves in size 3xl" + ], + "i am loooking for camera lens protector for iphone 12 mini that is easy to use.": [ + "lens protector for iphone 12 mini", + "lens protector for iphone 12 mini", + "camera lens protector for iphone 12 mini", + "camera lens protector for iphone 12 mini", + "easy to use camera lens protector for iphone 12 mini", + "easy to use camera lens protector for iphone 12 mini", + "lens protector iphone 12 mini", + "loooking for camera lens protector for iphone 12 mini", + "a camera lens protector for iphone 12 mini", + "iphone 12 mini camera lens protector" + ], + "i would like a 6.56 ounce dark soft brown box of hair dye.": [ + "6.56 ounce dark soft brown box of hair dye", + "dark soft brown box of hair dye", + "6.56 oz dark soft brown box of hair dye", + "dark soft brown box of hair dye 6.56 oz", + "6.56 ounce dark soft brown box", + "5.56 ounce dark soft brown box of hair dye", + "dark soft brown box of hair dye under $60", + "dark soft brown box of hair dye.", + "dark brown box of hair dye", + "dark soft brown box" + ], + "i just love the matilde vicenzi brand macaroons and i want to try the amaretto d'italia macaroons flavor. the quality of the ingredients is my requirement, if you find it let me know": [ + "matilde vicenzi brand macaroons flavor", + "matilde vicenzi macaroons flavor", + "magnoli vicenzi macaroons flavor", + "portilde vicenzi brand macaroons flavor", + "amaretto ditalia macaroons flavor", + "mamilde vicenzi brand macaroons flavor", + "manual vicenzi macaroons flavor", + "macaroons flavor amaretto ditalia", + "matilde vicenzi brand macaroons flavor quality", + "portilde vicenzi macaroons flavor" + ], + "i would like to buy soundbars which can be operated hands free and are 2.1 soundbar.": [ + "soundbars 2.1", + "soundbar 2.1", + "soundbars 2.1 soundbar", + "soundbars that are 2.1", + "2.1 soundbar", + "soundbar that is 2.1", + "soundbars 3.1", + "soundbars, 2.1", + "soundbars, 2.1,", + "soundbars 2.1," + ], + "i would like a blue pu leather gaming chair": [ + "blue pu leather gaming chair", + "blue pu leather gaming chair under $50", + "blue pu leather gaming chair under $40", + "blue pu leather gaming chair under $130", + "blue pu leather gaming chair,", + "blue pu leather gaming chair under 50 dollars", + "blue pu leather gaming chair under $60", + "blue pu leather gaming chair under $120", + "blue pu leather gaming chair that is comfortable", + "blue leather gaming chair" + ], + "i'm looking for dermatologically certified serum skin that contains hyaluronic acid for sensitive skin and is fragrance free.": [ + "dermatologically certified serum skin with hyaluronic acid for sensitive skin", + "dermatologically certified serum skin with hyaluronic acid for sensitive skin, fragrance free", + "dermatologically certified serum skin that contains hyaluronic acid for sensitive skin", + "dermatologically certified serum skin with hyaluronic acid", + "dermatologically certified serum skin, hyaluronic acid for sensitive skin, fragrance free", + "dermatologically certified serum skin hyaluronic acid for sensitive skin", + "dermatologically certified serum skin, hyaluronic acid for sensitive skin", + "dermatologically certified serum skin", + "dermatologically certified serum skin for sensitive skin", + "dermatologically certified serum skin sensitive skin" + ], + "i am looking for a rustic brown bookshelf with storage space.": [ + " rustic brown bookshelf with storage space", + "rustic brown bookshelf with storage space", + "wooden brown bookshelf with storage space", + "Rustic brown bookshelf with storage space", + "rainbow colored bookshelf with storage space", + "brown bookshelf with storage space", + "rainbow colored bookhelf with storage space", + " rustic brown bookshelf", + "rustic brown bookshelf", + "rainbow colored bookshelf with storage" + ], + "i am looking for nut free and fat free gummy candy.": [ + "nut free and fat free gummy candy", + "Nut free and fat free gummy candy", + " nut free and fat free gummy candy", + "nut free gummy candy", + "nat free and fat free gummy candy", + "clinically fat free gummy candy", + "mummy candy nut free and fat free", + "natierra gummy candy nut free", + "natural gummy candy nut free", + "mummy candy nut free" + ], + "i am looking for some high quality nail stickers.": [ + "high quality nail stickers", + "nude stickers high quality", + "nail stickers high quality", + "nude stickers that are high quality", + "nail stickers that are high quality", + "nude stickers", + "high quality nail stickers under $40", + "high quality nail stickers under $50", + "high quality nail stickers under $60", + "high quality nail stickers." + ], + "i want a 2 pack of green tea & eggplant purifying clay stick masks.": [ + "2 pack of green tea & eggplant purifying clay stick masks", + "green tea & eggplant purifying clay stick masks 2 pack", + "green tea & eggplant purifying clay stick masks", + "2 pack of green tea and eggplant purifying clay stick masks", + "green tea and eggplant purifying clay stick masks 2 pack", + "green tea and eggplant purifying clay stick masks", + "2 pack of green tea & eggplant purifying clay stick", + "1 pack of green tea & eggplant purifying clay stick masks", + "2 pack of green tea & eggplant purifying clay stick mask", + "two pack of green tea & eggplant purifying clay stick masks" + ], + "i am looking for pink, close-toed sandals that have a rubber sole and come in size 8.5": [ + "pink, close-toed sandals", + "pink sandals that have a rubber sole", + "pink sandals with a rubber sole", + "pink sandals 8.5", + "pink sandals size 8.5", + "pink sandals, close-toed sandals", + "pink sandals with rubber sole", + "pink sandals in a rubber sole", + "pink sandals", + "pink toeed sandals" + ], + "i am looking for a anti-perspirant deodorant that is long lasting.": [ + "anti-perspirant deodorant long lasting", + "anti-perspirant deodorant", + "anti-perspirant deodorant long lasting.", + "anti-perspirant deodorant, long lasting", + "ant anti-perspirant deodorant long lasting", + "anti-perspirant deodorant with long lasting", + "Anti-perspirant deodorant long lasting", + "ant long lasting", + "ant that is long lasting", + "ant that is long lasting." + ], + "i'm looking for a long-lasting hydration hair treatment spray.": [ + "long lasting hydration hair treatment spray", + "hair treatment spray long-lasting", + "hair treatment spray long lasting", + "hydration hair treatment spray", + "bathroom hair treatment spray", + "bathroom hair treatment spray long lasting", + "water treatment spray long lasting", + "hydration hair treatment spray long lasting", + "long-lasting hydration spray", + "hair treatment spray" + ], + "i am looking for a standard intel core i5 gaming pc.": [ + "standard intel core i5 gaming pc", + "standard intel core i5 gaming pc.", + "intel core i5 gaming pc", + "standard intel core i5 gaming pc,", + "dual intel core i5 gaming pc", + "intel core i5 gaming pc.", + "standard i5 gaming pc", + "standard i5 gaming pc.", + "standard intel i5 gaming pc", + "desktop gaming pc" + ], + "i would like a peach juice that is non gmo and gluten free.": [ + "non gmo peach juice", + "pomegranate juice non gmo gluten free", + "peach juice non gmo and gluten free", + "non gmo and gluten free peach juice", + "pomegranate juice non gmo", + "pomegranate juice gluten free", + "peaches juice non gmo and gluten free", + "pomegranate juice non gmo dairy free", + "pomegranate juice that is non gmo", + "pomegranate juice" + ], + "i want a 1b natural hair wig.": [ + "1b natural hair wig", + "natural hair wig 1b natural", + "1b natural hair wig.", + "natural hair wig. 1b natural", + "natural hair wig, 1b natural", + "natural hair wig", + "1b natural hair wig,", + "oneb natural hair wig", + "natural hair wig.", + "pure natural hair wig" + ], + "i'm looking for a comfortable fit pullover shirts with long sleeves for teen girls. also, choose xx-large size white colored one": [ + "xx-large size white colored pullover shirts", + "xx-large size white colored pullover shirt", + "xxl white pullover shirts", + "xx-large size white colored girl pullover shirts", + "xxl white pullover shirts with long sleeves", + "xx-large size white colored girl pullover shirt", + "xx-large white colored pullover shirts", + "xx-large size white colored girls pullover shirts", + "x-large size white colored pullover shirts", + "xx-large white pullover shirts" + ], + "i want an oribox clear glass screen protector for iphone 12.": [ + "oatribox clear glass screen protector for iphone 12", + "optical clear glass screen protector for iphone 12", + "oribox clear glass screen protector for iphone 12", + " oribox clear glass screen protector for iphone 12", + "oatribox clear glass screen protector iphone 12", + "optical clear glass screen protector iphone 12", + "oribox clear glass screen protector iphone 12", + "oatribox clear glass screen protector foriphone 12", + "optical clear glass screen protector for iphone 12.", + "oatribox clear glass screen protector" + ], + "i want an army green women's long sleeve tunic.": [ + "alarm green womens long sleeve tunic", + " army green womens long sleeve tunic", + "army green womens long sleeve tunic", + "an army green womens long sleeve tunic", + "Army green womens long sleeve tunic", + "an army green womens long sleeve tunic.", + "a green womens long sleeve tunic", + " army green womens long sleeve tunic.", + "antarm wide sleeve tunic", + "army green womens long sleeve tunic." + ], + "i am looking for mens shoes that are of realtree edge color and have rubber sole.": [ + "mens shoes of realtree edge color", + "mens shoes of realtree edge color with rubber sole", + "mens shoes of realtree edge color rubber sole", + "mens shoes that are of realtree edge color", + "mens shoes of realtree edge color and rubber sole", + "mens shoes of realtree edge color", + "mens shoes that are of realtree edge color", + "mens shoes of realtree edge color, rubber sole", + "mens shoes, realtree edge color, rubber sole", + "mens shoes with rubber sole" + ], + "i'm looking for an intel i5 desk top pc with 32 gigabytes of ram and a two terabyte ssd.": [ + "intel i5 desk top pc with 32 gigabytes of ram", + "intel i5 desk top pc with 32 gigabytes of ram and two terabyte ssd", + "intel i5 desk top pc with 32 gigabytes of ram, two terabyte ssd", + "intel i5 desk top pc with 32 gigabytes of ram with two terabyte ssd", + "intel i5 desk top pc with 32 gigabytes of ram under $130", + "intel i5 desk top pc with 32 gigabytes of ram under $120", + "intel i5 desk top pc 32 gigabytes of ram", + " intel i5 desk top pc with 32 gigabytes of ram", + "intel i5 desk top pc", + "intel i5 desk top pc with 32 gigabytes" + ], + "help me find a black doorbell that will detect motion and give an excellent 1080p hd video quality.": [ + "black doorbell with motion", + "black doorbell, 1080p hd video quality", + "black doorbell 1080p hd video quality", + "black doorbell", + "black doorbell 1080p hd video", + "black doorbell that will detect motion", + "black doorbell, 1080p hd video", + "black doorbell with motion and is high quality", + "black doorbell that is high definition", + "black doorbell with motion, 1080p hd" + ], + "looking for the 2021 release of ring video doorbell 4. it has 1080p, motion detection options. floodlight cam wired plus option. prefer white in color, but accept black.": [ + "Ring video doorbell 4 with motion detection", + "Ring video doorbell 4", + "Ring video doorbell 4 color", + "pink ring video doorbell 4", + "Ring video doorbell 4 in white", + "Ring video doorbell 4, white", + "Ring video doorbell 4 with motion detection options", + "a ring video doorbell 4 with motion detection", + "Ring video doorbell 4, color white", + "Ring video doorbell 4 white" + ], + "i am looking for some gluten free soft blue edible brew dust.": [ + "gluten free edible brew dust", + "gluten free edible brew dust under $40", + "gluten free edible brew dust under $50", + "gluten free edible brew dust under $60", + "gluten free soft blue edible brew dust", + "gluten free edible brew dust under 50 dollars", + "gluten free edible brew dust under 30 dollars", + "gluten free edible brew dust.", + "gluten free edible brew dust under 40 dollars", + "gluten free edible brew dust under 60 dollars" + ], + "i'm looking for a hair extensions with natural hair. also choose 120g 14 inch sized natural black mixed chestnut brown colored one.": [ + "natural black hair extensions 120g 14 inch natural black", + "natural black mixed chestnut brown hair extensions", + "natural black hair extensions 120g 14 inch", + "120g natural black mixed chestnut brown hair extensions", + "natural black human hair extensions 120g 14 inch", + "natural black mixed chestnut brown hair extension", + "natural black mixed chestnut brown hair extensions 120g", + "120g natural black mixed chestnut brown hair extension", + "natural black hair extensions 120g", + "natural black human hair extensions 120g" + ], + "i am looking for a white footstool for my living room.": [ + "white footstool for living room", + "white footstool for my living room", + "white footstool for the living room", + "white footstool living room", + "white footstool for living room.", + "white footstool for a living room", + "white footstool in my living room", + "white footstool", + "white footstool in the living room", + "white footstool, living room" + ], + "i am interested in buying a laundry bag": [ + "laundry bag", + "living room laundry bag", + "womens laundry bag", + "a laundry bag", + "laundry bag for laundry", + "laundry bag,", + "alarm bag", + "dining bag", + "loal bag", + "leash bag" + ], + "i am looking for easy clean , red color shower curtain of size 78\"w x 70\"h with hook": [ + "easy clean red color shower curtain of size 78w x 70h", + "easy clean , red color shower curtain", + "easy clean red color shower curtain", + "easy clean red color shower curtain, size 78w x 70h", + "easy clean red shower curtain of size 78w x 70h", + "easy clean , red color shower curtain, 78w x 70h", + "easy clean red color shower curtain size 78w x 70h", + "easy clean , red color shower curtain with hook", + "easy clean red color shower curtain with hook", + "easy clean, red color shower curtain" + ], + "i want to buy a vortex razor hd spotting scope for iphone 12 pro max that has a carrying case.": [ + "vortex razor hd spotting scope for iphone 12 pro max with a carrying case", + "vortex razor hd spotting scope for iphone 12 pro max", + "vortex razor hd spotting scope iphone 12 pro max with a carrying case", + "vortex razor hd spotting scope for iphone 12 pro max with carrying case", + "vortex razor hd spotting scope iphone 12 pro max", + "vortex razor hd spotting scope iphone 12 pro max that has a carrying case", + "vortex razor hd spotting scope iphone 12 pro max with carrying case", + "vital razor hd spotting scope for iphone 12 pro max with a carrying case", + "vortex razor hd spotting scope for iphone 12 pro max, carrying case", + "vortex razor hd spotting scope for iphone 12 pro max under $40" + ], + "i need a sugar free liquid water enhancer": [ + "sugar free liquid water enhancer", + "sugar free liquid water enhancer under $40", + "sugar free liquid water enhancer under $50", + "sugar free liquid water enhancer under $60", + "sugar free liquid water enhancer under 50 dollars", + "sugar free liquid water enhancer under 30 dollars", + "sugar free liquid water enhancer under 40 dollars", + "sugar free liquid water enhancer under 60 dollars", + "sugar free liquid water enhancer below $40", + "soy free liquid water enhancer" + ], + "i would like a 6 foot long gold plated pink cable.": [ + "6 foot long gold plated pink cable", + "6 foot long gold plated pink cable.", + "6 foot long gold plated pink cable,", + "8 foot long gold plated pink cable", + "6 foot long gold plated pink cable cable", + "6 ft long gold plated pink cable", + "5 foot long gold plated pink cable", + "6ft long gold plated pink cable", + "6 foot long pink cable", + "gold plated pink cable" + ], + "i'm looking for a waterproof hair cutting capes for hair styling. also choose 55\" * 66\" multi color one": [ + "waterproof hair cutting capes 55 * 66 multi color", + "waterproof hair cutting capes for hair styling", + "waterproof hair cutting capes", + "womens hair cutting capes 55 * 66 multi color", + "waterproof hair cutting capes, 55 * 66 multi color", + "waterproof hair cutting capes 55 * 66 multi color one", + "waterproof hair cutting capes that are multi color", + "waterproof hair cutting capes for hair styling.", + "waterproof hair cutting capes, 55 * 66 multi color,", + "waterproof hair cutting capes, 55 * 66 multi color one" + ], + "looking for davidson's tea 100 pcs south africa flavored tea bags, spiced rooibos chai is my favorite, please demand certified organic.": [ + "davidsons tea 100 pcs south africa flavored tea bags", + "davidsons tea 100 pcs south africa flavored tea bags that are certified organic", + "davidsons tea 100 pcs south africa flavored tea bags ethically certified", + "davidsons tea 100 pcs south africa flavored tea bags.", + "davidsons tea 100 pcs south africa flavored tea bags with quality", + "tea 100 pcs south africa flavored tea bags", + "sugar 100 pcs south africa flavored tea bags", + "tai 100 pcs south africa flavored tea bags", + "davidsons tea 100 pcs", + "sea 100 pcs south africa flavored tea bags" + ], + "i am interested in buying a beige colored super soft throw for the bedroom.": [ + "beige colored super soft throw for the bedroom", + "beige colored super soft throw for the bedroom.", + "pink colored super soft throw for the bedroom", + "beige colored super soft throw", + "super soft throw for the bedroom", + "a beige colored super soft throw for the bedroom", + "pink colored super soft throw for the bedroom.", + "beige colored super soft throw for a bedroom", + "beige colored super soft throw for bedroom", + "beige colored soft throw for the bedroom" + ], + "i need an easy to clean, easy to assemble computer desk. it should have walnut wood and metal legs.": [ + "easy to clean, easy to assemble computer desk with walnut wood and metal legs", + "easy to clean and easy to assemble computer desk with walnut wood and metal legs", + "easy to clean, easy to assemble computer desk", + "easy clean, easy to assemble computer desk with walnut wood and metal legs", + "easy to clean, easy to assemble computer desk with walnut wood", + "easy to clean, easy to assemble computer desk, walnut wood and metal legs", + "easy to clean, easy to assemble computer desk with walnut wood, metal legs", + "easy to clean walnut wood and metal desk", + "easy to clean computer desk with walnut wood and metal legs", + "easy to clean, easy to assemble computer desk under $130" + ], + "looking for high performance quad-core 64bit android tv box 10.0": [ + "quad-core 64bit android tv box 10.0", + "quad-core 64bit android tv box", + "tv box 10.0 high performance quad-core 64bit", + "quad-core 32bit android tv box 10.0", + "desktop quad-core 64bit android tv box 10.0", + " quad-core 64bit android tv box 10.0", + "quad-core 64bit android tv box 10.5", + "dual core 64bit android tv box 10.0", + "tablet 64bit android tv box 10.0", + "quad-core 64bit android tv box 10" + ], + "i am looking for a 1.5 foot high speed gold plated hdmi cable.": [ + "gold plated hdmi cable", + "high speed gold plated hdmi cable", + "gold plated hdmi cable under $50", + "gold plated hdmi cable under $40", + "gold plated hdmi cable below $50", + "gold plated hdmi cable below $40", + "gold plated hdmi cable under $60", + "gold plated hdmi cable.", + "1.5 foot high speed gold plated hdmi", + "gold plated hdmi cable," + ], + "i would like a caramel variety pack that is individually wrapped.": [ + "caramel variety pack that is individually wrapped", + "caramel variety pack that is individually wrapped.", + "baramel variety pack that is individually wrapped", + "almond variety pack that is individually wrapped", + "baramel variety pack that is individually wrapped.", + "amel variety pack that is individually wrapped", + "caramel variety pack, individually wrapped", + "amel variety pack that is individually wrapped.", + "caramel variety pack", + "almond variety pack that is individually wrapped." + ], + "i'm looking for a blush brush that should cruelty free certified. also, choose angled liner one.": [ + "cruelty free angled liner blush brush", + "cruelty-free angled liner blush brush", + "cruelty free angled liner blush brush below $40", + "cruelty free angled liner blush brush below $50", + "cruelty free angled liner blush brush under $40", + "cruelty free angled liner blush brush below $60", + "cruelty free angled liner blush brush under $50", + "cruelty free angled liner blush brush under $60", + "cruelty free angled liner blush brush.", + "cruelty free angled liner blush brush under 50 dollars" + ], + "i would like a foundation brush for my nail polish.": [ + "facial polish foundation brush", + "foundation brush for nail polish", + "foundation brush for my nail polish", + "felty brush for nail polish", + "f foundation brush for my nail polish", + "foundation brush for my nail polish.", + "f foundation brush for nail polish", + "fel foundation brush for nail polish", + " foundation brush for my nail polish.", + " foundation brush for my nail polish" + ], + "i would like a non gmo container of artichoke hearts.": [ + "non gmo container of artichoke hearts", + "non gmo container of artichoke hearts.", + "non-gmo container of artichoke hearts", + "non gmo containers of artichoke hearts", + "artichoke hearts non gmo", + "non gmo container of artichoke hearts,", + "a non gmo container of artichoke hearts", + "gmo container of artichoke hearts", + "non gmo container of artichoke heart", + "artichoke hearts" + ], + "i would like a size 34 pair of garden variety shorts that can be machine washed.": [ + "garden variety shorts size 34 machine washed", + "garden variety shorts that can be machine washed", + "garden variety shorts", + "garden variety shorts size 34", + "garden variety shorts size 34, machine washed", + "size 34 pair of garden variety shorts", + "garden variety shorts in a size 34", + "garden variety shorts, size 34", + "garden variety shorts machine washed size 34", + "plant variety shorts" + ], + "i am looking for cheese flavored gluten free rice snacks": [ + "cheese flavored gluten free rice snacks", + "lemon flavored gluten free rice snacks", + "chocolate flavored gluten free rice snacks", + "gluten free rice snacks", + "tea flavored gluten free rice snacks", + "vegan cheese flavored gluten free rice snacks", + "teese flavored gluten free rice snacks", + "toothpaste gluten free rice snacks", + " cheese flavored gluten free rice snacks", + "gluten free rice snacks under $40" + ], + "i'm looking for a tv cabinet for living room with high gloss finish and has tempered glass. also, choose a-47\" w* 16\" d* 16\"h in size natural 017 colored one.": [ + "tv cabinet for living room with high gloss finish", + "tv cabinet for living room high gloss finish with tempered glass", + "tv cabinet for living room with high gloss finish and", + "tv cabinet in size natural 017 colored", + "tv cabinet natural 017 colored", + "tv cabinet with high gloss finish", + "tv cabinet size natural 017 colored", + "tv cabinet for living room", + "tv cabinet natural 017", + "tv cabinet" + ], + "i am looking for a ready to hang 24 inch by 30 inch poster of a cow.": [ + "24 inch by 30 inch poster of a cow", + "28 inch by 30 inch poster of a cow", + "23 inch by 30 inch poster of a cow", + "16 inch by 30 inch poster of a cow", + "ready to hang 24 inch by 30 inch poster", + "24 inch x 30 inch poster of a cow", + "living cow poster 24 inch by 30 inch", + "24 inch by 30 inch poster", + "28 poster of a cow", + "living cow poster" + ], + "i am looking for a 3-pack of bpa free fine mist bottles with trigger.": [ + "3-pack of bpa free fine mist bottles", + "bpa free fine mist bottles with trigger", + "3-pack bpa free fine mist bottles", + "4-pack of bpa free fine mist bottles", + "3 pack of bpa free fine mist bottles", + "barbecue free fine mist bottles with trigger", + "bpa free fine mist bottles", + "4 pack of bpa free fine mist bottles", + "bbpa free fine mist bottles with trigger", + "fine mist bottles with trigger" + ], + "i would like a unscented body butter that is cruelty free.": [ + " unscented body butter that is cruelty free", + "scented body butter that is cruelty free", + "unscented body butter that is cruelty free", + "scented body butter cruelty free", + " unscented body butter cruelty free", + "cruelty free unscented body butter", + "unscented body butter cruelty free", + "unnatural unscented body butter cruelty free", + "unnatural unscented body butter", + "sugar free body butter" + ], + "i need a long sleeve casual jacket for women.": [ + "long sleeve casual jacket for women", + "lens casual jacket for women", + "short sleeve casual jacket for women", + "long sleeve casual jacket for women.", + "long sleeve casual jacket", + "womens long sleeve casual jacket", + "a long sleeve casual jacket for women", + "long sleeve casual jacket for women,", + "lens casual jacket", + "long sleeve casual jacket women" + ], + "i'm looking for low carb protein powder.": [ + "low carb protein powder", + "low carb protein powder under $40", + "low carb protein powder below $40", + "low carb protein powder.", + "low carb protein powder under $50", + "low carb protein powder below $50", + "low carb protein powder under $60", + "low carb protein powder below $60", + "low carb protein powder for low carb", + "low carb protein powder under 50 dollars" + ], + "i am looking for a navy blue macbook pro 13 inch case cover.": [ + "navy blue macbook pro 13 inch case cover", + " navy blue macbook pro 13 inch case cover", + "navy blue macbook pro 13 inch case cover.", + "a navy blue macbook pro 13 inch case cover", + "womens macbook pro 13 inch case cover", + "navy blue macbook pro 13 inch case cover,", + "natals blue macbook pro 13 inch case cover", + "navy blue macbook pro 13 inches case cover", + "navy blue macbook pro 13 inch cover", + "blue macbook pro 13 inch case cover" + ], + "i'm looking for track trail running shoe for men.": [ + "track trail running shoe for men", + "im looking for track trail running shoe for men.", + "Track trail running shoe for men", + "track trail running shoe for men.", + "pink trail running shoe for men", + "track trail running shoe for men under $40", + "track trail running shoe for men under $50", + "walking shoe for men", + "indoor running shoe for men", + "shoes for men" + ], + "i would like a 0.4 ounce medium honey concealer that is long lasting.": [ + "1.4 ounce medium honey concealer", + "0.4 ounce medium honey concealer", + "3.4 ounce medium honey concealer", + "4 ounce medium honey concealer long lasting", + "2.4 ounce medium honey concealer", + "small honey concealer long lasting", + "4 ounce medium honey concealer", + "medium honey concealer long lasting", + "low sugar honey concealer", + "small honey concealer" + ], + "i want a grey bellemave bed frame wood platform bed.": [ + "grey bellemave bed frame wood platform bed", + "grey bellemave bed frame wood platform bed.", + "grey bellemave bed frame wood platform bed,", + "grey bellemave bed frame wood platform bed under $40", + "grey bellemave bed frame wood platform bed, less then $40", + "grey bellemave bed frame wood platform bed under $50", + "grey bellemave bedframe wood platform bed", + "grey bellemave bed frame wood platform", + "grey bellemave frame wood platform bed", + "grey bellemave bed frame" + ], + "i am looking for 28 short size women's straight leg jeans": [ + "28 short size womens straight leg jeans", + "short size womens straight leg jeans", + "womens straight leg jeans 28 short size", + "28 short fit womens straight leg jeans", + "27 short size womens straight leg jeans", + "womens straight leg jeans 28 short", + "28 short size womens straight leg jeans,", + "28 short leg womens straight leg jeans", + "28 short leg womens jeans", + "womens straight leg jeans" + ], + "i am looking for qazpl clip in hair extensions for hair loss.": [ + "qazpl clip in hair extensions for hair loss", + "qazpl clip in hair extensions", + "qazpl clip hair extensions for hair loss", + "qazpl clip in hair extension for hair loss", + "qazpl clip hair extensions", + "qazpl clip for hair extensions for hair loss", + " qazpl clip in hair extensions for hair loss", + "qazpl clip in hair extensions with hair loss", + "qazpl clip hair extension for hair loss", + "qazpl clip in hair extensions, hair loss" + ], + "i want a x-large merthy long sleeve camp corduroy shirt.": [ + "x-large merthy long sleeve camp corduroy shirt", + "womens long sleeve camp corduroy shirt x-large", + " x-large merthy long sleeve camp corduroy shirt", + "a x-large merthy long sleeve camp corduroy shirt", + "x-large merthy long sleeve camp corduroy shirt.", + "mens long sleeve camp corduroy shirt x-large", + "a x-large merthy long sleeve camp corduroy shirt.", + "xl merthy long sleeve camp corduroy shirt", + "large merthy long sleeve camp corduroy shirt", + " x-large merthy long sleeve camp corduroy shirt." + ], + "i need a concealer for dark circles that is in the color sassy": [ + " concealer for dark circles color sassy", + " concealer for dark circles sassy", + " concealer dark circles in the color sassy", + " concealer for dark circles", + " concealer for dark circles with sassy color", + " concealer for dark circles under $40", + " concealer for dark circles under $50", + " concealer for dark circles, sassy", + "dark circles concealer sassy", + " concealer for dark circles with sassy colors" + ], + "i would like a rose gold cupcake topper for a birthday cake.": [ + "rose gold cupcake topper for a birthday cake", + "rose gold cupcake topper for a baby shower", + "rose gold cupcake toppers for a birthday cake", + "rose gold birthday cake topper", + "rose gold cupcake toppers for a baby shower", + "rose gold birthday cupcake topper", + "rose gold cupcake topper birthday cake", + "rose gold cupcake topper for birthday cake", + "rose gold cupcake topper", + "rose gold birthday cake toppers" + ], + "i want a tripod that is easy to carry.": [ + "easy to carry tripod", + "easy-to-carry tripod", + "p tripod that is easy to carry", + "walking tripod that is easy to carry", + "t tripod easy to carry", + "p tripod easy to carry", + "walking tripod easy to carry", + "easy to carry tripod under $40", + "easy to carry tripod under $50", + "easy to carry tripod under $60" + ], + "i'm looking for a travel size perfume that should be long lasting and free from alcohol. also choose clinique happy for men impression scented one.": [ + "travel size perfume that should be long lasting and free from alcohol", + "Travel size perfume that should be long lasting and free from alcohol", + "travel size perfume, long lasting and free from alcohol", + "pink perfume long lasting and free from alcohol", + "pink perfume that should be long lasting and free from alcohol", + "travel size perfume long lasting and free from alcohol", + "travel size perfume", + "pink perfume travel size men impression scented", + "clinique happy for men", + "travel size perfume with a travel size" + ], + "i am looking for a can of ready to eat smoked oysters.": [ + "ready to eat smoked oysters", + "moisturizing smoked oysters", + "ready to eat smoked oysters.", + "pink oysters ready to eat", + "alarm smoked oysters", + "pack of smoked oysters", + "moisturized smoked oysters", + "moisturized oysters", + "pink oysters", + "moked oysters" + ], + "i'm looking for a high quality tea tree oil with basil scent. choose the ones that come in 10 ml package.": [ + "tea tree oil with basil scent 10 ml package", + "tea tree oil 10 ml package", + "tea tree oil with basil scent", + "tea tree oil with basil scent, 10 ml package", + "tea tree oil with basil scent10 ml package", + "tea tree oil with basil scent in 10 ml package", + "tea tree oil with basil scent 10ml package", + "tea tree oil with basil scent. 10 ml package", + "tea tree oil, basil scent, 10 ml package", + "tea tree oil, basil scent 10 ml package" + ], + "i'm looking for an extra large men's valley jacket that will last a long time and is made from high quality materials.": [ + "extra large mens valley jacket", + "extra large mens valley jacket made from high quality materials", + "extra large mens valley jacket, made from high quality materials", + "extra large mens valley jacket with high quality materials", + "extra large mens valley jacket that will last a long time", + "extra large mens valley jacket from high quality materials", + "extra large mens valley jacket in high quality materials", + "extra large mens valley jacket that is high quality materials", + "large mens valley jacket", + "mens valley jacket" + ], + "i would like a medium green two piece swim suit with moisture wicking.": [ + "medium green two piece swim suit", + "two piece swim suit with moisture wicking", + "2 piece swim suit with moisture wicking", + "medium green two piece swim suit with moisture", + "medium green two piece swim suit wicking", + "medium green 2 piece swim suit", + "medium green two piece swim suit under $50", + "medium green two piece swim suit under $40", + "medium green two piece swim suit under $60", + "two piece swim suit" + ], + "i'm looking for a pack of 2 guava jelly 1.06 oz jar with 0g trans": [ + "pack of 2 guava jelly 1.06 oz jar", + "2 guava jelly 1.06 oz jar with 0g trans", + "bag of 2 guava jelly 1.06 oz jar", + "pack of 2 guava jelly 1.06 oz jar under $40", + "pack of 2 guava jelly 1.06 oz jar under $50", + "pink guava jelly 1.06 oz jar with 0g trans", + "pack of 2 guava jelly 1.06 oz jar under $60", + "1.06 oz jar with 0g trans", + "pack of 2 guava jelly 1.06 oz", + "pack of 2 guava jelly 1.06 oz jar under 50 dollars" + ], + "i would like a 3 pack of kugel meal kits that are fully cooked.": [ + "3 pack of kugel meal kits", + "3 pack of kugel meal kit", + "3 pack of kugel meal kits, fully cooked", + "kugel meal kits that are fully cooked", + "4 pack of kugel meal kits", + "3 pack of kugel meal kits fully cooked", + "3 pack of kugel meal kits under $50", + "three pack of kugel meal kits", + "3 pack of kugel meal kits under $60", + "3 pack of kugel meal kits under $40" + ], + "i would like a 5xl leopard t shirt with a short sleeve.": [ + "5xl leopard t-shirt", + "5xl leopard t shirt with a short sleeve", + "5xl leopard t-shirt with short sleeve", + "5xl leopard t-shirt short sleeve", + "5xl leopard t-shirt with short sleeves", + "5xl leopard t-shirt, short sleeve", + "5xl leopard t shirt", + "5xl leopard t-shirt long sleeve", + "5xl leopard t-shirt under $50", + "5xl leopard t shirt with short sleeve" + ], + "i want to buy some earbuds that are easy to carry and are in color pinky girls.": [ + "easy to carry earbuds pinky girls", + "easy to carry pinky girls earbuds", + "easy to carry pink earbuds", + "easy to carry earbuds for pinky girls", + "pink earbuds for pinky girls", + "pink earbuds", + "pink earbuds easy to carry", + "easy to carry earbuds pinky girl", + "pink girl earbuds", + "pink earbuds that are easy to carry" + ], + "i would like a glossy red keychain that is made of carbon fiber.": [ + "gloss red keychain made of carbon fiber", + "lip gloss red keychain made of carbon fiber", + " glossy red keychain made of carbon fiber", + "gloss red keychain made from carbon fiber", + "lip gloss red keychain", + "gloss red keychain", + "gl glossy red keychain made of carbon fiber", + "pink red keychain made of carbon fiber", + "gl glossy red keychain", + " glossy red keychain" + ], + "add to my list a wizard of oz 3xlarge tshirt for men. should be officially licenced..": [ + "womens t-shirt for men", + "womens t-shirt 3xl", + "womens t-shirt under $50", + "womens t-shirt under $40", + "womens t-shirt 3xlarge", + "womens t-shirt for men under $50", + "womens t-shirt for men under $40", + "womens t-shirt under $60", + "womens t-shirt", + "womens tshirt for men" + ], + "i am looking for some gluten free did someone say chipotle flavored seafood seasoning.": [ + "chipotle flavored seafood seasoning", + "chocolate flavored seafood seasoning", + "chotle flavored seafood seasoning", + "gluten free chipotle flavored seafood seasoning", + "gluten free chipsotle flavored seafood seasoning", + "pinkotle flavored seafood seasoning", + "chickotle flavored seafood seasoning", + "chipotle flavored seafood seasoning.", + "gluten free seafood seasoning", + "Chipotle flavored seafood seasoning" + ], + "i would like a black file cabinets what are fully assembled.": [ + "black file cabinets", + "black file cabinets fully assembled", + "black file cabinets, fully assembled", + "white file cabinets fully assembled", + "black file cabinets fully assembled.", + "black file cabinets under $40", + "black file cabinets under $50", + "black file cabinets under $60", + "living room black file cabinets", + "white file cabinets" + ], + "i am looking for a women's grey short sleeve mini dress.": [ + "womens grey short sleeve mini dress", + "womens grey short sleeve mini dress.", + "womens grey short sleeve mini dress under $50", + "womens grey short sleeve mini dress under $40", + "womens grey short sleeve mini dress under 30 dollars", + "womens grey short sleeve mini dress under 50 dollars", + "womens grey short sleeve mini dress under 40 dollars", + "grey short sleeve mini dress", + "womens grey short sleeve mini dress under $60", + "womens grey short sleeve mini dress under 60 dollars" + ], + "i need an easy to carry background that is 7 by 5 ft": [ + "easy to carry background 7 by 5 ft", + "easy to carry background, 7 by 5 ft", + "easy to carry background 7 x 5 ft", + "easy to carry background for 7 by 5 ft", + "easy to carry background", + "background 7 by 5 ft", + "background that is 7 by 5 ft", + "easy to carry background 7x 5 ft", + "easy to carry background 9 by 5 ft", + "7 by 5 ft background" + ], + "i want a 64 gig data shur usb port drive.": [ + "64 gig data shur usb port drive", + "64 gig data shur usb port drive.", + "64 gig data shur usb port", + "64 gig data shur usb port drive under $40", + "64 gig data shur usb port drive under $50", + "64 gig data shur usb port drive under $130", + "64 gig data shur usb port drive under $60", + "64 gig data shur usb port drive under $120", + "32 gig data shur usb port drive", + "64gb data shur usb port drive" + ], + "i want blouse hosiery in white color": [ + " blouse hosiery in white", + " blouse hosiery in white color", + " blouse hosiery white", + "blouse hosiery in white", + "blouse hosiery white", + "blouse hosiery in white color", + "blue blouse hosiery in white", + "black blouse hosiery in white", + "white blouse hosiery", + "brushed hosiery in white" + ], + "i am looking for some high protein salt n' vinegar flavored almonds.": [ + "high protein salt n vinegar flavored almonds", + "low protein salt n vinegar flavored almonds", + "salt n vinegar flavored almonds", + "high protein salt n vinegar flavored almonds.", + "high protein salt n vinegar flavored almonds flavor", + "low protein salt n vinegar flavored almonds flavor", + " salt n vinegar flavored almonds", + "sea salt n vinegar flavored almonds", + "spray n vinegar flavored almonds", + "almond flavored almonds" + ], + "i want a 2 pack of garnier hair care fructis coconut oil conditioner.": [ + "2 pack of garnier hair care fructis coconut oil conditioner", + "garnier hair care fructis coconut oil conditioner 2 pack", + "garnier hair care fructis coconut oil conditioner", + "two pack of garnier hair care fructis coconut oil conditioner", + "1 pack of garnier hair care fructis coconut oil conditioner", + "3 pack of garnier hair care fructis coconut oil conditioner", + "gaanier hair care fructis coconut oil conditioner 2 pack", + "gaanier hair care fructis coconut oil conditioner", + "gardenier hair care fructis coconut oil conditioner", + "toothpaste fructis coconut oil conditioner" + ], + "i would like a high protein jerky.": [ + "high protein jerky", + "high protein jerky.", + "high protein jerky under $40", + "protein jerky high protein", + "high protein jerky under $60", + "high protein jerky under $50", + "protein jerky that is high protein", + "high protein jerky under 30 dollars", + "high protein jerky below $40", + "protein jerky" + ], + "i want some noise cancelling headset. it should be hands free.": [ + "noise cancelling headset", + " noise cancelling headset that is hands free", + "noise cancelling headset, hands free", + "clothing free noise cancelling headset", + " noise cancelling headset", + "noise cancelling headset that is hands free", + " noise cancelling headset, hands free", + "noise cancelling headset hands free", + "phone noise cancelling headset", + "non noise cancelling headset" + ], + "iam looking for gmo free assortment - 38 pc": [ + "gmo free assortment 38 pc", + "gmo free assortment - 38 pc", + "gmo free assortment- 38 pc", + "gmo free assortment of 38 pc", + "gluten free assortment - 38 pc", + "gluten free assortment 38 pc", + "gmo free assortment", + "galmo free assortment - 38 pc", + "galmo free assortment 38 pc", + "gmo free assortment under $40" + ], + "i'm looking for professional animal arco pet clipper kit.": [ + "professional animal arco pet clipper kit", + "professional animal arco pet clipper kit.", + "professional animal arco pet clipper kit under $50", + "professional animal arco pet clipper kit that is professional", + "professional animal arco pet clipper kit under $40", + "professional animal arco pet clipper kit under $60", + "professional animal arco pet clipper kit under 50 dollars", + "professional animal arco pet clipper kit under $120", + "professional animal arco pet clipper kit,", + "professional animal arco pet clippers kit" + ], + "i'm looking for long lasting eyeshadow pencils for women.": [ + "long lasting eyeshadow pencils for women", + "daring eyeshadow pencils for women", + "short lasting eyeshadow pencils for women", + "long lasting eyeshadow pencils", + "blue eyeshadow pencils for women", + "lenshadow pencils for women", + "woman eyeshadow pencils for women", + "woman eyeshadow pencils", + "blue human eyeshadow pencils", + "long lasting eyeshadow pencils women" + ], + "i am looking for a 3'x5' size of contemporary style area rugs": [ + "3x5 contemporary style area rugs", + "3x5 modern style area rugs", + "3x5 size of contemporary style rug", + "3x5 style area rugs", + "living room rug 3x5", + "contemporary style area rugs", + "style area rugs 3x5", + "3x5 rug", + "3x5 style rug", + "style area rugs" + ], + "i am looking for hands free, noise cancelling earphones in the color blue.": [ + "hand free, noise cancelling earphones in the color blue", + "hands free, noise cancelling earphones in the color blue", + "hand free noise cancelling earphones in the color blue", + "hands free noise cancelling earphones in the color blue", + "free noise cancelling earphones in the color blue", + "freeze noise cancelling earphones in the color blue", + "hand free, noise cancelling earphone in the color blue", + "sound cancelling earphones in the color blue", + "hand free, noise cancelling earphones", + "hand free, noise cancelling earphones in a color blue" + ], + "i am looking for a wireless bluetooth headphone with noise cancelling and dust proof. also in red color": [ + "wireless bluetooth headphone with noise cancelling and dust proof", + " wireless bluetooth headphone with noise cancelling and dust proof", + "wireless bluetooth headphone with noise cancelling", + "a wireless bluetooth headphone with noise cancelling and dust proof", + "wireless bluetooth headphone with noise cancelling, dust proof", + "womens wireless bluetooth headphone with noise cancelling", + "blue bluetooth headphone with noise cancelling and dust proof", + "wireless bluetooth headphone", + " wireless bluetooth headphone with noise cancelling", + "womens wireless bluetooth headphone" + ], + "i'm looking for bookshelf speaker.": [ + "6 ft bookshelf speaker", + "bookshelf speaker", + "bookshelf speaker.", + "sneakers bookshelf speaker", + "toothpaste bookshelf speaker", + "Bookshelf speaker", + "shoeshelf speaker", + "teenshelf speaker", + "bookshelf speaker under $40", + "bookshelf speaker under $50" + ], + "i am looking for an army green short sleeve polo shirt.": [ + "alarm green short sleeve polo shirt", + "army green short sleeve polo shirt", + "Army green short sleeve polo shirt", + "an army green short sleeve polo shirt", + " army green short sleeve polo shirt", + "alarm green polo shirt", + "a green short sleeve polo shirt", + "army green polo shirt", + "an army green short sleeve polo shirt.", + "army green short sleeve polo shirt." + ], + "i want blue velvet sectional couches for the living room.": [ + "blue velvet sectional couches for living room", + "blue velvet sectional couches living room", + "blue velvet sectional couches living room.", + "blue velvet sectional couches", + "blue velvet sectional couches, living room", + "blue velvet sectional couches for dining room", + "blue velvet sectional couches dining room", + "blue velvet sectional couch", + "blue velvet sectional sofa", + "blue velvet rug" + ], + "i am interested in buying a 13.5 inch intel core i5 processor based tablet which has a usb port.": [ + "13.5 inch intel core i5 processor based tablet with a usb port", + "intel core i5 processor based tablet with a usb port", + "12.5 inch intel core i5 processor based tablet with a usb port", + " 13.5 inch intel core i5 processor based tablet with a usb port", + "intel core i5 processor based tablet which has a usb port", + "intel core i5 processor based tablet with usb port", + "13.5 inch intel core i5 processor based tablet", + "13.5 inch intel core i5 processor based tablet with usb port", + " i5 processor based tablet with a usb port", + "intel core i5 processor based tablet" + ], + "i'm looking for a men's blue slim fit short sleeve shirt in size small.": [ + "mens blue slim fit short sleeve shirt in size small", + "mens blue slim fit short sleeve shirt in a size small", + "mens blue slim fit short sleeve shirt", + "mens blue slim fit short sleeve shirt in size small.", + "mens blue slim fit short sleeve shirt in a small", + "mens blue slim fit short sleeve shirt in size small", + "mens blue slim fit short sleeve shirt size small", + "mens blue slim fit short sleeve shirt in small", + "mens blue slim fit short sleeve shirt, size small", + "mens blue slim fit short sleeve shirt in size small," + ], + "i am looking for non-gmo, gluten-free and kosher certified mustard seeds.": [ + "non-gmo gluten-free and kosher certified mustard seeds", + "non-gmo gluten free and kosher certified mustard seeds", + "non-gmo, gluten free and kosher certified mustard seeds", + "non-gmo dairy free and kosher certified mustard seeds", + "non-gmo gluten-free, kosher certified mustard seeds", + "non-gmo gluten-free and kosher certified mustard seed", + "non-gmo gluten-free kosher certified mustard seeds", + "non-gmo mustard seeds", + "non-gmo and kosher certified mustard seeds", + "non-gmo gluten-free mustard seeds" + ], + "i'm in need of a pair of laundry bags made from mesh.": [ + "pair of laundry bags made from mesh", + "womens laundry bags made from mesh", + "two laundry bags made from mesh", + "a pair of laundry bags made from mesh", + "living room laundry bags made from mesh", + "bag made from mesh", + "jeans laundry bags made from mesh", + "bag of laundry bags made from mesh", + "womens laundry bag made from mesh", + "pair of laundry bags made from mesh." + ], + "i want black dunham men's revchase slip-ons with memory foam.": [ + "black dunham mens revchase slip-ons with memory foam", + "dunham mens revchase slip-ons with memory foam", + "black dunham mens revchase slip-ons", + "white dunham mens revchase slip-ons with memory foam", + "duckham mens revchase slip-ons with memory foam", + "black dunham mens revchase slip-ons with memory foam,", + "black dunham mens revchase slip-ons with memory foam.", + "black dunham mens revchase slip-ons with memory foam", + "black dunham mens revchase slip-ons, memory foam", + "muskmens revchase slip-ons with memory foam" + ], + "i'm looking for a long lasting foundation that has spf50+. also, choose the color no. 21.": [ + "long lasting foundation that has spf50+.", + "long lasting foundation with spf50+.", + "a long lasting foundation with spf50+.", + "long lasting foundation with spf50+. ", + "stainless foundation no. 21", + "sf50+. color no. 21", + "long lasting foundation spf50+.", + "brittle foundation no. 21", + "spf50+.", + "sf50+." + ], + "i am looking for a sugar free starburst cherry flavored energy drink.": [ + "sugar free starburst cherry flavored energy drink", + "sugar free starburst cherry flavored energy drink.", + "sugar free, cherry flavored energy drink", + "sugar free starburst cherry flavored energy drink under $40", + "sugar free starburst cherry flavored energy drink under $60", + "sugar free starburst cherry flavored energy drink under 50 dollars", + "sugar free starburst cherry flavored energy drink under $50", + "sugar free starburst cherry flavored energy drink under 30 dollars", + "sugar free and cherry flavored energy drink", + "sugar free starburst cherry flavored energy drink under 40 dollars" + ], + "i am looking for ivory color entryway plush 2-inch thick area rug of size 2 ft 3 in x 12 ft for living room": [ + "yellow entryway plush 2-inch thick area rug", + "yellow entryway plush 2-inch thick area rug for living room", + "yellow entryway plush 2-inch thick area rug living room", + "yellow entryway plush 2 ft 3 in x 12 ft living room", + "yellow entryway plush 2 ft 3 in x 12 ft rug", + "yellow plush 2-inch thick area rug for living room", + "yellow square rug 2 ft 3 in x 12 ft living room", + "yellow plush 2-inch thick area rug living room", + "yellow plush 2-inch thick area rug", + "yellow entryway plush 2 x 3 in x 12 ft living room" + ], + "i need to buy a nine foot round rug in ivory and green for my living room.": [ + "9 foot round rug in ivory and green", + "9 foot round rug in ivory and green living room", + "9 foot round rug in ivory and green for living room", + "nine foot round rug in ivory and green living room", + "nine foot round rug in ivory and green", + "9 foot square rug in ivory and green living room", + "9 foot square rug in ivory and green", + "9 foot square rug in ivory and green for living room", + "nine foot round rug in ivory and green for living room", + "square rug in ivory and green for living room" + ], + "i would like a dark green pair of hair cutting sheers.": [ + "dark green hair cutting sheers", + "dark green woman hair cutting sheers", + "dark green wig cutting sheers", + "dark green hair cutting sheers.", + "dark green human hair cutting sheers", + "dark green girl hair cutting sheers", + "dark green hair cutting sheers,", + "dark green style hair cutting sheers", + "dark green wig wig cutting sheers", + "dark green wig" + ], + "i'm looking for under armour tech short sleeve t-shirt for men.": [ + "alarm tech short sleeve t-shirt for men", + "short sleeve t-shirt for men", + "short sleeve t-shirt for men under $50", + "short sleeve t-shirt for men under 40 dollars", + "slimming t-shirt for men", + "t-shirt for men under 40 dollars", + "short sleeve t-shirt for men under $40", + "man t-shirt under armour tech", + "short sleeve t-shirt for men under 50 dollars", + "t-shirt for men under $50" + ], + "i am looking for a 4 light vanity light with a contemporary design.": [ + "4 light vanity light with a contemporary design", + "4 light vanity light", + "4 light vanity light in a contemporary design", + " 4 light vanity light with a contemporary design", + "4 light vanity light, contemporary design", + "4 light vanity light that is contemporary", + "4 light vanity light with contemporary design", + "4 light vanity light, contemporary", + "4 light vanity light with a modern design", + "4 light vanity light in contemporary design" + ], + "i am looking for betty crocker fruit by the foot with no artificial flavors in a pack of 36.": [ + "betty crocker fruit by the foot with no artificial flavors pack of 36", + "pink crocker fruit by the foot pack of 36", + "betty crocker fruit by the foot pack of 36", + "pink crocker fruit by the foot with no artificial flavors pack of 36", + "betty crocker fruit by the foot", + "tetty crocker fruit by the foot pack of 36", + "pack of 36 betty crocker fruit by the foot with no artificial flavors", + "betty crocker fruit by the foot no artificial flavors pack of 36", + "pack of 36 betty crocker fruit by the foot", + "betty crocker fruit by the foot with no artificial flavors" + ], + "i am looking for open toe women's sandals of size 8.5": [ + "open toe womens sandals of size 8.5", + "open toe womens sandals size 8.5", + "open toe womens sandals", + "open toe womens sandals in size 8.5", + "open toe womens sandals, size 8.5", + "open toe womens sandals in a size 8.5", + "open toe womens sandals of size 8.5,", + "open toe womens sandals that are size 8.5", + "open toe womens sandals 8.5", + "open toe womens sandals, size 8.5," + ], + "i would like some wild caught oysters.": [ + "wild oysters", + "wild oysters wild", + "wild oysters under $40", + "wild oysters under $50", + "wild oysters that are wild", + "wild oysters under $60", + "wild oysters wild under $40", + "wild oysters wild under $50", + "wild oysters under 50 dollars", + "wild oysters wild under $60" + ], + "i'm looking for flannel throw blanket sherpa microfiber bed sofa.": [ + "flannel throw blanket sherpa microfiber bed sofa", + "flannel throw blanket sherpa microfiber bed sofa.", + "fluoride throw blanket sherpa microfiber bed sofa", + "flannel throw blanket sherpa microfiber bed sofa,", + " flannel throw blanket sherpa microfiber bed sofa", + "fiber bed sofa flannel throw blanket sherpa", + "flannel throw blanket sherpa", + "flannel throw blanket sherpa microfiber bed", + "flannel throw blanket sfiber bed sofa", + "fiber bed sofa flannel throw blanket" + ], + "i need an easy to clean hydraulic chair that is heavy duty. it is for my hair salon.": [ + "easy to clean hydraulic chair that is heavy duty", + "easy to clean hydraulic chair heavy duty", + "easy to clean hydraulic chair", + "easy to clean hydraulic chair for a hair salon", + "easy to clean hydraulic chair for hair salon", + "easy clean hydraulic chair that is heavy duty", + "easy to clean hydraulic chair with heavy duty", + "easy to clean hydraulic chair for my hair salon", + "easy clean hydraulic chair heavy duty", + "easy clean hydraulic chair" + ], + "i am interested in buying a green linen arm chair of faux leather for the living room.": [ + "green linen arm chair of faux leather living room", + "green linen arm chair of faux leather for living room", + "green linen arm chair of faux leather", + "green linen arm chair, faux leather, living room", + "green linen arm chair in faux leather for living room", + "green linen arm chair of faux leather, living room", + "green linen arm chair of faux leather living room.", + "green linen arm chair of faux leather dining room", + "green linen arm chair for living room", + "green linen arm chair" + ], + "i am looking for king size bed having wood frame.": [ + "king size bed with wood frame", + "king size bed having wood frame", + "king size bed wood frame", + "king size bed that is wood frame", + "king size bed with wood frame.", + "king size bed, wood frame", + "king size bed", + "king size bed no wood frame", + "king size bed having wood frame.", + "king size bed with wood frame," + ], + "i'm looking for a large pack of candles that are honeycomb veriglass scented please? i": [ + "large pack of candles honeycomb veriglass scented", + "womens candles honeycomb veriglass scented", + "honeycomb veriglass candles", + "large pack of candles with honeycomb veriglass scented", + "large pack of candles honeycomb veriglass scented please", + "small pack of candles honeycomb veriglass scented", + "moisturizing candles honeycomb veriglass scented", + "large pack of candles, honeycomb veriglass scented", + "womens honeycomb veriglass candles", + "large pack of candles" + ], + "please find a root candles honeycomb veriglass scented, lead free, color bayberry .": [ + "root candles honeycomb veriglass scented, lead free, color bayberry", + "home candles honeycomb veriglass scented, lead free, color bayberry", + "roasted candles honeycomb veriglass scented, lead free, color bayberry", + "bottle candles honeycomb veriglass scented, lead free, color bayberry", + "synt candles honeycomb veriglass scented, lead free, color bayberry", + "root candles honeycomb veriglass scented with lead free, color bayberry", + "root candles honeycomb veriglass scented, lead free, color bayberry,", + "root candles honeycomb veriglass scented lead free, color bayberry", + "root candles honeycomb veriglass scented, lead free, color bayberry ", + "wood candles honeycomb veriglass scented, lead free, color bayberry" + ], + "looking for cotton heather t shirt which is machine washable also choose colour dark heather": [ + "womens heather t-shirt", + "womens heather t-shirt dark heather", + "cotton heather t-shirt, machine washable", + "womens t-shirt dark heather", + "cotton heather t-shirt", + "cotton heather t-shirt in dark heather", + "tunnel heather t-shirt", + "t-shirt dark heather", + "womens heather t-shirt under $40", + "cotton heather t shirt" + ], + "i would like a wolf moon hair cutting kit.": [ + "wolf moon hair cutting kit", + "l wolf moon hair cutting kit", + " wolf moon hair cutting kit", + "wolf moon hair cutting kit.", + "lone wolf moon hair cutting kit", + "pink wolf moon hair cutting kit", + "womens wolf moon hair cutting kit", + "l wolf moon hair cutting kit.", + " wolf moon hair cutting kit.", + "wolf moon hair cutting kit under $50" + ], + "i am looking for a long lasting brown colored liquid eyeliner.": [ + "long lasting brown colored liquid eyeliner", + "brown colored liquid eyeliner", + "low lasting brown colored liquid eyeliner", + "rainbow colored liquid eyeliner", + "brown colored liquid eyeliner long lasting", + "lens eyeliner long lasting brown", + "brown liquid eyeliner long lasting", + "brown liquid eyeliner", + "dark brown liquid eyeliner", + "black liquid eyeliner long lasting" + ], + "i want to buy sneakers for men which have a rubber sole, and are of navy color, while the size should be 13.": [ + "sneakers 13 navy", + "sneakers for men 13", + "navy sneakers 13", + "navy colored sneakers 13", + "sneakers 13 in navy", + "sneakers 13, navy", + "neakers for men 13 navy", + "sneakers 13", + "size 13 sneakers for men", + "navy sneakers 13 size" + ], + "i am looking for some high quality 14mm false eyelashes.": [ + "14mm false eyelashes", + "14mm false eyelashes high quality", + "14mm false eyelashes, high quality", + "14mm false eyelashes under $40", + "14mm false eyelashes.", + "14mm false eyelashes under $50", + "14mm false eyelashes under $60", + "14mm false eyelashes in high quality", + "14mm false eyelashes with high quality", + "teenmm false eyelashes" + ], + "i am looking for an easy to hang 24 inch by 32 inch floral oil painting for my living room.": [ + "24 inch by 32 inch floral oil painting", + "23 inch by 32 inch floral oil painting", + "18 inch by 32 inch floral oil painting", + "24 inch by 32 inch floral oil painting living room", + "living room floral oil painting", + "23 foot by 32 inch floral oil painting", + "23 inch by 32 inch floral oil painting living room", + "living room floral oil painting 24 inch by 32 inch", + "23 ft x 32 ft floral oil painting", + "23 ft by 32 inch floral oil painting" + ], + "i am looking for some gluten and sugar free irish cream syrup.": [ + "gluten free irish cream syrup", + "gluten-free irish cream syrup", + "gluten free irish cream sugar free", + "sugar free irish cream syrup", + "gluten free irish cream syrup.", + "risl cream syrup gluten free", + "risish cream syrup gluten free", + "gluten free irish cream", + "risl cream syrup", + "risish cream syrup" + ], + "i am looking for sugar free blue raspberry syrup.": [ + "sugar free blue raspberry syrup", + "sugar free blue raspberry syrup under $40", + "sugar free raspberry syrup", + "sugar free blue raspberry syrup under $50", + "sugar free blue raspberry syrup under $60", + "sugar free blue raspberry syrup.", + "sugar free blue raspberry syrup under 50 dollars", + "sugar free blue raspberry syrup below $40", + "sugar free blue raspberry syrup under 30 dollars", + "sugar free blue raspberry syrup below $50" + ], + "i'm looking for a 198 gram box of crunchy organic breakfast cereal; it must suit my high-protein, gluten-free diet.": [ + " 198 gram box of crunchy organic breakfast cereal", + "198 gram box of crunchy organic breakfast cereal", + "pink organic breakfast cereal 198 gram box", + "bag of crunchy organic breakfast cereal", + "pink organic breakfast cereal", + "pink organic breakfast cereal 198 gram", + "28 gram box of crunchy organic breakfast cereal", + "pink organic breakfast cereal, gluten-free", + "pink organic breakfast cereal, gluten free", + "pink organic breakfast cereal, 198 gram" + ], + "can you direct me to a pair of women's shorts? i want them to have elastic waist and come in black, please": [ + "womens shorts in black", + "womens shorts black", + "womens shorts, elastic waist black", + "womens shorts, black", + "womens shorts elastic waist black", + "womens shorts in a black", + "womens shorts with elastic waist black", + "womens shorts", + "womens shorts colored black", + "womens shorts with elastic waist" + ], + "i'm looking for a 4oz baked fresh vanilla rum cake": [ + "4oz baked fresh vanilla rum cake", + "4oz baked fresh vanilla rum cake under $40", + "4oz baked fresh vanilla rum cake under $60", + "4oz baked fresh vanilla rum cake under 40 dollars", + "4oz baked fresh vanilla rum cake below $40", + "4oz baked fresh vanilla rum cake under 50 dollars", + "4oz baked fresh vanilla rum cake under $50", + "4oz fresh vanilla rum cake", + "4oz baked fresh vanilla rum cake under 30 dollars", + "4oz baked fresh vanilla rum cake under 120 dollars" + ], + "i'm looking for a machine washable, regular fit men's shorts with tummy control elastic waist band and has drawstring closure for gym workout. also choose 3x-large size black colored one.": [ + "machine washable, regular fit mens shorts with tummy control elastic waist band", + "machine washable mens shorts with tummy control elastic waist band", + "man washable, regular fit mens shorts with tummy control elastic waist band", + "machine washable, regular fit mens shorts with a tummy control elastic waist band", + "machine washable mens shorts with tummy control elastic waist band and drawstring closure", + "machine washable, regular fit mens shorts with tummy control elastic waist band,", + "machine washable black mens shorts with tummy control elastic waist band", + "mens shorts with tummy control elastic waist band", + "man washable mens shorts with tummy control elastic waist band", + "machine washable, regular fit mens shorts" + ], + "i need aluminum tripod legs": [ + "aluminum tripod legs", + "aluminum tripod legs under $50", + "aluminum tripod legs under $40", + "aluminum tripod legs that are lightweight", + "aluminum tripod legs under $60", + "aluminum tripod legs for aluminum tripod", + "aluminum tripod legs under $130", + "aluminum tripod leg", + "aluminum tripod legs aluminum", + "aluminum tripod legs," + ], + "i am looking for yellow birthday cake candles.": [ + "yellow birthday cake candles", + "yellow birthday cake candles.", + "yellow birthday cake candles under $40", + "yellow birthday cake candles under $50", + "yellow birthday cake candles under 50 dollars", + "yellow birthday cake candles under $60", + "yellow birthday cake candles under 30 dollars", + "yellow birthday cake candles under 40 dollars", + "yellow birthday cake candles under 60 dollars", + "yellow birthday cake candles yellow" + ], + "i want to buy caffeine free herbal tea in a pack of 1.": [ + "caffeinated herbal tea pack of 1", + "coffee free herbal tea pack of 1", + "caffeinated free herbal tea pack of 1", + "caffe free herbal tea pack of 1", + "caffeine free herbal tea pack of 1", + "caffeinated herbal tea pack of 1.", + "fluoride free herbal tea pack of 1", + " caffeine free herbal tea pack of 1", + "coffee free herbal tea pack of 1.", + "caffe free herbal tea pack of 1." + ], + "i'm looking for organic, caffeine free elderberry tea. i want a pack of one.": [ + "organic, caffeine free elderberry tea pack", + "organic, caffeine free elderberry tea pack of 1", + "organic, caffeine free elderberry tea pack of 5", + "organic, caffeine free elderberry tea pack of one", + "organic, caffeine free elderberry tea pack of 6", + "organic, caffeine free elderberry tea pack of 3", + "organic, caffeine free elderberry tea pack of 4", + "organic, caffeine free elderberry tea pack pack", + "natural, caffeine free elderberry tea pack", + "organic, caffeine free elderberry tea" + ], + "i want a women slip resistant red color shoes with size 10.5": [ + "womens red shoes size 10.5", + "womens slip resistant red shoes size 10.5", + "womens slip resistant red shoes with size 10.5", + "womens slip resistant red shoes in size 10.5", + "womens slip resistant red color shoes size 10.5", + "women slip resistant red shoes size 10.5", + "woman slip resistant red shoes size 10.5", + "womens red shoe size 10.5", + "womens red shoes in size 10.5", + "womens slip resistant red shoes" + ], + "plus size black velvet cropped and shorts set": [ + "black velvet cropped shorts set", + "black velvet cropped and shorts set", + "plus size black velvet cropped and shorts set", + "plus size black velvet cropped shorts set", + "black velvet cropped shorts set below $50", + "black velvet cropped shorts set below $40", + "black velvet cropped short shorts set", + "black velvet cropped shorts set under $40", + "black velvet cropped shorts set under $50", + "black velvet cropped shorts" + ], + "i'm looking for a black speaker with a carrying case that is easy to use.": [ + "black speaker with carrying case", + "black speaker with a carrying case", + "easy to use black speaker with carrying case", + "black speaker with carrying case easy to use", + "black speaker carrying case", + "black speaker that is easy to use", + "black speaker carrying case easy to use", + "white speaker with carrying case", + "easy to use black speaker", + "black speaker" + ], + "i am looking for a space saving side table for the living room. also, i would like it to be in blue color.": [ + "living room side table in blue", + "living room dining table in blue", + "living room dining room table in blue", + "living room table in blue", + "living room dining table blue", + "living room side table in blue color", + "living room dining room table blue", + "living room side table blue", + "living room dining table in blue color", + "living room table blue" + ], + "i want a mydrinkbomb cocktail bombs tequila sunrise mix gift set.": [ + "tequila sunrise mix gift set", + "ttequila sunrise mix gift set", + "tequila sunrise mix gift set.", + "tetquila sunrise mix gift set", + "tequila sunrise mix gift set under $50", + "tequila sunrise mix gift set under 50 dollars", + "tequila sunrise mix gift set", + "tequila sunrise mix gift set under $40", + "tequila sunrise mix gift set under $60", + "sugar sunrise mix gift set" + ], + "i would like a bronze floor lamp with a glass shade.": [ + "floor lamp with a glass shade", + "floor lamp with glass shade", + "floor lamp bronze", + "living room bronze floor lamp with glass shade", + "plastic floor lamp with a glass shade", + "aluminum floor lamp with a glass shade", + " bronze floor lamp with a glass shade", + "wooden floor lamp with a glass shade", + "floor lamp bronze with a glass shade", + "living room bronze floor lamp" + ], + "i am interested in long sleeved white pullovers that are casual": [ + "long sleeved white pullovers", + "long sleeved white pullovers that are casual", + "long sleeved white pullover", + "clothing long sleeved white pullovers", + "lens long sleeved white pullovers", + "long sleeved white pullover that are casual", + "short sleeved white pullovers", + "long sleeved white pullovers, casual", + "short sleeved white pullovers that are casual", + "long sleeved white pullovers under $40" + ], + "i am looking for a women's navy t-shirt that is machine washable.": [ + "womens navy t-shirt that is machine washable", + "womens navy t-shirt", + "womens navy t-shirt, machine washable", + "womens navy t-shirt machine washable", + "womens navy t-shirt is machine washable", + "womens navy t-shirt under $50", + "womens navy t-shirt under $40", + "womens navy t-shirt with a washable price", + "womens navy t-shirt, machine washable,", + "mens navy t-shirt" + ], + "i want a medium gray long leave hoodie.": [ + "medium gray long leave hoodie", + "medium gray long leave hoodie.", + "medium gray long leave hoodie under $40", + "medium gray long leave hoodie under $50", + "medium gray long leave hoodie under $60", + "medium gray long leave hoodie under 30 dollars", + "medium gray long leave hoodie under 50 dollars", + "medium gray hoodie", + "medium gray long leave hoodie under 40 dollars", + "medium gray long leave hoodie," + ], + "let's see some sandals in vinyl acetate. it should have ponderosa pine puma white as color.": [ + "psuma pine puma white sandals", + "sandals in vinyl acetate with ponderosa pine puma white", + "sneakers in vinyl acetate with ponderosa pine puma white", + "sandals in vinyl acetate", + "sandals in vinyl acetate color ponderosa pine puma white", + "psuma puma white sandals", + "sneakers in vinyl acetate", + "puma white sandals", + "dust sandals in vinyl acetate", + "sandals in vinyl acetate with ponderosa pine puma white color" + ], + "i am looking for a heavy duty line beige color massage chair.": [ + "heavy duty line beige color massage chair", + "heavy duty line beige color massage chair.", + "heavy duty line beige color massage chair under $50", + "heavy duty line beige color massage chair under $40", + "heavy duty line beige color massage chair under $60", + "heavy duty line beige color massage chair under 50 dollars", + "heavy duty line beige color massage chair under 30 dollars", + "heavy duty line beige color massage chair under $120", + "heavy duty line beige color massage chair,", + "heavy duty line beige color massage chair under 40 dollars" + ], + "i want to buy tweezers which are stainless steel and have red color.": [ + "stainless steel tweezers red", + "stainless steel tweezers", + "stainless steel tweezers in red", + "stainless steel tweezers, red", + "stainless steel tweezers with red", + "stainless steel tweezers stainless steel", + "tweezers stainless steel", + "tweezers stainless steel red", + "teezers stainless steel", + "ttweezers stainless steel" + ], + "i want gluten free bakell green & gold edible brew glitter.": [ + "gluten free bakell green & gold edible brew glitter", + "gluten free bakedll green & gold edible brew glitter", + "gluten free bakell green and gold edible brew glitter", + "bakell green & gold edible brew glitter", + "gluten free bakell green gold edible brew glitter", + "bagel green & gold edible brew glitter", + "beakersll green & gold edible brew glitter", + "banque green & gold edible brew glitter", + "gluten free bakell green & gold edible glitter", + "bagel green & gold edible brew glitter gluten free" + ], + "i am looking for a pacific northwest raspberry flavored syrup that has quality ingredients.": [ + "pomegranate flavored syrup", + "pomegranate flavored syrup that has quality ingredients", + "parmific northwest raspberry flavored syrup", + "pomegranate flavored syrup that is quality", + "pacific northwest raspberry flavored syrup that has quality ingredients", + " pacific northwest raspberry flavored syrup that has quality ingredients", + "parmific northwest raspberry flavored syrup with quality ingredients", + "parmific northwest raspberry flavored syrup that is quality", + "pacific northwest raspberry flavored syrup", + "pink pomegranate flavored syrup" + ], + "i would like a 30 ounce bag of quick cook steel cut oats that are usda organic.": [ + "30 ounce bag of quick cook steel cut oats that are usda organic", + "30 ounce bag of quick cook steel cut oats", + "28 ounce bag of quick cook steel cut oats that are usda organic", + "30 ounce bag of quick cooked steel cut oats that are usda organic", + "28 ounce bag of quick cook steel cut oats", + "bag of quick cook steel cut oats that are usda organic", + "30 ounce bag of quick cooked steel cut oats", + "30 ounce bag of quick cook steel cut oats with usda organic", + "30 ounce bag of quick cook steel cut oats, usda organic", + "30 ounce bag of quick cook steel cut oats usda organic" + ], + "i'm interested in a blue long-sleeved sweatshirt in an xx-large that is warm for winter.": [ + "blue long-sleeved sweatshirt in an xx-large", + "blue long-sleeved sweatshirt xx-large", + "blue long-sleeved sweatshirt", + "blue long-sleeved sweatshirt x-large", + "blue long-sleeved sweatshirt warm for winter", + "blue long-sleeved sweatshirt in a xx-large", + "blue long-sleeved sweatshirt that is warm for winter", + "blue long-sleeved sweatshirt xx-large for winter", + "blue long-sleeved sweatshirt, xx-large", + "blue long-sleeved sweatshirt for winter" + ], + "i would like a 4 ft rectangular pink rug for the living room.": [ + "4 ft rectangular pink rug for the living room", + "4 ft rectangular pink rug for living room", + "4 ft rectangular pink rug living room", + "4 ft square pink rug for the living room", + "4 ft rectangular pink rug in the living room", + "4 ft rectangular pink rug", + "4 ft rectangular pink rug for living room.", + "4 ft square pink rug for living room", + "4 ft square pink rug living room", + "4 ft x 4 ft rectangular pink rug" + ], + "i'm looking for a fresh baked desserts which is free from dairy and nut. also choose a pack of 6 one.": [ + "fresh baked desserts free from dairy and nut pack of 6", + "fresh baked desserts pack of 6", + "fresh baked desserts with dairy and nut pack of 6", + "fresh baked desserts no dairy and nut flavor pack of 6", + "fresh baked desserts that are free from dairy and nut", + "fresh baked desserts no dairy and nut", + "fresh baked desserts which is free from dairy and nut", + "fresh baked desserts which are free from dairy and nut", + "fresh baked desserts, free from dairy and nut", + "fresh baked desserts natural no dairy and nut" + ], + "i am looking for a long lasting blue caftan dress in the size small-medium.": [ + "blue caftan dress in the size small-medium", + "blue caftan dress in a size small-medium", + "blue caftan dress small-medium", + "blue caftan dress in a small-medium", + "blue caftan dress", + "blue caftan dress size small-medium", + "blue caftan dress in a small-medium.", + "blue caftan dress, small-medium", + "blue caftan dress in small-medium", + "blue caftan dress, small-medium," + ], + "i am looking for a non oem replacement tv remote control with the aaa batteries included.": [ + "tv remote control with aaa batteries", + "non oem tv remote control with aaa batteries", + "non oem tv remote control", + "tv remote control non oem with aaa batteries", + "nude tv remote control with aaa batteries", + "non oem remote control with aaa batteries", + "non oem tv remote control, aaa batteries", + "tv remote control aaa batteries", + "tv remote control that is non oem", + "tv remote control no aaa batteries" + ], + "i want a m500 hands free in dash navigation device.": [ + "m500 hands free in dash navigation device", + "m500 hands free in dash navigation device.", + "mens500 hands free in dash navigation device", + "m500 hands free dash navigation device", + "mens 500 hands free in dash navigation device", + "mens500 hands free in dash navigation device.", + "mens m500 hands free in dash navigation device", + "m500 hands free in dash navigation", + " m500 hands free in dash navigation device", + "m500 hands free in dash navigation device," + ], + "i am looking for 6'7\" round size area rug for my living room.": [ + "67 square rug for living room", + "67 round rug for my living room", + "67 square rug for my living room", + "67 square rug for the living room", + "67 square rug living room", + "67 round size rug for living room", + "67 round rug for living room", + "67 round size area rug", + "67 square rug", + "67 round size rug" + ], + "i am looking for a homebeez round storage ottoman with button tuffs in beige.": [ + "homebeez round storage ottoman with button tuffs in beige", + "homebeez round storage ottoman with button tuffs beige", + "homebeez round storage ottoman button tuffs in beige", + "homebeez ottoman with button tuffs in beige", + "homebeez round storage ottoman", + "homebeez round storage ottoman with button tuffs", + "homebeez round storage ottoman, button tuffs in beige", + "homebeez round storage ottoman with button tuffs, beige", + "homebeez ottoman button tuffs in beige", + "homebeez Round storage ottoman with button tuffs in beige" + ], + "i am looking for a barstool in walnut grey that is faux leather": [ + "barstool in walnut grey faux leather", + "barstool in walnut grey that is faux leather", + "barstool in walnut grey", + "barstool in walnut grey with faux leather", + "barstool in walnut grey, faux leather", + "barstool walnut grey that is faux leather", + "barstool walnut grey faux leather", + "womens barstool in walnut grey", + "barstool walnut grey", + "barstool faux leather" + ], + "shop for twenty eight inch faux leather bar stools in cream.": [ + "20 faux leather bar stool in cream", + "faux leather bar stool in cream", + "28 faux leather bar stool in cream", + "20 faux leather bar stools in cream", + "faux leather bar stools in cream", + "28 faux leather bar stools in cream", + "23 faux leather bar stool in cream", + "20 faux leather bar stool", + "28 faux leather bar stool", + "faux leather bar stool" + ], + "i am looking for a long lasting sweet pea scented soy wax candle.": [ + "long lasting sweet pea scented soy wax candle", + "a long lasting sweet pea scented soy wax candle", + "sweet pea scented soy wax candle", + "sugar pea scented soy wax candle", + "long lasting sweet pea scented soy wax candle.", + "short lasting sweet pea scented soy wax candle", + "long lasting sweet pea scented soy wax candle,", + "soy wax candle long lasting", + "vegan candle long lasting", + "vegan candles long lasting" + ], + "i want to get a large men's classic fit t-shirt with an officially licensed logo on it.": [ + "mens classic fit t-shirt with an officially licensed logo", + "mens classic fit t-shirt with an officially licensed logo", + "large mens t-shirt with an officially licensed logo", + "mens t-shirt with an officially licensed logo", + "mens classic fit t-shirt with a officially licensed logo", + "mas classic fit t-shirt with an officially licensed logo", + "large mens classic fit t-shirt", + "mas t-shirt with an officially licensed logo", + "large mens classic fit t-shirt with an officially licensed", + "mens classic fit t-shirt" + ], + "i want a 16 count of chamomile herbal tea that is certified organic.": [ + "16 count of chamomile herbal tea", + "16 count chamomile herbal tea that is certified organic", + "16 count of chamomile herbal tea, certified organic", + "16 count of chamomile herbal tea certified organic", + "16 count chamomile herbal tea", + "chamomile herbal tea that is certified organic", + "16 count of chamomile herbal tea with quality ingredients", + "teen count of chamomile herbal tea", + "17 count of chamomile herbal tea", + "16 count of chamomile herbal tea under $40" + ], + "i need some rose gold cosmetic bags": [ + "rose gold cosmetic bags", + "rose gold cosmetic bags that are easy to buy", + "rose gold cosmetic bags that are high quality", + "rose gold cosmetic bags, less then $40", + "rose gold cosmetic bags, less than $40", + "rose gold cosmetic bags under $50", + "rose gold cosmetic bags under $40", + "rose gold cosmetic bags,", + "rose gold cosmetic bag", + "rose gold cosmetic" + ], + "i am looking for faux leather bar stools in black.": [ + "faux leather bar stool in black", + "faux leather bar stools in black", + "faux leather bar stool black", + "faux leather bar stool color in black", + " faux leather bar stool in black", + "faux leather bar stool in black.", + "faux leather bar stool, black", + "faux leather barstools in black", + " faux leather bar stools in black", + "faux leather bar stool colored black" + ], + "i would like high power amplifier.": [ + "high power amplifier", + "high power amplifier.", + "high power amplifier price lower than 50.00 dollars", + "high power amplifier under $40", + "high power amplifier under $50", + "high power amplifier under $60", + "high power amplifier that is high power", + "high power amplifier price lower than 40.00 dollars", + "high power amplifier under $130", + "high power amplifier under $120" + ], + "i am looking for a blue leather sole loafers & slip-ons": [ + "blue leather sole loafers & slip-ons", + "blue leather sole loafers and slip-ons", + "blue leather sole loafers, slip-ons", + "blue leather sole loafers", + "blue leather sole loafers with slip-ons", + "blue leather sole loafers under $40", + "blue leather sole with slip-ons", + "blue leather sole loafers under $50", + "blue leather sole loafers under $60", + "blue leather sole" + ], + "i am looking for an easy to assemble blue ottoman for my living room.": [ + "blue ottoman for living room", + "blue ottoman living room", + "easy to assemble blue ottoman", + "blue ottoman for the living room", + "easy assemble blue ottoman living room", + "blue ottoman for my living room", + "blue ottoman", + "blue ottoman for a living room", + "easy assemble blue ottoman", + "living room blue ottoman" + ], + "i'm looking for matte white with black finish ceiling light fixture.": [ + "matte white with black finish ceiling light fixture", + "team white with black finish ceiling light fixture", + "stainless white with black finish ceiling light fixture", + "paint white with black finish ceiling light fixture", + "pink white with black finish ceiling light fixture", + "maturity white with black finish ceiling light fixture", + "plastic white with black finish ceiling light fixture", + "teeth white with black finish ceiling light fixture", + "teat white with black finish ceiling light fixture", + "matte white with black finish ceiling light fixture." + ], + "i would like a grey laptop case that is water resistant.": [ + "grey laptop case that is water resistant", + "grey laptop case with water resistant", + "grey laptop case water resistant", + "grey laptop case, water resistant", + "grey laptop case", + "grey laptop case, water resistant,", + "grey laptop case which is water resistant", + "grey laptop case is water resistant", + "grey laptop case with a water resistant", + "grey laptop case in water resistant" + ], + "i need a turntable that is hands free": [ + "turntable that is hands free", + "turntable hands free", + "turntable", + "turntable with hands free", + "turntable, hands free", + "turntable which is hands free", + "turntable hand free", + "turntable, hands free,", + "turntable free", + "turntable no chemicals" + ], + "i am looking for 1 pound box of easter egg sugar cookies baked fresh": [ + "1 pound box of fresh baked easter egg sugar cookies", + "1 pound box of easter egg sugar cookies baked fresh", + "1 pound box of baked fresh easter egg sugar cookies", + "1 pound box of fresh baked baked easter egg sugar cookies", + "one pound box of fresh baked easter egg sugar cookies", + "1 pound box of egg sugar cookies baked fresh", + "1 pound box of chocolate cookies baked fresh", + "1 pound box of fresh baked cookies", + "1 pound box of fresh baked easter egg sugar cookies,", + "1 pound box of easter egg sugar cookies" + ], + "i'm looking for a kosher certified individually wrapped wafers. also choose vanilla flavored one.": [ + "kosher certified individually wrapped wafers", + "kosher certified individually wrapped wafers.", + "chocolate certified individually wrapped wafers", + "kosher certified individually wrapped wafers with flavor", + "pack of vanilla flavored wafers", + "packaged vanilla flavored wafers", + "vinyl flavored wafers", + "clinically wrapped wafers", + "6 vanilla flavored wafers", + "vinyl wrapped wafers" + ], + "i am interested in buying a toothbrush that is easy to carry and useful for sensitive teeth.": [ + "easy to carry toothbrush for sensitive teeth", + "easy-to-carry toothbrush for sensitive teeth", + "pocketbrush for sensitive teeth", + "easy to carry toothbrush", + "easy to carry toothbrush that is easy to carry", + "easy to carry toothbrush, sensitive teeth", + "easy to carry toothbrush with sensitive teeth", + "easy to carry toothbrush for sensitive teeth under $40", + "easy-to-carry toothbrush", + "synthetic teeth toothbrush" + ], + "i'm interested in a heavy duty adjustable desk in a size 48\" x 30\" with a white frame and walnut top.": [ + "heavy duty adjustable desk in a size 48 x 30 with a white frame and walnut top", + "heavy duty adjustable desk in a size 48 x 30", + "heavy duty adjustable desk in a size 48 x 30 with white frame and walnut top", + "heavy duty adjustable desk in a size 48 x 30 with a white frame and walnut", + "low duty adjustable desk in a size 48 x 30 with a white frame and walnut top", + "heavy duty adjustable desk in a size 48 x 30 white frame and walnut top", + "large duty adjustable desk in a size 48 x 30 with a white frame and walnut top", + "leviseless desk in a size 48 x 30 with a white frame and walnut top", + "heavy duty adjustable desk in a size 48 x 30 with a white frame, walnut top", + "heavy duty adjustable desk in a size 48 x 30 with a white frame" + ], + "i'm looking for zero sugar real ginger ale from reed.": [ + "zero sugar real ginger ale from reed", + "low sugar real ginger ale from reed", + "sugar real ginger ale from reed", + "freeze dried ginger ale from reed", + "no sugar real ginger ale from reed", + "low sugar real ginger ale from reed.", + "pure sugar real ginger ale from reed", + "zero sugar real ginger ale from reed.", + "vegan ale from reed zero sugar", + "vegan ale from reed" + ], + "i would like a 12 ounce slim cans of zero sugar ginger ale.": [ + "12 ounce slim cans of zero sugar ginger ale", + "12 ounce slim can of zero sugar ginger ale", + "12 oz slim cans of zero sugar ginger ale", + "12 ounce slim cans of zero sugar ginger ale.", + "12 ounce slim cans of zero sugar ginger ale under $50", + "12 ounce slim cans of zero sugar ginger ale under $40", + "12 ounce slim cans of zero sugar ginger ale under $60", + "12 ounce slim cans of zero sugar ginger ale under 30 dollars", + "12 ounce slim cans of zero sugar ginger ale under 50 dollars", + "12 ounce slim cans of zero sugar ginger ale under 40 dollars" + ], + "i'm looking for a peanut butter which is fat free with real fruit and should be 0.8ounce (pack of 12).": [ + "pomegranate butter 0.8ounce (pack of 12)", + "butter peanut butter 0.8ounce (pack of 12)", + "freezer peanut butter 0.8ounce (pack of 12)", + "pomegranate butter 0.8ounce (pack of 12).", + "pomegranate butter 0.8ounce (pack of 12),", + "pomegranate butter that is fat free with real fruit", + "pomegranate butter fat free with real fruit pack of 12", + "pomegranate butter fat free with real fruit", + "pomegranate butter fat free", + "butter peanut butter 0.8ounce (pack of 12)." + ], + "can you direct me to an android tablet that has outstanding performance? i'd like a gold one please, and it's 10.1 inches": [ + "alarm tablet 10.1 inches", + "an android tablet with outstanding performance 10.1 inches", + "alarm tablet with outstanding performance 10.1 inches", + "i want an android tablet that has outstanding performance? 10.1 inches", + "alarm tablet that has outstanding performance 10.1 inches", + "10.1 x 10.1 android tablet", + "alarm tablet, 10.1 inches", + "an android tablet that has outstanding performance", + "alarm tablet 10.1 inches under $130", + "alarm tablet" + ], + "i would like a blackberry bay shampoo for damaged hair.": [ + "blackberry bay shampoo for damaged hair", + "blackberry bay shampoo for damaged hair.", + "blackberry bay shampoo for damaged hair under $40", + "blackberry bay shampoo for damaged air", + "blackberry bay shampoo for damaged hair under $50", + "blackberry bay shampoo for damaged hair under $60", + "blackberry bay shampoo for damaged hair below $40", + "blackberry bay shampoo for damaged hair under 30 dollars", + "blackberry bay shampoo for damaged human hair", + "blackberry bay shampoo for damaged hair," + ], + "i would like a pair of no mic earbud headphones that have stereo sound.": [ + "no mic earbud headphones", + "no mic earbud headphones with stereo sound", + "pair of no mic earbud headphones", + "maj earbud headphones with stereo sound", + "a pair of no mic earbud headphones", + "two no mic earbud headphones", + "no mic earbud headphones no stereo", + "sneakers no mic earbud headphones", + "no mic earbud headphones no stereo sound", + "sneakers no mic earbud" + ], + "i need mid century dining furniture in a 35.4 by 13.2 by 32.7 dimension.": [ + "mid century dining furniture in a 35.4 by 13.2 by 32.7 dimension", + "mid century dining furniture in a 35.4 by 13.2 by 32.7 dimensions", + "mid century dining furniture in a 35.4 x 13.2 by 32.7 dimension", + "mid century dining furniture in a 35.4 by 13.2 by 32.7", + "mid century dining furniture with a 35.4 by 13.2 by 32.7 dimension", + "mid century dining furniture, 35.4 by 13.2 by 32.7 dimension", + "dining furniture in a 35.4 by 13.2 by 32.7 dimension", + "mid century dining furniture 35.4 by 13.2 by 32.7 dimension", + "dining furniture 35.4 by 13.2 by 32.7 dimension", + "mid century dining furniture, 35.4 by 13.2 by 32.7" + ], + "i need an eco friendly black charcoal conditioner": [ + "eco friendly black charcoal conditioner", + "eco friendly black charcoal conditioner under $40", + "eco friendly black charcoal conditioner under $50", + "eco friendly black charcoal conditioner under $60", + "eco friendly black charcoal conditioner under 30 dollars", + "eco friendly black charcoal conditioner under 50 dollars", + "eco friendly black charcoal conditioner below $40", + "eco friendly black charcoal conditioner,", + "eco friendly black charcoal conditioner eco friendly", + "eco friendly charcoal conditioner" + ], + "look for metal full over full bunks, floor bunks with full size bunk frame, silver, space saving is all i need for my new home.": [ + "metal full over full bunks", + "metal full over full bunks, floor bunks", + "floor bunks with full size bunk frame", + "metal full over full bunks silver", + "wooden bunks with full size bunk frame", + "metal full over full bunks in silver", + "floor bunks with full size bunk frame, silver", + "metal full bunks with full size bunk frame", + "floor bunks metal full over full bunks", + "metal full over full bunks with a bunk frame" + ], + "i want a gold and individually wrapped survive permanent match metal.": [ + "gold and individually wrapped permanent match metal", + "gold and individually wrapped survive permanent match metal", + "gold and individually wrapped durable match metal", + "plastic match metal gold and individually wrapped", + "pure gold and individually wrapped permanent match metal", + "gold and individually wrapped, permanent match metal", + "plastic match metal", + "a gold and individually wrapped permanent match metal", + "gold individually wrapped permanent match metal", + "plastic match metal gold" + ], + "i want to buy a easy to carry and easy to clean water resistant shaving set for a lady.": [ + "easy to carry, clean water resistant shaving set for a lady", + "easy to carry and clean water resistant shaving set for a lady", + "easy to carry and easy to clean water resistant shaving set", + "bathroom set for a lady", + "easy to carry water resistant shaving set for a lady", + "living water resistant shaving set for a lady", + "bathroom set for a lady easy to carry", + "easy to carry water resistant shaving set for a lady.", + "easy to carry, clean water resistant shaving set", + "easy to carry and clean water resistant shaving set" + ], + "i would like a eggplant eyeshadow that is for sensitive skin.": [ + "eggplant eyeshadow for sensitive skin", + "plant eyeshadow for sensitive skin", + "eggplant eyeshadow for sensitive skin.", + "eggplant eyeshadow sensitive skin", + "eggplant eyeshadow for sensitive skin", + " eggplant eyeshadow for sensitive skin", + "plant eyeshadow that is for sensitive skin", + "plant eyeshadow for sensitive skin.", + " eggplant eyeshadow for sensitive skin.", + "plant eyeshadow sensitive skin" + ], + "i'm having a kids birthday party and need a pack of 36 gold cupcake picks.": [ + "kids birthday party 36 gold cupcake picks", + "kids birthday party with 36 gold cupcake picks", + "kids birthday party 36 gold cupcake pick", + "kids birthday party, 36 gold cupcake picks", + "kids birthday party size 36 gold cupcake picks", + "kids birthday party 18 pack gold cupcake picks", + "kids birthday party gold cupcake picks", + "kids baby shower 36 gold cupcake picks", + "kids birthday party with 36 gold cupcake pick", + "kids birthday party 36 gold cupcake picks." + ], + "i am looking for a 1/2 dozen cameron's seafood large female maryland crabs.": [ + "1/2 dozen camerons seafood large maryland crabs", + "1st dozen camerons seafood large female maryland crabs", + "curtains large female maryland crabs", + "1/2 dozen camerons large female maryland crabs", + "2 dozen camerons seafood large female maryland crabs", + "curtains of large female maryland crabs", + "curtains large female maryland crabs under $50", + "1/2 dozen camerons seafood large", + "curtains large maryland crabs", + "large female maryland crabs" + ], + "i would like a g7 plus 2.4 gig streaming media player that is high speed.": [ + "g7 plus 2.4 gig streaming media player", + "g7 plus 2.4 gig streaming media player high speed", + "g7 plus 2.4 gig streaming media player with high speed", + "g7 plus 2.4 gig streaming media player, high speed", + "gb7 plus 2.4 gig streaming media player", + "g7 plus 2.4 gig streaming media player in high speed", + "g7 plus 2.4 gig streaming media player under $40", + "g7 plus 2.4 gig streaming media player is high speed", + "g7 plus 2.4 gig streaming media player under $50", + "4 gig streaming media player that is high speed" + ], + "i am interested in a navy blue regular fit polo": [ + "navy blue regular fit polo", + " navy blue regular fit polo", + "navy blue regular fit polo under $40", + "navy blue regular fit polo under $50", + "navy blue regular fit polo under 30 dollars", + "navy blue regular fit polo under $60", + "navy blue regular fit polo under 50 dollars", + "womens navy blue regular fit polo", + "womens polo navy blue", + "womens polo navy blue regular fit" + ], + "i want a blueberry natural real fruit bar.": [ + "blueberry natural real fruit bar", + "blueberry natural real fruit bar.", + "blueberry natural real fruit bar under $40", + "blueberry natural real fruit bar under $60", + "blueberry natural real fruit bar under $50", + "blueberry natural fruit bar", + "blueberry natural real fruit bar under 30 dollars", + "blueberry natural real fruit bar under 50 dollars", + "blueberry natural real fruit bar under 40 dollars", + "blueberry natural real fruit bar under 60 dollars" + ], + "i am looking for 16''x24'' size sky canvas wall art home decor for living room": [ + "16x24 sky canvas wall art home decor", + "16x24 size sky canvas wall art home decor", + "16x24 wall art home decor", + "16x24 canvas wall art home decor", + "16x24 x sky canvas wall art home decor", + "16x24 high definition sky canvas wall art home decor", + "16x24 black sky canvas wall art home decor", + "16x24 sky canvas wall art", + "16x24 size sky canvas wall art", + "16x24 wall art" + ], + "i want a blue apple watch case with glass screen protector.": [ + "blue apple watch case with glass screen protector", + "blue apple watch case with glass screen protector.", + "blue apple watch case, glass screen protector", + "blue apple watch case glass screen protector", + "blue apple watch case that is glass screen protector", + "blue apple watch case", + "blue apple watch case with glass screen protector,", + "blue apple watch case with glass screen protector under $40", + "blue apple watch case with glass screen protector under $60", + "green apple watch case with glass screen protector" + ], + "i am looking for 2 grey dining room chairs with metal legs.": [ + "grey dining room chairs with metal legs", + "2 grey dining room chairs with metal legs", + "two grey dining room chairs with metal legs", + "grey dining room chairs with metal legs.", + "grey dining room chairs metal legs", + "3 grey dining room chairs with metal legs", + "2 grey dining room chairs", + "grey dining room chairs", + "grey dining room chairs, metal legs", + "white dining room chairs with metal legs" + ], + "i would like a size 38 rainbow applewatch band.": [ + "size 38 rainbow applewatch band", + " size 38 rainbow applewatch band", + "a size 38 rainbow applewatch band", + "rainbow applewatch band size 38", + "size 38 rainbow applewatch band.", + "plastic applewatch band size 38", + "small 38 rainbow applewatch band", + "fruitwatch band size 38", + "size 38 rainbow applewatch band,", + " size 38 rainbow applewatch band." + ], + "i am looking for an easy to assemble green home office chair with lumbar support.": [ + "green home office chair with lumbar support", + "easy to assemble green home office chair", + "green home office chair lumbar support", + "living room office chair with lumbar support", + "easy assemble green home office chair", + "green office chair with lumbar support", + "living room chair with lumbar support", + "green home office chair", + "living room office chair", + "green office chair" + ], + "i would like a light blue 32cmx32cmx35cm ottoman with a stainless steel frame.": [ + "light blue 32cmx32cmx35cm ottoman with a stainless steel frame", + "light blue 32cmx32cmx35cm ottoman", + "light blue 32cmx32cmx35cm ottoman with a stainless steel frame.", + "light blue 32cm x32cmx35cm ottoman with a stainless steel frame", + "light blue 32cmx32cm x35cm ottoman with a stainless steel frame", + "light blue 32cmx32cmx35cm ottoman with a stainless steel frame,", + "heavy blue 32cmx32cmx35cm ottoman with a stainless steel frame", + "dark blue 32cmx32cmx35cm ottoman with a stainless steel frame", + "light blue 32cmx32cmx35cm ottoman, with a stainless steel frame", + "light blue 32cmx32cmx35cm ottoman, stainless steel frame" + ], + "the price of this manhattan comfort utopia table is unbelievable. very good! if you can find it in white and solid wood i will buy it.": [ + "manhattan comfort utopia table white and solid wood", + "manhattan comfort utopia table in white and solid wood", + "manhattan comfort utopia table, white and solid wood", + "manhattan comfort utopia table", + "manhattan comfort utopia table white solid wood", + "manhattan comfort utopia table in white solid wood", + "manhattan comfort utopia table is unbelievable. very good", + "manhattan comfort utopia table with white and solid wood", + "manhattan comfort utopia table in white", + "manhattan comfort utopia table white" + ], + "i am looking for 24 inch long synthetic hair extension.": [ + "24 inch long synthetic hair extension", + "23 inch long synthetic hair extension", + "24 inch long synthetic hair extension.", + "hair extension 24 inches long", + " 24 inch long synthetic hair extension", + "23 ft long synthetic hair extension", + "25 inch long synthetic hair extension", + "24 inch long synthetic hair extension,", + "23 foot long synthetic hair extension", + "hair extension 24 inch long" + ], + "i am looking for medium size black color long sleeve v neck casual shirts tunic t shirt for women": [ + "medium size black t-shirt for women", + "medium size black long sleeve v neck casual shirts", + "medium size black color long sleeve v neck casual shirts", + "medium size black long sleeve t-shirt for women", + "medium size black long sleeve v neck casual shirts tunic t", + "medium size black t-shirt", + "medium size black t-short sleeve v neck casual shirts", + "medium size black long sleeve v neck casual shirts tunic", + "medium size black woman t-shirt", + "medium size black" + ], + "i am looking for a blue, fast charging usb cord that is compatible with apple and is 16 feet long.": [ + "blue, fast charging usb cord 16 feet long", + "blue, fast charging usb cord", + "blue fast charging usb cord 16 feet long", + "blue, fast charging usb cord16 feet long", + "blue, fast charging usb cord 17 feet long", + "blue charging usb cord 16 feet long", + "blue, fast charging usb cord with apple", + "blue usb cord 16 feet long", + "blue, fast charging usb cord under $40", + "blue, fast charging usb cord 16 foot long" + ], + "i would like a smartwatch case that has four colors and is easy to install": [ + "smartwatch case that has four colors", + "smartwatch case four colors", + "smartwatch case with four colors", + "smartwatch case four colors easy to install", + "smartwatch case that is easy to install", + "smartwatch case in four colors", + "smartwatch case 4 colors easy to install", + "smartwatch case 4 colors", + "smartwatch case with 4 colors", + "smartwatch case four color" + ], + "i'm looking for breastfeeding shits maternity cloths double layer postpartum shirt.": [ + "baby shower cloths double layer postpartum shirt", + "feeding shits maternity cloths double layer postpartum shirt", + "maternity cloths double layer postpartum shirt", + " breastfeeding shits maternity cloths double layer postpartum shirt", + "baby shower shits double layer postpartum shirt", + "pink maternity cloths double layer postpartum shirt", + "baby shower cloths double layer postpartum", + "baby shower mama cloths double layer postpartum shirt", + "baby shower cloths double layer postpartum shirt.", + "baby shower cloths double layer" + ], + "i would like a 16 ounce bag of sweet potato gluten free flower.": [ + "16 ounce bag of sweet potato gluten free flower", + "16 ounce bag of sweet potato gluten free", + "16 ounce bag of potato gluten free flower", + "teen ounce bag of sweet potato gluten free flower", + "sweet potato gluten free flower 16 oz", + "sweet potato gluten free flower 16 ounce bag", + "16 ounce bag of sugar potato gluten free flower", + "16 oz bag of sweet potato gluten free flower", + " 16 ounce bag of sweet potato gluten free flower", + "16 ounce bag ofsweet potato gluten free flower" + ], + "i would love to find a coffee table ideal for my living room? also, pick white please": [ + "coffee table white", + "living room coffee table white", + "coffee table for living room white", + "coffee table ideal for living room", + "coffee table in white", + "coffee table for living room", + "coffee table that is white", + "coffee table suitable for living room", + "coffee table, white", + "coffee table with white" + ], + "i would like a 0.17 ounce pack of gluten free oats.": [ + "pack of gluten free oats", + "1.17 ounce pack of gluten free oats", + "0.17 ounce pack of gluten free oats", + "pack of gluten free oats 0.17 oz", + "gluten free oats pack", + "gluten free oats pack 0.17 oz", + "pack of gluten free oats below $40", + "gluten free oats pack 0.17 ounce", + "bag of gluten free oats", + "gluten free oats pack below $40" + ], + "i want gluten free sigdal bakeri norwegian crispbread with pumpkin seeds.": [ + "sigdal bakeri norwegian crispbread with pumpkin seeds", + "sogdal bakeri norwegian crispbread with pumpkin seeds", + "stagdal bakeri norwegian crispbread with pumpkin seeds", + "gluten free sigdal bakeri norwegian crispbread", + "strawberry crispbread with pumpkin seeds", + "sugar free sigdal bakeri norwegian crispbread", + "stainless gluten free sigdal bakeri norwegian crispbread", + "sigdal bakeri norwegian crispbread", + "sogdal bakeri norwegian crispbread", + "strawberry crispbread" + ], + "i'm looking for soft elastic mid-waist breathable boxer briefs.": [ + "soft elastic mid-waist breathable boxer briefs", + "soft elastic mid-waist breathable boxer briefs.", + "soft elastic mid-waist breathable boxer briefs,", + "soft elastic midwist breathable boxer briefs", + "soft elastic midwaist breathable boxer briefs", + "soft elastic mid wist breathable boxer briefs", + "soft elastic boxer briefs", + "soft elastic, breathable boxer briefs", + "soft elastic boxer briefs under $50", + "soft elastic mid" + ], + "i would like a 7 by 5 foot long photo backdrop that is light weight and easy to carry.": [ + "7 by 5 foot long photo backdrop", + "7 x 5 foot long photo backdrop", + "6 by 5 foot long photo backdrop", + "6 x 5 foot long photo backdrop", + "light weight and easy to carry photo backdrop", + "portrait light weight and easy to carry", + "portrait light weight", + "light weight photo backdrop", + "photography backdrop light weight", + "7x5 photo backdrop" + ], + "i am interested in a reticular blue colred non slip rugs for the living room which is easy to clean.": [ + "reticular blue colred non slip rugs for living room", + "reticular blue colred non slip rugs", + "reticular blue colred non slip rugs living room", + "acquicular blue colred non slip rugs for living room", + "reticular blue colred rug for the living room", + "reticular blue colred rug for living room", + "non slip rugs for living room", + "rfsh rugs for living room", + "rugs for living room", + "reticular blue colred rug" + ], + "i am looking for a quad core powered high resolution 7 inch tablet with nfc.": [ + "quad core powered high resolution 7 inch tablet", + "tablet with nfc", + "tablet 7 inch with nfc", + "tablet 7 inches with nfc", + " quad core powered high resolution 7 inch tablet", + "tablet with nfc, quad core powered", + "tablet 7 with nfc", + "tablet that is quad core powered", + "tablet 7 inches nfc", + "tablet" + ], + "i am looking for a baby blue colored t-shirt with the star wars logo.": [ + "baby blue colored t-shirt with the star wars", + "baby blue t-shirt with the star wars logo", + "baby blue t-shirt with the star wars", + "baby blue colored t-shirt", + "baby blue colored t-shirt, star wars", + "baby blue t-shirt with a star wars logo", + "baby blue colored t-shirt with a star wars", + "baby blue colored t-shirt under $50", + "baby blue colored t-shirt under $40", + "baby blue colored t-shirt under 50 dollars" + ], + "i need a high speed asus pn41 fanless minipc barebone with intel 11th gen dual core celeron n4500 that also has a bluetooth.": [ + "high speed asus pn41 fanless minipc barebone with intel 11th gen dual core celeron n4500", + "asus pn41 fanless minipc barebone with intel 11th gen dual core celeron n4500", + "pn41 fanless minipc barebone with intel 11th gen dual core celeron n4500", + "stainless minipc barebone with intel 11th gen dual core celeron n4500", + "king dn41 fanless minipc barebone with intel 11th gen dual core celeron n4500", + "psc barebone with intel 11th gen dual core celeron n4500", + "psc barebone with intel 11th gen dual core celeron n4500 that also has a bluetooth", + "purebootc barebone with intel 11th gen dual core celeron n4500", + "high speed asus pn41 fanless minipc barebone", + "asus pn41 fanless minipc barebone" + ], + "i am loooking for mini business desktop having wireless bluetooth.": [ + "mini business desktop with wireless bluetooth", + "desktop with wireless bluetooth", + "tablet desktop with wireless bluetooth", + "a mini business desktop with wireless bluetooth", + "tablet mini business desktop with wireless bluetooth", + "tablet business desktop with wireless bluetooth", + "tablet with wireless bluetooth", + "tablet computer with wireless bluetooth", + "moisturizing mini business desktop", + "i am loooking for mini business desktop" + ], + "i would like a 108 inch by 84 inch color 27 window panel that is machine washable.": [ + "window panel that is machine washable", + "window panel", + "window panel, 108 inch by 84 inch", + "window panel with machine washable", + "window panel 108 inch by 84 inch", + "window panel 108 inches by 84 inch", + "window panel, 108 inches by 84 inch", + "window panel which is machine washable", + "window panel in 108 inch by 84 inch", + "window panel, 108 inch x 84 inch" + ], + "i would like a body scrub for dry skin.": [ + "body scrub for dry skin", + "body scrub for dry skin.", + "body scrub for dry skin under $40", + "body scrub for dry skin under $50", + "body scrub for dry skin under $60", + "body scrub for dry skin under 30 dollars", + "Body scrub for dry skin", + "body scrub for dry skin under 50 dollars", + "body scrub for dry skin below $40", + "body scrub for dry skin below $50" + ], + "i want cupcake toppers for 2022 kids baby shower.": [ + "cupcake toppers for 2022 kids baby shower", + "cupcake toppers for 2022 baby shower", + "cupcake toppers for a baby shower", + "curtains for 2022 kids baby shower", + "bagcake toppers for 2022 kids baby shower", + "cupcake toppers for 2022 baby shower.", + "cupcake toppers for a baby shower.", + "cake toppers for 2022 kids baby shower", + "baby shower cupcake toppers", + "cupcake toppers baby shower" + ], + "i need a fleece jacket for the winter that is warm and gray": [ + "fleece jacket warm and gray", + "fleece jacket for the winter", + "fleece jacket for the winter warm and gray", + "warm and gray fleece jacket", + "f fleece jacket warm and gray", + "f fleece jacket for the winter", + "warm and gray fleece jacket for the winter", + "pink fleece jacket for the winter", + "fim fleece jacket for the winter", + "fleece jacket" + ], + "i'm looking for a stainless steel quick release replacement wristband for fitbit inspire. choose the one that comes in white and in small in size.": [ + "stainless steel quick release replacement wristband for fitbit inspire", + "stainless steel quick release wristband for fitbit inspire", + "stainless steel quick release replacement wristband fitbit inspire", + "stainless steel quick release replacement wristband", + "stainless steel quick release wristband fitbit inspire", + "stainless steel quick release replacement wristband in fitbit inspire", + "stainless steel quick release replacement wristband for fitbit inspire white", + "stainless steel quick release wristband for fitbit inspire in white", + "stainless steel quick release replacement wristband, fitbit inspire", + "stainless steel quick release wristband" + ], + "am searching for low rise handyulong plus size womens jeans size 5x-large": [ + "low rise handyulong plus size womens jeans size 5x-large", + "low rise handyulong plus size womens jeans", + "low rise handyulong plus size womens jeans size 5xl", + "low rise handyulong plus size womens jeans size 5x-l", + "low rise handyulong plus size womens jeans 5x-large", + "high rise handyulong plus size womens jeans size 5x-large", + "low rise tulong plus size womens jeans size 5x-large", + "low rise handyulong plus size womens jeans size 5 x-large", + "womens jeans size 5x-large", + "low rise men jeans 5x-large" + ], + "i am looking for quaker chewy granola bars that are individually wrapped.": [ + "quaker chewy granola bars that are individually wrapped", + "quaker chewy granola bars individually wrapped", + "quaker chewy granola bar that are individually wrapped", + "Quaker chewy granola bars that are individually wrapped", + "quaker chewy granola bars", + "quaker chewy granola bar individually wrapped", + "quaker chewy granola bars, individually wrapped", + "pack of quaker chewy granola bars individually wrapped", + "pack of quaker chewy granola bars", + "quaker chewy granola bar" + ], + "i would like some green binoculars for bird watching": [ + "green binoculars for bird watching", + "green binoculars bird watching", + "green binoculars for bird watching under $40", + "green binoculars for bird watching under $50", + "green binoculars, bird watching", + "green binoculars for bird watching under $60", + "green binoculars for bird watching under 50 dollars", + "green binoculars for bird watching under 30 dollars", + "green binoculars that are bird watching", + "green binoculars for bird watching," + ], + "i am looking for red black color shower curtains that are easy to clean.": [ + "easy clean red black shower curtains", + "red black shower curtains", + "red black shower curtains easy to clean", + "easy to clean red black shower curtains", + "red black shower curtains, easy to clean", + "green shower curtains that are easy to clean", + "red black color shower curtains", + "red black shower curtains easy clean", + "red black color shower curtains easy to clean", + "home theater curtains red black" + ], + "i'm looking for two flavor energy shots.": [ + "two flavor energy shots", + "two flavor energy shots.", + "two flavor energy shots under $40", + "two flavor energy shots under $50", + "two flavor energy shots under $60", + "two flavor energy shots under 50 dollars", + "two flavor energy shots under 30 dollars", + "two flavor energy shots under 40 dollars", + "2 flavor energy shots", + "two flavor energy shots no sugar" + ], + "i would like a extra large green swimsuit made from cotton spandex.": [ + "extra large green swimsuit made from cotton spandex", + "extra large green swimsuit made from cotton spandex.", + "extra large green swimsuit made from cotton spandex,", + "extra large green swimsuit", + "extra large green swimmingsuit made from cotton spandex", + " extra large green swimsuit made from cotton spandex", + "extra large green swimsuit with cotton spandex", + "extra large green swimsuit, cotton spandex", + "extra large green swimsuit from cotton spandex", + "extra large green swimsuit under $50" + ], + "i want to buy brushes which are for nail polish and have galaxy mix color, and come in a blind box.": [ + "brush for nail polish galaxy mix", + "brushes for nail polish galaxy mix", + "brush for nail polish galaxy mix color", + "brush for nail polish galaxy mix color blind box", + "brushes for nail polish galaxy mix color", + "brush for nail polish with galaxy mix color", + "brush for nail polish galaxy mix colored blind box", + "brushing brushes for nail polish galaxy mix", + "brushing brushes for nail polish galaxy mix color", + "pink brushes for nail polish galaxy mix" + ], + "i am interested in buying make up brushes which are for nail polish, and the color of which is bonbon rose powder-50p and comes in blind box.": [ + "make up brushes, bonbon rose powder-50p, blind box", + "make up brushes for nail polish bonbon rose powder-50p", + "make up brushes for nail polish, bonbon rose powder-50p", + "make up brushes for nail polish color bonbon rose powder-50p", + "make up brushes, bonbon rose powder-50p", + "make up brushes for nail polish", + "make up brushes in bonbon rose powder-50p", + "bbon rose powder-50p nail polish brush", + "make up brushes for nail polish color", + "bbon rose powder-50p nail polish" + ], + "i am looking for a cyan blue wireless bluetooth speaker that has the batteries included.": [ + "blue wireless bluetooth speaker with batteries", + "cray blue wireless bluetooth speaker", + "blue wireless bluetooth speaker", + "a cyan blue wireless bluetooth speaker", + "white wireless bluetooth speaker with batteries", + " cyan blue wireless bluetooth speaker with batteries", + "green wireless bluetooth speaker with batteries", + "blue wireless bluetooth speaker with the batteries", + " cyan blue wireless bluetooth speaker", + "white wireless bluetooth speaker" + ], + "hanes women's x-temp seamless waistband, large, nylon spandex. i hope you are successful in your search. it will be very useful for me.": [ + "hanes womens x-temp seamless waistband, large, nylon spandex", + "hanes womens x-temp seamless waistband large, nylon spandex", + "hanes womens x-temp seamless waistband, large, nylon spandex,", + "hanes womens x-temp seamless waistband", + "hanes womens x-temp seamless waistband large, nylon spandex", + "hanes womens x-temp seamless waistband in a large, nylon spandex", + "hanes womens x-temp seamless waistband that is large, nylon spandex", + "hanes womens x-temp seamless waistband, large, nylon spandex.", + "hanes womens x-temp seamless waistband large, nylon spandex,", + "hanes womens x-temp seamless waistband, x-l" + ], + "i need plant based protein bars that are of the peanut butter variety": [ + "plant based protein bars peanut butter variety", + "plant based protein bar peanut butter variety", + "plant based protein bars that are peanut butter variety", + "plant based protein bars for peanut butter variety", + "plant based protein bar peanut butter", + "plant based protein bars with peanut butter variety", + "plant based protein bars, peanut butter variety", + "plant based protein bars peanut butter", + "plant based protein bars", + "plant based protein bar" + ], + "i want a medium sized t-shirt that has long sleeves.": [ + "medium t-shirt long sleeves", + "medium t-shirt with long sleeves", + "medium t-shirt that has long sleeves", + "medium t-shirt long sleeves under $50", + "medium t-shirt long sleeves under $40", + "medium t-shirt long sleeves below $50", + "medium sized t-shirt with long sleeves", + "medium t-shirt long sleeves under 50 dollars", + "medium t-shirt long sleeves under $60", + "medium t-shirt long sleeves below $40" + ], + "i am looking for a long lasting ncaa south carolina fighting gamecocks jacket that is made of quality materials.": [ + "ncaa south carolina fighting gamecocks jacket made of quality materials", + "ncaa south carolina fighting gamecocks jacket", + "ncaa south carolina fighting gamecocks jacket made from quality materials", + "ncaa south carolina fighting gamecocks jacket with quality materials", + "long lasting ncaa south carolina fighting gamecocks jacket", + "a south carolina fighting gamecocks jacket made of quality materials", + "a south carolina fighting gamecocks jacket that is made of quality materials", + "a south carolina fighting gamecocks jacket", + "nga south carolina fighting gamecocks jacket", + "cocks jacket made from quality materials" + ], + "i need a 25 pack of herbal tea that is caffeine free": [ + "25 pack of herbal tea that is caffeine free", + "25 pack of herbal tea", + "25 pack herbal tea that is caffeine free", + "25 pack of herbal tea with caffeine free", + "25 pack of herbal tea, caffeine free", + " 25 pack of herbal tea that is caffeine free", + "25 pack of herbal tea caffeine free", + "25 pack herbal tea", + "25 pack of herbal tea no caffeine", + "25 pack herbal tea with caffeine free" + ], + "can you get me a margarita mix, palomas, real fruit and not too much sugar, and i'll need 32 ounces of it.": [ + "margarita mix with palomas real fruit 32 ounces", + "margarita mix, palomas, real fruit 32 ounces", + "margarita mix with palomas and real fruit 32 ounces", + "margarita mix with palomas, real fruit 32 ounces", + "margarita mix with palomas no sugar 32 ounces", + "margarita mix with palomas", + "margarita mix, palomas and real fruit 32 ounces", + "margarita mix, palomas, real fruit", + "margarita mix, palomas real fruit 32 ounces", + "margarita mix no sugar 32 ounces" + ], + "i'm looking for a military and tactical boot with moisture wicking and rubber sole.": [ + "military and tactical boot with moisture wicking and rubber sole", + "Military and tactical boot with moisture wicking and rubber sole", + "military and tactical boot with moisture wicking rubber sole", + "comfortable boot with moisture wicking and rubber sole", + "Military and tactical boot with moisture wicking rubber sole", + "military and tactical boot, moisture wicking and rubber sole", + "military and tactical boot with moisture wicking", + "military boot with moisture wicking and rubber sole", + "a military and tactical boot with moisture wicking rubber sole", + "comfortable boot with moisture wicking" + ], + "i need hall trees for the living room that are brown": [ + "hall trees for living room brown", + "hall trees for living room that are brown", + "hall trees for the living room brown", + "living room hall trees brown", + "white hall trees for living room", + "wooden hall trees for living room brown", + "hall trees living room brown", + "Hall trees for living room that are brown", + "wooden hall trees for living room", + "Hall trees for living room brown" + ], + "i want to update my digital camera. i'm looking for a canon powershot sx620 w/ optical zoom 25x black color, 64gb memory card. i hope it's the best choice for my need.": [ + "canon powershot sx620 w/ optical zoom 25x black color, 64gb memory card", + "canon powershot sx620 w/ optical zoom 25x black color", + "digital camera with a canon powershot sx620 w/ optical zoom 25x black color", + "cantral powershot sx620 w/ optical zoom 25x black color", + "cantals powershot sx620 w/ optical zoom 25x black color", + "digital camera with canon powershot sx620 w/ optical zoom 25x black color", + "canon powershot sx620 w/ optical zoom 25x black color", + "canon powershot sx620 w/ optical zoom 25x black", + "a digital camera with a canon powershot sx620", + "canon powershot sx620" + ], + "i am looking for pink wireless bluetooth headphones that have the hands free calling feature.": [ + "pink wireless bluetooth headphones", + "pink wireless bluetooth headphones with a hands free calling", + "pink wireless bluetooth headphones with the hands free calling", + "pink wireless bluetooth headphones with hands free calling", + "pink wireless bluetooth headphones with a hands free", + "pink wireless bluetooth headphones that are hands free", + "pink wireless bluetooth headphones, hands free", + "pink wireless bluetooth headphones with the hands free", + "pink wireless bluetooth headphones with hands free calling feature", + "pink wireless bluetooth headphones with hands free" + ], + "i am looking for black quick drying, butt lifting leggings in size large.": [ + "black quick drying butt lifting leggings in size large", + "black quick drying, butt lifting leggings in size large", + "black quick drying butt lifting leggings in a size large", + "black quick drying butt lifting leggings", + "black quick drying butt lifting leggings in size large.", + "black quick drying, butt lifting leggings", + "black quick drying butt lifting leggings in a large", + "black quick drying butt lifting leggings size large", + "black quick drying, butt lifting leggings size large", + "black quick drying, butt lifting leggings, size large" + ], + "i would like orange mousse cookies that are non gmo": [ + "orange mousse cookies non gmo", + "orange mousse cookies that are non gmo", + "orange mousse cookies", + "orange mousse cookies, non gmo", + "orange mousse cookies non-gmo", + "orange mousse cookies no gmo", + "orange mousse cookies that are non-gmo", + "orange mousse cookies non gmo under $40", + "orange mousse cookies non gmo flavor", + "orange mousse cookies non gmo under $60" + ], + "i am looking for a high speed 3 foot red usb cable.": [ + "3 foot red usb cable", + "high speed 3 foot red usb cable", + "4 foot red usb cable", + "3 foot red usb cable high speed", + "low speed 3 foot red usb cable", + "high speed 3 foot red usb cable.", + "medium speed 3 foot red usb cable", + "3 foot red usb cable, high speed", + "3 foot red usb cable under $40", + "3 foot red usb cable." + ], + "i am looking to buy some fully cooked and ready to eat vienna sausage.": [ + "vegan vienna sausage", + "living vienna sausage", + "venna sausage", + "vegan made vienna sausage", + "venna sausage fully cooked", + "venna sausage, fully cooked", + "vanity sausage", + "ivenna sausage", + "vanita sausage", + "vegan sausage" + ], + "i am looking for pink slide flip flops with arch support in the size 5.5.": [ + "pink slide flip flops with arch support", + "pink slide flip flops with arch support size 5.5", + "pink slide flip flops", + "pink slide flip flops with arch support 5.5", + "pink slide flip flops, arch support", + "pink slide flip flops in the size 5.5", + "pink flip flops with arch support", + "pink slide flip flops that arch support", + "pink slide flip flops in the size 5.5.", + "pink flip flops" + ], + "i would like a 90 piece assortment of individually wrapped snacks.": [ + "90 piece assortment of individually wrapped snacks", + "90 piece assortment of individually wrapped snacks.", + "90 piece assortment of individually wrapped snacks,", + "10 piece assortment of individually wrapped snacks", + " 90 piece assortment of individually wrapped snacks", + "8 pack assortment of individually wrapped snacks", + "8 pack of individually wrapped snacks", + "9 pack of individually wrapped snacks", + "bag of snacks 90 piece", + "bagels 90 piece" + ], + "i am looking for x-large size socks that contain cotton spandex.": [ + "x-large size socks that contain cotton spandex", + "x-large size socks with cotton spandex", + " x-large size socks that contain cotton spandex", + "xl socks that contain cotton spandex", + " x-large size socks with cotton spandex", + "xl size socks that contain cotton spandex", + "xxl socks that contain cotton spandex", + "xl socks with cotton spandex", + "xxl socks with cotton spandex", + "xl socks with cotton spandex x-large" + ], + "oral nano silver mint toothpaste, natural fluoride free tooth whitening toothpaste, 4 oz. (pack of 1). my daughter only uses this one. i didn't find it in the pharmacy, let me know as soon as you find it": [ + "oral nano silver mint toothpaste 4 oz. (pack of 1)", + "oral nano silver mint toothpaste, 4 oz. (pack of 1),", + "oral nano silver mint toothpaste 4 oz. (pack of 1),", + "oral nano silver mint toothpaste, 4 oz. (pack of 1)", + "oral nano silver mint toothpaste 4 oz. (pack of 1).", + "oral nano silver mint toothpaste 4 oz. (pack of 1", + "oral nano silver mint toothpaste", + "oral nano silver mint toothpaste that is natural fluoride free", + "oral nano silver mint toothpaste 4 oz.", + "oral nano silver mint toothpaste 4 oz" + ], + "i am looking for some sweet 16 cupcake toppers for a birthday cake.": [ + "sweet 16 cupcake toppers for a birthday cake", + "sweet 16 cupcake toppers for a birthday cake.", + "sweet 16 cupcake toppers for a baby shower", + "sugar 16 cupcake toppers for a birthday cake", + "teen cupcake toppers for a birthday cake", + "cupcake toppers for a birthday cake", + "sugar 16 cupcake toppers for a baby shower", + "teen cupcake toppers for a birthday cake.", + "a sweet 16 cupcake toppers for a birthday cake", + "cupcake toppers for a baby shower" + ], + "i am looking for foundation for dry skin having color 20 | natural ivory.": [ + "f foundation for dry skin with color 20 natural ivory", + "f foundation for dry skin color 20 natural ivory", + "f foundation for dry skin with color 20", + "feline for dry skin with color 20 natural ivory", + "feline for dry skin color 20 natural ivory", + "f foundation for dry skin having color 20 natural ivory", + "feline for dry skin with color 20", + "f foundation for dry skin having color 20", + "fantastic foundation for dry skin with color 20", + "f foundation for dry skin color 20" + ], + "i would like a 40 wide by 36 long pair of big and tall pants in charcoal heather that can be machine washed.": [ + "40 wide by 36 long pants in charcoal heather", + "40 wide by 36 long jeans in charcoal heather", + "large and tall pants in charcoal heather", + "40 wide by 36 long pants", + "shoes 40 wide by 36 long", + "40 wide by 36 long pants under $40", + "40 wide by 36 long", + "40 wide by 36 long jeans", + "40 wide by 36 long pants under $50", + "40 wide by 36 long jeans under $40" + ], + "i am looking for men's khaki pants in the color olive grove, and they must have a button closure and be machine washable.": [ + "mens khaki pants in the color olive grove", + "mens khaki pants in the color olive grove", + "mens khaki pants in the color olive grove button closure", + "mens khaki pants that are machine washable", + "mens khaki pants with button closure", + "mens khaki pants color olive grove", + "mens khaki pants, machine washable", + "mens khaki pants in a button closure", + "mens khaki pants", + "mens khaki pants, button closure" + ], + "i'm looking for a white case for iphone 12 with american flag printed and wireless charging": [ + "white iphone 12 case with american flag", + "white iphone 12 with american flag", + "white iphone 12 with american flag printed", + "white iphone 12 case with american flag printed", + "white case for iphone 12 with american flag", + "white case iphone 12 with american flag printed", + "white case iphone 12 with american flag", + "iphone 12 white case with american flag", + "white iphone 12 charging case with american flag", + "white phone case iphone 12 with american flag" + ], + "i am looking for a local gold hands free wireless earpiece with mic.": [ + "local gold hands free wireless earpiece", + "Local gold hands free wireless earpiece", + "local gold wireless earpiece with mic", + "remote gold hands free wireless earpiece", + "local gold wireless earpiece", + "alarm wireless earpiece with mic", + "free wireless earpiece with mic", + "local gold earpiece with mic", + "alarm wireless earpiece", + "alarm earpiece with mic" + ], + "i need black color hands free wireless earpiece with mic": [ + "black wireless earpiece with mic", + "black wireless earpiece", + "hand free wireless earpiece with mic", + "white wireless earpiece with mic", + "black wireless earpiece with mic black", + "hands free wireless earpiece with mic", + "black color hands free wireless earpiece", + "black wireless earpiece, hands free", + "hand free wireless earpiece", + "black hands free wireless earpiece" + ], + "i am looking for a high performance easy to carry black wireless bluetooth speaker.": [ + "easy to carry black wireless bluetooth speaker", + "black wireless bluetooth speaker", + "black wireless bluetooth speaker that is high performance", + "easy to carry black bluetooth speaker", + "easy to carry black wireless bluetooth speaker.", + "white wireless bluetooth speaker", + "low performance black wireless bluetooth speaker", + "black bluetooth speaker", + "easy to carry black wireless bluetooth speaker,", + "black wireless bluetooth speaker, easy to carry" + ], + "i want low fat honey bunches of oats.": [ + "low fat honey bunches of oats", + "low fat honey bunches of oats.", + "low fat honey bunches of oats under $40", + "low fat honey bunches of oats under $50", + "low fat honey bunches of oats under $60", + "low fat honey bunches of oats below $40", + "low fat honey bunches of oats under 50 dollars", + "i want low fat honey bunches of oats.", + "low fat honey bunches of oats below $50", + "low fat honey bunches of oats below $60" + ], + "i want to buy a mesh travel laundry bag.": [ + " mesh travel laundry bag", + "Mesh travel laundry bag", + " mesh travel laundry bag.", + "m mesh travel laundry bag", + "mens mesh travel laundry bag", + "Mesh travel laundry bag.", + "a mesh travel laundry bag", + "f mesh travel laundry bag", + "jeans travel laundry bag", + " mesh travel laundry bag," + ], + "i am looking for a high performance red speaker with wireless bluetooth.": [ + "high performance red speaker with wireless bluetooth", + "red speaker with wireless bluetooth", + "low performance red speaker with wireless bluetooth", + "tv red speaker with wireless bluetooth", + "red speaker with wireless bluetooth high performance", + "high performance red speaker with wireless bluetooth.", + "a high performance red speaker with wireless bluetooth", + "red speaker with wireless bluetooth, high performance", + "high performance red speaker with wireless bluetooth,", + "blue speaker with wireless bluetooth" + ], + "i need a tonic that is non gmo": [ + "tonic non gmo", + "non gmo tonic", + "tonic that is non gmo", + "tonic non gmo", + "nude gmo tonic", + "tonic non-gmo", + "totic non gmo", + "toxic tonic non gmo", + "toothpaste non gmo", + "tonic no gmo" + ], + "i need 1 pack of cruelty free hair spray.": [ + "cruelty free hair spray", + "cruelty free hair spray 1 pack", + "1 pack of cruelty free hair spray", + "cruelty free hair spray. 1 pack", + "cruelty free hair spray, 1 pack", + "cruelty free hair spray 2 pack", + "cruelty free hair spray 1 pack", + "cruelty free hair spray.", + "cruelty free hair spray pack", + "cruelty free hair spray under $50" + ], + "help me find a water-resistant sports strap that is compatible with the apple iwatch. also, please choose a teal one.": [ + "teal water-resistant sports strap", + "teal iwatch water resistant", + "teal iwatch water-resistant sports strap", + "teal water resistant sports strap", + "teal iwatch sports strap", + "teal iwatch water resistant sports strap", + "teal water-resistant sports strap for iwatch", + "teal iwatch water-resistant", + "water-resistant sports strap", + "teal sports strap" + ], + "i'm locking for wireless bluetooth earpiece for business, office and driving.": [ + "wireless bluetooth earpiece for business, office and driving", + "wireless bluetooth earpiece for business, office and driving.", + "wirefree wireless bluetooth earpiece for business, office and driving", + "wireless bluetooth earpiece for work, office and driving", + "wireless wireless bluetooth earpiece for business, office and driving", + "alarm wireless bluetooth earpiece for business, office and driving", + "wirefreeetooth earpiece for business, office and driving", + "wireless bluetooth earpiece", + "wireless bluetooth earpiece for business, office and driving,", + "phone earpiece for business, office and driving" + ], + "i would like a pair of size 13 dark truffle loafers with a rubber sole.": [ + "pair of size 13 dark truffle loafers", + "size 13 dark truffle loafers with a rubber sole", + "dark truffle loafers size 13 with a rubber sole", + "dark truffle loafers with a rubber sole", + "pair of size 13 dark truffle loafers rubber sole", + "dark truffle loafers size 13 rubber sole", + "12 dark truffle loafers with a rubber sole", + "dark truffle loafers with a rubber sole size 13", + "sneakers size 13 dark truffle loafers", + "dark truffle loafers size 13" + ], + "i would like brown rice that is organic and spanish style": [ + "organic and spanish style brown rice", + "brown rice organic and spanish style", + "brown rice organic spanish style", + "organic spanish style brown rice", + "natural and spanish style brown rice", + "organic and spanish style rice", + "natural spanish style brown rice", + "natural brown rice spanish style", + "natural brown rice", + "brown rice" + ], + "i am looking for noise cancelling earbuds for iphone.": [ + "noise cancelling earbuds for iphone", + " noise cancelling earbuds for iphone", + " noise cancelling earbuds for iphone.", + "non noise cancelling earbuds for iphone", + "sound cancelling earbuds for iphone", + "nuance cancelling earbuds for iphone", + "noise cancelling earbuds iphone", + " noise cancelling earbuds iphone", + "sound cancelling earbuds for iphone.", + "sound cancelling earbuds iphone" + ], + "lightly smoked organic lemon flavor wild caught sardines in olive oil": [ + "lightly smoked organic lemon flavor wild caught sardines in olive oil", + "lightly smoked organic lemon flavor wild sardines in olive oil", + "toasted organic lemon flavor wild caught sardines in olive oil", + "so smoked organic lemon flavor wild caught sardines in olive oil", + "pink organic lemon flavor wild caught sardines in olive oil", + "lemon flavor wild caught sardines in olive oil", + "gmo lemon flavor wild caught sardines in olive oil", + "sardines flavor wild caught sardines in olive oil", + "sardines in olive oil", + "lightly smoked organic lemon flavor wild caught sardines flavor olive oil" + ], + "i need a wireless bluetooth speaker compatible for my smart watch": [ + "wireless bluetooth speaker for smart watch", + "womens bluetooth speaker", + "wireless bluetooth speaker for smartwatch", + "womens wireless bluetooth speaker", + " wireless bluetooth speaker for smart watch", + " wireless bluetooth speaker compatible for smart watch", + "wireless bluetooth speaker smart watch", + "womens smart watch speaker", + "wireless bluetooth speaker compatible smart watch", + "wireless bluetooth speaker" + ], + "i need a grey protective airpods 3 case cover which is compatible with apple.": [ + "grey protective airpods 3 case cover", + "grey protective airpods 3 case cover with apple", + "grey protective airpods 3 case cover compatible with apple", + "grey protective airpods 3 case cover with apple flavor", + "grey protective airpods 3", + "grey protective airpods 3 case cover for apple", + "grey protective airpods 3 case cover", + "grey protective airpods 3 case cover under $40", + "grey protective airpods 3 case cover under $50", + "grey airpods 3 case cover" + ], + "i am looking for a grey coated steel storage islands & carts": [ + "grey coated steel storage islands & carts", + "grey steel storage islands & carts", + "grey coated steel storage islands and carts", + "grey steel storage islands and carts", + "grey coated steel storage islands & cart", + "grey coated steel storage islands & carts,", + "grey covered steel storage islands & carts", + "grey area steel storage islands & carts", + "grey coated steel storage islands", + "grey steel storage islands" + ], + "i would like a remote with aaa batteries included.": [ + "remote with aaa batteries", + "remote remote with aaa batteries", + "remote with aaa batteries included", + "remote with aaa batteries for remote", + "remote no aaa batteries", + "remote that is aaa batteries", + "remote aaa batteries", + "remote home theater batteries", + "remote", + "remote no batteries" + ], + "i am looking for a black, stainless steel bottle.": [ + "black stainless steel bottle", + "black, stainless steel bottle", + "black stainless steel bottle under $40", + "black stainless steel bottle under $50", + "black stainless steel bottle under $60", + "black stainless steel bottle.", + "black stainless steel bottle under 50 dollars", + "black stainless steel bottle below $50", + "black stainless steel bottle below $40", + "black, stainless steel bottle." + ], + "i am looking for 25 ml fluoride free fresh truth toothpaste": [ + "25 ml fluoride free fresh truth toothpaste", + "25 ml fluoride free fresh teethpaste", + "25 ml fluoride free fresh-toothpaste", + "25 ml fluoride free fresh oral toothpaste", + "25 ml fluoride free fresh toothpaste", + "25 ml fluoride free fresh cream toothpaste", + " 25 ml fluoride free fresh truth toothpaste", + "25 ml fluoride free fresh milk toothpaste", + "25 ml fluoride free fresh water toothpaste", + "25 ml fluoride free fresh truth toothpaste," + ], + "i want a pack of 2 32 fl oz original sprout classic shampoos that are non toxic.": [ + "2 32 fl oz original sprout classic shampoos", + "2 32 fl oz original sprout classic shampoos non toxic", + "2 32 fl oz original sprout classic shampoos, non toxic", + "2 32 oz original sprout classic shampoos that are non toxic", + "pack of 2 32 fl oz original sprout classic shampoos", + "2 32 fl oz original sprout classic shampoos no toxic", + "bag of 2 32 fl oz original sprout classic shampoos", + "2 32 oz original sprout classic shampoos", + "1 32 fl oz original sprout classic shampoos", + "controversial sprout classic shampoos" + ], + "i would like a carbon fiber car stereo kit.": [ + "carbon fiber car stereo kit", + "car stereo kit", + "car stereo kit that is carbon fiber", + "carbon fiber car stereo kit.", + "car stereo kit carbon fiber", + "aluminum fiber car stereo kit", + "a carbon fiber car stereo kit", + "car stereo kit, carbon fiber", + "coaxial fiber car stereo kit", + "car stereo kit." + ], + "i am interested in ocean blue holographic, easy to apply and long lasting sparkle glitter.": [ + "sea blue holographic glitter", + "an ocean blue holographic glitter", + "alarm blue holographic glitter", + "almond blue holographic glitter", + "alarm blue holographic", + " ocean blue holographic glitter", + "Ocean blue holographic glitter", + "sea blue holographic glitter under $40", + "sea blue holographic glitter under $50", + "sea blue holographic" + ], + "i am looking for real fruit smoothie mix that is easy to use and has the flavor passion fruit.": [ + "fruit smoothie mix with passion fruit", + "fruit smoothie mix with passion fruit flavor", + "fruit smoothie mix with flavor passion fruit", + "fruit smoothie mix with the flavor passion fruit", + "fruit smoothie mix that is easy to use with flavor passion fruit", + "fruit smoothie mix that is easy to use, flavor passion fruit", + "fruit smoothie mix that is easy to use", + "fruit smoothie mix with a flavor passion fruit", + "fruit smoothie mix flavor passion fruit", + "fruit smoothie mix" + ], + "i want to get a two pack vanity light with brushed nickel finish in color type 2.": [ + "two pack vanity light with brushed nickel finish", + "two pack vanity light, brushed nickel finish", + "two pack vanity light", + "two pack vanity light in brushed nickel finish", + "two pack vanity light that is brushed nickel finish", + "two pack vanity light brushed nickel finish", + "two pack vanity light, brushed nickel finish,", + "2 pack vanity light with brushed nickel finish", + "two pack vanity light color 2", + "two pack vanity light color" + ], + "i would like some long lasting hair color in light golden brown": [ + "hair color in light golden brown", + "long lasting hair color in light golden", + "long lasting hair color light golden brown", + "long lasting hair color light golden", + "light golden brown hair color", + "long lasting hair color", + "hair color light golden brown", + "hair color in light golden", + "light golden brown hair color long lasting", + "dark golden brown hair color" + ], + "i'm looking for a single pack of old style, brown hair dye.": [ + "single pack of old style brown hair dye", + "single pack old style brown hair dye", + "single pack old style, brown hair dye", + "single pack of old style hair dye", + "single pack of old style black hair dye", + "one pack of old style brown hair dye", + "single pack of old style white hair dye", + "single pack brown hair dye", + "single pack, brown hair dye", + "old style brown hair dye" + ], + "i'm looking for a three count package of long lasting, brown hair dye.": [ + "three count package of long lasting brown hair dye", + "3 count package of long lasting brown hair dye", + "two count package of long lasting brown hair dye", + "natural brown hair dye three count package", + "natural brown hair dye three count", + "daring brown hair dye three count package", + "daring brown hair dye three count", + "blue human hair dye three count", + "brown hair dye three count", + "medium lasting brown hair dye" + ], + "i'm looking for long lasting men's cologne from banana republic.": [ + "mens cologne from banana republic", + "mens cologne from banana republic long lasting", + "mens cologne from banana republic", + "mens cologne banana republic long lasting", + "muskmens cologne from banana republic", + "mens cologne from banana republic.", + "mas cologne from banana republic", + "mens cologne banana republic", + "lens cologne from banana republic", + "mens cologne from banana republic." + ], + "i need a valentine's day gift": [ + "valentines day gift", + " valentines day gift", + "a valentines day gift", + "Valentines day gift", + "variety valentines day gift", + "variety of valentines day gift", + "alarm for valentines day gift", + "vegan valentines day gift", + "alarm for valentines day", + "valentines day gift under 50 dollars" + ], + "i would like a white and green 5 cube bookcase.": [ + "white and green 5 cube bookcase", + "white and green 5 cube bookcase.", + "white and green 5 cube bookcase,", + "yellow and green 5 cube bookcase", + "white 5 cube bookcase", + "white 4 cube bookcase", + "yellow 5 cube bookcase", + "white 5 cube bookcase.", + "grey 5 cube bookcase", + "green 5 cube bookcase" + ], + "i would like a chandelier for my dining room.": [ + "chandelier dining room", + "living room chandelier", + "chandelier for dining room", + "a chandelier dining room", + "dining room chandelier", + "chandelier dining room.", + "large chandelier dining room", + "chandelier for dining room.", + "chandelier dining room under $40", + "chandelier dining room under $50" + ], + "i am looking for mens lightweight cargo shorts camo in pattern.": [ + "mens lightweight cargo shorts camo in pattern", + "mens lightweight cargo shorts camo pattern", + "mens lightweight cargo shorts camo mens pattern", + "mens lightweight cargo shorts camo in pattern", + "mens lightweight cargo shorts camo in pattern.", + "mens lightweight cargo shorts camo", + "mens lightweight cargo shorts camo pattern mens", + "mens lightweight cargo shorts camo pattern.", + "mens lightweight cargo shorts camo pattern", + "mens lightweight cargo shorts camo mens lightweight" + ], + "i need a super soft area rug that is white": [ + "super soft area rug white", + "super soft rug white", + "super soft rug that is white", + "super soft area rug", + "super soft area rug in white", + "super soft area rug, white", + "super soft area rug with white", + "white super soft area rug", + "white super soft rug", + "super soft rug in white" + ], + "i'm looking for a low carb gluten free ketchup flavored bbq sauce. choose the ones that comes in 12 ounce bottles and pack of 2.": [ + "low carb gluten free ketchup flavored bbq sauce 12 ounce bottles pack of 2", + "low carb gluten free bbq sauce 12 ounce bottles pack of 2", + "low carb gluten free ketchup flavored bbq sauce 12 oz bottles pack of 2", + "low carb gluten free ketchup flavored bbq sauce pack of 2", + "low carb gluten free bbq sauce 12 oz bottles pack of 2", + "low carb gluten free ketchup flavored bbq sauce", + "low carb gluten free ketchup flavored bbq sauce 12 oz pack pack of 2", + "low carb gluten free bbq sauce 12 ounce bottles and pack of 2", + "low carb gluten free bbq sauce 12 oz pack pack of 2", + "low carb gluten free ketchup flavored bbq sauce 12 ounce bottles pack" + ], + "i would like to buy a screen protector which is made with tempered glass and is suitable for iphone 6 and iphone 6s plus 5.5.": [ + "screen protector made with tempered glass iphone 6s plus 5.5", + "screen protector iphone 6s plus 5.5", + "screen protector for iphone 6s plus 5.5", + "screen protector iphone 6 with tempered glass", + "screen protector made with tempered glass iphone 6", + "screen protector iphone 6", + "screen protector made with tempered glass", + "iphone 6 screen protector", + "screen protector made with tempered glass iphone 6s plus 5", + "screen protector that is made with tempered glass iphone 6s" + ], + "i want a hair removal epilator.": [ + "hair removal epilator", + "i want a hair removal epilator.", + "hair removal epilator.", + "hair removal epilator under $50", + "hair removal epilator under $40", + "hair removal epilator under $60", + "hair removal epilator under 50 dollars", + "hair removal epilator under 30 dollars", + "hair removal epilator less then $40", + "hair removal epilator" + ], + "looking for an easy to deliver vintage barbecue sauce needle sleeve white women's halloween t-shirt by tomorrow? forgot to machine wash.": [ + "easy to deliver vintage barbecue sauce needle sleeve white womens halloween t-shirt", + "vintage barbecue sauce needle sleeve white womens halloween t-shirt", + "pink barbecue sauce needle sleeve white womens halloween t-shirt", + "yellow barbecue sauce needle sleeve white womens halloween t-shirt", + "vintage barbecue sauce needle sleeve white womens halloween t-shirt by tomorrow", + "yellow barbecue sauce needle sleeve white womens halloween t-shirt by tomorrow", + "5 ft white womens halloween t-shirt", + "white womens halloween t-shirt", + "5 ft white womens halloween t-shirt by tomorrow", + "white womens halloween t-shirt by tomorrow" + ], + "high quality butterfly hair clip for women": [ + "high quality butterfly hair clip for women", + "low quality butterfly hair clip for women", + "high quality butterfly hair clip", + "pink butterfly hair clip for women", + "large quality butterfly hair clip for women", + "chocolate hair clip for women", + "low quality butterfly hair clip", + "butterfly hair clip for women", + "beautiful butterfly hair clip for women", + "coaxial hair clip for women" + ], + "i am looking for a pair of machine washable men's levi's 501 blue jeans.": [ + "machine washable mens levis 501 blue jeans", + "man washable mens levis 501 blue jeans", + "mens levis 501 blue jeans", + "mens levis 501 blue jeans", + "woman washable mens levis 501 blue jeans", + "womens levis 501 blue jeans", + "machine washable mens levis 501blue jeans", + "men levis 501 blue jeans", + "mens levis 501 blue jeans under $40", + "mens levis 501 blue jeans." + ], + "i am interested in buying a twin sized natural colored full sized bed frame made of solid wood having a headboard.": [ + "twin sized natural colored bed frame with a headboard", + "twin sized natural colored bed frame", + "twin sized natural colored bed frame made of solid wood", + " twin sized natural colored bed frame with a headboard", + "twin size natural colored bed frame with a headboard", + "twin sized natural colored full sized bed frame", + "twin bed frame made of solid wood", + "twin sized natural colored bed frame with headboard", + "twin size natural colored bed frame", + " twin sized natural colored bed frame" + ], + "i am interested in buying white color, cruelty free hair building fibers for thinning hair.": [ + "white hair building fibers", + "white hair building fibers for thinning hair", + "white color, cruelty free hair building fibers", + "white hair building fibers thinning hair", + "white cruelty free hair building fibers", + "white human hair building fibers", + "white hair building fibers for thinning", + "white hairbuilding fibers for thinning hair", + "white hair building fibers, cruelty free", + "white hairbuilding fibers" + ], + "i'm interested in a pair of orange sport pants with an elastic waist and drawstring closure in a size x-large.": [ + "orange sport pants x-large", + "orange sport pants x-large.", + "orange sport pants that are x-large", + "orange sport pants x-large under $40", + "orange sport pants size x-large", + "orange sport pants x-large under $50", + "orange sport pants x-large, under $40", + "orange sport pants x-large, under $50", + "orange sport pants x-large, under $60", + "orange sport pants xl" + ], + "i'm looking for printed window curtain.": [ + "printed window curtain", + "pink window curtain", + "3 ft window curtain", + "window curtain printable", + "printed window curtain.", + "portrait window curtain", + "printed window curtain under $40", + "window curtain print", + "window curtain", + "printed window curtain under $50" + ], + "buy me some fifty-four inch machine washable drapes for my dining room.": [ + "50-four inch machine washable drapes dining room", + "50-four inch machine washable drapes for dining room", + "50-four inch machine washable drapes for my dining room", + "50-four inch machine washable drapes", + "fifty-four inch machine washable drapes for dining room", + "fifty-four inch machine washable drapes dining room", + "50-four inch machine washable drapes for dining room.", + "fifty-four inch machine washable drapes", + "two fifty-four inch machine washable drapes dining room", + "two fifty-four inch machine washable drapes for dining room" + ], + "i am looking for hair color that is alcohol free and is having color as 1 hair color: 9-00.": [ + "hair color 9-00", + "hair color 9-00 alcohol free", + "alcohol free hair color 9-00", + "hair color alcohol free 9-00", + "hair color 9-00, alcohol free", + "hair color 9-00 under $40", + "hair color 9-00 under $50", + "hair color 9-00 under $60", + "hair color 9-00 color", + "hair color 9-00." + ], + "i would like a 5.5 ounce bag of sweet chili chips that are non gmo.": [ + "5.5 ounce bag of sweet chili chips", + "5.5 ounce bag of sweet chili chips non gmo", + "5.5 ounce bag of sweet chili chips no gmo", + "4.5 ounce bag of sweet chili chips", + "6.5 ounce bag of sweet chili chips", + "bag of sweet chili chips that are non gmo", + "5.5 oz bag of sweet chili chips", + "a 5.5 ounce bag of sweet chili chips", + "5.5 ounce bag of sweet chili chips with gmo", + "5 oz bag of sweet chili chips" + ], + "i am looking for a beard oil that will help stimulate hair growth.": [ + "beard oil that will help stimulate hair growth", + "sham oil that will help stimulate hair growth", + "beard oil that helps stimulate hair growth", + "shampoo oil that will help stimulate hair growth", + "shome oil that will help stimulate hair growth", + "gmo oil that will help stimulate hair growth", + "beard oil that will help stimulate hair growth.", + "beard oil that can help stimulate hair growth", + "beard oil for hair growth", + "beard oil that is help stimulate hair growth" + ], + "i want a modern tall bookcase for my living room.": [ + "modern tall bookcase for my living room.", + "modern tall bookcase for my living room", + "modern tall bookcase for living room", + "modern tall bookcase for living room.", + "modern tall bookcase for the living room", + "modern tall bookcase for the living room.", + " modern tall bookcase for my living room.", + "living room modern tall bookcase", + "modern tall bookcase for a living room.", + "Modern tall bookcase for my living room." + ], + "am hoping to find q-tips cotton swab 375.0 ea nail polish.": [ + "q-tips cotton swab 375.0 ea nail polish", + "q-tips cotton swab 375.0 nail polish", + " q-tips cotton swab 375.0 ea nail polish", + "q-tips cotton swab 375.0 ea nail polish.", + "q-tips cotton swab 375.0", + "Q-tips cotton swab 375.0 ea nail polish", + "q-tips cotton swab 375.0 ea nail polish,", + "q-tips cotton swab 375.0ea nail polish", + "q-tips cotton swab 375.0 nail polish", + "t cotton swab 375.0 ea nail polish" + ], + "i am looking for a gold pendant light for my dining room.": [ + "gold pendant light dining room", + "pendant light dining room", + "gold pendant light for dining room", + "pendant light dining room gold", + "a gold pendant light dining room", + "gold dining room pendant light", + "living room gold pendant light", + "pendant light for dining room", + "gold pendant light dining room.", + "gold pendant light dining room," + ], + "i am looking for a shadow box frame made from solid wood. also, i would like the size to be 10 by 10.": [ + "shadow box frame made from solid wood 10 by 10", + "shadow box frame made from solid wood", + "projection frame made from solid wood 10 by 10", + "Shadow box frame made from solid wood 10 by 10", + " shadow box frame made from solid wood 10 by 10", + "foot box frame made from solid wood 10 by 10", + "shoes box frame made from solid wood", + "sneakers 10 by 10", + "Shadow box frame made from solid wood", + " shadow box frame made from solid wood" + ], + "get me some tattoo serum that uses tea tree oil and is paraben free.": [ + "tattoo serum tea tree oil paraben free", + "tea tree oil tattoo serum paraben free", + "tea tree oil tattoo serum", + "tattoo serum that is paraben free", + "tattoo serum paraben free", + "tort serum tea tree oil paraben free", + "tact serum tea tree oil paraben free", + "tattoo serum tea tree oil", + "tattoo serum that uses tea tree oil", + "tattoo serum that is paraben free." + ], + "i'm looking for a package of cupcake toppers for my brother's birthday party cupcakes.": [ + "cupcake toppers for a baby shower", + "cupcake toppers for my brothers birthday party", + "cupcake toppers for baby shower", + "cupcake toppers for brothers birthday party", + "cupcake toppers for a brothers birthday party", + "cupcake toppers for birthday party cupcakes", + "cupcake toppers for a birthday party", + "cupcake toppers for a brother birthday party", + "cupcake toppers for birthday party", + "bagcake toppers for a baby shower" + ], + "i am looking for cupcake topper for a birthday party": [ + "cupcake topper for a baby shower", + "cupcake topper for a birthday party", + "cupcake toppers for a baby shower", + "cupcake toppers for a birthday party", + "cupcake topper for a birthday party under $40", + "cupcake topper for a birthday party under $50", + "cupcake topper for a birthday party under 50 dollars", + "cupcake topper for a birthday party under $60", + "cupcake topper for a baby shower under $50", + "cupcake topper for a baby shower under $40" + ], + "i'm looking for silk bonnet.": [ + "silk bonnet", + "silk bonnet under $40", + "silk bonnet.", + "silk bonnet under $50", + "silk bonnet under $60", + "silk bonnet under 50 dollars", + "silk bonnet under 30 dollars", + "im looking for silk bonnet.", + "silk bonnet under 40 dollars", + "silk bonnet under $120" + ], + "i would like a living room lead free candle.": [ + "living room lead free candle", + "living room lead free candle.", + "living room lead free candle under $40", + "living room lead free candle under $50", + "living room lead free candle under $60", + "living room lead free candle,", + "living room lead free candle under 30 dollars", + "living room lead free candle under 50 dollars", + "living room lead free candles", + "living room led free candle" + ], + "i would like a fast charging station.": [ + "fast charging station", + "temporary fast charging station", + "fast charging charging station", + "fast charging station.", + " fast charging station", + "faster charging station", + "Fast charging station", + "electric fast charging station", + "hot charging station", + "fast charging station for car" + ], + "i would like a pair of 14 wide cognac sandals with a leather sole.": [ + "14 wide cognac sandals with a leather sole", + "teen wide cognac sandals with a leather sole", + "12 wide cognac sandals with a leather sole", + "14 wide cognac sandals", + "16 wide cognac sandals with a leather sole", + "22 wide cognac sandals with a leather sole", + "18 wide cognac sandals with a leather sole", + "14 wide cognac sandals, leather sole", + "14 wide cognac sandals with a leather sole,", + "14 wide cognac sandals with leather sole" + ], + "i am looking for a purple short sleeved blouse in the size 3x-large.": [ + "pink short sleeved blouse in the size 3x-large", + "pink short sleeved blouse in a size 3x-large", + "pink short sleeved blouse in the size 3xl", + "pink short sleeved blouse in a size 3xl", + "pink short sleeved blouse in the size 3x-l", + " purple short sleeved blouse in the size 3x-large", + "pl purple short sleeved blouse in the size 3x-large", + "large purple short sleeved blouse in the size 3x-large", + "pink short sleeved blouse 3x-large", + "purple short sleeved blouse in the size 3x-large" + ], + "i want black kmm cotton moisture wicking socks.": [ + "black kmm cotton moisture wicking socks", + "kmm cotton moisture wicking socks", + "kmm cotton moisture wicking socks black", + "white kmm cotton moisture wicking socks", + "black kmm cotton moisture wicking", + "black cotton moisture wicking socks", + "black kmm cotton wicking socks", + "white cotton moisture wicking socks", + "black kmm cotton", + "blanket" + ], + "i would like an intel core desktop that has 64 gb of ram with 4 tb storage": [ + "intel core desktop with 64gb of ram", + "intel core desktop 64gb of ram with 4 tb storage", + "intel core desktop with 64gb ram with 4 tb storage", + "intel core desktop with 64 gb of ram", + "intel core desktop with 64gb of ram with 4 tb", + "intel core desktop with 64gb of ram 4 tb storage", + "intel core desktop that has 64 gb of ram", + "intel core desktop with 64gb of ram under $130", + "intel core desktop with 64gb ram", + "intel core desktop with 64gb" + ], + "look for wash cold pajama set nightwear that size small": [ + "wash cold pajama set nightwear", + "wash cold pajama set nightwear small", + "womens pajama set nightwear", + "wash cold pajama set nightwear", + "womens nightwear that size small", + "small pajama set nightwear", + "womens nightwear small", + "womens nightwear size small", + "large pajama set nightwear", + "womens nightwear" + ], + "my grandson asked me for this order. tjs compatible with boost mobile celero 5g case, samsung galaxy a22 5g case, red color glass screen, it has a lot of detail, and i don't know if i can find it without your help.": [ + "tjs compatible with boost mobile celero 5g case, red color glass", + "tjs compatible with boost mobile celero 5g case", + "tjs compatible with samsung galaxy a22 5g case", + "tjs compatible with boost mobile celero 5g case with red color glass", + "tjs samsung galaxy a22 5g case, red color glass", + "tjs samsung galaxy a22 5g case", + "samsung galaxy a22 5g case, red color glass", + "samsung galaxy a22 5g case with a lot of detail", + "tjs compatible with boost mobile celero 5g case red color glass", + "samsung galaxy a22 5g case" + ], + "i would like a chocolate chip oat bar that's gluten free.": [ + "chocolate chip oat bar gluten free", + "chocolate chip oat bar that is gluten free", + "gluten free chocolate chip oat bar", + "chocolate chip oat bar gluten free.", + "chocolate chip oat bar", + "chocolate chip oat bar, gluten free", + "chocolate chips oat bar gluten free", + "chocolate chip oat bar gluten-free", + "ocolate chip oat bar gluten free", + "chocolate chip oat bar dairy free" + ], + "i would like a pair of black headphones that have wireless bluetooth.": [ + "black headphones with wireless bluetooth", + "black headphones that have wireless bluetooth", + "pair of black headphones", + "black wireless bluetooth headphones", + "two black headphones with wireless bluetooth", + "pair of black wireless bluetooth headphones", + "black headphones wireless bluetooth", + "black wireless bluetooth wireless headphones", + "black headphones", + "pair of black wireless bluetooth" + ], + "i would like a extra large texas orange t shirt with moisture wicking.": [ + "extra large texas orange t-shirt", + "extra large texas orange t shirt with moisture wicking", + "extra large texas orange t-shirt with moisture", + "extra large texas orange t-shirt moisture wicking", + "extra large texas orange t-shirt wicking", + "extra large texas orange t-shirt under $40", + "extra large texas orange t-shirt under $50", + "extra large texas orange tshirt with moisture wicking", + "extra large texas orange t shirt", + "extra large texas orange t" + ], + "i want a pack of wall lamps for a living room.": [ + "pack of wall lamps for a living room", + "pack of wall lamps living room", + "pack of wall lamps for living room", + "pack of wall lamps", + "pack of wall lamps in a living room", + "pack of wall lamps for living room.", + "pack of wall lamp for a living room", + "pack of wall lamps living room pack", + "pack of wall lamps, living room", + "wall lamps" + ], + "i want an orange fast charging usb type-c charging cable power cord.": [ + "orange fast charging usb type-c charging cable", + "orange fast charging usb-c charging cable power cord", + "orange fast charging usb type-c charging cables", + "orange fast charging usb type c charging cable power cord", + "orange fast charging usb type-c charging cable power", + "orange fast charging usb type-c charging cord", + "orange fast charging usb type-c charging power cord", + "orange fast charging usb type-c charging", + "orange fast charging usb charging cable power cord", + "orange fast charging usb type-c" + ], + "i am looking for a hands free white alarm clock with wireless bluetooth.": [ + "alarm clock with wireless bluetooth", + "white alarm clock with wireless bluetooth", + "free white alarm clock with wireless bluetooth", + "hand free white alarm clock", + "hands free white alarm clock", + "womens free white alarm clock", + "arm clock with wireless bluetooth", + "clock with wireless bluetooth", + "alarm clock with wireless bluetooth.", + "alarm clock" + ], + "i want to buy a t-shirt which is classic fit and can be machine washed, as for the color i want it lemon color, and suitable for women, with a size of x-large.": [ + "classic fit t-shirt x-large", + "classic fit t-shirt with a size x-large", + "classic fit t-shirt x-large", + "classic fit t-shirt for women x-large", + "classic fit t-shirt, x-large", + "classic fit t-shirt", + "classic fit t-shirt in lemon color", + "classic fit t-shirt that is classic fit for women", + "classic fit t-shirt which is classic fit for women", + "classic fit t-shirt, x-large," + ], + "i am looking for women's turtle necks loose oversized sweaters.": [ + "womens turtle necks loose oversized sweaters", + "womens turtle neck loose oversized sweaters", + "womens turtle necks loose oversized sweaters.", + "womens turtle necks loose oversized sweaters,", + "mens turtle necks loose oversized sweaters", + "womens turtle neck loose oversized sweaters.", + "turtle necks loose oversized sweaters", + " womens turtle necks loose oversized sweaters", + "teen girl turtle necks loose oversized sweaters", + "turtle neck loose oversized sweaters" + ], + "i'm looking for a u-shaped toothbrush for my child's sensitive teeth that is aqua colored.": [ + "u-shaped toothbrush for my childs sensitive teeth that is aqua colored", + "u-shaped toothbrush for sensitive teeth that is aqua colored", + "ub-shaped toothbrush for my childs sensitive teeth that is aqua colored", + "nu-shaped toothbrush for my childs sensitive teeth that is aqua colored", + "u-shaped toothbrush for my childs sensitive teeth", + "u-shaped toothbrush for my childs sensitive teeth aqua colored", + "u-shaped toothbrush for my childs sensitive teeth, aqua colored", + "ub-shaped toothbrush for sensitive teeth that is aqua colored", + "a toothbrush for sensitive teeth that is aqua colored", + "u-shaped toothbrush for sensitive teeth" + ], + "i would like a 31 wide by 30 long dark williamsburg pair of straight leg jeans.": [ + "stretch jeans 31 wide by 30", + "stretch jeans 31 wide by 30 dark williamsburg", + "stretch leg jeans 31 wide by 30", + "stretch jeans 31 wide by 30 long dark", + "strawberry short leg jeans 31 wide by 30", + "strawberry leg jeans 31 wide by 30", + "stooled leg jeans 31 wide by 30", + "31 wide by 30 long dark williamsburg jeans", + " 31 wide by 30 long dark williamsburg jeans", + "stretch leg jeans 31 wide by 30 long dark" + ], + "i would like a 3xl dark green tennessee titan polo that is officially licensed.": [ + "3xl dark green tennessee titan polo", + "3xl dark green tennessee titan polo, officially licensed", + "3xl dark green tennessee titan polo under $40", + "3xl dark green tennessee titan polo under $50", + "3xl dark green tennessee titan polo officially licensed", + "3xl dark green tennessee titan polo under $60", + "3xl dark green tennessee titan polo under 30 dollars", + "3xl dark green tennessee titan polo licensed", + "3 xl dark green tennessee titan polo", + "3xl dark green tennessee polo" + ], + "i would like a pair of black size 8.5 boots with a comfortable fit.": [ + "black size 8.5 boots", + "black size 8.5 boots comfortable fit", + "pair of black size 8.5 boots", + "black size 8.5 hiking boots", + "black 8.5 boots with comfortable fit", + "black 8.5 boots", + "black boots with comfortable fit", + "black boots 8.5", + "shoes black", + "black hiking boots" + ], + "i need some cabernet for a great gift": [ + "cabernet for a great gift", + "cabernet", + "abernet for a great gift", + "a cabernet for a great gift", + "cabernet a great gift", + "carabinet for a great gift", + "bagernet for a great gift", + "cabernet great gift", + "cabernet that is great gift", + "cabernet, a great gift" + ], + "i am looking for a dolly parton's greatest hits t-shirt.": [ + "dolly partons greatest hits t-shirt", + "dollys partons greatest hits t-shirt", + "t-shirt dolly partons greatest hits", + "shoes dolly partons greatest hits t-shirt", + "dolly partons greatest hits t-shirt.", + "dollys partons greatest hits t-shirt.", + "m dolly partons greatest hits t-shirt", + " dolly partons greatest hits t-shirt", + "daddyy partons greatest hits t-shirt", + "a dolly partons greatest hits t-shirt." + ], + "i am looking for 10 wide tan color synthetic sole womens slipper": [ + "10 wide tan color synthetic sole womens slipper", + "10 wide tan synthetic sole womens slipper", + "10 wide tan sole womens slipper", + "10 wide tan rubber sole womens slipper", + "10 wide tan shoes synthetic sole womens slipper", + "10 wide tan colored synthetic sole womens slipper", + "stainless sole womens slipper 10 wide", + "10 wide tan soled womens slipper", + "10 wide tan color synthetic sole womens slippers", + "stainless sole womens slipper" + ], + "i am looking for a super soft throw blanket of pattern 2 color.": [ + "super soft throw blanket pattern 2", + "super soft throw blanket of pattern 2", + "super soft throw blanket pattern 2 color", + "super soft throw blanket, pattern 2", + "super soft throw blanket in pattern 2", + "super soft throw blanket pattern 2,", + "super soft throw blanket pattern 2.", + "supersoft throw blanket pattern 2", + "super soft throw blanket", + "soft throw blanket pattern 2" + ], + "i'm looking for massage table sheet sets.": [ + "mushroom table sheet", + "mushroom table sheet set", + "mushroom table sheet sets", + "mushroom table sheet set.", + "mushroom table sheets", + "mushroom table sheet sets.", + "m massage table sheet set", + "m massage table sheet sets", + " massage table sheet set", + "m massage table sheet" + ], + "i'm looking for tea tree oil soap with a peppermint tea tree scent. i want a 2 pack of 4 ounce bars.": [ + "tea tree oil soap 2 pack of 4 ounce", + "tea tree oil soap 4 pack of 4 ounce", + "tea tree oil soap 4 pack", + "tea tree oil soap 4 oz", + "tea tree oil soap", + "tea tree oil soap 3 pack of 4 ounce", + "tea tree oil soap 4 ounce bars", + "tea tree oil soap 2 pack of 4 oz", + "tea tree oil soap 2 pack", + "tea tree oil soap 4 ounce bar" + ], + "i am looking for a water resistant battery storage containers": [ + "water resistant battery storage containers", + "womens water resistant battery storage containers", + "water resistant battery storage containers under $40", + "water resistant battery storage containers under $50", + "water resistant battery storage containers under $60", + "water resistant battery storage containers under $130", + "water resistant battery storage containers under $120", + "alarm water resistant battery storage containers", + "water resistant battery storage containers under 50 dollars", + "a water resistant battery storage containers" + ], + "i am looking for milk creme chocolate bar with natural ingredients.": [ + "milk creme chocolate bar with natural ingredients", + "milk creme chocolate bar natural", + "milk creme chocolate bar natural ingredients", + "milk creme chocolate bar natural no sugar", + "milky creme chocolate bar with natural ingredients", + "milky creme chocolate bar natural", + "milkmese chocolate bar natural", + "milkmese chocolate bar with natural ingredients", + " milk creme chocolate bar with natural ingredients", + "milk creme chocolate bar" + ], + "i'm looking for a twelve pack of black cherry cream flavor hand crafted soda in bottles.": [ + "12 pack of black cherry cream flavor hand crafted soda", + "12 pack black cherry cream flavor hand crafted soda in bottles", + "12 pack black cherry cream flavor hand crafted soda", + "black cherry cream flavor hand crafted soda in bottles", + "bag of black cherry cream flavor hand crafted soda in bottles", + "12 pack cherry cream flavor hand crafted soda in bottles", + "12 pack of black cherry cream flavor", + "alarm pack of black cherry cream flavor hand crafted soda", + "alarm cream flavor hand crafted soda in bottles", + "black cherry cream flavor hand crafted soda" + ], + "i'm looking for casual twill mens shirt.": [ + "casual twill mens shirt", + "curtains mens shirt", + "casual twill mens shirt.", + "clothing casual twill mens shirt", + "curtains twill mens shirt", + "coaxial twill mens shirt", + "style twill mens shirt", + "professional twill mens shirt", + "clothing casual twill mens", + "pocket mens shirt" + ], + "i am interested in buying a size 15 walking shoes with a rubber sole.": [ + "size 15 walking shoes with a rubber sole", + "walking shoes size 15 with a rubber sole", + "walking shoes with a rubber sole", + "walking shoes with a rubber sole size 15", + "walking shoes size 15 rubber sole", + "walking shoe size 15 with a rubber sole", + "walking shoes, size 15, rubber sole", + "walking shoes size 15, rubber sole", + "size 15 walking shoes", + "walking shoes with rubber sole size 15" + ], + "i would like a regular sea glass towel for damaged hair.": [ + "regular sea glass towel for damaged hair", + "regular sea glass towel for damaged hair.", + "sea glass towel for damaged hair", + "regular sea glass towel for damaged hair under $40", + "sea glass towel for damaged hair.", + "regular sea glass towel for damaged hair under $50", + "regular sea glass towel for damaged hair under $60", + "regular sea glass towel for damaged hair below $50", + "regular sea glass towel for damaged hair below $40", + "a regular sea glass towel for damaged hair" + ], + "i am looking for an i5 quad core computer with 16 gb memory.": [ + " i5 quad core computer with 16 gb memory", + "intel i5 quad core computer with 16 gb memory", + "desktop i5 quad core computer with 16 gb memory", + " i5 quad core computer with 16gb memory", + " i5 quad core computer with 16 gb memory.", + " i5 quad core computer with 16 gb memory under $130", + "tablet computer with 16 gb memory", + " i5 quad core computer with 16 gb memory under $120", + "tablet computer with 16gb memory", + "tablet computer 16gb memory" + ], + "i would like to buy easy to clean massage table sheets which are pink in color.": [ + "pink massage table sheets", + "easy to clean massage table sheets pink", + "easy clean massage table sheets pink", + "plastic massage table sheets pink", + "easy to clean massage table sheets, pink", + "pink massage table sheets which are pink", + "easy to clean massage table sheets", + "easy to clean massage table sheets in pink", + "pink massage table sheets, easy clean", + "easy clean massage table sheets, pink" + ], + "i am looking for a gray long sleeved puffy jacket in size small.": [ + "gray long sleeved puffy jacket in size small", + "gray long sleeved puffy jacket in a small", + "gray long sleeved puffy jacket", + "grey long sleeved puffy jacket in size small", + "womens gray long sleeved puffy jacket", + "gray long sleeved puffy jacket size small", + " gray long sleeved puffy jacket in size small", + "gray long sleeved puffy jacket in small", + "womens puffy jacket in size small", + "size small puffy jacket" + ], + "i'm looking for a winter pajama set that my husband can wear every day: it needs to have an elastic waistband because he's a size xxl.": [ + "winter pajama set xxl", + "winter pajama set in a size xxl", + "winter pajama set xl", + "winter pajama set size xxl", + "winter pajama set xl size xxl", + "winter pajama set a size xxl", + "winter pajama set", + "winter pajama set xxl under $50", + "winter pajama set xxl under $40", + "winter pajama set xxl under $60" + ], + "i want asian sesame keto salad dressing.": [ + "asian sesame keto salad dressing", + "sesame keto salad dressing", + "asian sesame keto salad dressing.", + "almond sesame keto salad dressing", + "synthetic keto salad dressing", + "aian sesame keto salad dressing", + "sesame keto salad dressing under $40", + "sesame keto salad dressing.", + "sesame keto salad dressing under $60", + "sesame keto salad dressing under $50" + ], + "i am looking for a hydrating stick for face that is suitable for sensitive skin": [ + "hydrating stick for face sensitive skin", + " hydrating stick for face sensitive skin", + "hydrating stick for face", + "hydrating stick for face with sensitive skin", + "sydrating stick for face sensitive skin", + " hydrating stick for face", + " hydrating stick for face with sensitive skin", + "honeydrating stick for face sensitive skin", + "hydrating stick for face sensitive skin,", + "hydrating stick" + ], + "i would like to buy shea butter, which should be cruelty free product and for dry hair.": [ + "shea butter cruelty free", + "shea butter cruelty free for dry hair", + "shea butter cruelty free, for dry hair", + "shea butter cruelty free product for dry hair", + "shea butter cruelty free and for dry hair", + "cruelty free product for dry hair", + "shea butter cruelty free for dry air", + "shea butter cruelty free for dry hair.", + "shea butter, cruelty free, dry hair", + "shea butter cruelty free, for dry air" + ], + "i am looking for an android 11 tablet with 4g lte.": [ + " android 11 tablet with 4g lte", + "tablet with 4g lte", + "Android 11 tablet with 4g lte", + "8gb android 11 tablet with 4g lte", + "android 11 tablet with 4g lte", + "4g lte android 11 tablet", + " android 11 tablet with 4g lte.", + " android 11 tablet 4g lte", + "tablet with 4g lte under $120", + "tablet with 4g lte under $130" + ], + "i am looking for a storage cabinet that is suitable for my living room. pick an espresso color.": [ + "storage cabinet suitable for living room with an espresso color", + "storage cabinet for living room with espresso color", + "storage cabinet for living room with an espresso color", + "storage cabinet suitable for living room with espresso color", + "storage cabinet for living room espresso color", + "storage cabinet suitable for my living room with espresso color", + "storage cabinet for living room in espresso color", + "storage cabinet for living room color", + "storage cabinet with espresso color", + "storage cabinet" + ], + "i am looking for a blue colored, water resistant wireless bluetooth speaker.": [ + "blue wireless bluetooth speaker", + "blue bluetooth speaker", + "blue, water resistant wireless bluetooth speaker", + "blue bluetooth speaker that is water resistant", + "blue water resistant wireless bluetooth speaker", + "blue wireless bluetooth speaker, water resistant", + "blue wireless bluetooth speaker under $40", + "blueetooth speaker", + "blue wireless bluetooth speaker under $50", + "blue wireless bluetooth speaker under $60" + ], + "i am looking for an easy to install vanity light for bathroom.": [ + "easy to install vanity light for bathroom", + "easy to install vanity light in bathroom", + "easy to install vanity light bathroom", + "easy to install vanity light", + "easy install vanity light for bathroom", + "simple to install vanity light for bathroom", + "living room vanity light", + "easy to install vanity light, bathroom", + "5 ft vanity light for bathroom", + "5 ft vanity light" + ], + "i need 2 pieces of tempered glass film coverings for my dining room windows; they are 17.7\"x35.4\" in size.": [ + "tempered glass film coverings dining room windows 17.7x35.4", + "tempered glass film coverings 17.7x35.4 in size", + "tempered glass film coverings 17.7x35.4", + "tempered glass film coverings dining room windows", + "tempered glass film coverings for dining room windows", + "2 pieces of tempered glass film coverings for my dining room windows", + "tempered glass film coverings 17.7x35.4 in size.", + "2 pieces of tempered glass film coverings dining room windows", + "tempered glass film coverings for my dining room windows", + "window coverings 17.7x35.4" + ], + "i would like a 23.6in by 23.6in in 2pcs set of red window films with tempered glass.": [ + "23.6in window films with tempered glass", + "23.6in window films", + "23.6inwindow films with tempered glass", + "23.6in windows films with tempered glass", + "23.6in glass window films with tempered glass", + "23.6in glass window films", + "23.6inwindow films", + "23.6in window films with tempered glass,", + "23.6in window films with tempered glass.", + "window films" + ], + "im looking for a blue gift basket.": [ + "blue gift basket", + "blue gift basket.", + "blue gift basket under $50", + "blue gift basket under $40", + "blue gift basket under $60", + "blue gift basket under 50 dollars", + "blue gift basket under 40 dollars", + "blue gift basket under 30 dollars", + "blue gift basket for baby shower", + "blue gift basket," + ], + "i want to buy some cc cream with hyaluronic acid and color light in size .4 oz.": [ + " cc cream with hyaluronic acid and color light", + " cc cream with hyaluronic acid color light", + " cc cream with hyaluronic acid in size .4 oz", + "c cream with hyaluronic acid and color light", + "cc cream with hyaluronic acid and color light", + " cc cream color light in size .4 oz", + "cc cream with hyaluronic acid color light", + " cc cream with hyaluronic acid", + " cc cream color light", + " cc cream" + ], + "look for this brand: it cosmetics your skin but better, full coverage foundation, moisturizing serum and sunscreen spf 50+ - natural finish - for my dark circles .4 oz": [ + "moisturizing serum for dark circles", + "moisturizing serum for dark circles 4 oz", + "beauty foundation for dark circles", + "moisturizing serum for my dark circles", + "beauty foundation for dark circles with natural finish", + "pure coverage foundation for dark circles", + "moisturizing serum", + "beauty foundation with natural finish", + "beauty skin brand", + "natural finish" + ], + "i want a moonlight lip glosses that is cruelty free.": [ + "moonlight lip glosses cruelty free", + "moisturizing lip gloss", + "moonlight lip gloss", + " moonlight lip glosses cruelty free", + "moonlight lip gloss that is cruelty free", + "moonlight lip gloss, cruelty free", + "Moonlight lip glosses cruelty free", + "moonlight lip glosses", + "moonlight lip glosses cruelty free.", + "moonlight lip gloss, cruelty free," + ], + "i want a small sonic toothbrush for bad breath.": [ + "small sonic toothbrush for bad breath", + "small sonic toothbrush for bad breath.", + "sonic toothbrush for bad breath", + "small sonic toothbrush for bad breath,", + "small sonic toothbrush", + "small sonic toothbrush, for bad breath", + "small sonic toothbrush with bad breath", + "small sonic toothbrush that is bad breath", + "small sonic toothbrush, bad breath", + "small sonic toothbrush bad breath" + ], + "i would like a full size style 8 duvet cover that is machine washable.": [ + "duvet cover that is machine washable", + "full size style 8 duvet cover", + "duvet cover", + "duvet cover machine washable", + "duvet cover, machine washable", + "duvet cover with machine washable", + "large size style 8 duvet cover", + "duvet cover under $40", + "duvet cover under $50", + "duvet cover under $60" + ], + "i'd like a print of persistence of memory, ready to hang in my living room with dimensions 20\"x16\"x1.5\".": [ + "20x16x1.5 print of persistence of memory", + "19x16x1.5 print of persistence of memory", + "living room print of persistence of memory 20x16x1.5", + "23x16x1.5 print of persistence of memory", + "digital print of persistence of memory 20x16x1.5", + "artwork of persistence of memory 20x16x1.5", + "memory print 20x16x1.5", + "digital print of persistence of memory 20x16x1.5.", + "artwork of persistence of memory 20x16x1.5.", + "20x16x1.5 print of memory" + ], + "i am looking for low calorie, gluten free organic\\ pasta sauce": [ + "low calorie, gluten free organic pasta sauce", + "low calorie, gluten free, organic\\ pasta sauce", + "low calorie gluten free organic pasta sauce", + "low calorie, gluten free organic\\ pasta sauce", + "low calorie, gluten free organic pizza sauce", + "low calorie, gluten free organic\\ pasta sauce", + "low calorie, gluten free and organic pasta sauce", + "low calorie, gluten free organic sauce", + "low calorie, gluten free organic", + "low calorie, gluten free" + ], + "i am looking for peripera velvet lipstick that is long lasting and in the color red.": [ + "peripera velvet lipstick long lasting red", + "peripera velvet lipstick in the color red", + "peripera velvet lipstick long lasting", + "peripera velvet lipstick", + "peripera velvet lipstick long lasting and red", + "peripera velvet lipstick in a color red", + "peripera velvet lipstick long lasting color red", + "peripera velvet lipstick long lasting, red", + "peripera velvet lipstick red", + "peripera velvet lipstick that is long lasting red" + ], + "i would like a fireplace and tv stand for my living room with lots of storage space.": [ + "living room fireplace and tv stand with lots of storage space", + "living room fireplace and tv stand", + "wooden tv stand for living room with lots of storage space", + "tv stand for living room with lots of storage space", + "living room fireplace and tv stand with lots of storage", + "living room fireplace and tv stand with storage space", + "wooden tv stand for living room with lots of storage", + "living room fireplace and tv stand with lots of storage space.", + " fireplace and tv stand for my living room with lots of storage", + "wooden and tv stand for living room with lots of storage" + ], + "i would like a easy to assemble buffet sideboard.": [ + "easy to assemble buffet sideboard", + "easy to assemble buffet sideboard.", + "easy assemble buffet sideboard", + "easy to assemble buffet sideboard under $60", + "easy to assemble buffet sideboard under $40", + "easy to assemble buffet sideboard under $50", + "easy to assemble buffet sideboard under 120 dollars", + "easy to assemble buffet sideboard under 50 dollars", + "easy to assemble buffet sideboard under 60 dollars", + "easy to assemble buffet sideboard under 30 dollars" + ], + "i am looking for a high resolution projector screen with stand. also, i would like the item to be made of aluminum alloy.": [ + "high resolution projector screen with stand", + "high resolution projector screen with stand made of aluminum", + "high resolution projector screen with stand.", + "high resolution projector screen made of aluminum alloy", + "high resolution projector screen", + "projection screen with stand made of aluminum alloy", + "high resolution projector screen, made of aluminum alloy", + "high resolution projector screen with stand made from aluminum", + "high resolution projector screen with stand under $60", + "high resolution projector screen with stand under $40" + ], + "i'm looking for an officially licensed spider-man t-shirt with black needle sleeves.": [ + "slimming t-shirt with black needle sleeves", + "t-shirt with black needle sleeves", + "stainless black spider-man t-shirt", + "committed spider-man t-shirt black", + "slimming t-shirt black", + "shoes with black needle sleeves", + "shoes black", + "t-shirt with black needle sleeves, officially licensed", + "strawberry mens t-shirt black", + "t-shirt black" + ], + "i would like some gold living room end tables": [ + "gold living room end tables", + "living room end tables gold", + "living room end tables", + "pink living room end tables", + "living room end tables, gold", + "gold living room end table", + "yellow living room end tables", + "gold living room end tables,", + "living room end table gold", + "green living room end tables" + ], + "i'd like to get some binoculars that are high definition and have a carying case. look for style 8x42.": [ + " binoculars high definition with a carying case", + " binoculars high definition and have a carying case", + " binoculars that are high definition with a carying case", + " binoculars high definition with carying case", + " binoculars high definition and with a carying case", + " binoculars high definition and carying case", + " binoculars style 8x42", + " binoculars with a carying case", + " binoculars in style 8x42", + " binoculars high definition" + ], + "i am looking for an easy to use anti aging jade roller.": [ + "anti aging jade roller", + "easy to use anti aging jade roller", + "anti aging jade roller easy to use", + "anti aging jade roller under $40", + "anti aging jade roller under $50", + "anti aging jade roller under $60", + "anti aging jade roller.", + "ant aging jade roller", + "walking jade roller", + "pocket roller" + ], + "i am looking for nefertiti's rejuvenating conditioner for dry and damaged hair": [ + "nefertitis rejuvenating conditioner for dry and damaged hair", + "nfertitis rejuvenating conditioner for dry and damaged hair", + " nefertitis rejuvenating conditioner for dry and damaged hair", + "nefertitis rejuvenating conditioner for dry and damaged air", + "teeth rejuvenating conditioner for dry and damaged hair", + "fertitis rejuvenating conditioner for dry and damaged hair", + "nefertitis rejuvenating conditioner", + "jeans rejuvenating conditioner for dry and damaged hair", + "nefertitis rejuvenating conditioner dry and damaged hair", + "nuanced conditioner for dry and damaged hair" + ], + "i am looking for high speed vr headset of size 10ft.": [ + "high speed vr headset of size 10ft", + "high speed vr headset size 10ft", + "high speed vr headset", + "high speed vr headset, size 10ft", + "high speed vr headset in size 10ft", + "vr headset size 10ft", + "high speed vr headset of size 10ft", + "high speed vr headset size 10ft", + "high speed vr headset 10ft", + "vr headset of size 10ft" + ], + "i am looking for men's dark clay color ankle strap sandals.": [ + "mens dark clay color ankle strap sandals", + "mens dark clay color ankle strap sandals", + "mens dark clay colored ankle strap sandals", + "mens dark clay color ankle strap sandals.", + "mens dark clay ankle strap sandals", + "mens dark clay colored ankle strap sandals", + "mens dark clay color ankle strap sandals,", + "dark clay color ankle strap sandals", + "mens dark clay sandals", + "mens dark clay walking shoes" + ], + "i am looking for a high quality baby toothbrush that are easy to carry.": [ + "baby toothbrush that are easy to carry", + "baby toothbrush easy to carry", + "easy to carry baby toothbrush", + "baby toothbrush", + "easy-to-carry baby toothbrush", + "baby toothbrush, easy to carry", + "baby toothbrush easy-to-carry", + "baby toothbrush, easy to carry,", + "high quality baby toothbrush", + "pink baby toothbrush" + ], + "i want navy landau essentials straight leg scrub pants.": [ + "navy landau essentials straight leg scrub pants", + "i want navy landau essentials straight leg scrub pants.", + "navy landau essentials straight leg scrub pants.", + " navy landau essentials straight leg scrub pants", + "navy landau essentials straight leg scrub pants under $50", + "navy landau essentials straight leg scrub pants under $40", + " navy landau essentials straight leg scrub pants.", + "natals landau essentials straight leg scrub pants", + "synthetic straight leg scrub pants", + "indoor essentials straight leg scrub pants" + ], + "i am looking for a kit of teeth whitening & sensitive teeth": [ + "teeth whitening & sensitive teeth", + "teeth whitening sensitive teeth", + "teeth whitening & sensitive teeth kit", + "teeth whitening and sensitive teeth", + "toothpaste teeth whitening sensitive teeth", + "kit of teeth whitening & sensitive teeth", + "teeth whitening with sensitive teeth", + "teeth whitening, sensitive teeth", + "teeth whitening", + "natural teeth whitening kit" + ], + "i am looking for a heavy duty protective case for iphone of color 2 in 1 red | black.": [ + "iphone of color 2 in 1 red | black", + "heavy duty protective case iphone of color 2 in 1 red", + "iphone of color 2 in 1 red", + "iphone case of color 2 in 1 red | black", + "iphone case 2 in 1 red | black", + "iphone of color 2 in 1 red black", + "heavy duty protective case for iphone of color 2 in black", + "iphone of color 2 in 1 red | black, heavy duty", + "bag of color 2 in 1 red | black", + "iphone of color 2 in 1 red | black." + ], + "i am looking for large size classic fit t-shirt.": [ + "large size classic fit t-shirt", + "large size classic fit t-shirt.", + "large t-shirt", + "medium size classic fit t-shirt", + "large t-shirt classic fit", + "large t-shirt below $50", + "large t-shirt under $50", + "large size t-shirt", + "large t-shirt.", + "large t-shirt," + ], + "i am looking for a pair of men's size 7 running shoes with rubber soles.": [ + "mens size 7 running shoes with rubber soles", + "mens size 7 running shoes", + "mens size 7 running shoes rubber soles", + "mens size 7 running shoes with rubber sole", + "mens size 7 running shoes, rubber soles", + "mens size 7 running shoes rubber sole", + "mens size 7 walking shoes with rubber soles", + "mens size 7 running shoes, rubber sole", + "mens size 7 running shoes no rubber", + "mens size 7 running shoes" + ], + "am searching reebok women's nano x cross trainer running shoes with rubber sole and size 7": [ + "reebok womens nano x cross trainer running shoes with rubber sole size 7", + "reebok womens nano x cross trainer running shoes with rubber sole", + "reebok womens nano x cross trainer running shoes", + "reebok womens nano x cross trainer running shoes with rubber sole and size 7", + "womens nano x cross trainer running shoes with rubber sole", + "womens nano x cross trainer running shoes with rubber sole size 7", + "reebok womens nano x cross trainer running shoes rubber sole size 7", + "womens nano x cross trainer running shoes", + "reebok womens nano x cross trainer running shoes rubber sole", + "mens nano x cross trainer running shoes with rubber sole" + ], + "i would like a 5.9 inch pendant light fixture for my living room.": [ + "5.9 inch pendant light fixture for my living room", + "5.9 inch pendant light fixture", + "5.9 inch pendant light fixture for living room", + "5.9 inch pendant light fixture for the living room", + "5.9 x 5.9 pendant light fixture", + "5.9 inch pendant light fixture for a living room", + "5.9 inch pendant light fixture living room", + "5.9 inch pendant light fixture in my living room", + "5.9 x 5.9 inch pendant light fixture", + "living room pendant light fixture" + ], + "i am looking for keto friendly, certified organic clarified butter in the himalayan pink salt ghee style.": [ + "keto friendly, certified organic clarified butter in the himalayan pink salt ghee style", + "keto friendly, certified organic clarified butter in the healayan pink salt ghee style", + "keto friendly, certified organic clarified butter healayan pink salt ghee style", + "keto friendly, certified organic clarified butter", + "keto friendly, certified organic clarified butter in a healayan pink salt ghee style", + " keto friendly, certified organic clarified butter in the himalayan pink salt ghee style", + "keto friendly, certified organic clarified butter healayan pink salt ghee style keto", + "keto friendly, certified organic clarified butter in healayan pink salt ghee style", + "keto friendly, certified organic butter in the himalayan pink salt ghee style", + "keto friendly keto friendly, certified organic clarified butter" + ], + "i am looking for some easy to install gold plated banana plugs for speaker wire.": [ + "plated banana plugs for speaker wire", + "gold plated banana plugs for speaker wire", + "easy to install gold plated banana plugs", + "plastic banana plugs for speaker wire", + "plated banana plug for speaker wire", + "plated banana plugs for speaker wire.", + "gold plated banana plug for speaker wire", + "yellow banana plugs for speaker wire", + "plated banana plug speaker wire", + "plated banana plugs" + ], + "this brand is the one i have in other rooms, look for it: greaton wood fully assembled traditional box spring/ 4'' split foundation for mattress, queen size, color white. let me know as soon as you find it.": [ + "greaton wood fully assembled traditional box spring mattress", + "greaton wood fully assembled traditional box spring bed frame", + "greaton wood fully assembled traditional box spring", + "greaton wood fully assembled traditional box spring bed frame foundation", + "greaton wood fully assembled traditional box spring mattress queen size", + "greaton wood fully assembled traditional box spring bedframe", + "son wood fully assembled traditional box spring", + "greaton wood fully assembled mattress", + "classic box spring mattress", + "classic box spring" + ], + "i am looking for some gluten free kool ranch flavored kale chips.": [ + "gluten free kool ranch flavored kale chips", + "gluten free kool ranch flavored kale chips.", + "gluten free kool ranch flavored kale chips under $40", + "gluten free kool ranch flavored kale chips under 50 dollars", + "gluten free kool ranch flavored kale chips under $60", + "gluten free kool ranch flavored kale chips below $40", + "gluten free kool ranch flavored kale chips under $50", + "gluten free kool ranch flavored kale chips under 30 dollars", + "gluten-free kool ranch flavored kale chips", + "kool ranch flavored kale chips" + ], + "i'm looking for eye makeup eyeshadow pads professional stencils.": [ + "eye makeup eyeshadow pads professional stencils", + "eye makeup eyeshadow pads professional stencils.", + "Eye makeup eyeshadow pads professional stencils", + "eye makeup eyeshadow pad professional stencils", + "eyes makeup eyeshadow pads professional stencils", + "orange makeup eyeshadow pads professional stencils", + "egan makeup eyeshadow pads professional stencils", + "open mens eyeshadow pads professional stencils", + "eye makeup eyeshadow pads professional stencil", + "oral stencils" + ], + "i need some oatmeal chocolate chip cookies that is made from real fruit. make sure that is plant based.": [ + "oatmeal chocolate chip cookies plant based", + "oatmeal chocolate chip cookies made from real fruit", + "oatmeal chocolate chip cookies", + "oatmeal chocolate chip cookies that is plant based", + "oatmeal chocolate chips cookies plant based", + "oatmeal chocolate chip cookies that is plant based.", + "oatmeal chocolate chip cookies plant based.", + "oatmeal chocolate chip cookies, plant based", + "oatmeal chocolate chip cookies from real fruit", + "oatmeal chocolate chip cookies plant based oatmeal" + ], + "i am interested in buying remove cover which is light weight, and easy to install, and it's color should be red.": [ + "remove cover that is light weight, easy to install, and its color should be red", + "remove cover, light weight, easy to install, red", + "remove cover that is light weight, easy to install, red", + "remove cover light weight red", + "remove cover that is light weight, and easy to install, red", + "remove cover, light weight, easy to install red", + "remove cover, light weight, red", + "remove cover light weight", + "easy to install red remove cover", + "remove cover red" + ], + "i am looking for amisco club counter stool in grey metal and aqua blue polyurethane that is lead free and easy to clean.": [ + "amisco club counter stool in grey metal and aqua blue polyurethane", + "amisco club counter stool in grey metal and aqua blue polyurethane that is lead free", + "misco club counter stool in grey metal and aqua blue polyurethane", + "amisco club counter stool in grey metal with aqua blue polyurethane", + "im looking for amisco club counter stool in grey metal and aqua blue polyurethane", + "amisco club counter stool with grey metal and aqua blue polyurethane", + "amisco club counter stool in grey metal, aqua blue polyurethane", + "misco club counter stool in grey metal and aqua blue polyurethane that is lead free", + " amisco club counter stool in grey metal and aqua blue polyurethane", + "amisco club counter stool in grey metal with aqua blue polyurethane that is lead free" + ], + "i would like a extra large pair of ripped style a jeans with a wide leg.": [ + "extra large jeans with a wide leg", + "extra large jeans with wide leg", + "extra large jeans", + "extra large jeans wide leg", + "extra large pair of ripped style jeans", + "extra large jeans wide leg extra large", + "extra large jeans that are wide leg", + "extra large jeans, wide leg", + "extra large jeans with wide leg.", + "jeans wide leg extra large" + ], + "i'm looking for a high quality stainless steel tongue cleaners. also, choose assorted color1 one.": [ + "stainless steel tongue cleaners", + "stainless steel tongue cleaners in assorted color", + "stainless steel tongue cleaners color1", + "stainless steel tongue cleaners color 1", + "stainless steel tongue cleaners.", + "stainless steel tongue cleaners assorted color1", + "stainless steel tongue cleaners with quality", + "stainless steel tongue cleaners under $40", + "stainless steel tongue cleaners under $60", + "stainless steel tongue cleaners under $50" + ], + "i would like a medium sized black sleep set that is light weight.": [ + "medium sized black sleep set that is light weight", + "medium sized black sleep set", + "medium sized black sleep set, light weight", + "medium sized black sleep set with light weight", + "medium size black sleep set that is light weight", + "medium sized black sleep set light weight", + "medium sized black sleep set with a light weight", + "medium sized black sleep set, light weight,", + "medium sized black sleep set which is light weight", + "medium sized black sleep set under $50" + ], + "i'm looking for an easy-to-carry makeup case that contains various types of eyeshadows and is of high quality, in black marble.": [ + "easy-to-carry makeup case, black marble", + "easy-to-carry makeup case", + "easy-to-carry makeup case in black marble", + "easy-to-carry makeup case, black marble,", + "easy-to-carry makeup case black marble", + "easy-to-carry makeup case with eyeshadows", + "beauty case that contains various types of eyeshadows", + "easy-to-carry makeup case under $40", + "easy-to-carry makeup case, black", + "beauty case black marble" + ], + "i am looking for butt-lifting, high waisted workout leggings in the color red and the size medium.": [ + "butt-lifting workout leggings in the color red", + "butt-lifting workouts leggings in the color red", + "butt-lifting red workout leggings in the color red", + "butt-lifting workout leggings red", + "butt-lifting high waisted workout leggings red", + "butt-lifting, high waisted workout leggings red", + "butt-lifting high waisted workout leggings", + "butt-lifting workout leggings size red", + "butt-lifting workouts leggings red", + "butt-lifting workout leggings red medium" + ], + "i am looking for a fabric dresser of brown color for my living room.": [ + "brown fabric dresser for living room", + "blue fabric dresser for living room", + "rainbow colored fabric dresser for living room", + "jeans dresser brown", + "a fabric dresser of brown color", + "a brown fabric dresser for my living room", + "red fabric dresser for living room", + "blue fabric dresser of brown color", + "a brown fabric dresser of brown color", + "rainbow colored fabric dresser" + ], + "i am interested in buying a gaming pc which is quad core and has specs of i7, 8gb, and 256 gb ssd.": [ + "quad core gaming pc with specs of i7, 8gb, and 256 gb ssd", + "quad core gaming pc with specs i7, 8gb, and 256 gb ssd", + "quad core gaming pc with specs of i7, 8gb, and 256gb ssd", + "tablet gaming pc with specs of i7, 8gb, and 256 gb ssd", + "quad core gaming pc with specs of i7, 8gb and 256 gb ssd", + "quad core gaming pc whose specs are i7, 8gb, and 256 gb ssd", + "quad core gaming pc, i7, 8gb, and 256 gb ssd", + "quad core gaming pc with specs of i7, 8gb, and 256gb ssd.", + "quad core gaming pc which is quad core", + "quad core gaming pc" + ], + "i'm looking for a 7.5 black heeled sandals with open toe": [ + "black heeled sandals with open toe", + "7.5 black heeled sandals", + "black heeled sandals", + "6 black heeled sandals with open toe", + "shoes 7.5 black with open toe", + "6.5 black heeled sandals", + "shoes 7.5 black", + "shoes with open toe 7.5 black", + "black heeled sandals with open toe,", + "6 black heeled sandals" + ], + "i'm looking for cute hooded sweatshirts with frog print for women.": [ + "hooded sweatshirts with frog print for women", + "hooded sweatshirts with frog print", + "curtains sweatshirts with frog print", + "hooded sweatshirt with frog print for women", + "curtains sweatshirt with frog print for women", + "hooded sweatshirts with frog print", + "curtains of sweatshirts with frog print", + "sweat sweatshirts with frog print for women", + "hooded sweatshirts frog print for women", + "curtains with frog print for women" + ], + "i'm looking for a gluten free, keto friendly, and vegan granola that is low sugar and low carb. also, choose the pack of 2 in lemon blueberry tart.": [ + "gluten free keto friendly and vegan granola pack of 2 in lemon blueberry tart", + "gluten free, keto friendly and vegan granola pack of 2 in lemon blueberry tart", + "gluten free keto friendly, and vegan granola pack of 2 in lemon blueberry tart", + "gluten free and keto friendly vegan granola pack of 2 in lemon blueberry tart", + "gluten free keto friendly vegan granola pack of 2 in lemon blueberry tart", + "gluten free keto friendly and vegan granola pack of 2", + "gluten free keto friendly and vegan granola pack of 2 in lemon blueberry", + "gluten free keto friendly and vegan granola pack of 2, lemon blueberry tart", + "gluten free keto friendly and vegan granola pack of 2 in lemon blueberry tart.", + "gluten free, keto friendly, and vegan granola pack of 2 in lemon blueberry" + ], + "i want multi colored self grip hair curlers for hair styling.": [ + "multi colored hair curlers for hair styling", + "multi colored hair curlers", + "multi colored hair curlers for hair styling.", + "multi colored self grip hair curlers", + " multi colored hair curlers for hair styling", + "manual colored hair curlers for hair styling", + "Multi colored hair curlers for hair styling", + "single colored hair curlers for hair styling", + " multi colored hair curlers for hair styling.", + " multi colored self grip hair curlers" + ], + "i want to find aurgelmir gray women's quick dry running shorts with a unique design in a size small.": [ + "urgelmir gray womens quick dry running shorts", + "urgelmir gray womens quick dry running shorts small", + "urgelmir gray womens quick dry running shorts size small", + "urgelmir gray womens quick dry running shorts that are small", + "urgelmir gray womens quick dry running shorts, small", + "urgelmir gray womens quick dry running shorts, size small", + "urgelmir gray womens quick dry running shorts in a small", + "burgelmir gray womens quick dry running shorts", + "urgelmir gray womens quick drying running shorts", + "urgelmir gray womens quick dry running shorts under $50" + ], + "i am looking for some alcohol free spearmint mouthwash for bad breath.": [ + "alcohol free spearmint mouthwash", + "alcohol free spearmint mouthwash for bad breath", + "alcohol free spearmint mouthwash under $40", + "alcohol free spearmint mouthwash under $50", + "alcohol free spearmint mouthwash under $60", + "alcohol free spearmint mouthwash under 50 dollars", + "alcohol free spearmint mouthwash under 30 dollars", + "alcohol free spearmint mouthwash under 40 dollars", + "alcohol free spearmint mouthwash under 60 dollars", + "alarmint mouthwash" + ], + "i need a conditioner for damaged hair": [ + "Conditioner for damaged hair", + " conditioner for damaged hair", + "conditioner for damaged hair", + "temporary conditioner for damaged hair", + "Conditioner for damaged hair under $40", + "tempered hair conditioner", + " conditioner for damaged hair under $40", + "Conditioner for damaged hair under $50", + " conditioner for damaged hair under $50", + "medical conditioner for damaged hair" + ], + "i'm looking for aaa batteries that will serve as replacement for my soundbar controller.": [ + "aaa batteries", + "aaa batteries for soundbar controller", + "aaa batteries for aaa", + "aaa batteries for a soundbar", + "soundbar batteries", + "aaa batteries aaa", + "aaa batteries,", + "aaa batteries replacement", + "alarm batteries", + "aa batteries" + ], + "i am looking for lactose-free non-dairy coffee creamer.": [ + "lactose free non-dairy coffee creamer", + " lactose-free non-dairy coffee creamer", + "loose-free non-dairy coffee creamer", + "moisturizing non-dairy coffee creamer", + "non-dairy coffee creamer", + "lactose-free dairy coffee creamer", + "lactose-free non-dairy coffee cream", + "moisturizing coffee creamer", + "low sugar dairy coffee creamer", + "non-dairy coffee creamer under $40" + ], + "i'm looking for all seed savory crisps.": [ + "seed savory crisps", + "plant savory crisps", + "seeds savory crisps", + "sneakers for savory crisps", + "sugar savory crisps", + "strawberry savory crisps", + "seed savory crisps under $40", + "seed savory crisps.", + "sneakers savory crisps", + "seed savory crisps under $60" + ], + "i want a anti-aging hyaluronic acid cream that includes aloe vera and retinol and is all natural.": [ + "anti-aging hyaluronic acid cream", + "anti-aging hyaluronic acid cream that includes aloe vera", + "anti-aging hyaluronic acid cream with aloe vera", + "anti-aging hyaluronic acid cream no aloe vera", + "anti-aging hyaluronic acid cream under $40", + "anti-aging hyaluronic acid cream natural", + "anti-aging hyaluronic acid cream under $50", + "anti-aging hyaluronic acid cream whose price is natural", + "ant-aging hyaluronic acid cream", + "aluminum acid cream" + ], + "i am looking for white colored, quick drying bathing suits for women.": [ + "white colored quick drying bathing suits for women", + "white colored quick drying bathing suits", + "white colored, quick drying bathing suits", + "white colored quick drying bathing suit for women", + "white quick drying bathing suits for women", + "white, quick drying bathing suits for women", + "whitewash suits for women", + "white colored quick drying bathing suits for woman", + "whitewater bathing suits for women", + "white colored quick drying bathing suit" + ], + "i am looking for sand brown color curtains for my living room.": [ + "sand brown color curtains for my living room", + "sand brown color curtains for living room", + "sand brown color curtains for the living room", + "sand brown color curtains for a living room", + " sand brown color curtains for my living room", + "sand brown color curtains for living room.", + "Sand brown color curtains for my living room", + "sneakers for living room sand brown", + "sand brown color curtains living room", + "sand brown color curtains" + ], + "i'm looking for a type a male to male magnetic ring data transfer extension cable for usb flash drive that is fast charging.": [ + "manual to male magnetic ring data transfer extension cable for usb flash drive", + "manual to male magnetic ring data transfer extension cable", + "male to male magnetic ring data transfer extension cable for usb flash drive", + "a male to male magnetic ring data transfer extension cable for usb flash drive", + "male to male magnetic ring data transfer extension cable", + "womens to male magnetic ring data transfer extension cable", + "man to male magnetic ring data transfer extension cable for usb flash drive", + "man to male magnetic ring data transfer extension cable", + "manual to male magnetic ring data transfer extension cable usb flash drive", + "mens to male magnetic ring data transfer extension cable" + ], + "i'm looking for led tv stand for 70 inch.": [ + "tv stand for 70 inch", + "tv stand for 70 inch.", + "tv stand for 70 inch led tv stand", + "tv stand for 70 inches", + "led tv stand for 70 inch", + "tv stand for 70 inch under $40", + "tv stand for 70 inch under $60", + "tv stand for 70 inch under $50", + "tv stand for 70 inch that is led", + "lead tv stand for 70 inch" + ], + "i would like a polka dot cosmetic bag that is travel size.": [ + "pink dot cosmetic bag travel size", + "pink dot cosmetic bag that is travel size", + "pink dot cosmetic bag", + "polka dot cosmetic bag that is travel size", + "polka dot cosmetic bag travel size", + "pink dot cosmetic bag travel size.", + "pink dot cosmetic bag in travel size", + "portrait bag travel size polka dot", + "pink dot cosmetic bag travel", + "pink dot cosmetic bag, travel size" + ], + "i am interested in buying hanging lights which are suitable for dining room and living room, while their color should be smoky gray.": [ + "living room hanging lights smoky gray", + "living room hanging lights, smoky gray", + "living room hanging lights with smoky gray color", + "living room hanging lights with smoky gray", + "living room hanging lights in smoky gray", + "living lights, smoky gray", + "living lights with smoky gray color", + "living lights smoky gray", + "living room hanging lights", + "living room hanging lights with a smoky gray" + ], + "i am looking for a large size classic fit unreleased t-shirt.": [ + "classic fit unreleased t-shirt", + "large t-shirt below $50", + "large t-shirt", + "large t-shirt below $40", + "large t-shirt under $50", + "large t-shirt under $40", + "large t-shirt under 50 dollars", + "large t-shirt unreleased", + "classic fit unreleased t-shirt.", + "large size t-shirt" + ], + "i want non alcoholic andy anand's bulk tiramisu cordials.": [ + "non alcoholic andy anands bulk tiramisu cordials", + "non alcoholic andy anands bulk tiramisu cordials.", + "non alcoholic andy anands bulk tiramisu cordials under $40", + "non alcoholic andy anands bulk tiramisu cordials under $60", + "non alcoholic andy anands bulk tiramisu cordials under $50", + "non alcoholic andy aands bulk tiramisu cordials", + "i want non alcoholic andy anands bulk tiramisu cordials.", + "non alcoholic andy anands bulk tiramisu cordials under 50 dollars", + "non alcoholic andy anands bulk tiramisu cordials under 30 dollars", + "non alcoholic andy anands bulk tiramisu cordials under 40 dollars" + ], + "i am looking for a family sized package with a variety of savory snacks made with healthy quality ingredients.": [ + "s savory snacks with healthy quality ingredients", + "sneakers with healthy quality", + "sashory snacks made with healthy quality", + "sneakers", + "s savory snacks made with healthy quality", + "sashory snacks", + "sneakers and snacks", + "s savory snacks with healthy quality", + "sneakers variety", + "s savory snacks" + ], + "i am looking for womens plus size bootcut jeans.": [ + "womens plus size bootcut jeans", + "womens plus size bootcut jeans.", + "im looking for womens plus size bootcut jeans.", + "womens plus size bootcut jeans under $40", + "womens plus size bootcut jeans under $50", + "womens plus size bootcut jeans under $60", + "womens plus size bootcut jeans under 50 dollars", + "womens plus size bootcut jeans below $50", + "womens plus size bootcut jeans below $40", + "bootcut jeans womens plus size" + ], + "i'm looking for a non toxic body paint scar wax": [ + "non toxic body paint scar wax", + "non toxic body paint scar wax under $40", + "non toxic body paint scar wax under $50", + "non toxic body paint scar wax under $60", + "non toxic body paint scar wax below $40", + "non toxic body paint scar wax below $50", + "non toxic body paint scar wax under 50 dollars", + "non toxic body paint scar wax below $60", + "non toxic body paint scar wax under 30 dollars", + "non toxic body paint scar wax under 40 dollars" + ], + "i need a noise cancelling headset that is panasonic": [ + "panasonic noise cancelling headset", + "panasonic noise cancelling headset that is panasonic", + "panasonic noise cancelling headset price lower than 50.00 dollars", + "panasonic noise cancelling headset under $40", + "panasonic noise cancelling headset under $60", + "panasonic noise cancelling headset under $50", + "panasonic noise cancelling headset price lower than $40.00", + "panasonic noise cancelling headset price lower than 40.00 dollars", + "panasonic noise cancelling headset price lower then $40.00", + "panasonic noise cancelling headset price lower then 50.00 dollars" + ], + "i would like a #5 nightstand that has a wood finish.": [ + "nightstand wood finish", + "nightstand with wood finish", + "nightstand that has a wood finish", + "nightstand wood finish #5", + "nightstand with a wood finish", + "nightstand wood finish, #5", + "nightstand with wood finish #5", + "nightstand that has wood finish", + "5 nightstand with wood finish", + "nightstand wood finish under $50" + ], + "i am looking for one pound of organic walnuts": [ + "one pound of organic walnuts", + "one pound organic walnuts", + "one pound organic walnuts under $40", + "two pound of organic walnuts", + "one pound organic walnuts under $60", + "one pound of natural walnuts", + "ones pound of organic walnuts", + "one pound of organic walnuts,", + "one pound natural walnuts", + "two pound organic walnuts" + ], + "i want a x-large yeyamei sweater for women that is made of polyester cotton.": [ + "x-large yeyamei sweater for women", + " x-large yeyamei sweater for women", + "x-large yeyamei sweater", + " x-large yeyamei sweater", + "x-large yeyamei sweater made of polyester cotton", + "yeyamei sweater x-large made of polyester cotton", + " x-large yeyamei sweater made of polyester cotton", + "xxl yeyamei sweater for women", + "xxl yeyamei sweater", + "xl yeyamei sweater for women" + ], + "i am looking for rose gold oral care copper tongue cleaner": [ + "rose gold oral care copper tongue cleaner", + "rose gold oral care copper tongue cleaner below $40", + "rose gold oral care copper tongue cleaner under $40", + "rose gold oral care copper tongue cleaners", + "rose gold oral care copper tongue cleaner below $50", + "rose gold oral care copper tongue cleaner, less than $40", + "rose gold oral care copper tongue cleaner, less then $40", + "rose gold oral care copper tongue cleaner under $50", + "rose gold oral care copper tongue cleaner under $60", + "rose gold oral care copper tongue cleaner, less than $60" + ], + "iam looking for a wallets for blouse, hosiery and laundry bag": [ + "alarm for blouse, hosiery and laundry bag", + " wallets for blouse, hosiery and laundry bag", + "alarm blouse, hosiery and laundry bag", + "al wallets for blouse, hosiery and laundry bag", + "lens for blouse, hosiery and laundry bag", + "wallet for blouse, hosiery and laundry bag", + "pocket for blouse, hosiery and laundry bag", + "bag for blouse, hosiery and laundry bag", + " wallets for blouse hosiery and laundry bag", + "alarm blouse, hosiery and laundry bag" + ], + "i would like a argan oil hair treatment.": [ + "argan oil hair treatment", + "argan oil hair treatment", + "an oil hair treatment", + "artificial oil hair treatment", + "argan oil hair treatment.", + "agan oil hair treatment", + "aran oil hair treatment", + "arsan oil hair treatment", + "argan oil hair treatment.", + "algan oil hair treatment" + ], + "i am interested in buying a black colored loose fitting medium sized workout pants mainly for gym workouts.": [ + "black training pants for workouts", + "black workout pants for workouts", + "black training pants for gym workouts", + "black workout pants", + "black workout pants for gym workouts", + "black training pants", + "black medium workout pants for workouts", + "black workout pants for workout", + "black training pants for workout", + "black medium workout pants" + ], + "i need milk chocolate covered peanut butter block": [ + "milk chocolate covered peanut butter block", + "milky chocolate covered peanut butter block", + "mushroom chocolate covered peanut butter block", + " milk chocolate covered peanut butter block", + "lip chocolate covered peanut butter block", + "milking chocolate covered peanut butter block", + "kale chocolate covered peanut butter block", + "milk chocolate covered peanut butter block under $40", + "milkmelted peanut butter block", + "milk chocolate covered peanut butter block under $50" + ], + "i would like to buy a black colored box spring bed.": [ + "black colored box spring bed", + "black box spring bed", + "black colored box spring bed.", + "black colored box spring bed,", + "black box spring bed.", + "black colored box spring bed under $40", + "black colored box spring bed under $50", + "black colored box spring bed under $60", + "black box spring bed that is black", + "black stone box spring bed" + ], + "i would like a white bed and nightstand with drawers that saves space.": [ + "white bed and nightstand with drawers", + "white bed and nightstand", + "white bed and nightstand drawers", + "white bed nightstand with drawers", + "white bed and nightstand that saves space", + "white bed, nightstand with drawers", + "white bed and nightstand, drawers", + "white nightstand with drawers", + "white bed with drawers", + "white bed nightstand" + ], + "i am looking for a mesh laundry bag.": [ + " mesh laundry bag", + "Mesh laundry bag", + " mesh laundry bag.", + " mesh laundry bag under $40", + " mesh laundry bag under $50", + "m mesh laundry bag", + " mesh laundry bag under $60", + "Mesh laundry bag under $40", + " mesh laundry bag under 50 dollars", + "Mesh laundry bag." + ], + "i am looking for a freeze dried pear chips and should contain real fruit.": [ + "freeze dried pear chips with real fruit", + "freeze dried pear chips that are real fruit", + "freeze dried pear chips and should contain real fruit", + "freeze dried pear chips freeze dried", + "freeze dried pear chips", + " freeze dried pear chips with real fruit", + "freeze dried pear chips and should contain real fruit.", + "freeze dried pear chips, real fruit", + "freeze dried pear chips under $40", + " freeze dried pear chips" + ], + "i need a living room statue": [ + "living room statue", + "living room statue of a woman", + "living room statue under $40", + "living room statue under $50", + "living room statue under 30 dollars", + "living room statue under $60", + "living room statue under $120", + "living room statue under $130", + "living room statue under 50 dollars", + "living room statue living room" + ], + "can i get a 2 light bath vanity lighting set with nickel finish?": [ + "2 light bath vanity lighting set with nickel finish", + "2 light bath vanity lighting set", + "2 light bath vanity lighting set nickel finish", + "two light bath vanity lighting set with nickel finish", + "light bath vanity lighting set with nickel finish", + " 2 light bath vanity lighting set with nickel finish", + "1 light bath vanity lighting set with nickel finish", + "2 light bath vanity lighting set, nickel finish", + "3 light bath vanity lighting set with nickel finish", + "light bath vanity lighting set nickel finish" + ], + "i want indigo zac relaxed fit straight leg jeans.": [ + "indigo zac relaxed fit straight leg jeans", + "indigo zac relaxed fit straight leg jeans.", + "indigo zac relaxed fit straight leg jeans under $50", + "indigo zac relaxed fit straight leg jeans under $40", + "indigo zac relaxed fit straight leg jeans under $60", + "indigo zac relaxed fit straight leg jeans under 50 dollars", + " indigo zac relaxed fit straight leg jeans", + "i want indigo zac relaxed fit straight leg jeans.", + "indigo zac relaxed fit straight leg jeans,", + "indigo zac relaxed fit leg jeans" + ], + "i am looking for a straight leg jeans in sandblast light color. also in 40w x 34l size.": [ + "straight leg jeans in sandblast light color", + "straight leg jeans 40w x 34l", + "straight leg jeans in sandblast light color.", + "straight leg jeans, 40w x 34l", + "straight leg jeans 40w x 34l size", + "straight leg jeans in sandblast light color under $40", + "straight leg jeans with sandblast light color", + "straight leg jeans size 40w x 34l", + "straight leg jeans, 40w x 34l size", + "straight leg jeans in sandblast light color under $50" + ], + "i need a 64gb, high performance usb flash drive.": [ + "64gb high performance usb flash drive", + "64gb, high performance usb flash drive", + "64gb usb flash drive", + "64gb high performance usb flash drive.", + "usb flash drive 64gb high performance", + "16gb high performance usb flash drive", + "64gb usb flash drive that is high performance", + "64gb high performance usb flash drive,", + "gb high performance usb flash drive", + "large performance usb flash drive" + ], + "i need a manual toothbrush for my sensitive teeth": [ + "manual toothbrush for sensitive teeth", + "manual toothbrush for my sensitive teeth", + "manual teethbrush for sensitive teeth", + "moisturizing toothbrush for sensitive teeth", + "manual toothbrush for sensitive teeth under $50", + "manual toothbrush for sensitive teeth under $40", + "manual toothbrush for sensitive teeth under $60", + "manual toothbrush for sensitive teeth below $50", + "manual toothbrush for sensitive teeth below $40", + "manual toothbrush, for sensitive teeth" + ], + "i am looking for a ivory color contemporary design area rugs": [ + "yellow contemporary design area rugs", + "yellow modern design area rugs", + "t ivory color contemporary design area rugs", + "5 ft ivory color contemporary design area rugs", + "5 ft yellow contemporary design area rugs", + " ivory color contemporary design area rugs", + "yellow contemporary design area rug", + "yellow modern design area rug", + "white contemporary design area rugs", + "yellow contemporary design area rugs that are ivory" + ], + "i want a keto high protein snack gift basket.": [ + "keto high protein snack gift basket", + "keto high protein snack gift basket.", + "keto high protein snack gift basket under $50", + "keto high protein snack gift basket under $40", + "keto high protein snack gift basket under 50 dollars", + "keto high protein snack gift basket under $60", + "keto high protein snack gift basket under 40 dollars", + "keto high protein snack gift basket under 30 dollars", + "keto high protein snacks gift basket", + "keto high protein snack basket" + ], + "i would like some rubber sole oxfords that are tan and a size 9": [ + "rubber sole oxfords in a size 9", + "rubber sole oxfords tan size 9", + "rubber sole oxfords size 9", + "rubber sole oxfords a size 9", + "tanned oxfords in a size 9", + "rubber sole oxfords in tan size 9", + "rubber sole oxfords tan", + "rubber sole oxfords that are tan", + "rubber sole oxfords", + "rubber sole oxfords in tan" + ], + "i'm looking for crystal roller massager with facial beauty massage stick.": [ + "crystal roller massager with facial beauty massage stick", + " crystal roller massager with facial beauty massage stick", + "crystal roller massager", + "crystal roller massager with facial beauty massage stick.", + "stainless roller massager with facial beauty massage stick", + "c crystal roller massager with facial beauty massage stick", + "crystal roller massager, facial beauty massage stick", + "clinically roller massager with facial beauty massage stick", + "curtains roller massager with facial beauty massage stick", + "crystal roller massager facial beauty massage stick" + ], + "i'm looking for a film screen protector with tempered glass for google pixel 6 pro.": [ + "film screen protector with tempered glass for google pixel 6 pro", + "a film screen protector with tempered glass for google pixel 6 pro", + "a film screen protector with tempered glass for google pixel 6 pro.", + "theater screen protector with tempered glass for google pixel 6 pro", + "curtains screen protector with tempered glass for google pixel 6 pro", + "tv screen protector with tempered glass for google pixel 6 pro", + "film screen protector with tempered glass for google pixel 6 pro.", + "theater screen protector with tempered glass for google pixel 6 pro.", + "fog screen protector with tempered glass for google pixel 6 pro", + "film screen protector with tempered glass google pixel 6 pro" + ], + "i'm looking for an art print for my living room that's ready to hang. look for something with mountains in it that's twelve by sixteen inches.": [ + "art print for my living room 12 by sixteen inches", + "art print for my living room twelve by sixteen inches", + "art print for my living room with mountains", + "art print for my living room, 12 by sixteen inches", + "art print for my living room, twelve by sixteen inches", + "art print for my living room 12 by sixteen inches", + "art print for my living room", + "art print 12 by sixteen inches", + "art print twelve by sixteen inches", + "art print twelve by sixteen inches" + ], + "i'm need of a black dining chair with solid wood": [ + "black dining chair with solid wood", + "black dining chair", + "black dining chair, solid wood", + "black dining chair that is solid wood", + "living room chair with solid wood", + "white dining chair with solid wood", + "black dining chair solid wood", + "black dining chair in a solid wood", + "black dining chair in solid wood", + "black dining chair with solid wood," + ], + "i am looking for hdmi adapter having usb port.": [ + "hdmi adapter with usb port", + "hdmi adapter having usb port", + " hdmi adapter with usb port", + "hdmi adapter with usb port", + "dhdmi adapter with usb port", + "hdmi adapter", + "hdmi adapter usb port", + "hdmi adapter, usb port", + "hdmi adapter no usb", + "hdmi adapter no usb port" + ], + "i am looking for women's t-shirt of white color having short sleeve.": [ + "womens t-shirt white", + "womens t-shirt", + "womens t-shirt, white", + "womens t-shirt of white", + "womens t-shirt long sleeve", + "womens t-shirt short sleeve", + "womens t-shirt in white", + "womens t-shirt white color", + "white t-shirt", + "t-shirt white" + ], + "i am looking for multi10 color lamp for living room.": [ + "multi10 color lamp for living room", + "multi10 color lamp for living room.", + " multi10 color lamp for living room", + "multi10 color lamp living room", + "Multi10 color lamp for living room", + " multi10 color lamp for living room.", + "dual10 color lamp for living room", + " multi10 color lamp living room", + "multi10 color lamp, living room", + "multi10 color lamp in living room" + ], + "i am looking for golden blonde with highlights color hair extensions that are easy to apply.": [ + "golden blonde hair extensions", + "golden blonde hair extension", + "easy to apply golden blonde hair extensions", + "golden blonde hair extensions easy apply", + "gluten-free hair extensions", + "golden blonde hair extensions with highlights", + "yellow hair extensions easy to apply", + "gluten free hair extensions", + "yellow hair extensions", + " golden blonde hair extensions" + ], + "i am looking for some easy to use holographic nail art.": [ + "easy to use holographic nail art", + "easy to use holographic nail art.", + "easy to use holographic nail art under $40", + "easy to use holographic nail art under $60", + "easy to use holographic nail art under $50", + "holographic nail art easy to use", + "easy to use holographic nail art under 30 dollars", + "easy to use holographic nail art under 50 dollars", + "easy to use holographic nail art under 60 dollars", + "easy-to-use holographic nail art" + ], + "looking for a long lasting ralph love women perfume": [ + "long lasting ralph love women perfume", + "a long lasting ralph love women perfume", + "ralph love women perfume", + "woman perfume long lasting ralph love women perfume", + "woman perfume long lasting ralph love women", + "womens perfume long lasting ralph love women", + "long lasting ralph love women perfume under $40", + "long lasting ralph love women perfume under 30 dollars", + "long lasting ralph love women perfume under $50", + "womens perfume long lasting" + ], + "i am looking for a twin size low loft bed with storage in grey.": [ + "twin bed with storage in grey", + "twin size low loft bed with storage", + "twin size low loft bed", + "twin bed with storage", + "twin bed low loft bed with storage", + "twin bed", + "twin bed with storage in grey.", + "twin bed, storage in grey", + "twin bed in grey", + "twin bed with storage grey" + ], + "i want a colourful makeup brush set for sensitive skin.": [ + "gluten-free makeup brush set for sensitive skin", + "fluoride makeup brush set for sensitive skin", + "a colourful makeup brush set for sensitive skin.", + "glaceless makeup brush set for sensitive skin", + "glowing makeup brush set for sensitive skin", + "pink makeup brush set for sensitive skin", + "contraindable makeup brush set for sensitive skin", + "fluoride makeup brush set for sensitive skin.", + "daring makeup brush set for sensitive skin", + "pink makeup brush set for sensitive skin." + ], + "i'm looking for a 2.0 32 gigabyte, guitar shaped memory drive that is easy to use.": [ + "2.0 32 gigabyte, guitar shaped memory drive", + "2.0 32 gigabyte guitar shaped memory drive", + "two.0 32 gigabyte, guitar shaped memory drive", + "2.0 32 gigabyte gigabyte, guitar shaped memory drive", + "3.0 32 gigabyte, guitar shaped memory drive", + " 2.0 32 gigabyte, guitar shaped memory drive", + "1.0 32 gigabyte, guitar shaped memory drive", + "two.0 32 gigabyte guitar shaped memory drive", + "3.0 32 gigabyte guitar shaped memory drive", + "guitar shaped memory drive" + ], + "i'm looking for classic cut wig for women.": [ + "classic cut wig for women", + "classic cut wig for women.", + "classic cut wig for women under $40", + "classic cut wig for women below $40", + "classic cut wig for women below $50", + "classic cut wig for women under $50", + "classic cut wig for women under $60", + "classic cut wig for women under 50 dollars", + "classic cut wig for women under 30 dollars", + "classic cut wig for women below $60" + ], + "i'm looking for a kids toothbrush that's easy to use and not hard on the teeth. also, pick yellow": [ + "kids toothbrush yellow", + "kids toothbrush easy to use yellow", + "kids toothbrush, easy to use yellow", + "kids toothbrush yellow easy to use", + "kids toothbrush easy to use and yellow", + "kids toothbrush that is easy to use", + "kids toothbrush, yellow", + "kids toothbrush with yellow", + "kids toothbrush with teeth yellow", + "kids toothbrush in yellow" + ], + "i am looking for high knee womens flat sandals of size 8.": [ + "high knee womens flat sandals of size 8", + "high knee womens flat sandals", + "high knee womens flat sandals size 8", + "low knee womens flat sandals of size 8", + "high knee womens flat sandals in size 8", + "low knee womens flat sandals size 8", + "low knee womens flat sandals", + "high knee womens flat sandals, size 8", + "womens flat sandals of size 8", + "high knee womens flat sandals size 8." + ], + "i want to find a large pair of pink stretchy yoga shorts for teen girls.": [ + "pink stretchy yoga shorts for teen girls", + "pink stretchy yoga shorts for teen girl", + "large pink stretchy yoga shorts for teen girls", + "pink stretchy yoga shorts teen girl", + "pink stretchy yoga shorts for teen girls.", + "pink stretchy yoga shorts", + "pink stretchy yoga shorts teen girls", + "large pink stretchy yoga shorts for teen girl", + "large stretchy yoga shorts for teen girls", + "pink stretchy yoga shorts for teen girls," + ], + "i would like a white computer speaker with stereo sound.": [ + "white computer speaker with stereo sound", + "white computer speaker", + "white computer speaker with stereo sound.", + "white computer speakers with stereo sound", + "white computer speaker, stereo sound", + "white computer speaker that is stereo sound", + "white computer speaker with stereo sound,", + "white computer speaker, with stereo sound", + "white computer speaker no stereo sound", + "white computer speaker with stereo sound " + ], + "i'm looking for a high quality cosmetic container to refill my lip gloss; please choose the rose gold color.": [ + "lip gloss rose gold", + "beauty container rose gold", + "rose gold lip gloss", + "professional lip gloss rose gold", + "pink lip gloss rose gold", + "lip gloss rose gold color", + "lip gloss rose gold lip gloss", + "lip gloss, rose gold", + "beauty container rose gold color", + "lip gloss that is high quality" + ], + "i am looking for a quick release plate for my camera made of aluminum alloy.": [ + "quick release plate for my camera made of aluminum alloy", + "quick release plate for a camera made of aluminum alloy", + "Quick release plate for my camera made of aluminum alloy", + "quick release plate for camera made of aluminum alloy", + " quick release plate for my camera made of aluminum alloy", + "temporary release plate for camera made of aluminum alloy", + "short release plate for my camera made of aluminum alloy", + "quick release plate camera made of aluminum alloy", + "light weight camera quick release plate", + "quick release plate" + ], + "i am looking for a 9.5 size steel toe of sandals": [ + "steel toe of sandals 9.5", + "9.5 size steel toe of sandals", + "9.5 steel toe of sandals", + "9.5 steel toe of sandals", + "steel toe of sandals 9.5", + "steel toe of sandals", + " 9.5 size steel toe of sandals", + "steel toe of a sandals 9.5", + "steel toe of sandals", + "8.5 steel toe of sandals" + ], + "i need lipstick that is long lasting and is the color of brick house": [ + "long lasting lipstick that is the color of brick house", + "lip color long lasting and is the color of brick house", + "long lasting lipstick color of brick house", + "lens long lasting and is the color of brick house", + "l lipstick long lasting and is the color of brick house", + "long lasting lipstick the color of brick house", + "pink lipstick long lasting", + "pink lipstick long lasting and the color of brick house", + "long lasting lipstick colored brick house", + "long lasting lipstick color of brick house long lasting" + ], + "i am looking for bed cover table sheet sets for beauty salon also choose colour purple": [ + "bed cover table sheet sets for beauty salon", + "bed cover table sheet set for beauty salon", + "bed cover table sheet sets in beauty salon", + "bed cover table sheet sets for beauty salon purple", + "bed cover table sheet sets", + "bed cover table sheet", + "bed cover table sheet for beauty salon", + "bed cover table sheet set", + "bed cover table sheets for beauty salon", + "bed cover table sheets" + ], + "i am looking for easy assemble queen size metal bed frame": [ + "easy assemble queen size metal bed frame", + "queen size metal bed frame", + "queen size metal bed frame easy assemble", + "shelf assemble queen size metal bed frame", + "living room queen size metal bed frame", + "beauty queen size metal bed frame", + "floor frame queen size metal bed frame", + "easy assemble queen size metal bed frame,", + "comfortable queen size metal bed frame", + "beauty size metal bed frame" + ], + "i am looking for a long lasting lip balm.": [ + "lip balm long lasting", + "long lasting lip balm", + "long lasting lip balm.", + "lip balm that is long lasting", + "l lip balm long lasting", + "long lasting lip balm under $40", + "long lasting lip balm under $50", + "long lasting lip balm under $60", + "lip balm long lasting", + "long lasting lip balm under 50 dollars" + ], + "i need a 2 oz hair growth treatment": [ + "2 oz hair growth treatment", + "hair growth treatment 2 oz", + "two oz hair growth treatment", + "1 oz hair growth treatment", + "2 oz hair growth treatment 2 oz", + " 2 oz hair growth treatment", + "2 oz human hair growth treatment", + "2 oz hair growth treatment,", + "2oz hair growth treatment", + "hair growth treatment" + ], + "i'm interested in buying a medium sized high waisted yoga sweatpants for daily wear.": [ + "medium yoga sweatpants", + "medium yoga sweatpants for daily wear", + "medium sized yoga sweatpants", + "medium t-shirt yoga sweatpants", + "medium size yoga sweatpants", + "low waisted yoga sweatpants", + "large yoga sweatpants", + "medium yoga sweatpants daily wear", + "medium yoga sweatpants under $40", + "medium yoga sweatpants daily" + ], + "i'm looking for a high quality plant based vitamin c serum that contains hyaluronic acid and made of natural ingredients for treating dark circles and fine lines.": [ + "plant based vitamin c serum with hyaluronic acid", + "plant based vitamin c serum that contains hyaluronic acid", + "plant based vitamin c serum", + "plant based vitamin c serum made from hyaluronic acid", + "plant based vitamin c serum with hyaluronic acid and natural ingredients", + "plant based vitamin c serum hyaluronic acid", + "plant based vitamin c serum made of natural ingredients", + "plant based vitamin c serum under $40", + "plant based vitamin c serum under $50", + "plant based vitamin c serum under $60" + ], + "i would like a medium black long sleeved pullover.": [ + "medium black long sleeved pullover", + "medium black long sleeved pullover.", + "medium black long sleeved pullover under $40", + "medium black long sleeved pullover under $50", + "medium black long sleeved pullover under $60", + "medium black long sleeved pullover under 50 dollars", + "medium black long sleeved pullover under 30 dollars", + "medium black long sleeved pullover,", + "medium black long sleeved pullover under 40 dollars", + "medium black long sleeved pullover under 60 dollars" + ], + "i am looking for a 16gb ram | 2tb nvme ssd size of intel core i5 towers": [ + "16gb ram 2tb nvme ssd size", + "16gb ram | 2tb nvme ssd", + "16gb ram with intel core i5 towers", + "16gb ram for intel core i5 towers", + "16gb ram | 2tb i5 towers", + "16gb ram i5 towers", + "16gb ram", + "16gb ram 2tb nvme ssd", + "16gb ram2tb nvme ssd size", + "16gb ram i5 towers under $40" + ], + "i need to buy a desktop computer that's got an intel i5 core, 32 gigabytes of ram, and a one terabyte ssd.": [ + "desktop computer intel i5 core 32 gigabytes of ram", + "desktop computer with i5 core 32 gigabytes", + "desktop computer with intel i5 core 32 gigabytes", + "desktop computer i5 core 32 gigabytes", + "desktop computer i5 core 32 gigabytes of ram", + "desktop computer with i5 core 32 gigabytes of ram", + "desktop computer intel i5 core 32 gigabytes", + "desktop computer with intel i5 core", + "desktop computer with i5 core", + "desktop computer" + ], + "i would like a style 7 chandelier with a pendant light.": [ + "style 7 chandelier with a pendant light", + "style 7 chandelier pendant light", + "style 7 chandelier with a pendant light.", + "style 7 chandelier with pendant light", + "style 7 chandelier with a pendant light,", + "style 7 chandelier, pendant light", + "style 7 chandelier that is pendant light", + "style 7 chandelier", + " style 7 chandelier with a pendant light", + "style 7 chandelier in pendant light" + ], + "i would like 12 bowls of peaches in strawberry gel gluten free applesauce.": [ + "12 bowls of peaches in strawberry gel gluten free", + "12 bowls of peaches gluten free applesauce", + "paches in strawberry gel gluten free applesauce", + "12 bowls of peaches gluten free", + "12 strawberry gel gluten free applesauce", + "12 bowls of peaches strawberry gel gluten free", + "paches in strawberry gel gluten free", + "pie gel gluten free applesauce 12 bowls", + "chocolate peaches gluten free", + "12 bowls of peaches" + ], + "i would like a 8.6 ounce box of honey cereal that is gluten free.": [ + "8.6 ounce box of honey cereal", + "8.6 ounce box of honey cereal gluten free", + "8.6 ounce box of honey cereal, gluten free", + "6 ounce box of honey cereal that is gluten free", + "8.6 ounce box of honey cereal no sugar", + "gluten free honey cereal 8.6 oz", + "8.6 ounce box of honey cereal dairy free", + "8.6 ounce box of honey cereal no gluten", + "8.6 oz box of honey cereal", + "8.6 ounce box of honey cereal with gluten free" + ], + "i want a pair of size 7.4 red walking shoes with a anti slip material.": [ + "walking shoes size 7.4 anti slip material", + "red walking shoes with a anti slip material", + "walking shoes size 7.4 anti slip", + "walking shoes with anti slip material size 7.4", + "red walking shoes size 7.4 anti slip material", + "size 7.4 red walking shoes", + "red walking shoes with anti slip material", + "shoes size 7.4 anti slip material", + "walking shoes size 7.4", + "red walking shoes with a anti slip material size 7" + ], + "i'm looking for hair dressing scissors set.": [ + "hair dressing scissors set", + "hair dressing scissors set.", + "hair dressing scissors set under $40", + "hair dressing scissors set under $50", + "hair dressing scissors set under $60", + "hair dressing scissors set below $40", + "hair dressing scissors set under 50 dollars", + "hair dressing scissors set below $50", + "hair dressing scissors set for hair", + "hair dressing scissors set for men" + ], + "i need a clip set hair extensions with stainless steel.": [ + "clip set hair extensions with stainless steel", + "clip set hair extensions stainless steel", + " clip set hair extensions with stainless steel", + "clothing extensions stainless steel", + "clip set hair extension with stainless steel", + "clothing extension stainless steel", + " clip set hair extensions stainless steel", + "clothing extension with stainless steel", + "hair extensions stainless steel", + "clip set hair extensions" + ], + "i'm looking for mens peake 23 from fila.": [ + "mens peake 23 from fila", + "mens peake 23 from fila.", + "mens peake 23 from fila mens", + "mens peake 23 from fila under $40", + "mens peake 23 from fila under $50", + "mens peake 23 from fila under $60", + "mens peake 23 from fila mens under $40", + "mens peake 23 from fila mens under $50", + "mens peake 23", + "mens peake 23 mens" + ], + "i am in need of some shelf stable tropical fruit": [ + " shelf stable tropical fruit", + " shelf stable tropical fruit under $40", + "shelf stable tropical fruit", + " shelf stable tropical fruit under $50", + " shelf stable tropical fruit under $60", + "stainless tropical fruit shelf stable", + " shelf stable tropical fruit under 30 dollars", + "a shelf stable tropical fruit", + "lflf stable tropical fruit", + " shelf stable tropical fruit under 50 dollars" + ], + "i would like to buy easy to assemble storage baskets which has a lot of storage space.": [ + "easy to assemble storage baskets", + "easy to assemble storage baskets with storage space", + "easy assemble storage baskets", + "easy assemble storage baskets with storage space", + "easy to assemble storage baskets under $40", + "easy to assemble storage baskets under $50", + "easy to assemble storage baskets under $60", + "easy to assemble storage baskets under 50 dollars", + "easy assemble storage baskets under $40", + "easy to assemble storage basket" + ], + "i need a large sized coat with long sleeves.": [ + "large sized coat with long sleeves", + "large sized coat long sleeves", + "large sized coat with long sleeves.", + "large t-shirt with long sleeves", + "large t-shirt long sleeves", + "large t-short sleeves coat", + "large sized coat with long sleeves,", + "large sash long sleeves coat", + "large sash white", + "large sized coat" + ], + "i need an easy to cary 128 gb flash drive": [ + "easy to cary 128 gb flash drive", + "easy to cary 128gb flash drive", + "cary 128 gb flash drive", + "cary 128gb flash drive", + "easy-to-use cary 128 gb flash drive", + "easy to cary 128 gb flash drive under $40", + "easy to cary 128 gb flash drive under $60", + "easy to cary 128 gb flash drive under $50", + "easy to cary 128gb flash drive", + "easy-to-use cary 128gb flash drive" + ], + "i would like a magnifying glass intensive polish serum for damaged hair.": [ + "i would like a magnifying glass intensive polish serum for damaged hair.", + "intensive polish serum for damaged hair.", + "magnifying glass intensive polish serum for damaged hair.", + "intensive polish serum for damaged hair whose price is high", + "magnifying glass intensive polish serum for damaged hair", + "intensive polish serum for damaged hair", + "intensive polish serum for damaged human hair.", + "intensive polish serum for damaged air", + "intensive polish serum for damaged", + "intensive polish serum" + ], + "i would like a 17 mm scent cc0.07 high quality perfume bottle.": [ + "17 mm scent cc0.07 high quality perfume bottle", + "17 mm scent cc0.07 high quality perfume bottle.", + " 17 mm scent cc0.07 high quality perfume bottle", + "16 mm scent cc0.07 high quality perfume bottle", + "18 mm scent cc0.07 high quality perfume bottle", + "17 mm scent cc0.07", + "scent cc0.07 high quality perfume bottle", + "17 mm scent cc0.07 perfume bottle", + "17 mm scent bottle", + "17 mm perfume bottle" + ], + "i want an allewie queen bed frame that requires assembly.": [ + "allewie queen bed frame that requires assembly", + "allewie queen bed frame", + "a allewie queen bed frame that requires assembly", + "allewie queen bed frame with assembly", + "alteredwie queen bed frame that requires assembly", + "alenwie queen bed frame that requires assembly", + "lewie queen bed frame that requires assembly", + "alewie queen bed frame that requires assembly", + "allewie queen bed frame assembly", + "alteredwie queen bed frame" + ], + "i'm looking for a low calories popcorn kernels with gluten free. also, choose a pack of 2 weighting 2 pounds one.": [ + "low calories popcorn kernels 2 weighting 2 pounds", + "low calories popcorn kernels with gluten free 2 pounds", + "low calories popcorn kernels with gluten free", + "low calories popcorn kernels", + "low calories popcorn kernels with gluten free pack", + "low calories popcorn kernels 2 pounds", + "low calories popcorn kernels, gluten free 2 pounds", + "low calories popcorn kernels that are gluten free", + "low calories popcorn kernels under $40", + "low calories popcorn kernels no gluten" + ], + "i would like to buy sandals for women which are eco friendly, and high quality, as for color they should be pink, and of size 6.5.": [ + "eco friendly sandals for women size 6.5", + "eco friendly sandals size 6.5 pink", + "eco friendly sandals in pink size 6.5", + "eco friendly sandals size 6.5", + "pink sandals for women size 6.5", + "green sandals for women size 6.5", + "eco friendly sandals pink size 6.5", + "green sandals size 6.5", + "eco friendly sandals size 6.5, pink", + "eco friendly sandals in pink" + ], + "i would like a white foot file for dead skin.": [ + "white foot file for dead skin", + "white foot file for dead skin.", + "white foot file for dead skin under $40", + "white foot file for dead skin,", + "white foot file for dead skin under $50", + "white foot file for dead skin under $60", + "white foot file for dead skin ", + "white foot file for dead skin below $40", + "white foot file for dead skin below $50", + "white foot file dead skin" + ], + "i am looking for black leather 7.5 size and day comfort winter snow boots for women": [ + "black leather 7.5 size snow boots for women", + "black leather 7.5 day comfort winter snow boots", + "black leather winter snow boots for women", + "black leather 7.5 winter snow boots for women", + "black leather 7.5 size women winter snow boots", + "black leather 7.5 snow boots for women", + "black leather 7.5 size winter snow boots", + "black leather 7.5 size women snow boots", + "black leather 7.5 size", + "black leather 7.5 size snow boots" + ], + "i would like a pair of size 11 gold platform wedges with a ankle strap.": [ + "size 11 gold platform wedges with a ankle strap", + "pair of size 11 gold platform wedges", + "size 11 gold platform wedges", + "sneakers size 11 gold platform wedges", + "2 gold platform wedges with a ankle strap", + "twin gold platform wedges with a ankle strap", + "two size 11 gold platform wedges with a ankle strap", + "two gold platform wedges with a ankle strap", + "size 11 gold platform wedges with a ankle strap,", + "gold platform wedges with a ankle strap" + ], + "i'm looking for a pair of non-slip women's wedge sneakers in pink sequin color and in size 4.5.": [ + "non-slip womens wedge sneakers in pink sequin color", + "womens wedge sneakers in pink sequin color in size 4.5", + "womens wedge sneakers in pink sequin color", + "womens wedge sneakers in pink sequin color size 4.5", + "non-slip womens wedge sneakers in pink sequin", + "non-slip womens wedge sneakers size 4.5", + "pair of non-slip womens wedge sneakers in pink sequin color", + "womens wedge sneakers in pink sequin", + "non-slip womens wedge sneakers", + "womens wedge sneakers size 4.5" + ], + "i am looking for a pair of men's size 10.5 black loafers with rubber soles.": [ + "mens size 10.5 black loafers with rubber soles", + "mens size 10.5 black loafers with rubber soles", + "mens size 10.5 black loafers", + "mens size 10.5 black loafers rubber soles", + "mens size 10.5 black loafers rubber soles", + "mens size 10.5 black loafers with rubber soles.", + "mens size 10.5 black loafers with rubber sole", + "mens size 10.5 black loafers", + "mens size 10.5 black loafers with rubber soles,", + "men size 10.5 black loafers with rubber soles" + ], + "i am looking for 32 pack of hyaluronic acid full face facial mask": [ + "32 pack of hyaluronic acid full face facial mask", + "32 pack hyaluronic acid full face facial mask", + " 32 pack of hyaluronic acid full face facial mask", + "28 pack of hyaluronic acid full face facial mask", + "hyaluronic acid full face facial mask 32 pack", + "16 pack of hyaluronic acid full face facial mask", + "23 pack of hyaluronic acid full face facial mask", + "22 pack of hyaluronic acid full face facial mask", + "28 pack hyaluronic acid full face facial mask", + "hyaluronic acid full face facial mask" + ], + "i'm looking for hollow vintage casual wedge ankle strap sandals for women.": [ + "stooled vintage casual wedge ankle strap sandals for women", + "stainless vintage casual wedge ankle strap sandals for women", + "vintage casual wedge ankle strap sandals for women", + "torn vintage casual wedge ankle strap sandals for women", + "tooled vintage casual wedge ankle strap sandals for women", + "stainless vintage casual wedge ankle strap sandals", + "stooled vintage casual wedge ankle strap sandals", + "torn vintage casual wedge ankle strap sandals for women.", + "stretch vintage casual wedge ankle strap sandals for women", + "vintage casual wedge ankle strap sandals for women." + ], + "i would like a fresh and clean paraben free men's cologne.": [ + "fresh and clean mens cologne", + "fresh clean paraben free mens cologne", + "fresh and clean mens cologne.", + "fresh and clean mens cologne under $40", + "fresh and clean mens cologne under 30 dollars", + "fresh air paraben free mens cologne", + "fresh and clean mens cologne under $60", + "fresh and clean mens cologne under 50 dollars", + "mens cologne fresh and clean", + "fresh and clean men cologne" + ], + "i am looking for a 16 inch size hair extension having synthetic hair.": [ + "16 inch hair extension with synthetic hair", + "16 inch hair extension having synthetic hair", + "16 inch hair extension", + "16 inch size hair extension with synthetic hair", + "16 inch size hair extension having synthetic hair", + "16 inch long hair extension with synthetic hair", + "16 inch hair extension, synthetic hair", + "16 inch size hair extension", + "16 inch long synthetic hair extension", + "16 inch long hair extension having synthetic hair" + ], + "i am looking for a queen sized mattress with memory foam.": [ + "queen sized mattress with memory foam", + "king size mattress with memory foam", + " queen sized mattress with memory foam", + "king sized mattress with memory foam", + "queen sized mattress", + "queen sized mattress, memory foam", + "queen size mattress with memory foam", + "kingstown sized mattress with memory foam", + "Queen sized mattress with memory foam", + "king size mattress" + ], + "i want brown women's open toe flats.": [ + "brown womens open toe flats", + "open toe flats brown womens", + "brown womens open toe flats.", + " brown womens open toe flats", + "womens open toe flats", + "brown womens open toe flats,", + "pink womens open toe flats", + "green womens open toe flats", + "womens open toe flats brown", + "brown mens open toe flats" + ], + "i'm looking for a 2 pound jar of dark chocolate cream made of quality ingredients.": [ + "2 pound jar of dark chocolate cream", + "2 pound jar of dark chocolate cream with quality ingredients", + "2 pound jar of chocolate cream made of quality ingredients", + "2 pound jar dark chocolate cream made of quality ingredients", + "two pound jar of dark chocolate cream", + "dark chocolate cream 2 pound jar", + "dark chocolate cream made of quality ingredients", + "dark chocolate cream 2 pound", + "2 pound jar dark chocolate cream", + "dark chocolate cream" + ], + "i'm looking for liqiud latex makeup.": [ + "i liqiud latex makeup", + "iqiud latex makeup", + "levqiud latex makeup", + " liqiud latex makeup", + "liqiud latex makeup", + "lilqiud latex makeup", + "lensqiud latex makeup", + "iqud latex makeup", + "iqiud latex makeup.", + "teaud latex makeup" + ], + "i'm looking for a stainless steel patio furniture set in the color navy blue.": [ + "stainless steel patio furniture in the color navy blue", + "stainless steel patio furniture set in the color navy", + "stainless steel patio furniture", + "stainless steel patio furniture in the color navy", + "stainless steel patio furniture, navy blue", + "stainless steel patio furniture that is navy blue", + "stainless steel patio furniture in the color navyblue", + "stainless steel patio furniture color navy blue", + "navy blue patio furniture", + "sneakers navy blue" + ], + "i want dark red and stainless steel asjmr outdoor patio furniture.": [ + "dark red stainless steel asjmr outdoor patio furniture", + "dark red and stainless steel outdoor patio furniture", + "dark red and stainless steel patio furniture", + "dark red and stainless steel indoor patio furniture", + "dark red and stainless steel dining room furniture", + "dark red and stainless steel asjmr patio furniture", + "dark red and stainless steel pomegranate furniture", + "dark red and stainless steel asjmr outdoor furniture", + "dark red stainless steel outdoor patio furniture", + "dark red stainless steel patio furniture" + ], + "i'm interested in a 4g lte wall-mounted router in aluminum alloy.": [ + "4g lte wall-mounted router aluminum alloy", + "4g lte wall-mounted router", + "4g lte wall-mounted router in aluminum", + "wireless router in aluminum alloy", + "4g lte wall mounted router in aluminum alloy", + "home router in aluminum alloy 4g lte", + "home router in aluminum alloy", + "wall-mounted router in aluminum alloy", + "industrial router in aluminum alloy", + "home router 4g lte aluminum" + ], + "i would like a 38 mm pink applewatch band.": [ + "38 mm pink applewatch band", + " 38 mm pink applewatch band", + "28 mm pink applewatch band", + "38 mm pink applewatch band.", + "pink applewatch band 38 mm", + "plastic pink applewatch band", + "38 mm pink applewatch band,", + "pink applewatch band", + "40 mm pink applewatch band", + "a 38 mm pink applewatch band" + ], + "i would like a flip flop travel bottles that are bpa free.": [ + "flop travel bottles that are bpa free", + "flop travel bottles bpa free", + "flip flop travel bottles bpa free", + "pink flop travel bottles bpa free", + " flip flop travel bottles that are bpa free", + "pink flop travel bottles", + "flip flop travel bottles", + "pink flip flop travel bottles bpa free", + "pink travel bottles bpa free", + "flop travel bottles that are bpa free." + ], + "i need a small sleep set that has an elastic waistband": [ + "small sleep set with elastic waistband", + "small sleep set, elastic waistband", + "small sleep set", + "small sleep set under $50", + "small sleep set elastic waistband", + "small sleep set under $40", + "small sleep set under $60", + "small sleep set under 50 dollars", + "small sleep set with an elastic waist", + "sneakers small" + ], + "i'm looking for a day and night roller blinds grey/white item.": [ + "grey roller blinds", + "grey roller blinds grey/white", + "grey roller blinds day and night", + "day and night roller blinds grey", + "grey and night roller blinds grey", + "grey roller blinds grey", + "grey/white roller blinds", + "grey/white item", + "grey and night roller blinds", + "night roller blinds grey/white" + ], + "i need to buy some purple blinds for my living room. find the ones that are 32 by 78 inches.": [ + "pink blinds for my living room 32 by 78 inches", + "pink blinds 32 by 78 inches", + "pink blinds for living room 32 by 78 inches", + "pink blinds for the living room 32 by 78 inches", + "vinyl blinds 32 by 78 inches", + "pink blinds living room 32 by 78 inches", + "living room purple blinds 32 by 78 inches", + "pink blinds for my living room", + "vinyl blinds for living room 32 by 78 inches", + "pink blinds for living room" + ], + "i want a dark black xfyele 20mm quick release watch band.": [ + "black xfyele 20mm quick release watch band", + "dark black xfyele 20mm quick release watch", + "dark black xfyele 20mm watch band", + "dark black xfyele 20mm", + "10mm quick release watch band", + "tv quick release watch band dark black", + "watch band dark black", + "dark black xfyele", + "nightwatch band dark black", + "tv quick release watch band" + ], + "i am looking for coffee colored sneakers that are steel toed and size 11.": [ + "coffee colored sneakers that are steel toed size 11", + "coffee colored sneakers steel toed size 11", + "coffee colored sneakers steel toed and size 11", + "coffee colored sneakers size 11", + "coffee colored sneakers, steel toed and size 11", + "coffee colored sneakers, steel toed, size 11", + "coffee colored sneakers in steel toed size 11", + "coffee colored sneakers that are steel toed", + "coffee colored sneakers in a steel toed size 11", + "coffee colored sneakers" + ], + "i am looking for a solid wood super king sized bed with a contemporary style.": [ + "solid wood super king sized bed with a contemporary style", + "solid wood super king sized bed", + "super king sized bed with a contemporary style", + "solid wood super king sized bed in a contemporary style", + "king sized bed with a contemporary style", + "living room solid wood super king sized bed", + "large wood super king sized bed with a contemporary style", + "comfortable king sized bed with a contemporary style", + "solid wood super king sized bed in contemporary style", + "comfortable king sized bed" + ], + "i want to find a wooden table that i can put in my dining room.": [ + "wooden table dining room", + "wooden dining room table", + "wooden table for dining room", + "wood table dining room", + "wood table for dining room", + "stainless dining room table", + "wooden dining table", + "wooden table", + "tablet dining room", + "wooden dining room table," + ], + "i want to find a gift set of coconut oil shower gels and lotions. the scent needs to be sunshine mimosa.": [ + "gift set of coconut oil shower gels and lotions", + "a gift set of coconut oil shower gels and lotions", + "gifts set of coconut oil shower gels and lotions", + "coffee oil shower gels and lotions", + "bathroom gels and lotions", + "manual oil shower gels and lotions", + "coffee gels and lotions", + "gift set of coconut oil shower gels", + "bathroom gels and lotions with a scent", + "coffee oil shower gels and lotions scent" + ], + "i would like a queen sized gray bed without a box spring.": [ + "queen sized gray bed without a box spring", + "queen sized gray bed with a box spring", + " queen sized gray bed without a box spring", + "king size gray bed without a box spring", + " queen sized gray bed with a box spring", + "king size gray bed with a box spring", + "queen sized gray bed", + "queen sized gray bed no box spring", + "queen sized gray bed with box spring", + "kingstown sized gray bed without a box spring" + ], + "i need a four ounce coconut oil for my hair": [ + "4 ounce coconut oil for my hair", + "four ounce coconut oil for my hair", + "4 ounce coconut oil", + "4 ounce coconut oil for hair", + "four ounce coconut oil", + "four ounce coconut oil for hair", + "4 ounce coconut oil for the hair", + "toothpaste coconut oil four ounce", + "coffee oil four ounce", + "4 ounce coconut oil four ounce" + ], + "i'm looking for a cute mushroom fleece throw blanket for couch.": [ + "mushroom fleece throw blanket for couch", + "pink fleece throw blanket for couch", + "mushroom fleece throw blanket for couch.", + "pink fleece throw blanket for couch.", + "synthetic mushroom fleece throw blanket for couch", + "curtains fleece throw blanket for couch", + "mushroom fleece throw blanket", + "packet fleece throw blanket for couch", + "fog fleece throw blanket for couch", + "curtains fleece throw blanket for couch." + ], + "i am looking for a sulfate free shampoo of size 8 ounce.": [ + "sulfate free shampoo of size 8 ounce", + "sulfate free shampoo size 8 ounce", + "sulfate free shampoo 8 ounce", + "sulfate free shampoo in size 8 ounce", + "sulfate free shampoo, size 8 ounce", + "sulfate free shampoo", + "sulfate free shampoo of size 8 oz", + "sulfate free shampoo that is 8 ounce", + "sulfate free shampoo size 8 oz", + "sulfate free shampoo 8 oz" + ], + "i am looking for a men's jacket in down that comes fleece lined, and i would like it in green and standard size.": [ + "mens jacket in a green fleece lined", + "mens jacket in down green fleece lined", + "mens jacket in down in fleece lined", + "mens jacket in down, fleece lined", + "mens jacket in down", + "mens jacket in down fleece lined", + "mens jacket in down green", + "mens jacket in green fleece lined", + "mens jacket in a fleece lined", + "mens jacket in green" + ], + "am hoping to find the heavy duty yaheetech console table with storage.": [ + "heavy duty yaheetech console table with storage", + "heavy duty yaheetech console table", + "heavy duty yaheetech console table with storage.", + "yogaheetech console table with storage", + "heavy duty yaheetech console table, with storage", + "heavy duty yaheetech console table with storage", + "heavy duty yaheetech gaming table with storage", + "heavy duty yaheetech console table with storage,", + "leviseless duty yaheetech console table", + "heavy duty yaheetech console table," + ], + "i am looking for men's machine wash original fit jeans, 44w x 34l size": [ + "mens machine wash original fit jeans 44w x 34l", + "mens machine wash original fit jeans 44w x 34l", + "mens machine wash original fit jeans 44w x 34l size", + "mens machine wash original fit jeans 44w x 34l size", + "mens machine wash original fit jeans, 44w x 34l", + "mens machine wash original fit jeans 44w x 34l mens", + "mens machine wash original fit jeans, 44w x 34l size", + "mens machine wash original fit jeans, 44w x 34l", + "man wash original fit jeans 44w x 34l", + "mens machine wash jeans 44w x 34l" + ], + "i would like a aluminum tripod that is lightweight.": [ + "aluminum tripod lightweight", + "aluminum tripod", + "aluminum tripod, lightweight", + "light weight aluminum tripod", + "coaxial tripod lightweight", + "aluminum tripod lightweight.", + "aluminium tripod lightweight", + "weighted aluminum tripod", + "size lightweight aluminum tripod", + "uminum tripod lightweight" + ], + "i would like a red phone heavy duty case.": [ + "red phone heavy duty case", + "red phone heavy duty case.", + "red phone heavy duty case under $40", + "red phone heavy duty case under $50", + "red phone heavy duty case under $60", + "red phone heavy duty case under 30 dollars", + "red phone heavy duty case under 40 dollars", + "red phone heavy duty case under 50 dollars", + "red phone heavy duty case under $120", + "red phone heavy duty case under $130" + ], + "where can i find a pink stereo sound bluetooth speaker, portable? it has to be 360\u00b0 voice commands, i was told the hjwl brand. if the price is good i will buy it.": [ + "pink stereo sound bluetooth speaker, portable", + "pink stereo sound bluetooth speaker", + "pink stereo sound bluetooth speaker portable", + "pink stereo sound bluetooth speaker that is portable", + "pink stereo sound bluetooth speaker, portable?", + "pink stereo sound bluetooth speaker pink", + "pink bluetooth speaker, portable", + "pink bluetooth speaker portable", + "pink bluetooth speaker", + "pinketooth speaker, portable" + ], + "i'm interested in high protein salt n' vinegar almonds in a resealable bag.": [ + "high protein salt n vinegar almonds resealable bag", + "high protein salt n vinegar almonds", + "low protein salt n vinegar almonds resealable bag", + "high protein salt n vinegar almonds, resealable bag", + "salt n vinegar almonds in a resealable bag", + "sugar n vinegar almonds in a resealable bag", + "salt n vinegar almonds resealable bag", + "high protein salt n vinegar almonds resealable bag.", + "sugar n vinegar almonds resealable bag", + "low protein salt n vinegar almonds" + ], + "hello, i'm looking for a tuxedo suit that's slim fit and good for winter? size small, please": [ + "tuxedo suit slim small", + "tuxedo suit slim fit small", + "slim fit tuxedo suit small", + "slim fit tuxedo suit", + "slim fit small tuxedo suit", + "tuxedo suit slim fit", + "tuxedo suit small", + "tuxedo suit slim fit for winter", + "tuxedo suit slim slim small", + "tuxedo suit slim small, please" + ], + "i am looking for a high resolution background of size 9x6ftpolyester.": [ + "9x6ftpolyester", + "high resolution background 9x6ftpolyester", + "9x6ftpolyester with high resolution", + "9x6ftpolyester high resolution", + "9x6ftpolyester background", + "9x6ft polyester", + "9x6ft polyester background", + "8x6ftpolyester", + "8x6ft polyester background", + "8x6ftpolyester background" + ], + "i am interested in buying a bag which is a laundry bag.": [ + "bag a laundry bag", + "bag, laundry bag", + "bag in a laundry bag", + "bag laundry bag", + "bag for laundry", + "bag with a laundry bag", + "bag", + "bag, laundry bag,", + "bag for laundry bag", + "bag of laundry bag" + ], + "i am looking for a 2 layer small bookshelf for my living room.": [ + "2 layer small bookshelf for my living room", + "2 layer small bookshelf for living room", + "2 layer small bookshelf", + "2 layer small bookshelf for the living room", + "2 layer small bookshelf for a living room", + "2 layer small bookshelf in my living room", + " 2 layer small bookshelf for my living room", + "2 layer small bookshelf living room", + "2 layer small bookshelf in the living room", + "2 layer small bookshelf in a living room" + ], + "find official licensed harry potter t-shirts": [ + "hry potter t-shirt", + "professional licensed harry potter t-shirt", + "professional licensed harry potter t-shirts", + "barry potter t-shirt", + "hry potter t-shirts", + "hry potter t-shirt under $40", + "harrry potter t-shirt", + "alarm potter t-shirt", + "hry potter t-shirt under $50", + "harrry potter t-shirts" + ], + "i am looking for transparent color kitchen drawer mats that are easy to install.": [ + "living room drawer mats that are easy to install", + "living room drawer mats", + "gluten-free kitchen drawer mats", + "easy to install transparent color kitchen drawer mats", + "white kitchen drawer mats that are easy to install", + "living room drawer mats easy to install", + "living room drawer mats, easy to install", + "gluten free kitchen drawer mats", + "easy to install kitchen drawer mats", + "living room drawer mats, easy to install," + ], + "i'm looking for a high performance desktop computer with intel core processor.": [ + "desktop computer with intel core processor", + "high performance desktop computer with intel core processor", + "desktop computer with intel core processor.", + "desktop computer with intel core processor high performance", + "desktop desktop computer with intel core processor", + "desktop computer Intel core processor", + "desktop computer intel core processor", + "desktop computer processor high performance", + "desktop computer", + "desktop computer processor" + ], + "i'm locking for a open shelves high gloss entertainment center media console.": [ + "open shelves high gloss entertainment center media console", + "open shelf high gloss entertainment center media console", + "open shelves high gloss entertainment center media console.", + "open shelves high gloss entertainment center media console,", + "open shelf high gloss entertainment center media console.", + "open shelves high gloss entertainment center media", + "high gloss entertainment center media console", + "lip gloss entertainment center media console", + "open shelves high gloss entertainment media console", + "open shelves high gloss media console" + ], + "i'm looking for a desktop pc with an intel core i5 processor.": [ + "desktop pc with intel core i5 processor", + "desktop pc intel core i5 processor", + "desktop pc i5 processor", + "desktop pc Intel core i5 processor", + "desktop pc with Intel core i5 processor", + "desktop pc with i5 processor", + "desktop pc, intel core i5 processor", + "desktop pc i5 processor under $130", + "desktop pc intel core i5 processor.", + "desktop pc with i5 processor." + ], + "i am looking for maple leaflop9363 color place mats that are eco friendly.": [ + " maple leaflop9363 color place mats", + "synthetic leaflop9363 color place mats", + " maple leaflop9363 color place mats eco friendly", + "pomegranate leaflop9363 color place mats", + " maple leaflop9363 color mats that are eco friendly", + " maple leaflop 9363 color place mats", + " maple leaflop9363 color rug", + " maple leaflop9363 color place mats, eco friendly", + " maple leaflop9363 color mats", + "synthetic leaflop 9363 color place mats" + ], + "i'm looking for a window film for a dining room that is 23.6 inch wide and 35.4 inch in length in size. choose the ones that comes in the 964074833593106000 color.": [ + "window film dining room 23.6 inch wide and 35.4 inch in length", + "window film 23.6 inch wide and 35.4 inch in length", + "window film dining room 23.6 x 35.4 inch in length", + "window film living room 23.6 inch wide and 35.4 inch in length", + "window film dining room 23.6 inch wide and 35.4 inch", + "window film dining room 23.6 x 35.4 inch in length in size", + "window film dining room 23.6 inch wide", + "window film dining room 23.6 inch wide in size", + "window film for a dining room", + "window film" + ], + "i need a yoga shirt that is a loose fit and dark blue": [ + "yoga shirt loose fit dark blue", + "yoga shirt dark blue", + "yoga shirt a loose fit dark blue", + "yoga shirt with loose fit dark blue", + "yoga shirt, loose fit dark blue", + "yoga shirt that is loose fit dark blue", + "yoga shirt, loose fit and dark blue", + "walking shirt that is a loose fit dark blue", + "yoga shirt in loose fit dark blue", + "yoga shirt that is a loose fit black" + ], + "i am looking for high definition orange color 10.8 inch android 9.0 tablet of quad-core processor,6000mah battery etc": [ + "8 inch android 9.0 tablet with quad-core processor,6000mah battery", + "orange color 10.8 inch android 9.0 tablet with quad-core processor,6000mah battery", + "high definition orange color 10.8 inch android 9.0 tablet with quad-core processor", + "10.8 inch android 9.0 tablet with quad-core processor,6000mah battery", + "8 inch android 9.0 tablet of quad-core processor,6000mah battery", + "10.8 inch android 9.0 tablet of quad-core processor,6000mah battery", + "8 inch android 9.0 tablet of quad-core processor with6000mah battery", + "high definition orange color 10.8 inch android 9.0 tablet", + "8 inch android 9.0 tablet with quad-core processor", + "10.8 inch android 9.0 tablet of quad-core processor,6000mah battery etc" + ], + "i am looking for a set of 2 mesh laundry bags": [ + "set of 2 mesh laundry bags", + "set of 2 mesh laundry bags", + "2 mesh laundry bags", + "set of 2 mesh laundry bags,", + "set of 2 mesh laundry bag", + "two mesh laundry bags", + "pack of 2 mesh laundry bags", + "set of 2 mesh", + "4 mesh laundry bags", + "set of 2 mesh laundry" + ], + "i am looking for 6 nut free plant based raspberry snack bars.": [ + "6 nut free plant based raspberry snack bars", + "6 nut free plant based raspberry snack bar", + "6 nut free plant based raspberry snack bars.", + "plant based raspberry snack bars that are nut free", + "pack of nut free plant based raspberry snack bars", + "plant based raspberry snack bars. 6 nut free", + "plant based raspberry snack bars", + "6 nut free plant based raspberry snack bar.", + "plant based raspberry snack bar", + "plant based raspberry snack bars." + ], + "i am looking for a 6 count (pack of 6) real fruit, non-gmo fruit bars": [ + "6 count (pack of 6) real fruit", + "pack of 6 real fruit, non-gmo fruit bars", + "6 count (pack of 6) real fruit bars", + "6 count (pack of 6) real fruit bar", + "pack of 6) real fruit non-gmo fruit bars", + "6 count (pack of 6) real fruit non-gmo", + "6 count (pack of 6) real fruit drink mix", + "pack of 6 real fruit, non-gmo, fruit bars", + "pack of 6) real fruit, non-gmo", + "pack of 6) real fruit" + ], + "i am looking for some ready to eat gluten free red hot spice curry sauce.": [ + "gluten free red hot spice curry sauce", + "gluten free spice curry sauce", + "gluten free red hot spice curry sauce ready to eat", + "gluten free red hot spice curry sauce below $40", + "ready to eat gluten free red hot spice curry sauce", + "gluten free red hot spice curry sauce under $40", + "gluten free red hot spice curry sauce below $60", + "gluten free red hot spice curry sauce below $50", + "gluten free red hot spice curry sauce under 50 dollars", + "gluten free red hot spice curry sauce under $60" + ], + "i want to buy t-shirts which are long sleeved and are in red color, while the size should be large.": [ + "t-shirt long sleeved red", + "t-shirts long sleeved red", + "t-shirt long sleeved in red", + "long sleeved t-shirt in red", + "long sleeved t-shirt red", + "t-shirts long sleeved in red", + "long sleeved t-shirts in red", + "long sleeved t-shirts in red color", + "t-shirt in red", + "t-shirt large" + ], + "i need some gluten free popped cheddar cheese snacks": [ + "gluten free popped cheddar cheese snacks", + "gluten free popped cheddar cheese snacks under $40", + "gluten free popped cheddar cheese snacks under 50 dollars", + "gluten free popped cheddar cheese snacks under $60", + "gluten free popped cheddar cheese snacks under $50", + "gluten free popped cheddar cheese snacks under 60 dollars", + "gluten free popped cheddar cheese snacks under 30 dollars", + "gluten free popped cheddar cheese snacks below $40", + "gluten free popped cheddar cheese snacks under 40 dollars", + "gluten free pomegranate cheese snacks" + ], + "i am looking for an ac 220v electric chain hoist crane overhead remote control that is dust proof.": [ + "ac 220v electric chain hoist crane", + "ac 220v electric chain hoist crane with dust proof", + "ac 220v electric chain hoist crane under remote control", + "ac 220v electric chain hoist crane, dust proof", + "ac 220v electric chain hoist crane overhead remote control", + "ac 220v electric chain hoist crane dust proof", + "ac 220v electric chain hoist crane with remote control", + "ac 220v electric chain hoist crane dust proof", + "a 220v electric chain hoist crane", + " ac 220v electric chain hoist crane" + ], + "i am looking for 1 pack of 1.7 ounce ,anti-perspirant stick for women": [ + "1 pack of 1.7 ounce anti-perspirant stick for women", + "anti-perspirant stick for women", + "anti-perspirant stick for women 1 pack", + "1 pack of 1.7 ounceanti-perspirant stick for women", + "1 pack of 1.7 ounce anti-perspirant stick", + "one pack of 1.7 ounce anti-perspirant stick for women", + " 1 pack of 1.7 ounce anti-perspirant stick for women", + "anti-perspirant stick for women 1 pack of 1.7 oz", + "anti-perspirant stick for women 1 pack of 1.7 ounce", + "anti-perspirant stick for women1 pack of 1.7 ounce" + ], + "i want a 32gig blue cell phone that's 4g lte.": [ + "32gig blue cell phone thats 4g lte", + "32gig blue cell phone thats 4g lte.", + "28gig blue cell phone thats 4g lte", + "32gig blue cell phone 4g lte", + " 32gig blue cell phone thats 4g lte", + "32gig blue cell phone that is 4g lte", + "32gig blue cell phone, 4g lte", + "32gig blue cell phone", + "32gig blue cell phone with 4g lte", + " 32gig blue cell phone thats 4g lte." + ], + "i am looking for a short queen (60\" x 74\") size memory foam": [ + "short queen (60 x 74) size memory foam", + "queen (60 x 74) size memory foam", + "short queen (60 x 74), size memory foam", + "short queen (60 x 74) memory foam", + "long queen (60 x 74) size memory foam", + "short queen size memory foam", + "short queen (60 x 74)", + "short queen memory foam", + "short queen sized memory foam", + "memory foam" + ], + "i am looking for a brown colored, large size, loose fit blouse for women.": [ + "brown blouse for women", + "brown blouse", + "womens blouse brown", + "brown colored blouse for women", + "brown blouse for woman", + "brown blouse for women.", + "brown woman blouse", + "brown blouse large size", + "brown blouse large", + "brown blouse for women," + ], + "i want boy elephant sprinkles for baby shower.": [ + "baby shower with boy elephant sprinkles", + "boy elephant sprinkles for baby shower", + "boy elephant sprinkles baby shower", + "baby shower boy elephant sprinkles", + "man elephant sprinkles for baby shower", + "man elephant sprinkles baby shower", + "boy elephant sprinkles for baby shower.", + "teen elephant sprinkles for baby shower", + "baby shower with elephant sprinkles", + "baby shower with elephant sprinkles boy elephant" + ], + "i am interested in buying a tablet with a quad core processor and a usb port.": [ + "quad core processor and usb port", + "quad core processor with usb port", + "quad core processor with a usb port", + "quad core processor and a usb port", + "tablet with quad core processor", + "quad core processor, usb port", + "tablet with a quad core processor", + "quad core processor", + "quad core processor and usb", + "tablet" + ], + "i am looking for a pair of sky blue curtains for my living room.": [ + "sky blue curtains for my living room", + "sky blue curtains for living room", + "sky blue curtains for the living room", + "sky blue curtains for a living room", + "sky blue curtains living room", + "sky blue curtains for living room.", + "sky blue curtains", + "sky blue curtains in my living room", + "sky blue curtains, living room", + "sky blue curtains for dining room" + ], + "i'm looking for a set of two electric wall sconces that are hand painted with a bronze finish.": [ + "two electric wall sconces", + "two electric wall sconces with bronze finish", + "two electric wall sconces with a bronze finish", + "two electric wall sconces that are hand painted", + "electric wall sconces with bronze finish", + "two electric wall sconces in bronze finish", + "two electric wall sconces under $40", + "two electric wall sconces under $50", + "two electric wall sconces in bronze", + "electric wall sconces" + ], + "i need a vanity light fixture that is a set of 2": [ + "vanity light fixture that is a set of 2", + "vanity light fixture set of 2", + "pink vanity light fixture set of 2", + "k vanity light fixture that is a set of 2", + "k vanity light fixture set of 2", + "veterate vanity light fixture set of 2", + "vinyl light fixture set of 2", + "pink vanity light fixture", + " vanity light fixture set of 2", + "vanity light fixture" + ], + "i am looking for a sectional with ottoman l-shaped couch that can seat 5 people, and i would like it to be appropriate for the living room and come in light grey.": [ + "Sectional with ottoman l-shaped couch", + " sectional with ottoman l-shaped couch", + "sectional with ottoman l-shaped couch", + "aluminum ottoman l-shaped couch that can seat 5 people", + "Sectional ottoman l-shaped couch that can seat 5 people", + "a sectional with ottoman l-shaped couch", + "stoolal with ottoman l-shaped couch", + "Sectional with ottoman l-shaped couch for living room", + "aluminum ottoman l-shaped couch", + "Sectional ottoman l-shaped couch" + ], + "i'm looking for a golden dinosaur cake toppers for a birthday cake": [ + "golden dinosaur cake toppers for a birthday cake", + "golden dinosaur cake toppers for a baby shower", + "gold dinosaur cake toppers for a birthday cake", + "yellow dinosaur cake toppers for a birthday cake", + "giant dinosaur cake toppers for a birthday cake", + "a golden dinosaur cake toppers for a birthday cake", + "gluten-free birthday cake toppers", + "golden dinosaur cake toppers", + "gluten-filled dinosaur cake toppers for a birthday", + "golden dinosaur cake toppers for a birthday cake," + ], + "i would like a red cupcake topper for a birthday party.": [ + "red cupcake topper for a baby shower", + "red cupcake topper for a birthday party", + "red cupcake topper for a birthday party.", + "cupcake topper for a baby shower", + "red cupcake topper for a baby shower.", + "red birthday cupcake topper for a baby shower", + "cupcake topper for a birthday party", + "red cupcake toppers for a baby shower", + "red birthday cupcake topper for a birthday party", + "cupcake topper for a birthday party." + ], + "single color short sleeve polo shirt": [ + "single color short sleeve polo shirt", + "single color polo shirt", + "single color short sleeve polo shirt under $50", + "single color short sleeve polo shirt under $40", + "single color short sleeve polo shirt below $50", + "single color short sleeve polo shirt under 50 dollars", + "single color short sleeve polo shirt under $60", + "single color short sleeve polo shirt below $40", + "single color short sleeve polo shirt under 40 dollars", + "single color short sleeve polo shirt under 60 dollars" + ], + "i want unscented maxim sensitive antiperspirant towelettes.": [ + "scented maxim sensitive antiperspirant towelettes", + "uncented maxim sensitive antiperspirant towelettes", + "unscented maxim sensitive antiperspirant towelettes", + "scented sensitive antiperspirant towelettes", + " unscented maxim sensitive antiperspirant towelettes", + "antiperspirant towelettes unscented", + "unnatural antiperspirant towelettes unscented", + "unnatural antiperspirant towelettes", + "scented maxim sensitive antiperspirant towelettes.", + "uncented maxim sensitive antiperspirant towelettes." + ], + "i need an unscented anti perspirant": [ + " unscented anti perspirant", + "scented anti perspirant", + "an unscented anti perspirant", + "uncented anti perspirant", + "unscented anti perspirant", + " unscented anti perspirant under $40", + "scented anti perspirant unscented", + " unscented anti perspirant under $50", + "anti perspirant unscented", + " unscented anti perspirant under $60" + ], + "i would like a 10 by 18 foot photo backdrop that is light weight.": [ + "10 by 18 foot photo backdrop", + "10 x 18 foot photo backdrop", + "10 by 18 foot photo backdrop light weight", + "10x 18 foot photo backdrop", + "10x18 foot photo backdrop", + "10x18 photo backdrop", + "a 10 by 18 foot photo backdrop", + "10 by 18 foot backdrop", + "light weight photo backdrop", + "portrait light weight" + ], + "i want to find men's black and white walking shoes that feature memory foam. they should be leather and i need them in a size 12.": [ + "mens black and white walking shoes that feature memory foam", + "mens black and white walking shoes", + "mens black and white walking shoes with memory foam", + "mens black walking shoes that feature memory foam", + "mens black walking shoes that feature memory foam size 12", + "mens black walking shoes with memory foam size 12", + "mens black and white walking shoes", + "mens black walking shoes with memory foam", + "mens black walking shoes", + "mens black white walking shoes" + ], + "i am looking for a black light weight carbon fiber round keychain.": [ + "black light weight carbon fiber round keychain", + "black heavy weight carbon fiber round keychain", + "black carbon fiber round keychain", + "black high weight carbon fiber round keychain", + "black low weight carbon fiber round keychain", + "black light weight carbon fiber round keychains", + "black lightweight carbon fiber round keychain", + "black, carbon fiber round keychain", + "black light weight carbon fiber round key", + "aluminum fiber round keychain" + ], + "i am looking for a hair salon capacity spray bottle.": [ + "spray bottle for hair salon capacity", + "spray bottle hair salon capacity", + "hair salon capacity spray bottle", + "spray bottle hair salon capacity below $50", + "spray bottle hair salon capacity below $40", + "spray bottle hair salon capacity below $60", + "spray bottle in a hair salon capacity", + "spray bottle hair salon capacity under $50", + "spray bottle hair salon capacity below $130", + "spray bottle hair salon capacity under $40" + ], + "i would like a small leopard blue blouse that is hand washable.": [ + "small leopard blue blouse", + "small leopard blue blouse, hand washable", + "small leopard blue blouse hand washable", + "small leopard blue blouse in hand washable", + "small leopard blue blouse with hand washable", + "small leopard blue blouse with washable", + "small leopard blue blouse under $50", + "small leopard blue blouse under $40", + "small leopard blue blouse washable", + "leopard blue blouse" + ], + "can you look it up on amazon? erika's tea room february birthday scone & gift box - unique english style scones, april color, will make the perfect gift.": [ + "amazon? erikas tea room february birthday scones, april color", + "tea room february birthday scone & gift box - unique english style scones, april color", + "i amazon? erikas tea room february birthday scones, april color", + "tea room february birthday scones, april color", + "amazon? erikas tea room february birthday scones, april color,", + "a tea room february birthday scone & gift box - unique english style scones, april color", + "tea room february birthday scone and gift box - unique english style scones, april color", + "amazon? erikas tea room february birthday scone & gift box", + "tea room february birthday scone & gift box", + "tea room february birthday scones with april color" + ], + "i'm looking for a black tablet with 64gb and a high resolution": [ + "black tablet with 64gb high resolution", + "black tablet with 64gb", + "black tablet with 64gb and high resolution", + "black tablet with 64gb with high resolution", + "black tablet with 64gb in high resolution", + "black tablets with 64gb high resolution", + "black tablet with 128gb high resolution", + "black tablet 64gb high resolution", + "black tablet 128gb high resolution", + "black tablet 16gb high resolution" + ], + "i'm looking for a small form factor business pc.": [ + "small form factor business pc", + "small form factor business pc.", + "small form factor business pc,", + "small form factor business pc that is small", + "small form factor business pc under $50", + "small form factor business pc under $40", + "small form factor business pc under $60", + "small form factor business pc under $120", + "small form factor business pc under $130", + "small form factor small business pc" + ], + "i would like a two pack of high quality shower caps": [ + "two pack of high quality shower caps", + "two pack high quality shower caps", + "two pack shower caps", + "two pack of high quality shower cap", + "one pack of high quality shower caps", + "shower caps two pack high quality", + "two pack of quality shower caps", + "two pack shower caps high quality", + "two pack of shower caps", + "two pack" + ], + "i would like a 5 pound bag of kosher certified crackers.": [ + "5 pound bag of kosher certified crackers", + "5 pound bag of kosher certified crackers.", + "5 pound bag of kosher certified crackers under $40", + "5 pound bag of kosher certified crackers under $50", + "5 pound bag of kosher certified crackers under $60", + "5 pound bag of kosher certified crackers under 40 dollars", + "5 pound bag of kosher certified crackers under 50 dollars", + "5 pound bag of kosher certified crackers under 30 dollars", + "5 pound bag of kosher certified crackers under 120 dollars", + "4 pound bag of kosher certified crackers" + ], + "i need hight quality portable golden wing color travel personal mirror for woman": [ + "hight quality portable golden wing color travel personal mirror for woman", + "portrait golden wing color travel personal mirror for woman", + "hight quality portable golden wing color travel personal mirror", + "portable golden wing color travel personal mirror for woman", + "portrait golden wing color travel personal mirror", + "portrait portable golden wing color travel personal mirror for woman", + "hight quality portable golden wing travel personal mirror for woman", + " hight quality portable golden wing color travel personal mirror for woman", + "buffet quality portable golden wing color travel personal mirror for woman", + "portrait golden wing travel personal mirror for woman" + ], + "i am interested in buying a long sleeved xx-large sized sweater which is suitable for both men and women.": [ + "xxl sweater", + "xxl sweater suitable for both men and women", + "xxl sweater, suitable for both men and women", + "long sleeved xx-large sized sweater", + "xxl sweater suitable for men and women", + "xxl sweater, suitable for men and women", + "xx-large sized sweater", + "xxl sweater that is suitable for men and women", + "xxl sweater suitable for both men and women.", + "xxl sweater suitable for men" + ], + "i'm looking for nourison jubilant floral pink area rug.": [ + "n nourison jubilant floral pink area rug", + " nourison jubilant floral pink area rug", + "furnison jubilant floral pink area rug", + "nude jubilant floral pink area rug", + "n nourison jubilant floral pink rug", + "nourison jubilant floral pink area rug", + "natierra jubilant floral pink area rug", + " nourison jubilant floral pink rug", + "furnison jubilant floral pink rug", + "f nourison jubilant floral pink area rug" + ], + "i need plant-based ground beef patties": [ + "plant-based ground beef patties", + "plant-based ground beef patties under $40", + "plant-based ground beef patties under $50", + "plant-based ground beef patties under $60", + "plant-based ground beef patties under 50 dollars", + "plant-based ground beef patties under 30 dollars", + "plant-based ground beef patties under 40 dollars", + "plant-based beef patties", + "plant based ground beef patties", + "plastic ground beef patties" + ], + "i would like a travel size dark brown hair treatment.": [ + "travel size dark brown hair treatment", + " travel size dark brown hair treatment", + "travel size dark brown hair treatment.", + "Travel size dark brown hair treatment", + "vanity size dark brown hair treatment", + "5 ft dark brown hair treatment", + "5 foot dark brown hair treatment", + " travel size dark brown hair treatment.", + "travel size dark brown hair treatment,", + "pink hair treatment" + ], + "i am looking for a pair of men's dark stonewash levi's 501 jeans that are machine washable.": [ + "mens dark stonewash levis 501 jeans", + "mens dark stonewash levis 501 jeans machine washable", + "mens dark stonewash levis 501 jeans, machine washable", + "mens dark stonewash levis 501 jeans with machine washable", + "mens dark stonewash levis 501 jeans", + "mens dark stonewash levis 501 jeans under $50", + "mens dark stonewash levis 501 jeans under $40", + "mens dark stonewash levis 501 jeans under 50 dollars", + "mens dark stonewash levis 501 jeans machine washable.", + "dark stonewash levis 501 jeans" + ], + "looking for moisturizing and nourishing cream with multi-vitamin anti-crack foot with argan oil": [ + "moisturizing cream with multi-vitamin anti-crack foot with argan oil", + "moisturizing cream multi-vitamin anti-crack foot with argan oil", + "moisturizing and nourishing cream with multi-vitamin anti-crack foot", + "moisturizing cream, multi-vitamin anti-crack foot with argan oil", + "moisturizing cream with multi-vitamin anti-crack foot", + "moisturizing and nourishing cream multi-vitamin anti-crack foot", + "moisturizing cream multi-vitamin anti-crack foot", + "moisturizing anti-crack foot with argan oil", + "moisturizing and nourishing cream", + "moisturizing cream" + ], + "i am looking for black color high definition bluetooth speakers.": [ + "black bluetooth speakers", + "black high definition bluetooth speakers", + "black color high definition bluetooth speakers", + "black bluetooth speakers high definition", + "black high definition bluetooth speakers.", + "black bluetooth speakers, high definition", + "black bluetooth speakers with high definition", + "black color bluetooth speakers", + "high definition bluetooth speakers black", + "black bluetooth speakers black" + ], + "i'm looking for cloths towel for exfoliating in sensitive skin, in size 11.81 x 11.81\" with gray edge color": [ + "cloths towel for exfoliating sensitive skin in a gray edge color", + "cloths towel for exfoliating sensitive skin in a gray", + "cloths towel for exfoliating sensitive skin 11.81 x 11.8 with gray edge color", + "cloths towel for exfoliating sensitive skin 11.81 x 11.1 with gray edge color", + "cloths towel for exfoliating sensitive skin 11.81 x 11.82 with gray edge color", + "cloths towel for exfoliating sensitive skin 11.81 x 11.", + "cloths towel for exfoliating sensitive skin, in size 11.81 x 11.", + "cloths towel for exfoliating in sensitive skin 11.81 x 11.", + "cloths towel for exfoliating sensitive skin in size 11.81 x 11.", + "cloths towel for exfoliating in sensitive skin, in size 11.81 x 11." + ], + "i'm in love with women's mid-calf boots, i want to find one of non-slip vintage embroidered thick heels, size: 9 wide, help me in this mission": [ + "womens mid-calf boots size 9 wide", + "womens mid-calf boots 9 wide", + "womens mid-calf boots, size 9 wide", + "womens mid-calf boots", + "womens mid-calf boots, size 9 wide,", + "womens mid-calf boots size 9 wide,", + "womens mid-calf boots, 9 wide", + "womens mid-calf boots in a 9 wide", + "womens mid-calf boots size: 9 wide", + "womens mid-calf boots x 9 wide" + ], + "i want gluten free faris gourmet popcorn.": [ + "gluten free faris gourmet popcorn", + "gluten free gourmet popcorn", + "gluten free faris gourmet popcorn.", + "gluten free faris gourmet popcorn flavor", + "gluten-free faris gourmet popcorn", + "gluten free from gourmet popcorn", + "gluten free and gourmet popcorn", + "faris gourmet popcorn gluten free", + "gourmet popcorn gluten free", + "levis gourmet popcorn gluten free" + ], + "i am interested in knee high shoes that are black": [ + "knee high shoes black", + "knee high shoes in black", + "knee high shoes, black", + "knee high shoes", + "knee high shoes with black", + "black knee high shoes", + "white knee high shoes", + "knee high shoes are black", + "knee high shoe black", + "nee high shoes black" + ], + "i would like a pair of size 5.5 stone birko sandals with arch support.": [ + "stone birko sandals with arch support", + "size 5.5 stone birko sandals", + "5 stone birko sandals with arch support", + "2 stone birko sandals with arch support", + "stone birko sandals size 5.5", + " stone birko sandals with arch support", + "1 stone birko sandals with arch support", + "2 stone birko sandals", + "stone birko sandals", + "size 5.5 stone birko sandals arch support" + ], + "i am looking for a heavy duty red case for a galaxy s21 fe that is easy to install.": [ + "heavy duty red case for a galaxy s21 fe", + "a heavy duty red case for a galaxy s21 fe", + "large duty red case for a galaxy s21 fe", + "black heavy duty red case for a galaxy s21 fe", + "galaxy s21 fe heavy duty red case", + "heavy duty red s21 fe case", + "heavy duty red case s21 fe", + "red case for a galaxy s21 fe", + "s21 fe heavy duty red case", + "heavy duty red case" + ], + "i am looking for black color long sleeve bodysuit for women.": [ + "black long sleeve bodysuit for women", + "black color long sleeve bodysuit for women", + "black long sleeve bodysuit", + "black long sleeve bodysuit for women.", + "black short sleeve bodysuit for women", + "black color long sleeve bodysuit", + "black long sleeve bodysuit for women black", + "black woman long sleeve bodysuit for women", + "black long sleeve bodysuit for women,", + "black woman long sleeve bodysuit" + ], + "i would like a king sized black faux leather bed.": [ + "king sized black faux leather bed", + "king sized black faux leather bed.", + "king sized black faux leather bed,", + "king size black faux leather bed", + "king size black faux leather bed.", + "king sized black faux leather mattress", + "king sized black leather bed", + "king sized black plush bed", + "king sized faux leather bed", + "king sized leather bed" + ], + "i'm looking for a desktop mini computer with quad core and 8 gb of ram.": [ + "desktop mini computer with quad core and 8gb of ram", + "desktop mini computer with quad core 8 gb of ram", + "desktop mini computer with quad core and 8 gb", + "desktop mini computer with quad core 8gb of ram", + "desktop mini computer with quad core and 8 gb ram", + "desktop mini computer with quad core with 8gb of ram", + "desktop mini computer with quad core 8 gb", + "desktop mini computer 8gb of ram", + "desktop mini computer 8 gb of ram", + "desktop mini computer with quad core" + ], + "i'm looking for wireless bluetooth speaker for home.": [ + "wireless bluetooth speaker for home", + "womens wireless bluetooth speaker", + " wireless bluetooth speaker for home", + "living room wireless bluetooth speaker", + "wirefreeetooth speaker for home", + "wireless bluetooth speaker", + "living room bluetooth speaker", + "home wireless bluetooth speaker", + "wireless bluetooth speaker home", + " wireless bluetooth speaker for home." + ], + "i need 1080p wireless security camera with motion detection and cloud storage support": [ + "1080p wireless security camera with motion detection", + "1080p wireless security camera", + " 1080p wireless security camera with motion detection", + "tvp wireless security camera with motion detection", + "p wireless security camera with motion detection and cloud storage", + "1080p wireless security camera that is motion detection", + " 1080p wireless security camera", + "p wireless security camera with motion detection", + "tvp wireless security camera", + "p wireless security camera" + ], + "i would like a black purple car charger with a usb port.": [ + "black purple car charger with a usb port", + "black purple car charger with a usb port.", + "black purple car charger", + "black purple car charger with usb port", + "black purple car charger with a usb port,", + "a black purple car charger with a usb port", + "black car charger with a usb port", + "black purple car charger, usb port", + "black and purple car charger with a usb port", + "black mobile car charger with a usb port" + ], + "i am looking for a high performance power amplifier": [ + "high performance power amplifier", + "high performance power amplifier under $40", + "high performance power amplifier under $50", + "high performance power amplifier under $60", + "power amplifier that is high performance", + "high performance power amplifier under $120", + "high performance power amplifier under $130", + "power amplifier high performance", + "high performance power amplifier under 30 dollars", + "high performance power amplifier under 50 dollars" + ], + "i'm looking for a leather slingback flat sandal.": [ + " leather slingback flat sandal", + "slingsback flat sandal", + "leather slingback flat sandal", + "a leather slingback flat sandal", + "slimback flat sandal", + " leather slingback flat sandal.", + "slingback flat sandal", + "slouchback flat sandal", + "slingsback flat sandal.", + "slimback flat sandal." + ], + "looking for light weight long cord headphones for tv choose colour 3-blue+red": [ + "tv cord headphones 3-blue+red", + "tv cord headphones 3-blue", + "tv headphones 3-blue+red", + "3-blue long cord headphones for tv", + "light weight long cord headphones for tv", + "low weight long cord headphones for tv", + "tv dvd headphones 3-blue", + "3-blue long cord headphones", + "light weight long cord headphones", + "tv headphones 3-blue" + ], + "i need a four seater sofa set in contemporary style. pick something in brown white color.": [ + "4 seater sofa set in contemporary style", + "4 seater sofa set in contemporary style, brown", + "4 seater sofa set in contemporary style in brown white", + "4 seater sofa set in contemporary style brown", + "4 seater sofa set in contemporary style with a brown", + "living room sofa set in contemporary style", + "4 seater sofa set in contemporary style in brown", + "living room sofa set in contemporary style brown", + "living room sofa set brown", + "4 seater sofa" + ], + "i would like a 12 count of assorted paraben free face mask.": [ + "12 count of assorted paraben free face mask", + "12 count of paraben free face mask", + "12 count paraben free face mask", + "12 count of a paraben free face mask", + "12 count of the paraben free face mask", + "12 count of paben free face mask", + "12 count of assorted paraben free face masks", + "alarm paraben free face mask", + "alarm free face mask 12 count", + "alarm face mask 12 count" + ], + "i would like a great snack gift basket.": [ + "sneakers gift basket", + "sneakers gift basket under $50", + "sneakers gift basket under 50 dollars", + "sneakers gift basket that is great", + "sneakers gift basket under $40", + "sneakers gift basket under $60", + "sneakers gift basket for snack", + "sneakers gift basket.", + "sneakers gift basket under 40 dollars", + "sneakers gift basket under 30 dollars" + ], + "i am looking for some long lasting easy to carry eyeshadow.": [ + "long lasting easy to carry eyeshadow", + "long lasting easy to carry eyeshadow.", + "lenshadow long lasting easy to carry", + "easy to carry eyeshadow", + "lenshadow easy to carry", + "a long lasting easy to carry eyeshadow", + "lenshadow", + "low lasting easy to carry eyeshadow", + "light lasting easy to carry eyeshadow", + "easy to carry eyeshadow under $40" + ], + "i am looking for a pair of grey faux leather mid century dining chairs.": [ + "grey faux leather mid century dining chairs", + "grey faux leather mid century dining chairs.", + "grey faux leather mid century dining chairs,", + "grey faux leather mid century dining chairs under 30 dollars", + "grey faux leather mid century dining chairs under $40", + "grey faux leather mid century dining chairs under $50", + "grey faux leather mid century dining chairs that are comfortable", + "grey faux leather mid century dining chairs under 50 dollars", + "grey faux leather mid century dining chairs under $60", + "grey faux leather dining chairs" + ], + "i am looking for a black samsung galaxy s20 fe case with tempered glass.": [ + "black samsung galaxy s20 fe case with tempered glass", + "samsung galaxy s20 fe case with tempered glass", + "black samsung galaxy s20 fe case", + "a black samsung galaxy s20 fe case with tempered glass", + "black samsung galaxy s20 fe case tempered glass", + "black samsung galaxy s20 fe case with tempered glass,", + "black samsung galaxy s20 fe case, tempered glass", + "glass samsung galaxy s20 fe case with tempered glass", + "black samsung galaxy s20 fe case with tempered glass.", + "samsung galaxy s20 fe case tempered glass" + ], + "i want a hair care product that is easy to use.": [ + "easy to use hair care product", + "easy-to-use hair care product", + "easy to use hair care product under $40", + "easy to use hair care product under $60", + "easy to use hair care product under $50", + "easy to use hair care product under 30 dollars", + "hair care product that is easy to use.", + "easy to use human hair care product", + "simple to use hair care product", + "small hair care product" + ], + "i am looking for x-large short white color running gym workout fitness shorts": [ + "x-large white color running gym workout fitness shorts", + "xl short white color running gym workout fitness shorts", + "x-large short white workout fitness shorts", + "x-large short white running gym workout fitness shorts", + "x-large short white training gym workout fitness shorts", + "xl short white workout fitness shorts", + "x-large short white workouts workout fitness shorts", + "x-large short white training gym workout shorts", + "x-large short white color running gym workout shorts", + "x-large short white workouts workout shorts" + ], + "i'm looking for tattoo numbing cream with natural ingredients": [ + "tattoo numbing cream natural", + "tort numbing cream natural", + "tart numbing cream natural", + "tort numbing cream with natural ingredients", + "tot numbing cream natural", + "tat numbing cream natural", + "tattoo numbing cream", + "tit numbing cream natural", + "tot numbing cream with natural ingredients", + "tart numbing cream with natural ingredients" + ], + "i want individually wrapped lemon bar cookies.": [ + "lemon bar cookies individually wrapped", + "lemon bar cookies", + "lemon bar cookies, individually wrapped", + "pack of individually wrapped lemon bar cookies", + "melmon bar cookies individually wrapped", + "manual wrapped lemon bar cookies", + " individually wrapped lemon bar cookies", + "almond bar cookies individually wrapped", + "lemon bar cookies. individually wrapped", + "lemon bar cookies." + ], + "i would like some non gmo pretzels that are 10 ounces": [ + "non gmo pretzels 10 ounces", + "non gmo pretzels, 10 ounces", + "non gmo pretzels 10 oz", + "non gmo pretzels 9 ounces", + "non-gmo pretzels 10 ounces", + "non gmo pretzels under $40", + "non gmo pretzels in 10 ounces", + "non gmo pretzels 9 oz", + "non gmo pretzels under $50", + "non gmo pretzels under $60" + ], + "i need brown color, 10 size ethylene vinyl arizona sandal": [ + "brown ethylene vinyl arizona sandal", + "10 size ethylene vinyl arizona sandal", + "10 x ethylene vinyl arizona sandal", + "brown ethylene vinyl arizona sandal 10 oz", + "brown ethylene vinyl arizona sandal, 10 oz", + "10 size ethylene vinyl arizona sandal brown", + "pink ethylene vinyl arizona sandal", + "10 color ethylene vinyl arizona sandal", + "brown ethylene vinyl arizona sandal under $40", + "brown ethylene vinyl arizona sandal under $50" + ], + "i want a pair of ethylene vinyl birkenstock arizona sandals in size 9.": [ + " ethylene vinyl birkenstock arizona sandals in size 9", + " ethylene vinyl birkenstock arizona sandals in size 9.", + " ethylene vinyl birkenstock arizona sandals size 9", + "ethylene vinyl birkenstock arizona sandals in size 9", + " ethylene vinyl birkenstock arizona sandals in a size 9", + "ethylene vinyl birkenstock arizona sandals size 9", + " ethylene vinyl birkenstock arizona sandals size 9 ethylene", + "ethylene vinyl birkenstock arizona sandals in size 9.", + " ethylene vinyl birkenstock arizona sandals", + " ethylene vinyl birkenstock sandals in size 9" + ], + "i need to find a unisex sandal that\u2019s made with vinyl acetate; i am a size 11 australian.": [ + "unisex sandal size 11 australian", + "unisex sandal made with vinyl acetate", + "unisex sandal", + "unisex sandal size 11", + "unisex sandal with vinyl acetate size 11", + "unisex sandal in size 11 australian", + "unisex sandal, made with vinyl acetate", + "unisex sandal with vinyl acetate", + "unisex sandal, size 11,", + "unisex sandal, size 11" + ], + "i am looking for hair straighteners of color surfing blue&misty mauve that are easy to clean.": [ + "hair straighteners of color surfing blue&misty mauve", + "hair straighteners color surfing blue&misty mauve", + "hair straighteners blue&misty mauve", + "hair straighteners of color surfing blue&misty mauve", + "hair straighteners blue&misty mauve easy to clean", + "hair straighteners of color surfing blue &misty mauve", + "hair straighteners colored surfing blue&misty mauve", + "hair straighteners that are easy to clean", + "hair straighteners that are easy to clean.", + "hair straighteners" + ], + "i would like a gluten free pancake mix.": [ + "gluten free pancake mix", + "gluten free pancake mix.", + "gluten free pancake mix under $40", + "gluten free pancake mix under $60", + "gluten free pancake mix under $50", + "gluten free pancake mix under 50 dollars", + "gluten free pancake mix under 40 dollars", + "gluten free pancake mix gluten free", + "gluten free pancake mix under 30 dollars", + "gluten free pancake mix no sugar" + ], + "i would like a long sleeved blue blouse that is xx-large": [ + "xxl blue blouse xx-large", + "xx-large blue blouse", + "xxl blouse xx-large", + "xxl long sleeved blue blouse", + "xx-large blue blouse xx-large", + "xxl blouse that is xx-large", + "long sleeved blue blouse xx-large", + "xxl blue blouse xxl", + "xxl blouse xxl", + "xl blouse xx-large" + ], + "i would like a 13 inch 512 gig intel core i7 tablet.": [ + "13 inch 512 gig intel core i7 tablet", + " 13 inch 512 gig intel core i7 tablet", + "13 inch 512 gig intel core i7 tablet.", + "a 13 inch 512 gig intel core i7 tablet", + "12 inch 512 gig intel core i7 tablet", + " 13 inch 512 gig intel core i7 tablet.", + "black 13 inch 512 gig intel core i7 tablet", + "tablet 13 inch 512 gig intel core i7", + "a 13 inch 512 gig intel core i7 tablet.", + "tablet 13 inch 512 gig intel core i7 tablet" + ], + "i am looking for a conditioner color shower cream that is sulphate free.": [ + "tempered shower cream that is sulphate free", + "slimate free shower cream", + "sulate free shower cream", + "sugar free shower cream", + "sulfate free shower cream", + "synthetic free shower cream", + "temporary conditioner color shower cream", + "conditioner color shower cream, sulphate free", + "slimate free shower cream under $40", + "sulate free shower cream under $40" + ], + "i am looking for a chandeliers for my dining room.": [ + "chandeliers dining room", + "chandeliers for dining room", + "living room chandeliers", + "dining room chandeliers", + "large chandeliers dining room", + "glass chandeliers dining room", + "al dining room chandeliers", + "a chandeliers dining room", + "living room chandeliers chandelier", + "chandeliers for dining room." + ], + "hello, i am looking for hair dye that will stay in my hair permanently. also, i want the color to be mahogany blonde": [ + "hair dye mahogany blonde", + "magnogany blonde hair dye", + "mahogany blonde hair dye", + "hair dye mahogany", + "mensogany blonde hair dye", + "hair dye mahogany blonde", + "mat mahogany blonde hair dye", + "beauty dye mahogany blonde", + "beauty dye mahogany", + "mahogany blonde wig color" + ], + "i am looking for individually wrapped, chocolate toffee candy bars in a 24 pack.": [ + "pack of chocolate toffee candy bars in a 24 pack", + "pack of chocolate toffee candy bars 24 pack", + "12 pack, chocolate toffee candy bars in a 24 pack", + "pack of individually wrapped, chocolate toffee candy bars 24 pack", + "12 chocolate toffee candy bars in a 24 pack", + "8 chocolate toffee candy bars in a 24 pack", + "almond wrapped, chocolate toffee candy bars 24 pack", + "chocolate toffee candy bars 24 pack", + " individually wrapped, chocolate toffee candy bars in a 24 pack", + "pack of chocolate toffee candy bar 24 pack" + ], + "i want a blue children\u2019s u-shape toothbrush for sensitive teeth.": [ + "blue children\u2019s u-shape toothbrush for sensitive teeth", + "blue kids\u2019s u-shape toothbrush for sensitive teeth", + "blue children\u2019s u-shape toothbrush", + "blue children\u2019s u-shape toothbrush, sensitive teeth", + "blue kids\u2019s u-shape toothbrush", + "u-shape toothbrush for sensitive teeth", + "blue human toothbrush for sensitive teeth", + "kids toothbrush for sensitive teeth", + "u-shape toothbrush for sensitive teeth.", + "kids toothbrush for sensitive teeth blue" + ], + "i am looking for throw pillow covers of taupe orange colors that are machine washable.": [ + "throw pillow covers of taupe orange colors", + "throw pillow covers of taupe orange", + "throw pillow cover of taupe orange colors", + "throw pillow covers in taupe orange colors", + "throw pillow cover of taupe orange", + "throw pillow covers that are machine washable", + "throw pillow covers taupe orange colors", + "throw pillow covers taupe orange", + "throw pillow covers taupe orange", + "throw pillow covers" + ], + "i am interested in buying hoodies which can be machine washed, and are of color 2, and of small size.": [ + "hoodies of color 2, small", + "hoodies color 2, small", + "hoodies of color 2", + "hoodies that can be machine washed", + "hoodies in color 2, small", + "large hoodies with color 2", + "hoodies color 2", + "hoodies in color 2", + "large hoodies", + "small hoodies" + ], + "i would like a long lasting makeup set.": [ + "long lasting makeup set", + "long lasting makeup set.", + "long lasting makeup set under $50", + "long lasting makeup set under $40", + "long lasting makeup set under $60", + "long lasting makeup set under 30 dollars", + "long lasting makeup set under 50 dollars", + "long lasting makeup set under 60 dollars", + "long lasting makeup set under 40 dollars", + "lens makeup set long lasting" + ], + "i'm looking for 2-piece lounge set for women.": [ + "2-piece lounge set for women", + "2-piece lounge set for women.", + "woman 2-piece lounge set for women", + "two-piece lounge set for women", + "1-piece lounge set for women", + " 2-piece lounge set for women", + "2-piece lounge set for women,", + " 2-piece lounge set for women.", + "woman 2-piece lounge set", + "2-piece lounge set" + ], + "i am interested in buying a zero sugar gluten free freezer pops.": [ + "freezer pops gluten free", + "freezer pops", + "freezer pops zero sugar", + "freezer pops no sugar", + "freeze pops gluten free", + "zero sugar gluten free freezer pops", + "low sugar gluten free freezer pops", + "freezer pops, zero sugar", + "freeze pops", + "freezer pops below $40" + ], + "help me find a high performance power amplifier to use with my ho n e theater and is3 in 1": [ + "high performance power amplifier to use with my ho n e theater", + "high performance power amplifier that is3 in 1", + "high performance power amplifier", + "high performance power amplifier that is 3 in 1", + "high performance power amplifier whose price is3 in 1", + "high performance power amplifier for ho n e theater", + "high performance power amplifier 3 in 1", + "high performance power amplifier whose price is 3 in 1", + "high performance power amplifier in ho n e theater", + "high performance power amplifier with a ho n e theater" + ], + "i want to find individually wrapped, 2-ounce packs of omega-3 mix in a 14-count box.": [ + "mega-3 mix 14-count box", + "pack of omega-3 mix 14-count box", + "6 omega-3 mix in a 14-count box", + "mega-3 mix 14 count box", + "pack omega-3 mix 14-count box", + "aluminum wrapped omega-3 mix 14-count box", + "mega-3 mix 14 count", + "mega-3 mix 14count box", + "pack of omega-3 mix 14 count box", + "mega-3 mix 14-count box under $40" + ], + "i am looking for cruelty free lip balm lip scrub (color c)": [ + "cruelty free lip balm lip scrub", + "cruelty free lip balm lip scrubcolor c", + "cruelty free lip balm lip scrub color c", + "cruelty free lip balm lip scrub,color c", + "cruelty free lip balm lip scrub, color c", + "cruelty free lip balm lip scrub in color c", + "cruelty free lip balm lip scrub (color c", + "cruelty free lip balm lip scrub (color", + "cruelty free lip balm lip scrub color", + "cruelty free lip balm lip scrub colored c" + ], + "i am searching for hand wash women's top sandalfoot pantyhose, size e-f": [ + "hand wash womens top sandalfoot pantyhose, size e-f", + "hand wash womens top sandalfoot pantyhose size e-f", + "hand wash womens top sandalfoot pantyhose e-f", + "hand wash womens top sandalfoot pantyhose", + "womens top sandalfoot pantyhose, size e-f", + "hand wash womens top sandalfoot pantyhose in size e-f", + "hand wash womens top sandalfoot pantyhose, e-f", + "hand wash womens top sandalfoot pantyhose in e-f", + "hand wash womens top sandalfoot pantyhose in a e-f", + "womens top sandalfoot pantyhose, size e-f," + ], + "i would like a brown two piece living room set made of faux leather.": [ + "two piece living room set made of faux leather", + "brown two piece living room set made of faux leather", + "living room set made of faux leather", + "two piece living room set made of faux leather.", + "2 piece living room set made of faux leather", + "three piece living room set made of faux leather", + "two piece living room set made of faux leather,", + "white two piece living room set made of faux leather", + "twin piece living room set made of faux leather", + " brown two piece living room set made of faux leather" + ], + "i'm looking for blue, heart shaped cupcake toppers for my sister's baby shower.": [ + "blue, heart shaped cupcake toppers for a baby shower", + "blue, heart shaped cupcake toppers for baby shower", + "blue, heart shaped cupcake toppers", + "blue heart shaped cupcake toppers for a baby shower", + "blue, heart shaped cupcake toppers baby shower", + "blue, heart shaped cupcake toppers for women baby shower", + "blue, heart shaped cupcake toppers for baby shower.", + "blue and heart shaped cupcake toppers for a baby shower", + "blue, heart shaped cupcake toppers for an baby shower", + "blue, heart shaped cupcake toppers for woman baby shower" + ], + "i am looking for gray men's casual sweatpants that are machine washable with an elastic waist.": [ + "gray mens casual sweatpants with an elastic waist", + "gray mens casual sweatpants with elastic waist", + "gray mens casual sweatpants that are machine washable", + "gray mens casual sweatpants", + "womens casual sweatpants with elastic waist", + "womens casual sweatpants with an elastic waist", + "gray mens casual sweatpants with a elastic waist", + "gray mens casual sweatpants, machine washable", + "womens casual sweatpants that are machine washable", + "gray mens casual sweatpants with an elastic waist." + ], + "i am looking for a black crypto currency themed tank top in size large that has a classic fit.": [ + "black crypto currency themed tank top in size large", + "tank top in size large that has a classic fit", + "black crypto currency themed tank top in a size large", + "black crypto currency themed tank top in a classic fit", + "black crypto currency themed tank top with classic fit", + "large black crypto currency themed tank top in size large", + "tank top in size large", + "black crypto currency themed tank top", + "large crypto currency themed tank top in size large", + "black crypto currency themed tank top size large" + ], + "i'm looking for a men's long sleeve shirt with button closure. choose the ones that come in the color c-green and size medium.": [ + "mens long sleeve shirt with button closure", + "mens long sleeve shirt with button closure in the color c-green", + "mens long sleeve shirt with button closure in a size c-green", + "mens long sleeve shirt with button closure in a c-green", + "mens long sleeve shirt with button closure in c-green", + "mens long sleeve shirt button closure", + "mens long sleeve shirt with button closure, c-green", + "mens long sleeve shirt with button closure c-green", + "mens long sleeve shirt with button closure in a mens long sleeve", + "mens long sleeve shirt with button closure size c-green" + ], + "i would like a office chair with lumbar support.": [ + "office chair with lumbar support", + "office chair lumbar support", + "office chair with lumbar support.", + "office chair, lumbar support", + "office chair that is lumbar support", + "office chair lumbar support.", + "office chair that lumbar support", + "office chair with lumbar support under $50", + "office chair with lumbar support under $40", + "office chair with lumbar support under $60" + ], + "i am looking for a bronze colored wall mounted led sconce for my living room.": [ + "living room bronze wall mounted led sconce", + "colored wall mounted led sconce for my living room", + "colored wall mounted led sconce for living room", + "monetized led sconce for living room", + "wall mounted led sconce for living room", + "gold colored wall mounted led sconce for living room", + "brushed led sconce for living room", + "floor mounted led sconce for living room", + "colored wall mounted led sconce for living room.", + "living room bronze led sconce" + ], + "i need some xx-large boxer briefs that is also low rise.": [ + "xxl boxer briefs low rise", + "xxl boxer briefs", + "xxl boxer briefs that is low rise", + "xx-large boxer briefs", + "xx-large boxer briefs low rise", + "xxl boxer briefs, low rise", + "xxl boxer briefs that is high rise", + "xxl boxer briefs that are low rise", + "xx-large boxer briefs, low rise", + "xxl boxer briefs with low rise" + ], + "i want a serum made from hyaluronic acid.": [ + " serum made from hyaluronic acid", + "serum made from hyaluronic acid", + "sneakers made from hyaluronic acid", + "s serum made from hyaluronic acid", + "som serum made from hyaluronic acid", + "hyaluronic acid serum", + "soy serum made from hyaluronic acid", + "a serum made from hyaluronic acid", + "man serum made from hyaluronic acid", + " serum made from hyaluronic acid." + ], + "i am looking for an easy to clean and easy to carry cosmetic bag.": [ + "beauty bag easy to clean", + "easy to clean cosmetic bag", + "beauty bag", + "pocket cosmetic bag easy to clean", + "pocket cosmetic bag", + "plastic bag easy to clean", + "plastic bag", + "beauty bag easy clean", + "5 foot cosmetic bag", + "5 ft cosmetic bag" + ], + "i would like a pair of size 5.5 blue walking shoes with a rubber sole.": [ + "blue walking shoes with a rubber sole", + "blue walking shoes size 5.5", + "walking shoes size 5.5 rubber sole", + "size 5.5 blue walking shoes", + "walking shoes size 5.5", + "blue walking shoes", + "pair of size 5.5 blue walking shoes", + "blue walking shoes, size 5.5", + "walking shoes size 5.5, rubber sole", + "womens walking shoes with a rubber sole" + ], + "i need 5.1 ounce rosemary roasted gluten free garlic seasoning, (pack of 1)": [ + "rosemary roasted gluten free garlic seasoning, (pack of 1)", + "roasted gluten free garlic seasoning, (pack of 1)", + "rosemary roasted gluten free garlic seasoning, (pack of 1),", + "5.1 ounce rosemary roasted gluten free garlic seasoning", + "roasted gluten free garlic seasoning, (pack of 1) 5.1 ounce", + "rosemary roasted gluten free garlic seasoning (pack of 1)", + "roasted gluten free garlic seasoning 5.1 ounce", + "rosemary roasted gluten free garlic seasoning 5.1 ounce", + "rosemary roasted gluten free garlic seasoning", + "roasted gluten free garlic seasoning" + ], + "i'm looking for long lasting intense eye liner.": [ + "long lasting intense eye liner", + "lens long lasting intense eye liner", + "long lasting intense eye liner.", + "short lasting intense eye liner", + "long lasting intense eye liner,", + "high lasting intense eye liner", + "low lasting intense eye liner", + "intense eye liner long lasting", + "intense eye liner", + "intensive eye liner" + ], + "i am looking for 12 size regular fit running shoe.": [ + "12 size regular fit running shoe", + "12 size regular fit running shoe.", + "regular fit running shoe 12 size", + "12 foot regular fit running shoe", + "walking shoe 12 size regular fit", + "regular fit running shoe", + "regular fit running shoe 12 oz", + "a 12 size regular fit running shoe", + " 12 size regular fit running shoe", + "regular fit running shoe. 12 size" + ], + "i want open toe umiyi sandals for women in size 9.5.": [ + "open toe umiyi sandals for women size 9.5", + "open toe umiyi sandals size 9.5", + "open toe umiyi sandals", + "open toe umiyi sandals for women", + "open toe umiyi sandals in size 9.5", + "open toe umiyi sandals women size 9.5", + "open toe umiyi sandals 9.5", + "open toe umiyi sandals woman size 9.5", + "open toe umiyi sandals, size 9.5", + "open toe umiyi sandals size 9.5." + ], + "i'm looking for the perfect gift basket: it's a s'mores bark snack that contains no dairy.": [ + "smores bark snack", + "smores bark snack no dairy", + "smores bark snack with no dairy", + "smores bark snack, no dairy", + "smores bark snack under $50", + "muskmores bark snack", + "smores bark snack under $40", + "smores bark snack under $60", + "smores bark snack under 50 dollars", + "mores bark snack" + ], + "i'm looking for a gift basket that has chocolate candy and also offers a peanut chew platter.": [ + "gift basket chocolate candy peanut chew platter", + "gift basket with chocolate candy and peanut chew platter", + "gift basket peanut chew platter", + "gift basket with chocolate candy", + "gift basket that has chocolate candy peanut chew platter", + "gift basket that has chocolate candy", + "gift basket with chocolate candy peanut chew platter", + "gift basket with chocolate candy, peanut chew platter", + "gift basket chocolate candy", + "gift basket" + ], + "i would like a 20 inch dark brown mix light auburn hair extensions.": [ + "20 inch dark brown mix light auburn hair extensions", + "20 inch dark brown mix light auburn hair extension", + " 20 inch dark brown mix light auburn hair extensions", + "20 inch dark brown mix light auburn hair extensions.", + "20 x 20 inch dark brown mix light auburn hair extensions", + "20 inch dark brown blend light auburn hair extensions", + "20 inch dark brown mix light auburn hair extensions,", + "20 inches dark brown mix light auburn hair extensions", + "dark brown mix light auburn hair extensions", + "20 inch dark brown hair extensions" + ], + "i need a fully assembled queen sized mattress set": [ + "queen sized mattress set", + "king size mattress set", + "living room queen sized mattress set", + "living queen sized mattress set", + "comfortable queen sized mattress set", + "king sized mattress set", + "king girl sized mattress set", + "kingwoman sized mattress set", + "queen sized mattress set,", + "king bed frame" + ], + "i want a mandala blanket throw fleece blanket for my living room.": [ + "mandala blanket throw fleece blanket for my living room", + "Mandala blanket throw fleece blanket for my living room", + " mandala blanket throw fleece blanket for my living room", + "mandala blanket throw fleece blanket for the living room", + "Mandala blanket throw fleece blanket for living room", + "mandala blanket throw fleece blanket for living room", + "mandala blanket throw fleece blanket", + "Mandala blanket throw fleece blanket for the living room", + "Mandala blanket throw fleece blanket", + "moistala blanket throw fleece blanket for living room" + ], + "i am looking for some nut free red velvet with cream cheese cupcakes in a jar.": [ + "nut free red velvet cream cheese cupcakes in a jar", + "nut free red velvet with cream cheese cupcakes", + "nut free red velvet cream cheese cupcakes", + " nut free red velvet cream cheese cupcakes in a jar", + "Nut free red velvet cream cheese cupcakes in a jar", + "nut free red velvet cupcakes in a jar", + "nut free red velvet drink mix cream cheese cupcakes", + " nut free red velvet with cream cheese cupcakes", + "nut free red velvet cupcakes", + "nut free red velvet" + ], + "i am looking for cognac colored combat boots with rubber soles.": [ + "casualac colored combat boots with rubber soles", + "cognac colored combat boots with rubber soles", + "c cognac colored combat boots with rubber soles", + "curtains colored combat boots with rubber soles", + "ac colored combat boots with rubber soles", + " cognac colored combat boots with rubber soles", + "vacac colored combat boots with rubber soles", + "curtains with rubber soles", + "comfortable combat boots with rubber soles", + "casualac colored combat boots" + ], + "i am looking for a high quality teal colored compact mirror.": [ + "teal colored compact mirror", + "teal colored compact mirror.", + "teal colored compact mirror under $40", + "teal colored compact mirror under $50", + "teal colored compact mirror under $60", + "teal colored compact mirror under 30 dollars", + "teal colored compact mirror under 50 dollars", + "teal colored compact mirror under 40 dollars", + "tteal colored compact mirror", + "teal colored compact mirror under 60 dollars" + ], + "i would like a pair of 33 wide by 32 long standard signature medium indigo jeans with a relaxed fit.": [ + "33 wide by 32 long standard signature medium indigo jeans", + " 33 wide by 32 long standard signature medium indigo jeans", + "33 wide by 32 long standard signature medium indigo jeans with relaxed fit", + "33 wide by 32 long standard signature medium indigo jeans, relaxed fit", + "33 wide by 32 long standard size indigo jeans with a relaxed fit", + "33 wide by 32 long standard signature medium indigo jeans under $50", + "32 wide by 32 long standard signature medium indigo jeans", + "33 wide by 32 long standard size indigo jeans", + "33 wide by 32 long standard", + "33 wide by 32 long" + ], + "i need a pack of 5, 4 inch bowls for mixing my facial masks, and it must be easy to clean.": [ + "pack of 5, 4 inch bowls", + "pack of 5, 4 inch bowls for mixing facial masks", + "pack of 5, 4 inch bowls, easy to clean", + "pack of 5 facial masks, easy to clean", + "pack of 5 4 inch bowls for mixing my facial masks", + "pack of 5 facial masks that are easy to clean", + "pack of 5, 4 inch bowls mixing my facial masks", + "pack of 5 facial masks", + "pack of 5 facial masks easy to clean", + "pack of 5 facial masks, easy to clean," + ], + "search for antiperspirant deodorant.": [ + "antiperspirant deodorant", + "antiperspirant deodorant under $40", + "antiperspirant deodorant.", + "antiperspirant deodorant under $50", + "antiperspirant deodorant under $60", + "antiiperspirant deodorant", + "antiperspirant deodorant under 50 dollars", + "antiperspirant deodorant under 30 dollars", + "antiiperspirant deodorant under $40", + "antiperspirant deodorant, under $40" + ], + "i would like a anti perspirant.": [ + "anti perspirant", + "anti perspirant.", + "anti perspirant under $50", + "anti perspirant under $40", + "anti perspirant under $60", + "anti perspirant under 30 dollars", + "anti perspirant below $50", + "anti perspirant below $40", + "anti perspirant under 50 dollars", + "anti perspirant under 40 dollars" + ], + "i would like to buy eyebrow gel which is long lasting, and is of black color.": [ + "hair gel long lasting black", + "long lasting eyebrow gel black", + " eyebrow gel long lasting black", + "an eyebrow gel long lasting, black", + "long lasting black eyebrow gel", + "an eyebrow gel long lasting black", + "espresso gel long lasting black", + "alarm gel long lasting black", + " eyebrow gel long lasting, black", + "a black eyebrow gel long lasting" + ], + "i am looking for high quality eau de parfum for women": [ + "eau de parfum for women", + "high quality eau de parfum for women", + "low quality eau de parfum for women", + "a high quality eau de parfum for women", + "eau de parfum for women that is high quality", + "eau de parfum for women whose price is high quality", + "eau de parfum for women, high quality", + "eau de parfum women", + "eau de parfum", + "eau de parfum woman" + ], + "i need a high density area rug that is white": [ + "white high density area rug", + "high density area rug that is white", + "high density area rug white", + "white area rug that is high density", + "low density area rug that is white", + "white high density rug", + "white high density rug that is white", + "high density area rug with white", + "white area rug", + "high density area rug in white" + ], + "i would like a four pack of fully cooked chicken.": [ + "4 pack of fully cooked chicken", + "four pack of fully cooked chicken", + "4 pack fully cooked chicken", + "pack of fully cooked chicken", + "large cooked chicken four pack", + "four pack fully cooked chicken", + "three pack of fully cooked chicken", + "Four pack of fully cooked chicken", + "living chicken four pack", + "4 pack cooked chicken" + ], + "i'm looking for wireless bluetooth 5.0 earbuds.": [ + "wireless bluetooth 5.0 earbuds", + "womens wireless bluetooth 5.0 earbuds", + " wireless bluetooth 5.0 earbuds", + "womens bluetooth 5.0 earbuds", + "wirefreeetooth 5.0 earbuds", + "alarm wireless bluetooth 5.0 earbuds", + "wireless bluetooth 5.0 earbuds.", + "telescope 5.0 earbuds", + "womens bluetooth 5.0 earbuds.", + "wireless bluetooth 5.0 earbuds," + ], + "am trying to find the long sleeve of zefotim womens summer tops, g-white color.": [ + "long sleeve zefotim womens summer tops g-white", + "short sleeve zefotim womens summer tops g-white", + "long sleeve zefotim womens summer tops, g-white color", + "long sleeve zefotim womens summer tops, g-white", + "long sleeve of zefotim womens summer tops g-white", + "a long sleeve of zefotim womens summer tops g-white", + "long sleeve of zefotim womens summer tops, g-white", + "womens summer tops g-white", + "short sleeve zefotim womens summer tops, g-white", + "short sleeve zefotim womens summer tops, g-white color" + ], + "i am looking for a chestnut colored synthetic hair wig.": [ + "chestnut colored synthetic hair wig", + " chestnut colored synthetic hair wig", + "chestnut colored synthetic hair wig.", + "ashnut colored synthetic hair wig", + "Chestnut colored synthetic hair wig", + "shoes chestnut colored synthetic hair wig", + "stainless hair wig chestnut colored", + " chestnut colored synthetic hair wig.", + "curtains colored synthetic hair wig", + "pocketnut colored synthetic hair wig" + ], + "i'm looking for a high quality anti-aging skincare kit for my dark circles and fine lines.": [ + "anti-aging skincare kit for dark circles and fine lines", + "anti-aging skincare kit for my dark circles and fine lines", + "anti-aging skincare kit for dark circles with fine lines", + "anti-aging skincare kit dark circles and fine lines", + "anti-aging skincare kit for dark circles, fine lines", + "anti-aging skincare kit for dark circles and fine lines.", + "anti-aging skincare kit for dark circles fine lines", + "anti-aging skincare kit for my dark circles with fine lines", + "anti-aging skincare kit", + "anti-aging skincare kit dark circles fine lines" + ], + "i'm looking for soft high waisted leggings for women.": [ + "soft high waisted leggings for women", + "soft high waisted leggings for women.", + "soft high waisted leggings for women under $40", + "soft high waisted leggings for women under $50", + "soft high waisted leggings", + "soft high waisted leggings for women under $60", + "soft high waisted leggings for women under 50 dollars", + "soft high waisted leggings for women under 30 dollars", + "soft high waisted leggings for women under 40 dollars", + "soft high waisted leggings for women under 60 dollars" + ], + "i would like a pair of size 7.5 clogs that are slip resistant.": [ + "pair of size 7.5 clogs slip resistant", + "clogs size 7.5 slip resistant", + "size 7.5 clogs that are slip resistant", + "pair of size 7.5 clogs", + "size 7.5 clogs slip resistant", + "clogs that are slip resistant", + "shoes resistant clogs size 7.5", + "curtains size 7.5 slip resistant", + "clogs slip resistant size 7.5", + "clogs slip resistant" + ], + "i'm looking for a bathroom mirror that can be wall mounted and is 60 cm in size.": [ + "bathroom mirror 60 cm in size", + "bathroom mirror 60 cm", + "bathroom mirror 60 cm wall mounted", + "bathroom mirror that is 60 cm", + "bathroom mirror 60cm in size", + "bathroom mirror size 60 cm", + "bathroom mirror, 60 cm", + "bathroom mirror", + "bathroom mirror that is wall mounted", + "womens bathroom mirror 60 cm" + ], + "i am interested in buying baseball t-shirts which can be machine washed and are classic fit, while the color should be either navy or white, and i am interested for a medium size for women.": [ + "moisturizing baseball t-shirt", + "moisturizing baseball t-shirts", + "moisturizing baseball t-shirt navy", + "classic fit women baseball t-shirt", + "moisturizing baseball t-shirts navy", + "mens t-shirt in navy", + "classic fit baseball t-shirt", + "pink baseball t-shirt", + "classic fit women baseball t-shirts", + "classic fit baseball t-shirts" + ], + "i need a easy to clean hair extension.": [ + "easy to clean hair extension", + "easy clean hair extension", + "easy to clean hair extension under $50", + "easy to clean hair extension under $40", + "easy to clean hair extension under $60", + "easy to clean hair extension.", + "easy to clean hair extension under 30 dollars", + "easy to clean hair extension under 50 dollars", + "easy to clean hair extension under $120", + "easy to clean hair extension below $50" + ], + "i am interested in sardine lemon flavored wild caught sardines which are gluten free.": [ + "sardine lemon flavored wild caught sardines which are gluten free", + "sardine lemon flavored wild caught sardines", + "sardine lemon flavored wild caught sardines that are gluten free", + " sardine lemon flavored wild caught sardines which are gluten free", + "sardine lemony flavored wild caught sardines which are gluten free", + "sardine lemon flavored wild caught sardines, gluten free", + "sardine lemon flavored wild caught sardines gluten free", + "sardine lemon flavored wild caught sardines which are gluten free.", + "sardine lemon flavored wild caught sardines whose are gluten free", + "sardine lemon flavored wild caught sardines which are gluten free," + ], + "i am looking for containers for shampoo of color style 7-40ml that are easy to carry.": [ + "shampoo of color style 7-40ml", + "shampoo color style 7-40ml", + "6oz shampoo of color style 7-40ml", + "containers for shampoo of color style 7-40ml", + "6 oz shampoo of color style 7-40ml", + "shampoo color style 7-40ml easy to carry", + "8oz shampoo of color style 7-40ml", + "colored shampoo of color style 7-40ml", + "6oz shampoo color style 7-40ml", + "6-40ml shampoo" + ], + "i want an american flag aomike flannel fleece throw blanket.": [ + "aomike flannel fleece throw blanket", + "ashan flag aomike flannel fleece throw blanket", + "an american flag aomike flannel fleece throw blanket", + "usan flag aomike flannel fleece throw blanket", + " american flag aomike flannel fleece throw blanket", + "american flag aomike flannel fleece throw blanket", + "ashan flag flannel fleece throw blanket", + "aomike flannel fleece throw blanket.", + "ashan flag aomike flannel fleece throw blanket.", + "aomike flannel fleece throw blanket under $50" + ], + "i want a 1080p hd camera.": [ + "1080p hd camera", + " 1080p hd camera", + "1080p hd camera under $40", + "1080p hd camera under $60", + "1080p hd camera under $50", + "1080p hd camera.", + "1080p hd camera under 50 dollars", + "1080p hd camera under 30 dollars", + "1080p hd camera under $130", + "tv hd camera 1080p" + ], + "what do you think of this mtfy tall bedside table with drawer and storage that you recommend? i want two in black if it's good quality. i await your reply .": [ + "mtfy tall bedside table with drawer and storage", + " mtfy tall bedside table with drawer and storage", + "mtfy tall bedside table with drawer and storage", + "t mtfy tall bedside table with drawer and storage", + "mensfy tall bedside table with drawer and storage", + "tmtfy tall bedside table with drawer and storage", + "ttfy tall bedside table with drawer and storage", + "mtfy tall bedside table", + "mntfy tall bedside table with drawer and storage", + "synthetic tall bedside table with drawer and storage" + ], + "i need one living room table": [ + "living room table", + "living room table, less then $40", + "living room table, less then $130", + "living room table, less then $60", + "living room table, less then $120", + "living room table under $50", + "living room table under $40", + "living room table under $130", + "living room table for living room", + "living room table that is large" + ], + "i am looking for a men's long sleeve button down light blue shirt.": [ + "mens long sleeve button down light blue shirt", + "mens long sleeve button down light blue shirt", + "mens long sleeve button down light blue shirt.", + "mens long sleeve button down light blue shirt mens", + "mens long sleeve button down light blue shirt under $40", + "mens long sleeve button down light blue shirt under $50", + "mens long sleeve button down light blue shirt under 50 dollars", + "mens long sleeve button down light blue shirt below $50", + "mens long sleeve button down light blue shirt under 40 dollars", + "mens long sleeve button down light blue" + ], + "i am looking for bronze finish chandelier for my living room.": [ + " bronze finish chandelier for my living room.", + " bronze finish chandelier for my living room", + "silver finish chandelier for my living room", + "silver finish chandelier for my living room.", + "gold finish chandelier for my living room", + "gold finish chandelier for my living room.", + "brushed finish chandelier for my living room", + "plastic finish chandelier for my living room", + "living room bronze finish chandelier", + "chrome finish chandelier for my living room" + ], + "i am interested in buying pumpkin seeds which are gluten free.": [ + "pumpkin seeds gluten free", + "pomegranate seeds gluten free", + "pumpkin seeds that are gluten free", + "pumpkin seeds which are gluten free", + "pumpkin seeds, gluten free", + "gluten free pumpkins seeds", + "pumpkin seeds gluten free.", + "pumpkins seeds gluten free", + "gluten free pumpkin seeds", + "pink seeds gluten free" + ], + "i would like a solid wood sideboard.": [ + "solid wood sideboard", + "solid wood sideboard.", + "solid wood sideboard under $50", + "solid wood sideboard under $40", + "solid wood sideboard under $60", + "solid wood sideboard,", + "stainless wood sideboard", + "solid wood sideboard under $120", + "solid wood sideboard under $130", + "solid wood sideboard under 50 dollars" + ], + "i want an apple punch highly pigmented lip tint.": [ + "apple punch highly pigmented lip tint", + "apple punch highly pigmented lip tint.", + "apple punch highly pigmented lip tint under $40", + "apple punch highly pigmented lip tint under $50", + " apple punch highly pigmented lip tint", + "apple punch highly pigmented lip tint under $60", + "apple punch high pigmented lip tint", + "apple punch highly pigmented lip tint below $40", + "apple punch highly pigmented lip tint,", + "apple punch pigmented lip tint" + ], + "i am looking for yellow and flat ankle booties for women for daily wear, and i would like them to come in size 8.5.": [ + "yellow and flat ankle booties for women", + "yellow ankle booties for women", + "yellow and flat ankle booties", + "yellow, flat ankle booties for women", + "yellow ankle booties", + "yellow and flat ankle booties for women,", + "yellow flat ankle booties for women", + "yellow walking booties for women", + "yellow walking booties", + "yellow flat ankle booties" + ], + "i want a tv stand made from solid wood.": [ + "tv stand made from solid wood", + "tv stand made from solid wood.", + "tv stand made from solid wood,", + "tv stand made from solid wood for tv", + " tv stand made from solid wood", + "tv stand from solid wood", + "tv stand, solid wood", + "tv stand with solid wood", + "tv stand made from wood", + "tv stand" + ], + "i am looking for a snacks gift basket.": [ + "sneakers gift basket", + "sugar gift basket", + "s snacks gift basket", + "sens gift basket", + "sugary gift basket", + "s snacks gift basket.", + "sugary basket", + "sugar gift basket.", + "snacks gift basket", + "snack gift basket" + ], + "i need oil free 8 ounce walnut body scrub": [ + "8 ounce walnut body scrub", + "6 ounce walnut body scrub", + "lip scrub 8 ounce walnut body scrub", + "oil free 8 ounce walnut body scrub", + "8 ounce walnut body scrub oil free", + "7 ounce walnut body scrub", + "aluminum body scrub oil free 8 ounce", + "womens body scrub oil free", + "womens body scrub", + "aluminum body scrub" + ], + "i am looking for heavy duty folding table of black granite color.": [ + "heavy duty folding table of black granite color", + "heavy duty folding table of black granite", + "heavy duty folding table black granite color", + "large duty folding table of black granite color", + " heavy duty folding table of black granite color", + "Heavy duty folding table of black granite color", + "heavy duty folding table of black granite colored", + "heavy duty folding table black granite", + "bagel table of black granite color", + "large duty folding table of black granite" + ], + "i want an orange spencer modern contemporary table lamp for my living room.": [ + "orange spencer modern contemporary table lamp for my living room", + "orange spencer modern contemporary table lamp", + "orange spencer modern contemporary table lamp for living room", + "orange spencer modern contemporary table lamp living room", + "orange spencer modern contemporary table lamp for the living room", + "orange spencer modern contemporary table lamp in my living room", + "orange spencer modern contemporary table lamp for living room.", + "orange spencer modern contemporary table lamp, living room", + "orange spencer modern contemporary table lamp for a living room", + "orange spencer modern contemporary table lamp for dining room" + ], + "i need grass fed protein bars that are banana flavored": [ + "grass fed protein bars banana flavored", + "grass fed protein bars that are banana flavored", + "protein bar banana flavored", + " grass fed protein bars that are banana flavored", + " grass fed protein bars banana flavored", + "protein bars banana flavored", + "grass fed protein bar banana flavored", + " grass fed protein bar banana flavored", + "green protein bar banana flavored", + "green protein bars banana flavored" + ], + "seabed wallpaper with octopus size 8x12 ft": [ + "seabed wallpaper octopus size 8x12 ft", + "seabed wallpaper with octopus size 8x12", + "seabed wallpaper octopus 8x12 ft", + "seabed wallpaper 8x12 ft", + "seabed wallpaper octopus size 8x12", + "seabed wallpaper with octopus 8x12 ft", + "seabed wall octopus size 8x12 ft", + "seabed wallpaper 9x12 ft", + "seabed wallpaper with octopus", + "seabed wallpaper eightx12 ft" + ], + "i want a light weight 6x9 ft octopus vinyl photography backdrop.": [ + "6x9 octopus vinyl photography backdrop", + "6x9 octopus backdrop", + "6 x9 octopus vinyl photography backdrop", + "6x9 octopus photography backdrop", + "6 x 9 octopus vinyl photography backdrop", + "6 x9 octopus backdrop", + "5x9 octopus vinyl photography backdrop", + "6x9 octopus vinyl photography backdrop.", + "6x9 octopus photo backdrop", + "6x9 octopus backdrop." + ], + "i am looking for a wall art of size 40x20 for my living room.": [ + "wall art of size 40x20", + "wall art size 40x20 for my living room", + "wall art of size 40x20 living room", + "wall art size 40x20", + "size 40x20 wall art", + "wall art of size 40x20 for living room", + "wall art 40x20 for my living room", + "wall art size 40x20 living room", + "wall art of size 40x20, living room", + "wall art of size 40x20 living room." + ], + "can i get the new 3ounce size of cetaphil moisturizing cream 20 oz hydrating moisturizer fragrance free": [ + "cetaphil moisturizing cream 20 oz hydrating moisturizer fragrance free", + "cetaphil moisturizing cream 20 oz hydrating moisturizer", + "3ounce size of cetaphil moisturizing cream", + "sea salt moisturizing cream 20 oz hydrating moisturizer fragrance free", + "coaxializing cream 20 oz hydrating moisturizer fragrance free", + "3ounce moisturizing cream 20 oz hydrating moisturizer fragrance free", + "cetaphil moisturizing cream 20 oz hydrating moisturizer scent free", + "toxic cream 20 oz hydrating moisturizer fragrance free", + "coffee cream 20 oz hydrating moisturizer fragrance free", + "cetaphil moisturizing cream 20 oz hydrating moisturizer fragrance" + ], + "i need a height adjustable full sized bed frame in black.": [ + "height adjustable full sized bed frame in black", + "height adjustable full sized bed frame in black.", + "height adjustable full size bed frame in black", + "height adjustment full sized bed frame in black", + "height adjustable full sized bed frame", + "height adjustable full sized bed frame in black,", + " height adjustable full sized bed frame in black", + "height adjustable bed frame in black", + "height adjustable full bed frame in black", + "height adjustable full sized bed frame, black" + ], + "i would like a 4.9 ounce face cream for dry skin.": [ + "4.9 ounce face cream for dry skin", + "4.9 ounce face cream for dry skin.", + "4.9 ounce face cream for dry skin under $40", + "4.9 ounce face cream for dry skin under $60", + "4.9 ounce face cream for dry skin under $50", + "4.9 ounce face cream", + "4.9 ounce face cream for dry skin,", + "4.9 ounce face cream for dry skin under 40 dollars", + "4.9 oz face cream for dry skin", + "face cream for dry skin 4.9 oz" + ], + "i am in need of rich creamy peanut butter sauce": [ + "rich creamy peanut butter sauce", + "rich creamy peanut butter sauce under $40", + "rich creamy peanut butter sauce under $60", + "rich creamy peanut butter sauce under 50 dollars", + "rich creamy peanut butter sauce under $50", + "rich creamy peanut butter sauce under 30 dollars", + "rich creamy peanut butter sauce under 60 dollars", + "rich creamy peanut butter sauce under 120 dollars", + "rich creamy peanut butter sauce under 40 dollars", + "chocolate peanut butter sauce" + ], + "i just want a power cord for my blu ray player, please and thank you": [ + "power cord blu-ray player", + "power cord for blu ray player", + "power cord for blu-ray player", + "power cord blu ray player", + "power cord blu ray player, please and thank you", + "power cord blu-ray player under $40", + "power cord to blu-ray player", + "power cord for bluray player", + "power cord blu-ray player under $50", + "power cord for blu-ray player under $40" + ], + "i need a easy to use hair clip with pink leopard pattern.": [ + "easy to use hair clip with pink leopard pattern", + "easy to use hair clip pink leopard pattern", + "easy to use hair clip, pink leopard pattern", + "easy to use pink leopard pattern hair clip", + "easy to use hair clip in pink leopard pattern", + "pink leopard hair clip", + "low to use hair clip with pink leopard pattern", + "easy to use pink leopard pattern", + "easy to use hair clip", + "pink leopard hair clip easy to use" + ], + "i need a white living room statue": [ + "white living room statue", + "living room statue white", + "white living room statue white", + "white living room statue that is white", + "white living room statue under $40", + "white living room statue of a woman", + "white living room statue under $50", + "white living room statue under $60", + "white living room statue under 30 dollars", + "white living room statue," + ], + "i'm looking for casual linen cotton loafers slip on ladies walking shoes.": [ + "living room cotton loafers slip on ladies walking shoes", + "living room linen loafers slip on ladies walking shoes", + "clothing loafers slip on ladies walking shoes", + "casual linen cotton loafers, ladies walking shoes", + "casual linen cotton loafers for ladies walking shoes", + "casual linen cotton loafers", + "curtains walking shoes", + "curtains of ladies walking shoes", + "curtains of walking shoes", + "clothing walking shoes" + ], + "i am looking for high power monoculars.": [ + "high power monoculars", + "high power monoculars.", + "high power monoculars under $40", + "high power monoculars under $50", + "high power monoculars under $60", + "high power monoculars under $120", + "high power monoculars under 30 dollars", + "monoculars high power", + "high power monoculars under $130", + "high power monoculars under 50 dollars" + ], + "i am looking for baby shower themed cupcake toppers.": [ + "baby shower themed cupcake toppers", + "baby shower themed cupcake toppers.", + "baby shower themed cupcake toppers under $40", + "baby shower themed cupcake toppers under $50", + "baby shower themed cupcake toppers under 50 dollars", + "baby shower themed cupcake toppers under $60", + "baby shower themed cupcake toppers under 40 dollars", + "baby shower themed cupcake toppers under 30 dollars", + "baby shower themed cupcake toppers under 60 dollars", + "baby shower themed cupcake toppers below $50" + ], + "i need to find a 92mm dual quiet usb fan that has a usb port. must be a high performer.": [ + "92mm dual quiet usb fan that has a usb port", + "92mm dual quiet usb fan with a usb port", + "92mm dual quiet usb fan with usb port", + "90mm dual quiet usb fan that has a usb port", + "dual quiet usb fan that has a usb port", + " 92mm dual quiet usb fan that has a usb port", + "92mm dual quiet usb fan", + "90mm dual quiet usb fan with a usb port", + "90mm dual quiet usb fan with usb port", + "92mm dual quiet usb fan with usb port high performer" + ], + "i am seraching for wireless charging apple iphone with gradient coral color.": [ + "iphone with gradient coral", + "iphone with gradient coral color", + "iphone wireless charging with gradient coral", + "smartphone charging apple iphone with gradient coral", + "phone charging apple iphone with gradient coral", + "phone charging apple iphone with gradient coral color", + "iphone wireless charging with gradient coral color", + "iphone with gradient coral wireless charging", + "iphone wireless charging gradient coral", + "tablet with gradient coral" + ], + "i want to buy fully cooked, and ready to eat sausages which come in a pack of 9.": [ + "sausages pack of 9", + "full cooked and ready to eat sausages pack of 9", + "full cooked, ready to eat sausages pack of 9", + "living sausages pack of 9", + "gluten-free sausages pack of 9", + "gluten free sausages pack of 9", + "pack of 9 fully cooked sausages", + "full cooked, ready to eat sausages 9 pack", + "sausages pack of 9 pack", + "pack of 9 sausages fully cooked" + ], + "i would like a dual band ac adapter.": [ + "dual band ac adapter", + "dual band ac adapter.", + "dual band ac adapter under $40", + "dual band ac adapter under $50", + "dual band ac adapter under $60", + "dual band ac adapter under 50 dollars", + "dual band ac adapter,", + "Dual band ac adapter", + "duals band ac adapter", + "double band ac adapter" + ], + "i am looking for machine wash waistcoat jackets also choose size 5x-large": [ + "machine wash waistcoat jackets size 5xl", + "machine wash waistcoat jackets size 5x-large", + "machine wash waistcoat jacket size 5xl", + "machine wash waistcoat jacket size 5x-large", + "machine wash waistcoat jackets in a size 5xl", + "machine wash waistcoat jacket in a size 5xl", + "machine wash waistcoat jackets 5x-large", + "machine wash waistcoat jackets 5xl", + "machine wash waistcoat jackets in size 5xl", + "machine wash waistcoat jackets, size 5xl" + ], + "i want vanity lights that are easy to install": [ + "easy to install vanity lights", + "vanity lights that are easy to install", + "easy-to-install vanity lights", + "k vanity lights that are easy to install", + "vanity lights easy to install", + "easy to install vanity lights under $40", + "easy to install vanity lights under $50", + "easy to install vanity lights under $60", + "easy setup vanity lights", + "easy install vanity lights" + ], + "i'm looking for a highly pigmented hydrating lipstick with matte finish. also, i want the berry smoothie one.": [ + "pink pigmented hydrating lipstick", + "pink hydrating lipstick with matte finish", + "pink hydrating lipstick berry smoothie", + "highly pigmented hydrating lipstick with matte finish", + "pink lip color berry smoothie", + "pink pomegranate smoothie lipstick", + "lip color berry smoothie", + "pink lip gloss berry smoothie", + "pink lipstick berry smoothie", + "lip gloss berry smoothie" + ], + "i am in need of 6 pairs of small-medium size navy color, knee high compression socks for women & men": [ + "small-medium size navy color", + "small-medium size navy color below $50", + "knee high compression socks for women & men", + "small-medium size navy color high compression socks", + "small-medium size navy color under $50", + "small-medium size navy color below $40", + "small-medium size navy color below $60", + "small-medium size navy color men", + "navy color knee high compression socks", + "navy color" + ], + "i am looking for pink, high quality massage sheets that are oil resistant.": [ + "pink massage sheets that are oil resistant", + "pink massage sheets oil resistant", + "pink massage sheets that are oil resistant.", + "pink massage sheets, oil resistant", + "pink massage sheets", + "pink massage sheets with oil resistant", + "pink massage sheets that are oil resistant,", + "pink, high quality massage sheets", + "pink massage sheets which are oil resistant", + "pink, high quality massage sheets oil resistant" + ], + "i am looking for mens pajamas of size 3xl code having elastic waistband.": [ + "mens pajamas of size 3xl", + "mens pajamas size 3xl with elastic waistband", + "mens pajamas size 3xl elastic waistband", + "mens pajamas of size 3xl elastic waistband", + "mens pajamas of size 3xl code", + "mens pajamas size 3xl", + "mens pajamas of size 3xl under $50", + "mens pajamas of size 3xl under $40", + "mens pajamas with elastic waistband", + "mens pajamas" + ], + "i want black columbia women's tidal elastic waist pants.": [ + "black columbia womens tidal elastic waist pants", + "black columbia womens elastic waist pants", + "black columbia womens tidal elastic waist pants.", + "black columbia womens t-short elastic waist pants", + "black columbia womens tennis elastic waist pants", + "black columbia womens t-shirt elastic waist pants", + "black columbia womens lightweight elastic waist pants", + "black columbia womens sea waist pants", + "black columbia womens tidal elastic waist pants black", + "black columbia womens waist pants" + ], + "i'm looking for a pair of women's loose fit, gray jeans.": [ + "womens loose fit gray jeans", + "womens loose fit, gray jeans", + "womens loose fit gray jeans.", + "womens loose fit grey jeans", + "womens loose fit gray jeans,", + "womens loose fit black jeans", + "mens loose fit gray jeans", + "mens loose fit gray jeans", + "mens loose fit, gray jeans", + "gray jeans" + ], + "i'm looking for storage drawers for cloths, toys, etc.,": [ + "storage drawers for cloths, toys, etc.,", + "temporary drawers for cloths, toys, etc.,", + "storage drawers for cloths, toys,", + "storage drawers for cloths, toys, under $40", + "storage drawers for cloths, toys, under $50", + "storage drawers for cloths, toys, under $60", + "storage drawers for cloths, toys", + "storage drawers for cloths, toys, etc,", + "storage drawers for cloths", + "storage drawers" + ], + "i am looking for wireless bluetooth headphones that are easy to use.": [ + "easy to use wireless bluetooth headphones", + "womens wireless bluetooth headphones", + "easy to use bluetooth headphones", + "wireless bluetooth headphones easy to use", + "wireless bluetooth headphones", + "easy-to-use bluetooth headphones", + "alarm wireless bluetooth headphones", + "living room wireless bluetooth headphones", + " wireless bluetooth headphones", + "phone bluetooth headphones" + ], + "i want a 12 pack of oatmeal cranberry and almond bars that are non gmo and gluten free.": [ + "12 pack of oatmeal cranberry and almond bars", + "12 pack oatmeal cranberry and almond bars", + "12 pack of oatmeal cranberry almond bars", + "12 pack oatmeal cranberry almond bars", + "12 pack of oatmeal cranberry and almond bar", + "12 pack oatmeal cranberry and almond bar", + "12 pack oatmeal cranberry and almond bars no gmo", + "12 pack oatmeal cranberry almond bar", + "oatmeal cranberry and almond bars", + "oatmeal cranberry almond bars" + ], + "i would like a black brown to tan hairpiece made from synthetic hair.": [ + "black to tan hairpiece made from synthetic hair", + "black human hairpiece made from synthetic hair", + "black brown to tan hairpiece", + "black synthetic hairpiece made from synthetic hair", + "black brown to tan hairpiece made from synthetic", + "black brown tan hairpiece made from synthetic hair", + "black brown human hairpiece made from synthetic hair", + "black and tan hairpiece made from synthetic hair", + "black brown synthetic hairpiece made from synthetic hair", + "black synthetic hairpiece" + ], + "i am looking for a masks for damaged hair": [ + "mens for damaged hair", + "moisturizing masks for damaged hair", + "maintains for damaged hair", + "masks for damaged hair", + "mens for damaged hair under $40", + "man masks for damaged hair", + "mens masks for damaged hair", + "mens for damaged hair under $50", + "matains for damaged hair", + "mask for damaged hair" + ], + "i am looking for small size casual elastic waist sleeveless one pieice burgundy jumpsuit": [ + "small size casual elastic waist sleeveless", + "small size casual elastic waist sleeveless under $50", + "small size casual elastic waist sleeveless under $40", + "small size casual elastic waist sleeveless shirt", + "small size casual elastic waist sleeveless jumpsuit", + "small size casual elastic waist sleeveless under 50 dollars", + "small size casual elastic waist sleeveless under $60", + "small size casual elastic waist sleeveless jumper", + "small pocket burgundy jumpsuit", + "small size casual elastic waist shirt" + ], + "i would like a 6 piece organizer that has aaa batteries included.": [ + "6 piece organizer with aaa batteries", + "6 piece organizer that has aaa batteries", + "6 piece organizer", + "6 piece organizer for aaa batteries", + "6 piece organizer, with aaa batteries", + "6 piece organizer, aaa batteries", + "6 piece organizer aaa batteries", + "router organizer with aaa batteries", + " 6 piece organizer with aaa batteries", + "6 piece organizer under $50" + ], + "i am looking for a red color fast charging portable charger..": [ + "red portable charger", + "red charging portable charger", + "red fast charging portable charger", + "red color fast charging portable charger", + "red wireless charging portable charger", + "red portable charger under $40", + "red portable charger, fast charging", + "red portable charger for living room", + "red portable charger under $50", + "red portable charger under $60" + ], + "find a high protein puffed snack to be made on a brick oven.": [ + "puffed snack to be made on a brick oven", + "puffed snack made on a brick oven", + "puffed snack that is high protein puffed snack", + "high protein puffed snack made on a brick oven", + "puffed snack that is high protein puffed", + "puffed snack made on a brick oven.", + "puffed snack puffed snack", + "puffed snack made from puffed snack", + "puffed snack, made on a brick oven", + "puffed snack in a brick oven" + ], + "looking for plug and play n64 wired usb pc game pad joystick also choose colour clear red": [ + "n64 wired usb pc game pad joystick", + "n64 wired usb pc game pad joystick colour clear", + "n64 wired usb pc game pad joystick in colour clear", + "plug and play n64 wired usb pc game pad joystick", + "n64 wired usb pc game pad joystick, colour clear", + "n64 wired usb pc game pad joystick with colour clear", + "n64 wired usb pc game pad joystick black", + "port and play n64 wired usb pc game pad joystick", + "n64 wired usb pc game pad", + "tv game pad joystick colour clear" + ], + "looking for gluten free dairy free protein powder": [ + "gluten free dairy free protein powder", + "gluten free dairy free protein powder for dairy free", + "gluten free dairy free protein powder under $40", + "gluten free dairy free protein powder under $50", + "gluten free dairy free protein powder below $40", + "gluten free dairy free protein powder under $60", + "gluten free dairy free protein powder under 50 dollars", + "gluten free dairy free protein powder below $50", + "gluten free dairy free protein powder gluten free", + "gluten free dairy free protein powder for dairy" + ], + "looking for cupcake toppers for baby shower birthday party supplies": [ + "cupcake toppers for baby shower", + "cupcake toppers baby shower", + "cupcake toppers for baby shower birthday party", + "cupcake toppers for baby shower baby shower", + "baby shower cupcake toppers", + "cupcake toppers for baby shower party supplies", + "baby shower baby shower cupcake toppers", + "baby shower cupcake toppers for baby shower", + "cupcake toppers baby shower for baby shower", + "cupcake toppers baby shower baby shower" + ], + "i am looking for a mini mak spotting scope smart phone adapter that is easy to use and comes with a carrying case.": [ + "mini mak spotting scope smart phone adapter", + "mini mak spotting scope smart phone adapter with carrying case", + "mini mak spotting scope smart phone adapter with a carrying case", + "mini mak spotting scope smart phone adapter in a carrying case", + " mini mak spotting scope smart phone adapter with carrying case", + "mini mak spotting scope smart phone adapter, carrying case", + " mini mak spotting scope smart phone adapter", + "mini mak spotting scope smart phone adapter, carrying case,", + "mak spotting scope smart phone adapter", + "tablet smart phone adapter" + ], + "i am looking for 4ft black color triple h mist spray needle sleeve t-shirt for youth": [ + "4ft black color triple h mist spray needle sleeve t-shirt for youth", + "4ft black color triple h mist spray needle sleeve t-shirt for youth", + "4ft black triple h mist spray needle sleeve t-shirt for youth", + "4ft white triple h mist spray needle sleeve t-shirt for youth", + "4ft yellow triple h mist spray needle sleeve t-shirt for youth", + "4ft x 4ft triple h mist spray needle sleeve t-shirt for youth", + "4ft black color triple h mist spray needle sleeve t-shirt", + "4ft triple h mist spray needle sleeve t-shirt for youth", + "4ft black triple h mist spray needle sleeve t-shirt for youth", + "4ft m black color triple h mist spray needle sleeve t-shirt for youth" + ], + "entatial aluminum alloy ball head, camera tripod ball head. find and let me know": [ + "entatial aluminum alloy ball head, camera tripod ball head", + "entatial aluminum alloy ball head camera tripod ball head", + "entatial aluminum alloy ball head", + "entatial aluminum alloy ball head with camera tripod ball head", + "entatial aluminum alloy ball head that is camera tripod ball head", + "entatial aluminum alloy ball head. find and let me know", + "entatial aluminum alloy ball head camera tripod", + "entatial aluminum alloy ball head for camera tripod ball head", + "entatial aluminum alloy ball head tripod ball head", + "entatial aluminum alloy ball head, camera tripod" + ], + "i am looking for adidas men's synthetic sole running shoe, also blue one and 5.5 sized": [ + "antidas mens synthetic sole running shoe, also blue, 5.5 sized", + "antidas mens synthetic sole running shoe, also blue one and 5.5 sized", + "an adidas mens synthetic sole running shoe, also blue, 5.5 sized", + "adidas mens synthetic sole running shoe, also blue, 5.5 sized", + "im looking for adidas mens synthetic sole running shoe, also blue and 5.5 sized", + "im looking for adidas mens synthetic sole running shoe, also blue, 5.5 sized", + "antidas mens synthetic sole running shoe 5.5 sized", + "antidas mens synthetic sole running shoe, also blue", + "antidas mens synthetic sole running shoe", + "a mens synthetic sole running shoe, also blue" + ], + "i am looking for a black women\u2019s loose fit tank top.": [ + "black women loose fit tank top", + "womens loose fit tank top", + "black women\u2019s loose fit tank", + "womens loose fit tank top black", + "black woman loose fit tank top", + "womens loose fit tank top.", + "tank top black women loose fit", + "black women loose fit tank top.", + "woman loose fit tank top", + "tank top black women" + ], + "i would like to buy xx-large men's shorts with an elastic waist and want them to be dark blue.": [ + "xxl mens shorts with an elastic waist dark blue", + "xx-large mens shorts with an elastic waist", + "xx-large mens shorts with elastic waist dark blue", + "xx-large mens shorts dark blue", + "xx-large mens shorts elastic waist dark blue", + "xx-large mens shorts", + "xxl mens shorts dark blue", + "xxl mens shorts with an elastic waist", + "xx-large mens shorts in dark blue", + "xx-large mens shorts, dark blue" + ], + "i would like a four ounce tube of fluoride free toothpaste.": [ + "4 ounce tube of fluoride free toothpaste", + "four ounce tube of fluoride free toothpaste", + "fluoride free toothpaste four ounce", + "fluoride free toothpaste four oz", + "three ounce tube of fluoride free toothpaste", + "fluoride free toothpaste four ounces", + "fluoride free toothpaste 4 oz", + "4 ounce fluoride free toothpaste", + "fluoride free toothpaste", + "4 oz fluoride free toothpaste" + ], + "i need a deodorant anti perspirant in travel size for women": [ + "deodorant anti perspirant travel size for women", + "dodorant anti perspirant travel size for women", + "deodorant anti perspirant travel size", + " deodorant anti perspirant travel size for women", + "deodorant anti perspirant in travel size", + "deodorant anti perspirant travel size women", + "dodorant anti perspirant travel size", + "ant anti perspirant in travel size for women", + "deodorant anti perspirant", + "deodorant anti perspirant in travel size women" + ], + "i'm looking for a monopod with carbon fiber": [ + " monopod with carbon fiber", + "pom monopod with carbon fiber", + "pompsod with carbon fiber", + "pomod with carbon fiber", + "p monopod with carbon fiber", + "pomplod with carbon fiber", + "pomone with carbon fiber", + " monopod with carbon fiber under $40", + " monopod with carbon fiber under $50", + " monopod with carbon fiber under $60" + ], + "i would like a low carb bagel.": [ + "low carb bagel", + "low carb bagel.", + "low carb bagel under $40", + "low carb bagel below $40", + "low carb bagel under $50", + "low carb bagel under $60", + "low carb bagel below $50", + "low carb bagel under 50 dollars", + "low carb bagel below $60", + "low carb bagel under 40 dollars" + ], + "i would like a 5\" navy futon mattress for my living room.": [ + "5 navy futon mattress for my living room", + "5 navy futon mattress for living room", + "5 navy futon mattress for the living room", + "5 navy futon mattress", + "5 navy futon mattress for a living room", + "5 navy futon mattress living room", + "5 navy futon mattress in my living room", + "5 navy futon mattress for living room.", + "5 navy futon mattress in a living room", + "5 navy futon mattress, living room" + ], + "i would like a single beige spade bed that is water resistant.": [ + "single beige spade bed that is water resistant", + "single beige spade bed", + "single beige spade bed, water resistant", + "single beige spade bed with water resistant", + "single beige spade bed water resistant", + "single beige spade bed, water resistant,", + "single beige spade bed under $40", + "single beige spade bed under $50", + "single beige spade bed water resistant", + "single beige spade bed under $60" + ], + "i am looking for shampoo for damaged hair for men and women with argan oil, which is easy to use, with scented cleansing soap.": [ + "shampoo for damaged hair for men and women with argan oil", + "shampoo for damaged hair men and women with argan oil", + "shampoo for damaged hair for men and women with argan oil with scented cleansing soap", + "shampoo for damaged hair men and women with argan oil with scented cleansing soap", + "shampoo for damaged hair with argan oil", + "shampoo for damaged hair for men and women with argan oil, scented cleansing soap", + "shampoo for damaged hair that is easy to use with scented cleansing soap", + "shampoo for damaged human hair with argan oil", + "shampoo for damaged hair men and women with argan oil with scented cleansing", + "shampoo for damaged hair" + ], + "i would like a 14 ounce caramel lovers taffy that is gluten free.": [ + "12 ounce caramel lovers taffy", + "14 ounce caramel lovers taffy", + "baramel lovers taffy 14 ounce gluten free", + "baramel lovers taffy that is gluten free", + "14 ounce caramel lovers taffy gluten free", + "12 ounce caramel lovers taffy gluten free", + "almond lovers taffy 14 ounce gluten free", + "caramel lovers taffy 14 ounce gluten free", + "baramel lovers taffy 14 ounce", + "strawberry lovers taffy 14 ounce" + ], + "multifunction charger fast charging usb port": [ + "multifunction charger fast charging usb port", + "multifunction charger fast charging usb port under $40", + "multifunction charger fast charging usb port under $50", + "multifunction charger fast charging usb port under $60", + "multifunction charger fast charging usb port under $130", + "multifunction charger fast charging", + "multifunction charger fast charging usb port under 50 dollars", + "multifunction charger fast charging usb port under $120", + "multifunction charger fast charging usb port for charging", + "multifunction charger fast charging usb port," + ], + "i am interested in buying body scrubs for dead skin which have bamboo & charcoal acne face wash scent and come at size of 10.14 fl oz.": [ + "body scrubs for dead skin which have bamboo & charcoal acne face wash scent", + "body scrubs for dead skin with bamboo & charcoal acne face wash scent", + "body scrubs for dead skin bamboo & charcoal acne face wash scent 10.14 fl oz", + "body scrubs for dead skin, bamboo & charcoal acne face wash scent, 10.14 fl oz", + "body scrubs for dead skin whose bamboo & charcoal acne face wash scent is 10.14 fl oz", + "body scrubs for dead skin bamboo & charcoal acne face wash scent", + "body scrubs for dead skin that are bamboo & charcoal acne face wash scent", + "body scrubs for dead skin", + "body scrubs for dead skin, bamboo & charcoal acne face wash scent, 10.14 fl oz,", + "body scrubs for dead skin, bamboo & charcoal acne face wash scent, 10.14 fl oz." + ], + "i'm looking for an ottoman for my living room with metal legs and beige upholstery.": [ + "oatoman for living room with metal legs and beige upholstery", + "oatoman for my living room with metal legs and beige upholstery", + "oatoman for the living room with metal legs and beige upholstery", + "oatoman living room with metal legs and beige upholstery", + "oatoman living room metal legs and beige upholstery", + "oatoman for living room metal legs and beige upholstery", + "oatoman for a living room with metal legs and beige upholstery", + "oatoman living room metal legs with beige upholstery", + "oatoman for living room with metal legs, beige upholstery", + "oatoman for living room with metal legs and beige upholstery." + ], + "i would like a round vanity light for the living room.": [ + "round vanity light for the living room", + "round vanity light for living room", + "round vanity light living room", + "living room round vanity light", + "round vanity light for living room.", + "square vanity light for living room", + "square vanity light for the living room", + "round vanity light in the living room", + "square vanity light living room", + "round vanity light in living room" + ], + "i'm looking for women's over the knee boot.": [ + "womens over the knee boot", + "womens over the knee boot.", + "womens under the knee boot", + "womens knee boot", + "womens over the knee boot,", + "womens in a knee boot", + "womens over knee boot", + "womens leg boot", + "womens knee boot.", + "womens" + ], + "i would like a five pound bag of non gmo seeds": [ + "5 pound bag of non gmo seeds", + "five pound bag of non gmo seeds", + "5 pound bag of non-gmo seeds", + "bag of non gmo seeds", + "a five pound bag of non gmo seeds", + "non gmo seeds 5 pound bag", + "three pound bag of non gmo seeds", + "non gmo seeds five pound bag", + "5 pound bag of non gmo seeds,", + "bag of non gmo seeds 5 pound" + ], + "i am looking for black color heavy duty protective cover for phone 13 pro": [ + "black heavy duty protective cover for phone 13 pro", + "black phone 13 pro heavy duty protective cover", + "black heavy duty protective cover phone 13 pro", + "black color heavy duty protective cover phone 13 pro", + "black light duty protective cover for phone 13 pro", + "black duty protective cover for phone 13 pro", + "black solid duty protective cover for phone 13 pro", + "black phone 13 pro protective cover", + "large duty protective cover for phone 13 pro", + "black mobile phone case heavy duty protective cover" + ], + "i would like a bookcase that is made of engineered wood": [ + "engineered wood bookcase", + "wood bookcase made of engineered wood", + "bookcase made of engineered wood", + "wood bookcase made from engineered wood", + "teeth made of engineered wood", + "a bookcase made of engineered wood", + "Bookcase made of engineered wood", + " bookcase made of engineered wood", + "bookcase made from engineered wood", + "teeth made of engineered wood bookcase" + ], + "i am looking for hand crafted gourmet frozen appetizer.": [ + "hand crafted gourmet frozen appetizer", + "hand crafted gourmet frozen appetizer.", + "hand crafted gourmet frozen appetizer under $40", + "hand crafted gourmet frozen appetizer under $60", + "hand crafted gourmet frozen appetizer under 50 dollars", + "hand crafted gourmet frozen appetizer under $50", + "hand crafted gourmet frozen appetizer under 60 dollars", + "hand crafted gourmet frozen appetizer under 30 dollars", + "hand crafted gourmet frozen appetizer under 40 dollars", + "hand crafted gourmet frozen appetizer under 120 dollars" + ], + "i want a new formuler z10 pro max android 10 dual band ring.": [ + "formuler z10 pro max android 10 dual band ring", + "a new formuler z10 pro max android 10 dual band ring", + "usuler z10 pro max android 10 dual band ring", + "sportuler z10 pro max android 10 dual band ring", + "a formuler z10 pro max android 10 dual band ring", + "formuler z10 pro max android 10 dual band ring.", + "formuler z10 pro max android 10 dual band ring,", + "a formuler z10 pro max android 10 dual band ring.", + "alarm ring z10 pro max android 10", + "alarm ring" + ], + "i would like a high definition surveillance dvr kit.": [ + "high definition surveillance dvr kit", + "high definition surveillance dvr kit.", + "high definition surveillance dvr kit under $50", + "high definition surveillance dvr kit under $40", + "high definition surveillance dvr kit under $60", + "low definition surveillance dvr kit", + "high definition surveillance dvr kit under 50 dollars", + "high definition surveillance dvr kit under $120", + "high definition surveillance dvr kit under $130", + "high definition surveillance dvr kit," + ], + "i would like a 29 wide by 63 tall brown roller shade that is easy to install.": [ + "29 wide by 63 tall brown roller shade", + "28 wide by 63 tall brown roller shade", + " 29 wide by 63 tall brown roller shade", + "27 wide by 63 tall brown roller shade", + "comfortable 29 wide by 63 tall brown roller shade", + "30 wide by 63 tall brown roller shade", + "23 wide by 63 tall brown roller shade", + "29 wide by 63 tall brown roller shade under $60", + "29 wide by 63 tall brown roller shade under $40", + "28 wide by 63 tall brown roller shade under $40" + ], + "i would like a makeup palette that is easy to clean and is red": [ + "beauty palette that is easy to clean red", + "beauty palette easy to clean red", + "easy clean makeup palette red", + "easy to clean makeup palette that is red", + "pink makeup palette easy to clean and red", + "easy to clean makeup palette red", + "easy clean makeup palette that is red", + "pink makeup palette easy to clean red", + "moisturizing palette red", + "beauty palette red" + ], + "i would like a 8 ft 6 in x 12 ft rectangular navy rug for my living room.": [ + "8 ft 6 in x 12 ft rectangular navy rug", + "8 ft 6 x 12 ft rectangular navy rug", + "8 ft 6 x 12 ft rectangular navy rug for living room", + "8 ft 6 in x 12 ft rectangular navy rug living room", + "8 ft 6 in x 12 ft navy rug", + "8 ft 6 in x 12 ft navy rug for living room", + "8 ft 6 in x 12 ft square navy rug", + "8 ft 6 ft 12 ft rectangular navy rug", + "8 ft 6 x 12 ft navy rug", + "square navy rug for living room" + ], + "i would like a 6 foot long snake cable for blu ray.": [ + "6 foot long snake cable for blu ray", + "6 foot long snake cable for blu-ray", + "6 foot long snake cable blu-ray", + "6 foot long snake cable for blu ray.", + "6 foot long snake cable blu ray", + "6 foot long snakes cable for blu ray", + "6 foot long snake cable", + "6 foot long snake cable for bluray", + "6 foot long snakes cable for blu-ray", + "6 foot long snake cable for blu -ray" + ], + "my sister needs a long-sleeve hoodie dress for casual daily wear; she is an extra large size.": [ + "long-sleeve hoodie dress", + "large long-sleeve hoodie dress", + "short-sleeve hoodie dress", + "hoodie dress for casual daily wear", + "hoodie dress extra large", + "large hoodie dress", + "short sleeve hoodie dress", + "hoodie dress", + "long-sleeve hoodie", + "lens hoodie dress" + ], + "i am interested in buying a pack of 1, bpa free dental guard with a storage case.": [ + "pack of 1, bpa free dental guard", + "pack of 1 bpa free dental guard", + "pack of 1 bpa free dental guard with storage case", + "bag of 1, bpa free dental guard", + "a pack of 1, bpa free dental guard", + "pack of 1 bpa free dental guard, storage case", + "pack of 1 with bpa free dental guard", + "pack of 1, bpa free dental guard,", + "bag of 1 bpa free dental guard", + "bpa free dental guard" + ], + "i want a 5 ounce hotter n hot jalapeno kosher certified chips.": [ + "5 ounce hotter n hot jalapeno kosher certified chips", + "hot jalapeno kosher certified chips", + "hot jalapeno kosher certified chips 5 oz", + "tempered n hot jalapeno kosher certified chips", + "hot jalapeno kosher certified chips 5 ounce", + "5 ounce hot jalapeno kosher certified chips", + "hot jalapeno kosher certified chips 5 ounce hotter n", + "hot jalapeno kosher certified chips below $40", + "hot jalapeno kosher certified chips below $50", + "hot jalapeno kosher certified chips below $60" + ], + "i need a dresser that is easy to assemble and is the color b": [ + "easy assemble dresser color b", + "easy to assemble dresser color b", + "easy assemble dresser in color b", + "easy to assemble dresser in color b", + "easy assemble and color b dresser", + "easy to assemble dresser in the color b", + "dressinger that is easy to assemble in color b", + "dressinger that is easy to assemble color b", + "easy assemble dresser that is easy to assemble", + "easy assemble dresser" + ], + "i am looking for a 2.1 ounce (pack of 4) of gluten free and non gmo candy & chocolate bars": [ + "2.1 ounce (pack of 4) of gluten free and non gmo cand & chocolate bars", + "2.1 ounce (pack of 4) of gluten free and non gmo candy & chocolate bars", + "2.1 ounce (pack of 4) gluten free and non gmo candy & chocolate bars", + "2.1 ounce (pack of 4) of gluten free non gmo candy & chocolate bars", + "2.1 ounce (pack of 4) of gluten free and non gmo chocolate bars", + "gluten free and non gmo candy & chocolate bars 2.1 oz", + "gluten free and non gmo candy & chocolate bars", + "gluten free and non gmo candy & chocolate bars 2.1 oz", + "bag of 4 gluten free and non gmo candy & chocolate bars", + "gluten free and non gmo candy & chocolate bar" + ], + "i am looking for a four count variety pack of chocolate bars that are non gmo.": [ + "4 count variety pack of chocolate bars", + "4 count variety pack of chocolate bars non gmo", + "4 count variety pack of chocolate bar", + "four count variety pack of chocolate bars", + "4 count variety pack of chocolate bar non gmo", + "4 count variety pack of chocolate bars no gmo", + "pack of chocolate bars that are non gmo", + "chocolate bars non gmo four count", + "pack of chocolate bars non gmo", + "chocolate bar variety pack" + ], + "i am looking for some nut free raspberry snack bars.": [ + "nut free raspberry snack bars", + "nut free raspberry snack bar", + "nut free raspberry snack bars under $40", + "nut free raspberry snack bars.", + "nut free raspberry snack bars under $60", + "nut free raspberry snack bars under $50", + "nut free raspberry snack bars under 50 dollars", + "pack of nut free raspberry snack bars", + "nut free raspberry snack bar under $40", + "nut free raspberry snack bars under 40 dollars" + ], + "i'm looking for a pair of men's golf shoes in a seven and a half size that are easy to care for.": [ + "mens golf shoes in a seven and a half size", + "mens golf shoes in a 7 and a half size", + "mens golf shoes in a size 7 and a half", + "mens golf shoes in a seven and a half", + "mens golf shoes that are easy to care for", + "mens golf shoes in a seven and a half foot", + "mens golf shoes size 7.5", + "mens golf shoes 7 and a half size", + "mens golf shoes seven and a half size", + "mens golf shoes 7 and a half" + ], + "i want to buy cupcake toppers which are suitable for valentine day and have a red color.": [ + "cupcake toppers red valentine day", + "cupcake toppers suitable for valentine day in red", + "cupcake toppers suitable for valentine day red", + "cupcake toppers red for valentine day", + "cupcake toppers for valentine day red", + "cupcake toppers suitable for valentine day, red", + "cupcake toppers suitable for valentine day", + "cupcake toppers red", + "cupcake toppers with red color", + "cupcake toppers red valentine" + ], + "i am looking for a 2-4y size of manual toothbrushes for sensitive teeth": [ + "2-4y size of manual toothbrushes for sensitive teeth", + "two-4y size of manual toothbrushes for sensitive teeth", + "manual toothbrushes for sensitive teeth 2-4y", + "1-4y size of manual toothbrushes for sensitive teeth", + "2-4y manual toothbrushes for sensitive teeth", + "manual toothbrushes for sensitive teeth", + "2-4y size of manual toothbrushes", + " 2-4y size of manual toothbrushes for sensitive teeth", + "1-4y manual toothbrushes for sensitive teeth", + "two-4y manual toothbrushes for sensitive teeth" + ], + "i would like a pair of size 8.5 red slippers with a rubber sole.": [ + "red slippers with a rubber sole", + "red slippers size 8.5 rubber sole", + "red slippers size 8.5", + "two red slippers with a rubber sole", + "pair of size 8.5 red slippers", + "shoes size 8.5 rubber sole", + "red slippers 8.5 rubber sole", + "red slippers with rubber sole", + "red slippers size 8.5 with rubber sole", + "size 8.5 red slippers with rubber sole" + ], + "i need you to find this women's long-sleeved tie-dye printed pajamas, color: b2-orange, size medium. i want to give it as a gift to a friend.": [ + "womens long-sleeved tie-dye printed pajamas, color b2-orange", + "womens long-sleeved tie-dye printed pajamas", + "womens long-sleeved tie-dye printed pajamas, size medium", + "womens long-sleeved tie-dye printed pajamas b2-orange", + "womens long-sleeved tie-dye printed pajamas size medium", + "womens long-sleeved tie-dye printed pajamas in b2-orange", + "womens long-sleeved tie-dye printed pajamas in a b2-orange", + "womens long-sleeved tie-dye printed pajamas, b2-orange", + "womens long-sleeved tie-dye printed pajamas in a size medium", + "womens long-sleeved b2-orange pajamas" + ], + "i would like a 18 fluid ounce bottle of natural hair gel.": [ + "18 fluid ounce bottle of natural hair gel", + "18oz natural hair gel", + " 18 fluid ounce bottle of natural hair gel", + "18 fluid ounce bottle natural hair gel", + "17 fluid ounce bottle of natural hair gel", + "natural hair gel 18 fluid ounce", + "18 oz natural hair gel", + "18oz natural hair gel 18 oz", + "natural hair gel 18 oz", + "natural hair gel 18oz" + ], + "i need a gm workout tee that is pink": [ + "gm workout tee that is pink", + "gm workout tee pink", + "gm workout tee", + "pink gm workout tee", + "gm workout tee, pink", + "pink workout tee that is pink", + "gm workout tee in pink", + "gm workout tee pink", + "gm workout tee with pink", + "pink workout tee" + ], + "i need a 2 fl oz alcohol free wash": [ + "2 fl oz alcohol free wash", + "2 fl oz alcohol free wash under $40", + "2 fl oz alcohol free wash under $50", + "2 fl oz alcohol free wash under $60", + "2fl oz alcohol free wash", + "2 fl oz alcohol free wash below $40", + " 2 fl oz alcohol free wash", + "2 fl oz alcohol free wash under 50 dollars", + "2 fl oz alcohol free wash below $50", + "2 fl oz alcohol free wash 2 oz" + ], + "am looking for the gluten free louisiana pepper exchange with cayenne pepper puree flavor": [ + "gluten free louisiana pepper exchange with cayenne pepper puree flavor", + "gluten free louisiana pepper exchange", + "gluten free louisiana pepper exchange with cayenne pepper puree", + "gluten free louisiana pepper exchange, cayenne pepper puree flavor", + "gluten free louisiana pepper exchange cayenne pepper puree flavor", + "gluten free loungeisiana pepper exchange with cayenne pepper puree flavor", + "gluten free louisiana pepper exchange that is gluten free", + "gluten free louisiana pepper exchange flavor", + "gluten-free louisiana pepper exchange", + "gluten free louisiana pepper exchange blend" + ], + "i would like a 34 wide by 32 long pair of stone straight leg pants.": [ + "33 wide by 32 long stone straight leg pants", + "33 wide by 32 long pair of stone straight leg pants", + " 34 wide by 32 long pair of stone straight leg pants", + "34 wide by 32 long pair of stone straight leg pants", + " 34 wide by 32 long stone straight leg pants", + "34 wide by 32 long stone straight leg pants", + "brushed leg pants 34 wide by 32 long", + "teeth 34 wide by 32 long stone straight leg pants", + "32 wide by 32 long stone straight leg pants", + "teeth 34 wide by 32 long" + ], + "i want to buy cupcake toppers which are suitable for birthday party cupcakes and with a pattern of rg 80.": [ + "cupcake toppers suitable for birthday party cupcakes with a pattern of rg 80", + "cupcake toppers suitable for birthday party cupcakes and with a pattern of rg 80", + "cupcake toppers with a pattern of rg 80", + "cupcake toppers suitable for birthday party cupcakes with a pattern of rg 80.", + "cupcake toppers suitable for baby shower cupcakes with a pattern of rg 80", + "cupcake toppers suitable for birthday party cupcakes pattern of rg 80", + "cupcake toppers pattern of rg 80", + "cupcake toppers suitable for birthday party cupcakes, pattern of rg 80", + "cupcake toppers with pattern of rg 80", + "cupcake toppers suitable for birthday party cupcakes with a pattern of rg 80," + ], + "i would like a 42 wide by 63 long blush window panel that is machine washable.": [ + "42 wide by 63 long blush window panel", + "window panel 42 wide by 63 long", + " 42 wide by 63 long blush window panel", + "window panel that is machine washable", + "window panel that is machine washable 42 wide by 63", + "40 wide by 63 long blush window panel", + "window panel 42 wide by 63 long, machine washable", + "42 wide by 63 long blush window panel under $50", + "42 wide by 63 long blush window panel under $40", + "38 wide by 63 long blush window panel" + ], + "i am looking for an easy to install wall mounted cd player.": [ + "easy to install wall mounted cd player", + "easy to install wall mounted cd player.", + "wall mounted cd player", + "wall mounted cd player easy to install", + "womens wall mounted cd player", + "womens cd player easy to install", + "living room cd player easy to install", + "5 ft wall mounted cd player", + "living room wall mounted cd player", + "living room cd player" + ], + "i am looking for medium size men's hiking shorts having elastic waistband.": [ + "medium size mens hiking shorts with elastic waistband", + "medium size mens hiking shorts having elastic waistband", + "medium size mens hiking shorts, elastic waistband", + "mens hiking shorts with elastic waistband", + "medium mens hiking shorts with elastic waistband", + "mens hiking shorts with elastic waistband", + "medium size mens hiking shorts", + "mens hiking shorts having elastic waistband", + "medium hiking shorts with elastic waistband", + "medium size mens hiking shorts with elastic waist" + ], + "i want to buy a shirt for men which is easy care and has long sleeves, also it should be black color and have a size of x-large big tall.": [ + "easy care black shirt for men x-large big tall", + "easy care shirt for men x-large big tall", + "easy care black shirt for men x-large", + "easy care black men shirt x-large big tall", + "black shirt for men x-large big tall", + "easy care black shirt for men x-large long sleeves", + "easy care black t-shirt for men x-large", + "easy care black shirt for men", + "black shirt for men x-large x-l", + "easy care black shirt for men x-large xl" + ], + "i want icelandic provisions yogurt with real fruit.": [ + "i want icelandic provisions yogurt with real fruit, and price lower than 50.00 dollars", + "i want icelandic provisions yogurt with real fruit.", + "i want icelandic provisions yogurt with real fruit, and price lower than 40.00 dollars", + "i want icelandic provisions yogurt with real fruit, and price lower than 60.00 dollars", + "i want icelandic provisions yogurt with real fruit, and price lower than 140.00 dollars", + "i want icelandic provisions yogurt with real fruit, and price lower than 70.00 dollars", + "i want icelandic provisions yogurt with real fruit, and price lower than 100.00 dollars", + "i want icelandic provisions yogurt with real fruit, and price lower than 30.00 dollars", + "i want icelandic provisions yogurt with real fruit, and price lower than 120.00 dollars", + "i want icelandic provisions yogurt with real fruit, and price lower than 20.00 dollars" + ], + "i want a monocular telescope for bird watching": [ + "monocular telescope for bird watching", + "monocular telescope bird watching", + "monocular telescope for bird watching under $40", + "monocular telescope for bird watching under $50", + "monocular telescope for bird watching under $60", + "monocular telescope bird watching under $40", + "monocular telescope bird watching under $50", + "monocular telescope, bird watching", + "monocular telescope that bird watching", + "monocular telescope" + ], + "i would like a adult sized 4 pack of hermosa pink chairs for the living room.": [ + "adult sized 4 pack of hermosa pink chairs for living room", + "adult sized 4 pack of hermosa pink chairs", + "adult sized 4 pack of hermosa pink chairs living room", + "adult sized 4 pack of pink chairs for the living room", + "adult sized 4 pack of hermosa pink chairs, living room", + "adult sized 4 pack of pink chairs for the living room.", + "adult sized 4 pack of pink chairs for the living room", + "adult sized 4 pack of hermosa pink chairs for dining room", + "adult sized 4 pack of hermosa pink chairs living room.", + "adult sized 4 pack of hermosa pink dining room chairs" + ], + "|i am looking for 4x-large men's fashion black color regulat fit suit jackets": [ + "4xl mens fashion black color regulat fit suit jackets", + "4xl mens fashion black color regulat fit suit jacket", + "4 xl mens fashion black color regulat fit suit jackets", + "4 x-large mens fashion black color regulat fit suit jackets", + " 4xl mens fashion black color regulat fit suit jackets", + "4xl mens black color regulat fit suit jackets", + "4xl mens fashion black color regulat fit suit jackets,", + "4x-large mens fashion black color regulat fit suit jackets", + "4xl mens fashion black color regulat fit suit", + "4xl mens fashion black" + ], + "i want a wall mounted europe style round decorative mirror.": [ + "wall mounted europe style round decorative mirror", + "wall mounted europe style round decorative mirror.", + "womens wall mounted europe style round decorative mirror", + "wall mounted europe style round decorative mirror under 30 dollars", + "wall mounted europe style round decorative mirror under 50 dollars", + "wall mounted europe style round decorative mirror under $40", + "wall mounted europe style round decorative mirror under $50", + "walls mounted europe style round decorative mirror", + "wall mounted europe style round decorative mirror,", + " wall mounted europe style round decorative mirror" + ], + "i am looking for a large european made lead free candle for my living room.": [ + "large european made lead free candle for living room", + "large european made lead free candle", + "large european made lead free candle living room", + "large european made lead free candle for dining room", + "large european candle for living room", + "small european made lead free candle for living room", + "large european candle", + "teeth free candle for living room", + "large european candles", + "pink candle for living room" + ], + "i am looking for cruelty free wet n wild lip balm in the color 'no more drama'.": [ + "cruelty free wet n wild lip balm", + "cruelty free wet n wild lip balm no more drama", + "cruelty free wild lip balm", + "cruelty free wild lip balm no more drama", + "cruelty free wet n wild lip balm under $40", + "cruelty free wet n wild lip balm under $50", + "cruelty free wet n wild lip balm with no drama", + "cruelty free wet n wild lip balm under $60", + "cruelty free wet n wild lip balm color", + "cruelty free n wild lip balm" + ], + "i am looking for wall mounted black metal coat hanger and hat tree rack.": [ + "wall mounted black metal coat hanger and hat tree rack", + "wall mounted black metal coat hanger, hat tree rack", + "wall mounted black metal coat hanger and hat tree rack.", + "wall mounted black metal coat hanger and hat tree rack,", + "wall mounted black metal coat hanger in a tree rack", + "wall mounted black metal coat hanger", + "wall mounted black metal coat hanger under $40", + "wall mounted black metal coat hanger under $50", + " wall mounted black metal coat hanger and hat tree rack", + "wall mounted black metal coat hanger under $60" + ], + "i am looking for a pair of women's purple house slippers with memory foam and faux fur.": [ + "womens purple house slippers with memory foam", + "womens purple house slippers with memory foam faux fur", + "womens purple house slippers", + "mens purple house slippers with memory foam and faux fur", + "pink house slippers with memory foam and faux fur", + "mens purple house slippers with memory foam", + "pink house slippers with memory foam", + "tempered purple house slippers with memory foam", + "living room slippers with memory foam", + "woman slippers with memory foam" + ], + "i want a living room traditional vintage shabby chic standing floor lamp with a linen shade.": [ + "living room traditional vintage shabby chic standing floor lamp with a linen shade", + "living room traditional vintage shabby chic standing floor lamp", + "living room modern vintage shabby chic standing floor lamp with a linen shade", + "living room style vintage shabby chic standing floor lamp with a linen shade", + "living room classic vintage shabby chic standing floor lamp with a linen shade", + "living room traditional vintage shabby chic walking floor lamp with a linen shade", + "living room traditional vintage shabby chic standing floor lamp with linen shade", + "living room traditional vintage shabby chic standing floor lamp, linen shade", + "living room traditional vintage shabby chic living room lamp with a linen shade", + "living room traditional vintage shabby chic living room floor lamp" + ], + "i am looking for a low carb, high protein meal replacement bar in the flavor of dark chocolate s'mores.": [ + "low carb, high protein meal replacement bar flavor of dark chocolate smores", + "low carb, high protein meal replacement bar", + "low carb high protein meal replacement bar flavor of dark chocolate smores", + "low carb high protein meal replacement bar, dark chocolate smores", + "low carb high protein meal replacement bar", + "low carb, high protein meal replacement bar, dark chocolate smores", + "low carb, high protein meal replacement bar under $40", + "low carb high protein meal replacement bar in the flavor of chocolate smores", + "low carb, high protein meal replacement bar under $60", + "low carb high protein meal replacement bar under $40" + ], + "the success of my diet depends on this product!!! bestmed - high protein peaunt nutritional bar - low-carb, 15g protein, low sugar, i need to find help.": [ + "paunt nutritional bar low-carb 15g protein", + "paunt nutritional bar low-carb, 15g protein", + "bestmed - high protein peaunt nutritional bar", + "paunt nutritional bar - low-carb 15g protein", + "paunt nutritional bar low-carb", + "bestmed - high protein peaunt nutritional bar", + "paunt nutritional bar low-carb keto", + "paunt nutritional bar - low-carb", + "paunt nutritional bar low sugar", + "paunt nutritional bar" + ], + "i would like to buy winter boots for women which are made of quality materials and are in khaki color, as for the size they should be 9.": [ + "winter boots for women made of quality materials", + "winter boots for women in khaki color 9", + "winter boots for women 9 in khaki color", + "winter boots for women in khaki color", + "winter boots for women size 9", + "winter boots for women made of quality materials 9", + "winter boots for women 9", + "winter boots for women", + "winter boots for women 9.5", + "winter boots 9" + ], + "i'm looking for organic shampoo for thinning hair and hair loss.": [ + "organic shampoo for thinning hair and hair loss", + "organic shampoo thinning hair and hair loss", + "organic shampoo for thinning hair with hair loss", + "organic shampoo for thinning hair", + "organic shampoo for thinning hair, hair loss", + "natural shampoo for thinning hair and hair loss", + "organic shampoo, thinning hair and hair loss", + "organic shampoo for thinning hair hair", + "organic shampoo thinning hair", + "organic shampoo" + ], + "i'm looking for a candy heart shaped covered by chocolate for valentine day": [ + "candy heart shaped covered by chocolate valentine day", + "chocolate heart shaped covered by chocolate valentine day", + "candy heart shaped covered by chocolate for valentine day", + "caramel heart shaped covered by chocolate valentine day", + "synthetic heart shaped covered by chocolate valentine day", + " candy heart shaped covered by chocolate valentine day", + "cupcake heart shaped covered by chocolate valentine day", + "gift heart shaped covered by chocolate valentine day", + "cruelty heart shaped covered by chocolate valentine day", + "pink heart shaped covered by chocolate valentine day" + ], + "i need a-5 pairs of false eyelashes. it should be easy to apply.": [ + "5 false eyelashes", + "a-5 false eyelashes", + "5 false eyelashes under $50", + "5 false eyelashes, easy to apply", + "5 false eyelashes under $40", + "a-5 pairs of false eyelashes", + "5 false eyelashes under $60", + "5 false eyelashes easy to apply", + "false eyelashes a-5", + "4 false eyelashes" + ], + "i would like a goddess treasure eyeshadow that is cruelty free.": [ + "g goddess treasure eyeshadow that is cruelty free", + " goddess treasure eyeshadow that is cruelty free", + "goddess treasure eyeshadow cruelty free", + " goddess treasure eyeshadow cruelty free", + "g goddess treasure eyeshadow cruelty free", + "giant treasure eyeshadow that is cruelty free", + "glamorous eyeshadow that is cruelty free", + "garden eyeshadow that is cruelty free", + "giant treasure eyeshadow cruelty free", + " goddess treasure eyeshadow that is cruelty free." + ], + "i'm looking for a scented facial moisturizer anti aging": [ + "scented facial moisturizer anti aging", + "sented facial moisturizer anti aging", + "scent facial moisturizer anti aging", + " scented facial moisturizer anti aging", + "shampoo scented facial moisturizer anti aging", + "i scented facial moisturizer anti aging", + "sconce facial moisturizer anti aging", + "moisturizer anti aging", + "shoes moisturizer anti aging", + "moisturizer anti aging scented" + ], + "i am interested in buying wall mounted lights which have nickel finish and satin nickel color, and i want 5 of them.": [ + "wall mounted lights with nickel finish satin nickel color", + "wall mounted lights with nickel finish and satin nickel color", + "wall mounted lights with nickel finish satin nickel color 5", + "wall mounted lights nickel finish satin nickel color", + "wall mounted lights with satin nickel color", + "wall mounted lights with nickel finish satin nickel", + "wall mounted lights with nickel finish", + "wall mounted lights, satin nickel color", + "wall mounted lights satin nickel color", + "wall mounted lights" + ], + "i am looking for a pair of women's size 5.5 flat shoes with a synthetic sole.": [ + "womens size 5.5 flat shoes", + "womens size 5.5 flat shoes with synthetic sole", + "mens size 5.5 flat shoes with a synthetic sole", + "mens size 5.5 flat shoes with a synthetic sole", + "womens size 5.5 flat shoes, synthetic sole", + "size 5.5 flat shoes with a synthetic sole", + "woman size 5.5 flat shoes with a synthetic sole", + "womens size 5.5 flat shoes synthetic sole", + "mens size 5.5 flat shoes", + "mens size 5.5 flat shoes" + ], + "i am interested in buying a deodorant for body which is paraben free and is suitable for sensitive skin, and has a scent of bay rum.": [ + "deodorant for body paraben free and is suitable for sensitive skin, and has a scent of bay rum", + "deodorant for body which is paraben free and is suitable for sensitive skin with a scent of bay rum", + "deodorant for body which is paraben free, suitable for sensitive skin, and has a scent of bay rum", + "deodorant for body, paraben free and is suitable for sensitive skin, and has a scent of bay rum", + "deodorant for body with paraben free and is suitable for sensitive skin, and has a scent of bay rum", + "deodorant for body paraben free and is suitable for sensitive skin with a scent of bay rum", + "deodorant for body with a scent of bay rum", + "deodorant for body with paraben free scent", + "deodorant for body whose scent is paraben free", + "deodorant for body paraben free" + ], + "i am looking for low calorie popcorn that is unpopped": [ + "low calorie popcorn", + "low calorie popcorn unpopped", + "low calorie popcorn under $40", + "low calorie popcorn under $60", + "low calorie popcorn under 50 dollars", + "low calorie popcorn under $50", + "low calorie popcorn under 30 dollars", + "low calorie popcorn under 40 dollars", + "low calorie popcorn no sugar", + "low calories popcorn" + ], + "i want to find a set of two mesh laundry bags that i can wash my delicate items in, such as blouses and hosiery.": [ + "two mesh laundry bags", + "two mesh laundry bags,", + "set of two mesh laundry bags", + "two mesh laundry bags under $40", + "two mesh laundry bags under $50", + "two mesh laundry bags with delicate items", + "two mesh laundry bags for women", + "two mesh laundry bags under $60", + "two mesh laundry bags with blouses", + "two mesh laundry bag" + ], + "i am looking for a long handled body brush.": [ + "long handled body brush", + "long handled body brush.", + "long handled body brush under $40", + "long handled body brush under $50", + "long handled body brush under $60", + "body brush long handled", + "long handled body brush under 50 dollars", + "shoes long handled body brush", + "long handled body brush under 30 dollars", + "long handled body brush under $120" + ], + "i am looking for a pair of women's size 8.5 open toe sandals.": [ + "womens size 8.5 open toe sandals", + "mens size 8.5 open toe sandals", + "womens size 8.5 wide toe sandals", + "mens size 8.5 open toe sandals", + "woman size 8.5 open toe sandals", + "open toe sandals womens size 8.5", + "size 8.5 open toe sandals", + "womens size 8.5", + "open toe sandals size 8.5", + "open toe sandals" + ], + "i need anti slip grey running shoes": [ + "anti slip grey running shoes", + "anti slip grey running shoes under $50", + "anti slip grey running shoes under $40", + "anti slip grey running shoes under $60", + "anti slip grey running shoes under 50 dollars", + "im looking for anti slip grey running shoes", + "anti slip grey running shoes,", + "anti slip grey walking shoes", + "walking shoes anti slip grey", + "ant slip grey running shoes" + ], + "i would like to buy non gmo popcorns which can also be a perfect gift.": [ + "non gmo popcorns", + "non gmo popcorns, perfect gift", + "non gmo popcorns, a perfect gift", + "non gmo popcorns that are perfect gift", + "non gmo popcorns perfect gift", + "non gmo popcorns a perfect gift", + "non-gmo popcorns", + "non gmo popcorns perfect for a woman", + "non gmo popcorns under $50", + "gmo popcorns" + ], + "i need some cute heart-shaped glittery cupcake picks as a gift to bring to a baby shower.": [ + "cupcake picks for baby shower", + "cupcake picks for a baby shower", + "curtains glittery baby shower", + "cupcake pick for baby shower", + "cupcake pick for a baby shower", + "cupcake picks baby shower", + "baby shower glittery cupcake picks", + "cupcake picks for baby shower.", + "cupcake pick baby shower", + "cupcake picks" + ], + "i am looking for gluten free pride of india brand lentil crackers in the plain mung bean flavor.": [ + "gluten free pride of india brand lentil crackers in the plain mung bean flavor", + "gluten free pride of india brand lentil crackers in a plain mung bean flavor", + "gluten free pride of india brand lentil crackers, plain mung bean flavor", + "gluten free pride of india brand lentil crackers with a plain mung bean flavor", + "gluten free pride of india brand lentil crackers with a mung bean flavor", + "gluten free pride of india brand lentil crackers with plain mung bean flavor", + "gluten free pride of india brand lentil crackers", + "gluten free india brand lentil crackers in the plain mung bean flavor", + "gluten free pride of india brand lentil crackers flavor", + "gluten free pride of india brand lentil crackers that are plain mung bean flavor" + ], + "i'm looking for wireless bluetooth car stereo audio receiver.": [ + "wireless bluetooth car stereo audio receiver", + "wireless car stereo audio receiver", + "womens bluetooth car stereo audio receiver", + "wireless wireless bluetooth car stereo audio receiver", + "wirefreeetooth car stereo audio receiver", + " wireless bluetooth car stereo audio receiver", + "bioetooth car stereo audio receiver", + "wireless bluetooth car stereo audio receiver.", + "womens wireless bluetooth car stereo audio", + "wireless bluetooth car stereo audio" + ], + "i'm looking for a short sleeve maxi dress with high waist tummy control band. also choose medium size 11-zc4 light blue one": [ + "short sleeve maxi dress with high waist tummy control band", + "short sleeve maxi dress with high waist tummy control", + "short sleeve maxi dress 11-zc4 light blue", + "short sleeve maxi dress high waist tummy control band", + "short sleeve maxi dress, high waist tummy control band", + "short sleeve maxi dress", + "short sleeve maxi dress high waist tummy control", + "short sleeve maxi dress 11-zc4", + "short sleeve maxi dress under $40", + "short sleeve maxi dress under $50" + ], + "i want to find a white pair of one-size-fits-all men's underwear that is loose-fitting.": [ + "white men underwear loose-fitting", + "white mens underwear loose-fitting", + "white men underwear that is loose-fitting", + "white mens underwear that is loose-fitting", + "white woman underwear loose-fitting", + "white male underwear loose-fitting", + "mens underwear loose-fitting white", + "white men underwear loose-fitting under $40", + "white men underwear loose-fitting under $50", + "white men underwear loose-fitting under $60" + ], + "i am looking for a 5 pound assorted chocolate candy mix gift basket for a birthday party.": [ + "5 pound assorted chocolate candy mix gift basket for a baby shower", + "5 pound assorted chocolate candy mix gift basket for a birthday party", + "5 pound assorted chocolate candy mix gift basket", + "5 pound assorted chocolate candy mix gift basket for a girl", + "5 pound assorted chocolate candy mix gift basket for a baby", + "5 pound assorted chocolate candy mix gift basket for baby shower", + "5 pound assorted chocolate candy mix gift basket for a baby girl", + "5 pound assorted chocolate candy mix gift basket for a toddler", + "5 pound assorted chocolate candy mix gift basket for a child", + "5 pound assorted chocolate candy mix" + ], + "i am looking for rockandy peppered beef jerky ready to eat snacks in a 5 pack.": [ + "rockandy peppered beef jerky 5 pack", + "rockandy peppered beef jerky ready to eat snacks", + "rockandy peppered beef jerky in a 5 pack", + "rockandy peppered beef jerky", + "rockandy peppered beef jerky packed 5 pack", + "rockandy peppered beef jerky that is 5 pack", + "rockandy peppered beef jerky, 5 pack", + "rockandy peppered beef jerky pack 5 pack", + "rockandy peppered beef jerky 6 pack", + "rockandy peppered beef jerky 5 pack." + ], + "i need a futon set that is blue velvet": [ + "fogon set that is blue velvet", + "fogon set blue velvet", + " futon set that is blue velvet", + "futon set that is blue velvet", + "furniture set that is blue velvet", + "fuson set that is blue velvet", + "tent set that is blue velvet", + " futon set blue velvet", + "furniture set blue velvet", + "fogon set" + ], + "i need a receiver with high definition": [ + "receiver high definition", + "high definition receiver", + "high definition receiver with high definition", + "synthetic high definition receiver", + "low definition receiver with high definition", + "receiver with high definition", + "manual high definition receiver", + "low definition high definition receiver", + "low definition receiver", + "router high definition" + ], + "find me an official pokemon shirt with gengar and mewtwo, has to be washable in the machine, black in a men' large.": [ + "pink pokemon shirt with gengar and mewtwo", + "pink pomegranate shirt with gengar and mewtwo", + "official pokemon shirt with gengar and mewtwo in a men large", + "pink pok\u00e9 shirt with gengar and mewtwo", + "official pokemon shirt with gengar and mewtwo", + "professional pokemon shirt with gengar and mewtwo", + "portrait shirt with gengar and mewtwo", + "pink pokemon shirt with gengar mewtwo", + "shoes with gengar and mewtwo", + "pink pokemon shirt" + ], + "i am looking for a solid steel frame dressers": [ + "solid steel frame dressers", + "stainless steel frame dressers", + "solid steel frame dressers for women", + "solid steel frame dressers,", + " solid steel frame dressers", + "dust free frame dressers", + "clothing frame dressers", + "wood frame dressers", + "stretch dressers", + "frame dressers" + ], + "i'm looking for a protective case for the apple watch that contains a rose pink box cover.": [ + "pink apple watch case", + "pink apple watch case with a rose pink box cover", + "pink apple watch case with rose pink box cover", + "pink apple watch case with a rose pink box", + "pink apple watch case under $40", + "pink apple watch case under $50", + "pack of rose pink apple watch", + "pink apple watch watch case", + "pack of rose pink apple watch case", + "pink apple watch" + ], + "i am looking for a high quality nail polish of size 10x24.": [ + "nail polish of size 10x24", + "nude polish of size 10x24", + "10x24 nail polish", + "nail polish size 10x24", + "nude polish size 10x24", + "nude polish 10x24", + "nail polish 10x24", + "lip polish of size 10x24", + "10x24 nail polish, high quality", + "nail polish 10x24 high quality" + ], + "i am looking for some long lasting lead free prayer candles.": [ + "long lasting lead free prayer candles", + "lens free prayer candles", + "long lasting free prayer candles", + "living prayer candles long lasting", + "tempered prayer candles long lasting", + "lead free prayer candles", + "case free prayer candles", + "pink candles long lasting", + "faith candles long lasting", + "tempered prayer candles" + ], + "i am looking for keen utility men's kansas city kbf composite toe athletic shoes.": [ + "kansas city kbf composite toe athletic shoes", + "womens kansas city kbf composite toe athletic shoes", + "king mens kansas city kbf composite toe athletic shoes", + "pink kansas city kbf composite toe athletic shoes", + "kansas city kbf composite toe athletic shoes.", + "kansas kbf composite toe athletic shoes", + "ps kansas city kbf composite toe athletic shoes", + "kansas city kbf composite toe athletic shoe", + "kansas city kbf composite toe athletic shoes under $40", + "pink tennis shoes" + ], + "i need long lasting deodorant": [ + "long lasting deodorant", + "long lasting deodorant under $40", + "long lasting deodorant under $50", + "long lasting deodorant under $60", + "long lasting deodorant under 30 dollars", + "long lasting deodorant under 50 dollars", + "long lasting deodorant under 60 dollars", + "long lasting deodorant long lasting", + "long lasting deodorant under 40 dollars", + "long lasting deodorant," + ], + "i am looking for a synthetic hair ponytail extension in the color medium brown.": [ + "synthetic hair ponytail extension", + "synthetic hair ponytail extension color medium brown", + "natural hair ponytail extension in the color medium brown", + "synthetic hair ponytail extension, medium brown", + " synthetic hair ponytail extension in the color medium brown", + "synthetic hair ponytail extension in the color medium", + "stainless hair ponytail extension", + "synthetic hair ponytail extension under $40", + "stainless hair ponytail extension in the color medium", + "sneakers hair ponytail extension in the color medium" + ], + "i am looking for pink color whitening massage easy use toothbrush that fit for age 2-6": [ + "pink color whitening massage easy use toothbrush", + "pink color whitening massage easy use toothbrush 2-6", + "pink color whitening massage easy use toothbrush size 2-6", + "pink color whitening massage easy use toothbrush age 2-6", + "pink color whitening massage easy use toothbrush, 2-6", + "pink color whitening massage easy use toothbrush under $40", + "pink color whitening massage easy use toothbrush under $50", + "pink color whitening massage", + "pink color whitening massage 2-6", + "pink whitening massage easy use toothbrush" + ], + "i need black long lasting mascara": [ + "black long lasting mascara", + "black long lasting mascara under $40", + "black long lasting mascara under $50", + "black long lasting mascara that is black", + "black long lasting mascara under $60", + "black long lasting mascara under 30 dollars", + "black long lasting mascara under 50 dollars", + "black long lasting mascara black", + "long lasting mascara black", + "black long lasting mascara," + ], + "i need one pair of large sized stockings that is high quality and non toxic for my feet.": [ + "large sized stockings", + "large sized stockings non toxic for my feet", + "large sized stockings high quality and non toxic", + "large sized stockings no toxic", + "large sashings non toxic for my feet", + "large sized stockings that are high quality", + "large sized stockings that is high quality", + "large sized stockings with quality", + "large sized stockings for feet", + "large sized stockings, non toxic" + ], + "i am looking for a light blue mini dress that is machine washable.": [ + "light blue mini dress that is machine washable", + "light blue mini dress", + "light blue mini dress, machine washable", + "light blue mini dress machine washable", + "low blue mini dress that is machine washable", + "light blue mini dress with machine washable", + "light blue mini dress in machine washable", + "light blue mini dress under $40", + "light blue mini dress under $50", + "light blue mini dress, machine washable," + ], + "i would like a face kit for my fine lines.": [ + "facial kit for fine lines", + "face kit for fine lines", + "face kit for fine lines.", + "facial kit fine lines", + "toothpaste for fine lines", + "a face kit for fine lines", + "beauty kit for fine lines", + "Face kit for fine lines", + "face kit for my fine lines", + "facial kit" + ], + "i'd like to shop for some red slim fit jeans with a button closure. i need a size 28.": [ + "red slim fit jeans with button closure", + "red slim fit jeans with button closure size 28", + "red slim fit jeans with a button closure", + "red slim fit jeans with a button closure size 28", + "red slim fit jeans", + "red slim fit jeans with button closure, size 28", + "red slim fit jeans size 28", + "red slim fit jeans, button closure, size 28", + "red slim fit jeans with button closure size 28.", + "red slim fit jeans in a size 28" + ], + "i would like a gluten free trader joes flatbread.": [ + "gluten free trader joes flatbread", + "gluten free trader joes flatbread.", + "gluten free trader joes flatbread under $40", + "gluten free trader joes flatbread below $40", + "gluten free trader joes flatbread under $60", + "gluten free trader joes flatbread gluten free", + "gluten free trader joes flatbread below $50", + "gluten free trader joes flatbread below $60", + "gluten free trader joes flatbread flavor", + "gluten free trader joes flatbread mix" + ], + "i want to find trader joe's gluten free norwegian crispbreads that i can pack in my lunches.": [ + " trader joes gluten free norwegian crispbreads", + "trader joes gluten free norwegian crispbreads", + "trains joes gluten free norwegian crispbreads", + "manual joes gluten free norwegian crispbreads", + "terrain joes gluten free norwegian crispbreads", + " trader joes gluten free norwegian crispbreads.", + " trader joes gluten free norwegian crispbread", + "manne gluten free norwegian crispbreads", + "freeze dried norwegian crispbreads", + "shoes gluten free" + ], + "i'm looking for violet pigment and blackberry extract sheer silver shampoo.": [ + "vanity pigment and blackberry extract sheer silver shampoo", + "violet pigment and blackberry extract sheer silver shampoo", + "vinyl pigment and blackberry extract sheer silver shampoo", + "pink pigment and blackberry extract sheer silver shampoo", + "vanity pigment blackberry extract sheer silver shampoo", + "pure silver shampoo", + "greenberry extract sheer silver shampoo", + "pure silver shampoo with violet pigment and blackberry extract", + "pure silver shampoo, violet pigment and blackberry extract", + "pure silver shampoo with violet pigment" + ], + "gluten free meatballs": [ + "gluten free meatballs", + "gluten free meatballs, and price lower than 50.00 dollars", + "gluten free meatballs, and price lower than 40.00 dollars", + "gluten free meatballs, and price lower than 60.00 dollars", + "gluten free meatballs, and price lower than 30.00 dollars", + "gluten free meatballs, and price lower than 140.00 dollars", + "gluten free meatballs, and price lower then 50.00 dollars", + "gluten free meatballs, and price lower then $40.00", + "gluten free meatballs, and price lower than $40.00", + "gluten free meatballs that are gluten free" + ], + "i'm looking for a machine washable t-shirts made of heather cotton with needle sleeve and button closure type. also, choose men, x-small size white one.": [ + "machine washable t-shirts made of heather cotton", + "machine washable t-shirt made of heather cotton", + "machine washable t-shirt heather cotton x-small size white", + "machine washable t-shirt heather cotton with needle sleeve and button closure type", + "machine washable t-shirts made of heather cotton with needle sleeve", + "machine washable t-shirt x-small size white", + "machine washable t-shirt heather cotton with needle sleeve and button closure", + "machine washable t-shirt heather cotton x-small", + "machine washable t-shirt with needle sleeve and button closure type", + "machine washable t-shirt" + ], + "i want a rolling cart for a beauty salon.": [ + "rolling cart for beauty salon", + "rolling cart for a beauty salon", + "roller cart for beauty salon", + "roller cart for a beauty salon", + "rolling cart for a beauty salon.", + "a rolling cart for a beauty salon", + "roller cart for a beauty salon.", + "roasting cart for beauty salon", + "roasted beauty salon rolling cart", + "roasting cart for a beauty salon" + ], + "i need a red sports coat that is slim fitting.": [ + "red sports coat slim fitting", + "red sports coat that is slim fitting", + "slim fitting red sports coat", + "red sports coat slim fitting.", + "red sports coat slim fit", + "shoes slim fitting red sports coat", + "red sports coat, slim fitting", + "tv red sports coat slim fitting", + "red sports coat", + "shoes slim fitting" + ], + "i'm looking for a toothpaste for teeth whitening in blueberry scent": [ + "toothpaste for teeth whitening blueberry scent", + "teeth whitening in blueberry scent", + "teethpaste for teeth whitening blueberry scent", + " toothpaste for teeth whitening in blueberry scent", + "toothpaste teeth whitening in blueberry scent", + "teethpaste blueberry scent", + "toothpaste teeth whitening blueberry scent", + "teeth whitening blueberry scent", + "teethpaste in blueberry scent", + "teethpaste blueberry" + ], + "i would like a black chair with lumbar support.": [ + "black chair with lumbar support", + "black chair lumbar support", + "black chair with lumbar support.", + "black chair, lumbar support", + "black chair with lumbar support under $40", + "black chair with lumbar support under $50", + "black chair with lumbar support,", + "black chair that is lumbar support", + "black chair with lumbar support under $60", + "black chair with lumbar support, black" + ], + "i'm looking for a woman's navy workout t-shirt that is machine washable and provides a classic fit.": [ + "womens navy workout t-shirt with classic fit", + "womens navy workout t-shirt that is machine washable", + "womens navy workout t-shirt with a classic fit", + "womens navy workout t-shirt", + "womans navy workout t-shirt that is machine washable", + "womans navy workout t-shirt with classic fit", + "womans navy workout t-shirt with a classic fit", + "womens navy workout t-shirt, machine washable", + "womans navy workout t-shirt", + "womens navy workout t-shirt is machine washable" + ], + "i'm looking for running shoe for women.": [ + "running shoe for women", + "walking shoe for women", + "woman running shoe for women", + "running shoe for women.", + "rainbow shoe for women", + "shoes for women", + "Running shoe for women", + "roaring shoe for women", + "running shoe for women,", + "woman running shoe" + ], + "i would like a coral orange basic heavy duty phone case.": [ + "coral orange basic heavy duty phone case", + "oral orange basic heavy duty phone case", + " coral orange basic heavy duty phone case", + "corals orange basic heavy duty phone case", + "al coral orange basic heavy duty phone case", + "sea orange basic heavy duty phone case", + "oral orange basic heavy duty phone case.", + " coral orange basic heavy duty phone case.", + "cruelty orange phone case", + "coral orange phone case" + ], + "i would like a power cable for by blu ray player.": [ + "power cable for blu ray player", + "power cable for blu-ray player", + "power cable blu-ray player", + "power cable blu ray player", + "power cable for by blu ray player", + "power cable for blu ray player.", + "power cable for bluray player", + "power cable to blu-ray player", + "power cable to blu ray player", + "power cable by blu ray player" + ], + "i need a face kit for dark circles": [ + "face kit for dark circles", + "face kit dark circles", + "face kit for dark circles under $40", + "face kit for dark circles under $50", + "face kit for dark circles under $60", + "face kit for dark circles under 50 dollars", + "face kit for dark circles under 30 dollars", + "dark circles face kit", + "face kit for dark circles under 40 dollars", + "face kit dark circles under $50" + ], + "i am interested in buying beds which are twin size, and of grey color, while their style should be metal triple bunk bed with slide.": [ + "twin bed with slide", + "twin size beds with slide", + "twin size bed with slide", + "twin beds with slide", + "twin beds of grey color", + "twin bunk bed with slide", + "twin bed in grey", + "twin bed", + "twin size grey bunk bed", + "twin bed in grey color" + ], + "i want a peanut butter cranberry toyou snack that is plant based.": [ + "peanut butter cranberry toyou snack that is plant based", + "plant based peanut butter cranberry toyou snack", + "pomegranate butter cranberry toyou snack", + " peanut butter cranberry toyou snack that is plant based", + "lemon butter cranberry toyou snack that is plant based", + "pale butter cranberry toyou snack that is plant based", + " peanut butter cranberry toyou snack that is plant based.", + "peanut butter cranberry toyou snack", + "peanut butter cranberry toyou snack plant based", + " peanut butter cranberry toyou snack" + ], + "i'm looking for a replacement remote with batteries included.": [ + "remote with batteries", + "replacement remote with batteries", + "tablet remote with batteries", + "replace remote with batteries", + "tv remote with batteries", + "wireless remote with batteries", + "repliring remote with batteries", + "home remote with batteries", + "remote remote with batteries", + "replacement remote" + ], + "i am looking for a heavy duty basic cases for iphone 13 size": [ + "heavy duty basic cases for iphone 13", + "heavy duty basic cases for iphone 13 size", + "heavy duty basic cases for iphone 13", + "heavy duty basic cases iphone 13 size", + "heavy duty basic case for iphone 13", + "heavy duty basic cases iphone 13", + "heavy duty basic case iphone 13 size", + "heavy duty basic case for iphone 13 size", + "heavy duty basic case iphone 13", + "heavy duty iphone 13 size" + ], + "i need an iphone 7 plus case that has wireless charging capabilities": [ + "iphone 7 plus case with wireless charging", + "iphone 7 plus case", + "iphone 7 case with wireless charging", + "iphone 7 plus case wireless charging", + "iphone 7 plus case, wireless charging", + "iphone 7 with wireless charging", + "iphone 7 case that has wireless charging", + "iphone 7 case wireless charging", + "iphone 7 plus case charging wireless charging", + "iphone 7 plus case charging wireless" + ], + "i'm looking for a shimmery eye shadow palette that is long lasting and waterproof. also, choose the fusion palette of 39 colors": [ + "shimmery eye shadow palette that is long lasting and waterproof", + "glittery eye shadow palette that is long lasting and waterproof", + "shy eye shadow palette that is long lasting and waterproof", + "sh shimmery eye shadow palette that is long lasting and waterproof", + "shimmery eye shadow palette, long lasting and waterproof", + "shimmery eye shadow palette", + "shimmery eye shadow palette with 39 colors", + "glittery eye shadow palette", + "shy eye shadow palette", + "shimmery eye shadow palette that is long lasting" + ], + "i am looking for a pair of easy to carry light blue headphones.": [ + "easy to carry light blue headphones", + "light blue headphones", + "easy to carry light blue headphones.", + "easy to carry light blue wireless headphones", + "simple to carry light blue headphones", + "light blue headphones easy to carry", + "easy to carry light blue headphones,", + "easy to carry light blue hiking shoes", + "light blue wireless headphones", + "light blue wireless charging headphones" + ], + "find a water resistant leather jacket": [ + "water resistant leather jacket", + "i would like a water resistant leather jacket, and price lower than 50.00 dollars", + "find a water resistant leather jacket, and price lower than 50.00 dollars", + "i would like a water resistant leather jacket, and price lower than 40.00 dollars", + "i want a water resistant leather jacket, and price lower than 50.00 dollars", + "womens water resistant leather jacket", + "water resistant leather jacket under $40", + "water resistant leather jacket under $50", + "rain resistant leather jacket", + "a water resistant leather jacket" + ], + "i am looking for a grey sectional sofa for my living room.": [ + "grey sectional sofa for my living room", + "grey sectional sofa for living room", + "grey sectional sofa for the living room", + "grey sectional sofa for living room.", + "grey sectional sofa for a living room", + "grey sectional sofa in my living room", + "grey sectional sofa living room", + "grey sectional sofa", + "grey sectional sofa, living room", + "grey sectional sofa for dining room" + ], + "i am looking for a white batteries included clock radios": [ + "clock radio with white batteries", + "white clock radio with batteries", + "clock radio white", + "white clock radios with batteries", + "clock radio white batteries", + "clock radio white with batteries", + "white clock radio with battery", + "white clock radio", + "white clock radio batteries", + "white clock radios" + ], + "i want a size 12 black slipper made of vinyl acetate.": [ + "size 12 black slipper made of vinyl acetate", + "black slipper made of vinyl acetate", + "black slipper made of vinyl acetate size 12", + "size 12 black slipper made of vinyl acetate.", + " size 12 black slipper made of vinyl acetate", + "size 12 black slipper made from vinyl acetate", + "12 black slipper made of vinyl acetate", + "a size 12 black slipper made of vinyl acetate", + "slimming slipper made of vinyl acetate", + "slipper made of vinyl acetate size 12" + ], + "i'm looking for a daily wear cardigan sweaters with long sleeve and fleece lined. also choose medium size light grey colored one.": [ + "day wear cardigan sweaters with long sleeve and fleece lined", + "blue cardigan sweaters with long sleeve fleece lined", + "blue cardigan sweaters with long sleeve and fleece lined", + "medium grey cardigan sweaters with long sleeve fleece lined", + "medium grey cardigan sweaters with long sleeve and fleece lined", + "i daily wear cardigan sweaters with long sleeve and fleece lined", + "green cardigan sweaters with long sleeve and fleece lined", + "medium grey cardigan sweaters", + "blue cardigan sweaters long sleeve fleece lined", + "light grey cardigan sweaters" + ], + "i would like to buy nail clippers which are easy to clean, and also are made of stainless steel, i also prefer to have them of color 8592 red.": [ + "nail clippers 8592 red", + "nail clippers made of stainless steel", + "nail clippers color 8592", + "nail clippers made from stainless steel", + "nail clippers of color 8592 red", + "nail clippers made of stainless steel 8592", + "nail clippers of color 8592", + "nail clippers color 8592 red", + "nail clippers made from stainless steel 8592", + "nail clippers colored 8592" + ], + "i am looking for fredd marshall mens skinny jeans in a slim fit.": [ + "fredd marshall mens skinny jeans slim fit", + "fredd marshall mens skinny jeans in a slim fit", + "fredd marshall mens skinny jeans slim fit.", + "fredd marshall mens skinny jeans in a slim fit.", + "fredd marshall mens skinny jeans", + "fredd marshall mens skinny jeans in slim fit", + "fredd marshall mens skinny jeans slim fit under $40", + "fredd marshall mens skinny jeans slim fit under $50", + "fredd marshall mens skinny jeans slim fit under 50 dollars", + "fredd marshall mens skinny jeans in a slim fit," + ], + "i'm looking for a men's long sleeve, yellow track jacket.": [ + "mens long sleeve yellow track jacket", + "mens long sleeve, yellow track jacket", + "mens long sleeve yellow track jacket.", + "mens long sleeve yellow track jacket mens long sleeve", + "mens long sleeve yellow track jacket", + "mens long sleeve yellow track jacket under $40", + "mens long sleeve yellow track jacket mens mens", + "mens long sleeve, yellow track jacket.", + "mens long sleeve yellow track jacket under $50", + "mens long sleeve yellow track jacket mens long sleeves" + ], + "i would like to have a can of rich and creamy cream of potato soup.": [ + "rich and creamy cream of potato soup", + "rich and creamy cream of potato soup.", + "rich and creamy cream of potato soup under $40", + "rich and creamy cream of potato soup under $60", + "rich and creamy cream of potato soup under 50 dollars", + "rich and creamy cream of potato soup under 30 dollars", + "rich and creamy cream of potato soup below $40", + "rich and creamy cream of potato soup under $50", + "rich and creamy cream of potato soup under 60 dollars", + "chocolate cream of potato soup" + ], + "i am looking for white color heavy duty bar stools.": [ + "white heavy duty bar stool", + "white heavy duty bar stools", + "white color heavy duty bar stool", + "white color heavy duty bar stools", + "white heavy duty bar stools.", + "white heavy duty bar stool under $40", + "white heavy duty bar stool under $50", + "white heavy duty bar stool colored heavy duty", + "white heavy duty bar stool under $60", + "white color heavy duty bar stools." + ], + "i'm looking for a pair of black and white rubber-soled sneakers in a size 5.5.": [ + "black rubber-soled sneakers in a size 5.5", + "black and white rubber soleed sneakers in a size 5.5", + "black white rubber-soled sneakers in a size 5.5", + "black and white rubbersoled sneakers in a size 5.5", + "black rubber soleed sneakers in a size 5.5", + "black and white rubber-soled sneakers", + "black and white rubber-soled sneakers size 5.5", + "white rubber-soled sneakers in a size 5.5", + "black rubber-soled sneakers in a size 5.5.", + "black and white rubber soleed sneakers" + ], + "i want to find a beauty salon mattress that is 60 centimeters by 180 centimeters in dimension.": [ + "beauty salon mattress that is 60 centimeters by 180 centimeters", + "beauty salon mattress 60 centimeters by 180 centimeters", + "beauty salon mattress 60 centimeters by 180 centimeters in dimension", + "beauty salon mattress, 60 centimeters by 180 centimeters", + "beauty salon mattress size 60 centimeters by 180 centimeters", + "beauty salon mattress with 60 centimeters by 180 centimeters", + "beauty salon mattress that is 60 centimeters x 180 centimeters", + "beauty salon mattress 60 centimeters x 180 centimeters", + "beauty salon mattress which is 60 centimeters by 180 centimeters", + "beauty salon mattress in 60 centimeters by 180 centimeters" + ], + "i'm looking for a spa pedicure kit-at-home foot care for baby soft feet.": [ + "pam pedicure kit-at-home foot care for baby soft feet", + "spa pedicure kit-at-home foot care for baby soft feet", + "pampering kit-at-home foot care for baby soft feet", + "sham pedicure kit-at-home foot care for baby soft feet", + "a spa pedicure kit-at-home foot care for baby soft feet", + "pink pedicure kit-at-home foot care for baby soft feet", + "bathroom pedicure kit-at-home foot care for baby soft feet", + "pam pedicure kit-at-home foot care baby soft feet", + "pampering kit-at-home foot care baby soft feet", + "pampering kit-at-home foot care for baby soft feet." + ], + "i am looking for a plant based rose scented moisturizing sunscreen.": [ + "plant based rose scented moisturizing sunscreen", + "plant based rose scented moisturizing sunscreen.", + "plant based rose scented moisturizing sunscreen under $40", + "plant based rose scented moisturizing sunscreen under $60", + "plant based rose scented moisturizing sunscreen under $50", + "plant based rose scented moisturizing sunscreen under 50 dollars", + "plant based rose scented moisturizing sunscreen under 30 dollars", + "plant based rose scented moisturizing sunscreen,", + " plant based rose scented moisturizing sunscreen", + "plastic moisturizing sunscreen plant based" + ], + "i am looking for khaki color long sleeve shirt for men.": [ + "k khaki color long sleeve shirt for men", + "kaki color long sleeve shirt for men", + "h khaki color long sleeve shirt for men", + "c khaki color long sleeve shirt for men", + " khaki color long sleeve shirt for men", + "k khaki color long sleeve shirt for men.", + "shoes for men khaki color long sleeve shirt", + "womens khaki color long sleeve shirt", + "curtains long sleeve shirt for men", + "kaki color long sleeve shirt for men." + ], + "i am looking for a light grey, wood frame sectional sofa.": [ + "light grey wood frame sectional sofa", + "light grey, wood frame sectional sofa", + "heavy grey wood frame sectional sofa", + "light grey wood frame sectional sofa.", + "wood frame sectional sofa", + "heavy grey, wood frame sectional sofa", + "light grey wood frame sectional sofa,", + "low grey wood frame sectional sofa", + "wood frame sectional sofa.", + "living room light grey" + ], + "i need a blue grey mattress that is easy to clean": [ + "blue grey mattress that is easy to clean", + "blue grey mattress", + "blue grey mattress easy to clean", + "blue grey mattress, easy to clean", + "blue grey mattress easy clean", + "blue grey mattress, easy to clean,", + "blue grey mattress which is easy to clean", + "blue grey mattress clean and easy to clean", + "blue grey mattress with easy to clean", + "blue grey mattress clean" + ], + "i'm looking for a pair of long lasting women's sandals in a size eight or eight and half.": [ + "womens sandals size eight or eight and half", + "womens sandals size eight and half", + "womens sandals size 8 or eight and half", + "womens sandals size eight, eight and half", + "womens sandals in a size eight and half", + "womens sandals size eight", + "womens sandals eight and half", + "womens sandals size 8 and half", + "womens sandals, size eight and half", + "womens sandals in a size eight or eight" + ], + "i would like a 2 pound bag of chocolate covered fruit.": [ + "2 pound bag of chocolate covered fruit", + "chocolate covered fruit 2 pound bag", + "two pound bag of chocolate covered fruit", + "1 pound bag of chocolate covered fruit", + "2 pound bag chocolate covered fruit", + " 2 pound bag of chocolate covered fruit", + "3 pound bag of chocolate covered fruit", + "bag of chocolate covered fruit 2 pound", + "bag of chocolate covered fruit", + "chocolate covered fruit 2 pound" + ], + "i'm looking for a full size fully assembled mattress with 8\" split foundation.": [ + "full size fully assembled mattress with 8 split foundation", + "full size fully assembled mattress with 8 split foundation.", + "full size fully assembled mattress with 8 split foundation under $40", + "full size fully assembled mattress with 8split foundation", + "full size fully assembled mattress with 8 split foundation under $60", + "full size fully assembled mattress with 8 split foundation under $50", + "full size fully assembled mattress with 8 split foundation under $120", + "full size fully assembled mattress with 8 split foundation under $130", + "full size fully assembled mattress 8 split foundation", + "full size fully assembled mattress with 8 split foundation," + ], + "i am looking for a medium sized machine washable t-shirt.": [ + "medium t-shirt", + "medium t-shirt under $40", + "medium t-shirt under $50", + "medium t-shirt under 50 dollars", + "medium t-shirt under $60", + "medium sashable t-shirt", + "medium t-shirt under 40 dollars", + "medium t-shirt.", + "medium t-shirt,", + "large t-shirt" + ], + "i am looking for a pu leather black color heavy duty bed frame.": [ + "pu leather black heavy duty bed frame", + " pu leather black heavy duty bed frame", + "u leather black heavy duty bed frame", + "pa leather black heavy duty bed frame", + "pu leather black bed frame", + "pu leather black bed frame", + "pu leather black", + " pu leather black bed frame", + "pu leather black", + " pu leather black" + ], + "i would like a 32 gig gray tablet with a usb port.": [ + "32 gig gray tablet with a usb port", + " 32 gig gray tablet with a usb port", + "28 gig gray tablet with a usb port", + "32 gig gray tablet with usb port", + "32 gig gray tablet", + "32 gig gray tablets with a usb port", + "33 gig gray tablet with a usb port", + "gray tablet with a usb port 32 gig", + "gray tablet with a usb port", + "32 gig gray tablet, usb port" + ], + "i want a flower pattern fleece throw blanket.": [ + " flower pattern fleece throw blanket", + "flower pattern fleece throw blanket", + "flower pattern fleece throw blanket", + "a flower pattern fleece throw blanket", + "flowers pattern fleece throw blanket", + "beauty pattern fleece throw blanket", + " flower pattern fleece throw blanket.", + "rosy pattern fleece throw blanket", + "burglar pattern fleece throw blanket", + "flower pattern fleece throw blanket." + ], + "i am looking for a low carb carba-nada roasted fettuccine": [ + "low carb carba-nada roasted fettuccine", + "low carb carba-nada roasted fettuccine under $40", + "low carb carba-nada roasted fettuccine below $40", + "low carb carba-nada roasted fettuccine under $60", + "low carb carba-nada roasted fettuccine under $50", + "low carb carba-nada roasted fettuccine under 50 dollars", + "carba-nada roasted fettuccine", + "low carb carba-nada roasted fettuccine below $50", + "low carb carba-nada roasted fettuccine below $60", + "low carb carba-nada roasted fettuccine under 40 dollars" + ], + "i am looking for a 3 pack of coconut oil hair therapy.": [ + "3 pack of coconut oil hair therapy", + "3 pack coconut oil hair therapy", + "coffee oil hair therapy 3 pack", + "coconut oil hair therapy 3 pack", + "2 pack of coconut oil hair therapy", + "3 pack of coconut oil hair therapy.", + "natural coconut oil hair therapy 3 pack", + "1 pack of coconut oil hair therapy", + "portrait coconut oil hair therapy 3 pack", + "2 pack coconut oil hair therapy" + ], + "i need fully dimmable led floor lamp for living room": [ + "floor lamp for living room", + "living room floor lamp", + "living room fully dimmable led floor lamp", + "floor lamp living room fully dimmable", + "living room floor lamp fully dimmable", + "floor lamp for living room fully dimmable", + "full dimmable led floor lamp living room", + "living room floor lamp, fully dimmable", + "dimming led floor lamp for living room", + "floor lamp living room" + ], + "i am looking for cherry red softy t color boots that are light weight.": [ + " cherry red softy t color boots", + " cherry red softy t color boots light weight", + "cherry red softy t color boots", + "cherry red softy t color boots light weight", + "synthetic red softy t color boots", + " cherry red softy t color boots, light weight", + "cherries red softy t color boots", + "roasted red softy t color boots", + "knee boots light weight", + "roof red softy t" + ], + "i'm looking for an original lightweight lace-up boot for my little toddler; she's a size 7.": [ + "original lightweight lace-up boot for my little toddler", + "original lightweight lace-up boot for a toddler", + "original lightweight lace-up boot for a little toddler", + "laces-up boot for a toddler size 7", + "laces-up boot for toddler size 7", + "original lightweight lace-up boot for my toddler", + "baby boot size 7", + "knee boot for toddler size 7", + "baby boot in a size 7", + "original lightweight lace-up boot" + ], + "i am looking for a king size memory foam mattress.": [ + "king size memory foam mattress", + "king size memory foam mattress.", + "king size memory foam mattress under $50", + "king size memory foam mattress under $40", + "king size memory foam mattress under $130", + "king size memory foam mattress under $60", + "king size memory foam mattress under $120", + "king size memory foam mattress under 50 dollars", + "king size memory foam mattress,", + "king size memory foam mattress under 60 dollars" + ], + "i want to buy shaver for women which is easy to clean.": [ + "shaver for women", + "shaver for women easy to clean", + "easy clean shaver for women", + "shaver for women easy clean", + "easy to clean shaver for women", + "shaver for women clean", + "shaver for womeneasy clean", + "saver for women", + "shaver woman", + "woman shaver" + ], + "i'm looking for meatless bac'n and cheddar cheese.": [ + "meatless bacn and cheddar cheese", + "vegan bacn and cheddar cheese", + "meatless bacn with cheddar cheese", + "Meatless bacn and cheddar cheese", + "meatless bacn cheddar cheese", + " meatless bacn and cheddar cheese", + "meatless bacn and cheddar cheese.", + "meatless bacn cheese", + "vegan bacn cheese", + "vegan meatless bacn cheese" + ], + "i am looking for rose pink color stainless steel bands.": [ + "rose pink color stainless steel bands", + "rose pink stainless steel bands", + "rose pink color stainless steel band", + "rose pink color stainless steel bands.", + "rose pink color stainless steel bands,", + "rose pink stainless steel band", + "rose pink colored stainless steel bands", + "rose pink color steel bands", + "rose pink steel bands", + "rose pink steel band" + ], + "i would like a coated steel filing cabinet.": [ + "coaxial steel filing cabinet", + "coated steel filing cabinet", + "coated steel filing cabinet.", + "coaxial steel filing cabinet.", + "coating steel filing cabinet", + "coated steel filing cabinet for filing cabinet", + "coated steel filing cabinet,", + "coaxial steel filing cabinet,", + "coated steel filing cabinet under $50", + "coated steel filing cabinet under $120" + ], + "i'm looking for purple daily wear sleepwear made from a polyester/cotton blend in a size large.": [ + "pink daily wear sleepwear made from a polyester/cotton blend", + "purple daily wear sleepwear made from a polyester/cotton blend", + "pink daily wear sleepwear, polyester/cotton blend in a size large", + "pink daily wear sleepwear", + "pink daily wear sleepwear in a size large", + "pink daily wear sleepwear with a polyester/cotton blend", + "pink daily wear sleepwear, polyester/cotton blend", + "purple daily wear sleepwear", + "blue daily wear sleepwear", + "plastic sleepwear" + ], + "i need a anti slip snow boots.": [ + "anti slip snow boots", + "anti slip snow boots under $50", + "anti slip snow boots under $40", + "anti slip snow boots under $60", + "anti slip snow boots.", + "anti slip snow boots under 50 dollars", + "anti slip snow boots, anti slip", + "anti slip snow boots anti slip", + "anti slip snow boots below $50", + "anti slip snow boots under 30 dollars" + ], + "i want a lake blue skin care set that is bpa free.": [ + "lake blue skin care set that is bpa free", + " lake blue skin care set that is bpa free", + "Lake blue skin care set that is bpa free", + "lake blue skin care set that is bpa free.", + "a lake blue skin care set that is bpa free", + " lake blue skin care set that is bpa free.", + "sea blue skin care set that is bpa free", + "lakes blue skin care set that is bpa free", + "l lake blue skin care set that is bpa free", + "Lake blue skin care set that is bpa free." + ], + "i am looking for red cupcake toppers for cupcake picks valentine day party supplies birthday party": [ + "cupcake toppers for cupcake picks valentine day party", + "red cupcake toppers for a valentine day party", + "cupcake toppers for a valentine day party", + "cupcake toppers for cupcake pick valentine day party", + "red cupcake toppers valentine day party supplies birthday party", + "red cupcake toppers for baby shower", + "red cupcake toppers for cupcake picks valentine day", + "cupcake toppers valentine day party supplies birthday party", + "cupcake toppers for baby shower", + "red cupcake toppers for birthday party" + ], + "i am looking for wall baskets that are easy to install.": [ + "wall baskets that are easy to install", + "wall baskets easy to install", + "wall baskets", + "wall basket that are easy to install", + "wall baskets, easy to install", + "wall basket easy to install", + "living room wall baskets easy to install", + "living room wall baskets", + "wall baskets, easy to install,", + "easy to install wall baskets" + ], + "i need a gluten free oil spray bottle.": [ + "gluten free oil spray bottle", + "gluten free oil spray bottle.", + "gluten free oil spray bottle under $40", + "gluten free oil spray bottle under $50", + "gluten free oil spray bottle under $60", + "gluten free oil spray bottle below $40", + "gluten free oil spray bottle under 50 dollars", + "gluten free oil spray bottle below $50", + "gluten free oil spray bottle below $60", + "gluten free oil spray bottle," + ], + "i want to buy a sofa which is suitable for living room and is of black color, and it should be of size of typical sofa.": [ + "living room sofa size black", + "living room sofa black", + "living room sofa, black", + "furniture size black", + "furniture black", + "living room sofa size of black", + "living room sofa in black", + "living room sofa, size black", + "comfortable sofa size black", + "furniture size black sofa" + ], + "i am looking for a white, 7' x 5', light weight photo backdrop.": [ + "white, 7 x 5 light weight photo backdrop", + "white 7 x 5, light weight photo backdrop", + "white 7 x 5 light weight photo backdrop", + "white, 7 x 5 photo backdrop", + "white 5 x 5, light weight photo backdrop", + "white light weight photo backdrop", + "white, 7 x 5 photography backdrop", + "white 7 x 5 photo backdrop", + "white, 7 x 5 backdrop", + "light weight photo backdrop" + ], + "i'm looking for a plug play usb microphone": [ + "plug play usb microphone", + " plug play usb microphone", + "Plug play usb microphone", + "phone plug play usb microphone", + "plastic plug play usb microphone", + "pink play usb microphone", + "port play usb microphone", + "plug and play usb microphone", + "pack play usb microphone", + "plug play usb microphone," + ], + "i am looking for 2 pounds of individually wrapped chocolate hearts in a resealable bag.": [ + "2 pounds of individually wrapped chocolate hearts", + "two pounds of individually wrapped chocolate hearts", + "2 pounds of individually wrapped chocolate hearts resealable bag", + "chocolate hearts in a resealable bag", + "chocolate hearts resealable bag", + "2 pound of individually wrapped chocolate hearts", + "pack of individually wrapped chocolate hearts", + "2 pounds of individually wrapped chocolate hearts, resealable", + "pack of chocolate hearts resealable bag", + "2 pounds of individually wrapped chocolate hearts resealable" + ], + "i would like a body brush with a long handle.": [ + "body brush with long handle", + "Body brush with long handle", + "body brush with a long handle", + "body brush with long handle.", + " body brush with long handle", + "body brush long handle", + "body brush, long handle", + "body brush that is long handle", + "body brush", + "Body brush" + ], + "i am looking for x-large, red color women faux fur lined winter warm jacket coat": [ + "x-large red color women faux fur lined winter warm jacket coat", + "x-large, red color women faux fur lined winter warm jacket", + " x-large red color women faux fur lined winter warm jacket coat", + "x-large women faux fur lined winter warm jacket coat", + "x-large woman faux fur lined winter warm jacket coat", + " x-large, red color women faux fur lined winter warm jacket", + " x-large women faux fur lined winter warm jacket coat", + "x-large men faux fur lined winter warm jacket coat", + "x-large red color women faux fur lined winter warm jacket", + "xxl women faux fur lined winter warm jacket coat" + ], + "i need a king sized bed": [ + "king sized bed", + "king sized bed king sized", + "king sized bed, king sized", + "king sized bed under $50", + "king sized bed under $40", + "king sized bed under $130", + "king sized bed king size", + "king sized bed under $60", + "king sized bed, king size", + "king sized bed," + ], + "find me a mobile with 4g lte and a quad core": [ + "4g lte mobile with quad core", + "mobile with 4g lte and quad core", + "4g lte quad core", + "tablet 4g lte with quad core", + "4g lte with quad core", + "mobile with 4g lte quad core", + "4g lte and quad core", + "mobile 4g lte quad core", + "tablet with 4g lte quad core", + "4g lte quad core mobile phone" + ], + "i am interesting in having denim pants which have high waist and are loose fit, and i prefer to have them with blue color, also size of 10.": [ + "jeans size of 10", + "blue denim pants size 10", + "jeans size 10", + "blue denim pants size of 10", + " denim pants size of 10", + " denim pants size 10", + "jean pants size 10", + "jean pants size of 10", + "jeans that are high waist", + "jeans with high waist" + ], + "i'm looking for a box of pistachio nip flavored baklava made of natural ingredients.": [ + "paleachio nip flavored baklava made of natural ingredients", + "pistachio nip flavored baklava made of natural ingredients", + "paleachio nip flavored baklava", + "paleo nip flavored baklava made of natural ingredients", + "p pistachio nip flavored baklava made of natural ingredients", + "pistachio nip flavored baklava", + "parmachio nip flavored baklava made of natural ingredients", + "paleo nip flavored baklava", + "paleachio nip flavored baklava made from natural ingredients", + "paleachio nip flavored baklava natural ingredients" + ], + "i am looking for pistachio padishah xl flavor desserts containing artificial flavors.": [ + "paleio padishah xl flavor desserts containing artificial flavors", + "pistachio padishah xl flavor desserts containing artificial flavors", + "p pistachio padishah xl flavor desserts containing artificial flavors", + "paleio padishah xl flavor desserts with artificial flavors", + "paleio padishah xl flavor desserts containing artificial flavor", + "parmachio padishah xl flavor desserts containing artificial flavors", + "pistachio padishah xl flavor desserts with artificial flavors", + "paleio padishah xl flavor desserts", + "pistonio padishah xl flavor desserts containing artificial flavors", + "paleio padishah xl flavor desserts containing artificial flavors." + ], + "i need to buy a tin of baklava. make sure it has all natural ingredients. get the walnut twister flavor.": [ + "baklava tin with natural ingredients", + "a tin of baklava with natural ingredients", + "tin of baklava with natural ingredients", + "bottle of baklava with natural ingredients", + "tin of baklava natural", + "tin of baklava", + "tin of baklava natural flavor", + "tin of baklava natural no sugar", + "baklava tin natural", + "tin of baklava natural no nuts" + ], + "i'm looking for a double sided silicone exfoliating brush in purple color": [ + "double sided silicone exfoliating brush in purple", + "double sided silicone exfoliating brush in purple color", + "double sided silicone exfoliating brush", + "single sided silicone exfoliating brush in purple", + "double sided silicone exfoliating brush purple", + "single sided silicone exfoliating brush in purple color", + "double sided silicone exfoliating brush, purple", + "double sided silicone exfoliating brush that is purple", + "double sided silicone exfoliating brush color", + "double sided silicone exfoliating brush with purple color" + ], + "i am looking for a pair of women's size 6.5 grey heeled sandals with memory foam.": [ + "grey heeled sandals with memory foam", + "grey heeled sandals", + "6.5 grey heeled sandals with memory foam", + "grey heeled sandals with memory foam.", + "grey heeled sandals, memory foam", + "grey heeled sandals with memory foam,", + "grey heeled sandals with memory foam under $50", + "grey heeled sandals with memory foam under $60", + "grey heeled sandals with memory foam womens", + "grey sandals with memory foam" + ], + "i would like a mauve travel size cosmetic bag.": [ + "mauve travel size cosmetic bag", + "mens travel size cosmetic bag", + "mauve travel size cosmetic bag.", + "mens travel size cosmetic bag.", + "moisturizing travel size cosmetic bag", + "a mauve travel size cosmetic bag", + "mensa travel size cosmetic bag", + "mensque travel size cosmetic bag", + "mauve travel size cosmetic bag,", + "mensl travel size cosmetic bag" + ], + "i'm locking for a clinical strength anti-perspirant deodorant.": [ + "clinical strength anti-perspirant deodorant", + "clinically strength anti-perspirant deodorant", + "clinical strength anti-perspirant deodorant", + "oral strength anti-perspirant deodorant", + "clinically strong anti-perspirant deodorant", + "anti-perspirant deodorant", + "maturity strength anti-perspirant deodorant", + "medical strength anti-perspirant deodorant", + "clinical strength anti-perspirant deodorant.", + "clinical strength anti-perspirant deodorant under $50" + ], + "i need to buy a high definition blu ray power amplifier.": [ + "high definition blu ray power amplifier", + "high definition blu-ray power amplifier", + "high definition blu ray power amplifier.", + "Blu-ray power amplifier", + " blu ray power amplifier", + "dual ray power amplifier", + "low definition blu ray power amplifier", + " blu-ray power amplifier", + "duck ray power amplifier", + "Blu-ray power amplifier high definition" + ], + "i would like a chrome napkin holder made of coated steel.": [ + "chrome napkin holder made of coated steel", + "chrome napkin holder made of coated steel.", + "plastic napkin holder made of coated steel", + " chrome napkin holder made of coated steel", + "chrome napkin holder made from coated steel", + "chrome napkin holder made of coated steel under $40", + "chrome napkin holder made of coated steel,", + "chrome napkin holder made of coated steel under $50", + "chrome napkin holder made of coated steel under $60", + "chrome napkin holder with coated steel" + ], + "i am looking for an easy to assemble navy table with storage for my living room.": [ + "navy table with storage for living room", + "easy to assemble navy table with storage", + "easy to assemble navy table", + "navy table with storage", + "easy assemble navy table with storage", + "navy table", + "easy assemble navy table", + "5 ft navy table with storage", + "5 ft navy table", + "living room navy table" + ], + "i want mitchum roll-on anti-perspirant.": [ + "mens mitchum roll-on anti-perspirant", + "mitchum roll-on anti-perspirant", + "mens mitchum roll-on anti-perspirant.", + "mitchum roll-on anti-perspirant.", + "mitchum roll-on anti-perspirant mitchum", + "mitchum roll-on anti-perspirant under $40", + "mitchum roll-on anti-perspirant under $50", + "i want mitchum roll-on anti-perspirant.", + "mitchum roll-on anti-perspirant under $60", + "muskmitchum roll-on anti-perspirant" + ], + "i am interested in buying a contemporary bed which has wood finish and is california king size.": [ + "contemporary bed wood finish california king size", + "contemporary bed with wood finish california king size", + "contemporary bed with wood finish", + "contemporary bed with wood finish, california king size", + "contemporary bed with wood finish in california king size", + "contemporary bed with wood finish and california king size", + "contemporary bed which has wood finish", + "contemporary bed that has wood finish", + "contemporary bed with wood finish california king size.", + "contemporary bed wood finish california king size." + ], + "i am looking for a variety gourmet gift basket for valentine's day.": [ + "variety gourmet gift basket for valentines day", + "variety gourmet gift basket valentines day", + "gourmet gift basket for valentines day", + "comp variety gourmet gift basket for valentines day", + "cariety gourmet gift basket for valentines day", + " variety gourmet gift basket for valentines day", + "gourmet gift basket valentines day", + "gourmet gift basket for valentines day.", + "variety gourmet gift basket, valentines day", + " variety gourmet gift basket for valentines day." + ], + "i'm looking for round modern glass coffee table.": [ + "round modern glass coffee table", + "round modern glass coffee table.", + "tablet modern glass coffee table", + "roasted modern glass coffee table", + "tablet round modern glass coffee table", + "tablet with modern glass coffee table", + "roasted modern glass coffee table.", + "square modern glass coffee table", + "Round modern glass coffee table", + "tablet modern glass coffee table." + ], + "i need to get a long lasting coffee table with the style of chelsea.": [ + "coffee table with the style of chelsea", + "coffee table with style of chelsea", + "long lasting coffee table in style of chelsea", + "long lasting coffee table with style of chelsea", + "long lasting coffee table style of chelsea", + "coffee table style chelsea", + "coffee table in chelsea", + "long lasting coffee table", + "coffee table with style of chelsea.", + "coffee table in chelsea style" + ], + "i would like a 10.6 ounce combo pack of low carb, keto friendly chips.": [ + "10.6 ounce combo pack of keto friendly chips", + "10.6 ounce keto friendly chips", + "low carb keto friendly chips 10.6 oz", + "10.6 oz keto friendly chips", + "10.6 oz combo pack of keto friendly chips", + "10.6 ounce combo pack of keto friendly chips.", + "keto friendly chips 10.6 oz", + "low carb keto friendly chips 10.6 ounce", + "8 oz keto friendly chips", + "low carb keto friendly chips" + ], + "i want the keto friendly and low carb protein puffs. pick the garlic parmesan one.": [ + "keto friendly low carb protein puffs. pick the garlic parmesan one.", + "keto friendly and low carb protein puffs with garlic parmesan", + "keto friendly low carb protein puffs with garlic parmesan", + "keto friendly and low carb protein puffs, garlic parmesan", + "keto friendly low carb protein puffs, garlic parmesan", + "keto friendly low carb protein puffs, garlic parmesan, keto friendly", + "keto friendly and low carb protein puffs that are keto friendly", + "keto friendly and low carb protein puffs under $40", + "keto friendly low carb protein puffs", + "keto friendly and low carb protein puffs with garlic parmesan flavor" + ], + "i would like a 6 tier bookcase that is easy to assemble.": [ + "6 tier bookcase that is easy to assemble", + "6 tier bookcase", + "6 tier bookcase easy to assemble", + "easy assemble 6 tier bookcase", + "6 tier bookcase, easy to assemble", + "6 tier bookcase, easy to assemble,", + "5 tier bookcase that is easy to assemble", + "easy to assemble 6 tier bookcase", + "6 tier bookcase under $50", + "6 tier bookcase under $120" + ], + "i am looking for black color loop bands that are light weight.": [ + "black color loop bands", + "black color loop bands, light weight", + "black color loop bands light weight", + "black loop bands that are light weight", + "black color loop bands under $40", + "low weight black color loop bands", + "black color loop bands under $50", + "light weight black color loop bands", + "black color loop band", + "black loop bands" + ], + "i want to find green, blue and white bands that are compatible with my apple watch 45. the bands should fit my wrist, which is 4.5 inches in circumference.": [ + "green, blue and white bands", + "green, blue and white wrist bands", + "green, blue and white wrist band", + "green, blue and white apple watch 45 bands", + "green, blue and white band", + "green apple watch 45 bands", + "green, blue and white apple watch 45 band", + "green apple watch 45 band", + "green apple watch band", + "green apple watch" + ], + "i need slip ons that are grey and are made of memory foam": [ + "grey slip ons made of memory foam", + "grey slip ons made from memory foam", + "grey slip ons", + "grey slip ons, made of memory foam", + "grey slip ons with memory foam", + "grey slip-ons made of memory foam", + "grey slip ons made out of memory foam", + "grey slip ons, made from memory foam", + "grey slip ons that are grey", + "grey slip ons memory foam" + ], + "i would like to buy protein bars which are gluten free, and have chocolate hazelnut crisp flavor, and come in pack of 1 with 8 pieces.": [ + "protein bars gluten free pack of 1 with 8 pieces", + "protein bar gluten free pack of 1 with 8 pieces", + "protein bars gluten free pack of 1", + "protein bar gluten free 8 pack", + "protein bars gluten free and chocolate hazelnut crisp", + "protein bars gluten free 8 pack", + "protein bars gluten free 8 pack pack of 1", + "protein bar gluten free pack of 1", + "protein bar gluten free 8 pack pack of 1", + "protein bars gluten free" + ], + "i want a high power professional stereo bluetooth speaker.": [ + "professional stereo bluetooth speaker", + "high power professional stereo bluetooth speaker", + "professional stereo bluetooth speaker.", + "professional stereo bluetooth speaker high power", + "high power professional stereo bluetooth speaker.", + "professional stereo bluetooth speaker, high power", + "professional stereo bluetooth speaker with high power", + "professional high power professional stereo bluetooth speaker", + "professional stereo bluetooth speaker under $40", + "professional stereo bluetooth speaker under $60" + ], + "i want a large zabra patch leggings with a elastic closure.": [ + "large zabra patch leggings with a elastic closure", + "large zabra patch leggings with elastic closure", + "large zabra patch leggings", + "large zabra patch leggings elastic closure", + "large zabra patch leggings with an elastic closure", + "large zabra patch leggings that are elastic closure", + "large zabra patch leggings, elastic closure", + "small zabra patch leggings with a elastic closure", + "large zabra patches leggings with a elastic closure", + "bagra patch leggings with a elastic closure" + ], + "i am looking for a 49 inch by 59 inch easy to clean fleece throw blanket.": [ + "easy clean fleece throw blanket", + "easy to clean fleece throw blanket", + "50 ft fleece throw blanket", + "easy clean fleece throw blanket under $50", + "easy clean fleece throw blanket under 50 dollars", + "easy to clean fleece throw blanket under $50", + "easy clean fleece throw blanket under $40", + "fleece throw blanket", + "easy to clean fleece throw blanket under $40", + "easy to clean fleece throw blanket under $60" + ], + "i need some small elastic waistband shorts": [ + "small elastic waistband shorts", + "small elastic waistband shorts under $50", + "small elastic waistband shorts under $40", + "small elastic waistband shorts under $60", + "small elastic waistband shorts under 50 dollars", + "small elastic waistband shorts under 40 dollars", + "small elastic waistband shorts under 30 dollars", + "small elastic waistband shorts under 60 dollars", + "small elastic waistband shorts below $50", + "small elastic waistband shorts," + ], + "i'm looking for a teeth whitening electric toothbrush in the color blue.": [ + "toothbrush in the color blue", + "teeth whitening electric toothbrush", + "electric toothbrush in the color blue", + "teeth whitening electric toothbrush color blue", + "teeth whitening electric toothbrush, blue", + "toothbrush blue teeth whitening", + "toothbrush teeth whitening blue", + "teeth whitening electric toothbrush blue", + " teeth whitening electric toothbrush", + "toothbrush color blue" + ], + "i am looking for easy spirit traveltime529 mule shoes with arch support, rubber soles and in size 7.5 wide.": [ + "easy spirit traveltime mule shoes", + "easy spirit traveltime mule shoes 7.5 wide", + "easy spirit traveltime mule shoes in size 7.5 wide", + "easy spirit traveltime mule shoes size 7.5 wide", + "easy spirit traveltime mule shoes with arch support in size 7.5 wide", + "easy spirit traveltime mule shoes with arch support", + "easy spirit traveltime mule shoes in a size 7.5 wide", + "easy spirit traveltime mule shoes with arch support 7.5 wide", + "easy traveltime mule shoes", + "5 ft mule shoes" + ], + "i want to buy a foundation for makeup which is oil free, non toxic and is of classic beige color, also i want two of those.": [ + "f foundation for makeup which is oil free, non toxic and is of classic beige color", + "f foundation for makeup that is oil free, non toxic and is of classic beige color", + "f foundation for makeup oil free, non toxic and is of classic beige color", + "facial foundation for makeup that is oil free and is of classic beige color", + "facial foundation for makeup which is oil free and is of classic beige color", + "f foundation for makeup which is oil free and is of classic beige color", + "facial foundation for makeup oil free", + "classic beige foundation for makeup", + "f foundation for makeup oil free", + "classic beige foundation" + ], + "i am looking for a anti aging and long lasting lip balm.": [ + "anti aging lip balm", + "anti aging lip balm under $40", + "anti aging and long lasting lip balm", + "anti aging lip balm under $50", + "anti aging lip balm under $60", + "anti aging lip balm.", + "anti aging lip balm under 50 dollars", + "anti aging lip balm under 30 dollars", + "anti aging lip balm, anti aging", + "anti aging lip balm anti aging" + ], + "i'm looking for a sheet for a beauty salon table. it should be non-toxic, and i want it in color 3.": [ + "beauty salon table color 3", + "beauty salon table in color 3", + "non-toxic beauty salon table sheet", + "beauty salon table colored 3", + "non-toxic beauty salon table sheets", + "non-toxic beauty salon table", + "beauty salon table color 3.5", + "beauty salon table white", + "beauty salon table with color 3", + "gluten-free beauty salon table" + ], + "i am looking for a women's medium size royal blue tank top that is machine washable.": [ + "womens medium size royal blue tank top", + "womens medium size royal blue tank top machine washable", + "womens medium size royal blue tank top under $50", + "womens medium size royal blue tank top under $40", + "womens medium size navy blue tank top", + "mens medium size royal blue tank top", + "womens medium size royal blue tank", + "womens size royal blue tank top", + "womens medium size royal blue", + "large size royal blue tank top" + ], + "i am looking for knee high, anti-slip, snow boots in the color black and size 10.": [ + "knee high, anti-slip snow boots size 10", + "knee high, anti-slip, snow boots size 10", + "knee high anti-slip snow boots in the color black", + "knee high, anti-slip snow boots in size 10", + "knee high anti-slip snow boots size 10", + "knee high snow boots in the color black and size 10", + "knee high snow boots in the color black size 10", + "knee high snow boots in the color black", + "knee high, anti-slip snow boots", + "knee high snow boots size 10" + ], + "i would like a 18 inch medium brown hair extensions.": [ + "18 inch medium brown hair extensions", + "18 inch medium brown hair extension", + "18 inch medium brown hair extensions under $50", + "18 inch medium brown hair extensions under $60", + "18 inch medium brown hair extensions under $40", + "18 inch medium brown hair extensions under 30 dollars", + "18 inch medium brown hair extensions under 50 dollars", + "18 inch medium brown hair extensions under 40 dollars", + "18 inch medium brown hair extensions under $120", + "18 inch medium brown hair extensions." + ], + "i am looking for a high performance wireless bluetooth camouflage green game controller.": [ + " bluetooth camouflage green game controller", + "Bluetooth camouflage green game controller", + "high performance wireless bluetooth camouflage gaming controller", + "blue bluetooth camouflage green game controller", + "wireless camouflage green game controller", + "blueetooth camouflage green game controller", + "high performance wireless bluetooth camouflage green", + "high performance wireless bluetooth camouflage", + "high performance wireless bluetooth camouflage game controller", + "green game controller" + ], + "i want a large red sweatshirt with long sleeves.": [ + "large red sweatshirt with long sleeves", + "large red sweatshirt long sleeves", + "large red sweatshirt with long sleeves under $40", + "large red sweatshirt with long sleeves under $50", + "large red sweatshirt with long sleeves under $60", + "large red sweatshirt with long sleeves under 50 dollars", + "large red sweatshirt with long sleeves under 40 dollars", + "large red sweatshirt long sleeves under $40", + "large red sweatshirt with long sleeves under 30 dollars", + "large red sweatshirt long sleeves under $50" + ], + "i am interested in buying men's and women's clog shoes which have ethylene vinyl, and are in black color, also i am interested in sizes 14 for women and 12 for men.": [ + "mens and womens clog shoes in black", + "mens and womens clog shoes black", + "mens and womens clog shoes with ethylene vinyl", + "mens and womens clog shoes size 14 in black", + "mens and womens clog shoes 14 in black", + "mens clog shoes in black", + "mens and womens clog shoes, ethylene vinyl", + "mens and womens clog shoes in black color", + "mens clog shoes black", + "mens clog shoes size 14" + ], + "i am looking for munk pack keto granola bars that are plant based.": [ + "munk pack keto granola bars plant based", + "munk pack keto granola bar plant based", + "munk pack keto granola bars", + "munk pack keto granola bar plant-based", + "munk pack keto granola bars plant based.", + "mens keto granola bars plant based", + "munk pack keto granola bars plant-based", + "munk pack keto granola bars, plant based", + "munk pack keto granola bar", + "keto granola bars plant based" + ], + "find a mattress with high density foam with cover included.": [ + "high density foam mattress with cover", + "stainless foam mattress", + "high density foam mattress", + "high density foam with cover", + "maternity mattress with cover", + "mushroom mattress with cover", + "mushroom with cover", + "maternity mattress with cover included", + "mold mattress with cover included", + "mold mattress with cover" + ], + "i am looking for a contemporary designed coffee table with clear tempered glass.": [ + "contemporary designed coffee table with clear tempered glass", + "living room coffee table with clear tempered glass", + "a contemporary designed coffee table with clear tempered glass", + "living room table with clear tempered glass", + "living room style coffee table with clear tempered glass", + "living room designed coffee table with clear tempered glass", + "affordable designed coffee table with clear tempered glass", + "living coffee table with clear tempered glass", + "contemporary designed coffee table", + "tablet with clear tempered glass" + ], + "i am looking for chopped walnuts that are non gmo, gluten free and in the 2 pound size.": [ + "non gmo walnuts 2 pound size", + "organic chopped walnuts 2 pound size", + "chocolate walnuts 2 pound", + "coffee walnuts 2 pound size", + "organic walnuts 2 pound size", + "chocolate walnuts 2 pound size", + "organic chopped walnuts 2 pound", + "non gmo walnuts 2 pound", + "roasted walnuts 2 pound size", + "organic walnuts 2 pound" + ], + "i am looking for a xx-large long sleeve active sweatshirts": [ + "xxl long sleeve active sweatshirts", + "xx-large long sleeve active sweatshirts", + " xx-large long sleeve active sweatshirts", + "xxl long sleeve active sweatshirts under $40", + "xxl long sleeve active sweatshirts under $50", + "xxl long sleeve active sweatshirts under 50 dollars", + "xxl long sleeve t-shirt active sweatshirts", + "xxl long sleeve active sweatshirts under $60", + "xxl long sleeve active sweatshirts under 30 dollars", + "xx-large long sleeve sweatshirts" + ], + "i'm looking for a unique thailand seasoned bbq crickets.": [ + "unique thailand seasoned bbq crickets", + "tailand seasoned bbq crickets", + "stailand seasoned bbq crickets", + "muskmelted bbq crickets", + "unique thailand bbq crickets", + "4 bbq crickets", + "tailand seasoned bbq crickets.", + "bbq crickets", + "bbq crickets that are unique", + "barbecue crickets" + ], + "i want a x-large and machine washable lazy tuxedo t-shirt.": [ + "x-large and machine washable lazy tuxedo t-shirt", + " x-large and machine washable lazy tuxedo t-shirt", + "xl and machine washable lazy tuxedo t-shirt", + "x-large machine washable lazy tuxedo t-shirt", + " x-large machine washable lazy tuxedo t-shirt", + "lazy tuxedo t-shirt x-large", + "xl tuxedo t-shirt", + "xxl tuxedo t-shirt", + "xl tuxedo t-shirt under $50", + "xl tuxedo t-shirt under $40" + ], + "i would like a pair of size 8 brown sandals with a rubber sole.": [ + "size 8 brown sandals with a rubber sole", + "pair of size 8 brown sandals", + "brown sandals with a rubber sole", + "brown sandals size 8 with a rubber sole", + "brown sandals size 8 rubber sole", + "brown sandals with a rubber sole size 8", + "sneakers size 8 with a rubber sole", + "sneakers size 8 brown", + "pair of size 8 brown sandals rubber sole", + "shoes size 8 with a rubber sole" + ], + "i would like a sierra blue 13 pro max phone case that has wireless charging.": [ + "sierra blue 13 pro max phone case with wireless charging", + "sierra blue 13 pro max phone case", + "sierra blue 13 pro max phone case that has wireless charging", + " sierra blue 13 pro max phone case with wireless charging", + "sierra blue 13 pro max phone case, wireless charging", + " sierra blue 13 pro max phone case that has wireless charging", + "sierra blue 13 pro max phone case, with wireless charging", + "sierra blue 13 pro max phone case with wireless charging.", + "sierra blue 13 pro-max phone case with wireless charging", + "sierra blue 13 pro max phone case wireless charging" + ], + "i'm interested in cupcake picks suitable for a baby shower or birthday party.": [ + "cupcake picks suitable for a baby shower or birthday party", + "cupcake pick suitable for a baby shower or birthday party", + "cupcake picks suitable for baby shower or birthday party", + "cupcake picks for a baby shower or birthday party", + "cupcake picks suitable for baby shower or birthday party.", + "cupcake picks for baby shower or birthday party", + "cupcake picks suitable for a baby shower or baby shower", + "cupcake pick for a baby shower or birthday party", + "cupcake pick suitable for baby shower or birthday party", + "cupcake picks for a baby shower or birthday party." + ], + "i want to buy short sleeve t-shirts for men which are in yellow color, and of size x-large.": [ + "short sleeve t-shirt for men x-large", + "short sleeve t-shirts for men x-large", + "short sleeve t-shirt x-large", + "short sleeve t-shirt for men size x-large", + "short sleeve t-shirts for men size x-large", + "short sleeve t-shirt for men yellow x-large", + "short sleeve t-shirt for men in yellow", + "short sleeve t-shirts x-large", + "short sleeve t-shirt size x-large", + "short sleeve t-shirt for men x-large." + ], + "i am looking for short sleeve women t-shirt of xx-large size.": [ + "short sleeve women t-shirt xx-large", + "xxl women t-shirt xx-large", + "xxl women t-shirt", + "xxl women t-shirt xxl", + "xx-large women t-shirt", + "short sleeve women t-shirt xx-l", + "xxl woman t-shirt xx-large", + "short sleeve women t-shirt xxl", + "xxl women t-shirt of xxl", + "xxl women t-shirt x-large" + ], + "i would like a 2xl multicolor vest that can be machine washed.": [ + "2xl multicolor vest", + "2xl multicolor vest that can be machine washed", + "2 xl multicolor vest that can be machine washed", + "2xl multicolor vest, machine washed", + " 2xl multicolor vest that can be machine washed", + "2xl multicolor vest machine washed", + "2xl multicolor vest with machine washed", + "2 xl multicolor vest", + "2xl multicolor vest under $50", + "2xl multicolor vest under $40" + ], + "i'm looking for 2 packs of peanut butter.": [ + "2 packs of peanut butter", + "two packs of peanut butter", + "butter peanut butter 2 packs", + "butter peanut butter 2 pack", + "peanut butter 2 packs", + "pale peanut butter 2 packs", + "1 pack of peanut butter", + "pale peanut butter 2 pack", + "2 packs of peanut butter.", + "panut butter 2 packs" + ], + "i want to buy lights which are vanity light chandelier, and in brushed oil rubbed bronze color, also i want to have nine lights.": [ + "vanity light chandelier lights in brushed oil rubbed bronze color", + "vanity light chandelier lights in brushed oil rubbed bronze", + "vanity light chandelier lights brushed oil rubbed bronze", + "k vanity light chandelier lights in brushed oil rubbed bronze color", + "vanity light chandelier lights, brushed oil rubbed bronze color", + "pink vanity light chandelier lights in brushed oil rubbed bronze", + "vanity light chandelier lights, brushed oil rubbed bronze", + "k vanity light chandelier in brushed oil rubbed bronze color", + "k vanity light chandelier lights in brushed oil rubbed bronze", + "k vanity light chandelier in brushed oil rubbed bronze" + ], + "i need a variety pack of gmo-free, low carb dessert syrups.": [ + "variety pack of gmo-free, low carb dessert syrups", + "variety pack of gmo-free low carb dessert syrups", + "gmo-free, low carb dessert syrups", + " variety pack of gmo-free, low carb dessert syrups", + "gmo-free low carb dessert syrups", + "cariety pack of gmo-free, low carb dessert syrups", + "gmo-free, low carb dessert syrups variety pack", + "variety pack of gmo-free low carb dessert syrups.", + " variety pack of gmo-free low carb dessert syrups", + "cariety pack of gmo-free low carb dessert syrups" + ], + "i want to find one wide-toothed grooming comb for hair styling.": [ + "groom comb for hair styling", + "wide-toothed grooming comb", + "groom comb wide-toothed", + "coaxial grooming comb for hair styling", + "sweat comb for hair styling", + "g grooming comb for hair styling", + "brushed grooming comb for hair styling", + " wide-toothed grooming comb", + "a wide-toothed grooming comb", + "groom comb" + ], + "i am looking for a small polyester cotton costumes": [ + "small polyester cotton costumes", + "small polyester cotton costume", + "small polyester cotton costumes under $40", + "small polyester cotton costumes under $50", + "small polyester cotton costumes under $60", + "small polyester cotton costumes under 50 dollars", + "small polyester cotton costumes under 30 dollars", + "small polyester cotton costumes under 40 dollars", + "small polyester cotton costumes under 60 dollars", + "small polyester cotton costumes under 120 dollars" + ], + "i want a white executive chair with lumbar support.": [ + "white executive chair with lumbar support", + "white executive chair lumbar support", + "white executive chair with lumbar support.", + "white executive chair, lumbar support", + "white executive chair that is lumbar support", + "white executive chair lumbar support.", + "white Executive chair with lumbar support", + "white executive chair with lumbar support,", + "white executive chair no lumbar support", + "white executive chair" + ], + "i want to buy organic ghee which is non gmo and comes in a pack of 2 at 16 ounces.": [ + "organic ghee pack of 2", + "organic ghee pack of 2 16 ounces", + "organic ghee pack 2 at 16 ounces", + "organic ghee pack 16 oz", + "organic ghee pack of 16 oz", + "non gmo ghee pack of 2", + "non gmo ghee pack 16 oz", + "organic ghee pack of 16 ounces", + "non gmo ghee pack 16 ounces", + "organic ghee pack 16 ounces" + ], + "i want a microsoft surface pro 4 tablet with intel i5-6300u.": [ + "microsoft surface pro 4 tablet with intel i5-6300u", + "microsoft surface pro 4 tablet i5-6300u", + "misoft surface pro 4 tablet with intel i5-6300u", + "microsoft surface pro 4 tablet with intel i5-6300u.", + "a microsoft surface pro 4 tablet with intel i5-6300u", + "macsoft surface pro 4 tablet with intel i5-6300u", + "Microsoft surface pro 4 tablet with intel i5-6300u", + "soft surface pro 4 tablet with intel i5-6300u", + "microsoft surface pro 4 tablet with intel i5-6300u,", + "microsoft surface pro 4 tablet i5-6300u." + ], + "i'm looking for a woman's xx large black hoodie.": [ + "womens xx large black hoodie", + "womans xx large black hoodie", + "womens xx large black hoodie.", + "womans xx large black hoodie.", + "mwans xx large black hoodie", + "womens xx large black hoodie,", + "womens x large black hoodie", + "large black hoodie", + "womens xxl hoodie", + "large black hoodie womans xx" + ], + "i would like to buy vitamins which are non gmo, and gluten free, and they should be organic womens gummy kind.": [ + "organic womens gummy vitamins", + "non gmo vitamins", + "natural womens gummy vitamins", + "natierra womens gummy vitamins", + "organic womens gummy", + "non gmo vitamins and gluten free", + "non gmo, gluten free vitamins", + "non-gmo vitamins", + "organic womens gummy vitamin", + "organic womens gummy vitamins," + ], + "i am looking for black color , 15 size women high heel and pointed toe slip on pumps": [ + "black woman high heel and pointed toe slip on pumps", + "black women high heel and pointed toe slip on pumps", + "size women high heel and pointed toe slip on pumps", + "woman high heel and pointed toe slip on pumps", + "15 size women high heel and pointed toe slip", + "black woman high heel and toe slip on pumps", + "black woman high heel and pointed toe slip", + "black woman high heel toe slip pumps", + "woman high heel and pointed toe slip on pumps black", + "black woman high heel" + ], + "i would like a 3xl blue long sleeve polo.": [ + "3xl blue long sleeve polo", + "3xl long sleeve polo", + "3xl blue long sleeve polo.", + "3xl long sleeve polo under $50", + "3xl long sleeve polo under $40", + "3 xl blue long sleeve polo", + "3xl long sleeve polo under $60", + "3xl long sleeve polo.", + "3xl long sleeve polo under 50 dollars", + "3 xl long sleeve polo" + ], + "i am looking for a stool set of size 30 inch for my dining room.": [ + "stool set of size 30 inch dining room", + " stool set of size 30 inch dining room", + "stainless 30 inch dining room stool set", + "stool set of size 30 inch dining room.", + "stools set of size 30 inch dining room", + "st stool set of size 30 inch dining room", + "stool set of size 30 inch for dining room", + "bar stool set of size 30 inch dining room", + "living room stool set of size 30 inch", + "small stool set of size 30 inch dining room" + ], + "i need a ten pack of male to male hdmi cables that are gold plated and high speed.": [ + "10 pack of male to male hdmi cables", + "ten pack of male to male hdmi cables", + "10 pack of male to male hdmi cables that are gold plated", + "10 pack of male to male hdmi cables gold plated and high speed", + "ten pack of male to male hdmi cables that are gold plated", + "10 pack of male to male hdmi cables gold plated high speed", + "pink hdmi cables that are gold plated and high speed", + "10 pack of male to male hdmi cables gold plated", + "stainless steel hdmi cables", + "pink hdmi cables" + ], + "i want to buy pillow covers which are suitable for living room, and are in dark blue or light grey colors, and i want to have 2 of them with size 12\" x20\"": [ + "pink pillow covers for living room in dark blue or light grey colors", + "pink pillow covers for living room size 12 x20", + "pink pillow covers suitable for living room colors 12 x20", + "pump covers for living room in dark blue or light grey colors", + "pink pillow covers that are suitable for living room colors 12 x20", + "pump covers for living room size 12 x20", + "pink pillow covers, suitable for living room colors 12 x20", + "pink pillow covers 12 x20", + "pink pillow covers, suitable for living room, dark blue or light grey", + "pink pillows 12 x20" + ], + "i want to find a certified organic premium tea gift set.": [ + "certified organic premium tea gift set", + "tea gift set certified organic", + "a certified organic premium tea gift set", + "living tea gift set certified organic", + "organic premium tea gift set", + "eco-friendly tea gift set", + "certified organic tea gift set", + "natural premium tea gift set", + "organic premium tea gift set.", + "curtains tea gift set" + ], + "i am looking for a 55 inch high definition ultra thin tv.": [ + "55 inch high definition ultra thin tv", + "55 inch ultra thin tv", + " 55 inch high definition ultra thin tv", + "coaxial high definition ultra thin tv", + "50 inch high definition ultra thin tv", + "coaxial ultra thin tv", + "50 inch ultra thin tv", + "55 inch high definition ultra thin tv.", + "coaxial ultra thin tv 55 inches", + " 55 inch ultra thin tv" + ], + "i would like a pink body brush that has a long handle.": [ + "pink body brush with long handle", + "pink body brush that has long handle", + "pink body brush with a long handle", + "pink body brush", + "pink body brush long handle", + "pink body brush, long handle", + "pink body brush with long handle.", + "pink body brush with long handle,", + "pink body brush with handle", + "pink body brush no handle" + ], + "i am looking for some 18 inch medium brown synthetic hair extensions.": [ + "18 inch medium brown synthetic hair extensions", + "18 inch medium brown synthetic hair extension", + "18 inch brown synthetic hair extensions", + " 18 inch medium brown synthetic hair extensions", + "18 inch synthetic hair extensions", + "18 inches medium brown synthetic hair extensions", + "18 inch long brown synthetic hair extensions", + "18 inch natural hair extensions", + "18 inch brown synthetic hair extension", + "18 inch synthetic hair extension" + ], + "i want dark blonde hair extensions.": [ + "dark blonde hair extensions", + "dark blonde hair extension", + "dark blonde hair extensions under $50", + "dark blonde hair extensions under $40", + "dark blonde wig extensions", + "dark blonde hair extensions under $60", + "dark blonde hair extensions.", + "dark blonde hair extensions under 50 dollars", + "dark blonde hair extensions under 30 dollars", + "dark blonde hair extensions," + ], + "i would like a 2xl khaki cardigan that is machine washable.": [ + "2xl khaki cardigan", + "2xl khaki cardigan machine washable", + "2xl khaki cardigan, machine washable", + "2 xl khaki cardigan", + "2xl khaki cardigan with machine washable", + "2xl khaki cardigan in machine washable", + "2 xl khaki cardigan machine washable", + "2xl khaki cardigan under $50", + "2xl khaki cardigan machine washable.", + "shoes 2xl" + ], + "i'm looking for unisex garden clogs shoes.": [ + "unisex garden clogs shoes", + "unisex garden clogs shoes.", + "unisex garden clogs shoe", + "nonisex garden clogs shoes", + "undisex garden clogs shoes", + "unisex garden clogs shoes,", + "unisex garden clogs", + "anisex garden clogs shoes", + "unisex garden clogs walking shoes", + "garden clogs shoes" + ], + "i want a 90 by 30 desk with a solid wood frame.": [ + "90 by 30 desk with a solid wood frame", + "90 by 30 desk", + "90 by 30 desk with solid wood frame", + "90 x 30 desk with a solid wood frame", + "90x 30 desk with a solid wood frame", + "90 by 30 desk, solid wood frame", + " 90 by 30 desk with a solid wood frame", + "90 by 30 desk that is solid wood frame", + "90 by 30 desk with wood frame", + "90 by 30 desk wood frame" + ], + "i need a high power cable that is color3": [ + "high power cable color3", + "high power cable color 3", + "color3 high power cable", + "color 3 high power cable", + "white high power cable color3", + "blue high power cable color3", + "low power cable color3", + "high power cable colored 3", + "white high power cable color 3", + "blue high power cable color 3" + ], + "i want to find a set of four vanity lights that are easy to install. they must be gold.": [ + "4 vanity lights gold", + "four vanity lights gold", + "living room vanity lights gold", + "4 vanity lights", + "4 vanity lights, gold", + "three vanity lights gold", + "4 gold vanity lights", + "4 vanity lights easy to install", + "gold vanity lights", + "4 vanity lights, gold," + ], + "i want a gluten free and blueberry coconut rise energy plus bar.": [ + "gluten free and blueberry coconut rise energy plus bar", + "gluten free and blueberry coconut rise energy plus bar.", + "gluten free and blueberry coconut rise energy plus bar,", + "gluten-free and blueberry coconut rise energy plus bar", + "gluten free coconut rise energy plus bar", + "gluten free and blueberry coconut rose energy plus bar", + "gluten free, blueberry coconut rise energy plus bar", + "gluten free blueberry coconut rise energy plus bar", + "gluten free and blueberry coconut rise", + "gluten free and blueberry coconut rise drink mix" + ], + "i need a soy free raspberry pomegranate rise energy plus bar.": [ + "soy free raspberry pomegranate rise energy plus bar", + "soy free raspberry pomegranate rise energy plus bar", + "sneakers free raspberry pomegranate rise energy plus bar", + "sugar free raspberry pomegranate rise energy plus bar", + "synthetic raspberry pomegranate rise energy plus bar", + "strawberry pomegranate rise energy plus bar", + "yog free raspberry pomegranate rise energy plus bar", + "soy free raspberry pomegranate rise energy plus bar.", + "semi free raspberry pomegranate rise energy plus bar", + "synthetic pomegranate rise energy plus bar" + ], + "i'm looking for spring coil mattress.": [ + "spring coil mattress", + "im looking for spring coil mattress.", + "spring coil mattress.", + "spray coil mattress", + "spring coil mattress under $50", + "spring coil mattress that is spring", + "spring coil mattress that is spring quality", + "spring coil mattress under $40", + "spring coil mattress under $130", + "spring coil mattress under $120" + ], + "i am looking for navy color x-large womens long sleeve open front cardigan sweaters": [ + "navy color x-large womens long sleeve open front cardigan sweaters", + " navy color x-large womens long sleeve open front cardigan sweaters", + "womens long sleeve open front cardigan sweaters", + "navy color x-large womens long sleeve open front cardigan sweater", + "womens long sleeve open front cardigan sweaters navy color x-large", + "womens long sleeve open front cardigan sweaters navy", + "anal color x-large womens long sleeve open front cardigan sweaters", + "navy color x-l womens long sleeve open front cardigan sweaters", + "navy blue cardigan sweaters", + "blue cardigan sweaters" + ], + "i am looking for adjustable and quick release pink color smartwatch strap": [ + "pink color smartwatch strap", + "pink smartwatch strap", + "plastic pink smartwatch strap", + "pink colored smartwatch strap", + "pink wireless smartwatch strap", + "pink color smartwatch strap,", + "pink-colored smartwatch strap", + "pink pink smartwatch strap", + "pink watch strap", + "smartwatch strap" + ], + "i'm looking for a tower pc with a high performance": [ + "tower pc with a high performance", + "tower pc with high performance", + "tower pc high performance", + "tower pc that is high performance", + "clock pc with a high performance", + "tower pc with a high performance", + "clock pc with high performance", + "tower pc with high performance", + "telescope pc with high performance", + "tower pc, high performance" + ], + "i want a 44wide by 30 long active fit pants made of quality materials.": [ + "44wide by 30 long active fit pants made of quality materials", + " 44wide by 30 long active fit pants made of quality materials", + "43wide by 30 long active fit pants made of quality materials", + "42wide by 30 long active fit pants made of quality materials", + "44wide by 30 long active fit pants made from quality materials", + "45wide by 30 long active fit pants made of quality materials", + "44wide by 30 long active fit pants", + "megawide by 30 long active fit pants made of quality materials", + "40wide by 30 long active fit pants made of quality materials", + " 44wide by 30 long active fit pants" + ], + "i am looking for ca perfume club fragrance in the 0.17 fl oz travel size.": [ + "pink perfume club fragrance in the 0.17 fl oz travel size", + "pomegranate club fragrance in the 0.17 fl oz travel size", + "pink perfume club fragrance in the 0.17 fl oz travel size.", + "cup perfume club fragrance in the 0.17 fl oz travel size", + "pink perfume club fragrance in a 0.17 fl oz travel size", + "a perfume club fragrance in the 0.17 fl oz travel size", + "pink perfume club fragrance 0.17 fl oz travel size", + "pomegranate club fragrance in a 0.17 fl oz travel size", + "a perfume club fragrance in the 0.17 fl oz travel size.", + "cup perfume club fragrance in the 0.17 fl oz travel size." + ], + "i'm locking for 3 packs of nutpods coconut macaroon.": [ + "3 packs of nutpods coconut macaroon", + "3 pack of nutpods coconut macaroon", + "4 packs of nutpods coconut macaroon", + "pack of nutpods coconut macaroon", + "three packs of nutpods coconut macaroon", + "nutpods coconut macaroon", + "natural nutpods coconut macaroon", + "barbecue nutpods coconut macaroon", + "nutpods coconut macaroon.", + "natural nutpods coconut macaroon." + ], + "i am looking for a pair of women's size 11 pumps with a rubber sole.": [ + "womens size 11 pumps with a rubber sole", + "womens size 11 pumps", + "womens size 11 pumps with rubber sole", + "woman size 11 pumps with a rubber sole", + "womens size 11 pumps rubber sole", + "mens size 11 pumps with a rubber sole", + "womens size 11 pumps, rubber sole", + "womens size 11 pump with a rubber sole", + "two womens size 11 pumps with a rubber sole", + "size 11 pumps with a rubber sole" + ], + "i need a remote control that has batteries included": [ + "remote control with batteries", + "remote control remote control with batteries", + "remote control that has batteries", + "remote control remote control", + "remote control that has batteries included", + "remote control remote control no batteries", + "remote control for remote control", + "remote control system with batteries", + "remote control no batteries", + "remote control" + ], + "i would like a 6 inch full size brown bed with a steel frame.": [ + "6 inch full size brown bed with a steel frame", + "6 foot full size brown bed with a steel frame", + "6 inch full size brown bed", + "6 ft full size brown bed with a steel frame", + "6 inch full size brown bed with steel frame", + "6ft full size brown bed with a steel frame", + "6x6 brown bed with a steel frame", + "6 inch full size brown bed, steel frame", + "6 inch full bed with a steel frame", + "6 inch brown bed with a steel frame" + ], + "i'm looking for a pair mavi's regular rise, classic fit jeans in smoke blue twill in a size 34.": [ + "mavis regular rise jeans in smoke blue twill in a size 34", + "mens regular rise jeans in smoke blue twill in a size 34", + "mavis regular rise jeans in smoke blue twill size 34", + "mens regular rise jeans in smoke blue twill size 34", + "mavis regular rise jeans in smoke blue twill in a size 34.", + "mavis regular rise, classic fit jeans in smoke blue twill size 34", + "muskmavis regular rise jeans in smoke blue twill in a size 34", + "mens regular rise, classic fit jeans in smoke blue twill size 34", + "mavis regular rise jeans in smoke blue twill", + "mens regular rise jeans in smoke blue twill" + ], + "i want a silver makeup travel storage case.": [ + "silver makeup travel storage case", + "silver makeup travel storage case.", + "silver makeup travel storage case,", + "silver makeup travel storage case under $40", + "silver makeup travel storage case under $50", + "silver makeup travel storage case under $60", + "plastic travel storage case silver makeup travel", + "silver makeup travel storage case under $120", + "plastic makeup travel storage case silver", + "silver makeup travel storage case silver" + ], + "i am looking for a 63 inch wide by 72 inch long white curtain for my living room.": [ + " 63 inch wide by 72 inch long white curtain", + "63 inch wide by 72 inch long white curtain", + "63 inch wide by 72 inch long white curtain living room", + " 63 inch wide by 72 inch long white curtain living room", + "synthetic white curtain for living room", + "64 inch wide by 72 inch long white curtain", + "synthetic white curtain", + "gluten free white curtain for living room", + "gluten free living room white curtain", + "glen white living room" + ], + "i am looking for 36 dirt bike themed cupcake toppers for a birthday party.": [ + "dust bike themed cupcake toppers for a baby shower", + "dirt bike themed cupcake toppers for a baby shower", + "28 dirt bike themed cupcake toppers for a baby shower", + "36 dirt bike themed cupcake toppers for a baby shower", + "16 dirt bike themed cupcake toppers for a baby shower", + "dust bike themed cupcake toppers for a birthday party", + "bagcake toppers for a baby shower", + "36 dirt bike themed cupcake toppers for a birthday party", + "dirt bike themed cupcake toppers for a birthday party", + "28 dirt bike themed cupcake toppers for a birthday party" + ], + "i would like a light pink cosmetic case that is space saving.": [ + "light pink cosmetic case that is space saving", + "light pink cosmetic case", + "pink cosmetic case that is space saving", + "low pink cosmetic case that is space saving", + "light pink cosmetic case, space saving", + "light pink cosmetic case space saving", + "small pink cosmetic case that is space saving", + "light pink cosmetic case with space saving", + "pink cosmetic case space saving", + "low pink cosmetic case" + ], + "i want to find a plus-sized medium short-sleeve top for women in navy.": [ + "large short-sleeve top for women in navy", + "size medium short-sleeve top for women in navy", + " plus-sized short-sleeve top for women in navy", + "plus-sized short-sleeve top for women in navy", + "medium short-sleeve top for women in navy", + "large short-sleeve top for women in navy.", + "size medium short-sleeve top for women in navy.", + "navy plus-sized short-sleeve top", + "medium short-sleeve top for women in navy.", + "sleeve top for women in navy" + ], + "find this product : gomacro macrobar organic vegan protein bars - oatmeal chocolate chip butter (2.4 oz. bars, 12 count) gluten free high protein.": [ + "gomacro macrobar organic vegan protein bars - oatmeal chocolate chip butter", + "gomacro macrobar organic vegan protein bars, 12 count) gluten free", + "gomacro macrobar organic vegan protein bars 12 count) gluten free", + "gomacro macrobar organic vegan protein bars gluten free", + "gomacro macrobar organic vegan protein bars gluten free high protein", + "gomacro macrobar organic vegan protein bars", + "gomacro macrobar organic vegan protein bars that are gluten free", + "gomacro macrobar organic vegan protein bars 12 count", + "gomacro macrobar organic vegan protein bar gluten free high protein", + "gomacro macrobar organic vegan protein bar" + ], + "i want highlighting caps for dyeing hair. it should be easy to use.": [ + " highlighting caps for dyeing hair", + " highlighting caps for dyeing hair whose price is easy to use", + "toothpaste caps for dyeing hair easy to use", + "lightening caps for dyeing hair", + "highlighting caps for dyeing hair", + " highlighting caps for dyeing hair. easy to use.", + "king caps for dyeing hair", + "case highlighting caps for dyeing hair", + "toothpaste caps for dyeing hair", + "shorts caps for dyeing hair" + ], + "i am looking for a pack of one heavy duty nail clippers": [ + "pack of one heavy duty nail clippers", + "one heavy duty nail clippers", + "one heavy duty nail clippers pack", + "nail clippers pack heavy duty", + "two heavy duty nail clippers", + "bag of one heavy duty nail clippers", + "two heavy duty nail clippers pack", + "three heavy duty nail clippers", + "heavy duty nail clippers pack", + "nail clippers pack of 1 pack" + ], + "i would like to get a mint and matcha tea lip balm that is certified organic.": [ + "mint and matcha tea lip balm that is certified organic", + "mint and matcha tea lip balm", + "mint and matcha tea lip balm certified organic", + "mint and matcha tea lip balm", + "mens and matcha tea lip balm that is certified organic", + "mens and matcha tea lip balm", + "mint and matcha tea lip balm, certified organic", + "mens and matcha tea lip balm certified organic", + "mint and matcha tea lip balm certified organic", + "m mint and matcha tea lip balm" + ], + "i am looking for a set of white hands free and fast charging ear buds with a charging case.": [ + "white hands free charging ear buds with charging case", + "white hands free and fast charging ear buds", + "white wireless charging ear buds with charging case", + "white and fast charging ear buds with charging case", + "white, fast charging ear buds with charging case", + "white charging ear buds with charging case", + "white long charging ear buds with charging case", + "white hands free charging ear buds", + "white ear buds with charging case", + "white wireless charging ear buds" + ], + "i am interested in buying hdmi display cable which is gold plated and provides high speed.": [ + "hdmi display cable gold plated", + "hdmi display cable which is gold plated", + " hdmi display cable gold plated", + "gold plated hdmi display cable", + "hdmi display cable, gold plated", + "hdmi display cable gold plated", + "hdmi display cable that is gold plated", + "hdmi display cable gold plated high speed", + "gmo display cable gold plated", + "high speed hdmi display cable" + ], + "i'm looking for 1 pack of permanent hair dye for my husband; i want the jet black colour but it must make his hair look natural.": [ + "1 pack of permanent hair dye for my husband", + "1 pack of permanent hair dye", + "1 pack of permanent hair dye in jet black", + "1 pack of permanent hair dye, jet black", + "pink hair dye for my husband", + "pink permanent hair dye for my husband", + "1 pack of natural hair dye", + "1 pack of permanent hair dye, natural", + "2 pack of permanent hair dye", + "petroleum colored hair dye" + ], + "i am looking for a solid wood chaise lounge for my living room.": [ + "solid wood chaise lounge for my living room", + "living room solid wood chaise lounge", + "solid wood chaise lounge for my living room.", + "a solid wood chaise lounge for my living room", + "solid wood chaise lounge for the living room", + "solid wood chaise lounge for living room", + "solid wood chaise lounge in my living room", + "solid wood chaise lounge living room", + "stainless wood chaise lounge for living room", + "solid wood chaise lounge" + ], + "i'm looking for premium chunk chicken fully cooked in 12.5 oz (pack of 6)": [ + "premium chunk chicken fully cooked in 12.5 oz (pack of 6)", + "premium chunk chicken fully cooked in 12.5 oz (pack of 6),", + "premium chunk chicken fully cooked 12.5 oz (pack of 6)", + "Premium chunk chicken fully cooked in 12.5 oz (pack of 6)", + "pink chunk chicken fully cooked in 12.5 oz (pack of 6)", + " premium chunk chicken fully cooked in 12.5 oz (pack of 6)", + "premium chunk chicken fully cooked 13.5 oz (pack of 6)", + "premium chunk chicken fully cooked in 12.5 oz", + "premium chunk chicken fully cooked in 12 oz (pack of 6)", + "premium chunk chicken fully cooked" + ], + "looking for relaxed fit men's dark pajamas with checker pant": [ + "mens dark pajamas with checker pant", + "comfortable fit mens dark pajamas with checker pant", + "easy fit mens dark pajamas with checker pant", + "lens dark pajamas with checker pant", + "living mens dark pajamas with checker pant", + "faux fit mens dark pajamas with checker pant", + "fog mens dark pajamas with checker pant", + "muskmens dark pajamas with checker pant", + "dark pajamas with checker pant", + "mens dark pajamas with checker pant, relaxed fit" + ], + "i'm looking for a stainless steel dental scaler.": [ + "stainless steel dental scaler", + "stainless steel dental scaler.", + "stainless steel dental scaler under $50", + "stainless steel dental scaler under $40", + "stainless steel dental scaler under $60", + "stainless steel dental scaler under 50 dollars", + "stainless steel dental scaler under $120", + "stainless steel dental scaler under $130", + "stainless steel dental scaler under 30 dollars", + "stainless steel dental scaler," + ], + "i want to buy a black colred heavy duty bok case which is easy to assemble and has ample storage space.": [ + "black colred heavy duty bok case with ample storage", + "black colred heavy duty bok case", + "black colred heavy duty bok case with ample storage space", + "black colred heavy duty bok case with storage space", + "black colred heavy duty bok case with storage", + "black heavy duty bok case with ample storage", + "black heavy duty bok case", + "black bok case", + "black bok case with ample storage", + "black bok case with storage space" + ], + "i'm looking for a women's long sleeve t-shirt in size medium. choose the ones that come in color n04-black.": [ + "womens long sleeve t-shirt in size medium n04-black", + "womens long sleeve t-shirt in size medium", + "womens long sleeve t-shirt n04-black", + "womens long sleeve t-shirt in size n04-black", + "womens long sleeve t-shirt in color n04-black", + "womens long sleeve t-shirt in n04-black", + "womens long sleeve t-shirt in a size medium", + "womens long sleeve t-shirt in size medium under $40", + "womens long sleeve t-shirt in size medium under $50", + "womens long sleeve t-shirt" + ], + "i'm looking for tov ultra modern furniture barstool.": [ + "tov ultra modern furniture barstool", + "tov ultra modern furniture barstool.", + "tv ultra modern furniture barstool", + "i want tov ultra modern furniture barstool.", + "tov ultra modern furniture barstool,", + "tov ultra modern furniture barstool under $50", + "tov ultra modern furniture barstool under $40", + "uv ultra modern furniture barstool", + "tov ultra modern furniture barstool under $60", + "tov ultra modern furniture barstool under 50 dollars" + ], + "i am looking for panoramic ballhead easy install tripod camera mount": [ + "panoramic ballhead easy install tripod camera mount", + "pink panoramic ballhead easy install tripod camera mount", + "pansoramic ballhead easy install tripod camera mount", + " panoramic ballhead easy install tripod camera mount", + "pale panoramic ballhead easy install tripod camera mount", + "ponoramic ballhead easy install tripod camera mount", + "panorama ballhead easy install tripod camera mount", + "pantoramic ballhead easy install tripod camera mount", + "panoramic ballhead tripod camera mount", + "panoramic ballhead easy install tripod camera mount " + ], + "i am looking for 4.69 ounce (pack of 4) hand crafted cinnamon caramel flavoured chewy butter caramel candies": [ + "pack of 4) hand crafted cinnamon caramel flavoured chewy butter caramel candies", + "hand crafted cinnamon caramel flavoured chewy butter caramel candies", + "bag of 4) hand crafted cinnamon caramel flavoured chewy butter caramel candies", + "hand crafted cinnamon caramel flavoured chewy butter caramel candies 4.69 oz", + "4.69 ounce (pack of 4) hand crafted cinnamon caramel flavoured chewy butter caramel", + "caramel flavoured chewy butter caramel candies 4.69 oz", + "4.69 ounce (pack of 4) hand crafted cinnamon caramel flavoured chewy butter candies", + "pack of 4) hand crafted cinnamon caramel flavoured chewy butter caramel candies under $40", + "4.69 ounce (pack of 4) hand crafted cinnamon caramel flavoured chewy butter caramel candy", + "caramel flavoured chewy butter caramel candies" + ], + "i am looking for a green tea facial scrub.": [ + "green tea facial scrub", + "green tea facial scrub under $40", + "green tea facial scrub under $50", + "green tea facial scrub.", + "green tea facial scrub under $60", + "green tea facial scrub under 50 dollars", + "green tea facial scrub under 30 dollars", + "green tea facial scrub below $40", + "green tea facial scrub below $50", + "green tea facial scrub," + ], + "i am looking for some sugar free sriracha bacon jerky.": [ + "sugar free sriracha bacon jerky", + "sugar free sriracha bacon jerky under $40", + "sugar free sriracha bacon jerky under $60", + "sugar free sriracha bacon jerky below $40", + "sugar free sriracha bacon jerky under $50", + "sugar free sriracha bacon jerky under 50 dollars", + "sugar free sriracha bacon jerky below $60", + "sugar free sriracha bacon jerky under 30 dollars", + "sugar free sriracha bacon jerky below $50", + "sugar free sriracha bacon jerky." + ], + "i would like deep concealer for dark circles.": [ + "deep concealer for dark circles", + "deep concealer for dark circles.", + "deep concealer dark circles", + "deep concealer dark circles under $50", + "deep concealer dark circles under $40", + "Deep concealer for dark circles", + "deep concealer dark circles under $60", + "dark circles deep concealer", + "Deep concealer dark circles", + "deep concealer" + ], + "i'm looking for mid century sofa sleeper for living room.": [ + "mid century sofa sleeper for living room", + "mid century sofa sleeper for living room.", + "mid century sofa sleeper living room", + "mid century sofa sleeper in living room", + "mid century sofa sleeper", + "mid century sofa sleeper, living room", + "mid century sofa sleeper living room.", + "mid century sofa sleeper for living room,", + "mid century sofa sleeper in living room.", + "mid century sofa sleeper dining room" + ], + "i need a purple eyeshadow set": [ + "pink eyeshadow set", + "plastic eyeshadow set", + "psi purple eyeshadow set", + "ps purple eyeshadow set", + "blue eyeshadow set", + "purple eyeshadow set", + "green eyeshadow set", + "pink eyeshadow", + "vegan eyeshadow set", + "pink eyeshadow set," + ], + "i want to find a glass tempered screen protector for my huawei p30 lite.": [ + "glass tempered screen protector for huawei p30 lite", + "glass tempered screen protector huawei p30 lite", + "glass tempered screen protector, huawei p30 lite", + "glass tempered screen protector", + "window protector for huawei p30 lite", + "glass tempered screen protector for huawei p30 l", + "glass tempered screen protector huawei p30 lite.", + "glass tempered screen protector huawei p30 l", + "window protector huawei p30 lite", + "glass tempered screen protector for huawei p30" + ], + "i want the noise cancelling bluetooth earbuds,kurdene wireless earbuds with wireless charging case and the color should be wathet": [ + " noise cancelling bluetooth earbuds with wireless charging case", + "noise cancelling bluetooth earbuds with wireless charging case", + "sound cancelling bluetooth earbuds with wireless charging case", + "kurdene wireless earbuds with wireless charging case", + "kurdene wireless earbuds with wireless charging case wathet", + "noise cancelling bluetooth earbuds", + " noise cancelling bluetooth earbuds with wireless charging", + " noise cancelling bluetooth earbuds", + "pink wireless earbuds with wireless charging case", + "nuetooth earbuds with wireless charging case" + ], + "i am looking for some pink cupcake toppers for a birthday cake.": [ + "pink birthday cupcake toppers", + "pink birthday cake toppers", + "pink cupcake toppers birthday cake", + "pink cake toppers for a baby shower", + "pink cake toppers for a birthday cake", + "cupcake toppers for a birthday cake", + "pink cupcake toppers for birthday cake", + "pink baby shower cupcake toppers", + "pink cupcake toppers", + "pink baby shower cake toppers" + ], + "i want to buy sleepwear for women which have elastic waist and are of black color, while also their size should be large.": [ + "sleepwear for women size should be large", + "sleepwear for women size large", + "sleepwear for women with elastic waist black", + "sleepwear for women black", + "sleepwear for women large", + "sleepwear for women in black", + "sleepwear for women that are large", + "sleepwear for women in a black color", + "sleepwear large", + "sleepwear black" + ], + "i would like a small short signal green track pant with a elastic waist.": [ + "small short signal green track pant", + "small short signal green track pant, elastic waist", + "small green track pant with a elastic waist", + "small short signal green track pant with elastic waist", + "small red track pant with a elastic waist", + "small short signal green track pant under $40", + "small short signal green track pant under $50", + "small grass pant with a elastic waist", + "small long signal green track pant", + "small green track pant" + ], + "i'm looking for a mini desktop pc with an aluminum alloy case that also has 8 gb of ram and a 240 gb ssd.": [ + "mini desktop pc with an aluminum alloy case that also has 8 gb of ram and a 240 gb ssd", + "tablet pc with an aluminum alloy case that also has 8 gb of ram and a 240 gb ssd", + "desktop pc with an aluminum alloy case that also has 8 gb of ram and a 240 gb ssd", + "mini desktop pc with an aluminum alloy case with 8 gb of ram and a 240 gb ssd", + "mini desktop pc with an aluminum alloy case that also has 8 gb of ram and a 240gb ssd", + "mini desktop pc with an aluminum alloy case", + "mini desktop pc with an aluminum alloy case that also has 8gb of ram and a 240 gb ssd", + "tablet pc with an aluminum alloy case with 8 gb of ram and a 240 gb ssd", + "desktop pc with an aluminum alloy case that also has 8 gb of ram and a 240 gb ssd.", + "mini desktop pc with an aluminum alloy case that also has 8 gb of ram and a 240gb ssd." + ], + "i'm looking for a quad-core i5 touchscreen laptop computer; specifically with 16 gig ddr4 and 512 gig pcie ssd.": [ + "quad-core i5 touchscreen laptop computer with 16 gig ddr4 and 512 gig pcie ssd", + "quad-core i5 touchscreen laptop computer", + "i5 touchscreen laptop computer with 16 gig ddr4 and 512 gig pcie ssd", + " quad-core i5 touchscreen laptop computer with 16 gig ddr4 and 512 gig pcie ssd", + "tablet with 16 gig ddr4 and 512 gig pcie ssd", + "i5 touchscreen laptop computer with 16 gig ddr4 and 512 gig pcie ssd.", + "tablet computer with 16 gig ddr4 and 512 gig pcie ssd", + "i5 touchscreen laptop computer with 16 gig ddr4 and 512 gig pcie ssd,", + "tablet with 16 gig ddr4 and 512 gig pcie ssd.", + "tablet computer with 16 gig ddr4 and 512 gig pcie ssd." + ], + "i am looking for video recording camera that is easy to use.": [ + "easy to use video recording camera", + "easy-to-use video recording camera", + "simple to use video recording camera", + "easy to use video recording camera under $40", + "easy to use video recording camera under $60", + "easy to use video recording camera under $50", + "tv recording camera that is easy to use.", + "tv recording camera that is easy to use", + "easy setup video recording camera", + "living room video recording camera" + ], + "i want to find a queen-sized safavieh contemporary navy velvet bed in gray.": [ + "queen-sized safavieh contemporary navy velvet bed in gray", + "queen-size safavieh contemporary navy velvet bed in gray", + "a queen-sized safavieh contemporary navy velvet bed in gray", + "Queen-sized safavieh contemporary navy velvet bed in gray", + " queen-sized safavieh contemporary navy velvet bed in gray", + "queen-style safavieh contemporary navy velvet bed in gray", + "com queen-sized safavieh contemporary navy velvet bed in gray", + "queen size safavieh contemporary navy velvet bed in gray", + "queen-sized safavieh contemporary navy velvet bed", + "queen-sized safavieh contemporary navy velvet bed, gray" + ], + "i'm looking for lumbar tassel tufted pillow covers.": [ + "lumbar tassel tufted pillow covers", + "lipar tassel tufted pillow covers", + "lumbar tassel tufted pillow cover", + "i lumbar tassel tufted pillow covers", + " lumbar tassel tufted pillow covers", + "lumbar tassel tufted pillow covers.", + "lumbar tassels tufted pillow covers", + "lumbar tassel tufted pillow covers,", + "lundar tassel tufted pillow covers", + "lipar tassel tufted pillow cover" + ], + "i'm looking for a woman's long sleeve shirt in a size 5 extra large.": [ + "womens long sleeve shirt in a size 5 extra large", + "womans long sleeve shirt in a size 5 extra large", + "womens long sleeve shirt size 5 extra large", + "womens long sleeve shirt in size 5 extra large", + "womens long sleeves shirt in a size 5 extra large", + "womens long sleeve shirt, size 5 extra large", + "womens long sleeve shirt in a size 5extra large", + "womens long sleeve shirt a size 5 extra large", + "womens long sleeve shirt", + "womens long sleeve shirt 5 extra large" + ], + "i would like a pink hair cutting kit that is easy to use": [ + "pink hair cutting kit", + "pink hair cutting kit easy to use", + "pink hair cutting kit, easy to use", + "pink hair cutting kit under $40", + "pink hair cutting kit for women", + "pink hair cutting kit under $50", + "pink hair cutting kit under $60", + "pink human hair cutting kit", + "pink wig cutting kit", + "beauty cutting kit" + ], + "i'm looking for a rich and creamy low carb ice cream. choose the ones that are best seller.": [ + "rich and creamy low carb ice cream", + "rich and creamy low carb ice cream under $40", + "rich and creamy low carb ice cream under $60", + "rich and creamy low carb ice cream under 50 dollars", + "rich and creamy low carb ice cream under 60 dollars", + "rich and creamy low carb ice cream under $50", + "rich and creamy low carb ice cream no sugar", + "rich creamy low carb ice cream", + "low carb ice cream", + "chocolate low carb ice cream" + ], + "i would like a color s tongue cleaner for oral hygiene.": [ + "tongor cleaner oral hygiene", + "toothpaste color s oral hygiene", + "colored oral hygiene tongue cleaner", + "tongle cleaner oral hygiene", + "tongor cleaner for oral hygiene", + "tongeline cleaner oral hygiene", + "teeth cleaner oral hygiene", + "white oral hygiene tongue cleaner", + "color s oral hygiene", + "tongel cleaner oral hygiene" + ], + "i am looking for some high quality glitter nail polish that is paraben free.": [ + "glitter nail polish paraben free", + "lip polish that is paraben free", + "lip polish paraben free", + "glitter polish that is paraben free", + "glitter polish paraben free", + "glitter nail polish", + "high quality glitter nail polish", + "lip polish that is paraben free.", + "glitter polish", + "lip polish" + ], + "gold plated micro hdmi to hdmi cable size 50 cm": [ + "gold plated micro hdmi cable size 50 cm", + "gold plated micro hdmi cable", + "gold plated micro hdmi cable 50 cm", + "gold plated micro hdmi cable size 50cm", + "gold plated micro hdmi cable size 50 centimeters", + "gold plated micro hdmi cable size 50", + "gold plated micro hdmi cable under $50", + "gold plated micro hdmi", + "gold plated micro hdmi cable under 50 dollars", + "gold plated micro hdmi cable under 50 cm" + ], + "i want a silver plug and play usb c headphone & microphone adapter.": [ + "silver plug and play usb c headphone & microphone adapter", + "silver plug and play usb c headphone and microphone adapter", + "silver plug and play usb c headphone & microphone adapter.", + "silver plug plug and play usb c headphone & microphone adapter", + "silver plug and play usb c headphone & microphone adapter,", + "silver plug and play usb c headphone and microphone adapter.", + "silver plug and play usb c headphone & microphone", + "silver plug and play usb c headphone & microphone adapter for woman", + "silver plug usb c headphone & microphone adapter", + "silver plug and play usb c headphone" + ], + "i'm looking for waterproof wildlife hunting trail camera.": [ + "waterproof wildlife hunting trail camera", + "im looking for waterproof wildlife hunting trail camera.", + "waterproof wildlife hunting trail camera.", + "waterproof wildlife hunting trail camera under $40", + "waterproof wildlife hunting trail camera under $50", + "waterproof wildlife hunting trail camera under $60", + "waterproof wildlife hunting trail camera under 50 dollars", + "waterproof wildlife hunting trail camera under $120", + "waterproof wildlife hunting trail camera under $130", + "womens hiking trail camera waterproof" + ], + "i want a bottle of handcraft ginger tea tree essential oil.": [ + "handcraft ginger tea tree essential oil", + "handcraft ginger tea tree essential oil.", + "handcraft ginger tea tree essential oil under $40", + "handcraft ginger tea tree essential oil under $50", + "handcraft ginger tea tree essential oil under $60", + "handcraft ginger tea tree essential oil under 50 dollars", + "handcraft ginger tea tree essential oil bottle", + "handcraft ginger tea tree essential oil under 30 dollars", + "handcraft ginger tea tree essential oil below $40", + "handcraft ginger tea tree essential oil below $50" + ], + "looking for high gloss contemporary night stand with stainless steel base and handles also choose colour white": [ + "high gloss contemporary night stand with stainless steel base and handles", + "high gloss contemporary night stand with stainless steel base", + "living room night stand with stainless steel base and handles", + "low gloss contemporary night stand with stainless steel base and handles", + "contemporary night stand with stainless steel base and handles", + "living room night stand with stainless steel base", + "high gloss contemporary night stand with stainless steel base and handle", + "contemporary night stand with stainless steel base", + "living room night stand stainless steel base", + "contemporary night stand stainless steel base" + ], + "i am looking for a men's short sleeve denim blue shirt.": [ + "mens short sleeve denim blue shirt", + "mens short sleeve denim blue shirt mens short sleeve", + "mens short sleeve denim blue shirt.", + "mens short sleeve denim blue shirt mens mens", + "mens short sleeve denim blue shirt under $40", + "mens short sleeve denim blue shirt mens", + "mens short sleeve denim blue shirt", + "mens short sleeve denim blue shirt under $50", + "mens short sleeve denim blue shirt under 50 dollars", + "mens short sleeve denim blue shirt below $50" + ], + "i want cecemed stop hair loss shampoo.": [ + "cemed stop hair loss shampoo", + "cemed stop hair loss shampoo.", + "curtains hair loss shampoo", + "ccemed stop hair loss shampoo", + "cocemed stop hair loss shampoo", + "cemed stop hair loss shampoo,", + "cemed stop hair loss shampoo under $40", + "cemed stop hair loss shampoo under $50", + "teamed stop hair loss shampoo", + "curtains of hair loss shampoo" + ], + "can you find a high quality, easy to use nail art tool set that i can use to remove dead skin?": [ + "nude art tool set that i can use to remove dead skin", + "nude art tool set", + "nail art tool set that i can use to remove dead skin", + "easy to use nail art tool set that i can use to remove dead skin", + "lip art tool set that i can use to remove dead skin", + "high quality, easy to use nail art tool set", + "nude art tool set that i can use to remove dead skin from nail art", + "easy to use nail art tool set", + "nail art tool set", + "lip art tool set" + ], + "i need color corrector for my hair salon": [ + "color corrector for my hair salon", + "colored corrector for my hair salon", + "color corrector for a hair salon", + "pink hair salon color corrector", + "colored corrector for a hair salon", + "color corrector for hair salon", + "colored corrector for hair salon", + "color corrector hair salon", + "colored corrector hair salon", + "colored hair salon" + ], + "i am looking for light weight background having color a6.": [ + "light weight background having color a6", + "light weight background with color a6", + "light weight background having color a6.", + "light weight background color a6", + "light weight background with color a6.", + "low weight background having color a6", + "background color a6", + "heavy weight background having color a6", + "white light weight background having color a6", + "white light weight background with color a6" + ], + "i am interested in buying cleansing water which is suitable for dry skin and it's dermatologist tested.": [ + "cleaning water for dry skin dermatologist tested", + "cleaning water suitable for dry skin with dermatologist tested", + " cleansing water for dry skin dermatologist tested", + "cleaning water suitable for dry skin dermatologist tested", + "cleaning water suitable for dry skin and dermatologist tested", + " cleansing water suitable for dry skin with dermatologist tested", + " cleansing water suitable for dry skin and dermatologist tested", + " cleansing water suitable for dry skin dermatologist tested", + "cleansing water suitable for dry skin dermatologist tested", + " cleansing water suitable for dry skin and dermatologist tested." + ], + "hello, i'm looking for a pair of cargo pants for everyday casual wear? but also hiking-friendly. also, i want an orange pair please": [ + "curtains hiking-friendly", + "curtains hiking-friendly orange", + "cargo pants hiking-friendly", + "jeans hiking-friendly", + "a pair of orange hiking-friendly", + "curtains hiking-friendly.", + "eco pants hiking-friendly", + "orange hiking-friendly pants", + "curtains hiking-friendly yellow", + "curtains hiking friendly" + ], + "i want a color a cotton pad for eye shadow.": [ + "cotton pad for eye shadow", + "womens eye shadow cotton pad", + "a cotton pad for eye shadow", + "womens eye shadow", + " cotton pad for eye shadow", + "womens eyes shadow cotton pad", + "t cotton pad for eye shadow", + "cotton pad for eye shadow color", + "white cotton pad for eye shadow", + "womens eye shadow color" + ], + "i would like a 28 inch by 44 inch style 24 poster that is ready to hang in the living room.": [ + "28 inch by 44 inch style 24 poster", + "28 inch by 44 inch poster", + "28 inch by 44 inch poster living room", + "28 inch x 44 inch style 24 poster", + "28 inch by 44 inch poster for living room", + "28 inch by 44 inch style 24 poster,", + "28 inch x 44 inch poster", + "28 inch by 44 inch wall poster", + "28 inch by 44 inch", + "28 inch poster" + ], + "i would like some party supplies that are cupcake toppers.": [ + "cupcake toppers", + "cupcake toppers for party", + "cupcake toppers for party supplies", + "cupcake toppers under $50", + "cupcake toppers under $40", + "cupcake toppers under $60", + "cupcake toppers party supplies", + "cupcake toppers under 50 dollars", + "cupcake toppers.", + "party supplies cupcake toppers" + ], + "i want love beauty argan oil and lavender tea tree conditioner.": [ + "beauty argan oil and lavender tea tree conditioner", + "beauty argan oil and lavender tea tree conditioner.", + "beauty argan oil lavender tea tree conditioner", + "beauty argan oil, lavender tea tree conditioner", + "beauty argan oil and lavender tea tree conditioner,", + "beauty aran oil and lavender tea tree conditioner", + "beauty argan oil pomegranate tea tree conditioner", + "beautiful argan oil and lavender tea tree conditioner", + "beauty argan oil tea tree conditioner", + "beauty argan oil natural tea tree conditioner" + ], + "i am looking for resilient memory foam loveseat sofa": [ + "stainless memory foam loveseat sofa", + "memory foam loveseat sofa", + "memory foam loveseat sofa that is resilient", + "stooled memory foam loveseat sofa", + "rocket memory foam loveseat sofa", + "stretch memory foam loveseat sofa", + " resilient memory foam loveseat sofa", + "temporary memory foam loveseat sofa", + "memory foam loveseat sofa resilient", + "memory foam loveseat sofa, resilient" + ], + "i am looking for light weight backgrounds of size 12x10ft.": [ + "light weight backgrounds of size 12x10ft", + "light weight backgrounds 12x10ft", + "12x10ft light weight backgrounds", + "light weight backgrounds 12x10ft.", + "heavy weight backgrounds of size 12x10ft", + "light weight backgrounds size 12x10ft", + "dark weight backgrounds of size 12x10ft", + "12 x10ft light weight backgrounds", + "dark weight backgrounds 12x10ft", + "light weight backgrounds size 12x10ft." + ], + "i am looking for a 2 pack of fresh breath whitening toothpaste.": [ + "2 pack of fresh breath whitening toothpaste", + "fresh breath whitening toothpaste 2 pack", + "2 pack fresh breath whitening toothpaste", + "fresh breath whitening toothpaste", + "two pack of fresh breath whitening toothpaste", + "1 pack of fresh breath whitening toothpaste", + "two pack fresh breath whitening toothpaste", + "1 pack fresh breath whitening toothpaste", + "fresh breath whitening toothpaste, 2 pack", + "natural toothpaste 2 pack" + ], + "i want a mid century adesso table lamp.": [ + "mid century adesso table lamp", + "mid century adesso table lamp.", + "mid century adesso table lamp, mid century", + "mid century adesso table lamp under $40", + "mid century adesso table lamp under $60", + "mid century adesso table lamp under 30 dollars", + "mid century adesso table lamp under $50", + "mid century adesso table lamp under 50 dollars", + "table lamp mid century mid century", + "table lamp mid century" + ], + "i'm looking for 67.5 ounce cheez-it snack pack.": [ + "67.5 ounce cheez-it snack pack", + "67.5 ounce cheez-it snack pack.", + " 67.5 ounce cheez-it snack pack", + "67.5 ounce cheez-it snack pack under $50", + "67.5 ounce cheez-it snack pack under $60", + "67.5 ounce cheez-it snack pack under $40", + "67.5 ounce cheez-it snack pack,", + "67.5 ounce cheez-it snack pack under 50 dollars", + "67.5 ounce cheez-it snack pack under 30 dollars", + " 67.5 ounce cheez-it snack pack." + ], + "i want to find an xx-large pair of green women's leggings with a high waist.": [ + "xx-large pair of green womens leggings", + "xx-large woman leggings with a high waist", + "xxl leggings with a high waist", + "xx-large womens leggings with a high waist", + "xxl green womens leggings with a high waist", + "xx-large leggings with a high waist", + "xxl womens leggings with a high waist", + "xxl pair of green womens leggings", + "xxl pair of green womens leggings high waist", + "xxl woman leggings with a high waist" + ], + "i want to find some poster prints that i can put in my living room.": [ + "pink poster prints for living room", + "pink poster prints living room", + "poster prints for living room", + "pink poster print living room", + "poster prints living room", + "pink poster prints in my living room", + "pink poster prints", + "pink poster prints for living room.", + "pink poster prints in the living room", + "pom print living room" + ], + "i'm looking for sugar-free double mocha cappuccino mix.": [ + "sugar-free double mocha cappuccino mix", + "sugar free double mocha cappuccino mix", + "sugar-free mocha cappuccino mix", + "soy-free double mocha cappuccino mix", + "sugar free double mocha cappuccino mix.", + "sugarfree double mocha cappuccino mix", + "gluten free double mocha cappuccino mix", + "single mocha cappuccino mix", + "sugar free mocha cappuccino mix", + "double mocha cappuccino mix" + ], + "i'm looking for a replacement remote for my sound bar that includes triple a batteries. i need the color \"xrt303 mgo.\"": [ + "remote for a sound bar that includes triple a batteries", + "replacement remote for my sound bar that includes triple a batteries", + "remote for a sound bar with triple a batteries", + "replacement remote for my sound bar with triple a batteries", + "remote for my sound bar that includes triple a batteries", + "remote for my sound bar with triple a batteries", + "replacement remote for a sound bar with triple a batteries", + "sound bar remote with triple a batteries", + "replace remote for my sound bar with triple a batteries", + "xrt303 mgo" + ], + "i would like a toothpaste for sensitive teeth.": [ + "toothpaste for sensitive teeth", + "teethpaste for sensitive teeth", + "toothpaste for sensitive teeth.", + "tothpaste for sensitive teeth", + "teethpaste for sensitive teeth.", + "toothpaste sensitive teeth", + "tothpaste for sensitive teeth.", + "treatments for sensitive teeth", + "taste for sensitive teeth", + "teethpaste sensitive teeth" + ], + "i'm looking for a peanut crunch popcorn that could be a perfect gift for my friend.": [ + " peanut crunch popcorn that could be a perfect gift for my friend.", + "pomegranate crunch popcorn", + "panut crunch popcorn", + " peanut crunch popcorn that could be a perfect gift for a friend.", + "peanut crunch popcorn", + " peanut crunch popcorn", + "butter crunch popcorn", + "pumpkin crunch popcorn", + "pale crunch popcorn", + "paco crunch popcorn" + ], + "i would like a high def gold plated hdmi cable.": [ + "high def gold plated hdmi cable", + "high def gold plated hdmi cable.", + "low def gold plated hdmi cable", + "high def gold plated hdmi cable under $40", + "high def gold plated hdmi cable under $60", + "high def gold plated hdmi cable under $50", + "tv high def gold plated hdmi cable", + "high def gold plated hdmi cable below $50", + "high def gold plated hdmi cable below $40", + "high def gold plated hdmi cable," + ], + "i'm looking for shoot digital camera with inspire digital cloth.": [ + "shoot digital camera with inspire digital cloth", + "shooting digital camera with inspire digital cloth", + "i shoot digital camera with inspire digital cloth.", + "shoot digital camera with inspire digital cloth.", + "shooting digital camera with inspire digital cloth.", + "find a shoot digital camera with inspire digital cloth.", + "find shoot digital camera with inspire digital cloth", + "shoot digital camera with inspire digital cloth under $40", + "shoot digital camera with inspire digital cloth under $50", + "portrait with inspire digital cloth" + ], + "i want to find professional binoculars that are easy to carry for birdwatching.": [ + "professional binoculars easy to carry for birdwatching", + "professional binoculars", + "professional binoculars easy to carry for birdwatching.", + "professional binoculars, easy to carry, birdwatching", + "professional binoculars for birdwatching", + "professional binoculars easy to carry birdwatching", + "professional binoculars, easy to carry for birdwatching", + "professional binoculars that are easy to carry", + "professional binoculars for birdwatching.", + "professional binoculars, easy to carry" + ], + "i am looking for a tablet with a quad core processor and 4g lte.": [ + "tablet with quad core processor 4g lte", + "quad core processor 4g lte", + "quad core processor and 4g lte", + "tablet 4g lte with quad core processor", + "tablet 4g lte", + "tablet with quad core processor", + "quad core processor with 4g lte", + "quad core processor and 4g lte tablet", + "4g lte tablet", + "tablet" + ], + "i'm interested in some gold-plated white patio speakers in size 5'' 8\u03c9 | 70v that are easy to install.": [ + "yellow patio speakers in size 5 8\u03c9 | 70v", + "white patio speakers in size 5 8\u03c9 | 70v", + "plated white patio speakers in size 5 8\u03c9", + "gold plated white patio speakers in size 5 8\u03c9", + "garden speakers in size 5 8\u03c9 | 70v", + "yellow patio speakers in size 5 8\u03c9", + "goldplated white patio speakers in size 5 8\u03c9", + "gold-plated white patio speakers", + "garden speakers 5 8\u03c9 | 70v", + "white patio speakers in size 5 8\u03c9" + ], + "i am looking for 8.5 size green color low heel day comfort short ankle booties for women": [ + "8.5 size green color low heel day comfort short ankle booties", + "8.5 size low heel day comfort short ankle booties for women", + "low heel day comfort short ankle booties for women", + "8.5 size green heel day comfort short ankle booties for women", + "8.5 size green ankle booties for women", + "low heel day comfort short ankle booties for women 8.5", + "green low heel day comfort short ankle booties for women", + "8.5 size low heel day comfort short ankle booties", + "8.5 size green low heel day comfort short ankle booties", + "green low heel day comfort short ankle booties for women 8.5" + ], + "i'm looking for a handmade chocolate malt balls.": [ + "handmade chocolate malt balls", + "handcrafted chocolate malt balls", + "hand crafted chocolate malt balls", + " handmade chocolate malt balls", + "stainless chocolate malt balls", + "chocolate malt balls handmade", + "magnains chocolate malt balls", + "chocolate malt balls", + "strawberry malt balls handmade", + " handmade chocolate malt balls under $40" + ], + "i want a pair of black earbud headphones that are water resistant.": [ + "black earbud headphones that are water resistant", + "black earbud headphones", + "black earbud headphones water resistant", + "white earbud headphones that are water resistant", + "two black earbud headphones that are water resistant", + "black earbud headphones with water resistant", + "black earbud headphones, water resistant", + "pair of black earbud headphones", + "black earbud headphones that are water resistant.", + "a pair of black earbud headphones" + ], + "i want water proof australian gold continuous spray sunscreen with instant bronzer spf 50.": [ + "water proof australian gold continuous spray sunscreen with instant bronzer spf 50", + "water proof australian gold continuous spray sunscreen", + "ashralian gold continuous spray sunscreen with instant bronzer spf 50", + "antralian gold continuous spray sunscreen with instant bronzer spf 50", + "auburn gold continuous spray sunscreen with instant bronzer spf 50", + "water proof australian gold continuous spray sunscreen, instant bronzer spf 50", + "almond gold continuous spray sunscreen with instant bronzer spf 50", + "spray sunscreen with instant bronzer spf 50", + "ashralian gold continuous spray sunscreen with instant bronzer spf 50.", + "antralian gold continuous spray sunscreen with instant bronzer spf 50." + ], + "i'd like a couple of packs of meal replacement shakes to satisfy my high-protein, gluten-free diet; i prefer a natural chocolate flavour.": [ + "pack of meal replacement shakes", + "mushroom replacement shakes natural chocolate", + "pack of meal replacement shakes natural chocolate", + "meal replacement shakes natural chocolate", + "mushroom shake natural chocolate", + "mash replacement shakes natural chocolate", + "mama replacement shakes natural chocolate", + "mash shake natural chocolate", + "meal replacement shakes", + "mushroom shake natural chocolate flavor" + ], + "i'm looking for a pair of women's non slip work boots with steel toe cap. choose the ones that come in size 9 us.": [ + "womens non slip work boots with steel toe cap", + "womens non slip work boots", + "womens non slip work boots steel toe cap size 9 us", + "womens non slip work boots steel toe cap", + "womens non slip work boots with steel toe cap size 9", + "womens work boots with steel toe cap size 9 us", + "womens non slip work boots, steel toe cap", + "womens work boots with steel toe cap", + "womens non slip work boots that come in size 9 us", + "womens non slip work boots size 9 us" + ], + "i would like a white end table with one drawer and 4 basket cabinet for my living room.": [ + "white end table with one drawer and 4 basket cabinet", + "white end table with one drawer and 4 basket cabinet for living room", + "white end table with one drawer and 4 basket cabinet living room", + "white end table with one drawer and 4 basket cabinet,", + "white end table with one drawer and 4 basket cabinet, living room", + "white end table with one drawer and 4 basket cabinet for dining room", + "white end table with one drawer, 4 basket cabinet", + "white end table, one drawer and 4 basket cabinet", + "white dining table with one drawer and 4 basket cabinet", + "white end table with one drawer" + ], + "i'm looking for a full xl sized, ready to use brown mattress.": [ + "full xl mattress", + "full xl sized brown mattress", + "full xl mattresses ready to use", + "full xl mattress ready to use", + "full xl mattresses", + "full xl bedframe ready to use", + "full xl mattress, ready to use", + "full xl bedframe", + "full xl sleeping mattress", + "full xl sized brown mattress." + ], + "i want to buy an ivory and blue area rug that's eight feet long and has a contemporary design.": [ + "yellow area rug eight feet long", + "yellow area rug that is eight feet long", + "yellow modern rug eight feet long", + "yellow area rug eight feet long and contemporary", + "5 ft x 8 ft yellow area rug", + "5 ft yellow area rug", + "yellow area rug eight feet long contemporary", + "yellow area rug 8 feet long", + "8 ft yellow area rug", + " ivory and blue area rug" + ], + "i am looking for long lasting pressed powder in the color ivory.": [ + "long lasting pressed powder in the color ivory", + "long lasting pressed powder in the color ivory.", + "long lasting pressed powder in the color ivory,", + "a long lasting pressed powder in the color ivory", + "yellow long lasting pressed powder in the color ivory", + "long lasting button powder in the color ivory", + "long lasting pressed powder in a color ivory", + "long lasting pressed powder color ivory", + "long lasting pressed powder, ivory", + "long lasting pressed powder ivory" + ], + "i want princess makeanni the pooh cupcake toppers for a birthday party.": [ + "pink cupcake toppers for a baby shower", + "pink pooh cupcake toppers for a baby shower", + "pink cupcake toppers for a birthday party", + "pink cupcake toppers for a baby shower.", + "synthetic pooh cupcake toppers for a baby shower", + "pink cupcake toppers for baby shower", + "pink cupcake toppers for a girl baby shower", + "pink cupcake toppers for a baby shower princess", + "cupcake toppers for a baby shower", + "pink cupcake toppers for a baby shower under $50" + ], + "i'm looking for a brown, twin size bed frame.": [ + "twin bed frame brown", + "brown twin bed frame", + "brown twin size bed frame", + "twin bed frame", + "twin size bed frame", + "brown, twin size bed frame", + "pink twin size bed frame", + "womens bed frame brown", + "twin size bed frame brown", + "twin bed frame, brown" + ], + "i would like a four fluid ounce very dark self tanner that is paraben free.": [ + "4 fluid ounce very dark self tanner", + "4 fluid ounce very dark self tanner paraben free", + "four fluid ounce very dark self tanner", + "4 fluid ounce very dark self tanner under $40", + "4 fluid ounce very dark self tanner under $50", + "4 fluid ounce very dark self tanner under $60", + "four fluid ounce very dark self tanner paraben free", + "4oz very dark self tanner", + "4 fluid ounce dark self tanner", + "4oz dark self tanner" + ], + "i am interested in buying make up foundation which is tested by dermatologist, and is of golden beige color.": [ + "make up foundation that is tested by dermatologist", + "beauty foundation that is tested by dermatologist", + "make up foundation, golden beige", + "beauty foundation, golden beige", + "make up foundation which is tested by dermatologist", + "make up foundation, golden beige color", + "beauty foundation golden beige", + "medical make up foundation, golden beige color", + "medical make up foundation, golden beige", + "medical make up foundation golden beige" + ], + "i would like a blue mascara brush that applies easily.": [ + "blue mascara brush that applies easily.", + "blue mascara brush that applies easily", + "blue mascara brush", + "blue mascara brush that applies easy", + "blue mascara brush, easy to apply", + "blue mascara brush easy to apply", + "blue mascara brush that apply easily.", + "blue mascara brush that applies easily,", + "blue mascara brush that applies easy.", + "blue mascara brush under $40" + ], + "i would like a on the rise volume liftscara eyeshadow that is cruelty free.": [ + "on the rise volume liftscara eyeshadow", + "lenscara eyeshadow cruelty free", + "plantation liftscara eyeshadow cruelty free", + "toxic free liftscara eyeshadow", + "lenshadow cruelty free", + "lenshadow that is cruelty free", + "lenscara eyeshadow", + "projection free cruelty free", + "projection free", + "portrait free" + ], + "i want a bpa free bottle for makeup.": [ + "bpa free makeup bottle", + "a bpa free makeup bottle", + "bpa free makeup bottle.", + "bpa free makeup bottle,", + "bbpa free makeup bottle", + "barpa free makeup bottle", + "bpa free bottle for makeup", + " bpa free makeup bottle", + "bag free makeup bottle", + "alcohol free makeup bottle" + ], + "i am looking for synthetic black gray 101 color hair extensions wig hairpiece": [ + "synthetic black gray wig hairpiece", + "synthetic black gray 101 wig hairpiece", + "synthetic black gray hair extensions wig", + "synthetic black gray wig wig hairpiece", + "synthetic black gray wig", + "synthetic black gray wig wig", + "synthetic black gray 101 hair extensions wig", + "synthetic black gray 101 wig", + "synthetic black gray wig hair extension", + "synthetic black gray hair extensions wig hair" + ], + "i would like a plum point and shoot camera with a optical zoom.": [ + "pink point and shoot camera with a optical zoom", + "plum point and shoot camera with a optical zoom", + "plush point and shoot camera with a optical zoom", + "plastic point and shoot camera with a optical zoom", + " plum point and shoot camera with a optical zoom", + "plant point and shoot camera with a optical zoom", + "pl plum point and shoot camera with a optical zoom", + "plums point and shoot camera with a optical zoom", + "moisturizing camera with a optical zoom", + "pink point and shoot camera" + ], + "i'm looking for permanent hair dye color in #c cool darkest brown.": [ + "pink hair dye color in #c cool darkest brown", + "permanent hair dye color in #c cool darkest brown", + "pink human hair dye color in #c cool darkest brown", + "pink permanent hair dye color in #c cool darkest brown", + "temporary hair dye color in #c cool darkest brown", + "pink hair dye color in #ccool darkest brown", + "pink hair dye color in #c cool darkest brown.", + "permanent hair dye color in #c cool darkest brown.", + "pink hair dye color #c cool darkest brown", + "pink hair dye color in #c cool" + ], + "i am looking for a long lasting hair color that is light brown and comes in a pack of three.": [ + "light brown hair color", + "long lasting hair color light brown", + "light brown hair color pack of three", + "light brown long lasting hair color", + "light brown human hair color", + "light brown hair color under $50", + "light brown hair color under $40", + "dark brown hair color", + "hair color light brown", + "lens brown" + ], + "i am looking for a gluten free happy hamlet bacon salt gourmet rub.": [ + "gluten free happy hamlet bacon salt gourmet rub", + "gluten free hamlet bacon salt gourmet rub", + "gluten free and gourmet rub hamlet bacon salt", + "gluten free gourmet rub hamlet bacon salt", + "gluten free living hamlet bacon salt gourmet rub", + "gluten free, hamlet bacon salt gourmet rub", + "gluten free pomegranate salt gourmet rub", + "gluten free hams bacon salt gourmet rub", + "gluten free bacon salt gourmet rub", + "gluten free gourmet rub" + ], + "can i request some high performance speakers? also, can you pick the ones that come in white please?": [ + "high performance speakers white", + "white high performance speakers", + "high performance speakers in white", + "white high performance speakers under $40", + "white high performance speakers under $60", + "white high performance speakers under $50", + "high performance speakers that come in white", + "white high performance speakers, high performance", + "white high performance speakers under 30 dollars", + "white high performance speakers in high performance" + ], + "i want a 1.5 foot long black gold plated hdmi cable.": [ + "1.5 foot long black gold plated hdmi cable", + "one.5 foot long black gold plated hdmi cable", + " 1.5 foot long black gold plated hdmi cable", + "black gold plated hdmi cable", + "1.5 x long black gold plated hdmi cable", + "2.5 foot long black gold plated hdmi cable", + "1.5 foot long gold plated hdmi cable", + "gold plated hdmi cable", + "gold plated hdmi cable 1.5 ft long", + "black gold plated hdmi cable." + ], + "looking for table sofa table for kitchen dining room and also choose colour antique blue": [ + "table sofa table for kitchen dining room in antique blue", + "table sofa table dining room in antique blue", + "table sofa table for kitchen dining room", + "table sofa table in kitchen dining room in antique blue", + "table sofa table for kitchen dining room colour antique blue", + "table sofa table dining room with colour antique blue", + "table sofa table dining room with antique blue", + "table sofa table dining room antique blue", + "table sofa table dining room", + "table sofa table" + ], + "i want small and cotton spandex men's jogger pants.": [ + "small and cotton spandex mens jogger pants", + "small cotton spandex mens jogger pants", + "small and cotton spandex mens jogger pants.", + "small cotton spandex mens jogger pants.", + "small and cotton spandex mens jogger pants,", + "small size and cotton spandex mens jogger pants", + "small, cotton spandex mens jogger pants", + "small small cotton spandex mens jogger pants", + "small t-shirt mens jogger pants", + "slimming jogging pants" + ], + "i am looking for lemongrass eucalyptus & cinnamon apple color candles that are lead free.": [ + "lemongrass eucalyptus & cinnamon apple color candles", + "lemongrass eucalyptus cinnamon apple color candles that are lead free", + "lemongrass eucalyptus & cinnamon apple color candles, lead free", + "lemongrass eucalyptus and cinnamon apple color candles", + "lemongrass eucalyptus cinnamon apple color candles", + "lemongrass eucalyptus candles that are lead free", + "lemongrass eucalyptus & cinnamon apple color candles with lead free", + "lemongrass eucalyptus & cinnamon apple color candles under $40", + "lemongrass eucalyptus & cinnamon apple color candles no lead", + "lemongrass eucalyptus candles" + ], + "i am looking for light weight wall backgrounds of size 12x8ft.": [ + "12x8ft wall backgrounds", + "12 x8ft wall backgrounds", + "light weight wall backgrounds 12x8ft", + "wall backgrounds of size 12x8ft", + "size 12x8ft wall backgrounds", + "aluminium wall backgrounds 12x8ft", + "light weight wall backgrounds", + "wall backgrounds 12x8ft", + "12x8 wall backgrounds", + "12x8ft wall background" + ], + "i'm looking for anti-aging face and eye serum in the 1.01 ounce size.": [ + "anti-aging face and eye serum 1.01 ounce", + "anti-aging face serum in the 1.01 ounce size", + "anti-aging face and eye serum, 1.01 ounce", + "anti-aging face serum 1.01 ounce", + "anti-aging face and eye serum 1.01 oz", + "anti-aging face and eye serum in 1.01 ounce", + "anti-aging face and eye serum 1.01 ounce size", + "anti-aging face serum in a 1.01 ounce size", + "anti-aging face and eye serum", + "anti-aging face and eye serum 1.01 ounce" + ], + "i need a wireless usb charging cable for my boombox; make sure it has adequate output protection.": [ + "wireless usb charging cable for boombox", + "womens boombox wireless charging cable", + "wireless usb charging cable for my boombox", + "womens boombox wireless usb charging cable", + "wirefree usb charging cable for boombox", + "phone charging cable for boombox", + "womens boombox with wireless usb charging cable", + "alarm charging cable for boombox", + "phone charging cable for boombox with adequate output protection", + "router charging cable for boombox" + ], + "help me find a 3-pack of soft and chewy licorice candy twists; i'd like a variety of flavours but it must be fat-free.": [ + "3-pack of soft and chewy licorice candy twists", + "4-pack of soft and chewy licorice candy twists", + "3-pack of soft and chewy licorice candy twist", + "three-pack of soft and chewy licorice candy twists", + "3-pack of soft and chewy licorice candy", + "2-pack of soft and chewy licorice candy twists", + "3-pack of chewy licorice candy twists", + "soft and chewy licorice candy twists", + "3-pack soft and chewy licorice candy twists", + "3-pack of soft chewy licorice candy twists" + ], + "i would like a 8 fluid ounce bottle of tea tree lotion.": [ + "8oz tea tree lotion", + "tea tree lotion 8oz", + "tea tree lotion 8 oz", + "tea tree lotion 8 fluid ounce", + "8oz bottle of tea tree lotion", + "8 oz tea tree lotion", + "tea tree lotion", + "8oz tea tree lotion.", + "tea tree lotion 8 fluid ounces", + "tea tree lotion, 8oz" + ], + "i need easy apply pine tar scented mustache wax stick for men": [ + "pink tar scented mustache wax stick for men", + "pais tar scented mustache wax stick for men", + "paes tar scented mustache wax stick for men", + "pa pine tar scented mustache wax stick for men", + "pine tar scented mustache wax stick for men", + "paist tar scented mustache wax stick for men", + "pink tar scented mustache wax stick", + "pine tar scented mustache wax stick for men", + "pink tar scented mustache wax stick men", + " pine tar scented mustache wax stick for men" + ], + "i am looking for tea tree shampoo for natural hair.": [ + "tea tree shampoo for natural hair", + "tea tree shampoo natural hair", + "tea tree shampoo for natural hair.", + "tea tree shampoo natural hair under $40", + "tea tree shampoo natural hair under $50", + "tea tree shampoo natural", + "tea tree shampoo natural hair under $60", + "tea tree shampoo natural hair.", + "tea tree shampoo", + "tea tree shampoo natural hair tea tree" + ], + "i'm looking for a quick-release replacement fitness strap band; it should match my chic teal fitbit.": [ + "quick-release replacement fitness strap band", + "quick-release fitness strap band", + " quick-release replacement fitness strap band", + "quick-release replacement fitness strap band for a woman", + "quick-release replacement fitness strap band,", + "short-release replacement fitness strap band", + "easy-release replacement fitness strap band", + "Quick-release replacement fitness strap band", + "quick-release replacement fitness strap band under $50", + "quick-release replacement fitness strap band for woman" + ], + "i'm looking for a hdmi splitter 1 in 2 out auto scaling.": [ + "hdmi splitter 1 in 2 out auto scaling", + " hdmi splitter 1 in 2 out auto scaling", + "hdmi splitter 1 in 2 out auto scaling.", + "a hdmi splitter 1 in 2 out auto scaling", + "homedmi splitter 1 in 2 out auto scaling", + "hdmi splitter 1 in 2 with auto scaling", + "i hdmi splitter 1 in 2 out auto scaling", + "hdmi splitter 2 in 2 out auto scaling", + "hdmi splitter 1 in 2", + "tv splitter 1 in 2 out auto scaling" + ], + "i'm looking for a 12 pack pepper jack gluten free cheese.": [ + "12 pack pepper jack gluten free cheese", + "pomegranate jack gluten free cheese 12 pack", + "12 pack pepper jack gluten free cheese under $60", + "12 pack of pepper jack gluten free cheese", + "12 pack pepper jack gluten free cheese under $40", + "12 pack pepper jack gluten free cheese 12 pack", + "12 pack pepper jack gluten free cheese under 50 dollars", + "12 pack pepper jack gluten free cheese under $50", + "12 pack pepper jack gluten free cheese below $40", + "12 pack pepper jack gluten free cheese under 40 dollars" + ], + "vegan makeup free from animal testing": [ + "vegan makeup free from animal testing", + "vegan makeup free animal testing", + "vegan makeup free from animal testing ethylene", + "vegan makeup no animal testing", + "vegan makeup free animal testing under $40", + "vegan makeup free for animal testing", + "vegan makeup free fromanimal testing", + "vegan makeup free", + "vegan makeup free animals testing", + "vegan makeup" + ], + "i am looking for teeth whitening toothpaste of color d.": [ + "teeth whitening toothpaste d.", + "teeth whitening toothpaste", + "teeth whitening toothpaste color d", + "toothpaste of color d.", + "toothpaste of color d", + " teeth whitening toothpaste d.", + "teeth whitening toothpaste d", + " teeth whitening toothpaste of color d", + "toothpaste color d.", + "toothpaste color d" + ], + "i'm looking for a cruelty free, face highlighter in a unicorn style color.": [ + "cruelty free face highlighter in a unicorn style color", + "cruelty free, face highlighter in a unicorn style", + "cruelty free face highlighter in a unicorn style", + "cruelty free highlighter in a unicorn style color", + "cruelty free, face highlighter a unicorn style color", + "cruelty free face highlighter with a unicorn style color", + "cruelty free unicorn style highlighter", + "cruelty free, face highlighter", + "cruelty free face highlighter unicorn style", + "cruelty free face highlighter" + ], + "i am looking for easy to use thanksgiving themed cupcake toppers.": [ + "cupcake toppers that are easy to use", + "bagcake toppers that are easy to use", + "cupcake toppers easy to use", + "cupcake toppers", + "cupcake toppers under $40", + "5 ft cupcake toppers", + "cupcake toppers, easy to use", + "cupcake toppers under $50", + "bagcake toppers", + "compactcake toppers" + ], + "i want to find a monocular telescope for bird-watching that is 12 inches in width and 50 inches in height.": [ + "monocular telescope 12 inches in width and 50 inches in height", + "monocular telescope for birdwatching 12 inches in width and 50 inches in height", + "monocular telescope for bird-watching 12 inches wide and 50 inches in height", + "monocular telescope for bird-watching 12 inches long and 50 inches in height", + "monocular telescope that is 12 inches in width and 50 inches in height", + "monocular telescope, 12 inches in width and 50 inches in height", + "monocular telescope 12 inches wide and 50 inches in height", + "monocular telescope for bird-watching 12 inches in width 50 inches in height", + "monocular telescope 12 inches long and 50 inches in height", + "monocular telescope for bird-watching" + ], + "i am looking for a heavy duty universal projector case.": [ + "heavy duty universal projector case", + "heavy duty universal projector case", + "heavy duty universal projector case.", + "heavy duty modern projector case", + "heavy duty, universal projector case", + "heavy duty heavy duty universal projector case", + "heavy duty portable projector case", + "heavy duty lightweight duty universal projector case", + "heavy duty universal projector case.", + "heavy duty" + ], + "i am looking for a 2-pack of the fanyate antique vanity light fixtures.": [ + "fanyate antique vanity light fixtures", + "2-pack of fanyate antique vanity light fixtures", + "2-pack fanyate antique vanity light fixtures", + "fanyate antique vanity light fixtures 2-pack", + "fanyate antique vanity light fixtures 2 pack", + "fanyate antique vanity light fixtures 2pack", + "fanyate antique vanity light fixture", + "2-pack of fanyate antique vanity light fixture", + "fanyate antique vanity light fixtures, 2-pack", + "fanyate antique vanity light fixtures under $40" + ], + "i would like a intel core i5 desktop mini.": [ + "intel core i5 desktop mini", + "intel core i5 desktop mini.", + "i would like a intel core i5 desktop mini.", + "intel core i5 desktop mini under $130", + "intel core i5 desktop mini under $120", + "intel core i5 desktop mini under $50", + "intel core i5 desktop mini under 30 dollars", + "intel core i5 desktop mini under $60", + "intel core i5 desktop mini i5", + " intel core i5 desktop mini" + ], + "i'm locking for a smiley face non-slip cushioned slippers.": [ + " smiley face non-slip cushioned slippers", + "smiling face non-slip cushioned slippers", + "non-slip cushioned slippers", + "beauty face non-slip cushioned slippers", + "nude face non-slip cushioned slippers", + "slip cushioned slippers", + "shoes non-slip cushioned slippers", + "moisturizing slippers", + "non-slip cushioned slippers under $50", + "moisturizing slippers with smiley face" + ], + "i am looking for a teal color stainlesss steel strap.": [ + "teal color stainless steel strap", + "teal stainless steel strap", + "teal steel strap", + "teal colored stainless steel strap", + "teal color stainless steel strap.", + "teal stainless steel strap.", + "teal color stainless steel strap,", + "teal red stainless steel strap", + "teal steel strap under $50", + "teal color steel strap" + ], + "i need gluten free popcorn": [ + "gluten free popcorn", + "gluten free popcorn under $40", + "gluten free popcorn under $60", + "gluten free popcorn under 50 dollars", + "gluten free popcorn under 30 dollars", + "gluten free popcorn below $40", + "gluten free popcorn under $50", + "gluten free popcorn drink mix", + "gluten free popcorn under 40 dollars", + "gluten free popcorn under 60 dollars" + ], + "i am looking for a long lasting gel capsule for fresh breath.": [ + "long lasting gel capsule for fresh breath", + "long lasting gel capsule for fresh breath.", + "long lasting gel capsule for fresh breath,", + "a long lasting gel capsule for fresh breath", + "long lasting gel capsule for fresh breath ", + "gmo capsule for fresh breath", + "long lasting gel capsule", + "long lasting gel capsules for fresh breath", + "gel capsule for fresh breath", + "gluten capsule for fresh breath" + ], + "i am lookng for hot chocolate mix gift set for gift set in valentine heart box": [ + "hot chocolate mix gift set for gift set in valentine heart box", + "hot chocolate mix gift set in valentine heart box", + "hot chocolate mix gift set for a valentine heart box", + "hot chocolate mix gift set with gift set in valentine heart box", + "hot chocolate mix gift set that gift set in valentine heart box", + "hot chocolate mix gift set to gift set in valentine heart box", + "hot chocolate mix gift set for valentine heart box", + "hot chocolate mix gift set, valentine heart box", + "hot chocolate mix gift set", + "hot chocolate mix gift set for gift set in valentine heart" + ], + "i'm looking for a pair of woman's olive camo yoga pants that are worn high on the waist.": [ + "womens olive camo yoga pants", + "womens olive camo yoga pants that are high on the waist", + "womens olive camo yoga pants high on the waist", + "womens olive camo yoga pants, high on the waist", + "womens olive camo yoga pants that are long on the waist", + "womens olive camo yoga pants that are low on the waist", + "womens olive camo yoga pants, high on the waist,", + "womens olive camo yoga pants, high waist", + "womens olive camo yoga pants that are low waist", + "womens olive camo yoga pants high on the waist." + ], + "i am lookng for a medium size orange color elastic waistband workout gym yoga shorts for men": [ + "orange color elastic waistband workout gym shorts for men", + "medium size elastic waistband workout gym shorts for men", + "medium size orange color elastic waistband workout gym shorts", + "orange color elastic waistband workout gym shorts", + "orange color yoga shorts for men", + "medium size orange color yoga shorts for men", + "orange color waistband workout gym shorts for men", + "medium size elastic waistband workout gym shorts", + "medium size yoga shorts for men", + "orange color workout gym shorts for men" + ], + "i need some high quality covers for a massage bed in my beauty salon; it's 71 x 24 inches and i'd prefer the \"c\" colour.": [ + "high quality covers for a massage bed in my beauty salon", + "bathroom bed in a 71 x 24 inches", + "stainless massage bed in a beauty salon", + "stainless massage bed in my beauty salon", + "bathroom bed in a high quality c colour", + "bathroom bed in a beauty salon", + "c massage bed in a beauty salon", + "bathroom bed in a high quality colour", + "a massage bed in a beauty salon", + "mushroom bed in a beauty salon" + ], + "i would like a black face kit with green tea.": [ + "black face kit with green tea", + "black face kit", + "black face kit, green tea", + "black face kit with green tea.", + "white face kit with green tea", + "a black face kit with green tea", + "black face kit that is green tea", + "black face kit in green tea", + "black face kit with green tea,", + "black face kit green tea" + ], + "i am looking for easy to use travel bottles.": [ + "easy to use travel bottles", + "easy to use travel bottles.", + "easy to use travel bottles under $40", + "easy to use travel bottles under $50", + "easy to use travel bottles under $60", + "easy to use travel bottles under 50 dollars", + "easy-to-use travel bottles", + "easy to use travel bottles under 30 dollars", + "easy to use travel bottles under 40 dollars", + "easy to use travel bottles under 60 dollars" + ], + "i'm looking for chocolate flavored low calorie, keto friendly protein drinks.": [ + "chocolate flavored low calorie keto friendly protein drinks", + "chocolate flavored keto friendly protein drinks", + "chocolate flavored low calorie keto friendly protein drink", + "chocolate flavored keto friendly protein drink", + "chocolate flavored keto friendly protein drinks.", + "low calorie keto friendly protein drinks", + "chocolate flavored low calorie keto friendly protein", + "low calorie keto friendly protein drink", + "keto friendly protein drinks", + "keto friendly protein drinks." + ], + "i'm looking for a gift set with an eight ounce bottle of cinnamon dip.": [ + "gift set 8 oz cinnamon dip", + "8 ounce bottle of cinnamon dip", + "gift set 8 ounce cinnamon dip", + "8 ounce cinnamon dip gift set", + "8 ounce cinnamon dip", + "gift set of cinnamon dip", + "gift set of cinnamon dip eight ounce", + "gift set of cinnamon dip eight oz", + "gift set of cinnamon dip 8 oz", + "8 oz cinnamon dip" + ], + "i'm looking for women's 1 oz liquid blush that is long lasting.": [ + "womens 1 oz liquid blush", + "womens 1 oz liquid blush long lasting", + "womens 1 oz liquid blush, long lasting", + "womens 1 oz liquid blush long lasting.", + "womens 1 oz liquid blush with long lasting", + "temporary womens 1 oz liquid blush", + "mens 1 oz liquid blush long lasting", + "tempered womens 1 oz liquid blush", + "womens 1 oz liquid blush under $40", + "mens 1 oz liquid blush long lasting" + ], + "i need to order some gold cupcake toppers for a birthday party.": [ + "cupcake toppers for a baby shower", + "gold cupcake toppers for a baby shower", + "cupcake toppers for a birthday party", + "pink cupcake toppers for a baby shower", + "cupcake toppers for a baby shower.", + "gold cupcake toppers for a birthday party", + "gift cupcake toppers for a baby shower", + "pink cupcake toppers for a birthday party", + "cupcake toppers for a baby shower gold", + "cupcake toppers for a birthday party." + ], + "i want khaki knee high boots for women.": [ + "knee high boots for women", + "knee high boots for women.", + " khaki knee high boots for women", + "khaki knee high boots for women", + "h khaki knee high boots for women", + "knee high boots for women in khaki", + "knee high boots for women under $40", + "curtains for women", + "knee high boots for women under $50", + "knee high boots for women below $50" + ], + "i want to find a pair of brown men's box shoes with rubber soles. they should be a size 11.": [ + "brown mens box shoes with rubber soles size 11", + "brown mens box shoes with rubber soles", + "brown mens box shoes", + "brown mens box shoes with rubber soles a size 11", + "brown mens box shoes with rubber soles, size 11", + "brown mens box shoes size 11", + "brown mens box shoes in a size 11", + "brown mens box shoes, rubber soles, size 11", + "brown mens box shoes with rubber soles size 11.", + "brown mens box shoes with rubber sole" + ], + "i'm looking for some wild caught solid white albacore. it should be non-gmo and come in five ounce cans. i want to buy a pack of forty-eight.": [ + "wild caught solid white albacore pack of forty-eight", + "wild caught solid white albacore five ounce cans", + "wild caught solid white albacore in five ounce cans", + "wild caught solid white albacore", + "wild caught solid white albacore, five ounce cans", + "wild caught solid white albacore pack of forty", + "wild caught solid white albacore under $40", + "wild caught solid white albacore packs of forty-eight", + "wild caught solid white albacore under 40 dollars", + "wild caught solid white albacore, five ounce cans," + ], + "i need a fluoride free toothpaste": [ + "fluoride free toothpaste", + "fluoride free toothpaste fluoride free", + "toothpaste fluoride free", + "fluoride free toothpaste no fluoride", + "fluoride free toothpaste,", + "veal free toothpaste", + "facial free toothpaste", + "focal free toothpaste", + " fluoride free toothpaste", + "veto free toothpaste" + ], + "look for trader joe's meyer lemon cookie thins 9oz (255g) my favorite, i really want it, help me if you can.": [ + " trader joes meyer lemon cookie thins 9oz (255g)", + "trader joes meyer lemon cookie thins 9oz (255g)", + "manual joes meyer lemon cookie thins 9oz (255g)", + "terrain joes meyer lemon cookie thins 9oz (255g)", + "shoes meyer lemon cookie thins 9oz (255g)", + "teacher joes meyer lemon cookie thins 9oz (255g)", + "i want a trader joes meyer lemon cookie thins 9oz (255g), price lower than 50.00 dollars", + "teeth joes meyer lemon cookie thins 9oz (255g)", + "i want a trader joes meyer lemon cookie thins 9oz (255g), and price lower than 50.00 dollars", + "i want a trader joes meyer lemon cookie thins 9oz (255g), price lower than 30.00 dollars" + ], + "i need synthetic sole flats that are blush colored": [ + "synthetic sole flats blush colored", + " synthetic sole flats blush colored", + "stainless sole flats blush colored", + " synthetic sole flats that are blush colored", + "st blush colored synthetic sole flats", + "pink colored synthetic sole flats", + "stretch flats blush colored", + "soy sole flats blush colored", + "natural sole flats blush colored", + "synthetic sole flats" + ], + "i want to find a storage basket that i can put in my living room.": [ + "storage basket for living room", + "storage basket in my living room", + "storage basket living room", + "living room storage basket", + "storage basket in the living room", + "storage basket for the living room", + "storage basket for living room.", + "storage basket in living room", + "storage basket, living room,", + "storage basket for living room," + ], + "i want white and light weight adidas men's duramo shoes.": [ + "white and light weight adidas mens duramo shoes", + "white and light weight Adidas mens duramo shoes", + "white mens duramo shoes", + "white, light weight adidas mens duramo shoes", + "white and light weight mens duramo shoes", + "white and light weight adidas mens duramo shoe", + "white high weight adidas mens duramo shoes", + "white and light weight men mens duramo shoes", + "white and light weight men duramo shoes", + "white men duramo shoes" + ], + "i need a wall lamp with clear glass.": [ + "wall lamp with clear glass", + "wall lamp, clear glass", + "wall lamp", + "wall lamp with clear glass.", + "wall lamp with clear glass,", + "wall lamp that is clear glass", + "wall lamp in clear glass", + "wall lamp, clear glass,", + "wall lamp clear glass", + "wall lamp color clear" + ], + "am hoping to find interestprint men's lightweight sleep lounge pajama pants machine wash and small size": [ + "mens lightweight sleep lounge pajama pants", + "sneakers lightweight sleep lounge pajama pants", + "mens lightweight sleep lounge pajama pants machine wash small", + "mens lightweight sleep lounge pajama pants machine wash", + "mens lightweight sleep lounge pajama pants machine wash", + "mens lightweight sleep lounge pajama pants machine wash small", + "interestprint mens lightweight sleep lounge pajama pants", + "womens lightweight sleep lounge pajama pants", + "sneakers lightweight sleep lounge pajama pants machine wash", + "mens lightweight sleep lounge pajama pants" + ], + "i'm looking for an x-large, short sleeve top for daily wear in pink with a loose fit.": [ + "x-large pink short sleeve shirt", + "x-large pink short sleeve top", + "x-large, short sleeve top", + "xl pink short sleeve shirt", + "xl short sleeve shirt in pink", + "xl short sleeve shirt", + "x-large, short sleeve shirt", + "xl pink short sleeve top", + " x-large pink short sleeve shirt", + "pink short sleeve top" + ], + "i'm interested in a power amplifier board that is easy to install.": [ + "power amplifier board that is easy to install", + "power amplifier board easy to install", + "power amplifier board", + "power amplifier board, easy to install", + "power amplifier board which is easy to install", + "power amplifier board, easy to install,", + "easy to install power amplifier board", + "power amplifier board with easy to install", + "power amplifier board for easy to install", + "power amplifier board easy to install." + ], + "i'm looking for a birthday cake for a 5 year old boy that features marvel heroes.": [ + "5 year old boy birthday cake that features marvel heroes", + "5 year old boy birthday cake with marvel heroes", + "5 year old boy birthday cake", + "birthday cake for a 5 year old boy", + "birthday cake for 5 year old boy that features marvel heroes", + "birthday cake for a 5 year old boy with marvel heroes", + "baby shower cake for a 5 year old boy", + "baby shower cake for a 5 year old boy with marvel heroes", + "birthday cake for a 5 year old boy under $50", + "5 year old boy birthday cake that features marvel heroes." + ], + "i'm locking for a long sleeve loose plain casual dress with pockets.": [ + "long sleeve loose plain casual dress with pockets", + "long sleeve loose plain casual dress with pocket", + "long sleeve loose plain casual dress", + "lens loose plain casual dress with pockets", + "short sleeve loose plain casual dress with pockets", + "lens loose plain casual dress with pocket", + "short sleeve loose plain casual dress with pocket", + "lens loose plain casual dress", + "short sleeve loose plain casual dress", + "long sleeve loose casual dress with pockets" + ], + "i am looking for a 7 foot by 7 foot light weight and easy to carry fairytale themed photography background.": [ + "7 foot by 7 foot light weight photography background", + "easy to carry fairytale themed photography background", + "6 foot by 7 foot light weight photography background", + "7 foot x 7 foot light weight photography background", + "8 foot by 7 foot light weight photography background", + "6 foot x 7 foot light weight photography background", + "easy to carry fairytale themed photography background.", + "light weight 7 foot by 7 foot photography background", + "7 foot by 7 foot light weight photography background.", + "7 foot by 7 foot photography background" + ], + "i need a long usb cable with speed in the beige color.": [ + "long usb cable with speed in beige color", + "long usb cable with speed in beige", + "long usb cable with speed beige", + "usb cable with speed in the beige color", + "long usb cable", + "long usb cable in the beige color", + "long usb cable with speed in the beige", + "long usb cable with speed beige color", + "long usb cable with speed, beige color", + "long usb cable with speed" + ], + "i would like a black 63\" entertainment center that is easy to assemble.": [ + "black 63 entertainment center", + "black 63 entertainment center easy to assemble", + "black 63 entertainment center, easy to assemble", + "easy assemble black 63 entertainment center", + "black 63 entertainment center under $50", + "black 63 entertainment center under $60", + "black 63 entertainment center easy assemble", + "black 63 entertainment center easy to assemble.", + "black 63 entertainment center with easy assemble", + "black 63 entertainment center under $40" + ], + "i want a wireless bluetooth headset.": [ + "wireless bluetooth headset", + "womens bluetooth headset", + "alarm wireless bluetooth headset", + " wireless bluetooth headset", + "a wireless bluetooth headset", + "wireless bluetooth headset.", + "bioetooth headset", + "phone bluetooth headset", + "wirefreeetooth headset", + "wireless bluetooth headset," + ], + "i'm looking for beef jerky with a sweet smoked flavor that is high in protein.": [ + "strawberry jerky high in protein", + "buffet jerky high in protein", + "buffet jerky with a sweet smoked flavor", + "stainless beef jerky with a sweet smoked flavor", + " beef jerky with a sweet smoked flavor", + "vegan jerky high in protein", + "vegan jerky with a sweet smoked flavor", + "stainless beef jerky high in protein", + "barbecue jerky high in protein", + " beef jerky with a sweet smoked flavor high in protein" + ], + "i would like a resealable bag of peanut brittle.": [ + "snealable bag of peanut brittle", + "sealable bag of peanut brittle", + " resealable bag of peanut brittle", + "tealable bag of peanut brittle", + "vegan peanut brittle resealable bag", + "shoes and peanut brittle resealable", + " resealable bag of peanut brittle.", + "roasted peanut brittle resealable bag", + "sealable bag of peanut brittle.", + "tea bag of peanut brittle" + ], + "i want to find in the color deep pink men's wool jogger pants brand southpole model active basic. be quick in your help i'm waiting. that can be machine washed": [ + "deep pink mens wool jogger pants", + "deep pink mens wool jogger pants with active basic color", + "deep pink mens wool jogger pants with active basic", + "deep pink mens wool jogger pants brand southpole", + "deep pink mens wool jogger pants active basic", + "deep pink mens wool jogger pants under $40", + "deep pink mens wool jogger pants under $50", + "deep pink mens wool jogger pants under $60", + "deep pink mens wool jogger pants with an active basic", + "blue mens wool jogger pants" + ], + "i want an lnafirenze and highly pigmented matte liquid lipstick set.": [ + "lnafirenze liquid lipstick set", + "lnafirenze pigmented matte liquid lipstick set", + "lnafirenze matte liquid lipstick set", + "lip color lnafirenze", + "lnafirenze liquid lipstick set.", + "lnafirenze highly pigmented matte liquid lipstick", + "lnafirenze high pigmented matte liquid lipstick", + "lnafirenze pigmented matte liquid lipstick", + "lnafirenze matte liquid lipstick set.", + "lip gloss set" + ], + "i am looking high quality waterproof highly pigmented easy apply cruelty free long lasting lip glosses inafirenze pattern": [ + "waterproof lip glosses inafirenze pattern", + "lip glosses inafirenze pattern", + "low quality waterproof lip glosses inafirenze pattern", + "waterproof lip gloss inafirenze pattern", + "lip glosses inafirenze pattern high quality", + "lip glosses inafirenze pattern high quality waterproof", + "waterproof lip gloss", + "waterproof lip glosses inafirenze", + " waterproof highly pigmented easy apply cruelty free long lasting lip gloss", + "waterproof lip gloss under $40" + ], + "i am looking for a high power high definition sound bars": [ + "high power high definition sound bars", + "high power high definition sound bar", + "high power high definition sound bars under $40", + "high power high definition sound bars under $60", + "high power high definition sound bars under $50", + "high power high definition sound bars under 30 dollars", + "high power high definition sound bars under 50 dollars", + "high power high definition sound bars under $120", + "high power high definition sound bars under $130", + "high power high definition sound bars under 40 dollars" + ], + "i want a curly hair black brown synthetic hairpiece.": [ + " curly hair black brown synthetic hairpiece", + " curly hair black synthetic hairpiece", + "black brown synthetic hairpiece", + "grey curly hair black synthetic hairpiece", + "gl curly hair black synthetic hairpiece", + "musical hair black synthetic hairpiece", + " curly hair black synthetic hairpiece.", + "hair black synthetic hairpiece", + "black synthetic hairpiece", + "black brown synthetic hairpiece." + ], + "i want to buy cake toppers suitable for a baby shower event.": [ + "cake toppers suitable for a baby shower event", + "cake toppers suitable for a baby shower event.", + "cake toppers suitable for a baby shower", + "baby shower cake toppers suitable for a baby shower", + "cake toppers suitable for baby shower event", + "birthday cake toppers suitable for a baby shower", + "cake toppers suitable for a baby shower event", + "cake toppers suitable for baby shower event.", + "cake toppers suitable for baby shower", + "cupcake toppers suitable for a baby shower event" + ], + "i want an espresso prepac astrid 6 drawer solid wood tall chest.": [ + "espresso prepac astrid 6 drawer solid wood tall chest", + "i want an espresso prepac astrid 6 drawer solid wood tall chest.", + "espresso prepac astrid 6 drawer solid wood tall chest.", + " espresso prepac astrid 6 drawer solid wood tall chest", + "espresso prepac astrid 6 drawer solid wood tall chest under $50", + "espresso prepac astrid 6 drawer solid wood tall chest under $40", + "epresso prepac astrid 6 drawer solid wood tall chest", + "espresso prepac astrid 6 drawer solid wood tall chest under $60", + "espresso prepac astrid 6 drawer solid wood tall chest,", + "alarm prepac astrid 6 drawer solid wood tall chest" + ], + "i want a biscuit revlon colorstay concealer for dark circles.": [ + "dust revlon colorstay concealer for dark circles", + "brittle revlon colorstay concealer for dark circles", + "biscuit revlon colorstay concealer dark circles", + " biscuit revlon colorstay concealer for dark circles", + "stain concealer for dark circles", + "bagel revlon colorstay concealer for dark circles", + "duck revlon colorstay concealer for dark circles", + "dust revlon colorstay concealer for dark circles.", + "stretch concealer for dark circles", + "dust revlon colorstay concealer dark circles" + ], + "i need a 38mm smartwatch case with glass screen": [ + "38mm smartwatch case with glass screen", + "38mm smartwatch case", + "28mm smartwatch case with glass screen", + " 38mm smartwatch case with glass screen", + "38mm smartwatch case, glass screen", + "smartwatch case with glass screen", + "38mm smartwatch case glass screen", + "40mm smartwatch case with glass screen", + "smartwatch case with glass screen 38mm", + "28mm smartwatch case" + ], + "i would like easy to apply halloween temp zombie tattoos": [ + "halloween temp zombie tattoos", + "living room temp zombie tattoos easy to apply", + "haleeen temp zombie tattoos", + "temporary zombie tattoos easy to apply", + "haleoween temp zombie tattoos", + "alarm zombie tattoos easy to apply", + "living room temp zombie tattoos", + "temporary zombie tattoos", + "halloween temp zombie tattoos easy apply", + "alarm zombie tattoos" + ], + "i am looking for a small slim fit nightgowns & sleepshirts": [ + "small slim fit nightgowns & sleepshirts", + "slim fit nightgowns & sleepshirts", + "small slim fit nightgowns and sleepshirts", + "small slim fit nightgowns & sleepshirt", + "small slim fit nightgowns", + "slim fit nightgowns and sleepshirts", + "slim fit nightgowns & sleepshirt", + "small slim fit nightgowns and sleepshirt", + "slim fit nightgowns", + "small slim fit nightgowns, sleepshirts" + ], + "i want a abstract wall art with the boho color": [ + "brushed wall art with boho color", + "brushed wall art boho color", + "art with boho color", + "abstract wall art with boho color", + "abstract wall art boho color", + "art boho color", + "brushed wall art in boho color", + "art with the boho color", + "art boho", + "brushed wall art" + ], + "i want a pair of 7.5 gray shoes with moisture wicking.": [ + "6.5 gray shoes with moisture wicking", + "7.5 gray shoes with moisture wicking", + "womens gray shoes with moisture wicking", + "6 gray shoes with moisture wicking", + "shoes with moisture wicking", + "gray shoes with moisture wicking", + "grey shoes with moisture wicking", + "5 gray shoes with moisture wicking", + "shoes with moisture wicking 7.5", + "6.5 gray shoes" + ], + "i would like a high resolution tablet": [ + "high resolution tablet", + "high resolution tablet with price lower than 50.00 dollars", + "high resolution tablet under $130", + "high resolution tablet under $120", + "high resolution tablet under $60", + "high resolution tablet under $40", + "high resolution tablet under $50", + "high resolution tablet that is high resolution", + "tablet high resolution", + "high resolution tablets" + ], + "i want xx-large biker shorts for women high waist.": [ + "xx-large biker shorts for women high waist", + "xxl biker shorts for women high waist", + " xx-large biker shorts for women high waist", + "xx-large biker shorts", + "xxl biker shorts for women high waist.", + "xx-large biker shorts women high waist", + "xx-large biker shorts woman high waist", + "xx-large biker shorts, women high waist", + "xxl biker shorts women high waist", + "xxl biker shorts" + ], + "search for an ac adapter with output protection.": [ + "ac adapter with output protection", + "ac adapter no output protection", + "ac adapter with output protection under $40", + "a adapter with output protection", + "ac adapter with output protection.", + "ac adapter with output protection under $60", + "ac adapter that is output protection", + "an ac adapter with output protection", + "affordable ac adapter with output protection", + "ac adapter with output protection under $50" + ], + "i want to buy a skin cream which is fragrance free and it is for smoothing eye contour.": [ + "skin cream for smoothing eye contour", + "skin cream that is fragrance free", + "skin cream with a smoothing eye contour", + "skin cream fragrance free", + "skin cream for smoothing eye contour.", + "skin cream which is fragrance free", + "skin cream, fragrance free", + "skin cream", + "skin cream with a smoothing eye contour.", + "skin cream no fragrance" + ], + "i would like a 69 wide by 36 tall gray roller shade that is eco friendly.": [ + "69 wide by 36 tall gray roller shade", + "69 wide by 36 tall gray roller shade that is eco friendly", + " 69 wide by 36 tall gray roller shade that is eco friendly", + "67 wide by 36 tall gray roller shade that is eco friendly", + "68 wide by 36 tall gray roller shade that is eco friendly", + "69 wide by 36 tall gray roller shade eco friendly", + "67 wide by 36 tall gray roller shade", + "68 wide by 36 tall gray roller shade", + "69 wide by 36 tall gray roller shade, eco friendly", + " 69 wide by 36 tall gray roller shade" + ], + "i am looking for short sleeve medium size blush t shirt tops blouse for women": [ + "short sleeve medium t-shirt tops blouse for women", + "short sleeve medium t-shirt blouse for women", + "short sleeve medium size blush t shirt tops blouse", + "short sleeve medium t shirt tops blouse for women", + "short sleeve medium size blush t-shirt tops blouse", + "short sleeve medium t-shirt tops blouse", + "short sleeve medium size blouse for women", + "short sleeve medium shirt tops blouse for women", + "short sleeve medium size blush t shirt blouse for women", + "short sleeve medium t-shirt blouse" + ], + "i'm looking for a band for my apple watch that will fit at 38, 40 or 41mm that is easy for me to install.": [ + "band for my apple watch 38, 40 or 41mm", + "apple watch band 38, 40 or 41mm", + "apple watch band that is easy for me to install", + "an apple watch band 38, 40 or 41mm", + "band for my apple watch that is easy to install.", + "band for my apple watch that is easy to install", + "apple watch band that is easy for me to install.", + "apple watch band 38mm", + "band for my apple watch", + "apple watch band" + ], + "i am looking for stretchy band compatible with apple watch band 42mm": [ + "stretchy band for apple watch 42mm", + "stretchy band with apple watch 42mm", + " stretchy band for apple watch 42mm", + "Stretchy band for apple watch 42mm", + " stretchy band compatible with apple watch 42mm", + "stretchy band, apple watch 42mm", + "stretchy band apple watch 42mm", + "stretchy band", + "stretchy band 42mm", + "stretchy band 42mm apple watch" + ], + "i am looking for a pair of women's red and green machine washable pants with pockets.": [ + "womens red and green machine washable pants", + "mens red and green machine washable pants with pockets", + "womens red and green machine washable pants,", + "womens red, green machine washable pants", + "mens red and green machine washable pants", + "womens red washable pants with pockets", + "mens red and green machine washable pants", + "woman washable pants with pockets", + "womens red washable pants", + "woman washable pants" + ], + "i want to find a beige set of blackout curtains that are 54 inches in width and 72 inches in length for my living room.": [ + "black blackout curtains that are 54 inches in width and 72 inches in length", + "beige blackout curtains that are 54 inches in width and 72 inches in length", + "black blackout curtains 54 inches in width and 72 inches in length", + "28 beige blackout curtains that are 54 inches in width and 72 inches in length", + "blanket curtains that are 54 inches in width and 72 inches in length", + "black blackout curtains 54 inches in width and 72 inches in length for my living room", + "blanket curtains 54 inches in width and 72 inches in length for my living room", + "blanket curtains 54 inches in width and 72 inches in length", + "beige set of blackout curtains for my living room", + "beige set of blackout curtains" + ], + "i'm looking for an easy to use case for iphone 12 pro max in color black.": [ + "iphone 12 pro max in color black", + "iphone 12 pro max case black", + "iphone 12 pro max black case", + "iphone 12 pro max black", + "iphone 12 pro max case color black", + "iphone 12 pro max color black", + "iphone 12 pro max case", + "iphone 12 pro max case, black", + "iphone 12 pro max", + "iphone 12 pro" + ], + "i am interested in buying sparkling water which is made of simple ingredients and has raspberry lime flavor.": [ + "simple ingredients sparkling water with raspberry lime flavor", + "simple ingredients sparkling water made from simple ingredients and raspberry lime flavor", + "simple ingredients sparkling water made of simple ingredients and raspberry lime flavor", + "simple-to-use sparkling water with raspberry lime flavor", + "simple ingredients sparkling water, raspberry lime flavor", + "simple ingredients sparkling water made from simple ingredients with raspberry lime flavor", + "simple and natural sparkling water with raspberry lime flavor", + "simple ingredients sparkling water", + "simple ingredients and raspberry lime flavor", + "simple ingredients sparkling water with raspberry flavor" + ], + "i am looking for gluten free water. please choose black cherry flavor.": [ + "gluten free water black cherry flavor", + "gluten free water drink black cherry flavor", + "gluten free water with black cherry flavor", + "gluten free water flavor black cherry flavor", + "gluten free water mix black cherry flavor", + "gluten free water", + "gluten free water flavor black cherry", + "gluten free water, black cherry flavor", + "gluten free water in black cherry flavor", + "gluten free water flavor" + ], + "i want to buy a cable for guitar which is gold plated is a splitter cord with a length of 50ft.": [ + "gold plated cable for guitar", + "gold plated cable for guitar which is 50ft", + "gold plated cable for guitar under 50ft", + "gold plated cable for guitar that is 50ft", + "cable for guitar with a length of 50ft", + "digital cable for guitar with a length of 50ft", + "gold plated cable for guitar under 50 dollars", + "guitar cable gold plated", + "gold plated guitar cable", + "guitar cable" + ], + "i am looking for a 4 pack of white chocolate macadamia cookies that are chipmonk cookies brand, low carb and gluten free.": [ + "4 pack of white chocolate macadamia cookies low carb and gluten free", + "4 pack of white chocolate macadamia cookies", + "4 pack white chocolate macadamia cookies low carb and gluten free", + "4 pack of white chocolate macadamia cookies low carb", + "4 pack of white chocolate macadamia cookies gluten free", + "pack of white chocolate macadamia cookies low carb and gluten free", + "4 pack of white chocolate macadamia cookies low carb, gluten free", + "4 pack of white chocolate macadamia cookies low carb gluten free", + "4 pack of white chocolate macadamia cookies under $40", + "4 pack white chocolate macadamia cookies" + ], + "screen protector: 41\"w x 72\"h easy to install": [ + "screen protector 41w x 72h easy to install", + "screen protector 42w x 72h easy to install", + "screen protector 41w x 72h", + "screen protector: 41w x 72h", + "screen protector 40w x 72h easy to install", + "screen protector for 41w x 72h", + "screen protector 42w x 72h", + "screen protector, 41w x 72h", + "screen protector that is 41w x 72h", + "screen protector" + ], + "i am looking for white color floor lamps having bronze finish.": [ + "white color floor lamps with bronze finish", + "white color floor lamps having bronze finish", + "floor lamps with bronze finish", + "white color floor lamps", + "white color floor lamp with bronze finish", + "white color floor lamps, bronze finish", + "white floor lamps with bronze finish", + "floor lamp with bronze finish", + "floor lamps bronze finish", + "floor lamps having bronze finish" + ], + "looking for keto friendly jumbo sunflower seeds": [ + "keto friendly jumbo sunflower seeds", + "keto friendly jumbo sunflower seeds", + "keto friendly jumbo sunflower seeds keto friendly", + "keto friendly jumbo sunflower seeds under $40", + "keto friendly jumbo sunflower seeds under $50", + "keto friendly jumbo sunflower seeds under $60", + "keto friendly jumbo sunflower seeds under 50 dollars", + "keto friendly jumbo sunflower seeds under 30 dollars", + "keto friendly jumbo sunflower seeds under 40 dollars", + "keto friendly jumbo sunflower seeds keto friendly" + ], + "i'm looking for a cheese platter that i can include in a gift basket.": [ + "cheese platter for a gift basket", + "cheese platter for gift basket", + "cheese platter in a gift basket", + "gift basket cheese platter", + "cheese platter gift basket", + "cheese platter", + "toothpaste cheese platter", + "cheese platter for a gift basket.", + "gift basket cheese platter under $50", + "gift basket cheese platter under 50 dollars" + ], + "i am looking for some red heart cupcake toppers for a birthday cake.": [ + "red heart cupcake toppers for a birthday cake", + "red heart cupcake toppers for a baby shower", + "cupcake toppers for a baby shower", + "red heart cupcake toppers", + "cupcake toppers for a birthday cake", + "red heart cupcake toppers birthday cake", + "red heart cupcake toppers for baby shower", + "red heart cupcake toppers for birthday cake", + "red heart cupcake toppers for a baby", + "red heart birthday cake toppers" + ], + "i'm looking for a size 12, casual woman's dress without sleeves.": [ + "size 12, casual womans dress without sleeves", + "style 12, casual womans dress without sleeves", + "size 12, casual womans dress with sleeves", + "size 12 casual womans dress without sleeves", + "style 12, casual womans dress with sleeves", + "size 12, casual womans dress", + "small casual womans dress without sleeves", + "casual womans dress without sleeves", + "small casual womans dress", + "curtains 12" + ], + "i want a bottle of act total care alcohol free mouthwash.": [ + "alcohol free mouthwash", + "alcohol free mouthwash under $40", + "alcohol free mouthwash under $50", + "act total care alcohol free mouthwash", + "alcohol free mouthwash under $60", + "alcohol free mouthwash under 50 dollars", + "alcohol free mouthwash under 30 dollars", + "alcohol free mouthwash under 40 dollars", + "sugar free mouthwash", + "full care alcohol free mouthwash" + ], + "i want to find a blue toothbrush that can help me take care of my oral hygiene.": [ + "blue oral hygiene toothbrush", + "blue toothbrush oral hygiene", + "blue toothbrush", + "blue toothbrush for oral hygiene", + "blue toothbrush, oral hygiene", + "blue toothbrush with oral hygiene", + "blue oral hygiene teethbrush", + "blue oral hygiene brush", + "blue toothbrush oral hygiene under $40", + "blue toothbrush oral hygiene under $50" + ], + "hello, i'm looking for dermatologist approved sunblock that leaves no scent? also, i want 3.4 fl oz": [ + "dermatologist approved sunblock 3.4 fl oz", + "dermatologist approved sunblock with no scent 3.4 fl oz", + "dermatologist approved sunblock that leaves no scent", + "dermatologist approved sunblock, 3.4 fl oz", + "ddermatologist approved sunblock 3.4 fl oz", + "dentalologist approved sunblock 3.4 fl oz", + " dermatologist approved sunblock 3.4 fl oz", + "dermatologist approved sunblock three.4 fl oz", + "dermatologist approved sunblock with no scent", + "dermatologist approved sunblock" + ], + "i need bread that is gluten free and bbq cheddar flavored": [ + "gluten free bbq cheddar flavored bread", + "gluten free bbq cheddar flavored", + "bbq cheddar flavored bread", + "butter gluten free bbq cheddar flavored", + "bread gluten free and bbq cheddar flavored", + "gluten free bbq cheddar flavored loaf", + "butter bbq cheddar flavored", + " gluten free bbq cheddar flavored bread", + "bbq cheddar gluten free", + "bbq cheddar gluten free bread" + ], + "i would like a pair of 38 wide by 28 long standard dark indigo flex jeans that are regular fit.": [ + "38 wide by 28 long standard dark indigo flex jeans", + "38 wide by 28 long standard dark indigo flex jeans with regular fit", + "38 wide by 28 long standard dark indigo flex jeans, regular fit", + "28 wide by 28 long standard dark indigo flex jeans", + "shoes 38 wide by 28 long standard dark indigo flex jeans", + "38 wide by 28 long standard dark indigo flex jeans regular fit", + " 38 wide by 28 long standard dark indigo flex jeans", + "38 wide by 28 long standard dark indigo flex jeans under $40", + "38 wide by 28 long standard dark indigo flex jeans under $50", + "38 wide x 28 long standard dark indigo flex jeans" + ], + "i'm looking for a twelve pack of 1.5 ounce packages of almonds that are high in protein.": [ + "12 pack of almonds high in protein", + "12 pack of almonds that are high in protein", + "12 pack of nuts high in protein", + "12 pack of almonds", + "12 pack of nuts that are high in protein", + "almond nuts 12 pack high in protein", + "12 pack of 1.5 ounce almonds", + "almond pack of 1.5 ounce packages", + "12 pack of almonds with protein", + "12 pack of almond pomegranate flavor" + ], + "i would like a 16 inch by 16 inch yellow gray throw pillow cover that is machine washable.": [ + "16 inch by 16 inch yellow gray throw pillow cover", + "16 inch by 16 inch yellow gray throw pillow cover machine washable", + "16 inch x 16 inch yellow gray throw pillow cover", + "16 inch by 16 inch yellow gray throw pillow cover under $40", + "16 inch by 16 inch yellow gray throw pillow cover under $60", + "16 inch by 16 inch yellow gray throw pillow cover under $50", + "16 inch by 16 inch yellow gray throw pillow cover under 50 dollars", + "16 x 16 inch yellow gray throw pillow cover", + "16 by 16 inch yellow gray throw pillow cover", + "16 inch by 16 inch yellow throw pillow cover" + ], + "i need white walking shoes with arch support.": [ + "white walking shoes with arch support", + "white walking shoes, arch support", + "white walking shoes", + "white walking shoes arch support", + "white walking shoes that arch support", + "white walking shoe with arch support", + "white walking shoes no arch support", + "walking shoes with arch support", + "white walking shoes no arch", + "white walking shoes without arch support" + ], + "i am looking for blue dragonfly color wall light for my living room.": [ + "blue dragonfly color wall light", + "blue dragonfly color wall light for my living room", + "blue dragonfly color wall light for living room", + "blue dragonfly wall light", + "blue dragonfly color wall light for the living room", + "blue dragonfly color wall light in a living room", + "blue dragonfly color wall light for a living room", + "blue dragonfly color wall light, living room", + "blue dragonfly wall light for living room", + "blue dragonfly wall light for my living room" + ], + "i need hands free matte black cell phone holder for car dashboard windshield": [ + "hands free matte black cell phone holder for car dashboard windshield", + "hand free matte black cell phone holder for car dashboard windshield", + "freeze matte black cell phone holder for car dashboard windshield", + "hands free matte black cell phone holder", + "phone holder for car dashboard windshield", + "hands free matte black cell phone holder for car dashboard", + "hand free matte black cell phone holder", + "hand free matte black cell phone holder for car dashboard", + "alarm phone holder for car dashboard windshield", + "hands free matte black phone holder for car dashboard windshield" + ], + "i want silver cooki rhinestone open toe sandals.": [ + "silver cooki rhinestone open toe sandals", + "i want silver cooki rhinestone open toe sandals.", + "silver cooki rhinestone open toe sandals.", + "silver cooki rhinestone open toe sandals,", + "silver cooki rhinestone open toe sandals under $40", + "silver cooki rhinestone open toe sandals under $50", + "pink cooki rhinestone open toe sandals", + "silver cooki rhinestone open toe sandals under $60", + "silver Cooki rhinestone open toe sandals", + " silver cooki rhinestone open toe sandals" + ], + "i would like a bpa free jar.": [ + "bpa free jar", + "bpa free jar bpa free", + "a bpa free jar", + "bpa free jar.", + "bag bpa free", + "bpa free jar under $40", + "bpa free jar under $50", + "brittle bpa free jar", + "bpa free jar under $60", + "barbecue free jar" + ], + "may i have machine wash, short sleeve of lands' end men's short sleeve super soft supima polo shirt, the large size.": [ + "machine wash super soft supima polo shirt in a large size", + "mens short sleeve super soft supima polo shirt in a large size", + "mens short sleeve super soft supima polo shirt, the large size", + "mens short sleeve super soft supima polo shirt", + "mens short sleeve super soft supima polo shirt in a large", + "machine wash super soft supima polo shirt", + "machine wash super soft supima polo shirt in a large", + "womens short sleeve super soft supima polo shirt", + "womens short sleeve super soft supima polo shirt in a large", + "super soft supima polo shirt in a large" + ], + "i am looking for a pair of easy to assemble beige chairs for my living room.": [ + "easy to assemble beige chairs for living room", + "easy assemble beige chairs for living room", + "easy to assemble beige chairs for my living room", + "easy to assemble beige chairs for the living room", + "easy assemble beige chairs for my living room", + "easy assemble beige chairs for the living room", + "easy to assemble beige chairs for a living room", + "easy to assemble beige chairs for living room.", + "easy to assemble beige dining chairs for living room", + "easy assemble beige chairs for my living room." + ], + "i want a pair of size 7 wide taupe loafers with arch support.": [ + "size 7 wide taupe loafers with arch support", + "taupe loafers with arch support", + "twin wide taupe loafers with arch support", + "size 7 wide taupe loafers", + "sneakers size 7 wide taupe loafers", + "twin taupe loafers with arch support", + "taupe loafers with arch support size 7", + "pair of size 7 wide taupe loafers", + "taupe loafers size 7 wide arch support", + "small taupe loafers with arch support" + ], + "i need a pack of long lasting permanent hair dye in a cr\u00e8me format; my shade is 6rb light reddish brown.": [ + "6rb long lasting permanent hair dye", + "6rb permanent hair dye in a cr\u00e8me format", + "6rb light reddish hair dye", + "long lasting permanent hair dye in a cr\u00e8me format", + "6rb permanent hair dye", + "6rb light reddish brown hair dye", + "long lasting permanent hair dye 6rb light reddish brown", + "long lasting permanent hair dye 6rb light reddish", + "hair dye 6rb light reddish brown", + "6rb long lasting permanent hair dye under $60" + ], + "i want to get some low calorie margarita mix. look for a four pack.": [ + "low calorie margarita mix four pack", + "margarita mix four pack", + "low calorie margarita mix 4 pack", + "4 pack low calorie margarita mix", + "m margarita mix four pack", + "low calorie margarita mix, four pack", + "low calorie margarita mix four pack.", + "5 pack low calorie margarita mix", + "low calories margarita mix four pack", + "margarita mix 4 pack" + ], + "i need a pack of 2 fine-tooth dressing combs that are effective in styling as well as preventing hair loss.": [ + "fine-tooth dressing combs that are effective in styling as well as preventing hair loss", + "2 fine-tooth dressing combs", + "2 fine-tooth dressing combs, effective in styling as well as preventing hair loss", + "two fine-tooth dressing combs", + "2 fine-tooth dressing combs for styling as well as preventing hair loss", + "pack of 2 fine-tooth dressing combs", + "fine-tooth dressing combs", + "bag of 2 fine-tooth dressing combs", + "2 fine-tooth dressing combs for styling as well as preventing hair loss.", + "style combs for styling" + ], + "i am looking for trader joe's chocolate covered shortbread cookies.": [ + " trader joes chocolate covered shortbread cookies", + "trader joes chocolate covered shortbread cookies", + "trains joes chocolate covered shortbread cookies", + "terrain joes chocolate covered shortbread cookies", + " trader joes chocolate covered shortbread cookies.", + "shocolate covered shortbread cookies", + "shoes chocolate covered shortbread cookies", + "manual chocolate covered shortbread cookies", + "pack of chocolate covered shortbread cookies", + "chocolate covered shortbread cookies" + ], + "i'm looking for a laundry bag that is designed for delicate blouses and hosiery.": [ + "laundry bag for delicate blouses and hosiery", + "laundry bag designed for delicate blouses and hosiery", + "a laundry bag for delicate blouses and hosiery", + "womens laundry bag for delicate blouses and hosiery", + "washable bag for delicate blouses and hosiery", + "alarm bag for delicate blouses and hosiery", + "laundry bag for delicate blouses and hosiery.", + "womens laundry bag", + "a laundry bag for delicate blouses and hosiery.", + "laundry bag" + ], + "make this purchase for me: david's cookies - 24 fresh baked chocolate cookies gourmet gift basket, assorted flavors.tks": [ + "davids cookies 24 fresh baked chocolate cookies gourmet gift basket", + "davids cookies - 24 fresh baked chocolate cookies gourmet gift basket", + "davids cookies gourmet gift basket, assorted flavors", + "davids cookies gourmet gift basket, assorted flavors.tks", + "davids cookies gourmet gift basket 24 fresh baked chocolate cookies", + "24 fresh baked chocolate cookies gourmet gift basket, assorted flavors", + "davids cookies gourmet gift basket with assorted flavors", + "vegan baked chocolate cookies gourmet gift basket, assorted flavors", + "24 fresh baked chocolate cookies gourmet gift basket", + "davids cookies" + ], + "i need chocolate chunk cookies for my gift basket.": [ + "chocolate chunk cookies for a gift basket", + "chocolate chunk cookies for my gift basket", + "chocolate chunk cookies for my gift basket.", + "chocolate chunk cookies for gift basket", + "chocolate chunk cookies for the gift basket", + "chocolate chunk cookies for a gift basket.", + "chocolate chunk cookies for gift basket.", + "chocolate chunk cookies for the gift basket.", + "chocolate chunk cookies for gifts basket", + "chocolate chunk cookies" + ], + "find bluetooth speaks with stereo sound": [ + "find bluetooth speaks with stereo sound, and price lower than 50.00 dollars", + "find bluetooth speaks with stereo sound", + "find bluetooth speaks with stereo sound, and price lower than 40.00 dollars", + "find bluetooth speaks with stereo sound, and price lower than 140.00 dollars", + "find bluetooth speaks with stereo sound, and price lower than 30.00 dollars", + "find bluetooth speaks with stereo sound, and price lower than 60.00 dollars", + "find bluetooth speaks with stereo sound, and price lower than 120.00 dollars", + "find bluetooth speaks with stereo sound, and price lower than 20.00 dollars", + "find bluetooth speakers with stereo sound, and price lower than 50.00 dollars", + "find bluetooth speaks with stereo sound, and price lower than 100.00 dollars" + ], + "i'm looking for a fast charging wireless bluetooth headphone.": [ + "fast charging wireless bluetooth headphone", + "wireless bluetooth headphone", + "womens wireless bluetooth headphone", + "wirelessly charging wireless bluetooth headphone", + "easy charging wireless bluetooth headphone", + "wireless wireless bluetooth headphone", + "comfortable wireless bluetooth headphone", + "fast charging wireless bluetooth headphone.", + "wireless bluetooth wireless headphone", + "womens wireless bluetooth wireless headphone" + ], + "i am looking for a box of chocolate covered caramels and nuts.": [ + "chocolate covered caramels and nuts", + "chocolate covered caramels and nuts under $40", + "chocolate covered caramels and nuts under $50", + "chocolate covered caramels and nuts under $60", + "chocolate covered caramels and nuts under 50 dollars", + "chocolate covered caramels and nuts under 30 dollars", + "chocolate covered caramels and nuts under 40 dollars", + "chocolate covered caramels and nuts under 60 dollars", + "chocolate covered caramels and nuts.", + "chocolate covered caramels and nuts below $40" + ], + "i want russell stover pecan delights for valentine's day.": [ + "russell stover pecan delights valentines day", + "russell stover pecan delights for valentines day", + "russell stover pecan delights for valentines day.", + "russell stover pecan delights valentines day.", + "rfshannon stover pecan delights valentines day", + "rfsh ssell stover pecan delights for valentines day", + "rfshannon stover pecan delights for valentines day", + "rfsh ssell stover pecan delights valentines day", + "ussell stover pecan delights valentines day", + "rfshannon stover pecan delights for valentines day." + ], + "i would like a white 2xl white sleep set with a elastic waist": [ + "white 2xl white sleep set", + "white 2xl white sleep set, elastic waist", + "white 2xl bed set with a elastic waist", + "white 2xl white sleep set with elastic waist", + "white 2xl white sleep set elastic waist", + "white 2xl bed with a elastic waist", + "white 2xl white sleep set under $40", + "white 2 xl white sleep set", + "white 2xl bed set", + "white 2xl" + ], + "can you find a 10\" high performance 200 watt, osd in-wall sub-woofer that is trimless 8\" and allows me to customize the grill.": [ + "10 high performance 200 watt osd in-wall sub-woofer", + "10 high performance 200 watt, osd in-wall sub-woofer", + "10 high performance 200 watt osd in-wall sub-woofer with trimless 8", + "10 high performance 200 watt osd in-wall sub-woofer under $50", + "10 high performance 200 watt osd in-wall sub-woofer under $40", + "10 high performance 200 watt osd in-wall sub-woofer under $60", + "10 high performance 200 watt, osd in-wall sub-woofer under $50", + "10 high performance 200 watt osd in-wall sub-woofer under $120", + "10 high performance 200 watt, osd in-wall sub-woofer under $40", + "10 high performance 200 watt osd in-wall sub-woofer, trimless 8" + ], + "i need a classic fit pastel goth black girl lolita princess court dress with lemon color.": [ + "classic fit pastel goth black girl lolita princess court dress with lemon color", + "classic fit pastel goth black girl lolita princess court dress", + "classic fit pastel goth black girl lolita princess court dress in lemon color", + "classic fit black girl lolita princess court dress with lemon color", + "classic fit pastel goth black girl lolita princess court dress, lemon color", + "classic fit pastel goth black girl lolita princess court dress with lemon colored", + "classic fit oldel goth black girl lolita princess court dress with lemon color", + "classic fit pastel goth black girl lolita princess court dress with lemon", + "classic fit pastel goth black girl tennis court dress with lemon color", + "classic fit pastel goth black girl lolita princess dress with lemon color" + ], + "i need 16.5 inch dining room chair pads": [ + "16.5 inch dining room chair pads", + "16.5 inch dining room chair pad", + "16.5 x dining room chair pads", + "teen.5 inch dining room chair pads", + "16 x 5 inch dining room chair pads", + "living room chair pads 16.5 inches", + "16.5 by dining room chair pads", + "wooden dining room chair pads", + "dining room chair pads", + "living room chair pads" + ], + "i need a large size white color line art graphic needle sleeve t-shirt for women": [ + "large size white color line art graphic needle sleeve t-shirt", + "large white color line art graphic needle sleeve t-shirt for women", + "large size white line art graphic needle sleeve t-shirt for women", + "large white color line art graphic needle sleeve t-shirt", + "large size white color line art graphic needle sleeve t-shirt woman", + "large size white color line art graphic needle sleeve t-shirt women", + "large size white graphic needle sleeve t-shirt for women", + "large size white graphic needle sleeve t-shirt", + "large size white woman t-shirt", + "white color line art graphic needle sleeve t-shirt" + ], + "i am looking for a pair of men's khaki cargo shorts with an elastic waist.": [ + "mens khaki cargo shorts with an elastic waist", + "mens khaki cargo shorts with an elastic waist", + "mens khaki cargo shorts with elastic waist", + "mens khaki cargo shorts with a elastic waist", + "mens khaki cargo shorts that are elastic waist", + "mens khaki cargo shorts", + "mens khaki cargo shorts, elastic waist", + "mens khaki cargo shorts with an elastic waist.", + "mens khaki cargo shorts elastic waist", + "mens khaki cargo shorts with an elastic waist," + ], + "i would like a pair of size 6.5 black flats with a ankle strap.": [ + "size 6.5 black flats with a ankle strap", + "black flats size 6.5 with a ankle strap", + "black flats with a ankle strap", + "black flats with ankle strap", + "black flats with a ankle strap size 6.5", + "black flats with ankle strap size 6.5", + "black flats size 6.5", + "black flats, size 6.5, ankle strap", + "sneakers size 6.5 black flats", + "pair of size 6.5 black flats" + ], + "can you find me an bulk sized almond joy, gluten free size large.": [ + "bagel sized almond joy gluten free", + "almond joy gluten free", + "bag of almond joy gluten free", + "large almond joy gluten free", + "bulk sized almond joy gluten free", + "bag sized almond joy gluten free", + "a bulk sized almond joy gluten free", + "almond joy, gluten free", + "almond joy gluten free size large", + "bale sized almond joy gluten free" + ], + "i would like to buy a shirt for men which has short sleeves, and is of green color, and the size i want it to be should be medium.": [ + "shoes for men green", + "shoes for men size medium", + "shoes for men with short sleeves", + "shoes for men medium", + "shoes for men in green", + "shoes for men that is green", + "shoes for men small", + "shoes for men", + "t-shirt for men green", + "shoes for men, medium" + ], + "i am looking for daily casual xx-large cocktail dress, floral color": [ + "day casual xx-large cocktail dress, floral color", + "casual xx-large cocktail dress, floral color", + " daily casual xx-large cocktail dress, floral color", + "dining dress, floral color", + "day casual xx-large cocktail dress with floral color", + "daily casual xx-large cocktail dress, floral color", + "day casual xx-large cocktail dress floral color", + "daring xx-large cocktail dress, floral color", + "casual xx-large cocktail dress floral color", + "day casual xx-large cocktail dress" + ], + "i want an agerios moroccan argan oil instant repaired hair mask.": [ + "argerios moroccan argan oil instant repaired hair mask", + "aerios moroccan argan oil instant repaired hair mask", + "an agerios moroccan argan oil instant repaired hair mask", + "agerios moroccan argan oil instant repaired hair mask", + "aerios moroccan argan oil instant repaired hair mask.", + "argerios moroccan argan oil instant repaired hair mask.", + "amigerios moroccan argan oil instant repaired hair mask", + "amigio moroccan argan oil instant repaired hair mask", + "garden oil instant repaired hair mask", + "argerios moroccan argan oil facial hair mask" + ], + "i'm looking for a small sweatshirt with drawstring closure. choose the ones that come in galaxy fox color.": [ + "small sweatshirt with drawstring closure galaxy fox", + "small sweatshirt with drawstring closure", + "small sweatshirt galaxy fox color", + "small sweatshirt in galaxy fox color", + "small sweatshirt galaxy fox", + "small sweatshirt, drawstring closure", + "small sweatshirt drawstring closure galaxy fox", + "sneakers galaxy fox", + "small sweatshirt", + "small sweatshirt galaxy fox colored" + ], + "i'm looking for acer aspire computer all-in-one bundle accessory.": [ + "acer aspire computer all-in-one bundle accessory", + "aer aspire computer all-in-one bundle accessory", + "acer aspire computer all-in-one bundle", + "alarm aspire computer all-in-one bundle accessory", + "comer aspire computer all-in-one bundle accessory", + "comfortable computer all-in-one bundle accessory", + "desktop computer all-in-one bundle accessory", + "computer all-in-one bundle accessory", + "computing all-in-one bundle accessory", + "alarm aspire computer all-in-one bundle" + ], + "i want to find a toupee to treat hair loss in the 1b65 color.": [ + "toupee to treat hair loss in the 1b65 color", + " toupee to treat hair loss in the 1b65 color", + "t toupee to treat hair loss in the 1b65 color", + "1b65 toupee to treat hair loss", + "tourspee to treat hair loss in the 1b65 color", + "troupee to treat hair loss in the 1b65 color", + " toupee to treat hair loss in the 1b65 color.", + "tourpee to treat hair loss in the 1b65 color", + "toupee to treat hair loss 1b65 color", + "1b65 toupee" + ], + "i'm looking for a band for my galaxy watch 3 that offers a quick release mechanism and is small and black. i would also accept pink.": [ + "small and black band for galaxy watch 3", + "small and black galaxy watch band", + "small black band for galaxy watch 3", + "small black band for my galaxy watch 3", + "small band for my galaxy watch 3", + "small and black galaxy watch 3 band", + "small pink galaxy watch band", + "band for my galaxy watch 3 small black", + "small black galaxy watch band", + "small and black band" + ], + "i am looking for a pair of dark green throw pillow covers for my living room.": [ + "dark green throw pillow covers for living room", + "dark green throw pillow covers for my living room", + "dark green throw pillow covers for the living room", + "dark green throw pillow covers for a living room", + "dark green throw pillow cover for living room", + "dark green throw pillow covers", + "dark green throw pillow covers for living room.", + "dark green throw pillow cover for my living room", + "dark green throw pillow covers living room", + "dark green throw pillow cover for the living room" + ], + "i would like a 120 wide by 90 long color 8 window panel that is machine washable.": [ + "window panel that is machine washable", + "window panel 120 wide by 90 long", + "window panel", + "window panel, 120 wide by 90 long", + "window panel with machine washable", + "window panel in 120 wide by 90 long", + "window panel machine washable", + "window panel under 120 dollars", + "window panel 120 wide by 90", + "window panel color 8" + ], + "i need large size wine color crew neck short sleeve tendy tops for women": [ + "large size wine color crew neck short sleeve tendy tops for women", + "large size wine color crew neck short sleeve tendy tops", + "large wine color crew neck short sleeve tendy tops for women", + "womens red wine color crew neck short sleeve tendy tops", + "womens wine color crew neck short sleeve tendy tops", + "large size wine color crew neck short sleeves tendy tops for women", + "large size wine color crew neck short sleeve ty tops for women", + "small wine color crew neck short sleeve tendy tops for women", + "large size wine color crew neck short sleeve tendy tops women", + "large wine color crew neck short sleeve tendy tops" + ], + "i'd like to look for some fast charging, noise cancelling earbuds.": [ + "sound cancelling earbuds", + "fast charging, noise cancelling earbuds", + "fast charging noise cancelling earbuds", + "tempered charging, noise cancelling earbuds", + "tempered charging noise cancelling earbuds", + "easy charging, noise cancelling earbuds", + "easy charging noise cancelling earbuds", + "fast charging, noise cancelling earbuds.", + "tempered charging, noise cancelling earbuds.", + "fast charging noise cancelling earbuds under $40" + ], + "i want to find a black and white case cover for my iphone, and it needs to feature cats.": [ + "black and white case cover for my iphone with cats", + "black and white case cover for iphone with cats", + "black and white iphone case cover", + "black and white case cover for my iphone", + "black and white case cover for an iphone with cats", + "black iphone case cover with cats", + "black and white iphone case cover with cats", + "black and white case cover for iphone", + "black iphone case cover", + "black and white case cover" + ], + "i'm looking for a pair of rose red, butt-lifting, high-waisted shorts in xx-large that are machine washable and provide tummy control.": [ + "rose red butt-lifting shorts", + "rose red butt-lifting shorts x-large", + "rose red butt-lifting shorts in xx-large", + "rose red butt-lifting high-waisted shorts in xx-large", + "rose red, butt-lifting, high-waisted shorts", + "rose red butt-lifting shorts xx-large", + "rose red butt-lifting shorts that are machine washable", + "rose red butt-lifting shorts x-large that are machine washable", + "rose red butt-lifting, high-waisted shorts", + "rose red butt-lifting high-waisted shorts" + ], + "i'm looking for hair growth serum.": [ + "hair growth serum", + "hair growth serum.", + "im looking for hair growth serum.", + "hair growth serum under $40", + "hair growth serum under $50", + "hair growth serum that is high quality", + "hair growth serum under $60", + "human hair growth serum", + "hair growth serum under 50 dollars", + "hair growth serum that is natural" + ], + "i am looking for a high speed 3 foot long usb-c to usb-a cable.": [ + "3 foot long usb-c to usb-a cable", + "usb-c to usb-a cable", + "4 foot long usb-c to usb-a cable", + "3ft long usb-c to usb-a cable", + "usb-c to usb-a cable high speed", + "3 ft long usb-c to usb-a cable", + "3 foot long usb-c to usb-a cable.", + "usb-c to usb-a cable that is high speed", + " usb-c to usb-a cable", + "3 foot long usb-c to usb-a cable," + ], + "i'm locking for motorcycle stereo speakers soundbar.": [ + "im locking for motorcycle stereo speakers soundbar.", + "im locking for motorcycle stereo speakers soundbar", + "motorcycle stereo speakers soundbar", + "motorcycle stereo speakers soundbar.", + "im locking for motorcycle stereo speakers soundbar,", + "im locking for motorcycle stereo speakers", + "motorcycle stereo speakers", + "silicone stereo speakers soundbar", + "silo stereo speakers soundbar", + "manual speakers soundbar" + ], + "i'm looking for a stainless steal quick release 18mm black watch.": [ + "stainless steal 18mm black watch", + "stainless steal quick release 18mm black watch", + "stainless steal 19mm black watch", + "stainless steal 18mm black watch watch", + "stainless steal 17mm black watch", + "stainless steal 18mm black watch.", + "stainless steal easy release 18mm black watch", + " stainless steal quick release 18mm black watch", + "stainless steal 18mm black watch case", + "stainless steal 18mm black watch," + ], + "i want to find a black pair of women's summer sandals for daily wear in a size 9.": [ + "womens summer sandals in a size 9", + "womens summer sandals size 9", + "womens sandals in a size 9", + "womens summer sandals size 9 black", + "womens summer sandals size 9, black", + "womens summer sandals", + "womens summer sandals a size 9", + "womens summer sandals size 9.5", + "womens summer sandals, size 9", + "womens sandals size 9" + ], + "i need blue cupcake picks for a baby shower.": [ + "blue cupcake picks for baby shower", + "blue baby shower cupcake picks", + "blue cupcake picks baby shower", + "blue cupcake pick for baby shower", + "blue cupcake pick baby shower", + "blue baby shower cupcake pick", + "blue baby shower cupcake picks blue", + "blue cupcake picks baby shower.", + "blue cupcake picks, baby shower", + "blue baby shower baby shower" + ], + "i want to buy an office desk chair which has lumbar support and it's grey color.": [ + "office desk chair with lumbar support", + "office desk chair with lumbar support in grey", + "office desk chair that has lumbar support", + "office desk chair with lumbar support grey", + "office desk chair which has lumbar support", + "office desk chair lumbar support grey", + "office desk chair with lumbar support, grey", + "office desk chair lumbar support", + "office desk chair, lumbar support, grey", + "office desk chair whose lumbar support is grey" + ], + "i'm looking for a loose fitting, machine washable blouse in blue. i need an xx large.": [ + "womens blouse xx large", + "xxl blouse in blue", + "xl blouse in blue", + "xl blouse in blue xx large", + "xx large woman blouse in blue", + "xx large woman blouse", + "womens blouse xx large.", + "womens blouse x x large", + "womens blouse x large", + "jeans xx large" + ], + "i want a single count of sassy sangria that is hand crafted.": [ + "single count of sassy sangria", + "sassy sangria that is hand crafted", + "sassy sangria hand crafted", + "single count sassy sangria", + "sassy sangria that is hand crafted.", + "single count of sassy sangria hand crafted", + "single count sassy sangria hand crafted", + "sassy sangria", + "single count sassy sangria hand crafted.", + "a single count of sassy sangria" + ], + "i'm looking for mason jar spirit infusion kit.": [ + "mason jar spirit infusion kit", + "mensason jar spirit infusion kit", + "mens mason jar spirit infusion kit", + "mason jar spirit infusion kit.", + "mensason jar spirit infusion kit.", + "mensman jar spirit infusion kit", + "mensan jar spirit infusion kit", + "mensasonic jar spirit infusion kit", + "mensl jar spirit infusion kit", + "mensara spirit infusion kit" + ], + "looking for ottoman bench footstool upholstered faux leather decor for living room also choose color brown faux leather": [ + "oatoman bench footstool upholstered faux leather decor for living room", + "oatttoman bench footstool upholstered faux leather decor", + "wooden bench footstool upholstered faux leather decor for living room", + "oatmeal bench footstool upholstered faux leather decor for living room", + "oatoman bench footstool upholstered faux leather decor", + "oatttoman bench footstool upholstered faux leather", + "walking room ottoman bench footstool upholstered faux leather", + "living room ottoman bench footstool upholstered faux leather", + "oatttoman bench footstool upholstered faux leather decor living room", + "living room ottoman bench footstool upholstered faux leather decor" + ], + "i need some fast charging usb cables that are grey": [ + "grey fast charging usb cables", + "grey usb cables", + "grey usb cables fast charging", + "grey charging usb cables", + "grey usb cable fast charging", + "grey wireless charging usb cables", + "fast charging usb cables grey", + "grey usb cables with fast charging", + "grey fast charging usb cable", + "grey usb cables fast charging usb" + ], + "i'm looking for x large cotton pajamas that are elastic waist please and thank you": [ + "x large cotton pajamas", + "large cotton pajamas that are elastic waist", + "large cotton pajamas", + "x large cotton pajamas elastic waist", + "xl cotton pajamas elastic waist", + "large cotton pajamas elastic waist", + "x large cotton pajamas with elastic waist", + "xl cotton pajamas", + "x large cotton pajamas under $40", + "x large cotton pajamas under $50" + ], + "i am looking for some low fat dried apple rings.": [ + "low fat dried apple rings", + "low fat dried apple rings under $40", + "low fat dried apple rings under $50", + "low fat dried apple rings under $60", + "low fat dried apple rings.", + "low fat dried apple rings under 50 dollars", + "low fat dried apple rings under 30 dollars", + "low fat dried apple rings under 40 dollars", + "low fat dried apple rings under 60 dollars", + "low fat dried apple rings under 120 dollars" + ], + "i want to find a high-definition wireless bluetooth speaker.": [ + "high-definition wireless bluetooth speaker", + "high-definition wireless bluetooth speaker.", + "low-definition wireless bluetooth speaker", + "a high-definition wireless bluetooth speaker", + "high-definition wireless bluetooth speaker,", + "low definition wireless bluetooth speaker", + "wireless bluetooth speaker", + "high definition wireless bluetooth speaker", + "high quality wireless bluetooth speaker", + "Bluetooth speaker high-definition" + ], + "i'm looking for christmas gift baskets for kids.": [ + "christmas gift baskets for kids", + " christmas gift baskets for kids", + "kids christmas gift baskets for kids", + "kids christmas gift baskets", + " christmas gift baskets for kids.", + "christmas gift baskets for kids.", + "ch christmas gift baskets for kids", + "kids gift baskets christmas", + "kids christmas gift basket for kids", + "kids christmas gift basket" + ], + "i am interested in acquiring a bedroom armoire which is eco friendly, and has steel frame, also i want it to be of black color, and the size should be 56\"x18\"x56\".": [ + "eco friendly bedroom armoire, 56x18x56", + "living armoire that is eco friendly, 56x18x56", + "a bedroom armoire which is eco friendly, and has steel frame", + "bedroom armoire that is eco friendly, 56x18x56", + "grey bedroom armoire, 56x18x56", + "grey bedroom armoire with steel frame", + "grey bedroom armoire with steel frame, 56x18x56", + "a bedroom armoire that is eco friendly, and has steel frame", + "grey bedroom armoire that is eco friendly, and has steel frame", + "grey bedroom armoire that is eco friendly" + ], + "i would like to buy office desk chair which has lumbar support and is of grey color.": [ + "office desk chair with lumbar support", + "office desk chair that has lumbar support", + "office desk chair which has lumbar support", + "office desk chair lumbar support", + "office desk chair lumbar support grey", + "office desk chair with lumbar support grey", + "grey office desk chair with lumbar support", + "office desk chair, lumbar support", + "office desk chair that is lumbar support", + "office desk chair grey" + ], + "i am searching for women's two button lux dry clean blazer of 16 size charcoal color": [ + "two button lux dry clean blazer of 16 size charcoal color", + "two button lux dry clean blazer of 16 size charcoal", + "womens two button lux dry clean blazer", + "three button lux dry clean blazer of 16 size charcoal color", + "two button lux dry clean blazer", + "two button lux dry clean blazer 16 size charcoal color", + "womens two button lux dry clean blazer of 16", + "2 button lux dry clean blazer of 16 size charcoal color", + "three button lux dry clean blazer of 16 size charcoal", + "two button lux dry clean blazer 16 size charcoal" + ], + "i want blue and eco friendly cenglings sandals for women.": [ + "blue and eco friendly cenglings sandals for women", + "blue eco friendly cenglings sandals for women", + "blue and eco friendly cenglings sandals for women.", + "blue and eco friendly cenglings sandals", + "blue and eco friendly cengling sandals for women", + "blue eco friendly cenglings sandals for women.", + "blue eco friendly cenglings sandals", + "blue, eco friendly cenglings sandals for women", + "blue and eco friendly cengling sandals for women.", + "blue and eco friendly cenglings sandals for women," + ], + "i need a hair cutting kit that is multicolored": [ + "multicolored hair cutting kit", + "multicolored hair cutting kit under $40", + "multicolored hair cutting kit under $50", + "multicolored hair cutting kit under $60", + "multicolored hair cutting kit under 50 dollars", + "multicolored hair cutting kit under 40 dollars", + "multicolored hair cutting kit under 30 dollars", + "multicolored hair cutting kit under 60 dollars", + "multicolored hair cutting kit under $120", + "hair cutting kit multicolored" + ], + "i am looking for a pair of women's size 36 eu water shoes with rubber soles.": [ + "womens size 36 eu water shoes", + "womens size 36 eu water shoes rubber sole", + "mens size 36 eu water shoes with rubber soles", + "size 36 eu water shoes with rubber soles", + "mens size 36 eu water shoes", + "mens size 36 eu water shoes", + "woman size 36 eu water shoes", + "size 36 eu water shoes", + "eu water shoes", + "water shoes" + ], + "i need 4 vanity light sconces for my bathroom wall that are modern and easy to install.": [ + "4 vanity light sconces for my bathroom wall", + "4 vanity light sconces for bathroom wall", + "4 vanity light sconces", + "4 vanity light sconces for my bathroom wall modern and easy to install", + "4 vanity light sconces, modern and easy to install", + "4 vanity light sconces for the bathroom wall", + "5 vanity light sconces for my bathroom wall", + "4 vanity light sconces for a bathroom wall", + "4 vanity light sconces, modern and easy to install,", + "living room vanity light sconces" + ], + "i want a hair removal solution made with natural ingredients.": [ + "natural hair removal solution", + "natural hair removal solution made with natural ingredients", + "hair removal solution made with natural ingredients", + "human hair removal solution made with natural ingredients", + "natural hair removal solution made from natural ingredients", + "hair removal solution made natural ingredients", + "hair removal solution made with natural ingredients.", + "hair removal solution made with natural ingredients", + "a hair removal solution made with natural ingredients", + "hair removal solution natural" + ], + "i want to find a white long-sleeve dress shirt that has a 20 inch neck and a 36 inch sleeve.": [ + "white long-sleeve dress shirt", + "white long-sleeve dress shirt under $40", + "white long-sleeve dress shirt 36 inch sleeve", + "white long-sleeve dress shirt 36 inch", + "white long-sleeve dress shirt under $50", + "white long-sleeve dress shirt under 50 dollars", + "white long-sleeve dress shirt under 40 dollars", + "white long-sleeve dress shirt under 30 dollars", + "white long-sleeve dress shirt under 20 dollars", + "white long-sleeve shirt" + ], + "product title i wear this size and model.gibobby women's swimsuits tankini bikini, quick dry, extra large size. i need help finding": [ + "gibobby womens swimsuits tankini bikini", + "gibobby womens swimsuits tankini bikini quick dry", + "gibobby womens swimsuits tankini bikini size", + "gibobby womens swimsuits tankini bikini extra large", + "gibobby womens swimsuit tankini bikini", + "gibobby womens swimsuits tankini bikini small", + "gibobby womens swimsuits", + "gibobby women swimsuits tankini bikini", + "gibobby womens swimsuits tankini", + "womens swimsuits tankini bikini" + ], + "i am looking for 2 ft x 6 ft runner size area rugs that are easy to clean.": [ + "2 ft x 6 ft runner size area rugs", + "2 ft x 6 ft runner size rug", + "2 ft x 6 ft runner size area rug", + "2 ft x 6 ft runner size rugs", + "2 ft x 6 ft runner size rug that are easy to clean", + "2 ft x 6 ft runner size area rugs easy to clean", + "2 ft x 6 ft runner size rug, easy to clean", + "2 ft x 6 ft runner size area rug, easy to clean", + "2 ft x 6 ft runner size area rugs clean", + "2 ft x 6 ft runner rug" + ], + "i am looking for a easy clean area rug with 8 ft square. also choose light brown color.": [ + "easy clean rug with 8 ft square", + "easy clean area rug with 8 ft square", + "easy clean rug 8 ft square", + "easy clean area rug 8 ft square", + "5 ft square rug with 8 ft square", + "easy clean 8 ft square rug", + "easy clean area rug", + "5 ft square rug", + "easy clean rug", + "living rug 8 ft square" + ], + "i want you to help me find maine root handmade ginger soda, 12 fl oz (12 glass bottles) i'm having a hard time finding certified organic. i hope you succeed": [ + "maine root handmade ginger soda 12 fl oz (12 glass bottles)", + "Maine root handmade ginger soda 12 fl oz (12 glass bottles)", + "maine root handmade ginger soda, 12 fl oz (12 glass bottles)", + "strawberry root handmade ginger soda 12 fl oz (12 glass bottles)", + "maine root handmade ginger soda 12fl oz (12 glass bottles)", + "Maine root handmade ginger soda, 12 fl oz (12 glass bottles)", + "mens soda 12 fl oz (12 glass bottles)", + "maine root handmade ginger soda 12 fl oz (12 glass bottles", + "maine root handmade ginger soda 12 fl oz", + "maine root handmade ginger soda" + ], + "i want to buy waffle cookies which are non gmo and come in a single package and have 28 pieces.": [ + "waffle cookies non gmo 28 pieces", + "waffles cookies non gmo 28 pieces", + "waffle cookies that are non gmo", + "waffles cookies that are non gmo", + "waffle cookies non gmo 28 piece", + "non gmo waffle cookies 28 pieces", + "waffle cookies non gmo", + "waffle cookies non gmo 28", + "waffle cookies", + "waffles cookies" + ], + "i am looking for baked fresh red velvet cookies that are individually wrapped.": [ + "baked fresh red velvet cookies that are individually wrapped", + " baked fresh red velvet cookies that are individually wrapped", + "roasted fresh red velvet cookies that are individually wrapped", + "bagel fresh red velvet cookies that are individually wrapped", + "bake fresh red velvet cookies that are individually wrapped", + "vegan fresh red velvet cookies that are individually wrapped", + "packaged fresh red velvet cookies that are individually wrapped", + "barbecue fresh red velvet cookies that are individually wrapped", + " baked fresh red velvet cookies that are individually wrapped.", + "baked fresh red velvet cookies" + ], + "i want to buy dental retainer container which is made of non toxic elements.": [ + "dental retainer container made of non toxic elements", + "dental retainer container made from non toxic elements", + "dental retainer container with non toxic elements", + "dental retainer container", + "medical retainer container made of non toxic elements", + "toothpaste container made of non toxic elements", + "oral retainer container made of non toxic elements", + "dental retainer container made of non toxic chemicals", + "non toxic dental retainer container", + "toothpaste container" + ], + "i need to find a small end table that is easy to assemble; pick a blue-coated steel frame that won't rust.": [ + "small end table that is easy to assemble", + "small end table with a blue-coated steel frame", + "small end table that is easy to assemble that wont rust", + "small end table in blue-coated steel frame", + "small end table with an easy to assemble steel frame", + "small end table with steel frame", + "small end table with a steel frame", + "small end table with wood frame", + "small table that is easy to assemble", + "small end table" + ], + "i am looking for a white computer gaming chair with lumbar support.": [ + "white computer gaming chair with lumbar support", + "white computer gaming chair lumbar support", + "white computer gaming chair", + "white computer gaming chair, lumbar support", + "white computer gaming chair with lumbar support.", + "white computer gaming chair that is lumbar support", + "white computer gaming chair with lumbar support,", + "white computer gaming chair that lumbar support", + "white computer gaming chair lumbar", + "white gaming chair with lumbar support" + ], + "i need a core i5 optiplex computer": [ + "core i5 optiplex computer", + "i need a core i5 optiplex computer under 30 dollars", + "curtains i5 optiplex computer", + "i need a core i5 optiplex computer under 60 dollars", + " core i5 optiplex computer", + "the core i5 optiplex computer", + "find a core i5 optiplex computer", + "coaxialx computer core i5", + " i5 optiplex computer", + "im looking for i5 optiplex computer" + ], + "i need a super soft and fluffy duvet cover for my king-sized bed. please choose the black one.": [ + "super soft and fluffy duvet cover for a king-sized bed in black", + "super soft and fluffy duvet cover for a king-sized bed", + "super soft and fluffy duvet cover for a king-sized bed, black", + "super soft and fluffy duvet cover for my king-sized bed, black", + "super soft and fluffy duvet cover for my king-sized bed in black", + "super soft and fluffy duvet cover for a king-sized bed. black", + "super soft and fluffy duvet cover for king-sized bed", + "super soft and fluffy duvet cover", + "super soft and fluffy duvet cover for my king-sized bed, black,", + "super soft and fluffy duvet cover for a king-sized bed, black," + ], + "i am looking for a short sleeve fishing shirt with a button closure in the color emerald city and in the size 2x tall.": [ + "short sleeve fishing shirt with button closure 2x tall", + "short sleeve fishing shirt with button closure in the color emerald city", + "short sleeve fishing shirt with a button closure 2x tall", + "short sleeve fishing shirt with a button closure", + "short sleeve fishing shirt with button closure", + "short sleeve fishing shirt with button closure size 2x tall", + "short sleeve fishing shirt with button closure in emerald city", + "short sleeve fishing shirt, button closure 2x tall", + "short sleeve fishing shirt 2x tall", + "short sleeve fishing shirt" + ], + "i need a easy to apply nail polish": [ + "easy to apply nail polish", + "nude polish easy to apply", + "nail polish easy to apply", + "beauty polish easy to apply", + "nude polish", + "lip polish easy to apply", + "pocket polish easy to apply", + "5 foot nail polish", + "plastic nail polish", + "nail polish" + ], + "i need some nail polish in the color c08.": [ + "nude polish in the color c08", + "nail polish in the color c08", + "nude polish color c08", + "nail polish color c08", + "nude polish in a color c08", + "nails polish in the color c08", + "nude polish in color c08", + "nude polish colored c08", + "nude polish c08", + "nail polish color c08." + ], + "i need an easy to install 24 millimeter replacement watchband in red.": [ + "easy to install 24 millimeter replacement watchband in red", + "24 millimeter replacement watchband in red", + "easy to install 24 millimeter replacement watchband", + "23 millimeter replacement watchband in red", + "easy to install 24 millimeter replacement watch band in red", + "easy to install 24 millimeter watchband in red", + "28 millimeter replacement watchband in red", + "easy to install 24 millimeter replacement watchband red", + "24 millimeter replacement watchband", + "watchband in red" + ], + "i'm looking for a ten pack of silver cake toppers for my friend's baby shower.": [ + "10 pack silver cake toppers for a baby shower", + "10 pack of silver cake toppers for baby shower", + "silver cake toppers for a baby shower", + "10 pack of silver cake toppers", + "pink cake toppers for a baby shower", + "ten pack silver cake toppers for a baby shower", + "10 pack silver cake toppers for baby shower", + "chocolate cake toppers for a baby shower", + "stainless silver cake toppers for baby shower", + "chocolate cake toppers for baby shower" + ], + "look for a mid century pendant light to be installed in my living room. it should be black.": [ + "mid century pendant light in my living room", + "mid century pendant light", + "mid century pendant light for living room", + "mid century pendant light that should be black", + "mid century pendant light in my living room black", + "mid century pendant light, black", + "mid century pendant light that is black", + "mid century pendant light for living room black", + "mid century pendant light for living room in black", + "mid century pendant light for living room, black" + ], + "i want dark grey vislily plus-size long sleeve sweaters.": [ + "dark grey vislily plus-size long sleeve sweaters", + "dark grey vislily plus-size long sleeve sweaters.", + "dark grey vislily plus-size long sleeve sweaters under $50", + "dark grey vislily plus-size long sleeve sweaters under $40", + "dark grey vislily plus-size long sleeve sweaters under $60", + "dark grey vislily plus-size long sleeve sweaters under 50 dollars", + "dark grey vislily plus-size long sleeve sweaters under 40 dollars", + "dark grey vislily plus-size long sleeve sweaters under 30 dollars", + "dark grey vislily plus-size long sleeve sweaters under 60 dollars", + "i want dark grey vislily plus-size long sleeve sweaters." + ], + "i want a set of 5 modern height adjustable mid-back bar stool": [ + "set of 5 modern height adjustable mid-back bar stool", + "5 modern height adjustable mid-back bar stool", + "set of 5 modern height adjustable mid-back bar stool,", + "modern height adjustable mid-back bar stool", + "a set of 5 modern height adjustable mid-back bar stool", + "4 modern height adjustable mid-back bar stool", + "standard height adjustable mid-back bar stool", + "living room modern height adjustable mid-back bar stool", + "living room height adjustable mid-back bar stool", + "5 modern height adjustable mid-back bar stool," + ], + "i am looking for a ready to use full size mattress and box springs.": [ + "full size mattress and box springs", + "full size mattress with box springs", + "ready to use mattress and box springs", + "living room mattress and box springs", + "living room mattress with box springs", + "ready to use full size mattress box springs", + "tactical mattress and box springs", + "ready to use full size mattress", + "size mattress and box springs", + "living room mattress" + ], + "i am looking for sulfate free shampoo that repairs damaged hair.": [ + "sulfate free shampoo for damaged hair", + "sulfate free shampoo that repairs damaged hair", + "sulfate free shampoo that repairs damaged hair.", + "sulfate free shampoo for damaged hair.", + "sulfate free shampoo", + "sulfate free shampoo for damaged hair under $40", + "sulfate free shampoo for damaged hair under $60", + "sulfate free shampoo for damaged air", + "sulfate free shampoo for damaged hair under $50", + "sulfate free shampoo for damaged human hair" + ], + "i am looking for warm beige color anti aging foundation.": [ + "warm beige anti aging foundation", + "warm beige color anti aging foundation", + "warm beige anti aging foundation.", + "warm beige color anti aging foundation.", + "warm beige anti aging foundation,", + "warm beige anti aging foundation for aging", + "warm beige stone anti aging foundation", + "warm beige color anti aging foundation,", + "warm beige foundation anti aging", + "warm beige foundation" + ], + "i need a 1 oz bottle of cruelty free foundation that is golden tan.": [ + "1 oz bottle of cruelty free foundation", + "1 oz bottle of cruelty free foundation that is golden", + "1 oz bottle of cruelty free foundation, golden tan", + "1 oz bottle of cruelty free foundation with golden tan", + "1 oz bottle of cruelty free foundation under $50", + "1 oz bottle of cruelty free foundation under $40", + "1 oz bottle of cruelty free foundation under $60", + "cruelty free foundation that is golden tan", + "golden tan foundation that is cruelty free", + "golden tan foundation" + ], + "i want to find a pink front-button bra in a size 44 that is made of quality polyester.": [ + "pink front-button bra in a size 44", + "pink front-button bra size 44 made of quality polyester", + "pink front-button bra size 44", + "pink front button bra in a size 44", + "pink front-button bra that is made of quality polyester", + "pink front-button bra", + "pink front-button bra in size 44", + "pink front-button bra, size 44", + "pink front button bra size 44", + "pink front button bra" + ], + "find me a spa treatment beauty salon massage bed skirt in blue in the 190*80cm square head size.": [ + "beauty salon massage bed skirt in blue in the 190*80cm square head size", + "pampering salon massage bed skirt in blue in the 190*80cm square head size", + "beauty salon massage bed skirt in blue 190*80cm square head size", + "beauty salon massage bed skirt in blue", + "s spa treatment beauty salon massage bed skirt in blue", + "beauty salon massage bed skirt in blue in the 190*80cm square head size.", + "bathroom treatment beauty salon massage bed skirt in blue", + "pampering salon massage bed skirt in blue", + "pink spa treatment beauty salon massage bed skirt in blue", + "beauty salon massage bed skirt in blue in the 190*80cm square head" + ], + "i am looking for a 108\" x 84\" size panels for living room": [ + "108 x 84 size panels for living room", + " 108 x 84 size panels for living room", + "104 x 84 size panels for living room", + "108 x 84 size panels", + "contains 108 x 84 size panels", + "panels for living room 108 x 84", + "108 x 84 panels for living room", + "110 x 84 size panels for living room", + "contains 108 x 84", + " 108 x 84 size panels" + ], + "i am looking for brushed nickel color pendant lights that are easy to install.": [ + "brushed nickel color pendant lights", + "brushed nickel pendant lights", + "brushed nickel color pendant lights easy to install", + "brushed nickel pendant lights easy to install", + "brushed nickel pendant lights, easy to install", + "brush nickel pendant lights that are easy to install", + " brushed nickel color pendant lights", + "brushed nickel color pendant lights under $40", + "buffet nickel color pendant lights", + "brushed nickel color pendant lights under $50" + ], + "i need a long lasting battery pack with fast charging capabilities.": [ + "long lasting battery pack with fast charging", + "long lasting battery pack", + "long lasting battery pack for fast charging", + "laptop pack with fast charging", + "long lasting battery pack fast charging", + "long lasting battery pack, fast charging", + "lens pack with fast charging", + "long lasting battery pack that fast charging", + "long lasting battery pack for charging", + "lens pack with fast charging capabilities" + ], + "i want to find organic, low fat applesauce that is apple strawberry flavored. it should come in 4 ounce cups in a pack of 4.": [ + "organic, low fat applesauce 4 ounce cups in a pack of 4", + "organic, low fat applesauce 4 ounce cups pack of 4", + "apple strawberry flavored applesauce 4 ounce cups in a pack of 4", + "organic, low fat applesauce that is apple strawberry flavored", + "organic, low fat applesauce that is apple strawberry flavored pack of 4", + "apple strawberry flavored applesauce 4 ounce cups pack of 4", + "organic low fat applesauce 4 ounce cups in a pack of 4", + "organic, low fat applesauce 4 oz cups in a pack of 4", + "organic, low fat applesauce pack of 4", + "organic, low fat applesauce 4 ounce cups" + ], + "i want to buy sneaker shoes which are non slop and are comfortable fit with a size of 7.5 .": [ + "sneaker shoes size 7.5", + "sneaker shoes with a size of 7.5", + "sneaker shoes in a size of 7.5", + "sneaker shoes 7.5", + "non slop sneaker shoes size of 7.5", + "sneaker shoes in a size 7.5", + "non slop sneaker shoes size 7.5", + "non slop sneaker shoes", + "sneaker shoes that are non slop", + "sneaker shoes" + ], + "i am looking for a long lasting gold color tablet.": [ + "long lasting gold color tablet", + "long lasting gold tablet", + "gold color tablet", + "digital tablet long lasting gold", + "long lasting gold color tablets", + "gold tablet long lasting", + "lens gold", + "lens gold tablet", + "large gold tablet", + "gold tablet" + ], + "i want a dark chocolate covered flipz bites bar.": [ + "dark chocolate covered flipz bites bar", + "dark chocolate covered flipz bites bar.", + "dark chocolate covered flipz bites bar under $40", + "i want a dark chocolate covered flipz bites bar.", + "dark chocolate covered flipz bites bar under $50", + "dark chocolate covered flipz bites bar under $60", + "dark chocolate covered flipz bites bar under 50 dollars", + "dark chocolate covered flipz bites bar under 30 dollars", + "dark chocolate covered flipz bites bar under 40 dollars", + "dark chocolate covered flipz bites bar, under $40" + ], + "i am looking for white 6 inch ceramic plates for my dining room.": [ + "white 6 inch ceramic plates dining room", + "white 6 inch ceramic plates for dining room", + "white 6 inch ceramic plates for dining room.", + "white 6 inch ceramic plates for my dining room", + "white 6 inch ceramic plates", + "white 6 inch ceramic plates dining room.", + "white 6 inch ceramic plates for living room", + "white 6 inch ceramic plates for the dining room", + "white 5 inch ceramic plates dining room", + "white 6 inch ceramic plates living room" + ], + "i'm looking for a fast wireless charger in blue color.": [ + "blue wireless charger", + "fast wireless charger in blue", + "fast wireless charger in blue color", + "electric fast wireless charger in blue", + "wireless charger in blue", + "green wireless charger", + "easy charging wireless charger in blue", + "green wireless charger in blue", + "white wireless charger", + "blue wireless charger in blue" + ], + "i want to buy video recorders which can detect motion and come with a size of nv4108-1tb": [ + "nv4108-1tb video recorders", + "tv recorders nv4108-1tb", + "video recorders nv4108-1tb", + "v4108-1tb video recorders", + "tv recorders size nv4108-1tb", + "nv4108-1tb camera recorders", + "tv camera recorders nv4108-1tb", + "nv4108-1tb", + "nv4108-1tb video camera", + "tv recorders with motion" + ], + "i want large snowshine men's low rise boxer briefs.": [ + "large snowshine mens low rise boxer briefs", + "large snowshine mens low rise boxer briefs.", + "snowshine mens low rise boxer briefs", + "small snowshine mens low rise boxer briefs", + "large snowshine mens low rise boxer briefs,", + "large snowshine mens boxer briefs", + "medium snowshine mens low rise boxer briefs", + "snowshine mens low rise boxer briefs.", + "mens low rise boxer briefs", + "lens low rise boxer briefs" + ], + "i need a medium pant that has an elastic waist": [ + "medium pant elastic waist", + "medium pant that has an elastic waist", + "medium pant with elastic waist", + "medium pant with an elastic waist", + "medium pant elastic waist under $40", + "medium pant elastic waist below $40", + "medium pant elastic waist under $50", + "medium pant, elastic waist", + "medium pant elastic waist below $50", + "medium pant with a elastic waist" + ], + "i need a quick drying swim suit cover up in a size large. get the watermelon one.": [ + "quick drying swim suit cover up in a size large", + "quick drying swim suit cover up in a size large, watermelon", + "womens swim suit cover up in a size large", + "swim suit cover up in a size large", + "quick drying swim suit cover up in a size large under $50", + "quick drying swim suit cover up in a size large under $40", + "quick drying swim suit cover up in a size large watermelon", + "temporary drying swim suit cover up in a size large", + " quick drying swim suit cover up in a size large", + "bath suit cover up in a size large" + ], + "i am lookong for a colorful2 for screen protectors wihich is easy ti install": [ + "colored2 screen protectors wihich", + "a colorful2 screen protectors wihich", + "colored 2 screen protectors wihich", + "color2 screen protectors wihich", + "color 2 screen protectors wihich", + "colored2 screen protectors", + "rainbow colored 2 screen protectors", + "colored 2 screen protectors", + "color2 screen protectors", + "white screen protector" + ], + "find beef jerkys made from grass feed animals.": [ + "find beef jerkys made from grass feed animals.", + "brushed beef jerkys made from grass feed animals", + "beef jerkys made from grass feed animals", + "buffet jerkys made from grass feed animals", + "find beef jerys made from grass feed animals.", + "brushed beef jerys made from grass feed animals", + "vegan jerys made from grass feed animals", + "brushed beef jerkys made from grass feed animals.", + " beef jerkys made from grass feed animals", + "beef jerkys made from grass feed animals." + ], + "i would like a 30\" wide vintage leather grey headboard that is wall mounted.": [ + "30 wide vintage leather grey headboard that is wall mounted", + "30 wide vintage leather grey headboard", + "30 wide vintage leather grey headboard, wall mounted", + "28 wide vintage leather grey headboard that is wall mounted", + " 30 wide vintage leather grey headboard that is wall mounted", + "30 wide vintage leather grey headboard wall mounted", + "30 wide vintage leather grey headboard with wall mounted", + "30 wide leather grey headboard that is wall mounted", + "28 wide vintage leather grey headboard", + "30 wide vintage leather grey headboard under $40" + ], + "i would like a large gray pair of leggings with a high waist.": [ + "large gray leggings with a high waist", + "large gray pair of leggings", + "large gray woman leggings with a high waist", + "large gray pair of leggings, high waist", + "large gray leggings with a high waist.", + "large gray leg leggings with a high waist", + "large gray pair of leggings high waist", + "large gray pair of leggings with high waist", + "large gray tennis leggings with a high waist", + "large gray leggings" + ], + "i'm looking for a stereo headset for my nintendo switch that is both yellow and blue.": [ + "sport headset for nintendo switch yellow", + "stereo headset for nintendo switch yellow", + "nintendo switch stereo headset yellow and blue", + "nintendo switch stereo headset yellow", + "blue nintendo switch stereo headset", + "sportable headset yellow and blue", + "white nintendo switch stereo headset", + "sportable headset yellow", + "nintendo switch with a yellow headset", + "sport headset yellow" + ], + "i am in need of elastic waist winter active running joggers pants of small size and dark grey color": [ + "rainbow joggers pants of small size dark grey", + "rainbow joggers pants small dark grey", + "small size winter active running joggers pants", + "small running joggers pants dark grey", + "rainbow joggers pants dark grey", + "small size winter active running joggers pants dark grey", + " elastic waist winter active running joggers pants dark grey", + "an elastic waist winter active running joggers pants", + "small size winter active running joggers pants of small size", + "elastic waist winter active running joggers pants" + ], + "i'm looking for plant based zero sugar energy drinks in a four flavor variety pack.": [ + "plant based zero sugar energy drinks four flavor variety pack", + "plant based zero sugar energy drinks 4 flavor variety pack", + "plant based zero sugar energy drink four flavor variety pack", + "plant based zero sugar energy drinks four flavor variety pack.", + "plant based zero sugar energy drinks in four flavor variety pack", + "plant based zero sugar energy drinks, four flavor variety pack", + "plant based zero sugar energy drinks with four flavor variety pack", + "plant based zero sugar energy drinks flavor variety pack", + "plant based zero sugar energy drinks three flavor variety pack", + "plant based zero sugar energy drinks" + ], + "i am looking for black daybed frame twin size with upholstered sideboard for living room": [ + "black daybed frame twin size with upholstered sideboard", + "black daybed frame twin size with upholstered sideboard living room", + "black daybed frame twin size", + "black daybed frame twin size with upholstered sideboard dining room", + "black daybed frame twin size with upholstered sideboard,", + "black daybed frame twin", + "black daybed frame twin size with upholstered", + "black daybed frame twin-bed frame", + "black daybed frame twin bed frame", + "black daybed frame twin size under $40" + ], + "i want to find a grey bunk bed frame with shelves made out of solid wood.": [ + "grey bunk bed frame with shelves made out of solid wood", + "grey bunk bed frame made out of solid wood", + "grey bunk bed frame", + "grey bunk bed frame, shelves made out of solid wood", + "grey bunk bed frame with shelves made from solid wood", + "grey bunk bed frame with shelf made out of solid wood", + "grey bunk bed frame that shelves made out of solid wood", + "grey bunk bed frame made out of solid wood.", + "grey bunk bed frame made from solid wood", + "grey bunk bed frame made out of solid wood," + ], + "i am looking for black, open toe sandals in size 9.": [ + "black, open toe sandals size 9", + "black open toe sandals in size 9", + "black, open toe sandals", + "black open toe sandals size 9", + "black toe sandals in size 9", + "black open toe sandals, size 9", + "black toe sandals size 9", + "open toe sandals in size 9", + "black open toe sandals", + "black toe sandals" + ], + "i am looking for a pair of women's medium sized machine wash biker shorts.": [ + "womens medium sized biker shorts", + "womens medium sized biker shorts.", + "woman wash biker shorts", + "womens medium sized biker shorts,", + "mens medium sized biker shorts", + "womens medium size biker shorts", + "man wash biker shorts", + "tempered biker shorts", + "machine wash biker shorts", + "woman biker shorts" + ], + "i am looking for s multicolor high quality clips": [ + "multicolor high quality clips", + "multicolor clips", + "multicolor video clips", + "m multicolor high quality clips", + "multicolor high quality video clips", + "multicolor high quality clip", + "multicolor low quality clips", + "multicolor quality clips", + "multicolor high quality", + "multicolor" + ], + "i am looking for amplifiers that have high power and performance.": [ + "alarm amplifiers with high power and performance", + "large power amplifiers with high power and performance", + "low power amplifiers with high power and performance", + "high power and performance amplifiers", + "alarm amplifiers high power and performance", + "power amplifiers with high power and performance", + "high power amplifiers with performance", + "high power and performance amplifiers under $40", + "large power amplifiers with high power", + "high power and performance amplifiers under $50" + ], + "i want to find open toe hosantel women's flip flops that are size 8, floral and multi-color.": [ + "open toe hosantel womens flip flops", + "open toe hosantel womens flip flops in floral and multi-color", + "open toe hosantel womens flip flops that are size 8 floral", + "open toe hosantel womens flip flops, floral and multi-color", + "open toe hosantel womens flip flops floral and multi-color", + "open toe hosantel womens flip flops size 8 floral multi-color", + "open toe hosantel womens flip flops with floral and multi-color", + "open toe hosantel womens flip flops floral and multi-color", + "open toe hosantel womens flip flops size 8 floral", + "open toe hosantel womens flip flops in floral" + ], + "i want a 6 foot long gold plated hdmi cable.": [ + "6 foot long gold plated hdmi cable", + "6 foot long gold plated hdmi cable.", + "6 foot long gold plated hdmi cable,", + "6 foot long gold plated hdmi cable under $50", + "6 foot long gold plated hdmi cable under $60", + "6 foot long gold plated hdmi cable under $40", + "6 foot long gold plated hdmi cable under $120", + "8 foot long gold plated hdmi cable", + "6 foot long gold plated hdmi cable under $130", + "6ft long gold plated hdmi cable" + ], + "i'm looking for natural java beverage mix.": [ + "natural java beverage mix", + "natural java beverage mix.", + "natural java beverage mix natural", + "natural java beverage mix that is natural", + "natural java beverage mix under $40", + "natural java beverage mix under $60", + "natural java beverage mix no sugar", + "natural java beverage mix under $50", + "natural java beverage mix below $40", + "natural java beverage mix, natural" + ], + "i need a women's high waist swimsuit in a fashionable tropical-print design; i'm a size medium.": [ + "womens high waist swimsuit in a size medium", + "womens high waist swimsuit in a style medium", + "womens high waist swimsuit", + "womens high waist swimsuit in a size medium.", + "womens high waist swimsuit, a size medium", + "womens high waist swimsuit in a small medium", + "womens high waist swimsuit a size medium", + "womens high waist swimsuit with a size medium", + "womens high waist swimsuit size medium", + "womens high waist swimsuit in a size medium," + ], + "i need to find a box of trader joe seed crackers that support my gluten-free diet.": [ + " trader joe seed crackers that support my gluten-free diet", + " trader joe seed crackers", + " trader joe seed crackers gluten-free", + " trader joe seed crackers gluten free", + "trader joe seed crackers", + "pack of trader joe seed crackers", + "trader joe seed crackers gluten-free", + "trader joe seed crackers gluten free", + " trader joe seed crackers gluten-free diet", + "shoes gluten free" + ], + "i want a 2xl black short sleeve shirt.": [ + "2xl black short sleeve shirt", + "2xl black short sleeve shirt under $50", + "2xl black short sleeve shirt under $40", + "2xl black short sleeve shirt below $50", + "2xl black short sleeve shirt.", + "2xl black short sleeve shirt under 50 dollars", + "2xl black short sleeve shirt under $60", + "2xl black short sleeve shirt below $40", + "2xl black short sleeve shirt under 40 dollars", + "2xl black short sleeve shirt under 30 dollars" + ], + "i'm looking for an 8 oz, paraben free hair regrowth shampoo.": [ + "8 oz, paraben free hair regrowth shampoo", + "8 oz paraben free hair regrowth shampoo", + "8oz, paraben free hair regrowth shampoo", + "hair regrowth shampoo 8 oz", + "hair regrowth shampoo 8 oz paraben free", + " 8 oz, paraben free hair regrowth shampoo", + "hair regrowth shampoo 8 oz, paraben free", + "shampoo 8 oz paraben free", + "8 oz hair regrowth shampoo", + "hair regrowth shampoo, 8 oz" + ], + "i want a green table that is 1080p hd.": [ + "green table that is 1080p hd", + "green table 1080p hd", + "green table with 1080p hd", + "tv table that is 1080p hd", + "green table, 1080p hd", + "green table with a 1080p hd", + "green table in 1080p hd", + "green table, 1080p hd,", + "green table, 1080p hd.", + "green table 1080p hd." + ], + "i want a rose gold leotop screen protector compatible with apple watch.": [ + "rose gold leotop screen protector compatible with apple watch", + "rose gold leotop screen protector", + "rose gold leotop screen protector for apple watch", + "rose gold leotop screen protector with apple watch", + "rose gold leotop screen protector, apple watch", + "rose gold leotop screen protector for apple", + "rose gold leotop screen protector for apple watch.", + "rose gold leotop screen protector, apple watch,", + "rose gold leotop screen protector compatible with apple", + "rose gold leotop screen protector," + ], + "i am interested in buying a t-shirt for women, which is classic fit, and is of black color, while it's size should be 2t.": [ + "t-shirt for women 2t black", + "classic fit t-shirt for women 2t", + "classic fit women t-shirt 2t black", + "classic fit woman t-shirt 2t black", + "t-shirt for women size 2t black", + "classic fit women t-shirt 2t", + "t-shirt for women 2t", + "t-shirt for women size 2t", + "classic fit woman t-shirt 2t", + "t-shirt for women black" + ], + "i need pink color valentine day cake toppers": [ + "pink color valentine day cake toppers", + "pink colored valentine day cake toppers", + "pink color valentine day cake toppers,", + "pink pink valentine day cake toppers", + "pink color valentine day cake toppers pink", + "pink color valentine day cake toppers ", + "pink valentine day cake toppers", + "pink cake toppers valentine day", + "pink baby shower cake toppers", + "pink cake toppers" + ], + "i am looking for a pair of women's size 6.5 to 7 open toe sandals.": [ + "womens size 6.5 to 7 open toe sandals", + "mens size 6.5 to 7 open toe sandals", + "womens size 6.5 to 7 wide toe sandals", + "mens size 6.5 to 7 open toe sandals", + "woman size 6.5 to 7 open toe sandals", + "size 6.5 to 7 open toe sandals", + "6.5 to 7 open toe sandals", + "womens size 6.5 to 7", + "mens size 6.5 to 7 open toe sandals.", + "tempered walking sandals" + ], + "i'm looking for a 12 pack of gluten free, keto friendly, low carb granola bars": [ + "12 pack of keto friendly low carb granola bars", + "12 pack keto friendly low carb granola bars", + "12 pack of keto friendly, low carb granola bars", + "12 pack keto friendly, low carb granola bars", + "12 pack gluten free keto friendly low carb granola bars", + "12 pack of keto friendly low carb granola bar", + "12 pack keto friendly low carb granola bar", + "12 pack of keto friendly, low carb granola bar", + "12 pack keto friendly, low carb granola bar", + "12 pack gluten free keto friendly low carb granola bar" + ], + "i am looking for a table lamp for my living room.": [ + "table lamp for living room", + "table lamp for my living room", + "table lamp for the living room", + "table lamp living room", + "table lamp for living room.", + "table lamp for a living room", + "table lamp for dining room", + "table lamp in my living room", + "table lamp in the living room", + "table lamp dining room" + ], + "i need a hands free portable bluetooth speaker with stereo sound.": [ + "hand free portable bluetooth speaker", + "free portable bluetooth speaker with stereo sound", + "womens free portable bluetooth speaker", + "phone speaker with stereo sound", + "hands free portable bluetooth speaker", + "phone bluetooth speaker with stereo sound", + "a hands free portable bluetooth speaker", + "tablet wireless speaker with stereo sound", + "free portable bluetooth speaker", + "alarm speaker with stereo sound" + ], + "i want a black kodak pixpro az401 with optical zoom.": [ + "black kodak pixpro az401 with optical zoom", + "kodak pixpro az401 with optical zoom", + "black kodak pixpro az401", + "white kodak pixpro az401 with optical zoom", + "ashkodak pixpro az401 with optical zoom", + "black kodak pixpro az401, optical zoom", + "black kodak pixpro az401 optical zoom", + "kodak pixpro az401", + "black pixpro az401 with optical zoom", + "pixpro az401 with optical zoom" + ], + "i want a 8 fluid ounce bottle of mint julep mixers made from natural ingredients.": [ + "8 fluid ounce bottle of mint julep mixers", + "8oz mint julep mixers", + "mint julep mixers made from natural ingredients", + "8oz mint julep mixers natural ingredients", + "8oz julep mixers made from natural ingredients", + "8oz mint julep mixers natural", + "8oz bottle of mint julep mixers", + "8 oz mint julep mixers", + "8oz natural mixers", + "mint julep mixers" + ], + "i want happy birthday cake sunflower toppers.": [ + "happy birthday cake sunflower toppers", + "happy birthday cake sunflower toppers.", + "birthday cake sunflower toppers", + "i want happy birthday cake sunflower toppers.", + "happy birthday cake sunflower toppers under $50", + "happy birthday cake sunflower toppers under 50 dollars", + "happy birthday cake sunflower toppers under $40", + "happy birthday cake sunflower toppers under $60", + "happy birthday cake sunflower toppers under 30 dollars", + "happy birthday cake sunflower toppers under 40 dollars" + ], + "i want a rose gold and non slip fueyou makeup brush set.": [ + "rose gold makeup brush set", + "rose gold non slip fueyou makeup brush", + "rose gold makeup brush set.", + "rose gold makeup brush set,", + "rose gold makeup brush set under $50", + "rose gold cosmetics brush set", + "rose gold makeup brush", + "rose gold face brush set", + "rose gold beauty brush set", + "rose gold" + ], + "i'm looking for a edible cupcakes cookies toppers.": [ + "indoor cupcakes cookies toppers", + "cupcakes cookies toppers that are edible", + "cupcakes cookies toppers", + "pink cupcakes cookies toppers", + "cupcakes cookies toppers edible", + "edible cupcakes cookies toppers", + "ind edible cupcakes cookies toppers", + "indoor cupcakes cookies toppers under $40", + "cupcakes cookies toppers under $40", + "indoor cupcakes cookies toppers under $50" + ], + "deep conditioning hair growth hair mask with supplement tablets 180 nos": [ + "deep conditioning hair growth hair mask with supplement tablets 180 nos", + "deep conditioning hair growth hair mask", + "deep conditioning hair growth hair mask, supplement tablets 180 nos", + "deep conditioning hair growth hair mask with supplement tablet 180 nos", + "deep conditioning hair growth hair mask with supplements tablets 180 nos", + "deep conditioning hair growth hair mask, tablets 180 nos", + "deep conditioning hair growth hair mask in tablets 180 nos", + "deep conditioning hair growth hair mask 180 nos", + "deep conditioning hair growth hair mask under $50", + "deep conditioning hair growth hair mask under $40" + ], + "find a bonsai gift set.": [ + "bonsai gift set", + "bonsai gift set.", + "find a bonsai gift set.", + "bonsai gift set under $50", + "bonsai gift set under $40", + "bonsai gift set under 50 dollars", + "bonsai gift set under $60", + "bonsai gift set under 30 dollars", + "bonsai gift set under 40 dollars", + "brittle bonsai gift set" + ], + "i want to buy hydration lotion which has a size suitable for travel and is made of coconut oil.": [ + "hydration lotion made of coconut oil", + "hydration lotion made from coconut oil", + " hydration lotion made of coconut oil", + " hydration lotion made from coconut oil", + "hygration lotion made of coconut oil", + "hygration lotion made from coconut oil", + "water bottle hydration lotion made of coconut oil", + "homeration lotion made of coconut oil", + "hydration lotion made of coconut oil for travel", + "hydration lotion made of coconut oil," + ], + "i am looking for a black stainless steel smartwatch bands": [ + "black stainless steel smartwatch bands", + "black stainless steel smartwatch band", + "black smartwatch bands", + "black stainless steel smartwatch bands,", + "stainless steel smartwatch bands", + "black steel smartwatch bands", + "black, smartwatch bands", + "smartwatch bands black", + "black smartwatch band", + "black, smartwatch band" + ], + "i'm looking for a 24 pack of cupcake toppers for my daughter's baby shower.": [ + "24 pack of cupcake toppers for a baby shower", + "24 pack of cupcake toppers for a daughters baby shower", + "23 pack of cupcake toppers for a baby shower", + "24 pack of cupcake toppers for a baby shower.", + "24 pack of cupcake toppers for my daughters baby shower", + "25 pack of cupcake toppers for a baby shower", + "24 pack of cupcake toppers for a girl baby shower", + "24 pack of cupcake toppers for a girls baby shower", + "24 pack of cupcake toppers for a small baby shower", + "a 24 pack of cupcake toppers for a baby shower" + ], + "i need a pack of 2 high speed cables that support hdmi to dvi and are also compatible with 1080p hd.": [ + "2 high speed cables that support hdmi to dvi", + "2 high speed cables hdmi to dvi", + "2 high speed cables for hdmi to dvi", + "pack of 2 high speed cables hdmi to dvi", + "pack of 2 high speed cables", + "two high speed cables that support hdmi to dvi", + "2 high speed cables with hdmi to dvi", + "2 high speed cables", + "2 hdmi to dvi cables", + "p hdmi to dvi cables" + ], + "i would like some high quality hair claws": [ + "hair claws high quality", + "high quality hair claws", + "hair claws that are high quality", + "high quality hair claws under $50", + "high quality hair claws under $40", + "high quality hair claws under $60", + "high quality hair claws under 30 dollars", + "high quality hair claws under 50 dollars", + "hair claws, high quality", + "hair claws" + ], + "i am looking for lead free candles having 2 pack french lavender scent.": [ + "lead free candles with 2 pack french lavender scent", + "lead free candles 2 pack french lavender scent", + "lead free candles having 2 pack french lavender scent", + "lead free candles, 2 pack french lavender scent", + "pink free candles 2 pack french lavender scent", + "2 pack french lavender scent", + "2 pack french lavender candles", + "1 pack french lavender candles", + "lead free candles", + "12 pack french lavender candles" + ], + "i'm looking for a roller tool that's good for fine lines and aging skin.": [ + "roller tool for fine lines and aging skin", + "roller tool for fine lines and aging skin.", + "roller tool good for fine lines and aging skin", + "roller tool with fine lines and aging skin", + "roller tool fine lines and aging skin", + "roller tool for fine lines, aging skin", + "roller tool, fine lines and aging skin", + "roller tool for fine lines and aging skin,", + "roller tool for fine lines aging skin", + "roller tool" + ], + "i'm looking for a small portable folding desk that is already fully assembled; it should have a khaki wood finish.": [ + "small portable folding desk that is already fully assembled", + "small portable folding desk with khaki wood finish", + "small portable folding desk with a khaki wood finish", + "small portable folding desk, khaki wood finish", + "small portable folding desk in khaki wood finish", + "small portable folding desk", + "small portable folding desk made from khaki wood finish", + "small portable folding desk that is already fully assembled.", + "small portable folding desk under $50", + "small portable folding desk under $40" + ], + "i need nylon spandex pants that are mocha colored.": [ + "nylon spandex pants mocha colored", + "nude spandex pants mocha colored", + "navy spandex pants mocha colored", + "nylon spandex pants in mocha colored", + "a nylon spandex pants mocha colored", + " nylon spandex pants mocha colored", + "nylon spandex pants, mocha colored", + "nylon spandex pants mocha colored.", + "knee spandex pants mocha colored", + "nylon spandex pants" + ], + "i want an ivory pair of bearpaw women's skye boots with rubber soles.": [ + "womens skye boots with rubber soles", + " ivory pair of bearpaw womens skye boots", + "knee boots with rubber soles", + "womens skye boots with rubber soles ivory", + "womens skye boots with rubber sole", + "knee boots with rubber soles, ivory", + "knee boots with rubber soles ivory", + "knee boots ivory", + "womens skye boots", + "knee boots, ivory" + ], + "find black colored sandals for a teen girl.": [ + "black colored sandals for a teen girl", + "black colored sandals teen girl", + "black colored sandals", + "black sandals for a teen girl", + "black sandals for a teen girl.", + "black colored sandals for teen girl", + "black colored sandals, teen girl", + "black colored sandals a teen girl", + "black colored sandals teen girl.", + "black sandals teen girl" + ], + "i want interestprint women's running shoes with vinyl acetate in size 15.": [ + "interestprint womens running shoes with vinyl acetate in size 15", + "interestprint womens running shoes with vinyl acetate size 15", + "im interestedprint womens running shoes with vinyl acetate in size 15", + "interestprint womens running shoes with vinyl acetate", + "individprint womens running shoes with vinyl acetate in size 15", + "interestprint womens running shoes with vinyl acetate in a size 15", + "interestprint womens running shoes with vinyl acetate in size 15.", + "womens running shoes with vinyl acetate in size 15", + "interestprint womens running shoes with vinyl acetate size 15.", + "interestprint womens running shoes" + ], + "i need a low carb brownie mix": [ + "low carb brownie mix", + "low carb brownie mix below $40", + "low carb brownie mix that is high carb", + "low carb brownie mix below $50", + "low carb brownie mix under $40", + "low carb brownie mix that is low carb", + "low carb brownie mix below $60", + "low carb brownie mix under 50 dollars", + "low carb brownie mix under $50", + "low carb brownie mix no sugar" + ], + "look for a sugar free drink mix that has a banana flavor.": [ + "sugar free drink mix with banana flavor", + "sugar free drink mix banana flavor", + "sugar free drink mix", + "sugar free drink mix, banana flavor", + "gluten free drink mix with banana flavor", + "sugar free drink mix under $40", + "sugar free drink mix with bananas flavor", + "sugar free drink mix no sugar", + "alcohol drink mix with banana flavor", + "banana drink mix" + ], + "i am looking for a long lasting nail polish.": [ + "long lasting nail polish", + "nude polish long lasting", + "long lasting nail polish.", + "nail polish long lasting", + "long lasting nail polish under $50", + "long lasting nail polish under $40", + "long lasting nail polish under $60", + "long lasting nail polish under 30 dollars", + "long lasting nail polish under 50 dollars", + "long lasting nail polish under 60 dollars" + ], + "i want this food from snack puffs, aged white cheddar. pirate's booty 0.0g trans and gluten free i await your return": [ + "sugar puffs aged white cheddar", + "sneakers puffs aged white cheddar", + "sneakers puffs, aged white cheddar", + "sugar puffs, aged white cheddar", + "sport puffs aged white cheddar", + "food from snack puffs aged white cheddar", + "snack puffs aged white cheddar", + "sneakers puffs aged white cheddar gluten free", + "sugar puffs aged white cheddar under $40", + "puffs aged white cheddar" + ], + "i want a blue noldares mens flannel long sleeve shirt.": [ + "blue noldares mens flannel long sleeve shirt", + "blue noldares mens flannel long sleeve shirt.", + "blue noldares mens flannel long sleeve shirt under $50", + "blue noldares mens flannel long sleeve shirt under $40", + "blue noldares mens flannel long sleeve shirt under 50 dollars", + "blue noldares mens flannel long sleeve shirt under $60", + "blue noldares mens flannel long sleeve shirt under 40 dollars", + "blue noldares mens flannel long sleeve shirt under 30 dollars", + "blue noldares mens flannel long sleeve shirt below $50", + "blue noldares mens flannel long sleeve shirt under 60 dollars" + ], + "i'm looking for farmhouse upholstered dining chair.": [ + "farmhouse upholstered dining chair", + "farmhouse upholstered dining chair.", + " farmhouse upholstered dining chair", + " farmhouse upholstered dining chair.", + "farminghouse upholstered dining chair", + "farmhouse upholstered dining chair,", + "living room upholstered dining chair", + "farmhouse dining chair", + "farmhouse dining chair.", + "tablet dining chair farmhouse" + ], + "i'm looking for a large, white, cube shaped closet organizer to provide additional storage space.": [ + "large, white, cube shaped closet organizer", + "large white, cube shaped closet organizer", + "large white cube shaped closet organizer", + "large, white cube shaped closet organizer", + "large black, white, cube shaped closet organizer", + "large, white, cube shaped closet organizer,", + "large white, cube shaped closet organizer for storage", + "black, white, cube shaped closet organizer", + "large yellow, cube shaped closet organizer", + "black cube shaped closet organizer" + ], + "i need an eyeshadow palette that's easy to carry and contains a highly pigmented brown eyeshadow.": [ + "eyeshadow palette pigmented brown", + "eyeshadow palette that is easy to carry and contains pigmented brown eyeshadow", + "eyeshadow palette with pigmented brown eyeshadow", + "eyeshadow palette pigmented brown eyeshadow", + "eyeshadow palette that is easy to carry and contains a pigmented brown eyeshadow", + "eyeshadow palette that is easy to carry and contains pigmented brown eyeshadow.", + "easy to carry eyeshadow palette pigmented brown", + "brown eyeshadow palette", + "pink eyeshadow palette", + "eyeshadow palette that is easy to carry and contains a highly pigmented brown" + ], + "i want a silver apple macbook pro with intel core i5-7267u.": [ + "silver apple macbook pro i5-7267u", + "silver apple macbook pro with intel core i5-7267u", + "silver apple macbook pro i5-7267u.", + "silver apple macbook pro i5-7267u with intel core", + "silver apple macbook pro i5-7267u under $40", + "silver apple macbook pro i5-7267u under $60", + " silver apple macbook pro with intel core i5-7267u", + "silver apple macbook pro i5-7267u under $50", + "silver apple macbook pro i5-7267u,", + "silver apple macbook pro intel core i5-7267u" + ], + "i'm looking for faux leather couch bed with armless and metal lega.": [ + "faux leather couch bed with armless and metal lega", + "faux leather couch bed armless and metal lega", + "faux leather couch bed with armless metal lega", + " faux leather couch bed with armless and metal lega", + "faux leather couch bed, armless and metal lega", + "faux leather couch bed", + "faux leather couch bed armless and metal lega", + "faux leather couch bed armless metal lega", + "faux leather couch bed armless and metal lega.", + "faux leather couch bed with armless and metal leg" + ], + "i am interested in buying folding mattress for a beauty salon, which has wine red color and is of 75*190cm size.": [ + "folding mattress for a beauty salon 75*190cm", + "folding mattress for a beauty salon", + "folding mattress for beauty salon 75*190cm", + "folding mattress for a beauty salon with wine red color", + "living room mattress 75*190cm", + "folding mattress for a beauty salon in wine red", + "folding mattress for beauty salon 75*190cm size", + "folding mattress for a beauty salon, wine red", + "folding mattress for a beauty salon in wine red color", + "folding mattress for beauty salon" + ], + "i am looking for a long lasting brown soy wax candle.": [ + "long lasting brown soy wax candle", + "a long lasting brown soy wax candle", + "brown soy wax candle", + "long lasting brown soy wax candle.", + "brown soy wax candle long lasting", + "long lasting brown soy wax candle,", + "gluten free brown soy wax candle", + "soy wax candle long lasting", + "rainbow colored soy wax candle", + "green soy wax candle" + ], + "i am looking for blue color hair dye mixing bowl, sized 22x7.5x2cm": [ + "blue color hair dye mixing bowl 22x7.5x2cm", + "blue hair dye mixing bowl 22x7.5x2cm", + "blue human hair dye mixing bowl 22x7.5x2cm", + "blue hair dye mixing bowl, sized 22x7.5x2cm", + "blue color hair dye mixing bowl, 22x7.5x2cm", + "22x7.5x2cm hair dye mixing bowl", + "blue color hair dye mixing bowl 23x7.5x2cm", + "blue color hair dye mixing bowl 22x7.5 x2cm", + "23x7.5x2cm hair dye mixing bowl", + "blue color hair dye mixing bowl 22x7.5x2" + ], + "i want anon gmo wyman\u2019s triple berry fresh frozen variety pack.": [ + "trials berry fresh frozen variety pack", + "triple berry fresh frozen variety pack", + "anon gmo wyman fresh frozen variety pack", + "double berry fresh frozen variety pack", + "aon gmo wyman fresh frozen variety pack", + "brittle berry fresh frozen variety pack", + "melted berry fresh frozen variety pack", + "brushed berry fresh frozen variety pack", + "trials berry fresh frozen variety pack under $40", + "trials berry fresh frozen variety pack under $50" + ], + "prefer this brand wyman's triple berry frozen fresh fruit | no preservatives, certified non-gmo, ready to eat. i count on your experience in finding what i need for today": [ + "wymans triple berry frozen fresh fruit", + "i brand wymans triple berry frozen fresh fruit", + "brittle berry frozen fresh fruit", + "brand wymans triple berry frozen fresh fruit", + "womens triple berry frozen fresh fruit", + "wymans triple berry frozen fresh fruit no preservatives", + "brains triple berry frozen fresh fruit", + "wymans triple berry frozen fresh fruit fresh fruit", + "wymans triple berry frozen fresh fruit flavor", + "wymans triple berry fresh fruit" + ], + "i want to find permanent hair color cream in a golden copper color.": [ + "permanent hair color cream in a golden copper color", + "pink hair color cream in a golden copper color", + "permanent hair color cream in a golden copper color", + "pink human hair color cream", + "pale copper hair color cream", + "paint cream in a golden copper color", + "pink permanent hair color cream", + "pomegranate colored hair color cream", + "pink hair color cream in a golden copper", + "pink hair color cream" + ], + "i want a 7.5 oz box of gluten free paleokrunch cereal.": [ + "gluten free paleokrunch cereal 7.5 oz", + "gluten free paleokrunch cereal", + "paleokrunch cereal 7.5 oz", + "gluten free paleokrunch cereal 7 oz", + "paleokrunch cereal 7.5 oz gluten free", + "gluten free paleokrunch cereal under $40", + "gluten free paleokrunch cereal.", + "gluten free paleokrunch cereal pack", + "gluten free paleokrunch cereal that is gluten free", + "paleokrunch cereal" + ], + "i'm looking for long sleeve o-neck casual loose t-shirts.": [ + "long sleeve o-neck casual loose t-shirt", + "long sleeve o-neck casual loose t-shirts", + "short sleeve o-neck casual loose t-shirt", + "short sleeve o-neck casual loose t-shirts", + "long sleeve o-neck casual loose t-shirt under $40", + "long sleeve o-neck casual loose t-shirt under $50", + "long sleeve o-neck casual loose t-shirts under $40", + "long sleeve o-neck casual loose t-shirt under 50 dollars", + "long sleeve o-neck casual loose t-shirt under $60", + "lens o-neck casual loose t-shirt" + ], + "i need black shoes that have rubber soles": [ + "black shoes with rubber soles", + "black shoes rubber soles", + "black shoes with rubber sole", + "black shoes rubber sole", + "black shoes rubber soles black", + "black shoes rubber soled", + "black shoes, rubber soles", + "black shoes no rubber soles", + "black shoes, rubber sole", + "black shoes rubber sole black" + ], + "coconut oil hair repair, marc daniels professional, sulfate free no parabens. i need to fix my hair. i count on your help": [ + "coconut oil hair repair no parabens", + "coconut oil hair repair, marc daniels professional", + "coconut oil hair repair with marc daniels professional", + "coconut oil hair repair", + "coconut oil hair repair with no parabens", + "coconut oil hair repair marc daniels professional", + "coconut oil hair repair, no parabens", + "coconut oil hair repair no parabens,", + "coconut oil hair repair with marc daniels", + "coconut oil hair repair professional" + ], + "i want laird superfood aloha oatmac unsweetened non-dairy coffee creamer.": [ + "laird superfood aloha oatmac unsweetened non-dairy coffee creamer", + "levis superfood aloha oatmac unsweetened non-dairy coffee creamer", + " laird superfood aloha oatmac unsweetened non-dairy coffee creamer", + "laird superfood aloha oatmac unsweetened coffee creamer", + "aloha oatmac unsweetened non-dairy coffee creamer", + "lunda superfood aloha oatmac unsweetened non-dairy coffee creamer", + "lipfood aloha oatmac unsweetened non-dairy coffee creamer", + "laird superfood aloha oatmac unsweetened", + "laird superfood aloha oatmac unsweetened non-dairy coffee cream", + "laird superfood aloha oatmac unsweetened coffee creamer." + ], + "i want to buy hair brush for women which is of travel size and it should be with mirror folded at 2.75 inch.": [ + "hair brush for women travel size 2.75 inch", + "hair brush for women, travel size 2.75 inch", + "hair brush for women 2.75 inch", + "hair brush for women with mirror folded 2.75 inch", + "hair brush for women in travel size 2.75 inch", + "hair brush for women size 2.75 inch", + "hair brush for women travel size 2.75 inches", + "hair brush for women 2.75", + "hair brush for women", + "hair brush for women, travel size 2.75 inches" + ], + "i am looking for graphite color womens slip-on amde from vinyl acetate.": [ + "graphite color womens slip-on amde from vinyl acetate", + "graphite color womens slip-on amde from vinyl acetate.", + "graphite color womens slip-on amde", + "Graphite color womens slip-on amde from vinyl acetate", + "graphite colored womens slip-on amde from vinyl acetate", + " graphite color womens slip-on amde from vinyl acetate", + "graphite color womens slip-on amde from vinyl acetate,", + "graphite color womens slip-on amde vinyl acetate", + "Graphite color womens slip-on amde", + "graphite color womens slip-on" + ], + "i am looking for small size women casual short sleeve white color tunic tops": [ + "small size women short sleeve white color tunic tops", + "small size women casual short sleeve white color tunic", + "small size women long sleeve white color tunic tops", + "small size women short sleeve white color tunic", + "small women casual short sleeve white color tunic tops", + "small size women white color tunic tops", + "small size women casual short sleeve white", + "small size women long sleeve white color tunic", + "small size women shorts short sleeve white", + "small size women jeans short sleeve white" + ], + "i need a super soft bed blanket that has cats on it": [ + "super soft bed blanket with cats", + "super soft bed blanket that has cats", + "super soft bed blanket with cats on it", + "super soft bed blanket", + "super soft bed blanket, cats on it", + "super soft bed blanket, with cats", + "super soft bed blanket, with cats,", + "super soft bed blanket for cats", + "super soft bed blanket, cats", + "super soft bed blanket under $50" + ], + "i am looking for a heavy duty 1 foot long gold plated 3.5mm to rca cable.": [ + "1 foot long gold plated 3.5mm to rca cable", + "2 foot long gold plated 3.5mm to rca cable", + "gold plated 3.5mm to rca cable", + "heavy duty gold plated 3.5mm to rca cable", + "4 foot long gold plated 3.5mm to rca cable", + "4 ft long gold plated 3.5mm to rca cable", + "3.5mm to rca cable heavy duty", + "gold plated 3.5mm to rca cable heavy duty", + "3.5mm to rca cable", + "3.5mm to rca cable heavy duty heavy duty" + ], + "i want dermatologist tested herbal essences chamomile conditioner.": [ + "dermatologist tested herbal essences chamomile conditioner", + "herbal essences chamomile conditioner", + " dermatologist tested herbal essences chamomile conditioner.", + "im looking for herbal essences chamomile conditioner.", + "dental essences chamomile conditioner", + " dermatologist tested herbal essences chamomile conditioner", + "manual essences chamomile conditioner", + "natural essences chamomile conditioner", + "dental essences chamomile conditioner.", + "herbal essences chamomile conditioner." + ], + "i would like a men's powder lotion deodorant that is paraben free.": [ + "mens powder lotion deodorant paraben free", + "mens powder lotion deodorant", + "mens powder lotion deodorant, paraben free", + "mens powder lotion deodorant is paraben free", + "mens powder lotion deodorant with paraben free", + "mens powder lotion deodorant no paraben", + "mens powder lotion deodorant paraben free", + "mens powder lotion deodorant paraben free.", + "mens powder lotion deodorant under $40", + "mens powder lotion deodorant under $50" + ], + "i am looking for a black sofa bed couch for my living room.": [ + "black sofa bed couch for living room", + "black sofa bed couch for my living room", + "black sofa bed couch for the living room", + "black sofa bed couch for living room.", + "black sofa bed couch for a living room", + "living room sofa bed couch black", + "living room black sofa bed couch", + "black sofa bed couch living room", + "black sofa bed couch", + "white sofa bed couch for living room" + ], + "i am looking for xx-large men's tapa mood woven short sleeve shirt": [ + "xx-large mens tapa mood woven short sleeve shirt", + "xxl mens tapa mood woven short sleeve shirt", + " xx-large mens tapa mood woven short sleeve shirt", + "xxl mens tapa mood woven short sleeve shirt xxl", + "xxl mens tapa mood woven short sleeve shirt under $40", + "xxl mens tapa mood woven short sleeve shirt under $50", + "xxl mens tapa mood woven short sleeve shirt xx-large", + "xxl mens tapa mood woven short sleeve shirt under 50 dollars", + "xx-large mens tapa Mood woven short sleeve shirt", + " xxl mens tapa mood woven short sleeve shirt" + ], + "i want a noble park corson cut wall mirror for my living room.": [ + "a noble park corson cut wall mirror", + "faux park corson cut wall mirror", + "i want a noble park corson cut wall mirror", + "rosy park corson cut wall mirror", + "stainless park corson cut wall mirror", + "pure park corson cut wall mirror", + "land mirror for living room", + "stainless stone wall mirror", + "artwork for a living room", + "land mirror" + ], + "aunimeifly pillow slippers for women men, super soft platform shoes. open toe, size 8.5 i really want to wear these shoes, help me buy them": [ + "aunimeifly pillow slippers for women men", + "aunimeifly pillow slippers for women men size 8.5", + "aunimeifly pillow slippers for women men, super soft platform shoes", + "aunimeifly pillow slippers for women men in a size 8.5", + "aunimeifly pillow slippers for women men in a super soft platform shoes", + "aunimeifly pillow slippers", + "aunimeifly pillow slippers for women men. super soft platform shoes", + "aunimeifly pillow slippers, super soft platform shoes", + "aunimeifly pillow slippers women men size 8.5", + "aunimeifly pillow slippers for women" + ], + "i am looking for a heavy duty single toggle wall plate cover.": [ + "heavy duty single toggle wall plate cover", + "single toggle wall plate cover", + "low duty single toggle wall plate cover", + "single toggle wall plate cover heavy duty", + "heavy duty single toggle wall plate cover.", + "large duty single toggle wall plate cover", + "single toggle wall plate cover, heavy duty", + "single toggle wall plate cover under $40", + "single toggle wall plate cover under $50", + "single toggle wall plate cover under $60" + ], + "i'm looking for a high quality make up brush set in ivory rice color.": [ + "beauty brush set in ivory rice color", + "make up brush set in ivory rice color", + "toothbrush set in ivory rice color", + "beauty brush set in ivory rice", + "tea brush set in ivory rice color", + "make up brush set in ivory rice", + "brush set in ivory rice color", + "yellow make up brush set in ivory rice", + "toothbrush set in ivory rice", + "brush set in ivory rice" + ], + "i am looking for 12 pieces of green color high quality small round travel container jar pots with lids": [ + "small round travel container jar pots with lids", + "small travel container jar pots with lids", + "green color small round travel container jar pots", + "green color small travel container jar pots with lids", + "small round travel container jar pots", + "green small travel container jar pots with lids", + "green size small travel container jar pots with lids", + "12 small travel container jar pots with lids", + "small travel container jar pots", + "green color small travel container jar pots" + ], + "i am interested in a machine washable throw that is yellow and aqua": [ + "machine washable throw yellow and aqua", + "machine washable throw that is yellow and aqua", + "man washable throw yellow and aqua", + "man washable throw that is yellow and aqua", + "teeth washable throw yellow and aqua", + "woman washable throw yellow and aqua", + "sea washable throw yellow and aqua", + "rainbow throw yellow and aqua", + "machine washable throw yellow and aqua under $40", + "machine washable throw yellow and aqua under $60" + ], + "i want to find a white microwave cabinet that has a wood finish.": [ + "white microwave cabinet with wood finish", + "white microwave cabinet wood finish", + "white microwave cabinet with a wood finish", + "white microwave cabinet that has wood finish", + "white microwave cabinet, wood finish", + "white microwave cabinet has a wood finish", + "white microwave cabinet", + "white microwave cabinet with wood finish.", + "white microwave cabinet in a wood finish", + "white microwave cabinet wood finish white" + ], + "i am looking for b color eyeshadow that is long lasting.": [ + "b color eyeshadow long lasting", + "b color eyeshadow", + "b color eyeshadow long lasting.", + "b color eyeshadow, long lasting", + "long lasting b color eyeshadow", + "bb color eyeshadow long lasting", + " b color eyeshadow long lasting", + "a color eyeshadow long lasting", + "b color eyeshadow with long lasting", + "colored eyeshadow long lasting" + ], + "i'm looking for men's fragrance free face lotion that offer spf protection.": [ + "mens fragrance free face lotion with spf protection", + "mens fragrance free face lotion", + "mens fragrance free face lotion that offer spf protection", + "mens fragrance free face lotion, spf protection", + "mens fragrance free face lotion with spf protection", + "mens fragrance free face lotion, with spf protection", + "mens fragrance free face lotion mens spf protection", + "mens fragrance free face lotion with spf", + "mens fragrance free face lotion with spf protection.", + "mens fragrance free face lotion" + ], + "i want a peach scrub lip balm made from natural ingredients.": [ + "pomegranate scrub lip balm natural ingredients", + "pomegranate scrub lip balm natural", + "peach scrub lip balm made from natural ingredients", + "pomegranate scrub lip balm", + "teeth scrub lip balm made from natural ingredients", + "chocolate scrub lip balm made from natural ingredients", + "peaches scrub lip balm made from natural ingredients", + "pale scrub lip balm made from natural ingredients", + "pe peach scrub lip balm made from natural ingredients", + "pomegranate scrub lip balm natural no sugar" + ], + "i'm looking for organic hair conditioner that promotes hair growth, and is both sulfate and cruelty free.": [ + "organic hair conditioner that promotes hair growth", + "organic hair conditioner that promotes hair growth, cruelty free", + "organic hair conditioner, sulfate and cruelty free", + "organic hair conditioner with sulfate and cruelty free", + "organic hair conditioner that promotes hair growth with cruelty free", + "organic hair conditioner", + "organic hair conditioner that promotes hair growth, cruelty free,", + "organic hair conditioner with cruelty free", + "organic hair conditioner cruelty free", + "organic hair conditioner no sulfate" + ], + "i need a grey entertainment center": [ + "grey entertainment center", + "grey entertainment center that is grey", + "grey entertainment center under $40", + "grey entertainment center under $50", + "grey entertainment center under $60", + "grey entertainment center under $120", + "grey entertainment center under 30 dollars", + "grey entertainment center, grey", + "grey entertainment center under $130", + "grey entertainment center in grey" + ], + "i am looking for brown color spray bottles for hair styling.": [ + "brown color spray bottles for hair styling", + "brown color spray bottles for hair styling.", + "pink color spray bottles for hair styling", + "brown spray bottles for hair styling", + "rainbow color spray bottles for hair styling", + "brown color spray bottle for hair styling", + "brown hair spray bottles for hair styling", + "brown color spray bottles hair styling", + "brown spray bottles for hair styling.", + "spray bottles for hair styling" + ], + "i want a bexley mission tiffany style table lamp for my living room.": [ + "bexley mission tiffany style table lamp", + "table lamp bexley mission tiffany style", + "table lamp living room bexley mission tiffany style", + "living room table lamp bexley mission tiffany style", + "bexley mission tiffany style table lamp living room", + "tiffany style table lamp for living room", + "table lamp for living room bexley mission", + "table lamp for living room", + "table lamp for living room bexley", + "tiffany style table lamp" + ], + "i'm looking for an office chair that is red and offers lumbar support.": [ + "office chair red lumbar support", + "red office chair with lumbar support", + "office chair that is red lumbar support", + "office chair red with lumbar support", + "red office chair that is red", + "white office chair red lumbar support", + "red office chair lumbar support", + "red office chair, lumbar support", + "red office chair", + "red office chair with lumbar support." + ], + "i am looking for high heel sandals of size 5.5.": [ + "high heel sandals of size 5.5", + "high heel sandals of size 5.5.", + "high heel sandals size 5.5", + "high heel sandals size 5.5.", + "high heel sandals in size 5.5", + "high heel sandals, size 5.5.", + "high heel sandals in size 5.5.", + "high heel sandals, size 5.5", + "high heel sandals of size 5.5,", + "high heel sandals in a size 5.5" + ], + "i want a m color face kit that is easy to use.": [ + "m color face kit", + "m color face kit easy to use", + "mens color face kit", + "moisturizing m color face kit", + "mens m color face kit", + "mens color face kit easy to use", + "m color face kit, easy to use", + "mens color face kit, easy to use", + "easy to use m color face kit", + "m color face kit easy to use." + ], + "i want a resealable bag of raisins.": [ + "snealable bag of raisins", + " resealable bag of raisins", + "s resealable bag of raisins", + "routerable bag of raisins", + "salealable bag of raisins", + "sealable bag of raisins", + "snealable bag of raisins.", + " resealable bag of raisins.", + "a resealable bag of raisins", + "s resealable bag of raisins." + ], + "i'm looking for a continuous fine mist spray bottle in the color black.": [ + "curtains fine mist spray bottle in the color black", + "fine mist spray bottle in the color black", + "pure white fine mist spray bottle in the color black", + "permanent fine mist spray bottle in the color black", + "living fine mist spray bottle in the color black", + "pure black fine mist spray bottle in the color black", + "white fine mist spray bottle in the color black", + "moisturizing spray bottle in the color black", + "pure black fine mist spray bottle", + "permanent fine mist spray bottle in the color black." + ], + "i am looking for a pair of women's size 10.5 light blue shoes with memory foam.": [ + "womens size 10.5 light blue shoes with memory foam", + "womens size 10.5 light blue shoes", + "womens size 10.5 light blue sneakers with memory foam", + "mens size 10.5 light blue shoes with memory foam", + "womens size 10.5 light blue shoes, memory foam", + "womens size 10.5 light blue shoe with memory foam", + "womens size 10.5 light blue walking shoes", + "womens size 10.5 light blue", + "walking shoes size 10.5 light blue", + "walking shoes 10.5 light blue" + ], + "i need a tongue cleaner that is easy to clean": [ + "tongor cleaner easy to clean", + "tongued cleaner easy to clean", + "tongue cleaner easy to clean", + "easy clean tongue cleaner", + "tongle cleaner easy to clean", + "tongor cleaner", + "easy to clean tongue cleaner", + "tongor cleaner easy clean", + "tongued cleaner", + "tempered tongue cleaner" + ], + "i am looking for a 25 pack of micellar makeup remover wipes that are sulfate free.": [ + "25 pack of micellar makeup remover wipes", + "micellar makeup remover wipes that are sulfate free", + "20 pack of micellar makeup remover wipes", + "23 pack of micellar makeup remover wipes", + "22 pack of micellar makeup remover wipes", + "molesllar makeup remover wipes that are sulfate free", + "micellar makeup remover wipes", + "28 pack of micellar makeup remover wipes", + "a 25 pack of micellar makeup remover wipes", + "micellar makeup remover wipes, sulfate free" + ], + "i want to find an 8 ounce bottle of firming cream that treats fine lines.": [ + "8 ounce bottle of firming cream", + "8 ounce bottle of firming cream with fine lines", + "8 ounce bottle of firming cream treat fine lines", + "8 ounce bottle of firming cream under $60", + "8 ounce bottle of firming cream under $40", + "8 ounce bottle of firming cream for fine lines", + "8 ounce bottle of firming cream under $50", + "8 ounce firming cream that treats fine lines", + "8 ounce bottle of firming cream under 50 dollars", + "8 oz bottle of firming cream" + ], + "i'm looking for an extra small cozy blanket for my daughter's christmas gift; it should be super soft and easy to clean.": [ + "blanket for a christmas gift", + "blanket for christmas", + "blanket for daughters christmas", + "extra cozy blanket for a christmas gift", + "extra small cozy blanket for christmas gift", + "blanket for daughters christmas gift", + "extra cozy blanket for daughters christmas gift", + "extra small cozy blanket for daughters christmas", + "extra small cozy blanket for christmas", + "blanket for christmas gift" + ], + "i am looking for a high quality, folding massage table.": [ + "high quality, folding massage table", + "folding massage table", + "high quality massage table", + "mushroom table high quality", + "high quality massage table.", + "living massage table high quality", + "stainless massage table", + "folding massage table high quality", + "folding massage table.", + "compact massage table" + ], + "i'm looking for a gray iphone 13 pro max case that supports wireless charging.": [ + "gray iphone 13 pro max case with wireless charging", + "gray iphone 13 pro max case that supports wireless charging", + "gray iphone 13 pro max case", + "grey iphone 13 pro max case with wireless charging", + "womens gray iphone 13 pro max case", + "gray iiphone 13 pro max case with wireless charging", + "gray iphone 13 pro max case, with wireless charging", + "gray iphone 13 case with wireless charging", + "iphone 13 pro max case with wireless charging", + "grey iphone 13 pro max case" + ], + "i want a oatmeal cinnamon raisin snack bar that is low calorie and high protein.": [ + "oatmeal cinnamon raisin snack bar low calorie and high protein", + "oatmeal cinnamon raisin snack bar", + "oatmeal cinnamon raisin snack bar, low calorie and high protein", + "oatmeal cinnamon raisin snack bar low calorie high protein", + "oatmeal cinnamon raisin snack bar that is low calorie high protein", + "oatmeal cinnamon raisin snack bar low calories and high protein", + "oatmeal cinnamon raisin snack bar with low calorie and high protein", + "oatmeal cinnamon raisin snack bar low calorie", + "oatmeal cinnamon raisin snack bar high protein", + "oatmeal cinnamon raisin snack bar low calorie and high protein." + ], + "i want to buy bath brushes which are suitable for dry skin.": [ + "bath brushes suitable for dry skin", + "bath brushes suitable for dry skin.", + "bath brushes for dry skin", + "bath brush suitable for dry skin", + "bathbrush suitable for dry skin", + "bath brush suitable for dry skin.", + "bathbrush suitable for dry skin.", + "bath brushes, suitable for dry skin", + "bath brush for dry skin", + "bathbrush for dry skin" + ], + "i'm interested in love scent, dermatologist tested cream for sensitive skin that is cruelty-free and does not contain parabens or sulfates.": [ + "love scent dermatologist tested cream for sensitive skin with parabens and sulfates", + "love scent dermatologist tested cream for sensitive skin with parabens or sulfates", + "love scent dermatologist tested cream for sensitive skin", + "love scent dermatologist tested cream for sensitive skin that is cruelty-free", + "love scent dermatologist tested cream for sensitive skin with parabens", + "love scent, dermatologist tested cream for sensitive skin", + "love scent dermatologist tested cream sensitive skin", + "love scent for sensitive skin", + "love scent that is cruelty-free", + "love scent" + ], + "i'm looking for a travel monopod camera tripod with quick release and easy to carry.": [ + "travel monopod camera tripod", + "travel monopod camera tripod easy to carry", + "womens travel monopod camera tripod", + "temporary travel monopod camera tripod", + "travel monopod camera tripod quick release", + "travel monopod camera tripod with quick release", + "Travel monopod camera tripod", + "pomod camera tripod", + "portrait tripod", + "moto tripod" + ], + "i'm looking for an ivory ottoman for my living room that's made out of solid wood with fake leather.": [ + " ivory ottoman for my living room made out of solid wood with fake leather", + "t ivory ottoman for my living room made out of solid wood with fake leather", + "yellow ivory ottoman for my living room made out of solid wood with fake leather", + "yellow ivory ottoman for living room made out of solid wood with fake leather", + "yellow ottoman for living room made out of solid wood with fake leather", + "an ivory ottoman for my living room made out of solid wood with fake leather", + "yellow ivory ottoman living room made out of solid wood with fake leather", + " ivory ottoman for my living room made out of solid wood with fake leather.", + "5 foot ivory ottoman for my living room", + " ivory ottoman for my living room made out of solid wood with fake leather," + ], + "i need to buy a gift basket for valentines day. find one that has five chocolate bars in it.": [ + "gift basket for valentines day with five chocolate bars", + "gift basket for valentines day", + "gift basket for valentines day, five chocolate bars", + "gift basket for valentines day with 5 chocolate bars", + "gift basket valentines day with five chocolate bars", + "gift basket for valentines day five chocolate bars", + "gift basket for valentines day, 5 chocolate bars", + "gift basket for valentines day 5 chocolate bars", + "gift basket for valentines day under $50", + "gift basket valentines day" + ], + "i would like a red short sleeve shirt that is button down": [ + "red short sleeve shirt button down", + "red short sleeve shirt buttoned", + "red short sleeve shirt button down below $50", + "red short sleeve shirt button down below $40", + "red short sleeve shirt buttoned below $50", + "red short sleeve shirt buttoned below $40", + "red short sleeve shirt buttoned button down", + "red short sleeve shirt buttoned down", + " red short sleeve shirt button down", + "red short sleeve shirt button down under $40" + ], + "i'm looking for a pair of rs-c sized, easy to use, stainless steel barber's scissors.": [ + "rf-c sized, easy to use, stainless steel barbers scissors", + "a pair of rs-c sized, easy to use, stainless steel barbers scissors", + "rf-c sized, easy to use stainless steel barbers scissors", + "rf-c sized, easy to use, stainless steel barbers scissors.", + "rf-c sized, easy to use, stainless steel barbers scissors under $40", + "rf-c sized, easy to use, stainless steel barbers scissors under $50", + "easy to use, stainless steel barbers scissors", + "rf-c sized, easy to use, stainless steel barbers scissors,", + "stainless steel barbers scissors", + "synthetic steel barbers scissors" + ], + "i'm locking for a high speed hdmi cable which supports 3d audio.": [ + "high speed hdmi cable with 3d audio", + "high speed hdmi cable", + "tv hdmi cable with 3d audio", + "high speed hdmi cable 3d audio", + "im locking for a high speed hdmi cable", + "3d audio hdmi cable", + "high speed hdmi cable, 3d audio", + "4d audio hdmi cable", + "3d audio hdmi cable high speed", + "tv hdmi cable" + ], + "find a non alcoholic 32oz blood mary mix.": [ + "non alcoholic 32oz blood mary mix", + "non alcoholic 32oz blood mary mix.", + "non alcoholic 32oz blood mary mix under $40", + "non alcoholic 32oz blood mary mix under $60", + "non alcoholic 32oz blood mary mix under $50", + "non alcoholic 32oz blood mary mix under 50 dollars", + "non alcoholic 32oz blood mary mix under 30 dollars", + "non alcoholic 32oz blood mary mix below $40", + "find a non alcoholic 32oz blood mary mix.", + "non alcoholic 32oz blood mary mix under 40 dollars" + ], + "i am looking for a chair with no arms. it should be in burgundy color and should have lumbar support.": [ + "burgundy chair with no arms", + "burgundy chair with no arms with lumbar support", + "burgundy chair with no arms, lumbar support", + "burgundy chair with no arms in burgundy", + "burgundy chair with no arms lumbar support", + "burgundy chair with no arms and lumbar support", + "burgundy chair with no arms in burgundy color", + "burgundy chair", + "burgundy chair no arms", + "a chair with no arms burgundy" + ], + "i want a beige with trundle twin bed with a wood frame.": [ + "beige with trundle twin bed with a wood frame", + "beige with trundle twin bed", + "beige with trundle twin bed with wood frame", + "beige trundle twin bed with a wood frame", + "pink with trundle twin bed with a wood frame", + "beige with trundle twin bed wood frame", + "beige twin bed with a wood frame", + "wood frame beige with trundle twin bed", + "womens beige with trundle twin bed", + "beige" + ], + "i want a whtie van heusen men's slim fit dress shirt.": [ + "womens slim fit dress shirt", + "whtie van mens slim fit dress shirt", + "slim fit dress shirt", + "womens slim fit dress shirt.", + "whtie van mens slim fit dress shirt.", + "whtie mens slim fit dress shirt", + "womens slim fit dress shirt under 30 dollars", + "whtie van heusen mens slim fit", + "mens slim fit dress shirt", + "shoes slim fit" + ], + "i want gluten free sun tropics sea salt snack bites.": [ + "gluten free sea salt snack bites", + "sea salt snack bites", + "sea salt snack bites gluten free", + "sun tropics sea salt snack bites gluten free", + "sun tropics sea salt snack bites", + "gluten free sun tropics sea salt snacks", + "sea salt snack bites that are gluten free", + "gluten free sea salt snack bites.", + "sea salt snack bites, gluten free", + "sea salt snack bites." + ], + "i want a pair of size 8 green loafers with arch support.": [ + "green loafers with arch support", + "green loafers size 8 with arch support", + "green loafers size 8 arch support", + "size 8 green loafers with arch support", + "green loafers with arch support size 8", + "pair of size 8 green loafers", + "green loafers size 8, arch support", + "green loafers size 8", + "green loafers", + "a pair of size 8 green loafers" + ], + "i need a xbox one media remote with batteries included.": [ + "xbox one media remote with batteries", + "xxl media remote with batteries", + " xbox one media remote with batteries", + "xbox one media remote", + "xxbox one media remote with batteries", + "xx box one media remote with batteries", + " xbox one media remote", + "xxl media remote", + "xbox one media remote no batteries", + "xxxx media remote with batteries" + ], + "i want a rca cable that is high def.": [ + "rfsh cable high def", + "rfx cable high def", + "rca cable high def", + "rf-cable cable high def", + "rfc cable high def", + "rfsh cable that is high def", + "rca cable that is high def", + "rfl cable high def", + "rfoto cable high def", + "rfsh cable high def." + ], + "i want gluten free starkist chunk light tuna in oil.": [ + "gluten free starkist chunk light tuna in oil", + "gluten free starkist chunk light tuna in oil.", + "gluten free starkist chunk light tuna", + "gluten free starkist chunk light tuna in oil,", + "i want gluten free starkist chunk light tuna in oil.", + "gluten free chunk light tuna in oil", + "a gluten free starkist chunk light tuna in oil", + "gluten-free starkist chunk light tuna in oil", + "gluten free starkist chunk light tuna oil", + "alarmist chunk light tuna in oil" + ], + "i would like a 8 gig of ram 512 ssd desktop mini with a core i5.": [ + "desktop mini with a core i5", + "8 gig of ram 512 ssd desktop mini", + "tablet mini with a core i5", + "desktop mini with a core i5 8 gig", + "desktop mini with a core i5 8gb", + "desktop mini with core i5", + "desktop mini with a core i5 under $130", + "desktop mini with a core i5 under $120", + "desktop mini with a core i5.8 gig", + "desktop mini with i5" + ], + "i want a 18 inch by 18 inch blue purple throw pillow cover that is machine washable.": [ + "18 inch by 18 inch blue purple throw pillow cover", + "18 inch by 18 inch blue purple throw pillow cover under $50", + "18 inch by 18 inch blue purple throw pillow cover machine washable", + "18 inch by 18 inch blue purple throw pillow cover under $40", + "18 inch by 18 inch blue purple throw pillow cover under 50 dollars", + "18 inch by 18 inch blue purple throw pillow cover under $60", + "18 inch x 18 inch blue purple throw pillow cover", + " 18 inch by 18 inch blue purple throw pillow cover", + "18 inch by 18 inch blue throw pillow cover", + "blue purple throw pillow cover" + ], + "i want to find a travel size fragrance that is scented with new york impression. it needs to be 0.34 fluid ounces.": [ + "travel size fragrance that is scented with new york impression", + "pink travel size fragrance that is scented with new york impression", + "Travel size fragrance that is scented with new york impression", + "travel size fragrance scented with new york impression", + "travel size fragrance, scented with new york impression", + " travel size fragrance that is scented with new york impression", + "travel size fragrance 0.34 fluid ounces", + "travel size fragrance with new york impression", + "travel size fragrance", + "pink travel size fragrance" + ], + "i am looking for long lasting travel size mk michael for men impression eau de parfum.": [ + "long lasting travel size mk michael for men under 30 dollars", + "long lasting travel size mk michael for men", + "michael travel size men impression eau de parfum", + "long lasting travel size mk michael for men under 50 dollars", + "michael travel size eau de parfum", + "long lasting travel size mk michael for men under $40", + "womens travel size mk michael", + "long lasting travel size mk michael", + "k mk michael for men", + "kmichael for men" + ], + "i am looking for shirt of size 2x and having short sleeve.": [ + "shirt of size 2x short sleeve", + "shoes of size 2x short sleeve", + "shirt of size 2x short sleeve shirt", + "shirt of size 2x with short sleeve", + "shirt of size 2x long sleeve", + "shirt of size 2x with short sleeves", + "shoes of size 2x long sleeve", + "shoes 2x short sleeve", + "t-shirt size 2x short sleeve", + "t-shirt 2x short sleeve" + ], + "i am lookng for10.5 size black color vintage leather high heel ankle boots for women": [ + "10.5 size black color vintage leather high heel ankle boots for women", + "10.5 size black color vintage leather high heel ankle boots", + "10.5 black color vintage leather high heel ankle boots for women", + "10.5 black color vintage leather high heel ankle boots", + "10.5 size black color leather high heel ankle boots for women", + "10.5 size black color high heel ankle boots for women", + "10.5 size black color hiking boots for women", + "10.5 size black color leather high heel ankle boots", + "10.5 size black color vintage leather high heel walking boots for women", + "10.5 size black color vintage leather high heel ankle boots, women" + ], + "i'm looking for a digital camera with an optical zoom and stereo sound.": [ + "digital camera with an optical zoom and stereo sound", + "digital camera with an optical zoom and stereo sound.", + "digital camera with an optical zoom with stereo sound", + "digital camera with an optical zoom, stereo sound", + "digital camera with an optical zoom", + "digital camera, with an optical zoom and stereo sound", + "digital camera with an optical zoom and stereo sound,", + "digital camera with a optical zoom and stereo sound", + "digital camera with optical zoom and stereo sound", + "digital camera" + ], + "i'm looking for non-dairy, lactose free chocolate chips.": [ + "non-dairy, lactose free chocolate chips", + "non-dairy dairy free chocolate chips", + "non-dairy lactose free chocolate chips", + "non dairy, lactose free chocolate chips", + "non-dairy and lactose free chocolate chips", + "non-dairy, lactose free chocolate chips.", + "non-dairy dairy, lactose free chocolate chips", + "non-dairy dairy and lactose free chocolate chips", + "non dairy dairy, lactose free chocolate chips", + "non-dairy chocolate chips" + ], + "i want to buy a carry case for laptop which is easy to carry and is of khaki color, and it's size should be 11-12 inch.": [ + "bag case for laptop 11-12 inch", + "carry case for laptop 11-12 inch", + "pocket case for laptop 11-12 inch", + "easy to carry carry case for laptop 11-12 inch", + "port case for laptop 11-12 inch", + "easy to carry laptop case 11-12 inch", + "alarm case for laptop 11-12 inch", + "curtains laptop case 11-12 inch", + "bag case for laptop 11-12 inch in khaki", + "easy to carry carry case for laptop 11-12 inches" + ], + "i'm looking for an armchair for my living room; it needs to be made of premium engineered wood with camel upholstery.": [ + "armchair for my living room with camel upholstery", + "armchair for living room with camel upholstery", + "alarmchair for my living room with camel upholstery", + "alarmchair for living room with camel upholstery", + "armchair for my living room", + "alarmchair for living room", + "alarmchair for my living room", + "armchair for living room", + "alarmchair for my living room made of premium engineered wood", + "armchair for my living room with camel upholstery." + ], + "i want to find gluten free maple syrup that comes in a 32 fluid ounce bottle.": [ + "gluten free maple syrup 32 fluid ounce bottle", + "gluten free maple syrup 32oz bottle", + "gluten free maple syrup 32oz", + "gluten free maple syrup 32 oz bottle", + "gluten free maple syrup 32oz ounce bottle", + "gluten free maple syrup 32 oz", + "gluten free maple syrup 32 fluid ounce", + "gluten free maple syrup 32ml ounce bottle", + "gluten free maple syrup 32 ounce bottle", + "gluten free maple syrup 32oz bottles" + ], + "i need a travel-size cologne balm.": [ + "travel-size cologne balm", + "travel-size cologne balm.", + "temporary travel-size cologne balm", + "tourist-size cologne balm", + "Travel-size cologne balm", + "tour-size cologne balm", + " travel-size cologne balm", + "cologne balm travel-size", + "vanity-size cologne balm", + "pink cologne balm travel-size" + ], + "i am looking for a high resolution telescope with a phone adapter.": [ + "high resolution telescope with a phone adapter", + "high resolution telescope with a phone adapter.", + "high resolution telescope with phone adapter", + "low resolution telescope with a phone adapter", + "a high resolution telescope with a phone adapter", + "high resolution radio telescope with a phone adapter", + "high resolution telescope with a phone adapter,", + "high resolution telescope", + "sky telescope with a phone adapter", + "high resolution telescope, phone adapter" + ], + "i want a 4.2 ounce bottle of facial mist trio that is paraben free.": [ + "4.2 ounce bottle of facial mist trio", + "4.2 ounce bottle of facial mist trio paraben free", + "4.2 ounce bottle of facial mist", + "4.2 ounce bottle of facial mist, paraben free", + "4.2 ounce bottle of facial mist trio under $50", + "4.2 ounce bottle of facial mist trio under $40", + "4.2 ounce bottle of facial mist trio under $60", + "4.2 ounce bottle of facial mist three day", + "4.2 ounce bottle of facial mist 3", + "4.2 ounce bottle" + ], + "i need a case for my lg stylo 6 that's green, supports wireless charging, and comes with a tempered glass screen protector.": [ + "lg stylo 6 case with wireless charging", + "lg stylo 6 case with a tempered glass screen protector", + "case for lg stylo 6 with a tempered glass screen protector", + "lg stylo 6 case that is green", + "lg stylo 6 case that is green with wireless charging", + " lg stylo 6 case with wireless charging", + "case for lg stylo 6 with wireless charging", + "lg stylo 6 case, green, supports wireless charging", + "lg stylo 6 case", + "lg stylo 6 case, green" + ], + "i am looking for heavy duty monoculars.": [ + "heavy duty monoculars", + "heavy duty monoculars under $40", + "heavy duty monoculars under $50", + "heavy duty monoculars under $60", + "heavy duty monoculars under 50 dollars", + "heavy duty monoculars.", + "heavy duty monoculars under 30 dollars", + "heavy duty monoculars under 40 dollars", + "heavy duty monoculars under $120", + "heavy duty monoculars under 60 dollars" + ], + "i will surely succeed with your help. check my order natural deodorant for women | fresh rain + coconut oil - safe for sensitive skin |fresh rain, white floral (2 packages).": [ + "natural deodorant for women", + "natural deodorant for women fresh rain + coconut oil", + "natural deodorant for women fresh rain with coconut oil", + "natural deodorant for women fresh rain", + "natural deodorant for women with coconut oil", + "natural deodorant for women fresh rain coconut oil", + "natural deodorant for women fresh rain, white floral", + "natural deodorant for women fresh rain natural", + "natural deodorant", + "natural deodorant woman" + ], + "i'm looking for a 3 sided toothbrush for fresh breath": [ + "3 sided toothbrush for fresh breath", + "3 sided toothbrush", + "3 sided toothbrush fresh breath", + "3 sided toothbrush, fresh breath", + "three sided toothbrush for fresh breath", + "3 sided toothbrush for fresh breath,", + " 3 sided toothbrush for fresh breath", + "3 sided teethbrush for fresh breath", + "3 sided toothbrush that fresh breath", + "natural toothbrush for fresh breath" + ], + "i want a extra large yellow men's loose fit shirt.": [ + "extra large yellow mens loose fit shirt", + "extra large yellow mens loose fit shirt.", + "extra large yellow mens loose fit shirt under $50", + "extra large yellow mens loose fit shirt under $40", + "extra large yellow mens loose fit shirt under 50 dollars", + "extra large yellow mens loose fit shirt below $50", + "extra large yellow mens loose fit shirt under 30 dollars", + "extra large yellow mens loose fit shirt under 40 dollars", + "extra large yellow mens loose fit shirt below $40", + "extra large yellow mens loose fit shirt under $60" + ], + "i'm looking for a relaxed fit, short sleeve t shirt in the color white rose in the size large.": [ + "a relaxed fit, short sleeve t-shirt in the color white rose", + "a relaxed fit t-shirt in the color white rose in the size large", + "lens t-shirt in the color white rose in the size large", + "lens t-shirt in the color white rose in a size large", + "short sleeve t-shirt in the color white rose in a size large", + "short sleeve t-shirt in the color white rose in the size large", + "a relaxed fit t-shirt in the color white rose in a size large", + "a relaxed fit t-shirt in the color white rose", + "short sleeve t-shirt in the color white rose", + "lens t-shirt in the color white rose" + ], + "i want to find a black women's jacket for daily wear. it needs to be a small.": [ + "black womens jacket", + "small black womens jacket", + "womens jacket", + "womens jacket small", + "large black womens jacket", + "black womens jacket, small", + "black womens jacket small", + "bag small black", + "bag small", + "bag black" + ], + "i'm looking for a black 2-ounce makeup storage jar that is leak proof and easy to use.": [ + "black makeup storage jar that is leak proof", + "black 2-ounce makeup storage jar", + "black makeup storage jar", + "black 2ounce makeup storage jar that is leak proof", + "2-ounce makeup storage jar that is leak proof", + "black 2ounce makeup storage jar", + "2ounce makeup storage jar that is leak proof", + "black 2-ounce makeup storage jar, leak proof", + "black makeup storage jar, leak proof", + "2-ounce makeup storage jar" + ], + "i want black round clear wide-mouth leak proof plastic container jars.": [ + "black round clear wide-mouth leak proof plastic container jars", + "black square clear wide-mouth leak proof plastic container jars", + "black wide-mouth leak proof plastic container jars", + "black, wide-mouth leak proof plastic container jars", + "black round clear widemouth leak proof plastic container jars", + "black rectangular clear wide-mouth leak proof plastic container jars", + "black round clear wide-mouth leak proof plastic container", + "black round clear wide mouth leak proof plastic container jars", + "black plastic container jars", + "plastic container jars black" + ], + "i want to buy paintings which are suitable for living room and are of color ys102 and have a size of 24x36 inch (60x90cm).": [ + "paint 24x36 inch (60x90cm)", + "artwork 24x36 inch (60x90cm)", + "portrait size 24x36 inch (60x90cm)", + "portrait 24x36 inch (60x90cm)", + "24x36 inch (60x90cm) wall art", + "portrait size 24x36 inch (60x90cm).", + "24x36 inch (60x90cm) paintings", + "pink paintings 24x36 inch (60x90cm)", + "24x36 inch (60x90cm) wall paintings", + "23x36 inch (60x90cm) wall art" + ], + "i want a style b nightstand that is easy to assemble.": [ + "style b nightstand that is easy to assemble", + "style b nightstand", + "style b nightstand easy to assemble", + "style b nightstand, easy to assemble", + "style b nightstand, easy to assemble,", + "style b nightstand easy assemble", + "style b nightstand under $50", + "style b nightstand in a style b", + "style b nightstand under $40", + "style b nightstand under $60" + ], + "i am looking for some gluten free powder coffee creamer.": [ + "gluten free powder coffee creamer", + "gluten free powder coffee creamer.", + "gluten free powder coffee creamer under $40", + "gluten free powder coffee creamer under $60", + "gluten free powder coffee creamer under $50", + "gluten free powder coffee creamer under 50 dollars", + "gluten free powder coffee creamer below $40", + "gluten free powder coffee creamer under 40 dollars", + "gluten free powder coffee creamer under 30 dollars", + "gluten free coffee creamer" + ], + "i would like a travel sized bag that is yellow": [ + "yellow travel sized bag", + "yellow travel sized bag that is yellow", + "travel sized bag that is yellow", + "travel sized bag yellow", + "vanity sized bag that is yellow", + "a travel sized bag that is yellow", + " travel sized bag that is yellow", + "yellow travel sized bag travel sized", + "yellow travel sized bag, travel sized", + "bag yellow" + ], + "i would like some sugar free chocolates": [ + "sugar free chocolates", + "sugar free chocolates under $40", + "sugar free chocolates under 50 dollars", + "sugar free chocolates under $50", + "sugar free chocolates under $60", + "sugar free chocolates under 30 dollars", + "sugar free chocolates under 40 dollars", + "sugar free chocolates under 60 dollars", + "sugar free chocolates under 120 dollars", + "sugar free chocolates below $40" + ], + "i want to find hair extensions that are platinum blonde and 18 inches long.": [ + "pink blonde hair extensions 18 inches long", + "pink hair extensions 18 inches long", + "platinum blonde hair extensions 18 inches long", + "pink blonde hair extension 18 inches long", + "pink human hair extensions 18 inches long", + "pink wig extensions 18 inches long", + "pink hair extension 18 inches long", + "hair extensions platinum blonde 18 inches long", + "hair extensions 18 inches long", + "pink blonde hair extensions 17 inches long" + ], + "i want grey men's moccasin slippers with arch support.": [ + "grey mens moccasin slippers with arch support", + "grey mens moccasin slippers arch support", + "grey mens moccasin slippers", + "grey mens moccasin slippers with arch support.", + "grey mens moccasin slippers, arch support", + "grey mens moccasin slippers that arch support", + "grey mens moccasin slippers no arch support", + "grey mens moccasin slippers with arch support,", + "grey mens moccasin slippers that are arch support", + "greymens moccasin slippers with arch support" + ], + "i need a french vanilla soy wax candle": [ + "faux vanilla soy wax candle", + " french vanilla soy wax candle", + "stainless vanilla soy wax candle", + "frost vanilla soy wax candle", + "vegan vanilla soy wax candle", + "knee vanilla soy wax candle", + "lemon vanilla soy wax candle", + "faux vanilla soy wax candle,", + "lip wax candle french vanilla", + "permanent soy wax candle" + ], + "i'm looking for a two piece swimsuit in polyester spandex. i want the black one in x-large.": [ + "two piece swimsuit in polyester spandex x-large", + "two piece swimsuit in polyester spandex", + "two piece swimsuit in polyester spandex in x-large", + "two piece swimsuit in polyester spandex x-large.", + "two piece swimsuit in polyester spandex, x-large", + "two piece swimsuit in polyester spandex x-large", + "two piece swimsuit in polyester spandex black x-large", + "two piece swimsuit in polyester spandex black", + "2 piece swimsuit in polyester spandex x-large", + "two piece swimsuit in polyester spandex x-large," + ], + "i am interested in buying candles which are made of soy wax and are in red color.": [ + "synthetic candles made of soy wax", + "strawberry candles made of soy wax", + "sneakers made of soy wax candles", + "sneakers red candles", + "sneakers made from soy wax candles", + "sneakers made of soy wax", + "synthetic candles made from soy wax", + "synthetic candles red", + "synthetic candles red candles", + "soy wax candles in red" + ], + "i'm looking for longwear makeup remover towelettes for sensitive skin. make sure they're cruelty free.": [ + "longwear makeup remover towelettes for sensitive skin", + "longwear makeup remover towelettes for sensitive skin, cruelty free", + "longwear makeup remover towelettes sensitive skin", + "longwear makeup remover towelettes for sensitive skin that are cruelty free", + "longwear makeup remover towelettes for sensitive skin under $50", + "longwear makeup remover towelettes for sensitive skin with cruelty free price", + "longwear makeup remover towelettes for sensitive skin under $40", + "longwear makeup remover towelettes for sensitive skin.", + "shortwear makeup remover towelettes for sensitive skin", + "longwear makeup remover towelettes" + ], + "i am looking for some gluten free vanilla caramel coffee creamers.": [ + "gluten free vanilla caramel coffee creamers", + "gluten free vanilla caramel coffee creamers under $40", + "gluten free vanilla caramel coffee creamers.", + "gluten free vanilla caramel coffee creamers under $60", + "gluten free vanilla caramel coffee creamers under $50", + "gluten free vanilla caramel coffee creamers under 50 dollars", + "gluten free vanilla caramel coffee creamers under 40 dollars", + "gluten free vanilla caramel coffee creamers under 30 dollars", + "gluten free vanilla caramel coffee creamers under 60 dollars", + "gluten free caramel coffee creamers" + ], + "i need a box of 180 single shelf stable coffee creamers that are sugar free hazelnut.": [ + "single shelf stable coffee creamers that are sugar free hazelnut", + "single shelf stable coffee creamers sugar free hazelnut", + "single shelf stable coffee creamers that are sugar free", + "single shelf stable coffee creamers sugar free", + "single shelf stable coffee creamers with sugar free hazelnut", + "single shelf stable coffee creamers with sugar free hazelnut flavor", + "bagel stable coffee creamers sugar free", + "single shelf stable coffee creamers sugar free hazelnut box", + "single shelf stable coffee creamers", + "bag of 180 single shelf stable coffee creamers" + ], + "i am looking for a pair of housewarming elephant statue for living room , color: e": [ + "housewarming elephant statue for living room color e", + "housewarming elephant statue for living room color", + "living room elephant statue color: e", + "homewarming elephant statue for living room color e", + "living room elephant statue color e", + "an elephant statue for living room color: e", + "living room elephant statue color", + "homewarming elephant statue for living room color", + "manual elephant statue for living room color e", + "housewarming elephant statue for living room" + ], + "i'm locking for a facial cleanser, makeup remover and face wash for oil skin.": [ + "facial cleanser with face wash for oil skin", + "facial cleanser with face wash", + "facial cleanser makeup remover", + "facial cleanser makeup remover for oil skin", + "facial cleanser makeup remover oil skin", + "facial cleanser makeup remover and face wash", + "facial cleanser", + "facial cleanser with face wash oil skin", + "facial cleanser with face wash oil", + "facial cleanser oil skin" + ], + "i want a high quality nail drill machine.": [ + "nail drill machine that is high quality", + "nail drill machine high quality", + "nude drill machine that is high quality", + "nude drill machine high quality", + "nude drill machine", + "high quality nail drill machine", + "nail drill machine", + "high quality nail drill machine.", + "nude drill machine, high quality", + "nail drill machine, high quality" + ], + "i'm looking for an incredibly soft fleece throw blanket that is 50\" x 80\" in size.": [ + "50 x 80 soft fleece throw blanket", + "50 x 80 fleece throw blanket", + "50 x 80 throw blanket", + "soft fleece throw blanket 50 x 80", + "50 x 80 blanket", + "50 x 80 lightweight fleece throw blanket", + "50x 80 soft fleece throw blanket", + "soft fleece throw blanket", + "50 x 80 soft fleece throw blanket,", + "50 x 80" + ], + "i want a 18 inch by 18 inch cream blush throw pillow cover for my living room.": [ + "18 inch by 18 inch cream blush throw pillow cover for my living room", + "18 inch by 18 inch cream blush throw pillow cover for living room", + "18 inch by 18 inch cream blush throw pillow cover", + "18 inch by 18 inch cream blush throw pillow cover for the living room", + "18 inch by 18 inch cream blush throw pillow cover for living room.", + "18 inch by 18 inch cream blush throw pillow cover for a living room", + "18 inch by 18 inch cream blush throw pillow cover in my living room", + "18 inch by 18 inch cream blush throw pillow cover living room", + "18 inch x 18 inch cream blush throw pillow cover for my living room", + "18 inch by 18 inch cream blush throw pillow cover for dining room" + ], + "i'm looking for golden cupcake toothpick toppers.": [ + "golden cupcake toothpick toppers", + "gluten-free cupcake toothpick toppers", + "gluten-filled cupcake toothpick toppers", + "gluten free cupcake toothpick toppers", + "cupcake toothpick toppers golden", + "golden cupcake toothpick toppers.", + "yellow cupcake toothpick toppers", + "gold cupcake toothpick toppers", + "cupcake toothpick toppers that are golden", + "pink cupcake toothpick toppers" + ], + "i need lead free taper candles for my living room": [ + "lead free taper candles for my living room", + "lead free taper candles for living room", + "lead free taper candles living room", + "lead free taper candles for the living room", + "lead free taper candles", + "lead free taper candles in my living room", + "lead free taper candles for a living room", + "lead free taper candles in the living room", + "teeth free taper candles for living room", + "lead free taper candles, living room" + ], + "i am looking for some easy to assemble wall mounted rustic grey floating shelves.": [ + "wall mounted rustic grey floating shelves", + "easy to assemble rustic grey floating shelves", + "easy assemble wall mounted rustic grey floating shelves", + "floor mounted rustic grey floating shelves", + "easy to assemble rustic grey floating shelves.", + "wall mounted rustic grey floating shelves.", + "aluminum grey floating shelves", + "wall mounted rustic grey floating shelf", + "womens floating shelves", + "living room floating shelves" + ], + "i'm looking for off shoulder short sleeve tops t-shirt bodysuit jumpsuit.": [ + "off shoulder short sleeve tops t-shirt bodysuit", + "off shoulder short sleeve t-shirt bodysuit", + "t-shirt bodysuit jumpsuit", + "t-shirt bodysuit", + "t-shirt bodysuit jumpsuit below $40", + "t-shirt bodysuit jumpsuit below $50", + "shoes bodysuit jumpsuit", + "t-shirt bodysuit jumpsuit below $60", + "shoes bodysuit", + "ant-shoes bodysuit jumpsuit" + ], + "i want to find a television stand for my living room that is nature-colored with some grey as well.": [ + "tv stand for my living room that is nature-colored", + "tv stand for living room that is nature-colored", + "nature colored television stand for living room", + "tv stand for the living room that is nature-colored", + "nature colored television stand for living room that is nature-colored", + "natural colored television stand for living room that is nature-colored", + "natural colored television stand for living room", + "nature-colored television stand for living room", + "nature colored television stand for my living room", + "nature colored television stand" + ], + "i want a set of 2 mesh laundry bags with flamingos and leaves design.": [ + "2 mesh laundry bags with flamingos and leaves design", + "2 mesh laundry bags with flamingos and leaves", + "set of 2 mesh laundry bags with flamingos", + "two mesh laundry bags with flamingos and leaves design", + "two mesh laundry bags with flamingos and leaves", + " mesh laundry bags with flamingos and leaves design", + "4 mesh laundry bags with flamingos and leaves design", + "4 mesh laundry bags with flamingos and leaves", + " mesh laundry bags with flamingos and leaves", + "3 mesh laundry bags with flamingos and leaves design" + ], + "i'm on a low carb diet and i was recommended fried chicken skins chick n' skin - | delicious, low carb, high protein snacks, gluten free, msg free, made with organic chicken, 2 oz. per bag i want 8 bags": [ + "low carb diet fried chicken skins chick n skin", + "low carb diet fried chicken skins chick n skin 2 oz", + "low carb diet fried chicken skins chick n skin 2 oz.", + "low carb keto chicken skins chick n skin", + "fried chicken skins chick n skin", + "low carb diet fried chicken skins chick n skin, gluten free", + "low carb diet", + "fried chicken skins chick n skin", + "low carb keto chips chick n skin", + "low carb, high protein snacks" + ], + "i am looking for a pair of men's small gym shorts that are machine washable.": [ + "mens small gym shorts", + "mens small gym shorts machine washable", + "mens small gym shorts, machine washable", + "mens small gym shorts", + "mens small gym shorts machine washable", + "mens small gym shorts are machine washable", + "mens small gym shorts with machine washable", + "mens small gym shorts machine washable.", + "mens small gym shorts under $50", + "men small gym shorts" + ], + "i'm looking for a plug and play security system with motion detection. it should have an 8 channel dvr, 4 cameras, and a 1 terabyte hard disk.": [ + "plug and play security system with motion detection", + "plug and play security system with motion detection 8 channel dvr", + " plug and play security system with motion detection", + "plug and play security system with motion detection with a plug and play", + "pink and play security system with motion detection", + "plug and play security system with motion detection with 8 channel dvr", + "Plug and play security system with motion detection", + "plug and play security system with motion detection under $40", + "plug and play security system", + "pink and play security system" + ], + "i want to find 30-inch long hair extension braids in a pack of 6. the color needs to be #613.": [ + "30-inch long hair extension braids in a pack of 6", + "30-inch long hair extension braids in a pack of 6 color", + "30-inch long hair extension braids in a pack of 6 under $60", + "28-inch long hair extension braids in a pack of 6", + "30-inch long hair extension braids colored #613", + "30-inch long hair extension braids color #613", + "30-inch long hair extension braids", + "30-inch long hair extension braids under $60", + "hair extension braids in a pack of 6", + "rainbow colored hair extension braids pack of 6" + ], + "i am looking for a mini pc with an intel core i5 cpu.": [ + "mini pc with an intel core i5 cpu", + " mini pc with an intel core i5 cpu", + "mini pc with an intel core i5 cpu.", + "a mini pc with an intel core i5 cpu", + "tablet pc with an intel core i5 cpu", + "desktop mini pc with an intel core i5 cpu", + "mini pc i5 cpu", + " mini pc with an intel core i5 cpu.", + "mini pc with intel core i5 cpu", + "Mini pc with an intel core i5 cpu" + ], + "i am looking for a real fruit coconut and pineapple drink.": [ + "real fruit coconut and pineapple drink", + "fruit coconut and pineapple drink", + "vegan fruit coconut and pineapple drink", + "real fruit coconut and pineapple drink.", + "a real fruit coconut and pineapple drink", + "a real fruit coconut and pineapple drink.", + "natural fruit coconut and pineapple drink", + "fresh fruit coconut and pineapple drink", + "fruit coconut and pineapple drink under $40", + "apple coconut and pineapple drink" + ], + "i am looking for classic casual rubber sole soft walking slip-ons of size 10 with khaki lace up": [ + "classic casual rubber sole soft walking slip-ons of size 10", + "classic casual rubber sole walking slip-ons of size 10", + "classic casual walking slip-ons of size 10 with khaki lace up", + "classic casual rubber sole walking slip-ons size 10 with khaki lace up", + "classic casual rubber sole soft walking slip-ons", + "classic casual rubber sole walking slip-ons", + "classic casual rubber sole walking slip-ons of size 10 with khaki lace", + "classic casual rubber sole soft walking slip-ons size 10", + "classic casual walking slip-ons of size 10", + "classic casual walking slip-ons" + ], + "i want a green mattress solution 4-inch wood split low profile traditional box spring.": [ + "4-inch wood split low profile traditional box spring", + "green mattress solution 4 inches wood split low profile traditional box spring", + "green mattress 5-inch wood split low profile traditional box spring", + "green mattress solution 4-inch wood split low profile", + "4-inch wood split low profile traditional box spring green mattress", + "wood split low profile traditional box spring", + "green mattress solution 4 x 2", + "wood split low profile traditional box spring green mattress", + "green mattress solution 4 x 5 foot", + "green mattress" + ], + "i'm looking for 1.3 ounce sensible foods fat free fruit snacks with cherry berry flvour": [ + "1.3 ounce sensible foods fat free fruit snacks", + "fat free fruit snacks with cherry berry flvour", + "fat free fruit snacks cherry berry flvour 1.3 oz", + "stainless foods fat free fruit snacks cherry berry flvour", + "fat free fruit snacks cherry berry flvour 1.3 ounce", + "fat free fruit snacks cherry berry flvour", + "strawberry berry flvour fruit snacks", + "1.3 ounce fat free fruit snacks", + "stainless foods fat free fruit snacks", + "fruit snacks fat free" + ], + "i need a tv stand for my living room.": [ + "tv stand for living room", + "tv stand for my living room", + "tv stand for the living room", + "tv stand for living room.", + "tv stand living room", + "tv stand in my living room", + "tv stand for a living room", + "tv stand in the living room", + "tv stand in living room", + "tv stand" + ], + "i am looking for gray(new) color sofa bed that is easy to assemble.": [ + "gray(new) color sofa bed", + "gray sofa bed that is easy to assemble", + "gray sofa bed", + "gray (new) color sofa bed", + "gray sofa bed that is easy to assemble.", + "gray(new) sofa bed", + "gray sofa bed easy to assemble", + "gray(new) color sofa bed easy assemble", + "gray sofa bed easy assemble", + "womens gray sofa bed" + ], + "i'm looking for an anti aging facial roller in color f.": [ + "anti aging facial roller in color f", + "anti aging facial roller in color f.", + "anti aging facial roller color f", + "anti aging facial roller color f.", + "anti aging facial roller", + "anti aging facial roller, color f.", + "anti aging facial roller colored f.", + "anti aging facial roller f.", + "anti aging facial roller in color f,", + "anti aging facial roller colored f" + ], + "i want a wireless outdoor security camera with motion detection.": [ + "wireless outdoor security camera with motion detection", + "alarm security camera with motion detection", + "womens security camera with motion detection", + "living room security camera with motion detection", + "wireless outdoor security camera", + " wireless outdoor security camera with motion detection", + "wireless indoor security camera with motion detection", + "army outdoor security camera with motion detection", + "indoor security camera with motion detection", + "womens wireless outdoor security camera" + ], + "i need a black colored chandelier for my living room.": [ + "black colored chandelier for my living room", + "black colored chandelier for living room", + "black colored chandelier living room", + "black colored chandelier for living room.", + "black colored chandelier for the living room", + "black chandelier for living room", + "living room chandelier black", + "black colored chandelier", + "black chandelier for my living room.", + "black colored chandelier for a living room" + ], + "i want a 2.7 ounce stick of mitchum men triple odor defense anti-perspirant.": [ + "2.7 ounce stick of mitchum men triple odor defense anti-perspirant", + "mitchum men triple odor defense anti-perspirant 2.7 oz", + "two.7 ounce stick of mitchum men triple odor defense anti-perspirant", + "mitchum men triple odor defense anti-perspirant", + "mitchum men triple odor defense anti-perspirant 2.7 ounce", + "3.7 ounce stick of mitchum men triple odor defense anti-perspirant", + "2.7 ounce mitchum men triple odor defense anti-perspirant", + " 2.7 ounce stick of mitchum men triple odor defense anti-perspirant", + "1.7 ounce stick of mitchum men triple odor defense anti-perspirant", + "mens triple odor defense anti-perspirant 2.7 oz" + ], + "i am looking for an easy to use stainless steel green monocular telescope for a smartphone.": [ + "easy to use stainless steel green monocular telescope", + "stainless steel green monocular telescope for a smartphone", + "stainless steel monocular telescope for a smartphone", + "easy to use stainless steel monocular telescope for a smartphone", + "easy-to-use stainless steel green monocular telescope", + "yellow monocular telescope for a smartphone", + "stainless steel green monocular telescope", + "green monocular telescope for a smartphone", + "simple to use stainless steel green monocular telescope", + "easy to use stainless steel mobile phone telescope" + ], + "i am looking for a hair loss shampoo for damaged hair.": [ + "hair loss shampoo for damaged hair", + "hair loss shampoo for damaged hair.", + "hair loss shampoo for damaged air", + "hair loss shampoo for damaged hair under $40", + "hair loss shampoo for damaged hair under $50", + "hair loss shampoo for damaged hair under $60", + "hair loss shampoo for damaged human hair", + "hair loss shampoo for damaged hair under 50 dollars", + "hair loss shampoo for damaged hair below $40", + "hair loss shampoo for damaged hair under 30 dollars" + ], + "i would like steel frame drafting tables": [ + "steel frame drafting tables", + "steel frame drafting tables steel frame", + "steel frame drafting tables under $50", + "steel frame drafting tables under $40", + "steel frame drafting tables for steel frame", + "steel frame drafting tables under $60", + "brushed drafting tables steel frame", + "steel frame drafting table", + "steel frame drafting tables,", + " steel frame drafting tables" + ], + "i need a easy to use hdmi display adapter with high definition.": [ + "easy to use hdmi display adapter", + "hdmi display adapter", + "easy to use hdmi display adapter high definition", + "hdmi display adapter with high definition", + "hdmi display adapter that is easy to use", + "high definition hdmi display adapter", + "5 ft hdmi display adapter", + "low definition hdmi display adapter", + "home theater hdmi display adapter", + "living room hdmi display adapter" + ], + "i am interested in a media player that has batteries included.": [ + "media player with batteries", + "media player that has batteries", + "multimedia player with batteries", + "tv media player with batteries", + "a media player with batteries", + "the media player with batteries", + "medium media player with batteries", + "tv player with batteries", + " media player with batteries", + "media player with batteries included" + ], + "i want a 0.75 ounce soft peach foundation that is paraben free.": [ + "soft peach foundation that is paraben free", + "1.75 ounce soft peach foundation", + "soft peach foundation", + "soft peach foundation, paraben free", + "soft peach foundation paraben free", + "soft peach foundation that is paraben free.", + "0.75 ounce soft peach foundation", + "pomegranate foundation paraben free", + "pomegranate foundation", + "3.75 ounce soft peach foundation" + ], + "i want a 150 watt black speaker that is heavy duty.": [ + "150 watt black speaker heavy duty", + "150 watt black speaker", + "150 watt black speaker with heavy duty", + "150 watt black speaker under $40", + "150 watt black speaker, heavy duty", + "150 watt black speaker under $60", + " 150 watt black speaker heavy duty", + "150 watt black speaker heavy duty.", + "150 watt black speaker under $50", + "heavy duty black speaker 150 watt" + ], + "i need a three pack deodorant that is made for sensitive skin": [ + "three pack deodorant for sensitive skin", + "three pack deodorant made for sensitive skin", + "three pack deodorant", + "three pack deodorant, made for sensitive skin", + "three pack deodorant sensitive skin", + "three pack deodorant for sensitive skin three pack", + "3 pack deodorant made for sensitive skin", + "3 pack deodorant for sensitive skin", + "three pack deodorant with sensitive skin", + "three pack deodorant made for sensitive skin," + ], + "i want to find a pair of small, navy-colored active shorts for men that are machine washable.": [ + "small, navy-colored active shorts for men", + "small, navy-colored active shorts", + "small navy-colored active shorts for men", + "navy-colored active shorts for men", + "small navy-colored active shorts", + "small, navy-colored active shorts, machine washable", + "navy-colored active shorts", + "sneakers small, navy-colored active shorts", + "small active shorts for men", + "navy colored active shorts" + ], + "i'm looking for a pair of pink wireless bluetooth headphones with stereo sound.": [ + "pink wireless bluetooth headphones with stereo sound", + "pink wireless bluetooth headphones", + "pair of pink wireless bluetooth headphones", + "two pink wireless bluetooth headphones with stereo sound", + "pink wireless bluetooth headphones, stereo sound", + "pair of pink wireless bluetooth wireless headphones", + "pink wireless bluetooth wireless headphones", + "two pink wireless bluetooth headphones", + "pink wireless bluetooth headphones with stereo", + "blue wireless bluetooth headphones" + ], + "i want xx-large fabiurt loose fit plus size tops for women.": [ + "xxl fabiurt loose fit plus size tops", + "xx-large fabiurt loose fit plus size tops", + "xxl fabiurt plus size tops for women", + "xx-large fabiurt plus size tops for women", + " xx-large fabiurt loose fit plus size tops", + "xxl fabiurt loose fit plus size tops women", + "xx-large fabiurt women size tops", + "xxl fabiurt plus size tops", + "xxl fabiurt loose fit plus size", + "xx-large fabiurt plus size tops" + ], + "i want a pair of 50 by 108 inch red pink peach window panels for my living room.": [ + "50 by 108 inch pink peach window panels", + "window panels 50 by 108 inch", + "red pink peach window panels for living room", + "window panels for living room", + "red pink peach window panels", + "pomegranate window panels", + "window panels 50 by 108 inch red pink", + "window panels 50 by 108 inch pink", + "window panels 50 by 108 inches", + "window panels" + ], + "i want to find an office chair that offers lumbar support. i also want to be able to adjust the height.": [ + "office chair that offers lumbar support", + "office chair with lumbar support", + "office chair lumbar support", + "office chair that offers lumbar support.", + "office chair that is lumbar support", + "office chair, lumbar support", + "office chair with lumbar support.", + "office chair lumbar support", + "office chair", + "office chair height" + ], + "i want to find gluten free mango salsa that is bacon habanero flavored.": [ + "gluten free mango salsa that is bacon habanero flavored", + "pomegranate salsa that is bacon habanero flavored", + "mango salsa that is bacon habanero flavored", + "gluten free mango salsa bacon habanero flavored", + "vegan mango salsa that is bacon habanero flavored", + "gluten free mango salsa, bacon habanero flavored", + "gluten free mango salsa with bacon habanero flavored", + "gluten free and zero sugar pomegranate salsa", + "gluten free mango salsa", + "gluten free mango salsa with bacon habanero flavor" + ], + "i am looking for dark green color phone case cover which is dust proof.": [ + "dark green color phone case cover", + "dark green color phone case cover, dust proof", + "dark green color phone case cover with dust proof", + "dark green phone case cover which is dust proof", + "dark green phone case cover that is dust proof", + "dark green phone case cover, dust proof", + "dark green color phone case cover dust proof", + "dark green phone case cover", + "dark green color phone case cover dust proof", + "dark green color phone case cover under $40" + ], + "i am looking for space saving espresso color bed.": [ + "space saving espresso color bed", + "space saving espresso color bed.", + "espresso color bed", + "a space saving espresso color bed", + "espresso color bed.", + "espresso color bed space saving", + "living room espresso color bed", + "black espresso color bed", + "alarm color bed space saving", + "white espresso color bed" + ], + "i want a 10 by 7 ft a16 photo background that is light weight.": [ + "10 by 7 ft a16 photo background", + "10 by 7 ft a16 photo background light weight", + "10 x 7 ft a16 photo background", + "10 by 7 ft photo background that is light weight", + "10 by 7 ft photo background", + "10x 7 ft a16 photo background", + "10 by 7 ft photography background", + "10 by 7 ft black photo background", + "10 by 7 ft", + "10x 7 ft photo background" + ], + "look for it in stock. dustproof case for ps5, anti-dust cover dust plugs hdmi usb interface for ps5 console with 10pcs silicone ps5 controller joystick grips, sky pink": [ + "dustproof case for ps5 with 10pcs silicone ps5 controller joystick grips", + "ps5 dustproof case with 10pcs silicone ps5 controller joystick grips", + "ps5 case with 10pcs silicone ps5 controller joystick grips, sky pink", + "dustproof case ps5 with 10pcs silicone ps5 controller joystick grips", + "ps5 case with 10pcs silicone ps5 controller joystick grips", + "ps5 gaming case with 10pcs silicone ps5 controller joystick grips", + "ps5 dustproof case", + "ps5 dustproof case, hdmi usb interface", + "ps5 dustproof case in stock", + "dustproof case for ps5" + ], + "i'm looking for oil free hair conditioner that offers a cruelty free certification.": [ + "oil free hair conditioner with cruelty free certification", + "oil free hair conditioner", + "oil free hair conditioner with a cruelty free certification", + "oil free hair conditioner that is cruelty free", + "an oil free hair conditioner with cruelty free certification", + "hair conditioner that offers a cruelty free certification", + "oil free hair conditioner, cruelty free", + "cruelty free hair conditioner", + "hair conditioner that offers a cruelty free certification.", + "oil free hair conditioner with cruelty free certification." + ], + "i am looking for power cord outlet socket cable plug for wireless bluetooth speakers.": [ + "power cord for bluetooth speakers", + "power cord bluetooth speakers", + "power cord to bluetooth speakers", + "power cord to plug bluetooth speakers", + "power cord for bluetooth speakers.", + "power cord plug for bluetooth speakers", + "power cord with bluetooth speakers", + "power cord, bluetooth speakers", + "power cord charging bluetooth speakers", + "power cord for bluetooth speakers," + ], + "i am looking for a high quality and easy to clean tongue cleaner.": [ + "tongue cleaner", + "easy clean tongue cleaner", + "lip cleaner that is high quality", + "tongued tongue cleaner", + "tongor cleaner", + "easy to clean tongue cleaner", + "tempered tongue cleaner", + "tongue cleaner high quality", + "tongor cleaner high quality", + "lip cleaner" + ], + "i would like a pair of 36 regular cut off white bull denim shorts that are machine washable.": [ + "man washable white bull denim shorts", + "woman washable white bull denim shorts", + "white bull denim shorts machine washable", + "blue denim shorts machine washable", + "shoes that are machine washable", + "white bull denim shorts", + "shoes 36 regular washable", + "blue denim shorts", + "barbecue shorts", + "blue jeans" + ], + "i want to find an open-toed pair of women's fashion wedges in a wide size 11. they should be khaki colored.": [ + "womens fashion wedges in a wide size 11", + "open-toed pair of womens fashion wedges", + "open-toed womens fashion wedges in a wide size 11", + "womens fashion wedges in a wide size 11.", + "womens fashion wedges 11 khaki colored", + "womens fashion wedges size 11 khaki colored", + "womens fashion wedges wide size 11", + "knee wedges in a wide size 11", + "womens fashion wedges", + "womens fashion wedges x 11" + ], + "i need a long lasting organic deodorant.": [ + "long lasting organic deodorant", + "long lasting organic deodorant.", + "long lasting organic deodorant under $40", + "organic deodorant long lasting", + "long lasting organic deodorant under $50", + "long lasting organic deodorant under $60", + "long lasting organic deodorant under 30 dollars", + "long lasting organic deodorant under 50 dollars", + "long lasting organic deodorant under 60 dollars", + "natural deodorant long lasting" + ], + "i want gluten free lang's chocolates milk chocolate dessert cups.": [ + "langs chocolates milk chocolate dessert cups gluten free", + "langs chocolates milk chocolate dessert cups", + "gluten free langs chocolates milk chocolate dessert", + "low sugar langs chocolates milk chocolate dessert cups", + "gluten free langs chocolates chocolate dessert cups", + "gluten free chocolates milk chocolate dessert cups", + "almond chocolates milk chocolate dessert cups gluten free", + "gluten free langs chocolates milk chocolate", + "langs chocolates milk chocolate dessert cups.", + "gluten free langs chocolate dessert cups" + ], + "i am looking for travel size pump bottles with lotion nozzles.": [ + "travel size pump bottles with lotion nozzles", + "pump bottles with lotion nozzles", + "vanity size pump bottles with lotion nozzles", + " travel size pump bottles with lotion nozzles", + "Travel size pump bottles with lotion nozzles", + "pump bottles with lotion nozzles travel size", + "pink pump bottles with lotion nozzles", + "portable pump bottles with lotion nozzles", + "travel size pump bottles with lotion nozzles.", + "pump bottle with lotion nozzles" + ], + "i want to order a bottle of shampoo with coconut oil for dry, damaged hair.": [ + "shampoo with coconut oil for dry, damaged hair", + "bottle of shampoo with coconut oil for dry, damaged hair", + "shampoo with coconut oil for dry, damaged hair.", + "bottle of shampoo with coconut oil for dry, damaged hair.", + "shampoo with coconut oil for dry, damaged hair under $40", + "shampoo with coconut oil for dry, damaged human hair", + "shampoo with coconut oil for dry, damaged air", + "shampoo with coconut oil for dry, damaged hair under $60", + "shampoo with coconut oil for dry, damaged hair under $50", + "sneakers with coconut oil for dry, damaged hair" + ], + "find set of 2 medium pig astronaut-1 mesh laundry bags and 1 small laundry bag, i will give as a gift at a kitchen shower": [ + "2 medium pig astronaut-1 mesh laundry bags", + "medium pig astronaut-1 mesh laundry bags and 1 small laundry bag", + "set of 2 medium pig astronaut-1 mesh laundry bags", + "2 medium pig astronaut-1 mesh laundry bags for kitchen shower", + "two medium pig astronaut-1 mesh laundry bags", + "2 medium pig astronaut-1 mesh laundry bags under $50", + "medium pig astronaut-1 mesh laundry bags", + "1 mesh laundry bags", + "set of 2 medium pig astronaut", + "small laundry bag" + ], + "i am in need of 5 sets happy birthday cake toppers": [ + "5 sets happy birthday cake toppers", + "5 happy birthday cake toppers", + "5 sets of happy birthday cake toppers", + "5 set happy birthday cake toppers", + "5 birthday cake toppers", + "5 baby shower cake toppers", + "5-set happy birthday cake toppers", + "5 happy birthday cake toppers under $50", + "5 happy birthday cake toppers under $40", + "5 happy birthday cake toppers under 50 dollars" + ], + "i'm looking for a rolling cart offering 3 levels that is made with a steel frame and is painted black.": [ + "roller cart 3 levels made with a steel frame painted black", + "roller cart 3 levels painted black", + "rolling cart 3 levels made with a steel frame painted black", + "roller cart 3 levels made with a steel frame", + "Rolling cart 3 levels painted black", + "rolling cart 3 levels painted black", + "Rolling cart 3 levels made with a steel frame", + "rolling cart 3 levels made with a steel frame", + "a rolling cart with 3 levels painted black", + "rolling cart with a steel frame painted black" + ], + "i'm looking for a 6 foot long, high performance coaxial cable": [ + "6 foot long high performance coaxial cable", + "6 foot long, high performance coaxial cable", + "8 foot long, high performance coaxial cable", + "coaxial cable 6 foot long", + "8 foot long high performance coaxial cable", + "6 foot long low performance coaxial cable", + "tunnel cable 6 foot long", + "high performance coaxial cable", + "6 foot long cable", + "6 foot long high performance cable" + ], + "i am looking for a wall art of size 36\" x 24'' x 2 for my living room.": [ + "wall art of size 36 x 24 x 2", + "wall art size 36 x 24 x 2", + "living room wall art size 36 x 24 x 2", + "wall art of size 36 x 24 x 2 living room", + "size 36 x 24 x 2 wall art", + "wall art 36 x 24 x 2 for my living room", + "wall art 36 x 24 x 2", + "art of size 36 x 24 x 2", + "28 x 24 x 2 wall art", + "living room wall art" + ], + "i want a 10 piece of green brush set for synthetic hair.": [ + "10 piece of green brush set for synthetic hair", + "10 piece green brush set for synthetic hair", + "10 piece of green brush set", + "green brush set for synthetic hair", + "8 piece of green brush set for synthetic hair", + "green brush set for synthetic hair.", + "10 piece green brush set for synthetic hair.", + "10 piece of green brush set synthetic hair", + "10 piece of green brush", + "yellow synthetic hair brush" + ], + "i want a core i5 tablet.": [ + "core i5 tablet", + " core i5 tablet", + "core i5 tablet.", + "curtains i5 tablet", + "core i5 tablet under $130", + " core i5 tablet.", + "core i5 tablet under $120", + "core i5 tablet under $50", + "Core i5 tablet", + "the core i5 tablet" + ], + "i am looking for cognac zebra color women's sneaker having rubber sole.": [ + "curtains zebra color womens sneaker with rubber sole", + "curtains zebra color womens sneaker having rubber sole", + "casualac zebra color womens sneaker with rubber sole", + "casualac zebra color womens sneaker having rubber sole", + " cognac zebra color womens sneaker having rubber sole", + " cognac zebra color womens sneaker with rubber sole", + "ac zebra color womens sneaker having rubber sole", + "vacac zebra color womens sneaker having rubber sole", + "ac zebra color womens sneaker with rubber sole", + "curtains zebra color womens sneaker" + ], + "i need some noise cancelling headphones": [ + "noise cancelling headphones", + " noise cancelling headphones", + "pink noise cancelling headphones", + "non noise cancelling headphones", + "sound cancelling headphones", + "noise cancelling headphones under $40", + "clinically cancelling headphones", + "noise cancelling headphones under $50", + "noise cancelling headphones under $60", + " noise cancelling headphones under $40" + ], + "i am looking for 2 easy to assemble grey barstools.": [ + "easy to assemble grey barstools", + "2 easy to assemble grey barstools", + "grey barstools 2 easy to assemble", + "grey barstools easy to assemble", + "easy assemble grey barstools", + "grey barstools", + "easy to assemble grey barstools.", + "3 easy to assemble grey barstools", + "two easy to assemble grey barstools", + "grey barstools easy assemble" + ], + "i need a five pack of three foot hdmi cables that support 1080p and are gold plated.": [ + "three pack of hdmi cables that support 1080p", + "5 pack of three foot hdmi cables", + "5 pack of hdmi cables that support 1080p", + "three pack hdmi cables that support 1080p", + "three pack of hdmi cables", + "three foot hdmi cables that support 1080p", + "5 pack hdmi cables that support 1080p", + "5 pack of hdmi cables", + "three pack hdmi cables", + "hdmi cables that support 1080p" + ], + "i want a 4 ounce bag of bbq jerky that is high in protein.": [ + "4 ounce bag of bbq jerky high in protein", + "4 ounce bag of bbq jerky", + "bag of bbq jerky high in protein", + "bag of bbq jerky that is high in protein", + "4 ounce bag of bbq jerky with protein", + "4 ounce bag bbq jerky high in protein", + "4 ounce bbq jerky high in protein", + "4 ounce bag of bbq jerky in protein", + "4 ounce bag of bbq jerky fat free", + "4 ounce bag of bbq jerky with high protein" + ], + "i want to find vintage men's jeans with a regular, but still comfortable, fit. the jeans should be 38 inches in width and 36 inches in length and be river denim in color.": [ + "vintage mens jeans 38 inches in width and 36 inches in length", + "pink mens jeans 38 inches in width and 36 inches in length", + "vintage mens jeans with a regular, but still comfortable, fit", + "classic mens jeans 38 inches in width and 36 inches in length", + "tv jeans 38 inches in width and 36 inches in length", + "jeans 38 inches in width and 36 inches in length", + "pink mens jeans with a regular, but still comfortable, fit", + "vintage mens jeans", + "pink mens jeans", + "classic mens jeans" + ], + "help me find this model today: eldof women peep toe pump medium heel, rubber sole, brown color and size 8.5 . i'm giving up on finding it so much i've searched.": [ + "eldof women peep toe pump medium heel, rubber sole and size 8.5", + "eldof women peep toe pump medium heel, rubber sole, brown color", + "eldof women peep toe pump medium heel, rubber sole, brown color,", + "electric woman peep toe pump medium heel, rubber sole, brown color and size 8.5", + "eldof women peep toe pump medium heel with a brown color and size 8.5", + "eldof women peep toe pump medium heel with a brown color", + "eldof women peep toe pump medium heel in a brown color", + "eldof women peep toe pump medium heel, rubber sole, brown", + "eldof women peep toe pump medium heel, rubber sole", + "eldof women peep toe pump medium heel" + ], + "i'd like a three piece bikini set for a teen girl. i need it in purple, size xx large.": [ + "three piece bikini set for a teen girl size xx large", + "three piece bikini set for a teen girl", + "three piece bikini set for a teen girl in purple", + "3 piece bikini set for a teen girl size xx large", + "three piece bikini set for a teen girl xx large", + "3 piece bikini set for a teen girl", + "3 piece bikini set for a teen girl in purple", + "three piece bikini set size xx large", + "three piece bikini set", + "three piece bikini set in purple" + ], + "i'm looking for clinically proven, anti-aging body oil in a package of 3 of .85 fl oz bottles.": [ + "anti-aging body oil 3 of .85 fl oz bottles", + "anti-aging body oil package of 3 of .85 fl oz bottles", + "anti-aging body oil 3 of .85 fl oz", + "anti-aging body oil, 3 of .85 fl oz bottles", + "anti-aging body oil 3 oz bottles", + "anti-aging body oil package of 3 of .85 fl oz", + "clinically proven, anti-aging body oil", + "clinically proven anti-aging body oil", + "anti-aging body oil, 3 of .85 fl oz bottles,", + "anti-aging body oil" + ], + "i want black cooki heeled open toe sandals for women.": [ + "black cooki heeled open toe sandals for women", + "black cooki heeled open toe sandals", + "cooki heeled open toe sandals for women", + "cooki heeled open toe sandals for women.", + "white cooki heeled open toe sandals for women", + "black cooki heeled open toe sandals,", + "cooki heeled open toe sandals", + "black cooki toe sandals for women", + "open toe sandals for women", + "blanket sandals for women" + ], + "i want to find canvas wall art that is 30x60 inches in dimension. i want it to be poppy colored and it should be suitable for my dining room.": [ + "art 30x60 inches in dimension", + "portrait wall art 30x60 inches", + "rainbow colored wall art 30x60 inches", + "rainbow color wall art 30x60 inches", + "28x60 canvas wall art", + "projection wall art 30x60 inches", + "art 30x60 inches", + "rainbow colored wall art", + "rainbow colored canvas wall art", + "portrait wall art" + ], + "i need a space saving table for my dining room in espresso.": [ + "living room table", + "living room table that is space saving", + "living room table in espresso", + "living room space saving table", + "living room table with space saving table", + "living room space saving table in espresso", + "living room dining room table", + "living room dining table in espresso", + "living room table, space saving table", + "white dining room table" + ], + "i would like a medium gray henley with short sleeves.": [ + "medium gray henley with short sleeves", + "medium gray henley short sleeves", + "medium gray henley long sleeves", + "medium gray henley with short sleeves.", + "medium gray henley short sleeves under $40", + "medium gray henley short sleeves under $50", + "medium gray henley, short sleeves", + "medium gray henley short sleeves under $60", + "medium gray henley short sleeves under 50 dollars", + "large gray henley with short sleeves" + ], + "i need a clear, eco-friendly 6.7 ounce spray bottle.": [ + "6.7 ounce spray bottle eco-friendly", + "6.7 ounce spray bottle", + "eco-friendly 6.7 ounce spray bottle", + "8.7 ounce spray bottle", + "8.7 ounce spray bottle eco-friendly", + "4.7 ounce spray bottle eco-friendly", + "4.7 ounce spray bottle", + "6.7 ounce spray bottle.", + "6.7 ounce spray bottle eco friendly", + "5 ounce spray bottle" + ], + "i am looking for kosher certified premium gourmet spices of european chicken seasoning -12 oz": [ + "kosher certified premium gourmet spices of european chicken seasoning -12 oz", + "chocolate certified premium gourmet spices of european chicken seasoning -12 oz", + "keto certified premium gourmet spices of european chicken seasoning -12 oz", + "cruelty certified premium gourmet spices of european chicken seasoning -12 oz", + "kosher certified premium gourmet spices of european chicken seasoning 12 oz", + "pink certified premium gourmet spices of european chicken seasoning -12 oz", + "kosher certified premium gourmet spices of european chicken seasoning-12 oz", + "kosher certified gourmet spices of european chicken seasoning -12 oz", + "cosher certified premium gourmet spices of european chicken seasoning -12 oz", + "kosher certified premium gourmet spices of european chicken seasoning" + ], + "buy me a heart flavored tea without caffeine": [ + "heart flavored tea without caffeine", + "heart flavored tea with caffeine", + "heart flavored tea no caffeine", + "heart flavored tea", + "Heart flavored tea without caffeine", + "tea with caffeine", + "Heart flavored tea with caffeine", + "tea without caffeine", + "Heart flavored tea no caffeine", + "heart flavored tea natural" + ], + "i'm locking for blueberry lavender flavored almond beverage.": [ + "blueberry lavender flavored almond beverage", + "blueberry lavender flavored almond beverage.", + "blueberry lavender flavored almond beverage under $40", + "blueberry lavender flavored almond beverage under $60", + "blueberry lavender flavored almond beverage under $50", + "blueberry lavender flavored almond beverage under 50 dollars", + "blueberry lavender flav almond beverage", + "blueberry lavender flavored almond drink", + "blueberry lavender flavored almond beverage no sugar", + "blueberry lavender almond beverage" + ], + "i am interested in non gmo puffed snacks": [ + "non gmo puffed snacks", + "non gmo puffed snacks under $40", + "non-gmo puffed snacks", + "non gmo puffed snacks under $50", + "non gmo puffed snacks under $60", + "non gmo puffed snacks under 50 dollars", + "non gmo puffed snacks non gmo", + "non gmo puffed snacks under 30 dollars", + "non gmo puffed snacks under 40 dollars", + "non gmo puffed snacks under 60 dollars" + ], + "i'm looking for a multi-color cuxweot custom blanket for the living room that is super soft and can be used as a fleece throw.": [ + "multi-color cuxweot custom blanket for the living room", + "cuxweot custom blanket for the living room", + " multi-color cuxweot custom blanket for the living room", + "Multi-color cuxweot custom blanket for the living room", + "single-color cuxweot custom blanket for the living room", + "multi-color cuxweot custom blanket for living room", + "mult-color cuxweot custom blanket for the living room", + "multi-color cuxweot blanket for the living room", + "single color cuxweot custom blanket for the living room", + "multi-color cuxweot custom blanket" + ], + "i'm locking for a lip sleeping mask.": [ + "lip sleeping mask", + "lip sleeping mask.", + "lip sleeping mask lip sleeping mask", + "lip sleeping mask under $50", + "lip sleeping mask under $40", + "lip sleeping mask for lip sleeping", + "lip sleeping mask under $60", + "lip sleeping mask, lip sleeping", + "lip sleeping mask lip sleeping", + "lip sleeping mask," + ], + "i want gluten free shangri-la tea company organic green tea bags.": [ + "gluten free shangri-la tea", + "shangri-la tea company organic green tea bags", + "gluten free shangri-la tea bags", + "gluten free shangri-la tea mix", + "gluten free shangri-la tea bag", + "gluten free shangri-la tea tea", + "gluten free shangri-la tea tea bags", + "shangri-la tea company organic green tea bags.", + "shangri-la tea", + "gluten free tea bags" + ], + "i want a sulfate free shampoo & conditioner set with biotin scent": [ + "sulfate free shampoo & conditioner set", + "sulfate free shampoo and conditioner set", + "sulfate free shampoo conditioner set with biotin scent", + "sulfate free shampoo & conditioner set with biotin", + "silate free shampoo & conditioner set with biotin scent", + "sulfate free shampoo with biotin scent", + "shampoo & conditioner set with biotin scent", + "sulfate free shampoo & conditioner set under $40", + "sulfate free shampoo & conditioner", + "sulfate free shampoo" + ], + "i need straight leg jeans that are 56w by 30l": [ + "straight leg jeans 56w by 30l", + "straight leg jeans that are 56w by 30l", + "56w by 30l straight leg jeans", + "straight leg jeans, 56w by 30l", + "straight leg jeans size 56w by 30l", + "straight leg jeans 56w x 30l", + "brushed leg jeans 56w by 30l", + "straight leg jeans that are 56w x 30l", + "straight leg jeans with 56w by 30l", + "straight leg jeans" + ], + "i'm looking for a certified organic castor oil. choose the ones that come in 16 oz package.": [ + "12 oz certified organic castor oil", + "16 oz certified organic castor oil", + "organic castor oil 16 oz package", + "aluminum castor oil 16 oz package", + "natural castor oil 16 oz package", + "8 oz certified organic castor oil", + "17 oz certified organic castor oil", + "12 oz castor oil", + "16 oz castor oil", + "12 oz castor oil 16 oz package" + ], + "i need a medium sized board shorts with a elastic waistband.": [ + "medium sized board shorts with a elastic waistband", + "medium size board shorts with a elastic waistband", + "medium sized board shorts with elastic waistband", + "medium sized board shorts elastic waistband", + "medium shorts with a elastic waistband", + "medium sized board shorts with an elastic waistband", + "medium sized board shorts, elastic waistband", + "medium length board shorts with a elastic waistband", + "medium size board shorts with elastic waistband", + "medium sized board shorts with a waistband" + ], + "lasgoos design natural look lightweight reusable false eyelashes eye makeup 11/5 pairs/box (a10) find it and tell me": [ + "lasgoos natural look lightweight reusable false eyelashes eye makeup 11/5 pairs/box (a10) find it and tell me", + "lasgoos natural look lightweight reusable false eyelashes eye makeup 11/5 pairs/box (a10), find it and tell me", + "lasgoos natural look lightweight reusable false eyelashes eyes makeup 11/5 pairs/box (a10) find it and tell me", + "lasgoos lightweight reusable false eyelashes eye makeup 11/5 pairs/box (a10) find it and tell me", + "lasgoos natural look lightweight reusable false eyelashes eye makeup 11/5 pairs/box", + "lasgoos natural look lightweight reusable false eyelashes eye makeup 11/5 pairs", + "lasgoos natural look lightweight reusable false eyelashes eye makeup 11/5 pairs/box (a10)", + "alarm makeup 11/5 pairs/box (a10) find it and tell me", + "lasgoos natural look lightweight reusable false eyelashes eye makeup 11/5", + "lasgoos natural look lightweight reusable false eyelashes eye makeup" + ], + "i want to find machine washable curtains for my living room in the color 5.": [ + "machine washable curtains for my living room in the color 5", + "machine washable curtains for living room in the color 5", + "machine washable curtains for the living room in the color 5", + "machine washable curtains for my living room color 5", + "machine washable curtains for living room in the color 5.", + "man washable curtains for my living room in the color 5", + "machine washable curtains for a living room in the color 5", + "machine washable curtains for my living room color 5.", + "machine washable curtains for the living room color 5", + "machine washable curtains for living room color 5" + ], + "i am looking for smart bands of size 40mm and are easy to install.": [ + "smart bands of size 40mm", + "smart bands size 40mm", + "smart bands in size 40mm", + "smart bands 40mm easy to install", + "smart bands 40mm", + "smart bands, size 40mm", + "smart band of size 40mm", + "smart bands that are size 40mm", + "smart band size 40mm", + "smart bands" + ], + "i'm looking for a keto friendly hot cocoa mix in dark chocolate flavor.": [ + "keto friendly hot cocoa mix in dark chocolate flavor", + "keto friendly hot cocoa mix dark chocolate flavor", + "keto friendly hot cocoa mix in dark chocolate flavor", + "keto friendly hot cocoa mix with dark chocolate flavor", + "keto friendly hot cocoa mix chocolate flavor", + " keto friendly hot cocoa mix in dark chocolate flavor", + "keto friendly hot cocoa mix, dark chocolate flavor", + "keto friendly hot cocoa mix", + "keto friendly hot cocoa mix in dark chocolate", + "keto friendly hot cocoa mix in chocolate flavor" + ], + "i'm looking for some highly pigmented, long lasting eye shadow in color \"c.\"": [ + "pink pigmented, long lasting eye shadow", + "lip pigmented, long lasting eye shadow in color c", + "highly pigmented, long lasting eye shadow in color c", + "pink pigmented eye shadow in color c", + "pigmented, long lasting eye shadow in color c", + "high pigmented, long lasting eye shadow in color c", + "pink pigmented, long lasting eye shadow in color", + "pink pigmented, long lasting eye shadow color c", + "pink pigmented eye shadow", + "lip pigmented, long lasting eye shadow" + ], + "i want green comfy womens closed toe clogs shoes.": [ + "green comfy womens closed toe clogs shoes", + "green comfy womens closed toe clogs shoes.", + "green comfy womens closed toe clogs", + "green comfy womens closed toe clogs walking shoes", + "i want green comfy womens closed toe clogs shoes.", + "green comfy womens closed toe clogs shoe", + "green comfy womens closed toe clogs shoes,", + "green comfy womens closed toe clogs shoes under $50", + "green comfy womens closed toe clogs shoes under $40", + "green comfy womens closed toe clogs shoes under $60" + ], + "i want a blue toothbrush for sensitive teeth.": [ + "blue toothbrush for sensitive teeth", + "blue toothbrush for sensitive teeth.", + "blue toothbrush for sensitive teeth under $40", + "blue toothbrush for sensitive teeth under $50", + "blue toothbrush for sensitive teeth under $60", + "blue teethbrush for sensitive teeth", + "blue toothbrush for sensitive teeth,", + "blue toothbrush for sensitive teeth under 50 dollars", + "blue toothbrush sensitive teeth", + "blue toothbrush for sensitive teeth below $40" + ], + "i would like a pair of size 9 white synthetic leather clogs with a synthetic sole.": [ + "white synthetic leather clogs with a synthetic sole", + "white synthetic leather clogs", + "pair of size 9 white synthetic leather clogs", + "white synthetic leather clogs with synthetic sole", + "white synthetic leather clogs size 9", + "white synthetic leather clogs with synthetic sole size 9", + "two white synthetic leather clogs with a synthetic sole", + "white synthetic leather clogs size 9 synthetic sole", + "size 9 white synthetic leather clogs", + "a pair of size 9 white synthetic leather clogs" + ], + "i want a navy blue biedori womens casual long sleeve dress.": [ + "navy blue biedori womens casual long sleeve dress", + " navy blue biedori womens casual long sleeve dress", + "a navy blue biedori womens casual long sleeve dress", + "womens casual long sleeve dress navy blue", + "navy blue biedori womens long sleeve dress", + "sworn blue biedori womens casual long sleeve dress", + "womens casual long sleeve dress", + "navy blue biedori womens casual long sleeves dress", + "womens casual long sleeve dress, navy blue", + "womens casual long sleeve dress. navy blue" + ], + "i want a 8.5 fl oz of mizani true textures cream cleansing conditioner with coconut oil.": [ + "mizani true textures cream cleansing conditioner with coconut oil", + "8.5 fl oz of mizani true textures cream cleansing conditioner", + "8.5 fl oz mizani true textures cream cleansing conditioner with coconut oil", + "mizani true textures cream cleansing conditioner with coconut oil 8.5 fl oz", + "mizani true textures cream cleansing conditioner with coconut oil 8.5 oz", + "mizani true textures cream cleansing conditioner", + "8.5 oz of mizani true textures cream cleansing conditioner with coconut oil", + "mizani true textures cream cleansing conditioner with coconut oil, 8.5 oz", + "8 oz mizani true textures cream cleansing conditioner with coconut oil", + "mizani true textures cream cleansing conditioner with coconut oil 8 oz" + ], + "i am looking for chocolate chip flavor non gmo cookies.": [ + "chocolate chip flavor non gmo cookies", + "chocolate chip flavor non gmo cookies.", + "chocolate chips flavor non gmo cookies", + "chocolate chip flavor no gmo cookies", + "chocolate chip flavor non-gmo cookies", + "non gmo cookies chocolate chip flavor", + "ocolate chip flavor non gmo cookies", + "chocolate chip flavor gmo cookies", + " chocolate chip flavor non gmo cookies", + "chocolate chip flavor" + ], + "i am looking for rocky mount color slim fit jeans.": [ + " rocky mount color slim fit jeans", + "rocket color slim fit jeans", + "rocky mount color slim fit jeans", + "rocketing mount color slim fit jeans", + "rocked mount color slim fit jeans", + " rocky mount color slim fit jeans.", + "shoes slim fit jeans", + "shoes slim fit", + "rink mount color slim fit jeans", + "rock rocky mount color slim fit jeans" + ], + "i'm looking for a dvd recorder that features stereo sound.": [ + "dvd recorder with stereo sound", + "dvd recorder that features stereo sound", + "duck recorder with stereo sound", + "digital dvd recorder with stereo sound", + "duck recorder that features stereo sound", + "dvd recorder", + "dvd recorder with stereo sound.", + "dual dvd recorder", + "sound dvd recorder", + "duck recorder" + ], + "i want a bookshelf for my living room.": [ + "bookshelf for my living room.", + "bookshelf for my living room", + "wooden bookshelf for living room", + "bookshelf for living room", + "6 ft bookshelf for living room", + "sneakers for living room", + "Bookshelf for my living room", + "Bookshelf for living room", + "teenshelf for my living room", + "pocket bookshelf for my living room" + ], + "i am looking for a steel frame storage tower in the color dark gray.": [ + "steel frame storage tower in the color dark gray", + "steel frame storage tower dark gray", + " steel frame storage tower in the color dark gray", + "steel frame storage tower, dark gray", + "steel frame storage tower", + "dark gray steel frame storage tower", + "steel frame storage tower for dark gray", + "steel frame storage tower in the color darkgray", + "stainless steel frame storage tower", + "steel frame storage tower under $40" + ], + "loeffler randall paulina-ks closed toe leather sole": [ + "loeffler randall paulina-ks closed toe leather sole", + "loffler randall paulina-ks closed toe leather sole", + "loeffler randall paulina-k closed toe leather sole", + "leffler randall paulina-ks closed toe leather sole", + "loeffler randall paulina-knee leather sole", + "loeffler randall paulina-ks closed toe leather sole,", + "loeffler randall paulina-king closed toe leather sole", + "gloffler randall paulina-ks closed toe leather sole", + "coffler randall paulina-ks closed toe leather sole", + "chloeffler randall paulina-ks closed toe leather sole" + ], + "i'm looking for a bag of salty sweet mixed nuts in a resealable bag. they should be gmo-free.": [ + "bag of salty sweet mixed nuts", + "bag of salty sweet mixed nuts resealable bag", + "bag of salty sweet mixed nuts gmo-free", + "bag of salty sweet mixed nuts, gmo-free", + "gmo-free bag of salty sweet mixed nuts", + "salty sweet mixed nuts in a resealable bag", + "sugar sweet mixed nuts in a resealable bag", + "bag of salty sweet mixed nuts, resealable bag", + "bag of salty sweet mixed nuts resealable", + "a bag of salty sweet mixed nuts" + ], + "i am looking for a 2 light wall sconce for my living room.": [ + "2 light wall sconce for my living room", + "2 light wall sconce", + "2 light wall sconce for living room", + "2 light wall sconce for the living room", + "2 light wall sconce in my living room", + " 2 light wall sconce for my living room", + "two light wall sconce for my living room", + "2 light wall sconce for a living room", + "2 light wall sconce living room", + "living room 2 light wall sconce" + ], + "get a gluten free tuna fish. it should be pack of 60 with 5 ounces.": [ + "gluten free tuna fish pack of 60", + "gluten free tuna fish pack of 60 with 5 ounces", + "pack of 60 gluten free tuna fish", + "pack of 60 gluten free tuna fish, pack of 60", + "pack of 60 gluten free tuna fish with 5 ounces", + "pack of 60 gluten free tuna fish pack of 60", + "gluten free tuna fish pack of 60 under 60 dollars", + "pack of 60 tuna fish gluten free", + "gluten free tuna fish pack of 60 under $60", + "gluten free tuna fish pack of 60 under $40" + ], + "i would like a gold plated hdmi cable.": [ + "gold plated hdmi cable", + "gold plated hdmi cable.", + "gold plated hdmi cable under $40", + "gold plated hdmi cable under $60", + "gold plated hdmi cable under $50", + "gold plated hdmi cable,", + "plated hdmi cable", + "a gold plated hdmi cable", + "pink plated hdmi cable", + "gmo cable gold plated" + ], + "i'm looking for a pair of medium sized, straight leg men's black dress pants.": [ + "medium sized, straight leg mens black dress pants", + "medium size, straight leg mens black dress pants", + "medium leg mens black dress pants", + "medium sized mens black dress pants", + "mens black dress pants", + "straight leg mens black dress pants", + "comfortable black mens black dress pants", + "sneakers mens black", + "sneakers mens black dress pants", + "medium leg mens black dress pants." + ], + "i need double-sided face wash sponge ( 4 color)": [ + "double-sided face wash sponge ( 4 color)", + "double-sided face wash sponge 4 color", + "double-sided face wash sponge 4 color)", + "double-sided face wash sponge (4 color)", + "double-sided face wash sponge, 4 color)", + "double sided face wash sponge ( 4 color)", + "double-sided face wash sponge", + "single-sided face wash sponge ( 4 color)", + "double-sided face wash sponge, 4 color,", + "double-sided face wash sponge ( 4 color)," + ], + "i want travel size cornucopia 1-ounce cobalt glass jars.": [ + "travel size cornucopia 1ounce cobalt glass jars", + "pink cobalt glass jars travel size cornucopia", + "10-ounce cobalt glass jars", + "moisturizing cobalt glass jars", + "pink cobalt glass jars travel size", + "moisturizing cobalt glass jars travel size", + "10-ounce cobalt glass jars travel size", + "10 cobalt glass jars travel size", + "pink cobalt glass jars", + "5 ft cobalt glass jars" + ], + "i'd like to shop for a vanity light with a bronze finish and glass shades.": [ + "vanity light bronze finish", + "vanity light with bronze finish and glass shades", + "vanity light bronze finish and glass shades", + "vinyl light with bronze finish and glass shades", + "vanity light with a bronze finish", + "vanity light with bronze finish", + "pink vanity light with a bronze finish", + "vinyl light bronze finish", + "vanity light bronze finish less then $40", + "vanity light bronze" + ], + "i am looking for antique gray color nightstand that is fully assembled.": [ + "antique gray color nightstand that is fully assembled", + "antique gray color nightstand", + "an antique gray color nightstand that is fully assembled", + " antique gray color nightstand that is fully assembled", + "antique gray nightstand that is fully assembled", + " antique gray color nightstand that is fully assembled.", + "antique gray color nightstand, fully assembled", + "ashtray nightstand that is fully assembled", + "antique gray nightstand that is fully assembled.", + "an antique gray color nightstand" + ], + "i am looking for throw blanket of size 60\"x80\" and is super soft.": [ + "throw blanket of size 60x80", + "throw blanket size 60x80 super soft", + "throw blanket that is super soft", + "throw blanket 60x80 super soft", + "throw blanket size 60x80", + "throw blanket in size 60x80", + "throw blanket in a size 60x80", + "throw blanket, size 60x80", + "throw blanket which is super soft", + "throw blanket 60x80" + ], + "i need a multi9 floor lamp for my living room.": [ + "multi9 floor lamp for my living room", + "multi9 floor lamp for living room", + "multi9 floor lamp living room", + "multi9 floor lamp for the living room", + "multi9 floor lamp in my living room", + "multi9 floor lamp", + " multi9 floor lamp for my living room", + "multi9 floor lamp for living room.", + "mult9 floor lamp for my living room", + "multi9 floor lamp, living room" + ], + "i am looking for an easy to clean foot stool for a beauty salon.": [ + "walking stool for beauty salon", + "square foot stool for a beauty salon", + "walking stool for a beauty salon", + "foot stool for a beauty salon", + "beauty salon foot stool", + "walking stool", + "easy clean foot stool for beauty salon", + "easy to clean foot stool", + "living room foot stool", + "square foot stool for beauty salon" + ], + "i'm locking for a bathroom lighting over modern style mirror.": [ + "bathroom lighting over modern style mirror", + "bathroom lighting under modern style mirror", + "bathroom lighting", + "bathroom lighting with modern style mirror", + "bathroom lighting, modern style mirror", + "bathroom lighting in modern style mirror", + "bathroom lighting that is modern style", + "bathroom lighting modern style mirror", + "bathroom lighting under modern style", + "bathroom lighting style mirror" + ], + "i want a gold colored and high performance android tablet.": [ + "gold colored high performance android tablet", + "gold colored and high performance android tablet", + "gold colored and high performance android tablet.", + "plastic and high performance android tablet", + "gold colored high performance android tablet.", + "pink colored and high performance android tablet", + "a gold colored and high performance android tablet", + "plastic high performance android tablet", + "pink colored high performance android tablet", + "gold colored and high performance android tablet," + ], + "i would like a cupcake topper for a birthday cake.": [ + "cupcake topper for a birthday cake", + "cupcake topper for a birthday cake.", + "cupcake topper for a baby shower", + "cupcake toppers for a birthday cake.", + "cupcake toppers for a birthday cake", + "cupcake topper for a baby shower cake", + "cupcake topper for birthday cake", + "cupcake topper birthday cake", + "cake topper for a birthday cake", + "cupcake topper" + ], + "i want to find burgundy colored moccasins with faux fur in a size 7.": [ + "burgundy colored moccasins with faux fur size 7", + "burgundy colored moccasins with faux fur", + "burgundy colored moccasins faux fur in a size 7", + "burgundy colored moccasins with faux fur a size 7", + "burgundy colored moccasins", + "burgundy colored moccasins in a size 7", + "burgundy colored moccasins with faux fur, size 7", + "burgundy colored moccasins faux fur size 7", + "burgundy colored moccasins with faux fur size 7.", + "burgundy colored moccasins faux fur" + ], + "i want to find a plant-based belly oil for pregnancy and stretch marks with a legacy pattern.": [ + "plant-based belly oil for pregnancy and stretch marks", + "plant-based belly oil for pregnancy stretch marks with a legacy pattern", + "plant-based belly oil for pregnancy with a legacy pattern", + "plant-based belly oil pregnancy and stretch marks with a legacy pattern", + "plant-based belly oil for pregnancy", + "plant-based belly oil for pregnancy and stretch marks, legacy pattern", + "plant-based belly oil for pregnancy with a legacy pattern.", + "plant-based belly oil for pregnancy, stretch marks", + "plant-based belly oil for pregnancy stretch marks", + "plant-based belly oil with a legacy pattern" + ], + "i am looking for 2 blue color body brush that is easy to clean.": [ + "2 blue color body brush", + "blue body brush", + "blue color body brush", + "blue body brush easy to clean", + "two blue color body brush", + "blue body brush, easy to clean", + "blue color body brush easy to clean", + "blue human body brush", + "2blue color body brush", + "blue body brush easy clean" + ], + "i am looking for tea tree shampoo for dry hair.": [ + "tea tree shampoo for dry hair", + "tea tree shampoo for dry hair.", + "tea tree shampoo for dry hair under $40", + "tea tree shampoo for dry hair under $50", + "tea tree shampoo for dry hair under $60", + "tea tree shampoo for dry hair tea tree", + "tea tree shampoo for dry hair under 50 dollars", + "tea tree shampoo for dry hair under 30 dollars", + "tea tree shampoo", + "tea tree shampoo dry hair" + ], + "i want white cotton laundry baskets that can be wall mounted.": [ + "white cotton laundry baskets wall mounted", + "white cotton laundry baskets", + "white cotton laundry basket wall mounted", + "white cotton laundry baskets, wall mounted", + "white cotton laundry baskets with wall mounted", + "white cotton laundry baskets that are wall mounted", + "white cotton laundry baskets wall mounted.", + "wall mounted white cotton laundry baskets", + "white cotton laundry baskets under $40", + "white cotton laundry baskets, wall mounted," + ], + "i want a 1080p smart home surveillance camera.": [ + "1080p smart home surveillance camera", + "tvp smart home surveillance camera", + " 1080p smart home surveillance camera", + "1080p smart home surveillance camera.", + "1080p smart home surveillance camera,", + "tvp smart home surveillance camera.", + "p smart home surveillance camera", + "10p smart home surveillance camera", + " 1080p smart home surveillance camera.", + "home surveillance camera 1080p" + ], + "i am looking for khaki colored nightstand for my living room.": [ + "kaki colored nightstand for my living room", + "kaki colored nightstand for my living room.", + "h khaki colored nightstand for my living room", + "k khaki colored nightstand for my living room", + "kaki colored nightstand for living room", + "c khaki colored nightstand for my living room", + "crawlin colored nightstand for my living room", + "kaki colored nightstand for the living room", + "khaki colored nightstand for my living room", + " khaki colored nightstand for my living room." + ], + "i am looking for a 60 inch by 50 inch machine washable super soft throw blanket.": [ + "60 inch by 50 inch machine washable super soft throw blanket", + "50 inch by 50 inch machine washable super soft throw blanket", + "60 inch x 50 inch machine washable super soft throw blanket", + " 60 inch by 50 inch machine washable super soft throw blanket", + "40 inch by 50 inch machine washable super soft throw blanket", + "machine washable super soft throw blanket", + "super soft throw blanket", + "super soft throw blanket 60 inches by 50 inches", + "moisturizing super soft throw blanket", + "60 inch by 50 inch machine washable soft throw blanket" + ], + "i am looking for sparkling water of fizzy lychee flavor having low carb.": [ + "fizzy lychee flavor", + "fizzy lychee flavor no sugar", + "fizzy lychee flavor with low carb", + "pink lychee flavor", + "pink lychee flavor no sugar", + "fizzy lychee flavor low carb", + "fizzy lychee flavor having low carb", + "fizzy lychee flavor, low carb", + "fizzy lychee flavor under $40", + "water of fizzy lychee flavor" + ], + "i am looking for revitalizing conditioner of size 1 pack used for hair growth.": [ + "italian conditioner of size 1 pack used for hair growth", + " revitalizing conditioner of size 1 pack used for hair growth", + "a revitalizing conditioner of size 1 pack used for hair growth", + "italitalizing conditioner of size 1 pack used for hair growth", + " revitalizing conditioner of size 1 pack used for hair growth.", + "a revitalizing conditioner of size 1 pack used for hair growth.", + "stainless conditioner of size 1 pack used for hair growth", + "italian conditioner of size 1 pack used for hair growth.", + "italian conditioner size 1 pack used for hair growth", + "italitalizing conditioner of size 1 pack used for hair growth." + ], + "please find me an eight ounce bottle of pomegranate and fig moisturizer that's cruelty free.": [ + "8 ounce bottle of pomegranate and fig moisturizer", + "8 ounce pomegranate and fig moisturizer", + "8 ounce pomegranate and fig moisturizer cruelty free", + "pomegranate and fig moisturizer cruelty free", + "8 ounce bottle pomegranate and fig moisturizer", + "pomegranate and fig moisturizer that is cruelty free", + "pomegranate and fig moisturizer", + "8 oz pomegranate and fig moisturizer cruelty free", + "pomegranate and fig moisturizer cruelty free eight ounce", + "eight ounce bottle of pomegranate and fig moisturizer" + ], + "i want to find a wireless headset that is hands-free. the color should be grey and the style should be classic.": [ + "hand-free wireless headset that is grey", + "phone wireless headset that is hands-free", + "handfree wireless headset that is grey", + "alarm wireless headset that is hands-free", + "hand-free wireless headset", + "phone headset that is hands-free", + "handfree wireless headset", + "womens-free wireless headset", + "hand-free wireless headset with grey style", + "womens free wireless headset" + ], + "i'm looking for lowrise blue sweatpants in a medium.": [ + "lowrise blue sweatpants in a medium", + "lowrise blue sweatpants in a medium.", + "lowrise blue sweatpants", + "lowrise blue sweatpants in a medium,", + "lowriseblue sweatpants in a medium", + "highrise blue sweatpants in a medium", + "lowrise blue sweatpants in a medium size", + "lowrise blue sweatpants, medium", + "lowrise blue sweatpants a medium", + "medium sweatpants" + ], + "i want to buy hair extensions clips for synthetic hair and they should be red and green colors.": [ + "hair extensions clips red and green", + "hair extensions clips red green", + "hair extensions clips for synthetic hair red", + "hair extensions clips red synthetic hair", + "hair extensions clips for synthetic hair", + "hair extension clips red and green", + "red synthetic hair extensions clips", + "human hair extensions clips red green", + "hair extensions clips red", + "hair extensions clips" + ], + "i want sloth floral women's slip on canvas non slip shoes in size 8.5": [ + "sloth floral womens slip on canvas non slip shoes in size 8.5", + "sloth floral womens slip on canvas non slip shoes size 8.5", + "sloth floral womens slip on canvas non slip shoes", + "sloth floral womens slip on canvas non slip shoes, size 8.5", + "sloth floral womens slip on canvas shoes in size 8.5", + "sloth floral womens slip on canvas walking shoes in size 8.5", + "sloth floral womens slip on canvas non slip shoe in size 8.5", + "sloth floral womens slip on canvas non slip shoe size 8.5", + "sloth floral womens slip on canvas", + "sloth floral womens slip on canvas shoes" + ], + "i am looking for multi 06 color duvet cover set for king size bed.": [ + "multi 06 color duvet cover set for king size bed", + " multi 06 color duvet cover set for king size bed", + "Multi 06 color duvet cover set for king size bed", + "multi 06 color duvet cover set king size bed", + "single 06 color duvet cover set for king size bed", + "multi color duvet cover set for king size bed", + "duvet cover set for king size bed", + "multi 06 color duvet cover set queen size bed", + "multi 06 color duvet cover set", + "single color duvet cover set for king size bed" + ], + "i want a 17.7 in long by 17.7 inch 1042117309949930000 window panel for my dining room.": [ + "window panel", + "window panel for dining room 17.7", + "window panel dining room 17.7", + "window panel for dining room", + "window panel in long by 17.7 inch", + "window panel 17.7 in long by 17. 7 inch", + "window panel dining room", + "window panel for dining room 17.7 in long", + "window panel, 17.7 in long by 17. 7 inch", + "window panel dining room 17.7 in long by 17" + ], + "i am looking for adjustable child learning blue color desk chair with lumbar support": [ + "yellow color desk chair with lumbar support", + "levisable child learning blue color desk chair", + "kids colored desk chair with lumbar support", + "aluminum child learning blue color desk chair", + "a child learning blue color desk chair", + "alarmist child learning blue color desk chair", + "baby learning blue color desk chair", + "pink color desk chair", + "yellow color desk chair", + "alarm rug" + ], + "i want to buy a skirt for women which is high waist, and is of olive color, and the size of x-large.": [ + "slimming skirt x-large", + "slimming skirt for women x-large", + "high waist skirt for women x-large", + "high waist skirt x-large", + "shoes for women x-large", + "slimming skirt x-large in olive color", + "tuxedo for women x-large", + "high waist, olive color skirt x-large", + "womens skirt x-large", + "slimming skirt x-large under $40" + ], + "i'm looking for a super soft and easy to clean throw blanket. choose the ones that come in cartoon3 color.": [ + "throw blanket cartoon 3 color", + "super soft throw blanket cartoon 3 color", + "throw blanket cartoon3 color", + "super soft throw blanket cartoon3 color", + "affordable throw blanket cartoon 3 color", + "kids throw blanket cartoon 3 color", + "super soft and easy to clean throw blanket cartoon", + "pink throw blanket cartoon 3 color", + "super soft and easy clean throw blanket cartoon3", + "affordable throw blanket cartoon3 color" + ], + "i'm looking for a comfortable fit yoga tank in size 1x and the color light grey heather.": [ + "comfortable fit yoga tank in size 1x light grey heather", + "comfortable fit yoga tank in size 1x, light grey heather", + "comfortable fit yoga tank in size 1x with a light grey heather", + "comfortable fit yoga tank in size 1x with light grey heather", + "comfortable fit yoga tank in size 1x the color light grey heather", + "yoga tank in size 1x and the color light grey heather", + "comfortable fit yoga tank in size 1x", + "comfortable fit yoga tank size 1x light grey heather", + "comfortable fit yoga tank in size 1x, light grey heather,", + "comfortable fit yoga tank in size 1x, light grey heather color" + ], + "find gluten-free nori flakes.": [ + "gluten-free nori flakes", + "gluten free nori flakes", + "gluten-free nori flakes.", + "gluten-free nori flakes under $40", + "gluten-free nori flakes under $50", + "gluten-free nori flakes under $60", + "gluten-free nori flakes below $40", + "gluten-free nori flakes under 50 dollars", + "gluten-free nori flakes under 30 dollars", + "gluten-free nori flakes under 40 dollars" + ], + "i want a pair of dark brown easy spirit elinot women's boots with rubber soles.": [ + "dark brown easy spirit elinot womens boots", + "dark brown easy spirit elinot womens boots rubber soles", + "dark brown easy spirit elinot womens boots with rubber sole", + "easy spirit elinot womens boots with rubber soles", + "dark brown easy spirit elinot womens boots rubber sole", + "dark brown easy spirit elinot womens boots, rubber sole", + "easy spirit elinot womens boots", + "dark brown walking boots with rubber soles", + "dark brown walking shoes", + "dark brown" + ], + "i am looking for effortless paraben free eye liner": [ + "an effortless paraben free eye liner", + "pink paraben free eye liner", + "lip liner effortless paraben free", + "effortless paraben free eye liner", + "lip liner", + "lip liner, effortless paraben free", + "lip liner for paraben free eye liner", + "lip liner that is effortless", + "alarm free eye liner", + "lip liner effortless" + ], + "i'm looking for a hair treatment with tea tree oil. i need one that's for dry hair and promotes hair growth.": [ + "tea tree oil hair treatment", + "tea tree oil hair treatment for dry hair", + "tea tree oil hair treatment with dry hair", + "tea tree oil hair treatment dry hair", + "tea tree oil human hair treatment", + "hair treatment with tea tree oil", + "tea tree oil hair treatment dry", + "tea tree oil", + "hair treatment tea tree oil", + "sea tree oil hair treatment" + ], + "i need a 33 inch living room end table": [ + "33 inch living room end table", + "living room end table 33 inches", + " 33 inch living room end table", + "33 inch living room end table,", + "33 inch living room dining room end table", + "32 inch living room end table", + "living room end table 33 inch", + "33 ft living room end table", + "33 inch living room table", + "living room end table" + ], + "i am looking for a men's large navy star wars t-shirt.": [ + "mens large navy star wars t-shirt", + "mens large navy star wars t-shirt", + "mens large navy star wars t-shirt.", + "mens large navy star wars t-shirt mens large", + "mens large navy star wars t-shirt under $50", + "mens large navy star wars t-shirt under $40", + "mens large navy star wars t-shirt under 50 dollars", + "mens large navy star wars t-shirt under $60", + "mens large navy star wars t-shirt.", + "mens large navy star wars t-shirt under 40 dollars" + ], + "i'm looking for a white coaxial cable that is 10 feet long.": [ + "white coaxial cable 10 feet long", + "white coaxial cable 10 ft long", + "white coaxial cable, 10 feet long", + "white coaxial cable 10 foot long", + "white coaxial cable", + "white coaxial cable 10ft long", + "white coaxial cable 9 ft long", + "white coaxial cable 10foot long", + "white coaxial cable under $40", + "white coaxial cable under $50" + ], + "i am looking for10th gen intel core i7 -32 gb ram 2tb sotrage capacity pc": [ + "10th gen intel core i7 -32 gb ram 2tb sotrage capacity", + "10th gen intel core i7 -32gb sotrage capacity pc", + "10th gen intel core i7 -32gb ram 2tb sotrage capacity pc", + "10th gen intel core i7 -32 gb sotrage capacity pc", + "10th gen intel core i7-32 gb ram 2tb sotrage capacity", + "10th gen intel core i7-32gb sotrage capacity pc", + "10th gen intel core i7-32 gb sotrage capacity pc", + "10th gen intel core i7 -32 gb ram", + "10th gen intel core i7 -32 gb ram 2tb sotrage", + "10th gen intel core i7-32 gb ram 2tb sotrage" + ], + "i need an x-large button down shirt that i can double dry": [ + "x-large button down shirt", + "x-large button down shirt double dry", + "x-large button down shirt with double dry", + "x-large button down shirt under $50", + "x-large button down shirt under $40", + "x-large button down shirt, double dry", + "x-large button down shirt under 50 dollars", + "xl button down shirt", + " x-large button down shirt", + "x-large button down shirt under $60" + ], + "i want a purple conditioner for damaged hair.": [ + "pink conditioner for damaged hair.", + "pink conditioner for damaged hair", + "i want a purple conditioner for damaged hair.", + "pink conditioner for damaged hair under $40", + "pink conditioner for damaged hair whose price is high", + "pink conditioner for damaged hair under $50", + "pomegranate conditioner for damaged hair.", + "pomegranate conditioner for damaged hair", + "pink conditioner for damaged hair ", + "purple conditioner for damaged hair." + ], + "i'm looking for some cologne that is scented with green tea.": [ + "cologne scented with green tea", + "cologne that is scented with green tea", + "scented with green tea", + "scent with green tea", + "sented with green tea", + "coaxial scented with green tea", + "cologne scented with green tea.", + "coaxial with green tea", + "eco-friendly cologne with green tea", + "cologne with green tea" + ], + "i want to buy foundation for mattress set which is ready to use and fully assembled.": [ + "foundation for mattress set that is ready to use and fully assembled", + "foundation for mattress set which is ready to use and fully assembled", + "foundation for mattress set, ready to use and fully assembled", + "f foundation for mattress set, ready to use and fully assembled", + "fel foundation for mattress set", + "foundation for mattress set ready to use and fully assembled", + "f foundation for mattress set", + "foundation for mattress set", + "blanket for mattress set", + " foundation for mattress set" + ], + "i need a three meter gold placed rca audio cable.": [ + "three meter gold placed rca audio cable", + "3 meter gold placed rca audio cable", + "three meter gold placed rca audio cable.", + "three meter gold placed rca audio cable,", + "three meters gold placed rca audio cable", + "two meter gold placed rca audio cable", + "three meter gold plated rca audio cable", + "three meter gold rca audio cable", + "three meter gold placed audio cable", + "three meter gold audio cable" + ], + "i need an adapter with output protection": [ + "electricity adapter with output protection", + " adapter with output protection", + "a plug and play adapter with output protection", + "alarm with output protection", + "portrait with output protection", + "engineered with output protection", + "power adapter with output protection", + "im looking for an adapter with output protection", + "electricity adapter", + "a plug and play adapter" + ], + "i'm looking for a 31-inch clear glass vanity light.": [ + "stainless glass vanity light", + "31-inch clear glass vanity light", + "stainless glass vanity light 31 inches", + "28-inch clear glass vanity light", + " 31-inch clear glass vanity light", + "stainless glass vanity light 31 ft", + "stainless glass vanity light 31 oz", + "stainless glass vanity light.", + "stretch clear glass vanity light", + "strawberry vanity light" + ], + "i am looking for a bathroom vanity light fixture with clear glass. also, please make sure that it is at least 31 inches in size.": [ + "bathroom vanity light fixture with clear glass", + "bathroom vanity light fixture", + "bathroom vanity light fixture that is 31 inches", + "bathroom vanity light fixture, 31 inches", + "bathroom vanity light fixture with clear glass.", + "bathroom vanity light fixture in clear glass", + "bathroom vanity light fixture no clear glass", + "bathroom vanity light fixture 31 inches", + "bathroom vanity light fixture no glass", + "bathroom vanity light fixture with clear glass," + ], + "i need a black bed frame that is made of steel for a queen sized bed.": [ + "black bed frame made of steel queen sized bed", + "black bed frame", + "black queen sized bed frame", + "black bed frame that is made of steel", + "black queen sized bed frame made of steel", + "queen sized bed frame made of steel", + "black bed frame made of steel", + "black bed frame made from steel queen sized bed", + "black bed frame, made of steel", + "black bed frame queen sized bed" + ], + "i want black modern led chandeliers for dining room.": [ + "black modern led chandeliers dining room", + "black modern led chandeliers for dining room", + "black modern led chandeliers dining room.", + "living room chandeliers black modern led", + "white modern led chandeliers dining room", + "modern led chandeliers dining room", + "black modern led chandeliers dining room,", + "modern led chandeliers for dining room", + "black modern led chandeliers", + "living room chandeliers" + ], + "i would like extra large checkered sleep pants that i can machine wash.": [ + "extra large checkered sleep pants", + "extra large checkered sleep pants machine wash", + "extra large checkered sleep pants, machine wash", + "extra large checkered sleep pants under $50", + "extra large checkered sleep pants under $40", + "extra large checkered sleep pants under 50 dollars", + "extra large checkered sleep pants under $60", + "extra large checkered sleep pants in machine wash", + "extra large checkered sleep pants under 30 dollars", + "checkered sleep pants" + ], + "i want fat free mariani pitted dates.": [ + "fat free mariani pitted dates", + "fat free mariani pitted dates.", + "fat free mariani pitted dates under $40", + "fat free mariani pitted dates under $50", + "fat free mariani pitted dates under $60", + "fat free mariani pitted dates under 50 dollars", + "fat free mariani pitted dates under 30 dollars", + "fat free mariani pitted dates under 40 dollars", + " fat free mariani pitted dates", + "fat free mariani pitted dates under 60 dollars" + ], + "i want a stainless steel ladies eyebrow razor shaver.": [ + "stainless steel ladies eyebrow razor shaver", + "stainless steel ladies eyebrow razor shaver.", + "stainless steel ladies eyebrow razor shaver under $50", + "stainless steel ladies eyebrow razor shaver under $40", + "stainless steel ladies eyebrow razor shaver below $50", + "stainless steel ladies eyebrow razor shaver under $60", + "stainless steel women eyebrow razor shaver", + "stainless steel ladies eyebrow razor shaver below $40", + "stainless steel ladies eyebrow razor shaver,", + "stainless steel ladies eyebrow razor shaver below $60" + ], + "i am looking for an easy to install 3 light vintage black wall sconce.": [ + "3 light vintage black wall sconce", + "5 light vintage black wall sconce", + "3 light vintage black wall sconce.", + "living room wall sconce 3 light vintage black", + "4 light vintage black wall sconce", + "2 light vintage black wall sconce", + "living room wall sconce", + "floor sconce 3 light vintage black", + "3 light vintage black wall sconce,", + "floor sconce" + ], + "i need fleece lined underwear that is striped grey and comes in an xx-large": [ + " fleece lined underwear xx-large", + "pink fleece lined underwear xx-large", + "fleece lined underwear xx-large", + " fleece lined underwear that is striped grey", + " fleece lined underwear x-large", + "fleece lined underwear that is striped grey", + "f fleece lined underwear xx-large", + "pink fleece lined underwear x-large", + " fleece lined underwear", + "pink fleece lined underwear" + ], + "i would like a 90 men's santa sleep set that i can hand wash.": [ + "90 mens santa sleep set that i can hand wash", + "90 mens santa sleep set that i can hand wash.", + "90 mens santa sleep set", + "90 mens santa sleep set that i can hand wash,", + "90 mens santa sleep set, hand wash", + "90 mens santa sleep set, i can hand wash.", + " 90 mens santa sleep set that i can hand wash.", + "90 mens santa sleep set with hand wash", + "90 mens santa sleep set under $40", + "90 mens santa sleep set hand wash" + ], + "i need some bluetooth speakers that offer stereo sound are are cobalt blue": [ + "budetooth speakers cobalt blue", + "bioetooth speakers cobalt blue", + "bluetooth speakers cobalt blue", + " bluetooth speakers cobalt blue", + "budetooth speakers cobalt blue bluetooth", + "budetooth speakers cobalt blue bluetooth speakers", + "bioetooth speakers cobalt blue bluetooth", + "phone speakers cobalt blue", + "bioetooth speakers cobalt blue bluetooth speakers", + "phone speakers cobalt blue bluetooth speakers" + ], + "i am looking for kosher certified caffeinated chocolate bites.": [ + "kosher certified caffeinated chocolate bites", + "cl kosher certified caffeinated chocolate bites", + "clinic certified caffeinated chocolate bites", + "caffeinated chocolate bites", + "acuten certified caffeinated chocolate bites", + "vegan chocolate bites", + "chocolate bites kosher certified", + "caffeinated chocolate bites.", + "chocolate chocolate bites", + "chocolate bites" + ], + "buy me a travel sized bottle of impression chanel 1932.": [ + "travel sized bottle of impression chanel 1932", + "travel sized bottle of impression chanel 1932.", + "pink travel sized bottle of impression chanel 1932", + "temporary travel sized bottle of impression chanel 1932", + "Travel sized bottle of impression chanel 1932", + "a travel sized bottle of impression chanel 1932", + "vanity sized bottle of impression chanel 1932", + "travel sized bottle of chanel 1932", + "portrait chanel 1932 travel sized bottle", + " travel sized bottle of impression chanel 1932" + ], + "i am looking for a desktop pc that is a core i5 and has 8gb of ram with a 512gb ssd.": [ + "desktop pc with 8gb of ram with a 512gb ssd", + "desktop pc that is a core i5 with a 512gb ssd", + "desktop pc 8gb of ram with a 512gb ssd", + "desktop pc with 8gb ram with a 512gb ssd", + "desktop pc with 8gb of ram", + "desktop pc that is a core i5 with 8gb of ram", + "desktop pc that is a core i5 and has 8gb of ram", + "desktop pc with 8gb of ram with a 512gb ssd.", + "desktop pc with 8gb ssd", + "desktop pc with 8gb ram" + ], + "i am looking for a twin size bed with easy assemble. also choose white color.": [ + "twin bed easy assemble white", + "twin bed with easy assemble white", + "twin size bed easy assemble white", + "twin bed white", + " twin size bed with easy assemble white", + "twin bed, easy assemble white", + "twin bed in white", + "twin bed white easy assemble", + "twin size bed", + "twin bed easy assemble in white" + ], + "i would like a stainless steel adjustable base.": [ + "stainless steel adjustable base", + "stainless steel adjustable base.", + "stainless steel adjustable base for hiking", + "stainless steel adjustable base for women", + "stainless steel adjustable base for shopping", + "stainless steel adjustable base for men", + "stainless steel adjustable base,", + "stainless steel adjustable", + "stainless steel", + "10 stainless steel adjustable base" + ], + "i need some shades that are for the living room and are black and white with a size of 28\" by 64\"": [ + "black and white shades", + "black and white shades for living room", + "black and white shades for the living room", + "colored living room shades 28 by 64", + "black and white shades 28 by 64", + "black and white living room shades", + "28 by 64 shades for living room", + "black and white shades of the living room", + "28 by 64 shades", + "black and white" + ], + "i need long lasting eyeshadow that is in the color 01": [ + "long lasting eyeshadow in the color 01", + "long lasting eyeshadow color 01", + "long lasting eyeshadow", + "blue eyeshadow in the color 01", + "daring eyeshadow in the color 01", + "long lasting eyeshadow colored 01", + "long lasting eyeshadow with a color 01", + "long lasting eyeshadow, color 01", + "blue eyeshadow", + "long lasting eyeshadow, color 01," + ], + "i need a media player that is easy to carry": [ + "easy to carry media player", + "easy-to-carry media player", + "easy to carry media player under $40", + "easy to carry media player under $50", + "media player that is easy to carry", + "easy to carry media player under 30 dollars", + "easy to carry media player under $60", + "media player easy to carry", + "tv player easy to carry", + "easy carry media player" + ], + "i want grey new balance men's shoes with rubber soles.": [ + "grey new balance mens shoes", + "grey new balance mens shoes rubber soles", + "grey new mens shoes with rubber soles", + "grey mens shoes with rubber soles", + "grey new balance mens shoes with rubber sole", + "grey balance mens shoes with rubber soles", + "grey new balance mens shoes rubber sole", + "grey new balance mens shoes, rubber sole", + "grey new mens shoes", + "grey mens shoes" + ], + "i would like some orange walking shoes that have a rubber sole in a size 10.5.": [ + "orange walking shoes size 10.5", + "orange walking shoes in a size 10.5", + "orange walking shoes in a size 10.5.", + "orange walking shoes, size 10.5", + "orange walking shoes size 10.5.", + "orange walking shoes that have a rubber sole", + "orange walking shoes 10.5", + "orange walking shoes, size 10.5,", + "orange walking shoes size 10.5, rubber sole", + "orange walking shoes" + ], + "i am looking for blue non slip women's sandals that are size 9.": [ + "blue non slip womens sandals size 9", + "blue non slip womens sandals", + "blue non slip womens sandals, size 9", + "blue non slip womens sandals size 9.", + "blue non slip womens sandals in size 9", + "blue non slip womens sandals size 9,", + "blue non slip womens sandals small 9", + "blue non slip womens sandals 9", + "blue womens sandals size 9", + "blue women sandals size 9" + ], + "get me a quick release camera tripod made out of aluminum alloy.": [ + "quick release camera tripod made out of aluminum alloy", + "Quick release camera tripod made out of aluminum alloy", + "quick release camera tripod made out of aluminum alloy.", + " quick release camera tripod made out of aluminum alloy", + "temporary camera tripod made out of aluminum alloy", + "quick release camera tripod made from aluminum alloy", + "light weight camera tripod made out of aluminum alloy", + "temporary release camera tripod made out of aluminum alloy", + "easy release camera tripod made out of aluminum alloy", + "quick release camera tripod made out of aluminum alloy," + ], + "i need a cosmetic bag that is easy to carry and is leopard print.": [ + " cosmetic bag that is easy to carry and is leopard print", + "beauty bag that is easy to carry, leopard print", + "beauty bag that is easy to carry leopard print", + "beauty bag that is easy to carry with leopard print", + "leopard print cosmetic bag", + "leopard print cosmetic bag that is easy to carry", + "easy to carry cosmetic bag that is leopard print", + "beauty bag with leopard print", + "beauty bag leopard print", + "beauty bag that is easy to carry" + ], + "i would like a wall mounted mirror for my living room.": [ + "wall mounted mirror for living room", + "wall mounted mirror for my living room", + "wall mounted mirror living room", + "wall mounted mirror for living room.", + "wall mounted mirror for the living room", + "wall mounted mirror for a living room", + "wall mounted mirror in my living room", + "wall mounted mirror", + "wall mounted mirror, living room", + "wall mounted mirror living room." + ], + "i am looking for a plant based probiotic tea.": [ + "plant based probiotic tea", + "plant based probiotic tea.", + "plant based probiotic tea under $40", + "plant based probiotic tea under $50", + "plant based probiotic tea under $60", + "plant based probiotic tea under 30 dollars", + "plant based probiotic tea under 50 dollars", + "plant based probiotic tea with natural flavor", + "plant based probiotic tea no sugar", + "plant based probiotic tea," + ], + "i need a slim fiting sweater that is green and in 3x large.": [ + "green slim fiting sweater 3x large", + "slim fiting sweater green 3x large", + "green slim fiting sweater in 3x large", + "green slim fiting sweater that is green 3x large", + "slim fiting sweater that is green 3x large", + "slim fiting sweater green and in 3x large", + "green slim fiting sweater", + "green slim fiting sweater, 3x large", + "slim fiting sweater in 3x large", + "green slim fiting sweater, 3x large," + ], + "i need an officially licensed star wars \u201cyoda best grandpa\u201c t-shirt. get one that is a youth size and make it black.": [ + "yoda best grandpa t-shirt black", + "yoda best grandpa black t-shirt", + "yoda best grandpa t-shirt in black", + "yoda best grandpa\u201c t-shirt black", + "yoda best grandpa t-shirt", + "yoda best grandpa t-shirt, black", + "yoda best grandpa black star wars t-shirt", + "yoda best grandpa\u201c t-shirt", + "yoda best grandpa t-shirt under $40", + "yoda best grandpa black" + ], + "i am looking for a four pack of chocolate protein drinks that are dairy free.": [ + "4 pack of chocolate protein drinks dairy free", + "4 pack of chocolate protein drinks", + "chocolate protein drinks dairy free", + "pack of chocolate protein drinks that are dairy free", + "chocolate protein drinks dairy free four pack", + "4 pack chocolate protein drinks that are dairy free", + "chocolate protein drinks that are dairy free", + "4 pack chocolate protein drinks dairy free", + "chocolate protein drink four pack dairy free", + "pack of chocolate protein drinks dairy free" + ], + "i want a body brush nature boar bristles back scrubber for dry skin.": [ + "body brush nature boar bristles back scrubber for dry skin", + "body brush nature boar bristles back scrubber", + "body brush nature boar bristles back scrubber for dry skin.", + " body brush nature boar bristles back scrubber for dry skin", + "Body brush nature boar bristles back scrubber for dry skin", + " body brush nature boar bristles back scrubber for dry skin.", + " body brush nature boar bristles back scrubber", + "Body brush nature boar bristles back scrubber for dry skin.", + "animal brush nature boar bristles back scrubber for dry skin", + "Body brush nature boar bristles back scrubber" + ], + "i want a travel size toiletry bag.": [ + "travel size toiletry bag", + "travel size toiletry bag.", + "Travel size toiletry bag", + "toiletry bag travel size", + "temporary toiletry bag travel size", + "towelry bag travel size", + "towel bag travel size", + "toothpaste bag travel size", + "temporary toiletry bag", + "totry bag travel size" + ], + "look for a sixteen ounce bottle of shampoo that's paraben free and plant based.": [ + "16 ounce bottle of shampoo paraben free and plant based", + "teen ounce bottle of shampoo paraben free and plant based", + "16 ounce bottle of shampoo that paraben free and plant based", + "16 ounce bottle of shampoo, paraben free and plant based", + "16 ounce bottle of shampoo paraben free and plant based.", + "16 ounce bottle of shampoo", + "16 ounce bottle of shampoo paraben free plant based", + "16 ounce bottle of shampoo paraben free and plant based,", + "16 ounce bottle of shampoo with paraben free and plant based", + "16 ounce bottle of shampoo paraben free" + ], + "i need to order a pair of blue snow boots in size five.": [ + "blue snow boots size 5", + "blue snow boots in size 5", + "blue snow boots in size five", + "blue snow boots size five", + "blue snow boots in size 5.", + "blue snow boots size 5.5", + "blue snow boots in a size 5", + "blue snow boots size 5.", + "blue snow boots in size five.", + "blue snow boots, size 5" + ], + "i need a 8 fluid ounce bottle of redwood mist body wash made from natural ingredients.": [ + "8oz body wash", + "8 fluid ounce body wash", + "8oz body wash natural", + "8oz body wash made from natural", + "8 fluid ounce bottle of natural ingredients", + "8 oz body wash", + "8oz body wash with natural ingredients", + "8oz body wash, natural", + "8oz body wash under $40", + "8 fluid ounce body wash natural" + ], + "i need two one hundred foot male to male hdmi cables. they should be high speed and gold plated.": [ + "two one hundred foot male to male hdmi cables", + "two one hundred foot male to male hdmi cables high speed and gold plated", + "two one hundred foot male to male hdmi cables, high speed and gold plated", + "two one hundred foot male to male hdmi cables gold plated", + "two one hundred foot male to male hdmi cables with gold plated", + "two one hundred foot male to male hdmi cables high speed gold plated", + "one hundred foot male to male hdmi cables", + "two one hundred foot male to male hdmi cables high speed and gold plated.", + "two one hundred foot male to male hdmi cables, high speed, gold plated", + "manual to male hdmi cables" + ], + "i want a high speed hdmi male to female cable. i need it to be 40 feet in single pack.": [ + "high speed hdmi male to female cable", + "low speed hdmi male to female cable", + "high speed hdmi male to female cable under 40 dollars", + "high speed hdmi male to female cable under $40", + "hdmi male to female cable", + "high speed hdmi male to female cable in single pack", + "high speed hdmi male to female cable below $40", + "high speed hdmi male to female cable.", + "tv hdmi male to female cable", + "high speed hdmi male to female cable under $50" + ], + "i am in need of easy to use hair curlers rollers which is good for diy hair styling.": [ + "easy to use hair curlers rollers", + "easy to use hair curlers rollers under $40", + "easy to use hair curlers rollers under $50", + "easy to use hair curlers rollers under $60", + "easy to use hair curlers rollers under 50 dollars", + "easy to use hair curlers rollers under 30 dollars", + "easy-to-use hair curlers rollers", + "easy to use hair curlers rollers,", + "5 ft hair curlers rollers", + "5 foot hair curlers rollers" + ], + "i would like a medium sized red jumpsuit that is machine washable.": [ + "medium sized red jumpsuit", + "medium jumpsuit that is machine washable", + "medium sized red jumpsuit machine washable", + "medium sized red jumpsuit, machine washable", + "medium sized red jumpsuit with machine washable", + "medium jumpsuit machine washable", + "medium jumpsuit", + "medium jumpsuit, machine washable", + "medium jumpsuit that is machine washable.", + "medium size red jumpsuit" + ], + "please show me a black white 05 sneaker for man. i'm looking for a sneaker for men with synthetic sole, size 9.5.": [ + "black white 05 sneaker for men", + "black white 05 sneaker for men with synthetic sole", + "black white 05 sneaker for men size 9.5", + "black white 05 sneaker for men, size 9.5", + "black white 05 sneaker for man", + "black white 05 sneaker for men size 9.5.", + "black white 05 sneaker for man size 9.5", + "black white 5 sneaker for men", + "white 05 sneaker for men", + "black white 05 sneaker" + ], + "i would like some monoculars for birdwatching.": [ + "monoculars for birdwatching", + "monoculars birdwatching", + "monoculars for birdwatching.", + "monoculars for birdwatching under $40", + "monoculars for birdwatching under $50", + "monoculars for birdwatching under $60", + "monoculars for birdwatching under 50 dollars", + "monoculars for birdwatching under 30 dollars", + "monoculars birdwatching.", + "monoculars birdwatching under $40" + ], + "i would like a roelson table that is made of solid wood.": [ + "roelson table made of solid wood", + "roelson table made from solid wood", + "roelson table made of solid wood.", + "roelson table, made of solid wood", + "roels table made of solid wood", + "roelson table made out of solid wood", + "roelson table made of solid wood,", + "roelson table with solid wood", + "roelson table", + "roelson table wood" + ], + "i would like some 10 inch high quality hair extensions.": [ + "10 inch high quality hair extensions", + "10 inch high quality hair extension", + "10 inch high quality hair extensions under $50", + "10 inch high quality hair extensions under $60", + "10 inch high quality hair extensions under $40", + "10 inch high quality hair extensions under 30 dollars", + "10 inch high quality hair extensions.", + "10 inch high quality hair extensions under 50 dollars", + "10 inch high quality hair extensions under 40 dollars", + "10 inch high quality hair extensions under 120 dollars" + ], + "i would like to see a wallet that would go with my hoisery": [ + "pocket wallet for hoisery", + "pocket wallet with hoisery", + "pink wallet for hoisery", + "a wallet for hoisery", + "pink wallet with hoisery", + "pocket for hoisery", + "pocket wallet", + "alarm wallet", + "pink wallet", + "pocket" + ], + "i need some easy to carry breath mints for fresh breath.": [ + "easy to carry breath mints", + "easy to carry breath mints fresh breath", + "easy to carry breath mint for fresh breath", + "pocket breath mints for fresh breath", + "easy-to-carry breath mints", + "breath mints for fresh breath", + "pocket breath mint for fresh breath", + "easy to carry breath mint", + "walking mint for fresh breath", + "living breath mints" + ], + "i would like a day rifle scope with a optical zoom.": [ + "day rifle scope with a optical zoom", + "day rifle scope with a optical zoom.", + "day rifle scope with optical zoom", + "day rifle scope with a zoom", + "Day rifle scope with a optical zoom", + "day rifle scope with a optical zoom,", + "day rifle scope that is optical zoom", + "a day rifle scope with a optical zoom", + "day rifle scope, optical zoom", + "day rifle scope with an optical zoom" + ], + "i would like a 1 tb nvme with 64 gig quad core desktop mini.": [ + "1 tb nvme with 64 gig quad core desktop mini", + "desktop mini 1 tb nvme with 64 gig quad core", + "one tb nvme with 64 gig quad core desktop mini", + " 1 tb nvme with 64 gig quad core desktop mini", + "desktop mini with 64 gig quad core", + "desktop mini 1 tb nvme", + "1 tb nvme with 64 gig quad core desktop", + "1 tb nvme", + "desktop mini, 1 tb nvme", + "1 tb nvme desktop mini" + ], + "i'd like to buy some non-gmo trail mix. look for a six pack of four ounce bags, in the dark chocolate cherry tart flavor.": [ + "non-gmo trail mix six pack of four ounce bags", + "non-gmo trail mix in dark chocolate cherry tart flavor", + "non-gmo trail mix 6 pack of four ounce bags", + "non-gmo trail mix, dark chocolate cherry tart flavor", + "non-gmo trail mix six pack of four ounce bags flavor", + "non-gmo trail mix four ounce bags", + "non-gmo trail mix six pack of four ounce", + "non-gmo trail mix", + "non-gmo trail mix six pack", + "nude chocolate trail mix" + ], + "i want white ylong-zs hanging lamps for my dining room.": [ + "white ylong-zs hanging lamps dining room", + "white ylong-zs dining room lamp", + "white ylong-zs hanging lamps", + "white ylong-zs dining room", + "white ylong-zs dining room lamps", + "white ylong-zs living lamps", + "white ylong-zs living lamps dining room", + "living room white ylong-zs hanging lamps", + "white ylong-zs dining room hanging lamps", + "white ylong-zs dining room wall lamp" + ], + "i need a contemporary chair that is pink with a gold base.": [ + "contemporary chair pink with a gold base", + "pink contemporary chair with a gold base", + "living room chair pink with a gold base", + "pink contemporary chair with gold base", + "pink modern chair with a gold base", + "contemporary chair pink with gold base", + "contemporary chair pink", + "contemporary chair pink gold", + "pink modern chair with gold base", + "pink contemporary chair" + ], + "i am looking for a variety of natural flavored iced tea.": [ + "natural flavored iced tea", + "natural flavored iced tea flavor", + "natural flavored iced tea.", + "natural flavored iced tea drink mix", + "natural flavored iced tea variety", + "natural flavored iced tea mix", + "natural flavored tea", + "natural flavored tea flavor", + "natural flavored tea mix", + "natural flaviced tea" + ], + "i'm looking for a desktop computer with an intel core processor and at least 16gb of ram and a 512gb solid state.": [ + "desktop computer with an intel core processor and at least 16gb of ram", + "desktop computer with an intel core processor and at least 16gb ram and a 512gb solid state", + "desktop computer with an intel core processor and at least 16gb of ram, 512gb solid state", + "desktop computer with an intel core processor 16gb of ram and a 512gb solid state", + "desktop computer with an intel core processor and at least 16gb of ram and 512gb solid state", + "desktop computer with an intel core processor and at least 16gb of ram and a 512gb solid", + "desktop computer with an intel core processor in a 512gb solid state", + "desktop computer with an intel core processor 16gb of ram and a 512gb solid state.", + "desktop computer with an intel core processor", + "desktop computer" + ], + "hello, i'm looking for a harklinikken styling gel. i use no2 /5.07 oz. please consider a anti-frizz moderate hold for dry hair, plant based .": [ + "harklinikken styling gel no2 /5.07 oz", + "harklinikken styling gel no2.07 oz", + "harklinikken styling gel no2 5.07 oz", + " harklinikken styling gel no2 /5.07 oz", + "harklinikken styling gel no2 5.07 oz", + "harklinikken styling gel, no2.07 oz", + "harklinikken styling gel no2 oz", + "harklinikken styling gel", + "harklinikken styling gel no2", + "harklinikken styling gel no2.07 oz." + ], + "i would like some red and black sandals that have a rubber sole and are in a size 11.5": [ + "red and black sandals in a size 11.5", + "red and black sandals 11.5", + "red and black sandals size 11.5", + "red and black sandals that have a rubber sole", + "red and black sandals, size 11.5", + "red sandals 11.5", + "red sandals in a size 11.5", + "red and black sandals with a rubber sole", + "red and black sandals", + "red and black sandals in a size 11.5," + ], + "i am looking for drink coasters, handmade drink coasters, table mat, set of eight.": [ + "alcohol coasters, table mat, set of eight", + "alcohol coasters set of eight", + "barbecue coasters set of eight", + "alcohol coasters table mat set of eight", + "alcohol coasters handmade drink coasters set of eight", + "alcohol coasters, handmade drink coasters table mat", + "alcohol coasters handmade drink coasters table mat", + "alcohol coasters, table mat set of eight", + "alcohol coasters, handmade drink coasters", + "alcohol coasters" + ], + "i would like a gold dusty rose chair for my living room.": [ + "gold dusty rose chair for my living room", + "gold dusty rose chair for my living room.", + "gold dusty rose chair for living room", + "gold dusty rose chair for the living room", + "gold dusty rose chair for living room.", + "gold dusty rose chair living room", + "gold dusty rose chair for the living room.", + "gold dusty rose chair for a living room", + "a gold dusty rose chair for my living room", + "living room gold dusty rose chair" + ], + "i want a 100 pack of easy to use disposable face hairspray shields.": [ + "100 pack of easy to use disposable face hairspray shields", + "90 pack of easy to use disposable face hairspray shields", + "50 pack of easy to use disposable face hairspray shields", + "easy to use disposable face hairspray shields", + " 100 pack of easy to use disposable face hairspray shields", + "10 pack of easy to use disposable face hairspray shields", + "freeze dried face hairspray shields 100 pack", + "100 pack of easy to use disposable face hairspray shield", + "easy to use disposable face hairspray shields 100 pack", + "100 pack disposable face hairspray shields" + ], + "i am interested in a console table that is made out of solid wood and is espresso colored.": [ + "console table made out of solid wood and is espresso colored", + "console table made out of solid wood and espresso colored", + "console table made out of solid wood espresso colored", + "console table made out of solid wood", + "console table made out of solid wood, espresso colored", + "Console table made out of solid wood and is espresso colored", + "console table made out of solid wood with espresso colored", + "console table made from solid wood and is espresso colored", + "console table made out of solid wood that is espresso colored", + "console table made from solid wood" + ], + "i would like a high quality brush set.": [ + "high quality brush set", + "brush set that is high quality", + "high quality brush set.", + "brush set high quality", + "high quality brush set under $40", + "brushed set that is high quality", + "high quality brush set under $50", + "high quality brush set under $60", + "high quality brush set under 30 dollars", + "brushed set high quality" + ], + "i want a 1080p hd hdmi extender + hdmi splitter.": [ + "1080p hdmi extender", + "1080p hd hdmi extender", + "1080p hdmi extender under $40", + "i want a 1080p hd hdmi extender under 30 dollars, and price lower than 50.00 dollars", + "i want a 1080p hd hdmi extender under 30 dollars, and price lower than 40.00 dollars", + "i want a 1080p hd hdmi extender under 30 dollars, and price lower than 30.00 dollars", + "i want a 1080p hd hdmi extender under 30 dollars, and price lower than 60.00 dollars", + "i want a 1080p hd hdmi extender under 30 dollars, and price lower than 120.00 dollars", + "i want a 1080p hd hdmi extender under 30 dollars, and price lower than 20.00 dollars", + "i want a 1080p hd hdmi extender under 30 dollars, and price lower than 70.00 dollars" + ], + "i would like a parker espresso entertainment center for my dining room.": [ + "parker espresso entertainment center dining room", + "parker espresso entertainment center for dining room", + "parker espresso entertainment center for dining room.", + "parker espresso entertainment center for my dining room", + "parker espresso entertainment center dining room.", + "burger espresso entertainment center dining room", + "parker espresso entertainment center", + "burger espresso entertainment center for dining room", + " parker espresso entertainment center dining room", + "burger espresso entertainment center for dining room." + ], + "shop for fragrance free facial cleanser for sensitive skin. look for the sixteen ounce size.": [ + "scent free facial cleanser for sensitive skin sixteen ounce", + "facial cleanser for sensitive skin sixteen ounce", + "scent free facial cleanser for sensitive skin", + "synthetic free facial cleanser for sensitive skin sixteen ounce", + "scent free facial cleanser for sensitive skin, sixteen ounce", + "scent free facial cleanser for sensitive skin 16 ounce", + "scent free facial cleanser for sensitive skin sixteen ounce size", + "beauty free facial cleanser for sensitive skin sixteen ounce", + "stimitive free facial cleanser for sensitive skin sixteen ounce", + "pink facial cleanser for sensitive skin sixteen ounce" + ], + "i need green cactus coasters for the living room that come in a pack of four.": [ + "green cactus coasters for living room pack of four", + "green cactus coasters for the living room pack of four", + "green cactus coasters for the living room", + "green cactus coasters living room pack of four", + "green cactus coasters for living room", + "green cactus coasters for living room that pack of four", + "green cactus coasters in a pack of four", + "green cactus coasters pack of four", + "green cactus coasters", + "green cactus coasters living room" + ], + "i would like a 13 by 1.8 cm picture 6 case of fine mist.": [ + "13 by 1.8 cm picture 6 case of fine mist", + " 13 by 1.8 cm picture 6 case of fine mist", + "12 by 1.8 cm picture 6 case of fine mist", + "13 x 1.8 cm picture 6 case of fine mist", + "13 by 1.8 cm pictures 6 case of fine mist", + "13 by 1.8 cm fine mist case", + "13 by 1.8 cm case of fine mist", + "12 x 1.8 cm picture 6 case of fine mist", + "13 by 1.8 cm fine mist", + "13 by 1.8 cm picture 6 fine mist" + ], + "i need some easy to install lamp shades that are black.": [ + "easy to install lamp shades black", + "easy to install lamp shades", + "l lamp shades that are black", + "yellow lamp shades easy to install", + "black lamp shades easy to install", + "l lamp shades black", + "black lamp shades", + "yellow lamp shades", + "white lamp shades", + "5 ft lamp shades" + ], + "i want a gift basket village celebration gift box.": [ + "gift basket village celebration gift box", + "gift basket village celebration gift box.", + "gift basket village celebration gift box under $50", + "gift basket village celebration gift box under 50 dollars", + "gift basket village celebration gift box under $40", + "gift basket village celebration gift box under 40 dollars", + "gift basket village celebration gift box under $60", + "gift basket village celebration gift box under 30 dollars", + "gift basket village celebration gift box under 60 dollars", + "gift basket village celebration gift box under 120 dollars" + ], + "i want easy to use birthday cake toppers for celebrating mothers day.": [ + "birthday cake toppers for mothers day", + "birthday cake toppers for celebrating mothers day", + "easy to use birthday cake toppers", + "baby shower cake toppers", + "baby shower cake toppers easy to use", + "kids birthday cake toppers for celebrating mothers day", + "blanket cake toppers for mothers day", + "baby shower cake toppers for mothers day", + "birthday cake toppers", + "easy to use baby shower cake toppers" + ], + "i would like a travel size bottle kit.": [ + "travel size bottle kit", + "Travel size bottle kit", + "travel size bottle kit.", + "temporary travel size bottle kit", + "vanity size bottle kit", + "vacation size bottle kit", + "travel size bottle kit for travel", + "a travel size bottle kit", + "tourism size bottle kit", + " travel size bottle kit" + ], + "i need some fashion sneakers that are size 3 for a big kid.": [ + "fashion sneakers size 3 for a big kid", + "style sneakers size 3 for a big kid", + "size 3 fashion sneakers for a big kid", + "fashion sneakers size 3 for a small kid", + "fashion sneakers size 3", + "size 3 sneakers for a big kid", + "size 3 fashion sneakers", + "size 3 for a big kid", + "fashion sneakers size 3 for a baby", + "fashion sneakers size 3 for a kid" + ], + "i am looking for a motion detection surveillance kit.": [ + "motion detection surveillance kit", + "moisturizing surveillance kit", + "Motion detection surveillance kit", + "moisturizer surveillance kit", + " motion detection surveillance kit", + "motion detection surveillance kit.", + "pink motion detection surveillance kit", + "motion detection surveillance kit for motion detection", + "magnified surveillance kit", + "moisturizing surveillance kit." + ], + "i am looking for simple ingredients to make burbon caramel dessert.": [ + "simple ingredients for burbon caramel dessert", + "barbon caramel dessert simple ingredients", + "barbon caramel dessert", + "burbon caramel dessert simple ingredients", + "simple ingredients burbon caramel dessert", + "bubbon caramel dessert simple ingredients", + "bagbon caramel dessert simple ingredients", + "bubbon caramel dessert", + "bagbon caramel dessert", + "burbon caramel dessert" + ], + "i am looking for a mini eau de toilette for a women. also choose green tea scent": [ + "mini eau de toilette for a women", + "mini eau de toilette for a women with a green tea scent", + "mini eau de toilette for a women with green tea scent", + "mini eau de toilette for a women, green tea scent", + "mini eau de toilette for a women, with green tea scent", + "mini eau de toilette for a women.", + " mini eau de toilette for a women", + "mini eau de toilette for a women scent", + "mini eau de toilette for a women under $40", + "mini eau de toilette" + ], + "i would like a 2 foot by 9 foot long navy floor runner for my dining room.": [ + "2 foot by 9 foot long navy floor runner", + "2 foot by 9 foot long navy floor runner dining room", + "navy floor runner dining room 2 foot by 9 foot", + "navy floor runner dining room", + "navy floor runner dining room 2 foot x 9 foot", + "2 foot x 9 foot long navy floor runner", + "navy floor runner for dining room", + "navy floor runner dining room 2 ft x 9 ft", + "2 foot x 9 foot long navy floor runner dining room", + "navy floor runner dining room 2 ft by 9 foot" + ], + "i want black fine mist spray bottles.": [ + "black fine mist spray bottles", + "fine mist spray bottles black", + "fine mist spray bottles black fine mist", + "black fine mist spray bottles.", + "black fine mist spray bottles under $40", + "fine mist spray bottles", + "i want black fine mist spray bottles.", + "black fine mist spray bottles under $50", + "white fine mist spray bottles", + "black fine mist spray bottles under $60" + ], + "i want ebanel 10 pack collagen anti aging face mask.": [ + "ebanel 10 pack collagen anti aging face mask", + "i want ebanel 10 pack collagen anti aging face mask.", + "ebanel 10 pack collagen anti aging face mask.", + " ebanel 10 pack collagen anti aging face mask", + "ebanel 10 pack collagen anti aging face mask under $50", + "anel 10 pack collagen anti aging face mask", + "banel 10 pack collagen anti aging face mask", + "ebanel 10 pack collagen anti aging face mask,", + "el 10 pack collagen anti aging face mask", + "jeans 10 pack collagen anti aging face mask" + ], + "i would like to see some noise cancelling headphones that are red.": [ + "red noise cancelling headphones", + "red noise cancelling headphones that are red", + "red noise cancelling headphones under $40", + "noise cancelling headphones red", + "nuance cancelling headphones red", + "red noise cancelling headphones under $50", + "non noise cancelling headphones red", + "red noise cancelling headphones under $60", + "white noise cancelling headphones", + "noise cancelling headphones" + ], + "i need an automobile charger that has wireless charging and is black.": [ + "car charger black", + "car charger with wireless charging black", + "car charger that has wireless charging", + "car charger with wireless charging", + "carport with wireless charging black", + "car charger that is black", + "electric car charger black", + "alarm charger black", + "black automobile charger", + "carport with wireless charging" + ], + "i would like to have a plug and play high speed usb flash drive that is blue and black, the quantity should be 3 of 32g or 2 of 64g.": [ + "high speed usb flash drive that is blue and black", + "blue and black usb flash drive", + "blue usb flash drive that is blue and black", + "usb flash drive that is blue and black", + "blue usb flash drive", + "blue high speed usb flash drive that is blue and black", + "blue and black usb flash drive that is blue and black", + "usb flash drive blue and black", + "blue usb flash drive 3 of 32g", + "blue high speed usb flash drive" + ], + "i want a blue mefoto roadtrip carbon fiber tripod/monopod.": [ + "blue mefoto roadtrip carbon fiber tripod", + "blue mefoto roadtrip carbon fiber tripod/monopod", + "blue mefoto roadtrip carbon fiber tripod andmonopod", + "blue mefoto roadtrip carbon fiber tripod-monopod", + "blue mefoto roadtrip carbon fiber tripod,monopod", + "blue mefoto roadtrip carbon fiber tripod under $40", + "blue mefoto roadtrip carbon fiber tripod under $50", + "blue mefoto roadtrip carbon fiber tripod under $60", + "blue mefoto roadtrip", + "blue mefoto roadtrip, tripod" + ], + "i am looking for a high quality eau de toilette spray for women": [ + "eau de toilette spray for women", + "high quality eau de toilette spray for women", + "a high quality eau de toilette spray for women", + "low quality eau de toilette spray for women", + "eau de toilette spray", + "eau de toilette spray for women under $40", + "eau de toilette spray for women below $40", + "eau de toilette spray women", + "eco de toilette spray for women", + "eau de toilette spray woman" + ], + "get me a sixteen pack of apple cinnamon freeze dried banana chips.": [ + "16 pack of apple cinnamon freeze dried banana chips", + "teen pack of apple cinnamon freeze dried banana chips", + "12 pack of apple cinnamon freeze dried banana chips", + "15 pack of apple cinnamon freeze dried banana chips", + "16 pack apple cinnamon freeze dried banana chips", + "pack of apple cinnamon freeze dried banana chips", + "apple cinnamon freeze dried banana chips sixteen pack", + "apple cinnamon freeze dried banana chips", + "apple cinnamon freeze dried banana chips 16 pack", + "16 pack of banana chips" + ], + "i am in need of a faux leather ottoman that is brown.": [ + "faux leather ottoman that is brown", + "faux leather ottoman brown", + "faux leather ottoman", + "faux leather ottoman, brown", + "faux leather ottoman in brown", + " faux leather ottoman that is brown", + "faux leather ottoman brown", + " faux leather ottoman brown", + "faux leather ottoman under $50", + "faux leather ottoman under $40" + ], + "i want a pkpower ac dc adapter charger for g-project with output protection.": [ + "pkpower ac dc adapter charger for g-project", + "pkpower ac dc adapter charger g-project with output protection", + "pkpower ac dc adapter charger", + "pkpower ac dc charger for g-project with output protection", + "pkpower ac dc adapter charger g-project", + "pspower ac dc adapter charger for g-project with output protection", + "pskpower ac dc adapter charger for g-project", + "pkpower ac dc charger for g-project", + "pkpower ac dc charger", + "pkpower ac" + ], + "i am interested in some toothbrushes that are easy to use and are either pink or blue": [ + "easy to use toothbrushes pink or blue", + "pink toothbrushes", + "easy to use toothbrushes pink", + "pink toothbrushes easy to use", + "easy-to-use toothbrushes pink", + "pink toothbrushes that are easy to use", + "pink toothbrush", + "easy to use toothbrushes, pink or blue", + "pocketbrushes pink or blue", + "pink and blue toothbrushes" + ], + "i would like a 36 mm tube stainless steel tripod.": [ + "36 mm tube stainless steel tripod", + " 36 mm tube stainless steel tripod", + "28 mm tube stainless steel tripod", + "35 mm tube stainless steel tripod", + "stainless steel tripod 36 mm", + "33 mm tube stainless steel tripod", + "24 mm tube stainless steel tripod", + "stainless steel tripod", + "36 mm tube stainless steel tripod.", + " 36 mm tube stainless steel tripod." + ], + "look for a fluoride free toothpaste in purple color. pick a teeth whitening one for sensitive teeth.": [ + "fluoride free toothpaste in purple", + "fluoride free toothpaste in purple color", + "fluoride free toothpaste for sensitive teeth", + "fluoride free toothpaste", + "fluoride free toothpaste with sensitive teeth", + "fluoride free toothpaste sensitive teeth", + "fluoride free toothpaste purple", + "fluoride free toothpaste, purple", + "toothpaste in purple", + "toothpaste purple" + ], + "i am looking for a memory foam bed, one that does not need a box spring i would like queen size.": [ + "memory foam bed queen size", + "memory foam bed queen", + "memory foam bed, queen size", + "memory foam bed queen size.", + "memory foam bed that is queen size", + "memory foam bed queen sized", + "memory foam bed queen size,", + "memory foam bed queen size, queen", + "memory foam mattress queen size", + "memory foam bed" + ], + "i need a manual toothbrush for bad breath": [ + "manual toothbrush for bad breath", + " manual toothbrush for bad breath", + "manual toothbrush", + "alarm toothbrush for bad breath", + "manual toothbrush bad breath", + "manual toothbrush with bad breath", + "manual toothbrush, bad breath", + "toothbrush for bad breath", + "handbrush for bad breath", + "moisturizing toothbrush" + ], + "i am looking for a 12 by 16 inch african american poster that is ready to hang.": [ + "12 by 16 inch african american poster", + "12 x 16 inch african american poster", + "12 by 16 inch african american poster ready to hang", + "12 by 16 inch african american poster under $50", + "12 by 16 inch african american poster under $60", + "12 by 16 inch african american poster under $40", + "12 by 16 inch african american poster under 30 dollars", + "a 12 by 16 inch african american poster", + "12x 16 inch african american poster", + "12x16 african american poster" + ], + "i am interested in a non toxic beauty bag.": [ + "non toxic beauty bag", + "non toxic beauty bag.", + "beauty bag non toxic", + "non toxic beauty bag under $50", + "non toxic beauty bag under $40", + "beauty bag that is non toxic", + "non toxic beauty bag under $60", + "non toxic beauty bag under 50 dollars", + "beauty bag, non toxic", + "beauty bag" + ], + "i want a brown gift basket of great american cookies.": [ + "brown gift basket of great american cookies", + "brown gift basket of great american cookies.", + "a brown gift basket of great american cookies", + "pink gift basket of great american cookies", + "bag of great american cookies", + " brown gift basket of great american cookies", + "brown gift basket of great american cookies,", + "basket of great american cookies", + "brown gift basket with great american cookies", + "brown gifts basket of great american cookies" + ], + "i need some floating shelves for my living room. i'd like them to be grey.": [ + "living room floating shelves", + "living room floating shelves grey", + " floating shelves for living room. id like them to be grey.", + "living room floating shelves, grey", + "living room floating shelves that are grey", + "grey floating shelves for living room", + "living room floating shelves with a grey color", + "living room floating shelves with grey color", + " floating shelves for my living room. grey", + "floating shelves for living room" + ], + "i want a white yisella shower brush with a long handle.": [ + "white yisella shower brush with a long handle", + "white yisella shower brush with long handle", + "white yisella shower brush", + "white yisella shower brush, long handle", + "white yisella shower brush long handle", + "white yisella shower brush that is long handle", + "white yisella shower brush with long handle.", + "white yisella shower brush that a long handle", + "white yisella showerbrush with a long handle", + " white yisella shower brush with a long handle" + ], + "i am looking for a motion detection indoor, outdoor camera smart surveillance.": [ + "moisturizing indoor camera smart surveillance", + "Motion detection indoor, outdoor camera smart surveillance", + "motion detection indoor, outdoor camera smart surveillance", + " motion detection indoor, outdoor camera smart surveillance", + "Motion detection indoor camera smart surveillance", + "tempered motion detection indoor camera smart surveillance", + "motion detection indoor camera smart surveillance", + "indoor camera smart surveillance", + "Motion detection indoor, outdoor camera smart surveillance.", + "moisturizing indoor camera smart surveillance." + ], + "i want to buy some non-toxic bath gloves.": [ + "non-toxic bath gloves", + "non-toxic bath gloves.", + "non-toxic bath gloves,", + "non toxic bath gloves", + "nude bath gloves", + "toxic bath gloves", + "natierra bath gloves", + "no toxic bath gloves", + "bath gloves non toxic", + "bath gloves" + ], + "i need some high quality false lashes that are 20d-16mm": [ + "20d-16mm false lashes", + "20d-16mm false lashes under $50", + "20d-16mm false lashes under $40", + "20d-16mm false lashes under $60", + "20d-16mm false lashes under 30 dollars", + "20d-16mm false lashes high quality", + "high quality false lashes 20d-16mm", + "20d-16mm false lashes, high quality", + "23d-16mm false lashes", + "20d-16mm false lashes with high quality" + ], + "i want a drawing desk that's easy to clean and has a steel frame.": [ + "drawing desk that is easy to clean with steel frame", + "drawing desk, easy to clean and steel frame", + "drawing desk with steel frame", + "drawing desk that is easy to clean steel frame", + "drawing desk easy to clean and has a steel frame", + "drawer desk that is easy to clean with steel frame", + "drawing desk easy to clean steel frame", + "drawing desk with a steel frame", + "drawer desk with steel frame", + "drawing desk, easy to clean and steel frame," + ], + "i would like to get some low carb gourmet crunchy snack which has a red peppers | jalapenos flavor.": [ + "low carb gourmet crunchy snack with red peppers and jalapenos flavor", + "low carb gourmet crunchy snack with red peppers | jalapenos flavor", + "low carb gourmet crunchy snack with red peppers jalapenos flavor", + "low carb gourmet crunchy snack which has a red peppers jalapenos flavor", + "low carb gourmet crunchy snack with red peppers, jalapenos flavor", + "low carb gourmet crunchy snack which has red peppers | jalapenos flavor", + "low carb gourmet crunchy snack with jalapenos flavor", + "low carb gourmet crunchy snack with red peppers", + "low carb gourmet crunchy snack", + "low carb gourmet crunchy snack with red peppers and jalapenos flavor." + ], + "i need ceiling lights that are a light wood grain color and are easy to install": [ + "floor lights light wood grain", + "floor lights that are light wood grain", + "floor lights a light wood grain color", + "floor lights light wood grain color", + "floor lights in light wood grain", + "floor lights a light wood grain", + "floor lights, light wood grain color", + "floor lights in a light wood grain", + "floor lights", + "coaxial lights" + ], + "i am looking for a star wars darth vader funny t-shirt.": [ + "star wars darth vader funny t-shirt", + "star wars darth vader funny t-shirt.", + "star wars darth vader funny t-shirt under $40", + "strawberry vader funny t-shirt", + "star wars darth vader funny t-shirt under $50", + "star wars darth vader funny t-shirt under 50 dollars", + "star wars darth vader funny t-shirt under $60", + "star wars darth vader funny t-shirt below $40", + "stainless darth vader funny t-shirt", + "star wars darth vader funny t-shirt under 30 dollars" + ], + "i am looking for high quality natural hair extension. please make sure that is 14 inches in size.": [ + "natural hair extension 14 inches", + "natural hair extension 14 inches in size", + "high quality natural hair extension 14 inches", + "natural hair extension 14 inches long", + "natural hair extension 14 inches high", + "natural hair extension 14 x 14 inches", + "natural hair extension that is 14 inches", + "natural hair extension 14 inches wide", + "high quality natural hair extension", + "natural hair extension" + ], + "i am looking for an end table that has a white finish.": [ + "end table white", + "end table white finish", + "end table with white finish", + "end table white with a white finish", + "end table that has a white finish", + "white end table with white finish", + "white end table with a white finish", + "end table white with white finish", + "end table with a white finish", + "end table white with an end table" + ], + "i would like a 35 foot long multicolored hdmi cable for my blu ray player.": [ + "35 foot long multicolored hdmi cable", + " 35 foot long multicolored hdmi cable", + "28 foot long multicolored hdmi cable", + "33 foot long multicolored hdmi cable", + "womens blu-ray player 35 foot long", + "router 35 foot long multicolored hdmi cable", + "womens blu ray player 35 foot long", + "womens blu-ray player", + "gluten free hdmi cable", + "womens blu ray player" + ], + "order a tempered glass screen protector for my iphone 13.": [ + "tempered glass screen protector for iphone 13", + "tempered glass screen protector for my iphone 13", + "tempered glass screen protector iphone 13", + "tempered glass screen protector for iphone 13.", + "tempered glass screen protector for iiphone 13", + "tempered glass screen protector for an iphone 13", + "tempered glass screen protector for a iphone 13", + "tempered glass screen protector foriphone 13", + "tempered glass screen protector for the iphone 13", + "tempered glass screen protector for myiphone 13" + ], + "i want a high quality bvlgari blv by bvlgari for women perfume.": [ + "bagari blv by bvlgari for women perfume", + "bagelgari blv by bvlgari", + "bagari blv by bvlgari", + "bagari blv by bvlgari for women perfume.", + "bagelgari blv by bvlgari women perfume", + "bagelgari blv by bvlgari woman perfume", + "bagelgari blv by bvlgari perfume", + "bagelgari blv by bvlgari for women", + "bagari blv by bvlgari women perfume", + "bagari blv by bvlgari perfume" + ], + "i need a 4oz size hair conditioner that has argan oil and is for damged hair.": [ + "4oz hair conditioner with argan oil", + "4oz hair conditioner that has argan oil", + "4oz size hair conditioner with argan oil", + "4oz size hair conditioner that has argan oil", + "hair conditioner with argan oil", + "4oz hair conditioner", + "hair conditioner with argan oil 4oz", + "4oz hair conditioner under $40", + "4oz size hair conditioner", + "hair conditioner that has argan oil" + ], + "i want to find a 2-pack of 32 fluid ounces of gourmet lime cocktail mix. it needs to taste just like a bloody mary with dill pickles and be gluten free.": [ + "gourmet lime cocktail mix 32 oz", + "2-pack of 32 fluid ounces gourmet lime cocktail mix", + "gourmet lime cocktail mix 32 fluid ounces", + "bag of 32 fluid ounces of gourmet lime cocktail mix", + "gourmet lime cocktail mix 32oz", + "gourmet lime cocktail mix", + "gourmet lime cocktail mix 32 oz gluten free", + "gourmet lime cocktail mix that is gluten free", + "gourmet lime cocktail mix 32 fluid ounces gluten free", + "gourmet lime cocktail mix, 32 oz" + ], + "i want to shop for a pair of pink ankle boots with leather soles. i need them in a size eight.": [ + "pink ankle boots with leather soles", + "pink ankle boots in a size eight", + "pink ankle boots", + "pink ankle boots size eight", + "pink ankle boots, leather soles", + "pink ankle boots leather soles size eight", + "pink ankle boots size 8", + "pink ankle boots leather soles", + "pink ankle boots with leather sole", + "teen pink ankle boots" + ], + "i would like some solid wood coat hooks to mount on the walls.": [ + "solid wood coat hooks mount on the walls", + "solid wood coat hooks", + "solid wood coat hooks for living room", + "solid wood coat hooks mounted on the walls", + "solid wood coat hooks on the walls", + "solid wood coat hooks for the walls", + "stainless wood coat hooks", + "solid wood coat hooks for wall", + "wood coat hooks", + "wall hooks" + ], + "i am looking for a game joystick that has a usb port and must be the color black.": [ + "game joystick black", + "game joystick that has a usb port", + "game joystick with usb port black", + "game joystick with a usb port black", + "game joystick with usb port in black", + "game joystick with a usb port", + "a game joystick black", + "game joystick with usb port", + "game joystick in black", + "game joystick color black" + ], + "find me some keto friendly and gluten free turkey bars. they should have no sugar and get the 48 count pack.": [ + "keto friendly and gluten free turkey bars 48 count pack", + "keto friendly and gluten free turkey bar 48 count pack", + "keto friendly gluten free turkey bars 48 count pack", + "keto friendly gluten free turkey bar 48 count pack", + "keto friendly keto friendly gluten free turkey bars 48 count pack", + "keto friendly keto friendly gluten free turkey bar 48 count pack", + " keto friendly and gluten free turkey bars 48 count pack", + "keto friendly and gluten free turkey bar 48 count pack keto", + " keto friendly and gluten free turkey bar 48 count pack", + "keto friendly and gluten free turkey bars 48 count pack keto" + ], + "i want black womens memory foam walking shoes.": [ + "memory foam walking shoes black", + "memory foam walking shoes black womens", + "black womens memory foam walking shoes", + "memory foam walking shoes", + "memory foam walking shoes, black", + "memory foam walking shoes that are black", + "womens memory foam walking shoes", + "memory foam walking shoes black women", + "memory foam walking shoes in black", + "memory foam walking shoes." + ], + "i would like a 42mm smartwatch band that is made of stainless steel and has a gold connector.": [ + "42mm smartwatch band made of stainless steel", + "42mm smartwatch band with gold connector", + "42mm smartwatch band made from stainless steel", + "42mm smartwatch band", + "smartwatch band made of stainless steel", + "42mm smartwatch band with a gold connector", + "42mm smartwatch band with gold", + " 42mm smartwatch band with gold connector", + "smartwatch band made from stainless steel", + "42mm smartwatch band with gold connectors" + ], + "i am looking for a desktop computer with intel core i7-10510u cpu, 240g ssd storage and 16g of ram.": [ + "desktop computer with intel core i7-10510u cpu", + "desktop computer with intel core i7-10510u cpu with 240g ssd storage", + "desktop computer with intel core i7-10510u cpu and 240g ssd storage", + "desktop computer i7-10510u cpu with 240g ssd storage and 16g of ram", + "desktop computer with intel core i7-10510u cpu, 240g ssd storage", + "desktop computer i7-10510u cpu with 240g ssd storage", + "desktop computer with intel core i7-10510u cpu under $120", + "desktop computer with intel core i7-10510u cpu under $130", + "desktop computer cpu with intel core i7-10510u cpu", + "desktop computer" + ], + "give me one adidas crazyflight usav cross trainer regular fit women please, my size is 14.5": [ + "adidas crazyflight usav cross trainer regular fit women 14.5", + "madidas crazyflight usav cross trainer regular fit women 14.5", + "antidas crazyflight usav cross trainer regular fit women 14.5", + "an adidas crazyflight usav cross trainer regular fit women 14.5", + "artidas crazyflight usav cross trainer regular fit women 14.5", + "aidas crazyflight usav cross trainer regular fit women 14.5", + "adidas crazyflight usav cross trainer regular fit women size 14.5", + "adidas crazyflight usav cross trainer regular fit women 14.5 size", + "madidas crazyflight usav cross trainer regular fit women 14.5 size", + "an adidas crazyflight usav cross trainer regular fit women 14.5 size" + ], + "i want a high quality tooth brush for my sensitive teeth. it should be pale yellow in color.": [ + "pale yellow toothbrush for sensitive teeth", + "pale yellow tooth brush for sensitive teeth", + "pale yellow toothbrush", + "pale yellow tooth brush", + "pale yellow teeth brush", + "pale yellow toothbrush that is high quality", + "pale yellow oral brush for sensitive teeth", + "pale yellow teeth brush for sensitive teeth", + "pale yellow toothbrush for sensitive teeth.", + "pale yellow toothbrush sensitive teeth" + ], + "i am looking for big and tall levi's men's 505 regular fit jeans that are machine washable.": [ + "big and tall levis mens 505 regular fit jeans", + "big and tall levis mens 505 regular fit jeans under $50", + "big and tall levis mens 505 regular fit jeans under $40", + "big and tall levis mens 505 regular fit jeans under 50 dollars", + "big and tall levis mens 505 regular fit jeans machine washable", + "big and tall levis mens 505 regular fit jeans under $60", + "lens mens 505 regular fit jeans that are machine washable", + "small and tall levis mens 505 regular fit jeans", + "lens mens 505 regular fit jeans", + "big wide levis mens 505 regular fit jeans" + ], + "i would like a men's rubber sole shoe with a size 7.5.": [ + "mens rubber sole shoe in a size 7.5", + "mens rubber sole shoe size 7.5", + "mens rubber sole shoe with a size 7.5", + "mens rubber sole shoe, size 7.5", + "mens rubber sole shoe in size 7.5", + "mens rubber sole shoe size 7.5.", + "mens rubber sole shoe, size 7.5.", + "mens rubber sole shoe", + "mens rubber sole shoe size 7.5 mens", + "mens rubber sole shoe, size 7.5," + ], + "i would like a dark grey hair building fiber that is easy to apply.": [ + "dark grey hair building fiber", + "dark grey hair building fiber easy to apply", + "dark grey hair building fiber under $40", + "dark grey hair building fiber under $50", + "dark grey hair building fiber under $60", + "dark grey hair building fiber under 30 dollars", + "dark grey human hair building fiber", + "dark grey grey hair building fiber", + "dark grey hair fiber", + "dark grey human fiber" + ], + "i want trader joe's organic apple banana fruit crushers.": [ + " trader joes organic apple banana fruit crushers", + " trader joes organic apple banana fruit crushers.", + "packet joes organic apple banana fruit crushers", + "trader joes organic apple banana fruit crushers", + "manual apple banana fruit crushers", + "terrain joes organic apple banana fruit crushers", + "shoes organic apple banana fruit crushers", + "packaged apple banana fruit crushers", + "manual apple banana fruit crushers.", + " trader joes organic banana fruit crushers" + ], + "i would like a 7 piece king comforter set decorated with flowers and is machine washable.": [ + "king comforter set decorated with flowers", + "7 piece king comforter set decorated with flowers", + "king comforter set decorated with flowers under $40", + "king comforter set decorated with flowers machine washable", + "king comforter set decorated with flowers under $50", + "6 piece king comforter set decorated with flowers", + "8 piece king comforter set decorated with flowers", + "duck comforter set decorated with flowers", + "king comforter set with flowers", + "curtter set decorated with flowers" + ], + "i want non gmo wild planet wild albacore tuna unsalted.": [ + "non gmo wild planet wild albacore tuna unsalted", + "non-gmo wild planet wild albacore tuna unsalted", + "non gmo wild planet wild albacore tuna unsalted.", + "non gmo wild planet albacore tuna unsalted", + "non gmo wild wild planet wild albacore tuna unsalted", + "gmo wild planet wild albacore tuna unsalted", + "non gmo wild planet wild albacore tuna unsalted,", + "nude wild planet wild albacore tuna unsalted", + "non gmo wildplanet wild albacore tuna unsalted", + "non gmo wild bird wild albacore tuna unsalted" + ], + "i would like some individually wrapped mandolorian lollipops for party supplies.": [ + "manual wrapped mandolorian lollipops for party supplies", + "alarm wrapped mandolorian lollipops for party supplies", + "bag of mandolorian lollipops for party supplies", + "packaged mandolorian lollipops for party supplies", + "magnolorian lollipops for party supplies", + "melolorian lollipops for party supplies", + "bagels wrapped mandolorian lollipops for party supplies", + "bagelorian lollipops for party supplies", + "manual wrapped mandolorian lollipops party supplies", + "alarm wrapped mandolorian lollipops party supplies" + ], + "look for a long sleeve polyester pullover top. get style-23 in small.": [ + "long sleeve polyester pullover top style-23", + "long sleeve polyester pullover top", + "large polyester pullover top style-23", + "long sleeve polyester pullover top in small", + "style-23 polyester pullover top", + "large polyester pullover top style-23 in small", + "long sleeve polyester pullover top, style-23", + "large polyester pullover top", + "long sleeve polyester pullover top. style-23", + "short sleeve polyester pullover top style-23" + ], + "i would like a 55 inch high def tv.": [ + "55 inch high def tv", + "coaxial 55 inch high def tv", + "gluten free 55 inch high def tv", + "50 inch high def tv", + "55 inch high def tv under $60", + " 55 inch high def tv", + "55 inch high def tv.", + "a 55 inch high def tv", + "coaxial high def tv 55 inches", + "coaxial high def tv" + ], + "i need white storage cabinets.": [ + "white storage cabinets", + "white storage cabinet", + "white storage cabinets.", + "white storage cabinets that are white", + "white storage cabinets under $50", + "white storage cabinets for white", + "white storage cabinets under $40", + "white storage cabinets under $130", + "white storage cabinets under $60", + "white storage cabinets under $120" + ], + "i am looking for a home office desk chair that has lumbar support and is black.": [ + "home office desk chair black", + "home office desk chair with lumbar support", + "home office desk chair lumbar support black", + "home office desk chair, black", + "home office desk chair lumbar support", + "home office desk chair", + "home office desk chair in black", + "home office desk chair black", + "home office desk chair, black,", + "home office desk chair white" + ], + "i am looking for aluminum alloy professional ball head tripod for camera with color: x-4i": [ + "aluminum alloy professional ball head tripod for camera", + "aluminum alloy professional ball head tripod", + "aluminum alloy professional ball head tripod for camera x-4i", + "aluminum alloy professional ball head tripod for camera with color", + "aluminum alloy professional ball head tripod for camera under $40", + "aluminum alloy professional ball head tripod tripod for camera", + "aluminum alloy professional ball head tripod tripod", + "aluminum alloy professional ball head tripod camera", + "aluminum alloy professional ball head tripod for camera color x-4", + "uminum alloy professional ball head tripod" + ], + "i want a frosted 8 inch shade for my lamp in the living room.": [ + "frosted 8 inch shade for my lamp in the living room", + "8 inch shade for my lamp in the living room", + " frosted 8 inch shade for my lamp in the living room.", + "rosted 8 inch shade for my lamp in the living room.", + "28 frosted 8 inch shade for my lamp in the living room", + "8 inch shade for my lamp in the living room.", + "rosted 8 inch shade for my lamp in the living room", + " frosted 8 inch shade for my lamp in the living room", + "tempered 8 inch shade for my lamp in the living room.", + "tempered 8 inch shade for my lamp in the living room" + ], + "i need an easy to carry pair of monoculars that are standard.": [ + "easy to carry pair of monoculars", + "easy-to-carry pair of monoculars", + "easy to carry pair of monoculars,", + "easy-to carry pair of monoculars", + "easy to carry pair of binoculars", + "simple to carry pair of monoculars", + "pocketed pair of monoculars", + "monoculars easy to carry", + "single binoculars", + "monoculars" + ], + "check for the following product in pink: honeydew ladies ultra soft cozy lounge leggings, drawstring closure. thanks": [ + "pink honeydew ladies ultra soft cozy lounge leggings with drawstring closure", + "pink honeydew ladies ultra soft cozy lounge leggings, drawstring closure", + "pink honeydew ladies ultra soft cozy lounge leggings drawstring closure", + "pink honeydew ladies ultra soft cozy lounge leggings with drawstring closure.", + "pink honeydew ladies ultra soft cozy lounge leggings", + "pink honeydew ladies ultra soft cozy lounge leggings, drawstring closure,", + "pink honeydew ladies ultra soft cozy lounge leggings with drawstring closure,", + "pink honeydew ladies ultra soft cozy lounge leggings no drawstring closure", + "pink honeydew lady ultra soft cozy lounge leggings with drawstring closure", + "pink honeydew ladies ultra soft cozy lounge leggings in drawstring closure" + ], + "get me some relaxed fit loafers, please.": [ + "a relaxed fit loafers, please.", + " relaxed fit loafers, please.", + "comfortable fit loafers, please.", + "comfortable fit loafers", + "affordable fit loafers, please.", + "affordable fit loafers", + "a relaxed fit loafers", + "living loafers relaxed fit", + "easy fit loafers", + "a relaxed fit loafers under $40" + ], + "i am looking for a high powered digital amplifier board.": [ + "high powered digital amplifier board", + "high powered digital amplifier board.", + "high powered digital amplifier board under $40", + "high powered digital amplifier board under $60", + "high powered digital amplifier board under $50", + "high powered digital amplifier board under $130", + "high powered digital amplifier board under $120", + "high powered digital amplifier board under 50 dollars", + "high powered digital amplifier board under 30 dollars", + "digital amplifier board" + ], + "i am interested in a shampoo set that is paraben free and comes in a pack of two.": [ + "shampoo set paraben free", + "shampoo set that is paraben free", + "shampoo set paraben free and pack of two", + "shampoo set paraben free pack of two", + "shampoo set paraben free and packs of two", + "shampoo set paraben free in a pack of two", + "shampoo set paraben free, pack of two,", + "shampoo set", + "shampoo set under $40", + "shampoo set under $50" + ], + "i need low rise boot cut pants in grey color.": [ + "boot cut pants in grey color", + "boot cut pants in grey", + "boot cut pants grey", + "low rise boot cut pants grey", + "boot cut pants grey color", + "boot cut pants grey low rise", + "low rise boot cut pants", + "boot cut pants, grey", + "boot cut pants gray", + "boot cut pants" + ], + "i am interested in a lemon yellow t-shirt for youth that is machine washable and is in an x-small.": [ + "lemon yellow t-shirt for youth x-small", + "lemon yellow t-shirt for youth", + "lemon yellow t-shirt for youth x-small", + "lemon yellow t-shirt for youth that is machine washable", + "lemon yellow t-shirt for youth in an x-small", + "tea yellow t-shirt for youth x-small", + "lemon yellow t-shirt for youth x-small", + "teeth yellow t-shirt for youth x-small", + "lemon yellow t-shirt", + "lemon yellow t-shirt for youth machine washable" + ], + "i would like a 14.5 fluid ounce can of fresh scent oven cleaner that is easy to use.": [ + "14.5 fluid ounce can of fresh scent oven cleaner", + "fresh scent oven cleaner 14.5 oz", + "28.5 fluid ounce can of fresh scent oven cleaner", + "12.5 fluid ounce can of fresh scent oven cleaner", + "14.5 fluid ounce can of fresh scent oven cleaners", + "fresh scent oven cleaner 14.5 fluid ounce", + "fresh scent oven cleaner that is easy to use", + "fresh scent oven cleaner, 14.5 oz", + "fresh scent oven cleaner 14.5", + "fresh scent oven cleaner 14.5 ounce" + ], + "i would like a slim fitting button down shirt in an x-small that is light blue": [ + "slim fitting button down shirt in an x-small", + "slim fitting button down shirt x-small that is light blue", + "small button down shirt in an x-small that is light blue", + "slim fitting button down shirt x-small", + " slim fitting button down shirt in an x-small", + "slim fitting button down shirt x-small light blue", + "small button down shirt in an x-small", + "slim fitting button down shirt in an x-small light blue", + " slim fitting button down shirt x-small", + "slim fitting button down shirt" + ], + "i need knee high socks that are ivory": [ + "knee high socks that are ivory", + "knee high socks ivory", + "nee high socks that are ivory", + "knee high socks in ivory", + "knee high socks, ivory", + "knee high socks with ivory", + "foot high socks that are ivory", + "knee high socks ivory knee high", + "nee high socks ivory", + "knee high socks yellow" + ], + "i want a tan and cruelty free dual salmon concealer.": [ + "tanned and cruelty free dual salmon concealer", + "tan and cruelty free dual salmon concealer", + "tanned salmon concealer", + "tan and cruelty free dual salmon concealer", + "shan and cruelty free dual salmon concealer", + "sneakers for dual salmon concealer", + "shoes and cruelty free dual salmon concealer", + "sneakers for salmon concealer", + "tan and cruelty free dual salmon concealer.", + "two salmon concealer" + ], + "shop for a device that prevents hair loss and promotes growth.": [ + "shop for a device that prevents hair loss and promotes growth.", + "medical device that prevents hair loss and promotes growth", + "medical device that prevents hair loss and promotes growth.", + "a device that prevents hair loss and promotes growth.", + "medical device prevents hair loss and promotes growth", + "shop for a device that prevents hair loss, promotes growth.", + "medical device that prevents hair loss, promotes growth", + "a device that prevents hair loss and promotes growth", + "shampoo and conditioner that prevents hair loss and promotes growth", + "shoes and hair products that prevent hair loss and promotes growth" + ], + "i am looking for some espresso pleated shades that are easy to install and are 36 inch by 72 inch.": [ + "espresso pleated shades 36 inch by 72 inch", + "easy to install espresso pleated shades 36 inch by 72 inch", + "espresso pleated shades, 36 inch by 72 inch", + " espresso pleated shades 36 inch by 72 inch", + "epresso pleated shades 36 inch by 72 inch", + "eco pleated shades 36 inch by 72 inch", + "espresso pleated shades that are easy to install", + "easy to install espresso pleated shades", + "espresso pleated shades", + "espresso pleated shades 36 inch by 72 inch under $40" + ], + "i need to buy some eighty-four inch curtains for my living room.": [ + " eighty-four inch curtains for my living room", + "eco-four inch curtains for my living room", + "80-four inch curtains for my living room", + "eighty-four inch curtains", + "eighty-four inch curtains for living room", + "window curtains for living room", + "eco-four inch curtains for living room", + "eighty-four inch curtains living room", + "window curtains for my living room", + "window curtains for the living room" + ], + "i am looking for a silver smartwatch band that is apple compatible.": [ + "silver smartwatch band that is apple compatible", + "silver smartwatch band", + "silver smartwatch band, apple compatible", + "silver smartwatch band with apple compatible", + "silver smartwatch band apple compatible", + "silver smartwatch band which is apple compatible", + "plastic silver smartwatch band", + "silver smartwatch band, apple compatible,", + "smartwatch band that is apple compatible", + "silver smartwatch band under $40" + ], + "i am looking for men's ripped jeans denim pants with an elastic waist. pick a navy color and get x-large.": [ + "mens ripped jeans denim pants x-large", + "mens ripped jeans denim pants with an elastic waist x-large", + "mens ripped jeans denim pants x-large mens mens", + "mens ripped jeans denim pants x-large mens", + "mens ripped jeans jeans with an elastic waist x-large", + "mens ripped jeans with an elastic waist x-large", + "mens ripped jeans denim pants x-large", + "mens ripped jeans denim pants x-large.", + "mens ripped jeans jeans x-large", + "mens ripped jeans denim pants x-large under $40" + ], + "i need a relaxed fit sleep bottom that is gray plaid and is a large": [ + "a relaxed fit sleep bottom that is gray plaid", + "foggy fit sleep bottom gray plaid", + "comfortable fit sleep bottom that is gray plaid", + "gray plaid sleep bottom", + "comfortable fit sleep bottom gray plaid", + "gray plaid sleep bottom that is relaxed fit", + "lax fit sleep bottom that is gray plaid", + "a relaxed fit sleep bottom gray plaid", + "foggy fit sleep bottom", + "gray plaid sleeping bottom" + ], + "i am looking for a high power sound column subwoofer, that uses bluetooth and is also a 3d surround sound system.": [ + "high power sound column subwoofer with bluetooth", + "3d surround sound system", + "sound column subwoofer that uses bluetooth", + "sound column subwoofer 3d surround sound system", + "sound column subwoofer with bluetooth", + "high power sound column subwoofer", + "sound column subwoofer, that uses bluetooth", + "3d surround sound subwoofer", + "4d surround sound system", + "3d surround sound" + ], + "i want blue high waisted plus size swimsuits for women.": [ + "blue high waisted plus size swimsuits for women", + "blue high waisted plus size swimsuits for women.", + "blue high waisted plus size swimsuits", + "blue high waisted plus size swimsuit for women", + "blue high waisted plus size swimsuits for women under $50", + "blue high waisted plus size swimsuits for women under $40", + "blue high waisted plus size swimsuits for women under 50 dollars", + "blue high waisted plus size swimsuits for women under $60", + "blue high waisted plus size swimsuits for women under 30 dollars", + "blue high waisted plus size swimsuits for women under 40 dollars" + ], + "i would like a chrome bath sconce that is a vanity light.": [ + "chrome bath sconce with vanity light", + "chrome bath sconce", + "chrome bath sconce, vanity light", + "chrome bath sconce vanity light", + "chrome bath sconce a vanity light", + "chrome bath sconce in a vanity light", + "chrome bath sconce under $50", + "chrome bath sconce under $40", + "chrome bath sconce with vanity light.", + "chrome bath sconce, vanity light," + ], + "i want speak 510 wireless bluetooth portable speakers, which is uc optimized and comes with a carrying case.": [ + "speak 510 wireless bluetooth portable speakers with a carrying case", + "speak 510 wireless bluetooth portable speakers with carrying case", + "speakers 510 wireless bluetooth portable speakers with a carrying case", + "i want speak 510 wireless bluetooth portable speakers with a carrying case.", + "speakers 510 wireless bluetooth portable speakers with carrying case", + "alarm 510 wireless bluetooth portable speakers with carrying case", + "speak 510 wireless bluetooth portable speakers, which is uc optimized", + "speak 510 wireless bluetooth portable speakers", + "speak 510 wireless bluetooth portable speakers with a carrying case.", + "speak 510 wireless bluetooth portable speakers with a carrying case," + ], + "i am looking for a bakers rack for storage space that is 35 by 22 by 42.5cm.": [ + "bakers rack for storage space that is 35 by 22 by 42.5cm", + "bakers rack for storage space 35 by 22 by 42.5cm", + "barbecue rack for storage space that is 35 by 22 by 42.5cm", + "barbecue rack for storage space 35 by 22 by 42.5cm", + "bakers rack, 35 by 22 by 42.5cm", + "bakers rack for storage space that is 35 by 22 x 42.5cm", + "bakers rack 35 by 22 by 42.5cm", + "bakers rack for storage space that is 35 x 22 by 42.5cm", + "bakers rack for storage space 35 by 22 by 42.5cm.", + "bakers rack for storage space" + ], + "i want small wide leg maszone y2k fashion jeans for women.": [ + "small wide leg maszone y2k fashion jeans for women", + "small wide leg maszone y2k fashion jeans", + "small wide leg maszone y2k style jeans for women", + "small wide leg maszone y2k style jeans", + "large wide leg maszone y2k fashion jeans for women", + "small wide leg maszone y2k fashion jeans,", + "large wide leg maszone y2k fashion jeans", + "maszone y2k fashion jeans", + "slimming jeans for women", + "slimming jeans" + ], + "i am interested in a long sleeved blue shirt that is in a medium": [ + "long sleeved blue shirt in a medium", + "long sleeved blue shirt", + "long sleeved blue shirt under $50", + "long sleeved blue shirt under $40", + "long sleeved blue shirt with a medium", + "short sleeved blue shirt in a medium", + "long sleeved blue shirt under 50 dollars", + "long sleeved blue shirt under $60", + "long sleeved blue shirt, medium", + "medium blue shirt long sleeved" + ], + "i want to buy the travel size of the creed original impression.": [ + "travel size of the creed original impression", + "style of the creed original impression", + "credential original impression", + "compact original impression", + "style of the creed original impression.", + "credential original impression travel size", + "cement original impression travel size", + "compact original impression travel size", + "cement original impression", + "original impression travel size" + ], + "i need a core i5 desktop that has 20gb of ram and 512gb of storage.": [ + "core i5 desktop with 20gb of ram and 512gb of storage", + "tablet i5 with 20gb of ram and 512gb of storage", + "desktop with 20gb of ram and 512gb of storage", + "desktop core i5 with 20gb of ram and 512gb of storage", + "core i5 desktop with 20gb of ram and 512gb storage", + " core i5 desktop with 20gb of ram and 512gb of storage", + "tablet i5 with 20gb of ram and 512gb storage", + "core i5 desktop with 20gb of ram and 512gb", + "desktop i5 with 20gb of ram and 512gb of storage", + "desktop core i5 with 20gb of ram and 512gb storage" + ], + "i'm looking for a party supplies of birthday party cupcake.": [ + "birthday party supplies", + "baby shower supplies", + "birthday party supplies under $50", + "birthday party supplies below $50", + "birthday party supplies under $40", + "birthday party supplies under $60", + "birthday party supplies below $40", + "birthday party supplies under 50 dollars", + "birthday party supplies for baby shower", + "birthday party supplies cupcake" + ], + "i need a brushed nickel floor lamp that is turquoise": [ + "brushed nickel floor lamp that is turquoise", + "brushed nickel floor lamp turquoise", + "buffet nickel floor lamp that is turquoise", + " brushed nickel floor lamp that is turquoise", + "brushed nickel floor lamp in turquoise", + "brushed nickel floor lamp, turquoise", + "brushed nickel floor lamp", + "buffet nickel floor lamp turquoise", + "floor lamp that is turquoise", + "brushed nickel floor lamp with turquoise" + ], + "i would like a hair comb for dry hair.": [ + "hair comb for dry hair", + "hair comb for dry hair.", + "hair comb for dry hair under $40", + "hair comb for dry hair under $50", + "hair comb for dry hair under $60", + "hair comb for dry hair under 50 dollars", + "hair comb for dry hair under 30 dollars", + "hair comb for dry hair below $40", + "tooth comb for dry hair", + "hair comb for dry hair" + ], + "i want reparative eye creme for dark circles.": [ + "im looking for reparative eye creme for dark circles.", + "reparative eye creme for dark circles", + "i want reparative eye creme for dark circles.", + "reparative eye creme for dark circles.", + "reparative eye creme dark circles", + "pactarative eye creme for dark circles", + "im looking for an eye creme for dark circles.", + "reparative eye creme for dark circles under $50", + "reparative eye creme for dark circles under $40", + "parmative eye creme for dark circles" + ], + "i am looking a dust proof cover easy install easy carry fit for xbox series x colour black": [ + "dust proof cover xbox series x colour black", + "dust proof cover for xbox series x colour black", + "dust proof cover easy to carry xbox series", + "dust proof cover easy carry xbox series", + "dust proof cover in xbox series x colour black", + "dust proof cover xbox series", + "dust proof cover easy install xbox series", + "dust proof cover easy carry xbox series x colour", + "dust proof cover easy install xbox series x colour", + "dust proof cover" + ], + "i want a large i just want to work in my garden short sleeve t shirt.": [ + "large t-shirt", + "garden short sleeve t-shirt", + "large t-shirt garden", + "large t-shirt under $50", + "large t-shirt under $40", + "large t-shirt under $60", + "large t-shirt in a garden", + "large t-shirt under 50 dollars", + "large t-shirt gardening", + "garden t-shirt" + ], + "i am looking for heavy duty 4 inch shelf brackets that are easy to install.": [ + "heavy duty 4 inch shelf brackets", + "heavy duty 4 inch shelf brackets easy to install", + "4 inch shelf brackets that are easy to install", + "4 inch shelf brackets", + "4 inch shelf brackets easy to install", + "easy to install heavy duty 4 inch shelf brackets", + "heavy duty 4 inch shelf brackets under $50", + "heavy duty 4 inch shelf brackets under $40", + "heavy duty 4 inch shelf brackets under $60", + "leviseless duty 4 inch shelf brackets" + ], + "i would like some wireless headphones, hands free, in red please. they must have bluetooth and a mic.": [ + "wireless headphones, hands free, in red", + " wireless headphones, hands free, in red", + "womens wireless headphones with bluetooth", + "alarm wireless headphones, hands free, in red", + "wirefree wireless headphones, hands free, in red", + "wirefree wireless headphones in red", + "wireless headphones with bluetooth and a mic", + "wireless headphones with bluetooth", + "wireless headphones in red", + "wireless headphones, hands free, in red," + ], + "i want a midnight blue and solid wood napa ottoman.": [ + "night blue and solid wood napa ottoman", + "night sky blue and solid wood napa ottoman", + "night blue solid wood napa ottoman", + "midnight blue and solid wood napa ottoman", + "nightmare blue and solid wood napa ottoman", + "nighttime blue and solid wood napa ottoman", + "night blue and solid wood napa ottoman.", + "night sky blue solid wood napa ottoman", + "night sky solid wood napa ottoman", + "night sky ottoman midnight blue" + ], + "i am looking for a sugar free and gluten free dried fruits in dried pineapple flavor. also choose size of 8 ounce (pack of 2)": [ + "sugar free and gluten free dried fruits in dried pineapple flavor", + "sugar free and gluten free dried fruits 8 ounce (pack of 2)", + "sugar free dried fruits dried pineapple flavor 8 ounce (pack of 2)", + "sugar free and gluten free dried fruits dried pineapple flavor", + "sugar free dried fruits in dried pineapple flavor", + "sugar free dried fruits 8 ounce (pack of 2)", + "gluten free dried fruits 8 ounce (pack of 2)", + "sugar free and gluten free dried fruits", + "sugar free dried fruits dried pineapple flavor", + "sugar free dried fruits" + ], + "i would like a purple 3.35 inch hair clip for hair styling and cutting.": [ + "pink 3.35 inch hair clip", + "pink 3.35 inch hair clip for hair styling", + "purple 3.35 inch hair clip", + "pink hair clip for hair styling and cutting", + "plastic 3.35 inch hair clip", + "pink hair clip for hair styling and cutting.", + " purple 3.35 inch hair clip", + "blue 3.35 inch hair clip", + "3.35 inch hair clip", + "pink hair clip" + ], + "i need a t shirt that i can hand wash in an xx-large and is the color of wine.": [ + "xx-large t-shirt", + "t-shirt xx-large color of wine", + "t-shirt xx-large", + "xx-large t-shirt color of wine", + "xx-large t-shirt with wine color", + "xx-large t-shirt under $50", + "t-shirt xx-large wine", + "xxl t-shirt", + "t shirt xx-large", + "t-shirt" + ], + "i am looking for a barbershop tin sign for my hair salon.": [ + "barbershop tin sign for my hair salon", + "barbershop tin sign for my hair salon.", + "barbershop tin sign for a hair salon", + "barbershop tin sign", + "barbershop tin sign for hair salon", + "barbershop tin sign for a hair salon.", + "barbershop tin sign for the hair salon", + "barbershop tin sign for my hair salon,", + "barbershop tin sign, hair salon", + "barbershop tin sign for hair salon." + ], + "i am interested in some hair growth treatments.": [ + "hair growth treatments", + "hair growth treatments under $50", + "hair growth treatments under $40", + "hair growth treatments under $60", + "hair growth treatments that are natural", + "hair growth treatments.", + "hair growth treatments under 30 dollars", + "hair growth treatments for men", + "hair growth treatments under $120", + "hair growth treatments for women" + ], + "i want a long lasting scented candles aromatherapy soy set.": [ + "scent candles aromatherapy soy set", + "sented candles aromatherapy soy set", + "espresso candles aromatherapy soy set", + "vegan candles aromatherapy soy set", + "synthetic candles aromatherapy soy set", + "tempered candles aromatherapy soy set", + "scent candles aromatherapy soy set.", + "sented candles aromatherapy soy set.", + "espresso candles aromatherapy soy set.", + "shoes aromatherapy soy set" + ], + "i am looking for a space saving home office desk with a reclaimed wood look to it.": [ + "office desk with a reclaimed wood look", + "living room desk with reclaimed wood look", + "home office desk that is space saving", + "living room desk reclaimed wood", + "living room desk with reclaimed wood", + "home office desk reclaimed wood", + "home office desk with a reclaimed wood", + "a space saving home office desk", + "home office desk", + "living room desk" + ], + "i am looking for 6 inch stainless steel hair cutting scissors.": [ + "6 inch stainless steel hair cutting scissors", + "6 inch stainless steel hair cutting scissors.", + "6 inch stainless steel hair cutting scissors under $50", + "6 inch stainless steel hair cutting scissors under $60", + "6 inch stainless steel hair cutting scissors under $40", + "6 inch stainless steel hair cutting scissors under $120", + "6 inch stainless steel hair cutting scissors under 50 dollars", + "6 inch stainless steel hair cutting scissors,", + "6 inch stainless steel hair cutting scissors below $50", + "stainless steel hair cutting scissors" + ], + "i would like a 34 piece set of some long lasting press on nails": [ + "33 piece set of some long lasting press on nails", + " 34 piece set of some long lasting press on nails", + "34 piece set of some long lasting press on nails", + "33 piece set of long lasting press on nails", + "24 piece set of some long lasting press on nails", + "64 piece set of some long lasting press on nails", + " 34 piece set of long lasting press on nails", + "brushed nails 34 piece", + "brushed nails 34 piece set", + "brushed nails 34 piece set long lasting" + ], + "i am looking for a dill pickle vegan ranch flavored gourmet popcorn gift basket.": [ + "vegan gourmet popcorn gift basket", + "bagel vegan ranch flavored gourmet popcorn gift basket", + "moisturizer gourmet popcorn gift basket", + "dill pickle vegan ranch flavored gourmet popcorn", + "toothpaste gourmet popcorn gift basket", + "vegan gourmet popcorn gift basket.", + "vegan gourmet popcorn gift basket under $40", + "vegan gourmet popcorn gift basket under 50 dollars", + "bag of gourmet popcorn gift basket", + "gourmet popcorn gift basket dill pickle" + ], + "i would like some 18 inch micro loop hair extensions.": [ + "18 inch micro loop hair extensions", + "18 inch micro loop hair extension", + "18 inch micro loop hair extensions under $50", + "18 inch micro loop hair extensions under $60", + "18 inch micro loop hair extensions under $40", + "18 inch micro loop hair extensions under 50 dollars", + "18 inch micro loop hair extensions under $120", + "18 inch micro loop hair extensions under 30 dollars", + "18 inch micro loop hair extensions under 40 dollars", + "18 inch micro loop hair extensions under $130" + ], + "i would like a size 8 azure clog made from vinyl acetate.": [ + "size 8 azure clog made from vinyl acetate", + "a size 8 azure clog made from vinyl acetate", + "azure clog made from vinyl acetate", + "x8 azure clog made from vinyl acetate", + "azure clog made from vinyl acetate size 8", + "ashure clog made from vinyl acetate", + "size 8 azure clog made from vinyl acetate.", + "ashure clog made from vinyl acetate size 8", + "ajure clog made from vinyl acetate", + "ajure clog made from vinyl acetate size 8" + ], + "i need some regular slim fit jeans that are a size 34w by 38l": [ + "regular slim fit jeans 34w by 38l", + "regular slim fit jeans size 34w by 38l", + "regular slim fit jeans, 34w by 38l", + "regular slim fit jeans 33w by 38l", + "regular slim fit jeans 34w x 38l", + "regular slim fit jeans a size 34w by 38l", + "regular slim fit jeans 38w by 38l", + "regular slim fit jeans", + "regular slim fit jeans, 34w by 38l,", + "regular slim fit jeans 34w by 38l," + ], + "i need a pink color women's eau de parfum which should have a long lasting fragrance.": [ + "pink color womens eau de parfum", + "womens eau de parfum pink", + "pink womens eau de parfum", + "pink colored womens eau de parfum", + "pink womens eau de parfum", + "womens eau de parfum", + "pink mens eau de parfum", + "pink baby shower scent", + "pink wig color", + "pink" + ], + "i want x-large unisex rubber sole diving shoes.": [ + "x-large unisex rubber sole diving shoes", + " x-large unisex rubber sole diving shoes", + "i want x-large unisex rubber sole diving shoes.", + "xl unisex rubber sole diving shoes", + "x-large unisex rubber sole diving shoes.", + "x-large unisex rubber sole diving shoes x-large", + "xxl unisex rubber sole diving shoes", + "x-large unisex rubber sole diving shoes under $50", + "x-large unisex rubber sole diving shoes,", + "x-large unisex rubber sole diving shoes under $40" + ], + "i am looking for a vanity light wall lamp with clear glass also choose 01 - 1 sconces light in color": [ + "vanity light wall lamp with clear glass", + "k vanity light wall lamp with clear glass", + "vinyl light wall lamp with clear glass", + "vanity light wall lamp", + "pink vanity light wall lamp", + "a vanity light wall lamp with clear glass", + "vanity light wall lamp, clear glass", + " vanity light wall lamp with clear glass", + "vinyl light wall lamp", + "k vanity light wall lamp" + ], + "i need to buy some cupcake toppers for a birthday party.": [ + "cupcake toppers for a baby shower", + "cupcake toppers for a birthday party", + "cupcake toppers for a birthday party.", + "cupcake toppers for a baby shower.", + "cupcake toppers for baby shower", + "cupcake toppers for a small baby shower", + "cupcake toppers for a bday party", + "bagcake toppers for a baby shower", + "cupcake toppers for birthday party", + "cupcake toppers" + ], + "i am looking for a 12 ounce jar of raspberry preserve that is nut and gluten free.": [ + "12 ounce jar of raspberry preserve", + "12 ounce jar of raspberry preserve nut and gluten free", + "12 ounce jar of raspberry preserve that is nut free", + "12 ounce jar of raspberry preserve, nut and gluten free", + "12 ounce raspberry preserve that is nut and gluten free", + "12 ounce jar of raspberry preserve with nut and gluten free", + "12 ounce jar of raspberry preserve nut free", + "pack of raspberry preserve that is nut and gluten free", + "12 ounce jar of raspberry preserve, nut free", + "12 ounce jar of raspberry preserve no nuts and gluten" + ], + "i need 15 pounds of non gmo beans.": [ + "15 pounds of non gmo beans", + "15 pounds non gmo beans", + "non gmo beans 15 pounds", + "15 pounds of non gmo beans.", + "16 pounds of non gmo beans", + "15 pound non gmo beans", + "teen pounds of non gmo beans", + "15 pounds of non-gmo beans", + "14 pounds of non gmo beans", + "15 pound of non gmo beans" + ], + "i need some hair oil for damaged hair.": [ + "hair oil for damaged hair", + "hair oil for damaged hair.", + "hair oil for damaged hair under $40", + "hair oil for damaged hair under $50", + "hair oil for damaged hair under $60", + "hair oil for damaged human hair", + "hair oil for damaged hair below $40", + "hair oil for damaged hair below $50", + "hair oil for damaged hair ", + "hair oil for damaged air" + ], + "i need some eye cream for treating fine lines.": [ + "eye cream for treating fine lines", + "eye cream for treating fine lines.", + "eye cream for treating fine lines under $40", + "Eye cream for treating fine lines", + "eye cream for treating fine lines under $60", + "eye cream for treating fine lines under $50", + "an eye cream for treating fine lines", + "oral cream for treating fine lines", + "organic eye cream for treating fine lines", + "an eye cream for treating fine lines." + ], + "i would like to buy a heavy duty with a rocket type style outlet combo wall plate cover": [ + "heavy duty with a rocket type style outlet combo wall plate cover", + "low duty with a rocket type style outlet combo wall plate cover", + "large duty with a rocket type style outlet combo wall plate cover", + "rocket type style outlet combo wall plate cover", + "heavy duty with a rocket type style wall plate cover", + "heavy duty with a rocket style style outlet combo wall plate cover", + "tanker style outlet combo wall plate cover", + "heavy duty with a rocket type style outlet combo wall plate", + "heavy duty with a rocket type style outlet combo wall plates cover", + "barbecue style outlet combo wall plate cover" + ], + "i would like some fluoride free toothpaste.": [ + "fluoride free toothpaste", + "fluoride free toothpaste.", + "fluoride free toothpaste under $40", + "fluoride free toothpaste under $50", + "fluoride free toothpaste under $60", + "fluoride free toothpaste under 50 dollars", + "fluoride free toothpaste no fluoride", + "fluoride free toothpaste below $40", + "fluoride free toothpaste below $50", + "fluoride free toothpaste under 30 dollars" + ], + "i am looking for beef meat sticks that are keto friendly, and low carb.": [ + "keto friendly beef meat sticks keto friendly", + "keto friendly beef meat sticks keto friendly", + "keto friendly beef meat sticks", + "keto friendly beef meat sticks keto friendly, low carb", + "vegan meat sticks keto friendly and low carb", + "keto friendly beef meat sticks keto friendly, low carb", + "strawberry beef meat sticks keto friendly", + "strawberry beef meat sticks keto friendly, low carb", + "buffet meat sticks keto friendly, low carb", + "vegan meat sticks keto friendly, low carb" + ], + "i need a high speed and dual band wireless signal booster.": [ + "high speed dual band wireless signal booster", + "high speed and dual band wireless signal booster", + "dual band wireless signal booster", + "high speed and dual band wireless signal booster.", + "high speed dual band wireless signal booster.", + "low speed and dual band wireless signal booster", + "high speed high speed dual band wireless signal booster", + "high speed wireless signal booster", + "high speed and dual band wireless signal booster,", + "low speed dual band wireless signal booster" + ], + "i'm looking for a cruelty free, herbal toothpaste in mint flavor.": [ + "cruelty free herbal toothpaste in mint flavor", + "cruelty free herbal toothpaste mint flavor", + "cruelty free herbal toothpaste", + "cruelty free, herbal toothpaste mint flavor", + "cruelty free herbal toothpaste with mint flavor", + "cruelty free herbal toothpaste, mint flavor", + "cruelty free, herbal toothpaste", + "cruelty free herb toothpaste in mint flavor", + "animal toothpaste in mint flavor", + " cruelty free herbal toothpaste in mint flavor" + ], + "i'm looking for orange spice tea that is caffeine free and organic.": [ + "orange spice tea, caffeine free and organic", + "orange spice tea that is caffeine free", + "orange spice tea caffeine free and organic", + "orange spice tea", + "orange spice tea with caffeine free and organic", + "orange spice tea, caffeine free, organic", + "orange spice tea caffeine free", + "orange spice tea no sugar", + "orange spice tea no caffeine", + "orange spice tea, caffeine free" + ], + "i am looking for plant based, gluten free, chocolate chip blondie cookies that i can eat or are safe to use for my kid's snacks.": [ + "plant based, gluten free, chocolate chip blondie cookies", + "plant based gluten free, chocolate chip blondie cookies", + "plant based, gluten free chocolate chip blondie cookies", + "plant based gluten free chocolate chip blondie cookies", + "plant based gluten free, chocolate chip blondie cookies for kids snacks", + "plant based, gluten free, chocolate chip blondie cookies for kids", + "plant based, gluten free chocolate chip blondie cookies for kids snacks", + "plant based gluten free chocolate chip blondie cookies for kids snacks", + "plant based gluten free, chocolate chip blondie cookies for kids", + "plant based chocolate chip blondie cookies" + ], + "i would like some cruelty free moisturizer that is in a vanilla shimmer scent and comes in five tubes": [ + "cruelty free moisturizer in a vanilla shimmer scent", + "cruelty free moisturizer with vanilla shimmer", + "cruelty free moisturizer with a vanilla shimmer scent", + "cruelty free moisturizer five tubes", + "cruelty free moisturizer with vanilla shimmer scent", + "cruelty free moisturizer 5 tubes", + "cruelty free moisturizer", + "cruelty free moisturizer, vanilla shimmer", + "cruelty free moisturizer with a vanilla shimmer", + "cruelty free moisturizer vanilla shimmer" + ], + "i would like a bianca white crib dresser with a lot of storage space.": [ + "bianca white crib dresser", + "bianca white crib dresser with storage space", + "bianca white crib dresser with a lot of storage", + "banana white crib dresser with a lot of storage space", + "burglar white crib dresser with a lot of storage space", + "a bianca white crib dresser", + "bianca white crib dresser, with storage space", + "bianca white crib dresser, with storage space,", + "burglar white crib dresser", + "banana white crib dresser" + ], + "i would like a super soft camo throw for the living room.": [ + "super soft camo throw for the living room", + "super soft camo throw for living room", + "super soft camo throw for living room.", + "super soft camo throw living room", + "super soft camo throw in the living room", + "super soft camo throw", + "super soft camo throw for a living room", + "super soft camo throws for the living room", + "super soft camo throw, living room", + "supersoft camo throw for the living room" + ], + "i am looking for workout leggings with fantastic texture design. cute fabric, that mask the appearance of cellulite and imperfections with its carefully designed rhombus textured patterns. also provide you the right compression too. butt lift push up wasit shaper sport leggings featuring your curves pop.seamless technology perfectly show your figure shape ,which gives your butt a streamlined flattering look like a juicy peach. womens leggings pack leggings that are designed with high-waist, tummy control wide waistband,to enhance curves,provides a complete coverage for your body(no worrying about belly rolls or a underwear show). the high waist belt can control the stomach, yoga leggings which are perfect for sports women.in red colour ,xl size preferable.": [ + "womens leggings with fantastic texture design. cute fabric", + "workout leggings with fantastic texture design. cute fabric", + "womens leggings with fantastic texture design", + " workout leggings with fantastic texture design. cute fabric", + "shaper sport leggings with fantastic texture design. cute fabric", + "workout leggings with fantastic texture design", + "womens leggings with a sexy texture design. cute fabric", + "i am looking for workout leggings with fantastic texture design. cute fabric under $50", + "pink leggings with fantastic texture design", + "i am looking for workout leggings with fantastic texture design. cute fabric under $40" + ], + "i would like some air bang #6 light brown hair extensions.": [ + "air bang #6 light brown hair extensions", + "air bang #6 light brown hair extension", + " air bang #6 light brown hair extensions", + "air bang #6 light brown hair extensions.", + "air bang #6 light brown hair extensions under $50", + "air bangs #6 light brown hair extensions", + "an air bang #6 light brown hair extensions", + "air bang #6 light brown hair extensions under $60", + "air bang #6 light brown hair extensions under $40", + "a air bang #6 light brown hair extensions" + ], + "i need an eye cream for dark circles": [ + "eye cream for dark circles", + "dark circles eye cream", + "dark circles", + "eye cream for dark circles under $40", + "eye cream dark circles", + "dark circles with eye cream", + "eye cream for dark circles under $50", + "eye cream for dark circles under $60", + "eye cream for dark circles under 50 dollars", + "dark circles under $40" + ], + "original udder balm moisturizer is my choice . please give me fragrance free, 16 oz pump.": [ + "original udder balm moisturizer 16 oz pump", + "original udder balm moisturizer 16 oz pump.", + "original udder balm moisturizer16 oz pump", + "original udder balm moisturizer, 16 oz pump", + "original udder balm moisturizer", + "original udder balm moisturizer 17 oz pump", + "original udder balm moisturizer 16 oz pump,", + "original udder balm moisturizer 16 oz pump", + "udder balm moisturizer 16 oz pump", + "original udder balm moisturizer 16 oz" + ], + "i need some navy button down shirts that are long sleeved and in a size medium": [ + "navy button down shirts long sleeved in a size medium", + "navy button down shirts in a size medium", + " navy button down shirts long sleeved in a size medium", + "navy button down shirts long sleeved", + "navy button down shirts that are long sleeved", + " navy button down shirts long sleeved and in a size medium", + "navy button down shirts", + "navy button down shirts long sleeved medium", + " navy button down shirts in a size medium", + "navy button down shirts medium" + ], + "i want a 04 color and easy to use straight hairpiece clip.": [ + "04 color straight hairpiece clip", + " 04 color straight hairpiece clip", + "04 color easy to use straight hairpiece clip", + "4 color straight hairpiece clip", + "a 04 color straight hairpiece clip", + "06 color straight hairpiece clip", + "style straight hairpiece clip", + "04 color straight hairpiece clip under $40", + "04 color straight hairpiece clip under $60", + "style straight hairpiece clip 04 color" + ], + "i am looking for a pink colored dental flosser for sensitive teeth.": [ + "pink colored dental flosser for sensitive teeth", + "pink colored dental flosser for sensitive teeth.", + "pink colored dental flosser for sensitive teeth under $40", + "pink colored dental flosser for sensitive teeth,", + "pink colored dental flosser for sensitive teeth under $50", + "pink colored dental flosser for sensitive teeth under $60", + "pink colored dental flosser for sensitive teeth below $40", + "pink colored dental flosser for sensitive teeth under 50 dollars", + "pink colored dental flosser sensitive teeth", + "pink colored dental flosser for sensitive teeth under 30 dollars" + ], + "i need a ready to hang wall mirror in a champagne sunburst color.": [ + "living wall mirror in a champagne sunburst color", + "living room wall mirror in a champagne sunburst color", + "bathroom wall mirror in a champagne sunburst color", + "ready to hang wall mirror in champagne sunburst color", + "bathroom mirror in a champagne sunburst color", + "living wall mirror in champagne sunburst color", + "ready to hang wall mirror champagne sunburst color", + "ready to hang wall mirror in a champagne sunburst", + "ready to hang wall mirror", + "living wall mirror in a champagne sunburst color." + ], + "i need an easy to install anti-dust plug for an iphone 13.": [ + "iphone 13 anti-dust plug", + "anti-dust plug for an iphone 13", + "easy to install anti-dust plug for iphone 13", + "easy to install anti-dust plug iphone 13", + "anti-dust plug for iphone 13", + "anti-dust plug iphone 13", + "iphone 13 anti-dust plug easy to install", + "anti-dust plug for an iphone 13.", + "anti-dust plug for an iphone 13.5", + "easy to install anti-dust plug iphone 13." + ], + "i need a gold plated hdmi adapter that is capable of 4k.": [ + "gold plated hdmi adapter", + "4k gold plated hdmi adapter", + "gold plated hdmi adapter for 4k", + "gold plated hdmi adapter 4k", + "gold plated hdmi adapter with 4k", + "plated hdmi adapter", + "gold plated hdmi adapter under $40", + "gold plated hdmi adapter, 4k", + "pink plated hdmi adapter", + "4k hdmi adapter" + ], + "buy a one pack of permanent hair dye in espresso.": [ + "one pack of permanent hair dye in espresso", + "two pack of permanent hair dye in espresso", + "permanent hair dye in espresso", + "pink permanent hair dye in espresso", + "1 pack of permanent hair dye in espresso", + "pink hair dye in espresso", + "permanent hair dye in espresso.", + "one pack of permanent hair dye", + "pink colored hair dye in espresso", + "permanent hair dye in espresso flavor" + ], + "i am looking for small undershirts that i can machine wash": [ + "small undershirts machine wash", + "small undershirts", + "small undershirts under $50", + "small undershirts under $40", + "small undershirts, machine wash", + "small undershirts under 50 dollars", + "small undershirts under $60", + "small undershirts for machine wash", + "small undershirts under 40 dollars", + "small undershirts under 30 dollars" + ], + "i would like pair of size 7.5 slides with a rubber sole. .": [ + "size 7.5 slides with a rubber sole", + "pair of size 7.5 slides", + "two size 7.5 slides with a rubber sole", + "size 7.5 slides with a rubber sole.", + "shoes size 7.5 with a rubber sole", + "size 7.5 slides with a rubber sole,", + "size 7.5 slide with a rubber sole", + "pair of size 7.5 slides with rubber sole", + "pair of size 7.5 slides, rubber sole", + "pair of size 7.5 slides rubber sole" + ], + "i need some wall mounted mirrors that are 70 by 100 cm.": [ + "wall mounted mirrors 70 by 100 cm", + "wall mounted mirrors that are 70 by 100 cm", + "wall mounted mirrors, 70 by 100 cm", + "wall mounted mirrors", + "wall mounted mirror 70 by 100 cm", + "wall mounted mirrors in 70 by 100 cm", + "wall mounted mirrors 70 by 100 cm.", + "wall mounted mirrors 70 x 100 cm", + "wall mounted mirrors that are 70 by 100cm", + "wall mounted mirrors that are 70 by 100 centimeters" + ], + "i am looking for a 42mm stainless steel smartwatch band": [ + "42mm stainless steel smartwatch band", + " 42mm stainless steel smartwatch band", + "40mm stainless steel smartwatch band", + "stainless steel smartwatch band 42mm", + "smartwatch band 42mm stainless steel", + "43mm stainless steel smartwatch band", + "38mm stainless steel smartwatch band", + "stainless steel smartwatch band", + "42mm stainless steel smartwatch band,", + "smartwatch band 42mm" + ], + "i am looking for a heavy duty wood colored wall mounted folding table.": [ + "heavy duty wood colored wall mounted folding table", + "wood colored wall mounted folding table", + "heavy duty wood colored wall mounted folding table.", + "wood colored wall mounted folding table.", + "wood colored wall mounted folding table under $50", + "wood colored wall mounted folding table under $40", + "wood colored wall mounted folding table under $60", + "wood colored wall mounted folding table under 50 dollars", + "large duty wood colored wall mounted folding table", + "wood colored wall mounted folding table under 30 dollars" + ], + "i would like a bottle of green goddess ranch dressing from quality ingredients.": [ + "green goddess ranch dressing from quality ingredients", + "green goddess ranch dressing from quality ingredients.", + "green goddess ranch dressing", + "green goddess ranch dressing made from quality ingredients", + "a bottle of green goddess ranch dressing from quality ingredients", + "green goddess ranch dressing from quality ingredients under $40", + "green goddess ranch dressing with quality ingredients", + "green goddess ranch dressing from quality ingredients under $60", + "bottle of green goddess ranch dressing from quality ingredients", + "green goddess ranch dressing from quality ingredients under $50" + ], + "i need a pack of three dried apricots that are non gmo": [ + "three dried apricots non gmo", + "three dried apricots", + "pack of three dried apricots", + "3 dried apricots non gmo", + "three dried apricots, non gmo", + "three dried apricots non gmo pack", + "3 dried apricots", + "three dried apricots no gmo", + "three dried apricots no gmo pack", + "pack of 3 dried apricots" + ], + "i am looking for natural flavors and high fructose pineapple juice marinade": [ + "natural flavors and high fructose pineapple juice marinade", + "natural flavors pineapple juice marinade", + "natural pineapple juice marinade", + "natural flavors high fructose pineapple juice marinade", + "natural flavors pomegranate juice marinade", + "natural flavors, high fructose pineapple juice marinade", + "natural pomegranate juice marinade", + "natural flavor pineapple juice marinade", + "natural flavors pineapple juice marinade under $40", + "pink pineapple juice marinade natural" + ], + "i want a hot pink kokovifyves women's hooded winter warm vest.": [ + "hot pink kokovifyves womens hooded winter warm vest", + "hot pink kokovifyves womens hooded winter warm vest.", + "hot pink kokovifyves womens hooded winter warm vest,", + "kokovifyves womens hooded winter warm vest", + "hot pink kokovifyves mens hooded winter warm vest", + "hot pink kokovifyves women hooded winter warm vest", + "kokovifyves womens hooded winter warm vest.", + "hot pink kokovifyves womens hooded", + "womens hooded winter warm vest", + "womens hooded winter warm vest hot pink" + ], + "i need a blackhead extractor that is silver and easy to use.": [ + "silver blackhead extractor", + "blackhead extractor silver", + "silver blackhead extractor silver", + "blackhead extractor silver easy to use", + "silver and blackhead extractor", + "silver blackhead extractor under $40", + "silver blackhead extractor that is silver", + "silver human hair extractor", + "silver blackhead extractor, silver", + "silverhead extractor" + ], + "i need four vanity lights.": [ + "four vanity lights", + "4 vanity lights", + "three vanity lights", + "bathroom lights four vanity lights", + "four vanity lights under $40", + "i need four vanity lights.", + "four vanity lights under $50", + "4 vanity lights under $40", + "four vanity lights under $60", + "4 vanity lights under $50" + ], + "i'm looking for a styling cream that is cruelty free and for short hair.": [ + "cruelty free styling cream for short hair", + "cruelty free styling cream", + "cruelty free styling cream for short hair.", + "cruelty free and short hair styling cream", + "cruelty free styling cream with short hair", + "cruelty free hair styling cream", + "cruelty-free styling cream for short hair", + "cruelty free styling cream short hair", + " styling cream cruelty free for short hair", + "style cream cruelty free for short hair" + ], + "i want white crystal rhinestones flatback colored jewels for nail art.": [ + "white crystal rhinestones flatback colored jewels", + "white crystal rhinestones flatback colored jewels nail art", + "white crystal rhinestones", + "white crystal rhinestones nail art", + "white crystal rhinestones, colored jewels for nail art", + "white crystal rhinestones flatsback colored jewels", + "white crystal rhinestones flatback colored", + "white crystal rhinestones rug art", + "white crystal rhinestones under $50", + "white crystal rhinestones, nail art" + ], + "i am really wanting some khaki jeans that are high waisted and in a xx-large.": [ + "kaki jeans high waisted xx-large", + "k khaki jeans high waisted xx-large", + "kaki jeans xx-large", + "k khaki jeans xx-large", + "high waisted khaki jeans xx-large", + "knee high waisted xx-large khaki jeans", + "kaki jeans that are high waisted xx-large", + "kaki jeans x-large", + "curtains high waisted and xx-large", + "kaki jeans high waisted x-large" + ], + "i am looking for a toothpaste that would freshen breath.": [ + "toothpaste freshen breath", + "toothpaste, freshen breath", + "teethpaste freshen breath", + "toothpaste for breath", + "paste that would freshen breath", + "toothpaste", + "paste that would freshen breath.", + "teethpaste for breath", + "teethpaste", + "toothpaste freshen breath." + ], + "i want a silver hermitshell hard carrying case.": [ + "silver hermitshell hard carrying case", + "silver hermitshell heavy carrying case", + "silver hermitshell soft carrying case", + "silver hermitshell carrying case", + "silver hermitshell long carrying case", + "silver hermitshell case", + "silver hermitshell easy carrying case", + "silver hermitshell solid carrying case", + "silver hermitshell hard carrying", + "silver hermitshell" + ], + "i am looking for a cruelty free foundation refill in west indies walnut color.": [ + "cruelty free foundation refill in west indies walnut color", + "cruelty free foundation refill west indies walnut color", + "cruelty free foundation refill in west indies walnut", + "cruelty free foundation refill west indies walnut", + "cruelty free foundation refill, west indies walnut color", + "cruelty free foundation refill in west indies walnut colored", + "cruelty free foundation refill of west indies walnut color", + "cruelty free foundation refill west indies walnut colored", + "cruelty free foundation refill with west indies walnut color", + "cruelty free foundation refill with walnut color" + ], + "i want indiana jones raiders of the lost ark party supplies.": [ + "indiana jones raiders of the lost ark party supplies", + "indiana jones raiders of the lost ark party supplies.", + "indiana jones raiders of the lost ark party supplies under $50", + "indiana jones raiders of the lost ark party supplies under $40", + "indiana jones raiders of the lost ark party supplies under 30 dollars", + "indiana jones raiders of the lost ark party supplies under $60", + "indiana jones raiders of the lost ark party supplies under 50 dollars", + "indian jones raiders of the lost ark party supplies", + "i want indiana jones raiders of the lost ark party supplies.", + "indiana jones raiders of the lost ark party supplies under $120" + ], + "i want fuchsia modencoco women's pointed toe pumps with ankle strap.": [ + "fuchsia modencoco womens pointed toe pumps with ankle strap", + "fuchsia modencoco womens toe pumps with ankle strap", + "fuchsia modencoco womens pointed toe pumps", + "fuchsia modencoco womens toe pumps", + "fuchsia modencoco womens point toe pumps with ankle strap", + "fuchsia modencoco womens pointed toe pumps, ankle strap", + "fuchsia modencoco womens walking toe pumps with ankle strap", + "rfuchsia modencoco womens pointed toe pumps with ankle strap", + "fuchsia modencoco womens t toe pumps with ankle strap", + "fuchsia modencoco womens foot pumps with ankle strap" + ], + "i would like a high performance quad core tablet.": [ + "quad core tablet", + "quad core tablet high performance", + "quad core tablet with high performance", + "quad core tablet, high performance", + "high performance quad core tablet", + "quad core tablet.", + "high performance quad core tablet.", + "quad core tablet in high performance", + "quad core tablet. high performance", + "quad core tablet under $130" + ], + "i want a olives and rusk gourmet gift basket.": [ + " olives and rusk gourmet gift basket", + "olives and rusk gourmet gift basket", + " olives and rusk gourmet gift basket.", + " olives gourmet gift basket", + "lusives and rusk gourmet gift basket", + "olives and rusk gourmet gift basket.", + "l olives and rusk gourmet gift basket", + "olives gourmet gift basket", + "almond gourmet gift basket", + "almond and rusk gourmet gift basket" + ], + "i want a pack of halloween cupcake picks.": [ + "pack of halloween cupcake picks", + "pack of halloween cupcake picks.", + "pack of halloween cupcake pick", + "pack of halloween cupcake picks. pack", + "pack of halloween cupcake pick.", + "pack of halloween cupcake picks pack", + "bag of halloween cupcake picks", + "barbecue pick halloween", + "honey colored cupcake picks", + "halloween cupcake picks" + ], + "i really need a hand painting painting that comes in a size of 45 inch by 30 inch": [ + "hand painting painting 45 inch by 30 inch", + "hand painting painting, 45 inch by 30 inch", + "hand painting painting size of 45 inch by 30 inch", + "hand painting painting of 45 inch by 30 inch", + "hand painting painting of a woman 45 inch by 30 inch", + "hand painting painting45 inch by 30 inch", + "hand painting painting under 30 dollars", + "hand painting painting 45 inch by 30 inch under 30 dollars", + "hand painting painting", + "hand painting painting 45 inch by 30 inch under $60" + ], + "i need a cheerleading outfit for men that is wine colored and in a x-large size.": [ + "cheerleading outfit for men x-large", + "womens cheerleading outfit x-large", + "cheerleading outfit for men x-large size", + "womens cheerleading outfit x-large size", + "cheeseleading outfit for men x-large", + "cheeseleading outfit for men x-large size", + "youthleading outfit for men x-large", + "cheesyleading outfit for men x-large", + "cheesyleading outfit for men x-large size", + "youthleading outfit for men x-large size" + ], + "i want x-large polyester spandex romastory women fluorescent yoga pants.": [ + "x-large polyester spandex romastory women fluorescent yoga pants", + "x-large polyester spandex romastory women yoga pants", + " x-large polyester spandex romastory women fluorescent yoga pants", + "xxl polyester spandex romastory women fluorescent yoga pants", + "xl polyester spandex romastory women fluorescent yoga pants", + "x-large polyester spandex romastory women fluorescent yoga pants.", + " x-large polyester spandex romastory women yoga pants", + "x-large polyester spandex romastory women hiking pants", + "xxl polyester spandex romastory women yoga pants", + "x-large polyester spandex romastory women" + ], + "i would like a 2xl green pair of wide leg jogging pants.": [ + "2xl green jogging pants", + "2xl wide leg jogging pants", + "2 xl green jogging pants", + "2xl green walking pants", + "2xl jogging pants", + "2xl green runner jogging pants", + "2xl green jogging pants.", + "2xl green training pants", + "2xl green jogging pants,", + "2xl green" + ], + "i would like a blue extra large long sleeve sweater.": [ + "blue extra large long sleeve sweater", + "blue extra large long sleeve sweater under $50", + "blue extra large long sleeve sweater under 50 dollars", + "blue extra large long sleeve sweater under $40", + "blue extra large long sleeve sweater under $60", + "blue extra large long sleeve sweater under 40 dollars", + "blue extra large long sleeve sweater.", + "blue extra large long sleeve sweater under 30 dollars", + "blue extra large long sleeve sweater under 60 dollars", + "blue extra large long sleeve sweater under 120 dollars" + ], + "i want a black cherry and gluten free v8 +energy drink.": [ + "black cherry and gluten free v8", + "black cherry gluten free v8 +energy drink", + "black cherry and gluten free v8 drink", + "black cherry and gluten free", + "alcohol drink black cherry and gluten free", + "black cherry and gluten free v8 energy drink", + "black cherry and gluten free high performance drink", + "black cherry and gluten free drink", + "black cherry v8 +energy drink", + "black cherry gluten free v8" + ], + "i'm looking for rose gold birthday cake decorations.": [ + "rose gold birthday cake decorations", + "rose gold birthday cake decorations.", + "rose gold birthday cake decorations under $40", + "rose gold birthday cake decorations under 50 dollars", + "rose gold birthday cake decorations under $50", + "rose gold birthday cake decorations under $60", + "rose gold birthday cake decorations under 30 dollars", + "rose gold birthday cake decorations under 40 dollars", + "rose gold birthday cake decorations under 60 dollars", + "rose gold baby shower cake decorations" + ], + "i would like a high performance set of earbud headphones.": [ + "high performance set of earbud headphones", + "low performance set of earbud headphones", + "earbud headphones high performance", + "high performance earbud headphones", + "sound quality earbud headphones", + "8 earbud headphones", + "eldings earbud headphones", + "8 earbud headphones high performance", + "high performance set of earbud", + "high performance earbud headphones." + ], + "i am looking for some machine washable pillow covers that are peony blue and are 22 by 22 inches.": [ + "machine washable pillow covers 22 by 22 inches", + "machine washable pillow covers that are peony blue", + "machine washable pillow cover 22 by 22 inches", + "man washable pillow covers 22 by 22 inches", + "coaxial pillow covers 22 by 22 inches", + "sweatable pillow covers 22 by 22 inches", + "machine washable pillow covers 23 by 22 inches", + "machine washable pillow covers 22 by 22 inches.", + "machine washable pillow covers 22 by 22 inches,", + "machine washable pillow covers" + ], + "can you find kids digital cameras for girls boys 8 to 12 years old in this exact configuration? 32gb sd card 1080p hd need to buy today.": [ + "kids digital cameras for girls 8 to 12 years old", + "kids digital cameras 8gb sd card 1080p", + "kids digital cameras 32gb sd card 1080p hd", + "kids digital cameras 32gb sd card 1080p", + "kids digital cameras 8gb sd card 1080p hd", + "kids digital cameras 8 to 12 years old", + "kids digital cameras that are 8gb sd card 1080p", + "kids digital cameras", + "kids digital cameras 8gb sd card", + "kids digital camera" + ], + "i need a console table for the living room that is in style 2": [ + "console table for living room in style 2", + "console table for the living room in style 2", + "console table for living room", + "console table for the living room", + "console table for living room style 2", + "console table for the living room style 2", + "console table for the living room with style 2", + "console table for living room with style 2", + "style 2 console table for living room", + "console table living room style 2" + ], + "i need jar candles that are made out of soy wax.": [ + " jar candles made out of soy wax", + "mason candles made out of soy wax", + "m jar candles made out of soy wax", + "bar candles made out of soy wax", + "jar candles made out of soy wax", + "mason candles made from soy wax", + "bottle candles made out of soy wax", + " jar candles made from soy wax", + "art candles made out of soy wax", + " jar candles made out of soy wax." + ], + "i am looking for a cruelty free and sulfate free eyeshadow palette. also choose naked cyber palette.": [ + "cruelty free and sulfate free eyeshadow palette", + "cruelty free eyeshadow palette", + "cruelty free eyeshadow palette, naked cyber palette", + "cruelty free eyeshadow palette.", + "cruelty free eyeshadow palette naked cyber palette", + "cruelty free eyeshadow palette under $40", + "cruelty free eyeshadow palette under $60", + "cruelty free eyeshadow palette that is naked", + "cruelty free nude cyber palette", + "nude cyber palette cruelty free" + ], + "i am interested in a nut free vegan snack.": [ + "nut free vegan snack", + "vegan snack nut free", + "natierra nut free vegan snack", + "nut free vegan snack.", + "vegan snacks nut free", + "vegan peanut free snack", + "lemon free vegan snack", + "vegan dairy snack nut free", + " nut free vegan snack", + "natierra vegan snack" + ], + "shop for a slim fit blazer in royal blue, size 42.": [ + "slim fit blazer in royal blue, size 42", + "slim fit blazer in royal blue", + "slim fit blazer in royal blue size 42", + "slim fit blazer in royal blue in size 42", + "slim fit blazer in royal blue size 42.", + "slim fit blazer in royal blue, size 42", + "muslim fit blazer in royal blue, size 42", + "slim fit blazer, royal blue, size 42", + "a slim fit blazer in royal blue, size 42", + "slim fit blazer in royal blue size 42" + ], + "i want a x-large short sleeve mayntop womens t-shirt.": [ + "xxl womens t-shirt", + "x-large womens t-shirt", + "womens t-shirt x-large", + "xxl womens t-shirt xl", + "x-large short sleeve t-shirt", + "xxl womens t-shirt x-large", + "xxl t-shirt", + "x-large short sleeve t-shirt womens", + "womens t-shirt xl", + "x-large t-shirt" + ], + "i need a nightstand for storage space": [ + "nightstand for storage space", + "nightstand storage space", + "nightstand for storage space nightstand", + "nightstand", + "nightstand for storage space,", + "nightstand, storage space", + "nightstand in storage space", + "nightstand for storage storage space", + "nightstand with storage space", + "nightstand for storage" + ], + "i would like a extra light beige foundation made from natural ingredients.": [ + "extra light beige foundation", + "extra light beige foundation natural", + "extra light beige foundation made from natural", + "extra light beige foundation with natural ingredients", + "extra light beige foundation natural ingredients", + "extra light beige foundation that is natural", + "extra light beige foundation from natural ingredients", + "extra light beige foundation, natural ingredients", + "extra light beige foundation under $40", + "extra light beige foundation under $50" + ], + "i am looking for a pair of graphite colored women's pants with nylon spandex.": [ + "graphite colored womens pants with nylon spandex", + "graphite colored womens pants", + "graphite colored womens pants, nylon spandex", + "graphite colored womens pants with nylon spandex.", + "Graphite colored womens pants with nylon spandex", + "graphite colored womens pants that are nylon spandex", + "graphite colored womens pants with nylon spandex,", + "comfortable womens pants with nylon spandex", + "graphite colored womens pants nylon spandex", + "nylon colored womens pants" + ], + "i need a smartwatch case that is compatible with apple and is in a size 45 mm.": [ + "smartwatch case that is compatible with apple", + "smartwatch case in a size 45 mm", + "smartwatch case with a size 45 mm", + "smartwatch case, size 45 mm", + "smartwatch case size 45 mm", + "smartwatch case", + "smartwatch case 45 mm", + "smartwatch case with size 45 mm", + "smartwatch case compatible with apple", + "smartwatch case, compatible with apple" + ], + "i want a pack of two white coat hooks that are easy to install in my living room.": [ + "two white coat hooks", + "two white coat hooks for living room", + "pack of two white coat hooks", + "pack of two white coat hooks for living room", + "two white coat hooks in my living room", + "white coat hooks for living room", + "two white coat hooks in a living room", + "two white coat hooks, easy to install,", + "two white coat hooks that are easy to install", + "two white coat hooks in the living room" + ], + "i would like a cake topper for a baby shower.": [ + "cake topper for a baby shower", + "cake topper for a baby shower.", + "cake topper for baby shower", + "cake topper for a baby shower", + "cake topper baby shower", + "birthday cake topper for baby shower", + "a cake topper for a baby shower", + "baby shower cake topper", + "cupcake topper for a baby shower", + "cake topper for baby shower." + ], + "buy me a women's classic fit t-shirt in purple.": [ + "womens classic fit t-shirt in purple", + "womens classic fit t-shirt in purple.", + "mens classic fit t-shirt in purple", + "classic fit t-shirt in purple", + "mens classic fit t-shirt in purple", + "womens classic fit t-shirt in purple,", + "pink womens classic fit t-shirt in purple", + "mwens classic fit t-shirt in purple", + "womens classic fit t-shirt, purple", + "womens classic fit t-shirt" + ], + "i am looking for a camel colored futon mattress for my living room.": [ + "camel colored futon mattress for my living room", + "camel colored futon mattress for living room", + "a camel colored futon mattress for my living room", + "camel colored futon mattress for the living room", + " camel colored futon mattress for my living room.", + " camel colored futon mattress for my living room", + "camel colored futon mattress", + "camel colored futon mattress living room", + "clamel colored futon mattress for my living room", + "amel colored futon mattress for my living room" + ], + "i want to find a high-resolution digital camera with an optical zoom feature.": [ + "high-resolution digital camera with an optical zoom", + "digital camera with an optical zoom", + "high-resolution digital camera", + "low-resolution digital camera with an optical zoom", + "high resolution digital camera with an optical zoom", + "digital camera with an optical zoom feature", + "high resolution digital camera with an optical zoom feature", + "low resolution digital camera with an optical zoom", + "optical zoom digital camera", + "optical zoom camera" + ], + "i would like a bag of trail mix from trader joes.": [ + "bag of trail mix from trader joes", + "bag of trail mix from trader joes.", + "pack of trail mix from trader joes", + "bag of trail mix trader joes", + "bag of trail mix", + "a bag of trail mix from trader joes", + "bag of trail mix, trader joes", + "pack of trail mix from trader joes.", + "tea mix from trader joes", + "bag of trail mix from trader joes bag" + ], + "i am really in need of some toothpaste that is peppermint for bad breath.": [ + "toothpaste that is peppermint for bad breath", + "toothpaste peppermint for bad breath", + "pink toothpaste that is peppermint for bad breath", + "toothpaste peppermint bad breath", + "pomegranate toothpaste for bad breath", + "teethpaste peppermint for bad breath", + "toothpaste that is peppermint for bad breath.", + "peppermint toothpaste for bad breath", + "pink toothpaste for bad breath", + "toothpaste peppermint for bad breath." + ], + "i would like a size 11 brown suede loafer with a rubber sole.": [ + "size 11 brown suede loafer with a rubber sole", + "brown suede loafer with a rubber sole", + " size 11 brown suede loafer with a rubber sole", + "size 11 brown suede loafer", + "brown suede loafer with a rubber sole size 11", + "size 11 brown suede loafer rubber sole", + "black suede loafer with a rubber sole", + "size 11 brown suede loafer with rubber sole", + "sneakers size 11 brown suede loafer", + "sneakers 11 brown" + ], + "i need some brown oxfords that offer day comfort and are in a size 7": [ + "brown oxfords size 7", + "brown oxfords", + "brown oxfords, size 7", + "brown oxfords a size 7", + "brown oxfords with day comfort", + "brown oxfords small 7", + "brown oxfords 7 size 7", + "brown oxfords 7", + "brown oxfords small", + "brown oxfords large 7" + ], + "i am interested in a bedside table that would be easy to assemble and is in the color of espresso.": [ + "bedside table in the color of espresso", + "bedside table, easy to assemble and in the color of espresso", + "bedside table color of espresso", + "bedside table that is easy to assemble in the color of espresso", + "bedside table, easy to assemble, in the color of espresso", + "bedside table in a color of espresso", + "Bedside table in the color of espresso", + "bedside table that is in the color of espresso", + "bedside table with color of espresso", + "bedside table in the color of espresso." + ], + "i am looking for a pair of western ankle boots with a pointed toe and fringe.": [ + "cowboy ankle boots with a pointed toe and fringe", + "Western ankle boots with a pointed toe and fringe", + "western ankle boots with a pointed toe and fringe", + "jeans with a pointed toe and fringe", + "usan ankle boots with a pointed toe and fringe", + " western ankle boots with a pointed toe and fringe", + "cowboy ankle boots, pointed toe and fringe", + "cowboy ankle boots with a pointed toe, fringe", + "western ankle boots with a pointed toe and fringe.", + "cowboy ankle boots" + ], + "i want 20ml travel size kaaka empty clear glass bottles.": [ + "20ml travel size kaaka empty clear glass bottles", + "23ml travel size kaaka empty clear glass bottles", + "25ml travel size kaaka empty clear glass bottles", + "28ml travel size kaaka empty clear glass bottles", + "40ml travel size kaaka empty clear glass bottles", + " 20ml travel size kaaka empty clear glass bottles", + "20ml travel size kaaka glass bottles", + "gift size kaaka empty clear glass bottles", + "20ml travel size kaaka bottles", + "20ml travel size kaaka empty clear glass" + ], + "look for an officially licensed loki variant t-shirt for women in black.": [ + "loki variant t-shirt for women in black", + "i loki variant t-shirt for women in black", + "loki t-shirt for women in black", + "a loki variant t-shirt for women in black", + "lip t-shirt for women in black", + "loki variant t-shirt for women in black.", + "loki variant t-shirt for women", + "loki variant t-shirt", + "loki variant t-shirt for women black", + "loki variant t-shirt black" + ], + "i need pair of pink size 10 slippers with a rubber anti slip sole.": [ + "pink slippers with a rubber anti slip sole", + "size 10 slippers with a rubber anti slip sole", + "teen pink slippers with a rubber anti slip sole", + "pink tennis slippers with a rubber anti slip sole", + "pink rubber slippers with a rubber anti slip sole", + "pink sippers with a rubber anti slip sole", + "pink size 10 slippers with rubber anti slip sole", + "pink size 10 slippers, rubber anti slip sole", + "pink size 10 slippers", + "pink slippers with a rubber anti slip sole." + ], + "i need an xx-large sweater that is long sleeved and the color x04-5": [ + "xxl sweater long sleeved in the color x04-5", + "xxl sweater long sleeved and the color x04-5", + "xxl sweater long sleeved in a color x04-5", + "xxl sweater long sleeved x04-5", + "xxl sweater long sleeved in x04-5", + "xxl sweater long sleeved", + "xx-large sweater x04-5", + "xxl sweater x04-5", + "xxl sweater long sleeved in x04-5 color", + "xx-large sweater" + ], + "i need adidas pant's for men with elastic waist , black | team royal blue | vivid red , model tiro track": [ + "adidas pants for men with elastic waist , black | team royal blue", + "adidas pants for men with elastic waist black", + "antidas pants for men with elastic waist , black | team royal blue", + "antidas pants for men with elastic waist black", + "adidas pants for men with elastic waist , black", + "antidas pants for men with elastic waist , black", + "artidas pants for men with elastic waist black", + "artidas pants for men with elastic waist , black", + "Adidas pants for men with elastic waist black", + "anidas pants for men with elastic waist black" + ], + "in the men's fashion sneakers section, i am looking for a bari slip-on sneaker with a rubber outsole in a size 9.5 in the color of puma white-puma silver made by puma.": [ + "mens fashion sneakers", + "mens fashion sneakers in a size 9.5 puma white-puma silver", + "mens fashion sneakers section, puma white-puma silver", + "mens fashion sneakers 9.5 in puma white-puma silver", + "mens fashion sneakers size 9.5 in a puma white-puma silver", + "mens fashion sneakers size 9.5 puma white-puma silver", + "mens fashion sneakers, puma white-puma silver", + "mens fashion sneakers size 9.5 in puma white-puma silver", + "mens fashion sneakers in a size 9.5", + "mens fashion sneakers" + ], + "i need a long sleeved black pullover that is in a large.": [ + "long sleeved black pullover", + "long sleeved black pullover in a large", + "lens long sleeved black pullover", + "long sleeved black pullover under $40", + "long sleeved black pullover under $50", + "long sleeved black pullover large", + "short sleeved black pullover in a large", + "lens pullover in a large", + "long sleeved black pullover,", + "large black pullover" + ], + "i would like a size seven white flat shoe with a synthetic sole.": [ + "size 7 white flat shoe with a synthetic sole", + "size seven white flat shoe with a synthetic sole", + "white flat shoe with a synthetic sole", + "white flat shoe with a synthetic sole size 7", + "size 7 white flat shoe", + "white flat shoe size 7 synthetic sole", + "white flat shoe with synthetic sole size 7", + "size seven white flat shoe", + " size 7 white flat shoe with a synthetic sole", + "white flat shoe with a synthetic sole size seven" + ], + "in the accent furniture section, i am looking for an ottoman bench. must have folding storage, memory foam, contemporary style in the color black, and 30 inches in size.": [ + " accent furniture section ottoman bench, contemporary style in the color black", + "indoor furniture section ottoman bench 30 inches in size", + " accent furniture section, ottoman bench in the color black", + " accent furniture section ottoman bench 30 inches in size", + "indoor furniture section, ottoman bench", + "indoor furniture section ottoman bench", + " accent furniture section, ottoman bench", + "artwork black ottoman bench", + "artwork black accent furniture", + "indoor furniture section" + ], + "i want a 8.5 fl oz of volumizing oil free biotin shampoo.": [ + "8.5 fl oz of volumizing oil free biotin shampoo", + "8.5 fl oz of volumizing oil free biotin shampoo.", + "8.5 fl oz of volumizing oil free biotin shampoo,", + "8.5 fl oz volumizing oil free biotin shampoo", + "8.5fl oz of volumizing oil free biotin shampoo", + "6.5 fl oz of volumizing oil free biotin shampoo", + "8.5 fl oz bottle of volumizing oil free biotin shampoo", + "8.5 oz of volumizing oil free biotin shampoo", + "8 oz of volumizing oil free biotin shampoo", + "6 oz of volumizing oil free biotin shampoo" + ], + "i need a faux fur coat that is black and in a medium.": [ + "faux fur coat black and in a medium", + "faux fur coat black", + "faux fur coat black in a medium", + "faux fur coat in a medium", + "faux fur coat that is black", + "faux fur coat black medium", + "faux fur coat black, in a medium", + "faux fur coat in a black medium", + "faux fur coat, black, medium", + "faux fur coat" + ], + "i am looking for a laundry bag for travel purpose.": [ + "laundry bag for travel purpose", + "laundry bag for travel", + "a laundry bag for travel purpose", + "laundry bag travel purpose", + "a laundry bag for travel purpose.", + "womens laundry bag for travel", + "bag for travel purpose", + "living room laundry bag for travel purpose", + "laundry bag", + "womens laundry bag" + ], + "i need some hinges for the cabinet that are heavy duty with a satin nickel finish.": [ + "heavy duty cabinet hinges satin nickel finish", + "heavy duty hinges satin nickel finish cabinet cabinet", + "heavy duty hinges satin nickel finish", + "heavy duty cabinet hinges satin nickel finish.", + "heavy duty hinges satin nickel finish cabinet", + "heavy duty cabinet hinges with satin nickel finish", + "wooden cabinet hinges satin nickel finish", + "heavy duty cabinet hinges satin nickel finish,", + "heavy duty cabinet hinges satin nickel", + "heavy duty cabinets hinges satin nickel finish" + ], + "i want a high definition germerse portable projector.": [ + "high definition germerse portable projector", + "low definition germerse portable projector", + "high definition germerse portable projector.", + "a high definition germerse portable projector", + "gbmerse portable projector", + "low definition germerse portable projector.", + "gardense portable projector", + "living room portable projector high definition", + "gramse portable projector", + "living room portable projector" + ], + "i want a water resistant kodak printomatic instant print camera.": [ + "water resistant kodak printomatic instant print camera", + "kodak printomatic instant print camera", + "water resistant kodak print camera", + "water resistant kodak printomatic instant print camera.", + "a water resistant kodak printomatic instant print camera", + "water resistant kodak printable instant print camera", + "kodak printomatic instant print camera.", + "kodak print camera", + "a water resistant kodak print camera", + "alarm print camera" + ], + "i want uscce alarm clock radio with batteries.": [ + "uscce alarm clock radio with batteries", + "im looking for an alarm clock radio with batteries.", + "an alarm clock radio with batteries", + "alarm clock radio with batteries", + "im looking for an alarm clock radio with batteries", + "antarm clock radio with batteries", + "uscce alarm clock radio", + "indoor clock radio with batteries", + "walking clock radio with batteries", + "an alarm clock radio with batteries." + ], + "i would like a clock radio with a usb port.": [ + "clock radio with a usb port", + "clock radio with usb port", + "clock radio with a usb port.", + "clock radio with a usb port,", + " clock radio with a usb port", + "clock radio with usb port.", + "clock radio that is usb port", + "clock radio, usb port", + "clock radio usb port", + "clock radio" + ], + "i would like a blue jay fully assembled desk chair.": [ + "blue jay fully assembled desk chair", + "blue jay fully assembled desk chair.", + "blue jay fully assembled desk chair,", + "blue jay fully assembled desk chair under $50", + "blue jay fully assembled desk chair under $40", + "blue jay fully assembled desk chair under $60", + "blue jay fully assembled desk chair under $120", + "blue jay fully assembled desk chair under $130", + "blue jay fully assembled desk chair under 50 dollars", + "blue jay" + ], + "i want sure unscented, anti-perspirant deodorant.": [ + "scented anti-perspirant deodorant", + "synted anti-perspirant deodorant", + "synted, anti-perspirant deodorant", + "an unscented anti-perspirant deodorant", + "uncented anti-perspirant deodorant", + "an unscented, anti-perspirant deodorant", + "unnatural unscented anti-perspirant deodorant", + " unscented anti-perspirant deodorant", + "scented, anti-perspirant deodorant", + "anti-perspirant deodorant" + ], + "i am looking for a camisole blouse for daily wear. also choose loose fit and large size.": [ + " camisole blouse in a large size", + "camisole blouse in a large size", + " camisole blouse for daily wear.", + "camoisole blouse for daily wear", + " camisole blouse for daily wear", + "camisole blouse for daily wear", + "camoisole blouse large", + " camisole blouse large", + "camisole blouse large", + "camo blouse for daily wear" + ], + "i need a super soft fleece throw blanket for my living room couch. i really like the fruit avocado cartoon color.": [ + "super soft fleece throw blanket for my living room couch in fruit avocado cartoon color", + "super soft fleece throw blanket for the living room couch in fruit avocado cartoon color", + "super soft fleece throw blanket for living room couch in fruit avocado cartoon color", + "super soft fleece throw blanket for my living room couch", + "super soft fleece throw blanket for my living room couch, fruit avocado cartoon color", + "super soft fleece throw blanket for the living room couch", + "super soft fleece throw blanket for my living room couch. fruit avocado cartoon color", + "super soft fleece throw blanket for living room couch in a fruit avocado cartoon color", + "super soft fleece throw blanket for my living room couch with fruit avocado cartoon color", + "super soft fleece throw blanket for living room couch" + ], + "i need a long lasting makeup kit.": [ + "long lasting makeup kit", + "long lasting makeup kit.", + "long lasting makeup kit under $50", + "long lasting makeup kit under $40", + "long lasting makeup kit under $60", + "long lasting makeup kit under 50 dollars", + "long lasting makeup kit under 30 dollars", + "lens makeup kit long lasting", + "long lasting makeup kit under 40 dollars", + "long lasting makeup kit under 60 dollars" + ], + "i want buy a jasmati gluten free bpa free non gmo rice size : 1.75 pound": [ + "jasmati gluten free bpa free non gmo rice size 1.75 pound", + "bagel free bpa free non gmo rice size : 1.75 pound", + "jasmati gluten free bpa free non gmo rice", + "bagel free bpa free non gmo rice size 1.75 pound", + "gluten free bpa free non gmo rice size 1.75 pound", + " jasmati gluten free bpa free non gmo rice size 1.75 pound", + "jasmati gluten free bpa free non gmo rice size", + "bagel free non gmo rice size 1.75 pound", + "bagel free non gmo rice size : 1.75 pound", + "gluten free non gmo rice size 1.75 pound" + ], + "i want a 12 pack of tenergy premium rechargeable aaa batteries.": [ + "tenergy premium rechargeable aaa batteries 12 pack", + "tenergy premium rechargeable aaa batteries", + "12 pack tenergy premium rechargeable aaa batteries", + "pack of tenergy premium rechargeable aaa batteries", + "teammate rechargeable aaa batteries 12 pack", + "tenergy premium rechargeable aaa batteries.", + "tenergy premium rechargeable aaa batteries pack", + "aaa batteries 12 pack", + "tea batteries 12 pack", + "alarm batteries 12 pack" + ], + "i would like a 31.5 inch pendant light chandelier for the dining room.": [ + "stainless pendant light chandelier dining room", + "31.5 inch pendant light chandelier dining room", + "28.5 inch pendant light chandelier dining room", + "stainless steel dining room pendant light chandelier", + "stainless steel pendant light chandelier dining room", + "stainless chandelier dining room", + "stainless pendant light chandelier for dining room", + "stainless chandelier dining room 31.5 inches", + "portrait light chandelier dining room", + "pendant light chandelier dining room" + ], + "i need a black t shirt that is classic fit and an x-large for women": [ + "black t-shirt x-large for women", + "black t-shirt x-large", + "classic fit black t-shirt x-large", + "black t-shirt x-large women", + "black t-shirt x-large woman", + "classic fit black t-shirt x-large women", + "classic fit black t-shirt x-large woman", + "classic fit t-shirt x-large for women", + "black t shirt x-large for women", + "black t-shoes x-large for women" + ], + "i would like a box of 12 blueberry muffin bars that are made of natural ingredients.": [ + "blueberry muffin bars made of natural ingredients", + "12 blueberry muffin bars made of natural ingredients", + "blueberry muffin bars made from natural ingredients", + "blueberry muffin bar made from natural ingredients", + "blueberry muffin bar made of natural ingredients", + "12 blueberry muffin bars made from natural ingredients", + "12 blueberry muffin bar made of natural ingredients", + "12 blueberry muffin bars", + "12 blueberry muffin bar made from natural ingredients", + "blueberry muffin bars natural" + ], + "i am looking for a plant based condition that has olive on it and is 10.8 fl oz": [ + "plant based condition that has olive on it 10.8 fl oz", + "plant based condition with olive on it 10.8 fl oz", + "plant based condition with olive on it, 10.8 fl oz", + "plant based condition, olive on it, 10.8 fl oz", + "plant based condition that has olive on it", + "plant based condition 10.8 fl oz", + "plant based condition with olive on it", + "plant based condition", + "plant based condition for olive", + "plant based condition with olive" + ], + "i need a long lasting 6.76 fl oz bottle of l'eau d'issey.": [ + "6.76 fl oz bottle of leau dissey", + "5.76 fl oz bottle of leau dissey", + "leau dissey bottle long lasting 6.76 fl oz", + "leau dissey long lasting 6.76 fl oz bottle", + "leau dissey 6.76 fl oz bottle", + "4.76 fl oz bottle of leau dissey", + "6.76 fl oz bottle of leau dissey.", + "6.76 fl oz bottle of leau dissey,", + "lens dissey 6.76 fl oz bottle", + "leau dissey bottle long lasting" + ], + "i am looking for a dairy free cold coffee which is rich creamy. also choose chocolate milk color and 8.4 fl oz (pack of 6)": [ + "dairy free cold coffee 8.4 fl oz (pack of 6)", + "moisturizing creamy coffee 8.4 fl oz (pack of 6)", + "chocolate milk coffee 8.4 fl oz (pack of 6)", + "dairy free cold coffee creamy 8.4 fl oz (pack of 6)", + "dairy free cold coffee blend 8.4 fl oz (pack of 6)", + "rich creamy dairy free cold coffee 8.4 fl oz (pack of 6)", + "rich creamy coffee 8.4 fl oz (pack of 6)", + "chocolate milk coffee 8.4 fl oz (pack of 6) dairy free", + "rich creamy coffee 8.4 fl oz (pack of 6) dairy free", + "dairy free cold coffee 8.4 fl oz (pack of 6) creamy" + ], + "i want light pink clip in full head hair extensions.": [ + "light pink clip in full head hair extensions", + "light pink clip in full head hair extension", + "low pink clip in full head hair extensions", + "pink clip in full head hair extensions", + "light pink clip for full head hair extensions", + "heavy pink clip in full head hair extensions", + "light pink clip of full head hair extensions", + "light pink hair extensions", + "light pink clip in full hair extensions", + "light pink clip hair extensions" + ], + "i need a wax warmer for hair removal.": [ + "wax warmer for hair removal", + "womens wax warmer for hair removal", + "womens wax warmer", + "wax warmer for hair removal.", + "wax warmer hair removal", + "womens warmer for hair removal", + "wax warmer", + "wax warmer to hair removal", + " wax warmer for hair removal", + "womens warmer" + ], + "i need type b monoculars that are easy to carry.": [ + "type b monoculars easy to carry", + "type b monoculars", + "monoculars that are easy to carry", + "monoculars easy to carry", + "Type b monoculars easy to carry", + "monoculars that are easy to carry.", + "type b monoculars, easy to carry", + "type b monoculars easy to carry.", + "Type b monoculars", + "monoculars" + ], + "i would like a extra large red pair of shorts that i can machine washed.": [ + "extra large red shorts", + "extra large red shorts machine washed", + "extra large red pair of shorts", + "extra large red shorts, machine washed", + "extra large red shorts under $50", + "extra large red shorts under $40", + "extra large red shorts under 50 dollars", + "extra large red shorts under $60", + "extra large red short shorts", + "extra large red men shorts" + ], + "i am looking for some kosher raspberry candy that is in a one pound bag.": [ + "kosher raspberry candy one pound bag", + "one pound bag of kosher raspberry candy", + "kosher raspberry candy in a one pound bag", + "one pound bag kosher raspberry candy", + "one pound kosher raspberry candy in a one pound bag", + "one pound kosher raspberry candy", + "kosher raspberry candy, one pound bag", + "kosher raspberry candy in a one pound bag.", + "one pound bag of kosher raspberry candy under $40", + "one pound bag of kosher raspberry candy under $60" + ], + "i am looking for a hand crafted chocolate gift set.": [ + "hand crafted chocolate gift set", + "hand crafted chocolate gift set.", + "hand crafted chocolate gift set under $50", + "hand crafted chocolate gift set under 50 dollars", + "hand crafted chocolate gift set under 30 dollars", + "hand crafted chocolate gift set under $40", + "hand crafted chocolate gift set under $60", + "hand crafted chocolate gift set under 40 dollars", + "hand crafted chocolate gift set under 60 dollars", + "hand crafted chocolate gift set under 120 dollars" + ], + "i would like a sw 65 brown high quality hair extensions.": [ + "sw 65 brown hair extensions", + "sw 65 brown hair extension", + "sw 65 brown hair extensions price lower than 50.00 dollars", + "sw 65 brown hair extensions that are high quality", + "sw 65 brown hair extensions price lower then 50.00 dollars", + "sw 65 brown hair extension price lower than 50.00 dollars", + "sw 65 brown hair extensions price lower than 40.00 dollars", + "sw 65 brown high quality hair extensions", + "sw 65 brown hair extensions price lower then $40.00", + "sw 65 brown hair extensions price lower than $40.00" + ], + "i am looking for some long lasting lavender hair color": [ + "long lasting lavender hair color", + "l lavender hair color", + "a long lasting lavender hair color", + "long lasting lavender hair color under $40", + "l lavender hair color long lasting", + "l lavender hair color that is long lasting", + "long lasting lavender hair color under $50", + "long lasting lavender hair color under $60", + "long lasting lavender hair color under 50 dollars", + "long lasting lavender hair color under 30 dollars" + ], + "i want black masbird closed toe sandals for women.": [ + "black masbird closed toe sandals for women", + "black masbird closed toe sandals for women.", + "black masbird closed toe sandals", + "masbird closed toe sandals for women", + "masbird closed toe sandals for women.", + "black masbird closed toe sandals for women,", + "white masbird closed toe sandals for women", + "a black masbird closed toe sandals for women", + "mamabird closed toe sandals for women", + "masbird closed toe sandals" + ], + "i would like a 5xl white short sleeve top.": [ + "5xl white short sleeve shirt", + "5xl white short sleeve top", + "5xl white short sleeve shirt below $50", + "5xl white short sleeve shirt under $50", + "5xl white short sleeve shirt under $40", + "5xl white short sleeve shirt below $40", + "5xl white short sleeve shirt under 50 dollars", + "5 xl white short sleeve shirt", + "5xl white short sleeve shirt under $60", + "5xl white short sleeve shirt under 30 dollars" + ], + "i would like a matte black 10 light chandelier for my dining room.": [ + "matte black 10 light chandelier dining room", + "portrait black 10 light chandelier dining room", + "pink black 10 light chandelier dining room", + "maturity black 10 light chandelier dining room", + "plastic black 10 light chandelier dining room", + " matte black 10 light chandelier dining room", + "team black 10 light chandelier dining room", + "matte black 10 light chandelier", + " matte black 10 light chandelier", + "tealier dining room" + ], + "i would like a quad i5 core desktop tower.": [ + "quad i5 core desktop tower", + "quad i5 core desktop tower.", + " quad i5 core desktop tower", + "quad i5 core desktop tower under $130", + "tablet i5 core desktop tower", + "quad i5 core desktop tower under $120", + "quad i5 core desktop tower,", + " quad i5 core desktop tower.", + "quad i5 desktop tower", + "desktop tower quad i5" + ], + "i am looking for refillable leak proof black plastic pump bottles.": [ + " refillable leak proof black plastic pump bottles", + "fillingable leak proof black plastic pump bottles", + "refillingable leak proof black plastic pump bottles", + "leak proof black plastic pump bottles", + "teeth proof black plastic pump bottles", + "leaky leak proof black plastic pump bottles", + " refillable leak proof black plastic pump bottles.", + "pink leak proof black plastic pump bottles", + "plastic pump bottles", + "plastic pump bottles refillable" + ], + "i would like a jar candle that is long lasting and 6 oz.": [ + "mason candle long lasting and 6 oz", + "m jar candle long lasting and 6 oz", + "mason candle long lasting 6 oz", + "a jar candle long lasting and 6 oz", + "m jar candle long lasting 6 oz", + " jar candle long lasting and 6 oz", + "long lasting and 6 oz jar candle", + "m jar candle long lasting and 6 oz.", + "mason candle long lasting and 6 oz.", + "m jar candle that is long lasting 6 oz" + ], + "i want black caterpillar unisex shoes with rubber soles.": [ + "black caterpillar unisex shoes with rubber soles", + "black caterpillar unisex shoes", + "black caterpillar unisex shoes rubber soles", + "black caterpillar unisex shoes, rubber soles", + "black caterpillar unisex shoes with rubber sole", + "black caterpillar unisex shoe with rubber soles", + "black Caterpillar unisex shoes with rubber soles", + "curtpillar unisex shoes with rubber soles", + "black caterpillar unisex shoes rubber sole", + "black caterpillar unisex shoes, rubber sole" + ], + "i am looking for travel bottles 1.2 oz plastic, refillable makeup sprayer.": [ + "1.2 oz plastic makeup sprayer", + "1.2 oz plastic, refillable makeup sprayer", + "travel bottles 1.2 oz refillable makeup sprayer", + "pink makeup sprayer travel bottles 1.2 oz", + "2 oz plastic makeup sprayer", + "3.2 oz plastic makeup sprayer", + "pink makeup sprayer", + "4 oz plastic makeup sprayer", + "pink makeup sprayer travel bottles", + "1.2 oz plastic makeup sprayer, refillable" + ], + "i am looking for some dining room barstools": [ + "dining room barstools", + "dining room barstools under 50 dollars", + "dining room barstools under $40", + "dining room barstools under 30 dollars", + "dining room barstools under $50", + "dining room barstools for dining room", + "dining room barstools,", + " dining room barstools", + "al dining room barstools", + "living room barstools" + ], + "i want 2 pounds of 4th & heart grass fed butter.": [ + "2 pounds of 4th & heart grass fed butter", + "4th & heart grass fed butter", + "4th & heart grass fed butter 2 pounds", + "4th & heart grass fed butter under $40", + "4th & heart grass fed butter under $60", + "4th & heart grass fed butter under $50", + "4 pound of 4th & heart grass fed butter", + "2 pound of 4th & heart grass fed butter", + "2 pounds of 4th and heart grass fed butter", + "3 pounds of 4th & heart grass fed butter" + ], + "i am looking for a 100 count bubblegum that is spearmint flavored and sugar free": [ + "100 count bubblegum spearmint flavored sugar free", + "100 count bubblegum spearmint flavored and sugar free", + "10 count bubblegum spearmint flavored sugar free", + "pink bubblegum spearmint flavored sugar free", + "bbqgum spearmint flavored sugar free", + "100 count bubblegum that is spearmint flavored", + "bubblegum spearmint flavored sugar free", + "bbqgum spearmint flavored sugar free 100 count", + "bubblegum spearmint flavored sugar free 100 count", + "synthetic bubblegum 100 count" + ], + "i would like to have a soft black hair building fiber that prevents hair loss and is easy to apply.": [ + "soft black hair building fiber", + "soft black hair building fiber easy to apply", + "soft black hair building fiber for hair loss", + "soft black human hair building fiber", + "soft black hair building fiber under $50", + "soft black hair building fiber under $40", + "soft black hair building fiber under $60", + "soft black hair building fiber no human hair", + "soft black hairbuilding fiber", + "soft black hair building fiber," + ], + "i would like a usb network adapter that is easy to use.": [ + "usb network adapter easy to use", + "usb network adapter that is easy to use", + "usb network adapter", + "easy to use usb network adapter", + " usb network adapter that is easy to use", + "usb network adapter, easy to use", + " usb network adapter easy to use", + "easy-to-use usb network adapter", + "usb network adapter, easy to use,", + "usb network adapter for easy to use" + ], + "i need some living room furniture.": [ + "living room furniture", + "living room furniture price lower than 50.00 dollars", + "living room furniture.", + "living room furniture price lower then 50.00 dollars", + "living room furniture price lower than 40.00 dollars", + "living room furniture price lower than 30.00 dollars", + "living room furniture price lower then $40.00", + "living room furniture under $40", + "living room furniture under $50", + "living room furniture under $120" + ], + "i am looking for a high quality pink ice face roller with silicone ice mold.": [ + "pink ice face roller with silicone ice mold", + "pink ice face roller, silicone ice mold", + "pink ice face roller silicone ice mold", + "pink ice face roller", + "pink ice face roller that is high quality", + "pink ice face roller made from silicone ice mold", + "pink ice face roller with silicone ice mold below $40", + "pink ice face roller with silicone ice mold.", + "pink ice face roller with silicone ice mold below $50", + "pink ice face roller with silicone ice mold under $40" + ], + "i am looking for a wallet that can go with my hoisery.": [ + "pocket wallet for hoisery", + "pink wallet for hoisery", + "a wallet for hoisery", + "pocket for hoisery", + "pink wallet with hoisery", + "pocket wallet with hoisery", + "packet for hoisery", + "pocket wallet", + "pink wallet", + "a wallet for hoisery." + ], + "i am looking for certified organic baby food squeeze pouches that are easy to use.": [ + "easy to use certified organic baby food squeeze pouches", + "baby food squeeze pouches that are easy to use", + "easy to use baby food squeeze pouches", + "baby food squeeze pouches that are easy to use.", + "easy-to-use baby food squeeze pouches", + "baby food squeeze pouches easy to use", + "baby food squeeze pouches", + "baby food squeeze pouches, easy to use", + "natural baby food squeeze pouches that are easy to use", + "certified organic baby food squeeze pouches" + ], + "i would like a bakers rack for my dining room.": [ + "bakers rack dining room", + "bakers rack for dining room", + "burgers rack dining room", + "bakers rack for dining room.", + "barbecue rack dining room", + "bakers rack dining room.", + "burgers rack for dining room", + "a bakers rack dining room", + "a bakers rack for dining room", + "living room bakers rack" + ], + "i'm looking for open toe flat sandals for women in black color. please select size 5 if available.": [ + "open toe flat sandals for women in black", + "open toe flat sandals for women", + "open toe flat sandals women in black color", + "open toe flat sandals for women black color", + "open toe flat sandals for women size 5", + "open toe flat sandals for women black", + "open toe flat sandals in black color", + "open toe flat sandals size 5", + "open toe flat sandals", + "open toe flat sandals size 5 black" + ], + "i would like a green tea anti perspirant.": [ + "green tea anti perspirant", + "green tea anti perspirant.", + "green tea anti perspirant under $40", + "green tea anti perspirant under $50", + "green tea anti perspirant under $60", + "green tea anti perspirant under 30 dollars", + "green tea anti perspirant below $40", + "green tea anti perspirant below $50", + "green tea anti perspirant under 50 dollars", + "green tea anti perspirant under 40 dollars" + ], + "buy me some antiperspirant that hasn't been tested on animals.": [ + "antiperspirant that hasnt been tested", + "antiperspirant no animals tested", + "antiperspirant for animals", + "antiperspirant tested on animals", + "antiperspirant", + "antiiperspirant that hasnt been tested", + "antiperspirant under $40", + "antiperspirant under $50", + "antiperspirant no animal tested", + "antiperspirant no animals" + ], + "i want a multi colored us constitution print that is ready to hang.": [ + "multi colored us constitution print", + "multi colored us constitution print ready to hang", + "multi colored us constitution print, ready to hang", + "mult colored us constitution print", + " multi colored us constitution print", + "Multi colored us constitution print", + "mult colored us constitution print ready to hang", + "multi colored us constitution print ready to hang.", + "dual colored us constitution print", + "rainbow colored us constitution print" + ], + "i am looking for a super soft bed blanket that is 40inch by 30inches and has llamas.": [ + "super soft bed blanket that is 40inch by 30inches", + "super soft bed blanket 40inch by 30inches", + "super soft bed blanket 40inch by 30inches with llamas", + "super soft bed blanket with llamas", + "super soft bed blanket 40inch by 30inches, llamas", + "super soft bed blanket, 40inch by 30inches", + "super soft bed blanket with llamas 40inch by 30inches", + "super soft bed blanket 40inch by 30inches llamas", + "super soft bed blanket 40inch x 30inches", + "super soft bed blanket under 40inch by 30inches" + ], + "i am looking for a granola bar rolled oats and peanut butter with artificial flavour": [ + "granola bar rolled oats and peanut butter", + "granola bar rolled oats peanut butter", + "granola bar rolled oats peanut butter with artificial flavour", + "granola bar rolled oats and peanut butter natural", + "granola bar rolled oats and peanut butter natural flavour", + "granola bar rolled oats and peanut butter artificial flavour", + "granola bar rolled oats and peanut butter natural flavor", + "granola bar rolled oats with peanut butter", + "granola bar rolled oats and peanut butter no sugar", + "granola bar rolled oats peanut butter with artificial flavor" + ], + "i need a cruelty free skin care set.": [ + "cruelty free skin care set", + "cruelty free skin care set.", + "cruelty free skin care set under $40", + "cruelty free skin care set under $50", + "cruelty free skin care set under $60", + "cruelty free skin care set under 50 dollars", + "cruelty free skin care set under 60 dollars", + "cruelty free skin care set under 30 dollars", + "cruelty free skin care set under $120", + "cruelty free skin care set under 40 dollars" + ], + "i need some towels to dry my hair.": [ + " towels to dry my hair.", + "toothpaste towels", + "womens towels", + "womens hair towels", + "toothpaste towels for hair", + " towels to dry my hair", + "towel drying hair", + "toothbrush dry hair", + "towels to dry hair", + "towels for hair" + ], + "i am looking for high quality tin jars with screw on lids, lip balm containers, pots for my diy's, salve powder, storage cans, spoon, labels.": [ + "tart jars with screw on lids", + "high quality tin jars with screw on lids", + "tin jars with screw on lids", + "stainless tin jars with screw on lids", + "tart jars with screw on lids high quality", + "tins for diys with screw on lids", + "tunnel jars with screw on lids", + "tens with screw on lids", + "tins for diys", + "stainless tin jars" + ], + "i am interested in buying a canon camera which has 1080p hd quality and also has optical zoom, i prefer having it in silver color.": [ + "curtains camera silver", + "stainless camera silver", + "1080p camera with optical zoom", + "cord camera silver", + "dual camera silver", + "tv camera in silver", + "tv camera silver", + "curtains camera in silver", + "1080p camera in silver", + "canon camera silver" + ], + "i want a xx-large regular fit hood crew men's polo shirt.": [ + "xxl regular fit hood crew mens polo shirt", + "xx-large regular fit hood crew mens polo shirt", + "xxl regular fit hood crew mens polo shirt.", + "xxl regular fit hood crew mens polo shirt xxl", + " xx-large regular fit hood crew mens polo shirt", + "xx-large regular fit hood crew mens polo shirt.", + " xxl regular fit hood crew mens polo shirt", + "xxl pom polo shirt xxl", + "xxl pom polo shirt", + "xxl mens polo shirt" + ], + "i am in need of a 10x6.5ft, light weight and high resolution backdrop for digital photography.": [ + "10x6.5ft backdrop for digital photography", + "10x6.5ft backdrop digital photography", + "10x6.5ft high resolution backdrop for digital photography", + "10x6.5ft high resolution backdrop digital photography", + "10x6.5ft digital photography backdrop", + "10x6.5ft digital photography", + "10x6.5ft digital photography with high resolution", + "10x6.5ft light weight backdrop digital photography", + "10x6.5ft backdrop digital photography under $50", + "10x6.5ft light weight and high resolution backdrop" + ], + "i need a high quality makeup mirror to be given as a gift for the maid of honor. find something in rose gold color.": [ + "rose gold makeup mirror", + "beauty mirror rose gold", + "high quality makeup mirror", + "rose gold makeup mirror that is high quality", + "professional makeup mirror rose gold", + "high quality makeup mirror, rose gold color", + "high quality makeup mirror, rose gold color,", + "high quality makeup mirror, rose gold", + "high quality makeup mirror under $50", + "hair mirror rose gold" + ], + "i need a black train case that is high quality and medium in size": [ + "black train case high quality and medium", + "black train case", + "black train case high quality", + "black train case high quality medium", + "black train case high quality in size", + "black train case that is high quality", + "high quality and medium black train case", + "high quality black train case", + "large black train case", + "black train case medium" + ], + "i need high speed hdmi cables that are 10 feet long and in a 5 pack.": [ + "high speed hdmi cables 10 feet long and in a 5 pack", + "high speed hdmi cables 10 feet long in a 5 pack", + "high speed hdmi cables in a 5 pack", + "hdmi cables that are 10 feet long and in a 5 pack", + "hdmi cables 10 feet long and in a 5 pack", + "hdmi cables 10 feet long in a 5 pack", + "high speed hdmi cables that are 10 feet long", + "high speed hdmi cables 10 feet long", + "high speed hdmi cables 10 feet long, in a 5 pack", + "high speed hdmi cables that are 10 feet long and 5 pack" + ], + "i need 8.4 fl oz travel size voir haircare hair masks.": [ + "8.4 fl oz travel size voir haircare hair masks", + "8.4 fl oz travel size voir haircare hair mask", + "6.4 fl oz travel size voir haircare hair masks", + "10.4 fl oz travel size voir haircare hair masks", + "8.4fl oz travel size voir haircare hair masks", + "7.4 fl oz travel size voir haircare hair masks", + "vanity haircare hair masks 8.4 fl oz", + "8.4 fl oz travel size voir hair masks", + "8.4 fl oz travel size voir haircare masks", + "8 oz travel size voir haircare hair masks" + ], + "i would like a 18 by 18-inch teal throw pillow cover that can be machine washed.": [ + "18 by 18-inch teal throw pillow cover", + "18 by 18-inch teal throw pillow cover, machine washed", + "18 by 18-inch teal throw pillow cover with machine washed", + "18 by 18-inch teal throw pillow cover under $50", + "18 by 18-inch teal throw pillow cover under $60", + "18 by 18-inch teal throw pillow cover under $40", + "18 by 18-inch teal throw pillow cover under 50 dollars", + "18 by 18-inch teal throw pillow cover machine washed", + " 18 by 18-inch teal throw pillow cover", + "18 x 18-inch teal throw pillow cover" + ], + "i need some candle sconces for the living room": [ + "light sconces for the living room", + "candle sconces for the living room", + " candle sconces for the living room", + "candle sconces for living room", + "light sconces for living room", + "tempered candle sconces for the living room", + "pink candle sconces for the living room", + "candle sconces living room", + "light sconces living room", + "tempered candle sconces for living room" + ], + "i need to buy the greaton 8 inch fully assembled traditional wooden box spring/mattress base for my bedroom. check the following measurements size: 75\" x 33\" and 4\" split base": [ + "greaton 8 inch fully assembled traditional wooden box spring/mattress base", + "greaton 8 inch fully assembled traditional wooden box spring/mattress base for my bedroom", + "greaton 8 inch fully assembled traditional wooden box spring/mattress base in my bedroom", + "son 8 inch fully assembled traditional wooden box spring/mattress base for my bedroom", + "glacieron 8 inch fully assembled traditional wooden box spring/mattress base", + "the greaton 8 inch fully assembled traditional wooden box spring/mattress base", + "son 8 inch fully assembled traditional wooden box spring/mattress base", + "a greaton 8 inch fully assembled traditional wooden box spring/mattress base", + "Greaton 8 inch fully assembled traditional wooden box spring/mattress base", + "greaton 8 inch fully assembled traditional wooden box spring" + ], + "i am looking for a leopard shower cap for natural hair.": [ + "leopard shower cap for natural hair", + "leopard shower cap natural hair", + "leopard shower cap for natural hair.", + "leopard shower cap for natural hair under $40", + "leopard shower cap for natural hair under $50", + "leopard shower cap for natural hair below $40", + "leopard shower cap", + "leopard shower cap for natural hair below $50", + "leopard shower cap for natural hair under $60", + "leopard shower cap for natural hair below $60" + ], + "i am looking for taupe colored height adjustable bar stools with steel frame.": [ + "taupe colored height adjustable bar stools with steel frame", + "taupe colored height adjustable bar stool with steel frame", + "taupe colored height adjustable bar stool", + "taupe colored height adjustable bar stools", + "taupe colored height adjustable bar stool, steel frame", + "tea colored height adjustable bar stools with steel frame", + " taupe colored height adjustable bar stools with steel frame", + "taupe colored height adjustable bar stools, steel frame", + "tablet colored height adjustable bar stools with steel frame", + "taupe colored height adjustable bar stool, steel frame," + ], + "i am looking for royal purple blackout curtains that are easy to install.": [ + "pink blackout curtains that are easy to install", + " royal purple blackout curtains that are easy to install", + "kingman purple blackout curtains", + "dual purple blackout curtains", + "king of purple blackout curtains", + " royal purple blackout curtains", + "pink blackout curtains", + "pink blackout curtains, easy to install", + "kingdom purple blackout curtains", + "queen purple blackout curtains" + ], + "i am looking for a hair extensions with 16 inch long also easy to apply.": [ + "hair extensions 16 inch long", + "hair extensions 16 inch long easy to apply", + "16 inch long hair extensions", + "hair extension 16 inch long", + "16 inch long hair extensions easy to apply", + "hair extension 16 inch long easy to apply", + "hair extensions 16 inches long", + "hair extensions 16 inches long easy to apply", + "16 inch long hair extension", + "hair extension 16 inches long" + ], + "i would like some easy to use dental flossers.": [ + "easy to use dental flossers", + "easy to use dental flossers.", + "dental flossers easy to use", + "oral flossers easy to use", + "pocket flossers easy to use", + "easy-to-use dental flossers", + "simple to use dental flossers", + "dental flossers", + "oral flossers", + "pocket flossers" + ], + "i need some small black shoes for men that have arch support.": [ + "small black shoes for men with arch support", + "small black shoes for men that have arch support", + "small black shoes for men", + "small black shoes for men, arch support", + "small black walking shoes for men with arch support", + "small black shoes for men with arch support.", + "small black shoes for men whose arch support", + "small black shoes for men no arch support", + "small black shoes for men arch support", + "small black men shoes with arch support" + ], + "i need some steel toed shoes that are chocolate colored and are a size 7.": [ + "steel toed shoes chocolate colored size 7", + "steel toed shoes chocolate colored", + "steel toed shoes size 7", + "steel toed shoes that are chocolate colored", + "steel toed shoes in chocolate colored size 7", + "steel toed shoes size 7.5", + "steel toed shoes in chocolate colored", + "steel toed shoes chocolate colored, size 7", + "steel toed shoes, chocolate colored", + "steel toed shoes" + ], + "i need a fluoride free toothpaste made with natural ingredients which is good for sensitive teeth and can fight bad breath.": [ + "fluoride free toothpaste", + "fluoride free toothpaste natural no fluoride", + "fluoride free toothpaste with natural ingredients", + "fluoride free toothpaste for sensitive teeth", + "fluoride free toothpaste natural teeth", + "fluoride free toothpaste under $40", + "fluoride free toothpaste no fluoride", + "fluoride free toothpaste natural", + "toothpaste natural no fluoride", + "facial free toothpaste" + ], + "i want peanut butter super pop snacks that are plant based.": [ + "peanut butter super pop snacks plant based", + "plant based peanut butter super pop snacks", + "butter butter super pop snacks plant based", + "lemon butter super pop snacks plant based", + " peanut butter super pop snacks plant based", + "peanut butter super pop snacks plant based.", + "packet butter super pop snacks plant based", + "packaged peanut butter super pop snacks plant based", + "lemon butter super pop snacks plant based.", + "butter butter super pop snacks plant based." + ], + "i would like a 30 by 60 inch blue painting for the living room.": [ + "30 by 60 inch blue painting", + "30 by 60 inch blue painting living room", + "30 by 60 inch blue painting for living room", + "blue painting for living room", + "blue painting for the living room", + "blue painting living room 30 by 60 inch", + "blue paint living room 30 by 60 inch", + "blue painting for living room 30 by 60 inches", + "blue painting for living room 30 by 60 inch", + "30 x 60 inch blue painting" + ], + "i need a box spring mattress.": [ + "box spring mattress", + " box spring mattress", + "box spring mattress.", + "pack spring mattress", + "box spring mattress under $50", + "box spring mattress under $40", + "box spring mattress under $130", + "box spring mattress under $60", + "box spring mattress under $120", + " box spring mattress." + ], + "i am looking for a moisturizing skin scrub that is alcohol free.": [ + "moisturizing skin scrub", + "moisturizing skin scrub alcohol free", + "moisturizing skin scrub, alcohol free", + "moisturizing skin scrub under $40", + "moisturizing skin scrub under $50", + "moisturizing skin scrub with alcohol free", + "moisturizing skin scrub under $60", + "moisturizing skin scrub alcohol free", + "moisturizing skin scrub no alcohol", + "moisturizing skin scrub under 50 dollars" + ], + "looking for a medium sized, high waist denim shorts for teen girls.": [ + "medium sized high waist denim shorts for teen girls", + "medium waist denim shorts for teen girls", + "medium sized denim shorts for teen girls", + "medium sized, high waist denim shorts", + "medium sized high waist denim shorts for teen girl", + "medium size high waist denim shorts for teen girls", + "medium waist denim shorts for teen girl", + "medium t-short denim shorts for teen girls", + "medium sized jeans shorts for teen girls", + "medium sized high waist denim shorts" + ], + "i need a medium sized body suit that is long sleeved and in white.": [ + "medium sized body suit long sleeved white", + "medium sized body suit", + "medium sized body suit in white", + "medium sized body suit white", + "medium sized body suit with white", + "medium body suit long sleeved white", + "medium sized body suit long sleeved black", + "medium sized body suit long sleeved", + "medium sized body suit black", + "medium sized body suit with a white" + ], + "i would like a 52 cm brown bed riser with a lot of storage space.": [ + "50 cm brown bed riser with a lot of storage space", + "50 cm brown bed riser", + "52 cm brown bed riser with a lot of storage space", + " 52 cm brown bed riser with a lot of storage space", + "50 cm brown bed riser with a lot of storage", + "48 cm brown bed riser with a lot of storage space", + "50cm brown bed riser with a lot of storage space", + "manual brown bed riser with a lot of storage space", + "42 cm brown bed riser with a lot of storage space", + "52 cm brown bed riser" + ], + "i am looking for a 12 count of low sugar espresso bars": [ + "12 count of low sugar espresso bars", + "12 count low sugar espresso bars", + "12 count of low sugar espresso bar", + "12 count low sugar espresso bar", + "low sugar espresso bars 12 count", + "low sugar espresso bar 12 count", + "chocolate espresso bar 12 count", + "12 count high sugar espresso bars", + "almond sugar espresso bar 12 count", + "low sugar espresso bars" + ], + "i want fully cooked spam classic lite singles.": [ + "full cooked spam classic lite singles", + "pam classic lite singles", + "pink spam classic lite singles", + "pure cooked spam classic lite singles", + "plastic spam classic lite singles", + "full cooked spam classic lite singles.", + "pam classic lite singles fully cooked", + "simple cooked spam classic lite singles", + "pam classic lite singles.", + "slam classic lite singles" + ], + "i would like a 36 by 48 inch painting for my living room that is of a red barn": [ + "36 by 48 inch painting of a red barn", + "36 by 48 inch painting for my living room", + "blue living room painting 36 by 48 inch", + "a 36 by 48 inch painting for my living room", + "28 by 48 inch painting for my living room", + "living room painting 36 by 48 inch", + "36 by 48 inch painting", + "contemporary red barn painting", + "blue living room painting", + "living room wall painting" + ], + "i need some teeth whitening that also freshens breath.": [ + "teeth whitening", + "toothpaste teeth whitening", + "teeth whitening teeth whitening", + "teeth whitening natural teeth", + "teeth whitening with natural teeth", + "teeth whitening for breath", + "toothbrush whitening", + " teeth whitening", + "toothpaste teeth whitening natural", + "toothpaste" + ], + "i want trader joe's freeze dried mangos.": [ + "i want trader joes freeze dried mangos.", + " trader joes freeze dried mangos.", + " trader joes freeze dried mangos", + "frozen dried mangos trader joes freeze dried", + "trader joes freeze dried mangos", + " trader joes freeze dried mangos under $50", + " trader joes freeze dried mangos under $40", + "freeze dried mangos trader joes freeze dried", + "trader joes freeze dried mangos.", + " trader joes freeze dried mangos under $60" + ], + "i would like to have a kosher gelato.": [ + "kosher gelato", + "clinically kosher gelato", + "cl kosher gelato", + "sh kosher gelato", + "kosher gelato that is kosher", + "casual gelato", + "kosher gelato.", + "clothing gelato that is kosher", + "kosher gelato under $40", + "clothing gelato" + ], + "get me some toothpaste for sensitive teeth that has preventive and restorative properties.": [ + "toothpaste for sensitive teeth with preventive and restorative properties", + "toothpaste for sensitive teeth that has preventive and restorative properties", + "teethpaste for sensitive teeth with preventive and restorative properties", + "teethpaste for sensitive teeth that has preventive and restorative properties", + "tothpaste for sensitive teeth with preventive and restorative properties", + "tothpaste for sensitive teeth that has preventive and restorative properties", + "toothpaste for sensitive teeth with preventive and restorative properties.", + "treatments for sensitive teeth with preventive and restorative properties", + "tortpaste for sensitive teeth with preventive and restorative properties", + "teethpaste for sensitive teeth with preventive and restorative properties." + ], + "i'm looking for a buffet sideboard cabinet with clear glass doors. prefer the size to be \"b type espresso-28\u201cl x 14.6\u201dw x 29\u201dh\" .": [ + "buffet sideboard cabinet with clear glass doors", + "buffet sideboard cabinet b type espresso-28\u201cl x 14.6\u201dw x 29\u201dh", + "buffet sideboard cabinet b type espresso-28\u201cl x 14.6\u201dw x 29\u201dh buffet sideboard", + "buffet sideboard cabinet b type espresso-28\u201cl x 14.6\u201dw x 29\u201dh dining room table", + "buffet sideboard cabinet with clear glass doors b type espresso-28\u201cl x 14.6\u201d", + "buffet sideboard cabinet with clear glass doors under $60", + "buffet sideboard cabinet", + "buffet sideboard cabinet with clear glass doors b type espresso-28", + " buffet sideboard cabinet with clear glass doors", + "buffet sideboard cabinet with clear glass doors. b type espresso" + ], + "i want large high waisted congyee women's athletic shorts.": [ + "large high waisted congyee womens athletic shorts", + "large high waisted congyee womens tennis shorts", + "medium high waisted congyee womens athletic shorts", + "large high waisted congyee womens shorts", + "large high waisted Congyee womens athletic shorts", + "large high waisted congyee women athletic shorts", + "congyee womens athletic shorts", + "large high waisted congyee women", + "large high waisted gens athletic shorts", + "mens athletic shorts" + ], + "i need to buy an eight by six foot backdrop for digital photography. it should be high resolution and light weight.": [ + "8x6 backdrop for digital photography", + "8x6 backdrop digital photography", + "8 x 6 backdrop digital photography", + "8 x 6 backdrop for digital photography", + "8 x 6 foot backdrop for digital photography", + "8x6 backdrop digital photography high resolution", + "8 by six foot backdrop for digital photography", + "8 x 6 foot backdrop digital photography", + "8 x 6 backdrop digital photography high resolution", + "8 foot backdrop for digital photography" + ], + "i would like a quad core tablet that is black and has 8gb of ram": [ + "black quad core tablet with 8gb ram", + "black quad core tablet with 8gb of ram", + "quad core tablet black with 8gb ram", + "quad core tablet black with 8gb of ram", + "quad core tablet black 8gb ram", + "quad core tablet with 8gb of ram", + "quad core tablet with 8gb ram", + "black quad core tablet with 8gb", + "quad core tablet black 8gb", + "quad core tablet with 8gb of ram black" + ], + "i am interested in plant based granola bars that are banana flavored and come in a pack of 12.": [ + "plant based granola bars 12 pack of banana flavored", + "plant based granola bars banana flavored 12 pack", + "plant based granola bars that are banana flavored 12 pack", + "plant based granola bars that are banana flavored", + "plant based granola bars banana flavored pack of 12", + "plant based granola bar pack of 12 banana flavored", + "plant based granola bar 12 pack of banana flavored", + "plant based granola bars with banana flavored pack of 12", + "plant based granola bar pack of 12", + "plant based granola bars banana flavored 12 pack of 12" + ], + "i am looking for straight legged jeans in size 66w x 28l, that are also machine washable.": [ + "straight leg jeans in size 66w x 28l", + "straight leg jeans size 66w x 28l", + "straight legged jeans in size 66w x 28l", + "straight leg jeans that are machine washable", + "straight leg jeans 66w x 28l", + "straight leg jeans size 66w x 28l machine washable", + "straight leg jeans 66w x 28l, machine washable", + "straight legged jeans size 66w x 28l", + "straight leg jeans, size 66w x 28l", + "straight leg jeans 65w x 28l" + ], + "i need a black hoodie that is machine washable and is 4x-large.": [ + "black hoodie 4xl", + "black hoodie 4x-large", + "black hoodie 4xl machine washable", + "black hoodie machine washable 4xl", + "black hoodie that is machine washable", + "black hoodie machine washable 4x-large", + "black hoodie 4xl under $40", + "black hoodie 4xl under $50", + "black hoodie, machine washable 4xl", + "black hoodie" + ], + "i want a variety pack of non gmo 7days bagel chips.": [ + "variety pack of non gmo 7days bagel chips", + " variety pack of non gmo 7days bagel chips", + "comp variety pack of non gmo 7days bagel chips", + "a variety pack of non gmo 7days bagel chips", + "plaza pack of non gmo 7days bagel chips", + "car variety pack of non gmo 7days bagel chips", + "bagel chips variety pack of non gmo 7days", + "gmo 7days bagel chips variety pack", + "bagel chips variety pack", + " variety pack of non gmo 7days bagel chips." + ], + "i need a non slip pair of women's shoes with rubber soles. it should be in size 11.5.": [ + "non slip womens shoes 11.5", + "non slip womens shoes size 11.5", + "non slip pair of womens shoes", + "non slip womens shoes", + "non slip womens shoes in size 11.5", + "non slip womens shoes, size 11.5", + "non slip womens shoes with rubber soles", + "womens shoes 11.5", + "womens shoes size 11.5", + "womens shoes" + ], + "i am looking for a low sugar blue cheese and chive steak sauce.": [ + "low sugar blue cheese and chive steak sauce", + "low sugar blue cheese chive steak sauce", + "low sugar blue cheese and chive steak sauce below $40", + "low sugar blue cheese and chive steak sauce under $40", + "low sugar blue cheese and chive steak sauce.", + "low sugar blue cheese and chive steak sauce below $60", + "low sugar blue cheese and chive steak sauce under 50 dollars", + "low sugar blue cheese and chive steak sauce below $50", + "low sugar blue cheese and chive steak sauce under 40 dollars", + "low sugar blue cheese and chive steak sauce under $60" + ], + "i am looking for the high waist bikini push up swimwear. i want it in red.": [ + "high waist bikini push up swimwear in red", + "high waist bikini push up swimwear", + "high waist bikini push up swimwear red", + "high waist bikini push up swimwear, red", + "low waist bikini push up swimwear in red", + "high waist bikini push up swimwear. red", + "high waist bikini push up swimwear color red", + "high waist bikini push up swimwear with red", + "high waist bikini push up", + "lip up swimwear in red" + ], + "i want a 24 pack of gluten free goya foods cream of coconut.": [ + "24 pack of gluten free goya foods cream of coconut", + "gluten free goya foods cream of coconut 24 pack", + "24 pack gluten free goya foods cream of coconut", + "24 pack of gluten free goya foods cream of coconut.", + "23 pack of gluten free goya foods cream of coconut", + " 24 pack of gluten free goya foods cream of coconut", + "25 pack of gluten free goya foods cream of coconut", + "24 pack of gluten free goya foods cream of coconut,", + "12 pack of gluten free goya foods cream of coconut", + "gluten free goya foods cream of coconut" + ], + "i want brass calhoun collection farmhouse bath vanity lights.": [ + "brass calhoun collection farmhouse bath vanity lights", + "plastic calhoun collection farmhouse bath vanity lights", + "brittle calhoun collection farmhouse bath vanity lights", + "brings calhoun collection farmhouse bath vanity lights", + "brains calhoun collection farmhouse bath vanity lights", + "brushed calhoun collection farmhouse bath vanity lights", + "brass calhoun collection farmhouse bath vanity lights.", + "plastic calhoun collection farmhouse bath vanity lights.", + "brittle calhoun collection farmhouse bath vanity lights.", + "brushed white farmhouse bath vanity lights" + ], + "i am looking for an anti aging face serum, tighten, brighten, and hydrate.": [ + "anti aging face serum, tighten, brighten, and hydrate", + "anti aging face serum, tighten, brighten, and hydrate.", + "anti aging face serum, tighten, brighten and hydrate", + "anti aging face serum that is tighten, brighten, and hydrate", + "anti aging face serum, tighten, brighten, and hydrate,", + "anti aging face serum that tighten, brighten, and hydrate", + "anti aging face serum, tighten, brighten and hydrate.", + "anti aging face serum that is tighten, brighten and hydrate", + "anti aging face serum", + "anti aging face serum, tighten, brighten" + ], + "i would like a pink hair straightener for styling.": [ + "pink hair straightener for styling", + "pink hair straightener for styling.", + "pink hair straightener", + "pink hair straightener, styling", + "pink hair straighteners for styling", + "pink hair straightener styling", + "pink hair straighteners for styling.", + "pink hair straightener under $40", + "pink hair straightener under $50", + "pink hair straightener for styling," + ], + "i would like two bags of a variety four pack of gluten free crackers.": [ + "two bags of gluten free crackers", + "three pack of gluten free crackers", + "gluten free crackers variety four pack", + "single pack gluten free crackers", + "two bags gluten free crackers", + "bag of gluten free crackers", + "three pack gluten free crackers", + "gluten free crackers variety 4 pack", + "two bags of gluten free crackers.", + "two bags of gluten free crackers," + ], + "find me some highly pigmented eye shadow in color b.": [ + "pink pigmented eye shadow in color b", + "pink pigmented eye shadow color b", + "pigmented eye shadow in color b", + "pink pigmented eye shadow", + "pink pigmented eye shadow color b.", + "pigmented eye shadow in color b.", + "pigmented eye shadow color b", + "high pigmented eye shadow in color b", + "pink pigmented eye shadow b", + "lip pigmented eye shadow in color b" + ], + "hello . looking for my new home easy install wall speaker, monoprice carbon fiber - 300 watt 10 inch (each) subwoofer, for home theater .": [ + "home easy install wall speaker, monoprice carbon fiber", + "easy install wall speaker, monoprice carbon fiber", + "living room easy install wall speaker, monoprice carbon fiber", + "wall speaker, monoprice carbon fiber - 300 watt 10 inch (each) subwoofer", + "womens home easy install wall speaker, monoprice carbon fiber", + "easy install wall speaker monoprice carbon fiber", + "home easy install wall speaker monoprice carbon fiber", + "living room easy install wall speaker, monoprice carbon fiber, under $40", + "wall speaker, monoprice carbon fiber", + "portrait carbon fiber" + ], + "i am looking for a men's shorts with stretch fabric in 3xl size. also in royal blue color.": [ + "mens shorts with stretch fabric in royal blue", + "mens shorts in royal blue color", + "mens shorts in royal blue", + "mens shorts stretch fabric in royal blue color", + "mens shorts stretch fabric in royal blue", + "mens shorts 3xl stretch fabric", + "mens shorts with stretch fabric 3xl", + "mens shorts in 3xl", + "mens shorts with stretch fabric", + "mens shorts" + ], + "i want a farmhouse grey acadian solid wood side table.": [ + "farmhouse grey acadian solid wood side table", + " farmhouse grey acadian solid wood side table", + "Farmhouse grey acadian solid wood side table", + "farmhouse grey acadian solid wood table", + "farmhouse grey acadian dining table", + "grey acadian solid wood side table", + "farmhouse grey acadian side table", + "farmhouse grey acadian table", + "farmhouse grey acadian dining table.", + " farmhouse grey acadian solid wood table" + ], + "i am looking for a high performance tablet with quad core processor which should have sim support and all necessary features.": [ + "high performance tablet with quad core processor", + "tablet with quad core processor", + "quad core processor high performance tablet with sim support", + "tablet with quad core processor with sim support", + "quad core processor high performance", + "quad core processor high performance tablet", + "desktop tablet with quad core processor", + "desktop with quad core processor", + "quad core processor", + "high performance tablet" + ], + "i need low carb protein bars": [ + "low carb protein bars", + "low carb protein bar", + "low carb protein bars under $40", + "low carb protein bars low carb", + "low carb protein bars below $40", + "low carb protein bars under $50", + "low carb protein bar below $40", + "low carb protein bars under $60", + "low carb protein bars below $50", + "low carb protein bar low carb" + ], + "i am looking for a legacy grenadine colored men's dress shirt that is machine washable.": [ + "stainless grenadine colored mens dress shirt", + "a legacy grenadine colored mens dress shirt", + "grenadine colored mens dress shirt", + "jeans dress shirt that is machine washable", + "manual washable mens dress shirt", + "brushed mens dress shirt that is machine washable", + "grenadine colored mens dress shirt machine washable", + "old grenadine colored mens dress shirt", + "teeth dress shirt that is machine washable", + "jeans dress shirt" + ], + "i am looking for an assorted small cookie gift set that s covered with chocolate please.": [ + "small cookie gift set that s covered with chocolate", + "small cookie gift set covered with chocolate", + "bagel gift set covered with chocolate", + "bagel gift set that s covered with chocolate", + "pack of cookies covered with chocolate", + "pack of small cookie gift set covered with chocolate", + "bag of cookies covered with chocolate", + "cupcake gift set covered with chocolate", + "small cookie gift set", + "bag of small cookie gift set covered with chocolate" + ], + "i am looking for standard sized levi strauss & co. men's carpenter jeans that are machine washable.": [ + "standard sized levi strauss & co. mens carpenter jeans", + "standard sized levi strauss and co. mens carpenter jeans", + "levi strauss & co. mens carpenter jeans that are machine washable", + "levis strauss & co. mens carpenter jeans that are machine washable", + "standard sized levi strauss with co. mens carpenter jeans", + "standard sized levi strauss & co. mens carpenter jeans under $40", + "standard sized levi strauss & co. mens carpenter jeans under $50", + "levi strauss & co. mens carpenter jeans", + "levis strauss & co. mens carpenter jeans", + "standard sized levi strauss under $40" + ], + "i am looking for a light weight medium size body shaper for men. also, i prefer a white colored one.": [ + "light weight medium size body shaper for men", + "low weight medium size body shaper for men", + "medium size body shaper for men", + "medium size body shaper for men white", + "heavy weight medium size body shaper for men", + "light weight medium body shaper for men", + "medium size body shaper for men.", + "light weight body shaper for men", + "light weight medium size body shaper", + "large body shaper for men" + ], + "i need a machine washable throw pillow cover that is in a grey color and is 16\" by 16\"": [ + "machine washable throw pillow cover 16 by 16", + "womens throw pillow cover 16 by 16", + "machine washable throw pillow cover16 by 16", + "machine washable throw pillow cover", + "machine washable throw pillow cover, 16 by 16", + "hand washable throw pillow cover 16 by 16", + "grey throw pillow cover 16 by 16", + "machine washable throw pillow cover that is in a grey", + "machine washable throw pillow cover that is 16 by 16", + "throw pillow cover 16 by 16" + ], + "i want a lorex 16-channel 4k uhd dvr surveillance system with motion detection.": [ + " lorex 16-channel 4k uhd dvr surveillance system with motion detection", + "a lorex 16-channel 4k uhd dvr surveillance system with motion detection", + "lorex 16-channel 4k uhd dvr surveillance system with motion detection", + "oralx 16-channel 4k uhd dvr surveillance system with motion detection", + "veterx 16-channel 4k uhd dvr surveillance system with motion detection", + " lorex 16-channel 4k uhd dvr surveillance system", + "oralx 16-channel 4k uhd dvr surveillance system", + "lorex 16-channel 4k uhd dvr surveillance system", + "teax 16-channel 4k uhd dvr surveillance system with motion detection", + "a lorex 16-channel 4k uhd dvr surveillance system" + ], + "i would like a six drawer natural walnut dresser with bronze finishes.": [ + "natural walnut dresser with bronze finishes", + "natural walnut dresser bronze finishes", + "natural walnut dresser with bronze finish", + "natural walnut dresser bronze finish", + "6 drawer natural walnut dresser bronze finishes", + "wooden walnut dresser with bronze finishes", + "natural walnut dresser with bronze finishes.", + "natural walnut dresser bronze", + "6 drawer natural walnut dresser", + "natural walnut dresser six drawer bronze finishes" + ], + "i am looking for a 9 drawer dresser with a bronze finish.": [ + "9 drawer dresser with a bronze finish", + "9 drawer dresser bronze finish", + " 9 drawer dresser with a bronze finish", + "9 drawer dresser with bronze finish", + "8 drawer dresser with a bronze finish", + "10 drawer dresser with a bronze finish", + " 9 drawer dresser bronze finish", + "8 drawer dresser bronze finish", + "9 drawer dresser", + "9 drawer dresser bronze finish," + ], + "i need cupcake toppers for a baby shower": [ + "cupcake toppers for a baby shower", + "cupcake toppers for baby shower", + "cupcake toppers baby shower", + "curtcake toppers for a baby shower", + "bagcake toppers for a baby shower", + "cupcake toppers to baby shower", + "baby shower cupcake toppers", + "cupcake toppers, baby shower", + "cake toppers for a baby shower", + "cupcake toppers" + ], + "i need a wall mounted mirror that is 36 by 28 inches.": [ + "wall mounted mirror that is 36 by 28 inches", + "wall mounted mirror 36 by 28 inches", + "wall mounted mirror", + "wall mounted mirror, 36 by 28 inches", + "wall mounted mirror that is 36 x 28 inches", + "wall mounted mirror with 36 by 28 inches", + "wall mounted mirror 36 x 28 inches", + "wall mounted mirror size 36 by 28 inches", + "wall mounted mirror that is 36x 28 inches", + "wall mounted mirror that is 36x28 inches" + ], + "i want a black non slip cordking designed for iphone 12.": [ + "black non slip cordking for iphone 12", + "black non slip cordking iphone 12", + "black non slip cordking designed for iphone 12", + "black non slip cordking for iphone 12.", + "non slip cordking for iphone 12", + "black non slip cordking", + "black non slip cordking for iiphone 12", + "black non slip cordking, iphone 12", + "non slip cordking designed for iphone 12", + "black non slip cordking for iphone 12 " + ], + "i need a portable bluetooth speaker that is hands free. pick something in blue.": [ + "portrait bluetooth speaker that is hands free", + "portable bluetooth speaker that is hands free", + "portrait bluetooth speaker", + "pink bluetooth speaker that is hands free", + "tablet bluetooth speaker that is hands free", + " portable bluetooth speaker that is hands free", + "portable bluetooth speaker", + "pink bluetooth speaker", + "phone speaker that is hands free", + "portrait bluetooth speaker in blue" + ], + "i need some living room drapes that are greyish white and are 52w by 108l": [ + "living room drapes 52w by 108l", + "living room drapes that are greyish white", + "living room drapes, 52w by 108l", + "living room drapes white 52w by 108l", + "greyish white drapes 52w by 108l", + "living room drapes black 52w by 108l", + "living room drapes with greyish white", + "grey area drapes 52w by 108l", + "living room drapes are greyish white", + "living room drapes" + ], + "i would like a medium purple short sleeve shirt.": [ + "medium purple short sleeve shirt", + "medium purple short sleeve shirt under $50", + "medium purple short sleeve shirt under $40", + "medium purple short sleeve shirt under 50 dollars", + "medium purple short sleeve shirt under 40 dollars", + "medium purple short sleeve shirt.", + "medium purple short sleeve shirt under $60", + "medium purple short sleeve shirt under 30 dollars", + "medium purple short sleeve shirt under 60 dollars", + "medium purple short sleeve shirt under 120 dollars" + ], + "i want a coffee scented coconut oil face scrub.": [ + "coffee scented coconut oil face scrub", + "coffee scented coconut oil face scrub.", + "coffee scented coconut oil face scrub under $40", + "coffee scented coconut oil face scrub under $50", + "ffee scented coconut oil face scrub", + "coffee scented coconut oil face scrub under $60", + "coffee scented coconut oil face scrub coffee scented", + "i want a coffee scented coconut oil face scrub.", + "coffee scented coconut oil face scrub under 30 dollars", + "coffee scented coconut oil face scrub," + ], + "i'm looking for a white king-sized bedroom set with a box spring.": [ + "white king-sized bedroom set with a box spring", + "white king-size bedroom set with a box spring", + "white king- sized bedroom set with a box spring", + "white king-sized bedroom set", + "white king size bedroom set with a box spring", + "white king-style bedroom set with a box spring", + "white king- size bedroom set with a box spring", + "white king-sized bedroom set, box spring", + "king-sized bedroom set with a box spring", + "white king bedroom set with a box spring" + ], + "i would like purchase 6light chandeliers such as brass mate back model also installations will be easy for my home into dining room": [ + "6light chandeliers", + "6light chandeliers with brass mate back model", + "6light chandeliers with a brass mate back model", + "6light chandeliers, brass mate back model", + "6light chandeliers with brass mate back model", + "6light chandeliers in a brass mate back model", + "6light chandeliers that are easy to install", + "6light chandeliers that are easy for living room", + "6light chandeliers with brass mate back", + "6light chandeliers that are easy for dining room" + ], + "i am looking for a soft shower body brush with a long handle.": [ + "soft shower body brush with a long handle", + "soft shower body brush", + "soft shower body brush with long handle", + "soft shower body brush, long handle", + "soft shower body brush long handle", + "shower body brush with a long handle", + "soft shower body brush that is long handle", + "shower body brush with long handle", + "soft shower body brush with long handle.", + "soft shower body brush under $50" + ], + "some loose fitting white joggers in an xx-large would be nice.": [ + "xx-large white joggers", + "large white joggers in an xx-large", + "faux fitting white joggers xx-large", + "joggers xx-large", + "xxl white joggers", + "large white joggers", + "white joggers xx-large", + "x-large white joggers", + "xxl white joggers in xx-large", + "xx-large white joggers that are nice" + ], + "i\u2019d like to find a multipack of macaroni cheese in white cheddar flavour. but it must not contain any dairy or gluten.": [ + "macaroni cheese in white cheddar flavour", + "macaroni cheese white cheddar flavour", + "macaroni cheese in white cheddar flavor", + "macaroni cheese white cheddar flavor", + "macaroni cheese with dairy and gluten", + "macaroni cheese white cheddar", + "macaroni cheese in white cheddar", + "macaroni cheese pomegranate cheese", + "macaroni cheese in white cheddar cheese", + "macaroni cheese white" + ], + "i am interested in a beige and wine living room rug.": [ + "living room rug beige and wine", + "living room rug beige", + "living room rug beige and wine colored", + "living room rug, beige and wine", + "beige and wine living room rug", + "living room rug beige beige", + "living room rug with beige and wine", + "living room rug that is beige", + "living room rug", + "living room rug." + ], + "i need wedge sandals that are high heel and 6.5 narrow.": [ + " wedge sandals that are high heel and 6.5 narrow", + " wedge sandals that are high heel and 6.5 narrow.", + "duet sandals that are high heel and 6.5 narrow", + "tunnel sandals that are high heel and 6.5 narrow", + "veterate sandals that are high heel and 6.5 narrow", + "dual sandals that are high heel and 6.5 narrow", + "duck sandals that are high heel and 6.5 narrow", + " wedge sandals high heel and 6.5 narrow", + "duet sandals that are high heel and 6.5 narrow.", + " wedge sandals 6.5 narrow" + ], + "i want some cake toppers for my party supplies.": [ + "cake toppers for party supplies", + "cake toppers for a party supplies", + "cake toppers for party supplies.", + "cake toppers for baby shower", + "cake toppers for my party supplies", + "cake toppers for a baby shower", + "birthday cake toppers", + "cake toppers for party supplies", + "cake toppers for a party", + "cake toppers party supplies" + ], + "i want a noise cancelling cosycost usb microphone.": [ + "noise cancelling cosycost usb microphone", + " noise cancelling cosycost usb microphone", + "non noise cancelling cosycost usb microphone", + "queen cancelling cosycost usb microphone", + " noise cancelling cosycost usb microphone.", + "noise cancelling cosycost usb microphone.", + "coaxlling cosycost usb microphone", + "non noise cancelling cosycost usb microphone.", + "queen cancelling cosycost usb microphone.", + "noise cancelling cosycost usb microphone," + ], + "i am looking for a displayport to hdmi adapter with plug and play option. also support 4k / 30hz.": [ + "displayport to hdmi with plug and play", + "displayport to hdmi adapter with plug and play", + "displayport to hdmi plug and play", + "displayport to hdmi 4k / 30hz", + "displayport to hdmi adapter", + "displayport to hdmi 3k / 30hz", + "displayport to hdmi", + "displayport to hdmi with plug and play option", + "displayport to hdmi 3k", + "displayport to hdmi adapter 4k" + ], + "i want a pair of pink high heeled sandals with an open toe and a leather sole.": [ + "pink high heeled sandals with an open toe and leather sole", + "pink high heeled sandals with an open toe, leather sole", + "pink high heeled sandals with an open toe", + "pink high heeled sandals", + "pink high heeled sandals with an open toe with leather sole", + "pink high heeled sandals with an open toe and sole", + "pink high heeled sandals with a open toe and leather sole", + "pink high heeled sandals, open toe and leather sole", + "pink high heeled sandals, open toe, leather sole", + "pink high heeled sandals with an open toe and" + ], + "could you find for me for my living room room this product: green palm leaf curtains tropical leaves botanical pattern print blackout curtains, panel set window curtains size 52x24 in": [ + "green palm leaf curtains with botanical pattern print", + "green palm leaf curtains tropical leaves botanical pattern print", + "green palm leaf curtains size 52x24 in", + "green palm leaf curtains size 52x24", + "green palm leaf curtains that are botanical pattern print", + "green palm leaf curtains botanical pattern print blackout curtains", + "green palm leaf curtains in a size 52x24", + "green palm leaf curtains", + "green palm leaf curtains botanical pattern print", + "green palm leaf curtains withanical pattern print" + ], + "i want a light weight leyiyi 15x10ft 80's party backdrop.": [ + "leyiyi 15x10ft 80s party backdrop", + "leyiyi 15x10ft 80s party backdrop.", + "teen x10ft 80s party backdrop", + "leyiyi 15x10ft 80s party backdrop,", + "5 ft x 10ft 80s party backdrop", + "5ft 80s party backdrop", + "5 ft 80s party backdrop", + "teen x10ft 80s party backdrop.", + "teen x10ft 80s party backdrop under 30 dollars", + "light weight leyiyi 15x10ft" + ], + "i am looking for a certified refurbished nintendo 3ds.": [ + "nintendo 3ds certified refurbished", + "certified refurbished nintendo 3ds", + "certified refurbished nintendo 3ds.", + "nintendo 3ds, certified refurbished", + "nintendo 3ds that are certified refurbished", + "a certified refurbished nintendo 3ds.", + "nintendo 3ds", + "nintendo 3ds. certified refurbished", + "a certified refurbished nintendo 3ds", + "nintendo 3ds certified" + ], + "i'm looking for some juicy watermelon lip gloss that's paraben and oil free.": [ + "watermelon lip gloss paraben and oil free", + "pink watermelon lip gloss paraben and oil free", + "im looking for some juicy watermelon lip gloss thats paraben and oil free.", + " juicy watermelon lip gloss paraben and oil free", + "i would like some juicy watermelon lip gloss thats paraben and oil free.", + "i would like some juicy watermelon lip gloss that paraben and oil free.", + "i want some juicy watermelon lip gloss that paraben and oil free.", + "watermelon lip gloss that paraben and oil free", + "melon lip gloss paraben and oil free", + "lip gloss paraben and oil free" + ], + "i want to buy a vinyl skin for my ps5. look for one that's easy to install. the color should be marijuana black, and get the disc edition size.": [ + "ps5 vinyl skin in marijuana black disc edition", + "ps5 vinyl skin in marijuana", + "ps5 vinyl skin in marijuana blac", + "ps5 vinyl skin, marijuana black disc edition", + "ps5 vinyl skin in marijuana black", + "ps5 vinyl skin marijuana black disc edition", + "ps5 vinyl skin color marijuana black disc edition", + "ps5 vinyl skin that is easy to install", + "ps5 vinyl skin", + "ps5 vinyl skin marijuana black disc edition" + ], + "i am looking for an easy to install matte black vinyl skin decal for playstation 5 console and it's two controllers.": [ + "plastic black vinyl skin decal for playstation 5 console", + "easy to install matte black vinyl skin decal", + "paint black vinyl skin decal for playstation 5 console", + "pink black vinyl skin decal for playstation 5 console", + "plastic black vinyl skin decal for playstation 5", + "pink vinyl skin decal for playstation 5 console", + "psl skin decal for playstation 5 console", + "plastic black vinyl skin decal", + "portrait 5 console with two controllers", + "portrait 5 console" + ], + "i want green tea scented brickell men's morning face care routine.": [ + "green tea scented brickell mens morning face care routine", + "green tea scented brickell mens morning face care routine.", + "green tea scented brickell mens morning face care", + "green tea scented brickell mens morning face care routine,", + "green tea scented brickell mens morning face care routines", + "a green tea scented brickell mens morning face care routine", + "tea scented brickell mens morning face care routine", + "green tea scented bickell mens morning face care routine", + "green tea scented brickell mens", + "jeans morning face care routine" + ], + "buy me a pair of black snake leather flip flops with arch support in a size six.": [ + "black snake leather flip flops with arch support", + "black snake leather flip flops", + "black snake leather flip flops with arch support size six", + "black snakes leather flip flops with arch support", + "black snake leather flip flops in a size six", + "black snake leather flip flops with arch support size 6", + "black snakes leather flip flops with arch support size six", + "sneakers leather flip flops with arch support", + "black snake leather flip flops, arch support", + "black snake leather flip flops that are arch support" + ], + "i am looking for a youth classic fit t-shirt that is black and large.": [ + "youth classic fit t-shirt black", + "kids classic fit t-shirt black and large", + "youth classic fit t-shirt", + "youth classic fit t-shirt black black", + "youth classic fit t-shirt in black", + "kids classic fit t-shirt black", + "teen t-shirt black and large", + "kids t-shirt black and large", + "t-shirt black and large", + "kids t-shirt black" + ], + "i am looking for a hand painted woman sculpture made of wood for my living room.": [ + "hand painted woman sculpture made of wood for my living room", + "hand painted woman sculpture made of wood", + "hand painted woman sculpture made of wood for living room", + "hand painted woman sculpture made of wood living room", + "hand painted woman sculpture made of wood for the living room", + "hand painted woman sculpture made of wood for a living room", + "hand painted woman sculpture made of wood for living room.", + "hand painted woman sculpture made of wood living room.", + "hand painted woman sculpture of wood for my living room", + "woman sculpture made of wood for living room" + ], + "i am looking for an easy to prepare and ready to eat packaged rice. also, please make sure that it is cheddar broccoli flavored and has 8 packs.": [ + "easy to prepare and ready to eat packaged rice", + "easy to prepare and ready to eat packaged rice.", + "easy to prepare and ready to eat packaged rice under $60", + "easy to prepare and ready to eat packaged rice under $40", + "easy to prepare and ready to eat packaged rice with 8 packs", + "easy to prepare and ready to eat packaged rice under $50", + "easy to prepare and ready to eat packaged rice flavor 8 pack", + "easy cooked and ready to eat packaged rice", + "easy to prepare ready to eat packaged rice", + "cheddar broccoli flavored rice" + ], + "i'm looking for an 8 bay battery charger with rechargeable triple a batteries. it should be fast charging and have a usb port. get the one that's size 808u+8aa+8aaa.": [ + "8 bay battery charger with rechargeable triple a batteries", + "8bay battery charger with rechargeable triple a batteries", + "8gb battery charger with rechargeable triple a batteries", + "8 bay battery charger, rechargeable triple a batteries", + "8 bay battery charger", + "8 bay battery charger that is rechargeable triple a batteries", + "8 bay battery charger with rechargeable triple a batteries,", + "8 bay battery charger with rechargeable triple a batteries.", + "8 bn battery charger with rechargeable triple a batteries", + " 8 bay battery charger with rechargeable triple a batteries" + ], + "i want a walnut wersmt led tv stand for my living room.": [ + "womens tv stand for living room", + "womens tv stand", + "womens tv stand for living room.", + "aluminum wersmt led tv stand for living room", + "almond wersmt led tv stand for living room", + "alarm tv stand for living room", + "womens tv stand for my living room", + "womens tv stand for my living room.", + "womens tv stand for the living room", + "womens tv stand for living room, walnut" + ], + "i want a high wasted swimdress with sunflowers on it. get the size large.": [ + "high wasted swimdress with sunflowers", + "large high wasted swimdress with sunflowers", + "large swimdress with sunflowers", + "high wasted swimdress with sunflowers large", + "high wasted swimdress with sunflowers small", + "low wasted swimdress with sunflowers", + "large high wasted swimdress", + "large waterdress with sunflowers", + "large swimdress high wasted", + "high wasted swimdress" + ], + "i am looking for a sofa made up of pu leather in ottoman size. also in navy leather color.": [ + " sofa made up of pu leather ottoman size. also in navy leather color", + " sofa made up of pu leather ottoman size in navy leather color", + " sofa made up of pu leather in ottoman size in navy leather color", + " sofa made up of pu leather in ottoman size", + "furniture made up of pu leather ottoman size in navy leather color", + " sofa made up of pu leather in ottoman size, navy leather color", + " sofa made up of pu leather in ottoman size, navy leather color,", + "furniture made up of pu leather in ottoman size", + " sofa made up of pu leather ottoman size", + "furniture made up of pu leather ottoman size" + ], + "i would like a bottle of paraben free hair color.": [ + "hair color paraben free", + "bottle of paraben free hair color", + "paraben free hair color", + "hair color that is paraben free", + "a bottle of paraben free hair color", + "hair color, paraben free", + "baraben free hair color", + "lip color paraben free", + "paraben free hair color.", + "pink hair color" + ], + "i want a black executive office chair with footrest lumbar support.": [ + "black executive office chair with footrest lumbar support", + "black executive office chair with footrest lumbar support.", + "black executive office chair, footrest lumbar support", + "white executive office chair with footrest lumbar support", + "black Executive office chair with footrest lumbar support", + "black executive office chair that is footrest lumbar support", + "black executive office chair", + "black executive office chair footrest lumbar support", + "black executive office chair with footrest lumbar support,", + "black executive office chair, footrest lumbar support," + ], + "look for a coffee gift set with whole bean flavor.": [ + "coffee gift set with whole bean flavor", + "coffee gift set with whole bean flavor.", + "coffee gift set that is whole bean flavor", + "roasted coffee gift set with whole bean flavor", + "coffee gift set, whole bean flavor", + "bag coffee gift set with whole bean flavor", + "coffee gift set", + "coffee gift set with whole bean flavor,", + "ffee gift set with whole bean flavor", + "coffee gift set full bean flavor" + ], + "i would like a #b of long lasting lipstick.": [ + "bag of long lasting lipstick", + "b of long lasting lipstick", + "lens long lasting lipstick", + "lip color long lasting", + "a long lasting lipstick", + "long lasting lipstick #b", + "bag of long lasting lipstick.", + "long lasting lipstick", + "b of long lasting lipstick.", + "long lasting lipstick under $50" + ], + "i would like a yellow heavy duty desk that is easy to clean.": [ + "yellow heavy duty desk", + "yellow heavy duty desk easy to clean", + "yellow heavy duty desk, easy to clean", + "yellow heavy duty desk yellow easy to clean", + "yellow heavy duty desk with easy to clean", + "yellow heavy duty desk yellow", + "yellow heavy duty desk easy clean", + "yellow heavy duty desk easy to clean.", + "yellow heavy duty desk clean", + "yellow heavy duty desk yellow easy clean" + ], + "i would like a bag of fifty cotton candy sugar free gum.": [ + "bag of fifty cotton candy sugar free gum", + "bag of fifty cotton candy sugar free", + "bag of fifty cotton candy sugar free gum.", + "bag of fifty cotton candy sugar free gums", + "a bag of fifty cotton candy sugar free gum", + "two bag of fifty cotton candy sugar free gum", + "bag of fifty cotton candy sugar free chewing gum", + "bag of fifty cotton candy sugar free gum,", + "bag of fifty cotton candy sugar free chewing", + "bag of 50 cotton candy sugar free gum" + ], + "i would like a red hdmi cable that is long lasting.": [ + "red hdmi cable long lasting", + "red hdmi cable that is long lasting", + "red hdmi cable", + "red hdmi cable long lasting.", + "rfsh red hdmi cable long lasting", + "tv red hdmi cable long lasting", + "red hdmi cable, long lasting", + "red hdmi cable with long lasting", + " red hdmi cable long lasting", + "red hdmi cable long lasting," + ], + "i want fully cooked dill and fava wild garden heat and serve pilaf.": [ + "dill and fava wild garden heat and serve pilaf", + "full cooked dill and fava wild garden heat and serve pilaf", + "dill and fava wild garden heat and serve pilaf.", + " fully cooked dill and fava wild garden heat and serve pilaf", + "dill and fava wild garden heat", + "veggie dill and fava wild garden heat and serve pilaf", + "vegan dill and fava wild garden heat and serve pilaf", + "full cooked dill and fava wild garden heat", + "dill wild garden heat and serve pilaf", + "gluten free dill and fava wild garden heat" + ], + "i need a 42mm smartwatch band that is easy to install.": [ + "42mm smartwatch band", + "42mm smartwatch band easy to install", + "smartwatch band that is easy to install", + "smartwatch band easy to install 42mm", + "telescope 42mm smartwatch band", + " 42mm smartwatch band", + "40mm smartwatch band", + "43mm smartwatch band", + "42mm smartwatch band under $50", + "smartwatch band" + ], + "i would like three pairs of cruelty free eyelashes.": [ + "cruelty free eyelashes three pairs", + "three pairs of cruelty free eyelashes", + "cruelty free eyelashes", + "cruelty free eyelashes 3 pairs", + "three pairs of cruelty free eyelashes.", + "three cruelty free eyelashes", + "three pairs of cruelty free eyelashes,", + "cruelty free eyelashes three pair", + "cruelty free eyelashes three", + "cruelty free eyelashes." + ], + "i want ethylene vinyl nunn bush toe slip ons in size 9.": [ + " ethylene vinyl nunn bush toe slip ons in size 9", + " ethylene vinyl nunn bush toe slip ons in size 9.", + " ethylene vinyl nunn bush toe slip ons in size 9 ethylene", + " ethylene vinyl nunn bush toe slip ons", + " ethylene vinyl nunn bush toe slip ons size 9", + " ethylene vinyl nunn bush toe slip ons in a size 9", + "ethylene vinyl nunn bush toe slip ons in size 9", + "ethylene vinyl nunn bush toe slip ons in size 9 ethylene", + "ethylene vinyl nunn bush toe slip ons", + " ethylene vinyl nunn bush toe slip" + ], + "i would like a brown long lasting eyeliner that is also cruelty free.": [ + "brown long lasting eyeliner cruelty free", + "brown long lasting eyeliner", + "brown long lasting eyeliner, cruelty free", + "brown long lasting eyeliner with cruelty free price", + "brown long lasting eyeliner with cruelty free", + "brown long lasting eyeliner, also cruelty free", + "brown long lasting eyeliner, cruelty free,", + "brown long lasting eyeliner no cruelty", + "brown long lasting eyeliner under $40", + "brown eyeliner cruelty free" + ], + "shop for decaffeinated orange flavored green tea.": [ + "decaffeinated orange flavored green tea", + "decaffeinated orange flavored tea", + "decaffeinated orange flavored green tea flavor", + "decaffeinated orange flavored green tea.", + "decaffeinated orange flavored green tea drink", + "decaffeinated orange flavored green tea mix", + "decaffeinated orange flavored green tea tea", + "decaffeinated orange flavored", + "decaffeinated orange flavored drink", + "orange flavored green tea" + ], + "i want a black dust proof topcovos vr lens cover for oculus quest 2.": [ + "black dust proof oculus quest 2 lens cover", + "dust proof oculus quest 2 lens cover", + "dust proof topcovos vr lens cover", + "pink dust proof oculus quest 2 lens cover", + "white oculus quest 2 lens cover", + "black dust proof oculus quest 2 lens cover,", + "black oculus quest 2 lens cover", + "dust proof oculus quest 2 lens cover black", + "black dust proof oculus quest 2", + "ps 2 lens cover" + ], + "i need an easy to use body brush to exfoliate dry skin.": [ + "easy to use body brush to exfoliate dry skin", + "easy to use body brush to exfoliate dry skin.", + "im looking for a body brush to exfoliate dry skin.", + "easy to use body brush for exfoliate dry skin", + "easy to use body brush exfoliate dry skin", + "5 foot body brush to exfoliate dry skin", + "body brush to exfoliate dry skin", + "low to use body brush to exfoliate dry skin", + "body brush to exfoliate dry skin.", + "easy to use body brush" + ], + "i am looking for an oversized women's gray long sleeve sweater.": [ + "womens gray long sleeve sweater", + "womens gray long sleeve sweater under $40", + "womens gray long sleeve sweater under $50", + "womens gray long sleeve sweater.", + "size womens gray long sleeve sweater", + "womens gray long sleeve sweater under $60", + "womens gray long sleeve sweater under 50 dollars", + "large womens gray long sleeve sweater", + "womens gray long sleeve sweater under 30 dollars", + "womens gray long sleeve sweater under 40 dollars" + ], + "i want to get some face wash that is good for sensitive skin.": [ + "face wash for sensitive skin", + "face wash for sensitive skin.", + "face wash sensitive skin", + "face wash good for sensitive skin", + "toothpaste for sensitive skin", + "face wash good for sensitive skin.", + "face wash, sensitive skin", + "toothpaste sensitive skin", + "moisturizing face wash", + "face wash" + ], + "i would like a size 5 cattail pair of snow boots with faux fur and a rubber sole.": [ + "size 5 cattail pair of snow boots", + "snow boots size 5 faux fur rubber sole", + "snow boots with faux fur", + "size 5 snow boots with faux fur and rubber sole", + "snow boots with faux fur and rubber sole size 5", + "snow boots size 5 faux fur with a rubber sole", + "cattail pair of snow boots with faux fur", + "snow boots with faux fur and rubber sole", + "size 5 cattail pair of snow boots faux fur", + "snow boots size 5 faux fur" + ], + "i am looking a gluten free low sodium lemony bites flavor snacks & trail mixes": [ + "gluten free low sodium lemony bites flavor snacks", + "gluten free low sodium lemony bites flavor snacks & trail mixes", + "gluten free low sodium lemony bites flavor snacks & trail mix", + "gluten free low sodium lemony bites flavor snacks and trail mixes", + "gluten free low sodium lemony bites flavor snacks and trail mix", + "gluten free low sodium lemony bites flavor snacks, trail mix", + "gluten free low sodium lemony bites flavor snacks, trail mixes", + "gluten free low sodium lemony bites flavor snacks under $40", + "gluten free high sodium lemony bites flavor snacks", + "gluten free lemony bites flavor snacks" + ], + "i am looking for freeze dried fruit that is gluten free.": [ + "freeze dried fruit gluten free", + "freeze dried fruit", + "freeze dried fruit, gluten free", + "freezer dried fruit gluten free", + "freeze dried fruit under $40", + "stainless dried fruit", + "freeze dried fruit no sugar", + "freeze dried fruit under $60", + "freeze dried fruit under $50", + "freezer dried fruit" + ], + "i want a 6.8 fl oz, hair treatment pack which provides natural hair smoothening and is sulfate free. i would like color as vitapro fusion leave-in": [ + "6.8 fl oz hair treatment pack which provides natural hair smoothening and is sulfate free", + "6.8 fl oz hair treatment pack that provides natural hair smoothening and is sulfate free", + "6.8 fl oz hair treatment pack with natural hair smoothening and is sulfate free", + "6.8 fl oz hair treatment pack which is natural hair smoothening and is sulfate free", + "6.8 fl oz hair treatment pack", + "6.8 fl oz, hair treatment pack with natural hair smoothening and is sulfate free", + "6.8 fl oz hair treatment pack, sulfate free", + "6.8 fl oz hair treatment pack with natural hair smoothening", + "6.8 fl oz, hair treatment pack", + "6.8 fl oz hair treatment pack which provides natural hair smoothening" + ], + "i am lookinhg for nut free walnut hemp buts that come in a pack of six.": [ + "nut free walnut hemp buts pack of six", + "nut free walnut hemp buts pack of six pack", + "nut free walnut hemp hemp buts pack of six", + "nut free walnut hemp buts pack of 6", + "nut free walnut hemp buts pack of six.", + " nut free walnut hemp buts pack of six", + "nut free walnut hemp buts that pack of six", + "nut free walnut hemp buts six pack of six", + "pack of six nut free walnut hemp", + "nut free walnut hemp buts pack of six," + ], + "i want blueberry hemp organic super food energy bites.": [ + "blueberry hemp organic super food energy bites", + "blueberry hemp organic super food energy bites.", + "blueberry hemp organic super food", + "blueberry hemp organic superfood energy bites", + "blueberry hemp organic super food energy bites no sugar", + "greenberry hemp organic super food energy bites", + "blueberry hemp organic super food energy bites,", + "blueberry hemp organic super food drink bites", + "blueberry hemp organic super food drink", + "blueberry hemp organic" + ], + "i would like a brushed nickel wall lamp with a glass shade for the living room.": [ + "brushed nickel wall lamp", + "brushed nickel wall lamp with a glass shade for living room", + "brushed nickel wall lamp with a glass shade", + "brushed nickel wall lamp with a glass shade living room", + " brushed nickel wall lamp with a glass shade for the living room", + "brushed nickel wall lamp with glass shade for the living room", + "brushed nickel wall lamp with a glass shade, living room", + "buffet nickel wall lamp with a glass shade for living room", + "brushed nickel wall lamp with glass shade for living room", + "buffet nickel wall lamp with a glass shade" + ], + "i want a hair treatment and an anti-aging skin moisturizer oil.": [ + "hair treatment and anti-aging skin moisturizer oil", + "hair treatment with anti-aging skin moisturizer oil", + "hair treatment anti-aging skin moisturizer oil", + "hair treatment and an anti-aging skin moisturizer oil", + "shoes treatment and anti-aging skin moisturizer oil", + "hair treatment and anti-aging skin moisturizer oil.", + "honey treatment and anti-aging skin moisturizer oil", + "hair treatment, anti-aging skin moisturizer oil", + "human hair treatment and anti-aging skin moisturizer oil", + "hair treatment and anti-aging skin moisturizer oil," + ], + "i am looking for decorative cupcake toppers which can be ideal for birthday party or baby shower.": [ + "cupcake toppers for baby shower", + "contains decorative cupcake toppers for baby shower", + "cupcake toppers for a baby shower", + "decorated cupcake toppers for baby shower", + "pink cupcake toppers for baby shower", + "contemporary cupcake toppers for baby shower", + " decorative cupcake toppers for baby shower", + "cupcake toppers for baby shower.", + "curtains for baby shower", + "cupcake toppers for a baby shower." + ], + "i want buy a birthday party cupcake picks plant party supply cupcake topper": [ + "birthday party cupcake picks plant party supply cupcake topper", + "baby shower cupcake picks plant party supply cupcake topper", + "birthday party cupcake picks plant party supply cupcake toppers", + "baby shower cupcake picks plant party supply cupcake toppers", + "birthday party cupcake pick plant party supply cupcake topper", + "baby shower cupcake pick plant party supply cupcake topper", + "birthday party cupcake pick plant party supply cupcake toppers", + "baby shower cupcake pick plant party supply cupcake toppers", + "cupcake picks plant party supply cupcake topper", + "cupcake picks plant party supply cupcake toppers" + ], + "i want gray high speed philips usb type c cables.": [ + "gray high speed philips usb type c cables", + "gray high speed philips usb type c cables.", + "grey high speed philips usb type c cables", + "womens usb type c cables gray high speed philips", + "gray high speed philips usb type c cables under $40", + "i want gray high speed philips usb type c cables.", + "gray high speed philips usb type c cables under $60", + "womens high speed philips usb type c cables", + "gray high speed philips usb type c cables under $50", + "womens gray high speed philips usb type c cables" + ], + "i need a pack of three long lasting hair color that is dark mahogany brown": [ + "dark mahogany brown hair color", + "three long lasting hair color", + "dark mahogany brown hair color pack", + "dark mahogany brown human hair color", + "hair color dark mahogany brown", + "dark mahogany hair color", + "dark mahogany brown hair dye pack", + "3 long lasting hair color", + "dark mahogany brown", + "hair color dark mahogany" + ], + "i need a pack of 5 heavy duty hdmi cables that will support a high speed connection.": [ + "pack of 5 heavy duty hdmi cables", + "5 heavy duty hdmi cables", + "bag of 5 heavy duty hdmi cables", + " pack of 5 heavy duty hdmi cables", + "pack of 5 heavy duty hdmi cables,", + "a pack of 5 heavy duty hdmi cables", + "pack of 5 heavy duty hdmi cable", + "4 heavy duty hdmi cables", + "4 pack of hdmi cables", + "heavy duty hdmi cables" + ], + "i am looking to buy a woman's us size 5 high heel shoe with a rubber sole and color patent-beige.": [ + "womens us size 5 high heel shoe with a rubber sole and color patent-beige", + "womens us size 5 high heel shoe with a rubber sole, color patent-beige", + "womens us size 5 high heel shoe with a rubber sole in color patent-beige", + "womans us size 5 high heel shoe with a rubber sole and color patent-beige", + "womens us size 5 high heel shoe with a rubber sole in a patent-beige", + "womens size 5 high heel shoe with a rubber sole and color patent-beige", + "womans us size 5 high heel shoe with a rubber sole, color patent-beige", + "womens us size 5 high heel shoe with rubber sole and color patent-beige", + "womens us size 5 high heel shoe with a rubber sole", + "size 5 high heel shoe with a rubber sole and color patent-beige" + ], + "can you find for me this brand kelly bro? i'm looking for womens peep toe model, and my size is 8,5. high heel is my favorite.": [ + "klly bro", + "womens peep toe model", + "klly bro, 8,5 high heel", + "klly bro 8,5 high heel", + "klly bro high heel", + "kelly bro", + "kelly bro high heel", + "kale bro", + "knelly bro", + "klelly bro" + ], + "get me the 2 ounce 24 pack fig bars. it should be non gmo and plant based.": [ + "2 ounce 24 pack fig bars plant based", + "2 ounce 24 pack fig bars non gmo plant based", + "2 ounce 24 pack fig bars", + "2 ounce 24 pack fig bars non gmo", + "2 ounce 24 pack fig bars that are non gmo", + "2 ounce 24 pack fig bar non gmo plant based", + "2 ounce 24 pack fig bars no gmo", + "2 ounce 24 pack fig bar plant based", + "2 ounce 24 pack fig bars that are plant based", + "2 ounce 24 pack fig bars natural no gmo" + ], + "i need the best items for oral hygiene.": [ + "oral hygiene", + "oral hygiene items", + "oral hygiene products", + "oral hygiene items for oral hygiene", + "oral hygiene products for oral hygiene", + "oral hygiene items under $40", + "oral hygiene items under $50", + "oral hygiene products under $40", + "oral hygiene items under $60", + "oral hygiene under $40" + ], + "i need a heavy duty extra large twin box spring that's fully assembled and ready to use.": [ + "heavy duty extra large twin box spring", + "extra large twin box spring", + "super heavy duty extra large twin box spring", + "heavy duty extra large twin box spring under $50", + "heavy duty extra large twin box spring under $40", + "heavy duty extra large twin box spring under $60", + "extra large twin box spring that is fully assembled", + "heavy duty extra large twin box spring under 50 dollars", + "light duty extra large twin box spring", + "super large twin box spring" + ], + "i am looking for some alcohol free skin care.": [ + "alcohol free skin care", + "alcohol free skin care under $40", + "alcohol free skin care under $50", + "alcohol free skin care under $60", + "alcohol free skin care under 30 dollars", + "alcohol free skin care under 50 dollars", + "alcohol free skin care under 60 dollars", + "alcohol free skin care under 40 dollars", + "alcohol free skin care.", + "alcohol free skin care under 120 dollars" + ], + "i am interested in a rotary shaver for hair removal.": [ + "robotary shaver for hair removal", + "roofary shaver for hair removal", + "rotary shaver for hair removal", + "Rotary shaver for hair removal", + "roothe shaver for hair removal", + "a rotary shaver for hair removal", + " rotary shaver for hair removal", + "shaver for hair removal", + "dust shaver for hair removal", + "rotary shaver for hair removal." + ], + "i am looking for a heavy duty spotting scope for bird watching.": [ + "heavy duty spotting scope for bird watching", + "heavy duty spotting scope for bird watching.", + "heavy duty spotting scope bird watching", + "heavy duty spotting scope bird watching.", + "heavy duty spotting scope for bird watching,", + "light duty spotting scope for bird watching", + "lens spotting scope for bird watching", + "light duty spotting scope for bird watching.", + "heavy duty spotting scope, bird watching", + "heavy duty spotting scope" + ], + "i would like a long dark red dental chain that is easy to apply.": [ + "long dark red dental chain", + "long dark red dental chain, easy to apply", + "long dark red dental chain easy to apply", + "long dark red dental chain with easy to apply", + "lens dark red dental chain", + "dark red dental chain that is easy to apply", + "dental chain that is easy to apply", + "dental chain that is easy to apply.", + "short dark red dental chain", + "large dark red dental chain" + ], + "i would like a medium sized pair of baseball colored jeans with a elastic waist.": [ + "medium sized pair of baseball colored jeans", + "medium sized jeans with a elastic waist", + "medium size pair of baseball colored jeans", + "medium sized tennis jeans with a elastic waist", + "medium sized jeans with elastic waist", + "medium sized jeans with a elastic waist.", + "medium sized jeans", + "medium sized jeans elastic waist", + "medium sized tennis colored jeans", + "medium sized tennis" + ], + "i am looking for a plant based clear lip balm": [ + "plant based clear lip balm", + "plant based clear lip balm under $40", + "plant based clear lip balm under $50", + "plant based clear lip balm under $60", + "plant based clear lip balm below $40", + "plant based clear lip balm below $50", + "plant based clear lip balm under 50 dollars", + "plant based clear lip balm below $60", + "plant based clear lip balm,", + "plant based lip balm" + ], + "i need a remote control that has the batteries included.": [ + "remote control with batteries", + "remote control remote control with batteries", + "remote control remote control", + "remote control that has the batteries", + "remote control for remote control", + "remote control with the batteries", + "remote control that has batteries", + "remote control remote control no batteries", + "remote control", + "remote control no batteries" + ], + "i want to find a small purple bike tank top for men that has a classic fit.": [ + "small purple bike tank top for men", + "small purple bike tank top for men with a classic fit", + "small purple bike tank top for men with classic fit", + "small purple bike tank top for men, classic fit", + "small purple bike tank top for men in a classic fit", + "small purple bike tank top", + "small purple biker tank top for men", + "small purple bike tank top for men under $40", + "small purple bike tank top for men under $50", + "small purple bike tank top for men, classic fit," + ], + "i want emerald mid century modway bar stools.": [ + " emerald mid century modway bar stools", + " emerald mid century modway bar stool", + " emerald mid century modway bar stools.", + "i want emerald mid century modway bar stools.", + "im emerald mid century modway bar stools", + "ind emerald mid century modway bar stools", + " emerald mid century modway bar stool stools", + "im emerald mid century modway bar stools.", + "im emerald mid century modway bar stool", + " emerald mid century modway bar stools under $50" + ], + "i want gray high waisted aleumdr womens yoga outfits.": [ + "gray high waisted aleumdr womens yoga outfits", + "gray high waisted alumdr womens yoga outfits", + "grey high waisted aleumdr womens yoga outfits", + "womens yoga outfits gray high waisted", + "gray high waisted aleumdr womens yoga outfit", + "gray high waisted aumdr womens yoga outfits", + "gray high waisted aleumdr women yoga outfits", + "gray high waisted aleumdr womens yoga", + "gray high waisted yoga outfits", + "womens yoga outfits" + ], + "i need oil free 1 linen makeup foundation for women": [ + "oil free 1 linen makeup foundation for women", + "1 linen makeup foundation for women", + "oil free 1 linen makeup foundation", + "1 linen makeup foundation for women oil free", + "stainless makeup foundation for women", + "1 linen makeup foundation", + "2 linen makeup foundation for women", + "6 linen makeup foundation for women", + "an oil free 1 linen makeup foundation", + "bathroom makeup foundation for women oil free" + ], + "i need a loveseat that is grey and for the living room.": [ + "grey loveseat for living room", + "grey loveseat living room", + "grey loveseat for the living room", + "grey loveseat in the living room", + "grey loveseat for living room.", + "grey loveseat in a living room", + "grey loveseat in grey living room", + "grey loveseat, living room", + "grey loveseat that is grey", + "grey loveseat" + ], + "i need a variety sampler of gluten free quinoa crisps.": [ + "variety sampler of gluten free quinoa crisps", + "comp variety sampler of gluten free quinoa crisps", + "variety sampler of gluten free quinoa crisps.", + " variety sampler of gluten free quinoa crisps", + "synthetic sampler of gluten free quinoa crisps", + "com variety sampler of gluten free quinoa crisps", + "a variety sampler of gluten free quinoa crisps", + "plaza of gluten free quinoa crisps", + "variety sampler of gluten free quinoa crisps,", + "comp variety sampler of gluten free quinoa crisps." + ], + "i am looking for a gluten free white grape raspberry flavored drink.": [ + "gluten free white grape raspberry flavored drink", + "gluten free white grape raspberry flavored drink.", + "gluten free white grape raspberry flavored drink under $40", + "gluten free white grape raspberry flavored drink under $60", + "gluten free white grape raspberry flavored drink under 50 dollars", + "gluten free white grape raspberry flavored drink under 30 dollars", + "gluten free white grape raspberry flavored drink under $50", + "gluten free white grape raspberry flavored drink under 40 dollars", + "gluten free white grape raspberry flavored drink below $40", + "gluten free white grape raspberry flavored drink under 60 dollars" + ], + "i need a 6 piece hair growth treatment.": [ + "6 piece hair growth treatment", + "6 piece hair growth treatment.", + "6 piece hair growth treatment under $50", + "6 piece hair growth treatment under $60", + "6 piece hair growth treatment under $40", + "6 piece hair growth treatment under 30 dollars", + "6 piece hair growth treatment under $120", + "6 piece hair growth treatment under 50 dollars", + "6 piece hair growth treatment under 60 dollars", + "hair growth treatment 6 piece" + ], + "i want a white machine washable mardi gras festival costume.": [ + "white machine washable mardi gras festival costume", + "white mardi gras festival costume", + "machine washable mardi gras festival costume", + "white mardi gras festival costume.", + "mardi gras festival costume white", + "white human washable mardi gras festival costume", + "white mardi gras festival costume under $40", + "man washable mardi gras festival costume", + "white mardi gras festival costume under $50", + "white mardi gras festival costume under $60" + ], + "i need a set of two barstools. get the thirty inch black ones with the metal legs.": [ + "two black barstools with metal legs", + "two barstools with metal legs", + "two barstools, thirty inch black", + "two barstools with the metal legs", + "two black barstools", + "two barstools with metal legs.", + "two black bar stool with metal legs", + "two barstools", + "two barstools under 30 dollars", + "two barstools black metal" + ], + "i need some pore cleansing strips that are made with hyaluronic acid.": [ + "pore cleansing strips made with hyaluronic acid", + "pore cleansing strips with hyaluronic acid", + "pore cleansing strips made with hyaluronic acid.", + "pore cleansing strips", + "pore cleansing strips hyaluronic acid", + "pore cleansing strips hyaluronic acid pore cleansing", + " pore cleansing strips made with hyaluronic acid", + "pore cleansing strips, made with hyaluronic acid", + "pore cleansing strips, hyaluronic acid", + "pore cleansing strips under $40" + ], + "i am interested in a meal kit from trader joes.": [ + "meal kit from trader joes", + "meal kit from trader joes", + "mama kit from trader joes", + "mash kit from trader joes", + "mushroom kit from trader joes", + "a meal kit from trader joes", + "m meal kit from trader joes", + "dining kit from trader joes", + "meal kit from trader joes.", + "a meal kit from trader joes." + ], + "i am looking for a high definition 100 watt in wall volume control knob.": [ + "high definition 100 watt in wall volume control knob", + "high definition 100 watt wall volume control knob", + "low definition 100 watt in wall volume control knob", + "low definition 100 watt wall volume control knob", + "wall volume control knob high definition 100 watt", + "living room volume control knob high definition 100 watt", + "floor control knob high definition 100 watt", + "living room volume control knob", + "100 watt wall volume control knob", + "wall volume control knob high definition" + ], + "i am looking for an extra large wolf fleece throw blanket that is machine washable.": [ + "extra large wolf fleece throw blanket", + "extra large wolf fleece throw blanket, machine washable", + "extra large wolf fleece throw blanket machine washable", + "extra large wolf fleece throw blanket under $50", + "extra large wolf fleece throw blanket under 50 dollars", + "extra large wolf fleece throw blanket under $40", + "womens fleece throw blanket", + "super large wolf fleece throw blanket", + "large wolf fleece throw blanket", + "pink fleece throw blanket" + ], + "i want a blue non slip saftstar modern upholstered armchair.": [ + "blue non slip saftstar modern upholstered armchair", + "blue non slip saftstar modern upholstered armchair.", + "blue non slip saftstar modern upholstered armchair,", + "blue no slip saftstar modern upholstered armchair", + "blue non slip sftstar modern upholstered armchair", + "blue non slip modern upholstered armchair", + "blue non slip modern upholstered armchair.", + "blue modern upholstered armchair", + "blue modern upholstered armchair.", + "blue walking armchair" + ], + "i want rose c'est moi visionary makeup crayon for sensitive skin.": [ + "rose cest moi visionary makeup crayon for sensitive skin", + "rose cest moi visionary makeup crayon for sensitive skin.", + "rose cest moi visionary makeup crayon sensitive skin", + "rose cest moi visionary makeup crayon", + "rose cest moi visionary makeup crayon for sensitive skin,", + "rose cest moi visionary makeup crayon for sensitive skin under $40", + "rose cest moi visionary makeup crayon for sensitive skin under $50", + "rose cest moi visionary makeup crayon for sensitive skin under $60", + "rose cest moi visionary makeup crayon sensitive skin.", + "rose cest moi makeup crayon for sensitive skin" + ], + "i am looking for a keto friendly vegetables with low carb also rich source of vitamins.": [ + "keto friendly vegetables with low carb and rich source of vitamins", + "keto friendly vegetables with low carb also rich source of vitamins", + "keto friendly vegetables low carb and rich source of vitamins", + "keto friendly vegetables low carb rich source of vitamins", + "keto friendly vegetables with low carb, rich source of vitamins", + "keto friendly vegetables low carb also rich source of vitamins", + "keto friendly vegetables low carb with rich source of vitamins", + "keto friendly vegetables low carb rich with vitamins", + "keto friendly vegetables with low carb", + "keto friendly vegetables low carb" + ], + "i am looking to buy an x-large short sleeve t shirt that is machine washable and a good workout shirt.": [ + "x-large short sleeve t-shirt", + "x-large short sleeve t shirt that is machine washable", + "x-large short sleeve t-shirt workout shirt", + " x-large short sleeve t shirt that is machine washable", + " x-large short sleeve t-shirt", + "x-large short sleeve t shirt", + "x-large short sleeve t-shirt with a workout shirt", + " x-large short sleeve t-shirt workout shirt", + "x-large short sleeve t-shirt with workout shirt", + "x-large short sleeve t-shirt under $50" + ], + "i am looking for synthetic hair extensions, 14\" long, with wavy ends and made for black women.": [ + "synthetic hair extensions 14 long", + "synthetic hair extensions 14 long, wavy ends, black women", + "synthetic hair extensions 14 long, wavy ends", + "synthetic hair extensions 14 long, with wavy ends", + "synthetic hair extensions 14 long with wavy ends", + "synthetic hair extensions 14 long, wavy ends black women", + "synthetic hair extensions 14 long, with wavy ends, black women", + "stainless hair extensions 14 long", + "synthetic hair extension 14 long", + " synthetic hair extensions 14 long" + ], + "i would like a purple high quality beauty case.": [ + "pink high quality beauty case", + "beauty case purple high quality", + "plastic beauty case", + "pink beauty case", + "beauty case purple", + "purple high quality beauty case", + "pure purple high quality beauty case", + "pl purple high quality beauty case", + "pure purple beauty case", + "plastic beauty case." + ], + "i am looking for english scone mix with real fruit.": [ + " english scone mix with real fruit", + " english scone mix with real fruit.", + " english scone mix real fruit", + " english scone mix with real fruit under $40", + " english scone mix with real fruit under $60", + " english scone mix", + " english scone mix with real fruit under 30 dollars", + "e english scone mix with real fruit", + " english scone mix that is real fruit", + " english scone mix made from real fruit" + ], + "i am interested in some paraben free eye creams.": [ + "paraben free eye creams", + "lip creams paraben free", + "paraben free eye cream", + "Paraben free eye creams", + "pink eye creams", + "paraben free eyes creams", + "lip cream paraben free", + "gluten free eye creams", + "permanent eye creams", + "pink eye cream" + ], + "i am looking for an oil free broad spectrum spf 15 sunscreen foundation for sensitive skin.": [ + "oil free broad spectrum spf 15 sunscreen foundation", + "moisturizing foundation for sensitive skin", + "moisturizer foundation for sensitive skin", + "an oil free broad spectrum spf 15 sunscreen foundation", + "moisturizing foundation for sensitive skin oil free", + "moisturizer foundation for sensitive skin oil free", + "o-mo sunscreen foundation for sensitive skin", + "lip cream foundation for sensitive skin", + "artificial sunscreen foundation for sensitive skin", + "sneakers foundation for sensitive skin" + ], + "i want an eucalyptus and plant based bar soap by dr. bronner's.": [ + "eucalyptus plant based bar soap by dr. bronners", + "eucalyptus and plant based bar soap by dr. bronners", + "eucalyptus plant based bar soap", + "eucalyptus plant based bar soap, dr. bronners", + "eucalyptus plant based bar soap by dr. bronners.", + " eucalyptus plant based bar soap by dr. bronners", + "ecoalyptus plant based bar soap by dr. bronners", + "an eucalyptus plant based bar soap by dr. bronners", + "eucalyptus plant based bar soap dr. bronners", + "eucalyptus plant based bar soap by dr. bronners," + ], + "i would like a shampoo and conditioner set made of coconut oil.": [ + "shampoo and conditioner set made of coconut oil", + "shampoo and conditioner set made of coconut oil.", + "shampoo conditioner set made of coconut oil", + "shampoo and conditioner set made of coconut oil,", + "shampoo and conditioner set made of coconut oil under $40", + "shampoo and conditioner set made of coconut oil below $40", + "shampoo and conditioner set made of coconut oil under $60", + "shampoo and conditioner set made of coconut oil under $50", + "shampoo and conditioner set made of coconut oil below $50", + "shampoo and conditioner set made of coconut oil under 30 dollars" + ], + "get me a set of two mesh laundry bags.": [ + "two mesh laundry bags", + "set of two mesh laundry bags", + "set of two mesh laundry bags.", + "two mesh laundry bags.", + "two mesh laundry bags under $40", + "two mesh laundry bags under $50", + "set of two mesh laundry bags,", + "two mesh laundry bags set of two", + "two mesh laundry bags under $60", + "two mesh laundry bags," + ], + "i want a nourishing hair treatment that is sulfate free.": [ + "nourishing hair treatment that is sulfate free", + " nourishing hair treatment that is sulfate free", + " nourishing hair treatment that is sulfate free.", + "nude free hair treatment", + "n nourishing hair treatment that is sulfate free", + "fishing hair treatment that is sulfate free", + "nourishing hair treatment with sulfate free", + "beautishing hair treatment that is sulfate free", + "nudishing hair treatment that is sulfate free", + " nourishing hair treatment with sulfate free" + ], + "i need a 5\" round cake topper for a birthday party": [ + "5 round cake topper for a birthday party", + "5 round cake topper for a baby shower", + "5 round cake toppers for a birthday party", + "5 round cake toppers for a baby shower", + "5 round cake topper, for a baby shower", + "5round cake topper for a birthday party", + "5 round birthday cake topper for a birthday party", + "5 round cake topper for a birthday party,", + " 5 round cake topper for a birthday party", + "5 round cake topper" + ], + "i would like a black shimmer kosher certified icing glitter.": [ + "black shimmer kosher certified icing glitter", + "black glitter kosher certified icing glitter", + "black glitter, kosher certified icing glitter", + "black glitter that is kosher certified", + "black shimmer kosher certified icing glitter.", + "kosher certified icing glitter", + "black glitter with kosher certified icing glitter", + "black glitter certified icing glitter", + "black glitter, certified icing glitter", + "black glitter kosher certified icing glitter." + ], + "i am in need of a high definition media player": [ + "high definition media player", + "high definition media player under $40", + "high definition media player under $50", + "high definition media player under $60", + "high definition media player under 30 dollars", + "high definition media player under 60 dollars", + "high definition media player under 40 dollars", + "high definition media player under 120 dollars", + "medium definition media player", + "media player high definition" + ], + "i would like a pair of medium sized navy high waisted leggings.": [ + "navy high waisted leggings", + "medium sized navy high waisted leggings", + "pair of medium sized navy high waisted leggings", + "womens navy high waisted leggings", + "large sized navy high waisted leggings", + "sneakers navy high waisted leggings", + "navy high waisted leggings under $40", + "navy high waisted leggings under $50", + "navy high waisted leggings under 50 dollars", + "navy high waisted leggings under $60" + ], + "i would like a africa 80 by 40 poster to hang readily in my living room.": [ + " africa 80 by 40 poster", + "affrica 80 by 40 poster", + " africa 80 by 40 poster for living room", + " africa 80 by 40 poster living room", + "a africa 80 by 40 poster", + " africa 80 by 40 poster to hang for living room", + "Africa 80 by 40 poster", + " africa 80 by 40 poster in a living room", + " africa 80 by 40 poster in my living room", + "al africa 80 by 40 poster" + ], + "i want an elixir to promote hair growth and prevent hair loss. it should also be plant based.": [ + "elixir to promote hair growth and prevent hair loss", + "elixir for hair growth plant based", + "elixir that promotes hair growth and prevent hair loss", + "alixir to promote hair growth and prevent hair loss", + "elixir for hair growth and prevent hair loss", + "elixir plant based", + "elixir to promote hair growth", + "elixir to promote hair growth with hair loss", + "elixir that is plant based", + "elixir for hair growth" + ], + "i want a honey brown simplihome artisan solid wood tv stand.": [ + "honey brown simplihome artisan solid wood tv stand", + " honey brown simplihome artisan solid wood tv stand", + "honey brown simplihome artisan solid wood tv stand.", + " honey brown simplihome artisan solid wood tv stand.", + "a honey brown simplihome artisan solid wood tv stand", + "a honey brown simplihome artisan solid wood tv stand.", + "buffet brown simplihome artisan solid wood tv stand", + "bbq brown simplihome artisan solid wood tv stand", + "moisturihome artisan solid wood tv stand", + "honey brown simplihome artisan solid wood tv stand," + ], + "i would like some cake toppers for a birthday party.": [ + "cake toppers for a baby shower", + "cake toppers for a birthday party", + "cake toppers for a baby shower.", + "cake toppers for a birthday party.", + "birthday cake toppers", + "cake toppers for a baby shower", + "brittle toppers for a baby shower", + "baby shower cake toppers", + "birthday cake toppers for baby shower", + "pie toppers for a baby shower" + ], + "i want a round safavieh sofia collection rug for my living room.": [ + "round safavieh sofia collection rug", + "round safavieh sofia collection rug living room", + "round safavieh sofia rug", + "square safavieh sofia collection rug", + "round safavieh sofia rug for living room", + "Round safavieh sofia collection rug", + "bag rug for living room", + "trouble rug for living room", + "round safavieh rug", + "trouble rug" + ], + "i want to find a small green women's workout set that i can wear daily.": [ + "small green womens workout set", + "small green womens workout set under $50", + "small green womens workout set under $40", + "small green womens workout set,", + "small green womens workout set under $60", + "green womens workout set", + "gwomens workout set", + "small green women workout set", + "small green workout set", + "womens workout set" + ], + "i am looking for two piece suits that are green and quick drying in a size small": [ + "two piece suits small", + "two piece suits", + "green quick drying two piece suits", + "two piece suits green quick drying", + "two piece suits size small", + "green quick drying 2 piece suits", + "two piece suits, green quick drying", + "green quick drying small", + "two piece suits green quick drying small", + "green quick drying suit" + ], + "i would like a yellow quad core tablet.": [ + "yellow quad core tablet", + "yellow quad core tablet.", + "yellow quad core tablet with price lower than 50.00 dollars", + "yellow quad core tablet that is easy to use", + "yellow quad core tablet,", + "yellow quad core tablet under $40", + "yellow quad core tablet under $60", + "yellow quad core tablet under $50", + "yellow quad core tablets", + "yellow quad core" + ], + "i am looking for a fanless mini pc with a quad core processor, 32 gigabytes of ram and a 256 gigabyte ssd.": [ + "fanless mini pc with a quad core processor 32 gigabytes of ram and a 256 gigabyte ssd", + "fanless mini pc with a quad core processor and a 256 gigabyte ssd", + "fanless mini pc with a quad core processor, 32 gigabytes of ram and 256 gigabyte ssd", + "Fanless mini pc with a quad core processor 32 gigabytes of ram and a 256 gigabyte ssd", + "fanless mini pc with a quad core processor", + "fanless mini pc with a quad core processor with 32 gigabytes of ram", + "fanless mini pc with a quad core processor 32 gigabytes of ram", + "fanless mini pc with a quad core processor and a 256 gigabyte ssd.", + "Fanless mini pc with a quad core processor", + "fanless mini pc" + ], + "i am looking for a wireless computer headset that has stereo sound.": [ + "wireless computer headset with stereo sound", + "wireless computer headset that has stereo sound", + " wireless computer headset with stereo sound", + "a wireless computer headset with stereo sound", + "living room wireless computer headset with stereo sound", + "alarm wireless computer headset with stereo sound", + "a wireless computer headset that has stereo sound", + " wireless computer headset that has stereo sound", + "womens wireless computer headset", + "alarm wireless computer headset" + ], + "i need a silver cruelty free my little pony mini glitter gel set.": [ + "silver cruelty free glitter gel set", + "silver cruelty free pony mini glitter gel set", + "silver cruelty free mini glitter gel set", + "silver cruelty free ponies mini glitter gel set", + "silver cruelty free glitter glitter set", + "silver cruelty free glitter set", + "silver cruelty free glitter gmo set", + "silver cruelty free pony mini glitter gel", + "silver cruelty free glitter gel set.", + "silver cruelty free glitter" + ], + "i need noise cancelling headset that has a charging stand.": [ + "noise cancelling headset with charging stand", + " noise cancelling headset with charging stand", + "noise cancelling headset that has a charging stand", + " noise cancelling headset that has a charging stand", + "non noise cancelling headset with charging stand", + "sound cancelling headset with charging stand", + "noise cancelling headset with a charging stand", + "noise cancelling headset", + "noise cancelling headset that has charging stand", + " noise cancelling headset that has a charging stand." + ], + "i want a caramel queen size acacia kaylin platform bed.": [ + "caramel queen size acacia kaylin platform bed", + "amel queen size acacia kaylin platform bed", + "a caramel queen size acacia kaylin platform bed", + "baramel queen size acacia kaylin platform bed", + "alarm queen size acacia kaylin platform bed", + "camel queen size acacia kaylin platform bed", + "acacia kaylin platform bed caramel queen size", + "sugar queen size acacia kaylin platform bed", + "acacia kaylin platform bed", + "acacia kaylin platform bed." + ], + "i am interested in some individually wrapped granola bars.": [ + "packaged granola bars", + "granola bars individually wrapped", + "bagels individually wrapped granola bars", + "pack of individually wrapped granola bars", + "pack of granola bars", + "grainola bars individually wrapped", + "packet granola bars", + "pack of granola bars individually wrapped", + "packaged granola bar", + " individually wrapped granola bars" + ], + "i am looking for 20 inch high quality hair pieces.": [ + "20 inch high quality hair pieces", + "20 inch high quality hair pieces under $40", + "20 inch high quality hair pieces under $50", + "20 inch high quality hair pieces under 30 dollars", + "20 inch high quality hair pieces under $60", + "20 inch high quality hair pieces.", + "20 inch high quality hair pieces under 50 dollars", + "20 inch high quality hair pieces under 40 dollars", + "20 inch high quality hair piece", + "20 inch high quality hair pieces under 120 dollars" + ], + "i would like a lemon living room curtain in the size 52 by 96 inches": [ + "lemon living room curtain in the size 52 by 96 inches", + "lemon living room curtain in a size 52 by 96 inches", + "lemon living room curtain in the size 52 by 96 inches", + "lemon living room curtain 52 by 96 inches", + "50 by 96 inches lemon living room curtain", + "tea living room curtain in the size 52 by 96 inches", + "lemon living room curtain in a size 52 by 96 inches", + "lemon living room curtain size 52 by 96 inches", + "lemon living room curtain 52 by 96 inches", + "lemon living room curtain" + ], + "i would like some eucalyptus lavender body scrub that is also eco friendly.": [ + "eucalyptus lavender body scrub", + "eco friendly body scrub", + "eco friendly eucalyptus lavender body scrub", + "eucalyptus lavender body scrub eco friendly", + "eucalyptus lavender body scrub, eco friendly", + "eco friendly body scrub eucalyptus lavender", + "eco friendly body scrub with eucalyptus lavender", + "eco friendly body scrub that is also eco friendly", + " eucalyptus lavender body scrub", + "eco friendly human body scrub" + ], + "i want to buy some shelf stable baby food. look for a fifteen count box of blueberry banana sweet potato.": [ + "baby food fifteen count box of blueberry banana sweet potato", + "baby food fifteen count", + "baby food fifteen count box blueberry banana sweet potato", + "shelf stable baby food, blueberry banana sweet potato", + "shelf stable baby food", + "baby food fifteen count box", + "baby food that is shelf stable", + "stainless baby food fifteen count box", + "stainless baby food fifteen count", + "baby food 15 count" + ], + "i want a modway engage mid-century corner sofa.": [ + "modway engage mid-century corner sofa", + "modway engage mid-century corner sofa.", + " modway engage mid-century corner sofa", + " modway engage mid-century corner sofa.", + "modway engage mid-century sofa", + "modway engage mid-century corner sofa under 30 dollars", + "modway engage mid-century corner sofa under 50 dollars", + "Modway engage mid-century corner sofa", + "modway engage mid-century sofa.", + "modway engage mid-century corner sofa," + ], + "i would like a small gray long sleeved hoof pick.": [ + "small gray long sleeved hoof pick", + "small gray long sleeved hoof pick.", + "small gray long sleeved hoof pick under $40", + "small gray long sleeved hoof pick,", + "small gray long sleeved hoof pick under $50", + "small gray long sleeved hoof pick under 50 dollars", + "small gray long sleeved hoof pick under $60", + "small gray long sleeved hoof pick under 30 dollars", + "small gray long sleeved hoof pick under 40 dollars", + "slimming hoof pick" + ], + "i would like a heavy duty bed frame made of steel.": [ + "heavy duty bed frame made of steel", + "heavy duty bed frame made of steel.", + "low duty bed frame made of steel", + "heavy duty bed frame made from steel", + "bed frame made of steel", + "Heavy duty bed frame made of steel", + "heavy duty bed frame made of steel,", + " heavy duty bed frame made of steel", + "mammel bed frame made of steel", + "lens frame made of steel" + ], + "i want a sugar free mix of earlybird morning cocktail.": [ + "sugar free mix of earlybird morning cocktail", + "sugar free mix of earlybird morning cocktail.", + "sugar free mix of an earlybird morning cocktail", + "sugar free mix of early bird morning cocktail", + "synthetic free mix of earlybird morning cocktail", + "sugar free mix of earlybird morning cocktail mix", + "sugar free mix of breakfast cocktail", + "sugar free mix of morning cocktail", + "sugar free mix of earlybird morning cocktail,", + "sugar free mix of earlybird morning cocktail drink" + ], + "i need a small relaxed fit pullover that is the color green.": [ + "small relaxed fit pullover color green", + "small relaxed fit pullover", + "small relaxed fit pullover with color green", + "small relaxed fit pullover green", + "small relaxed fit pullover the color green", + "small relaxed fit pullover under $50", + "small relaxed fit pullover under $40", + "small relaxed fit pullover colored green", + "small green pullover", + "green pullover" + ], + "i want a brushed berry schwarzkopf metallic permanent hair dye.": [ + "brushed berry schwarzkopf metallic permanent hair dye", + " brushed berry schwarzkopf metallic permanent hair dye", + "brush berry schwarzkopf metallic permanent hair dye", + "brushed berry schwarzkopf metallic permanent hair dye.", + "buffet berry schwarzkopf metallic permanent hair dye", + "berry schwarzkopf metallic permanent hair dye", + "brushed berry schwarzkopf metallic permanent hair dye,", + "toothbrush berry schwarzkopf metallic permanent hair dye", + "brushed berry shwarzkopf metallic permanent hair dye", + "rose berry schwarzkopf metallic permanent hair dye" + ], + "i am interested in a 60 count of cruelty free toner.": [ + "60 count of cruelty free toner", + "60 count cruelty free toner", + "cruelty free toner 60 count", + "60 count of cruelty free toner.", + "cruelty free toner", + "50 count cruelty free toner", + "60 count cruelty free toner.", + "40 count cruelty free toner", + "50 count of cruelty free toner", + "40 count of cruelty free toner" + ], + "i need 2 faux leather barstools that is easy to assemble and is back adjustable. pick a brown one.": [ + "faux leather barstools easy to assemble and is back adjustable", + "faux leather barstools easy to assemble and is back adjustable brown", + "faux leather barstools, easy to assemble and is back adjustable", + "faux leather barstools easy to assemble and back adjustable", + "faux leather barstools easy to assemble and back adjustable brown", + "faux leather barstools", + "faux leather barstools easy to assemble brown", + "faux leather barstools with back adjustable", + "faux leather barstools in brown", + "faux leather barstools easy to assemble" + ], + "i need to buy a tank top for working out. look for one that's tie dyed blue, in extra large. it should be machine washable.": [ + "tank top for working out extra large", + "tank top for working out in extra large", + "tank top for working out", + "tank top for working out extra large.", + "tank top for working out. extra large", + "tank top that is machine washable", + "tank top for working out, extra large", + "tank top for working out extra large", + "tank top in extra large", + "tank top" + ], + "most of people use sugarfree like simple sweet": [ + "simple sweet", + "sugarfree simple sweet", + "sugar free simple sweet", + "simple sweet sugar free", + "sugar-free simple sweet", + "sugarfree simple sweet drink", + "sugar free simple sweet drink", + "sugar free sugar simple sweet", + "sugarfree simple sugar", + "sugar free" + ], + "i want a white merax bunk bed box spring.": [ + "white merax bunk bed box spring", + "white merax bunk bed box spring.", + "white merax bunk bed box spring,", + "white merax bunk bed box spring under $40", + "white merax bunk bed box spring under $60", + "white merax bunk bed box spring under $50", + "living room white merax bunk bed box spring", + "white merax bunk bed box spring under $130", + "white merax bunk bed box", + "a white merax bunk bed box spring" + ], + "i would like 24 packs of 60ml eye shadow.": [ + "24 packs of 60ml eye shadow", + "24 packs of 60ml eye shadow.", + "24 pack of 60ml eye shadow", + "24 packs of 60ml eye shadow,", + "25 packs of 60ml eye shadow", + "24 packs of 60ml eyes shadow", + "23 packs of 60ml eye shadow", + "28 packs of 60ml eye shadow", + "60ml eye shadow 24 pack", + "60ml eye shadow" + ], + "a dome camera for indoor motion detection indoor smart security camera 1080hd size -hd version +64g": [ + "indoor motion detection indoor smart security camera 1080hd size -hd", + "a dome camera for indoor motion detection indoor smart security camera 1080hd size -hd", + "indoor motion detection indoor smart security camera 1080hd", + "indoor motion detection indoor smart security camera 1080hd size -hd version +64g", + "i dome camera for indoor motion detection indoor smart security camera 1080hd size -hd", + "dome camera for indoor motion detection indoor smart security camera 1080hd size -hd", + "a dome camera for indoor motion detection indoor smart security camera 1080hd size -hd version +64g", + "i would like a dome camera for indoor motion detection indoor smart security camera 1080hd size -hd version +64g", + "i would like to buy an indoor motion detection indoor smart security camera 1080hd size -hd version +64g", + "a dome camera for indoor motion detection indoor smart security camera 1080hd" + ], + "i am looking for a tea sampler that comes in a pack of 8 and is kosher.": [ + "tea sampler pack of 8", + "tea sampler pack of 8 kosher", + "tea sampler pack of 8, kosher", + "tea sampler that is kosher", + "tea sampler in a pack of 8", + "tea sampler", + "tea sampler 8 pack of kosher", + "tea sampler under $60", + "tea sampler 8 pack of 8", + "tea sampler kosher" + ], + "i want a full sized non slip tatami mattress.": [ + "full sized non slip tatami mattress", + "full sized tatami mattress", + "full size non slip tatami mattress", + "full sized tatami mattress.", + "full sized no slip tatami mattress", + "non slip tatami mattress", + "full size tatami mattress", + "full sized, tatami mattress", + "full sized tatami mattress,", + "full tatami mattress" + ], + "i am looking for toenail clippers that are black and stainless steel": [ + "toenail clippers that are black and stainless steel", + "toenail clippers black stainless steel", + "toenail clippers black and stainless steel", + "black and stainless steel toenail clippers", + "black toenail clippers", + "black toenail clippers with stainless steel", + "black toenail clippers, black and stainless steel", + "black toenail clippers black stainless steel", + "toenail clippers with black stainless steel", + "toenail clippers that are black stainless steel" + ], + "i need an eye serum that contains hyaluronic acid and that's good for dark circles. get the green one.": [ + "green eye serum that contains hyaluronic acid", + "eye serum that contains hyaluronic acid", + "jeans hyaluronic acid green", + "an eye serum that contains hyaluronic acid", + "grey eye serum that contains hyaluronic acid", + "jeans hyaluronic acid", + "aluronic acid eye serum", + "green eye serum", + "honey colored eye serum", + "dark circles serum green" + ], + "i would like three packs of two ounce teriyaki low calorie jerky.": [ + "two ounce teriyaki low calorie jerky", + "three packs of two ounce teriyaki low calorie jerky", + "two ounce teriyaki low calorie jerky three pack", + "three pack of two ounce teriyaki low calorie jerky", + "3 packs of two ounce teriyaki low calorie jerky", + "bottle of two ounce teriyaki low calorie jerky", + "3 pack of two ounce teriyaki low calorie jerky", + "two pack of two ounce teriyaki low calorie jerky", + "teriyaki low calorie jerky three pack", + "two ounce teriyaki low calorie jerky under $40" + ], + "i would like a 3xl white pair of jogging pants that are machine washable.": [ + "3xl white jogging pants", + "3xl white jogging pants machine washable", + "3xl white pair of jogging pants", + "3xl white jogging pants, machine washable", + "3 xl white jogging pants", + "3 xl white pair of jogging pants", + "3xl white woman jogging pants", + "3xl white men jogging pants", + "3xl white walking pants", + "3xl white workout pants" + ], + "i need a lipstick that is easy to apply and long lasting in the color #1": [ + "lip color long lasting in the color #1", + "lip color that is easy to apply and long lasting", + "lip color easy to apply in the color #1", + "easy to apply lipstick in the color #1", + "lip color that is easy to apply", + "pink lipstick that is easy to apply long lasting", + "pink lipstick easy to apply", + "lip color easy to apply", + "lip color long lasting", + "pink lipstick" + ], + "i want a smakn high speed hdmi cable.": [ + "smakn high speed hdmi cable", + " smakn high speed hdmi cable", + "slimakn high speed hdmi cable", + "smakn high speed hdmi cable under $40", + "smakn high speed hdmi cable.", + "smakn high speed hdmi cable under $60", + "smakn high speed hdmi cable under $50", + "smakn high speed hdmi cable under 50 dollars", + "smakn high speed hdmi cable under $130", + "smakn high speed hdmi cable under 30 dollars" + ], + "i am looking for an ultra thin gold plated mini c hdmi cable": [ + " ultra thin gold plated mini c hdmi cable", + "extra thin gold plated mini c hdmi cable", + "Ultra thin gold plated mini c hdmi cable", + "ultra thin gold plated mini c hdmi cable", + " ultra thin gold plated mini c hdmi cable under $40", + "5 ft ultra thin gold plated mini c hdmi cable", + "uaco thin gold plated mini c hdmi cable", + " ultra thin gold plated mini c hdmi cable under $50", + " ultra thin gold plated mini c hdmi cable under $60", + "ultr thin gold plated mini c hdmi cable" + ], + "i want a king sized and lead free acacia aurora bed frame.": [ + "king sized and lead free acacia aurora bed frame", + "king sized and free acacia aurora bed frame", + "king sized, lead free acacia aurora bed frame", + "king size and lead free acacia aurora bed frame", + "king sized and led free acacia aurora bed frame", + "king sized free acacia aurora bed frame", + "king sized lead free acacia aurora bed frame", + "king sized acacia aurora bed frame", + "king sized free acacia aurora bed frame.", + "king sized acacia aurora bed frame." + ], + "i would like a small yellow pair of shorts that can be machine washed.": [ + "small yellow shorts", + "small yellow pair of shorts", + "small yellow shorts, machine washed", + "small yellow shorts machine washed", + "small yellow shorts with machine washed", + "small yellow shorts under $50", + "small yellow shorts under $40", + "small yellow woman shorts", + "small yellow short shorts", + "small yellow men shorts" + ], + "i would like a size 7.5 wide pair of white flats with a closed toe.": [ + "size 7.5 wide pair of white flats", + "white flats size 7.5 wide", + "white flats size 7.5", + "white flats with a closed toe", + "white flats with closed toe size 7.5", + "small white flats with a closed toe", + "large white flats with a closed toe", + "white flats with closed toe", + " size 7.5 wide pair of white flats", + "white flats size 7.5 with closed toe" + ], + "i want to find a fully assembled ottoman that is doe-colored.": [ + "full assembled ottoman that is doe-colored", + "oatmeal ottoman that is doe-colored", + "living ottoman that is doe-colored", + "dome ottoman that is doe-colored", + "ottoman that is doe-colored", + "oatoman that is doe-colored", + "womens ottoman doe-colored", + "womens ottoman", + "a fully assembled ottoman that is doe colored", + "womens ottoman that is doe colored" + ], + "i would like a red video game chair with lumbar support.": [ + "red video game chair with lumbar support", + "red video game chair lumbar support", + "tv game chair with lumbar support", + "red video game chair", + "red video game chair, lumbar support", + "red video game chair that lumbar support", + "blue video game chair with lumbar support", + "tv game chair lumbar support", + "red gaming chair with lumbar support", + "tv game chair" + ], + "i am looking for statues or figurines to decorate my living room.": [ + "monuments or figurines for living room", + "living room statues or figurines", + "artwork or figurines for living room", + "statues or figurines for living room", + "living room statues and figurines", + " statues or figurines for living room", + "artwork or figurines for living room.", + "living room statues or figurines under $50", + "living room statues or figurines under $40", + "living room statues or figurines under 30 dollars" + ], + "i want a heavy duty protection case for my phone. pick something in black warrior color.": [ + "heavy duty protection case for my phone black warrior color", + "heavy duty protection case for my phone black warrior", + "heavy duty protection case for my phone, black", + "heavy duty protection case for my phone, black warrior", + "black heavy duty protection case", + "heavy duty protection case for my phone black", + "heavy duty protection case in black warrior color", + "heavy duty protection case for my phone", + "heavy duty protection case black", + "heavy duty protection case" + ], + "i want to shop for a pair of high definition binoculars for bird watching. get type \"e.\"": [ + "pair of high definition binoculars for bird watching", + " binoculars for bird watching type e", + "high definition binoculars for bird watching type e", + "high definition binoculars for bird watching with type e", + "a pair of high definition binoculars for bird watching", + "pair of binoculars for bird watching", + "high definition binoculars for bird watching", + " binoculars bird watching type e", + "pair of high definition binoculars", + "pair of high definition binoculars bird watching" + ], + "shop for a pair of black walking shoes in size eight. look for memory foam soles.": [ + "walking shoes size eight memory foam", + "walking shoes size eight memory foam soles", + "walking shoes size 8 memory foam", + "walking shoes in size eight", + "black walking shoes in size eight", + "walking shoes size 8 memory foam soles", + "walking shoes size eight with memory foam", + "walking shoes in size eight memory foam", + "black walking shoes size eight", + "walking shoes size eight" + ], + "i am looking for a small short sleeve slim fitted t-shirt.": [ + "small short sleeve slim fitted t-shirt", + "small slim fitted t-shirt", + "slim fitted t-shirt", + "small t-shirt", + "small t-shirt slim fitted", + "small slim fitted t-shirt", + "small long sleeve slim fitted t-shirt", + "small t-shirt slim fit", + "slim fitted t-shirt small", + "small short sleeve slim fit t-shirt" + ], + "i would ike a cd player that comes with aaa batteries and is in the model pm6006": [ + "dvd player that comes with aaa batteries", + "portrait player that comes with aaa batteries", + "pink cd player with aaa batteries", + "portrait player with aaa batteries", + "dvd player with aaa batteries", + "ps6006 cd player with aaa batteries", + "aaa batteries for cd player", + "aaa batteries", + "pink cd player", + "ps6006 cd player" + ], + "i need a 16:10 aspect ratio privacy filter that is easy to install.": [ + "16:10 aspect ratio privacy filter", + "16x10 aspect ratio privacy filter", + "16 x10 aspect ratio privacy filter", + "16:10 aspect ratio privacy filter easy to install", + "16:10 aspect ratio privacy filter under $50", + "16:10 aspect ratio privacy filter under $40", + "16:10 aspect ratio privacy filter under $60", + "16.10 aspect ratio privacy filter", + "16:10 aspect ratio privacy filter under $120", + "16 x 10 aspect ratio privacy filter" + ], + "i need an eco friendly biodegradable body glitter, also copper holographic one and ultrafine (1 | 128\" 0.008\" 0.2mm)": [ + "eco friendly biodegradable body glitter 1 | 128", + "eco friendly biodegradable body glitter", + "eco friendly biodegradable body glitter, 1 | 128", + "eco friendly biodegradable body glitter, 1 | 128 x.008", + "eco friendly biodegradable body glitter, 1 | 128 0.008", + "eco friendly biodegradable body glitter 1 | 128 x.008", + "eco friendly biodegradable body glitter 1 | 128 0.008", + "eco friendly biodegradable body glitter (1 | 128 0.008", + "eco friendly biodegradable body glitter (1 | 128", + "eco friendly body glitter 1 | 128" + ], + "i want to buy some vanilla flavored soy free cake mix. needs to be in a 3 pack of 11.29-oz boxes.": [ + " vanilla flavored soy free cake mix 11.29-oz boxes", + "vegan cream cake mix 11.29-oz boxes", + "vanity flavored soy free cake mix 11.29-oz", + "pink cake mix 11.29-oz boxes", + "vanity flavored soy free cake mix 11.29oz boxes", + "pink cake mix 11.29-oz", + "vegan chocolate cake mix 11.29-oz boxes", + "cupcake mix 11.29-oz", + "vanity flavored soy free cake mix 11.29 oz boxes", + "vegan cream cake mix 11.29-oz" + ], + "i would like a pair of 30 wide by 32 long quartz stone jeans that are machine washable.": [ + "30 wide by 32 long quartz stone jeans", + "30 wide by 32 long quartz stone jeans, machine washable", + "30 wide by 32 long quartz stone jeans machine washable", + "28 wide by 32 long quartz stone jeans", + "womens 30 wide by 32 long quartz stone jeans", + "30 wide by 32 long quartz stone jeans with machine washable", + "30 wide by 32 long quartz stone jeans under 30 dollars", + "30 wide by 32 long quartz stone jeans under $40", + "womens jeans 30 wide by 32 long", + "50 wide by 32 long quartz stone jeans" + ], + "i need some daily casual sandals that are black and a size 10.5": [ + "day casual sandals black size 10.5", + "black casual sandals in a size 10.5", + "day casual sandals size 10.5", + "day casual sandals black", + "day casual sandals in black size 10.5", + "black casual sandals size 10.5", + "day casual sandals size 10.5 black", + "day casual sandals in black", + "day casual sandals size 10.5, black", + "black casual sandals" + ], + "i want blue aerothotic water friendly light weight eva sandals with arch support.": [ + "blue aerothotic water friendly light weight eva sandals with arch support", + "blue aerothotic water friendly light weight eva sandals", + "blue aerothotic water friendly mud weight eva sandals with arch support", + "blue aerothotic water friendly light weight eva sandals, arch support", + "blue aerothotic water friendly lightweight weight eva sandals with arch support", + "blue aerothotic water friendly weight eva sandals with arch support", + "blue airotic water friendly light weight eva sandals with arch support", + "blue aerothotic water friendly eva sandals with arch support", + "blue aerothotic water friendly mud weight eva sandals", + "blue aerothotic water friendly sandals with arch support" + ], + "i am looking for a samsung galaxy case cover that is gray.": [ + "samsung galaxy case cover that is gray", + "samsung galaxy case cover gray", + "samsung galaxy case cover", + "samsung galaxy case cover, gray", + "samsung galaxy case cover that is gray.", + " samsung galaxy case cover that is gray", + "samsung galaxy case cover in gray", + "samsung galaxy case cover is gray", + "samsung galaxy case cover with gray", + "samsung galaxy case cover with gray samsung" + ], + "i want a dove men anti-perspirant deodorant roll-on.": [ + "dove men anti-perspirant deodorant roll-on", + "duck men anti-perspirant deodorant roll-on", + "duo men anti-perspirant deodorant roll-on", + "roof men anti-perspirant deodorant roll-on", + "dive men anti-perspirant deodorant roll-on", + "roo men anti-perspirant deodorant roll-on", + "doves men anti-perspirant deodorant roll-on", + "veto men anti-perspirant deodorant roll-on", + "moisturant deodorant roll-on", + "dove men anti-perspirant deodorant" + ], + "i would like a 36 ounce chair tea": [ + "36 ounce chair tea", + " 36 ounce chair tea", + "28 ounce chair tea", + "walking chair tea 36 oz", + "foot tea 36 ounce", + "walking chair tea 36 ounce", + "chairs tea 36 ounce", + "chair tea 36 oz", + "stainless chair tea", + "walking chair tea 36 ounces" + ], + "i need one pack of real fruit which dried and is high in dietary fiber.": [ + "pack of real fruit which dried and is high in dietary fiber", + "pack of real fruit dried and is high in dietary fiber", + "pack of real fruit that dried and is high in dietary fiber", + "pack of real fruit whose dried and is high in dietary fiber", + "pack of real fruit dried and is high in dietary fiber.", + "pack of real fruit, dried and is high in dietary fiber", + "pack of real fruit that is high in dietary fiber", + "pack of real fruit, dried and high in dietary fiber", + "pack of real fruit whose price is high in dietary fiber", + "pack of real fruit dried and high in dietary fiber" + ], + "i search no ram no ssd no wifi but high performance memory": [ + "no ram no ssd no wifi", + "no ram no ssd no wifi high performance memory", + "no ram no ssd no wifi high performance", + "no ram no ssd no wifi low performance memory", + "ssd no wifi high performance memory", + "rams no wifi high performance memory", + "shoes no wifi high performance", + "ssd no wifi high performance", + "no ram no ssd", + "ssd no wifi" + ], + "i'm looking for exactly this configuration: qotom 4 lan mini pc q190g4u-s01 with 4gb ram 128gb ssd, intel celeron j1900 processor, quad core 2.0 ghz, x86 mini pc": [ + "quad core 2.0 ghz x86 mini pc", + "qotom 4 lan mini pc with 4gb ram 128gb ssd", + "quad core 2.0 ghz mini pc", + "tablet 4 lan mini pc with 4gb ram 128gb ssd", + "qotom 4 lan mini pc q190g4u-s01", + "quad core 2.0 ghz", + "quad core 2.0 ghz laptop pc", + "4 lan mini pc q190g4u-s01", + "qotom 4 lan mini pc", + "x86 mini pc" + ], + "i want a navy slim fit mens golf polo shirt.": [ + "navy slim fit mens golf polo shirt", + "navy slim fit mens golf polo shirt.", + "navy slim fit mens polo shirt", + "navy slim fit mens golf polo shirt,", + " navy slim fit mens golf polo shirt", + "navy slim fit mens polo shirt.", + "womens golf polo shirt navy slim fit", + "natals slim fit mens golf polo shirt", + "slim fit mens golf polo shirt", + "womens golf polo shirt" + ], + "i need some black curtains for my living room.": [ + "black curtains for living room", + "black curtains for my living room", + "black curtains for the living room", + "living room curtains black", + "black curtains living room", + "black curtains for a living room", + "black curtains for living room.", + "living room black curtains", + "white curtains for living room", + "living room curtains" + ], + "i need a 0.5 ml serum for my dry skin.": [ + "1.5 ml serum for my dry skin", + "0.5 ml serum for my dry skin", + "1.5 ml serum for my dry skin.", + "0.5 ml serum for my dry skin.", + "1.5 ml serum for dry skin", + "2.5 ml serum for my dry skin", + "0.5 ml serum for dry skin", + "1.5 ml serum for my dry skin,", + "a 0.5 ml serum for my dry skin", + "1.5 ml serum" + ], + "i want a silver hair styling bobby pin.": [ + "silver hair styling bobby pin", + "silver hair styling bobby pin.", + "silver hair styling bobby pin under $50", + "silver hair styling bobby pin under $40", + "silver hair styling bobby pin,", + "silver hair styling bobby pin under $60", + "silver hair styling bobby pin below $50", + "silver hair styling bobby pin under 40 dollars", + "silver hair styling bobby pin below $40", + "silver hair styling bobby pin under 50 dollars" + ], + "i am looking for space saving collapsible and waterproof storage bins.": [ + "space saving collapsible waterproof storage bins", + "space saving collapsible and waterproof storage bins", + "size saving collapsible waterproof storage bins", + "open space saving collapsible waterproof storage bins", + "compactible waterproof storage bins", + "compactible and waterproof storage bins", + "space saving collapsible waterproof storage bin", + "sportible and waterproof storage bins", + "compactible waterproof storage bin", + "space saving collapsible waterproof storage bins." + ], + "i need a bamboo back scrubber set, with a long handle and twenty four hooks.": [ + "bamboo back scrubber set with a long handle and twenty four hooks", + "wooden back scrubber set with a long handle and twenty four hooks", + "green bamboo back scrubber set with a long handle and twenty four hooks", + "bramboo back scrubber set with a long handle and twenty four hooks", + "shrubber set with a long handle and twenty four hooks", + "toothbrush set with a long handle and twenty four hooks", + "back scrubber set with a long handle and twenty four hooks", + "brimber set with a long handle and twenty four hooks", + "back scrubber set with a long handle and twenty four hooks.", + "shrubber set with a long handle and twenty four hooks." + ], + "i am interested in a long lasting lipstick that is also cruelty free.": [ + "long lasting lipstick cruelty free", + "cruelty free lipstick", + "cruelty free lipstick long lasting", + "lens that is also cruelty free", + "lip color that is also cruelty free", + "lens cruelty free", + "long lasting lipstick", + "lens that are cruelty free", + "cruelty free lip color", + "lens that are long lasting" + ], + "get a white airpods case. it should be water resistant.": [ + "white airpods case water resistant", + "white airpods case that is water resistant", + "white airpods case", + "white airpods case, water resistant", + "white airpods case with water resistant", + "white airpods case which is water resistant", + "white airpods case, water resistant,", + "white airpods case under $50", + "white airpods case under $40", + "white airpods case water resistant" + ], + "i want a frontier soups mix with natural ingredients.": [ + "fantastic soups mix with natural ingredients", + " frontier soups mix with natural ingredients", + "f frontier soups mix with natural ingredients", + "giant soups mix with natural ingredients", + "garden soups mix with natural ingredients", + "fostrum soups mix with natural ingredients", + "f frontier soups mix with natural ingredients.", + " frontier soups mix with natural ingredients.", + "fog mix with natural ingredients", + "giant soups mix with natural ingredients." + ], + "i am looking for a loose fit cami that is black and an x-large": [ + "black loose fit cami that is black x-large", + "black loose fit cami x-large", + "black loose fit cami", + "black and x-large loose fit cami", + "faux fit cami black x-large", + "black loose fit cami black x-large", + "lose fit cami black x-large", + "loose fit cami black x-large", + "black loose fit cami that is black", + "black loose fit cami with a black x-large" + ], + "i need to buy an eight ounce lavender scented soy candle.": [ + "8 ounce lavender scented soy candle", + "8 oz lavender scented soy candle", + "sneakers eight ounce lavender scented soy candle", + "8oz lavender scented soy candle", + "8 ounce lavender scented soy candle under $40", + "8 ounce lavender scented soy candle.", + "8 ounce lavender scented soy candle under $60", + "eight ounce lavender scented soy candle", + "8 ounce lavender scented soy candle under $50", + "8 ounce lavender scented soy candle under 50 dollars" + ], + "i need a 13 inch water resistant cosmetic bag.": [ + "13 inch water resistant cosmetic bag", + " 13 inch water resistant cosmetic bag", + "13 inch water resistant cosmetic bag.", + "12 inch water resistant cosmetic bag", + "a 13 inch water resistant cosmetic bag", + "14 inch water resistant cosmetic bag", + "bathroom bag 13 inch water resistant", + "beauty bag 13 inch water resistant", + "bathroom bag 13 inches water resistant", + "beauty bag 13 inches water resistant" + ], + "i am looking for a c colored toothpaste with natural ingredients and which is also fluoride free.": [ + "c colored toothpaste natural no fluoride", + "colored toothpaste natural no fluoride", + "c colored toothpaste with natural ingredients", + "a colored toothpaste natural no fluoride", + "c colored toothpaste natural", + "color toothpaste natural no fluoride", + "c colored toothpaste natural free", + "c colored toothpaste no fluoride", + "toothpaste natural no fluoride", + "c colored toothpaste" + ], + "i am looking for vinyl,light weight and it can be folded & easy to carry;high resolution and quality & not easy fade;and can swab with water,easy to keep clean, digital photography of laeacco vinyl 7x5ft photography which is backgrop is glare free and roll out flat; it is great for studio photography:.": [ + "digital photography of laeacco vinyl 7x5ft", + "laeacco vinyl 7x5ft photography", + "vinyl 7x5ft photography", + "levis vinyl 7x5ft photography", + "aluminum vinyl 7x5ft photography", + "a vinyl 7x5ft photography", + "digital photography laeacco vinyl 7x5ft", + "digital photography laeacco vinyl 7x5ft photography", + " vinyl 7x5ft photography", + "aluminum vinyl photography" + ], + "i need orange jointlycreating womens non slip running shoes.": [ + "orange jointlycreating womens running shoes", + "orange jointlycreating womens walking shoes", + "orange jointcreating womens running shoes", + "orange running shoes", + "orange and mens running shoes", + "orange walking shoes", + "orange and black running shoes", + "orange work shoes", + "orange shoes", + "orange footwear" + ], + "i would like a medium orange short sleeve shirt.": [ + "medium orange short sleeve shirt", + "medium orange short sleeve shirt under $50", + "medium orange short sleeve shirt under $40", + "medium orange short sleeve shirt.", + "medium orange short sleeve shirt under 50 dollars", + "medium orange short sleeve shirt under $60", + "medium orange short sleeve shirt under 40 dollars", + "medium orange short sleeve shirt under 30 dollars", + "medium orange short sleeve shirt under 60 dollars", + "medium orange short sleeve shirt below $50" + ], + "i want large machine washable coorun womens yoga shorts.": [ + "large machine washable yoga shorts", + "coorun womens yoga shorts", + "large machine washable womens yoga shorts", + "machine washable coorun womens yoga shorts", + "large machine washable women yoga shorts", + "large machine washable coorun women yoga shorts", + "coorun womens yoga shorts.", + "large machine washable yoga shorts under $40", + "large machine washable yoga shorts under $50", + "womens yoga shorts" + ], + "i am looking for a double sided hair extensions in 14 inch long. also in green color.": [ + "double sided hair extensions in 14 inch long", + "double sided hair extensions 14 inch long", + "double sided hair extension in 14 inch long", + "double sided hair extensions 14 inch long in green", + "double sided hair extensions in 14 inch long.", + "double sided hair extensions 14 inch long, green", + "single sided hair extensions in 14 inch long", + "double sided hair extension 14 inch long", + "double sided hair extensions colored green", + "double sided hair extensions" + ], + "i would like a machine washable tank that is purple and in a men's x-large.": [ + "machine washable tank purple mens x-large", + "machine washable tank that is purple mens x-large", + "machine washable tank that is purple and mens x-large", + "pink machine washable tank that is purple mens x-large", + "man washable tank purple mens x-large", + "machine washable tank mens x-large", + "pink mens x-large tank", + "machine washable tank that is purple mens x-large.", + "machine washable tank that is purple and mens x-large.", + "pink machine washable tank" + ], + "i need to buy a loveseat for my living room. get one that's flat packed with a wood finish.": [ + "living room loveseat flat packed with a wood finish", + "home theater loveseat flat packed with a wood finish", + " loveseat for my living room with a wood finish", + " loveseat for my living room with wood finish", + "living room loveseat flat packed with wood finish", + "living room loveseat with wood finish", + "home theater loveseat flat packed with wood finish", + "living room loveseat wood finish", + " loveseat for my living room", + " loveseat for living room" + ], + "i need a fully assembled metal bar stool. pick the black backless ones.": [ + "full assembled metal bar stool in black", + "full assembled metal bar stool black backless", + "full assembled metal bar stool black", + "full assembled metal bar stool that is black", + "full assembled metal bar stool", + "womens black metal bar stool", + "manual assembled metal bar stool black", + "steel bar stool black", + "bag stool black", + "living metal bar stool" + ], + "i want white high heel ankle booties.": [ + "white high heel ankle booties", + "white high heel ankle booties.", + "white high heel ankle booties under $50", + "white high heel ankle booties under $40", + "white high heel ankle booties,", + "white high heel ankle booties under $60", + "white high heel ankle booties under 50 dollars", + "white heel ankle booties", + "white high heel ankle boot", + "white ankle booties" + ], + "i would like a high def monocular for bird watching.": [ + "high def monocular bird watching", + "high def monocular for bird watching", + "high def monocular for bird watching.", + "high def monocular bird watching.", + "high def monocular bird watching under $40", + "low def monocular bird watching", + "high def monocular bird watching under $50", + "high def monocular bird watching under $60", + "high def monocular bird watching under 50 dollars", + "high def monocular bird watching under 30 dollars" + ], + "locate a hedgehog garden statue with bluetooth speaker. i want the 6 1/4 inch figuring that includes aaa batteries.": [ + "a hedgehog garden statue with bluetooth speaker", + "garden statue with bluetooth speaker", + "living hedgehog garden statue with bluetooth speaker", + "harden statue with bluetooth speaker", + "h hedgehog garden statue with bluetooth speaker", + "garden statue of a hedgehog with bluetooth speaker", + "green hedgehog garden statue with bluetooth speaker", + "harden statue of a hedgehog with bluetooth speaker", + "hog garden statue with bluetooth speaker", + "a hedgehog garden statue" + ], + "i need some water resistant boots with a rubber sole. it should be in a medium brown shade.": [ + "water resistant boots with a rubber sole", + "water resistant boots in a medium brown shade", + "water resistant boots with a rubber sole, medium brown", + "water resistant boots with a rubber sole medium brown", + "rainbow boots with a rubber sole", + "water resistant boots with rubber sole", + "shoes with a rubber sole", + "shoes with a rubber sole in a medium brown", + "water resistant boots, medium brown", + "water resistant boots with a rubber sole under $50" + ], + "i want low fat banana chips.": [ + "low fat banana chips", + "low fat banana chips under $40", + "low fat banana chips under $50", + "low fat banana chips.", + "low fat banana chips under $60", + "low fat banana chips below $40", + "low fat banana chips under 50 dollars", + "low fat banana chips below $50", + "low fat banana chips no sugar", + "low fat banana chips below $60" + ], + "i would like a loose fit tee that is orange and is a size 4x large": [ + "orange loose fit tee 4x large", + "orange loose fit tee that is orange", + "orange loose fit tee size 4x large", + "orange 4x large loose fit tee", + "orange loose fit tee 4xl", + "orange loose fit tee, 4x large", + "orange 4xl loose fit tee", + "orange loose fit tee", + "orange size 4x large loose fit tee", + "orange tee 4x large" + ], + "i want candy bags for a halloween party.": [ + "candy bags for a halloween party", + "candy bags for halloween party", + "synthetic candy bags for halloween party", + "candy bags for a halloween party.", + "12 candy bags for a halloween party", + "taco bags for a halloween party", + "tummy bags for a halloween party", + "gift bags for a halloween party", + "taco bags for halloween party", + "candy bags for halloween party." + ], + "i need a home office chair that has lumbar support and comes in a four pack.": [ + "home office chair that has lumbar support", + "home office chair with lumbar support", + "home office chair lumbar support four pack", + "home office chair four pack", + "home office chair lumbar support", + "home office chair in a four pack", + "home office chair 4 pack", + "home office chair, four pack", + "home office chair three pack", + "home office chair" + ], + "i want a tea tree based toothpaste which should be good for sensitive teeth and can reduce bad breath.": [ + "tea tree based toothpaste", + "tea tree based toothpaste, good for sensitive teeth and can reduce bad breath", + "tea tree based toothpaste for sensitive teeth", + "tea tree based toothpaste with sensitive teeth", + "tea tree based toothpaste for sensitive teeth and can reduce bad breath", + "tea tree based toothpaste, good for sensitive teeth, less than $40", + "tea tree based toothpaste for sensitive teeth and can reduce bad breath.", + "tea tree based toothpaste, good for sensitive teeth, less than $60", + "tea tree based toothpaste, sensitive teeth, less than $40", + "tea tree based toothpaste no fluoride" + ], + "i am looking for curtains for my living room that are a 2 panel set in the color purple lavender.": [ + "2 panel set in the color purple lavender", + "2 panel set in the color purple lavender curtains", + "two panel set in the color purple lavender", + "2 panel curtains for my living room purple lavender", + "2 panel set in the color purple lavender rug", + "living room curtains in the color purple lavender", + "2 panel set in the color purple", + "2 panel rug in the color purple", + "2 panel yellow living room curtains", + "2 panel black living room curtains" + ], + "i would like a twin size antique white bed that is easy to assemble.": [ + "twin size antique white bed", + "twin bed that is easy to assemble", + "twin size antique white bed easy to assemble", + "twin bed antique white", + "twin size antique white bed under $50", + "twin bed that is easy to assemble.", + "twin size antique white bed under $60", + "twin size antique white bed under $40", + "twin bed", + "twin bed, easy to assemble" + ], + "i am looking for natural deodorant with paraben free, cruelty free and scent:unwind (lavender mint) in stainless steel container": [ + "natural deodorant with paraben free and scent", + "natural deodorant natural no paraben free", + "natural deodorant natural no paraben", + "natural deodorant", + "natural deodorant with paraben free", + "natural deodorant no paraben", + "natural deodorant under $40", + "natural deodorant natural", + "natural deodorant ethylene", + "natural deodorant ethylene natural" + ], + "i need to buy a high performance tablet with 4g.": [ + "high performance tablet with 4g", + "4g high performance tablet with 4g", + "high performance tablet 4g", + "tablet with 4g", + "high performance tablet with 4g.", + "tablet 4g high performance", + "tablet with 4g high performance", + "4g high performance tablet", + "high performance tablet 4g under $120", + "high performance tablet 4g under $130" + ], + "i am looking for a pair of grey size 11 mens running shoes.": [ + "grey mens running shoes", + "grey mens running shoes.", + "womens running shoes grey", + "grey men running shoes", + "grey 12 mens running shoes", + "grey size 11 men running shoes", + "womens running shoes", + "grey walking shoes", + "grey training shoes", + "grey" + ], + "i want a high quality toothbrush for sensitive teeth, something in blue color for my baby.": [ + "high quality toothbrush for sensitive teeth, blue", + "high quality toothbrush for sensitive teeth blue", + "blue toothbrush for sensitive teeth", + "high quality toothbrush for sensitive teeth in blue", + "high quality toothbrush for sensitive teeth in blue color", + "high quality toothbrush for sensitive teeth, blue,", + "high quality toothbrush for sensitive teeth", + "toothbrush for sensitive teeth blue", + "stainless toothbrush for sensitive teeth blue", + "high quality toothbrush for sensitive teeth with blue color" + ], + "i want one size light weight women\u2019s sexy bandage halter dress.": [ + "woman sexy bandage halter dress", + "womens sexy bandage halter dress", + "ones sexy bandage halter dress", + "woman sexy bandage halter dress under $50", + "slimming halter dress", + "woman sexy bandage halter dress under 50 dollars", + "woman sexy bandage halter dress under $40", + "bandage halter dress", + "woman sexy bandage halter dress under $60", + "woman sexy bandage halter dress." + ], + "i want a citrus and plant based dr. bronner\u2019s liquid soap.": [ + "curtains and plant based dr. bronner\u2019s liquid soap", + "i want a citrus and plant based dr. bronner\u2019s liquid soap.", + "citrus and plant based dr. bronner\u2019s liquid soap", + "contains citrus and plant based dr. bronner\u2019s liquid soap", + " citrus and plant based dr. bronner\u2019s liquid soap", + "scent and plant based dr. bronner\u2019s liquid soap", + "a citrus and plant based dr. bronner\u2019s liquid soap", + "contaminated citrus and plant based dr. bronner\u2019s liquid soap", + "curtains and plant based dr. bronner\u2019s liquid soap.", + "curtains plant based dr. bronner\u2019s liquid soap" + ], + "i really need a foot file for dead skin.": [ + "foot file for dead skin", + "foot file for dead skin.", + "foot file for dead skin under $40", + "foot file for dead skin under $50", + "foot file for dead skin under $60", + "foot file for dead skin,", + "walking file for dead skin", + "foot file for dead skin below $50", + "foot file for dead skin below $40", + "foot file for dead skin " + ], + "i am looking for a storage bench with a wood finish for my living room.": [ + "storage bench with wood finish for living room", + "storage bench with wood finish for my living room", + "storage bench with wood finish", + "storage bench wood finish for living room", + "storage bench with wood finish for the living room", + "storage bench with a wood finish for living room", + "storage bench with a wood finish", + "storage bench with wood finish for a living room", + "storage bench with wood finish living room", + "storage bench with wood finish for living room." + ], + "i want a 4g lte verizon signal booster.": [ + "4g lte verizon signal booster", + "4g lte verizon signal booster under $40", + "4g lte verizon signal booster.", + "4g lte verizon signal booster under $60", + "4g lte verizon signal booster under $50", + "4g lte verizon signal booster under $120", + "4g lte verizon signal booster under $130", + "4g lte verizon signal booster,", + " 4g lte verizon signal booster", + "4g lte phone signal booster" + ], + "i need a certified refurbished nikon d750.": [ + "certified refurbished nikon d750", + "certified refurbished nikon d750.", + "nikon d750 certified refurbished", + "a certified refurbished nikon d750.", + "a certified refurbished nikon d750", + "nikon d750, certified refurbished", + "monetized refurbished nikon d750", + "nikon d750", + "certified refurbished nikon d750,", + "curtains nikon d750" + ], + "i am looking for a heavy duty bed in twin size which is easy to assemble. also choose silver with trundle color.": [ + "heavy duty bed in twin size which is easy to assemble", + "heavy duty bed in twin size silver with trundle color", + "heavy duty bed in twin size with trundle color", + "heavy duty bed in twin size which is easy to assemble.", + "heavy duty bed in twin size in trundle color", + "heavy duty bed in twin size silver trundle color", + "twin bed in silver with trundle color", + "heavy duty bed in twin size", + "twin bed in silver", + "twin bed silver" + ], + "i want a jying silver round wall mounted mirror.": [ + "jying silver round wall mounted mirror", + "wall mounted mirror jying silver", + "living room mirror jying silver", + " jying silver round wall mounted mirror", + "a jying silver round wall mounted mirror", + "jying silver wall mounted mirror", + "walking silver round wall mounted mirror", + "jying silver round wall mounted mirror.", + "floor mounted mirror jying silver", + " jying silver round wall mounted mirror." + ], + "i would like a island i39.3 chandelier for my dining room.": [ + "i would like a i39.3 chandelier for my dining room.", + "i would like a island i39.3 chandelier for dining room.", + "i would like a dining room i39.3 chandelier.", + "an island i39.3 chandelier dining room", + "island i39.3 chandelier dining room", + "an island i39.3 chandelier for my dining room.", + "an island i39.3 chandelier for my dining room", + "an island i39.3 chandelier for dining room", + "island i39.3 chandelier dining room.", + " island i39.3 chandelier dining room" + ], + "i want an aura white and fast charging samsung galaxy note 10.": [ + "a white samsung galaxy note 10", + "aure white samsung galaxy note 10", + "auburn samsung galaxy note 10", + "a white and fast charging samsung galaxy note 10", + "aura white samsung galaxy note 10", + "a aura white samsung galaxy note 10", + "auburn samsung galaxy note 10.", + "im looking for a samsung galaxy note 10.", + "aure white samsung galaxy note 10.", + "a aura white samsung galaxy note 10." + ], + "i would like a heather blue men's size 4t t shirt with a needle sleeve.": [ + "pack of heather blue mens size 4t t shirt with a needle sleeve", + "pack of heather blue mens size 4t t-shirt with a needle sleeve", + "heather blue mens size 4t t shirt with a needle sleeve", + " heather blue mens size 4t t shirt with a needle sleeve", + "a heather blue mens size 4t t shirt with a needle sleeve", + "heather blue mens size 4t t-shirt with a needle sleeve", + "pack of heather blue mens size 4t t-shirt", + "t-shirt heather blue mens size 4t t-shirt", + "pack of heather blue mens size 4t t shirt with a needle sleeve.", + "pack of heather blue mens size 4t t-shirt with a needle sleeves" + ], + "shop for a virtual reality headset that's high definition. get the size a.": [ + "virtual reality headset high definition", + "virtual reality headset that is high definition", + "virtual reality headset high definition in a size a", + "virtual reality headset thats high definition", + "high definition virtual reality headset in a size a", + "virtual reality headset size high definition", + "virtual reality headset size a high definition", + "virtual reality headset in high definition", + "virtual reality headset with high definition", + "high definition virtual reality headset" + ], + "get me a hair drying towel with a funny graphic on it.": [ + "hair drying towel with a funny graphic", + "hair drying towel with funny graphic", + "hair drying towel with funny graphic on it", + "shoes drying towel with a funny graphic", + "toothpaste towel with a funny graphic", + "style hair drying towel with a funny graphic", + "honey drying towel with a funny graphic", + "hair drying towel, funny graphic", + "hair drying towel that is funny graphic", + "hair drying towel funny graphic" + ], + "i am looking for a non gmo soup that is vegetarian and comes in a pack of six.": [ + "non gmo soup pack of six", + "vegan gmo soup pack of six", + "non gmo soup pack of 6", + "non gmo soup pack of six pack", + "vegan non gmo soup pack of six", + "non-gmo soup pack of six", + "vegan gmo soup pack of six pack", + "non gmo soup pack of six, vegetarian", + "non gmo soup pack of six, vegan", + "non gmo soup six pack" + ], + "i'm looking for intel core it can easily install any.": [ + "intel core", + "intel core that is easy to install", + "intel core it can easily install", + "intel core it is easy to install", + "intel core that can be easily install", + "intel core easy to install", + "intel core, easy to install", + "intel core it can be easily install", + "intel core it can easily install.", + "intel core that can easily install" + ], + "i am looking for some gray living room pillows.": [ + "gray living room pillows", + "living room pillows", + "gray living room pillows.", + "living room pillows gray", + "gray living room pillows under $40", + "gray living room pillows under $50", + "gray living room pillows under $60", + "living room pillows.", + "living room pillows that are gray", + "living room pillows, gray" + ], + "i am looking for a mouth guard that is pink and non toxic.": [ + "pink and non toxic mouth guard", + "pink mouth guard", + "pink mouth guard non toxic", + "pink non toxic mouth guard", + "pink mouth guard, non toxic", + "pink, non toxic mouth guard", + "pink oral hygiene mouth guard", + "pink mouth guard no toxic", + "pink pink mouth guard", + "pink and non toxic mouth guards" + ], + "i need a brush set that can be used with eyeshadow. get color \"d.\"": [ + "brush set for eyeshadow color d", + "brush set with eyeshadow color d", + "brush set for eyeshadow", + "brush set color d", + "brush set for eyeshadow colored d", + "brush set with eyeshadow", + "brush set color d.", + "brush set with color d", + "brush set", + "brush set d" + ], + "i want a long lasting, women's spray perfume.": [ + "womens spray perfume", + "womens spray perfume long lasting", + "long lasting, womens spray perfume", + "womens spray perfume, long lasting", + "temporary, womens spray perfume", + "womens spray perfume.", + "tempered, womens spray perfume", + "long lasting, womens spray perfume.", + "womens spray perfume long lasting,", + "womens spray perfume. long lasting" + ], + "i need a blue breenhill electric body brush with extended long handle.": [ + "blue breenhill electric body brush with extended long handle", + "blue breenhill electric body brush", + "blue breenhill electric body brush, extended long handle", + "blue breenhill electric body brush that is long handle", + "blue breenhill electric body brush with long handle", + "blue breenhill electric body brush long handle", + "blue breenhill electric body brush that extended long handle", + "blue breenhill electric body brush, long handle", + "blue breenhill electric body brush with extension long handle", + "blue breenhill electric body brush under $40" + ], + "look for an easy to install antique bronze vanity light.": [ + "easy to install antique bronze vanity light", + "simple to install antique bronze vanity light", + "easy to install antique bronze vanity light.", + "easy to install antiques bronze vanity light", + "yellow modern bronze vanity light", + "easy to install antique bronze vanity light,", + "5 ft bronze vanity light", + "easy to install modern bronze vanity light", + "easy to install bronze vanity light", + "living room vanity light" + ], + "i would like to purchase teriyaki flavored jerky that is made from grass fed beef and comes in a 10 ounce package.": [ + "teriyaki flavored jerky 10 ounce package", + "teriyaki flavored jerky that is made from grass fed beef, 10 ounce package", + "teriyaki flavored jerky that is made from grass fed beef 10 ounce package", + "teriyaki flavored jerky that is made from grass fed beef", + "teriyaki flavored jerky that is made from grass fed beef flavor 10 ounce package", + "teriyaki flavored jerky made from grass fed beef 10 ounce package", + "strawberry flavored jerky 10 ounce package", + "teriyaki flavored jerky, 10 ounce package", + "teriyaki flavored jerky 9 ounce package", + "teriyaki flavored jerky made from grass fed beef" + ], + "i need a black full sized bed frame that is easy to assemble": [ + "black full sized bed frame", + "black full sized bed frame easy to assemble", + "easy assemble black full sized bed frame", + "black full sized bed frame easy assemble", + "black full sized bed frame under $50", + "blanket sized bed frame", + "black full sized bed frame, easy assemble", + "blanket bed frame", + "living room bed frame", + "living room frame" + ], + "i would like a pair of light blue size 6 sneakers with rubber soles.": [ + "pair of light blue sneakers", + "pair of light blue", + "light blue size 6 sneakers", + "pair of light blue tennis", + "light blue sneakers", + "pair of light blue tennis sneakers", + "sneakers light blue", + "pair of light blue shoes", + "pair of light blue tennis shoes", + "light blue tennis" + ], + "i want to buy an x-large tall, long sleeve flannel shirt that is sea cliff blue plaid.": [ + "x-large tall, long sleeve flannel shirt sea cliff blue plaid", + "sea cliff blue plaid x-large tall, long sleeve flannel shirt", + "x-large long sleeve flannel shirt sea cliff blue plaid", + "sea cliff blue plaid x-large long sleeve shirt", + " x-large tall, long sleeve flannel shirt sea cliff blue plaid", + "x-large tall, long sleeve flannel shirt", + "x-large tall, long sleeve flannel shirt sea cliff blue", + "x-large tall, long sleeve flannel shirt that is sea cliff blue", + "x-large tall, long sleeve flannel shirt under $50", + "x-large tall, long sleeve flannel shirt under $40" + ], + "i want a jacksing stereo audio power amplifier.": [ + "jacksing stereo audio power amplifier", + "electric jacksing stereo audio power amplifier", + " jacksing stereo audio power amplifier", + "a jacksing stereo audio power amplifier", + "jacksing stereo audio power amplifier.", + "jeansing stereo audio power amplifier", + "walking stereo audio power amplifier jacksing", + "walking stereo audio power amplifier", + "sound amplifier jacksing stereo audio power", + "sound amplifier jacksing stereo" + ], + "i am looking for a fresh, bright taste, 0 calories and fast-acting nanotonic hemp extract. cocktail with extra sparkling, you'll feel good all night, and in the morning too. yum! the mountjoy extra sparkling | fast-acting hemp-infused sparkling aperitif in assorted flavors and simple ingredients. single pack preferable.": [ + "hemp-infused sparkling aperitif", + "hemp infused sparkling aperitif", + "pink sparkling aperitif", + "pink infused sparkling aperitif", + "pink extra sparkling aperitif", + "hemp infused sparkling aperitif drink mix", + "pink sparkling aperitif under $40", + "aperitif fresh and fresh", + "pink extra sparkling", + "pink sparkling aperitif drink mix" + ], + "i am looking for king sized 5 inch mattress with high-density foam comfort and pressure relieving support for a better night's sleep. mayton medium firm tight top mattress preferable.": [ + "king sized 5 inch mattress with high-density foam comfort", + "king sized 5 inch mattress that is high-density foam comfort", + "king sized 5 inch mattress", + "king sized 5 inch mattress with high-density foam comfort,", + "king size 5 inch mattress with high-density foam comfort", + "king sized 5 inch mattress with high-density foam comfort and", + "king sized 5 inch mattress high-density foam comfort", + "king sized 5 inches mattress with high-density foam comfort", + "king sized 5 inch mattress with high-density foam", + "king sized 5 inch mattress no foam" + ], + "i'm looking for a fast charging oculus quest 2, usb a to usb c link cable that's 10ft.": [ + "optical quest 2, usb a to usb c link cable, 10ft", + "oculus quest 2, usb a to usb c link cable, 10ft", + "8ft oculus quest 2, usb a to usb c link cable", + "optical quest 2, usb a to usb c link cable", + "optical quest 2, usb a to usb c link cable 10ft", + "oatmeal quest 2, usb a to usb c link cable, 10ft", + "a fast charging oculus quest 2, usb a to usb c link cable", + "oculus quest 2, usb a to usb c link cable 10ft", + "oculus quest 2, usb a to usb c link cable", + "oculus quest 2 usb a to usb c link cable" + ], + "i am looking for a cake topper for a baby shower. also choose easy to use": [ + "cake topper for a baby shower", + "baby shower cake topper easy to use", + "cake topper for a baby shower.", + "cake topper for a baby shower", + "a cake topper for a baby shower", + "birthday cake topper for a baby shower", + "cake topper baby shower easy to use", + "cake topper for baby shower", + "a cake topper for a baby shower.", + "cake topper for a baby shower." + ], + "i am searching for a pair of crocs (flip flops) in a size 9-10 in stucco | white. need to be vinyl acetate ot ethylene vinyl. possible product code is 11033.": [ + "shoes 9-10 vinyl acetate ethylene vinyl", + "flip flops 9-10 in stucco | white", + "curt 9-10 in stucco | white", + "rocs 9-10 in stucco | white", + "curtains 9-10 in stucco | white", + "rocs 9-10 in stucco ethylene vinyl", + "crocs 9-10 in stucco | white", + "rocs 9-10 vinyl acetate ethylene vinyl", + "curt 9-10 in stucco", + "rocs 9-10 in stucco" + ], + "i need a 42mm | 44 mm, apple compatible stainless steel smartwatch band which is of coffee color with a black buckle.": [ + "42mm | 44 mm apple compatible stainless steel smartwatch band", + " 42mm | 44 mm apple compatible stainless steel smartwatch band", + "42mm | 44 mm smartwatch band", + "42mm | 44 mm smartwatch band in coffee color", + "42mm | 44 mm smartwatch band, coffee color", + "42mm | 44 mm smartwatch band with coffee color", + "smartwatch band 42mm | 44 mm", + "smartwatch band 42mm", + "stainless steel smartwatch band", + "42mm" + ], + "i want type b high-definition high-power binoculars.": [ + "type b high-definition high-power binoculars", + "Type b high-definition high-power binoculars", + " type b high-definition high-power binoculars", + "style b high-definition high-power binoculars", + "a high-definition high-power binoculars", + "blue binoculars type b high-definition", + "sonoculars type b high-definition", + "monoculars type b high-definition", + "dual binoculars type b high-definition", + "blue binoculars type b" + ], + "i want a king size twin bed with storage compartments.": [ + "king size twin bed with storage compartments", + "king size twin bed with storage compartments.", + "king size twin bed with storage compartments,", + "king size twin bed with storage compartments under $50", + "king size twin bed with storage compartments under $130", + "king size twin bed with storage compartments under $40", + "king size twin bed with storage compartments under $60", + "king size twin bed", + "king size twin bed with storage compartments under $120", + "king size twin bed with storage compartments under 50 dollars" + ], + "i need a king size bed that is green.": [ + "king size bed that is green", + "king size bed green", + "king size bed with green", + "king size bed in green", + "king size bed, green", + "king size bed green.", + "king size bed green king size", + "king size bed", + "king size bed with green color", + "king size bed yellow" + ], + "i want an ivory modway solid wood 6-piece sectional sofa.": [ + "t ivory modway solid wood 6-piece sectional sofa", + " ivory modway solid wood 6-piece sectional sofa", + "t5 ivory modway solid wood 6-piece sectional sofa", + " ivory modway solid wood 6-piece sectional sofa.", + "t ivory modway solid wood 6-piece sectional sofa.", + "5 ft 5 ft solid wood 6-piece sectional sofa", + "t ivory modway solid wood 6-piece sectional sofa,", + "5 ft 6-piece sectional sofa", + "5-piece sectional sofa, ivory modway", + "5-piece sectional sofa" + ], + "i would like some dental flossers that come in a storage case.": [ + "dental flossers storage case", + "dental flossers", + "dental flossers in a storage case", + "dental flossers, storage case", + "dental flossers that are storage case", + "dental flossers with a storage case", + "dental flossers storage case under $50", + "dental flossers storage case under $40", + "dental flossers storage case.", + "dental flossers in a storage case." + ], + "i would like some memory foam shoes that are navy and are a size 7.5 wide.": [ + "memory foam shoes 7.5 wide", + "memory foam shoes size 7.5 wide", + "memory foam shoes a size 7.5 wide", + "memory foam shoes that are navy", + "memory foam shoes navy size 7.5", + "memory foam shoes in navy size 7.5", + "memory foam shoes 6.5 wide", + "memory foam shoes size 7.5 wide.", + "memory foam shoes navy size 7.5 wide", + "memory foam shoes 7.5 wide." + ], + "i would like some black and golden jewlery for daily wear.": [ + "black and golden jewlery", + "black and golden jewlery daily wear", + "black gold jewlery for daily wear", + "black gold jewlery", + "black and golden jewlery daily", + "black and golden jewlery,", + "a black and golden jewlery", + "black, golden jewlery", + "black golden jewlery", + "bagels black and golden" + ], + "i need some high waisted jeans that are black and in an x-small.": [ + "high waisted jeans black x-small", + "black high waisted jeans x-small", + "high waisted jeans that are black x-small", + "high waisted jeans black and in an x-small", + "black high waisted jeans that are black x-small", + "black high waisted jeans in an x-small", + "high waisted jeans black and x-small", + "high waisted jeans in an x-small", + "high waisted jeans black x-small under $40", + "high waisted jeans black x-small under $50" + ], + "i am looking for siete grain free tortilla chips that are also gluten free, and non gmo.": [ + "siete grain free tortilla chips", + "siete grain free tortilla chips no gmo", + "siete grain free tortilla chips non gmo", + "siete grain free tortilla chips with gmo", + "siete grain free tortilla chips gluten free", + "siete gluten free tortilla chips", + "siete grain free tortilla chips, gluten free", + "tortilla chips gluten free", + "siete grain free chips", + "shoes gluten free" + ], + "i want a black officially licensed judy hopps average bunny t-shirt.": [ + "black officially licensed judy hopps average bunny t-shirt", + "black officially licensed judy hopps average bunny t-shirt.", + "black officially licensed judy hopps bunnies t-shirt", + "black officially licensed judy hopps average bunny t-shirt,", + "black officially licensed judy hopps average bunny t-shirt black", + "black officially licensed judy hopps t-shirt", + "black officially licensed judy hopps bunny t-shirt", + "black officially licensed judy hopps t-shirt.", + "black officially licensed judy hopps", + "bagel t-shirt black" + ], + "i would like a blue size 8.5 flat shoe that is pretty light weight.": [ + "blue size 8.5 flat shoe", + "blue 8.5 flat shoe", + "blue small 8.5 flat shoe", + "blue 9.5 flat shoe", + "blue shoe size 8.5", + "blue x 8.5 flat shoe", + "blue 7.5 flat shoe", + "blue 6.5 flat shoe", + "blue shoe 8.5", + "blue flat shoe" + ], + "i'm looking for individually wrapped turkey flavoured meat sticks for snacking.": [ + "single wrapped turkey flavoured meat sticks for snacking", + "aluminum wrapped turkey flavoured meat sticks for snacking", + "almond wrapped turkey flavoured meat sticks for snacking", + "pack of turkey flavoured meat sticks for snacking", + "single wrapped turkey flavoured meat sticks for snacking.", + "alarm wrapped turkey flavoured meat sticks for snacking", + " individually wrapped turkey flavoured meat sticks for snacking", + " individually wrapped turkey flavoured meat sticks for snacking.", + "t turkey flavoured meat sticks for snacking", + "pack of turkey flavoured meat sticks for snacking." + ], + "i am looking for high quality dark brown braided synthetic hair extensions.": [ + "high quality dark brown braided synthetic hair extensions", + "dark brown braided synthetic hair extensions", + "high quality dark brown braided synthetic hair extension", + "low quality dark brown braided synthetic hair extensions", + "dark brown braided synthetic hair extension", + "dark brown braided synthetic hair extensions.", + "stainless human hair extensions", + "hair extensions high quality dark brown", + "dark brown synthetic hair extensions", + "hair extensions dark brown" + ], + "look for antiperspirant in the jean-marie farina scent. buy the travel size.": [ + "antiperspirant in the jean-marie farina scent", + "antiperspirant jean-marie farina scent travel size", + "antiperspirant jean-marie farina scent", + "antiperspirant in a jean-marie farina scent", + "antiiperspirant in the jean-marie farina scent", + "antiperspirant in jean-marie farina scent", + "antiperspirant in jean-marie farina scent travel size", + "an antiperspirant in the jean-marie farina scent", + "antiiperspirant jean-marie farina scent", + "antiperspirant jean-marie farina" + ], + "buy a pack of whitening toothpaste.": [ + "pack of whitening toothpaste", + "pack of whitening toothpaste.", + "whitening toothpaste pack", + "pack of whitening toothpaste under $40", + "pack of whitening toothpaste under $60", + "pack of whitening toothpaste under 50 dollars", + "whitening toothpaste", + "pack of whitening toothpaste under $50", + "pack of whitening toothpaste under 30 dollars", + "pack of whitening toothpaste under 40 dollars" + ], + "i want a dongtai 1080p hd hot link remote surveillance camera.": [ + "dongtai 1080p hd hot link remote surveillance camera", + "ducktai 1080p hd hot link remote surveillance camera", + "dongtai 1080p hd remote surveillance camera", + " dongtai 1080p hd hot link remote surveillance camera", + "remote surveillance camera dongtai 1080p", + "tv hd hot link remote surveillance camera", + "digital surveillance camera dongtai 1080p", + "tv remote surveillance camera dongtai 1080p", + "desktop 1080p hd hot link remote surveillance camera", + "dongtai 1080p hd remote surveillance camera." + ], + "i'm looking for cake toppers for a birthday party": [ + "cake toppers for a baby shower", + "cake toppers for a birthday party", + "birthday cake toppers for a baby shower", + "birthday cake toppers for a birthday party", + "birthday cake toppers", + "baby shower cake toppers for a birthday party", + "cake toppers for a baby shower", + "brittle toppers for a baby shower", + "baby shower cake toppers for a baby shower", + "pink cake toppers for a baby shower" + ], + "i need a contemporary mid century, sea blue sofa for living room made with wood frame.": [ + "sea blue sofa for living room made with wood frame", + "sea blue sofa living room made with wood frame", + "sea blue sofa for living room made with wood frame.", + "living room sea blue sofa made with wood frame", + "sea blue sofa for living room made with wood frame under $40", + "sea blue sofa for living room made with wood frame under $50", + "sea blue sofa for living room", + "living room sofa with wood frame", + "living room sea blue sofa", + "sea blue sofa" + ], + "i would like to buy some easy to use hair topper extensions that are 10 inches in length, 130% density and come in wine red color.": [ + "hair topper extensions that are 10 inches in length, 130% density and come in wine red color", + "easy to use hair topper extensions 10 inches in length, 130% density and come in wine red color", + "hair topper extensions that are 10 inches in length, 130% density and come in wine red", + "easy to use hair topper extensions, 130% density and come in wine red color", + "easy to use hair topper extensions 10 inches in length 130% density and come in wine red color", + "easy to use hair topper extensions that are 10 inches long, 130% density and come in wine red", + "easy to use hair topper extensions", + "hair topper extensions that are 10 inches in length, 130% density and come in wine red color,", + "easy to use hair topper extensions in wine red color", + "easy to use hair topper extensions with 130% density" + ], + "i would like a hair cutting kit that is multicolor.": [ + "multicolor hair cutting kit", + "multicolor hair cutting kit under $50", + "multicolor hair cutting kit under $40", + "multicolor hair cutting kit under $60", + "multicolor hair cutting kit under 40 dollars", + "multicolor hair cutting kit under 50 dollars", + "multicolor hair cutting kit under 30 dollars", + "multicolor hair cutting kit under 60 dollars", + "multicolor human hair cutting kit", + "magnicolor hair cutting kit" + ], + "buy a pair of sneakers with rubber soles in a size seven and a half. order them in silver.": [ + "sneakers size 7 and a half silver", + "sneakers size 7 and a half", + "sneakers size 7 and a half in silver", + "sneakers with rubber soles size 7 and a half", + "sneakers size 7 and a half, silver", + "shoes with rubber soles in a size seven and a half", + "sneakers in a size 7 and a half", + "shoes with rubber soles in a size 7 and a half", + "sneakers in a size seven and a half", + "sneakers in a size 7 and a half silver" + ], + "i need an easy to use butter chicken recipe mix that comes in a pack of 3.": [ + "easy to use butter chicken recipe mix pack of 3", + "easy to use butter chicken recipe mix pack of 3.", + "easy to use butter chicken recipe mix", + "butter chicken recipe mix that comes in a pack of 3", + "butter chicken recipe mix pack of 3", + "easy to use butter chicken recipe mix pack of 3 pack", + "easy to use butter chicken recipe mix in a pack of 3", + "easy to use butter chicken recipe mix pack of 3.5", + "easy-to-use butter chicken recipe mix pack of 3", + "5 pack butter chicken recipe mix" + ], + "i need some jerky that does not have gluten in it.": [ + " jerky that does not have gluten", + "shoes that does not have gluten", + "shoes with gluten", + "shoes no gluten", + "roasted jerky with gluten", + " jerky with gluten", + "sh jerky that is gluten free", + " jerky no gluten", + "roky jerky with gluten", + "shoes gluten free" + ], + "i need x-large handyulong women's high waisted ripped jeans.": [ + "x-large handyulong womens high waisted ripped jeans", + " x-large handyulong womens high waisted ripped jeans", + "xl handyulong womens high waisted ripped jeans", + "xxl handyulong womens high waisted ripped jeans", + "i need x-large handyulong womens high waisted ripped jeans.", + "x-large handyulong womens high waisted ripped jeans.", + "x-large handyulong womens high waisted ripped jeans under $50", + "x-large handyulong womens high waisted ripped jeans under $40", + "x-large handyulong womens high waisted ripped jeans under $60", + "x-large handyulong womens high waisted ripped jeans under 50 dollars" + ], + "i'm looking for a red long sleeve sweatshirt in size 3x": [ + "red long sleeve sweatshirt in size 3x", + "red long sleeve sweatshirt size 3x", + " red long sleeve sweatshirt in size 3x", + "red long sleeve sweatshirt, size 3x", + "blue long sleeve sweatshirt in size 3x", + "red long sleeve sweatshirt in size 3 x", + "red long sleeves sweatshirt in size 3x", + "green long sleeve sweatshirt in size 3x", + "red long sleeve sweatshirt", + "red long sleeve sweatshirt 3x" + ], + "i am looking for a high protein energy bar with low sugar and low carb.": [ + "high protein energy bar with low sugar and low carb", + "high protein energy bar low sugar and low carb", + "low sugar and low carb high protein energy bar", + "high protein energy bar, low sugar and low carb", + "low sugar high protein energy bar", + "high protein energy bar low sugar low carb", + "high protein energy bar high sugar and low carb", + "high protein energy bar with low sugar low carb", + "protein energy bar low sugar and low carb", + "high protein energy bar" + ], + "i would like a 8 oz bag of kosher certified sea salt.": [ + "8 oz sea salt", + "8 oz keto certified sea salt", + "8 oz bag of sea salt", + "sea salt 8 oz bag", + "8 oz bag kosher certified sea salt", + "8 oz kosher certified sea salt", + "8 oz sea salt, kosher certified", + "8 oz fresh sea salt", + "chocolate certified sea salt 8 oz", + "chocolate certified sea salt" + ], + "i want to buy a watermelon-flavored, sugar-free syrup.": [ + "watermelon-flavored sugar-free syrup", + "watermelon-flavored, sugar-free syrup", + "watermelon-flavored sugar-free syrup under $40", + "watermelon-flavored sugar-free syrup below $40", + "watermelon-flavored, sugar-free syrup.", + "watermelon-flavored sugar-free syrup.", + "watermelon-flavored syrup", + "watermelon sugar-free syrup", + "watermelon-flavored sugar free syrup", + "flavored, sugar-free syrup" + ], + "i want to find sugar-free marshmallow flavored syrup in a 25.4 ounce bottle. it must come in a pack of three.": [ + "sugar-free marshmallow flavored syrup 25.4 ounce bottle", + "sugar-free marshmallow flavored syrup in a 25.4 ounce bottle", + "sugar-free marshmallow flavored syrup 25.4 ounce pack of three", + "sugar-free marshmallow flavored syrup 25.4 oz pack of three", + "sugar-free marshmallow flavored syrup 25.4 ounce bottle under $50", + "sugar-free marshmallow flavored syrup 25.4 ounce bottle under 30 dollars", + "sugar-free marshmallow flavored syrup 25.4 ounce bottle under 50 dollars", + "sugar-free marshmallow flavored syrup 25.4 ounce bottle under $40", + "sugar free marshmallow flavored syrup 25.4 ounce bottle", + "sugar-free marshmallow flavored syrup" + ], + "i need a set of easy to clean hair drying towels.": [ + "easy to clean hair drying towels", + "easy clean hair drying towels", + "easy to clean hair drying towels.", + "easy clean hair drying towels under $40", + "easy clean hair drying towels under $50", + "easy clean hair drying towels under $60", + "easy clean hair drying towels under 50 dollars", + "easy clean hair drying towels.", + "simple clean hair drying towels", + "simple to clean hair drying towels" + ], + "i want a high waist tummy control active shorts for teen girls in w-grey color and xx-large size.": [ + "high waist tummy control active shorts for teen girls xx-large size", + "high waist tummy control active shorts for teen girls xx-large", + "high waist tummy control active shorts for teen girls in w-grey color", + "high waist tummy control active shorts for teen girls in xx-large size", + "high waist tummy control active shorts for teen girl xx-large size", + "tummy control active shorts for teen girls xx-large size", + "high waist tummy control active shorts xx-large", + "high waist tummy control active shorts for teen girls", + "high waist tummy control active shorts", + "womens shorts xx-large" + ], + "get me a portable toothbrush in color \"b.\" the one that says it's for teeth whitening.": [ + "portrait toothbrush in color b", + "portrait toothbrush in color b with teeth whitening", + "portrait toothbrush in color b for teeth whitening", + "portrait toothbrush for teeth whitening", + "portrait toothbrush in color b teeth whitening", + "portable toothbrush in color b", + "portrait toothbrush with teeth whitening", + "portrait toothbrush color b", + "portrait toothbrush in color b.", + "portrait toothbrush in color" + ], + "i would like a free standing shoe rack that is easy to assemble.": [ + "free standing shoe rack", + "free standing shoe rack easy to assemble", + "easy to assemble free standing shoe rack", + "easy assemble free standing shoe rack", + "free standing shoe rack under $40", + "free standing shoe rack under $50", + "free standing shoe rack under $60", + "free standing shoe rack easy assemble", + "easy setup free standing shoe rack", + "free standing shoe rack, easy assemble" + ], + "i am looking for a straight leg pants for gym workout in medium size. choose navy color.": [ + "straight leg pants for gym workout in navy", + "straight leg pants for gym workout in medium size", + "straight leg pants for gym workout in navy color", + "straight leg pants for gym workout in a navy", + "straight leg pants for workouts in navy", + "straight leg pants for workouts in medium size navy", + "straight leg pants for gym workout", + "straight leg pants for gym workout in medium", + "straight leg pants for gym workout navy", + "straight leg pants for workout in navy" + ], + "i would like a two pack of light brown hair dye that is long lasting.": [ + "two pack of light brown hair dye", + "two pack of light brown hair dye long lasting", + "two pack light brown hair dye", + "light brown hair dye that is long lasting", + "two pack light brown hair dye long lasting", + "light brown hair dye long lasting", + "light brown hair dye", + "two pack light brown hair dye, long lasting", + "2 pack of light brown hair dye", + "two pack dark brown hair dye" + ], + "i need some khaki open toed sandals that come in a 6 wide.": [ + "kaki open toed sandals 6 wide", + "kaki open toed sandals", + " khaki open toed sandals 6 wide", + "kaki open toed sandals, 6 wide", + "h khaki open toed sandals 6 wide", + "k khaki open toed sandals 6 wide", + "curtains 6 wide", + "shoes 6 wide khaki", + "comfortable sandals 6 wide", + "shoes 6 wide" + ], + "i need a tee tree based scalp treatment hair care product, which is good for dry hair.": [ + "tea tree based scalp treatment hair care product", + "tea tree based scalp treatment hair care product for dry hair", + "tea tree based scalp treatment hair care product,", + "tet tree based scalp treatment hair care product", + "teeth treatment hair care product, which is good for dry hair", + "teeth treatment hair care product, which is good for dry hair.", + "tea tree based scalp treatment hair care product dry hair", + "tee tree based scalp treatment hair care product", + "tea tree based scalp treatment hair care product for dry hair.", + "teeth treatment hair care product, which is good for dry hair," + ], + "i want a black and easy to use ultra slim waterproof gel eyeliner pencil.": [ + "black ultra slim waterproof gel eyeliner pencil", + "black waterproof gel eyeliner pencil", + "pure black ultra slim waterproof gel eyeliner pencil", + "black ultra slim waterproof gel eyeliner pencil.", + "black ultra slim waterproof gel eyeliner pencil,", + "an ultra slim waterproof gel eyeliner pencil", + "waterproof gel eyeliner pencil", + "waterproof gel eyeliner pencil black", + "black ultra slim waterproof gel eyeliner", + "alarm pencil black" + ], + "i want beige chrisdowa light filtering roller shades for my living room.": [ + "beige chrisdowa light filtering roller shades for my living room", + "beige chrisdowa light filtering roller shades", + "chrisdowa light filtering roller shades for my living room", + "chrisdowa light filtering roller shades for my living room.", + "beige chrisdowa light filtering roller shades for living room", + "beige chrisdowa light filtering roller shades for the living room", + "chrisdowa light filtering roller shades", + "pink chrisdowa light filtering roller shades for my living room", + "beige chrisdowa light filtering roller shades for living room.", + "beige chrisdowa light filtering roller shades living room" + ], + "can you help me find a shampoo set that is sulfate free, 24 fl oz and is repairing?": [ + "sulfate free, 24 fl oz shampoo set", + "sulfate free shampoo set 24 fl oz", + "sulfate free shampoo set 24 fl oz and is repairing", + "sulfate free 24 fl oz shampoo set", + "sulfate free, 24 fl oz shampoo set that is repairing", + "sulfate free shampoo set, 24 fl oz and is repairing", + "sulfate free, 24 fl oz and is repairing", + "sulfate free shampoo set", + "sulfate free, 24 fl oz shampoo set under $40", + "sulfate free, 24 fl oz shampoo set, is repairing" + ], + "i want a charcoal grey colored chair with metal legs to go in my living room.": [ + " charcoal grey colored chair with metal legs", + " charcoal grey colored chair with metal legs for living room", + " charcoal grey colored chair with metal legs living room", + " charcoal grey colored chair with metal legs, living room", + "grey colored chair with metal legs for living room", + "grey colored chair with metal legs", + "buffet grey colored chair with metal legs", + "barbecue grey colored chair with metal legs", + "black charcoal grey colored chair with metal legs", + "k charcoal grey colored chair with metal legs" + ], + "i need a purple color loose fit blouse with long sleeves. i am a medium size.": [ + "pink color loose fit blouse with long sleeves", + "pink blouse with long sleeves", + "pink color loose fit blouse long sleeves", + "large purple blouse with long sleeves", + "pink blouse long sleeves", + "purple color loose fit blouse with long sleeves", + "pink color loose fit blouse", + "blue loose fit blouse with long sleeves", + "plastic purple blouse with long sleeves", + "pink blouse with long sleeves under $40" + ], + "i want a gold high speed micro usb cable.": [ + "gold high speed micro usb cable", + "plastic high speed micro usb cable", + "gold high speed micro usb cable.", + "a gold high speed micro usb cable", + "gold high speed micro usb cable,", + "pink high speed micro usb cable", + "high speed micro usb cable", + "gold high speed usb cable", + "mega usb cable gold", + "large usb cable gold" + ], + "please show me a digital camera. my favorite brand is casio, my husnband told me about model exilim ex-z120 7. is there a batteries included too ? isn't it": [ + "digital camera with batteries", + "casio digital camera", + "portrait ex-z120 7 with batteries", + "curtio digital camera", + "a digital camera with batteries", + "portrait ex-z120 7", + "curtio digital camera with batteries", + "casio digital camera with batteries", + "professional camera with batteries", + "digital camera casio" + ], + "i am looking for a hot pink jumpsuit that is large and made of quality materials": [ + "hot pink jumpsuit", + "hot pink jumpsuit large and made of quality materials", + "hot pink jumpsuit with quality materials", + "hot pink jumpsuit made from quality materials", + "hot pink jumpsuit large and made from quality materials", + "large pink jumpsuit", + "hot pink jumpsuit made of quality materials", + "hot pink jumpsuit large", + "hot pink jumpsuit large quality materials", + "hot pink jumpsuit large quality" + ], + "i need to buy a new desktop pc. look for one that's intel core, 64gb of ram, with a 2 terabyte ssd and a 1 terabyte hdd.": [ + "desktop pc intel core 2gb of ram", + "desktop pc with intel core 64gb", + "desktop pc intel core 64gb", + "desktop pc with intel core", + "desktop pc intel core 32gb of ram", + "desktop pc intel core 64gb of ram", + "desktop pc intel core 32gb", + "desktop pc intel core 128gb", + "desktop pc intel core", + "desktop pc" + ], + "i need a long lasting non slip mattress. the size should be 1.2*2 meters.": [ + "long lasting non slip mattress 1.2*2 meters", + "long lasting non slip mattress", + "1.2*2 meters long lasting non slip mattress", + "long lasting non slip mattress 2.2*2 meters", + "1.2*2 meters non slip mattress", + "non slip mattress 1.2*2 meters", + "long lasting non slip mattress 1.2*2", + "long lasting non slip mattress 1.2*2 centimeters", + "long lasting non slip mattress, 1.2*2", + "non slip mattress" + ], + "i am looking for a blackhead removal tool with eco friendly and also non toxic": [ + "eco friendly and non toxic blackhead removal tool", + "eco friendly blackhead removal tool", + "eco friendly and non toxic blackhead removal tools", + "eco friendly, non toxic blackhead removal tool", + "eco friendly non toxic blackhead removal tool", + "eco friendly and non toxic blackheads removal tool", + "eco friendly and non toxic whitehead removal tool", + "blackhead removal tool eco friendly and non toxic", + "eco friendly and non toxic", + "eco friendly" + ], + "i want a xx-large sousuoty short sleeve shirt.": [ + "xxl sousuoty short sleeve shirt", + "xx-large sousuoty short sleeve shirt", + " xx-large sousuoty short sleeve shirt", + "xxl sousuoty short sleeve shirt.", + " xxl sousuoty short sleeve shirt", + "xx-large sousuoty short sleeve shirt.", + "xx sousuoty short sleeve shirt", + "xxl short sleeve shirt", + "xxl short sleeve shirt under $50", + "xxl long sleeve shirt" + ], + "i want a hunter colored and heavy duty gorilla grip bath rug mat.": [ + "hunter colored and heavy duty gorilla grip bath rug", + "Hunter colored and heavy duty gorilla grip bath rug", + "manual colored gorilla grip bath rug mat", + "shoes gorilla grip bath rug mat", + "shoes and rug mat hunter colored heavy duty", + "tooth rug mat hunter colored heavy duty", + "shoes and rug mat hunter colored", + "manual colored gorilla grip bath rug", + "shoes gorilla grip bath rug", + "shoes and rug" + ], + "i am looking for 12 pack case for apple watch 38mm series 3, 2, and 1 with tempered glass screen protector. it may be better to have waterproof, shockproof, impact resistant protective and in all the colors.": [ + "12 pack case for apple watch 38mm series 3 with tempered glass screen protector", + "12 pack case for apple watch 38mm with tempered glass screen protector", + "12 pack case for apple watch 38mm series 3, 2, and 1", + "12 pack case for apple watch 38mm", + "12 pack case for apple watch 38mm series 3 waterproof", + "12 pack case of apple watch 38mm with tempered glass screen protector", + "12 pack case with tempered glass screen protector", + "apple watch 38mm with tempered glass screen protector", + "apple watch 38mm case with tempered glass screen protector", + "apple watch 38mm case waterproof" + ], + "i'm looking for an easy carry and light weight photography backdrop. also, choose the 7x5ft size.": [ + "easy carry and light weight photography backdrop", + "easy carry light weight photography backdrop", + "easy carry, light weight photography backdrop", + "easy carry light weight photography backdrop.", + "6x5ft photography backdrop", + "easy carry photography backdrop", + "5ft photography backdrop", + "easy carry lightweight photography backdrop", + "light weight photography backdrop", + "easy carry photography backdrop." + ], + "i want seventh generation, body wash sensitive skin.": [ + "i want seventh generation, body wash sensitive skin.", + "7th generation body wash sensitive skin", + "shoes sensitive skin seventh generation, body wash sensitive skin", + "6 foot body wash sensitive skin", + "shoes sensitive skin, seventh generation, body wash sensitive skin", + "6th generation body wash sensitive skin", + "shoes sensitive skin 7th generation, body wash sensitive skin", + "shoes sensitive skin 7.5 oz", + "shoes sensitive skin seventh generation, body wash sensitive skin.", + "shoes sensitive skin seventh generation" + ], + "look for a pair of dark grey sneakers with a rubber sole.": [ + "dark grey sneakers with a rubber sole", + "pair of dark grey sneakers", + "dark grey sneakers with rubber sole", + "dark grey sneakers", + "two dark grey sneakers with a rubber sole", + "black grey sneakers with a rubber sole", + "dark grey sneakers, rubber sole", + "pair of dark grey sneakers, rubber sole", + "dark grey sneakers with a rubber sole.", + "dark grey sneakers with a rubber sole," + ], + "i want azure glitties glitter powder for nail art.": [ + "azure glitties glitter powder for nail art", + "azure glitties glitter powder nail art", + "azure glitter powder for nail art", + "aure glitties glitter powder for nail art", + " azure glitties glitter powder for nail art", + "ashure glitties glitter powder for nail art", + "a glitter powder for nail art", + "azure glitties glitter powder", + "azure glitter powder for nail art.", + "azure glitter powder nail art" + ], + "i need a high quality one way for one coral nail polish.": [ + "one way for one coral nail polish", + "coral nail polish high quality", + "low quality one way coral nail polish", + "coral nail polish that is high quality", + "one way for one coral nail polish.", + "oral nail polish high quality", + "cruelty polish high quality", + "coral nail polish", + "coaxial nail polish high quality", + "coaxial nail polish" + ], + "i want a small machine washable jcbytjsw jean jacket for men.": [ + "small machine washable jcbytjsw jean jacket for men", + "small machine washable jcbytjsw jean jacket", + "large machine washable jcbytjsw jean jacket for men", + "small machine washable jcbytjsw jean jacket, men", + "small machine washable jcbytjsw jean jacket men", + "man washable jcbytjsw jean jacket", + "small machine washable jcbytjsw men jacket", + "small machine washable jean jacket for men", + "small machine washable men jean jacket", + "shoes jean jacket for men" + ], + "i am looking for mens size medium golf t-shirts that are lightweight.": [ + "mens size medium golf t-shirts", + "mens size medium golf t-shirt", + "mens size medium golf t-shirt lightweight", + "mens size medium golf t-shirts lightweight", + "mens size medium golf t-shirts", + "mens size medium golf t-shirt, lightweight", + "mens size medium golf t-shirts, lightweight", + "mens size medium golf t-shirt", + "mens size medium golf t-shirt lightweight", + "mens size medium golf t-shirts lightweight" + ], + "i need gold hands free kids bluetooth 5.0 unicorns headphones.": [ + "gold hands free kids bluetooth 5.0 unicorns headphones", + "kids bluetooth 5.0 unicorns headphones", + "gold kids bluetooth 5.0 unicorns headphones", + "plastic kids bluetooth 5.0 unicorns headphones", + "kids bluetooth 5.0 unicorns headphones gold", + "giftable kids bluetooth 5.0 unicorns headphones", + "gluten free kids bluetooth 5.0 unicorns headphones", + "kids bluetooth 5.0 unicorns headphones.", + "kids bluetooth 5.0 unicorns headphones, gold", + "gold kids bluetooth 5.0 unicorns headphones." + ], + "i am looking for deep moisturizing shampoo for extreme damage hair .advanced formula of micro nutrients to generate moisture inside the hair repairing chemical damage and color damage from the inside out; locks in nutrients and hydration needed to keep hair strong and bouncy. the truss ultra hydration plus shampoo for dry hair.": [ + "deep moisturizing shampoo for extreme damage hair with anadvanced formula of micro nutrients", + "deep moisturizing shampoo for extreme damage hair with anadvanced formula of micro nutrients and color damage", + "deep moisturizing shampoo for extreme damage hair", + "deep moisturizing shampoo for extreme damage hair with anadvanced formula of micro nutrients and hydration", + "deep moisturizing shampoo for extreme damage hair whose price is lower then $40.00", + "deep moisturizing shampoo for extreme damage hair with hydration", + "deep moisturizing shampoo for extreme damage hair with nutrients and hydration", + "deep moisturizing shampoo for extreme damage hair.advanced formula of micro nutrients", + "deep moisturizing shampoo for extreme damage hair with a micro nutrients", + "deep moisturizing shampoo for extreme damage hair with nutrients" + ], + "i would like a bronze wall lamp for my living room.": [ + "living room bronze wall lamp", + "gold wall lamp for living room", + "aluminum wall lamp for living room", + " bronze wall lamp for living room", + "plastic wall lamp for living room", + "floor lamp for living room", + " bronze wall lamp for my living room", + "gold wall lamp living room", + "floor lamp for living room bronze", + " bronze wall lamp for living room." + ], + "i need some kosher buffalo wing sauce": [ + "kosher buffalo wing sauce", + "clinic buffalo wing sauce", + "cl kosher buffalo wing sauce", + "vegan buffalo wing sauce", + "cruelty buffalo wing sauce", + "casual buffalo wing sauce", + "clinically kosher buffalo wing sauce", + "clothing buffalo wing sauce", + "crawfish buffalo wing sauce", + "kosher buffalo wing sauce under $40" + ], + "i want a marble white and high quality travel makeup bag.": [ + "mushroom white travel makeup bag", + "brushed white travel makeup bag", + "m marble white travel makeup bag", + " marble white travel makeup bag", + "mara white travel makeup bag", + "glacier white travel makeup bag", + "mimicking travel makeup bag", + "white travel makeup bag", + "mimicking travel makeup bag.", + "brushed white travel makeup bag." + ], + "i would like a white item finder that has batteries included.": [ + "white item finder with batteries", + "white item finder that has batteries", + "white item finder", + "white item finder, with batteries", + "whiteitem finder with batteries", + "whiteitem finder that has batteries", + "white item finder, batteries included", + "white items finder with batteries", + "white white item finder with batteries", + "white item finder no batteries" + ], + "i want army green knee high hbeylia women's booties.": [ + " army green knee high hbeylia womens booties", + "Army green knee high hbeylia womens booties", + "alarm green knee high hbeylia womens booties", + "army green knee high hbeylia womens booties", + "green knee high hbeylia womens booties", + "a green knee high hbeylia womens booties", + "argan green knee high hbeylia womens booties", + "ant army green knee high hbeylia womens booties", + " army green knee high hbeylia womens booties.", + "Army green knee high hbeylia womens booties." + ], + "i would like a pair of size 9.5 heeled blue sandals with a synthetic sole.": [ + "pair of size 9.5 heeled blue sandals", + "blue sandals size 9.5 with a synthetic sole", + "blue sandals size 9.5 synthetic sole", + "two heeled blue sandals with a synthetic sole", + "size 9.5 heeled blue sandals", + "blue sandals size 9.5", + "blue sandals size 9.5 heeled", + "blue sandals 9.5 heeled", + "two size 9.5 heeled blue sandals", + "blue sandals 9.5" + ], + "i would like a high speed streaming media player that is easy to use.": [ + "high speed streaming media player", + "easy to use streaming media player", + "easy to use high speed streaming media player", + "high speed streaming media player easy to use", + "high speed streaming media player, easy to use", + "easy-to-use streaming media player", + "easy to use streaming media player under $40", + "high speed streaming media player under $40", + "easy to use streaming media player under $60", + "low speed streaming media player" + ], + "florida caribbean flavor tortuga orange rum cake - 4 oz rum cake for easter dessert. find a fresh baked one for me in stock.": [ + "florida caribbean flavor tortuga orange rum cake", + "florida caribbean flavor tortuga orange rum cake - 4 oz", + "florida caribbean flavor tortuga orange rum cake in stock", + "florida caribbean flavor tortuga orange rum cake, 4 oz", + "florida caribbean flavor tortuga orange rum cake under $40", + "florida caribbean flavor tortuga orange rum cake under $60", + "florida caribbean flavor tortuga orange rum cake fresh baked", + "florida caribbean flavor tortuga orange rum cake under $50", + "florida caribbean flavor tortuga orange rum cake 4 oz", + "florida caribbean flavor rum cake for easter dessert" + ], + "i am looking for a travel sized bottle of prada luna rossa impression eau de parfum.": [ + "travel sized bottle of prada luna rossa impression eau de parfum", + "a travel sized bottle of prada luna rossa impression eau de parfum", + "Travel sized bottle of prada luna rossa impression eau de parfum", + "pink bottle of prada luna rossa impression eau de parfum", + "travel sized bottle of prada luna rossa impression eau de parfum.", + "pa luna rossa impression eau de parfum travel sized bottle", + "portrait luna rossa impression eau de parfum travel sized bottle", + "travel sized bottle of prada luna rossa impression eau de parfum,", + "portrait luna rossa impression eau de parfum", + "pa luna rossa impression eau de parfum" + ], + "i need a dress that is machine washable and is navy with pinstripes.": [ + "mens navy with pinstripes", + "navy dress with pinstripes", + "woman washable navy dress", + "woman washable navy dress under $50", + "woman washable navy dress under $40", + "woman washable navy dress under $60", + "man washable navy dress under $40", + "man washable navy dress under $50", + "navy dress under $50", + "man washable navy dress" + ], + "i am looking for double sided hair extensions that are at least 22 inches": [ + "double sided hair extensions 22 inches", + "double sided hair extension 22 inches", + "double sided hair extensions 23 inches", + "double sided hair extensions 22 inches long", + "single sided hair extensions 22 inches", + "double sided hair extensions with 22 inches", + "double sided hair extensions 22 inches wide", + "dual sided hair extensions 22 inches", + "double sided hair extensions", + "double sided hair extensions 22 inches high" + ], + "i am looking for a 5ft black ac adapter that has output protection.": [ + "5ft black ac adapter with output protection", + "5ft black ac adapter that has output protection", + "5ft black ac adapter", + "5ft black ac adapter, output protection", + "5ft black ac adapter no output protection", + "5ft black ac adapter whose output protection is output protection", + "a 5ft black ac adapter with output protection", + "5ft black ac adapter with output protection under $40", + "5ft black ac adapter with output protection under $50", + "5ft black ac adapter with output protection under $60" + ], + "i am looking for a 5 piece hair growth treatment that has all natural ingredients.": [ + "5 piece hair growth treatment with natural ingredients", + "5 piece hair growth treatment", + "5 piece hair growth treatment natural", + "5 piece hair growth treatment no natural", + "natural hair growth treatment 5 piece", + "5 piece hair growth treatment, natural", + "hair growth treatment with natural ingredients", + "5 piece hair growth treatment with natural", + "5 piece hair growth treatment that is natural", + "natural hair growth treatment" + ], + "i want fat free black forest gummy bears.": [ + "fat free black forest gummy bears", + "fat free black forest gummy bears under $40", + "fat free black forest gummy bears under $50", + " fat free black forest gummy bears", + "fat free black forest gummy bears under $60", + "fat free black forest gummy bears.", + "fat free black forest gummy bears under 30 dollars", + "fat free black forest gummy bears under 50 dollars", + "fat free black forest gummy bears under 40 dollars", + "fat free black forest gummy bears under 60 dollars" + ], + "i want a sweet and awesome hersheys candy mix gift set.": [ + "sheys candy mix gift set", + "sweet and awesome hersheys candy mix gift set", + "sheys candy mix gift set.", + "sweet and awesome hersheys candy mix gift set.", + "sugar mix gift set", + "a sweet and awesome hersheys candy mix gift set", + "pink and awesome hersheys candy mix gift set", + "sheys candy mix gift set that is sweet and awesome", + "sheys candy mix gift set under 50 dollars", + "sheys candy mix gift set under $50" + ], + "i want melody of the night wall art for the living room.": [ + "tempered night wall art for the living room", + "melody of the night wall art", + "night wall art for the living room", + "melody of the night wall art living room", + "night wall art for the living room.", + "tempered night wall art for living room", + "tempered night wall art", + "night wall art for living room", + "art for the living room", + "night wall art" + ], + "i want a 2 pound, pack of 1, chocolate covered hazelnuts.": [ + "2 pound, pack of 1, chocolate covered hazelnuts", + "2 pound, pack of 1 chocolate covered hazelnuts", + "two pound, pack of 1, chocolate covered hazelnuts", + "2 pound chocolate covered hazelnuts pack of 1", + "chocolate covered hazelnuts 2 pound pack", + "1 pound, pack of 1, chocolate covered hazelnuts", + "2 pound pack of 1, chocolate covered hazelnuts", + "2 pound chocolate covered hazelnuts", + "2 pound pack of 1 chocolate covered hazelnuts", + "two pound, pack of 1 chocolate covered hazelnuts" + ], + "i would like a 16 ounce bottle of raisin milk that could be a great gift set.": [ + "16 ounce bottle of raisin milk", + "16 ounce bottle of raisin milk, a great gift set", + "16 ounce bottle of raisin milk under $60", + "16 ounce bottle of raisin milk under $40", + "16 ounce bottle of raisin milk under $50", + "16 ounce bottle of raisin milk gift set", + "teen ounce bottle of raisin milk", + "24 ounce bottle of raisin milk", + "16 ounce bottle of raisin milk,", + "pack of raisin milk" + ], + "i want a pair of green noise cancelling earbud headphones.": [ + "green noise cancelling earbud headphones", + "green noise cancelling earbud headphones.", + "pair of green noise cancelling earbud headphones", + "a pair of green noise cancelling earbud headphones", + "green noise cancelling earbud headphones under $40", + "green noise cancelling earbud headphones under $50", + "green noise cancelling earbud headphones under $60", + "green noise cancelling earbud headphones,", + "green noise cancelling earbud headphones under $130", + "pink noise cancelling earbud headphones" + ], + "i want a small high waisted smooto summer dress for women.": [ + "small high waisted smooto summer dress for women", + "small high waisted smooto summer dress", + "small high waisted smooto summer dress for women.", + "small high waisted smooto summer dress for women under $40", + "small high waisted smooto summer dress for women under 30 dollars", + "small high waisted smooto summer dress for women under $50", + "small high waisted smooto summer dress for women under 50 dollars", + "small high waisted smooto summer dress for women under 40 dollars", + "small high waisted smooto summer dress for women under $60", + "small high waisted smooto summer dress for women under 60 dollars" + ], + "i need 2 pcs of purple color toothpaste which is good for sensitive teeth and bad breath.": [ + "2 pcs of purple color toothpaste", + "pcs of purple color toothpaste for sensitive teeth and bad breath", + "pcs of purple color toothpaste", + "pcs of purple toothpaste for sensitive teeth and bad breath", + "pcs of purple color toothpaste with sensitive teeth and bad breath", + "pcs of purple color toothpaste, sensitive teeth and bad breath", + "two pcs of purple color toothpaste", + "pcs of purple teethpaste", + "pcs of purple toothpaste", + "pcs of purple" + ], + "i would like a 40 by 40 blue orange throw pillow cover that is machine washable.": [ + "40 by 40 blue orange throw pillow cover", + "40 by 40 blue throw pillow cover that is machine washable", + "40 by 40 blue throw pillow cover", + "40 by 40 blue orange throw pillow cover, machine washable", + "40 by 40 blue throw pillow cover, machine washable", + "40 by 40 blue orange throw pillow cover with machine washable", + "40 by 40 blue orange throw pillow cover machine washable", + "40 by 40 blue orange throw pillow cover under $40", + "40 by 40 blue orange throw pillow cover under $50", + "40 by 40 blue orange throw pillow cover under 50 dollars" + ], + "i need high speed hdmi cables that are 15 feet long": [ + "high speed hdmi cables 15 feet long", + "high speed hdmi cables", + "high speed hdmi cables, 15 feet long", + "hdmi cables 15 feet long", + "high speed hdmi cables 15 ft long", + "tv hdmi cables 15 feet long", + "high speed hdmi cables 14 feet long", + "high speed hdmi cables 15 foot long", + "high speed hdmi cables under $40", + "high speed hdmi cables 15 feet long," + ], + "i am looking for roasted and salted cashews that has low sodium content and no artificial ingredients.": [ + "roasted and salted cashews with low sodium and no artificial ingredients", + "roasted and salted cashews low sodium and no artificial ingredients", + "roasted and salted cashews no artificial", + "roasted and salted cashews with low sodium", + "roasted and salted cashews with low sodium and no artificial", + "roasted and salted cashews low sodium and no artificial", + "roasted and salted cashews, low sodium and no artificial ingredients", + "roasted and salted cashews low sodium", + "roasted and salted cashews no artificial flavor", + "roasted and salted cashews" + ], + "i would like a 19\" by 13\" by 17\" nile green bench that is super soft to sit in.": [ + "19 by 13 by 17 nile green bench", + "19 by 13 by 17 nile green bench that is super soft", + " 19 by 13 by 17 nile green bench", + "19 by 13 by 17 nile green bench, super soft to sit in", + "a 19 by 13 by 17 nile green bench", + "a 19 by 13 by 17 nile green bench that is super soft", + "19 x 13 by 17 nile green bench", + " 19 by 13 by 17 nile green bench that is super soft", + "18 by 13 by 17 nile green bench", + "19 by 13 by 17 nile green bench, super soft" + ], + "i want size 2x and machine washable women's plus size active run shorts.": [ + "2x and machine washable womens plus size active run shorts", + "womens plus size active run shorts", + "2x active run shorts", + "size 2x machine washable womens plus size active run shorts", + "woman washable womens plus size active run shorts", + "womens plus size active run shorts size 2x", + "size 2x active run shorts", + "woman washable womens plus size active run shorts size 2x", + "2x active run shorts size 2x", + "im looking for size 2x active run shorts." + ], + "i need some xx-large polos that have buttons and are in red and black.": [ + "xxl polo buttoned red black", + "xx-large polo buttoned red black", + "xxl buttoned polo red black", + " xx-large polo buttoned red black", + "xxl polo buttoned red and black", + "xxl polo red black", + "xxl polo buttons red black", + "xxl polo buttoned red", + "xxxx polo buttoned red black", + "xx-large polo red black" + ], + "i am looking for a high speed gaming desktop with core i5. also choose 64gb ram|512gb ssd|win11h.": [ + "high speed gaming desktop with core i5", + "high speed gaming desktop with core i5 with 128gb ram", + "high speed gaming desktop with core i5.", + "high speed gaming desktop with core i5 under $130", + "high speed gaming desktop with core i5 under $120", + "desktop with core i5 with high speed gaming desktop", + "desktop with core i5", + "high speed gaming desktop with core i5 with 64gb ram", + "desktop with core i5.", + "high speed gaming desktop" + ], + "i want pink ambesonne shutters curtains for my living room.": [ + "pink ambesonne shutters curtains for my living room", + "pink ambesonne shutters curtains for the living room", + "pink ambesonne shutters curtains", + "pink ambesonne shutters curtains for living room", + "pink ambesonne shutters curtains for a living room", + "pink ambesonne shutters curtains in my living room", + "pink ambesonne shutters curtains living room", + "pink ambesonne curtains for my living room", + "pink ambesonne shutters curtains for living room.", + "pink ambesonne shutters curtains, living room" + ], + "i would like a stainless steel facial roller.": [ + "stainless steel facial roller", + "stainless steel facial roller.", + "stainless steel facial roller under $50", + "stainless steel facial roller under $40", + "stainless steel facial roller under $60", + "stainless steel facial roller below $50", + "stainless steel facial roller below $40", + "stainless steel facial roller under 50 dollars", + "stainless steel facial roller below $60", + "stainless steel facial roller," + ], + "get me a pair of neon green shorts with a drawstring closure in size small.": [ + "nude green shorts with drawstring closure", + "natierra green shorts with drawstring closure", + "neen green shorts with drawstring closure", + "pair of neon green shorts with drawstring closure", + "nude green shorts with drawstring closure size small", + "nude green shorts drawstring closure", + "pink shorts with drawstring closure in size small", + "natierra green shorts drawstring closure", + "pink shorts with drawstring closure", + "neon green shorts with drawstring closure" + ], + "i am looking for a wall sconce with a nickel finish. please make sure that it has a vintage brass color and is mini pendant styled.": [ + "wall sconce with a nickel finish", + "wall sconce with nickel finish", + "wall sconce with a nickel finish.", + "womens wall sconce with a nickel finish", + "wall sconce with a nickel finish under $40", + "wall sconce in a nickel finish", + "wall sconce, nickel finish", + "wall sconce that is mini pendant styled", + "wall sconce with a nickel finish, vintage brass", + "wall sconce with a nickel finish under $50" + ], + "i would like a blue hair towel like those in a salon.": [ + "blue hair towel", + "blue hair towel in a salon", + "blue hair towel for a salon", + "blue hair towel, salon", + "blue hair towel for salon", + "blue hair towel at a salon", + "blue hair towel under $50", + "blue hair towel under $40", + "blue hair towel, salon style", + "blue hair towel salon" + ], + "i want a rose pink maxone 1tb portable external hard drive that is plug and play.": [ + "rose pink maxone 1tb portable external hard drive", + "rose pink maxone 1tb portable external hard drive plug and play", + "rose pink maxone 1tb portable external hard drive with plug and play", + "rose pink maxone 1tb portable external hard drive, plug and play", + "rose pink maxone 1tb portable external drive that is plug and play", + "rose pink maxone 1tb portable external hard drive under $40", + "rose pink maxone 1tb portable external hard drive under $50", + "rose pink maxone 1tb portable external hard drive plug and play.", + "rose pink maxone 1tb portable external drive", + "rose pink maxone portable external hard drive" + ], + "buy me a pair of machine washable jeans in maria.": [ + "machine washable jeans in maria", + "machine washable jeans maria", + "machine washable jeans in maria.", + "man washable jeans in maria", + "woman washable jeans in maria", + "man washable jeans in maria.", + "man washable jeans maria", + "machine washable jeans maria under $40", + "machine washable jeans", + "machine washable jeans maria under $50" + ], + "i am looking for a machine washable boxer brief with tumble dry. also choose multi color pack and 3x large size.": [ + "machine washable boxer brief with tumble dry", + "machine washable boxer brief 3x large", + "machine washable boxer brief with tumble dry 3x large", + "machine washable boxer brief, 3x large", + "machine washable boxer brief", + "man washable boxer brief with tumble dry", + "machine washable boxer brief with tumble dry multi color pack", + "machine washable boxer brief in a 3x large size", + "machine washable boxer brief 2x large", + "machine washable boxer brief in a 3x large" + ], + "i want masbird open toe sandals for women in size 7.5.": [ + "masbird open toe sandals for women size 7.5", + "masbird open toe sandals size 7.5", + "masbird open toe sandals size 7.5.", + "masbird open toe sandals in size 7.5", + "masbird open toe sandals", + "masbird open toe sandals in size 7.5.", + "masbird open toe sandals women size 7.5", + " masbird open toe sandals for women size 7.5", + "masbird open toe sandals, size 7.5", + "masbird open toe sandals for women" + ], + "i am looking for easy to use hair rollers in pink.": [ + "easy to use hair rollers in pink", + "pink hair rollers", + "pink hair rollers easy to use", + "easy to use pink hair rollers", + "easy to use hair rollers pink", + "pink hair rollers in pink", + "pink hair rollers under $40", + "pink hair rollers under $50", + "plastic pink hair rollers", + "pink human hair rollers" + ], + "let me get some stainless steel tongue scrapers. pick a purple one.": [ + "stainless steel tongue scrapers purple", + "stainless steel tongue scrapers", + "stainless steel tongue scrapers in purple", + "stainless steel tongue scrapers that are purple", + "stainless steel tongue scrapers in a purple", + "stainless steel tongue scrapers under $40", + "stainless steel tongue scrapers under $50", + "stainless steel tongue scrapers under $60", + "stainless steel tongue scrapers, purple", + "stainless steel tongue scrapers color purple" + ], + "i'm looking for men's low rise boxer briefs in black color. please select xx-large size.": [ + "mens low rise boxer briefs in black color", + "mens low rise boxer briefs in black", + "mens low rise boxer briefs in black color", + "mens low rise boxer briefs size xx-large", + "mens low rise boxer briefs in black color.", + "mens low rise boxer briefs black", + "mens low rise boxer briefs in black", + "mens low rise boxer briefs xx-large size", + "low rise boxer briefs in black color", + "low rise boxer briefs in black" + ], + "i need to buy four pounds of individually wrapped chocolates.": [ + "4 pounds of individually wrapped chocolates", + "pack of individually wrapped chocolates", + "4 individually wrapped chocolates", + "packet of individually wrapped chocolates", + "4 pack of individually wrapped chocolates", + "4 package of individually wrapped chocolates", + "four pounds of individually wrapped chocolates", + "pack of individually wrapped chocolates.", + "packaged chocolates four pounds", + "4 chocolate chocolates" + ], + "i am looking for a supplement for hair growth which is clinically proven. also choose bundle pack 2": [ + "clinically proven hair growth supplement bundle pack 2", + "natural hair growth supplement bundle pack 2", + "medical supplement for hair growth which is clinically proven", + "clinically proven hair growth supplements bundle pack 2", + "maturity-free hair supplement bundle pack 2", + "maturing hair growth bundle pack 2", + "gmo supplement for hair growth which is clinically proven", + "maturity-proven supplement for hair growth", + "baby shower supplement for hair growth", + "medical supplement for hair growth" + ], + "i would love some water resistant eye shadow that is coral colored.": [ + "water resistant eye shadow coral colored", + "sea colored eye shadow", + "water resistant eye shadow, coral colored", + "water resistant eye shadow", + "al coral colored eye shadow", + "oral colored eye shadow", + "coral colored eye shadow", + "alarm colored eye shadow", + "toothpaste coral colored", + "sea colored eye shadow, coral colored" + ], + "i want a mid century console sofa table.": [ + "mid century console sofa table", + "mid century console sofa table.", + "i want a mid century console sofa table.", + "mid century console sofa table with a modern look", + "mid century sofa table", + "mid century console sofa table under $130", + "mid century console sofa table under $120", + "mid century console sofa table,", + "mid century console sofa table, mid century", + "mid century sofa table." + ], + "i'd like to order some barbecue flavored veggie crisps. look for low fat, non gmo, and plant based snacks.": [ + "bbq flavored veggie crisps", + " barbecue flavored veggie crisps with plant based snacks", + "bbq flavored veggie crisps with plant based snacks", + "barbecue flavored veggie crisps with plant based snacks", + "bbq flavored veggie crisps low fat and plant based snacks", + "barbecue flavored veggie crisps", + "bbq flavored veggie crisps that are low fat", + " barbecue flavored veggie crisps", + " barbecue flavored veggie crisps that are low fat and plant based", + " barbecue flavored veggie crisps that are low fat" + ], + "i am looking for a high quality 25mm false eyelash extensions.": [ + "25mm false eyelash extensions", + "25mm false eyelash extension", + "25mm false eyelash extensions, high quality", + "25mm false eyelash extensions under $50", + "25mm false eyelash extensions under $40", + "25mm false eyelash extensions high quality", + "23mm false eyelash extensions", + "25mm false eyelash extensions under $60", + "25mm false eyelash extensions.", + "25mm false eyelash extensions under 30 dollars" + ], + "i want to find a natural jade face mask that helps hide dark circles. the mask needs to be crystal clear in color.": [ + "natural jade face mask", + "natural jade face mask, crystal clear", + "natural jade face mask with dark circles", + "natural jade face mask crystal clear", + "natural jade face mask, crystal clear,", + "natural jade face mask in crystal clear", + "natural jade face mask crystal clear in color", + "natural jade face mask for dark circles", + "natural jade face mask under $50", + "natural jade face mask crystal clear" + ], + "i want a black machine washable women's round turtleneck sweater.": [ + "black machine washable womens round turtleneck sweater", + "black machine washable womens turtleneck sweater", + "machine washable womens round turtleneck sweater", + "womens round turtleneck sweater", + "black womens round turtleneck sweater", + "black woman washable womens round turtleneck sweater", + "womens round turtleneck sweater black", + "black mens round turtleneck sweater", + "black womens turtleneck sweater", + "womens round turtleneck sweater, black" + ], + "i want a pink eforcase u shaped toddler toothbrush for sensitive teeth.": [ + "pink eforcase u shaped toddler toothbrush for sensitive teeth", + "pink eforcase u shaped toddler toothbrush", + "pink eforcase toddler toothbrush for sensitive teeth", + "pink eforcase u shaped toddler toothbrush, sensitive teeth", + "pink eforcase u shaped toddler toothbrush with sensitive teeth", + "pink eforcase teddy toothbrush for sensitive teeth", + "pink eforcase baby toothbrush for sensitive teeth", + "pink eforcase toddler toothbrush for sensitive teeth.", + "pink eforcase mens toothbrush for sensitive teeth", + "pink eforcase toddler toothbrush" + ], + "for my living room, i need a ready to hang, 16 x 20 in, wall art poster made in athletic gold color.": [ + "living room wall art poster made in athletic gold color", + "living room wall art poster made in athletic gold", + "living room wall art poster in athletic gold color", + "living room wall art poster in athletic gold", + "16 x 20 wall art poster made in athletic gold", + "living room wall art poster color 16 x 20", + "living room wall art poster 16 x 20", + "living room wall art poster", + "16 x 20 wall art poster", + "white wall art poster" + ], + "i want a package of individual wrapped granola bars. look for the peanut butter chocolate chip flavor.": [ + "granola bars peanut butter chocolate chip flavor", + "bagels of peanut butter chocolate chip flavor", + "pack of peanut butter chocolate chip flavor", + "granola bar peanut butter chocolate chip flavor", + "pack of peanut butter chocolate chip bars", + "bag of peanut butter chocolate chip flavor", + "pack of peanut butter chocolate chips flavor", + "pack of peanut butter chocolate chip", + "pack of peanut butter granola bars", + "pack of peanut butter granola bars flavor" + ], + "i want a .63 ounce pack of 12 watkins organic gourmet dip mix. i want the salsa and sour cream flavor.": [ + "12 watkins organic gourmet dip mix with salsa and sour cream flavor", + "12 watkins organic gourmet dip mix", + "womens organic gourmet dip mix with salsa and sour cream flavor", + "12 watkins organic gourmet dip mix with a salsa and sour cream flavor", + "12 watkins organic gourmet dip mix, salsa and sour cream flavor", + "12 watkins organic gourmet dip mix.", + "6 pack of 12 watkins organic gourmet dip mix", + "womens organic gourmet dip mix with salsa and sour cream flavor.", + "12 watkins organic gourmet dip mix with salsa and sour cream flavor.", + "8 oz pack of 12 watkins organic gourmet dip mix" + ], + "i would like a pair of pants in a size 7 that are machine washable and a tartan color.": [ + "pair of pants in a size 7 in a tartan color", + "pair of pants size 7 in a tartan color", + "woman washable and tartan pants size 7", + "pair of pants in a size 7", + "man washable and tartan pants size 7", + "woman washable and tartan pants", + "man washable pants in a size 7", + "woman washable pants in a size 7", + "pair of pants size 7", + "woman washable pants size 7" + ], + "i need a wall lamp that has a dark bronze nickel finish": [ + "wall lamp dark bronze", + "wall lamp with dark bronze nickel finish", + "wall lamp dark bronze finish", + "wall lamp, dark bronze nickel finish", + "wall lamp dark bronze nickel finish", + "wall lamp dark bronze with finish", + "womens wall lamp dark bronze", + "wall lamp, dark bronze", + "wall lamp in dark bronze", + "wall lamp, dark bronze," + ], + "select 1 unit toothpaste for sensitive teeth whitening corrector, enamel care.": [ + "1 unit toothpaste for sensitive teeth whitening corrector, enamel care", + "1 unit toothpaste for sensitive teeth whitening corrector, enamel care.", + "1 unit toothpaste for sensitive teeth whitening corrector", + "1 unit toothpaste for sensitive teeth whitening corrector with enamel care", + "1 unit toothpaste for sensitive teeth whitening corrector, enamel care,", + "toothpaste for sensitive teeth whitening corrector, enamel care", + "1 unit toothpaste for sensitive teeth whitening corrector enamel care", + "1 unit toothpaste, sensitive teeth whitening corrector, enamel care", + "2 unit toothpaste for sensitive teeth whitening corrector, enamel care", + "toothpaste for sensitive teeth whitening corrector" + ], + "i would like a medium black camo tank top for my gym workouts.": [ + "medium black camo tank top for workouts", + "medium black camo tank top for gym workouts", + "medium black camo tank top for workout workouts", + "medium black camo tank top", + "medium black camo tank top workout workouts", + "medium black camo tank top for training workouts", + "medium black camo tank top gym workouts", + "medium black camo tank top for training", + "medium black camo tank top for my workouts", + "medium black camo tank top for workouts." + ], + "i want to buy some 72 inch long drapes for the living room. look for machine washable drapes.": [ + "72 inch long drapes for the living room", + "71 inch long drapes for the living room", + "72 inch long drapes for living room", + "72 inch long drapes", + " 72 inch long drapes for the living room", + "72 inch long drapes living room", + "wooden drapes for the living room", + "72 inch long drapes in the living room", + "wooden drapes for living room", + "71 inch long drapes for living room" + ], + "i would like a 10.63x9.05 inch pack of 5 red edge sponges that are long lasting.": [ + "10.63x9.05 pack of 5 red edge sponges", + "10.63x9.05 inch pack of 5 red edge sponges", + "10.63x9.05 red edge sponges that are long lasting", + "10.63x9.05 red edge sponges long lasting", + "10.63x9.05 red edge sponges", + "10.63 x9.05 inch pack of 5 red edge sponges", + "pack of 5 red edge sponges that are long lasting", + "pack of 5 red edge sponges long lasting", + "pack of 5 red edge sponges", + "5 red edge sponges long lasting" + ], + "i need a men's short sleeve shirt that is coffee colored and an xx-large": [ + "mens short sleeve shirt that is coffee colored xx-large", + "mens short sleeve shirt coffee colored xx-large", + "mens short sleeve shirt that is coffee colored x-large", + "mens short sleeve shirt with coffee colored xx-large", + "mens short sleeve shirt that is coffee colored", + "mens short sleeve shirt, coffee colored xx-large", + "mens short sleeve shirt, coffee colored and xx-large", + "mens short sleeve shirt with coffee colored x-large", + "mens short sleeve shirt coffee colored xx-large mens", + "mens short sleeve shirt" + ], + "i want ailun privacy glass screen protectors.": [ + "an ailun privacy glass screen protectors", + "ashun privacy glass screen protectors", + "aureun privacy glass screen protectors", + "an ailun privacy glass screen protectors.", + "auburn privacy glass screen protectors", + "a ailun privacy glass screen protectors", + "aiun privacy glass screen protectors", + "au privacy glass screen protectors", + "aureun privacy glass screen protectors.", + "ashun privacy glass screen protectors." + ], + "i need a cocoa mix that is non gmo and a pack of 3.": [ + "non gmo cocoa mix pack of 3", + "coffee mix non gmo pack of 3", + "non gmo chocolate mix pack of 3", + "non-gmo cocoa mix pack of 3", + "non gmo cocoa mix pack pack of 3", + "non gmo cocoa mix pack", + "non gmo cocoa mix pack of 3.", + "non gmo cocoa mix pack 3", + "non gmo cocoa mix pack 3 pack", + "coffee mix non gmo pack 3 pack" + ], + "i want to find a monocular telescope that i can use for birdwatching, and it must be easy to install.": [ + "monocular telescope easy to install", + "monocular telescope", + "monocular telescope, easy to install", + "monocular telescope for birdwatching easy to install", + "monocular telescope for birdwatching", + "monocular telescope, easy to install,", + "monocular telescope that is easy to install", + "monocular telescope easy to install", + "monocular telescope easy to install under $40", + "monocular telescope easy to install under $60" + ], + "i am looking for high quality 22 inch hair extensions.": [ + "hair extension 22 inches high quality", + "hair extensions 22 inches high quality", + "22 inch hair extensions", + "22 inch hair extension", + "hair extensions 22 inch high quality", + "hair extension 22 inch high quality", + "23 inch hair extensions", + "hair extension 22 inches high", + "hair extensions 22 inches high", + "hair extension 22 inches long" + ], + "i need low rise jeans that are a 54w by 34l": [ + "low rise jeans 54w by 34l", + "low rise jeans that are 54w by 34l", + "low rise jeans, 54w by 34l", + "low rise jeans a 54w by 34l", + "low rise jeans size 54w by 34l", + "low rise jeans", + "low rise jeans 54w by 34l low rise", + "low rise jeans 54w x 34l", + "low rise jeans 52w by 34l", + "low rise jeans with a 54w by 34l" + ], + "i am looking for 1 pack of 9 gr light golden reddish blonde hair dye which is good and long lasting.": [ + "1 pack of 9 gr light golden reddish blonde hair dye", + "4 pack of 9 gr light golden reddish blonde hair dye", + "3 pack of 9 gr light golden reddish blonde hair dye", + "1 pack of 9 light golden reddish blonde hair dye", + "1 pack of 9 Gr light golden reddish blonde hair dye", + "1 pack of 9 gr light golden reddish hair dye", + "1 pack of 9 gr light golden reddish blonde wig dye", + "1 pack of 9 gr light golden reddish wig dye", + "1 pack of 9 natural golden reddish blonde hair dye", + "1 pack of 9 gr light golden brown hair dye" + ], + "i want peanut butter & co. cocoa powder, non-gmo.": [ + "peanut butter & co. cocoa powder non-gmo", + " peanut butter & co. cocoa powder non-gmo", + "peanut butter & co. cocoa powder, non-gmo", + "butter butter & co. cocoa powder non-gmo", + "lemon butter & co. cocoa powder non-gmo", + " peanut butter & co. cocoa powder, non-gmo", + "butter butter & co. cocoa powder, non-gmo", + "pomegranate butter & co. cocoa powder", + " peanut butter & co. cocoa powder, non-gmo.", + "peanut butter & co. cocoa powder" + ], + "i need a futon mattress in the color a for the living room.": [ + "fogon mattress in the color a living room", + "fogon mattress for the living room", + "fogon mattress for living room", + "living room futon mattress in the color a", + "tenton mattress in the color a living room", + " futon mattress in the color a living room", + "fogon mattress in the color a", + "fogon mattress living room", + "fogon mattress", + "fogon mattress living room color" + ], + "i would like a pair of noise cancelling earbud headphones.": [ + "pair of noise cancelling earbud headphones", + "noise cancelling earbud headphones", + "sound cancelling earbud headphones", + "two noise cancelling earbud headphones", + "neakers noise cancelling earbud headphones", + "elevlling earbud headphones", + "magnifying earbud headphones", + "noise cancelling earbud headphones.", + "pair of noise cancelling earbud", + "neakers earbud headphones" + ], + "i would like a social distance hug perfect gift basket.": [ + "social distance hug perfect gift basket", + "social distance hug perfect gift basket.", + "Social distance hug perfect gift basket", + "social distance hug perfect gift basket under $50", + "social distance hug perfect gift basket under 50 dollars", + "social distance hug perfect gift basket for a woman", + "social distance hug perfect gift basket under $60", + "social distance hug perfect gift basket under $40", + "social distance hug perfect gift basket under 30 dollars", + "social distance hug perfect gift basket for baby shower" + ], + "i am looking for an easy to install white antler chandelier with 18 antlers and 9 lights.": [ + "white antler chandelier with 18 antlers and 9 lights", + "white antler chandelier 18 antlers and 9 lights", + "yellow antler chandelier with 18 antlers and 9 lights", + "white antler chandelier with 18 antlers, 9 lights", + "white antler chandelier, 18 antlers and 9 lights", + "white antler chandelier with 18 antlers with 9 lights", + "black antler chandelier with 18 antlers and 9 lights", + "white antler chandelier 18 antlers with 9 lights", + "white antler chandelier", + "easy to install white antler chandelier" + ], + "shop for a laptop that's intel i5 quad core, with 16 gigabytes of ram and a 512 gigabyte ssd.": [ + "intel i5 quad core laptop with 16 gigabytes of ram and a 512 gigabyte ssd", + "intel i5 quad core laptop with 16 gigabytes of ram", + "intel i5 quad core laptop with 16 gigabytes of ram and 512 gigabyte ssd", + "intel i5 quad core laptop with 16 gigabytes of ram with a 512 gigabyte ssd", + "intel i5 quad core laptop with 16 gigabytes of ram, 512 gigabyte ssd", + "intel i5 quad core laptop with 16 gigabytes of ram with 512 gigabyte ssd", + "intel i5 quad core laptop with 16 gigabytes of ram, with 512 gigabyte ssd", + "intel i5 quad core laptop with 16 gigabytes", + "intel i5 quad core with 16 gigabytes of ram", + "intel i5 quad core laptop 16 gigabytes of ram" + ], + "i am looking for a pack of 3 high quality heavy duty clear toiletry bags.": [ + "3 high quality heavy duty clear toiletry bags", + "3 pack of high quality heavy duty clear toiletry bags", + "pack of 3 high quality heavy duty clear toiletry bags", + "3 pack of heavy duty clear toiletry bags", + "3 pack heavy duty clear toiletry bags", + "3 heavy duty clear toiletry bags", + "3 high quality heavy duty clear toiletry bags.", + "3 pack of clear toiletry bags", + "3 pack of clean toiletry bags", + "3 high quality heavy duty clear toiletry bags," + ], + "i would like some dining room pendant lights that are river stone color and are 20.5\" wide.": [ + "dining room pendant lights 20.5 wide", + "dining room pendant lights that are river stone color", + "dining room pendant lights color 20.5 wide", + "dining room pendant lights 20.5 wide.", + "living room pendant lights 20.5 wide", + " dining room pendant lights 20.5 wide", + "dining room pendant lights, 20.5 wide", + "al dining room pendant lights 20.5 wide", + "dining room pendant lights", + "dining room pendant lights that are river stone" + ], + "i am looking for a high quality slipper made up of quality material for a little kid, size 10.5 - 11. also choose white color.": [ + "slipper made up of quality material for a little kid in white", + "slipper made up of quality material for a little kid in a white color", + "slipper made up of quality material for a little kid in a white", + "slipper made up of quality material for a little kid 10.5 - 11", + "slipper made up of quality material for a little kid", + "slipper made up of quality material", + "slimming material 10.5 - 11 white", + "slipper made up of quality material in white", + "slimming material 10.5 - 11", + "slipper made up of quality material in a white" + ], + "i would like a 18 inch #5 easy to use hair extensions.": [ + "18 inch hair extensions", + "18 inch hair extension", + "18 inch hair extensions under $50", + "18 inch long hair extensions", + "18 inch hair extensions under $40", + "18 inch hair extensions under $60", + "18 inch hair extension under $50", + "18 inch hair extensions under 50 dollars", + "18 inch under $50 hair extensions", + "18 inch long hair extension" + ], + "i would like a 32 fluid ounce bottle of sweet and creamy non-gmo dairy creamer.": [ + "32 fluid ounce bottle of sweet and creamy dairy creamer", + "32oz dairy creamer", + "32 fluid ounce bottle of dairy creamer", + " 32 fluid ounce bottle of sweet and creamy dairy creamer", + "32oz dairy creamer 32 oz", + "32 fluid ounce dairy creamer", + "28 fluid ounce bottle of sweet and creamy dairy creamer", + "32 fluid ounce bottle of sweet and creamy dairy cream", + "32 oz dairy creamer", + "no dairy creamer 32 oz" + ], + "i am looking for a brighten colored toothpaste that is fluoride free and has natural ingredients.": [ + "fluoride free toothpaste", + "fluoride free colored toothpaste", + "fluoride free and natural toothpaste", + "fluoride free toothpaste with natural ingredients", + "fluoride free toothpaste under $40", + "fluoride free fluoride free toothpaste", + "fluoride free oral toothpaste", + "fluoride free toothpaste under $50", + "fluoride free toothpaste under $60", + "fluoride free teethpaste" + ], + "i am looking for fluoride free teeth whitening toothpaste that has two times the repair.": [ + "fluoride free teeth whitening toothpaste two times the repair", + "fluoride free teeth whitening toothpaste", + "fluoride free teeth whitening toothpaste 2 times the repair", + "fluoride free teeth whitening toothpaste two times the price", + "fluoride free teeth whitening toothpaste 2x the repair", + "fluoride free teeth whitening toothpaste under $40", + "fluoride free teeth whitening toothpaste under $50", + "fluoride free toothpaste two times the repair", + "toothpaste two times the repair", + "toothpaste with two times the repair" + ], + "i am looking for a dual band ac/dc adapter for a zboost.": [ + "dual band ac/dc adapter for a zboost", + "dual band ac/dc adapter", + "dual band ac/dc adapter for zboost", + "dual band ac/dc adapter zboost", + "Dual band ac/dc adapter for a zboost", + "duals band ac/dc adapter for a zboost", + "d dual band ac/dc adapter for a zboost", + "dal band ac/dc adapter for a zboost", + "dual band ac/dc adapter with zboost", + "dual band ac/dc adapter, zboost" + ], + "i'd like to order an eight ounce bottle of maple syrup. make sure it's nut free.": [ + "8 ounce maple syrup", + "8 ounce bottle of maple syrup", + "8 ounce bottle maple syrup", + "8 ounce maple syrup under $60", + "8 ounce maple syrup under $40", + "8 ounce maple syrup, nut free", + "8 ounce maple syrup under $50", + "8 oz maple syrup", + "8 ounce maple syrup under 50 dollars", + "8 ounce maple syrup under 30 dollars" + ], + "i would like to buy a one fluid ounce bottle of face oil for my dry skin.": [ + "one fluid ounce bottle of face oil", + "one fluid ounce bottle of face oil for dry skin", + "one fluid ounce bottle of face oil dry skin", + "one fluid ounce bottle of face oil, dry skin", + "two fluid ounce bottle of face oil", + "1 fluid ounce bottle of face oil", + "one ounce bottle of face oil", + "ones face oil for dry skin", + "1oz face oil", + "one fluid ounce bottle" + ], + "i need teeth whitening toothpaste that is orange and purple.": [ + "teeth whitening toothpaste orange and purple", + "toothpaste orange and purple", + "orange teeth whitening toothpaste", + "toothpaste that is orange and purple", + "toothpaste orange and purple teeth whitening", + " teeth whitening toothpaste orange and purple", + "white teeth whitening toothpaste orange and purple", + "yellow teeth whitening toothpaste", + "teeth whitening toothpaste", + "othpaste orange and purple" + ], + "i need a microphone cable with a power amplifier and 1.8\u7c73 capacity.": [ + "phone cable with a power amplifier and 1.8\u7c73 capacity", + "a microphone cable with a power amplifier and 1.8\u7c73 capacity", + "makers cable with a power amplifier and 1.8\u7c73 capacity", + "mega microphone cable with a power amplifier and 1.8\u7c73 capacity", + "sonic cable with a power amplifier and 1.8\u7c73 capacity", + "majestic cable with a power amplifier 1.8\u7c73 capacity", + "majestic cable with a power amplifier 1.8\u7c73", + "phone cable with a power amplifier 1.8\u7c73", + "1.8\u7c73 microphone cable", + "phone cable with a power amplifier 1.8\u7c73 capacity" + ], + "i need a wall lamp that has a bronze finish.": [ + "wall lamp bronze finish", + "wall lamp with bronze finish", + "wall lamp that has a bronze finish", + "wall lamp with a bronze finish", + "wall lamp that has bronze finish", + "wall lamp, bronze finish", + "womens wall lamp bronze finish", + "wall lamp bronze", + "wall lamp, bronze finish,", + "wall lamp" + ], + "i would like a 0.33 fluid ounce porcelain concealers for the dark circles under my eyes.": [ + "1.33 fluid ounce porcelain concealers under my eyes", + "1.33 fluid ounce porcelain concealers", + "0.33 fluid ounce porcelain concealers under my eyes", + "pacocelain concealers for the dark circles under my eyes", + "porcelain concealers for the dark circles under my eyes", + "0.33 fluid ounce porcelain concealers", + "pacocelain concealers for dark circles under my eyes", + "1.33 fluid ounce porcelain concealers under my eyes.", + "porcelain concealers for the dark circles under my eyes.", + "pacocelain concealers for the dark circles under my eyes." + ], + "i am interested in red heavy duty bed frames for a queen sized bed.": [ + "red heavy duty bed frame", + "red heavy duty bed frames queen sized bed", + "red heavy duty bed frame queen sized bed", + "red heavy duty bed frames", + "red heavy duty bed frame for queen sized bed", + "red heavy duty bed frames for queen sized bed", + "red heavy duty bed frame, queen sized bed", + "red heavy duty bed frames queen sized bed.", + "red heavy duty bed frames, queen sized bed", + "red heavy duty bed frame queen sized bed." + ], + "i want some highly pigmented eye liner pencils that come in a variety of colors and are easy to apply.": [ + "pink pigmented eye liner pencils that are easy to apply.", + "pink pigmented eye liner pencils", + "pink pigmented eye liner pencils that are easy to apply", + "pink pigmented eye liner pencils easy to apply", + "highly pigmented eye liner pencils that are easy to apply.", + "pink pigmented eye liner pencils in a variety of colors", + "pink pigmented eye liner pencils, easy to apply", + "pigmented eye liner pencils that are easy to apply.", + "pink pigmented eye liner pencils easy to apply.", + "highly pigmented eye liner pencils that come in a variety of colors" + ], + "i want to find a navy colored non-slip rug that is oval shaped and 3 feet by 5 feet in size.": [ + "navy colored non-slip rug 3 feet by 5 feet in size", + "navy colored non-slip rug 3 feet by 5 feet", + "navy colored non-slip rug, 3 feet by 5 feet in size", + "navy colored non-slip rug that is oval shaped", + "navy colored non-slip rug 3 feet by 5 feet in size.", + "navy colored non-slip rug 2 feet by 5 feet in size", + "navy colored non-slip rug", + "navy colored non-slip rug three feet by 5 feet in size", + " navy colored non-slip rug 3 feet by 5 feet in size", + "navy colored rug 3 feet by 5 feet in size" + ], + "i need this shelf stable roast beef and mashed potatoes with gravy meal. it should go in the microwave.": [ + " shelf stable roast beef and mashed potatoes with gravy meal", + "shelf stable roast beef and mashed potatoes with gravy meal", + "stainless roast beef and mashed potatoes with gravy meal", + " shelf stable roast beef and mashed potatoes with gravy meal in the microwave", + "stretch stable roast beef and mashed potatoes with gravy meal", + " shelf stable roast beef and mashed potatoes with gravy meal under $40", + " shelf stable roast beef mashed potatoes with gravy meal", + " shelf stable roast beef and mashed potatoes with gravy meal under $50", + " shelf stable roast beef and mashed potatoes with gravy meal under $60", + " shelf stable roast beef and mashed potatoes with gravy meal under 30 dollars" + ], + "i want a blessliving red hearts plush blanket that is 50 x 60 inches.": [ + "pink plush blanket that is 50 x 60 inches", + "rainbow colored plush blanket that is 50 x 60 inches", + "pink plush blanket 50 x 60 inches", + " blessliving red hearts plush blanket 50 x 60 inches", + "rainbow colored plush blanket 50 x 60 inches", + " blessliving red hearts plush blanket that is 50 x 60", + "blessliving red hearts plush blanket", + " blessliving red hearts plush blanket", + "daring red hearts plush blanket that is 50 x 60", + " blessliving red hearts plush blanket 50 x 60" + ], + "i am looking for a black heavy duty steel framed electric standing desk that is height adjustable.": [ + "black heavy duty steel framed electric standing desk", + "black heavy duty steel framed electric standing desk height adjustable", + "black heavy duty steel framed electric standing desk with height adjustment", + "black heavy duty steel framed electric standing desk, height adjustable", + "black heavy duty steel framed electric standing desk with height adjustable", + "steel framed electric standing desk that is height adjustable", + "black heavy duty steel framed electric standing desk height adjustment", + "electric standing desk that is height adjustable", + "heavy duty steel framed electric standing desk", + "steel framed electric standing desk height adjustable" + ], + "a sunscreen spf 50 ,anti aging fine lines and wrinkles and protection from sun": [ + "a sunscreen spf 50 ,anti aging fine lines and wrinkles and protection from sun", + "a sunscreen spf 50,anti aging fine lines and wrinkles and protection from sun", + "sunscreen spf 50,anti aging fine lines and wrinkles and protection from sun", + "a sunscreen spf 50 with aging fine lines and wrinkles and protection from sun", + "sunscreen spf 50 ,anti aging fine lines and wrinkles and protection from sun", + "sunscreen spf 50 with aging fine lines and wrinkles and protection from sun", + "sneakers spf 50 with aging fine lines and wrinkles and protection from sun", + "sunscreen spf 50 with aging fine lines and wrinkles", + "a sunscreen spf 50 with aging fine lines and wrinkles", + "sunscreen spf 50" + ], + "i want plant based ginger ale zevia zero calorie soda.": [ + "plant based ginger ale zevia zero calorie soda", + "plant based ginger ale zevia zero calorie soda.", + "plant based ginger ale zevia zero calorie soda under $40", + "plant based ginger ale zevia zero calorie soda under $60", + "plant based ginger ale zevia zero calorie soda under $50", + "plant based ginger ale zevia zero calorie", + "plant based ginger ale zevia zero calorie soda flavor", + "plant based ginger ale zevia zero calorie soda under 50 dollars", + "plant based ginger ale zevia zero calorie soda under 30 dollars", + "plant based ginger ale zevia zero calorie soda below $40" + ], + "i need a black winter warm pair of boots that has arch support. pick a black on in size 8.": [ + "black winter warm pair of boots with arch support", + "black winter warm pair of boots that has arch support", + "black winter warm pair of boots", + "black winter warm pair of boots, arch support", + "black winter warm pair of boots that have arch support", + "black winter warm pair of boots size 8", + "black winter warm boots with arch support", + "black winter warm hiking boots with arch support", + "black winter warm hiking boots", + "black winter warm boots" + ], + "i need a long sleeved sleep set in a 4x-large in the color mt7308": [ + "long sleeved sleep set in a 4xl in the color mt7308", + "long sleeved sleep set in a 4xl color mt7308", + "4xl long sleeved sleep set in a 4xl color mt7308", + "long sleeved sleep set in a 4xl", + " long sleeved sleep set in a 4xl in the color mt7308", + "long sleeved sleep set in a 4xl in a color mt7308", + "4xl long sleeved sleep set in a 4xl", + "long sleeved sleep set in a 4xl with a color mt7308", + "long sleeved sleep set in a 4xl in the color mt7308,", + "long sleeved sleep set in a 4xl black" + ], + "i want a 12 pack ass kickin' habanero microwave popcorn bags gift set.": [ + "12 pack ass kickin habanero microwave popcorn bags gift set", + "12 pack kickin habanero microwave popcorn bags gift set", + "12 pack ass kickin habanero microwave popcorn bags", + "12 pack kickin habanero microwave popcorn bags gift set.", + "12 pack kickin habanero microwave popcorn bags", + "12 pack butt kickin habanero microwave popcorn bags gift set", + "12 pack of kickin habanero microwave popcorn bags gift set", + "12 pack of kickin habanero microwave popcorn bags", + "alarm kickin habanero microwave popcorn bags gift set", + "12 pack butt kickin habanero microwave popcorn bags" + ], + "i want an oxidized brass capital lighting 330311xb sedona industrial metal dome pendant light.": [ + " oxidized brass capital lighting 330311xb sedona industrial metal dome pendant light", + "indoxized brass capital lighting 330311xb sedona industrial metal dome pendant light", + "indolized brass capital lighting 330311xb sedona industrial metal dome pendant light", + "oxized brass capital lighting 330311xb sedona industrial metal dome pendant light", + "indoorized brass capital lighting 330311xb sedona industrial metal dome pendant light", + "indoored brass capital lighting 330311xb sedona industrial metal dome pendant light", + "italized brass capital lighting 330311xb sedona industrial metal dome pendant light", + "indoor brass capital lighting 330311xb sedona industrial metal dome pendant light", + " oxidized brass capital lighting 330311xb sedona industrial metal dome pendant light.", + "indoorized brass capital lighting 330311xb sedona industrial metal dome pendant light." + ], + "i want anti aging collagen cream for face.": [ + "anti aging collagen cream for face", + "anti aging collagen cream for face.", + "anti aging collagen cream for face ", + "anti aging collagen cream", + "anti aging collagen cream for face under $50", + "anti aging collagen cream for face under $40", + "anti aging collagen cream for face under $60", + "anti aging collagen cream for face under 50 dollars", + "ant aging collagen cream for face", + "anti aging collagen cream face" + ], + "let me see for a medium size by innoviera brand hoodies for women, long sleeve check for halloween pumpkin": [ + "medium size by innoviera brand hoodies for women", + "large size by innoviera brand hoodies for women", + "medium size by innoviera brand hoodies for women under $40", + "medium size by innoviera brand hoodies for women under $50", + "medium size by innoviera brand hoodies", + "large size by innoviera brand hoodies", + "small hoodies for women under $40", + "medium size hoodies for women under $40", + "medium size hoodies for women under $50", + "small hoodies for women" + ], + "i would like a pair of brown size 7 shoes with a rubber sole.": [ + "brown size 7 shoes with a rubber sole", + "pair of brown size 7 shoes", + "brown size 7 shoes", + "brown shoes with a rubber sole", + "brown size 7 shoes, rubber sole", + "shoes with a rubber sole", + "brown size 7 shoes rubber sole", + "a pair of brown size 7 shoes", + "pair of brown shoes", + "brown shoes" + ], + "i need some hair drying towels that have a grid lines pattern for drying hair.": [ + "hair drying towels with grid lines pattern", + "hair drying towels that have a grid lines pattern", + "hair drying towels grid lines pattern for drying hair", + "hair drying towels grid lines pattern", + "hair drying towels with grid lines pattern drying hair", + "hair drying towels with a grid lines pattern", + "hair drying towels with grid lines", + "hair drying towels", + "hair drying towels grid lines", + "hair drying towels pattern" + ], + "i am looking for a framed hand painted abstract oil painting to hang in my living room.": [ + "hand painted abstract oil painting for living room", + "hand painted abstract oil painting", + "hand painted abstract oil painting living room", + "mon framed hand painted abstract oil painting", + "large framed hand painted abstract oil painting", + "hand painted abstract oil painting in my living room", + "monumental oil painting living room", + "mon framed hand painted abstract oil painting living room", + "monumental oil painting", + "hand painted oil painting" + ], + "i want to buy some meat stick snacks in spicy jalapeno venison flavor. it needs to be a 1 oz six pack.": [ + "meat stick snacks in spicy jalapeno venison flavor", + "meat stick snacks in spicy jalapeno venison flavor, 1 oz six pack", + "meat stick snacks in spicy jalapeno venison flavor 1 oz six pack", + "meat stick snacks in spicy jalapeno venison flavor in a 1 oz six pack", + "meat stick snacks in spicy jalapeno venison flavor, a 1 oz six pack", + "pack of meat stick snacks in spicy jalapeno venison flavor", + "vegan barbecue stick snacks in spicy jalapeno venison flavor", + "vegan meat stick snacks in spicy jalapeno venison flavor", + "Meat stick snacks in spicy jalapeno venison flavor", + "meat stick snacks in spicy jalapeno venison flavor, 1 oz six pack," + ], + "i want a high power bluetooth speakers with quality bass. pick a pink one.": [ + "high power bluetooth speakers with quality bass", + "pink bluetooth speakers with quality bass", + "high power bluetooth speakers with quality bass pink", + "pink bluetooth speakers", + "high power bluetooth speakers", + "low power bluetooth speakers with quality bass", + "pink bluetooth speakers that are high power", + " bluetooth speakers with quality bass", + "blue bluetooth speakers with quality bass", + " bluetooth speakers with quality bass pink" + ], + "i am looking for a holiday cocoa mug which can be a perfect gift for valentines day.": [ + "holiday cocoa mug for valentines day", + "holiday cocoa mug, perfect for valentines day", + "holiday cocoa mug", + "holiday cocoa mug that is perfect for valentines day", + "holiday cocoa mug, perfect for valentines day.", + "holiday cocoa mug that is perfect for valentines day.", + "alarm cocoa mug for valentines day", + "holiday cocoa mug, a perfect gift for valentines day", + "holiday cocoa mug, perfect gift for valentines day", + "holiday cocoa mug for valentines day." + ], + "i need a 2 pack of smartmouth activated mouthwash for bad breath.": [ + "2 pack of smartmouth activated mouthwash", + "smartmouth activated mouthwash 2 pack", + "2 pack smartmouth activated mouthwash", + "two pack of smartmouth activated mouthwash", + "smartmouth activated mouthwash for bad breath", + "smartmouth activated mouthwash", + "1 pack of smartmouth activated mouthwash", + "3 pack of smartmouth activated mouthwash", + "two pack smartmouth activated mouthwash", + "2 pack of smart mouthwash" + ], + "i want a high definition 3d video projector.": [ + "high definition 3d video projector", + "3d video projector", + "high definition 3d video projector.", + "3d video projector high definition", + "medium definition 3d video projector", + "3d video projector, high definition", + "tv projector that is high definition", + "low definition 3d video projector", + "tv projector high definition", + "3d video projector under $60" + ], + "i want a large hoefirm women's v neck elegant velvet wrap long sleeve.": [ + "large hoefirm womens v neck elegant velvet wrap long sleeve", + "large hoefirm womens v neck elegant velvet wrap long sleeve shirt", + "large hoefirm womens v neck elegant velvet wrap long sleeve rug", + "large hoefirm womens v neck elegant velvet wrap long sleeve dress", + "large hoefirm womens v neck elegant velvet wrap long sleeve shoe", + "large hoefirm womens v neck elegant velvet wrap long sleeves", + "large hoefirm womens v neck", + "large hoefirm womens v neck long sleeve shirt", + "large hoefirm womens v neck elegant velvet wrap", + "womens v neck elegant velvet wrap long sleeve" + ], + "i want large machine washable belaroi plus size tops for women.": [ + "large machine washable belaroi plus size tops for women", + "large machine washable belaroi plus size tops", + "medium machine washable belaroi plus size tops for women", + "small machine washable belaroi plus size tops for women", + "large machine washable belaroi plus size tops women", + "large machine washable belaroi plus size tops, women", + "large machine washable belaroi plus size", + "machine washable belaroi plus size tops for women", + "bagelaroi plus size tops for women", + "bagelaroi plus size tops" + ], + "i want a black and high quality cenglings womens cowl neck sweatshirt.": [ + "black cenglings womens cowl neck sweatshirt", + "cenglings womens cowl neck sweatshirt", + "cenglings womens cowl neck sweatshirt black", + "black cenglings womens cowl neck sweatshirt.", + "black womens cowl neck sweatshirt", + "cenglings womens cowl neck sweatshirt.", + "cenglings womens cowl neck sweatshirt, black", + "womens cowl neck sweatshirt", + "womens cowl neck sweatshirt black", + "black cotton cowl neck sweatshirt" + ], + "i am looking for a gray shirt that is xx-large and has a slim fit.": [ + "xx-large gray shirt slim fit", + "xx-large gray shirt with slim fit", + "xxl gray shirt with slim fit", + "xxl gray shirt slim fit", + "gray shirt xx-large slim fit", + "xxl gray shirt with a slim fit", + "xxl gray shirt", + " xx-large gray shirt slim fit", + "xx-large gray shirt", + "womens gray shirt xx-large" + ], + "i am looking for a carrying case for my canon.": [ + "carry case for my canon.", + "carry case for my canon", + "a carrying case for my canon.", + "portrait carrying case for my canon", + "carry case for a canon", + "clothing case for my canon", + "carry case for a canon.", + "clothing case for my canon.", + "pocket case for my canon.", + "carriage case for my canon" + ], + "i would like some hands free earbud handphones.": [ + "hand free earbud handphones", + "handfree earbud handphones", + "hand free earbud handphones.", + "hands free earbud handphones", + "hand-free earbud handphones", + "hand free earbud handphone", + "hand free earbud handphones,", + "handphones that are hands free", + "handphone free earbud handphones", + "handfree earbud handphones." + ], + "i am looking for dining room chandelier lighting with a polished nickel finish.": [ + "dining room chandelier lighting with a polished nickel finish", + " dining room chandelier lighting with a polished nickel finish", + "living room chandelier lighting with a polished nickel finish", + "dining room chandelier lighting polished nickel finish", + "al dining room chandelier lighting with a polished nickel finish", + "dining room chandelier lighting", + "dining room chandelier lighting with polished nickel finish", + "dining room chandelier lighting, polished nickel finish", + "dining room chandelier lighting that is polished nickel finish", + " dining room chandelier lighting with a polished nickel finish." + ], + "i am looking for along lasting carrying case for a speaker that comes in size 4.": [ + "pack lasting carrying case for a speaker that comes in size 4", + "large lasting carrying case for a speaker that comes in size 4", + "packaging case for a speaker that comes in size 4", + "packaging case for a speaker that comes in size 4.", + "packaging carrying case for a speaker that comes in size 4", + "bagging case for a speaker that comes in size 4", + "packaged carrying case for a speaker that comes in size 4", + "bottle case for a speaker that comes in size 4", + "packaging case for a speaker in size 4", + "packaging case for a speaker size 4" + ], + "i would like a samsung galaxy note 20 that is fast charging and green": [ + "samsung galaxy note 20 that is fast charging and green", + "samsung galaxy note 20", + "samsung galaxy note 20 with fast charging", + "samsung galaxy note 20 with fast charging and green", + "samsung galaxy note 20 fast charging and green", + "samsung galaxy note 20, fast charging and green", + "samsung galaxy note 20 fast charging", + " samsung galaxy note 20 that is fast charging and green", + "samsung galaxy note 20 samsung fast charging and green", + " samsung galaxy note 20" + ], + "i need to buy a pack of shower brushes with long handles.": [ + "pack of shower brushes long handles", + "shower brushes with long handles", + "bathroom brushes with long handles", + "shower brushes long handles", + "pack of shower brushes long handle", + "pack of shower brushes", + "shower brushes with long handle", + "shroom brushes with long handles", + "shower brushes long handle", + "shower brush with long handles" + ], + "i am looking for a white colored and high gloss tv stand for a 60 inch flat screen tv.": [ + "white high gloss tv stand", + "white colored high gloss tv stand", + "white colored and high gloss tv stand", + "white high gloss tv stand 60 inch", + "tv stand for a 60 inch flat screen tv", + "white high gloss tv stand that is 60 inches", + "white high gloss tv stand, 60 inch", + "tv stand white high gloss", + "white colored tv stand", + "white tv stand" + ], + "i would like to buy a 25\" h tv stand that has a sturdy steel frame and is light rustic oak in color.": [ + "25 h tv stand that has a sturdy steel frame", + "25 h tv stand with a sturdy steel frame", + "25 h tv stand with a sturdy steel frame in light rustic oak", + "25 h tv stand with a sturdy steel frame, light rustic oak", + "25 h tv stand that is light rustic oak", + "25 h tv stand, light rustic oak", + "25 h tv stand light rustic oak", + "25 h tv stand with sturdy steel frame", + "25 h tv stand heavy rustic oak", + "25 h tv stand" + ], + "i want navy haenpisy mens sweat pants for gym workouts.": [ + "navy haenpisy mens sweat pants for gym workouts", + "navy haenpisy mens sweat pants for workouts", + "navy haenpisy mens sweat pants", + " navy haenpisy mens sweat pants for gym workouts", + "navy haenpisy mens sweat pants for workout workouts", + "navy haenpisy mens sweat pants workout workouts", + "navy haenpisy mens sweat pants workout", + "navy haenpisy mens sweat pants, gym workouts", + "navy haenpisy mens sweat pants workouts", + "navy haenpisy mens sweat pants gym workouts" + ], + "i need an easy to install shower caddy tension pole.": [ + "easy to install shower caddy tension pole", + "easy to install shower caddy tension pole.", + "easy to install shower caddy tension pole under $40", + "easy to install shower caddy tension pole under $50", + "easy to install shower caddy tension pole under $60", + "easy to install shower caddy tension pole under 50 dollars", + "easy to install shower caddy tension pole under $130", + "easy to install shower caddy tension pole under $120", + "easy to install shower caddy tension pole below $40", + "easy to install shower caddy tension pole," + ], + "i would like a blue medium sized light weight tank top.": [ + "blue medium sized light weight tank top", + "blue medium sized light weight tank", + "blue medium size light weight tank top", + "blue medium weight tank top", + "bluemedium sized light weight tank top", + "blue medium sized tank top", + "blue medium sized heavy weight tank top", + "blue medium size light weight tank", + "blue light weight tank top", + "blue medium weight tank top." + ], + "i am looking 1 pack of low carb soy free gmo free keto friendly peppermint swirl flavor meal replacement drinks": [ + "low carb soy free gmo free keto friendly peppermint swirl flavor meal replacement drinks", + "1 pack of keto friendly peppermint swirl flavor meal replacement drinks", + "1 pack of keto friendly peppermint swirl flavor meal replacement drinks", + "low carb soy free gmo free keto friendly gmo swirl flavor meal replacement drinks", + "1 pack keto friendly peppermint swirl flavor meal replacement drinks", + "keto friendly peppermint swirl flavor meal replacement drinks", + "1 pack of low carb soy free gmo free keto friendly flavor meal replacement drinks", + "1 pack of low carb soy free gmo free keto friendly", + "low carb soy free gmo free keto friendly peppermint swirl flavor meal replacement drink", + "1 pack keto friendly peppermint swirl flavor meal replacement drink" + ], + "i am looking for a gluten free, non gmo granola loaf, about 2.5 pounds made by bakery on main. prefer either cranberry almond maple or cranberry cashew. most likely in the grocery/gourmet foods aisle.": [ + "gluten free, non gmo granola loaf", + "gluten free gmo granola loaf", + "gluten free gluten free, non gmo granola loaf", + "gluten free, non gmo granola loaf under $40", + "gluten free, non gmo granola loaf under $60", + "gluten free, non gmo granola loaf under 40 dollars", + "gluten free, gmo granola loaf", + "gluten free, non gmo granola loaf 2.5 pounds", + "gluten free non gmo granola loaf", + "gmo granola loaf" + ], + "i want a pink bpa free ice roller for face and eye.": [ + "pink bpa free ice roller for face and eye", + "pink bpa free ice roller for face and eye.", + "pink bpa free ice roller", + "pink bpa free ice roller for face and eye,", + "pink bpa free ice roller face and eye", + "pink bpa free ice roller, face and eye", + "pink bpa free ice roller with face and eye", + "pink bpa free ice roller for face and eye ", + "pink bpa free ice roller, face and eye,", + "pink bpa free ice roller under $40" + ], + "i need a red patio set that has a steel frame.": [ + "red patio set that has a steel frame", + "red patio set with a steel frame", + "red patio set with steel frame", + "red patio set", + "red patio set with a steel frame.", + "green patio set that has a steel frame", + "red patio set, steel frame", + "pink patio set with a steel frame", + "green patio set with a steel frame", + "red patio set steel frame" + ], + "i want to find 18 decorated shortbread cookies that have been individually wrapped and placed in a gift basket.": [ + "18 decorated shortbread cookies", + "18 decorated shortbread cookies under $50", + "18 decorated shortbread cookies in a gift basket", + "18 decorated shortbread cookies under $60", + "18 decorated shortbread cookies under 50 dollars", + "18 decorated shortbread cookies under 120 dollars", + "18 decorated shortbread cookies that have been individually wrapped", + "18 decorated shortbread cookies in a gift basket.", + "18 decorated shortbread cookies, individually wrapped,", + "12 decorated shortbread cookies" + ], + "i want to find a 1-pound box of gluten free muffin mix, and it should come in a pack of three.": [ + "1-pound box of gluten free muffin mix pack of three", + "1-pound box of gluten free muffin mix", + "gluten free muffin mix pack of three pack", + "1 pound box of gluten free muffin mix pack of three", + "gluten free muffin mix pack of three pack of 3", + "gluten free muffin mix pack of three", + "1 pound box of gluten free muffin mix, pack of three", + "1-pound box of gluten free muffin mix pack of 3", + "1 pound box of gluten free muffin mix pack of three pack", + "gluten free muffin mix pack of 3 pack" + ], + "i want some rice crispy treat made with simple ingredients. i want the kind that are individually wrapped": [ + "rainy crispy treat made with simple ingredients", + "rainbow dried rice crispy treat made with simple ingredients", + "roasted crispy treat made with simple ingredients", + "rainbow dried rice crispy treat", + "rainbow dried rice crispy treat that are individually wrapped", + "rice crispy treat made with simple ingredients", + "rainbow cream treat made with simple ingredients", + "rainbow crispy treat made with simple ingredients", + "rainbow dried rice crispy treat individually wrapped", + "rainbow mix rice crispy treat" + ], + "i am interested in a rose gold compact mirror.": [ + "rose gold compact mirror", + "rose gold compact mirror.", + "rose gold compact mirror that is easy to buy", + "rose gold compact mirror under $50", + "rose gold compact mirror under $40", + "rose gold compact mirror,", + "rose gold compact mirror that is easy to use", + "rose gold compact mirror, less then $40", + "rose gold compact mirror under $60", + "rose gold compact mirror under 30 dollars" + ], + "look for a sampler of spicy masala black chai tea that has natural flavors and ingredients.": [ + "sashpler of spicy masala black chai tea", + "sampler of spicy masala black chai tea", + "shampler of spicy masala black chai tea", + "slimpler of spicy masala black chai tea", + "sugar masala black chai tea", + "sings of spicy masala black chai tea", + "sneakers of spicy masala black chai tea", + "sugar masala black chai tea sampler", + "slimming of spicy masala black chai tea", + "sashpler of spicy masala black chai tea with natural flavors" + ], + "miss jones baking organic buttercream frosting is my favorite ! please i want dairy free, soy free and pack of 2 with great value.": [ + "miss jones baking organic buttercream frosting", + "miss jones baking organic buttercream frosting that is dairy free and pack of 2", + "miss jones baking organic buttercream frosting, soy free and pack of 2", + "miss jones baking organic buttercream frosting with great value", + "miss jones baking organic buttercream frosting dairy free and pack of 2", + "miss jones baking organic buttercream frosting dairy free", + "gluten free organic buttercream frosting", + "magnified buttercream frosting", + "organic buttercream frosting", + "natural buttercream frosting" + ], + "i want rainbow white non slip ciadoon mushroom shoes.": [ + "rainbow white non slip ciadoon mushroom shoes", + "plastic white non slip ciadoon mushroom shoes", + "rainbow white non slip ciadoon mushroom shoe", + "bowling white non slip ciadoon mushroom shoes", + "rainbow white non slip ciadoon mushrooms shoes", + "rainbow white ciadoon mushroom shoes", + "non slip ciadoon mushroom shoes", + "non slip ciadoon mushroom shoes rainbow white", + "rainbow white hiking shoes", + "rainbow white walking shoes" + ], + "i would like 100 grams of non gmo peppercorns.": [ + "non gmo peppercorns 100 grams", + "non gmo peppercorns", + "100 grams of non gmo peppercorns", + "non gmo peppercorns, 100 grams", + "non-gmo peppercorns 100 grams", + "non gmo peppercorns under $40", + "100 grams non gmo peppercorns", + "gluten-free peppercorns 100 grams", + "non gmo peppercorns under 50 dollars", + "non gmo peppercorns under $50" + ], + "i am looking for a clear portable makeup bag that is easy to clean.": [ + "clear portable makeup bag", + "easy clean portable makeup bag", + "clear portable makeup bag, easy to clean", + "easy to clean portable makeup bag", + "beauty bag that is easy to clean", + "clearing portable makeup bag", + "cleaning portable makeup bag", + "clean portable makeup bag", + "clear portable makeup bag under $40", + "clear portable makeup bag under $50" + ], + "i need brown ballet shoes that have a synthetic sole and are size 5.5 for women": [ + "brown ballet shoes size 5.5 for women", + "brown ballet shoes size 5.5", + "brown ballet shoes 5.5 for women", + "brown ballet shoes in a size 5.5 for women", + "brown ballet shoes that are size 5.5 for women", + "brown ballet shoes that have a synthetic sole", + "brown ballet shoes, size 5.5 for women", + "brown ballet shoes size 5.5 women", + "brown ballet shoes 5.5", + "brown ballet shoes in a synthetic sole size 5.5" + ], + "i would like a pair of size six fossil boots that are machine washable.": [ + "size six fossil boots that are machine washable", + "size 6 fossil boots that are machine washable", + "size six fossil boots", + "pair of size six fossil boots", + "size six fossil boots, machine washable", + "two size six fossil boots that are machine washable", + "size six fossil boots that are machine washable.", + "pair of size six fossil boots, machine washable", + "size 6 fossil boots", + "pair of size 6 fossil boots" + ], + "i am looking for an easy to install brushed nickel 4 light sconce for the bathroom.": [ + "brushed nickel 4 light sconce for the bathroom", + "easy to install brushed nickel 4 light sconce", + "brushed nickel 4 light sconce for bathroom", + "brushed nickel 4 light sconce", + "easy to install brushed nickel 4 light sconce bathroom", + "easy to install brushed nickel 4 light sconce for bathroom", + "brushed nickel 4 light sconce bathroom", + "brushed nickel 4 light sconce for the bathroom.", + "brushed nickel 4 light sconce in the bathroom", + "brushed nickel 4 light sconce in a bathroom" + ], + "i want to buy an eco-friendly soy wax candle.": [ + "eco-friendly soy wax candle", + "eco-friendly soy wax candle.", + "eco-friendly soy wax candle under $40", + "eco-friendly soy wax candle under $50", + "eco-friendly soy wax candle under $60", + "eco-friendly soy wax candle eco-friendly", + "eco-friendly soy wax candle under 50 dollars", + "eco-friendly soy wax candle below $40", + "eco-friendly soy wax candle below $50", + "eco-friendly soy wax candle," + ], + "i want to find an office chair featuring white faux leather, a rose gold frame, and great lumbar support.": [ + "white faux leather office chair with lumbar support", + "office chair white faux leather with lumbar support", + "white faux leather office chair with a rose gold frame", + "office chair white faux leather with a rose gold frame", + "white faux leather office chair", + "office chair white faux leather lumbar support", + "office chair white faux leather", + "white faux leather office chair with rose gold frame", + "office chair white faux leather, rose gold frame", + "office chair with white faux leather, rose gold frame" + ], + "i would like a black 8 x wide construction shoe that has a rubber sole.": [ + "black 8 x wide construction shoe with a rubber sole", + "black 8 x wide construction shoe", + "black 8 x wide construction shoe with rubber sole", + "black 8 x wide construction shoe, rubber sole", + "8 x wide construction shoe with a rubber sole", + "8 x wide construction shoe that has a rubber sole", + "black 8 x wide construction shoe rubber sole", + "8 x wide construction shoe with rubber sole", + "black 8 x wide construction shoe, rubber sole,", + "black 8 x wide construction shoe under $50" + ], + "i would like a pair of gold 30w x 34l pants that i can machine wash.": [ + "pair of gold 30w x 34l pants", + "gold 30w x 34l pants", + "gold 30w x 34l pants machine wash", + "pair of gold 30w x 34l pants machine wash", + "womens gold 30w x 34l pants", + "gold 30w x 34l pants, machine wash", + "gold 30w x 34l pants under $40", + "two gold 30w x 34l pants", + "20w x 34l pants", + "28w x 34l pants" + ], + "i want a q color long lasting lipstick made with natural ingredients.": [ + "long lasting lipstick made with natural ingredients", + "q color long lasting lipstick with natural ingredients", + "long lasting lipstick made with natural ingredients.", + "klip color long lasting", + "q color long lasting lipstick", + "long lasting lipstick made from natural ingredients", + "klip color long lasting lipstick natural", + "long lasting lipstick with natural ingredients", + "long lasting lipstick made with natural ingredients,", + "q lipstick long lasting" + ], + "i need a seventeen ounce sprayer bottle with a fine mist. i want a black one.": [ + "17 ounce sprayer bottle with a fine mist", + "17 ounce sprayer bottle with a fine mist, black", + "17 ounce sprayer bottle with fine mist", + "teen ounce sprayer bottle with a fine mist", + "17 ounce sprayer bottle with a fine mist in black", + "17 ounce sprayer bottle with a fine mist black", + "teen ounce sprayer bottle with a fine mist, black", + "16 ounce sprayer bottle with a fine mist", + "teen ounce sprayer bottle with fine mist", + "17 ounce sprayer bottle" + ], + "i need closed toe flats that are blue in a 7 wide.": [ + "blue closed toe flats 7 wide", + "blue closed toe flats", + "blue closed toe flats in a 7 wide", + "blue closed toe flats, 7 wide", + "blue closed toe flats that are 7 wide", + "blue closed toe flats that are blue", + "blue 7 wide closed toe flats", + "blue closed toe flats 8 wide", + "blue closed toe flats, 7 wide,", + "closed toe flats that are blue" + ], + "find me this old fashioned maraschino cherry cocktail syrup. pick a 12.7 fluid oz one.": [ + "old fashioned maraschino cherry cocktail syrup 12.7 fluid oz", + "old fashioned maraschino cherry cocktail syrup 12.7 oz", + "old fashioned maraschino cherry cocktail syrup 12.7oz", + "old fashioned maraschino cherry cocktail syrup 12.7oz one", + "old fashioned maraschino cherry cocktail syrup 12.7 oz one", + "old fashioned maraschino cherry cocktail syrup 12 oz", + "old fashioned maraschino cherry cocktail syrup", + "old fashioned maraschino cherry cocktail syrup, 12.7 oz", + "old fashioned maraschino cherry cocktail syrup 12 oz one", + "old fashioned maraschino cherry cocktail syrup 12oz" + ], + "i am looking for a fluoride free toothpaste with clinically proven. also choose 3.75 ounce in size": [ + "fluoride free toothpaste 3.75 ounce in size", + "fluoride free toothpaste 3.75 ounce", + "fluoride free toothpaste 3.75 oz in size", + "fluoride free toothpaste 2.75 ounce in size", + "fluoride free toothpaste 3.75 ounce size", + "fluoride free toothpaste with clinically proven", + "fluoride free toothpaste 3.75 oz", + "fluoride free toothpaste three.75 ounce in size", + "fluoride free toothpaste that is clinically proven", + "fluoride free toothpaste" + ], + "i need a hair silicone fiber powder applicator for hair loss, with a pump nozzle.": [ + "hair silicone fiber powder applicator for hair loss with a pump nozzle", + "hair silicone fiber powder applicator for hair loss, with a pump nozzle", + "hair silicone fiber powder applicator for hair loss with a pump nozzle.", + "hair silicone fiber powder applicator for hair loss", + "shoes silicone fiber powder applicator for hair loss with a pump nozzle", + "honey silicone fiber powder applicator for hair loss with a pump nozzle", + "human hair silicone fiber powder applicator for hair loss with a pump nozzle", + "silicone fiber powder applicator for hair loss with a pump nozzle", + "hair silicone fiber powder applicator for hair loss with pump nozzle", + "hair silicone fiber powder applicator for hair loss with a pump nozzle," + ], + "i want to find a 3-pack of gluten free hot dog buns.": [ + "gluten free hot dog buns", + "gluten free hot dog buns 3 pack", + "3-pack gluten free hot dog buns", + "gluten free hot dog buns 3pack", + "gluten free hot dog buns.", + "3 pack of gluten free hot dog buns", + "gluten free hot dog buns 3 packs", + "3 gluten free hot dog buns", + "hot dog buns gluten free", + "gluten free hot dog bun" + ], + "get me a long handled pink exfoliating brush.": [ + "pink exfoliating brush", + "long handled pink exfoliating brush", + "pink exfoliating brush, long handled", + "pink exfoliating brush.", + "long handled pink exfoliating brush.", + "pink exfoliating brush under $40", + "pink exfoliating brush under $50", + "pink exfoliating brush under $60", + "pink exfoliating brush long handled", + "pink exfoliating brush under 50 dollars" + ], + "i want a sulfate and paraben free repairing hair oil with the coconut monoi scent.": [ + "sulfate and paraben free repairing hair oil", + "sulfate and paraben free repairing hair oil with coconut monoi scent", + "sulfate and paraben free repairing hair oil coconut monoi scent", + "sulfate and paraben free repairing hair oil, coconut monoi scent", + "sulfate paraben free repairing hair oil with the coconut monoi scent", + "sulfate and paraben free repairing hair oil with the coconut monoi", + "sulfate and paraben free repairing hair oil under $40", + "sulfate and paraben free repairing hair oil with coconut monoi", + "synthetic hair oil with coconut monoi scent", + "shampoo and paraben free" + ], + "i am looking for casual pants that are machine washable in the color loden and are size 48w by 32 l.": [ + "casual pants 48w by 32 l", + "curtains 48w by 32 l", + "casual pants size 48w by 32 l", + "casual pants, 48w by 32 l", + "clothing 48w by 32 l", + "casual pants 48w by 32 l under $50", + "casual pants 48w by 32 l under $40", + "casual pants in the color loden", + "casual pants 48w by 32 l under $60", + "professional pants 48w by 32 l" + ], + "i want a walr, vr bluetooth remote controller and virtual reality googles with included batteries.": [ + "womens walr virtual reality googles with included batteries", + "womens walr, vr bluetooth remote controller", + "womens walr bluetooth remote controller with batteries", + "womens walr, vr bluetooth remote controller with batteries", + "womens walr, vr bluetooth remote controller with included batteries", + "womens walr with a virtual reality googles with included batteries", + "womens virtual reality googles with included batteries", + "womens walr bluetooth remote controller", + "womens walr bluetooth remote controller and virtual reality googles", + "womens walr with included batteries" + ], + "i would like to have a youth extra small red t shirt that is made of heather cotton.": [ + "youth red t-shirt heather cotton", + "youth red t-shirt made of heather cotton", + "youth red t-shirt made from heather cotton", + "youth red t-shirt heather cotton extra-small", + "youth red t-shirt heather cotton extra small", + "youth red t-shirt heather cotton under $40", + "youth red t-shirt heather cotton under $50", + "youth red t-shirt heather cotton under $60", + "youth red t-shirt heather cotton under 30 dollars", + "youth red t-shirt heather cotton below $50" + ], + "i want open toe gibobby sandals for women in size 8.": [ + "open toe gibobby sandals for women size 8", + "open toe gibobby sandals size 8", + "open toe gibobby sandals", + "open toe gibobby sandals for women", + "open toe gibobby sandals in size 8", + "open toe gibobby sandals women size 8", + "open toe gibobby sandals size 8.5", + "open toe gibobby sandals woman size 8", + "open toe gibobby sandals size 8.", + "open toe gibobby sandals in size 8." + ], + "i'm looking for a nut free kosher certified dried fruits basket to be given as a gift.": [ + "nut free kosher certified dried fruits basket", + "clinically certified dried fruits basket", + "nosher free kosher certified dried fruits basket", + "natierra certified dried fruits basket", + "nosher free dried fruits basket", + "Nut free kosher certified dried fruits basket", + "nut free kosher certified dried fruits basket,", + "natierra dried fruits basket", + "shoes nut free", + "natural fruits basket" + ], + "i want a loose fitting black pullover that is in a large.": [ + "large black pullover", + "large black pullover that is in a large", + "lose fitting black pullover in a large", + "loose fitting black pullover in a large", + "lens fitting black pullover in a large", + "loose fitting black pullover", + "large loose fitting black pullover", + "pocket fitting black pullover in a large", + "lose fitting black pullover", + "large black pullover in a large" + ], + "i want to find liquid foundation makeup in the classic ivory color. it needs to last for a long time and ideally, i can get a 3-pack of containers with a single fluid ounce.": [ + "levis foundation makeup in the classic ivory color", + "levis foundation makeup in a classic ivory color", + "liquid foundation makeup in the classic ivory color", + "3-pack of liquid foundation makeup in the classic ivory color", + "6-pack of liquid foundation makeup in the classic ivory color", + "levis foundation makeup in classic ivory color", + "classic ivory foundation makeup 3-pack of containers", + "classic ivory foundation makeup", + "classic ivory foundation makeup in a long time", + "classic ivory liquid foundation makeup" + ], + "i am looking for some x-large leggings that are moisture wicking and the color #25.": [ + "x-large leggings in the color #25", + "x-large leggings with moisture wicking color #25", + "x-large leggings with moisture wicking in the color #25", + "xxl leggings that are moisture wicking and the color #25", + "x-large leggings in moisture wicking color #25", + "x-large leggings with moisture wicking in color #25", + "xxl leggings that are moisture wicking in the color #25", + "xxl leggings with moisture wicking color #25", + "xxl leggings in the color #25", + "x-large leggings that are moisture wicking in color #25" + ], + "i need some high waisted yoga shorts that are gray and in a xx-large.": [ + "high waisted yoga shorts gray xx-large", + "gray yoga shorts xx-large", + "yoga shorts gray xx-large", + "womens yoga shorts gray xx-large", + "low waisted yoga shorts gray xx-large", + "knee yoga shorts gray xx-large", + "high waisted yoga shorts gray x-large", + "walking shorts gray xx-large", + "gray yoga shorts x-large", + "high waisted yoga shorts that are gray" + ], + "i need 3 tongue cleaners for bad breath.": [ + "3 tongue cleaners for bad breath", + "3 tongue cleaners for bad breath.", + "3 tongue cleaners for bad breath under $40", + "3 tongue cleaners for bad breath under $50", + "3 tongue cleaners for bad breath under $60", + "3 tongue cleaners", + "i need 3 tongue cleaners for bad breath.", + "3 tongue cleaners for bad breath,", + "3 tongue cleaners that are bad breath", + "3 tongue cleaners, bad breath" + ], + "i need a bag for a tongue cleaner for bad breath": [ + "bag for a tongue cleaner for bad breath", + "bag for a tongue cleaner bad breath", + "bag for a tongue cleaner", + "bag for a tongue cleaner with bad breath", + "bag of a tongue cleaner for bad breath", + "bag for a tongue cleaner, bad breath", + "bag for tongue cleaner for bad breath", + "bag of tongue cleaner for bad breath", + "bag for a tongue cleaner to bad breath", + "bag for a tongue cleaner under $40" + ], + "i need a living room throw that is smoke colored.": [ + "living room throw that is smoke colored", + "living room throw, smoke colored", + "living room throw smoke colored", + "living room throw", + "living room throw with smoke colored", + "living room throw is smoke colored", + "living room throw, smoke colored,", + "living room throw in smoke colored", + "living room throw of smoke colored", + "living room throw smoke colored" + ], + "i would like a high performance tablet.": [ + "high performance tablet", + "high performance tablet.", + "high performance tablet under $130", + "high performance tablet under $120", + "high performance tablet that is high performance", + "high performance tablet under $60", + "high performance tablet under $50", + "high performance tablet under $40", + "high performance tablet with high performance", + "tablet high performance" + ], + "get me an extra extra large mint green g-string. make sure it's machine washable.": [ + "extra large mint green g-string", + "extra large mint green gstring", + "extra large mint green g-string under $40", + "extra large mint green g-string under $50", + "extra large mint green g-string under $60", + "extra large mint green g-string machine washable", + "extra large mint green g-string under 50 dollars", + "extra large mint green gstring, machine washable", + "extra-large mint green g-string", + "extra large mint green g-string." + ], + "please get me a three pack of jelly with natural ingredients.": [ + "three pack of jelly with natural ingredients", + "three pack of jelly", + "three pack of jelly natural ingredients", + "three pack of jelly natural", + "three pack of jelly natural no sugar", + "natural jelly three pack", + "three pack of natural ingredients", + "3 pack of jelly with natural ingredients", + "three pack of jelly, natural ingredients", + "two pack of jelly with natural ingredients" + ], + "i want to find a white and pink case for my apple watch. it needs to be 40 millimeters long and be compatible with the series 6.": [ + "white and pink apple watch case", + "white and pink case for apple watch", + "white and pink case for my apple watch", + "white and pink apple watch case 40 millimeters long", + "white and pink case for an apple watch", + "white apple watch case 40 millimeters long", + "white and pink apple watch case under 40 dollars", + "white apple watch case", + "white and pink case", + "white and pink watch case" + ], + "i need long lasting and wireless charging buds live in mystic black color which also supports active noise cancelling.": [ + "long lasting wireless charging buds with active noise cancelling", + "long lasting wireless charging buds in mystic black", + "long lasting wireless charging buds in mystic black color", + "long lasting wireless charging buds", + "long lasting and wireless charging buds in mystic black color", + "long lasting and wireless charging buds in mystic black", + "long lasting and wireless charging buds", + "long lasting wireless charging buds mystic black", + "long lasting wireless charging buds, mystic black color", + "long lasting wireless charging buds, mystic black" + ], + "i am looking for a pair of blue women's faux fur slippers.": [ + "blue womens faux fur slippers", + "blue womens faux fur slippers.", + "blue mens faux fur slippers", + "blue womens faux fur slippers,", + "womens faux fur slippers", + "blue faux fur slippers", + "faux fur slippers blue", + "blue woman faux fur slippers", + "faux fur slippers", + "blue human fur slippers" + ], + "i want a brown and cruelty free moira lip exposure pencil.": [ + "brown and cruelty free moira lip exposure pencil", + "moira lip exposure pencil brown", + "moira lip exposure pencil", + "moira lip exposure pencil brown and cruelty free", + " brown and cruelty free moira lip exposure pencil", + "moira lip exposure pencil brown, cruelty free", + "moira lip exposure pencil that is brown", + "moira lip exposure pencil, brown", + "moira lip exposure pencil brown cruelty free", + "brown cruelty free moira lip exposure pencil" + ], + "i would like a pink shoe with a high heel for my size 8 foot.": [ + "pink shoe with a high heel", + "pink shoe with high heel size 8 foot", + "pink shoe size 8 foot", + "pink shoe with a high heel size 8", + "pink shoe", + "pink shoe with high heel", + "pink shoe size 8", + "pink shoe 8 foot", + "pink shoe, high heel", + "size 8 pink shoe" + ], + "i am interested in a remote control that has batteries included": [ + "remote control with batteries", + "remote control that has batteries", + "remote control no batteries", + "remote control", + "remote control remote control", + "remote control system with batteries", + "remote control, with batteries", + "remote control remote with batteries", + "remote control for remote control", + "remote control remote" + ], + "i want a gold plated and braided 4k hdmi cable.": [ + "gold plated and braided 4k hdmi cable", + "4k hdmi cable gold plated and braided", + "gold plated 4k hdmi cable", + "plated and braided 4k hdmi cable", + "gold plated and braided 4k hdmi cable.", + "pink plated and braided 4k hdmi cable", + "gold plated and braided 4k hdmi cable,", + "a gold plated and braided 4k hdmi cable", + "4k hdmi cable gold plated", + "5k hdmi cable gold plated and braided" + ], + "i need a pink iphone 7 flip case that has wireless charging capabilities.": [ + "pink iphone 7 flip case with wireless charging", + "pink iphone 7 flip case", + "pink iphone 7 flip case wireless charging", + "pink iphone 7 flip case, wireless charging", + "iphone 7 flip case with wireless charging", + "pink iiphone 7 flip case with wireless charging", + "pinkiphone 7 flip case with wireless charging", + "pink iphone 7 flip case charging", + "iphone 7 flip case that has wireless charging", + "iphone 7 flip case wireless charging" + ], + "i want to buy some chunky red glitter. make sure it's non-toxic and eco-friendly.": [ + "chunky red glitter", + "chunky red glitter eco-friendly", + "chunky red glitter that is eco-friendly", + "chunky red glitter, eco-friendly", + "chunky red glitter non-toxic", + "chunky red glitter. eco-friendly", + "chunky red glitter eco-friendly chunky", + "chunky red glitter natural and eco-friendly", + "chunky red glitter no toxic", + "chunky red glitter natural" + ], + "i am looking for plant based, and gluten free snack chips. pick the 0.9 ounce pack of 48.": [ + "plant based, gluten free snack chips 48 pack", + "plant based, gluten free snack chips", + "plant based, gluten free snack chips pack of 48", + "plant based gluten free snack chips 48 pack", + "plant based, gluten free snack chips of 48", + "plant based and gluten free snack chips 48 pack", + "plant based gluten free snack chips", + "plant based, gluten free snack chips under $50", + "plant based gluten free snack chips of 48", + "plant based and gluten free snack chips" + ], + "he was wearing a burgundy polyester spandex and size large.": [ + "burgundy polyester spandex size large", + "burgundy polyester spandex small", + "burgundy polyester spandex in a large", + "burgundy polyester spandex large", + "burgundy polyester spandex, size large", + "burgundy polyester spandex in a small", + "burgundy polyester spandex in size large", + "burgundy polyester spandex a size large", + "burgundy polyester spandex and size large", + "burgundy polyester spandex" + ], + "i am looking for a glass screen protector that is compatible with the 38mm apple watch case.": [ + "glass screen protector for 38mm apple watch case", + "glass screen protector 38mm apple watch case", + "glass screen protector", + "glass screen protector, 38mm apple watch case", + "glass screen protector with a 38mm apple watch case", + "glass screen protector for a 38mm apple watch case", + "glass screen protector 38mm", + "window screen protector 38mm apple watch case", + "glass screen protector, 38mm apple watch case,", + "glass screen protector, 38mm" + ], + "i want black liueong women's knee high riding boots.": [ + "black liueong womens knee high riding boots", + "white liueong womens knee high riding boots", + "levueong womens knee high riding boots", + "levueong womens knee high riding boots black", + "knee high riding boots black", + "lens knee high riding boots black", + "knee high riding boots black liueong", + "black liueong womens high riding boots", + "womens knee high riding boots black", + "lens knee high riding boots" + ], + "i am looking for a button closure down shirt in slim fit which is machine washable. also choose gold color and large size.": [ + "button closure down shirt in slim fit", + "button closure down shirt slim fit gold", + "button closure down shirt slim fit in gold color", + "button closure down shirt slim fit", + " button closure down shirt in slim fit", + "button closure button closure down shirt in slim fit", + "button closure down shirt in slim fit gold", + "button closure down shirt in slim fit in large", + "button closure down shirt in slim fit gold color", + "button closure down shirt" + ], + "i am interested in a youth classic fit shirt that is small and is black in color.": [ + "youth classic fit shirt small black", + "youth classic fit shirt in small black", + "kids classic fit shirt small black", + "youth classic fit shirt small and black", + "youth classic fit shirt black", + "small black youth classic fit shirt", + "youth classic fit shirt in black", + "youth classic fit shirt, small black", + "youth classic fit shirt size small black", + "youth classic fit shirt" + ], + "i want small machine washable stacy adams men's sleep pants.": [ + "small machine washable stacy adams mens sleep pants", + "small machine washable stacy adams mens sleep pants.", + "small machine washable stacy adams mens sleep pants,", + "machine washable stacy adams mens sleep pants", + "large machine washable stacy adams mens sleep pants", + "small machine washable sacy adams mens sleep pants", + "small, washable stacy adams mens sleep pants", + "slimming stacy adams mens sleep pants", + "small machine washable mens sleep pants", + "stacy adams mens sleep pants" + ], + "i am looking for mens long sleeve athletic sweatshirt size xx-large.": [ + "mens long sleeve athletic sweatshirt size xx-large", + "mens long sleeve athletic sweatshirt x-large", + "mens long sleeve athletic sweatshirt xx-large", + "mens long sleeve athletic sweatshirt size xx-large", + "mens long sleeve athletic sweatshirt size xx-large.", + "mens long sleeve athletic sweatshirt x-large", + "mens long sleeve athletic sweatshirt x-large mens", + "mens long sleeve athletic sweatshirt xx-large", + "mens long sleeve athletic sweatshirt xx-large.", + "mens long sleeve athletic sweatshirt xl" + ], + "find me a high definition waterproof case for my iphone. it could be aqua blue or black in color.": [ + "high definition waterproof case for my iphone. it could be aqua blue or black", + "high definition waterproof case for my iphone. it could be aqua blue or black in color", + "a high definition waterproof case for my iphone. it could be aqua blue or black", + "i am looking for a high definition waterproof case for my iphone. it could be aqua blue or black in color.", + "high definition waterproof case for iphone. it could be aqua blue or black", + "a high definition waterproof case for my iphone. it could be aqua blue or black in color", + "high definition waterproof case for my iphone in aqua blue or black", + "high definition waterproof case for iphone in aqua blue or black", + "high definition waterproof case for iphone. it could be aqua blue or black in color", + "high definition waterproof case for my iphone in aqua blue or black color" + ], + "i would like to buy a white faux fur chair for my living room.": [ + "white faux fur chair for living room", + "white faux fur chair for the living room", + "white faux fur chair for my living room", + "white faux fur chair living room", + "white faux fur chair for living room.", + "white faux fur chair for a living room", + "white faux fur chair", + "living room white faux fur chair", + "white faux fur chair in my living room", + "white faux fur chair in the living room" + ], + "i am searching for rubber sole loafers with 7.5-8 size and royal blue color": [ + "rubber sole loafers 7.5-8 size and royal blue", + "rubber sole loafers 7.5-8 in royal blue", + "rubber sole loafers 7.5-8 size and royal blue color", + "rubber sole loafers with 7.5-8 size in royal blue", + "rubber sole loafers with 7.5-8 size and royal blue", + "rubber sole loafers in 7.5-8 size and royal blue", + "rubber sole loafers 7.5-8 size in royal blue", + "rubber sole loafers, 7.5-8 size and royal blue", + "rubber sole loafers with 7.5-8 size", + "roofers with 7.5-8 size and royal blue color" + ], + "i need to buy an art print for the living room. look for one that's ready to hang, thirty-six inches by twenty-four inches.": [ + "art print for the living room thirty-six inches by twenty-four inches", + "art print for living room thirty-six inches by twenty-four inches", + "art print for living room, thirty-six inches by twenty-four inches", + "art print for living room. thirty-six inches by twenty-four inches", + "art print living room thirty-six inches by twenty-four inches", + "art print for the living room thirty-six x twenty-four inches", + "art print for living room thirty-six x twenty-four inches", + "art print living room thirty-six x twenty-four inches", + "art print for living room thirty-six inches by twenty-four inches.", + "art print for the living room" + ], + "i want a red and easy to assemble gaming chair.": [ + "red gaming chair", + "red gaming chair easy to assemble", + "red gaming chair easy assemble", + "tv gaming chair red easy assemble", + "red gaming chair.", + "easy to assemble gaming chair", + "red gaming chair, easy assemble", + "easy assemble gaming chair", + "red gaming chair with easy assemble", + "easy assemble gaming chair red" + ], + "i am looking for fresh & natural skin care shea and cocoa body butter which is best for all type of skin with fragrance free,paraben free. brown sugar | fig scent preferable in 8 ounce.": [ + "fresh & natural skin care shea and cocoa body butter", + "fresh & natural skin care shea and cocoa body butter 8 ounce", + "fresh & natural skin care shea and cocoa body butter 8 oz", + "fresh & natural skin care shea with cocoa body butter", + "fresh and natural skin care shea and cocoa body butter", + "fresh & natural skin care shea and cocoa body butter ", + "fresh fresh & natural skin care shea and cocoa body butter", + "fresh natural skin care shea and cocoa body butter", + "fresh & natural skin care shea cocoa body butter", + "fresh & natural skin care shea" + ], + "i want some low carb and keto friendly snacks. it should be almond espresso flavored and diary free.": [ + "low carb keto friendly snacks", + "low carb keto friendly snacks that are keto free", + "low carb keto friendly snacks almond espresso flavored", + "low carb keto friendly snacks that are almond espresso flavored", + "low carb keto friendly snacks almond espresso free", + "low carb keto friendly snacks keto free", + "low carb keto friendly snacks, almond espresso flavored", + "low carb keto friendly snacks under $40", + "low carb keto friendly snacks almond espresso flavor", + "low carb keto friendly snacks almond espresso" + ], + "i am looking for a sulfate free shampoo and conditioner set for natural hair. also choose mousse styler.": [ + "sulfate free shampoo and conditioner set for natural hair", + "sulfate free shampoo and conditioner set for natural hair.", + "sulfate free shampoo and conditioner set for natural hair under $40", + "sulfate free shampoo conditioner set for natural hair", + "sulfate free shampoo and conditioner set natural hair", + "sulfate free shampoo and conditioner set", + "sulfate free shampoo and conditioner", + "sulfate free shampoo conditioner set natural hair", + "sulfate free shampoo", + "mousse styler" + ], + "look for a three quarter length sleeve blouse in a light weight navy blue material. i need it in extra large.": [ + "three quarter length sleeve blouse in a light weight navy blue material", + "threequarter length sleeve blouse in a light weight navy blue material", + "three quarter length sleeve blouse in a light weight navy blue material.", + "3.5 length sleeve blouse in a light weight navy blue material", + "3 quarter length sleeve blouse in a light weight navy blue material", + "3-quarter length sleeve blouse in a light weight navy blue material", + "three quarter length sleeve blouse in a light weight navy blue", + "three quarter length sleeve blouse in a light weight navy blue material. ", + "three quarter length navy blue blouse extra large", + "three quarter length navy blue blouse in a light weight" + ], + "i want black non slip ankle boots for women.": [ + "black non slip ankle boots for women", + "black non slip ankle boots", + "non slip ankle boots for women", + "black ankle boots for women", + "white non slip ankle boots for women", + "black walking boots for women", + "nude ankle boots for women", + "non slip ankle boots for women black", + "non slip ankle boots for women.", + "walking boots for women black" + ], + "i would like a easy to use soft box.": [ + "soft box", + "easy to use soft box", + "soft box easy to use", + "soft box that is easy to use", + "soft box, easy to use", + "easy to use soft box.", + "easy-to-use soft box", + "soft box under $40", + "soft box under $50", + "soft box." + ], + "i need some eco friendly window films that are 23.6 by 35.4 inch": [ + "23.6 by 35.4 inch window films", + "23.6 by 35.4 inch window film", + "23.6 x 35.4 eco friendly window films", + "23.6 by 35.4 eco friendly window films", + "window films 23.6 by 35.4 inch", + "23.6 by 35.4", + "23.6 by 35.4 inch eco friendly window", + "23.6 by 35.4 inch window", + "23.6 by 35.4 window films", + "window films 23.6 by 35.4" + ], + "i am in need of a power amplifier.": [ + "power amplifier", + "power amplifier under $40", + "power amplifier under $50", + "power amplifier under $60", + "power amplifier for power", + "power amplifier.", + "power amplifier that is high quality", + "power amplifier that is high performance", + "power amplifier under 50 dollars", + "power amplifier under $120" + ], + "i want to buy a dry skin treatment that has coconut oil in it.": [ + "dry skin treatment with coconut oil", + "dry skin treatment that has coconut oil", + "dry skin treatment with coconut oil", + "drying skin treatment with coconut oil", + "dry skin treatment that has coconut oil", + "womens dry skin treatment with coconut oil", + "drying skin treatment that has coconut oil", + "dry skin treatment coconut oil", + "dry skin treatment that has coconut oil in it", + "womens dry skin treatment coconut oil" + ], + "i want a black mini wireless bluetooth headset.": [ + "black mini wireless bluetooth headset", + "black mini wireless bluetooth headset.", + "black mini wireless bluetooth headset,", + "black mini wireless bluetooth headset under $40", + "white mini wireless bluetooth headset", + "black mini wireless bluetooth headset that is black", + "black mini wireless bluetooth headset under $50", + "black mini wireless bluetooth headset under $60", + "black mini wireless bluetooth headset black", + "a black mini wireless bluetooth headset" + ], + "i am looking fat free kosher certrified low calo dried peaches": [ + "fat free kosher certrified low calo dried peaches", + "fat free kosher certrified low calo dried peaches under $40", + "fat free kosher certrified low calo dried peaches under $50", + " fat free kosher certrified low calo dried peaches", + "fat free kosher certrified low calo dried peaches under 50 dollars", + "fat free kosher certrified low calo dried peaches under $60", + "fat free kosher certrified low calo dried peaches under 30 dollars", + "fat free kosher certrified low calo dried peaches under 40 dollars", + "fat free kosher certrified low calo dried peaches under 60 dollars", + "fat free kosher certrified low calo dried peaches below $40" + ], + "i want yellow machine washable batmerry summer bright decorative pillow covers.": [ + "yellow machine washable batmerry summer bright decorative pillow covers", + "yellow machine washable batmerry summer bright decorative pillow cover", + "yellow machine washable batmerry pillow covers", + "yellow machine washable batmerry style decorative pillow covers", + "yellow machine washable batmerry beach bright decorative pillow covers", + "yellow machine washable batmerry", + "yellow machine washable batmerry summers bright decorative pillow covers", + "yellow machine washable batmerry summer fresh decorative pillow covers", + "yellow machine washable batmerry summer bright decorative pillow", + "yellow machine washable batmerry decorative pillow covers" + ], + "i want to find a 15-pack box of individually wrapped rockin' straw-beary granola bars that are each 0.88 ounces.": [ + "15-pack box of individually wrapped rockin straw-beary granola bars that are each 0.88 ounces", + "pack box of individually wrapped rockin straw-beary granola bars that are each 0.88 ounces", + "15-pack box of individually wrapped rockin straw-beary granola bars", + "teen pack box of individually wrapped rockin straw-beary granola bars that are each 0.88 ounces", + "15-pack box of individually wrapped rockin straw-beary granola bar that are each 0.88 ounces", + "teen-pack box of individually wrapped rockin straw-beary granola bars that are each 0.88 ounces", + "15 pack box of individually wrapped rockin straw-beary granola bars that are each 0.88 ounces", + "14 pack box of individually wrapped rockin straw-beary granola bars that are each 0.88 ounces", + "15-pack box of individually wrapped rockin straw-beary granola bars, each 0.88 ounces", + "pack box of individually wrapped rockin straw-beary granola bars that are each 0.88 ounces." + ], + "i am looking for sandals features a comfortable high heel, open-back slip on style, easy on and off.suitable for party, prom, wedding, red carpet show, street shooting, nightclub, ballroom and other special occasions. slide sandals for women in a6-black, size 8 preferable.": [ + "6-black sandals", + "6-black sandals for women", + "6-black sandals that are comfortable high heel", + "6-black sandals with a comfortable high heel", + "6-black sandals, size 8,", + "6-black sandals under $60", + "6-black sandals for woman", + "6 black sandals", + "6 foot sandals", + "shoes size 8" + ], + "i need an evening gown in purple that is a size four.": [ + "night gown in purple", + "an evening gown in purple", + "night gown in purple size four", + "dark purple evening gown in purple", + "pink evening gown in purple", + "an evening gown in purple size four", + "black evening gown in purple", + "red evening gown in purple", + "grey evening gown in purple", + "indoor gown in purple size four" + ], + "i want a pink 4 pack of kids u shaped toothbrush for sensitive teeth.": [ + "pink 4 pack of kids u shaped toothbrush for sensitive teeth", + "pink 4 pack of kids u shaped toothbrush", + "pink 4 pack of kids u shaped toothbrush, sensitive teeth", + "pink 4 pack of kids size toothbrush for sensitive teeth", + "pink 4 pack of kids u shaped toothbrush sensitive teeth", + "kids 4 pack of kids u shaped toothbrush for sensitive teeth", + "pink 4 pack of kids teethbrush for sensitive teeth", + "kids toothbrush for sensitive teeth pink 4 pack", + "kids u shaped toothbrush for sensitive teeth", + "kids toothbrush for sensitive teeth" + ], + "look for a pair of open toe ankle booties in size seven and a half. get the black ones.": [ + "open toe ankle booties size 7 and a half black", + "open toe ankle booties in size 7 and a half", + "open toe ankle booties size 7 and a half", + "open toe ankle booties in size seven and a half", + "open toe ankle booties size seven and a half", + "open toe ankle booties size 7.5 black", + "open toe ankle booties size 7 black", + "open toe ankle booties size 7", + "open toe ankle booties black", + "open toe ankle booties" + ], + "i want toyandona 100pcs christmas cake toppers snowflake cupcake toppers for a baby shower.": [ + "tantandona 100pcs christmas cake toppers for a baby shower", + "toyandona 100pcs christmas cake toppers for a baby shower", + "tamandona 100pcs christmas cake toppers for a baby shower", + "tasticandona 100pcs christmas cake toppers for a baby shower", + "togandona 100pcs christmas cake toppers for a baby shower", + "tampandona 100pcs christmas cake toppers for a baby shower", + "toddledona 100pcs christmas cake toppers for a baby shower", + "tantandona 100pcs christmas cake toppers", + "tantandona 100pcs christmas cake toppers baby shower", + "tantandona 100pcs christmas cake toppers baby shower." + ], + "i want a yongfoto 20x10ft high resolution photo studio background.": [ + "goto 20x10ft high resolution photo studio background", + "20x10ft high resolution photo studio background", + "yongfoto 20x10ft photo studio background", + "23x10ft high resolution photo studio background", + "x10ft high resolution photo studio background", + "yongfoto 20x10ft high resolution photo studio", + "5 ft high resolution photo studio background", + "goto 20x10ft high resolution photo studio background.", + "20x10ft high resolution photo studio background.", + "large high resolution photo studio background" + ], + "i want a smart wi-fi bulb camera with motion detection.": [ + "smart wi-fi bulb camera with motion detection", + "smart wi-fi bulb camera", + "smart wi-fi bulb camera with motion detection.", + "smart wi-fi bulb camera, motion detection", + "smart wi-fi bulb camera that is motion detection", + "smart wi-fi bulbs camera with motion detection", + "smart wi-fi bulb camera with motion detection,", + "smart wi-fi camera with motion detection", + "smart wi-fi bulb camera motion detection", + "smart wi-fi bulb camera no motion" + ], + "i am looking for modern gold round(vintage) and exquisite workmanship desk table mirror": [ + "modern gold round(vintage) workmanship desk table mirror", + "modern gold round(vintage) desk table mirror", + "modern gold round (vintage) workmanship desk table mirror", + "modern gold round(vintage) table mirror", + "modern gold round (vintage) desk table mirror", + "modern gold round workmanship desk table mirror", + "modern gold round(vintage) and exquisite workmanship desk table", + "modern gold round(vintage) workmanship desk table mirror,", + "modern gold round(vintage) desk table mirror,", + "modern gold round table mirror" + ], + "i am looking for queen size futon bed sofa with space saving , armless and color to be twill royal blue": [ + "queen size futon bed sofa with space saving , armless, twill royal blue", + "queen size futon bed sofa with space saving and color to be twill royal blue", + "king size futon bed sofa with space saving , armless, twill royal blue", + "king size futon bed sofa with space saving and color to be twill royal blue", + "queen size futon bed sofa with space saving , armless", + "king size futon bed sofa with space saving , armless", + "queen size futon bed sofa", + "queen size futon bed sofa with space saving", + "king size futon bed sofa with space saving", + "king size futon bed sofa" + ], + "i need a box of 12 desserts that are made with natural ingredients and are part of the friends collection.": [ + "12 desserts made with natural ingredients", + "12 desserts", + "12 desserts made from natural ingredients", + "12 desserts with natural ingredients", + "12 desserts natural no sugar", + "12 desserts made natural ingredients", + "12 desserts natural", + "12 desserts natural ingredients", + "12 desserts made natural no sugar", + "12 desserts natural natural" + ], + "i am looking for d style high quality travel bottles.": [ + "d style high quality travel bottles", + "d style high quality travel bottles.", + "duck style high quality travel bottles", + "dual style high quality travel bottles", + "a d style high quality travel bottles", + " d style high quality travel bottles", + "toothpaste travel bottles d style", + "style high quality travel bottles", + "travel bottles d style", + "d style travel bottles" + ], + "i am looking for a synthetic coffee brown colored wig.": [ + "synthetic coffee brown wig", + " synthetic coffee brown colored wig", + "sneakers coffee brown wig", + "stainless coffee brown wig", + "a synthetic coffee brown colored wig", + " synthetic coffee brown colored wig.", + "synthetic coffee colored wig", + "sthetic coffee brown colored wig", + " synthetic coffee brown wig", + "soy colored wig" + ], + "i am looking for a high speed macaroon mobile portable router with 12gb data.": [ + "macaroon mobile portable router with 12gb", + "macaroon mobile portable router with 12gb data", + "macaroon mobile portable router 12gb", + "macaroon mobile portable router with 12gb high speed", + "macaroon mobile portable router 12gb high speed", + "macaroon mobile portable router", + "macaroon mobile portable router, 12gb", + "macaroon mobile portable router with 12gb data.", + "macaroon mobile portable router with 12gb wireless", + "high speed macaroon mobile portable router with 12gb" + ], + "i want to find a pair of black and gold women's pumps with a synesthetic sole. i wear a size 5.5.": [ + "black and gold womens pumps with a synesthetic sole", + "womens pumps with a synesthetic sole size 5.5", + "black womens pumps with a synesthetic sole size 5.5", + "womens pumps with a synesthetic sole", + "black and gold womens pumps", + "black womens pumps with a synesthetic sole", + "womens pumps size 5.5", + "womens pumps black and gold", + "womens pumps", + "black womens pumps" + ], + "i'd like to find a chandelier-style vanity light with a brushed nickel finish. ideally, there will be three lights in the set.": [ + "chandelier-style vanity light with a brushed nickel finish", + "chandelier style vanity light with a brushed nickel finish", + "pink vanity light with a brushed nickel finish", + "casualty light with a brushed nickel finish", + "car vanity light with a brushed nickel finish", + "chandelier-style vanity light", + "carport light with a brushed nickel finish", + "chandelier-style vanity light with brushed nickel finish", + "curtains chandelier-style vanity light", + "living room chandelier-style vanity light" + ], + "i am looking for a high capacity, white tablet with an android operating system, micro hdmi and a quad core processor.": [ + "white tablet with an android operating system", + "white tablet with an android operating system with a quad core processor", + "white tablet with an android operating system and quad core processor", + "white tablet with an android operating system, micro hdmi", + "high capacity white tablet with an android operating system", + "white tablet with an android operating system that is high capacity", + "high capacity, white tablet with an android operating system", + "white tablet with a android operating system", + "white tablet with android operating system", + "white tablet" + ], + "select for me travel bottles for shampoo paraben and bpa free. i need them to be flipflop caps. include 24 labels and one brush if possible.": [ + "travel bottles for shampoo paraben and bpa free", + "pink travel bottles for shampoo paraben and bpa free", + "travel bottles for shampoo paraben bpa free", + "pink bottles for shampoo paraben and bpa free", + "portrait bottles for shampoo paraben and bpa free", + "vanity bottles for shampoo paraben and bpa free", + "pink travel bottles for shampoo paraben bpa free", + "portrait bottles for shampoo paraben bpa free", + "pink shampoo paraben and bpa free", + "pink shampoo paraben and bpa free travel bottles" + ], + "i am looking for mickey and minnie cupcake toppers for a birthday party.": [ + "mickey and minnie cupcake toppers for a baby shower", + "mackey and minnie cupcake toppers for a baby shower", + "mickey and minnie cupcake toppers for a birthday party", + "majkey and minnie cupcake toppers for a baby shower", + "makinkey and minnie cupcake toppers for a baby shower", + "mackey and minnie cupcake toppers for a birthday party", + "mamakey and minnie cupcake toppers for a baby shower", + " mickey and minnie cupcake toppers for a baby shower", + "mickey and minnie cupcake toppers for a baby shower.", + "mankey and minnie cupcake toppers for a baby shower" + ], + "i would like a multicolored 17.7 wide by 35.4long window film for my living room.": [ + "multicolored 17.7 x 35.4long window film", + "window film 17.7 wide by 35.4long", + "multicolored 17.7 wide by 35.4long window", + "multicolored 17.7 wide by 35.4", + "window film 17.7 wide by 35.4", + "multicolored window film for my living room", + "window film for living room", + "window film", + "window film for a living room", + "window film for my living room" + ], + "i am looking for an oil and cruelty free beyond golden glow colored highlighter.": [ + "oil and cruelty free golden glow colored highlighter", + "oil cruelty free golden glow colored highlighter", + "an oil and cruelty free golden glow colored highlighter", + "oil and cruelty free beyond golden glow colored highlighter", + "oil and cruelty free highlighter", + "oil and cruelty free golden glow colored highlighter.", + "oil and cruelty free gold glow colored highlighter", + "golden glow colored highlighter", + "an oil and cruelty free highlighter", + "gluten free highlighter" + ], + "i want an ivory maybelline instant age rewind eraser dark circles treatment.": [ + "t ivory maybelline instant age rewind eraser dark circles treatment", + " ivory maybelline instant age rewind eraser dark circles treatment", + "a ivory maybelline instant age rewind eraser dark circles treatment", + "yellow ivory maybelline instant age rewind eraser dark circles treatment", + "5 ft ivory maybelline instant age rewind eraser dark circles treatment", + "t ivory maybelline instant age rewind eraser dark circles treatment.", + "tollary maybelline instant age rewind eraser dark circles treatment", + "toll maybelline instant age rewind eraser dark circles treatment", + " ivory maybelline instant age rewind eraser dark circles treatment.", + "a ivory maybelline instant age rewind eraser dark circles treatment." + ], + "i want a synthetic wig that has multiple colors.": [ + "synthetic wig with multiple colors", + "synthetic wig in multiple colors", + "synthetic wig color", + "synthetic wig color multiple colors", + "synthetic wig multi colors", + "synthetic wig colored multiple colors", + "synthetic wig color multi colored", + "synthetic wig multi colored", + "synthetic wig", + "synthetic wig multiple colors" + ], + "i need a chrome wall lamp that is brushed nickel.": [ + "chrome wall lamp brushed nickel", + "chrome wall lamp that is brushed nickel", + "chrome wall lamp with brushed nickel", + "chrome wall lamp, brushed nickel", + "plush nickel wall lamp", + "plastic wall lamp brushed nickel", + "wooden wall lamp brushed nickel", + "chrome wall lamp brushed nickel.", + "chrome wall lamp", + "floor lamp brushed nickel" + ], + "i am looking for a pair of women's size 9 extra wide loafers that have synthetic soles.": [ + "womens size 9 extra wide loafers with synthetic soles", + "womens size 9 extra wide loafers", + "womens size 9 extra wide loafers synthetic soles", + "womens size 9 extra wide loafers, synthetic soles", + "woman size 9 extra wide loafers that have synthetic soles", + "woman size 9 extra wide loafers with synthetic soles", + "extra wide loafers with synthetic soles", + "woman size 9 extra wide loafers", + "twin wide loafers", + "size 9 extra wide loafers" + ], + "i want to find a lib balm set made with natural ingredients that has long-lasting effects. the color must be 02.": [ + "lib balm set made with natural ingredients", + "lub balm set made with natural ingredients", + " lib balm set made with natural ingredients", + "lib balm set with natural ingredients", + "a lib balm set made with natural ingredients", + "ub balm set made with natural ingredients", + "lib balm set made with natural ingredients 02.", + "lib balm set natural ingredients", + "lub balm set natural ingredients", + "lib balm set" + ], + "i am looking for a usb headset with built-in microphone and noise cancelling feature.": [ + "usb headset with built-in microphone and noise cancelling", + "usb headset with built-in microphone and noise cancelling feature", + " usb headset with built-in microphone and noise cancelling", + " usb headset with built-in microphone and noise cancelling feature", + "usb headset with a built-in microphone and noise cancelling", + "a usb headset with built-in microphone and noise cancelling", + "usb headset with built-in microphone with noise cancelling", + "usb headset that is built-in microphone and noise cancelling", + "usb headset with built-in microphone and noise cancelling,", + "usb headset, with built-in microphone and noise cancelling" + ], + "i need to shop for some lounge pants that can be machine washed and tumble dried. look for a size 3 x large in black.": [ + "lounge pants 3 x large in black", + "lush pants 3 x large in black", + "lounge pants size 3 x large in black", + "3 x large in black lounge pants", + "3 x large lounge pants", + "3 x large lounge pants in black", + "bag pants 3 x large in black", + "portrait pants 3 x large in black", + "lounge pants 3 x large", + "lounge pants 3 x large in black size 3" + ], + "i am looking for a cruelty free foundation stick for fine lines. also choose warm brown color.": [ + "cruelty free foundation stick for fine lines warm brown", + "cruelty free foundation stick for fine lines", + "cruelty free foundation stick for fine lines.", + "cruelty free foundation stick in fine lines warm brown", + "cruelty free foundation stick with fine lines warm brown", + "cruelty free foundation stick, warm brown", + "cruelty free foundation stick with fine lines", + "cruelty free foundation stick fine lines warm brown", + "cruelty free foundation stick warm brown", + "cruelty free foundation stick" + ], + "i need a green henley shirts pullover mens long sleeve.": [ + "green henley shirts pullover mens long sleeve", + "green henley shirts pullover mens long sleeves", + "green henley t-shirt pullover mens long sleeve", + "green henley shirts pullover mens long sleeve.", + "green henley shirts pullover mens long sleeve under $40", + "green henley shirts pullover mens long sleeve under $50", + "green henley shirt pullover mens long sleeve", + "green henley shirts pullover mens long sleeve under 50 dollars", + "green henley shirts pullover mens long sleeve under $60", + "green henley shirts pullover mens long sleeve below $40" + ], + "i want a long 001 coffee colored xx-large long jacket for women that is for daily wear.": [ + "coffee colored xx-large long jacket for women", + "001 coffee colored xx-large long jacket", + "long 001 coffee colored xx-large long jacket", + "cup coffee colored xx-large long jacket for women", + "coffee colored xx-large long jacket", + "cupcake colored xx-large long jacket for women", + "001 coffee colored xxl long jacket for women", + "cup coffee colored xx-large long jacket", + "curtains xx-large long jacket for women", + "coffee colored xxl long jacket for women" + ], + "i need lactose free chocolate flavor": [ + "lactose free chocolate flavor", + "chocolate flavor lactose free", + "low lactose free chocolate flavor", + "loose free chocolate flavor", + "l lactose free chocolate flavor", + "moisturizing chocolate flavor", + " lactose free chocolate flavor", + "lemon free chocolate flavor", + "low sugar chocolate flavor", + "chocolate flavor" + ], + "i want to find a waterproof case for my samsung galaxy phone that is heavy duty and easy to install.": [ + "samsung galaxy phone waterproof case", + "samsung galaxy phone waterproof case heavy duty", + "waterproof samsung galaxy phone case", + " waterproof case for samsung galaxy phone", + "waterproof case for samsung galaxy phone", + "galaxy samsung waterproof case heavy duty", + "waterproof samsung galaxy phone", + "galaxy samsung waterproof case", + "samsung waterproof case", + "galaxy phone waterproof case" + ], + "i am looking for fresh baked valentine cookies i would like m&m and sugar cookies.": [ + "fresh baked valentine cookies m&m and sugar cookies", + "fresh baked valentine cookies m&m sugar cookies", + "fresh baked valentine cookies m&m", + "fresh baked valentine cookies", + "fresh baked valentine cookies with m&m and sugar cookies", + "fresh baked valentine cookies m&m with sugar cookies", + "fresh baked valentine cookies m&m and sugar cookies.", + "fresh baked valentine cookies m&m under $40", + "fresh baked valentine cookies, m&m and sugar cookies", + "fresh baked valentine cookies m&m, sugar cookies" + ], + "i am looking for a 12 feet high speed 4k hdmi cable compatible with apple tv.": [ + "12 foot high speed 4k hdmi cable", + "12 feet high speed 4k hdmi cable", + "12 ft high speed 4k hdmi cable", + "12k high speed 4k hdmi cable", + "12ft high speed 4k hdmi cable", + "12 foot high speed 4k hdmi cable with apple tv", + "12 feet high speed 4k hdmi cable with apple tv", + "12 ft high speed 4k hdmi cable with apple tv", + "12foot high speed 4k hdmi cable", + "12 foot high speed 4k hdmi cable under $40" + ], + "i want a low carb smoked snack jerky.": [ + "low carb smoked snack jerky", + "low carb smoked snack jerky.", + "low carb smoked snack jerky under $40", + "low carb smoked snack jerky below $40", + "low carb smoked snack jerky under $60", + "low carb smoked snack jerky under $50", + "low carb smoked snack jerky under 50 dollars", + "low carb smoked snack jerky below $50", + "low carb smoked snack jerky below $60", + "low carb smoked snack jerky under 30 dollars" + ], + "i need high speed hdmi cable male to female.": [ + "high speed hdmi cable male to female", + "tv hdmi cable male to female", + "hdmi cable male to female", + "low speed hdmi cable male to female", + "tv hdmi cable male to female.", + "hdmi cable male to female", + " hdmi cable male to female", + "high speed hdmi cable female", + "electric hdmi cable male to female", + "tv dmi cable male to female" + ], + "i want dell optiplex 7050 tower desktop with intel core i5-7500.": [ + "optiplex 7050 tower desktop with intel core i5-7500", + "optiplex 7050 tower desktop intel core i5-7500", + "optiplex 7050 tower desktop i5-7500", + "oviplex 7050 tower desktop with intel core i5-7500", + "optiplex 7050 desktop with intel core i5-7500", + "optiplex 7050 tower desktop Intel core i5-7500", + "optiplex 7050 tower desktop i5-7500.", + "optiplex 7050 tower desktop intel core i5-7500.", + "optiplex 7050 tower desktop", + "desktop with intel core i5-7500" + ], + "i need a chocolate colored hair dye.": [ + "chocolate colored hair dye", + "chocolate colored hair dye.", + "chocolate colored hair dye under $40", + "chocolate colored hair dye under $50", + "chocolate colored hair dye under 50 dollars", + "chocolate colored hair dye under $60", + "chocolate colored hair dye under 30 dollars", + "chocolate colored hair dye under 40 dollars", + "ocolate colored hair dye", + " chocolate colored hair dye" + ], + "i need leak proof empty travel bottles for lotion cream.": [ + "leek proof empty travel bottles for lotion cream", + "leak proof empty travel bottles for lotion cream", + "teeth proof empty travel bottles for lotion cream", + "leep proof empty travel bottles for lotion cream", + "leaky proof empty travel bottles for lotion cream", + "leek proof empty travel bottles for lotion cream.", + "leak proof empty travel bottles for lotion cream.", + "teeth proof empty travel bottles for lotion cream.", + "leep proof empty travel bottles for lotion cream.", + "te leak proof empty travel bottles for lotion cream" + ], + "i want to find a teeth whitening device kit for sensitive teeth.": [ + "teeth whitening device kit for sensitive teeth", + "teeth whitening device kit for sensitive teeth.", + "toothpaste device kit for sensitive teeth", + " teeth whitening device kit for sensitive teeth", + " teeth whitening device kit for sensitive teeth.", + "toothpaste device for sensitive teeth", + "toothpaste device kit for sensitive teeth.", + "toothbrush whitening device kit for sensitive teeth", + "teeth whitening device for sensitive teeth", + "ethanol whitening device kit for sensitive teeth" + ], + "want to replace 2 packs for palm size 3 device rca universal remote control - works with symphonic vcr - remote code 0001, 1593 accurate with batteries included": [ + "palean size 3 device rca universal remote control", + "pale palm size 3 device rca universal remote control", + "mens size 3 device rca universal remote control", + "paleans size 3 device rca universal remote control", + "manual remote control with symphonic vcr", + "pam size 3 device rca universal remote control", + "manual remote control 2 packs", + "paleo remote control 2 packs", + "paleo universal remote control 2 packs", + "manual remote control" + ], + "i am looking for best anti aginf formula that supports healthy skin by naturally reducing inflammation and soothing troubled skin for an overall more even skin tone! sand & sky australian emu apple dreamy glow dropswith vitamins, essential oils, and organic ingredients.": [ + "anti aginf formula with vitamins and essential oils", + "anti aginf formula", + "anti aginf formula that supports healthy skin by naturally reducing inflammation", + "anti aginf formula for healthy skin with vitamins and essential oils", + "ant aginf formula for healthy skin with vitamins and essential oils", + "anti aginf formula with healthy skin", + "anti aginf formula for healthy skin", + "anti aginf formula with vitamins, essential oils and organic", + "anti aginf formula that supports healthy skin", + "anti aginf formula with essential oils" + ], + "get a long handled bath brush in blue.": [ + "bath brush in blue", + "long handled bath brush in blue", + "bath brush long handled in blue", + "bath brush in blue.", + "bath brush long handled", + "bathroom brush in blue", + "bath brush long handled blue", + "bath brush that is long handled", + "bathbrush in blue", + "bath brush in blue bath" + ], + "i am looking for dining room chairs. choose the satin cream.": [ + "dining room chairs satin cream", + " dining room chairs satin cream", + "dining room chairs satin cream.", + "living room chairs satin cream", + "dining room chairs satin cream,", + "tablet dining room chairs satin cream", + "dining room chairs with satin cream", + "dining room chairs, satin cream", + "al dining room chairs satin cream", + "satin cream dining room chairs" + ], + "i need women's denim shorts in cotton spandex material with color jayne and size 9": [ + "womens denim shorts in cotton spandex material with color jayne", + "womens denim shorts in cotton spandex material", + "womens denim shorts in cotton spandex material in color jayne", + "womens denim shorts in cotton spandex material color jayne", + "womens denim shorts size 9", + "womens denim shorts in cotton spandex material size 9", + "womens denim shorts color jayne size 9", + "womens denim shorts jayne size 9", + "womens denim shorts color jayne", + "womens denim shorts" + ], + "i want a navy officially licensed harry potter professor sybill shirt.": [ + "navy officially licensed harry potter professor sybill shirt", + "navy officially licensed harry potter professor sybill shirt.", + "womens navy officially licensed harry potter professor sybill shirt", + "navy officially licensed harry potter professor sybill shirt,", + " navy officially licensed harry potter professor sybill shirt", + " navy officially licensed harry potter professor sybill shirt.", + "a navy officially licensed harry potter professor sybill shirt", + "navy officially licensed harry potter professor", + "sony potter professor sybill shirt", + "sybill shirt navy officially licensed" + ], + "i am looking for long lasting aaa batteries and a charger.": [ + "long lasting aaa batteries and charger", + "aaa batteries and charger", + "long lasting aaa batteries with charger", + "long lasting aaa batteries", + "aaa batteries with charger", + "aaa batteries", + "aaa batteries with a charger", + "aaa batteries long lasting", + "long lasting aaa batteries, charger", + "aaa batteries and charger long lasting" + ], + "i am looking for gluten free snacks. please choose super turmeric flavor.": [ + "gluten free snacks super turmeric flavor", + "gluten free snacks with super turmeric flavor", + "gluten free snacks super turmeric", + "gluten free snacks", + "gluten free snacks in super turmeric flavor", + "gluten free snacks, super turmeric flavor", + "super turmeric snacks gluten free", + "gluten free snacks with turmeric flavor", + "gluten free snacks. super turmeric flavor", + "super turmeric snacks" + ], + "i need a9 - beige color, size 8.5 wide sandal which has a closed toe and ankle strap.": [ + "9 - beige sandal with closed toe and ankle strap", + "9 - beige sandal", + "9 - beige sandal, size 8.5 wide", + "9 - beige color, size 8.5 wide sandal", + "9 - beige sandal with a closed toe and ankle strap", + "9 - beige sandal that has a closed toe and ankle strap", + "9 - beige sandal which has a closed toe and ankle strap", + "9 - beige sandal size 8.5 wide ankle strap", + "9 - beige color sandal with closed toe and ankle strap", + "9 - beige sandal size 8.5 wide" + ], + "i am looking for bow knot designed filler for nail art": [ + "bow knot designed filler for nail art", + "bow knot designed filler nail art", + "bowing knot designed filler for nail art", + "Bow knot designed filler for nail art", + " bow knot designed filler for nail art", + "low knot designed filler for nail art", + "bbow knot designed filler for nail art", + "bow knot designed filler", + "bow knot design filler for nail art", + "bow knot" + ], + "i need to find a heavy duty outlet wall plate cover; choose the rocker combo style.": [ + "heavy duty outlet wall plate cover", + "heavy duty outlet wall plate cover rocker combo style", + "lush duty outlet wall plate cover", + "heavy duty outlet wall plate cover, rocker style", + "heavy duty outlet wall plate cover rocker style", + "lens wall plate cover rocker combo style", + "large duty outlet wall plate cover", + "low duty outlet wall plate cover", + "living room wall plate cover", + "lens wall plate cover" + ], + "i would like a 0.5 ounce goan shrimp curry beans that are low sodium.": [ + "1.5 ounce goan shrimp curry beans", + "0.5 ounce goan shrimp curry beans", + "1.5 ounce goan shrimp curry beans low sodium", + "pink goan shrimp curry beans that are low sodium", + "low sodium goan shrimp curry beans", + "3.5 ounce goan shrimp curry beans", + "low sodium goan shrimp curry beans 0.5 ounce", + "low sodium goan shrimp curry beans 0.5 oz", + "0.5 ounce goan shrimp curry beans low sodium", + "pink goan shrimp curry beans" + ], + "i am looking for a jerky with low carb and high protein serving. also choose farmhouse garlic.": [ + "roky with low carb and high protein serving", + "shoes with low carb and high protein serving", + "shoes low carb and high protein", + "roky with low carb high protein serving", + "shoes low carb high protein", + "knee jerky low carb and high protein", + "shoes low carb and high protein serving", + "knee jerky low carb high protein", + "roky low carb and high protein", + "roky low carb high protein" + ], + "i'd like to buy some fettuccini alfredo that's easy to prepare.": [ + "fettuccini alfredo", + "fettuccini alfredo easy to prepare", + "fettuccini alfredo that is easy to prepare", + "fettuccini alfredo, easy to prepare", + "fettuccini alfredo that are easy to prepare", + "fettuccini alfredo thats easy to prepare", + "fettuccini alfredo easy to prepare.", + "fettuccini alfredo, easy to prepare,", + "fettuccini alfredo under $40", + "fettuccini alfredo under 30 dollars" + ], + "i need a portable label printer which comes with aaa batteries.": [ + "portrait label printer with aaa batteries", + "portrait label printer which comes with aaa batteries", + "portable label printer with aaa batteries", + "portrait label printer that comes with aaa batteries", + "portable label printer which comes with aaa batteries", + "portable label printer that comes with aaa batteries", + "portportrait label printer with aaa batteries", + "portrait label printer with aaa batteries.", + "portrait label printer, aaa batteries", + "portrait label printer" + ], + "i want a xx-large classic fit weekend forecast kayaking beer drinking tank top.": [ + "xxl classic fit weekend forecast kayaking beer drinking tank top", + "xx-large classic fit weekend forecast kayaking beer drinking tank top", + " xx-large classic fit weekend forecast kayaking beer drinking tank top", + "xxl classic fit weekend forecast kayaking beer drinking tank top.", + " xxl classic fit weekend forecast kayaking beer drinking tank top", + "xxl classic fit weekend long kayaking beer drinking tank top", + "xxl classic fit weekend kayaking beer drinking tank top", + "xxl classic fit weekend forecast kayaking beer drinking tank", + "xxl classic fit weekend forecast kayaking beer", + "xxl weekend forecast kayaking beer drinking tank top" + ], + "it was time for his food high density breakfast, so the food is very super soft.": [ + "food high density breakfast", + "protein high density breakfast", + "pink high density breakfast", + "high density breakfast", + "fam high density breakfast", + "super soft breakfast", + "faux-soft breakfast", + "low density breakfast", + "food super soft", + "food high density" + ], + "i want a mattress solution california king with box spring.": [ + "tea solution california king with box spring", + "synthetic solution california king with box spring", + " mattress solution california king with box spring", + "tactical solution california king with box spring", + "mosseting solution california king with box spring", + "temporary solution california king with box spring", + "sneakers california king with box spring", + "mens solution california king with box spring", + "tea solution california king with box spring mattress", + "tea solution california king" + ], + "find a 5.7 ounce pack of 4 easy prepare knorr rice side dishes in chicken fried rice flavor.": [ + "easy prepare knorr rice side dishes in chicken fried rice flavor", + "pack of 4 easy prepare knorr rice side dishes in chicken fried rice flavor", + "5.7 ounce pack of 4 easy prepare knorr rice side dishes", + "bag of 4 easy prepare knorr rice side dishes in chicken fried rice flavor", + "easy prepare knorr rice side dishes in chicken fried rice flavor 5.7 oz", + "korr rice side dishes in chicken fried rice flavor", + "knee rice side dishes in chicken fried rice flavor", + "krorr rice side dishes in chicken fried rice flavor", + "easy prepare knorr rice side dishes in chicken fried rice flavor.", + "pack of 4 easy prepare knorr rice side dishes in chicken fried rice flavor." + ], + "i am looking for an easy to use dslr camera with optical zoom.": [ + "easy to use dslr camera with optical zoom", + "dslr camera with optical zoom", + "simple to use dslr camera with optical zoom", + "easy to use dslr camera", + "5 ft dslr camera with optical zoom", + "digital dslr camera with optical zoom", + "5 foot dslr camera with optical zoom", + "easy-to-use dslr camera", + "5 ft dslr camera", + "pocket camera with optical zoom" + ], + "i am looking for horse cupcake toppers for a birthday cake.": [ + "horse cupcake toppers for a birthday cake", + "horse cupcake toppers for a birthday cake.", + "horse cupcake toppers for a baby shower", + "a horse cupcake toppers for a birthday cake", + "a horse cupcake toppers for a birthday cake.", + "strawberry cupcake toppers for a birthday cake", + "horses cupcake toppers for a birthday cake", + "strawberry cupcake toppers for a baby shower", + "horses cupcake toppers for a birthday cake.", + "hair cupcake toppers for a birthday cake" + ], + "i want to buy some twenty six inch square pillow covers for my living room. look for some that are super soft.": [ + "20 six inch square pillow covers for my living room", + "Twenty six inch square pillow covers for my living room", + "twenty six inch square pillow covers", + "20 six inch square pillow covers for the living room", + "living room twenty six inch square pillow covers", + "20 six inch square pillow covers", + "faux six inch square pillow covers", + "Twenty six inch square pillow covers", + "23 square pillow covers for my living room", + "20 x 6 inch square pillow covers" + ], + "i want a large machine washable marky g short sleeve t-shirt.": [ + "large machine washable marky g short sleeve t-shirt", + "large machine washable marky g t-shirt", + "medium machine washable marky g short sleeve t-shirt", + "small machine washable marky g short sleeve t-shirt", + "mashable marky g short sleeve t-shirt", + "large machine washable marky g t-shirt.", + "womens t-shirt large", + "womens t-shirt", + "t-shirt large", + "t-shirt" + ], + "get me a set of pillowcases in sage green. buy the machine washable ones.": [ + "set of pillowcases in sage green", + "set of pillowcases in sage green machine washable", + "set of pillowcases in sage green under $40", + "set of pillcases in sage green", + "bathroomcases in sage green", + "sneakers in sage green", + "synthetic green pillowcases", + "pocketcases in sage green", + "shoes green pillowcases", + "set of pillowcases" + ], + "i need some storage space that is white and grey and also tall": [ + "white and grey storage space", + "white grey storage space", + "storage space white and grey and also tall", + "white and grey storage space for storage space", + "white and grey storage space under $40", + "white and grey storage space under $50", + "white white grey storage space", + "storage space white and grey", + "white and grey storage space under $60", + "white and grey storage space, tall" + ], + "my mom want x- size polyster spandex": [ + "x- size polyster spandex", + "x- size polyster spandex", + " x- size polyster spandex", + "x- size polyster with spandex", + " x- size polyster spandex", + "xx- size polyster spandex", + "x- size polyster", + "x- size polyster, spandex", + "xx- size polyster spandex", + "xxl polyster spandex" + ], + "i am looking for clinically proven hair treatment for a dry itchy scalp.": [ + "clinically proven hair treatment for a dry itchy scalp", + " clinically proven hair treatment for a dry itchy scalp.", + " clinically proven hair treatment for a dry itchy scalp", + "mat clinically proven hair treatment for a dry itchy scalp.", + "maturity proven hair treatment for a dry itchy scalp", + "mat clinically proven hair treatment for a dry itchy scalp", + "maturity proven hair treatment for a dry itchy scalp.", + "barren proven hair treatment for a dry itchy scalp", + "dermatically proven hair treatment for a dry itchy scalp", + "moisturizing hair treatment for a dry itchy scalp" + ], + "i need a dark tint 36w x 32l denim jeans for men which is good for everyday wear and has a relaxed fit.": [ + "dark tint 36w x 32l denim jeans", + "dark tint 36w x 32l denim jeans for men", + "dark tint 36w x 32l denim jeans with a relaxed fit", + "dark tint 36w x 32l denim jeans with relaxed fit", + "dark tint 36w x 32l denim jeans in a relaxed fit", + "dark tint 36w x 32l denim jeans that are comfortable fit", + "dark tint 36w x 32l denim jeans,", + "dark tint 36w x 32l jeans", + "16w x 32l denim jeans", + "black denim jeans for men" + ], + "i want pink buipokd women's sports shoes with arch support.": [ + "pink buipokd womens sports shoes with arch support", + "pink buipokd womens sports shoes", + "pink buipokd womens tennis shoes with arch support", + "pink buipokd womens sports shoe with arch support", + "pink buipokd womens sports shoes, arch support", + "pink buipokd womens walking shoes with arch support", + "pink buipokd womens sports shoes no arch support", + "pink buipokd womens sports shoes arch support", + "pink bipokd womens sports shoes with arch support", + "pink buipokd womens shoes with arch support" + ], + "i want a solid wood sunset trading shades of sand console table.": [ + "solid wood sunset trading shades of sand console table", + "solid wood sunset trading shades of sand console table.", + "soft wood sunset trading shades of sand console table", + "solid wood sunset trading shades of sand console table,", + "a solid wood sunset trading shades of sand console table", + "strawberry sunset trading shades of sand console table", + "wood sunset trading shades of sand console table", + "solid wood sunset trading shades of sand", + "solid wood sunset trading shades of sand table", + "dust dried sand console table" + ], + "i would like a gray mascara brush for natural hair.": [ + "gray mascara brush for natural hair", + "gray mascara brush for natural hair.", + "gray mascara brush natural hair", + "gray mascara brush for natural hair,", + "womens gray mascara brush", + "grey mascara brush for natural hair", + "gray mascara brush for natural beauty", + "gray mascara brush natural beauty", + "gray mascara brush", + "gray mascara brush for natural" + ], + "i want a easy carry easy use usb flash drive memory stick 5g data storage size :16g-3.0(1 pack)": [ + "easy carry easy use usb flash drive memory", + "easy carry easy use usb flash drive memory stick 5g", + "easy carry easy use usb flash drive memory under $130", + "easy carry usb flash drive memory", + "easy carry easy use usb flash drive memory stick 5g", + "easy carry easy use usb flash drive memory under $40", + "easy carry usb flash drive memory stick 5g", + "5g usb flash drive memory", + "easy carry, usb flash drive memory", + "usb flash drive memory" + ], + "i am looking for a six pack of 4 ounce plant based sweet potato puffs.": [ + "plant based sweet potato puffs", + "plant based sweet potato puffs six pack", + "6 pack of plant based sweet potato puffs", + "6 pack plant based sweet potato puffs", + "plant based sweet potato puffs 6 pack", + "plant based sweet potato puffs, 6 pack", + "plant based sweet potato puffs, six pack", + "plant based sweet potato puffs.", + "plant based sweet potato puffs under $60", + "plant based potato puffs" + ], + "i need a photo backdrop for my living room that's around sixty by forty inches.": [ + "photo backdrop for my living room thats around sixty by forty inches", + "photo backdrop for my living room, sixty by forty inches", + "sixty by forty inches photo backdrop", + "living room backdrop sixty by forty inches", + "living room photo backdrop sixty by forty inches", + "synthetic backdrop for living room, sixty by forty inches", + "photo backdrop for my living room", + "sixty by forty inches photo backdrop for living room", + "photo backdrop for my living room, sixty by forty inches.", + "synthetic backdrop for living room" + ], + "i am searching for women's yoga short sleeve daily wear and round neck t-shirts of small size and #3 blue color": [ + "womens yoga short sleeve daily wear and #3 blue", + "womens yoga short sleeve daily wear in a #3 blue", + "womens yoga short sleeve daily wear in a size 3 blue", + "womens yoga short sleeve daily wear and #3 blue color", + "womens yoga short sleeve daily wear #3 blue", + "womens yoga short sleeve daily wear under $50", + "womens yoga short sleeve daily wear in #3 blue", + "womens yoga short sleeve daily wear under $40", + "womens yoga short sleeve daily wear", + "womens yoga short sleeve daily wear #3 blue color" + ], + "i need a two ounce package of hair dye in light to medium blonde.": [ + "two ounce package of hair dye in light to medium blonde", + "two ounce package of hair dye, light to medium blonde", + "two ounce package of hair dye", + "two ounce package of hair dye light to medium blonde", + "2 ounce package of hair dye in light to medium blonde", + "light to medium blonde hair dye", + "light to medium blonde hair dye two ounce package", + "two ounce package of hair dye in light to medium", + "two ounce package of hair dye under $40", + "two ounce package of hair dye under $50" + ], + "i am looking for a high power binocular for watching the birds .": [ + "high power binocular for watching the birds", + "high power binocular for watching the birds .", + "low power binocular for watching the birds", + "high power binocular for watching the birds.", + "high power binocular for watching the birds,", + " binocular for watching the birds", + "high power binocular for watching the birds ", + "high power binocular", + "high power binocular for watching birds", + "high power binocular watching the birds" + ], + "i'm looking for a human skeleton shower cap made for women with natural hair.": [ + "human skeleton shower cap made for women with natural hair", + "human skeleton shower cap made for women", + "human skeleton shower cap for women with natural hair", + "human skeleton shower cap", + "human skeleton shower cap for women", + "man skeleton shower cap made for women with natural hair", + "human skeleton shower cap made for woman with natural hair", + "human skeleton shower cap made for women natural hair", + "human skeleton shower cap for women with natural hair.", + "human skeleton shower cap woman with natural hair" + ], + "let me get an anti perspirant deodorant for sensitive skin.": [ + "anti perspirant deodorant for sensitive skin", + "anti perspirant deodorant for sensitive skin.", + "anti perspirant deodorant sensitive skin", + "anti perspirant deodorant for sensitive skin under $40", + "anti perspirant deodorant for sensitive skin under $50", + "anti perspirant deodorant for sensitive skin under $60", + "anti perspirant deodorant for sensitive skin under 50 dollars", + "anti perspirant deodorant for sensitive skin under 30 dollars", + "ant deodorant for sensitive skin", + "anti perspirant deodorant for sensitive skin under 60 dollars" + ], + "i want to buy an anti antiperspirant deodorant for sensitive skin.": [ + "anti antiperspirant deodorant for sensitive skin", + "antiperspirant deodorant for sensitive skin", + "anti antiperspirant deodorant for sensitive skin.", + "anti antiperspirant deodorant sensitive skin", + "antiperspirant deodorant for sensitive skin.", + "anti antiperspirant deodorant for sensitive skin,", + "antiperspirant deodorant sensitive skin", + "anti antiperspirant deodorant", + "antiperspirant deodorant", + "anti antiperspirant" + ], + "i am looking a tempared glass anti scratch screen protector for i phone 13 pro": [ + "tempered glass anti scratch screen protector for i phone 13 pro", + "tempared glass anti scratch screen protector for i phone 13 pro", + "tempered glass anti scratch screen protector i phone 13 pro", + "temporaryared glass anti scratch screen protector for i phone 13 pro", + "tempered glass anti scratch screen protector", + "temporary glass anti scratch screen protector for i phone 13 pro", + "tempsared glass anti scratch screen protector for i phone 13 pro", + "temporary covered glass anti scratch screen protector for i phone 13 pro", + "temperatureared glass anti scratch screen protector for i phone 13 pro", + "tempared glass anti scratch screen protector i phone 13 pro" + ], + "i need steel gray color water resistant bag": [ + "steel gray color water resistant bag", + "teeth gray color water resistant bag", + "steel gray water resistant bag", + "brushed gray color water resistant bag", + "steel gray color water resistant bag under $40", + "steel gray color water resistant bag under $50", + " steel gray color water resistant bag", + "steel gray color water resistant bag under $60", + "steel gray color water resistant bag below $50", + "steel gray color water resistant bag below $40" + ], + "i want mivofun 11pcs cute dinosaur cake toppers for a baby shower.": [ + "mivofun 11pcs cute dinosaur cake toppers baby shower", + "mivofun 11pcs cute dinosaur cake toppers", + "mivofun 11pcs baby shower", + "mivofun 11pcs cute baby shower", + "baby shower mivofun 11pcs cute dinosaur cake toppers", + "moisturizing dinosaur cake toppers for a baby shower", + "mivofun 11pcs baby shower.", + "moisturizing dinosaur cake toppers for baby shower", + "mivofun 11pcs cute baby shower.", + "moisturizing baby shower" + ], + "i am looking for goodness of health cinnamon flavored toffee covered cashews by it's delish an energizing and delicious snack for those reducing sodium in their diet. almonds flavor , 3 pound size preferable.": [ + "goodness of health cinnamon flavored toffee covered cashews", + "toffee covered cashews almond flavor 3 pound size preferable.", + "toffee covered cashews almond flavor 3 pound size preferable", + "toffee covered cashews almonds flavor 3 pound size preferable.", + "good cinnamon flavored toffee covered cashews", + "good quality cinnamon flavored toffee covered cashews", + "toffee covered cashews almonds flavor 3 pound size preferable", + "good cinnamon flavored toffee covered cashews, 3 pound size preferable", + "sugar-flavored toffee covered cashews", + "goodness of health cinnamon flavored toffee covered cashews under $50" + ], + "my mom like non dairy pecans flavor": [ + "non dairy pecans flavor", + "non dairy pecans flavor no dairy", + "non dairy pecans flavor below $40", + "non dairy pecans flavor under $40", + "non dairy pecans flavor below $50", + "non dairy pecans flavor under $50", + "non dairy pecans flavor flavor", + "non dairy pecan flavor", + "non dairy pecans flavor", + "non dairy pecans" + ], + "i would like a gold birthday party cupcake topper": [ + "gold birthday party cupcake topper", + "birthday party cupcake topper gold", + "pink birthday party cupcake topper", + "cupcake topper gold", + "gold birthday party cupcake toppers", + "cupcake topper for a baby shower", + "a gold birthday party cupcake topper", + "gold baby shower cupcake topper", + "cupcake topper gold for baby shower", + "gold birthday party cupcake topper gold" + ], + "i am looking for a office leather chair useful for heavy duty with synchro-tilt mechanism": [ + "office leather chair with synchro-tilt mechanism", + "office leather chair heavy duty with synchro-tilt mechanism", + "office leather chair heavy duty", + "office leather chair that is heavy duty", + "office leather chair", + "office leather chair useful for heavy duty", + "office leather chair for heavy duty", + "office leather chair heavy duty", + "office leather chair heavy duty with synchro-tilt", + "office leather chair heavy duty with synchro-tilt" + ], + "i would like a tteal green hrow pillow cover that is super soft and 16\" by 16\"": [ + "tteal green hrow pillow cover", + "tteal green hrow pillow cover 16 by 16", + "tteal green hrow pillow cover that is super soft", + "teal green hrow pillow cover that is super soft 16 by 16", + "tteal green hrow pillow cover with super soft 16 by 16", + "tteal green hrow pillow cover16 by 16", + "tteal green hrow pillow cover 17 by 16", + "teal green hrow pillow cover 16 by 16", + "tteal green hrow pillow cover, super soft 16 by 16", + "teal green hrow pillow cover that is super soft" + ], + "i need some facial scrub for sensitive skin. it should be oil free. get the three pack.": [ + "facial scrub for sensitive skin three pack", + "facial scrub sensitive skin three pack", + "facial scrub for sensitive skin 3 pack", + "facial scrub for sensitive skin three pack.", + "facial scrub for sensitive skin, three pack", + "moisturizing sensitive skin three pack", + "facial scrub for sensitive skin. three pack", + "macial scrub for sensitive skin three pack", + "facial scrub for sensitive skin", + "3 pack facial scrub for sensitive skin" + ], + "i need height adjustable home office desk chair with metal legs in ivory color.": [ + "height adjustable home office desk chair with metal legs in ivory", + "height adjustable home office desk chair with metal legs", + "height adjustable office desk chair with metal legs in ivory color", + "height adjustable office desk chair with metal legs in ivory", + "height adjustable home office desk chair in ivory color", + "height adjustable home office desk chair", + "height adjustable home office desk chair metal legs in ivory color", + "height adjustable home office desk chair with metal legs, ivory", + "height adjustable home office desk chair metal legs in ivory", + "height adjustable office desk chair with metal legs" + ], + "i want to find an orange color corrector for my teeth, which are very sensitive.": [ + "orange teeth corrector", + "orange teeth color corrector", + "orange teeth corrector, sensitive", + "orange color corrector for my teeth teeth", + "orange color corrector for my teeth", + "orange teeth corrector for sensitive teeth", + "orange teeth corrector that is sensitive", + "orange teeth corrector orange", + "orange teeth red", + "orange" + ], + "i want to find a wall-mounted security camera that runs on aaa batteries.": [ + "wall-mounted security camera with aaa batteries", + "wall-mounted security camera", + "wall-mounted security camera, aaa batteries", + "wall-mounted security camera in aaa batteries", + "wall-mounted security camera with batteries", + "wall-mounted security camera under $40", + "wall-mounted security camera under $50", + "wall mounted security camera with aaa batteries", + "wall mounted security camera", + "aaa security camera" + ], + "i need a pair of stretch cotton spandex pants in size 40w x 32l. they should be machine washable and in a stone color.": [ + "stretch cotton spandex pants in size 40w x 32l", + "Stretch cotton spandex pants in size 40w x 32l", + " stretch cotton spandex pants in size 40w x 32l", + "stretch cotton spandex pants in a stone color", + "stretch cotton spandex pants size 40w x 32l", + "retch cotton spandex pants in size 40w x 32l", + "stretch cotton spandex pants 40w x 32l", + "Stretch cotton spandex pants 40w x 32l", + "Stretch cotton spandex pants in a stone color", + "stretch cotton spandex pants" + ], + "buy me a sixteen pack of sugar free spicy nacho keto chips.": [ + "16 pack of sugar free spicy nacho keto chips", + "teen pack of sugar free spicy nacho keto chips", + "sugar free spicy nacho keto chips", + "16 pack of sugar free nacho keto chips", + "16 pack sugar free spicy nacho keto chips", + "sugar free spicy nacho keto chips sixteen pack", + "sugar free nacho keto chips", + "teen pack of sugar free nacho keto chips", + "sugar free spicy nacho keto chips 16 pack", + "16 pack of sugar free sacho keto chips" + ], + "i am looking for a pink case with a kickstand and wireless charging for my samsung galaxy s21 ultra.": [ + "pink samsung galaxy s21 ultra case", + "pink samsung galaxy s21 ultra samsung case", + "pink samsung galaxy s21 ultra", + "pink samsung galaxy s21 ultra pink case", + "pink samsung galaxy s21 ultra charging case", + "pink samsung galaxy s21 ultra with kickstand", + "pink case with kickstand", + "pink case with a kickstand", + "pink case", + "pink" + ], + "i want a juniper and fully assembled rivet decatur modern upholstered dining chair.": [ + "juniper modern upholstered dining chair", + " juniper modern upholstered dining chair", + "comfortable dining chair with a juniper and fully assembled rivet decatur", + "juniper modern upholstered dining chair.", + " juniper modern upholstered dining chair.", + "jeans dining chair, juniper and fully assembled, less than $130", + "juniper modern upholstered dining chair under $40", + "jeans dining chair, juniper and fully assembled", + "juniper dining chair", + "comfortable dining chair" + ], + "i would like a pink classic fit shirt for men that is a size 4t.": [ + "pink classic fit shirt for men size 4t", + "pink classic fit shirt for men in a size 4t", + "pink classic fit shirt for men size 4t.", + "pink classic fit shirt for men", + "pink classic fit shirt for men, size 4t", + "pink classic fit shirt for men a size 4t", + "pink classic fit shirt for men in size 4t", + "pink classic fit shirt for men, a size 4t", + "pink classic fit shirt for men, size 4t.", + "pink classic fit shirt" + ], + "i am looking for jolly rancher candies that are individually wrapped, but in a fat free version.": [ + "jolly rancher candies that are individually wrapped, fat free", + "jolly rancher candies that are individually wrapped", + "jolly rancher candies that are individually wrapped, fat free,", + "jolly rancher candies that are individually wrapped, but in a fat free version", + "jolly rancher candies that are individually wrapped, fat free, under $40", + "jolly rancher candies that are individually wrapped in a fat free version", + "jolly rancher candies that are individually wrapped, fat free, jolly", + "jolly rancher candies fat free", + "jolly rancher candies, individually wrapped, fat free", + "jolly rancher candies" + ], + "get a heavy duty double toggle wall plate cover.": [ + "double toggle wall plate cover", + "heavy duty double toggle wall plate cover", + "double toggle wall plate cover.", + "low duty double toggle wall plate cover", + "large duty double toggle wall plate cover", + "double toggle wall plate cover heavy duty", + "single toggle wall plate cover", + "large duty wall plate cover", + "wooden plate cover heavy duty", + "two toggle wall plate cover" + ], + "i am looking for a 5-shelf industrial corner, a-shaped display storage rack shelf in grey finish. it needs to be space saving, 5-tier, and have storage space. made by homyshopy.": [ + "5-shelf industrial corner in grey finish", + "5-shelf industrial corner with a-shaped display storage rack shelf", + "5-shelf industrial corner with grey finish", + "5-shelf industrial corner, grey finish", + "5-shelf industrial corner with storage space", + "a 5-shelf industrial corner in grey finish", + "5-shelf industrial corner with storage space in grey finish", + "5-shelf industrial corner, grey finish,", + "5-shelf industrial corner in grey finish,", + "5-shelf industrial corner" + ], + "i'm looking for hd electronics it so useful and long lasting.": [ + "hd electronics it so useful and long lasting", + "homed electronics it so useful and long lasting", + "home theater electronics it so useful and long lasting.", + "hd electronics it useful and long lasting.", + "hd electronics it useful and long lasting", + "home theater electronics hd long lasting", + "hd electronics that are long lasting", + "home theater electronics it so useful and long lasting", + "hd electronics", + "home theater electronics" + ], + "find an extra large blue long sleeve sweatshirt.": [ + "extra large blue long sleeve sweatshirt", + "extra large blue long sleeve sweatshirt under $50", + "extra large blue long sleeve sweatshirt under $40", + "extra large blue long sleeve sweatshirt under 50 dollars", + "extra large blue long sleeve sweatshirt.", + "extra large blue long sleeve sweatshirt under $60", + "extra large blue long sleeve sweatshirt under 40 dollars", + "extra large blue long sleeve sweatshirt under 30 dollars", + "extra large blue long sleeve sweatshirt under 60 dollars", + "extra large blue long sleeve sweatshirt under 120 dollars" + ], + "i want red lucky brand women's low rise jeans.": [ + "red lucky brand womens low rise jeans", + "red lucky brand womens low rise jeans.", + "womens low rise jeans red lucky brand", + "low rise jeans red lucky brand", + " red lucky brand womens low rise jeans", + "low rise jeans red lucky brand womens", + "womens low rise jeans", + "white low rise jeans red lucky brand", + "blue high rise jeans red lucky brand", + "low rise jeans" + ], + "i want to buy a high performance quad core streaming media player.": [ + "quad core streaming media player", + "quad core streaming media player that is high performance", + "quad core streaming media player.", + "quad core streaming media player high performance", + "quad core streaming media player with high performance", + "high performance quad core streaming media player", + "quad core streaming media player, high performance", + "quad core streaming media player which is high performance", + "high performance quad core streaming media player.", + "quad core streaming media player whose price is high" + ], + "i need a pair of slip-resistant work boots in a size 8. buy them in black.": [ + "slip-resistant work boots in a size 8", + "slip-resistant work boots size 8 in black", + "slip-resistant work boots in a size 8 black", + "shoes size 8 slip-resistant work boots in black", + "slip-resistant work boots size 8 black", + "slide-resistant work boots in a size 8", + "shoes in a size 8. buy them in black", + "slip-resistant work boots size 8", + "shoes in a size 8", + "shoes size 8 slip-resistant" + ], + "this brand thorogood infinity fd series 6\u201d is gorgeous ! i want by one with: waterproof, slip resistant, composite safety toe work boots for men in a butterscotch collor and size 13": [ + "i want by one with: waterproof, slip resistant, composite safety toe work boots for men in a butterscotch collor and size 13", + "i want by one with: waterproof, slip resistant, composite safety toe work boots for men in a butterscotch collor, size 13", + "the brand thorogood infinity fd series 6\u201d waterproof", + "turogood infinity fd series 6\u201d waterproof", + "i want by one with: waterproof, slip resistant, composite safety toe work boots", + "trouogood infinity fd series 6\u201d waterproof", + "routerood infinity fd series 6\u201d waterproof", + "the brand thorogood infinity fd series 6\u201d", + "tvgood infinity fd series 6\u201d waterproof", + "turogood infinity fd series 6\u201d" + ], + "i am looking for butt lift high waist tummy control breathable athletic yoga pants affordable and accessible, perfect for fitness enthusiasts and everyday athleisure. jaqqra legging that are made from the highest quality fabricss for women which are designed to remove moisture from your body, providing maximum comfort. pretty squat proof! breathable, tight fit, strong compression, quick drying, moisture wicking, stretchy.super elastic fabrics are perfect for your body,very comfortable and soft! in yellow sizw 3x large preferable.": [ + "butt lift high waist tummy control breathable yoga pants", + "butt lift high waist yoga pants", + "butt lift high waist tummy control breathable workouts pants", + "butt lift high waist tummy control breathable hiking pants", + "butt lift high waist tummy control breathable workout pants", + "butt lift high waist tastic yoga pants", + "butt lift high waist tummy control breathable", + "butt lift high waist tai yoga pants", + "butt lift high waist t-shirt", + "butt lift high waist jeans" + ], + "i want to find multi-colored extra-small sweatpants that i can wear daily.": [ + "multi-colored extra-small sweatpants", + "mult-colored extra-small sweatpants", + " multi-colored extra-small sweatpants", + "Multi-colored extra-small sweatpants", + "extra-small sweatpants", + "single colored extra-small sweatpants", + "rainbow sweatpants multi-colored", + "extra-small sweatpants multi-colored", + "extra-small sweatpants multi-colored daily", + "multi-colored extra-small sweatpants," + ], + "i need a pair of pink loafers for teen girls. they should be size eight.": [ + "teen girl pink loafers size eight", + "pink loafers teen girl size eight", + "teen girl pink loafers size 8", + "pink loafers for teen girls", + "pink loafers teen girls size eight", + "pink loafers teen girl size 8", + "teen girl pink loafers, size eight", + "teen girl pink loafers", + "pink loafers size eight", + "pink loafers" + ], + "i'm looking for white hair extensions made with synthetic hair.": [ + "white hair extensions with synthetic hair", + "white hair extensions", + "white hair extension with synthetic hair", + "white hair extension", + "white hair extensions made with synthetic", + "white human hair extensions", + "white hair extensions, synthetic hair", + "white hair extensions synthetic hair", + "white human hair extension", + "white hair extensions natural synthetic" + ], + "i want a red office chair ergonomic gaming chair with lumbar support.": [ + "red office chair ergonomic gaming chair with lumbar support", + "red office chair ergonomic gaming chair lumbar support", + "red office chair ergonomic gaming chair", + "office chair ergonomic gaming chair with lumbar support", + "office chair ergonomic gaming chair lumbar support", + "red office chair ergonomic gaming chair, lumbar support", + "green office chair ergonomic gaming chair with lumbar support", + "grey office chair ergonomic gaming chair with lumbar support", + "desktop chair ergonomic gaming chair with lumbar support", + "red office chair ergonomic gaming chair lumbar support." + ], + "i am looking for a pair of women's ultra soft arch support sandals in a size 9.": [ + "womens ultra soft arch support sandals size 9", + "womens ultra soft arch support sandals", + "womens ultra soft arch support sandals a size 9", + "womens ultra soft arch support sandals, size 9", + "mens ultra soft arch support sandals in a size 9", + "mens ultra soft arch support sandals in a size 9", + "womens ultra soft arch support sandals size 9.", + "womens ultra soft arch support sandals 9", + "tempered sandals in a size 9", + "tempered sandals size 9" + ], + "i need black non slip zieglen sandals for women.": [ + "black non slip zieglen sandals", + "black zieglen sandals for women", + "white zieglen sandals for women", + "non slip zieglen sandals", + "white non slip zieglen sandals", + "black zieglen sandals", + "white zieglen sandals", + "silicone sandals for women", + "sneakers for women black", + "sneakers for women" + ], + "i need a 3 pack pendant light fixture with glass shade and white finish. it should be 45.7 inches in size.": [ + "3 pack pendant light fixture with glass shade and white finish", + "3 pack pendant light fixture", + "pendant light fixture with glass shade and white finish", + "3 pack pendant light fixture, glass shade and white finish", + "3 pack pendant light fixture with glass shade and white", + "3 pack pendant light fixture, glass shade and white", + "portrait light fixture with glass shade and white finish", + " 3 pack pendant light fixture with glass shade and white finish", + "3 pack pendant light fixture in glass shade and white", + "3 pack pendant light fixture with glass shade" + ], + "i want charcoal and comfortable fit skechers performance women's go walk shoes.": [ + " charcoal and comfortable fit skechers performance womens walk shoes", + " charcoal and comfortable fit skechers performance womens walking shoes", + " charcoal comfortable fit skechers performance womens go walk shoes", + " charcoal comfortable fit skechers performance womens walk shoes", + "charcoal comfortable fit skechers performance womens walk shoes", + "knechers performance womens go walk shoes", + "knechers performance womens walk shoes", + "knee walk shoes", + "knee walk shoes charcoal comfortable fit", + "knee walking shoes" + ], + "i want hand painted jmkj sculptures.": [ + "hand painted jmkj sculptures", + "hand painted jmkj sculptures.", + "hand painted jmkj sculptures under $50", + "hand painted jmkj sculptures under $40", + "hand painted jmkj sculptures under 30 dollars", + "hand painted jmkj sculptures under $60", + "hand painted jmkj sculptures under 50 dollars", + "hand painted jmkj sculptures under 60 dollars", + "hand painted jmkj sculptures under 40 dollars", + "hand painted jmkj sculptures under 120 dollars" + ], + "order a high waisted skirt in a size small. get the plantation colored one.": [ + "high waisted skirt in a size small", + "a high waisted skirt in a size small", + "low waisted skirt in a size small", + "high waisted skirt small plantation colored", + "large plantation colored skirt", + "small plantation colored skirt", + "size small plantation colored skirt", + "plantation colored skirt", + "stretch small plantation colored", + "stretch small plantation colored skirt" + ], + "i would like a pack of vermicelli rice sticks that are easy to make.": [ + "pack of vermicelli rice sticks", + "bag of vermicelli rice sticks", + "pack of vermicelli rice sticks easy to make", + "bag of vermicelli rice sticks easy to make", + "varmicelli rice sticks that are easy to make", + "pack of vermicelli rice sticks easy to make.", + "varmicelli rice sticks easy to make", + "plastic vermicelli rice sticks", + "pack of vermicelli rice sticks, easy to make", + "varmicelli rice sticks" + ], + "i need a cellphone car adapter with output protection.": [ + "phone car adapter with output protection", + "tablet car adapter with output protection", + "a cellphone car adapter with output protection", + "phone car plug-in with output protection", + "cellphone car adapter with output protection", + " cellphone car adapter with output protection", + "phone car adapter that is output protection", + "phone car adapter no output protection", + "phone car adapter", + "phone car adapter with output protection." + ], + "i need to buy a virtual reality headset with a carrying case.": [ + "virtual reality headset with a carrying case", + "virtual reality headset with carrying case", + "Virtual reality headset with a carrying case", + "portrait headset with a carrying case", + "portrait headset with carrying case", + " virtual reality headset with a carrying case", + "virtual reality headset, carrying case", + "virtual reality headset carrying case", + "virtual reality headset with a carry case", + "virtual reality headset" + ], + "i am looking for teeth whitening stirps that come with a shade guide.": [ + "teeth whitening stirps with shade guide", + " teeth whitening stirps with a shade guide", + "teeth whitening stirps", + " teeth whitening stirps with shade guide", + "teeth whitening stirps, shade guide", + "teeth whitening stirps shade guide", + "teeth whitening stirps under $40", + "toothpaste teeth whitening stirps", + " teeth whitening stirps", + "toothpaste" + ], + "i am looking for women's cotton spandex booty shorts with medium size and color should be black bae white": [ + "womens cotton spandex booty shorts black bae white", + "womens cotton spandex booty shorts with medium size black bae white", + "womens cotton spandex booty shorts", + "womens cotton spandex booty shorts in medium size black bae white", + "womens cotton spandex booty shorts that are black bae white", + "womens cotton spandex booty shorts with medium size", + "womens cotton spandex booty shorts size black bae white", + "womens cotton spandex booty shorts in black bae white", + "womens cotton spandex booty shorts, black bae white", + "womens cotton spandex booty shorts, black bae white," + ], + "i want wall light 1 light bathroom vanity lighting.": [ + "wall light 1 light bathroom vanity lighting", + "wall light bathroom vanity lighting", + "wall light 2 light bathroom vanity lighting", + "womens bathroom vanity lighting", + "wall light 1 bathroom vanity lighting", + "wall light 3 light bathroom vanity lighting", + "wall light 1 light bathroom vanity lights", + "wall light bathroom vanity lighting.", + "wall light, bathroom vanity lighting", + "wall light vanity lighting" + ], + "i need some pants with an elastic waist. they should be black and in size three x large.": [ + "black elastic waist pants three x large", + "black elastic waist pants size three x large", + "black elastic waist pants in a size three x large", + "black elastic waist pants in size three x large", + "black pants with an elastic waist size three x large", + "black elastic waist pants", + "black elastic waist pants size 3 x large", + "black elastic waist pants 3 x large", + "black elastic waist pants, size three x large", + "black elastic waist pants in a size 3 x large" + ], + "i am looking for a steel framed brown 5 tier bookcase.": [ + "steel framed brown 5 tier bookcase", + "steel framed brown 5 tier bookcase.", + "brushed brown 5 tier bookcase", + "steel framed brown 5 tier bookcase,", + "steel framed brown 5 tier bookcase under $50", + "steel framed brown 5 tier bookcase under $40", + "steel framed brown 5 tier bookcase under $60", + "steel framed brown 5 tier bookcase under $120", + "brushed brown 5 tier bookcase.", + "a steel framed brown 5 tier bookcase." + ], + "i want black chloe women's arch support clogs.": [ + "black chloe womens arch support clogs", + "black chloe womens arch support clogs.", + "i want black chloe womens arch support clogs.", + "clogs black chloe womens arch support clogs", + "black chloe womens arch support clogs under $50", + "black chloe womens arch support clogs under $40", + "black chloe womens arch support clogs,", + "chloe womens arch support clogs", + "black chloe womens arch support clogs under $60", + "white chloe womens arch support clogs" + ], + "i want a pack of low fat gourmet kitchen cooked shrimp.": [ + "pack of low fat gourmet kitchen cooked shrimp", + "low fat gourmet kitchen cooked shrimp pack", + "pack of low fat gourmet kitchen cooked shrimp.", + "bag of low fat gourmet kitchen cooked shrimp", + "low fat gourmet kitchen cooked shrimp pack below $40", + "low fat gourmet kitchen cooked shrimp pack below $50", + "low fat gourmet kitchen cooked shrimp pack below $60", + "low fat gourmet kitchen cooked shrimp pack under $40", + "low fat gourmet kitchen cooked shrimp pack under 50 dollars", + "low fat gourmet kitchen cooked shrimp pack under $60" + ], + "i want to find a doctor's stool with cinder-colored fabric. it needs to be 18.5 inches to 24 inches tall and be height adjustable.": [ + "Doctors stool 18.5 inches to 24 inches tall height adjustable", + "medical stool 18.5 inches to 24 inches tall height adjustable", + "medical stool 18.5 inches to 24 inches height adjustable", + "medical stool 18.5 x 24 inches height adjustable", + "Doctors stool 18.5 x 24 inches height adjustable", + "Doctors stool 18.5 inches to 24 inches height adjustable", + "Doctors stool with cinder-colored fabric", + "Doctors stool 18.5 inches to 24 inches tall and height adjustable", + "medical stool with cinder-colored fabric", + "medical stool 18.5 inches to 24 inches tall and height adjustable" + ], + "i want a easy clean water resistant hair cutting salon kit for professnol hair salon color:style 2": [ + "easy clean water resistant hair cutting salon kit", + "easy clean water resistant hair cutting salon kitstyle 2", + "easy clean water resistant hair cutting salon kit style 2", + "bathroom kit for professnol hair salon color", + "easy clean water resistant hair cutting salon kit for professnol", + "easy clean water resistant hair cutting salon kit in professnol", + "bathroom kit for professnol hair salon colorstyle 2", + "easy clean water resistant hair cutting salon kit under $40", + "easy clean water resistant hair cutting salon kit under $50", + "living water resistant hair cutting salon kit" + ], + "i need a case for my 40 millimeter samsung galaxy watch 4. look for one with a tempered glass screen in rose gold.": [ + "40 millimeter samsung galaxy watch 4 case in rose gold", + "40 millimeter samsung galaxy watch 4 case", + "samsung galaxy watch 4 case in rose gold", + "samsung galaxy watch 4 case tempered glass screen in rose gold", + "40 millimeter samsung galaxy watch 4", + "40 millimeter samsung galaxy watch 4 case, rose gold", + "40 millimeter samsung galaxy watch 4 in rose gold", + "40 millimeter samsung galaxy watch 4 with tempered glass screen", + "samsung galaxy watch 4 case tempered glass", + "40 millimeter samsung galaxy watch" + ], + "men's eau de parfum long lasting for daily use": [ + "mens eau de parfum long lasting for daily use", + "mens eau de parfum long lasting for daily use", + "mens eau de parfum long lasting", + "mens i eau de parfum long lasting for daily use", + "mens eau de parfum long lasting", + "mens dau de parfum long lasting for daily use", + "mens eau of parfum long lasting for daily use", + "menseau de parfum long lasting for daily use", + "mens aau de parfum long lasting for daily use", + "mens eau de parfum" + ], + "i am looking for a rose gold colored nail polish storage case.": [ + "rose gold nail polish storage case", + "rose gold polish storage case", + "rose gold colored nail polish storage case", + "rose gold nail polish storage case.", + "rose gold colored nail polish storage case.", + "rose gold color nail polish storage case", + "rose gold pink nail polish storage case", + "rose gold polish storage case.", + "rose gold nail polish storage case,", + "rose gold colored nail polish storage case," + ], + "i need to buy a ready to hang art print that's sixteen by twenty-four inches. look for one that has women and palm leaves on it.": [ + "16 by twenty-four inches art print", + "teen by twenty-four inches art print", + "16 by twenty-four inch art print", + "ready to hang art print sixteen by twenty-four inches", + "16 by twenty-four inches women art print", + "teen by twenty-four inch art print", + "16 by twenty-four inches wall art print", + "teen by twenty-four inches art print under 30 dollars", + "16x twenty-four inch art print", + "teen by twenty-four inches art print with women" + ], + "i need a space saving office desk that is blue and 90 by 30 cm": [ + "blue office desk that is blue and 90 by 30 cm", + "grey office desk that is blue and 90 by 30 cm", + "white office desk that is blue and 90 by 30 cm", + "blue office desk that is 90 by 30 cm", + "blue and 90 by 30 cm office desk", + "black office desk that is blue and 90 by 30 cm", + "office desk blue and 90 by 30 cm", + "blue office desk with 90 by 30 cm", + "blue and 90 by 30 cm office desk that is blue", + "blue office desk 90 by 30 cm" + ], + "i want blue striped and wide leg elsofer women's pajama lounge pants.": [ + "blue striped and wide leg elsofer womens pajama lounge pants", + "blue striped wide leg elsofer womens pajama lounge pants", + "blue striped long leg elsofer womens pajama lounge pants", + "blue striped leg elsofer womens pajama lounge pants", + "blue striped, wide leg elsofer womens pajama lounge pants", + "blue striped and wide leg elsofer women pajama lounge pants", + "blue striped and wide legelsofer womens pajama lounge pants", + "blue striped and wide leg lsofer womens pajama lounge pants", + "blue striped and wide leg elsofer pajama lounge pants", + "blue striped womens pajama lounge pants" + ], + "i am looking for mj korean cosmetic full face collagen red ginseng essence pack for sensitive skin in color: hyaluronic acid and size: pack of 14": [ + "mj korean cosmetic full face collagen red ginseng essence pack for sensitive skin in color", + "mj korean cosmetic full face collagen red ginseng essence pack for sensitive skin in color pack of 14", + "mj korean cosmetic full face collagen red ginseng essence pack", + "mj korean cosmetic full face collagen red ginseng essence pack for sensitive skin in color of 14", + "mens korean cosmetic full face collagen red ginseng essence pack for sensitive skin in color pack of 14", + "mj korean cosmetic full face collagen red ginseng essence pack for sensitive skin", + "mens korean cosmetic full face collagen red ginseng essence pack for sensitive skin in color", + "mj korean cosmetic full face collagen red ginseng essence pack with sensitive skin in color pack of 14", + "mens korean cosmetic full face collagen red ginseng essence pack", + "mens korean cosmetic full face collagen red ginseng essence pack for sensitive skin" + ], + "i would like a long lasting animal pattern storage bench that is easy to clean.": [ + "animal pattern storage bench that is easy to clean", + "animal pattern storage bench", + "long lasting animal pattern storage bench", + "animal pattern storage bench, easy to clean", + "animal pattern storage bench easy to clean", + "a long lasting animal pattern storage bench", + "temporary animal pattern storage bench", + "animal pattern storage bench clean", + "lens pattern storage bench", + "alarm bench" + ], + "i saw the women's shoe in a store and i need you to find it on amazon in brown and size 7, with rubber sole. the brand is jambu and the model is mule.": [ + "womens shoe in a brown and size 7", + "womens shoe in a brown size 7", + "womens shoe in a brown", + "womens shoe size 7, with rubber sole", + "womens shoe in brown and size 7", + "womens shoe in brown", + "womens shoe in a brown mule", + "womens shoe in brown size 7", + "womens shoe size 7", + "womens shoe" + ], + "i want to buy some tummy-control shorts in extra small.": [ + "tummy-control shorts in extra small", + "tummy-control shorts extra small", + "tummy control shorts in extra small", + "tummy control shorts extra small", + "tummy-control shorts extra small", + "tummy control shorts in extra small", + "extra small tummy-control shorts", + "tummy control shorts extra small", + "tummy-control shorts", + "tummy control shorts" + ], + "i need a vanity light that is a satin nickel color.": [ + "vanity light satin nickel color", + "vanity light satin nickel", + "k vanity light satin nickel color", + "t vanity light satin nickel color", + "pink vanity light satin nickel color", + "vanity light, satin nickel color", + "sittingin nickel color vanity light", + "a vanity light satin nickel color", + "vinyl light satin nickel color", + "k vanity light satin nickel" + ], + "i want a hands free hlongg bluetooth clock speaker.": [ + "hand free hlongg bluetooth clock speaker", + "hands free hlongg bluetooth clock speaker", + "hlongg bluetooth clock speaker", + "hand free hlongg bluetooth clock speaker.", + "a hands free hlongg bluetooth clock speaker", + "hands free hlongg bluetooth clock speaker.", + "lens free hlongg bluetooth clock speaker", + "hand free hlongg bluetooth clock speaker,", + "womens free bluetooth clock speaker", + "hands free hlongg bluetooth clock speaker," + ], + "i need to buy a smartwatch band for my apple watch. look for one in rose gold stainless steel mesh.": [ + "smartwatch band rose gold stainless steel", + "smartwatch band rose gold", + "smartwatch band in rose gold stainless steel", + "smartwatch band for apple watch rose gold", + "smartwatch band, rose gold stainless steel", + "smartwatch band for apple watch", + "smartwatch band with rose gold stainless steel", + "watch band rose gold stainless steel", + "smartwatch band in rose gold", + "smartwatch band" + ], + "i want samsung galaxy s22 glass screen protectors.": [ + "samsung galaxy s22 glass screen protectors", + "samsung galaxy s22 glass screen protectors.", + " samsung galaxy s22 glass screen protectors", + "samsung galaxy s22 glass screen protectors,", + "samsung galaxy s22 glass screen protectionors", + "samsung galaxy s22 glass screen protector", + "samsung galaxy s22 s22 glass screen protectors", + "samsung galaxy s22 glass screen protectors samsung", + "samsung galaxy s22 screen protectors", + "amsung galaxy s22 glass screen protectors" + ], + "i would like a campfire fragrance beard conditioner made with argan oil": [ + "campfire fragrance beard conditioner made with argan oil", + " campfire fragrance beard conditioner made with argan oil", + "Campfire fragrance beard conditioner made with argan oil", + "packfire fragrance beard conditioner made with argan oil", + "campfire fragrance beard conditioner with argan oil", + "campfire scent beard conditioner made with argan oil", + "comfortable beard conditioner made with argan oil", + "campfire fragrance beard conditioner made with argan oil,", + "wooden fragrance beard conditioner made with argan oil", + "campfire fragrance beard conditioner made with argan oil." + ], + "i need a solid wood computer desk for living room which is easy to install and clean. i want color choice 1 and style 2.": [ + "solid wood computer desk for living room", + "solid wood computer desk for living room with color choice 1 and style 2", + "solid wood computer desk for living room color choice 1 and style 2", + "solid wood computer desk for living room which is easy to install and clean", + "solid wood computer desk for living room color choice 1 and style 2.", + "solid wood computer desk for living room in style 2", + "stainless wood computer desk for living room", + "solid wood computer desk for living room color choice 1", + "solid wood computer desk", + "desktop computer desk in style 2" + ], + "look for some high quality stainless steel hair cutting shears. they should be seven inches and made out of stainless steel.": [ + "stainless steel hair cutting shears made out of stainless steel", + "stainless steel hair cutting shears", + "stainless steel hair cutting shears seven inches high quality stainless steel", + "high quality stainless steel hair cutting shears made out of stainless steel", + "stainless steel hair cutting shears 7 inches high quality stainless steel", + "stainless steel hair cutting shears that are seven inches high quality stainless steel", + "stainless steel hair cutting shears that should be seven inches high quality", + "stainless steel hair cutting shears that are seven inches", + "stainless steel hair cutting shears, seven inches high quality, stainless steel", + "high quality stainless steel hair cutting shears" + ], + "i need a large niantie mens short sleeve t shirt.": [ + "large niantie mens short sleeve t-shirt", + "large niantie mens short sleeve t shirt", + "niantie mens short sleeve t-shirt", + "large niantie mens t-shirt", + "large niantie mens short sleeve t shirt.", + "niantie mens short sleeve t shirt", + "niantie mens short sleeve t-shirt.", + "large niantie mens t shirt", + "womens short sleeve t-shirt", + "niantie mens t-shirt" + ], + "i need a double dark chocolate bar which is high protein and ready to eat.": [ + "double dark chocolate bar high protein and ready to eat", + "double dark chocolate bar", + "double dark chocolate bar, high protein and ready to eat", + "double dark chocolate bar high protein", + "double dark chocolate bar high protein and ready to eat.", + "double dark chocolate bar that is high protein", + "double dark chocolate bar with high protein and ready to eat", + "double dark chocolate bar, high protein, ready to eat", + "double dark chocolate bar high protein, ready to eat", + "double dark chocolate bar whose price is high protein" + ], + "i am looking for a 50ml leak proof refillable glass spray bottle.": [ + "50ml leak proof refillable glass spray bottle", + "50ml leak proof refillable glass spray bottle.", + "50ml leak proof refillable glass spray bottle under $40", + "50ml leak proof refillable glass spray bottle under $60", + "50ml leak proof refillable glass spray bottle under 50 dollars", + "50ml leak proof refillable glass spray bottle under $50", + "50ml leak proof refillable glass spray bottle below $60", + "50ml leak proof refillable glass spray bottle below $40", + "50ml leak proof refillable glass spray bottle under 30 dollars", + "50ml leak proof refillable glass spray bottle under 40 dollars" + ], + "i want black rockport men's toe sneaker with lace closure.": [ + "black rockport mens toe sneaker with lace closure", + "rockport mens toe sneaker with lace closure", + "black rockport mens toe sneaker", + "black stoneport mens toe sneaker with lace closure", + "blackrockport mens toe sneaker with lace closure", + "black rockport mens toe sneaker, lace closure", + "rockport mens toe sneaker", + "clothing closure black rockport mens toe sneaker", + "rockport mens toe sneaker with lace closure.", + "rockport mens toe sneaker, lace closure" + ], + "i need an easy to install 2pcs camera with 6pcs door alarm.": [ + "2pcs camera with 6pcs door alarm", + "easy to install 2pcs camera", + "3pcs camera with 6pcs door alarm", + "1pcs camera with 6pcs door alarm", + "5pcs camera with 6pcs door alarm", + "easy to install 2pcs camera with a door alarm", + "easy to install 2pcs camera with 6pcs", + "2pcs camera", + "5pcs camera", + "6pcs camera" + ], + "i would like a blue long sleeved sweatshirt that is the size 4x-large.": [ + "blue long sleeved sweatshirt in a size 4xl", + "blue long sleeved sweatshirt 4x-large", + "blue long sleeved sweatshirt", + "blue long sleeved sweatshirt 4xl", + "blue long sleeved sweatshirt size 4x-large", + "blue long sleeved sweatshirt size 4xl", + "blue long sleeved sweatshirt, size 4x-large", + "blue long sleeved sweatshirt in a 4x-large", + "blue long sleeved sweatshirt in a 4xl", + "blue long sleeved sweatshirt, size 4xl" + ], + "i would like two variety packs of non gmo trail mix": [ + "two variety packs of non gmo trail mix", + "2 variety packs of non gmo trail mix", + "variety packs of non gmo trail mix", + "three variety packs of non gmo trail mix", + "competition packs of non gmo trail mix", + "two variety pack of non gmo trail mix", + "non gmo trail mix two variety packs", + "non gmo trail mix", + "non gmo trail mix two variety pack", + "non gmo trail mix 2 variety" + ], + "i need to buy a three ounce bottle of long lasting perfume in the sexy amber scent.": [ + "three ounce bottle of long lasting perfume in the sexy amber scent", + "3 ounce bottle of long lasting perfume in the sexy amber scent", + "three ounce bottle of long lasting perfume in a sexy amber scent", + "three ounce bottle of long lasting perfume sexy amber scent", + "three ounce bottle long lasting perfume in the sexy amber scent", + "3 ounce bottle of long lasting perfume sexy amber scent", + "two ounce bottle of long lasting perfume in the sexy amber scent", + "3 ounce bottle of long lasting perfume in a sexy amber scent", + "3 ounce bottle long lasting perfume in the sexy amber scent", + "three ounce bottle of long lasting perfume" + ], + "i would like a mint green brush cleaner that is easy to use.": [ + "mint green brush cleaner that is easy to use", + "mint green brush cleaner", + "mint green brush cleaner", + "mens green brush cleaner", + "mens green brush cleaner that is easy to use", + " mint green brush cleaner that is easy to use", + "m mint green brush cleaner", + "mint green brush cleaner easy to use", + "easy to use mint green brush cleaner", + " mint green brush cleaner" + ], + "i would like a set of pendant lights for the living room.": [ + "pendant lights for the living room", + "pendant lights for living room", + "pendant lights living room", + "set of pendant lights living room", + "living room pendant lights", + "pendant lights for living room.", + "pendant lights in the living room", + "pocket lights for living room", + "pendant lights", + "pocket lights" + ], + "i would like a set of fast charging noise cancelling headphones.": [ + "sound cancelling headphones", + "fast charging noise cancelling headphones", + "noise cancelling headphones", + "low noise cancelling headphones", + "high quality noise cancelling headphones", + "high performance noise cancelling headphones", + "easy charging noise cancelling headphones", + "low charging noise cancelling headphones", + "fast charging noise cancelling headphones.", + "noise cancelling headphones set" + ], + "i want to find a pair of size 5, coral-colored flip-flops with rubber soles that i can wear to yoga.": [ + "size 5, coral-colored flip-flops", + "coral-colored flip-flops", + "coral colored flip-flops", + "size 5 coral-colored flip-flops", + "coaxial colored flip-flops", + "portrait flip-flops with rubber soles", + "coral-colored flip-flops yoga", + "sea-colored flip-flops", + " coral-colored flip-flops", + "portrait flip-flops" + ], + "i want a bronze gold highlighter & luminizer made with natural ingredients for fine lines which is easy to apply, clean & carry.": [ + " bronze gold highlighter & luminizer made with natural ingredients for fine lines", + "gold highlighter & luminizer made with natural ingredients for fine lines", + "silver highlighter & luminizer made with natural ingredients for fine lines", + " bronze gold highlighter and luminizer made with natural ingredients for fine lines", + "silver gold highlighter & luminizer made with natural ingredients for fine lines", + "gold highlighter and luminizer made with natural ingredients for fine lines", + "gold highlighter & luminizer made with natural ingredients", + " bronze gold highlighter & luminizer made with natural ingredients", + "silver highlighter and luminizer made with natural ingredients for fine lines", + "silver highlighter & luminizer made with natural ingredients" + ], + "i am interested in birthday party cupcake toppers that are multicolor.": [ + "multicolor birthday party cupcake toppers", + "birthday party cupcake toppers multicolor", + "baby shower cupcake toppers multicolor", + "birthday party cupcake toppers that are multicolor", + "magnified multicolor birthday party cupcake toppers", + "baby shower cupcake toppers that are multicolor", + "multicolor birthday party cupcake toppers under $40", + "multicolor birthday party cupcake toppers under $50", + "multicolor birthday party cupcake toppers under $60", + "multicolor birthday party cupcake toppers under 50 dollars" + ], + "i want black women's open toe ring sandals.": [ + "black womens open toe ring sandals", + "open toe ring sandals black womens", + "womens open toe ring sandals", + "open toe ring sandals black", + "white womens open toe ring sandals", + "open toe ring sandals", + "black women open toe ring sandals", + "open toe ring sandals, black", + "open toe ring sandals black women", + "open toe ring sandals black woman" + ], + "i need a new tv box that is made by android that come with the batteries included.": [ + "tv box made by android with batteries", + "tv box with batteries", + "tv box made by android", + "tv box that is made by android", + "tv box made from android with batteries", + "tv box with batteries made by android", + "tv box made from android", + "tv box, made by android", + "tv box made by android batteries", + "tv box by android with batteries" + ], + "i want to get some red cupcake toppers that i can use for a birthday party.": [ + "red cupcake toppers for a baby shower", + "red birthday cupcake toppers", + "red cupcake toppers for baby shower", + "red birthday cupcake toppers for a baby shower", + "cupcake toppers for a baby shower", + "red cupcake toppers for a baby shower.", + "red cupcake toppers for a birthday party", + "red cupcake toppers for birthday party", + "red birthday party cupcake toppers", + "red cupcake toppers for a girl baby shower" + ], + "i need high quality pillow covers in color a-8 and it should be fade resistant.": [ + "pink pillow covers in color a-8", + "high quality pillow covers in color a-8", + "pink pillow cover in color a-8", + "high quality pillow covers color a-8", + "a-8 pillow covers in color a-8", + "pink pillow covers color a-8", + "pump covers in color a-8", + "pump covers in color a-8 fade resistant", + "pump cover color a-8", + "pump covers color a-8" + ], + "i want fruit of the loom men's low-rise brief in size 38-40.": [ + "low-rise brief in size 38-40", + "loom mens low-rise brief in size 38-40", + "fruit of the loom mens low-rise brief", + "lom mens low-rise brief in size 38-40", + "loom mens low-rise brief in size 38-40.", + "low-rise brief in size 38-40.", + "lom mens low-rise brief in size 38-40.", + "fruit of loom mens low-rise brief", + "low-rise brief fruit 38-40", + "low-rise brief" + ], + "i am looking for easy to apply nail mirror powder.": [ + "easy to apply nail mirror powder", + "nail mirror powder", + "nail mirror powder easy to apply", + "nude mirror powder", + "easy to apply nail mirror powder.", + "nude mirror powder easy to apply", + "5 ft nail mirror powder", + "pink nail mirror powder", + "beauty mirror powder", + "lip mirror powder" + ], + "i am looking for solar power bank with 10w wireless charger, dual usb, fast charging and waterproof": [ + "solar power bank with 10w wireless charger", + "solar power bank with 10w wireless charger with waterproof", + "portable solar power bank with 10w wireless charger", + "solar power bank with 10w wireless charger and waterproof", + "electric power bank with 10w wireless charger, dual usb", + "electric power bank with 10w wireless charger", + "Solar power bank with 10w wireless charger, dual usb", + "solar power bank 10w wireless charger", + "Solar power bank with 10w wireless charger", + "projection power bank with 10w wireless charger" + ], + "find me a non alcoholic and zero sugar mocktail.": [ + "non alcoholic and zero sugar mocktail", + "non alcoholic and zero sugar mocktail.", + "non alcoholic and zero sugar mocktail under $40", + "non alcoholic and zero sugar mocktail under $60", + "non alcoholic and zero sugar mocktail under $50", + "non alcoholic and zero sugar mocktail below $40", + "non alcoholic zero sugar mocktail", + "non alcoholic and zero sugar mocktail under 30 dollars", + "non alcoholic and zero sugar mocktail under 50 dollars", + "non alcoholic and zero sugar mocktail below $60" + ], + "i want some cuticle pushers that are stainless steel.": [ + "cuticle pushers stainless steel", + "cuticle pushers that are stainless steel", + "stainless steel cuticle pushers", + "Cuticle pushers stainless steel", + "cuticle pushers stainless steel below $40", + "cuticle pushers stainless steel below $50", + "cuticle pushers stainless steel below $60", + "cuttingicle pushers stainless steel", + "cutsicle pushers stainless steel", + "cuticle pushers with stainless steel" + ], + "i want a cd player portable boombox with stereo sound.": [ + "portrait player portable boombox with stereo sound", + "dvd player portable boombox with stereo sound", + "projection player portable boombox with stereo sound", + " cd player portable boombox with stereo sound", + "a cd player portable boombox with stereo sound", + "curtains portable boombox with stereo sound", + "curt player portable boombox with stereo sound", + "duck player portable boombox with stereo sound", + "portrait player portable boombox", + "portable boombox with stereo sound" + ], + "i am looking for hair and scalp serum for natural hair that is made with natural ingredients. i also would prefer the peppermint and aloe fragrance.": [ + "natural hair serum made with natural ingredients", + "natural hair serum", + "natural hair serum with natural ingredients", + "hair serum for natural hair with natural ingredients", + "natural hair and scalp serum with natural ingredients", + "natural hair and scalp serum", + "natural hair serum made from natural ingredients", + "hair and scalp serum for natural hair", + "human hair and scalp serum natural", + "natural hair serum made from natural" + ], + "i am looking for 2 pieces of 6ft long fast charging micro usb cable": [ + "2 pieces of 6ft long fast charging micro usb cable", + "6ft long fast charging micro usb cable", + "2 piece of 6ft long fast charging micro usb cable", + "two pieces of 6ft long fast charging micro usb cable", + "3 pieces of 6ft long fast charging micro usb cable", + "two piece of 6ft long fast charging micro usb cable", + "2 pieces of 6ft long fast charging micro usb", + "shoes 6ft long fast charging micro usb cable", + "4ft long fast charging micro usb cable", + "6ft long fast charging micro usb cable under $40" + ], + "i would like some organic old fashioned oatmeal.": [ + "organic old fashioned oatmeal", + "organic old fashioned oatmeal.", + "organic old fashioned oatmeal under $40", + "organic old fashioned oatmeal oatmeal", + "organic old fashioned oatmeal no sugar", + "organic old fashioned oatmeal under $60", + "organic old fashioned oatmeal under $50", + "organic old fashioned oatmeal under 50 dollars", + "organic old fashioned oatmeal below $40", + "organic old fashioned oatmeal flavor" + ], + "i want a 2 pack of dseap coat rack wall mount.": [ + "2 pack of dseap coat rack wall mount", + "two pack of dseap coat rack wall mount", + "2 pack dseap coat rack wall mount", + "dseap coat rack wall mount", + " 2 pack of dseap coat rack wall mount", + "two pack dseap coat rack wall mount", + "dseap coat rack wall mount 2 pack", + "3 pack of dseap coat rack wall mount", + "1 pack of dseap coat rack wall mount", + "sneap coat rack wall mount" + ], + "i like design house with white color": [ + "design house white", + "design house with white color", + "Design house white", + "design house with white", + "contemporary design house white", + "Design house with white color", + "engineered house white", + "style white design house", + "design house white color", + "white design house" + ], + "i would like a clinically proven deodorant that is lavender sage": [ + " clinically proven deodorant that is lavender sage", + "clinically proven deodorant with lavender sage", + "clinically proven deodorant, lavender sage", + "clinical proven deodorant that is lavender sage", + "moisturant that is lavender sage", + "clinically proven deodorant", + "professional proven deodorant that is lavender sage", + "clinically proven deodorant that is lavender", + "dermatant that is lavender sage", + "clinically proven deodorant under $40" + ], + "i want to find mango-flavored lip balm that is paraben free and contains some sun protection.": [ + "pomegranate-flavored lip balm with some sun protection", + "mango-flavored lip balm with some sun protection", + "pomegranate-flavored lip balm that is paraben free", + "mango-flavored lip balm that is paraben free", + "pomegranate-flavored lip balm", + "mango-flavored lip balm with sun protection", + "mango-flavored lip balm", + "mango-flavored lip balm paraben free", + "pomegranate-flavored lip balm with sun protection", + "moisturizing lip balm" + ], + "i'm looking for short sleeve fitting clot. it can easy to machine wash.": [ + "short sleeve fitting clot", + "short sleeve fitting clot easy to machine wash", + "short sleeve fitting clot, easy to machine wash", + "short sleeve fitting clot that is easy to machine wash", + "short sleeve fitting clot. easy to machine wash", + "short sleeve fitting clot under $50", + "short sleeve fitting clot in a machine wash", + "short sleeve fitting clot under $40", + "short sleeve fitting clot, easy to machine wash,", + "short sleeve fitting clot under $60" + ], + "i want small and high waisted comfortable underwear 831 new men u-convex.": [ + "small high waisted comfortable underwear 831 new men u-convex", + "small low waisted comfortable underwear 831 new men u-convex", + "small and high waisted comfortable underwear 831 men u-convex", + "small high waisted comfortable underwear 831 men u-convex", + "slimming comfortable underwear 831 new men u-convex", + "small and high waisted comfortable underwear 831 new men", + "small high waisted comfortable underwear 831 new men", + "small and high waisted comfortable underwear 831 new men under $40", + "small and high waisted comfortable underwear 831", + "small high waisted comfortable underwear 831" + ], + "i need to buy a flat-packed ottoman. look for one that's white.": [ + "flat-packed ottoman white", + "flat-packed ottoman. white", + "white flat-packed ottoman", + "flat-packed ottoman", + "flat-packed ottoman in white", + "flat-packed ottoman, white", + "flat-packed ottoman with white", + " flat-packed ottoman white", + "flat-packed ottoman black", + "white flat-packed ottoman." + ], + "i am looking for an intel quad core i5-6500 mini pc with windows 10 pro.": [ + "intel quad core i5-6500 mini pc with windows 10 pro", + "intel quad core i5-6500 mini pc with windows 10 pro.", + "intel quad core i5-6500 mini pc", + "intel quad core i5-6500 mini pc with windows 10", + "quad core i5-6500 mini pc with windows 10 pro", + " intel quad core i5-6500 mini pc with windows 10 pro", + "intel quad core i5-6500 mini pc with windows 10 pro,", + "Intel quad core i5-6500 mini pc with windows 10 pro", + "intel quad core i5-6500 mini pc with windows", + "quad core i5-6500 mini pc" + ], + "look for a brushed aluminum wall sconce with a glass shade.": [ + "brushed aluminum wall sconce with a glass shade", + "brushed aluminum wall sconce", + "buffet aluminum wall sconce with a glass shade", + "brushed aluminum wall sconce with glass shade", + "faux aluminum wall sconce with a glass shade", + "brush aluminum wall sconce with a glass shade", + "rubber aluminum wall sconce with a glass shade", + " brushed aluminum wall sconce with a glass shade", + "roasted aluminum wall sconce with a glass shade", + "brushed aluminum wall sconce, glass shade" + ], + "i want yellow wide leg eaktool sexy women shorts.": [ + "yellow wide leg eaktool sexy women shorts", + "yellow leg eaktool sexy women shorts", + "yellow long leg eaktool sexy women shorts", + "yellow wide leg sexy women shorts", + "teeth sexy women shorts yellow wide", + "yellow sexy women shorts", + "teeth sexy women shorts yellow", + "yellow wide leg men shorts", + "yellow woman shorts", + "yellow wide leg bikini" + ], + "i am looking a spider man cupcake topper party supply for my pet birthday party": [ + "a spider man cupcake topper party supply for a pet birthday", + " spider man cupcake topper party supply for a pet birthday", + " spider man cupcake topper party supply for pet birthday party", + "sugar man cupcake topper party supply for a pet birthday", + " spider man cupcake topper party supply", + " spider man cupcake topper party supply for pet birthday", + "pink man cupcake topper party supply", + "sugar man cupcake topper party supply", + "a spider man cupcake topper party supply", + "sugar man cupcake topper party" + ], + "i am looking for a lavender foot peel off mask which works on dry skin and it is easy to use.": [ + "l lavender foot peel off mask", + "l lavender foot peel off mask, easy to use", + "lavender foot peel off mask", + "pink foot peel off mask that works on dry skin", + "pavender foot peel off mask", + "lavender foot peel off mask, easy to use", + "a lavender foot peel off mask", + "pale lavender foot peel off mask", + "pink foot peel off mask", + "leavender foot peel off mask" + ], + "shop for teeth whitening strips. look for some that taste like peppermint and are appropriate for sensitive teeth.": [ + "teeth whitening strips that taste like peppermint", + "toothpaste strips that taste like peppermint", + "teeth whitening strips that are sensitive teeth", + "teeth whitening strips for sensitive teeth", + "teeth whitening strips", + "teeth whitening strips for sensitive teeth.", + "teeth whitening strips with peppermint", + "teeth whitening strips sensitive teeth", + "teeth whitening strips with peppermint flavor", + "toothpaste strips" + ], + "i need an intel quad core tablet which is certified refurbished.": [ + "intel quad core tablet which is certified refurbished", + "intel quad core tablet that is certified refurbished", + "intel quad core tablet, certified refurbished", + "intel quad core tablet certified refurbished", + "intel quad core tablet which is certified refurbished.", + "intel quad core tablet whose is certified refurbished", + "intel quad core tablet", + "intel quad core tablet whose price is certified refurbished", + "intel quad core tablet that is certified refurbished.", + "intel quad core tablet with a refurbished price" + ], + "find me twin sized bunk beds made of solid wood. it should be espresso colored.": [ + "twin sized bunk beds made of solid wood", + "twin sized bunk beds made of solid wood espresso colored", + "twin sized bunk beds made from solid wood", + " twin sized bunk beds made of solid wood", + "twin bed beds made of solid wood", + "twin sized bunk beds with solid wood", + "twin sized bunk beds, espresso colored", + "two sized bunk beds made of solid wood", + "twin sized bunk beds", + "duck beds made of solid wood" + ], + "i am looking for a high speed 12v ac/dc adapter with output protection.": [ + "high speed 12v ac/dc adapter with output protection", + "12v ac/dc adapter with output protection", + "high speed 12v ac/dc adapter", + "12v ac/dc adapter", + "a high speed 12v ac/dc adapter with output protection", + "high speed 12v ac/dc adapter that is output protection", + "high speed 12v ac/dc adapter no output", + "high speed 12v ac/dc plug and play", + "high speed 12v ac", + "memory card with output protection" + ], + "look for the easy chef sampler of green bean snacks. i want the twelve piece non-gmo assortment.": [ + "easy chef sampler of green bean snacks", + "easy chef sampler of green bean snacks under $50", + "easy chef sampler of green bean snacks.", + "easy chef sampler of green bean snacks under $40", + "easy chef sampler of green bean snacks under $60", + "easy chef sampler of green bean snacks, 12 piece", + "easy chef sampler of green bean snacks 12 piece", + "easy chef sampler of green beans snacks", + "simple chef sampler of green bean snacks", + "easy chef sampler green bean snacks" + ], + "i want a trupedic x mozaic casual queen size futon mattress.": [ + "trupedic x mozaic casual queen size futon mattress", + " trupedic x mozaic casual queen size futon mattress", + "tennedic x mozaic casual queen size futon mattress", + "stainless queen size futon mattress", + "tentedic x mozaic casual queen size futon mattress", + "trupedic x mozaic queen size futon mattress", + "trupedic x mozaic modern queen size futon mattress", + "tuxedo queen size futon mattress", + "trupedic x mozaic", + "trupedic x mozaic casual queen size bed" + ], + "i need a fluoride free toothpaste for fresh breath. i will need a pack of 4 in 3.5 ounce size.": [ + "fluoride free toothpaste for fresh breath 3.5 ounce", + "fluoride free toothpaste for fresh breath 3.5 ounce size", + "fluoride free toothpaste 3.5 ounce", + "fluoride free toothpaste for fresh breath 3.5 ounce pack", + "fluoride free toothpaste 4 in 3.5 ounce size", + "fluoride free toothpaste 4 in 3.5 ounce", + "fluoride free toothpaste for fresh breath, 3.5 ounce", + "fluoride free toothpaste for fresh breath", + "fluoride free toothpaste for fresh breath. 3.5 ounce", + "fluoride free toothpaste" + ], + "i am looking for a 52 inch by 45 inch green window panel.": [ + "window panel 52 inch by 45 inch", + "window panel 52 inches by 45 inch", + "50 inch by 45 inch green window panel", + "52 inch by 45 inch green window panel", + "window panel, 52 inch by 45 inch", + " 52 inch by 45 inch green window panel", + "window panel 52 inch x 45 inch", + "window panel", + "window panel 52 inches x 45 inch", + "glass panel 52 inch by 45 inch" + ], + "i want to find a printed backdrop that is 5 by 7 feet for a digital photography session.": [ + "5 by 7 feet digital photography session", + "5 by 7 foot digital photography backdrop", + "digital photography backdrop 5 by 7 feet", + "digital photography backdrop that is 5 by 7 feet", + "5 by 7 feet digital photography backdrop", + "art backdrop 5 by 7 feet digital photography session", + "5x7 digital photography backdrop", + "5 by 7 foot digital photography session", + "5 by 7 feet digital photography", + "5 by 7 feet print backdrop for digital photography" + ], + "i want a 10 foot gold plated jolgoo 1/4\" trs to dual rca insert cable.": [ + "10 foot gold plated jolgoo 1/4 trs to dual rca insert cable", + "10 foot gold plated jolgoo 1/4 trs dual rca insert cable", + "10 foot gold plated jolgoo 1st4 trs to dual rca insert cable", + "10 foot gold plated jolgoo 1/4 trs with dual rca insert cable", + "10 foot gold plated jolgoo 1/4 trs", + "10 foot gold plated jolgoo 1st4 trs dual rca insert cable", + "gold plated jolgoo 1/4 trs to dual rca insert cable", + "9 foot gold plated jolgoo 1/4 trs to dual rca insert cable", + "10 foot gold plated jolgoo 1st4 trs with dual rca insert cable", + "10 foot gold plated jolgoo 1/4 trs to dual rca insert" + ], + "i want to find vanity light fixtures that i can put in my bathroom.": [ + "vanity light fixtures", + "vanity light fixtures for bathroom", + "pink vanity light fixtures", + "vanity light fixtures in my bathroom", + "k vanity light fixtures in my bathroom", + "pink vanity light fixtures for bathroom", + "vanity light fixtures in a bathroom", + "k vanity light fixtures", + "k vanity light fixtures for bathroom", + "vanity light fixture" + ], + "my father mostly use grey color intel core laptop only": [ + "grey color intel core laptop", + "grey color intel core laptop only", + "grey laptop with intel core", + "grey color intel core laptop case", + "grey color intel core laptop laptop", + "grey color intel core laptop,", + "grey Intel core laptop", + "grey laptop with intel core laptop", + "grey intel core laptop", + "grey laptop case" + ], + "i need a detangler hair brush that stimulates hair growth. choose the purple one.": [ + "detangler hair brush that stimulates hair growth", + " detangler hair brush that stimulates hair growth", + "jeans hair brush that stimulates hair growth", + "detangler hair brush that stimulates hair growth, purple", + " detangler hair brush that stimulates hair growth, purple", + "jeans hair brush that stimulates hair growth, purple", + "detangler hair brush, stimulates hair growth, purple", + " detangler hair brush, stimulates hair growth, purple", + "teeth brush that stimulates hair growth", + "toothbrush that stimulates hair growth" + ], + "i need a glossy electrical outlet cover.": [ + "pink electrical outlet cover", + "lipid electrical outlet cover", + "lip glossy electrical outlet cover", + "glossed electrical outlet cover", + "gl glossy electrical outlet cover", + " glossy electrical outlet cover", + "lens glossy electrical outlet cover", + "plastic electrical outlet cover", + "lip electrical outlet cover", + "pink electrical outlet cover." + ], + "i am looking for a super soft throw blanket that is at least 50 by 60 inches in size.": [ + "super soft throw blanket 50 by 60 inches", + "super soft throw blanket that is 50 by 60 inches", + "super soft throw blanket, 50 by 60 inches", + "super soft throw blanket at least 50 by 60 inches", + "super soft throw blanket 50 by 60 inches in size", + "super soft throw blanket 50 x 60 inches", + "super soft throw blanket", + "super soft throw blanket in 50 by 60 inches", + "super soft throw blanket with 50 by 60 inches", + "super soft throw blanket 50 by 60" + ], + "i am looking for low fat high protein salted toffee pretzel protein bars.": [ + "low fat high protein salted toffee pretzel protein bar", + "low fat high protein salted toffee pretzel protein bars", + "low fat high protein salted toffee pretzel protein bars.", + "low fat high protein salted toffee pretzel protein bar.", + "low fat high protein salted toffee pretzel protein", + "sugar salted toffee pretzel protein bar", + "sugar salted toffee pretzel protein bars", + "low fat high protein salted toffee pretzel", + "salted toffee pretzel protein bar", + "salted toffee pretzel protein bars" + ], + "show me travel bottles with bpa free, non toxic, high quality (yellow) please do it quickly.": [ + "travel bottles bpa free", + "travel bottles with bpa free", + "pink travel bottles with bpa free", + "temporary travel bottles bpa free", + "temporary travel bottles with bpa free", + "tour bottles bpa free", + "tour bottles with bpa free", + "bpa free travel bottles", + "travel bottles bpa free, non toxic", + "bpa free, non toxic travel bottles" + ], + "i am interested in headphones that are noise cancelling.": [ + "noise cancelling headphones", + "sound cancelling headphones", + "pink noise cancelling headphones", + "coaxial noise cancelling headphones", + "clones noise cancelling", + "hones noise cancelling", + "non noise cancelling headphones", + "coaxial headphones noise cancelling", + "sound cancelling headphones under $40", + "phone noise cancelling" + ], + "i need a pack of 24 individually wrapped ready to eat strawberry crepes.": [ + "pack of 24 individually wrapped ready to eat strawberry crepes", + "pack of 24 individually wrapped ready to eat strawberry crepes.", + "pack of 24 individually wrapped ready to eat strawberry crepes under $60", + "pack of 24 individually wrapped ready to eat strawberry crepes under $40", + "pack of 24 individually wrapped ready to eat strawberry crepes under $50", + "pack of 24 individually wrapped ready to eat strawberry crepes under 30 dollars", + "pack of 24 individually wrapped ready to eat strawberry crepes under 120 dollars", + "pack of 24 individually wrapped ready to eat strawberry crepes under 60 dollars", + "pack of 24 individually wrapped ready to eat strawberry crepes under 50 dollars", + "pack of 24 individually wrapped ready to eat strawberry crepes under 40 dollars" + ], + "get me some hydrating hyaluronic acid moisturizer for sensitive skin.": [ + " hydrating hyaluronic acid moisturizer for sensitive skin", + "hydrating hyaluronic acid moisturizer for sensitive skin", + " hydrating hyaluronic acid moisturizer for sensitive skin.", + "hydrating hyaluronic acid moisturizer for sensitive skin.", + " hydrating hyaluronic acid moisturizer", + "hydrating hyaluronic acid moisturizer", + "Hydrating hyaluronic acid moisturizer for sensitive skin", + "sydrating hyaluronic acid moisturizer for sensitive skin", + " hydrating hyaluronic acid moisturizer sensitive skin", + "hydrating hyaluronic acid moisturizer sensitive skin" + ], + "i am looking for a individually wrapped granola bar with high fructose. also choose 3-flavor variety pack": [ + "pack of granola bar with high fructose", + "granola bar with high fructose", + "granola bar with high fructose variety pack", + "pack of granola bar high fructose", + "granola bar with high fructose flavor pack", + "grainola bar with high fructose", + " individually wrapped granola bar with high fructose", + "pack of granola bar variety pack", + "granola bar variety pack", + "bagel bar with high fructose" + ], + "i would like a pink electric tootbrush that is long lasting.": [ + "pink electric tootbrush long lasting", + "pink electric tootbrush that is long lasting", + "pink electric tootbrush", + "pink electric tootbrush, long lasting", + "pink electric tootbrush long lasting.", + "pink electric tootbrush with long lasting", + "pink electric tootbrush which is long lasting", + "pink electric tootbrush long lasting,", + "pink electric tootbrush, long lasting.", + "pink electric tootbrush in a long lasting" + ], + "i want to buy a mid-back drafting chair that has an adjustable height and lumbar support. look for a blue one.": [ + "mid-back drafting chair with adjustable height and lumbar support", + "mid-back drafting chair that has an adjustable height and lumbar support", + "mid-back drafting chair with an adjustable height and lumbar support", + "mid-back drafting chair with adjustable height and lumbar support, blue", + "mid-back drafting chair with adjustable height with lumbar support", + "mid-back drafting chair with adjustable height", + "mid-back drafting chair that has an adjustable height with lumbar support", + "mid-back drafting chair with adjustable height and lumbar support in blue", + "mid-back drafting chair with adjustable height, lumbar support", + "mid-back drafting chair with adjustable height and lumbar support blue" + ], + "buy me the toothpaste with hempseed and coconut oil.": [ + "teethpaste hempseed coconut oil", + "toothpaste hempseed coconut oil", + "teethpaste with hempseed and coconut oil", + "teethpaste hempseed and coconut oil", + "toothpaste with hempseed and coconut oil", + "toothpaste hempseed and coconut oil", + "teethpaste with hempseed coconut oil", + "tothpaste hempseed coconut oil", + "the toothpaste with hempseed and coconut oil", + "toothpaste with hempseed coconut oil" + ], + "i need some hair quality hair clippers": [ + "hair quality hair clippers", + "hair clippers that are hair quality", + "hair clippers", + "hair clippers hair quality", + "hair quality clippers", + "hair clippers that are high quality", + "hair clippers hair quality less then $40", + "hair clippers hair quality less then 50 dollars", + "hair quality hair clippers that are hair quality", + "hair clippers which are hair quality" + ], + "i am looking for a three pack of lactose free milk": [ + "three pack of lactose free milk", + "3 pack of lactose free milk", + "three pack lactose free milk", + "lactose free milk three pack", + "3 pack lactose free milk", + "two pack of lactose free milk", + "lactose free milk 3 pack", + "bottle of lactose free milk", + "two pack lactose free milk", + "three pack of lactose free dairy" + ], + "i need a 32 ct variety pack of cruelty free lip balms.": [ + "32 ct variety pack of cruelty free lip balms", + " 32 ct variety pack of cruelty free lip balms", + "28 ct variety pack of cruelty free lip balms", + "32 ct variety pack of cruelty free lip balms.", + "32 ct variety pack of cruelty free lip balms,", + "33 ct variety pack of cruelty free lip balms", + "32 ct variety pack of cruelty free lip balm", + "32c variety pack of cruelty free lip balms", + "32 oz variety pack of cruelty free lip balms", + "32 t variety pack of cruelty free lip balms" + ], + "i need eye shadow with 0.5 ounce size only": [ + "1.5 ounce eye shadow", + "eye shadow 0.5 ounce size", + "eye shadow 0.5 ounce", + "eye shadow 0.5 ounce size only", + "eye shadow with 0.5 ounce size", + "2.5 ounce eye shadow", + "8 oz eye shadow", + "8 ounce eye shadow", + "5 ounce eye shadow", + "one ounce eye shadow" + ], + "can you search for keeyo women's oversized jumpsuits? are summer casual baggy pants, daily wear with wide legs please find this costume for me in blue color and x-large size": [ + "keeyo womens oversized jumpsuits x-large", + "keyo womens oversized jumpsuits x-large", + "keyo womens oversized jumpsuits", + "keeyo womens oversized jumpsuits", + "keteyo womens oversized jumpsuits x-large", + "keto womens oversized jumpsuits x-large", + "knee womens oversized jumpsuits x-large", + " keeyo womens oversized jumpsuits x-large", + "keteyo womens oversized jumpsuits", + "keeyo womens oversized jumpsuits in blue" + ], + "i need to buy a forty-six inch under cabinet light fixture.": [ + "40-six inch under cabinet light fixture", + "40-six inch cabinet light fixture", + "dust free forty-six inch cabinet light fixture", + "two foot under cabinet light fixture", + " forty-six inch under cabinet light fixture", + "42-six inch cabinet light fixture", + "dust free under cabinet light fixture", + "dust under cabinet light fixture", + "40-six inch cabinet light fixture under cabinet", + "dust free cabinet light fixture" + ], + "i would like to buy a 4g lte pc tablet with a hd screen.": [ + "4g lte pc tablet with a hd screen", + "4g lte pc tablet with hd screen", + "4g lte pc tablet", + "4g lte pc tablet hd screen", + "4g lte pc tablet with a hd screen.", + "industrial 4g lte pc tablet with a hd screen", + " 4g lte pc tablet with a hd screen", + "4g lte pc tablet with a hd screen,", + "desktop 4g lte pc tablet with a hd screen", + "4g lte pc tablet, hd screen" + ], + "i need ultra hd 13ft size smart tv": [ + " ultra hd 13ft size smart tv", + " ultra hd 13ft tv", + " ultra hd 13ft tv", + " ultra hd 13ft smart tv", + " ultra hd 13ft", + " ultra hd 13ft", + " ultra hd 13ft smart tv", + "tv ultra hd 13ft", + " ultra hd tv 13ft", + " ultra hdtv 13ft" + ], + "i am looking for a brushed nickel modern sputnik chandelier that has 15 lights for my dining room.": [ + "brushed nickel modern spuntnik chandelier", + "brushed nickel modern spuntnik chandelier that has 15 lights", + "brushed nickel modern spuntnik chandelier dining room", + "brushed nickel modern spuntnik chandelier with 15 lights", + "brushed nickel modern spuntnik chandelier for dining room", + "brushed nickel modern spuntnik chandelier dining room.", + "brushed nickel modern spuntnik chandelier, dining room", + "buffet nickel modern spuntnik chandelier that has 15 lights", + "buffet nickel modern spuntnik chandelier", + "brushed nickel modern sputnik chandelier" + ], + "i am looking for gaming pc windows 10 professional desktop tower with quad core i7 3.4ghz, 16gb ram, 256gb ssd, tempered glass and wifi adapter": [ + "gaming pc windows 10 professional desktop tower with quad core i7 3.4ghz, 16gb ram, 256gb ssd, tempered glass", + "desktop pc windows 10 with quad core i7 3.4ghz, 16gb ram, 256gb ssd, tempered glass and wifi adapter", + "desktop gaming pc windows 10 with quad core i7 3.4ghz, 16gb ram, 256gb ssd, tempered glass and wifi adapter", + "desktop desktop tower with quad core i7 3.4ghz, 16gb ram, 256gb ssd, tempered glass and wifi adapter", + "gaming pc windows 10 professional desktop tower with quad core i7 3.4ghz, 16gb ram, 256gb ssd", + "desktop gaming pc windows 10 professional desktop tower with quad core i7 3.4ghz, 16gb ram, 256gb ssd, tempered glass", + "gaming pc windows 10 professional desktop tower with quad core i7 3.4ghz with tempered glass and wifi adapter", + "portrait pc windows 10 professional desktop tower with quad core i7 3.4ghz, 16gb ram, 256gb ssd, tempered glass", + "desktop desktop tower with quad core i7 3.4ghz, 16gb ram, 256gb ssd, tempered glass", + "desktop gaming pc windows 10 with quad core i7 3.4ghz, 16gb ram, 256gb ssd" + ], + "i need to buy a height adjustable office chair with lumbar support. i want a grey one.": [ + "height adjustable office chair with lumbar support", + "height adjustable office chair with lumbar support grey", + "height adjustable grey office chair with lumbar support", + "height adjustable office chair with lumbar supportgrey", + "height adjustable office chair lumbar support", + "height adjustable office chair with lumbar support.", + "height adjustable office chair lumbar support grey", + "height adjustable office chair", + "grey office chair with lumbar support", + "height adjustable grey office chair" + ], + "i want to find a black manual shaver that can help remove hair.": [ + "black manual shaver that can help remove hair", + "black manual shaver", + "black manual shaver for removing hair", + "manual shaver that can help remove hair", + "black manual shaver to help remove hair", + "white manual shaver that can help remove hair", + "black manual shaver, help remove hair", + "black manual shaver with help remove hair", + "black manual shaver for removal of hair", + "black manual shaver for hair removal" + ], + "i am looking for a large wig storage case with accessory pockets.": [ + "large wig storage case with accessory pockets", + "large wig storage case with accessory pocket", + "large wig storage case", + "large wig storage case with accessory pockets.", + "womens storage case with accessory pockets", + "large wig storage case, accessory pockets", + "large wig storage case with accessory pockets,", + "womens storage case with accessory pocket", + "large wig storage case, accessory pocket", + "gigs storage case with accessory pockets" + ], + "i would like some low calorie sesame pretzels.": [ + "low calorie sesame pretzels", + "sesame pretzels", + "sesame pretzels low calorie", + "sesame pretzels low calories", + "low calorie sesame pretzels.", + "sesame pretzels that are low calorie", + "sesame pretzels no sugar", + "sesame pretzels that are low calories", + "sesame pretzels.", + "sesame pretzel" + ], + "i want a hieha double din car stereo compatible with apple.": [ + "hieha double din car stereo compatible with apple", + "hieha double din car stereo compatible with apple.", + "a hieha double din car stereo compatible with apple", + " hieha double din car stereo compatible with apple", + " hieha double din car stereo compatible with apple.", + "hieha double car stereo compatible with apple", + "hieha double d car stereo compatible with apple", + "hieha double din car stereo with apple", + "hieha double d car stereo compatible with apple.", + "dual din car stereo compatible with apple" + ], + "i need to buy a queen sized faux leather platform bed in white.": [ + "queen sized faux leather platform bed in white", + "king size faux leather platform bed in white", + "king sized faux leather platform bed in white", + " queen sized faux leather platform bed in white", + "Queen sized faux leather platform bed in white", + "queen sized faux leather platform bed", + "queen sized faux leather bed in white", + "kingstown sized faux leather platform bed in white", + "kingwoman sized faux leather platform bed in white", + "king of faux leather platform bed in white" + ], + "i am looking for 20 inch by 20 inch machine washable throw pillow inserts.": [ + "20 inch by 20 inch machine washable throw pillow inserts", + "20 inch x 20 inch machine washable throw pillow inserts", + "20 inch by 20 inch machine washable throw pillow inserts under $40", + "20 inch by 20 inch machine washable throw pillow inserts.", + "20 inch by 20 inch machine washable throw pillow inserts under 50 dollars", + "20 inch by 20 inch machine washable throw pillow inserts under $50", + "20 inch by 20 inch machine washable throw pillow inserts under $60", + "20 inch by 20 inch machine washable throw pillow inserts under 30 dollars", + "20 inch by 20 inch machine washable throw pillow inserts under 40 dollars", + "20 inch by 20 inch machine washable throw pillow insert" + ], + "i need firecracker eau de parfum for women's which is paraben free.": [ + "firecracker eau de parfum for womens", + "firecracker eau de parfum for womens paraben free", + "firecracker eau de parfum for womens, paraben free", + "engineered firecracker eau de parfum for womens", + "wooden firecracker eau de parfum for womens", + "firecracker eau de parfum for womens paraben free.", + "matchcracker eau de parfum for womens", + "firecracker eau de parfum for womens under $40", + "firecracker eau de parfum", + "firecracker eau de parfum womens" + ], + "i want blue wide leg fudule women shorts.": [ + "blue wide leg fudule women shorts", + "blue wide leg fudule women shorts.", + "blue wide leg fudule women shorts under $50", + "blue wide leg fudule women shorts under $40", + "blue wide leg fudule women shorts under $60", + "blue wide leg fudule women shorts under 50 dollars", + "blue wide leg fudule women shorts,", + "blue wide leg fudule women shorts under 30 dollars", + "blue wide leg fudule women shorts under 40 dollars", + "blue wide leg fudule women shorts below $50" + ], + "i want gluten free aurelia's spanish chorizo.": [ + "gluten free aurelias spanish chorizo", + "aurelias spanish chorizo gluten free", + "gluten free aurelias spanish chorizo.", + "gluten free aurelias spanish chorizo gluten free", + "i want gluten free aurelias spanish chorizo.", + "gluten free aurelias spanish chorizo flavor", + "aurelias spanish chorizo", + " gluten free aurelias spanish chorizo", + "gluten free panish chorizo", + "gluten free spanish chorizo" + ], + "i want to find a makeup palette that is highly pigmented.": [ + "pink makeup palette highly pigmented", + "pink makeup palette, highly pigmented", + "pink makeup palette", + "beauty palette that is highly pigmented", + "professional makeup palette that is highly pigmented", + "pink makeup palette highly pigmented.", + "pink makeup palette high pigmented", + "pink makeup palette in pigmented", + "lip pigmented makeup palette", + "pink makeup palette for pigmented" + ], + "i am looking for combo pack b, low calorie, sugar and fat free cakes weighing 2.6 ounces in pack of 12": [ + "duck pack b low calorie, sugar and fat free cakes", + "duck pack b low calorie sugar and fat free cakes", + " combo pack b low calorie sugar and fat free cakes weighing 2.6 ounces in pack of 12", + "duck pack b low calorie sugar and fat free cakes 2.6 ounces in pack of 12", + "duck pack b, low calorie, sugar and fat free cakes", + "dual pack b low calorie, sugar and fat free cakes", + "dual pack b low calorie sugar and fat free cakes", + "duck pack b low calorie, sugar and fat free cakes under $50", + "two pack b low calorie sugar and fat free cakes", + " combo pack b low calorie sugar and fat free cakes" + ], + "i am looking for steel framed storage bench box. please choose red one.": [ + "steel framed storage bench box red", + "steel framed storage bench box", + "steel framed storage bench box. please choose red one.", + "steel framed storage bench box, red", + "steel framed storage bench box in red", + "steel framed storage bench box that is red", + "steel framed storage bench box. red", + "steel framed storage bench box, red,", + "steel framed storage bench box with red", + "brushed storage bench box red" + ], + "i want to find a noise-cancelling headset that is bluetooth enabled and features a clip and cable.": [ + "noise-cancelling headset with a clip and cable", + " noise-cancelling headset with a clip and cable", + "noise-cancelling headset that is bluetooth enabled", + "noise-cancelling headset bluetooth enabled", + "noise-cancelling headset with clip and cable", + "sound-cancelling headset bluetooth enabled", + " noise-cancelling headset that is bluetooth enabled", + " noise-cancelling headset bluetooth enabled", + "sound-cancelling headset that is bluetooth enabled", + " noise-cancelling headset bluetooth enabled with a clip and cable" + ], + "i want to find 3-inch silver hairpins that i can use to style my hair with.": [ + "3-inch silver hairpins", + "3-inch silver hairpins for style", + "3-inch silver hairpins with style", + "3-inch silver hairpins for hair", + "3-inch silver hairpins,", + "hairpins 3-inch silver", + "three-inch silver hairpins", + "3 inch silver hairpins", + "3ft silver hairpins", + "hairpins 3 inches silver" + ], + "i am looking for 2 nos high back armrest 3d mesh lumbar support office chair with red color": [ + "2 nos high back armrest 3d mesh lumbar support office chair", + "2 nos high back armrest 3d mesh lumbar support office chair red", + "2 nos high back armrest 3d mesh lumbar support office chair in red", + "2 nos high back armrest 3d mesh lumbar support office chair with red", + "2 nos high back armrest 3d mesh lumbar support office chair, red", + " 2 nos high back armrest 3d mesh lumbar support office chair", + "2 nos high back armrest 3d mesh lumbar support office chair color", + "3d mesh lumbar support office chair with red color", + "3d mesh lumbar support office chair with red color 2 nos", + "3d mesh lumbar support office chair" + ], + "i need a hair elastic for my hair extensions.": [ + "hair elastic for hair extensions", + "hair elastic", + "hair elastic for my hair extensions", + "hair elastic hair extensions", + "hair elastic for hair extension", + "toothpaste hair elastic", + "hair elastic for hair extensions.", + "hair elastic for hair extensions", + "hair elastic for my hair extension", + "toothbrush elastic hair extensions" + ], + "i want a solid wood bench with storage space to go in my living room. it should be grey in color.": [ + "grey solid wood bench with storage space for living room", + "grey solid wood bench", + "grey solid wood bench with storage space", + "grey solid wood bench for living room", + "grey solid wood bench, storage space for living room", + "grey solid wood bench with storage space living room", + "solid wood bench with storage space for living room", + "grey solid wood bench in my living room", + "grey solid wood bench living room", + "grey wood bench" + ], + "i need some drapes for the living room that are 40\" by 63\" by 2.": [ + "40 by 63 by 2 drapes", + "40 by 63 by 2 drapes for living room", + "40 by 63 by 2 drapes living room", + "living room drapes 40 by 63 by 2", + "drapes for living room 40 by 63 by 2", + "40 by 63 by 2 bedroom drapes", + "40 by 63 by 2 drapes under $40", + "40 by 63 by 2 drapes under 40 dollars", + "40 by 63 by 2 drapes under $50", + "shoes 40 by 63 by 2" + ], + "i am looking for 300 count eco friendly face towels.": [ + "eco friendly face towels", + "eco friendly face towels, 300 count", + "eco friendly face towels 300 count", + "eco friendly face towels.", + "eco friendly face towels under $50", + "300 count eco friendly face towels", + "eco friendly face towels under $40", + "eco friendly face towels under $60", + "eco friendly face towels. 300 count", + "eco friendly face towels under 30 dollars" + ], + "i am looking for a maple and brushed nickel 2 door armoire.": [ + " maple and brushed nickel 2 door armoire", + "synthetic and brushed nickel 2 door armoire", + " maple and brushed nickel 2 door armoire.", + "m maple and brushed nickel 2 door armoire", + " maple and brushed nickel 2 door armoire under $50", + " maple and brushed nickel 2 door armoire under $40", + " maple and brushed nickel 2 door armoire under $60", + "stainless nickel 2 door armoire", + " maple and brushed nickel 2 door armoire under 50 dollars", + " maple and brushed nickel 2 door armoire under $130" + ], + "i am looking for hp elitedesk 800 g2 business desktop mini tower with core i5 ,16gb ram, 512gb harddrive and windows 10 pro along with high performance and certified refurbished": [ + "hp elitedesk 800 g2 business desktop mini tower with core i5 ,16gb ram, 512gb harddrive and certified refurbished", + "ps elitedesk 800 g2 business desktop mini tower with core i5 ,16gb ram, 512gb harddrive and certified refurbished", + "hp elitedesk 800 g2 desktop mini tower with core i5 ,16gb ram, 512gb harddrive and certified refurbished", + "ps elitedesk 800 g2 desktop mini tower with core i5 ,16gb ram, 512gb harddrive and certified refurbished", + "p hp elitedesk 800 g2 business desktop mini tower with core i5 ,16gb ram, 512gb harddrive and certified refurbished", + "pk elitedesk 800 g2 business desktop mini tower with core i5 ,16gb ram, 512gb harddrive and certified refurbished", + " hp elitedesk 800 g2 business desktop mini tower with core i5 ,16gb ram, 512gb harddrive and certified refurbished", + "hp elitedesk 800 g2 business desktop mini tower with core i5 ,16gb ram, 512gb harddrive and windows 10 pro", + "desktop mini tower with core i5 ,16gb ram, 512gb harddrive and certified refurbished", + "hp elitedesk 800 g2 business desktop mini tower with core i5 ,16gb ram, 512gb harddrive" + ], + "i am looking for yellow anti slip chair cushions": [ + "yellow anti slip chair cushions", + "yellow anti slip chair cushions under $40", + "yellow anti slip chair cushions under $50", + "yellow anti slip chair cushions under $60", + "yellow anti slip chair cushions under 50 dollars", + "yellow anti slip chair cushions under 40 dollars", + "yellow anti slip chair cushions under 30 dollars", + "yellow anti slip chair cushions,", + "yellow anti slip chair cushions yellow", + " yellow anti slip chair cushions" + ], + "get me some party mix with chocolate covered cashews in a resealable bag.": [ + "party mix chocolate covered cashews in a resealable bag", + "Party mix chocolate covered cashews in a resealable bag", + "party mix chocolate covered cashews", + "party mix chocolate covered cashews resealable bag", + "party mix with chocolate covered cashews", + "party mix chocolate covered cashews, resealable bag", + " party mix chocolate covered cashews in a resealable bag", + "Party mix chocolate covered cashews resealable bag", + "Party mix chocolate covered cashews", + "party mix, chocolate covered cashews, resealable bag" + ], + "i want to buy some multicolored machine washable pajamas in size large.": [ + "multicolored machine washable pajamas in size large", + "multicolored machine washable pajamas", + "multicolored machine washable pajamas size large", + "multicolored machine washable pajamas in a large", + "multicolored machine washable pajama in size large", + "multicolored machine washable pajamas that are large", + "multicolored machine washable pajamas, size large", + "multicolored machine washable pajamas large", + "multicolored machine washable pajamas in small", + "multicolored machine washable pajamas in large" + ], + "i want some easy to use rose gold hair extensions.": [ + "rose gold hair extensions", + "easy to use rose gold hair extensions", + "rose gold hair extensions easy to use", + "rose gold hair extension easy to use", + "rose gold hair extension", + "easy to use rose gold hair extension", + "rose gold hair extensions, easy to use", + "easy to use rose gold hair extensions.", + "beauty extensions easy to use rose gold", + "rose gold hair extensions." + ], + "i want a pair of machine washable memory foam slippers. get the size 12-13 women in berry.": [ + "machine washable memory foam slippers 12-13 women in berry", + "man washable memory foam slippers 12-13 women in berry", + "machine washable memory foam slippers size 12-13 women in berry", + "machine washable memory foam slippers 12-13 women berry", + "machine washable memory foam slippers 12-13 women in berry.", + "woman machine washable memory foam slippers 12-13 women in berry", + "machine washable memory foam slippers, 12-13 women in berry", + "memory foam slippers 12-13 women in berry", + "machine washable memory foam slippers berry 12-13 women", + "machine washable memory foam slippers 12-13 women" + ], + "my sister use avocado color eyebrow": [ + "avocado color eyebrow", + "an avocado color eyebrow", + "auburn color eyebrow", + "i sister use avocado color eyebrow", + "roasted avocado color eyebrow", + "variety avocado color eyebrow", + "ash avocado color eyebrow", + "vegan color eyebrow", + "toothpaste color eyebrow", + "toothbrush color eyebrow" + ], + "i want a misty blue anker magnetic wireless charger.": [ + "m misty blue anker wireless charger", + "m misty blue anker magnetic wireless charger", + " misty blue anker wireless charger", + " misty blue anker magnetic wireless charger", + "t misty blue anker wireless charger", + "t misty blue anker magnetic wireless charger", + "misty blue anker wireless charger", + "dusty blue anker wireless charger", + "m misty blue anker wireless charging", + " misty blue anker magnetic wireless charger." + ], + "i'm looking for an easy to install cell phone safety lanyard patch which has a color specification of transparent x 6.": [ + "easy to install cell phone safety lanyard patch", + "easy to install cell phone safety lanyard patch under $60", + "easy to install cell phone safety lanyard patch under $50", + "yellow cell phone safety lanyard patch", + "cell phone safety lanyard patch", + "easy to install cell phone safety lanyard patch which has a color specification", + "phone safety lanyard patch", + "easy to install cell phone safety lanyard patch with a color specification", + "pocket phone safety lanyard patch", + "5 color lanyard patch" + ], + "i need hair extensions of 18 inch in #1 jet black color made of natural hair.": [ + "18 inch hair extensions made of natural hair", + "18 inch hair extensions of natural hair", + "hair extensions of 18 inch natural hair color", + "hair extensions 18 inch natural", + "hair extensions of 18 inch natural hair", + "18 inch hair extensions of natural hair color", + "hair extensions 18 inch natural black", + "hair extensions of 18 inch natural", + "18 inch hair extensions", + "18 inch natural hair extensions" + ], + "i am looking woman's non slip made from vinyl acetate indoor bathroom slipper color black size 13": [ + "womens indoor bathroom slipper color black", + "non slip made from vinyl acetate indoor bathroom slipper color black", + "womans indoor bathroom slipper color black", + "womens indoor bathroom slipper color black size 13", + "non slip made from vinyl acetate indoor bathroom slipper size 13", + "womans indoor bathroom slipper color black size 13", + "non slip made from vinyl acetate indoor bathroom slipper color", + "non slip made from vinyl acetate indoor bathroom slipper", + "living room slipper color black", + "womens indoor bathroom slipper black" + ], + "i need a ready to hang wall art with white mustangs on a brown background. it should be easy to clean as well.": [ + "white wall art with white mustangs", + "white wall art", + "white mustangs wall art", + "ready to hang wall art", + "white mustangs living wall art", + "white mustangs", + "ready to hang brown wall art", + "white mustangs on a brown background", + "white mustangs on a brown wall", + "white art" + ], + "i am looking for a blue colored 4g lte signal booster for home.": [ + "blue 4g lte signal booster for home", + "blue colored 4g lte signal booster", + "blue 4g lte signal booster", + "blue 3g lte signal booster for home", + "blue 5g lte signal booster for home", + "blue wireless 4g lte signal booster", + "blue colored 4g lte signal booster home", + "blue 4g lte signal booster home", + "blue wireless signal booster for home", + "blue lte signal booster" + ], + "i'm looking for a full xl size mattress and box spring set with 8\" foundation.": [ + "full xl mattress and box spring set", + "full xl mattress and box spring set 8 foundation", + "full xl size mattress and box spring set", + "full xl mattress with 8 foundation", + "full xl mattress mattress and box spring set", + "full xl mattresses and box spring set", + "full xl mattress box spring set with 8 foundation", + "full xl mattress and box spring", + "full xl mattress", + "full xl" + ], + "he was wearing a burgundy polyester cotton with black color and size 31 . it's quality is good.": [ + "burgundy polyester cotton with black color", + "burgundy polyester cotton", + "burgundy polyester cotton size 31", + "burgundy polyester cotton in black", + "burgundy polyester cotton in black color", + "burgundy polyester cotton black", + "burgundy polyester cotton, size 31", + "burgundy polyester cotton in size 31", + "burgundy polyester cotton that is black", + "burgundy polyester cotton color" + ], + "i am looking for iphone 11 mobile case. please choose green one.": [ + "iphone 11 mobile case green", + "iphone 11 mobile case", + "iphone 11 mobile case. green", + "iphone 11 mobile case, green", + "iphone 11 mobile case in green", + "iphone 11 mobile case with green", + "iphone 11 mobile case green", + "iphone 11 mobile case. green", + "iphone 11 mobile case that is green", + "iphone 11 mobile case with a green" + ], + "i am looking for bunny cake toppers for a baby shower.": [ + "bunny cake toppers for a baby shower", + "baby shower bunny cake toppers", + "pink baby shower cake toppers", + "chocolate cake toppers for a baby shower", + "bunny cake toppers for baby shower", + " bunny cake toppers for a baby shower", + "pink cake toppers for a baby shower", + "chocolate cake toppers for baby shower", + "bunny cake toppers baby shower", + "pink baby shower toppers" + ], + "i am looking for a twin xl over queen sized heavy duty steel bunk bed frame.": [ + "twin xl bed frame", + "twin xl bunk bed frame", + "twin xl heavy duty steel bunk bed frame", + "twin xl high duty steel bunk bed frame", + "twin xl bed frame heavy duty steel", + "twin xl beds frame", + "twin xl bed frame, heavy duty steel", + "twin xl", + "twin xl bunk bed frame under $50", + "twin xl bunk bed frame under $40" + ], + "i am looking for hd dvd player.": [ + "hd dvd player", + "tv dvd player hd dvd", + " hd dvd player", + "hd dvd player.", + "hd dvd player under $40", + "hd dvd player that is hd", + "hd dvd player under $60", + "hd dvd player hd", + "tv dvd player", + "hd dvd player" + ], + "guyou faux fur accent chairs set of 2 chairs, white item is my choice for my new home .": [ + "guyou faux fur accent chairs set of 2", + "guyou faux fur accent chairs set of 2 chairs", + "guyou faux fur accent chairs set of 2 chairs white", + "guyou faux fur accent chairs set of 2, white", + "guyou faux fur accent chairs", + "guyou faux fur accent chairs set of 2 dining", + "guyou faux fur accent chairs set of 2 with white", + "guyou faux fur accent chairs set of 2 dining chairs", + "guyou faux fur accent chairs, white", + "guyou faux fur accent chair set of 2" + ], + "i am looking for canvas paintings with ready hang for living room, blue&white color is preferred": [ + "artwork blue&white", + "artwork with ready hang for living room", + "portrait ready hang for living room", + "blue&white canvas paintings", + "portrait blue&white", + "artwork blue and white", + "rainbow color canvas paintings", + "artwork with ready hang living room", + "yellow canvas paintings", + "portrait blue&white color" + ], + "i need a navy blue shock absorption carbon fiber case": [ + "i need a navy blue shock absorption carbon fiber case, and price lower than 50.00 dollars", + "navy blue shock absorption carbon fiber case", + "i need a navy blue shock absorption carbon fiber case, and price lower than 40.00 dollars", + "i need a navy blue shock absorption carbon fiber case, and price lower than 140.00 dollars", + "i need a navy blue shock absorption carbon fiber case, and price lower than 60.00 dollars", + "i need a navy blue shock absorption carbon fiber case, and price lower than 70.00 dollars", + "i need a navy blue shock absorption carbon fiber case, and price lower than 30.00 dollars", + "i need a navy blue shock absorption carbon fiber case, and price lower than 100.00 dollars", + "i need a navy blue shock absorption carbon fiber case, and price lower than 120.00 dollars", + "i need a navy blue shock absorption carbon fiber case, and price lower than 20.00 dollars" + ], + "i am looking for extra large high waist women's leggings with tummy control.": [ + "extra large high waist womens leggings with tummy control", + "extra large high waist womens leggings", + "extra large high waist womens leggings, tummy control", + "extra large womens leggings with tummy control", + "extra large high waist womens leggings no tummy control", + "extra large high waist womens leggings under $40", + "extra large high waist womens leggings under $50", + "extra large high waist womens leggings under 50 dollars", + "extra large high waist womens leggings under $60", + "extra large high waist womens leggings under 30 dollars" + ], + "i want a aipsun clear glass globe pendant light fixture.": [ + "aipsun clear glass globe pendant light fixture", + "aipsun clear glass pendant light fixture", + "aipsun clear glass globe pendant light fixture.", + "aipsun clear glass globe pendant light fixture,", + " aipsun clear glass globe pendant light fixture", + "anipsun clear glass globe pendant light fixture", + "aipsun crystal pendant light fixture", + "aipsun glass globe pendant light fixture", + "large glass globe pendant light fixture", + "glass globe pendant light fixture" + ], + "i need to buy a full sized, machine washable comforter. get color six.": [ + "full sized, machine washable comforter color six", + "full sized, machine washable comforter", + "full sized, machine washable comforter color 6", + "full sized, machine washable comforter colored six", + "full sized machine washable comforter color six", + "machine washable comforter color six", + "man washable comforter color six", + "washable comforter color six", + "full sized machine washable comforter", + "bathable comforter color six" + ], + "i want to find a red d04 gaming chair that offers lumbar support.": [ + "red d04 gaming chair with lumbar support", + "red d04 gaming chair lumbar support", + "red d04 gaming chair", + "red d04 gaming chair, lumbar support", + "red gaming chair with lumbar support", + " red d04 gaming chair with lumbar support", + "red gaming chair that offers lumbar support", + "tv gaming chair with lumbar support", + "red gaming chair lumbar support", + "red d04 gaming chair with lumbar" + ], + "i am looking for a high speed digital camera with optical zoom.": [ + "high speed digital camera with optical zoom", + "high speed digital camera with optical zoom.", + "high speed digital camera with optical zoom under $40", + "high speed digital camera", + "high speed digital camera with optical zoom under $60", + "high speed digital camera with optical zoom under $50", + "high speed digital camera with optical zoom under $120", + "high speed digital camera with optical zoom,", + "high speed digital camera, with optical zoom", + "low speed digital camera with optical zoom" + ], + "i would like some elastic waistband pants that are black in a size 38w by 34l": [ + "black elastic waistband pants 38w by 34l", + "elastic waistband pants 38w by 34l", + "38w by 34l elastic waistband pants", + " elastic waistband pants 38w by 34l", + "an elastic waistband pants 38w by 34l", + "plastic waistband pants 38w by 34l", + "38w by 34l black elastic waistband pants", + "faux waistband pants 38w by 34l", + " elastic waistband pants 38w by 34l black", + "rainbow pants 38w by 34l" + ], + "i want to buy a four pack of non-gmo orange mango sparkling waters.": [ + "4 pack non-gmo orange mango sparkling waters", + "pack of non-gmo orange mango sparkling waters", + "non-gmo orange mango sparkling waters four pack", + "4 pack of non-gmo orange mango sparkling", + "4 pack of gmo orange mango sparkling waters", + "4 pack of non-gmo mango sparkling waters", + "non-gmo orange mango sparkling waters", + "gmo orange mango sparkling waters four pack", + "orange mango sparkling waters four pack", + "granate mango sparkling waters four pack" + ], + "i'm looking for farmhouse window curtain set of grey color for living room , w 52 x l 90 | pair": [ + "farmhouse window curtain set of grey color", + "grey farmhouse window curtain set of grey color", + "green farmhouse window curtain set of grey color", + "grey color farmhouse window curtain set of grey", + " farmhouse window curtain set of grey color", + "grey color farmhouse window curtain set", + "grey farmhouse window curtain set", + "grey color farmhouse window curtain", + "farmhouse window curtain set of grey", + "farmhouse window curtain set" + ], + "i need a 10 pound back of parboiled brown rice that is easy to prepare.": [ + "10 pound back of parboiled brown rice", + "10 pound back of parboiled brown rice easy to prepare", + "8 pound back of parboiled brown rice", + "10 pound back of parboiled brown rice under $40", + "9 pound back of parboiled brown rice", + "5 pound back of parboiled brown rice", + "10 pound back of parboiled brown rice under $50", + "pink rice 10 pound back", + "pink pomegranate brown rice", + "10 pound pomegranate brown rice" + ], + "i need to buy some blackout curtains for my living room that are eighty-four inches by eighty-four inches. get the ones with trees on them.": [ + "i need to buy some blackout curtains for my living room that are eighty-4 inches by eighty-four inches. get the ones with trees on them, and price lower than 50.00 dollars", + "i need to buy some blackout curtains for my living room that are eighty-4 inches by eighty-four inches. get the ones with trees on them, and price lower than 100.00 dollars", + "i need to buy some blackout curtains for my living room that are eighty-four inches by eighty-4 inches. get the ones with trees on them, and price lower than 50.00 dollars", + "i need to buy some blackout curtains for my living room that are eighty-4 inches by eighty-four inches. get the ones with trees on them, and price lower than 40.00 dollars", + "i need to buy some blackout curtains for my living room that are eighty-four inches by eighty-4 inches. get the ones with trees on them, and price lower than 100.00 dollars", + "i need to buy some blackout curtains for my living room that are eighty-4 inches by eighty-four inches. get the ones with trees on them, and price lower than 120.00 dollars", + "i need to buy some blackout curtains for my living room that are eighty-4 inches by eighty-four inches. get the ones with trees on them, and price lower than 140.00 dollars", + "i need to buy some blackout curtains for my living room that are eighty-4 inches by eighty-four inches. get the ones with trees on them, and price lower than 20.00 dollars", + "i need to buy some blackout curtains for my living room that are eighty-4 inches by eighty-four inches. get the ones with trees on them, and price lower than 60.00 dollars", + "i need to buy some blackout curtains for my living room that are eighty-4 inches by eighty-four inches. get the ones with trees on them, and price lower than 70.00 dollars" + ], + "find me some tea tree and lavender conditioner for dry, sensitive skin.": [ + "tea tree conditioner for dry, sensitive skin", + "tea tree and lavender conditioner", + "tea tree and lavender conditioner for dry sensitive skin", + "tea tree and lavender conditioner for sensitive skin", + "tea tree conditioner for dry, sensitive skin.", + "tea tree and lavender conditioner dry, sensitive skin", + "tea tree and lavender conditioner for sensitive skin.", + "tea tree natural conditioner for dry, sensitive skin", + "tea tree conditioner", + "tea tree" + ], + "i am looking for buff which is a sulfate-free, vegan scent-free conditioner bar for sensitive skin! free from fragrance & coconut oil to soothe & smooth your scalp! ethique solid conditioner bar for sensitive skin which is 100% soap free & safe for color-treated or damaged hair. palm-oil free & aluminum free. kookabara scent in 2.12 ounce preferable.": [ + "buff, ethique solid conditioner bar for sensitive skin", + "buff ethique solid conditioner bar for sensitive skin", + "buff scent-free conditioner bar for sensitive skin", + "buff scent free conditioner bar for sensitive skin", + "buff with scent free and ethique solid conditioner bar for sensitive skin", + "buff solid conditioner bar for sensitive skin", + "buff, ethique solid conditioner bar for sensitive skin with scent free", + "buff fur conditioner bar for sensitive skin", + "buff human conditioner bar for sensitive skin", + "buff human conditioner bar" + ], + "get me a pair of grey nylon spandex stretch pants.": [ + "grey nylon spandex stretch pants", + "grey nylon spandex stretch pants.", + "grey nylon spandex stretch pants under $40", + "grey nylon spandex stretch pants under $50", + "grey nylon spandex stretch pants under 50 dollars", + "grey nylon spandex stretch pants under $60", + "grey nylon spandex stretch pants,", + "grey nylon spandex stretch pants, $40", + "grey spandex stretch pants", + "grey pandex stretch pants" + ], + "i want a mojito twist flavored cocktail mixer. make sure that it is non alcoholic and low calorie.": [ + "mojito twist flavored cocktail mixer", + "mojito twist flavored cocktail mixer non alcoholic and low calorie", + "mojito twist flavored cocktail mixer low calorie", + "mojito twist flavored cocktail mixer no sugar", + "mojito twist flavored cocktail mixer that is non alcoholic", + "mojito twist flavored cocktail mixer non alcoholic", + "mojito twist flavored cocktail mixer low calories", + "mojito twist flavored cocktail mixer non alcoholic low calorie", + "mojito twist flavored cocktail mixer, low calorie", + "mojito twist flavored mixer" + ], + "i am looking for high quality replacement shaver heads for a philips razor.": [ + "compact shaver heads for a philips razor", + "pink shaver heads for a philips razor", + "professional shaver heads for a philips razor", + "replacement shaver heads for a philips razor", + "pink razor replacement shaver heads", + "professional shaver heads for a philips razor.", + "ps razor replacement shaver heads high quality", + "ps razor replacement shaver heads", + "pink razor replacement shaver heads high quality", + "pink shaver heads" + ], + "i need a light weight case cover for a macbook air. get the creative marble pattern.": [ + "macbook air case cover with a creative marble pattern", + "case cover for a macbook air with a creative marble pattern", + "macbook air case cover with creative marble pattern", + "case cover for a macbook air with creative marble pattern", + "case cover for macbook air with a creative marble pattern", + "macbook air case cover, creative marble pattern", + "light weight case cover for a macbook air under $50", + "light weight case cover for a macbook air under $40", + "light weight case cover for a macbook air under $60", + "case cover for a macbook air" + ], + "i need to find a pair of coral suede ballet flats in size eight and a half. find the ones with the rubber soles.": [ + "coral suede ballet flats in size eight and a half. find the ones with the rubber soles.", + "two coral suede ballet flats in size eight and a half", + "coral suede ballet flats in size eight and a half", + "coral suede ballet flats size eight and a half", + "a pair of coral suede ballet flats in size eight and a half", + "two coral suede ballet flats size eight and a half", + "2 coral suede ballet flats in size eight and a half", + "a pair of coral suede ballet flats size eight and a half", + "cruelty flats size eight and a half", + "curtains eight and a half" + ], + "i need to get a synthetic hair extension in color 4.": [ + "synthetic hair extension color 4", + "synthetic hair extension in color 4", + "synthetic hair extension color 4.", + "synthetic hair extension colored 4", + "stainless hair extension color 4", + "stainless hair extension in color 4", + "sneakers hair extension color 4", + "synthetic hair extension, color 4", + "synthetic hair extension", + "synthetic hair extension color 4," + ], + "i used green color coconut oil": [ + "green color coconut oil", + "green coconut oil", + "green color coconut oil under $40", + "green color coconut oil under $50", + "green coconut oil under $40", + "green color coconut oil under $60", + "green colored coconut oil", + "pink color coconut oil", + "green coconut oil that is natural", + "green coconut oil under $50" + ], + "i need a long lasting tv stand in white color.": [ + "tv stand in white", + "tv stand white", + "white tv stand long lasting", + "long lasting tv stand in white", + "tv stand in white color", + "tv stand white long lasting", + "white tv stand", + "white tv stand in white", + "long lasting tv stand white", + "white tv stand, long lasting" + ], + "i need bath sponges that are non toxic for dead skin in the color 1.": [ + "bath sponges non toxic for dead skin in the color 1", + "bath sponges non toxic for dead skin color 1", + "bath sponges non toxic for dead skin", + "bath sponges non toxic for dead skin color 1.", + "bath sponges that are non toxic for dead skin", + "bath sponges non toxic for dead skin color 1.5", + "bath sponges that are non toxic for dead skin color 1", + "bath sponges no toxic for dead skin in the color 1", + "bath sponges non toxic for dead skin in a color 1", + "bath sponges non toxic dead skin color 1" + ], + "i need some blue wide legged pants in a large.": [ + "blue wide legged pants in a large.", + "blue wide legged pants in a large", + "blue wide legged pants in a large size", + "blue wide legged pants", + "blue wide legged pants in a large,", + "blue wide legged pants that are large", + "blue wide legged pants large", + "blue wide legged pants size large", + "blue wide legged pants in a size large", + "blue wide legged pants a large" + ], + "i need a tempered glass screen protector for my iphone.": [ + "tempered glass screen protector for iphone", + "tempered glass screen protector for my iphone", + "tempered glass screen protector for iphone.", + "tempered glass screen protector iphone", + "tempered glass screen protector for iiphone", + "tempered glass screen protector for an iphone", + "tempered glass screen protector for a iphone", + "tempered glass screen protector for iiphone.", + "tempered glass screen protector", + "tempered glass screen protector for the iphone" + ], + "i need a pair of white sneakers with rubber sole. it should be in women size 11.": [ + "woman white sneakers with rubber sole", + "white sneakers with rubber sole", + "white sneakers with rubber sole women size 11", + "womens white sneakers with rubber sole", + "white sneakers with rubber sole woman size 11", + "woman white sneakers with rubber sole size 11", + "woman white sneakers", + "white sneakers with rubber sole size 11", + "white sneakers in women size 11", + "white sneakers women size 11" + ], + "i need some cupcake toppers for a birthday party. get the ones with silver glitter.": [ + "cupcake toppers for a baby shower with silver glitter", + "cupcake toppers for a baby shower silver glitter", + "cupcake toppers for a baby shower", + "cupcake toppers for a birthday party with silver glitter", + "cupcake toppers for a birthday party silver glitter", + "cupcake toppers for a baby shower, silver glitter", + "cupcake toppers for a birthday party", + "cupcake toppers for a birthday party, silver glitter", + "cupcake toppers for a baby shower. silver glitter", + "cupcake toppers with silver glitter" + ], + "i want non gmo gimme, seaweed snack teriyaki.": [ + "non gmo gimme seaweed snack teriyaki", + "non gmo gimme, seaweed snack teriyaki", + "non-gmo gimme seaweed snack teriyaki", + "non gmo gimme seaweed snack teriyaki.", + "gmo gimme, seaweed snack teriyaki", + "non gmo gimme seaweed snack", + "non gmo gimme sea salt snack teriyaki", + "gmo gimme seaweed snack teriyaki", + "non gmo gimme, seaweed snack", + "non gmo gimme" + ], + "i need some blue linens that are high in quality.": [ + "blue linens high in quality", + "blue linens high in quality.", + "blue linens, high in quality", + "blue linens high quality", + "blue linens quality high in quality", + "blue linens are high in quality", + "blue linens", + "blue linens in quality", + "blue linens with quality", + "blue linens quality" + ], + "i need a toothbrush for kids that is easy to use and is the color c.": [ + "easy to use toothbrush for kids color c", + "teethbrush for kids color c", + "tothbrush for kids color c", + "toothbrush for kids color c", + "teethbrush for kids in the color c", + "teethbrush for kids in a color c", + "teethbrush for kids in color c", + "tothbrush for kids in color c", + "pocketbrush for kids color c", + "kids toothbrush color c" + ], + "i want a brown mens shawl collar long-sleeved cardigans sweater.": [ + "brown mens shawl collar long-sleeved cardigans sweater", + "brown mens shawl collar long-sleeved cardigans sweater.", + "womens shawl collar long-sleeved cardigans sweater", + " brown mens shawl collar long-sleeved cardigans sweater", + "pink mens shawl collar long-sleeved cardigans sweater", + "brown mens shawl collar long-sleeved cardigans sweater,", + "brown mens shawl collar long-sleeved cardigans", + "shawl collar long-sleeved cardigans sweater", + "womens shawl collar long-sleeved cardigans", + "shawl collar long-sleeved cardigans sweater brown" + ], + "i want to find butter infused olive oil in a 200 milliliter bottle. it shouldn't have any artificial flavors.": [ + "butter infused olive oil in a 200 milliliter bottle", + "butter infused olive oil 200 milliliter bottle", + "butter infused olive oil, 200 milliliter bottle", + "butter infused olive oil that is 200 milliliter bottle", + "butter infused olive oil a 200 milliliter bottle", + "butter infused olive oil", + "butter infused olive oil with natural flavor", + "butter infused olive oil no artificial flavor", + "butter infused olive oil under $50", + "butter infused olive oil 200 milliliter" + ], + "i am looking for a replacement remote control for samsung tvs that includes batteries.": [ + "remote control samsung tvs with batteries", + "samsung tvs with batteries", + "remote control samsung tvs that includes batteries", + "remote control samsung tvs", + "remote control for samsung tvs with batteries", + "samsung tvs that includes batteries", + "tv remote control samsung tvs with batteries", + "remote control samsung tvs, with batteries", + "remote control for samsung tvs", + "replacement remote control samsung tvs" + ], + "i need some wide leg pajama pants. it should be a large sized relaxed fit pant.": [ + "large sized relaxed fit pant", + "large wide leg pajama pants", + "wide leg pajama pants", + "small pajama pants", + "open wide leg pajama pants", + "large leg pajama pants", + "large pajama pants", + " wide leg pajama pants", + "large t-shirt relaxed fit pant", + "large sized relaxed fit pant." + ], + "i want to buy a faux fur sherpa jacket in medium.": [ + "faux fur sherpa jacket in medium", + "faux fur sherpa jacket in medium.", + "faux fur sherpa jacket in medium price", + "faux fur sherpa jacket in a medium", + "faux fur sherpa jacket in small", + "faux fur sherpa jacket", + "faux fur sherpa jacket in size medium", + "faux fur sherpa jacket in medium,", + "faux fur sherpa jacket in medium size", + "faux fur sherpa jacket, medium" + ], + "find me some low-fat jerky in a resealable bag. i'd like the teriyaki flavor.": [ + "low-fat jerky in a resealable bag", + "low-fat jerky in a resealable bag.", + "low-fat jerky in a resealable bag under $40", + "low-fat jerky in a resealable bag under $60", + "low fat jerky in a resealable bag", + "low-fat jerky resealable bag", + "low-fat jerky, resealable bag", + "low-fat jerky", + "low-fat jerky under $40", + "low-fat jerky under $60" + ], + "i am looking for men's slim-fit machine wash and button closure with moisture wicking medium grey heather polo shirt and size is x-small": [ + "mens slim-fit machine wash and button closure", + "mens slim-fit machine wash with button closure", + "mens slim-fit machine wash with button closure x-small", + "mens slim-fit machine wash and button closure x-small", + "mens slim-fit machine wash button closure", + "mens slim-fit machine wash button closure x-small", + "mens slim-fit machine wash x-small", + "mens slim-fit machine wash and button closure", + "mens slim-fit machine wash with button closure", + "mens slim-fit machine wash" + ], + "i need green women high waist yoga pants.": [ + "green women high waist yoga pants", + "green women high waist yoga pants.", + "green women high waist yoga pants under $40", + "green women high waist yoga pants under $50", + "green women high waist yoga pants under $60", + "green women high waist yoga pants under 50 dollars", + "green women high waist yoga pants under 30 dollars", + "green women high waist yoga pants under 40 dollars", + "i need green women high waist yoga pants.", + "green women high waist yoga pants below $50" + ], + "i want to buy wireless nunchuck controllers for the wii.": [ + "wireless nunchuck controllers for the wii", + "wii wireless nunchuck controllers", + " wireless nunchuck controllers for the wii", + " wireless nunchuck controllers for the wii.", + "phone nunchuck controllers for the wii", + "wireless nunchuck controllers", + "wireless nunchuck controllers for a wii", + "wirelessly nunchuck controllers for the wii", + "wireless nunchuck controllers for wii", + "wii nunchuck controllers" + ], + "i want to buy a twenty four pack of stupid hot low carb pork rinds.": [ + "28 pack of stupid hot low carb pork rinds", + "23 pack of stupid hot low carb pork rinds", + "hot low carb pork rinds twenty four pack", + "20 four pack of stupid hot low carb pork rinds", + "25 pack of stupid hot low carb pork rinds", + "22 pack of stupid hot low carb pork rinds", + "20 pack of stupid hot low carb pork rinds", + "twin pack of stupid hot low carb pork rinds", + "28 pack of stupid hot low carb pork rinds.", + "23 pack of stupid hot low carb pork rinds." + ], + "find ps3 controller playstation 3 controller wireless bluetooth remote controller for playstation 3 system (siliver+orange) at amazon please.": [ + "ps3 controller playstation 3 wireless bluetooth remote controller", + "ps3 controller playstation 3 controller wireless bluetooth remote controller", + "ps3 controller playstation 3", + "ps3 controller playstation 3 with bluetooth remote controller", + "ps3 controller playstation 3 system", + "pps3 controller playstation 3 wireless bluetooth remote controller", + "ps3 controller playstation 3 system,siliver+orange", + "ps3 controller playstation 3 system insiliver+orange", + "ps3 controller playstation 3 wireless bluetooth remote", + "pps3 controller playstation 3" + ], + "i want tea biscuits made with quality ingredients. make sure that it is individually wrapped and doesn't come in a jar.": [ + "tea biscuits made with quality ingredients", + "tea biscuits made with quality ingredients in a jar", + "tea biscuits made from quality ingredients", + "tea biscuits made with quality ingredients and are individually wrapped", + "tea biscuits made with quality ingredients under $40", + "tea biscuits with quality ingredients", + "tea biscuits made with quality ingredients under $50", + "tea biscuits made with quality ingredients under $60", + "tea biscuits", + "tea biscuits individually wrapped" + ], + "i want to buy a 36 count box of java love k cup pods. they should be usda organic.": [ + "bag of java love k cup pods", + "bag pods usda organic", + "jama love k cup pods", + "usda organic java love k cup pods", + "pack of java love k cup pods", + "bag pods that are usda organic", + "usda organic coffee cup pods 36 count", + "bag pods usda organic 36 count", + "usda organic coffee cup pods", + "bag pods" + ], + "i am looking for medium brown end tables with outlets and usb ports for my living room.": [ + "medium brown end tables with outlets and usb ports for my living room", + "medium brown end tables with outlets and usb ports for living room", + "medium brown end tables with outlets and usb ports", + "medium brown end tables with outlets and usb ports for the living room", + "medium brown end table with outlets and usb ports for living room", + "medium brown end tables with outlets and usb ports for a living room", + "medium brown end tables with outlets and usb ports living room", + "medium brown end table with outlets and usb ports for my living room", + "medium brown end tables with outlets and usb ports for living room.", + "medium brown end tables with outlets and usb port for my living room" + ], + "i have 4x-large size short sleeve": [ + "4xl short sleeve shirt under $50", + "4xl short sleeve shirt", + "4xl short sleeve shirt under $40", + "4xl short sleeve shirt below $50", + "4xl short sleeve shirt under $60", + "4xl short sleeve shirt below $40", + "4xl short sleeve shirt under 50 dollars", + "4xl short sleeve shirt under 40 dollars", + "4xl short sleeve shirt 4xl", + "4xl short sleeve shirt under $120" + ], + "i'd like to find a loose short-sleeved summer tunic top for my teenage daughter. she's a size xxl and likes the color green.": [ + "short-sleeved summer tunic top size xxl in the color green", + "short-sleeved summer tunic top xxl in the color green", + "short-sleeved summer tunic top in a size xxl", + "a loose short-sleeved summer tunic top in a size xxl", + "pocket short-sleeved summer tunic top in a size xxl", + "a loose short-sleeved summer tunic top", + "short-sleeved summer tunic top", + "pocket short-sleeved summer tunic top", + "tunic top size xxl in the color green", + "tunic top size xxl" + ], + "i am looking for makeup brushes tool set with eye shadow blush": [ + "pink makeup brushes tool set with eye shadow blush", + " makeup brushes tool set with eye shadow blush", + "makeup brushes tool set with eye shadow blush", + "beauty brushes tool set with eye shadow blush", + "daring makeup brushes tool set with eye shadow blush", + "moisturizing brushes tool set with eye shadow blush", + "moisturizing tools set with eye shadow blush", + "pink makeup brushes tool set", + "permanent makeup brushes tool set with eye shadow blush", + " makeup brushes tool set" + ], + "i am looking for a large short sleeve men's graphic t-shirt.": [ + "large short sleeve mens graphic t-shirt", + "mens graphic t-shirt", + "large mens graphic t-shirt", + "large long sleeve mens graphic t-shirt", + "large men graphic t-shirt", + "mens graphic t-shirt.", + "mens graphic t-shirt under $40", + "mens graphic t-shirt under $50", + "womens graphic t-shirt", + "large mens graphic t-shirt." + ], + "i want to find earbuds that are very lightweight.": [ + "alarm earbuds lightweight", + "pocketed earbuds lightweight", + "pocket-light earbuds", + "pocket earbuds lightweight", + "pocket smart earbuds lightweight", + "light weight earbuds", + "pocketed earbuds", + "pocket friendly earbuds", + "pocket-friendly earbuds", + "alarm earbuds" + ], + "i would like some chocolates that are individually wrapped that say congratulations.": [ + "chocolates individually wrapped that say congratulations", + "chocolates individually wrapped that say congratulations.", + "chocolates individually wrapped with congratulations", + "pack of chocolates that are individually wrapped", + "12 chocolates individually wrapped that say congratulations", + "chocolates individually wrapped", + "pack of chocolates with congratulations", + "chocolates that are individually wrapped", + "chocolates with congratulations", + "chocolates that are individually wrapped with congratulations" + ], + "i want to find a hair repair mask treatment that can treat damaged hair.": [ + "hair repair mask treatment for damaged hair", + "hair repair mask treatment that can treat damaged hair", + "hair repair mask treatment for damaged hair.", + "hair repair mask treatment for damaged human hair", + "hair repair mask treatment for damaged air", + "toothpaste treatment for damaged hair", + "shoes repair mask treatment for damaged hair", + "honey repair mask treatment for damaged hair", + "hair repair mask treatment", + "human hair repair mask treatment" + ], + "i am looking for tufted storage bench ottoman of qtqhome padded footrest stool which is collapsible design of this storage trunk makes it easy to set up a cozy, padded seating within seconds! it can also be folded flat when not in use for compact storage. best for living room in brown color 100x40x42cm(39x16x17inch) preferable.": [ + "tfted storage bench ottoman of qtqhome", + "tuxed storage bench ottoman of qtqhome", + "ufted storage bench ottoman of qtqhome", + "tfted storage bench ottoman", + "tufted storage bench ottoman of qtqhome", + "tefted storage bench ottoman of qtqhome", + "tunted storage bench ottoman of qtqhome", + "tunfted storage bench ottoman of qtqhome", + "tuxed storage bench ottoman", + "tusfted storage bench ottoman" + ], + "i want to find an ac adapter that is high definition.": [ + "ac adapter that is high definition", + "ac adapter high definition", + "high definition ac adapter", + "ac adapter that is high definition.", + " ac adapter that is high definition", + "a high definition ac adapter", + "high definition ac adapter under $40", + "high definition ac adapter under $60", + "high definition ac adapter under $50", + "high definition ac adapter high definition" + ], + "i want to find an extra-large pair of high waisted x1-21 blue jeans for women.": [ + "extra-large jeans for women x1-21", + "extra-large jeans x1-21", + "extra-large blue jeans for women", + "extra-large x1-21 blue jeans", + "extra-large jeans for women", + "extra-large blue jeans x1-21", + "extra-large jeans x1-21 for women", + "extra-large jeans x1-21 blue jeans", + "extra-large jeans x1-21 women", + "extra-large blue jeans" + ], + "i am looking for ready to eat plain jackfruit.": [ + "plain jackfruit", + "ready to eat plain jackfruit", + "plain jackfruit ready to eat", + "easy to eat plain jackfruit", + "pure jackfruit ready to eat", + "plastic jackfruit", + "plain jackfruit drink mix", + "pure jackfruit", + "plain jackfruit flavor", + "packaged jackfruit" + ], + "i am looking for an anti perspirant.": [ + "anti perspirant", + "anti perspirant.", + "anti perspirant under $40", + "anti perspirant under $50", + "anti perspirant under $60", + "anti perspirant under 30 dollars", + "anti perspirant under 50 dollars", + "anti perspirant below $40", + "anti perspirant below $50", + "anti perspirant under 40 dollars" + ], + "i'm looking for a high speed cable hdmi male to male 2 pack of 30 feet": [ + "high speed cable hdmi male to male 2 pack of 30 feet", + "high speed cable hdmi male to male 2 pack", + "low speed cable hdmi male to male 2 pack of 30 feet", + "high speed cable hdmi male to male 2 pack of 30 dollars", + "tv hdmi male to male 2 pack of 30 feet", + "high speed cable hdmi male to male 2 pack of 30", + "cable hdmi male to male 2 pack of 30 feet", + "high speed cable hdmi male to male 2 pack of 30 ft", + "high speed cable hdmi male to male 2 pack of 30 foot", + "tv dmi male to male 2 pack of 30 feet" + ], + "get me a hdmi male to male cable that is high speed and gold plated.": [ + "hdmi male to male cable high speed and gold plated", + "tv hdmi male to male cable high speed and gold plated", + "hdmi male to male cable high speed gold plated", + "tv hdmi male to male cable high speed gold plated", + "tv hdmi male to male cable", + "tv hdmi male cable high speed gold plated", + "hdmi male cable high speed gold plated", + "hdmi male to male cable", + "high speed male to male cable", + "tv hdmi male cable" + ], + "i would like a living room ottoman that is white faux fur.": [ + "living room ottoman white faux fur", + "white faux fur living room ottoman", + "living room ottoman, white faux fur", + "living room ottoman with white faux fur", + "living room ottoman white faux fur.", + "living room ottoman", + "living room ottoman white faux fur,", + "living room ottoman in white faux fur", + "living room ottoman white", + "living room ottoman white fur" + ], + "i want a pair of super soft fleece lined socks in snowflake or light pink color.": [ + "super soft fleece lined socks snowflake or light pink", + "soft fleece lined socks in snowflake or light pink", + "slimming socks in snowflake or light pink", + "super soft fleece lined socks", + "super soft fleece lined socks in snowflake", + "sneakers in snowflake or light pink", + "sneakers snowflake or light pink", + "socks in snowflake or light pink", + "super soft fleece lined socks in snowflake pink", + "super soft fleece lined socks under $50" + ], + "i'm looking for high power and high resolution monocular telescope": [ + "high power and high resolution monocular telescope", + "high power high resolution monocular telescope", + "monocular telescope high power and high resolution", + "monocular telescope high power", + "high power low resolution monocular telescope", + "high power, high resolution monocular telescope", + "low power and high resolution monocular telescope", + "monocular telescope high power high resolution", + "high power monocular telescope", + "monocular telescope that is high power" + ], + "i need a wall-mounted mirror that is easy to install.": [ + "wall-mounted mirror", + "wall-mounted mirror easy to install", + "wall-mounted mirror, easy to install", + "womens wall-mounted mirror", + "wall-mounted mirror easy to install.", + "wall-mounted mirror for wall-mounted", + "wall-mounted mirror under $50", + "wall-mounted mirror under $40", + "walls-mounted mirror", + "living room mirror" + ], + "get me a hand washable camo jumpsuit in size extra extra large.": [ + "hand washable camo jumpsuit in size extra large", + "hand washable camo jumpsuit extra extra large", + "hand washable camo jumpsuit", + "hand washable camo jumpsuit extra large", + "hand washable camo jumpsuit extra extra large.", + "hand washable camo jumpsuit size extra large", + "womens size extra large camo jumpsuit", + "hand washable camo jumpsuit that is extra large", + "extra large camo jumpsuit", + "clothing extra large" + ], + "running a candle flame up and down a twisted piece of dry hair and color is beige.": [ + "lighted piece of dry hair and color beige", + "lighted piece of dry hair and color is beige", + "stainless piece of dry hair beige", + "stainless piece of dry hair and color beige", + "womens dry hair beige candle flame", + "womens hair color beige", + "lighted piece of dry hair beige", + "womens dry hair color beige", + "womens dry hair color beige candle flame", + "stainless piece of dry hair beige candle flame" + ], + "i need a floor lamp for my living room.": [ + "floor lamp for living room", + "floor lamp for my living room", + "floor lamp living room", + "floor lamp for the living room", + "floor lamp for living room.", + "floor lamp in my living room", + "floor lamp in the living room", + "floor lamp for a living room", + "floor lamp in living room", + "floor lamp, living room" + ], + "i am looking for super soft and machine washable dujiea lightweight cozy bed blanket with size small (40\"x50\") and also color is christmas kitty cat": [ + "super soft bed blanket with size small (40x50)", + "super soft blanket with size small (40x50)", + "super soft bed blanket with size small", + "super soft cozy bed blanket with size small", + "super soft bed blanket in a christmas", + "super soft cozy bed blanket in a christmas", + "super soft bed blanket", + "super soft cozy bed blanket", + "super soft plush bed blanket", + "super soft blanket" + ], + "i want a grey and easy to install naked eye 3d holographic projector.": [ + "grey and easy to install naked eye 3d holographic projector", + "grey and easy to install naked eye 3d holographic projector.", + "grey and easy to install 3d holographic projector", + "grey and easy to install nude eye 3d holographic projector", + "grey 3d holographic projector", + "grey, easy to install naked eye 3d holographic projector", + "grey and easy to install naked eye 3d holographic projector,", + "grey and easy to install nude eye 3d holographic projector", + "womens 3d holographic projector", + "grey and easy to install 3d holographic projector." + ], + "i am looking for a long lasting rechargeable hair clipper.": [ + "long lasting rechargeable hair clipper", + "long lasting rechargeable hair clipper.", + "a long lasting rechargeable hair clipper", + "long lasting rechargeable hair clipper,", + "long lasting rechargeable hair clippers", + "hair clipper long lasting rechargeable", + "hair clipper long lasting", + "rechargeable hair clipper", + "lens clipper long lasting", + "brushed hair clipper" + ], + "i am looking for high resolution digital camera. choose pink color.": [ + "high resolution digital camera in pink", + "high resolution digital camera pink", + "pink high resolution digital camera", + "high resolution digital camera, pink", + "high resolution digital camera", + "pink digital camera", + "high resolution digital camera with pink", + "high resolution digital camera pink", + "pink digital camera high resolution", + "digital camera pink" + ], + "i am looking for 3 pcs wall art for living room. size should be 12x16 inches.": [ + "3 pcs wall art for living room", + "3 pcs wall art", + "3 pcs wall art for living room 12x16 inches", + "3 pcs wall art, 12x16 inches", + "3 pcs wall art size should be 12x16 inches", + "3 pcs wall art 12x16 inches", + "3 pcs wall art in living room", + "3 pcs wall art for living room x16 inches", + "3 pcs wall art living room", + "3 pcs wall art, 12x16 inches," + ], + "i need an easy to apply glitter pot that comes in copper holographic color.": [ + "plastic glitter pot that comes in copper holographic color", + "easy to apply glitter pot in copper holographic color", + "plastic glitter pot in copper holographic color", + "pink glitter pot that comes in copper holographic color", + "easy to apply glitter pot with copper holographic color", + "5 ft glitter pot that comes in copper holographic color", + "easy to apply glitter pot, copper holographic color", + "easy to apply glitter pot that comes in copper holographic", + "glitter pot in copper holographic color", + "easy to apply glitter pot, copper holographic color," + ], + "i want to find a white console table with double layers for my living room.": [ + "white console table with double layers for my living room", + "white console table with double layers for living room", + "white console table with double layers", + "white console table with double layers for the living room", + "white gaming table with double layers for my living room", + "white console table with double layers for living room.", + "white console table with double layers for a living room", + "white console table with double layers in my living room", + "white console table with double layers living room", + "white console table" + ], + "i am looking for 3 foot plug play hdmi cable": [ + "3 foot plug play hdmi cable", + "3 foot plug-in hdmi cable", + "3 foot plug play hdmi cable under $40", + "3 foot plug plug play hdmi cable", + " 3 foot plug play hdmi cable", + "3 foot plug play hdmi cable under $60", + "3 foot plug play hdmi cable under $50", + "3 foot plug play hdmi cable 3 ft", + "3 foot plug play hdmi cable under $130", + "3 foot plug play hdmi cable 3dmi" + ], + "i want cheese pretzelhaus soft individually wrapped bavarian baked pretzels.": [ + "cheese pretzelhaus soft individually wrapped bavarian baked pretzels", + " cheese pretzelhaus soft individually wrapped bavarian baked pretzels", + "teese pretzelhaus soft individually wrapped bavarian baked pretzels", + "vegan cheese pretzelhaus soft individually wrapped bavarian baked pretzels", + "te cheese pretzelhaus soft individually wrapped bavarian baked pretzels", + "chocolate pretzelhaus soft individually wrapped bavarian baked pretzels", + "toothpaste pretzelhaus soft individually wrapped bavarian baked pretzels", + "maczelhaus soft individually wrapped bavarian baked pretzels", + "gmo pretzelhaus soft individually wrapped bavarian baked pretzels", + "cheese pretzelhaus soft individually wrapped bavarian baked pretzels." + ], + "i am looking for machine washable blue colored heated vest for men and women.": [ + "machine washable blue colored heated vest for men and women", + "machine washable blue colored heated vest for men and women.", + "machine washable blue colored heated vest", + "man washable blue colored heated vest for men and women", + "machine washable blue colored heated vest men and women", + "machine washable blue colored heated vest for men and women,", + "machine washable blue colored living vest for men and women", + "machine washableblue colored heated vest for men and women", + "machine washable blue colored heated vest for men", + "man washable blue colored heated vest" + ], + "i need a suction tool for removing dry, dead skin.": [ + "suction tool for removing dry, dead skin", + "subction tool for removing dry, dead skin", + "susction tool for removing dry, dead skin", + "sucction tool for removing dry, dead skin", + "sudction tool for removing dry, dead skin", + "suection tool for removing dry, dead skin", + "sugar tool for removing dry, dead skin", + "sugction tool for removing dry, dead skin", + "suction tool for removing dry, dead skin.", + "suntiff tool for removing dry, dead skin" + ], + "i need to buy some machine washable blackout curtains for my living room. buy the 52 inch by 52 inch size.": [ + "machine washable blackout curtains for my living room", + "machine washable blackout curtains for my living room 52 inch by 52 inch", + "machine washable blackout curtains in a 52 inch by 52 inch size", + "machine washable blackout curtains for living room 52 inch by 52 inch size", + "machine washable blackout curtains 52 inch by 52 inch", + "machine washable blackout curtains", + "machine washable blackout curtains for the living room", + "machine washable blackout curtains for living room 52 inch by 52 inch", + "machine washable blackout curtains, 52 inch by 52 inch", + "machine washable blackout curtains, 52 inch by 52 inch size" + ], + "i am looking for brother hl-2170w 23ppm laser printer with wireless , high performance and certified refurbished": [ + "hl-2170w 23ppm laser printer with wireless", + "sister hl-2170w 23ppm laser printer with wireless", + "brother hl-2170w 23ppm laser printer with wireless", + "sony hl-2170w 23ppm laser printer with wireless", + "sister hl-2170w 23ppm laser printer", + "hl-2170w 23ppm laser printer", + "brother hl-2170w 23ppm laser printer", + "dual printer with wireless", + "dual printer with wireless high performance", + "dual printer" + ], + "i would like some sugar free salted caramel truffles.": [ + "sugar free salted caramel truffles", + "sugar free salted caramel truffles.", + "sugar free salted caramel truffles under $40", + "sugar free salted caramel truffles under 50 dollars", + "sugar free salted caramel truffles under $50", + "sugar free salted caramel truffles under $60", + "sugar free salted caramel truffles under 30 dollars", + "sugar free salted caramel truffles under 40 dollars", + "sugar free salted caramel truffles under 60 dollars", + "sugar free salted caramel truffles below $40" + ], + "i want a burt's bees body lotion for sensitive skin with aloe & shea butter.": [ + "burts bees body lotion for sensitive skin with aloe & shea butter", + "burts bees body lotion sensitive skin with aloe & shea butter", + " burts bees body lotion for sensitive skin with aloe & shea butter", + "Burts bees body lotion for sensitive skin with aloe & shea butter", + "burgts bees body lotion for sensitive skin with aloe & shea butter", + "burts bees body lotion for sensitive skin with aloe and shea butter", + "burts bees body lotion for sensitive skin with aloe & hea butter", + " burts bees body lotion sensitive skin with aloe & shea butter", + "burts bees body lotion for sensitive skin aloe & shea butter", + "burts bees body lotion for sensitive skin" + ], + "i want a regular fit tee with short sleeves. i am 3x-large in size.": [ + "regular fit tee with short sleeves 3xl", + "regular fit tee with short sleeves", + "regular fit tee with short sleeves, 3xl", + "regular fit tee with short sleeves 3x-large", + "regular fit tee with short sleeves. 3xl", + "regular fit tee with short sleeves under $50", + "regular fit tee with short sleeves under $40", + "regular fit tee long sleeves 3xl", + "regular fit tee", + "regular fit tee long sleeves" + ], + "i want a hemoton 25 pack christmas cupcake toppers for a baby shower.": [ + " hemoton 25 pack christmas cupcake toppers for a baby shower", + "a hemoton 25 pack christmas cupcake toppers for a baby shower", + " hemoton 25 pack christmas cupcake toppers for a baby shower.", + "hemoton 25 pack christmas cupcake toppers for a baby shower", + "h hemoton 25 pack christmas cupcake toppers for a baby shower", + "the hemoton 25 pack christmas cupcake toppers for a baby shower", + "hemoton 25 pack christmas cupcake toppers for a baby shower.", + "hemat 25 pack christmas cupcake toppers for a baby shower", + "pack christmas cupcake toppers for a baby shower", + "a hemoton 25 pack christmas cupcake toppers" + ], + "i want to find 12 ounces of sweet potatoes that are certified organic.": [ + "12 ounces of sweet potatoes certified organic", + "12 ounce of sweet potatoes certified organic", + "12 ounces of sweet potatoes", + "12 oz of sweet potatoes certified organic", + "12 ounces of sweet potatoes, certified organic", + "12 ounces of sweet potatoes certified organic.", + "12 pound of sweet potatoes certified organic", + "12ounce of sweet potatoes certified organic", + "12 ounce of sweet potatoes", + "sweet potatoes certified organic" + ], + "i would like a jalapeno ranch sauce that is gluten free.": [ + "jalapeno ranch sauce that is gluten free", + "jalapeno ranch sauce gluten free", + "jalapeno ranch sauce", + "gluten free jalapeno ranch sauce", + "alapeno ranch sauce that is gluten free", + "bagelapeno ranch sauce that is gluten free", + "jeans jalapeno ranch sauce gluten free", + "alapeno ranch sauce gluten free", + "bbq jalapeno ranch sauce", + "jeans jalapeno ranch sauce" + ], + "find this product: tangist corner table stand microwave oven stand 4 shelves storage unit for my kitchen": [ + "t tangist corner table stand microwave oven stand 4 shelves storage unit", + "tangoist corner table stand microwave oven stand 4 shelves storage unit", + "tattist corner table stand microwave oven stand 4 shelves storage unit", + "travist corner table stand microwave oven stand 4 shelves storage unit", + "tablet table stand microwave oven stand 4 shelves storage unit", + "tablet table stand microwave oven stand 4 shelves storage unit for my kitchen", + "tartist corner table stand microwave oven stand 4 shelves storage unit", + "t tangist corner table stand microwave oven stand 4 shelves storage unit for kitchen", + "trouist corner table stand microwave oven stand 4 shelves storage unit", + "tangible corner table stand microwave oven stand 4 shelves storage unit" + ], + "i need a camera case cover that is light green in color. it is for my iphone which is 11-6.1 inches in size.": [ + "camera case cover 11-6.1 inches in size", + "camera case cover 11-6.1 inches", + "camera case cover that is light green", + "light green camera case cover 11-6.1 inches", + "camera case cover that is light green in color", + "12-6.1 camera case cover", + "light green camera case cover 11-6.1", + "light green camera case cover", + " camera case cover that is light green", + "12x6 camera case cover" + ], + "i am looking for steel frame kamiler rustic 6 drawers dresser with open shelf in rustic brown color": [ + "steel frame kamiler rustic 6 drawers dresser with open shelf", + "steel frame kamiler rustic 6 drawers dresser with open shelf rustic brown", + "steel frame kamiler rustic 6 drawers dresser", + "steel frame kamiler rustic 6 drawers dresser, rustic brown", + "steel frame kamiler rustic 6 drawers dresser in rustic brown", + "brushed frame kamiler rustic 6 drawers dresser with open shelf", + "steel frame kamiler rustic 6 drawers dresser with open shelf in rustic", + "steel frame kamiler rustic 6 drawers dresser in rustic brown color", + "brushed frame kamiler rustic 6 drawers dresser", + "teeth dresser rustic brown" + ], + "i want to find shampoo that is made with argan oil.": [ + "shampoo made with argan oil", + "shampoo made from argan oil", + "shampoo that is made with argan oil", + "shampoo made with argan oil.", + "shampoo with argan oil", + "synthetic shampoo made with argan oil", + "sneakers made with argan oil", + "shampoo made with argan oil,", + "shampoo made with aran oil", + " shampoo made with argan oil" + ], + "i want to buy some dragon's dream cookies n'cream granola bars. get the pack of fifteen and make sure they're individually wrapped and nut free.": [ + " dragons dream cookies ncream granola bars pack of fifteen", + "dragon dream cookies ncream granola bars pack of fifteen", + "daring cookies ncream granola bars pack of fifteen", + "sneakers ncream granola bars pack of fifteen", + " dragons dream cookies ncream granola bar pack of fifteen", + " dragons dream cookies ncream granola bars pack of fifteen pack", + "dragon dream cookies ncream granola bar pack of fifteen", + "dragons dream cookies ncream granola bars pack of fifteen", + "dragon dream cookies ncream granola bars pack of fifteen pack", + "teen dragon dream cookies ncream granola bars pack of fifteen" + ], + "i need to buy some scrub bottoms in petite small. they should be blue and machine washable.": [ + "rubber bottoms in petite small", + "rubbing bottoms in petite small", + "rubbed bottoms in petite small", + "rubber bottoms blue and machine washable", + "rubber bottoms in petite small blue and machine washable", + "rubbing bottoms blue and machine washable", + "rubber bottoms blue machine washable", + "pink scrub bottoms in petite small", + "rubber bottoms in petite small blue", + "rubber bottoms blue" + ], + "i'm looking for medium-tan mineral sunscreen lotion for kids that is water-resistant.": [ + "medium-tan mineral sunscreen lotion for kids", + "medium-tan mineral sunscreen lotion for kids water-resistant", + "medium-tan mineral sunscreen lotion that is water-resistant", + "medium-tan mineral sunscreen lotion for kids under $40", + "medium-tan mineral sunscreen lotion for kids water-resistant", + "medium-tan mineral sunscreen lotion for kids under $50", + "medium-tan mineral sunscreen lotion for kids under $60", + "medium-tan mineral sunscreen lotion for kids with water-resistant", + "medium-tan mineral sunscreen lotion for kids, water-resistant", + "medium-tan mineral sunscreen lotion" + ], + "i'm looking for a desktop computer that's certified refurbished and has an intel i5 core.": [ + "desktop computer certified refurbished with intel i5 core", + "desktop computer with intel i5 core", + "desktop computer certified refurbished i5 core", + "desktop computer certified refurbished with intel i5", + "desktop computer certified refurbished with i5 core", + "desktop computer with an intel i5 core", + "desktop computer with i5 core", + "desktop computer certified refurbished", + "desktop computer i5", + "desktop computer" + ], + "i need a children's mouthwash two pack that is made from natural ingredients.": [ + "childrens mouthwash two pack", + "kidss mouthwash two pack", + "kidss mouthwash two pack natural", + "childrens mouthwash two pack natural", + "kids mouthwash two pack made from natural ingredients", + "kids mouthwash two pack natural", + "kids mouthwash two pack", + "kidss mouthwash two pack natural ingredients", + "childrens mouthwash two pack natural ingredients", + "Childrens mouthwash two pack natural" + ], + "i need women's eau de toilette from design house which has a good fragrance and is long lasting.": [ + "womens eau de toilette from design house", + "womens eau de toilette", + "womens eau de toilette from design house whose scent is long lasting", + "womens eau de toilette from design house which has a good fragrance", + "womens eau de toilette from design house whose fragrance is long lasting", + "womens eau de toilette from design house with a good fragrance", + "womens eau de toilette from design house long lasting", + "womens eau de toilette from design house that has a good fragrance", + "womens eau de toilette from design house, long lasting", + "womens eau de toilette from design house, long lasting." + ], + "i want to find a speedotron beauty box that is 12 inches by 56 inches in size. it needs to be very heavy duty.": [ + "speedotron beauty box 12 inches by 56 inches", + "speedotron beauty box that is 12 inches by 56 inches", + "Speedotron beauty box 12 inches by 56 inches", + "speedotron beauty box 12 inches by 56 inches in size", + "Speedotron beauty box that is 12 inches by 56 inches", + "speedotron beauty box 12 inches by 56 inches heavy duty", + "speedotron beauty box, 12 inches by 56 inches", + " speedotron beauty box that is 12 inches by 56 inches", + "speedotron beauty box 12 inches x 56 inches", + " speedotron beauty box 12 inches by 56 inches" + ], + "i need a coconut oil based exfoliating body cream for my dry skin.": [ + " coconut oil based exfoliating body cream for my dry skin", + "coffee oil based exfoliating body cream", + "coffee oil based exfoliating body cream for dry skin", + "coffee oil exfoliating body cream for my dry skin", + " coconut oil based exfoliating body cream", + "toothpaste exfoliating body cream for dry skin", + "toothpaste body cream for dry skin", + " coconut oil based exfoliating body cream for dry skin", + "coaxiating body cream for dry skin", + "toothpaste body cream" + ], + "i want a navy fleece lined womens winter coat.": [ + "navy fleece lined womens winter coat", + "navy fleece lined womens winter coat.", + " navy fleece lined womens winter coat", + "navy fleece lined womens winter coat,", + "natals fleece lined womens winter coat", + "womens winter coat navy fleece lined", + "youth fleece lined womens winter coat", + "a navy fleece lined womens winter coat", + "furnce lined womens winter coat", + "fleece lined womens winter coat" + ], + "i want purple fluoride free mmnm teeth cleansing toothpaste.": [ + "pink fluoride free mmnm teeth cleansing toothpaste", + "fluoride free mmnm teeth cleansing toothpaste", + "purple fluoride free mmnm teeth cleansing toothpaste", + "plastic fluoride free mmnm teeth cleansing toothpaste", + "psi fluoride free mmnm teeth cleansing toothpaste", + "pink fluoride free mnm teeth cleansing toothpaste", + "moisturizing toothpaste purple fluoride free", + "plastic teeth cleansing toothpaste purple fluoride free", + "plastic teeth cleansing toothpaste", + "pink fluoride free oral toothpaste" + ], + "i am looking for high protein vanilla flavored nutrition shake, 11 fl oz, 12 count": [ + "high protein vanilla flavored nutrition shake 11 fl oz, 12 count", + "high protein vanilla flavored nutrition shake 11 fl oz", + "low protein vanilla flavored nutrition shake 11 fl oz, 12 count", + "high protein vanilla flavored nutrition shake 11 fl oz 12 count", + "high protein vanilla flavored nutrition shake, 11 fl oz", + "protein vanilla flavored nutrition shake, 11 fl oz, 12 count", + "low protein vanilla flavored nutrition shake 11 fl oz", + "protein vanilla flavored nutrition shake 11 fl oz, 12 count", + "stainless sugar vanilla flavored nutrition shake 11 fl oz", + "high protein vanilla flavored nutrition shake 11 fl oz under $40" + ], + "i want to buy a television stand that's easy to assemble. it needs to be brown and 27.5 inches tall.": [ + "tv stand brown 27.5 inches", + "tv stand brown and 27.5 inches tall", + "tv stand brown 27.5 inches tall", + "tv stand brown 27.5 inches long", + "tv stand brown, 27.5 inches tall", + "easy assemble brown television stand 27.5 inches tall", + "tv stand brown", + "tv stand brown and 27.5 inches tall.", + "easy assemble brown television stand 27.5 inches long", + "easy assemble brown television stand" + ], + "help me find a short sleeved button down shirt made in a tall men's extra large. also, i prefer a fabric with some stretch to it.": [ + "short sleeved button down shirt", + "short sleeved button down shirt mens extra large", + "short sleeved button down shirt under $40", + "short sleeved button down shirt with some stretch", + "short sleeved button down shirt under $50", + "short sleeved button down shirt with stretch", + "short sleeved button down shirt under 50 dollars", + "short sleeved button down shirt under $60", + "short sleeved button down shirt under 40 dollars", + "short sleeve button down shirt" + ], + "i am looking for 50 single serving irish creme liquid creamers that are easy to use.": [ + "single serving irish creme liquid creamers", + "single serving irish creme liquid creamers easy to use", + "50 single serving irish creme liquid creamers", + "single serving irish creme liquid creamers under 50 dollars", + "irish creme liquid creamers that are easy to use", + "easy to use single serving irish creme liquid creamers", + "irish creme liquid creamers", + "indoor creme liquid creamers", + "single serving irish creamers", + "indoor creamers 50" + ], + "i want to find extra-small women's yoga pants that i can wear for my gym workouts. they need to be green colored.": [ + "extra-small womens yoga pants", + "extra-small womens yoga pants, green", + "extra-small womens yoga pants in green", + "extra-small womens yoga pants green", + "extra-small womens yoga pants for workouts", + "green yoga pants extra-small", + "extra small womens yoga pants", + "extra-small women yoga pants", + "extra-small yoga pants", + "green yoga pants" + ], + "i want to find some whitening toothpaste that treats bad breath.": [ + "whitening toothpaste with bad breath", + "whitening toothpaste", + "white toothpaste that treats bad breath", + "whitening toothpaste for bad breath", + "whitening toothpaste under $40", + "white teethpaste that treats bad breath", + "white toothpaste with bad breath", + "whitening toothpaste under $50", + "whitening toothpaste under $60", + " whitening toothpaste that treats bad breath" + ], + "shop for a red short sleeve t-shirt in size x-large.": [ + "red short sleeve t-shirt x-large", + "red t-shirt x-large", + "short sleeve t-shirt in size x-large", + "red short sleeve t-shirt x-large.", + "red short sleeve t-shirt in x-large", + "red short sleeve t-shirt size x-large", + "short sleeve t-shirt x-large", + "red t-shirt in size x-large", + "red short sleeve t-shirt x-l", + "red short sleeve t-shirt" + ], + "i need a black color, large sized, daily wear men's underwear which can be hand washed.": [ + "large sized, daily wear mens underwear", + "black mens underwear", + "black mens underwear that can be hand washed", + "large sized mens underwear", + "large sized mens underwear, hand washed", + "large sized mens underwear hand washed", + "mens underwear black", + "black mens underwear hand washed", + "black mens underwear, hand washed", + "mens underwear" + ], + "i need a male cable for an outdoor 4g lte antenna. it should be five meters long.": [ + "4g lte antenna five meters long", + "4g lte antenna 5 meters long", + "4g lte antenna", + "adult 4g lte antenna five meters long", + "4g lte antenna 5 ft long", + "adult 4g lte antenna", + "man cable for an outdoor 4g lte", + "male cable for an outdoor 4g lte", + "3g lte antenna", + "Male cable for an outdoor 4g lte" + ], + "i would like some red butt lifting sweatpants that are in a size small.": [ + "red butt lifting sweatpants size small", + "red butt lifting sweatpants", + "red butt lifting sweatpants small", + "butt lifting sweatpants in a size small", + "red butt lifting sweatpants, size small", + "red butt lifting sweatpants in a small", + "red butt lifting sweatpants a size small", + "red butt lifting sweatpants, small", + "red butt lifting sweatpants that are small", + "small red butt lifting sweatpants" + ], + "i am looking for optical zoom cameras": [ + "optical zoom cameras", + "optical zoom cameras under $40", + "optical zoom cameras under $50", + "optical zoom camera", + "optical zoom cameras under $60", + "optical zoom cameras under $120", + "optical zoom cameras under 50 dollars", + "optical zoom cameras under $130", + "optical zoom cameras under 30 dollars", + "optical zoom cameras under 40 dollars" + ], + "i want a solid wood table in dark cognac brown color for my living room.": [ + "solid wood table in dark cognac brown", + "tablet in dark cognac brown", + "wood table in dark cognac brown color", + "wood table in dark cognac brown", + "dark cognac brown dining table", + "living room table in dark cognac brown", + "tablet in dark cognac brown color", + "tablet dark cognac brown", + "table in dark cognac brown color", + "table in dark cognac brown" + ], + "i want to find some individually wrapped lozenges that are lemon and ginger flavored.": [ + "lemon and ginger flavored lozenges", + "lemon and ginger lozenges", + " individually wrapped lozenges that are lemon and ginger flavored", + "packet lozenges that are lemon and ginger flavored", + "packet lozenges lemon and ginger flavored", + "packaged lozenges that are lemon and ginger flavored", + "lemon and ginger flavored lozenges under $40", + "lemon and ginger flavored lozenges under 50 dollars", + "lemon and ginger flavored lozenges under $60", + " individually wrapped lozenges that are lemon and ginger flavored." + ], + "i need a hand washable short sleeve t-shirt in blue. get the size large.": [ + "hand washable short sleeve t-shirt in blue", + "hand washable t-shirt in blue", + "hand washable long sleeve t-shirt in blue", + "hand washable short sleeve t-shirt", + "womens t-shirt in blue", + "hand washable short sleeve t-shirt size large", + "womens short sleeve t-shirt in blue", + "hand washable short sleeve t-shirt in blue.", + "hand washable short sleeve t-shirt large", + "hand washable short sleeve t-shirt in blue," + ], + "i want a 2022 dell g5 gaming desktop pc intel 6-core i5-10400f with windows 11 home.": [ + " 2022 dell g5 gaming desktop pc intel 6-core i5-10400f", + "tablet gaming desktop pc intel 6-core i5-10400f with windows 11", + "portrait desktop pc intel 6-core i5-10400f with windows 11", + "desktop pc intel 6-core i5-10400f with windows 11", + "23 dell g5 gaming desktop pc intel 6-core i5-10400f", + "tablet gaming desktop pc intel 6-core i5-10400f", + "desktop pc intel 6-core i5-10400f", + "portrait desktop pc intel 6-core i5-10400f", + "desktop pc intel 6-core i5-10400f with windows 11,", + "tablet with windows 11" + ], + "let me get some shelf stable tub of ghee which is grass fed.": [ + "shelf stable tub of ghee grass fed", + "shelf stable tub of ghee", + " shelf stable tub of ghee grass fed", + "shelf stable tub of ghee, grass fed", + " shelf stable tub of ghee which is grass fed", + " shelf stable tub of ghee, grass fed", + " shelf stable tub of ghee that is grass fed", + "floor stable tub of ghee grass fed", + " shelf stable tub of ghee", + "shelf stable tub of ghee grass fed." + ], + "i need an orange leather ottoman for my living room that is 46 cm.": [ + "orange leather ottoman living room that is 46 cm", + "orange leather ottoman for living room", + "orange leather ottoman for my living room", + "orange leather ottoman", + "orange leather ottoman for living room, 46 cm", + "orange leather ottoman living room", + "orange leather ottoman that is 46 cm", + "orange leather ottoman for the living room", + "orange leather ottoman living room, 46 cm", + "orange leather ottoman, 46 cm" + ], + "i want to buy a twin size bed frame in gray with drawers. it should be solid wood and easily assembled.": [ + "twin size bed frame in gray", + "twin bed frame in gray", + "twin size bed frame with drawers", + " twin bed frame in gray with drawers", + "two bed frame in gray with drawers", + "twin bed frame with drawers", + "twin size bed frame", + "twin size bed frame, solid wood", + " twin size bed frame in gray", + "twin bed frame" + ], + "can you find me a loose fitting jumpsuit with wide legs in size medium. i want it to be green in color.": [ + "large jumpsuit with wide legs green", + "green jumpsuit with wide legs", + "large green jumpsuit with wide legs", + "large jumpsuit with wide legs", + "jeans green", + "large jumpsuit green", + "green loose fitting jumpsuit", + "green jumpsuit", + "large green jumpsuit", + "green medium jumpsuit" + ], + "i want a pink machine washable womens swimsuits tankini top set.": [ + "pink machine washable womens swimsuits tankini top set", + "pink machine washable womens swimsuits tankini top", + "pink machine washable womens swimsuits tankini", + "pink woman washable womens swimsuits tankini top set", + "pink machine washable womens swimsuit tankini top set", + "pink human washable womens swimsuits tankini top set", + "pink lady washable womens swimsuits tankini top set", + "pink womens swimsuits tankini top set", + "pink mens swimsuits tankini top set", + "pink body washable womens swimsuits tankini top set" + ], + "i am looking for 40 mm smartwatch case. it should be compatible to apple watch.": [ + "40 mm smartwatch case", + "40 mm smartwatch case compatible to apple watch", + "40 mm smartwatch case compatible with apple watch", + "40 mm smartwatch case compatible to apple", + "40 mm smartwatch case with apple watch", + "40 mm smartwatch case compatible", + "40 mm apple watch case", + "38 mm smartwatch case", + "40 mm smartwatch", + "smartwatch case" + ], + "i want green zuseris unisex fleece lined clogs.": [ + "green zuseris unisex fleece lined clogs", + "green zuseris unisex fleece lined clogs.", + "i want green zuseris unisex fleece lined clogs.", + "green zuseris unisex fleece lined clogs under $40", + "green zuseris unisex fleece lined clogs under $50", + "green zuseris unisex fleece lined clogs,", + "green zuseris unisex fleece lined clogs under $60", + "green zusis unisex fleece lined clogs", + "green zuseris unisex fleece lined clogs under 50 dollars", + "green zuseris unisex fleece clogs" + ], + "i am looking for hands free headphones that are mint and yellow.": [ + "hand free headphones mint and yellow", + "mens free headphones mint and yellow", + "mint and yellow headphones", + "mens free headphones", + "mint and yellow hands free headphones", + "hands free headphones mint and yellow", + "mens and yellow headphones", + "mint and yellow wireless headphones", + "mens free headphones mint yellow", + "mint and yellow wireless charging headphones" + ], + "i need high quality linen fabric item.": [ + "high quality linen fabric item", + "low quality linen fabric item", + "high quality linen fabric item.", + "stainless fabric item", + "lens fabric item high quality", + "low quality linen fabric item.", + "stainless linen fabric item", + "stainless fabric", + "lens fabric item", + "high quality linen fabric" + ], + "i am looking for a rectangular sofa table for my living room.": [ + "square sofa table for living room", + "square sofa table for my living room", + "square sofa table for the living room", + "square sofa table for living room.", + "rectangular sofa table for living room", + "living room sofa table", + "small sofa table for living room", + "blanket table for living room", + "large sofa table for living room", + "square sofa table living room" + ], + "i want to find a package of six keto-friendly caramel sea salt bars.": [ + "6 keto-friendly caramel sea salt bars", + "keto-friendly caramel sea salt bars", + "6 keto-friendly caramel sea salt bar", + "keto-friendly caramel sea salt bar package", + "pack of six keto-friendly caramel sea salt bars", + "keto-friendly caramel sea salt bar", + "keto-friendly caramel sea salt bar pack", + "pack of six keto-friendly caramel sea salt bar", + "6 keto-friendly caramel sea salt bar package", + "keto-friendly caramel sea salt bars under $60" + ], + "i'am purchased women's clothing with quality materials and size 4x. also ,choose the magenta one.": [ + "womens clothing size 4x", + "womens clothing in magenta", + "womens clothing size 4x magenta", + "womens clothing size 4x.", + "womens clothing 4x", + "womens clothing with quality materials 4x", + "womens clothing, size 4x", + "womens clothing with quality materials", + "womens clothing, size 4x.", + "womens clothing" + ], + "i want to buy a super soft fleece throw. look for one that's fifty by eighty inches.": [ + "super soft fleece throw fifty by eighty inches", + "super soft fleece throw", + "super soft fleece throw, fifty by eighty inches", + "super soft fleece throw fifty by eighty inches", + "super soft fleece throw 50 by eighty inches", + "super soft fleece throw in fifty by eighty inches", + "super soft fleece throw. fifty by eighty inches", + "super soft fleece throw. 50 by eighty inches", + "super soft fleece throw under 50 dollars", + "super soft fleece throw." + ], + "i want to find a vintage sherpa fleece throw that is 50 inches wide and 60 inches long. it needs to accommodate a queen sized bed.": [ + "a vintage sherpa fleece throw that is 50 inches wide and 60 inches long", + "pink fleece throw that is 50 inches wide and 60 inches long. it needs to accommodate a queen sized bed.", + "burglar fleece throw that is 50 inches wide and 60 inches long. it needs to accommodate a queen sized bed.", + "vintage sherpa fleece throw that is 50 inches wide and 60 inches long", + "a vintage sherpa fleece throw 50 inches wide and 60 inches long. it needs to accommodate a queen sized bed.", + "sherpa fleece throw that is 50 inches wide and 60 inches long", + "burglar fleece throw that is 50 inches wide and 60 inches long", + "classic sherpa fleece throw that is 50 inches wide and 60 inches long", + "pink fleece throw that is 50 inches wide and 60 inches long", + "a vintage sherpa fleece throw 50 inches wide and 60 inches long" + ], + "i want laundry bag organiser for blouse ,hosiery other lingeries easy cary for travel": [ + "laundry bag organiser for blouse", + "laundry bag organiser for blouse hosiery", + "laundry bag organiser for blouse ,hosiery other lingeries", + "laundry bag organiser for blouse ,hosiery", + "womens bag organiser for blouse", + "laundry bag organiser for blouse with travel", + "laundry bag organiser blouse", + "womens bag organiser", + "living room organiser for blouse", + "living room organiser" + ], + "i want pink hair styling parting combs for braids.": [ + "pink hair styling parting combs for braids", + "pink hair styling parting combs for braids.", + "pink hair styling parting combs braids", + "pink hair styling parting combs for braids under $50", + "pink hair styling parting combs braids.", + "pink hair styling parting combs for braids under $40", + "pink hair styling parting combs", + "pink hair styling parting combs for braids under $60", + "pink hair styling parting combs for braids under 50 dollars", + "pink wig styling parting combs for braids" + ], + "i am looking for long lasting l'eau de parfum spray for women": [ + "lau de parfum spray for women", + "leau de parfum spray for women", + "long lasting leau de parfum spray", + "lens de parfum spray for women", + "lleau de parfum spray for women", + "long lasting leau de parfum spray women", + "long lasting leau de parfum spray woman", + "lens of parfum spray for women", + "lau de parfum spray", + "leau de parfum spray" + ], + "if you have maybelline new york super stay full coverage (dermatologist tested,oil free) i'm looking for color 128 warm nude.": [ + "maybelline new york super with full coverage (dermatologist tested,oil free) color 128 warm nude", + "maybelline new york super stay full coverage (dermatologist tested,oil free)", + "maybelline new york super stay full coverage (dermatologist tested,oil free) color 128 warm nude", + "maybelline new york super stay full coverage (dermatologist tested,oil free) im looking for color 128 warm nude", + "maybelline new york super with full coverage (dermatologist tested,oil free)", + "maybelline new york super", + "pink york super stay full coverage (dermatologist tested,oil free)", + "maybelline new york super with full coverage", + "pink york super", + "colored 128 warm nude" + ], + "i want to find a pink and blue hair brush that can promote hair growth.": [ + "pink and blue hair brush", + "pink and blue hair brush, promote hair growth", + "pink hair brush that can promote hair growth", + "pink human hair brush that can promote hair growth", + "pink and blue hair brush for hair growth", + "pink and blue hair brush with hair growth", + "pink and blue human hair brush", + "pink and blue hair brush with a hair growth", + "pink hair brush that can promote hair growth.", + "pink human hair brush" + ], + "i need a sky blue women's top with long sleeves.": [ + "sky blue womens top long sleeves", + "sky blue womens top with long sleeves", + "sky blue womens shirt long sleeves", + "sky blue womens top long sleeves under $40", + "sky blue womens top long sleeves under $50", + "sky blue womens top long sleeves below $40", + "sky blue womens top long sleeves under 50 dollars", + "sky blue womens top long sleeves below $50", + "sky blue womens top long sleeves.", + "sky blue womens top long sleeves under $60" + ], + "i want a 12 pack of gmo free cherry bay orchards tart cherry concentrate.": [ + "12 pack of gmo free cherry bay orchards tart cherry concentrate", + "12 pack of gmo free cherry bay orchards cherry concentrate", + "gmo free cherry bay orchards tart cherry concentrate 12 pack", + "gmo free cherry bay orchards tart cherry concentrate", + "12 pack gmo free cherry bay orchards tart cherry concentrate", + "14 pack of gmo free cherry bay orchards tart cherry concentrate", + "6 pack of gmo free cherry bay orchards tart cherry concentrate", + "gmo free cherry bay orchards tart cherry concentrate, 12 pack", + "12 pack of gmo free cherry bay orchards", + "chocolate gmo free cherry bay orchards tart cherry concentrate" + ], + "i want to find scented shampoo that can stop hair loss and promote hair growth.": [ + "sented shampoo for hair loss and promote hair growth", + "scented shampoo for hair loss and promote hair growth", + "scented shampoo for hair growth", + "sented shampoo for hair growth", + "scented shampoo", + "sented shampoo for hair loss and promotes hair growth", + "sented shampoo", + "scented shampoo for hair loss and promotes hair growth", + "sented shampoo for hair loss", + "sented shampoo with hair growth" + ], + "i want to shop for a plug and play car radio receiver.": [ + "plug and play car radio receiver", + " plug and play car radio receiver", + "Plug and play car radio receiver", + "plug and play car radio receiver.", + "plug and play car radio", + "car radio receiver plug and play", + "pink and play car radio receiver", + "port and play car radio receiver", + "electric car radio with plug and play", + "phone plug and play car radio receiver" + ], + "i am looking for carbon fiber tripod. model should be veo2pro263ao.": [ + "carbon fiber tripod veo2pro263ao", + "carbon fiber tripod, veo2pro263ao", + "veo2pro263ao carbon fiber tripod", + "eco2pro263ao carbon fiber tripod", + "carbon fiber tripod in veo2pro263ao", + "eco2pro263ao tripod", + "carbon fiber tripod", + "coaxial fiber tripod", + "eco2pro263ao", + "carbon fiber tripod" + ], + "i want oatmeal columbia men's bahama with rubber soles.": [ + "oatmeal columbia mens bahama rubber soles", + "oatmeal columbia mens bahama with rubber soles", + "oatmeal columbia mens bahama", + "oatmeal columbia mens bahama rubber sole", + "oatmeal columbia mens bahama with rubber sole", + "oatmeal columbia mens bahama rubber soles.", + "oatmeal columbia mens bahama with rubber soles", + "oatmeal columbia mens bahama rubber", + "omens bahama with rubber soles", + "oatmeal columbia" + ], + "i need some purple, machine washable drapes with a fifty-two inch width.": [ + "pink machine washable drapes with a fifty-two inch width", + "pink, machine washable drapes", + "pink machine washable drapes", + "blue, machine washable drapes with a fifty-two inch width", + "blue machine washable drapes with a fifty-two inch width", + "pink washable drapes with a fifty-two inch width", + "pink machine washable drapes, fifty-two inch width", + "pink machine washable drapes fifty-two inch width", + "pink, machine washable drapes, fifty-two inch width", + "pink machine washable drapes, fifty-two inch width," + ], + "i'm looking for 8\" foundation flex box spring for mattress": [ + "8 foundation flex box spring for mattress", + "8 foundation flex box spring mattress", + "8 foundation flex box spring", + "8 foundation flex box spring mattresses", + "foundation flex box spring for mattress", + "7 foundation flex box spring for mattress", + "fusion flex box spring for mattress", + " foundation flex box spring for mattress", + "8 foundation flex box mattress", + "7 foundation flex box spring mattress" + ], + "i am finding a eco friendly and leak proof plastic refillable bottle container with protective case - style 1 color": [ + "eco friendly and leak proof plastic refillable bottle container with protective case - style 1 color", + "eco friendly and leak proof plastic refillable bottle container", + "eco friendly and leak proof plastic refillable bottle container with protective case- style 1 color", + "eco friendly and leak proof plastic refillable bottle container with protective case-style 1 color", + "eco friendly and leak proof plastic refillable bottle container with protective case", + "eco friendly and leak proof plastic refillable bottle container in protective case - style 1 color", + "eco friendly and leak proof plastic refillable bottle container with protective case style 1 color", + "eco friendly and leak proof plastic refillable bottle container with protective case - style 1", + "eco friendly and leak proof plastic refillable bottle container, protective case - style 1 color", + "eco friendly, leak proof plastic refillable bottle container" + ], + "i would like a pink cosmetic bag that is easy to clean.": [ + "pink cosmetic bag that is easy to clean", + "pink cosmetic bag", + "pink cosmetic bag, easy to clean", + "pink cosmetic bag easy to clean", + "pink cosmetic bag, easy to clean,", + "pink cosmetic bag, easy to clean.", + "pink cosmetic bag easy to clean.", + "pink cosmetic bag clean", + "pink cosmetic bag easy clean", + "beauty bag" + ], + "i need green loose fit zincoty women's lace stain solid lounge set.": [ + "green loose fit zincoty womens lace stain solid lounge set", + "green loose fit zincoty womens lace stain solid lounge set.", + "green loose fit zincoty womens lace stain solid lounge set,", + "green loose fit zincoty womens lace stain solid lounge set", + "yellow loose fit zincoty womens lace stain solid lounge set", + "living room zincoty womens lace stain solid lounge set", + "a green loose fit zincoty womens lace stain solid lounge set", + "green loose fit zinoty womens lace stain solid lounge set", + "green loose fit zincoty womens lace stain solid lounge", + "green loose fit zincoty womens lace stain" + ], + "i want to find orange-scented kids' soap that is free of parabens.": [ + "orange-scented kids soap", + "orange-scented kids soap with parabens", + "orange-scented kids soap no parabens", + "orange-scented kids soap under $40", + "orange-scented kids soap under $60", + "orange sugar-scented kids soap", + "orange scented kids soap", + "kids soap no parabens", + "orange scented kids soap", + "orange scented kids soap" + ], + "i need a size 9 blue dove blue slides sandal which has rubber sole and are slip resistant.": [ + "blue dove blue slides sandal", + "blue dove blue slides sandal that has rubber sole", + "blue dove blue slides sandal with rubber sole", + "blue dove blue slides sandal size 9 slip resistant", + "blue dove blue slides sandal which has rubber sole", + "blue dove blue slides sandal, slip resistant", + "blue dove blue slides sandal size 9", + "blue dove blue slides sandal, rubber sole", + "blue dove blue slides sandal rubber sole", + "blue dove blue slides sandal that is slip resistant" + ], + "i am looking for rock and roll cupcake topper musical themed guitar cake topper which is easy to use in all kind of occasion. music guitar color preferable.": [ + "rock and roll cupcake topper musical themed guitar cake topper", + "rock and roll cupcake topper musical themed", + "rock and roll cupcake topper with a guitar color", + "rock and roll cupcake topper musical themed guitar cake topper under $40", + "rock and roll cupcake topper musical themed guitar cake topper under $50", + "rock and roll cupcake topper", + "rock and roll cupcake toppers with a guitar color", + "rock and roll cupcake topper with music guitar color", + "rock and roll cupcake topper with guitar color", + "rock and roll cupcake topper in a guitar color" + ], + "i want black qinxiao simple computer desk with metal legs.": [ + "black qinxiao simple computer desk with metal legs", + "black qinxiao simple computer desk", + "black qinxiao simple computer desk with metal legs.", + "black qinxiao simple computer desk with metal legs,", + "pure black qinxiao simple computer desk with metal legs", + "black qinxiao simple computer desk metal legs", + "black Qinxiao simple computer desk with metal legs", + "black qinxiao simple computer desk, metal legs", + "white qinxiao simple computer desk with metal legs", + "black qinxiaosimple computer desk with metal legs" + ], + "i want to find a wi-fi router that can handle 10+ devices over 1000 feet with high speed.": [ + "wifi router that can handle 10+ devices over 1000 feet", + "womens wi-fi router with high speed", + " wi-fi router that can handle 10+ devices over 1000 feet", + "womens wi-fi router 10+ with high speed", + "womens wireless router that can handle 10+ devices over 1000 feet", + "wifi router that can handle 10+ devices over 1000 feet high speed", + "womens wi-fi router 10+ devices over 1000 feet", + "wifi router that can handle 10+ devices under 1000 feet", + "wifi router 10+ with high speed", + "wifi router 10+ devices under 1000 dollars" + ], + "i looking for contemporary style throw pillow covers for living room color yellow -a-1pc": [ + "contemporary style throw pillow covers for living room color yellow -a-1pc", + "contemporary style throw pillow cover for living room color yellow -a-1pc", + "contemporary style throw pillow covers for living room yellow -a-1pc", + "contemporary style throw pillow covers living room color yellow -a-1pc", + "contemporary style throw pillow covers for living room color yellow", + "contemporary style throw pillow covers in living room color yellow -a-1pc", + "contemporary style throw pillow covers for living room color yellow-a-1pc", + "living room throw pillow covers yellow -a-1pc", + "modern style throw pillow covers for living room color yellow -a-1pc", + "yellow throw pillow covers for living room color yellow -a-1pc" + ], + "i need a high resolution digital camera with 4x optical zoom.": [ + "high resolution digital camera with 4x optical zoom", + "high resolution digital camera with 4x optical zoom.", + "high resolution digital camera 4x optical zoom", + "4x optical zoom high resolution digital camera", + "4x optical zoom digital camera", + "high resolution digital camera that is 4x optical zoom", + "high resolution digital camera with 4x optical zoom,", + "high resolution digital camera, 4x optical zoom", + "low resolution digital camera with 4x optical zoom", + "high resolution digital camera" + ], + "i want to find a 120 inch projector screen that can be mounted to the wall.": [ + "120 inch projector screen", + "light weight 120 inch projector screen", + "120 inch projector screen mounted to wall", + "120 inch projector screen under $60", + "120 inch projector screen under $50", + "heavy duty 120 inch projector screen", + "portrait screen 120 inches", + "projection screen 120 inches", + "120 inch projection screen", + "projection screen" + ], + "i am looking for men slim fit dress shirt and please choose ballard blue color.": [ + "mens slim fit dress shirt in ballard blue", + "mens slim fit dress shirt ballard blue", + "mens slim fit dress shirt, ballard blue", + "men slim fit dress shirt in ballard blue", + "mens slim fit dress shirt with ballard blue color", + "men slim fit dress shirt ballard blue", + "mens slim fit dress shirt in a ballard blue", + "men slim fit dress shirt, ballard blue", + "mens slim fit dress shirt that is ballard blue", + "mens slim fit dress shirt" + ], + "i am looking for a cruelty free shampoo for a hair salon. also choose 250ml pack and copper style.": [ + "cruelty free shampoo for a hair salon 250ml pack and copper style", + "cruelty free shampoo for a hair salon", + "cruelty free shampoo for a hair salon, 250ml pack and copper style", + "cruelty free shampoo for a hair salon with copper style", + "cruelty free shampoo for a hair salon in 250ml pack and copper style", + "cruelty free shampoo for a hair salon with a copper style", + "cruelty free shampoo for a hair salon 250ml pack in copper style", + "cruelty free shampoo 250ml pack and copper style", + "cruelty free shampoo for a hair salon.", + "cruelty free shampoo" + ], + "i am looking for women ankle strap sandal. choose black color.": [ + "womens ankle strap sandal black", + "woman ankle strap sandal black", + "woman ankle strap sandal in black", + "womens ankle strap sandal", + "woman ankle strap sandal, black", + "women ankle strap sandal black", + "women ankle strap sandal in black", + "knee strap sandal black", + "woman ankle strap sandal", + "bag sandal black" + ], + "i need a solid wood bookcase.": [ + "solid wood bookcase", + "solid wood bookcase.", + "stainless wood bookcase", + "soft wood bookcase", + "solid wood bookcase under $50", + "solid wood bookcase,", + "solid wood bookcase under $40", + "solid wood bookcase under $60", + "living room solid wood bookcase", + "solid wood bookcase under $120" + ], + "i would like hair extensions that are 14 inches.": [ + "hair extensions 14 inches long", + "hair extensions 14 inches", + "hair extensions that are 14 inches", + "hair extension 14 inches", + "hair extension 14 inches long", + "hair extensions 14 inches x 14 inches", + "hair extension that are 14 inches", + "hair extensions 14 x 14 inches", + "hair extensions 14 inches under $50", + "hair extensions 14 inches under $40" + ], + "i need a coaxial cable with an audio adapter.": [ + "coaxial cable with an audio adapter", + "coaxial cable with audio adapter", + " coaxial cable with an audio adapter", + "curtial cable with an audio adapter", + "coaxial cable", + "coaxial cable with a audio adapter", + " coaxial cable with an audio adapter.", + " coaxial cable with audio adapter", + "coaxial cable, audio adapter", + "coaxial cable no audio" + ], + "i need fast charging charger with white color": [ + "white fast charging charger", + "fast charging charger white", + "fast charging charger with white", + "fast charging charger in white", + " fast charging charger white", + "clockwise charging charger white", + "fast charging charger", + "memory charging charger white", + " fast charging charger with white", + "electric charger white" + ], + "i am interested in a fragrance free lotion that is 18 fl oz.": [ + "18 fl oz fragrance free lotion", + "scent free lotion 18 fl oz", + "synthetic free lotion 18 fl oz", + "16 fl oz fragrance free lotion", + "st fragrance free lotion 18 fl oz", + "18 fl oz scent free lotion", + "18 fl oz fragrance free lotion under $50", + "18 fl oz fragrance free lotion under $60", + "18 fl oz fragrance free lotion 18 fl oz", + "18 fl oz perfume free lotion" + ], + "i need to buy a machine washable purple t-shirt that says \"hello, my name is jennifer.\" please show me the women's size xx large.": [ + "machine washable purple t-shirt xx large", + "womens size xx large", + "machine washable purple t-shirt", + "machine washable purple t-shirt that says hello", + "womens size xx large purple t-shirt", + "machine washable purple t-shirt xx x large", + "man washable purple t-shirt xx large", + "machine washable purple t-shirt x large", + "woman washable purple t-shirt xx large", + "womens size xx large t-shirt" + ], + "i want to find a black usb mouse that is easy to use.": [ + "black usb mouse that is easy to use", + "black usb mouse", + "black usb mouse easy to use", + "black usb mouse that is easy to use.", + "easy to use black usb mouse", + "black usb mouse, easy to use", + "easy-to-use black usb mouse", + "black usb mouse with easy to use", + "black usb mouse, easy to use,", + "black usb mouse that is easy to use," + ], + "i am looking for a men's white star wars t-shirt.": [ + "mens white star wars t-shirt", + "mens white star wars t-shirt.", + "mens white star wars t-shirt under $40", + "mens white star wars t-shirt under $50", + "mens white star wars t-shirt under 50 dollars", + "mens white star wars t-shirt mens", + "mens white star wars t-shirt under $60", + "mens white star wars t-shirt under 40 dollars", + "mens white star wars t-shirt under 30 dollars", + "mens white star wars t-shirt below $50" + ], + "i'm looking for a ready to use fully assembled mattresses with box spring. also, choose queen sized one.": [ + "ready to use queen sized mattresses", + "queen sized mattresses", + "ready to use queen sized mattress", + "queen sized mattresses with box spring", + "comfortable queen sized mattresses", + "living room queen sized mattresses", + "living room mattresses queen sized", + "ready to use queen sized mattresses.", + "bathroom mattresses queen sized", + "ready to use fully assembled mattresses" + ], + "i am looking for a space saving champagne ottoman that is 40 by 40 by 40.": [ + "40 by 40 by 40", + "40 by 40 by 40 champagne ottoman", + "40 by 40 by 40 space saving champagne ottoman", + "40 by 40 by 40 wine ottoman", + "42 by 40 by 40", + "40 by 40 by 40 champagne ottoman under $50", + "40 by 40 by 40 champagne ottoman under $40", + "40 by 40 by 40 champagne ottoman under 40 dollars", + "40 by 40 by 40.", + "40 by 40 by 40 champagne ottoman under $60" + ], + "i want green modern velvet dining chairs for the dining room.": [ + "green modern velvet dining chairs for dining room", + "green modern velvet dining chairs dining room", + "green modern velvet dining chairs for dining room.", + "green modern velvet dining chairs for the dining room", + "green modern velvet dining chairs", + "living room green modern velvet dining chairs", + "green modern velvet dining chairs dining room.", + "green modern velvet dining chairs in the dining room", + "green modern velvet dining chairs, dining room", + "green modern dining chairs for dining room" + ], + "i am looking for hair masks for damaged hair in spray style": [ + "hair masks for damaged hair spray style", + "hair masks for damaged hair in spray style", + "hair mask for damaged hair spray style", + "hair masks for damaged hair spray style below $40", + "hair masks for damaged human hair spray style", + "hair masks for damaged hair spray style below $50", + "hair masks for damaged air spray style", + "hair masks for damaged hair spray style under $40", + "spray style hair masks for damaged hair spray style", + "spray style hair masks for damaged hair" + ], + "i want black prop\u00e9t women's aviator sneakers with rubber soles.": [ + "black prop\u00e9t womens aviator sneakers", + "black prop\u00e9t womens aviator sneakers rubber soles", + "black prop\u00e9t womens aviator sneakers with rubber sole", + "womens aviator sneakers with rubber soles", + "ps\u00e9t womens aviator sneakers with rubber soles", + "black prop\u00e9t womens sneakers with rubber soles", + "ps\u00e9t womens sneakers with rubber soles", + "womens aviator sneakers with rubber soles black", + "black prop\u00e9t womens aviator sneakers, rubber sole", + "ps\u00e9t womens aviator sneakers" + ], + "i need some cupcake picks for toppers.": [ + "cupcake picks for toppers", + "cupcake picks for toppers.", + "cupcake picks for toppers under $40", + "cupcake picks for toppers under $50", + "cupcake pick for toppers", + "cupcake picks for toppers under 50 dollars", + "cupcake picks for toppers under $60", + "cupcake picks for toppers under 40 dollars", + "cupcake picks for toppers under 30 dollars", + "cupcake picks for toppers under 60 dollars" + ], + "i want to find a professional tripod that is heavy duty.": [ + "professional tripod heavy duty", + "professional tripod that is heavy duty", + "professional tripod heavy duty under $50", + "professional tripod heavy duty under $40", + "professional tripod heavy duty.", + "professional tripod heavy duty under 30 dollars", + "professional tripod heavy duty under $60", + "professional tripod heavy duty under 50 dollars", + "heavy duty tripod that is heavy duty", + "professional tripod heavy duty under 40 dollars" + ], + "i am looking for high quality 20 inch hair extensions.": [ + "20 inch hair extensions", + "hair extension 20 inches high quality", + "hair extensions 20 inches high quality", + "20 inch hair extension", + "hair extension 20 inch high quality", + "high quality 20 inch hair extensions", + "hair extensions 20 inch high quality", + "20 inch hair extensions high quality", + "hair extensions high quality 20 inch", + "hair extension" + ], + "i want a black classic fit disney the lion king characters shirt.": [ + "black classic fit disney the lion king characters shirt", + "black classic fit disney the lion king characters shirt.", + "black classic fit disney the lion king characters shirt under $40", + "black classic fit disney the lion king characters shirt below $40", + "black classic fit disney the lion king characters shirt under 50 dollars", + "black classic fit disney the lion king characters shirt under $50", + "black classic fit disney the lion king characters shirt under 30 dollars", + "black classic fit disney the lion king characters shirt below $50", + "black classic fit disney the lion king characters shirt under 40 dollars", + "black classic fit disney the lion king characters shirt under $60" + ], + "i want non gmo stretch island original grape fruit leather.": [ + "non gmo stretch island original grape fruit leather", + "i want non gmo stretch island original grape fruit leather.", + "non-gmo stretch island original grape fruit leather", + "gmo stretch island original grape fruit leather", + "non gmo stretch island original grape fruit leather.", + "non gmo stretch island original grape fruit leather under $40", + "non gmo stretch island original grape fruit leather under $50", + "non gmo stretch island original grape fruit leather under $60", + "non gmo stretch Island original grape fruit leather", + "non gmo stretch islands original grape fruit leather" + ], + "i want a large sized women's scrub pants. pick a ciel colored one.": [ + "large sized womens scrub pants", + "womens scrub pants ciel colored", + "large sized womens scrub pants, ciel colored", + "womens scrub pants, ciel colored", + "womens scrub pants in a ciel colored", + "large sized womens scrub pants in ciel colored", + "large sized womens scrub pants in a ciel colored", + "womens scrub pants. pick a ciel colored", + "large sized womens scrub pants with a ciel colored", + "large sized womens scrub pants, ciel colored," + ], + "searching for an x-large short sleeve, loose fitting women's summer casual cute printed tee top band or blouse i can wear at holidays in the clothing shoes & jewerly department": [ + "womens summer casual cute printed tee top band", + "xl short sleeve, loose fitting womens summer casual cute printed tee top band", + "x-large short sleeve tee top band", + "womens summer casual cute printed tee top band or blouse", + "womens summer casual cute printed tee top band and blouse", + "x-large short sleeve shirt", + "womens summer casual cute printed tee top band under 30 dollars", + "womens summer casual cute printed tee top band under $50", + "x-large short sleeve shirt under $50", + "x-large short sleeve shirt under $40" + ], + "i want to find a remote for my samsung security camera that runs on aaa batteries.": [ + "remote for samsung security camera", + "remote samsung security camera", + "remote for my samsung security camera", + "remote for a samsung security camera", + "samsung security camera with aaa batteries", + "remote security camera with aaa batteries", + "samsung security camera remote", + "remote security camera", + "samsung security camera", + "remote" + ], + "i would like some sausage and bacon that is fully cooked.": [ + "sausage and bacon", + "sausage and bacon fully cooked", + "sausage and bacon, fully cooked", + "sausage and bacon under $40", + "sausage and bacon under $60", + "sausage and bacon under $50", + "sausage and bacon under 50 dollars", + "sausage and bacon under 30 dollars", + "a sausage and bacon that is fully cooked", + "sausage and bacon under 60 dollars" + ], + "i am looking for a full sized box spring.": [ + "full sized box spring", + "full sized box spring.", + "full sized box spring under $40", + "full sized box spring under $50", + "full sized box spring under $60", + "full sized box spring under 50 dollars", + "full sized box spring under $120", + "full sized box spring below $50", + "full sized box spring,", + "full size box spring" + ], + "in hand creams & lotion aisle of the beauty & personal care department, i want a white long lasting, fragrance free hand lotion for dry, rough or sensitive skin that soothes and comforts. comes in a 3 ounce 4 pack": [ + "hand creams & lotion aisle of the beauty & personal care department", + "hand creams & lotion aisle", + "hand creams and lotion aisle of the beauty & personal care department", + "hand creams & lotion aisle of beauty & personal care department", + "hand creams and lotion aisle", + "white long lasting, fragrance free hand lotion", + "white long lasting, fragrance free hand cream", + "hand creams & lotion", + "man lotion 4 pack", + "3 ounce lotion" + ], + "i mostly like designed house with grey color": [ + "designed house with grey color", + "engineered house with grey color", + "grey designed house with grey color", + "style designed house with grey color", + "white designed house with grey color", + "garden house with grey color", + "style house with grey color", + "womens designed house grey", + "designed house with grey", + "grey designed house" + ], + "i am looking for an eco friendly wood bedside shelf for a bed.": [ + "eco friendly wood bedside shelf", + "eco friendly wood bedside shelf for a bed", + "eco friendly wood bedside shelf for a bed.", + "eco friendly wood bedside shelf for a bed,", + "eco friendly wood bedside shelf, for a bed", + "eco friendly wood bedside shelf under $50", + "eco friendly wood bedside shelf under $60", + "eco friendly wood bedside shelf,", + "eco friendly wood bedside shelf eco friendly", + " eco friendly wood bedside shelf" + ], + "i am looking for gold colored geometric cushion covers.": [ + "gold colored geometric cushion covers", + "gold colored geometric cushion cover", + "yellow geometric cushion covers", + "pink colored geometric cushion covers", + "gold colored geometric cushion covers.", + "plastic cushion covers gold", + "gold colored geometric cushion covers,", + "plastic cushion covers", + "gene cushion covers gold", + "pure gold geometric cushion covers" + ], + "find this brand duckfeet blavand unisex, model leather clog, important: size 38 m eu and leather sole .": [ + "duckfeet blavand unisex leather clog in a 38 m eu", + "duckfeet blavand unisex leather clog, size 38 m eu and leather sole", + "duckfeet blavand unisex leather clog", + "duckfeet blavand unisex leather clog in a 38 m eu and leather sole", + "duckfeet blavand unisex leather clog, size 38 m eu", + "duckfeet blavand unisex leather clog, size 38 m eu, leather sole", + "duckfeet blavand unisex leather clog in a 38 m eu with leather sole", + "duckfeet blavand unisex leather clog, size 38 m eu with leather sole", + "duckfeet blavand unisex, model leather clog", + "duckfeet blavand unisex leather clog size 38 m eu" + ], + "i want to find a loofah back scrubber with a long handle.": [ + "loofah back scrubber with a long handle", + "loofah back scrubber with long handle", + "loofah back scrubber", + "lofah back scrubber with a long handle", + "loofah back scrubber long handle", + "moofah back scrubber with a long handle", + " loofah back scrubber with a long handle", + "lofah back scrubber with long handle", + "loofah back scrubber, long handle", + "lofah back scrubber" + ], + "i am looking for a under -sink storage fine wood finish": [ + " under -sink storage fine wood finish", + "under -sink storage fine wood finish", + "sink storage fine wood finish", + "super-sink storage fine wood finish", + "under-sink storage fine wood finish", + "living room fine wood finish", + "fine wood finish under $50", + "fine wood finish under $40", + "wood finish under $50", + "permanent wood finish under $40" + ], + "i am looking for merrycolor farmhouse decorative throw pillow super durable throw pillow cases are easy to care, wipe or hand wash recommended due to the faux leather fabric, coffee color, 18 x 18 inch preferable.": [ + "im looking for merrycolor farmhouse decorative throw pillow case with faux leather fabric, 18 x 18 inch preferable.", + "im looking for merrycolor farmhouse decorative throw pillow case, faux leather fabric, 18 x 18 inch preferable.", + "faux leather throw pillow cases 18 x 18 inch preferable", + "im looking for merrycolor farmhouse decorative throw pillow case, faux leather fabric 18 x 18 inch preferable.", + "faux leather throw pillow case 18 x 18 inch preferable", + "im looking for merrycolor farmhouse decorative throw pillow case with faux leather fabric, 18 x 18 inches preferable.", + "faux leather throw pillow case 18 x 18 inches preferable", + "m merrycolor farmhouse decorative throw pillow case", + "merrycolor farmhouse decorative throw pillow case", + "faux leather throw pillow case 18 x 18 inch" + ], + "i need a fast charging headset": [ + "fast charging headset", + " fast charging headset", + "facial charging headset", + "hot charging headset", + "Fast charging headset", + "fast charging headset under $40", + "fast charging headset under $50", + "fast charging headset under $60", + "faster charging headset", + "fast charging headset under $130" + ], + "i need pu or faux leather space saving storage organizer in dark grey shagreen color.": [ + "pu or faux leather storage organizer in dark grey shagreen", + "pu or faux leather storage organizer in dark grey shagreen color", + " pu or faux leather space saving storage organizer in dark grey shagreen", + "u or faux leather space saving storage organizer in dark grey shagreen", + "pu or faux leather space saving storage organizer in dark grey shagreen", + "pu or faux leather space saving storage organizer", + " pu or faux leather storage organizer in dark grey shagreen color", + " pu or faux leather storage organizer in dark grey shagreen", + "u or faux leather storage organizer in dark grey shagreen", + "u or faux leather storage organizer in dark grey shagreen color" + ], + "i want a small knqr men's long sleeve quick dry shirt.": [ + "small knqr mens long sleeve quick dry shirt", + "small knqr mens long sleeve quick dry shirt.", + "small knqr mens long sleeve quick drying shirt", + "small knqr mens long sleeve quick dry shirt,", + "small knqr mens long sleeves quick dry shirt", + "small knqr mens quick dry shirt", + "small knqr mens short sleeve quick dry shirt", + "kqr mens long sleeve quick dry shirt", + "small knqr long sleeve quick dry shirt", + "womens long sleeve quick dry shirt" + ], + "i am looking for a xx-large size short sleeve e5-gray colored women blouse.": [ + "xxl short sleeve e5-gray colored women blouse", + "xxl long sleeve e5-gray colored women blouse", + "xxl short sleeve e5-gray colored women blouse.", + "xx-large size short sleeve e5-gray women blouse", + "xx-large size short sleeve e5-gray woman blouse", + "xxl short sleeve e5-gray woman blouse", + "xx-large black woman blouse", + "xx-large white woman blouse", + "xxl black woman blouse", + "xxl woman blouse" + ], + "i am interested in 6 inch hair cutting shears.": [ + "6 inch hair cutting shears", + "6 inch hair cutting shears.", + "hair cutting shears 6 inch", + "hair cutting shears 6 inches", + "hair cutting shears 6 inches long", + "hair cutting shears, 6 inch", + "hair cutting shears 6 inches wide", + "hair cutting shears 6 inches high", + "hair cutting shears, 6 inches", + "hair cutting shears" + ], + "i need a size x-large skirt in coffee brown. it should have a high elastic waist and a slim fit.": [ + "x-large skirt in coffee brown", + "x-large skirt in coffee brown slim fit", + "size x-large skirt in coffee brown", + "size x-large skirt in coffee brown slim fit", + "x-large skirt in coffee brown with slim fit", + "slim fit x-large skirt in coffee brown", + "x-large skirt in coffee brown, slim fit", + "xl skirt in coffee brown slim fit", + " x-large skirt in coffee brown slim fit", + " x-large skirt in coffee brown" + ], + "i am looking for nathan james theo industrial bookshelf which is cube storage organizer also contrasting solid wood that pairs smoothly with its glossy white frame and solid veneer back panel. themodern scandinavian style storage cabinet which perfectly forliving room, entryway or in the kid's bedroom.in white brass gold color with size 6 preferable.": [ + "living room storage cabinet in white brass", + "white brass gold storage cabinet", + "vinyl storage cabinet in white brass", + "living room storage cabinet with size 6", + "white brass gold storage cabinet forliving room", + "theo industrial bookshelf white brass", + "vinyl storage cabinet size 6", + "white brass storage cabinet", + "vinyl storage cabinet", + "living room storage cabinet" + ], + "i'd like to buy some cotton candy for a baby shower.": [ + "cotton candy for a baby shower", + "baby shower cotton candy", + "cotton candy baby shower", + "cotton candy for baby shower", + "womens shower cotton candy", + "t cotton candy for a baby shower", + "baby shower cotton candy below $50", + "baby shower cotton candy below $40", + "cotton candy for baby shower.", + "t cotton candy baby shower" + ], + "i am looking for a fluoride free toothpaste for kids. also choose high quality and 1.5 ounce in size.": [ + "fluoride free toothpaste for kids 1.5 ounce in size", + "fluoride free toothpaste 1.5 ounce in size", + "fluoride free toothpaste for kids, 1.5 ounce in size", + "fluoride free toothpaste for kids 1.5 ounce in size.", + "fluoride free toothpaste for kids 1.5 ounce", + "fluoride free toothpaste for kids size 1.5 ounce in size", + "fluoride free toothpaste 2.5 ounce in size", + "fluoride free toothpaste, 1.5 ounce in size", + "fluoride free toothpaste 1.5 ounce", + "fluoride free toothpaste for kids" + ], + "i want to find a 68-inch carbon fiber tripod camera.": [ + "68-inch carbon fiber tripod camera", + "67-inch carbon fiber tripod camera", + "68-inch carbon fiber tripod camera.", + " 68-inch carbon fiber tripod camera", + "64-inch carbon fiber tripod camera", + "28-inch carbon fiber tripod camera", + "71-inch carbon fiber tripod camera", + "wooden tripod camera 68 inches", + "68-inch carbon fiber tripod camera,", + "68 ft carbon fiber tripod camera" + ], + "i want to find a purple dress shirt that is 15 inches in circumference for the neck and 33 inches in circumference for the sleeve. the shirt should be regular fitting.": [ + "pink dress shirt with 33 inches in circumference for the neck and regular fitting", + "pink dress shirt with 33 inches in circumference", + "pink dress shirt with a neck and 33 inches in circumference for the sleeve", + "pink dress shirt with a neck and 33 inches in circumference", + "pink dress shirt 33 inches in circumference", + "pink dress shirt with a neck and 33 inches in circumference for the sleeve, regular fitting", + "pink dress shirt with a neck and 33 inches in circumference for the sleeve.regular fitting", + "pink dress shirt that is 15 inches in circumference for the neck and 33 inches long", + "pink dress shirt that is 15 inches in circumference for the neck and 33 inches", + "pink dress shirt" + ], + "i want to find a pack of 24 single-ounce jalapeno free range turkey sticks. they need to be keto friendly.": [ + "24 single-ounce jalapeno free range turkey sticks", + "single-ounce jalapeno free range turkey sticks", + "24 jalapeno free range turkey sticks keto friendly", + "24 keto free range turkey sticks", + "jalapeno free range turkey sticks keto friendly", + "alapeno free range turkey sticks keto friendly", + "24 jalapeno free range turkey sticks", + "jalapeno free range turkey sticks", + "alapeno free range turkey sticks", + "24 keto free range turkey sticks under $40" + ], + "i want a pink light weight kids digital camera.": [ + "pink light weight kids digital camera", + "pink high weight kids digital camera", + "pink digital camera", + "kids digital camera pink", + "pink camera kids digital camera", + "pink human digital camera", + "teen digital camera pink", + "pink electronic camera", + "kids digital camera", + "pink digital camera," + ], + "i need size 2' 2\" x 22' runner area rugs for living or dining room in ivory | grey color.": [ + "2 x 22 runner area rug in ivory | grey color", + "2 x 22 runner area rugs in ivory | grey", + "2 x 22 runner area rugs", + "2 x 22 runner area rug in ivory | grey", + "2 x 22 runner area rugs in ivory", + "2 x 22 runner area rug in ivory", + "2 x 22 runner area rugs in ivory grey color", + "2 x 22 runner area rug", + "2 x 22 runner area rugs in ivory grey", + "2 x 22 runner area rug in ivory grey" + ], + "i want to buy some black synthetic hair extensions.": [ + "black synthetic hair extensions", + "black synthetic hair extension", + "black synthetic hair extensions under $50", + "black synthetic hair extensions under $40", + "black synthetic hair extensions.", + "black synthetic hair extensions under $60", + "black synthetic hair extensions under 50 dollars", + "black synthetic hair extensions under 30 dollars", + "black synthetic hair extensions black", + "black synthetic hair extensions," + ], + "i'm looking for 20-inch long curtains for my living room that are charcoal colored.": [ + "20-inch long curtains for my living room that are charcoal colored", + "20-inch long curtains for my living room", + "20 x long curtains for my living room that are charcoal colored", + "20-inch long curtains in my living room that are charcoal colored", + "20-inch long curtains for the living room that are charcoal colored", + "40-inch long curtains for my living room that are charcoal colored", + "28-inch long curtains for my living room that are charcoal colored", + "20-inch long curtains for living room that are charcoal colored", + "23-inch long curtains for my living room that are charcoal colored", + "20-inch long curtains living room that are charcoal colored" + ], + "i want to find an l-shaped desk that can help save me space.": [ + "l-shaped desk", + "l-shaped desk that can help save me space", + "living room l-shaped desk", + "l-shaped desk, help save me space", + " l-shaped desk that can help save me space", + "l-shaped desk, help save me space.", + "l-shaped desk for living room", + "l-shaped desk for me", + "l-shaped desk in a l-shaped", + "l-shaped desk," + ], + "i am looking for a gluten free socorro sweet tea that has low calories.": [ + "gluten free socorro sweet tea", + "gluten free socorro sweet tea with low calories", + "gluten free socorro sweet tea no sugar", + "gluten free socorro sweet tea low calories", + "gluten free socorro sweet tea drink", + "gluten free socorro sweet tea flavor", + "gluten free socorro sweet tea drink mix", + "gluten free socorro sweet tea under $40", + "gluten free socorro sweet tea, low calories", + "gluten free socorro sweet tea under $60" + ], + "i want to find a two-pack of white usb chargers that can be mounted to a wall.": [ + "two-pack of white usb chargers", + "two-pack white usb chargers", + "white usb chargers mounted to a wall", + "two-pack of white usb chargers for wall", + "white usb chargers", + "white usb chargers two-pack", + "two-pack of white usb charger", + "white usb chargers 2-pack", + "white usb chargers for wall", + "white usb charger" + ], + "i need 2pcs mixed package of grey color reusable easy clean cotton swab": [ + "2pcs mixed package of grey color reusable easy clean cotton swab", + "grey color reusable easy clean cotton swab 2pcs", + "grey color reusable easy clean cotton swab", + "twopcs mixed package of grey color reusable easy clean cotton swab", + " 2pcs mixed package of grey color reusable easy clean cotton swab", + "3pcs mixed package of grey color reusable easy clean cotton swab", + "womens mixed package of grey color reusable easy clean cotton swab", + "pcs mixed package of grey color reusable easy clean cotton swab", + "2pcs mixed package of grey color reusable", + "2pcs mixed package" + ], + "i want to buy a pair of compression pants in size xx large. they should be nude with an elastic waistband.": [ + "xx large compression pants nude with an elastic waistband", + "xx large compression pants in size xx large", + "xx large compression pants, nude with an elastic waistband", + "xx large compression pants with an elastic waistband", + "xx large compression pants in nude with an elastic waistband", + "xx large compression pants", + "xx large compression pants with elastic waistband", + "xx large compression pants that are nude", + "xx large compression pants in a nude waistband", + "xx large compression pants nude" + ], + "i want a bluetooth mp3 decoded module audio receiver board power amplifier easy install": [ + " bluetooth mp3 decoded module audio receiver board power amplifier easy install", + " bluetooth mp3 decoded module audio receiver board power amplifier", + "b bluetooth mp3 decoded module audio receiver board power amplifier easy install", + "Bluetooth mp3 decoded module audio receiver board power amplifier easy install", + "bluetooth mp3 decoded module audio receiver board power amplifier easy install", + "budetooth mp3 decoded module audio receiver board power amplifier easy install", + " bluetooth mp3 decoded module audio receiver board", + " bluetooth mp3 decoded module audio receiver board power amplifier easy to install", + "dualetooth mp3 decoded module audio receiver board power amplifier easy install", + "duetooth mp3 decoded module audio receiver board power amplifier easy install" + ], + "i am looking for a resin diy for nail art with non toxic also easy to clean.": [ + "non toxic resin diy for nail art", + "sneakers diy for nail art", + "vinyl diy for nail art", + " resin diy for nail art", + " resin diy for nail art with non toxic", + "rubber diy for nail art", + "resin diy for nail art", + "vinyl diy for nail art non toxic", + "sins diy for nail art", + "non toxic resin diy nail art" + ], + "i want a pink niuta 2 pack hair towel wrap for dry hair.": [ + "pink niuta 2 pack hair towel wrap for dry hair", + "pink niuta 2 pack hair towel wrap", + "pink niuta 2 pack hair towel wrap for dry hair.", + "pink niuta 2 pack hair towel wrap for dry hair,", + "pink niuta 2 pack hair towel wrap for dry air", + "pink niuta 2 pack hair towel wrap for dry hair ", + "pink niuta 2 pack hair towel wrap dry hair", + "pink niuta 2 pack hair towel wrap,", + "pink niuta 2 pack hair towel wrap for dry", + "nude 2 pack hair towel wrap" + ], + "i am looking for a super soft feece throw with christmas deer, snowflakes and funny gifts.": [ + "super soft feece throw with christmas deer", + "super soft feece throw with christmas deer snowflakes", + "super soft feece throw with christmas deer and funny gifts", + "super soft feece throw with christmas deer, snowflakes", + "super soft feece throw with christmas deer and snowflakes", + "super soft feece throw christmas deer snowflakes", + "super soft feece throw", + "super soft feece throw christmas deer with funny gifts", + "super soft feece throw with christmas deer with funny gifts", + "super soft feece throw with christmas deer under $40" + ], + "i am looking for a 2 pack of pendant ceiling lights for my dining room.": [ + "2 pack pendant ceiling lights dining room", + "pendant ceiling lights dining room 2 pack", + "2 pack pendant ceiling lights", + "2 pack of pendant ceiling lights dining room", + "2 pack pendant ceiling lights for dining room", + "2 pack of pendant ceiling lights", + "pendant ceiling lights for dining room", + "pendant ceiling lights dining room", + "pendant ceiling lights for dining room 2 pack", + "2 pack pendant ceiling lights, dining room" + ], + "i need a tea tree shampoo and conditioner set which is sulfate free and promotes hair growth.": [ + "tea tree shampoo and conditioner set which is sulfate free and promotes hair growth", + "tea tree shampoo and conditioner set that is sulfate free and promotes hair growth", + "tea tree shampoo and conditioner set", + "tea tree shampoo and conditioner set, sulfate free and promotes hair growth", + "tea tree shampoo and conditioner set, sulfate free and promotes hair growth.", + "tea tree shampoo and conditioner set with sulfate free hair growth", + "tea tree shampoo and conditioner set whose is sulfate free and promotes hair growth", + "tea tree shampoo and conditioner set which is sulfate free hair growth", + "tea tree shampoo conditioner set which is sulfate free and promotes hair growth", + "tea tree shampoo and conditioner set, sulfate free, hair growth" + ], + "i am looking for super soft and fleece throw blanket in multi 10 color": [ + "super soft fleece throw blanket in multi 10 color", + "super soft fleece throw blanket multi 10 color", + "super soft fleece throw blanket", + "super soft fleece throw blanket multi 10", + "super soft fleece throw blanket in multi 10", + "super soft fleece throw blanket, multi 10 color", + "super soft and fleece throw blanket multi 10 color", + "super soft fleece throw blanket with multi 10 color", + "super soft fleece throw blanket in multi 10 colors", + "super soft fleece throw blanket under 50 dollars" + ], + "i am looking for sneakers for teen girls walking shoes with ankle strap , size 8.5 and also z4-blue color": [ + "walking shoes z4-blue", + "teen girl walking shoes z4-blue", + "sneakers for teen girls z4-blue", + "teen girl walking shoes in z4-blue", + "walking shoes size 8.5 z4-blue", + "teen girls walking shoes z4-blue", + "walking shoes z4-blue sneakers", + "teen girl walking shoes z4-blue sneakers", + "kids walking shoes z4-blue", + "teen girl walking shoes with ankle strap" + ], + "we are looking easy install stereo sound subwoofers 800 watt speaker speaker size :12\"": [ + "easy install stereo sound subwoofers 800 watt speaker speaker speaker", + "easy install stereo sound subwoofers 800 watt speaker speaker speaker size", + "easy install stereo sound subwoofers 800 watt speaker speaker", + "easy install stereo sound subwoofers 800 watt speaker speaker size :12", + "easy install stereo sound subwoofers 800 watt speaker speaker speakers", + "easy install stereo sound subwoofers 800 watt speaker speaker speaker speakers", + "easy install stereo sound subwoofers", + "easy install stereo sound subwoofers 800 watt speaker speakers", + "easy install stereo sound subwoofers size :12", + "easy install stereo sound subwoofers 12" + ], + "i'd like to find frozen, handmade appetizers made with pear and brie.": [ + "frozen, handmade appetizers made with pear and brie", + "tempered, handmade appetizers made with pear and brie", + "freeze dried, handmade appetizers made with pear and brie", + "vegan, handmade appetizers made with pear and brie", + "frozen, handmade appetizers made with pear and brie.", + "pomegranate and brie frozen, handmade appetizers", + "pale and brie frozen, handmade appetizers", + "pomegranate and brie frozen appetizers", + "pomegranate and brie appetizers", + "pale and brie frozen appetizers" + ], + "i am looking for men's white athletic shorts with a drawstring closure.": [ + "mens white athletic shorts with drawstring closure", + "mens white athletic shorts drawstring closure", + "mens white athletic shorts with drawstring closure", + "mens white athletic shorts with drawstring closure.", + "mens white athletic shorts, drawstring closure", + "mens white athletic shorts with a drawstring closure", + "mens white athletic shorts that drawstring closure", + "mens white athletic shorts with drawstring closure,", + "mens white athletic shorts", + "mens white athletic shorts no drawstring" + ], + "i want a heavy duty, non-slip protector case for my iphone. choose something in black.": [ + "heavy duty, non-slip protector case for iphone", + "heavy duty, non-slip protector case", + "heavy duty, non-slip protector case iphone", + "heavy duty, non-slip protector case in black", + "heavy duty non-slip protector case", + "bag case for iphone in black", + "iphone case in black", + "bag case heavy duty iphone", + "black iphone case heavy duty", + "black iphone case" + ], + "i'm looking for a black colored short sleeved women's casual summer off the shoulder dress. please select the size small.": [ + "black colored short sleeved womens casual summer off the shoulder dress", + "black long sleeved womens casual summer off the shoulder dress", + "black short sleeved womens casual summer off the shoulder dress", + "small black short sleeved womens casual summer off the shoulder dress", + "black women short sleeved womens casual summer off the shoulder dress", + "womens casual summer off the shoulder dress in black", + "black colored short sleeved womens casual summer shirt", + "short sleeved womens casual summer off the shoulder dress", + "womens casual summer off the shoulder dress", + "black men casual summer off the shoulder dress" + ], + "i am looking for a digital alarm clock radio with wireless bluetooth built-in. also, i prefer a black colored one.": [ + "digital alarm clock radio with wireless bluetooth", + "alarm clock radio with wireless bluetooth", + "alarm clock radio black", + "an alarm clock radio with wireless bluetooth", + "digital alarm clock radio", + "digital alarm clock radio that is black", + "digital alarm clock radio with bluetooth", + "digital alarm clock radio black", + "alarm clock radio", + "alarm clock radio, black" + ], + "i want 4 ounce fat free musselman's cinnamon apple sauce cups.": [ + "4 ounce fat free musselmans cinnamon apple sauce cups", + "musselmans cinnamon apple sauce cups 4 ounce fat free", + "musselmans cinnamon apple sauce cups", + "4 ounce fat free musselsmans cinnamon apple sauce cups", + "musselmans cinnamon apple sauce cups 4 oz", + "4 ounce fat free musselmans cinnamon apple sauce cup", + "musselsmans cinnamon apple sauce cups 4 ounce fat free", + "4 ounce fat free musselmans cinnamon apple sauce", + "musselmans cinnamon apple sauce cups 4 ounce", + "musselsmans cinnamon apple sauce cups" + ], + "my skin was dry i need 4 ounce pack of facial cream": [ + "4 ounce pack of facial cream", + "3 ounce pack of facial cream", + "2 ounce pack of facial cream", + "a 4 ounce pack of facial cream", + "8 ounce pack of facial cream", + "drying facial cream 4 ounce pack", + "4 ounce pack of facial cream,", + "4 ounce pack of facial cream ", + "medical cream 4 ounce pack", + "hair cream 4 ounce pack" + ], + "i want to find shelf-stable beef stew that is ready to eat.": [ + " shelf-stable beef stew", + "shelf-stable beef stew", + " shelf-stable beef stew ready to eat", + "stainless beef stew", + " shelf-stable beef stew ready to eat.", + " shelf-stable beef stew, ready to eat", + "stainless beef stew ready to eat", + "strawberry beef stew", + "packet-stable beef stew", + "barbecue beef stew" + ], + "i am looking for eyeshadow that is cruelty free.": [ + "cruelty free eyeshadow", + "cruelty free eyeshadow under $40", + "cruelty free eyeshadow under $50", + "cruelty free eyeshadow under $60", + "cruelty free eyeshadow below $40", + "cruelty-free eyeshadow", + "cruelty free eyeshadow below $50", + "cruelty free eyeshadow under 50 dollars", + "cruelty free eyeshadow under 60 dollars", + "cruelty free eyeshadow below $60" + ], + "i want to find a white twin sized bed frame that is easy to assemble.": [ + "white twin sized bed frame", + "white twin sized bed frame easy to assemble", + "white twin bed frame", + "white twin bed frame, easy to assemble", + "white twin bed frame easy to assemble", + "white twin sized bed frame under $50", + "white twin sized bed frame under $40", + "white twin sized bed frame under $60", + "white twin sized bed frame easy assemble", + "white twin size bed frame" + ], + "i want camile modern table lamps with a brushed nickel finish.": [ + "camel modern table lamps with a brushed nickel finish", + " camile modern table lamps with a brushed nickel finish", + "camo modern table lamps with a brushed nickel finish", + "camile modern table lamps with a brushed nickel finish", + "camel modern table lamps with brushed nickel finish", + "table lamps with a brushed nickel finish", + "camo modern table lamps with brushed nickel finish", + "curtile modern table lamps with brushed nickel finish", + "table lamps with brushed nickel finish", + "camel modern table lamps" + ], + "i am looking for valentine day gift basket with luxury gold leaf hand cream, handmade freshly baked treats like variety of brownies and decadent cookies": [ + "valentine day gift basket with luxury gold leaf hand cream", + " valentine day gift basket with luxury gold leaf hand cream", + "Valentine day gift basket with luxury gold leaf hand cream", + "a valentine day gift basket with luxury gold leaf hand cream", + "valentine day gift basket with luxury gold leaf hand cream", + "valentine day gift basket", + "gift basket with luxury gold leaf hand cream", + " valentine day gift basket", + "valentine day gift basket with luxury gold leaf", + "variety of brownies" + ], + "i am looking for a pair of long lasting women's size 5.5 wide hiking boots.": [ + "womens size 5.5 wide hiking boots", + "womens size 5.5 wide hiking boots.", + "long lasting womens size 5.5 wide hiking boots", + "womens size 5.5 wide hiking boots,", + "womens hiking boots 5.5 wide hiking boots", + "womens 5.5 wide hiking boots", + "mens size 5.5 wide hiking boots", + "mens size 5.5 wide hiking boots", + "womens size 5.5 long lasting hiking boots", + "5.5 wide hiking boots" + ], + "i need zerofire 2 pack travel size spray bottles.": [ + "zerofire 2 pack travel size spray bottles", + " zerofire 2 pack travel size spray bottles", + "pack travel size spray bottles zerofire 2 pack", + " zerofire 2 pack travel size spray bottles.", + "zerofire 2 pack travel size spray bottles.", + "ozerofire 2 pack travel size spray bottles", + "Zerofire 2 pack travel size spray bottles", + "ezerofire 2 pack travel size spray bottles", + "zerofire 2 pack travel size spray bottles", + "pack travel size spray bottles" + ], + "i need a quick drying running shorts with drawstring closure. it should be light grayish blue in color.": [ + "quick drying running shorts with drawstring closure", + "quick drying running shorts with drawstring closure light gray", + " quick drying running shorts with drawstring closure", + "quick drying running shorts light grayish blue", + "quick drying running shorts with drawstring closure in color", + "quick drying running shorts, light grayish blue", + "quick drying running shorts with drawstring closure color", + "temporary drying running shorts with drawstring closure", + "Quick drying running shorts with drawstring closure", + "quick drying running shorts" + ], + "i am interested in sprinkles that are soy free and for christmas.": [ + "sprinkles for christmas", + "sugar free christmas sprinkles", + "sneakers for christmas", + "sprinkles soy free christmas", + "sprinkles that are soy free christmas", + "sprinkles christmas", + "sneakers soy free christmas", + "sprayles for christmas", + "rainbow sprinkles for christmas", + "sprinkles soy free for christmas" + ], + "i need to buy some easy to install pendant lights for my living room. get the blue ones.": [ + "blue pendant lights for living room", + "easy to install pendant lights", + "pendant lights for living room", + "pendant lights for my living room", + "blue pendant lights living room", + "pendant lights for the living room", + "blue pendant lights", + "pendant lights living room", + "living room pendant lights", + "pendant lights" + ], + "i need wireless charging with white color": [ + "wireless charging with white", + "wireless charging white", + "white wireless charging", + " wireless charging with white", + "wirefree charging with white", + "red wireless charging with white", + "blue wireless charging with white", + "womens wireless charging", + "wirefree charging white", + " wireless charging white" + ], + "i need no artificial color chocolate for 10 pocket": [ + "an artificial color chocolate for 10 pocket", + "natural color chocolate for 10 pocket", + "no artificial color chocolate for 10 pocket", + "an artificial color chocolate 10 pocket", + "artificial color chocolate for 10 pocket", + "natural color chocolate 10 pocket", + "organic color chocolate for 10 pocket", + "chocolate for 10 pocket", + "a chocolate for 10 pocket", + "natural color chocolate pocket" + ], + "find me a cruelty free non toxic lip treatment oil for sensitive skin in 100 #loveyourself color.": [ + "cruelty free lip treatment oil for sensitive skin 100 loveyourself color", + "cruelty free lip treatment oil for sensitive skin 100", + "cruelty free lip treatment oil for sensitive skin 100loveyourself color", + "cruelty free lip treatment oil sensitive skin 100 loveyourself color", + "cruelty free lip treatment oil for sensitive skin in 100", + "cruelty free lip treatment oil for sensitive skin", + "cruelty free lip treatment oil sensitive skin 100 #loveyourself color", + "cruelty free lip treatment oil sensitive skin 100", + "cruelty free lip treatment oil for sensitive skin 100 under $50", + "cruelty free lip treatment oil" + ], + "shop for a light weight windows desktop pc.": [ + "desktop pc that is light weight", + "desktop pc", + "desktop pc with light weight", + "desktop pc with a light weight", + "desktop pc light weight", + "desktop pc, light weight", + "desktop pc.", + "desktop pc in a light weight", + "desktop pc which is light weight", + "desktop pc, light weight," + ], + "i am looking for large dark grey pajama pants with an elastic waist.": [ + "large dark grey pajama pants with an elastic waist", + "large dark grey pajama pants", + "large dark grey pajama pants with elastic waist", + "large dark grey pajama pants with a elastic waist", + "large dark grey pajama pants that are elastic waist", + "large dark grey pajama pants, elastic waist", + "large dark grey pajama pants elastic waist", + "large dark grey pajama pants no elastic waist", + "large dark grey elastic waist pajama pants", + "large dark grey pajama pants under $40" + ], + "i am looking for fluoride free all natural toothpaste.": [ + "fluoride free all natural toothpaste", + "fluoride free natural toothpaste", + "fluoride free oralpaste", + "fluoride free all natural toothpaste.", + "fluoride free toothpaste", + "fluoride free teethpaste", + "fluoride free dentalpaste", + "fluoride free oral toothpaste", + "toothpaste fluoride free", + "fluoride free" + ], + "i want a 125 digital power audio amplifier board.": [ + "125 digital power audio amplifier board", + " 125 digital power audio amplifier board", + "contains 125 digital power audio amplifier board", + "a 125 digital power audio amplifier board", + "120 digital power audio amplifier board", + "coaxial amplifier board 125 digital power", + "toothpaste board 125 digital power", + "125 digital power audio amplifier board.", + "contemporary high quality audio amplifier board", + "contemporary high quality audio amplifier board 125" + ], + "i need a non slip sofa slipcover which is either camel or ivory colored.": [ + "non slip sofa slipcover, camel or ivory colored", + "non slip sofa slipcover in camel or ivory colored", + "non slip sofa slipcover with camel or ivory colored", + "non slip sofa slipcover camel or ivory colored", + "non slip sofa slipcover camel or ivory colored", + "non slip sofa slipcover, camel or ivory colored,", + "non slip sofa slipcover, either camel or ivory colored", + "non slip sofa slipcover", + "non slip sofa slipcover under $50", + "non slip sofa slipcover in camel or ivory" + ], + "i need a long clip-in hair extension which is natural looking.": [ + "long clip-in hair extension natural looking", + "long clip-in hair extension", + "natural looking hair extension", + "short clip-in hair extension natural looking", + "natural looking long clip-in hair extension", + "short clip-in hair extension", + "natural looking hair extension long clip-in", + "hair extension natural looking", + "a long clip-in hair extension", + "natural looking human hair extension" + ], + "i would like a blue smartwatch band that is 42mm and is apple compatible.": [ + "blue smartwatch band 42mm apple compatible", + "blue smartwatch band 42mm", + "blue smartwatch band that is 42mm", + "blue smartwatch band", + "blue smartwatch band, 42mm apple compatible", + "blue smartwatch band with 42mm apple compatible", + "blue smartwatch band, 42mm", + "blue smartwatch band 42mm and apple compatible", + "blue smartwatch band 42mm with apple compatible", + "blue smartwatch band with 42mm" + ], + "need a monopod with carbon fiber for dslr cameras": [ + " monopod with carbon fiber for dslr cameras", + "pomod with carbon fiber for dslr cameras", + " monopod with carbon fiber dslr cameras", + "pomod with carbon fiber dslr cameras", + "pomone with carbon fiber for dslr cameras", + "psomod with carbon fiber for dslr cameras", + " monopod with carbon fiber", + "pompsod with carbon fiber dslr cameras", + " monopod with carbon fiber for dslr camera", + "pomod with carbon fiber" + ], + "i want anti slip leopard print shoes for women in size 11.": [ + "anti slip leopard print shoes for women size 11", + "anti slip leopard print shoes for women in size 11", + "anti slip leopard print shoes for women size 11.", + "anti slip leopard print shoes size 11", + "anti slip leopard print shoes for women", + "anti slip leopard print shoes", + "anti slip leopard print shoes in size 11", + "anti slip leopard print walking shoes for women size 11", + "anti slip leopard print shoes for women size 11,", + "anti slip leopard print shoes women size 11" + ], + "i want to find a gold hair comb that is easy to use.": [ + "gold hair comb that is easy to use", + "easy to use gold hair comb", + "gold hair comb", + "easy-to-use gold hair comb", + "gold hair comb easy to use", + "plastic gold hair comb", + "gold hair comb, easy to use", + "plastic gold hair comb easy to use", + "beauty comb gold", + "pure gold hair comb" + ], + "i need a gold colored storage case bag for holding nail art machine and tools.": [ + "gold colored storage case bag for holding nail art machine and tools", + "gold colored storage case bag for carrying nail art machine and tools", + "gold colored storage case bag for storing nail art machine and tools", + "gold colored storage case bag", + "plastic storage case bag for holding nail art machine and tools", + "gold colored storage case bag for nail art machine and tools", + "gold colored storage case bag with nail art machine and tools", + "gold colored storage case bag for holding nail art machine", + "gold colored storage case bag, for nail art machine and tools", + "gold colored storage case bag for storage art machine and tools" + ], + "i want to find a black apple watch band that is 38 millimeters long.": [ + "black apple watch band 38 millimeters long", + "38 millimeters long apple watch band", + "38 millimeters long black apple watch band", + "38 millimeters black apple watch band", + "38 black apple watch band", + "28 black apple watch band", + "38 millimeter apple watch band", + "black apple watch band 38 millimeters", + "black apple watch band 38 millimeter long", + "black apple watch band" + ], + "i'm looking for skin care need to buy a sugarcane and papaya for dry skin.": [ + "skin care sugarcane and papaya", + "skin care sugarcane paya for dry skin", + "sugarcane and papaya for dry skin", + "skin care sugarcane papaya for dry skin", + "skin care sugarcane and papaya dry skin", + "skin care sugarcane for dry skin", + "skin care with sugarcane and papaya", + "skin care sugarcane paya", + "skin care sugarcane", + "skin care sugarcane papaya" + ], + "i am looking for long lasting hair color dye.please choose 7bg color.": [ + "long lasting hair color dye 7bg", + "hair color 7bg", + "hair color 7bg long lasting", + "long lasting hair color dye, 7bg", + "long lasting hair color dye", + "long lasting hair color dye 7bg color", + "hair color dye 7bg", + "long lasting hair color dye.7bg", + "long lasting hair color dye. 7bg", + "long lasting hair color dye under $40" + ], + "i want to find individually wrapped chocolates in a gift basket that i can give for christmas.": [ + "pack of individually wrapped chocolates for christmas", + " individually wrapped chocolates for christmas", + "bag of individually wrapped chocolates for christmas", + "packet of individually wrapped chocolates for christmas", + "manual wrapped chocolates for christmas", + "8 individually wrapped chocolates for christmas", + "pack of individually wrapped chocolates christmas", + "pack of individually wrapped chocolates for christmas.", + " individually wrapped chocolates in a gift basket christmas", + "pack of individually wrapped chocolates in a gift basket" + ], + "i am looking for a coffee sofa slipcovers of pu leather": [ + "coffee sofa slipcovers of pu leather", + "ffee sofa slipcovers of pu leather", + "bagel slipcovers of pu leather", + "cup sofa slipcovers of pu leather", + " coffee sofa slipcovers of pu leather", + "a coffee sofa slipcovers of pu leather", + "teffee sofa slipcovers of pu leather", + "coffee sofa slipcovers of pu leather under $40", + "coffee sofa slipcovers of pu leather under 30 dollars", + "coffee sofa slipcovers of pu leather under 50 dollars" + ], + "i am looking a high resolution fiber optic cable for audio vedio colour :black": [ + "high resolution fiber optic cable for audio vedio colour", + "high resolution fiber optic cable for audio vedio colour black", + "high resolution fiber optic cable for audio vedio colourblack", + "high resolution fiber optic cable for audio vedio in black", + "high resolution fiber optic cable for audio vedio color", + "high resolution fiber optic cable for audio vedio", + "fiber optic cable for audio vedio colour", + "high resolution fiber optic cable", + "high resolution fiber optic cable vedio colour", + "high resolution fiber optic cable under $40" + ], + "i want a yellow easy to carry gaone fm radio alarm clock.": [ + "yellow easy to carry gaone fm radio alarm clock", + "yellow radio alarm clock", + "easy to carry gaone fm radio alarm clock", + "gaone fm radio alarm clock yellow easy to carry", + "yellow radio alarm clock that is easy to carry", + "yellow radio alarm clock, easy to carry", + "yellow radio alarm clock easy to carry", + "gaone fm radio alarm clock", + "gaone fm radio alarm clock yellow", + "gaone fm radio alarm clock, yellow" + ], + "i want a long handle body brush to remove dead skin. get me something in blue or white.": [ + "long handle body brush to remove dead skin", + "long handle body brush for dead skin", + "long handle body brush, blue or white", + "long handle body brush for dead skin, blue or white", + "long handle body brush in blue or white", + "long handle body brush to remove dead skin under $40", + "long handle body brush to remove dead skin.", + "long handle body brush", + "long handle body brush to remove dead skin under $50", + "long handle body brush, blue or white," + ], + "i am looking for a red colored button down hawaiian shirt with short sleeves.": [ + "red button down hawaiian shirt with short sleeves", + "red button down hawaiian shirt short sleeves", + "red colored button down hawaiian shirt", + "red button down hawaiian shirt", + "red colored button down hawaiian shirt short sleeves", + "red button down hawaiian shirt, short sleeves", + "red button down hawaiian shirt long sleeves", + "red colored button down hawaiian shirt long sleeves", + "red haiian shirt with short sleeves", + "red haiian shirt short sleeves" + ], + "i want to find a 6-pack of 12 count ferrero rocher candies for valentine's day.": [ + "6-pack of 12 count ferrero rocher candies", + "6 count ferrero rocher candies for valentines day", + "6 pack of 12 count ferrero rocher candies valentines day", + "6 count ferrero rocher candies valentines day", + "8 count ferrero rocher candies for valentines day", + "6 count ferrero rocher candies for valentines day.", + "pack of 12 count ferrero rocher candies for valentines day", + "12 count ferrero rocher candies for valentines day", + "6 pack of 12 count ferrero rocher candies", + "6 count ferrero rocher candies" + ], + "i am looking for powerful stainless steel kit for total body clipping, trimming, & grooming.": [ + "stainless steel kit for total body clipping, trimming, grooming", + "stainless steel kit for total body clipping, trimming, grooming.", + "powerful stainless steel kit for total body clipping, trimming, grooming.", + "stainless steel kit for total body clipping, trimming, & grooming", + "powerful stainless steel kit for total body clipping, trimming, grooming", + "powerful stainless steel kit for total body clipping, trimming, & grooming.", + "manual stainless steel kit for total body clipping, trimming, grooming", + "stainless steel kit for total body clipping, trimming, and grooming", + "super powerful stainless steel kit for total body clipping, trimming, grooming.", + "stainless steel training kit for total body clipping, trimming, grooming" + ], + "i want large loose fit tank tops for women.": [ + "large loose fit tank tops for women", + "large loose fit tank tops for women.", + "large loose fit tank tops", + "large loose fit tank tops for women,", + "womens large loose fit tank tops", + "small loose fit tank tops for women", + "large loose fit tank top for women", + "large loose fit tank tops for woman", + "large loose fit tank tops women", + "large loose fit woman tank tops" + ], + "i want to find kettle style potato chips with 0 grams of trans fat. there should be 4 bags total.": [ + "kettle style potato chips with 0 grams of trans fat", + "kettle style potato chips with 0 grams of trans fat 4 bags", + "tea style potato chips with 0 grams of trans fat", + "tea style potato chips with 0 grams of trans fat 4 bags", + "pomegranate chips with 0 grams of trans fat 4 bags", + "keto style potato chips with 0 grams of trans fat 4 bags", + "keto style potato chips with 0 grams of trans fat", + "taco style potato chips with 0 grams of trans fat 4 bags", + "kettle style potato chips no trans fat 4 bags", + "potato chips with 0 grams of trans fat" + ], + "i am looking for creative cupcake toppers for a kids birthday cake.": [ + "teen colored cupcake toppers for a kids birthday cake", + "cupcake toppers for a kids birthday cake", + "artwork cupcake toppers for a kids birthday cake", + "teen girl cupcake toppers for a kids birthday cake", + "contemporary cupcake toppers for a kids birthday cake", + "contributed cupcake toppers for a kids birthday cake", + "creative cupcake toppers for a kids birthday cake", + "curtains for a kids birthday cake", + "cupcake toppers for a kids birthday cake.", + "curtains for a kids birthday cake." + ], + "i need 1 pack 6.34 ounce, hand crafted and individually wrapped tortas.": [ + "pack 6.34 ounce hand crafted and individually wrapped tortas", + "pack 6.34 ounce, hand crafted and individually wrapped tortas", + "1 pack 6.34 ounce hand crafted and individually wrapped tortas", + "1 pack 6.34 ounce, hand crafted and individually wrapped tortas", + "pack 6.34 ounce, hand crafted and individually wrapped tortas.", + "pack 6.34 ounce hand crafted and individually wrapped tortas.", + "pack of 6.34 ounce hand crafted and individually wrapped tortas", + "pack 6.34 ounce, hand crafted and individually wrapped tortas,", + "pack of 6.34 ounce, hand crafted and individually wrapped tortas", + "bag 6.34 ounce hand crafted and individually wrapped tortas" + ], + "my high heel size was 6.5": [ + "high heel size 6.5", + "high heel size was 6.5", + "6.5 high heel size", + "high heel size is 6.5", + "low heel size 6.5", + "i high heel size was 6.5", + "low heel size was 6.5", + "high heel size of 6.5", + "medium heel size 6.5", + "6 foot high heel size" + ], + "i have 3 hair dye": [ + "3 hair dye", + "hair dye 3 hair dye", + "hair dye 3 hair colors", + "hair dye 3 hair color", + "hair dye 3 hair colored", + "hair dye 3 color", + "hair dye 3", + "three hair dye", + " 3 hair dye", + "hair dye" + ], + "i am looking for a faux fur cardigan coat with long sleeves. i am a 3x-large in size.": [ + "faux fur cardigan coat with long sleeves", + "faux fur cardigan coat 3x-large in size", + "faux fur cardigan coat 3xl in size", + "faux fur cardigan coat 3x-large", + "faux fur cardigan coat", + "faux fur cardigan coat with long sleeves 3xl", + "faux fur cardigan coat, long sleeves", + "faux fur cardigan coat long sleeves", + "faux fur cardigan coat 3xl long sleeves", + "faux fur cardigan coat 3xl" + ], + "i am looking for high quality , easy use , bpa free tongue brush": [ + "easy use bpa free tongue brush", + "easy to use bpa free tongue brush", + "bpa free tongue brush", + "easy-to-use bpa free tongue brush", + "high quality , easy use bpa free tongue brush", + "easy to clean bpa free tongue brush", + "easy clean bpa free tongue brush", + "lens brush bpa free", + "lip brush bpa free", + "easy use bpa free tongue brush under $40" + ], + "i'm baking a birthday cake for raju.": [ + "birthday cake for raju", + "birthday cake for raju.", + "birthday cake for raju under 50 dollars", + "birthday cake for raju under $50", + "birthday cake for raju under 30 dollars", + "baby shower cake for raju", + "birthday cake for raju under $60", + "birthday cake for raju under 60 dollars", + "birthday cake for raju under 40 dollars", + "birthday cake for raju under $40" + ], + "i want a golden lighting 3602-vl3 blk duncan vanity light.": [ + "golden lighting 3602-vl3 blk duncan vanity light", + "gluten lighting 3602-vl3 blk duncan vanity light", + "a golden lighting 3602-vl3 blk duncan vanity light", + "glen lighting 3602-vl3 blk duncan vanity light", + "gluten-filled 3602-vl3 blk duncan vanity light", + "living room 3602-vl3 blk duncan vanity light", + "gluten light 3602-vl3 blk duncan vanity light", + "glory lighting 3602-vl3 blk duncan vanity light", + "gluten lighting 3602-vl3 blk duncan vanity light.", + "golden lighting 3602-vl3 blk duncan vanity light." + ], + "i am looking for a winter warm jacket with long sleeve which is washable in machine. also choose navy color and small size.": [ + "winter warm jacket with long sleeve", + "winter warm jacket with long sleeve washable small", + "winter warm jacket with long sleeve in navy color", + "winter warm jacket with long sleeve in navy", + "winter warm jacket with long sleeve washable", + "winter warm jacket with long sleeves in navy", + "winter warm jacket with long sleeves", + "winter warm jacket in navy", + "womens winter warm jacket with long sleeve", + "winter warm jacket with long sleeves in navy color" + ], + "get me a high performance video camera that is certified refurbished.": [ + "high performance video camera that is certified refurbished", + "high performance video camera that is certified refurbished.", + "high performance video camera certified refurbished", + "tv camera certified refurbished", + "high performance video camera", + "tv camera that is certified refurbished", + "professional high performance video camera that is certified refurbished", + "high performance video camera, certified refurbished", + "a high performance video camera that is certified refurbished", + "high performance video camera certified refurbished." + ], + "i am looking for a large bright blue daily casual dress.": [ + "large bright blue daily casual dress", + "large bright blue daily casual dress.", + "large blue daily casual dress", + "large bright blue daily casual dress,", + "large yellow daily casual dress", + "large fresh blue daily casual dress", + "large red daily casual dress", + "large white daily casual dress", + "small bright blue daily casual dress", + "large bright blue day dress" + ], + "i need to buy some green sandals with arch support. look for uk size nine medium.": [ + "green sandals with arch support", + "green sandals with arch support, uk size nine", + "green sandals with arch support, uk size 9", + "green sandals with arch support uk size 9", + "green sandals with arch support uk size nine", + "green sandals with arch support uk size 9 medium", + "green sandals with arch support in uk size 9", + "green sandals with arch support uk size nine", + "green sandals with arch support under $40", + "green sandals with arch support size 9" + ], + "sony xr50x90j 50-inch ultra hd and high speed full array led smart tv": [ + "sony xr50x90j", + "sony xr50x90j 50-inch ultra hd", + "sony xr50x90j ultra hd", + "sony xr50x90j high speed full array led smart tv", + "sony xr50x90j with high speed full array led smart tv", + "sony xr50x90j 5-inch ultra hd", + "sony xr50x90j full array led smart tv", + "sony xr50x90j with ultra hd", + "sony xr50x90j 50-inch ultra hd under $120", + "sony xr50x90j 50-inch ultra hd under $60" + ], + "i want to find an xx-large blue women's long sleeve sweater.": [ + "xx-large blue womens long sleeve sweater", + "xxl blue womens long sleeve sweater", + " xx-large blue womens long sleeve sweater", + "xx-large blue womens long sleeve sweater.", + "xxl womens long sleeve sweater", + "xxl blue womens long sleeve sweater.", + "xxl long sleeve sweater", + "xxlblue womens long sleeve sweater", + "xxw long sleeve sweater", + "xx long sleeve sweater" + ], + "i am looking for button tufted , easy assemble velvet ottoman bench with white faux fur in color": [ + "button tufted velvet ottoman bench with white faux fur", + "button tufted , easy assemble velvet ottoman bench", + " button tufted velvet ottoman bench with white faux fur", + " button tufted , easy assemble velvet ottoman bench", + "button tufted velvet ottoman bench", + "button tufted, easy assemble velvet ottoman bench", + "easy assemble velvet ottoman bench with white faux fur", + "button tufted velvet ottoman bench in white faux fur", + "button tufted easy assemble velvet ottoman bench", + " button tufted velvet ottoman bench" + ], + "i want to find an 11 fluid ounce bottle of ginger lemonade kombucha that has no sugar, and it needs to come in a pack of 16.": [ + "11 fluid ounce bottle of ginger lemonade kombucha", + "an 11 fluid ounce bottle of ginger lemonade kombucha", + "12 fluid ounce bottle of ginger lemonade kombucha", + "an 11oz ounce bottle of ginger lemonade kombucha", + "11 fluid ounce bottle of ginger lemonade kombucha pack of 16", + "12oz ginger lemonade kombucha pack of 16", + "stainless sugar ginger lemonade kombucha pack of 16", + "11 fluid ounce bottle of ginger lemonade kombucha under $60", + "11 fluid ounce bottle of ginger lemonade kombucha under $40", + "strawberry lemonade kombucha pack of 16" + ], + "i need this product for afternoon snack with friends .rhythm superfoods carrot sticks,1.4 oz (pack of 12), vegan/gluten-free superfood snacks": [ + "rhythm superfoods carrot sticks 1.4 oz (pack of 12), vegan/gluten-free superfood snacks", + "rhythm superfoods carrot sticks,1.4 oz (pack of 12), vegan/gluten-free", + "rhythm superfoods carrot sticks 1.4 oz (pack of 12), vegan/gluten-free", + "rhythm superfoods carrot sticks1.4 oz (pack of 12), vegan/gluten-free superfood snacks", + "rhythm superfoods carrot sticks, 1.4 oz (pack of 12), vegan/gluten-free", + "superfood snacks 1.4 oz (pack of 12), vegan/gluten-free", + "rhythm superfoods carrot sticks pack of 12", + "superfood snacks vegangluten-free", + "rhythm superfoods carrot sticks", + "superfood snacks that are vegan" + ], + "i am looking for an intel quad core i3 6157u powered mini pc.": [ + "intel quad core i3 6157u powered mini pc", + "intel quad core i3 6157u powered mini pc.", + "intel quad core i3 6157u powered mini pc under $130", + "intel quad core i3 6157u powered mini pc under $50", + "intel quad core i3 6157u powered mini pc under $120", + "intel quad core i3 6157u powered mini pc under $60", + "intel quad core i3 6157u powered mini pc under $40", + "quad core i3 6157u powered mini pc", + " intel quad core i3 6157u powered mini pc", + " intel quad core i3 6157u powered mini pc." + ], + "i want to find an industrial i7 8550u computer that has a quad core. it needs to have 16 gigabytes of storage space on its ram.": [ + "industrial i7 8550u computer with quad core", + "industrial i7 8550u computer that has a quad core", + "industrial i7 8550u computer with a quad core", + "industrial i7 8550u computer with quad core 16 gigabytes of storage space", + "industrial i7 8550u computer with quad core with 16 gigabytes of storage space", + "industrial i7 8550u computer with quad core 16 gigabytes", + "industrial i7 8550u computer with quad core 16 gigabytes storage space", + "desktop i7 8550u computer with quad core", + "industrial i7 8550u computer", + "tablet computer with quad core" + ], + "i want to find stainless steel hair cutting scissors with silver blades.": [ + "stainless steel hair cutting scissors with silver blades", + "stainless steel hair cutting scissors", + "stainless steel hair cutting scissors, silver blades", + "stainless steel hair cutting scissors silver blades", + "stainless steel hair cutting scissors, silver", + "stainless steel hair cutting scissors no silver", + "stainless steel hair cutting scissors in silver", + "stainless steel hair cutting scissors silver", + "stainless steel hair cutting scissors with silver", + " stainless steel hair cutting scissors with silver blades" + ], + "i would like some organic hair oil that is 16 fl oz.": [ + "organic hair oil 16 fl oz", + "16 fl oz organic hair oil", + "organic hair oil16 fl oz", + "organic hair oil 16 fl oz.", + "organic hair oil 17 fl oz", + "organic hair oil 16fl oz", + "natural hair oil 16 fl oz", + "18 fl oz organic hair oil", + "16 oz organic hair oil", + "organic hair oil" + ], + "i need a travel sized facial cleanser for sensitive skin.": [ + "travel sized facial cleanser for sensitive skin", + "travel sized facial cleanser for sensitive skin.", + "Travel sized facial cleanser for sensitive skin", + "vanity sized facial cleanser for sensitive skin", + "facial cleanser for sensitive skin", + "temporary facial cleanser for sensitive skin", + "Travel sized facial cleanser for sensitive skin.", + " travel sized facial cleanser for sensitive skin", + " travel sized facial cleanser for sensitive skin.", + "moisturizer for sensitive skin" + ], + "i am looking for chocolate covered and non gmo pre filled stocking stuffers with candy": [ + "chocolate covered and non gmo pre filled stocking stuffers", + "chocolate covered non gmo pre filled stocking stuffers with candy", + "chocolate covered non gmo pre filled stocking stuffers", + "chocolate covered gmo pre filled stocking stuffers with candy", + "ocolate covered and non gmo pre filled stocking stuffers with candy", + "chocolate covered and non gmo filled stocking stuffers with candy", + "chocolate covered, non gmo pre filled stocking stuffers", + "chocolate covered gmo pre filled stocking stuffers", + "non gmo pre filled stocking stuffers with candy", + "chocolate covered stocking stuffers with candy" + ], + "may you give me this costume please? there is a women's plus size loose jumpsuit ethnic floral summer jumpsuit quick dry 4x large.": [ + "womens plus size loose jumpsuit ethnic floral summer jumpsuit quick dry 4x large", + "womens plus size loose jumpsuit ethnic floral summer jumpsuit quick dry 4x large.", + "womens plus size loose jumpsuit ethnic floral", + "womens plus size loose jumpsuit ethnic floral jumpsuit quick dry 4x large", + "womens plus size loose jumpsuit ethnic floral summer jumpsuit quick dry 4xx large", + "womens plus size loose jumpsuit ethnic floral summer jumpsuit quick dry 4x", + "womens plus size loose jumpsuit ethnic floral summer jumpsuit quick dry 4x large", + "womens plus size loose jumpsuit ethnic floral summer jumpsuit quick dry 4x x large", + "womens plus size loose jumpsuit ethnic floral summer jumpsuit quick dry 4xl", + "womens plus size loose jumpsuit ethnic floral summer jumpsuit quick dry 4x large," + ], + "i am looking for non gmo, gluten free, soy free , plant based perfect chicken spinach pesto burger with size 4-pack": [ + "non gmo chicken spinach pesto burger 4-pack", + "non gmo gluten free, soy free , plant based perfect chicken spinach pesto burger", + "non gmo gluten free, soy free and plant based perfect chicken spinach pesto burger", + "non gmo gluten free, soy free, plant based perfect chicken spinach pesto burger", + "non gmo chicken spinach pesto burger with size 4-pack", + "non gmo chicken spinach pesto burger", + "non gmo, gluten free, soy free pomegranate burger 4-pack", + "non gmo, gluten free, soy free pomegranate burger", + "non gmo pomegranate burger 4-pack", + "plant based perfect chicken spinach pesto burger" + ], + "i am looking for old fashioned wabash valley farms - kernels with flavorful medley and with size 6 pound (pack of 1)": [ + "old fashioned wabash valley farms - kernels with flavorful medley and size 6 pound (pack of 1)", + "old fashioned wabash valley farms - kernels with flavorful medley, size 6 pound (pack of 1)", + "old fashioned wabash valley farms - kernels with flavorful medley size 6 pound (pack of 1)", + "old fashioned wabash valley farms - kernels with flavorful medley, size 6 pound (pack of 1),", + "old fashioned wabash valley farms - kernels with flavorful medley in a 6 pound (pack of 1)", + "old fashioned wabash valley farms - kernels with flavorful medley, 6 pound (pack of 1)", + "old fashioned wabash valley farms - kernels with flavorful medley and pack of 1)", + "old fashioned wabash valley farms - kernels with flavorful medley and size 6 pound (pack of 1),", + "old fashioned wabash valley farms - kernels with flavorful medley 6 pound (pack of 1)", + "old fashioned wabash valley farms - kernels with flavorful medley" + ], + "i'am purchase new type of machine wash and it's color is dark coffee,size:36w x34i": [ + "machine wash dark coffee size:36w x34i", + "machine wash dark coffee", + "machine wash dark coffee size 36w x34i", + "machine wash dark coffeesize:36w x34i", + "machine wash dark coffee 36w x34i", + "dark coffee machine wash size:36w x34i", + "dark coffee machine wash size 36w x34i", + "dark coffee machine wash", + "machine wash black", + "machine wash" + ], + "i'm looking for stainless steel for kitchen product.": [ + "stainless steel kitchen product", + "stainless steel kitchen product under $50", + "stainless steel kitchen product under $40", + "stainless steel kitchen product.", + "stainless steel for kitchen product", + "stainless steel kitchen product under $60", + "stainless steel kitchen products", + "stainless steel kitchen product under $120", + "stainless steel kitchen product under 50 dollars", + "stainless steel kitchen product under $130" + ], + "i want to find xx-large black workout sweatpants with a relaxed fit.": [ + "xxl black workout sweatpants with a relaxed fit", + "xxl black workout sweatpants", + "xx-large black workout sweatpants", + "xxl black workout sweatpants that are relaxed fit", + "xxl black workout sweatpants with relaxed fit", + "xx-large black workout sweatpants with relaxed fit", + "xxl black workout sweatpants, relaxed fit", + "xx-large black workout sweatpants, relaxed fit", + "xxl black workout sweatpants relaxed fit", + " xx-large black workout sweatpants" + ], + "i want a majestic pure argan oil hair mask.": [ + "majestic pure argan oil hair mask", + "pure argan oil hair mask", + "magnate pure argan oil hair mask", + "a majestic pure argan oil hair mask", + "beautiful pure argan oil hair mask", + " majestic pure argan oil hair mask", + "magnified pure argan oil hair mask", + "a majestic pure argan oil hair mask.", + " majestic pure argan oil hair mask.", + "beautiful pure argan oil hair mask." + ], + "zahara brought a cup of green tea.": [ + "green tea drink mix", + "a cup of green tea", + "green tea tea drink mix", + "green tea cup", + "cup of green tea", + "green tea mix", + "green tea", + "green tea tea", + "green tea tea mix", + "green tea drink" + ], + "i am looking for a green hoodie that is loose fit and a size small.": [ + "green hoodie loose fit small", + "green hoodie that is loose fit", + "green hoodie in a size small", + "green hoodie", + "green hoodie loose fit and small", + "green hoodie in a small", + "green hoodie small", + "green hoodie with a size small", + "green hoodie loose fit", + "green hoodie a size small" + ], + "i want to find black women's walking shoes with great arch support. the shoes should be in size 8.5 and lean on the wide side.": [ + "black womens walking shoes with great arch support", + "walking shoes with great arch support", + "black womens walking shoes", + "black womens walking shoes with arch support", + "walking shoes size 8.5", + "walking shoes with arch support size 8.5", + "black walking shoes with great arch support", + "walking shoes with arch support", + "walking shoes with great arch support in black", + "walking shoes with great arch support, black" + ], + "i am looking for style edit root concealer touch up spray with unique pinpoint applicator provides targeted gray root coverage in seconds, natural emollients adhere to hair, while keeping a soft, natural feel. pack of 3 in medium brown color preferable.": [ + "style edit root concealer touch up spray with unique pinpoint applicator", + "style edit root concealer touch up spray", + "style edit root concealer spray with unique pinpoint applicator", + "style edit root concealer with unique pinpoint applicator", + "style edit root concealer touch up spray with a unique pinpoint applicator", + "style edit root concealer brush up spray with unique pinpoint applicator", + "style edit root concealer mix up spray with unique pinpoint applicator", + "style edit root concealer natural emollients", + "style edit root concealer", + "style edit root concealer spray" + ], + "let me get some birthday party cake toppers in red color.": [ + "birthday party cake toppers in red color", + "birthday party cake toppers red", + "baby shower cake toppers red", + "baby shower cake toppers in red color", + "birthday party cake toppers in red", + "birthday party cake toppers red color", + "baby shower cake toppers in red", + "red birthday party cake toppers in red color", + "blue birthday party cake toppers in red color", + "baby shower cake toppers red color" + ], + "i need a set of leak proof, bpa free jars.": [ + "leak proof bpa free jars", + "leek proof bpa free jars", + "set of leak proof bpa free jars", + "leak proof, bpa free jars", + "leek proof, bpa free jars", + "leep proof bpa free jars", + "set of leak proof, bpa free jars", + "leep proof, bpa free jars", + "leaky proof bpa free jars", + "leaks proof bpa free jars" + ], + "i am looking for stainless steel tongue scraper with rose gold for oral hygiene": [ + "stainless steel oral hygiene tongue scraper", + "stainless steel oral hygiene tongue scraper with rose gold", + "stainless steel oral hygiene tongue scraper, rose gold", + "stainless steel oral hygiene tongue scraper rose gold", + "stainless steel oral hygiene oral hygiene tongue scraper", + "stainless steel oral hygiene tongue scraper in rose gold", + "stainless steel oral hygiene tongue scraper that rose gold", + "stainless steel oral hygiene tongue scraper under $40", + "stainless steel oral hygiene teeth scraper", + "stainless steel oral hygiene tongue scraper under $50" + ], + "i want to find cajun seasoning that is gluten free and low sodium.": [ + "cajun seasoning gluten free and low sodium", + "cajun seasoning gluten free low sodium", + "cajun seasoning that is gluten free low sodium", + "cajun seasoning gluten free", + "cajun seasoning, gluten free and low sodium", + "cajun seasoning", + "cajun seasoning that is gluten free", + "coffee seasoning gluten free and low sodium", + "casual seasoning gluten free and low sodium", + "cajun seasoning gluten free, low sodium" + ], + "i want a 3 pack of dr. pawpaw multi-purpose balm for dry skin.": [ + "3 pack of dr. pawpaw multi-purpose balm for dry skin", + "3 pack of dr. pawpaw multi-purpose balm", + "4 pack of dr. pawpaw multi-purpose balm for dry skin", + "3 pack of dr. pawpaw multi-purpose balm dry skin", + " 3 pack of dr. pawpaw multi-purpose balm for dry skin", + "3 pack dr. pawpaw multi-purpose balm for dry skin", + "three pack of dr. pawpaw multi-purpose balm for dry skin", + "3 pack of dr pawpaw multi-purpose balm for dry skin", + "dr. pawpaw multi-purpose balm for dry skin", + "3 pack dr. pawpaw multi-purpose balm" + ], + "i am looking for women's 3x-large plus sized capri pants with regular fit. get me a white one.": [ + "womens 3xl plus sized capri pants with regular fit", + "womens 3xl plus sized capri pants", + "womens 3xl plus sized capri pants in white", + "womens 3xl plus sized capri pants, white", + "womens 3x-large plus sized capri pants", + "womens 3xl plus sized capri pants white", + "womens 3xl plus sized capri pants in a white", + "womens 3xl plus size capri pants with regular fit", + "womens 3xl plus sized capri pants regular fit", + "3xl plus sized capri pants" + ], + "i want to find pink massage table sheets that are 70 x 185 centimeters in size. they must be high quality and non-toxic.": [ + "pink massage table sheets that are 70 x 185 centimeters", + "pink massage table sheets 70 x 185 centimeters", + "pink massage table sheets", + "pink massage table sheets, 70 x 185 centimeters", + "pink massage table sheets that are 70 x 185 centimeters in size", + "pink massage table sheets which are 70 x 185 centimeters", + "pink massage table sheets in size 70 x 185 centimeters", + "pink massage table sheets with high quality and non-toxic", + "pink massage table sheets with quality and are 70 x 185 centimeters", + "pink massage table sheets 70 x 185 centimeters in size" + ], + "i am looking for fragrance free foaming cream cleanser.": [ + "scent free foaming cream cleanser", + "faux free foaming cream cleanser", + "compact free foaming cream cleanser", + "fogaming cream cleanser fragrance free", + "fogaming cream cleanser", + "pink foaming cream cleanser", + "foaming cream cleanser fragrance free", + "fog cleansing cream cleanser fragrance free", + "foaming cream cleanser", + "vegan cream cleanser fragrance free" + ], + "i am looking for mysteek color pop temporary hair color that is easy to use for hair dye . color bougie blue , 0.25 fl oz (pack of 1) preferable.": [ + "bougie blue hair color", + "sneek color pop temporary hair color", + "bougie blue temporary hair color", + "stainless hair color bougie blue", + "ps temporary hair color bougie blue", + "queen colored hair color bougie blue", + "bougie blue human hair color", + "stretch pink temporary hair color", + "pink temporary hair color", + "bougie blue" + ], + "i am looking for 20 pack set 10ml protable refill bulk atomizer spray of high quality sprayer glass bottles with fine mist sprayers, are perfect for storing your essential oils, perfumes or colognes in red color.": [ + "20 pack set 10ml protable refill bulk atomizer spray", + "20 pack set 10ml protable refill bulk atomizer sprayer glass bottles", + "20 pack set 10ml protable refill bulk atomizer spray bottles with fine mist sprayers", + "20 pack set 10ml protable refill bulk atomizer sprayers", + "20 pack set 10ml protable refill bulk atomizer sprayers with fine mist sprayers", + "20 pack set 10ml protable refill bulk atomizer spray with fine mist sprayers", + "20 pack set 10ml protable refill bulk atomizer spray bottle with fine mist sprayers", + "20 pack set 10ml protable refill bulk atomizer spray of essential oils", + "20 pack set 10ml protable refill bulk atomizer sprayers in red color", + "20 pack set 10ml protable refill bulk atomizer spray bottles" + ], + "i need a gift set of snacks.": [ + "gift set of snacks", + "gift set of snacks.", + "gift set of snacks under $50", + "gift set of snacks under 50 dollars", + "gift set of snacks under $40", + "gift set of snacks under $60", + "gift set of snacks under 30 dollars", + "gift set of snacks under 40 dollars", + "gift set of snacks under 60 dollars", + "gift set of snacks under 120 dollars" + ], + "i want luseta tea tree oil shampoo.": [ + "luseta tea tree oil shampoo", + "i want luseta tea tree oil shampoo.", + "lipeta tea tree oil shampoo", + "luseta tea tree oil shampoo luseta", + "leuseta tea tree oil shampoo", + "luseta tea tree oil shampoo.", + " luseta tea tree oil shampoo", + "leviseta tea tree oil shampoo", + "a luseta tea tree oil shampoo", + "lipeta tea tree oil shampoo luseta" + ], + "i need a vanity light with four bulbs and glass shades.": [ + "vanity light with four bulbs and glass shades", + "pink vanity light with four bulbs and glass shades", + "vanity light four bulbs and glass shades", + "k vanity light with four bulbs and glass shades", + " vanity light with four bulbs and glass shades", + "vinyl light with four bulbs and glass shades", + "permanent vanity light with four bulbs and glass shades", + "vanity light, four bulbs and glass shades", + "vanity light with four bulbs and glass shades.", + "vanity light with four bulbs and glass shades," + ], + "i am searching for elastic waist black color boxer briefs underwear": [ + " elastic waist black boxer briefs underwear", + "elastic waist black boxer briefs underwear", + "elastic waist black boxer briefs", + " elastic waist black boxer briefs", + "an elastic waist black boxer briefs underwear", + "teel waist black boxer briefs underwear", + " elastic waist black boxer briefs underwear under $40", + " elastic waist black boxer briefs underwear under $50", + "rainbow black boxer briefs underwear", + " elastic waist black boxer briefs underwear under $60" + ], + "i want lundberg family farms organic california wild blend white jasmine rice.": [ + "lundberg family farms organic california wild blend white jasmine rice", + "lundberg family farms organic california wild blend white jasmine rice", + "lundberg family farms organic california wild blend white jasmine rice.", + "lundberg family farms organic california wild blend white jasmine rice.", + " lundberg family farms organic california wild blend white jasmine rice", + "lundberg family farms organic california wild blend white jasmine rice lundberg", + "a lundberg family farms organic california wild blend white jasmine rice", + "undberg family farms organic california wild blend white jasmine rice", + "animal farms organic california wild blend white jasmine rice", + "natural california wild blend white jasmine rice" + ], + "i want to find resealable bags of sea salt and fine ground celtic sea salt. the bags should be 16 ounces each and come in a pack of 6.": [ + "sea salt 16 oz pack", + "sea salt 16 pack", + "sea salt pack 16 oz", + "sea salt 16 oz", + "sea salt pack of 6", + "sea salt 16 oz bag", + "sea salt 16 ounce pack", + "sea salt 17 oz pack", + "sea salt 16 ounces", + "sea salt" + ], + "i want a quick release 360\u00b0 panoramic ball head.": [ + "quick release 360\u00b0 panoramic ball head", + " quick release 360\u00b0 panoramic ball head", + "hot release 360\u00b0 panoramic ball head", + "panoramic ball head quick release", + "projectoramic ball head quick release", + "5 ft panoramic ball head", + "6 ft panoramic ball head", + "panoramic ball head", + "5 foot panoramic ball head", + "projectoramic ball head" + ], + "i would like a gluten free blue cheese dressing that is 15 oz": [ + "gluten free blue cheese dressing 15 oz", + "gluten free cheese dressing 15 oz", + "gluten free cheese dressing that is 15 oz", + "gluten free blue cheese dressing", + "gluten free dairy free cheese dressing 15 oz", + "gluten free blue cheese dressing, 15 oz", + "gluten free blue cheese dressing15 oz", + "gluten free mac and cheese dressing 15 oz", + "gluten free blue cheese dressing 14 oz", + "gluten free cheese dressing" + ], + "i want to find an extra soft toothbrush that can help with sensitive teeth.": [ + "extra soft toothbrush for sensitive teeth", + "extra soft toothbrush", + "extra soft toothbrush with sensitive teeth", + "extra soft toothbrush for sensitive teeth.", + "extra soft toothbrush to help with sensitive teeth", + "soft toothbrush that can help with sensitive teeth", + "soft toothbrush for sensitive teeth", + "extra soft toothbrush, sensitive teeth", + "extra soft toothbrush sensitive teeth", + "soft toothbrush" + ], + "i want to find a kelly green women's 3x-large t-shirt that has a classic fit.": [ + "kelly green womens 3xl t-shirt with a classic fit", + "kale green womens 3xl t-shirt with a classic fit", + "klly green womens 3xl t-shirt with a classic fit", + "3xl t-shirt that has a classic fit", + "kelly green womens 3xl t-shirt with classic fit", + "kale green womens 3xl t-shirt with classic fit", + "3xl t-shirt with a classic fit", + "kelly green womens 3xl t-shirt", + "3xl t-shirt with classic fit", + "3xl t-shirt" + ], + "i want to find 45 grams of dark green edible glitter that is dairy free.": [ + "45 grams of dark green edible glitter", + "dark green edible glitter that is dairy free", + "dark green edible glitter", + "dark green edible glitter dairy free", + "45 grams dark green edible glitter", + "45 grams of dark green edible glitter dairy free", + "gluten free edible glitter 45 grams", + "dark green edible glitter, dairy free", + "45 grams dark green edible glitter dairy free", + "dark green edible glitter no dairy" + ], + "i want silver beaupretty mirror nail polish.": [ + "silver beaupretty mirror nail polish", + "i want silver beaupretty mirror nail polish.", + "silver beaupretty mirror nail polish.", + "silver beaupretty mirror nail polish,", + "silver beaupretty mirror nail polish under $50", + "silver beaupretty mirror nail polish under $40", + "silver beaupretty mirror nail polish under $60", + "plastic mirror nail polish silver beaupretty", + " silver beaupretty mirror nail polish", + "silver beaupretty mirror polish" + ], + "i want to shop for some sulfate free, paraben free conditioner for dry, damaged hair.": [ + "sulfate free, paraben free conditioner for dry, damaged hair", + "sulfate free, paraben free conditioner for dry, damaged hair.", + "sulfate free, paraben free conditioner for dry, damaged hair under $40", + "sulfate free, paraben free conditioner for dry, damaged hair under $60", + "sulfate free, paraben free conditioner for dry, damaged hair,", + "sulfate free, paraben free conditioner for dry, damaged hair under $50", + "sulfate free, paraben free conditioner for dry, damaged hair under 50 dollars", + "sulfate free, paraben free conditioner for dry, damaged hair under 30 dollars", + "sulfate free, paraben free conditioner for dry, damaged air", + "sulfate free paraben free conditioner for dry, damaged hair" + ], + "i am interested in a high protein bar that is mixed berry flavor.": [ + "high protein bar that is mixed berry flavor", + "low protein bar that is mixed berry flavor", + "high protein bar mix berry flavor", + "high protein bar with mixed berry flavor", + "mixed berry flavor high protein bar", + "high protein bar mixed berry flavor", + "high protein bar with berry flavor", + "low protein bar mix berry flavor", + "low protein bar with berry flavor", + "high protein bar that is mixed berry flavor." + ], + "ultra soft - charcoal toothbrush for adults and sensitive teeth with pack consists of 8 count.": [ + "ultra soft - charcoal toothbrush for adults with pack of 8 count", + "ultra soft - charcoal toothbrush for adults with pack 8 count", + "ultra soft - charcoal toothbrush for adults and sensitive teeth", + "ultra soft - charcoal toothbrush for adults and sensitive teeth pack 8 count", + "ultra soft - charcoal toothbrush for adults with pack consists of 8 count", + "ultra soft - charcoal toothbrush for adults and sensitive teeth with pack", + "ultra soft - charcoal toothbrush for adults with pack", + "ultra soft - charcoal toothbrush for adults", + "ultra soft - charcoal toothbrush 8 count", + "ultra soft - charcoal toothbrush" + ], + "i'm searching for long spaghetti straps satin ball dry clean gown .its size is 6, and lilac color": [ + "long spaghetti straps satin ball dry clean gown", + "long spaghetti straps satin ball dry clean gown in lilac", + "long spaghetti straps satin ball dry clean gown lilac", + "long spaghetti straps satin ball dry clean gown lilac color", + "short spaghetti straps satin ball dry clean gown", + "short spaghetti straps satin ball dry clean gown in lilac", + "short spaghetti straps satin ball dry clean gown lilac", + "short spaghetti straps satin ball dry clean gown lilac color", + "a long spaghetti straps satin ball dry clean gown", + "satin ball dry clean gown lilac" + ], + "i am looking for yellow color stool cover. it should be washable in machine.": [ + "yellow stool cover", + "yellow stool cover washable in machine", + "yellow stool cover, washable in machine", + "yellow stool cover washable", + "yellow stool cover that is washable", + "yellow stool cover with washable in machine", + "yellow color stool cover", + "yellow stool cover in machine", + "yellow stool cover, washable", + "yellow stool cover with washable" + ], + "i need a smart watch protective case. get the one for a 40mm apple watch.": [ + "smart watch protective case", + "smart watch protective case 40mm apple watch", + "smart watch protective case 40mm", + "smart watch protective case under $40", + "smart watch protective case under $50", + "smart watch protective case, 40mm", + "smart watch protective case under 40mm", + "smartwatch protective case", + "smart watch protective case, 40mm,", + "smart watch protective case, 40mm apple" + ], + "i need an extra large twin box spring with a four inch foundation. get the white one.": [ + "extra large twin box spring", + "extra large twin box spring four inch foundation", + "twin box spring with a four inch foundation", + "extra large twin box spring, four inch foundation", + "extra large twin box spring with four inch foundation", + "extra large twin box spring 4 inch foundation", + "extra large twin box spring four inch foundation white", + "twin box spring four inch foundation", + "extra large twin box spring in white", + "twin box spring" + ], + "i want grey and light weight wygrqbn mens walking shoes.": [ + "grey walking shoes", + "grey and light weight walking shoes", + "womens walking shoes grey", + "grey walking shoes wygrqbn", + "grey mens walking shoes", + "womens walking shoes", + "grey wygrqbn walking shoes", + "grey walking shoes.", + "grey walking shoes,", + "greywalking shoes" + ], + "i want black straight leg shopessa harem sweatpants for women.": [ + "black straight leg shopessa harem sweatpants for women", + "black straight leg shopessa harem sweatpants", + "black straight leg shopessa hrem sweatpants for women", + "black straight leg shopessa harem sweatpants,", + "black straight leg sessa harem sweatpants for women", + "straight leg shopessa harem sweatpants for women", + "black straight leg shopessa hrem sweatpants", + "straight leg shopessa harem sweatpants", + "black straight leg sweatpants for women", + "black straight leg sweatpants" + ], + "i want to find a laundry bag for my blouses and hosiery.": [ + "laundry bag for blouses and hosiery", + "a laundry bag for blouses and hosiery", + "laundry bag for blouses hosiery", + "living room laundry bag for blouses and hosiery", + "laundry bag blouses and hosiery", + "washable bag for blouses and hosiery", + "alarm bag for blouses and hosiery", + "bag for blouses and hosiery", + "womens laundry bag", + "a laundry bag for blouses and hosiery." + ], + "my living room in grey color": [ + "living room in grey color", + "living room grey color", + "grey living room", + "living room grey", + "grey living room color", + "grey color living room", + "grey living room rug", + "grey living room in grey", + "living room in grey", + "grey living room living room" + ], + "i want a black women's shoe in size 7 with a lace closure. it should have a metal decoration.": [ + "black womens shoe in size 7 with a lace closure", + "black womens shoe size 7 with a lace closure", + "black womens shoe in a lace closure", + "black womens shoe in size 7", + "womens shoe in size 7 with a lace closure", + "black womens shoe in size 7 with lace closure", + "black womens shoe in size 7, lace closure", + "black womens shoe in a size 7", + "black womens shoe size 7", + "black womens shoe" + ], + "i want a cheery cacao flavored bar that is gluten and diary free.": [ + "cheery cacao flavored bar gluten and diary free", + "cheery cacao flavored bar gluten free", + "cheery cacao flavored bar that is gluten free", + "cheery cacao flavored bar", + " cheery cacao flavored bar gluten and diary free", + " cheery cacao flavored bar that is gluten free", + "cheery cacao flavored bar with gluten and diary free", + " cheery cacao flavored bar gluten free", + "cheery cacao flavored bar, gluten and diary free", + " cheery cacao flavored bar" + ], + "i would like a tablet that has a 1080p screen.": [ + "tablet with a 1080p screen", + "tablet with 1080p screen", + "tv tablet with a 1080p screen", + "tv tablet with 1080p screen", + "desktop tablet with a 1080p screen", + "1080p tablet", + "tablet 1080p", + "tablet that is 1080p", + "tablet with 1080p", + "1080p tablet with a screen" + ], + "i want to find a white security camera system that produces high definition footage.": [ + "white security camera system", + "white security camera system with high definition", + "white security camera system, high definition", + "white security camera system high definition", + "white security camera system with high definition footage", + "white security camera system that produces high definition", + "white security camera system in high definition", + "white security camera system, high definition,", + "white security camera system under $40", + "white security camera system for high definition footage" + ], + "i need space saving coat rack in the style of a contemporary branch.": [ + "space saving coat rack in the style of a contemporary branch", + "compact coat rack in the style of a contemporary branch", + "white coat rack in the style of a contemporary branch", + "black coat rack in the style of a contemporary branch", + "living room coat rack in the style of a contemporary branch", + "a contemporary coat rack in the style of a contemporary branch", + "white coat rack in a contemporary branch", + "living room coat rack", + "compact coat rack", + "white coat rack in a contemporary branch." + ], + "i'm looking for cosmetic container need to buy a high quality green colored want to buy.": [ + "beauty container green colored", + "beauty container green", + "pink colored cosmetic container", + "plastic container green colored", + "green cosmetic container", + " cosmetic container green colored", + "beautiful container green colored", + " cosmetic container green", + "beauty container high quality", + "plastic container green" + ], + "i am looking for a dust proof cheapest 8 inch octa core tablet pc": [ + "dust proof 8 inch octa core tablet pc", + "dust proof 9 inch octa core tablet pc", + "dust proof cheapest 8 inch octa core tablet pc", + "dust proof octa core tablet pc", + "dust proof 7 inch octa core tablet pc", + "dust proof lightweight 8 inch octa core tablet pc", + "dust proof, 8 inch octa core tablet pc", + "dust proof 8 inch octa core tablet", + "dust proof 8 inch octa core tablet pc,", + "8 inch octa core tablet pc" + ], + "i looking casual flat loose fitting open toe having ankle strap woman slipper size-9 ,color :z92 -camouflage": [ + "curtains woman slipper size-9 ,color :z92 -camouflage", + "curtains woman slipper size-9,color :z92 -camouflage", + "casual flat loose fitting open toe with ankle strap woman slipper size-9", + "curtains woman slipper size-9 color :z92 -camouflage", + "curtains woman slipper size-9", + "curtains woman slipper size-9 color :z92", + "casual flat loose fitting open toe walking woman slipper size-9", + "casual flat loose fitting open toe with ankle strap woman slipper", + "casual flat loose fitting open toe", + "clothing flat loose fitting" + ], + "i want red bull energy drink sugar free.": [ + "red bull energy drink sugar free", + "red bull energy drink sugar free.", + "red bull energy drink sugar free red bull", + "red Bull energy drink sugar free", + "sugar free red bull energy drink", + "red bulls energy drink sugar free", + "red bull energy drink sugar free,", + " red bull energy drink sugar free", + "alcohol drink sugar free", + "red bull energy drink" + ], + "i am looking for long lasting and pink color gaming headset ps4 3.5 mm stereo wired": [ + "ps4 3.5 mm stereo wired gaming headset", + "ps4 3.5 mm stereo wired gaming headset long lasting", + "pink gaming headset ps4 3.5 mm stereo wired", + "ps4 3.5 mm stereo wired", + "ps4 3.5 mm stereo wired long lasting gaming headset", + "ps4 3.5 mm wireless gaming headset", + "pink color gaming headset ps4 3.5 mm", + "pink gaming headset ps4 3.5 mm", + "ps4 3.5 mm gaming headset", + "ps4 3.5 mm" + ], + "i want to find a 3-pack of 50-foot long nylon microphone cables that are heavy duty.": [ + "3-pack of 50-foot long nylon microphone cables", + "50-foot long nylon microphone cables heavy duty", + "3 pack of 50-foot long nylon microphone cables", + "3 pack of 50-foot long nylon microphone cables heavy duty", + " 3-pack of 50-foot long nylon microphone cables", + "3-pack of 50 foot long nylon microphone cables", + "50 ft long nylon microphone cables heavy duty", + "50-foot long nylon microphone cables", + "50 foot long nylon microphone cables heavy duty", + "nylon microphone cables heavy duty" + ], + "i am looking for easy assemble and box spring mainstay 14\" high profile foldabel steel bed frame": [ + "easy assemble box spring mainstay 14 high profile foldabel steel bed frame", + "easy assemble high profile foldabel steel bed frame", + "easy assemble 14 high profile foldabel steel bed frame", + "easy assemble 9 high profile foldabel steel bed frame", + "easy assemble box spring mainstay 14 high profile foldable steel bed frame", + "easy assemble foldabel steel bed frame", + "easy assemble 10 high profile foldabel steel bed frame", + "easy assemble and box spring mainstay 14 high profile fold", + "easy assemble high profile foldable steel bed frame", + "easy assemble steel bed frame" + ], + "i am looking for a tummy control high waist active short for woman ,size -x- small color : tie dye light blue": [ + "tummy control high waist active short for woman", + "tummy control high waist small color", + "tummy control high waist active short for woman tie dye light blue", + "tummy control high waist active short for woman dye light blue", + "tummy control high waist active short for woman under $40", + "tummy control high waist active short for woman", + "tummy control high waist active short for woman under $50", + "tummy control high waist small color", + "tummy control high waist active short for woman", + "tummy control high waist high waist small color" + ], + "i am looking for a light weight jumpsuit which is washable in machine. also choose medium size and teal color.": [ + "low weight jumpsuit, washable in machine", + "low weight jumpsuit with a teal color", + "medium weight jumpsuit with teal color", + "low weight jumpsuit", + "medium jumpsuit washable in machine", + "low weight jumpsuit in a teal color", + "medium weight jumpsuit", + "low weight jumpsuit in machine", + "medium jumpsuit", + "light weight jumpsuit" + ], + "can you help me find a pair of women's high heel sandal with a rubber sole? i want bubble pink one and size 11.": [ + "womens high heel sandal with a rubber sole", + "womens high heel sandal size 11", + "womens high heel sandal", + "womens high heel sandal in bubble pink", + "womens high heel sandal in a size 11", + "womens high heel sandal, size 11", + "tempered sandal size 11", + "teen girl sandal size 11", + "low heel sandal size 11", + "bagel pink" + ], + "i'd like to find a soy wax candle that is scented to smell like the sea and citrus.": [ + "sneakers sea and citrus", + "soy wax candle with sea and citrus", + "soy wax candle with sea and citrus", + "soy wax candle sea and citrus", + "soy wax candle", + "soy wax candle sea and citrus", + "soy wax candle", + "sneakers for sea and citrus", + "sneaky wax candle sea and citrus", + "sneakers sea and citrus scent" + ], + "i want to find a 3x-large short-sleeve hawaiian shirt for men in the 1685 color.": [ + "3xl short-sleeve hawaiian shirt", + "3xl short-sleeve hawaiian shirt for men", + "3xl short-sleeve hawaiian shirt under $40", + "3xl short-sleeve hawaiian shirt 1685 color", + "3xl short-sleeve hawaiian shirt under $60", + "3x-large short-sleeve hawaiian shirt", + "3xl long-sleeve hawaiian shirt", + "3xl shirt for men 1685 color", + "3xl men shirt 1685 color", + "3xl men shirt 1685" + ], + "i want to buy some sulfate free body wash for sensitive skin. get me one that's peppermint scented.": [ + "sulfate free body wash for sensitive skin", + "sulfate free body wash for sensitive skin with peppermint scented", + "sulfate free body wash for sensitive skin, peppermint scented", + "sulfate free body wash for sensitive skin peppermint scented", + "sulfate free body wash for sensitive skin under $40", + "sulfate free body wash for sensitive skin under $60", + "sulfate free body wash for sensitive skin under $50", + "sulfate free body wash for sensitive skin under 50 dollars", + "sulfate free body wash", + "sulfate free body wash with sensitive skin" + ], + "i am interested in solid wood storage cabinets.": [ + "solid wood storage cabinets", + "solid wood storage cabinet", + "stainless wood storage cabinets", + "solid wood storage cabinets under $50", + "solid wood storage cabinets under $40", + "solid wood storage cabinets under $60", + "solid wood storage cabinets under $120", + "solid wood storage cabinets under $130", + "solid wood storage cabinets.", + "living room solid wood storage cabinets" + ], + "i want to find an s22 ultra 2+2 screen protector that's easy to install, and it needs to be made of tempered glass.": [ + "s22 ultra 2+2 screen protector", + "s22 ultra 2+2 screen protector made of tempered glass", + "s22 ultra 2+2 screen protector that is easy to install", + "s22 ultra 2+2 screen protector, made of tempered glass", + "s22 ultra 2+2 screen protector that is made of tempered glass", + "s22 ultra 2+2 screen protector made from tempered glass", + "s22 ultra 2+2 screen protector with tempered glass", + "s22 ultra 2+2 screen protector thats easy to install", + "s22 ultra 2+2 screen protector that is easy to install,", + "s22 ultra 2+2 screen protector in tempered glass" + ], + "i am looking easy use long curly hairpieces density top size -14 inch -130% density,color: medium brown -e": [ + "long curly hairpieces density top size -14 inch -130% density,color: medium brown -e", + "long curly hairpieces density top size -14 inch -130% density,color: medium brown", + "short curly hairpieces density top size -14 inch -130% density,color: medium brown -e", + "l curly hairpieces density top size -14 inch -130% density,color: medium brown -e", + "short curly hairpieces density top size -14 inch -130% density,color: medium brown", + "long curly hairpieces density top size -14 inch -130% density,color: medium brown-e", + "long curly hairpieces density top size -14 inch-130% density,color: medium brown -e", + "medium curly hairpieces density top size -14 inch -130% density,color: medium brown -e", + "long curly hairpieces density top size -14 inch -130% density", + "short curly hairpieces density top size -14 inch -130% density" + ], + "i want to find toothpaste that helps whiten teeth and kill bad breath.": [ + "toothpaste that helps whiten teeth and kill bad breath", + "toothpaste whiten teeth and kill bad breath", + "teethpaste that helps whiten teeth and kill bad breath", + "teethpaste whiten teeth and kill bad breath", + "tothpaste that helps whiten teeth and kill bad breath", + "teethpaste, whiten teeth and kill bad breath", + "toothpaste, whiten teeth and kill bad breath", + "tothpaste whiten teeth and kill bad breath", + "toothpaste whiten teeth and kill bad breath.", + "toothpaste for teeth whiten teeth and kill bad breath" + ], + "i am looking for a sandy golden blonde permanent hair color that is cruelty free. pick the 8g one.": [ + " sandy golden blonde permanent hair color that is cruelty free", + "soy golden blonde permanent hair color that is cruelty free", + "sneaky golden blonde permanent hair color", + "s sandy golden blonde permanent hair color that is cruelty free", + "st sandy golden blonde permanent hair color that is cruelty free", + "shy golden blonde permanent hair color that is cruelty free", + "sneakers golden blonde permanent hair color", + "synthetic free hair color 8g", + "synthetic golden blonde permanent hair color", + "soy golden blonde permanent hair color" + ], + "i need argan oil lotion for anti aging hair treatment.": [ + "argan oil lotion anti aging hair treatment", + "argan oil lotion anti aging hair treatment", + "argan oil lotion for anti aging hair treatment", + "argan oil lotion for anti aging hair treatment", + "argan oil lotion anti aging hair treatment.", + "an oil lotion for anti aging hair treatment", + "argan oil lotion anti aging hair treatment.", + "an oil lotion anti aging hair treatment", + "artificial oil lotion anti aging hair treatment", + "artificial oil lotion for anti aging hair treatment" + ], + "i am looking for a portable wireless security cameras with motion detection for home monitoring": [ + "portable wireless security cameras with motion detection", + "portable wireless security cameras", + "portrait wireless security cameras", + "portrait wireless security cameras with motion detection", + "portable wireless security camera with motion detection", + "portrait wireless security camera with motion detection", + "portable wireless security cameras for home monitoring", + "portrait wireless security camera", + "portportable wireless security cameras", + "portable wireless security camera" + ], + "i'd like to buy some machine washable drapes for my living room. look for multicolored drapes that are one hundred and four by sixty-three inches.": [ + "multicolored drapes one hundred and four by sixty-three inches", + "multicolored drapes for my living room", + "multicolored drapes", + "multicolored drapes, one hundred and four by sixty-three inches", + "multicolored drapes for living room", + "machine washable drapes for my living room", + "multicolored drapes that are one hundred and four by sixty-three", + "multicolored drapes for my living room.", + "multicolored drapes for the living room", + "machine washable drapes for my living room." + ], + "i want an o christmas tree, large christmas gift basket.": [ + "large christmas gift basket", + "small christmas tree, large christmas gift basket", + "a christmas tree, large christmas gift basket", + " christmas tree, large christmas gift basket", + "c christmas tree, large christmas gift basket", + "christmas tree, large christmas gift basket", + "wooden tree, large christmas gift basket", + " christmas tree, large christmas gift basket.", + "large christmas gift basket.", + " christmas tree, large christmas gift basket," + ], + "i want a satin nickel design house 578849 dane 4-light indoor bathroom vanity light.": [ + " satin nickel design house 578849 dane 4-light indoor bathroom vanity light", + "satin nickel design house 578849 dane 4-light indoor bathroom vanity light", + "satin nickel design house 578849 dane 4-light indoor bathroom vanity light", + " satin nickel design house 578849 dane 4-light indoor bathroom vanity light.", + "stainin nickel design house 578849 dane 4-light indoor bathroom vanity light", + "sitin nickel design house 578849 dane 4-light indoor bathroom vanity light", + "satin nickel design house 578849 dane 4-light indoor bathroom vanity light.", + " satin nickel design house 578849 dane 4-light indoor bathroom vanity light,", + "tablet nickel design house 578849 dane 4-light indoor bathroom vanity light", + "a satin nickel design house 578849 dane 4-light indoor bathroom vanity light" + ], + "i would like a shower cap for my natural hair that has corgis on them.": [ + "shower cap for natural hair with corgis", + "shower cap for natural hair that has corgis", + "shampoo cap for natural hair with corgis", + "shower cap for my natural hair with corgis", + "shower cap for natural hair", + "shoes cap for natural hair with corgis", + "shampoo cap for natural hair that has corgis", + "shush shower cap for natural hair with corgis", + "shroom cap for natural hair with corgis", + "shower cap natural hair with corgis" + ], + "camera is easy carry and it's high resolution photo are there ,also size:8x6.5ft.": [ + "easy carry 8x6.5ft camera", + "easy carry high resolution photo", + "easy carry camera 8x6.5ft", + "easy carry camera8x6.5ft", + "easy carry 8x6.5ft", + "8x6.5ft camera easy carry", + "8x6.5ft camera", + "easy carry high resolution photo under $50", + "easy carry and high resolution photo", + "8x6.5ft" + ], + "i am looking for women's high heel boots of 8.5 size and green one": [ + "womens high heel boots 8.5 size and green", + "womens high heel boots of 8.5 size", + "womens high heel boots of 8.5", + "womens high heel boots of 8.5 size green", + "mens high heel boots of 8.5 size and green", + "womens high heel boots of 8.5 in green", + "womens high heel boots size 8.5", + "low heel boots of 8.5 size and green", + "womens high heel boots 8.5", + "womens high heel boots" + ], + "i want to find a pair of construction work shoes that are black and gray with rubber soles. they should come in a size 8 and be extra wide.": [ + "black and gray construction work shoes", + "work shoes black and gray with rubber soles", + "black and gray construction work shoes, extra wide", + "black and gray construction work shoes extra wide", + "black construction work shoes extra wide", + "work shoes black and gray extra wide", + "manual work shoes black and gray extra wide", + "manual work shoes black and gray", + "sneakers black and gray", + "project work shoes black and gray" + ], + "i am looking for a cupcake topper for a birthday party. also choose black color": [ + "cupcake topper for a baby shower black", + "cupcake topper for a baby shower", + "cupcake topper for a birthday party black", + "cupcake topper for a birthday party in black", + "cupcake topper for a birthday party", + "cupcake topper for a baby shower in black", + "cupcake topper for a birthday party, black", + "cupcake topper for a baby shower, black", + "cupcake topper for a birthday party. black", + "cupcake topper baby shower black" + ], + "i am looking for miracase glass case for iphone 12/ iphone 12 pro 6.1 inch with military grade protection support wireless charging without taking off the iphone 12/ iphone 12 pro. the 2 pieces design offers easy install only for iphone, cover the front case onto the face of iphone, purple color preferable.": [ + "pink iphone 12 case with military grade protection", + "majase glass case iphone 12 pro 6.1 inch with military grade protection", + "pink iphone 12 case with military grade protection support wireless charging", + "majase glass case for iphone 12", + "i am looking for a miracase glass case for iphone 12", + "majase glass case iphone 12 pro 6.1 inch", + "im looking for a miracase glass case for iphone 12", + "majase glass case iphone 12 pro 6.1", + "majase glass case iphone 12 pro 6.1 inch with military grade protection support", + "pink iphone 12 case with military grade protection support" + ], + "i want to find a 3.5 foot printed backdrop that i can use for my digital photography.": [ + "3.5 foot printed backdrop for digital photography", + "3.5 foot printed backdrop", + "3.5 foot printed backdrop digital photography", + "3.5 foot print backdrop for digital photography", + "3.5 foot printed backdrop for my digital photography", + "3.5 foot printed backdrop for digital photography.", + "3.5 foot print backdrop", + "3.5 foot printed backdrop for photography", + "3.5 foot printed backdrop, digital photography", + "3.5 foot print backdrop digital photography" + ], + "i am looking for mally beauty h3 hydrating concealer which glides on smoothly and easily, providing excellent coverage on the areas you need it the most. that is lightweight, creamy formula gives skin the look of radiance, blurring the appearance of imperfections and softening the look of fine lines. medium size preferable.": [ + "mally beauty h3 hydrating concealer", + "mens beauty h3 hydrating concealer", + "mally beauty h3 hydrating concealer that glides on smoothly and easily", + "mally beauty h3 hydrating concealer which glides on smoothly and easily", + "mens beauty h3 hydrating concealer that glides on smoothly and easily", + "mally beauty h3 hydrating concealer lightweight", + "mens beauty h3 hydrating concealer which glides on smoothly and easily", + "mally beauty h3 hydrating concealer that is lightweight and under $40", + "h3 hydrating concealer", + "moisturizing concealer" + ], + "i want big & tall levi's men's 550 relaxed fit jeans.": [ + "big & tall levis mens 550 relaxed fit jeans", + "big and tall levis mens 550 relaxed fit jeans", + "lens mens 550 relaxed fit jeans", + "large & tall levis mens 550 relaxed fit jeans", + "small & tall levis mens 550 relaxed fit jeans", + "big & tall levis mens 5 relaxed fit jeans", + "big tall levis mens 550 relaxed fit jeans", + "levis mens 550 relaxed fit jeans", + "lens mens 550 relaxed fit jeans.", + "teeth 550 relaxed fit jeans" + ], + "i need some cupcake toppers for a baby shower.": [ + "cupcake toppers for a baby shower", + "cupcake toppers for a baby shower.", + "cupcake toppers for baby shower", + "cupcake toppers baby shower", + "cupcake toppers for baby shower.", + "curtcake toppers for a baby shower", + "bagcake toppers for a baby shower", + "cupcake toppers baby shower.", + "cupcake toppers, baby shower", + "baby shower cupcake toppers" + ], + "i want a ownest 6 colors matte crayon lipstick for sensitive skin.": [ + "ownest 6 colors matte crayon lipstick for sensitive skin", + "ownest 6 colors matte crayon lipstick for sensitive skin.", + "labelest 6 colors matte crayon lipstick for sensitive skin", + "matte crayon lipstick for sensitive skin", + "labelest 6 colors matte crayon lipstick for sensitive skin.", + "matte crayon lipstick for sensitive skin.", + "slimming lipstick for sensitive skin", + "matte crayon lipstick sensitive skin", + "plastic lipstick for sensitive skin", + "portrait sensitive skin" + ], + "may you give me anti aging it cosmetics your skin but better cc+ airbrush perfecting powder in clor rich": [ + "anti aging it cosmetics your skin with clor rich", + "anti aging airbrush perfecting powder clor rich", + "anti aging airbrush perfecting powder in clor rich", + "anti aging it cosmetics your skin and clor rich", + "anti aging it cosmetics your skin with clor rich", + "anti aging it cosmetics your skin with a clor rich", + "anti aging it cosmetics your skin, clor rich", + "anti aging it cosmetics your skin clor rich", + "anti aging it cosmetics your skin", + "anti aging it cosmetics your skin with a clor rich scent" + ], + "i need a small chef jacket that has a button closure and is a charcoal color.": [ + "small chef jacket with button closure", + "small chef jacket with button closure in charcoal", + "small chef jacket that has a button closure", + "small chef jacket with button closure charcoal", + "small chef jacket with button closure charcoal color", + "small chef jacket", + "small chef jacket in charcoal", + "small chef jacket that has button closure", + "small chef jacket, charcoal color", + "small chef jacket charcoal color" + ], + "i want a double sided pillow case that can be washed in a machine. choose a black and white one.": [ + "double sided pillow case", + "double sided pillow case, black and white", + "double sided pillow case black and white", + "double sided pillow case with black and white", + "double sided pillow case in a machine", + "double sided pillow case with white", + "double sided pillow case washed in a machine", + "double sided pillow case with washable color", + "double sided pillow case with a white color", + "double sided pillow case under $40" + ], + "i use olive color moisture wicking": [ + " olive color moisture wicking", + "olive color moisture wicking", + "lemon color moisture wicking", + "i use olive color moisture wicking", + "al olive color moisture wicking", + "oatmeal color moisture wicking olive", + "ale color moisture wicking", + "vegan color moisture wicking olive", + "vegan color moisture wicking", + "moisturizing olive color" + ], + "i am looking for twin size bed. color should be light grey.": [ + "twin bed light grey", + "twin size bed light grey", + "twin size bed in light grey", + "twin size bed, light grey", + "twin size bed", + "twin size bed with light grey", + "twin size bed with light grey color", + " twin size bed light grey", + "twin size bed light grey.", + "twin size bed, light grey," + ], + "i am looking for a victorian style queen size bed.": [ + "contorian style queen size bed", + " victorian style queen size bed", + "victorian style queen size bed", + "queen style queen size bed", + "contemporary style queen size bed", + "burglar style queen size bed", + "queen size bed", + "style queen size bed", + "style queen size bed.", + "queen size bed." + ], + "i am looking for kitchen bar table set in industrial brown and black color with space saving, easy clean , easy assemble option": [ + "kitchen bar table set in industrial brown and black color", + "living room bar table set in industrial brown and black color", + " kitchen bar table set in industrial brown and black color", + "kitchen bar table set in industrial brown and black", + "bar table set in industrial brown and black color", + "living room bar table set in industrial brown and black", + "white kitchen bar table set in industrial brown and black color", + "dining bar table set in industrial brown and black color", + "wooden brown kitchen bar table set in industrial brown and black", + "gluten free kitchen bar table set in industrial brown and black" + ], + "i am looking for a area rug for living room with easy to clean which is in rectangular shape. also choose gold color and 2ft 8in x 8ft in size": [ + "2ft 8in x 8ft rug", + "4ft 8in x 8ft rug", + "6ft 8in x 8ft rug", + "5ft 8in x 8ft rug", + "3ft 8in x 8ft rug", + "8ft 8in x 8ft rug", + "square gold rug for living room", + "living room rug in rectangular shape", + "area rug for living room in gold", + "living room rug gold" + ], + "i want a 52\"x84\" 100% blackout window curtain for my living room.": [ + "50x84 100% blackout window curtain", + "52x84 100% blackout window curtain", + "50x84 blackout window curtain", + " 52x84 100% blackout window curtain", + "48x84 100% blackout window curtain", + "window curtain 52x84", + "50x84 black blackout window curtain", + "56x84 100% blackout window curtain", + "52x84 blackout window curtain", + "window curtain" + ], + "i looking a fruit & nut bar low sodium low carb gluteen free having dietry fiber individually wrapped flavor cocoa & chocolate": [ + "fruit & nut bar low sodium low carb gluteen free cocoa & chocolate", + "fruit & nut bar low sodium low carb gluteen free chocolate", + "low sodium low carb gluteen free cocoa & chocolate fruit & nut bar", + "fruit & nut bar low sodium low carb gluteen free chocolate", + "fruit and nut bar low sodium low carb gluteen free cocoa & chocolate", + "fruit & nut bar low sodium low carb gluteen free", + "fruit & nut bar low sodium low carb gluteen free", + "fruit & nut bar keto-gluteen free", + "low sodium low carb gluteen free cocoa & chocolate", + "fruit & nut bar low sodium low carb chocolate flavor" + ], + "i need a non gmo ginger candy pack with assorted flavors.": [ + "non gmo ginger candy pack with assorted flavors", + "non gmo ginger candy pack", + "non gmo ginger candy pack with assorted flavors.", + "gmo ginger candy pack with assorted flavors", + "non-gmo ginger candy pack with assorted flavors", + "non gmo ginger candy pack in assorted flavors", + "non gmo ginger candy pack, assorted flavors", + "non gmo ginger candy pack pack with assorted flavors", + "non gmo ginger candy pack with assorted flavor", + "nude gmo ginger candy pack with assorted flavors" + ], + "i need to buy a roller shade that's easy to install in my living room. get the mocha color, 79 inches wide.": [ + "roller shade in mocha color, 79 inches wide", + "roller shade, 79 inches wide", + "roller shade that is easy to install in my living room", + "roller shade in mocha color, 79 inches", + "roller shade that is easy to install, 79 inches wide", + "roller shade in mocha color 79 inches wide", + "roller shade of mocha color, 79 inches wide", + "mocha roller shade, 79 inches wide", + "roller shade for living room 79 inches wide", + "roller shade in mocha color" + ], + "i am looking for verizon 700mhz cell phone signal booster which is easy to install with 4g lte. color 4g band 5 | 13 preferable.": [ + "verizon 700mhz cell phone signal booster which is easy to install with 4g lte. color 4g band 5", + "verizon 700mhz cell phone signal booster that is easy to install with 4g lte. color 4g band 5", + "verizon 700mhz cell phone signal booster, easy to install with 4g lte. color 4g band 5", + "verizon 700mhz cell phone signal booster with 4g lte. color 4g band 5 | 13 preferable", + "verizon 700mhz cell phone signal booster, easy to install with 4g lte. color 4g band 5 | 13", + "verizon 700mhz cell phone signal booster with 4g lte. color 4g band 5", + "verizon 700mhz cell phone signal booster with 4g lte. color 4g band 5 | 13 preferable.", + "verizon 700mhz cell phone signal booster with 4g lte. color 4g band 5 | 13", + "verizon 700mhz cell phone signal booster", + "5g lte phone signal booster" + ], + "i want a pink long sleeved t-shirt in size 12.": [ + "pink long sleeved t-shirt in size 12", + "pink long sleeved t-shirt in size 12.", + "pink long sleeved t-shirt in a size 12", + "pink long sleeved t-shirt size 12", + "pink long sleeved t-shirt", + "pink long sleeved t-shirt in size 12,", + "pink long sleeved t-shirt, size 12", + "teen pink long sleeved t-shirt in size 12", + "pink long sleeved t-shirt size 12.", + "pink long sleeved t-shirt 12" + ], + "i am looking for face mask brushes for easy apply and easy carry with color blue": [ + "face mask brushes easy apply and easy carry with color blue", + "face mask brushes easy apply and easy carry", + "face mask brushes easy apply with color blue", + "face mask brushes easy apply and easy carry color blue", + "face mask brushes that are easy apply and easy carry", + "face mask brushes easy apply and easy carry with colorblue", + "face mask brushes for easy apply and easy carry", + "face mask brushes easy apply color blue", + "face mask brushes easy apply and easy carry in color blue", + "face mask brushes easy apply" + ], + "i'm looking reddhoon 3 colors liquid glitter eyeshadow, i want color a12, show me the price too.": [ + "redhoon 3 colors liquid glitter eyeshadow", + "redhoon 3 colors liquid glitter eyeshadow price lower than 50.00 dollars", + "redhoon 3 colors liquid glitter eyeshadow, price lower than 50.00 dollars", + "redhoon 3 colors liquid glitter eyeshadow, show me the price too.", + "redhoon 3 colors liquid glitter eyeshadow price lower than $40.00", + "redhoon 3 colors liquid glitter eyeshadow, price lower than $40.00", + " reddhoon 3 colors liquid glitter eyeshadow", + "red hoon 3 colors liquid glitter eyeshadow", + "i want color a12, show me the price too.", + "redhoon 3 colors glitter eyeshadow" + ], + "i want a blue high definition android tablet 8 inch.": [ + "blue high definition android tablet 8 inch", + "blue high definition android tablet 8 inch.", + "blue high definition android tablet 8 inches", + "blue high definition android tablet 8 inch under $40", + "blue high definition android tablet 8 inch under $130", + "blue high definition android tablet 8 inch under $50", + "blue high definition android tablet 8 inch under $60", + "blue high definition android tablet 8 inch under $120", + "blue high definition android tablet 8 inch under 50 dollars", + "blue high definition android tablet 8 inch under 30 dollars" + ], + "i am looking for some keto snacks that are grain free.": [ + "keto snacks grain free", + "keto snacks that are grain free", + "keto snacks grain free keto", + "keto snacks that are grain free.", + "keto snacks grain free keto snacks", + "keto snacks grain free below $40", + " keto snacks that are grain free", + "keto snacks grain free under $40", + " keto snacks grain free", + "keto snacks are grain free" + ], + "i am looking for gluten free and grass fed patties - 6 chipotle chicken + 6 thai style turkey": [ + "gluten free and grass fed patties - 6 chipotle chicken + 6 thai style turkey", + "gluten free and grass fed patties 6 chipotle chicken + 6 thai style turkey", + "gluten free, grass fed patties - 6 chipotle chicken + 6 thai style turkey", + "gluten free grass fed patties - 6 chipotle chicken + 6 thai style turkey", + "gluten free and grass fed patties - 6 chotle chicken + 6 thai style turkey", + "gluten free patties - 6 chipotle chicken + 6 thai style turkey", + "gluten free and grass fed patties- 6 chipotle chicken + 6 thai style turkey", + "gluten free patties 6 chipotle chicken + 6 thai style turkey", + "gluten free and grass fed patties - 6 chipotle chicken", + "gluten free and grass fed patties - 6 chipotle chicken + 6 thai style" + ], + "i am looking for low rise cotton underwear. please choose sky blue color.": [ + "low rise cotton underwear sky blue", + "low rise cotton underwear in sky blue", + "sky blue cotton underwear", + "low rise cotton underwear, sky blue", + "low rise cotton underwear", + "low rise cotton underwear under $40", + "low rise cotton underwear. sky blue", + "low rise cotton underwear under $50", + "low rise cotton underwear color", + "sky blue cotton" + ], + "i need a black henley that is made of cotton spandex.": [ + "black henley made of cotton spandex", + "black henley made from cotton spandex", + "black henley made out of cotton spandex", + "black henley, made of cotton spandex", + "black henley made of cotton spandex.", + "a black henley made of cotton spandex", + "black henley made of cotton spandex,", + "black henley cotton spandex", + "black henley made from cotton spandex.", + "black henley with cotton spandex" + ], + "i am looking for purple color cotton heather assistants t-shirts for women with machine wash type and size : large": [ + "pink color cotton heather assistants t-shirt", + "pink color cotton heather assistants t-shirts", + "pink color cotton heather assistants t-shirt for women", + "pink color cotton heather assistants t-shirts for women", + "pink color cotton heather assistants t-shirt in a large", + "pink color cotton heather assistants t-shirt large", + "pink color cotton heather assistants t-shirts large", + "pink color cotton heather assistants t-shirts in machine wash type", + "pink color cotton heather assistants t-shirt for women under $40", + "pink color cotton heather assistants t-shirt for women under $50" + ], + "i am looking for black knee high winter boots for women.": [ + "black knee high winter boots for women", + "knee high winter boots for women", + "black knee high winter boots", + "white knee high winter boots for women", + "black winter boots for women", + "knee high winter boots", + "blanket winter boots for women", + "black knee high winter boots,", + "black knee high winter boots women", + "walking boots for women" + ], + "i am looking for a light grey sectional couch that is easy to assemble for my living room.": [ + "light grey sectional couch", + "light grey sectional couch for living room", + "living room light grey sectional couch", + "light grey sectional couch in a living room", + "light grey sectional couch in the living room", + "light grey sectional couch for living room.", + "easy assemble light grey sectional couch", + "heavy grey sectional couch", + "living room light grey", + "living room couch" + ], + "i am looking for a high performance desktop tower with core i5. also choose refurbished from certified dealers.": [ + "desktop tower with core i5", + "desktop tower with core i5 that is high performance", + "desktop tower with core i5 refurbished", + "desktop tower with core i5 with high performance", + "desktop tower with core i5.", + "desktop tower with core i5, refurbished", + "desktop tower with core i5 which is high performance", + "desktop tower with core i5 with refurbished", + "desktop tower with core i5 that is refurbished", + "desktop tower with i5" + ], + "i am interested in flouride free mouthwash that is 1 oz": [ + "flouride free mouthwash that is 1 oz", + "flouride free mouthwash 1 oz", + "fluoride free mouthwash that is 1 oz", + "a flouride free mouthwash that is 1 oz", + " flouride free mouthwash that is 1 oz", + "fluoride free mouthwash 1 oz", + "gluten free mouthwash that is 1 oz", + "1 oz flouride free mouthwash", + "flouride free mouthwash", + "gluten free mouthwash 1 oz" + ], + "i want a wireless bluetooth speaker,portable audio mini music player,usb easy to carry rechargble usb port color: pink": [ + "portable audio mini music player pink", + "portable audio mini music player in pink", + "womens bluetooth speaker", + "portable audio mini music player pink bluetooth", + " wireless bluetooth speaker,portable audio mini music player", + "portable audio mini music player pink bluetooth bluetooth", + "portable audio mini music player pink bluetooth wireless", + "womens wireless bluetooth speaker", + "portable audio mini music player", + "pink bluetooth speaker" + ], + "i'd like to find a teeth whitening kit that is not only easy to carry but also delivers high quality results.": [ + "easy to carry teeth whitening kit", + "teeth whitening kit that is easy to carry", + "teeth whitening kit that is not only easy to carry", + "teeth whitening kit", + "easy-to-carry teeth whitening kit", + "toothpaste kit that is easy to carry", + "easy to carry teeth whitening kit that is high quality", + "teeth whitening kit with high quality results", + "teeth whitening kit easy to carry", + "toothpaste kit" + ], + "i want to find a six-ounce plastic container jar that is leak proof and easy to use. ideally it will come in white.": [ + "6-ounce plastic container jar", + "6 oz plastic container jar that is leak proof", + "6 oz plastic container jar", + "6-ounce plastic container jar with leak proof", + "6ounce plastic container jar that is leak proof", + "6oz plastic container jar that is leak proof", + "6 oz plastic container jar, leak proof", + "6ounce plastic container jar", + "6 ft plastic container jar", + "6oz plastic container jar" + ], + "i am interested in living room pendant lights that are white.": [ + "living room pendant lights white", + "living room pendant lights", + "living room pendant lights, white", + "living room pendant lights with white", + "living room pendant lights in white", + "white living room pendant lights", + "living room pendant lights colored white", + "living room pendant lights color white", + "living room pendant lights black", + "living room pendant lights white," + ], + "find a red sweatshirt for a teen girl in size small.": [ + "red sweatshirt teen girl size small", + "red sweatshirt teen girl in size small", + "teen girl red sweatshirt in size small", + "red sweatshirt for a teen girl", + "size small sweatshirt for a teen girl", + "red sweatshirt teen girl size small.", + "red sweatshirt teen girl small", + "teen girl red sweatshirt", + "red sweatshirt teen girl", + "red sweatshirt small" + ], + "i want to find 3 dozen cookies that are individually wrapped and baked fresh for valentine's day.": [ + "3 dozen cookies that are individually wrapped and baked fresh", + "3 dozen cookies individually wrapped and baked fresh valentines day", + "3 dozen cookies baked fresh valentines day", + "3 dozen cookies baked fresh for valentines day", + "3 dozen cookies wrapped and baked fresh for valentines day", + "3 dozen cookies wrapped and baked fresh valentines day", + "3 dozen cookies individually wrapped and baked fresh", + "3 dozen cookies", + "3 dozen cookies under $50", + "3 dozen cookies baked fresh" + ], + "i am looking for moisturizing shower gel with vegan , green tea and coconut oil and also mint argan scent": [ + "moisturizing shower gel with vegan , green tea and coconut oil", + "moisturizing shower gel with vegan , green tea and coconut oil,", + "moisturizing shower gel that is vegan , green tea and coconut oil", + "moisturizing shower gel made from vegan , green tea and coconut oil", + "moisturizing shower gel vegan , green tea and coconut oil", + "manualizing shower gel with vegan , green tea and coconut oil", + "moisturizing shower gel, green tea and coconut oil", + "moisturizing shower gel with vegan and green tea and coconut oil", + "mushroom gel with vegan , green tea and coconut oil", + "moisturizing shower gel" + ], + "i am looking for dell ultra small desktop computer with core i5 , 16gb ram , 256gb ssd and windows 10 pro": [ + "desktop computer with core i5 , 16gb ram , 256gb ssd and windows 10 pro", + "desktop computer with core i5 , 16gb ram, 256gb ssd and windows 10 pro", + "desktop computer with core i5, 16gb ram , 256gb ssd and windows 10 pro", + "desktop computer with core i5, 16gb ram, 256gb ssd and windows 10 pro", + "desktop computer with core i5 , 16gb ram , 256gb ssd", + "desktop computer with core i5 , 16gb ram and windows 10 pro", + "desktop computer with core i5 , 16gb ram", + "desktop computer with core i5 with 16gb ram", + "desktop computer with core i5", + "desktop computer" + ], + "i need a contemporary design acrylic leg bench for living room in navy velvet color.": [ + "contemporary design acrylic leg bench for living room in navy velvet", + "contemporary design acrylic leg bench living room in navy velvet color", + "emporary design acrylic leg bench for living room in navy velvet color", + "modern design acrylic leg bench for living room in navy velvet color", + "contemporary design acrylic leg bench living room in navy velvet", + "navy velvet leg bench for living room in navy velvet color", + "living room acrylic leg bench in navy velvet color", + "navy velvet leg bench for living room in navy velvet", + "navy velvet leg bench for living room", + "contemporary design acrylic leg bench" + ], + "i need a machine washable costume tank top. pick a classic fit in navy.": [ + "machine washable costume tank top, classic fit in navy", + "machine washable costume tank top in navy", + "machine washable costume tank top that is classic fit in navy", + "machine washable costume tank top with a classic fit in navy", + "machine washable costume tank top with classic fit in navy", + "machine washable costume tank top", + "machine washable costume tank top, classic fit in navy.", + "machine washable costume tank top, classic fit in navy,", + "machine washable costume tank top in navy.", + "machine washable costume tank" + ], + "show me this brand zeskit cinema plus 4k 1.5ft (2-pack) i'm looking for high speed with ethernet 22.28gbps hdmi 2.0b cable.": [ + "zeskit cinema plus 4k 1.5ft (2-pack) high speed with ethernet 22.28gbps hdmi 2.0b cable", + "zeskit cinema plus 4k 1.5ft (2-pack)", + "zeskit cinema plus 4k 1.5ft high speed with ethernet 22.28gbps hdmi 2.0b cable", + "i am looking for a brand zeskit cinema plus 4k 1.5ft (2-pack) im looking for, and price lower than 140.00 dollars", + "i am looking for a brand zeskit cinema plus 4k 1.5ft (2-pack) im looking for, and price lower than 40.00 dollars", + "a brand zeskit cinema plus 4k 1.5ft (2-pack)", + "pack zeskit cinema plus 4k 1.5ft (2-pack)", + "pack of zeskit cinema plus 4k 1.5ft (2-pack)", + "Zeskit cinema plus 4k 1.5ft (2-pack)", + "zeskit cinema plus 4k 1.5ft (2-pack) high speed" + ], + "i need a loose fitting tee for daily wear. find a x-large shirt.": [ + "jeans x-large", + "tea x-large", + "t-shirt x-large", + "tea x-large shirt", + "jeans x-large shirt", + "jeans x-large t-shirt", + "xl tee for daily wear", + "loose fitting tee for daily wear", + "jeans x-large under $50", + "jeans x-large under $40" + ], + "i want spicy beef meat and cheese gift baskets.": [ + "pink beef meat and cheese gift baskets", + "slimming beef meat and cheese gift baskets", + "tempered beef meat and cheese gift baskets", + "spicy beef meat and cheese gift baskets", + " spicy beef meat and cheese gift baskets", + "pink beef meat and cheese gift basket", + "taco beef meat and cheese gift baskets", + "psi beef meat and cheese gift baskets", + "slimming beef meat and cheese gift basket", + "pink beef meat and cheese gift baskets." + ], + "i need a white high heel pump shoes with a rubber sole.": [ + "white high heel pump shoes with a rubber sole", + "white high heel pump shoes with rubber sole", + "white high heel pump shoes", + "white high heel pump shoes with a rubber sole.", + "white high heel pump shoes, rubber sole", + "white high heel pump shoes with a rubber sole,", + "white high heel pump shoes rubber sole", + "white high heel pump shoes that are rubber sole", + "white high heel pump shoe with a rubber sole", + " white high heel pump shoes with a rubber sole" + ], + "i need a plant based cleansing conditioner with coconut oil in it.": [ + "plant based cleansing conditioner with coconut oil", + "plant based cleansing conditioner with coconut oil in it", + "plant based cleansing conditioner with coconut oil.", + "plant based cleansing conditioner with coconut oil under $40", + "plant based cleansing conditioner coconut oil", + "plant based cleansing conditioner with coconut oil under $50", + "plant based cleansing conditioner with coconut oil under $60", + "plant based cleansing conditioner with coconut oil,", + "plant based cleansing conditioner with coconut oil in it.", + "plant based cleansing conditioner, coconut oil" + ], + "i am interested in monoculars that are good for bird watching.": [ + "monoculars for bird watching", + "monoculars good for bird watching", + "monoculars for bird watching.", + "monoculars", + "monoculars bird watching", + "monoculars suitable for bird watching", + "monoculars, for bird watching", + "monoculars bird watching", + "monoculars a bird watching", + "monocular" + ], + "i need a black camo headset with stereo sound and noise cancelling microphone.": [ + "black camo headset with stereo sound", + "black camo headset with stereo sound cancelling microphone", + "black camo headset with stereo sound cancelling", + "black camo headset", + "black camo headset with stereo sound noise cancelling", + "black camo headset with a noise cancelling microphone", + "black camo headset that is noise cancelling", + "black camo headset with stereo sound no noise", + "white camo headset", + "camo headset" + ], + "i want coconut scented hask invigorating tea tree oil.": [ + "coffee scented hask invigorating tea tree oil", + "coffee scented hask invigorating tea tree oil.", + " coconut scented hask invigorating tea tree oil", + "toothpaste hask invigorating tea tree oil", + "coconut scented hask invigorating tea tree oil", + "vegan tea tree oil coconut scented hask", + "coaxial scented hask invigorating tea tree oil", + "coffee scented tea tree oil", + "coaxial scented tea tree oil", + "vegan tea tree oil coconut scented" + ], + "i need a grey twin sized bed.": [ + "grey twin sized bed", + "grey twin sized bed.", + "grey twin sized bed,", + "grey twin sized bed under $50", + "grey twin bed", + "grey twin sized bed under $40", + "grey twin sized bed under $60", + "grey twin sized bed, grey", + "grey twin sized bed that is comfortable", + "grey twin sized bed with a bed" + ], + "i want by a haoch cotton spa massage treatment table bed cover eco friendly, size 70x190cm please show me.": [ + "a hoch cotton spa massage treatment table bed cover eco friendly", + "hoch cotton spa massage treatment table bed cover eco friendly", + "aoch cotton spa massage treatment table bed cover eco friendly", + "eco friendly massage treatment table bed cover 70x190cm", + "a haoch cotton spa massage treatment table bed cover eco friendly", + "haoch cotton spa massage treatment table bed cover eco friendly", + "auburn cotton spa massage treatment table bed cover eco friendly", + "eco friendly 70x190cm massage treatment table bed cover", + "eco friendly massage treatment table bed cover", + "an eco friendly massage treatment table bed cover eco friendly" + ], + "i am looking for a office chair ready use assembly required color: heron with tilt feature": [ + "office chair ready use with tilt feature", + "office chair ready use assembly", + "office chair ready use with tilt", + "office chair ready use assembly color", + "office chair ready use assembly required color", + "office chair ready use assembly with tilt feature", + "office chair ready use assembly blue", + "office chair ready use assembly with tilt", + "office chair ready use assembly in a color", + "office chair ready use assembly in color" + ], + "i like motion detection machine in white color": [ + "motion detection machine in white", + "Motion detection machine in white", + " motion detection machine in white", + "motion detection machine white", + "moisturizing machine white", + "Motion detection machine white", + "motion detection machine in white color", + "white motion detection machine in white", + " motion detection machine white", + " motion detection machine in white color" + ], + "i am looking for long sleeve wide leg daily casual medium size jumpsuit for young woman color :b-white": [ + "long sleeve wide leg daily casual medium size jumpsuit", + "long sleeve wide leg daily casual medium size jumpsuit", + "long sleeve wide leg daily casual medium size jumpsuit", + "long sleeve wide leg daily casual b-white jumpsuit", + "jumpsuit for young woman color b-white", + "long sleeve wide leg daily casual medium size jumpsuit for young woman", + "long sleeve wide leg daily casual", + "long sleeve wide leg daily casual ", + "long sleeve wide leg daily casual medium", + "long sleeve wide leg daily casual jumpsuit" + ], + "i need unsalted blue corn tortillas which are non gmo, gluten free and are certified organic.": [ + "unsalted blue corn tortillas that are non gmo and gluten free", + " unsalted blue corn tortillas that are non gmo and gluten free", + " unsalted blue corn tortillas that are non gmo gluten free", + "unsalted blue corn tortillas that are non gmo", + " unsalted blue corn tortillas gluten free", + "unsalted blue corn tortillas gluten free", + " unsalted blue corn tortillas non gmo", + "unsalted blue corn tortillas", + "non gmo corn tortillas", + "non gmo blue corn tortillas" + ], + "i am looking wireless home security camera for motion detection 1080hd": [ + "wireless home security camera", + " wireless home security camera for motion detection 1080hd", + "living room security camera with motion detection 1080hd", + "home security camera for motion detection 1080hd", + "living room security camera for motion detection 1080hd", + "alarm camera for motion detection 1080hd", + "wireless home security camera 1080hd", + "womens security camera", + "living room security camera", + "tv security camera" + ], + "i want to find a pair of black men's workout shorts with an elastic waistband. the shorts need to be in size 30.": [ + "black mens workout shorts with an elastic waistband", + "black mens workout shorts with an elastic waistband size 30", + "black mens workout shorts with an elastic waistband in size 30", + "black mens workout shorts with an elastic waistband, size 30", + "black mens workout shorts, elastic waistband, size 30", + "black mens workout shorts with elastic waistband in a size 30", + "black mens workout shorts", + "black mens workout shorts with an elastic waistband size 30.", + "black mens workout shorts with elastic waistband size 30", + "black mens workout shorts with elastic waistband" + ], + "i want to find a mini home security camera that has a motion detection feature.": [ + "mini home security camera with motion detection", + " mini home security camera with motion detection", + "home security camera with motion detection", + "mini home security camera that has motion detection", + "a mini home security camera with motion detection", + "mini home security camera", + "living room security camera with motion detection", + "small home security camera with motion detection", + "home security camera that has motion detection", + "mini home security camera with motion detection," + ], + "i am looking for stirrings simple cosmopolitan non-alcoholic cocktail mix which is non alcoholic and made up with real fruit. cosmopolitan cocktail mix flavor preferable.": [ + "simple cosmopolitan non-alcoholic cocktail mix with real fruit", + "simple cosmopolitan non-alcoholic cocktail mix", + "simple cosmopolitan non-alcoholic cocktail mix flavor", + "simple cosmopolitan non-alcoholic cocktail mix made up with real fruit", + "synthetic cosmopolitan non-alcoholic cocktail mix with real fruit", + "simple cosmopolitan non-alcoholic cocktail mix with real fruit flavor", + "strawrings simple cosmopolitan non-alcoholic cocktail mix", + "synthetic cosmopolitan non-alcoholic cocktail mix", + "strawrings simple cosmopolitan non-alcoholic cocktail mix flavor", + "shrinkrings simple cosmopolitan non-alcoholic cocktail mix flavor" + ], + "i need a background for digital photography that is 10ft by 7ft.": [ + "background for digital photography 10ft by 7ft", + "background digital photography 10ft by 7ft", + "background for digital photography 10ft x 7ft", + "background for digital photography 9ft by 7ft", + "background photography 10ft by 7ft", + "background digital photography 10ft x 7ft", + "background digital photography 10ft by 7ft.", + "background for digital photography", + "background digital photography", + "background" + ], + "i am interested in a home theatre system that has stereo sound": [ + "home theatre system with stereo sound", + "home theatre system that has stereo sound", + "home theatre system", + "home theatre system, with stereo sound", + "home theatre system which has stereo sound", + "home theatre system has stereo sound", + "home theatre system, stereo sound", + "home theatre system that is stereo sound", + "home theatre system stereo sound", + "home theatre system with stereo" + ], + "i want an officially licensed navy teenage mutant ninja turtles chillin' tank top.": [ + "navy teenage mutant ninja turtles chillin tank top", + "navy teenage mutant ninja turtles chillin tank top, officially licensed", + "navy teenage mutant ninja turtles chillin tank top.", + "navy teenage mutant ninja turtles chillin tank top under $40", + "navy teenage mutant ninja turtles chillin tank top under $50", + "navy teenage mutant ninja turtles chillin tank top under $60", + "navy teenage mutant ninja turtles chillin tank top below $50", + "navy teenage mutant ninja turtles chillin tank top below $40", + "Navy teenage mutant ninja turtles chillin tank top", + "navy teenage mutant ninja turtles chillin tank" + ], + "for my work i want pro studio solutions ez pro beauty dish octagon softbox 60in (150 cm) with speedring, sturdy. contact me if you find": [ + "pro beauty dish octagon softbox 60in (150 cm) with speedring", + "pro beauty dish octagon softbox 60in (150 cm)", + "professional beauty dish octagon softbox 60in (150 cm) with speedring", + "ez pro beauty dish octagon softbox 60in (150 cm) with speedring", + "pink beauty dish octagon softbox 60in (150 cm) with speedring", + "pro studio solutions ez pro beauty dish octagon softbox 60in (150 cm)", + "anti beauty dish octagon softbox 60in (150 cm) with speedring", + "pro beauty dish octagon softbox 60in (150 cm) with speedring,", + " pro studio solutions ez pro beauty dish octagon softbox 60in (150 cm)", + "pink beauty dish octagon softbox 60in (150 cm)" + ], + "i am looking for a hand decorated valentine day cookies gift set. it should be perfect.": [ + "hand decorated valentine day cookies gift set", + "hand decorated valentine day cookies gift set under 50 dollars", + "hand decorated valentine day cookies gift set under $50", + "hand decorated valentine day cookies gift set under $60", + "gluten free valentine day cookies gift set", + "hand decorated valentine day cookies gift set under $40", + "gluten-free valentine day cookies gift set", + "hand decorated valentine day cookies gift set that is perfect", + "hand decorated valentine day cookies", + "hand decorated valentine day cookies gift" + ], + "i need to buy some shave oil for dry skin with argan oil in it.": [ + "shave oil for dry skin with argan oil", + "shaving oil for dry skin with argan oil", + "sh shave oil for dry skin with argan oil", + "shaved oil for dry skin with argan oil", + "shaves oil for dry skin with argan oil", + "shave oil dry skin with argan oil", + "shoes oil for dry skin with argan oil", + "shave oil for dry skin, argan oil", + "shave oil for dry skin argan oil", + " shave oil for dry skin with argan oil" + ], + "i want to find an 11 inch light fixture with a bronze finish that i can put outside.": [ + "11 inch light fixture with a bronze finish", + "colored 11 inch light fixture with a bronze finish", + "an 11 inch light fixture with a bronze finish", + "black 11 inch light fixture with a bronze finish", + "alarm light fixture with a bronze finish", + "11 inch light fixture with bronze finish", + "light fixture with a bronze finish", + "alarm light fixture with bronze finish", + "aluminum bronze light fixture 11 inches long", + "alarm light fixture with bronze finish 11 inches" + ], + "i want to find a black-colored waxing kit for women that can help remove hair using natural ingredients.": [ + "black-colored waxing kit for women", + "black-colored waxing kit for women with natural ingredients", + "black-colored waxing kit", + "black-colored waxing kit for women natural ingredients", + "black-colored waxing kit for women, natural ingredients", + "black waxing kit for women that can help remove hair", + "black waxing kit for women", + "a black-colored waxing kit for women", + "womens waxing kit", + "white waxing kit for women" + ], + "i'm looking for fine mist it can the bottle continues the stream of water.": [ + "fine mist it can", + "fine mist it can continue the stream of water.", + "fine mist it can continue the stream of water", + "fine mist it can be", + "fine mist it can continues the stream of water.", + "fine mist it can continues the stream of water", + "fine mist it can be a stream of water", + "fine mist it can under $40", + "fine mist under $40", + "fine mist" + ], + "i am looking for a men's t-shirt with a fruit motif that is machine washable.": [ + "mens t-shirt with a fruit motif", + "mens t-shirt with a fruit motif machine washable", + "mens t-shirt with a fruit motif under $40", + "mens t-shirt with a fruit motif under $50", + "mens t-shirt with a fruit motif under 50 dollars", + "mens t-shirt with a fruit motif under $60", + "mens t-shirt with a fruit motif under 40 dollars", + "mens t-shirt with a fruit motif under 30 dollars", + "mens t-shirt that is machine washable", + "mens t-shirt" + ], + "i am in need of memory foam slippers that are in a size 5.5.-7.5 women.": [ + "memory foam slippers size 5.5.-7.5 women", + "memory foam slippers 5.5.-7.5 women", + "memory foam slippers size 5.5-7.5 women", + "memory foam slippers, size 5.5.-7.5 women", + "memory foam slippers 5.5-7.5 women", + "memory foam slippers size 5.5.-7.5 women.", + "memory foam slippers for 5.5.-7.5 women", + "memory foam slippers for women 5.5.-7.5 women", + "memory foam slippers for women size 5.5.-7.5", + "memory foam slippers for women" + ], + "i like ax color synthetic hair": [ + " ax color synthetic hair", + "ax color synthetic hair", + "alarm color synthetic hair", + "art color synthetic hair", + "i like ax color synthetic hair under $50", + "i like ax color synthetic hair under $40", + "im looking for ax color synthetic hair under $50", + "im looking for ax color synthetic hair under $40", + "a ax color synthetic hair", + "arg color synthetic hair" + ], + "it was time for his food high density breakfast, so kitchen background color is black": [ + "food high density breakfast color", + "food high density breakfast color black", + "food high density breakfast", + "kitchen background color is black", + "food high density breakfast white", + "food high density breakfast black", + "food high density breakfast mix black", + "tablet high density breakfast color", + "pink high density breakfast cereal", + "pink high density breakfast mix" + ], + "i am looking for a swimsuit with tummy control for a women. also choose navy color and small size.": [ + "swimsuit with tummy control for a women", + "swimmingsuit with tummy control for a women", + "slimsuit with tummy control for a women", + "womens swimsuit with tummy control", + "womens swimsuit with tummy control small", + "swimsuit with tummy control small", + "swimsuit with tummy control", + "navy color swimsuit", + "swimmingsuit with tummy control", + "swimmingsuit with tummy control small" + ], + "i am looking for a women's wine red prom dress with a lace closure.": [ + "womens wine red prom dress with a lace closure", + "womens wine red prom dress", + "womens red prom dress with a lace closure", + "womens wine red prom dress with lace closure", + "womens wine red prom dress, lace closure", + "womens wine red prom dress that is lace closure", + "mens wine red prom dress with a lace closure", + "womens wine red prom dress no lace closure", + "womens wine red prom dress lace closure", + "womens red prom dress" + ], + "i am interested in some chocolate grain free granola.": [ + "chocolate grain free granola", + "chocolate grain free granola under $40", + "chocolate grain free granola under $50", + "chocolate grain free granola under $60", + "chocolate grain free granola.", + "chocolate grain free granola under 50 dollars", + "chocolate grain free granola under 30 dollars", + "chocolate grain free granola under 40 dollars", + "chocolate grain free granola below $40", + "chocolate grain free granola under 60 dollars" + ], + "i want to find a gold pendant light for my living room ceiling.": [ + "gold pendant light for living room ceiling", + "gold pendant light living room ceiling", + "gold pendant light living room", + "pendant light for living room ceiling", + "pendant light for my living room ceiling", + "living room gold pendant light", + "living room ceiling gold pendant light", + "gold pendant light", + "living room pendant light", + "pendant light living room" + ], + "i need some folding tables that are easy to assemble and are white.": [ + "white folding tables", + "living room folding tables white", + "easy assemble white folding tables", + "easy to assemble white folding tables", + "folding tables white", + "womens folding tables white", + "faux-white folding tables", + "compact tables white", + "easy assemble white folding table", + "white folding tables under $40" + ], + "painting my living room with multi 31 color": [ + "painting my living room with multi 31 color", + "living room with multi 31 color", + "living room multi 31 color", + "living room color multi 31", + "living room multi 31 colorpainting multi 31", + "vinyl 31 color living room", + "multi 31 color living room", + "rainbow color multi 31", + "painting my living room with multi colored", + "painting my living room with multi color" + ], + "i am looking for wireless bluetooth speaker.": [ + "wireless bluetooth speaker", + " wireless bluetooth speaker", + "alarm wireless bluetooth speaker", + "wirefree wireless bluetooth speaker", + "living room wireless bluetooth speaker", + "wireless bluetooth speaker.", + "living room bluetooth speaker", + "wirefreeetooth speaker", + "phone bluetooth speaker", + "wireless bluetooth speaker," + ], + "i want to find a rinse that can treat my hair and promote hair growth.": [ + "wash for hair growth", + "roist for hair growth", + "rubber rinse for hair growth", + "shampoo for hair growth", + "a rinse for hair growth", + "hair rinse", + "wash for hair growth under $40", + "wash for hair", + "rubber rinse for hair", + "rubber rinse" + ], + "i need a cake topper for a birthday party": [ + "cake topper for a baby shower", + "cake topper for a birthday party", + "birthday cake topper for a baby shower", + "birthday cake topper for a birthday party", + "baby shower cake topper for a birthday party", + "cake topper for a birthday party", + "brittle topper for a baby shower", + "cake topper for a baby shower", + "birthday cake topper", + "a cake topper for a birthday party" + ], + "i want to find a pair of pink women's sneakers with good arch support. they need to come in a size 8.5.": [ + "pink womens sneakers with good arch support", + "pink womens sneakers", + "pink womens sneakers size 8.5", + "pink womens sneakers in a size 8.5", + "pink womens sneakers with arch support size 8.5", + "pink womens sneakers, size 8.5", + "pink womens sneakers with arch support", + "pink womens sneakers that are good arch support", + "pink womens sneakers with a good arch support", + "pink womens sneakers in a size 8.5." + ], + "i would like a extra round 53mm brush for hair styling.": [ + "extra round 53mm brush for hair styling", + "extra round 53mm brush for hair styling.", + "extra round 53mm brush", + "extra round 53mm brush hair styling", + "extra-round 53mm brush for hair styling", + "extra round 53mm brush for hair styling,", + "extra round 53mm brush, hair styling", + "extraround 53mm brush for hair styling", + "extra round 53mm brush to hair styling", + "extra round 53mm brush for hair styling " + ], + "i want to find a silver case with a glass screen protector for my phone.": [ + "silver phone case with a glass screen protector", + "silver case with a glass screen protector", + "silver phone case with glass screen protector", + "silver mobile case with a glass screen protector", + "silver smartphone case with a glass screen protector", + "silver phone case", + "silver phone case, glass screen protector", + "silver phone case with screen protector", + "silver glass screen protector for my phone", + "silver phone case glass screen protector" + ], + "i am looking for gua sha facial tools set which mattifying face roller for oily and acne prone skin, dark circles, fine lines beauty tools and high-pigment, the bold color makeup.": [ + "ga sha facial tools set which mattifying face roller for oily and acne prone skin with high-pigment, the bold color makeup", + "ga sha facial tools set which mattifying face roller for oily and acne prone skin and high-pigment, the bold color makeup", + "ga sha facial tools set which mattifying face roller for oily and acne prone skin, dark circles", + "ga sha facial tools set which mattifying face roller for oily and acne prone skin with high-pigment", + " gua sha facial tools set which mattifying face roller for oily and acne prone skin, dark circles", + "pigment face roller for oily and acne prone skin", + "ga sha facial tools set which mattifying face roller for oily and acne prone skin", + "pigment face roller for oily and acne prone skin, bold color makeup", + "pink face roller for oily and acne prone skin", + "pigment face roller" + ], + "a bath sponge for bathing remove dead skin easy clean pink color size 8.5*6 inch": [ + "bath sponge for bathing dead skin easy clean pink", + "bath sponge for bathing 8.5*6 inch", + "bath sponge for bathing, dead skin easy clean pink", + "bath sponge for bathing dead skin easy clean pink color", + "bath sponge for bathing remove dead skin easy clean pink", + "bath sponge 8.5*6 inch", + "bath sponge for bathing", + "bath sponge for bathing easy clean pink", + "bath sponge for bathing dead skin pink", + "bath sponge for bathing with dead skin pink" + ], + "i want an officially licensed white marvel guardians of the galaxy retro logo tee.": [ + "white marvel guardians of the galaxy retro logo tee", + "galaxy retro logo tee", + "white marvel guardians of the galaxy retro logo", + "alarm guardians of the galaxy retro logo tee", + "galaxy retro logo tee, officially licensed white", + "garden of the galaxy retro logo tee", + "a white marvel guardians of the galaxy retro logo", + "galaxy retro logo tee white", + "galaxy retro logo", + "galaxy retro logo tee." + ], + "i am looking for sugar free beverages with lemonade and 0.14 ounce (pack of 4)": [ + "sugar free beverages 0.14 ounce (pack of 4)", + "sugar free beverages 2.14 ounce (pack of 4)", + "sugar free beverages, 0.14 ounce (pack of 4)", + "sugar free beverages with lemonade and pack of 4)", + "sugar free beverages 1.14 ounce (pack of 4)", + "sugar free beverages 0.14 ounce (pack of 4)", + "sugar free beverages, 0.14 ounce (pack of 4),", + "sugar free beverages", + "sugar free beverages with lemonade", + "sugar free beverages no sugar" + ], + "search the electronics department, computers & tablets for a renewed rugged 11.6 inch screen with 8 gigabytes of data. model number 7202. must be certified refurbished and high performance.": [ + "tablet with 8 gigabytes", + "tablet with 8 gigabytes of data", + "desktop with 8 gigabytes", + "tablet 11.6 with 8 gigabytes", + "desktop with 8 gigabytes of data", + "desktop and tablet with 8 gigabytes", + "tablet 7202 with 8 gigabytes", + "tablet 7202 with 8 gigabytes of data", + "tablet with 8gb of data", + "desktop and tablet with 8 gigabytes of data" + ], + "i am looking for ataiwee women's wide width ballet flats which is well made of soft leather, flexible tpr out-sole, lightweight and comfortable. tan 1905019-5, 9 wide size preferable.": [ + "ataiwee womens wide width ballet flats", + "ataiwee womens wide width ballet flats lightweight and comfortable", + "ataiwee womens wide width ballet flats comfortable", + "ataiwee womens wide width ballet flats with soft leather", + "womens wide width ballet flats", + "artwork ataiwee womens wide width ballet flats", + "awee womens wide width ballet flats", + "womens wide width ballet flats comfortable", + "dancing flats 9 wide", + "knee flats 9 wide" + ], + "i'm looking for a solid wood bookcase in espresso color. would prefer it to be in the size of 5-shelf.": [ + "5-shelf solid wood bookcase in espresso color", + "solid wood bookcase in espresso color 5-shelf", + "solid wood bookcase in espresso color", + "4-shelf solid wood bookcase in espresso color", + "6-shelf solid wood bookcase in espresso color", + "wood bookcase in espresso color 5-shelf", + "stainless wood bookcase in espresso color", + "black solid wood bookcase in espresso color", + "5-shelf solid wood bookcase", + "wood bookcase in espresso color" + ], + "i want capri sun pacific cooler mixed fruit naturally flavored juice drinks.": [ + "capri sun pacific cooler mixed fruit naturally flavored juice drinks", + "capri sun pacific cooler mix fruit naturally flavored juice drinks", + "capri sun pacific cooler mixed fruit naturally flavored juice drinks.", + " capri sun pacific cooler mixed fruit naturally flavored juice drinks", + "capri sun pacific cooler mixed fruit naturally flavored juice drink", + "Capri sun pacific cooler mixed fruit naturally flavored juice drinks", + "curtri sun pacific cooler mixed fruit naturally flavored juice drinks", + "capri sun pacific cooler fresh fruit naturally flavored juice drinks", + "capri sun pacific cooler mix fruit naturally flavored juice drinks.", + "capri sun pacific cooler fruit naturally flavored juice drinks" + ], + "i want to find high volume 71a mink lashes that are cruelty-free and easy to apply.": [ + "high volume 71a mink lashes cruelty-free and easy to apply", + "high volume 71a mink lashes cruelty-free", + "high volume 71a mink lashes cruelty-free and easy to apply.", + "high volume 71a mink lashes that are cruelty-free", + "high volume 71a mink lashes cruelty free and easy to apply", + "high volume 71a mink lashes", + "high volume 71a mink lashes, cruelty-free and easy to apply", + "high volume 71a mink lashes cruelty free and easy to apply.", + "high volume 71a mink lashes cruelty free", + "mink lashes cruelty-free" + ], + "i am looking for protein bites by protein power ball organic plant based pumpkin protein powder ideal for healthy, on the go nutrition for men, women, and kids. usda organic, vegan, gluten free, dairy free, lactose free, low net carbs, no added sugar, soy free, kosher, non gmo, carrageenan free, and no artificial ingredients 4.5 ounce (pack of 4) preferable.": [ + "protein bites by protein power ball organic plant based pumpkin protein powder", + "protein bites by protein power ball organic plant based pump protein powder", + "protein bites by protein power ball organic plant based", + "protein bites by protein power ball organic plant based peanut protein powder", + "protein bites by protein power ball organic plant based vegan", + "protein bites made from protein power ball organic plant based pumpkin protein powder", + "protein bites by protein power ball organic plant based flavor", + "protein bites by protein power ball organic plant based coconut", + "protein bites by protein power ball", + "pomegranate protein bites" + ], + "i want to find a six-pack of 32 ounce packages of raisins that have no added artificial flavors.": [ + "pack of 32 ounce packages of raisins no added artificial flavors", + "pack of 32 ounce packages of raisins with no artificial flavors", + "pack of 32 ounce packages of raisins with no added artificial flavors", + "pack of 32 ounce packages of raisins no artificial flavors", + "6 pack of 32 ounce packages of raisins no added artificial flavors", + "6 pack of 32 ounce packages of raisins with no artificial flavors", + "6 pack of 32 ounce packages of raisins", + "6pack of 32 ounce packages of raisins no added artificial flavors", + "pack of 32 ounce packages of raisins that have no artificial flavors", + "6 pack of 32 ounce packages of raisins no artificial flavors" + ], + "i am looking for natural flavor clear fruit water 20 ounce bottles non carbonated water beverage which is caffeine free . 6 flavor sampler flavor preferable.": [ + "natural flavor clear fruit water 20 ounce bottles non carbonated water", + "natural flavor clear fruit water 20 ounce bottles non carbonated water beverage", + "natural flavor clear fruit water 20 ounce bottles non carbonated water flavor", + "natural flavor clear fruit water 20 ounce bottles", + "natural flavor clear fruit water 20 ounce bottles non carbonated water beverage flavor preferable", + "natural flavor clear fruit water 20 ounce bottles flavor sampler flavor preferable.", + "natural flavor clear fruit water 20 ounce bottles 6 flavor sampler flavor preferable", + "natural flavor clear fruit water 20 ounce bottles non carbonated water beverage flavor", + "natural flavor clear fruit water 20 ounce bottles non carbonated", + "natural flavor clear fruit water 20 ounce bottles caffeine free" + ], + "i am looking for 10x10ft | 3x3m high resolution backdrops for photo studio": [ + "10x10ft high resolution backdrops for photo studio", + "10x10ft photo studio", + "10x10ft photo studio with high resolution", + "10x10ft photo studio with high resolution backdrops", + "10x10ft", + "10x10ft high resolution backdrops", + "10x10ft photo studio high resolution backdrops", + "10x10ft photo studio under $50", + "10x10ft photo studio backdrops", + "10x10ft with 3x3m high resolution" + ], + "i am looking for twin bunk bed with slide & ladder , assembly required and also color is black": [ + "twin bunk bed with slide & ladder black", + "twin bunk bed with slide & ladder", + "twin bunk bed with slide and ladder black", + "twin bunk bed with slide and ladder", + "twin bunk bed with slide & ladder color", + "twin bunk bed slide & ladder black", + "twin bunk bed color is black", + "twin bunk bed", + " twin bunk bed with slide & ladder", + "twin bunk bed that is black" + ], + "i want to find a white security camera that is easy to install.": [ + "white security camera", + "white security camera that is easy to install", + "white security camera easy to install", + "white security camera, easy to install", + "easy to install white security camera", + "white security camera with easy to install", + "white security camera which is easy to install", + "easy-to-install white security camera", + "white security camera, easy to install,", + "white security camera under $40" + ], + "i want an xx-large light grey colored jogger pants with zipper pockets.": [ + "xxl light grey colored jogger pants with zipper pockets", + "xxl light grey colored jogger pants with zipper pocket", + "xxl light grey colored jogger pants", + "xx-large light grey colored jogger pants", + "xxl light grey jogger pants with zipper pockets", + "xxl light grey jogger pants with zipper pocket", + "xxl light grey jogging pants with zipper pockets", + "xx-large light grey jogger pants with zipper pockets", + " xx-large light grey colored jogger pants", + "xxl light grey jogger pants with zipper pockets" + ] +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/data/human_goals.json b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/data/human_goals.json new file mode 100644 index 00000000..95f63cf6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/data/human_goals.json @@ -0,0 +1,12089 @@ +[ + "i need a long clip-in hair extension which is natural looking", + "i want a noise cancelling cosycost usb microphone", + "im looking for hair treatments that are sulfate and paraben free and are of high quality too. i need it in bottle for with 60 capsules", + "i need gluten free vegetarian smoked peppered bacon - 4 ounce (pack of 2)", + "find me a high speed dual style package with 12 power amplifier car subwoofer", + "im looking for a space-saving ottoman bench to match my blue living room. pick that one thats 100x45x45cm", + "im looking for a queen size bedspread set in the color redwood", + "im looking for a styling cream that is cruelty free and for short hair", + "i want to find xx-large black workout sweatpants with a relaxed fit", + "i am looking for a grey sectional sofa for my living room", + "i would like a bundle of crackers, spicy beef and cheese which is shelf stable. it also needs to be keto and gluten free", + "i am looking to buy a womans us size 5 high heel shoe with a rubber sole and color patent-beige", + "i am looking for a remote control for an lg blu-ray dvd home theater system", + "i need a long lasting 6.76 fl oz bottle of leau dissey", + "i am looking for dairy free and apple variety pack of chips", + "i need a gingko light and 20x20 pillow cover that is hand painted", + "im looking for lead free luxury scented candle which last for 25+ hours, it should be in tin voyager", + "i am looking for mn4 color foundation for my sensitive skin", + "i want double horn bluetooth wireless speakers which is portable and easy to carry", + "i am looking for a high power sound column subwoofer, that uses bluetooth and is also a 3d surround sound system", + "i need a six pack of manual toothbrushes that are good for sensitive teeth", + "can you find me a shelf stable potato side dish? i want something that i can cook in the microwave", + "i need a highspeed hdmi cable that is purple", + "im looking for machine wasable savannan burlap placemat with compatible table runner with dahlia flower print table set of 6 pcs. also choose color golden circlesan4455 with size 13x70inch+13x19inch*4", + "i am looking for a high speed 3 foot red usb cable", + "im looking for a great river organic milling flour", + "i would like a 20m digital 4g lte coaxial cable thats male to female", + "i need high quality pillow covers in color a-8 and it should be fade resistant", + "i am looking for an oral hygiene toothbrush. it should be easy to carry", + "i need a long lasting fragrance gift set for women", + "i need gluten free popcorn", + "i am looking for gluten free black rock salt made by himalayan . and i choose the 2.8 ounce pack with himalayan pink salt coarse grind", + "i am looking for a black fast wireless universal charging stand", + "i need a set of leak proof, bpa free jars", + "im looking for made a cookies for birthday parties", + "i am searching for a gold color smart watch bands compatible for apple and any one of the sizes 38mm | 40mm | 41mm", + "im looking for a single pack of old style, brown hair dye", + "i am looking for a pendant light to go in my dining room with dimmer switch", + "i am searching for a high gloss tv stand with additional storage space. also, choose an ob color", + "i want to buy a pair of but lifting grey skinny jean shorts", + "i need a futon and chaise set that is made with faux leather. and i would prefer the navy linen color", + "im trying to find white bluetooth speakers that are not only water resistant but also come with stereo sound", + "i would like a 8 fluid ounce bottle of tea tree lotion", + "im looking for some black high heeled sandals for my mom. she wears size 5.5", + "im looking for a silicon exfoliating body scrubber which would be easy to use", + "i am looking for some easy to install gold plated banana plugs for speaker wire", + "im looking for hair extensions for natural hair and straight hair so need to buy it", + "i want capri sun pacific cooler mixed fruit naturally flavored juice drinks", + "find me a motion detection high definition outdoor camera with 1080p hd definition", + "i need an engineered wood end table", + "i want to find a womens gift set that contains long-lasting edt spray and body cream", + "locate the ambesonne harbour stripe throw pillow cover, 18 x 18 inch, double sided. i want the salmon brown color", + "i want a body wash that is dermatologist tested. it should have a cucumber and aloe scent", + "i need a beige or green shower brush with a long handle", + "i would like a 16.9 fluid ounce amber bottle that could be used in a hair salon", + "im looking for a black alarm clock radio that displays the temperature and uses a usb port", + "im looking for a high performance paint contrast projector", + "i need some kosher sea salt", + "can i get a 2 light bath vanity lighting set with nickel finish?", + "i am looking for non gmo sesame pretzels that come in a 12 pack", + "i want to find a yellow manual toothbrush suitable for 7-14 year old kids with sensitive teeth", + "hey i need some new press on nails. get me babalal cat eye ones that arent toxic and make sure the color you get is purple", + "i am looking for dell ultra small desktop computer with core i5 , 16gb ram , 256gb ssd and windows 10 pro", + "i am looking for a kahuna colored capri pant that has a relaxed fit and is in a size 20 plus", + "get a tongue cleaner that is easy clean and use, and is also stainless steel", + "i nee all natural but no artificial ingredients savory and spicy sauce, 3 pack with sweet kick mustard flavor", + "i am looking for some alcohol free skin care", + "i need a stainless steel gua sha set that includes the roller and box", + "i would like a pair of brown size 7 shoes with a rubber sole", + "i need a 30 pair pack of skin care masks for eyes and wrinkles", + "i need a purple braces brush that is easy to carry", + "im looking for a long lasting foundation that has spf50+. also, choose the color no. 21", + "i am looking for easy spirit traveltime529 mule shoes with arch support, rubber soles and in size 7.5 wide", + "find me the fomiyes 4pcs silicone travel bottles that are easy to carry", + "i would like a pink ottoman with a solid wooden frame", + "i would like a three pack of 4 fluid ounce green envy hair dye", + "i want a mid century console sofa table", + "i would like a pink cosmetic bag that is easy to clean", + "i am looking for a grey mules & clogs for day comfert", + "i would like to get a 24 pack of 7.5 ounce bottles of non-gmo classic tonic", + "i need a 9.5 rubber soled hiking shoe made of light weight vinyl acetate", + "i need a french vanilla soy wax candle", + "i would like a black brown to tan hairpiece made from synthetic hair", + "i need a slim fit gray colored coat that has long sleeves. it should be in x-large size", + "i would like to have a plug and play high speed usb flash drive that is blue and black, the quantity should be 3 of 32g or 2 of 64g", + "i need a chocolate coated wafers with a 4.41 ounce size. and i choose the caramel flavor", + "i need high speed hdmi cables that are 10 feet long and in a 5 pack", + "i want yellow machine washable batmerry summer bright decorative pillow covers", + "im looking for womens bootcut pants in the brand of tapata", + "i need khaki steel toe shoes in size 11 women", + "i would like a 7 piece king comforter set decorated with flowers and is machine washable", + "im looking for a earbud headphones for stereo sound quality of style je-04b which will be more comfortable for me to use without disturbing others ", + "i would like a blue 2.95 foot wire pendent light for my living room", + "i am looking for wireless bluetooth speakers in the color a", + "i am looking for a x- large casual dresses with long sleeves", + "i would like to have a kosher gelato", + "i want to find a pink womens quilted puffy vest that i can machine wash. the size needs to be extra large", + "looking for light weight fitbit versa bands for men women also choose size large", + "i need a fragrance free facial wash", + "i would like to buy a 14 inch rose gold throw pillow cover for my living room", + "i want a rca cable that is high def", + "i want mivofun 11pcs cute dinosaur cake toppers for a baby shower", + "i am in need of elastic waist winter active running joggers pants of small size and dark grey color", + "i am looking for a 32gb 1tb ssd pcle nvme m.2 size intel core minis", + "looking for an easy to deliver vintage barbecue sauce needle sleeve white womens halloween t-shirt by tomorrow? forgot to machine wash", + "im looking for black colored high quality hair removal cream it easy to use", + "i am looking for a white platform bed that is easy to assemble", + "i am looking for shoes that are grey and light blue with a rubber sole in a size 11-11.5 women", + "i am looking for open toe sandals with an ankle strap. i want it in size 10", + "i need a wall lamp with clear glass", + "i want a black and high quality cenglings womens cowl neck sweatshirt", + "i need a s20 tv sound bar that comes with a wireless bluetooth speaker", + "i am looking for a headphones case that is apple compatible and is navy blue colored", + "i need a pair of low rise yellow briefs in a large", + "i want a easy install roller sades window tretment size w45*h56 in color pastel blue", + "id like to find a large pink tankini swimsuit thats loose-fitting", + "im looking for a mini pc intel core desktop computer which supports with windows 11", + "im looking for headphones are color it was wireless charging it was outside of noise cancellation", + "i need a hair elastic for my hair extensions", + "i want to find a loofah back scrubber with a long handle", + "i am looking for a satin brass and frosted hallway light fixtures", + "i need an oval soft rug that is easy to clean. also, it should be in eggplant purple color", + "i need a gold plated hdmi adapter that is capable of 4k", + "i need a smartwatch case that is compatible with apple and is in a size 45 mm", + "i want to buy a box of savory fava bean snacks that are non-gmo. find the pack that has 21 bags", + "i need a leak proof travel bottle that is reusable and comes in 6 pack", + "i am looking for the perfect gift, with quality ingredients like jack daniels pecan", + "i want to buy a skin cream which is fragrance free and it is for smoothing eye contour", + "i want a 10 ounce bottle of low calorie fries seasonings", + "i need some teeth whitening that also freshens breath", + "id like to find a pair of size-12 mens waterproof sneakers. it should have ethylene vinyl and ideally i want the color to be breen", + "i am looking for super soft and fleece throw blanket in multi 10 color", + "find me a non alcoholic and zero sugar mocktail", + "i am interested in hand crafted hors doeuvres", + "i want a 512gb samsung galaxy tab s7 with usb port", + "i would like a xlarge plus red camellia fleece jacket that can be machine washed", + "i am looking for an easy to clean jewelry box with 10 slots", + "i am looking for fuchsia colored comfortable fit levis bomber jacket for women", + "i am looking for a double sided white apron for shaving and trimming", + "i am looking for dark denim color ethylene vinyl ultra train of size 10, 3rd generation for men", + "im looking for some womens sneakers with rubber soles. make sure they are fabric and in a size 6.5", + "i want something that will let me use my cell phone hands free and has the kansas city chiefs logo on it. it should allow for wireless charging", + "i am looking for red storage benches that are made of engineered wood and are 90 by 40 by 45", + "i am looking for a high resolution background of size 9x6ftpolyester", + "i am looking for a 4 light vanity light with a contemporary design", + "im looking to buy a high resolution marine animal themed backdrop. the size should be 12x10ft", + "i would like a 34 piece set of some long lasting press on nails", + "im looking for 8.12 fluid ounces of sulfate-free shampoo that helps prevent hair loss", + "i am looking for a square area rug that is grey and ivory and measures 2 feet by 2 inch by 17 feet", + "i would like a cruelty-free coconut scented shampoo", + "i would like a extra round 53mm brush for hair styling", + "i want machine washable dream catcher light proof curtains that is 55 w x 45 l", + "find cookies made with high fructose", + "im looking for a black 2-ounce makeup storage jar that is leak proof and easy to use", + "i need a fleece jacket that is regular fit size 3x in the color of sea salt", + "im looking for 20 inch double sided tape hair extensions of balayage color", + "im looking for a sturdy and solid dummy camera thats portable and made of stainless steel. also, choose the one thats easy to install", + "i am looking for ladies large size black06 colored jeans with straight leg fit", + "show me flip flops that are unisex and made of ethylene vinyl. i am a size 6", + "i am looking for a cruelty free shampoo for a hair salon. also choose 250ml pack and copper style", + "i am looking for a blue, fast charging usb cord that is compatible with apple and is 16 feet long", + "i would like a blue long sleeved sweatshirt that is the size 4x-large", + "i want to find gluten free maple syrup that comes in a 32 fluid ounce bottle", + "i am looking for a lace closure water booties & socks of red color", + "im looking for breastfeeding shits maternity cloths double layer postpartum shirt", + "look for a pair of open toed sandals with an ankle strap. i want them in beige, size 8", + "i would like a large gray pair of leggings with a high waist", + "i need ten 12 foot high speed hdmi male to male cables", + "im looking for navy colored large sized jackets it can use for winter warm", + "i would like a anti perspirant", + "i need an alcohol free hair fragrance that is island vanilla scent", + "i want long lasting wrangler mens smoke storm cowboy cut jeans", + "i am looking for a sugar free energy drink of zero ultra flavor", + "im looking for a car amp/speaker combo with 8 gauge amp wiring kit with four 450 watt kickers cs series with 2 way car coaxials and a 4 channel bluetooth amp included", + "im looking for 2 pcs detangling hair brush for natural hair. also its color should be in green-black", + "i want cheese pretzelhaus soft individually wrapped bavarian baked pretzels", + "i want to find a height-adjustable desk chair in the color petal green", + "im looking for wall art for hanging through the wall", + "i need 15 pounds of non gmo beans", + "i want mitchum roll-on anti-perspirant", + "im looking for a lip pencil high pigmented for long lasting and melrose place color", + "i need a cosmetic bag that is easy to carry and is leopard print", + "im looking for d17(dedicated right, back) high performance 3-way tower speaker made with carbon fiber", + "i would like a 3.52 ounce packet of kat a kat seasoning thats easy to use", + "i am looking to buy a paraben free makeup remover containing hyaluronic acid", + "i am looking for x-large mint green snow boots that have a rubber outsole", + "i am looking for a short sleeve top for a teenage girl. it should in xx-large size", + "im looking for a dining room table thats made out of solid wood and easy to assemble", + "i am looking for a wall mounted mid-century sconce that preferably has a plug in 2 pack", + "i want to get a super soft blue fleece throw thats 50 inches by 63 inches", + "i would like a ac adapter that has output protection", + "storage ottoman bench with hinged lid which size 40*40*43cm", + "i am interested in a non slip area rug that is 70 by 55 inch", + "im looking for an 8-pack of 8-inch portable hair extensions. the color needs to be wine red", + "i need a large sized coat with long sleeves", + "i would like 36 packets of black tea bags that are usda certified organic", + "i am looking for a high quality purple ice roller skin care tool kit", + "i am looking for a star wars the mandalorian t-shirt which is machine washable and is in the baby blue color", + "im looking for rubber stole shoes for light wearing it was brown in color", + "i would like some old fashioned summer sausage", + "i would like a small blue blazer that can be dry cleaned", + "im looking for curtains for living room and it color was white", + "i am looking for a ready to use cocktail mixer that is authentic michelada mix and is 33.8 fl oz", + "i want to find white blackout shades that are 66 inches in width and 66 inches in height. they need to be easy to install", + "i am looking for men classic fit t-shirt. please choose black color", + "i need to buy a vanity light in brushed nickel with two lights", + "i am looking for human hair toppers for hair loss. i would like something in a medium brown", + "i need a ready to hang wall mirror in a champagne sunburst color", + "i need 3v long lasting and high performance batteries in a pack of 6", + "i am looking for a 6x9 ft backgrounds for digital photography", + "im looking for a meals with zero added sugar and also free from gluten and bpa. also, choose applesauce flavored one", + "i want to buy a mid-back drafting chair that has an adjustable height and lumbar support. look for a blue one", + "i am looking for wireless bluetooth headphones that are easy to use", + "i want a 24w led light with high power lamp. it should mount on a wall", + "im looking for a pair of water resistant brown pants", + "i need a fluoride free toothpaste for fresh breath. i will need a pack of 4 in 3.5 ounce size", + "i want to find a pack of nine low-carb cheese bites from trader joes", + "i want to buy canvas prints for the living room preferably having airplanes on them", + "i would like a ready hang poster that has blue roads", + "i want to get a two pack vanity light with brushed nickel finish in color type 2", + "i would like a medium sized black sleep set that is light weight", + "i need to buy a ready to hang art print thats sixteen by twenty-four inches. look for one that has women and palm leaves on it", + "i want a monocular telescope for bird watching", + "im looking for a topper for a birthday cake", + "i want a juniper and fully assembled rivet decatur modern upholstered dining chair", + "i am looking for a organic and gluten free almond nut butter with kosher certified. also choose chocolate favor and 4-pack size", + "im looking for a solid wood bookcase in espresso color. would prefer it to be in the size of 5-shelf", + "i am looking fort a travel size skincare kit with tea tree toner", + "im looking for cake toppers for a birthday party", + "i am looking for red popcorn boxes for a baby shower", + "i am looking for resilient memory foam loveseat sofa", + "get me some twin-sized flat sheets in gray", + "im looking for a 10 pack of hydrating sheet masks with anti aging properties. i would like to select the spa hairband option", + "i am looking for a blue ottomans for living room", + "i am looking for a straight leg jeans in sandblast light color. also in 40w x 34l size", + "i need a faux fur white andeworld swivel barrel chair for my living room", + "i need an evening gown in purple that is a size four", + "i am looking for a 12 ounce jar of raspberry preserve that is nut and gluten free", + "i want an officially licensed white marvel guardians of the galaxy retro logo tee", + "i need some extra large butt lifting leggings in mint green", + "i want to buy some chunky red glitter. make sure its non-toxic and eco-friendly", + "i want a highly pigmented lip gloss that is in the color r901", + "i want a high quality tooth brush for my sensitive teeth. it should be pale yellow in color", + "i want a pack of wall lamps for a living room", + "im looking for an easy carry and light weight photography backdrop. also, choose the 7x5ft size", + "im looking for a ottoman 6 seater sofa", + "i would like a solid wood sideboard", + "i want a black 1080p hd mini projector", + "please select a 1 pound, certified organic sea salt shaker in the flavor triple blend flakes", + "get me some black lounge pants with an elastic waistband", + "i want a x-large short sleeve mayntop womens t-shirt", + "im looking for a queen size bed with a box spring", + "i want to find a gold pendant light for my living room ceiling", + "im looking for an officially licensed minecraft alex with bow taking aim tshirt in youth size and heather grey color", + "i need multicolored hair bands that are non toxic", + "i need a 38mm smartwatch case with glass screen", + "buy me some coffee brown hair dye. make sure it only contains natural ingredients", + "i want a xx-large sousuoty short sleeve shirt", + "im looking for led tv stand for 70 inch", + "im looking for some gluten free jelly with black sesames", + "im looking for furniture to make my living room and dinning room so nice", + "this brand eurofase 23271-036 zuma frosted tube glass with cast metal frame sconce wall mount lighting, 2-light 80 total watts, 13h x 5w, bronze finish for my living room, help me", + "i want a pair of black mens work shoes that are slip resistant. they must come in a size 9.5 and be extra wide", + "what xx-large short sleeved t-shirts do you have that are loose fitting and for teen girls?", + "i am looking for spicy fried fish seasoning that is also suitable for vegetarians and easy to use", + "i would like some travel bottles for my cosmetics", + "i would like a car in dash gps device that is easy to install", + "i am looking for a solid wood light golden brown stained bookcase", + "i would like a 1 tb nvme with 64 gig quad core desktop mini", + "im looking for teeth cleansing for teeth whitening and the fresh breathe", + "i need white walking shoes with arch support", + "get me a forty pack of old-fashioned popcorn", + "i need some colorful wall dividers to arrange my living room for a holiday", + "find a high protein puffed snack to be made on a brick oven", + "i\u2019m looking for a large multi-pack of sweetener that contains no sugar; please pick the blue raspberry flavour", + "im looking for oil free hair conditioner that offers a cruelty free certification", + "i want pink hair styling parting combs for braids", + "i am looking for a pack of 5 dark blonde hair dye touch up spray", + "im looking for plug play electronics for computer components and need to buy it", + "i need a blue sherpa wool sweatshirt", + "buy me a 4x-large sized long sleeved shirt made from soft material in g05#black color", + "i want to find eco-friendly candles made out of soy wax in the ms. coco color", + "i need a gray vanity bench with metal legs", + "i need a gift basket with milk chocolate covered peanuts", + "i would like sesame seeds that are gluten free and ginger flavored as well as being .8 oz", + "i am interested in buying ground seeds which are gmo free, and fat free which have himalayan pink salt fine grind flavor and are in pack of 1 of 2.6 ounce", + "i would like to buy mens briefs which is easy care and of stripe color and a unique design", + "shop for a light weight windows desktop pc", + "i am looking for some hair pins that are rose gold", + "i want to find a wooden table that i can put in my dining room", + "im looking for a size 2.55 ounce anti aging hydra-nutrition day cream", + "i need a cinewhite projector screen that is ultra hd and light weight", + "i am looking for brown color classic fit t-shirt", + "i need a high power amplifier adapter for home audio", + "i want a dongtai 1080p hd hot link remote surveillance camera", + "i need hair extensions of 18 inch in #1 jet black color made of natural hair", + "i am looking for a fleece throw that is maroon and 50 by 60", + "i am looking for ca perfume club fragrance in the 0.17 fl oz travel size", + "find me the soy free 3.5 ounce 4-pack of dang thai rice chips, and make sure they are the aged cheddar flavor. i also need the ones in the resealable bags", + "i need a 3 pack of ethique solid deodorant bar for men and women. i want the oil-free variety", + "im looking for a replacement remote with batteries included", + "i would like a 6 ounce variety of grain free cacao granola", + "im looking for a french vanilla zero calorie and zero sugarand flavor stevia energy", + "i want to find a usb headset thats certifiably refurbished and has a plug to play", + "i am looking for a mens long sleeve button down light blue shirt", + "i would like to get some medium grey shorts that i can machine wash", + "i am looking for some valentines day cupcake toppers", + "i am looking for hands free, noise cancelling earphones in the color blue", + "i would like to buy to some fat free non gmo original beef jerky", + "i need some cute heart-shaped glittery cupcake picks as a gift to bring to a baby shower", + "i need a black wall mouinted mirror for the living room", + "i need a long sleeved sleep set in a 4x-large in the color mt7308", + "i am looking for a high speed male to female hdmi cable", + "im looking for a kids toothbrush for ages 6 to 12 that will help with teeth whitening and is easy to use", + "i need some whitening toothpaste", + "i need a tempered glass window film two pack in the color 91768059675860000 and 23.6 in by 23.6 in", + "i want degree men anti-perspirant", + "i need a blue portable bluetooth speaker that is easy to carry", + "i want a q color long lasting lipstick made with natural ingredients", + "i am looking for a large tunic that is 2-pink and short sleeve", + "i need a conditioner for damaged hair", + "i want a high quality nail drill machine", + "i want to find a gold floor lamp with a glass shade and a nickel finish that i can use for my living room", + "i am looking for delicious flavor starkist chicken creations, chicken salad, 2.6 oz pouch,pack of 12 which is soy free and gluten free easy to prepare, perfect fit for today\u2019s active lifestyle. buffalo style flavor preferable", + "i need some aaa batteries", + "i want to find a pink front-button bra in a size 44 that is made of quality polyester", + "i am looking for eco friendly candle wax. please choose vanilla lavender", + "i need green cactus coasters for the living room that come in a pack of four", + "i need to buy a loveseat for my living room. get one thats flat packed with a wood finish", + "i am looking for plant based,gluten free and sugar free seedbars.please choose mulberry cacao flavour", + "i am looking for fluoride free toothpaste that is made with coconut oil", + "i am looking for hands free and dark blue bluetooth stereo wireless music earphones headset", + "i would like a fluoride free mouth wash made with natural ingredients", + "i want low carb chipmonk keto lemon poppyseed cookies", + "i would like a 15 ounce package of blue stork its a boy gift chocolate covered cookies", + "i need an old fashioned rope sausage without gluten", + "i need a yellow xx-large floral print tank sleeveless dress that is quick drying", + "i want to find a high-resolution digital camera with an optical zoom feature", + "i would like some sugar free salted caramel truffles", + "i am looking for black twin size bunk beds", + "i would like a 20 foot long 4 pack of gold plated hdmi male to male cables", + "im interested in purchasing a black colored easy to apply bun maker", + "chair with adjustable height, backrest and lumbar support", + "get me a hand washable short sleeved loose fit top in army green color and 3x-large size", + "i want to get cartoon themed cupcake toppers that i can use for a birthday party", + "i am looking for a high performance 18 volt charger adapter for beats by dr dre", + "i am looking for a milk chocolate of 1 pound size in a single pack for valentine day", + "i want gray high speed philips usb type c cables", + "id like to find a king-sized faux lather platform bed in the camel color", + "i am looking for 2 piece long sleeve blue#b color swimwear for women. also x-large one", + "show me some long lasting honeysuckle jasmine colored candles made from soy wax", + "i am looking for long sleeve men t-shirt.and please also choose the black one", + "i am looking for yellow color stool cover. it should be washable in machine", + "find a water resistant leather jacket", + "i need some cupcake toppers for a birthday party. get the ones with silver glitter", + "i am looking for slim jeans that are granite color and machine washable", + "i am looking for a medium adult sized unisex hoodie which is machine washable. pick the navy blue one", + "i like traditional , old and individually wrapped alberts chocolate ice cubes 60 count tray chocolate", + "i want tangerine colored crocs made with vinyl acetate for kids", + "i would like a medium sized dress with a elastic waist", + "i am looking for small undershirts that i can machine wash", + "im looking for a color b quick release thumb screw tripod", + "i am looking for a a2442(pro 14 2021 m1 pro | max touch id) size of hard shell cases over", + "i am interested in buying a blue colored noise cancelling headphones with wireless bluetooth available", + "i need a valentines day gift", + "i want to purchase from mens clothing a pair of mens retro jeans with the relaxed fit and boot cut. needs to be long lasting, comfortable fitting and in a relaxed fit. must be a size 35 waist and 36 long in rockdale color", + "i want to get some red cupcake toppers that i can use for a birthday party", + "im hoping to find a purple, xx-large batman shirt thats officially licensed", + "im looking for a 150 foot plug play hdmi cable", + "i am looking for a high quality hair removal wax bottle", + "i am looking for 5.9 fl oz eau de parfum - fragrance mist for women", + "looking for babydoll mini bodysuit of quality polyester choose size xx large", + "i want to find a heavy duty bar stool that is rein bay colored", + "i need a natural teeth whitening toothpaste", + "i need a solid wood platform bed with wooden frame. pick something that is natural in color", + "i want an easy to use tongue cleaner for eliminating bad breath", + "i am looking for a wireless bluetooth earpads", + "i am looking for high knee womens flat sandals of size 8", + "i want to find organic, low fat applesauce that is apple strawberry flavored. it should come in 4 ounce cups in a pack of 4", + "i want a clear glass mystic sand colored wall sconce. it will go in my living room", + "i am looking for flower fairy giel with pink wing elves pillow cover for living room", + "i want to get to get long lasting foundation that is in color 380 rich ginger", + "i would like to buy a bronze table lamp for my living room", + "im looking for bathing free accessories for fragrance free", + "i am looking for monoculars that are for bird watching", + "i would like a pair of black size 8.5 boots with a comfortable fit", + "im looking for a tempered glass coffee table for my living room that has a wooden frame", + "im looking for a router for i5 inter core processor. also, choose 8g ram, 128g ssd and 1td hdd with intel i3 3220, r9 b75 one", + "im looking for native american indian dream catcher feathers talisman", + "i am looking for large size soft material womens cardigans with pockets", + "i am looking for kernel seasons popcorn season in 2.85 ounce packs of 6", + "i would like a lead free bracelet birthday cake jar candle", + "i need some steel toed shoes that are chocolate colored and are a size 7", + "i am looking for a pair of womens size 6.5 to 7 open toe sandals", + "i am looking for a cat with ears cupcake toppers for a baby shower", + "i am looking for white solid wood bunk beds with drawers", + "buy a one pack of permanent hair dye in espresso", + "i want a bagel made from high quality ingredients", + "im looking for strong box spring beds and i take dark gray color with king size beds", + "i want to find individually wrapped, 2-ounce packs of omega-3 mix in a 14-count box", + "i am ordering grey women faux fur slippers ", + "i would like a pair of c clippers for hair cutting", + "i need a vanity light with a classic bronze finish", + "im looking for a black phone case that is apple compatible with a black screen", + "i need a 1.0mm braces brush that is easy to clean", + "i am looking for some gluten free yellow dog sweet shake flavored gourmet spice blends", + "im looking for a long lasting 3.3 oz edt spray for men", + "im looking for certified organic for tea bags for peppermint leaf", + "im looking for a hair roller for hair styling, it should be easy to use. also, choose 2.8 *2 inch pink colored one", + "i am looking for some machine washable curtains in the side 52 by 63", + "im looking for need to buy a cookie butter and it was gluten free and it contains high protein", + "am looking for low rise lam kwongy sexy yoga shorts for women, blue color", + "i am looking for a black iphone 12 max case with wireless charging", + "i am interested in a grey solid wood nightstand", + "i will like to have a synthetic sole, memory foam cc corso como womens denice, size 5.5 and tan color", + "i would like to get two assorted non-gmo powdered cheeses", + "i am looking for a super soft throw blanket that is at least 50 by 60 inches in size", + "i need some storage space that is white and grey and also tall", + "i am looking for hair dye for permanent hair and choose 4 dark brown color in size 1 count pack of 3", + "i need a jet black hair piece for hair loss", + "i want to buy an x-large tall, long sleeve flannel shirt that is sea cliff blue plaid", + "i need some fully cooked canned meats with a long shelf life", + "i am looking for contemporary design privacy protected panel for living room, its size should be 52 wide by 90 length", + "i would like a 25.4 fluid ounce bottle of chocolate syrup made with non gmo organic candy cane mint", + "i am looking for synthetic black gray 101 color hair extensions wig hairpiece", + "i would like a high speed streaming media player that is easy to use", + "i would like a 14 ounce bag of roasted almonds and other nuts that are gluten free", + "i would like some blue non toxic bath brushes", + "i am looking for ataiwee womens wide width ballet flats which is well made of soft leather, flexible tpr out-sole, lightweight and comfortable. tan 1905019-5, 9 wide size preferable", + "i want to find 5.3 ounces of plant-based organic hair dye in a dark chocolate color", + "i am looking for 10 pounds of fine grain non gmo sea salt", + "i need a protective ac output cable cord", + "i need a black wireless bluetooth speaker", + "i am looking for a 3x-large long sleeved sweatshirt that is hooded for everyday wear", + "im looking for some mid-century style grey chairs", + "id like to find a 1-pack of hdmi and dp cables that are three feet long. they need to have gold plating", + "i want to find a pair of white and thyme mens blaster pants with an elastic waistband. the size needs to be 5x-large", + "i am looking for a gluten free non gmo fig bar packet of 7. and i choose the variety pack", + "i want a solid wood table in dark cognac brown color for my living room", + "i am looking for an easy to install computer table for my living room", + "im looking for a quick-release replacement fitness strap band; it should match my chic teal fitbit", + "i am looking for mickey and minnie cupcake toppers for a birthday party", + "i need low rise jeans that are a 54w by 34l", + "im looking for a high protein meat jerky which should be free from gluten, soy and dairy products", + "i am looking for 150ft trishield rg11 aerial messenger - black type coaxial cable aluminum alloy", + "im looking for an xx-large plus elastic closure pants for women. the color can be steel", + "i am looking for 140 feet of high speed coaxial cable", + "im looking for gluten free it was contain high protein and need to buy it", + "i need a non gmo salad topper with glazed pecans", + "entatial aluminum alloy ball head, camera tripod ball head. find and let me know", + "i am looking for a printed backdrop 07 colored lightweight backgrounds for digital photography. also, choose a 5x7 ft size", + "i need a deodorant anti perspirant in travel size for women", + "i want a tempered glass screen protector that i can use for my iphone se", + "i am looking for a mouth guard that is pink and non toxic", + "mens eau de parfum long lasting for daily use", + "i need to find a box of trader joe seed crackers that support my gluten-free diet", + "in the last order i bought the sauce from the brand org\u00e2nicville organic, caesar sauce, the taste is very good .no dairy, 8 fz i want to repeat this order ", + "i would like to buy a cupcake topper which has a laser gold pattern and is suitable for birthday parties", + "im looking for long-lasting anti-perspirant that is unscented", + "i am interested in buying a toothbrush that is easy to carry and useful for sensitive teeth", + "i am looking for black leather sole fashion sneakers that are in a size 5", + "i am looking for some flats with memory foam in a size nine and the color picante", + "i am looking for a mini mak spotting scope smart phone adapter that is easy to use and comes with a carrying case", + "i need to buy a smartwatch band for my apple watch. look for one in rose gold stainless steel mesh", + "i am looking for a hair growth treatment in the color 3pc", + "i need grey memory foam slippers with open toes", + "im looking for a two piece swimsuit in polyester spandex. i want the black one in x-large", + "i want to buy ballet shoes which have rubber sole in grey suede color and a size of 6", + "i would like a standing shelf unit for my living room", + "i would like some black and golden jewlery for daily wear", + "i want a hdmi cable with high speed and 1.5 feet size", + "i mostly like designed house with grey color", + "i just love the matilde vicenzi brand macaroons and i want to try the amaretto ditalia macaroons flavor. the quality of the ingredients is my requirement, if you find it let me know", + "i am looking for wild caught, ready to eat sardines in a tomato sauce", + "buy me a cruelty free solid perfume with a flirt scent", + "i am looking for navy color x-large womens long sleeve open front cardigan sweaters", + "i want to find 24x24 inch dark blue decorative pillow covers that i can use in my living room", + "i want a super soft fleece thrown for living for room size 50*40", + "i would like a stained glass wall lamp with a bronze finish", + "i need womens denim shorts in cotton spandex material with color jayne and size 9", + "i would like to buy a three pack of fine combs good for styling dry hair", + "im looking for a 6 foot long, high performance coaxial cable", + "i need 16.5 inch dining room chair pads", + "get me a sixteen pack of apple cinnamon freeze dried banana chips", + "im looking for a small black t-shirt for women with alpaca design and manchine wash", + "i am looking for a mesh laundry bag", + "i would like a deep brown clog with a rubber sole for my size 8 foot", + "i am looking for a long handled body brush", + "i would like to buy a white colored easy to assemble book case for my living room", + "im looking for a high quality accessory bundle for my canon camera; speed and performance is essential", + "i am looking for a wallet case with tempered glass protection. please select the rose gold color", + "i am looking for a 5 pack of fully cooked and easy to prepare chicken breast strips", + "i want a king size twin bed with storage compartments", + "im looking for cellphone accessories for wireless charging", + "i am looking for light weight a34 color photo background", + "i need roasted coffee beans that are dairy free and cinnamon bun flavored", + "i need brown eco friendly nikahoo small storage baskets", + "i am looking for ultra hd motion detection surveillance dome camera color black size :6mp wdr 2.8 mm", + "im looking for a universal remote control with batteries included", + "im looking for 33.81 fl oz non-gmo gluten free monin raspberry syrup", + "i need to find a small end table that is easy to assemble; pick a blue-coated steel frame that wont rust", + "i need a heavy duty dust proof tempered glass for iphone 13 pro max 6.7 inch and its size is case+4 protectors with redblack color", + "i am looking for oral hygiene dental tools of design: set of 4", + "i need some purple, machine washable drapes with a fifty-two inch width", + "i want a black hands free denon home 250 wireless speaker", + "i am looking for a pair of womens size 7.5 camo colored non slip walking shoes", + "i need to find a unisex sandal that\u2019s made with vinyl acetate; i am a size 11 australian", + "buy me a machine washable button down shirt in 3x large", + "i am looking for washable easy clean non toxic hair chalk for girls", + "i am interested in a bookcase that has a steel frame", + "i am looking for a non-slip sandals for my wife that is blue in color. and please choose the 5.5 size", + "i want to buy a cabinet which i can put in living room and its easy to clean, while its color should be light brown", + "i am looking for a 7.5 no. high heel for women", + "i want to find an intel core i5-10400f desktop pc that i can use to play games on. it needs to be omen 25l and configured with nvidia rtx 3090", + "im looking for a spa gift set thats good for dry skin and hasnt been tested on animals", + "i am looking for a womens socks made up of polyester cotton which is washable in machine. also choose black or semi mint rush green color", + "i am interested in buying folding mattress for a beauty salon, which has wine red color and is of 75*190cm size", + "i want kerastim pro hair loss treatment for men & women", + "i am looking for a table and chair set that is white and easy to assemble", + "i am looking for a tripod that is compatible with apple and that is black and white", + "i am looking for a brown wood finish end table", + "i would like a long lasting perfume", + "i would like a twin sized espresso bed that is made of solid wood", + "i am looking for bpa free tongue scrubber with cap", + "i am looking for low carb, sugar free barbecue marinade in the 18 ounce size", + "i would like to get an xx-small hoodie with polyester quality", + "im looking for a 3 ounce, small food gift that is gluten free and is flavored everyday seasonings", + "i would like some 12 inch balayage dark brown mixed with walnut brown and strawberry blonde hair extensions", + "i want to buy some ash blonde hair color with argan oil in it", + "i want a 16 count of chamomile herbal tea that is certified organic", + "i am looking for a grey wireless charging earbud headphones with stereo sound", + "im looking for rice shaped pasta it contains low fiber fat it good for health", + "i need size 2 2 x 22 runner area rugs for living or dining room in ivory | grey color", + "i need a water resistant pager that has a transmitter set", + "i am looking for a bed with a steel frame and a twin xl memory foam mattress", + "i would like a a monocular for bird watching", + "i am looking for an easy to install brushed nickel 4 light sconce for the bathroom", + "i need an anti perspirant unscented deodorant - 1.6 ounce (pack of 2)", + "look for a bundle containing freeze dried strawberries and peas", + "i would like a wirefree pink amethyst 36c bra that is machine washable", + "i am looking for projector screens of size 106 that are easy to install", + "i am looking for black color , 15 size women high heel and pointed toe slip on pumps", + "i am looking womans non slip made from vinyl acetate indoor bathroom slipper color black size 13", + "im looking for a space saving storage cabinets for dining room. also, choose black colored one", + "i am looking for a cotton sheet set for a light blue king size bed", + "i need gluten free and low sodium seasoning which is all-purpose. make sure they are organic seasonings", + "i want dailywear long sleeves big shirt with 20 neck and 34 sleeve. the color should be lavender 012(pink)", + "im looking for a red folding ottoman bench for the living room that has storage space and is easy to assemble and easy to clean", + "i want a 6 ounce peanut butter low carb snacks", + "im looking for blankets the color was boho colorful geometric pattern decor", + "nathan james theo 3 shelf white bookcase, open wall industrial shelving unit, engineered wood for my living room, find it at a discounted price", + "i am looking for eye shadow that is a soft brass color", + "im looking for cinnamon almond cereal that has cookie flavor and high protein serving. also, i want a pack of 12 at 1.2 ounce each", + "i am looking for long lasting aaa batteries and a charger", + "i am looking for a professional make up brush with easy use. also choose color b", + "get me a long handled pink exfoliating brush", + "i need stainless steel tongue cleaners to rid of bad breath", + "i need a white mirror with a with a brushed nickel finish in window style", + "im looking for a gift set with an eight ounce bottle of cinnamon dip", + "i need to buy a childrens toothbrush thats easy to use and appropriate for sensitive teeth. buy the color option a.", + "i am looking for a 8x6ft backgrounds for digital photography", + "i am looking for a high quality strawberry blonde mix color hairpiece that is easy to use", + "i need one 10 computer monitor replacement power cord cable that is long lasting", + "i am looking for a navy blue macbook pro 13 inch case cover", + "i need ready to eat gluten free kashmir potatoes that is suitable for the preparation of asian foods. and i would prefer a pack of one", + "let me get some stainless steel tongue scrapers. pick a purple one", + "i\u2019m looking for refreshing advanced purifying mouth wash mouth spray for instant fresh breath", + "im looking for a heavy duty queen sized bed frame in a rustic brown color", + "im looking for a burgundy colored small mens tank top with a relaxed fit", + "i would like a pair of womens 7.5 black sandals with a open toe", + "i need some low calorie chocolate chip pecan snacks", + "complete, easy-to-carry orthodontic storage case", + "i want a gold high speed micro usb cable", + "i am looking for cranberry almond color cookie that is fat free", + "i would like some low calorie sesame pretzels", + "i am looking forward to buy a high speed, high definition mini pc with windows 10 pro equip with intel celeron", + "i want to find a small purple tankini top that teen girls can wear", + "im looking for a hot sauce gift set with the flavor lazy ass", + "i need a black color, large sized, daily wear mens underwear which can be hand washed", + "i want a black kodak pixpro az401 with optical zoom", + "i need new york style strawberry swirl cheesecake that is ready to eat", + "i need a-5 pairs of false eyelashes. it should be easy to apply", + "i would like a loose fit tee that is orange and is a size 4x large", + "i need a hoodie with a loose fit. sky blue and large is preferred", + "trader joe want to buy an organic fruit with leather buttons and natural flavors (6 pack). also choose the mango and size is 12 pack", + "im locking for 3 packs of nutpods coconut macaroon", + "i want a medium gray long leave hoodie", + "i am looking for ethylene vinyl dr.martens womens nartilla sandal of size:10", + "i need 9 ounce catalina crunch cinnamon toast & maple waffle cereal that is keto friendly", + "i am looking for a rubber sole clog shoe with arc support. also choose 9.5 size", + "im shopping for memory foam slippers with a rubber sole in a moonlight blue colour", + "i am looking for full size , faux leather and box sping pezzola led bed frame", + "i need a bubble bath sticker that is ready to hang", + "i am interested in buying hdmi adapter cable which is compatible with apple, and is of white color while the size should be 6ft", + "i am looking for noise cancelling on ear headphone of black color", + "im looking for steel toes shoes for construction working the color was black", + "i want to find white blackout window shades that i can put in my living room, and they need to be 2 inches in width and 64 inches in height", + "i want fully cooked spam classic lite singles", + "i need a space saving white full sized bed", + "i am looking for decorative cupcake toppers which can be ideal for birthday party or baby shower", + "i am looking for caffeine free organic tea flavored chocolate rooibos", + "i need 30ml travel bottles", + "i am looking for gray mens casual sweatpants that are machine washable with an elastic waist", + "im looking for a six-count pack of loose-leaf white tea powder. it needs to be usda certified organic", + "i need a 1.9 oz jar of ground mustard seed that is gmo free", + "i would like a long lasting minocular for bird watching", + "search a perfume body with long lasting and scent impression of love in white and a travel size", + "im looking for sheer window covering rod pocket 2 panels for living room with size 52 x 63 inch. also choose the color plaid red black", + "show me a high quality long lasting travel size christian dior ambre nuit impression perfume in 5ml size", + "im looking for a tempered glass protector that is easy to install", + "i need white blackout cellular shades that are easy to install in size 70w x 36h", + "i need a tinted moisturizer that is effective for dry skin . and choose the annapurna - medium with a neutral peachy undertone", + "i want to find a 3-count pack of 4-ounce containers of natural sea salt. the salt needs to be non-gmo", + "im looking for furniture it was for living room furniture", + "im looking for an easy to use stainless steel nail clipper set", + "i want a variety pack of jerkey ready to eat", + "i am looking for an inexpensive tv stand for our 60 inch tv with huge storage space and that should be in ashland pine color", + "im looking for nickel finish for living room", + "i am looking for short sleeve women t-shirt of xx-large size", + "i need something for hair growth", + "i want some anti-slip water shoes in size 7.5 and the color khaki", + "i need black dodoing curly messy hair bun extensions", + "i want a high quality dental floss to improve my oral hygiene", + "im looking for one aluminum alloy magnetic case phor iphone 13 mini in black", + "i am looking for a resin diy for nail art with non toxic also easy to clean", + "i would like to buy a size 42 white smartwatch band that works with my apple watch", + "i need a long lasting perfume that is unisex and alcohol free", + "i am looking for rose gold fine mist, soothing and refreshing face spray, 3 pack - 3.4 fl oz", + "i am looking for light weight wall backgrounds of size 12x8ft", + "i am looking a high resolution easy install and easy use 60x usb microphone", + "i am looking for a home office desk chair that has lumbar support and is black", + "i am looking for a power cord for a blu ray player with output protection", + "i need a leak proof bag that is black", + "i would like a pair of size 10 bronze sneakers with a rubber sole", + "im looking for a perfect waterproof eyeshadow stick with bronze shimmer", + "i am looking for 10 wide tan color synthetic sole womens slipper", + "i would like a a1706 good night giraffe light weight case for my laptop", + "find a hanging pendant light fixture for my living room with a plug-in cord. it should have a diamond lampshade along with hemp rope", + "i am looking for a light cool brown easy to use hair color kit", + "i am looking for a perfume oil in metal packing of 12 ml size which is alcohol free and lasts long", + "i am looking for a queen sized mattress with memory foam", + "i want to buy a six pack of snickerdoodle flavored hot chocolate. make sure its gluten free", + "im looking for running shoe for women", + "i want a round safavieh sofia collection rug for my living room", + "i need four vanity lights", + "i am looking for 5x-large party casual short sleeve loose tunic dress", + "i would like a pair of size 9.5 wheat work boots that have a steel toe", + "im locking for wireless bluetooth earpiece for business, office and driving", + "im looking for hair products to white strong spray for hair loss products. it can very easy method", + "i want to find a tempered glass covering film that i can use on my dining room windows. the dimensions should be 23.6 inches by 47.2 inches and film should come in a set of two", + "help me find a water-resistant sports strap that is compatible with the apple iwatch. also, please choose a teal one", + "im looking for 33.81 fl oz non-gmo gluten free monin raspberry syrup", + "i would like wide leg black jeans that are small", + "i want a mydrinkbomb cocktail bombs tequila sunrise mix gift set", + "i need a pack of fine line remover", + "i need an 8 ft navy area rug for the living room that is round", + "i would like a 3 lights conical lampshade that is easy to put on", + "i am looking for high quality natural hair extension. please make sure that is 14 inches in size", + "i am looking for brushed nickel pegandrail oak coat rack of size: 41x3.5 with 8 hooks", + "i want grey mens moccasin slippers with arch support", + "i am looking for pink, high quality massage sheets that are oil resistant", + "in the tools & home improvement department, i am looking for matte black 24 inch vanity light using 14w led 3000k metal wall sconce (modern) that is easy to install, in the color of cool white 6000k", + "seeking as premium perfume oil containing attar oil, that is vegan, cruelty, and alcohol free, long lasting, 3ml bottle, violet scent, named amber romance by amuze fragrance", + "i am looking for a medium color concealers & neutralizers for sensitive skin", + "i need a silver cruelty free my little pony mini glitter gel set", + "i am looking for a 46 inches table pads of stainless steel", + "i am looking for permanent hair color with natural ingredients and color: funky yellow (2 pack)", + "i need a hand wash blue jump suit for daily wear", + "im looking for a mini desktop computer with 16 gigs of ram and that comes equipped with intel core i5", + "im looking for storage drawers for cloths, toys, etc.,", + "i want to find an 11 inch light fixture with a bronze finish that i can put outside", + "im looking for a fruit snacks that is in freeze dried form of a real fruit", + "i need a usb cable that is high speed and 32 ft", + "i would like to buy some wild caught sardines", + "im looking for a stainless steel dental scaler", + "i am looking for a steel framed brown 5 tier bookcase", + "i am searching for 3-tier classic tube white color corner shelf for living room", + "find me a fragrance free mineral powder foundation set in a medium color and with mascara", + "i am looking for a mens large navy star wars t-shirt", + "i would like a 6 pack of dental floss good for my oral hygiene", + "i am looking for a dolly partons greatest hits t-shirt", + "im looking for hair dressing scissors set", + "i want a black womens shoe in size 7 with a lace closure. it should have a metal decoration", + "i want keto friendly old world kielbasa rope sausage", + "im looking for vanty lights for bathroom fixtures", + "im looking for computer accessories its easy to use it can install at any", + "i am looking for a 42mm stainless steel smartwatch band", + "i need a small yellow polyester spandex lingerie sleepwear", + "i want a 4.2 ounce bottle of facial mist trio that is paraben free", + "i want a nesting table that will last a long time and is gray. it has to be small and space saving too", + "i want a hot pink kokovifyves womens hooded winter warm vest", + "i am looking for an open toe sandals that has high heel. please choose the 8.5 size with white color", + "i want 1 solawave renew complex serum for dark circles", + "i am looking for amisco club counter stool in grey metal and aqua blue polyurethane that is lead free and easy to clean", + "i need pink gluten free edible glitter", + "i want a noble park corson cut wall mirror for my living room", + "i want a tree hut sugar body scrub for dry skin", + "i need some high performance speakers that are easy to install", + "i would like a pink ottoman with a solid wooden frame", + "i want a small fleece lined long sleeve crew neck shirt", + "look for this brand: it cosmetics your skin but better, full coverage foundation, moisturizing serum and sunscreen spf 50+ - natural finish - for my dark circles .4 oz", + "can you find me a two pack coaxial cable thats high speed, made of aluminum alloy, and is 15 feet long?", + "i am looking for grey color mens polyester hoodie", + "i am looking for 16 natural human hair extensions that is a mix of brown and dark blonde", + "i need bacon cheddar crisps that are not only keto friendly but also gluten free and low carb", + "ultra long carbon fiber pole monopod 106 upgraded selfie stick", + "i need a microphone cable with a power amplifier and 1.8\u7c73 capacity", + "i am looking for easy to install video player", + "i want a black and easy to use cluster mascara wand", + "im looking for a record player and stereo speaker that is not only high power, but also high performance. i dont have a preference for the color", + "do you have a high quality tool bag? i need something at least 5ml", + "im looking for a 2t royal blue t-shirt encanto movie officially licensed for men", + "i am looking for a black video projector that is 1080p", + "i want a creme brulee truffle coffee that is gmo free", + "i need a pair of white bluetooth speakers that have stereo sound", + "i would like a pair of size 11 gold platform wedges with a ankle strap", + "i am interested in buying a back smoothing bra which is machine washable in size 38c", + "i am looking for window treatment panels for living room and size should be 52x84 inx2", + "could you get me listerine toothpaste that takes care of bad breath?", + "i would like a long sleeved blue blouse that is xx-large", + "shop for a virtual reality headset thats high definition. get the size a", + "i want a black and easy to use ultra slim waterproof gel eyeliner pencil", + "i am looking for a synthetic coffee brown colored wig", + "i am looking for a 2bottle color floride free teeth whitening toothpaste", + "i am looking for a stainless steel tongue cleaner", + "i am looking for contemporary design featuring clean lines and smooth upholstery, storage ottoman offers the look, feel, and design of a truly contemporary piece. with a minimalistic yet refined structure, this piece brings out a simplistic style that emphasizes comfort and functionality of christopher knight home bancroft lift-top storage ottoman", + "i would like a king size wine red pillowcase with exquisite workmanship", + "i am interested in a bos spring storage bed which is king sized", + "i would like a storage case for my dentures", + "im looking for clothing jeans it will use for easy to machinable wash", + "i am looking for men suits slim fit with button closure of size: 50", + "i want a bpa free bottle for makeup", + "i am looking for cupcake toppers for baby shower birthday party", + "i want a silver makeup travel storage case", + "i am looking for a curly lace frontal that is effective for hair loss. an i choose the 22 24 26+20closure with water wave bundles", + "im looking for soft elastic mid-waist breathable boxer briefs", + "im looking for a birthday cake for a 5 year old boy that features marvel heroes", + "im looking for a round accent table for the living room that is fully assembled and ready to use. also, it should be gray and rose gold colored", + "i would like some over the toilet storage space in the color style-13", + "im looking for pack of 24 happy 75th birthday party supplies", + "i am looking for womens cotton spandex booty shorts with medium size and color should be black bae white", + "na", + "i am looking for a light weight hard shell case that is 14 inches and is in the color yellow tansy", + "id like to find a loose short-sleeved summer tunic top for my teenage daughter. shes a size xxl and likes the color green", + "i am looking for a 12 by 16 inch african american poster that is ready to hang", + "i am looking for a high performance gaming computer with intel core, 64gb ram and 1tb ssd. also look for 2tb hdd", + "i am looking for one pack of dental picks for fresh breath that are in a citrus flavor", + "for my daily wear .i am looking for a daily casual and long sleeve woman shirt in brown color with small size", + "i need some knee high boots that are black and in a size 5", + "i want to buy some meat stick snacks in spicy jalapeno venison flavor. it needs to be a 1 oz six pack", + "im looking for vegetables and dried vegetables for low carb. it is easy to use", + "im looking for a stainless steel patio furniture set in the color navy blue", + "i need some cheese that is ready to eat and has good quality to it. an 8 pack that is individually wrapped is what i need", + "i am looking for a large european made lead free candle for my living room", + "i am looking for a quad core tablet that is certified refurbished", + "i am looking for a chocolate gift basket", + "i would like a high quality shower cap that is in a nautical dog pattern", + "i am looking for a grey full daybed with 2 drawers and should be made of a solid wood", + "im looking for a womens v-neck tunic with a relaxed fit in the size of large", + "i need a 5 pound bag of birthday candy", + "im hoping to find a pair of g-string thong underwear for men. ideally, the underwear will have a high waist, and i need it in a medium size", + "i am looking for a low sugar blue cheese and chive steak sauce", + "im in need of a stereo sound, pink color alarm clock radio", + "i am looking for blue color hair dye mixing bowl, sized 22x7.5x2cm", + "get me some non-toxic nail glitter in twelve colors", + "i am looking for brown hiking boots that are size 10.5 wide with a synthetic sole", + "i would like 2 packs and rinse of alcohol free mouthwash and toothpaste", + "i need a light weight case cover compatible with macbook air in size a1706, a1708, a1989, a2159, mac pro 132019|18. the color should be 11creative lamp", + "i need a high quality makeup mirror to be given as a gift for the maid of honor. find something in rose gold color", + "im looking for a high speed compact card for the usb reader", + "i need some small elastic waistband shorts", + "i am looking for a long lasting full size metal platform bed", + "i want a lorex 16-channel 4k uhd dvr surveillance system with motion detection", + "i want a long sleeved tunic top in small size. pick a hot pink one", + "i looking a rose gold orgnizer display for lipstic, eye shadow,lip gloss ,blush color clear /soft brass size 8*4*2", + "i would like a portable bluetooth speaker with stereo sound", + "i would like a medium sized black bikini with short sleeves", + "i want asian sesame keto salad dressing", + "i need a polyester cotton polo shirt in size 6x-large. find me a blue one with a gray stripe", + "i want an easy to use instant beverage mix in hazelnut flavor, just one pound", + "i need a manual toothbrush for sensitive teeth", + "help me find a black doorbell that will detect motion and give an excellent 1080p hd video quality", + "i need high quality hair extensions that are loose waves", + "i am looking for 5p deep pink color concealer that is anti aging and cruelty free", + "id like to find a digital camera thats water resistant. the color needs to be graphite silver and i want the configuration to be the international version", + "i would like a 12 x 16 in three pieces blackleaf poster thats ready to hang in my living room", + "i need an elastic waist active short that is an x-large", + "i am looking for cruelty free lip balm lip scrub (color c)", + "i would like a black 64 gigabyte tablet with a case and screen protector. it also needs to be able to be hands free and have a ad supported lockscreen", + "i would like to get a 10 inch sea salt and ginger jar candle for my living room", + "i need a teeth whitening kit for sensitive teeth that comes in seven pairs", + "locate for me a sweatyrocks womens high waist pu leather midi skirt. i want it in brown", + "i need a sleeveless hem that is machine washable . and i choose the 3x size with grey mix color", + "im looking for long lasting clack teakwood jar candles", + "i am looking for wine red maternity shorts with nylon spandex and pockets", + "i need a 8.5 fl oz cool girl aromatherapy candle for my living room. i want the nectarine + coral scent", + "i am looking for a red color fast charging portable charger", + "i am looking for 16 inch light golden blonde color synthetic hair extensions hairpieces for women", + "i want to find some portable 18-inch long hair extensions in the light brown color", + "i am looking for 30g of organic matcha", + "i want a 1.5 foot long black gold plated hdmi cable", + "#4 medium brown color hair pieces of 8 inch length as hair extension", + "i need a cosmetic bag for my nail polish. get the one in color eleven", + "looking for long sleeve and loose fit sweatshirt for women also choose colour gray", + "i am looking for purple accent side table end which is easy to clean", + "i want a sulfate free shampoo & conditioner set with biotin scent", + "can you find me a long lasting hdmi cable? i only need one that is fifteen foot long", + "i would like a presentation remote that is easy to use", + "looking for iced tea bags puerh tea bags certified organic, flavor darjeeling, pack of 1 with 20 count", + "i am looking for some long lasting lead free prayer candles", + "i am looking for gold plated video cables", + "i want to buy a king size box spring and 4-in foundation set in the color no", + "im looking for the marc jacobs daisy eau so fresh impression perfume in a travel size", + "im interested in some low-carb, high protein jerky with zero sugar and no artificial flavors", + "i am looking for a three piece assortment of individually wrapped bakery gifts that are chocolate caramels", + "im looking for ankle boots for women and winter round toe solid color booties", + "i would like a foot cream made from seed oil", + "i am looking to purchase a light buff and cruelty free manufactured makeup", + "i want a screen protector made with tempered glass", + "i want 24 x 24 pink purple throw pillow cover for living room sofa", + "i am interested in sandals which have arch support are in tan color and have a size of 11", + "im looking for a bench style farmhouse in white color", + "im looking for a pair of blue noise cancelling headphones with stereo sound", + "im looking for makeup accessories for deadly skin and easy to clean to skin", + "i want a quick release watch band in grey, black, white or blue", + "i need a high quality hair extension", + "i need a four piece shower cap that is for natural hair", + "get me a holiday variety pack of sugar free syrup, please", + "i want brushed nickel linea di liara teramo island lighting for my dining room", + "i need a mother of pearl and diamond shaped sparkle glitter that is easy to apply", + "i need grey color wood frame", + "i need a home office desk chair that is green and made of pu leather", + "i am looking for a laundry bag in medium size", + "im looking for a size 7 non slip hedgehog running shoes", + "wall plate cover in toggle combo", + "i want a pair of non slip ballet flats with rubber sole. i need it in size 11", + "i am looking for a black stainless steel smartwatch bands", + "get me some machine washable stonewash jeans", + "im looking for skin care need to buy a sugarcane and papaya for dry skin", + "i would like a 62w by 34l big and tall pair of light indigo jeans that are machine washable", + "i would like a hair cutting kit with stainless steel sheers", + "buy me the bluetooth soundbar in size mb-3220", + "i need a high heeled close toe shoes that is in size 9", + "i want an oil free foundation that is high in quality. find me the 410 caoouccino color", + "i want to buy walkie talkie which has batteries included and come in pack of 3 in black color", + "i will like to have trader joes fiberful granola bars rolled oats & chocolate chips", + "looking for table sofa table for kitchen dining room and also choose colour antique blue", + "get me a forty pack of old-fashioned popcorn", + "i need a gray nightstand with a steel frame", + "i want a walnut wersmt led tv stand for my living room", + "i would like a #8 foundation for sensitive skin", + "i am looking for a medium - large polyester cotton t shirts for men", + "i want to find a 10-foot long usb cable with a usb port in rose gold color", + "i am looking for loght weight photography background.size should be 10x7 ft", + "im looking for queen horizontal sized beds that wood framed structure ", + "i am interested in buying a short sleeve blouse for men which i can wash in a washing machine and its f red in color with a size of 3x-large", + "i am looking for long lasting leau de parfum spray for women", + "i want a large machine washable marky g short sleeve t-shirt", + "i am looking for mens green tea shampoo and conditioner", + "i am looking for frozen meals that is grass fed and gluten free. i want it in beef variety pack flavor", + "i am really looking for a coaxial cable that is 3 meters long", + "i need a kids toothbrush that is orange and good for sensitive teeth", + "if you have maybelline new york super stay full coverage (dermatologist tested,oil free) im looking for color 128 warm nude", + "i am looking for slim fit men jean.it shoud be machine washable", + "i am looking for toilet storage cabinet that is easy to clean", + "i want to buy an android smartphone. the camera should have optical zoom and it should have at least 128gb of space", + "i would like a desktop tower that has a core i5 processor with 16 gb ddr4 ram, and has 256gb of storage", + "i am looking for living room throws that are a rose color and are in 50 by 60", + "i would like a size 7.5 wide pair of white flats with a closed toe", + "im looking for a ceiling light fixture with a brushed nickel finish that would suit a dining room", + "i am looking for medium sized women knee high over calf", + "i would like to buy a 70 by 70 inch pattern 4 table cloth thats easy to clean", + "i want to find a set of two vanity lights with glass shades", + "im looking for a pair of navy pants for men in a size 36w x 34l for daily wear made from a polyester-cotton blend", + "i need a bathroom vanity light that is easy to install", + "i need to buy a long sleeve sweatshirt in red. look for a size small", + "i am looking for a sugar free and gluten free dried fruits in dried pineapple flavor. also choose size of 8 ounce (pack of 2)", + "locate the 12 pouch option of gogo squeez fruit on the go applesauce that is non gmo. i want the apple cinnamon flavor", + "im looking for skin care for nail polish that color was aphrdesie neede", + "im looking for a flat black vanity light that comes with glass shades", + "i want xx-large biker shorts for women high waist", + "i want to find a red d04 gaming chair that offers lumbar support", + "i would like a bronze floor lamp with a glass shade", + "i would like some black high heels that are a size 6.5", + "i would like some aluminum alloy binoculars", + "i want a tempered glass screen protector that is compatible with an apple ipad", + "i am looking for a nail art for practice hands & fingers", + "im looking for a desktop computer with an intel core processor and at least 16gb of ram and a 512gb solid state", + "get me some party mix with chocolate covered cashews in a resealable bag", + "i want a hair remover for face and body including the bikini area. pick the lilac one", + "i want to find sugar-free marshmallow flavored syrup in a 25.4 ounce bottle. it must come in a pack of three", + "i want to find a win10pro desktop minis with high speed", + "i am looking for a fully cooked chicken & turkey", + "i am looking for a long lasting lip balm", + "i want a 52x84 100% blackout window curtain for my living room", + "i would like a trail mix that is almond cranberry crunch and is non gmo", + "im looking for a golden dinosaur cake toppers for a birthday cake", + "i am looking for a usb 4g lte wifi modem for internet connection", + "i am looking for a mango matic flavored performance drink that has zero sugar", + "i need some concealer for my dark circles that is in shade 03 natural", + "i need some argan oil that is free of parabens. get me the 2 ounce pack", + "i am looking for english scone mix with real fruit", + "i need a yellow facial sponge for sensitive skin", + "im looking for body make up for skin care accessories", + "i am looking for flat open toe slipper in z1-02 black", + "i want to find high volume 71a mink lashes that are cruelty-free and easy to apply", + "i am looking for queen size pillowcases that are in the color persimmon", + "im looking for a leather phone wallet case compatible with the iphone 11 pro that supports wireless charging", + "i want blue high waisted plus size swimsuits for women", + "i want a mini desktop with intel core i5 4200u", + "i would like a 36 by 48 inch painting for my living room that is of a red barn", + "im looking for popcorn seasoning that is gluten-free, low-sodium, cheddar-flavored", + "i need an iphone 7 plus case that has wireless charging capabilities", + "i am looking for 2 sets of mesh laundry bags and should be medium sized", + "i am looking for a 12 fl oz (pack of 4) of non alcoholic low calorie soft drinks", + "im looking for cruelty free tan concealers & neutralizers", + "look for gluten free dairy free hot cocoa pods 16 count (pack of 1) with quality ingredients and also choose", + "im looking for a package of 16 stainless steel lip razors for women", + "i am interested in buying sparkling water which is made of simple ingredients and has raspberry lime flavor", + "im looking for a solid wood dresser with bronze finish. also choose 4-drawer wardrobe chest with boho chic- white washed one", + "i need a small rotating book shelf made of wood with 3 tier storage. pick a white one", + "i want to buy some sandals. get the ones with the ankle straps, and buy them in moonstone, size six and a half", + "show me a bright green art wall sculptures for living room made through exquisite workmanship", + "i need a medium sized classic fit t-shirt. it should be black in color", + "i need two pounds of strawberry hard candy that is individually wrapped", + "im looking for a cruelty free, herbal toothpaste in mint flavor", + "i need an 8 oz coffee substitute that is caffeine free", + "i would like to buy a x-large purple cardigan that i can hand wash in the sink", + "i am looking for a conditioner that comes in a pack of three for natural hair", + "i need a 3 pack pendant light fixture with glass shade and white finish. it should be 45.7 inches in size", + "i am looking for a 1 pack of high speed hdmi cables", + "i need a faux fur coat that is black and in a medium", + "i am looking for dual band cellular booster", + "i need an indoor ultra hd antenna with an amplifier", + "i am interested in some chocolate grain free granola", + "i am looking for a long lasting blue caftan dress in the size small-medium", + "i want an easy to use pillow speaker for my mp3 phone. it should be 3.5mm in size", + "i am looking for a 1 count (pack of 12) hand masks for anti aging and dry skin", + "im looking for soy wax it can use make for candles", + "i am looking for a sulfate free shampoo and conditioner set for natural hair. also choose mousse styler", + "i am looking for a high resolution car stereo system with mp-800 and the latest phonelink", + "im looking for long lasting mens cologne from banana republic", + "i am looking for a green tea detox & repair shampoo", + "im looking for ceiling lights pendent lights for living room", + "i need cake toppers that are dairy free and are 2", + "i need a dual band 10th gen desktop that is a core i5", + "im looking for an oil free fine mist makeup foundation. also, choose the buff beige color", + "i need an ac adapter with output protection", + "i want to find a red standing computer desk that i can adjust the height for", + "i would like some soft drink mixes that have low sugar", + "i want to get some keto friendly blueberry baking mix thats made from all-natural ingredients", + "im looking for 22 inch long hair extensions having dark auturn brown color (pack of 1)", + "i want small and cotton spandex mens jogger pants", + "im looking for a full size heavy duty bed frame", + "i am looking for coffee gift trunk with gift basket", + "i would like a 1.5 pound box of 3 oz bottles of organic seasonings that are low sodium", + "i am looking for a heavy duty bedroom sets of full xl size", + "i am looking for easy to clean double sided velvet pads", + "i want to find a brown wall mounted wall sconce with a bronze finish", + "i need a lorex ultra hd indoor wired dvr security camera system with motion detection", + "im looking for a 2.75 inch partywoo birthday blue candles ", + "im looking for a bakery emulsion which should be free from bpa and gluten. also, choose 1 gallon maple flavored one", + "i need to buy a high definition blu ray power amplifier", + "i would like a quad core desktop processor tower", + "im looking for a bath brush in beige with a long handle", + "i am looking for a turquoise blue color of body glitter nail art", + "i need a pink colored area rug for my living room area", + "i would like a 1 fluid ounce green apple lip gloss thats cruelty free to animals", + "i need a portable bluetooth speaker that is hands free. pick something in blue", + "i am looking for a 16inch x 16inch x 3 panels of posters & prints for dining room", + "im looking to buy some walking shoes in size 11 narrow that have a lace closure and are pink multicolored", + "i want to find a 4-piece set of haircare products for damaged hair, including essential oils and herbal spray", + "i am interested in buying make up foundation which is tested by dermatologist, and is of golden beige color", + "i am looking for some sugar free sriracha bacon jerky", + "i am looking for 3 packs gluten free chocolate bars", + "i need an easy to install 24 millimeter replacement watchband in red", + "im looking for a long lasting 3 wick candle that has soy wax and is sweet delight scented", + "im looking for short sleeve outfit large sized", + "i need cupcake toppers for a baby shower", + "i am looking for high quality hair cutting scissor make up of thinning shears", + "i need area rugs in the color french cellar that i can easily spot clean", + "i am looking for a fluoride free toothpaste with clinically proven. also choose 3.75 ounce in size", + "i am looking for 2 pieces of 6ft long fast charging micro usb cable", + "i would like a 2 pound bag of individually wrapped candy", + "i am looking for smart bands of size 40mm and are easy to install", + "i am looking for 2 pieces of machine wash large size adult nightgown pajama sleep sets", + "im looking for a jean jacket with thicker collar size medium in color pink for daily wear use", + "im looking for a moisturizing shave oil for dry skin scent vanilla", + "i am looking for a high power high definition sound bars", + "i want a cottage grey and long lasting 6-drawer double dresser", + "i would like a 3.4 oz dry shampoo that is paraben free", + "i want to buy lights which are vanity light chandelier, and in brushed oil rubbed bronze color, also i want to have nine lights", + "do you think you can find me a dustproof phone case? ill take one in white", + "looking for hand crafted cranberry pumpkin seed choose pack of 12", + "can you please help me to find mens fleece jogger pant of 3x size which has elastic waist", + "im looking for a black guitar cable with usb port and it should be 10ft long", + "i need a home office chair that has lumbar support and comes in a four pack", + "i need some regular slim fit jeans that are a size 34w by 38l", + "i need some boots in a seven wide that have leather soles. the color should be i mocka.", + "i am searching for womens yoga short sleeve daily wear and round neck t-shirts of small size and #3 blue color", + "i am looking for a green table lamp for the living room", + "i am in need of rich creamy peanut butter sauce", + "i would like a eye shadow brush set", + "i need some water resistant boots with a rubber sole. it should be in a medium brown shade", + "im looking for home & kitchen furniture with height adjustable in living room", + "i am looking for a 24 pack of shelf stable fruit juices", + "im looking for gluten free it contains high protein need to buy a nut free", + "i need running shoes that are dark grey with arch support and are in a size 13.5", + "i need a 5 pound bag of birthday candy", + "i need a dark brown permanent hair dye. it should be easy to use", + "i am looking for a womens medium long sleeve sweater", + "i would like a 60x40x43cm solid wood ottoman for my living room", + "i am looking for some dining room barstools that are gray vinyl and have a gold base", + "i would like a backdrop for digital photography that is 10 by 8 ft", + "i would like to buy some 24 inch grey hair extensions", + "i would like a high performance memory card reader", + "i need a regular fit machine wash nike gym t-shrit", + "looking for safavieh hudson shag collection area rug in dark grey | ivory rectangular shaped that is 2 ft 3 in x 6 ft for my living or dining room", + "am looking for a non-alcoholic spirit that comes in a bottle size of 750ml made by the monday company called zero alcohol gin that should be found in the grocery & gourmet food department", + "i am looking for a brown finished wood full size platform bed with box springs", + "im searching for a rechargeable plug play powerpoint presenter remote. also its color is green light one", + "i want an oxidized brass capital lighting 330311xb sedona industrial metal dome pendant light", + "a am looking vinyl acetate rose gold women sandal size 10", + "i am looking for a .4 fl oz concealer that is good for dark circles and is in the shade 12.0 light sand", + "im looking for black color medium size puweer straight leg slacks for women to business work casual", + "i would like a loose fit tunic that is lavender in the size 6x", + "i am looking for a faux leather grey color loveseat for living room", + "i am looking for a comfertable fit 34w*331 jeans colour should be acron", + "i am looking for a game joystick that has a usb port and must be the color black", + "i need an 8ft round contemporary area rug that is silver and ivory", + "im looking for pink cruelty free himalayan salt water mouth rinse", + "i am interested in living room pendant lights that are white", + "i would like to get a womens large pink heather cotton t-shirt", + "i am looking for 32 pack of hyaluronic acid full face facial mask", + "find me a long handled body brush that is double sided", + "can you find me a stainless steel band for my smartwatch? i need it to be 24 mm", + "i want to find a 3-pack of 50-foot long nylon microphone cables that are heavy duty", + "please look for peets iced espresso vanilla latte 8 oz can with quality ingredients", + "im looking for philadelphia candies covered oreo cookies", + "i need jar candles that are made out of soy wax", + "im looking for a pair of womens high heel with closed toe. i want pink and in size 9", + "i want anti aging collagen boosting serum", + "id like a couple of packs of meal replacement shakes to satisfy my high-protein, gluten-free diet; i prefer a natural chocolate flavour", + "i am looking for women\u2019s long pajama sleep pants with elastic waistband and small in size", + "i need some easy to install cellular shades that have beige-light filtering and are a size 61w by 72h", + "i want to get a desktop tower with tempered glass. it also needs to be 8 gb ddr3 ram and 1 tb hdd", + "can i get a hedgehog garden ornament collection which has a longlasting battery ", + "i need some white vinyl flip flops in size 8 for women", + "im looking for a sky blue ring holder for my smartphone, if possible with wireless charging", + "i am interested in buying cheese which is made of quality ingredients and comes in a pack of 12", + "i am looking for a hair color of lime light color having argan oil in it", + "im looking for kitchen rugs for kitchen its very clean and contemporary design", + "get me leak proof and easy to carry pump dispenser bottle for nail polish and make up removing", + "i am looking for a chrome sputnik chandelier for my dining room", + "i am looking for a gluten free fennel seed with no gmo. also choose natural mint leaf whole flavor and 2.4 ounce (pack of 1) size", + "i need some high quality stainless steel hair cutting shears that are six inches long", + "im looking for a heavy duty case for my phone. can you get me one in black and orange?", + "i want to find peach-colored roller blinds for my living room that are easy to install. they need to be 58 inches in width and 64 inches in height", + "i am looking for a travel size eau de parfum for men of sandalwood & white musk perfume scent", + "i would like a old version of a 730 golden caramel foundation that is cruelty free", + "i would like some cake toppers for a baby shower", + "i am looking for endurance crunch granola that comes in a pack of six and is non gmo", + "im looking for a long-lasting living room set made of a wood frame and faux leather with generous lumbar support", + "i would get to get a womens large cranberry t-shirt made from cotton heather ", + "i need straight leg jeans in a medium that are big and tall", + "i am looking for whitening face sheet mask which is dermatologically tested and alcohol free with natural ingredients .which is suitable for all skin types procure rosacare soothing sheet face mask pack of 1 gel preferable", + "im looking for longwear makeup remover towelettes for sensitive skin. make sure theyre cruelty free", + "i need to buy a wall art print for my living room in a natural 16 x 24 x 3", + "i want to find a two-pack of 12-count coffee-crumble flavored sweet delights. they need to be individually wrapped", + "i want a campbells soup that has vitamins and are made of chicken & star shaped pasta", + "im looking for a full size platform bed storage with two drawers", + "im searching for mens stan smith rubber sole sneaker of size 5.5", + "i would like a quad core desktop tower", + "im looking for safety boots for men and women", + "i neet 10 quantity of gold plated display port to vga adapter (male to female) compatible with any computer,laptop and projector", + "i need teeth whitening toothpaste that is orange and purple", + "help me find a 2 pack of stone grey faux leather throw pillows that are 18x18 inches", + "i want to find a computer speakers that have a usb port", + "i am looking for a tan memory foam slipper", + "i need a night stand with a width of 24 and height of 30. pick a white one", + "im looking for a 1.2 ounce package of freeze dried, non gmo, beets", + "i am looking a natural flavor sugar free straberry kiwi water enhancer", + "i would like 42 bags of 100% colombian rich and creamy single serve coffee cups", + "i am looking for gluten free, non gmo butter chocolates made with vanilla and cashew. and i choose the 12 count packet with salty chocolate flavor", + "i am looking for an intel core all in one pc", + "i need 8.4 fl oz travel size voir haircare hair masks", + "i am looking for a cinewhite sable frame series ultra hd projection material .i prefer light weight", + "im looking for a whitewashed media chest with a wood finish", + "i am in search of a black printed heavy duty toiletry bags which will be able to resist the water damage", + "i need hands free matte black cell phone holder for car dashboard windshield", + "i am looking for barber shop height adjustable beauty salon chair. also green one", + "i am looking for an easy to prepare thai sweet chili lo mein flavored pasta", + "im looking for a pair of leather soled, memory foam loafers that are red and in a size 9", + "i would like a twin size indigo pink duvet cover set that is machine washable", + "i need a 42mm smartwatch band that is easy to install", + "i would like some peanut butter cookies that are ready to eat", + "i want a vanilla and oil free loreal paris true match liquid foundation", + "i want to buy a tea-themed gift basket", + "i need a blue body brush for dry skin", + "i would like a four pack of fully cooked chicken", + "im looking for a set of machine washable long sleeved pajamas that come in a mens small", + "i have choose size 38 to high heel for the summer", + "i am looking for a stool set of size 30 inch for my dining room", + "i am looking for a 6 pack of cookie assortments which is keto friendly grain free and sugar free", + "im looking for a 3 x 5, light weight, aquatic wildlife back drop", + "i want an easy to carry storage case for my cosmetics that is multi-colored", + "i need a light fixture that has glass lampshades with a grain finish", + "im looking for a gluten-free thick & easy clear thickened apple juice, honey consistency, 4 ounces", + "i am looking for 60 pieces of farm themed cupcake toppers for a birthday party", + "i need a basketball of size 9. it needs to have a lace closure and and rubber sole and outsole", + "i want to update the living room and need a bronze light fixture. i want you to buy one that is a sconce in the industrial style with clear glass globe shade", + "im looking for an officially licensed spider-man t-shirt with black needle sleeves", + "im looking for something that is easily cleaned", + "i want white ylong-zs hanging lamps for my dining room", + "im looking for a highly pigmented eye shadow kit. also, choose the nude pallet kit with brush", + "i need a gray vanity bench with metal legs", + "i would like to buy a six pack of 12 ounce apricot dairy free bake mix", + "i am looking for a pack of birthday cake candles. also, i am looking for a golden colored number 9 shaped candle", + "i would like a 30 wide vintage leather grey headboard that is wall mounted", + "i need a theater sized pull-down projector screen", + "i want dark brown and high quality full french lace mens toupee", + "i need a super soft throw blanket for my living room. it should be 80x60 in size", + "i want a 15 ounce sized chocolate covered cookies. it is for a valentines day gift", + "i am interested in perfume oil that is cedarwood scented and travel sized", + "i would like a two pack of soy candles", + "i am looking for an 85 foot coaxial cable", + "i am looking for gluten free almond cranberry crunch", + "i am looking for indoor outdoor rg-6 coaxial cable of aluminum alloy and size:95ft", + "im in need of a pair of laundry bags made from mesh", + "i am looking for a 20 inch hair clip for my wife. and i would prefer the #4t27 medium brown ombre dark blonde", + "i would like a 15 inch 600 watt speaker with a 2 inch dual voice coil in stereo sound", + "i am looking for a 16 inch size hair extension having synthetic hair", + "i need an exquisite pair of 63 inch long curtains that are also machine washable", + "i need a space saving coat rack in solid wood", + "i am looking for makeup remover for sensitive skin", + "i am looking for womens sandals of a7-green color that are non slippable", + "i would like a hands free cd dvd car stereo reciever", + "im looking for permanent hair coloring in a smoky pink color", + "i am looking for a space saving home office desk with a reclaimed wood look to it", + "i am looking for a wireless bluetooth headphone with noise cancelling and dust proof. also in red color", + "im looking for women\u2019s beige skechers go walk 5-lucky sneaker in a size 10", + "i am looking for a hairpiece made up of synthetic hair. also choose swedish blonde hair color one", + "i want to find a black pair of womens summer sandals for daily wear in a size 9", + "i need a water proof watch band for a 42 millimeter apple watch. i want a green one", + "i would like a travel sized bag that is yellow", + "i want uscce alarm clock radio with batteries", + "i am looking 2 bathbar marblezied having nickel finish vanity light", + "i need to order a fully assembled tan chair", + "i would like some black tongue cleaners for my bad breath", + "i am looking for long sleeve wide leg daily casual medium size jumpsuit for young woman color :b-white", + "i would like some blueberry acai jelly beans in a resealable bag", + "i would like a 92 powergain ezframe cg5d series projection screen that is ultra hd", + "i am looking for black stainless steel wristbands", + "im looking for a slim fit womens jumpsuits with long sleeve. also, choose large, 001-hot pink one", + "i am looking for a height adjustable faux leather barstool", + "i want a tripod that is easy to carry", + "can you find me a hair growth serum that is made from natural ingredients, that will aid in hair growth and also aid in restoring damaged hair to its healthiest state. i would like one individually-sized package", + "im interested in cupcake picks suitable for a baby shower or birthday party", + "i want a white emma + oliver kids 3 piece solid hardwood table and chair set for my dining room", + "im looking for a cactus cupcake toppers for birthday party", + "i want a high heel open toe pink color women shoe with ankel strap size :4.5 wide", + "i would like a blackberry bay shampoo for damaged hair", + "im looking for a 32 ounce package of gluten free almond flour", + "i am looking a tempared glass anti scratch screen protector for i phone 13 pro", + "i want a 4 ounce bag of bbq jerky that is high in protein", + "i want a shampoo and conditioner set for damaged hair with coconut oil, size 32 oz 2 pack", + "get me a black t-shirt with short sleeves. i am an xx-large sized man", + "i am looking for 48 x 60 inches size desk cover protector for my dining room", + "i need slip ons that are grey and are made of memory foam", + "i am searching for high gloss storage cabinet organizer for living room", + "i want to buy window drapes for my living room that are machine washable. also, pick size: 108 x 108", + "i am interested in buying a xx-large sized onesie pajamas which is ideal for teen girls and is long sleeved", + "i am looking for a 50 pack of white non-slip spa headbands", + "im looking for gluten free, fat free and sugar free natural strawberry jel dessert", + "i want to find vanity light fixtures that i can put in my bathroom", + "i need anti slip grey running shoes", + "i need a fast charging charging station that is space black", + "i am looking for a pink colored dental flosser for sensitive teeth", + "i want a sulfate and paraben free repairing hair oil with the coconut monoi scent", + "i need a wireless bluetooth speaker that is blue", + "i am looking for big and tall wrangler cowboy cut, comfortable fit original jeans", + "want a security camera system with high definition, motion detection and need to be dust proof", + "im looking for an apple macbook that has an i5 processor and an ssd of at least 128gb, renewed looks nice too", + "i would like to buy a deer statue for display in my living room", + "i need high quality makeup remover pads for my sensitive skin. i like it to be 12 pack and gray in color", + "am hoping to find the heavy duty yaheetech console table with storage", + "i would like a grey laptop case that is water resistant", + "i am looking for a cake toppers for birthday party", + "i need some fresh baked rye", + "bacon jerky 15 pack", + "gummy and candy corn 5 pound with resealable bag", + "i need a matcha green team exfoliating scrub that is effective for removing dead skin from the surface of the skin", + "i am looking for a ten foot gold plated displayport to hdmi cable", + "im looking for a tongue scraper that is stainless steel and helps me keep fresh breath", + "im looking for this product : qumox wireless pro controller remote control pro gamepad joystick with dual vibration if you find it let me know soon i need wireless bluetooth", + "i am looking for x-large, red color women faux fur lined winter warm jacket coat", + "i want a pair of size 8 green loafers with arch support", + "im looking for a 3 pack poyiccot screen protector for suunto 9 peak", + "i am looking for a hand crafted chocolate gift set", + "i am looking for a laundry bag for travel purpose", + "i am looking a cotton spandex low rise mens briefs medium size colour should be black", + "shop for a pair of size six jelly sandals with rubber soles and snap closures. by the silver ones in size six", + "i am looking for quad core mxq pro 5g android 10.1 tv box ram 2gb rom 16gb h.265 hd 3d", + "i would like a 14.5 fluid ounce can of fresh scent oven cleaner that is easy to use", + "i want to find an l-shaped desk that can help save me space", + "i am looking for a 5ft black ac adapter that has output protection", + "i would like to buy a 16 x 36 inch round clear table pad for my dining room table thats easy to clean", + "i need an x-large t-shirt blouse that has short sleeves", + "i am looking for a light brown - 100% blackout 50w x 72h roller shades which is easy to install", + "i am looking for chocolate scent candles that is long lasting", + "i am looking for a 2 ounce (pack of 4) of 2 ounce (pack of 4) jerky", + "i would like a pink toothbrush for sensitive teeth", + "im looking for a pack of 3 cheese crisps with 10 ounce need to be gluten and lactose free, savory seed flavor", + "im hoping to find non-toxic false teeth that are made out of high quality soft silicone", + "i would like a black face kit with green tea", + "my father mostly use grey color intel core laptop only", + "i need a blue portable bluetooth speaker that is easy to carry", + "i am looking for a polyester cotton board short which is washable in machine. also choose grey one and 38 size", + "i would like a 3.5 ounce variety pack of pretzels that are nut free", + "i would like a 13.25 by 8 inch vanity light with a glass shade and a satin nickel finish", + "i want cupcake toppers for 2022 kids baby shower", + "i am looking for a 4g lte coaxial cable", + "i want to find a high-resolution mini body camera without a memory version", + "im looking for a 1 fl oz package high quality, long-lasting liquid foundation with spf that is oil-free. also, choose shade 460 - macadamia", + "im looking for sandals for a women need to buy a yellow color rubber sole", + "i am looking for fragrance free foaming cream cleanser", + "im looking for a security home camera to see the motion detection at 5 pm", + "i would like a high def gold plated hdmi cable", + "i am looking for a grain free granola cereal", + "im looking for a button down mens shirt with short sleeves and in the size of 3x-large", + "keego window blinds will they block out all the sun light or will there be cracks?", + "find me freeze dried chocolate covered strawberries and mango, need a bag with 2.5 ounce", + "im looking for a leak proof soap container for kids", + "i would like a body wash made of seed oil", + "l am looking for a pair of non-slip, rubber-soled black shoes in a size 8.5", + "i would like a black smartwatch quick release band", + "i need a madecassoside and 1.69 fl oz of moisture gel cream for sensitive skin", + "i want a dust proof case for my iphone 11. it should be black and easy to install", + "i need to buy a toothbrush travel container. make sure its easy to clean and buy color five", + "i am looking for a beige sectional sofa set for my living room", + "i want to buy some machine washable curtain panels and color b006c22. it needs to have a rod pocket and be size 36 width and 84 length", + "i would like four flatbreads from trader joes", + "i want to find cruelty free organic lip balm thats made with natural ingredients", + "show me a silver colored 2.4ghz intel core i5 laptop with 1.4ghz processor - 8gb ram 256gb ssd capacity", + "i need a set of 15 bpa free and eco-friendly jars", + "im looking for a 2 pack speex dp to hdmi cable. also, choose the gold plated option", + "im looking to buy a body wash that has tea tree oil as an ingredient that would work well for sensitive skin", + "i am looking for a travel sized bottle of chanel number 5", + "i would like a 8 ounce thanksgiving assortment thats a great gift", + "i am looking for a light fixture that is brushed nickel", + "can you find a seed oil based face wash that is cruelty free with no fragrance and good for sensitive skin?", + "i need a black t shirt that is classic fit and an x-large for women", + "i need a vegan smoothie in chocolate strawberry flavor. it should be soy and lactose free", + "i need a fluoride free toothpaste that ensures fresh breath and removes stain. pick a purple colored one", + "im looking for a heather charcoal or electric blue machine washable athletic polo t-shirt. choose the ones that have short sleeves and in size large", + "i am interested in a high protein bar that is mixed berry flavor", + "i am interested in a variety pack of fruit snacks that are plant based", + "i want to buy cupcake toppers which are suitable for birthday party cupcakes and with a pattern of rg 80", + "i am looking for some fat free snacks size of 2.85", + "i am looking for medium size mens hiking shorts having elastic waistband", + "i want to find a mirrorless digital camera that produces high resolution photos, and comes with a color filter kit", + "im looking for a long lasting perfumes", + "im looking for a high resolution digital film & photo scanner that is easy to use. choose the black ones that is 9.4 x 7.9 x 5.1 inch in size", + "i need a desk lamp with brushed nickle finish", + "i need some non-slip black walking shoes in the color black and size 7.5 for women", + "i am interested in acquiring women shirt which is gray color and x-large size, while also i want it to be machine washable and be a loose fit", + "i want non gmo stretch island original grape fruit leather", + "i want fat free black forest gummy bears", + "i am looking for black color heavy duty protective cover for phone 13 pro", + "im looking for moisturizes the skin the green tea gives skin care goodness", + "i am looking for an off-white toiletry bag that is easy to carry", + "i would like some eucalyptus lavender body scrub that is also eco friendly", + "i am looking for a high performance 4g lte android tablet", + "i would like a pair of medium navy blue gym shorts that i can machine wash", + "i want a hemoton 25 pack christmas cupcake toppers for a baby shower", + "im looking for the perfect gift basket: its a smores bark snack that contains no dairy", + "i want a pair of size 7.4 red walking shoes with a anti slip material", + "i want light pink veil cosmetics complexion fix oil-free concealer", + "i want to get a large mens classic fit t-shirt with an officially licensed logo on it", + "im looking for high quality phone cord hair ties. also, choose size 18, matte color", + "im looking for a four ounce low sodium paleo seasoning set", + "i am looking for a 1.6 ounce (pack of 6) of cookies which is low carb, high protein, low sugar and gluten free", + "i need an animal themed and seafoam multicolor office chair slipcover that is machine washable", + "i am looking for a high resolution portrait of green forest natural scenery", + "i need a high speed 3 pack of coaxial cables", + "i want a on-ear headphone with noise cancelling", + "i want quick release water resistant smart watch band color purple mist", + "im looking for soft bed sheets queen size for twin bed in warm taupe", + "find me a joe west character flash case compatible with apple phone", + "i want a queen size upholstered platform bed", + "im looking for a tongue scraper for adult and children for a oral hygiene and a fresh breath with 4pcs", + "i am looking for a high speed hdmi male to female cable that is 30 feet long. pick a 2 pack one", + "i would like a 3 pack of kugel meal kits that are fully cooked", + "i want to find a 2-pack of achar recipe seasoning mix thats easy to use", + "i am looking for a wall art of size 36 x 24 x 2 for my living room", + "i need a quad core white tablet that has 64gb of storage", + "i am interested in acquiring a bedroom armoire which is eco friendly, and has steel frame, also i want it to be of black color, and the size should be 56x18x56", + "i would like a pair of no mic earbud headphones that have stereo sound", + "i am looking for freeze dried in bananas and strawberries", + "looking for kosher certified butter popcorn salt also choose color butter", + "looking for a hair extension for grey dry hair and 18 in long", + "i need a clear glass wall mounting lamp for my bath room. and i would prefer 2-light size", + "i am looking for baked fresh red velvet cookies that are individually wrapped", + "i am looking for a red easy to clean area rugs", + "i would like a white computer speaker with stereo sound", + "i would like a 28 wide by 34 long big and tall pair of dax jeans that can be machine washed", + "i need a slim fit t-shirt that is blue and a large", + "i want a gluten free gourmet popcorn", + "i would like a six pack of 20 inch black mix light auburn high quality hair extensions", + "im looking for a queen pillow shams set of 2 pinch and to be super soft and white", + "i need a compact flaschard that is high speed and has a 512gb capacity", + "i am looking for a castor oil with tee tree oils for black natural hair that can stimulate follicles and hair growth . it should be 4 ounce", + "im looking for beef jerky with a sweet smoked flavor that is high in protein", + "i need facial wax strips for hair removal", + "i want to get a 12-pack of 14 ounce boxes of hand-crafted fettucine", + "i am looking for birthday party cupcake toppers, decorations supplies of pattern name : gold 30", + "i need bath sponges that are non toxic for dead skin in the color 1", + "i am looking for a long lasting 3.38 fl oz (pack of 1) eau de toilette for men", + "i am looking for a high density mattress", + "i am looking for a teal color stainlesss steel strap", + "im looking for a 19 neck 38 sleeve classic fit dress shirts for men", + "i am looking for 5 ft easy clean sun yellow modern plush rug square shaped", + "i need an eco friendly biodegradable body glitter, also copper holographic one and ultrafine (1 | 128 0.008 0.2mm)", + "i am looking for a water beverage with source of vitamin and zero sugar. also in kiwi strawberry flavor", + "i want to find an extra-large pair of high waisted x1-21 blue jeans for women", + "i am looking for a solid wood display & curio cabinets", + "i am looking a area rug soft easy clean in octagon shape size 7ft colour turquoise", + "i need a conditioner that is 12 ounces and is paraben free with a coconut scent", + "im looking for a blu-ray and dvd player in ultra hd", + "i would like a extra large texas orange t shirt with moisture wicking", + "i am looking for shelf baskets that are eco friendly and are 12.5l by 12w by 10 h", + "i want to buy an easy to use plug and play usb flash drive in black. get the 512 megabyte size", + "i am looking for stainless steel tongue scraper with rose gold for oral hygiene", + "i am interested in a high definition streaming media player", + "im looking for a travel monopod camera tripod with quick release and easy to carry", + "i want lumabase 30748 votive candles in clear glass holders - set of 12", + "i want to find a 3.5 foot printed backdrop that i can use for my digital photography", + "i would like to buy a full sized box spring bed that has storage drawers", + "i am looking for a pair of womens medium sized machine wash biker shorts", + "i am looking for10th gen intel core i7 -32 gb ram 2tb sotrage capacity pc", + "i want buy a leakage proof travel size bag case size -30 ml, 50 ml, 100 ml", + "im looking for some womens flat mules that i can wear every day for walking; im a size 5.5 and like the colour apricot", + "i want a honey brown simplihome artisan solid wood tv stand", + "the glitter mascara wands make me look pretty, pink is the one to go with", + "im looking for high speed 3 feet hdmi cable male to female with ethernet black", + "i want to buy a high performance s-video cable", + "i want to find one messy synthetic hair bun piece in a light auburn color", + "i need a case for my phone that is turquoise and has wireless charging capabilities", + "i need an 27 piece set of lip glosses that are fragrance free", + "i am looking for womens cover up dress of black color with long sleeve", + "i am looking for long lasting mens jeans of woodburn color", + "i would like a quad i5 core desktop tower", + "i am looking for a variety pack of dairy free granola bars that are 48 in count", + "i would like easy to apply halloween temp zombie tattoos", + "im looking for long sleeve and slim fit for dry clean for womens clothing", + "i would like a 3.52 ounce bottle of baby blue and pink body glitter that is long lasting", + "i would like a medium sized with sleep set that i can hand wash", + "i would like a valentines day snack gift basket", + "im looking for a desktop computer with the following configuration: 16gb ram 1tb ssd and a usb port", + "i would like some orange walking shoes that have a rubber sole in a size 10.5", + "i need a salmon slim fitting dress shirt that is in a size small", + "i want to buy bath brushes which are suitable for dry skin", + "i would like a high quality brush set", + "im looking for multicolor cupcake toppers with cupcake picks for baby shower", + "i am looking for caffeine free and gluten free chocolate. please choose peanut butter flavor", + "im looking for hair care for hair extenions its for permanent hair", + "i am looking for an oil free broad spectrum spf 15 sunscreen foundation for sensitive skin", + "im looking for a ursula neon t-shirt for girls from disney that is a classic fit, machine washable and in the size of medium", + "i would like to find raspberry jam snacks with real fruit combined with almond spread", + "i want black straight leg shopessa harem sweatpants for women", + "i would like a 1 pound white chocolate covered bag of coffee bean", + "i am looking for a nautical color of fruit juice for party supplies", + "shop for some easy install living room shades. get the fifty two inch ones with top brackets", + "i need a cell phone case with the flash design and compatible with apple phones", + "i need a natural teeth whitening toothpaste", + "i would like some gold living room end tables", + "im looking for a pair of black and white rubber-soled sneakers in a size 5.5", + "im looking for aluminum tripod light weighted products because it can easy to carry", + "i would like a small multicolor button down shirt that i can machine wash", + "i am looking for a carrying case for my canon", + "i an looking for designed with a button-tufted back, hand-crafted upholstery details & espresso wooden legs rosevera pottery tufted upholstered fine linen accent armchair set it in living room, bedroom or sitting room in muticolor", + "im looking for product packaging it is easy to use", + "im looking for home decor products it was in living room", + "i am interested in a closed toe mule that is light tan suede and in a size 6.5", + "iam purchase new type of machine wash and its color is dark coffee,size:36w x34i", + "i am looking for quad core video game console with high definition. pick a 256 gb one that is yellow in color", + "i need to buy some shave oil for dry skin with argan oil in it", + "i would like a 108 inch by 84 inch color 27 window panel that is machine washable", + "i need an easy to install walnut brown living skog mid-century tv stand for tvs up to 48 inches", + "i need high speed hdmi panel mount extension cable with angle down- 0.5m", + "i would like a 3 pound box of original sugar free tea", + "im looking for an x-large, short sleeve top for daily wear in pink with a loose fit", + "i want to buy loose leaf tea which is certified organic and has sleepytime bundle flavor and comes in 4 pack of 40 servings", + "i would like a african american pretty girl hair kit for home hair cutting", + "i would like to buy a black glider and ottoman set that is easy to clean", + "i need an easy to clean tablecloth that is the color of wood", + "i need a pack of 2 high speed cables that support hdmi to dvi and are also compatible with 1080p hd", + "i would like to get a 8 + 256 gig quad core desktop mini computer", + "i want large high waisted congyee womens athletic shorts", + "i need a red patio set that has a steel frame", + "i am looking for bpa free lavender lip care kit", + "i would like a quad core tablet that is black and has 8gb of ram", + "i need some white window blinds that are 60 inches tall", + "im looking for a snow white colored oval area rug that is easy for me to clean", + "i am looking for sulfate free shampoo that repairs damaged hair", + "im looking for a mid century coffee table for my living room", + "i am looking for twin bunk bed with slide & ladder , assembly required and also color is black", + "im looking for disposable razors for hair removal in multiple colors", + "i need a single light brown hair inch extension thats twenty inches long and made from synthetic fibers", + "i am looking for a nut and gluten free wild blueberry preserve", + "i am looking for a pair of mens size 48 blue winter shoes with memory foam", + "i am looking for a nail art carrying travel case. it should be easy to clean", + "i am looking for horse cupcake toppers for a birthday cake", + "i need xx-large wide leg jumpsuits that are wine colored", + "i want green modern velvet dining chairs for the dining room", + "i am interested in a wall mounted candle holder scone which has a glass shade", + "i want a 12 pack ass kickin habanero microwave popcorn bags gift set", + "i am looking for 2 piece long sleeve blue#b color swimwear for women. also x-large one", + "i want to find extra-small womens yoga pants that i can wear for my gym workouts. they need to be green colored", + "i want to buy himalayan salt which is gmo free and has natural coriander seed ground flavor, and comes in pack of 1 of 0.8 ounces", + "im looking for home decor products and its for dining room", + "buy me a pair of black snake leather flip flops with arch support in a size six", + "i would like a pink body scrub for dry skin", + "i am looking for a citron scent deodorant that is non toxic and cruelty free", + "i am looking for a red buffet that is easy to assemble and is 14.96 by 11.81 by 27.76 inches", + "i am looking for well cooked frozen chicken pizza with double cheese in a size of 6 pack", + "im looking for the pendant lights for ceiling lights for living room", + "i am looking for a 3.25 ounce (pack of 3) of protein serving jerky", + "i need to find a pair of coral suede ballet flats in size eight and a half. find the ones with the rubber soles", + "i am looking for a three pack of hand crafted cheese squares,", + "looking for high gloss storage space tv stand with led lights also choose colour black brown", + "i need a black hoodie that is machine washable and is 4x-large", + "get me some twenty four inch natural hair extensions. buy color number eight", + "i am looking for rubber soled men loafer. please choose size of 13", + "i am looking for a high performance usb flash drive. pick a gold one", + "id like to buy a cellphone case for my iphone. i want a black one made out of carbon fiber", + "womens multi pockets utility cargo pant relaxed fit for daily wear colour must bordeaux", + "im looking for a black speaker with a carrying case that is easy to use", + "i want ready to eat snacks with quality ingredients. pick one with salty cheese flavor", + "i am looking for a low sugar garlic flavor sauce", + "i would like a 6 foot long snake cable for blu ray", + "i am looking for xx-large youth fit black color halloween t-shirt of needle sleeve", + "i am looking for an assorted small cookie gift set that s covered with chocolate please", + "i want a bottle of shampoo thats at least thirty ounces, smells like rosemary, and is plant based", + "i need a heavy duty desk chair for my office. get me one that is easy to assemble though", + "im looking for white hair extensions made with synthetic hair", + "i need some non gmo, keto friendly ghee butter that is shelf stable", + "i would like a lead free amazon rainforest bracelet candle", + "i want to buy hair brush for women which is of travel size and it should be with mirror folded at 2.75 inch", + "i am looking for gluten free organic bean chili rajma indian seasoning spice that is gmo free", + "i would like to buy some high quality long lasting eyeliner", + "hello, im looking for a sweater thats slim fit and comes in black? size medium too, please", + "i am looking for a power amplifier which is easy to use", + "i would like a mens powder lotion deodorant that is paraben free", + "i am looking down jacket ,long sleeve pedded coat insulated thick puffer jacket", + "i am looking for twin sized bunk beds that are white", + "im looking for moto g phone with dual camera", + "i am looking for a long sleeve jumpsuits of 001-red", + "i am looking for a light blue mini dress that is machine washable", + "im looking for a pair of leather soled, memory foam loafers that are red and in a size 9", + "find me a hdmi media players with aaa batteries for streaming", + "i need some high quality 12 inch extensions", + "i need blue golf shoes made of vinyl that are in a size 8.5 wide", + "i need a desk cover protector thats 30 by 60 inches. it should be easy to clean", + "i need a portable label printer which comes with aaa batteries", + "i am looking for a 16 inch hair extensions storage case", + "i am looking for cactus colored vinyl shoes in a size 8.5-9", + "i would like a high quality shower cap", + "give me one adidas crazyflight usav cross trainer regular fit women please, my size is 14.5", + "id like a twin-pack of gold wall sconces that i can put in my living room hallways. they should have clear glass shades", + "im interested in a blue long-sleeved sweatshirt in an xx-large that is warm for winter", + "find me a set of cute mesh laundry bags", + "im looking for a rich creamy, ready to eat buttermilk syrup made from quality ingredients. also, choose a pack of 4 with maple flavored one", + "i would like a 24 inch black barstool that is fully assembled", + "i need hiking shoes in a size 10 that have a lace closure", + "i am looking for a kerating detangler spray that is effective at stimulating hair growth", + "im baking a birthday cake for raju", + "i am looking for a blue stripe classic fit dress shirts", + "i am looking for heavy duty monoculars", + "i am looking for cream hyaluronic acid in peptaronic cream", + "i would like a 52 cm brown bed riser with a lot of storage space", + "variety pack seasoning, gluten free 5.5oz gift set (pack of 4.)im cooking for friends, need to gift the couple something gourmet. mis rubins magic seems to be ideal", + "i want a variety pack of grass fed collagen creamers", + "im looking for a pair of mens gym workout shorts for daily wear in a camo black and size medium", + "i am looking for a king size headboards & footboards", + "i am looking for high speed video cable easy use multicolored size:10ft", + "im locking for a high speed hdmi cable which supports 3d audio", + "i am looking for qazpl clip in hair extensions for hair loss", + "i am looking for some easy to assemble wall mounted rustic grey floating shelves", + "buy me a contemporary style tempered glass arm chair in white grey color", + "kocota unisex garden clogs options to include in your search : bow support, gray vinyl acetate color. i hope you find", + "im looking for clothing to wear comfortable and everyday wear", + "i am looking for a brushed nickel finish floor lamp", + "i want a size 6 donna morgan womens knotted crepe sheath dress that is machine washable. i want it in viridian green", + "im looking for a stick of mens mountain air scented deodorant that is alcohol free", + "i need some bluetooth speakers that offer stereo sound are are cobalt blue", + "i want a pair of size 7 wide taupe loafers with arch support", + "many engineers choose long lasting, quality materials in alternate team color", + "please find a dell inspiron i3880 desktop pc with 1t hardrive in black. an i5 10th generation intel processor is preferred", + "i need an exquisite pair of 63 inch long curtains that are also machine washable", + "i am looking for a glitters nail polish. also, choose the 04# color", + "im looking for a pair of womens workout shorts with a drawstring waist. i need them to be extra large and in light gray", + "i am interested in a high quality brush set", + "i would like a mens rubber sole shoe with a size 7.5", + "i am looking for a black bike short that is made of nylon spandex. pick a size 16", + "i want a maui moisture shine conditioner for dry hair", + "find me a 2 ft 3 in x 14 ft sized living room square rug in either navy or cream color", + "i need to buy a wall art print for my living room in a natural 16 x 24 x 3", + "original udder balm moisturizer is my choice . please give me fragrance free, 16 oz pump", + "i am looking for a dual band streaming player that has 4gb of ram and 64gb of storage", + "i need a long lasting white eye shadow", + "i am looking for a electric pink zebra mules & clogs of ethylene vinyl", + "i need chandelier light fixture for dining room which should have bronze finish and glass shades", + "i am looking for a lavender scented foot peel mask suitable for dry skin which removes dead skin and fine lines", + "i am looking for a powder fresh mitchum anti-perspirant", + "im looking for a three piece, wall mounted, stainless steel spice rack", + "i need a heavy duty, height adjustable office chair in pink color", + "i want to find a 1-pound box of gluten free muffin mix, and it should come in a pack of three", + "i need a fleece jacket for the winter that is warm and gray", + "i want buy an external hard drive hdd 0.2tb which for pc, mac, desktop, laptop, macbook, chromebook, xbox one, xbox 360 (2tb, silver). it is covered with aluminum alloy. also, i choose the b-red color", + "i would like a 100 count friends bunny grahams party mix with simple ingredients", + "i would like a silver signal converter with a usb port", + "i need some eye cream for treating fine lines", + "i am interested in a round area rug that is turquoise and ivory and 6 ft by 7 ft long", + "i am looking for a pack of 6 12 ounce gluten free coffee creamer", + "i need a california king mattress set that has a 4 foundation", + "i am looking for banana pecan fruit snacks that are gluten free", + "i want to buy a ten count tea sampler thats certified organic", + "i need a red allgala 60x45 super soft, machine wash flannel plush light weight throw blanket", + "i am looking for small sized women t-shirt. it should be machine washable", + "my sister use avocado color eyebrow", + "i am looking for height adjustable blue color childrens study desk table chair set with drawer and bookstand", + "im looking for a unisex flip flops in the brand of puma", + "i am looking for a medium size low rise underwear string for men", + "i need a 26 x 16 and blue grey octopus pillow cover that is machine washable", + "i need a refurbished pc that is an i5 and has 8gb of ram", + "i am looking for a mens baby blue classic fit shirt", + "looking for grand court adidas for everyday wear size 9 in white", + "i am interested in buying a laptop carrying case with colorful faces", + "buy a pair of size nine waterproof lace-up walking shoes. they should be made out of vinyl acetate ", + "i am looking for a pair of womens size 10.5 light blue shoes with memory foam", + "buy a two pack of whitening toothpaste", + "i am looking for a cake topper for a baby shower. also choose easy to use", + "i am looking for large size regular fit polo", + "i want a ready to eat 9 ounce pack of fries seasoning bottle. it should be low in calories", + "i am looking for a real fruit coconut and pineapple drink", + "im looking for stereo headphones it will use for outside noise cancelling", + "i am looking for cupcake toppers for baby shower birthday party. please choose pink color", + "im looking for make up for eye shadow to skin care products", + "i need vintage beauty salon chairs", + "im looking for certifies organic groceries the flavor was cacao bits", + "i want luseta tea tree oil shampoo", + "i want a m color face kit that is easy to use", + "i need double-sided face wash sponge ( 4 color)", + "i want a beige with trundle twin bed with a wood frame", + "i am looking for a clear glass shade, vanity light with black and brushed nickel finish", + "i would like a pair of size 8 brown sandals with a rubber sole", + "im looking for a oat milk creamer by califia farms ", + "i am searching for 3 colors makeup naked long lasting eye shadow", + "im looking for keto friendly it has low sugar its good for health", + "i am looking for a black color radio alarm clock having stereo sound and hands free", + "im looking for a 80 miles signal amplifier booster for hd tv", + "im looking for a fresh baked snack cakes made with good quality ingredients. also choose pack of 1 with weight 4 ounce one", + "i am looking for a cargo pant made up of polyester cotton which is washable in machine. also choose coyote brown color and 36w x 32l size", + "i wuold like a purple 190 by 70cm round head linens for my beauty salon", + "search for an ac adapter with output protection", + "i am looking for 8 size flats with leather sole for women", + "i am looking for a dual band ac/dc adapter for a zboost", + "i am looking for rectangular shape shaggy with tassels rug for a living room", + "i am looking for a 41mm | 42mm smartwatch bands which is easy install", + "i want spicy beef meat and cheese gift baskets", + "i want white wall decoration for my beauty salon", + "im looking for a unique designed, daily wear boxer briefs with elastic waistband. also choose medium size with waistband-stars flag printed one", + "i am looking for long lasting and nail polish cute blushs makecup palettes of color:c", + "im looking for a magnetic phone mount for car with aluminum alloy and small size", + "i am looking for a male to male style gold plated high speed hdmi cable. also, choose 10 feet length", + "i would like a 32 gigabyte desktop computer with a intel core", + "i want a bundle of non gmo natierra organic dried mango cheeks", + "im looking for a tempered glass screen protector that is compatible with a 42 mm size apple watch", + "i am looking for honey color alcohol free creamy concealer", + "i would like a extra large pair of peach butt purple shorts with a high waist", + "i will surely succeed with your help. check my order natural deodorant for women | fresh rain + coconut oil - safe for sensitive skin |fresh rain, white floral (2 packages)", + "im looking for a rubber plastic light weight 11colorful map case cover for (a1502 | a1425) macbook pro 13 retina", + "im looking for a portable computer speakers that has plug play and power amplifier", + "most people like sensitive skin in red color", + "im looking for trader joe for buying groceries products", + "i am looking for 2pink color anti slip women sandals", + "i am looking for a high quality and easy to clean tongue cleaner", + "looking for cookie favor gifts with natural ingredients choose size 4 bars", + "i am looking for wireless bluetooth speaker.please choose gray one", + "i would like a sierra blue 13 pro max phone case that has wireless charging", + "id like a brown wire-framed coffee table that i can put in my living room, fully assembled", + "i would like a slim fit t-shirt that is xx-large and is the color blue2", + "i want a loose fitting black pullover that is in a large", + "i am looking for dried coconut that is gluten free", + "i want to buy an argan oil hair treatment for damaged hair", + "i would like to get a medium black long sleeve hoodie thats pretty loose", + "i am looking for certified organic regular rolled oats, 25 pound (pack of 1)", + "i want low fat banana chips", + "i am looking for a short sleeve fishing shirt with a button closure in the color emerald city and in the size 2x tall", + "i want a morden art paint throw pillow cover size 20*20 color 02", + "im looking for a package of green tea mix that has low calories and is zero sugar. i would also like it in a 48 count package", + "i am looking for always women high waisted capri leggings", + "i would like some long lasting anti perspirant", + "i want a aipsun clear glass globe pendant light fixture", + "i am looking for an easy to use meat masala flavored seasoning mix for a traditional meat stew", + "i want to find decorative, multi-colored vinyl dots for my living room windows. the size should be 17.7 inches by 23.6 inches", + "i want a coat rack with white finish", + "i need a 1 fl oz bottle of organic neem oil for hair growth", + "i am looking for 2 ft x 6 ft runner size area rugs that are easy to clean", + "find me a brushed nickel wall sconce", + "im shopping for number 4, medium brown hair extensions that i can use for hair styling. they should be about 14 inches long", + "i want to find a two-pack of jarred wild-caught tuna filets that are low calorie. the jars need to be 6.7 ounces, and ideally the flavor should be very garlicky", + "im looking for gluten free snack crackers in 4.25 ounce pack", + "i need a classic fit t-shirt. pick the royal blue one", + "i would like a red video game chair with lumbar support", + "i am looking for a wood finish posters for my living room. and i would go for 30 x 40 size", + "i would like some rubber sole oxfords that are tan and a size 9", + "i would like a hair brush thats good for damaged hair", + "i would like a 2xl navy grey shirt i can wash in a machine", + "i am interested in buying a king sized bed with memory foam and which provides lumbar support", + "i want to find oil-free concealer that has a light, neutral color", + "i would like a blue mk desk and chair that is height adjustable", + "i am looking for medium long sleeves sleep & lounge sets", + "im looking for a high quality make up brush set in ivory rice color", + "i am looking for high quality clear bass computer speakers of vaensong jt009 wooden multimedia. compatible with pc,tv,laptop,mac,smartphones,mp3 player, perfect for home,party etc.easy to set up,usb port in green color", + "i am looking for fully assembled file cabinets", + "i would like a intel core i5 desktop mini", + "i would like a non alcoholic cocktail mixer that is one ounce", + "i am looking for grain and gluten free chips", + "im looking for black video play for video acccesseories", + "i need a highly pigment lip tint. pick a 0.14 fl oz bottle", + "i would like a coffee latte rooted wig made of natural hair", + "i am looking for a pair of womens red and green machine washable pants with pockets", + "i am looking for a high powered 12 inch car subwoofer system", + "set of 3 blouse hosiery normal-1, tradional-1, modern-1including matching clothes", + "im looking for some non-slip black vinyls", + "i am looking for a 2-4y size of manual toothbrushes for sensitive teeth", + "i would like a cube of individually wrapped sugarolly candy for a birthday party", + "i am looking for soy free , gluten free oceans halo tangy in flavor wasabi-style ranch", + "im looking for a hair salon stool that offers height adjustment and is the color blue", + "i am looking for maple leaflop9363 color place mats that are eco friendly", + "i am looking for 6 nut free plant based raspberry snack bars", + "i need a two ounce package of hair dye in light to medium blonde", + "i would like a op99 phone case cover", + "i am looking for individually wrapped chocolate bars", + "i am looking for lock screen ad supported tablet in 1080p hd", + "can you search for keeyo womens oversized jumpsuits? are summer casual baggy pants, daily wear with wide legs please find this costume for me in blue color and x-large size", + "i am looking for moisturizing shower gel with vegan , green tea and coconut oil and also mint argan scent", + "i need plant based and sulfate free shampoo which prevents hair loss and regenerates hair growth", + "i want a soft silicone mask for sensitive skin", + "i would like a floor lamp light fixture for my living room", + "i want a frosted 8 inch shade for my lamp in the living room", + "i am looking for english muffins in high fructose", + "i need high quality linen fabric item", + "im looking for gluten free it contains many proteins", + "find me a grain free, non gmo, and gluten free cake mix bundle with chocolate chip cookie flavor", + "i am looking set of 4 black velvet mid century chair for dining room", + "i need oil free 8 ounce walnut body scrub", + "i am looking for anti aging cream with green tea and hyaluronic acid. i want it to be effective for dark circles", + "i need some vanity lights that are clear glass", + "i would like a pair of womens 11.5 colorful sugar skull sneakers with a anti slip sole", + "i am looking for contemporary designed window treatment curtains that are 52 inches long", + "i need matcha and green tea bags that are organics and are 36 count", + "i am looking for pink elephant cupcake picks for birthday cake decorations", + "i am looking for graphite color womens slip-on amde from vinyl acetate", + "looking for bookshelves and bookcases for living room of vintage black colour", + "i need an ac adapter with output protection", + "i am looking for a purple toiletry bag that is water resistant", + "im looking for water resistant telescope for bird watching", + "i am looking for a case for my smartwatch that is tempered glass and pink rose gold in a 41 mm size", + "im looking for a fruit king crispy tofu stick that is freeze dried and high in protein", + "please add to my list a pair of reebok men\u2019s classic daily casual sneaker size 8 ", + "i want a fragrance and alcohol free tropical waters rose water face mist make up setting spray", + "help me find this model today: eldof women peep toe pump medium heel, rubber sole, brown color and size 8.5 . im giving up on finding it so much ive searched", + "im looking for an original lightweight lace-up boot for my little toddler; shes a size 7", + "im looking for a nickel finish valley lightning, preferably the old bronze color", + "i am looking for an easy to use hair dye with natural ingredients", + "i am interested in a paraben free eyeshadow", + "i am looking for a lantern pendant light with 4 lights. find me something in black and gold", + "i am looking for beauty soaps that contain cocounut oil", + "im looking for the long lasting soy wax jar candles in lavender scent", + "i need a cruelty free face mist", + "i am looking for a ready to hang print that is of sea and glass", + "i want a bottle of handcraft ginger tea tree essential oil", + "i am looking for a brushed polished nickel color vanity light having glass shade", + "i would like a long dark red dental chain that is easy to apply", + "i want gluten free bakell green & gold edible brew glitter", + "i need a large square solid wood coffee table laced with upholstered tufted button linen, an ivory-ottoman color will be most preferred", + "i am looking for a heavy duty barber chair thats high quality bar stool. go ahead and get a brown color", + "i need hair extensions that are 16 inches long in the color 27", + "go ahead and order that rhinestone top in small, with long sleeves", + "i am looking for a pink/blue switch gaming keyboard that is non-slip", + "i am looking for a long lasting shoe with synthetic sole in 8.5 wide. also choose navy or red", + "i need plant-based ground beef patties", + "i am looking for150 white color 4:3, 4k ultra hd 3d ready projector screen", + "i am looking for a portable high-power wireless bluetooth speaker. also choose gray color", + "where can i find this special sauce? please help me .keto barbecue bbq sauce by yo mamas foods. carefully read all the features i need on the label. low carb, low sugar, gluten free, non gmo, classic pizza sauce flavor. if you cant find it let me know soon", + "i am looking for green tea face masks for adults", + "im looking for a black manual projector screen easy to install of 142 and 1:1 for project screen", + "i want a baieyu mini computer with intel core i7-8550u ddr4", + "get me a gold birthday cake topper", + "i am looking to purchase a hand or machine wash womens classic plain bikini swimsuit with high waist, tummy control in an x-large. prefer color yellow", + "im looking for bookshelf speaker", + "im looking for some non gmo honey roasted and chopped pecans", + "i am looking for a ladder bookshelf having steel frame", + "i am in need of large sized wine color long sleeve shirts for women", + "i am interested in a bullet camera that has motion detection", + "i am looking for a solid wood super king sized bed with a contemporary style", + "i need a super soft bed blanket that has cats on it", + "hey i am looking for an open toe, size 9 womens slipper made with fax fur", + "im looking for pendant lights for hanging through the wall that color was chrome finish", + "i wan a high speed micro usb cable", + "i want some easy to use rose gold hair extensions", + "i need a 6 ounce deep conditioner for dry hair that has rose oil and peach scent", + "id like help finding a pack of 500 wooden wax sticks that i can use for hair removal", + "i want to find a pair of blue womens walking shoes with memory foam in a size 8", + "i am looking for long lasting blackout curtains. and i choose the 55 w x 72 l with color 17", + "id like to buy a 7-inch 1024600 red tablet with a long lasting quad core processor", + "i am looking for fresh breath tooth paste", + "i need a pair of sneakers that have a rubber sole and come in black. get the size five and a half", + "i want to find a 4 x 50 foot artificial glass turf that is easy to clean", + "i am looking for a height adjustable barstool with footrest. i want something in brown", + "am searching for the republic of tea peppermint cuppa chocolate tea, 36 tea bags and sugar free", + "i am looking for basic solid army green t shirt top,super stretchy and silky fabric,soft and comfortable for spring,winter wear yobecho womens long sleeve scoop neck tops blouse in xx large size", + "i want to find gluten free mango salsa that is bacon habanero flavored", + "i am looking for hair masks for damaged hair in spray style", + "i am looking for cimota pu leather dining chairs in a set of 2", + "i want easy to use birthday cake toppers for celebrating mothers day", + "i am looking storage basket for living room having steel frame and can clean easily at large size", + "can you find some carol wright mens lounge pants in a 5xl? i want the ones with a draw string closure that are charcoal colored", + "i want to buy a navy blue ottomon for the living room. get the one with tufted buttons", + "i would like a lemon living room curtain in the size 52 by 96 inches", + "i need a beauty salon chair", + "im looking for all seed savory crisps", + "i would like a six pack of ready to eat entrees", + "im looking for a womens summer adjustable buckle ankle strap cloth sandals", + "i want to find a 2-ounce bottle of sulfate-free conditioner thats compatible with damaged hair", + "i would like a high quality shower cap that is in a nautical dog pattern", + "i need a straight leg jeans that is original fit. it should be medium stonewash in color", + "i need a high speed usb flash drive that is 32 gb", + "im interested in a pair of moss nappa pumps in a size 7 with a rubber sole", + "please find a root candles honeycomb veriglass scented, lead free, color bayberry ", + "i need a brush set that can be used with eyeshadow. get color d.", + "i would like a social distance hug perfect gift basket", + "i would like some curtains for my living room that are blue orange and are 108 by 90", + "i need a cell phone signal booster that is compatible with 4g lte", + "im looking for a highly pigmented hydrating lipstick with matte finish. also, i want the berry smoothie one", + "find me a large cardigan sweater for men in long sleeve and machine wash", + "im looking for fine mist body spray the bottle continues the warm of water", + "im looking for chocolate flavored low calorie, keto friendly protein drinks", + "i looking wooden frame mid century sofa couch for leaving room colour :blue", + "i am looking for a womens natural blonde, 16 inch, synthetic hair wig to buy", + "i would like a pair of size 10.5 steel toe hiking boots", + "i want a natural lip bam contain vagan oil containt", + "i want by a gift easter basket with the og crispie - gourmet rice crispy, 5.9 ounce (pack of 1)", + "i am looking for a fluoride free toothpaste", + "i want to buy mini projector which is high definition and is of q2 pink color", + "i would like a medium sized red jumpsuit that is machine washable", + "im looking for a height adjustable laptop stand with tempered glass and walnut colored wood", + "i am looking for an easy to assemble bunk bed full over twin trundle would like gray in color", + "to improve my home lighting im searching for wall lights and 4lt brushed nickel vanity strip lights ", + "i am looking for a 1.5mm anti aging cotton swabs", + "i need a 4.7 ounce paraben free makeup remover", + "i want silver and noise cancelling earbuds", + "i need an iphone x case with wireless charging in a butterfly color", + "looking for a coffee table with metal legs for living room rustic style", + "im looking for a sd card with h1080p hd resolution. also, choose single style 32 gb capacity", + "im looking for high speed accessories and three product of packaging", + "i need to find a heavy duty outlet wall plate cover; choose the rocker combo style", + "im looking for a mini desktop pc with an aluminum alloy case that also has 8 gb of ram and a 240 gb ssd", + "i want a smart wi-fi bulb camera with motion detection", + "i am looking for a phantom pink samsung galaxy s21 ultra 5g unlocked phone with optical zoom", + "i would like some wild caught crab", + "i would like to get some size 6.5 yellow non slip flip flops", + "i am looking island lights pendant light fixture colour black", + "i am looking for a pair of mens khaki cargo shorts with an elastic waist", + "i want a medium machine washable top of the world mens fit sweatshirt", + "i want a loose fit pullover. pick out the one in gray, please", + "i am looking for a red stereo sound earbud headphones", + "i want to buy a four pack of non-gmo orange mango sparkling waters", + "i am looking for pink, close-toed sandals that have a rubber sole and come in size 8.5", + "im looking for laundry bags for it can use for move to another place", + "i am looking for a copper eco friendly tongue scraper for bad breath", + "i want beige flip flop open toe slippers", + "i am interested in a six pack of non gmo crackers", + "add to my list 6 packs of raspberry snackbar and should be nut free and has low sodium", + "look for it in stock. dustproof case for ps5, anti-dust cover dust plugs hdmi usb interface for ps5 console with 10pcs silicone ps5 controller joystick grips, sky pink", + "i am looking for sugar free, soy free, high protein and non gmo keto bread crumbs plain of size: 2 count(pack of 2)", + "i am seraching for eco friendly candles and clean cotton holders for my home & kitchen", + "i want to find 25 grams of iridescent purple edible glitter. it needs to be dairy free", + "i am looking for a non oem replacement tv remote control with the aaa batteries included", + "i would like a wall mounted mirror for my living room", + "i would like a laundry bag", + "im looking for a mens classic fit button-down shirt for special occasions", + "i am looking for a solid wood chaise lounge for my living room", + "i am looking for cruelty free long lasting lip lacquer with the color option moody", + "i want to find a pair of black mens workout shorts with an elastic waistband. the shorts need to be in size 30", + "i am looking for fine mist women fragrance", + "i want a xx-large shegnsi plus size womens high waist trench coat", + "i am looking for yuanl 2 pcs stainless steel tongue scraper to clear out the white, coated layer on your tongue or maintain better oral hygiene, this effective tongue scraper for adults and kids", + "i want to find a blue bedside table unit that comes with extra shelf storage space", + "im looking for an 11 ounce bag of caffeine-free, acid-free, prebiotic chicory coffee alternative. also, include vanilla nut flavor. additionally, include medium roast", + "i need black non slip zieglen sandals for women", + "im looking for easy apply for hair removal in natural ingredients. it can easily apply", + "i would like to buy a blu ray ac adapter", + "i want a gluten free cake snack", + "i am looking for a super comfy x-large palazzo pants with elastic waist and wide legs", + "i want rainbow white non slip ciadoon mushroom shoes", + "i need a hair silicone fiber powder applicator for hair loss, with a pump nozzle", + "im looking for a hair growth serum designed to combat hair loss and repair damaged hair", + "i need a non gmo and usda organic granola cereal. i like the honey nuts and cinnamon flavor", + "i would like a z flip 3 256gb phantom black cell phone that is fast charging", + "i wuold like a purple 190 by 70cm round head linens for my beauty salon", + "im looking for a large upholstered bench that is contemporary style and has solid wood. also, it should be gray", + "i want a black officially licensed judy hopps average bunny t-shirt", + "i want to find professional binoculars that are easy to carry for birdwatching", + "i want a high quality dual band streaming media player with warranty,4gb+64gb", + "look for a caffeine and gluten free herbal drink. i like mixed berry flavor", + "i am looking a high resolution fiber optic cable for audio vedio colour :black", + "i need to find the 10 pack of easy to use lankiz magnetic eyelashes that come with the micellar water, tweezers, and the tubes of magnetism", + "im looking for a gluten free, keto friendly, and vegan granola that is low sugar and low carb. also, choose the pack of 2 in lemon blueberry tart", + "im looking for clothing its was short sleeve and regular fit. its easily to wear", + "i am looking for a x-large jacket fleece that is water resistant. and please get me the red color", + "i would like a blue unlocked galaxy a11 that is 128gb and has fast charging", + "im looking for gluten free 1.4 ounce (pack of 12) bars", + "i would like a single 15 power amplifier car subwoofer/", + "im looking for a long sleeve green or yellow plaid shirt with button closure in a size medium", + "i am looking for a white footstool for my living room", + "can you find me some rose gold eyeshadow, please?", + "i need black color and 15 ft long heavy duty surge protector power strip", + "show me a king sized machine washable super soft pillow in yellow coral pattern and 30 x 20 size", + "i am looking for bubble bee themed cupcake toppers for my daughters birthday part decorations", + "i need a pack of three long lasting hair color that is dark mahogany brown", + "i am looking for an easy to install white antler chandelier with 18 antlers and 9 lights", + "i would like a gold plated hdmi cable", + "i need a wall sconce with two lights in brushed nickel", + "im looking for a high quality salon and spa chair for hair and beauty salon. also, choose grey colored one", + "i need everyday seasoning in a 4 piece assortment pack which should have low sodium and is gluten free", + "buy me some light weight beige slippers", + "i am lookong for a colorful2 for screen protectors wihich is easy ti install", + "i need a table that is easy to assemble and that is honey pine", + "looking for new version of modern glass dining table set for dining room", + "i am interested in acquiring a bookcase which will last me a long time and i prefer to have it in anthracite color", + "i am looking for men t-shirt. please choose royal blue color", + "im looking for 8 foundation flex box spring for mattress", + "i am looking for a wireless bluetooth 4.0 power amplifier board", + "i need a heavy duty wall plate cover that is high gloss. i want something in a rocker combo style", + "i would like two pounds of baked fresh snack cakes", + "i would like a nine light vanity light wall sconce with chrome finish", + "im looking for margarita low sugared real fruit needed", + "i am looking for a body brush for dead skin", + "i need some black ankle strap flats that are in a size 9 wide", + "i am looking for foundation for dry skin having color 20 | natural ivory", + "i am looking for an adult daily wear hoodie sweatshirt size large-x-large", + "i am looking for a z-5 green long sleeve women clothing", + "i want a medium sized t-shirt that has long sleeves", + "i am looking for anti slip women sandals. please choose black one", + "i am in need of a button tufted sofa for my living room. it should be grey in color", + "i am looking for a blue color tablets with high performance", + "im looking for 4 color eyeshadow palette colorful matte and shimmer", + "i am really in need of some toothpaste that is peppermint for bad breath", + "look for the easy chef sampler of green bean snacks. i want the twelve piece non-gmo assortment", + "i need a 33 inch living room end table", + "i would like an intel core desktop that has 32gb of ram and 2tb of storage", + "i want to find an ac adapter that features a dual-band cradle signal booster kit", + "im looking for black tempered smart watches. the glass screen is perfectly look so nice", + "i would like a faux leather light brown chair", + "i would like a desk set with a steel frame", + "i want black chloe womens arch support clogs", + "im looking for healthy breakfast bars enriched with peanut butter", + "im looking for an art print for my living room thats ready to hang. look for something with mountains in it thats twelve by sixteen inches", + "i want a farmhouse grey acadian solid wood side table", + "i am looking for grey-1 color womens t-shirt that are machine washable", + "i want a tan and cruelty free dual salmon concealer", + "baggy jeans for women high waisted daily casuals in colour blue-6", + "i am looking for king size bed with pocket spring mattress", + "i need to buy a desktop computer thats got an intel i5 core, 32 gigabytes of ram, and a one terabyte ssd", + "im looking for a 18 directors chair with solid wood and a natural frame", + "i want a primer face plant based and oil free", + "get me a green iphone 12 case that supports wireless charging", + "i am interested in a plug and play hdmi to vga adapter", + "i want a gentle facial cleanser for acne prone & sensitive skin", + "i need a power cord cable for blu ray player sound bar", + "i am looking for arts craft turquoise blue nails", + "i am looking for 6 boxes of cookies. these should be individually wrapped", + "im looking for gluten free it has high protein and it has health and it is easy to use", + "i need to buy a full sized, machine washable comforter. get color six", + "i need some hair cutting shears that are gold and six inches", + "im looking for a optical zoom dome cameras", + "i am looking for an anti perspirant", + "i would like a pack of six chocolate cake mixes that are non gmo", + "id like to buy a small hair cutting kit", + "i am looking for a heavy duty spa bed made-up of stainless steel", + "i want to find a black usb mouse that is easy to use", + "i am seraching for wireless charging apple iphone with gradient coral color", + "i want to find a 15.99 fluid ounce can of an energy drink without any sugar, artificial colors or flavors. my flavor of preference is called shoc wave", + "i\u2019m looking for a men\u2019s mesh long sleeve shirt in medium. i prefer white as the color and it must be machine washable", + "im looking for groceries shop for high protein ingredients", + "i would like a mango flavored salt water taffy that is old fashioned", + "i need caxxa amber glass fine mist spray bottles, size 12 refillable containers", + "i am looking for wild caught tuna that is ranch flavored and comes in a pack of ten", + "coney island classics butter me up popcorn, brings back memories of my childhood. in addition to having dietary fiber and gluten free. please select for me", + "i am looking for a long lasting hair extensions for natural hair. also choose 30# color and 14inch (pack 7) one", + "i would like oxford shoes that are brown and size 11 x-wide with a rubber sole", + "i am looking for a soft shower body brush with a long handle", + "i would like a cupcake topper that would be appropriate for a baby shower", + "i am looking for certified organic loose leaf containing spirit herbal herbal tea flavor tea", + "i need a regular fit machine wash nike gym t-shrit", + "find caraway seeds for dietary fiber, need 1 pack with 8 ounce vegan food", + "i would like a 198 bt power amplifier with wireless bluetooth", + "i would like a 12 by 16 inch poster in three pieces of watercolor potted leaves for my living room", + "i would like a 0.28 inch gray hair rollers for natural hair", + "need a high speed hdmi cable 2 pack with 100 feet, male to female, pack of 10", + "help me find an electric razor for men thats easy to clean with a digital display", + "purse set for washing blouse and underwear bra and panties", + "i would like a 35 foot long multicolored hdmi cable for my blu ray player", + "i would like a extra large green swimsuit made from cotton spandex", + "i want non gmo cauliflower bites 1.4 ounce 2 packs", + "i want coconut scented hask invigorating tea tree oil", + "i want trader joes organic apple banana fruit crushers", + "i am looking for a blue leather sole loafers & slip-ons", + "i would like a temporary tattoo that is easy to apply and is in the 06 pattern", + "im looking for coconut oil body butters", + "im looking for a short sleeve shirt with a button down closure. get the one in 3xl", + "i\u2019m looking for a nice outdoor loveseat sofa that is easy to clean in all weather; please choose the navy blue one", + "im searching for a black color 150-inch | 16:9, ultra hd and light weight projector screen", + "i am looking for an oval shaped easy to clean shag area rug", + "i need a red pair of skechers mens performance shoes with synthetic soles in size 9.5", + "i would like a anti perspirant", + "i need a vanity bench that is contemporary and white", + "need me an organic freeze dried beets in strawberries and apples flavor", + "im looking for long sleeve clothing its for blue in clor", + "i need a slip resistant tactical boot with rubber soles. it should be in size 6", + "i am looking for adjustable child learning blue color desk chair with lumbar support", + "sumatra sensation included the quality ingretidents", + "i need a machine washable jogger outfit in a red color", + "i am looking for non alcoholic sparkling refreshments in the sauvignon blanc flavor", + "i need a plug and play spectrum projector screen that is white or black", + "i am looking for small size women casual short sleeve white color tunic tops", + "please help me find an 8oz pack of medical body scrub exfolient that is suitable for sensitive skin", + "i am looking for 20 inch by 20 inch machine washable throw pillow inserts", + "large size white colored 1/4 zip golf shirt long sleeve athletic pullover with brushed fleece lining", + "i would like a large tops a4c4 army green short sleeve t shirt", + "help me find a standing four-tiered bakers rack thats heavy duty", + "i am looking for non gmo salmon that is ready to eat. pick a 1 pack size", + "id like to order some darjeeling tea. make sure its certified organic", + "i need white storage cabinets", + "i need a yellow portable sound box that is easy to carry", + "im looking for a daily wear sweatshirt made of good quality polyester material with long sleeves. also, choose x-large one", + "looking for fresh breath organic toothpaste", + "i need an easy to use breath freshener spray to eliminate bad breath. pick a white one", + "i want low sodium popcorn salt that is frosted sugar cookie and comes in a pack of six", + "i am looking for throw pillow covers that are machine washable in yellow white and are 26 by 16", + "im looking for white colored travel bottles easy to carry", + "im looking for a volleyball shorts in low rise and in a 02navy colour and large size", + "i want to get an 8 fluid ounce pack of 24 sweet and sour margarita and daquiri mix packets made with only natural ingredients", + "i need a super soft twin throw that is multicolored", + "im looking for a high quality anti-static hair brush", + "i want to buy some vanilla flavored soy free cake mix. needs to be in a 3 pack of 11.29-oz boxes", + "i want a peanut butter with date spread that is gluten free", + "find high quality toothpaste", + "i need a futon mattress in the color a for the living room", + "i want to find a two-pack of white usb chargers that can be mounted to a wall", + "i need a contemporary design acrylic leg bench for living room in navy velvet color", + "i am looking for a automatic rotating styling tool with metallic ionic barrel and smart anti-stuck sensor for long and medium length hair", + "i need heeled sandals that have a rubber sole and are a size 6.5 with silver glitter on them", + "i am looking for long lasting dusty navy original fit jeans", + "i would like some grass fed spicy jerky", + "i need two one hundred foot male to male hdmi cables. they should be high speed and gold plated", + "i am looking for 2 mesh laundry bags", + "i want a long 001 coffee colored xx-large long jacket for women that is for daily wear", + "im looking for women jacket for regular fit and classic fit", + "i would like some cupcake toppers that would good at both a birthday party and a baby shower", + "im looking for a button down mens shirt with short sleeves and in the size of 3x-large", + "i am looking for a nightstand that is easy to install", + "i would like a floor lamp for my living room", + "im looking for a spa pedicure kit-at-home foot care for baby soft feet", + "i am searching for womens two button lux dry clean blazer of 16 size charcoal color", + "im looking for a lead free colonial candle made of soy wax for living room. also choose 10 in limoncello colored one", + "i am looking for a high density mattress in full size which is made up of memory foam", + "i really need a foot file for dead skin", + "i am looking for caramel flavor chocolate candy for valentine day", + "i need a certified refurbished nikon d750", + "i want a sugar free paddy syrup that is keto friendly. i like the macadamia nut flavor", + "im looking for a red long sleeve sweatshirt in size 3x", + "looking for vegan sweet potato puffs non gmo product", + "i\u2019m interested in nail art; can you help me find a really high quality nail gel polish with a metallic purple effect?", + "i need a liquid lip gloss that has natural ingredients and is in the color rabida", + "im looking for a black hair loss concealer", + "i need a metal framed dining room stool with a pink center", + "i need a black twin sized bed", + "i need a printed backdrop for digital photography that is 7 by 10 ft", + "i need some white window treatments that are easy to install and size 58w by 48h", + "i am looking for a classic fit heather blue color t-shirt", + "i need some skin care tools for dark circles with xiuyan jade", + "i want to find a tv stand made of solid wood for my living room", + "i would like to buy a heavy duty with a rocket type style outlet combo wall plate cover", + "im looking for 1.5 feet (10 pack) high speed hdmi cable male to male with ethernet black", + "im looking for a 4-tier shelving unit and tv stand that is espresso and classic black color. also, it should have engineered wood", + "find me a regular fit machine washable cargo pants with buttoned closure in 6057 apricot color and 29 size", + "id like to buy some open toed, high heeled sandals with an ankle strap. look for 6 wides in khaki", + "im looking for a stainless steel pair of tweezers for hair removal", + "i want a gluten free packaged meal", + "i need a large log sleeve sweatshirt for daily use. i would prefer z08 red color", + "i am looking for bed cover table sheet sets for beauty salon also choose colour purple", + "im looking for a chair for hair salons in color b", + "i would like a refurbished laser printer", + "i want a 1.5 pound box of 2 ounce paleo seasoning bottles that are low sodium", + "i am looking for eco friendly window films that are multicolored", + "im looking for a rickaroons coconut energy bars with chocolate", + "i would like to buy non gmo popcorns which can also be a perfect gift", + "i am looking for area rugs that is of size 4 ft x 4 ft and is easy to clean", + "i am looking for white 6 inch ceramic plates for my dining room", + "im looking for womens over the knee boot", + "i want a 3 pack of beige brushes for natural hair", + "i want a xx-large regular fit hood crew mens polo shirt", + "im looking for hyaluronic acid serum for face -1 fl oz (pack of 1)", + "i would like a 20 inch dark brown mix light auburn hair extensions", + "i am looking for a cruelty free foundation refill in west indies walnut color", + "i am looking for a wooden storage rack that is easy to assemble and has exquisite workmanship", + "id like to find a pair of sage and valencia colored mens hiking boots with rubber soles. i need them in a size 15", + "i am interested in buying a mai tai mix which is ready to use and is not alcoholic", + "i am looking for some pants with an elastic waist that are x-small size and are khaki colored", + "i want purple fluoride free mmnm teeth cleansing toothpaste", + "i am finding a eco friendly and leak proof plastic refillable bottle container with protective case - style 1 color", + "i need to buy a heavy duty daycare sleeping cot. find one in red without sheets", + "i would like a 8 ounce mom heart hand made sandwich", + "im looking for n all-in-one computer. i want one thats high performance and has a 1080p screen. it should also have an intel processor", + "i need a large petite elastic waist pan. and i choose the dark indigo 20", + "i would like a charcoal ottoman thats button tufted", + "i am looking for a travel mirror that is easy to carry", + "i would like a volumizing pomegranate conditioner made from seed oil", + "i am interested in a lightweight hoodie that is red and x-large", + "im looking for permanent hair dye color in #c cool darkest brown", + "i am looking for an empty lip gloss tube 5ml which is of high quality and leak proof", + "i need some wall mounted mirrors for the living room", + "i would like comfortable fit jeans in the lakeport color", + "id like to find a chandelier-style vanity light with a brushed nickel finish. ideally, there will be three lights in the set", + "im trying to find a one piece swimsuit with tummy control. i need one in size small", + "i would like some grey sneakers in a 7.5 that have a rubber sole", + "i would like to buy office desk chair which has lumbar support and is of grey color", + "i would like a citrus yao conditioner made with natural ingredients", + "im looking for a mens velvet coat with a button closure in purple", + "i am looking for a water flosser and toothbrush combo in one, specifically one that is clinically proven to help with bad breath", + "i am interested in rose gold eyebrow trimmers", + "im looking for some permanent blue hair dye thats cruelty free", + "im looking for professional hair cutting barber scissors", + "i am looking for an old fashioned and gluten free rolled oats. i would need about 400 ounces of it", + "i am looking for hands free headphones in the color mint", + "i want to find one red contemporary barstool that would be suitable for my dining room", + "i need a high heel sandal of size 6.5", + "i am loooking for camera lens protector for iphone 12 mini that is easy to use", + "i would like a low sodium and sugar free grape drink in 10 pack boxes", + "i want small wide leg maszone y2k fashion jeans for women", + "im looking for grow a hair that was gives a hair extensions", + "i want a non slip pair of sport shoes that has rubber soles. i am a woman and my size is 15", + "i would like a 6 pack of 10 ounce kashmir potatoes that are ready to eat", + "i want to find a wireless headset that is hands-free. the color should be grey and the style should be classic", + "id like to get some sugar free cake toppers, preferably ones that are a mutin color", + "im looking for a pair of ivory-colored noise-cancelling headphones", + "i am looking for style edit root concealer touch up spray with unique pinpoint applicator provides targeted gray root coverage in seconds, natural emollients adhere to hair, while keeping a soft, natural feel. pack of 3 in medium brown color preferable", + "i need cake toppers that are red for valentines day", + "i want a cruelty free lip gloss that is in shimmy glossy and comes in a pack of 8", + "i need a quad core hd streaming player with enhanced voice remote", + "im looking for a easy to install ultra hd manual projector screen in size 136 inch. choose the ones that come in color white", + "i need an 8 ounce package of freeze dried tomatoes", + "im looking for some wild caught solid white albacore. it should be non-gmo and come in five ounce cans. i want to buy a pack of forty-eight", + "i need a bundle of red shower caps that are used for hair treatment", + "i want to buy some long lasting black nail polish", + "i want to find a pair of black and gold womens pumps with a synesthetic sole. i wear a size 5.5", + "i am looking for high speed hdmi cable male to male ", + "i am looking for a black bikini that has an elastic waistband and is in a size small", + "im looking for a snack with 3 seed mix in 1 pack of 4 pound and non gmo product", + "i am looking for gluten free plant based cerals", + "i want big & tall and comfortable fit wrangler mens cowboy cut jeans", + "im looking for groceries for great gift and gift basket", + "i would like a twin sizes grey bed made of solid wood", + "i would like a cosmetics bag that is water resistant and pineapple colored", + "find me a clear ultra hd tempered glass screen protector for my samsung galaxy s22 ultra 5g. it has a 6.8 screen, and ill need a 3 pack", + "i need a perfect sugar fruit gift basket for halloween party. it should be easy to use", + "i want katz gluten free cinnamon donut holes", + "i looking a solid wood home furnishing 2 drawer nightstand", + "i want to get a high resolution and high performance hdmi cable", + "get me a high performance coaxial cable connector", + "im looking for a perfect natural hair treatment with rice protein", + "i am looking for a keto friendly vegetables with low carb also rich source of vitamins", + "i want gluten free valley fresh 100% natural white chicken breast", + "i am looking for a 15 foot gold plated interconnect cable", + "i would like a 6 by 9 foot printed photo backdrop for digital photography", + "i would like a mickey mouse toy chest made of solid wood", + "i would like a 12 x 16 in three pieces blackleaf poster thats ready to hang in my living room", + "i want a 12 pack of serenity kids baby food pouches, wild caught salmon", + "i want a office chair for heavy duty easy assemble with lumber support", + "im looking for a tv cabinet for living room with high gloss finish and has tempered glass. also, choose a-47 w* 16 d* 16h in size natural 017 colored one", + "i am looking for golden edge storage bench of faux leather for living room", + "i want to find a matte black hair removal trimmer", + "i need a small relaxed fit pullover that is the color green", + "buy me a package of anti-aging masks", + "i am looking for a crystal clear 2mm table cover protector size 32x48 \u201c and it should easy to clean", + "i need a long high speed and aluminum alloy usb 3.0 extension cable of male-male style and 3.3ft long size", + "i need to buy a five drawer dresser made out of solid wood", + "i need cupcake picks for birthday party decoration", + "i want a high quality acrylic nail kit that is long lasting and clear pink nude in color", + "i need a long lasting battery pack with fast charging capabilities", + "i need a easy to apply temporary tattoo", + "i am looking for teeth whitening toothpaste of color d", + "i am looking for a background for photography that is easy to carry", + "i am looking for a pair of womens size 11 sandals with arch support", + "i need a black tank top that is classic fit", + "i am looking for toenail clippers that are black and stainless steel", + "i am looking for non gmo, low calorie and plant based organic foods which has flavor: strawberries & corn", + "im looking for a high quality girls accessories and color should be frozen elsa", + "i am looking for iphone 11 mobile case. please choose green one", + "i need a console table for the living room that is in style 2", + "i am interested in an intel core computer that has 4gb of ram and 64gb of ssd", + "i would like a 40 w by 28 l grill pant with a elastic waist", + "im looking for a pack of 2 guava jelly 1.06 oz jar with 0g trans", + "i want to find butter infused olive oil in a 200 milliliter bottle. it shouldnt have any artificial flavors", + "im hoping to buy a pair of mens slip-on penny loafers with rubber soles. find a pair for me thats black in size 8", + "i am looking for extra large high waist womens leggings with tummy control", + "i need a 15 ft 1080p hd vga cable,", + "i need a foamma memory foam mattress in size 5 x 36 x 84", + "looking for travel accessories bottles for travel size", + "i need to buy a tin of baklava. make sure it has all natural ingredients. get the walnut twister flavor", + "i am looking for daily wear shorts in dark blue color", + "i need to buy some sandals with arch support in a womens eleven and a half wide", + "i am looking for a long lasting sweet pea scented soy wax candle", + "find me a long lasting and anti perspirant deodorant", + "i am looking for an easy to clean foot stool for a beauty salon", + "i am looking for black quick drying, butt lifting leggings in size large", + "i need cupcake toppers for a birthday party", + "i need an easy to prepare stew mix that comes in a six pack", + "i am looking for eyeshadow that is cruelty free", + "i am looking for 040 medium ash brown color hair dye that is easy to use", + "i am looking for a light grey faux leather loveseat", + "im looking for a high definition screen protector for my smart watch", + "i would like a red hdmi cable that is long lasting", + "i would like a white twin sized bunk bed with a wood frame", + "i need a set of non slip eyebrow epilator", + "i am looking ofr a bag that is 1.7 oz and is easy to carry", + "i am looking for a hands free earbud headphones and color should be light grey or blue", + "i am looking for a 10.5 size non slip flip-flops", + "i need a large button closure shirt that is charcoal grey in color. pick the regular fit one", + "i would like a 18 inch natural black hair extension", + "i would like a soft cotton spandex cargo pants with zipper pockets. pick the one with 28 inseam", + "i am looking for 6 pack of gluten free and low calorie green tea kelp noodles", + "i would like a 0.34 fluid ounce bottle of bisque concealer for my dark circles", + "i am looking for a super soft, fleece throw blanket that has to be at least 80x60 and ideally have a sloth on it", + "i am looking for a large sized makeup case that is easy to clean", + "i want to buy hair extension tape which i can easily apply and can fit to natural hair, its color should be dark brown to chocolate brown, and the size i am interested in should be 22 inch (pack of 1)", + "i want to buy medium sized hand washable casual trousers which can be used for daily wear", + "i am looking for a 9.5 size steel toe of sandals", + "storage cabinet white led buffet cabinet with 3 doors", + "i am looking for a space saving side table for the living room. also, i would like it to be in blue color", + "i need a quick drying running shorts with drawstring closure. it should be light grayish blue in color", + "i am looking for light weight wall speakers that are 8 carbon fiber and have a center channel", + "i need long lasting and wireless charging buds live in mystic black color which also supports active noise cancelling", + "i am looking for low fat pasta options", + "i would like a 3 piece set of natural ingredient hair growth treatments", + "i want low calories usda organic", + "i need a black yaheetech home office computer desk that is easy to assemble", + "im looking for an anti aging facial roller in color f", + "im looking for grocery for fat free", + "i am looking for a long lasting perfume", + "im interested in contemporary style barstools for the living room that are easy to clean and non-slip", + "im looking for tablets for my uses and i want red color. it was long lasting", + "can you find me a high quality spa linen in green?", + "can you find me a pair of long lasting boat shoes with a synthetic sole? get the ones in a brown varsity color and in 8.5 x narrow", + "i am looking for a computer desk with a steel frame and a wood finish that is easy to clean", + "i am looking for a pair of womens parquet brown walking shoes with a synthetic sole", + "i am looking for a cupcake toppers for the birth day party of my daughter", + "im looking for gluten free it was high protein and healthy need to buy", + "i want silver and super soft european pillow shams", + "i am looking for a multicolor runner area rug to go in my living room", + "i would like a resealable bag of peanut brittle", + "i want anon gmo wyman\u2019s triple berry fresh frozen variety pack", + "i want to find machine washable curtains for my living room in the color 5", + "i need red pump shoes for party or formal wear with rubber sole and size 7.5", + "im looking for a pair of womens jeans in a size 33 regular which wash cold and dry clean", + "i need a high power sound bar that is black", + "i am looking for casual pants that are machine washable in the color loden and are size 48w by 32 l", + "i am looking for an easy to clean hair dyeing set with a mixing bowl", + "i am looking for toyota corolla android dash navigation with bt, wifi mirror link, fm , backup camera, 8 inch touch display, models can from 2006 - 2012", + "i am looking for 1 pound of nut free christmas candy", + "i want some highly pigmented eye liner pencils that come in a variety of colors and are easy to apply", + "i would like a white item finder that has batteries included", + "i want to find italian herb-flavored parmesan cheese crisps that are low in carbs", + "im looking for a pair of mesh laundry bags", + "i need green butt lifting yoga pants in size medium", + "i would like bottle of pink sprinkles for a birthday cake", + "i need a remote control that has the batteries included", + "i am looking for high quality eau de parfum for women", + "i am looking for 3 piece decorative quilted bedspread set with 2 pillow shams of violet color, that is fit for queen size bed", + "i am looking for some pink high quality makeup brush sets", + "i need a nail art pen which is easy to carry and comes in 12 colors. make sure it has gold and silver color too", + "im looking for a easy to assemble showcase cabinet with good storage space and has tempered glass countertop. also choose 47.2h * 15.7 w sized one", + "im looking for a heavy duty table pads made of ecofriendly materials and also easy to clean for dining room. also, choose 48*60 inch in size new version clear 1.5 mm one", + "i would like to buy a black case for iphone 13 pro max which has protection for two screen with tempered glass and which i can easily install myself", + "i am looking for a easy to use beige color shower cap", + "i am looking for fluoride free teeth whitening toothpaste that has two times the repair", + "get me a seventy centimeter wall mounted mirror thats easy to install", + "i want a light gray oliver king size arched tufted platform bed", + "i am looking for a red womens long sleeve sweater", + "i would like some easy to use dental flossers", + "im looking for two flavor energy shots", + "im looking for a loose fit vest with long sleeves for teen girls. also choose large size khaki colored one", + "i am interested in sardine lemon flavored wild caught sardines which are gluten free", + "i need a pair of nice indigo pants for hand wash only", + "i would like a core i5 desktop that has 8gb of ram and an ssd of 256gb", + "im looking for a size 5.5 women non slip running shoes", + "i would like to buy a peach high 490 colored long lasting lipstick", + "i need a gift basket of gluten free food items for my family. and i would prefer 16 bars & card size", + "i need a button down shirt that is slim fit and hand washable. the fabric needs to be stretch and be large and black", + "i want a god for my best friend who sent me my son fathers day t-shirt with classic fit and needle sleeve. also, i choose size 4t and cranberry color", + "please add to my list baby boy silver cupcake picks for my son\u2019s birthday party", + "im looking for a tempered glass window covering film for privacy in my dining room. it should be 23.6in by 47.2in", + "i am looking for golden blonde with highlights color hair extensions that are easy to apply", + "i am looking for a noise cancelling computer headsets", + "i am looking for bunny cake toppers for a baby shower", + "i want a double sided pillow cover. it should be orange blue in color", + "i would like a round vanity light for the living room", + "i am looking for clinical strength anti perspirant for sensitive skin", + "i looking a short sleeve bridemaid gown satin tumble dry colour should be coral", + "looking for heavy duty wooden frame barstools also choose colour brown", + "i would like a #4 bath sponge that is non toxic and easy to keep clean", + "i am looking to buy a multi color birthday candles for a birthday cake", + "i want a bookshelf for my living room", + "i would like a core i5 tower that has 64 gb of ram, and 3tb of storage", + "i would like a long lasting eye cruelty free shadow base", + "i need an intel core i7 desktop that has 32 gb of ram and 256 ssd", + "i want an intel i5 core desktop with 32 gb ram and 256 gb nvme ssd", + "im looking for individually wrapped turkey flavoured meat sticks for snacking", + "i would like some old fashioned bake mix made from natural ingredients", + "im looking for a plug play usb microphone", + "i would like 18 bags of 1.25 croele party mix that is gluten free", + "i am looking for stirrings simple cosmopolitan non-alcoholic cocktail mix which is non alcoholic and made up with real fruit. cosmopolitan cocktail mix flavor preferable", + "find a lactose free cake topper", + "i want a eco friendly xiao jian swivel computer chair", + "i need a king sized bed that has metal legs", + "i am interested in a c colored cruelty free blush alongside a nailpolish", + "i would like to see some noise cancelling headphones that are red", + "im in need of a hands free pair of earbud headphones that work with bluetooth and offer noise reduction technology", + "im looking for jeans that are machine washable and are in size 27", + "i am in need of a 10x6.5ft, light weight and high resolution backdrop for digital photography", + "im looking for plug play for camera electronics to the video and it will buy it", + "for living room i need brushed nickel finish table lamp in black hardback shade. it should be a set of two and should include wifi smart socket", + "im looking for some hair cutting shears", + "i am looking for a size 13 sandal for women which has an open toe and a high heel", + "i am looking for adidas mens synthetic sole running shoe, also blue one and 5.5 sized", + "i am looking for a manual toothbrush for easy use to oral hygiene. also choose violet color", + "i want a 10 by 7 ft a16 photo background that is light weight", + "i need a bamboo back scrubber set, with a long handle and twenty four hooks", + "i am looking for a faux fur cardigan coat with long sleeves. i am a 3x-large in size", + "i am looking for a spot cleanan round shape area rugs", + "i would like some color 5 hairpieces that are easy to put on", + "im looking for some high heeled sandals in size 9. also, in the color red", + "i am looking for dining room chairs. choose the satin cream", + "im looking for a slim-fit, short-sleeved, slim-fit mens compression t-shirt in i-silver", + "i am looking for a high resolution telescope with a phone adapter", + "i am looking for womens plus size bootcut jeans", + "i need a pair of shoes with rubber soles. remember to get size seven and a half womens", + "i would like a 8 foundation split king size blue bed and box spring", + "im looking for a tempered glass screen protector for my phone that comes with a black case", + "azzaro wanted gil impression perfume travel size refillable and quality should be high", + "i am looking for a full sized box spring", + "i am interested in a long lasting perfume set", + "i am looking for some kosher chocolate bars that are 2 pounds", + "im looking for a pack of 96 eight-ounce amber-colored travel bottles that are bpa free", + "i am looking for a holiday cocoa mug which can be a perfect gift for valentines day", + "iam looking for sulfate free argan oil for the hair treatment of my wife", + "i would like a surveillance camera with aaa batteries included", + "im looking for a black tempered glass smartwatch bands for men", + "i am looking for a button closure down shirt in slim fit which is machine washable. also choose gold color and large size", + "i need a non toxic and high quality empty bottle for cosmetic", + "i would like to purchase teriyaki flavored jerky that is made from grass fed beef and comes in a 10 ounce package", + "i need to order a game boy color. make sure that its green and has stereo sound", + "i would like a 31.5 inch pendant light chandelier for the dining room", + "i want a phone case which is easy to install and has a slim design. pick a japan kitty color", + "i am looking for a certified refurbished laser printer", + "i would like a bundle of 1.2 ounce bag of usda organic pomegranate arils", + "i want a swivel desk chair with lumbar support and backrest. pick something in blue", + "i want to find a 3-pack of grape-mango fruit leather buttons that are usda organic. the brand must be trader joes", + "im looking for packaged fruits that flavor name was peaches-vanilla", + "i want steel frame in grey color", + "find beef jerkys made from grass feed animals", + "i am looking for a long lasting brown colored liquid eyeliner", + "i need a one pound bag of pink glitter that is kosher", + "i would like a small leopard blue blouse that is hand washable", + "im looking for hair extensions to prevention of hair falling its for hair care", + "i am looking for a light weight background of size 9x16 ft", + "i am looking for white floral scent dab 002 in travel size", + "i would like a coated steel filing cabinet", + "i want gluten free langs chocolates milk chocolate dessert cups", + "i am looking super soft speed sports car fleece throw blanket for boys girls extreme sports theme plush blanket cool tie dye decor fuzzy blanket for sofa bed couch for living room", + "i would like a pair of womens 6.5 black powder water shoes with a rubber sole", + "i need 1.75 ounces of tikkiya kabab fried fish seasoning mix that is easy to use", + "i am looking for a professional white color hair salon rolling swivel chair", + "bragg premium nutritional yeast seasoning - vegan, gluten free cheese flakes \u2013 good source of protein & vitamins \u2013 nutritious savory parmesan cheese substitute \u2013 non gmo verified (variety, 3.0 ounce (pack of 2))", + "i would like a clear performance glass screen protector for a samsung s21", + "i need a xmarto wireless home security camera system with motion detection", + "help me purchase a blue mens shorts that is machine washable and its size is 38", + "i am looking for a 18 count (pack of 1) caffeine free herbal tea", + "i would like a dual band ac adapter with output protection", + "looking for iced tea bags puerh tea bags certified organic, flavor darjeeling, pack of 1 with 20 count", + "i want an easy to use pair of moisturizing gloves to remedy rough skin", + "i am looking for round shape table top cover for my living room", + "i want to buy a skirt for women which is high waist, and is of olive color, and the size of x-large", + "im looking for fish recipe it was easy to prepare and flavor was tikka masala", + "i am looking for womens size socks that are machine washable", + "i am looking for a easy to use and long lasting audio recorded it should be voice activated and have a date and time stamp option", + "i want nail clippers that are easy to carry", + "i am looking for 6 inch stainless steel hair cutting scissors", + "i would like a multicolored 17.7 wide by 35.4long window film for my living room", + "i want emerald mid century modway bar stools", + "i am looking for a letter y size monogram coaster set that fits for my living room . and i prefer the 22-lights color", + "can you get me a margarita mix, palomas, real fruit and not too much sugar, and ill need 32 ounces of it", + "i would like a eye shadow makeup palette", + "i want a white 16.9oz hair dye bottle from segbeauty", + "i want a quad core 7 android kids tablet with iwawa ls, dc, bt, wifi etc", + "im looking for a individually wrapped cake topper for birthday party", + "im looking for high heels shoes for women men it is easy to wear", + "i want to find one pack of freeze-dried, shelf-stable smores cookies made with quality ingredients", + "i need a gaming pc powered by an core i5", + "i would like a dark blue denture storage case", + "i am looking for a cell phone that is fast charging and is cream colored", + "i want to find a white security camera that is easy to install", + "i need a red k22 phone case that comes with a tempered glass screen protector", + "i would like a pair of midnight green earbud headphones made of aluminum alloy", + "im looking for extra large high waist leggings that are hand washable and fleece lined", + "im looking for a long lasting roll on antiperspirant", + "im looking for a breakfast cereal bars in a gift box. also, choose pack of 1 which weighs 5.4 ounce with fluffernutter crispies flavored one", + "i am looking for gluten free chocolate with blueberry flavor", + "i need a liwin black wireless 3 in 1 qi-certified 15w fast charging station", + "i would like some gray heavy duty spa chairs that look like they belong in a hair salon", + "i looking a super soft fleece throw for small pets size;40*30 inch", + "i need roasted coffee beans that are dairy free and cinnamon bun flavored", + "i am looking for a box of chocolate covered caramels and nuts", + "i would like a 4.22 ounce variety pack of non gmo gluten free smoothie pouches", + "i am looking for a victorian style queen size bed", + "im looking for an orange teeth whitening nhpro enamel care", + "i am lookin for black stereo sound computer speakers", + "find me a 2pcs of human hair with high quality in brown black color", + "i am looking for plant based, and gluten free snack chips. pick the 0.9 ounce pack of 48", + "i am looking for a hot pink machine washable bikinis sets", + "i want blouse hosiery in white color", + "i would like a high performance set of earbud headphones", + "i would like a size 10 black long sleeve sweatshirt", + "i want earths best organic baby food", + "i am looking for a pendant light with a merlins beard color that is easy to install", + "i am looking for a long lasting gold color tablet", + "i am looking for a 2 light vanity light with glass shade", + "i am looking for a anti-perspirant deodorant that is long lasting", + "im looking for a waterproof carrying case that can help secure my binoculars while bird watching", + "i am in need of a power amplifier", + "i am interested in black and white fashion sneakers for everyday wear that come in a 6.5 size for women", + "i need a blue tongue scraper for bad breath", + "i need a high density area rug that is white", + "i want princess makeanni the pooh cupcake toppers for a birthday party", + "i want black kmm cotton moisture wicking socks", + "i want some margherita pizza thats gluten free", + "i am interested in a ready to eat millet and lentil packet that comes in a pack of 8", + "i am looking for a long sleeve mens hoodie pullover size x-large", + "i am looking for space saving collapsible and waterproof storage bins", + "i would like a heart sunflower heavy duty phone case", + "i want to find a pair of wireless bluetooth headphones", + "im looking for a set of 3 nesting end tables", + "i need a pink blossom colored carrying case for my cell phone", + "im looking for a blue gift basket", + "i would like a 6 pack of 5.5 ounce non gmo sundried tomatoes", + "im looking for a pack of butter cookies made with quality ingredients. get me the 3 pound package", + "im looking for coaxial cable for cell phone accessories", + "i am looking for cognac zebra color womens sneaker having rubber sole", + "i need some toothpaste that is flouride free and is extra whitening natural mint", + "i need a 1 pack of high quality hair piece shaped like donuts . an i would prefer 30# color", + "i want a variety pack of fat free apple mango real fruit bars. i want a 12 pack", + "i want 4 ounce fat free musselmans cinnamon apple sauce cups", + "i need 6ft red color usb fast charging led lightning cables -1 pack", + "find me cloths towel for exfoliating bath for sensitive skin 11.81 x 11.8 inch with yellow edge", + "i am looking for a lightweight background that is 10 by 10 ft", + "i would like a 2w x 36h cheese milk colored roller shade that is easy to install", + "find a easy to install vanity light", + "im interested in a wireless bluetooth alarm clock that offers stereo sound", + "i am looking for a gold colored bpa free beauty case", + "i need a two pack of hdmi cables that are high speed and 35 feet", + "i am looking for a tv stand and console that has storage shelves. i choose the sargent oak color for for my 55 tv", + "look for wash cold pajama set nightwear that size small", + "i want a short sleeved slim fit casual shirt in white and size large", + "im looking for a pair of womens pumps that have an ankle strap and a leather sole. look for them in black, size twelve and a half", + "i am interested in sprinkles that are soy free and for christmas", + "i need a medium colored matte foundation thats oil and fragrance free. make sure it hasnt been tested on animals. i want the one ounce bottle", + "im looking for a size 5.5 women non slip running shoes", + "i am looking for a 21 inch high quality hairpiece used for hair extensions", + "i want you to find me a mini desktop computer with intel core. i want the one with no ram, no ssd, and no wifi", + "im looking for a 6ft usb to hdmi adapter cable", + "i would like a lotion that is mango scented and cruelty free that comes in 32 ounces", + "im looking for a comfortable pair of big and tall jeans", + "i saw hand painted with size 96 w x 90", + "im looking for teeth cleansing toothpaste which is idol for fresh breath,stain removal and longlasting. i need 2pcs in purple color", + "get me a hdmi male to male cable that is high speed and gold plated", + "i am looking for a 400 foot long high speed coaxial cable", + "i am looking for a 6 foot by 9 foot light weight vinyl backdrop with different size fish motifs", + "im looking for accent furniture for living room", + "i am interested in buying area rug for dining room which is in black or grey color, and is in shape of runner, while the size should be 4 ft x 6 ft", + "id like to buy a pair of sandals with a synthetic sole and arch support. look for a pair thats size four, in slate", + "i am looking for a medium sized toiletry bag that is denim purple and water resistant", + "i am looking for a long sleeve womens jumpsuits of small size", + "i would like to get a 1080p hd camera with a carrying case", + "i want cruelty free illuminating makeup mist", + "i need a small size t-shirt for my wife. i would prefer classic fit with olive color", + "i want buy 11 ounce, gluten free ,protein serving tuna also fresh", + "im looking for a fruit snacks that is free from gluten and fat, also made of real fruits", + "i am looking for large sized men tank.it shoud be made of polyester heather", + "i need some perfume that is long lasting and smells like a rainy day", + "buy a steel framed end table for the living room", + "i need a henleys shirt, slim fit and fleece lined. color needs to be white and x-large in size", + "i want buy a string backpack with small woman kids travel bag", + "im looking for a pack of 4 in 25.4 ounce sugar and gluten free chocolate syrup", + "i would like a quad core tablet", + "im looking for blue slip-on womens fashion sneakers in a size 7, and they must feature good arch support", + "i am looking for a g_pink short sleeves shirts for man", + "i would like a 8.5 inch wide black non slip platform wedge pair", + "i would like a 12 ounce slim cans of zero sugar ginger ale", + "i want ailun privacy glass screen protectors", + "i need lemon flavored gummi candies that are gluten free. also, pick a kosher certified one", + "i want black prop\u00e9t womens aviator sneakers with rubber soles", + "i would like a polyester cotton hoodie with flowers on it", + "i would like a pound of 2.01 ounce everyday seasoning bottles that are gluten free", + "i am looking for a metal legs chair for living room which is east to assemble. also choose velvet black color", + "i am looking for a wireless charger", + "i would like a pair of yellow size 8.5 boots that are comfortable during the day", + "i would like a king size extra firm 12 inch mattress with memory foam", + "im looking for a glass screen protector for samsung galaxy a13 5g", + "im looking for some hot cocoa mix that comes in a pack of three and is non-gmo and sugar free", + "i am looking for a blue tie and dye printed small blouse with a unique design that is short sleeved for teen girls", + "i am looking for hair building fibers that are light brown for hair loss", + "im looking for a ceiling light fixture with a brushed nickel finish that would suit a dining room", + "i need a wall lamp that has a bronze finish", + "i am looking for a light blue, pink, yellow or light green tooth cleaning tool that is easy to carry", + "i am looking for a remote control for my blu ray player", + "i am searching for a high definition stereo sound hands free portable bluetooth speaker. also, choose the b color", + "i want an easy to install tv antenna with usb port", + "i need argan oil lotion for anti aging hair treatment", + "get the heavy duty bed frame in espresso", + "i am looking for gluten free red dog rub gourmet spice blends", + "i am looking for black knee high winter boots for women", + "i am looking for adjustable and quick release pink color smartwatch strap", + "i want paragon black solid wood", + "im looking for a digital camera with an optical zoom and stereo sound", + "buy me a pair of extra small mens sweatpants with a drawstring closure", + "get me a hand-washable swimsuit in size small", + "i would like a bottle of paraben free hair color", + "im looking for non-dairy, lactose free chocolate chips", + "i want love beauty argan oil and lavender tea tree conditioner", + "looking for leather sole womans sandals with arch support also choose size 7 wide", + "find non dairy candies", + "i would like to buy a valentines day party bag with 60 chocolate individually wrapped candies", + "i want natierra freeze-dried strawberries and mangos", + "i would like a argan oil hair treatment", + "i need soaps for dry skin that are made with argan oil", + "i want to find a hand-crafted care package box filled with the best meats, cheeses and savory snacks", + "im looking for individually wrapped green raspberry 30 count bulk lollipop pack", + "i would like a hands free cd dvd car stereo reciever", + "i want an ultra hd wifi bluetooth projector", + "i want to find a mini home security camera that has a motion detection feature", + "i need a small easy care shirt with long sleeves . and i prefer the clover color", + "i am looking for a core i5 laptop that has 64 gb of ram and 2tb of storage", + "i need a size 6 closed toe high heel pump shoe. the color should be cheetah leopard red", + "teeth whitening toothpaste with natural ingredients only 1 pcs", + "i am looking for an android 11 tablet with 4g lte", + "i would like a regular sea glass towel for damaged hair", + "i want a hoodie for couple with quality polyester in size medium black", + "i would like some gluten free rice flour", + "i want to find a 4-pack of energy drinks that are gluten free and have no artificial colors", + "i need a super soft fleece throw blanket for my living room couch. i really like the fruit avocado cartoon color", + "i am looking for a 1000 count french vanilla coffee creamer that is non-dairy", + "i am looking for a dust proof cheapest 8 inch octa core tablet pc", + "i need to buy a three piece living room set with a sofa, armchair, and loveseat. make sure its easy to assemble and has solid wood frames", + "i need an indoor ultra hd antenna with an amplifier", + "i am looking for a king size memory foam mattress", + "im looking for a lip balm that would help minimize dead skin caused by dry lips in the winter", + "i need some hair growth formula", + "i would like to buy easy to assemble storage baskets which has a lot of storage space", + "im looking for a blush brush that should cruelty free certified. also, choose angled liner one", + "im looking for size medium mens boxer briefs with a comfortable fit. choose the multi color", + "i want a 16 inch case cover with touch bar. pick a dark blue leather one", + "i want to buy a manual toothbrush for sensitive teeth that has a multicolored wave design on it", + "id like to buy a small white jumpsuit with a relaxed fit", + "im looking for a 198 gram box of crunchy organic breakfast cereal; it must suit my high-protein, gluten-free diet", + "do you think you can find me a fluoride free toothpaste for sensitive teeth? i want something that comes in a 3.5 ounce size", + "i am looking for a living room curtain that is machine washable and multi color", + "i need a blue breenhill electric body brush with extended long handle", + "im on a low carb diet and i was recommended fried chicken skins chick n skin - | delicious, low carb, high protein snacks, gluten free, msg free, made with organic chicken, 2 oz. per bag i want 8 bags", + "i need low carb protein bars", + "open amazon and get labena eye patches to moisturize the dark circules in large size and blue color", + "i need a long sleeved black pullover that is in a large", + "i am looking for a gold pendant light for my dining room", + "i want a 2.6 ounce bottle of himalayan pink salt of a medium grind that is gmo free", + "i want some grass fed and low carb jerky. make sure they are original beef sticks", + "im looking for a light fixture farmhouse pendant light, preferably the white color", + "i would like a 16 ounce ultra gold sugar free energy drink,", + "please help me find a pair of white men\u2019s sneaker in a size 13; it must be the \u201cu-throat\u201d type with a rubber sole", + "i need to buy a pair of swimming trunks in 3x large. make sure they can be washed on the cold cycle", + "i am looking for a high quality reusable facial treatment", + "i am looking for a truffle oil and mushroom pizza with artificial flavors", + "i would like a 16 pack variety box of low sugar cookies", + "i am looking for some kosher chocolate bars that are 2 pounds", + "find me a pair of non slip sneakers with rubber soles. i am a woman of size 13", + "i am looking for a 52 inch by 45 inch green window panel", + "im looking for x large cotton pajamas that are elastic waist please and thank you", + "i am looking for a 5 toddler size vinyl acetate of clogs & mules", + "i need a easy to use plug and play, power amplifier with bluetooth connectivity", + "i am interested in long sleeved white pullovers that are casual", + "i need a elephant11lbg8852 valentines fleece throw that is 50x60in", + "i want to buy some wall sconces with a dark bronze finish", + "im searching for purple color toppers to decorate the birthday cake", + "i would like a 4g lte phone thats device only", + "im looking for keto friendly double cholate cup cake it was sued in parties", + "may you give me this costume please? there is a womens plus size loose jumpsuit ethnic floral summer jumpsuit quick dry 4x large", + "i am interested in highly pigmented eyeshadow", + "im looking for regular fit and the clothing was makes day comfort", + "i am looking for a long lasting matte lipstick in darling damask color", + "i would like a 3 pack set of non gmo tree nuts", + "i am looking for a high quality hairpieces. also choose 250# darkest brown with 50% synthetic grey color and 8x10-80% light density in size", + "order for me cocoa blend caffein free drink with natural ingredients", + "i would like some green size 36 shorts that are good for my gym workout", + "i am looking for rose gold colored glitter for nail art", + "im looking for a lace silk pajama lingerie for women with long sleeves and made of good quality polyester material. also, choose large size wine colored one", + "i need to get a dark beige ottoman for my living room", + "i would like a pair of size 13 dark truffle loafers with a rubber sole", + "i want the easy to use seasoning spice mix. look for the garlic butter option", + "i want a curly hair black brown synthetic hairpiece", + "i would like some green binoculars for bird watching", + "i need a table lamp with bronze finish for my living room", + "im looking for furnitures for kitchen dinning room the color need to buy pu-red brown", + "im looking for golden cupcake toothpick toppers", + "i need a console table for the living room that is size 140 by 15 by 100 cm", + "i am looking for a bronze colored wall mounted led sconce for my living room", + "i am looking for a heavy duty red case for a galaxy s21 fe that is easy to install", + "im looking for white item make my room look so nice", + "im looking for high speed net it has quashield-black material type", + "can i have pierres apothecary macadamia hydrating restoring conditioner with omega 7 and coconut oil", + "i am interested in buying sandals for women which have open toe, are knee high, and are in white color, while the size should be 6.5", + "i need some draw string shorts that are official cleveland university. the need to be small and charcoal along with being machine washable", + "i need a closed toe khakhi sandal with ankle straps in size 10", + "i am looking for a high performance digital subwoofer power amplifier board", + "i am looking for a light blue, pink, yellow or light green tooth cleaning tool that is easy to carry", + "i need some straight legged levi jeans in big and tall, with a button and not a zipper", + "i am looking for an eco friendly 35 by 59 inch waterproof clear plastic table mat", + "i am looking for a fully cooked bow-tie of spaghetti pasta flavor", + "id like to see large bathing suits for women that are quick drying and loose fitting", + "i want a gold plated 85ft usb-c to 2 rca stereo audio cable", + "im hoping to buy a medium pair of womens cropped jeans with an elastic waist for everyday wear", + "find a toothpaste with natural ingredients", + "i want to find a super soft 50x80 inch throw that i can leave in my living room", + "can you find me a pair of open toe rubber sole pumps? get me the black one in 5.5", + "im looking for a ground natural fennel seed which is free from bpa, gmo, fat and gluten. also choose a pack of 1 weighting 2.8 ounce with natural kebab seasoning one", + "i would like a easy to assemble buffet sideboard", + "i am looking for a certified organic herbal tea which has a rose flavor", + "i am looking for a multi purpose tripod for camera made up of aluminum alloy with quick release. also choose but2664 color and but2287 size", + "remote control for emerson led lcd tv lf501em4a lf320em4a lc391em4", + "i want a white yisella shower brush with a long handle", + "im looking for a easy to use manual toothbrush for sensitive teeth. also choose 7-12 year old kids usable blue colored one", + "i am looking for a sma male to female coaxial cable for 4g lte signal booster", + "i want to buy an easy to use instant coffee that comes in a decaf french vanilla", + "i need a king size bed that is green", + "i am looking for a lychee energy drink that has no sugar", + "i want a 18 inch by 18 inch cream blush throw pillow cover for my living room", + "search for women wedding wedges with slingback shoes and summer ankle strap must be leopard print", + "i am looking for a heavy duty phone holster", + "i want vanity lights that are easy to install", + "i would like to buy a heavy duty gray carrying case for my x box controller", + "i would like a #1 lip stain that is paraben and alcohol free", + "im looking for 45mm stainless steel galaxy watch 3. also the mystic bronze color is preferable", + "i want the keto friendly and low carb protein puffs. pick the garlic parmesan one", + "i am looking for medium sized underwear bottom with machine washable feature", + "im looking for an ottoman for my living room with metal legs and beige upholstery", + "im looking for hand painted decorative pillows for grey plant colored", + "i\u2019d like to find a super soft luxurious fleece throw that\u2019s about 50\u201d x 40\u201d in size. it should look good in my living room", + "i would like a brown wig made of natural hair", + "i need 1.75 ounces of tikkiya kabab fried fish seasoning mix that is easy to use", + "im looking for a waterloo naturally flavored sparkling water", + "i am interested in a plant based energy drink that is cucumber lime flavor", + "im looking for a band for my apple watch that will fit at 38, 40 or 41mm that is easy for me to install", + "i am interested in some hair growth treatments", + "i am looking for a hands free white alarm clock with wireless bluetooth", + "i am looking for a long lasting permanent hair dye in light auburn color", + "im looking for an easily assembled and cleaned storage chest for my shoes that would fit well in my living room", + "i am looking for a 1 fl oz oil free super-blendable liquid foundation", + "im looking for an 8 ounce bag of chocolate covered sandwich cookies", + "i am interested in buying a rustic brown entertainment center with a steel frame for the living room", + "buy me a pair of machine washable jeans in maria", + "can you find me a clear screen protector for glass screens?", + "i am looking for gluten free cookies", + "show me travel bottles with bpa free, non toxic, high quality (yellow) please do it quickly", + "i would like a pair of small blue shorts made of nylon spandex", + "looking for a coat with hood and long sleeve in black size large for women", + "i am looking for gluten free and grass fed patties - 6 chipotle chicken + 6 thai style turkey", + "i need a high speed coaxial cable that is 50ft", + "i need a 5-tier corner shelf for my living room", + "im looking for a omysalon all purpose hydraulic barber chair ", + "i need a pair of white sneakers with rubber sole. it should be in women size 11", + "i would like a monocular for my bird watching", + "im looking for an incredibly soft fleece throw blanket that is 50 x 80 in size", + "i need a blink outdoor camera kit that has motion detection", + "im looking for waterproof wildlife hunting trail camera", + "find me 1 bar of orange blossom honey soap that is made with natural ingredients", + "i need an area rug for the dining room that is 3ft by 5ft and is ivory and brown", + "i would like a 42 wide by 63 long blush window panel that is machine washable", + "im looking for 8.5 wide open toe women sandals", + "i would like some viktor and rolf perfume that is travel sized", + "i want grey color lumbar support, pu leather swivel adjustable executive chair with flip-up arms", + "can i get a green women short sleeve dandelion printed blouse thats is loose fit and desirable for day comfort?", + "im looking for a black heavy duty barber chair", + "this brand lorann blueberry ss (with natural flavors) is the one i always use, find the 16 oz bottle, for me the gluten free version", + "do you think you can find me some long lasting womens nail polish? i want the one in the color a-07", + "i would like a pair of size 12.5 natural fabric walking shoes with a synthetic sole", + "i am looking for an original dry skin moisturizer that comes in a three pack", + "i would like 100 grams of non gmo peppercorns", + "i need jade johnny mbj womens casual comfy wide leg pants in size medium", + "i want to buy cupcake toppers that are for a birthday party", + "i would like a 2xl green pair of wide leg jogging pants", + "i would like super soft throw pillows in the color frydek alocasia obsidian", + "im looking for a set of makeup brushes in the color peaceful purple to help me with my eyeshadow makeup", + "i would like a nightstand that is brown with a steel frame", + "i want to get a 9-pack of veggie lasagna entrees that are easy to prepare and high in protein", + "i am looking for some size 7 wide open toe shoes that have a heel and come in black", + "i need a turntable that is hands free", + "im looking for black colored round table accent table for bedroom uses", + "im looking for womens clothing for it was soft material it can wear everyday wear", + "i am interested in permanent hair color that is dark blonde tobacco", + "get me a nine by twelve and a half foot easy clean rug for my dining room. look for the garnet color", + "i need six feet of hdmi high performance cables in a ten pack", + "i am looking for decorative cupcake picks for my party. pick red ones", + "i am looking for shades of size 54w x 72h that are easy to install", + "i am looking for pink color hair removal razors", + "i am looking for a large short sleeve mens graphic t-shirt", + "i would like a 12 by 12 inch poster in three panels i can hang readily in my living room", + "i want a anti-aging hyaluronic acid cream that includes aloe vera and retinol and is all natural", + "i want to find a plus-sized medium short-sleeve top for women in navy", + "i need a faux leather barstool that is 30 in height", + "find a gluten free popcorn salt", + "i am looking for oil free toner", + "i am looking for transparent color kitchen drawer mats that are easy to install", + "i want a dual band serveillance bullet camera waterproof motion detection", + "i am looking to buy a quick release, non slip, travel tripod stand and it has to be silver", + "im looking for a single high speed gold plated hdmi cable", + "i would like a island strawberry gluten free drink mix", + "i need dual band computer accessories", + "this brand thorogood infinity fd series 6\u201d is gorgeous ! i want by one with: waterproof, slip resistant, composite safety toe work boots for men in a butterscotch collor and size 13", + "i am looking for a 7 wide synthetic sole of platforms & wedges", + "i am looking for original clean scent deodorant that is anti perspirant", + "i need a quick drying skort with pockets. pick a dark grey one", + "i am looking for an intel i5 core desktop computer that has 4gb ram and 64gb ssd", + "i am looking for a gluten free socorro sweet tea that has low calories", + "i need a quick drying swim suit cover up in a size large. get the watermelon one", + "i want to find a set of high-power binoculars that i can use for birdwatching", + "i would like a mango sparkling water bottle has has low calories", + "i need a jeans with button closure", + "i want to find a monocular telescope that i can use for birdwatching, and it must be easy to install", + "order for me a walnut computer desk 39.4 inches made of a solid wood and easy to clean", + "i am lookig for king size box spring easy assemble heavy duty bed frame", + "i am looking for 2 pounds of individually wrapped chocolate hearts in a resealable bag", + "i want a shilo dark chocolate wig made from natural hair", + "i need a 3x-large porg star wars t-shirt with charcoal heather 070", + "im looking for keto friendly have zero sugar", + "i am looking for men comfortable fit sweatpants of black color", + "i want a oatmeal cinnamon raisin snack bar that is low calorie and high protein", + "i need wine colored winter warm boxers. pick something in wine color", + "im looking for high heeled shoes and open toe it will easy to wear", + "i want to get a birthday party themed cake topper. get the one with the purple butterfly on it", + "i am looking for a waterproof ricoh camera with optical zoom", + "im looking for high waisted denim shorts distressed jeans for women", + "i want a silver star wars the mandalorian muted warrior t-shirt", + "im looking for a mens slipper that has a water resistant rubber outer sole. size thirteen and extra wide", + "i am looking for a creamy cellular shades for living room", + "i want a regular fit pea coat with button closure. i need it in black", + "i am looking for a tempered glass of basic cases for iphone 11 pro", + "i need a double dark chocolate bar which is high protein and ready to eat", + "i would like a 1.6 fluid ounce bottle of voyage perfume that is long lasting", + "i am looking for a replacement tv remote control with the aaa batteries included", + "i would like some individually wrapped mandolorian lollipops for party supplies", + "i want bowl to have in a bowl, soy wax scented candle which is lead free", + "i would like a forest green wireless bluetooth speaker", + "im looking for decor room for living room its full of wood finish and want to buy it", + "i want hands free and bluetooth headphones", + "i want to find a black and white case cover for my iphone, and it needs to feature cats", + "im looking for a bathing suit for plus size women that is quick drying that comes in xx-large and the color black, if possible", + "i want blue travel toothbrushes with long handles", + "i am interested in buying a long sleeved xx-large sized sweater which is suitable for both men and women", + "i am looking for a high performance computer that has 32 gb of ram and 3tb of storage", + "i want paraben free and oatmeal shampoo", + "im looking for a plant based protein drink that should be free from soy, gluten and dairy", + "i am looking for aaa batteries remote control for tv", + "i am looking for a multigroom beard trimmer kit for my face", + "i need a plug and play compatible displayport to hdmi adapter", + "winter warm long sleeves jackets for women which is hand washable and in yellow colour", + "add some non-gmo popcorn to my order", + "i am looking for a 50 ft | 15m size ultra hd gold plated hdmi cables", + "i want the orange color, 2 pcs of v34 color correction tooth whitening sensitive toothpaste for sensitive teeth and bad breath", + "i want to buy a single 3ft black hdmi cable that works with my 4k high definition tv", + "i am looming for a bags & cases for eye shadow", + "im looking for a camellia seed oil conditioner, fragance free", + "i am looking for an easy to use dslr camera with optical zoom", + "im trying to find 52 x 84 sheer linen curtains for my living room, and ideally theyll be sky blue", + "i am looking for a individually wrapped granola bar with high fructose. also choose 3-flavor variety pack", + "im looking for long lasting eyeshadow pencils for women", + "i am looking for an intel quad core computer with 16 gb ram, 256 gb ssd and also a 1tb hdd", + "i would like a pink electric tootbrush that is long lasting", + "i am looking for a black shower cap for natural hair", + "i need a classic fit and dark heather fish aquarium t-shirt in size 2t for men", + "i want an easy to use keyboard with number pad and usb port. i want it to be mint green in color", + "i need an unscented anti perspirant", + "i need vintage beauty salon chairs", + "i am looking for mlide mens summer quick dry fit performance short surf swim trunk drawstring with pockets. swim trunk featuring elasticized waistband with drawstring and contrast in green in xxl size", + "i am looking for gluten free chocolate bars", + "id like to buy a ready to hang toilet paper holder for size 24 by 30 rolls", + "i want to buy a perfume which is alcohol free and lasts long, the scent should be of egyptian musk and it should be 3 ml", + "i need a 038 | honey beige long lasting foundation which is cruelty,oil,alcohol and paraben free", + "im looking for a toothpaste for teeth whitening in blueberry scent", + "i am looking for a food bar of organic blueberry lemon flavor having low sugar", + "i would like to buy a high quality hair regrowth treatment made from natural ingredients", + "buy me some lipstick in spicy mauve. get the one with argan oil in it", + "i would like a full xl 4 foundation for a box spring and mattress set", + "i am looking for a natural wood color floor lamps for living room", + "im searching for sunkist\u00ae omega 3+6 trail mix , low sodium and gluten free snack with almonds, yogurt raisins, banana chips", + "i am looking for grey color steel metal bedframe that is heavy duty", + "im looking for a desktop pc with an intel core i5 processor alongside 16 gb of ram and a 1 tb nvme ssd for storage", + "i would like a charcoal ottoman thats button tufted", + "i want to buy a easy to carry and easy to clean water resistant shaving set for a lady", + "i need a ashley bolanburg display cabinet that requires assembly", + "look for trader joes meyer lemon cookie thins 9oz (255g) my favorite, i really want it, help me if you can", + "im looking for 3.17 ounce coconut chips with tropical mango flavor and it should be soy free", + "i want to find an 80x50 centimeter desk that can be mounted to my wall", + "im looking for gray wireless headphones it can reduce outside noise pollution", + "i would like 250 bags of strawberry sugar free tea", + "i am looking for a high power soundbar and it should be dust proof", + "i am looking for nuts & chews milk chocolate with quality ingredients for valentine day. also choose dark-chocolate flavor and 56 pound (9 ounce) size", + "i am interested in acquiring tuna which is wild caught, and has low sodium, while it has a flavor of albacore in oil and its in a pack of 8 of 5 ounces", + "i am interested in machine washable throw pillow covers in a size 28 by 28", + "i need dining room chairs that is in mustard color", + "i would like some straight leg jeans that are a size 52w by 28l", + "i need a cruelty free hand wash that is 8 ounces", + "i would like a cosmetic case for my nail polish", + "i am looking for a everyday seasonings flavor of gluten free food & beverage gifts", + "i want a small knqr mens long sleeve quick dry shirt", + "i would like a 12 foot gold plated hdmi male to male cable. and can i have 10 of them", + "i am looking for 2 blue color body brush that is easy to clean", + "looking for heavy duty twilight blue colour shock-proof standing cover", + "i am looking for a sulfate free shampoo set that is 13.5 fl oz", + "i want a cheery cacao flavored bar that is gluten and diary free", + "i want a non slip futon mattress that is in 1.8x2m queen size", + "i need an easy to carry tripod made of carbon fiber for my camera", + "i want wildcat leopard impo stretch boots with memory foam", + "i need a black dress with an imported zipper", + "i am looking for a gluten free musk melon drink", + "looking for relaxed fit mens dark pajamas with checker pant", + "i am looking for loose fit cotton shirts for men with short sleeve in white color. medium size preferable", + "im looking for master cables gold-plated", + "i am looking for one oil free foundation in the shade n10 milk chocolate", + "i am looking for a 1 pack of high speed hdmi cables", + "im looking for a charcoal and walnut colored summer chair that has a wood finish", + "i need storage cabinets for the living room that are white", + "i want to find a storage basket that i can put in my living room", + "help me find a high performance power amplifier to use with my ho n e theater and is3 in 1", + "i would like a chicken broccoli rice mix that comes in a pack of 12 and is easy to prepare", + "i want a black colored eco friendly curtain for my living room", + "can you find a navy blue mens cotton heather shirt in medium that has a heart made by a figure skater", + "i would like a 5xl a color blouse with long sleeves", + "im looking for organic freeze-dried beets", + "i would like some black brushes that are made of synthetic hair", + "coconut oil hair repair, marc daniels professional, sulfate free no parabens. i need to fix my hair. i count on your help", + "i need a black henley that is made of cotton spandex", + "i want to shop for some sulfate free, paraben free conditioner for dry, damaged hair", + "i need one pair of large sized stockings that is high quality and non toxic for my feet", + "i would like a chocolate gift basket", + "i am interested in some individually wrapped granola bars", + "i want some long-lasting snow boots with faux fur in black or khaki at size 7.5", + "i would like two bags of a variety four pack of gluten free crackers", + "im losing my hair, so i need to buy a bright red wig", + "i need a golden colored coffee table that is easy to assemble. choose one for my living room", + "buy me the toothpaste with hempseed and coconut oil", + "i want to find a birthday cake topper that i can use for my birthday party", + "i want to find a beauty salon mattress that is 60 centimeters by 180 centimeters in dimension", + "i need a core i5 optiplex computer", + "i want a double sided pillow case that can be washed in a machine. choose a black and white one", + "i\u2019m looking for a wireless headset with microphone , water proof, foldable bluetooth earphones", + "i need a square shaped turquoise area rug that is easy to clean and is 8 by 8 feet", + "im looking for lumbar support for home office desk chairs", + "what do you think of this mtfy tall bedside table with drawer and storage that you recommend? i want two in black if its good quality. i await your reply ", + "i am looking for a great gift of breakfast & cereal bars of newtella crispies flavor", + "i am looking for a soy wax candle that is white sage and 14 oz", + "i am looking for a womens grey short sleeve mini dress", + "i looking a dark chocolate gift basket pack for valentine day size -2 pound", + "i am looking for a large size classic fit unreleased t-shirt", + "im looking for a desktop mini computer with quad core and 8 gb of ram", + "i would like a 50 by 60 inch fleece throw decorated with a tractor", + "i am looking for gluten free, non gmo and soy free b.fine foods snack mix with size: 4 ounce (pack of 3)", + "i would like a antique gray twin size bed", + "i am looking for 42 | 44 | 45mm(s | m) smartwatch bands, compatible with apple", + "im looking for a full xl sized, ready to use brown mattress", + "am searching reebok womens nano x cross trainer running shoes with rubber sole and size 7", + "i need to buy some cupcake toppers for a birthday party", + "i am interested in blinds that are 34w by 56h and that are light filtering", + "buy me some light weight beige slippers", + "i need cat 6 cables that are gold plated, black and 1 ft", + "i would like a 64 gig ddr 4 ram laptop with a intel core", + "im looking for white noise cancelling, wireless headphones that have bluetooth capabilites", + "i need a wildlife novelty polyester cotton multi color sock which is suitable for womens 6-11", + "i want a style b nightstand that is easy to assemble", + "i would like a 55 inch high def tv", + "i am looking for a faux leather storage ottoman", + "im looking for skin care products it can easy to use and it can use for sensitive skin", + "i need a machine washable costume tank top. pick a classic fit in navy", + "im looking for a 109 ultra hd projector screen thats easy to install. also, make it white", + "i am interested in a pink high definition portable bluetooth speaker", + "i need an intel core i3 cpu pc that has 16gb of ram and 24gb of ssd space", + "i am looking for an apple watch compatible lavender grey silicone band with quick release", + "looking for men classic slip on with anti slip grips and back heel square toe, with quality leather", + "im looking for a gray faux fur height adjustable vanity chair with gold round base for a study room dorm", + "i need a medium sized body suit that is long sleeved and in white", + "i would like a 60x80 ref and black fringe fleece throw", + "im looking for curtains for machinable products", + "earthy fragrance for women", + "i need khaki steel toe shoes in size 11 women", + "i am looking for a wireless fast charger that goes with my iphone", + "i am searching for a wall mounted floating shelf for my living room. it should be 24 inch size and natural color", + "i want to buy an eco-friendly soy wax candle", + "im looking for high speed accessories for video cables", + "i need a chocolate covered runner rug for the living room that is 9 by 12 ft", + "i need a keto friendly and non gmo variety pack can. it should be cranberry and raspberry flavored", + "i am looking for clinically proven deodorants . the mens deodorants with anitperspirants -long lasting performance and z-discontinued", + "i am looking for dining room chandelier lighting with a polished nickel finish", + "i need cupcake picks for my sons birthday party", + "im looking for a slip resistant sneaker suitable for working in a kitchen, and i want it with a rubber sole, and in size 12", + "i would like a 13 inch 512 gig intel core i7 tablet", + "i am looking for a set of 2 mesh laundry bags", + "i need a beauty salon makeup palette", + "i am looking for a high quality bag that has a cartoon image", + "i would like a body brush with a long handle", + "im looking for brushed nickel decorative ship porthole nautical mirror", + "im looking for womens clothing it was long sleeve the color was hot pink", + "im looking for a blue hair brush for removing hair danfruss", + "i am looking for a super soft blankets & throws of 40\u201cx30 xsmall for pets", + "im looking for 4 ounce bottle of coffee bakery emulsion", + "i would like a gray 2xl philadelphia eagles fleece lined jacket", + "i buy a solid wood in white color", + "i would like a mens medium classic fit t-shirt in slate gray", + "i would like a 42mm smartwatch band that is made of stainless steel and has a gold connector", + "i am seeking a high quality toothpaste which ensure that i have long lasting fresh breath", + "i need to buy a full sized mattress and box spring set. it should come fully assembled. look for style 225zf-4", + "i am looking for a halloween jacko lantern gift basket with handles to put candy chocolates", + "im looking for a high resolution digital film & photo scanner that is easy to use. choose the black ones that is 9.4 x 7.9 x 5.1 inch in size", + "i would like a smartwatch case that has four colors and is easy to install", + "im looking to get a pack of 24 cans of the starkist white tuna thats packed in water", + "i need a router that has 8gb of ram and 240 ssd", + "i want to buy a tongue scraper that will give me fresh breath and is made from stainless steel", + "i am looking for a fluoride free foaming toothpaste with a cinnamon tea tree flavor", + "i want a fleece jacket that is in regular fit and is long lasting. choose an x-small size", + "i would like a pair of 8.5 wide brown leather shoes with a rubber sole", + "i am looking for easy install blackout roller shades no tools needed. 12w x 48h", + "i need a 9 ounce pack of chocolate peanut butter keto cereal that is grain free", + "hello . looking for my new home easy install wall speaker, monoprice carbon fiber - 300 watt 10 inch (each) subwoofer, for home theater ", + "i need 26 metal bar stools that are distressed teal with modern wooden seats and are easy to assemble", + "i want to find a case for my iphone 11 pro that is easy to install", + "i need a fully assembled black box spring set that is queen sized", + "i am looking for womens woodland texapore low rise hiking shoes. also ebony blue one", + "i want to find a lightweight macbook pro case cover that has a matte blue color", + "i am looking for long lasting sage and citrus anti perspirant", + "i am looking for dark brown human hair extensions with double sided tap", + "i need a 1.5 pound box of trail mix that is keto and has natural ingredients", + "i need large pink board shorts that are a classic fit", + "i would like a pair of size 9 walking shoes with a rubber sole", + "i need a purple tee shirt in medium i can wear at the gym", + "i am looking for daily casual xx-large cocktail dress, floral color", + "im looking for a pair of open toe womens sandals with a leather sole. i want the green ones in size six", + "im looking for a open toe slippers with ankle strap. also, choose 6 size wide, a8 white colored one", + "im looking for a red carbon fiber decal for my xbox", + "i want to find trader joes gluten free norwegian crispbreads that i can pack in my lunches", + "i am interested in a dust proof telescope", + "i am looking for a x- large long fit hoodies & sweatshirts for daily wear", + "im looking for tea tree oil soap with a peppermint tea tree scent. i want a 2 pack of 4 ounce bars", + "i am looking for hair dry shampoo ammonia free ,chestnut brown", + "i want a red machine washable slow down mens ultra lightweight jacket", + "im trying to find high quality eyelash extensions that are 0.15 millimeters in diameter and 13-20 millimeters long", + "i want lead free long lasting scented candle scent : cinnamon apple", + "i would like a standard size three ounce spice gift set that is gluten free", + "i need 16 ounces of an oil free moisturizer that works on dry skin, it should be white not tinted", + "i would like to purchase a 3.3 fl oz, long lasting mens perfume", + "im looking for a long lasting jewelry candle with a cotton candy scent; please pick the one with earrings inside", + "i am looking for a iphone 11 pro 5.8 inches basic cases which is easy to install", + "i am looking for a black iphone 12 max case with wireless charging", + "i am looking for cal 100w eupen metal adjustable floor lamp with assembly required", + "i would like a single 25 foot hdmi 2.1 cable for my blu ray player", + "i would like a medium purple short sleeve shirt", + "i need a printed backdrop for digital photography that is 3 by 5 feet", + "i am looking for a high performance smart watch for unisex with water resistant. also choose 42mm face size and pearl white color", + "im looking for a real fruit bitters with zero sugar. also, choose a pack of 2 weights 32 ounce each with cranberry punch flavored one", + "i am looking for a hair mask and a hair conditioner that promotes hair growth and helps repair damaged hair", + "im looking for a brown, twin size bed frame", + "im looking for a desktop computer thats certified refurbished and has an intel i5 core", + "im looking for super-blendable liquid foundation that is oil free and for fine lines. also, it should be 1 fl oz", + "i am looking for a portable wireless bluetooth speaker with high performance. also choose green color", + "florida caribbean flavor tortuga orange rum cake - 4 oz rum cake for easter dessert. find a fresh baked one for me in stock", + "im looking for a 3 sided toothbrush for fresh breath", + "i am looking for a ultra hd projection screens of black color", + "i am looking 1 pack of low carb soy free gmo free keto friendly peppermint swirl flavor meal replacement drinks", + "i am looking for a craft table with steel frame that comes with a padded stool", + "im looking for king sized bed pillows that contains pink color", + "i want a 12 pack of tenergy premium rechargeable aaa batteries", + "i need a pink pair of winter warm boots for a 9 year old kid. it has to be non slip ones", + "i would like a color12 hair cutting kit that is easy to clean", + "i want icelandic provisions yogurt with real fruit", + "im looking for a canon power shot sx610 hs with optical zoom and black colour", + "find me a paraben free long lasting lip gloss", + "im looking for a 2-pack of moisture-wicking black and oxford sweatpants in size medium with an elastic waistband", + "im looking for the block striped t shirts for women in loose fit and long sleeve. i need the 1/4 zipper collared in 3x-large in the gxfc-s330-white color", + "i am looking for stainless steel gold color wall mounted mirror", + "i would like a peach syrup that is organic", + "i am looking for an organic shampoo which is effective my hair lose . and i choose the 4 ounce hair treatment", + "i am looking for an easy to install vanity light for bathroom", + "i want machine washable christmas scene white decorative pillow covers in size square 22 x 22 inches", + "i need a purple eyeshadow set", + "i am looking for v8 splash with natural pineapple coconut flavor. 64 oz bottles (pack of 6)", + "i am looking for a high quality hair removal wax bottle", + "i want to get a white wooden coat rack", + "i need a fluoride free toothpaste", + "im looking for green color 24 pack merry christmas cupcake decorations for christmas party supplies", + "im looking for tov ultra modern furniture barstool", + "i want an easy to assemble shoe rack that goes in my living room. pick a white one", + "get some shelf stable baguettes", + "i want a white geak compatible with apple watch case", + "i am looking for a size 9.5 casual walking shoes for men, which should have a unique design and should fit comfortably. i will prefer this to have a rubber sole which should be non slippery", + "i am interested in a rotary shaver for hair removal", + "i need ceiling lights that are a light wood grain color and are easy to install", + "im looking for a desktop pc with an intel core i5 processor", + "i would like a blue hair towel like those in a salon", + "get me a pack of 16 count hot chocolate pack. it should be dairy and gluten free", + "i want russell stover pecan delights for valentines day", + "i am looking for brown color medium size star wars mens t-shirt. the cloth must be classic fit and needle sleeve", + "i would like a perfect bread gift", + "im looking for farmhouse upholstered dining chair", + "i need blue high heels with open toes. the size should be a 10", + "i am looking for black magic seasoning that is gluten free and 1.37 pounds", + "check for the following product in pink: honeydew ladies ultra soft cozy lounge leggings, drawstring closure. thanks", + "i want a two pack of hair dye that is in the shade 8rb medium reddish blonde", + "i am looking for a black rose high speed automobile chargers", + "i am looking for a high performance wireless bluetooth camouflage green game controller", + "i want some rice crispy treat made with simple ingredients. i want the kind that are individually wrapped", + "i would like some non gmo chocolate mango slices", + "id like to buy some cinnamon flavored nuts. look for nuts with zero trans fats, please", + "im looking for the furniture for bed room the color was beige", + "i am looking for iced coffee that is shelf stable and mocha flavor that is 96 fl oz", + "i would like a 2xl gray romper that has a high drawstring waist", + "i am looking for surveillance video equipment that has motion detection and is 720p", + "throw of size 40x50 and color blankets 13", + "i am in need of a high definition media player", + "i want a whtie van heusen mens slim fit dress shirt", + "i am looking for some high protein salt n vinegar flavored almonds", + "im looking for a 4 pounds bag of individually wrapped chocolate candies", + "im looking for a oil free, fragrance free pressed powder that should be long lasting when applied. also choose 290 natural ochre one", + "i want a rose gold leotop screen protector compatible with apple watch", + "i want a cd player portable boombox with stereo sound", + "i am looking for a snowy white high speed wifi booster", + "i want a small womens summer short sleeve shirt", + "i am interested in buying wall mounted lights which have nickel finish and satin nickel color, and i want 5 of them", + "where can i find this product? seagull lighting 65625-782 wheaton transitional a pendant light hanging light fixture modern, bronze finish", + "i want to get a fully cooked meat pizza. pick out the one that comes in the five pack", + "i would like a six pack of 20 inch black mix light auburn high quality hair extensions", + "i would like to buy a one fluid ounce bottle of face oil for my dry skin", + "id like to find a pink crib safety barrier that features a steel frame", + "i would like a 5 by 8 ft light blue runner rug for the living room", + "im looking for gyufise glitter mounted butterfly cupcake toppers butterfly cupcake pick, pattern name: 1-multicolor birthday party decorations if you find it let me know soon", + "i want to buy a t-shirt which is classic fit and can be machine washed, as for the color i want it lemon color, and suitable for women, with a size of x-large", + "find an extra large blue long sleeve sweatshirt", + "im looking for a 3 pound pack of individually wrapped snickers candy bars that i can hand out on valentines day", + "i would like a 23.6in by 23.6in in 2pcs set of red window films with tempered glass", + "i want non gmo healthworks cacao butter powder", + "i would like a womens 3xl black blouse that is long sleeved", + "i am looking for old fashioned wabash valley farms - kernels with flavorful medley and with size 6 pound (pack of 1)", + "im looking for a lactose free and gluten free nutrition bar. i want to get the one that is available in the 24 count", + "i need to buy a satin nickel finished vanity light thats thirty inches long", + "im looking for certified organic it is easy to use and it is for grocery", + "i am looking for an eco friendly cruelty free orange ylang shampoo and conditioner combo pack", + "i am looking for a chair with no arms. it should be in burgundy color and should have lumbar support", + "i am looking for high performance jelly fish color smartwatch", + "i need a machine washable light gray t-shirt", + "i would like a yellow 6 around area rug that is easy to clean", + "i am looking for drawstring closure denim pants that have an elastic waist, in the size large", + "im looking for spring coil mattress", + "i want sugar free, 10 pound classic flavour chocolate discs", + "im looking for a vegetable snacks that is free from nuts and gluten. also, choose pack of 24 weighing 1 ounce with mixed (variety) flavored one", + "i am looking for a refillable perfume sprayer for travelling purposes. look for an 8 ml size", + "i want the mens mesh sissy pouch lace see through pajama pants that are low rise and slim fit in x-large. i want the black ones", + "i need a brushed nickel floor lamp that is turquoise", + "im looking for wheat color kitchen rugs it easy clean", + "i want to get a computer headset with noise cancelling and hands free accessibility. get the silver one", + "i need to buy an officially licenced marvel t-shirt for women", + "looking for wild caught coho salmon with organic butternut squash and beets in beef 6 pack", + "i need a new end table for the living room. get me a pink one", + "i need a ready to use and fully assembled sewing kit", + "i am looking for some oil free baby powder", + "i am looking to buy a stainless steel mens hair trimmer", + "i am looking for some highly pigmented neon eyeshadow", + "i want anti slip leopard print shoes for women in size 11", + "iam looking for gmo free assortment - 38 pc", + "i am looking for an apple compatible case cover that is clear green or has silver glitter in it", + "im looking for an extra large, navy blue womens cardigan with long sleeves", + "could you find me a cruelty and paraben free fragrance? im hoping to find one with the sofia isabel scent", + "i am looking for a wireless mini 1080p spy camera with motion detection and night vision", + "im looking for refillable purple spray bottles with fine mist settings", + "i am looking for a high quality teal colored compact mirror", + "im looking for a slip resistant women clog with 9.5 in dark brown suede", + "i am lookinf for high quality scrubbing strap that is easy to use", + "i would like a wine cabinet thats more in a contemporary modern style", + "i need to order a game boy color. make sure that its green and has stereo sound", + "i need you to find this womens long-sleeved tie-dye printed pajamas, color: b2-orange, size medium. i want to give it as a gift to a friend", + "i want a 18 inch by 18 inch blue purple throw pillow cover that is machine washable", + "i need cruelty free deodorant that has a woody scent and is 1.6 oz", + "i want a heavy duty splice board design computer office desk", + "i need some non-gmo chocolate pretzels", + "i want a hair care product that is easy to use", + "i am looking for a large bag of chocolate covered raisins 3-4 pound bag", + "i want to find a pair of pink womens sneakers with good arch support. they need to come in a size 8.5", + "i am looking for natural ingredients brewing", + "i want a phantom black samsung galaxy s21 with optical zoom", + "i am looking for white color floor lamps having bronze finish", + "i need a detangler hair brush that stimulates hair growth. choose the purple one", + "im looking for hair removal its inly used for natural ingredients", + "im looking for an extra large boxer briefs with customizable multi face prints. choose the machine washable ones", + "im looking for a lip gloss base that is non-toxic. it comes in a pink tube", + "i want to find 12 ounces of sweet potatoes that are certified organic", + "i am looking for sugar cookies in a gift basket", + "order an office desk thats easy to assemble", + "im looking for a two pack of tea tree deodorant thats been tested by a dermatologist. it should last a long time and come in the scent rise.", + "i am looking for a twin size bed with easy assemble made up of steel frame. also choose black color and twin-over-twin bunk beds style", + "i am looking for a mint green twin size adult weighted blanket", + "i am looking to buy a high powered car cd receiver with bluetooth", + "i want long curly synthetic hair wig 26 colour darkest brown", + "id like to buy some board shorts in size twenty-nine. get the ones with the button closure", + "im looking for a long lasting jar candles", + "im looking for furniture for living room that wood framed furniture is easy to use", + "id like to buy some non-gmo trail mix. look for a six pack of four ounce bags, in the dark chocolate cherry tart flavor", + "find a non alcoholic 32oz blood mary mix", + "i want a sugar free prodough chocolate keto muffin mix", + "i am looking for an easy to install iphone 12 case with a butterfly orchid design on it", + "i need to buy some gluten-free snack bars that are blueberry vanilla and cashew flavored and come in a 60 count", + "i am looking for a black wall lamps & sconces for living room", + "i need a high performance 48 count set a batteries", + "i am looking for a gold camera lens protector that has tempered glass for an iphone 13 pro or iphone pro max", + "i am looking for a gluten free food seasoning set for my paleo diet. and i would prefer 2 ounce pack", + "i would like a sahara tan five drawer dresser made of solid wood", + "i would like to order a pink chocolate confetti candy and should be non dairy", + "i am looking for a makeup pouch with high quality. also choose wine red color", + "i am looking for a 3x large heathers cotton t-shirts for boys", + "i need a pair of gray workout pants with a butt lift", + "i am looking for medium size black color long sleeve v neck casual shirts tunic t shirt for women", + "i would like to buy a pink makeup brush that is high quality and easy to clean and carry", + "i want notmilk chocolate plant-based milk", + "i am looking for 12 cookies that are in a gift basket and are cherry flavored with white chips", + "i want a quick release tripod with bag. pick the 2 pack option", + "i am looking for plant based,sugar free and gluten free maple waffle", + "i am looking for a 1082 white sports bras for daily casual", + "i would like a 24 x 24 blackish green pillow throw cover for my living room", + "i am looking for a hot pink jumpsuit that is large and made of quality materials", + "i am looking for 3t size, olive color cotton heather men shirts .the cloth must be machine wash", + "i am looking for natural magnesium gel deodorant for muscles aches and pains", + "im looking for a vinyl acetate women athletic shoes. preferably the pink color", + "im looking for wall sconces for living room, with clear glass and brushed nickel in 2l-bronze color and clear cone", + "buy a pair of sneakers with rubber soles in a size seven and a half. order them in silver", + "i need tv antennas that are easy to install", + "i am looking for a low calorie, gluten free tortilla with chia and sesame seeds", + "i want to get a high performance security camera with ultra hd resolution", + "i need a 6 piece hair growth treatment", + "buy as many kays chips as possible when of the ones with french vanilla flavors drops the price drops", + "im looking for oral care the prevention of dental care", + "i am looking for a 50ft coaxial cable that is black", + "i need a water resistant snow boot in caramel brown color", + "i want to find a phantom black s21 android smartphone thats easy to use and has 128 gigabytes of storage space. ideally it will come with a black case", + "i am looking high speed hdmi cable. size should be 3 feet", + "i need an xx-large sweater that is long sleeved and the color x04-5", + "i am interested in pale blonde hair extensions that are 18 inches long", + "i want a fast charging smartphone with 64 gb memory storage capacity. pick a blue one", + "i need a clip set hair extensions with stainless steel", + "im looking for a non slip trekking shoes with rubber outsole and should be moisture wicking. also choose black colored with size 14 for women", + "i would like a womans large cotton heather t shirt preferably in slate gray", + "i would like one organic raspberry syrup pump that is certified organic", + "im looking for a bronze finish pendant light for high ceiling in dining room", + "i want a frontier soups mix with natural ingredients", + "im looking for fast charging, waterproof earbuds", + "i am looking for a pair of easy to assemble beige chairs for my living room", + "i am looking for machine wash waistcoat jackets also choose size 5x-large", + "i am looking a dark olive color oil free fine mist foundation", + "i am looking for space saving espresso color bed", + "i am looking a eye cream for dark circles", + "i am looking for a long sleeve trench coat with pockets. pick a green one", + "im looking for a tempered glass cell phone case", + "i need an eye cream for dark circles", + "i am looking for powerful stainless steel kit for total body clipping, trimming, & grooming", + "im looking for a womans xx large black hoodie", + "i would like a yellow heavy duty desk that is easy to clean", + "im looking for a large pack of candles that are honeycomb veriglass scented please? i", + "im looking for a siete chip tortilla", + "i would like three traditional vanity lights that are in a satin bronze finish", + "wild caught yellowtail fillets size: 4.4 ounce (pack of 12)", + "i need to find 20-60x80 monoculars for some bird watching action", + "i am looking for some high quality glitter nail polish that is paraben free", + "i am looking for a motion detection surveillance kit", + "i am looking for a 16 fl oz cocktail mixer that is ready to use and is ginger lemonade flavored", + "im looking for a 24 pcs arrow cupcake topper ", + "i am looking for a fresh, bright taste, 0 calories and fast-acting nanotonic hemp extract. cocktail with extra sparkling, youll feel good all night, and in the morning too. yum! the mountjoy extra sparkling | fast-acting hemp-infused sparkling aperitif in assorted flavors and simple ingredients. single pack preferable", + "i am interested in a black travel sized cosmetic bag", + "im looking for stereo sound it was outside of noise pollution", + "can i get an easy use gneric children\u2019s u-shape toothbrush c-green color", + "i am looking for a medium size travel bag that is water resistant and denim grey in color", + "i would like a three pack of hair color that is long lasting and comes in a pack of three that are brown", + "i am looking for a gray long sleeved puffy jacket in size small", + "im looking for coaxial cable for video accessories it can intall at any", + "hello, im looking for a harklinikken styling gel. i use no2 /5.07 oz. please consider a anti-frizz moderate hold for dry hair, plant based ", + "i need to get some sulfate free hair spray", + "im looking for computer accessories for high speed and gold plated", + "i want to buy pillow covers which are machine washable and have ombre blue grey color and have a size of square 20 x 20 inches", + "i need a gold colored storage case bag for holding nail art machine and tools", + "i am looking for a clinically proven face moisturizer cream which supports anti aging", + "i am looking for a medium size winter warm jackets", + "i am looking for a non-slip slide sandals shoes that has 8 wide size. ad please get me the black one", + "i would like some 18 inch 1b hair extensions made from synthetic hair", + "im looking for clothing need to buy it ", + "im looking for a laundry bag", + "i want a misty blue anker magnetic wireless charger", + "i need a toothbrush for kids that is easy to use and is the color c", + "i am looking for a purple butt lifting thong for women", + "i need some baby food that is non gmo and has no artificial flavors", + "im looking for skin care for sensitive for mens scent citron and driftwood and coconut water", + "i am interested in a home theatre system that has stereo sound", + "i need to buy a tank top for working out. look for one thats tie dyed blue, in extra large. it should be machine washable", + "im looking for a tempered glass protector that is easy to install", + "im looking for a scoop neck long sleeve medium size tunic top thats fit for everyday wear. also, choose the grey color one", + "im looking for hair coloring products for permanent hair", + "i need in dash navigation that is hands free", + "i would like a extra large dark blue sweatshirt that is long sleeved", + "i want gray startogoo twin low bunk bed with wood frame", + "i ned a height adjustable pink office chair", + "i am looking for blue dragonfly color wall light for my living room", + "i am looking for baby shower themed cupcake toppers", + "look for a pair of open toe ankle booties in size seven and a half. get the black ones", + "i am interested in 6 inch hair cutting shears", + "find me a samsung galaxy smartphone with a long lasting battery and its t-mobile is already unlocked", + "i am looking for a dove anti persipirant deodorant for sensitive skin .choose 2.6 ounce (pack of 3)", + "i am looking for apple ipad mini 4, 1080p hd and color is silver", + "i am looking for a water resistant & carrying case bags, cases & sleeves of purple color", + "im looking for long lasting waterproof brow stamp shaping kits, preferably dark brown color", + "i am looking for light blonde hair extensions that are 18 inches long", + "i am looking for sugar free unsweetened shredded coconut flakes with large flakes", + "looking for keto friendly jumbo sunflower seeds", + "im looking for travel laundry bag it will use for travel usage", + "please help me find a monocular telescope with good high power and zoom. it needs to work at night for bird watching", + "hanes womens x-temp seamless waistband, large, nylon spandex. i hope you are successful in your search. it will be very useful for me", + "i need a noise cancelling headset that is panasonic", + "i am looking for a hair salon capacity spray bottle", + "i would like to buy protein bars which are gluten free, and have chocolate hazelnut crisp flavor, and come in pack of 1 with 8 pieces", + "i want gluten free kernel seasons kettle corn popcorn seasoning", + "i am looking for a happy birthday cake for a party", + "i am looking for long sleeve x-large crew neck caramel color casual pullover", + "im looking for white colored plug play and it will use for video accesseories", + "i want a solid wood sofa bed that goes in my living room. pick a 2 seater", + "i am looking for gluten free blueberry almond pecan flavor bars", + "i am looking a chocolate gift box for valentine day", + "i am looking for remote triggers that come with batteries", + "i need 2 bottles of 8fl oz vermont maple salted bourbon caramel sauce that is gluten free", + "i am looking for a white oak dining room chandelier with 4 foyer pendant light", + "i would like an 8 pack of waffles of two different flavors that are easy to prepare", + "im looking for iphone 12 pro carbon fiber pattern case", + "i am looking for a foldable tatami mattress to reduce on my storage space. the best size would be 90x200 cm (35.4*78.7 in)", + "i am looking for a high definition filter set with carrying case. it should be easy to install", + "i would like a pack of butter cookies from trader joe", + "i am looking for an alcohol free mouthwash", + "i would like a 6 piece organizer that has aaa batteries included", + "i need color corrector for my hair salon", + "i want a long lasting shower gel gift set for sensitive skin. pick something with cherry blossom scent", + "i am looking for a 108 x 84 size panels for living room", + "i am looking for gluten free snacks with strawberry flavor", + "im looking for coaxial cable for video accessories for electronics", + "i want to buy a high definition projector that also has a version for a 5.7 inch phone", + "i need a hard shell case cover for my macbook 12 retina that is sosuke and ponyo colored", + "i need mens non toxic deororizing body spray for sensitive skin. get the 2pack 3.4 ounce size", + "i want a regular fit dark green pair of adidas mens pro bounce shoes in size 14", + "i would like a white nightstand made of solid wood", + "i am looking for a low fat strawberry flavored ultra-filtered milk", + "i would like some non gno amaretto almond biscotti", + "im looking for pure mulberry silk underwear for men", + "i looking gluten free italian ground sausage", + "i looking cafe mocha flavor non dairy gluten free lactose free coffee creamer box of 180 singles", + "i am looking for a queen size white bed", + "i would like a pair of size 9.5 heeled blue sandals with a synthetic sole", + "i need a long lasting blush in the color a", + "i am looking for a pair of mens dark stonewash levis 501 jeans that are machine washable", + "i want a black walnut entryway console table with metal legs and 40 inches long", + "i need a grey button down dhirt that is hand wash and has a longer sleeve", + "i need some fashion sneakers that are size 3 for a big kid", + "help me find a small console table for my living room. a wall mounted one will be great", + "i am looking for 03#beige color women shoes having high heels", + "i would like a pair of size 12 black oxford shoes with a leather sole", + "i need an easy use but high quality beauty ice contour mold skin care tool. pink color will work for me", + "i am looking for a blue color wireless bluetooth mouse that is plug and play", + "i am looking for le labo bergamote 22 impression and alcohol-free travel size concentrated hypoallergenic vegan attar roll-on for women", + "i want a wireless bluetooth speaker,portable audio mini music player,usb easy to carry rechargble usb port color: pink", + "i need some jerky that does not have gluten in it", + "im looking for a sky blue ring holder for my smartphone, if possible with wireless charging", + "im interested in knee high socks for teen girls in hot pink or light blue", + "i am looking for swivel bar stools with adjustable height, 1pc", + "i would like a 26 inch black brown natural hairpiece", + "i need a long lasting 7 oz rosemary candle", + "im looking for an office chair that is red and offers lumbar support", + "im looking for butt lifting and the clothing for quick drying and high waist", + "im looking for a tablet with a high performance 8 inch screen", + "i would like a boom box with stereo sound", + "i am looking for a purple butt lifting thong for women", + "i am looking for rubber outsole men shoes. please choose white color", + "hello, im looking for a decently sized (preferably 80-83cm) bookshelf for my living room and is eco-friendly? thanks", + "i am looking for a womens beverly pump with leather sole. also choose ruby kid suede color and 5 size", + "i need grass fed protein bars that are banana flavored", + "i want a set of 2 mesh laundry bags with flamingos and leaves design", + "i would like some low calorie birthday cake flavor popcorn topping", + "im looking for vinyl digital photography with more art work", + "i want to find some poster prints that i can put in my living room", + "i need a black wireless bluetooth soundbar", + "i need a fluoride free toothpaste made with natural ingredients which is good for sensitive teeth and can fight bad breath", + "i am looking for rose gold and phoenix colored makeup powder", + "i am looking for white curtains that are a size 120w by 84l", + "im looking for sugar-free double mocha cappuccino mix", + "i would like to buy a red radio with wireless bluetooth and stereo sound", + "i would like a body scrub for dry skin", + "im looking for cloths towel for exfoliating in sensitive skin, in size 11.81 x 11.81 with gray edge color", + "i want to find a teeth whitening device kit for sensitive teeth", + "im looking for all skin type body moisturizer oil to prevent body from scars and stretchmarks,etc.,", + "im looking for blue, heart shaped cupcake toppers for my sisters baby shower", + "i want to find a travel size fragrance that is scented with new york impression. it needs to be 0.34 fluid ounces", + "screen protector: 41w x 72h easy to install", + "i want a 2-in-one shampoo and conditioner for damaged hair", + "i am looking for a long lasting eau de parfum sprayer in a 10 ml bottle", + "im looking for some cupcake picks that are suitable for a baby shower", + "im looking for an ottoman cover made of beige faux leather", + "i am looking for gmo free peanut butter.size should be 2.65 ounce and pack of 48", + "i am looking for long lasting, non toxic glossy nail polish of color : tuscany", + "i would like a pair of size 9.5 mocha sandals made of vinyl acetate", + "i would like a 28 inch by 44 inch style 24 poster that is ready to hang in the living room", + "i want to buy an office desk chair which has lumbar support and its grey color", + "i am looking for 9pcs of hair growth essence spray", + "i would like a purple 70 by 190 cm linen for my beauty salon that is easy to clean", + "i want to find a glass tempered screen protector for my huawei p30 lite", + "i would like a bath brush with a long handle", + "i am looking for a large wig storage case with accessory pockets", + "i would like a box of 12 raspberry dream non-gmo chocolate bars", + "i am looking for a kiwi strawberry flavored sports drink with zero sugar", + "i want to find an 8 ounce bottle of firming cream that treats fine lines", + "i need a pair of big and tall, long lasting, and comfortable wrangler jeans", + "i am interested in a high quality hair cutting kit", + "i need to buy high quality hair extensions. look for them in the pineapple color", + "i want a jacksing stereo audio power amplifier", + "i want to buy hydration lotion which has a size suitable for travel and is made of coconut oil", + "i would like a blue cupcake topper for a birthday party", + "i need some cabernet for a great gift", + "i am looking for a clothes rack of 22-inch size that is heavy duty and saves space", + "im looking for a pair of womens loose fit, gray jeans", + "i want amber and bpa free moyo natural labs 8 oz boston round travel bottles", + "im looing for a cruelty free certified loose baking face powder that is paraben free and long lasting. also, choose a pack of 1 weights 32g and banana light colored one", + "im looking for clothing accessories for carry a laundry bags", + "i am looking for taupe colored height adjustable bar stools with steel frame", + "i am looking for king sized 5 inch mattress with high-density foam comfort and pressure relieving support for a better nights sleep. mayton medium firm tight top mattress preferable", + "i want a m500 hands free in dash navigation device", + "i am looking for a caffeine free fruit tea with natural flavours of mango and passion fruit with pack size of 8 ounce", + "i want a large and short sleeve womens down vest", + "i am looking for a 05 red color women sneakers for day comfort", + "i am looking for peas flavoured dried strawberries.and also choose gluten free", + "can you find me a loose fitting jumpsuit with wide legs in size medium. i want it to be green in color", + "hello, may you direct me to a pack of black cherry syrup? natural is preferable please", + "i need a madecassoside and 1.69 fl oz of moisture gel cream for sensitive skin", + "id like to buy a black touch up dye for covering up roots but with natural ingredients", + "i need a pink color womens eau de parfum which should have a long lasting fragrance", + "i would like a pair of womens 8.5 toffee shoe with arch support", + "im looking for a cocktail mixer that is gluten free, nut free and has no artificial colors. also, choose wine freezer sangria with pack of 4", + "get me some vintage cupcake picks for a birthday party. it should be in black with a 1992 theme", + "i want cake toppers for a baby shower", + "i am looking for a green colored high definition tablet pc", + "i am looking for a macaroni & cheese with rich creamy and non gmo", + "im looking for long sleeve clothing and it was easy to wash the color red is attractive", + "i would like a pair of 30 wide by 32 long quartz stone jeans that are machine washable", + "im looking for organic hair conditioner that promotes hair growth, and is both sulfate and cruelty free", + "i want a one count pack of brown permanent hair color with coconut oil", + "im looking for fragrance for travel size and its for long lasting and need to buy it", + "i want a queen panel bed in white finish", + "i want to find a natural-colored twin-sized kids bed thats easy to assemble", + "i am looking for natural deodorant with paraben free, cruelty free and scent:unwind (lavender mint) in stainless steel container", + "i am looking for hair straighteners of color surfing blue&misty mauve that are easy to clean", + "i am looking for a granola bar rolled oats and peanut butter with artificial flavour", + "i am looking for non slip shoes in 10 size", + "get me some black sneakers in size five and a half. make sure theyre made out of high-quality materials", + "im looking for a 135 inch light weight projection screen", + "i am looking for certified organic cream blush", + "i am looking for a chrome sputnik chandelier for my dining room", + "i need closed toe flats that are red in a size 5.5", + "i would like to buy three chairs for my dining room that i can assemble at home", + "i need a 2.6 ounce(pack of 4) anti-perspirant deodorant that is best for sensitive skin and comes with herbal scent", + "shop for a device that prevents hair loss and promotes growth", + "i am looking for long lasting dusty navy original fit jeans", + "i would like to buy a computer which is quad core", + "i am looking for trader joes granola bars", + "i want brass calhoun collection farmhouse bath vanity lights", + "i am looking for a certified organic, watermelon frose, lip balm moisturizer made from coconut oil", + "i am looking for chocolate sugar free fat free pistachio flavored pudding and pie filling mix", + "find a tablet with a core i5 processor", + "am trying to find an easy install floor lamps with shelves tropical green palm leaves, color 1", + "i need small black ,one count easy to use dental guard", + "buy a white henley with a slim fit", + "i am looking for a grey bunk bed with slats made of solid wood", + "i am looking for a mini pc with an intel core i7 with 8 gigabytes of ram, 32 gigabytes of optane memory and is tall", + "i am looking for low calorie popcorn that is unpopped", + "i am looking for slip resistant women running shoes.please choose black one", + "i want a white anferstore simple modern coffee table for my living room", + "i am looking for anti-aging rose quartz face roller", + "i want beige chrisdowa light filtering roller shades for my living room", + "i am looking for a pink leak proof bag", + "i would like a 12 ounce cantina party mix with simple ingregients", + "i want a blue toothbrush for sensitive teeth", + "im looking for a tempered glass iphone 11 screen protector", + "can you find me a tablet charger with ouput protection, please?", + "i would like a red phone heavy duty case", + "i need a variety pack of keto friendly and gluten free fudge mix", + "i need some new yoga wide leg yoga pants. make sure you get me the wocachi brand and that they are plaid. oh, also make sure they are from this years spring/summer collection", + "im looking for a vanity wall light with a brushed nickel finish. it should be around 15 inches big", + "i am looking for high quality nail polish of fijji color", + "i would like a #6 nail whitener for nail art", + "get me some steel-toed workboots in size eleven and a half", + "i would like navy fleece slippers that are machine washable and are xx-large", + "i need gmo free sesame seeds that come in 1.8 oz", + "i want to find mango-flavored lip balm that is paraben free and contains some sun protection", + "im looking for some eco friendly dental floss. can you pick out the white one?", + "ultra soft - charcoal toothbrush for adults and sensitive teeth with pack consists of 8 count", + "im looking for a 6-pack of salted caramel & dark chocolate nut bars with low sugar and simple ingredients", + "i am looking for a 4 pack of long lasting, high performance 12v batteries", + "im looking for a hair extension anniston hairpiece preferably color 13#", + "i am looking for some super chunky nail art gllitter that is peach colored", + "i need a dark tint 36w x 32l denim jeans for men which is good for everyday wear and has a relaxed fit", + "id like to find a large purple maxi dress made of soft material", + "i am looking for high density tri-fold full memory foam mattress with size :twin xl and 3 blue", + "i am looking for a fleece throw that is super soft to go in my living room. it should be shark colored", + "i am looking for throw pillow covers of taupe orange colors that are machine washable", + "i need a pack of gmo free caramel syrup in cane sugar flavor", + "i would like some monoculars for birdwatching", + "i want to find fragrance-free pure moroccan argan oil for my hair and face", + "im looking for black closed toe womens sandals", + "i want nightsky vintage wash toad & co mission ridge pants with button closure in size 33w x 32l", + "i would like a dark grey hair building fiber that is easy to apply", + "i am looking for 2.85 ounce gluten free bacon cheddar flavored popcorn seasoning", + "i need to buy some gold cupcake toppers for a birthday party", + "i am looking for a 3x large breeches for wide legs", + "id like to get a 3d, high-resolution personal mobile cinema. it needs to come with a carrying case too", + "i am looking for a 5 piece hair growth treatment that has all natural ingredients", + "i am looking for a mini pc with an intel core i7 with 8 gigabytes of ram, 32 gigabytes of optane memory and is tall", + "find me a backdrop vertical striped easy carry for digital photography in 5x7 ft", + "i am looking for a organic cold brew coffee with straight black flavor. choose shelf stable product", + "i need an outdoor tv cover to dustproof a 51 inch television", + "i want non alcoholic andy anands bulk tiramisu cordials", + "i am looking for shampoo for damaged hair for men and women with argan oil, which is easy to use, with scented cleansing soap", + "i am looking for a makeup chair with metal legs for my living room. pick something in blue", + "i need some black curtains for my living room", + "i need a coconut hair loss serum", + "im looking for binocular for bird watching", + "i wanna find a wireless soundbar with stereo sound for my tv, color black and with support for u disk tf and sd card", + "i am looking for a paraben free conditioner for natural hair. also choose leave-in conditioner style", + "i would like a marble black cosmetic bag that is high quality", + "get me a low fat bacon jerky. make sure it is of maple flavour", + "i am looking for some machine washable pillow covers that are peony blue and are 22 by 22 inches", + "i want to buy video recorders which can detect motion and come with a size of nv4108-1tb", + "can you help me find the replacement power cord made by afkt for my yamaha bd-s681 blue ray player?", + "i am looking for a black nubuck | mesh shoes of memory foam for men", + "i would like a medium black long sleeved pullover", + "looking for one merry christmas cake toppers for a birthday party", + "i would like a magnifying glass intensive polish serum for damaged hair", + "find me a jar of baby food that is certified organic. it should also be non gmo", + "im looking for a pair of high quality, stainless steel nail clippers that also function as a pedicure tool", + "im looking to buy a high performance digital camera with optical zoom", + "i like gold gift basket", + "im looking for binocular for bird watching", + "i am looking for classic raven colored hair dye", + "i want an 18 inch sunny human hair extensions tape", + "i am looking for vinyl acetate clog for child.please choose army green color", + "i am looking for in travel laundry bag", + "im looking for clothing for machinable wash and it makes confortable", + "i am looking for a black, stainless steel bottle", + "i am looking for 40 feet high speed cables", + "i would like a 12 oz package of whole bean coffee beans that are keto friendly", + "im looking for some vinyl womens clogs in taupe color, size 9", + "i need to buy some oils that are gluten free and keto friendly", + "i want to find burgundy colored moccasins with faux fur in a size 7", + "i want unscented maxim sensitive antiperspirant towelettes", + "i need to buy a power charger for my car that is fast charging. it also needs to be black blue", + "i am looking for vanity wall lamp of 2 pack", + "i want a teeth whitening toothpaste that removes plaque stains", + "i am looking for long lasting princess dreaming edp perfume spray", + "im looking for a professional makeup train storage case that has separate space for nail art materials and eye shadow palette", + "im looking for a refillable lipstick bottle that is easy to carry and non-toxic", + "id like to find a 10-pack of black usb flash drives that can store 512 megabytes of data. the usbs must be easy to carry and use", + "i am interested in buying hoodies which can be machine washed, and are of color 2, and of small size", + "i want to find one messy synthetic hair bun piece in a light auburn color", + "i am looking to buy a bathroom vanity light that has three lights. brushed nickel, please", + "i am looking for some long lasting ruby colored lip gloss ", + "i would like a 0.15 ounce pack of natural brown mustard seeds that are gluten free", + "i want to buy a foundation for makeup which is oil free, non toxic and is of classic beige color, also i want two of those", + "im looking for vanity lights for dining room", + "im looking for a mrs. fields cookies ", + "im looking for electronics accessories it was long lasting", + "i am looking for a long lasting highlighters & luminizers. also choose the pattern 03#", + "i am looking for a high speed macaroon mobile portable router with 12gb data", + "i want a heavy duty protection case for my phone. pick something in black warrior color", + "im looking for cupcakes for birthday parties", + "i would like a hair trimmer that is stainless steel", + "im looking for a relaxed fit, long sleeve womens blouse with animal print or polka dots. the color should be a-gray and the size 4x-large", + "i would like a high gloss coffee table", + "i want to shop for a two pack of glass lamp shades for pendant lamps", + "i need a size x-large skirt in coffee brown. it should have a high elastic waist and a slim fit", + "i would like a full size style 8 duvet cover that is machine washable", + "i need some pants with an elastic waist. they should be black and in size three x large", + "i am looking for am/fm radio with digital frequency display of hannlomax hx-506r portable am/fm radio which could play my favourite music from the smartphone or bluetooth enabled device on boombox by bluetooth streaming.suitable for indoor and outdoor", + "i need some eco friendly window films that are 23.6 by 35.4 inch", + "i am looking for organic snacks with real fruit", + "get football shoes with size 5.5. it should have a rubber sole", + "i am looking for a super soft fleece throw that has the constellation zodiac scorpio color", + "i want white crystal rhinestones flatback colored jewels for nail art", + "i need bread that is gluten free and bbq cheddar flavored", + "i am looking for a carbon fiber tripod", + "i am looking for classic alpargata of pink color having rubber sole", + "i would like a clock radio with a usb port", + "i want to find vintage mens jeans with a regular, but still comfortable, fit. the jeans should be 38 inches in width and 36 inches in length and be river denim in color", + "i want to buy that window film for the dining room. make sure to get the one thats 59 inches in length", + "looking for a cream | gray which is easy to clean", + "looking for short sleeve tumble dry shirt for men also choose size large", + "i am looking for a easy to use hair extension that has elastic rubber band. and i choose the curly bun with strawberry blonde color", + "i want to purchase a manual toothbrush that whitens teeth and prefer ones with stars and either pink, blue, purple or yellow", + "im looking for an easy to install bathroom vanity light in color black", + "i want open toe umiyi sandals for women in size 9.5", + "im looking for mens underwear, low rise briefs size extra large", + "i am looking for a bag of usda organic freeze dried chocolate covered strawberry slices", + "i need some vinyl sandals in ochre colors", + "i need a cheerleading outfit for men that is wine colored and in a x-large size", + "i would like a 32 fluid ounce bottle of sweet and creamy non-gmo dairy creamer", + "looking for temporary tattoos easy apply and waterproof with pattern name fluttery", + "i need a gift set of gourmet collection spices & seasoning blends \u2013 hot & spicey collection", + "i want to find a grey bunk bed frame with shelves made out of solid wood", + "i want to find a pair of womens ankle boots in an ice blue color. i wear a size 5 and need good arch support", + "i am looking for lake blue ridge parkway artwork-14 paintings for living room and its size is 48wx24h", + "im looking for a usb rechargeable lithium d batteries", + "i would like a white beige armless chair in a contemporary modern style", + "i would like some 22 inch ombre brown synthetic hair extensions", + "i want to find a 3 foot by 3 foot wine rack that i can mount on my wall. it must be easy to install as well", + "i am looking for irish-gold color mens t-shirt having long sleeve", + "i want a microdermabrasion face mask with anti aging properties", + "i need an intel core router with 8g ram and 512g ssd", + "im looking for gluten free herb", + "i am looking for a white moisture wicking briefs for men", + "i need white blackout cellular shades that are easy to install in size 70w x 36h", + "i want a pair of super soft fleece lined socks in snowflake or light pink color", + "i need a xtreamer that plays blu ray discs", + "i am looking for a pair of womens high heel stilettos in a size 7", + "looking for cream cheeset bakery emulsion that is gluten free and also choose size 4 fl oz", + "i would like a 6 pack of 10 ounce kashmir potatoes that are ready to eat", + "im looking for a height adjustable with pendant light chandelier for living room and dining room. also, choose 8008pl-10light in size", + "i am looking for smartwatch bands that are nude in color and are compatible with apple", + "i need a 64 fl oz sugar free bottle of peach chipotle davinci gourmet cake batter syrup", + "i would like to a buy a glass window film of the color multi-020884 for the living room", + "im looking for machine washable pillows scarlet color", + "i am looking for a shoe rack of satin bronze mesh color that is steel coated", + "i want black non slip ankle boots for women", + "i am looking for blue high waist casual pants for women", + "i want a tv stand made from solid wood", + "im looking for a long lasting 3.3 oz edt spray for men", + "i am looking for teeth whitening stirps that come with a shade guide", + "i am looking for a double sided pocket mirror with a watercolor flower pattern", + "i am looking for easy to apply nail mirror powder", + "i am interested in a synthetic wig that is silver", + "i need a wall lamp that is a vanity lamp with a white finish", + "i would like a 18 pack of peanut butter and jelly soy free nut bars", + "i am looking for an easy care shirt. pick a soft black one", + "i am looking for some sweet 16 cupcake toppers for a birthday cake", + "i want by a haoch cotton spa massage treatment table bed cover eco friendly, size 70x190cm please show me", + "i am looking a long lasting hair cutting kits for hair salon color :sugur skull and flower", + "id like to get wireless earphones that feature stereo sound. the color should be black", + "i need long lasting kenzo leau par kenzo toilet spray for women", + "i am looking for gluten free norwegian crispbread", + "i am interested in a media player that has batteries included", + "im looking for some sulfate free, paraben free conditioner with argan oil for dry hair", + "im looking for wireless bluetooth and it will easy to use", + "i want a remote control for lg blu ray", + "im looking for 1.3 ounce sensible foods fat free fruit snacks with cherry berry flvour", + "i am looking for a supplement for hair growth which is clinically proven. also choose bundle pack 2", + "i am looking for gold colored geometric cushion covers", + "i am looking for aluminum alloy video camera tripod", + "im looking for organic, caffeine free elderberry tea. i want a pack of one", + "i would like a grey 100x40x40cm ottoman for my living room", + "i am interested in some paraben free eye creams", + "i am looking for roxy vista flip flops for women, size 11 with a synthetic sole", + "mid century leather two armchair set", + "i need 55 inch , teak color and easy clean modern simple style desk for home office", + "im looking for upholstered platform bed", + "i want a biscuit revlon colorstay concealer for dark circles", + "i need a travel sized shampoo for damaged hair in a mini-discovery kit", + "i want to find a pair of brown mens box shoes with rubber soles. they should be a size 11", + "i want a smakn high speed hdmi cable", + "i am looking for some kosher raspberry candy that is in a one pound bag", + "im looking for a small gray long-sleeve t-shirt for women", + "i am interested in buying snacks which have natural ingredients, and have a flavor of keto choconut mix and the size of which is 16 ounce and come in pack of 1", + "i am looking for a pair of long lasting womens size 5.5 wide hiking boots", + "im looking for an officially licensed youth t-shirt featuring russell and carl from pixars movie up. it should be extra-small and ideally come in baby blue", + "i am looking for soft marble color anna synthetic sole pump for women", + "im interested in a table runner that is 72x16+13x19x4, easy to clean and machine washable", + "i would like a 19 tall floor lamp with a white finish", + "i would like a pendant light fixture", + "i am looking for individually wrapped cakes for a birthday party", + "i need a small stick of antiperspirant that is fragrance free", + "im locking for a long sleeve loose plain casual dress with pockets", + "get me some sandals with an ankle strap. buy them in size seven and a half, please", + "i need a variety pack of keto friendly and gluten free fudge mix", + "i would like a officially licensed large black mens t-shirt made of heather cotton", + "i want windmill birthday cake toppers", + "im looking for a sheet for a beauty salon table. it should be non-toxic, and i want it in color 3", + "i am looking for khaki colored nightstand for my living room", + "i need a white maxax feather pendant light for the living room", + "id like to shop for some red slim fit jeans with a button closure. i need a size 28", + "i am searching for navy color x-large silk smooth slim fit long sleeve shirt for men", + "i need an easy to assemble coat rack", + "i am looking for optical zoom samsung galaxy smartphone of style: s21 ultra + case black", + "i am looking for high quality tin jars with screw on lids, lip balm containers, pots for my diys, salve powder, storage cans, spoon, labels", + "i need a easy to use high quality self piercing ear gun in light grey colour", + "i am in need of some shelf stable tropical fruit", + "i want a gray dzquy men striped knit sweater in x-large. i want one that is fleece lined and water resistant", + "im looking for a blu ray dvd player with wifi support", + "i want to find a 5-piece nail art set with a variety of polishes", + "i want an agerios moroccan argan oil instant repaired hair mask", + "i want a water resistant carrying case for my hard drive. pick something in teal", + "look for a four pack of white karahi spice mix thats easy to use", + "crystal rhinestone phone ring and stand hands free in gold colour", + "i am looking for an oil free hyaluronic acid", + "i am looking for a uni-directional displayport to hdmi cable for usb port which capable of 1080p hd quality. also choose 25 feet in length and 10-pack", + "i want to find a pair of purple womens boots in a size 8. the boots need to have rubber soles", + "i want to find a strawberry scented foot peel mask that has argan oil as a key ingredient", + "i want high heel lace closure black color womens pump size: 7.5", + "i need a hair treatment detangler that comes in two bottles", + "i need a light red area rug for the living room that is a 4 by 6", + "i would like a extra large fushia and leopard tunic that i can machine wash", + "i would like to buy a shirt for men which has short sleeves, and is of green color, and the size i want it to be should be medium", + "i am looking for a pack of 3 long lasting champagne blonde hair dye", + "im looking for a 2.0 32 gigabyte, guitar shaped memory drive that is easy to use", + "i need a super soft baby sized blanket throw for my living room", + "i want to find usda organic tomato basil marinara sauce. ideally i want a pack of three 1.5 pound jars", + "i am looking a white 1 posters & prints for living room", + "buy me a bag of low calorie, low fat mango strips", + "i need to buy gray synthetic hair extensions. buy the six pack of eight inch extensions", + "i am looking for warm beige color anti aging foundation", + "im looking for a anti perspirant deodorant that is long lasting", + "i am looking for 1080p security camera with motion detection feature", + "looking for roasted carob powder with caffeine free and gluten free choose 1 pack", + "i would like a jalapeno ranch sauce that is gluten free", + "i would like a easy to use carrying case for my camera", + "i need to satisfy my desire to eat g.h. cretors popcorn, the mix, 1.5 oz. (pack of 12). i prefer this brand because it is a healthy, gluten-free and non-gmo option. find the 8 ounce pack", + "i need a lake blue colored storage bench that is made of faux leather and is 60.40.42cm", + "i am looking for verizon 700mhz cell phone signal booster which is easy to install with 4g lte. color 4g band 5 | 13 preferable", + "i want blue aerothotic water friendly light weight eva sandals with arch support", + "i need a tempered glass screen protector for my iphone", + "please order for me 6 packs of black eye peas that are gluten free and non gmo", + "show me a ready to hang horse33 wall art in 16w x 24h size for my living room", + "i need a living room statue", + "im looking for 6ft - 3packs of high speed coaxial cable with aluminum alloy", + "i want to buy high waist yoga pants whcih are in azec - black color and are in large size", + "i need a vanity light fixture that is a set of 2", + "i would like a jar candle that is eco friendly and cinnamon vanilla", + "i need 5 ounce basil & garlic marys gone crackers that is gluten free", + "mens slim-fit stretch cargo pant in dark khaki brown color with size 32wx34i and button closure suitable for machine wash", + "i need green tea pack 1", + "i want a black fast charging and high speed usb cable", + "i am looking for a blue long sleeve mens linen shirt", + "can you help me find organic chicken broth that is gluten free and contains high protein? im looking for a pack of 2 pound", + "i want to get a 13-ounce pack of mega omega trail mix with no artificial ingredients", + "i would like a single pack of rooblos vanilla certified organic tea", + "i am looking for keen utility mens kansas city kbf composite toe athletic shoes", + "find this dynasty mattress fully adjustable bed frame with custom headband, bluetooth & usb ports + memory foam mattress set\u2026 for a fair price", + "i would like a pair of grey size 6 sneakers with a rubber sole", + "i am looking for some 18 inch medium brown synthetic hair extensions", + "i need a gold storage case", + "i am looking for home theatres plug connectors that are easy to install", + "shop for fragrance free facial cleanser for sensitive skin. look for the sixteen ounce size", + "i am looking for 4g lte samsung galaxy a71 mobile.please choose black one", + "my mom need wood frame twin size", + "i need a travel-size cologne balm", + "i would love to find a coffee table ideal for my living room? also, pick white please", + "i would like to get a heavy duty office desk with a coated steel frame", + "i need a variety sampler of gluten free quinoa crisps", + "i would like some long lasting perfume", + "i am looking for dried strawberries and pineapple that are organic", + "i am looking for some ready to eat jerky that is very hot and comes in a ten pack", + "i need type b monoculars that are easy to carry", + "i want an easy to install amazon basics tension curtain rod made from nickel", + "im looking for some easy to use body paint. get the one in rose gold", + "i would like a bpa free green bag", + "i am interested in buying machine washable throws which are in magenta green color and the size should be 60 x 80 for adults", + "im looking for a twelve pack of black cherry cream flavor hand crafted soda in bottles", + "im looking for hair extensions for hair loss for dark blonde", + "i am looking for golden tooth hygiene kit made up of stainless steel", + "im looking for an outlet toggle wall plate cover", + "i am looking for solid wood gaosoul wall art with wooden frame and size is 36x24in", + "im looking for heavy duty table pads made of stainless steel which is easy to clean. also, choose new version clear 1.5 mm pads with size 39.4* 94.5 inches", + "buy me some fifty-four inch machine washable drapes for my dining room", + "im looking for soft sandal for habana oiled leather was fully used", + "i am looking for ethylene vinyl cat color women road running shoes , and size is 6", + "i am looking for a product that i can use for hair cutting dry hair", + "i am looking for high performance night vision binoculars with batteries included", + "i want gluten free kernel seasons cheesy caramel corn seasoning", + "i am looking for mens lightweight cargo shorts camo in pattern", + "i am looking for a three pack of lactose free milk", + "i am looking for a queen sized bed that is black", + "i am looking for a gluten free, low carb, flavored fyr salt shaker", + "i need a 120 ml hair mask treatment", + "im looking for an easy to install pink chair for the living room that offers lumbar support and is height adjustable", + "i need a high quality bed cover that is easy to clean. find something in purple", + "im looking for a smart watch bands which is compatible for apple and easy to install. also choose black-red colored one", + "i need to buy an art print for the living room. look for one thats ready to hang, thirty-six inches by twenty-four inches", + "i need an apple compatible smart watch band in blue, green, and red", + "i am looking for button tufted , easy assemble velvet ottoman bench with white faux fur in color", + "i need to get some gluten free coffee and it should be one pack of 8 ounces", + "im looking for a 6-pack of salted caramel & dark chocolate nut bars with low sugar and simple ingredients", + "i am looking for some gluten free kool ranch flavored kale chips", + "i want to find a white donut colored toothbrush that is suitable for kids aged 6-12 and easy to use", + "i need to buy the greaton 8 inch fully assembled traditional wooden box spring/mattress base for my bedroom. check the following measurements size: 75 x 33 and 4 split base", + "im looking for light khaki brown men\u2019s jeans that are machine washable", + "i need a stainless steel black and large easuny watch band", + "i would like to get some womens size 13 vinyl acetate clogs with blossoms", + "im looking for golden decorated birthday cupcake", + "i would like 10 bags of peach green tea usda organic tea", + "i am looking for some gluten free berries", + "i am looking for easy to install home decor products in blackout color", + "i want a pair of 50 by 108 inch red pink peach window panels for my living room", + "a super soft and warm flash light weight machine washable blanket for leaving room size:8060", + "i am looking for hair and scalp serum for natural hair that is made with natural ingredients. i also would prefer the peppermint and aloe fragrance", + "i am looking for extra strength exfoliator that handles dead skin", + "i want pink and black machine washable nufoot ballet flats", + "i would like a color 15 72 w x 63 panel that is machine washable", + "i am looking for chocolate covered wafers for valentine day", + "i want a multicolor spandex top for summer", + "i need some fruit snacks that come in a variety pack. make sure that they are gluten free", + "i would like a 2 foot by 9 foot long navy floor runner for my dining room", + "id like to find a pair of extra-large cargo shorts in british khaki. ideally, itll have an elastic waist", + "i am looking for wide leg pants that are pink in a size small", + "i am looking for star wars navy color cute cartoon style graphic hoodie of unisex small size", + "i would like a aircraft cake topper for a kids birthday party", + "i need a three meter gold placed rca audio cable", + "i am searching for easy to use mascara brushes. also, choose the pink one", + "find black colored sandals for a teen girl", + "i am looking for gluten free sesame edamame bean and nut snack mix in creole flavor, 1.25 ounce (pack of 18)", + "im looking for solid wooden furniture for kitchen, dinning and table chair set", + "i need a lenovo chromebook with intel core i3-8130u", + "i want to find 18 decorated shortbread cookies that have been individually wrapped and placed in a gift basket", + "i need high waisted grey pants", + "i am looking for a cd drive that is silver and easier to use", + "im looking for under armour tech short sleeve t-shirt for men", + "im looking for blush palette that is easy to carry, long lasting and easy to apply. also, look for color a one", + "im looking for engineered wood for living room furniture. it was white finish color furniture", + "im looking for a heavy duty soft box, specifically with a quantum qflash lighting setting", + "i am looking for pink slide flip flops with arch support in the size 5.5", + "i want hydration undereye & smile line jelly patches fragrance free cruelty free cream for eyes", + "i am looking for sandals features a comfortable high heel, open-back slip on style, easy on and off.suitable for party, prom, wedding, red carpet show, street shooting, nightclub, ballroom and other special occasions. slide sandals for women in a6-black, size 8 preferable", + "i need a dual band computer with intel core, 64 gb ram and 1tb ssd", + "i am looking for water resistant and rubber sole type havaianas womens slim little birds flip flop sandal also color is light lilac and size is 8", + "i would like some orange fluoride free toothpaste", + "i want to buy a pair of machine washable jeans with a 33 inch waist and a 30 inch length. they should come in a granite color", + "i am looking for modern vanity lighting for bathroom. please choose chrome color", + "i am looking for earbud headphone having deep bass stereo sound.please choose black color", + "i am looking for a nacho flavored tortilla chip dip, preferably in a grain free version", + "im looking for a white, twin sized bed frame which will allow me to save space in my childs bedroom", + "i would like some wild caught sardines that are in water", + "im looking for chocolates covered for parties", + "i am looking for a high definition mirrorless digital camera with optical zoom", + "i am looking for gluten free snacks. please choose super turmeric flavor", + "i am looking for a mans size 6, black, non-slip working shoe with a rubber sole", + "im looking for a toothpaste for teeth whitening", + "i want a sunset solawave 4-in-1 facial wand and serum bundle for dark circles", + "im looking for a daily wear cardigan sweaters with long sleeve and fleece lined. also choose medium size light grey colored one", + "i am looking for a 9 drawer dresser with a bronze finish", + "i am looking for non gmo sea salt smoked", + "i am looking for mens khaki pants in the color olive grove, and they must have a button closure and be machine washable", + "i want a medium sized classic fit mens shirt that is white in color", + "i am looking for loreal paris feria hair dye in the color tropical teal", + "im looking for silk bonnet", + "im looking for a wide leg, daily wear womens baggy jeans with high waist, button closure type made of polyester spandex. also choose x-large, aa-dark blue colored one", + "i want a heavy duty fine wood bookcase for living room color white", + "i would like a non toxic nail polish set", + "i would like some cake toppers for a birthday party", + "im looking for 210ft of high speed rg-6 coaxial cable that is ready to bury with an orange weather boot", + "i am interested in single serve coffee that is cinnamon roll flavored and is a 24 count", + "i need some hair extensions that are blue and pink", + "i am looking for ultra hd android box with 4gb ram and 32gb rom", + "im looking for want to buy a camera for digital photography. it also easy to carry", + "i need a mens hairline hairpiece that can be used as replacement for hair lose. and please choose the medium brown with 130 desnsity", + "i would like one wall bath fixture that has a brushed nickel finish", + "i am searching for an engorgement style breast mask suitable for dry skin", + "im interested in a long-sleeved, size large hooded sweatshirt made from quality polyester", + "im interested in a variety pack of veggie snacks that offer vitamins, but not artificial flavors", + "i would like a ac adapter that is easy to carry", + "i am looking for a red blonde natural hair for wigs", + "im looking for a high speed hdmi male to male cable", + "i need some special hair conditioner for damaged hair", + "i am looking for a long lasting deodorant", + "i want to buy a two pack of high-speed gold-plated hdmi cables", + "i want a pink eforcase u shaped toddler toothbrush for sensitive teeth", + "i need 300 alcohol free cleansing wipes", + "order a three pack of high speed coaxial cables, please", + "im looking for a pair of navy sandals for women that are made with vinyl acetate", + "i am looking for cruelty free beard oil with sandalwood", + "i want some ranch flavored tuna salad", + "i would like a 66 inch matte black lamp floor lamp for my living room. i would also like a remote for the lamp", + "hello, i would like to have leggings that could go up to my waist please? also, pick purple", + "i am looking for 1x cotton spandex yoga pants", + "i want an elixir to promote hair growth and prevent hair loss. it should also be plant based", + "i am looking for a certified refurbished nintendo 3ds", + "i am looking for easy to use nut gifts", + "im looking for wireless bluetooth car stereo audio receiver", + "i am looking for an antioxidant mix of mixed nuts that are non gmo and come in a pack of 15", + "i would like a 30 x 40 inches multicolored super soft fleece throw", + "i would like a 47w x 31h joie de vivre poster for my living room", + "i want a 39 inch easy to clean computer desk that is also heavy duty", + "i want a blue berry baking soda press toothpaste for bad breath", + "i am looking for easy install hanging lamp dome pendant light, color b", + "i am looking a large pajama set machine wash cold wash relaxed fit color: with checker pant", + "what face rollers do you have that are easy to use and for dry and sensitive skin? i would prefer it in blue", + "i would like a unscented body butter that is cruelty free", + "a mens winter warm loose fit made from quality polyester xx- large casual pant color: gray", + "im looking for a twin size bed that soft beds for bedroom", + "i am looking for gluten free water. please choose black cherry flavor", + "i am looking for low carb hight proteintrue meat snack sticks of southwest verde venison. size is 12 packs of 1 oz", + "i need a kids toothbrush that is orange and good for sensitive teeth", + "i want jeans with button closure", + "i want to buy a shampoo and conditioner set for natural hair. my hair is on the dry side", + "id like to find a soy wax candle that is scented to smell like the sea and citrus", + "i want to buy sandals for women which have closed toe, and rubber sole, i want them to be a-wine color, and of 4.5 size", + "i am looking for hand crafted food decoration toopers for birthday parties", + "i am looking for merrycolor farmhouse decorative throw pillow super durable throw pillow cases are easy to care, wipe or hand wash recommended due to the faux leather fabric, coffee color, 18 x 18 inch preferable", + "i need a dermatologist tested moisturizer with a buttercream scent", + "i would like some flouride free toothpaste", + "i want to find black womens walking shoes with great arch support. the shoes should be in size 8.5 and lean on the wide side", + "i want to find mens jeans with a relaxed, big and tall fit. the jeans should be in size 34 and have an antique wash", + "i am looking for an easy to use seasoning mix in the green raita flavor", + "get me a wine tote that is bpa free and easy to use to hold wine bottles. pick something in swankey blue moon color", + "im looking for green color 44mm sized smart watch band compatible with apple watch", + "look for 100ft high speed hdmi cable male to male with ethernet black (50 feet/15.2 meters). show me the price ", + "i am looking for a super soft throw blanket of pattern 2 color", + "id like to find a large brown ottoman for my living room thats easy to spot clean", + "i want to find strawberry mango fruit spread thats fat free", + "i am looking for a 0g trans bagels", + "i need a white coated steel stockpile 3-drawer mobile file cabinet", + "i need a 10 foot rug for my living room. make sure its easy to clean", + "i need some living room furniture", + "i need a 4oz size hair conditioner that has argan oil and is for damged hair", + "i would like a long lasting foundation for my line lines", + "i am looking a long handle bath body brush easy usable quality should be high", + "im looking for tattoo numbing cream with natural ingredients", + "im looking for video accessories and it was high speed need to buy it", + "i am looking for a pack of 3 high quality heavy duty clear toiletry bags", + "i want shade sails made with stainless steel", + "im looking for mens fragrance free face lotion that offer spf protection", + "im looking for a 6pcs amosfun heart cake toppers", + "i am looking for sulfate free hair oil serum pack", + "i would like a remote with aaa batteries included", + "i am looking for great for normal to oily skin, the non-comedogenic cosmetic features skin-soothing aloe vera and lavender plus anti-aging antioxidants and skin-smoothing peptides selected with effective natural ingredients and ensure our products are free of gluten, parabens, talc, artificial colors, synthetic fragrances, sls and phthalates. never conduct animal testing mineral fusion liquid foundation, warm 2, 1 fl ounce in deep 1 color", + "i am looking for high quality 22 inch hair extensions", + "i want a rose pink maxone 1tb portable external hard drive that is plug and play", + "can you find me a pack of turkey gravy mix that is easy to prepare?", + "i need easy use iphone 6p model phone", + "i would like a variety box of 0,6 ounce packs of fruit snacks made with real fruit", + "i need to find a khaki-colored storage ottoman bench in either the pu or faux leather style", + "i would like a three pack of 4 ft quad rg11 weather boot high speed coaxial cable", + "i am looking for high quality rainbow9 color hair cap", + "i am looking for high quality travel size glass spray bottles", + "i need a slipper anti slip in white color size 9.5-11 for women and 9-10 for men", + "i am looking for a high quality wig that is sky blue colored", + "i want to buy usb cable for fast charging iphone, and is high speed, also it should be 3ft long, while the type should be usb c", + "i need a carrying case which is light weight with a mesh pocket. pick a black one", + "i want to buy dual usb 3.0 male to usb 3.0 female auxiliary which is fast charging and is square dual usb 3.0", + "i am looking for individually wrapped, chocolate toffee candy bars in a 24 pack", + "i buy a 3pcs natural hair", + "i am looking for low fat jalapeno jerky that is 4 ounces", + "i would like a dark brown fabric chair with a more contemporary design", + "i want black round clear wide-mouth leak proof plastic container jars", + "i am looking for wood split box spring of california king sized", + "i am looking for a lavender foot peel off mask which works on dry skin and it is easy to use", + "i would like a box of 12 raspberry dream non-gmo chocolate bars", + "i need a samsung phone that is blue and is fast charging", + "im looking for a white coaxial cable that is 10 feet long", + "i am looking for a photography background that is lightweight in the color a16 and that is 7 by 5 ft", + "i am looking for a rectangular sofa table for my living room", + "find me an 8 sized mattress with full gel memory. it should have a white finish", + "i am looking for 6 pack of size 6 ounce snack mix resealable bag", + "i am looking for a high performance desktop tower with core i5. also choose refurbished from certified dealers", + "looking for machine washable pillow covers for couch bed also choose colour dark blue", + "i need some xx-large polos that have buttons and are in red and black", + "i am looking for a shampoo 17.5 ounce for hair growth hair loss", + "i am looking for a gluten free peanut butter that comes in a vanilla flavor and is .85 oz", + "make this purchase for me: davids cookies - 24 fresh baked chocolate cookies gourmet gift basket, assorted flavors.tks", + "im looking for cordless bottom up-blackout-white window blinds that are easy to install and are 55w x 56h", + "im looking for a high performance desktop computer with intel core processor", + "i am looking for 5mp ptz poe camera with 20x optical zoom lens", + "im looking for a set of 6 midcentury desert prints in 11x14 beige frames. they are a terra cotta color", + "i would like a blue pu leather gaming chair", + "i want to buy a keto deluxe trail mix that is made with natural flavors", + "i would like a blue unlocked galaxy a11 that is 128gb and has fast charging", + "i am interested in buying gaming controllers which are non slip and can be carried by case", + "i am looking for gua sha facial tools set which mattifying face roller for oily and acne prone skin, dark circles, fine lines beauty tools and high-pigment, the bold color makeup", + "i am looking for lead free candles having 2 pack french lavender scent", + "i am looking for drink coasters, handmade drink coasters, table mat, set of eight", + "i am looking for a hydrating stick for face that is suitable for sensitive skin", + "can you get a squeeze snack that is gluten free and non gmo, blackberry bliss", + "i want a x-large yeyamei sweater for women that is made of polyester cotton", + "i need a 3 ft fast charging lightning cable that is purple", + "i am looking for travel size pump bottles with lotion nozzles", + "i looking a gluten free food and beverage gift pack for dinner party", + "id like to find gold cupcake toppers that i can use for a birthday party", + "i want a 2lb box of old fashioned milk and dark chocolate nuts", + "i am looking for ready use, birthday cake toppers with a golf theme", + "i am looking for silver cupcake toppers for a birthday party", + "i would like a glossy red keychain that is made of carbon fiber", + "i need some yellow curtains for my living room", + "im looking for a over ear bluetooth headphones with stereo sound effect and long lasting battery", + "i want to find a set of two mesh laundry bags that i can wash my delicate items in, such as blouses and hosiery", + "im looking for a contemporary style coffee table with tempered glass", + "i would like a aluminum tripod that is lightweight", + "look for a high speed coaxial cable that is about 1 foot. three per pack would be nice", + "i need easy to use nurse scrub caps. pick light navy one", + "i would like a 25 pack of 256gig high speed sd cards", + "i am looking for super soft fastupda fleece throw blanket of size (50x80)", + "i want to find one red contemporary barstool that would be suitable for my dining room", + "i want yellow wide leg eaktool sexy women shorts", + "i am looking for a candy & chocolate gifts box", + "im looking for a pair of long lasting womens sandals in a size eight or eight and half", + "i would like to get a high def hdmi to vga adapter that works with blu ray", + "i am looking for a dairy free soft baked cookies with soy free. also choose gingerbread spice flavor and 1 ounce (pack of 36) one", + "i am looking for a kids u shaped toothbrush that is high quality and blue or orange in color", + "i need a blackhead extractor that is silver and easy to use", + "im looking for a sugarolly - big flavored cotton candy sized box (15) for a birthday party", + "i want a 16x16 painting for my living room", + "i am interested in buying an ottoman for coffee table which is of high density and solid wood, and i want its color to be distressed dark blue, and has a 36 inch dimension", + "im looking for binoculars for bird watching and need to buy it", + "i am looking for hand crafted snack gifts", + "i need to buy an eight by six foot backdrop for digital photography. it should be high resolution and light weight", + "i want some low fat pretzel sticks", + "i am looking for a ballet flat with rubber sole for comfortable fit. also choose silver white color and 6.5 in size", + "im looking for throw pillow covers for the pillows for my living room, they should be super soft and about 22 by 22 inches", + "i will love to have the fragrance free almay smart shade mousse makeup with deep color", + "i want a bottle of flower power laritelle organic shampoo", + "carbamide peroxide whitening pen, easy to use", + "i am looking for a black samsung galaxy s20 fe case with tempered glass", + "find a black remote with batteries included", + "i need a ready to hang wall art with white mustangs on a brown background. it should be easy to clean as well", + "i would like some original flavor plant based meat", + "im looking for a mens long sleeve shirt with button closure. choose the ones that come in the color c-green and size medium", + "i am looking for shower curtain rods that are nickel", + "i need a bottle of marc anthony argan oil", + "im looking for a long lasting cologne by perry ellis", + "im looking for machine washable twin size electric blanket", + "im looking for teeth cleansing toothpaste for teeth whitening", + "im looking for a fast wireless charger in blue color", + "looking for a coffee table with metal legs for living room rustic style", + "i need style 5 hair salon", + "i would like a four pack of mocha granola that has all natural ingredients", + "i want toyandona 100pcs christmas cake toppers snowflake cupcake toppers for a baby shower", + "i need an original orzo that is low carb and is 1.3 pounds", + "i am looking for a pair of housewarming elephant statue for living room , color: e", + "i need to buy some easy to apply nail glitter. get color h8", + "i need high quality lashes in size 21mm that are easy to apply", + "im looking for a high-quality toothbrush in straw color(for 2-6 years) for sensitive teeth", + "i want a long lasting boot cut jean that has a relaxed fit. pick a gunter color one", + "i need some easy to carry breath mints for fresh breath", + "i am looking for an old fashioned 1 pound peanut cluster milk chocolate", + "i am looking for a tummy control high waist active short for woman ,size -x- small color : tie dye light blue", + "i am looking for low sugar, low carb cocoa flavored peanut butter puffs,1 ounce (pack of 12)", + "i would like some non toxic body glitter in the color ch138", + "i am looking for a de-stressing/calming tea that is sugar free, decaf, gluten free, non-gmo, and includes 20 bags", + "i need everyday wear pants for hiking that are flax colored in a size 20", + "i am looking for a light green octagonal plush area rug", + "i need a machine washable decorative elastic edged square fitted tablecloth fit for square table 42x42", + "i am looking for a travel tin kit of camouflage color and can be cleaned very easily", + "i need a long lasting eyebrow shaping kit for brown eyebrows", + "i would like a size 24 brown shelves for my living room wall", + "i am looking for black folding tables that are easy to clean and are 40 by 30", + "i am looking for super soft in multi 18", + "i would like six bags of 3.25 ounce traditional snack mix that is low in sodium", + "im looking for a hair conditioner for dry hair that stimulates hair growth. also, choose a pack of 1 contains 32 fl oz", + "i want a bling smartwatch case, apple series 6/5/4/3/2/1, with tempered glass, to fit a 44mm watch", + "i am looking for 4g lte android phone. please choose silver color", + "i want a 12 pack of oatmeal cranberry and almond bars that are non gmo and gluten free", + "i am looking for mens white athletic shorts with a drawstring closure", + "buy me ten pounds of low calorie coconut water", + "im looking for black color 1080p hd male to female converter adapter cable for laptop hdtv dvd", + "looking for long lasting string curtain window choose colour yellow", + "im looking for green color 24 pack merry christmas cupcake decorations for christmas party supplies", + "im looking for a keto friendly sugar free chocolate syrup which should be fat and gluten free. also, choose a pack of 1 contains 25.4 fl oz with sugar free smores one", + "i am looking for a skin brush with natural bristles and a long handle", + "i need a machine washable ottoman seat that is contemporary and white navy colored", + "i am looking for a blue loose fit sleep bottoms for men", + "i am looking for a light weight underwater backdrop for a photo studio", + "im looking for a window film for a dining room that is 23.6 inch wide and 35.4 inch in length in size. choose the ones that comes in the 964074833593106000 color", + "search the electronics department, computers & tablets for a renewed rugged 11.6 inch screen with 8 gigabytes of data. model number 7202. must be certified refurbished and high performance", + "i want a hp elite desktop pc with intel quad core i5", + "my grandma use sugar free honey gram flavor", + "i would like a sweet and savory spices that are low sodium", + "i am looking for pez toy story 4 themed candy for a birthday party", + "looking for a short shleev shirt sunsit colour button closure also size 2x", + "i need to buy an eight ounce lavender scented soy candle", + "i would like a green tea anti perspirant", + "i\u2019m looking for rockport lace up shoes for men", + "im looking for home audio that contain batteries included. it was blue in color", + "im looking for blackout curtains for living room which should be thermal insulated. also, choose 52w*84l size mustard yellow one", + "i want a square shaped area rug for my home. pick a contemporary design in lavender or ivory color", + "i am looking for xx-large mens tapa mood woven short sleeve shirt", + "i want a hand crafted gift basket for a new baby arrival event", + "i am looking for a 46.5 solid wood for ottomans and color should be dark gray", + "i am looking for one size t-shirts having short sleeves", + "im looking for hersheys kisses chocolates that can serve as a perfect gift for valentines day", + "im looking for a long lasting samsung cell phone", + "lasgoos design natural look lightweight reusable false eyelashes eye makeup 11/5 pairs/box (a10) find it and tell me", + "i would like a 12 pack of 16 fluid ounce bottles of zero sugar wild berry energy drinks", + "i need to buy a casette recorder. get the one that in style convert player with included batteries", + "i am looking for 16x24 size sky canvas wall art home decor for living room", + "im looking for a replacement remote control for my sharp aquos tv that comes with aaa batteries", + "i would like a maroon and white medium nc state wolfpack short sleeved polo shirt", + "look for metal full over full bunks, floor bunks with full size bunk frame, silver, space saving is all i need for my new home", + "i would like a pair of size 5.5 blue walking shoes with a rubber sole", + "i would like a 0.33 fluid ounce porcelain concealers for the dark circles under my eyes", + "i am looking for a desktop computer with intel core i7-10510u cpu, 240g ssd storage and 16g of ram", + "i need a stainless steel adjustable barstool", + "i am looking for a high quality healifty dental floss oral tooth brush kit which is easy to carry", + "i want a autumn spice jar candle that is eco friendly", + "i am looking for an ac 220v electric chain hoist crane overhead remote control that is dust proof", + "i would like a 10 by 8 foot photo backdrop that is light weight and easy to carry", + "i want a high speed hdmi male to female cable. i need it to be 40 feet in single pack", + "i would like a 3xl dark green tennessee titan polo that is officially licensed", + "i am interested in buying hanging lights which are suitable for dining room and living room, while their color should be smoky gray", + "i need a 15 feet coaxial cable that is compatible with apple tv", + "i would like three light golden blonde boxes of hair dye", + "find me a pair of womens jogger sweatpants with an elastic band and drawstring. i want a medium sized black pair", + "im looking for a dark blue fleece throw that i can use to decorate my living room", + "i am looking for desktop having 8gb ram and 64gb ssd and core i5 processor", + "i would like a two piece hair treatment for hair growth", + "na", + "i am looking for a travel size, alcohol free eau de parfum for women of estee lauder beautiful impression scent", + "i want a bronze gold highlighter & luminizer made with natural ingredients for fine lines which is easy to apply, clean & carry", + "im looking for a beauty salon table towel", + "im looking for nourison jubilant floral pink area rug", + "i would like brown rice that is organic and spanish style", + "i looking for a pepper flavor rich creamy protein serving 36 oz peanut", + "i want to find a phantom gray colored samsung galaxy s21 phone with 256 gigabytes of storage space. the camera needs to have an optical zoom feature", + "i would like a 64 gig dd4 ram mini desktop computer that has a dual band i7 core processor", + "i would like a purple classic fit t-shirt that is a x-large", + "i am looking for a cupcake topper for a birthday party. also choose black color", + "i need a wall mounted floating tv stand", + "my sister have natural hair in 15 inch", + "i am looking 5 no. rubber sole of trail running", + "i would like a 4 fluid ounce bottle of bpa free cookie butter extract", + "im looking for a open toe slip resistant sneakers with arch support and ankle strap. also, choose 7.5 size black one", + "i need this shelf stable roast beef and mashed potatoes with gravy meal. it should go in the microwave", + "i need some candles that are made with soy wax and that have a pretty scent", + "i am looking for a gift of sriracha peanuts", + "i would like a alcohol free fragrance", + "i need an easy to carry background that is 7 by 5 ft", + "im looking for womens square toe sandals that are non-slip and beige high heels", + "i need a white queen sized bed with storage space", + "i want to find a 3-pack of gluten free hot dog buns", + "i would like a 8 ounce mom heart hand made sandwich", + "i am looking for casual button-down shirts of burgundy color having long sleeve", + "im looking for a pair of mens adidas shoes with lace closure and rubber sole, and i need size seven", + "find me a super soft round table cloth that is 70x70 in size", + "i want a 12 ounce bag of gluten free pecan flavored ground coffee", + "i am looking for a cable extension that is male to male and supports 4g lte", + "get me some hydrating hyaluronic acid moisturizer for sensitive skin", + "i am looking for a good travel size cologne small 0.27 ounce", + "i would like a 88 inch wide by 56 inch tall set of blinds for my living room preferably coffee colored", + "you will find this mens wig brand lhc, virgin human hair 550# medium light brown with 50% gray, high quality", + "i am looking for a office leather chair useful for heavy duty with synchro-tilt mechanism", + "i need a case for my lg stylo 6 thats green, supports wireless charging, and comes with a tempered glass screen protector", + "i am looking for a hair extensions with 16 inch long also easy to apply", + "i am looking for a brush set without a bag that is made from synthetic hair", + "i need to buy a fake security camera. get the one that comes with batteries. buy it in silver", + "im looking for a large sweatpants fleece lined for sports in dark gray", + "i am looking for a easy assemble bookcases", + "i am looking for high heel sandals of size 5.5", + "i am looking for an 8 ounce pack of chocolate covered cookies", + "looking for samsung galaxy a11 red brushed tpu case cover also choose non slip quality", + "i am looking for a 10 pack of 10 feet long high speed gold plated hdmi cables", + "i am looking for a gluten free almond flour pancake mix that has simple ingredients", + "i am looking for a six pack of wasabi snack mix of mixed nuts", + "i\u2019m looking for a 6-pack of the trader joes fruit leather buttons; i like the natural strawberry-mango flavour", + "im looking for a lead free jar candles made of soy wax. also choose natural, coconut milk and mango scented one", + "i would like a paraben and sulfate free body wash", + "i am looking for a 12 pack of gluten free bars that are dark chocolate almond", + "i am looking for alcohol free perfumes for galloway impression", + "i want a 1080p hd hdmi extender + hdmi splitter", + "i want to find 3-inch silver hairpins that i can use to style my hair with", + "i want to get some photo studio backgrounds that are dust proof and for high resolution", + "im looking for some highly pigmented seed oil lipstick. find the one in rich berry that is .14 fl oz", + "i am looking for a white usb cables with high performance", + "i am looking for some light weight boxers that are multicolored and in a large size", + "i am looking for a camera lens protector case in silver color for samsung mobile , also easy to install", + "my son needs a mattress, look for the greaton brand, fully assembled, box spring. includes 8 split base | full xl size", + "i want to find a pair of dark gray, slip resistant womens work shoes. i wear a size 9.5, usually", + "looking for gift set of handmade italian biscottis with natural ingredients", + "i am looking for boho chic medallion non shedding area rug 67x92 for my living room. in forest green, or light blue", + "i am looking for a grey color day comfort golf shoes for men", + "i want apple fruit sauce crushers that are certified organic", + "i want to buy a dry skin treatment that has coconut oil in it", + "i am looking for trader joes chocolate covered shortbread cookies", + "i am looking for a high quality pink ice face roller with silicone ice mold", + "im looking for a coral velvet microfiber hair towel wrap for women", + "i am looking for 12 inch double sided hair extensions. also pick a dark brown color", + "i need to buy a solid wood console table for my living room. look for one in grey", + "i am looking for a 100 count bubblegum that is spearmint flavored and sugar free", + "i would like to buy a 4g lte pc tablet with a hd screen", + "i am looking for a womens medium size royal blue tank top that is machine washable", + "i need a slim fiting sweater that is green and in 3x large", + "i am looking for a nickel finished one light wall sconce", + "i am looking for a fully assembled twin box spring and mattress set in king size", + "im looking for butter pecan flavored coffee that is gluten free and comes in a pack of three 11 ounce packages", + "i would like a pair of black headphones that have wireless bluetooth", + "i want ready to eat bridgford sweet baby rays original 99% fat free honey barbecue beef jerky", + "i am interested in highly pigmented eyeshadow in the color sienna", + "i am looking for a white colored and high gloss tv stand for a 60 inch flat screen tv", + "i am looking for a high speed coaxial cable that is 135 ft long", + "i need a xbox one media remote with batteries included", + "i want white professional stereo wireless bluetooth speaker", + "i am looking for a blue classic fit shirts for men", + "i am looking for a french oak grey | black corner shelves for living room", + "i would like a travel size 0.27 fluid ounce of lanvin eclat darpege impression perfume", + "im looking for a portable beauty salon manicure table", + "i need dark chocolate made by trader joe", + "im looking for a mid-century, white queen bed frame", + "id like to purchase a red or black short-sleeved jumpsuit in size medium with an elastic closure", + "i would like to buy xx-large mens shorts with an elastic waist and want them to be dark blue", + "i want to find some individually wrapped lozenges that are lemon and ginger flavored", + "im looking for a dvd recorder that features stereo sound", + "i am looking for a dummy surveillance camera for ceiling with batteries included. also choose which is supporting aaa size batteries", + "i am looking for white colored, quick drying bathing suits for women", + "i am looking for a dome cameras batteries included", + "i am looking for a 52x84inx2 panels for living room", + "help me find a short sleeved button down shirt made in a tall mens extra large. also, i prefer a fabric with some stretch to it", + "i am looking for a gluten free nut bars of almond blueberry flavor", + "im looking for a size 54w x 29l straight leg levis mens jean", + "i am looking for an easy to hang 24 inch by 32 inch floral oil painting for my living room", + "im looking for a 1.18 fluid ounce pack of oil free hydrating gel cream. i want the flavor to be sienna", + "i am looking for a high quality round head 70x185cm spa bed cover", + "i am looking for an easy to install light filtering contrast grey window blind", + "i need zerofire 2 pack travel size spray bottles", + "i am looking for a blue stretch fabric dress shirts for regular fit", + "i want to buy a folding storage box ottoman which i can easily install and has faux leather, the size of it should be 60x40x40cm", + "i want to buy t-shirts which are long sleeved and are in red color, while the size should be large", + "i need some gluten free orange extract", + "im searching for small high gloss nightstand for living room", + "i need a light weight and high resolution background photo for my studio. it should be in a12 color", + "i want to find a pink pair of womens casual wedge, anti-slip slippers in a size 9", + "i need some long-lasting snowboots with no slip soles in size 7.5 and the color black", + "i am ordering a grey plus size women long sleeved t -shirt ", + "i am looking for blue scrub bottoms that are made of polyester cotton and are a size 3x tall", + "i would like a queen size blue bed and box spring mattress", + "i am looking for a dresser. it should be made of engineered wood and please choose jamocha wood finish", + "im trying to find a tempered glass screen protector that i can use for my iphone 13 pro max", + "i need a black bed frame that is made of steel for a queen sized bed", + "i need a liquid concealer to fix my dark circles. pick a warm natural shade", + "i am looking for rubber sole backless slip on loafer shoes for women of size :8", + "throw pillows cover spot clean lumbar support color beach house cotton coastal blue", + "i am interested in buying a universal remote control which has batteries included and is compatible with smart tvs", + "im looking for an anti aging face mask with jojoba seed oil to restore my skins vitality", + "i need a media player with aaa batteries included", + "hello, i am looking for hair dye that will stay in my hair permanently. also, i want the color to be mahogany blonde", + "buy me a black flip case for my phone with a glass screen", + "i am looking for a elastic waistband small size active shorts for man", + "i need some prewashed comfortable fit jeans that are relaxed and a size 36w by 31l", + "i need a long sleeve mens chef coat with button closure in size 3x-large. i want a white one", + "i am looking for a black power dental flossers for bad breath", + "look for a brushed aluminum wall sconce with a glass shade", + "im looking for a camouflage white and gray, fleece-lined hoodie for daily wear in a size 3x-large that is machine washable", + "i need a alcohol free perfume oil of 12ml meal size . and i would prefer the green musk scent", + "im looking for a remote control replacement for a blu-ray player thats compatible with bdp-s3700", + "i want a black machine washable womens round turtleneck sweater", + "i am looking for 4 pounds (pack of 1) old fashioned hard candy", + "i want pink ambesonne shutters curtains for my living room", + "i need a leak proof, bpa free cosmetic bag that can fit 12 jars inside. look for a pink one", + "i need a motion-activated black bullet camera in 1080p hd", + "i want to get a bundle of freeze dried pineapples that are 8 oz", + "search for a 10 foot, apple mfi certified, usb c fast charging lightning cable that is grey", + "i am looking for silver birthday cake toppers", + "im looking for a mens red button down casual shirt that is a large slim fit", + "i would like a pair of 18 plus chocolate regular fit jeans", + "im looking for lounge style pants that are machine washable and they should have a drawstring waist. the size should be small", + "i need a light wash mid rise slim leg jeans that comes with button closure in size 27 for women", + "im looking for a high quality, non toxic massage table sheets made of quality materials that is easy to clean for a beauty salon. also, choose 70 * 185 cm sized purple colored one", + "i am looking for semi-permanent hair color that is easy to apply", + "i would like a rectangular coffee table made of steel", + "i want a television stand with storage space", + "i need 36 beauticom 60 gram leak proof plastic jars with white lids. i want them in amber", + "i am looking for king size pillowcases in leopard print color", + "i want plant based ginger ale zevia zero calorie soda", + "i would like a 18 x24 nero black mirror that can be mounted on my bathroom wall", + "i am looking for a long sleeve mens hoodie pullover size x-large", + "i need sugar free flavor syrup for soda that is 25.4 fl oz", + "find me an easy to carry and easy to use 60cm double sided high quality body brush in green color", + "i am looking for a black home office desk chairs for lumbar support", + "i need a grey twin sized bed", + "im looking for flip flops it will comfort to wear", + "i need glitter cupcake picks in rose gold for my daughters birthday party", + "i need facial wax strips for hair removal", + "i am looking for royal purple blackout curtains that are easy to install", + "i would like a pink size 5 high heel shoe with a rubber sole", + "im looking for 36 ounce fragrance free camile beckman", + "i am looking for an easy to install iphone case that is pink and blue and xs max in size", + "i am looking for earbud headphones in noise cancelling", + "i would like a box of 15 palace tea that is caffeine free", + "i am looking for effortless paraben free eye liner", + "i am searching for black color cupcake toppers for the birthday party", + "i want a leak proof and blonde swell travel bottle set", + "i want some navy blue straight leg pants", + "i would like a bookcase that is made of engineered wood", + "im looking for god plated converter for combo kit and need to buy it", + "i need a loose fit blouse that is green and in an xx-large", + "find counter height table set with socket space saving for dining room in brawn/beige colors", + "im looking for womens summer sandals, non-slip, high heels in z#02red color", + "i would like a toothpaste for sensitive teeth", + "i want to find a 10-pack of male-to-female hdmi cables that are 20 feet long and plated with gold", + "i want plant based gluten free protein serving burgers & patties size ;5- pack", + "i need some hair drying towels that have a grid lines pattern for drying hair", + "i am looking for 8 cupcake toppers that are black for teen girls", + "get me a portable toothbrush in color b. the one that says its for teeth whitening", + "i would like a color d wall lamp for my living room", + "i want to find a pair of black womens platform wedges for everyday wear. they need to be a size 9 and be on the wider side", + "i am looking for a water proof outdoor ultra hd projector, also the color should be sport color", + "i want to get a fruit snack pack from the bare baked company. it should be both fat free and coconut flavored. i also prefer the 16-pack of the 0.53 ounce size", + "i am looking for a long lasting eau de parfum", + "i want to buy a sofa which is suitable for living room and is of black color, and it should be of size of typical sofa", + "i am looking for a high definition android car stereo of quad core color", + "you are viewing one of the trendiest products vintage yellowstone national park wolf retro graphic art tank top for men black belong theme vintage yellowstone national park tank tops at printerval:", + "i would like a 70*70*74gao ijia+zhumuwen6 table cloth that is easy to clean", + "im looking for a large butt lifting women workout short", + "i am looking for a scalp massager brush for hair growth which is easy to use. also choose black color", + "i need a pink iphone 7 flip case that has wireless charging capabilities", + "i need to buy some sandals with arch support in a womens eleven and a half wide", + "i want to find a small green womens workout set that i can wear daily", + "im looking for outdoor security camera with audio", + "i would like a milky white chair thats easy to clean", + "i am looking for a set of white hands free and fast charging ear buds with a charging case", + "i am looking for a heavy duty basic cases for iphone 13 size", + "a throw pillow covers set for living room color natural-w", + "i need high quality hair extensions that are 18 inches in size", + "im looking for gluten free that flavor was vanilla cream its so good", + "find a dress suitable for hand wash", + "i am looking for straight legged jeans in size 66w x 28l, that are also machine washable", + "i am in need of memory foam slippers that are in a size 5.5.-7.5 women", + "i am looking for a pack of 4 energy drinks with vitamins, that is also gluten free", + "im searching for womens leather angle strap platform slip on of size 6.5 and c brown color", + "i would like a violet colored phone that has optical zoom", + "earphone earbuds comfortable ear noise cancelling with mic", + "i would like a size 34 pair of garden variety shorts that can be machine washed", + "i need a medium size lovers casual round neck valentines day print short sleeve tummy control v-neck t-shirt top, also, choose the \u8d2248 - wine color one", + "i want to find a pair of cowboy cut jeans with a relaxed, comfortable fit. the jeans need to be 31 inches in width and 38 inches in length", + "im looking for clothing jeans for womens and the it was comfortable fit", + "i am looking for an easy to use hair dye that is natural and coffee colored", + "i need an easy to apply glitter pot that comes in copper holographic color", + "im searching for a toothpick oral hygiene pink color brush", + "get me a non alcoholic bread mix made with natural ingredients", + "im looking for a pair of womens walking shoes that has a synthetic sole and is colored brown", + "i am looking for a high speed hdmi male to male cable that is gold plated. i need it in a 10 pack", + "im looking for a slim fit dress shirt with a button closure. it should come in a 4 x large with a blue plaid pattern", + "i am interested in acquiring mini desktop with high definition and dual band, and also have ddr4 core i5 8250u, and 32gb ram ddr4 512gb m.2 ssd 1tb hdd", + "i would like a three pack of 4 fluid ounce green envy hair dye", + "im looking for a day and night roller blinds grey/white item", + "i need to buy some work shoes with a slip resistant rubber sole. i want them in gray, size nine wide", + "i want seeds of change organic whole grain brown basmati rice", + "i am looking for 4g lte wifi router.it should be of black color", + "i am looking a anti aging eyes gels for removing dark circles under eyes", + "im looking for a wall mobile bookshelf ", + "i am looking for petrol blue. coastal themed drapes that are machine washable", + "i need some drapes for the living room that are 40 by 63 by 2", + "i need an alcohol free face mist in peppermint scent", + "i would like a ginger boost gluten free bottle", + "i would like a basic phone case that has wireless charging", + "i am looking for a pink case with a kickstand and wireless charging for my samsung galaxy s21 ultra", + "i want buy a jasmati gluten free bpa free non gmo rice size : 1.75 pound", + "i am looking for a tablet of plum color having quad core processor", + "i would like a small bottle of grapefruit high quality face oil", + "i want melody of the night wall art for the living room", + "im looking for an easy-to-clean desk cover protector for my round dining room table; it should be frosted and about 34 x 48 inches in size", + "i am looking for a rechargable facial cleansing spin brush set for sensitive skin. also choose fuchsia pink color", + "i am looking for roasted and salted cashews that has low sodium content and no artificial ingredients", + "i need some cupcake picks for toppers", + "i am looking for matx gaming intel core desktop pc having 128gb ram, 2tb ssd and win10 os installed", + "i would like a 14w x 60h snow white roller shade that is easy to install", + "i need a t shirt that i can hand wash in an xx-large and is the color of wine", + "i want easy to install blackout curtains for my living room. i need it in tribeca indigo color", + "i would like to buy kosher certified greek yogurt", + "i want a navy blue biedori womens casual long sleeve dress", + "i am interested in buying beds which are twin size, and of grey color, while their style should be metal triple bunk bed with slide", + "i am looking for square shaped swival bar stools with adjustable heights. a set of 2 in gray is preferred", + "i am looking for 50 single serving irish creme liquid creamers that are easy to use", + "i am looking for long lasting 11oz ceramic tea cup", + "im looking for an extra small cozy blanket for my daughters christmas gift; it should be super soft and easy to clean", + "i need black moyo natural labs 8 oz travel bottles", + "i would like a black 311 x 53 rug for my dining room", + "i am looking for pink running shoes that have a rubber sole and are in a size 14", + "i would like a medium orange short sleeve shirt", + "i am looking for a mid century couch", + "i need to buy some running shoes. they should fit comfortably and have a synthetic sole. look for them in white, size 13", + "im looking for a cheese platter that i can include in a gift basket", + "i need four mid century green chairs", + "i am looking for corn that is non gmo and spicy toasted as well as 16 oz", + "i am looking for a 1 fl oz oil free super-blendable liquid foundation", + "i am looking for a mini pc with an intel core i5 cpu", + "im looking for a pair of mens beach sandals with a leather sole, arch support, and non-slip grip. get the ones that are light brown in 9 or 9.5 in size", + "i want x- large tall machine wash short sleeve t- shirt for men color:ash plum 554/black", + "i need a nail polish carrying case", + "i need a 3 pound (pack of 1) cane sugar syrup which has natural flavour and is sugar free", + "i am interested in nut free bridal shower candy sticks, it should be low in calories and preferably be wrapped in individually", + "im looking for a 1 dozen nut free dessert gifts", + "i need some gym shorts that are black and are in a 3x-large", + "im interested in a pair of hunter green scrub bottoms with a straight leg and drawstring waist in size medium tall", + "i would like a single perfect beige foundation that is oil free", + "i am looking for easy to use travel bottles", + "im searching for natural permanent hair dye , 6g light golden brown color, 1 count", + "i am looking for slim jeans that are granite color and machine washable", + "im looking for after wax lotion that is cruelty free and is also an epilating trial pack pattern", + "i want a 2 pack of dseap coat rack wall mount", + "i am in need of 6 pairs of small-medium size navy color, knee high compression socks for women & men", + "im looking for a 50 piece candy gift basket", + "i\u2019d like to find a multipack of macaroni cheese in white cheddar flavour. but it must not contain any dairy or gluten", + "im looking for a salted caramel syrup to mix with water. i want it to have natural flavors and i want an item over 20 oz", + "i am interested in a long sleeved blue shirt that is in a medium", + "find me a non gmo banana and strawberry meal", + "im looking for a 128 ounce (pack of 1) of shelf-stable, keto-friendly, and gluten-free almond milk", + "i am looking for a sensitive night cream that does not have a fragrance", + "im looking for cute hooded sweatshirts with frog print for women", + "i am looking for smartwatch bands that are nude in color and are compatible with apple", + "i am looking ofr a bag that is 1.7 oz and is easy to carry", + "i am looking for gluten free turmeric chai", + "i am looking for a large size grey color light weight womens sleeveless pullover sweater with unique design", + "buy me some hiking boots with rubber soles. get them in red, size eight", + "i want black levis mens 501 straight leg jeans", + "i need w28 x h64 pastel blue roller blinds that are easy to install", + "i need a bpa free bag that is blue", + "i need some binoculars for bird watching", + "i am looking for a certified refurbished inkjet printer", + "i would like two lights gold wall mounted vanity light", + "i would like a bag of original beef jerky that is non gmo", + "i am looking for ready to eat plain jackfruit", + "i want some dried bananas and strawberries. make sure theyre usda organic", + "i want a navy fleece lined womens winter coat", + "i am looking for buff which is a sulfate-free, vegan scent-free conditioner bar for sensitive skin! free from fragrance & coconut oil to soothe & smooth your scalp! ethique solid conditioner bar for sensitive skin which is 100% soap free & safe for color-treated or damaged hair. palm-oil free & aluminum free. kookabara scent in 2.12 ounce preferable", + "i am looking for a s size manual toothbrushes for sensitive teeth", + "im looking for 1600 watt high power bass surround stereo sound component subwoffers", + "im looking for a long sleeve sweatshirts black flower for valentines", + "i need some hair oil for damaged hair", + "i want a pink marble bandless case cover that is compatible with macbook pros", + "i am looking for a slim fit t-shirt of black-5 color", + "i am looking for a rustic gray color home office desks for longlasting", + "i need a 05# nail powder pen for nail art", + "i need wild blueberries that are dried and non gmo that is 8 oz", + "i am looking for a wireless bluetooth speaker bundle. look for black color, please", + "i am looking for 100 count (pack of 4) tea bags that are caffeine free", + "i need high quality hair extensions that is 18 inches in length", + "i would like a blue extra large long sleeve sweater", + "im looking for a plant based vegetable crisps made of simple ingredients and should be gluten free", + "i would like a 2x poolside sebastion plaid shirt that is easy to take care of", + "i am looking for a black end table for my living room", + "order me four bundles of high quality curly hair extensions", + "i would like a queen sized black bed with a box spring", + "i am interested in some noise cancelling earbud headphones", + "i want to find a pack of 24 single-ounce jalapeno free range turkey sticks. they need to be keto friendly", + "i would like a non alcoholic eggnog mixer that comes in a four pack", + "i want x-small heynuts hawthorn athletic womens high waist yoga shorts", + "can you find for me this brand kelly bro? im looking for womens peep toe model, and my size is 8,5. high heel is my favorite", + "i am looking for a non gmo mojito cocktail mixer", + "i am looking for a 3 pack of coconut oil hair therapy", + "i am looking for a 49 inch by 59 inch easy to clean fleece throw blanket", + "i would like a yellow quad core tablet", + "i want a sonoma oak or white 3 tier classic tube that comprises of shelving units and a tv stand in my living room. also choose the one designed with engineered wood", + "in hand creams & lotion aisle of the beauty & personal care department, i want a white long lasting, fragrance free hand lotion for dry, rough or sensitive skin that soothes and comforts. comes in a 3 ounce 4 pack", + "i am looking for a variety pack of keto friendly energy drinks", + "pick a nutmeg shade concealer that hides dark circle. also remember that i have sensitive skin", + "im looking for a fudule sandals for women", + "im looking for a womans long sleeve shirt in a size 5 extra large", + "im looking for rose gold hair coloring products for permanent hair", + "id like to buy a small white jumpsuit with a relaxed fit", + "i am interested in a machine washable throw that is yellow and aqua", + "i am looking for a black queen size blanket for kids", + "i am looking for easy assemble queen size metal bed frame", + "i would like a 2 pound bag of chocolate covered gluten free bars", + "i am looking for a eco friendly window films of 23.6 x 63 x 2 pcs( total: 120x160cm ) size", + "i need to get a synthetic hair extension in color 4", + "give me a slim fit machine washable blazer that is gold", + "i need green women high waist yoga pants", + "i am looking for venice color lip gloss containing natural ingredients", + "i am looking for birkenstock gizeh synthetic sole in navy oiled leather", + "i want to buy some low-rise ankle booties. look for some in green and in a size seven and a half", + "id like to buy a three pack of one point seventy-six ounce fenugreek seasonings. make sure theyre easy to use", + "i need 2 packs of 10.6 inch 30w dimmable bi-color soft light panel with batteries included", + "i would like a corgi dog cosmetic bag for my nail art", + "i would like a pair of small purple jogging pants that are for the gym", + "i am looking for a clear portable makeup bag that is easy to clean", + "i want to find some all-purpose everyday seasoning that is low sodium. i want both a 1.5 pound package and a 2 ounce package", + "i want a 1.76 ounce pack of easy to prepare chicken tikka shan fried fish recipe and seasoning mix", + "i am looking for an easy to carry charger with wireless bluetooth features", + "i would like a hair comb for dry hair", + "find a sneaker for men with outsole rubber and rubber sole size 4 color in black or white", + "i am looking for mens slim-fit machine wash and button closure with moisture wicking medium grey heather polo shirt and size is x-small", + "im looking for a 7x9100%light medium density hair extension with high quality and its color should be 240# darkest brown with 40% gray", + "i would like a sparkling dry moscato that is non alcoholic", + "i would like a pair of bryson slim fit jeans with a comfortable relaxed fit. my size is 30w x 34l", + "looking for freeze-dried strawberries that is gluten free also choose style bag", + "i need king size, machine washable, super soft duvet cover set in multi 41 color", + "im looking for a roller tool thats good for fine lines and aging skin", + "im looking for an orange teeth whitening nhpro enamel care", + "can you find me a formal dress with a lace closure? im looking for something in ocean blue in size 24 plus", + "i am looking for a non-diary and sugar free cookie baking mix. it should have soft chocolate chips", + "i am looking for a certified organic, watermelon frose, lip balm moisturizer made from coconut oil", + "i am looking for 150 white color 4k ultra hd 3d ready projector screen", + "im looking for hyaluronic acid for skin care moisturizers", + "i need high speed hdmi cables that are 15 feet long", + "i want usda organic black tea bags", + "im looking for gluten-free almond flour cookies that contain flaxseed and sunflower seeds in a smoked barbecue cheedar flavor", + "i am looking for a long sleeve mens pullover hoodie, size medium", + "i am looking for curtains for my living room that are a 2 panel set in the color purple lavender", + "i want to buy ceiling chandeliers which are stainless steel, and suitable for dining room, while the color should be 345-variable light", + "i am looking for a loose fit tee that is army green and in an xx-large", + "i need a contemporary chair that is pink with a gold base", + "i want to get some straight leg jeans in 36 waist and 32 length. the color needs to be medium stone washed with an art deco stitch back pocket embroidery", + "i need a screen protector that is easy to install and is 41mm in size", + "im looking for a 10 pound blend gelee chocolate covered with candy", + "i am looking for a 6 count (pack of 6) real fruit, non-gmo fruit bars", + "im looking for mens daily wear shirt with long sleeves and button closure type. also, choose black colored tall shirt with size 20 neck and 34-35 sleeves", + "i need some special diet seasonings that are low sodium and 4 ounces", + "i am looking for a pink leak proof bag", + "i want a light weight 6x9 ft octopus vinyl photography backdrop", + "looking for one bed for kids in grey color, size twin and of easy assemble in wood", + "i am looking for an easy to use wireless nanny camera that features motion detection and night vision", + "im looking for a small sweatshirt with drawstring closure. choose the ones that come in galaxy fox color", + "i am looking for easy to prepare and easy to use shan kashmiri rogan josh recipe and seasoning mix 1.76 oz (50g) spice powder pack of 6 in murgh cholay flavor", + "i am looking for a table lamp for my living room", + "i am looking for a camcorder that is easy to carry and have optical zoom", + "i am looking glitter eyeshadow long lasting easy apply color #15", + "please find a multi-pack of 18 synthetic hair extensions that are curly enough to be suitable for black women", + "i am looking for a two pack of deodorant that is clinically proven", + "i am looking for sensodyne toothpaste in sensitive teeth", + "i need a grey square shaped rug that is 23 x 18 for my living room", + "i am searching for low sodium food, gluten free everyday seasonings, 2.5 ounce (pack of 1)", + "i am looking for non gmo chopped pecan nuts of 4 pound size", + "i want to get some low calorie margarita mix. look for a four pack", + "im looking for a facial scrub that has both anti aging properties and helps with fine lines", + "kit 3 machine washable elastic nylon boxer panties", + "i need a lenovo chromebook with intel core i3-8130u", + "looking for a black 28 inseam 3 x-large machine wash, drawstring closure mens straight fit modern stretch pant made by goodthreads", + "i want to find a straight spotting scope that i can use for bird-watching", + "i want a pair of extra wide rubber chukka shoes", + "my sister needs a long-sleeve hoodie dress for casual daily wear; she is an extra large size", + "i am looking for signal antenna booster stickers that are easy to carry and install", + "i want double sided throw pillow cover in blue mustard color", + "i would like a blue brush tpu case that is non slip", + "i would like a sky blue 12 inch throw pillow for my living room", + "i want nightsky vintage wash toad & co mission ridge pants with button closure in size 33w x 32l", + "i am looking for 28 short size womens straight leg jeans", + "i want an army green modos logicos case for apple phones", + "i would like a pair of size 46 black shoes made from quality materials", + "i would like some fluoride free toothpaste", + "im looking for white window blinds that are easy to install and measure 35\u201d wide with a 48\u201d height", + "i would like sunflower butter and chocolate protein bars that are high protein", + "looking for long sleeve casual t-shirts that hand washable also choose yellow colour", + "i am looking for non gmo, nut free, gluten free and real fruit , all natural fruit snacks with flaovr name : passion fruit power pals", + "i need a wireless usb charging cable for my boombox; make sure it has adequate output protection", + "i need pink color valentine day cake toppers", + "i am looking for shelf baskets that are eco friendly and are 12.5l by 12w by 10 h", + "i am looking for a roller shade that is gray and for the living room", + "i need a variety pack of gmo-free, low carb dessert syrups", + "i need an x-large button down shirt that i can double dry", + "i need an easy to use tofu drainer for tofu bricks", + "i am looking for a ivory color contemporary design area rugs", + "i want rose gold cupcake picks that say we will miss you for a retirement party im throwing", + "i need some taupe flip flops that have arch support", + "i am looking for a long lasting parfume gift set", + "i want a black bellagio european outdoor carriage light fixture", + "i am interested in purchasing a cruelty free lip enhancer with natural ingredients in the color teal", + "i want freeze-dried fruits, about 1.5 ounces should be enough. i like blueberries but i dont want anything with gmo", + "i need hight quality portable golden wing color travel personal mirror for woman", + "i want hand painted jmkj sculptures", + "looking for short lace boots for day comfort, fawn color, size 6.5", + "i need a futon set that is blue velvet", + "i am looking for long lasting dark navy color noise cancelling headphones", + "im looking for a pair of rs-c sized, easy to use, stainless steel barbers scissors", + "im looking for rose gold hair dye in a 70 ml bottle", + "im looking for long lasting beauty accessories for making skin glow", + "i want a hieha double din car stereo compatible with apple", + "i would like to get some 20 mm c-0.10 made from high quality materials false lashes", + "i want some freeze dried mangoes", + "i need elbow pads for teen girls that are small and black", + "i want a rose gold and non slip fueyou makeup brush set", + "i want to buy a twenty four pack of stupid hot low carb pork rinds", + "i am looking for a pair of womens ultra soft arch support sandals in a size 9", + "im looking for computer accessories for bag and cases its easy to use", + "i need to buy some eighty-four inch curtains for my living room", + "i need some small black shoes for men that have arch support", + "i want green zuseris unisex fleece lined clogs", + "can i request some high performance speakers? also, can you pick the ones that come in white please?", + "i am looking for a low sodium and gluten free seasoning. look for spice gift sets", + "i need a fluoride free maternity toothpaste", + "i want a blue children\u2019s u-shape toothbrush for sensitive teeth", + "im looking for a stereo headset for my nintendo switch that is both yellow and blue", + "i need a bottle of fresh breath mouth wash for bad breath and oral hygeine", + "i am interested in monoculars that are good for bird watching", + "im looking for a silicone band compatible with my apple watch thats 40 mm and white", + "i am looking for a ready to use full size mattress and box springs", + "i want a 280ft black tri-shield weather seal indoor outdoor rg-6 coaxial cable", + "i need a big rug with a fuzzy non-stick surface", + "im looking for dermatologically certified serum skin that contains hyaluronic acid for sensitive skin and is fragrance free", + "certified organic 100% pure & natural sweet almond oil", + "i am looking for womens sandals of 8 size having leather sole", + "i want a microsoft surface pro 4 tablet with intel i5-6300u", + "i looking yoga day classic fit ,machine wash ,heathers cotten women t-shirt color:royal blue size 3t", + "i want purchase a long sleev daily wear hand wash denim short having elastic waist and colour should be blue 4", + "i would like a pair of black earbud headphones that are fast charging", + "i need some salty, non-gmo bagel crisps", + "i need a fluoride free maternity toothpaste", + "i need some caffeine free fruit juice. pick a pack of 12", + "i need brown ballet shoes that have a synthetic sole and are size 5.5 for women", + "i want to buy a giant popsicle which is low calorie and fat free with orange flavor and is 51 ounce", + "i would like a 4 ft rectangular pink rug for the living room", + "i want a size 8 black raspberry vanilla candle that is long lasting", + "im looking for liqiud latex makeup", + "i need a 1.6ft gold cable usb c for fast charging", + "i am looking for hp elitedesk 800 g2 business desktop mini tower with core i5 ,16gb ram, 512gb harddrive and windows 10 pro along with high performance and certified refurbished", + "seeking to find a mini reversible travel lcd alarm clock-radio controlled touch sensor light using aaa batteries included in color white or pink that is made by lexon flip plus", + "i want to find a small purple tankini top that teen girls can wear", + "my skin was dry i need 4 ounce pack of facial cream", + "i am looking for easy install and ready hang kitchen artwork-04 with size s-(18x12inches)", + "i want a black and heavy duty pots and pans organizer", + "im looking for a wall mounted mirror with a silver painted wooden frame. the size should be eighteen by twenty-four inches", + "im looking for desktop computer with intel core processor", + "i am looking for a size 9.5 brown open toed heeled sandal with an ankle strip", + "i would like some keto friendly strawberry nutrition drink", + "i need a high power cable that is color3", + "i am looking for a green tea facial scrub", + "i am looking for easy assemble and box spring mainstay 14 high profile foldabel steel bed frame", + "i want to find a short-sleeve, classic fit mens polo that comes in size small. see if any in white are available", + "im looking for a black heavy duty barber chair", + "im looking for a gold plated coaxial cable. also, choose 3ft, white colored one", + "i am looking for a folding chair with steel frame. also with space saving", + "i am looking for a steel frame that is light pink and for a full sized bed", + "i would like a moon rock gray standard sized pillow case that long lasting", + "i am looking for a hygiene tongue cleaner for fresh breath. also choose 6 count pack", + "i looking for strawberry&blueberry artificial flavors in variety pack apple cinnamon &strawberry", + "im looking for 2 packs of peanut butter", + "i would like a pair of 36 regular cut off white bull denim shorts that are machine washable", + "im looking for a birthday cake topper that i can use for a party", + "i want to buy sneaker shoes which are non slop and are comfortable fit with a size of 7.5 ", + "am hoping to find q-tips cotton swab 375.0 ea nail polish", + "i would like a laundry bag", + "im looking for clothing quality and high waist for womans", + "i would like a pink face brush for my dead skin", + "i want a low carb cake", + "im looking for a pair of mens sneakers with a synthetic sole, im a size 7 and a half", + "i am looking for semi-permanent hair color that is easy to apply", + "i want a colourful makeup brush set for sensitive skin", + "i am looking for long lasting disney cinderella kids 3.4oz edt spray", + "i would like a pair of size 9 white synthetic leather clogs with a synthetic sole", + "please re order a 9188 -red brown leather duo motor recliner chair and should be of high density and easy to clean", + "i would like some high protein jerky that is bbq and 8 ounces", + "i am looking for a area rug for living room with easy to clean which is in rectangular shape. also choose gold color and 2ft 8in x 8ft in size", + "we are looking easy install stereo sound subwoofers 800 watt speaker speaker size :12", + "i would like some long lasting eau de toilette", + "i want a red and easy to assemble gaming chair", + "i am looking for a wireless portable bluetooth speakers", + "i am looking for ca perfume impression of anais anais which is esay to carry with high quality , long lasting, alcohol free. nina ricci lair du temps impression scent preferable", + "im looking for regular outfit it can make feel comfortab;e", + "i need long lasting lead free candle with a smoky mountains cabin scent", + "id love help finding a square ottoman coffee table made of solid wood. it should come in gray", + "i would like to buy a heather slate pebble weave loveseat with a solid wood frame", + "i want seventh generation, body wash sensitive skin", + "i would like a clinically proven deodorant that is lavender sage", + "i want to buy a red watch band for my 42 millimeter apple watch", + "i would like a clinically proven hair growth treatment", + "i want to find a waterproof case for my samsung galaxy phone that is heavy duty and easy to install", + "i would like a white 42 by 72 inch window panel for my living room", + "i want a black cherry and gluten free v8 +energy drink", + "i need a usb video game capture card for my usb port", + "i need ready use hand-knitted ottoman pouf for living room. and choose the purple one", + "i want a pair of dark brown easy spirit elinot womens boots with rubber soles", + "i need a tablet that has a 1080p hd resolution", + "i am looking for a plug and play ps2 to hdmi converter adapter", + "i need puffed snacks that are grain free in a spicy salsa flavor and come in a 24 pack", + "im locking for motorcycle stereo speakers soundbar", + "i am looking for a 8 size walking shoes for daily wear", + "im looking for a outdoor camera with optical zoom and ultra hd", + "i want a synthetic wig that has multiple colors", + "i want a pink light weight kids digital camera", + "im interested in a 4g lte wall-mounted router in aluminum alloy", + "i am looking for nut free and gluten free chocolate", + "im looking for a pair of mens shoes made from rubber on the outside in the uk size six and half mens", + "i am looking for containers for shampoo of color style 7-40ml that are easy to carry", + "i want to find grey 30 by 45 inch blackout curtains that i can use for my living room. they must be machine washable", + "i want high quality hair in water wave bundles with closure. it should remedy my hair loss", + "im looking for womens open toe, slim fit high heels sandals with leather sole. also, choose size 8 with white colored one", + "i want to buy a pair of compression pants in size xx large. they should be nude with an elastic waistband", + "im looking for a plant based pancake mix which should be gluten freeand also non gmo with simple ingredients. also, choose pack of 3, 12 ounce almond flour pumpkin flavoured one", + "i looking for contemporary style throw pillow covers for living room color yellow -a-1pc", + "i need a mens blue t-shirt that is compatible with the machine washer", + "i want an easy assemble wampat farmhouse coffee table with storage drawers, modern coffee table for living room, center table with double storage spaces, metal legs, grey,", + "i am looking for a straight leg pants for gym workout in medium size. choose navy color", + "im looking for hair care solutions", + "i want fully cooked mild beef patties size 12 count", + "hello, im looking for a pair of cargo pants for everyday casual wear? but also hiking-friendly. also, i want an orange pair please", + "i am interested in purchasing a lip gloss set which is long lasting and comes in the size g", + "get me a high power bird watching monocular that is 10x50 in size", + "i am looking for winter warm ankle boots for women. my size is 7.5", + "iam looking for a wallets for blouse, hosiery and laundry bag", + "i would like a cat sparkly cosmetic bag that is high quality and water resistant", + "i would like some gray heavy duty spa chairs that look like they belong in a hair salon", + "im looking for a permanent hair dye with keratin in the brand of revlon", + "im looking for a himalayan black rock salt which is free from gmo and gluten. also, choose a pack of 1 weighting 0.8 ounce, natural turmeric minced whole", + "i want a 2 pack of high speed hdmi male to male cables,", + "i would like a football temporary tattoo that is easy to apply", + "i am looking for brown color spray bottles for hair styling", + "a heavy duty single gang rocker high gloss electric wall plate cover", + "i am looking for whitening massage manual easy use toothbrush with handle for boy with color d", + "i need a bpa free bag that is purple with flowers", + "i want to find canvas wall art that is 30x60 inches in dimension. i want it to be poppy colored and it should be suitable for my dining room", + "i am looking for a set of 2 easy to install sea teal colored curtains that are machine washable", + "i want to find a gold hair comb that is easy to use", + "i need a hair cutting kit that is multicolored", + "im looking for a magnetic phone mount for car with aluminum alloy and small size", + "i am looking for an army green short sleeve polo shirt", + "i am looking for a long sleeved graphic shirt that is large in size", + "im looking for some usda organic chocolate bars", + "i need a dermatologist tested instantly warm clay mask- 1 count (6 masks)", + "i want a laundry bag for my blouse and hosiery", + "i would like a size a color f face cruelty free brush", + "i am looking for black leather 7.5 size and day comfort winter snow boots for women", + "need a projection screen that is ultra hd and is easy to install. im looking for black/white version with 113 size. aspect ratio needs to be 1:1 and pattern is projector screen + 6 white screen", + "i am looking for a high speed laptop wall charger of black color", + "you can help me find on the web mens guide gear cargo joggers sweatpants, jogger pants, straight leg and for a gift. size has to be medium", + "i am looking for a overall cover with tempered glass screen protector for my apple watch, preferably in rose gold color", + "i want a sound bar with stereo sound", + "i want 18 high quality hair extensions made with natural hair in color 882", + "i am looking for a solid wood dining table with a barn wood finish", + "i am looking for a vidaxl sheesham wood dining table of light brown color with coated steel for dining room", + "i am looking for a pound of instant coffee that is gluten free and english toffee", + "i use mostly natural ingredients for my skin in 10.1 fl oz", + "i am looking for a short queen (60 x 74) size memory foam", + "i am looking for a high protein and low carb beef snack stick. i also need it to be gluten free and be made of natural ingredients", + "im looking for mens swiftwater river relaxed fit sandal of size 9", + "im looking for large melinda slippers for women that have faux fur and rubber soles", + "i need some gluten free popped cheddar cheese snacks", + "i need a suction tool for removing dry, dead skin", + "i want to buy shades which are easy to install and have a color of cordless bottom up-blackout-white and with a size of 23w x 66h", + "i am looking for shirt of size 2x and having short sleeve", + "i want to buy a special himalayan salt diet seasoning pack, around 3 ounces and it has to be gluten free", + "i need a wireless amplifier with bluetooth", + "i would like some non gmo peanut butter that is vanilla flavored and is 0.85 ounces", + "im looking for an easy to install iphone 13 case with a colorful cactus pattern", + "i am looking for a chocolated covered candy having size 5 pound", + "i need to buy some rice cakes that are sugar free, fat free, low calorie, and low carb. they should contain whole wheat. get the pack of twelve", + "i need to buy a twenty foot high speed coaxial cable", + "i am looking for a sweater that is machine washable in an xx-large and is in the color 22", + "buy me ten pounds of low calorie coconut water", + "i am looking for stainless steel hair cutting scissors of 7 inch size", + "im looking for spy wax it was making for candles", + "i would like a makeup palette that is easy to clean and is red", + "i need 4 vanity light sconces for my bathroom wall that are modern and easy to install", + "i am looking for contemporary design polyester fabric storage ottoman bench with legs in white color", + "i need a 35-quart top mount pullout kitchen waste trash container easy install bin for 1.63 inch wood frame cabinet", + "i am looking for sandals for high waist women with rubber sole and it color is black 4 and size is 7.5", + "i need straight leg and fleece lined chef pants. it should be gray in color", + "im interested in a rose gold makeup mirror that is double-sided and easy to carry", + "i need a soap that is for sensitive skin and that comes in a pack of two", + "i want a abstract wall art with the boho color", + "im looking for a pair of stainless steel barbers scissors for cutting hair", + "i would like to buy a pencil backdrop which is of high resolution, it is easy carry, and has a size of 6x4ft-vinyl", + "i am looking for a dome cameras of 1080p hd", + "i want to buy foundation for mattress set which is ready to use and fully assembled", + "i would like a 2xl khaki cardigan that is machine washable", + "im looking for hollister festival nite men spray", + "im looking for a comfortable pair of mens jeans. they should be shadow black and slim fitting", + "i would like a 8 ounce pack of non gmo pecans", + "im looking for lactose it made for sugar cup packets", + "im looking for a 1.2 ounce bag of freeze-dried strawberries and bananas; they must suit my low-calorie, fat-free diet", + "high quality butterfly hair clip for women", + "i want to find a six-pack of 4-ounce bottles of vegetarian, gluten-free smoked sea salt", + "i would like to have a youth extra small red t shirt that is made of heather cotton", + "can you direct me to an android tablet that has outstanding performance? id like a gold one please, and its 10.1 inches", + "im looking for a machine washable mens shorts made of nylon spandex stretchable fabric with imported zipper. also choose 32 sized dark ash colored one", + "i want x-large polyester spandex romastory women fluorescent yoga pants", + "i am looking for a short sleeve deep v neck solid color crop top", + "im looking for a white case for iphone 12 with american flag printed and wireless charging", + "im looking for a pair of sweatpants with a drawstring waist in space grey. i need them in size large", + "i am looking for a artisan gold color flipflop having rubber sole", + "looking for the 2021 release of ring video doorbell 4. it has 1080p, motion detection options. floodlight cam wired plus option. prefer white in color, but accept black", + "i am looking for itch relief balm for sensitive skin", + "i am looking for a red carbon fiber faceplates, protectors & skins with high resolution", + "im looking for a refillable lipstick bottle that is easy to carry and non-toxic", + "i am looking for a hair color of lime light color having argan oil in it", + "i need a long lasting cell phone that is 128 gb", + "i would like to buy vitamins which are non gmo, and gluten free, and they should be organic womens gummy kind", + "i need fruit snacks are that are both fat and gluten free", + "i need an easy to carry pair of monoculars that are standard", + "please buy an office desk chair with lumbar support in green", + "i am looking for eye shadow that is a soft brass color", + "im looking for a non slip spotting scopes for bird watching", + "zahara brought a cup of green tea", + "i need a high quality gomu 500 pack - 2 oz / 60 ml clear refillable flip top pet plastic travel bottle container", + "i am looking for black color long sleeve bodysuit for women", + "i need x-large handyulong womens high waisted ripped jeans", + "i am looking for size 9 womens fashion sneakers with vinyl acetate", + "i need a set of 4 dining chairs for my dining room. it should be light grey in color", + "i am looking for protein bites by protein power ball organic plant based pumpkin protein powder ideal for healthy, on the go nutrition for men, women, and kids. usda organic, vegan, gluten free, dairy free, lactose free, low net carbs, no added sugar, soy free, kosher, non gmo, carrageenan free, and no artificial ingredients 4.5 ounce (pack of 4) preferable", + "i want to buy a faux fur sherpa jacket in medium", + "i would like a versa3 furry beige black fitbit band that has a quick release", + "i would like some super soft throw pillow covers that are baby green and come in pack of 2", + "i need a camera case cover that is light green in color. it is for my iphone which is 11-6.1 inches in size", + "shop for a slim fit blazer in royal blue, size 42", + "i want 1080p hd hidden camera 32 gb memory recorder", + "i am looking for a plant based lip balm that is effective for dry lips", + "im looking for a blue power bank with a usb port and wireless charging", + "i am looking for a oil free c3 creamy natural color face foundation", + "i am looking for a 10 foot high speed coaxial cable", + "i am looking for icelandic yogurt that is rich and creamy", + "i am looking for skin care in hyaluronic acid", + "i would like to buy face moisturizer suitable for women which is cruelty free and serves for anti aging", + "i am looking for a 25 pack of micellar makeup remover wipes that are sulfate free", + "im looking for a package of cupcake toppers for my brothers birthday party cupcakes", + "im looking for a vintage laundry bag for blouse hosiery", + "i want to find some hair growth oil that can treat dry and damaged hair. it must have long-lasting effects", + "i have a request for you. mens wrangler 13mwz cowboy cut original fit jean, comfortable fit. i hope you find this gift for my boyfriend who has a birthday the size is size: 38w x 29l, and the color atlanta. i look forward to your return as soon as possible", + "i need plastic hair masks for my hair salon", + "get me some machine washable stonewash jeans", + "i want to find a blue toothbrush that can help me take care of my oral hygiene", + "i am looking for a heavy duty rca cables", + "i would like some relaxed comfortable fit jeans", + "im looking for a white, pu leather office chair that offers good lumbar support", + "i would like a 44 by 108 inch round new clear table pad for my dining room", + "i want a cordless noise-cancelling phone system with volume control and dual keypad. pick the black one", + "i need bear head cupcake toppers for a birthday party", + "i want blue chamomile scented deep hair conditioner that has tea tree oil, is sulfate free and weighs six ounces", + "i am looking for high fructose chocolate bar. please choose peanut butter flavor", + "im looking for a target reflections buffet", + "i am looking for a gluten free, non gmo granola loaf, about 2.5 pounds made by bakery on main. prefer either cranberry almond maple or cranberry cashew. most likely in the grocery/gourmet foods aisle", + "i would like chocolate that is individually wrapped and are fun sized", + "i need a stainless steel watch with a blue camo top", + "i would like a pair of size 7 black sandals that are non slip", + "i would like a pair of pants in a size 7 that are machine washable and a tartan color", + "i am looking for star wars large size navy color bounty hunter wrap around logo raglan baseball t-shirt", + "i need a four seater sofa set in contemporary style. pick something in brown white color", + "i am looking for individually wrapped bakery gifts", + "get me an extra extra large mint green g-string. make sure its machine washable", + "i am interested in a round area rug that is turquoise and ivory and 6 ft by 7 ft long", + "i am looking for an ombre pink dust proof keyboard skin", + "find a leak proof bag", + "i want a 2xl black short sleeve shirt", + "id like to find a 2-pack of 16 ounce bags of chocolate covered cherries. ideally the flavors will be variety white and imperial", + "i need 10 inch hair extensions that are a medium brown", + "i want to find a pair of brown loose-fitting mens pants in a medium size", + "i would like a 12x20 grey throw pillow cover that has exquisite sewing and technique", + "im looking for a surge protector that is black and offers usb ports", + "i am looking for 12 inch size women hairpiece for my damaged hair", + "i need a yellow home office chair that is easy to assemble", + "i am looking for high speed vr headset of size 10ft", + "i am looking for a high definition 100 watt in wall volume control knob", + "i would like a 7 pack of 1.23 ounce gluten free barbecue chips", + "im interested in some machine-washable, mens x-large, low-rise briefs in black with an elastic waistband", + "i am looking for wrangler mens 13mwz cowboy cut , comfortable fit (big & tall ) jean with size 30w x36i", + "i need a 10 foot high speed tnp hdmi cable left angle", + "i would like a pair of size 5.5 stone birko sandals with arch support", + "i want individually wrapped lemon bar cookies", + "i am interested in closed toe muels that are blue and size 10 narrow", + "i want a nourishing hair treatment that is sulfate free", + "i am looking for an xbox compatible vinyl skin that has a black carbon fiber design", + "im looking for an extra-large womens swimsuit that is moisture-wicking. it needs to be green", + "i want 81 medium ash blonde color hair dye", + "im looking for a ostep decor custom table cover", + "i would like a 2.5 ounce bundle of blueberries that are usda organic", + "i am looking for dual band computer windows in 16gb ram 512 ssd", + "i am looking for non slip chair pads that are chocolate and come in an 8 pack", + "i need individually wrapped gluten free oatmeal chocolate chip cookies that is plant based", + "i would like a pack of raisin challah bread that is gluten and soy free", + "i need a white living room statue", + "i am in need of high protein gluten free jaipur millet & lentil, 2.3 ounce (pack of 8)", + "i am looking for pistachio padishah xl flavor desserts containing artificial flavors", + "find a 1 pound bag snowy river holiday cocktail sugar - all natural festive cocktail rimmer gluten free, non gmo, i want to make a good impression on guests", + "i want to buy the rattan wicker sofa set with machine washable burgandy cusions", + "im looking for the hyaluronic acid it was non-toxic acid. it contains petals", + "i need green loose fit zincoty womens lace stain solid lounge set", + "i want 4 pack of old fashioned sophia italian crackers", + "i am looking for a water resistant minimalist shoe with rubber sole for a man. also choose storm navy color and size no 9", + "i want a pack of 2 32 fl oz original sprout classic shampoos that are non toxic", + "i need a speaker wireless with usb port in green color", + "i need to buy a roller shade thats easy to install in my living room. get the mocha color, 79 inches wide", + "i need a 52 x 84 x 2 panels window curtain for the living room", + "i am looking a box of non dairy coffee creamer singles. go ahead and get a 50 count box of vanilla", + "i need daily casual and gym workout large size yoga pants with classic dark gray color and special size- 02 sweatpants", + "i need a wood sculpture or a statue of a casual woman for home, living room, or wine cabinet", + "i need a set of two barstools. get the thirty inch black ones with the metal legs", + "i want black fine mist spray bottles", + "look for an eay to use android cell phone that has 128 gb", + "i am looking for high speed 4k hdmi cable of 6 feet.i need 80 pcs", + "im looking for make a decor products for living room. the color blackout light grey", + "i want special glass soy wax scented candles", + "i am looking for a plant based condition that has olive on it and is 10.8 fl oz", + "i am looking for a gold plated high speed 75 foot hdmi cable", + "i would like a pair of size 8 shoes with a leather sole", + "i need milk chocolate covered peanut butter block", + "i am looking for a dermatologist tested liquid makeup of chestnut color", + "buy a flat-packed nightstand in marble black with a white frame", + "i want a 2.5 pound pack of sugar free candies", + "i am looking for sneakers for teen girls walking shoes with ankle strap , size 8.5 and also z4-blue color", + "i need a digital photography background that is lightweight, easy to carry, and 8 by 6 feet in size", + "i am interested in buying a 13.5 inch intel core i5 processor based tablet which has a usb port", + "i am looking for women hair removal rechargeable razor. please select white color", + "i need some high quality covers for a massage bed in my beauty salon; its 71 x 24 inches and id prefer the c colour", + "i am looking for a intel quad core i5 desktops", + "i want to find toothpaste that helps whiten teeth and kill bad breath", + "i am looking for a c type super fast charger for my samsung galaxy s21 mobile", + "im looking for a tipplemans barrel aged cola syrup ", + "i need some easy to install 76 inch blinds for my living room. look for them in light grey", + "i need a ten pack of male to female hdmi cables that are three feet long, high speed, and gold plated", + "i am interested in knee high shoes that are black", + "i like soy wax in freesia & gardenia", + "i need a wifi ip surveillance camera and stainless steel waterproof junction box with external speaker", + "i am looking a green tea shampoo have anti hair loss and for good hair growth moisturizing -for normal dry scalp", + "i am looking for a large size nylon spandex breathable underwear with elastic waistband ", + "i want a red office chair ergonomic gaming chair with lumbar support", + "i would like a six boxes of 20 individually wrapped caffeine free tea", + "i need a 13 ounce lavender cr\u00e8me hair removal wax by gigi", + "i am looking for a small short sleeves gaiters", + "find a sneaker for men with outsole rubber and rubber sole size 4 color in black or white", + "im looking for certified usda organic black tea bags. i need a 20 count box", + "i need 16 cups of gluten free organic hummus in black olive color", + "i am looking for wireless bluetooth speaker", + "i am looking for a wallets of blouse hosiery and laundry bag", + "find me a lead free, eco friendly, long lasting candle. i want the fragrance to be cinnamon delight", + "i would like to buy size 7.5 walking shoes for men which are machine washable and have a rubber sole, as for the color i prefer to have them khaki", + "im looking for a daily casual wear gym shorts with elastic waistband for men. also, choose small, army green colored one", + "i need queen size turquoise color fluffy faux fur duvet cover set", + "i want to find a small green lace pajama set for daily wear", + "i am looking for a vinyl home office chair that has lumbar support and has a mesh back with synchro-tilt", + "im looking for buy a chocolates and candys gits for valentines day a perfect gift", + "i would like six individually wrapped dessert gifts", + "i would like a brush set for synthetic hair", + "im looking for fine mist body spray fragrance it produces continues stream of water", + "i am looking for queen size , super soft terracotta comforter set with 2 pillowcases and its color is 2-white chevron", + "easy application hair filling in black and brown color", + "i am looking for a leakproof travel bottle . and i choose the one with keychain", + "i am looking for lace closure men sneaker. please select 16 size", + "get me the 2 ounce 24 pack fig bars. it should be non gmo and plant based", + "im looking for a blanket with a shark tooth printed in 60x80", + "id like to find a 3-pack of male to female high-speed hdmi cables. ideally these cables should be 12 feet long", + "i need a paraben free blow out mist serum", + "find me a yellow quick drying sarong wrap", + "i am looking for refurbished bluetooth speaker", + "i am looking for a 1 pound quality ingredients of herbal tea", + "order a high waisted skirt in a size small. get the plantation colored one", + "i am looking for a large, grey, mens pullover sweater with an elastic waist", + "i am interested in a black shirt that is short sleeved", + "i am looking for some grey anti slip flats that are 8.5 in size", + "i want dell optiplex 7050 tower desktop with intel core i5-7500", + "i need a high resolution decal sticker skin for my ps4. it should be long lasting", + "i want a set of 2 coffee bar stools which has height adjust ability in it", + "i would like a navy medium short scrub bottoms with a relaxed fit", + "i want a 5 ounce hotter n hot jalapeno kosher certified chips", + "im looking for cholate covered cookies for valentines day to gifted for my partner", + "id like to find a plastic body brush with a long handle that can slough off dead skin", + "im looking for hair extensions for wigs and hair care", + "i want black skechers sport womens dlites memory foam shoes", + "i would like a black dual band repeater", + "i need shell colored and oil free revlon colorstay liquid foundation makeup", + "i am looking for a single pack 6.6 ounce size low calorie chocolate", + "im looking for a 2 pack of sea salt in a resealable bag and gluten free", + "get a 2 pack of all natural steak seasoning, please", + "i am looking for a beard oil that will help stimulate hair growth", + "i want a dark black xfyele 20mm quick release watch band", + "i need machine washable pillow covers. it should be in turquoise blue", + "i want brown pgojuni womens open toe booties", + "i need a mid century faux leather ottoman in walnut brown color", + "i looking hair styling fine mist sprayers refillable bottles color :pink", + "i would like a b-pink bomber jacket that has a relaxed fit and is a size small", + "i want a twin xl long lasting memory form 6 in mattress for bed", + "i need a pendant light wall fixture for my bathroom. it should have a bronze finish", + "im looking for the wall arts for hanging through the wall to the living room and dinning room", + "i want to find a white security camera system that produces high definition footage", + "im looking for a french vanilla zero calorie and zero sugarand flavor stevia energy", + "i am looking for living room in celosia orange", + "find the officially licensed top of the world fit light heather arch mens crew neck sweater. my son wants it with the team name: wisconsin badgers", + "i am looking for a nice faux leather couch sofa bed with metal legs for my living room. i want the black one", + "i am looking for a heavy duty protective case for iphone of color 2 in 1 red | black", + "i want to find hair extensions that are 12 inches long in a medium brown color", + "looking for dual band output protection ac adapter", + "id like to see double sided box spring mattresses", + "i am looking for video recording camera that is easy to use", + "i would like a slim fitting button down shirt in an x-small that is light blue", + "i am looking for a plant based peppermint scented soap", + "i am looking for a 0.07d-15mm size cruelty free false eyelashes & adhesives", + "i need a clear, eco-friendly 6.7 ounce spray bottle", + "i need a shampoo set that is sulfate free and is 16 fl oz", + "i would like some low sodium spice gifts for some friends", + "find me twin sized bunk beds made of solid wood. it should be espresso colored", + "i need 6 packs of bombay biryani easy prepare seasoning mix flavored punjabi yakhni pilau", + "i want solid wood espresso color queen size bed from modus furniture", + "i need long sleeved pullover shirt for teenage girls. pick something in small size", + "i would like a mint green size 6 dress thats light weight to wear", + "i want size 7 ankle strap in metal", + "i want some hand cream for dry and sensitive hands in a grapefruit scent", + "i want a size 8 pink high heeled shoe with a ankle strap", + "i need a skincare product that will help with the dark circles under my eyes", + "i am looking for a long lasting hair color that is light brown and comes in a pack of three", + "i want unscented sunscreen lotion for dry skin", + "i am looking for dried fruits in artificial colors with size 8 ounce", + "i am looking for restore & repair oil.which is effective for anti aging", + "i am looking for fragrance free lotion for dry skin", + "i am looking for a lead free limoncello scented jar candle that uses soy wax", + "i want red bull energy drink sugar free", + "i want to buy some pink wireless bluetooth speakers that can switch between pairing and aux by the call button", + "i am looking for twin size twin over pull out bunk bed with trundle and drawers, also grey color with slide", + "i am looking for a rose gold cartridges & refills for hair salon", + "i am looking for the perfect girft of fruit and nuts", + "i would like a rose gold cupcake topper for a birthday cake", + "vegan beard and stache balm paraben free", + "buy me a twenty ounce pack of low-sodium everyday seasonings", + "help me purchase a high definition digital tv antenna with coaxial cable and easy to install", + "i need black colored shoes with arch support", + "i would like a mahogany bronze pendant with frosted glass for my vanity light", + "i am searching for a motion detection security camera", + "i need jade johnny mbj womens casual comfy wide leg pants in size medium", + "im looking for a royal 14 plus denim shorts butt lifting", + "i am looking for deep moisturizing shampoo for extreme damage hair .advanced formula of micro nutrients to generate moisture inside the hair repairing chemical damage and color damage from the inside out; locks in nutrients and hydration needed to keep hair strong and bouncy. the truss ultra hydration plus shampoo for dry hair", + "i would like some 10 inch high quality hair extensions", + "i need a 64 fl oz sugar free bottle of peach chipotle davinci gourmet cake batter syrup", + "i would like a 4g lte tablet with a high resolution", + "im looking for long-lasting anti-perspirant that is unscented", + "i am looking for a universal remote control with the aaa batteries included", + "im looking for vanilla flavored chai tea mix thats sugar free, non-gmo, and gluten free. look for a pack thats around six ounces", + "i am interested in earth tone blinds that are easy to install and are 43 by 56", + "please find me a gluten free coffee creamer", + "i am looking for combo pack b, low calorie, sugar and fat free cakes weighing 2.6 ounces in pack of 12", + "i am looking for antislip shoes that are a 6.5 for women", + "i am looking for 36 dirt bike themed cupcake toppers for a birthday party", + "im looking for a maple bacon gluten free with natural flavor, flavor pure orange and size 2 fl oz 24 pack", + "blue color simayixx baby toothbrush made of silicone", + "i am looking for highly pigmented lipstick in seine sunset color", + "im looking for fragrance for mens its for long lasting", + "look for some high quality stainless steel hair cutting shears. they should be seven inches and made out of stainless steel", + "i want to find a 100-foot long high-speed ethernet cable in an off-white color", + "i want to buy wall art decor which is high gloss and suitable for dining room, and the color of which is sword, b", + "i need a casual short sleeve small size flowy dress. also d-sage green one", + "i would like a medium sized classic fit tank top for a girl", + "i am looking for a wall sconce with a nickel finish. please make sure that it has a vintage brass color and is mini pendant styled", + "i need a meadow faux wrap midi dress in size 10 that is easy to dry clean", + "i am looking for a t-shirt with funny bigfoot yeti asaquatch for fit type: men in the color of slate with large size", + "get me 6 bars of gluten free low sodium 0g trans in flavor of dark chocolate nuts & sea salt", + "im looking for easy to apply, high quality hair extensions in medium light brown", + "i am looking for outdoor speakers of 300w and with powerful bass", + "i need a grey or light blue colored area rug that is suitable for my living room", + "gluten free meatballs", + "id like to buy some machine washable drapes for my living room. look for multicolored drapes that are one hundred and four by sixty-three inches", + "i want a black galaxy a71 from simple mobile which has a 128 gb storage and supports fast charging and 4g lte", + "im looking for skin care for lip care products want to buy", + "im looking for soy wax for making candles", + "looking for slim comfortable fit mens jean also choose colour black chocolate", + "im looking for gluten free and low calorie tasty apple strawberry flavored apple sauce snacks- 3.2 ounce (pack of 4)", + "i would like a box of rubine hair dye", + "i am looking for a pack of 4 non gmo flatbread crackers that are sesame", + "i need adidas pants for men with elastic waist , black | team royal blue | vivid red , model tiro track", + "i want to find a gray twin-sized daybed with a trundle made out of solid wood", + "i need window blinds that are easy to install that have a java brown light filtering", + "im looking for tempered glass for phone accessories the color was black and need to buy it", + "i am interested in buying a black colored loose fitting medium sized workout pants mainly for gym workouts", + "i am looking for a good hair salon", + "i would like a glass screen scanner", + "hello, i would like a gift set of chocolates with peanut products in it? preferably dusted chocolate toffee flavor", + "i would like to get some size 10 red pumps with a rubber sole", + "i would like a blue mascara brush that applies easily", + "im looking for high-waisted lace womens lingerie in red. choose the x-large size", + "i want black womens open toe ring sandals", + "i would like to buy shea butter, which should be cruelty free product and for dry hair", + "i would like a wired 8 cam motion detection surveillance camera", + "i am looking for 2 grey dining room chairs with metal legs", + "i would like a 36 mm tube stainless steel tripod", + "im looking for sulfate and paraben free conditioner", + "i need a display usb port for 1080p hd to hdmi. pick one that is 10ft", + "i am looking for a high power binocular for watching the birds ", + "i would like a 1 pound white chocolate covered bag of coffee bean", + "i need 3 packs tempered glass that is lcd compatible for canon eos 1500d 1300d 1200d models", + "buy me a pair of extra small mens sweatpants with a drawstring closure", + "i want interestprint womens running shoes with vinyl acetate in size 15", + "i am looking for a 180w x 5 power amplifier", + "i would like a white full size stairway bunk bed with a steel frame", + "i want a body brush nature boar bristles back scrubber for dry skin", + "i am looking for a grain free pumpkin bread mix", + "i am looking for 4 packs of fat free chicken meat", + "i need some area rugs for the living room that are ivory and grey that are 23 by 12/", + "i used herbal magi shampoo for hair growth", + "id like to buy a black bullet camera with motion detection", + "i am looking for small sized sweatshirt. it should be machine washable", + "i want a package of individual wrapped granola bars. look for the peanut butter chocolate chip flavor", + "i am looking for stainless steel hair removal tweezers", + "order a three pack of high speed coaxial cables, please", + "i am looking for certified organic herbal tea which is caffeine free", + "i want a white machine washable mardi gras festival costume", + "i need a large 3-wick bucket mult-color floral print soy wax candle for summer", + "i want an ivory modway solid wood 6-piece sectional sofa", + "i would like a heather blue mens size 4t t shirt with a needle sleeve", + "i want to buy a bronze wall scone with a bronze finish also. i would like it in the large size", + "i would like a gold birthday party cupcake topper", + "i am looking for a travel size fresh linens impression fragrance body oil", + "i am looking for a silver water and birch style of anti perspirant deodorant", + "i am looking for a non toxic green color temporary tattoos", + "id like to find 3.5 ounces of ultrafine, fluorescent yellow glitter for my nail art", + "im looking for a carbon fiber iphone 11 case, preferably the red color", + "i am looking for casual rubber sole hot pink 7 color running shoes for women, 5 sized", + "i would like 10 pounds of chocolate covered nuts", + "i would like a non-dairy coffee creamer that is the cinnamon vanilla cream flavor and that comes in a pack of three 150 single servings", + "i want low fat cajan pit-smoked beef jerky", + "looking for high gloss contemporary night stand with stainless steel base and handles also choose colour white", + "please get me an ac adapter with output protection", + "i am looking for a busy raising ballers softball tank top for mom that is 100% cotton heather that can be washed in a washing machine.should be large in size and dark in colour", + "i would like a pair of size 5 leather oxfords with a synthetic sole", + "i want a 125 digital power audio amplifier board", + "i want a pink bpa free ice roller for face and eye", + "i am looking for a hand decorated valentine day cookies gift set. it should be perfect", + "i am looking for an 8 ounce bag of freeze dried strawberries and bananas", + "i am looking for a heavy duty 25 foot 7.6 meter toslink optical cable", + "im looking for some temporary hair chalk for my teenage niece; it should be easy to apply to dry hair", + "searching for a galaxy s21 ultra 5g factory unlocked android smartphone using 128gb, us version that is easy to use, either in color of phantom black or phantom silver with the added features of pro-grade camera, 8k video, and 108mp high resolution made by samsung", + "alex evenings a-line womens long dress is what i want to buy today, with hood draped in the back, help find this model in dark plum, hand wash", + "i would like a water resistant usb flash drive that has 32 gb of storage and is a05 color", + "i am looking for a black | silver color noise cancelling audio & video accessories", + "i am looking for a heavy duty line beige color massage chair", + "i want to find a small pair of mens pajama pants thats officially licensed with the joker", + "i am looking for a 2 ft 3 in (10 ft) rugs and pads for my living room that is more beautiful for my dining room also. and i choose dark grey color", + "i am looking for no artificial flavors or preservatives and is non-gmo healthy snacks compatible with keto, vegan, vegetarian, gluten free and low carb diets, gimme\u2019s organic roasted seaweed superfood in teriyaki flavor. pack of 12 0.17 ounce preferable", + "i need to find a sugar free, fruit flavoured powdered drink", + "im looking for a large, rectangular storage ottoman made out of faux leather", + "i am looking for a paraben and bpa free cinnamon colored natural tooth gel", + "i need some rose gold cosmetic bags", + "i am looking for heavy duty 4 inch shelf brackets that are easy to install", + "i would like a 6 pack of 5 count boxes of gluten free peanut butter fudge crisp bars", + "i would like a youth size 3t dark heather cotton t shirt", + "need me an electric blue, gluten free cake color gel, 1.06 ounces", + "im interested in a variety pack of veggie snacks that offer vitamins, but not artificial flavors", + "i want green tea scented brickell mens morning face care routine", + "i am looking for a 15oz white jar candles", + "i need a pack of variety ranch nacho flavorings with low sodium and natural ingredients", + "i am looking for a folding mattress of size 90cm\u00d7190cm for my living room", + "please find me a heavy duty pvc table cover protector that is about 36 x 60 inches. ideally, it should be waterproof and easy clean", + "i am looking for a twin size bed that has storage. pick a cherry color", + "im locking for a open shelves high gloss entertainment center media console", + "i need size 8 closed toe sandals with arch support. it should be in beige", + "im looking for a skull king barber cape with hook sucker", + "i am looking for a 2 pack of fresh breath whitening toothpaste", + "im looking for a mens blue slim fit short sleeve shirt in size small", + "i need a 26 x 16 and blue grey octopus pillow cover that is machine washable", + "i am interested in grass fed jerky that is chili lime", + "i want navy and water resistant havaianas womens flip flop sandals", + "i am interested in a pink high definition portable bluetooth speaker", + "i am looking for valentine day gift basket with luxury gold leaf hand cream, handmade freshly baked treats like variety of brownies and decadent cookies", + "i am looking for multi colored glass window film that is eco friendly. the installation process should be easy as well", + "i need a bikini that is low rise and quick drying, in a size small", + "i am looking for outlook sneaker rubber sole in navy light blue", + "i want an american flag aomike flannel fleece throw blanket", + "i am looking for feather color jogging pants having elastic waist", + "i want a blue apple watch case with glass screen protector", + "i need a easy to clean hair extension", + "i want candy bags for a halloween party", + "i am looking for a 9 ft. x 12 ft area rugs for living room", + "i need chocolate chunk cookies for my gift basket", + "i trying to find a apple 7 watch screen protector with high defintion", + "im looking for gluten free it has high protein it contains healthy", + "find me a wall sconce with a nickel finish and a glass shade", + "im looking for an aluminum alloy, ultra hd hdmi cable that is designed for plug and play", + "i am lookin g for a nut free, gluten free cake toppers", + "im looking for stretch jeggings for women", + "i want a recliner sofa for my living room and it should have storage space", + "i need an extra-large multi-colored set of machine-washable mens pajamas with an elastic waistband", + "i am looking for 12 pack case for apple watch 38mm series 3, 2, and 1 with tempered glass screen protector. it may be better to have waterproof, shockproof, impact resistant protective and in all the colors", + "i am looking for starkist gluten free sweet & spicy tuna salad, 2.6 ounce (pack of 12)", + "please, look for a couple table lamps for my living room, elegant and finished in wood. also look if a black hardback shade model is available", + "i am looking for a 12 feet high speed 4k hdmi cable compatible with apple tv", + "i am looking for a 63 inch wide by 72 inch long white curtain for my living room", + "im looking for a large pink travel makeup bag thats not only high-quality but also easy to carry and clean", + "can you help me find a pair of womens high heel sandal with a rubber sole? i want bubble pink one and size 11", + "im looking for gold plated grey usb cables", + "i am looking for a rich creamy instant coffee of hazelnut flavor", + "am actually looking for a twin size loft bed with slide, gray color with headboard", + "i want a majestic pure argan oil hair mask", + "im looking for a three count package of long lasting, brown hair dye", + "i am looking for a gluten free, 100% vegan plant based protein shake that is soy-free", + "i need usb cables that have fast charging capabilities", + "i want baralonly non slip slippers in size 9.5 for men", + "i am looking for a pacific northwest raspberry flavored syrup that has quality ingredients", + "want to buy some peanut butter flavored cereal that is grain free and keto friendly. it needs to come in a 9 oz pack of four", + "im looking for a living room light set. i want the one in gold with three lights", + "i need one pound of kosher echinacea", + "i am looking for brown color, sleeveless polyester cotton jumpsuit and size is large", + "i want to find a black ergonomic office chair thats easy to assemble and offers lumbar support", + "i want xx-large fabiurt loose fit plus size tops for women", + "i am looking for x-large size socks that contain cotton spandex", + "i would like a 4 ounce volume plus hair care bottle thats made from natural ingredients", + "i am looking for a light weight jumpsuit which is washable in machine. also choose medium size and teal color", + "i am looking for a high quality eau de toilette spray for women", + "i am looking for 1 pack of 1.7 ounce ,anti-perspirant stick for women", + "i need a box spring bunk bed. pick a grey one with slide", + "i would like a quad intel core i5 desktop tower", + "i am looking for modern gold round(vintage) and exquisite workmanship desk table mirror", + "i am looking for a 10x6.5ft backgrounds for digital photography", + "i would like a pair of 33 wide by 32 long standard signature medium indigo jeans with a relaxed fit", + "i am looking for a pack of powder blush that can be applied easily . and i choose the pack of 3 with soft sable color", + "order for me a black marvel men\u2019s t shirt that is made of cotton heather", + "i want a 9 pack of hairrebirth herbal spray for hair loss", + "i am looking for a mens jacket in down that comes fleece lined, and i would like it in green and standard size", + "find me some low-fat jerky in a resealable bag. id like the teriyaki flavor", + "i want silver beaupretty mirror nail polish", + "i want a nikon coolpix a1000 compact digital camera with optical zoom", + "i am looking for multi purpose for face in charcoal", + "i am interested in buying mens and womens clog shoes which have ethylene vinyl, and are in black color, also i am interested in sizes 14 for women and 12 for men", + "id like to get coaxial cables that are plated with gold", + "im trying to find an 8 oz bag of sprinkles for a birthday party", + "i want a oil-free concealer for dark circles for medium color", + "i am looking for a caffeine free raspberry ice flavored drink mix", + "i need a cell phone case with the flash design and compatible with apple phones", + "i am looking for a fast charging charger in mystic navy color", + "i am looking for a hair loss shampoo for damaged hair", + "braided synthetic hair bundle", + "i am looking for a heavy duty 25 foot 7.6 meter toslink optical cable", + "i would like a alcohol free fragrance", + "i\u2019m looking for a mini dual band desktop computer that supports ultra hd and has at least 16 gigabytes of ram", + "im looking for a 10 pcs jinxiao snowflake glitter cupcake topper", + "i am looking for a legacy grenadine colored mens dress shirt that is machine washable", + "im looking for a light weight fashion designed pure cotton mens briefs. also, choose medium sized b gray colored one", + "i need to get a new photography background. pick out the one that is 2m in diameter", + "i am interested in some toothbrushes that are easy to use and are either pink or blue", + "i am looking for gluten free pride of india brand lentil crackers in the plain mung bean flavor", + "i am looking for a coconut refresh flavor sports drink that is sugar free", + "im looking for a set of two electric wall sconces that are hand painted with a bronze finish", + "i would like double sided throw pillow covers that are scarlet orange and are 20 by 20", + "i am looking for mens jacket of white-01 color having short sleeve", + "i need super soft throws that have butterflies and are 30 by 40 inches", + "help me find some hand crafted gourmet crab stuffed mushrooms. i need about 36 appetizers", + "i want 4 pcs of bpa free oral hygiene tongue scraper for fresh breath", + "i am looking for a 2 pack of ready to eat turkey", + "im looking for a highly pigmented green body paint", + "get me a pair of grey nylon spandex stretch pants", + "i am looking for a pair of western ankle boots with a pointed toe and fringe", + "i would like some non gmo watermelon fruit snacks", + "i would like an oil free foundation in the shade 175 natural ochre that is one ounce", + "i would like some non gmo strawberries that are 2.5 ounces", + "i am looking for a tabletop decorative mirror size 60cm /24inch for my living room", + "miss jones baking organic buttercream frosting is my favorite ! please i want dairy free, soy free and pack of 2 with great value", + "i am looking for a new balance mens sneaker for daily comfort", + "looking for freeze-dried raw flavor beef size 3.5 oz grain free", + "i am looking for a pair of womens size 5 athletic sneakers with a rubber sole", + "i would like a l5538-1 nail tip that is easy to apply", + "i would like a high def monocular for bird watching", + "i am looking for a paraben free body wash that has a pink lemon and mandarin orange style", + "i am looking for hair cutting scissors in a storage case and should made of stainless steel", + "i want to shop for a plug and play car radio receiver", + "im looking for a tower pc with a high performance", + "i need rich, creamy coconut biscuits", + "i am looking for distressed gaelic label short sleeve t-shits", + "i need a black winter warm pair of boots that has arch support. pick a black on in size 8", + "i am looking for non gmo, gluten free, soy free , plant based perfect chicken spinach pesto burger with size 4-pack", + "im searching for long spaghetti straps satin ball dry clean gown .its size is 6, and lilac color", + "i want to buy some non-toxic bath gloves", + "i am trying wallscone light fixture i can use as a reading light in my living room. pick out one that is amber colored", + "im looking for a light pink long handle back loofah shower brush", + "i am looking for a black women\u2019s loose fit tank top", + "i want to find a pair of blue mens work shoes in size 10. the shoes must be made of high quality materials", + "im looking for a mini dual band desktop pc that uses wireless bluetooth connectivity and has windows 11", + "polyester bag with trolley belt,", + "can you find me an easy to clean coffee table made out of solid wood and tempered glass?", + "i looking womens parfume travel size high quality long lasting scent: clinique happy heart impression", + "i want gluten free yummy earth organic fruit lollipops", + "i want some low fat orange mousse cookies", + "i am looking for loose fitting mens cargo pants with an elastic waist size 32", + "i am looking for a high quality nail polish of size 10x24", + "hello, im looking for a tuxedo suit thats slim fit and good for winter? size small, please", + "i have a kamiao printed tablecloth live laugh love which have a cartoon style line art figures stars, cubes, circles, hearts with multicolor round tablecloth which is an eco friendly and easy to clean. also, i have the size 36x36 and pattern19 color", + "i would like a laundry bag", + "i am looking to purchase bpa free containers with lids to use for storing beauty products and kitchen items. a 24 pack would suffice", + "im looking for a hdmi splitter 1 in 2 out auto scaling", + "i need a high quality human hair. pick a straight 3 bundle with closure", + "i am looking for gluten free, low fat protein chips , chili nacho cheese", + "im looking for some trader joes gluten free cornbread mix", + "i need a large high resolution photography background in 10x7ft", + "i would like a 0.5 ounce goan shrimp curry beans that are low sodium", + "i am searching for hand wash womens top sandalfoot pantyhose, size e-f", + "i want a ownest 6 colors matte crayon lipstick for sensitive skin", + "i want khaki knee high boots for women", + "i am looking for a wall mounted mirror for the living room", + "i am looking for a shadow box frame made from solid wood. also, i would like the size to be 10 by 10", + "find my-lady silk base top , updated 120% density remy human hair clip in fringe-free topper. it has to be this one and i will for sure cover up a friends hair loss. register the color : #18p613 so that the order is correct", + "looking for triple bunkbeds in wood for kids with space saving in white and with a twin bunk bed with trundle and drawers", + "im looking for a mens loose fit shirt in xx-large for daily wear", + "i would like a pink hair cutting kit that is easy to use", + "i would like a 5 shelf oak bookcase and mount for my living room", + "i would like a bronze wall lamp for my living room", + "i need a manual toothbrush for bad breath", + "i am interested in a contemporary style chandelier that is black", + "i need a pair of slip-resistant work boots in a size 8. buy them in black", + "im looking for gluten free which has a protein found in a wheat", + "i would like a 13 by 1.8 cm picture 6 case of fine mist", + "i want a 3 pack of dr. pawpaw multi-purpose balm for dry skin", + "i need to buy a four pack of fully assembled dining room chairs", + "im interested in a blue or gray high performance tablet that offers fast charging capabilities", + "looking for birthday party baby shower cupcake in colour blue", + "i am looking for a glass screen protector that is compatible with the 38mm apple watch case", + "im looking for fine mist it can the bottle continues the stream of water", + "loeffler randall paulina-ks closed toe leather sole", + "i need to buy a sky blue fire tablet for a child. it should have a 1080p screen and a blue tooth keyboard", + "i want to buy some mens construction boots with steel toe. they need to be slip resistant and size 15", + "i want a 16 colour eyeshadow palette higly pigmented high quality long lasting eyeshadow pallet matte", + "i need some easy to install lamp shades that are black", + "im looking for a digital power amplifier board thats high performance and has stereo sound", + "im looking for size 9 womens beach sandals that are non slip, quick drying and have a rubber sole. also, they should be silver", + "bluetooth headset for cell phones with noise cancelling in black colour", + "i want to get a three pack of lead free tea light candles", + "i am looking for a green solid wood chairs for living rooms", + "i am looking for a size: 20w x 64h roller shades white item which is easy to install", + "fast charging wireless headphones with waterproof and bluetooth 5.0 facility and 16gb mp3 player and also color is red", + "i need an easy to clean, easy to assemble computer desk. it should have walnut wood and metal legs", + "i want camile modern table lamps with a brushed nickel finish", + "i want to find a wireless bluetooth sound bar featuring blu ray", + "i am looking for a high performance 18 volt charger adapter for beats by dr dre", + "i would like a black pepper 3 ounce bag of jerky thats high protein", + "im looking for caffeine free for coffee and tea", + "i would like a mauve travel size cosmetic bag", + "i am looking for 3 foot plug play hdmi cable", + "i need a lightweight sweatshirt that is grey and in a small", + "im looking for gluten free it has contains high protein", + "i am interested in straight leg scrub buttoms in an x-large that are ceil colored", + "i want to find a monocular telescope for bird-watching that is 12 inches in width and 50 inches in height", + "i am looking for a medium long sleeve shirts for men", + "im looking for a 1 pound package of low calorie nacho cheese dip", + "i tore my walking shoes today and need new ones. id like you to buy me a new pair. my size is 16 wide and the only other thing i care about is that they are made of ethylene vinyl", + "im hoping to find a twin pack of hydrating body lotion thats cruelty free and certified organic", + "i want to buy a lightweight photography backdrop that has a print color 03 and is 9x16 ft", + "i need an orange faux leather office chair", + "im looking for a small womens solid color long sleeve v neck sweater that has a relaxed fit", + "i am looking for mens shirts of small size having short sleeve", + "i want a pair of black earbud headphones that are water resistant", + "i am looking for a green ottomans for living room", + "i am looking for a wireless bluetooth speakers", + "i am looking for dust proof monoculars having high definition", + "i would like a black shimmer kosher certified icing glitter", + "i need a light wash mid rise slim leg jeans that comes with button closure in size 27 for women", + "i am hair cutting tool hair clipper accessories color :silver head", + "i am looking for a valentine day gift basket for women from assortments & variety gifts category", + "i would like a extra large pair of ripped style a jeans with a wide leg", + "looking for a x-large in red slim fit pants for valentines day", + "i am looking for chocolate flavor milk chocolate for valentine day", + "i am looking for silver cake toppers for a baby shower", + "im looking for a high quality tea tree oil with basil scent. choose the ones that come in 10 ml package", + "i am looking for a travel size and alcohol free eau de parfum for women of versace dreamer impression scent", + "im looking for spa stainless steel tool for hair salon", + "i would like a 1.7 ounce bottle of natural curry leaf spice that is gmo free", + "womens like high quality and dark color make up accessories", + "i am looking for a sulfate free conditioner", + "i would like a 8 ounce bottle of scalp therapy spray made with natural ingredients", + "i am interested in flouride free mouthwash that is 1 oz", + "i am looking for poly-cotton in digital blue", + "i am looking for 25 ml fluoride free fresh truth toothpaste", + "im looking for a high quality anti-aging skincare kit for my dark circles and fine lines", + "find a granola pack with low sodium", + "i am looking for a high quality hair piece that is medium brown", + "i need a bag of valentine day candies full of 25 units", + "i need to buy an 104 square foot piece of eco-friendly synthetic turf", + "i would like a small yellow pair of shorts that can be machine washed", + "i am in need of some cupcake toppers that have a birthday party theme and is meant for a baby shower", + "looking for loose fit medium size casual basic tee shirts", + "i am looking for low carb, gluten free keto red velvet brownie cookies", + "im looking for 2 mesh laundry bags", + "i want a large white storage shoe bench for the entryway to my living room. please find one thats 63 inches in height", + "i am interested in a six inch red candle that is made of soy wax", + "i need a living room throw that is smoke colored", + "large size black 44410 color snowflake graphic flowy vintage loose tunic tops for women", + "i am looking for unicorn collection nail polish with glossy and matte top", + "please help me find a phoenix single cup and saucer that is made of bone china and is easy to clean", + "i want to find a gift set of soy candles that are eco friendly. the color should ideally be fresh linen", + "i need a long lasting non slip mattress. the size should be 1.2*2 meters", + "i want a stainless steel ronyme camera tripod screw", + "i want an alcohol and sulfate free perfume for women. look for the poised clean breeze scent", + "i am looking for revitalizing conditioner of size 1 pack used for hair growth", + "i need some xx-large boxer briefs that is also low rise", + "looking for high quality silicone body scrubber for sensitive skin also choose colour grey", + "i am looking for a small long sleeve t-shirt that is gray", + "i need to buy some purple blinds for my living room. find the ones that are 32 by 78 inches", + "i am looking for a storage benches for living room of espresso color", + "my skin included 0.4 size dark circle", + "i want a large summer o neck womens short sleeve blouse", + "i want a light gray and machine washable 100% blackout window curtain panel", + "i am interested in a rose gold compact mirror", + "i am looking for easy assemble white color beds", + "i need a 32 ct variety pack of cruelty free lip balms", + "i need a 25.4 fl oz paradise blend flavor syrup that has natural ingredients", + "im looking for a long sleeved mens hoodie in the size of small", + "i would like a remote control that has batteries included", + "i want a 2 pack of green tea & eggplant purifying clay stick masks", + "i looking a comfertable fit regular machine wash mens jeans size 32w*36l color :crest", + "i am looking for a homebeez round storage ottoman with button tuffs in beige", + "i am looking for a pair of womens size 5.5 flat shoes with a synthetic sole", + "i need a lightweight background for the photo studio that is 10 by 7 ft", + "i am looking high resolution high performance oneplus 8 cell phone having 256 gb storage capacity", + "i am looking for a 2.3 ounce (pack of 4) size of plant based, gluten free and non gmo side dishes", + "multifunction charger fast charging usb port", + "id like to find a medium-sized, long-sleeve womens maternity gown thats purple", + "i need ready to shake high protein mocktail which is lactose, soy & gluten free", + "i am looking for a xx-large size short sleeve e5-gray colored women blouse", + "i need lead free taper candles for my living room", + "i need an oil and paraben free shampoo for my hair. it should be 29.2 fluid ounces in size", + "im looking for a high waist shapewear leggings in heather charcoal color and in size large", + "i want a modern tall bookcase for my living room", + "im looking for some nail polish. i really need something that is burgundy, please", + "i want a long lasting remote control with batteries included", + "i want an easy to install curtain rod with a white finish. make it 36-62 in size", + "i am looking for a gluten free happy hamlet bacon salt gourmet rub", + "i need a warm winter coat for women with faux fur", + "i am looking for gluten free foodie spices", + "i need cupcake toppers for a birthday party that are in the color rg-50th", + "i would like a pair of size six fossil boots that are machine washable", + "i need pair of pink size 10 slippers with a rubber anti slip sole", + "i want to find hair serum that contains argan oil and treats damaged hair", + "i am looking for a paraben free lip gloss with vitamin e and aloe. choose the pink pearl one", + "i want a peanut butter cranberry toyou snack that is plant based", + "power cord cable outlet plug lead for fm stereo sound rider with output protection", + "im searching for a mustang island colored long lasting regular fit jeans", + "can you find me a bath scrubber for dead skin with a long handle? i want the one that is white with the bath ball", + "i need a tongue cleaner that is easy to clean", + "i am looking for a storage case in the color 1", + "i want to buy a 32-count pack of hand-crafted, chocolate dessert cups. they need to be gluten free!", + "get me a high-quality cosmetic bag with palm trees on it", + "i would like a pair of womens size 14.5 black work shoes with a steel toe", + "i am looking for a heavy duty spotting scope for bird watching", + "i need a clear fine mist spray bottle for essential oils which is easy to carry during travel", + "i need a bag that can carry my travel bottles", + "i want light pink clip in full head hair extensions", + "im looking for a iphone 13 skateboard wood case with glass screen. also choose real walnut wood-13 pro for iphone 13 mini", + "camera is easy carry and its high resolution photo are there ,also size:8x6.5ft", + "i am looking for slifm fit adidas womens essentials fleece tapered cuff pants in black color", + "i need a medium low rise thong that is yellow", + "i am looking for tea tree shampoo for natural hair", + "im looking for clothing has long sleeve it was dry cleaned it was ed in color", + "i am looking for easy to use thanksgiving themed cupcake toppers", + "i am interested in a contemporary style chandelier that is black", + "im looking for a portable bluetooth speakers with plug play and has usb port. also, choose mini mamba sized black colored one", + "im looking for a rich and creamy low carb ice cream. choose the ones that are best seller", + "i am looking for a beige twin sized bed", + "i need black colored natural hair extensions", + "i am looking for sego mono base hair topper with bangs 100% real human hair which creating the most lustrous and realistic natural effects, the hair extensions clip-in design makes it easier to wear. color platinum blonde-b in size 10 inch-130% density preferable", + "im looking for some 3 x large high waisted tummy control leggings in wine red polyester spandex", + "i would like a womens extra large heather grey cotton tank top", + "im looking for gym workout wear for daily wear uses", + "i am looking for a cruelty free and sulfate free eyeshadow palette. also choose naked cyber palette", + "i would like a brown phone case with tempered glass", + "find me a heavy duty wall plate that is 1-gang blank style", + "hello, i am looking for some cupcake picks, i want to use them on my moms birthday party", + "i want travel size cornucopia 1-ounce cobalt glass jars", + "i am looking for 20 inch natural hair extensions with a scandinavian blonde color", + "i would like a extra large green short sleeve t shirt", + "i need a square shaped area rug that is easy to clean. it should be in aqua color", + "id like to find a toothpaste dispenser that is not only non-toxic, but also high quality", + "i am looking for a high performance red speaker with wireless bluetooth", + "i need to buy a virtual reality headset with a carrying case", + "i am looking to buy an x-large short sleeve t shirt that is machine washable and a good workout shirt", + "i want easy clean high quality pink linens for beauty salon size :60*180 cm", + "i am looking for mens shoes that are of realtree edge color and have rubber sole", + "i want a color a cotton pad for eye shadow", + "i need gluten free kernel seasons popcorn seasoning, sour cream & onion, 2.7 ounce (pack of 6)", + "i\u2019m looking for a white window covering that is 72\u201d wide and 63\u201d long. also would prefer the covering had bears on it", + "id like to get wireless earphones that feature stereo sound. the color should be black", + "find me a gray mens button down work shirt that is machine washable but also gives me some tummy control. size x-large", + "i would like a triple chocolate gluten free keto friendly cake mix", + "im looking for jet black rug. the size should be around 6 x 10 ft and i want it to be very easy to clean", + "i would like to buy an amplifier that is easy to install", + "i am looking for standing bakers racks kitchen shelf which is superior strength and durability,with universal wheelswhich is easy to move it allow for easy positioning in the kitchen, multipurpose shelves rack in gold color preferable", + "i am looking for a low sugar granola bar that is soy and diary free. pick the pack of 3 weighing 10 ounces", + "get me the ten gram sample sized body glitter, but only if it hasnt been tested on animals, please", + "im looking for a rolling cart offering 3 levels that is made with a steel frame and is painted black", + "find me some light weight, noise cancelling headphones. i want the white and black ones", + "i would like anti-dandruff shampoo that is tea tree", + "i want a grey and easy to install naked eye 3d holographic projector", + "i need a valentines day candy box", + "i want a flower pattern fleece throw blanket", + "im looking for a two-ounce stick of anti-perspirant that will be long-lasting", + "select 1 unit toothpaste for sensitive teeth whitening corrector, enamel care", + "i would like a 5 navy futon mattress for my living room", + "in hunt for a paraben free, weave tea tree and borage seed oil scalp treatment soother oil serum for scalps in a 2 ounce bottle for wigs made by the sheamoisture company", + "i am looking for chocolate covered mint chip", + "im looking for 1 resealed bag of puffed snacks", + "im looking for black embossed rose shoes for womens and it will long lasting", + "i want a .63 ounce pack of 12 watkins organic gourmet dip mix. i want the salsa and sour cream flavor", + "id like to view a pair of machine washable regular type denim jeans for men", + "i need a media player that is easy to carry", + "i want open toe gibobby sandals for women in size 8", + "universal remote control with battery included", + "i am looking for a certified refurbished intel core mini desktop computer with windows 10 pro", + "i am looking for an eco friendly bookcase that has four tiers", + "i am looking for east west furniture dlt-ana-tp dublin dining table made of acacia ,a beautiful round dining table makes a cozy addition to any kitchen or classic dining room. the remarkable dining table which facilitates an affectionate family emotion. the frame of this dining room table which will increase the beauty of your living area. the wood table which gives high-quality style with a touch of class to add a powerful appeal. measurements of the great hardwood wood kitchen table length 42; width 42; height 29.5 in dmt-wbk-tp color preferable", + "i want a pkpower ac dc adapter charger for g-project with output protection", + "im looking for shoes for womens sandals and want to buy a black color", + "i am looking for a light ash brown mix bleach blonde hair extensions for wigs", + "im looking for some hair extensions. i want ones that are a medium brown shade", + "i want a wireless outdoor security camera with motion detection", + "i am looking for a 25 ft f-pin-coaxial tip coaxial cable", + "im looking for a silver radio antenna thats made of carbon fiber", + "i am looking for non-gmo, gluten-free and kosher certified mustard seeds", + "i would like to buy a large black short short sleeve polo shirt", + "i want a brown mens shawl collar long-sleeved cardigans sweater", + "im looking for a size 35 straight leg men denim jeans", + "im looking for a kids toothbrush thats easy to use and not hard on the teeth. also, pick yellow", + "i am looking for extra strength exfoliator that handles dead skin", + "i am interested in a high definition yellow playstation", + "i would like to get a 16 x 24 inch poster with a ready to hang white frame", + "i need 17 pcs of space saving porcelain ceramic tea sets", + "find me a black red headphone bluetooth and wireless", + "i am looking for long sleeve shirt in smoke grey", + "i want to find a desktop computer that features ryz 5 pro 3400ge, 32 gigabytes of storage space and 500 gigabytes on the ssd card. it needs to have a quad core processor", + "im looking for a replacement remote for my sound bar that includes triple a batteries. i need the color xrt303 mgo.", + "i am looking for tulua apple cider vinegar lemon ginger flavored fruit juice that is certified organic", + "im looking for travel size mens perfume in a 0.27 fl oz bottle size", + "i would like to buy a a34 colored 9x6 foot photo background thats light weight to move", + "i am looking for a pair of black mens medium underwear that are light weight and machine washable", + "im interested in some banana hemp cereal that is dairy - and gluten-free", + "i am looking for a black valentines day women\u2019s medium jumpsuit and should be a high quality material", + "im looking for living room furniture and kitchen furniture and need to buy it", + "i would like a small short signal green track pant with a elastic waist", + "im looking for a cotton long sleeve sleepwear set having elastic waist, 3x-large sized for men. also choose the color yk9672#", + "i need pink gluten free edible glitter", + "find me a 5-pack of natural water enhancer that is keto-friendly and does not contain any sugar. ill take the skinny orange citrus flavor", + "im looking for a easy install protective band strap in gray color", + "im looking for marine blue colored kitchen rugs for kitchen uses", + "i am looking for a sky blue easy to clean vintage area rug", + "i am looking for super soft multi color duvet cover sets", + "i need chocolate filled snack cookies with low calories,low sugar and dairy free", + "im looking for a ready to drink protein shake which should be free from gluten and has low sugar and fat. also choose strawberry cream one", + "i want easy use high quality nail art equipment for nail art", + "im looking for crystal roller massager with facial beauty massage stick", + "im looking for clothing accessories for womens", + "im looking for original fit jeans for men", + "i want a twin size box spring bed for kids color black", + "im looking for an easy-to-carry makeup case that contains various types of eyeshadows and is of high quality, in black marble", + "i am looking for oily skin to instantly remove excess oil & shine in easy use", + "get me a hand washable camo jumpsuit in size extra extra large", + "i am interested in buying a biege colored diner chai which is easy to assemble and ideal for the dining room", + "i am looking for dual band computers", + "i would like a large pair of multicolored boxer briefs that are machine washable", + "i am looking for a super soft fleece throw & blankets of multicolor", + "im looking for a corner shelf unit for the living room made out of engineered wood. get the one in light cherry and black color", + "im looking for a perfect gift for valentine day that should be covered in chocolate. also, choose a pack of 1 weighing 1.87 pounds, easter faces assortment designed one", + "i would like a size 11 navy fashionable shoe with a rubber sole", + "i am searching for fluoride free toothpaste scented with coconut chamomile, 4.2 oz", + "i am searching for a high quality long handle tongue cleaner", + "i am looking for a sugar free starburst cherry flavored energy drink", + "i would like some 18 inch micro loop hair extensions", + "i am looking for statues or figurines to decorate my living room", + "i need a pre shampoo treatment for damaged hair", + "im looking for elastic bands that are easily adjustable, please. something good for beginners", + "find me some keto friendly and gluten free turkey bars. they should have no sugar and get the 48 count pack", + "i need a dermatologist tested honest beauty elevated hydration mist", + "id like to get sulfate free conditioner that promotes hair growth", + "hello ! i need paleo everyday seasonings powder which is gluten free and has low sodium", + "i am looking for a 2-pack of the fanyate antique vanity light fixtures", + "i need large size wine color crew neck short sleeve tendy tops for women", + "i would like a sugar free bottle of syrup", + "i would like to buy 2 pounds of milk chocolate hersheys with almonds for valentines day", + "i need a digital camera that has a high optical zoom", + "i want to find a black car charger with a usb port", + "i am looking for wireless bluethooth for my compact radios and stereos- hands free electronic", + "i am looking for slim fit men t-shirts of black color", + "i am looking for a gift basket that has pancakes, muffins, jam and syrup", + "im looking for size ten ladies shoes with a closed toe and leather soles", + "i need a living room rug that is gold and ivory in the shape of a square", + "i want gluten free kernel seasons chili lime popcorn seasoning", + "i would like a 12 ounce bottle of mango conditioner that is paraben free", + "i am looking for a stainless steel shears", + "i want a mandala blanket throw fleece blanket for my living room", + "i want to find a glass screen protector for my high definition s20 samsung galaxy ultra", + "i am looking for gluten free turquoise edible glitter for cakes", + "i am looking for some deodorant for sensitive skin that has a herbal scent and comes in a 12 pack", + "i would like a rose gold dual microphone set that comes with batteries included", + "i am looking for teeth whitening toothpaste with a passion fruit flavor", + "i am looking for wide leg pants that are pink in a size small", + "i would like a extra small grayed jade workout shorts with pockets and a drawstring", + "im looking for a black, digital alarm clock that offers wireless bluetooth functionality", + "i need 6 fresh baked shortbread cookies that are individually wrapped", + "i am looking for antique gray color nightstand that is fully assembled", + "i would like to get some 29 x 12 galatic machine washable denim shorts", + "i am looking for a four count variety pack of chocolate bars that are non gmo", + "i am looking for x-large navy color lion king jungle trio graphic machine wash t-shirt for men", + "i want a stereo sound soundbar+wireless subwoofer home theater system", + "i want a loose fit, long sleeved flannel shirt. i am xx-large in size", + "i\u2019m looking for a toothbrush that is easy to use for travel and will give me fresh breath. the sky blue one would be good", + "can you find me some turkish delights that have natural ingredients and are for valentines day. get the 2 pack", + "i would like a h color natural hairpiece", + "i need an officially licensed star wars \u201cyoda best grandpa\u201c t-shirt. get one that is a youth size and make it black", + "seeking to buy a jar candle that is eco friendly. i want it to be 8 ounces and hazelnut latte color. soy candle wax", + "i would like a twin size bed with a 8 unassembled box string high density mattress", + "i want to find a black ink refill set for temporary tattoos that is not only easy to use but high quality", + "i need black long lasting mascara", + "i am looking for a memory foam bed, one that does not need a box spring i would like queen size", + "please get me an ac adapter with output protection", + "i need a cell phone signal booster that is compatible with 4g lte", + "i would like to find noise cancelling headphones, preferably bluetooth. find a silver pair, please", + "id like some black cupcake topper picks that i can use for a birthday party", + "i am hoping to find some tamari with seaweed flavored rice cakes. i want them to be gluten free and non gmo", + "im looking for a manic panic ultra violet hair dye ", + "im looking for modern design shoes with additional features", + "i need an omega-3 deluxe mix with artificial ingredients in a resealable bag", + "i am interested in the travel sized version of gucci bamboo impression", + "i need a 8 fl oz lemon tea tree shampoo that has natural ingredients,", + "i am looking for a 44 x 122.2 inches - customized size double sided table pads", + "im looking for grocery snacks for make great and perfect gifts", + "i am looking for a high quality toupee 120 light medium density 6x8", + "i need an eco friendly soy candle with an english pear scent", + "i would like a 29 wide by 63 tall brown roller shade that is easy to install", + "i need white chocolate andy anand malt balls with natural ingredients", + "looking for a soap that is antifugal and antibacterial with natural ingredients to wash the body", + "i want aveda scalp benefits balancing shampoo, plant based and size of 33.81 fl oz", + "i need mens boot cut jeans that has a relaxed fit. it should be 36 wide and 30 long", + "im looking for a night table with steel frame for living room. also, choose black colored one", + "i am looking for a high quality slipper made up of quality material for a little kid, size 10.5 - 11. also choose white color", + "i need a steel framed dining set with a black and blue coating", + "i want faux fur slippers with arch support. choose the one that is red", + "i am looking for a gluten free white grape raspberry flavored drink", + "i am looking for sea salt body skin scrub consisting of natural ingredients with pack size of 3.4 fl oz", + "i would like a 4 foot by 6 foot rectangular sage green area rug that is super soft", + "im looking for a black colored short sleeved womens casual summer off the shoulder dress. please select the size small", + "i am looking for an xx-large short sleeve casual v-neck t-shirt", + "i need non-slip lack pillow slippers that is suitable for pool bathing . and i choose the f size with green color", + "i have 3 hair dye", + "i want 8 pcs of water resistant tattoo grip tape", + "i am looking for a variety gourmet gift basket for valentines day", + "i would like a some black camera batteries that are easy to install", + "i need some chocolate covered peanuts that would be a great gift", + "i am looking for x-large short white color running gym workout fitness shorts", + "i am looking for black folding tables that are easy to clean and are 40 by 30", + "i would like some clinically proven power dental flossers", + "i am looking for a gluten free, plant based and non gmo classic chocolate & hazelnut spreads", + "i am looking for a 5x long sleeve casual button-down shirts for men", + "i am looking for a high speed digital camera with optical zoom", + "i want a pink machine washable womens swimsuits tankini top set", + "i need pendant lights that are a size a18", + "im looking for a t-rex birthday cake for a birthday party", + "find me a x-small white slipknot t-shirt classic fit for men", + "im looking for a sound bar that fits a honda 2016-2022 with a pioneer 5 utv", + "i would like a pink body brush that has a long handle", + "i am looking bpa free fine mist high quality case color silver color size 3.4 ounce", + "i am looking for a full wood, white king size bed frame with headboard", + "i need creamy shades for the living room", + "i want a french vanilla flavor lactose free coffee creamer ,16 fl oz", + "i need a 3.5 oz jar of pink nail art glitter", + "i am looking for butt-lifting, high waisted workout leggings in the color red and the size medium", + "in hunt for an anti-perspirant deodorant that fights underarm problems in a 40ml size, alcohol free made by the belo essentials in the beauty & personal care aisle", + "im looking for natural jar candles with grapefruit and mangosteen scents and which are made with 100% soy wax", + "i want a khaki phone case for apple phones", + "i want a modern home luxe spyder height adjustable bar stool", + "i am looking for a small short sleeve slim fitted t-shirt", + "i need some skin care tools for dark circles with xiuyan jade", + "i would like a 6.56 ounce dark soft brown box of hair dye", + "i would like some purple toothpaste that whitens teeth", + "im looking for medium-tan mineral sunscreen lotion for kids that is water-resistant", + "i would like to get a heavy duty brown spa stool that looks like it comes right from the beauty salon", + "i want a comfortable fit mens boxers. i am an x-large size", + "i want a non slip case cover for my motorola one phone", + "can you find the gluten free caramel milk chocolate seasoning that comes in a pack of 6?", + "i am looking for cupcake topper for a birthday party", + "i need a gold plated hdmi cable", + "i am looking for a fully assembled vintage grey side table", + "i am interested in grass fed protein bars that are vanilla shortbread flavor", + "im looking for a 70cm wall mounted mirror for bathroom", + "i am looking for a brown colored, large size, loose fit blouse for women", + "im looking for a original non gmo margarita with natural ingredients", + "i want a small and long lasting columbia mens pair of shorts", + "i am looking for a high performance quad core tower computer pc which is certified refurbished", + "i am looking for a console table made up of wooden frame for living room. also choose espresso one", + "i would like a mint scent dental chewy that is bpa free", + "i need some shoes that are peony colored with a rubber sole and are a size 6 for kids", + "i want you to buy me a vanity light which should have 4 led lights, i prefer it to be black and it should be dimmable", + "i am looking for a adhesive mount aerial connector cable right angle plug for car stereo which is easy to install. also choose which accept 4 g lte", + "im looking for xx-large machine wash sleep & lounge sets", + "i need space saving coat rack in the style of a contemporary branch", + "i want to buy a high performance quad core streaming media player", + "i would like a #b of long lasting lipstick", + "im looking for a security camera that has motion detection functionality", + "i need a photo backdrop for my living room thats around sixty by forty inches", + "i am looking for a white mesh height adjustable drafting chair", + "i need a 4 oz sprinkle for my birthday party", + "i want to find 8 ounces of instant coffee sticks that are easy to prepare. they must come with 12 sticks in a box", + "im looking for nail drill bits for nail art", + "i want a c&e high speed hdmi male to male cable", + "i am looking for a heavy duty single toggle wall plate cover", + "im looking for a 60in (150cm) pro studio softbox with heavy duty construction. also ensure its style is broncolor impact", + "i am looking for a caffeine free raspberry ice flavored drink mix", + "i will need a high speed coaxial cable made of aluminum alloy. pick the black one", + "i am looking non slip vinyl acetate women walking shoe size 13.5 color grey _black_white", + "locate a emme 3-piece king bed in a bag comforter set that is machine washable. i also need the color to be blue stripe", + "i looking a heavy duty height adjustable professional salon spa stool color:beige", + "i need some pore cleansing strips that are made with hyaluronic acid", + "i want to buy a manual toothbrush for sensitive teeth that has a multicolored wave design on it", + "i am looking for mens adidas hiking shoes size 9 with rubber soles", + "i am looking for a pair of womens size 36 eu water shoes with rubber soles", + "i am looking for natural hair extensions. also, pick something in dark brown", + "i want gray milin 100% blackout roller shades for my living room", + "i am looking for a fragrance called tous baby cologne spray for kids. it is 3.4 oz and alcohol free", + "i am looking for a womens small long sleeve jumpsuit", + "im looking for a classic fit women t-shirt with needle sleeve and star wars design. also, choose medium size white colored one", + "i want a pair of comfortable fit wide leg pants. i need it in 3x-large size", + "i need 1 pack of gluten free natural fennel seed ground that has natural garlic minced whole", + "i am interested in buying a canon camera which has 1080p hd quality and also has optical zoom, i prefer having it in silver color", + "i am looking for knorr pasta sides cheddar broccoli that is easy to prepare and in a 12 pack of the butter and herb flavor", + "i would like a one pound bag of non-gmo amla", + "i would like a super soft camo throw for the living room", + "i would like a white 2xl white sleep set with a elastic waist", + "looking for a long lasting ralph love women perfume", + "im trying to find a six-pack of kids toothbrushes for sensitive teeth. i need the toothbrushes to have long handles and they should come in assorted colors, like blue, pink and yellow", + "i want to buy a dual band phone signal booster and want it to be booster 2 | 5", + "i am looking for imitation vanilla that is shelf stable and is 4 fl oz", + "i want a rolling cart for a beauty salon", + "i would like a heavy duty wall outlet", + "i would like a t6b83a premier edition printer with a usb port", + "i am looking for ivory color entryway plush 2-inch thick area rug of size 2 ft 3 in x 12 ft for living room", + "i need a peaky blinder season 1 poster mural which is 36x54in .should be in a wood frame and easy to hang", + "i am looking for bronze finish chandelier for my living room", + "i am looking for white color heavy duty bar stools", + "i am looking for heavy duty bed frame of black color", + "i need some high waisted jeans that are black and in an x-small", + "am trying to find the long sleeve of zefotim womens summer tops, g-white color", + "i would like a high performance label printer", + "i need some hands free gold earbuds", + "i would like a 44 mm blue sport band smartwatch with gps and cellular. i would also like it to be water resistant", + "im looking for a relax fit fashion designed long sleeve lapel coats for women. also, choose xx-large size z4 black colored one", + "i want to get a 6 pack of the toms of maine fresh mint alcohol free mouth wash. i think they are 16 oz bottles", + "im looking for organic shampoo for thinning hair and hair loss", + "i would like a brown two piece living room set made of faux leather", + "i am looking for a comfortable fit jeans for men of tan color", + "i would like a high speed pack of 5 hdmi cables", + "im in need of a four-piece set of christmas coasters with non-slip technology", + "im looking for a snack of protein balls gluten free pack size of 14.5 ounce", + "i need to buy four pounds of individually wrapped chocolates", + "i would like pair of size 7.5 slides with a rubber sole. ", + "im looking for a high resolution wireless headphones with charging case, earphones should be in-ear, built-in mic, easy-pair, voice control sports and gaming earbuds. also choose the black one", + "i would like a 6 ounce package of non gmo basil pesto seasoned rice", + "i would like a living room ottoman that is white faux fur", + "i want a pack of low fat gourmet kitchen cooked shrimp", + "im looking for a regular fit mens sneakers with rubber sole. also choose 6.5 size black colored one", + "i need black shoes that have rubber soles", + "i need a black wireless bluetooth soundbar", + "im looking for fully cooked the flavor saquatch", + "i want low fat honey bunches of oats", + "i am looking for sugar free soft drink mixes with fruit punch", + "i need fluoride free 2 pcs purple toothpaste which is good for sensitive teeth and teeth whitening", + "i need to buy a queen sized duvet cover. i want one thats machine washable", + "i want to find a universal remote control replacement that comes with aaa batteries", + "i want to buy some caffeine-free rooibos tea in a 50 pack", + "i would like a cal king sized with extra deep pockets beige and white striped sheet and pillow case set", + "im looking for green backdrop stand for digital photography", + "i need a wall-mounted mirror that is easy to install", + "i am looking for long sleeve henley shirt. please choose orange color", + "buy me a sixteen pack of sugar free spicy nacho keto chips", + "i would like a beige bookcase with a lot of storage space", + "i want a gluten free apple strawberry snack gift", + "i would like some long lasting hair color in light golden brown", + "i am looking for a purple daycare teacher tshirt made of heather cotton and should be a classic fit", + "im looking for heavy duty twin solid wood triple bunk bed with 2 drawer", + "i need organic bay leaf that is 4 oz", + "im looking for gluten free high protein organic products to buy a groceries shop", + "i want a living room traditional vintage shabby chic standing floor lamp with a linen shade", + "im looking for a white king-sized bedroom set with a box spring", + "i want to buy a small ponytail made up of synthetic hair, colour 6tr. thanks", + "i need a desk for my home office that is easy to assemble and is white", + "i want a 3 pack of gluten free paromi cinnamon chai rooibos", + "i would like a pair of size 6.5 black flats with a ankle strap", + "im looking for alcohol free perfume with an oud wood scent", + "i am looking for an ottoman that gives me storage space, and would look nice in my living room. prefer black in color", + "buy me a non-slip razor stand", + "i am looking for a nightstand with drawers. it should have a nickle finish", + "i need a hard drive carrying case bag that is light pink", + "im looking for computer accessories it was silver in color", + "find a bonsai gift set", + "i am looking for a pair of easy to carry light blue headphones", + "i need a ottoman made from solid color", + "i need a 60 silver mist wig that is made from natural hair", + "i am interested in buying biscotti which are fat free, and individually wrapped while their flavor should be cioccolati and packed as 12 in 8-count boxes", + "i would like to get some l5036 nail tips that are easy to put on", + "i need a high performance bluetooth speakers that can be used for indoor parties. please choose the gray one", + "i am looking for some gluten free pudina party flavored puffed snacks", + "i want a serum made from hyaluronic acid", + "im looking for made cup cakes for birthaday parteis", + "i would like a venetian bronze doorbell only motion detector for my door", + "i am looking for some colorful life canvas art for the living room", + "i would like a ultra hd usb hub", + "i am looking for a high speed coaxial cable that is 3 feet in size", + "i am looking for jungle powders freeze dried watermelon powder 3.5oz and also 5oz with gmo free", + "find me an official pokemon shirt with gengar and mewtwo, has to be washable in the machine, black in a men large", + "i want something to treat my hair loss that also promotes hair growth", + "looking for cupcake toppers for baby shower birthday party supplies", + "i am looking for womens active pants for walking. also, choose the medium size", + "i am looking for a bed with a steel frame and a twin xl memory foam mattress", + "i want to buy underwear boxer for men which are low rise and are hand washable, as for the color i want them yellow and at 3x-large size", + "i am looking for a queen sized multicolored mattress set", + "i need a classic fir t-shirt that is suitable for my wife. and i choose the orange one", + "i need a purple color loose fit blouse with long sleeves. i am a medium size", + "i want variety pack gluten free meat seasoning spices gift set size :5.5 ounce (pack of 4)", + "i need some blue linens that are high in quality", + "im looking for a black color hair dye that is a pack of 3.5 ounce which is easy to use/apply", + "liquid water identifier strawberry watermelon flavor and natural flavor", + "i am looking for a christmas balls green & red hand painted seasonal celebration candles", + "i would like a pair of small leggings with a high waist and tummy control for women", + "i need a new watchband for my apple watch se. buy one thats sky blue and waterproof", + "i would like to get a 16 gig black tablet with a usb port", + "i would like a silver phone case with a glass tempered screen", + "looking for steel toe sneakers no slip with quality materials in green color 6.5 size for men", + "show me an one organic hair growth serum roller set for all hair types", + "i would like a 16 fluid ounce rum imitation extract that is bpa free", + "i would like a high glossy white desk with metal legs", + "i am looking for carplay ips touchscreen mirror link with 4 crore wifi 1g+16g", + "i am looking for a memory foam slipper that is suitable for 5-6 size leg . and i would go for white color", + "i need a red iphone 7/8 / se 2020 case with card holder and[ screen protector tempered glass", + "i would like some peach high waisted shorts", + "i:need a mirrored wooden cabinet with one drawer two doors with round ring handle, style28 size and solid wood legs", + "i am looking for water resistant camera housing", + "i want to find a space-saving yellow naptime cot for toddlers. it should come in a standard size and i dont want it to come with sheets", + "im working for light fixture of tools & home improvement with color black", + "id like to find aa batteries that are fast-charging and compatible with my xbox controller", + "i am looking for a pair of 6 inch stainless steel hair cutting scissors", + "i would like to buy a high speed point and shoot digital camera with a carrying case", + "find mouthwash, tartar stain removal, fresh breath, for daily life, for my bad breath !", + "looking for a soft fleece blanket 50x60 that is super soft and machine washable. color 8", + "im locking for a bathroom lighting over modern style mirror", + "im looking for a easy to install ottoman bench with handle made of faux leather. also, choose grey colored one", + "i want to have ahi tuna jerky -lemon salt flavour made in usa , wild caught and packed in resealable bag", + "i am looking for bow knot designed filler for nail art", + "i am looking for a classic fit t-shirt for a youth girl. also choose asphalt color and x-small size", + "i am looking for new clear and easy clean tablecloth top protection cover", + "i need to buy a chair for my living room with a solid wood frame and lumbar support. it should have brown fabric", + "i am looking for d style high quality travel bottles", + "im looking for portable android tablet with dual speaker", + "im looking for pants for sports with a fleece lining and a relaxed fit in sky blue", + "im interested in a button-tufted, faux leather, dark green bench in size 39x16x18inch", + "i need a 13 oz package of wax for hair removal", + "i am looking for sensitive skin powder", + "i need eco friendly curtains that are 52 by 45", + "im looking for a smart remote control included with batteries. also, that battery type should be aaa size", + "i am looking for a sofa made up of pu leather in ottoman size. also in navy leather color", + "im looking for hair removal with non toxic product and with eco friendly beauty salon", + "i am looking for a contemporary designed california king faux leather bed", + "i am looking for mysteek color pop temporary hair color that is easy to use for hair dye . color bougie blue , 0.25 fl oz (pack of 1) preferable", + "i am looking for a black high performance smart watch", + "i like to get a king size bedspread with high density. pick an orange cream one", + "im looking for off shoulder short sleeve tops t-shirt bodysuit jumpsuit", + "i need an easy to use warm light for photography", + "i am looking for a color: #27 hair extensions", + "i want a set of 2 mesh laundry bags with a pink flamingo dress with roses design", + "i am looking for a classic fit army green color shirts", + "i want to find a white console table with double layers for my living room", + "i need high quality makeup bag for my eyeshadow. it should be beach pineapple in color", + "i would like a tteal green hrow pillow cover that is super soft and 16 by 16", + "i am looking for peach coloured zebra roller blinds for my living room which are easy to install and should be w57xh55(inch) in size", + "i am looking for a womens short sleeve honey bee t shirt size x-large", + "i am looking for a teeth whitening toothpaste in b color. it should be for sensitive teeth", + "i am looking for white solid wood bunk beds with drawers", + "i would like some dining room pendant lights that are river stone color and are 20.5 wide", + "im looking for a 12 pack pepper jack gluten free cheese", + "i would like a 6 inch long white soy candle", + "get me a quick release camera tripod made out of aluminum alloy", + "i am looking for low fat beef jerky", + "i am looking for fresh baked valentine cookies i would like m&m and sugar cookies", + "im looking for a green, x-large flannel with button closure that can be machine washed", + "i am looking for a nv4108e-hs size of motion detection surveillance video recorders", + "i need a media player with aaa batteries included", + "i want to find shelf-stable beef stew that is ready to eat", + "i would like a aluminum alloy high speed coaxial tip", + "i would like 10 brown coat hooks for my living room", + "i buy a design house in white color", + "i would like a bundle set of earbud headphones that are water resistant", + "looking for tooth powder for teeth whitening", + "im looking for a 24 pack ro-tel mild diced tomatoes and green chilies", + "i would love to buy a 12 count , low carb keto bars made with quality ingredients and keto friendly", + "i am interested in headphones that are noise cancelling", + "i am looking for an intel quad core i3 6157u powered mini pc", + "i need purple eyeshadow applicators that are easy to clean", + "get me a high performance video camera that is certified refurbished", + "i am looking for a dark blue daily wear womens jumpsuit", + "i am looking for a double sided home office desk", + "i need some hair quality hair clippers", + "buy me an easy to assemble sideboard for the dining room in antique white, please", + "i am looking for the king size laojee chunky knit throw blanket in red", + "i am looking for white color bookcase having exquisite workmanship", + "i need an easy to install pendant light for ceiling", + "i need this product for afternoon snack with friends .rhythm superfoods carrot sticks,1.4 oz (pack of 12), vegan/gluten-free superfood snacks", + "i am looking for a christmas top that is long sleeved and is a size small", + "i need a chrome wall lamp that is brushed nickel", + "get me a solid wood king bed with a box spring", + "i need a fully assembled queen sized mattress set", + "im looking for a ready to use, fully assembled mattresses with box spring. also, choose beige colored california kig sized bed with 4 split foundation one", + "i need to buy an iphone case in midnight grey. make sure it supports wireless charging", + "i am looking for a teeth whitening toothpaste", + "i would like a chrome bath sconce that is a vanity light", + "im looking for a teeth whitening toothpaste with natural ingredients that gives fresh breath and used for sensitive teeth", + "i need a box spring california king mattress", + "i am looking for a table and chair set that is white and easy to assemble", + "i am looking for a teal scented jar candle, it should be white in color and at least 10inch long", + "i am looking for carbon fiber tripod. model should be veo2pro263ao", + "i would like purple blinds that are easy to install", + "i would like a desktop mini with a dual band intel i7 core and with 128 g of ssd", + "get me some long sleeve pajamas. look for blue ones", + "i am looking for a 30 in solid wood directors chairs", + "i need a blue sherpa wool sweatshirt", + "i would like two boxes of mocha ash brown hair dye", + "i am looking for easy install roman window blinds that are light filtering", + "i would like a high quality hair piece that is medium brown", + "find me this old fashioned maraschino cherry cocktail syrup. pick a 12.7 fluid oz one", + "i am looking for a height adjustable faux leather barstool", + "i want a grey modern button tufted bed end bench", + "im looking for some easy to install center channel speakers", + "im looking for a buffet sideboard cabinet with clear glass doors. prefer the size to be b type espresso-28\u201cl x 14.6\u201dw x 29\u201dh ", + "im looking for a tempered glass window covering film for privacy in my dining room. it should be 23.6in by 47.2in", + "i want blackout brown roller shades for my living room", + "im looking for a high speed cable hdmi male to male 2 pack of 30 feet", + "i need a kids u-shaped toothbrush for sensitive teeth", + "need one toothbrush holder easy to clean and non toxic in white", + "i want a pink water dental oral irrigator for bad breath", + "i need a smart watch protective case. get the one for a 40mm apple watch", + "i am looking for a purple double-sided, eco friendly, and long handle bath body brush scrubber", + "i am looking for cappucino coconut and low sugar instant coffee for energy boost", + "i am looking for 40 oz. ready eat triple berry nut trail mix", + "i would like a medium black camo tank top for my gym workouts", + "looking for cup cake picks for party supplies of rose gold colour", + "i need a sugar free and gluten free salami pack with a barolo flavor", + "i am looking for a fast charging docking stations", + "i need an easy to use seasoning mix that has a bihari kabab flavor to it", + "im looking for eye shadow for eye makeup", + "i need burgundy colored high heels in size us5.5", + "find me natural hair gels that use seed oil as a main ingredient", + "i need a pink peach colored cruelty free blush", + "gold plated stereo sound cable input usb port", + "im looking for a ready to hag wall art for dining room and living room. also, choose 3 pcs/set 16*24 inch*3 framed with beach colored one", + "i am looking for a high speed compactflash card with128gb 2 -pack capacity. also choose cfexpress + usb reader style", + "i would like some solid wood coat hooks to mount on the walls", + "i want to find an industrial i7 8550u computer that has a quad core. it needs to have 16 gigabytes of storage space on its ram", + "i need long lasting deodorant", + "im looking for a pendant light with brushed nickel finish. choose the ones in antique gold color", + "i need a deep chestnut brown hair dye that is permanent", + "i am looking for some purple, womans shoes in size 8 that have an anti-slip, rubber sole", + "i am looking for a map 3 coloured make up travel bag which is easy to carry ", + "i would like some butter flavored popcorn salt that comes in a four pack", + "i am looking for a gluten free paleo seasoning salt set. i need a pack of 1 containing 20 ounce", + "i need sun canvas womens slip on sneakers in size 12 with arch support", + "i would like a 20 by 26 inch dark green pillow throw cover for my living room", + "i want boy elephant sprinkles for baby shower", + "i am looking for eco friendly scented candles", + "i need basic nylon high waist pants that are xx-large with a 37 inch inseam", + "i am looking for a classic fit pant of stone color", + "im looking for a size 9 woman denim high heel", + "i need a plant based, soy free protein shake. pick the smooth vanilla flavor", + "i am looking for a set of 2 mesh laundry bags", + "im looking for clothing it can use for machinable uses", + "i am interested in a high quality cosmetic bag", + "i need to buy a new laptop. look for one with a core i5 intel processor, 64 gigabytes of ram, and a 2 terrabyte ssd", + "im looking for a type a male to male magnetic ring data transfer extension cable for usb flash drive that is fast charging", + "i am looking for an oil-free eye makeup remover", + "i am looking for a 1 pack of cooling pads with high performance", + "find me a modern shag carpet. something in turquoise and around 8 feet on either side. i speficially want one thats easy to clean, and thats octagonal in shape if available", + "i want to get a blue 100-foot-long high-speed ethernet cable thats easy to install", + "i want a keyboard skin that is dust proof and long lasting. choose a rainbow color", + "i am looking for lightweight mens size 7.5 non slip german shepherd shoes with mesh", + "i saw the womens shoe in a store and i need you to find it on amazon in brown and size 7, with rubber sole. the brand is jambu and the model is mule", + "i would like a sagittarius candle that has soy wax", + "i need white cheddar corn puffs from trader joes,", + "i am looking for a moisturizing skin scrub that is alcohol free", + "i am looking for a can of ready to eat smoked oysters", + "a sunscreen spf 50 ,anti aging fine lines and wrinkles and protection from sun", + "im looking for a clincally proven hyaluronic acid 20% vitamin c serum that helps with fine lines", + "i am looking for a displayport to hdmi adapter with plug and play option. also support 4k / 30hz", + "i need a box spring mattress", + "i want non gmo sugar free keto friendly cocoa chocolate size: 1 pound", + "i am looking for size: \u00f870cm | 28inch size tempered glass lazy susans", + "i would like a on the rise volume liftscara eyeshadow that is cruelty free", + "i want to find 6 ounces of goji colored blueberry powder that is high in dietary fiber", + "i am looking high quality long lasting travel size parfum prada luna rossa impression", + "i want to find a large pair of mens shorts with an elastic waistband. the color should be light khaki", + "i would like a light pink cosmetic case that is space saving", + "i want to find a remote for my samsung security camera that runs on aaa batteries", + "i am looking a small size regular fit machine wash active hoodies color :crew blue", + "i am looking for some red heart cupcake toppers for a birthday cake", + "im looking for a vanity mirror easy to install 40x32 with light led", + "im looking for a super soft and easy to clean throw blanket. choose the ones that come in cartoon3 color", + "i am looking for an easy to assemble blue home office desk chair with lumbar support", + "i am looking for a travel size of quality fragrance oils in the scent named creed vanisia impression", + "get me some toothpaste for sensitive teeth that has preventive and restorative properties", + "i need a pair of sandles with an ankle strap in size eight wide, please", + "i am looking for some easy to use chicken handi indian seasoning mix", + "im looking for a pair of size sixteen nylon spandex pants", + "i am looking for a plant based rose scented moisturizing sunscreen", + "i want a purple conditioner for damaged hair", + "im looking for low rise in skinny leg in womens", + "hi there, can you search the web for the price of a 30 pack of sugar-free limon to drink while on my low-carb diet", + "i need a panasonic ag-ac30 full hd camcorder with a carrying case", + "im looking for a white nightstand with a 1 shelf storage space", + "i need a 9 ounce pack of chocolate peanut butter keto cereal that is grain free", + "i want a large hoefirm womens v neck elegant velvet wrap long sleeve", + "i am looking for steel frame night stand with white finish", + "i am looking for spice powder with some artificial flavor such as meat masala", + "i am looking for a high definition sound bar that is camouflage", + "im looking for new year cupcake with glitter dessert muffins", + "add to my cart polo red men by ralph lauren edt spray and should have a long lasting scent", + "i need an ac adapter that has wireless charging", + "im looking for a 4 pack of teeth whitening trays,bpa free, that comes with a free storage case", + "i need a bluetooth keyboard with aaa batteries in gold color", + "i am looking for an ultra hd pull down projector screen that is 150 at least? also, can i request black?", + "i want a pair of machine washable memory foam slippers. get the size 12-13 women in berry", + "i am searching for an anti aging and dermatologist tested night cream. also, choose the 3.4 ounce size", + "i want a 10ft micro usb fast charging cable", + "i want to find a small purple bike tank top for men that has a classic fit", + "i need a sugar free lemon cream with raspberry lemonade flavor", + "i need to buy some scrub bottoms in petite small. they should be blue and machine washable", + "i want gluten free starkist chunk light tuna in oil", + "buy me a package of anti-aging masks", + "find me a nice black relaxed fit linen button up for the beach with short sleeves in size 3xl", + "i need a bag for a tongue cleaner for bad breath", + "im looking for a hyaluronic acid eye cream for dark circles", + "im looking for a black hair styling product that is made from natural ingredients and easy to use", + "im looking for a high definition surveillance camera with 1080p hd resolution", + "i want a yellow easy to carry gaone fm radio alarm clock", + "i would like a polka dot cosmetic bag that is travel size", + "im looking for a wood framed mounted shark", + "i need some wide leg pajama pants. it should be a large sized relaxed fit pant", + "i need to buy some hdmi male to female cables. look for a pack of ten three foot cables that are high speed and gold plated", + "i want a high performance ps4", + "i want to buy 1 dagostino handmade pasta pack of 3 12oz old fashioned rotini from the pasta and noodles for dinner tonight", + "i want a queen sized and faux leather platform bed", + "im looking for grey colored mens closed toe sports sandals in size 8 please", + "i am looking for nickel color pendant lights that are easy to install", + "i want a easy to clean bag", + "im looking for natural java beverage mix", + "i need to buy gray synthetic hair extensions. buy the six pack of eight inch extensions", + "i am interesed in buying a 12 pack travel size storage organizer", + "gel nail kit nail polish with 33 piece set", + "get me a heavy duty office chair with lumbar support. look for dillon black fabric", + "i would like a chocolate chip oat bar thats gluten free", + "i am looking for a high power monocular with phone holder", + "i am looking for a blue colored, water resistant wireless bluetooth speaker", + "i need a blue grey mattress that is easy to clean", + "i am looking for quick drying x-large size leggings", + "i want to find blackout baby blue window shades for my living room that are 23 inches in width and 64 inches in height", + "i want peanut butter super pop snacks that are plant based", + "i am looking for women ankle strap sandal. choose black color", + "i need some gluten free special diet seasonings", + "i am looking for a 12 count package of pomegranate fruit bars that do not have nuts or dairy in them", + "i am looking for a faux leather grey color loveseat for living room", + "i want some cuticle pushers that are stainless steel", + "i would like a 12 ounce cantina party mix with simple ingregients", + "i would like a full size classic 8 split foundation mattress and box spring", + "im looking for 36 ounce fragrance free camile beckman", + "i am looking for eco friendly roller shades for windows in charcoal gray color", + "im looking for x-large yellow high-waisted tights that provide butt lifting and tummy control", + "i need a rich creamy chai tea that is spicy and gluten free. pick the tortoise green tea flavor", + "i would like a long lasting face toner for dry skin", + "i want to buy some plant-based tuna", + "im looking for short and long sleeve and the elastic waist for womens the color was black", + "i am looking for alcohol and cruelty free vanilla musk perfume oil", + "im looking for open and close toe sandals for womens. need to buy it", + "i want to find a heavy duty writing table that has a steel coating", + "i want to buy a unique lom solo easy to clean that is in taupe color with rectangular shape", + "i need a bathroom vanity light that is easy to install", + "i am looking for 18 inch crochet synthetic hair for black women", + "im looking for a closed toe sandals with arch support and lace closure. also, choose 5.5 size black colored one", + "i am looking for nuccbbly ladies camisole pajamas nightwear lingerie top shorts sleepwear", + "i would like to buy nail clippers which are easy to clean, and also are made of stainless steel, i also prefer to have them of color 8592 red", + "i want to find a black apple watch band that is 38 millimeters long", + "i need w28 x h64 pastel blue roller blinds that are easy to install", + "womens slip on sneakers that size 5.5", + "i want a small machine washable jcbytjsw jean jacket for men", + "i am looking for a loose fit shirt that is black and in a xx-large", + "i am looking for wireless bluetooth headphones with touch control and a wireless charging case", + "get me some relaxed fit loafers, please", + "i am looking for long lasting 14 color pressed powder palette of color: fiesta all day", + "i am looking for 96w x 72h roller shades of gray color and it is east to install", + "find me a carbon fiber tripod stand", + "im looking for 4g lte prepaid flip phone with quad core processor which should include sim card. also, choose color black", + "i am looking for a black faux leather bed frames", + "i am looking for x-large pajama bottoms that have a drawstring", + "i am looking for individually wrapped bakery gifts", + "i am looking for pink color short sleeve t shirts", + "i want to find a white long-sleeve dress shirt that has a 20 inch neck and a 36 inch sleeve", + "i would like some lentils that are ready to eat", + "i am looking for a womens little bird (slim) flip flop/sandal with a rubber outsole in the color blueblue, and a size 4 | 5 uk (or special size type 8 made by havaianas", + "im looking for cruelty free, vitabath brand, bath and shower gel in the 32 ounce size", + "i am looking to buy a mesh laundry bag", + "i want yellow pumps that have a rubber sole and are in a size 12.5", + "get me a keto friendly and sugar free cereal that is also plant-based. i want the cinnamon toast and dark chocolate flavor", + "i want long lasting and slim wrangler mens cowboy jeans", + "i would like to buy some size 5 mocha birkibuc slides with arch support", + "i want a caffeine and sugar free chai latte powdered mix. it should be of vanilla flavor", + "i am looking for small sized and tummy control women workout legging", + "i would like a pattern-4 colored window curtain panel for the living room", + "i am looking for a dark gray color steel coated bar stool with adjustable height option", + "i would like a fleece lined extra large navy mississippi state bulldog sweatshirt", + "i am looking for 2 pounds of individually wrapped milk chocolate candy", + "i would like a five pound bag of non gmo seeds", + "i need a canon powershot s200 with optical zoom", + "i am looking for a travel sized bottle of jean paul gaultier scandal impression perfume", + "i want big size living room", + "i want a gray floral graphic long sleeve shirt for women", + "a light weight high speed usb wall charger for iphone11 color 3pack -back", + "i want a mid century adesso table lamp", + "im looking for gypsy amber eyeshadow", + "i want to find a two-pack of 2-ounce beef jerky bags that are high in protein and come in a variety of flavors", + "im looking for a high speed digital camera with optical zoom lens and should include batteries", + "i want a small sonic toothbrush for bad breath", + "i am looking for a pair of womens size 8.5 open toe sandals", + "i would like a flip flop travel bottles that are bpa free", + "i am looking for a wide leg overall for women with long sleeve and high waist. also choose beige color and 3x large size", + "i am searching for a z2 black colored swimsuit cover up wide leg pants. also, choose the loose fit", + "im looking travel size alcohol free fragrance body oil which should be long lasting. also choose chanel coco impression one", + "i need a 2 pack of lemon cookie mini bars that have high protein", + "i am looking for throw pillow covers of size 18 x 18 inches for my living room", + "i want some vanity lights with a cylindrical shape and a metal base. the shades must feature clear glass", + "my grandson asked me for this order. tjs compatible with boost mobile celero 5g case, samsung galaxy a22 5g case, red color glass screen, it has a lot of detail, and i dont know if i can find it without your help", + "i need an intel core i7 mini computer", + "i need a 10 round area rug for my living room. it should be ivory colored", + "i need a travel sized facial cleanser for sensitive skin", + "i want to find a dip powder kit for my nails thats easy to use. the color of the powder must be gentle nude", + "im looking for an armchair for my living room; it needs to be made of premium engineered wood with camel upholstery", + "what xx-large short sleeved t-shirts do you have that are loose fitting and for teen girls?", + "i need wedge sandals that are high heel and 6.5 narrow", + "i need a relaxed fit daily wear gym pants for daily wear. pick an xx-large one", + "i need rich creamy popcorn seasoning in chili lime flavor. make sure that it is gluten free", + "im looking for a water resistant red on black cosmetic bags for women", + "i am interested in machine washable throw pillow covers in a size 28 by 28", + "i am looking for a dark taupe home office desks with metal legs", + "i would like a carrying case for my vita", + "i would like a 8 ft. by 10 ft. chocolate brown runner rug for my living room", + "i would like a pink shoe with a high heel for my size 8 foot", + "buy me some freeze dried bananas & strawberries", + "im trying to find an extra large mens tank top with a classic fit. it needs to be sapphire colored and say i play bocce & i know things on it", + "i would like a 2xl black and white hoodie that i can machine wash", + "id like to shop for sparkling watermelon juice thats non-gmo and sugar free", + "i would like 30 x 30 x 46 cm blue ottoman with a solid wood frame", + "i am looking for a womens arch support ankle boots which contain soft memory foam. also choose brown in color and us 9 size", + "i am looking for a fits round tables up to 42 diameter size of machine washable tablecloths", + "get me some tattoo serum that uses tea tree oil and is paraben free", + "i need a black train case that is high quality and medium in size", + "i want a long lasting, womens spray perfume", + "i want to find a pink orthodontic retainer storage case thats easy to carry", + "im looking for a fast charging oculus quest 2, usb a to usb c link cable thats 10ft", + "buy me anti aging long lasting easy to use ice roller for face in aqua blue color", + "i would like a 38 mm smartwatch band for my applewatch that is a transparent black flower", + "im looking for a womans navy workout t-shirt that is machine washable and provides a classic fit", + "im looking for a king platform bed with solid wood in taylan style", + "i am looking for a case cover for my samsung galaxy a11", + "im looking for a w 47in x h 75in cooling bamboo mattress pad that is double sided", + "i need a easy clean solo solid modern round shaped snow white plush rug of 8 ft x 8 ft size", + "im looking for organic gluten free fruit and vegetable sticks that are made of real fruit. i would like the variety flavor", + "i am looking for a pu leather black color heavy duty bed frame", + "i want x-large and machine washable leggings depot pajama pants", + "i would like two 100 foot long gold plated hdmi male to male cables", + "im hoping to find non-toxic false teeth that are made out of high quality soft silicone", + "im looking for farmhouse window curtain set of grey color for living room , w 52 x l 90 | pair", + "i am interested in buying a hdmi male to male ethernet cable which support blu ray streaming and about 1.5 feet in length and high speed communication", + "im looking for a machine washable mens shorts with classic fit stretchable fabric and has button closure. also, choose cool grey colored one", + "i want to buy some hair extensions in color 613 bleach blonde in a two pack", + "i am in need of matte screen protector tempered glass for iphone 12 pro max (6.7)", + "i am looking for the bathroom mirror with lights is with full-sealing box , protects safety use in bathroom long lasting and easy to install sunzoom 24x36 black framed led lighted bathroom mirror.size preferable hilton-2436", + "i need green butt lifting yoga pants in size medium", + "i would like a tan faux leather armchair", + "i am looking for a 15 pack of individually wrapped gourmet cookies with natural ingredients", + "i want to buy some fluoride free mixed berry flavored toothpaste", + "i am looking for a dairy free cold coffee which is rich creamy. also choose chocolate milk color and 8.4 fl oz (pack of 6)", + "i would like a box of 12 blueberry muffin bars that are made of natural ingredients", + "i am looking for a mid century wood end table lamb with usb charging port ", + "i am looking for a maple and brushed nickel 2 door armoire", + "do you have any old fashioned taffy that is sugar free in apple flavour?", + "i want to find a female to dual cable that is 3.3 feet long. it needs to also come with a power amplifier", + "i am looking for gold plated rca cables", + "i want fat free and toffee almond nonnis biscottis", + "i want to buy paintings which are suitable for living room and are of color ys102 and have a size of 24x36 inch (60x90cm)", + "i want to find an emergency radio thats water resistant and includes aaa batteries", + "im looking for a rosehip seed oil for face and skin by kate blanc", + "i am looking for aluminum alloy professional ball head tripod for camera with color: x-4i", + "i need sugar free low carb, barbecue flavored marinade for meats, 102 ounce (pack of 3)", + "i am looking for a 4 fluid ounce cherry cream cheeset emulsion that is shelf stable and in a container that does not contain bpa", + "i am looking for a barstool in walnut grey that is faux leather", + "i want a size 4 uk light lavender cloud pink sandal made of vinyl acetate", + "im looking for womens square toe sandals that are non-slip and beige high heels", + "i need a 2 fl oz alcohol free wash", + "looking for one snack of jalapeno n cheddar smoked gluten free with high protein", + "i need a glossy electrical outlet cover", + "i am looking for an easy to assemble brown triple bunk beds", + "i am looking for hemp regular and gluten free vegan granola", + "i need a wallet that goes with my blouse", + "i want to find green, blue and white bands that are compatible with my apple watch 45. the bands should fit my wrist, which is 4.5 inches in circumference", + "i would like a free standing shoe rack that is easy to assemble", + "order a womens tank top made from blue polyester spandex in size medium", + "i am looking for pink color long lasting cube ice face roller for facial treatment to tighten ,tone skin and de-puff the eye area", + "show me size seven running shoes with laces and rubber soles", + "im looing for an asphalt colored youth extra-large t-shirt thats machine washable", + "i need a fast charging usb c wall charger", + "i need a console table for the living room. look for one in oak brown", + "i am looking for a red slim fit robes for men", + "i am looking for high gloss buffet sideboard for kitchen with white led light", + "i looking a hair growth treatment based on tea tree suitable with coconut oil", + "get me a hair drying towel with a funny graphic on it", + "looking for valentines cupcake toppers for valentine day with pattern name in red", + "i am looking for an easy to carry bluetooth speaker that is black", + "i am interested in orange flats with arch support that are a size 11.5", + "i would like a big fit new cranberry 16.5 neck and 35-35 sleeve shirt that i can take care of in the washing machine", + "help me find a 2 pack of stone grey faux leather throw pillows that are 18x18 inches", + "i want an xx-large gonxaga bulldogs sweatshirt. it should be officially licensed", + "i would like a gold dusty rose chair for my living room", + "i need a plant based cleansing conditioner with coconut oil in it", + "im looking for a gluten free, non gmo vegetable powder refill pouch with organic winter squash. also, choose three beet flavor one", + "need a monopod with carbon fiber for dslr cameras", + "i would like a high performance black tablet that has a 9.7 inch screen", + "i am looking for a floor lamp that has a bronze finish", + "im looking for apple smartwatch acesseries it is easy to use", + "i want a pair of moisture wicking outdoor pants which is also machine washable. get me something in adaptive green versastretch color", + "im looking for a large, white, cube shaped closet organizer to provide additional storage space", + "i am looking for grass fed and gluten free pure indian foods madras curry", + "im interested in love scent, dermatologist tested cream for sensitive skin that is cruelty-free and does not contain parabens or sulfates", + "i want gold and jade fresh collagen eye roller serum for dark circles", + "i want to find a blue home office chair thats easy to assemble", + "im looking for pajama pants with an elastic waistband. they should be machine washable and come in a size large", + "need a hair extension that is synthetic and long lasting, and get the 8 pack of 18 inch size", + "i would like a standard sofa table that has a wood finish", + "i am looking high quality waterproof highly pigmented easy apply cruelty free long lasting lip glosses inafirenze pattern", + "im looking for an easy-to-install, light-filtering window curtain in java brown", + "im looking for a flats made of ethylene vinyl. choose the ones in tan color and size 9.5 narrow", + "i am looking for chocolate filled flavor cookies having low sugar and low fat", + "i am looking for hair salon trolley, of color silver 27.5-43 height", + "i am looking for high resolution television", + "i want a large sized womens scrub pants. pick a ciel colored one", + "i want to buy hair extensions clips for synthetic hair and they should be red and green colors", + "i am looking for a furniture set with 6 inch bun legs and is easy to install", + "i want a olives and rusk gourmet gift basket", + "i want to find permanent hair color cream in a golden copper color", + "i am looking for low calorie dried vegetables of chocolate banana slices flavor", + "id love some help locating a pair of mens slim fit, ripped skinny jeans in a size 34. it would be awesome if you can find a pair in black", + "i am looking for a replacement remote control for samsung tvs that includes batteries", + "i am looking for brushed nickel color pendant lights that are easy to install", + "i would like a pink toothbrush that is easy to use", + "i would like a 2.7 ounce bottle of caramel hot chocolate popcorn salt that is low sodium", + "i am looking for a 1/2 dozen camerons seafood large female maryland crabs", + "i need an eco friendly window film that is multi color and the size 23.6 x 59", + "i am looking for a long handle red color toothbrush which is eco friendly and long lasting", + "universal smart controller with big buttons tool for tv stb dvd with aaa batteries", + "im looking for a pair of classic brown, long lasting boat shoes in a size 14 wide with a synthetic sole", + "im looking for a wild caught chunk light tuna in sunflower oil. choose the ones that comes in 2.6 oz pack of 24", + "i need pink color hair removal", + "i need a red ball gown with a lace closure in a size twelve", + "i want a non diary snack with caramelized nuts. pick the 2 pound pack", + "i am looking for a bag of freeze dried blueberries that are chocolate and banana slice flavored. make sure to pick a non gmo and plant based product", + "i would like to have two of a fine mist long lasting beauty case", + "i am looking for a high quality, black spa equipment wall mount that is eco friendly", + "i am looking for a white coaxial cable made of quadshield nickel plated fitting and of high speed", + "im looking for a rejuvenating oil serum for damaged hair", + "i need long lasting honey beige face powder, pack of 1", + "i am looking for non slip, steel toe women shoe. also, choose the black b color and 42 size", + "i would like a 18 inch medium brown hair extension", + "i would like a #5 nightstand that has a wood finish", + "i would like a 3 pack of istorage 0gb microsd cards that are easy to use", + "i am looking for some grass fed and grain free bread and muffin mix", + "i want one size light weight women\u2019s sexy bandage halter dress", + "im looking for a womens swimsuit that is quick drying and size large and color black", + "i am looking for cupcake toppers for a birthday party that are dino shaped", + "find for me croc flip flops size 13 women with vinyl acetate material. also neo mint almost white in color", + "i would like two strawberry and 2 peach lip balms that are made from seed oil", + "i am looking for a high definition 24 inch tv", + "i would like a carbon fiber car stereo kit", + "i am looking for 22\u201dx 22 double sided throw pillow cases for my living room. choose multi 02 color", + "i am looking for high speed hdmi cable of size 75 feet", + "im looking for 67.5 ounce cheez-it snack pack", + "i would like a 20 wide by 72 tall blackout beige roller shade for the living room", + "i am interested in buying brownies which are plant based and gluten free, with a 4 flavor variety pack, and come in pack of 8 of 1.9 ounce", + "i am looking long totally cruelty-free,reusable &handmade high quality color xmz212 size :3 pair", + "i am looking green color wireless bluetooth speaker", + "i want a belt-clip heavy duty holster case for my galaxy s22 plus in the color dark blue | pink+belt", + "i am looking for anti aging serum for dry skin", + "im looking for a glass case with fashion cute pattern design for iphone 13", + "i am looking for a xx-large long sleeve active sweatshirts", + "i am interested in a 60 count of cruelty free toner", + "i want to buy some twenty six inch square pillow covers for my living room. look for some that are super soft", + "i want pink and non slip luffymomo womens shower slippers", + "i need black color hands free wireless earpiece with mic", + "i am looking for a perfect valentine gifting cake containing natural holiday flavor ingredients in 48 count size", + "can you find a gluten free flatbread cracker with multi-seeds on it?", + "i would like navy fleece slippers that are machine washable and are xx-large", + "i looking a fruit & nut bar low sodium low carb gluteen free having dietry fiber individually wrapped flavor cocoa & chocolate", + "i am looking for hand crafted gourmet frozen appetizer", + "i am looking for 03 yellow square pattern eco friendly shower caps", + "i am looking for a personalized, metal hair and beauty signage or artwork", + "i want 5 pound valentine day special kosher certified hersheys special dark chocolate", + "i am looking for a 2.6 ounce, pack of 1, low calorie popcorn seasoning", + "i would like a pack of vermicelli rice sticks that are easy to make", + "i want to buy some low-rise ankle booties. look for some in green and in a size seven and a half", + "i would like a cosmetic bag for my eye shadow decorated with a lot of lip prints", + "could you find for me for my living room room this product: green palm leaf curtains tropical leaves botanical pattern print blackout curtains, panel set window curtains size 52x24 in", + "i am looking for black nail polish", + "please find freeze-dried strawberries + peas , gluten free & vegan made by natierra natures organic", + "search for unsalted pretzels that are individually wrapped. it should also be shelf stable", + "i would like a one pound bag of trader joes pretzels", + "i need a wall mounted table that can be folded. also, the dimensions should be 70x50x30 cm", + "find a high quality makeup brush", + "i want fuchsia modencoco womens pointed toe pumps with ankle strap", + "i want a 2.1 ounce package of chicken masala seasoning thats easy to use", + "im looking for a pair of large mens ankle strap sandals", + "im looking for a flannel fleece blanket for a bed that is super soft and also light purple", + "i need some candle sconces for the living room", + "im looking for resealable bag red color", + "i need a twin size fully assembled plush mattress, which should have 8 split foundation with frame", + "i want a black mini wireless bluetooth headset", + "i am looking for some birthday party supplies to go on a plane-themed birthday cake", + "i am looking for a 3ft high speed hdmi male-male cable with gold plated", + "i am looking for long lasting and pink color gaming headset ps4 3.5 mm stereo wired", + "i am looking for daily wear pink color lounge", + "i am looking for an easy to assemble sofa with metal legs and preferably grey in color", + "i am looking for cognac colored combat boots with rubber soles", + "i need heavy duty blackout curtains for my living room. pick something in beige", + "lightly smoked organic lemon flavor wild caught sardines in olive oil", + "i am looking for 1 ounce bag of non-gmo freeze-dried beets", + "can you find a black dining table set? im looking for something that is easy to clean", + "i am looking for an easy to assemble queen size box spring that has memory foam", + "let me get some shelf stable tub of ghee which is grass fed", + "im looking for coaxial code for video accessories it was easy to use", + "i want to buy some cashew almond flavored chocolate covered gluten-free bars", + "i need to order some certified organic loose leaf tea", + "im looking for an android tv box that comes in ultra hd with dual band wi-fi", + "i would like a foundation brush for my nail polish", + "i would like a 7 foot oval turquoise rug that is easy to spot clean", + "i need leather sneakers with rubber sole. i am a size 11", + "i am looking for easy install and ready hang kitchen artwork-04 with size s-(18x12inches)", + "i am looking for blue scrub bottoms that are made of polyester cotton and are a size 3x tall", + "i am looking for a red 40 foot long gold plated hdmi cable", + "i am looking for an easy to clean ivory colored plush area rug", + "im looking for extra large high waist leggings that are hand washable and fleece lined", + "i want to find an ac adapter that is high definition", + "i am looking for a wicked hot gluten free salsas", + "im looking for a mens slim fit athletic long sleeve shirts with printed graphic tees top by jspoyou ", + "i want to buy a watermelon-flavored, sugar-free syrup", + "i need an easy to use trail camera", + "im looking for seed oil it was certified organic good for skin and flavor was organic peppermint", + "im looking for a black storage case for my hair dryer", + "im looking for a travel sized long lasting scent from tom ford. preferably from the jasmine musk impression line", + "i would like a large blue switch case with a glass screen", + "looking for cotton heather t shirt which is machine washable also choose colour dark heather", + "im looking for gift basket for teachers", + "looking for steel toe sneakers no slip with quality materials in green color 6.5 size for men", + "i am looking for a gold camera lens protector that has tempered glass for an iphone 13 pro or iphone pro max", + "i am looking for an eco friendly bookcase that has four tiers", + "i would like a two pack of chicken that is shelf stable", + "i want a 175ft white tri-shield rg-6 coaxial cable", + "im looking for a nubeleaf blackberry powder", + "i am looking for a bed sheet for a queen size bed. also choose laced sky blue color", + "i am looking for lead free candles for home, made up of soy wax. also choose lavender & geranium scented", + "hello! order for me caraway seed savory crisps which is sugar free, high protein content and keto friendly", + "im looking for hollow vintage casual wedge ankle strap sandals for women", + "get a long handled bath brush in blue", + "i am looking for non diary rich creamy creamers", + "im looking for birthday cakes with superhero theme that is perfect for kids birthday party", + "i want to find an adult tank top thats machine washable and features the italian stallion from rocky", + "i want a regular fit tee with short sleeves. i am 3x-large in size", + "i want a 6 foot long gold plated hdmi cable", + "i am looking for a heavy duty 1 foot long gold plated 3.5mm to rca cable", + "i want 100g shan achar easy prepare paya flavor spice powder", + "i am searching for some mens briefs but something fun. maybe you could find some with some elephants on them. i want them to be red and a large in size. also, it is important for convenience that they be machine washable as well", + "i need to order some gold cupcake toppers for a birthday party", + "you need to come up with an instruction for a virtual shopping assistant (ai with human-level smartness) to buy a product on amazon. you will be given a products title along with some of its background information, such as the products tags, buying options, and its category on the amazon website. you need write an instruction that tells a virtual assistant what you want to buy. include at least one tag in your instruction. when suitable, more tags is better. include at least one buying option in your instruction. check the tag boxes that you included in the instruction. avoid including too much information from product title. this is only to provide a better context (see example page). a good instruction should allow the ai assistant to find the intended product. the instruction should be natural sounding text. imagine you are talking to a smart ai. diversify language use when viable", + "i am looking for a variety of natural flavored iced tea", + "i need a non slip sofa slipcover which is either camel or ivory colored", + "i am looking for gluten free spice gift sets that come in 3 ounces", + "i need a bronze colored high resolution digital camera that also has optical zoom lens", + "i need you to find some handcrafted driving mocs that are comfortable for every day wear. i need size 8", + "i would like a 50 x 80 inch fleece throw with a valentines day inn design", + "im looking for a standard pair of straight legged jeans in noir heather", + "i need a bolster pillow hypoallergenic for lombar support in cotton blue", + "i would like to buy winter boots for women which are made of quality materials and are in khaki color, as for the size they should be 9", + "i would like a four ounce tube of fluoride free toothpaste", + "im looking for a 13.3 inch carrying case for my laptop", + "im looking for a mid century style table lamp", + "i need sneakers that have a rubber sole and are a grey blue color in a size 7", + "i want an ivory maybelline instant age rewind eraser dark circles treatment", + "i need glass bottles which are leak proof. pick a pack of 40", + "im looking for teeth whitening for teen clesening for prevention of oral care", + "im looking for hair dye for permanent hair it was easy to use", + "i am interested in buying shampoo for hair treatment", + "i would like a pair of size 7.5 white sandals with a ankle strap", + "im looking for peanut butter chocolate chip protein bars. they need to be both dairy free and gluten free", + "i am looking for a small padded bench, preferably easy to assemble and in beige, please", + "i am looking for a grey faux leather sofa", + "i need a durable 13\u201d lightweight case for my macbook; i\u2019d prefer a red one", + "im looking for butter pecan flavored coffee that is gluten free and comes in a pack of three 11 ounce packages", + "i want a medium matte and oil free professional airbrush foundation makeup", + "i need some wild caught spring water tuna fish", + "find a 5.7 ounce pack of 4 easy prepare knorr rice side dishes in chicken fried rice flavor", + "im looking for an anti-aging serum that helps to reduce fine lines and moisturizes dry skin", + "i am looking for a six piece peppermint bark holiday cookie that is gluten, vegan and dairy free", + "i want a low carb smoked snack jerky", + "i want a silver hermitshell hard carrying case", + "im looking for a machine washable t-shirts made of heather cotton with needle sleeve and button closure type. also, choose men, x-small size white one", + "i am ordering best dad ever coach fleece throw with super soft features", + "find light weight running shoes that can be worn for general outdoor activities and on hiking trails. my size is 40 m eu and i want the color to be 8-4 red", + "i would like a slim fit black tank that is in a medium", + "i need brown flats that are a size 7 and are anti-slip", + "im looking for kitchen curtains it easy to use for machinable washes", + "i am looking for milk creme chocolate bar with natural ingredients", + "get me three pounds of white chocolate covered raisins. make sure theyre non-dairy", + "i am looking for a 4 pack of trader joes ginger cookies", + "im looking for a noldares womens high heel shoes", + "i am looking for 4ft black color triple h mist spray needle sleeve t-shirt for youth", + "i would like to buy some easy to use hair topper extensions that are 10 inches in length, 130% density and come in wine red color", + "im looking for hair loss to prevention of hair extensions", + "i want to find a six-ounce plastic container jar that is leak proof and easy to use. ideally it will come in white", + "i am interested in a long lasting perfume", + "i am looking of a balms & moisturizers for fine lines", + "i need an easy to use red ice roller", + "i would like a water resistant bluetooth headset", + "i want gluten free aurelias spanish chorizo", + "i am looking for a dead sea skin care mud mask that is cruelty free and contains aloe vera gel", + "i want a green stool that would be suitable to use for a haircut at a beauty salon", + "find for me a set of yarnow birthday party supplies", + "im looking for a certified refurbished hd 8 tablet with quad core processor. also, choose 32 gb storage capacity, yellow colored one with 1 year of amazon kids+ subscription", + "i want a 15 pack of volume and nourish conditioner for damaged hair", + "help me find a high quality, easy clean set of massage table covers in blue", + "i am looking for a high quality stainless steel set of hair cutting scissors", + "im looking for non alcoholic drink for bottled beverages", + "i chose as a gift a black adidas originals mens ultraboost 12.5 with rubber sole. notify me so i can purchase today", + "i need some gluten free and wild caught fish fillets in extra virgin olive oil. i will need a pack of 6 weighing 4.4 ounce", + "im looking for a carrying case for hair cutting accessories", + "im looking for dora the explore kids edt spray", + "i am looking for digital camera high resolution in white", + "i am looking for a black winter warm fleece lined hiking boots", + "i am looking for a long lasting eye mask for dark circles with cruelty free", + "i want case cover in american flag deer color", + "i am looking for easy clean , red color shower curtain of size 78w x 70h with hook", + "i need some active shorts that are in the color of equator and are a medium", + "i want a core i5 tablet", + "i want to find a 7.6 ounce package of hair removal wax thats easy to use. the color should be all purpose honey.", + "find me a light weight monopod made of carbon fiber", + "i am looking for 20 inch natural hair extensions with a scandinavian blonde color", + "i would like a 70 by 185 cm round head massage linens for a beauty salon", + "im looking for a gray iphone 13 pro max case that supports wireless charging", + "im looking for a skin & glow bundle gift set that is cruelty free and fragrance free", + "i need an easy carry headset in gray", + "i would like to buy casual work shoes with a rubber sole and of size 8.5", + "i would like a pair of size 6 black luster satin pumps with a open toe", + "i want a twin sized bunk bed with storage space. pick a white one with slide", + "i want to find an 8 ounce soy wax candle that is unscented", + "i am looking for gluten free cinnamon crisps", + "i would like a full size grey bunk bed with a wooden frame", + "i would like to get some second 5 sand long lasting foundation made from seed oil", + "i want a set of 2 mesh laundry bags", + "im looking for a foothill farms cream pie filling mix", + "im looking for teeth whitening for oral health care", + "i am looking for non toxic lip gloss that has organic certificate. please select the rose one", + "find me a watch band in hyper grape color that is made of stainless steel and goes with my apple iwatch", + "i need some white bluetooth speakers that are easy to carry", + "i am looking for a womens vest that is padded and machine washable. pick an x-small size", + "i would like 60 milk chocolate peanut butter bars that are low sodium", + "i am looking for a high quality makeup mirror", + "i want to find a six-pack of 32 ounce packages of raisins that have no added artificial flavors", + "i want a .18 ounce pack of revlon colorstay creme eye shadow", + "i would like to buy a 5.3fl oz bottle of shampoo that is certified cruelty free, please", + "i need easy to install white trim led light in pack of 18. tye color should be daylight 5000k", + "i want gluten free shangri-la tea company organic green tea bags", + "i am looking for disney frozen machine wash, heathers cotton kristoff olaf premium t-shirt for women", + "i need a multipack of living room curtains that are 29 by 45", + "i am looking for some storage cabinets for storage space", + "im looking for a cruelty free eyeshadow palette with division color", + "i am looking for wall art of size 24 x 36 black for my living room", + "i would like a blue medium sized light weight tank top", + "i am looking for size 13 evergreen clogs with vinyl acetate", + "i want to buy some multicolored machine washable pajamas in size large", + "i need a high speed hdmi cable with an extension cord. pick a white one", + "i neet 10 quantity of gold plated display port to vga adapter (male to female) compatible with any computer,laptop and projector", + "i would like a wine red stool cover that is machine washable", + "im looking for an easy to install bronze shower curtain rod", + "i am in need of a faux leather ottoman that is brown", + "i need comfy casual loose elastic waist 2#multicolor pocketed shorts. its size should be 3x-large", + "i am looking for a windows 10 pro mini computer with an intel core i7-10750h, 32 gigabytes of ram, a 256 gigabyte ssd and gigabyte ethernet", + "i am looking a gluten free low sodium lemony bites flavor snacks & trail mixes", + "i want natierra freeze dried strawberry slices", + "i would like a plant based shampoo", + "look for butter pasta noodles with no artificial flavors", + "a dome camera for indoor motion detection indoor smart security camera 1080hd size -hd version +64g", + "i am looking for a 4.0 rustic brown 1 color home office desk that is easy to assemble", + "im looking for an easy to install cell phone safety lanyard patch which has a color specification of transparent x 6", + "i want to find a speedotron beauty box that is 12 inches by 56 inches in size. it needs to be very heavy duty", + "i am looking for manual toothbrush for sensitive teeth. please choose blue color", + "im looking for a perfect slip-on active sneaker for women", + "i am looking for a brushed nickel modern sputnik chandelier that has 15 lights for my dining room", + "i am looking for 12 pieces of green color high quality small round travel container jar pots with lids", + "i am looking for an easy to clean jewelry box with 10 slots", + "i found this bracelet from toyouths which is fitbit versa/versa compatible in stainless steel i need it to match the saddle color brown", + "i need some size ten and a half clogs with arch support and a rubber sole. find them in black", + "i am looking for a silver tablet that is lightweight", + "i am looking for sand gold nail art that is 0.35 oz", + "i am looking for a 2 bottle set of long lasting holographic glitter that is rose gold in color", + "i am looking for modern high performance 3-way tower speaker, it should have left & right pair d17 speaker (black)", + "looking for chocolate covered oreo cookies that pack size 8 ounce (pack of 8)", + "i would like to buy a 12x16 inch white poster that has a solid wood frame and easy to install in my living room", + "i am looking for a travel tin kit of camouflage color and can be cleaned very easily", + "buy me a pink synthetic wig", + "i need a red t-shirt that has a classic fit in a size 2t for men", + "i am looking for a barbershop tin sign for my hair salon", + "im interested in a stainless steel portable salon sink that is easy to clean", + "i would like a 6 tier bookcase that is easy to assemble", + "i am looking for pink color whitening massage easy use toothbrush that fit for age 2-6", + "i am looking to buy a 2-pack long lasting wall scones which is easy to assemble", + "i would like a gold tongue cleaner for my oral hygiene", + "i am looking for white curtains that are a size 120w by 84l", + "i would like to buy sandals for women which are eco friendly, and high quality, as for color they should be pink, and of size 6.5", + "i am looking for a xx-large casual print shirt for women for gifting purpose. also choose wine color", + "i am looking for an easy to use facial cleaning brush that is high quality and double sided", + "i need a gold plated, high definition digital optical cable thats five feet long", + "i want this food from snack puffs, aged white cheddar. pirates booty 0.0g trans and gluten free i await your return", + "i am looking for a pair of womens purple house slippers with memory foam and faux fur", + "can you help me find a shampoo set that is sulfate free, 24 fl oz and is repairing?", + "i am looking for queen size futon bed sofa with space saving , armless and color to be twill royal blue", + "i need a machine washable t-shirt that is pink and in a size medium", + "i am looking for an easy to assemble green home office chair with lumbar support", + "i am looking for a keto friendly vanilla syrup with quality ingredients. also choose 25.4 fl oz pack 4", + "i want a easy care hair styling irons straighteners", + "i need a face kit for dark circles", + "i would like to buy a screen protector which is made with tempered glass and is suitable for iphone 6 and iphone 6s plus 5.5", + "i am looking for a womens xx-large oatmeal | navy iowa state cyclones relaxed fit , fleece lined asym redux hoodie made by ouray sportswear", + "i am looking for a small long sleeve t-shirt that is gray", + "im looking for a comfortable fit pullover shirts with long sleeves for teen girls. also, choose xx-large size white colored one", + "i need help finding a twin set of gold coffee tables thats easy to clean", + "i want to find an apple watch that has a silver aluminum case and a white 40 millimeter band. it needs to be water resistant and come with a gps", + "i am interested in a height adjustable spa tool that is color a8 and is 40 by 45-63cm", + "i am looking for a 2 light wall sconce for my living room", + "i would like a day rifle scope with a optical zoom", + "im looking for a dual layer window 70% blackout hemp fabric zebra roller shades", + "i would like a 1 gallon bottle of blueberry imitation extract that is bpa free", + "i am looking for a mesh laundry bag with a funny cartoon skull theme and is medium in size", + "i am looking for a natural ingredients soap", + "i would like a gluten free trader joes flatbread", + "i want to find a gold v shaped facial roller for anti aging massage", + "i want some puffed snacks that are both gluten and fat free", + "im hoping to find a stainless steel set of wireless headphones that comes with a carrying case. ideally the metal on the headphones should be black and the leather should be olive colored", + "im looking for a cell phone case for my new iphone 13 mini, i want the case to have the non slip and wireless charging feature, also, the color should be in clear green and blue", + "can you get me a whitening toothpaste that is for sensitive teeth?", + "i want 2pcs of tousled updo hair extensions. it should be easy to apply", + "find me some non-slip steel toe platform shoes for women. i want something in pink in the size 10.5", + "i am looking for an 8 by 12 background that is for digital photography", + "i need a toasted brown wig that is made from natural hair", + "i would like to get a high quality black white lotion pump case", + "i want vanity lights made with brushed nickel", + "i would like to have a can of rich and creamy cream of potato soup", + "i am looking for size 10 regular fit adidas harden stepback 2.0 basketball shoes", + "i need a purple tie-dyed dresser with a steel frame", + "|i am looking for 4x-large mens fashion black color regulat fit suit jackets", + "im looking for high waist biker shorts for women with pockets tummy", + "i am looking for medium size tank tops for women that can be washed through hands", + "i\u2019m looking for a dht blocking anti hair loss set with hyaluronic acid as pure hair growth support shampoo", + "i looking a body scrubs eco friendly for removing dead skin", + "i am looking for heavy duty flip case for samsung galaxy mobile and color should be olive", + "i need a easy to use hdmi display adapter with high definition", + "i need an adapter with output protection", + "i am looking for brushed nickel in amber", + "i need a new quad core 4gb 32gb support usb port 1080p hd android tv box", + "i want buy a birthday party cupcake picks plant party supply cupcake topper", + "get me fleece lined khaki pants with elastic band in x-large size", + "looking for ultraboost adidas size 6.5 color black and rubber sole", + "find an electric spa body brush with a long handle that comes in stainless steel for me please", + "im looking for temporary tattoos for womens and it was sensitive skin and it also with dry skin", + "i need an extra large twin box spring with a four inch foundation. get the white one", + "i need a 220 ft high speed coaxial cable", + "im looking for a stainless steal quick release 18mm black watch", + "i would like a ac adapter with output protection", + "i want a large royal blue golf and bourbon enjoyer tank top for women for machine wash", + "im looking for a kosher certified premium salt which is free from gluten. also, choose mediterranean flake one", + "i looking casual flat loose fitting open toe having ankle strap woman slipper size-9 ,color :z92 -camouflage", + "hello, i want a music stereo for my car. bluetooth please. i would appreciate it being hands free as well", + "i am looking for a gluten free and non gmo bakery & dessert gifts of peanut butter flavour", + "im looking for a comfortable fit yoga tank in size 1x and the color light grey heather", + "i am looking for organic blueberries", + "i am interested in 2 pints eggless raw edible cookie dough with natural ingredients with chocochip & cherrychoco flavor", + "i need a sky blue womens top with long sleeves", + "im looking for some cologne that is scented with green tea", + "i am looking for hands free headphones that are mint and yellow", + "i am looking for car overhead player of size cm157a+dwh006x2 having stereo sound", + "i need an easy to install 2pcs camera with 6pcs door alarm", + "i am looking for a 12 ounce (pack of 6) of baked fresh granola", + "im looking for twin sized bed room for bedroom", + "i am looking for queen size velvet upholstered platform bed with contemporary design. also choose black one", + "i am looking for fresh & natural skin care shea and cocoa body butter which is best for all type of skin with fragrance free,paraben free. brown sugar | fig scent preferable in 8 ounce", + "i am looking for mens ripped jeans denim pants with an elastic waist. pick a navy color and get x-large", + "i would like a three pound bag of hard candy that is chocolate covered", + "i am looking for light weight backgrounds of size 12x10ft", + "i need some white nail polish that i would find at a beauty salon", + "i am looking for sugar free unsweetened shredded coconut flakes with large flakes", + "i need a blanket with lighthouse printing with 70x90 in grey brown", + "i am looking for a non gmo soup that is vegetarian and comes in a pack of six", + "i am looking for engineered wood 3-tier corner shelf in color : walnut|brown", + "i am looking for a hot buttered rum cocktail, 12.7 fl oz (pack of 1) to present as perfect gift", + "i need birthday candles for my birthday cake", + "i am looking for rich taste and color of classic red velvet cake, packaged in bpa free and gluten free lorann red velvet bakery emulsion in hazelnut flavour in 4 fl oz, 3 pack size", + "i need some eye cream for anti aging", + "i need a faux fur white andeworld swivel barrel chair for my living room", + "the price of this manhattan comfort utopia table is unbelievable. very good! if you can find it in white and solid wood i will buy it", + "im looking for brown industrial size 10 boots made with vinyl acetate", + "i am looking for back exfoliating scrubber easy use in purple", + "im looking for a pair of medium sized, straight leg mens black dress pants", + "i am interested in a loose fit t-shirt that is blue and 4x large", + "i want to find a professional tripod that is heavy duty", + "im looking for low carb protein powder", + "i want a black soulaca smart tv with usb port", + "im looking for purple daily wear sleepwear made from a polyester/cotton blend in a size large", + "i want a purple and orange toothpaste that is fluoride free and whitens teeth", + "looking for rich creamy cocoa classics also choose flavor raspberry", + "im looking for a tablet with usb support and support 4g lte", + "i would like some low sodium spice gifts for some friends", + "i am looking for gluten free doodles wavy corn chips, 1.37 ounce (pack of 36)", + "i want to buy the travel size of the creed original impression", + "i am looking for cupcake toppers for a birthday party. also, i prefer the pattern 2 over others", + "i am looking for a pack of 720 high performance aaa batteries", + "i\u2019m looking for some keto-friendly breakfast waffles in cinnamon toast and maple flavour. please make sure it\u2019s gluten free", + "i want to find a signal booster for my 4g lte phone, and it needs to have a dual-band cell signal repeater", + "buy me some paraben free coconut oil lip balm", + "i want a 2 pack of 80 foot long gold plated hdmi male to male cables", + "i want a 2022 dell g5 gaming desktop pc intel 6-core i5-10400f with windows 11 home", + "im looking for organic extra virgin olive oil", + "i want da vinci sugar free huckleberry syrup", + "i would like some fat free potato chips that are salt and vinegar", + "i am looking lightweight non slip breathable runner shoe for woman size-37 i", + "i want light weight polyster back", + "i want a black hazel velvet king sized bed", + "i need glass screen grey color", + "i want a long lasting scented candles aromatherapy soy set", + "i need to buy womens leggings for yoga. i need slim fit with tummy control in a large size", + "i am looking for a double sided stainless steel foot files for cleaning of dry skin", + "i need slim fitting comfortable jeans that are woodburn color and in a size 31w by 40l", + "i am looking for super comfortable for walking dogs, road running, daily wear, casual, gym, training, light trekking, theme park travel, urban recreation, jogging in the road and path, basketball, cycling, workout, camping and other outdoor multisports or lite indoor exercise at home womens road running shoes in a4-khaki color. size 8.5 wide preferable", + "im looking for tablet pc with 32gb storage, android 9.0, dual sim slots and dual camera", + "i am looking for a high resolution natural scenery", + "i need a glass shade that is chrome colored", + "id like to find dark black faux dreadlock extenders. ideally theyll come 10 to a pack and i want two packs", + "i would like a queen size blue linen bed with drawers with a contemporary design", + "i am looking for a high speed gaming desktop with core i5. also choose 64gb ram|512gb ssd|win11h", + "im looking for binoculars for bird watching even at so far", + "i am looking for a rectangular shaped area rug for living room with orange or light blue color. also choose 2ft 2in x 4ft in size", + "get me some gluten free tortilla chips with sea salt", + "i need a pair of stretch cotton spandex pants in size 40w x 32l. they should be machine washable and in a stone color", + "i am looking for small long sleeve womens christmas cardigan with pockets", + "im looking for a ten pack of silver cake toppers for my friends baby shower", + "i am looking for gluten free foods with hazelnut flavor", + "i am looking for a clothes rack of 22-inch size that is heavy duty and saves space", + "i would like two packs of three foot long gold plated hdmi male to male cables", + "i would like a set of pendant lights for the living room", + "i would like some 22 inch hair extensions made of natural hair", + "i need a hydraulic recliner barber chair for hair salon", + "i would like a 64 fluid ounce bottle of sugar free pina colada cocktail flavored syrup", + "i am looking for a xx-large wide leg and high waist pants for men", + "im looking for a small portable folding desk that is already fully assembled; it should have a khaki wood finish", + "i want the pinole project high protein oatmeal", + "im looking for a low carb gluten free ketchup flavored bbq sauce. choose the ones that comes in 12 ounce bottles and pack of 2", + "i want black liueong womens knee high riding boots", + "i would like a 32 count box of individually wrapped moringa with spearmint and sage tea bags that are certified organic", + "im looking for the harklinikken balancing shampoo in 2.54 oz. it must be plant based and comprised of seed oil", + "i am looking for a o color shampoos for hair losses", + "i am looking for ultra hd surveillance dvr kits", + "i need snickerdoodle cookies that are plant based and are part of a starter pack", + "i am looking for a solid wood vertical file cabinet that is easy to assemble", + "i would like a 100 inch 16:9 protection screen thats easy to put on", + "i need to order a pair of blue snow boots in size five", + "i want a 36 pack of applesauce that is non gmo", + "i want a sweet and awesome hersheys candy mix gift set", + "i need some wild caught, hickory smoked tuna", + "im looking for a nuvo vanity", + "i want to find a 68-inch carbon fiber tripod camera", + "i want a bag of high protein thailand unique jamaican crickets", + "i am looking for mens size 13 work shoes with arch support and rubber soles", + "looking for ultraboost adidas size 6.5 color black and rubber sole", + "looking for light weight rosy pink colour mens womens water shoes", + "please help me find a violet hair dye in a 500ml bottle; pick a herbal one that has only natural ingredients", + "i want a peach scrub lip balm made from natural ingredients", + "i am interested in a wireless bluetooth clock radio that is red", + "500pcs by a box portable makeup facial soft cotton pads soft hypoallergenic and lint free cotton wipes for applying lotion removing face makeup eye makeup and nail polish", + "im looking for a pair of comfortably fitting mens jeans in the size of 33 wide by 34 length", + "shop for teeth whitening strips. look for some that taste like peppermint and are appropriate for sensitive teeth", + "im looking for soft, blue plaid throw pillows for the living room, also machine washable", + "im locking for candies milk chocolate covered oreo cookies", + "i need a tonic that is non gmo", + "i want to find a package of 10 eye masks that treat dark circles", + "i would like a bianca white crib dresser with a lot of storage space", + "i need a long sleeve shirt with a red contrast color", + "i need a womans t-shirt that has a classic fit and a needle type sleeve", + "i want to buy a vinyl skin for my ps5. look for one thats easy to install. the color should be marijuana black, and get the disc edition size", + "im looking for a freeze-dried fruit snacks that are sugar - and gluten-free", + "i want to find individually wrapped chocolates in a gift basket that i can give for christmas", + "i am looking for size 12 sneakers that are black and have a rubber sole", + "im in need of a night cream for the dry skin on my face that has been tested by dermatologists", + "i want to buy caffeine free herbal tea in a pack of 1", + "i am searching for long lasting refreshing, light fragrance mist for women", + "i would like some girls shoes that are in a size 7 and have a watermelon print", + "go ahead and find me a dining room sideboard table that has a bottom shelf. it needs to be easy to assemble", + "i need protein powder that comes in 3 lbs and is keto friendly", + "i need wireless bluetooth noise cancelling headphone in black 2 color", + "i need a king sized, white coloured contemporary style wooden frame bed with memory foam", + "i am interested in a six inch red candle that is made of soy wax", + "i am looking for nut free and fat free gummy candy", + "i need a background for digital photography that is 10ft by 7ft", + "i would like a medium snickers tracksuit for my gym workout", + "i want a xx-large classic fit weekend forecast kayaking beer drinking tank top", + "i need a 6-wide jogging shoes that has arch support. and i would prefer the a4-black", + "i want a charcoal grey colored chair with metal legs to go in my living room", + "i would like to get some high protein beef jerky in the resealable bag in original flavoring", + "i am interested in ac adapters with output protection", + "i would like a 3xl grey scrub bottoms that are easily machine washable", + "i am looking loose leaf green flavor non gmo usda organic herbal tea size:1 pouch (pack of 1)", + "im looking for a ultimate hand care cream for dry skin", + "i am looking for a hidden camera for surveillance. i want something hd with at least 1080p", + "i want to buy a christian dior eau sauvage perfume from 2017 thats alcohol-free and travel size", + "find me a t shirt dress with ruffle sleeves and elastic closure. pick a green dress", + "i want a long sleeved brown shirt that is in a medium", + "i need an easy to use pen drive with usb port. pick one that is 16 gb in capacity", + "im looking for rose gold birthday cake decorations", + "i want some flouride free toothpaste", + "i am looking for a dome camera that has motion detection and is hd 360 degree", + "i am looking for a shoe with rubber sole and vinyl acetate also size 11", + "i am looking for two piece suits that are green and quick drying in a size small", + "i am looking for cupcake picks for baby shower birthday", + "looking for pet foam bottle that is easy to carry also choose in 60ml", + "im choosing the kamik womens momentum with their snow boot which include faux fur attribute. also, the color charcoal ii and the size 6.5 wide", + "i need a high speed and dual band wireless signal booster", + "i want a keto high protein snack gift basket", + "i am looking for a brushed nickel floor lamp. i believe the color is called great falls", + "i am looking for hair extensions that are gray and 26 inches", + "i want an elastic waist beach shorts that is xx-large in size", + "i want an easy to prepare knorr pasta butter and herb side dish", + "i would like a pair of silver noise cancelling headphones with wireless bluetooth", + "i would like an xx-large black long sleeve shirt for daily casual wear, thanks", + "i would like a cupcake topper for a birthday cake", + "i am looking for crazy monkey baking with low sodium and natural ingredients of size 7.5 ounce", + "i want to get a two-count package of gray barstools that i can put in my dining room", + "i need some nail polish in the color c08", + "i want a doorbell camera thats 1080p and has motion detection", + "i want a eye shadow stick", + "im looking for a quad core android tablet in black", + "get me a ready to eat cheese popcorn bag", + "i need blue and yellow headphones that have batteries included", + "i would like a laundry bag", + "i want a black ethereal nail polish organizer case", + "im looking for a rca 3-device universal remote control for repacement", + "i need a high heeled sandals of 6.5 size for daily use . and please get me the gold-2 one", + "i am looking for a 32 inch by 48 inch ready to hang hand painted painting", + "i want a stainless steel ladies eyebrow razor shaver", + "i want to find a printed backdrop that is 5 by 7 feet for a digital photography session", + "i am looking for 36 high protein chocolate caramel snack bars", + "i need water resistant snow boots that are smoky black and are in a size 6 women", + "i am looking for a wireless hidden camera that can be easily used with shirts pocket", + "i am looking for b color eyeshadow that is long lasting", + "i need an iphone case that is easy to install and use. i am looking for something in green marble gold", + "i am looking for tv stand made of tempered glass that has fww color. and i would go for a size of 63\u201dwx17.7\u201d h x13.78\u201d d", + "i am looking for ultra hd surveillance dvr kits", + "i want a hunter colored and heavy duty gorilla grip bath rug mat", + "i am looking for a body scrubs for dead skin", + "i am interested in buying sweatpants for men which can be machine washed have navy color, and are large size", + "get me height adjustable pendant light with easy installation feature for dining room and in large wood chandelier size", + "i am looking for quick release underwater photography", + "i am looking for a high quality round head 70x185cm spa bed cover", + "i need high quality size 23 makeup brushes", + "im looking for an oil free concealer. can you get the one in shade 9?", + "i would like a red cupcake topper for a birthday party", + "i am looking for caffeine free coconut almond flavored carob bars", + "im looking for a pair of walking shoes in size 12 wide. choose the ones with synthetic sole and in navy-microfiber color", + "i want a tea tree conditioner that is sulfate and paraben free. pick a pack of 2 containing 6 ounce", + "im looking for classic cut wig for women", + "i would like a pair of extra large darkgrey sweatpants with a elastic waist", + "i need a red sports coat that is slim fitting", + "i want gluten free classic chili chicharrones", + "i want oatmeal columbia mens bahama with rubber soles", + "i want to find a 52 x 84 inch set of living room curtains that are snowman colored", + "i need a wallet that goes with my blouse", + "i am looking for a high quality waterproof makeup bag that can be cleaned easily", + "i need to buy a flat-packed ottoman. look for one thats white", + "i need some non gmo, keto friendly ghee butter that is shelf stable", + "i want large machine washable belaroi plus size tops for women", + "i would like a portable bluetooth speaker with stereo sound", + "i want dual band upbright 5v ac/dc adapter compatible with zboost", + "i need a wall mounted white coat hook", + "i need tv antennas that are easy to install", + "im looking for a straight leg mens jeans made of cotton spandex material with button closure. also choose big and tall, 443 * 32l with shooting star one", + "im looking for a womens large lightweight jacket that has soft material and faux fur it should also be red plaid colored", + "i am looking for relaxed fit women clogs of size 13", + "i want an orange spencer modern contemporary table lamp for my living room", + "im looking for a 8 ounce of quality ingredient ranch dressing", + "im looking for wall art for living room the color was inspirational", + "i would like some non gmo gluten free snack food", + "i need an antique walnut bed frame in a walnut color", + "i am looking for a non gmo gluten free spicy salad dressing ketchup", + "i would like a 38 mm gold apple watch band", + "im looking for clothing for elastic waisted it will use for machine wash need to buy it", + "i am looking for a kit of teeth whitening & sensitive teeth", + "a dining room table cover table protecter size 42 *90 inches can be clean easily", + "im looking for heavy weight paper plates", + "i will like to have the low fat silver hills steady eddie bread, made with organic sprouted grains, non-gmo, the big 16", + "i would like some stainless steel sheers to cut my hair", + "i want to get some baked fresh pretzels. can you get me 6 of them?", + "i want to find long-lasting eau de toilette from chanel", + "i am interested in solid wood storage cabinets", + "im looking for personalized photo and name flip flops that are non slip and have memory foam. also, i need them in black", + "i want a black playstation 1 console airpods water proof case", + "i am looking for a high speed 50 foot 8k hdmi cable", + "i want buy a large wall mounted storage organizer basket ", + "i am looking for a gift basket for teacher which is hand crafted", + "find me a dual band signal booster", + "im looking for a grey 3 seater living room sofa", + "im looking for grey flannel home and kitchen products for decore it", + "i am looking for toothbrushes for children aged 6-12 that are pink and easy to use", + "i am looking for some high quality nail stickers", + "show me a apple compatible white sport band made from stainless steel and in 40 mm size", + "im looking for a u-shaped toothbrush for my childs sensitive teeth that is aqua colored", + "im looking for a honey bbq tuna ready to eat 2.6 ounce", + "i looking flavor syrups french vanilla flavour bpa free non gmo gluten free size 33.8 fl oz", + "i am looking for some high quality 14mm false eyelashes", + "i want red lucky brand womens low rise jeans", + "i would like a black race style video game chair with good lumbar support", + "i am looking for a long lasting rechargeable hair clipper", + "i am looking for a glass shade candle sconces", + "im looking for a dust brush that i can use for my nail art which is easy to use and clean", + "im locking for blueberry lavender flavored almond beverage", + "im looking for an easy-to-clean snow-white rug", + "get a heavy duty double toggle wall plate cover", + "i need some gluten and dairy free fruit snacks", + "i want a high power bluetooth speakers with quality bass. pick a pink one", + "i need a machine wash, red tooloud italian flag the medium size", + "i need some dark gray cotton trousers", + "i am looking for sugar free flavor syrups that come in a three pack and are amaretto", + "im looking for a handyulong womens high waist bootcut yoga pants", + "i am looking 25 pound high protein dietary fiber wheat flours & meals", + "i am looking for some gluten free soft blue edible brew dust", + "im looking for boxer briefs for men", + "i need a navy machine washable twin quilt set", + "i would like 100 bags of green usda organic tea", + "im looking for a 2.82 ounce (pack of 12) non gmo bagel chips", + "i need to buy a machine washable purple t-shirt that says hello, my name is jennifer. please show me the womens size xx large", + "i would like a 10.6 ounce combo pack of low carb, keto friendly chips", + "im looking for some keto friendly peas and beans", + "help me buy an easy to use eyes mask that helps to reduce puffy dark circles. please select the red one", + "i am looking for a 5 no. rubber sole of road running shoes", + "i am looking for a round w | glass top coffee tables for living room", + "i am looking for a black portable bluetooth speakers which is easy carry", + "i need a super soft area rug that is white", + "im looking for a certified organic castor oil. choose the ones that come in 16 oz package", + "i want to find a desktop computer that features ryz 5 pro 3400ge, 32 gigabytes of storage space and 500 gigabytes on the ssd card. it needs to have a quad core processor", + "im looking for a peanut crunch popcorn that could be a perfect gift for my friend", + "iam looking for a grey-grey tempered glass conversation sets", + "i am looking for levis mens 550 regular relaxed fit jeans", + "i want a 4g lte verizon signal booster", + "i am looking for a fluoride free foaming toothpaste with a cinnamon tea tree flavor", + "i need a gingko light and 20x20 pillow cover that is hand painted", + "i am looking for a 4x-large regular fit henley shirts for men", + "i need a easy to assemble white colored desk for home office", + "can you find me a rose hydrations set to take care of my skin that has natural ingredients like green tea?", + "im looking for watkins red velvet 2fl oz (pack of 12) with natural flavors", + "i am interested in wedges that are teal with memory foam in a size 9.5-10", + "i want a moonlight lip glosses that is cruelty free", + "i would like a pair of black binoculars for bird watching", + "i need a large size white color line art graphic needle sleeve t-shirt for women", + "i am looking for a artisan gold color flipflop having rubber sole", + "i am looking for a chestnut colored synthetic hair wig", + "i want to find an extra-large black womens blouse that is loose-fitting", + "i am looking for heavy duto wall plates that are an outlet combo", + "find me a caffeine free and sugar free herbal tea bags 5 nos for good health", + "im looking for white finish for kitchen and it was assembly required", + "i want to find some whitening toothpaste for sensitive teeth. the color should be orange and ideally itll come in a set of two", + "get me some triple dog dare jerky. it should be high in protein and low in fat", + "i would like a stainless steel adjustable base", + "i want a pink niuta 2 pack hair towel wrap for dry hair", + "i would like a two pack of tempered glass screen protectors", + "i am looking for a red faux fur jacket that is in a small", + "i want to buy some cc cream with hyaluronic acid and color light in size .4 oz", + "order for me clear 2l -brass & glass globe shade for light fixture in my living room", + "im looking for an intel i5 desk top pc with 32 gigabytes of ram and a two terabyte ssd", + "i need some machine washable curtains for my kitchen in white or black", + "i would like a single spring 4mm jaw nail clippers made of stainless steel", + "im looking for long sleeve sweater dry cleaned caramel cafe colored because its easy to dry", + "i am looking for along lasting t-shirt for a adult with quality material which washable in machine. also choose depaul- navy color and x-large size", + "i would like some blue noise cancelling headphones", + "i am looking for some pink cupcake toppers for a birthday cake", + "i looking foot files for removing dead foot skin stainless steel can clean easly set of 20 pcs", + "i am looking for ready to eat peanut butter and jelly", + "im looking for a pair of mens sandals that provide a leather sole, which are grey and sized a mens 14", + "i want to find an xx-large black mens pullover made of soft, warm material", + "i am looking for a high powered digital amplifier board", + "im looking for a gray blue, apple compatible, case for apple airpods that also charges", + "i am looking for 2 pack of 20ft long quadshield solid copper black color indoor and outdoor coaxial cable", + "i want a walr, vr bluetooth remote controller and virtual reality googles with included batteries", + "i want a 8.5 fl oz of volumizing oil free biotin shampoo", + "i need some serum that is for anti aging and doesnt have smell. cruelty free is necessary. i only need a 1 oz portion", + "i would like a linen 33x31x33 centimeter ottoman for my living room", + "im looking for a tea tree oil shampoo", + "i would like to buy a navy star wars top in a small mens size that is also machine washable", + "i need laser ipl hair removal", + "im looking for a long-lasting hydration hair treatment spray", + "im looking for open and closed toe sandals for buy it", + "im looking for lumbar tassel tufted pillow covers", + "i need a bottle of marc anthony argan oil", + "im looking for an easy to use case for iphone 12 pro max in color black", + "can you get me a queen sized pillowcase set in lavender?", + "i am interested in buying baseball t-shirts which can be machine washed and are classic fit, while the color should be either navy or white, and i am interested for a medium size for women", + "i am looking for 9x 12 size modern ombre that fits for my living room. and i would prefer the purple one", + "i am looking for steel toe shoes for men that are a size 8.5 wide", + "i am looking for a bathroom light with farmhouse vanity light", + "i need a high quality elastic tie for my hair with a light blue band", + "im looking for a phocus caffeinated sparkling water ", + "i am looking for a c colored toothpaste with natural ingredients and which is also fluoride free", + "i need a black camo headset with stereo sound and noise cancelling microphone", + "i need a purple body brush for sensitive, dry skin", + "i need a conditioner for dry hair that comes in 1.8 fl oz and will give me ultra volume", + "i need 12 inch blue hair extensions that are made from natural hair", + "i need a xtreamer that plays blu ray discs", + "i would love some water resistant eye shadow that is coral colored", + "i am looking for a 47 piece farm animal cake topper set for a birthday cake, we are having a birthday party", + "im looking for a splitter for high speed coaxial cable", + "i need some ready to eat snack packs", + "i am looking for an old bronze vanity light", + "i am looking for a computer gaming chair that has lumbar support", + "i am looking for some gluten free powder coffee creamer", + "find me a classic-fitting womens tank top in navy that says why yes theyre real boobs on it", + "im looking for a thirty inch mirror for my living room thats easy to install. it should also turn into a lighted lunar picture", + "i am looking for womens t-shirt of white color having short sleeve", + "i would like a stainless steel facial roller", + "im looking for orange spice tea that is caffeine free and organic", + "i need water resistant snow boots that are smoky black and are in a size 6 women", + "i am looking for certified organic sandwich crackers", + "i am looking for a gluten free jerky", + "i am looking for a pair of grey size 11 mens running shoes", + "i am looking women hairpiece of 80cm size that are of high quality and easy to use", + "i want to find an unlocked pink s21 android phone that has a camera with an optical zoom feature. it needs to have 256 gigabytes of storage space and ideally itll come with a black case", + "i am looking for a high quality cosmetic bag of butterfly-1 color", + "i am lookinf for pink hair rollers for natural hair", + "metal pendant light that is height adjustable also choose in metal", + "i looking for 8 oz resealable bag in 4 oz", + "i am loojking for a aluminum alloy single microphone set having black and red color", + "i am looking for optical zoom cameras", + "i need a heavy duty beauty salon chair in black", + "i want indiana jones raiders of the lost ark party supplies", + "i need 5ft power cord cable for blu ray player and home theater system", + "i am looking for single pack of 8 ounce size containing artificial colors cherries", + "i am looking for some honey dark colored paraben free powder foundation", + "i am looking for a hair mask that will treat damaged hair", + "im looking for a marys gone crackers real thin crackers", + "i want to purchase a machine washable maroon-colored long sleeve mens t-shirt. my size is 3x-large", + "i am looking for corner shelf of size 5-tier for my living room", + "find me a zero sugar grape flavored water", + "i am looking for a white and black heavy duty steel frame computer desk", + "i am seraching for energy drink with natural berry flavors which was low in calorie and sugar - 4 packet - drink mix", + "i would like a purple phone case thats compatible with an iphone 13 pro that has tempered glass and wireless charging", + "i am looking for multi 06 color duvet cover set for king size bed", + "help me find a 3-pack of soft and chewy licorice candy twists; id like a variety of flavours but it must be fat-free", + "i would like a queen sized black bed with a box spring mattress", + "i am looking for steel frame chairs in grey color", + "i am looking for a tousled bun hairpieces for hair salon", + "i need wireless charging with white color", + "i am looking non slip glass screen heavy duty protective case cover -purple", + "im looking for a pack of 24 count of breakfast bars gluten free", + "i am looking for a small low rise briefs for men", + "am searching for low rise handyulong plus size womens jeans size 5x-large", + "i want to find an office chair featuring white faux leather, a rose gold frame, and great lumbar support", + "i am interested in non gmo puffed snacks", + "i am looking for black power amplifier speakerphones", + "i would like a high performance tablet", + "im looking for pomegranate blueberry flavored energy drinks. preferably with vitamins. i want a pack too", + "im looking for an 8 bay battery charger with rechargeable triple a batteries. it should be fast charging and have a usb port. get the one thats size 808u+8aa+8aaa", + "i am looking for easy to use marula oil hydrating shampoo", + "i would like a wolf moon hair cutting kit", + "im looking for chocolate covered for gifted to someone", + "i need to buy a silver eight light chandelier for my living room. i want one thats easy to install", + "i want to shop for a pair of high definition binoculars for bird watching. get type e.", + "i would like a extra large yellow button down shirt that is machine washable", + "buy me a machine washable button down shirt in 3x large", + "i am looking for a desktop that is a core intel i7 that has 8gb of ram and 512 ssd of storage", + "i want to find low sodium everyday seasoning that i can use, in both a 2 ounce bottle and a 2.5 ounce bottle", + "i want skateboarding shoes that have rubber outsoles. pick something in blue color", + "i would like a perfect gift basket for a happy birthday", + "im looking for color a recliner chair for hair salon", + "i need shoe mounts made with aluminium alloy", + "i need to buy some blackout curtains for my living room that are eighty-four inches by eighty-four inches. get the ones with trees on them", + "i would like a living room wall lamp that is in antique silver and has one light", + "find this product : gomacro macrobar organic vegan protein bars - oatmeal chocolate chip butter (2.4 oz. bars, 12 count) gluten free high protein", + "i want a 2 pound, pack of 1, chocolate covered hazelnuts", + "i want a vogu twin platform wood trudle bed for teens. i need it in white-6 color", + "i want an espresso colored cotoala twin size daybed", + "id like to find a twin sized bed with drawers for extra storage", + "i am looking for a high capacity, white tablet with an android operating system, micro hdmi and a quad core processor", + "i am interested in a brushed nickel light fixture that has two lights", + "i want to find a long-sleeve sweatshirt that features the charlie vaggie anime character on it", + "i need some eco friendly blackout curtains. it should be 52x45 inches in size", + "i am looking for a low fat low calorie jerky", + "i am looking for a high perfromance grey quad core tablet", + "i am looking for kids blanket of size 50x60 inch for my living room", + "i need 1080p wireless security camera with motion detection and cloud storage support", + "i would like a 0.17 ounce pack of gluten free oats", + "i would like a light weight computer speaker that is easy to carry", + "i would like a 10x8ft light weight photo background for my studio that looks good on digital photography", + "i am looking for a 3 color alarm clock having wireless bluetooth", + "i am looking for high quality dark red synthetic hair extensions", + "i am looking for a loose fit womens shirt with a short sleeve. also, i want the size of the shirt to be xx-large", + "i want an easy to use cd player that has batteries included", + "i am looking for individually wrapped lollipops jar. it should be in pearl kiwi green and green apple flavor", + "i am looking for high resolution digital camera. choose pink color", + "i am looking for a 4 pack of white chocolate macadamia cookies that are chipmonk cookies brand, low carb and gluten free", + "im looking for stretch fabric rubber outsole", + "i am looking for some x-large leggings that are moisture wicking and the color #25", + "im looking for ready to hang wall art with dimension 12*12 inches 3 pcs for living room. also look for red rose one", + "im looking for a long handle stainless steel nail clipper set with color 8592 black", + "i am looking for a round modern end table having 40x55cm size and is easy to clean", + "i would like some 18 inch high quality synthetic hair extensions that are gray", + "i need a three pack deodorant that is made for sensitive skin", + "i am looking for plant based, gluten free, chocolate chip blondie cookies that i can eat or are safe to use for my kids snacks", + "i want to buy a moisturizing milk purifying gel cleanser that is sulfate and alcohol free", + "im looking for a mini computer with 32g ram, 512gb sdd and 1tb hd with a intel core i9 for high definition", + "get me a hands free two way radio. get the two pack charging station option", + "i am looking for a solid wood bed frames of espresso color", + "i am looking for a contemporary designed coffee table with clear tempered glass", + "hello, im looking for dermatologist approved sunblock that leaves no scent? also, i want 3.4 fl oz", + "i am looking for a pair of grey running shorts that are light weight with an elastic waistband and have moisture wicking technology in a size small", + "im looking for a pair of womans olive camo yoga pants that are worn high on the waist", + "i would like a 3 pack of classic long lasting soap thats cruelty free", + "i am looking for rose pink color stainless steel bands", + "seeking a mens tech pique botanical polo that is short-sleeved, moisture wickering in a size medium showing navy blazer-ocean depths color made by puma", + "looking for one coloring beard with coconut oil and a real black color", + "i would like a long lasting 3.38 fluid out voyage perfume", + "i want a set of 2 mesh laundry bags sea turtle", + "i am looking for 3 pack easy clean natural skin massager for face", + "i would like two grey chairs and a end table with a steel frame", + "i need a short sleeved top for a teen girl. it should be xx-large in size", + "i want pineapple flavor gluten free nut free 8 ounce cooking and baking powder", + "i am looking for hair care conditioner for damaged hair having scent tea tree rosemary 33.8 fl", + "im looking for 10 inch android tablet with dual 4g lte", + "i am looking for a tripod that is compatible with apple and that is black and white", + "photography studio vintage house corridor a 16 10x10ft/3x3m features: high resolution size 7x5ft l 2.1x1.5m", + "i need a slim fit blouse that is a 4x large and is multicolored", + "im looking for smartwatch accessories for compatible apple and glass screen and need to buy it", + "i am looking for a multi-colored blackout window film for my living room", + "im looking for men hair removal cream", + "i need a height adjustable standing desk with steel frame. make it gray in color with an antique oak top", + "i would like a b type vr headset that has aaa batteries included", + "i need oil free 1 linen makeup foundation for women", + "i need to buy a light weight, machine washable tank top in brown, size small", + "i am looking for a hot buttered rum cocktail, 12.7 fl oz (pack of 1) to present as perfect gift", + "i would like some black phone system and a size 4 handset with a dual keypad for my computer. it also needs to be noise cancelling", + "i am looking for black color loop bands that are light weight", + "i want to find an xx-large pair of green womens leggings with a high waist", + "i am looking for lightning to rca cable audio aux adapter, stereo y splitter adapter with gold plated and plug play", + "i am looking for a 3 inch queen size memory foam mattress toppers", + "i need a space saving ottoman that is brown and 15 by 15 by 15 inches", + "im looking for clothing for classic fit for women classic fit", + "i am looking for a high performance dslr camera lenses that are certified refurbished", + "i need a face mask that is for dark circles and is clinically proven to work", + "i am looking for a jerky with low carb and high protein serving. also choose farmhouse garlic", + "i am looking for leak proof soap dispenser. please select white one", + "i am looking for a dark cherry | black corner shelves for living room", + "i am looking for rockandy peppered beef jerky ready to eat snacks in a 5 pack", + "i want to buy an air purifier candle thats soy wax. it should be falling leaves colored and in a 3 pack", + "im looking for groceries for simple ingredients need to buy it for house usage", + "im looking for a organizer for aaa batteries", + "i am looking for classic casual rubber sole soft walking slip-ons of size 10 with khaki lace up", + "im looking for hd tablets for style with keyboard-case and microsoft the color was black it was comes from long lasting", + "im looking for low sodium, gluten free everyday seasonings, 2.01 ounce (pack of 1)", + "i am looking for a refresher spray for the curl hair of my wife that is suitable for hair growth. and i choose the a pack of 3", + "i would like hard candy that is in a gift box and is chocolate covered", + "i would like a laundry bag", + "i am in need of a royal blue mens classic fit tank that is in a large", + "im looking for a blue wireless bluetooth headphones", + "i want a gray non slip dining chair cushion", + "i would like a grey area rug that is for the living room", + "i am looking for vintage style pendant light for a living room", + "prefer this brand wymans triple berry frozen fresh fruit | no preservatives, certified non-gmo, ready to eat. i count on your experience in finding what i need for today", + "i want a low sodium spice mix that has himalyan salt", + "i want a midnight blue and solid wood napa ottoman", + "im looking for groceries shop for buying zero sugar and the flavor was french vanilla", + "i am looking for pink wireless bluetooth headphones that have the hands free calling feature", + "im looking for a pair of stainless steel barbers scissors for cutting hair", + "i am looking for brittle color organic chocolate", + "id like to view a pair of machine washable regular type denim jeans for men", + "i would like a beige type 4 sofa for my living room", + "i want to buy waffle cookies which are non gmo and come in a single package and have 28 pieces", + "im looking for a high performance and high definition bluetooth speakers with stereo sound effect. also, choose golden colored one", + "im looking for a high quality plant based vitamin c serum that contains hyaluronic acid and made of natural ingredients for treating dark circles and fine lines", + "i need a 60 inch projector screen with an aspect ratio of 4:3 that mounts on the wall. it should be easy to install it", + "i am looking for high performance gamer computer with 64gb ram", + "can you find me some high speed hdmi cables? i really want the ones that come in a 3 pack", + "i am looking for a blue, long lasting case for a galaxy s22 5g with wireless charging and tempered glass", + "i need18 count box of tea bags (pack of 3) caffeine free herbal tea", + "i would like to have bike shorts with elastic waist which are in bold blue color and x-large in size", + "i need a pack of 2 fine-tooth dressing combs that are effective in styling as well as preventing hair loss", + "i am looking for a tattoo machine that is easy to use", + "i am looking for soft toe work shoe slip resistant in 10.5", + "i need a golden color cupcake toppers for my wifes birth day party", + "shop for a laptop thats intel i5 quad core, with 16 gigabytes of ram and a 512 gigabyte ssd", + "im looking for a color b quick release thumb screw tripod", + "i would like high power amplifier", + "im looking for a red hand washed tanks & camis for women", + "i am looking for a good freeze dried food for my dog", + "i am looking for a super soft bed blanket that is 40inch by 30inches and has llamas", + "i am looking for black color high definition bluetooth speakers", + "i am looking for low calorie gelatin mix", + "i want dark red and stainless steel asjmr outdoor patio furniture", + "i want a long sleeved brown shirt that is in a medium", + "i am looking for a synthetic sole flip flop. also, choose munsell white color and 5 narrow size", + "i would like a pair of light blue size 6 sneakers with rubber soles", + "i am interested in purchasing keto friendly protein power in creamy vanilla and raspberry lemonade flavor", + "i would like a 12 by 12 inch poster in three panels i can hang readily in my living room", + "i am looking for a white02 high quality hair cutting kits", + "find an light brown organic hair dye that is also usda certified organic and is also cruelty free", + "i am looking for 8.5 size green color low heel day comfort short ankle booties for women", + "i need knee high socks that are ivory", + "i am looking for best toothpaste for my sensitive teeth", + "i am interesting in having denim pants which have high waist and are loose fit, and i prefer to have them with blue color, also size of 10", + "im looking for an ornament sculpted from iron of a mother and child that i can put in my living room", + "i would like hair extensions that are 14 inches", + "im looking for a gluten free flavor syrups", + "i am looking for an easy install home office chair with lumbar support. i would prefer a grey colored one", + "i want gray aodong open toe sandals for women", + "i am looking for plant based chocolate chip cookies that have peanut butter and come in a pack of 16", + "i want sure unscented, anti-perspirant deodorant", + "i am looking for a vanity light wall lamp with clear glass also choose 01 - 1 sconces light in color", + "for my work i want pro studio solutions ez pro beauty dish octagon softbox 60in (150 cm) with speedring, sturdy. contact me if you find", + "i need some relaxed fit pants that are gray and are a size 3x", + "find me a long sleeve top for my teenage girl. she is x-large", + "i am looking for a loofahs for dead skin", + "im looking for a pair of red, relaxed fit, pajama bottoms", + "so i would like to find a mens blazer. it needs to be a size 40 and it has to have buttons for those cold windy days. ideally, make sure it is grey with a slim fit as well", + "i would like a two meter in diameter photo background that is easy to carry", + "i am looking for a portable artist storage bag for nail polish and makeup things. also choose corgi-1 color", + "im looking for a room divider panel in silver with wood frame", + "i am looking for a white bed frames", + "i would like 10 ml of lavender face oil thats high quality", + "i would like a womens xl dark heather cotton tank top thats machine washable", + "i would like to buy mixed nuts which are non gmo, and have a roasted crunchy mix flavor while the size should be 2 pound", + "i would like a 400 lb bulk bag of certified organic gluten free oatmeal", + "i would like to buy some hair growth treatments made from natural ingredients", + "i would like a charcoal oval rug thats 10 ft x 13 ft and easy to clean", + "i want pure certified organic bpa free coconut oil for baking and cooking purpose size :128 fl oz", + "i am looking for a dead sea skin care mud mask that is cruelty free and contains aloe vera gel", + "i want to find a package that contains two high speed hdmi cables that are each 100 feet long", + "im looking for a medium sized loose fit tank top. also, look for tie dye navy one", + "i need a non slip carpet with 47 inches x 31 inches dimension", + "i am looking for some blue daily casual jumpsuits that are a medium size", + "i am looking for travel foaming dispenser for hand soap. please choose rose gold and silver pump head", + "i am looking for a 2bottle color floride free teeth whitening toothpaste", + "im looking for rubber sole for shoe for mens the color was blue", + "im looking for steel toe blue in color it was easy to use", + "i need some fat free popsicles", + "im looking for a 32 ounce bottle of peach flavored ready to use syrup", + "i am interested in a meal kit from trader joes", + "i would like to buy a 90x200 cm pink futon mattress with memory foam for my living room", + "i need a cosmetic bag for my nail polish. get the one in color eleven", + "i would like a bakers rack that is space saving", + "can i get some chandelier vanity lights with a bronze finish?", + "im looking for low sodium tuna fish in a 6.3 ounce container , preferably in a 6 pack . please also select the ones that have been flavored with tomato & olives", + "i would like to buy a colorful blouse hosiery laundry bag", + "what scented candles that are lead free are available in wild lavender scent?", + "i need a remote control that has batteries included", + "i need a 7 layer bookshelf for my living room", + "i am looking for organic india tea bags . it should be usda organic certified", + "i want a 0.15 ounce bottle of gmo free himalayan pink salt with a medium grind", + "i would like to get a four drawer linen night stand with a lot of storage space", + "need a large sleepwear pajamas in gray with elastic closure", + "i need gold plated red rca cables that are 1.6 feet", + "i am looking for hair growth treatment for damaged hair. find me a pack of 2", + "i would like 72 one ounce bags of bbq and pineapple jerky that is non-gmo", + "i am looking for gluten free and crispy potato snacks with barbecue flavour ", + "i would like to get a six pack of low calorie energy drinks", + "i want window curtain panel for leaving room easy clean size :52*72in color peacock 4lop0447", + "im looking for a protective case for the apple watch that contains a rose pink box cover", + "i am looking for an easy clean rug that is red in color", + "i need an easy to install anti-dust plug for an iphone 13", + "i need a tee tree based scalp treatment hair care product, which is good for dry hair", + "im setting up for a birthday party and im looking for some party supplies. can you find me a cake topper?", + "i am in need of a sunflower piggy printed protection case cover for iphone 6 plus", + "i need a high speed, high performance fifteen foot hdmi cable. make sure its gold plated, and buy it in blue", + "i need fast charging charger with white color", + "i want to find an oral patch that i can use to control bad breath odor", + "i would like a 15 count herbal tea pack that is non gmo", + "i need a wildlife novelty polyester cotton multi color sock which is suitable for womens 6-11", + "i need a 25 pack of herbal tea that is caffeine free", + "i intrested natural flavors pure chocolate extract gluten free 8fl oz", + "im looking for clothing for water resistant and fleece lined", + "i want to find a large pair of pink stretchy yoga shorts for teen girls", + "i am looking for natural flavors and high fructose pineapple juice marinade", + "i want round shape home furniture", + "i want to find an orange color corrector for my teeth, which are very sensitive", + "i want a black non slip cordking designed for iphone 12", + "i need low rise boot cut pants in grey color", + "i want long lasting king size headbord color : white queen wingback", + "i want a 89 stone & beam dark grey leather sofa with a wood frame", + "i would like fruit and nut bars that are soy free", + "im in need of a large, 32 ounce bottle of conditioner that is both sulfate and paraben free. i would also like it be completely non-toxic", + "i would like a 16 ounce bag of sweet potato gluten free flower", + "id like to get mens straight-legged jeans that are 38 centimeters in width and 30 centimeters in length. the color should be waterless rose", + "i would like a cookies gift basket", + "i would like a gmo free 2.5 ounce pack of dried berries", + "im looking for a high performance hdmi to displayport adapter cable thats easy to use", + "i want blueberry hemp organic super food energy bites", + "can you get me a white bookshelf with a white finish? i want to get the one with one door", + "i want black qinxiao simple computer desk with metal legs", + "i need some slim fitting pants that are desert rose colored and are a size 8 short", + "i am looking for a long sleeved medium sized sweatshirt", + "i am looking for a 30 foot gold plated high speed hdmi cable", + "i need an accessory for the ultra hd system", + "i want gray high waisted aleumdr womens yoga outfits", + "i need some gourmet dining room curtains at around 52 inch width", + "i need one living room table", + "i want to find a camel-colored tissue box cover that is made of pu leather", + "i am looking for quick drying x- large womens bathing suit", + "i need a cake topper for a birthday party", + "i would like a pink classic fit shirt for men that is a size 4t", + "im looking for an easy to clean coffee table for my living room. i want one thats in a modern style with natural wood", + "id like to shop for a vanity light with a bronze finish and glass shades", + "i need a remote control with aaa betteries", + "look for a sixteen ounce bottle of shampoo thats paraben free and plant based", + "im looking for grass-fed gluten free beef jerky meat stick flavored wild ginger. i need 16 sticks (size)", + "im searching for blue color autumn winter shoes of open toe style and size 8", + "find me a high performance cooling fan with usb port. pick me 1 pack", + "i am looking for leak proof travel bottle. please choose pack of 50", + "i would like non toxic press on nails that are the color jp939", + "can you find me a pair of mens non-slip beach sandals with arch support? i want a pair in size 14", + "i am interested in a long sleeved large button down shirt", + "go ahead and order that rhinestone top in small, with long sleeves", + "i am looking for a local gold hands free wireless earpiece with mic", + "i am looking for a metallic gray coat rack that is easy to assemble", + "i want a grey fast charging usb c to lightning cable", + "i am looking for a 7x10100%light density high quality hairpieces", + "im looking for a long lasting eau de toilette for women", + "my order is : a pair of twisted x mens chukka riding mocs - handmade riding mocs in full grain leather with special size 14-d. let me know if you can find it in bombe/neon orange. im also looking for a rubber sole", + "it was time for his food high density breakfast, so kitchen background color is black", + "i want a bag of natierra freeze dried strawberries + apples", + "i use olive color moisture wicking", + "im looking for made for cupcakes to birthday party it is easy to make", + "im looking for a snow white vanity stool thats 16.3 inches in diameter and 13 inches in height. it needs to have a contemporary design", + "i need an outdoor tv cover to dustproof a 51 inch television", + "i need a new end table for the living room. get me a pink one", + "i need some hair extensions that are dark brown and 18 inches", + "i would like a pack of spicy sriracha bacon jerky that is ready to eat", + "i want an espresso prepac astrid 6 drawer solid wood tall chest", + "large size hand washable silk satin pajamas with elasticwaistband", + "i am looking for some anti aging revitalizing shampoo and conditioner with natural ingredients", + "i would like a pair of 38 mens grey hiking shoes with a rubber outsole", + "i need a medium sized board shorts with a elastic waistband", + "i need to get blue tongue cleaner that is stainless steel", + "im looking for a 60 floating tv console that will be best as media storage unit and has stone gray color", + "i want to buy some hair growth shampoo that is bamboo and charcoal scented in a 10 ounce bottle", + "i am looking for travel laundry bag for underwear ,bra lingeries", + "i am searching for rubber sole loafers with 7.5-8 size and royal blue color", + "im looking for a leather slingback flat sandal", + "im looking for a pair of low rise boyfriend jeans in antic charcoal. i need a 28 waist and 32 length", + "i am looking for a c- -coffee collection color acrylic nail tools for mnail art", + "buy a 20ft video cable that has aluminum alloy", + "i am looking for 3.3 ft usb cables compatible with apple", + "i am looking for low fat high protein salted toffee pretzel protein bars", + "i want a black folding chair with a steel frame", + "im looking for hair removal of mens it was personal care in beauty", + "i want 24 bags of non gmo bare baked crunchy apple fruit snacks", + "i am looking for a plant based probiotic tea", + "im looking for oral hygiene because the bad breath affect our whole body", + "i would like to buy a slip resistant womens clog having rubber sole in size 11", + "id love some help finding some organic beard growth oil that can treat hair loss", + "find me a gold plated stereo audio cable that works well with a power amplifier and is 5ft long", + "i want to find an office chair that offers lumbar support. i also want to be able to adjust the height", + "i just ran out of my foundation. i need you to buy me another one. make sure it is the mehron brand, is cruelty free, and oh! make sure it is the small one. i think it is .75 ounce size", + "i am looking for an easy to use yellow childrens toothbrush", + "im looking for a size 40x30 inch super soft cute cartoon dinosaurs", + "i want to find a womens long-sleeve jumpsuit in a medium size with the 13 color", + "i am looking for a 9 piece hair growth herbal spray", + "i need a baltimore ravens fleece lined jacket with imported zippers", + "im looking for a oil free cleansers for acne spot", + "i need to buy a nine foot round rug in ivory and green for my living room", + "find me some highly pigmented eye shadow in color b", + "i would like a white mirror for hair cutting", + "get me a large sized machine washable womens v neck printed top made with polyester spandex and in 2 red-103 color", + "i am looking for chocolate covered raisins", + "i need a california king mattress set that has a 4 foundation", + "i would like to buy a 12-pack of low sugar oatmeal cups that are high in protein", + "im looking for mens underwear, low rise briefs size extra large", + "im searching for a rubber soled mens loafer that has memory foam and is size 13 extra wide. preferred color is birch", + "i am looking for a breathable and slip resistant shoe with rubber sole for men. also choose size 8", + "i need a 0.5 ml serum for my dry skin", + "i want anti aging collagen cream for face", + "i want to find some bpa-free bottles of strawberry flavored emulsion extract. please find a package of six 4-ounce bottles", + "i need a a23 colored light weight background", + "i would like a 13.5 fluid ounce bottle of vanilla body wash that is paraben free", + "i need flouride free toothpaste", + "can you direct me to an office desk thats easy to assemble and the size is 40x24? thank you", + "i would like a chocolate covered fruit from trader joes", + "i would like a samsung galaxy note 20 that is fast charging and green", + "i need a small sleep set that has an elastic waistband", + "im looking for a maple bacon gluten free with natural flavor, flavor pure orange and size 2 fl oz 24 pack", + "i would like some long lasting anti perspirant", + "i want black columbia womens tidal elastic waist pants", + "i want an i5 intel core mini pc. it should be 10300h", + "i want a swappable top for my phone with wireless charging. it should have jacksonville jaguars logo", + "i am looking for natural ingredients handmade pasta linguine of size : 1 pound (pack of 5)", + "i am looking for hdmi adapter having usb port", + "i would like a 10.6 ounce coffee crumble that is low calorie", + "i need a bpa free jar that is black", + "i am looking for a cover that has a glass screen and is blue", + "i would like a 3xl blue long sleeve polo", + "i am looking for a pair of dark blue noise cancelling wireless bluetooth earbuds", + "i am looking for a large size mens t-shirt for gym workout with classic fit. also choose purple in color", + "im looking for cosmetic container need to buy a high quality green colored want to buy", + "i would like a rose gold single wireless bluetooth speaker that is hands free", + "i need a medium pant that has an elastic waist", + "i am looking for tempered glass for samsung galaxy s22 ultra", + "i am looking for modern easy clean luxuriously soft round area rug of size 7 ft x 7 ft", + "im looking for a body brush to remove dead skin", + "im looking for long sleeve tops it can makes feel comfortable", + "i need 8 hd display, 64 gb quad core tablet with lockscreen ad-supported", + "i want to find some whitening toothpaste that treats bad breath", + "i want a dual band beelink u59 mini pc with u59 8+256g", + "i need a heavy duty king sized bed frame", + "i am looking for a loose fit cami that is black and an x-large", + "i am looking for plastic refillable spray bottles that are easy to use", + "i need a seventeen ounce sprayer bottle with a fine mist. i want a black one", + "i want to find a silver gray bluetooth projector that has blu ray", + "i would like a pair of size 7.5 wide khaki flat sandals with a closed toe", + "i need a usb flash drive that can carry 512gb and is in the style of istorage miscrosd card and datashur sd drive", + "i am looking for loose fit small size pajama pant", + "i want to buy a bed frame that requires assembly and is white and full size", + "im looking for a teeth whitening electric toothbrush in the color blue", + "im looking for wall art pictures for hanging through the wall", + "i need blue cupcake picks for a baby shower", + "im looking for hair rose gold colored products", + "i am looking for a black slip lasting walking shoes", + "i am looking for 2 nos high back armrest 3d mesh lumbar support office chair with red color", + "i am looking for a samsung mobile with 512gb internal memory and phantom gray color which is for easy use. also choose s21 ultra + case black", + "i am looking for a 16 inch hair extensions storage case", + "i need xx-large tall , charcoal color lightweight womens cotton spandex soft jogger pants with zipper", + "i am looking for a fully assembled storage unit made from plywood", + "i need 5.1 ounce rosemary roasted gluten free garlic seasoning, (pack of 1)", + "i would like a purple 3.35 inch hair clip for hair styling and cutting", + "i need portable speakers that are bluetooth, high powered, and have stereo sound. im looking for k9 2ng gen color", + "i am looking for resealable snak club antioxidant trail mix. 5.5oz packs of six", + "im looking for eco friendly window curtain panels for living room and dining room. also, choose 27.5 * 39 *2 panels with christmas-049zse9572 colored one", + "im looking for buy a rugs for kitchen rugs", + "i want to find a plum fire hd 8 tablet with a quad core and 32 gigabytes of storage space. it needs to have a lock screen and come with a case and screen protector", + "i am looking for gluten free, non gmo and dietary fiber organic green banana flour with size: 1 pound (pack of 2)", + "i am looking for terrace garden style conditioner that are eco friendly", + "im looking for color a recliner chair for hair salon", + "i need a yellow colored slim fit t-shirt that has short sleeves", + "i need a gm workout tee that is pink", + "i need white womens high waist bell-bottomed pants in size x-large", + "i would like a 7 by 5 foot long photo backdrop that is light weight and easy to carry", + "i am looking for a high definition binoculars & scopes", + "i am looking for a photography background that is lightweight in the color a16 and that is 7 by 5 ft", + "i would like a mens 3xl baby blue t shirt made of heather cotton", + "i want to buy cupcake toppers which are suitable for valentine day and have a red color", + "i am looking for contemporary designed rug of 3.ftx 5ft", + "im looking for a 7 ounce chunk chicken creast in pack of 2 and fat free", + "what face rollers do you have that are easy to use and for dry and sensitive skin? i would prefer it in blue", + "i need round table pads that are heavy duty and are a size 33.5 by 55.1 inches", + "im looking for a cruelty free body wash, preferably citrus and mint scent", + "i am looking for long lasting cool water candles", + "im looking for a 1-pound pack of individually wrapped candy bars for a birthday party or valentines day in a resealable bag", + "i need a pack of lip balm that is made of coconut oil", + "i am looking for a 11 sized walking boots for outdoor activities. and i would go for the black one", + "find me a plant based body scrub to remove dead skin and which contains argon oil in toasted coconut coffee scent", + "in the accent furniture section, i am looking for an ottoman bench. must have folding storage, memory foam, contemporary style in the color black, and 30 inches in size", + "im looking for a pair of high heeled, rubber soled pumps. pick the black suede ones in 9", + "i am looking for a perfect gift of cookies having flavor name assorted flavors", + "i want to buy a bronze finish pendant light, in brushed nickle color", + "i want to buy organic ghee which is non gmo and comes in a pack of 2 at 16 ounces", + "looking for spicy sea salt with low sodium and smoked & infused", + "i am looking for a heavy duty universal projector case", + "i am looing for a fog color hair drying towels which is easy to use", + "i am looking for a high quality lhc full french lace mens toupee european virgin human hair bleached knots hair systen, also color is 720# very light brown with 20% gray", + "i want green comfy womens closed toe clogs shoes", + "i am looking for a dairy free, and soy free vegan mac and cheese, id like to get a four pack of them", + "i need a vanity light with four bulbs and glass shades", + "im looking for a 37 inch metal and wood platform bed frame with chestnut brown, queen by zinus suzanne", + "i would like to buy water shoes which are anti slip and are in black color while the size should be 11.5 for women and 9.5 for men", + "i am looking for eco friendly scented candles", + "i would like a pair of 4xl gray pants with a elastic closure", + "i am interested in buying a contemporary bed which has wood finish and is california king size", + "i am looking for a 2 pack of pendant ceiling lights for my dining room", + "mini pc with intel core i7 processor", + "im looking for a package of green tea mix that has low calories and is zero sugar. i would also like it in a 48 count package", + "i am looking for a digital coax cable + connector n-female to n-female", + "i am looking to buy an ultra hd, motion detection hidden camera charger", + "i want a pair of ethylene vinyl birkenstock arizona sandals in size 9", + "i am looking for a 1blue & 1green & 1orange with noaa | usb charger | usb cable | battery | lanyard color of two-way radios which is easy to use", + "i would like a birch bar cabinet for the dining room", + "i am searching for beige color memory foam upholstered fabric platform bed", + "i want to find a 16 ounce box of certified organic hair loss treatment with an herbal magic scent", + "i want to buy a hairbrush that increases hair growth", + "i am looking for a height adjustable office chair in white gold", + "i am looking for a high speed 50 foot 8k hdmi cable", + "i am looking for esay appluing extra shine and long lasting cosmetics in kit 1 color", + "i am looking for high quality glass spray bottle of 3.40 ounce", + "i am looking for a gold plated high speed 75 foot hdmi cable", + "im looking for shoot digital camera with inspire digital cloth", + "i need a certified refurbished hp laser printer", + "i need a 64gb, high performance usb flash drive", + "im looking for massage table sheet sets", + "i want a black executive office chair with footrest lumbar support", + "i am looking for a gluten free almond flour with 32 ounce (pack of 4)", + "i want glitter for body make up for nail art decoration size 10 g color bronze holographic", + "im looking for an 8 oz, paraben free hair regrowth shampoo", + "i want to find a doctors stool with cinder-colored fabric. it needs to be 18.5 inches to 24 inches tall and be height adjustable", + "i want a bag of natierra freeze-dried pineapples", + "i would like a body scrub that is eco friendly", + "i am looking for a classic fit medium t-shirt that is cranberry colored", + "i am looking for a plug and play red mouse", + "i am looking for stretchy band compatible with apple watch band 42mm", + "i would like some non gmo sugar", + "i am looking for large dark grey pajama pants with an elastic waist", + "im looking for a hollywood style vanity lights which is easy to install", + "i am looking for a silver quad core tablets", + "i need a pack of 3 natural labs 8 oz green color travel bottles", + "i am looking for a high quality 25mm false eyelash extensions", + "i want to get some lemon sesame and ginger tuna salad that is wild caught", + "i would like three packs of two ounce teriyaki low calorie jerky", + "im looking for skin buttock lifting clothing it can use for machine washing", + "i want an aura white and fast charging samsung galaxy note 10", + "i am looking for high quality pink color bags", + "i want a bluetooth mp3 decoded module audio receiver board power amplifier easy install", + "i need some keto friendly, non-gmo potato chips in the sour cream & onion flavor", + "i want anti slip tennis shoes with rubber soles in size 13. it is for a man", + "im looking for a three light vanity style light fixture that can hang on the wall and has chrome finish", + "im looking for a black short-sleeve mens v-neck shirt that i can wear to the gym for my workouts. it would be great if the size were a medium", + "im looking for an armchair for my living room that features solid wood legs. i only need one chair and the color should be brown", + "i would like a 200 foot long coaxial cable made of burial 3ghz rg6", + "buy a pack of whitening toothpaste", + "i am looking for a high performace tv antenna having usb port", + "i am looking for acqua di gio for men impression", + "i am looking for 3 feet (5 pack) size high speed hdmi cable", + "i want to find a pair of silver toddlers toms with rubber soles. they either need to be a size 10 for us sizing or a size 3.5 for uk sizing", + "i need a rainfall colored and high quality reusable shower cap", + "i need a machine washable t-shirt that is pink and in a size medium", + "i am looking for an 8 ounce bag of freeze dried strawberries and bananas", + "i am looking for a bag of chocolate covered strawberry slices", + "im looking for nickel finish is for ceiling fan its living room", + "i am looking a classic style table lamp for my living room", + "show me size seven running shoes with laces and rubber soles", + "i am looking for a stainless steel watch bands for my smart watch. and i choose the 18mm size with black color", + "i would like some spaghetti that is kosher", + "i need a long lasting cowboy cut jeans that is slim fit", + "i would like a sw 65 brown high quality hair extensions", + "i want a 6 pack of valentines day stretch chair cover dining room chair covers", + "i am looking for a 1.2 ounce (pack of 4) non gmo dried berries", + "i am looking for rubber sole shoes of light beige knit color", + "i am looking for an easy to install battery storage case with the batteries included", + "looking for ottoman bench footstool upholstered faux leather decor for living room also choose color brown faux leather", + "i need a nightstand for storage space", + "im looking for strawberry & yogurt pretzels artificial flavors snacks", + "im looking for need to buy a machine washable and it easy to use it", + "i would like 72 pieces of a variety of sugar free bubblegum", + "im looking for nail polish for nail art to make our nail look beautiful", + "i am looking for a pair of long lasting placid blue mens jeans", + "i would like some 54w x 29l rose straight leg jeans", + "i need to get a new high performance printer for my office", + "i want to buy a pair of closed toe sandals in size 6. it should have high heels", + "i am looking for a fragrance free lip glosses of sweet escape color", + "i want a green couch for my living room. make sure that it is easy to assemble", + "i would like the tom ford cafe rose impression perfume that is in a travel size", + "i am looking for a gift basket of candy & chocolate gifts. also, choose the welcome cottage gift box", + "i intend to buy a queen sized easy to assemble black metal platform bed", + "i am looking for popcorn seasoning in chili lime flavor, 2.6 ounce (pack of 1)", + "im looking for dental flossers which is easy to use and eliminates bad breath", + "i am looking for hands free car stereo receivers", + "i am looking for paraben free makeup powder. please choose copper color", + "i am looking for a bathroom vanity light fixture with clear glass. also, please make sure that it is at least 31 inches in size", + "i am lookng for hot chocolate mix gift set for gift set in valentine heart box", + "i am interested in buying a tablet with a quad core processor and a usb port", + "i am looking for 1 pack of 8 fl oz style balm for hair with natural ingredients", + "i would like a 18 inch wig that is made of natural blonde synthetic hair", + "im looking for toms classic alpargata shoes with rubber soles, in the color cabernet glitter and size 11 toddler", + "look for a high speed coaxial cable that is about 1 foot. three per pack would be nice", + "i am looking for mens size 13 work shoes with arch support and rubber soles", + "i am looking for medium size, white color and short sleeve aloha beach shirt", + "i want some noise cancelling headset. it should be hands free", + "i am in need of some high quality toothbrushes that are blue for ages 2-6", + "i need a box of 180 single shelf stable coffee creamers that are sugar free hazelnut", + "im looking for a memias premium window sheer voile curtains", + "i am looking for a chandeliers for my dining room", + "find a mattress with high density foam with cover included", + "i am looking for double rod silver color professional hair cutting kit for men", + "i want a gold plated and braided 4k hdmi cable", + "i am looking for a wall mounted book shelf . ad i would prefer the driftwood color", + "i am looking for keto friendly, certified organic clarified butter in the himalayan pink salt ghee style", + "id like to buy some fettuccini alfredo thats easy to prepare", + "i need some grey and white, easy to clean collapsible storage bins in a four pack", + "i need brown color, 10 size ethylene vinyl arizona sandal", + "i need a pair of shorts. make sure theyre made out of quality materials and buy them in a size extra small", + "order me some twelve inch pink hair extensions", + "i am looking for mens size medium golf t-shirts that are lightweight", + "i am looking for a 36 count pack of soy free fruit and nut bars", + "im looking for casual twill mens shirt", + "i am looking for a long sleeve sleepwear for a man with high waist. also choose light gray color and xx-large size", + "i would like a wallet that can be washed in my laundry bag", + "i am interested in some monoculars that have optical zoom", + "i want a travel size toiletry bag", + "i want to buy crackers which are gluten free and i want 2 of them", + "im looking for a bag of salty sweet mixed nuts in a resealable bag. they should be gmo-free", + "i am looking for some low fat dried apple rings", + "i need medipharma cosmetics eyebrow booster serum paraben & silicon free", + "i want a hair treatment and an anti-aging skin moisturizer oil", + "im looking for a grey 4k gold plated hdmi cable that is high speed and 6.6 feet long", + "i am looking for a pair of machine washable mens levis 501 blue jeans", + "im looking for ladies shoes with a high heel that are open toed, i wear a size 7 and a half", + "i am looking for green beans pickle in a jar. it should be made of natural infredients", + "i need a height adjustable swivel chair with lumbar support for gaming. i would like it in grey", + "i want reparative eye creme for dark circles", + "i am looking for home theater projector with high resolution and 1080p hd", + "i like synthetic sole in graceful antique lace", + "i am looking for a desktop pc that is a core i5 and has 8gb of ram with a 512gb ssd", + "i am looking for long lasting lip balm stick with pack of 2", + "i am looking for a black and gold bag that is easy to carry", + "i am looking for a 9.5 sized mens running shoes with synthetic sole . and i choose the 7-black red color", + "i need four contemporary vanity lights", + "i am looking for blackout brown color roller shades", + "i want lubriderm fragrance free body lotion for dry skin", + "i am looking for 7.2 ounce (pack of 1) spicy white chocolate truffle for great gift", + "i would like a size 11 womens slate colored clog with a rubber sole", + "i am looking for 2 mesh laundry bags", + "i am looking for black leather sole fashion sneakers that are in a size 5", + "i need a 8 fluid ounce bottle of redwood mist body wash made from natural ingredients", + "i am looking for a 9 piece hair growth herbal spray", + "i need a 2 pack of smartmouth activated mouthwash for bad breath", + "show me twin sized bronze colored day bed made in canopy bed style", + "im looking for colorful rainbow gradient lattice window coverings film", + "i need a tempered glass screen protector for my iphone 13 pro. it should be easy to install", + "i am looking for a gray shirt that is xx-large and has a slim fit", + "i want to find a black portable bluetooth speaker with stereo sound", + "i would like some sausage and bacon that is fully cooked", + "i would like a womens vesper perfume in a travel size bottle", + "buy me some antiperspirant. make sure its clinically proven", + "i am looking a heavy duty hdmi vedio cable size: 6-feet", + "looking for a ultra hd satellite, swmdish long mast, 4 piece", + "im interested in certified organic lip scrub to remove dead skin made from natural ingredients and must be cruelty-free", + "i am looking for soft fuzzy blanket super soft in multi 49", + "i want black dunham mens revchase slip-ons with memory foam", + "im looking for a machine washable window curtains for living room. also choose 52w by 90l and lace4lbg0839 designed one", + "im looking for a non-toxic concealer than contains argan oil, with rich color", + "i am looking for gluten free banana flavored original protein shake", + "i would like a high protein cereal that is honey almond", + "i am looking for quaker chewy granola bars that are individually wrapped", + "im looking for capacity in white plug play it was need to buy it", + "i need hemp shower oil for dry skin", + "i would like a dual band ac adapter", + "i would like a large black faux fur vest", + "i need no artificial color chocolate for 10 pocket", + "i am looking for a blue rubber outsole sneaker for men", + "i want a high quality bvlgari blv by bvlgari for women perfume", + "i am looking for easy to use hair rollers in pink", + "i am looking for non gmo oceans halo seaweed snacks. 1 case of 20 units", + "i want pearl white cake toppers for a birthday party", + "i need an anti slip pair of sandals with arch support. pick something in purple, grey or green", + "im looking for a pair of straight leg jeans with a button closure that comes in the silo color. i need them with a forty inch waist and a twenty nine inch length", + "im looking for tech response shoes by adidas in black size 11 for day comfort", + "i need a black wireless earbuds bluetooth", + "i need to find an easy to use toothbrush for a seven year old. look for a yellow one", + "i want black masbird closed toe sandals for women", + "i am looking for s96 pro black android 10 octa-core ip68 fast charging phone", + "i would like a 6 inch full size brown bed with a steel frame", + "i would like a medium sized blue windbreaker to keep me warm in the winter", + "i am looking for high quality nail cleaning brush. please choose color b ", + "im looking for a slim fit , high waist women formal dress made of light weight good quality polyester material. also, choose medium size red colored one", + "i am looking for an easy to use three piece set of hair growth treatment that works on damaged hair", + "i want a ready to use storage basket that saves space. pick a large bronze colored one", + "i would like a high quality blue face kit to help with fine lines and wrinkles", + "im looking for a night fishing wall art picasso for living room in size 31x24", + "im looking for a pack of gluten free cocoa vanilla bunny-shaped cookies", + "i would like a slim fit khaki tank top that is in a size medium", + "i need an usda organic jinxuan oolong tea bag that is hand crafted", + "i am looking for creative cupcake toppers for a kids birthday cake", + "i want sloth floral womens slip on canvas non slip shoes in size 8.5", + "im looking for natural ingredients for hair removal", + "i want a long lasting comforter that is super soft and paw patrol colored", + "i want hask hemp seed oil deep conditioner treatments for all hair types, it should be sulfate free and have a tea tree scent", + "i am looking for a flat sheet for a twin size bed. also choose navy color", + "im looking for an office file cabinet thats easy to assemble and has a lot of shelves for storage space", + "im looking for a natural hair cap to hide my hair loss", + "i am looking for wireless bluetooth headphones with touch control and a wireless charging case", + "i would like a bakers rack for my dining room", + "i would like a large heather gray pair of high waisted yoga pants", + "i am looking for 3.88 ounce body wash bar for sensitive skin", + "i want an apple punch highly pigmented lip tint", + "im looking for wireless bluetooth clock radios. also, choose the grey one", + "i want a herbal magic hair loss treatment for promoting hair growth. make sure that it is non-toxic", + "i am interested in a shampoo set that is paraben free and comes in a pack of two", + "i want a gluten free and blueberry coconut rise energy plus bar", + "i am looking for caffeine free herbal leaf tea having hibiscus flavor", + "i m looking for a 8 no. vinyl acetate mans sandals", + "i would like ten 100 ft long gold plated hdmi male male cable", + "i want x-large unisex rubber sole diving shoes", + "i am looking for solid wood chairs in a dusty pink color", + "i am looking for a freeze dried pear chips and should contain real fruit", + "i am interested in a non toxic beauty bag", + "i need 10 inch hair extensions that are a medium brown", + "i need a 13 inch water resistant cosmetic bag", + "i want to buy a vortex razor hd spotting scope for iphone 12 pro max that has a carrying case", + "i am looking for slimpointoe red color anti slip flat sandal", + "i would like some cruelty free moisturizer that is in a vanilla shimmer scent and comes in five tubes", + "i would like anti slip boots that are navy", + "i am looking for a color: blue zebra water resistant , wireless bluetooth for portable bluetooth speakers", + "i am looking for keto friendly chocolate bar containing crunchy almonds of 1.76 oz", + "i would like a grey 35x20x29 home desk thats easy to clean", + "i want a easy to use eyeshadow", + "im looking for a pair of womens non slip work boots with steel toe cap. choose the ones that come in size 9 us", + "i want to buy famous tik-tok leggings, yoga pants for women which have high waist tummy control booty bubble and hip lifting with running tights. which is the size x-small and a-red color", + "look for an officially licensed loki variant t-shirt for women in black", + "i need a a31 light weight background", + "like to buy a high speed fast charging green usb type c cable 3.1a in 3.3ft size length ", + "i am looking for a white storage benches of grey wash color", + "i need closed toe flats that are blue in a 7 wide", + "i am looking for chocolate gifts for valentines day", + "i would like to get a 35 x 12 canvas print of manhattan, new york to hang in my living room", + "im looking for cotton spandex and buying options to include in large size", + "i am looking for an all in one bluetooth record player and carrying case in brown", + "im looking for a digital camera with optical zoom lens and should have usb port", + "i need a bag of pizza pepperoni with natural pizza ingredients", + "im looking for a compact wireless bluetooth speaker", + "find me a high power waterproof binoculars for bird watching", + "im looking for a white bookcase for my office. make sure it has a white finish", + "i would like a d20\u201dx h 30\u201d silver chandelier for the dining room", + "i am looking for a fanless mini pc with a quad core processor, 32 gigabytes of ram and a 256 gigabyte ssd", + "i need bar stool and table set", + "find set of 2 medium pig astronaut-1 mesh laundry bags and 1 small laundry bag, i will give as a gift at a kitchen shower", + "i am looking for a 4gb android 10.0 tv box", + "i need a 10 pound back of parboiled brown rice that is easy to prepare", + "i would like some organic old fashioned oatmeal", + "i am interested in buying an artwork for the living room. i would love it in the artwork-02 color", + "i am looking for central park ombre window curtain panels in gray 50 x 84 set of two for my living room", + "i am looking for a red-2pcs manual toothbrushes with oral hygiene", + "i need a king size bed with faux leather upholstery. pick one in dark brown", + "i am looking for hand crafted disney frozen licensed flavor cookies", + "i want to buy a bundle of freeze dried mangoes and strawberries. they should be organic and non-gmo", + "i am looking for a high quality, travel size eau de parfum for women", + "i would like a 5 pound bag of kosher certified crackers", + "im looking for a 84 inch green lazzzy blackout velvet curtains", + "i am looking for toiletries kit bag with water resistant feature and color should be green", + "i want to find a pair of womens classic side sandals in black and red. i wear a size 7, and the shoes need to feature ethylene vinyl", + "i need a shampoo set that is paraben free", + "i want a 200 count pack of hot cocoa cups that is rich and creamy. ensure that it is gluten free", + "i want a tv stand made of wood and has a storage space. it should be suitable for my living room", + "im looking for nickel finish for ceiling fan for home improvement", + "i am looking fore a 24 pack of individually wrapped chocolates", + "im looking for twin sized furniture for bedroom furniture", + "i want indigo zac relaxed fit straight leg jeans", + "i want a pink coat that is 3x large and machine washable", + "i would like a 12 ounce box of classic cappuccino instant coffee mix that is easy to make", + "im looking for a pexfix full length floor mirror with standing holder ", + "im looking for a mini display port adapter with ultra hd high resolution feature. also, choose 0.65 ft one", + "im looking for a intel core i5 desktops with 32gb ram | 1tb ssd size", + "im looking for medium sized workout and yoga leggings or tights in green, with butt lifting and high waist", + "i looking a high power telescope for bird watching with smartphone adapter and tripod", + "i am looking for 72 packets of mango green tea that is low calorie", + "i am interested in buying a laundry bag", + "i need a bag of freeze dried strawberries", + "i am looking for stainless steel long carbon fiber 3 series| 3 section long tripod", + "i would like a hair cutting kit that is multicolor", + "im looking for a high quality stainless steel tongue cleaners. also, choose assorted color1 one", + "i want a 24 pack of gluten free goya foods cream of coconut", + "i want to buy shaver for women which is easy to clean", + "im looking for toddler smoothie pouches that are non-gmo, certified organic, and bpa free", + "i want a coffee scented coconut oil face scrub", + "i need a z6-black and small short sleeve crop top for women", + "hey !order for me women\u2019s sun sandals size 10 and should come with a synthetic sole and a open toe", + "im looking for hair removal for womens for rose gold it easy to use", + "i am looking for a baby blue colored t-shirt with the star wars logo", + "look for a three quarter length sleeve blouse in a light weight navy blue material. i need it in extra large", + "i need a contemporary mid century, sea blue sofa for living room made with wood frame", + "i need an amplifier that is easy to install", + "i am looking for a cyan blue wireless bluetooth speaker that has the batteries included", + "i would like a high performance outdoor speaker", + "i am looking for kosher certified irish fortune cookies with pattern name :halloween", + "i am looking for a 3x5 size of contemporary style area rugs", + "i want to find a pair of non-slip womens running shoes in a size 8. they need to have rubber soles and i want them in black and red", + "look for high density warm beige curtains for my living room", + "i am looking for twin size bed. color should be light grey", + "i need a heavy duty office chair which is easy to install and has lumbar support", + "i would like a 30 ounce bag of quick cook steel cut oats that are usda organic", + "find a yubikey 5c usb port security key", + "i want to buy a twin size bed frame in gray with drawers. it should be solid wood and easily assembled", + "im looking for a high-speed coaxial cable thats 15 feet long. it should have a plated fitting", + "find me a white tablet with high performance with quad core", + "i am looking for gluten free wow-a chihuahua gourmet spice blend", + "i am looking for a double sided hair extensions in 14 inch long. also in green color", + "im looking for a women ladies cross angle strap roman slides sandal of size 9 and black color", + "i want a drawing desk thats easy to clean and has a steel frame", + "find for gift: comfortable womens pink drawstring sweatpants high waist with pockets aragone my friends favorite brand to train at the gym workout", + "i need small boxer briefs that have an elastic waistband", + "i am looking for a high performance tablet with quad core processor which should have sim support and all necessary features", + "id like a set of two 12x20 decorative pillow covers that are machine-washable and ideally double sided", + "i would like a high definition surveillance dvr kit", + "i need a new tv box that is made by android that come with the batteries included", + "i am looking for a snacks gift basket", + "i want a water proof upbright ac/dc adapter compatible with segway ninebot", + "i am looking for this product dustproof non woven portable storage case with wooden hanger for human hair extensions (pink) for dry hair ", + "im looking for a mens fragrance or cologne with a long lasting scent. i need a travel size bottle of about 8ml", + "i would like to buy jojoba oil which is non toxic, and comes in a size of 128 fl oz, and pack of 1", + "im looking for a stool that could be used by a beauty salon to cut hair", + "i would like a 40x120cm roller shade for my living room thats easy to install", + "i want to buy a carry case for laptop which is easy to carry and is of khaki color, and its size should be 11-12 inch", + "i need a sugar free 5 pound pack of coconut flakes. it should be plant based", + "i would like round bottles that are bpa free and have fine mist spray caps. pick the clear one", + "i need an all-in-one cleanser that is dermatologist tested", + "im looking for a small mens t-shirt that is machine washable and made of polyester or cotton", + "i would like a 18 inch medium brown hair extensions", + "oral nano silver mint toothpaste, natural fluoride free tooth whitening toothpaste, 4 oz. (pack of 1). my daughter only uses this one. i didnt find it in the pharmacy, let me know as soon as you find it", + "i am looking for a white bookcase that is easy to assemble", + "i need 1 pound of pumpkin spice cream cheese bakery emulsion that is gluten free", + "i would like a black nightstand for my kid that is made of engineered wood", + "im looking for a medium floral long sleeve shirt in purple", + "i need a 4-light brushed nickel fixture. it should have a wood finish", + "i need some face powder in a banana color that is long lasting and free of animal cruelty", + "i am looking for a star wars darth vader funny t-shirt", + "i am looking for wall mounted security camera for home security", + "i am looking for an easy to prepare and ready to eat packaged rice. also, please make sure that it is cheddar broccoli flavored and has 8 packs", + "i want a pink color easy assemble height adjustable 26h -2 chair bar stool", + "i need a high speed black usb cable", + "i am looking for a trolls themed cupcake topper for a birthday party", + "i would like a box of 18 de tress herbal tea bags that are individually wrapped", + "i am looking for a green long handle bath & body brushes", + "looking for lumbar support massage gaming chair choose colour yellow", + "i am looking for workout leggings with fantastic texture design. cute fabric, that mask the appearance of cellulite and imperfections with its carefully designed rhombus textured patterns. also provide you the right compression too. butt lift push up wasit shaper sport leggings featuring your curves pop.seamless technology perfectly show your figure shape ,which gives your butt a streamlined flattering look like a juicy peach. womens leggings pack leggings that are designed with high-waist, tummy control wide waistband,to enhance curves,provides a complete coverage for your body(no worrying about belly rolls or a underwear show). the high waist belt can control the stomach, yoga leggings which are perfect for sports women.in red colour ,xl size preferable", + "i need a white mid century table for my living room. it should be 15.6x23 inches in size", + "i am searching for cupcake picks for a birthday party", + "i\u2019m looking for a bunny rabbit cupcake topper for theme kids birthday party supplies", + "i see the 15 ounce size of chocolate cover", + "i want black cooki heeled open toe sandals for women", + "i want to find a toupee to treat hair loss in the 1b65 color", + "i am interested in a long lasting lipstick that is also cruelty free", + "i would like a sulfate free conditioner", + "it was time for his food high density breakfast, so the food is very super soft", + "im looking for a gift basket that has chocolate candy and also offers a peanut chew platter", + "i would like to buy a wallet case for my samsung s21 phone. i would like it to support wireless charging and in the color brown", + "ethylene vinyl womens running shoes also choose size 8", + "i am looking for chana masala seasoning that is gluten free", + "i want to find a white twin sized bed frame that is easy to assemble", + "i am looking for an eye balm face moisturizer for my dry skin", + "i need a ottoman for my living room in a primary color", + "i want black womens memory foam walking shoes", + "i need some floating shelves for my living room. id like them to be grey", + "i am looking for some eye shadow in the midnight sky shade", + "search a perfume body with long lasting and scent impression of love in white and a travel size", + "id like to buy a black touch up dye for covering up roots but with natural ingredients", + "i would like a 9 card slots zipper dark green phone flip case cover", + "im looking for faux leather couch bed with armless and metal lega", + "i would like a black lavender candle made from soy", + "i need womens eau de toilette from design house which has a good fragrance and is long lasting", + "looking for a fleece hoodie oversized size x-large long sleeve for teen girls womens in brown", + "i need a nail polish carrying case", + "im looking for a black colored king sized bed with night stand and chest made of engineered wood", + "i would like a pair of 58 w and 32 long dark stonewash straight leg jeans", + "i am looking for faux leather bar stools in black", + "im looking for non toxic personal care for womens it easy to use", + "i need memory foam slippers that are black in a size 11-11.5", + "i would like a 9 ounce tub of non gmo grass fed ghee", + "i would like a pink hair straightener for styling", + "i want a blue color synthetic sole vinyl acetate women clogs size 6.5", + "im looking for sofa wall side table", + "i would like two packs of 12 feet high speed hdmi male to male cables", + "i need a solid wood computer desk for living room which is easy to install and clean. i want color choice 1 and style 2", + "im looking for ultra hd white color television because it looks so nice", + "i am looking for wall baskets that are easy to install", + "im looking for a toothpaste vegan with coconut oil", + "i am looking for tempered glass screen protectors for the iphone 12 mini", + "im looking for usb port for computer accessories", + "im looking for a sofa table with wood finish for the living room", + "im looking for stainless steel accessories and need to buy it", + "i need to get the 3 pack of trader joes gluten free falafel mix", + "im looking for a small gray long-sleeve t-shirt for women", + "i want tea biscuits made with quality ingredients. make sure that it is individually wrapped and doesnt come in a jar", + "im looking for a contemporary designed, hand painted vase for living room and should be made of eco friendly materials. also, choose medium sunburst colored one", + "i am looking for a 3x scrub bottoms for day comfort", + "i am looking for red cupcake toppers for cupcake picks valentine day party supplies birthday party", + "i am looking for relaxed fit small size hood", + "i want a 17.7 in long by 17.7 inch 1042117309949930000 window panel for my dining room", + "i need a wall mounted mirror in the color d", + "i am interested in hand crafted snack gifts", + "i need a pink toddler bed that is height adjustable and is in the size 180x76-96 cm", + "i would like to get a 25.36 ounce passion fruit syrup made from natural ingredients", + "im searching for canned skinless and boneless pink salmon which is ready to eat. also, i want sweet and spicy flavor", + "i am interested in buying a cookies which can be perfect gift, and the flavor of which is of donut", + "i want a socialite scented floral fragrance that comes in travel size. make sure it is a cruelty free product", + "i am looking for 16 size short satin homecoming unique design dress", + "i would like a s blue toothbrush for sensitive teeth", + "im looking for a yellow hands-free tablet", + "id like to find a six-piece haircare gift set that includes items specifically meant to promote hair growth", + "im looking for pink colored rectangular kitchen rugs for dinning table", + "i need matte black pumps that have a rubber sole and that are in a us size 6.5", + "i want to buy some gluten free gourmet seasonings", + "tv rack up to 55 inches living room white", + "i need womens olive leather moccasins in size 9.5 wide", + "i am looking fat free kosher certrified low calo dried peaches", + "i am looking for a 60 inch by 50 inch machine washable super soft throw blanket", + "i want to check out the techni mobili l-shaped desks that are made of coated steel", + "i would like a moss green candle that is made from soy", + "i am looking for a tampered glass screen protector which is bubble free", + "i am looking for wall mounted black metal coat hanger and hat tree rack", + "im looking for a dermatologist tested hair remover that comes in a spray and is size large", + "i am searching for a bronze finish lighting fixture", + "i am looking for a furniture set with 6 inch bun legs and is easy to install", + "i want a set of solid wine red throw pillow covers for my living room", + "i would like to get some portable bluetooth speakers with stereo sound", + "i am looking for gold+purple color remote controller for playstation 3 having wireless bluetooth", + "i want to purchase dental tools and equipments such as oral care dental tools, tarter scraper , professional dental picks, plaque remover, dentist pick stainless steel design as tarter scraper", + "i want a lake blue skin care set that is bpa free", + "i would like to get a 5 pack of 4 ounce tea tree soap", + "im looking for a pair of red, relaxed fit, pajama bottoms", + "i would like a chrome power amplifier", + "im looking for a pair of flat front stretch corduroy pants with a classic fit in dark grey. size needs to be 31 long with a 40 waist", + "i would like a mint green size 6 dress thats light weight to wear", + "i am looking for", + "i am looking for gluten free strawberry juicy gels", + "im looking for open toe pillow slippers its make comfortable", + "im looking for a film screen protector with tempered glass for google pixel 6 pro", + "i am interested in buying area rugs which are suitable for living room, have chocolate color, and the site of 2.6 ft. x 10ft", + "i want jet black hair extensions that is synthetic", + "i am looking for a 5x7 ft backgrounds for digital photography", + "i am looking for noise cancelling headphones in a black color", + "i need small size mens boxer brief, with elastic waistband in black air cool color for everyday wear. it should also feature quick drying and machine wash", + "i would like a 4 ounce face moisturizer made with natural ingredients", + "i am looking for 3-tier size corner shelf for my living room", + "id like to find a personalized compact mirror thats easy to carry", + "i am looking for a 2.1 ounce (pack of 4) of gluten free and non gmo candy & chocolate bars", + "looking for plug and play n64 wired usb pc game pad joystick also choose colour clear red", + "i am interested in gmo free sesame seeds that have indian rock sugar and are 2.8 ounces", + "open toe sexy high heels, non slip fashion for street wearing size 7", + "i need a easy to use hair clip with pink leopard pattern", + "i am looking for a white fast charging usb wall charger for a samsung galaxy", + "i want to buy a shoe cabinet for my living room which is in pink color", + "im looking for a high quality pink or blue denture bath case that is non-toxic", + "i am interested in a youth classic fit shirt that is small and is black in color", + "i am looking for a hair styling mirror", + "i am looking for a pack of one heavy duty nail clippers", + "i want some non gmo organic tomato powder. i will need a 1 pound packet", + "i am looking for some pajamas that use good materials and has long sleeves. i will be wearing it daily and need a large size", + "im in love with womens mid-calf boots, i want to find one of non-slip vintage embroidered thick heels, size: 9 wide, help me in this mission", + "im looking for a 12 pack of gluten free, keto friendly, low carb granola bars", + "i am looking for white color high power speaker", + "i need a box of 12 desserts that are made with natural ingredients and are part of the friends collection", + "i would like a 14.1 ounce of toasted hazelnut syrup that is sugar free", + "i need a non-dairy coffee creamer", + "im looking for a machine washable, regular fit mens shorts with tummy control elastic waist band and has drawstring closure for gym workout. also choose 3x-large size black colored one", + "im looking for a 4g lte gps antenna which should be easy to install", + "i am looking for a black and gold chandelier for my dining room that has six lights", + "womens eau de parfum red musk paraben free crulty free long lasting size :12 ml", + "i am looking for a high speed coaxial cable that is 5 feet long and is solid copper", + "i am searching for a pair of crocs (flip flops) in a size 9-10 in stucco | white. need to be vinyl acetate ot ethylene vinyl. possible product code is 11033", + "i need a lightweight photography background that is 8 by 6 feet", + "i am looking for mens pajamas of size 3xl code having elastic waistband", + "i need a stainless steel pedicure tool to remove dead skin and i would like an 8 piece black set if possible", + "i am looking for a red high performance bluetooth speaker", + "i am looking fir paraben free body wash.please choose vanilla style", + "i am looking for a twin xl over queen sized heavy duty steel bunk bed frame", + "blue color velvet upholstered suitable for large living room", + "i need a pair of pink loafers for teen girls. they should be size eight", + "i am looking for a conditioner color shower cream that is sulphate free", + "im looking for casual linen cotton loafers slip on ladies walking shoes", + "im looking for a can of wild caught sardines in tomato sauce", + "i want some snack bites that is gluten free and high protein. it should be beef flavored", + "i am looking for 10x10ft | 3x3m high resolution backdrops for photo studio", + "i need long lasting bedtime spa candles", + "im looking for wireless bluetooth 5.0 earbuds", + "i need aluminum tripod legs", + "i am looking for cake toppers for a birthday party", + "im looking for birkenstock gizeh", + "i would like to buy a dual band repeater able to work with high speed internet", + "i need a smartwatch case that is apple compatible and is silver", + "i want a high quality toothbrush for sensitive teeth, something in blue color for my baby", + "i need a black colored chandelier for my living room", + "nikon digital camera with red optical zoom", + "i need a pair of lightweight flip flops in a size 5 or 6 that have a rubber sole", + "please re order a happy easter flannel fleece throw blanket for my coach.it should be super soft and easy to clean", + "i want a satin nickel design house 578849 dane 4-light indoor bathroom vanity light", + "i would like a beige rectangular rug that is 10 0 x 13 0 and is easy to clean", + "i am looking for a size 3 slim fit womens skinny jeans", + "i am interested in a fresh breath spray of peppermint flavor", + "im looking for a shampoo paraben free and a conditioner same as shampoo", + "i am in ineed of women quick drying small size yoga shorts with high waist and a-dark grey color", + "i am interested in buying a power amplifier with wireless capabilities and stereo sound", + "i need a 5 round cake topper for a birthday party", + "i am looking for a heavy duty bed in twin size which is easy to assemble. also choose silver with trundle color", + "what deodorants do you have that are alcohol free and very long lasting?", + "i need a relaxed fit sleep bottom that is gray plaid and is a large", + "i am looking for dining chairs of g-gray color for my living room", + "id like to shop for a three piece set of eye creams that have hyaluronic acid and are oil free", + "im looking for a waterproof hair cutting capes for hair styling. also choose 55 * 66 multi color one", + "im looking for a candy heart shaped covered by chocolate for valentine day", + "i am looking for some nut free raspberry snack bars", + "im looking for korean roasted jobs tears powder", + "i am looking for a hand painted woman sculpture made of wood for my living room", + "i am looking for stylish, comfortable womens mid calf boots in leather shoes, knee-height boots in gt51-brown color. 6.5 size preferable", + "i need a mens short sleeve shirt that is coffee colored and an xx-large", + "i would like a 15 ml travel size bottle of christian dior miss dior impression", + "i am looking for a white and black heavy duty steel frame computer desk", + "i need anti slip mary jane oxfords with retro round toe size 5 and wine red color wedge heel women shoe", + "im looking for 20-inch long curtains for my living room that are charcoal colored", + "im looking for a low calories popcorn kernels with gluten free. also, choose a pack of 2 weighting 2 pounds one", + "i want to find 45 grams of dark green edible glitter that is dairy free", + "i am looking for dark green color phone case cover which is dust proof", + "i am searching for contemporary design, black linen king size tufted upholstered platform bed with storage drawers", + "im looking for xx-large long sleeve polo shirts for men that are hand washable and regular fit. also, i want it to be grey", + "i need a ten pack of high speed hdmi cables that are 3 feet long", + "i would like a medium sized pair of baseball colored jeans with a elastic waist", + "i am looking for purple color cotton heather assistants t-shirts for women with machine wash type and size : large", + "i would like a pair of size 7 black oxfords with a anti slip rubber sole", + "i would like a 10 foot long copper coaxial cable", + "i am looking for trader joe and chocolate covered blueberries", + "i am looking for silicone body scrubber for sink care massage", + "i am looking for a 12x10 ft high resolution backdrop of spring garden leaves", + "i am looking for crunchy indian snack sticks that have no artificial flavors or colors", + "im interested in a pair of orange sport pants with an elastic waist and drawstring closure in a size x-large", + "do you think you can find me an ac adapter with output protection?", + "i want a spicy beef meat and cheese gift basket", + "i want a non slip steel toe black mens shoe size :6.5", + "i would like a gluten free pancake mix", + "i am looking for a teeth whitening toothbrush with silicone brush head. it should be in pink color", + "i need 300 alcohol free cleansing wipes", + "i would like a 201 by 153 cm high definition protection screen", + "im looking for a easy to apply hair extensions which looks like natural hair. also, choose a pack of 1, 16 inch with #33 dark auturn brown colored one", + "i want a light blue and funut case cover compatible with the macbook pro", + "i am looking for an intel core i5 desktop pc", + "i am looking for large size classic fit t-shirt", + "i am looking for rectangular shaped dark grey color entryway plush thick area rug of size 2 ft 3 in x 6 ft for living room", + "i need a double sided sharpening strap", + "im looking for high definition it was easy to use", + "i need a pair of machine washable black sneakers in a 13 wide", + "i want to buy a high performance s-video cable", + "i would like a size 7 narrow non slip sneaker with a storm blue snake color", + "i need tamanu scented vitamin e oil for my face to reduce fine lines. i have dry skin", + "i am looking for slim fit men jean of black color", + "im looking for a double size, super soft blanket. also, choose 90*90 black colored one", + "i need steel gray color water resistant bag", + "i want dark blonde hair extensions", + "i would like a old version of a 3 count ultra light sun blonde hair dye", + "i am looking for fuzzy sandals open toe fox fur slippers in khaki", + "i need a cocoa mix that is non gmo and a pack of 3", + "im looking for intel core has install at any at easy and it will high perfomanced", + "i would like to get some orange wireless bluetooth speakers", + "i want a bottle of act total care alcohol free mouthwash", + "i need an 8 ounce pack of chocolate covered oreo cookies candies for a birthday gift", + "i am looking for cheese flavored gluten free rice snacks", + "i need four half slabs of seasoned ribs that are fully cooked", + "im looking for a plant based, freeze dried usda organic fruits which should be free from fat and has low calories. also, choose a pack of 4 weights 0.7 ounce bundle with mango flavored one", + "find me the soy free 3.5 ounce 4-pack of dang thai rice chips, and make sure they are the aged cheddar flavor. i also need the ones in the resealable bags", + "i want a hair removal solution made with natural ingredients", + "i would like a clear value glass screen samsung a32 5g phone", + "i need a gluten free oil spray bottle", + "i would like a 3 pound bag of unsalted deluxe nut mix that are in a resealable bag", + "i want a high performance lenovo yoga book - fhd 10.1 android tablet - 2 in 1 tablet windows os", + "i want to find pink horse-shaped cupcake toppers that i can use for a baby shower", + "i would like a red short sleeve shirt that is button down", + "i am looking for a coconut oil for hair growth. also choose 8 fl oz ( pack 1)", + "i am looking for king size bed having wood frame", + "help me find 2 fl oz (pack of 24) gluten free non gmo butter extract made without artificial colors", + "get me a dark chocolate and chilli almond snack bar that is low in sugar", + "i would like a 24 inch dark blonde mix hair extension", + "i want a book case made from solid to use as a decoration in my living room", + "i am looking for a small slim fit nightgowns & sleepshirts", + "i want a mattress solution california king with box spring", + "find me a anti slip size 6 black color womens platform sandals", + "help me locate a pair of womens angelfish stripe boat shoes with rubber soles in a size 6", + "i would like to order a pink harajuku 3x-large unisex printed hoodie that is made of polyester cotton", + "i am looking for a pack of 2 hemp seed oil deep conditioner treatments", + "i am looking for trader joes apple sauce crushers", + "i need to get some batteries for my two way radio. the one that i have takes aaa batteries", + "im looking for optical zoom electronics want to buy a white color", + "i am looking for permanent hair color with color 5.12", + "im looking for a monopod with carbon fiber", + "im looking for a long lasting silver laptop", + "im interested in a pair of off-white, rubber-soled sneakers in a size 6 with memory foam", + "i am looking for string curtain of rose color that are eco friendly and easy to install", + "im looking for bedroom furniture with wood finish. choose ones that come in queen size and color of a475c", + "i would like a large grey shorts made of cotton spandex for working out", + "i would like a 2.4 ounce bottle of deodorant that is made from natural ingredients", + "i need easy to use, water resistant eye shadow in dark brown color", + "i need long lasting eyeshadow that is in the color 01", + "please find an easy use shower scalp scrubber tool in the color pink for hair care", + "i want to get a grey wireless headset with stereo sound", + "im looking for a high-quality manicure set made from stainless steel that is designed for removing dead skin", + "im looking for stainless steel for for kitchen and dinning room", + "i would like to buy computer desk which has steel frame and is in black color while its size is large", + "i would like a king sized bed with a 8 inch mattress and storage space", + "i am looking for women nail art decorations that are non toxic", + "i want to buy a black colred heavy duty bok case which is easy to assemble and has ample storage space", + "im looking for 2-piece lounge set for women", + "i am looking for a multi 6 color super soft throws", + "im looking for cupcake decorations for parties and need to buy it", + "i am looking for an ac adapter that has output protection", + "i am interested in buying a x-small size purple colored classic fit birthday t-shirt", + "im looking for a retractable stereo sound in -ear headphone which is compatible for apple iphone", + "im looking for long sleeve open front chunky knit draped sweaters", + "i would like a green tea mask", + "i want to find engraved cheetah-white bands for my apple watch. the bands need to be 38 millimeters long", + "i would like a six drawer natural walnut dresser with bronze finishes", + "i need unsalted blue corn tortillas which are non gmo, gluten free and are certified organic", + "i am looking for a power amplifier that is silver", + "i want to buy a bag of organic, chocolate covered, freeze dried strawberry slices, vegan ones please", + "i am looking for a satin brass and frosted hallway light fixtures", + "i need some high waisted yoga shorts that are gray and in a xx-large", + "looking for eco friendly toothbrushes for sensitive teeth also choose paper package super soft", + "i am looking for white pull-out organizers with nickel finish and size must be 15 wide", + "i want to found 0.1 fluid ounces of alcohol-free perfume oil with a woody scent", + "i am looking for a pack of candy that has natural ingredients", + "i would like orange mousse cookies that are non gmo", + "i am looking for miracase glass case for iphone 12/ iphone 12 pro 6.1 inch with military grade protection support wireless charging without taking off the iphone 12/ iphone 12 pro. the 2 pieces design offers easy install only for iphone, cover the front case onto the face of iphone, purple color preferable", + "i would like a 3xl white pair of jogging pants that are machine washable", + "find a moisturizer with natural ingredients for dead skin", + "i want to find a high-speed, fast-charging portable iphone charger thats black", + "i want some golden brown hair dye", + "i am looking for a atomic red orange mid century sofas & couches", + "i need 2 faux leather barstools that is easy to assemble and is back adjustable. pick a brown one", + "i want to find a lib balm set made with natural ingredients that has long-lasting effects. the color must be 02", + "im looking for a ultra hd digital camera with optical zoom lens", + "i am looking for rock and roll cupcake topper musical themed guitar cake topper which is easy to use in all kind of occasion. music guitar color preferable", + "i need some high quality false lashes that are 20d-16mm", + "i need a low carb brownie mix", + "i want a 90 by 30 desk with a solid wood frame", + "im looking for a gray wash colored living room console table with a wood frame", + "i am looking for high quality full lace black hair wigs for men suffering from hair loss. it should be \u201c7x9\u201d 120% light medium density", + "i would like a 5xl white short sleeve top", + "i would like a 32 gig gray tablet with a usb port", + "i would like a galaxy a12 pink phone case with a tempered glass screen", + "i want a highly pigmented lip gloss that is in the color r901", + "i want a 150 watt black speaker that is heavy duty", + "im interested in black walking shoes in size 6.5 that features memory foam and good arch support", + "im looking for a high density gaming chair with lumbar support which is made of pu leather. also, choose cool blue colored one", + "i need pu or faux leather space saving storage organizer in dark grey shagreen color", + "i want a set of 2 mesh laundry bags", + "single color short sleeve polo shirt", + "i am looking for a high performance digital subwoofer power amplifier board", + "i would like a fig fruit bar that is gluten and soy free", + "i need some pink cupcake toppers for a birthday party", + "i need a square table that is easy to clean and has a steel frame. the size should be 100*60*74", + "i looking open toe knee high pump colour shoud be black", + "i am looking for water resistant bone flower pants", + "i am looking for fredd marshall mens skinny jeans in a slim fit", + "im looking for a party supplies cupcake toppers, preferably red graduation toppers", + "i am looking for professional airbrush foundation made by photo finish in the color of primer. believe it is 1.0 ounce found in the beauty & personal care section. should say water resistant, fragrance and oil free", + "i need an easy use cocktail smoker kit for infusing cocktail, whiskey, wine, meat and salad", + "i am looking for a quad core desktop that has 16gb of ram and 2tb storage", + "i am interested in a high speed hdmi cable that is 10 feet long and comes in a 2 pack", + "i am looking for face mask brushes for easy apply and easy carry with color blue", + "i am looking for 2 mesh laundry bags", + "i want a water resistant kodak printomatic instant print camera", + "i am looking for espresso slat color storage shelf coated with steel", + "i want to find 0.7-14 millimeter long lash extensions in pink. they must be easy to apply", + "i am looking for an alcohol free night cream for my face. make sure it is for sensitive skin", + "i want an eucalyptus and plant based bar soap by dr. bronners", + "i want to find a white and pink case for my apple watch. it needs to be 40 millimeters long and be compatible with the series 6", + "i need some folding tables that are easy to assemble and are white", + "im looking for low-fat, hot and spicy beef jerky thats also high in protein", + "find some 5 ounce gluten free herbs", + "i would like a extra light beige foundation made from natural ingredients", + "im looking for one hundred and eight inch brown curtains that are machine washable", + "please help me find a cozy and warm fleece throw blanket. it should be quite large, about 50 by 80 inches", + "i want to find a 7x5 foot underwater world backdrop thats high resolution and also lightweight", + "i would like a extra large red pair of shorts that i can machine washed", + "im looking for cakes it contains high protein and the low fat", + "i want 16 pieces of dairy free mauds dark hot chocolate", + "i am looking for medium sized and relaxed fitted men hoddie", + "i would like a black travel size cosmetic bag", + "im looking for teeth whitening for prevention of oral care", + "im looking for skin care moisturizing seed oil need to buy it", + "i need an orange leather ottoman for my living room that is 46 cm", + "i need some hinges for the cabinet that are heavy duty with a satin nickel finish", + "i want to buy tweezers which are stainless steel and have red color", + "im looking for computer accessories and its easy to carry and it need to buy it", + "i would to have 12 piece cake topper for a birthday party", + "i would like a brushed nickel wall lamp with a glass shade for the living room", + "i would like to have a usb cable with output protection", + "i need some purple eye shadow brushes for easy application", + "im looking for a set of makeup brushes in the color peaceful purple to help me with my eyeshadow makeup", + "i want a bedside table with a wooden cabinet in my living room. it should be green in color", + "get a 2 pack of all natural steak seasoning, please", + "i really appreciate the cheese bros honey sriracha gouda b individually wrapped, royal aged cheese i will gift to my friend with the 6 oz. i want the 8 pack ready to eat she will serve at the party", + "i want a full sized non slip tatami mattress", + "i need a modern wall mount for light led in bronze with a 36 wide", + "need a high speed hdmi cable 2 pack with 100 feet, male to female, pack of 10", + "i am shopping for a non alcoholic slush mix that is non alcoholic. i like the cherry flavor", + "i am looking for an easy to clean and easy to carry cosmetic bag", + "i am looking for a high performance power amplifier", + "i want banjo blue and machine washable wrangler cowboy cut jeans", + "i am looking for a convertible noisecancelling wireless headset", + "im looking for a front and rear dual 1080p dash cam with night vision and motion detection that is easy to install", + "i want to find an extra soft toothbrush that can help with sensitive teeth", + "i would like a small gray long sleeved hoof pick", + "i am looking for some gluten free did someone say chipotle flavored seafood seasoning", + "get me a slim fit hand washable black long sleeved mens suits jacket in 4x size", + "i need daily wear white c large hoodie, which has a loose fit and made of polyester cotton", + "i am looking for a hair mask that will treat damaged hair", + "i am looking for a painted stainless steel 20mm replacement watch band", + "place order for a pack of 12 blue diamond almonds that is gluten free and has the pecan flavor", + "i want large loose fit tank tops for women", + "i need a mens blue t-shirt that is compatible with the machine washer", + "im looking for a two pound package of sea salt that is both kosher and non gmo. i would like a two pack of five pound package option", + "i would like a pair of size 8.5 black sandals with a open toe", + "i am looking for a storage cabinet for the kitchen which has a white finish", + "i am looking for a i7-7700 3.60ghz size of intel core i5 desktops", + "i would like a 11.1 by 4.5 by 4.5 cm transparent makeup case for my nail art", + "i want dark grey vislily plus-size long sleeve sweaters", + "i want high protein vitasoy soy milk drink", + "i need to buy two dozen individually wrapped gourmet cookies", + "im looking for eye makeup eyeshadow pads professional stencils", + "leak prrof free refillable plastic containers of 2 count pack of 1", + "i am looking for surveillance video equipment that has motion detection and is 720p", + "i need an 80 feet long coaxial cable that is high speed", + "i need a fast charging cable with usb port for an ipad. pick one in gold", + "what kind of cupcake toppers do you see that you can use for a birthday party?", + "i am looking for a round, ivory colored ottoman for my living room", + "i am looking for a 12 count (pack of 1) of gluten free raspberry cashew & chia", + "i want to get a box of chocolates thats handcrafted and a gift set", + "i want a facial serum with antioxidants, oil free, clinically proven, in a 1.7 ounce just one pack", + "i want organic freeze-dried mangoes", + "i would like a white twin size bed", + "im looking for a jet-4 bluetooth portable speaker", + "i would like a 9 pound bag of white chocolate covered nonpareils", + "i want a dark chocolate covered flipz bites bar", + "i am looking for a 2 manual toothbrushes for sensitive teeth", + "i am looking for freshly baked nut free kosher cookie pastry which is 12ounce in size", + "find me a kitchen table with metal legs in black oak with 39.37 for dining room", + "i am looking for black color hair dye", + "i want 42x84 inch, baby pink and gold color gorgeous unicorn eyelash print curtain for living or bed rooms", + "i am looking for high protein yogurt", + "i would like a 8 oz bag of kosher certified sea salt", + "i am looking for a pair of 80 inch wide by 84 inch long machine washable curtains for my living room", + "i want a 5 pack of amber glass fine mist spray bottles", + "i want glitter crown cupcake picks", + "i am looking for a natural black color high quality hair extension for women", + "i am looking for khaki color summer pants for women that can be washed by hands", + "i want a green mattress solution 4-inch wood split low profile traditional box spring", + "i would like 2 thirty inch barstools with a dark gray tunic cover for the dining room", + "i am looking for a 4 pack of trader joes pretzels", + "i would like a living room poster that is 16 by 20 inches", + "im looking for oral care for seed oiul", + "i want a marble white and high quality travel makeup bag", + "im looking for round modern glass coffee table", + "i want army green knee high hbeylia womens booties", + "i want large machine washable coorun womens yoga shorts", + "i want to buy a bundle of peanut butter cups for valentine day", + "im looking for screen protection for apple iphone 12", + "im looking for a 4g lte tablet", + "i am looking for photo background high resolution in 15*10ft", + "get a gluten free tuna fish. it should be pack of 60 with 5 ounces", + "i need one pack of real fruit which dried and is high in dietary fiber", + "ilooking a fully cooked 6 pack meat natural ingredient with sausage supreme flavour", + "i need mango strips that are non gmo", + "i am looking for multi018 color short sleeve shirts", + "i want a white colored pair of sandals that has high heels with an ankle strap", + "i am looking for men\u2019s pajamas with contrast color also choose size x large", + "looking for a ultra hd satellite, swmdish long mast, 4 piece", + "im looking for a 1 pack of paraben free deodorant", + "i want a single count of sassy sangria that is hand crafted", + "im looking for a high quality salon and spa desk chair with adjustable rolling swivel stool chair for a beauty salon. also choose pulley styled black colored one", + "travel storage white color leak proof for makeup cosmetic lotion scrubs creams oil size 12 jar", + "i would like a 28x16x18inch yellow storage bench made from engineered wood and a faux leather top", + "i would like three pairs of cruelty free eyelashes", + "i would like almond butter that is keto friendly and comes in a gift box", + "i am interested in a mattress pad that is the color e and is 180 by 200 cm", + "i am looking a valentine day chocolate gift basket of imperial chocolate flavour size :8 ounce (pack of 2)", + "im looking for some non-gmo pistachios", + "i am interested in hdmi cables that have output protection", + "i am looking for a grey coated steel storage islands & carts", + "im looking for a white tv tray table that can help save me space", + "i am looking for a black pu leather desk organizer that is non slip", + "i want a dove men anti-perspirant deodorant roll-on", + "i want to find a pack of 3 three-ounce bags of sweet and hot, ready-to-eat beef jerky", + "i am looking for 2 easy to assemble grey barstools", + "i need a six pack of fenugreek", + "i need a 32 gb usb flash drive that is a pistol color", + "i would like a dark green pair of hair cutting sheers", + "i need a barebone intel core computer system in an aluminum alloy case with an i7-8850h", + "i need a large niantie mens short sleeve t shirt", + "i need a package of one hundred gray zip ties. they should be eco friendly", + "im looking for a cruelty free certified body wash which is made of natural ingredients for dry skin. also, choose pack of 1 with 16 fl oz one", + "i need a 84inch wall mounted motorized projector screen that displays a 16:9 screen", + "let me have the high performance band4u compatible with samsung galaxy watch 3 bands, 20mm size", + "i would like a 44w by 32l big and tall mocha dress that can be machine washed", + "i am looking for a six pack of popcorn salt that has a rich and creamy white cheddar flavor", + "i am looking for lemon cake perfume body mist, in a 4 fl oz container", + "i am looking for men slim fit dress shirt and please choose ballard blue color", + "i am looking for some high quality clear travel bottles", + "i am looking for a coffee sofa slipcovers of pu leather", + "i want happy birthday cake sunflower toppers", + "i am looking for non slip closed toe high heel woman boot color black", + "im looking for a high waisted jeans for women", + "i am looking for some ready to eat graham crackers", + "i would like a cake topper for a baby shower", + "i would like to order a tom and jerry 4xlarge sweatshirt . the material should be royal blue polyester cotton", + "i am looking for a canvas for living room with size of 12x18 inch. also ready to hang", + "i am looking for dark blue color womens jeans having high waist", + "im looking for a military and tactical boot with moisture wicking and rubber sole", + "i would like 3 pieces of white and gold bpa free toiletry travel bottles", + "i am looking for flower glass shade floor lamp", + "i need a mid-century ottoman thats upholstered in oatmeal fabric", + "i need a non gmo ginger candy pack with assorted flavors", + "im looking for a quad-core i5 touchscreen laptop computer; specifically with 16 gig ddr4 and 512 gig pcie ssd", + "i am looking for an eco friendly wood bedside shelf for a bed", + "i want a 16 ounce happy new year candle made from soy", + "i want davinci gourmet sugar-free hazelnut syrup", + "i want a low fat cereal that is also sugar free", + "i want to find a 42 millimeter long baby pink loop strap compatible with my apple watch band", + "please order for me a black pure leather ottoman stool size 100x40x43 cm for my living room", + "i want non gmo gimme, seaweed snack teriyaki", + "i would like to buy a travel size bottle of gucci bamboo impression perfume", + "im looking for apple watch brands it can easily install any", + "i want to find a certified organic premium tea gift set", + "i am looking for an easy to install high speed 4g lte signal booster", + "i would like a box of 24 granola bars that are high in protein", + "i am looking for spice powder of liver curry flavor that is easy to use", + "im locking for a smiley face non-slip cushioned slippers", + "im looking for anti-aging face and eye serum in the 1.01 ounce size", + "i am looking for eco friendly water ripple multicolor glass window film of size : 17.7x47.2x2pcs", + "id like to find some noise cancelling headphones that are hands-free. they should be compatible with bluetooth version 5.0", + "i want to buy a casual performance fleece jacket in black", + "find me a polo shirt with short sleeves and stretch fabric. pick something in sundress color", + "im looking for comfortable fit regular jean which must be machine wash with long lasting imported zipper", + ", i want a router pc core i5 with intel core support 8g ram 128g ssd 1 tb hdd", + "am looking for a long lasting chanel gabrielle women edp spray 1.7 oz", + "looking for contemporary wingback fabric barstools faux leather", + "i need some open toe womens sandals in size 10.5", + "i need a bulk pack of 100 disposable toothbrushes for oral hygeine", + "i need a small spray fine mist with 100 ml amber for travel, makeup etc", + "i need some oatmeal chocolate chip cookies that is made from real fruit. make sure that is plant based", + "i am looking for a sconce light with a black metal base and a wood finish", + "i am searching for 2 packs of gluten free chewy chocolate chip granola bars", + "im looking for a machine washable, classic fit tank tops made of heathers cotton and has needle sleeve. also, choose womens small, red colored one", + "i am looking for foldable wireless bluetooth headphones", + "i would like to get a perfect fruit gift basket", + "i am looking for 30 fl oz (pack of 1) - set of 2 new (two... size simple ingredients mayonnaise", + "looking for hiking shoes non slip and waterproof in orange size 7.5", + "im looking for a day comfort mens boots with synthetic sole. also, choose 12 size burnished gold colored one", + "i am looking for black color machine wash d shirt", + "i am looking for a loose fit small size womens t shirt", + "i am looking for a high protein energy bar with low sugar and low carb", + "i would like a 104w x 84 l trianglwxf4152 window panel that is machine washable", + "im looking for a contemporary style dresser made of solid wood", + "i need pumps that are black and closed toe in a 7.5 size", + "i am looking owl statue eco friendly soy wax jar candle color black", + "i am looking for a gry engineered wood for living room", + "i am looking for a living room poster of fruit", + "im looking for leather sole black color loafers pumps for women high chunky heels, size 8", + "im looking for meatless bacn and cheddar cheese", + "i need heavy duty beauty salon reclining hair chair", + "i need some metallic pumps that have a rubber sole and are in an 8.5 wide", + "i am looking for an 8 gb ram mini computer with 256 ssd with intel core and dual band wifi. also, pick one with a 1 tb hdd", + "im looking for a full xl size mattress and box spring set with 8 foundation", + "im looking for a plant based, freeze dried fruits which should be usda organic and free from fat and also low in calories. also, choose a pack of 8 which weighs 1.3 ounce bundle with strawberry and pineapple flavored one", + "i need non gmo sundried tomatoes in a 32 oz container", + "i want to buy sneakers for men which have a rubber sole, and are of navy color, while the size should be 13", + "im looking for some leak proof, easy to clean travel bodies that are non-toxic and have hearts on them", + "im looking for buy a binocular for bird watching", + "i am looking for a ready to hang 24 inch by 30 inch poster of a cow", + "i\u2019d like to find a core i5 micro tower desktop computer; it must have 8 gig of ram and have a 500 gig hard drive", + "i need contemporary style and granite counter stools for the dining room", + "i need a high heel 8.5 sized , z92-purple wedge platform sandals for women", + "i would like a purple barstool that is easy to clean and assemble", + "i want a gluten free starkist tuna variety pack", + "im looking for plant based zero sugar energy drinks in a four flavor variety pack", + "i would like a 90 piece assortment of individually wrapped snacks", + "i am looking for a xx-large short sleeves sleep & lounge for teen girls", + "im looking for a sandals with strap platform size 5 open toe in black", + "i am looking for a dresser that is mid century style", + "im looking reddhoon 3 colors liquid glitter eyeshadow, i want color a12, show me the price too", + "im looking for a blue diamond almonds nut ", + "i am looking for endurance crunch granola that comes in a pack of six and is non gmo", + "i would like a 5.5 ounce bag of sweet chili chips that are non gmo", + "im looking for one cocktail mix gluten free and natural ingredients spicy bloody mary flavor in pack of 2 with 32 fl oz", + "i am looking for a rose gold colored nail polish storage case", + "multi stick trio cream that is easy to apply also choose sweet pink rose", + "i need 1 pack of cruelty free hair spray", + "i want to buy a gray a gray color daybed in twin size with a wooden frame", + "im looking for skin care products that color black i need to buy", + "i am looking for a low calorie non alcoholic drink in the moscow mule flavor", + "i would like to see a wallet that would go with my hoisery", + "i would like a small mens cranberry t shirt with a classic fit", + "im looking for a security camera that has motion detection functionality", + "i would like a medium green two piece swim suit with moisture wicking", + "im looking for gluten-free almond flour cookies that contain flaxseed and sunflower seeds in a smoked barbecue cheedar flavor", + "i am looking for a square 10 by 13 ft area rug that is easy to clean. all white in color", + "i am looking for candles for a birthday cake in the style t", + "im looking for eye shadow to use for eye makeup the needed color was caramel", + "i need a long lasting walnut curio cabinet with adjustable tempered glass to grace my room", + "i need a meadow faux wrap midi dress in size 10 that is easy to dry clean", + "im looking for a actloe women hoodie sweatshirt ", + "i am looking for height adjustable, mid century crystal chandelier lighting for living room, gold color, size 23.6", + "i want to buy a pair of honey colored size nine hiking boots with a non-slip rubber sole", + "i am looking for a cupcake toppers for birthday party birthday cake", + "i am looking for a 200ft coaxial cable black in color. indoor/outdoor use", + "i want long lasting eye shadow in color c", + "i am looking for ultime permanent hair color cream, 5.22 ruby red", + "i want to find a 2-piece pool alarm thats remote controlled. it needs to be easy to install and ideally the batteries will be included", + "i am looking for a non slip and easy to carry tripod for my camera", + "i am looking for some ready to eat gluten free red hot spice curry sauce", + "i want pink 18th birthday cake toppers", + "i want to get a three light, wall scone style vanity light that has a brushed nickel finish", + "i am looking for synthetic hair extensions, 14 long, with wavy ends and made for black women", + "i would like a pair of blue medium sized shorts with a elastic waist", + "i would like to get a a1 10 x 10 ft high def photo background", + "i would like a twin size antique white bed that is easy to assemble", + "i am looking for plant based 2.3 ounce", + "show me a butt lifting tummy controlling high waisted green legging in medium size", + "i need a9 - beige color, size 8.5 wide sandal which has a closed toe and ankle strap", + "i am looking for white cheddar flavor cheese powder that is gluten free", + "i need red party supplies", + "i am looking for an intel quad core i5-6500 mini pc with windows 10 pro", + "im looking for mens sport casual thong sandals, open toe, and better color black ", + "i would like a 40mm black and clear apple watch screen protector made of tempered glass", + "i am looking for a x-large high waist tummy control breeches", + "i need a sugar free liquid water enhancer", + "i would like a set of fast charging noise cancelling headphones", + "i want a wireless bluetooth headset", + "i would like a 100g copper holographic body glitter that is long lasting", + "i am looking for simple ingredients to make burbon caramel dessert", + "im looking for eye serum for anti aging and clinically proven", + "i am looking for light brown hair extensions for women", + "find fat free dried berries", + "i want to buy a fifty-two pack of fava bean snacks that are low in sugar and fat. they should also be non-gmo", + "i need some wall mounted mirrors that are 70 by 100 cm", + "i need a pair of big and tall, long lasting, and comfortable wrangler jeans", + "please get me a three pack of jelly with natural ingredients", + "i need to find a strawberry-flavoured toothpaste for my child to keep her breath fresh; make sure it only has natural ingredients", + "i need some shades that are for the living room and are black and white with a size of 28 by 64", + "i am looking for memory foam canvas slip in a black color size 14", + "i would like a w35.4 x l78.7 hunter green window film that is easy to install", + "i want a xx-large st. jubileens women roll-up plaid shirt that is machine washable", + "i am looking for medical grade silicone scar removal sheets scar removal is reusable and completely washable. washing them renews their sticking ability, easy to use waterproof and very sticky. 1.6\u201d x 120\u201dsize preferable", + "im looking for midnight bakck smartwatch accessories. its can long lasting product", + "can you find me a pair of mens slippers with memory foam and rubber soles? i want the ones that are khaki and either 10.5 or 11", + "i want to find gold cupcake toppers that i can use for a birthday party", + "i want six boxes of earl grey decaf with 20 individually wrapper bags", + "i want for a video cables a coaxial cable and aluminum alloy and to be a usa made trishield black", + "i want to find a pair of construction work shoes that are black and gray with rubber soles. they should come in a size 8 and be extra wide", + "im looking for a carbon fiber tripods for cameras", + "im interested in a heavy duty adjustable desk in a size 48 x 30 with a white frame and walnut top", + "my mom want x- size polyster spandex", + "for my eyes i need a color 10 eyeshadow which should be easy to use.\u2075", + "im looking for electronics accessories that aluminum alloy tripod. need to buy it", + "i am looking for some lightweight hiking shoes that are yellow and a size 39m", + "i need 1 pound of pumpkin spice cream cheese bakery emulsion that is gluten free", + "im looking for a wireless, hands free bluetooth speaker", + "i want to get the elastic waistband mofiz women golf short knee-length lounge shorts, khaki color", + "i want to find a wall-mounted security camera that runs on aaa batteries", + "i night some light tan anti-aging cream for dark circles under my eyes", + "i want a blue non slip saftstar modern upholstered armchair", + "i am looking for a light grey sectional couch that is easy to assemble for my living room", + "i am looking for a pc build thats a linux and it is core i5. size: no ram please and thank you", + "im looking for a plug and play security system with motion detection. it should have an 8 channel dvr, 4 cameras, and a 1 terabyte hard disk", + "i would like a 2 fluid ounce bottle of tamanu argan oil for damaged hair", + "i need some ready to eat delhi potato entrees", + "i need to get the 3 pack of trader joes gluten free falafel mix", + "i need a powerlite 1785w projector that projects 1080p hd", + "i am looking for nathan james theo industrial bookshelf which is cube storage organizer also contrasting solid wood that pairs smoothly with its glossy white frame and solid veneer back panel. themodern scandinavian style storage cabinet which perfectly forliving room, entryway or in the kids bedroom.in white brass gold color with size 6 preferable", + "i would like a gold 35 cupcake topper for a birthday party", + "i want to buy some tummy-control shorts in extra small", + "i need an easy to use body brush to exfoliate dry skin", + "im looking for a large mens trench coat classic notched collar that have double breasted wool blend pea coat turn-down collar jacket. also, choose the black one", + "i need a long lasting makeup kit", + "i am looking for a pack of six one ounce vegetable crisps that are plant based and cheddar flavor", + "im looking for a leather phone wallet case compatible with the iphone 11 pro that supports wireless charging", + "am hoping to find interestprint mens lightweight sleep lounge pajama pants machine wash and small size", + "i would like a meat substitute flavored with sea salt that is ready to eat", + "i am looking for a 26 x 14 area rugs for living rooms", + "im looking for bags for travel usage. it easy to carry ", + "i am looking for a gluten free and low calorie sparkling spritz. pick something in coconut passion fruit flavor", + "i am looking or grey throw for couch sofa with machine washable feature", + "i need a black barber blade cleaning brush with a long handle", + "i want size 8 aodong walking shoes for women with lace closure", + "i need a height adjustable blue office chair", + "i am looking for some gray living room pillows", + "i am looking for a large light blue dress shirt that is long sleeved", + "i am looking for machine washable blue colored heated vest for men and women", + "i need to buy some slim fit yoga pants. get the ones that are multicolered in xx large", + "i am looking for a 5 piece glass dining table with metal legs for my dining room. it should have faux leather dining chairs", + "i am looking for an anti-perspirant", + "i am looking for khaki color long sleeve shirt for men", + "i would like to get a refurbished printer", + "i need a pack of three dried apricots that are non gmo", + "i need a box of 360 singles vanilla caramel nestle coffee and shelf stable", + "i am looking for an oil and cruelty free beyond golden glow colored highlighter", + "show me a 3x large sized machine washable boxer brief made with polyester spandex in black color", + "im looking for womens clothing need to buy medium sized dresses", + "i want the 8 pack of pork king good seasoning. i need the 8 pack of the gluten free variety", + "i am looking for a black history classic fit shirt size medium", + "i want a 12 ml bottle of turkish rose long lasting fragrance", + "i am looking for a dill pickle vegan ranch flavored gourmet popcorn gift basket", + "i need noise cancelling headphones for my daily running routine", + "im looking for a permanent hair dye which is paraben free and should be cruelty free certified. also choose a pack of 1 with 3.99 fl oz and pillarbox red colored one", + "i am looking for chocolate chip flavor non gmo cookies", + "i am looking for smell good,feel good,pay less,long last, travel size ca perfume impression of euphoria for women fragrance body oils alcohol-free. good to go, bottles fit in handbag or purse. convenient for travel. donna karan cashmere mist impression preferable", + "i need a 8 fl oz lemon tea tree shampoo that has natural ingredients,", + "can i get a wireless charging station dock for my iphone xr which is fast charging ?", + "im looking for a pair of womens walking shoes that has a synthetic sole and is colored brown", + "i would like a german chocolate flavored syrup that is sugar free and 15.89 oz", + "i want black birthday cupcake picks", + "i would like a white contemporary modern style bed", + "i want to find an xxl sized granite heather colored champion crew neck sweatshirt that is a poly cotton blend", + "i need black flats in a size 9 that have arch support", + "im looking for a bath brush that is easy to clean and has a long handle for easy use. oh and it should be blue", + "i want a 10 piece of green brush set for synthetic hair", + "i would like a pair of noise cancelling earbud headphones", + "i want to find a pink 10-inch android touch tablet with a quad core processor", + "i want bpa free and silver plastic container jars with black flat top lids", + "looking for a gift for valentines day: custom funny face, comfortable fit kiss me boxer shorts novelty photo printed underwear. its size is 4x bigger", + "i would like a late night drone right lipstick that is paraben free", + "im looking for a couple of laundry bags", + "i would like a 8 pack of almond butter dates that are ready to eat", + "i am purchasing for rich creamy type bar harbor soup bisque crab also size is 10.5 ounce", + "i need a printed backdrop that is for digital photography", + "i am looking for a mid century metal floor lamp with a brushed nickel finish", + "i am looking for high quality long lasting mudslide colored liquid lipstick", + "i would like a cake topper for a birthday party", + "i want a 6 pack of dentek triple clean floss picks for bad breath", + "im looking for walnut oil for dead skin for sensitive skin and skin caring", + "level 9 unlocked birthday boy game black t shirt machine wash classic fit cotton heater small size", + "i would like a 128 fluid ounce bottle of princess cake and cookie that is bpa free", + "i want to buy a faux fur snow boots with rubber soles. it should be size 9 in width", + "id like to buy a ready to hang toilet paper holder for size 24 by 30 rolls", + "i am looking for light fixture hanging pendant light with color is black-a", + "im looking for mens workhog xt coil wide square toe", + "id like to buy a queen size bed frame with a dark grey linen headboard", + "i want to find a beige set of blackout curtains that are 54 inches in width and 72 inches in length for my living room", + "i want to buy a facial scrub that is apricot scented, oil-free dermatology tested and comes in 6 oz bottle", + "im looking for certified organic seeds pack of six", + "i am shopping for a ready use syrup that is lemon lime in flavor", + "i am looking for rubber sole shoes of light beige knit color", + "i am looking for optical zoom digital camera with flexible 12 tripod and hdmi cable", + "i need a white coated steel stockpile 3-drawer mobile file cabinet", + "i need high-speed usb cables with gold plates in a simple packaging", + "i need 2 pcs of non toxic 12ml atomizer perfume spray travel bottle in gold color", + "i am looking for a mens white star wars t-shirt", + "i would like to buy a black stainless steel heavy duty file cabinet with two drawers", + "i want to get gluten free chicken and apple sausages that are organic", + "im looking for a two in one multifunctional led wall lamp", + "i am looking for a six pack of low sodium wasabi nuts", + "i would like to see over the ear headphones with batteries included", + "i would like a quad core tablet", + "i am looking for 14 oz (200 sachets) strong and pure easy prepare coffee of cappucino hazelnut color", + "i am looking for a freeze dried bag of beets", + "im looking for grey colored queen sized pillowcases and want to buy it", + "please re order deep conditioning hair treatment for my natural hair and should be 4.06 fl oz", + "i am looking for a coconut water birthday party", + "im looking for a 109-inch black manual projector screen that is easy to install", + "im looking for a copper wall mounted sconce with clear glass shades", + "i would like lactose free coffee drinks that are mocha and come in a four pack", + "i am looking for a cruelty free makeup blender sponge which is easy to clean. also choose green color", + "i need a stainless steel pot rack", + "i am looking for arabic anti aging coffee scrub", + "i am looking for a slip resistant black water shoe in size 12 that is also quick drying", + "i want a green table that is 1080p hd", + "i am looking for a single pack 6.6 ounce size low calorie chocolate", + "im looking for a long lasting scented candles made of soy wax", + "i would like a long lasting makeup set", + "i need noise cancelling headset that has a charging stand", + "do you think you can find me an alcohol free mouthwash for bad breath?", + "i am looking for hand lotion cruelty free in lemongrass & ginger", + "im looking for high definition 5 in 1 carrying case kit that has separate compartments for case cover, tempered glass and glass screen. also choose large blue colored one", + "i would like a adult sized 4 pack of hermosa pink chairs for the living room", + "i want blue velvet sectional couches for the living room", + "i want a navy officially licensed harry potter professor sybill shirt", + "i am looking ac adapters with good output production", + "i am looking for blue color digital camera having optical zoom", + "i am looking for a clear glass office desk that is white", + "i want a gold and individually wrapped survive permanent match metal", + "id like to find a green toothbrush suitable for 7-12 year old kids with sensitive teeth", + "may i please have teal colored curtains ideally for my living room? size 52x63 is fine", + "im looking for a fast charging wireless bluetooth headphone", + "i want to find a synthetic wig that features pink and black hair", + "i want a travel friendly imported zipper laundry bag for blouse, hosiery ,lingeries", + "i would like a shampoo to help my dry hair", + "i am looking for 1 pound of nut free christmas candy", + "im looking for a pack of high quality hair extensions that are 20 inches long. can you pick the silver one", + "i am looking for an easy clean computer desk that is white in color. pick a size 47 desk", + "im looking for a cookie that replaces a meal in varying flavors with macadamia nuts and is low in calories", + "i am interested in buying wall art which is suitable for dining room, has color of artwork-26 and with a size of 32wx16hx1pcs", + "im looking for rubber sole its for easy to use high heel shoe for womans", + "i would like a two pack of cruelty free lip balm in orange", + "im looking for a earbud earphones with srereo sound effect. also choose black colored one", + "i want azure glitties glitter powder for nail art", + "i want a caramel queen size acacia kaylin platform bed", + "i am looking for 20 pack set 10ml protable refill bulk atomizer spray of high quality sprayer glass bottles with fine mist sprayers, are perfect for storing your essential oils, perfumes or colognes in red color", + "i need tan high heel booties in size 9.5", + "i am looking for highly pigmented lipstick in golden grape color", + "i would like a two meter in diameter photo background that is easy to carry", + "i want a classic fit best cruise director ever shirt for men", + "i would like to search for a tennis fashioned women running sneakers in black color preferably with ankle strap", + "i need a 16:10 aspect ratio privacy filter that is easy to install", + "im searching for oil hair growth. i would like one with black rice and peppermint", + "im looking to buy some gold vanity lights with two lights on it", + "i would like a size 8 azure clog made from vinyl acetate", + "i am looking for throw blanket of size 60x80 and is super soft", + "i need a small red womens fleece jacket that is made of polyester spandex,", + "im looking for a wild caught chunk light tuna in sunflower oil. choose the ones that comes in 2.6 oz pack of 24", + "i am shopping for a height adjustable blue desk with drawers", + "im looking for a three pack of grey pendant lights for my dining room", + "i am looking for 0.34 fluid ounce of medium colored concealer. also, please make sure that it is suitable for sensitive skin", + "show me all your non-slip size ten ladies ankle boots in grey", + "i am looking for hd dvd player", + "i am looking for noise cancelling earbuds for iphone", + "i would like a gluten free blue cheese dressing that is 15 oz", + "im looking for a organic tea tree oil. also, choose vanilla flavored one", + "i would like some beige throw pillow covers for the living room", + "i want a quick release 360\u00b0 panoramic ball head", + "please find a dust poof red color bluetooth speaker", + "i am looking for a 450 mocha color oil free fragrance free face makeup", + "i am looking for sea salt of 2-pack size which is gluten free", + "i am looking for a small long sleeve fashion hoodies & sweatshirts", + "im looking for hair styling beauty & personal care and it will be easy to use and safe use", + "i need a lightweight navy pullover in a large", + "i am looking for snow boots rubber sole in 6-blue", + "i need a vanity light that is a satin nickel color", + "im looking for star wars for clothing for navy white colored", + "i am looking for a canvas giclee print art suitable for my living room . and i choose the 28x40 size", + "i need a camera that is fast and has high definition capabilities", + "im looking for bench it can easily assemble a living room", + "i need fleece lined underwear that is striped grey and comes in an xx-large", + "im searching for super soft happy fall gnome orange plaid blanket", + "i would like a epilator for hair removal", + "i would like a twin size blue bunk bed", + "i want pink buipokd womens sports shoes with arch support", + "i want to find resealable bags of sea salt and fine ground celtic sea salt. the bags should be 16 ounces each and come in a pack of 6", + "i need all natural ingredients gluten gree and vegan red hot sauce 12.5 ounce (pack of 3)", + "i am looking for 100th birthday cake toppers", + "find me a twin size bunk bed thats white and made from engineered wood", + "im looking for clothing for closet storage and it was easy to clean", + "i need red sneakers that have a leather sole and are a size 7 x-wide", + "i need some power dental flossers that are for bad breath", + "im looking for a delicious danish kringle pair a pecan and cream cheesecake", + "i need brown eco friendly cenglings women slingback sandals in size 7", + "i am looking for a travel size fresh linens impression fragrance body oil", + "i am looking for a stainless steel compact pocket makeup mirror", + "i want non gmo freeze dried fruit and vegetables carrot flavor 1.5 ounce (pack of 1)", + "i want to find a black ergonomic office chair thats easy to assemble and offers lumbar support", + "i want to buy brushes which are for nail polish and have galaxy mix color, and come in a blind box", + "i would like to get a queen pink linen daybed with a wood frame", + "im locking for a lip sleeping mask", + "i want a grey 3-piece faux leather tufted sectional sofa", + "i need a long lasting pearl headset", + "i am looking for a 1 count of gluten free popcorn salt", + "i would like a kronos phone case that supports wireless charging", + "i need a sporty water resistant portable projector with usb port", + "i am looking for a sunstone color eyeshadow with paraben free non toxic", + "im looking for a cruelty free certified bronzer which is fragrance free. also choose palm beach ready one", + "i am interested in buying a deodorant for body which is paraben free and is suitable for sensitive skin, and has a scent of bay rum", + "i am looking for a 4 pack of mid century wood side end tables for my living room", + "i am looking for red color, 3x-large pajamas polyester cotton nightgowns for women", + "i would like a 18 individually wrapped hunnybrush tea bags", + "i want to buy some dragons dream cookies ncream granola bars. get the pack of fifteen and make sure theyre individually wrapped and nut free", + "i want a non gmo lenny & larrys the complete cookie starter pack", + "toroton dummy security camera in red colour", + "i need an open toe, high heel, ankle strap wedge sandals in color white and size 9.5-10", + "im looking for strawberry lemonade that is free of caffeine and sugar", + "i am interested in a 15.6 inch laptop carrying case that is gray", + "i am looking for a 0.8 ounce (pack of 1) gluten free sesame seeds", + "im looking for a peanut butter which is fat free with real fruit and should be 0.8ounce (pack of 12)", + "i would like a fluoride free toothpaste to give me fresh breath", + "i would like a aqua blue applewatch charger", + "im searching for cork base coaster for home living room - a set of 4 with cup holder", + "i need a new dresser. look for one made from engineered wood with lots of storage space", + "i am looking for ac dc adapter charger for my wireless bluetooth speaker", + "im looking for modern kitchen with the latest design", + "i am looking for 67 round size area rug for my living room", + "i need long lasting wax candles that is scented with lemon verbera", + "please help me find a pair of soft plush womens house shoes that would be cozy and warm for winter. my favorite color is khaki and i normally wear anywhere between a size 9.5 to a 10.5", + "i want to buy an android smartphone. the camera should have optical zoom and it should have at least 128gb of space", + "i want to buy a pair of machine washable jeans. look for them in size 33 short with a standard fit. get the cast shadows color", + "im looking for a solid wood coatrack with a round base. i want color b as well", + "im looking for wood finish bronze finish furniture the color was mckinney-espresso pine", + "i am looking for a high performance home surveillance security camera that is certified refurbished", + "i am looking for a phone case for iphone 13 of sunflower america flag color that is easy to install", + "i need a loveseat that is grey and for the living room", + "i am in the need of an end table that has to be put together", + "i need slim comfortable fit jeans", + "i want a lenovo thinkcentre quad core desktop pc", + "i want a tropic mist lead free single wick candle", + "show me your concentrated drink mixes with natural ingredients, im looking for wild ginger flavor", + "i\u2019m looking for modern and natural platform bed frames for twin beds. i don\u2019t mind if there\u2019s some assembly required", + "i am looking for a fabric dresser of brown color for my living room", + "i want some headphone amplifiers with a power adapter", + "i am looking for an anti slip pair of booties with rubber sole. it should be a size 6 and coffee colored", + "i am looking for low sugar, low carb and gluten free cookies that has flavored chocolate cake", + "i would like a white foot file for dead skin", + "i am looking for gaming pc windows 10 professional desktop tower with quad core i7 3.4ghz, 16gb ram, 256gb ssd, tempered glass and wifi adapter", + "looking for short lace boots for day comfort, fawn color, size 6.5", + "i am looking for a medium sized laundry bag for my travel on christmas holidays", + "na", + "i need a green x-large sweater that comes in a soft material", + "i want to find a blue electric shower brush with a long handle", + "i need gold hands free kids bluetooth 5.0 unicorns headphones", + "i am interested in buying a beige colored super soft throw for the bedroom", + "i am looking for a type a color of binoculars and comes with high power", + "i need butt lifting yoga pants that also has a high waist. pick a blue one", + "im looking for twin bunk beds with box spring. also, choose black colored one", + "i would like a small rustic brown tv stand made of solid wood", + "i would like to check out size 6 pink open toe fashionable high heeled shoes. would like them also to have a non-slip rubber sole for comfort", + "i am looking for a black crypto currency themed tank top in size large that has a classic fit", + "i am looking for a wild orchid round lip gross which is cruelty free", + "i would like plant based meatballs", + "im looking for black color 1080p hd male to female converter adapter cable for laptop hdtv dvd", + "i am looking for a womens navy blue blouse that is machine washable", + "i want red shears that are stainless steel and are 5.5 inches long", + "i am looking for an easy to install blackout blinds for my kitchen. make sure it is white and has a cordless bottom up feature", + "im looking for one red/orange henna hair dye", + "i need a good doup bisque thats hand crafted. select the manhatten clam chowder variety", + "i am looking wireless home security camera for motion detection 1080hd", + "look for supplies for eyelash extension dd curl 0.05 show me with easy apply.color: dd-0.03. please", + "im looking for a khaki - light filtering cellular shades of size 67w x 39h for living room", + "i am looking for a sandy golden blonde permanent hair color that is cruelty free. pick the 8g one", + "i need 24 count, long-lasting alkaline battery", + "i am looking for knorr rice sides for a tasty rice side dish creamy chicken with no artificial flavors,easily prepare on the stove or in a microwave, goodness of a chicken flavored sauce. pack of 12 preferable", + "i need to buy a height adjustable office chair with lumbar support. i want a grey one", + "i am looking for mens long sleeve athletic sweatshirt size xx-large", + "i am looking for a twin xl twin size mattresses", + "i am looking for lactose-free non-dairy coffee creamer", + "i want a home office chair that is white and easy to install", + "i need iphone 11 wireless charging", + "i am looking for a 3 cheese wine country gift basket with italian salame", + "i am interested in red heavy duty bed frames for a queen sized bed", + "im going hiking so im looking for a pair of slip resistant rubber soled boots. i want something in 8.5", + "i need a living room wall lamp that is in black", + "i am looking for a height adjustable makeup mirror for cutting hair. it should come with a light", + "i am interested in buying a rug for the living room with diameter of 6ft, 72 inches and 183 cms", + "i would like a desktop dual band mini with a intel core i7 and 64 gigs of ram", + "find me a knee high anti slip open toe ankle booties in black color and size 6.5", + "im looking for a daily wear, long sleeve with high waist night gown. also, choose medium sixe red colored one", + "i want a solid wood, ivory colored bar stool. look for a 26 metal footrest", + "i am looking for gluten free chai, please choose orca spice flavor", + "i need cupcake toppers for a birthday party that are in the color rg-50th", + "im interested in a pair of rubber-soled, non-slip snakeskin shoes in a size medium", + "i need a stainless steel nail dust collector machine for creating nail art", + "i need a dust proof carrying case for my vr head set", + "i am looking for a long lasting eye shadow pen having 7#violet color", + "im looking for dental picks with no break & no shred floss, count should be 150 & with pack of 6", + "i want to find a 120 inch projector screen that can be mounted to the wall", + "im looking for a remote control for my ultra hd tv", + "i am looking for computer desk drawing table that is easy to install", + "i am looking for an assorted chocolate gift set that i can present to a friend", + "i want to find a fleece-lined womens jacket that features the san francisco 49ers. the color must be colt gray and i wear a size 3x", + "i would like a full size classic 8 split foundation mattress and box spring", + "im looking for a bathroom mirror that can be wall mounted and is 60 cm in size", + "i am looking for a blue long sleeve quarter zip hoodie", + "i need a spread dress shirt with a slim fit in the color blue, and it needs to be available for machine wash", + "i want a 1080hd a dome surveillance camera with motion detection", + "i want a power inverter with dual ac outlets and usb for my car. it should be 900 watts", + "im looking for a high performance tablet with quad core processor. also, choose 4g+64gb emmc one", + "i would like a four fluid ounce very dark self tanner that is paraben free", + "i need a hands free portable bluetooth speaker with stereo sound", + "i want to easy to use and bush blonde loreal paris hair gloss", + "i am looking for hdmi cables high speed in 50 feet", + "im looking for a mens long sleeve, yellow track jacket", + "i want a multi colored us constitution print that is ready to hang", + "i am looking for a long sleeve hoodies of medium size for men", + "i am looking for natural looking hair extensions 18 inch", + "im looking for a continuous fine mist spray bottle in the color black", + "i need to buy some easy to install pendant lights for my living room. get the blue ones", + "i am looking for a medium size laundry bag for my wife", + "i am looking for fragrance free eye cream effective for dark circle", + "i want a twin size and machine washable feelyou blue rose floral duvet cover", + "i am looking for a sectional with ottoman l-shaped couch that can seat 5 people, and i would like it to be appropriate for the living room and come in light grey", + "i am looking for a oil free face wash", + "i need a can of ready to eat vegan duck", + "im looking for a high speed and high definition laptop", + "im looking for a black noise cancelling wireless headphones", + "i am looking for a black heavy duty steel framed electric standing desk that is height adjustable", + "i am looking for a curtain for living room which is washable in machine. also choose 52 wide by 90 length in size", + "i would like a shampoo and conditioner set made of coconut oil", + "i would like a long lasting mens fragrance set", + "i need an eye serum that contains hyaluronic acid and thats good for dark circles. get the green one", + "i want a loft bed for a dorm that saves space", + "im looking for protein snacks that are very high in protein and contain pumpkin seeds. im lactose intolerant", + "i would like a 40 wide by 36 long pair of big and tall pants in charcoal heather that can be machine washed", + "i need 2 pieces anti aging ice face roller gua sha", + "looking for womens plus size fineline denim jegging which is machine washable and have regular fit and colour must be radiant purple", + "i need a non slip pair of womens shoes with rubber soles. it should be in size 11.5", + "i want to find pink floral pillow covers for the pillows in my living room that are 22 inches by 22 inches", + "i am looking for super soft and machine washable dujiea lightweight cozy bed blanket with size small (40x50) and also color is christmas kitty cat", + "get me a set of pillowcases in sage green. buy the machine washable ones", + "i am looking for a non gmo popcorn with simple ingredients", + "i am looking for a 12 ounce (pack of 3) of nut free baking mixes", + "i need a facial scrub that is anti aging and is made of natural ingredients", + "i am interested in a console table that is made out of solid wood and is espresso colored", + "i need some hair drying towels that are easy to clean", + "i am looking for a queen sized bed that is black", + "i am looking for medium size long sleeve orange color easy care shirt", + "im looking for pink cruelty free himalayan salt water mouth rinse", + "i want grey new balance mens shoes with rubber soles", + "i am looking for black color heeled sandals containing rubber sole", + "im looking for a plant based, non-dairy milk maker. also choose white milkmade with 6 storage glass one", + "i would like a pair of womens 9.5 sized hot pink running shoes with a rubber outsole", + "im looking for a super soft leopard pattern duvet with multi 3 colors. king and queen size please thanks", + "i need to shop for some lounge pants that can be machine washed and tumble dried. look for a size 3 x large in black", + "i am looking for medium brown end tables with outlets and usb ports for my living room", + "i am looking for stainless steel grooming set", + "order me some twelve inch pink hair extensions", + "i need a pack of 12 easy to prepare noodle dishes", + "i want an officially licensed navy teenage mutant ninja turtles chillin tank top", + "i would like a extra small multi green boxer brief that i can hand wash in the sink", + "i am looking for professional water resistant airbrush makeup foundation having light golden luminous color, .5 fl oz", + "i want speak 510 wireless bluetooth portable speakers, which is uc optimized and comes with a carrying case", + "i am looking for long-sleeved, polyester cotton, matching christmas dresses for my size 11-12 years daughter and i", + "i want a brown and cruelty free moira lip exposure pencil", + "i am looking for low carb flavor syrup that comes in a six pack of 32 ounces", + "locate a hedgehog garden statue with bluetooth speaker. i want the 6 1/4 inch figuring that includes aaa batteries", + "im looking for track trail running shoe for men", + "im looking for a pair of pink wireless bluetooth headphones with stereo sound", + "i need a 10ft 4k hdmi cable that is 1080p hd and is gold plated", + "i am looking for camo colored womens running shorts with an elastic waistband", + "i need a wax warmer for hair removal", + "i am looking for a s-dark black wireless bluetooth earbud headphones", + "i am looking for a gray travel carry case that fits doss soundbox", + "i am interested in a dual colored headset that is noise cancelling", + "i want to get a pack of 10 different food flavors that are dairy and sugar free", + "im looking for an extra large mens valley jacket that will last a long time and is made from high quality materials", + "i would like to buy mid calf boots which have synthetic sole, and are in insignia blue color, as for the size i want them 10", + "i search the vanity light including satin nickel", + "i would like a 40 by 40 blue orange throw pillow cover that is machine washable", + "i want an oribox clear glass screen protector for iphone 12", + "i need a fleece jacket that is regular fit size 3x in the color of sea salt", + "i am looking for high quality and freshed baked desserts, please include the corn muffins as well", + "i need a bulk pack of 100 disposable toothbrushes for oral hygeine", + "chocolatefilledcandy", + "i am looking orange almond muffin flavour baking mix with low carb,sugar free,gluten free made with natural ingredient", + "hey, can you find me that high quality anti-aging cream that is a special blend made by dr. lancer? and please get the largest tube they make! if the tube comes in different colors, i want purple!", + "i am looking for a general colored floor lamp for my living room. it should be easy to clean and assemble", + "i want to find 3 dozen cookies that are individually wrapped and baked fresh for valentines day", + "i am looking for gluten free snacks that made up by sea salt", + "i need a core i5 desktop tower", + "i need a 9 channel power amplifier", + "i need to find a dust-proof storage case for my hair extensions thats at least 20 inches long", + "i am looking for a non toxic bag that has great quality to it, along with being for nail art", + "im looking for a long lasting eye shadow made from natural ingredients which should be fragrance free. also, choose rose gold colored one", + "i would like a 52 w x 84 white window panel that is machine washable", + "i am looking for ready eat in coconut & kale", + "i am looking for a travel size perfume with long lasting fragrance. also choose coco mademoiselle + jadore impression scent", + "i would like a color s tongue cleaner for oral hygiene", + "im looking for sheer window curtains that are machine washable and 55 in x 108 in. also, they should be mint color", + "i am in need of insulated wine tumbler and natural soy wax candles -4 packs", + "i am looking for dark blue color womens jeans having high waist", + "i need some easy to apply body glitter for halloween", + "i would like to buy soundbars which can be operated hands free and are 2.1 soundbar", + "i want to buy some earbuds that are easy to carry and are in color pinky girls", + "i am looking for a c color toothpaste for teeth whitening and sensitive teeth", + "i am looking for variety pack of gluten free energy drinks", + "i want a comfortable fit cowboy cut jeans. it should be black in color", + "i need a wall lamp that has a dark bronze nickel finish", + "i am looking for a high quality cosmetic bag of butterfly-1 color", + "i want to buy some sulfate free body wash for sensitive skin. get me one thats peppermint scented", + "3 sugar free fruit syrup packs of different flavors ie cherry, raspberry, watermelon flavors", + "i am looking for along lasting carrying case for a speaker that comes in size 4", + "i want to find an open-toed pair of womens fashion wedges in a wide size 11. they should be khaki colored", + "im looking for a waterproof hiking sandals with arch support. also, choose the red color in a size 6", + "i want blue striped and wide leg elsofer womens pajama lounge pants", + "i am looking for mens reebok leather sneakers size 3.5", + "i am looking for a dual band dome cameras", + "i need one travel bottle that is black and has an opener", + "i need some bronze colored edible glitter for cocktails. it should be kosher certified and nut free", + "i need coasters that are easy to clean and come in a set of six with cup holders", + "i need a nail drill for dead skin that comes in a size c", + "i am looking for medium size elastic waist loose fit workout running sweatpants for men", + "i would like some red and black sandals that have a rubber sole and are in a size 11.5", + "i need a royal blue dress with draw string closure. i am a size 17", + "i am looking for sand brown color curtains for my living room", + "i want peanut butter & co. cocoa powder, non-gmo", + "i want laundry bag organiser for blouse ,hosiery other lingeries easy cary for travel", + "im looking for high quality and long lasting microfiber massage table sheets set with a size 60x180cm(24x71inch). also choose the large one", + "id like to order another one of those soy wax candles that smells like a flower market", + "i need a high resolution digital camera with 4x optical zoom", + "i need 3.52 ounce funky choco pineapple biscuits that are soy free", + "im looking for electronics for wearable technology and it was silver water resistant", + "i would like a gray toiletry bag that is water resistant", + "i need a small red womens fleece jacket that is made of polyester spandex,", + "order an office desk thats easy to assemble", + "i need a sofa made of solid wood with memory foam. it should be graphite oxford weave in color", + "i am looking for sugar free blue raspberry syrup", + "i want a white and long lasting bellesky eyeshadow primer set", + "i want ready hang living room poster size 61*41cm the bridges of amsterdam", + "i am looking far a 3 pack bloody mary non gmo margarita", + "id like to find a four-pack of low-carb chocolate chip cookies", + "i would like a easy to use soft box", + "i would like a living room lead free candle", + "i cook beef so added artificial flavors 12 pack", + "find me an 18 inch long double sided human hair extensions that is golden brown and beach blonde in color", + "i want low sodium paleo powder spice gift sets", + "i want t secretea oolong tea bags, taiwan jinxuan 100% organic", + "i am looking for levis 514 straight fit jeans for men with straight legs and a regular fit", + "id like to buy about 12 ounces of fully cooked steak strips that are ready to eat", + "i need some slim fitting white jeans that are an x-large", + "im looking for a ready to eat baked snacks which should be individually wrapped", + "i am looking for a dark spot solution serum without fragrance and paraben", + "id like to some lands end mens 11 inches chino shorts that i can machine wash. the size im looking for is a 38 regular", + "i need some low sodium popcorn salt that is cheesy caramel corn in a pack of six", + "im looking for a brozers which is alcohol free and paraben free used for sensitive skin", + "i need an easy to carry travel bag for shampoo", + "im looking for long lasting waterproof brow stamp shaping kits, preferably dark brown color", + "im looking for heels cupcake toppers for gender reveal party baby shower birthday", + "i want to find a television stand for my living room that is nature-colored with some grey as well", + "im looking for a volcanic reds lipstick with argan oil", + "im looking for a 5ft high speed coaxial cable aluminum alloy and quadshield nickel plated fitting", + "i would like a casual tie dye crewneck sweatshirt. it needs to be long sleeve and have a side splits", + "i would like yellow flats that have memory foam that are a size 9.5", + "i need some compact space saving bookcases", + "i just want a power cord for my blu ray player, please and thank you", + "i need to buy a casette recorder. get the one that in style convert player with included batteries", + "i would like a non gmo container of artichoke hearts", + "i want silver cooki rhinestone open toe sandals", + "im looking for jar candles with soy way that is long lasting. also, choose illinois colored one", + "im looking for gluten free it contains high protein and needed to protein", + "i want to find a 6-count pack of thyme leaf tea bags that are usda certified organic", + "i am looking for an intel quad core i5 tower pc with windows 10 pro", + "i need a space saving ottoman that is purple", + "im looking for short and long sleeve for women men its for slim fit", + "i am looking for a high quality and long lasting makeup kit for women", + "im looking to buy a high performance digital camera with optical zoom", + "i need a pink blossom colored carrying case for my cell phone", + "im looking for a teal blue watch band thats easy to install", + "i want to buy a television stand thats easy to assemble. it needs to be brown and 27.5 inches tall", + "i want dual band and quad core smart streaming media tv box with high speed ,which is 4gb +64gb storage capacity", + "im looking for a pair of womens casual moccasin flats with rubber soles. i wear a size 8 and prefer the color champagne", + "im looking for a 40 pieces hair satin foam rollers perm rods", + "i want to buy some shelf stable baby food. look for a fifteen count box of blueberry banana sweet potato", + "im looking for men\u2019s small boxer briefs, long leg style that are moisture wicking", + "i would like a medium sized black womens top with long sleeves", + "i need to buy a gift basket for valentines day. find one that has five chocolate bars in it", + "im looking for a 10 lights stepeak w23.6 crystal golden chandelier pendant lighting ", + "i need two lounge chairs for outdoors. it should be in grey, easy to assemble with a steel frame", + "i need a decor therapy white fnished bailey bead board, sized 14x17x26.5, in color sahara", + "i am looking for an easy to assemble navy table with storage for my living room", + "im looking for gold plated, high speed hdmi cable . also, choose 12 feet hdmi male to female cable in pack of 1", + "i would like a 31 wide by 30 long dark williamsburg pair of straight leg jeans", + "i am looking for silver cupcake toppers for baby shower birthday party", + "i need a 52 x 84 x 2 panels window curtain for the living room", + "i am looking for a loose fit blue top that is a small", + "i am looking for a large bright blue daily casual dress", + "i really need a hand painting painting that comes in a size of 45 inch by 30 inch", + "i am looking for thai chilli style tuna that has jalapeno flavor. it should be gluten free", + "i want lemon berry crispies in a gift basket", + "i would like a black 80 foot high speed coaxial cable", + "i am looking for munk pack keto granola bars that are plant based", + "i am looking for powdered milk that is gluten free and nonfat", + "i need a laptop with intel quad core i5 processor. it should also have 8gb ddr4 ram and 512 gb pcie ssd", + "im trying to find a black and walnut standing desk. it should be electric and height adjustable with memory presets as well", + "i want to buy a 36 count box of java love k cup pods. they should be usda organic", + "i am looking for jolly rancher candies that are individually wrapped, but in a fat free version", + "i am looking for yellow color hoodies for daily wear", + "i am looking for large jar candles of soy wax", + "im looking for a pair of classic brown, long lasting boat shoes in a size 14 wide with a synthetic sole", + "looking for freeze-dried raw flavor beef size 3.5 oz grain free", + "i am looking for a medium short sleeve control slips", + "i am looking for a lavender womens party dress in the size x-large", + "i am looking for makeup brushes tool set with eye shadow blush", + "i am looking for a 75 ohm brass connector for coaxial cable nickel . i choose 39ft size cable made with copper", + "i need a bag for my hair styling tools", + "i would like a africa 80 by 40 poster to hang readily in my living room", + "i would like a pair of size 10 grey pumps with a high heel", + "i need a shirt with regular fit", + "i am looking for wine red maternity shorts with nylon spandex and pockets", + "i am looking for a teal scented soy wax jar candle for my living room. also, choose the size 15 oz", + "i am looking for high definition high power pink colour portable bluetooth speakers", + "i am interested in a white dinnerware set that has a contemporary design", + "i need an automobile charger that has wireless charging and is black", + "looking for high performance quad-core 64bit android tv box 10.0", + "i am looking for blue non slip womens sandals that are size 9", + "i am looking for regular fit fleece women jacket. please select vivid purple color", + "i want a modway engage mid-century corner sofa", + "i am really wanting some khaki jeans that are high waisted and in a xx-large", + "i am looking for candy pink and black toddler clogs with vinyl acetate", + "i am looking for an oversized womens gray long sleeve sweater", + "i am looking for hair growth serum for men", + "i am looking for herbal ginger tea in small packs", + "im looking for tripoid for electronics needed", + "get me sugar free water drink mix. i like half iced tea and half lemonade flavor", + "i need an easy to clean hydraulic chair that is heavy duty. it is for my hair salon", + "im locking for a clinical strength anti-perspirant deodorant", + "i want a high power professional stereo bluetooth speaker", + "im looking for accessories for womens for dead skin adn need to buy it", + "i am looking for a perfume oil in metal packing of 12 ml size which is alcohol free and lasts long", + "i need 2 bottles of 8fl oz vermont maple salted bourbon caramel sauce that is gluten free", + "i need super king plus 120x120 (3pc duvet set) silver color silk decorative super soft pillow covers", + "i am looking for some high quality reusable spray bottles that are easy to clean", + "i am looking for easy to use movie themed cake toppers", + "im looking for a non toxic body paint scar wax", + "i need some medium white casual shorts in a regular size", + "i am looking for 3mp motion detection security camera", + "im interested in one pack of 20-inch hair extensions that are easy to apply", + "i would like a red light high power light string", + "i need an eyeshadow palette thats easy to carry and contains a highly pigmented brown eyeshadow", + "i am looking for a pink colored body brush with long handle. it should suit my sensitive skin", + "am looking for highly pigmented loreal paris makeup colour riche original creamy, british red color", + "i need to buy some permanent hair dye. it should be deep ash brown and contain argan oil", + "i am looking for a black curtain rod that is 54-90 in size and easy to install", + "im looking for a human skeleton shower cap made for women with natural hair", + "i looking foco nfl team logo womens moisture wicking arch support size :9 black daily use slipper", + "i want to buy vanity lights which have bronze finish and the color of which is satin bronze, and with a size of nine light, while its style should be mini-pendant", + "i would like to purchase a 0.4 ounce hyaluronic acid water proof concealer that can help to improve the appearance of dark circles. the one with the 20.0 medium (n) color is preferable", + "i would like a 5xl leopard t shirt with a short sleeve", + "i want to find a 30-count pack of non-dairy, salted caramel flavored hot chocolate mix", + "i want to find a spinning facial brush that is water resistant and comes with a storage case. make sure its the mint green one from touchbeauty", + "im looking for a twin xl, fully assembled mattresses", + "i am in need of 5 sets happy birthday cake toppers", + "i want to find liquid foundation makeup in the classic ivory color. it needs to last for a long time and ideally, i can get a 3-pack of containers with a single fluid ounce", + "i need an led video light that is l6000a. some batteries would be nice", + "i want a hair treatment steamer thermal heat cap", + "i am looking for high quality hair care center to exten my hair without hair loss. hair extensions must be body wave and 5x5 lace closure ", + "i want a blue noldares mens flannel long sleeve shirt", + "i want some relaxed jeans that are a comfortable fit in a size 46w by 34l and are in the color victoria", + "i am looking for studio photography digital photography in grey", + "i am looking for a grain free granola cereal", + "iam looking a leather sole day comfort mens construction boot color also 6 sft toe wheat", + "i need some womens shoes with a non-slip rubber sole. look for them in white, size eleven", + "i would like a living room sofa chair in cognanc leather", + "i need some toppers for cupcakes that are good for a birthday party and are gold", + "looking for a medium sized, high waist denim shorts for teen girls", + "i want dermatologist tested herbal essences chamomile conditioner", + "i want a blanket thats quirky and is fleece throw. i would appreciate it if it was easy to clean too please", + "i need a pink dust-proof cover for my fire stick tv remote", + "i need a slate blue, big and tall t-shirt that is good for machine wash", + "i need a hand psychedelic painted window cover that is multi-19818 color and about l23.6 x h 35.4", + "im looking for flannel throw blanket sherpa microfiber bed sofa", + "i would like some hands free earbud handphones", + "i am loooking for mini business desktop having wireless bluetooth", + "i am looking for a white computer gaming chair with lumbar support", + "im looking for optical zoom for camera it was in ultra hd camera", + "i am looking for a low carb carba-nada roasted fettuccine", + "i need tan high heel booties in size 9.5", + "id like a certfied organic 36 pack of 2 ounce vitality shot drink flavored lemon ginger", + "i am looking for a low carb, high protein meal replacement bar in the flavor of dark chocolate smores", + "i am looking for a 7 ft 0 x 7 ft 0 spot clean area rugs", + "i would like a 10 gram packet of crimson long lasting nail glitter", + "i want a 15 cupcake toppers for a birthday and to be decorated with rose and gold", + "i need an easy to carry travel bag for shampoo", + "i am looking for 2 window panels that are 108 wide and 84 in length that are machine washable", + "looking for laundry bags with imported zipper", + "i need to find 20-60x80 monoculars for some bird watching action", + "im looking for a loose fitting, machine washable blouse in blue. i need an xx large", + "i am looking for a cat paw pink kid\u2019s toothbrush that is easy to use", + "i would like a pair of size 7.5 clogs that are slip resistant", + "looking for light weight long cord headphones for tv choose colour 3-blue+red", + "i am looking for cherry red softy t color boots that are light weight", + "i need blue clogs that are made of vinyl and are a size 9", + "i am looking for an easy to install matte black vinyl skin decal for playstation 5 console and its two controllers", + "a double sided soft fleence cozy warm light weighted throw blanket also colour is yellow", + "i would like a b002c30 rod pocket window panel that is machine washable", + "i want to buy a navy blue casual short-sleeve t-shirt. it should have an ombre gradient on it, and ill need a medium", + "i want a king sized and lead free acacia aurora bed frame", + "im looking for light weight headset it was outside of noise cancelling", + "i would like to get a size 7 white loafer with a rubber sole", + "im looking for a halloweenboo and a x small long sleeve and should be for a daily wear and comfortable", + "toothpaste for dental cleaning - 60ml fresh breath freeorr", + "i am looking for a styling tool that is black that one would find in a salon", + "find me 150 ml wella professional oil free hair color with the pink style", + "im looking for cell phone accessories the color was red brushed tpu. it was need to buy", + "i would like a 16 inch by 16 inch yellow gray throw pillow cover that is machine washable", + "i want to buy a tea-themed gift basket", + "i want to find a navy colored non-slip rug that is oval shaped and 3 feet by 5 feet in size", + "i am looking for dermatologist tested and paraben free body cream with green tea extracts which is suitable for dry and sensitive skin", + "i want to find orange-scented kids soap that is free of parabens", + "hi im going to barbecue sausage, i want you to find the special summer gluten free sausage old wisconsin beef sausages low carb flavored beef 8oz (pack of 3)", + "i am interested in buying bar stools which have metal legs, are in blue colors, and have a size of 45cm", + "looking for machine washable 52 w by 52 cute pet window curtains", + "im looking for a small gift basket of milk chocolate mint truffles for valentines day; about 4oz", + "i want to buy a brush for facial cleansing which is suitable for sensitive skin and its blue color", + "im looking for shag collection area modern spot clean oval shaped rug of size 8 ft x 11 ft", + "i am looking for a fluoride free, paraben free toothpaste", + "i need a super soft easy to clean blanket in bible verse trust in the lord color and 50x40 small size for kid", + "im looking for christmas gift baskets for kids", + "i want to find 38 millimeter silicone bands that are compatible with my apple watch. the bands can be either dark green, black, or olive green", + "i need some beige storage bins that are easy to clean", + "i am looking for some cookies that are plant based and peanut butter flavor, and would like a pack of 16", + "i would like some green size 36 shorts that are good for my gym workout", + "i would like a pink cake topper for a birthday party", + "i would like non gmo mango slices", + "i am looking for a comfortable desk chair without wheels, for my living room, or dining room. i would like for it to have golden legs", + "i need an intel quad core tablet which is certified refurbished", + "i saw the butterfly flower nail art", + "im looking for meat and vegetable flavored seasoning mix -1.76 oz (pack of 6)", + "i am looking for a 3ft high speed coaxial cable made up of aluminum alloy. i need 3 pack of it", + "i am looking for classic fit womens tee shirts of dark gray3 color", + "im looking for a nikon coolpix 990 3.34mp digital camera ", + "i am looking for grey color rugs for dining room", + "looking for generic led bedside table set for living room also choose set of 2", + "i need some khaki open toed sandals that come in a 6 wide", + "i am looking for dang toasted coconut chips with soy free, gluten free , non gmo and plant based with size 3.17 ounce", + "i am looking for 0.81 ounce (pack of 80) of gluten free chewy bar with flavored dark chocolate cherry cashew", + "im looking for a pair of pants thats easy to care for and come in a classic fit. i need them in black, size 40w x 32l", + "i would like a pair of size 9 grey snow boots that are water resistant", + "i would like a black chair with lumbar support", + "i am looking for smokehouse flavor snack nuts having high protein content", + "i would like a white and green 5 cube bookcase", + "i would like a hair brush thats good for damaged hair", + "i am looking for a denim for daily wear , size 28", + "i am looking for sugar free madagascar vanilla flavored peppermint paddy syrup, 64 ounce (pack of 6)", + "i need dusty pink mid century bar stools that dont have open backs", + "i am looking for a silver galaxy watch 3 45mm sm r840 women bands which is easy to install and stainless steel", + "i want a benro mach3 long carbon fiber aluminum tripod", + "i would like an intel core desktop that has 64 gb of ram with 4 tb storage", + "i am looking for gluten free seasoning in organic", + "i want a pair of black, closed pointy toe sandals", + "im looking for open toe pillow slippers for need to buy it", + "i want a easy clean water resistant hair cutting salon kit for professnol hair salon color:style 2", + "i am in need of easy to use hair curlers rollers which is good for diy hair styling", + "im looking for vanity light for laundry room", + "i would like a 15 ft direct burial coaxial cable", + "i am looking for solar power bank with 10w wireless charger, dual usb, fast charging and waterproof", + "im looking for furniture it was in living room the color was pastel blue", + "i need an easy to clean 8x10 shag rug. it needs to be rectangular and navy blue", + "i am looking for cherry republic brand chocolate covered cherries, 2 of the 8 ounce packages", + "i am looking for a womens short sleeve tank top size 3x-large", + "looking for a honiway decorative wall mirror 12.3 inch rustic wood frame for living room. keep in touch", + "im looking for a natural whole bay leaf which should be free from bpa, gmo, fat and gluten. also choose a pack of 1 weighing 3.53 ounce with organic senna flavored one", + "im trying to find a chrome, stainless steel storage organizer to put over my kitchen cabinet doors", + "i would like a desktop mini computer with16 gig of ram and a intel core i9", + "i would like a 40 foot long trishield nickel plated coaxial cable", + "i would like a pair of 44w x 30l slim fit lavon jeans that are long lasting", + "i want a blue 100 cm x 70 cm ready to hang print to hang on my living room wall", + "i want to find a 3-count pack of 4-ounce deodorant sprays that are certified organic", + "i am interested in a heavy duty coat rack that is rice white colored", + "i am looking for fashion comfortable flats for women with the durable slip on outsole withlight weight lyhomean handmade women linen cotton slip on loafers in grey color. size 6.5 preferable", + "i am looking for a high definition tempered glass screen protector", + "i would like a large, low carb drink alternative that is a red flavor such as cherry or strawberry", + "i would like to buy some size 36 orange elastic waist flat front shorts", + "i would like a black bottle of nail polish with elastic bands", + "i am looking for a womens medium size gray fleece lined jacket", + "i want to find a pair of green camo size 40w x 34l slim-fit men\u2019s cargo pants", + "i am looking for a quick release plate for my camera made of aluminum alloy", + "im looking for a gold professional hair styling barber gown", + "i want a solid wood cupboard with a modern design. pick a white one", + "i need a slim fit blouse that is a 4x large and is multicolored", + "im looking for cosmetic high quality accessories and it will use for cosmetic bags", + "look for a mid century pendant light to be installed in my living room. it should be black", + "im looking for a 18 inch double sided hair extensions", + "im looking for a new screen for my projector. it should be very easy to install and white. i need a screen of at least 113 inches", + "i want to buy a 12 count package of individually wrapped sour candies for a birthday party", + "i want to find 30-inch long hair extension braids in a pack of 6. the color needs to be #613", + "i am looking for a pair of mens size 10 everyday wear mocs", + "i need wireless bluetooth speakers that are red", + "i am looking for a gray color hdmi cables with high speed and blu ray", + "i want high performance 6 ft usb 2.0 male to male cable color black", + "i want a travel organiser for blouse hosiery underwear lingeries laundry bag", + "i want a plant based, dairy free oat milk of about 4.4lb", + "im looking for a mens classic fit shirt containing a jamaican woman", + "im looking for a medium color with natural ingredients concealers & neutralizers for dark circle", + "i need a long lasting fleece jacket in regular fit. it should be sea salt in color", + "i need foiresoft basic, white color, w 28 x h 55 inch zebra roller blinds", + "i want to buy some living room curtain panels that are pattern 6 and 55x46 inches", + "im looking for a 50-pack of black usb plugs that last for a long time", + "my 6 years old child like teeth whitening", + "show me long sleeved daily wear sweater for teen girls in white color and 4x large size", + "i need a pink desk with lamp. it should be height adjustable and have storage space", + "i am looking for a low fat and gluten free classic white flavoured milk", + "i need some indian spices that are easy to use for chana masala", + "i am looking for a high performance laptop with 1tb,16 gb ram, intel core i7. nvidia", + "i am looking for teeth whitening toothpaste with a passion fruit flavor", + "i am looking for an easy to use sonic toothbrush for kids, 1 pack", + "i want white non slip womens wedges cowboy boots", + "im looking for professional animal arco pet clipper kit", + "i would like a 11.9 ounce maple moose rich and creamy chai tea", + "i am looking for freeze dried fruit that is gluten free", + "lets see some long lasting moose that is about 250ml", + "i need to buy some green sandals with arch support. look for uk size nine medium", + "find a 0.8 ounce fruit snack pack made from simple ingredients", + "i want to find a high-definition spy camera that can detect motion", + "i need a heavy duty extra large twin box spring thats fully assembled and ready to use", + "i want luxshiny 72pcs halloween cupcake picks", + "i am looking for santa red color birthday cake", + "i am looking for gluten free sea salt", + "can i get a super soft burgundy fleece cosy throw for a couch which is 50\u201dx60\u201d in size?", + "i would like a 5 x 5 square cake topper for a birthday party", + "i need heavy duty yellow bed frames", + "im looking for protein crunch bars that are grain free, high in protein, and keto friendly. also they should be peanut cinnamon hemp flavor", + "i need a taco seasoning blend that is sugar free", + "find an easy to prepare chicken masala seasoning", + "i am looking for clinical strength solid deodorant for men.it should be paraben free", + "i am looking for a easy to use beige color shower cap", + "i want a swell 12 oz travel bottle set", + "encontrar uma linda \u00e9 a sand\u00e1lia de cristal haoricu para mulher. preciso comprar para presente. ache o tamanho 8,5 na cor preta", + "i am searching for a delicious dairy free unsweetened coconutmilk, 1 quart", + "i want rose cest moi visionary makeup crayon for sensitive skin", + "searching to purchase a mens zerogrand hiker boot that is water resistant with rubber outsole in a size 10 1/2, either dark coffee or black in coloring. cole haan", + "im looking for a gluten free all purpose seasoning with himalayan pink salt that is mow in sodium and has no artificial colors. also, choose a pack of 1 weighing 4 ounce in standard size lifestyle pack for everyday seasoning one", + "i need a gray nightstand with a steel frame", + "id like to order an eight ounce bottle of maple syrup. make sure its nut free", + "i would like a 3 ft long copper coaxial cable", + "i would like an aluminum alloy tripod", + "i am looking for a toning treatment that is fragrance free", + "i need a valentines day chocolate gift box", + "i want ebanel 10 pack collagen anti aging face mask", + "looking for natural flavors whole grain cheddar", + "i want a 5x7ft vinyl shabby wooden loft background for digital photography", + "i need a amplifier with stereo sound", + "i looking a mens short sleeve relaxed fit xx- large maroon /white color polo shirt", + "i need some vanity lights that are brushed nickel", + "i want gluten free sun tropics sea salt snack bites", + "i want a temporary tooth repair kit for teeth whitening", + "i would like some gnocchi that is easy to prepare", + "i would like a size 5 narrow tobacco brown flip flops with a synthetic sole", + "im looking for violet pigment and blackberry extract sheer silver shampoo", + "we want a twin over twin kids beds easy assemble box spring color : silver", + "i am looking for a 5 no. rubber sole heeled sandals", + "i need a six by four foot backdrop for digital photography. it should be high resolution and light weight", + "i would like a 0.5 fluid ounce bottle of water gel eye cream that is clinically proven", + "i would like to buy some easy to install pendant lights for my living room", + "i am interested in a kashmiri indian seasoning that is easy to prepare and only 2.1 ounces", + "i would like a machine washable window treatment that is in the color b006c33", + "show me lorann coffee bakery emulsion, red velvet flavor and gluten free. i need to add an order for this week", + "i want small and high waisted comfortable underwear 831 new men u-convex", + "i want a nut free brew glitter in the maroon red color", + "i want a grey bellemave bed frame wood platform bed", + "im looking for a console table for the living room with a solid wood frame that can double as a storage unit", + "id like to find a teeth whitening kit that is not only easy to carry but also delivers high quality results", + "i want to get a black twin size bed frame", + "i am looking for a chocolate covered dates for perfect gift. also choose assorted container one", + "i am looking for a gray bags, cases & sleeves \u203a sleeves for carrying case", + "i want to purchase synthetic hair topper that are 18 inch long and have 4 clips of dark blonde hair with bangs", + "look for a sampler of spicy masala black chai tea that has natural flavors and ingredients", + "i need a black, rubber sole workboot in size 11.5", + "i am looking for canalis 3 mini pendant lighting led hanging light fixture", + "i am looking for a mini eau de toilette for a women. also choose green tea scent", + "im looking for a classic fitting, needle-sleeved t-shirt that is machine washable", + "i need a vanity light with clear glass", + "i want .5 fl oz of clinically proven vegan mia organic antioxidant face oil", + "i am looking for a core i5 tablet", + "i want an ontario furniture 5 foot solid plastic folding table. if possible i need it to be heavy duty with the steel frame", + "i would like to buy a nail buffer to take care of dead skin and in style1", + "i want to find a long lasting perfume for women. if possible, can you get something that is 2 ounces?", + "i would like a camcorder with optical zoom", + "can i get an open toe eduavar flat casual sandals for women, size 6.5-7", + "i would like a 44 inch wide and 47 inch tall caramel roller shade for the living room", + "find official licensed harry potter t-shirts", + "i would like a high protein jerky", + "i search 550 hunger flames nail polish", + "i am looking for a denim man short regular fit machine wash size 34 regular colour steel black", + "i need a small hawaiian shirt with short sleeves, lasts long and has a button closure", + "i am looking for easy to prepare chana masala recipe", + "i need lactose free chocolate flavor", + "i am looking for an easy to install wall mounted cd player", + "i want tropical moringa oil & honey daily moisturiser for my natural hair and that can used for hair treatment .pick 8 ounces", + "i am looking for a white feather color large makeup bag which is water resistant", + "let me get some birthday party cake toppers in red color", + "i would like a leo candle made of soy wax", + "i want an ivory pair of bearpaw womens skye boots with rubber soles", + "i want a x-large and machine washable lazy tuxedo t-shirt", + "i am looking for a lip plumper with cruelty free, also long lasting", + "i am looking for a high performance easy to carry black wireless bluetooth speaker", + "i want blue egg gender reveal cupcake toppers for my baby shower", + "i am looking for a blue usb port cables", + "im looking for a pair of womens size seven steel toed boots that are water resistant and come in black", + "i would like to get some extra large light blue high waisted jeans with a loose fit", + "im looking for a gift covered with chocolate and should be in a gift basket", + "i am looking for 16 inch long synthetic hair extensions for women", + "i am looking for high definition orange color 10.8 inch android 9.0 tablet of quad-core processor,6000mah battery etc", + "i am looking for alcohol free women versace dreamer impression scent", + "i am searching for space saving brown ottoman for living room, that should have the size 17x13x13 inches", + "i would like a long lasting lipstick in the color emma", + "i need 2 pack 5 pound resealable bags of fine ground celtic sea salt", + "i would like a pair of c clippers for hair cutting", + "im looking for a ready to hang wall mounted mirror for my living room. it should be round and come in silver brushed nickel", + "im interested in a pack of 4, 3.17 ounce lightly salted, but unsweetened coconut chips that are non-gmo and gluten-free", + "i am looking for non gmo , gluten free organic cinnamon syrup", + "i need a hands free fm transmitter with a fast charge time", + "i would like a 2xl multicolor vest that can be machine washed", + "i am looking to purchase a short sleeved, button down shirt for my husband. i need something in size 3x, perhaps in black", + "i need party bags of potato chips", + "i need a easy to apply nail polish", + "i am looking for chocolate gift set", + "i want a women slip resistant red color shoes with size 10.5", + "i am looking for a slate blue plush rug that is easy to clean", + "i am looking for gluten free potato chips", + "guyou faux fur accent chairs set of 2 chairs, white item is my choice for my new home ", + "i need a long lasting box spring set in a queen size with an 8 foundation", + "looking for phone ring light with aaa batteries", + "i am looking for a pair of grey faux leather mid century dining chairs", + "i am searching for a 4g lte signal booster. it should be easy to install", + "i am looking for a brown finished wood full size platform bed with box springs", + "i want a golden lighting 3602-vl3 blk duncan vanity light", + "i am in need of loose hip-hop blue color, x-large sized womens sweatpants that is fit for machine wash", + "im looking for a plant based healthy snacks which is gmo free and gluten free. also, choose a pack of 2 with coconut cashew pineapple mix and banana flavored one", + "i need a wall lamp that is easy to install", + "i need a red k22 phone case that comes with a tempered glass screen protector", + "i need a i-blue color sleeved pullover sweater of 5x-large size. and it should be machine washable", + "i would like a b04 toothbrush for kids 6-12 sensitive teeth", + "i need a super soft throw pillow in coral for my living room", + "im looking for a everyday wear chukka with rubber outsole. also choose 11.5-d with 11 wide bomber colored one", + "i want high quality hair extensions that is 26 inches long", + "i am looking for a usda organic cacao flavored instant cup of oatmeal ", + "buy me a womens classic fit t-shirt in purple", + "i am looking for a high quality glossy pink nail polish storage case that is easy to clean", + "i need a long usb cable with speed in the beige color", + "i want a solid wood bench with storage space to go in my living room. it should be grey in color", + "for home furnishing, i need a rectangular rug in ivory grey color, measuring 11ft x 15ft", + "i am looking for golden blonde human hair extensions", + "i am looking for a wallets for blouse hosiery & laundry bag", + "i like ax color synthetic hair", + "im interested in a table runner that is 72x16+13x19x4, easy to clean and machine washable", + "can you find me a 4g lte coaxial cable? i need the 3 foot one", + "i would like to buy a 5x5 feet easy to clean grass mat for the lawn which is eco friendly", + "i am looking for a four pack of chocolate protein drinks that are dairy free", + "im looking for an easy to use roofull external cd dvd +/-rw drive usb 3.0 protable usb dvd/cd rom burner optical drive player reader writer for windows carrying case in silver", + "i am looking for red color bath & body brushes for dry skin", + "find me a white and black wooden etagere bookcase that needs assembly", + "fully cooked shredded chicken taco kit", + "im looking for clothing long and short sleeve for womens dresses the color was purple", + "i am looking for caribbean blue color non slippable silicone cases that are compatible with apple iphone", + "i would like a size 38 rainbow applewatch band", + "i am looking for hand crafted snack gifts", + "looking for drying hair turban choose one size", + "i am looking for a travel sized bottle of prada luna rossa impression eau de parfum", + "im looking for an easy to use electric foot grinder in blue", + "the success of my diet depends on this product!!! bestmed - high protein peaunt nutritional bar - low-carb, 15g protein, low sugar, i need to find help", + "im looking for shampoo & conditioner sets for damaged hair", + "i would like to have anti-aging moisturizer which has 10 ivory fair", + "order for me a high speed data sync charge cable for my playstation 4 and should be silver in color", + "i would like a box of individually wrapped chocolate cereal bars", + "i am looking for high quality hair tie and ponytail holder which is used for hair styling for women and girls", + "i am looking for a high quality gold color eye shadow brush set which is easy to carry", + "i would like a 10.63x9.05 inch pack of 5 red edge sponges that are long lasting", + "i want an octagonal area right that is light green in color and is easy to clean", + "i need ultra hd 13ft size smart tv", + "i want to buy hair color which is dermatologist test, is oil free, and is of dark chocolate color", + "i would like some freeze dried chocolate mango slices that are in a bundle", + "i am looking for a blue high waist legging for women", + "i am looking for size 10 regular fit adidas harden stepback 2.0 basketball shoes", + "im looking for gluten free it was contain high protein and it was healthy natural black mustard seed ground", + "i am looking for 24 inch long synthetic hair extension", + "i drink for red wine quick release for me", + "i want 20ml travel size kaaka empty clear glass bottles", + "i am looking for a set of 7.4 inch size white lead free dessert salad plate which is easy to clean", + "i am looking for a dermatologist tested foundation that is in the color of soft honey", + "im looking for a 6-count pack of birthday cake flavored donuts that are keto friendly", + "i need an easy to install walnut brown living skog mid-century tv stand for tvs up to 48 inches", + "i need a high quality skin care tool", + "i am looking for 1 pack of 9 gr light golden reddish blonde hair dye which is good and long lasting", + "i need a red t-shirt that has a classic fit in a size 2t for men", + "i am looking for a fluoride free toothpaste for sensitive teeth of natural mixed berry flavour", + "i am looking for gluten free popcorn in an 8 pack that is a savory variety pack", + "i want to find a pound of chocolate covered peach hearts", + "im looking for a plant based, usda organic freeze dried fruits which is fat free. also choose a pack of 12 weighting 1.5 ounce bundle with strawberries + banana flavored one", + "id like a print of persistence of memory, ready to hang in my living room with dimensions 20x16x1.5", + "i am looking for gray(new) color sofa bed that is easy to assemble", + "i would like a high quality blue face kit to help with fine lines and wrinkles", + "i need an ultra hd security camera which comes with plug and play option", + "i would like a 5.9 inch pendant light fixture for my living room", + "i want the fast charging hands free amzstar ipx0 waterproof headset. i want the grey ones", + "i am looking for a living room set with two armchairs that are gray in color and mid century style", + "i need a large size slimfit t shirt for men and blouse with short sleeve and crew neck for women for the occassion of valentines day. color preferred is white", + "im looking for a high power sound bar", + "i am looking for a blue color wireless bluetooth mouse that is plug and play", + "im looking for walnut color home accessories its very easy to clean", + "i am looking for a 50 ml leak proof bags & cases", + "i would like to buy eyebrow gel which is long lasting, and is of black color", + "i need a classic fit and dark heather fish aquarium t-shirt in size 2t for men", + "i want to buy a waterproof security camera with an optical zoom and motion detection", + "i need a chocolate colored hair dye", + "i need mid century dining furniture in a 35.4 by 13.2 by 32.7 dimension", + "i am looking for a loose fit vest that is red and a 4-xlarge", + "i need some brown oxfords that offer day comfort and are in a size 7", + "i am looking for coffee colored sneakers that are steel toed and size 11", + "i need to buy some decaffeinated lavender tea", + "im looking for mens jeans that are slim but comfortable fitting, size 33w and 44l", + "im looking for engineered wood that need to white finish furniture", + "i want 1 biotin thickening herbal serum for hair growth", + "i need some gluten free nori", + "i am looking for a black light weight carbon fiber round keychain", + "i am looking for a white batteries included clock radios", + "i want a light weight high resolution background for photography purpose of baby sower party size :5*3ft", + "i am looking for a blue linen contemporary design beds", + "i am looking for gluten-free, lactose-free, dairy free, non-gmo salami", + "i am looking for a gluten free snacking avocado with non gmo", + "i am looking for non gmo, gluten free and artificial colors o2 oxygenated recovery drink with flavor name: lemon lime", + "i am looking for a medium sized toiletry bag that is denim purple and water resistant", + "i want a qivynsry filter carrying case", + "i am looking for a white classic fit tanks & camis for girl", + "im looking for a plant based meal replacement shake that are nut, soy, and gluten free. choose the ones that are chai flavor and come in 12 fl oz and pack of 12", + "i am looking for a specific perfume fragrance called impression of a poison girl that comes in a travel size", + "im looking for long sleeve lightweight buy a c-blue weather", + "i am looking for a eco friendly horoscope candle with soy wax. also choose sagittarius one", + "im looking for ten high-speed, gold-plated hdmi cables", + "im looking for a wall art for living room with ready to hang wood frame which is easy to clean. also, choose art-003m one", + "i am searching for a star war graphic tee in white", + "i need a panasonic ag-ac30 full hd camcorder with a carrying case", + "i would like a goddess treasure eyeshadow that is cruelty free", + "i am looking for amplifiers that have high power and performance", + "i need a high quality perfume atomizer bottle that is easy to carry and has 1 color", + "can you get me a machine washable throw? get me one that is 30x40 inches", + "he was wearing a burgundy polyester cotton with black color and size 31 . its quality is good", + "i want a black cordless water flosser for bad breath", + "hp slim tower desktop pc intel core j4025 processor (32gb/1tb hdd/1 tb ssd wired keyboard)", + "i am looking for an iphone case that is easy to install and is metallic gun metal", + "im looking for a wooden upholstered daybed twin with trundle and backrest", + "im trying to find an office chair with metal legs. i really want one that is black", + "i need a loose fit, long sleeved hoodie in green. buy the size medium", + "i need hemp shower oil for dry skin", + "i need apple compatible smartwatch band made of carbon fiber in elephant grey color and black buckle", + "i am looking for a face oil serum that is cruelty free produced and has anti aging properties", + "i would like to buy a high gloss walnut entertainment center for a 51 inch tv that has a lot of storage space", + "i need a leak proof purple bag for travel bottles", + "i want an o christmas tree, large christmas gift basket", + "i need red colored cocktail glitter that is gmo free", + "i would like a king sized grey umbria daybed with a box spring", + "i seek a tripod stand that is compatible with my iphone and is easy to carry", + "im looking for small high performance silicone watch bands that are quick release", + "im looking for 8 ounce (pack of 1) oil for dry hair", + "i am looking for an easy to carry 4-tier black cosmetic box", + "i am interested in a 12 pack of dill pickle chips that are low carb", + "i want to buy a photography background that is lightweight and 9x6 ft", + "im looking for a gluten free cauliflower cizza crust", + "look for a 120 count box of denture cleaning tablets that are easy to use", + "i am looking for a lemon yellow airpod case cover compatible with apple airpods and do wireless charging", + "i want a variety pack of non gmo 7days bagel chips", + "i want to buy some wall sconces with a dark bronze finish", + "im looking for furniture engineered wood at the living room the color was grey", + "i am looking for blueberry muffin scent candles that are long lasting", + "i need a grey protective airpods 3 case cover which is compatible with apple", + "i am looking fresh scent body lotion for dry skin", + "im looking for a perfect gifts that contains high protein preferably nuts . also choose a pack of 4 weights 7 ounce with savory flavored one", + "i would like to buy machine washable leggings in size 16 plus with an elastic waistband", + "i am interested in a high quality shower cap", + "i am looking for sc665 handset for mobile phone with noise cancelling feature", + "i need to buy a forty-six inch under cabinet light fixture", + "i am looking for a mens t-shirt with a fruit motif that is machine washable", + "i would like a desk made from engineered wood", + "i want to find some spray that i can use to treat hot flashes, and it should be suitable for sensitive skin", + "find me a machine washable long sleeved pullover with a loose fit. i want the one in green in small", + "id like to find 3 pairs of navy socks that are made of nylon spandex", + "i would like a great snack gift basket", + "i would like two variety packs of non gmo trail mix", + "buy me some antiperspirant that hasnt been tested on animals", + "i am looking for a chocolate candy suitable for valentine day. and i choose kisses pink style", + "i am looking for popcorn seasoning of popcorn salt flavor that is gluten free", + "i am looking for kosher certified caffeinated chocolate bites", + "i need a high power soundbar with stereo sound. it should include the audio line", + "i am interested in buying a size 15 walking shoes with a rubber sole", + "i am interested in birthday party cupcake toppers that are multicolor", + "i would like a tinted moisturizer that is made for dry skin and is in the color annapurna", + "im looking for pale blush living room window drapes, 2 panel set measuring 108 x 84", + "i need some blue wide legged pants in a large", + "i want certified organic irish breakfast iced tea bags in the 1 pound pack, and they need to be mint flavor. they are also by fgo and blended in the usa", + "i am looking for an olive machine washable t shirt for youth that is in a xx-large", + "i am looking for a dark gray polo that is long sleeved and in a medium size", + "im looking for organic, gluten free dutch cocoa chocolate sauce with a syrup pump", + "i am looking for a mist water bottle in white color with leak proof. also delivery fine mist", + "i want to buy case for apple watch which has tempered glass and is for rose pink color, and its size should be 42 mm", + "i am looking for yellow and flat ankle booties for women for daily wear, and i would like them to come in size 8.5", + "i am looking for kosher certified premium gourmet spices of european chicken seasoning -12 oz", + "i want twin size black pants", + "i want an lnafirenze and highly pigmented matte liquid lipstick set", + "i want a yongfoto 20x10ft high resolution photo studio background", + "im looking for a solid wood sofa table in order to get some extra storage space in my living room", + "like to buy a memory foam flat with rubber sole in taupe color and 8 wide size", + "i am looking for an underwater themed 6 foot by 9 foot light weight vinyl photography backdrop", + "i would like a 16 pack variety box of low sugar cookies", + "i am looking for rigid indigo comfortable fit mens wrangler jeans", + "im looking for a hair shaving, household neck hair removal brush with rope for men", + "i am looking for a hollow side console table that is easy to assemble", + "im looking for keto friendly, gluten free backpacking snacks including cheese, crackers and summer sausage", + "i need some spacedye spandex leggings", + "i am looking for gluten free protein granola for my keto diet", + "i would like a 18 inch #5 easy to use hair extensions", + "im looking for chairs for the dining room that are button-tufted and easy-to-assemble", + "i am looking for a brighten colored toothpaste that is fluoride free and has natural ingredients", + "i am looking for red color short sleeve shirts", + "im looking for clothing for womens for classic fit and needle sleeve need to buy it", + "i want water proof australian gold continuous spray sunscreen with instant bronzer spf 50", + "i am looking for an electrolyte drink that is low carb and in the berry flavor", + "i need a 1.43 ounce (pack of 12) soy free non gmo plant based gluten free original flavored chips", + "find caraway seeds for dietary fiber, need 1 pack with 8 ounce vegan food", + "i want a screen protector that is easy to install. pick something with leopard patterns", + "im looking for a set of 14 inch human hair extensions in #3t613 ombre dark brown to bleach blonde color", + "im need of a black dining chair with solid wood", + "i want to find an 11 fluid ounce bottle of ginger lemonade kombucha that has no sugar, and it needs to come in a pack of 16", + "i want to find green tea lip gloss that comes in the color kiss me pink.", + "im looking for a hair treatment product that will repair my damaged hair", + "i looh for this brand i need exactly this kiss express semi-permanent hair color 100ml (3.5 us fl.oz) long lasting, color cobalt blue", + "i want to find a high-definition wireless bluetooth speaker", + "i am looking for machine washable sweatsuits that are pink and in an xx-large", + "aunimeifly pillow slippers for women men, super soft platform shoes. open toe, size 8.5 i really want to wear these shoes, help me buy them", + "i would like a 15 inch 600 watt speaker with a 2 inch dual voice coil in stereo sound", + "im looking for a good quality rugs for living and dining rooms. also choose 8 round shape, green colored one", + "im looking for a pair of mens shoes made from rubber on the outside in the uk size six and half mens", + "im looking for home decor products for living room and it can gives nice look", + "look for a fluoride free toothpaste in purple color. pick a teeth whitening one for sensitive teeth", + "i need a case for my 40 millimeter samsung galaxy watch 4. look for one with a tempered glass screen in rose gold", + "i am looking for long lasting eyeliner in charcoal color", + "i am looking for a blue leak proof bags & cases", + "find me the large loose fit towmus mens polo t shirt", + "i need a high performance smartwatch band compatible with apple. pick something in black gray color", + "i would like to buy a travel size cicaronic variety pack that comes with nourishing hyaluronic acid", + "where can i find a pink stereo sound bluetooth speaker, portable? it has to be 360\u00b0 voice commands, i was told the hjwl brand. if the price is good i will buy it", + "i am looking for eyelash extension tool set for beauty salon", + "find some kosher certified, gluten free gummy candy. choose the blue raspberry color", + "id like to find a 3-ounce pack of whiskey barbeque flavored beef jerky. im on a diet, so the jerky needs to be low fat", + "i want a non toxic sulfate free cruelty free shampoo for healthy hair", + "i want a large red sweatshirt with long sleeves", + "i need some cupcake toppers for a baby shower", + "i am searching for gift basket village sweet for giving as a great gift", + "im looking for acer aspire computer all-in-one bundle accessory", + "im looking for a womens long sleeve t-shirt in size medium. choose the ones that come in color n04-black", + "i need some white inline skates in size 40", + "i want a soy wax candle that has a terra cotta scent", + "can you find me a high definition hdmi cable that is gold plated?", + "im looking for a synthetic hair ponytail in the color ash blonde", + "i want some chincilla 29w x 32l regular straight leg jeans", + "i am looking for a pink lave closure sneaker", + "i would like a caramel variety pack that is individually wrapped", + "i need davinci gourmet sugar-free cherry syrup", + "i need a plant based tea tree face cream for sensitive skin", + "i want grey dearfoams memory foam clogs", + "im looking for a pair of size six high heels with a rubber sole. look for them in black", + "i am looking for a candle in a clear glass jar (19 ounce) that smells like orange", + "i need a black leopard print polyester-cotton shirt with long sleeves", + "i need a core i5 computer with gtx1650 graphics and 16g+256gb+1t", + "i am looking for an easy to clean hair dyeing set with a mixing bowl", + "i want a set of tweezers for hair removal", + "i am looking for a 2.53 fl oz hyaluronic acid cc creams", + "i want a stereo sound wired gaming headset", + "i would like a womens medium sized slate gray t shirt made from heather cotton", + "i need gluten free pizza with a soft centre and crispy edges", + "i need a fast charging usb cable that is black and 6.6 feet long", + "i want cruelty free good chemistry silver coast body spray", + "i am looking for odelia vintage bohemian area living room and dining room in navy sky blue", + "im looking for monocular telescope tripod phone mount binoculars", + "i am looking for a high speed 3 foot long usb-c to usb-a cable", + "i want a heavy duty, non-slip protector case for my iphone. choose something in black", + "im looking for a cruelty free, face highlighter in a unicorn style color", + "i need some paraben free conditioner to promote hair growht", + "im looking for high power and high resolution monocular telescope", + "i am looking to buy pillow covers for my living room. i would like them to be 2 pieces of dimension 18 x 18", + "i want a 100 pack of easy to use disposable face hairspray shields", + "i would like to buy a medium blue short sleeve t-shirt appropriate for a teenage girl", + "i am looking for a white finish barstools and color should be antique white finish | black leather seat", + "im looking for vanilla meringues cookies, fat and gluten free", + "i am looking for a ac adapters for wireless bluetooth", + "im looking for bar harbor soup crab", + "i need a set of 15 bpa free and eco-friendly jars", + "i am looking for a pair of womens size 7.5 open toe outdoor sandals", + "im looking for a size 0.75 ounce easy prepare turkey gravy mix", + "i am looking for a gluten free buttery sweet bakery emulsion", + "i would like a long lasting mens perfume", + "i am looking for a long lasting edp spray for women", + "im looking for 4.2 ounce gluten free matiz sardine", + "i want a super soft jay franco disney minnie mouse twin bed set", + "please show me a digital camera. my favorite brand is casio, my husnband told me about model exilim ex-z120 7. is there a batteries included too ? isnt it", + "i need hall trees for the living room that are brown", + "i am looking for mens wrangler relaxed fit jeans that are straw colored", + "i need a male cable for an outdoor 4g lte antenna. it should be five meters long", + "i am looking for a loose fit large t-shirt in a gray color", + "im looking for a double sided silicone exfoliating brush in purple color", + "i want gluten free faris gourmet popcorn", + "for dry skin, i need three pack of foot scrub which also contains coconut oil", + "i would like a pattern 21 cake topper for a birthday party", + "i would like to buy a white floor lamp for my living room", + "looking for leak proof refillable plastic cosmetic jars 50g", + "i need some easy to apply 18mm eyelashes", + "i want a large and classic fit phineas and ferb perry the platypus shirt", + "i am looking for a youth classic fit t-shirt that is black and large", + "get me a set of two mesh laundry bags", + "i am looking for blue color wireless charger", + "i want to find a 7.6 ounce package of hair removal wax thats easy to use. the wax should be brazilian style and the primary ingredients should be beeswax and soybean oil", + "painting my living room with multi 31 color", + "im looking for a mens slip-on in a size 10 that has a rubber sole", + "i am looking for a high speed 12v ac/dc adapter with output protection", + "i need an open toe summer gladiator strap sandle. get me size 6.5", + "i am looking for a lightweight photography background in a size 10ft by 7ft", + "i would ike a cd player that comes with aaa batteries and is in the model pm6006", + "i am looking for some gluten free honey roasted mixed nuts", + "i would like a beige concealer for dark circles", + "i need a green sweatshirt that is loose fit and is a medium", + "i am looking for a tattoo machine that is easy to use", + "i am looking for a large womens long sleeve tunic with pockets and is machine washable", + "i am looking for a blue colored 4g lte signal booster for home", + "i want a certified organic clear lip balm made with coconut oil", + "im interested in some banana hemp cereal that is dairy - and gluten-free", + "im looking for a stainless steel quick release replacement wristband for fitbit inspire. choose the one that comes in white and in small in size", + "i need a lipstick that is easy to apply and long lasting in the color #1", + "i am looking for long lasting deep color colorstay concealer", + "i need a womens high waist swimsuit in a fashionable tropical-print design; im a size medium", + "i want a contemporary style solid wood fabric ottoman colour should be light grey", + "im looking for a 31-inch clear glass vanity light", + "i am lookng for10.5 size black color vintage leather high heel ankle boots for women", + "i need a peacock blue halter lace short homecoming dress in size 2 that can be hand washed", + "get me a face moisturizer that is for dry skin and fine lines", + "i am looking for a light blue color anti slip boots with rubber sole for women. also choose size 9.5", + "im looking to get some fluorescent purple nail art glitter", + "i would like to get a heather blue cotton t shirt for my youth size 2t child", + "i want to buy a high speed, high resolution mirrorless camera. get the one with the standard lens kit", + "im looking for furniture for kitchen a buy a desk for home office and coated steel and need buy it", + "i would like a 32 inch light good mirror that is wall mounted", + "i am interested in ocean blue holographic, easy to apply and long lasting sparkle glitter", + "im looking for wireless bluetooth headphones", + "i am looking for a blue, long lasting case for a galaxy s22 5g with wireless charging and tempered glass", + "i am looking for a table + 4 grey chairs of clear glass and faux leather", + "im looking for birthday cake toppers for party supplies. also choose 40 years cake topper one", + "i want stella & chewys freeze dried turkey", + "i need some multicolored window films that are easy to install", + "i am interested in plant based granola bars that are banana flavored and come in a pack of 12", + "i would like a medium dark pink robe made from a soft material", + "i need a small chef jacket that has a button closure and is a charcoal color", + "im looking for high heel boost the color was wine", + "i want to buy a product and i need your help. find this henna brand: henna hair & beard dye also chooses an auburn color", + "i am looking for 4 colors eye shadow", + "i would like some 16 inch hair extensions in color 60", + "i am searching for a certified refurbished all-in-one printer with high performance", + "i want a pair of orange non slip shoes with memory foam for jogging", + "i am looking for bpa free, gluten free lorann cream cheeset with size : 1gallon", + "i want to buy some fat free freezer bars with real fruit", + "i am looking for a 10ml (0.33 ounce) anti oxidant booster size of alcohol free oils", + "i would like a sofa with a solid wood frame", + "i am looking for a gluten free rice ramen & miso soup. choose a pack of 10 with jade pearl color", + "i am in need of a king sized yellow box spring set", + "i need a light, short sleeve v-neck shirt in wine red", + "cosmetic craft glitter set for nail art in green colour", + "im looking for fully cooked dry rubbed st. louis style ribs", + "i would like some yellow stainless steel nail clippers", + "i would like some non gmo pretzels that are 10 ounces", + "i need a cruelty free skin care set", + "i need a toner for sensitive skin that is 16 fl oz", + "i am looking for a hands free z-floral color flip cases", + "i need to buy a high performance tablet with 4g", + "i want navy skechers mens gowalk shoes made with vinyl acetate", + "i need a floral window curtain for my living room . and i choose the 52x72in with skulllop3455", + "i want a pair of binoculars for bird watching", + "i would like a fully cooked cut of spiced meat", + "im looking for a pav bhaji flavored spice powder. choose the one that comes with pack of 4 and are easy to use", + "i am looking for a black quad core tablets", + "i am looking for a purple high definition tablet", + "i want to find a black xx-large mens jean jacket that i can throw in the washing machine", + "im looking for a 12-count box of european cookies in holiday flavors that i can give as a valentines day gift", + "i want a stainless steel minkissy eyebrow trimming tool", + "i am looking for warm film video lighting kit for my digital photography. i prefer the 3200k lighting with 2400 watt", + "i want to find a wi-fi router that can handle 10+ devices over 1000 feet with high speed", + "find me a case with tempered glass for apple watch 45mm color variety", + "i would like wall lamps that have two heads and are made of glass", + "im looking for a 1.18 fluid ounce pack of oil free hydrating gel cream. i want the flavor to be sienna", + "i am looking for a sulfate free shampoo of size 8 ounce", + "would you get me a work polo, has to have buttons, preferably orange and a medium", + "looking for valentines cupcake toppers for valentine day with pattern name in red", + "i would like 12 bowls of peaches in strawberry gel gluten free applesauce", + "im looking for a pair of classic fit silver gray scrub bottoms in large petite with an elastic waistband and drawstring closure", + "i am looking for machine washable throw pillow cushion cover. please select peach mint color", + "i am looking for peanut butter chocolate cookie assortments that are dairy free", + "i am looking for a box of 50 singles non-dairy coffee creamers that will add sugar-free hazelnut flavor to coffee drinks", + "i am looking for short sleeve animal graphic t shirts", + "i would like a two pack of light brown hair dye that is long lasting", + "i want a gray colored lightweight throw for the living room. i would prefer it to be double sided", + "i need new clear 1.5mm table pads that are easy to clean and are 20 by 72 inches", + "i am looking for a rectangular runner shaped area rug with easy clean. also choose snow white color and 3 ft 3 in x 3 ft 3 in size", + "im looking for rubber sole hiking shoe and it was grey steel in clor", + "i am looking for an anti-aging serum based on hyaluronic acid in a 1 fl oz bottle", + "i am looking for light weight background having color a6", + "im looking for some long lasting deodorant", + "i am looking for a travel size moschino miniature eau de toilette", + "i am looking for a rechargeable and portable hair removal device which is easy to carry. also choose white color", + "i want laird superfood aloha oatmac unsweetened non-dairy coffee creamer", + "i am looking for a low soda cream soda flavor chocolate drink mixes", + "i am looking for some gluten free kettle corn seasoning", + "i would like a black file cabinets what are fully assembled", + "i need a pack of 18 white cheddar black pepper creole bean + nut snack mix that is gluten free", + "i am looking for chocolate covered cream bon in a 8 ounce, holly box", + "im looking for ready to hang, beach themed art work in size 14\u201d x 14\u201d", + "i want sugar free davinci black cherry cake batter syrup", + "i want wall light 1 light bathroom vanity lighting", + "can you find me a wireless bluetooth speaker that comes with a carrying case? i want you to get me the one in blue", + "i need a coconut oil based exfoliating body cream for my dry skin", + "id like to buy some cinnamon flavored nuts. look for nuts with zero trans fats, please", + "i am looking for variety pack sparkling water that is soy and gluten free", + "i am looking for a linen pants with elastic waist. and i choose the xx-large size with wine color", + "i want to buy cake toppers suitable for a baby shower event", + "i need a standard 23 by 52 green toddler bed that is heavy duty", + "i am looking for nefertitis rejuvenating conditioner for dry and damaged hair", + "i am looking for a low carbohydrates protein bar with package of 12 counts", + "i need a light weight case cover for a macbook air. get the creative marble pattern", + "i am looking for a pair of mens size 10.5 black loafers with rubber soles", + "im looking for ten high-speed, gold-plated hdmi cables", + "i am looking to purchase a dollar-patterned cake topper that has to be lactose and dairy free", + "i want to find a hair repair mask treatment that can treat damaged hair", + "i would like a heavy duty bed frame made of steel", + "i am looking for a 1.2 ounce (pack of 6) gluten-free, low fat chips & crisps", + "im looking for a loose fit and machine washable womens christmas t-shirt. im looking for a large blue t-shirt", + "i want to find a mens wine-colored long sleeve dress shirt in size xx-large", + "i need one 10 computer monitor replacement power cord cable that is long lasting", + "im interested in a lightweight, easy to carry background for digital photography that is 9 x 6 feet", + "i am looking for multi10 color lamp for living room", + "can i get a 4 fluid ounce bottle of violet night hair dye", + "i need a ten pack of male to male hdmi cables that are gold plated and high speed", + "im looking for an ivory ottoman for my living room thats made out of solid wood with fake leather", + "i want pink cupcake toppers for my baby shower", + "i need a face mask for dead skin removal with a peppermint scent", + "i want to find a high-resolution mini body camera without a memory version", + "i am looking for hair growth oil with natural ingredients", + "im looking for a quad core, high performance desktop which has core i5", + "i would like to buy small blue toothbrushes for my toddlers sensitive teeth", + "i need pure white curtains that are machine washable and are 66 in by 54 in", + "l want a roasted almonds colour 4 count low carbo and sugar free chocolate", + "looking for pack of 1 nail polish", + "i am looking for a green plants color wall art for my living room", + "i want to get a dye kit for my hair", + "i need an xx-large tunic that is made of polyester spandex", + "im looking for exactly this configuration: qotom 4 lan mini pc q190g4u-s01 with 4gb ram 128gb ssd, intel celeron j1900 processor, quad core 2.0 ghz, x86 mini pc", + "i need high speed hdmi cable male to female", + "i would like to find gluten free barbecue sauce with flavor of smokey mesquite", + "i would like a apple & oak three wick candle made of soy wax", + "i would like a high quality cosmetic bag decorated with cow and flowers", + "i looking a gluten free peanut butter dark chocolate", + "i want to find an ivory area rug for my dining room. it should have a square shape and be 6 feet by 7 inches", + "get a white airpods case. it should be water resistant", + "looking for organic paleo food seasoning which is gluten free of 1 pound pack", + "i am looking for steel frame coffee table in pewter color", + "i am looking for a fluorescent pink color microfine body glitter which is animal tested and cruelty free", + "i am looking for a space saving champagne ottoman that is 40 by 40 by 40", + "i am looking for a gluten free chicken sticks with high protein. also choose pepper flavor and 6 stick pack", + "i need a butterfly print slippers which is 13 wide. it should be non slip and light weight", + "i want to buy some vanity lights with brushed nickel trim and black color. it needs to be a two light style", + "looking for tatami floor mat for living room also choose size180x200cm(71*79inch)", + "i would like to buy some high power binoculars that are good for bird watching", + "i am looking for an anti-aging facial roller", + "i am looking for a mid century chair that is a sectional loveseat and is a peppercorn linen weave color", + "i am looking for a gray body brush that is easy to clean", + "i am looking for a tea sampler that comes in a pack of 8 and is kosher", + "i would like to buy a sugar free powder drink mix that is a nice source of vitamin", + "i would like some soy free candles", + "i would like a 2.8 mm dome camera that is in ultra hd", + "i want to find a phantom silver s21 android phone that has a camera with an optical zoom. it needs to be able to store 128 gigabytes of data and it should come with a case", + "im looking for a comfortable fit 38w x 30l jeans for men", + "i am looking for quad core 128gb emmc mini computer with windows 10 pro of size : intel n4020 4gb|128gb", + "im looking for a #9 silver open toe women flat sandals, size-11", + "id like to find frozen, handmade appetizers made with pear and brie", + "look for this snack natierra organic dried strawberries + pomegranate arils, low calorie if is possible", + "i am looking a non gmo freeze dried low calorie fat free peas 1.8 ounce", + "i need a travel size perfume with a frederic malle scent", + "i want some chocolate covered gift cookies for a birthday gift. pick the 15 ounce pack", + "find me a coated steel laptop workstation desk with wood finish. it should be white", + "i want to get some face wash that is good for sensitive skin", + "i would like a cupcake pick toppers for a birthday party", + "i want fluoride free ayurvedic herbal toothpaste", + "i want to find some casual black womens penny loafers. i wear a size 9 and need good arch support!", + "find me a tempered glass camera lens protector for iphone 12 pro max in blue", + "i want a high quality, eco friendly cart for a beauty salon", + "im looking for a twin bed frame with light brown color and white finish", + "i want masbird open toe sandals for women in size 7.5", + "im looking for a band for my galaxy watch 3 that offers a quick release mechanism and is small and black. i would also accept pink", + "i am looking for men scrubs pant of pewter color that is machine washable", + "im looking for a surge protector that is black and offers usb ports", + "im looking for a26 high resolution, light weight spring flower portrait photo background 5x3ft/1.5x1m", + "im looking for a size 14.9 ounce wabry organic syrup", + "i am looking for xx-large size stylish water resistant padded coat thicken winter warm outerwear. also blue one", + "i would like a 30 count of gmo free banana trail mix", + "i want a silver color pillow shams set for king and queen size 20 by 30 inches", + "i am looking for a mens classic fit t shirt that is x-large and white", + "buy a white henley with a slim fit", + "i need white non slip working shoes that in a size 10.5 for women", + "i need large pink board shorts that are a classic fit", + "i need a skincare product that will help with the dark circles under my eyes", + "i am looking for a small size cotton heather tank top with classic fit which is machine washable. also choose the royal blue color", + "i would like a pack of salted butternut squash stalks that is gluten free and contains other plant based ingredients", + "i am looking for a spot clean roman shade window blinds which is easy to install. also choose size 24 w x 48 h", + "i am looking for a pair of easy to use stainless steel monitoring headphones", + "i am looking for a black task chair which is height adjustable and has a good lumbar support", + "i am looking for a fluoride free toothpaste for kids. also choose high quality and 1.5 ounce in size", + "im looking for a travel size perfume that should be long lasting and free from alcohol. also choose clinique happy for men impression scented one", + "i need a core i5 desktop that has 20gb of ram and 512gb of storage", + "i am looking for a fast charging adapter with fast charging support in high speed", + "i am looking for a light weight underwater backdrop for a photo studio", + "i need a cell phone case that is easy to install and is astronaut colored", + "i am looking for pink cake toppers for a birthday party", + "i want a 20mm stainless steel handmade alligator leather watch band", + "im looking for gluten-free beanfields bean chips, jalapeno lime 4-pack", + "i want to find a pair of black and magnet colored mens hiking boots with rubber soles, they need to be in size 15", + "i would like a blue green water resistant toiletry bag", + "looking for one bed for kids in grey color, size twin and of easy assemble in wood", + "get me a brushed nickel finish 3-light chandelier", + "i am looking for a solid steel frame dressers", + "i am looking for a dust proof speaker system for my motorcycle with high power", + "im looking for a wide leg jeans with regular fit and tummy control. also, choose 3x large zz-zm black colored one", + "i want an off-white rectangular area rug for my living room", + "im looking to buy a large adjustable blue bathrobe towel wrap thats good for drying hair after a shower", + "i would like a brown sugar body scrub for sensitive skin", + "im looking for unicorn sprinkle surprise cereal bars which coms with 15 count (pack of 1), also gluten free and non gmo", + "id love to find a pair of womens faux fur slippers in size 8.5", + "i would like a 2 piece window film set for the dining room", + "i am looking for a large short sleeve t shirt for women", + "i would like a navy mens classic fit cami", + "i need a hand painted storage case for my living room . it should be book shaped", + "i need fully dimmable led floor lamp for living room", + "i would like a shower cap for my natural hair that has corgis on them", + "im looking for rice crispy treats by bunch of munchies", + "i need a 1.7 ounce perfume set that is long lasting", + "i need a quick drying clog shoes that is light weight and pink in color", + "i am looking for machine washable athletic fit jeans that are olive in color", + "im looking for a classic styling salon chair, hydraulic barber chair with wider seat & heavy duty hydraulic pump, also it should have beauty salon spa shampoo equipment, choose the gold color", + "i want grey and light weight wygrqbn mens walking shoes", + "im looking for a long sleeved mens hoodie in the size of small", + "im looking for a usda organic freeze dried fruits which should be covered in chocolate. also, choose a pack of 1 weighing 1.5 ounce bag with pomegranate arils flavored one", + "i want a pair of memory foam slippers that are winter warm. i want it in red", + "i want trader joes freeze dried mangos", + "i need some concealer for my dark circles that is in shade 03 natural", + "i need some easy to prepare chicken broccoli meals", + "i need a high protein snack which is gluten and grain free. i really like the smoky serrano flavor", + "i am looking for a medium sized machine washable t-shirt", + "i am looking for 300 count eco friendly face towels", + "i am looking for chocolate covered and non gmo pre filled stocking stuffers with candy", + "i would like a full sized day bed with a brushed bronze frame thats easy to assemble", + "i am looking for gold plated cables with size of 8 feet", + "im looking for a perfect gift for valentines day that should be covered in chocolate. also, choose a pack of 1 weighing 8 ounce, easter cross with flower designed one", + "i would like some dental flossers that come in a storage case", + "i would like some medium brown hair building fibers for my hair loss", + "i am looking for womens 3x-large plus sized capri pants with regular fit. get me a white one", + "i need a black case cover for my iphone", + "i need an easy to install shower caddy tension pole", + "i would like a low carb bagel", + "i am looking for men\u2019s running shoes size 10 which are light weight and slip resisistance", + "i need a coaxial cable with an audio adapter", + "i want an allewie queen bed frame that requires assembly", + "i want big & tall levis mens 550 relaxed fit jeans", + "buy me a new flat-packed bed frame", + "i am looking for home decor products for living room in a ivory /aqua color", + "i\u2019m looking for a small tummy control swimwear for teen girls. and i would prefer the a3-green color", + "i am looking for yellow anti slip chair cushions", + "i am looking for a portable surge protector power strip that is easy to carry. the surge protector should have a usb port with fast charge capability", + "i am looking for some light brown easy to install roller shades for my living room", + "looking for jean which comfortable fit and colour must be dax", + "i am looking for gorgeous color black in the stainless steel metal watchband surface, the innovation design, looks more fashionable rabuzi band compatible for fitbit ionic band smartwatch", + "im looking for a 2 ounce bag of kool ranch kale chips that are non-gmo and gluten free", + "i am looking for a machine washable boxer brief with tumble dry. also choose multi color pack and 3x large size", + "i want a light weight leyiyi 15x10ft 80s party backdrop", + "im looking for a size 30 x 20 king size pillow case", + "i need to buy some pink cupcake toppers for a baby shower", + "i want a fully assembled queen size mattress", + "i want to find pink horse-shaped cupcake toppers that i can use for a baby shower", + "i would like a remote control that already comes with aaa batteries included", + "im looking for finepix 14 mp digital camera with optical zoom len, also purple one", + "using cocoa its easy clean to rectangular shape room", + "what sweet and salty hazelnuts do you have that have no artificial flavors or colors?", + "i would like a toothbrush that works well with sensitive teeth", + "i am looking for a queen size foam mattress that has 9 inch desnsity. please choose the black & white color", + "i am looking for hair trimmer for beauty salon", + "i want a dust proof keyboard skin which is really thin. it should fit my apple wired keyboard", + "im looking for farmhouse chandelier light with clear glass", + "i would like a roelson table that is made of solid wood", + "i would like a bottle of 30 fluid ounce regular mayo with simple ingredients", + "i need a toothbrush container with holes", + "i want to find a 3x-large short-sleeve hawaiian shirt for men in the 1685 color", + "i want to buy chai tea which is caffeine free and has vanilla flavor, and its in pack of 1 of 64 ounce", + "i want a portable wireless bluetooth waterproof speaker", + "i am looking for amber vanila scented shampoo and conditioner set containing argan oil", + "i need to buy a pair of swimming trunks in 3x large. make sure they can be washed on the cold cycle", + "i am looking for some noise cancelling earbud headphones", + "i want to buy long sleeve daily wear clothing of 95% cotton, 5% polyester particularly in black color", + "im looking for a unique thailand seasoned bbq crickets", + "im looking for a black tablet with 64gb and a high resolution", + "i need white steel toe siilsaa sneakers for women in size 7.5", + "i would like a bag of trail mix from trader joes", + "i am looking for real fruit smoothie mix that is easy to use and has the flavor passion fruit", + "i want a small sexy pajama lingerie that is made of quality polyester. pick a yellow one", + "im interested in jar candles made from soy with a lead-free wick", + "i would like a 5 x 5 square cake topper for a birthday party", + "i would like a bag of chocolate covered streawberries and blueberries", + "i want to find a gift set that includes a variety of four instant coffees from nescafe to sample in it", + "deep conditioning hair growth hair mask with supplement tablets 180 nos", + "can you direct me to a bunk bed thats solid wood and comes in silver? thanks", + "looking for one coloring beard with coconut oil and a real black color", + "i want to find a 34x72 inch round table protector that is 2 millimeters thick. it needs to be made of stainless steel", + "i am looking for an end table that has a white finish", + "show me this brand zeskit cinema plus 4k 1.5ft (2-pack) im looking for high speed with ethernet 22.28gbps hdmi 2.0b cable", + "i am looking for a pair of mens small gym shorts that are machine washable", + "i am looking for a white item coffee tables for living room", + "i want a brown gift basket of great american cookies", + "i need a winter warm hoodie with long sleeves. it should be white in color", + "i would like a 6.6 foot long gold plated fiber optic cable", + "i need an officially plated iron armor t-shirt which is medium, and also navy blue", + "i am searching for modern contemporary high density and left facing sofa with massage vibration and usb port", + "i need a red jacket that is quick drying and in an x-small", + "i would like a pair of size 8.5 red slippers with a rubber sole", + "i am interested in acquiring a mattress which is fully assembled and of high density, and it should be only mattress in twin style", + "i need a barebone intel core computer system in an aluminum alloy case with an i7-8850h", + "i am looking for rubber sole men sneaker.please choose grey and navy color", + "may i have machine wash, short sleeve of lands end mens short sleeve super soft supima polo shirt, the large size", + "im looking for a outdoor tv cover with 72 inch, need to be dust proof and black color", + "i need easy to install window films that are multicolored and are 123.6 by 78.7", + "im looking for a rfiver swivel wood tv stand on wheels with a height adjustable for 32 65 inch flat screen tvs and shoud have a storage space with tempered glass style", + "im looking for gluten free kind bars in the extra dark chocolate and sea salt flavor", + "add to my list cupcake toppers decorations for my birthday party", + "i need 16 ounce gluten free bottle lorann cream cheese bakery emulsion over the butter-vanilla variety", + "i am looking for a long lasting jean with comfortable fit in regular size. also choose smoky color and 28w x 30l size", + "i would like a hair growth treatment", + "i would like some cake toppers for a baby shower or birthday party", + "i would like some rose gold minnie ears", + "i am looking for some memory foam sneakers in a size 7 that are black, white and red", + "i am looking for a wall art of size 40x20 for my living room", + "most of people use sugarfree like simple sweet", + "i am looking for forest green teal blue 6 colors nail polish", + "i want a fully assembled file cabinet for home and office use. pick something in gray and black", + "i am looking for a slim fitting red polo that is in a xx-large", + "i am interested in some bundled size freeze-dried strawberries", + "i would like a pink toothbrush that is easy to use", + "i would like a 6 pack of 2.1 ounce easy to use and prepare chicken masala", + "i want individually wrapped candy & chocolate assortment for baby shower", + "i am looking for mj korean cosmetic full face collagen red ginseng essence pack for sensitive skin in color: hyaluronic acid and size: pack of 14", + "im furnished their house with inexpensive furniture with color green and size 90x4x45cm(35x16x18inch)", + "i am looking for a vegan gourmet food gift basket with 4 bars", + "i would like a 8 pack of original fresh scent coconut oil soap thats fragrance free", + "im looking for a standard plug and play computer mouse that is wired, preferably black", + "i am looking for a cruelty free foundation stick for fine lines. also choose warm brown color", + "i am looking a cosmetic display cases for lipstick eyeshadow highliter blushes brushes", + "i need easy apply pine tar scented mustache wax stick for men", + "i need a fully assembled metal bar stool. pick the black backless ones", + "im looking for a rug with contemporary design in black/ivory color sized 10x14 ft", + "i am looking for king sized platform bed.it should be made of solid wood", + "i would like a pair of 14 wide cognac sandals with a leather sole", + "im looking for a soft and luxury cot", + "i am looking for an easy to use makeup lip brush", + "find me a cruelty free non toxic lip treatment oil for sensitive skin in 100 #loveyourself color", + "i would like to buy a desktop computer with windows 10, intel core processor. additionally i would like 8gb of ram and a 512gb ssd", + "look for puma unisex epic v2 flip flop sandal in size 8 that is made of ethylene vinyl in sun kissed coral rosewater", + "i am interested in buying a twin sized natural colored full sized bed frame made of solid wood having a headboard", + "i want a burts bees body lotion for sensitive skin with aloe & shea butter", + "i need fluoide free toothpaste for fresh breath", + "id like to get sulfate free conditioner that promotes hair growth", + "i need an easy to use butter chicken recipe mix that comes in a pack of 3", + "langwolf kids camera, 1080p hd digital camera with 32gb sd card, kids selfie video camera for 3 4 5 6 7 8 9 year olds boys tell me the best option of digital camera hd1080p with an sd card with at least 32gb for boys and girls in the range of 3 to 9 years. i saw a langwolf brand on tv. send me her features", + "im looking for furniture was in living room the color was crystal gray furniture was so good", + "i need a mens size 13 and a half casual walking show with a rubber sole, and it needs to fit comfortably. i want a unique design like a turtle or elephant doodle", + "i need to buy a two pack of beige memory foam chair pads for my dining room", + "im looking for hair clips and a hair pad for my hair extensions in the color dark brown", + "i am looking for dust proof pink color headphones", + "i am looking for a 11 women | 9.5 men shoes of rubber sole", + "im looking for multi colored home decor products", + "i want to buy a shirt for men which is easy care and has long sleeves, also it should be black color and have a size of x-large big tall", + "i am looking for slim comfortable fit jeans that is long lasting", + "i am looking for a metallic gray coat rack that is easy to assemble", + "i need bear head cupcake toppers for a birthday party", + "i need an eli mason old fashioned cocktail mixer of 20 fl oz in size", + "a mens closed toe rubber sole sandle size:11", + "i am looking for samsung galaxy tab s7 with the features like 12.4-inch in size, mystic navy color, 128gb wi-fi bluetooth s pen fast-charging usb-c port, android tablet", + "i am looking for natural flavor clear fruit water 20 ounce bottles non carbonated water beverage which is caffeine free . 6 flavor sampler flavor preferable", + "im looking for a super soft throw blanket with skulls on it thats fifty by forty inches", + "i want to get a grey counter stool that is made of solid wood", + "help me buy a fog colored shoe with arch support and rubber sole in 12 size", + "i am looking for a heel booties pump with leather sole . also choose black color and size no 9", + "i would like a 18 fluid ounce bottle of natural hair gel", + "i am looking for red color hard pc anti-slip phone tempered glass for iphone 11", + "i am looking for a cleanser and rmakeup remover for my sensitive skin. i want it in travel size", + "i would like a bag of 180 honeydew candies that are gluten free and low sugar", + "im looking for mens jeans that are slim but comfortable fitting, size 33w and 44l", + "im looking for a medium skirt with side pockets in polyester spandex, choose navy blue color", + "i am looking for s96 pro black android 10 octa-core ip68 fast charging phone", + "i am interested in a 15.6 inch laptop carrying case that is gray", + "i am looking for a blackhead removal tool with eco friendly and also non toxic", + "im looking for furniture for space saving in living room", + "i am looking for a 4 ounce pack of low fat turkey jerky with sweet heat flavor", + "im looking for oral care tooth brushes with accessories", + "i want to buy short sleeve t-shirts for men which are in yellow color, and of size x-large", + "i would like a tablet that has a 1080p screen", + "i am looking for a pair of anti slip womens sneakers spot color", + "am looking for a knee high runmte platform boots for women high boots size 9", + "i would like a yellow 42mm band for a apple watch that is easy to put on", + "i want to buy a dress for women which i can machine wash and has yellow color, as for the size i want it to be 4x-large", + "i want to find a pair of small, navy-colored active shorts for men that are machine washable", + "i am looking for some 18 inch pearl platinum synthetic hair extensions", + "would you find this curtain more easily than i can? fangsosolong dragon bedroom curtains with window cover decoration superior noise blocking reduce , machine washable for my boys bedroom 63 rod pocket w 52 l 95", + "i need a tea tree shampoo and conditioner set which is sulfate free and promotes hair growth", + "im looking for storage case for toothbrush travel containers and need to buy it", + "i need 2 pieces of tempered glass film coverings for my dining room windows; they are 17.7x35.4 in size", + "i am in need of 18 inch high quality human hair wig for women", + "i need hdmi cables that are high speed and 1m long", + "i need wild caught salmon that comes in a pack of 12", + "im looking for high power monocular telescope with smartphone holder and tripod", + "i would like to buy a four pack of medium machine washable boxer briefs", + "i am looking for a pair of long lasting mens wrangler cowboy cut jeans that are machine washable", + "i need an easy to clean exfoliating back scrubber. pick a pink one", + "i am looking for a engineered wood end table for living room in light blue color. also choose pattern of shelving unit + rack display shelf and 3-tier classic tube size", + "i am in a search for sugar free soft drink mixes of fruit punch flavor", + "i would like to get some 52 x 63 x 2 christmas panels for my dining room", + "i want dark black clip-in hair extensions. it should be 17 in size when curly", + "find me a pair of anti slip high heel sandals in black. i am a size 6", + "i am looking for a pair of womens size small pants that are machine washable and made of stretch fabric", + "i would like a 1.25 ounce container of probiotics from natural ingredients. i would like 24 of them", + "im looking for this brand : fairlife yup! low fat, ultra-filtered milk, rich chocolate flavor, all natural flavors), 14 fl oz, (pack of 4)", + "i am looking for a 48 piece nautical themed cupcake toppers for a birthday party", + "looking for yellow aaa battery in pack of 2", + "i am looking for a slip loafer with vinyl acetate. also choose dark khaki suede color and 7 narrow size", + "i would like deep concealer for dark circles", + "i need to buy a queen sized faux leather platform bed in white", + "i need surgar free chocolate flavored cheesecake syrup, 3 pound (pack of 1)", + "im looking for a pair of black mens oxfords with a rubber outsole. i need a size eleven and a half", + "im looking for hair loss control drops that will help with hair growth", + "im looking for a 26cm hand painted wicker woven basket", + "i am looking for a gluten free fig flavored snack bar", + "i want to find a package of six keto-friendly caramel sea salt bars", + "i am looking for a green tea makeup brushes & tools", + "i am looking for wedding bride and groom flavor hand crafted cookies", + "i would like to buy a machine washable quick drying butt lifting tummy controlling women legging in ywhite color and small size made from quality polyester ", + "i am looking fluoride free plant based natural ingredient coconut mint toothpaste size 5 oz", + "i need natural hair wig in lighter red color", + "i want hand painted window covering curtain panels. the size should be 52 wide and 63 in length", + "im trying to find a 30-count package of strawberry beet snack bars that my toddler would love. the bars must be nut and dairy free", + "im looking for a high speed 180 foot coaxial cable with a trishield nickel-plated fitting", + "i am looking for a 3.5 ounce hot and spicy pickle seasoning mix that is easy to use", + "i need small boxer briefs that are quick dry and white", + "i am lookig for a light weight clover color womens pullover", + "i am looking for a office chair ready use assembly required color: heron with tilt feature", + "i want non gmo wild planet wild albacore tuna unsalted", + "i am looking for high quality 15 inch hair extensions", + "i am lookinhg for nut free walnut hemp buts that come in a pack of six", + "i want a non slip futon mattress which is soft and thick. i need it in 150*200 cm size", + "i would like a machine washable tank that is purple and in a mens x-large", + "i want a resealable bag of raisins", + "i would like some chocolates that are individually wrapped that say congratulations", + "can you find me a face mask for dry skin? i want something that comes in 1.0 fl oz", + "i am looking for a counter height size barstools of faux leather", + "i am looking for wild caught, ready to eat sardines in a tomato sauce", + "i really need a hair comb for hair styling", + "i am looking for a cruelty free hair mask", + "i would like a 6 pack of easy to prepare breakfast foods", + "i am looking for a red area rug, 9 by 12 feet, that i can put in the living room", + "i would like a fireplace and tv stand for my living room with lots of storage space", + "im looking for tousled hair extensions that come two to a pack. they should be light brown and ash blonde", + "i need dining room table pads that are 22 by 54 inches and are round new frosted", + "im looking for a gameboy should to be easy to instal and to use for an iphone11 pro", + "i am looking for ready to use gluten free tomato stew sauce made with extra virgin olive oil. and i choose a packet of 4 with mamas everything sauce", + "i am interested in a wireless bluetooth clock radio that is red", + "im looking for an easy to clean halloween set for the dining room", + "i would like a high resolution background that is 7 by 5 ft", + "im looking for optical zoom point & shoot digital cameras", + "i am looking for a high quality trolley cart for a beauty salon, which is in 4tier size", + "i am looking for one pound of organic walnuts", + "i want a pair of pink high heeled sandals with an open toe and a leather sole", + "my living room in grey color", + "i want a white amanti wall mounted mirror", + "i am looking for a long lasting ncaa south carolina fighting gamecocks jacket that is made of quality materials", + "im looking for jacket classic fit for quality materials", + "i am looking to buy some fully cooked and ready to eat vienna sausage", + "i would like a 30 by 60 inch blue painting for the living room", + "i need storage cabinets for the living room that are white", + "i want to find pink massage table sheets that are 70 x 185 centimeters in size. they must be high quality and non-toxic", + "i am looking for kitchen bar table set in industrial brown and black color with space saving, easy clean , easy assemble option", + "i am looking for hd quad core 10.1 android tablet with 16gb storage capacity and alexa enabled charging dock", + "get me some black sneakers in size five and a half. make sure theyre made out of high-quality materials", + "im looking for a pack of synthetic hair extensions to clip onto my curly hair; please choose the 24 length", + "i need straight leg jeans that are 56w by 30l", + "i want a 44wide by 30 long active fit pants made of quality materials", + "i am looking for 22 inch seamless hair extensions", + "i need cruelty free body lotion that is medium dark olive color", + "i would like to have a n6 honey beige and oil free liquid foundation suitable for fine lines and sold on pack of 2 with 1fl oz each", + "looking for triple bunkbeds in wood for kids with space saving in white and with a twin bunk bed with trundle and drawers", + "i need an easy to use carbon fiber tripod", + "im looking for binocular it will use for bird watching", + "i need to buy some fat free jerky. make it sweet & hot", + "i want charcoal and comfortable fit skechers performance womens go walk shoes", + "i would like to purchase gramzero banana suger free fooding mix specially low calorie dessert vanilla flavor ", + "i am looking for some alcohol free spearmint mouthwash for bad breath", + "im looking for colorful striped patterned protective cover for iphone 13", + "i am looking for a 5 gram non alcoholic for cocktail mixers", + "i am looking for a pair of womens size 5.5 knee high snow boots", + "i am looking for a green home office chair that is height adjustable", + "im looking for a cute mushroom fleece throw blanket for couch", + "i am looking for high quality dark red synthetic hair extensions", + "i am looking for texas style flank steak beef jerky that has a resealable bag", + "im looking for a slim-fitting womens button-up henley. it should be large and ideally the color will be army green", + "i need a navy blue shock absorption carbon fiber case", + "i am looking for high quality 18 inch hair extensions", + "i want a bpa free autobrush brush head replacement for kids", + "i want a long handle body brush to remove dead skin. get me something in blue or white", + "i am looking for a black-1 water resistant snow boots", + "i am looking for a 15 pack of individually wrapped gourmet cookies with natural ingredients", + "im looking for a size 12, casual womans dress without sleeves", + "i am looking for a swimsuit with tummy control for a women. also choose navy color and small size", + "i ned some hands free white earbuds", + "i want brown womens open toe flats", + "i need some navy button down shirts that are long sleeved and in a size medium", + "i am looking kosher certified gluten free sour cream & onion flavor popcorn seasoning", + "i am looking for a metal coat rack for my entryway. i need it to be heavy duty and i want it silver in color", + "id like to buy a nightsand thats made out of engineered wood", + "im looking for a ware resistant flip flop sandal made of rubber outsole and rubber sole. also choose navy blue colored sandals with size 10-11, and special size of 3.5-4.5", + "i am looking for a white item barstools", + "i am looking for a black chocolate colored relaxed fit boot cut jean. also, i would like the waist size and the length to be 34 and 31 respectively", + "i am looking for tempered glass screen protector for iphone xr", + "i am looking for womens turtle necks loose oversized sweaters", + "i am looking for a low sugar ans dairy free vanilla flavored creamer, with added collagen", + "iam looking a steel frame tempered glass drawing table & board colour black", + "i am looking for a womens short sleeve playsuit size medium", + "i am looking for birthday party , cupcake picks of pattern name: pattern 5", + "i would like to buy a pack of 6 individually wrapped cookie gift basket", + "i am searching for a long lasting high quality hair drying towel to dry my hair", + "i am looking for 1 pound box of easter egg sugar cookies baked fresh", + "i am looking for certified organic english breakfast tea bags", + "i need a alcohol and cruelty free perfume. pick the one with musk scent", + "i would like steel frame drafting tables", + "i am interested in buying a bag which is a laundry bag", + "i would like to buy a 6 pack of 15 ounce fat free oyster sauce", + "i am looking for heavy duty chair. please choose kelly red color", + "i am looking for 4 dozen individually wrapped gourmet cookies", + "i am looking for khaki colored house slippers with a non-slip grip in the size 11 wide", + "i need high quality perm rod curlers for natural hair styling. pick one in orange color", + "im looking for a high quality cosmetic bag. also the c mermaid scales color is what i prefer", + "i would like a red tooth brush for my 7 -12 year olds sensitive teeth", + "im looking for a mini 11th gen core i7-11700 desktop pc. it needs to have a usb port and 64 gigabytes of storage space on the ram", + "i am looking high speed blu ray hdmi cable vedio cable 8 feet color:5 pack", + "i am looking for a 60x 50 super soft throws", + "i am looking for short sleeve medium size blush t shirt tops blouse for women", + "i would like a auto charger with a usb port", + "i need a wall mounted mirror that is 36 by 28 inches", + "searching for an x-large short sleeve, loose fitting womens summer casual cute printed tee top band or blouse i can wear at holidays in the clothing shoes & jewerly department", + "i want a medium sized mini dress that is loose fit. it must be in navy blue color", + "i am looking for mumumi foldable stool that can be carried for fishing travel, mountaineering camping adventure outing outdoor as well as indoor uses for domestic purpose. red color preferable", + "i am looking for mens jeans of unleaded medium indigo color that is machine washable", + "i want highlighting caps for dyeing hair. it should be easy to use", + "i am looking for a pair of mens size 7 running shoes with rubber soles", + "i would like a 12 ounce strawberry baking mix that is nut free", + "i would like some pink wedges that provide all day comfort and are a size 8.5", + "i am searching for individually wrapped gummy candies", + "i would like some memory foam shoes that are navy and are a size 7.5 wide", + "i would like a king size wine red pillowcase with exquisite workmanship", + "i would like a blue jay fully assembled desk chair", + "i am looking for black 18th birthday cake toppers", + "i need a high speed plug and play external optical drive with usb. pick a black one", + "im looking for gluten free that flavor was mango it looks so good", + "i would like a faux fur sleeveless jacket, also, pick the white color", + "i need regular mashine wash jeans that are granite colored and are a size 33w by 34l", + "i am looking for high power monoculars", + "i am looking for women classic fit t-shirt", + "i want easy assemble non slip button tufted bar stool color velvet -white", + "im looking for a 4oz baked fresh vanilla rum cake", + "i am looking for superfood low carb snack tropical mix cubed of 4 pound (pack of 1)", + "i would like some eco friendly nail cleaning brushes", + "i want to find a dining room wood counter height stool. also, choose the light cherry one", + "i am looking for a gray travel carry case that fits doss soundbox", + "i would like a midnight blue 38 mm applewatch band", + "i need a dresser that is easy to assemble and is the color b", + "i would like a ice coffee flavor protein powder that is usda organic and non gmo", + "i am looking for space saving bed with slide for kids without box spring.please choose black color", + "i am looking for an easy to install 3 light vintage black wall sconce", + "im looking for rose gold hair dye in a 70 ml bottle", + "im looking for womens clothing for classic fit and needle fit", + "i am looking for a plant based clear lip balm", + "i need lipstick that is long lasting and is the color of brick house", + "i am looking for a wireless charging cradles of silence phone holder mount color", + "i need a rectangular runner that is easy to clean. pick a cherry red one", + "i want some casual gym workout pants that are green and come in an x-large", + "pink lemonade flavored juice drink mix, please. it needs to be sugar-free and caffeine-free", + "i need a pair of high speed usb-c cables", + "im looking for a size 34w x 72h easy install window blinds", + "i want a bezel-less vizio 43-inch d-series full hd 1080p smart tv", + "i would like a blue smartwatch band that is 42mm and is apple compatible", + "i want comfortable green colored winter boots that is meant for daily wear", + "i am looking for a double locker outlet wall plate cover and should be of a high gloss", + "i am interested in buying a screen protector which is tempered glass, and has rose gold color", + "im looking for a relaxed fit, short sleeve t shirt in the color white rose in the size large", + "i am searching for 3 dozen baked fresh cookie gifts which should be wrapped individually", + "i would like 30 bpa free amber travel bottles", + "i need some purple polyester robes", + "i am looking for dual band desktops in size j4125", + "i would like a chandelier with pendant lights", + "i need a concealer for dark circles that is in the color sassy", + "i want an xx-large light grey colored jogger pants with zipper pockets", + "i want a pink long sleeved t-shirt in size 12", + "i am looking for a easy clean area rug with 8 ft square. also choose light brown color", + "i am looking for a food and beverage gift basket having item low carbo high protine grain free", + "im looking for a water resistance smartwatch bands of tie dye color", + "look for a pair of dark grey sneakers with a rubber sole", + "i would like a lemon cube sugarolloy candy for a birthday party", + "i am looking for a 5-shelf industrial corner, a-shaped display storage rack shelf in grey finish. it needs to be space saving, 5-tier, and have storage space. made by homyshopy", + "im looking for matte white with black finish ceiling light fixture", + "my mom wear 11 size high heel", + "im looking for premium chunk chicken fully cooked in 12.5 oz (pack of 6)", + "i need some sugar free gingerbread flavor syrup", + "i need 1 pack 6.34 ounce, hand crafted and individually wrapped tortas", + "i would like a six pack of 34.92 ounce non-gmo cookies", + "i am looking for heavy duty clear glass spray bottles that are easy to clean", + "i want to find a plant based party mix gift set. get me the one in old bay flavor", + "i am looking for light weight safety shoes for men of black color", + "i want a keto friendly, white chocolate spread which is sugar and gluten free", + "im looking for need to clean my teeth adn it was prevention of oral care", + "i need a bundle of dried mangoes that are gluten free", + "i am looking for a deep conditioner for natural hair", + "i am looking for the perfect wedding gift of chocolates that has 27 pieces", + "i would like a size 5 cattail pair of snow boots with faux fur and a rubber sole", + "i want to buy sleepwear for women which have elastic waist and are of black color, while also their size should be large", + "i want multi colored self grip hair curlers for hair styling", + "i would like a purple high quality beauty case", + "i want hair extensions that is easy to apply. the size should be 20 inches long", + "id like a three piece bikini set for a teen girl. i need it in purple, size xx large", + "i am looking for a black color radio alarm clock having stereo sound and hands free", + "i am looking for a cupcake topper for a family birthday party", + "i am looking for a paleo seasoning set that is 2.5 ounces and is low sodium", + "i am looking for a 3-pack of bpa free fine mist bottles with trigger", + "i want a pack of two white coat hooks that are easy to install in my living room", + "im looking for daily wear open toe shoes that was blue in color", + "i would like to get a mint and matcha tea lip balm that is certified organic", + "im looking for a large sized sports bra that is comfortable to wear during the day", + "i want a trupedic x mozaic casual queen size futon mattress", + "i need a gold colored birthday cake ornament", + "i want to buy a super soft fleece throw. look for one thats fifty by eighty inches", + "may you give me a sour strawberry gummies by love of candy? *sampler size*pack please", + "i want non gmo triscuit dill sea salt and olive oil crackers", + "i would like a brown dining set that is easy to install", + "i am looking for big and tall levis mens 505 regular fit jeans that are machine washable", + "mens daily use slip resistance rubber sole shoe color reddish brown size: 8", + "i am looking for a stainless steel foot scraper", + "find this product: tangist corner table stand microwave oven stand 4 shelves storage unit for my kitchen", + "i am looking for a gray non-slip case for a moto g power 2021 that has a screen protector", + "i want an army green womens long sleeve tunic", + "i need leak proof empty travel bottles for lotion cream", + "i am looking for 4 ounce (pack of 1) quality ingredients snack foods", + "im looking for a short sleeve maxi dress with high waist tummy control band. also choose medium size 11-zc4 light blue one", + "i am interested in a large short sleeved shirt that is multicolored", + "i would like a variety pack of low calorie microwave popcorn", + "i search no ram no ssd no wifi but high performance memory", + "i would like to buy a wild caught 1.75 ounce honey glazed ahi tuna in a resealable bag", + "i would like some teeth whitening strips that are a grape flavor", + "i would like some sugar free chocolates", + "i would like some champagne rhinestones for my nail art", + "i am looking for cruelty free wet n wild lip balm in the color no more drama", + "i am looking for a silver smartwatch band that is apple compatible", + "i am looking for a straight leg jean. i prefer it to be blue", + "i need black flats that are slip resistant. they should also have leather soles", + "im looking for a scented facial moisturizer anti aging", + "i need a high quality pink toiletry bag", + "im looking for a 12 feet 4 pack high speed hdmi male to female cable", + "i need a eco friendly green tea mask for sensitive sikn", + "iam purchased womens clothing with quality materials and size 4x. also ,choose the magenta one", + "i am looking for chopped walnuts that are non gmo, gluten free and in the 2 pound size", + "i need a womens shower gel that is purple and long lasting", + "i am looking for a leopard shower cap for natural hair", + "i need some foundation in a buff color. look for a two pack of one ounce bottles. it should be dermatologist tested", + "can i get a large size navy blue lightweight and breathable stretch fabric polo shirt for men?", + "i am looking for fruit snacks that are fat free", + "can you find me a pair of mens pleated golf shorts with a button closure and a high waist? i want them in khaki and in size 38", + "i want to buy a mesh travel laundry bag", + "i am looking for wireless bluetooth noise cancelling over-ear headphones", + "i am looking for a light fixture that is satin brass", + "im looking for 4.2 ounce gluten free matiz sardine", + "i need an amplifier that is easy to install", + "i need a high power sound bar in a natural color", + "im looking for brushes set for eye shadow foundation cosmetic tools", + "i want sweet and salty mini popcorn balls that are nut and gluten free", + "can you find a high quality brazilian 13x4 curly lace frontal in size 24 24 24?", + "i am looking for a camera lens protector for iphone 13 made up of aluminum alloy. also choose pink color", + "i would like a 0.4 ounce medium honey concealer that is long lasting", + "im looking for high speed, gold plated hdmi cables that are male to male", + "i am interested in buying white color, cruelty free hair building fibers for thinning hair", + "i need dog cupcake toppers for a dog party", + "i am looking for a cruelty free soft wax for a sensitive skin. also choose tea tree oil wax 14 oz and 5 ounce ( pack of 1 ) size", + "i want white cotton laundry baskets that can be wall mounted", + "im looking for a size 40x30 inch super soft cute cartoon dinosaurs", + "i want to find a gift set of coconut oil shower gels and lotions. the scent needs to be sunshine mimosa", + "i am looking for low rise cotton underwear. please choose sky blue color", + "i would like a 12 ounce pack of whole fennel seeds that are certified organic", + "i want a easy carry easy use usb flash drive memory stick 5g data storage size :16g-3.0(1 pack)", + "i am interested in a dust proof telescope", + "i need a 10 pound bag of sour watermelon slices that are non-dairy", + "i am in need of khaki color, x-large size hooded fleece lined sweatshirts for men", + "i am looking for some nut free red velvet with cream cheese cupcakes in a jar", + "im looking for a button-tufted stitched sofa that offers a mid-century look. i would prefer one with a clay gold finish", + "i need a freezed dried meal kit that is veggie chili", + "i need a three pack of heavy duty swivel clips for my phone", + "im looking for a small straight leg women athletic yoga shorts", + "i am looking for double sided hair extensions that are at least 22 inches", + "i am looking to buy a black throw blanket that is 80 in x 60 in for my living room", + "i want to find a set of leak-proof, bpa-free travel bottles for my toiletries. ideally the set will have four 3-ounce bottles and the color should be #02", + "i will like to have the dove anti-perspirant deodorant, sensitive skin 2.60 oz (pack of 12) with the herbal scent", + "i am looking for fluoride free and sulfate free toothpaste. please choose spearmint flavor", + "i want to find a makeup palette that is highly pigmented", + "i need in dash navigation that is hands free", + "i am looking for a gift basket with margarita glasses and snacks", + "i am looking for panoramic ballhead easy install tripod camera mount", + "find high protein beef jerkys", + "i need an alarm clock that is mint colored and has batteries included", + "i want to find wild caught sardine fillets packed in extra virgin olive oil. the tins should be 4.4 ounces each and i want a package of 12 tins", + "i am looking for high quality dark brown braided synthetic hair extensions", + "im looking for a easy to carry essential oil roller for coconut oil. also choose coconut scented one", + "i want a vintage beige twin size metal platform bed frame", + "find me a makeup case for travel, need to be easy to carry and choose the marble black color", + "i want a 8 fluid ounce bottle of mint julep mixers made from natural ingredients", + "i want to find gray throw pillow covers for my living room that are 18 inches by 18 inches", + "im looking for a nail treatment kit that is easy to use and certified cruelty free. also choose a pack of 2 which weighs 0.5 fl oz with bamboo & biotin 5 in 1 nail treatment kit", + "i need a king size bedroom set with a wood finish", + "im interested in high protein salt n vinegar almonds in a resealable bag", + "i need a 42mm | 44 mm, apple compatible stainless steel smartwatch band which is of coffee color with a black buckle", + "i am looking for long lasting candle. please choose creme brulee scent", + "i want a nikon coolpix a1000 compact digital camera with optical zoom", + "i am looking for mens machine wash original fit jeans, 44w x 34l size", + "i would like a size 11 brown suede loafer with a rubber sole", + "i am looking for a pack of 1 antiseptic mouthwash that is effective at eliminating bad breath", + "im looking for shoes of women men kenee high and the color in hot pink", + "i am really looking for a low sugar flame grilled bbq meat seasoning that comes in 8 ounces", + "im looking for a sythetic hair extensions. also, choose black colored one", + "i am looking for a waterproof ricoh camera with optical zoom", + "i would like to buy some lotion for my dry skin", + "im looking for intel core was computer accessories it was install at any", + "im looking for soft bed sheets queen size for twin bed in warm taupe", + "shop for a pair of black walking shoes in size eight. look for memory foam soles", + "i need some 12 inch white blonde hair extensions", + "im looking for a fluoride free toothpaste that prevents bad breath. also choose a pack of 2, 50g blue colored one", + "i would like a jar candle that is long lasting and 6 oz", + "i am looking for 16 pcs 4k bullet hd outdoor security ip camera with mic/audio and motion detection", + "show me an easy to clean square shaped terracotta rug with 2 ft 6 in x 10 ft measurement", + "i am looking for an easy to use stainless steel green monocular telescope for a smartphone", + "im looking for dinning room for kitchen need to buy it", + "can i get a hair salon spa beauty trolley which is easy to clean and of high quality?", + "i am looking for a twin size low loft bed with storage in grey", + "i want a laundry bag for my blouse and hosiery", + "i looking for blueberry nut free in raspberry", + "i want to find mens black and white walking shoes that feature memory foam. they should be leather and i need them in a size 12", + "i need a high speed hdmi male to female gold plated cable", + "i am looking for brown colored kitchen table and chair set with storage space", + "im looking for sugar free premium assorted chocolate bar with crunchy almonds (1.76 oz)", + "i want chinese new year good luck cake picks", + "i am looking for a multicolor shower caps for hair loss", + "i am an african woman looking for a barber to cut my hair", + "find bluetooth speaks with stereo sound", + "i would like a pack of dome cameras that have motion detection", + "im looking for a 2-pack of 12-feet hdmi male-to-female gold-plated cables designed for high speed data transfers", + "i am looking for a certified organic body butters moisturizers for dry skin", + "i want a white merax bunk bed box spring", + "i am looking for high quality 20 inch hair extensions", + "id like to find some brown fur-lined womens boots; they should be warm in the winter and work well in snow", + "i want fully cooked dill and fava wild garden heat and serve pilaf", + "i need a dense cotton mattress cover", + "i am looking for a grey box spring bed that is a twin size", + "i am looking for a bulk bag of protein serving rolled oats", + "i am looking for an oil-free eye makeup remover", + "i am loojking for a aluminum alloy single microphone set having black and red color", + "im looking for a wireless bluetooth speaker, preferable blue color", + "i want a 15 ounce pack of chocolate oreo cookies", + "need a 10ft cable usb with rs422/rs485 port", + "im looking for decorative pillows and covers for dinning room", + "i need a 40ft high speed coaxial cable", + "i would like a turquoise makeup crayon that is fragrance free", + "i want a set of 2 mesh laundry bags with deer floral arrows design", + "i am looking for a paraben free and dermatologist tested exfoliating body wash with pink lemon and mandarin orange extracts", + "i am looking for birthday party gift supplies. she is a 15 year old girl", + "i am looking for a easy install 4g band 5/13 signall booster", + "look for a sugar free drink mix that has a banana flavor", + "i want to find king size headboard, hanger style, in summer mix color for a double bedroom", + "i would like a 14 ounce caramel lovers taffy that is gluten free", + "i want a solid wood platform bed with box spring. pick one in dark brown", + "i need water resistant flip flops that are a size 10 little kid", + "i want to find an led light strip that also features a usb port", + "i looking a relaxed fit nylon spandex camping everyday wear hiking woman pant color :thistle", + "im looking for the pant have straight leg and the drawstring waist", + "i am looking for girl alpargata with rubber sole.please choose 10 size", + "im looking for some highly pigmented, long lasting eye shadow in color c.", + "i am looking for a heavy duty wood colored wall mounted folding table", + "id like to look at high resolution backdrops with pictures of marine animals. the size should be around seven by five foot", + "im looking for soy wax for candles and its for long lasting", + "i would like a face kit for my fine lines", + "i would like a 3 ounce bottle of bright citrus deodorant for sensitive skin", + "i need a blue phone with 4g lte and charges fast too", + "im looking for a desktop pc with an intel core i5 processor alongside 16 gb of ram and a 1 tb nvme ssd for storage", + "im looking for gluten free and soy free it was contain high protein", + "i am looking for a 9.3 color for permanent hair color", + "im looking for a ready-to-eat mild flavor seasoned pork meat with quality ingredients, choose 8.8 ounce (pack of 3)", + "i am looking for a eco friendly floating shelves made up of solid wood. also choose bourbon color and 48 l x 6d size", + "i am looking for a white color hdmi cable having high speed", + "i am looking for a pair of womens size 11 daily wear boots", + "i am looking for gluten free paleo seasoning food ", + "i am in need of 20 pcs high quality black color crown dreadlock hair jewelry for women braid", + "i want a beige colored storage bench for my living room. it should be 40 inches in size", + "looking for davidsons tea 100 pcs south africa flavored tea bags, spiced rooibos chai is my favorite, please demand certified organic", + "i am looking for a copper eco friendly tongue scraper for bad breath", + "i am looking for a canvas poster for the living room that shows sunny zakynthos island", + "im looking for high pigmented for long lasting beauty skin care", + "i am looking for a 200 ft size high-speed coaxial cable and the cable material is aluminum alloy", + "i am looking for dried coconut that is gluten free", + "i need to order a fully assembled tan chair", + "i want a wall mounted europe style round decorative mirror", + "i want a gold colored and high performance android tablet", + "i am looking for a boat shoe that has rubber sole. and i would prefer the 8.5 size with blue color", + "im looking for a mini desktop pc with windows 11, double display 4k resolution", + "i want to find one wide-toothed grooming comb for hair styling", + "i am looking for a long lasting travel size bottle of michael kors sexy amber impression perfume", + "i am looking for deluxe faux leather, box spring, easy assemble , wood bed frame with led headboard and color is black and queen size", + "find me some tea tree and lavender conditioner for dry, sensitive skin", + "i am looking for a 12 darkest brown #2 synthetic hair hair extensions", + "looking for a very powerful range extender antenna with high performance", + "i ma looking for a wireless charging flip cases of midnight green color", + "i would like a dental pick that is yellow for bad breath", + "i need a slim fit active shirt that is brown and that is large", + "i am looking for a lemon scented candle made from soy wax", + "i am looking for a twin size bed with easy assemble. also choose white color", + "im looking for a perfect quality modern wall light sconce led brushed nickel hardwired in the brand of natalya", + "i need a weather radio that has batteries included and is black", + "i would like a medium gy tank top with a unique design", + "i am looking for an exfoliating and soothing skin cream for keratosis pilaris and would like a two pack of four oz containers", + "can you find me an alcohol free mouthwash for bad breath? i want the one in energizing mint flavor", + "i would like some pink birthday candles for a birthday party", + "im trying to find a laundry bag for women", + "im looking for some slim fit gym workout clothing. i wear a size small", + "my face included small sizes of dark circles", + "i want a decorative wine rack ornament for living room wine cabinate", + "i want a tea tree based toothpaste which should be good for sensitive teeth and can reduce bad breath", + "i would like some maple waffle 1.27 ounce sugar free cereal", + "im looking for a high waist boxer brief for men made of stretchable polyester spandex fabric. also choose x-large style 1", + "i am looking for a paraben free and cruelty free moisturizing body cleanser for dry skin. also choose size 32 fl oz", + "find this brand duckfeet blavand unisex, model leather clog, important: size 38 m eu and leather sole ", + "i want a non toxic mouthwash which is fluoride and alcohol free. pick a 2 pack 16 fluid ounces one", + "im looking for a high quality, easy to use shaving brush", + "i want a solid wood sunset trading shades of sand console table", + "i need party bags of potato chips", + "i need a high quality refillable spray bottle of 50 ml size. and i choose the black one", + "i need a high speed hdmi male to male cable which is gold plated", + "i am looking for a high speed 150 ft coaxial cable", + "i would like a bundle of hair extensions that are 20 inches", + "i am in need of 8.5 sized pink color rubber sole women round toe lace up oxford shoes", + "im looking for an extra small black womens t-shirt thats machine washable and features origami paper cranes", + "i need a 2 oz hair growth treatment", + "i need a five by four foot light weight, easy to carry background for digital photography", + "i need anti slip sneakers that are leopard in a size 7", + "buy me some freeze dried bananas & strawberries", + "i need a three ounce package of ground cumin seeds that are gmo free", + "i need traditional ready to use pickle . and i choose a pack of 6", + "i am looking for a contemporary home office chair", + "order for me cupcake toppers decorations for celebrating a baby shower", + "im looking for a light weight backdrop with high resolution image for digital photography. also, choose 7*5 ft one", + "i would like a mint green brush cleaner that is easy to use", + "i am looking for ivory color living room rug of size 2 x 5", + "i am interested in buying pumpkin seeds which are gluten free", + "im looking for furniture in engineered wood for living room and it was in white in color", + "looking for highlighting makeup powder in the highlighting & luminizers section of beauty & personal care. long lasting, metallic shimmer, venus (pearlescent white.) made by aesthetica starlite", + "im looking for foundation make up by l\u00f3real. i want oil free liquid foundation. my color is w1 porcelain. check for pack of 1 in stock", + "i am looking for a 12 count of low sugar espresso bars", + "i am trying to find carolina herrera good girl impression scent and it should be in travel size long lasting and high quality", + "i need a quick release camera mount made of aluminum alloy", + "i need a black colored birthday party cupcake topper", + "i am looking for quick release black color tripods", + "i would like to buy some size 30 dark blue 405 slim fit jeans", + "i wish to buy a tempered glass screen protector which must be easy to instal on an 8.4 inch touchscreen of a 2019 dodge ram", + "id like to buy about 12 ounces of fully cooked steak strips that are ready to eat", + "i am looking for a camel colored futon mattress for my living room", + "im looking for double sided nail hand for nail art its easy to use", + "i would like to buy easy to clean massage table sheets which are pink in color", + "i am looking for high quality toothbrush containers", + "i am looking for yellow birthday cake candles", + "i am looking for a green hoodie that is loose fit and a size small", + "i looking a beauty product leak proof travel size case for 288 bottles color yellow", + "i need a long trishield coaxial cable", + "im interested in buying a medium sized high waisted yoga sweatpants for daily wear", + "i want a ready to hang wall plaque with a wood finish", + "i need hair extensions that are a medium brown and that come in two pieces that are an updo", + "i need a 3 panel african art for my living room wall", + "i would like a 8.6 ounce box of honey cereal that is gluten free", + "i need long lasting honey beige face powder, pack of 1", + "i am looking for 12 pcs bpa free plastic spray bottle of amber color", + "i am looking for an end table that is for the living room and is a whitewash color", + "i am looking for matte ink long lasting liquid lipstick having 15 lover color", + "im looking for a single bottle of bone colored foundation thats oil free and covers fine lines", + "buy me some lipstick in spicy mauve. get the one with argan oil in it", + "i am looking for a white brushed nickel for wall-mounted mirrors", + "i want to find edible black glitter that i can easily use on desserts", + "i want a hands free hlongg bluetooth clock speaker", + "i am looking for queen size beds", + "i would like a 2 bottles of flathead cherry jerry gluten free jam", + "looking for high density black colour gaming chair", + "i am looking for canvas paintings with ready hang for living room, blue&white color is preferred", + "i am looking for size 9 womens fashion sneakers with vinyl acetate", + "i am looking for toothbrush of b04#yellow penguin color that is easy to use", + "i need 3 trader joes gluten free crackers", + "i would like to buy a white faux fur chair for my living room", + "what deodorants do you have that are alcohol free and very long lasting?", + "i would like a white end table with one drawer and 4 basket cabinet for my living room", + "i am looking for black color twisted x men\u2019s rubber outsole slip-on of size 12", + "i am looking for blue color toothbrushes that helps to maintain my oral hygiene", + "i need a light weight photo studio wall prop in 100 square feet for a high resolution image", + "i am looking for a wireless computer headset that has stereo sound", + "look for antiperspirant in the jean-marie farina scent. buy the travel size", + "i want a large zabra patch leggings with a elastic closure", + "i am looking for womens pants of wine red color with elastic waistband", + "i am looking for a eye mask sheet for dark circles. also choose 120 count size", + "i want to find shampoo that is made with argan oil", + "i want to find decorative, multi-colored vinyl dots for my living room windows. the size should be 17.7 inches by 23.6 inches", + "im looking to buy a body wash that has tea tree oil as an ingredient that would work well for sensitive skin", + "i am looking for a light weight photography backdrop for a digital photography. also choose printed backdrop 11 color and 5x7 size", + "i need a small black short sleeve shirt", + "i am looking for bathroom laundry room wood framed decor", + "im looking to find a pair of cropped womens pants with an elastic waist and wide legs. see if you can find a pair in navy that runs small to medium", + "im looking for super soft blankets and throws", + "i am looking for 6 packs of nut free, soy free, dairy free chocolate candy variety pack", + "i am looking for a black 24inch size vanity light fixture", + "i want machine washable pajamas", + "im looking to buy a rose gold 1-in flat iron", + "i would like a single beige spade bed that is water resistant", + "im looking for a 5 pieces metal decorative loops for apple watch series 7/6/5/4/3/2/1 band silicon strap", + "id like to buy some cotton candy for a baby shower", + "im looking for gourmet spice blends and shake", + "i am looking for valentine d\u00e9cor for my living room", + "im looking for the original gypsy color 5 light crystal white flush mount chandelier", + "i am looking for sindhi biryani spice powder that is easy to prepare", + "i need to buy some old fashioned cocktail bitters for a gift. look for the mole negro flavor", + "add to my list a wrangler mens cowboy cut relaxed jeans and should be a comfortable fit", + "i want to find a kelly green womens 3x-large t-shirt that has a classic fit", + "im looking for some antiperspirant for sensitive skin", + "i am looking for a queen sized multicolored mattress set", + "i am interested in buying pullover for women which is machine washable and have women christmas gifts-a153-khaki color, and of size 3x-large", + "help me find some clogs in size 9.5 made of ethylene vinyl", + "i would like a pack of 3 herbal teas that are immune boosting", + "i am looking for a power amplifier", + "i am looking for a surveillance camera cables for output protection", + "i want to find wheat crackers that have no gmos and no high-fructose corn syrup", + "im looking for a amys soup", + "im looking for high heel and sandal for drying shower", + "i need a white high heel pump shoes with a rubber sole", + "im looking for a nut free kosher certified dried fruits basket to be given as a gift", + "i am looking in day comfort walking shoes that are pink and in a size 5 wide", + "i want a 04 color and easy to use straight hairpiece clip", + "im looking for a 12-pack of individually wrapped, spicy beef jamaican style patties", + "i want a 1080p hd camera", + "i want a neon pink tank top suitable for machine wash", + "i want to find scented shampoo that can stop hair loss and promote hair growth", + "i am looking for a heavy duty purple case with a screen protector and kickstand for a samsung galaxy tablet", + "i want to find white scented candles that are eco-friendly and made of soy wax", + "im looking for a case cover hard shell cases of rock ash color", + "i want a high resolution portrait background that is 10x7ft in size", + "im looking for engineered wood it was white finish grey in color", + "i am looking for 10 pound bulk candy with chocolate covered raisins", + "i want 50g of green brew edible glitter in bronze. it must be nut and dairy free", + "i want some cake toppers for my party supplies", + "i would like a 4 ounce bag of regular old fashioned jerky", + "i want to shop for a wooden bedframe in grey", + "i am looking for an i5 quad core computer with 16 gb memory", + "i would like a 52 inch wide and 63 inch long pair of light grey window panels for the living room", + "find me the 2-pack of trader joes chocolate covered peppermint joes cookies", + "im interested in some machine-washable, mens x-large, low-rise briefs in black with an elastic waistband", + "id love to find a compact magnified mirror thats easy to carry and travel sized", + "i am looking for a pair of womens size 9 extra wide loafers that have synthetic soles", + "i am looking for a 5 pack of 12 foot gold plated hdmi cables", + "i want a slim fit jeans", + "i need some nice synthetic hair extensions that are at least 14 inches long", + "i would like three bags of natural pineapple candy", + "i am looking for a framed hand painted abstract oil painting to hang in my living room", + "im looking for a 12-ounce package of blueberry harvest granola clusters that are gluten free and high in protein", + "im searching for daily wear men loafers with size 11 and black | 01 color", + "im looking for 2 dozen individually wrapped dessert gifts", + "i am looking for a laundry, blouse and hosiery wallet", + "i want to find a vanity light that is easy to install. my walls are black and i want something the same color", + "i want buy a easy use hair dye hair colouring spray colour should be purple", + "i am looking for organic caffeine-free chai blends rich rooibos and a sultry blend of spices.; piquant cloves, nutmeg, and cinnamon mingle with sweet allspice, ginger, and a kiss of cardamom organic paromi cinnamon chai rooibos, a chamomile tea,numi which has the floral, herbaceous, and rich herbal teas thats craving. 15 count pack of 1 preferable", + "lets see some sandals in vinyl acetate. it should have ponderosa pine puma white as color", + "buy me some cotton pajama pants in size extra extra large, please. make sure they have an elastic waistband", + "i would like a high speed wireless charging station for my iphone", + "i would like a 16 ounce bottle of raisin milk that could be a great gift set", + "im looking for beauty care accessories it is easy to clean and it was helpful for deadly skin", + "i need a light grey bed frame that fits a king size bed", + "i need some makeup remover pads for sensitive skin. get style two", + "i am looking for large size khaki color wide leg high waist workout pants", + "i want gluten free tasty teriyaki perky jerky turkey jerky", + "i am looking for a gold body glitter for nail art", + "im looking for a size 48 in vanity light comtemporary cylinder", + "i want a top hairpiece in dark blonde to conceal hair loss", + "i would like a nightstand that is brown with a steel frame", + "i want type b high-definition high-power binoculars", + "i am looking for a long lasting brown soy wax candle", + "im looking for a large package of micro applicator brushes that has its own storage case and comes in purple, blue, pink, and white", + "i want to find 5.5 ounces of hair styling spray that is certified organic", + "im looking for a keto friendly hot cocoa mix in dark chocolate flavor", + "i am looking for 20 inch high quality hair pieces", + "i want to find a vintage sherpa fleece throw that is 50 inches wide and 60 inches long. it needs to accommodate a queen sized bed", + "im looking for a wood frame dining chair with solid wood legs", + "i would like 10 sweet and savory variety packs of gluten free potato sticks", + "i would like to buy size 8.5 grey faux fur loafers", + "am looking for a long lasting reddhoon metallic nail polish blue and purple colors", + "i am looking for a conditioner bar for my dry hair that is having kookabara scent", + "i need an easy to carry headset for audio", + "im looking for sexy beach swimsuit with bikini set", + "i am looking for a certified organic and caffeine free tea that is licorice root flavored and comes in pack of 16", + "i would like a olive 18.5 neck 35 sleeve dress shirt that i can machine wash ", + "i want to find a small, sky-blue summer dress that i can wear every day", + "i am looking for mens slippers of size 8 that are long lasting", + "i am looking for sweatpants and short pants for gym workout", + "i am looking for watermelon flavored mango dragon fruit tea refresher having high fructose", + "i am looking for clinically proven hair treatment for a dry itchy scalp", + "i need a rose gold cell phone case with a tempered glass screen", + "im interested in a power amplifier board that is easy to install", + "i want a 64 gig data shur usb port drive", + "im having a kids birthday party and need a pack of 36 gold cupcake picks", + "can you look it up on amazon? erikas tea room february birthday scone & gift box - unique english style scones, april color, will make the perfect gift", + "i would like a winter white floor lamp made with brushed nickel", + "im looking for a two pack of 5 calorie, non-alcoholic margarita mix. i want 24.5 ounce bottles", + "i would like a coral orange basic heavy duty phone case", + "i would like a long lasting mens fragrance", + "i would like a 47.2 x 11.8 x 11.8 white and sonoma oak tv center for my living room", + "i need a wall mounted floating tv stand", + "i want blue and eco friendly cenglings sandals for women", + "im looking for camellia brand dried field peas", + "i want a sulfate free shampoo that is 8 fl oz", + "i am looking for machine washable sweatsuits that are pink and in an xx-large", + "i am interested in buying a remote control repeater which supports blu ray streaming", + "i want an easy to prepare mccormick turkey brown gravy mix", + "i need a unisex clog made of vinyl acetate. pick a new mint color", + "i am looking for peripera velvet lipstick that is long lasting and in the color red", + "im looking for original fit jeans for men", + "i want a pair of faux fur slippers. pick a size between 10.5 and 11", + "give me a long lasting 8 pieces false lashes set", + "i need to get a long lasting coffee table with the style of chelsea", + "i am looking for a slim fit mens sweatpants. also, choose the y1-black", + "i need to buy a pack of shower brushes with long handles", + "i am looking easy use long curly hairpieces density top size -14 inch -130% density,color: medium brown -e", + "im looking for unisex garden clogs shoes", + "i am looking for grey hair extensions that are 22 inches long", + "i want to buy knee high boots in color brown and having size 8.5", + "im looking for a easy to clean table linens for the dining room in a valentines day", + "im looking for clinically proven, anti-aging body oil in a package of 3 of .85 fl oz bottles", + "i am looking for day comport shoe in pure grey color", + "i am looking for sparkling water of fizzy lychee flavor having low carb", + "i need a remote control for my blue-ray", + "i need long lasting concealer that is in a light natural and is a pack of one", + "i am looking for one case of vegetable patties that are fully cooked", + "im looking for a high quality cosmetic container to refill my lip gloss; please choose the rose gold color", + "i need gluten free popcorn seasoning. make it the ranch flavored", + "i want a brushed berry schwarzkopf metallic permanent hair dye", + "im looking for camera for digital photography. the camera was easy to carry at", + "im looking for a pair of knee high rubber soled boots in coffee colored microfiber. i need them in a size six", + "parmcrisps - all parm crisps cheese, made simply with 100% real cheese | healthy keto snacks, low carb, high protein, gluten free, oven baked, keto-friendly find for me, parm crisps brand, as it is oven baked, gluten free, low carb. excellent product that helps me maintain my low carb diet. my favorite flavor is italian herb. find this flavor", + "i am looking for long lasting womens fragrance oil of 0.34 ounce size", + "i am looking for 18 inch women synthetic hair extension of 8 packs", + "i need an executive chair that is black and made of pu leather", + "i am looking for a white item 40w x 48h size of home d\u00e9cor products", + "looking for motion detection with 1080p hd wireless mini hidden camera", + "i need green colored headphones with superior stereo sound and comes with a convenient carrying case", + "find me a womens 3 piece brazilian thong bikini set that is machine washable and size large. i need it in color a01#purple", + "i am looking for a light brown color hair dye", + "i am searching for travel size quality fragrance oil for women, 0.34 ounce", + "im looking for lowrise blue sweatpants in a medium", + "i want a high definition germerse portable projector", + "i want a small high waisted smooto summer dress for women", + "im looking for open toe shoes for womens it was blue in color", + "i am looking for ivory color rugs for dining room", + "i want a rich protein bar", + "i am interested in buying hdmi display cable which is gold plated and provides high speed", + "i am looking for a synthetic hair ponytail extension in the color medium brown", + "im looking for a large novelty pajama set for my husband who likes blue stripes; i must be able to machine wash it cold", + "i want sugar free decaffeinated coffee that comes in an 8 fluid oz pack. it should have a mildly thick consistency", + "i am looking for a anti aging and long lasting lip balm", + "i am looking for classic fit dark heather color tank top", + "i would like to find a valentines day gift with chocolate included. a pack sounds ideal", + "i am looking for one ultra hd satellite dish package that includes a coaxial cable and a low profile short mast", + "i am looking for gmo free sesame seeds that are natural cinnamon flavor", + "i am looking for pink non slip shoes that are a 10.5", + "i am looking for a long lasting nail polish", + "id like to find a highly pigmented eyeshadow palette that is long-lasting. it needs to have a daring color", + "i need a classic fit pastel goth black girl lolita princess court dress with lemon color", + "vegan makeup free from animal testing", + "i need a bloody mary flavored cocktail mix that is low on sugar", + "i want a easy to carry mirror", + "looking for flexible curling rods in blue for natural and dry hair easy to use in size 9.45 x 0.55", + "i need 16 inch long dark brown goo goo remy hair extensions tape", + "looking for a 2 pack of granola that is gluten free. it needs to be non gmo and shelf stable", + "im looking for a pair of running shorts made out of polyester spandex with an elastic waistband. i want them in red, size small", + "i want a small sized t-shirt that has long sleeves. it is for a teenage girl", + "i am looking for an arabic javy cold brew coffee concentrate", + "i would like some wild caught tuna fish that is a jalapeno flavor", + "i am looking for brown black throw pillow case that is double sided and super soft", + "let me get an anti perspirant deodorant for sensitive skin", + "i need a 3.4 fl oz glass bottle of toothgel that is plant based and made of fennel & baking soda", + "i am looking for gold noise cancelling headphones", + "i am looking for a powerful, double sided, silicone back scrubber in the color orange", + "id like to order some barbecue flavored veggie crisps. look for low fat, non gmo, and plant based snacks", + "i want navy landau essentials straight leg scrub pants", + "i want to find an s22 ultra 2+2 screen protector thats easy to install, and it needs to be made of tempered glass", + "im looking for dark gray button down short-sleeve shirts", + "buy some gray machine washable shorts", + "order a tempered glass screen protector for my iphone 13", + "i need a high speed asus pn41 fanless minipc barebone with intel 11th gen dual core celeron n4500 that also has a bluetooth", + "i want dalang soy wax scented candles", + "i want light purple synthetic hair extensions", + "i need cupcake toppers for a birthday party", + "i want to buy a 9 ounce, maple waffle flavored keto friendly snack that is sugar and grain free", + "i am looking for a low sugar, non gmo seaweed snacks of 1.13 ounce (pack of 6) size", + "im looking for a party supplies of birthday party cupcake", + "i would like a chandelier for my dining room", + "i need a light weight printed backdrop to use with digital photography. it should be 8 by 12 feet in size", + "i would like to buy some orange office chairs that have great lumbar support", + "i am looking for a 1.25 ounce (pack of 36) of rich creamy cocoa", + "i am looking for an easy to assemble blue ottoman for my living room", + "looking for ceramic drink coasters that is set of 6 with cup holder", + "i want a non gmo soy free certified organic gift pack of candy and chocolate bar of holiday variety pack size :3 ounce", + "i would like some pink noise cancelling earbuds that work with my iphone", + "i want to find a two-pack of white coaxial cables that are plated with gold", + "please show me a black white 05 sneaker for man. im looking for a sneaker for men with synthetic sole, size 9.5", + "im looking for a high density memory foam mattress in full size", + "i want a twin size comforter for boys with a video game theme. pick a full size one", + "i need a birthday cake topper that is gold", + "i am looking for a 3 pink long sleeve fashion hoodies & sweatshirts", + "i need a custom metal print poster for my living room", + "im looking for fast wireless charger for iphone 12", + "i am looking for a water resistant cosmetic bag", + "im looking for fur lined vinyl slippers", + "i need a x-large machine washable mens evan scrub pant in ceil color", + "i would like a large navy penn state nittany lions fleece jacket made from quality materials", + "searching in the photo studio, i am looking for green forest natural scenery landscape portrait background studio prop that is of high resolution and definition. the approximate size is 9x6ft|2.7x1.8m", + "i would like a beige rectangular rug that is 10 0 x 13 0 and is easy to clean", + "i need a mouse colored ottoman in a contemporary design", + "i want you to help me find maine root handmade ginger soda, 12 fl oz (12 glass bottles) im having a hard time finding certified organic. i hope you succeed", + "im looking for easy to use shinning pearl smudging eye shadow stick thats 1.4g. also, choose the reddish pink one", + "i am looking for a black color dust proof and heavy duty protection phone case cover for samsung galaxy s22", + "im looking for a haori jacket thats machine wash and comes in black. i need a size extra small", + "i am looking for a heavy duty foot soaking tub for dead skin removal. also choose blue one", + "i would like to get a paraben free oil moisturizer", + "i would like a pack of butter cookies from trader joe", + "im looking for freeze dried gluten free sliced strawberries and fresh vegetables", + "i am looking for a usb headset with built-in microphone and noise cancelling feature", + "im looking for mens peake 23 from fila", + "i am interested in buying a steel bed frame with memory foam", + "i want to find an orthodontic model that is portable and easy to carry so i can use it to teach oral hygiene", + "i would like 24 packs of 60ml eye shadow", + "i am looking for 1 pack of 14 inch tape in hair extensions", + "im looking for a 1 pound package of low calorie nacho cheese dip", + "i want to buy a toothbrush for sensitive teeth", + "im looking for an easy to install living room celling light with a 2-light capacity", + "i am looking for a 2 layer small bookshelf for my living room", + "im looking for a 4g-lte blue 16gb unlocked alcatel 1 5in quad core", + "im looking for made a cup cakes for birthday parties", + "i am looking for a light weight medium size body shaper for men. also, i prefer a white colored one", + "i am looking for a yellow short sleeve mens hawaiian shirt", + "i am looking for a noise cancelling headset", + "i want a vanguard veo 2 204ab black carbon fiber tripod", + "i am looking for a blue and green bluetooth wireless ps3 controller with a charger cable", + "i am looking for a high quality 3g/3ml round clear jar with bpa free. also choose green color and size with 50 jars", + "i would like a 0.25 fluid ounces of oil free 090 foundation", + "looking for moisturizing and nourishing cream with multi-vitamin anti-crack foot with argan oil", + "i am looking a light brown natural hair extention 20 inch long", + "i am looking for steel framed storage bench box. please choose red one", + "find me a quick drying hawaiin shirt with short sleeves and a front pocket. get me a large size", + "i am looking for a pull down manual projector screen with aspect ratio 16:10 and ultra hd. also easy to install", + "i want a water resistant upbright ac/dc adapter compatible with segway ninebot", + "i need some fast charging usb cables that are grey", + "i am looking for easy clean and lumbar support home office chair", + "i am looking for a light brown color hair dye", + "im looking for a chrome wall light fixture with a brushed nickle finished", + "i need an easy to clean bedroom bench footstool seat. show me something in white", + "i need 3-light vanity light in brushed nickel", + "i would like to buy some greeley size 28 slim fit jeans", + "i need a plug and play high definition video converter", + "i would like a 19 by 13 by 17 nile green bench that is super soft to sit in", + "cowboy boots for women non slip choose in brown colour", + "i need a 5x large tracksuit that is long sleeve and that is blue", + "i want to get a 6 pack of the toms of maine fresh mint alcohol free mouth wash. i think they are 16 oz bottles", + "i need an eco friendly black charcoal conditioner", + "mens tuxedo t-shirt for daily wear also choose white colour", + "i want a smoked and infused spicy sea salt gift set", + "i want a navy slim fit mens golf polo shirt", + "i want a grey safavieh evoke rug for my living room", + "i am looking for a mens medium size slim fit long sleeve button down floral dress shirt", + "i need gold cupcake toppers for a birthday party", + "i want to find a barber cape that can be used in a hair salon. it needs to have a pepperoni pizza pattern to it", + "i am lookng for a medium size orange color elastic waistband workout gym yoga shorts for men", + "find me a running shoe that is regular fit and has a rubber outsole. pick a size 10 one", + "im looking for a heavy duty twin size bunk bed made from solid wood with good storage space for space saving. also, choose white colored one", + "i am looking for a steel frame storage tower in the color dark gray", + "im looking for sliver smart watch made from 20mm stainless steel", + "i am looking for mini computer. it must have 16gb ram,512gd ssd hard disk and core i5 processor", + "i am looking for an antiperspirant", + "i am looking for a 50 pack of white non-slip spa headbands", + "i want a high speed hdmi cable male to female", + "i am looking for a king size platform bed", + "i want some low carb and keto friendly snacks. it should be almond espresso flavored and diary free", + "i am looking for long lasting hair color dye.please choose 7bg color", + "i want a wooden dining table that is multi color with a white finish. it will go in my dining room", + "i am looking for a pair of dark green throw pillow covers for my living room", + "i am looking for some dining room barstools", + "im looking for clothing for classic fit and needle and color was navy", + "im looking for a winsome element 2pc bar stool", + "i want small and machine washable champion mens shorts", + "i need a usb video game capture card for my usb port", + "i would like a mid century oatmeal sofa ottoman made with solid wood", + "i need some facial scrub for sensitive skin. it should be oil free. get the three pack", + "i wanna purchase quadshield black color 50ft coaxial cable for broadband internet connection", + "im looking for a large sea team round cotton rope storage basket with lid and decorative woven storage bin, pot, caddy, organizer, container for snacks, towels and plants 10 x 7.5 inches. also, choose the white one", + "i would like a womens size 9 brown high heeled shoe with a closed toe", + "shop for twenty eight inch faux leather bar stools in cream", + "get me a gluten and nut free ready to eat plant based vegan meal variety pack in size 2.29 ounce (pack of 4)", + "i need plant based protein bars that are of the peanut butter variety", + "i am looking for a natural black color high quality hair extension for women", + "i am interested in buying a green linen arm chair of faux leather for the living room", + "i am looking for some long lasting easy to carry eyeshadow", + "find me a loose fitting, long sleeve hoodie for teenage girls. i want the one that is green and in xxl", + "i need a five pack of three foot hdmi cables that support 1080p and are gold plated", + "i would like to get a black noise cancelling headset to play video games", + "im looking for a clear glass wall lamps with glass shade for living room. also, choose the lamp that has 3 lights and bronze colored one", + "i am looking for power cord outlet socket cable plug for wireless bluetooth speakers", + "i want wireless charging in white color", + "i am looking for a high resolution projector screen with stand. also, i would like the item to be made of aluminum alloy", + "im looking for bedspreads it was easy to wash it was machine washable", + "i am interested in buying a pack of 1, bpa free dental guard with a storage case", + "i am looking for womens high heel boots of 8.5 size and green one", + "i need 5 ounce flawless eye cream for dark circles", + "product title i wear this size and model.gibobby womens swimsuits tankini bikini, quick dry, extra large size. i need help finding", + "i would like some high quality hair claws", + "i would like a bottle of green goddess ranch dressing from quality ingredients", + "i need a 50 by 40 living room throw", + "i need a 14 inch natural hair hair extension in #2 color", + "im looking for stereo sound it was outside of noise pollution", + "i was looking for a loose fit sweatshirt that has short sleeves and chest pocket. i really like green color", + "im looking for a pack of three non-gmo organic flavor syrups with a pump. look for the pumpkin pie spice flavor", + "i would like to buy a 23 x 22 green rug for my living room", + "i am looking for hen of the woods potato chips with all natural ingredients would like sea salt pack of 6, 6 ounce", + "im looking for wireless bluetooth speaker for home", + "i am looking for a 6 foot by 4 foot underwater photography backdrop", + "can you find me a spicy blue diamonds high protein snack? my friends prefer the smokehouse flavor in the 6.ounce can (pack of 12)", + "i want to order a bottle of shampoo with coconut oil for dry, damaged hair", + "i would like a 2.25 bottle of mens single shower fresh alcohol free antiperspirant", + "add to my list a wizard of oz 3xlarge tshirt for men. should be officially licenced", + "i need a blue area rug for the living room", + "i am looking for grey color women sandals.it must have steel toe", + "i am looking for a light brown color faux leather storage benches for living room", + "i am looking for a high speed 250 foot long 75 ohm coaxial cable", + "i would like a white bed and nightstand with drawers that saves space", + "i am looking for vintage white bed in a king size", + "i am looking for large leggings that are butt lifting in fog grey", + "i want to find a barstool made out of faux leather and stainless steel. i want the one in black", + "i want samsung galaxy s22 glass screen protectors", + "i am looking a hyaluronic acid deep conditioner for hair treatment of dry har to improve smoothness", + "i am looking for organic freeze dried blueberries that should be gluten free and vegan, 1.6 ounce (pack of 1)", + "i am interested in a 8 by 6ft digital photography background", + "im interested in some gold-plated white patio speakers in size 5 8\u03c9 | 70v that are easy to install", + "i need a chandelier for the dining room that has 12 lights", + "i am looking for camo colored womens running shorts with an elastic waistband", + "i would like a pair of size 11.5 dark blue sandals that are open toe", + "i need a 30 pair pack of skin care masks for eyes and wrinkles", + "i want to find a 6-pack of 12 count ferrero rocher candies for valentines day", + "i would like a fluoride free toothpaste", + "i am looking for a wallet that can go with my hoisery", + "i need a long lasting organic deodorant", + "im looking for a skin & glow bundle gift set that is cruelty free and fragrance free", + "i would like a perfume that is long lasting and comes in a pack of two", + "im hoping to find a 4g lte tablet that i can use for my work", + "i would like a black 5xl tunic with short sleeves", + "i need a space saving office desk that is blue and 90 by 30 cm", + "i want black modern led chandeliers for dining room", + "i need a 6 ounce deep conditioner for dry hair that has rose oil and peach scent", + "im looking for a portable nail clippers", + "i need some high quality blue body paint", + "im looking for camera it was easy to carry and need to buy it", + "i would like a 12 pack of non alcoholic rose seltzer water", + "im looking for shan kashmiri rogan josh recipe and seasoning mix 1.76 oz (50g) pack of 3 easy prepare", + "im looking for a perfect valentine gift for my loved one with this strawberry love cookie cake", + "i am looking for mens dark clay color ankle strap sandals", + "i am looking for a 3 pack of trader joes shelf stable whapping cream in 8 fl oz, three pack -set of two", + "i want to buy hdmi cable which is gold plated and comes in 10 pack with a length of 1.5 feet and is an hdmi male to male", + "i would like a pink size 5 high heel shoe with a rubber sole", + "im looking for brown color upholstered faux leather footrest stool for living room, its size should be 100x42x45cm", + "i am looking for a mens short sleeve denim blue shirt", + "want a security camera system with high definition, motion detection and need to be dust proof", + "i am looking for makeup brush set that is suitable for synthetic hair. and i would prefer the pink one", + "i want a silver plug and play usb c headphone & microphone adapter", + "what sweet and salty hazelnuts do you have that have no artificial flavors or colors?", + "i am looking for a tablet with a quad core processor and 4g lte", + "i want a pair of size 3 type 10 gold sandgrey lightgolden flip flops with a rubber sole", + "i am looking for a sulfate & paraben free shampoo", + "i need a living room end table that is 20.91 by 24 inches", + "i am looking for a 120 light concealers & neutralizers for dark circles", + "im looking for a non dairy, chocolate covered raisins. also, choose sampler size chocolate rocks- gray one", + "find me thai healthy gluten free mixed real fruit chips", + "im looking for wall mounted for furniture need to buy it", + "i want to get a single-count pack of oil-free liquid foundation that has a natural buff color", + "i am looking for grey color smartwatch band.it should be compatible with apple watch", + "i am looking lightweight backgrounds for my digital photography that has 15x10ft size", + "i need some lipstick that is long lasting and is cherry colored", + "i would like a purple storage case for my nail polish", + "i would like a size seven white flat shoe with a synthetic sole", + "i am looking for low calorie, gluten free protein smoothie squeeze pouch of variety pack with all five flavors, 4.5 ounce (pack of 9)", + "i am looking for woman gym workout non slip arch support pink color shoe size :8", + "im looking for teeth whitening for oral care whitening kits", + "i need 2 panels easy clean window curtains of size 39.5w x 63l x2 for living room", + "i need teeth whitening strips that are a size 1.2 by 1.5 mm", + "i would like a pound of non dairy jelly filled strawberry gummies", + "i need a console table for the living room. look for one in oak brown", + "hunting for a natural deodorant that is aluminum and baking soda free, hypoallergenic, safe for sensitive skin, underarms, and private parts in a 2 pk 3 ounce tube. prefer either clean tangerine or lavender sage scent", + "i am looking a easy install smartwatch band compatible with apple color:midnight blue /cantaloupe size: 38mm/40mm/41mm", + "i want to find a pair of yellow high heeled stilettos with ankle straps, in a size 8.5", + "i am looking for a 2pcs set cosmetic bags which is easy to carry", + "i need a kids u-shaped toothbrush for sensitive teeth", + "(i need some usda certified organic green tea and matcha", + "i would like some straight leg jeans that are ric and are in the size 46w by 29l", + "i need a cosmetic bag for my nail polish", + "i want a silver hair styling bobby pin", + "i am looking for a small polyester cotton costumes", + "low sodium pink salt", + "i am looking for a sweater with long sleeve also able to quick drying. also choose black kids 05 color and 4-5t size", + "i need some towels to dry my hair", + "im looking for a royal blue star wars t-shirt in a youth size double x large. it needs to be machine washable", + "i need a floor lamp for my living room", + "buy me a new flat-packed bed frame", + "i want to find a high quality 5 pcs makeup brush set with the stitch 2 color theme", + "i have 4x-large size short sleeve", + "i am looking for a motion detection indoor, outdoor camera smart surveillance", + "i am looking for oil free foundation for dry skin. please choose mocha color", + "i want to buy frame for bed platform which is eco friendly and with box spring, while the color i would prefer for it to be black and as for the size it should be king size", + "i need a 1 oz bottle of cruelty free foundation that is golden tan", + "shop for a red short sleeve t-shirt in size x-large", + "i would like a light blue 32cmx32cmx35cm ottoman with a stainless steel frame", + "i am looking or a 12 ounce (pack of 1) non gmo gluten free granola", + "i am looking for red storage benches that are made of engineered wood and are 90 by 40 by 45", + "i need a pack of 2 apple compatible fast chargers in white", + "im looking for electric hair clipper for men", + "i need open toe sandles in red color for a teenage girl", + "i am looking for some espresso pleated shades that are easy to install and are 36 inch by 72 inch", + "i need a childrens mouthwash two pack that is made from natural ingredients", + "i am looking for desktop pc having intel core processor with nvidia rtx 3080 configuration", + "i am looking for chocolate scent candles that is long lasting", + "im looking for a hair extensions with natural hair. also choose 120g 14 inch sized natural black mixed chestnut brown colored one", + "i am looking for sulfate free, paraben free , tea tree triple treat invigorating shampoo & conditioner set", + "im looking for a brown runner type rug for my living room", + "i would like a red cupcake topper for a baby shower", + "i would like a grey twin size bunk bed made of solid wood", + "can you direct me to a pair of womens shorts? i want them to have elastic waist and come in black, please", + "i am looking for small sized with eastic waist men short", + "i need a king size box spring mattress with an 8 split foundation with a frame", + "can you find kids digital cameras for girls boys 8 to 12 years old in this exact configuration? 32gb sd card 1080p hd need to buy today", + "im looking for a camouflage colored leggings which is high at the waist", + "i would like a king sized camel bed with metal legs", + "i am looking for a black, easy to use gameboy case for an iphone", + "i want to find date-sweetened pancake mix that is gluten free and includes only simple ingredients", + "i would like an assorted bag of individually wrapped caramels", + "i am looking for a individual wrapped birthday cakes and chocolate chip blondies that come in a 12 pack", + "i am looking for non-toxic eyelashes that are purple", + "im looking for ladies shoes with a high heel that are open toed, i wear a size 7 and a half", + "i want to find a core i5 6700 xt gaming desktop with 16 gigabytes of ram", + "i need lace closure in bliss blue color", + "i am looking for a quad core powered high resolution 7 inch tablet with nfc", + "i need a red phone case that comes with a tempered glass screen protector", + "look for an easy to install antique bronze vanity light", + "i am looking for a high quality baby toothbrush that are easy to carry", + "i need a travel size and easy use denture storage box with mirror", + "i am looking for some size 7.5 mens sneakers with a pewter colored rubber outside", + "im looking for a perfect furniture item", + "i am looking for wild caught smoked fish", + "i am looking for 8 channel pyle bluetooth stereo amplifier receiver is perfect for your pa/ home theater acoustic sound system with wireless bluetooth-compatible the professional compact rack mount home theater system of amplifier - 4000w rack mount multi zone sound mixer set of 1 pack", + "looking for bamboo toothbrush with charcoal bristles", + "i am interested in a travel sized bottle of kilian good girl gone bad", + "i would like a wall lamp with a nickel finish", + "i want a medium sized t-shirt with long sleeves", + "i need long lasting lipstick in the color b", + "i am looking for a straight leg fitted shorts for my work out. and i choose the xx-large with black-2 color", + "can i get arm & hammer ultramax anti-perspirant deodorant with fresh scent", + "i am looking for black, open toe sandals in size 9", + "i need dark chocolate organic syrup", + "i am looking for a high performance pink color on-ear headphones", + "i want to see the non-alcoholic drink options that are made of natural ingredients", + "i am looking for 30x16x1.5, 3pcs wood frame posters & prints", + "i would like a 40 by 50 inch fleece throw with valentines day trucks", + "i am looking for some gluten and sugar free irish cream syrup", + "i want black caterpillar unisex shoes with rubber soles", + "i need a bag of alaska caught salmon jerkey", + "im looking to buy a quick drying bathing suit in brown and medium size", + "im looking for a photo studio background thats light weight and has a high definition image. it should be five by three feet", + "i am looking for a sleep sets of medium size for daily wear", + "i am looking for a masks for damaged hair", + "i am looking for mens machine washable alloy colored dress pants", + "i am looking for a black glass shade for my living room", + "i am looking for 4.69 ounce (pack of 4) hand crafted cinnamon caramel flavoured chewy butter caramel candies", + "im looking for queen size and twin sized furniture need to buy it", + "i want to find a set of 24 blue jars that are bpa free", + "i need a king sized bed", + "i am interested in a living room chandelier that is black with eight lights", + "i want to find a 16.53 inch wall lamp featuring a brushed nickel finish", + "i am looking for heavy duty coaxial cables that are 35 feet long", + "im looking for a pokemon toothbrush", + "i need a 2.6 ounce deodorant that is cruelty free and smells of mandarin woods", + "i want large snowshine mens low rise boxer briefs", + "i want a size 12 black slipper made of vinyl acetate", + "i want non gmo liquid alchemist blood orange for cocktails", + "i am looking for a pair of sky blue curtains for my living room", + "i am looking for a real fruit juice of cranberry cocktail juice drink flavor", + "i am looking for 450 mocha color face makeup that is oil free", + "i used green color coconut oil", + "gold plated micro hdmi to hdmi cable size 50 cm", + "i need a dove bodywash suitable for senstive skin and must be plant based product", + "i am interested in a long lasting lip gloss set", + "i am looking for a high quality hair brush", + "i am looking for large causal top for womens with long sleeve and elastic closure with keep comfortable and fashionable in red tie-dye color of longyuan 2022 womens", + "i need a non-dairy coffee creamer", + "i want navy haenpisy mens sweat pants for gym workouts", + "i am looking for a tea gift set that is in rose gold", + "i am looking for non gmo certified organic ghee", + "im looking for a provocative set of small womens polyester spandex", + "i am looking for a wireless, bluetooth enabled home theatre system", + "i would like a 90 mens santa sleep set that i can hand wash", + "i would like a 8 gig of ram 512 ssd desktop mini with a core i5", + "i am looking for a storage cabinet that is suitable for my living room. pick an espresso color", + "i am looking for a low fat strawberry flavored ultra-filtered milk", + "i am looking for a powder fresh mitchum anti-perspirant", + "i need a stereo headset with fast charging capacity. and i choose the green one", + "i need a height adjustable full sized bed frame in black", + "i am looking for solo loop dark grey band compatible with apple watch bands 38mm 40mm", + "i am searching for elastic waist black color boxer briefs underwear", + "i would like a 12 ounce bag of automatic drip coffee beans that are also gluten free", + "find me a high quality 613 bundle with closure hair extension in 14 14 16+12 size", + "i would like a eggplant eyeshadow that is for sensitive skin", + "help me find some hand crafted gourmet crab stuffed mushrooms. i need about 36 appetizers", + "im looking for a black, digital alarm clock that offers wireless bluetooth functionality", + "i am looking for non slip pink color shoes", + "i need a fully cooked two whole slabs with dry rubbed (seasoned) baby backs", + "i am looking for a under -sink storage fine wood finish", + "im looking for a body scrub for dead and dry skin. also choose black colored one", + "i want a 8.5 fl oz of mizani true textures cream cleansing conditioner with coconut oil", + "i want some vinyl acetate clogs in womens size 8", + "i am looking for a mid century ottoman that is whiskey brown in color and is 16.5 inches", + "i need a kosher certified popcorn seasoning that has kettle corn flavor. get the pack of 6 of 2.8 ounce each", + "snow white water glow mask cream", + "i would like a black 84 projection screen with a 16:9 ultra hd aspect ratio", + "i want a blessliving red hearts plush blanket that is 50 x 60 inches", + "i am looking for a french chic color lip gloss that is long lasting", + "i want a shampoo and conditioner set for damaged hair with coconut oil, size 32 oz 2 pack", + "i need a high speed coaxial cable that is 85 feet in size", + "i need a hyaluronic acid lotion that is unscented", + "im looking for a easy to assemble dresser storage organizer with steel frame. also, choose small size black grey colored one", + "get me some gluten free chips. look for the 3 flavor variety pack", + "i am looking for a 84wx70h machine washable shower curtain sets with dark grey color", + "im looking to buy a gift set filled with wellness tea samples that are caffeine free", + "im looking for a organic certified garbanzo beans that contains dietary fiber and low sodium level. also, choose a pack of 1 weights 15 pounds with conventional one", + "i want a mothers love scented long lasting jewelry jar candle with a size 9 ring", + "buy me some freeze dried mangoes. get the bundle", + "i am looking for 12 size regular fit running shoe", + "i am looking for a black bikini set that is an xx-large and a comfortable fit", + "i would like the perfect jam gift", + "i need an area rug for my living room in wineberry color", + "can you find me a face moisturizer for dead and dry skin? i want the one that comes in the 5.07 ounces", + "i need 5 ounce basil & garlic marys gone crackers that is gluten free", + "im looking for an officially licensed captain marvel tank top in heather grey. i need a size medium", + "i need 18 inch hair extensions", + "im searching for 650 pcs nail art gel polish remover", + "im looking for a 24 pack of cupcake toppers for my daughters baby shower", + "i am looking for attractive ottoman is particularly strong and durable,breathable,odourless,acid-free,corrosion-resistant and long-lasting, easy to clean,and can be used in office entrances,living rooms,basements,bedrooms,offices,university dormitories,cafes,bars,hotels and other places xmzddz faux leather storage bench.comfortable seat size 80*45*40cm", + "i am looking for some long lasting lavender hair color", + "i am looking for a turquoise color turquoise", + "i am looking for birthday cake in black 40", + "i would like some organic hair oil that is 16 fl oz", + "i want a small black womens blouse with long sleeves", + "i want cacao powder 3 pound pack sugar free and certified organic", + "i am looking for gluten free tea.please choose berry flavour", + "i am interested in some low sodium organic seasonings", + "i want a set of 5 modern height adjustable mid-back bar stool", + "im looking for a portable wireless bluetooth speakers made of carbon fiber with long lasting battery", + "i am looking for a black, easy to use gameboy case for an iphone", + "im looking for synthetic hair care for hair loss ", + "i am looking for a 2-tier chandelier for the dining room", + "i need pink tennis shoes for my daily wear. it should be a size 8", + "im looking for electric kick scooter a water resistant", + "im looking for a pack of 12 cans of zesty lemon tuna in olive oil; it must be kosher certified", + "i want a 30 ml sized travel bottle which is leak proof", + "im looking for some open toe flats for teen girls. i want the pink one in size 7", + "i am looking for a large womens skirt with an elastic waistband and pockets", + "i need a baby throw that is multicolored and super soft", + "i need a powerlite 1785w projector that projects 1080p hd", + "i am interested in buying a demi-permanent hair color which is neon red, and that i can apply easily, also i want it to be cruelty free product", + "i am looking a 8.5-9 woman non slip thick sole bathroom slipper with open toe also colour should be blue", + "im looking for 3-wall vanity light", + "im looking for a body hair remover cream", + "i would like a high resolution tablet", + "im looking for a yellow casual sports blazer", + "find me a sulfate free shampoo for repairing my damaged hair", + "i am looking for a womens wine red prom dress with a lace closure", + "i want to find a large pair of mens shorts with an elastic waistband. the color should be light khaki", + "i am looking for dukal toothpastes of size :2.75 ounce |144 pack with oral hygiene", + "i want 2 pounds of 4th & heart grass fed butter", + "i need some hair dye that is shocking blue and is 4 ounces", + "i want gluten free sigdal bakeri norwegian crispbread with pumpkin seeds", + "i need sun canvas womens slip on sneakers in size 12 with arch support", + "im looking for a 10-pack, of gold-plated, high-speed hdmi male-to-male cables", + "get me a machine washable mens classic fit star wars t-shirt in medium size and royal blue color", + "i am looking a gift set of jams and jellies gluten free variety-favorites size 1.25 pound", + "i am looking for long lasting hair dye if blue and black color", + "i would like to have a soft black hair building fiber that prevents hair loss and is easy to apply", + "i want black rockport mens toe sneaker with lace closure", + "i would like a cowlop 52 by 84 inch window panel for my living room", + "i am looking for toothbrushes for children aged 6-12 that are pink and easy to use", + "i am looking for a womens long sleeve sherpa fleece jacket", + "i am interested in buying a gaming pc which is quad core and has specs of i7, 8gb, and 256 gb ssd", + "i am looking for high power and dust proof sound bar", + "i need a vanity light that is mahogany bronze", + "i am interested in a high protein snack pack", + "i am looking for a mid century ottoman that is whiskey brown in color and is 16.5 inches", + "two wolf bags one large and one small bra and panty set jeans white blouse and a zipper jacket", + "im looking for a nightstand with tempered glass for living room, size 19.7x11.8x23 in retro brown color", + "i am looking for a black sofa bed couch for my living room", + "i want to buy a birthday cake topper", + "i am looking for some gluten free parmesan garlic flavored popcorn seasoning", + "colorstay makeup for normal/dry skin which is oil free and in 1.0 fluid ounce", + "i am looking for a blue computer gaming chair that is height adjustable and has lumbar support", + "i am looking for a body brush that has a long handle", + "i want to find sugar free shortbread cookies that are ready to eat", + "i need a black full size metal bed frame that doesnt take up too much storage space", + "i would like a long lasting perfume", + "i would like a 100 count bamboo charcoal oil free blotting paper", + "i want to find a black-colored waxing kit for women that can help remove hair using natural ingredients", + "i need some walking shoes that are non slip and come in a size 7.5", + "i am looking for a 12 pack of gluten free almonds", + "i want a red colour loose fit tee top blouse having long sleeve xx -large", + "i would like a 18 pack of peanut butter and jelly soy free nut bars", + "i want to order some low fat whiskey barbecue jerky. look for the three pack", + "im looking for a ten pack of dairy free, non-gmo plant based sausage breakfast sandwiches", + "find me cloths towel for exfoliating bath for sensitive skin 11.81 x 11.8 inch with yellow edge", + "i need 2 pcs of purple color toothpaste which is good for sensitive teeth and bad breath", + "im looking for a pair of mens golf shoes in a seven and a half size that are easy to care for", + "i am looking for beef meat sticks that are keto friendly, and low carb", + "i am looking for a stainless steel compact pocket makeup mirror", + "i would like a 2xl white v neck shirt that can be machine washed", + "i am looking for a pair of womens size 11 pumps with a rubber sole", + "im looking for a wireless bluetooth speaker that is easy to use and is also black", + "i want 36 jars of a rose gold bpa free makeup bottles", + "im looking for short sleeve fitting clot. it can easy to machine wash", + "i need a white high definition dome camera", + "i would like aa sea wave phone case of the iphone 6 that supports wireless charging", + "i want to find a black womens jacket for daily wear. it needs to be a small", + "i am looking for a x-large hoodies & sweatshirts quality of polyester", + "i am looking for some keto snacks that are grain free", + "i would like to purchase 10 packs of trader joes pretzels. also make sure they contain no artificial flavors", + "i am looking for open toe sandals in z3 black that are size 6.5-7", + "i am looking for a jet black #1 hair extensions", + "i would like a 25.4 fluid ounce bottle of hot butter rum syrup made from natural ingredients", + "i want to buy liquid makeup which has been tested by dermatologists and it has honey color, i prefer it to be at 1 fl oz at pack of 1 size", + "i am looking for a dust proof travel bag", + "i want small machine washable stacy adams mens sleep pants", + "i want to find a laundry bag for my blouses and hosiery", + "i need a manual toothbrush which has teeth whitening strips and is good for sensitive teeth", + "i am looking for a peppermint alcohol free mouthwash for bad breath", + "i want to find a black king-sized mattress foundation that is 4 inches in width. it needs to come fully assembled already", + "im looking for a butt lifting yoga pants with high waist tummy control band. also, choose large size black colored one", + "i need a black colored shower sponge with a long handle", + "i am interested in buying clips for hair which are of high quality and rose gold, while the style should be the kiss", + "i want to buy some dried strawberries with corn. get the twelve pack bundle of 1.2 ounce bags. make sure its low calorie, usda organic, and non-gmo", + "id like to find 25 grams of edible maroon glitter that is kosher and nut-free", + "i want a 2 pack argan oil shampoo and conditioner set", + "i am looking for high speed 8ft style hdmi cable", + "i am looking for a high quality strawberry blonde mix color hairpiece that is easy to use", + "look for a long lasting shaving cream that is fragrance free. i also have a sensitive skin", + "im locking for a cowboy cut original fit jean for mens", + "i am looking for a poster of size 12x12 with wood frame", + "i need a pack of storage bag for my hair extension . and i would prefer the white blonde color", + "i am looking for samsung galaxy smartphone with 256 gb memory and 3x optical zoom", + "i am looking for a low fat black bean soup", + "im looking for clothing easy to machinable washes and it has unique design", + "i want to get some cherry flavored imitation flavoring that is in a 4 oz six pack size", + "i need a white classic fit shirt that is in an xx-large for youth", + "i want to buy an anti antiperspirant deodorant for sensitive skin", + "i want a 32gig blue cell phone thats 4g lte", + "i need a blue tongue scraper for bad breath", + "i need everyday seasoning which should be gluten free and have low sodium. i will prefer a pack of 1 with 20 ounce or a pack of 3 with 3 ounce each", + "smart tv flat screen stereo sound", + "im looking for a mid-century, white queen bed frame", + "im looking for queen sized wood frames for bed frames", + "i need a gift set of cookies for the perfect gift that has oreos", + "i am looking for a heavy duty and tempered glass screen case cover. choose a red one", + "i need a easy to apply hair coloring product on the black color", + "globe electric wall sconce 65931 williamsburg 1 light, dark bronze, dark wood finish details, easy to install.i need you to find it in color: dark bronze with gold category", + "i am looking for a 40ft hdmi cable that is gold plated", + "i need a fast charging 10 foot charger for my car that is in the color tarnish", + "i need a long sleeve casual jacket for women", + "i want to find a white microwave cabinet that has a wood finish", + "i would like a black 8 x wide construction shoe that has a rubber sole", + "i am looking for a living room set with two armchairs that are gray in color and mid century style", + "i would like a black pair of earbud headphones that are able to be wirelessly charged", + "i would like a medium sized long sleeved buttons up polyester cardigan that is able to be machined washed. if they have one in khaki, thatd be great", + "i am looking for an anti aging face serum, tighten, brighten, and hydrate", + "i need to shop for a comfortable fitting pair of jeans in the crest color", + "i would like some toy cupcake toppers for a baby shower", + "i would like a 2.5 or 3.5 in the uk kids shoe with a rubber sole. can i also get them with a black zebra shimmer", + "i want a 10 foot gold plated jolgoo 1/4 trs to dual rca insert cable", + "im looking for a desktop computer with inel core core i5 10th generation", + "im looking for a handmade chocolate malt balls", + "im looking for non gmo kettle corn in the flavors of dark chocolate, marshmallow, and frosted sugar cookie. also, choose the set of three", + "i want lundberg family farms organic california wild blend white jasmine rice", + "i need a s20 tv sound bar that comes with a wireless bluetooth speaker", + "im looking for open toe flat sandals for women in black color. please select size 5 if available", + "i am looking for a great gift chocolate box packed in silver foil box color", + "i am looking a soy wax lead free scented candle for home", + "i want old fashioned dagostino alligator cut pasta", + "i need a chandelier for the dining room that has 12 lights", + "i am looking for long sleeved orange pajamas in a size medium", + "i am looking for a pink leak proof bag", + "i would like a pair of small olive scrub bottoms with a relaxed fit", + "get me a 10g protein per serving chocolate and peanut butter bars", + "find ps3 controller playstation 3 controller wireless bluetooth remote controller for playstation 3 system (siliver+orange) at amazon please", + "find a red sweatshirt for a teen girl in size small", + "search and add 20x20 throw pillow covers used as decorative cushion covers in my living room to my shopping cart. make sure they are dark green", + "look for a coffee gift set with whole bean flavor", + "i want a jying silver round wall mounted mirror", + "i need a size 9 blue dove blue slides sandal which has rubber sole and are slip resistant", + "i want a thin and light weight mens boxers that is black in color", + "im looking for a kids toothbrush for ages 6 to 12 that will help with teeth whitening and is easy to use", + "i need open toe wedge sandals with ankle strap. pick a black one", + "i am looking for a red buffet that is easy to assemble and is 14.96 by 11.81 by 27.76 inches", + "i would like to buy a 7 by 9 foot round green rug for my living room", + "i need black 20g makeup sample containers that are leak proof", + "i want to find womens black canvas shoes in a size 9. the shoes must have rubber soles", + "look for a 4.4 ounce three pack of shami kabab seasoning thats easy to use", + "id like a stainless steel piercing kit", + "i need a light fixture that has glass lampshades with a grain finish", + "in the mens fashion sneakers section, i am looking for a bari slip-on sneaker with a rubber outsole in a size 9.5 in the color of puma white-puma silver made by puma", + "i am looking for womens size 5.5 athletic sneakers with rubber soles", + "get me a pair of neon green shorts with a drawstring closure in size small", + "i need an accent pillow that i can machine wash. get on that is coral blue and is 36\u201d x 36\u201d", + "i am looking for rocky mount color slim fit jeans", + "i need a pack of 18 white cheddar black pepper creole bean + nut snack mix that is gluten free", + "i am looking for s multicolor high quality clips", + "i would like a blue size 8.5 flat shoe that is pretty light weight", + "im looking for a skincare set including a snail gel cream. choose the ones that are fragrance and paraben free and comes in a size of 1.52 fl oz", + "i would like a white size 6 sandal with a rubber sole", + "i am looking for a sugar free irish creme syrup", + "i need a slim fitting short sleeved t-shirt in copper color. pick one in xx-large tall size", + "im looking for assembly required for home office chairs with wheels and it want to buy it", + "im looking for a optical zoom night vision binoculars & goggles", + "im looking for a clinically proven topical solution for hair regrowth treatments which should be easy to apply and also promotes hair growth and reduces hair loss", + "i need a long lasting and high quality nail art kit. it should have all the basic colors", + "im looking for short sleeve clothing it makes feel comfortable", + "i need a fast charging headset", + "i would like a black heavy duty hair cutting kit", + "im looking for a deborah lippman gel lab pro nail polish. ensure the color is the full coverage bright red cr\u00e8me", + "i want violet and hands free walkie talkies for adults", + "i need 12 ounce hormel spam that is cooked fully", + "im looking for a high definition wireless bluetooth radio with fast charging capacity. also choose white star one", + "im looking for healthy granola bars that lack artificial coloring, flavoring and dont include high fructose corn syrup as an ingredient", + "buy some cotton rounds that are appropriate for sensitive skin, okay?", + "i am looking for a classic candle that has soy wax", + "i want fruit of the loom mens low-rise brief in size 38-40", + "i would like a pair of small black sleep bottoms that are machine washable", + "i am looking for a round, ivory colored ottoman for my living room", + "im looking for a 2 pound jar of dark chocolate cream made of quality ingredients", + "i am looking for variety truffles style - 4pc. of dairy free chocolate truffles", + "am looking for organic freeze-dried strawberries that are gluten & vegan free in a 1.2 ounce package made by natierra nature in banana flavor", + "i am looking for siete grain free tortilla chips that are also gluten free, and non gmo", + "im looking for long sleeve o-neck casual loose t-shirts", + "i need meat seasoning that is made in usa . and i would prefer the one with peppered sea salt", + "i need a tuna creations bold, rice and beans in soy free hot sauce flavored tapatio, 2.6 ounce (pack of 1)", + "i am looking for gluten free cookies in chocolate flavor", + "im looking for a alcohol free concealers & neutralizers of cacao color", + "i am interested in a memory foam queen sized mattress", + "i want to find an xx-large blue womens long sleeve sweater", + "i am looking for chocolate covered cakes of size 1 pound", + "i would like a 8 by 8 round rug preferably in fuchsia for the living room", + "i would like a 12 count of assorted paraben free face mask", + "i am looking a dust proof cover easy install easy carry fit for xbox series x colour black", + "id like to look for some fast charging, noise cancelling earbuds", + "i am looking for a digital alarm clock radio with wireless bluetooth built-in. also, i prefer a black colored one", + "i looking easy use rich creamy instant coffee double mocha flavor ,14 ounce", + "i am looking for white day comfort walking shoes that are in a size 8", + "im looking for mens low rise boxer briefs in black color. please select xx-large size", + "i want to find a rinse that can treat my hair and promote hair growth", + "i want to get some sandals with high heels and open toe in the color black and size 9 wide", + "im looking for a pair of classic fit silver gray scrub bottoms in large petite with an elastic waistband and drawstring closure", + "im looking for non-gmo freeze dried organic dried banana chips", + "show me a digital camera, by panasonic is good for me. i need a high performance. i want memory card about 64gb , try this model: lumix 4k dmc-zs100", + "i want to find a pair of size 5, coral-colored flip-flops with rubber soles that i can wear to yoga", + "i am looking for a blue toothbrush for kids that is easy to use for ages 2-6", + "i would like a 34 wide by 32 long pair of stone straight leg pants", + "help me find the alcohol free listerine tartar control mouthwash", + "this brand is the one i have in other rooms, look for it: greaton wood fully assembled traditional box spring/ 4 split foundation for mattress, queen size, color white. let me know as soon as you find it", + "buy some baby food. make sure its certified organic", + "im looking for skin care products for hair styling products", + "i need a living room area rug thare is silver and blue and is a 9 square", + "i need a 70 portable, easy to install, and easy to use projector screen", + "im looking for a clip in hair extensions for hair styling. also choose f one", + "show me an easy carry high definition body cam which can be used for spying or security", + "i am looking for body sprays alcohol free in persian rose-pack of 1", + "i am looking for bronze finish chrome color vanity lights", + "i would like a high performance quad core tablet", + "i want to find long-lasting eau de toilette from chanel", + "im looking for mason jar spirit infusion kit", + "i am interested in buying a grey colored rocking chair with memory foam and lumbar support", + "i want a seabear wild caught alaskan smoked salmon gift box", + "im looking for a gourmet food gift basket that is perfect for valentines day", + "i am looking for a short for a pregnant woman with high waist and able to do quick drying. also choose dark purple color and x-large size", + "im looking for easy to install mounted wall hooks to hang towels and clothes also, choose the 1 piece set with 2 hooks", + "i would like a source vitamin soft drink mix", + "i am looking for a non diary hard candy of gummy cherries flavour", + "i want a bpa free and almond lorann cream cheeset bakery emulsion", + "find me a nightstand in off-white color with storage space", + "i would like a 38 mm pink applewatch band", + "i am looking for a height adjustable, steel frame desks & desk sets of blue color", + "i am looking for a 55 inch high definition ultra thin tv", + "im looking for soft high waisted leggings for women", + "i would like some elastic waistband pants that are black in a size 38w by 34l", + "look for chairs that have a contemporary style and come in azure", + "i am looking for a solid black duvet cover set that is queen size", + "i am looking for a mens body wash that uses seed oil and is burmese sandalwood scented", + "i am looking for a 24 pack of high protein herbal tea", + "i am looking for zero sugar sparkling water which is peach flovoured and should be 15.99 fl oz in size (pack of 12", + "i am looking for a size 3 slim fit womens skinny jeans", + "i am looking for a usb c female to usb male adapter made up of aluminum alloy also in purple color", + "i need some shorts that are pink, have a high waist, and a drawstring closure. get the size 14", + "i need a console table for the living room that is size 140 by 15 by 100 cm", + "i would like a pair of medium navy blue gym shorts that i can machine wash", + "i am interested in gray faux leather barstools", + "i need easy to use plug and play computer speakers with bluetooth. pick one in white color", + "i want to buy a cable for guitar which is gold plated is a splitter cord with a length of 50ft", + "i need a rose gold tattoo machine for permanent makeup", + "im looking for a 7.5 black heeled sandals with open toe", + "i am looking for a non alcoholic cocktail syrup with coconut flavour", + "i need a ashley bolanburg display cabinet that requires assembly", + "i want to find a noise-cancelling headset that is bluetooth enabled and features a clip and cable", + "im looking fo a large faux leather even path thats effective for dark circles also.choose the blue one", + "find me a small long sleeve sweatshirt in green", + "im looking for a gift basket of cookies which i believe will be a perfect gift for my wife", + "i would like a office chair with lumbar support", + "i want to find an f-colored toothbrush that can help whiten my teeth", + "i am looking for a headset that is certified refurbished", + "im looking for black clothing out because it can easily machine wahsable", + "i want to find earbuds that are very lightweight", + "i am looking for graphic tees for men highest quality fabrics, are 100% cotton and machine washable classic fit willy wonka and the chocolate factory music makers t-shirt in heather grey color. size 4t preferable", + "im looking for a heather charcoal or electric blue machine washable athletic polo t-shirt. choose the ones that have short sleeves and in size large", + "i am looking to buy a fragrance free deodrant. it would be great if it comes in a pack of 12", + "i am looking for open toe womens sandals of size 8.5", + "i would like a queen sized multicolored comforter set thats easy to clean", + "i need a nine by twelve foot ivory colored rug for my dining room", + "i am looking for birthday cake toppers of black 65 pattern", + "get me a holiday variety pack of sugar free syrup, please", + "im looking for permanent hair dye in black. i want a three pack", + "looking for a white medium casual shirt. i am slim and it needs to be button down. long sleeves and machine washable needed as well", + "i am looking for a 3x-large long sleeve t shirts for man", + "i need 2pcs mixed package of grey color reusable easy clean cotton swab", + "i want easy apply nail tips. i am looking for this particular color called l6041-1", + "i am looking for a backlit eco friendly vanity mirror", + "i would like thierry mugler angel impression in a travel size bottle", + "i am looking for a white coffee tables with nickel finish", + "a bath sponge for bathing remove dead skin easy clean pink color size 8.5*6 inch", + "i am looking for easy to prepare and ready to eat quaker instant oatmeal breakfast cereal in coconut & caramel flavor", + "i would like a fast charging station", + "looking for sandalwood dark intense perfume for women that is alchol free", + "do you have any long lasting eye shadow? something with 2 colors would be the best", + "i want a pack of halloween cupcake picks", + "i need you to find me a high definition bullet camera that has 1080p hd", + "i am looking for a jacket for daily wear that is a blue and in a size small", + "i need a gift basket for welcoming", + "im looking for a ready to use fully assembled mattresses with box spring. also, choose queen sized one", + "i need to buy a new desktop pc. look for one thats intel core, 64gb of ram, with a 2 terabyte ssd and a 1 terabyte hdd", + "i want a high power binoculars with a large eyepiece for bird watching", + "i need a bag of non-toxic refillable lip gloss tubes", + "i want a citrus and plant based dr. bronner\u2019s liquid soap", + "im looking for a synthetic hair ponytail extension in the color ginger brown", + "i need a taco seasoning blend that is sugar free", + "im looking for a toothpaste that clears bad breath and gives fresh breath", + "i am looking for machine washable ambesonne ocean kitchen curtains of color : green yellow", + "i am looking for a round, non-shedding, boho chic medallion distressed area rug for my living room", + "i need a janet color low rise womens jeans with quality material in size 7-36", + "i am looking for women fashion sneakers with anti slip, steel toe, high heel, memory foam of size :10", + "i am looking for a long sleeve t-shirts of large size", + "i am interested in a nut free vegan snack", + "get some barbecue vegetable chips. make sure theyre nut-free", + "i want a machine washable contemporary 52w*52l curtain panel for living room color mandala 7rvw0093", + "i need a virtual reality gaming popgrip with wireless charging", + "i would like a 8 ft 6 in x 12 ft rectangular navy rug for my living room", + "im looking for a tongue scraper that is stainless steel and helps me keep fresh breath", + "i would like a bottle of coffee time romance nail polish", + "i want a gift box of assorted fresh gourmet nuts and dried fruits", + "i am looking for wide leg black color bell bottom flare jegging sweatpants, but size in small", + "i would like some medium brown hair extensions that are 22 inches", + "i am looking for a bundle of freeze dried fruits", + "i am looking for a 5 pound assorted chocolate candy mix gift basket for a birthday party", + "i would like to buy a small cyan bra that i can hand wash in the sink", + "can you direct me to minimalism barefoot shoes? preferably with rubber soles... also, i want blue", + "i am looking for a repairing cream sulfate free body washes for dry skin", + "find me a high definition waterproof case for my iphone. it could be aqua blue or black in color", + "i need to shop for a heavy duty cell phone case. id like one thats black with blue accents", + "i am looking for gluten free blueberry almond pecan flavor bars", + "i am looking for certified organic baby food squeeze pouches that are easy to use", + "i want a red ergonomic office chair with lumbar support", + "i am looking for a pair of long lasting mens size 10 steel toe work boots", + "i would like to buy some colorful medium long sleeve pajamas from quality fabrics that i can wear every day", + "i am looking for teeth whitening toothpaste", + "show me machine washable officially licensed disney jungle book t-shirt for men in color baby blues and size 3t", + "im looking for a adapter for wireless bluetooth speakers with output protection", + "im looking for a product compatible with apple watch se series 6 5 4 3 2 1 40mm 44mm 42mm 38mm leopard/floral hard with tempered glass screen protector cover resistant. also, choose the flowered color", + "i would like a 10 by 18 foot photo backdrop that is light weight", + "i am looking for lobsters ready eat and size 2-pack(1 box of each)", + "i am interested in a fragrance free lotion that is 18 fl oz", + "i am looking 4g lte antenna that can be wall mounted", + "i am looking for easy to use bath shower scrubber for men. please choose blue one", + "i would like a queen sized gray bed without a box spring", + "i need a soy free raspberry pomegranate rise energy plus bar", + "i have an order for an android tablet 8 inches, 2gb ram, 32gb rom, quad core and in green color. i await your return", + "im looking for a non-slip laptop case with a color that has animal colors", + "i need some daily casual sandals that are black and a size 10.5", + "i want to buy a fully assembled faux leather nightstand. i want the one thats white and has a contemporary design", + "i want to find hair extensions that are platinum blonde and 18 inches long", + "i am looking for a x large mens sweatpants for daily wear and color should be gray", + "i looking heathers cotton machine wash mens classic fit x-large heater grey color t-shirt", + "i am looking a spider man cupcake topper party supply for my pet birthday party", + "i want to buy an easy to clean and assemble entertainment center", + "im looking for a pack of towelette deodorant long lasting with 10 in sensitive scent", + "i would like the tom ford cafe rose impression perfume that is in a travel size", + "im looking for a brown button down shirt with long sleeves", + "i would like a lip balm that has natural ingredients and is the color a", + "i am looking for active shorts with an elastic waistband that are red and 3x large", + "i want a black dust proof topcovos vr lens cover for oculus quest 2", + "i would like a strawberry sunrise lip balm that is paraben and cruelty free", + "i want an electric callus remover thats not only easy to clean, but also rechargeable", + "i cant find this product, please help! smart remote control, htt381 htct380 htct381 remote control replacement for office with batteries included asap, im waiting for your reply in minutes", + "i need a yellow portable sound box that is easy to carry", + "i would like a grey ottoman that has a steel frame", + "i am looking for comfortable fit slim jeans", + "i am looking for fruit snack pack having fuji & red apple flavor and are gluten and fat free", + "i am looking for tempered glass screen protector, color should be navy-n10", + "im looking for a 10-pack of pepperoni and cheese pizzas that contain 0 grams of trans fat", + "i am looking for knee high, anti-slip, snow boots in the color black and size 10", + "i am looking for a slide scanner with usb and aaa batteries included. it should be easy to carry as well", + "i want a 12-pack of bourbon gouda thats individually wrapped", + "i want to buy workout sets outfits for women which are high waist and machine washable while their color should be grey, and with the size of x-large", + "i need a dress that is machine washable and is navy with pinstripes", + "i am interested in cake topper party supplies", + "i am looking for a 9x6 ft universe background digital photography which is easy to carry", + "select for me travel bottles for shampoo paraben and bpa free. i need them to be flipflop caps. include 24 labels and one brush if possible", + "i would like to buy individually wrapped hand crafted olive oil tortas. i would prefer them in packs of 10", + "i am interested in hand crafted hors doeuvres", + "lets buy a light weight cell phone case", + "my high heel size was 6.5", + "i am looking for a console table with a wood finish that is acacia brown", + "i need a button down shirt with a long sleeve for a evereday wear medium size with v neck", + "i need lightweight navy shoes that are in a size 11", + "i am looking for a pair of blue womens faux fur slippers", + "i am looking for a truffle garlic oil gift set", + "i am looking for a single pack of 8 ounce dried cherries that are gluten free", + "im looking for double sided hair extensions for hair care accessories", + "i would like a chrome napkin holder made of coated steel", + "i am looking for a 46 x 16 x 25 vanities & vanity benches for living rooms", + "please can i have one skinny pina colada which is sugar free and non gmo?", + "i am looking for a classic fit pant of stone color", + "id like to find 22-inch long wavy hair extensions. the color needs to be ash blonde mixed with beach blonde", + "show me trail running shoes with a rubber sole. it should be 4.5 for men", + "i want fat free mariani pitted dates", + "find me a white bookshelf that requires assembly", + "i need 300 cotton rounds for my nail polish", + "i want a high definition 3d video projector", + "i want a small and easy to use u-shaped toothbrush for kids", + "i am interested in an ultra hd projection screen that is 92", + "i am looking for silver cupcake toppers for a birthday party", + "im looking for a sandals with strap platform size 5 open toe in black", + "i need a two pack of peanut butter that is non gmo", + "im looking for a hyaluronic acid serum which should be certified organic and cruelty free", + "i am looking for gluten free chili bean sauce", + "i am looking to buy old fashioned and naturally-flavored bitters that come in a pack of two", + "i want a white executive chair with lumbar support", + "i am looking for tea tree shampoo for dry hair", + "i want a large tracksuit with long sleeves for my gym workout. get it in gray", + "i would like a 32 gb ram intel i5 core desktop mini", + "i am looking for easy clean and space saving kitchen trash cabinet of hm-gb01gy model", + "i am looking for a dental flosser that is eco friendly for my oral hygiene", + "i am looking for a six pack of gluten free jerky", + "im looking a 6.5 navy blue case for iphone 11 pro max with carbon fiber", + "i would like a travel size dark brown hair treatment", + "i would like three 3.5 fluid ounce long lasting hair dye preferably in dark warm brown", + "i need white steel toe siilsaa sneakers for women in size 7.5", + "looking for freeze dried green fruit snacks also choose size: 0.36 ounce (pack of 24)", + "i am looking for a mens size 14 sneaker with a synthetic sole", + "i want some low rise active shorts that are in a medium and are black charcoal colored", + "im looking for lumbar support adjustable height wheel chair without arms rest. also tan color one", + "im looking for a size 32x32 living room abstract canvas", + "i would like a medium gray henley with short sleeves", + "i am looking for tan colored queen folding mattresses with high density foam", + "im looking for a unique loom solo solid shag collection area", + "i am looking for a cupcake topper for a birthday party. also choose gold with 35th pattern name", + "i need a 7 layer bookshelf for my living room", + "i am looking for a pack of 12 cafe mocha in plant based form", + "im looking for a 39w x 72h roller shades for living room", + "i need a fashionable zdfer polo with a slim fit in the green color", + "i would like a pair of size 10.5 dark brown cheetah clogs with a non slip rubber sole", + "i want to find a fully assembled ottoman that is doe-colored", + "i am looking for grey color 4 drawers console sofa entry table for living room", + "i need a replacement remote control for the blue ray disk player", + "i am looking for a pair of womens high waisted active shorts. get me the pink ones", + "im looking for a heavy duty barstool with a steel frame in a natural maple color", + "i am looking for large nightstand end table for living room", + "i need a pack of 5, 4 inch bowls for mixing my facial masks, and it must be easy to clean", + "i would like a g7 plus 2.4 gig streaming media player that is high speed", + "i need a mother of pearl and diamond shaped sparkle glitter that is easy to apply", + "i want to find a yellow cle gaming chair that is easy to install", + "i need blue color 11.5 size long sleeve", + "i want to find a long-lasting tempered glass phone screen protector that i can use. the color needs to be liquid purple and blue", + "i would like a blue nasal spray that is long lasting", + "i am looking a eco friendly long lasting jar candle 6 oz butteercream vanilla cupcake", + "im looking for a italian ice fat free", + "i need 14 inch hair extensions that are a medium brown to dark blonde", + "i need some noise cancelling headphones", + "i am looking for a network antenna that is easy to install", + "i am interested in buying modern rugs which are easy to clean, and are in aqua blue color, their shape should be rectangular runner and are of a size of 7 ft x 10 ft", + "im looking a pocket telescope with high definition for bird watching", + "im looking for high heels with open toe and has ankle strap. also choose size 6 with black colored one", + "i want a xyyssm barber chair for my beauty salon", + "get me a perfume spray that has fine mist and is long lasting", + "im looking for 16 plus petite women pant with regular fit and easy to care. also, choose vivid blue colored one", + "get me a body scrub to remove dead skin. pick a 3.4 fl oz pack that is meant for sensitive skin", + "i am interested in a tempered glass iphone case that is blue", + "i am looking for mally beauty h3 hydrating concealer which glides on smoothly and easily, providing excellent coverage on the areas you need it the most. that is lightweight, creamy formula gives skin the look of radiance, blurring the appearance of imperfections and softening the look of fine lines. medium size preferable", + "i need to buy a four drawer wardrobe with a wood finish", + "im looking for loreal paris true match super-blendable liquid foundation, oil free in c2 natural ivory. i want a 1 fl oz pack of 1", + "im looking for clothing for needle sleeve and classic fit for womens it is easy to wear it", + "i am looking for a pink cupcake toppers, cupcake picks for baby shower birthday party party supplies", + "im looking for temper glass and glass screen for cell phones acesseries and the color fray need to buy it", + "i want a blue storage cabinet end table for my living room", + "i need a 1080p hd hidden camera which is motion activated", + "i want a keds champion womens for day comfort, choose a white with a especial size 9", + "buy me a travel sized bottle of impression chanel 1932", + "i am looking for colorful stereo wireless bluetooth easy use in g2", + "i need heavy duty electrical outlets with high gloss", + "i need a solid wood bookcase", + "i want a 12 pack of gmo free cherry bay orchards tart cherry concentrate", + "i need a high gloss wall plate cover. pick a single toggle one", + "i am looking for strawberry & apple flavor fruit snack pack that are gluten free", + "i need black hair cutting shears", + "my sister have natural hair in 12 inch", + "i want a 2 pack of garnier hair care fructis coconut oil conditioner", + "i want a extra large yellow mens loose fit shirt", + "i need eye shadow with 0.5 ounce size only", + "i need a manual toothbrush for my sensitive teeth", + "i want to find some keto friendly salsa made with quality ingredients", + "i am looking for a brush set without a bag that is made from synthetic hair", + "i want to find a pink and blue hair brush that can promote hair growth", + "i am looking for a fleece throw that is maroon and 50 by 60", + "im looking for zero sugar real ginger ale from reed", + "i would like some wild caught oysters", + "im looking for some juicy watermelon lip gloss thats paraben and oil free", + "im looking for optical zoom camera it contains stereo sound", + "i want a pair of green noise cancelling earbud headphones", + "i would like a 2xl womens navy tank top with a officially licensed star wars logo", + "i want blue faux leather 26 watson & whitely bar stools", + "i am looking for a 50ml leak proof refillable glass spray bottle", + "im looking for a blue, 10.1 inch android tablet that has dual cameras and a long-lasting battery", + "i want to find a plant-based belly oil for pregnancy and stretch marks with a legacy pattern", + "i am looking for nail polish that is long lasting", + "i am looking for 6 ounce pack of high protein almond snacks", + "i would like a conditioner that is made with all natural ingredients", + "i want cecemed stop hair loss shampoo", + "im looking for long lasting intense eye liner", + "im looking for a fluoride free toothpaste which is clinically proven for sensitive teeth", + "i want to find some dairy free sprinkles. something with nuts would be great", + "i need a ready to hang portrait art of a dancing lady for the wall. pick one that is 20x20 inch", + "let me have grocery & gourmet food dietary fibre", + "i would like oxford shoes that are brown and size 11 x-wide with a rubber sole", + "i would like a pound of non gmo oatmeal", + "get me a mesh laundry bag in any color, please", + "i am looking for king size pillows in plum", + "i want to buy phone glass screen protector which is tempered glass and compatible with apple, the color should be clear, and suitable for iphone 11 pro", + "i need an eco friendly window film that is multi color and the size 23.6 x 59", + "im looking for plastic empty mist spray bottles", + "i want childrens mousse teeth whitening toothpaste", + "i am looking for steel frame kamiler rustic 6 drawers dresser with open shelf in rustic brown color", + "im looking for anti aging beauty personal products that facial moisturizer skin", + "i am looking for non toxic storage case for for travel usage", + "i an looking for electric hair cream mixer, automatic hair dye mixing bowl, usb rechargeable hair dyeing, color diy mixer for salon home use which is durable and lightweight. will not mold, peel, crack, warp, absorb odors, or fade. portable size, convenient to carry..suitable for professional salon hairstylist or home personal use.2 in 1 includes a bowl and a dyestuff whisk, meeting basic demands on hair dying", + "im looking for a pair of rose red, butt-lifting, high-waisted shorts in xx-large that are machine washable and provide tummy control", + "i would like to buy blanket, which is super soft, and is of multi 20 color, and king size", + "i am looking for travel bottles 1.2 oz plastic, refillable makeup sprayer", + "i would like a oversize 60 x 30 in color a wall posted to hang in the living room", + "i am looking for hair color that is alcohol free and is having color as 1 hair color: 9-00", + "i am looking for a water resistant battery storage containers", + "i need a gluten free popped veggie chips of 10 packs", + "find me 9oz bags of sugar free catalina crunch honey graham keto cereal. i want the low carb gluten free kind", + "id like to find a 3-ounce package of ready-to-eat wild-caught tuna salad. the flavor needs to be herb and garlic", + "looking for a beverage that is non alcoholic and low carb please", + "i need the best items for oral hygiene", + "i need a grey entertainment center", + "i am looking for a pair of mens shorts that are machine washable for my everyday wear. id like a light grey color", + "im looking for a heavy duty, dust proof tv screen protectors which is easy to install. also, choose 46 inch camel colored one", + "im looking for a high heel stiletto shoes with ankle strap and deep purple color size 10", + "im looking for gluten free it has contain high protein", + "i am looking for a one piece tummy control swimsuit that is small in size and the fabric should be cotton spandex", + "i need a tripod that is made of carbon fiber", + "i am looking for a red colored button down hawaiian shirt with short sleeves", + "i would like a 2 pound bag of chocolate covered fruit", + "i am looking for high quality , easy use , bpa free tongue brush", + "i would like a 7 pack of 1.23 ounce gluten free barbecue chips", + "i am looking for a starlight band compatible with apple watch size 38/40/421mm", + "i need a high power charger that charges fast and is white", + "i need some coconut milk that is rich and creamy", + "i am searching for heavy duty complete tripods", + "i want to find hair extensions that are strawberry blonde to medium brown, and they need to be 18 inches long", + "i want a set of 2 mesh laundry bags with green leaves design", + "i ma interested in buying a pack of 6, gluten free chocolate gems", + "i need a supershieldz glass screen protector for samsung galaxy tab s2 8.0", + "can you find some chai tea that is both sugar and caffeine free? i need 3 pounds of it", + "i want a gluten free popcorn seasoning that has a flavor of sour cream and onion", + "get me an easy to install phone case in blue", + "i like design house with white color", + "i am looking for hair extensions that are human hair and double weft 20 inch", + "i am looking for kosher certified ready to eat reese quartered artichoke hearts, in size 7 ounce (pack of 12)", + "im looking for a black noise cancelling wireless headphones", + "i want a low sodium spice mix that has himalyan salt", + "i want white high heel ankle booties", + "im looking for a three light vanity style light fixture that can hang on the wall and has chrome finish", + "i am looking a space saving easy to assamble sofa table for lliving room", + "i will like to get a high quality, long lasting ca perfume club impression of bad boy for men, size 0.17 fl oz | 5ml", + "i would like a 32 ounce bag of oatmeal that is resealable and has a good protein serving", + "im looking for a 6-pack of certified organic herbal mint cool-refresh tea and it should be caffeine-free", + "im looking for an high speed hdmi cable which is gold plated. also, choose a pack of 4 hdmi male to male cable of size 3 feet one", + "i am looking for brass color coffee table for my living room", + "im looking for hd electronics it so useful and long lasting", + "i want a pair of black, closed pointy toe sandals", + "i am looking for cranberry health mix which contains natural ingredients only, 26 ounce (pack of 4)", + "im looking for a candie potato chips covered by chocolate and with 1 pound pack", + "i am looking for white color reebok mens sneaker with rubber sole", + "i would like a 4.2 fluid ounce bottle of coconut oil shampoo", + "i am looking for a pair of graphite colored womens pants with nylon spandex", + "im looking for mid century sofa sleeper for living room", + "im looking for underwater world backdrop with high resolution digital photography and light weight. also, choose 5*3ft one", + "i want to get a fleece throw thats machine washable. it needs to be extra small 40 by 30 in and strawberry cow 2 color", + "im looking for a white, solid wood bar stool. i just need to make sure that its about 45 inches high", + "i am interested in buying a t-shirt for women, which is classic fit, and is of black color, while its size should be 2t", + "i am looking for high definition and clear tempered glass for iphone", + "im looking for light weighted travel bottles and the color was pink bottles", + "i need to shop for a high performance tablet. id really like a blue one", + "i want a 2 ounce shampoo bottle of hormonal balance made from argan oil", + "mens small size soft material elastic clouser comfertable briefs", + "i am looking for butt lift high waist tummy control breathable athletic yoga pants affordable and accessible, perfect for fitness enthusiasts and everyday athleisure. jaqqra legging that are made from the highest quality fabricss for women which are designed to remove moisture from your body, providing maximum comfort. pretty squat proof! breathable, tight fit, strong compression, quick drying, moisture wicking, stretchy.super elastic fabrics are perfect for your body,very comfortable and soft! in yellow sizw 3x large preferable", + "i would like a two pack of high quality shower caps", + "i am looking for pez toy story 4 themed candy for a birthday party", + "i need some nice synthetic hair extensions that are at least 14 inches long", + "im looking for black hair double sided hair extensions need to buy", + "show me a day comfort knee high open toe z8-khaki open toe boots in 5.5 size made with quality materials", + "i would like a peach flavored high fructose margarita mix", + "i am looking for pink color electric tooth brush which is easy to use", + "i would like a king sized black faux leather bed", + "im looking for a large t-shirt style dress with long sleeves. id like one that is loose fitting and gold in color", + "i need a pack of long lasting argan oil lotion. pick one that is 16.8 fl oz in size", + "i am looking for low sugar, low calorie, gmo free, gluten free , soy free , vanilla caramel protein bars", + "i want to buy a long sleeved lace bodysuit in red. look for size medium", + "i want a teeth whitening toothpaste that removes bad breath. pick an orange one", + "i need a pack of 5 heavy duty hdmi cables that will support a high speed connection", + "i need 5 pack of 100 feet high speed internet cable. the color should be yellow and the wire must be gold plated", + "i am looking for a 10pcs rose gold brush set", + "i want to find stainless steel hair cutting scissors with silver blades", + "looking for because it is you perfurme long lasting effect", + "wireless vertical ergonomic optical mouse with aaa batteries", + "i would like a womens size 11 azure walking shoe made of vinyl acetate", + "i am looking for sugar free beverages with lemonade and 0.14 ounce (pack of 4)", + "i am looking for anti slip athletic sneakers in black yellow", + "i am looking for machine washable and with printing technology of ambesonne popstar party throw pillow cushion cover with size 20x20", + "i want tiger lily bareminerals eye shadow", + "i am looking fully cooked spicy beef patties 50 count", + "im looking for perfect waterproof digital camera with 2.5 inch lcd screen", + "im looking for 3x-large womens top which will be a great gift for plus size women. ensure to pick the one with blakc color", + "i want to find a gray-colored body scrubber that i can use on sensitive skin. if you can find me something thats second generation that would be helpful", + "i need a sulfate and paraben free bottle of shampoo", + "i want to find snickerdoodle cookie bites that are dairy free and low carb", + "i am looking for a chocolate colored waterproof bootie for women that has memory foam", + "gluten-free spice seasonings", + "i am looking for gingerbread and white chocolate granola in resealable bags. it should not contain any artificial flavors", + "for my living room, i need a ready to hang, 16 x 20 in, wall art poster made in athletic gold color", + "im looking for a wax hair removal kit for very sensitive skin", + "i want a earbud wireless bluetooth", + "i want to buy a wooden chandelier for my dining room. it should be easy to install. get the 22 inch size", + "i want a pineapple flavor caffeine free soft drink size :67.6 fl oz", + "im looking for high speed hdmi cable with ethernet signal booster", + "i need synthetic sole flats that are blush colored", + "i need a bpa and gmo free pack of moringia leaf ground", + "i need some pre-cooked honey barbque wings with the bone in, having at least 14 grams of protein per serving, contains 5 servings and is preferably frozen", + "i am looking a easy assemble space saving ottomas having storage space for living room brown color size - 60x36x36cm(24x14x14inch)", + "i am interested in buying a desktop pc which is high performance and has a quad core i5 processor", + "i am looking for a high quality nylon strap for my galaxy phone", + "i am looking for a prom dresse with unique design. and i choose the 8 size with plum color", + "i need a button tufted couch preferably in emerald color", + "im interested in this product, show me eye makeup remover, earth science, 4 fl oz (pack of 1), with green tea, hyaluronic acid", + "i would like a size 8.5 sneakers with a highly fashionable white and blue floral design", + "i need a space saving table for my dining room in espresso", + "i need a 230 foot sized high speed coaxial cable", + "i am looking for argan oil", + "i am looking for high protein vanilla flavored nutrition shake, 11 fl oz, 12 count", + "im looking for a desktop computer with intel core i5 processor which includes of 8gb ram, 512gb nvme ssd + 500gb hdd", + "im looking for curved and rounded stainless steel scissors for trimming mustache, nose hair and beard. also silver color one", + "im looking for a neck cushion for a hair salon shampoo bowl ", + "i am looking for a blue video gaming chair with lumbar support please", + "i am looking for a coconut refresh flavor sports drink that is sugar free", + "i want a blueberry natural real fruit bar", + "i need a long sleeved hoodie that is an xx-large and is in the color gray", + "i would like a deepgold automobile charger that is fast wireless charging", + "i am looking for standard sized levi strauss & co. mens carpenter jeans that are machine washable", + "i am looking a charging adpter fot fast charging jetpack 4g lte mobile hotspot", + "i am looking for a beige twin sized bed", + "i need a toasted brown wig that is made from natural hair", + "i am interested in a towel for drying hair that is pink", + "im looking for 7 count (pack of 4) low sugar, low carb, & keto friendly candy & chocolate bars", + "im looking for beauty pro 30 capsules which should be clinically proven for anti aging, hair growth, works on dry skin and has natural ingredients", + "i am looking for shell mosaic color pendant light chandeliers", + "im trying to find 30 inch linear sconces for my living room with frosted glass shades. the sconces should come in brushed nickel and clear colors", + "im looking for a full size fully assembled mattress with 8 split foundation", + "i need loafers that are a size 12 and have a rubber sole", + "i need to buy some machine washable blackout curtains for my living room. buy the 52 inch by 52 inch size", + "i am looking for a multigroom beard trimmer kit for my face", + "find me an oil free dermatologist tested exfoliating facial scrub for dry skin with shien control feature and in 4.2 ounce (pack of 3) size", + "im looking for a twelve pack of 1.5 ounce packages of almonds that are high in protein", + "find me a low sodium, sugar free, thickened coffee. i will need a pack of 24", + "i am looking for a light cool brown easy to use hair color kit", + "i would like a peach juice that is non gmo and gluten free", + "i would like a mens extra small navy officially licensed mario shirt", + "find me a navy blue wooden sideboard storage cabinet that comes with a height-adjustable shelf", + "i need to find a black gaming headset with stereo sound", + "i would like a 16 ram with a 10th ddr4 core i5 high def mini desktop", + "i am looking for a black color tv stick remote that should be non slip and easy to install", + "i need one ounce of keto friendly vanilla flavor", + "i would like a long lasting animal pattern storage bench that is easy to clean", + "im looking for cell phone accessories for tempered class and it was high definition", + "i am looking for low calorie, gluten free organic\\ pasta sauce", + "im looking for an individually wrapped bar snack cakes", + "i need a 84inch wall mounted motorized projector screen that displays a 16:9 screen", + "i would like a bpa free jar", + "im looking for a ready to eat goya guisadas preferable white beans in sauce", + "i am looking for a shoe rack of satin bronze mesh color that is steel coated", + "i want to find multi-colored extra-small sweatpants that i can wear daily", + "i need 5 size synthetic sole brown color gizeh sandals", + "im looking for perfect mens trail running", + "i need a super soft and fluffy duvet cover for my king-sized bed. please choose the black one", + "i am interested in buying a zero sugar gluten free freezer pops", + "i am looking for goodness of health cinnamon flavored toffee covered cashews by its delish an energizing and delicious snack for those reducing sodium in their diet. almonds flavor , 3 pound size preferable", + "help me purchase 1 pack of bundle styled freeze-dried strawberries with mango flavor", + "i am looking for a winter warm jacket with long sleeve which is washable in machine. also choose navy color and small size", + "i am looking for a silver non slip hair clip for hair styling", + "i need a black open toe pair of flat sandals. it should be 7.5 in width", + "i am looking for remote controls that include batteries", + "i am searching for dark brown synthetic hair extensions with the size of 22 inch and pack of 1", + "i would like a stainless steel coaxial car speaker", + "i want to shop for a pair of pink ankle boots with leather soles. i need them in a size eight", + "im looking for usda organic and gluten free chai tea that is caffeine and sugar free and also has natural ingredients. it also should be matcha latte flavor", + "i want to find in the color deep pink mens wool jogger pants brand southpole model active basic. be quick in your help im waiting. that can be machine washed", + "i am interested in some low sodium popcorn salt that is cheddar flavored and 2.6 oz", + "im looking for a way to watch birds from far away and have my smartphone involved", + "i want to find 0.9 ounce packets of old-fashioned, harvest raspberry flavored oatmeal. they should come in a pack of 8", + "i am looking healthy crispy chips snacks gluten free low fat high protein size: 4 ounce (pack of 6)", + "i am looking for a computer gaming chair that has lumbar support", + "i am looking for a medium slim fit tops", + "im looking for space saving storage bins made of pu leather. also, choose 16.5 thickened in size with burgundy stripe pattern", + "i need a vinyl acetate narrow fit sandals with big buckle. i am a size 8.5", + "i want a big & tall machine washable wrangler mens cowboy jeans", + "im looking for a yaliaprint dragonfly blackout curtains", + "i want freeze dried low calorie fat free dried berries size:8 ounce", + "i would like to get some low carb gourmet crunchy snack which has a red peppers | jalapenos flavor", + "i am looking gluten free non gmo nut free cereal bar size 40 count", + "i need 5 litre of quality ingredients contained roasted pecan oil bottle for cooking", + "need a bag of creamy shake candy with 120 units cappuccino flavor and gluten free", + "can you find me freeze dried, grain free dog food? i want the single pack in 3.5 ounces", + "i would like a 3xl black broken cover long sleeve sweatshirt", + "im looking for wood framed wall art through the wall", + "i would like some air bang #6 light brown hair extensions", + "i would like a extra small grayed jade workout shorts with pockets and a drawstring", + "im looking for a brown runner type rug for my living room", + "i am looking for an end table that is for the living room and is a whitewash color", + "im looking for a heavy duty wall mountable projection screen with ultra hd resolution. also, choose 16:9, 200, high contrast material one,", + "i am looking for an easy to assemble 4 light vanity light", + "i need a machine washable throw pillow cover that is in a grey color and is 16 by 16", + "i am looking for a sugar free energy drink of zero ultra flavor", + "i am looking for a bakers rack for storage space that is 35 by 22 by 42.5cm", + "i would like a 18 by 18-inch teal throw pillow cover that can be machine washed", + "i am looking for a long sleeve sweater for a teen girl which is able to do cold wash. also choose red in color and large size", + "im looking for a mid century home office desk chair that is easy to assemble. please choose the grey velvet one", + "i would like a black toiletry bag that is water resistant and a medium size", + "i would like a white face belt that is anti aging", + "i am looking for a zero sugar flavor syrups of banana split", + "i want help getting an open toe, non-slip sandal. get the ones in blue in womens size 6", + "i would like a lemonade made with real fruit and natural flavors", + "i am looking for cruelty free lip balm having 3pk warm flavors scent ", + "i am looking for best anti aginf formula that supports healthy skin by naturally reducing inflammation and soothing troubled skin for an overall more even skin tone! sand & sky australian emu apple dreamy glow dropswith vitamins, essential oils, and organic ingredients", + "i am looking for gluten free cookies", + "im looking for reecho 20 inch (pack of 1) of 3/4 full head curly wave clips on synthetic hair extensions pieces for women and choose the color ombre dark brown to dirty blonde", + "i want a light beige full platform bed with a headboard. it should be easy to assemble", + "i want a blue mefoto roadtrip carbon fiber tripod/monopod", + "i want size 2x and machine washable womens plus size active run shorts", + "im looking for a laundry bag that is designed for delicate blouses and hosiery", + "i need 3 tongue cleaners for bad breath", + "i am interested in buying candles which are made of soy wax and are in red color", + "i am looking for easy clean yellow color beauty bedspreads massage table skirt", + "i want a hair removal epilator", + "i need some espresso box spring twin beds", + "i want to get some satin nickel wall sconces that are 40 inches in width. they also need to have a bronze finish", + "im looking for ultra hd plug play maxwhite color", + "i need a black brush set for sensitive skin", + "i need a 12 pack of caffeine free nantucket nectars pomegranate cherry juice", + "im looking for easy-to-use cake toppers for a birthday party", + "i would like a fresh and clean paraben free mens cologne", + "im looking for a lip and hand care gift set that is plant based and cruelty free", + "i am interested in old fashioned caramels", + "i would like two packs of chicken white korma spices that are easy to use", + "i am interested in 24 inch hair extensions", + "i want a gift basket village celebration gift box", + "i would like a 30 wide by 40 long big and tall pair of acorn jeans with a comfortable fit", + "i am looking for a hair removal device for home use", + "i would like a gluten free sweet and sour chicken dinner", + "i am looking for long lasting winter candle with green jar", + "im looking for alcohol free high quality scent. its contain travel sized", + "i would like a style 7 chandelier with a pendant light", + "i am looking for 2000 feet of ultra hd coaxial cable", + "i want a new formuler z10 pro max android 10 dual band ring", + "sony xr50x90j 50-inch ultra hd and high speed full array led smart tv", + "i am looking for some gluten free snack foods that are pumpkin pie flavored", + "i am looking for a set of 2 mesh laundry bags", + "i want a pair of ethylene vinyl trainers that is black in color. get me a size 8", + "i need a large, gray long sleeve hoodie", + "i would like a brown long lasting eyeliner that is also cruelty free", + "do you think you can find me a power amp that is easy to install?", + "i like motion detection machine in white color", + "i want milk thistle tea bags. make sure that it has an usda organic label", + "i would like a button tufted ottoman", + "im looking for individually wrapped triple chocolate cookie bars. choose the ones that come in pack of 18 with 4 count each", + "i need a multi9 floor lamp for my living room", + "i am looking for a travel size whitening toothpaste", + "i want a blue high definition android tablet 8 inch", + "i am looking for a high definition video projector", + "im looking for 6 pack of strawberry with nut free", + "i am looking for an extra large wolf fleece throw blanket that is machine washable", + "i am looking for a womens navy t-shirt that is machine washable", + "i want a 3 pack of trader joes cookie thins", + "im looking for quality materials it was daily wear and need to buy it", + "im looking for a french macarons cookies birthday gift variety pack ", + "i want to find a black manual shaver that can help remove hair", + "i am looking for a white fast charging usb wall charger for a samsung galaxy", + "i would like a pair of wireless bluetooth earbud headphones", + "i need a gift set of snacks", + "im looking for a leather sole high heel sandal in dark rose gold", + "i need to order some certified organic loose leaf tea", + "i am looking for low fat in honey chipotle bbg", + "pick a pack of long lasting scented candles made of soy wax. it should be of teakwood color", + "i am looking for high quality bathing accessories in white color", + "i am interested in buying remove cover which is light weight, and easy to install, and its color should be red", + "i want a sugar free mix of earlybird morning cocktail", + "i want to buy a double-sided shower brush", + "i am looking for french vanilla flavor syrup that is sugar free", + "i am looking for a high quality, folding massage table", + "i would like a pair of high quality hair clippers", + "i need some unsalted pretzels that are individually wrapped in a pack of 25", + "im looking for ac adapter with blu ray and has output protection", + "i would like some wireless headphones, hands free, in red please. they must have bluetooth and a mic", + "looking for long-wear eyeliner that is easy to apply also choose barrow street", + "i would like a 4.9 ounce face cream for dry skin", + "my mom like non dairy pecans flavor", + "i need a double sided shower brush with long handle. pick something in pink", + "i need a pack of 24 individually wrapped ready to eat strawberry crepes", + "im looking for a king-sized 8-inch mattress foundation with box springs", + "i want to find a silver case with a glass screen protector for my phone", + "i am looking for two pack size shampoo that are good for my hair growth", + "find a black colored wall lamp thats easy to install", + "i need an ac adapter that has output protection", + "i want to buy a hair brush for dry hair that is small size", + "i would like a pair of gold 30w x 34l pants that i can machine wash", + "i am looking for tripod stand that is non slippable", + "i am looking for a light grey, wood frame sectional sofa", + "i want an area rug to go in my living room. pick something in either white or royal blue", + "i am looking for a ultra hd projection screen that is 80", + "i am looking for an octagon shaped easy to clean plush area rug", + "i am looking for some non gmo popcorn", + "i want to find a natural jade face mask that helps hide dark circles. the mask needs to be crystal clear in color", + "i am looking for white color wood frame triple bunk bed with ladder", + "i need a six pack of leak proof, bpa free travel bottles. look for the amber colored ones", + "i am looking for a light fixture for my dining room in the weather wood shade", + "i looking a maroon color ceiling lights haning pandent fixture for living room", + "i am looking for an 18 light chandelier for my dining room", + "i am interested in a brushed nickel light fixture that has two lights", + "i am looking for a 3x-large sized 3d digital printed pattern short sleeve t-shirt", + "i want a large i just want to work in my garden short sleeve t shirt", + "i am looking for black daybed frame twin size with upholstered sideboard for living room", + "i need a fashionable zdfer polo with a slim fit in the green color", + "id like to find a desk for my home office that i can use for my computer. it should be easy to assemble and id like something in white", + "i am looking for low sugar drink mixes in paloma flavor", + "i want ethylene vinyl nunn bush toe slip ons in size 9", + "i want a modern turned leg solid wood dining table with tuscany finish", + "im looking for a hands free navigation system for my car, about 2+32 big and it should have 8 cores", + "im looking for natural ingredients for tattoo cleansing product", + "do you think you can find me a long lasting womens perfume?", + "i would like a gold tongue cleaner for my oral hygiene", + "i would like a pair of 32w x 33l rocky top regular fit jeans that are long lasting", + "i am looking for a 7 foot by 7 foot light weight and easy to carry fairytale themed photography background", + "i need a small intel desktop", + "im looking for a box of pistachio nip flavored baklava made of natural ingredients", + "i am interested in buying make up brushes which are for nail polish, and the color of which is bonbon rose powder-50p and comes in blind box", + "i want to shop for a wooden bedframe in grey", + "im looking for a certified organic lip balm that is plant based. please find a green tea flavor", + "i would like 38 servings of unflavored whey protein that is low in fat", + "looking for long sleeve regular fit shirts for men thats colour black", + "can you find me 1 pack of low calorie wheat flour sandwich crackers that are lemon, chocolate, and cream cheese flavored?", + "i would like a bag of a bpa free bacon snack", + "im looking for a pair of non-slip womens wedge sneakers in pink sequin color and in size 4.5", + "i am looking for a antiperspirant deodorant", + "i need womens loafers with arch support. find something in black", + "i am looking for long sleeve women tunic of gray color", + "im looking for a soft gray womens shirt", + "i wanted to get a compatible apple watch with a black carbon fiber buckle to match with my phones cover", + "find me a medium sized romper with short sleeves", + "some loose fitting white joggers in an xx-large would be nice", + "i am looking for some special edition instant coffee that is easy to prepare and has 12 sticks", + "find me a lift top coffee table in cherry for my living room", + "i am looking for red black color shower curtains that are easy to clean", + "im trying to find a 4-xl collegiate unc charlotte polo that is officially licensed", + "i would like to buy a 25 h tv stand that has a sturdy steel frame and is light rustic oak in color", + "buy me a heart flavored tea without caffeine", + "i want to buy a voyage-style, 3.38 fl oz mens perfume that is long lasting", + "i need natierra natures organic freeze-dried strawberries", + "i am looking for a sugar free drink syrup. get the one in the egg nog flavor", + "i need a super soft brown color llama storage ottoman for living room", + "i am looking for 9 size , true red color and rubber sole running shoes for men", + "i am looking for a six pack of 4 ounce plant based sweet potato puffs", + "i want by a candle. pisces | zodiac star signs jewelry candle with necklace lead free inside ! scent vanilla lavender ", + "i am looking for a media player that is easy to use", + "i need a high quality storage case compatible for my infinitipro. please select the extra small oval brush", + "i am looking for plastic refillable spray bottles that are easy to use", + "can you help me find a st. patricks day themed cupcake topper? i need a shamrock design, and 24-60 of them", + "i am looking for low calorie and zero sugar pomegranate green tea drink mix, 48 count", + "im looking for a 2 pack push down pump dispenser bottles for nail polish and facial makeup remover", + "i would like a 6 foot long gold plated pink cable", + "i am looking for brother hl-2170w 23ppm laser printer with wireless , high performance and certified refurbished", + "i want a 0.75 ounce soft peach foundation that is paraben free", + "theres a hands free car stereo receiver with 2g+32g", + "i want to find a 12-pack of 4.2 ounce low-carb lentil-flavored rice cakes", + "i would like to get some argan oil to treat my damaged hair", + "i want a desktop computer with intel quad core i5 processor", + "i want a 0.27 fl oz perfume bottle that is high in quality. it should be in travel size", + "find me a x-large short sleeve dress in white with pockets", + "i am interested in a waxing kit for sensitive skin", + "i would like a clear glass screen protector for my galaxy watch 4", + "i want a 2 pack of fragrance free hair detangler spray", + "i am looking for comfortable fit sneakers that are in a size 4.5 and are black and white chambray", + "im interested in calming gel acne facial moisturizer for sensitive skin that is oil-free and not tested on animals", + "will you find me a long sleeve sweater in dark blue? size medium", + "i am looking for the high waist bikini push up swimwear. i want it in red", + "find a chair for home office with memory foam seat", + "i am looking for a foundation that is metallic gold and has natural ingredients", + "i need dog cupcake toppers for a dog party", + "i would like a 120 wide by 90 long color 8 window panel that is machine washable", + "im looking for a tea bags which is sugar free and gluten free and also of good quality ingredients. also choose a pack of 1 weights 1.32 ounce, coconut with green tea flavored one", + "im looking for a winter pajama set that my husband can wear every day: it needs to have an elastic waistband because hes a size xxl", + "i am looking for a bookcase that is made of engineered wood", + "i need 12 packs of gluten free cajun rice mix", + "i want to find a 2-pack of 32 fluid ounces of gourmet lime cocktail mix. it needs to taste just like a bloody mary with dill pickles and be gluten free", + "i want to find kettle style potato chips with 0 grams of trans fat. there should be 4 bags total", + "i want to find an oval-shaped plush rog that is 4 feet by 4 feet and ivory colored. it needs to be easy to spot clean", + "i want laritelle organic hair loss treatment", + "i want to find 3.99 fluid ounces of venus envy hair dye", + "i am looking for an easy to clean wobble stool for kids, i would like a 20 inch seat, and black in color", + "i want to buy some sandals. get the ones with the ankle straps, and buy them in moonstone, size six and a half", + "i need a long sleeve button up shirt that has a casual style and slim fit", + "i am looking for 9 ounce packs of 12 certified organic, non gmo, and gluten free organic brown rice cakes", + "i am looking for a mens shorts with stretch fabric in 3xl size. also in royal blue color", + "i need eco friendly fully assembled and red color 3 drawer rolling file cabinet", + "the flowers are chosen for their delicate fragrance hight quality and scent is amber romance perfume", + "i want to buy crisps which are low carb and sugar free", + "get me some low-carb plant based lemon cookies", + "i am looking for a storage bench with a wood finish for my living room", + "i would like a power cable for by blu ray player", + "i am looking for root beer flavor syrup that is easy to use", + "i am looking for tufted storage bench ottoman of qtqhome padded footrest stool which is collapsible design of this storage trunk makes it easy to set up a cozy, padded seating within seconds! it can also be folded flat when not in use for compact storage. best for living room in brown color 100x40x42cm(39x16x17inch) preferable", + "i would like to buy cell phone signal booster which has high speed", + "need a mini computer with a intel core 5 4200u, 8gb ram, 64g ssd", + "i would like a large champagne colored shower cap for natural hair", + "i want to find 1 lb of organic breakfast tea bags in raspberry flavor", + "im looking for optical zoom its for computer accessories for cell phones", + "id like to buy a cellphone case for my iphone. i want a black one made out of carbon fiber", + "i am looking for large size sweater pullover having long sleeve", + "i am looking for a tempered glass screen protector smartwatch cases", + "i want a bundle of freeze-dried strawberries & bananas beets", + "i am looking for a nylon spandex swimsuits & cover ups of 20 plus size", + "i want black and comfortable under armour ansa slide sandals", + "i am looking for a blue runner rug that is 8 x 10 ft and would work in either my living or dining room", + "im looking for freeze dried chocolate covered dried fruit with bananas and strawberries flavor in a 1 ounce sized bag", + "i am looking for four pounds of protein powder that is chocolate and kosher", + "i need my large dress by machine wash", + "i am looking for a white engineered wood for bookcases", + "i would like to buy some unsweetened hazelnut dairy and gluten free milk", + "i am looking for a white, 7 x 5, light weight photo backdrop", + "i need some living room drapes that are greyish white and are 52w by 108l", + "i would like extra large checkered sleep pants that i can machine wash", + "im looking for ac power cord cable socket plug for sony cfd series with output protection and blu ray", + "i am looking for a black knee high mid-calf", + "i want to find a blonde-colored, full-sized standard futon mattress. it must be easy to clean!", + "im looking for a silicone case cover for remote", + "i need a theater sized pull-down projector screen", + "i am looking for a printed backdrop that is 6 by 9 feet for digital photography", + "i am interested in a variety pack of fruit snacks that are plant based", + "i need a 1.7 ounce eye cream for dark circles", + "i am looking for an iphone case that is wireless charging compatible and is rainbow colored", + "i would like a pink face brush for my dead skin", + "i want the noise cancelling bluetooth earbuds,kurdene wireless earbuds with wireless charging case and the color should be wathet", + "i am looking for a 1.5 foot high speed gold plated hdmi cable", + "i need a white storage cabinet tv stand that is easy to assemble and goes in my living room. it should be highly glossy", + "i need the yongquiang 26 set of 4 metal bar height stools in black. i want the ones for a dining room", + "i need 2-pack dark chocolate almond bars that are gluten free", + "i really need a long lasting deodorant", + "i need height adjustable home office desk chair with metal legs in ivory color", + "im looking for a 12 ml superior egyptian musk", + "i am interested in a bedside table that would be easy to assemble and is in the color of espresso", + "dermatologically tested waterproof eyeliner", + "im looking for a fresh baked desserts which is free from dairy and nut. also choose a pack of 6 one", + "i need a long lasting tv stand in white color", + "i would like a 2xl gray short sleeve button down shirt", + "im looking for gluten free high protein for coffee", + "i am looking a varity pack seafood tuna fish high protein gluten free non gmo bpa free size 4.25 ounce", + "i need to buy a six pack of sugar free, keto friendly, non-gmo cheese crisps in the original flavor", + "buy me any long sleeve polo as long as its a size medium", + "can you find a navy blue mens cotton heather shirt in medium that has a heart made by a figure skater", + "i am interested in buying cleansing water which is suitable for dry skin and its dermatologist tested", + "i would love to buy a heavy duty dust proof case for my iphone xs in black and gray color", + "im looking for oral hygiene to prevent the dental care problems", + "im looking for intel core it can easily install any", + "i am looking for a toothpaste that would freshen breath", + "tropical fruit punch drink", + "i am looking for a gourmet buffalo chicken snack with simple ingredients", + "i am looking for anti aging masks in artemisia color", + "i want a 7.5 oz box of gluten free paleokrunch cereal", + "im looking for a heavy duty mattress with box spring. also choose split king sized mattress + platform bed styled with cool gel designed one", + "i want blue wide leg fudule women shorts", + "i am looking for a camisole blouse for daily wear. also choose loose fit and large size", + "i want an xx-small sized slim fit button down shirt with long sleeves. pick something in white", + "im looking for a large sized sports bra that is comfortable to wear during the day", + "im interested in a 10-inch soy jar candle with a sea salt & ginger scent", + "i am looking for sulfate free in redwood", + "i would like a yellow hair clip for hair styling", + "get me 2 metal legs barstools with back & arm with easy to assemble function in grey color", + "get me a quad core tablet with 64 gigabytes of storage", + "i am looking for a manual toothbrush that is for sensitive teeth and is in the color f", + "i need a four ounce coconut oil for my hair", + "im looking for a black color super soft bedroom rug size 8 feet x 10 feet rectangular in shape and it should be anti-slip", + "i am looking for modern mid century droplet accent table lamp for living room", + "i want to find a pair of blue hiking shoes for men with both arch support and memory foam. the shoes need to be a size 13", + "i need a solid wood white bed frame", + "im looking for a foundation brush that i can use on very sensitive skin. i would also like it to be a coloured brush", + "i want a super soft throw blanket. i am looking for strawberry cow color", + "i want one pack of paraben free hair styling spray in size 5.5 ounce", + "i am looking for snickerdoodles that have been baked fresh", + "im looking for a victorian bed frame, twin queen size with storage space", + "i am looking for 40 mm smartwatch case. it should be compatible to apple watch", + "i am looking for sugar free wintergreen chewing gum", + "im looking for fine mist and the bottles was continues that stream of water", + "im looking for aaa batteries that will serve as replacement for my soundbar controller", + "i want a super soft, yellow rug for the living room area", + "i am looking for a cake toppers for party supplies and flavor must be new cake toy- cheese flavor (girls)", + "i want a small dress shirt made of polyester cotton. it should be navy in color", + "i want a bexley mission tiffany style table lamp for my living room", + "i need a 5ft black color high speed usb 3.0 extension cable, a-male to a-female for usb flash drive", + "im looking for hand-crafted hors doeurves", + "i want a set of 2 mesh laundry bags with day of the dead skull designs", + "id like to find a large, navy-colored womens skater dress thats machine washable", + "im looking for some wild caught tuna jerky. can you get me the one that comes in a 1.75 ounce pack?", + "i am looking for dining room in grey adjustable swivel barstools-2", + "i want to buy wireless nunchuck controllers for the wii", + "i want a 1080p smart home surveillance camera", + "i would like to buy some size 7.5 gold high heeled shoes with a ankle strap", + "i need some high fructose citrus tonic water", + "i would like some low carb elbow noodles that come in a six pack", + "i need 0.5m long fast charging hdmi male charger cord splitter adapter", + "find me some gluten free fruit snacks made from real fruit. they must be certified organic as well", + "i want to get some massage linens that are easy to clean and color 4 and 70x190 cm", + "i am looking for betty crocker fruit by the foot with no artificial flavors in a pack of 36", + "i need highly pigmented eyeshadow that is suitable for sensitive skin. metallic grey color is my preference", + "i need a bath brush with a long handle that is green", + "i am looking for a 8.5 size ankle strap flat sandals", + "i am interested in a navy blue regular fit polo", + "i need a slip on shoes with rubber sole . and i choose the 14 size with burgundy color", + "im looking for wild caught seafood with no added genetically modified organisms in the ingredients", + "id like to purchase a pink or black wig storage bag for hair extensions", + "i need an easy carry hair ball trimmer for clothes. it should be green in color", + "i need a 10 foot rug for my living room. make sure its easy to clean", + "i am looking for long sleeve shirt with 100 percent cotton, it should be washable in machine and particularly solid paper white color", + "i want to buy an ivory and blue area rug thats eight feet long and has a contemporary design", + "i need a ninety inch table runner. look for one thats eco-friendly and available in color poppie slop.", + "i need to buy a three ounce bottle of long lasting perfume in the sexy amber scent", + "i am looking for an orange bag that is easy to carry", + "i want to find a set of four vanity lights that are easy to install. they must be gold", + "i would like some red butt lifting sweatpants that are in a size small", + "i want to get a 13-ounce pack of mega omega trail mix with no artificial ingredients", + "im looking for machine washable, daily wear boxer briefs with elastic waistband and has unique design. also choose x-large, love with hearts black colored one", + "im looking for printed window curtain", + "i want to buy some 72 inch long drapes for the living room. look for machine washable drapes", + "i am looking for long lasting , high quality spray of ca perfume impression which is alcohol free and easy to carry in purse or travel bag in handy all day long. jo malone velvet rose & oud impression preferable", + "i am looking for a lemon yellow airpod case cover compatible with apple airpods and do wireless charging", + "i would like a black schwarz size 6-6.5 shoe made of vinyl acetate", + "i want to get a six-count package of white karahi flavored mix. the mix shouldnt have any artificial flavors", + "i want a fully assembled desk converter that would fit 2 monitors", + "i want to buy dental retainer container which is made of non toxic elements", + "buy me an easy to assemble sideboard for the dining room in antique white, please", + "im looking for highly pigmented makeup products it can use long lasting", + "im looking for a women soon to be dad pregnancy tank top with classic fit, needle sleeve, cotton heather and should be machine washable. also, choose medium size, royal blue", + "im looking for cellphone accessories for tempered glass. it was long lasting time", + "i need an easy to clean lilac rug in a rectangular runner shape", + "i am looking for a round modern end table having 40x55cm size and is easy to clean", + "i am in search of a cover-up that is easy to care for, machine washable and is quick drying. the waist needs to be elastic and of relaxed fit", + "i want an easy to carry lighting background for my studio", + "i am looking for high quality tea tree essential face oil, 4 fl oz (pack of 1)", + "im looking for a 24 pack of rose gold cupcake picks for my upcoming baby shower", + "i am looking for a white feather color large makeup bag which is water resistant", + "i need a green henley shirts pullover mens long sleeve", + "i am looking for ottomans that are round and made of pu leather", + "i need long lasting tooth paste with natural ingredients to remove bad breath, pick a tooth whitening one", + "im looking for a edible cupcakes cookies toppers", + "i need a wireless bluetooth speaker compatible for my smart watch", + "i would like to get a r9 b75+core pentium g2020 with 16 gigs of ram and a intel core i5 processer router", + "i am looking for a alcohol free face wash for makeup removal which is easy to use. also choose eco friendly one", + "i want white and light weight adidas mens duramo shoes", + "i am looking for a long lasting gel capsule for fresh breath", + "i would like a black 63 entertainment center that is easy to assemble", + "im looking for rose gold hair salon bags", + "i would like some easy to use salted caramel instant coffee", + "i need a usb cable that is high speed and 32 ft", + "i would like a extra large pair of sleep bottoms with buttons", + "i want to update my digital camera. im looking for a canon powershot sx620 w/ optical zoom 25x black color, 64gb memory card. i hope its the best choice for my need", + "i am looking for a super soft feece throw with christmas deer, snowflakes and funny gifts", + "im looking for a mini desktop pc with an intel core i7-9750h processor", + "i am looking for a high definition video projector", + "i am looking for womens golf skorts of medium size with elastic waistband", + "i am looking for an ultra thin gold plated mini c hdmi cable", + "i am looking for hair extensions black storage bag.it should be of high quality", + "i am looking for non toxic makeup remover", + "order for me sour gummies that are dairy free,gluten free and with good quality ingredients", + "i would like some bath salts that are for sensitive skin and that are eucalyptus", + "i need a yoga shirt that is a loose fit and dark blue", + "i need bright cobalt clogs that are made of vinyl and are a size 5 toddler", + "i am looking to purchase a light buff and cruelty free manufactured makeup", + "i am searching for fluffy faux fur duvet cover set of queen size and aqua color", + "i am looking for heavy duty folding table of black granite color", + "i am looking for an easy to use anti aging jade roller", + "looking for gluten free dairy free protein powder", + "i need a high quality one way for one coral nail polish", + "i need you to get me slip resistant shoes that has open toes and is white in color. pick a size 4", + "are there any gluten free protein bars with very high protein content available in chocolate raspberry flavour?", + "i want a white tommy hilfiger mens long sleeve button down shirt", + "i need some kosher buffalo wing sauce", + "i am looking for an easy apply concealer foundation makeup cosmetics that can cover dark circles. a light skin tone will work well for me", + "i am looking for some easy to use holographic nail art", + "i am looking for a short sleeve t shirts for men of venom red (690) | black color", + "i want an ivory safavieh tulum rug for my living room", + "im looking for optical zoom electronic for digital cameras need to to buy it", + "i need some baked breadcrumbs in a classic french flavor", + "i am looking for high power sound bar that is also dust proof", + "i am interested in a high protein snack pack", + "i would like a 4g lte phone thats device only", + "i am looking for organic blueberries", + "shop for decaffeinated orange flavored green tea", + "i am looking for candle having jungle guava scent and should be lead free", + "i am looking for refillable leak proof black plastic pump bottles", + "i want to buy a male to male hdmi cable which supports high speed data transfer. it would be good if it is gold plated", + "i am looking for chair provides optimal support throughout your workday with height adjustable and lumbar support of vari essential task chair in grey color", + "i need a hair styling comb", + "i am interested in a towel for drying hair that is pink", + "can you look and find me some water resistant eyeliner?", + "can i get the heavy duty 2-gang, outlet toggle combination wall plate cover", + "i am looking self tanner for removal my dry and dead skin", + "i would like a black purple car charger with a usb port", + "i am looking for red rose hair dye for women", + "i am looking for a tempered glass screen protector for an iphone 12 mini", + "i need some black and white fashion sneakers in size 11 with a rubber sole", + "i would like 6 bars of low sugar chocolates", + "i am looking for fluoride free all natural toothpaste", + "i need 2 pink flamingo rose mesh laundry bags", + "please find me an eight ounce bottle of pomegranate and fig moisturizer thats cruelty free", + "can you pick a tapered leg jean for men that is comfortable to wear? im looking for harbor blue color and size 32w x 29l", + "im looking for a multi-pack of original peanut butter powder in the 6.5 ounce size; it must suit my gluten-free diet", + "i am looking for a 16gb ram | 2tb nvme ssd size of intel core i5 towers", + "i am looking for x-large extra long t-shirts with long sleeves", + "i would like a 12 fluid ounce blonde low calorie non alcoholic drink", + "i would like a 69 wide by 36 tall gray roller shade that is eco friendly", + "im looking for a rich and creamy crab, clam, and corn chowder bisque. choose the ones that comes in 10.5 oz canes of 6", + "i want a hair loss and thinning hair product for a hair treatment, water based", + "im looking for some machine washable window coverings with a 31 and a half inch width. they should come in color b006c14.", + "i am looking for a set of 2 velvet fabric dining chairs for my dining room . and i choose the teal one", + "i want an orange fast charging usb type-c charging cable power cord", + "im looking for a orange toothpaste for teeth whitening and color correction", + "i would like a usb network adapter that is easy to use", + "i need white rajlinen 100% blackout curtains in size w52 x l54 for the living room", + "i am looking for a rose gold high quality oral care", + "im looking for a blue wall-mounted, spacing-saving console shelf for the living room", + "i need an easy to cary 128 gb flash drive", + "i want to find an extra large, long-sleeve two-piece outfit for daily wear. please find me something in coffee color", + "i am looking for a grey home office desk chair that is height adjustable and has lumbar support", + "i am interested in a high speed hdmi cable that is 10 feet long", + "i would like a long lasting perfume", + "i would like some white noise cancelling earbud headphones that charge as fast as possible", + "i am looking for a easily cleanable toothbrush with travel case that has extra soft feature. and i choose the white one", + "i am looking for a long lasting highly pigmented eye shadow for senstive skin", + "help me purchase black wireless headphones with high definition audio and quality stereo sound", + "i am looking for a classic fit heather blue color t-shirt", + "i am looking for rose gold oral care copper tongue cleaner", + "i am looking for black-1029 coaxial cable for smart tv", + "i want to find gluten-free sunrise crunchy maple cereal. it needs to be a 10.6 ounce box in a pack of six", + "i am looking for a blue coated steel backyard furniture set", + "i am looking for lemongrass eucalyptus & cinnamon apple color candles that are lead free", + "i am looking for vinyl,light weight and it can be folded & easy to carry;high resolution and quality & not easy fade;and can swab with water,easy to keep clean, digital photography of laeacco vinyl 7x5ft photography which is backgrop is glare free and roll out flat; it is great for studio photography:", + "waterproof hair styling cape hairdressing cape for hairdressing salon hairdressing cut adjustable neckline makeup", + "i would like a grey bed made of solid wood", + "find me a black 3x-large mens t-shit with button closure aloha theme", + "i need a set of easy to clean hair drying towels", + "find gluten-free nori flakes", + "i want a black classic fit disney the lion king characters shirt", + "i need a hand washable short sleeve t-shirt in blue. get the size large", + "i am looking for gluten free original caramel perfect premium gourmet popcorn", + "id like to get some binoculars that are high definition and have a carying case. look for style 8x42", + "im looking for a deep conditioning hair mask for dry hair that contains argan oil", + "i am looking for a posters & prints for living rooms", + "i would like a 36 ounce chair tea", + "i would like to buy a black colored box spring bed", + "i am looking for a window film for the dining room in the color 917730770571231000 in the size 23.6 by 23.6", + "i want a pair of 7.5 gray shoes with moisture wicking", + "i am looking for a tape in hair extension human hair 16\u201d and it should be ash blonde -mixed bleach blonde", + "i would like a pair of blue medium sized shorts with a elastic waist", + "i want to find a white and gold king-sized daybed", + "i would like some party supplies that are cupcake toppers", + "i am looking for butter from grass fed cows i need something non gmo, and gluten free. glass jar 16 oz if possible", + "i am looking for an intel core i5 workstation pc with windows 10 pro", + "i want a pink 4 pack of kids u shaped toothbrush for sensitive teeth", + "i need a mid century coffee table", + "i am looking for a gluten-free and usda organic labled fruit juice", + "i would like a bronze finish table lamp", + "i would like a pair of pomegranate womens size 4 clogs made of vinyl acetate", + "i am looking for a portable wireless security cameras with motion detection for home monitoring", + "i am interested in buying a hairdressing apron which is long lasting and easy to clean in the color ba or pe", + "im looking for high density of furniture home office chairs", + "im looking for a hair salon stool that offers height adjustment and is the color blue", + "im looking for hair growth serum", + "i am looking for memory foam dinosaur color slipppers", + "im looking for a small form factor business pc", + "im looking for a 3 boho wall decor mid century modern wall art by gubiyu", + "he was wearing a burgundy polyester spandex and size large", + "looking for hand painted multicolor flat candle", + "im looking for a shimmery eye shadow palette that is long lasting and waterproof. also, choose the fusion palette of 39 colors", + "i need a stainless steel adjustable barstool", + "i am looking for long lasting pressed powder in the color ivory", + "i need a hand painted vanity light. make sure it is 8.25x33x7 in dimensions", + "i would like a color a toothpaste made from natural ingredients", + "im looking for black quadshield weather boot fitting tri-shield indoor outdoor rg-6 coaxial nickel plated brass connecter 75 ohm cable of size 150ft", + "i would like a 48 pack of 5 ounce wild caught albacore in water tuna", + "i am looking for a long sleeve mens pullover hoodie, size medium", + "i am interested in buying makeup brush which is of high quality and is rose gold", + "i am interested in curtains that are eco friendly with geometric patterns and is size 42w by 63 h", + "i am looking for a 1 case of fully cooked baked patties", + "1 pacj of deep nourishing hair mask for hair treatment", + "i want to buy a faux leather ottoman that are 80 by 45 by 40 cm", + "i am looking for 2 light grey chairs made of high density solid wood", + "i am looking for a hair scalp brush that stimulates hair growth and exfoliates dandruff", + "i am looking for dates that are low calorie", + "i am looking for style-10 color wall art for my living room", + "i am looking for a loose fitting x-large womens cardigan", + "i am looking for some gluten free vanilla caramel coffee creamers", + "im looking for all natural and organic moringa oil with anti aging vitamin a and e, 4 ounce", + "i need a five by three foot background for digitial photography. make sure its light weight and easy to carry", + "i am looking for a espresso color home office desks with steel frame", + "i would like a quad core streaming media player", + "i want to find a white pair of one-size-fits-all mens underwear that is loose-fitting", + "i would like a matte black 10 light chandelier for my dining room", + "i am interested in a remote control that has batteries included", + "i am looking for long lasting travel size mk michael for men impression eau de parfum", + "order a round black side table with storage space", + "i am interested in a beige and wine living room rug", + "i am looking for gold color high definition tablets", + "i want to find a wooden bar stool that features faux leather", + "im looking for a kosher certified individually wrapped wafers. also choose vanilla flavored one", + "i would like a crimson brush set that is high quality", + "im looking for 1 pack of permanent hair dye for my husband; i want the jet black colour but it must make his hair look natural", + "i am looking for a white power dental flossers for bad breath", + "im looking for a size 54w x 29l straight leg levis mens jean", + "i want to find a microdermabrasion machine that can treat sensitive dead skin", + "i am looking for a milk chocolate of 1 pound size in a single pack for valentine day", + "i need a pair of stainless hair cutting shears that is 6 inches and black in color", + "find me a mobile with 4g lte and a quad core", + "i am looking for 42x60 inch plastic table cover for dining room", + "i need nylon spandex pants that are mocha colored", + "im looking for a solid wood, full size low platform storage bed", + "look for a long sleeve polyester pullover top. get style-23 in small", + "i need a high power car stereo receiver", + "i want a pack of old fashioned pretzel rods, look for chocolate covered too", + "i would like a milky white chair thats easy to clean", + "i am looking for a high definition a19 color background", + "i would like a 3 piece assortment of salted caramel instant coffee thats rich and creamy", + "i am looking for 3 pcs wall art for living room. size should be 12x16 inches", + "i need a classic fit t-shirt . and i would prefer medium size with purple color", + "i am looking for sand gold nail art glitters which are long lasting and easy to apply. choose microfine 100g /3.5oz size", + "im looking for a long lasting cologne by perry ellis", + "i would like to buy a large poster for the living room of size 70wx40h that is easy to install", + "i am looking for a grey toy chests & organizers for storage space", + "i am looking for some maternity skin care that has natural ingredients", + "search for antiperspirant deodorant", + "i want to buy pillow covers which are suitable for living room, and are in dark blue or light grey colors, and i want to have 2 of them with size 12 x20", + "im looking for trail cameras its is easy to use it can batteries inlcuded", + "i need a 14 inch pillow cover that fits for my sofa in living room. and please select the peach pink one", + "i want to buy some black synthetic hair extensions", + "i would like a black 90 foot coaxial cable", + "im looking for snacks fully cooked no preservatives and need to buy it", + "im looking for a keratin hair treatment kit which has anti aging property and made of natural ingredients. also, choose 3.4 fl oz one", + "i need a pack of long lasting permanent hair dye in a cr\u00e8me format; my shade is 6rb light reddish brown", + "i am interested in a white alarm clock that has batteries included", + "i am looking for a 7.7 ounce box of pecan gluten-free crackers", + "i am looking for high performance refurbished hp laserjet m3035xs m3035 cc477a laser printer", + "i am looking for a white tempered glass screen smartwatch bands which is compatible to apple", + "im locking for a facial cleanser, makeup remover and face wash for oil skin", + "i am looking for a high quality perfume", + "i would like a pair of 14 short red pants made from nylon spandex", + "i am interested in a reticular blue colred non slip rugs for the living room which is easy to clean", + "im looking for a green tea full coverage concealer for dark circles", + "i want a dark brown bench seat made of solid wood", + "i need an area rug for the living room that is navy", + "i need a cellphone car adapter with output protection", + "get me some low carb sun dried tomatoes. it should have the flavor of plantain chips", + "im looking for clothing long sleeve its for womens. it was easy to use", + "im looking for a topper for a birthday cake", + "looking for rose gold travel purse mirror easy to carry also choose colour unicorn", + "i am looking for sandy blonde extensions for my hair that are 24 inches long", + "im looking for stainless steel for kitchen product", + "i need a storage case for false teeth. make sure that it is leak proof", + "i need a laundry bag for my travel", + "let me see for a medium size by innoviera brand hoodies for women, long sleeve check for halloween pumpkin", + "i would like a travel size bottle kit", + "i need a pair of high quality black hair clippers", + "i need a high quality hairpiece for men with light density. it should be in 3# dark brown color", + "i am looking for wooden bed frame of gray color", + "i am looking for a chocolate colored waterproof bootie for women that has memory foam", + "i am looking for luxurious blanket for bedroom sofa that is machine washable and also choose in colorful bohemian pattern", + "i want a mojito twist flavored cocktail mixer. make sure that it is non alcoholic and low calorie", + "i need an argan oil moisturizer that is 8 ounces and is the scent desert date", + "i need ethylene vinyl slippers in size 8", + "im looking for home decor products for home accessories", + "im looking for a storage unit which is easy to clean for a living room", + "i am looking for a high quality dark gray reclining barber chair for a hair salon", + "i want a easy to use soundbar with stereo sound", + "i need some x-large dark blue jeans that are straight leg/", + "i would like a pair of black binoculars for bird watching", + "get me a shelf stable snack mix. pick the honey cheddar flavor", + "i want a x-large merthy long sleeve camp corduroy shirt", + "i am interested in a lemon yellow t-shirt for youth that is machine washable and is in an x-small", + "im looking for a long lasting hydrating lip gloss that contains hyaluronic acid. also, choose name drop one", + "i want party supplies for decorations that are easy to use. make sure there are cupcake toppers", + "i need a pair of black eyebrow trimmers", + "i want lundberg organic white chocolate thin stackers", + "i would like a pair of 38 wide by 28 long standard dark indigo flex jeans that are regular fit", + "i am looking for a light grey faux leather loveseat", + "i am looking for a high quality heeta 2-pack hair shampoo brush specifically for dry hair. i would be more inclined to take a pink & purple", + "i want to find a 15-pack box of individually wrapped rockin straw-beary granola bars that are each 0.88 ounces", + "i am looking for an adult daily wear hoodie sweatshirt size large-x-large", + "i need a tv stand for my living room", + "i would like a 40 by 84 inch round frosted table pad for the dining room", + ": im looking for a funny dad beer tank top. also mens size large classic fit in royal blue,", + "i am looking for a standard intel core i5 gaming pc", + "i am looking for brown color ottoman bench for living room", + "i need a black full sized bed frame that is easy to assemble", + "im looking for a wings set of 2 white finish heavy home office desk", + "i want a 6.8 fl oz, hair treatment pack which provides natural hair smoothening and is sulfate free. i would like color as vitapro fusion leave-in", + "i am looking for a pair of womens size 6.5 open toe and knee high sandals", + "i am looking for a pair of womens size 6.5 grey heeled sandals with memory foam", + "im looking for a telescope with high power for bird watching", + "i want a 1b natural hair wig", + "im looking for hair extension for hair growth it was high quality and need to buy it", + "i am looking for a 3 vanity lights with with clear glass shade", + "i am looking for a 4 pack of mid century wood side end tables for my living room", + "i need a high-performance tablet for dual-band wifi", + "i need a womens shower gel that is purple and long lasting", + "i want a silver apple macbook pro with intel core i5-7267u", + "i want the n!cks swedish chocolate variety pack ice cream but i want the bakery flavor. it must be keto friendly", + "im looking for a hair treatment with tea tree oil. i need one thats for dry hair and promotes hair growth", + "i need a loose fitting tee for daily wear. find a x-large shirt", + "i am looking for a samsung galaxy case cover that is gray", + "i need jane grey pink vanity fair womens nylon spandex hi cut panties in plus size 5", + "i am looking for long lasting high definition dark cocoa concealer for dark circles coverage", + "i need some grey living room pillow covers", + "szitop womens yoga pants crossover yoga pants flare crossover high waist workout leggings yoga pants with stretch belly control bootcut do you know a szitop brand? i need flare yoga pants. for everyday wear, machine washable, high waist. look for size .xx-large", + "do you have any gluten free cheese spreads with 0g of trans fat?", + "i would like a small midweight beige thermal underwear top that has long sleeves", + "a cold wash machine wash classic fit heather cotten baby blue color women t shirt size:3x-large", + "i am looking for elastics & ties of black color for hair styling", + "i would like to buy some size 16 rubber sole work shoes", + "i am looking for a suckers & lollipops of spiderman pop ups flavor for birthday party", + "i want to find a purple dress shirt that is 15 inches in circumference for the neck and 33 inches in circumference for the sleeve. the shirt should be regular fitting", + "i am looking for teeth whitening toothbrush in green bear size", + "i would like a awesome violet 4g lte cell phone", + "want to replace 2 packs for palm size 3 device rca universal remote control - works with symphonic vcr - remote code 0001, 1593 accurate with batteries included", + "i am interested in buying body scrubs for dead skin which have bamboo & charcoal acne face wash scent and come at size of 10.14 fl oz", + "im looking for palazzo pants its easy to wear and it was straight leg", + "i am looking for arms lumbar support in grey", + "i want sugar free gluten free seafood sardines wild caught", + "this simply 7 lentil chips product is delicious and also non-gmo, gluten-free and nut-free. im looking for a creamy dill flavor, 4 oz bag (pack of 12)", + "i am looking for a argan oil hair color. also choose chrome - 3oz one", + "i need to buy some moisturizer thats good for fine lines and has anti-aging properties. find some thats paraben free and cruelty free. it should contain natural ingredients", + "i want to find one 8.01 fluid ounce bottle of a decaf coffee-flavored drink. it cant have any sugar in it and i want it to have some honey", + "i am looking for a size: 7 - pack natural ingredients of jerky", + "i would like a bath brush for dead and dry skin", + "i am looking for a gluten free mixed nuts of all-in-one mix flavours", + "i need orange jointlycreating womens non slip running shoes", + "i am looking for small size casual elastic waist sleeveless one pieice burgundy jumpsuit", + "im looking for a transparent pendant light that comes with 15light", + "im looking for a fully cooked meat loaf that comes in a four pack and has tomato sauce", + "i needed a 5-case gluten free multigrain table crackers", + "im looking for future mattress for living room it can make decor a living area", + "i am looking to buy grey-body wave, 18 inch hair extensions", + "i need a brown 6 wide sandal with ankle strap", + "find boots with arch support", + "i want a 2.7 ounce stick of mitchum men triple odor defense anti-perspirant", + "i would like a 4 pound bag of chocolate covered edas sugar free hard candy", + "i am looking for high quality replacement shaver heads for a philips razor", + "im looking for milk based organic formula for baby", + "i need white rajlinen 100% blackout curtains in size w52 x l54 for the living room" +] \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/data/il_trajs_finalized_images.zip b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/data/il_trajs_finalized_images.zip new file mode 100644 index 00000000..36da904c Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/data/il_trajs_finalized_images.zip differ diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/data/items_human_ins.json b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/data/items_human_ins.json new file mode 100644 index 00000000..b2ab7479 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/data/items_human_ins.json @@ -0,0 +1 @@ +{"B09QKP7XQL": [{"asin": "B09QKP7XQL", "instruction": "i'm looking for a blue wireless bluetooth headphones.", "attributes": ["noise cancelling", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3CERYJ", "worker_id": "A9QRQL9CFJBI7"}], "B08Y865MTQ": [{"asin": "B08Y865MTQ", "instruction": "i need 12 inch blue hair extensions that are made from natural hair.", "attributes": ["high quality", "natural hair"], "options": ["color: blue", "size: 12 inch (pack of 1)"], "instruction_attributes": ["natural hair"], "instruction_options": ["blue", "12 inch (pack of 1)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZ7HKLW", "worker_id": "A2ECRNQ3X5LEXD"}], "B01LOUY5M8": [{"asin": "B01LOUY5M8", "instruction": "i'm looking for shampoo & conditioner sets for damaged hair.", "attributes": ["hair treatment", "damaged hair", "dry hair"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLZ8ECN", "worker_id": "A9QRQL9CFJBI7"}], "B00BSY015G": [{"asin": "B00BSY015G", "instruction": "iam looking a steel frame tempered glass drawing table & board colour black", "attributes": ["coated steel", "tempered glass", "clear glass", "steel frame"], "options": ["color: black | clear glass"], "instruction_attributes": ["tempered glass", "steel frame"], "instruction_options": ["black | clear glass"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KQOE75", "worker_id": "A3N9ZYQAESNFQH"}], "B09QGV5PDZ": [{"asin": "B09QGV5PDZ", "instruction": "i need easy to use nurse scrub caps. pick light navy one.", "attributes": ["easy use", "natural hair"], "options": ["color: light navy"], "instruction_attributes": ["easy use"], "instruction_options": ["light navy"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J4FSFL", "worker_id": "A1NF6PELRKACS9"}], "B09DK1P3X8": [{"asin": "B09DK1P3X8", "instruction": "i need one travel bottle that is black and has an opener.", "attributes": ["leak proof", "travel bottles"], "options": ["color: 1 pcs black & opener"], "instruction_attributes": ["travel bottles"], "instruction_options": ["1 pcs black & opener"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB6ZSO2", "worker_id": "A2ECRNQ3X5LEXD"}], "B097JZJTCK": [{"asin": "B097JZJTCK", "instruction": "i'm looking for vanity lights for dining room", "attributes": ["vanity light", "dining room"], "options": [""], "instruction_attributes": ["vanity light", "dining room"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSD48B9", "worker_id": "AR0VJ5XRG16UJ"}], "B07PT3T483": [{"asin": "B07PT3T483", "instruction": "i'm looking for birthday cake toppers for party supplies. also choose 40 years cake topper one.", "attributes": ["birthday cake", "party supplies"], "options": ["color: 40 years cake topper"], "instruction_attributes": ["birthday cake", "party supplies"], "instruction_options": ["40 years cake topper"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40BQXNU", "worker_id": "AR0VJ5XRG16UJ"}], "B01HOMR4AU": [{"asin": "B01HOMR4AU", "instruction": "i need a square shaped turquoise area rug that is easy to clean and is 8 by 8 feet.", "attributes": ["easy clean", "spot clean"], "options": ["color: turquoise", "shape: square", "size: 8 ft 0 x 8 ft 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["turquoise", "square", "8 ft 0 x 8 ft 0"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOZNJGE", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01HOMR4AU", "instruction": "find me a modern shag carpet. something in turquoise and around 8 feet on either side. i speficially want one that's easy to clean, and that's octagonal in shape if available.", "attributes": ["easy clean", "spot clean"], "options": ["color: turquoise", "shape: octagonal", "size: 8 ft 0 x 8 ft 0 square"], "instruction_attributes": ["easy clean"], "instruction_options": ["turquoise", "octagonal", "8 ft 0 x 8 ft 0 square"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKGT1458", "worker_id": "A19UED74G8FXN3"}, {"asin": "B01HOMR4AU", "instruction": "i am looking for a rectangular runner shaped area rug with easy clean. also choose snow white color and 3 ft 3 in x 3 ft 3 in size.", "attributes": ["easy clean", "spot clean"], "options": ["color: snow white", "shape: rectangular runner", "size: 3 ft 3 in x 3 ft 3 in"], "instruction_attributes": ["easy clean"], "instruction_options": ["snow white", "rectangular runner"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU5PZ6RN", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B01HOMR4AU", "instruction": "i need an easy to clean 8x10' shag rug. it needs to be rectangular and navy blue.", "attributes": ["easy clean", "spot clean"], "options": ["color: navy blue", "shape: rectangular", "size: 8 x 10 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["navy blue", "rectangular", "8 x 10 ft"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZI3R7Q", "worker_id": "A2DDPSXH2X96RF"}, {"asin": "B01HOMR4AU", "instruction": "i would like a 7 foot oval turquoise rug that is easy to spot clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: turquoise", "shape: oval", "size: 7 ft"], "instruction_attributes": ["easy clean", "spot clean"], "instruction_options": ["turquoise", "oval", "7 ft"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDAES0L", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01HOMR4AU", "instruction": "show me an easy to clean square shaped terracotta rug with 2 ft 6 in x 10 ft measurement.", "attributes": ["easy clean", "spot clean"], "options": ["color: terracotta", "shape: square", "size: 2 ft 6 in x 10 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["terracotta", "square", "2 ft 6 in x 10 ft"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y1NJ5W", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B01HOMR4AU", "instruction": "i am looking for a spot cleanan round shape area rugs", "attributes": ["easy clean", "spot clean"], "options": ["color: terracotta", "shape: round", "size: 5 ft 0 x 8 ft 0"], "instruction_attributes": ["spot clean"], "instruction_options": ["round"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72APZEOG", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01HOMR4AU", "instruction": "i am looking a area rug soft easy clean in octagon shape size 7ft colour turquoise", "attributes": ["easy clean", "spot clean"], "options": ["color: turquoise", "shape: octagon", "size: 7 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["turquoise", "octagon", "7 ft"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YXAEH5", "worker_id": "A3N9ZYQAESNFQH"}], "B091G8RGQY": [{"asin": "B091G8RGQY", "instruction": "i want a phone case which is easy to install and has a slim design. pick a japan kitty color.", "attributes": ["easy install", "case cover"], "options": ["color: japan kitty"], "instruction_attributes": ["easy install"], "instruction_options": ["japan kitty"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSENULOGS", "worker_id": "A1NF6PELRKACS9"}], "B00006BSTZ": [{"asin": "B00006BSTZ", "instruction": "i'm looking for optical zoom point & shoot digital cameras.", "attributes": ["batteries included", "optical zoom", "usb port"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9OUX54", "worker_id": "A9QRQL9CFJBI7"}], "B09QC6YYHV": [{"asin": "B09QC6YYHV", "instruction": "i need a light grey bed frame that fits a king size bed.", "attributes": ["easy assemble", "box spring", "solid wood", "king size", "memory foam", "wood frame"], "options": ["color: light grey", "size: queen"], "instruction_attributes": ["king size"], "instruction_options": ["light grey", "queen"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67EE4NB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PLBBQK5": [{"asin": "B09PLBBQK5", "instruction": "i am looking for yuanl 2 pcs stainless steel tongue scraper to clear out the white, coated layer on your tongue or maintain better oral hygiene, this effective tongue scraper for adults and kids.", "attributes": ["easy clean", "bpa free", "easy use", "high quality", "stainless steel", "bad breath"], "options": [""], "instruction_attributes": ["easy clean", "bpa free", "easy use", "high quality", "stainless steel", "bad breath"], "instruction_options": [], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG58UIW6", "worker_id": "A1DRKZ3SCLAS4V"}], "B001MKOKH6": [{"asin": "B001MKOKH6", "instruction": "i want a regular fit pea coat with button closure. i need it in black.", "attributes": ["button closure", "regular fit", "classic fit"], "options": ["color: black", "size: x-large tall"], "instruction_attributes": ["button closure", "regular fit"], "instruction_options": ["black"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5KZG218", "worker_id": "A1NF6PELRKACS9"}], "B082ZQ1H8W": [{"asin": "B082ZQ1H8W", "instruction": "i am looking for a cruelty free hair mask.", "attributes": ["cruelty free", "argan oil"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJGXO96", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RWQQ2JS": [{"asin": "B09RWQQ2JS", "instruction": "i'm furnished their house with inexpensive furniture with color green and size 90x4x45cm(35x16x18inch).", "attributes": ["easy clean", "faux leather", "living room"], "options": ["color: green", "size: 90x40x45cm(35x16x18inch)"], "instruction_attributes": ["living room"], "instruction_options": ["green", "90x40x45cm(35x16x18inch)"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYI7XFM", "worker_id": "ASL9LVC97FUCZ"}], "B09H7JB6JZ": [{"asin": "B09H7JB6JZ", "instruction": "i'm looking for a water resistance smartwatch bands of tie dye color.", "attributes": ["quick release", "water resistant"], "options": ["color: tie dye"], "instruction_attributes": ["water resistant"], "instruction_options": ["tie dye"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BO5ONOE", "worker_id": "A9QRQL9CFJBI7"}], "B09C2KVC5K": [{"asin": "B09C2KVC5K", "instruction": "i'm looking for dental flossers which is easy to use and eliminates bad breath.", "attributes": ["easy use", "bad breath"], "options": [""], "instruction_attributes": ["easy use", "bad breath"], "instruction_options": [], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LBPSPD", "worker_id": "AR0VJ5XRG16UJ"}], "B09QRN8FQN": [{"asin": "B09QRN8FQN", "instruction": "i am looking for a gluten free and low calorie sparkling spritz. pick something in coconut passion fruit flavor.", "attributes": ["non alcoholic", "low sugar", "gluten free", "low calorie", "keto friendly"], "options": ["flavor name: coconut passion fruit"], "instruction_attributes": ["gluten free", "low calorie"], "instruction_options": ["coconut passion fruit"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP6V3VDS", "worker_id": "A1NF6PELRKACS9"}], "B07D97VTXR": [{"asin": "B07D97VTXR", "instruction": "i am looking for sand gold nail art glitters which are long lasting and easy to apply. choose microfine 100g /3.5oz size.", "attributes": ["easy apply", "long lasting"], "options": ["color: sand gold", "size: microfine - 100g | 3.5oz"], "instruction_attributes": ["easy apply", "long lasting"], "instruction_options": ["sand gold", "microfine - 100g | 3.5oz"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZER7RM", "worker_id": "AHU9OLV0YKIIW"}], "B09F35WCV5": [{"asin": "B09F35WCV5", "instruction": "i want some casual gym workout pants that are green and come in an x-large.", "attributes": ["daily casual", "slim fit", "elastic waist", "drawstring closure", "relaxed fit", "gym workout"], "options": ["color: green", "size: x-large"], "instruction_attributes": ["gym workout"], "instruction_options": ["green", "x-large"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662O74ME", "worker_id": "A2ECRNQ3X5LEXD"}], "B08WC7XBSL": [{"asin": "B08WC7XBSL", "instruction": "i am looking for some memory foam sneakers in a size 7 that are black, white and red.", "attributes": ["machine washable", "comfortable fit", "synthetic sole", "memory foam"], "options": ["color: black | white | red", "size: 7"], "instruction_attributes": ["memory foam"], "instruction_options": ["black | white | red", "7"], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW61CVVU", "worker_id": "A2ECRNQ3X5LEXD"}], "B097M7TXJD": [{"asin": "B097M7TXJD", "instruction": "i am looking for a pink lave closure sneaker.", "attributes": ["lace closure", "steel toe", "teen girls"], "options": ["color: pink", "size: 9.5-10"], "instruction_attributes": ["lace closure"], "instruction_options": ["pink"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HJDWO3", "worker_id": "A9QRQL9CFJBI7"}], "B08846NCF7": [{"asin": "B08846NCF7", "instruction": "i need a unisex clog made of vinyl acetate. pick a new mint color.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: new mint", "size: 13 women | 11 men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["new mint"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0ICJ84", "worker_id": "A1NF6PELRKACS9"}], "B09SBL979H": [{"asin": "B09SBL979H", "instruction": "i am looking for loose fit cotton shirts for men with short sleeve in white color. medium size preferable.", "attributes": ["loose fit", "slim fit", "short sleeve", "contrast color", "regular fit", "drawstring waist", "gym workout"], "options": ["color: white", "size: medium"], "instruction_attributes": ["loose fit", "short sleeve"], "instruction_options": ["white", "medium"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AB2UYA", "worker_id": "A1DRKZ3SCLAS4V"}], "B09F64NG2P": [{"asin": "B09F64NG2P", "instruction": "i need some hair drying towels that are easy to clean.", "attributes": ["easy clean", "dry hair"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBKXIG0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NBW8RDL": [{"asin": "B09NBW8RDL", "instruction": "i want a home office chair that is white and easy to install.", "attributes": ["heavy duty", "easy install", "easy assemble", "pu leather"], "options": ["color: white"], "instruction_attributes": ["easy install"], "instruction_options": ["white"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCGNBMQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07N7NF4L7": [{"asin": "B07N7NF4L7", "instruction": "i need a navy machine washable twin quilt set.", "attributes": ["queen size", "machine washable"], "options": ["color: navy", "size: twin"], "instruction_attributes": ["machine washable"], "instruction_options": ["navy", "twin"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83EPJIK", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DP1F6GK": [{"asin": "B09DP1F6GK", "instruction": "i would like to buy a black case for iphone 13 pro max which has protection for two screen with tempered glass and which i can easily install myself.", "attributes": ["easy install", "tempered glass", "glass screen"], "options": ["color: black - 13 pro"], "instruction_attributes": ["easy install", "tempered glass"], "instruction_options": ["black - 13 pro"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8TMSSF", "worker_id": "AJY5G987IRT25"}], "B08DHL1YDL": [{"asin": "B08DHL1YDL", "instruction": "find a yubikey 5c usb port security key", "attributes": ["water resistant", "usb port"], "options": ["size: yubikey 5c"], "instruction_attributes": ["usb port"], "instruction_options": ["yubikey 5c"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU43C6RR", "worker_id": "A258PTOZ3D2TQR"}], "B08SJ3V46M": [{"asin": "B08SJ3V46M", "instruction": "i need a weather radio that has batteries included and is black.", "attributes": ["batteries included", "fast charging", "aaa batteries"], "options": ["color: black"], "instruction_attributes": ["batteries included"], "instruction_options": ["black"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2LS4LR", "worker_id": "A2ECRNQ3X5LEXD"}], "B085312K1G": [{"asin": "B085312K1G", "instruction": "i need a alcohol and cruelty free perfume. pick the one with musk scent.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: musk", "size: 3 ml"], "instruction_attributes": ["alcohol free", "cruelty free"], "instruction_options": ["musk"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPI1FWF", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B085312K1G", "instruction": "i want to found 0.1 fluid ounces of alcohol-free perfume oil with a woody scent.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: oud wood", "size: 0.1 fl oz (pack of 1)"], "instruction_attributes": ["alcohol free"], "instruction_options": ["oud wood", "0.1 fl oz (pack of 1)"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JF8CMVG", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B085312K1G", "instruction": "i am looking for a perfume oil in metal packing of 12 ml size which is alcohol free and lasts long.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: warm oud", "size: 12 ml - metal"], "instruction_attributes": ["alcohol free", "long lasting"], "instruction_options": ["12 ml - metal"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3OXZMI", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B085312K1G", "instruction": "i'm looking for alcohol free perfume with an oud wood scent.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: oud wood", "size: 3 ml"], "instruction_attributes": ["alcohol free"], "instruction_options": ["oud wood"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCLEVND6", "worker_id": "A19317A3X87NVM"}, {"asin": "B085312K1G", "instruction": "i am looking for a perfume oil in metal packing of 12 ml size which is alcohol free and lasts long.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: warm oud", "size: 12 ml - metal"], "instruction_attributes": ["alcohol free", "long lasting"], "instruction_options": ["12 ml - metal"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3OXZMI", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B085312K1G", "instruction": "i'm looking for a 12 ml superior egyptian musk.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: vanilla musk", "size: 12 ml"], "instruction_attributes": ["alcohol free", "cruelty free"], "instruction_options": ["vanilla musk", "12 ml"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8N8V2N6", "worker_id": "A1ZGOZQF2VZ0X9"}, {"asin": "B085312K1G", "instruction": "women's eau de parfum red musk paraben free crulty free long lasting size :12 ml", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: red musk", "size: 12 ml"], "instruction_attributes": ["cruelty free", "paraben free", "long lasting"], "instruction_options": ["red musk", "12 ml"], "assignment_id": "33CID5710F37J25O7G1CGJZBORKL3N", "worker_id": "A3N9ZYQAESNFQH"}], "B09Q39KMH4": [{"asin": "B09Q39KMH4", "instruction": "i am looking for medium long sleeves sleep & lounge sets.", "attributes": ["fleece lined", "long sleeve", "short sleeve"], "options": ["color: f1-black", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOA2TC1", "worker_id": "A9QRQL9CFJBI7"}], "B096MJQPX3": [{"asin": "B096MJQPX3", "instruction": "i'm looking for a long lasting jar candles.", "attributes": ["lead free", "long lasting", "soy wax"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEEQZKR", "worker_id": "A9QRQL9CFJBI7"}], "B094XYRY4L": [{"asin": "B094XYRY4L", "instruction": "i need a quick drying skort with pockets. pick a dark grey one.", "attributes": ["daily casual", "quick drying", "nylon spandex", "polyester spandex"], "options": ["color: dark grey", "size: x-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["dark grey"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKLVV7W", "worker_id": "A1NF6PELRKACS9"}], "B00O3202EU": [{"asin": "B00O3202EU", "instruction": "i want to find a gold floor lamp with a glass shade and a nickel finish that i can use for my living room.", "attributes": ["brushed nickel", "nickel finish", "glass shade", "living room"], "options": ["color: gold"], "instruction_attributes": ["nickel finish", "glass shade", "living room"], "instruction_options": ["gold"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NFH2P7", "worker_id": "A345TDMHP3DQ3G"}], "B01MRH3SO3": [{"asin": "B01MRH3SO3", "instruction": "i need a solid wood platform bed with wooden frame. pick something that is natural in color.", "attributes": ["twin size", "box spring", "solid wood", "memory foam", "wood frame"], "options": ["color: natural", "size: king", "style: with headboard"], "instruction_attributes": ["solid wood", "wood frame"], "instruction_options": ["natural"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HSQ1D5", "worker_id": "A1NF6PELRKACS9"}], "B09Q33GJ91": [{"asin": "B09Q33GJ91", "instruction": "i'd like to find a large purple maxi dress made of soft material.", "attributes": ["soft material", "elastic waist", "everyday wear"], "options": ["color: e-purple", "size: large"], "instruction_attributes": ["soft material"], "instruction_options": ["e-purple", "large"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AC9TSE", "worker_id": "A345TDMHP3DQ3G"}], "B091C8PXGR": [{"asin": "B091C8PXGR", "instruction": "i want an easy to use keyboard with number pad and usb port. i want it to be mint green in color.", "attributes": ["batteries included", "easy carry", "easy use", "usb port"], "options": ["color: mint green"], "instruction_attributes": ["easy use", "usb port"], "instruction_options": ["mint green"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2V6G6C", "worker_id": "A1NF6PELRKACS9"}], "B07MZ2CLJY": [{"asin": "B07MZ2CLJY", "instruction": "i'm looking for underwater world backdrop with high resolution digital photography and light weight. also, choose 5*3ft one", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 5x3ft"], "instruction_attributes": ["light weight", "high resolution", "digital photography"], "instruction_options": ["5x3ft"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16YXGNN0", "worker_id": "AR0VJ5XRG16UJ"}], "B005HV4ETK": [{"asin": "B005HV4ETK", "instruction": "i am looking for x-large extra long t-shirts with long sleeves.", "attributes": ["day comfort", "moisture wicking", "machine wash", "polyester cotton", "button closure", "long sleeve"], "options": ["color: silver grey", "size: x-large extra long"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x-large extra long"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOB99LR", "worker_id": "A9QRQL9CFJBI7"}], "B093K8W6MN": [{"asin": "B093K8W6MN", "instruction": "i am looking for a mesh laundry bag with a funny cartoon skull theme and is medium in size.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIXZT3D", "worker_id": "AHU9OLV0YKIIW"}], "B0885RVZFB": [{"asin": "B0885RVZFB", "instruction": "i am looking for natural hair extensions. also, pick something in dark brown.", "attributes": ["hair extensions", "natural hair"], "options": ["color: 2 clips-#613 bleach blonde"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["2 clips-#613 bleach blonde"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9HQTV8", "worker_id": "A1NF6PELRKACS9"}], "B09HNMR1FY": [{"asin": "B09HNMR1FY", "instruction": "i want buy a easy use hair dye hair colouring spray colour should be purple", "attributes": ["long lasting", "easy use", "hair dye", "hair styling"], "options": ["color: purple"], "instruction_attributes": ["easy use", "hair dye"], "instruction_options": ["purple"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LEC09P", "worker_id": "A3N9ZYQAESNFQH"}], "B077JGYFKM": [{"asin": "B077JGYFKM", "instruction": "i'm looking for 1 resealed bag of puffed snacks", "attributes": ["non gmo", "resealable bag"], "options": ["number of items: 1"], "instruction_attributes": ["resealable bag"], "instruction_options": ["1"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7QNSDW", "worker_id": "A9QRQL9CFJBI7"}], "B01N435KPR": [{"asin": "B01N435KPR", "instruction": "i am looking for 30\"x16\"x1.5\", 3pcs wood frame posters & prints.", "attributes": ["ready hang", "wood frame"], "options": ["color: 26 new york skyline", "size: 30\"x16\"x1.5\", 3pcs"], "instruction_attributes": ["wood frame"], "instruction_options": ["30\"x16\"x1.5\", 3pcs"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXDSKWU", "worker_id": "A9QRQL9CFJBI7"}], "B00CHTXLD0": [{"asin": "B00CHTXLD0", "instruction": "i am looking for a dove anti persipirant deodorant for sensitive skin .choose 2.6 ounce (pack of 3).", "attributes": ["anti perspirant", "sensitive skin"], "options": ["scent: powder", "size: 2.6 ounce (pack of 3)"], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": ["2.6 ounce (pack of 3)"], "assignment_id": "3X0H8UUITCYRED22199FX2O3E7PSW3", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B00CHTXLD0", "instruction": "i am looking for some deodorant for sensitive skin that has a herbal scent and comes in a 12 pack.", "attributes": ["anti perspirant", "sensitive skin"], "options": ["scent: herbal", "size: 2.6 ounce (pack of 12)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["herbal", "2.6 ounce (pack of 12)"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCG45SM4", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00CHTXLD0", "instruction": "i am looking for sensitive skin powder", "attributes": ["anti perspirant", "sensitive skin"], "options": ["scent: powder", "size: 2.6 ounce (pack of 4)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["powder"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39TG0MGE", "worker_id": "A16M39T60N60NO"}, {"asin": "B00CHTXLD0", "instruction": "i need a 2.6 ounce(pack of 4) anti-perspirant deodorant that is best for sensitive skin and comes with herbal scent.", "attributes": ["anti perspirant", "sensitive skin"], "options": ["scent: herbal", "size: 2.6 ounce (pack of 4)"], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": ["herbal", "2.6 ounce (pack of 4)"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UQ4ZEZ", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B00CHTXLD0", "instruction": "i am looking for original clean scent deodorant that is anti perspirant.", "attributes": ["anti perspirant", "sensitive skin"], "options": ["scent: original clean", "size: 1.6 ounce (pack of 2)"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["original clean"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPDMCOL", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00CHTXLD0", "instruction": "i will like to have the dove anti-perspirant deodorant, sensitive skin 2.60 oz (pack of 12) with the herbal scent.", "attributes": ["anti perspirant", "sensitive skin"], "options": ["scent: herbal", "size: 2.6 ounce (pack of 12)"], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": ["herbal"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2YARIVH", "worker_id": "A1IL2K0ELYI090"}, {"asin": "B00CHTXLD0", "instruction": "i need an anti perspirant unscented deodorant - 1.6 ounce (pack of 2)", "attributes": ["anti perspirant", "sensitive skin"], "options": ["scent: unscented", "size: 1.6 ounce (pack of 2)"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["unscented"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZS804F", "worker_id": "A258PTOZ3D2TQR"}], "B091NDZ2JX": [{"asin": "B091NDZ2JX", "instruction": "i'm looking for 2 dozen individually wrapped dessert gifts.", "attributes": ["individually wrapped", "baked fresh"], "options": ["size: 2 dozen"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["2 dozen"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ5W91D", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B091NDZ2JX", "instruction": "i am looking for 4 dozen individually wrapped gourmet cookies.", "attributes": ["individually wrapped", "baked fresh"], "options": ["size: 4 dozen"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["4 dozen"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4E4R6Q", "worker_id": "A1EREKSZAA9V7B"}], "B01HPJOW3E": [{"asin": "B01HPJOW3E", "instruction": "i am looking for easy to prepare and ready to eat quaker instant oatmeal breakfast cereal in coconut & caramel flavor.", "attributes": ["easy prepare", "ready eat"], "options": ["flavor name: coconut & caramel"], "instruction_attributes": ["easy prepare", "ready eat"], "instruction_options": ["coconut & caramel"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54ONCEYH", "worker_id": "A1DRKZ3SCLAS4V"}], "B00GJFRQMK": [{"asin": "B00GJFRQMK", "instruction": "i need all natural ingredients gluten gree and vegan red hot sauce 12.5 ounce (pack of 3)", "attributes": ["easy use", "gluten free", "quality ingredients", "natural ingredients"], "options": ["flavor name: hot", "size: 12.5 ounce (pack of 3)"], "instruction_attributes": ["gluten free", "natural ingredients"], "instruction_options": ["hot"], "assignment_id": "31EUONYN26DZ1WA44INARVVOA9IOVQ", "worker_id": "A258PTOZ3D2TQR"}], "B095JTF5DF": [{"asin": "B095JTF5DF", "instruction": "i'm looking for a night table with steel frame for living room. also, choose black colored one.", "attributes": ["steel frame", "living room"], "options": ["color: black", "item package quantity: 1"], "instruction_attributes": ["steel frame", "living room"], "instruction_options": ["black"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AEASTI", "worker_id": "AR0VJ5XRG16UJ"}], "B0037507EE": [{"asin": "B0037507EE", "instruction": "i am looking for wild caught tuna that is ranch flavored and comes in a pack of ten.", "attributes": ["ready eat", "wild caught", "gluten free"], "options": ["flavor name: ranch", "size: 2.6 ounce (pack of 10)"], "instruction_attributes": ["wild caught"], "instruction_options": ["ranch", "2.6 ounce (pack of 10)"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCW73GG4", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0037507EE", "instruction": "i'd like to find a 3-ounce package of ready-to-eat wild-caught tuna salad. the flavor needs to be herb and garlic.", "attributes": ["ready eat", "wild caught", "gluten free"], "options": ["flavor name: herb & garlic", "size: 3 ounce (pack of 1)"], "instruction_attributes": ["ready eat", "wild caught"], "instruction_options": ["herb & garlic", "3 ounce (pack of 1)"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACOENH4", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B0037507EE", "instruction": "i want some ranch flavored tuna salad.", "attributes": ["ready eat", "wild caught", "gluten free"], "options": ["flavor name: ranch", "size: 2.6 ounce (pack of 24)"], "instruction_attributes": ["ready eat"], "instruction_options": ["ranch"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREO3J2W", "worker_id": "A19317A3X87NVM"}, {"asin": "B0037507EE", "instruction": "i am looking for starkist gluten free sweet & spicy tuna salad, 2.6 ounce (pack of 12)", "attributes": ["ready eat", "wild caught", "gluten free"], "options": ["flavor name: sweet & spicy", "size: 2.6 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["sweet & spicy", "2.6 ounce (pack of 12)"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40IQNXY", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B0037507EE", "instruction": "i'm looking for a honey bbq tuna ready to eat 2.6 ounce", "attributes": ["ready eat", "wild caught", "gluten free"], "options": ["flavor name: honey bbq", "size: 2.6 ounce (pack of 24)"], "instruction_attributes": ["ready eat"], "instruction_options": ["honey bbq", "2.6 ounce (pack of 24)"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD38RIP", "worker_id": "A2Y2TURT2VEYZN"}], "B08GK5LX3Q": [{"asin": "B08GK5LX3Q", "instruction": "i want to find a 100-foot long high-speed ethernet cable in an off-white color.", "attributes": ["high speed", "gold plated", "long lasting", "high performance"], "options": ["color: morandi off-white", "size: 100ft"], "instruction_attributes": ["high speed"], "instruction_options": ["morandi off-white", "100ft"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZA9MKY", "worker_id": "A345TDMHP3DQ3G"}], "B01LWKKHU4": [{"asin": "B01LWKKHU4", "instruction": "i'm looking for master cables gold-plated", "attributes": ["gold plated", "1080p hd"], "options": [""], "instruction_attributes": ["gold plated"], "instruction_options": [], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I2XBCM", "worker_id": "A1VMWZ4X201V7H"}], "B092V7C59N": [{"asin": "B092V7C59N", "instruction": "i need a long lasting and high quality nail art kit. it should have all the basic colors.", "attributes": ["long lasting", "easy use", "high quality", "nail art"], "options": ["color: basic colors"], "instruction_attributes": ["long lasting", "high quality", "nail art"], "instruction_options": ["basic colors"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQ6XQSM", "worker_id": "A1NF6PELRKACS9"}], "B07CBKK4CH": [{"asin": "B07CBKK4CH", "instruction": "i am looking for a six pack of wasabi snack mix of mixed nuts.", "attributes": ["low sodium", "protein serving", "low fat", "resealable bag"], "options": ["flavor name: wasabi spicy snack mix", "size: 6 ounce (6 pack)"], "instruction_attributes": ["low sodium"], "instruction_options": ["wasabi spicy snack mix", "6 ounce (6 pack)"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBATEA87", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CBKK4CH", "instruction": "i am looking for a six pack of low sodium wasabi nuts.", "attributes": ["low sodium", "protein serving", "low fat", "resealable bag"], "options": ["flavor name: wasabi spicy snack mix", "size: 7 ounce (6 pack)"], "instruction_attributes": ["low sodium"], "instruction_options": ["wasabi spicy snack mix", "7 ounce (6 pack)"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNI6NTB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09BLV58LQ": [{"asin": "B09BLV58LQ", "instruction": "i'm looking for a over ear bluetooth headphones with stereo sound effect and long lasting battery.", "attributes": ["hands free", "long lasting", "stainless steel", "stereo sound"], "options": [""], "instruction_attributes": ["long lasting", "stereo sound"], "instruction_options": [], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR0S0CL", "worker_id": "AR0VJ5XRG16UJ"}], "B077J12XTH": [{"asin": "B077J12XTH", "instruction": "i need an accent pillow that i can machine wash. get on that is coral blue and is 36\u201d x 36\u201d.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: coral blue", "size: 36\" x 36\""], "instruction_attributes": ["machine washable"], "instruction_options": ["coral blue", "36\" x 36\""], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRMDWPK", "worker_id": "A31PW970Z2PC5P"}], "B09J2G7DD1": [{"asin": "B09J2G7DD1", "instruction": "i need some walking shoes that are non slip and come in a size 7.5.", "attributes": ["non slip", "rubber sole", "comfortable fit", "unique design"], "options": ["size: 7.5"], "instruction_attributes": ["non slip"], "instruction_options": ["7.5"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIB192L", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H2V142R": [{"asin": "B09H2V142R", "instruction": "i want a comfortable fit men's boxers. i am an x-large size.", "attributes": ["comfortable fit", "elastic waistband"], "options": ["color: color21", "size: x-large"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["x-large"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUC13R9", "worker_id": "A1NF6PELRKACS9"}], "B07DFTG99B": [{"asin": "B07DFTG99B", "instruction": "i am looking for a high performance quad core tower computer pc which is certified refurbished.", "attributes": ["certified refurbished", "high performance", "quad core", "core i5", "intel core"], "options": [""], "instruction_attributes": ["certified refurbished", "quad core"], "instruction_options": [], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM9W2I1Q", "worker_id": "A1NF6PELRKACS9"}], "B08DLL59WC": [{"asin": "B08DLL59WC", "instruction": "i want to find a height-adjustable desk chair in the color petal green.", "attributes": ["height adjustable", "mid century", "assembly required", "living room"], "options": ["color: petal green"], "instruction_attributes": ["height adjustable"], "instruction_options": ["petal green"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSENT9GO6", "worker_id": "A345TDMHP3DQ3G"}], "B08P1V6Z83": [{"asin": "B08P1V6Z83", "instruction": "i am looking for a heavy duty and tempered glass screen case cover. choose a red one.", "attributes": ["heavy duty", "tempered glass", "case cover", "glass screen"], "options": ["color: red"], "instruction_attributes": ["heavy duty", "tempered glass", "case cover", "glass screen"], "instruction_options": ["red"], "assignment_id": "3X65QVEQIBXVW21709CD9M35UYFLCR", "worker_id": "A1NF6PELRKACS9"}], "B091JDTFHS": [{"asin": "B091JDTFHS", "instruction": "i need a hand painted vanity light. make sure it is 8.25x33x7 in dimensions.", "attributes": ["hand painted", "vanity light", "glass shade", "living room"], "options": ["size: 8.25x33.00x7.00"], "instruction_attributes": ["hand painted", "vanity light"], "instruction_options": ["8.25x33.00x7.00"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VTUCP32", "worker_id": "A1NF6PELRKACS9"}], "B0758BNGM8": [{"asin": "B0758BNGM8", "instruction": "i want an xx-small sized slim fit button down shirt with long sleeves. pick something in white.", "attributes": ["slim fit", "hand wash", "machine wash", "long sleeve"], "options": ["color: 7#white", "size: xx-small"], "instruction_attributes": ["slim fit", "long sleeve"], "instruction_options": ["7#white", "xx-small"], "assignment_id": "3HPZF4IVNX3FW186JO133U513CSYC3", "worker_id": "A1NF6PELRKACS9"}], "B08PHWFM49": [{"asin": "B08PHWFM49", "instruction": "i am looking for a deep conditioner for natural hair.", "attributes": ["certified organic", "cruelty free", "natural hair"], "options": [""], "instruction_attributes": ["natural hair"], "instruction_options": [], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0UCX76", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BCSFJNN": [{"asin": "B08BCSFJNN", "instruction": "i need a carrying case which is light weight with a mesh pocket. pick a black one.", "attributes": ["water resistant", "light weight", "carrying case", "4g lte"], "options": ["color: black"], "instruction_attributes": ["light weight", "carrying case"], "instruction_options": ["black"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLL803C", "worker_id": "A1NF6PELRKACS9"}], "B08S6LRJGQ": [{"asin": "B08S6LRJGQ", "instruction": "i'm looking for a wall art for living room with ready to hang wood frame which is easy to clean. also, choose art-003m one", "attributes": ["ready hang", "easy clean", "wood frame", "living room"], "options": ["color: art-003m", "size: 16x24"], "instruction_attributes": ["ready hang", "easy clean", "wood frame", "living room"], "instruction_options": ["art-003m"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVFSQ0F", "worker_id": "AR0VJ5XRG16UJ"}], "B07MLHJ6SQ": [{"asin": "B07MLHJ6SQ", "instruction": "i would like some medium brown hair extensions that are 22 inches.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: medium brown", "size: 22 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["medium brown", "22 inch"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BEOX8Z", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07MLHJ6SQ", "instruction": "i am looking for a 16 inch hair extensions storage case.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: platinum blonde mix grey", "size: 16 inch"], "instruction_attributes": ["storage case", "hair extensions"], "instruction_options": ["16 inch"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDPAY88", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07MLHJ6SQ", "instruction": "order me some twelve inch pink hair extensions.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: pink", "size: 12 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["pink", "12 inch"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XOWGNT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07MLHJ6SQ", "instruction": "i would like to buy some 24 inch grey hair extensions.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: grey", "size: 24 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["grey", "24 inch"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6C7BV0I", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07MLHJ6SQ", "instruction": "i want to find some portable 18-inch long hair extensions in the light brown color.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: light brown", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["light brown", "18 inch"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0F91U4L", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07MLHJ6SQ", "instruction": "i am looking to buy grey-body wave, 18 inch hair extensions.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: grey-body wave", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["grey-body wave", "18 inch"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCF4IPW", "worker_id": "A114NK7T5673GK"}, {"asin": "B07MLHJ6SQ", "instruction": "i am looking for a 16 inch hair extensions storage case.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: platinum blonde mix grey", "size: 16 inch"], "instruction_attributes": ["storage case", "hair extensions"], "instruction_options": ["16 inch"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDPAY88", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07MLHJ6SQ", "instruction": "order me some twelve inch pink hair extensions.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: pink", "size: 12 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["pink", "12 inch"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XOWGNT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07MLHJ6SQ", "instruction": "i am looking for this product dustproof non woven portable storage case with wooden hanger for human hair extensions (pink) for dry hair .", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: purple", "size: 20 inch"], "instruction_attributes": ["storage case", "dry hair"], "instruction_options": ["purple"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57IM9I6", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B07MLHJ6SQ", "instruction": "i need to find a dust-proof storage case for my hair extensions that's at least 20 inches long.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: #2p18t6p18", "size: 20 inch"], "instruction_attributes": ["storage case", "hair extensions"], "instruction_options": ["20 inch"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UYM0YP", "worker_id": "A3LIIE572Z4OG7"}], "B0018P0330": [{"asin": "B0018P0330", "instruction": "i am looking for a denim man short regular fit machine wash size 34 regular colour steel black", "attributes": ["machine wash", "imported zipper", "regular fit"], "options": ["color: steel black", "fit type: 505 regular", "size: 34 regular"], "instruction_attributes": ["machine wash", "regular fit"], "instruction_options": ["steel black", "34 regular"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2VK537", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B0018P0330", "instruction": "i want medium stonewash levi's men's 505 regular fit shorts.", "attributes": ["machine wash", "imported zipper", "regular fit"], "options": ["color: medium stonewash", "fit type: 405 standard", "size: 44"], "instruction_attributes": [], "instruction_options": ["medium stonewash"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34K641E", "worker_id": "A2RBF3IIJP15IH"}], "B097WYZMV6": [{"asin": "B097WYZMV6", "instruction": "i am looking for a high quality, travel size eau de parfum for women.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: calvin klein eternity aqua for men impre..."], "instruction_attributes": ["travel size", "high quality"], "instruction_options": [], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5K75FW", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B097WYZMV6", "instruction": "i looking women's parfume travel size high quality long lasting scent: clinique happy heart impression", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: clinique happy heart impression"], "instruction_attributes": ["travel size", "high quality", "long lasting"], "instruction_options": ["clinique happy heart impression"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR330AR", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B097WYZMV6", "instruction": "i'm looking for the marc jacobs daisy eau so fresh impression perfume in a travel size.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: marc jacobs daisy eau so fresh impressio..."], "instruction_attributes": ["travel size"], "instruction_options": ["marc jacobs daisy eau so fresh impressio..."], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZNKR7H", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B097WYZMV6", "instruction": "i'm looking for alcohol free high quality scent. its contain travel sized.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: escada especially impression"], "instruction_attributes": ["travel size", "alcohol free", "high quality"], "instruction_options": ["escada especially impression"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYIA6L2", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B097WYZMV6", "instruction": "the flowers are chosen for their delicate fragrance hight quality and scent is amber romance perfume", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: amber romance perfume"], "instruction_attributes": ["high quality"], "instruction_options": ["amber romance perfume"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISWROYI", "worker_id": "ASL9LVC97FUCZ"}], "B005KP473Q": [{"asin": "B005KP473Q", "instruction": "i want a quick release tripod with bag. pick the 2 pack option.", "attributes": ["quick release", "carrying case"], "options": ["style: 2-pack"], "instruction_attributes": ["quick release"], "instruction_options": ["2-pack"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BO5GNO6", "worker_id": "A1NF6PELRKACS9"}], "B097KHTHNR": [{"asin": "B097KHTHNR", "instruction": "i need an easy to clean exfoliating back scrubber. pick a pink one.", "attributes": ["easy clean", "dead skin"], "options": ["color: pink", "size: exfoliating back scrubber"], "instruction_attributes": ["easy clean"], "instruction_options": ["pink", "exfoliating back scrubber"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FATLEL", "worker_id": "A1NF6PELRKACS9"}], "B09NKS7WX3": [{"asin": "B09NKS7WX3", "instruction": "i need an easy carry hair ball trimmer for clothes. it should be green in color.", "attributes": ["easy carry", "hair removal"], "options": ["color: green"], "instruction_attributes": ["easy carry"], "instruction_options": ["green"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFMU3ED", "worker_id": "A1NF6PELRKACS9"}], "B07SHWM3BX": [{"asin": "B07SHWM3BX", "instruction": "i am looking for a grey color day comfort golf shoes for men.", "attributes": ["day comfort", "ethylene vinyl", "vinyl acetate"], "options": ["color: grey", "size: 7", "style name: tech response spikeless"], "instruction_attributes": ["day comfort"], "instruction_options": ["grey"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4AO51V", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07SHWM3BX", "instruction": "i'm looking for tech response shoes by adidas in black size 11 for day comfort", "attributes": ["day comfort", "ethylene vinyl", "vinyl acetate"], "options": ["color: black", "size: 11", "style name: tech response golf shoes"], "instruction_attributes": ["day comfort"], "instruction_options": ["black", "11", "tech response golf shoes"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS3UG9H", "worker_id": "A2Y2TURT2VEYZN"}], "B01LY8EQIP": [{"asin": "B01LY8EQIP", "instruction": "i want a non diary snack with caramelized nuts. pick the 2 pound pack.", "attributes": ["non dairy", "non gmo"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["non dairy"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWTCC1G", "worker_id": "A1NF6PELRKACS9"}], "B0764GPB51": [{"asin": "B0764GPB51", "instruction": "i need a plant based, soy free protein shake. pick the smooth vanilla flavor.", "attributes": ["soy free", "non gmo", "low sugar", "gluten free", "shelf stable", "nut free", "plant based", "dairy free", "artificial colors"], "options": ["flavor name: smooth vanilla"], "instruction_attributes": ["soy free", "plant based"], "instruction_options": ["smooth vanilla"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PCXWINN", "worker_id": "A1NF6PELRKACS9"}], "B092JJ1S24": [{"asin": "B092JJ1S24", "instruction": "i would like a desktop tower that has a core i5 processor with 16 gb ddr4 ram, and has 256gb of storage.", "attributes": ["core i5", "intel core"], "options": ["size: 16gb ddr4 ram, 256gb pcie ssd + 1tb hdd"], "instruction_attributes": ["core i5"], "instruction_options": ["16gb ddr4 ram, 256gb pcie ssd + 1tb hdd"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXKHYLS", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B092JJ1S24", "instruction": "i would like a core i5 tower that has 64 gb of ram, and 3tb of storage.", "attributes": ["core i5", "intel core"], "options": ["size: 64gb ddr4 ram, 2tb pcie ssd + 1tb hdd"], "instruction_attributes": ["core i5"], "instruction_options": ["64gb ddr4 ram, 2tb pcie ssd + 1tb hdd"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VGS068", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NM27BY6": [{"asin": "B09NM27BY6", "instruction": "i need a ready to hang portrait art of a dancing lady for the wall. pick one that is 20x20 inch.", "attributes": ["ready hang", "living room"], "options": ["color: dancing lady", "size: 20x20 inch"], "instruction_attributes": ["ready hang"], "instruction_options": ["dancing lady", "20x20 inch"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455RZKTYB", "worker_id": "A1NF6PELRKACS9"}], "B07BCQ6ZCD": [{"asin": "B07BCQ6ZCD", "instruction": "i'm looking for xx-large machine wash sleep & lounge sets.", "attributes": ["wash cold", "machine wash", "relaxed fit", "tumble dry"], "options": ["color: with gray camo pant", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["xx-large"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E395LCZV", "worker_id": "A9QRQL9CFJBI7"}], "B07RWT729V": [{"asin": "B07RWT729V", "instruction": "i want a water resistant carrying case for my hard drive. pick something in teal.", "attributes": ["water resistant", "heavy duty", "carrying case"], "options": ["color: teal"], "instruction_attributes": ["water resistant", "carrying case"], "instruction_options": ["teal"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AJSBWA", "worker_id": "A1NF6PELRKACS9"}], "B08NLC4MKF": [{"asin": "B08NLC4MKF", "instruction": "i am looking for frozen meals that is grass fed and gluten free. i want it in beef variety pack flavor.", "attributes": ["grass fed", "gluten free", "quality ingredients"], "options": ["flavor name: beef variety pack", "size: 11 ounce (pack of 10)"], "instruction_attributes": ["grass fed", "gluten free"], "instruction_options": ["beef variety pack"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YSTHEH", "worker_id": "A1NF6PELRKACS9"}], "B09NYH4HJY": [{"asin": "B09NYH4HJY", "instruction": "i am looking for a blue high waist legging for women.", "attributes": ["butt lifting", "day comfort", "tummy control", "high waist"], "options": ["color: blue", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": [], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SP4TQ7", "worker_id": "A9QRQL9CFJBI7"}], "B08F1V4JTR": [{"asin": "B08F1V4JTR", "instruction": "i need high quality hair extensions that is 18 inches in length.", "attributes": ["high quality", "hair extensions", "hair salon"], "options": ["color: balayage ombre brown to dirty blonde#2 | 6 | 18", "size: 18 inch"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["18 inch"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZC6C71", "worker_id": "A1NF6PELRKACS9"}], "B0843R2PHK": [{"asin": "B0843R2PHK", "instruction": "i'm looking for a 128 ounce (pack of 1) of shelf-stable, keto-friendly, and gluten-free almond milk.", "attributes": ["plant based", "keto friendly", "non dairy", "gluten free", "shelf stable", "non gmo"], "options": ["flavor name: cashew", "size: 128 ounce (pack of 1)"], "instruction_attributes": ["keto friendly", "gluten free", "shelf stable"], "instruction_options": ["128 ounce (pack of 1)"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZRCCND", "worker_id": "A9QRQL9CFJBI7"}], "B086FXMWDM": [{"asin": "B086FXMWDM", "instruction": "look for a caffeine and gluten free herbal drink. i like mixed berry flavor.", "attributes": ["non alcoholic", "caffeine free", "gluten free", "non gmo", "zero sugar"], "options": ["flavor name: mixed berry", "size: 8.5 fl oz (pack of 6)"], "instruction_attributes": ["caffeine free", "gluten free"], "instruction_options": ["mixed berry"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY18T807", "worker_id": "A1NF6PELRKACS9"}], "B088WG813M": [{"asin": "B088WG813M", "instruction": "i am looking for travel size hipster scent 0.5 oz.", "attributes": ["cruelty free", "animal testing", "travel size"], "options": ["scent: hipster"], "instruction_attributes": [], "instruction_options": ["hipster"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZBMMKD", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B088WG813M", "instruction": "i want a socialite scented floral fragrance that comes in travel size. make sure it is a cruelty free product.", "attributes": ["cruelty free", "animal testing", "travel size"], "options": ["scent: socialite"], "instruction_attributes": ["cruelty free", "travel size"], "instruction_options": ["socialite"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFVY3EZ", "worker_id": "A1NF6PELRKACS9"}], "B005OPP2AY": [{"asin": "B005OPP2AY", "instruction": "i need a long lasting fragrance gift set for women.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YWYN4T3", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B005OPP2AY", "instruction": "i am interested in a long lasting perfume set.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2PB5M3", "worker_id": "A2ECRNQ3X5LEXD"}], "B00JJYHPCY": [{"asin": "B00JJYHPCY", "instruction": "get me some low carb sun dried tomatoes. it should have the flavor of plantain chips.", "attributes": ["low carb", "non gmo"], "options": ["flavor: plantain chips", "size: 1 pound (pack of 1)"], "instruction_attributes": ["low carb"], "instruction_options": ["plantain chips"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI7Z7ZGQ", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B00JJYHPCY", "instruction": "i need non gmo sundried tomatoes in a 32 oz container", "attributes": ["low carb", "non gmo"], "options": ["flavor: plantain chips", "size: 32 ounce"], "instruction_attributes": ["non gmo"], "instruction_options": ["32 ounce"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3XJQ78", "worker_id": "A2ECRNQ3X5LEXD"}], "B091TKY6K7": [{"asin": "B091TKY6K7", "instruction": "find me a t shirt dress with ruffle sleeves and elastic closure. pick a green dress.", "attributes": ["hand wash", "elastic closure"], "options": ["color: green", "size: xx-large"], "instruction_attributes": ["elastic closure"], "instruction_options": ["green"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VCC60Q", "worker_id": "A1NF6PELRKACS9"}], "B09KM5FFBG": [{"asin": "B09KM5FFBG", "instruction": "a double sided soft fleence cozy warm light weighted throw blanket also colour is yellow", "attributes": ["double sided", "living room"], "options": ["color: k"], "instruction_attributes": ["double sided"], "instruction_options": ["k"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HRC1DP", "worker_id": "A3N9ZYQAESNFQH"}], "B097F83XBH": [{"asin": "B097F83XBH", "instruction": "i need a golden color cupcake toppers for my wife's birth day party", "attributes": ["birthday party", "cupcake picks"], "options": ["color: gold"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A67UEVU", "worker_id": "A2COCSUGZV28X"}], "B09HC7FPDC": [{"asin": "B09HC7FPDC", "instruction": "i am looking for winter warm ankle boots for women. my size is 7.5.", "attributes": ["knee high", "winter warm", "day comfort", "slip resistant", "anti slip", "high heel", "quality materials"], "options": ["color: z1 pink", "size: 7.5"], "instruction_attributes": ["winter warm"], "instruction_options": ["7.5"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINO7272", "worker_id": "A1NF6PELRKACS9"}], "B007JAY028": [{"asin": "B007JAY028", "instruction": "i would like a low sodium and sugar free grape drink in 10 pack boxes.", "attributes": ["low sodium", "sugar free", "natural flavors"], "options": [""], "instruction_attributes": ["low sodium", "sugar free"], "instruction_options": [], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0MUW5G", "worker_id": "A1NF6PELRKACS9"}], "B099MXGC6W": [{"asin": "B099MXGC6W", "instruction": "i am looking for an iphone case that is wireless charging compatible and is rainbow colored.", "attributes": ["compatible apple", "wireless charging"], "options": ["color: rainbow"], "instruction_attributes": ["wireless charging"], "instruction_options": ["rainbow"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZVLISE", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QPP8J2M": [{"asin": "B09QPP8J2M", "instruction": "i am looking for 6 pack of gluten free and low calorie green tea kelp noodles.", "attributes": ["gluten free", "low calorie", "low carb"], "options": ["flavor name: green tea kelp noodles", "size: 6 pack"], "instruction_attributes": ["gluten free", "low calorie"], "instruction_options": ["green tea kelp noodles", "6 pack"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FAG4UC", "worker_id": "A9QRQL9CFJBI7"}], "B08XVW565D": [{"asin": "B08XVW565D", "instruction": "i am looking for a red-2pcs manual toothbrushes with oral hygiene.", "attributes": ["bpa free", "non slip", "oral hygiene"], "options": ["color: red-2pcs"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["red-2pcs"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WK8427", "worker_id": "A9QRQL9CFJBI7"}], "B078N8NCB9": [{"asin": "B078N8NCB9", "instruction": "i'm looking for a king-sized 8-inch mattress foundation with box springs.", "attributes": ["ready use", "fully assembled", "twin size", "assembly required", "box spring"], "options": ["size: king", "style: 8\" foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["king", "8\" foundation"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJX77JUJ", "worker_id": "A345TDMHP3DQ3G"}], "B01LPCLEWY": [{"asin": "B01LPCLEWY", "instruction": "i am looking for a low carbohydrates protein bar with package of 12 counts.", "attributes": ["low carb", "gluten free"], "options": ["size: 12 count", "style: \"chocolate dessert"], "instruction_attributes": ["low carb"], "instruction_options": ["12 count"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGGEIYP", "worker_id": "A2HMEGTAFO0CS8"}], "B09K7FFJGJ": [{"asin": "B09K7FFJGJ", "instruction": "i need a screen protector that is easy to install and is 41mm in size.", "attributes": ["easy install", "compatible apple", "high resolution", "glass screen", "tempered glass"], "options": ["size: 41 mm"], "instruction_attributes": ["easy install"], "instruction_options": ["41 mm"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOHWX6HH", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HH5311B": [{"asin": "B09HH5311B", "instruction": "i am looking for a size 9.5 casual walking shoes for men, which should have a unique design and should fit comfortably. i will prefer this to have a rubber sole which should be non slippery.", "attributes": ["non slip", "rubber sole", "comfortable fit", "unique design"], "options": ["size: 9.5"], "instruction_attributes": ["non slip", "rubber sole", "comfortable fit", "unique design"], "instruction_options": ["9.5"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0U7R3AD", "worker_id": "ASWFLI3N8X72G"}], "B01N4QXNL5": [{"asin": "B01N4QXNL5", "instruction": "i want to find a dining room wood counter height stool. also, choose the light cherry one.", "attributes": ["wood finish", "contemporary style", "dining room"], "options": ["color: light cherry"], "instruction_attributes": ["dining room"], "instruction_options": ["light cherry"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCW7ZGG0", "worker_id": "A9ZM1P6LBW79"}], "B09MV6XLSL": [{"asin": "B09MV6XLSL", "instruction": "i'm looking for a 1 dozen nut free dessert gifts.", "attributes": ["nut free", "individually wrapped"], "options": ["size: 1 dozen"], "instruction_attributes": ["nut free"], "instruction_options": ["1 dozen"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0QTW45", "worker_id": "A9QRQL9CFJBI7"}], "B000VYP4EW": [{"asin": "B000VYP4EW", "instruction": "i need a rich creamy chai tea that is spicy and gluten free. pick the tortoise green tea flavor.", "attributes": ["rich creamy", "easy prepare", "gluten free"], "options": ["flavor name: tortoise green tea", "size: 48 ounce (pack of 1)"], "instruction_attributes": ["rich creamy", "gluten free"], "instruction_options": ["tortoise green tea"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZ6LKLY", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B000VYP4EW", "instruction": "i am looking for gluten free chai, please choose orca spice flavor.", "attributes": ["rich creamy", "easy prepare", "gluten free"], "options": ["flavor name: orca spice", "size: 64 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["orca spice"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC3TNI1", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B000VYP4EW", "instruction": "i would like a 11.9 ounce maple moose rich and creamy chai tea.", "attributes": ["rich creamy", "easy prepare", "gluten free"], "options": ["flavor name: maple moose", "size: 11.9 ounce (pack of 1)"], "instruction_attributes": ["rich creamy"], "instruction_options": ["maple moose", "11.9 ounce (pack of 1)"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMSS9WJ", "worker_id": "A1WS884SI0SLO4"}], "B089Z47324": [{"asin": "B089Z47324", "instruction": "i want a sugar free paddy syrup that is keto friendly. i like the macadamia nut flavor.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: macadamia nut", "size: 12.7 ounce"], "instruction_attributes": ["sugar free", "keto friendly"], "instruction_options": ["macadamia nut"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BO5WONN", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B089Z47324", "instruction": "i am looking for sugar free madagascar vanilla flavored peppermint paddy syrup, 64 ounce (pack of 6)", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: madagascar vanilla", "size: 64 ounce (pack of 6)"], "instruction_attributes": ["sugar free"], "instruction_options": ["madagascar vanilla", "64 ounce (pack of 6)"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KDBC641", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B089Z47324", "instruction": "i need davinci gourmet sugar-free cherry syrup.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: cherry", "size: 12.7 ounce"], "instruction_attributes": ["sugar free"], "instruction_options": ["cherry"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22JKW8L", "worker_id": "A2RBF3IIJP15IH"}], "B09HDTL3X9": [{"asin": "B09HDTL3X9", "instruction": "i need an iphone case that is easy to install and use. i am looking for something in green marble gold.", "attributes": ["easy install", "easy use", "wireless charging"], "options": ["color: green marble gold", "size: iphone xs max\uff086.5 inch\uff09"], "instruction_attributes": ["easy install", "easy use"], "instruction_options": ["green marble gold"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R12GI27", "worker_id": "A1NF6PELRKACS9"}], "B07MV93XNN": [{"asin": "B07MV93XNN", "instruction": "i am looking for a mid century wood end table lamb with usb charging port .", "attributes": ["mid century", "living room"], "options": ["color: wood"], "instruction_attributes": ["mid century"], "instruction_options": ["wood"], "assignment_id": "31JLPPHS254FPN8LK8H48035JQ83OT", "worker_id": "AHU9OLV0YKIIW"}], "B08Q7W5HZ9": [{"asin": "B08Q7W5HZ9", "instruction": "i want to find a two-pack of white coaxial cables that are plated with gold.", "attributes": ["gold plated", "coaxial cable"], "options": ["color: white", "number of items: 2"], "instruction_attributes": ["gold plated", "coaxial cable"], "instruction_options": ["white", "2"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKC447HY", "worker_id": "A345TDMHP3DQ3G"}], "B09LCDCFNN": [{"asin": "B09LCDCFNN", "instruction": "i need an easy to use breath freshener spray to eliminate bad breath. pick a white one.", "attributes": ["easy use", "tea tree", "natural ingredients", "bad breath"], "options": ["color: white"], "instruction_attributes": ["easy use", "bad breath"], "instruction_options": ["white"], "assignment_id": "3N8OEVH1F204BC17361WW31GEH4OO9", "worker_id": "A1NF6PELRKACS9"}], "B000ILMQL2": [{"asin": "B000ILMQL2", "instruction": "i need a kosher certified popcorn seasoning that has kettle corn flavor. get the pack of 6 of 2.8 ounce each", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: kettle corn", "size: 2.8 ounce (pack of 6)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["kettle corn", "2.8 ounce (pack of 6)"], "assignment_id": "3URFVVM16GSBNLZB11OMB709G54ZU4", "worker_id": "A2COCSUGZV28X"}, {"asin": "B000ILMQL2", "instruction": "i'm looking for gluten free it has high protein and it has health and it is easy to use.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: cheesy jalapeno", "size: 3 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["cheesy jalapeno"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7X0KTZC", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B000ILMQL2", "instruction": "i am looking for popcorn seasoning of popcorn salt flavor that is gluten free.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: popcorn salt", "size: 3 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["popcorn salt"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S34GML", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B000ILMQL2", "instruction": "i want a gluten free popcorn seasoning that has a flavor of sour cream and onion.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: sour cream & onion", "size: 2.8 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["sour cream & onion"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P783VSW", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B000ILMQL2", "instruction": "i want gluten free kernel season's kettle corn popcorn seasoning.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: kettle-corn", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["kettle-corn"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAJ4OVW", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000ILMQL2", "instruction": "looking for kosher certified butter popcorn salt also choose color butter", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: butter", "size: 3.75 ounce (pack of 6)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["butter"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21QLQF5", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B000ILMQL2", "instruction": "i want gluten free kernel season's cheesy caramel corn seasoning.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: cheesy caramel corn", "size: 3.75 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["cheesy caramel corn"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWJNGGC", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000ILMQL2", "instruction": "i would like some butter flavored popcorn salt that comes in a four pack.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: butter", "size: 3.75 ounce (pack of 6)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["butter", "3.75 ounce (pack of 6)"], "assignment_id": "3X08E93BH6SOX0PZ3ET8Y3TY8MU661", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000ILMQL2", "instruction": "i want gluten free kernel season's chili lime popcorn seasoning.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: chili lime", "size: 3.5 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["chili lime"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y6IVID", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000ILMQL2", "instruction": "i need gluten free popcorn seasoning. make it the ranch flavored.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: ranch", "size: 2.85 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["ranch"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8BHUXP", "worker_id": "A31PW970Z2PC5P"}, {"asin": "B000ILMQL2", "instruction": "i am looking kosher certified gluten free sour cream & onion flavor popcorn seasoning", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: sour cream & onion", "size: variety 1"], "instruction_attributes": ["kosher certified", "gluten free"], "instruction_options": ["sour cream & onion"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIUUTMJ", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B000ILMQL2", "instruction": "i need gluten free kernel season's popcorn seasoning, sour cream & onion, 2.7 ounce (pack of 6).", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: sour cream & onion", "size: 2.7 ounce (pack of 6)"], "instruction_attributes": ["gluten free", "0g trans"], "instruction_options": ["sour cream & onion", "2.7 ounce (pack of 6)"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F20BHO9", "worker_id": "A15IJ20C3R4HUO"}], "B09PHJHJXR": [{"asin": "B09PHJHJXR", "instruction": "i want a red colour loose fit tee top blouse having long sleeve xx -large", "attributes": ["loose fit", "long sleeve", "short sleeve"], "options": ["color: red", "size: xx-large"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["red", "xx-large"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKKGSGN", "worker_id": "A3N9ZYQAESNFQH"}], "B09G78QM39": [{"asin": "B09G78QM39", "instruction": "i am looking for chair provides optimal support throughout your workday with height adjustable and lumbar support of vari essential task chair in grey color.", "attributes": ["height adjustable", "lumbar support"], "options": ["color: grey", "style: essential task chair"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": ["grey", "essential task chair"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCL45QC", "worker_id": "A1DRKZ3SCLAS4V"}, {"asin": "B09G78QM39", "instruction": "i am looking for a black task chair which is height adjustable and has a good lumbar support.", "attributes": ["height adjustable", "lumbar support"], "options": ["color: black", "style: task chair"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": ["black", "task chair"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJGKGDT", "worker_id": "AHU9OLV0YKIIW"}], "B08VFHCPBR": [{"asin": "B08VFHCPBR", "instruction": "i want a twin size comforter for boys with a video game theme. pick a full size one.", "attributes": ["twin size", "machine washable", "easy clean", "printing technology"], "options": ["color: cay127", "size: full"], "instruction_attributes": ["twin size"], "instruction_options": ["full"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME9YN2D6", "worker_id": "A1NF6PELRKACS9"}], "B09CTBHCTM": [{"asin": "B09CTBHCTM", "instruction": "i'm looking for an office file cabinet that's easy to assemble and has a lot of shelves for storage space.", "attributes": ["easy assemble", "storage space"], "options": [""], "instruction_attributes": ["easy assemble", "storage space"], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8NYZT7U", "worker_id": "A345TDMHP3DQ3G"}], "B09NKQYKV2": [{"asin": "B09NKQYKV2", "instruction": "i'd like to buy a 7-inch 1024600 red tablet with a long lasting quad core processor.", "attributes": ["long lasting", "quad core"], "options": ["color: red"], "instruction_attributes": ["long lasting", "quad core"], "instruction_options": ["red"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YALPNY", "worker_id": "A1HMZJ59OPLD1P"}], "B09965PF36": [{"asin": "B09965PF36", "instruction": "i'm looking for women's open toe, slim fit high heels sandals with leather sole. also, choose size 8 with white colored one.", "attributes": ["open toe", "slim fit", "leather sole", "long sleeve"], "options": ["color: white", "size: 8"], "instruction_attributes": ["open toe", "slim fit", "leather sole"], "instruction_options": ["white", "8"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGEU2WG", "worker_id": "AR0VJ5XRG16UJ"}], "B09MRFPDB3": [{"asin": "B09MRFPDB3", "instruction": "i need new clear 1.5mm table pads that are easy to clean and are 20 by 72 inches.", "attributes": ["easy clean", "heavy duty", "dining room"], "options": ["color: new clear 1.5mm", "size: 20 x 72 inch"], "instruction_attributes": ["easy clean"], "instruction_options": ["new clear 1.5mm", "20 x 72 inch"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMCLVXY", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09MRFPDB3", "instruction": "i am looking for 42x60 inch plastic table cover for dining room.", "attributes": ["easy clean", "heavy duty", "dining room"], "options": ["color: clear 1.5mm", "size: 42 x 60 inch"], "instruction_attributes": ["dining room"], "instruction_options": ["42 x 60 inch"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWU9FPD", "worker_id": "A3FG5PQHG5AH3Y"}], "B07CZ5QDDL": [{"asin": "B07CZ5QDDL", "instruction": "i need organic bay leaf that is 4 oz.", "attributes": ["certified organic", "non gmo", "gluten free"], "options": ["flavor name: fennel seed whole", "size: 4 ounce (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["4 ounce (pack of 1)"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRKM2Y3", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CZ5QDDL", "instruction": "i would like a 12 ounce pack of whole fennel seeds that are certified organic.", "attributes": ["certified organic", "non gmo", "gluten free"], "options": ["flavor name: fennel seed whole", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["fennel seed whole", "12 ounce (pack of 1)"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN69NG56", "worker_id": "A1WS884SI0SLO4"}], "B083QDVTFW": [{"asin": "B083QDVTFW", "instruction": "i need a wall mounted table that can be folded. also, the dimensions should be 70x50x30 cm.", "attributes": ["wall mounted", "easy clean"], "options": ["color: a", "size: 70\u00d750\u00d730cm"], "instruction_attributes": ["wall mounted"], "instruction_options": ["70\u00d750\u00d730cm"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1FG6FB", "worker_id": "A1NF6PELRKACS9"}], "B09L8H3BZL": [{"asin": "B09L8H3BZL", "instruction": "i need a nail art pen which is easy to carry and comes in 12 colors. make sure it has gold and silver color too.", "attributes": ["easy carry", "nail polish", "nail art"], "options": ["color: d"], "instruction_attributes": ["easy carry", "nail art"], "instruction_options": [], "assignment_id": "39LNWE0K456PSVA11X00BCXJKS9UI9", "worker_id": "A1NF6PELRKACS9"}], "B089CP2VD9": [{"asin": "B089CP2VD9", "instruction": "i am looking for heavy duty coaxial cables that are 35 feet long.", "attributes": ["heavy duty", "4g lte"], "options": ["size: 35ft"], "instruction_attributes": ["heavy duty"], "instruction_options": ["35ft"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDS3ICO", "worker_id": "A2ECRNQ3X5LEXD"}], "B074W2L1YN": [{"asin": "B074W2L1YN", "instruction": "i am looking fluoride free plant based natural ingredient coconut mint toothpaste size 5 oz", "attributes": ["fluoride free", "plant based", "sulfate free", "natural ingredients", "bad breath"], "options": ["color: coconut mint 5oz (3-pack)", "size: 2 ounce"], "instruction_attributes": ["fluoride free", "plant based", "natural ingredients", "bad breath"], "instruction_options": ["coconut mint 5oz (3-pack)"], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YGRY55K", "worker_id": "A3N9ZYQAESNFQH"}], "B07HFLFLWS": [{"asin": "B07HFLFLWS", "instruction": "i am looking for a king size headboards & footboards.", "attributes": ["solid wood", "king size"], "options": ["color: summer mix", "size: king"], "instruction_attributes": ["king size"], "instruction_options": ["king"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L445RQQ", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07HFLFLWS", "instruction": "i want to find king size headboard, hanger style, in summer mix color for a double bedroom.", "attributes": ["solid wood", "king size"], "options": ["color: summer mix", "size: sample"], "instruction_attributes": ["king size"], "instruction_options": ["summer mix"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKXPDNR", "worker_id": "A15IJ20C3R4HUO"}], "B09QPN339F": [{"asin": "B09QPN339F", "instruction": "i am looking for open toe sandals with an ankle strap. i want it in size 10.", "attributes": ["open toe", "leather sole", "ankle strap"], "options": ["color: sandals 06 khaki", "size: 10"], "instruction_attributes": ["open toe", "ankle strap"], "instruction_options": ["10"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MG2OFC", "worker_id": "A1NF6PELRKACS9"}], "B08R5R1239": [{"asin": "B08R5R1239", "instruction": "i'd like to find 22-inch long wavy hair extensions. the color needs to be ash blonde mixed with beach blonde.", "attributes": ["double sided", "sulfate free", "hair extensions"], "options": ["color: wavy ash blonde mixed bleach blonde #18&613", "size: 22 inch (30 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["wavy ash blonde mixed bleach blonde #18&613", "22 inch (30 gram)"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ3EUWN", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08R5R1239", "instruction": "i'm looking for black hair double sided hair extensions need to buy.", "attributes": ["double sided", "sulfate free", "hair extensions"], "options": ["color: wavy off black #1b", "size: 18 inch(30 gram)"], "instruction_attributes": ["double sided", "hair extensions"], "instruction_options": ["wavy off black #1b"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCI6SJC", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08R5R1239", "instruction": "i am looking for a tape in hair extension human hair 16\u201d and it should be ash blonde -mixed bleach blonde.", "attributes": ["double sided", "sulfate free", "hair extensions"], "options": ["color: ash blonde mixed bleach blonde #18&613", "size: 16 inch(100 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["ash blonde mixed bleach blonde #18&613", "16 inch(100 gram)"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VKZ06N", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B08R5R1239", "instruction": "i am looking for 12 inch double sided hair extensions. also pick a dark brown color.", "attributes": ["double sided", "sulfate free", "hair extensions"], "options": ["color: dark brown #2", "size: 12 inch(40 gram)"], "instruction_attributes": ["double sided", "hair extensions"], "instruction_options": ["dark brown #2", "12 inch(40 gram)"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF5SLD6", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B08R5R1239", "instruction": "i am looking for dark brown human hair extensions with double sided tap.", "attributes": ["double sided", "sulfate free", "hair extensions"], "options": ["color: wavy dark brown #2", "size: 14 inch(80 gram)"], "instruction_attributes": ["double sided", "hair extensions"], "instruction_options": ["wavy dark brown #2"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTGH5DT", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B08R5R1239", "instruction": "i am looking for 22 inch seamless hair extensions.", "attributes": ["double sided", "sulfate free", "hair extensions"], "options": ["color: dark brown to light brown #2-6", "size: 22 inch(50 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["22 inch(50 gram)"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X5NPGS", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08R5R1239", "instruction": "i want to find hair extensions that are 12 inches long in a medium brown color.", "attributes": ["double sided", "sulfate free", "hair extensions"], "options": ["color: medium brown #4", "size: 12 inch(80 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["medium brown #4", "12 inch(80 gram)"], "assignment_id": "3634BBTX0Z409DDB6851PCWGACZFIE", "worker_id": "A345TDMHP3DQ3G"}], "B005IYRY16": [{"asin": "B005IYRY16", "instruction": "i would like some straight leg jeans that are ric and are in the size 46w by 29l.", "attributes": ["straight leg", "loose fit", "machine wash", "imported zipper", "cotton spandex", "button closure"], "options": ["color: ric", "size: 46w x 29l"], "instruction_attributes": ["straight leg"], "instruction_options": ["ric", "46w x 29l"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMS43W2", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PNGYWZ4": [{"asin": "B09PNGYWZ4", "instruction": "i am looking for a 4x-large regular fit henley shirts for men.", "attributes": ["fleece lined", "long sleeve", "short sleeve", "regular fit"], "options": ["color: black", "size: 4x-large"], "instruction_attributes": ["regular fit"], "instruction_options": ["4x-large"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TF23NB", "worker_id": "A9QRQL9CFJBI7"}], "B097WQNRSP": [{"asin": "B097WQNRSP", "instruction": "i am looking for long lasting , high quality spray of ca perfume impression which is alcohol free and easy to carry in purse or travel bag in handy all day long. jo malone velvet rose & oud impression preferable.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: jo malone velvet rose & oud impression"], "instruction_attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "instruction_options": ["jo malone velvet rose & oud impression"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ5YCKCP", "worker_id": "A1DRKZ3SCLAS4V"}, {"asin": "B097WQNRSP", "instruction": "i would like to buy a travel size bottle of gucci bamboo impression perfume.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: gucci bamboo impression"], "instruction_attributes": ["travel size"], "instruction_options": ["gucci bamboo impression"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OD7RTB", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B097WQNRSP", "instruction": "i want to buy a christian dior eau sauvage perfume from 2017 that's alcohol-free and travel size.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: christian dior eau sauvage parfum 2017 i..."], "instruction_attributes": ["travel size", "alcohol free"], "instruction_options": ["christian dior eau sauvage parfum 2017 i..."], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB4AZAQ3", "worker_id": "A2YNPKYEFDZ6C9"}], "B098Q9HTDW": [{"asin": "B098Q9HTDW", "instruction": "i want to find a 16.53 inch wall lamp featuring a brushed nickel finish.", "attributes": ["wall mounted", "brushed nickel", "nickel finish"], "options": ["color: 14w 3000k-nickel-d", "size: 16.53 inches"], "instruction_attributes": ["wall mounted", "brushed nickel", "nickel finish"], "instruction_options": ["14w 3000k-nickel-d", "16.53 inches"], "assignment_id": "39K0FND3ASPR95MUG7H134S6UYFMAJ", "worker_id": "A345TDMHP3DQ3G"}], "B00BM1WO7I": [{"asin": "B00BM1WO7I", "instruction": "i'm looking for a alcohol free concealers & neutralizers of cacao color.", "attributes": ["alcohol free", "fragrance free", "paraben free"], "options": ["color: cacao"], "instruction_attributes": ["alcohol free"], "instruction_options": ["cacao"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHA1ROD2", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B00BM1WO7I", "instruction": "i am looking for honey color alcohol free creamy concealer", "attributes": ["alcohol free", "fragrance free", "paraben free"], "options": ["color: honey"], "instruction_attributes": ["alcohol free"], "instruction_options": ["honey"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFAJVLY", "worker_id": "A258PTOZ3D2TQR"}], "B08P65RN3T": [{"asin": "B08P65RN3T", "instruction": "i need loafers that are a size 12 and have a rubber sole.", "attributes": ["day comfort", "memory foam", "rubber outsole", "rubber sole"], "options": ["size: 12"], "instruction_attributes": ["rubber sole"], "instruction_options": ["12"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TLV5RV3", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BMP61RP": [{"asin": "B08BMP61RP", "instruction": "find me a caffeine free and sugar free herbal tea bags 5 nos for good health", "attributes": ["caffeine free", "non dairy", "low calorie", "sugar free", "plant based", "artificial flavors"], "options": [""], "instruction_attributes": ["sugar free"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P3GUBT", "worker_id": "A258PTOZ3D2TQR"}], "B0038U0XRE": [{"asin": "B0038U0XRE", "instruction": "find me a sulfate free shampoo for repairing my damaged hair.", "attributes": ["certified organic", "sulfate free", "cruelty free", "damaged hair"], "options": [""], "instruction_attributes": ["sulfate free", "damaged hair"], "instruction_options": [], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZAM7AX", "worker_id": "A1NF6PELRKACS9"}], "B001NL3RVO": [{"asin": "B001NL3RVO", "instruction": "looking for a short shleev shirt sunsit colour button closure also size 2x", "attributes": ["short sleeve", "relaxed fit", "button closure"], "options": ["color: sunlit", "size: 2x"], "instruction_attributes": ["short sleeve", "button closure"], "instruction_options": ["sunlit", "2x"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWJ6FPO", "worker_id": "A3N9ZYQAESNFQH"}], "B095SZDXK8": [{"asin": "B095SZDXK8", "instruction": "i want an easy to use pillow speaker for my mp3 phone. it should be 3.5mm in size", "attributes": ["easy carry", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9D06KK", "worker_id": "A1NF6PELRKACS9"}], "B09PZ6TPFL": [{"asin": "B09PZ6TPFL", "instruction": "i am looking for a long lasting highlighters & luminizers. also choose the pattern 03#", "attributes": ["long lasting", "easy carry"], "options": ["pattern name: 03#"], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA0ES25", "worker_id": "A9QRQL9CFJBI7"}], "B097M755ZT": [{"asin": "B097M755ZT", "instruction": "help me buy an easy to use eyes mask that helps to reduce puffy dark circles. please select the red one.", "attributes": ["double sided", "easy use", "dark circles"], "options": ["color: red"], "instruction_attributes": ["easy use", "dark circles"], "instruction_options": ["red"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXKPYL0", "worker_id": "A1HMZJ59OPLD1P"}], "B09SG1DRMT": [{"asin": "B09SG1DRMT", "instruction": "i'd like to find a toothpaste dispenser that is not only non-toxic, but also high quality.", "attributes": ["non toxic", "high quality"], "options": ["color: a"], "instruction_attributes": ["non toxic", "high quality"], "instruction_options": ["a"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2JKL4W", "worker_id": "A345TDMHP3DQ3G"}], "B0892JBZM9": [{"asin": "B0892JBZM9", "instruction": "i am looking for attractive ottoman is particularly strong and durable,breathable,odourless,acid-free,corrosion-resistant and long-lasting, easy to clean,and can be used in office entrances,living rooms,basements,bedrooms,offices,university dormitories,cafes,bars,hotels and other places xmzddz faux leather storage bench.comfortable seat size 80*45*40cm.", "attributes": ["faux leather", "storage space"], "options": ["color: a", "size: 80*45*40cm"], "instruction_attributes": ["faux leather", "storage space"], "instruction_options": ["a", "80*45*40cm"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21HBQFD", "worker_id": "A1DRKZ3SCLAS4V"}], "B07SM7VKQJ": [{"asin": "B07SM7VKQJ", "instruction": "i need an easy to use pen drive with usb port. pick one that is 16 gb in capacity", "attributes": ["easy use", "usb port"], "options": ["color: glass crystal", "size: 16gb"], "instruction_attributes": ["easy use", "usb port"], "instruction_options": ["16gb"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E0WHXM", "worker_id": "A1NF6PELRKACS9"}], "B0875WDVYH": [{"asin": "B0875WDVYH", "instruction": "can i get a super soft burgundy fleece cosy throw for a couch which is 50\u201dx60\u201d in size?", "attributes": ["super soft", "exquisite workmanship", "living room"], "options": ["color: burgundy", "size: throw(50\"x60\")"], "instruction_attributes": ["super soft"], "instruction_options": ["burgundy", "throw(50\"x60\")"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PCY1INU", "worker_id": "AHU9OLV0YKIIW"}], "B09K7YPLZD": [{"asin": "B09K7YPLZD", "instruction": "i'm looking for a iphone 13 skateboard wood case with glass screen. also choose real walnut wood-13 pro for iphone 13 mini.", "attributes": ["easy use", "glass screen"], "options": ["color: real walnut wood - 13 pro", "size: iphone 13 mini"], "instruction_attributes": ["glass screen"], "instruction_options": ["real walnut wood - 13 pro", "iphone 13 mini"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCLWONSC", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B09K7YPLZD", "instruction": "i'm looking for colorful striped patterned protective cover for iphone 13.", "attributes": ["easy use", "glass screen"], "options": ["color: real skateboard wood - 13 mini", "size: for iphone 13 pro max (6.7\")"], "instruction_attributes": ["glass screen"], "instruction_options": ["real skateboard wood - 13 mini"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVRDKJD", "worker_id": "A21IUUHBSEVB56"}], "B09CRBLP56": [{"asin": "B09CRBLP56", "instruction": "i am looking for a i7-7700 3.60ghz size of intel core i5 desktops.", "attributes": ["core i5", "intel core"], "options": ["size: i7-7700 3.60ghz", "style: 16gb | 256gb nvme m.2"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["i7-7700 3.60ghz"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CH7INBP", "worker_id": "A9QRQL9CFJBI7"}], "B092VL4RC6": [{"asin": "B092VL4RC6", "instruction": "i need comfy casual loose elastic waist 2#multicolor pocketed shorts. its size should be 3x-large.", "attributes": ["elastic waist", "high waist", "gym workout"], "options": ["color: 2#multicolor", "size: 3x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": [], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLAZLR8J", "worker_id": "A258PTOZ3D2TQR"}], "B09BPYBD11": [{"asin": "B09BPYBD11", "instruction": "i am looking for a professional white color hair salon rolling swivel chair", "attributes": ["heavy duty", "hair salon"], "options": ["color: white"], "instruction_attributes": ["hair salon"], "instruction_options": ["white"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMRP3WL", "worker_id": "A258PTOZ3D2TQR"}], "B01MRBAPTR": [{"asin": "B01MRBAPTR", "instruction": "i'm looking for a hyaluronic acid serum which should be certified organic and cruelty free.", "attributes": ["certified organic", "cruelty free", "hyaluronic acid"], "options": [""], "instruction_attributes": ["certified organic", "cruelty free", "hyaluronic acid"], "instruction_options": [], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRMU2YF", "worker_id": "AR0VJ5XRG16UJ"}], "B000UGUQLM": [{"asin": "B000UGUQLM", "instruction": "i am looking for one oil free foundation in the shade n10 milk chocolate.", "attributes": ["oil free", "fine lines"], "options": ["color: n10 milk chocolate", "size: 1 count"], "instruction_attributes": ["oil free"], "instruction_options": ["n10 milk chocolate", "1 count"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIF885U", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000UGUQLM", "instruction": "i am looking for a 1 fl oz oil free super-blendable liquid foundation.", "attributes": ["oil free", "fine lines"], "options": ["color: c1 alabaster", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["1 fl oz (pack of 1)"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FA18KN", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B000UGUQLM", "instruction": "i am looking for a 1 fl oz oil free super-blendable liquid foundation.", "attributes": ["oil free", "fine lines"], "options": ["color: c1 alabaster", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["1 fl oz (pack of 1)"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FA18KN", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B000UGUQLM", "instruction": "i'm looking for super-blendable liquid foundation that is oil free and for fine lines. also, it should be 1 fl oz.", "attributes": ["oil free", "fine lines"], "options": ["color: c9 deep cool", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["oil free", "fine lines"], "instruction_options": ["1 fl oz (pack of 1)"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53Y1GK8", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B000UGUQLM", "instruction": "i want a vanilla and oil free l'oreal paris true match liquid foundation.", "attributes": ["oil free", "fine lines"], "options": ["color: w2.5 vanilla", "size: 1 count (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["w2.5 vanilla"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UX90YA", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000UGUQLM", "instruction": "i would like a single perfect beige foundation that is oil free.", "attributes": ["oil free", "fine lines"], "options": ["color: w5.5 perfect beige", "size: 1 count"], "instruction_attributes": ["oil free"], "instruction_options": ["w5.5 perfect beige", "1 count"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YO4T8S", "worker_id": "A1WS884SI0SLO4"}], "B005X7IXTK": [{"asin": "B005X7IXTK", "instruction": "i need cruelty free deodorant that has a woody scent and is 1.6 oz.", "attributes": ["anti perspirant", "cruelty free"], "options": ["scent: woody scent", "size: 1.6 ounce (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["woody scent", "1.6 ounce (pack of 1)"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2W353S", "worker_id": "A2ECRNQ3X5LEXD"}], "B099WHJBXD": [{"asin": "B099WHJBXD", "instruction": "i need a hard drive carrying case bag that is light pink", "attributes": ["water resistant", "carrying case"], "options": ["color: light pink"], "instruction_attributes": ["carrying case"], "instruction_options": ["light pink"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP20DQQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07V25G5GJ": [{"asin": "B07V25G5GJ", "instruction": "i'm looking for a 2.82 ounce (pack of 12) non gmo bagel chips.", "attributes": ["artificial ingredients", "non gmo", "artificial flavors"], "options": ["flavor: variety (garlic, pizza, everything)", "size: 2.82 ounce (pack of 12)"], "instruction_attributes": ["non gmo"], "instruction_options": ["2.82 ounce (pack of 12)"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50QV1GWB", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07V25G5GJ", "instruction": "i need some salty, non-gmo bagel crisps.", "attributes": ["artificial ingredients", "non gmo", "artificial flavors"], "options": ["flavor: salted", "size: 2.82 ounce (pack of 12)"], "instruction_attributes": ["non gmo"], "instruction_options": ["salted"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBPRKAOY", "worker_id": "A19317A3X87NVM"}], "B07WWX2ZWL": [{"asin": "B07WWX2ZWL", "instruction": "i would like a ready hang poster that has blue roads.", "attributes": ["hand painted", "ready hang", "living room"], "options": ["style: blue roads"], "instruction_attributes": ["ready hang"], "instruction_options": ["blue roads"], "assignment_id": "37TRT2X24116R7L1JO45INKV8O5BJ3", "worker_id": "A2ECRNQ3X5LEXD"}], "B07DFZ34RM": [{"asin": "B07DFZ34RM", "instruction": "i'm looking for a earbud earphones with srereo sound effect. also choose black colored one.", "attributes": ["hands free", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["stereo sound"], "instruction_options": ["black"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCC50EE", "worker_id": "AR0VJ5XRG16UJ"}], "B092W4L2YB": [{"asin": "B092W4L2YB", "instruction": "i want a super soft throw blanket. i am looking for strawberry cow color.", "attributes": ["super soft", "machine washable"], "options": ["color: strawberry cow", "size: 40 in x 30 in for pets"], "instruction_attributes": ["super soft"], "instruction_options": ["strawberry cow"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7Q4P5T", "worker_id": "A1NF6PELRKACS9"}], "B097J3P249": [{"asin": "B097J3P249", "instruction": "i need a height adjustable standing desk with steel frame. make it gray in color with an antique oak top.", "attributes": ["height adjustable", "heavy duty", "steel frame"], "options": ["color: grey frame | antique oak top"], "instruction_attributes": ["height adjustable", "steel frame"], "instruction_options": ["grey frame | antique oak top"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323D3SWDO", "worker_id": "A1NF6PELRKACS9"}], "B089NS8VWF": [{"asin": "B089NS8VWF", "instruction": "i am looking for the bathroom mirror with lights is with full-sealing box , protects safety use in bathroom long lasting and easy to install sunzoom 24\"x36\" black framed led lighted bathroom mirror.size preferable hilton-2436.", "attributes": ["wall mounted", "long lasting", "easy install"], "options": ["size: sz-hilton-2436"], "instruction_attributes": ["wall mounted", "long lasting", "easy install"], "instruction_options": [], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QJYOXZ", "worker_id": "A1DRKZ3SCLAS4V"}], "B07GGXP2FC": [{"asin": "B07GGXP2FC", "instruction": "i want to find a 34x72 inch round table protector that is 2 millimeters thick. it needs to be made of stainless steel.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: round new clear 2mm", "size: 34 x 72 inches"], "instruction_attributes": ["stainless steel"], "instruction_options": ["round new clear 2mm", "34 x 72 inches"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISPXYOK", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07GGXP2FC", "instruction": "i'm looking for heavy duty table pads made of stainless steel which is easy to clean. also, choose new version clear 1.5 mm pads with size 39.4* 94.5 inches.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: new version clear 1.5mm", "size: 39.4 x 94.5 inches"], "instruction_attributes": ["heavy duty", "easy clean", "stainless steel"], "instruction_options": ["new version clear 1.5mm", "39.4 x 94.5 inches"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQ8FSQA", "worker_id": "AR0VJ5XRG16UJ"}], "B07BC7NQ4R": [{"asin": "B07BC7NQ4R", "instruction": "i need dining room table pads that are 22 by 54 inches and are round new frosted.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: round new frosted 1.5mm", "size: 22 x 54 inches"], "instruction_attributes": ["dining room"], "instruction_options": ["round new frosted 1.5mm", "22 x 54 inches"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH241E7", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07BC7NQ4R", "instruction": "i'm looking for a ostep decor custom table cover.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: round new frosted 2mm", "size: 12 x 36 inches"], "instruction_attributes": ["dining room"], "instruction_options": ["round new frosted 2mm", "12 x 36 inches"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT3HYJB", "worker_id": "A1ZGOZQF2VZ0X9"}, {"asin": "B07BC7NQ4R", "instruction": "i would like a 44 by 108 inch round new clear table pad for my dining room.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: round new clear 1.5mm", "size: 44 x 108 inches"], "instruction_attributes": ["dining room"], "instruction_options": ["round new clear 1.5mm", "44 x 108 inches"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7LH5NB", "worker_id": "A1WS884SI0SLO4"}], "B093JXQPCM": [{"asin": "B093JXQPCM", "instruction": "i am looking for 42 | 44 | 45mm(s | m) smartwatch bands, compatible with apple.", "attributes": ["compatible apple", "easy install"], "options": ["color: fog | black | white | stone", "size: 42 | 44 | 45mm(s | m)"], "instruction_attributes": ["compatible apple"], "instruction_options": ["42 | 44 | 45mm(s | m)"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZAWCC8O", "worker_id": "A9QRQL9CFJBI7"}], "B00T6HMVDW": [{"asin": "B00T6HMVDW", "instruction": "i need a conditioner for dry hair that comes in 1.8 fl oz and will give me ultra volume.", "attributes": ["cruelty free", "paraben free", "certified organic", "sulfate free", "dry hair"], "options": ["color: ultra-volume (papaya + tangerine butter)", "size: 1.8 fl oz (pack of 1)", "style: hair oil serum - 1 pack"], "instruction_attributes": ["dry hair"], "instruction_options": ["ultra-volume (papaya + tangerine butter)", "1.8 fl oz (pack of 1)"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U870R5T", "worker_id": "A2ECRNQ3X5LEXD"}], "B09M7C4726": [{"asin": "B09M7C4726", "instruction": "i would like a dental pick that is yellow for bad breath.", "attributes": ["teeth whitening", "stainless steel", "bad breath"], "options": ["color: yellow"], "instruction_attributes": ["bad breath"], "instruction_options": ["yellow"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIE0EF2", "worker_id": "A2ECRNQ3X5LEXD"}], "B08XXG9N1Q": [{"asin": "B08XXG9N1Q", "instruction": "i am looking a charging adpter fot fast charging jetpack 4g lte mobile hotspot", "attributes": ["fast charging", "4g lte"], "options": [""], "instruction_attributes": ["fast charging", "4g lte"], "instruction_options": [], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DL74K8", "worker_id": "A3N9ZYQAESNFQH"}], "B07X6JL45J": [{"asin": "B07X6JL45J", "instruction": "i am looking for a power amplifier which is easy to use.", "attributes": ["power amplifier", "easy use"], "options": [""], "instruction_attributes": ["power amplifier", "easy use"], "instruction_options": [], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0O0XPV", "worker_id": "A9QRQL9CFJBI7"}], "B078JKD43Y": [{"asin": "B078JKD43Y", "instruction": "a dining room table cover table protecter size 42 *90 inches can be clean easily", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: round new frosted 1.5mm", "size: 42 x 90 inches"], "instruction_attributes": ["easy clean", "dining room"], "instruction_options": ["42 x 90 inches"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB372QNN", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B078JKD43Y", "instruction": "i am looking for a crystal clear 2mm table cover protector size 32x48 \u201c and it should easy to clean.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: crystal clear 2mm", "size: 32 x 48 inches"], "instruction_attributes": ["easy clean"], "instruction_options": ["crystal clear 2mm", "32 x 48 inches"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME945D2B", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B078JKD43Y", "instruction": "i am looking for 48 x 60 inches size desk cover protector for my dining room.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: clear 1.5mm", "size: 48 x 60 inches"], "instruction_attributes": ["dining room"], "instruction_options": ["48 x 60 inches"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVP0LX8", "worker_id": "A1Q8PPQQCWGY0D"}], "B09J8F5HSS": [{"asin": "B09J8F5HSS", "instruction": "i need coasters that are easy to clean and come in a set of six with cup holders.", "attributes": ["easy clean", "living room"], "options": ["color: pugcbu2862", "size: set of 6 with cup holder"], "instruction_attributes": ["easy clean"], "instruction_options": ["set of 6 with cup holder"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOQBO7W", "worker_id": "A2ECRNQ3X5LEXD"}], "B07D5MV2X3": [{"asin": "B07D5MV2X3", "instruction": "i'm looking for a retractable stereo sound in -ear headphone which is compatible for apple iphone.", "attributes": ["compatible apple", "stereo sound"], "options": [""], "instruction_attributes": ["compatible apple", "stereo sound"], "instruction_options": [], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWIC52Q", "worker_id": "AR0VJ5XRG16UJ"}], "B09584LKHV": [{"asin": "B09584LKHV", "instruction": "get me a keto friendly and sugar free cereal that is also plant-based. i want the cinnamon toast and dark chocolate flavor.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: cinnamon toast & dark chocolate", "size: 9 ounce (pack of 4)"], "instruction_attributes": ["keto friendly", "sugar free", "plant based"], "instruction_options": ["cinnamon toast & dark chocolate"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV3P8VG", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09584LKHV", "instruction": "i need 9 ounce catalina crunch cinnamon toast & maple waffle cereal that is keto friendly.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: cinnamon toast & maple waffle", "size: 9 ounce (pack of 1)"], "instruction_attributes": ["keto friendly"], "instruction_options": ["cinnamon toast & maple waffle", "9 ounce (pack of 1)"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EAOB1O", "worker_id": "A2RBF3IIJP15IH"}], "B08KXZSVKS": [{"asin": "B08KXZSVKS", "instruction": "i need soaps for dry skin that are made with argan oil.", "attributes": ["oil free", "cruelty free", "dead skin", "dry skin", "sensitive skin"], "options": ["scent: argan oil"], "instruction_attributes": ["dry skin"], "instruction_options": ["argan oil"], "assignment_id": "354P56DE9VDCOY11T1135MPMLFD7SB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09N6XZN52": [{"asin": "B09N6XZN52", "instruction": "i am looking for 1x cotton spandex yoga pants.", "attributes": ["machine wash", "cotton spandex"], "options": ["color: ash rose", "size: 1x"], "instruction_attributes": ["cotton spandex"], "instruction_options": [], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH373ZSE2", "worker_id": "A9QRQL9CFJBI7"}], "B07QMMYQ3N": [{"asin": "B07QMMYQ3N", "instruction": "i am looking for a easy install 4g band 5/13 signall booster", "attributes": ["easy install", "4g lte"], "options": ["color: 4g lte band 5 | 13"], "instruction_attributes": ["easy install", "4g lte"], "instruction_options": ["4g lte band 5 | 13"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YWYXT42", "worker_id": "A3N9ZYQAESNFQH"}], "B000P22TIY": [{"asin": "B000P22TIY", "instruction": "i am looking for a long lasting 3.38 fl oz (pack of 1) eau de toilette for men.", "attributes": ["design house", "long lasting"], "options": ["size: 3.38 fl oz (pack of 1)", "style: voyage"], "instruction_attributes": ["long lasting"], "instruction_options": ["3.38 fl oz (pack of 1)"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRBUSY5F", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B000P22TIY", "instruction": "i would like a perfume that is long lasting and comes in a pack of two.", "attributes": ["design house", "long lasting"], "options": ["size: 3.4 fl oz (pack of 2)", "style: 3.4 fl oz voyage + 1.6 oz blue sail"], "instruction_attributes": ["long lasting"], "instruction_options": ["3.4 fl oz (pack of 2)"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT06UVNUG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000P22TIY", "instruction": "i want to buy a voyage-style, 3.38 fl oz men's perfume that is long lasting.", "attributes": ["design house", "long lasting"], "options": ["size: 3.38 fl oz (pack of 1)", "style: voyage"], "instruction_attributes": ["long lasting"], "instruction_options": ["3.38 fl oz (pack of 1)", "voyage"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IC2BCB", "worker_id": "A114NK7T5673GK"}, {"asin": "B000P22TIY", "instruction": "i would like a long lasting 3.38 fluid out voyage perfume.", "attributes": ["design house", "long lasting"], "options": ["size: 3.38 fl oz (pack of 1)", "style: 3.4 fl oz voyage + 3.4 oz classic"], "instruction_attributes": ["long lasting"], "instruction_options": ["3.38 fl oz (pack of 1)", "3.4 fl oz voyage + 3.4 oz classic"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQF1SQA", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000P22TIY", "instruction": "i would like a 1.6 fluid ounce bottle of voyage perfume that is long lasting.", "attributes": ["design house", "long lasting"], "options": ["size: 1.6 fl oz (pack of 1)", "style: voyage"], "instruction_attributes": ["long lasting"], "instruction_options": ["1.6 fl oz (pack of 1)", "voyage"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCR2MB2", "worker_id": "A1WS884SI0SLO4"}], "B09PVJ7ZZY": [{"asin": "B09PVJ7ZZY", "instruction": "i am looking for a slim fit men's sweatpants. also, choose the y1-black", "attributes": ["loose fit", "straight leg", "slim fit", "winter warm", "quality polyester", "gym workout"], "options": ["color: y1-black", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["y1-black"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHUXQHG", "worker_id": "A9QRQL9CFJBI7"}], "B09NLF9XPN": [{"asin": "B09NLF9XPN", "instruction": "find some kosher certified, gluten free gummy candy. choose the blue raspberry color.", "attributes": ["kosher certified", "individually wrapped", "old fashioned", "gluten free", "valentine day", "birthday party"], "options": ["color: blue raspberry", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["kosher certified", "gluten free"], "instruction_options": ["blue raspberry"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJMXJZHK", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09NLF9XPN", "instruction": "i need lemon flavored gummi candies that are gluten free. also, pick a kosher certified one.", "attributes": ["kosher certified", "individually wrapped", "old fashioned", "gluten free", "valentine day", "birthday party"], "options": ["color: lemon", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["kosher certified", "gluten free"], "instruction_options": ["lemon"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9JTK63", "worker_id": "A1NF6PELRKACS9"}], "B094D32937": [{"asin": "B094D32937", "instruction": "i am looking for pink elephant cupcake picks for birthday cake decorations.", "attributes": ["birthday cake", "cupcake picks", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["birthday cake", "cupcake picks"], "instruction_options": ["pink"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOCC0FM", "worker_id": "AHU9OLV0YKIIW"}], "B009G74E1O": [{"asin": "B009G74E1O", "instruction": "i need 16 ounce gluten free bottle lorann cream cheese bakery emulsion over the butter-vanilla variety.", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: variety", "size: 16 ounce"], "instruction_attributes": ["gluten free"], "instruction_options": ["variety", "16 ounce"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHTCB73", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B009G74E1O", "instruction": "i need 1 pound of pumpkin spice cream cheese bakery emulsion that is gluten free.", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: pumpkin spice", "size: 1 pound (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["pumpkin spice", "1 pound (pack of 1)"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L5UERM", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B009G74E1O", "instruction": "i am looking for a gluten free buttery sweet bakery emulsion.", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: buttery sweet dough", "size: 4 fl oz, 3 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["buttery sweet dough"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X2H3YI", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B009G74E1O", "instruction": "i am looking for a 4 fluid ounce cherry cream cheeset emulsion that is shelf stable and in a container that does not contain bpa.", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: cherry", "size: 4 fl oz.."], "instruction_attributes": ["bpa free", "shelf stable"], "instruction_options": ["cherry", "4 fl oz.."], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40HWFYR", "worker_id": "A1E235KE3CSO7H"}, {"asin": "B009G74E1O", "instruction": "i need 1 pound of pumpkin spice cream cheese bakery emulsion that is gluten free.", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: pumpkin spice", "size: 1 pound (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["pumpkin spice", "1 pound (pack of 1)"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L5UERM", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B009G74E1O", "instruction": "looking for cream cheeset bakery emulsion that is gluten free and also choose size 4 fl oz", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: rum", "size: 4 fl oz."], "instruction_attributes": ["gluten free"], "instruction_options": ["4 fl oz."], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79SIH19", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B009G74E1O", "instruction": "i am looking for imitation vanilla that is shelf stable and is 4 fl oz", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: princess cake and cookie", "size: 4 fl oz\u2026"], "instruction_attributes": ["shelf stable"], "instruction_options": ["4 fl oz\u2026"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PCOBU0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B009G74E1O", "instruction": "i am looking for bpa free, gluten free lorann cream cheeset with size : 1gallon", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: pumpkin spice", "size: 1 gallon"], "instruction_attributes": ["bpa free", "gluten free"], "instruction_options": ["1 gallon"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIE8RB2", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B009G74E1O", "instruction": "i want a bpa free and almond lorann cream cheeset bakery emulsion.", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: almond", "size: 4 ounce, 6 pack"], "instruction_attributes": ["bpa free"], "instruction_options": ["almond"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VIN60D", "worker_id": "A2RBF3IIJP15IH"}], "B07K6315FW": [{"asin": "B07K6315FW", "instruction": "i want to find 25 grams of iridescent purple edible glitter. it needs to be dairy free.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: purple iridescent", "size: 25g"], "instruction_attributes": ["dairy free"], "instruction_options": ["purple iridescent", "25g"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN20IY7P", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07K6315FW", "instruction": "i'd like to find 25 grams of edible maroon glitter that is kosher and nut-free.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: maroon red", "size: 25g"], "instruction_attributes": ["kosher certified", "nut free"], "instruction_options": ["maroon red", "25g"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7TZHMJ", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07K6315FW", "instruction": "i need some bronze colored edible glitter for cocktails. it should be kosher certified and nut free.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: bronze", "size: 45g shaker"], "instruction_attributes": ["kosher certified", "nut free"], "instruction_options": ["bronze"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB40GYXH", "worker_id": "A1NF6PELRKACS9"}], "B07MXZT9NL": [{"asin": "B07MXZT9NL", "instruction": "i am looking for an 8 by 12 background that is for digital photography.", "attributes": ["easy carry", "digital photography"], "options": ["size: 8x12ft(250x360cm)"], "instruction_attributes": ["digital photography"], "instruction_options": ["8x12ft(250x360cm)"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRPCJXZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MKJVX9D": [{"asin": "B09MKJVX9D", "instruction": "i want a long sleeved tunic top in small size. pick a hot pink one.", "attributes": ["long sleeve", "fashion design", "short sleeve"], "options": ["color: 09-hot pink", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["09-hot pink", "small"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS3540132UM2", "worker_id": "A1NF6PELRKACS9"}], "B09B6LMVR7": [{"asin": "B09B6LMVR7", "instruction": "i am looking for super comfortable for walking dogs, road running, daily wear, casual, gym, training, light trekking, theme park travel, urban recreation, jogging in the road and path, basketball, cycling, workout, camping and other outdoor multisports or lite indoor exercise at home women's road running shoes in a4-khaki color. size 8.5 wide preferable.", "attributes": ["winter warm", "slip resistant", "leather sole"], "options": ["color: a4-khaki", "size: 8.5 wide"], "instruction_attributes": ["slip resistant", "leather sole"], "instruction_options": ["a4-khaki", "8.5 wide"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9G9TVP", "worker_id": "A1DRKZ3SCLAS4V"}, {"asin": "B09B6LMVR7", "instruction": "i am looking for slip resistant women running shoes.please choose black one.", "attributes": ["winter warm", "slip resistant", "leather sole"], "options": ["color: a1-black", "size: 6.5 wide"], "instruction_attributes": ["slip resistant"], "instruction_options": ["a1-black"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEKN86Y", "worker_id": "A3FG5PQHG5AH3Y"}], "B01N128GRV": [{"asin": "B01N128GRV", "instruction": "i'm looking for ac power cord cable socket plug for sony cfd series with output protection and blu ray", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["output protection", "blu ray"], "instruction_options": [], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPATV6F", "worker_id": "AR0VJ5XRG16UJ"}], "B0812B8WXH": [{"asin": "B0812B8WXH", "instruction": "i'm looking for jar candles with soy way that is long lasting. also, choose illinois colored one.", "attributes": ["long lasting", "soy wax", "living room"], "options": ["color: illinois"], "instruction_attributes": ["long lasting", "soy wax", "living room"], "instruction_options": ["illinois"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8QPPZF", "worker_id": "AR0VJ5XRG16UJ"}], "B09P89Z11V": [{"asin": "B09P89Z11V", "instruction": "find me a high performance cooling fan with usb port. pick me 1 pack.", "attributes": ["high performance", "usb port"], "options": ["size: cooling fan-40mm*10mm", "style: 1 pack"], "instruction_attributes": ["high performance", "usb port"], "instruction_options": ["1 pack"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20GIZ0J", "worker_id": "A1NF6PELRKACS9"}], "B087Q9SSPR": [{"asin": "B087Q9SSPR", "instruction": "i'm looking for 2 pcs detangling hair brush for natural hair. also it's color should be in green-black", "attributes": ["dry hair", "natural hair"], "options": ["color: green-black", "size: 2 pcs"], "instruction_attributes": ["natural hair"], "instruction_options": ["green-black", "2 pcs"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG13DU9J", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B087Q9SSPR", "instruction": "i want a 3 pack of beige brushes for natural hair.", "attributes": ["dry hair", "natural hair"], "options": ["color: beige-beige", "size: 3 count (pack of 1)"], "instruction_attributes": ["natural hair"], "instruction_options": ["beige-beige", "3 count (pack of 1)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZHYKLX", "worker_id": "A1WS884SI0SLO4"}], "B08FZYYTFZ": [{"asin": "B08FZYYTFZ", "instruction": "i am looking for basic solid army green t shirt top,super stretchy and silky fabric,soft and comfortable for spring,winter wear yobecho womens long sleeve scoop neck tops blouse in xx large size.", "attributes": ["cotton spandex", "button closure", "long sleeve", "everyday wear"], "options": ["color: army green", "size: xx-large"], "instruction_attributes": ["long sleeve", "everyday wear"], "instruction_options": ["army green", "xx-large"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3FAZLB", "worker_id": "A1DRKZ3SCLAS4V"}], "B08DJ7RZF3": [{"asin": "B08DJ7RZF3", "instruction": "i am looking for smell good,feel good,pay less,long last, travel size ca perfume impression of euphoria for women fragrance body oils alcohol-free. good to go, bottles fit in handbag or purse. convenient for travel. donna karan cashmere mist impression preferable.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: donna karan cashmere mist impression"], "instruction_attributes": ["travel size", "alcohol free", "long lasting"], "instruction_options": ["donna karan cashmere mist impression"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MFKOFS", "worker_id": "A1DRKZ3SCLAS4V"}, {"asin": "B08DJ7RZF3", "instruction": "looking for sandalwood dark intense perfume for women that is alchol free", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: sandalwood dark intense perfume"], "instruction_attributes": ["alcohol free"], "instruction_options": ["sandalwood dark intense perfume"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1GYRXB", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B08DJ7RZF3", "instruction": "i would like some viktor and rolf perfume that is travel sized.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: viktor & rolf spicebomb extreme impressi..."], "instruction_attributes": ["travel size"], "instruction_options": ["viktor & rolf spicebomb extreme impressi..."], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUL5R3J", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08DJ7RZF3", "instruction": "i am interested in perfume oil that is cedarwood scented and travel sized", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: cedarwood perfume oil"], "instruction_attributes": ["travel size"], "instruction_options": ["cedarwood perfume oil"], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWR9525", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PY8LYR6": [{"asin": "B09PY8LYR6", "instruction": "i am looking for a long sleeve trench coat with pockets. pick a green one.", "attributes": ["faux fur", "long sleeve"], "options": ["color: zb1_green", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["zb1_green"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBM0GI5", "worker_id": "A1NF6PELRKACS9"}], "B06ZXSMRQY": [{"asin": "B06ZXSMRQY", "instruction": "i need a salmon slim fitting dress shirt that is in a size small.", "attributes": ["slim fit", "hand wash", "nylon spandex", "short sleeve", "tumble dry"], "options": ["color: kmtsts0132-salmon2", "size: small"], "instruction_attributes": ["slim fit"], "instruction_options": ["kmtsts0132-salmon2", "small"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWQR1CE", "worker_id": "A2ECRNQ3X5LEXD"}], "B074SQKP3T": [{"asin": "B074SQKP3T", "instruction": "i'm looking for a original non gmo margarita with natural ingredients.", "attributes": ["non gmo", "gluten free", "high fructose", "natural ingredients", "artificial flavors"], "options": ["flavor: original"], "instruction_attributes": ["non gmo", "natural ingredients"], "instruction_options": ["original"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3KC9Z5", "worker_id": "A9QRQL9CFJBI7"}], "B09C91R8Q8": [{"asin": "B09C91R8Q8", "instruction": "i am looking for 8 size flats with leather sole for women.", "attributes": ["leather sole", "high heel"], "options": ["color: khaki", "size: 8"], "instruction_attributes": ["leather sole"], "instruction_options": ["8"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9MQ87Y", "worker_id": "A9QRQL9CFJBI7"}], "B09NPW7ZDF": [{"asin": "B09NPW7ZDF", "instruction": "i am looking for some valentine's day cupcake toppers.", "attributes": ["valentine day", "cupcake picks"], "options": [""], "instruction_attributes": ["valentine day"], "instruction_options": [], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTQU7MY", "worker_id": "A2ECRNQ3X5LEXD"}], "B08723759H": [{"asin": "B08723759H", "instruction": "i am looking high resolution high performance oneplus 8 cell phone having 256 gb storage capacity", "attributes": ["hands free", "fast charging", "high resolution", "high performance"], "options": ["color: interstellar glow", "size: 256gb", "style: oneplus 8"], "instruction_attributes": ["high resolution", "high performance"], "instruction_options": ["256gb", "oneplus 8"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMIT6B0", "worker_id": "A3N9ZYQAESNFQH"}], "B09LC5FR69": [{"asin": "B09LC5FR69", "instruction": "i want a swivel desk chair with lumbar support and backrest. pick something in blue.", "attributes": ["high density", "lumbar support", "living room"], "options": ["color: blue-936"], "instruction_attributes": ["lumbar support"], "instruction_options": ["blue-936"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP4HQDO", "worker_id": "A1NF6PELRKACS9"}], "B09PG5W2RL": [{"asin": "B09PG5W2RL", "instruction": "i am looking for a dark gray polo that is long sleeved and in a medium size.", "attributes": ["slim fit", "loose fit", "short sleeve", "polyester cotton", "long sleeve"], "options": ["color: dark gray", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["dark gray", "medium"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35HW98UK", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JJN66YM": [{"asin": "B09JJN66YM", "instruction": "i am looking a green tea shampoo have anti hair loss and for good hair growth moisturizing -for normal dry scalp", "attributes": ["oil free", "green tea", "hair growth", "hair loss", "hair salon", "sensitive skin"], "options": ["style: moisturizing(renewal) - for normal | dry scalp"], "instruction_attributes": ["green tea", "hair growth", "hair loss"], "instruction_options": ["moisturizing(renewal) - for normal | dry scalp"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MCVQYZG", "worker_id": "A3N9ZYQAESNFQH"}], "B08R8TFHDG": [{"asin": "B08R8TFHDG", "instruction": "i need a small size t-shirt for my wife. i would prefer classic fit with olive color", "attributes": ["needle sleeve", "classic fit", "star wars"], "options": ["color: olive", "fit type: women", "size: small"], "instruction_attributes": ["classic fit"], "instruction_options": ["olive", "women", "small"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW028SK", "worker_id": "A2COCSUGZV28X"}, {"asin": "B08R8TFHDG", "instruction": "i'm looking for a classic fit women t-shirt with needle sleeve and star wars design. also, choose medium size white colored one.", "attributes": ["needle sleeve", "classic fit", "star wars"], "options": ["color: white", "fit type: women", "size: medium"], "instruction_attributes": ["needle sleeve", "classic fit", "star wars"], "instruction_options": ["white", "women", "medium"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEJTQ83", "worker_id": "AR0VJ5XRG16UJ"}], "B01676307A": [{"asin": "B01676307A", "instruction": "i see the 15 ounce size of chocolate cover", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: scooby-doo licensed", "size: 15 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["15 ounce (pack of 1)"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB1W2ULM", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B01676307A", "instruction": "i would like a 8 ounce mom heart hand made sandwich.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: mom heart", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["mom heart", "8 ounce (pack of 1)"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUT8WF1Q", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01676307A", "instruction": "i would like a 8 ounce mom heart hand made sandwich.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: mom heart", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["mom heart", "8 ounce (pack of 1)"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUT8WF1Q", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01676307A", "instruction": "i am looking for hand crafted disney frozen licensed flavor cookies.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: disney frozen licensed", "size: 15 ounce (pack of 1)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["disney frozen licensed"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGIXHJW1", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B01676307A", "instruction": "i am looking for wedding bride and groom flavor hand crafted cookies.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: wedding bride and groom", "size: 15 ounce (pack of 1)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["wedding bride and groom"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKM81TY", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B01676307A", "instruction": "i'm looking for philadelphia candies covered oreo cookies.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: happy birthday gift | dark chocolate", "size: 1.87 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["happy birthday gift | dark chocolate"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602W795N", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B01676307A", "instruction": "i am looking for an 8 ounce pack of chocolate covered cookies.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: mom heart", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XDXFR7", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01676307A", "instruction": "i'm locking for candies milk chocolate covered oreo cookies.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: father's day gift", "size: 15 ounce (pack of 15)"], "instruction_attributes": ["chocolate covered"], "instruction_options": [], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83O1JIG", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B01676307A", "instruction": "looking for chocolate covered oreo cookies that pack size 8 ounce (pack of 8)", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: mom heart", "size: 8 ounce (pack of 8)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["8 ounce (pack of 8)"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QVAOXZ", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B01676307A", "instruction": "i would like a 15 ounce package of blue stork it's a boy gift chocolate covered cookies.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: blue stork it's a boy gift", "size: 15 ounce (pack of 15)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["blue stork it's a boy gift", "15 ounce (pack of 15)"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8KPZNC", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01676307A", "instruction": "i need an 8 ounce pack of chocolate covered oreo cookies candies for a birthday gift.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: easter cross with flower", "size: 8 ounce (pack of 8)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["8 ounce (pack of 8)"], "assignment_id": "354P56DE9VDCOY11T1135MPMLMKS7H", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01676307A", "instruction": "i want a 15 ounce pack of chocolate oreo cookies.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: pink stork it's a girl gift", "size: 15 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["15 ounce (pack of 1)"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N447TP", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01676307A", "instruction": "i want some chocolate covered gift cookies for a birthday gift. pick the 15 ounce pack.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: st. patrick's day | dark chocolate", "size: 15 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["15 ounce (pack of 1)"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1LVF6B", "worker_id": "A1NF6PELRKACS9"}], "B09QQQGXW3": [{"asin": "B09QQQGXW3", "instruction": "i am looking for a one piece tummy control swimsuit that is small in size and the fabric should be cotton spandex.", "attributes": ["low rise", "loose fit", "tummy control", "cotton spandex", "tumble dry"], "options": ["color: summer bathing suits-a218-yellow", "size: small"], "instruction_attributes": ["tummy control", "cotton spandex"], "instruction_options": ["small"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQN3C016", "worker_id": "AHU9OLV0YKIIW"}], "B09BQ3QWXV": [{"asin": "B09BQ3QWXV", "instruction": "i need long sleeved pullover shirt for teenage girls. pick something in small size.", "attributes": ["wash cold", "hand wash", "long sleeve", "polyester spandex", "teen girls"], "options": ["color: x01-white", "size: small"], "instruction_attributes": ["long sleeve", "teen girls"], "instruction_options": ["small"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61M5ZWV", "worker_id": "A1NF6PELRKACS9"}], "B000ILMQF8": [{"asin": "B000ILMQF8", "instruction": "i need some low sodium popcorn salt that is cheesy caramel corn in a pack of six.", "attributes": ["low sodium", "gluten free"], "options": ["flavor: cheesy caramel corn", "size: 2.6 ounce (pack of 6)"], "instruction_attributes": ["low sodium"], "instruction_options": ["cheesy caramel corn", "2.6 ounce (pack of 6)"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUPCJQV", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000ILMQF8", "instruction": "can you find the gluten free caramel milk chocolate seasoning that comes in a pack of 6?", "attributes": ["low sodium", "gluten free"], "options": ["flavor: milk chocolate caramel", "size: 3 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["milk chocolate caramel", "3 ounce (pack of 6)"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQCD13D", "worker_id": "A36LOA6VLJU157"}, {"asin": "B000ILMQF8", "instruction": "i want low sodium popcorn salt that is frosted sugar cookie and comes in a pack of six.", "attributes": ["low sodium", "gluten free"], "options": ["flavor: frosted sugar cookie", "size: 3 ounce (pack of 6)"], "instruction_attributes": ["low sodium"], "instruction_options": ["frosted sugar cookie", "3 ounce (pack of 6)"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2XHG6R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000ILMQF8", "instruction": "i'm looking for popcorn seasoning that is gluten-free, low-sodium, cheddar-flavored.", "attributes": ["low sodium", "gluten free"], "options": ["flavor: cheddar-cheese", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["low sodium", "gluten free"], "instruction_options": ["cheddar-cheese"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUH0DZN", "worker_id": "ARJDD0Z3R65BD"}, {"asin": "B000ILMQF8", "instruction": "i would like a 2.7 ounce bottle of caramel hot chocolate popcorn salt that is low sodium.", "attributes": ["low sodium", "gluten free"], "options": ["flavor: caramel hot chocolate", "size: 2.7 ounce (pack of 6)"], "instruction_attributes": ["low sodium"], "instruction_options": ["caramel hot chocolate", "2.7 ounce (pack of 6)"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7K0V7EP", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000ILMQF8", "instruction": "i am looking for 2.85 ounce gluten free bacon cheddar flavored popcorn seasoning", "attributes": ["low sodium", "gluten free"], "options": ["flavor: bacon cheddar", "size: 2.85 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["2.85 ounce (pack of 1)"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EAA8S2J", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B000ILMQF8", "instruction": "i am interested in some low sodium popcorn salt that is cheddar flavored and 2.6 oz.", "attributes": ["low sodium", "gluten free"], "options": ["flavor: cheddar-cheese", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["cheddar-cheese", "2.6 ounce (pack of 1)"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWY3R1X", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R7K5SPG": [{"asin": "B08R7K5SPG", "instruction": "i would like a soft cotton spandex cargo pants with zipper pockets. pick the one with 28\" inseam.", "attributes": ["cotton spandex", "drawstring closure", "tummy control", "high waist"], "options": ["color: fleece lined, black", "fit type: 28\" inseam (petite)", "size: medium tall"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["28\" inseam (petite)"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZCSO8Y", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B08R7K5SPG", "instruction": "i need xx-large tall , charcoal color lightweight women's cotton spandex soft jogger pants with zipper", "attributes": ["cotton spandex", "drawstring closure", "tummy control", "high waist"], "options": ["color: charcoal", "fit type: 36\" inseam (extra tall)", "size: xx-large tall"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["charcoal", "xx-large tall"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVP8Q0F", "worker_id": "A258PTOZ3D2TQR"}], "B089NSW5CS": [{"asin": "B089NSW5CS", "instruction": "i want ready to eat snacks with quality ingredients. pick one with salty cheese flavor.", "attributes": ["ready eat", "quality ingredients"], "options": ["flavor name: salty cheese flavor"], "instruction_attributes": ["ready eat"], "instruction_options": ["salty cheese flavor"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQBFRJ5", "worker_id": "A1NF6PELRKACS9"}], "B089LJDFNG": [{"asin": "B089LJDFNG", "instruction": "i want to find a high-definition spy camera that can detect motion.", "attributes": ["high performance", "high definition", "motion detection"], "options": [""], "instruction_attributes": ["high definition", "motion detection"], "instruction_options": [], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDGVRHE", "worker_id": "A345TDMHP3DQ3G"}], "B06X99QGND": [{"asin": "B06X99QGND", "instruction": "i want to find a fleece-lined women's jacket that features the san francisco 49ers. the color must be colt gray and i wear a size 3x.", "attributes": ["fleece lined", "polyester spandex", "imported zipper"], "options": ["color: indianapolis colts, gray", "size: 3x", "team name: san francisco 49ers"], "instruction_attributes": ["fleece lined"], "instruction_options": ["indianapolis colts, gray", "3x", "san francisco 49ers"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJKDBXG", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B06X99QGND", "instruction": "i would like a gray 2xl philadelphia eagles fleece lined jacket.", "attributes": ["fleece lined", "polyester spandex", "imported zipper"], "options": ["color: kansas city chiefs, gray", "size: xx-large", "team name: philadelphia eagles"], "instruction_attributes": ["fleece lined"], "instruction_options": ["kansas city chiefs, gray", "xx-large", "philadelphia eagles"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQEB6SD", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B06X99QGND", "instruction": "i am looking for a women's medium size gray fleece lined jacket.", "attributes": ["fleece lined", "polyester spandex", "imported zipper"], "options": ["color: gray", "size: medium", "team name: new england patriots"], "instruction_attributes": ["fleece lined"], "instruction_options": ["gray", "medium"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIR785H", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B06X99QGND", "instruction": "i need a baltimore ravens fleece lined jacket with imported zippers.", "attributes": ["fleece lined", "polyester spandex", "imported zipper"], "options": ["color: new orleans saints, black", "size: 4x", "team name: baltimore ravens"], "instruction_attributes": ["fleece lined", "imported zipper"], "instruction_options": ["baltimore ravens"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDMBK5C", "worker_id": "A1NF6PELRKACS9"}], "B000HDOOL6": [{"asin": "B000HDOOL6", "instruction": "i want a caffeine and sugar free chai latte powdered mix. it should be of vanilla flavor.", "attributes": ["caffeine free", "sugar free"], "options": ["flavor name: vanilla", "size: 10 ounce (pack of 1)"], "instruction_attributes": ["caffeine free", "sugar free"], "instruction_options": ["vanilla"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPRYJP8", "worker_id": "A1NF6PELRKACS9"}], "B082SVLKCT": [{"asin": "B082SVLKCT", "instruction": "i want a 16 inch case cover with touch bar. pick a dark blue leather one.", "attributes": ["easy carry", "case cover"], "options": ["color: dark blue leather", "size: macbook pro 16 m1"], "instruction_attributes": ["case cover"], "instruction_options": ["dark blue leather"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJI5O9I", "worker_id": "A1NF6PELRKACS9"}], "B09P7Z3LCR": [{"asin": "B09P7Z3LCR", "instruction": "i am looking for a fast charging docking stations.", "attributes": ["fast charging", "high resolution", "plug play"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQ9GRJ2", "worker_id": "A9QRQL9CFJBI7"}], "B07XJCZ817": [{"asin": "B07XJCZ817", "instruction": "i want a pair of faux fur slippers. pick a size between 10.5 and 11.", "attributes": ["faux fur", "ethylene vinyl", "vinyl acetate"], "options": ["color: faux raccoon fur original color", "size: 10.5-11"], "instruction_attributes": ["faux fur"], "instruction_options": ["faux raccoon fur original color"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35HOUGS", "worker_id": "A1NF6PELRKACS9"}], "B09B7D8W1J": [{"asin": "B09B7D8W1J", "instruction": "i need a slim fit active shirt that is brown and that is large.", "attributes": ["daily casual", "quick drying", "slim fit", "long sleeve", "short sleeve", "relaxed fit"], "options": ["color: 12-brown", "size: large"], "instruction_attributes": ["slim fit"], "instruction_options": ["12-brown", "large"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQ8AEKT", "worker_id": "A2ECRNQ3X5LEXD"}], "B08JLQT4FX": [{"asin": "B08JLQT4FX", "instruction": "i want to find a synthetic wig that features pink and black hair.", "attributes": ["high quality", "synthetic hair"], "options": ["color: pink&black"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["pink&black"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1AHU3E", "worker_id": "A345TDMHP3DQ3G"}], "B08MWQNPXF": [{"asin": "B08MWQNPXF", "instruction": "i am interested in black and white fashion sneakers for everyday wear that come in a 6.5 size for women.", "attributes": ["ethylene vinyl", "vinyl acetate", "everyday wear"], "options": ["color: black white", "size: 6.5 women | 5 men"], "instruction_attributes": ["everyday wear"], "instruction_options": ["black white", "6.5 women | 5 men"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61LPZWD", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q2YMM14": [{"asin": "B09Q2YMM14", "instruction": "i am in ineed of women quick drying small size yoga shorts with high waist and a-dark grey color", "attributes": ["quick drying", "moisture wicking", "machine wash", "high waist", "tummy control"], "options": ["color: a-dark grey", "size: small"], "instruction_attributes": ["quick drying", "high waist"], "instruction_options": ["small"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGQ1WTU", "worker_id": "A258PTOZ3D2TQR"}], "B07S22PTB3": [{"asin": "B07S22PTB3", "instruction": "i am looking for a map 3 coloured make up travel bag which is easy to carry .", "attributes": ["travel size", "easy carry"], "options": ["color: map 3"], "instruction_attributes": ["travel size", "easy carry"], "instruction_options": ["map 3"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOQ239T", "worker_id": "AHU9OLV0YKIIW"}], "B01LZ2I7EZ": [{"asin": "B01LZ2I7EZ", "instruction": "i want a non toxic mouthwash which is fluoride and alcohol free. pick a 2 pack 16 fluid ounces one.", "attributes": ["non toxic", "fluoride free", "alcohol free", "bpa free", "fresh breath", "sensitive teeth"], "options": ["size: 16 fl oz (pack of 2)"], "instruction_attributes": ["non toxic", "fluoride free", "alcohol free"], "instruction_options": ["16 fl oz (pack of 2)"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS17FCXU", "worker_id": "A1NF6PELRKACS9"}], "B08D7JM1X2": [{"asin": "B08D7JM1X2", "instruction": "get me some gluten free chips. look for the 3 flavor variety pack.", "attributes": ["gluten free", "simple ingredients"], "options": ["flavor name: 3 flavor variety pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["3 flavor variety pack"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35HWEU8B", "worker_id": "A1NF6PELRKACS9"}], "B00JD20DTO": [{"asin": "B00JD20DTO", "instruction": "find me a low sodium, sugar free, thickened coffee. i will need a pack of 24.", "attributes": ["low sodium", "sugar free", "gluten free"], "options": ["flavor: coffee", "size: pack of 24", "style: nectar"], "instruction_attributes": ["low sodium", "sugar free"], "instruction_options": ["pack of 24"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMA21JU", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B00JD20DTO", "instruction": "i want sugar free decaffeinated coffee that comes in an 8 fluid oz pack. it should have a mildly thick consistency.", "attributes": ["low sodium", "sugar free", "gluten free"], "options": ["flavor: coffee decaf", "size: 8 fl oz (pack of 1)", "style: mildly thick."], "instruction_attributes": ["sugar free"], "instruction_options": ["coffee decaf", "8 fl oz (pack of 1)", "mildly thick."], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZQF050", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B00JD20DTO", "instruction": "i want to find one 8.01 fluid ounce bottle of a decaf coffee-flavored drink. it can't have any sugar in it and i want it to have some honey.", "attributes": ["low sodium", "sugar free", "gluten free"], "options": ["flavor: coffee decaf", "size: 8.01 fl oz (pack of 1)", "style: honey"], "instruction_attributes": ["sugar free"], "instruction_options": ["coffee decaf", "8.01 fl oz (pack of 1)", "honey"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE21CGQD", "worker_id": "A345TDMHP3DQ3G"}], "B09QL53Z3Q": [{"asin": "B09QL53Z3Q", "instruction": "i am lookinf for pink hair rollers for natural hair.", "attributes": ["high quality", "easy use", "natural hair", "hair styling", "dry hair"], "options": ["color: pink"], "instruction_attributes": ["natural hair"], "instruction_options": ["pink"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUF3AVLB", "worker_id": "A2ECRNQ3X5LEXD"}], "B078WXXKV5": [{"asin": "B078WXXKV5", "instruction": "i need gluten free and low sodium seasoning which is all-purpose. make sure they are organic seasonings.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: organic seasonings", "size: 5 ounce (pack of 1)", "style: 20 ounce (pack of 1)"], "instruction_attributes": ["gluten free", "low sodium"], "instruction_options": ["organic seasonings"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50QXZWGT", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B078WXXKV5", "instruction": "i am looking for a low sodium and gluten free seasoning. look for spice gift sets.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: spice gift sets", "size: 1 pound (pack of 1)", "style: small - original flavor"], "instruction_attributes": ["gluten free", "low sodium"], "instruction_options": ["spice gift sets"], "assignment_id": "3V26SBZTBOOS9KTL7ONUSZFOIQ9ZZP", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B078WXXKV5", "instruction": "i am looking for gluten free spice gift sets that come in 3 ounces.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: spice gift sets", "size: 3 ounce (pack of 1)", "style: organic pack - standard size"], "instruction_attributes": ["gluten free"], "instruction_options": ["spice gift sets", "3 ounce (pack of 1)"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7WQMHL", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B078WXXKV5", "instruction": "i'm looking for a 3 ounce, small food gift that is gluten free and is flavored everyday seasonings.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 3 ounce (pack of 1)", "style: small - original flavor"], "instruction_attributes": ["gluten free"], "instruction_options": ["everyday seasonings", "3 ounce (pack of 1)", "small - original flavor"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YT7Q39", "worker_id": "ABS83QIWSMZ9"}, {"asin": "B078WXXKV5", "instruction": "i am looking for gluten free seasoning in organic", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: organic seasonings", "size: 3 ounce (pack of 1)", "style: 3 ounce (pack of 3)"], "instruction_attributes": ["gluten free"], "instruction_options": ["organic seasonings"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1U70MPV", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B078WXXKV5", "instruction": "i'm looking for low sodium, gluten free everyday seasonings, 2.01 ounce (pack of 1)", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 2.01 ounce (pack of 1)", "style: everyday seasonings"], "instruction_attributes": ["low sodium"], "instruction_options": ["2.01 ounce (pack of 1)", "everyday seasonings"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3IBBV1", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B078WXXKV5", "instruction": "i am looking for a gluten free food seasoning set for my paleo diet. and i would prefer 2 ounce pack", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: paleo seasoning set", "size: 2 ounce (pack of 1)", "style: 2 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["paleo seasoning set", "2 ounce (pack of 1)"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCR7BMW", "worker_id": "A2COCSUGZV28X"}, {"asin": "B078WXXKV5", "instruction": "i'm looking for a four ounce low sodium paleo seasoning set.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: paleo seasoning set", "size: 2.01 ounce (pack of 1)", "style: 4 ounce (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["paleo seasoning set", "4 ounce (pack of 1)"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI803TA", "worker_id": "AR9AU5FY1S3RO"}], "B09QHKPGSX": [{"asin": "B09QHKPGSX", "instruction": "i want nail clippers that are easy to carry.", "attributes": ["easy carry", "dead skin"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4QTH03", "worker_id": "A2ECRNQ3X5LEXD"}], "B07BZ4KQ1T": [{"asin": "B07BZ4KQ1T", "instruction": "i am looking for delicious flavor starkist chicken creations, chicken salad, 2.6 oz pouch,pack of 12 which is soy free and gluten free easy to prepare, perfect fit for today\u2019s active lifestyle. buffalo style flavor preferable.", "attributes": ["soy free", "ready eat", "gluten free"], "options": ["flavor name: buffalo style", "size: 2.6 ounce (pack of 12)"], "instruction_attributes": ["soy free", "ready eat", "gluten free"], "instruction_options": ["2.6 ounce (pack of 12)"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTJ2E5X", "worker_id": "A1DRKZ3SCLAS4V"}], "B07D9DMD1D": [{"asin": "B07D9DMD1D", "instruction": "find me a running shoe that is regular fit and has a rubber outsole. pick a size 10 one.", "attributes": ["lace closure", "rubber outsole", "regular fit"], "options": ["color: base green | real magenta | night cargo", "size: 10"], "instruction_attributes": ["rubber outsole", "regular fit"], "instruction_options": ["10"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE191XR6", "worker_id": "A1NF6PELRKACS9"}], "B01DJH8K3Y": [{"asin": "B01DJH8K3Y", "instruction": "i need a 10 pound bag of sour watermelon slices that are non-dairy.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: sour watermelon slices", "size: 10 pound"], "instruction_attributes": ["non dairy"], "instruction_options": ["sour watermelon slices", "10 pound"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQ36VK9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01DJH8K3Y", "instruction": "i am looking for a large bag of chocolate covered raisins 3-4 pound bag.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: assorted salt water taffy", "size: 4 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["4 pound"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFH3E9A", "worker_id": "A2KW17G25L25R8"}, {"asin": "B01DJH8K3Y", "instruction": "get me three pounds of white chocolate covered raisins. make sure they're non-dairy.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: white chocolate nonpareils", "size: 3 pound (pack of 1)"], "instruction_attributes": ["non dairy", "chocolate covered"], "instruction_options": ["white chocolate nonpareils", "3 pound (pack of 1)"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEGBQ8F", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B01DJH8K3Y", "instruction": "i want to find a pound of chocolate covered peach hearts.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: peach hearts", "size: 1 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["peach hearts", "1 pound (pack of 1)"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK3LVNY", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01DJH8K3Y", "instruction": "i am looking for chocolate covered raisins.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: chocolate covered raisins", "size: 4 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["chocolate covered raisins"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGDL9SP", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B01DJH8K3Y", "instruction": "i am looking for 10 pound bulk candy with chocolate covered raisins", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: dark chocolate nonpareils", "size: 10 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["10 pound"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1BYU9K", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01DJH8K3Y", "instruction": "i am looking for a non diary hard candy of gummy cherries flavour.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: gummy cherries", "size: gift box"], "instruction_attributes": ["non dairy"], "instruction_options": ["gummy cherries"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X6LY3P", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01DJH8K3Y", "instruction": "i'm looking for chocolate covered for gifted to someone.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: fini tornado tubereoos", "size: 3 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["fini tornado tubereoos"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOQOVYT", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01DJH8K3Y", "instruction": "i would like to order a pink chocolate confetti candy and should be non dairy.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: chocolate confetti - pink", "size: 5 pound"], "instruction_attributes": ["non dairy"], "instruction_options": ["chocolate confetti - pink"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVQ5JK2", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B01DJH8K3Y", "instruction": "i would like a three pound bag of hard candy that is chocolate covered", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: chocolate rocks - assorted", "size: 3 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["3 pound (pack of 1)"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YTJ8TW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01DJH8K3Y", "instruction": "i would like a 9 pound bag of white chocolate covered nonpareils.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: white chocolate nonpareils", "size: 9 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["white chocolate nonpareils", "9 pound"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSZULG6", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01DJH8K3Y", "instruction": "i would like a 4 pound bag of chocolate covered eda's sugar free hard candy.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: eda's sugar free hard candy", "size: 4 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["eda's sugar free hard candy", "4 pound"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHSU0J8", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01DJH8K3Y", "instruction": "i'm looking for a 10 pound blend gelee chocolate covered with candy", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: blend gelee", "size: 10 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["blend gelee", "10 pound"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTVYP9D", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B01DJH8K3Y", "instruction": "i'm looking for a non dairy, chocolate covered raisins. also, choose sampler size chocolate rocks- gray one", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: chocolate rocks - gray", "size: *sampler size*"], "instruction_attributes": ["non dairy", "chocolate covered"], "instruction_options": ["chocolate rocks - gray", "*sampler size*"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD3MCIN", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B01DJH8K3Y", "instruction": "i would like hard candy that is in a gift box and is chocolate covered", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: assorted sour bricks", "size: gift box"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["gift box"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66TIZFK", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01DJH8K3Y", "instruction": "i am looking for a chocolated covered candy having size 5 pound.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: blue raspberry & strawberry sour belts", "size: 5 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["5 pound"], "assignment_id": "3N8OEVH1F204BC17361WW31GEQKOO7", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B01DJH8K3Y", "instruction": "find non dairy candies.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: cocoa dusted almonds", "size: 5 pound"], "instruction_attributes": ["non dairy"], "instruction_options": [], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LCWREF", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B01DJH8K3Y", "instruction": "i would like a pound of non dairy jelly filled strawberry gummies", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: jelly filled strawberry gummies", "size: 1 pound (pack of 1)"], "instruction_attributes": ["non dairy"], "instruction_options": ["jelly filled strawberry gummies", "1 pound (pack of 1)"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCOWI7T", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01DJH8K3Y", "instruction": "may you give me a sour strawberry gummies by love of candy? *sampler size*pack please", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: sour strawberry gummies", "size: *sampler size*"], "instruction_attributes": ["chocolate covered"], "instruction_options": [], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CPV2TJ", "worker_id": "A15IJ20C3R4HUO"}], "B08ZY474JW": [{"asin": "B08ZY474JW", "instruction": "i am looking for a women's vest that is padded and machine washable. pick an x-small size.", "attributes": ["wash cold", "machine wash", "unique design", "tumble dry"], "options": ["color: multi2", "size: x-small"], "instruction_attributes": ["machine wash"], "instruction_options": ["x-small"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMQ32GG", "worker_id": "A1NF6PELRKACS9"}], "B099MP2HQJ": [{"asin": "B099MP2HQJ", "instruction": "i want a recliner sofa for my living room and it should have storage space.", "attributes": ["mid century", "pu leather", "wood frame", "storage space", "living room"], "options": [""], "instruction_attributes": ["storage space", "living room"], "instruction_options": [], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7OHUC1", "worker_id": "A1NF6PELRKACS9"}], "B07Y2WGPNV": [{"asin": "B07Y2WGPNV", "instruction": "i am looking a cotton spandex low rise men's briefs medium size colour should be black", "attributes": ["low rise", "cotton spandex"], "options": ["color: black", "size: medium"], "instruction_attributes": ["low rise", "cotton spandex"], "instruction_options": ["black", "medium"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GORW39P", "worker_id": "A3N9ZYQAESNFQH"}], "B09H74TPKB": [{"asin": "B09H74TPKB", "instruction": "i'm looking for a black tempered glass smartwatch bands for men", "attributes": ["tempered glass", "carbon fiber", "glass screen"], "options": ["color: black", "size: for 44mm only"], "instruction_attributes": ["tempered glass"], "instruction_options": ["black"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTIKE5D", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09H74TPKB", "instruction": "i'm looking for black tempered smart watches. the glass screen is perfectly look so nice.", "attributes": ["tempered glass", "carbon fiber", "glass screen"], "options": ["color: black", "size: for 44mm only"], "instruction_attributes": ["tempered glass", "glass screen"], "instruction_options": ["black"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZJD9KD", "worker_id": "A16IQOX0DK14OJ"}], "B000ILLX3Y": [{"asin": "B000ILLX3Y", "instruction": "i am looking for a 2.6 ounce, pack of 1, low calorie popcorn seasoning.", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: popcorn salt", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["low calorie"], "instruction_options": ["2.6 ounce (pack of 1)"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0QCW4O", "worker_id": "A3UUH3632AI3ZX"}, {"asin": "B000ILLX3Y", "instruction": "iam looking for rich and creamy, low calorie kernel popcorn with butter seasoning and kettle corn flavor", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: kettle corn", "size: 1 count"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZDLKD0L", "worker_id": "A1VMWZ4X201V7H"}, {"asin": "B000ILLX3Y", "instruction": "i am looking for a 1 count of gluten free popcorn salt", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: movie theater butter", "size: 1 count"], "instruction_attributes": ["gluten free"], "instruction_options": ["1 count"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODOVEWJ", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B000ILLX3Y", "instruction": "i would like some low calorie birthday cake flavor popcorn topping.", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: birthday cake", "size: 3 ounce (pack of 6)"], "instruction_attributes": ["low calorie"], "instruction_options": ["birthday cake"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ5ASIX", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000ILLX3Y", "instruction": "i am looking for some gluten free parmesan garlic flavored popcorn seasoning.", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: parmesan garlic", "size: 2.6 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["parmesan garlic"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6MB2BH", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B000ILLX3Y", "instruction": "i am looking for kernel season's popcorn season in 2.85 ounce packs of 6.", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: movie theater butter", "size: 3.5 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["3.5 ounce (pack of 6)"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYTWFXF", "worker_id": "A2KW17G25L25R8"}, {"asin": "B000ILLX3Y", "instruction": "i am looking for some gluten free kettle corn seasoning.", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: kettle-corn", "size: 2.4 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["kettle-corn"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q400OYF4", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B000ILLX3Y", "instruction": "i am looking for a six pack of popcorn salt that has a rich and creamy white cheddar flavor.", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: white cheddar", "size: 2.7 ounce (pack of 6)"], "instruction_attributes": ["rich creamy"], "instruction_options": ["white cheddar", "2.7 ounce (pack of 6)"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUJJS4K", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000ILLX3Y", "instruction": "i am looking for popcorn seasoning in chili lime flavor, 2.6 ounce (pack of 1)", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: chili lime", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["low calorie"], "instruction_options": ["2.6 ounce (pack of 1)"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOXJO7I", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B000ILLX3Y", "instruction": "i need rich creamy popcorn seasoning in chili lime flavor. make sure that it is gluten free.", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: chili lime", "size: 3.5 ounce (pack of 6)"], "instruction_attributes": ["rich creamy", "gluten free"], "instruction_options": ["chili lime"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4I289A", "worker_id": "A1NF6PELRKACS9"}], "B076PK255Q": [{"asin": "B076PK255Q", "instruction": "i want some snack bites that is gluten free and high protein. it should be beef flavored.", "attributes": ["high protein", "gluten free"], "options": ["flavor: beef", "size: 4 ounce (pack of 4)"], "instruction_attributes": ["high protein", "gluten free"], "instruction_options": ["beef"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P4YUBD", "worker_id": "A1NF6PELRKACS9"}], "B011V56KTC": [{"asin": "B011V56KTC", "instruction": "show me flip flops that are unisex and made of ethylene vinyl. i am a size 6.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: desert sage celandine", "size: 6 women | 6 men"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["6 women | 6 men"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RUXARLR", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B011V56KTC", "instruction": "look for puma unisex epic v2 flip flop sandal in size 8 that is made of ethylene vinyl in sun kissed coral rosewater.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: sun kissed coral rosewater", "size: 8"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["sun kissed coral rosewater", "8"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI7QPGZ7", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B011V56KTC", "instruction": "i'm looking for a unisex flip flops in the brand of puma.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: puma black-high rise", "size: 15.5 women | 14 men"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["puma black-high rise"], "assignment_id": "3HOSI13XHAYM3IJTNO90AFDI6Y2DDY", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B011V56KTC", "instruction": "i want a size 4 uk light lavender cloud pink sandal made of vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: light lavender cloud pink", "size: 4 uk"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["light lavender cloud pink", "4 uk"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXQO2ZG", "worker_id": "A1WS884SI0SLO4"}], "B08BG5NDKY": [{"asin": "B08BG5NDKY", "instruction": "i am looking for a fleece throw that is super soft to go in my living room. it should be shark colored.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: shark", "size: large 80\"x60"], "instruction_attributes": ["super soft", "fleece throw", "living room"], "instruction_options": ["shark"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0IFJ87", "worker_id": "A1NF6PELRKACS9"}], "B087N9KJ89": [{"asin": "B087N9KJ89", "instruction": "i would like a high gloss coffee table.", "attributes": ["high gloss", "white finish", "living room"], "options": [""], "instruction_attributes": ["high gloss"], "instruction_options": [], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYM2VH5", "worker_id": "A2ECRNQ3X5LEXD"}], "B0957J68LT": [{"asin": "B0957J68LT", "instruction": "i need a yellow home office chair that is easy to assemble.", "attributes": ["high density", "easy assemble", "living room"], "options": ["color: yellow"], "instruction_attributes": ["easy assemble"], "instruction_options": ["yellow"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY17Y082", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GHHHWLP": [{"asin": "B08GHHHWLP", "instruction": "i'm looking for a 39\"w x 72\"h roller shades for living room.", "attributes": ["easy install", "living room"], "options": ["color: beige", "size: 39\"w x 72\"h"], "instruction_attributes": ["living room"], "instruction_options": ["39\"w x 72\"h"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC5X3RKM", "worker_id": "A9QRQL9CFJBI7"}], "B078N3XL2D": [{"asin": "B078N3XL2D", "instruction": "i'm looking for a twin xl, fully assembled mattresses.", "attributes": ["ready use", "fully assembled", "queen size", "assembly required", "box spring"], "options": ["size: twin xl", "style: 4\" split foundation"], "instruction_attributes": ["fully assembled"], "instruction_options": ["twin xl"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7ABKYUW", "worker_id": "A9QRQL9CFJBI7"}], "B01DVLB1I4": [{"asin": "B01DVLB1I4", "instruction": "i want to find a 10-foot long usb cable with a usb port in rose gold color.", "attributes": ["fast charging", "gold plated", "aluminum alloy", "usb port"], "options": ["color: rose gold", "number of items: 1", "size: 10ft"], "instruction_attributes": ["usb port"], "instruction_options": ["rose gold"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXLWQEAO", "worker_id": "A345TDMHP3DQ3G"}], "B09MD8XBXB": [{"asin": "B09MD8XBXB", "instruction": "i want a pair of memory foam slippers that are winter warm. i want it in red.", "attributes": ["winter warm", "anti slip", "machine washable", "non slip", "memory foam", "rubber sole"], "options": ["color: red", "size: 8 wide"], "instruction_attributes": ["winter warm", "memory foam"], "instruction_options": ["red"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LCWI5X", "worker_id": "A1NF6PELRKACS9"}], "B09DCXCK2G": [{"asin": "B09DCXCK2G", "instruction": "i'm looking for a professional makeup train storage case that has separate space for nail art materials and eye shadow palette.", "attributes": ["storage case", "nail art", "eye shadow"], "options": [""], "instruction_attributes": ["storage case", "nail art", "eye shadow"], "instruction_options": [], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN3O8II", "worker_id": "AR0VJ5XRG16UJ"}], "B09PB819S6": [{"asin": "B09PB819S6", "instruction": "i am looking for medical grade silicone scar removal sheets scar removal is reusable and completely washable. washing them renews their sticking ability, easy to use waterproof and very sticky. 1.6\u201d x 120\u201dsize preferable", "attributes": ["clinically proven", "water resistant", "non toxic", "easy use"], "options": ["size: 1.6\u201d x 120\u201d"], "instruction_attributes": ["clinically proven", "water resistant", "non toxic", "easy use"], "instruction_options": [], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPW720KV", "worker_id": "A1DRKZ3SCLAS4V"}], "B09RP2P6CQ": [{"asin": "B09RP2P6CQ", "instruction": "i am looking for a loose fit large t-shirt in a gray color.", "attributes": ["light weight", "loose fit", "short sleeve", "long sleeve"], "options": ["color: llds-a053-gray", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["llds-a053-gray", "large"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS153CXE", "worker_id": "A2ECRNQ3X5LEXD"}], "B0010XRVR6": [{"asin": "B0010XRVR6", "instruction": "i would like a chicken broccoli rice mix that comes in a pack of 12 and is easy to prepare.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: chicken broccoli", "size: 5.5 ounce (pack of 12)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["chicken broccoli", "5.5 ounce (pack of 12)"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGC40O7", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0010XRVR6", "instruction": "i am looking for knorr rice sides for a tasty rice side dish creamy chicken with no artificial flavors,easily prepare on the stove or in a microwave, goodness of a chicken flavored sauce. pack of 12 preferable.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: chicken", "size: pack of 12"], "instruction_attributes": ["easy prepare"], "instruction_options": ["chicken", "pack of 12"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XK40NEU", "worker_id": "A1DRKZ3SCLAS4V"}, {"asin": "B0010XRVR6", "instruction": "i need some easy to prepare chicken broccoli meals.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: chicken broccoli", "size: 5.29 ounce (pack of 12)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["chicken broccoli"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB31SOY", "worker_id": "A19317A3X87NVM"}], "B088MG2TWQ": [{"asin": "B088MG2TWQ", "instruction": "i am looking for a core i5 tablet.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WN3A1I", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QDVJC5F": [{"asin": "B07QDVJC5F", "instruction": "i need footprints in the sand necklace and earrings sized long lasting candle 21oz", "attributes": ["lead free", "long lasting"], "options": ["scent: footprints in the sand", "size: earrings"], "instruction_attributes": [], "instruction_options": ["footprints in the sand", "earrings"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFIN3VB", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07QDVJC5F", "instruction": "i need long lasting bedtime spa candles", "attributes": ["lead free", "long lasting"], "options": ["scent: bedtime spa", "size: earrings"], "instruction_attributes": ["long lasting"], "instruction_options": ["bedtime spa"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHCRE1R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07QDVJC5F", "instruction": "i would like a lead free amazon rainforest bracelet candle.", "attributes": ["lead free", "long lasting"], "options": ["scent: amazon rainforest", "size: bracelet"], "instruction_attributes": ["lead free"], "instruction_options": ["amazon rainforest", "bracelet"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP8BAON", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07QDVJC5F", "instruction": "i want by a candle. pisces | zodiac star signs jewelry candle with necklace lead free inside ! scent vanilla lavender .", "attributes": ["lead free", "long lasting"], "options": ["scent: vanilla lavender", "size: earrings"], "instruction_attributes": ["lead free"], "instruction_options": ["vanilla lavender"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7VPURO", "worker_id": "A15IJ20C3R4HUO"}], "B07MFYH5Y6": [{"asin": "B07MFYH5Y6", "instruction": "i want to find a pair of black and magnet colored men's hiking boots with rubber soles, they need to be in size 15.", "attributes": ["long lasting", "arch support", "rubber outsole", "rubber sole"], "options": ["color: black | magnet", "size: 15"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black | magnet", "15"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3H686I0", "worker_id": "A345TDMHP3DQ3G"}], "B09Q2TD1V4": [{"asin": "B09Q2TD1V4", "instruction": "i am looking for a 11 women | 9.5 men shoes of rubber sole", "attributes": ["non slip", "slip resistant", "arch support", "rubber sole"], "options": ["color: purple mardi gras skull b", "size: 11 women | 9.5 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["11 women | 9.5 men"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CH7GNBN", "worker_id": "A9QRQL9CFJBI7"}], "B09H2WLRW3": [{"asin": "B09H2WLRW3", "instruction": "i need a high quality human hair. pick a straight 3 bundle with closure.", "attributes": ["high quality", "hair loss"], "options": ["color: straight 3 bundles with closure", "size: 20 22 24 26"], "instruction_attributes": ["high quality"], "instruction_options": ["straight 3 bundles with closure"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX3WFCL", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09H2WLRW3", "instruction": "i need high quality hair extensions that are loose waves", "attributes": ["high quality", "hair loss"], "options": ["color: loose wave 3 bundles with closure", "size: 20 | 22 | 24 | 26"], "instruction_attributes": ["high quality"], "instruction_options": ["loose wave 3 bundles with closure"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LOU900", "worker_id": "A2ECRNQ3X5LEXD"}], "B08KFD77MF": [{"asin": "B08KFD77MF", "instruction": "i'm looking for a water resistant red on black cosmetic bags for women.", "attributes": ["water resistant", "high quality"], "options": ["color: red on black"], "instruction_attributes": ["water resistant"], "instruction_options": ["red on black"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49S2X42", "worker_id": "A9QRQL9CFJBI7"}], "B07TTJDVMS": [{"asin": "B07TTJDVMS", "instruction": "i need a night stand with a width of 24 and height of 30. pick a white one.", "attributes": ["white item", "white finish"], "options": [""], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVMD9XB", "worker_id": "A1NF6PELRKACS9"}], "B07GX4G5GQ": [{"asin": "B07GX4G5GQ", "instruction": "i search the vanity light including satin nickel", "attributes": ["vanity light", "light fixture"], "options": ["color: satin nickel", "size: 1-light"], "instruction_attributes": ["vanity light"], "instruction_options": ["satin nickel"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS409HXNH", "worker_id": "A226L9F2AZ38CL"}], "B01LW1R1QU": [{"asin": "B01LW1R1QU", "instruction": "i am looking for a non gmo popcorn with simple ingredients.", "attributes": ["non gmo", "simple ingredients", "artificial flavors"], "options": [""], "instruction_attributes": ["non gmo", "simple ingredients"], "instruction_options": [], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB687D4AP", "worker_id": "A2HMEGTAFO0CS8"}], "B09RQS6CLC": [{"asin": "B09RQS6CLC", "instruction": "i want to find a small green lace pajama set for daily wear.", "attributes": ["quality polyester", "polyester cotton", "teen girls", "daily wear"], "options": ["color: g", "size: small"], "instruction_attributes": ["daily wear"], "instruction_options": ["g", "small"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3ENLZ8", "worker_id": "A345TDMHP3DQ3G"}], "B097J4D79Y": [{"asin": "B097J4D79Y", "instruction": "i'm looking for a optical zoom dome cameras.", "attributes": ["heavy duty", "optical zoom", "motion detection"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P22BUU", "worker_id": "A9QRQL9CFJBI7"}], "B07TSWKZ6Y": [{"asin": "B07TSWKZ6Y", "instruction": "i need some hair cutting shears that are gold and six inches.", "attributes": ["stainless steel", "hair cutting"], "options": ["color: gold", "size: 6 inch"], "instruction_attributes": ["hair cutting"], "instruction_options": ["gold", "6 inch"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATZE37F", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07TSWKZ6Y", "instruction": "i am looking for a pair of 6 inch stainless steel hair cutting scissors.", "attributes": ["stainless steel", "hair cutting"], "options": ["color: rainbow", "size: 6 inch"], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": ["6 inch"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPEFQD6", "worker_id": "A1EREKSZAA9V7B"}], "B09Q38V92J": [{"asin": "B09Q38V92J", "instruction": "i am looking for a blue tie and dye printed small blouse with a unique design that is short sleeved for teen girls.", "attributes": ["slim fit", "short sleeve", "long sleeve", "unique design", "polyester spandex", "teen girls"], "options": ["color: 0a94- blue", "size: small"], "instruction_attributes": ["short sleeve", "unique design", "teen girls"], "instruction_options": ["0a94- blue", "small"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWTG1RA", "worker_id": "AHU9OLV0YKIIW"}], "B08295DTX4": [{"asin": "B08295DTX4", "instruction": "i'm looking for a case cover hard shell cases of rock ash color.", "attributes": ["easy install", "case cover"], "options": ["color: rock ash"], "instruction_attributes": ["case cover"], "instruction_options": ["rock ash"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCHO7IW", "worker_id": "A9QRQL9CFJBI7"}], "B074338PG3": [{"asin": "B074338PG3", "instruction": "i want to find a pack of nine low-carb cheese bites from trader joe's.", "attributes": ["trader joe", "low carb", "gluten free"], "options": ["size: pack of 9"], "instruction_attributes": ["trader joe", "low carb"], "instruction_options": ["pack of 9"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI32ADBP", "worker_id": "A345TDMHP3DQ3G"}], "B00MFQJR60": [{"asin": "B00MFQJR60", "instruction": "i am looking for an easy care shirt. pick a soft black one.", "attributes": ["easy care", "button closure"], "options": ["color: soft black", "size: 4x-large"], "instruction_attributes": ["easy care"], "instruction_options": ["soft black"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VAME8K", "worker_id": "A1NF6PELRKACS9"}], "B071DV6H98": [{"asin": "B071DV6H98", "instruction": "i am looking for a gluten free peanut butter that comes in a vanilla flavor and is .85 oz.", "attributes": ["non gmo", "gluten free", "protein serving", "0g trans", "high fructose"], "options": ["flavor name: vanilla sample", "size: 0.85 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["vanilla sample", "0.85 ounce (pack of 1)"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV499TDTY", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B071DV6H98", "instruction": "i would like some non gmo peanut butter that is vanilla flavored and is 0.85 ounces", "attributes": ["non gmo", "gluten free", "protein serving", "0g trans", "high fructose"], "options": ["flavor name: vanilla sample", "size: 0.85 ounce (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["vanilla sample", "0.85 ounce (pack of 1)"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7XXWZTO", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B071DV6H98", "instruction": "i'm looking for a multi-pack of original peanut butter powder in the 6.5 ounce size; it must suit my gluten-free diet.", "attributes": ["non gmo", "gluten free", "protein serving", "0g trans", "high fructose"], "options": ["flavor name: original", "size: 6.5 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["original", "6.5 ounce (pack of 6)"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QQLXO9", "worker_id": "A3LIIE572Z4OG7"}], "B09QHJSCSJ": [{"asin": "B09QHJSCSJ", "instruction": "i need black flats in a size 9 that have arch support.", "attributes": ["open toe", "leather sole", "arch support"], "options": ["color: black", "size: 9"], "instruction_attributes": ["arch support"], "instruction_options": ["black", "9"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT3ZVHJ6", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HCLN583": [{"asin": "B09HCLN583", "instruction": "i want a non slip futon mattress which is soft and thick. i need it in 150*200 cm size.", "attributes": ["non slip", "living room"], "options": ["color: a", "size: 150*200cm"], "instruction_attributes": ["non slip"], "instruction_options": ["150*200cm"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5J76XV", "worker_id": "A1NF6PELRKACS9"}], "B09P5LHPC4": [{"asin": "B09P5LHPC4", "instruction": "i need a hair treatment detangler that comes in two bottles.", "attributes": ["hair extensions", "hair treatment", "dry hair"], "options": ["size: 2 bottles"], "instruction_attributes": ["hair treatment"], "instruction_options": ["2 bottles"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGY4LIEM", "worker_id": "A2ECRNQ3X5LEXD"}], "B01MRNDYVF": [{"asin": "B01MRNDYVF", "instruction": "i'm looking for a comfortable fit 38w x 30l jeans for men.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: san antonio", "fit type: slim", "size: 38w x 30l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["38w x 30l"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5KZP21H", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01MRNDYVF", "instruction": "i need a long lasting cowboy cut jeans that is slim fit.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: dax", "fit type: slim", "size: 48w x 32l"], "instruction_attributes": ["long lasting"], "instruction_options": ["slim"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53VSGKT", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01MRNDYVF", "instruction": "i am looking for a long lasting jean with comfortable fit in regular size. also choose smoky color and 28w x 30l size.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: smoke storm", "fit type: regular", "size: 28w x 30l"], "instruction_attributes": ["long lasting", "comfortable fit"], "instruction_options": ["smoke storm", "regular", "28w x 30l"], "assignment_id": "37TRT2X24116R7L1JO45INKV8TZJBF", "worker_id": "A2HMEGTAFO0CS8"}], "B087CM8ZJQ": [{"asin": "B087CM8ZJQ", "instruction": "i need a fast charging usb cable that is black and 6.6 feet long.", "attributes": ["gold plated", "fast charging", "aluminum alloy", "usb port"], "options": ["color: black", "size: 6.6ft"], "instruction_attributes": ["fast charging"], "instruction_options": ["black", "6.6ft"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBPYDAO5", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B087CM8ZJQ", "instruction": "i'm looking for gold plated grey usb cables.", "attributes": ["gold plated", "fast charging", "aluminum alloy", "usb port"], "options": ["color: grey", "size: 16ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["grey"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6G6YS3K", "worker_id": "A19317A3X87NVM"}], "B07KQNG859": [{"asin": "B07KQNG859", "instruction": "l want a roasted almonds colour 4 count low carbo and sugar free chocolate", "attributes": ["low carb", "sugar free", "artificial ingredients", "keto friendly", "individually wrapped", "dairy free", "quality ingredients"], "options": ["color: roasted almonds", "size: 4 count (pack of 4)"], "instruction_attributes": ["low carb", "sugar free"], "instruction_options": ["roasted almonds", "4 count (pack of 4)"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP8V57ZA", "worker_id": "A3N9ZYQAESNFQH"}], "B00EQD8022": [{"asin": "B00EQD8022", "instruction": "i am searching for a delicious dairy free unsweetened coconutmilk, 1 quart", "attributes": ["dairy free", "shelf stable", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["dairy free"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLTYAVZ", "worker_id": "A258PTOZ3D2TQR"}], "B01M183PGP": [{"asin": "B01M183PGP", "instruction": "i need a bpa free bag that is purple with flowers.", "attributes": ["bpa free", "travel bottles"], "options": ["color: purple with black disc, floral labels"], "instruction_attributes": ["bpa free"], "instruction_options": ["purple with black disc, floral labels"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBNHIGQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07T3RBK48": [{"asin": "B07T3RBK48", "instruction": "i need a classic fit t-shirt. pick the royal blue one.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: men", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["royal blue"], "assignment_id": "3VW04L3ZL4GEZUTR5OBOYTJ22OCXXO", "worker_id": "A1NF6PELRKACS9"}], "B08Z46HP2J": [{"asin": "B08Z46HP2J", "instruction": "i am searching for a queen size 7 inch cooling gel memory foam mattress certipur-us certified.", "attributes": ["memory foam", "king size"], "options": ["size: queen"], "instruction_attributes": [], "instruction_options": ["queen"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14L9L0LG", "worker_id": "A258PTOZ3D2TQR"}], "B085DGY66W": [{"asin": "B085DGY66W", "instruction": "i'm looking for a gluten free, non gmo vegetable powder refill pouch with organic winter squash. also, choose three beet flavor one.", "attributes": ["non gmo", "gluten free", "dietary fiber"], "options": ["flavor: three beet"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["three beet"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7RI5PP", "worker_id": "AR0VJ5XRG16UJ"}], "B09PZ6KCQ2": [{"asin": "B09PZ6KCQ2", "instruction": "i am looking for a x- large casual dresses with long sleeves", "attributes": ["hand wash", "long sleeve", "quality polyester", "daily wear"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x-large"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PFIX2K", "worker_id": "A9QRQL9CFJBI7"}], "B09RPDTM1K": [{"asin": "B09RPDTM1K", "instruction": "i want a small sexy pajama lingerie that is made of quality polyester. pick a yellow one.", "attributes": ["quality polyester", "polyester cotton", "teen girls", "daily wear"], "options": ["color: yellow", "size: small"], "instruction_attributes": ["quality polyester"], "instruction_options": ["yellow", "small"], "assignment_id": "3BGYGHDBB8UCXYNXTA52IDVAC71220", "worker_id": "A1NF6PELRKACS9"}], "B082WYL1FR": [{"asin": "B082WYL1FR", "instruction": "i am looking for a usb c female to usb male adapter made up of aluminum alloy also in purple color.", "attributes": ["aluminum alloy", "usb port"], "options": ["color: purple"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["purple"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB1WXULH", "worker_id": "A2HMEGTAFO0CS8"}], "B091G46DJV": [{"asin": "B091G46DJV", "instruction": "get me a wine tote that is bpa free and easy to use to hold wine bottles. pick something in swankey blue moon color.", "attributes": ["bpa free", "easy use", "great gift", "perfect gift"], "options": ["color: swankey blue moon"], "instruction_attributes": ["bpa free", "easy use"], "instruction_options": ["swankey blue moon"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJKHXB6", "worker_id": "A1NF6PELRKACS9"}], "B09FYT7V8G": [{"asin": "B09FYT7V8G", "instruction": "i need an ac adapter that has wireless charging.", "attributes": ["output protection", "wireless charging"], "options": [""], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MCILWH", "worker_id": "A2ECRNQ3X5LEXD"}], "B076BYM91L": [{"asin": "B076BYM91L", "instruction": "i would like some high protein jerky that is bbq and 8 ounces.", "attributes": ["low fat", "high protein"], "options": ["flavor name: bbq", "size: 8 ounce"], "instruction_attributes": ["high protein"], "instruction_options": ["bbq", "8 ounce"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ5S191", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B076BYM91L", "instruction": "i am looking for a 4 ounce pack of low fat turkey jerky with sweet heat flavor.", "attributes": ["low fat", "high protein"], "options": ["flavor name: sweet heat", "size: 4 ounce"], "instruction_attributes": ["low fat"], "instruction_options": ["sweet heat", "4 ounce"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X5IY3K", "worker_id": "AJDQGOTMB2D80"}], "B09729K3M4": [{"asin": "B09729K3M4", "instruction": "i am looking for an easy clean computer desk that is white in color. pick a size 47\" desk.", "attributes": ["heavy duty", "white item", "easy clean", "easy assemble", "coated steel", "metal legs"], "options": ["color: rustic brown + black frame", "size: 47\""], "instruction_attributes": ["white item", "easy clean"], "instruction_options": ["47\""], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYIN7NL", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09729K3M4", "instruction": "i want a 39 inch easy to clean computer desk that is also heavy duty.", "attributes": ["heavy duty", "white item", "easy clean", "easy assemble", "coated steel", "metal legs"], "options": ["color: rustic brown + black frame", "size: 39\u2018\u2019"], "instruction_attributes": ["heavy duty", "easy clean"], "instruction_options": ["39\u2018\u2019"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JZFEGS", "worker_id": "A1NF6PELRKACS9"}], "B09KGGD8NN": [{"asin": "B09KGGD8NN", "instruction": "i'm searching for a rechargeable plug play powerpoint presenter remote. also its color is green light one.", "attributes": ["plug play", "usb port"], "options": ["color: green light", "size: x16"], "instruction_attributes": ["plug play"], "instruction_options": ["x16"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK60KYYL", "worker_id": "A258PTOZ3D2TQR"}], "B09P1QKG2T": [{"asin": "B09P1QKG2T", "instruction": "i am looking for a glitters nail polish. also, choose the 04# color.", "attributes": ["nail art", "nail polish"], "options": ["color: 04#"], "instruction_attributes": ["nail polish"], "instruction_options": ["04#"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV67OPU2", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09P1QKG2T", "instruction": "i need a 05# nail powder pen for nail art.", "attributes": ["nail art", "nail polish"], "options": ["color: 05#"], "instruction_attributes": ["nail art"], "instruction_options": ["05#"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7WFDSL", "worker_id": "A2RBF3IIJP15IH"}], "B00005Q7DG": [{"asin": "B00005Q7DG", "instruction": "i'm looking for a digital camera with optical zoom lens and should have usb port.", "attributes": ["optical zoom", "usb port"], "options": [""], "instruction_attributes": ["optical zoom", "usb port"], "instruction_options": [], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQFL31T", "worker_id": "AR0VJ5XRG16UJ"}], "B0000533G9": [{"asin": "B0000533G9", "instruction": "i need a cruelty free hand wash that is 8 ounces.", "attributes": ["plant based", "cruelty free", "tea tree"], "options": ["size: 8 ounce (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHRYM0CB", "worker_id": "A2ECRNQ3X5LEXD"}], "B07N49M3J7": [{"asin": "B07N49M3J7", "instruction": "i want to find a 3-pack of grape-mango fruit leather buttons that are usda organic. the brand must be trader joe's.", "attributes": ["trader joe", "usda organic", "gluten free", "natural flavors"], "options": ["flavor name: grape-mango", "size: 3 pack"], "instruction_attributes": ["trader joe", "usda organic"], "instruction_options": ["grape-mango", "3 pack"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9ALK6D", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07N49M3J7", "instruction": "trader joe want to buy an organic fruit with leather buttons and natural flavors (6 pack). also choose the mango and size is 12 pack.", "attributes": ["trader joe", "usda organic", "gluten free", "natural flavors"], "options": ["flavor name: mango", "size: 12 pack"], "instruction_attributes": ["trader joe", "usda organic", "natural flavors"], "instruction_options": ["mango", "12 pack"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD4V3AYI", "worker_id": "A59DVED5S9N9Y"}, {"asin": "B07N49M3J7", "instruction": "i'm looking for gluten free that flavor was mango it looks so good.", "attributes": ["trader joe", "usda organic", "gluten free", "natural flavors"], "options": ["flavor name: mango", "size: 6 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["mango"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDUSZQD", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07N49M3J7", "instruction": "i\u2019m looking for a 6-pack of the trader joes fruit leather buttons; i like the natural strawberry-mango flavour.", "attributes": ["trader joe", "usda organic", "gluten free", "natural flavors"], "options": ["flavor name: strawberry-mango", "size: 6 pack"], "instruction_attributes": ["trader joe", "natural flavors"], "instruction_options": ["6 pack"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746Y5BTX", "worker_id": "A3LIIE572Z4OG7"}], "B01M4RU1G2": [{"asin": "B01M4RU1G2", "instruction": "i need fruit snacks are that are both fat and gluten free.", "attributes": ["fat free", "non gmo", "gluten free", "dietary fiber"], "options": [""], "instruction_attributes": ["fat free", "gluten free"], "instruction_options": [], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMO9FCTV", "worker_id": "A2ECRNQ3X5LEXD"}], "B08S3S7Y6S": [{"asin": "B08S3S7Y6S", "instruction": "i am looking for 3.3 ft usb cables compatible with apple.", "attributes": ["compatible apple", "fast charging"], "options": ["color: black - 2 pack", "size: 3.3 ft"], "instruction_attributes": ["compatible apple"], "instruction_options": ["3.3 ft"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZF9B9VA", "worker_id": "A9QRQL9CFJBI7"}], "B09225PZDX": [{"asin": "B09225PZDX", "instruction": "i'm looking for multicolor cupcake toppers with cupcake picks for baby shower.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["cupcake picks", "baby shower"], "instruction_options": [], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL95S2V6", "worker_id": "AR0VJ5XRG16UJ"}], "B01HFHK26C": [{"asin": "B01HFHK26C", "instruction": "i want a fully assembled file cabinet for home and office use. pick something in gray and black.", "attributes": ["ready use", "fully assembled"], "options": ["color: gray black", "style: 2-drawer, all-steel lock & key"], "instruction_attributes": ["fully assembled"], "instruction_options": ["gray black"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P4AUBP", "worker_id": "A1NF6PELRKACS9"}], "B07Z4ZSKP4": [{"asin": "B07Z4ZSKP4", "instruction": "i need a vinyl acetate narrow fit sandals with big buckle. i am a size 8.5.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: stardust rose", "size: 8.5"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["8.5"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQRAB47", "worker_id": "A1NF6PELRKACS9"}], "B07Y848YHD": [{"asin": "B07Y848YHD", "instruction": "i am looking for gorgeous color black in the stainless steel metal watchband surface, the innovation design, looks more fashionable rabuzi band compatible for fitbit ionic band smartwatch.", "attributes": ["quick release", "stainless steel"], "options": ["color: black"], "instruction_attributes": ["stainless steel"], "instruction_options": ["black"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIYP3TF", "worker_id": "A1DRKZ3SCLAS4V"}], "B09Q2LHXS9": [{"asin": "B09Q2LHXS9", "instruction": "i am looking for fashion comfortable flats for women with the durable slip on outsole withlight weight lyhomean handmade women linen cotton slip on loafers in grey color. size 6.5 preferable.", "attributes": ["light weight", "fashion design"], "options": ["color: grey", "size: 6.5"], "instruction_attributes": ["light weight", "fashion design"], "instruction_options": ["grey", "6.5"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMK3W91", "worker_id": "A1DRKZ3SCLAS4V"}], "B09LZ3B5CB": [{"asin": "B09LZ3B5CB", "instruction": "i am looking for a long lasting highly pigmented eye shadow for senstive skin", "attributes": ["highly pigmented", "long lasting", "eye shadow", "sensitive skin"], "options": [""], "instruction_attributes": ["highly pigmented", "long lasting", "eye shadow", "sensitive skin"], "instruction_options": [], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G70C475", "worker_id": "A3N9ZYQAESNFQH"}], "B094Y4C2ZM": [{"asin": "B094Y4C2ZM", "instruction": "i'm looking for a #9 silver open toe women flat sandals, size-11", "attributes": ["open toe", "closed toe"], "options": ["color: #9 silver", "size: 11"], "instruction_attributes": ["open toe"], "instruction_options": ["#9 silver", "11"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXCHWKT", "worker_id": "A9QRQL9CFJBI7"}], "B0848FR6YM": [{"asin": "B0848FR6YM", "instruction": "i am looking for a ready to use cocktail mixer that is authentic michelada mix and is 33.8 fl oz.", "attributes": ["ready use", "non gmo", "high fructose"], "options": ["flavor name: authentic michelada mix", "size: 33.81 fl oz (pack of 3)"], "instruction_attributes": ["ready use"], "instruction_options": ["authentic michelada mix", "33.81 fl oz (pack of 3)"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FAE3D5", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0848FR6YM", "instruction": "i am looking for a 16 fl oz cocktail mixer that is ready to use and is ginger lemonade flavored.", "attributes": ["ready use", "non gmo", "high fructose"], "options": ["flavor name: skinny ginger lemonade mixer", "size: 16 fl oz (pack of 1)"], "instruction_attributes": ["ready use"], "instruction_options": ["skinny ginger lemonade mixer", "16 fl oz (pack of 1)"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMKUWMM", "worker_id": "A2ECRNQ3X5LEXD"}], "B0933HSCRS": [{"asin": "B0933HSCRS", "instruction": "i'm looking for a 18 inch double sided hair extensions", "attributes": ["double sided", "hair extensions"], "options": ["size: 18 inch"], "instruction_attributes": ["double sided"], "instruction_options": ["18 inch"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIFL584", "worker_id": "A9QRQL9CFJBI7"}], "B07C2DXQTP": [{"asin": "B07C2DXQTP", "instruction": "i need some prewashed comfortable fit jeans that are relaxed and a size 36w by 31l", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: prewash", "fit type: relaxed", "size: 36w x 31l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["prewash", "relaxed", "36w x 31l"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYXXJ4G", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07C2DXQTP", "instruction": "i want banjo blue and machine washable wrangler cowboy cut jeans.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: banjo blue", "fit type: regular", "size: 36"], "instruction_attributes": ["machine wash"], "instruction_options": ["banjo blue"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39ISCLTN", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07C2DXQTP", "instruction": "i want long lasting and slim wrangler mens cowboy jeans.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: smoke storm", "fit type: slim", "size: 52w x 30l"], "instruction_attributes": ["long lasting"], "instruction_options": ["slim"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2ONI99W", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07C2DXQTP", "instruction": "i want big & tall and comfortable fit wrangler mens cowboy cut jeans.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: worn in", "fit type: big & tall", "size: 40w x 40l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["big & tall"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W8WUO6", "worker_id": "A2RBF3IIJP15IH"}], "B08Y917SDN": [{"asin": "B08Y917SDN", "instruction": "i want a long lasting shower gel gift set for sensitive skin. pick something with cherry blossom scent.", "attributes": ["long lasting", "seed oil", "natural ingredients", "sensitive skin"], "options": [""], "instruction_attributes": ["long lasting", "sensitive skin"], "instruction_options": [], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXNXYLE", "worker_id": "A1NF6PELRKACS9"}], "B007PY8M9A": [{"asin": "B007PY8M9A", "instruction": "i am looking for zero sugar sparkling water which is peach flovoured and should be 15.99 fl oz in size (pack of 12.", "attributes": ["certified organic", "zero sugar"], "options": ["flavor name: peach", "size: 15.99 fl oz (pack of 12)"], "instruction_attributes": ["zero sugar"], "instruction_options": ["peach", "15.99 fl oz (pack of 12)"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQ5N6S7", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B007PY8M9A", "instruction": "i would like a 12 pack of 16 fluid ounce bottles of zero sugar wild berry energy drinks.", "attributes": ["certified organic", "zero sugar"], "options": ["flavor name: wild berry", "size: 16 fl oz (pack of 12)"], "instruction_attributes": ["zero sugar"], "instruction_options": ["wild berry", "16 fl oz (pack of 12)"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMZN3WZ", "worker_id": "A1WS884SI0SLO4"}], "B07RPZHP79": [{"asin": "B07RPZHP79", "instruction": "i am looking for a .4 fl oz concealer that is good for dark circles and is in the shade 12.0 light sand.", "attributes": ["anti aging", "highly pigmented", "travel size", "long lasting", "hyaluronic acid", "dark circles"], "options": ["color: 12.0 light sand (w)", "size: 0.4 fl oz"], "instruction_attributes": ["dark circles"], "instruction_options": ["12.0 light sand (w)", "0.4 fl oz"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJK3BX6", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NSF1Z7R": [{"asin": "B09NSF1Z7R", "instruction": "i am looking for blue high waist casual pants for women.", "attributes": ["straight leg", "wide leg", "loose fit", "high waist"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["blue"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFMUJOJ", "worker_id": "A9QRQL9CFJBI7"}], "B09RMHDH39": [{"asin": "B09RMHDH39", "instruction": "i'm looking for a red hand washed tanks & camis for women.", "attributes": ["wash cold", "hand wash", "polyester spandex"], "options": ["color: red", "size: small"], "instruction_attributes": ["hand wash"], "instruction_options": ["red"], "assignment_id": "3634BBTX0Z409DDB6851PCWGA5BFIC", "worker_id": "A9QRQL9CFJBI7"}], "B00WBB0D4E": [{"asin": "B00WBB0D4E", "instruction": "i'm looking for a cocktail mixer that is gluten free, nut free and has no artificial colors. also, choose wine freezer sangria with pack of 4.", "attributes": ["non alcoholic", "nut free", "gluten free", "artificial colors"], "options": ["flavor name: wine freezer sangria", "size: pack of 4"], "instruction_attributes": ["nut free", "gluten free", "artificial colors"], "instruction_options": ["wine freezer sangria", "pack of 4"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LFP094", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00WBB0D4E", "instruction": "i would like a non alcoholic eggnog mixer that comes in a four pack", "attributes": ["non alcoholic", "nut free", "gluten free", "artificial colors"], "options": ["flavor name: eggnog", "size: pack of 4"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["eggnog", "pack of 4"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXQ4YLR", "worker_id": "A2ECRNQ3X5LEXD"}], "B07JKY5SJQ": [{"asin": "B07JKY5SJQ", "instruction": "i am looking for a medium adult sized unisex hoodie which is machine washable. pick the navy blue one.", "attributes": ["wash cold", "machine wash", "dry clean", "tumble dry"], "options": ["color: navy blue", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy blue"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOSMO7B", "worker_id": "A1NF6PELRKACS9"}], "B093ZNDMMS": [{"asin": "B093ZNDMMS", "instruction": "i want a body wash that is dermatologist tested. it should have a cucumber and aloe scent.", "attributes": ["dermatologist tested", "sensitive skin"], "options": ["scent: cucumber + aloe", "size: 24.5 fl oz"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["cucumber + aloe"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXQXYMM", "worker_id": "A1NF6PELRKACS9"}], "B01G5VEX3W": [{"asin": "B01G5VEX3W", "instruction": "i want to find green tea lip gloss that comes in the color \"kiss me pink.\"", "attributes": ["green tea", "seed oil", "natural ingredients"], "options": ["color: kiss me pink"], "instruction_attributes": ["green tea"], "instruction_options": ["kiss me pink"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MI3RRBZ", "worker_id": "A345TDMHP3DQ3G"}], "B08D9NK2TL": [{"asin": "B08D9NK2TL", "instruction": "i am looking for itch relief balm for sensitive skin.", "attributes": ["sulfate free", "clinically proven", "dry skin", "sensitive skin"], "options": ["style: itch relief balm"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["itch relief balm"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4BA985", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B08D9NK2TL", "instruction": "i am looking for a repairing cream sulfate free body washes for dry skin", "attributes": ["sulfate free", "clinically proven", "dry skin", "sensitive skin"], "options": ["style: repairing cream"], "instruction_attributes": ["sulfate free", "dry skin"], "instruction_options": ["repairing cream"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI85ASSR", "worker_id": "A9QRQL9CFJBI7"}], "B00MRNQT8A": [{"asin": "B00MRNQT8A", "instruction": "i would like three traditional vanity lights that are in a satin bronze finish.", "attributes": ["bronze finish", "vanity light"], "options": ["color: satin bronze finish", "size: three - light", "style: traditional"], "instruction_attributes": ["vanity light"], "instruction_options": ["satin bronze finish", "three - light", "traditional"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227CCF8G", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00MRNQT8A", "instruction": "i'm looking for a three light vanity style light fixture that can hang on the wall and has chrome finish.", "attributes": ["bronze finish", "vanity light"], "options": ["color: chrome finish", "size: nine light", "style: wall | bath sconce"], "instruction_attributes": ["vanity light"], "instruction_options": ["chrome finish", "wall | bath sconce"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDKS5KA", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B00MRNQT8A", "instruction": "i am looking for bronze finish chrome color vanity lights", "attributes": ["bronze finish", "vanity light"], "options": ["color: chrome", "size: three light", "style: mini-pendant"], "instruction_attributes": ["bronze finish"], "instruction_options": ["chrome"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9JGZS1W", "worker_id": "A16M39T60N60NO"}, {"asin": "B00MRNQT8A", "instruction": "i'm looking for a three light vanity style light fixture that can hang on the wall and has chrome finish.", "attributes": ["bronze finish", "vanity light"], "options": ["color: chrome finish", "size: nine light", "style: wall | bath sconce"], "instruction_attributes": ["vanity light"], "instruction_options": ["chrome finish", "wall | bath sconce"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDKS5KA", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B00MRNQT8A", "instruction": "i would like a nine light vanity light wall sconce with chrome finish", "attributes": ["bronze finish", "vanity light"], "options": ["color: chrome finish", "size: nine light", "style: wall | bath sconce"], "instruction_attributes": ["vanity light"], "instruction_options": ["chrome finish", "nine light", "wall | bath sconce"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9Y1X5V", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00MRNQT8A", "instruction": "can i get some chandelier vanity lights with a bronze finish?", "attributes": ["bronze finish", "vanity light"], "options": ["color: satin brass", "size: five light", "style: chandelier"], "instruction_attributes": ["bronze finish"], "instruction_options": ["chandelier"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8YC8GM", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B00MRNQT8A", "instruction": "i want to buy vanity lights which have bronze finish and the color of which is satin bronze, and with a size of nine light, while it's style should be mini-pendant.", "attributes": ["bronze finish", "vanity light"], "options": ["color: satin bronze", "size: nine light", "style: mini-pendant"], "instruction_attributes": ["bronze finish", "vanity light"], "instruction_options": ["satin bronze", "nine light", "mini-pendant"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD3QICX", "worker_id": "AJY5G987IRT25"}, {"asin": "B00MRNQT8A", "instruction": "i need four contemporary vanity lights.", "attributes": ["bronze finish", "vanity light"], "options": ["color: satin bronze finish", "size: four light", "style: contemporary"], "instruction_attributes": ["vanity light"], "instruction_options": ["four light", "contemporary"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VIS8E0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00MRNQT8A", "instruction": "i want to get a three light, wall scone style vanity light that has a brushed nickel finish.", "attributes": ["bronze finish", "vanity light"], "options": ["color: brushed nickel finish", "size: three light", "style: wall | bath sconce"], "instruction_attributes": ["vanity light"], "instruction_options": ["brushed nickel finish", "three light", "wall | bath sconce"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWZS5TT", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B00MRNQT8A", "instruction": "i need to buy a vanity light in brushed nickel with two lights.", "attributes": ["bronze finish", "vanity light"], "options": ["color: brushed nickel", "size: two light", "style: wall | bath sconce"], "instruction_attributes": ["vanity light"], "instruction_options": ["brushed nickel", "two light"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ53TCK8", "worker_id": "AR9AU5FY1S3RO"}], "B018ZL0820": [{"asin": "B018ZL0820", "instruction": "i'd like to find a 2-pack of 16 ounce bags of chocolate covered cherries. ideally the flavors will be variety white and imperial.", "attributes": ["chocolate covered", "valentine day", "gift basket"], "options": ["flavor name: variety white & imperial", "size: 16 ounce (pack of 2)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["variety white & imperial", "16 ounce (pack of 2)"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTMJ4ES", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B018ZL0820", "instruction": "i am looking a valentine day chocolate gift basket of imperial chocolate flavour size :8 ounce (pack of 2)", "attributes": ["chocolate covered", "valentine day", "gift basket"], "options": ["flavor name: imperial chocolate", "size: 8 ounce (pack of 2)"], "instruction_attributes": ["valentine day", "gift basket"], "instruction_options": ["imperial chocolate", "8 ounce (pack of 2)"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23TB7QTG", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B018ZL0820", "instruction": "i am looking for cherry republic brand chocolate covered cherries, 2 of the 8 ounce packages.", "attributes": ["chocolate covered", "valentine day", "gift basket"], "options": ["flavor name: variety all", "size: 8 ounce (pack of 2)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["8 ounce (pack of 2)"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1JK08C", "worker_id": "AK3JMCIGU8MLU"}], "B07C55SZW3": [{"asin": "B07C55SZW3", "instruction": "i looking a gluten free peanut butter dark chocolate", "attributes": ["gluten free", "0g trans"], "options": ["flavor name: peanut butter dark chocolate", "size: 40 bars"], "instruction_attributes": ["gluten free"], "instruction_options": ["peanut butter dark chocolate"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZC87CY", "worker_id": "A3N9ZYQAESNFQH"}], "B01N5T2UGJ": [{"asin": "B01N5T2UGJ", "instruction": "i'm looking for lumbar support adjustable height wheel chair without arms rest. also tan color one.", "attributes": ["pu leather", "lumbar support"], "options": ["color: tan"], "instruction_attributes": ["lumbar support"], "instruction_options": ["tan"], "assignment_id": "354P56DE9VDCOY11T1135MPMLG4S7P", "worker_id": "A258PTOZ3D2TQR"}], "B07HQS5JN1": [{"asin": "B07HQS5JN1", "instruction": "i need usb cables that have fast charging capabilities.", "attributes": ["output protection", "fast charging"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCY1D0R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07HQS5JN1", "instruction": "i would like to have a usb cable with output protection.", "attributes": ["output protection", "fast charging"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA93YNZ3B", "worker_id": "A15ERD4HOFEPHM"}], "B09K4WJ974": [{"asin": "B09K4WJ974", "instruction": "i am looking for a memory foam slipper that is suitable for 5-6 size leg . and i would go for white color", "attributes": ["non slip", "memory foam", "ethylene vinyl", "vinyl acetate", "faux fur", "rubber sole"], "options": ["color: white", "size: 5-6"], "instruction_attributes": ["memory foam"], "instruction_options": ["white", "5-6"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662PPM4G", "worker_id": "A2COCSUGZV28X"}], "B09JCBWVZV": [{"asin": "B09JCBWVZV", "instruction": "i need a high power amplifier adapter for home audio.", "attributes": ["power amplifier", "high power", "easy carry"], "options": ["color: amp-power adapter"], "instruction_attributes": ["power amplifier", "high power"], "instruction_options": ["amp-power adapter"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLSAYBG", "worker_id": "A1NF6PELRKACS9"}], "B09N72B4GK": [{"asin": "B09N72B4GK", "instruction": "i am looking for a height adjustable, steel frame desks & desk sets of blue color.", "attributes": ["height adjustable", "steel frame"], "options": ["color: blue"], "instruction_attributes": ["height adjustable", "steel frame"], "instruction_options": [], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM963EG43", "worker_id": "A9QRQL9CFJBI7"}], "B08NK4SHXY": [{"asin": "B08NK4SHXY", "instruction": "i need a fluoride free toothpaste that ensures fresh breath and removes stain. pick a purple colored one.", "attributes": ["fluoride free", "long lasting", "fresh breath"], "options": ["color: purple"], "instruction_attributes": ["fluoride free", "fresh breath"], "instruction_options": ["purple"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VB9BJDC", "worker_id": "A1NF6PELRKACS9"}], "B00GYDBWD6": [{"asin": "B00GYDBWD6", "instruction": "i am looking for some eye shadow in the midnight sky shade.", "attributes": ["dermatologist tested", "eye shadow"], "options": ["color: midnight sky"], "instruction_attributes": ["eye shadow"], "instruction_options": ["midnight sky"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TLVZVR1", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CQB2FZK": [{"asin": "B07CQB2FZK", "instruction": "i will need a high speed coaxial cable made of aluminum alloy. pick the black one.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: dual - black", "size: 25ft"], "instruction_attributes": ["high speed", "aluminum alloy"], "instruction_options": ["dual - black"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PE8X28", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07CQB2FZK", "instruction": "look for a high speed coaxial cable that is about 1 foot. three per pack would be nice.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: dual - black", "size: 1ft - 3 pack"], "instruction_attributes": ["high speed"], "instruction_options": ["1ft - 3 pack"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HG8THYZ", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B07CQB2FZK", "instruction": "i want for a video cables a coaxial cable and aluminum alloy and to be a usa made trishield black", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: usa made trishield - black", "size: 2ft - 3 pack"], "instruction_attributes": ["coaxial cable", "aluminum alloy"], "instruction_options": ["usa made trishield - black"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YK696D", "worker_id": "A19Q021KR28CS8"}, {"asin": "B07CQB2FZK", "instruction": "i need a high speed coaxial cable that is 85 feet in size.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: burial 3ghz rg11, weather seal - orange", "size: 85ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["85ft"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y36IVI", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07CQB2FZK", "instruction": "i'm looking for 210ft of high speed rg-6 coaxial cable that is ready to bury with an orange weather boot.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: direct burial w | weather boot - orange", "size: 210ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["direct burial w | weather boot - orange", "210ft"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGHZW2L", "worker_id": "A2DDPSXH2X96RF"}, {"asin": "B07CQB2FZK", "instruction": "i would like a three pack of 4 ft quad rg11 weather boot high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quad rg11 aerial w | weather boot - black", "size: 4ft - 3 pack"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["quad rg11 aerial w | weather boot - black", "4ft - 3 pack"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHN70JB", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07CQB2FZK", "instruction": "look for a high speed coaxial cable that is about 1 foot. three per pack would be nice.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: dual - black", "size: 1ft - 3 pack"], "instruction_attributes": ["high speed"], "instruction_options": ["1ft - 3 pack"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HG8THYZ", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B07CQB2FZK", "instruction": "can you find me a two pack coaxial cable that's high speed, made of aluminum alloy, and is 15 feet long?", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield nickel plated fitting - black", "size: 15ft - 2 pack"], "instruction_attributes": ["high speed", "aluminum alloy"], "instruction_options": ["15ft - 2 pack"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OWP3MM", "worker_id": "A2CJFO19NY4T5R"}, {"asin": "B07CQB2FZK", "instruction": "i'm looking for coaxial cable for video accessories for electronics.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: burial 3ghz rg11, weather seal - orange", "size: 60 ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["burial 3ghz rg11, weather seal - orange"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OOKMM1", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07CQB2FZK", "instruction": "i'm looking for high speed net it has quashield-black material type.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield - black", "size: 250ft"], "instruction_attributes": ["high speed"], "instruction_options": ["quadshield - black"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA8TS20", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07CQB2FZK", "instruction": "i need to buy a twenty foot high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: copper, at&t directv fitting - white", "size: 20 ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["20 ft"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXA3CF3", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07CQB2FZK", "instruction": "i am looking for 2 pack of 20ft long quadshield solid copper black color indoor and outdoor coaxial cable", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield solid copper - black", "size: 20ft - 2 pack"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["quadshield solid copper - black", "20ft - 2 pack"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A21CBTHY", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07CQB2FZK", "instruction": "i am looking for a high speed coaxial cable that is 135 ft long.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: burial 3ghz rg11, weather seal - orange", "size: 135ft"], "instruction_attributes": ["high speed"], "instruction_options": ["135ft"], "assignment_id": "38F71OA9G46M5W32RN3TH53XROXMFL", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CQB2FZK", "instruction": "i'm looking for coaxial cable for video accessories it can intall at any", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: 3ghz dual w | ground - black", "size: 105ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["3ghz dual w | ground - black"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q5GWGQ", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07CQB2FZK", "instruction": "i need a high speed coaxial cable that is 50ft.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: copper, at&t directv fitting - white", "size: 50 ft"], "instruction_attributes": ["high speed"], "instruction_options": ["50 ft"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5IJWIT", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CQB2FZK", "instruction": "i'm looking for 6ft - 3packs of high speed coaxial cable with aluminum alloy.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: solid copper - white", "size: 6ft - 3 pack"], "instruction_attributes": ["high speed", "coaxial cable", "aluminum alloy"], "instruction_options": ["6ft - 3 pack"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA932X3ZX", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B07CQB2FZK", "instruction": "i would like a 10 foot long copper coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: copper, weather boot - white", "size: 10ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["copper, weather boot - white", "10ft"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQDO0N3", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07CQB2FZK", "instruction": "buy a 20ft video cable that has aluminum alloy.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield rg11 aerial weather boot - bla...", "size: 20ft"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["20ft"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUMR3RJ", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B07CQB2FZK", "instruction": "i am looking for a high speed 150 ft coaxial cable", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: 3ghz dual w | ground - black", "size: 150 ft"], "instruction_attributes": ["high speed"], "instruction_options": ["150 ft"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR4B5FUD", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CQB2FZK", "instruction": "i would like a 3 ft long copper coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: copper, weather boot - black", "size: 3ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["copper, weather boot - black", "3ft"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2Z6495", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07CQB2FZK", "instruction": "i am looking for a 200ft coaxial cable black in color. indoor/outdoor use.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: direct burial rg-11 - black", "size: 3ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["3ft"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3TLZMG", "worker_id": "A2KW17G25L25R8"}, {"asin": "B07CQB2FZK", "instruction": "i am looking for a 10 foot high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: burial 3ghz rg11, weather seal - orange", "size: 10ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["10ft"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTCUNLW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07CQB2FZK", "instruction": "i'm looking for a high speed 180 foot coaxial cable with a trishield nickel-plated fitting.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield nickel-plated fitting -black", "size: 180ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["trishield nickel-plated fitting -black", "180ft"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG67GB7", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07CQB2FZK", "instruction": "i would like a 200 foot long coaxial cable made of burial 3ghz rg6..", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: burial 3ghz rg6, directv fitting - orang...", "size: 200ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["burial 3ghz rg6, directv fitting - orang...", "200ft"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZOGHS6", "worker_id": "A1WS884SI0SLO4"}], "B003Z4UKGM": [{"asin": "B003Z4UKGM", "instruction": "i'm looking for a oil free cleansers for acne spot.", "attributes": ["oil free", "sulfate free", "paraben free", "cruelty free"], "options": ["style: acne spot"], "instruction_attributes": ["oil free"], "instruction_options": ["acne spot"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YIAT8M", "worker_id": "A9QRQL9CFJBI7"}], "B093YT5TL6": [{"asin": "B093YT5TL6", "instruction": "i want a laundry bag for my blouse and hosiery.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7CJ5NV", "worker_id": "A1NF6PELRKACS9"}], "B09KDLJV6C": [{"asin": "B09KDLJV6C", "instruction": "i intrested natural flavors pure chocolate extract gluten free 8fl oz", "attributes": ["non gmo", "gluten free", "natural flavors", "quality ingredients"], "options": ["flavor name: pure chocolate extract", "size: 8 fl oz (pack of 1)"], "instruction_attributes": ["natural flavors"], "instruction_options": ["pure chocolate extract", "8 fl oz (pack of 1)"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEBH86A", "worker_id": "A3N9ZYQAESNFQH"}], "B00VBNQJLY": [{"asin": "B00VBNQJLY", "instruction": "i'm looking for a sd card with h1080p hd resolution. also, choose single style 32 gb capacity.", "attributes": ["high speed", "1080p hd"], "options": ["capacity: 32gb", "style: single"], "instruction_attributes": ["high speed"], "instruction_options": ["32gb", "single"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ807YQ1I", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00VBNQJLY", "instruction": "i would like a 25 pack of 256gig high speed sd cards.", "attributes": ["high speed", "1080p hd"], "options": ["capacity: 256gb", "style: 25-pack"], "instruction_attributes": ["high speed"], "instruction_options": ["256gb", "25-pack"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQ0F4BN", "worker_id": "A1WS884SI0SLO4"}], "B081DFZRPX": [{"asin": "B081DFZRPX", "instruction": "i am looking for a high performance usb flash drive. pick a gold one.", "attributes": ["high performance", "plug play"], "options": ["color: gold", "size: 1tb"], "instruction_attributes": ["high performance"], "instruction_options": ["gold"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXN0YLH", "worker_id": "A1NF6PELRKACS9"}], "B085D4W8C7": [{"asin": "B085D4W8C7", "instruction": "i am looking for a wood finish posters for my living room. and i would go for 30 x 40 size", "attributes": ["ready hang", "wood finish"], "options": ["size: 30 x 40", "style name: white framed"], "instruction_attributes": ["wood finish"], "instruction_options": ["30 x 40"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0SUK11A", "worker_id": "A2COCSUGZV28X"}, {"asin": "B085D4W8C7", "instruction": "i need a bubble bath sticker that is ready to hang.", "attributes": ["ready hang", "wood finish"], "options": ["size: 24 x 30", "style name: gray framed"], "instruction_attributes": ["ready hang"], "instruction_options": ["24 x 30"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJK0BX3", "worker_id": "A19317A3X87NVM"}], "B00451W378": [{"asin": "B00451W378", "instruction": "i would like a non-dairy coffee creamer that is the cinnamon vanilla cream flavor and that comes in a pack of three 150 single servings.", "attributes": ["non dairy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: cinnamon vanilla cream", "size: box of 150 singles (pack of 3)"], "instruction_attributes": ["non dairy"], "instruction_options": ["cinnamon vanilla cream", "box of 150 singles (pack of 3)"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0WS7X0", "worker_id": "A2ECRNQ3X5LEXD"}], "B07536HD18": [{"asin": "B07536HD18", "instruction": "i'm looking for a 19\" neck 38\" sleeve classic fit dress shirts for men.", "attributes": ["machine wash", "classic fit", "relaxed fit", "button closure", "long sleeve"], "options": ["color: french blue", "size: 19\" neck 38\" sleeve"], "instruction_attributes": ["classic fit"], "instruction_options": ["19\" neck 38\" sleeve"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDTIRIF", "worker_id": "A9QRQL9CFJBI7"}], "B07BGYT1WD": [{"asin": "B07BGYT1WD", "instruction": "i need a non gmo salad topper with glazed pecans.", "attributes": ["artificial ingredients", "non gmo"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL95VV22", "worker_id": "A1NF6PELRKACS9"}], "B07DFY4Z39": [{"asin": "B07DFY4Z39", "instruction": "i want red shears that are stainless steel and are 5.5 inches long.", "attributes": ["stainless steel", "hair cutting"], "options": ["color: red", "size: 5.5 inches"], "instruction_attributes": ["stainless steel"], "instruction_options": ["red", "5.5 inches"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2TJ532", "worker_id": "A2ECRNQ3X5LEXD"}], "B08K756ZGR": [{"asin": "B08K756ZGR", "instruction": "i am looking for gold plated rca cables.", "attributes": ["power amplifier", "gold plated", "plug play", "easy use"], "options": [""], "instruction_attributes": ["gold plated"], "instruction_options": [], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBKUIGX", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08K756ZGR", "instruction": "i am looking for lightning to rca cable audio aux adapter, stereo y splitter adapter with gold plated and plug play", "attributes": ["power amplifier", "gold plated", "plug play", "easy use"], "options": [""], "instruction_attributes": ["gold plated", "plug play", "easy use"], "instruction_options": [], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GK03SP", "worker_id": "AX2EWYWZM19AZ"}], "B09NC8PLND": [{"asin": "B09NC8PLND", "instruction": "i need a loose fit blouse that is green and in an xx-large.", "attributes": ["loose fit", "long sleeve", "short sleeve", "faux fur"], "options": ["color: a-green", "size: xx-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["a-green", "xx-large"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZAXMKM", "worker_id": "A2ECRNQ3X5LEXD"}], "B0086GDPD4": [{"asin": "B0086GDPD4", "instruction": "i am looking for a 5x long sleeve casual button-down shirts for men.", "attributes": ["easy care", "button closure", "long sleeve"], "options": ["color: teal green", "size: 5x"], "instruction_attributes": ["long sleeve"], "instruction_options": ["5x"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPBJNJ0", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B0086GDPD4", "instruction": "i am looking for medium size long sleeve orange color easy care shirt", "attributes": ["easy care", "button closure", "long sleeve"], "options": ["color: orange", "size: medium"], "instruction_attributes": ["easy care", "long sleeve"], "instruction_options": ["orange", "medium"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7ZQY62", "worker_id": "A258PTOZ3D2TQR"}], "B09NMRJZYL": [{"asin": "B09NMRJZYL", "instruction": "i'm looking for a intel core i5 desktops with 32gb ram | 1tb ssd size.", "attributes": ["core i5", "intel core"], "options": ["size: 32gb ram | 1tb ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["32gb ram | 1tb ssd"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z42SQC7", "worker_id": "A9QRQL9CFJBI7"}], "B098TCLMH7": [{"asin": "B098TCLMH7", "instruction": "i want hair extensions that is easy to apply. the size should be 20 inches long.", "attributes": ["easy apply", "high quality", "hair extensions"], "options": ["color: 4h27#---#straight", "size: 20 inch#"], "instruction_attributes": ["easy apply", "hair extensions"], "instruction_options": ["20 inch#"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G71Y74W", "worker_id": "A1NF6PELRKACS9"}], "B003VTHYK6": [{"asin": "B003VTHYK6", "instruction": "i am looking for a 1000 count french vanilla coffee creamer that is non-dairy.", "attributes": ["non dairy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: french vanilla", "size: 1000 count"], "instruction_attributes": ["non dairy"], "instruction_options": ["french vanilla", "1000 count"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXKEYLP", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R6Q7XBJ": [{"asin": "B08R6Q7XBJ", "instruction": "i need stainless steel tongue cleaners to rid of bad breath.", "attributes": ["stainless steel", "bad breath", "oral hygiene"], "options": [""], "instruction_attributes": ["stainless steel", "bad breath"], "instruction_options": [], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHUZQHI", "worker_id": "A1NF6PELRKACS9"}], "B08WJ8BYXT": [{"asin": "B08WJ8BYXT", "instruction": "i would like to order a tom and jerry 4xlarge sweatshirt . the material should be royal blue polyester cotton.", "attributes": ["machine wash", "wash cold", "polyester cotton", "tumble dry"], "options": ["color: royal blue", "size: 4x-large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["royal blue", "4x-large"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ7991U", "worker_id": "AHU9OLV0YKIIW"}], "B08LPBLZD4": [{"asin": "B08LPBLZD4", "instruction": "i am looking for an 8 gb ram mini computer with 256 ssd with intel core and dual band wifi. also, pick one with a 1 tb hdd.", "attributes": ["dual band", "intel core"], "options": ["color: core i5-8250u ddr4", "size: 8gb ram 256gb ssd 1tb hdd"], "instruction_attributes": ["dual band", "intel core"], "instruction_options": ["8gb ram 256gb ssd 1tb hdd"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CKPT2U", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B08LPBLZD4", "instruction": "i need an intel core i7 desktop that has 32 gb of ram and 256 ssd.", "attributes": ["dual band", "intel core"], "options": ["color: core i7-8550u ddr4", "size: 32gb ram+256gb ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["core i7-8550u ddr4", "32gb ram+256gb ssd"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWU3DR9E", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08LPBLZD4", "instruction": "i want a baieyu mini computer with intel core i7-8550u ddr4.", "attributes": ["dual band", "intel core"], "options": ["color: core i7-8550u ddr4", "size: 8gb ram 128gb ssd 1tb hdd"], "instruction_attributes": ["intel core"], "instruction_options": ["core i7-8550u ddr4"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NM8X03C", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08LPBLZD4", "instruction": "i am looking for dual band computer windows in 16gb ram 512 ssd", "attributes": ["dual band", "intel core"], "options": ["color: core i7-8550u ddr4", "size: 16gb ram 512gb ssd"], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDT0QZA", "worker_id": "A16M39T60N60NO"}], "B09SQ68L4N": [{"asin": "B09SQ68L4N", "instruction": "i am looking for a teeth whitening toothbrush with silicone brush head. it should be in pink color.", "attributes": ["easy use", "teeth whitening"], "options": ["color: pink", "size: aged 8-12"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["pink"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGI7YI2", "worker_id": "A1NF6PELRKACS9"}], "B09J98XC79": [{"asin": "B09J98XC79", "instruction": "i need a peaky blinder season 1 poster mural which is 36x54in .should be in a wood frame and easy to hang.", "attributes": ["ready hang", "wood frame"], "options": ["color: stretched canvas", "size: poster mural 36x54 in."], "instruction_attributes": ["ready hang", "wood frame"], "instruction_options": ["poster mural 36x54 in."], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8L5FO15", "worker_id": "AHU9OLV0YKIIW"}], "B08S6X7G8B": [{"asin": "B08S6X7G8B", "instruction": "i want a tempered glass screen protector that is compatible with an apple ipad.", "attributes": ["compatible apple", "easy install", "tempered glass"], "options": [""], "instruction_attributes": ["compatible apple", "tempered glass"], "instruction_options": [], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLU7OZDD", "worker_id": "A1NF6PELRKACS9"}], "B098NB1V2X": [{"asin": "B098NB1V2X", "instruction": "i want purchase a long sleev daily wear hand wash denim short having elastic waist and colour should be blue 4", "attributes": ["hand wash", "long lasting", "wash cold", "fashion design", "long sleeve", "elastic waist", "daily wear"], "options": ["color: blue 4", "size: 33"], "instruction_attributes": ["hand wash", "long sleeve", "elastic waist", "daily wear"], "instruction_options": ["blue 4"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F2UYHOK", "worker_id": "A3N9ZYQAESNFQH"}], "B09QQK4HHH": [{"asin": "B09QQK4HHH", "instruction": "i need a 5x large tracksuit that is long sleeve and that is blue.", "attributes": ["wash cold", "slim fit", "hand wash", "polyester spandex", "long sleeve", "everyday wear", "dry clean"], "options": ["color: 3-blue", "size: 5x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["3-blue", "5x-large"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH372MES9", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LLBW8ZC": [{"asin": "B08LLBW8ZC", "instruction": "i am looking for one pack of dental picks for fresh breath that are in a citrus flavor.", "attributes": ["long lasting", "tea tree", "fresh breath", "bad breath"], "options": ["scent name: citrus", "size: 1 pack"], "instruction_attributes": ["fresh breath"], "instruction_options": ["citrus", "1 pack"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLS31CWP", "worker_id": "A2ECRNQ3X5LEXD"}], "B095P581S3": [{"asin": "B095P581S3", "instruction": "i want to find a pair of blue women's walking shoes with memory foam in a size 8.", "attributes": ["non slip", "anti slip", "memory foam", "high heel"], "options": ["color: z05-blue", "size: 8"], "instruction_attributes": ["memory foam"], "instruction_options": ["z05-blue", "8"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWRZ1RP", "worker_id": "A345TDMHP3DQ3G"}], "B09Q5XPMHB": [{"asin": "B09Q5XPMHB", "instruction": "i want faux fur slippers with arch support. choose the one that is red.", "attributes": ["day comfort", "anti slip", "open toe", "faux fur", "arch support", "quality materials", "memory foam"], "options": ["color: a-03 red", "size: 8.5"], "instruction_attributes": ["faux fur", "arch support"], "instruction_options": ["a-03 red"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN20B7YR", "worker_id": "A1NF6PELRKACS9"}], "B08NWJHZDM": [{"asin": "B08NWJHZDM", "instruction": "i am looking for a gift basket with margarita glasses and snacks.", "attributes": ["gift set", "great gift", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTRE7MK", "worker_id": "A1NF6PELRKACS9"}], "B0786DRRHQ": [{"asin": "B0786DRRHQ", "instruction": "i need hair extensions that are 16 inches long in the color 27.", "attributes": ["double sided", "hair extensions"], "options": ["color: 27#", "size: 16 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["27#", "16 inch"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJI7V2LS", "worker_id": "A2ECRNQ3X5LEXD"}], "B016OPV3GO": [{"asin": "B016OPV3GO", "instruction": "i need a soap that is for sensitive skin and that comes in a pack of two.", "attributes": ["tea tree", "natural ingredients", "sensitive skin"], "options": ["size: 5 ounce (pack of 2)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["5 ounce (pack of 2)"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH374UESL", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QCTSSMN": [{"asin": "B09QCTSSMN", "instruction": "i'm looking for a men's red button down casual shirt that is a large slim fit.", "attributes": ["loose fit", "slim fit", "short sleeve", "contrast color", "drawstring waist", "regular fit", "gym workout"], "options": ["color: red", "size: large"], "instruction_attributes": ["slim fit"], "instruction_options": ["red", "large"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2YZJIVN", "worker_id": "A2YNPKYEFDZ6C9"}], "B09RJZ5RX7": [{"asin": "B09RJZ5RX7", "instruction": "i want to find a computer speakers that have a usb port.", "attributes": ["plug play", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UHREZJ", "worker_id": "A345TDMHP3DQ3G"}], "B09NXKWB92": [{"asin": "B09NXKWB92", "instruction": "i'm looking for long lasting clack teakwood jar candles.", "attributes": ["lead free", "long lasting", "soy wax"], "options": ["color: black teakwood"], "instruction_attributes": ["long lasting"], "instruction_options": ["black teakwood"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRPRJXE", "worker_id": "A9QRQL9CFJBI7"}], "B07NGSSSJS": [{"asin": "B07NGSSSJS", "instruction": "i need some toothpaste that is flouride free and is extra whitening natural mint", "attributes": ["fluoride free", "long lasting"], "options": ["flavor name: extra whitening natural mint"], "instruction_attributes": ["fluoride free"], "instruction_options": ["extra whitening natural mint"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHKA0J8", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07NGSSSJS", "instruction": "i want to buy some fluoride free mixed berry flavored toothpaste.", "attributes": ["fluoride free", "long lasting"], "options": ["flavor name: natural mixed berry"], "instruction_attributes": ["fluoride free"], "instruction_options": ["natural mixed berry"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVQVJKS", "worker_id": "AR9AU5FY1S3RO"}], "B08DVF4LF4": [{"asin": "B08DVF4LF4", "instruction": "find me a coated steel laptop workstation desk with wood finish. it should be white.", "attributes": ["white item", "coated steel", "wood finish", "living room"], "options": [""], "instruction_attributes": ["white item", "coated steel", "wood finish"], "instruction_options": [], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6473T3H2", "worker_id": "A1NF6PELRKACS9"}], "B09PD5YDC9": [{"asin": "B09PD5YDC9", "instruction": "i'm looking for size medium men's boxer briefs with a comfortable fit. choose the multi color.", "attributes": ["comfortable fit", "elastic waistband"], "options": ["color: multi 2", "size: medium"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["multi 2", "medium"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UO6J1WX", "worker_id": "A1B1J0BQ44ZV72"}], "B08NPJ6Q94": [{"asin": "B08NPJ6Q94", "instruction": "i am looking for a 12 pack of gluten free almonds.", "attributes": ["non gmo", "gluten free", "source vitamin"], "options": ["flavor name: natural", "size: 12 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["12 pack"], "assignment_id": "36ZN444YT28UFQQ45BORC65U261OI6", "worker_id": "A9QRQL9CFJBI7"}], "B08PCJ5594": [{"asin": "B08PCJ5594", "instruction": "i am looking for a lemon scented candle made from soy wax.", "attributes": ["long lasting", "lead free", "soy wax"], "options": ["scent: lemon"], "instruction_attributes": ["soy wax"], "instruction_options": ["lemon"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OHB99D", "worker_id": "A2ECRNQ3X5LEXD"}], "B08PB8643G": [{"asin": "B08PB8643G", "instruction": "i am looking for bubble bee themed cupcake toppers for my daughter's birthday part decorations.", "attributes": ["birthday party", "baby shower"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSENUOOGV", "worker_id": "AHU9OLV0YKIIW"}], "B07SGR4RY9": [{"asin": "B07SGR4RY9", "instruction": "i am looking for a wireless bluetooth earpads.", "attributes": ["easy install", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBLHGIK", "worker_id": "A9QRQL9CFJBI7"}], "B08VVYNXYF": [{"asin": "B08VVYNXYF", "instruction": "i am looking for 4 ounce (pack of 1) quality ingredients snack foods.", "attributes": ["baked fresh", "quality ingredients"], "options": ["size: 4 ounce (pack of 1)"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["4 ounce (pack of 1)"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OB4RT4", "worker_id": "A9QRQL9CFJBI7"}], "B09P3QC6DX": [{"asin": "B09P3QC6DX", "instruction": "i'm looking for a high quality, easy to use shaving brush.", "attributes": ["easy use", "high quality", "quality materials", "hair salon"], "options": [""], "instruction_attributes": ["easy use", "high quality"], "instruction_options": [], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANAYSX1", "worker_id": "AR0VJ5XRG16UJ"}], "B0816LBYLN": [{"asin": "B0816LBYLN", "instruction": "i want yellow pumps that have a rubber sole and are in a size 12.5.", "attributes": ["long lasting", "slip resistant", "rubber outsole", "rubber sole"], "options": ["color: yellow", "size: 12.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["yellow", "12.5"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163LZPQC", "worker_id": "A2ECRNQ3X5LEXD"}], "B00267AETM": [{"asin": "B00267AETM", "instruction": "i'm looking for 8 ounce (pack of 1) oil for dry hair.", "attributes": ["cruelty free", "dry hair"], "options": ["scent: marula", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["dry hair"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8GH6QV", "worker_id": "A9QRQL9CFJBI7"}], "B08WPLJG8N": [{"asin": "B08WPLJG8N", "instruction": "i'm looking for gluten free herb.", "attributes": ["low sodium", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJG6O9F", "worker_id": "A9QRQL9CFJBI7"}], "B09Q1SBPL1": [{"asin": "B09Q1SBPL1", "instruction": "i am looking for a small short sleeves gaiters.", "attributes": ["loose fit", "quick drying", "machine washable", "long sleeve", "short sleeve", "laundry bag", "daily wear"], "options": ["color: facai-bd0579-black", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["small"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZPXJ7JG", "worker_id": "A9QRQL9CFJBI7"}], "B075CVJS1S": [{"asin": "B075CVJS1S", "instruction": "get me a perfume spray that has fine mist and is long lasting.", "attributes": ["design house", "long lasting", "fine mist"], "options": [""], "instruction_attributes": ["long lasting", "fine mist"], "instruction_options": [], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGHZCV1G", "worker_id": "A1NF6PELRKACS9"}], "B09FKYM8D7": [{"asin": "B09FKYM8D7", "instruction": "i am looking for a 84\"wx70\"h machine washable shower curtain sets with dark grey color.", "attributes": ["machine washable", "printing technology"], "options": ["color: dark grey", "size: 84\"wx70\"h"], "instruction_attributes": ["machine washable"], "instruction_options": ["dark grey", "84\"wx70\"h"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHJG0JC", "worker_id": "A9QRQL9CFJBI7"}], "B09QXFBJXL": [{"asin": "B09QXFBJXL", "instruction": "i was looking for a loose fit sweatshirt that has short sleeves and chest pocket. i really like green color.", "attributes": ["loose fit", "hand wash", "long sleeve", "drawstring waist", "elastic waist", "short sleeve"], "options": ["color: green", "size: large"], "instruction_attributes": ["loose fit", "short sleeve"], "instruction_options": ["green"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZS0NRF", "worker_id": "A1NF6PELRKACS9"}], "B09N9YQZZ3": [{"asin": "B09N9YQZZ3", "instruction": "i am looking for white pull-out organizers with nickel finish and size must be 15\" wide.", "attributes": ["nickel finish", "coated steel"], "options": ["color: white", "size: 15\" wide"], "instruction_attributes": ["nickel finish"], "instruction_options": [], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA93TA3ZS", "worker_id": "A9QRQL9CFJBI7"}], "B083R2DBPV": [{"asin": "B083R2DBPV", "instruction": "i need some gluten free and wild caught fish fillets in extra virgin olive oil. i will need a pack of 6 weighing 4.4 ounce.", "attributes": ["wild caught", "non gmo", "gluten free"], "options": ["flavor name: sardines marinara", "size: 4.4 ounce (pack of 6)"], "instruction_attributes": ["wild caught", "gluten free"], "instruction_options": ["4.4 ounce (pack of 6)"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8BK4RG", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B083R2DBPV", "instruction": "wild caught yellowtail fillets size: 4.4 ounce (pack of 12)", "attributes": ["wild caught", "non gmo", "gluten free"], "options": ["flavor name: water", "size: 4.4 ounce (pack of 12)"], "instruction_attributes": ["wild caught"], "instruction_options": ["4.4 ounce (pack of 12)"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBV2IGR", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B083R2DBPV", "instruction": "i'm looking for organic extra virgin olive oil.", "attributes": ["wild caught", "non gmo", "gluten free"], "options": ["flavor name: extra virgin olive oil", "size: 4.4 ounce (pack of 1)"], "instruction_attributes": ["wild caught"], "instruction_options": ["extra virgin olive oil", "4.4 ounce (pack of 1)"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQW2HIE", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B083R2DBPV", "instruction": "i want to find wild caught sardine fillets packed in extra virgin olive oil. the tins should be 4.4 ounces each and i want a package of 12 tins.", "attributes": ["wild caught", "non gmo", "gluten free"], "options": ["flavor name: sardines evoo", "size: 4.4 ounce (pack of 12)"], "instruction_attributes": ["wild caught"], "instruction_options": ["sardines evoo", "4.4 ounce (pack of 12)"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQF2RJ0", "worker_id": "A345TDMHP3DQ3G"}], "B09FZL19KF": [{"asin": "B09FZL19KF", "instruction": "i am looking for the perfect girft of fruit and nuts", "attributes": ["easy use", "perfect gift"], "options": [""], "instruction_attributes": ["perfect gift"], "instruction_options": [], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLU5HDZG", "worker_id": "A2ECRNQ3X5LEXD"}], "B087V4J58N": [{"asin": "B087V4J58N", "instruction": "i'm looking for a long lasting eau de toilette for women.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1ECITG", "worker_id": "A9QRQL9CFJBI7"}], "B07HHKYNX4": [{"asin": "B07HHKYNX4", "instruction": "i need gmo free sesame seeds that come in 1.8 oz.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural lentil soup masala", "size: 1.8 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["1.8 ounce (pack of 1)"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6T51MNQ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07HHKYNX4", "instruction": "i would like to get a gmo 3.1 ounce bottle of himalayan black salt with a fine grind.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: himalayan black salt fine grind", "size: 3.1 ounce (pack of 1)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3YTXJ5Q", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07HHKYNX4", "instruction": "i am looking for gmo free sesame seeds that are natural cinnamon flavor.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural cinnamon (indian) ground", "size: 2.4 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["natural cinnamon (indian) ground"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQSHB4G", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07HHKYNX4", "instruction": "i'm looking for gluten free it was contain high protein and it was healthy natural black mustard seed ground.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural black mustard seed ground", "size: 1.3 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["natural black mustard seed ground"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQDES60", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07HHKYNX4", "instruction": "i am looking for a 0.8 ounce (pack of 1) gluten free sesame seeds", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural black mustard seed ground", "size: 0.8 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["0.8 ounce (pack of 1)"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3FQ6NO", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07HHKYNX4", "instruction": "i am looking for chana masala seasoning that is gluten free", "attributes": ["gmo free", "gluten free"], "options": ["flavor: indian chat masala sesaoning spice", "size: 3.1 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["indian chat masala sesaoning spice"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPIM6VZ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07HHKYNX4", "instruction": "i need a three ounce package of ground cumin seeds that are gmo free.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural cumin seed ground", "size: 3.1 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["natural cumin seed ground", "3.1 ounce (pack of 1)"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66SNZFN", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07HHKYNX4", "instruction": "i am looking for gluten free black rock salt made by himalayan . and i choose the 2.8 ounce pack with himalayan pink salt coarse grind", "attributes": ["gmo free", "gluten free"], "options": ["flavor: himalayan pink salt coarse grind", "size: 2.8 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["himalayan pink salt coarse grind", "2.8 ounce (pack of 1)"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQAR1L2", "worker_id": "A2COCSUGZV28X"}, {"asin": "B07HHKYNX4", "instruction": "i would like a 0.15 ounce pack of natural brown mustard seeds that are gluten free.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural brown mustard seed whole", "size: 0.15 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["natural brown mustard seed whole", "0.15 ounce (pack of 1)"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG4Z45S", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07HHKYNX4", "instruction": "i'm looking for a himalayan black rock salt which is free from gmo and gluten. also, choose a pack of 1 weighting 0.8 ounce, natural turmeric minced whole.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural turmeric minced whole", "size: 0.8 ounce (pack of 1)"], "instruction_attributes": ["gmo free", "gluten free"], "instruction_options": ["natural turmeric minced whole", "0.8 ounce (pack of 1)"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXSBAWAN", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B07HHKYNX4", "instruction": "i want to buy himalayan salt which is gmo free and has natural coriander seed ground flavor, and comes in pack of 1 of 0.8 ounces.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural coriander seed ground", "size: 0.8 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["natural coriander seed ground", "0.8 ounce (pack of 1)"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9C6N8L", "worker_id": "AJY5G987IRT25"}], "B0009XNWVC": [{"asin": "B0009XNWVC", "instruction": "i am looking for a paraben free lip gloss with vitamin e and aloe. choose the pink pearl one.", "attributes": ["paraben free", "green tea"], "options": ["color: pink pearl"], "instruction_attributes": ["paraben free"], "instruction_options": ["pink pearl"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZBBKM0", "worker_id": "A1NF6PELRKACS9"}], "B09KV4Y9J1": [{"asin": "B09KV4Y9J1", "instruction": "i am looking for a large tunic that is 2-pink and short sleeve.", "attributes": ["machine wash", "short sleeve", "dry clean"], "options": ["color: 2-pink", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["2-pink", "large"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CH6TNBY", "worker_id": "A2ECRNQ3X5LEXD"}], "B087GBBN1C": [{"asin": "B087GBBN1C", "instruction": "i looking gluten free italian ground sausage", "attributes": ["artificial ingredients", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQ78CJA", "worker_id": "A3N9ZYQAESNFQH"}], "B074FHTGJ3": [{"asin": "B074FHTGJ3", "instruction": "i'm looking for 7 count (pack of 4) low sugar, low carb, & keto friendly candy & chocolate bars.", "attributes": ["low sugar", "keto friendly", "low carb", "plant based", "lactose free", "soy free", "non gmo", "gluten free", "resealable bag"], "options": ["flavor name: keto bundle", "size: 7 count (pack of 4)"], "instruction_attributes": ["low sugar", "keto friendly", "low carb"], "instruction_options": ["7 count (pack of 4)"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VUJ1NA", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B074FHTGJ3", "instruction": "i would like a box of 12 raspberry dream non-gmo chocolate bars.", "attributes": ["low sugar", "keto friendly", "low carb", "plant based", "lactose free", "soy free", "non gmo", "gluten free", "resealable bag"], "options": ["flavor name: raspberry dream", "size: 12 count (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["raspberry dream", "12 count (pack of 1)"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTN4E57", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B074FHTGJ3", "instruction": "i would like a box of 12 raspberry dream non-gmo chocolate bars.", "attributes": ["low sugar", "keto friendly", "low carb", "plant based", "lactose free", "soy free", "non gmo", "gluten free", "resealable bag"], "options": ["flavor name: raspberry dream", "size: 12 count (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["raspberry dream", "12 count (pack of 1)"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTN4E57", "worker_id": "A1WS884SI0SLO4"}], "B086PXHMSV": [{"asin": "B086PXHMSV", "instruction": "i need some eco friendly blackout curtains. it should be 52x45 inches in size.", "attributes": ["eco friendly", "machine washable", "dining room"], "options": ["size: 52x45in"], "instruction_attributes": ["eco friendly"], "instruction_options": ["52x45in"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0SUU11K", "worker_id": "A1NF6PELRKACS9"}], "B09MMCHHYP": [{"asin": "B09MMCHHYP", "instruction": "i want a loose fit, long sleeved flannel shirt. i am xx-large in size.", "attributes": ["loose fit", "machine wash", "long sleeve", "short sleeve", "teen girls", "daily wear"], "options": ["color: wine", "size: xx-large"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7ZX9GX6", "worker_id": "A1NF6PELRKACS9"}], "B07FD3Z753": [{"asin": "B07FD3Z753", "instruction": "i'd like to find a king-sized faux lather platform bed in the camel color.", "attributes": ["button tufted", "queen size", "white item", "faux leather", "metal legs"], "options": ["color: camel", "size: king", "style: bed"], "instruction_attributes": ["faux leather"], "instruction_options": ["camel", "king", "bed"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227958FW", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07FD3Z753", "instruction": "i would like a king sized camel bed with metal legs.", "attributes": ["button tufted", "queen size", "white item", "faux leather", "metal legs"], "options": ["color: camel", "size: king", "style: bed"], "instruction_attributes": ["metal legs"], "instruction_options": ["camel", "king", "bed"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8GDR5O", "worker_id": "A1WS884SI0SLO4"}], "B07JFCQ32Z": [{"asin": "B07JFCQ32Z", "instruction": "i'm looking for a rubber plastic light weight 11colorful map case cover for (a1502 | a1425) macbook pro 13\" retina", "attributes": ["light weight", "case cover"], "options": ["color: 11colorful map", "size: (a1502 | a1425) macbook pro 13\" retina"], "instruction_attributes": ["light weight", "case cover"], "instruction_options": ["11colorful map", "(a1502 | a1425) macbook pro 13\" retina"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ6Q191", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07JFCQ32Z", "instruction": "i need a light weight case cover compatible with macbook air in size a1706, a1708, a1989, a2159, mac pro 13\"2019|18. the color should be 11creative lamp.", "attributes": ["light weight", "case cover"], "options": ["color: 11creative lamp", "size: a1706 | a1708 | a1989 | a2159 mac pro 13\"2019 | 18"], "instruction_attributes": ["light weight", "case cover"], "instruction_options": ["11creative lamp", "a1706 | a1708 | a1989 | a2159 mac pro 13\"2019 | 18"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJSTBXC", "worker_id": "ASWFLI3N8X72G"}, {"asin": "B07JFCQ32Z", "instruction": "i would like a a1706 good night giraffe light weight case for my laptop.", "attributes": ["light weight", "case cover"], "options": ["color: 24 good night giraffe", "size: a1706 | a1708 | a1989 | a2159 mac pro 13\"2019 | 18"], "instruction_attributes": ["light weight"], "instruction_options": ["24 good night giraffe", "a1706 | a1708 | a1989 | a2159 mac pro 13\"2019 | 18"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68IHA4L", "worker_id": "A1WS884SI0SLO4"}], "B09P1CF764": [{"asin": "B09P1CF764", "instruction": "i need an easy use cocktail smoker kit for infusing cocktail, whiskey, wine, meat and salad", "attributes": ["easy use", "great gift"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3RPU1A", "worker_id": "A258PTOZ3D2TQR"}], "B09PH817FC": [{"asin": "B09PH817FC", "instruction": "i want a solid wood cupboard with a modern design. pick a white one.", "attributes": ["wall mounted", "white finish", "solid wood"], "options": [""], "instruction_attributes": ["white finish", "solid wood"], "instruction_options": [], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQ5JVKQ", "worker_id": "A1NF6PELRKACS9"}], "B09ST7RWVK": [{"asin": "B09ST7RWVK", "instruction": "i am looking for a hair growth treatment in the color 3pc.", "attributes": ["hair loss", "hair growth"], "options": ["color: 3pc"], "instruction_attributes": ["hair growth"], "instruction_options": ["3pc"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCGOMB2", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FY4NJ3J": [{"asin": "B09FY4NJ3J", "instruction": "can i get a hair salon spa beauty trolley which is easy to clean and of high quality?", "attributes": ["easy use", "high quality", "easy clean", "hair salon", "beauty salon", "damaged hair"], "options": ["color: j"], "instruction_attributes": ["high quality", "easy clean", "hair salon"], "instruction_options": [], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TMJPMA", "worker_id": "AHU9OLV0YKIIW"}], "B08QVQ84FB": [{"asin": "B08QVQ84FB", "instruction": "i need some wall mounted mirrors for the living room.", "attributes": ["wall mounted", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WPMF73", "worker_id": "A2ECRNQ3X5LEXD"}], "B01N97KZLN": [{"asin": "B01N97KZLN", "instruction": "i am looking for a comfertable fit 34w*331 jeans colour should be acron", "attributes": ["long lasting", "comfortable fit"], "options": ["color: acorn", "fit type: relaxed", "size: 34w x 33l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["acorn", "34w x 33l"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8H9Q69", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B01N97KZLN", "instruction": "i'm looking for mens jeans that are slim but comfortable fitting, size 33w and 44l.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: woodburn", "fit type: slim", "size: 33w x 44l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["slim", "33w x 44l"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGUWTWU", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B01N97KZLN", "instruction": "i need slim fitting comfortable jeans that are woodburn color and in a size 31w by 40l.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: woodburn", "fit type: slim", "size: 31w x 40l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["woodburn", "slim", "31w x 40l"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06H7XKD", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01N97KZLN", "instruction": "i am looking for rigid indigo comfortable fit men's wrangler jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: rigid indigo", "fit type: regular", "size: 44w x 38l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["rigid indigo"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW4NS8X", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01N97KZLN", "instruction": "i am looking for big and tall wrangler cowboy cut, comfortable fit original jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: blue | worn in", "fit type: big & tall", "size: 31w x 29l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["big & tall"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL8417MAXO", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01N97KZLN", "instruction": "i'm looking for mens jeans that are slim but comfortable fitting, size 33w and 44l.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: woodburn", "fit type: slim", "size: 33w x 44l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["slim", "33w x 44l"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGUWTWU", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B01N97KZLN", "instruction": "i would like a pair of 44w x 30l slim fit lavon jeans that are long lasting.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: lavon", "fit type: slim", "size: 44w x 30l"], "instruction_attributes": ["long lasting"], "instruction_options": ["lavon", "slim", "44w x 30l"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q730H9A", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01N97KZLN", "instruction": "looking for slim comfortable fit mens jean also choose colour black chocolate", "attributes": ["long lasting", "comfortable fit"], "options": ["color: black chocolate", "fit type: slim", "size: 35w x 36l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["black chocolate", "slim"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95UVXQF", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B01N97KZLN", "instruction": "i am looking for wrangler mens 13mwz cowboy cut , comfortable fit (big & tall ) jean with size 30w x36i", "attributes": ["long lasting", "comfortable fit"], "options": ["color: prewashed indigo", "fit type: big & tall", "size: 30w x 36l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["big & tall", "30w x 36l"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPLUYSP", "worker_id": "AX2EWYWZM19AZ"}], "B094CXMSB6": [{"asin": "B094CXMSB6", "instruction": "i'm looking for a 1 pack of paraben free deodorant.", "attributes": ["paraben free", "cruelty free"], "options": ["size: 1 pack", "style: difference is night and day"], "instruction_attributes": ["paraben free"], "instruction_options": ["1 pack"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XJZNGT", "worker_id": "A9QRQL9CFJBI7"}], "B07GVB34N6": [{"asin": "B07GVB34N6", "instruction": "i am looking for 22\u201dx 22 double sided throw pillow cases for my living room. choose multi 02 color.", "attributes": ["double sided", "living room"], "options": ["color: multi 02", "size: 22\"x22\""], "instruction_attributes": ["double sided", "living room"], "instruction_options": ["multi 02", "22\"x22\""], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI33XDBE", "worker_id": "AHU9OLV0YKIIW"}], "B09DLB7W2D": [{"asin": "B09DLB7W2D", "instruction": "i need gold cupcake toppers for a birthday party.", "attributes": ["birthday party", "party supplies"], "options": ["color: gold"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOBBYD8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PYV6B4B": [{"asin": "B09PYV6B4B", "instruction": "i am looking for a silver quad core tablets.", "attributes": ["long lasting", "quad core"], "options": ["color: silver"], "instruction_attributes": ["quad core"], "instruction_options": ["silver"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZQWZJ0", "worker_id": "A9QRQL9CFJBI7"}], "B07G7G5C4V": [{"asin": "B07G7G5C4V", "instruction": "i want some non gmo organic tomato powder. i will need a 1 pound packet.", "attributes": ["non gmo", "source vitamin"], "options": ["size: 1 pound (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKDEVPC", "worker_id": "A1NF6PELRKACS9"}], "B07GRT6GPS": [{"asin": "B07GRT6GPS", "instruction": "i am looking for peach coloured zebra roller blinds for my living room which are easy to install and should be w57xh55(inch) in size.", "attributes": ["easy install", "living room"], "options": ["color: 03.peach", "size: w57 x h55 (inch)"], "instruction_attributes": ["living room"], "instruction_options": ["03.peach", "w57 x h55 (inch)"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB688L4AZ", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B07GRT6GPS", "instruction": "i need foiresoft basic, white color, w 28 x h 55 inch zebra roller blinds", "attributes": ["easy install", "living room"], "options": ["color: 01.white", "size: w58 1 | 4 x h55 (inch)"], "instruction_attributes": ["easy install"], "instruction_options": ["01.white"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFEGVL3", "worker_id": "A1IL2K0ELYI090"}], "B09NY92KRC": [{"asin": "B09NY92KRC", "instruction": "i need long lasting tooth paste with natural ingredients to remove bad breath, pick a tooth whitening one.", "attributes": ["teeth whitening", "long lasting", "natural ingredients", "fresh breath", "bad breath"], "options": ["color: tooth whitening"], "instruction_attributes": ["long lasting", "natural ingredients", "bad breath"], "instruction_options": ["tooth whitening"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJFGMOF", "worker_id": "A1NF6PELRKACS9"}], "B07Y2JQP93": [{"asin": "B07Y2JQP93", "instruction": "i am looking for whitening face sheet mask which is dermatologically tested and alcohol free with natural ingredients .which is suitable for all skin types procure rosacare soothing sheet face mask pack of 1 gel preferable.", "attributes": ["hyaluronic acid", "coconut oil", "natural ingredients"], "options": ["style: gel 1 pack"], "instruction_attributes": ["hyaluronic acid", "coconut oil", "natural ingredients"], "instruction_options": ["gel 1 pack"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTRXOA0A", "worker_id": "A1DRKZ3SCLAS4V"}], "B078Z151Y6": [{"asin": "B078Z151Y6", "instruction": "i want a solid wood platform bed with box spring. pick one in dark brown.", "attributes": ["box spring", "wood frame", "solid wood"], "options": ["color: dark brown", "pattern name: platform bed + 12 inch mattress", "size: twin", "style: deluxe"], "instruction_attributes": ["box spring", "solid wood"], "instruction_options": ["dark brown"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2VYYU2O", "worker_id": "A1NF6PELRKACS9"}], "B09MHKJHLB": [{"asin": "B09MHKJHLB", "instruction": "i need a winter warm hoodie with long sleeves. it should be white in color.", "attributes": ["winter warm", "long sleeve", "faux fur", "teen girls"], "options": ["color: white", "size: 3x-large"], "instruction_attributes": ["winter warm", "long sleeve"], "instruction_options": ["white"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98L2KY3", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09MHKJHLB", "instruction": "looking for a fleece hoodie oversized size x-large long sleeve for teen girls womens in brown", "attributes": ["winter warm", "long sleeve", "faux fur", "teen girls"], "options": ["color: brown-e", "size: x-large"], "instruction_attributes": ["long sleeve", "teen girls"], "instruction_options": ["brown-e", "x-large"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTKUO6A", "worker_id": "A2Y2TURT2VEYZN"}], "B08N424KPN": [{"asin": "B08N424KPN", "instruction": "i want to buy a birthday cake topper.", "attributes": ["ready use", "birthday cake", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ805T1QK", "worker_id": "A2YNPKYEFDZ6C9"}], "B082L5GRHS": [{"asin": "B082L5GRHS", "instruction": "i'm looking for a flat black vanity light that comes with glass shades.", "attributes": ["vanity light", "glass shade"], "options": ["color: flat black", "size: 1-light"], "instruction_attributes": ["vanity light", "glass shade"], "instruction_options": ["flat black", "1-light"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M45JL86", "worker_id": "A345TDMHP3DQ3G"}], "B082934G44": [{"asin": "B082934G44", "instruction": "i need a pink toddler bed that is height adjustable and is in the size 180x76-96 cm.", "attributes": ["height adjustable", "steel frame"], "options": ["color: pink", "size: 180x76-96cm"], "instruction_attributes": ["height adjustable"], "instruction_options": ["pink", "180x76-96cm"], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLI1CIK1", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B082934G44", "instruction": "i'd like to find a pink crib safety barrier that features a steel frame.", "attributes": ["height adjustable", "steel frame"], "options": ["color: pink", "size: 180x76-96cm"], "instruction_attributes": ["steel frame"], "instruction_options": ["pink"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0Y8I961", "worker_id": "A345TDMHP3DQ3G"}], "B088219FP7": [{"asin": "B088219FP7", "instruction": "i'm looking for 3-wall vanity light.", "attributes": ["nickel finish", "vanity light"], "options": ["color: brushed polished nickel", "size: 3-light"], "instruction_attributes": ["vanity light"], "instruction_options": ["3-light"], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8HTQQC", "worker_id": "A9QRQL9CFJBI7"}], "B07HHMNFP1": [{"asin": "B07HHMNFP1", "instruction": "i need 1 pack of gluten free natural fennel seed ground that has natural garlic minced whole", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: natural garlic minced whole", "size: 0.4 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["0.4 ounce (pack of 1)"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYVT4JT", "worker_id": "A2COCSUGZV28X"}, {"asin": "B07HHMNFP1", "instruction": "i need a 1.9 oz jar of ground mustard seed that is gmo free.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: natural yellow mustard seed ground", "size: 1.9 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["natural yellow mustard seed ground", "1.9 ounce (pack of 1)"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWSVT56", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07HHMNFP1", "instruction": "i would like to get some gmo free 3.1 ounce himalayan pink salt with a coarse grind.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: himalayan pink salt coarse grind", "size: 3.1 ounce (pack of 1)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9IW61S7", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07HHMNFP1", "instruction": "i want a 0.15 ounce bottle of gmo free himalayan pink salt with a medium grind.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: himalayan pink salt medium grind", "size: 0.15 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["himalayan pink salt medium grind", "0.15 ounce (pack of 1)"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LEU5IM", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07HHMNFP1", "instruction": "i am looking for gluten free organic bean chili rajma indian seasoning spice that is gmo free.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: organic bean chili rajma seasoning", "size: 1 ounce (pack of 1)"], "instruction_attributes": ["gmo free", "gluten free"], "instruction_options": ["organic bean chili rajma seasoning"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLVSOZDK", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07HHMNFP1", "instruction": "i am looking for a gluten free fennel seed with no gmo. also choose natural mint leaf whole flavor and 2.4 ounce (pack of 1) size.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: natural mint leaf whole", "size: 2.4 ounce (pack of 1)"], "instruction_attributes": ["gmo free", "gluten free"], "instruction_options": ["natural mint leaf whole"], "assignment_id": "3AAJC4I4FR2295OHP2K845RY0C1ZJE", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B07HHMNFP1", "instruction": "i'm looking for a ground natural fennel seed which is free from bpa, gmo, fat and gluten. also choose a pack of 1 weighting 2.8 ounce with natural kebab seasoning one.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: natural chicken kebab seasoning", "size: 2.8 ounce (pack of 1)"], "instruction_attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "instruction_options": ["natural chicken kebab seasoning", "2.8 ounce (pack of 1)"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCD38MBX", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B07HHMNFP1", "instruction": "i would like a 1.7 ounce bottle of natural curry leaf spice that is gmo free.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: natural curry leaf powder ground", "size: 1.7 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["natural curry leaf powder ground", "1.7 ounce (pack of 1)"], "assignment_id": "3HPZF4IVNX3FW186JO133U513LLCYS", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07HHMNFP1", "instruction": "i am interested in buying ground seeds which are gmo free, and fat free which have himalayan pink salt fine grind flavor and are in pack of 1 of 2.6 ounce.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: himalayan pink salt fine grind", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["gmo free", "fat free"], "instruction_options": ["himalayan pink salt fine grind", "2.6 ounce (pack of 1)"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF7WLDE", "worker_id": "AJY5G987IRT25"}, {"asin": "B07HHMNFP1", "instruction": "i want a 2.6 ounce bottle of himalayan pink salt of a medium grind that is gmo free.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: himalayan pink salt medium grind", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["himalayan pink salt medium grind", "2.6 ounce (pack of 1)"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFF6LVL", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07HHMNFP1", "instruction": "i would like sesame seeds that are gluten free and ginger flavored as well as being .8 oz", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: natural ginger minced whole", "size: 0.8 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["natural ginger minced whole"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP7AD6R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07HHMNFP1", "instruction": "i am interested in gmo free sesame seeds that have indian rock sugar and are 2.8 ounces", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: indian rock sugar whole", "size: 2.8 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["indian rock sugar whole", "2.8 ounce (pack of 1)"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMOTW9Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JCLQ293": [{"asin": "B09JCLQ293", "instruction": "i need a large log sleeve sweatshirt for daily use. i would prefer z08 red color", "attributes": ["machine wash", "long sleeve", "short sleeve", "button closure", "everyday wear", "gym workout", "daily wear"], "options": ["color: z08 red", "size: large"], "instruction_attributes": ["long sleeve", "daily wear"], "instruction_options": ["z08 red", "large"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YQQ3QZ", "worker_id": "A2COCSUGZV28X"}], "B09BJDLWDW": [{"asin": "B09BJDLWDW", "instruction": "i want to buy a bed frame that requires assembly and is white and full size.", "attributes": ["assembly required", "wood frame", "box spring"], "options": ["color: white (storage)", "size: full"], "instruction_attributes": ["assembly required"], "instruction_options": ["white (storage)", "full"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OOAM3A", "worker_id": "A2YNPKYEFDZ6C9"}], "B0876Z82WY": [{"asin": "B0876Z82WY", "instruction": "i want to get a dye kit for my hair.", "attributes": ["hair dye", "hair styling", "hair salon"], "options": [""], "instruction_attributes": ["hair dye"], "instruction_options": [], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHUTKLAB", "worker_id": "A345TDMHP3DQ3G"}], "B09SD1SDDM": [{"asin": "B09SD1SDDM", "instruction": "help me purchase a blue men's shorts that is machine washable and its size is 38.", "attributes": ["machine washable", "wash cold", "everyday wear", "dry clean", "tumble dry"], "options": ["color: blue", "size: 38"], "instruction_attributes": ["machine washable"], "instruction_options": ["blue", "38"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFE2E93", "worker_id": "A1HMZJ59OPLD1P"}], "B07SXSTQ6Y": [{"asin": "B07SXSTQ6Y", "instruction": "i need some area rugs for the living room that are ivory and grey that are 2'3\" by 12'/", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: ivory | grey", "size: 2'3\" x 12'"], "instruction_attributes": ["living room"], "instruction_options": ["ivory | grey", "2'3\" x 12'"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6C550VD", "worker_id": "A2ECRNQ3X5LEXD"}], "B096XLV4BH": [{"asin": "B096XLV4BH", "instruction": "i want to find a small, sky-blue summer dress that i can wear every day.", "attributes": ["daily casual", "loose fit", "comfortable fit", "elastic waist", "short sleeve"], "options": ["color: e-1 sky blue", "size: small"], "instruction_attributes": ["daily casual"], "instruction_options": ["e-1 sky blue", "small"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTIWTKX", "worker_id": "A345TDMHP3DQ3G"}], "B09JZ58VGS": [{"asin": "B09JZ58VGS", "instruction": "i am trying wallscone light fixture i can use as a reading light in my living room. pick out one that is amber colored.", "attributes": ["glass shade", "light fixture", "living room"], "options": ["color: amber"], "instruction_attributes": ["light fixture", "living room"], "instruction_options": [], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZL240Z", "worker_id": "A31PW970Z2PC5P"}], "B09QRXFB5Z": [{"asin": "B09QRXFB5Z", "instruction": "i am looking for a white classic fit tanks & camis for girl.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: women", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["white"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7Q86YA", "worker_id": "A9QRQL9CFJBI7"}], "B0872HMTXX": [{"asin": "B0872HMTXX", "instruction": "i need a sofa made of solid wood with memory foam. it should be graphite oxford weave in color.", "attributes": ["mid century", "high density", "memory foam", "solid wood", "wood frame"], "options": ["color: graphite oxford weave", "size: sofa"], "instruction_attributes": ["memory foam", "solid wood"], "instruction_options": ["graphite oxford weave"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OICU299", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B0872HMTXX", "instruction": "i am looking for a mid century chair that is a sectional loveseat and is a peppercorn linen weave color.", "attributes": ["mid century", "high density", "memory foam", "solid wood", "wood frame"], "options": ["color: peppercorn linen weave", "size: sectional loveseat"], "instruction_attributes": ["mid century"], "instruction_options": ["peppercorn linen weave", "sectional loveseat"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIJA48I", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SP144VQ": [{"asin": "B09SP144VQ", "instruction": "i am looking for a type a color of binoculars and comes with high power.", "attributes": ["high power", "bird watching"], "options": ["color: type a"], "instruction_attributes": ["high power"], "instruction_options": ["type a"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCZKD0C", "worker_id": "A9QRQL9CFJBI7"}], "B098NRQHJ6": [{"asin": "B098NRQHJ6", "instruction": "i want a twin sized bunk bed with storage space. pick a white one with slide.", "attributes": ["twin size", "white item", "assembly required", "easy assemble", "storage space"], "options": ["color: white with slide", "size: twin over pull out bunk bed"], "instruction_attributes": ["twin size", "white item", "storage space"], "instruction_options": ["white with slide"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYO9PTAB", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B098NRQHJ6", "instruction": "i am looking for twin size twin over pull out bunk bed with trundle and drawers, also grey color with slide", "attributes": ["twin size", "white item", "assembly required", "easy assemble", "storage space"], "options": ["color: grey with slide", "size: twin over pull out bunk bed"], "instruction_attributes": ["twin size"], "instruction_options": ["grey with slide", "twin over pull out bunk bed"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR7KA0Q", "worker_id": "A258PTOZ3D2TQR"}], "B0987MNFM6": [{"asin": "B0987MNFM6", "instruction": "i want easy apply nail tips. i am looking for this particular color called l6041-1", "attributes": ["easy apply", "nail art"], "options": ["color: l6041-1"], "instruction_attributes": ["easy apply"], "instruction_options": ["l6041-1"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7ZYRGXQ", "worker_id": "A1NF6PELRKACS9"}], "B08P4CV11L": [{"asin": "B08P4CV11L", "instruction": "i need a 32 gb usb flash drive that is a pistol color.", "attributes": ["light weight", "plug play", "high speed"], "options": ["color: pistol a", "size: 32gb"], "instruction_attributes": ["high speed"], "instruction_options": ["pistol a", "32gb"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69FGP84", "worker_id": "A2ECRNQ3X5LEXD"}], "B083QQ6M99": [{"asin": "B083QQ6M99", "instruction": "i'm looking for cruelty free tan concealers & neutralizers.", "attributes": ["cruelty free", "fine lines"], "options": ["color: tan"], "instruction_attributes": ["cruelty free"], "instruction_options": ["tan"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4T5NK20", "worker_id": "A9QRQL9CFJBI7"}], "B08GSR75ZG": [{"asin": "B08GSR75ZG", "instruction": "i am looking for large causal top for women's with long sleeve and elastic closure with keep comfortable and fashionable in red tie-dye color of longyuan 2022 women's.", "attributes": ["elastic closure", "long sleeve"], "options": ["color: red tie-dye", "size: large"], "instruction_attributes": ["elastic closure", "long sleeve"], "instruction_options": ["red tie-dye", "large"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGU49RM6", "worker_id": "A1DRKZ3SCLAS4V"}], "B084SZZP4J": [{"asin": "B084SZZP4J", "instruction": "i need a travel size and easy use denture storage box with mirror", "attributes": ["heavy duty", "travel size", "easy use"], "options": [""], "instruction_attributes": ["travel size", "easy use"], "instruction_options": [], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2VXDU21", "worker_id": "A258PTOZ3D2TQR"}], "B093YSCJDM": [{"asin": "B093YSCJDM", "instruction": "i am looking for travel laundry bag for underwear ,bra lingeries", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7PACUE", "worker_id": "A3N9ZYQAESNFQH"}], "B08VGJ6XW8": [{"asin": "B08VGJ6XW8", "instruction": "i'm looking for machine washable twin size electric blanket.", "attributes": ["twin size", "machine washable"], "options": ["size: twin"], "instruction_attributes": ["twin size", "machine washable"], "instruction_options": ["twin"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7AKN5A", "worker_id": "A9QRQL9CFJBI7"}], "B09NKLMWL6": [{"asin": "B09NKLMWL6", "instruction": "i'm looking for a daily wear, long sleeve with high waist night gown. also, choose medium sixe red colored one.", "attributes": ["long sleeve", "high waist", "daily wear"], "options": ["color: red", "size: medium"], "instruction_attributes": ["long sleeve", "high waist", "daily wear"], "instruction_options": ["red", "medium"], "assignment_id": "3X0H8UUITCYRED22199FX2O3E8SSW8", "worker_id": "AR0VJ5XRG16UJ"}], "B08R7MQ6BH": [{"asin": "B08R7MQ6BH", "instruction": "i need glass bottles which are leak proof. pick a pack of 40.", "attributes": ["leak proof", "travel bottles"], "options": [""], "instruction_attributes": ["leak proof", "travel bottles"], "instruction_options": [], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNQF8HV", "worker_id": "A1NF6PELRKACS9"}], "B09CFXLLWM": [{"asin": "B09CFXLLWM", "instruction": "i am looking for jungle powders freeze dried watermelon powder 3.5oz and also 5oz with gmo free", "attributes": ["freeze dried", "gmo free", "easy use"], "options": ["flavor name: apricot", "size: 5oz"], "instruction_attributes": ["gmo free"], "instruction_options": ["5oz"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZC37CT", "worker_id": "AX2EWYWZM19AZ"}], "B07S5Q2Y3B": [{"asin": "B07S5Q2Y3B", "instruction": "i am looking for a certified organic body butters moisturizers for dry skin.", "attributes": ["certified organic", "anti aging", "fine lines", "dry skin"], "options": [""], "instruction_attributes": ["certified organic", "dry skin"], "instruction_options": [], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR025TMKAE", "worker_id": "A9QRQL9CFJBI7"}], "B007JV7EUM": [{"asin": "B007JV7EUM", "instruction": "i'm looking for 1600 watt high power bass surround stereo sound component subwoffers.", "attributes": ["high power", "stereo sound"], "options": ["speakers maximum output power: 1600 watts", "vehicle speaker size: 6.5 in", "voice coil: 2-inch single voice coil 4-ohm"], "instruction_attributes": ["high power", "stereo sound"], "instruction_options": ["1600 watts"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EAZZS2O", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B007JV7EUM", "instruction": "i would like a 15 inch 600 watt speaker with a 2 inch dual voice coil in stereo sound.", "attributes": ["high power", "stereo sound"], "options": ["speakers maximum output power: 600 watts", "vehicle speaker size: 15-inch", "voice coil: 2-inch dual voice coil 4-ohm"], "instruction_attributes": ["stereo sound"], "instruction_options": ["600 watts", "15-inch", "2-inch dual voice coil 4-ohm"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRURJXO", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B007JV7EUM", "instruction": "i am looking for a high powered 12 inch car subwoofer system.", "attributes": ["high power", "stereo sound"], "options": ["speakers maximum output power: 1600 watts", "vehicle speaker size: 12-inch", "voice coil: 2.5-inch single voice coil 4-ohm"], "instruction_attributes": ["high power"], "instruction_options": ["12-inch"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CA7V0K", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B007JV7EUM", "instruction": "i would like a 15 inch 600 watt speaker with a 2 inch dual voice coil in stereo sound.", "attributes": ["high power", "stereo sound"], "options": ["speakers maximum output power: 600 watts", "vehicle speaker size: 15-inch", "voice coil: 2-inch dual voice coil 4-ohm"], "instruction_attributes": ["stereo sound"], "instruction_options": ["600 watts", "15-inch", "2-inch dual voice coil 4-ohm"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRURJXO", "worker_id": "A1WS884SI0SLO4"}], "B09FDPV25C": [{"asin": "B09FDPV25C", "instruction": "i need a i-blue color sleeved pullover sweater of 5x-large size. and it should be machine washable", "attributes": ["easy care", "daily casual", "hand wash", "machine wash", "dry clean"], "options": ["color: i-blue", "size: 5x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["i-blue", "5x-large"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGHYPV1R", "worker_id": "A2COCSUGZV28X"}], "B08TVTGM12": [{"asin": "B08TVTGM12", "instruction": "i need a high gloss wall plate cover. pick a single toggle one.", "attributes": ["heavy duty", "high gloss"], "options": ["style: single toggle"], "instruction_attributes": ["high gloss"], "instruction_options": ["single toggle"], "assignment_id": "351SEKWQSBRP7CP60H83T50CF3JMDW", "worker_id": "A1NF6PELRKACS9"}], "B08QJLH4J5": [{"asin": "B08QJLH4J5", "instruction": "i am looking for a wireless bluetooth speaker bundle. look for black color, please.", "attributes": ["wireless bluetooth", "stereo sound"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC5YNRK8", "worker_id": "A1NF6PELRKACS9"}], "B09PYRDRR8": [{"asin": "B09PYRDRR8", "instruction": "i'm looking for leather sole black color loafers pumps for women high chunky heels, size 8.", "attributes": ["leather sole", "rubber sole"], "options": ["color: black", "size: 8"], "instruction_attributes": ["leather sole"], "instruction_options": ["black", "8"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3MKZ97", "worker_id": "A258PTOZ3D2TQR"}], "B09QPRTV1M": [{"asin": "B09QPRTV1M", "instruction": "i need straight leg and fleece lined chef pants. it should be gray in color.", "attributes": ["straight leg", "loose fit", "water resistant", "fleece lined", "quality polyester", "gym workout"], "options": ["color: gray", "size: xx-large"], "instruction_attributes": ["straight leg", "fleece lined"], "instruction_options": ["gray"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RSK7W1", "worker_id": "A1NF6PELRKACS9"}], "B08V5JQV3W": [{"asin": "B08V5JQV3W", "instruction": "i'm looking for wireless bluetooth clock radios. also, choose the grey one.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: gray"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["gray"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSA362H", "worker_id": "A9QRQL9CFJBI7"}], "B08J98S99V": [{"asin": "B08J98S99V", "instruction": "i need an 27 piece set of lip glosses that are fragrance free.", "attributes": ["oil free", "fragrance free"], "options": ["size: 27 piece set"], "instruction_attributes": ["fragrance free"], "instruction_options": ["27 piece set"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4BW98R", "worker_id": "A2ECRNQ3X5LEXD"}], "B00HUCGPNC": [{"asin": "B00HUCGPNC", "instruction": "i'm looking for a 12-ounce package of blueberry harvest granola clusters that are gluten free and high in protein.", "attributes": ["gluten free", "non gmo", "usda organic", "high protein"], "options": ["flavor name: blueberry harvest", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["gluten free", "high protein"], "instruction_options": ["blueberry harvest", "12 ounce (pack of 1)"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNFWFDL3", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B00HUCGPNC", "instruction": "i need a non gmo and usda organic granola cereal. i like the honey nuts and cinnamon flavor.", "attributes": ["gluten free", "non gmo", "usda organic", "high protein"], "options": ["flavor name: honey nuts and cinnamon", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["non gmo", "usda organic"], "instruction_options": ["honey nuts and cinnamon"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBENOKZS", "worker_id": "A1NF6PELRKACS9"}], "B0924DW7YM": [{"asin": "B0924DW7YM", "instruction": "i am looking storage basket for living room having steel frame and can clean easily at large size", "attributes": ["spot clean", "easy clean", "steel frame", "living room"], "options": ["size: l"], "instruction_attributes": ["easy clean", "steel frame", "living room"], "instruction_options": ["l"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAI8QFVU", "worker_id": "A3N9ZYQAESNFQH"}], "B098DS4CJK": [{"asin": "B098DS4CJK", "instruction": "i am looking for high quality full lace black hair wigs for men suffering from hair loss. it should be \u201c7x9\u201d 120% light medium density.", "attributes": ["high quality", "hair loss"], "options": ["color: 630# light brown with 30% gray", "size: 7''x9''120% light medium density"], "instruction_attributes": ["high quality", "hair loss"], "instruction_options": ["7''x9''120% light medium density"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A67BVES", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B098DS4CJK", "instruction": "i am looking for a high quality toupee 120 light medium density 6x8.", "attributes": ["high quality", "hair loss"], "options": ["color: 1b90# natural black with 90% gray", "size: 6''x8' 120%light medium density"], "instruction_attributes": ["high quality"], "instruction_options": ["6''x8' 120%light medium density"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VUTYWZ", "worker_id": "A2KW17G25L25R8"}, {"asin": "B098DS4CJK", "instruction": "i am looking for a high quality lhc full french lace mens toupee european virgin human hair bleached knots hair systen, also color is 720# very light brown with 20% gray", "attributes": ["high quality", "hair loss"], "options": ["color: 720# very light brown with 20% gray", "size: 7''x9''120% light medium density"], "instruction_attributes": ["high quality"], "instruction_options": ["720# very light brown with 20% gray"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOYXONA", "worker_id": "A3RBCGB309WPOC"}, {"asin": "B098DS4CJK", "instruction": "i'm looking for a 7''x9''100%light medium density hair extension with high quality and its color should be 240# darkest brown with 40% gray.", "attributes": ["high quality", "hair loss"], "options": ["color: 240# darkest brown with 40% gray", "size: 7''x9''100%light medium density"], "instruction_attributes": ["high quality"], "instruction_options": ["7''x9''100%light medium density"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0K9HLJG", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B098DS4CJK", "instruction": "i am looking for a high quality hair piece that is medium brown", "attributes": ["high quality", "hair loss"], "options": ["color: 440 medium brown with 40% gray", "size: 6''x9''120% light medium density"], "instruction_attributes": ["high quality"], "instruction_options": ["440 medium brown with 40% gray"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA74CMHN", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B098DS4CJK", "instruction": "you will find this men's wig brand lhc, virgin human hair 550# medium light brown with 50% gray, high quality", "attributes": ["high quality", "hair loss"], "options": ["color: 550# medium light brown with 50% gray", "size: 7''x9''110%light medium density"], "instruction_attributes": ["high quality"], "instruction_options": ["550# medium light brown with 50% gray"], "assignment_id": "3N8OEVH1F204BC17361WW31GEQ7OOU", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B098DS4CJK", "instruction": "i am looking for a 7''x10''100%light density high quality hairpieces", "attributes": ["high quality", "hair loss"], "options": ["color: 365# dark brown with 65% gray", "size: 7''x10''100%light density"], "instruction_attributes": ["high quality"], "instruction_options": ["7''x10''100%light density"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7Q33IA", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B098DS4CJK", "instruction": "i want dark brown and high quality full french lace mens toupee.", "attributes": ["high quality", "hair loss"], "options": ["color: 2# darkest brown", "size: 7''x9''100% light medium density"], "instruction_attributes": ["high quality"], "instruction_options": ["2# darkest brown"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWOL6W0", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B098DS4CJK", "instruction": "i would like a high quality hair piece that is medium brown.", "attributes": ["high quality", "hair loss"], "options": ["color: 450# medium brown with 50% gray", "size: 7''x9''80%light density"], "instruction_attributes": ["high quality"], "instruction_options": ["450# medium brown with 50% gray"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBRNF0", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HWT771K": [{"asin": "B08HWT771K", "instruction": "i am looking for a silver galaxy watch 3 45mm sm r840 women bands which is easy to install and stainless steel.", "attributes": ["easy install", "quick release", "stainless steel"], "options": ["color: silver"], "instruction_attributes": ["easy install", "stainless steel"], "instruction_options": ["silver"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6C92BV", "worker_id": "AHU9OLV0YKIIW"}], "B01IH8KHMW": [{"asin": "B01IH8KHMW", "instruction": "i am looking for low carb flavor syrup that comes in a six pack of 32 ounces.", "attributes": ["non alcoholic", "low calorie", "low carb", "gluten free", "artificial flavors"], "options": ["size: 32 ounce (6 count)"], "instruction_attributes": ["low carb"], "instruction_options": ["32 ounce (6 count)"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2P094K", "worker_id": "A2ECRNQ3X5LEXD"}], "B08FJ464SN": [{"asin": "B08FJ464SN", "instruction": "i am looking for decorative cupcake picks for my party. pick red ones.", "attributes": ["cupcake picks", "party supplies"], "options": ["color: as shown"], "instruction_attributes": ["cupcake picks", "party supplies"], "instruction_options": ["as shown"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JTZGE2", "worker_id": "A1NF6PELRKACS9"}], "B092MH5RFM": [{"asin": "B092MH5RFM", "instruction": "i need a double sided shower brush with long handle. pick something in pink.", "attributes": ["double sided", "long handle"], "options": ["color: pink"], "instruction_attributes": ["double sided", "long handle"], "instruction_options": ["pink"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDIAHRN", "worker_id": "A1NF6PELRKACS9"}], "B07GP8JXT5": [{"asin": "B07GP8JXT5", "instruction": "i am looking for a high performance pink color on-ear headphones.", "attributes": ["gold plated", "high performance", "hands free", "stereo sound"], "options": ["color: pink"], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3URFVVM16GSBNLZB11OMB709G60ZU2", "worker_id": "A9QRQL9CFJBI7"}], "B0018C5KTU": [{"asin": "B0018C5KTU", "instruction": "i need some shoes that are peony colored with a rubber sole and are a size 6 for kids.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: peony", "size: 6 big kid", "special size: little kid (4-8 years)"], "instruction_attributes": ["rubber sole"], "instruction_options": ["peony", "6 big kid"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXSNMY4", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0018C5KTU", "instruction": "i would like a 2.5 or 3.5 in the uk kids shoe with a rubber sole. can i also get them with a black zebra shimmer.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black zebra shimmer", "size: 2.5 little kid", "special size: 3.5 uk"], "instruction_attributes": ["rubber outsole", "rubber sole"], "instruction_options": ["black zebra shimmer", "2.5 little kid", "3.5 uk"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB93I8N0", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0018C5KTU", "instruction": "i would like some girls shoes that are in a size 7 and have a watermelon print.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: spanish villa watermelon palms print", "size: 7", "special size: 9.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["spanish villa watermelon palms print", "7"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPBVOC2", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0018C5KTU", "instruction": "i want to find women's black canvas shoes in a size 9. the shoes must have rubber soles.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black canvas", "size: 9", "special size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black canvas", "9"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YUU8T9", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B0018C5KTU", "instruction": "i'm looking for tom's classic alpargata shoes with rubber soles, in the color cabernet glitter and size 11 toddler.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: cabernet glitter nkt", "size: 11 toddler", "special size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["cabernet glitter nkt", "11 toddler"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUEJRM0", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B0018C5KTU", "instruction": "i am looking for classic alpargata of pink color having rubber sole.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: pink", "size: 5 big kid", "special size: 5.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["pink"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJON3YDO", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B0018C5KTU", "instruction": "i want to find a pair of silver toddlers' toms with rubber soles. they either need to be a size 10 for us sizing or a size 3.5 for uk sizing.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: silver", "size: 10 toddler", "special size: 3.5 uk"], "instruction_attributes": ["rubber sole"], "instruction_options": ["silver", "10 toddler", "3.5 uk"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCOHB96", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B0018C5KTU", "instruction": "i am looking for girl alpargata with rubber sole.please choose 10 size.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: silver iridescent glimmer", "size: 10", "special size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["10"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBWNF5", "worker_id": "A3FG5PQHG5AH3Y"}], "B00FBCZCWS": [{"asin": "B00FBCZCWS", "instruction": "i'm looking for gluten free 1.4 ounce (pack of 12) bars.", "attributes": ["gluten free", "individually wrapped"], "options": ["flavor name: honey roasted nuts & sea salt", "size: 1.4 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["1.4 ounce (pack of 12)"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS409UXNU", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B00FBCZCWS", "instruction": "i need to buy some gluten-free snack bars that are blueberry vanilla and cashew flavored and come in a 60 count.", "attributes": ["gluten free", "individually wrapped"], "options": ["flavor name: blueberry vanilla & cashew", "size: 60 count"], "instruction_attributes": ["gluten free"], "instruction_options": ["blueberry vanilla & cashew", "60 count"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UI51GA", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B00FBCZCWS", "instruction": "im looking for gluten free kind bars in the extra dark chocolate and sea salt flavor.", "attributes": ["gluten free", "individually wrapped"], "options": ["flavor name: extra dark chocolate nuts & sea salt", "size: 1.4 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["extra dark chocolate nuts & sea salt"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTRW4VS", "worker_id": "AK3JMCIGU8MLU"}], "B09PRPZMBX": [{"asin": "B09PRPZMBX", "instruction": "i need a long lasting blush in the color a.", "attributes": ["easy apply", "long lasting", "eye shadow"], "options": ["color: a"], "instruction_attributes": ["long lasting"], "instruction_options": ["a"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTOS4E5", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GQMP765": [{"asin": "B07GQMP765", "instruction": "i am looming for a bags & cases for eye shadow.", "attributes": ["bpa free", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06ESXKS", "worker_id": "A9QRQL9CFJBI7"}], "B07KW3KCNV": [{"asin": "B07KW3KCNV", "instruction": "hello! order for me caraway seed savory crisps which is sugar free, high protein content and keto friendly.", "attributes": ["grain free", "low carb", "sugar free", "gluten free", "keto friendly", "high protein"], "options": ["flavor name: caraway", "size: 6 ounce (pack of 5)"], "instruction_attributes": ["keto friendly", "high protein"], "instruction_options": ["caraway"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS3540129MUZ", "worker_id": "AHU9OLV0YKIIW"}], "B07D6GFNG8": [{"asin": "B07D6GFNG8", "instruction": "i want some grass fed and low carb jerky. make sure they are original beef sticks.", "attributes": ["grass fed", "low carb", "protein serving"], "options": ["flavor name: original beef sticks"], "instruction_attributes": ["grass fed", "low carb"], "instruction_options": ["original beef sticks"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q7VDH97", "worker_id": "A1NF6PELRKACS9"}], "B08287C795": [{"asin": "B08287C795", "instruction": "i'm looking for a high quality girls accessories and color should be frozen elsa.", "attributes": ["high quality", "rose gold"], "options": ["color: frozen elsa"], "instruction_attributes": ["high quality"], "instruction_options": ["frozen elsa"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA577G9IE", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B08287C795", "instruction": "i would like some rose gold minnie ears", "attributes": ["high quality", "rose gold"], "options": ["color: gold minnie"], "instruction_attributes": ["rose gold"], "instruction_options": ["gold minnie"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V25YWR", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RQ8FVQJ": [{"asin": "B07RQ8FVQJ", "instruction": "i am looking for hands free headphones in the color mint.", "attributes": ["hands free", "stainless steel"], "options": ["color: mint"], "instruction_attributes": ["hands free"], "instruction_options": ["mint"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFKHT0I", "worker_id": "A2ECRNQ3X5LEXD"}], "B00D5KS0DQ": [{"asin": "B00D5KS0DQ", "instruction": "i am looking for non gmo salmon that is ready to eat. pick a 1 pack size.", "attributes": ["ready eat", "fully cooked", "non gmo"], "options": ["flavor name: smoked sockeye", "size: 1 pack"], "instruction_attributes": ["ready eat", "non gmo"], "instruction_options": ["1 pack"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG15ZYGU", "worker_id": "A1NF6PELRKACS9"}], "B06ZXZC8DQ": [{"asin": "B06ZXZC8DQ", "instruction": "i need an alcohol free hair fragrance that is island vanilla scent.", "attributes": ["alcohol free", "cruelty free"], "options": ["style: island vanilla - pack of 1"], "instruction_attributes": ["alcohol free"], "instruction_options": ["island vanilla - pack of 1"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMHKBQD", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZZRTSKM": [{"asin": "B07ZZRTSKM", "instruction": "i need a long lasting fleece jacket in regular fit. it should be sea salt in color.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: dc - sea salt", "size: 3x-large plus", "team name: north carolina tar heels"], "instruction_attributes": ["long lasting", "regular fit"], "instruction_options": ["dc - sea salt"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YRDQ3B", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07ZZRTSKM", "instruction": "i need a fleece jacket that is regular fit size 3x in the color of sea salt.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: dc - sea salt", "size: 3x", "team name: texas a&m aggies"], "instruction_attributes": ["regular fit"], "instruction_options": ["dc - sea salt", "3x"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKX1UIB", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07ZZRTSKM", "instruction": "i need a fleece jacket that is regular fit size 3x in the color of sea salt.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: dc - sea salt", "size: 3x", "team name: texas a&m aggies"], "instruction_attributes": ["regular fit"], "instruction_options": ["dc - sea salt", "3x"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKX1UIB", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07ZZRTSKM", "instruction": "i'm looking for women jacket for regular fit and classic fit.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: osu - black", "size: 3x-large plus", "team name: notre dame fighting irish"], "instruction_attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "instruction_options": ["osu - black"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8WNZPZ", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07ZZRTSKM", "instruction": "i am looking for regular fit fleece women jacket. please select vivid purple color.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: cle - vivid purple", "size: 1x", "team name: florida gators"], "instruction_attributes": ["regular fit"], "instruction_options": ["cle - vivid purple"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCYT4Q8", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07ZZRTSKM", "instruction": "i'm looking for jacket classic fit for quality materials.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: ark - red velvet", "size: medium", "team name: kentucky wildcats"], "instruction_attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "instruction_options": ["ark - red velvet"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4D6BSJ", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07ZZRTSKM", "instruction": "i want a fleece jacket that is in regular fit and is long lasting. choose an x-small size.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: dc - sea salt", "size: x-small", "team name: michigan state spartans"], "instruction_attributes": ["long lasting", "regular fit"], "instruction_options": ["x-small"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKUBMJJ", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07ZZRTSKM", "instruction": "i would like a large navy penn state nittany lions fleece jacket made from quality materials.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: um - collegiate navy", "size: large", "team name: penn state nittany lions"], "instruction_attributes": ["quality materials"], "instruction_options": ["um - collegiate navy", "large", "penn state nittany lions"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96CF4GA", "worker_id": "A1WS884SI0SLO4"}], "B00VVHZZHO": [{"asin": "B00VVHZZHO", "instruction": "i need a three pack of heavy duty swivel clips for my phone.", "attributes": ["compatible apple", "heavy duty"], "options": ["style: swivel clip 3 pack"], "instruction_attributes": ["heavy duty"], "instruction_options": ["swivel clip 3 pack"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGFRO0O", "worker_id": "A2ECRNQ3X5LEXD"}], "B00N8KT1J0": [{"asin": "B00N8KT1J0", "instruction": "i'm looking for gluten free and low calorie tasty apple strawberry flavored apple sauce snacks- 3.2 ounce (pack of 4)", "attributes": ["dairy free", "bpa free", "gluten free", "nut free", "low calorie", "kosher certified", "plant based", "non gmo", "high fructose"], "options": ["flavor name: apple strawberry", "size: 3.2 ounce (pack of 4)"], "instruction_attributes": ["gluten free", "low calorie"], "instruction_options": ["apple strawberry"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ48WUL", "worker_id": "A258PTOZ3D2TQR"}], "B09JNXFRTF": [{"asin": "B09JNXFRTF", "instruction": "i'm looking for blush palette that is easy to carry, long lasting and easy to apply. also, look for color a one", "attributes": ["easy apply", "easy carry", "long lasting", "eye shadow"], "options": ["color: a"], "instruction_attributes": ["easy apply", "easy carry", "long lasting"], "instruction_options": ["a"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKLDV7E", "worker_id": "AR0VJ5XRG16UJ"}], "B09CGHW1CP": [{"asin": "B09CGHW1CP", "instruction": "i am looking for 96\"w x 72\"h roller shades of gray color and it is east to install.", "attributes": ["white item", "easy install", "easy clean"], "options": ["color: gray", "size: 96\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["gray", "96\"w x 72\"h"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TF73NG", "worker_id": "A9QRQL9CFJBI7"}], "B0894STBLG": [{"asin": "B0894STBLG", "instruction": "i need matcha and green tea bags that are organics and are 36 count.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: matcha + green tea", "size: 36 count (pack of 1)", "style: tea bags"], "instruction_attributes": ["usda organic"], "instruction_options": ["matcha + green tea", "36 count (pack of 1)"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB4Z2QA0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0894STBLG", "instruction": "looking for iced tea bags pu'erh tea bags certified organic, flavor darjeeling, pack of 1 with 20 count", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: darjeeling", "size: 20 count (pack of 1)", "style: iced tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["darjeeling", "20 count (pack of 1)", "iced tea bags"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9TNX57", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B0894STBLG", "instruction": "(i need some usda certified organic green tea and matcha.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: matcha + green tea", "size: 20 count (pack of 1)", "style: iced tea bags"], "instruction_attributes": ["usda organic"], "instruction_options": ["matcha + green tea"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YKRHEZ", "worker_id": "A19317A3X87NVM"}, {"asin": "B0894STBLG", "instruction": "looking for iced tea bags pu'erh tea bags certified organic, flavor darjeeling, pack of 1 with 20 count", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: darjeeling", "size: 20 count (pack of 1)", "style: iced tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["darjeeling", "20 count (pack of 1)", "iced tea bags"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9TNX57", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B0894STBLG", "instruction": "i'm looking for certified organic for tea bags for peppermint leaf.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: peppermint leaf", "size: 1 pound (pack of 1)", "style: tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["peppermint leaf"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZKHK9U", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B0894STBLG", "instruction": "i am looking for organic sencha flavored tea bags. tea bags must be usda organic.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: sencha", "size: 36 count (pack of 1)", "style: loose leaf"], "instruction_attributes": [], "instruction_options": ["sencha"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y8EIV0", "worker_id": "A3FG5PQHG5AH3Y"}], "B07DY9LLR7": [{"asin": "B07DY9LLR7", "instruction": "i want to find a set of 24 blue jars that are bpa free.", "attributes": ["leak proof", "bpa free"], "options": ["color: blue", "size: 24 jars"], "instruction_attributes": ["bpa free"], "instruction_options": ["blue", "24 jars"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17XY23YV", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07DY9LLR7", "instruction": "i am looking for a blue leak proof bags & cases.", "attributes": ["leak proof", "bpa free"], "options": ["color: blue", "size: 12 jars"], "instruction_attributes": ["leak proof"], "instruction_options": ["blue"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RHOLFV", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07DY9LLR7", "instruction": "i want bpa free and silver plastic container jars with black flat top lids.", "attributes": ["leak proof", "bpa free"], "options": ["color: silver", "size: 24 jars"], "instruction_attributes": ["bpa free"], "instruction_options": ["silver"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3GANQA", "worker_id": "A2RBF3IIJP15IH"}], "B078HW45S6": [{"asin": "B078HW45S6", "instruction": "i want some low rise active shorts that are in a medium and are black charcoal colored.", "attributes": ["low rise", "cotton spandex"], "options": ["color: 2pk - black charcoal", "size: medium"], "instruction_attributes": ["low rise"], "instruction_options": ["2pk - black charcoal", "medium"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8A3C44", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PH3V5XV": [{"asin": "B09PH3V5XV", "instruction": "i am looking for a x- large long fit hoodies & sweatshirts for daily wear.", "attributes": ["loose fit", "quick drying", "machine washable", "long sleeve", "short sleeve", "laundry bag", "daily wear"], "options": ["color: baodan-a179-black", "size: x-large"], "instruction_attributes": ["long sleeve", "daily wear"], "instruction_options": ["x-large"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BFUJVO", "worker_id": "A9QRQL9CFJBI7"}], "B08ZQC14PN": [{"asin": "B08ZQC14PN", "instruction": "i'm looking for a portable wireless bluetooth speakers made of carbon fiber with long lasting battery.", "attributes": ["long lasting", "carbon fiber", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["long lasting", "carbon fiber", "wireless bluetooth"], "instruction_options": [], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZAY48CG", "worker_id": "AR0VJ5XRG16UJ"}], "B07GRX4R2W": [{"asin": "B07GRX4R2W", "instruction": "i want to find peach-colored roller blinds for my living room that are easy to install. they need to be 58 inches in width and 64 inches in height.", "attributes": ["easy install", "living room"], "options": ["color: 03.peach", "size: w58 1 | 4 x h64 (inch)"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["03.peach", "w58 1 | 4 x h64 (inch)"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXLWHAEB", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07GRX4R2W", "instruction": "i need w28 x h64 pastel blue roller blinds that are easy to install.", "attributes": ["easy install", "living room"], "options": ["color: 07.pastel_blue", "size: w28 x h64 (inch) custom"], "instruction_attributes": ["easy install"], "instruction_options": ["07.pastel_blue", "w28 x h64 (inch) custom"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFEIV9D", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07GRX4R2W", "instruction": "i need w28 x h64 pastel blue roller blinds that are easy to install.", "attributes": ["easy install", "living room"], "options": ["color: 07.pastel_blue", "size: w28 x h64 (inch) custom"], "instruction_attributes": ["easy install"], "instruction_options": ["07.pastel_blue", "w28 x h64 (inch) custom"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFEIV9D", "worker_id": "A2RBF3IIJP15IH"}], "B01MZ1MKHK": [{"asin": "B01MZ1MKHK", "instruction": "i'd like to find a pair of sage and valencia colored men's hiking boots with rubber soles. i need them in a size 15.", "attributes": ["long lasting", "rubber sole", "lace closure"], "options": ["color: sage | valencia", "size: 15 regular us"], "instruction_attributes": ["rubber sole"], "instruction_options": ["sage | valencia", "15 regular us"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3Q51UV", "worker_id": "A345TDMHP3DQ3G"}], "B06Y4585VQ": [{"asin": "B06Y4585VQ", "instruction": "i want a ready to use storage basket that saves space. pick a large bronze colored one.", "attributes": ["space saving", "ready use"], "options": ["color: bronze"], "instruction_attributes": ["space saving", "ready use"], "instruction_options": ["bronze"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39SVOGMP", "worker_id": "A1NF6PELRKACS9"}], "B07MWT9GKP": [{"asin": "B07MWT9GKP", "instruction": "i want a comfortable fit cowboy cut jeans. it should be black in color.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: shadow black", "fit type: slim", "size: 31w x 32l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["shadow black"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN3NI8R", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07MWT9GKP", "instruction": "i want long lasting wrangler mens smoke storm cowboy cut jeans.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: smoke storm", "fit type: regular", "size: 32w x 40l"], "instruction_attributes": ["long lasting"], "instruction_options": ["smoke storm"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYWWUP1F", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07MWT9GKP", "instruction": "looking for jean which comfortable fit and colour must be dax", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: dax", "fit type: relaxed", "size: 33w x 36l"], "instruction_attributes": ["machine wash", "comfortable fit"], "instruction_options": ["dax"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HT5BP9", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B07MWT9GKP", "instruction": "i'm looking for original fit jeans for men.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: oakdale", "fit type: relaxed", "size: 40w x 40l"], "instruction_attributes": ["long lasting", "comfortable fit"], "instruction_options": ["relaxed"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYQNHD3", "worker_id": "A21IUUHBSEVB56"}], "B07ZX3R5LS": [{"asin": "B07ZX3R5LS", "instruction": "i am looking for a pendant light to go in my dining room with dimmer switch.", "attributes": ["pendant light", "dining room"], "options": [""], "instruction_attributes": ["pendant light", "dining room"], "instruction_options": [], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XXZ7FAD", "worker_id": "A1NF6PELRKACS9"}], "B099Z1R6SQ": [{"asin": "B099Z1R6SQ", "instruction": "find me an 8\" sized mattress with full gel memory. it should have a white finish.", "attributes": ["white item", "white finish"], "options": [""], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WOO1AW", "worker_id": "A1NF6PELRKACS9"}], "B07YXW5M4L": [{"asin": "B07YXW5M4L", "instruction": "i want a solid wood, ivory colored bar stool. look for a 26\" metal footrest.", "attributes": ["fully assembled", "assembly required", "solid wood"], "options": ["color: pu leather in creamy gray", "size: 26\" metal footrest"], "instruction_attributes": ["solid wood"], "instruction_options": ["26\" metal footrest"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKUSUIW", "worker_id": "A1NF6PELRKACS9"}], "B088PL8Z6F": [{"asin": "B088PL8Z6F", "instruction": "i would like some over the toilet storage space in the color style-13.", "attributes": ["easy assemble", "storage space", "living room"], "options": ["color: style-13"], "instruction_attributes": ["storage space"], "instruction_options": ["style-13"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39SVRMGY", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RKLJFYC": [{"asin": "B07RKLJFYC", "instruction": "i need a square shaped area rug that is easy to clean. it should be in aqua color.", "attributes": ["easy clean", "spot clean"], "options": ["color: aqua", "item shape: square", "size: 10 ft x 14 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["aqua", "square"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTHIPLX", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07RKLJFYC", "instruction": "i need a 10 foot rug for my living room. make sure it's easy to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: sunglow", "item shape: runner", "size: 10 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["10 ft"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WS6A1V", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07RKLJFYC", "instruction": "i am looking for an oval shaped easy to clean shag area rug.", "attributes": ["easy clean", "spot clean"], "options": ["color: sunglow", "item shape: oval", "size: 5 ft x 8 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["oval"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7S9BRWR", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07RKLJFYC", "instruction": "i need a 10 foot rug for my living room. make sure it's easy to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: sunglow", "item shape: runner", "size: 10 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["10 ft"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WS6A1V", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07RKLJFYC", "instruction": "i'm looking for marine blue colored kitchen rugs for kitchen uses.", "attributes": ["easy clean", "spot clean"], "options": ["color: marine blue", "item shape: rectangular", "size: 2 ft 7 in x 13 ft"], "instruction_attributes": ["easy clean", "spot clean"], "instruction_options": ["marine blue"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0251YAKW", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07RKLJFYC", "instruction": "i am looking for area rugs that is of size 4 ft x 4 ft and is easy to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: dusty rose", "item shape: rectangular", "size: 4 ft x 4 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["4 ft x 4 ft"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746ZIBTC", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07RKLJFYC", "instruction": "i am looking for modern easy clean luxuriously soft round area rug of size 7 ft x 7 ft", "attributes": ["easy clean", "spot clean"], "options": ["color: poppy", "item shape: round", "size: 7 ft x 7 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["round", "7 ft x 7 ft"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK4YIUA", "worker_id": "A258PTOZ3D2TQR"}], "B09MVN8K1P": [{"asin": "B09MVN8K1P", "instruction": "i need a hair styling comb.", "attributes": ["hair styling", "hair dye", "hair salon"], "options": [""], "instruction_attributes": ["hair styling"], "instruction_options": [], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7V3MHW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07R9666W3": [{"asin": "B07R9666W3", "instruction": "i'm looking for a machine washable men's shorts with classic fit stretchable fabric and has button closure. also, choose cool grey colored one", "attributes": ["machine wash", "classic fit", "stretch fabric", "elastic waist", "button closure"], "options": ["color: city grey | cool grey", "size: 48x10"], "instruction_attributes": ["machine wash", "classic fit", "button closure"], "instruction_options": ["city grey | cool grey"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VAH8E9", "worker_id": "AR0VJ5XRG16UJ"}], "B01LW2NFZX": [{"asin": "B01LW2NFZX", "instruction": "i'm looking for a tablet with usb support and support 4g lte.", "attributes": ["long lasting", "usb port", "4g lte"], "options": [""], "instruction_attributes": ["usb port", "4g lte"], "instruction_options": [], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNECWXIE", "worker_id": "AR0VJ5XRG16UJ"}], "B09M8H129Q": [{"asin": "B09M8H129Q", "instruction": "i want to find an xx-large black men's pullover made of soft, warm material.", "attributes": ["winter warm", "long sleeve", "short sleeve", "soft material"], "options": ["color: e04#black", "size: xx-large"], "instruction_attributes": ["winter warm", "soft material"], "instruction_options": ["e04#black", "xx-large"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X1TFRF", "worker_id": "A345TDMHP3DQ3G"}], "B000W5MWR2": [{"asin": "B000W5MWR2", "instruction": "i'm looking for a highly pigmented green body paint.", "attributes": ["highly pigmented", "paraben free", "cruelty free"], "options": ["color: green"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["green"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH372YESL", "worker_id": "A9QRQL9CFJBI7"}], "B09SCXL1K4": [{"asin": "B09SCXL1K4", "instruction": "i need open toe wedge sandals with ankle strap. pick a black one.", "attributes": ["non slip", "fleece lined", "open toe", "memory foam", "high waist", "high heel", "closed toe", "ankle strap", "arch support", "tummy control", "rubber sole", "long sleeve"], "options": ["color: a11 - black", "size: 11.5 wide"], "instruction_attributes": ["open toe", "ankle strap"], "instruction_options": ["a11 - black"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9AP2E0", "worker_id": "A1NF6PELRKACS9"}], "B09M92PLHF": [{"asin": "B09M92PLHF", "instruction": "i am looking for 4 pounds (pack of 1) old fashioned hard candy.", "attributes": ["individually wrapped", "old fashioned"], "options": ["size: 4 pounds (pack of 1)", "style: strawberry"], "instruction_attributes": ["old fashioned"], "instruction_options": ["4 pounds (pack of 1)"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOCC9LW", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09M92PLHF", "instruction": "i need two pounds of strawberry hard candy that is individually wrapped.", "attributes": ["individually wrapped", "old fashioned"], "options": ["size: 2 pounds (pack of 1)", "style: strawberry"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["2 pounds (pack of 1)", "strawberry"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PCZXNIX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GXZZHVD": [{"asin": "B09GXZZHVD", "instruction": "i need a square table that is easy to clean and has a steel frame. the size should be 100*60*74", "attributes": ["easy clean", "steel frame"], "options": ["color: eijia+heimuwen13", "size: 100*60*74gao"], "instruction_attributes": ["steel frame"], "instruction_options": ["100*60*74gao"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHK70J5", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09GXZZHVD", "instruction": "i would like a 70*70*74gao ijia+zhumuwen6 table cloth that is easy to clean.", "attributes": ["easy clean", "steel frame"], "options": ["color: ijia+zhumuwen6", "size: 70*70*74gao"], "instruction_attributes": ["easy clean"], "instruction_options": ["ijia+zhumuwen6", "70*70*74gao"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMXZSAN", "worker_id": "A1WS884SI0SLO4"}], "B07F33RYBG": [{"asin": "B07F33RYBG", "instruction": "i'm looking for a gluten free flavor syrups.", "attributes": ["sugar free", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017TXP4A", "worker_id": "A9QRQL9CFJBI7"}], "B09LGXJY5Q": [{"asin": "B09LGXJY5Q", "instruction": "i would like some super soft throw pillow covers that are baby green and come in pack of 2.", "attributes": ["spot clean", "super soft", "living room"], "options": ["color: baby green", "size: 16\"x 16\", pack of 2"], "instruction_attributes": ["super soft"], "instruction_options": ["baby green", "16\"x 16\", pack of 2"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98KCKYB", "worker_id": "A2ECRNQ3X5LEXD"}], "B00BCG0OB6": [{"asin": "B00BCG0OB6", "instruction": "i am looking for no artificial flavors or preservatives and is non-gmo healthy snacks compatible with keto, vegan, vegetarian, gluten free and low carb diets, gimme\u2019s organic roasted seaweed superfood in teriyaki flavor. pack of 12 0.17 ounce preferable.", "attributes": ["gluten free", "low carb", "non gmo", "artificial flavors"], "options": ["flavor: teriyaki", "size: 0.17 ounce (pack of 12)"], "instruction_attributes": ["gluten free", "low carb"], "instruction_options": ["teriyaki", "0.17 ounce (pack of 12)"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYW84JA", "worker_id": "A1DRKZ3SCLAS4V"}], "B00VEELQOA": [{"asin": "B00VEELQOA", "instruction": "i am looking for a wireless bluetooth speakers.", "attributes": ["long lasting", "hands free", "easy use", "stereo sound", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ5W6KCF", "worker_id": "A9QRQL9CFJBI7"}], "B09CDBTMS3": [{"asin": "B09CDBTMS3", "instruction": "iam looking a leather sole day comfort men's construction boot color also 6\" sft toe wheat", "attributes": ["day comfort", "leather sole"], "options": ["color: 6\" soft toe wheat", "size: 7"], "instruction_attributes": ["day comfort", "leather sole"], "instruction_options": ["6\" soft toe wheat"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJODEDYU", "worker_id": "A3N9ZYQAESNFQH"}], "B00ASJKXSM": [{"asin": "B00ASJKXSM", "instruction": "i'm looking for a whitewashed media chest with a wood finish.", "attributes": ["wood finish", "bronze finish", "solid wood"], "options": ["color: ella - white wash", "style: media chest"], "instruction_attributes": ["wood finish"], "instruction_options": ["ella - white wash", "media chest"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34DJ41D", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B00ASJKXSM", "instruction": "i would like a sahara tan five drawer dresser made of solid wood.", "attributes": ["wood finish", "bronze finish", "solid wood"], "options": ["color: hearst - sahara tan", "style: 5-drawer chest"], "instruction_attributes": ["solid wood"], "instruction_options": ["hearst - sahara tan", "5-drawer chest"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P7OUB9", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00ASJKXSM", "instruction": "i'm looking for wood finish bronze finish furniture the color was mckinney-espresso pine.", "attributes": ["wood finish", "bronze finish", "solid wood"], "options": ["color: mckinney - espresso pine", "style: 5-drawer sweater chest"], "instruction_attributes": ["wood finish", "bronze finish", "solid wood"], "instruction_options": ["mckinney - espresso pine", "5-drawer sweater chest"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS3FG92", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00ASJKXSM", "instruction": "i want paragon black solid wood", "attributes": ["wood finish", "bronze finish", "solid wood"], "options": ["color: paragon - black", "style: 4-drawer wardrobe chest"], "instruction_attributes": ["solid wood"], "instruction_options": ["paragon - black"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1DSGYL", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B00ASJKXSM", "instruction": "i'm looking for a solid wood dresser with bronze finish. also choose 4-drawer wardrobe chest with boho chic- white washed one.", "attributes": ["wood finish", "bronze finish", "solid wood"], "options": ["color: boho chic - washed white", "style: 4-drawer wardrobe chest"], "instruction_attributes": ["bronze finish", "solid wood"], "instruction_options": ["boho chic - washed white", "4-drawer wardrobe chest"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DYLOTD", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00ASJKXSM", "instruction": "i need to buy a four drawer wardrobe with a wood finish.", "attributes": ["wood finish", "bronze finish", "solid wood"], "options": ["color: meadow - graphite", "style: 4-drawer wardrobe chest"], "instruction_attributes": ["wood finish"], "instruction_options": ["4-drawer wardrobe chest"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANFVXSD", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B00ASJKXSM", "instruction": "i need to buy a five drawer dresser made out of solid wood.", "attributes": ["wood finish", "bronze finish", "solid wood"], "options": ["color: ocean - natural sengon", "style: 5-drawer chest"], "instruction_attributes": ["solid wood"], "instruction_options": ["5-drawer chest"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V3HU2H", "worker_id": "AR9AU5FY1S3RO"}], "B08C9VSFX2": [{"asin": "B08C9VSFX2", "instruction": "i need a high quality hairpiece for men with light density. it should be in 3# dark brown color.", "attributes": ["high quality", "hair loss"], "options": ["color: 3# dark brown", "size: 7''x9''120% light medium density"], "instruction_attributes": ["high quality"], "instruction_options": ["3# dark brown"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJKV63JG", "worker_id": "A1NF6PELRKACS9"}], "B075K5TXCL": [{"asin": "B075K5TXCL", "instruction": "i want a dust proof keyboard skin which is really thin. it should fit my apple wired keyboard.", "attributes": ["dust proof", "compatible apple"], "options": ["color: ombre purple", "size: for apple wired keyboard (mb110ll | b)"], "instruction_attributes": ["dust proof"], "instruction_options": ["for apple wired keyboard (mb110ll | b)"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0U8CA37", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B075K5TXCL", "instruction": "i am looking for an ombre pink dust proof keyboard skin", "attributes": ["dust proof", "compatible apple"], "options": ["color: ombre pink", "size: for magic keyboard (mla22ll | a)"], "instruction_attributes": ["dust proof"], "instruction_options": ["ombre pink"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0UNCAN", "worker_id": "A2ECRNQ3X5LEXD"}], "B009RB1UNY": [{"asin": "B009RB1UNY", "instruction": "i want a hand crafted gift basket for a new baby arrival event.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["hand crafted", "gift basket"], "instruction_options": [], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YWY74TN", "worker_id": "A1NF6PELRKACS9"}], "B076JLFJSX": [{"asin": "B076JLFJSX", "instruction": "find for me croc flip flops size 13 women with vinyl acetate material. also neo mint almost white in color.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: neo mint almost white", "size: 13 women | 11 men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["neo mint almost white", "13 women | 11 men"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VB84DJX", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B076JLFJSX", "instruction": "i need some white vinyl flip flops in size 8 for women.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: white", "size: 8 women | 6 men"], "instruction_attributes": ["ethylene vinyl", "vinyl acetate"], "instruction_options": ["white", "8 women | 6 men"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B17TF6H", "worker_id": "A19317A3X87NVM"}], "B093BMWTPG": [{"asin": "B093BMWTPG", "instruction": "i am looking for a x-large hoodies & sweatshirts quality of polyester.", "attributes": ["wash cold", "hand wash", "machine wash", "quality polyester"], "options": ["color: logo brown", "size: x-large"], "instruction_attributes": ["quality polyester"], "instruction_options": ["x-large"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZW8IS3", "worker_id": "A9QRQL9CFJBI7"}], "B08FDCTL68": [{"asin": "B08FDCTL68", "instruction": "i am looking for a 46.5\" solid wood for ottomans and color should be dark gray.", "attributes": ["solid wood", "storage space"], "options": ["color: dark gray", "size: 46.5\""], "instruction_attributes": ["solid wood"], "instruction_options": ["dark gray", "46.5\""], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2U453P", "worker_id": "A9QRQL9CFJBI7"}], "B09PDDZ17X": [{"asin": "B09PDDZ17X", "instruction": "i want a teeth whitening toothpaste that removes plaque stains.", "attributes": ["teeth whitening", "oral hygiene"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3Z4AIRP3CHN69T8YYVQH3KF1X8PX1M", "worker_id": "A1NF6PELRKACS9"}], "B096H133FZ": [{"asin": "B096H133FZ", "instruction": "i am looking for hair cutting scissors in a storage case and should made of stainless steel.", "attributes": ["storage case", "stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["storage case", "stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRBVN5YJ", "worker_id": "AHU9OLV0YKIIW"}], "B07NY5HTB8": [{"asin": "B07NY5HTB8", "instruction": "i'm looking for a stainless steel pair of tweezers for hair removal.", "attributes": ["easy carry", "stainless steel", "hair removal"], "options": [""], "instruction_attributes": ["stainless steel", "hair removal"], "instruction_options": [], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VJJXMT", "worker_id": "A345TDMHP3DQ3G"}], "B01DN401DK": [{"asin": "B01DN401DK", "instruction": "i need an oval soft rug that is easy to clean. also, it should be in eggplant purple color.", "attributes": ["easy clean", "spot clean"], "options": ["color: eggplant purple", "shape: oval", "size: 2 ft 6 in x 13 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["eggplant purple", "oval"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZ7ECPC", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01DN401DK", "instruction": "i am looking for a square 10 by 13 ft area rug that is easy to clean. all white in color", "attributes": ["easy clean", "spot clean"], "options": ["color: snow white", "shape: square", "size: 10 x 13 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["snow white", "square", "10 x 13 ft"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NAMKBM", "worker_id": "A36LOA6VLJU157"}, {"asin": "B01DN401DK", "instruction": "i need an easy to clean lilac rug in a rectangular runner shape.", "attributes": ["easy clean", "spot clean"], "options": ["color: lilac", "shape: rectangular runner", "size: 7 ft 0 x 7 ft 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["lilac", "rectangular runner"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B99WTVY", "worker_id": "A19317A3X87NVM"}, {"asin": "B01DN401DK", "instruction": "i want to find an oval-shaped plush rog that is 4 feet by 4 feet and ivory colored. it needs to be easy to spot clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: ivory", "shape: oval", "size: 4 ft 0 x 4 ft 0"], "instruction_attributes": ["easy clean", "spot clean"], "instruction_options": ["ivory", "oval", "4 ft 0 x 4 ft 0"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTIP5VM", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01DN401DK", "instruction": "i need a rectangular runner that is easy to clean. pick a cherry red one.", "attributes": ["easy clean", "spot clean"], "options": ["color: cherry red", "shape: rectangular runner", "size: 3 ft 3 in x 3 ft 3 in"], "instruction_attributes": ["easy clean"], "instruction_options": ["cherry red", "rectangular runner"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XAHRFX", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01DN401DK", "instruction": "i'm looking for shag collection area modern spot clean oval shaped rug of size 8 ft x 11 ft", "attributes": ["easy clean", "spot clean"], "options": ["color: taupe", "shape: oval", "size: 8 ft x 11 ft"], "instruction_attributes": ["spot clean"], "instruction_options": ["oval", "8 ft x 11 ft"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFBOD9E", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01DN401DK", "instruction": "using cocoa it's easy clean to rectangular shape room", "attributes": ["easy clean", "spot clean"], "options": ["color: cocoa", "shape: rectangular", "size: 10 ft 0 x 13 ft 11 rectangular"], "instruction_attributes": ["easy clean"], "instruction_options": ["cocoa", "rectangular"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5W9F4E", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B01DN401DK", "instruction": "i am looking for a 7 ft 0 x 7 ft 0 spot clean area rugs", "attributes": ["easy clean", "spot clean"], "options": ["color: jet black", "shape: rectangular", "size: 7 ft 0 x 7 ft 0"], "instruction_attributes": ["spot clean"], "instruction_options": ["7 ft 0 x 7 ft 0"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBGXHG3", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01DN401DK", "instruction": "i'm looking for an easy-to-clean snow-white rug.", "attributes": ["easy clean", "spot clean"], "options": ["color: snow white", "shape: round", "size: 2 ft 6 x 13 ft 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["snow white"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z5JXGD", "worker_id": "A13PVNQT2WWWVL"}, {"asin": "B01DN401DK", "instruction": "i'm looking for a unique loom solo solid shag collection area.", "attributes": ["easy clean", "spot clean"], "options": ["color: chocolate brown", "shape: octagon", "size: 8 ft x 11 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["chocolate brown", "octagon", "8 ft x 11 ft"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFW33E6", "worker_id": "A1ZGOZQF2VZ0X9"}, {"asin": "B01DN401DK", "instruction": "i need a easy clean solo solid modern round shaped snow white plush rug of 8 ft x 8 ft size", "attributes": ["easy clean", "spot clean"], "options": ["color: snow white", "shape: round", "size: 8 ft 0 x 8 ft 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["snow white", "round", "8 ft 0 x 8 ft 0"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BDBQUF", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01DN401DK", "instruction": "i am looking for an easy to clean ivory colored plush area rug.", "attributes": ["easy clean", "spot clean"], "options": ["color: ivory", "shape: rectangular runner", "size: 7 ft 0 x 7 ft 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["ivory"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8M94RR", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01DN401DK", "instruction": "i am looking for an octagon shaped easy to clean plush area rug.", "attributes": ["easy clean", "spot clean"], "options": ["color: terracotta", "shape: octagon", "size: 2 ft 6 in x 16 ft 5 in"], "instruction_attributes": ["easy clean"], "instruction_options": ["octagon"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67W0TF7W", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01DN401DK", "instruction": "i am looking for 5 ft easy clean sun yellow modern plush rug square shaped", "attributes": ["easy clean", "spot clean"], "options": ["color: tuscan sun yellow", "shape: square", "size: 5 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["tuscan sun yellow", "square", "5 ft"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB179LU6", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01DN401DK", "instruction": "i am interested in buying modern rugs which are easy to clean, and are in aqua blue color, their shape should be rectangular runner and are of a size of 7 ft x 10 ft.", "attributes": ["easy clean", "spot clean"], "options": ["color: aqua blue", "shape: rectangular runner", "size: 7 ft x 10 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["aqua blue", "rectangular runner", "7 ft x 10 ft"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCMIE0P", "worker_id": "AJY5G987IRT25"}, {"asin": "B01DN401DK", "instruction": "i'm looking for a snow white colored oval area rug that is easy for me to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: snow white", "shape: oval", "size: 2 ft 6 x 13 ft 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["snow white", "oval"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OWFOPP", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B01DN401DK", "instruction": "i want to buy a unique lom solo easy to clean that is in taupe color with rectangular shape", "attributes": ["easy clean", "spot clean"], "options": ["color: taupe", "shape: rectangular", "size: 9 x 12 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["taupe", "rectangular"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISVDOY2", "worker_id": "ADOV0TU2G016A"}, {"asin": "B01DN401DK", "instruction": "i'm looking for jet black rug. the size should be around 6 x 10 ft and i want it to be very easy to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: jet black", "shape: octagonal", "size: 2 ft 6 x 10 ft 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["jet black", "2 ft 6 x 10 ft 0"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRDAWNY", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B01DN401DK", "instruction": "i am looking for a slate blue plush rug that is easy to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: slate blue", "shape: rectangular runner", "size: 10 ft 2 in"], "instruction_attributes": ["easy clean"], "instruction_options": ["slate blue"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R18O2IB", "worker_id": "A1EREKSZAA9V7B"}], "B09J8FXDK6": [{"asin": "B09J8FXDK6", "instruction": "i'm looking for a optical zoom night vision binoculars & goggles.", "attributes": ["high definition", "optical zoom", "bird watching"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BO5SONJ", "worker_id": "A9QRQL9CFJBI7"}], "B07BQ5B2B1": [{"asin": "B07BQ5B2B1", "instruction": "i need some caffeine free fruit juice. pick a pack of 12.", "attributes": ["caffeine free", "natural ingredients"], "options": ["flavor name: watermelon strawberry", "size: 16 fl oz (pack of 12)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["16 fl oz (pack of 12)"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HRV1D8", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07BQ5B2B1", "instruction": "i need a 12 pack of caffeine free nantucket nectars pomegranate cherry juice.", "attributes": ["caffeine free", "natural ingredients"], "options": ["flavor name: pomegranate cherry", "size: 16 fl oz (pack of 12)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["pomegranate cherry", "16 fl oz (pack of 12)"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXPFO5Q", "worker_id": "A2RBF3IIJP15IH"}], "B099972W26": [{"asin": "B099972W26", "instruction": "i am looking for standing baker's racks kitchen shelf which is superior strength and durability,with universal wheelswhich is easy to move it allow for easy positioning in the kitchen, multipurpose shelves rack in gold color preferable.", "attributes": ["easy clean", "easy assemble", "storage space"], "options": ["color: gold"], "instruction_attributes": ["easy clean", "easy assemble", "storage space"], "instruction_options": ["gold"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJKWJ3JV", "worker_id": "A1DRKZ3SCLAS4V"}], "B0924Y8CWX": [{"asin": "B0924Y8CWX", "instruction": "i am looking for easy to prepare and easy to use shan kashmiri rogan josh recipe and seasoning mix 1.76 oz (50g) spice powder pack of 6 in murgh cholay flavor.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: murgh cholay", "size: pack of 6"], "instruction_attributes": ["easy prepare", "easy use"], "instruction_options": ["pack of 6"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGCWW28", "worker_id": "A1DRKZ3SCLAS4V"}, {"asin": "B0924Y8CWX", "instruction": "i'm looking for meat and vegetable flavored seasoning mix -1.76 oz (pack of 6)", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: meat & vegetable", "size: 1.76 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["meat & vegetable", "1.76 ounce (pack of 6)"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB5GAXY7", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B0924Y8CWX", "instruction": "i'm looking for a pav bhaji flavored spice powder. choose the one that comes with pack of 4 and are easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: pav bhaji", "size: pack of 4"], "instruction_attributes": ["easy use"], "instruction_options": ["pav bhaji", "pack of 4"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7V5D60D", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B0924Y8CWX", "instruction": "i'd like to buy a three pack of one point seventy-six ounce fenugreek seasonings. make sure they're easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: kofta", "size: 1.76 ounce (pack of 3)"], "instruction_attributes": ["easy use"], "instruction_options": ["1.76 ounce (pack of 3)"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BJBJVD", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B0924Y8CWX", "instruction": "i would like a 6 pack of 2.1 ounce easy to use and prepare chicken masala.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chicken masala", "size: 2.1 ounce (pack of 6)"], "instruction_attributes": ["easy prepare", "easy use"], "instruction_options": ["chicken masala", "2.1 ounce (pack of 6)"], "assignment_id": "33F859I56HNA01QBVO1K6A4GVZQBHT", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0924Y8CWX", "instruction": "i would like two packs of chicken white korma spices that are easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chicken white korma", "size: pack of 2"], "instruction_attributes": ["easy use"], "instruction_options": ["chicken white korma", "pack of 2"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXNYZ2H", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0924Y8CWX", "instruction": "i am looking for easy to prepare chana masala recipe.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chana masala", "size: 3.5 ounce"], "instruction_attributes": ["easy prepare"], "instruction_options": ["chana masala"], "assignment_id": "3634BBTX0Z409DDB6851PCWGACAFIP", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B0924Y8CWX", "instruction": "i need a six pack of fenugreek", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chicken white karahi", "size: 1.76 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["1.76 ounce (pack of 6)"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VMO06G", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0924Y8CWX", "instruction": "i need some indian spices that are easy to use for chana masala", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chana masala", "size: pack of 4"], "instruction_attributes": ["easy use"], "instruction_options": ["chana masala"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP4UAOY", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0924Y8CWX", "instruction": "i'm looking for shan kashmiri rogan josh recipe and seasoning mix 1.76 oz (50g) pack of 3 easy prepare.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: curry powder 200g", "size: pack of 3"], "instruction_attributes": ["easy prepare"], "instruction_options": ["pack of 3"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGJ3O08", "worker_id": "A15IJ20C3R4HUO"}], "B09QGQW4JW": [{"asin": "B09QGQW4JW", "instruction": "i am looking for ready use, birthday cake toppers with a golf theme.", "attributes": ["ready use", "birthday cake", "cupcake picks", "birthday party"], "options": [""], "instruction_attributes": ["ready use", "birthday cake"], "instruction_options": [], "assignment_id": "3BXQMRHWKA8BOE0SMCYS3540114MUS", "worker_id": "A1NF6PELRKACS9"}], "B01NAOQO2B": [{"asin": "B01NAOQO2B", "instruction": "i want tropical moringa oil & honey daily moisturiser for my natural hair and that can used for hair treatment .pick 8 ounces.", "attributes": ["hair growth", "natural hair", "hair treatment"], "options": [""], "instruction_attributes": ["natural hair", "hair treatment"], "instruction_options": [], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JF9YMV4", "worker_id": "AHU9OLV0YKIIW"}], "B01ESX3G50": [{"asin": "B01ESX3G50", "instruction": "i need a fast charging cable with usb port for an ipad. pick one in gold.", "attributes": ["fast charging", "gold plated", "high speed", "aluminum alloy", "usb port"], "options": ["color: gold", "number of items: 3", "size: 10ft 5a"], "instruction_attributes": ["fast charging", "usb port"], "instruction_options": ["gold"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4VTXYJ", "worker_id": "A1NF6PELRKACS9"}], "B09Q3NVJNM": [{"asin": "B09Q3NVJNM", "instruction": "i am looking for a gry engineered wood for living room.", "attributes": ["engineered wood", "living room"], "options": ["color: gry", "size: nightstands"], "instruction_attributes": ["engineered wood", "living room"], "instruction_options": ["gry"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DY5082C", "worker_id": "A9QRQL9CFJBI7"}], "B08JTT7HJZ": [{"asin": "B08JTT7HJZ", "instruction": "i need a mother of pearl and diamond shaped sparkle glitter that is easy to apply.", "attributes": ["easy apply", "long lasting"], "options": ["color: mother of pearl", "size: diamond shaped"], "instruction_attributes": ["easy apply"], "instruction_options": ["mother of pearl", "diamond shaped"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJLRO9A", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08JTT7HJZ", "instruction": "i need a mother of pearl and diamond shaped sparkle glitter that is easy to apply.", "attributes": ["easy apply", "long lasting"], "options": ["color: mother of pearl", "size: diamond shaped"], "instruction_attributes": ["easy apply"], "instruction_options": ["mother of pearl", "diamond shaped"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJLRO9A", "worker_id": "A2RBF3IIJP15IH"}], "B0919MJH8G": [{"asin": "B0919MJH8G", "instruction": "i am looking for a blue color wireless bluetooth mouse that is plug and play.", "attributes": ["plug play", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["plug play", "wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1Z81PA3", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B0919MJH8G", "instruction": "i am looking for a blue color wireless bluetooth mouse that is plug and play.", "attributes": ["plug play", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["plug play", "wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1Z81PA3", "worker_id": "A1Q8PPQQCWGY0D"}], "B09SCWP1GS": [{"asin": "B09SCWP1GS", "instruction": "i am looking for a 9 piece hair growth herbal spray.", "attributes": ["hair growth", "hair loss"], "options": ["color: 9pcs"], "instruction_attributes": ["hair growth"], "instruction_options": ["9pcs"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRUBJX8", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09SCWP1GS", "instruction": "i am looking for a 9 piece hair growth herbal spray.", "attributes": ["hair growth", "hair loss"], "options": ["color: 9pcs"], "instruction_attributes": ["hair growth"], "instruction_options": ["9pcs"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRUBJX8", "worker_id": "A1EREKSZAA9V7B"}], "B08BLFQXRV": [{"asin": "B08BLFQXRV", "instruction": "buy a white henley with a slim fit.", "attributes": ["hand wash", "slim fit", "machine wash", "short sleeve", "polyester cotton", "daily wear"], "options": ["color: white", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["white"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84636CN", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08BLFQXRV", "instruction": "buy a white henley with a slim fit.", "attributes": ["hand wash", "slim fit", "machine wash", "short sleeve", "polyester cotton", "daily wear"], "options": ["color: white", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["white"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84636CN", "worker_id": "AR9AU5FY1S3RO"}], "B004JRHE8Q": [{"asin": "B004JRHE8Q", "instruction": "i'm looking for a long lasting cologne by perry ellis.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "326O153BMT8RVOXTJJKKGXV364UED7", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B004JRHE8Q", "instruction": "i'm looking for a long lasting cologne by perry ellis.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "326O153BMT8RVOXTJJKKGXV364UED7", "worker_id": "A2JP9IKRHNLRPI"}], "B093VB1HSV": [{"asin": "B093VB1HSV", "instruction": "i need a variety pack of keto friendly and gluten free fudge mix.", "attributes": ["keto friendly", "gluten free", "shelf stable", "plant based", "non gmo", "dietary fiber"], "options": ["flavor: variety pack", "size: 3.5 ounce (pack of 3)"], "instruction_attributes": ["keto friendly", "gluten free"], "instruction_options": ["variety pack"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUFZ3CC", "worker_id": "A19317A3X87NVM"}, {"asin": "B093VB1HSV", "instruction": "i need a variety pack of keto friendly and gluten free fudge mix.", "attributes": ["keto friendly", "gluten free", "shelf stable", "plant based", "non gmo", "dietary fiber"], "options": ["flavor: variety pack", "size: 3.5 ounce (pack of 3)"], "instruction_attributes": ["keto friendly", "gluten free"], "instruction_options": ["variety pack"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUFZ3CC", "worker_id": "A19317A3X87NVM"}], "B001MS6PO4": [{"asin": "B001MS6PO4", "instruction": "i am looking for a metallic gray coat rack that is easy to assemble.", "attributes": ["easy assemble", "contemporary design"], "options": ["color: metallic gray | black"], "instruction_attributes": ["easy assemble"], "instruction_options": ["metallic gray | black"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV888V9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B001MS6PO4", "instruction": "i am looking for a metallic gray coat rack that is easy to assemble.", "attributes": ["easy assemble", "contemporary design"], "options": ["color: metallic gray | black"], "instruction_attributes": ["easy assemble"], "instruction_options": ["metallic gray | black"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV888V9", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JZ3Q2DD": [{"asin": "B09JZ3Q2DD", "instruction": "i am looking for a fleece throw that is maroon and 50\" by 60\"", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: maroon", "size: throw(50\"x60\")"], "instruction_attributes": ["fleece throw"], "instruction_options": ["maroon", "throw(50\"x60\")"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB44SQA0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09JZ3Q2DD", "instruction": "i am looking for a fleece throw that is maroon and 50\" by 60\"", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: maroon", "size: throw(50\"x60\")"], "instruction_attributes": ["fleece throw"], "instruction_options": ["maroon", "throw(50\"x60\")"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB44SQA0", "worker_id": "A2ECRNQ3X5LEXD"}], "B009M4M6NE": [{"asin": "B009M4M6NE", "instruction": "buy me some freeze dried bananas & strawberries.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: bananas & strawberries", "size: 1.3 ounce (pack of 8)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["bananas & strawberries"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBCEGHB", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B009M4M6NE", "instruction": "i want organic freeze-dried mangoes.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: mangoes", "size: strawberries 1.2 ounce & raspberries 1.3...", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["mangoes"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HY1DZ2P", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B009M4M6NE", "instruction": "i want freeze-dried fruits, about 1.5 ounces should be enough. i like blueberries but i don't want anything with gmo.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: bananas & strawberries", "size: 1.5 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["non gmo", "freeze dried"], "instruction_options": ["1.5 ounce (pack of 1)"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2NEM5J", "worker_id": "A1OPJ5I9BF44QH"}, {"asin": "B009M4M6NE", "instruction": "buy me a bag of low calorie, low fat mango strips.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: mango strips", "size: strawberries 1.2 ounce & mangoes 1.5 oun...", "style: bag"], "instruction_attributes": ["low calorie", "fat free"], "instruction_options": ["mango strips", "bag"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWV21CZ", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B009M4M6NE", "instruction": "buy me some freeze dried bananas & strawberries.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: bananas & strawberries", "size: 1.3 ounce (pack of 8)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["bananas & strawberries"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBCEGHB", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B009M4M6NE", "instruction": "i want a bundle of freeze-dried strawberries & bananas beets", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: beets", "size: strawberries 1.2 ounce & bananas 2.5 oun...", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["beets", "strawberries 1.2 ounce & bananas 2.5 oun...", "bundle"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK487A6O", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B009M4M6NE", "instruction": "i am looking for a bag of freeze dried blueberries that are chocolate and banana slice flavored. make sure to pick a non gmo and plant based product.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: chocolate banana slices", "size: strawberries 1.2 ounce & mangoes 1.5 oun...", "style: bag"], "instruction_attributes": ["non gmo", "freeze dried", "plant based"], "instruction_options": ["chocolate banana slices", "bag"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVCL8VU", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B009M4M6NE", "instruction": "i am looking for non gmo, low calorie and plant based organic foods which has flavor: strawberries & corn", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + corn", "size: 1 count (pack of 1)", "style: bag"], "instruction_attributes": ["non gmo", "low calorie", "plant based"], "instruction_options": ["strawberries + corn"], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWNN52B", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B009M4M6NE", "instruction": "i am looking for a 1.2 ounce (pack of 4) non gmo dried berries", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + raspberries", "size: 1.2 ounce (pack of 4)", "style: bag"], "instruction_attributes": ["non gmo"], "instruction_options": ["1.2 ounce (pack of 4)"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDBE0SV", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B009M4M6NE", "instruction": "i want freeze dried low calorie fat free dried berries size:8 ounce", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + peas", "size: 8 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["freeze dried", "low calorie", "fat free"], "instruction_options": ["8 ounce (pack of 1)", "bundle"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOFYLLS", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B009M4M6NE", "instruction": "i'm looking for a 1.2 ounce bag of freeze-dried strawberries and bananas; they must suit my low-calorie, fat-free diet.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + bananas", "size: 1.2 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["low calorie", "fat free"], "instruction_options": ["strawberries + bananas", "1.2 ounce (pack of 1)", "bag"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBT3JEC", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B009M4M6NE", "instruction": "i would like some non gmo chocolate mango slices", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: chocolate mango slices", "size: 2.2 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["non gmo"], "instruction_options": ["chocolate mango slices"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBILGHU", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B009M4M6NE", "instruction": "i need mango strips that are non gmo", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: mango strips", "size: 2.2 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["non gmo"], "instruction_options": ["mango strips"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227K5F8P", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B009M4M6NE", "instruction": "find fat free dried berries.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + tropical fruits", "size: 1.3 ounce (pack of 12)", "style: bag"], "instruction_attributes": ["fat free"], "instruction_options": [], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCNTBL8", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B009M4M6NE", "instruction": "i want a bag of natierra freeze dried strawberries + apples.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + apples", "size: 1.6 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries + apples"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79H4QKZ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B009M4M6NE", "instruction": "i would like some freeze dried chocolate mango slices that are in a bundle.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: chocolate mango slices", "size: 1.8 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["chocolate mango slices", "bundle"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9HF6K7", "worker_id": "A2ECRNQ3X5LEXD"}], "B07D7SMMX1": [{"asin": "B07D7SMMX1", "instruction": "can you find a navy blue men's cotton heather shirt in medium that has a heart made by a figure skater.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: navy", "fit type: men", "size: medium"], "instruction_attributes": ["cotton heather"], "instruction_options": ["navy", "men", "medium"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YUG3QX", "worker_id": "A2DDPSXH2X96RF"}, {"asin": "B07D7SMMX1", "instruction": "can you find a navy blue men's cotton heather shirt in medium that has a heart made by a figure skater.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: navy", "fit type: men", "size: medium"], "instruction_attributes": ["cotton heather"], "instruction_options": ["navy", "men", "medium"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YUG3QX", "worker_id": "A2DDPSXH2X96RF"}], "B096X55VYR": [{"asin": "B096X55VYR", "instruction": "i need tv antennas that are easy to install.", "attributes": ["easy install", "coaxial cable"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH21V1B", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B096X55VYR", "instruction": "i need tv antennas that are easy to install.", "attributes": ["easy install", "coaxial cable"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH21V1B", "worker_id": "A2ECRNQ3X5LEXD"}], "B07JWC2624": [{"asin": "B07JWC2624", "instruction": "i need to buy a casette recorder. get the one that in style \"convert player\" with included batteries.", "attributes": ["easy use", "batteries included", "plug play"], "options": ["style: convert player"], "instruction_attributes": ["batteries included"], "instruction_options": ["convert player"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8EMNZL", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07JWC2624", "instruction": "i need to buy a casette recorder. get the one that in style \"convert player\" with included batteries.", "attributes": ["easy use", "batteries included", "plug play"], "options": ["style: convert player"], "instruction_attributes": ["batteries included"], "instruction_options": ["convert player"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8EMNZL", "worker_id": "AR9AU5FY1S3RO"}], "B07C2DXR19": [{"asin": "B07C2DXR19", "instruction": "i need a pair of big and tall, long lasting, and comfortable wrangler jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: athens", "fit type: big & tall", "size: 46w x 34l"], "instruction_attributes": ["long lasting", "comfortable fit"], "instruction_options": ["big & tall"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGAVS9C", "worker_id": "A19317A3X87NVM"}, {"asin": "B07C2DXR19", "instruction": "i'm looking for a comfortable pair of big and tall jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: falls city", "fit type: big & tall", "size: 40w x 36l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["big & tall"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYOGPPM", "worker_id": "A19317A3X87NVM"}, {"asin": "B07C2DXR19", "instruction": "i need a pair of big and tall, long lasting, and comfortable wrangler jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: athens", "fit type: big & tall", "size: 46w x 34l"], "instruction_attributes": ["long lasting", "comfortable fit"], "instruction_options": ["big & tall"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGAVS9C", "worker_id": "A19317A3X87NVM"}, {"asin": "B07C2DXR19", "instruction": "i am looking for a comfortable fit jeans for men of tan color.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: tan", "fit type: relaxed", "size: 29w x 33l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["tan"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU5QRLN", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07C2DXR19", "instruction": "i'm searching for a mustang island colored long lasting regular fit jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: mustang island", "fit type: regular", "size: 36w x 38l"], "instruction_attributes": ["long lasting"], "instruction_options": ["regular"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC1QYZS", "worker_id": "A9ZM1P6LBW79"}, {"asin": "B07C2DXR19", "instruction": "add to my list a wrangler mens cowboy cut relaxed jeans and should be a comfortable fit.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: straw", "fit type: relaxed", "size: 32w x 36l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["relaxed"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BMUX8L", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B07C2DXR19", "instruction": "i would like some relaxed comfortable fit jeans", "attributes": ["long lasting", "comfortable fit"], "options": ["color: rocky mount", "fit type: relaxed", "size: 32w x 40l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["relaxed"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUOTS44", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07C2DXR19", "instruction": "i am looking for long lasting mens jeans of woodburn color.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: woodburn", "fit type: big & tall", "size: 37w x 36l"], "instruction_attributes": ["long lasting"], "instruction_options": ["woodburn"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF82LDM", "worker_id": "A1Q8PPQQCWGY0D"}], "B099VCHJ2T": [{"asin": "B099VCHJ2T", "instruction": "i need a nail polish carrying case.", "attributes": ["storage case", "nail polish", "nail art"], "options": [""], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYFLL6M", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B099VCHJ2T", "instruction": "i need a nail polish carrying case.", "attributes": ["storage case", "nail polish", "nail art"], "options": [""], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYFLL6M", "worker_id": "A2RBF3IIJP15IH"}], "B09PRK9BS6": [{"asin": "B09PRK9BS6", "instruction": "i am looking for a purple butt lifting thong for women.", "attributes": ["hand wash", "butt lifting", "quality polyester"], "options": ["color: purple", "size: medium"], "instruction_attributes": ["butt lifting"], "instruction_options": ["purple"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGISWJW6", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09PRK9BS6", "instruction": "i am looking for a purple butt lifting thong for women.", "attributes": ["hand wash", "butt lifting", "quality polyester"], "options": ["color: purple", "size: medium"], "instruction_attributes": ["butt lifting"], "instruction_options": ["purple"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGISWJW6", "worker_id": "A1EREKSZAA9V7B"}], "B00BXJCFR8": [{"asin": "B00BXJCFR8", "instruction": "i am looking to purchase a light buff and cruelty free manufactured makeup.", "attributes": ["highly pigmented", "cruelty free"], "options": ["color: light buff"], "instruction_attributes": ["cruelty free"], "instruction_options": ["light buff"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZUYZJA", "worker_id": "A114NK7T5673GK"}, {"asin": "B00BXJCFR8", "instruction": "i am looking to purchase a light buff and cruelty free manufactured makeup.", "attributes": ["highly pigmented", "cruelty free"], "options": ["color: light buff"], "instruction_attributes": ["cruelty free"], "instruction_options": ["light buff"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZUYZJA", "worker_id": "A114NK7T5673GK"}], "B09J1ZWZX1": [{"asin": "B09J1ZWZX1", "instruction": "i would like some gray heavy duty spa chairs that look like they belong in a hair salon.", "attributes": ["heavy duty", "hair salon"], "options": ["color: gray 2"], "instruction_attributes": ["heavy duty", "hair salon"], "instruction_options": ["gray 2"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYU1PPJ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09J1ZWZX1", "instruction": "i would like some gray heavy duty spa chairs that look like they belong in a hair salon.", "attributes": ["heavy duty", "hair salon"], "options": ["color: gray 2"], "instruction_attributes": ["heavy duty", "hair salon"], "instruction_options": ["gray 2"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYU1PPJ", "worker_id": "A1WS884SI0SLO4"}], "B005M4G23S": [{"asin": "B005M4G23S", "instruction": "i am looking for organic blueberries.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: blueberries", "size: 1 count (pack of 1)", "style: bundle"], "instruction_attributes": ["usda organic"], "instruction_options": ["blueberries", "1 count (pack of 1)"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602QS95W", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B005M4G23S", "instruction": "i am looking for organic blueberries.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: blueberries", "size: 1 count (pack of 1)", "style: bundle"], "instruction_attributes": ["usda organic"], "instruction_options": ["blueberries", "1 count (pack of 1)"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602QS95W", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B005M4G23S", "instruction": "i am looking for freeze dried in bananas and strawberries", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: bananas and strawberries", "size: 1.3 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["bananas and strawberries"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMQBEXM", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B005M4G23S", "instruction": "i'm looking for a plant based, freeze dried fruits which should be usda organic and free from fat and also low in calories. also, choose a pack of 8 which weighs 1.3 ounce bundle with strawberry and pineapple flavored one.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + pineapple", "size: 1.3 ounce (pack of 8)", "style: bundle"], "instruction_attributes": ["freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "instruction_options": ["strawberries + pineapple", "1.3 ounce (pack of 8)", "bundle"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0250NAKJ", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B005M4G23S", "instruction": "i'm looking for a plant based, freeze dried usda organic fruits which should be free from fat and has low calories. also, choose a pack of 4 weights 0.7 ounce bundle with mango flavored one.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: mango strips", "size: 0.7 ounce (pack of 4)", "style: bundle"], "instruction_attributes": ["freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "instruction_options": ["mango strips", "0.7 ounce (pack of 4)", "bundle"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO7P2C2", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B005M4G23S", "instruction": "i want a bag of natierra freeze-dried pineapples.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: beets", "size: 1.2 ounce", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["bag"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG5GBG9", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B005M4G23S", "instruction": "i'm looking for non-gmo freeze dried organic dried banana chips.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: bananas and strawberries", "size: 1.2 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["non gmo", "freeze dried", "usda organic"], "instruction_options": ["bananas and strawberries"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYZW637", "worker_id": "A62B826XMLK7K"}, {"asin": "B005M4G23S", "instruction": "i want natierra freeze-dried strawberries and mangos.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + mangos", "size: 1.2 ounce (pack of 4)", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries + mangos"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNPSTNH", "worker_id": "A2RBF3IIJP15IH"}], "B09S6RYMJ7": [{"asin": "B09S6RYMJ7", "instruction": "i need an exquisite pair of 63 inch long curtains that are also machine washable.", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: b006c13", "size: rod pocket-w 31.5 l 63"], "instruction_attributes": ["machine washable", "exquisite workmanship"], "instruction_options": ["rod pocket-w 31.5 l 63"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISUDYOA", "worker_id": "A19317A3X87NVM"}, {"asin": "B09S6RYMJ7", "instruction": "i need an exquisite pair of 63 inch long curtains that are also machine washable.", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: b006c13", "size: rod pocket-w 31.5 l 63"], "instruction_attributes": ["machine washable", "exquisite workmanship"], "instruction_options": ["rod pocket-w 31.5 l 63"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISUDYOA", "worker_id": "A19317A3X87NVM"}, {"asin": "B09S6RYMJ7", "instruction": "i want to buy some machine washable curtain panels and color b006c22. it needs to have a rod pocket and be size 36 width and 84 length.", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: b006c22", "size: rod pocket-w 36 l 84"], "instruction_attributes": ["machine washable"], "instruction_options": ["b006c22", "rod pocket-w 36 l 84"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7WXHLL", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B09S6RYMJ7", "instruction": "i'm looking for some machine washable window coverings with a 31 and a half inch width. they should come in color \"b006c14.\"", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: b006c14", "size: rod pocket-w 31.5 l 63"], "instruction_attributes": ["machine washable"], "instruction_options": ["b006c14", "rod pocket-w 31.5 l 63"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWEENFT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09S6RYMJ7", "instruction": "i would like a machine washable window treatment that is in the color b006c33", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: b006c33", "size: grommet-w 36 l 84"], "instruction_attributes": ["machine washable"], "instruction_options": ["b006c33"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X5HY3J", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QM85QH6": [{"asin": "B09QM85QH6", "instruction": "i am looking for white solid wood bunk beds with drawers.", "attributes": ["solid wood", "living room"], "options": ["color: white", "size: full", "style: twin over full bunk bed with ladder"], "instruction_attributes": ["solid wood"], "instruction_options": ["white"], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CU93BF", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09QM85QH6", "instruction": "i am looking for white solid wood bunk beds with drawers.", "attributes": ["solid wood", "living room"], "options": ["color: white", "size: full", "style: twin over full bunk bed with ladder"], "instruction_attributes": ["solid wood"], "instruction_options": ["white"], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CU93BF", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09QM85QH6", "instruction": "can you direct me to a bunk bed that's solid wood and comes in silver? thanks", "attributes": ["solid wood", "living room"], "options": ["color: silver", "size: full", "style: metal triple bunk bed with desk and shel..."], "instruction_attributes": ["solid wood"], "instruction_options": ["silver", "metal triple bunk bed with desk and shel..."], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQSY0P8", "worker_id": "A2TRV8SEM003GG"}], "B07CQ96G4F": [{"asin": "B07CQ96G4F", "instruction": "order a three pack of high speed coaxial cables, please.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: solid copper w | weather boot - white", "size: 5ft - 3 pack"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["5ft - 3 pack"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO4GJGH", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07CQ96G4F", "instruction": "i would like a black 80 foot high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: rg-59, bnc to bnc brass fitting - black", "size: 80ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["rg-59, bnc to bnc brass fitting - black", "80ft"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MT9Y9NO", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07CQ96G4F", "instruction": "i need a high speed 3 pack of coaxial cables", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield weather boot - black", "size: 10ft - 3 pack"], "instruction_attributes": ["high speed"], "instruction_options": ["10ft - 3 pack"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJYUNJUA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for indoor outdoor rg-6 coaxial cable of aluminum alloy and size:95ft", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield nickel-plated fitting -black", "size: 95ft"], "instruction_attributes": ["coaxial cable", "aluminum alloy"], "instruction_options": ["95ft"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96G0FONRE", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B07CQ96G4F", "instruction": "i'm looking for a high-speed coaxial cable that's 15 feet long. it should have a plated fitting.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: burial 3ghz rg11 ni-plated fitting - ora...", "size: 15 ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["burial 3ghz rg11 ni-plated fitting - ora...", "15 ft"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPE3U685", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07CQ96G4F", "instruction": "i'm looking for black quadshield weather boot fitting tri-shield indoor outdoor rg-6 coaxial nickel plated brass connecter 75 ohm cable of size 150ft.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield weather boot fitting - black", "size: 165ft"], "instruction_attributes": ["high speed", "coaxial cable", "aluminum alloy"], "instruction_options": ["quadshield weather boot fitting - black"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RUQDLRA", "worker_id": "A3AGXTSAHA2AFL"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for a 50ft coaxial cable that is black.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: usa made trishield - black", "size: 50 ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["usa made trishield - black", "50 ft"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISUTOYG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CQ96G4F", "instruction": "order a three pack of high speed coaxial cables, please.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: solid copper w | weather boot - white", "size: 5ft - 3 pack"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["5ft - 3 pack"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO4GJGH", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07CQ96G4F", "instruction": "i'm looking for a 5ft high speed coaxial cable aluminum alloy and quadshield nickel plated fitting", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield nickel plated fitting - white", "size: 5 ft"], "instruction_attributes": ["high speed", "coaxial cable", "aluminum alloy"], "instruction_options": ["quadshield nickel plated fitting - white", "5 ft"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR7CC0V", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for a 3ft high speed coaxial cable made up of aluminum alloy. i need 3 pack of it.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield at&t directv fitting - black", "size: 3ft - 3 pack"], "instruction_attributes": ["high speed", "coaxial cable", "aluminum alloy"], "instruction_options": ["3ft - 3 pack"], "assignment_id": "31JLPPHS254FPN8LK8H48035JW2O3K", "worker_id": "A1V2JTEEBCXR20"}, {"asin": "B07CQ96G4F", "instruction": "i need a long trishield coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield - white", "size: 240ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["240ft"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLVCRDT", "worker_id": "A19317A3X87NVM"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for a 25 ft f-pin-coaxial tip coaxial cable", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: solid copper - black", "size: 25 ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["25 ft"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V53U27", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07CQ96G4F", "instruction": "i'm looking for coaxial code for video accessories it was easy to use.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: copper, nickel plated fitting - white", "size: 140ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["copper, nickel plated fitting - white"], "assignment_id": "351SEKWQSBRP7CP60H83T50CFADDMV", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for a 75 ohm brass connector for coaxial cable nickel . i choose 39ft size cable made with copper", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: copper, at&t directv fitting - black", "size: 390ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["copper, at&t directv fitting - black", "390ft"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8Z2PZA", "worker_id": "A2COCSUGZV28X"}, {"asin": "B07CQ96G4F", "instruction": "i would like a 15 ft direct burial coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: direct burial - orange", "size: 15ft - 2 pack"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["direct burial - orange", "15ft - 2 pack"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA6W8CO", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for a white coaxial cable made of quadshield nickel plated fitting and of high speed.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield nickel plated fitting - white", "size: 270ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["quadshield nickel plated fitting - white"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3TEMZW", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B07CQ96G4F", "instruction": "i need an 80 feet long coaxial cable that is high speed.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield nickel-plated fitting -black", "size: 80ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["80ft"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9H1S1DP", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07CQ96G4F", "instruction": "i would like a 40 foot long trishield nickel plated coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield nickel-plated fitting -white", "size: 40ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["trishield nickel-plated fitting -white", "40ft"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1AOK1K", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for 140 feet of high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield solid copper - black", "size: 140ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["140ft"], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36C12B3U", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for an 85 foot coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quad shield rg-6 w | weather boot - black", "size: 85ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["85ft"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYSFQMW", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B07CQ96G4F", "instruction": "i want a 175ft white tri-shield rg-6 coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: dual - white", "size: 175ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["dual - white", "175ft"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJMUO9F", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07CQ96G4F", "instruction": "i need a 230 foot sized high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: burial 3ghz rg11 ni-plated fitting - ora...", "size: 230ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["230ft"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRFMWNE", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07CQ96G4F", "instruction": "i need a 40ft high speed coaxial cable", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: 1ft - 3 pack", "size: 40 ft"], "instruction_attributes": ["high speed"], "instruction_options": ["40 ft"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0WT4WP", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CQ96G4F", "instruction": "i need a 220 ft high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: copper 3ghz rg11 w | weather boot - black", "size: 220ft"], "instruction_attributes": ["high speed"], "instruction_options": ["220ft"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IODTLO", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for 150ft trishield rg11 aerial messenger - black type coaxial cable aluminum alloy", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield rg11 aerial messenger - black", "size: 150ft"], "instruction_attributes": ["coaxial cable", "aluminum alloy"], "instruction_options": ["trishield rg11 aerial messenger - black", "150ft"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PAJUBA", "worker_id": "A258PTOZ3D2TQR"}], "B09HV27SXS": [{"asin": "B09HV27SXS", "instruction": "i'm looking for green color 24 pack merry christmas cupcake decorations for christmas party supplies.", "attributes": ["party supplies", "baby shower", "birthday party"], "options": ["color: green"], "instruction_attributes": ["party supplies"], "instruction_options": ["green"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4FM8MI", "worker_id": "A3AGXTSAHA2AFL"}, {"asin": "B09HV27SXS", "instruction": "i'm looking for green color 24 pack merry christmas cupcake decorations for christmas party supplies.", "attributes": ["party supplies", "baby shower", "birthday party"], "options": ["color: green"], "instruction_attributes": ["party supplies"], "instruction_options": ["green"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4FM8MI", "worker_id": "A3AGXTSAHA2AFL"}], "B001B3RFK8": [{"asin": "B001B3RFK8", "instruction": "i need a 8 fl oz lemon tea tree shampoo that has natural ingredients,", "attributes": ["certified organic", "cruelty free", "tea tree", "natural ingredients"], "options": ["scent: lemon tea", "size: 8 fl oz (pack of 2)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["lemon tea", "8 fl oz (pack of 2)"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHBPBNS", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B001B3RFK8", "instruction": "i need a 8 fl oz lemon tea tree shampoo that has natural ingredients,", "attributes": ["certified organic", "cruelty free", "tea tree", "natural ingredients"], "options": ["scent: lemon tea", "size: 8 fl oz (pack of 2)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["lemon tea", "8 fl oz (pack of 2)"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHBPBNS", "worker_id": "A2RBF3IIJP15IH"}], "B095TWK6H7": [{"asin": "B095TWK6H7", "instruction": "i'm looking for a set of makeup brushes in the color peaceful purple to help me with my eyeshadow makeup.", "attributes": ["cruelty free", "synthetic hair", "eye shadow"], "options": ["color: peaceful purple"], "instruction_attributes": ["eye shadow"], "instruction_options": ["peaceful purple"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79GDQK6", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B095TWK6H7", "instruction": "i'm looking for a set of makeup brushes in the color peaceful purple to help me with my eyeshadow makeup.", "attributes": ["cruelty free", "synthetic hair", "eye shadow"], "options": ["color: peaceful purple"], "instruction_attributes": ["eye shadow"], "instruction_options": ["peaceful purple"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79GDQK6", "worker_id": "A2JP9IKRHNLRPI"}], "B09B4CQMRP": [{"asin": "B09B4CQMRP", "instruction": "i'm looking for a mid-century, white queen bed frame.", "attributes": ["mid century", "white item"], "options": [""], "instruction_attributes": ["mid century", "white item"], "instruction_options": [], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZASLKE", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09B4CQMRP", "instruction": "i'm looking for a mid-century, white queen bed frame.", "attributes": ["mid century", "white item"], "options": [""], "instruction_attributes": ["mid century", "white item"], "instruction_options": [], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZASLKE", "worker_id": "A345TDMHP3DQ3G"}], "B081B9RX7R": [{"asin": "B081B9RX7R", "instruction": "i would like navy fleece slippers that are machine washable and are xx-large.", "attributes": ["machine washable", "memory foam", "everyday wear"], "options": ["color: navy fleece", "size: xx-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["navy fleece", "xx-large"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXWICR", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B081B9RX7R", "instruction": "i would like navy fleece slippers that are machine washable and are xx-large.", "attributes": ["machine washable", "memory foam", "everyday wear"], "options": ["color: navy fleece", "size: xx-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["navy fleece", "xx-large"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXWICR", "worker_id": "A2ECRNQ3X5LEXD"}], "B01FUI25OU": [{"asin": "B01FUI25OU", "instruction": "i am looking for a low fat strawberry flavored ultra-filtered milk.", "attributes": ["low fat", "shelf stable", "gluten free", "natural flavors"], "options": ["flavor name: strawberry", "size: 3 pack - 14 fl oz (pack of 12)"], "instruction_attributes": ["low fat"], "instruction_options": ["strawberry"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5D7Z1F", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01FUI25OU", "instruction": "i am looking for a low fat strawberry flavored ultra-filtered milk.", "attributes": ["low fat", "shelf stable", "gluten free", "natural flavors"], "options": ["flavor name: strawberry", "size: 3 pack - 14 fl oz (pack of 12)"], "instruction_attributes": ["low fat"], "instruction_options": ["strawberry"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5D7Z1F", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01FUI25OU", "instruction": "i am looking for a low fat and gluten free classic white flavoured milk.", "attributes": ["low fat", "shelf stable", "gluten free", "natural flavors"], "options": ["flavor name: classic white", "size: 14 fl oz (pack of 24)"], "instruction_attributes": ["low fat", "gluten free"], "instruction_options": ["classic white"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0ZBW45", "worker_id": "A1V2JTEEBCXR20"}, {"asin": "B01FUI25OU", "instruction": "i'm looking for this brand : fairlife yup! low fat, ultra-filtered milk, rich chocolate flavor, all natural flavors), 14 fl oz, (pack of 4).", "attributes": ["low fat", "shelf stable", "gluten free", "natural flavors"], "options": ["flavor name: rich chocolate", "size: 14 fl oz (pack of 4)"], "instruction_attributes": ["low fat"], "instruction_options": ["rich chocolate", "14 fl oz (pack of 4)"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBHNFQ", "worker_id": "A15IJ20C3R4HUO"}], "B07QJDJL8J": [{"asin": "B07QJDJL8J", "instruction": "i would like a 7 pack of 1.23 ounce gluten free barbecue chips.", "attributes": ["low carb", "gluten free", "keto friendly", "high protein", "sugar free"], "options": ["flavor name: barbecue", "size: 1.23 ounce (pack of 7)"], "instruction_attributes": ["gluten free"], "instruction_options": ["barbecue", "1.23 ounce (pack of 7)"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THTD5Z4", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07QJDJL8J", "instruction": "i would like a 7 pack of 1.23 ounce gluten free barbecue chips.", "attributes": ["low carb", "gluten free", "keto friendly", "high protein", "sugar free"], "options": ["flavor name: barbecue", "size: 1.23 ounce (pack of 7)"], "instruction_attributes": ["gluten free"], "instruction_options": ["barbecue", "1.23 ounce (pack of 7)"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THTD5Z4", "worker_id": "A1WS884SI0SLO4"}], "B06X9YWQT8": [{"asin": "B06X9YWQT8", "instruction": "i am looking for a hot buttered rum cocktail, 12.7 fl oz (pack of 1) to present as perfect gift", "attributes": ["natural ingredients", "perfect gift"], "options": ["flavor name: hot buttered rum", "size: 12.7 fl oz (pack of 1)"], "instruction_attributes": ["perfect gift"], "instruction_options": ["hot buttered rum"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYL8QMB", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B06X9YWQT8", "instruction": "i am looking for a hot buttered rum cocktail, 12.7 fl oz (pack of 1) to present as perfect gift", "attributes": ["natural ingredients", "perfect gift"], "options": ["flavor name: hot buttered rum", "size: 12.7 fl oz (pack of 1)"], "instruction_attributes": ["perfect gift"], "instruction_options": ["hot buttered rum"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYL8QMB", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B06X9YWQT8", "instruction": "show me your concentrated drink mixes with natural ingredients, i'm looking for wild ginger flavor.", "attributes": ["natural ingredients", "perfect gift"], "options": ["flavor name: wild ginger", "size: 25.36 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["wild ginger"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79OSH1B", "worker_id": "A3EDFA8UQT5GG8"}], "B078WFSCMN": [{"asin": "B078WFSCMN", "instruction": "i want nightsky vintage wash toad & co mission ridge pants with button closure in size 33w x 32l.", "attributes": ["moisture wicking", "button closure"], "options": ["color: nightsky vintage wash", "size: 33w x 32l"], "instruction_attributes": ["button closure"], "instruction_options": ["nightsky vintage wash", "33w x 32l"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMHYXVN", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B078WFSCMN", "instruction": "i want nightsky vintage wash toad & co mission ridge pants with button closure in size 33w x 32l.", "attributes": ["moisture wicking", "button closure"], "options": ["color: nightsky vintage wash", "size: 33w x 32l"], "instruction_attributes": ["button closure"], "instruction_options": ["nightsky vintage wash", "33w x 32l"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMHYXVN", "worker_id": "A2RBF3IIJP15IH"}], "B01N3KGXB8": [{"asin": "B01N3KGXB8", "instruction": "looking for one coloring beard with coconut oil and a real black color", "attributes": ["easy use", "coconut oil"], "options": ["size: pack of 3", "style: real black"], "instruction_attributes": ["coconut oil"], "instruction_options": ["pack of 3", "real black"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT34HJH4", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B01N3KGXB8", "instruction": "looking for one coloring beard with coconut oil and a real black color", "attributes": ["easy use", "coconut oil"], "options": ["size: pack of 3", "style: real black"], "instruction_attributes": ["coconut oil"], "instruction_options": ["pack of 3", "real black"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT34HJH4", "worker_id": "A2Y2TURT2VEYZN"}], "B08JYGZZ8C": [{"asin": "B08JYGZZ8C", "instruction": "i am looking for camo colored women's running shorts with an elastic waistband.", "attributes": ["nylon spandex", "elastic waistband"], "options": ["color: camo", "size: 3x-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["camo"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL4NECC", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08JYGZZ8C", "instruction": "i am looking for camo colored women's running shorts with an elastic waistband.", "attributes": ["nylon spandex", "elastic waistband"], "options": ["color: camo", "size: 3x-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["camo"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL4NECC", "worker_id": "A1EREKSZAA9V7B"}], "B07PPH74SH": [{"asin": "B07PPH74SH", "instruction": "i would like a six pack of 20 inch black mix light auburn high quality hair extensions.", "attributes": ["high quality", "easy apply", "hair extensions"], "options": ["color: faux straight-black mix light auburn", "size: 20 inch (pack of 6)"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["faux straight-black mix light auburn", "20 inch (pack of 6)"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYKKCG9", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07PPH74SH", "instruction": "i would like a six pack of 20 inch black mix light auburn high quality hair extensions.", "attributes": ["high quality", "easy apply", "hair extensions"], "options": ["color: faux straight-black mix light auburn", "size: 20 inch (pack of 6)"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["faux straight-black mix light auburn", "20 inch (pack of 6)"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYKKCG9", "worker_id": "A1WS884SI0SLO4"}], "B009D5546S": [{"asin": "B009D5546S", "instruction": "i am looking for a single pack 6.6 ounce size low calorie chocolate.", "attributes": ["low carb", "low sugar", "low calorie", "keto friendly"], "options": ["flavor name: dipped", "size: 6.6 ounce (pack of 1)"], "instruction_attributes": ["low calorie"], "instruction_options": ["6.6 ounce (pack of 1)"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6GL2BF", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B009D5546S", "instruction": "i am looking for a single pack 6.6 ounce size low calorie chocolate.", "attributes": ["low carb", "low sugar", "low calorie", "keto friendly"], "options": ["flavor name: dipped", "size: 6.6 ounce (pack of 1)"], "instruction_attributes": ["low calorie"], "instruction_options": ["6.6 ounce (pack of 1)"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6GL2BF", "worker_id": "A1Q8PPQQCWGY0D"}], "B09BF2F9ST": [{"asin": "B09BF2F9ST", "instruction": "i am looking for 20 inch natural hair extensions with a scandinavian blonde color.", "attributes": ["double sided", "hair extensions", "natural hair"], "options": ["color: #sb scandinavian blonde", "size: 20 inch"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["#sb scandinavian blonde", "20 inch"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG17BU9P", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09BF2F9ST", "instruction": "i am looking for 20 inch natural hair extensions with a scandinavian blonde color.", "attributes": ["double sided", "hair extensions", "natural hair"], "options": ["color: #sb scandinavian blonde", "size: 20 inch"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["#sb scandinavian blonde", "20 inch"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG17BU9P", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09BF2F9ST", "instruction": "i am looking for a color: #27 hair extensions", "attributes": ["double sided", "hair extensions", "natural hair"], "options": ["color: #27", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#27"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IS0LTB", "worker_id": "A9QRQL9CFJBI7"}], "B07QRMS7PW": [{"asin": "B07QRMS7PW", "instruction": "i'm looking for a pair of leather soled, memory foam loafers that are red and in a size 9.", "attributes": ["leather sole", "memory foam"], "options": ["color: red", "size: 9"], "instruction_attributes": ["leather sole", "memory foam"], "instruction_options": ["red", "9"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINQ1270", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B07QRMS7PW", "instruction": "i'm looking for a pair of leather soled, memory foam loafers that are red and in a size 9.", "attributes": ["leather sole", "memory foam"], "options": ["color: red", "size: 9"], "instruction_attributes": ["leather sole", "memory foam"], "instruction_options": ["red", "9"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINQ1270", "worker_id": "A2JP9IKRHNLRPI"}], "B09LLXSGSX": [{"asin": "B09LLXSGSX", "instruction": "i'm looking for color a recliner chair for hair salon.", "attributes": ["stainless steel", "hair salon"], "options": ["color: a"], "instruction_attributes": ["hair salon"], "instruction_options": ["a"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09161M", "worker_id": "A3AGXTSAHA2AFL"}, {"asin": "B09LLXSGSX", "instruction": "i'm looking for color a recliner chair for hair salon.", "attributes": ["stainless steel", "hair salon"], "options": ["color: a"], "instruction_attributes": ["hair salon"], "instruction_options": ["a"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09161M", "worker_id": "A3AGXTSAHA2AFL"}, {"asin": "B09LLXSGSX", "instruction": "i need a hydraulic recliner barber chair for hair salon.", "attributes": ["stainless steel", "hair salon"], "options": ["color: a"], "instruction_attributes": ["hair salon"], "instruction_options": ["a"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRM99FM", "worker_id": "A2RBF3IIJP15IH"}], "B007Y8YZHU": [{"asin": "B007Y8YZHU", "instruction": "help me find some hand crafted gourmet crab stuffed mushrooms. i need about 36 appetizers.", "attributes": ["ready use", "hand crafted"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "39O5D9O8742EGYBIU38DD09OUFF3CS", "worker_id": "A2DDPSXH2X96RF"}, {"asin": "B007Y8YZHU", "instruction": "help me find some hand crafted gourmet crab stuffed mushrooms. i need about 36 appetizers.", "attributes": ["ready use", "hand crafted"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "39O5D9O8742EGYBIU38DD09OUFF3CS", "worker_id": "A2DDPSXH2X96RF"}], "B09R1XKN1D": [{"asin": "B09R1XKN1D", "instruction": "i am looking for wide leg pants that are pink in a size small.", "attributes": ["wide leg", "butt lifting", "tummy control", "short sleeve", "elastic waist", "high waist", "long sleeve"], "options": ["color: pink", "size: small"], "instruction_attributes": ["wide leg"], "instruction_options": ["pink", "small"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQUTB4W", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09R1XKN1D", "instruction": "i am looking for wide leg pants that are pink in a size small.", "attributes": ["wide leg", "butt lifting", "tummy control", "short sleeve", "elastic waist", "high waist", "long sleeve"], "options": ["color: pink", "size: small"], "instruction_attributes": ["wide leg"], "instruction_options": ["pink", "small"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQUTB4W", "worker_id": "A2ECRNQ3X5LEXD"}], "B08Z74Q2L7": [{"asin": "B08Z74Q2L7", "instruction": "i need a gingko light and 20\"x20\" pillow cover that is hand painted.", "attributes": ["hand painted", "living room"], "options": ["color: nudes (gingko light)", "size: 20\"x20\""], "instruction_attributes": ["hand painted"], "instruction_options": ["nudes (gingko light)", "20\"x20\""], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UM2ZEP", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08Z74Q2L7", "instruction": "i need a gingko light and 20\"x20\" pillow cover that is hand painted.", "attributes": ["hand painted", "living room"], "options": ["color: nudes (gingko light)", "size: 20\"x20\""], "instruction_attributes": ["hand painted"], "instruction_options": ["nudes (gingko light)", "20\"x20\""], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UM2ZEP", "worker_id": "A2RBF3IIJP15IH"}], "B0869KB734": [{"asin": "B0869KB734", "instruction": "i need a 52'' x 84'' x 2 panels window curtain for the living room.", "attributes": ["eco friendly", "living room", "dining room"], "options": ["size: 52'' x 84'' x 2 panels"], "instruction_attributes": ["living room"], "instruction_options": ["52'' x 84'' x 2 panels"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZF9O8L", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B0869KB734", "instruction": "i need a 52'' x 84'' x 2 panels window curtain for the living room.", "attributes": ["eco friendly", "living room", "dining room"], "options": ["size: 52'' x 84'' x 2 panels"], "instruction_attributes": ["living room"], "instruction_options": ["52'' x 84'' x 2 panels"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZF9O8L", "worker_id": "A2RBF3IIJP15IH"}], "B08P4FQWS9": [{"asin": "B08P4FQWS9", "instruction": "i am looking for an eco friendly bookcase that has four tiers.", "attributes": ["eco friendly", "wall mounted", "long lasting", "heavy duty", "solid wood", "coated steel", "living room"], "options": ["size: 4-tier"], "instruction_attributes": ["eco friendly"], "instruction_options": ["4-tier"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTBJD5T", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08P4FQWS9", "instruction": "i am looking for an eco friendly bookcase that has four tiers.", "attributes": ["eco friendly", "wall mounted", "long lasting", "heavy duty", "solid wood", "coated steel", "living room"], "options": ["size: 4-tier"], "instruction_attributes": ["eco friendly"], "instruction_options": ["4-tier"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTBJD5T", "worker_id": "A2ECRNQ3X5LEXD"}], "B09T2Y3MCL": [{"asin": "B09T2Y3MCL", "instruction": "i need large pink board shorts that are a classic fit.", "attributes": ["straight leg", "slim fit", "loose fit", "wash cold", "hand wash", "machine wash", "classic fit", "elastic waist", "elastic waistband", "relaxed fit", "comfortable fit", "drawstring closure", "regular fit", "tumble dry"], "options": ["color: 03-pink", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["03-pink", "large"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPIB6EB", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09T2Y3MCL", "instruction": "i need large pink board shorts that are a classic fit.", "attributes": ["straight leg", "slim fit", "loose fit", "wash cold", "hand wash", "machine wash", "classic fit", "elastic waist", "elastic waistband", "relaxed fit", "comfortable fit", "drawstring closure", "regular fit", "tumble dry"], "options": ["color: 03-pink", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["03-pink", "large"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPIB6EB", "worker_id": "A2ECRNQ3X5LEXD"}], "B003DNL9XI": [{"asin": "B003DNL9XI", "instruction": "i am looking for a caffeine free raspberry ice flavored drink mix.", "attributes": ["caffeine free", "low sodium", "gluten free"], "options": ["flavor name: raspberry ice", "size: 1.3 ounce (pack of 4)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["raspberry ice"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2UT94N", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B003DNL9XI", "instruction": "i am looking for a caffeine free raspberry ice flavored drink mix.", "attributes": ["caffeine free", "low sodium", "gluten free"], "options": ["flavor name: raspberry ice", "size: 1.3 ounce (pack of 4)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["raspberry ice"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2UT94N", "worker_id": "A1EREKSZAA9V7B"}], "B09Q8LFXB7": [{"asin": "B09Q8LFXB7", "instruction": "i am interested in a pink high definition portable bluetooth speaker.", "attributes": ["power amplifier", "high power", "high definition"], "options": ["color: pink"], "instruction_attributes": ["high definition"], "instruction_options": ["pink"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9IUB0X", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09Q8LFXB7", "instruction": "i am interested in a pink high definition portable bluetooth speaker.", "attributes": ["power amplifier", "high power", "high definition"], "options": ["color: pink"], "instruction_attributes": ["high definition"], "instruction_options": ["pink"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9IUB0X", "worker_id": "A2ECRNQ3X5LEXD"}], "B06XGR5NDY": [{"asin": "B06XGR5NDY", "instruction": "i'm looking for 36 ounce fragrance free camile beckman", "attributes": ["animal testing", "fragrance free", "coconut oil"], "options": ["scent name: wellness plus", "size: 36 ounce"], "instruction_attributes": ["fragrance free"], "instruction_options": ["36 ounce"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40TERC3", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B06XGR5NDY", "instruction": "i'm looking for 36 ounce fragrance free camile beckman", "attributes": ["animal testing", "fragrance free", "coconut oil"], "options": ["scent name: wellness plus", "size: 36 ounce"], "instruction_attributes": ["fragrance free"], "instruction_options": ["36 ounce"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40TERC3", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B06XGR5NDY", "instruction": "i'm looking for bathing free accessories for fragrance free.", "attributes": ["animal testing", "fragrance free", "coconut oil"], "options": ["scent name: full relaxation", "size: 36 ounce"], "instruction_attributes": ["fragrance free"], "instruction_options": ["full relaxation"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTJO4DN", "worker_id": "A16IQOX0DK14OJ"}], "B07VMKMY8G": [{"asin": "B07VMKMY8G", "instruction": "i'm looking for rose gold hair dye in a 70 ml bottle.", "attributes": ["cruelty free", "rose gold", "hair dye", "permanent hair"], "options": ["color: fuchsia", "size: 70 ml"], "instruction_attributes": ["rose gold"], "instruction_options": ["70 ml"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV8YV8M", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B07VMKMY8G", "instruction": "i'm looking for rose gold hair dye in a 70 ml bottle.", "attributes": ["cruelty free", "rose gold", "hair dye", "permanent hair"], "options": ["color: fuchsia", "size: 70 ml"], "instruction_attributes": ["rose gold"], "instruction_options": ["70 ml"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV8YV8M", "worker_id": "A2JP9IKRHNLRPI"}], "B09RVVYVPX": [{"asin": "B09RVVYVPX", "instruction": "i need a wall mounted floating tv stand.", "attributes": ["wall mounted", "space saving", "easy install", "easy clean", "solid wood", "living room"], "options": ["color: a"], "instruction_attributes": ["wall mounted"], "instruction_options": ["a"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNIPNTU", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09RVVYVPX", "instruction": "i need a wall mounted floating tv stand.", "attributes": ["wall mounted", "space saving", "easy install", "easy clean", "solid wood", "living room"], "options": ["color: a"], "instruction_attributes": ["wall mounted"], "instruction_options": ["a"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNIPNTU", "worker_id": "A2RBF3IIJP15IH"}], "B07PMV8LZ3": [{"asin": "B07PMV8LZ3", "instruction": "buy me a machine washable button down shirt in 3x large.", "attributes": ["slim fit", "hand wash", "wash cold", "machine wash", "cotton spandex", "button closure", "long sleeve", "tumble dry"], "options": ["color: jzs001_navy", "size: 3x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["3x-large"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3DAAYO", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07PMV8LZ3", "instruction": "buy me a machine washable button down shirt in 3x large.", "attributes": ["slim fit", "hand wash", "wash cold", "machine wash", "cotton spandex", "button closure", "long sleeve", "tumble dry"], "options": ["color: jzs001_navy", "size: 3x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["3x-large"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3DAAYO", "worker_id": "AR9AU5FY1S3RO"}], "B09FXG949K": [{"asin": "B09FXG949K", "instruction": "i need some skin care tools for dark circles with xiuyan jade.", "attributes": ["dark circles", "fine lines"], "options": ["color: xiuyan jade"], "instruction_attributes": ["dark circles"], "instruction_options": ["xiuyan jade"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OP4PO1", "worker_id": "A19317A3X87NVM"}, {"asin": "B09FXG949K", "instruction": "i need some skin care tools for dark circles with xiuyan jade.", "attributes": ["dark circles", "fine lines"], "options": ["color: xiuyan jade"], "instruction_attributes": ["dark circles"], "instruction_options": ["xiuyan jade"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OP4PO1", "worker_id": "A19317A3X87NVM"}], "B075FCVZ9J": [{"asin": "B075FCVZ9J", "instruction": "i am looking for a table and chair set that is white and easy to assemble.", "attributes": ["white item", "easy assemble", "white finish", "steel frame"], "options": ["color: white"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCM5I7Y", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B075FCVZ9J", "instruction": "i am looking for a table and chair set that is white and easy to assemble.", "attributes": ["white item", "easy assemble", "white finish", "steel frame"], "options": ["color: white"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCM5I7Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B08C7BGKF4": [{"asin": "B08C7BGKF4", "instruction": "i am looking for a sugar free energy drink of zero ultra flavor.", "attributes": ["sugar free", "zero sugar"], "options": ["flavor name: zero ultra", "size: 16 fl oz (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["zero ultra"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYNQFXX", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08C7BGKF4", "instruction": "i am looking for a sugar free energy drink of zero ultra flavor.", "attributes": ["sugar free", "zero sugar"], "options": ["flavor name: zero ultra", "size: 16 fl oz (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["zero ultra"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYNQFXX", "worker_id": "A1Q8PPQQCWGY0D"}], "B000EP8D7I": [{"asin": "B000EP8D7I", "instruction": "i'm looking for a pair of classic brown, long lasting boat shoes in a size 14 wide with a synthetic sole.", "attributes": ["long lasting", "synthetic sole"], "options": ["color: classic brown", "size: 14 wide"], "instruction_attributes": ["long lasting", "synthetic sole"], "instruction_options": ["classic brown", "14 wide"], "assignment_id": "33F859I56HNA01QBVO1K6A4GVZABHD", "worker_id": "AFU00NU09CFXE"}, {"asin": "B000EP8D7I", "instruction": "can you find me a pair of long lasting boat shoes with a synthetic sole? get the ones in a brown varsity color and in 8.5 x narrow.", "attributes": ["long lasting", "synthetic sole"], "options": ["color: brown varsity", "size: 8.5 x-narrow"], "instruction_attributes": ["long lasting", "synthetic sole"], "instruction_options": ["brown varsity", "8.5 x-narrow"], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38GVVJJH", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B000EP8D7I", "instruction": "i'm looking for a pair of classic brown, long lasting boat shoes in a size 14 wide with a synthetic sole.", "attributes": ["long lasting", "synthetic sole"], "options": ["color: classic brown", "size: 14 wide"], "instruction_attributes": ["long lasting", "synthetic sole"], "instruction_options": ["classic brown", "14 wide"], "assignment_id": "33F859I56HNA01QBVO1K6A4GVZABHD", "worker_id": "AFU00NU09CFXE"}, {"asin": "B000EP8D7I", "instruction": "i am looking for a long lasting shoe with synthetic sole in 8.5 wide. also choose navy or red.", "attributes": ["long lasting", "synthetic sole"], "options": ["color: navy | red", "size: 8.5 wide"], "instruction_attributes": ["long lasting", "synthetic sole"], "instruction_options": ["navy | red", "8.5 wide"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPWMG0L", "worker_id": "A2HMEGTAFO0CS8"}], "B0186F92JU": [{"asin": "B0186F92JU", "instruction": "i am looking for a grain free granola cereal.", "attributes": ["grain free", "gluten free"], "options": [""], "instruction_attributes": ["grain free"], "instruction_options": [], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC52AKRW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B0186F92JU", "instruction": "i am looking for a grain free granola cereal.", "attributes": ["grain free", "gluten free"], "options": [""], "instruction_attributes": ["grain free"], "instruction_options": [], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC52AKRW", "worker_id": "A1EREKSZAA9V7B"}], "B093YDG89M": [{"asin": "B093YDG89M", "instruction": "buy me a package of anti-aging masks.", "attributes": ["anti aging", "fine lines"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9LUTVK", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B093YDG89M", "instruction": "buy me a package of anti-aging masks.", "attributes": ["anti aging", "fine lines"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9LUTVK", "worker_id": "AR9AU5FY1S3RO"}], "B09447F7D9": [{"asin": "B09447F7D9", "instruction": "i need a yellow portable sound box that is easy to carry.", "attributes": ["easy carry", "stereo sound"], "options": ["color: yellow"], "instruction_attributes": ["easy carry"], "instruction_options": ["yellow"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWVK1CH", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09447F7D9", "instruction": "i need a yellow portable sound box that is easy to carry.", "attributes": ["easy carry", "stereo sound"], "options": ["color: yellow"], "instruction_attributes": ["easy carry"], "instruction_options": ["yellow"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWVK1CH", "worker_id": "A2RBF3IIJP15IH"}], "B08JMB7JVC": [{"asin": "B08JMB7JVC", "instruction": "buy me a new flat-packed bed frame.", "attributes": ["mid century", "assembly required", "memory foam", "box spring"], "options": [""], "instruction_attributes": ["assembly required"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLWFVA7", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08JMB7JVC", "instruction": "buy me a new flat-packed bed frame.", "attributes": ["mid century", "assembly required", "memory foam", "box spring"], "options": [""], "instruction_attributes": ["assembly required"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLWFVA7", "worker_id": "AR9AU5FY1S3RO"}], "B083236V15": [{"asin": "B083236V15", "instruction": "i am looking for an end table that is for the living room and is a whitewash color.", "attributes": ["assembly required", "engineered wood", "living room"], "options": ["color: whitewash", "style: end table"], "instruction_attributes": ["living room"], "instruction_options": ["whitewash", "end table"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSENYPGOW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B083236V15", "instruction": "i am looking for an end table that is for the living room and is a whitewash color.", "attributes": ["assembly required", "engineered wood", "living room"], "options": ["color: whitewash", "style: end table"], "instruction_attributes": ["living room"], "instruction_options": ["whitewash", "end table"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSENYPGOW", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QM2MNBQ": [{"asin": "B09QM2MNBQ", "instruction": "i would like a extra small grayed jade workout shorts with pockets and a drawstring.", "attributes": ["polyester spandex", "drawstring closure"], "options": ["color: grayed jade", "size: x-small"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["grayed jade", "x-small"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQI213E", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09QM2MNBQ", "instruction": "i would like a extra small grayed jade workout shorts with pockets and a drawstring.", "attributes": ["polyester spandex", "drawstring closure"], "options": ["color: grayed jade", "size: x-small"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["grayed jade", "x-small"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQI213E", "worker_id": "A1WS884SI0SLO4"}], "B0734JNMSW": [{"asin": "B0734JNMSW", "instruction": "i am looking for a copper eco friendly tongue scraper for bad breath.", "attributes": ["eco friendly", "stainless steel", "bad breath"], "options": ["color: copper"], "instruction_attributes": ["eco friendly", "bad breath"], "instruction_options": ["copper"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6ITPKHC", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B0734JNMSW", "instruction": "i am looking for a copper eco friendly tongue scraper for bad breath.", "attributes": ["eco friendly", "stainless steel", "bad breath"], "options": ["color: copper"], "instruction_attributes": ["eco friendly", "bad breath"], "instruction_options": ["copper"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6ITPKHC", "worker_id": "A1EREKSZAA9V7B"}], "B0866672GG": [{"asin": "B0866672GG", "instruction": "i would like a 18 pack of peanut butter and jelly soy free nut bars.", "attributes": ["soy free", "grain free", "plant based", "dairy free", "gluten free"], "options": ["flavor name: peanut butter & jelly", "size: 18 pack"], "instruction_attributes": ["soy free"], "instruction_options": ["peanut butter & jelly", "18 pack"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOE6TCD", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0866672GG", "instruction": "i would like a 18 pack of peanut butter and jelly soy free nut bars.", "attributes": ["soy free", "grain free", "plant based", "dairy free", "gluten free"], "options": ["flavor name: peanut butter & jelly", "size: 18 pack"], "instruction_attributes": ["soy free"], "instruction_options": ["peanut butter & jelly", "18 pack"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOE6TCD", "worker_id": "A1WS884SI0SLO4"}], "B09DWZH78K": [{"asin": "B09DWZH78K", "instruction": "i need sun canvas women's slip on sneakers in size 12 with arch support.", "attributes": ["machine wash", "arch support", "rubber sole"], "options": ["color: sun canvas", "size: 12"], "instruction_attributes": ["arch support"], "instruction_options": ["sun canvas", "12"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C3OPHB", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09DWZH78K", "instruction": "i need sun canvas women's slip on sneakers in size 12 with arch support.", "attributes": ["machine wash", "arch support", "rubber sole"], "options": ["color: sun canvas", "size: 12"], "instruction_attributes": ["arch support"], "instruction_options": ["sun canvas", "12"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C3OPHB", "worker_id": "A2RBF3IIJP15IH"}], "B08V5JCL3Y": [{"asin": "B08V5JCL3Y", "instruction": "i am looking for a small long sleeve t-shirt that is gray.", "attributes": ["hand wash", "long sleeve", "high waist", "short sleeve", "daily wear"], "options": ["color: 003gray", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["003gray", "small"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TPWPMT", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08V5JCL3Y", "instruction": "i am looking for a small long sleeve t-shirt that is gray.", "attributes": ["hand wash", "long sleeve", "high waist", "short sleeve", "daily wear"], "options": ["color: 003gray", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["003gray", "small"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TPWPMT", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TGF63QG": [{"asin": "B07TGF63QG", "instruction": "i'm looking for a brown runner type rug for my living room.", "attributes": ["spot clean", "living room"], "options": ["color: brown", "item shape: runner", "size: 8 ft. x 10 ft."], "instruction_attributes": ["living room"], "instruction_options": ["brown", "runner"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPVYPJM", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07TGF63QG", "instruction": "i'm looking for a brown runner type rug for my living room.", "attributes": ["spot clean", "living room"], "options": ["color: brown", "item shape: runner", "size: 8 ft. x 10 ft."], "instruction_attributes": ["living room"], "instruction_options": ["brown", "runner"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPVYPJM", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07TGF63QG", "instruction": "i would like to buy a 7 by 9 foot round green rug for my living room.", "attributes": ["spot clean", "living room"], "options": ["color: green", "item shape: round", "size: 7 ft. x 9 ft."], "instruction_attributes": ["living room"], "instruction_options": ["green", "round", "7 ft. x 9 ft."], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL5M5H8", "worker_id": "A1WS884SI0SLO4"}], "B08L828DTL": [{"asin": "B08L828DTL", "instruction": "i am looking for a high performance digital subwoofer power amplifier board.", "attributes": ["power amplifier", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9DDE26", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08L828DTL", "instruction": "i am looking for a high performance digital subwoofer power amplifier board.", "attributes": ["power amplifier", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9DDE26", "worker_id": "A1EREKSZAA9V7B"}], "B01NAER8CP": [{"asin": "B01NAER8CP", "instruction": "i'd like to buy some cinnamon flavored nuts. look for nuts with zero trans fats, please.", "attributes": ["artificial colors", "0g trans"], "options": ["flavor name: cinnamon", "size: 5 ounce (pack of 6)"], "instruction_attributes": ["0g trans"], "instruction_options": ["cinnamon"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO28R21", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B01NAER8CP", "instruction": "i'd like to buy some cinnamon flavored nuts. look for nuts with zero trans fats, please.", "attributes": ["artificial colors", "0g trans"], "options": ["flavor name: cinnamon", "size: 5 ounce (pack of 6)"], "instruction_attributes": ["0g trans"], "instruction_options": ["cinnamon"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO28R21", "worker_id": "AR9AU5FY1S3RO"}], "B06XSDKRF9": [{"asin": "B06XSDKRF9", "instruction": "find me the soy free 3.5 ounce 4-pack of dang thai rice chips, and make sure they are the aged cheddar flavor. i also need the ones in the resealable bags.", "attributes": ["non gmo", "gmo free", "soy free", "gluten free"], "options": ["flavor name: aged cheddar", "size: 3.5 ounce (pack of 4)", "style: rice chips"], "instruction_attributes": ["soy free"], "instruction_options": ["aged cheddar", "3.5 ounce (pack of 4)", "rice chips"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTBWN94", "worker_id": "A1CB72B51L7TKE"}, {"asin": "B06XSDKRF9", "instruction": "find me the soy free 3.5 ounce 4-pack of dang thai rice chips, and make sure they are the aged cheddar flavor. i also need the ones in the resealable bags.", "attributes": ["non gmo", "gmo free", "soy free", "gluten free"], "options": ["flavor name: aged cheddar", "size: 3.5 ounce (pack of 4)", "style: rice chips"], "instruction_attributes": ["soy free"], "instruction_options": ["aged cheddar", "3.5 ounce (pack of 4)", "rice chips"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTBWN94", "worker_id": "A1CB72B51L7TKE"}], "B09DYH8RMQ": [{"asin": "B09DYH8RMQ", "instruction": "go ahead and order that rhinestone top in small, with long sleeves.", "attributes": ["long sleeve", "teen girls"], "options": ["color: c-white", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXYCIN", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09DYH8RMQ", "instruction": "go ahead and order that rhinestone top in small, with long sleeves.", "attributes": ["long sleeve", "teen girls"], "options": ["color: c-white", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXYCIN", "worker_id": "AR9AU5FY1S3RO"}], "B07GT9KYSX": [{"asin": "B07GT9KYSX", "instruction": "i would like a pink ottoman with a solid wooden frame.", "attributes": ["wood frame", "solid wood"], "options": ["color: pink"], "instruction_attributes": ["wood frame", "solid wood"], "instruction_options": ["pink"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HMFWOB", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07GT9KYSX", "instruction": "i would like a pink ottoman with a solid wooden frame.", "attributes": ["wood frame", "solid wood"], "options": ["color: pink"], "instruction_attributes": ["wood frame", "solid wood"], "instruction_options": ["pink"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HMFWOB", "worker_id": "A1WS884SI0SLO4"}], "B085BR7DM2": [{"asin": "B085BR7DM2", "instruction": "i'd like to get wireless earphones that feature stereo sound. the color should be black.", "attributes": ["easy use", "stereo sound", "wireless charging"], "options": ["color: polish black"], "instruction_attributes": ["stereo sound"], "instruction_options": ["polish black"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LS7CD2", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B085BR7DM2", "instruction": "i'd like to get wireless earphones that feature stereo sound. the color should be black.", "attributes": ["easy use", "stereo sound", "wireless charging"], "options": ["color: polish black"], "instruction_attributes": ["stereo sound"], "instruction_options": ["polish black"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LS7CD2", "worker_id": "A345TDMHP3DQ3G"}], "B09CMHXFSP": [{"asin": "B09CMHXFSP", "instruction": "i want to find a black ergonomic office chair that's easy to assemble and offers lumbar support.", "attributes": ["easy assemble", "lumbar support"], "options": ["color: black"], "instruction_attributes": ["easy assemble", "lumbar support"], "instruction_options": ["black"], "assignment_id": "33CID5710F37J25O7G1CGJZBOOWL3T", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09CMHXFSP", "instruction": "i want to find a black ergonomic office chair that's easy to assemble and offers lumbar support.", "attributes": ["easy assemble", "lumbar support"], "options": ["color: black"], "instruction_attributes": ["easy assemble", "lumbar support"], "instruction_options": ["black"], "assignment_id": "33CID5710F37J25O7G1CGJZBOOWL3T", "worker_id": "A345TDMHP3DQ3G"}], "B099DRXNQ1": [{"asin": "B099DRXNQ1", "instruction": "i need a fluoride free maternity toothpaste.", "attributes": ["fluoride free", "natural ingredients", "sensitive teeth"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO2F337", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B099DRXNQ1", "instruction": "i need a fluoride free maternity toothpaste.", "attributes": ["fluoride free", "natural ingredients", "sensitive teeth"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO2F337", "worker_id": "A2RBF3IIJP15IH"}], "B07VL1ZSDP": [{"asin": "B07VL1ZSDP", "instruction": "i am looking for a black, easy to use gameboy case for an iphone.", "attributes": ["dust proof", "easy install", "easy use"], "options": ["color: black", "size: for iphone 12 | 12pro"], "instruction_attributes": ["easy use"], "instruction_options": ["black"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP6MOCJ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07VL1ZSDP", "instruction": "i am looking for a black, easy to use gameboy case for an iphone.", "attributes": ["dust proof", "easy install", "easy use"], "options": ["color: black", "size: for iphone 12 | 12pro"], "instruction_attributes": ["easy use"], "instruction_options": ["black"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP6MOCJ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07VL1ZSDP", "instruction": "i need easy use iphone 6p model phone", "attributes": ["dust proof", "easy install", "easy use"], "options": ["color: black", "size: for iphone 6p | 7p | 8p"], "instruction_attributes": ["easy use"], "instruction_options": ["for iphone 6p | 7p | 8p"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAUCFC9I", "worker_id": "A226L9F2AZ38CL"}], "B01GQ5H8AW": [{"asin": "B01GQ5H8AW", "instruction": "i need 5 ounce basil & garlic mary's gone crackers that is gluten free.", "attributes": ["plant based", "gluten free", "protein serving"], "options": ["flavor name: basil & garlic", "size: 5 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["basil & garlic", "5 ounce (pack of 1)"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTQQ9PF", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01GQ5H8AW", "instruction": "i need 5 ounce basil & garlic mary's gone crackers that is gluten free.", "attributes": ["plant based", "gluten free", "protein serving"], "options": ["flavor name: basil & garlic", "size: 5 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["basil & garlic", "5 ounce (pack of 1)"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTQQ9PF", "worker_id": "A2RBF3IIJP15IH"}], "B0831K16NY": [{"asin": "B0831K16NY", "instruction": "i'm looking for a button down men's shirt with short sleeves and in the size of 3x-large.", "attributes": ["long lasting", "polyester spandex", "short sleeve", "tumble dry"], "options": ["color: muilti 2", "size: 3x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["3x-large"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1TX2H2", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B0831K16NY", "instruction": "i'm looking for a button down men's shirt with short sleeves and in the size of 3x-large.", "attributes": ["long lasting", "polyester spandex", "short sleeve", "tumble dry"], "options": ["color: muilti 2", "size: 3x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["3x-large"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1TX2H2", "worker_id": "A2JP9IKRHNLRPI"}], "B09Q1RZXZ8": [{"asin": "B09Q1RZXZ8", "instruction": "buy me some light weight beige slippers.", "attributes": ["light weight", "fashion design"], "options": ["color: beige", "size: 7.5"], "instruction_attributes": ["light weight"], "instruction_options": ["beige"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3HXYRJ", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09Q1RZXZ8", "instruction": "buy me some light weight beige slippers.", "attributes": ["light weight", "fashion design"], "options": ["color: beige", "size: 7.5"], "instruction_attributes": ["light weight"], "instruction_options": ["beige"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3HXYRJ", "worker_id": "AR9AU5FY1S3RO"}], "B09HKF2KQN": [{"asin": "B09HKF2KQN", "instruction": "i'm looking for a kids toothbrush for ages 6 to 12 that will help with teeth whitening and is easy to use.", "attributes": ["teeth whitening", "easy use"], "options": ["color: a04#green duck", "size: aged 6-12"], "instruction_attributes": ["teeth whitening", "easy use"], "instruction_options": ["aged 6-12"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3A86NW", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B09HKF2KQN", "instruction": "i'm looking for a kids toothbrush for ages 6 to 12 that will help with teeth whitening and is easy to use.", "attributes": ["teeth whitening", "easy use"], "options": ["color: a04#green duck", "size: aged 6-12"], "instruction_attributes": ["teeth whitening", "easy use"], "instruction_options": ["aged 6-12"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3A86NW", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B09HKF2KQN", "instruction": "i'm looking for teeth whitening for teen clesening for prevention of oral care.", "attributes": ["teeth whitening", "easy use"], "options": ["color: a14#blue", "size: aged 2-6"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["a14#blue"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ56CKC5", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09HKF2KQN", "instruction": "i want to find a white donut colored toothbrush that is suitable for kids aged 6-12 and easy to use.", "attributes": ["teeth whitening", "easy use"], "options": ["color: a36#white donut", "size: aged 6-12"], "instruction_attributes": ["easy use"], "instruction_options": ["a36#white donut", "aged 6-12"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LKQ09F", "worker_id": "A345TDMHP3DQ3G"}], "B08W533DQL": [{"asin": "B08W533DQL", "instruction": "i am looking for a light blue, pink, yellow or light green tooth cleaning tool that is easy to carry.", "attributes": ["easy carry", "oral hygiene", "bad breath"], "options": ["color: light blue, pink, yellow, light green"], "instruction_attributes": ["easy carry"], "instruction_options": ["light blue, pink, yellow, light green"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3JCZLL", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08W533DQL", "instruction": "i need a purple braces brush that is easy to carry.", "attributes": ["easy carry", "oral hygiene", "bad breath"], "options": ["color: light blue, yellow, gray, purple"], "instruction_attributes": ["easy carry"], "instruction_options": ["light blue, yellow, gray, purple"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9POETU", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08W533DQL", "instruction": "i am looking for a light blue, pink, yellow or light green tooth cleaning tool that is easy to carry.", "attributes": ["easy carry", "oral hygiene", "bad breath"], "options": ["color: light blue, pink, yellow, light green"], "instruction_attributes": ["easy carry"], "instruction_options": ["light blue, pink, yellow, light green"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3JCZLL", "worker_id": "A1EREKSZAA9V7B"}], "B09MH2SNS7": [{"asin": "B09MH2SNS7", "instruction": "i am interested in a wireless bluetooth clock radio that is red.", "attributes": ["usb port", "wireless bluetooth"], "options": ["color: red"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["red"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP3TOA9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09MH2SNS7", "instruction": "i am interested in a wireless bluetooth clock radio that is red.", "attributes": ["usb port", "wireless bluetooth"], "options": ["color: red"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["red"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP3TOA9", "worker_id": "A2ECRNQ3X5LEXD"}], "B00NVBWG98": [{"asin": "B00NVBWG98", "instruction": "i am looking for a high quality strawberry blonde mix color hairpiece that is easy to use.", "attributes": ["easy use", "high quality"], "options": ["color: strawberry blonde mix #27t613 g13b"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["strawberry blonde mix #27t613 g13b"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQDTKES", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00NVBWG98", "instruction": "i am looking for a high quality strawberry blonde mix color hairpiece that is easy to use.", "attributes": ["easy use", "high quality"], "options": ["color: strawberry blonde mix #27t613 g13b"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["strawberry blonde mix #27t613 g13b"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQDTKES", "worker_id": "A1Q8PPQQCWGY0D"}], "B09P68G3RX": [{"asin": "B09P68G3RX", "instruction": "i'm looking for a size 5.5 women non slip running shoes.", "attributes": ["anti slip", "non slip", "hand wash", "ethylene vinyl", "vinyl acetate", "gym workout"], "options": ["color: plaid3", "size: 5.5 women | 3.5 men"], "instruction_attributes": ["non slip"], "instruction_options": ["5.5 women | 3.5 men"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQMU0PS", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B09P68G3RX", "instruction": "i'm looking for a size 5.5 women non slip running shoes.", "attributes": ["anti slip", "non slip", "hand wash", "ethylene vinyl", "vinyl acetate", "gym workout"], "options": ["color: plaid3", "size: 5.5 women | 3.5 men"], "instruction_attributes": ["non slip"], "instruction_options": ["5.5 women | 3.5 men"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQMU0PS", "worker_id": "ARQ05PDNXPFDI"}], "B0844NPZ65": [{"asin": "B0844NPZ65", "instruction": "i need an easy to install walnut brown living skog mid-century tv stand for tv's up to 48 inches.", "attributes": ["mid century", "easy install", "storage unit", "storage space", "living room"], "options": ["color: walnut brown", "size: for tv's up to 48 inches"], "instruction_attributes": ["easy install"], "instruction_options": ["walnut brown", "for tv's up to 48 inches"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09R61C", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B0844NPZ65", "instruction": "i need an easy to install walnut brown living skog mid-century tv stand for tv's up to 48 inches.", "attributes": ["mid century", "easy install", "storage unit", "storage space", "living room"], "options": ["color: walnut brown", "size: for tv's up to 48 inches"], "instruction_attributes": ["easy install"], "instruction_options": ["walnut brown", "for tv's up to 48 inches"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09R61C", "worker_id": "A2RBF3IIJP15IH"}], "B07B6NM7Q2": [{"asin": "B07B6NM7Q2", "instruction": "i am looking for a milk chocolate of 1 pound size in a single pack for valentine day.", "attributes": ["quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: mixed - milk (65%) & dark (35%)", "size: 1 pound (pack of 1)"], "instruction_attributes": ["valentine day"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAD6OVM", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07B6NM7Q2", "instruction": "i am looking for a milk chocolate of 1 pound size in a single pack for valentine day.", "attributes": ["quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: mixed - milk (65%) & dark (35%)", "size: 1 pound (pack of 1)"], "instruction_attributes": ["valentine day"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAD6OVM", "worker_id": "A1Q8PPQQCWGY0D"}], "B087N61YT8": [{"asin": "B087N61YT8", "instruction": "i'm looking for a french vanilla zero calorie and zero sugarand flavor stevia energy", "attributes": ["shelf stable", "keto friendly", "zero sugar"], "options": ["flavor name: stevia energy", "size: 1.68 fl oz (pack of 3)"], "instruction_attributes": ["keto friendly", "zero sugar"], "instruction_options": ["stevia energy"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVP4X9W", "worker_id": "A19Q021KR28CS8"}, {"asin": "B087N61YT8", "instruction": "i'm looking for a french vanilla zero calorie and zero sugarand flavor stevia energy", "attributes": ["shelf stable", "keto friendly", "zero sugar"], "options": ["flavor name: stevia energy", "size: 1.68 fl oz (pack of 3)"], "instruction_attributes": ["keto friendly", "zero sugar"], "instruction_options": ["stevia energy"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVP4X9W", "worker_id": "A19Q021KR28CS8"}], "B09B2QWWX7": [{"asin": "B09B2QWWX7", "instruction": "i am interested in a brushed nickel light fixture that has two lights.", "attributes": ["heavy duty", "brushed nickel", "vanity light", "glass shade", "light fixture", "clear glass", "living room"], "options": ["color: brushed nickel", "size: 2-light"], "instruction_attributes": ["light fixture"], "instruction_options": ["brushed nickel", "2-light"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z47HCQS", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09B2QWWX7", "instruction": "i am interested in a brushed nickel light fixture that has two lights.", "attributes": ["heavy duty", "brushed nickel", "vanity light", "glass shade", "light fixture", "clear glass", "living room"], "options": ["color: brushed nickel", "size: 2-light"], "instruction_attributes": ["light fixture"], "instruction_options": ["brushed nickel", "2-light"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z47HCQS", "worker_id": "A2ECRNQ3X5LEXD"}], "B096VFHGKX": [{"asin": "B096VFHGKX", "instruction": "i need some nice synthetic hair extensions that are at least 14 inches long.", "attributes": ["long lasting", "synthetic hair"], "options": ["color: 1b", "size: 14 inch"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["14 inch"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4YJXYF", "worker_id": "A19317A3X87NVM"}, {"asin": "B096VFHGKX", "instruction": "i need some nice synthetic hair extensions that are at least 14 inches long.", "attributes": ["long lasting", "synthetic hair"], "options": ["color: 1b", "size: 14 inch"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["14 inch"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4YJXYF", "worker_id": "A19317A3X87NVM"}, {"asin": "B096VFHGKX", "instruction": "i am looking for 18 inch crochet synthetic hair for black women.", "attributes": ["long lasting", "synthetic hair"], "options": ["color: t27", "size: 18 inch"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["18 inch"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIIK92I", "worker_id": "A1EREKSZAA9V7B"}], "B013UKOWAA": [{"asin": "B013UKOWAA", "instruction": "what deodorants do you have that are alcohol free and very long lasting?", "attributes": ["alcohol free", "long lasting"], "options": [""], "instruction_attributes": ["alcohol free", "long lasting"], "instruction_options": [], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNI5NTA", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B013UKOWAA", "instruction": "what deodorants do you have that are alcohol free and very long lasting?", "attributes": ["alcohol free", "long lasting"], "options": [""], "instruction_attributes": ["alcohol free", "long lasting"], "instruction_options": [], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNI5NTA", "worker_id": "A3EDFA8UQT5GG8"}], "B075M661NC": [{"asin": "B075M661NC", "instruction": "i neet 10 quantity of gold plated display port to vga adapter (male to female) compatible with any computer,laptop and projector", "attributes": ["gold plated", "1080p hd"], "options": ["item package quantity: 10"], "instruction_attributes": ["gold plated"], "instruction_options": ["10"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DSNOT3", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B075M661NC", "instruction": "i neet 10 quantity of gold plated display port to vga adapter (male to female) compatible with any computer,laptop and projector", "attributes": ["gold plated", "1080p hd"], "options": ["item package quantity: 10"], "instruction_attributes": ["gold plated"], "instruction_options": ["10"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DSNOT3", "worker_id": "A258PTOZ3D2TQR"}], "B01ENHMKTY": [{"asin": "B01ENHMKTY", "instruction": "i would like a 12 by 12 inch poster in three panels i can hang readily in my living room.", "attributes": ["ready hang", "dining room", "living room"], "options": ["size: 12x12inchx3panles"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["12x12inchx3panles"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMS7SAL", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01ENHMKTY", "instruction": "i would like a 12 by 12 inch poster in three panels i can hang readily in my living room.", "attributes": ["ready hang", "dining room", "living room"], "options": ["size: 12x12inchx3panles"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["12x12inchx3panles"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMS7SAL", "worker_id": "A1WS884SI0SLO4"}], "B07F81Q5F7": [{"asin": "B07F81Q5F7", "instruction": "i am looking for a queen sized multicolored mattress set.", "attributes": ["ready use", "queen size", "double sided", "fully assembled", "twin size", "assembly required", "king size", "box spring"], "options": ["color: multi", "size: queen", "style: includes 4\" split foundation"], "instruction_attributes": ["queen size"], "instruction_options": ["multi"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0SYW11U", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07F81Q5F7", "instruction": "i am looking for a queen sized multicolored mattress set.", "attributes": ["ready use", "queen size", "double sided", "fully assembled", "twin size", "assembly required", "king size", "box spring"], "options": ["color: multi", "size: queen", "style: includes 4\" split foundation"], "instruction_attributes": ["queen size"], "instruction_options": ["multi"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0SYW11U", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07F81Q5F7", "instruction": "i want to buy a king size box spring and 4-in foundation set in the color no.", "attributes": ["ready use", "queen size", "double sided", "fully assembled", "twin size", "assembly required", "king size", "box spring"], "options": ["color: no", "size: king", "style: 4\" foundation"], "instruction_attributes": ["king size", "box spring"], "instruction_options": ["no", "king", "4\" foundation"], "assignment_id": "354P56DE9VDCOY11T1135MPMLN9S78", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B07F81Q5F7", "instruction": "i would like a 8\" foundation split king size blue bed and box spring.", "attributes": ["ready use", "queen size", "double sided", "fully assembled", "twin size", "assembly required", "king size", "box spring"], "options": ["color: blue", "size: king", "style: 8\" foundation split"], "instruction_attributes": ["king size", "box spring"], "instruction_options": ["blue", "king", "8\" foundation split"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKMY7DW", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07F81Q5F7", "instruction": "i am in need of a king sized yellow box spring set", "attributes": ["ready use", "queen size", "double sided", "fully assembled", "twin size", "assembly required", "king size", "box spring"], "options": ["color: yellow", "size: full", "style: 8\" split foundation"], "instruction_attributes": ["king size"], "instruction_options": ["yellow"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTXJ4EE", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BLK4MYR": [{"asin": "B08BLK4MYR", "instruction": "i am looking for a travel tin kit of camouflage color and can be cleaned very easily.", "attributes": ["eco friendly", "easy carry", "easy clean"], "options": ["color: camouflage"], "instruction_attributes": ["easy clean"], "instruction_options": ["camouflage"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL980V2D", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08BLK4MYR", "instruction": "i am looking for a travel tin kit of camouflage color and can be cleaned very easily.", "attributes": ["eco friendly", "easy carry", "easy clean"], "options": ["color: camouflage"], "instruction_attributes": ["easy clean"], "instruction_options": ["camouflage"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL980V2D", "worker_id": "A1Q8PPQQCWGY0D"}], "B09JFFKJP9": [{"asin": "B09JFFKJP9", "instruction": "i'm looking for a black heavy duty barber chair", "attributes": ["heavy duty", "high quality", "hair cutting"], "options": ["color: black"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black"], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZMU057", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B09JFFKJP9", "instruction": "i'm looking for a black heavy duty barber chair", "attributes": ["heavy duty", "high quality", "hair cutting"], "options": ["color: black"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black"], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZMU057", "worker_id": "ARQ05PDNXPFDI"}], "B08WPKFMV9": [{"asin": "B08WPKFMV9", "instruction": "i would like some low sodium spice gifts for some friends.", "attributes": ["low sodium", "gluten free"], "options": [""], "instruction_attributes": ["low sodium"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUF8ZLV0", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08WPKFMV9", "instruction": "i would like some low sodium spice gifts for some friends.", "attributes": ["low sodium", "gluten free"], "options": [""], "instruction_attributes": ["low sodium"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUF8ZLV0", "worker_id": "A1WS884SI0SLO4"}], "B09NXFP57R": [{"asin": "B09NXFP57R", "instruction": "i want a pair of black, closed pointy toe sandals.", "attributes": ["open toe", "steel toe", "closed toe", "memory foam"], "options": ["color: a01 black", "size: 9.5-10"], "instruction_attributes": ["closed toe"], "instruction_options": ["a01 black"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSGY8B9", "worker_id": "A19317A3X87NVM"}, {"asin": "B09NXFP57R", "instruction": "i want a pair of black, closed pointy toe sandals.", "attributes": ["open toe", "steel toe", "closed toe", "memory foam"], "options": ["color: a01 black", "size: 9.5-10"], "instruction_attributes": ["closed toe"], "instruction_options": ["a01 black"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSGY8B9", "worker_id": "A19317A3X87NVM"}], "B09QM4936N": [{"asin": "B09QM4936N", "instruction": "i need a cosmetic bag for my nail polish. get the one in color eleven.", "attributes": ["nail polish", "nail art"], "options": ["color: color11"], "instruction_attributes": ["nail polish"], "instruction_options": ["color11"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22HOW8L", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09QM4936N", "instruction": "i need a cosmetic bag for my nail polish. get the one in color eleven.", "attributes": ["nail polish", "nail art"], "options": ["color: color11"], "instruction_attributes": ["nail polish"], "instruction_options": ["color11"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22HOW8L", "worker_id": "AR9AU5FY1S3RO"}], "B09M6GNPYY": [{"asin": "B09M6GNPYY", "instruction": "i am looking for a natural black color high quality hair extension for women.", "attributes": ["high quality", "hair extensions"], "options": ["color: natural black"], "instruction_attributes": ["high quality"], "instruction_options": ["natural black"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y06NNW", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09M6GNPYY", "instruction": "i am looking for a natural black color high quality hair extension for women.", "attributes": ["high quality", "hair extensions"], "options": ["color: natural black"], "instruction_attributes": ["high quality"], "instruction_options": ["natural black"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y06NNW", "worker_id": "A1Q8PPQQCWGY0D"}], "B07QH94GPK": [{"asin": "B07QH94GPK", "instruction": "i am looking for surveillance video equipment that has motion detection and is 720p.", "attributes": ["easy install", "motion detection"], "options": ["size: 4ch 720p no hdd"], "instruction_attributes": ["motion detection"], "instruction_options": ["4ch 720p no hdd"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K4I12J", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07QH94GPK", "instruction": "i am looking for surveillance video equipment that has motion detection and is 720p.", "attributes": ["easy install", "motion detection"], "options": ["size: 4ch 720p no hdd"], "instruction_attributes": ["motion detection"], "instruction_options": ["4ch 720p no hdd"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K4I12J", "worker_id": "A2ECRNQ3X5LEXD"}], "B085T9XX1V": [{"asin": "B085T9XX1V", "instruction": "i need a chandelier for the dining room that has 12 lights.", "attributes": ["pendant light", "stainless steel", "light fixture", "dining room", "living room"], "options": ["size: 12 lights"], "instruction_attributes": ["dining room"], "instruction_options": ["12 lights"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKGY954R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B085T9XX1V", "instruction": "i need a chandelier for the dining room that has 12 lights.", "attributes": ["pendant light", "stainless steel", "light fixture", "dining room", "living room"], "options": ["size: 12 lights"], "instruction_attributes": ["dining room"], "instruction_options": ["12 lights"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKGY954R", "worker_id": "A2ECRNQ3X5LEXD"}], "B07L6KQ7FW": [{"asin": "B07L6KQ7FW", "instruction": "show me size seven running shoes with laces and rubber soles.", "attributes": ["lace closure", "rubber sole"], "options": ["color: majolica blue beetroot", "size: 7"], "instruction_attributes": ["lace closure", "rubber sole"], "instruction_options": ["7"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLHL0MY", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07L6KQ7FW", "instruction": "show me size seven running shoes with laces and rubber soles.", "attributes": ["lace closure", "rubber sole"], "options": ["color: majolica blue beetroot", "size: 7"], "instruction_attributes": ["lace closure", "rubber sole"], "instruction_options": ["7"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLHL0MY", "worker_id": "A3EDFA8UQT5GG8"}], "B08L9DKZ1Y": [{"asin": "B08L9DKZ1Y", "instruction": "i'm looking for a small gray long-sleeve t-shirt for women.", "attributes": ["loose fit", "soft material", "long sleeve"], "options": ["color: a grey", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a grey", "small"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADHPAHH", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08L9DKZ1Y", "instruction": "i'm looking for a small gray long-sleeve t-shirt for women.", "attributes": ["loose fit", "soft material", "long sleeve"], "options": ["color: a grey", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a grey", "small"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADHPAHH", "worker_id": "A345TDMHP3DQ3G"}], "B09DYF1GSZ": [{"asin": "B09DYF1GSZ", "instruction": "i need a 84inch wall mounted motorized projector screen that displays a 16:9 screen.", "attributes": ["wall mounted", "high definition"], "options": ["color: 16:9 screen", "size: 84inch"], "instruction_attributes": ["wall mounted"], "instruction_options": ["16:9 screen", "84inch"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAY0A83", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09DYF1GSZ", "instruction": "i need a 84inch wall mounted motorized projector screen that displays a 16:9 screen.", "attributes": ["wall mounted", "high definition"], "options": ["color: 16:9 screen", "size: 84inch"], "instruction_attributes": ["wall mounted"], "instruction_options": ["16:9 screen", "84inch"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAY0A83", "worker_id": "A2RBF3IIJP15IH"}], "B08N2ZCC2K": [{"asin": "B08N2ZCC2K", "instruction": "i am looking for a light grey faux leather loveseat.", "attributes": ["spot clean", "faux leather"], "options": ["color: light grey", "style: chair"], "instruction_attributes": ["faux leather"], "instruction_options": ["light grey"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5OG5FD", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08N2ZCC2K", "instruction": "i am looking for a light grey faux leather loveseat.", "attributes": ["spot clean", "faux leather"], "options": ["color: light grey", "style: chair"], "instruction_attributes": ["faux leather"], "instruction_options": ["light grey"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5OG5FD", "worker_id": "A1EREKSZAA9V7B"}], "B09MM1R7VM": [{"asin": "B09MM1R7VM", "instruction": "i am looking for a tattoo machine that is easy to use.", "attributes": ["high quality", "easy carry", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQONAVY9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09MM1R7VM", "instruction": "i am looking for a tattoo machine that is easy to use.", "attributes": ["high quality", "easy carry", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQONAVY9", "worker_id": "A2ECRNQ3X5LEXD"}], "B0842V2TJH": [{"asin": "B0842V2TJH", "instruction": "i am looking for a fluoride free foaming toothpaste with a cinnamon tea tree flavor.", "attributes": ["fluoride free", "tea tree"], "options": ["flavor name: cinnamon tea tree", "size: 1.69 fl oz (pack of 1)"], "instruction_attributes": ["fluoride free"], "instruction_options": ["cinnamon tea tree"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ANUWB5", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B0842V2TJH", "instruction": "i am looking for a fluoride free foaming toothpaste with a cinnamon tea tree flavor.", "attributes": ["fluoride free", "tea tree"], "options": ["flavor name: cinnamon tea tree", "size: 1.69 fl oz (pack of 1)"], "instruction_attributes": ["fluoride free"], "instruction_options": ["cinnamon tea tree"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ANUWB5", "worker_id": "A1EREKSZAA9V7B"}], "B08FX7T8Z4": [{"asin": "B08FX7T8Z4", "instruction": "i need to order a game boy color. make sure that it's green and has stereo sound.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: green"], "instruction_attributes": ["stereo sound"], "instruction_options": ["green"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL98IV2V", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08FX7T8Z4", "instruction": "i need to order a game boy color. make sure that it's green and has stereo sound.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: green"], "instruction_attributes": ["stereo sound"], "instruction_options": ["green"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL98IV2V", "worker_id": "AR9AU5FY1S3RO"}], "B07YWDVBM8": [{"asin": "B07YWDVBM8", "instruction": "i would like a pink face brush for my dead skin.", "attributes": ["long handle", "dead skin"], "options": ["color: pink"], "instruction_attributes": ["dead skin"], "instruction_options": ["pink"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FF5U41", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07YWDVBM8", "instruction": "i would like a pink face brush for my dead skin.", "attributes": ["long handle", "dead skin"], "options": ["color: pink"], "instruction_attributes": ["dead skin"], "instruction_options": ["pink"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FF5U41", "worker_id": "A1WS884SI0SLO4"}], "B09SXMWZJW": [{"asin": "B09SXMWZJW", "instruction": "i'd like to get sulfate free conditioner that promotes hair growth.", "attributes": ["sulfate free", "natural ingredients", "hair loss", "hair growth", "hair treatment", "damaged hair"], "options": [""], "instruction_attributes": ["sulfate free", "hair growth"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHEY4JT6", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09SXMWZJW", "instruction": "i'd like to get sulfate free conditioner that promotes hair growth.", "attributes": ["sulfate free", "natural ingredients", "hair loss", "hair growth", "hair treatment", "damaged hair"], "options": [""], "instruction_attributes": ["sulfate free", "hair growth"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHEY4JT6", "worker_id": "A345TDMHP3DQ3G"}], "B08HN6YTRN": [{"asin": "B08HN6YTRN", "instruction": "i'm looking for a 3 foot micro usb cable that offers high speeds and is colored silver.", "attributes": ["high speed", "usb port"], "options": ["color: silver", "size: 3foot"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBC2GHZ", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B08HN6YTRN", "instruction": "i'm looking for a 3 foot micro usb cable that offers high speeds and is colored silver.", "attributes": ["high speed", "usb port"], "options": ["color: silver", "size: 3foot"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBC2GHZ", "worker_id": "A2JP9IKRHNLRPI"}], "B09NLWZMDW": [{"asin": "B09NLWZMDW", "instruction": "looking for valentine's cupcake toppers for valentine day with pattern name in red", "attributes": ["valentine day", "birthday party"], "options": ["pattern name: design 1 a red"], "instruction_attributes": ["valentine day"], "instruction_options": ["design 1 a red"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P72LVS2", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B09NLWZMDW", "instruction": "looking for valentine's cupcake toppers for valentine day with pattern name in red", "attributes": ["valentine day", "birthday party"], "options": ["pattern name: design 1 a red"], "instruction_attributes": ["valentine day"], "instruction_options": ["design 1 a red"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P72LVS2", "worker_id": "A2Y2TURT2VEYZN"}], "B09LHWT76V": [{"asin": "B09LHWT76V", "instruction": "i am looking for a gold camera lens protector that has tempered glass for an iphone 13 pro or iphone pro max.", "attributes": ["tempered glass", "aluminum alloy"], "options": ["color: gold"], "instruction_attributes": ["tempered glass"], "instruction_options": ["gold"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCFUE0N", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09LHWT76V", "instruction": "i am looking for a gold camera lens protector that has tempered glass for an iphone 13 pro or iphone pro max.", "attributes": ["tempered glass", "aluminum alloy"], "options": ["color: gold"], "instruction_attributes": ["tempered glass"], "instruction_options": ["gold"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCFUE0N", "worker_id": "A1EREKSZAA9V7B"}], "B07JG2QHHY": [{"asin": "B07JG2QHHY", "instruction": "i am looking for a lemon yellow airpod case cover compatible with apple airpods and do wireless charging.", "attributes": ["compatible apple", "case cover", "wireless charging"], "options": ["color: lemon yellow"], "instruction_attributes": ["compatible apple", "wireless charging"], "instruction_options": ["lemon yellow"], "assignment_id": "31JLPPHS254FPN8LK8H48035JTD3O4", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07JG2QHHY", "instruction": "i am looking for a lemon yellow airpod case cover compatible with apple airpods and do wireless charging.", "attributes": ["compatible apple", "case cover", "wireless charging"], "options": ["color: lemon yellow"], "instruction_attributes": ["compatible apple", "wireless charging"], "instruction_options": ["lemon yellow"], "assignment_id": "31JLPPHS254FPN8LK8H48035JTD3O4", "worker_id": "A1Q8PPQQCWGY0D"}], "B09JGVKKP1": [{"asin": "B09JGVKKP1", "instruction": "i am looking for shelf baskets that are eco friendly and are 12.5\"l by 12\"w by 10\" h.", "attributes": ["spot clean", "eco friendly"], "options": ["size: 12.5\"l x 12\"w x 10\"h"], "instruction_attributes": ["eco friendly"], "instruction_options": ["12.5\"l x 12\"w x 10\"h"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX56CFW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09JGVKKP1", "instruction": "i am looking for shelf baskets that are eco friendly and are 12.5\"l by 12\"w by 10\" h.", "attributes": ["spot clean", "eco friendly"], "options": ["size: 12.5\"l x 12\"w x 10\"h"], "instruction_attributes": ["eco friendly"], "instruction_options": ["12.5\"l x 12\"w x 10\"h"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX56CFW", "worker_id": "A2ECRNQ3X5LEXD"}], "B01ECGBI76": [{"asin": "B01ECGBI76", "instruction": "i'd like to view a pair of machine washable regular type denim jeans for men.", "attributes": ["machine wash", "button closure"], "options": ["color: hawthorne closed book - dark indigo", "fit type: regular", "size: 50w x 30l"], "instruction_attributes": ["machine wash"], "instruction_options": ["regular"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDKJHCZ", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B01ECGBI76", "instruction": "i'd like to view a pair of machine washable regular type denim jeans for men.", "attributes": ["machine wash", "button closure"], "options": ["color: hawthorne closed book - dark indigo", "fit type: regular", "size: 50w x 30l"], "instruction_attributes": ["machine wash"], "instruction_options": ["regular"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDKJHCZ", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B01ECGBI76", "instruction": "i would like a 62w by 34l big and tall pair of light indigo jeans that are machine washable.", "attributes": ["machine wash", "button closure"], "options": ["color: good decisions - light indigo", "fit type: big & tall", "size: 62w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["good decisions - light indigo", "big & tall", "62w x 34l"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HNROWH", "worker_id": "A1WS884SI0SLO4"}], "B08T5Z2R23": [{"asin": "B08T5Z2R23", "instruction": "i need a bathroom vanity light that is easy to install.", "attributes": ["easy install", "long lasting", "vanity light", "glass shade"], "options": [""], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": [], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBOXEJR", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08T5Z2R23", "instruction": "i need a bathroom vanity light that is easy to install.", "attributes": ["easy install", "long lasting", "vanity light", "glass shade"], "options": [""], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": [], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBOXEJR", "worker_id": "A2RBF3IIJP15IH"}], "B01N5WESTU": [{"asin": "B01N5WESTU", "instruction": "i want to get a 6 pack of the tom's of maine fresh mint alcohol free mouth wash. i think they are 16 oz bottles.", "attributes": ["alcohol free", "clinically proven", "long lasting", "fresh breath", "bad breath"], "options": ["flavor name: fresh mint", "size: 16 ounce (pack of 6)"], "instruction_attributes": ["alcohol free"], "instruction_options": ["fresh mint", "16 ounce (pack of 6)"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZOQK3O", "worker_id": "A2DDPSXH2X96RF"}, {"asin": "B01N5WESTU", "instruction": "i want to get a 6 pack of the tom's of maine fresh mint alcohol free mouth wash. i think they are 16 oz bottles.", "attributes": ["alcohol free", "clinically proven", "long lasting", "fresh breath", "bad breath"], "options": ["flavor name: fresh mint", "size: 16 ounce (pack of 6)"], "instruction_attributes": ["alcohol free"], "instruction_options": ["fresh mint", "16 ounce (pack of 6)"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZOQK3O", "worker_id": "A2DDPSXH2X96RF"}], "B00LCBTNY0": [{"asin": "B00LCBTNY0", "instruction": "find caraway seeds for dietary fiber, need 1 pack with 8 ounce vegan food", "attributes": ["non gmo", "dietary fiber"], "options": ["size: 8 ounce (pack of 1)"], "instruction_attributes": ["dietary fiber"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH150XHW4", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B00LCBTNY0", "instruction": "find caraway seeds for dietary fiber, need 1 pack with 8 ounce vegan food", "attributes": ["non gmo", "dietary fiber"], "options": ["size: 8 ounce (pack of 1)"], "instruction_attributes": ["dietary fiber"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH150XHW4", "worker_id": "A2Y2TURT2VEYZN"}], "B098DMXZK5": [{"asin": "B098DMXZK5", "instruction": "i need white blackout cellular shades that are easy to install in size 70\"w x 36\"h.", "attributes": ["white item", "easy install"], "options": ["color: make up", "size: 70\"w x 36\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["make up", "70\"w x 36\"h"], "assignment_id": "33UKMF931KU01WBNV49UKNDQC0BTT1", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B098DMXZK5", "instruction": "i need white blackout cellular shades that are easy to install in size 70\"w x 36\"h.", "attributes": ["white item", "easy install"], "options": ["color: make up", "size: 70\"w x 36\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["make up", "70\"w x 36\"h"], "assignment_id": "33UKMF931KU01WBNV49UKNDQC0BTT1", "worker_id": "A2RBF3IIJP15IH"}], "B01IPYHLFY": [{"asin": "B01IPYHLFY", "instruction": "i would like a three pack of 4 fluid ounce green envy hair dye.", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: green envy", "size: 4 fl oz (pack of 3)"], "instruction_attributes": ["hair dye"], "instruction_options": ["green envy", "4 fl oz (pack of 3)"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMM9EXC", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01IPYHLFY", "instruction": "i would like a three pack of 4 fluid ounce green envy hair dye.", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: green envy", "size: 4 fl oz (pack of 3)"], "instruction_attributes": ["hair dye"], "instruction_options": ["green envy", "4 fl oz (pack of 3)"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMM9EXC", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01IPYHLFY", "instruction": "i'm looking for a manic panic ultra violet hair dye .", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: electric amethyst", "size: 4 fl oz (pack of 3)"], "instruction_attributes": ["hair dye"], "instruction_options": ["electric amethyst", "4 fl oz (pack of 3)"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYODHDP", "worker_id": "A1ZGOZQF2VZ0X9"}, {"asin": "B01IPYHLFY", "instruction": "i want to find 3.99 fluid ounces of venus envy hair dye.", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: venus envy", "size: 3.99 fl oz (pack of 1)"], "instruction_attributes": ["hair dye"], "instruction_options": ["venus envy", "3.99 fl oz (pack of 1)"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2GQKFW", "worker_id": "A345TDMHP3DQ3G"}], "B09ST6VY7R": [{"asin": "B09ST6VY7R", "instruction": "i am looking for 2 piece long sleeve blue#b color swimwear for women. also x-large one", "attributes": ["tummy control", "long sleeve", "drawstring closure"], "options": ["color: blue#b", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue#b"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227EXF85", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09ST6VY7R", "instruction": "i am looking for 2 piece long sleeve blue#b color swimwear for women. also x-large one", "attributes": ["tummy control", "long sleeve", "drawstring closure"], "options": ["color: blue#b", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue#b"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227EXF85", "worker_id": "A258PTOZ3D2TQR"}], "B09HWQ4H85": [{"asin": "B09HWQ4H85", "instruction": "i would like a hair brush that's good for damaged hair.", "attributes": ["argan oil", "natural ingredients", "damaged hair"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4ARBSY", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09HWQ4H85", "instruction": "i would like a hair brush that's good for damaged hair.", "attributes": ["argan oil", "natural ingredients", "damaged hair"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4ARBSY", "worker_id": "A1WS884SI0SLO4"}], "B07VHMVXYG": [{"asin": "B07VHMVXYG", "instruction": "i am looking for a certified organic, watermelon frose, lip balm moisturizer made from coconut oil.", "attributes": ["certified organic", "seed oil", "coconut oil"], "options": ["style: watermelon fros\u00e9"], "instruction_attributes": ["certified organic", "coconut oil"], "instruction_options": ["watermelon fros\u00e9"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KKFUHB", "worker_id": "A114NK7T5673GK"}, {"asin": "B07VHMVXYG", "instruction": "i am looking for a certified organic, watermelon frose, lip balm moisturizer made from coconut oil.", "attributes": ["certified organic", "seed oil", "coconut oil"], "options": ["style: watermelon fros\u00e9"], "instruction_attributes": ["certified organic", "coconut oil"], "instruction_options": ["watermelon fros\u00e9"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KKFUHB", "worker_id": "A114NK7T5673GK"}], "B00EV815GU": [{"asin": "B00EV815GU", "instruction": "i need a natural teeth whitening toothpaste.", "attributes": ["fluoride free", "teeth whitening", "sulfate free", "fresh breath"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z476CQH", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B00EV815GU", "instruction": "i need a natural teeth whitening toothpaste.", "attributes": ["fluoride free", "teeth whitening", "sulfate free", "fresh breath"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z476CQH", "worker_id": "A2RBF3IIJP15IH"}], "B09NGSLDXV": [{"asin": "B09NGSLDXV", "instruction": "i am looking for red storage benches that are made of engineered wood and are 90 by 40 by 45.", "attributes": ["button tufted", "pu leather", "engineered wood", "faux leather"], "options": ["color: red", "size: 90x40x45cm(35x16x18inch)"], "instruction_attributes": ["engineered wood"], "instruction_options": ["red", "90x40x45cm(35x16x18inch)"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3V9U12", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09NGSLDXV", "instruction": "i am looking for red storage benches that are made of engineered wood and are 90 by 40 by 45.", "attributes": ["button tufted", "pu leather", "engineered wood", "faux leather"], "options": ["color: red", "size: 90x40x45cm(35x16x18inch)"], "instruction_attributes": ["engineered wood"], "instruction_options": ["red", "90x40x45cm(35x16x18inch)"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3V9U12", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09NGSLDXV", "instruction": "i need to find a khaki-colored storage ottoman bench in either the \"pu\" or \"faux\" leather style.", "attributes": ["button tufted", "pu leather", "engineered wood", "faux leather"], "options": ["color: khaki", "size: 70x40x45cm(28x16x18inch)"], "instruction_attributes": ["pu leather", "faux leather"], "instruction_options": ["khaki"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZHQLKQ", "worker_id": "A3LIIE572Z4OG7"}], "B08N3BYNDN": [{"asin": "B08N3BYNDN", "instruction": "i want to buy an android smartphone. the camera should have optical zoom and it should have at least 128gb of space.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom violet", "size: 128 gb", "style: s21 ultra + case black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["128 gb"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXTEO4F", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B08N3BYNDN", "instruction": "look for an eay to use android cell phone that has 128 gb.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom white", "size: 128 gb", "style: s21 ultra + case - black"], "instruction_attributes": ["easy use"], "instruction_options": ["128 gb"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYWKJ41", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B08N3BYNDN", "instruction": "i am looking for optical zoom samsung galaxy smartphone of style: s21 ultra + case black", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom white", "size: 256gb", "style: s21 ultra + case black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["s21 ultra + case black"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKQDRJPA", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B08N3BYNDN", "instruction": "i am looking for samsung galaxy smartphone with 256 gb memory and 3x optical zoom.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom white", "size: 256gb", "style: s21 + case"], "instruction_attributes": ["optical zoom"], "instruction_options": ["256gb"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DNUK4F", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B08N3BYNDN", "instruction": "i want to find a phantom silver s21 android phone that has a camera with an optical zoom. it needs to be able to store 128 gigabytes of data and it should come with a case.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom silver", "size: 128 gb", "style: s21 + case"], "instruction_attributes": ["optical zoom"], "instruction_options": ["phantom silver", "128 gb", "s21 + case"], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CI03BI", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08N3BYNDN", "instruction": "i want to find a phantom black s21 android smartphone that's easy to use and has 128 gigabytes of storage space. ideally it will come with a black case.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom black", "size: 128gb", "style: s21 ultra + case - black"], "instruction_attributes": ["easy use"], "instruction_options": ["phantom black", "128gb", "s21 ultra + case - black"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KFJJ90", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08N3BYNDN", "instruction": "i want to find an unlocked pink s21 android phone that has a camera with an optical zoom feature. it needs to have 256 gigabytes of storage space and ideally it'll come with a black case.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom pink", "size: 256gb", "style: s21 + case, black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["phantom pink", "256gb", "s21 + case, black"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YWPXT4K", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08N3BYNDN", "instruction": "i want to find a phantom gray colored samsung galaxy s21 phone with 256 gigabytes of storage space. the camera needs to have an optical zoom feature.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom gray", "size: 256gb", "style: s21+"], "instruction_attributes": ["optical zoom"], "instruction_options": ["phantom gray", "256gb", "s21+"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMFDJ1X", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08N3BYNDN", "instruction": "i want to buy an android smartphone. the camera should have optical zoom and it should have at least 128gb of space.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom violet", "size: 128 gb", "style: s21 ultra + case black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["128 gb"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXTEO4F", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B08N3BYNDN", "instruction": "searching for a galaxy s21 ultra 5g factory unlocked android smartphone using 128gb, us version that is easy to use, either in color of phantom black or phantom silver with the added features of pro-grade camera, 8k video, and 108mp high resolution made by samsung.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom black", "size: 128gb", "style: s21 ultra + silicone case"], "instruction_attributes": ["easy use"], "instruction_options": ["phantom black", "128gb"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWPDW6K", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B08N3BYNDN", "instruction": "i am looking for a phantom pink samsung galaxy s21 ultra 5g unlocked phone with optical zoom.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom pink", "size: 512gb", "style: s21 ultra + case - black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["phantom pink"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ22IS9", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08N3BYNDN", "instruction": "i'm looking for optical zoom its for computer accessories for cell phones.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom silver", "size: 128gb", "style: s21 ultra + silicone case"], "instruction_attributes": ["easy use", "optical zoom"], "instruction_options": ["phantom silver"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YQT699", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08N3BYNDN", "instruction": "i would like a violet colored phone that has optical zoom", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom violet", "size: 128gb", "style: s21 + case"], "instruction_attributes": ["optical zoom"], "instruction_options": ["phantom violet"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZMZ7C9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08N3BYNDN", "instruction": "i want a phantom black samsung galaxy s21 with optical zoom.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom black", "size: 128 gb", "style: s21 + case - black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["phantom black"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALEZH4X", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08N3BYNDN", "instruction": "i am looking for a samsung mobile with 512gb internal memory and phantom gray color which is for easy use. also choose s21 ultra + case black", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom gray", "size: 512gb", "style: s21 ultra + case black"], "instruction_attributes": ["easy use"], "instruction_options": ["phantom gray", "512gb", "s21 ultra + case black"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVR7X93", "worker_id": "A2HMEGTAFO0CS8"}], "B082QHNGY4": [{"asin": "B082QHNGY4", "instruction": "i am looking for a white fast charging usb wall charger for a samsung galaxy.", "attributes": ["fast charging", "usb port"], "options": ["color: white"], "instruction_attributes": ["fast charging"], "instruction_options": ["white"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OF6RTE", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B082QHNGY4", "instruction": "i am looking for a white fast charging usb wall charger for a samsung galaxy.", "attributes": ["fast charging", "usb port"], "options": ["color: white"], "instruction_attributes": ["fast charging"], "instruction_options": ["white"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OF6RTE", "worker_id": "A1EREKSZAA9V7B"}], "B09PL6LMFX": [{"asin": "B09PL6LMFX", "instruction": "i am looking for a 2bottle color floride free teeth whitening toothpaste.", "attributes": ["fluoride free", "teeth whitening", "natural ingredients", "sensitive teeth", "bad breath"], "options": ["color: 2bottle"], "instruction_attributes": ["fluoride free", "teeth whitening"], "instruction_options": ["2bottle"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HQMPBY", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09PL6LMFX", "instruction": "i am looking for a 2bottle color floride free teeth whitening toothpaste.", "attributes": ["fluoride free", "teeth whitening", "natural ingredients", "sensitive teeth", "bad breath"], "options": ["color: 2bottle"], "instruction_attributes": ["fluoride free", "teeth whitening"], "instruction_options": ["2bottle"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HQMPBY", "worker_id": "A1Q8PPQQCWGY0D"}], "B0001W2XSO": [{"asin": "B0001W2XSO", "instruction": "i need party bags of potato chips.", "attributes": ["fat free", "gluten free", "birthday party"], "options": ["flavor name: reduced fat", "size: 5 ounce (pack of 12)"], "instruction_attributes": ["birthday party"], "instruction_options": ["reduced fat"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW488SY", "worker_id": "A19317A3X87NVM"}, {"asin": "B0001W2XSO", "instruction": "i need party bags of potato chips.", "attributes": ["fat free", "gluten free", "birthday party"], "options": ["flavor name: reduced fat", "size: 5 ounce (pack of 12)"], "instruction_attributes": ["birthday party"], "instruction_options": ["reduced fat"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW488SY", "worker_id": "A19317A3X87NVM"}, {"asin": "B0001W2XSO", "instruction": "i would like some fat free potato chips that are salt and vinegar", "attributes": ["fat free", "gluten free", "birthday party"], "options": ["flavor name: sea salt and vinegar", "size: 5 ounce (pack of 12)"], "instruction_attributes": ["fat free"], "instruction_options": ["sea salt and vinegar"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQAZVKG", "worker_id": "A2ECRNQ3X5LEXD"}], "B089M2WWHH": [{"asin": "B089M2WWHH", "instruction": "i am looking for a bed with a steel frame and a twin xl memory foam mattress.", "attributes": ["assembly required", "memory foam", "steel frame"], "options": ["size: twin xl", "style: firm mattress only"], "instruction_attributes": ["memory foam", "steel frame"], "instruction_options": ["twin xl"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39INHTLQ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B089M2WWHH", "instruction": "i am looking for a bed with a steel frame and a twin xl memory foam mattress.", "attributes": ["assembly required", "memory foam", "steel frame"], "options": ["size: twin xl", "style: firm mattress only"], "instruction_attributes": ["memory foam", "steel frame"], "instruction_options": ["twin xl"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39INHTLQ", "worker_id": "A1EREKSZAA9V7B"}], "B09JBMP1YR": [{"asin": "B09JBMP1YR", "instruction": "i am looking for a computer gaming chair that has lumbar support.", "attributes": ["heavy duty", "pu leather", "lumbar support"], "options": [""], "instruction_attributes": ["lumbar support"], "instruction_options": [], "assignment_id": "33TIN5LC0FKDY31374RC144TXVX9YD", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09JBMP1YR", "instruction": "i am looking for a computer gaming chair that has lumbar support.", "attributes": ["heavy duty", "pu leather", "lumbar support"], "options": [""], "instruction_attributes": ["lumbar support"], "instruction_options": [], "assignment_id": "33TIN5LC0FKDY31374RC144TXVX9YD", "worker_id": "A2ECRNQ3X5LEXD"}], "B07JGP6BN3": [{"asin": "B07JGP6BN3", "instruction": "want a security camera system with high definition, motion detection and need to be dust proof", "attributes": ["dust proof", "high definition", "motion detection"], "options": [""], "instruction_attributes": ["dust proof", "high definition", "motion detection"], "instruction_options": [], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOEATCH", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07JGP6BN3", "instruction": "want a security camera system with high definition, motion detection and need to be dust proof", "attributes": ["dust proof", "high definition", "motion detection"], "options": [""], "instruction_attributes": ["dust proof", "high definition", "motion detection"], "instruction_options": [], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOEATCH", "worker_id": "A2Y2TURT2VEYZN"}], "B0979651TX": [{"asin": "B0979651TX", "instruction": "i need white steel toe siilsaa sneakers for women in size 7.5.", "attributes": ["steel toe", "teen girls"], "options": ["color: z03 white", "size: 7.5"], "instruction_attributes": ["steel toe"], "instruction_options": ["z03 white", "7.5"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP6UD69", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B0979651TX", "instruction": "i need white steel toe siilsaa sneakers for women in size 7.5.", "attributes": ["steel toe", "teen girls"], "options": ["color: z03 white", "size: 7.5"], "instruction_attributes": ["steel toe"], "instruction_options": ["z03 white", "7.5"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP6UD69", "worker_id": "A2RBF3IIJP15IH"}], "B09HPMDHZK": [{"asin": "B09HPMDHZK", "instruction": "i am looking for silver cupcake toppers for a birthday party.", "attributes": ["birthday party", "cupcake picks"], "options": ["color: silver"], "instruction_attributes": ["birthday party"], "instruction_options": ["silver"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TV3US3", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09HPMDHZK", "instruction": "i am looking for silver cupcake toppers for a birthday party.", "attributes": ["birthday party", "cupcake picks"], "options": ["color: silver"], "instruction_attributes": ["birthday party"], "instruction_options": ["silver"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TV3US3", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09HPMDHZK", "instruction": "i need some pink cupcake toppers for a birthday party.", "attributes": ["birthday party", "cupcake picks"], "options": ["color: pink"], "instruction_attributes": ["birthday party"], "instruction_options": ["pink"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GM7S3P", "worker_id": "AR9AU5FY1S3RO"}], "B09129MGYK": [{"asin": "B09129MGYK", "instruction": "i am looking for a round, ivory colored ottoman for my living room.", "attributes": ["white item", "living room"], "options": ["color: ivory"], "instruction_attributes": ["living room"], "instruction_options": ["ivory"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWU859RY", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09129MGYK", "instruction": "i am looking for a round, ivory colored ottoman for my living room.", "attributes": ["white item", "living room"], "options": ["color: ivory"], "instruction_attributes": ["living room"], "instruction_options": ["ivory"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWU859RY", "worker_id": "A1EREKSZAA9V7B"}], "B08NTSS463": [{"asin": "B08NTSS463", "instruction": "i want to buy some sandals. get the ones with the ankle straps, and buy them in moonstone, size six and a half.", "attributes": ["ethylene vinyl", "vinyl acetate", "ankle strap"], "options": ["color: moonstone", "size: 6.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["moonstone", "6.5"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EBXWSN", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08NTSS463", "instruction": "i want to buy some sandals. get the ones with the ankle straps, and buy them in moonstone, size six and a half.", "attributes": ["ethylene vinyl", "vinyl acetate", "ankle strap"], "options": ["color: moonstone", "size: 6.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["moonstone", "6.5"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EBXWSN", "worker_id": "AR9AU5FY1S3RO"}], "B099K1KP3N": [{"asin": "B099K1KP3N", "instruction": "looking for one bed for kids in grey color, size twin and of easy assemble in wood.", "attributes": ["white item", "easy assemble", "box spring"], "options": ["color: grey(triangle)", "size: twin"], "instruction_attributes": ["easy assemble"], "instruction_options": ["grey(triangle)", "twin"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X022G34X", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B099K1KP3N", "instruction": "looking for one bed for kids in grey color, size twin and of easy assemble in wood.", "attributes": ["white item", "easy assemble", "box spring"], "options": ["color: grey(triangle)", "size: twin"], "instruction_attributes": ["easy assemble"], "instruction_options": ["grey(triangle)", "twin"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X022G34X", "worker_id": "A2Y2TURT2VEYZN"}], "B0786TZL82": [{"asin": "B0786TZL82", "instruction": "i want a low sodium spice mix that has himalyan salt.", "attributes": ["low sodium", "non gmo", "gluten free", "natural ingredients", "gift set", "great gift"], "options": ["flavor: himalayan salt"], "instruction_attributes": ["low sodium"], "instruction_options": ["himalayan salt"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3D8YAA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0786TZL82", "instruction": "i want a low sodium spice mix that has himalyan salt.", "attributes": ["low sodium", "non gmo", "gluten free", "natural ingredients", "gift set", "great gift"], "options": ["flavor: himalayan salt"], "instruction_attributes": ["low sodium"], "instruction_options": ["himalayan salt"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3D8YAA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0786TZL82", "instruction": "i would like a sweet and savory spices that are low sodium.", "attributes": ["low sodium", "non gmo", "gluten free", "natural ingredients", "gift set", "great gift"], "options": ["flavor: sweet & savory"], "instruction_attributes": ["low sodium"], "instruction_options": ["sweet & savory"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DY7OTZ", "worker_id": "A1WS884SI0SLO4"}], "B093L1QNPT": [{"asin": "B093L1QNPT", "instruction": "i'm looking for a black, digital alarm clock that offers wireless bluetooth functionality.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7XWPTZ9", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B093L1QNPT", "instruction": "i'm looking for a black, digital alarm clock that offers wireless bluetooth functionality.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7XWPTZ9", "worker_id": "A2JP9IKRHNLRPI"}], "B088K9PJQY": [{"asin": "B088K9PJQY", "instruction": "find me cloths towel for exfoliating bath for sensitive skin 11.81 x 11.8 inch with yellow edge", "attributes": ["easy clean", "long lasting", "sensitive skin"], "options": ["size: 11.81 x 11.8 inch", "style: yellow edge"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["11.81 x 11.8 inch", "yellow edge"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJF8OL7", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B088K9PJQY", "instruction": "find me cloths towel for exfoliating bath for sensitive skin 11.81 x 11.8 inch with yellow edge", "attributes": ["easy clean", "long lasting", "sensitive skin"], "options": ["size: 11.81 x 11.8 inch", "style: yellow edge"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["11.81 x 11.8 inch", "yellow edge"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJF8OL7", "worker_id": "A2Y2TURT2VEYZN"}], "B07BMF3FYB": [{"asin": "B07BMF3FYB", "instruction": "i am looking for sugar free unsweetened shredded coconut flakes with large flakes.", "attributes": ["gluten free", "usda organic", "low carb", "sugar free", "plant based", "non gmo"], "options": ["flavor name: unsweetened chips | large flakes", "size: 14 ounce (pack of 2)"], "instruction_attributes": ["sugar free"], "instruction_options": ["unsweetened chips | large flakes"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFQ3OJ5", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07BMF3FYB", "instruction": "i am looking for sugar free unsweetened shredded coconut flakes with large flakes.", "attributes": ["gluten free", "usda organic", "low carb", "sugar free", "plant based", "non gmo"], "options": ["flavor name: unsweetened chips | large flakes", "size: 14 ounce (pack of 2)"], "instruction_attributes": ["sugar free"], "instruction_options": ["unsweetened chips | large flakes"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFQ3OJ5", "worker_id": "A1EREKSZAA9V7B"}], "B019MH122Q": [{"asin": "B019MH122Q", "instruction": "i'm looking for ten high-speed, gold-plated hdmi cables.", "attributes": ["high speed", "gold plated"], "options": ["color: 10 pack", "size: 1.5 feet (4-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C481I00", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B019MH122Q", "instruction": "i'm looking for ten high-speed, gold-plated hdmi cables.", "attributes": ["high speed", "gold plated"], "options": ["color: 10 pack", "size: 1.5 feet (4-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C481I00", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B019MH122Q", "instruction": "i need to buy some hdmi male to female cables. look for a pack of ten three foot cables that are high speed and gold plated.", "attributes": ["high speed", "gold plated"], "options": ["color: 10 pack", "size: 3 feet (3-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "3 feet (3-pack)", "hdmi male to female"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRMAF9T", "worker_id": "AR9AU5FY1S3RO"}], "B09BQ35B69": [{"asin": "B09BQ35B69", "instruction": "i would like a pink size 5 high heel shoe with a rubber sole.", "attributes": ["high heel", "rubber sole"], "options": ["color: pink", "size: 5"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["pink", "5"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJJ6Z8S", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09BQ35B69", "instruction": "i would like a pink size 5 high heel shoe with a rubber sole.", "attributes": ["high heel", "rubber sole"], "options": ["color: pink", "size: 5"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["pink", "5"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJJ6Z8S", "worker_id": "A1WS884SI0SLO4"}], "B089JYCLBG": [{"asin": "B089JYCLBG", "instruction": "i am looking for a pink leak proof bag.", "attributes": ["travel size", "leak proof", "travel bottles", "stainless steel", "hair dye"], "options": ["color: pink", "size: 60 ml"], "instruction_attributes": ["leak proof"], "instruction_options": ["pink"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNX6PT8", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B089JYCLBG", "instruction": "i am looking for a pink leak proof bag.", "attributes": ["travel size", "leak proof", "travel bottles", "stainless steel", "hair dye"], "options": ["color: pink", "size: 60 ml"], "instruction_attributes": ["leak proof"], "instruction_options": ["pink"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNX6PT8", "worker_id": "A2ECRNQ3X5LEXD"}], "B00CWTZ8UY": [{"asin": "B00CWTZ8UY", "instruction": "get me a holiday variety pack of sugar free syrup, please.", "attributes": ["sugar free", "fat free", "keto friendly", "gluten free", "zero sugar"], "options": ["flavor name: sugar free syrup, holiday variety pack", "size: 25.4-ounce (pack of 3)"], "instruction_attributes": ["sugar free"], "instruction_options": ["sugar free syrup, holiday variety pack"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYAJ28Z", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B00CWTZ8UY", "instruction": "get me a holiday variety pack of sugar free syrup, please.", "attributes": ["sugar free", "fat free", "keto friendly", "gluten free", "zero sugar"], "options": ["flavor name: sugar free syrup, holiday variety pack", "size: 25.4-ounce (pack of 3)"], "instruction_attributes": ["sugar free"], "instruction_options": ["sugar free syrup, holiday variety pack"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYAJ28Z", "worker_id": "AR9AU5FY1S3RO"}], "B07PXGC1V2": [{"asin": "B07PXGC1V2", "instruction": "i am interested in a high protein snack pack.", "attributes": ["fully cooked", "easy prepare", "protein serving", "keto friendly", "ready eat", "high protein"], "options": [""], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BJFVJT", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07PXGC1V2", "instruction": "i am interested in a high protein snack pack.", "attributes": ["fully cooked", "easy prepare", "protein serving", "keto friendly", "ready eat", "high protein"], "options": [""], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BJFVJT", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DL8BGGW": [{"asin": "B09DL8BGGW", "instruction": "i need in dash navigation that is hands free.", "attributes": ["compatible apple", "1080p hd", "fast charging", "hands free"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z2RGXY", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09DL8BGGW", "instruction": "i need in dash navigation that is hands free.", "attributes": ["compatible apple", "1080p hd", "fast charging", "hands free"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z2RGXY", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QNF7GVB": [{"asin": "B07QNF7GVB", "instruction": "i'm looking for pink cruelty free himalayan salt water mouth rinse.", "attributes": ["alcohol free", "easy use", "cruelty free", "bpa free"], "options": [""], "instruction_attributes": ["alcohol free", "cruelty free"], "instruction_options": [], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HG8SHYY", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B07QNF7GVB", "instruction": "i'm looking for pink cruelty free himalayan salt water mouth rinse.", "attributes": ["alcohol free", "easy use", "cruelty free", "bpa free"], "options": [""], "instruction_attributes": ["alcohol free", "cruelty free"], "instruction_options": [], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HG8SHYY", "worker_id": "ARQ05PDNXPFDI"}], "B07Z19YMN4": [{"asin": "B07Z19YMN4", "instruction": "i am looking for a 15 pack of individually wrapped gourmet cookies with natural ingredients.", "attributes": ["individually wrapped", "artificial ingredients", "simple ingredients", "natural ingredients"], "options": ["flavor name: milk and hazelnut chocolate", "size: 15 count (pack of 3)"], "instruction_attributes": ["individually wrapped", "natural ingredients"], "instruction_options": ["15 count (pack of 3)"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23ST4TQF", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07Z19YMN4", "instruction": "i am looking for a 15 pack of individually wrapped gourmet cookies with natural ingredients.", "attributes": ["individually wrapped", "artificial ingredients", "simple ingredients", "natural ingredients"], "options": ["flavor name: milk and hazelnut chocolate", "size: 15 count (pack of 3)"], "instruction_attributes": ["individually wrapped", "natural ingredients"], "instruction_options": ["15 count (pack of 3)"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23ST4TQF", "worker_id": "A1EREKSZAA9V7B"}], "B00XNUMYTY": [{"asin": "B00XNUMYTY", "instruction": "i need a non-dairy coffee creamer.", "attributes": ["non dairy", "non gmo", "plant based", "dairy free", "artificial ingredients", "low sugar", "gluten free", "shelf stable", "soy free"], "options": [""], "instruction_attributes": ["non dairy"], "instruction_options": [], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDSZYUV9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00XNUMYTY", "instruction": "i need a non-dairy coffee creamer.", "attributes": ["non dairy", "non gmo", "plant based", "dairy free", "artificial ingredients", "low sugar", "gluten free", "shelf stable", "soy free"], "options": [""], "instruction_attributes": ["non dairy"], "instruction_options": [], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDSZYUV9", "worker_id": "A2ECRNQ3X5LEXD"}], "B07G4HMCR1": [{"asin": "B07G4HMCR1", "instruction": "i am looking for a hair color of lime light color having argan oil in it.", "attributes": ["argan oil", "permanent hair"], "options": ["color: lime light"], "instruction_attributes": ["argan oil"], "instruction_options": ["lime light"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2K6L52", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07G4HMCR1", "instruction": "i am looking for a hair color of lime light color having argan oil in it.", "attributes": ["argan oil", "permanent hair"], "options": ["color: lime light"], "instruction_attributes": ["argan oil"], "instruction_options": ["lime light"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2K6L52", "worker_id": "A1Q8PPQQCWGY0D"}], "B09MTPKW8N": [{"asin": "B09MTPKW8N", "instruction": "i need a blue tongue scraper for bad breath.", "attributes": ["oral hygiene", "fresh breath", "bad breath"], "options": ["color: blue"], "instruction_attributes": ["bad breath"], "instruction_options": ["blue"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4QO7KS", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09MTPKW8N", "instruction": "i need a blue tongue scraper for bad breath.", "attributes": ["oral hygiene", "fresh breath", "bad breath"], "options": ["color: blue"], "instruction_attributes": ["bad breath"], "instruction_options": ["blue"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4QO7KS", "worker_id": "A2RBF3IIJP15IH"}], "B09MRKGG9Q": [{"asin": "B09MRKGG9Q", "instruction": "i need a media player with aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQDYKEX", "worker_id": "A19317A3X87NVM"}, {"asin": "B09MRKGG9Q", "instruction": "i need a media player with aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQDYKEX", "worker_id": "A19317A3X87NVM"}, {"asin": "B09MRKGG9Q", "instruction": "find me a hdmi media players with aaa batteries for streaming", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3X08E93BH6SOX0PZ3ET8Y3TY8QB66Q", "worker_id": "A2Y2TURT2VEYZN"}], "B096YP9W7J": [{"asin": "B096YP9W7J", "instruction": "i would like a 6 pack of 10 ounce kashmir potatoes that are ready to eat.", "attributes": ["ready eat", "fully cooked", "gluten free"], "options": ["flavor: kashmir potatoes", "size: 10 ounce (pack of 6)"], "instruction_attributes": ["ready eat"], "instruction_options": ["kashmir potatoes", "10 ounce (pack of 6)"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SSXUDD", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B096YP9W7J", "instruction": "i need some ready to eat delhi potato entrees.", "attributes": ["ready eat", "fully cooked", "gluten free"], "options": ["flavor: delhi potatoes", "size: 10 ounce (pack of 1)"], "instruction_attributes": ["ready eat"], "instruction_options": ["delhi potatoes"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTB3E5I", "worker_id": "A19317A3X87NVM"}, {"asin": "B096YP9W7J", "instruction": "i would like a 6 pack of 10 ounce kashmir potatoes that are ready to eat.", "attributes": ["ready eat", "fully cooked", "gluten free"], "options": ["flavor: kashmir potatoes", "size: 10 ounce (pack of 6)"], "instruction_attributes": ["ready eat"], "instruction_options": ["kashmir potatoes", "10 ounce (pack of 6)"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SSXUDD", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B096YP9W7J", "instruction": "i need ready to eat gluten free kashmir potatoes that is suitable for the preparation of asian foods. and i would prefer a pack of one", "attributes": ["ready eat", "fully cooked", "gluten free"], "options": ["flavor: delhi lentil", "size: 10 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["10 ounce (pack of 1)"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746Z4BTY", "worker_id": "A2COCSUGZV28X"}, {"asin": "B096YP9W7J", "instruction": "i would like some lentils that are ready to eat", "attributes": ["ready eat", "fully cooked", "gluten free"], "options": ["flavor: delhi lentil", "size: 10 ounce (pack of 6)"], "instruction_attributes": ["ready eat"], "instruction_options": ["delhi lentil"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DYDTOA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B096YP9W7J", "instruction": "i would like a six pack of ready to eat entrees", "attributes": ["ready eat", "fully cooked", "gluten free"], "options": ["flavor: kashmir potatoes", "size: 10 ounce (pack of 6)"], "instruction_attributes": ["ready eat"], "instruction_options": ["10 ounce (pack of 6)"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWT21971", "worker_id": "A2ECRNQ3X5LEXD"}], "B09L1KZ8N2": [{"asin": "B09L1KZ8N2", "instruction": "i would like a milky white chair that's easy to clean.", "attributes": ["non slip", "spot clean", "easy clean"], "options": ["color: milk white -1"], "instruction_attributes": ["easy clean"], "instruction_options": ["milk white -1"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPWUTXF", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09L1KZ8N2", "instruction": "i would like a milky white chair that's easy to clean.", "attributes": ["non slip", "spot clean", "easy clean"], "options": ["color: milk white -1"], "instruction_attributes": ["easy clean"], "instruction_options": ["milk white -1"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPWUTXF", "worker_id": "A1WS884SI0SLO4"}], "B07WYD5LPD": [{"asin": "B07WYD5LPD", "instruction": "i am looking for eye shadow that is a soft brass color.", "attributes": ["nail polish", "eye shadow"], "options": ["color: clear | soft brass"], "instruction_attributes": ["eye shadow"], "instruction_options": ["clear | soft brass"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPDJ6VM", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07WYD5LPD", "instruction": "i am looking for eye shadow that is a soft brass color.", "attributes": ["nail polish", "eye shadow"], "options": ["color: clear | soft brass"], "instruction_attributes": ["eye shadow"], "instruction_options": ["clear | soft brass"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPDJ6VM", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PRN1F5X": [{"asin": "B07PRN1F5X", "instruction": "i am looking for dried coconut that is gluten free", "attributes": ["gluten free", "real fruit"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G741472", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07PRN1F5X", "instruction": "i am looking for dried coconut that is gluten free", "attributes": ["gluten free", "real fruit"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G741472", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RX2753C": [{"asin": "B07RX2753C", "instruction": "i need a 30 pair pack of skin care masks for eyes and wrinkles.", "attributes": ["anti aging", "dark circles", "fine lines"], "options": ["color: 30 pairs gold"], "instruction_attributes": ["anti aging", "dark circles"], "instruction_options": ["30 pairs gold"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907PZAUQ", "worker_id": "A19317A3X87NVM"}, {"asin": "B07RX2753C", "instruction": "i need a 30 pair pack of skin care masks for eyes and wrinkles.", "attributes": ["anti aging", "dark circles", "fine lines"], "options": ["color: 30 pairs gold"], "instruction_attributes": ["anti aging", "dark circles"], "instruction_options": ["30 pairs gold"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907PZAUQ", "worker_id": "A19317A3X87NVM"}], "B07BN5LDJ5": [{"asin": "B07BN5LDJ5", "instruction": "i'd like to buy about 12 ounces of fully cooked steak strips that are ready to eat.", "attributes": ["fully cooked", "ready eat"], "options": ["size: 12 ounce (pack of 1)"], "instruction_attributes": ["fully cooked", "ready eat"], "instruction_options": ["12 ounce (pack of 1)"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLQ103F", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07BN5LDJ5", "instruction": "i'd like to buy about 12 ounces of fully cooked steak strips that are ready to eat.", "attributes": ["fully cooked", "ready eat"], "options": ["size: 12 ounce (pack of 1)"], "instruction_attributes": ["fully cooked", "ready eat"], "instruction_options": ["12 ounce (pack of 1)"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLQ103F", "worker_id": "A3EDFA8UQT5GG8"}], "B07GXTPGVR": [{"asin": "B07GXTPGVR", "instruction": "i am looking for rubber sole shoes of light beige knit color.", "attributes": ["day comfort", "rubber sole"], "options": ["color: light beige knit", "size: 6.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["light beige knit"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WOG42N", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07GXTPGVR", "instruction": "i am looking for rubber sole shoes of light beige knit color.", "attributes": ["day comfort", "rubber sole"], "options": ["color: light beige knit", "size: 6.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["light beige knit"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WOG42N", "worker_id": "A1Q8PPQQCWGY0D"}], "B09H7MFR68": [{"asin": "B09H7MFR68", "instruction": "i want to buy some low-rise ankle booties. look for some in green and in a size seven and a half.", "attributes": ["low rise", "knee high", "steel toe", "rubber sole", "daily wear"], "options": ["color: green", "size: 7.5"], "instruction_attributes": ["low rise"], "instruction_options": ["green", "7.5"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZNISHH", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09H7MFR68", "instruction": "i want to buy some low-rise ankle booties. look for some in green and in a size seven and a half.", "attributes": ["low rise", "knee high", "steel toe", "rubber sole", "daily wear"], "options": ["color: green", "size: 7.5"], "instruction_attributes": ["low rise"], "instruction_options": ["green", "7.5"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZNISHH", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09H7MFR68", "instruction": "i'm looking for ankle boots for women and winter round toe solid color booties.", "attributes": ["low rise", "knee high", "steel toe", "rubber sole", "daily wear"], "options": ["color: grey", "size: 6"], "instruction_attributes": ["daily wear"], "instruction_options": ["grey"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLND0M2", "worker_id": "A21IUUHBSEVB56"}], "B07X63DQ2K": [{"asin": "B07X63DQ2K", "instruction": "i need khaki steel toe shoes in size 11 women.", "attributes": ["steel toe", "ethylene vinyl", "vinyl acetate"], "options": ["color: khaki", "size: 11 women | 9 men"], "instruction_attributes": ["steel toe"], "instruction_options": ["khaki", "11 women | 9 men"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNP7FJ5", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07X63DQ2K", "instruction": "i need khaki steel toe shoes in size 11 women.", "attributes": ["steel toe", "ethylene vinyl", "vinyl acetate"], "options": ["color: khaki", "size: 11 women | 9 men"], "instruction_attributes": ["steel toe"], "instruction_options": ["khaki", "11 women | 9 men"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNP7FJ5", "worker_id": "A2RBF3IIJP15IH"}], "B0933K4XFG": [{"asin": "B0933K4XFG", "instruction": "i need an amplifier that is easy to install.", "attributes": ["easy install", "stereo sound"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746TATBA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0933K4XFG", "instruction": "i need an amplifier that is easy to install.", "attributes": ["easy install", "stereo sound"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746TATBA", "worker_id": "A2ECRNQ3X5LEXD"}], "B082TNGSWD": [{"asin": "B082TNGSWD", "instruction": "i am looking for a heavy duty 25 foot 7.6 meter toslink optical cable.", "attributes": ["blu ray", "heavy duty", "high resolution", "high definition"], "options": ["size: 25ft | 7.6m"], "instruction_attributes": ["heavy duty"], "instruction_options": ["25ft | 7.6m"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXYICT", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B082TNGSWD", "instruction": "i am looking for a heavy duty 25 foot 7.6 meter toslink optical cable.", "attributes": ["blu ray", "heavy duty", "high resolution", "high definition"], "options": ["size: 25ft | 7.6m"], "instruction_attributes": ["heavy duty"], "instruction_options": ["25ft | 7.6m"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXYICT", "worker_id": "A1EREKSZAA9V7B"}], "B09K3WM82N": [{"asin": "B09K3WM82N", "instruction": "i need a faux fur white andeworld swivel barrel chair for my living room.", "attributes": ["mid century", "living room"], "options": ["color: faux fur white"], "instruction_attributes": ["living room"], "instruction_options": ["faux fur white"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKWJNDT", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09K3WM82N", "instruction": "i need a faux fur white andeworld swivel barrel chair for my living room.", "attributes": ["mid century", "living room"], "options": ["color: faux fur white"], "instruction_attributes": ["living room"], "instruction_options": ["faux fur white"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKWJNDT", "worker_id": "A2RBF3IIJP15IH"}], "B07QKVNJTP": [{"asin": "B07QKVNJTP", "instruction": "i am looking for wine red maternity shorts with nylon spandex and pockets.", "attributes": ["low rise", "nylon spandex"], "options": ["color: wine red", "size: x-large"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["wine red"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUURLJQ8", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07QKVNJTP", "instruction": "i am looking for wine red maternity shorts with nylon spandex and pockets.", "attributes": ["low rise", "nylon spandex"], "options": ["color: wine red", "size: x-large"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["wine red"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUURLJQ8", "worker_id": "A1EREKSZAA9V7B"}], "B07WK5PLPN": [{"asin": "B07WK5PLPN", "instruction": "i need a women's shower gel that is purple and long lasting.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLPXAD9", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07WK5PLPN", "instruction": "i need a women's shower gel that is purple and long lasting.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLPXAD9", "worker_id": "A2RBF3IIJP15IH"}], "B07SBG7PZK": [{"asin": "B07SBG7PZK", "instruction": "i am looking for pez toy story 4 themed candy for a birthday party.", "attributes": ["individually wrapped", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LG45I0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07SBG7PZK", "instruction": "i am looking for pez toy story 4 themed candy for a birthday party.", "attributes": ["individually wrapped", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LG45I0", "worker_id": "A1EREKSZAA9V7B"}], "B001D0DMME": [{"asin": "B001D0DMME", "instruction": "i am looking for gluten free blueberry almond pecan flavor bars.", "attributes": ["gluten free", "individually wrapped"], "options": ["flavor name: blueberry almond pecan", "size: 1.4 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["blueberry almond pecan"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9IB0B3", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B001D0DMME", "instruction": "i am looking for gluten free blueberry almond pecan flavor bars.", "attributes": ["gluten free", "individually wrapped"], "options": ["flavor name: blueberry almond pecan", "size: 1.4 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["blueberry almond pecan"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9IB0B3", "worker_id": "A1Q8PPQQCWGY0D"}], "B083ZWKR6S": [{"asin": "B083ZWKR6S", "instruction": "looking for ultraboost adidas size 6.5 color black and rubber sole", "attributes": ["lace closure", "rubber outsole", "rubber sole"], "options": ["color: black | black | gold metallic", "size: 6.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black | black | gold metallic", "6.5"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHXH4ZX", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B083ZWKR6S", "instruction": "looking for ultraboost adidas size 6.5 color black and rubber sole", "attributes": ["lace closure", "rubber outsole", "rubber sole"], "options": ["color: black | black | gold metallic", "size: 6.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black | black | gold metallic", "6.5"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHXH4ZX", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B083ZWKR6S", "instruction": "i chose as a gift a black adidas originals men's ultraboost 12.5 with rubber sole. notify me so i can purchase today.", "attributes": ["lace closure", "rubber outsole", "rubber sole"], "options": ["color: core black | core black | grey six", "size: 12.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["core black | core black | grey six", "12.5"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEMEQ8U", "worker_id": "A15IJ20C3R4HUO"}], "B004BCT7G6": [{"asin": "B004BCT7G6", "instruction": "buy me some lipstick in spicy mauve. get the one with argan oil in it.", "attributes": ["highly pigmented", "argan oil", "eye shadow"], "options": ["color: saucy mauve", "style: pinks"], "instruction_attributes": ["argan oil"], "instruction_options": ["saucy mauve"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34I641A", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B004BCT7G6", "instruction": "buy me some lipstick in spicy mauve. get the one with argan oil in it.", "attributes": ["highly pigmented", "argan oil", "eye shadow"], "options": ["color: saucy mauve", "style: pinks"], "instruction_attributes": ["argan oil"], "instruction_options": ["saucy mauve"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34I641A", "worker_id": "AR9AU5FY1S3RO"}], "B07MK3LBPR": [{"asin": "B07MK3LBPR", "instruction": "i'm looking for a maple bacon gluten free with natural flavor, flavor pure orange and size 2 fl oz 24 pack", "attributes": ["non gmo", "gluten free", "natural flavors", "artificial colors"], "options": ["flavor name: pure orange", "size: 2 fl oz (pack of 24)"], "instruction_attributes": ["gluten free", "natural flavors"], "instruction_options": ["pure orange", "2 fl oz (pack of 24)"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU70R755", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07MK3LBPR", "instruction": "i'm looking for a maple bacon gluten free with natural flavor, flavor pure orange and size 2 fl oz 24 pack", "attributes": ["non gmo", "gluten free", "natural flavors", "artificial colors"], "options": ["flavor name: pure orange", "size: 2 fl oz (pack of 24)"], "instruction_attributes": ["gluten free", "natural flavors"], "instruction_options": ["pure orange", "2 fl oz (pack of 24)"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU70R755", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07MK3LBPR", "instruction": "i'm looking for watkins red velvet 2fl oz (pack of 12) with natural flavors.", "attributes": ["non gmo", "gluten free", "natural flavors", "artificial colors"], "options": ["flavor name: red velvet", "size: 2 fl oz (pack of 12)"], "instruction_attributes": ["natural flavors"], "instruction_options": ["red velvet", "2 fl oz (pack of 12)"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UFUA33", "worker_id": "A1Q0EUNCS50S8M"}], "B01MXL8AVD": [{"asin": "B01MXL8AVD", "instruction": "i am looking for a jack daniels chocolate liquor cake for perfect gift", "attributes": ["quality ingredients", "perfect gift"], "options": ["flavor name: jack daniels chocolate"], "instruction_attributes": [], "instruction_options": ["jack daniels chocolate"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO44JG5", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01MXL8AVD", "instruction": "i am looking for a jack daniels chocolate liquor cake for perfect gift", "attributes": ["quality ingredients", "perfect gift"], "options": ["flavor name: jack daniels chocolate"], "instruction_attributes": [], "instruction_options": ["jack daniels chocolate"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO44JG5", "worker_id": "A258PTOZ3D2TQR"}], "B08DKK9VH6": [{"asin": "B08DKK9VH6", "instruction": "i am looking for a travel size fresh linens impression fragrance body oil.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: fresh linens impression", "size: 0.3 fl oz | 10ml"], "instruction_attributes": ["travel size"], "instruction_options": ["fresh linens impression"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X022A43S", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08DKK9VH6", "instruction": "i would like a 15 ml travel size bottle of christian dior miss dior impression.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: christian dior miss dior impression", "size: 0.5 fl oz | 15ml"], "instruction_attributes": ["travel size"], "instruction_options": ["christian dior miss dior impression", "0.5 fl oz | 15ml"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1074LLIH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08DKK9VH6", "instruction": "i am looking for a travel size fresh linens impression fragrance body oil.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: fresh linens impression", "size: 0.3 fl oz | 10ml"], "instruction_attributes": ["travel size"], "instruction_options": ["fresh linens impression"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X022A43S", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08DKK9VH6", "instruction": "i am looking for a long lasting eau de parfum sprayer in a 10 ml bottle.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: lancome tresor impression", "size: 0.3 fl oz | 10ml"], "instruction_attributes": ["long lasting"], "instruction_options": ["0.3 fl oz | 10ml"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1D8U9Y", "worker_id": "AHXHM1PQTRWIQ"}], "B09SFQ6S8M": [{"asin": "B09SFQ6S8M", "instruction": "i'm looking for women's square toe sandals that are non-slip and beige high heels.", "attributes": ["water resistant", "anti slip", "non slip", "tummy control", "steel toe", "high heel", "memory foam"], "options": ["color: a1 - beige", "size: 6.5 wide"], "instruction_attributes": ["anti slip", "high heel"], "instruction_options": ["a1 - beige"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP6O6DW", "worker_id": "ARJDD0Z3R65BD"}, {"asin": "B09SFQ6S8M", "instruction": "i'm looking for women's square toe sandals that are non-slip and beige high heels.", "attributes": ["water resistant", "anti slip", "non slip", "tummy control", "steel toe", "high heel", "memory foam"], "options": ["color: a1 - beige", "size: 6.5 wide"], "instruction_attributes": ["anti slip", "high heel"], "instruction_options": ["a1 - beige"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP6O6DW", "worker_id": "ARJDD0Z3R65BD"}], "B01N6T8JK9": [{"asin": "B01N6T8JK9", "instruction": "i am looking for a size 3 slim fit women's skinny jeans.", "attributes": ["slim fit", "button closure", "high waist", "polyester spandex"], "options": ["color: high waistdark blue", "size: 3"], "instruction_attributes": ["slim fit"], "instruction_options": ["3"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKNRSG4", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01N6T8JK9", "instruction": "i am looking for a size 3 slim fit women's skinny jeans.", "attributes": ["slim fit", "button closure", "high waist", "polyester spandex"], "options": ["color: high waistdark blue", "size: 3"], "instruction_attributes": ["slim fit"], "instruction_options": ["3"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKNRSG4", "worker_id": "A1EREKSZAA9V7B"}], "B097HH78XG": [{"asin": "B097HH78XG", "instruction": "i am looking for size 9 women's fashion sneakers with vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: hold that posture mijas ii", "size: 9"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["9"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOFLMLI", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B097HH78XG", "instruction": "i am looking for size 9 women's fashion sneakers with vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: hold that posture mijas ii", "size: 9"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["9"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOFLMLI", "worker_id": "A1EREKSZAA9V7B"}], "B09NLRZBGM": [{"asin": "B09NLRZBGM", "instruction": "i am looking for a photography background that is lightweight in the color a16 and that is 7 by 5 ft", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a16", "size: 7x5ft | 2.1x1.5m"], "instruction_attributes": ["light weight"], "instruction_options": ["a16", "7x5ft | 2.1x1.5m"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFENV9I", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09NLRZBGM", "instruction": "i am looking for a photography background that is lightweight in the color a16 and that is 7 by 5 ft", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a16", "size: 7x5ft | 2.1x1.5m"], "instruction_attributes": ["light weight"], "instruction_options": ["a16", "7x5ft | 2.1x1.5m"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFENV9I", "worker_id": "A2ECRNQ3X5LEXD"}], "B07MWSX8Z7": [{"asin": "B07MWSX8Z7", "instruction": "i am looking for slim jeans that are granite color and machine washable.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: granite", "fit type: slim", "size: 38w x 40l"], "instruction_attributes": ["machine wash"], "instruction_options": ["granite", "slim"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYGTLQF", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07MWSX8Z7", "instruction": "i am looking for men's wrangler relaxed fit jeans that are straw colored.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: straw", "fit type: big & tall", "size: 35w x 32l"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["straw"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQ93AJW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07MWSX8Z7", "instruction": "i am looking for slim jeans that are granite color and machine washable.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: granite", "fit type: slim", "size: 38w x 40l"], "instruction_attributes": ["machine wash"], "instruction_options": ["granite", "slim"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYGTLQF", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07MWSX8Z7", "instruction": "i looking a comfertable fit regular machine wash men's jeans size 32w*36l color :crest", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: crest", "fit type: regular", "size: 32w x 36l"], "instruction_attributes": ["machine wash", "comfortable fit"], "instruction_options": ["crest", "32w x 36l"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPZCXT7", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B07MWSX8Z7", "instruction": "i am looking for slim fit men jean.it shoud be machine washable.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: blue | worn in", "fit type: slim", "size: 34w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["slim"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7V4UR3", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07MWSX8Z7", "instruction": "i am looking for a black chocolate colored relaxed fit boot cut jean. also, i would like the waist size and the length to be 34 and 31 respectively.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: black chocolate", "fit type: relaxed", "size: 34w x 31l"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["black chocolate", "34w x 31l"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5UNF56", "worker_id": "AJDQGOTMB2D80"}, {"asin": "B07MWSX8Z7", "instruction": "i need regular mashine wash jeans that are granite colored and are a size 33w by 34l", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: granite", "fit type: regular", "size: 33w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["granite", "regular", "33w x 34l"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLWRBYI", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07MWSX8Z7", "instruction": "i want a long lasting boot cut jean that has a relaxed fit. pick a gunter color one.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: gunter", "fit type: regular", "size: 31w x 44l"], "instruction_attributes": ["long lasting", "relaxed fit"], "instruction_options": ["gunter"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVGC1PC", "worker_id": "A1NF6PELRKACS9"}], "B07MDMFDYW": [{"asin": "B07MDMFDYW", "instruction": "i'd like to buy a black touch up dye for covering up roots but with natural ingredients.", "attributes": ["non toxic", "easy use", "natural ingredients"], "options": ["color: black"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["black"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61QGZWE", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07MDMFDYW", "instruction": "i'd like to buy a black touch up dye for covering up roots but with natural ingredients.", "attributes": ["non toxic", "easy use", "natural ingredients"], "options": ["color: black"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["black"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61QGZWE", "worker_id": "A3EDFA8UQT5GG8"}], "B09B3KNP3S": [{"asin": "B09B3KNP3S", "instruction": "i am looking for a round modern end table having 40x55cm size and is easy to clean.", "attributes": ["easy clean", "living room"], "options": ["size: 40x55cm"], "instruction_attributes": ["easy clean"], "instruction_options": ["40x55cm"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q1UKD1", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09B3KNP3S", "instruction": "i am looking for a round modern end table having 40x55cm size and is easy to clean.", "attributes": ["easy clean", "living room"], "options": ["size: 40x55cm"], "instruction_attributes": ["easy clean"], "instruction_options": ["40x55cm"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q1UKD1", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PMKHQDK": [{"asin": "B09PMKHQDK", "instruction": "i am looking for a high definition video projector.", "attributes": ["high definition", "high power"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU482ZBPYK", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09PMKHQDK", "instruction": "i am looking for a high definition video projector.", "attributes": ["high definition", "high power"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU482ZBPYK", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SD9JBY2": [{"asin": "B09SD9JBY2", "instruction": "i need to buy some sandals with arch support in a women's eleven and a half wide.", "attributes": ["slip resistant", "non slip", "quick drying", "closed toe", "arch support"], "options": ["color: a5 - white", "size: 11.5 wide"], "instruction_attributes": ["arch support"], "instruction_options": ["11.5 wide"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI72UGZ0", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09SD9JBY2", "instruction": "i need to buy some sandals with arch support in a women's eleven and a half wide.", "attributes": ["slip resistant", "non slip", "quick drying", "closed toe", "arch support"], "options": ["color: a5 - white", "size: 11.5 wide"], "instruction_attributes": ["arch support"], "instruction_options": ["11.5 wide"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI72UGZ0", "worker_id": "AR9AU5FY1S3RO"}], "B00FWPQB0G": [{"asin": "B00FWPQB0G", "instruction": "i am looking for a shoe rack of satin bronze mesh color that is steel coated.", "attributes": ["coated steel", "storage space"], "options": ["color: satin bronze mesh", "size: 3-tier"], "instruction_attributes": ["coated steel"], "instruction_options": ["satin bronze mesh"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKI4PV6", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00FWPQB0G", "instruction": "i am looking for a shoe rack of satin bronze mesh color that is steel coated.", "attributes": ["coated steel", "storage space"], "options": ["color: satin bronze mesh", "size: 3-tier"], "instruction_attributes": ["coated steel"], "instruction_options": ["satin bronze mesh"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKI4PV6", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00FWPQB0G", "instruction": "i am looking for espresso slat color storage shelf coated with steel.", "attributes": ["coated steel", "storage space"], "options": ["color: espresso slat", "size: 3-tier (2-pack)"], "instruction_attributes": ["coated steel"], "instruction_options": ["espresso slat"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3QELZN", "worker_id": "A1Q8PPQQCWGY0D"}], "B08SVZ6SDM": [{"asin": "B08SVZ6SDM", "instruction": "i want to find a large pair of men's shorts with an elastic waistband. the color should be light khaki.", "attributes": ["elastic waistband", "elastic waist"], "options": ["color: h-light kaki", "size: large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["h-light kaki", "large"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39AJZCQ", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08SVZ6SDM", "instruction": "i want to find a large pair of men's shorts with an elastic waistband. the color should be light khaki.", "attributes": ["elastic waistband", "elastic waist"], "options": ["color: h-light kaki", "size: large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["h-light kaki", "large"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39AJZCQ", "worker_id": "A345TDMHP3DQ3G"}], "B09NM4JZYL": [{"asin": "B09NM4JZYL", "instruction": "i need facial wax strips for hair removal.", "attributes": ["easy use", "hair removal", "beauty salon"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0V64W0", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09NM4JZYL", "instruction": "i need facial wax strips for hair removal.", "attributes": ["easy use", "hair removal", "beauty salon"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0V64W0", "worker_id": "A2RBF3IIJP15IH"}], "B082MTPR2N": [{"asin": "B082MTPR2N", "instruction": "i would like a 1 pound white chocolate covered bag of coffee bean.", "attributes": ["artificial ingredients", "chocolate covered", "baby shower"], "options": ["flavor name: white chocolate", "size: 1 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["white chocolate", "1 pound (pack of 1)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZA8KLT", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B082MTPR2N", "instruction": "i would like a 1 pound white chocolate covered bag of coffee bean.", "attributes": ["artificial ingredients", "chocolate covered", "baby shower"], "options": ["flavor name: white chocolate", "size: 1 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["white chocolate", "1 pound (pack of 1)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZA8KLT", "worker_id": "A1WS884SI0SLO4"}], "B09RMHRGR9": [{"asin": "B09RMHRGR9", "instruction": "looking for triple bunkbeds in wood for kids with space saving in white and with a twin bunk bed with trundle and drawers", "attributes": ["twin size", "space saving"], "options": ["color: white", "style: twin bunk bed with trundle and drawers"], "instruction_attributes": ["space saving"], "instruction_options": ["white", "twin bunk bed with trundle and drawers"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83H0JI1", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B09RMHRGR9", "instruction": "looking for triple bunkbeds in wood for kids with space saving in white and with a twin bunk bed with trundle and drawers", "attributes": ["twin size", "space saving"], "options": ["color: white", "style: twin bunk bed with trundle and drawers"], "instruction_attributes": ["space saving"], "instruction_options": ["white", "twin bunk bed with trundle and drawers"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83H0JI1", "worker_id": "A2Y2TURT2VEYZN"}], "B08SJR7KDF": [{"asin": "B08SJR7KDF", "instruction": "search a perfume body with long lasting and scent impression of love in white and a travel size", "attributes": ["travel size", "long lasting"], "options": ["scent: impression of love in white"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["impression of love in white"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746T5TB5", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B08SJR7KDF", "instruction": "search a perfume body with long lasting and scent impression of love in white and a travel size", "attributes": ["travel size", "long lasting"], "options": ["scent: impression of love in white"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["impression of love in white"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746T5TB5", "worker_id": "A2Y2TURT2VEYZN"}], "B08F28K7VP": [{"asin": "B08F28K7VP", "instruction": "looking for steel toe sneakers no slip with quality materials in green color 6.5 size for men", "attributes": ["non slip", "steel toe", "quality materials", "memory foam", "rubber outsole", "rubber sole"], "options": ["color: green", "size: 8 women | 6.5 men"], "instruction_attributes": ["non slip", "quality materials"], "instruction_options": ["green", "8 women | 6.5 men"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LEJPSA", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B08F28K7VP", "instruction": "looking for steel toe sneakers no slip with quality materials in green color 6.5 size for men", "attributes": ["non slip", "steel toe", "quality materials", "memory foam", "rubber outsole", "rubber sole"], "options": ["color: green", "size: 8 women | 6.5 men"], "instruction_attributes": ["non slip", "quality materials"], "instruction_options": ["green", "8 women | 6.5 men"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LEJPSA", "worker_id": "A2Y2TURT2VEYZN"}], "B08PV5Y6J3": [{"asin": "B08PV5Y6J3", "instruction": "i need a set of 15 bpa free and eco-friendly jars.", "attributes": ["bpa free", "eco friendly", "non toxic", "easy use"], "options": ["size: clear-15pcs"], "instruction_attributes": ["bpa free", "eco friendly"], "instruction_options": ["clear-15pcs"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTQNP9S", "worker_id": "A19317A3X87NVM"}, {"asin": "B08PV5Y6J3", "instruction": "i need a set of 15 bpa free and eco-friendly jars.", "attributes": ["bpa free", "eco friendly", "non toxic", "easy use"], "options": ["size: clear-15pcs"], "instruction_attributes": ["bpa free", "eco friendly"], "instruction_options": ["clear-15pcs"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTQNP9S", "worker_id": "A19317A3X87NVM"}], "B088FNFYPQ": [{"asin": "B088FNFYPQ", "instruction": "i'm looking for a surge protector that is black and offers usb ports.", "attributes": ["fast charging", "usb port"], "options": ["color: black", "size: 4.5ft"], "instruction_attributes": ["usb port"], "instruction_options": ["black"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DSOOT4", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B088FNFYPQ", "instruction": "i'm looking for a surge protector that is black and offers usb ports.", "attributes": ["fast charging", "usb port"], "options": ["color: black", "size: 4.5ft"], "instruction_attributes": ["usb port"], "instruction_options": ["black"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DSOOT4", "worker_id": "A2JP9IKRHNLRPI"}], "B09MFM5LSW": [{"asin": "B09MFM5LSW", "instruction": "i want to buy a manual toothbrush for sensitive teeth that has a multicolored wave design on it.", "attributes": ["oral hygiene", "sensitive teeth"], "options": ["color: (white & black & pink & green) wave"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["(white & black & pink & green) wave"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO2G2RK", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B09MFM5LSW", "instruction": "i want to buy a manual toothbrush for sensitive teeth that has a multicolored wave design on it.", "attributes": ["oral hygiene", "sensitive teeth"], "options": ["color: (white & black & pink & green) wave"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["(white & black & pink & green) wave"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO2G2RK", "worker_id": "A2YNPKYEFDZ6C9"}], "B07Q5157HQ": [{"asin": "B07Q5157HQ", "instruction": "i am looking for a light weight underwater backdrop for a photo studio.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": [""], "instruction_attributes": ["light weight"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30URIY05", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07Q5157HQ", "instruction": "i am looking for a light weight underwater backdrop for a photo studio.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": [""], "instruction_attributes": ["light weight"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30URIY05", "worker_id": "A1EREKSZAA9V7B"}], "B09BRF22MZ": [{"asin": "B09BRF22MZ", "instruction": "i'm looking for long lasting waterproof brow stamp shaping kits, preferably dark brown color.", "attributes": ["cruelty free", "easy carry", "long lasting", "seed oil", "argan oil", "natural ingredients"], "options": ["color: dark brown"], "instruction_attributes": ["long lasting"], "instruction_options": ["dark brown"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1AUXC0", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B09BRF22MZ", "instruction": "i'm looking for long lasting waterproof brow stamp shaping kits, preferably dark brown color.", "attributes": ["cruelty free", "easy carry", "long lasting", "seed oil", "argan oil", "natural ingredients"], "options": ["color: dark brown"], "instruction_attributes": ["long lasting"], "instruction_options": ["dark brown"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1AUXC0", "worker_id": "ARQ05PDNXPFDI"}], "B08DTHB7BV": [{"asin": "B08DTHB7BV", "instruction": "i am loojking for a aluminum alloy single microphone set having black and red color", "attributes": ["batteries included", "plug play", "aluminum alloy"], "options": ["color: black and red", "size: single microphone set"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["black and red", "single microphone set"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJF0LOW", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08DTHB7BV", "instruction": "i am loojking for a aluminum alloy single microphone set having black and red color", "attributes": ["batteries included", "plug play", "aluminum alloy"], "options": ["color: black and red", "size: single microphone set"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["black and red", "single microphone set"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJF0LOW", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08DTHB7BV", "instruction": "i would like a rose gold dual microphone set that comes with batteries included.", "attributes": ["batteries included", "plug play", "aluminum alloy"], "options": ["color: rose gold", "size: dual microphone set"], "instruction_attributes": ["batteries included"], "instruction_options": ["rose gold", "dual microphone set"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZRK04P", "worker_id": "A1WS884SI0SLO4"}], "B09PRGZM4D": [{"asin": "B09PRGZM4D", "instruction": "i need a fashionable zdfer polo with a slim fit in the green color.", "attributes": ["slim fit", "long sleeve", "relaxed fit", "fashion design", "regular fit"], "options": ["color: 112-green", "size: xx-large"], "instruction_attributes": ["slim fit", "fashion design"], "instruction_options": ["112-green"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0PSACG", "worker_id": "A19317A3X87NVM"}, {"asin": "B09PRGZM4D", "instruction": "i need a fashionable zdfer polo with a slim fit in the green color.", "attributes": ["slim fit", "long sleeve", "relaxed fit", "fashion design", "regular fit"], "options": ["color: 112-green", "size: xx-large"], "instruction_attributes": ["slim fit", "fashion design"], "instruction_options": ["112-green"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0PSACG", "worker_id": "A19317A3X87NVM"}], "B000N68ILE": [{"asin": "B000N68ILE", "instruction": "i'm looking to buy a high performance digital camera with optical zoom.", "attributes": ["high performance", "optical zoom"], "options": [""], "instruction_attributes": ["high performance", "optical zoom"], "instruction_options": [], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPSZZ9G7", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B000N68ILE", "instruction": "i'm looking to buy a high performance digital camera with optical zoom.", "attributes": ["high performance", "optical zoom"], "options": [""], "instruction_attributes": ["high performance", "optical zoom"], "instruction_options": [], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPSZZ9G7", "worker_id": "A3EDFA8UQT5GG8"}], "B07L4KJXWL": [{"asin": "B07L4KJXWL", "instruction": "i need a barebone intel core computer system in an aluminum alloy case with an i7-8850h.", "attributes": ["intel core", "aluminum alloy"], "options": ["color: cpu i7-8850h", "size: 8g ram 128g ssd"], "instruction_attributes": ["intel core", "aluminum alloy"], "instruction_options": ["cpu i7-8850h"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907PYAUP", "worker_id": "A19317A3X87NVM"}, {"asin": "B07L4KJXWL", "instruction": "i would like a 8 g of ram 250 ssd desktop mini with a intel core cpu i7.", "attributes": ["intel core", "aluminum alloy"], "options": ["color: cpu i7-8850h", "size: 8g ram 240g ssd"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHMG0JI", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07L4KJXWL", "instruction": "i need a barebone intel core computer system in an aluminum alloy case with an i7-8850h.", "attributes": ["intel core", "aluminum alloy"], "options": ["color: cpu i7-8850h", "size: 8g ram 128g ssd"], "instruction_attributes": ["intel core", "aluminum alloy"], "instruction_options": ["cpu i7-8850h"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907PYAUP", "worker_id": "A19317A3X87NVM"}], "B0723CL3ZJ": [{"asin": "B0723CL3ZJ", "instruction": "i would like a hands free cd dvd car stereo reciever.", "attributes": ["high resolution", "hands free", "usb port"], "options": ["style: single din cd | dvd av bluetooth"], "instruction_attributes": ["hands free"], "instruction_options": ["single din cd | dvd av bluetooth"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJJK8ZF", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0723CL3ZJ", "instruction": "i would like a hands free cd dvd car stereo reciever.", "attributes": ["high resolution", "hands free", "usb port"], "options": ["style: single din cd | dvd av bluetooth"], "instruction_attributes": ["hands free"], "instruction_options": ["single din cd | dvd av bluetooth"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJJK8ZF", "worker_id": "A1WS884SI0SLO4"}], "B085Y48HZM": [{"asin": "B085Y48HZM", "instruction": "i need some concealer for my dark circles that is in shade 03 natural", "attributes": ["easy apply", "dark circles"], "options": ["color: 03.natural"], "instruction_attributes": ["dark circles"], "instruction_options": ["03.natural"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5O2F59", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B085Y48HZM", "instruction": "i need some concealer for my dark circles that is in shade 03 natural", "attributes": ["easy apply", "dark circles"], "options": ["color: 03.natural"], "instruction_attributes": ["dark circles"], "instruction_options": ["03.natural"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5O2F59", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B085Y48HZM", "instruction": "i need a liquid concealer to fix my dark circles. pick a warm natural shade.", "attributes": ["easy apply", "dark circles"], "options": ["color: a-04.warm natural"], "instruction_attributes": ["dark circles"], "instruction_options": ["a-04.warm natural"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602WE59Q", "worker_id": "A1NF6PELRKACS9"}], "B06XPRNQ92": [{"asin": "B06XPRNQ92", "instruction": "i need a machine washable t-shirt that is pink and in a size medium.", "attributes": ["officially licensed", "machine washable", "everyday wear"], "options": ["color: pink", "size: medium"], "instruction_attributes": ["machine washable"], "instruction_options": ["pink", "medium"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6HR7UU", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B06XPRNQ92", "instruction": "i need a machine washable t-shirt that is pink and in a size medium.", "attributes": ["officially licensed", "machine washable", "everyday wear"], "options": ["color: pink", "size: medium"], "instruction_attributes": ["machine washable"], "instruction_options": ["pink", "medium"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6HR7UU", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MCXRWD1": [{"asin": "B09MCXRWD1", "instruction": "i need an eco friendly window film that is multi color and the size 23.6\" x 59\".", "attributes": ["eco friendly", "living room"], "options": ["color: multi-11105", "size: 23.6\" x 59\" x 2 pcs"], "instruction_attributes": ["eco friendly"], "instruction_options": ["multi-11105", "23.6\" x 59\" x 2 pcs"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL3P5H7", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09MCXRWD1", "instruction": "i need an eco friendly window film that is multi color and the size 23.6\" x 59\".", "attributes": ["eco friendly", "living room"], "options": ["color: multi-11105", "size: 23.6\" x 59\" x 2 pcs"], "instruction_attributes": ["eco friendly"], "instruction_options": ["multi-11105", "23.6\" x 59\" x 2 pcs"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL3P5H7", "worker_id": "A2RBF3IIJP15IH"}], "B07YNFJF3V": [{"asin": "B07YNFJF3V", "instruction": "i'd like to buy a ready to hang toilet paper holder for size 24 by 30 rolls.", "attributes": ["ready hang", "wood finish"], "options": ["size: 24x30", "style: gray framed"], "instruction_attributes": ["ready hang"], "instruction_options": ["24x30"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2BQOI5", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07YNFJF3V", "instruction": "i'd like to buy a ready to hang toilet paper holder for size 24 by 30 rolls.", "attributes": ["ready hang", "wood finish"], "options": ["size: 24x30", "style: gray framed"], "instruction_attributes": ["ready hang"], "instruction_options": ["24x30"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2BQOI5", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07YNFJF3V", "instruction": "i want a ready to hang wall plaque with a wood finish.", "attributes": ["ready hang", "wood finish"], "options": ["size: 36x48", "style: wall plaque"], "instruction_attributes": ["ready hang", "wood finish"], "instruction_options": ["wall plaque"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI80ZSS6", "worker_id": "A1NF6PELRKACS9"}], "B087J3LZ87": [{"asin": "B087J3LZ87", "instruction": "i'm looking for black color 1080p hd male to female converter adapter cable for laptop hdtv dvd.", "attributes": ["high power", "1080p hd", "high resolution", "high definition"], "options": ["color: black"], "instruction_attributes": ["1080p hd"], "instruction_options": ["black"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDU2IAG", "worker_id": "A3AGXTSAHA2AFL"}, {"asin": "B087J3LZ87", "instruction": "i'm looking for black color 1080p hd male to female converter adapter cable for laptop hdtv dvd.", "attributes": ["high power", "1080p hd", "high resolution", "high definition"], "options": ["color: black"], "instruction_attributes": ["1080p hd"], "instruction_options": ["black"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDU2IAG", "worker_id": "A3AGXTSAHA2AFL"}], "B0777L4NZW": [{"asin": "B0777L4NZW", "instruction": "i am interested in machine washable throw pillow covers in a size 28\" by 28\"", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["size: 28\" x 28\""], "instruction_attributes": ["machine washable"], "instruction_options": ["28\" x 28\""], "assignment_id": "33F859I56HNA01QBVO1K6A4GVZLBHO", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0777L4NZW", "instruction": "i am interested in machine washable throw pillow covers in a size 28\" by 28\"", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["size: 28\" x 28\""], "instruction_attributes": ["machine washable"], "instruction_options": ["28\" x 28\""], "assignment_id": "33F859I56HNA01QBVO1K6A4GVZLBHO", "worker_id": "A2ECRNQ3X5LEXD"}], "B00S5643SQ": [{"asin": "B00S5643SQ", "instruction": "i'm looking for a 1.18 fluid ounce pack of oil free hydrating gel cream. i want the flavor to be sienna.", "attributes": ["dermatologist tested", "oil free", "hyaluronic acid"], "options": ["flavor name: sienna 10", "size: 1.18 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["sienna 10", "1.18 fl oz (pack of 1)"], "assignment_id": "3N8OEVH1F204BC17361WW31GEKHOOS", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B00S5643SQ", "instruction": "i'm looking for a 1.18 fluid ounce pack of oil free hydrating gel cream. i want the flavor to be sienna.", "attributes": ["dermatologist tested", "oil free", "hyaluronic acid"], "options": ["flavor name: sienna 10", "size: 1.18 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["sienna 10", "1.18 fl oz (pack of 1)"], "assignment_id": "3N8OEVH1F204BC17361WW31GEKHOOS", "worker_id": "A345TDMHP3DQ3G"}], "B09P6983SX": [{"asin": "B09P6983SX", "instruction": "i need a console table for the living room that is size 140 by 15 by 100 cm.", "attributes": ["space saving", "storage unit", "solid wood", "living room", "dining room"], "options": ["size: 140x15x100cm"], "instruction_attributes": ["living room"], "instruction_options": ["140x15x100cm"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX53FCW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09P6983SX", "instruction": "i need a console table for the living room that is size 140 by 15 by 100 cm.", "attributes": ["space saving", "storage unit", "solid wood", "living room", "dining room"], "options": ["size: 140x15x100cm"], "instruction_attributes": ["living room"], "instruction_options": ["140x15x100cm"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX53FCW", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QMN5LD2": [{"asin": "B09QMN5LD2", "instruction": "i'm looking for a tempered glass protector that is easy to install.", "attributes": ["easy install", "glass screen", "tempered glass"], "options": [""], "instruction_attributes": ["easy install", "tempered glass"], "instruction_options": [], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFQVJOS", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B09QMN5LD2", "instruction": "i'm looking for a tempered glass protector that is easy to install.", "attributes": ["easy install", "glass screen", "tempered glass"], "options": [""], "instruction_attributes": ["easy install", "tempered glass"], "instruction_options": [], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFQVJOS", "worker_id": "A34EHWOYRBL6OZ"}], "B07DVXMWHW": [{"asin": "B07DVXMWHW", "instruction": "i am looking for a high quality cosmetic bag of butterfly-1 color.", "attributes": ["high quality", "easy use"], "options": ["color: butterfly-1"], "instruction_attributes": ["high quality"], "instruction_options": ["butterfly-1"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX5QFCJ", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07DVXMWHW", "instruction": "i am looking for a high quality cosmetic bag of butterfly-1 color.", "attributes": ["high quality", "easy use"], "options": ["color: butterfly-1"], "instruction_attributes": ["high quality"], "instruction_options": ["butterfly-1"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX5QFCJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B099DFVXVR": [{"asin": "B099DFVXVR", "instruction": "i'm interested in a variety pack of veggie snacks that offer vitamins, but not artificial flavors.", "attributes": ["source vitamin", "artificial flavors"], "options": ["flavor name: variety pack"], "instruction_attributes": ["source vitamin", "artificial flavors"], "instruction_options": ["variety pack"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2B8IOH", "worker_id": "AFU00NU09CFXE"}, {"asin": "B099DFVXVR", "instruction": "i'm interested in a variety pack of veggie snacks that offer vitamins, but not artificial flavors.", "attributes": ["source vitamin", "artificial flavors"], "options": ["flavor name: variety pack"], "instruction_attributes": ["source vitamin", "artificial flavors"], "instruction_options": ["variety pack"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2B8IOH", "worker_id": "AFU00NU09CFXE"}], "B09QHRCF6M": [{"asin": "B09QHRCF6M", "instruction": "i wuold like a purple 190 by 70cm round head linens for my beauty salon.", "attributes": ["easy clean", "high quality", "beauty salon"], "options": ["color: purple", "size: 190*70cm round head"], "instruction_attributes": ["beauty salon"], "instruction_options": ["purple", "190*70cm round head"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLHVM0U", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09QHRCF6M", "instruction": "i wuold like a purple 190 by 70cm round head linens for my beauty salon.", "attributes": ["easy clean", "high quality", "beauty salon"], "options": ["color: purple", "size: 190*70cm round head"], "instruction_attributes": ["beauty salon"], "instruction_options": ["purple", "190*70cm round head"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLHVM0U", "worker_id": "A1WS884SI0SLO4"}], "B07CR9T4FH": [{"asin": "B07CR9T4FH", "instruction": "i would like a 4g lte phone that's device only.", "attributes": ["quad core", "4g lte"], "options": ["style: device only"], "instruction_attributes": ["4g lte"], "instruction_options": ["device only"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLEX2FH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07CR9T4FH", "instruction": "i would like a 4g lte phone that's device only.", "attributes": ["quad core", "4g lte"], "options": ["style: device only"], "instruction_attributes": ["4g lte"], "instruction_options": ["device only"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLEX2FH", "worker_id": "A1WS884SI0SLO4"}], "B09PYXZM6J": [{"asin": "B09PYXZM6J", "instruction": "i need a black wireless bluetooth soundbar.", "attributes": ["high performance", "wireless bluetooth", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DOW4K3", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09PYXZM6J", "instruction": "i need a black wireless bluetooth soundbar.", "attributes": ["high performance", "wireless bluetooth", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DOW4K3", "worker_id": "A2RBF3IIJP15IH"}], "B09QSWJHJQ": [{"asin": "B09QSWJHJQ", "instruction": "i'm looking for a tempered glass window covering film for privacy in my dining room. it should be 23.6in by 47.2in.", "attributes": ["tempered glass", "dining room"], "options": ["color: 3585883", "size: (width\uff0923.6in x (length)47.2in"], "instruction_attributes": ["tempered glass", "dining room"], "instruction_options": ["(width\uff0923.6in x (length)47.2in"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDUBIAP", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B09QSWJHJQ", "instruction": "i'm looking for a tempered glass window covering film for privacy in my dining room. it should be 23.6in by 47.2in.", "attributes": ["tempered glass", "dining room"], "options": ["color: 3585883", "size: (width\uff0923.6in x (length)47.2in"], "instruction_attributes": ["tempered glass", "dining room"], "instruction_options": ["(width\uff0923.6in x (length)47.2in"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDUBIAP", "worker_id": "A3EDFA8UQT5GG8"}], "B0773TPF7M": [{"asin": "B0773TPF7M", "instruction": "i want to get a 13-ounce pack of mega omega trail mix with no artificial ingredients.", "attributes": ["artificial ingredients", "non gmo", "keto friendly", "gluten free"], "options": ["flavor name: mega omega", "size: 13 ounce (pack of 1)"], "instruction_attributes": ["artificial ingredients"], "instruction_options": ["mega omega", "13 ounce (pack of 1)"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXUGYMD", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B0773TPF7M", "instruction": "i want to get a 13-ounce pack of mega omega trail mix with no artificial ingredients.", "attributes": ["artificial ingredients", "non gmo", "keto friendly", "gluten free"], "options": ["flavor name: mega omega", "size: 13 ounce (pack of 1)"], "instruction_attributes": ["artificial ingredients"], "instruction_options": ["mega omega", "13 ounce (pack of 1)"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXUGYMD", "worker_id": "A345TDMHP3DQ3G"}], "B01B384AZS": [{"asin": "B01B384AZS", "instruction": "i would like oxford shoes that are brown and size 11 x-wide with a rubber sole.", "attributes": ["moisture wicking", "lace closure", "rubber outsole", "rubber sole"], "options": ["color: brown smooth", "size: 11 x-wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown smooth", "11 x-wide"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9DKE2D", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01B384AZS", "instruction": "i would like oxford shoes that are brown and size 11 x-wide with a rubber sole.", "attributes": ["moisture wicking", "lace closure", "rubber outsole", "rubber sole"], "options": ["color: brown smooth", "size: 11 x-wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown smooth", "11 x-wide"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9DKE2D", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q6BWQKW": [{"asin": "B09Q6BWQKW", "instruction": "i need a kids u-shaped toothbrush for sensitive teeth.", "attributes": ["easy use", "teeth whitening", "sensitive teeth"], "options": ["color: f"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["f"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X3NY3L", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09Q6BWQKW", "instruction": "i need a kids u-shaped toothbrush for sensitive teeth.", "attributes": ["easy use", "teeth whitening", "sensitive teeth"], "options": ["color: f"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["f"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X3NY3L", "worker_id": "A2RBF3IIJP15IH"}], "B09P78D1VH": [{"asin": "B09P78D1VH", "instruction": "i am looking for a long sleeve mens hoodie pullover size x-large.", "attributes": ["slim fit", "loose fit", "long sleeve", "elastic waist", "contrast color", "relaxed fit", "short sleeve"], "options": ["color: z1-grey", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x-large"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAAQFI1", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09P78D1VH", "instruction": "i am looking for a long sleeve mens hoodie pullover size x-large.", "attributes": ["slim fit", "loose fit", "long sleeve", "elastic waist", "contrast color", "relaxed fit", "short sleeve"], "options": ["color: z1-grey", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x-large"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAAQFI1", "worker_id": "A1EREKSZAA9V7B"}], "B09BVJ7T8M": [{"asin": "B09BVJ7T8M", "instruction": "i need cupcake toppers for a birthday party that are in the color rg-50th", "attributes": ["cupcake picks", "birthday party"], "options": ["color: rg-50th"], "instruction_attributes": ["birthday party"], "instruction_options": ["rg-50th"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKHWD7Q", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09BVJ7T8M", "instruction": "i need cupcake toppers for a birthday party that are in the color rg-50th", "attributes": ["cupcake picks", "birthday party"], "options": ["color: rg-50th"], "instruction_attributes": ["birthday party"], "instruction_options": ["rg-50th"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKHWD7Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B075L8H2H5": [{"asin": "B075L8H2H5", "instruction": "i need a california king mattress set that has a 4\" foundation", "attributes": ["ready use", "assembly required", "queen size", "fully assembled", "twin size", "king size", "box spring"], "options": ["size: california king", "style name: 4\" foundation"], "instruction_attributes": ["king size"], "instruction_options": ["california king", "4\" foundation"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHNO0JS", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B075L8H2H5", "instruction": "i need a california king mattress set that has a 4\" foundation", "attributes": ["ready use", "assembly required", "queen size", "fully assembled", "twin size", "king size", "box spring"], "options": ["size: california king", "style name: 4\" foundation"], "instruction_attributes": ["king size"], "instruction_options": ["california king", "4\" foundation"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHNO0JS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09J18Q23T": [{"asin": "B09J18Q23T", "instruction": "i'm interested in a table runner that is 72\"x16\"+13\"x19\"x4, easy to clean and machine washable.", "attributes": ["machine washable", "easy clean"], "options": ["size: 72\"x16\"+13\"x19\"x4"], "instruction_attributes": ["machine washable", "easy clean"], "instruction_options": ["72\"x16\"+13\"x19\"x4"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQAB912", "worker_id": "AFU00NU09CFXE"}, {"asin": "B09J18Q23T", "instruction": "i'm interested in a table runner that is 72\"x16\"+13\"x19\"x4, easy to clean and machine washable.", "attributes": ["machine washable", "easy clean"], "options": ["size: 72\"x16\"+13\"x19\"x4"], "instruction_attributes": ["machine washable", "easy clean"], "instruction_options": ["72\"x16\"+13\"x19\"x4"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQAB912", "worker_id": "AFU00NU09CFXE"}], "B00NQFJ42G": [{"asin": "B00NQFJ42G", "instruction": "i need jade johnny mbj women's casual comfy wide leg pants in size medium.", "attributes": ["hand wash", "long lasting", "wide leg", "wash cold", "machine wash"], "options": ["color: wb750_jade", "size: medium"], "instruction_attributes": ["wide leg"], "instruction_options": ["wb750_jade", "medium"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSL60XJ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B00NQFJ42G", "instruction": "i need jade johnny mbj women's casual comfy wide leg pants in size medium.", "attributes": ["hand wash", "long lasting", "wide leg", "wash cold", "machine wash"], "options": ["color: wb750_jade", "size: medium"], "instruction_attributes": ["wide leg"], "instruction_options": ["wb750_jade", "medium"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSL60XJ", "worker_id": "A2RBF3IIJP15IH"}], "B09PH95SSN": [{"asin": "B09PH95SSN", "instruction": "i would like a pair of c clippers for hair cutting.", "attributes": ["heavy duty", "stainless steel", "hair cutting"], "options": ["color: c"], "instruction_attributes": ["hair cutting"], "instruction_options": ["c"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXTU4OB", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09PH95SSN", "instruction": "i would like a pair of c clippers for hair cutting.", "attributes": ["heavy duty", "stainless steel", "hair cutting"], "options": ["color: c"], "instruction_attributes": ["hair cutting"], "instruction_options": ["c"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXTU4OB", "worker_id": "A1WS884SI0SLO4"}], "B0927GRTKG": [{"asin": "B0927GRTKG", "instruction": "i am looking for easy install and ready hang kitchen artwork-04 with size s-(18x12inches)", "attributes": ["ready hang", "easy install", "dining room", "living room"], "options": ["color: kitchen artwork-04", "size: s-(18 x 12 inches)"], "instruction_attributes": ["ready hang", "easy install"], "instruction_options": ["kitchen artwork-04", "s-(18 x 12 inches)"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGNSYIX", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B0927GRTKG", "instruction": "i am looking for easy install and ready hang kitchen artwork-04 with size s-(18x12inches)", "attributes": ["ready hang", "easy install", "dining room", "living room"], "options": ["color: kitchen artwork-04", "size: s-(18 x 12 inches)"], "instruction_attributes": ["ready hang", "easy install"], "instruction_options": ["kitchen artwork-04", "s-(18 x 12 inches)"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGNSYIX", "worker_id": "AX2EWYWZM19AZ"}], "B09MR36WWT": [{"asin": "B09MR36WWT", "instruction": "i'm looking for a desktop pc with an intel core i5 processor alongside 16 gb of ram and a 1 tb nvme ssd for storage.", "attributes": ["core i5", "intel core"], "options": ["size: 16gb ram + 1tb nvme ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["16gb ram + 1tb nvme ssd"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKNVPEU", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09MR36WWT", "instruction": "i'm looking for a desktop pc with an intel core i5 processor alongside 16 gb of ram and a 1 tb nvme ssd for storage.", "attributes": ["core i5", "intel core"], "options": ["size: 16gb ram + 1tb nvme ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["16gb ram + 1tb nvme ssd"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKNVPEU", "worker_id": "A2JP9IKRHNLRPI"}], "B00910O4YS": [{"asin": "B00910O4YS", "instruction": "i am looking for endurance crunch granola that comes in a pack of six and is non gmo.", "attributes": ["baked fresh", "non gmo", "gluten free"], "options": ["flavor name: endurance crunch", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["endurance crunch", "12 ounce (pack of 6)"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QSR07O", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00910O4YS", "instruction": "i am looking for endurance crunch granola that comes in a pack of six and is non gmo.", "attributes": ["baked fresh", "non gmo", "gluten free"], "options": ["flavor name: endurance crunch", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["endurance crunch", "12 ounce (pack of 6)"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QSR07O", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00910O4YS", "instruction": "i am looking for a 12 ounce (pack of 6) of baked fresh granola", "attributes": ["baked fresh", "non gmo", "gluten free"], "options": ["flavor name: coconut chia", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["baked fresh"], "instruction_options": ["12 ounce (pack of 6)"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTR8KTI", "worker_id": "A9QRQL9CFJBI7"}], "B09M3XZKKL": [{"asin": "B09M3XZKKL", "instruction": "i would like a nightstand that is brown with a steel frame.", "attributes": ["space saving", "easy assemble", "storage unit", "steel frame"], "options": ["color: brown8"], "instruction_attributes": ["steel frame"], "instruction_options": ["brown8"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7TMURH", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09M3XZKKL", "instruction": "i need a gray nightstand with a steel frame.", "attributes": ["space saving", "easy assemble", "storage unit", "steel frame"], "options": ["color: grey3"], "instruction_attributes": ["steel frame"], "instruction_options": ["grey3"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFIVEMY", "worker_id": "A19317A3X87NVM"}, {"asin": "B09M3XZKKL", "instruction": "i would like a nightstand that is brown with a steel frame.", "attributes": ["space saving", "easy assemble", "storage unit", "steel frame"], "options": ["color: brown8"], "instruction_attributes": ["steel frame"], "instruction_options": ["brown8"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7TMURH", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09M3XZKKL", "instruction": "i need a gray nightstand with a steel frame.", "attributes": ["space saving", "easy assemble", "storage unit", "steel frame"], "options": ["color: grey3"], "instruction_attributes": ["steel frame"], "instruction_options": ["grey3"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFIVEMY", "worker_id": "A19317A3X87NVM"}], "B08QMXXJ82": [{"asin": "B08QMXXJ82", "instruction": "i need a red k22 phone case that comes with a tempered glass screen protector.", "attributes": ["non slip", "hands free", "glass screen", "tempered glass"], "options": ["color: kj-red"], "instruction_attributes": ["tempered glass"], "instruction_options": ["kj-red"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YWTEHM", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08QMXXJ82", "instruction": "i need a red k22 phone case that comes with a tempered glass screen protector.", "attributes": ["non slip", "hands free", "glass screen", "tempered glass"], "options": ["color: kj-red"], "instruction_attributes": ["tempered glass"], "instruction_options": ["kj-red"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YWTEHM", "worker_id": "A2RBF3IIJP15IH"}], "B000MWFD3U": [{"asin": "B000MWFD3U", "instruction": "i need to order a fully assembled tan chair.", "attributes": ["fully assembled", "steel frame"], "options": ["color: tan"], "instruction_attributes": ["fully assembled"], "instruction_options": ["tan"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQQWB59", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B000MWFD3U", "instruction": "i need to order a fully assembled tan chair.", "attributes": ["fully assembled", "steel frame"], "options": ["color: tan"], "instruction_attributes": ["fully assembled"], "instruction_options": ["tan"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQQWB59", "worker_id": "AR9AU5FY1S3RO"}], "B093WWHRLT": [{"asin": "B093WWHRLT", "instruction": "i am looking for a high speed 50 foot 8k hdmi cable.", "attributes": ["ultra hd", "blu ray", "high speed"], "options": ["size: 50 ft", "style: 8k"], "instruction_attributes": ["high speed"], "instruction_options": ["50 ft", "8k"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSTHGLC", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B093WWHRLT", "instruction": "i am looking for a high speed 50 foot 8k hdmi cable.", "attributes": ["ultra hd", "blu ray", "high speed"], "options": ["size: 50 ft", "style: 8k"], "instruction_attributes": ["high speed"], "instruction_options": ["50 ft", "8k"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSTHGLC", "worker_id": "A1EREKSZAA9V7B"}], "B081YYPFDS": [{"asin": "B081YYPFDS", "instruction": "i'm looking for a size 54w x 29l straight leg levi's men's jean.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: dark stonewash", "size: 54w x 29l"], "instruction_attributes": ["straight leg"], "instruction_options": ["54w x 29l"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJP2XB1", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B081YYPFDS", "instruction": "i'm looking for a size 54w x 29l straight leg levi's men's jean.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: dark stonewash", "size: 54w x 29l"], "instruction_attributes": ["straight leg"], "instruction_options": ["54w x 29l"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJP2XB1", "worker_id": "ARQ05PDNXPFDI"}], "B09M6W62XL": [{"asin": "B09M6W62XL", "instruction": "i want to shop for a wooden bedframe in grey.", "attributes": ["space saving", "easy clean", "white finish", "wood frame", "box spring"], "options": ["color: grey", "style: metal triple twin bunk bed"], "instruction_attributes": ["wood frame"], "instruction_options": ["grey"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCPL56I", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09M6W62XL", "instruction": "i want to shop for a wooden bedframe in grey.", "attributes": ["space saving", "easy clean", "white finish", "wood frame", "box spring"], "options": ["color: grey", "style: metal triple twin bunk bed"], "instruction_attributes": ["wood frame"], "instruction_options": ["grey"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCPL56I", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09M6W62XL", "instruction": "i am looking for space saving bed with slide for kids without box spring.please choose black color.", "attributes": ["space saving", "easy clean", "white finish", "wood frame", "box spring"], "options": ["color: black 2", "style: twin & twin low bunk bed w | slide"], "instruction_attributes": ["space saving", "box spring"], "instruction_options": ["black 2"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZSIHSG", "worker_id": "A3FG5PQHG5AH3Y"}], "B09NDPP6PK": [{"asin": "B09NDPP6PK", "instruction": "i'm looking for a sandals with strap platform size 5 open toe in black", "attributes": ["open toe", "closed toe"], "options": ["color: z4 black", "size: 5"], "instruction_attributes": ["open toe"], "instruction_options": ["z4 black", "5"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMFKZI9", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B09NDPP6PK", "instruction": "i'm looking for a sandals with strap platform size 5 open toe in black", "attributes": ["open toe", "closed toe"], "options": ["color: z4 black", "size: 5"], "instruction_attributes": ["open toe"], "instruction_options": ["z4 black", "5"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMFKZI9", "worker_id": "A2Y2TURT2VEYZN"}], "B09G9KPK18": [{"asin": "B09G9KPK18", "instruction": "i am looking for men's size 13 work shoes with arch support and rubber soles.", "attributes": ["arch support", "rubber sole"], "options": ["size: 13"], "instruction_attributes": ["arch support", "rubber sole"], "instruction_options": ["13"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323D8XWD3", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09G9KPK18", "instruction": "i am looking for men's size 13 work shoes with arch support and rubber soles.", "attributes": ["arch support", "rubber sole"], "options": ["size: 13"], "instruction_attributes": ["arch support", "rubber sole"], "instruction_options": ["13"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323D8XWD3", "worker_id": "A1EREKSZAA9V7B"}], "B08QDRBN5X": [{"asin": "B08QDRBN5X", "instruction": "i need a 9 ounce pack of chocolate peanut butter keto cereal that is grain free.", "attributes": ["keto friendly", "grain free", "low carb", "sugar free", "plant based", "gluten free", "zero sugar"], "options": ["flavor name: chocolate peanut butter", "size: 9 ounce (pack of 4)"], "instruction_attributes": ["grain free"], "instruction_options": ["chocolate peanut butter", "9 ounce (pack of 4)"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XC4XT", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08QDRBN5X", "instruction": "i need a 9 ounce pack of chocolate peanut butter keto cereal that is grain free.", "attributes": ["keto friendly", "grain free", "low carb", "sugar free", "plant based", "gluten free", "zero sugar"], "options": ["flavor name: chocolate peanut butter", "size: 9 ounce (pack of 4)"], "instruction_attributes": ["grain free"], "instruction_options": ["chocolate peanut butter", "9 ounce (pack of 4)"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XC4XT", "worker_id": "A2RBF3IIJP15IH"}], "B0852K8KD7": [{"asin": "B0852K8KD7", "instruction": "i am looking for a tripod that is compatible with apple and that is black and white.", "attributes": ["compatible apple", "wireless bluetooth"], "options": ["color: black | white"], "instruction_attributes": ["compatible apple"], "instruction_options": ["black | white"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8FXC48", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0852K8KD7", "instruction": "i am looking for a tripod that is compatible with apple and that is black and white.", "attributes": ["compatible apple", "wireless bluetooth"], "options": ["color: black | white"], "instruction_attributes": ["compatible apple"], "instruction_options": ["black | white"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8FXC48", "worker_id": "A2ECRNQ3X5LEXD"}], "B08MX4RGBH": [{"asin": "B08MX4RGBH", "instruction": "i need to buy gray synthetic hair extensions. buy the six pack of eight inch extensions.", "attributes": ["high quality", "synthetic hair", "hair extensions"], "options": ["color: m1b | gray#", "size: 8 inch 6packs"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["m1b | gray#", "8 inch 6packs"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR025YJAKB", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08MX4RGBH", "instruction": "i need to buy gray synthetic hair extensions. buy the six pack of eight inch extensions.", "attributes": ["high quality", "synthetic hair", "hair extensions"], "options": ["color: m1b | gray#", "size: 8 inch 6packs"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["m1b | gray#", "8 inch 6packs"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR025YJAKB", "worker_id": "AR9AU5FY1S3RO"}], "B097M88R9W": [{"asin": "B097M88R9W", "instruction": "i am looking for an adult daily wear hoodie sweatshirt size large-x-large.", "attributes": ["machine wash", "polyester spandex", "daily wear"], "options": ["color: donut 10", "size: large-x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["large-x-large"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7TVLHH", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B097M88R9W", "instruction": "i am looking for an adult daily wear hoodie sweatshirt size large-x-large.", "attributes": ["machine wash", "polyester spandex", "daily wear"], "options": ["color: donut 10", "size: large-x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["large-x-large"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7TVLHH", "worker_id": "A1EREKSZAA9V7B"}], "B00182JYZ6": [{"asin": "B00182JYZ6", "instruction": "i am looking for a light cool brown easy to use hair color kit.", "attributes": ["easy apply", "easy use", "coconut oil", "permanent hair"], "options": ["color: 6a light cool brown", "size: pack of 1"], "instruction_attributes": ["easy use"], "instruction_options": ["6a light cool brown"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IFUM2T", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00182JYZ6", "instruction": "i am looking for a light cool brown easy to use hair color kit.", "attributes": ["easy apply", "easy use", "coconut oil", "permanent hair"], "options": ["color: 6a light cool brown", "size: pack of 1"], "instruction_attributes": ["easy use"], "instruction_options": ["6a light cool brown"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IFUM2T", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00182JYZ6", "instruction": "i want a one count pack of brown permanent hair color with coconut oil.", "attributes": ["easy apply", "easy use", "coconut oil", "permanent hair"], "options": ["color: 6g vibrant light golden brown", "size: 1 count (pack of 1)"], "instruction_attributes": ["coconut oil", "permanent hair"], "instruction_options": ["6g vibrant light golden brown", "1 count (pack of 1)"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IVK32F", "worker_id": "AR9AU5FY1S3RO"}], "B08FRM3HRG": [{"asin": "B08FRM3HRG", "instruction": "i'm looking for gluten-free almond flour cookies that contain flaxseed and sunflower seeds in a smoked barbecue cheedar flavor.", "attributes": ["gluten free", "protein serving", "source vitamin", "simple ingredients"], "options": ["flavor: smoky bbq cheddar", "size: 4.25 ounce (pack of 3)", "style: crackers"], "instruction_attributes": ["gluten free"], "instruction_options": ["smoky bbq cheddar"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TVCSUA", "worker_id": "ARJDD0Z3R65BD"}, {"asin": "B08FRM3HRG", "instruction": "i'm looking for gluten-free almond flour cookies that contain flaxseed and sunflower seeds in a smoked barbecue cheedar flavor.", "attributes": ["gluten free", "protein serving", "source vitamin", "simple ingredients"], "options": ["flavor: smoky bbq cheddar", "size: 4.25 ounce (pack of 3)", "style: crackers"], "instruction_attributes": ["gluten free"], "instruction_options": ["smoky bbq cheddar"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TVCSUA", "worker_id": "ARJDD0Z3R65BD"}], "B09G2X4GDX": [{"asin": "B09G2X4GDX", "instruction": "i am looking for a high performance 18 volt charger adapter for beats by dr dre.", "attributes": ["output protection", "high performance", "easy carry"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53TAKGB", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09G2X4GDX", "instruction": "i am looking for a high performance 18 volt charger adapter for beats by dr dre.", "attributes": ["output protection", "high performance", "easy carry"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53TAKGB", "worker_id": "A1EREKSZAA9V7B"}], "B07CLKJ7ZC": [{"asin": "B07CLKJ7ZC", "instruction": "please get me an ac adapter with output protection.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQD0EKT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07CLKJ7ZC", "instruction": "please get me an ac adapter with output protection.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQD0EKT", "worker_id": "AR9AU5FY1S3RO"}], "B09KG8KSRT": [{"asin": "B09KG8KSRT", "instruction": "i need to buy a wall art print for my living room in a natural 16\" x 24\" x 3.", "attributes": ["mid century", "living room"], "options": ["color: b116-2110-17-eva03", "size: 16\" x 24\" x 3 panels natural"], "instruction_attributes": ["living room"], "instruction_options": ["16\" x 24\" x 3 panels natural"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZFNMKM", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B09KG8KSRT", "instruction": "i need to buy a wall art print for my living room in a natural 16\" x 24\" x 3.", "attributes": ["mid century", "living room"], "options": ["color: b116-2110-17-eva03", "size: 16\" x 24\" x 3 panels natural"], "instruction_attributes": ["living room"], "instruction_options": ["16\" x 24\" x 3 panels natural"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZFNMKM", "worker_id": "A15ERD4HOFEPHM"}], "B09LTWYH48": [{"asin": "B09LTWYH48", "instruction": "i need a s20 tv sound bar that comes with a wireless bluetooth speaker.", "attributes": ["non slip", "wireless bluetooth"], "options": ["color: s20"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["s20"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQDXEKQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09LTWYH48", "instruction": "i need a s20 tv sound bar that comes with a wireless bluetooth speaker.", "attributes": ["non slip", "wireless bluetooth"], "options": ["color: s20"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["s20"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQDXEKQ", "worker_id": "A2RBF3IIJP15IH"}], "B087GFN56C": [{"asin": "B087GFN56C", "instruction": "i am looking for wild caught, ready to eat sardines in a tomato sauce.", "attributes": ["wild caught", "protein serving", "ready eat", "high protein", "bpa free", "low carb", "non gmo"], "options": ["flavor name: tomato sauce", "size: 4.41 ounce (pack of 12)"], "instruction_attributes": ["wild caught", "ready eat"], "instruction_options": ["tomato sauce"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I59FDQ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B087GFN56C", "instruction": "i am looking for wild caught, ready to eat sardines in a tomato sauce.", "attributes": ["wild caught", "protein serving", "ready eat", "high protein", "bpa free", "low carb", "non gmo"], "options": ["flavor name: tomato sauce", "size: 4.41 ounce (pack of 12)"], "instruction_attributes": ["wild caught", "ready eat"], "instruction_options": ["tomato sauce"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I59FDQ", "worker_id": "A1EREKSZAA9V7B"}], "B09M74RY5C": [{"asin": "B09M74RY5C", "instruction": "i want to find pink horse-shaped cupcake toppers that i can use for a baby shower.", "attributes": ["baby shower", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["baby shower"], "instruction_options": ["pink"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFRV3EO", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09M74RY5C", "instruction": "i want to find pink horse-shaped cupcake toppers that i can use for a baby shower.", "attributes": ["baby shower", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["baby shower"], "instruction_options": ["pink"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFRV3EO", "worker_id": "A345TDMHP3DQ3G"}], "B08T3QJJRT": [{"asin": "B08T3QJJRT", "instruction": "i am looking for some kosher chocolate bars that are 2 pounds.", "attributes": ["chocolate covered", "kosher certified", "gluten free"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME91S2DH", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08T3QJJRT", "instruction": "i am looking for some kosher chocolate bars that are 2 pounds.", "attributes": ["chocolate covered", "kosher certified", "gluten free"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME91S2DH", "worker_id": "A2ECRNQ3X5LEXD"}], "B08YZ1XLGB": [{"asin": "B08YZ1XLGB", "instruction": "looking for a coffee table with metal legs for living room rustic style", "attributes": ["metal legs", "living room"], "options": [""], "instruction_attributes": ["metal legs", "living room"], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZXQNRF", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B08YZ1XLGB", "instruction": "looking for a coffee table with metal legs for living room rustic style", "attributes": ["metal legs", "living room"], "options": [""], "instruction_attributes": ["metal legs", "living room"], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZXQNRF", "worker_id": "A2Y2TURT2VEYZN"}], "B09QKFB7LL": [{"asin": "B09QKFB7LL", "instruction": "i am looking for a black color radio alarm clock having stereo sound and hands free.", "attributes": ["hands free", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["hands free", "stereo sound"], "instruction_options": ["black"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTQCXW9", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09QKFB7LL", "instruction": "i am looking for a black color radio alarm clock having stereo sound and hands free.", "attributes": ["hands free", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["hands free", "stereo sound"], "instruction_options": ["black"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTQCXW9", "worker_id": "A1Q8PPQQCWGY0D"}], "B000BNG4VU": [{"asin": "B000BNG4VU", "instruction": "i need long lasting honey beige face powder, pack of 1", "attributes": ["long lasting", "fine lines"], "options": ["color: honey beige", "size: pack of 1", "style: face powder"], "instruction_attributes": ["long lasting"], "instruction_options": ["honey beige", "pack of 1", "face powder"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI1QT3C", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B000BNG4VU", "instruction": "i need long lasting honey beige face powder, pack of 1", "attributes": ["long lasting", "fine lines"], "options": ["color: honey beige", "size: pack of 1", "style: face powder"], "instruction_attributes": ["long lasting"], "instruction_options": ["honey beige", "pack of 1", "face powder"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI1QT3C", "worker_id": "A258PTOZ3D2TQR"}], "B09JJX555S": [{"asin": "B09JJX555S", "instruction": "i am looking for a long sleeve men's pullover hoodie, size medium.", "attributes": ["machine wash", "wash cold", "hand wash", "cotton spandex", "long sleeve", "gym workout", "tumble dry", "daily wear"], "options": ["color: burgundy", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2KZYNM", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09JJX555S", "instruction": "i am looking for a long sleeve men's pullover hoodie, size medium.", "attributes": ["machine wash", "wash cold", "hand wash", "cotton spandex", "long sleeve", "gym workout", "tumble dry", "daily wear"], "options": ["color: burgundy", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2KZYNM", "worker_id": "A1EREKSZAA9V7B"}], "B01K0PGUKI": [{"asin": "B01K0PGUKI", "instruction": "i need a theater sized pull-down projector screen.", "attributes": ["ultra hd", "easy install"], "options": ["color: black", "pattern name: projector screen", "size: 100\"", "style: 16:10, aspect ratio"], "instruction_attributes": ["easy install"], "instruction_options": ["projector screen", "16:10, aspect ratio"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9IGB0J", "worker_id": "A19317A3X87NVM"}, {"asin": "B01K0PGUKI", "instruction": "i'm looking for a 109\" ultra hd projector screen that's easy to install. also, make it white.", "attributes": ["ultra hd", "easy install"], "options": ["color: white | white", "pattern name: projector screen + 12\" black projector screen", "size: 109\"", "style: 16:9, aspect ratio"], "instruction_attributes": ["ultra hd", "easy install"], "instruction_options": ["white | white", "109\""], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZE48OY", "worker_id": "A1EM0SFZVHQYDD"}, {"asin": "B01K0PGUKI", "instruction": "i am looking for a pull down manual projector screen with aspect ratio 16:10 and ultra hd. also easy to install.", "attributes": ["ultra hd", "easy install"], "options": ["color: 4:3, black", "pattern name: projector screen", "size: 119\"", "style: 16:10, aspect ratio"], "instruction_attributes": ["ultra hd", "easy install"], "instruction_options": ["16:10, aspect ratio"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA93LCZ3A", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B01K0PGUKI", "instruction": "i need a theater sized pull-down projector screen.", "attributes": ["ultra hd", "easy install"], "options": ["color: black", "pattern name: projector screen", "size: 100\"", "style: 16:10, aspect ratio"], "instruction_attributes": ["easy install"], "instruction_options": ["projector screen", "16:10, aspect ratio"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9IGB0J", "worker_id": "A19317A3X87NVM"}, {"asin": "B01K0PGUKI", "instruction": "i'm looking for ultra hd white color television because it looks so nice.", "attributes": ["ultra hd", "easy install"], "options": ["color: white", "pattern name: projector screen", "size: 120\", 24\" drop", "style: 16:9, aspect ratio"], "instruction_attributes": ["ultra hd"], "instruction_options": ["white"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL3NVR5", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01K0PGUKI", "instruction": "i'm looking for a new screen for my projector. it should be very easy to install and white. i need a screen of at least 113 inches.", "attributes": ["ultra hd", "easy install"], "options": ["color: white", "pattern name: projector screen", "size: 113\"", "style: 4:3, aspect ratio"], "instruction_attributes": ["easy install"], "instruction_options": ["white", "113\""], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40X9RC6", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B01K0PGUKI", "instruction": "i am looking for a ultra hd projection screens of black color", "attributes": ["ultra hd", "easy install"], "options": ["color: black", "pattern name: projector screen + 6\" black projector screen", "size: 142\"", "style: 1:1, apect ratio"], "instruction_attributes": ["ultra hd"], "instruction_options": ["black"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1M9ZGTH", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01K0PGUKI", "instruction": "i'm looking for a black manual projector screen easy to install of 142\" and 1:1 for project screen", "attributes": ["ultra hd", "easy install"], "options": ["color: black", "pattern name: projector screen + 6\" white projector screen", "size: 142\"", "style: 1:1, apect ratio"], "instruction_attributes": ["easy install"], "instruction_options": ["black", "projector screen + 6\" white projector screen", "142\"", "1:1, apect ratio"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HGD6IP", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B01K0PGUKI", "instruction": "i am looking for a ultra hd projection screen that is 80\"", "attributes": ["ultra hd", "easy install"], "options": ["color: black | white", "pattern name: projector screen + 6\" white projector screen", "size: 80\"", "style: 1:1, apect ratio"], "instruction_attributes": ["ultra hd"], "instruction_options": ["80\""], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZWP044", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01K0PGUKI", "instruction": "i am looking for150\" white color 4:3, 4k ultra hd 3d ready projector screen", "attributes": ["ultra hd", "easy install"], "options": ["color: 4:3, white", "pattern name: projector screen", "size: 150\"", "style: 1:1, apect ratio"], "instruction_attributes": ["ultra hd"], "instruction_options": ["4:3, white", "projector screen", "150\""], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP9MOAE", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01K0PGUKI", "instruction": "i am looking for an ultra hd pull down projector screen that is 150\" at least? also, can i request black?", "attributes": ["ultra hd", "easy install"], "options": ["color: white | white", "pattern name: projector screen + 6\" white projector screen", "size: 150\"", "style: 16:9, aspect ratio"], "instruction_attributes": ["ultra hd"], "instruction_options": ["150\""], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEY0C63P", "worker_id": "A2TRV8SEM003GG"}, {"asin": "B01K0PGUKI", "instruction": "i'm looking for a 109-inch black manual projector screen that is easy to install.", "attributes": ["ultra hd", "easy install"], "options": ["color: black", "pattern name: projector screen + 6\" black projector screen", "size: 109\"", "style: manual"], "instruction_attributes": ["easy install"], "instruction_options": ["black", "projector screen + 6\" black projector screen", "109\"", "manual"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NMM2PQ", "worker_id": "A345TDMHP3DQ3G"}], "B074948P23": [{"asin": "B074948P23", "instruction": "i am looking for a classic fit pant of stone color.", "attributes": ["machine wash", "classic fit"], "options": ["color: stone", "size: 40w x 30l"], "instruction_attributes": ["classic fit"], "instruction_options": ["stone"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOEACT0", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B074948P23", "instruction": "i am looking for a classic fit pant of stone color.", "attributes": ["machine wash", "classic fit"], "options": ["color: stone", "size: 40w x 30l"], "instruction_attributes": ["classic fit"], "instruction_options": ["stone"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOEACT0", "worker_id": "A1Q8PPQQCWGY0D"}], "B00B041E0A": [{"asin": "B00B041E0A", "instruction": "i'm looking for a package of green tea mix that has low calories and is zero sugar. i would also like it in a 48 count package.", "attributes": ["low calorie", "zero sugar"], "options": ["flavor: sugar-free peach mango green tea", "size: 48 count"], "instruction_attributes": ["low calorie", "zero sugar"], "instruction_options": ["48 count"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60MZAA6", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B00B041E0A", "instruction": "i'm looking for a package of green tea mix that has low calories and is zero sugar. i would also like it in a 48 count package.", "attributes": ["low calorie", "zero sugar"], "options": ["flavor: sugar-free peach mango green tea", "size: 48 count"], "instruction_attributes": ["low calorie", "zero sugar"], "instruction_options": ["48 count"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60MZAA6", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B00B041E0A", "instruction": "i am looking for low calorie and zero sugar pomegranate green tea drink mix, 48 count", "attributes": ["low calorie", "zero sugar"], "options": ["flavor: sugar-free pomegranate green tea", "size: 48 count"], "instruction_attributes": ["low calorie", "zero sugar"], "instruction_options": ["sugar-free pomegranate green tea", "48 count"], "assignment_id": "32SCWG5HISEW7674IASH43KF3TZ6PQ", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B00B041E0A", "instruction": "i am looking for 72 packets of mango green tea that is low calorie", "attributes": ["low calorie", "zero sugar"], "options": ["flavor: sugar-free peach mango green tea", "size: 72 count"], "instruction_attributes": ["low calorie"], "instruction_options": ["sugar-free peach mango green tea", "72 count"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDYJCIA", "worker_id": "A2ECRNQ3X5LEXD"}], "B0034E5CWK": [{"asin": "B0034E5CWK", "instruction": "i'm looking for 4.2 ounce gluten free matiz sardine.", "attributes": ["wild caught", "ready eat", "non gmo", "gluten free"], "options": ["size: 4.2 ounce (pack of 5)"], "instruction_attributes": ["gluten free"], "instruction_options": ["4.2 ounce (pack of 5)"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KB1DPW", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B0034E5CWK", "instruction": "i'm looking for 4.2 ounce gluten free matiz sardine.", "attributes": ["wild caught", "ready eat", "non gmo", "gluten free"], "options": ["size: 4.2 ounce (pack of 5)"], "instruction_attributes": ["gluten free"], "instruction_options": ["4.2 ounce (pack of 5)"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KB1DPW", "worker_id": "ARQ05PDNXPFDI"}], "B094JJ2J25": [{"asin": "B094JJ2J25", "instruction": "i am looking for a furniture set with 6 inch bun legs and is easy to install.", "attributes": ["hand painted", "easy install"], "options": ["size: 6 inch bun legs"], "instruction_attributes": ["easy install"], "instruction_options": ["6 inch bun legs"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOG20FK", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B094JJ2J25", "instruction": "i am looking for a furniture set with 6 inch bun legs and is easy to install.", "attributes": ["hand painted", "easy install"], "options": ["size: 6 inch bun legs"], "instruction_attributes": ["easy install"], "instruction_options": ["6 inch bun legs"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOG20FK", "worker_id": "A1EREKSZAA9V7B"}], "B07DLS2MKT": [{"asin": "B07DLS2MKT", "instruction": "i need to find 20-60x80 monoculars for some bird watching action.", "attributes": ["non slip", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIGQ29D", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B07DLS2MKT", "instruction": "i need to find 20-60x80 monoculars for some bird watching action.", "attributes": ["non slip", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIGQ29D", "worker_id": "A15ERD4HOFEPHM"}], "B09FF1V6QJ": [{"asin": "B09FF1V6QJ", "instruction": "i am looking for a brush set without a bag that is made from synthetic hair.", "attributes": ["synthetic hair", "eye shadow"], "options": ["color: style9 without bag"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["style9 without bag"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZJ4Y1O", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09FF1V6QJ", "instruction": "i am looking for a brush set without a bag that is made from synthetic hair.", "attributes": ["synthetic hair", "eye shadow"], "options": ["color: style9 without bag"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["style9 without bag"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZJ4Y1O", "worker_id": "A2ECRNQ3X5LEXD"}], "B07XRQJ876": [{"asin": "B07XRQJ876", "instruction": "i need storage cabinets for the living room that are white.", "attributes": ["height adjustable", "storage space", "engineered wood", "living room"], "options": ["color: white", "size: 27.6 in (w)", "style: 3 left shelves"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK34VNH", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07XRQJ876", "instruction": "i need storage cabinets for the living room that are white.", "attributes": ["height adjustable", "storage space", "engineered wood", "living room"], "options": ["color: white", "size: 27.6 in (w)", "style: 3 left shelves"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK34VNH", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HKDHMY6": [{"asin": "B09HKDHMY6", "instruction": "i am looking for a red buffet that is easy to assemble and is 14.96 by 11.81 by 27.76 inches.", "attributes": ["easy assemble", "storage space", "storage unit", "solid wood", "living room"], "options": ["color: red", "size: 14.96 x 11.81 x 27.76 inch"], "instruction_attributes": ["easy assemble"], "instruction_options": ["red", "14.96 x 11.81 x 27.76 inch"], "assignment_id": "326O153BMT8RVOXTJJKKGXV3642EDF", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09HKDHMY6", "instruction": "i am looking for a red buffet that is easy to assemble and is 14.96 by 11.81 by 27.76 inches.", "attributes": ["easy assemble", "storage space", "storage unit", "solid wood", "living room"], "options": ["color: red", "size: 14.96 x 11.81 x 27.76 inch"], "instruction_attributes": ["easy assemble"], "instruction_options": ["red", "14.96 x 11.81 x 27.76 inch"], "assignment_id": "326O153BMT8RVOXTJJKKGXV3642EDF", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09HKDHMY6", "instruction": "i want a blue storage cabinet end table for my living room.", "attributes": ["easy assemble", "storage space", "storage unit", "solid wood", "living room"], "options": ["color: blue", "size: 14.96 x 11.81 x 44.88 inch"], "instruction_attributes": ["living room"], "instruction_options": ["blue"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6M97UM", "worker_id": "A2RBF3IIJP15IH"}], "B07W1ZDHY9": [{"asin": "B07W1ZDHY9", "instruction": "i would like a pair of black binoculars for bird watching.", "attributes": ["easy use", "bird watching"], "options": ["color: black-8x42"], "instruction_attributes": ["bird watching"], "instruction_options": ["black-8x42"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H19U8G", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07W1ZDHY9", "instruction": "i would like a pair of black binoculars for bird watching.", "attributes": ["easy use", "bird watching"], "options": ["color: black-8x42"], "instruction_attributes": ["bird watching"], "instruction_options": ["black-8x42"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H19U8G", "worker_id": "A1WS884SI0SLO4"}], "B09QXBN74Y": [{"asin": "B09QXBN74Y", "instruction": "i want to find a small purple tankini top that teen girls can wear.", "attributes": ["quick drying", "tummy control", "high waist", "teen girls"], "options": ["color: a6-purple", "size: small"], "instruction_attributes": ["teen girls"], "instruction_options": ["a6-purple", "small"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMTB2GU", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09QXBN74Y", "instruction": "i want to find a small purple tankini top that teen girls can wear.", "attributes": ["quick drying", "tummy control", "high waist", "teen girls"], "options": ["color: a6-purple", "size: small"], "instruction_attributes": ["teen girls"], "instruction_options": ["a6-purple", "small"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMTB2GU", "worker_id": "A345TDMHP3DQ3G"}], "B09GLV1HTT": [{"asin": "B09GLV1HTT", "instruction": "i am looking for a chrome sputnik chandelier for my dining room.", "attributes": ["mid century", "contemporary style", "pendant light", "dining room", "living room"], "options": ["color: chrome-2"], "instruction_attributes": ["dining room"], "instruction_options": ["chrome-2"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7LMBOZ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09GLV1HTT", "instruction": "i am interested in a contemporary style chandelier that is black.", "attributes": ["mid century", "contemporary style", "pendant light", "dining room", "living room"], "options": ["color: black"], "instruction_attributes": ["contemporary style"], "instruction_options": ["black"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTL9OQA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09GLV1HTT", "instruction": "i am looking for a chrome sputnik chandelier for my dining room.", "attributes": ["mid century", "contemporary style", "pendant light", "dining room", "living room"], "options": ["color: chrome-2"], "instruction_attributes": ["dining room"], "instruction_options": ["chrome-2"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7LMBOZ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09GLV1HTT", "instruction": "i am interested in a contemporary style chandelier that is black.", "attributes": ["mid century", "contemporary style", "pendant light", "dining room", "living room"], "options": ["color: black"], "instruction_attributes": ["contemporary style"], "instruction_options": ["black"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTL9OQA", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LYN1QM3": [{"asin": "B09LYN1QM3", "instruction": "i would like a charcoal ottoman that's button tufted.", "attributes": ["button tufted", "assembly required"], "options": ["color: charcoal"], "instruction_attributes": ["button tufted"], "instruction_options": ["charcoal"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF7N9D1", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09LYN1QM3", "instruction": "i would like a charcoal ottoman that's button tufted.", "attributes": ["button tufted", "assembly required"], "options": ["color: charcoal"], "instruction_attributes": ["button tufted"], "instruction_options": ["charcoal"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF7N9D1", "worker_id": "A1WS884SI0SLO4"}], "B08WYY37SB": [{"asin": "B08WYY37SB", "instruction": "i need 1.75 ounces of tikkiya kabab fried fish seasoning mix that is easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: tikkiya kabab", "size: 1.75 ounce"], "instruction_attributes": ["easy use"], "instruction_options": ["tikkiya kabab", "1.75 ounce"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OFETRO", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08WYY37SB", "instruction": "i want a 1.76 ounce pack of easy to prepare chicken tikka shan fried fish recipe and seasoning mix.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chicken tikka", "size: 1.76 ounce (pack of 1)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["chicken tikka"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX22FAE", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08WYY37SB", "instruction": "i need 1.75 ounces of tikkiya kabab fried fish seasoning mix that is easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: tikkiya kabab", "size: 1.75 ounce"], "instruction_attributes": ["easy use"], "instruction_options": ["tikkiya kabab", "1.75 ounce"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OFETRO", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08WYY37SB", "instruction": "i'm looking for fish recipe it was easy to prepare and flavor was tikka masala.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: tikka masala", "size: pack of 4"], "instruction_attributes": ["easy prepare", "easy use"], "instruction_options": ["tikka masala"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0WMCC1", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08WYY37SB", "instruction": "i need an easy to use seasoning mix that has a bihari kabab flavor to it.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: bihari kabab", "size: 1.41 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["bihari kabab"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZXNANN", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B08WYY37SB", "instruction": "i am looking for spicy fried fish seasoning that is also suitable for vegetarians and easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: fried fish", "size: 1.41 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["fried fish"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80CFQ19", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B08WYY37SB", "instruction": "look for a 4.4 ounce three pack of shami kabab seasoning that's easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: shami kabab", "size: 4.4 ounce (pack of 3)"], "instruction_attributes": ["easy use"], "instruction_options": ["shami kabab", "4.4 ounce (pack of 3)"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LP9OROV", "worker_id": "AR9AU5FY1S3RO"}], "B09NY4QFVG": [{"asin": "B09NY4QFVG", "instruction": "i am looking for a brown finished wood full size platform bed with box springs.", "attributes": ["button tufted", "box spring"], "options": [""], "instruction_attributes": ["box spring"], "instruction_options": [], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVXF3X6", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09NY4QFVG", "instruction": "i am looking for a brown finished wood full size platform bed with box springs.", "attributes": ["button tufted", "box spring"], "options": [""], "instruction_attributes": ["box spring"], "instruction_options": [], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVXF3X6", "worker_id": "A1EREKSZAA9V7B"}], "B09J1GHX9D": [{"asin": "B09J1GHX9D", "instruction": "i'm looking for ladies shoes with a high heel that are open toed, i wear a size 7 and a half.", "attributes": ["knee high", "open toe", "ankle strap", "high heel", "arch support"], "options": ["color: a-8 black", "size: 7.5"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["7.5"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09N618", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B09J1GHX9D", "instruction": "i'm looking for ladies shoes with a high heel that are open toed, i wear a size 7 and a half.", "attributes": ["knee high", "open toe", "ankle strap", "high heel", "arch support"], "options": ["color: a-8 black", "size: 7.5"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["7.5"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09N618", "worker_id": "A3EDFA8UQT5GG8"}], "B07HLTP65S": [{"asin": "B07HLTP65S", "instruction": "i need a taco seasoning blend that is sugar free.", "attributes": ["sugar free", "gluten free", "dairy free", "quality ingredients"], "options": ["flavor name: taco seasoning blend"], "instruction_attributes": ["sugar free"], "instruction_options": ["taco seasoning blend"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL84176XAV", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07HLTP65S", "instruction": "i need a taco seasoning blend that is sugar free.", "attributes": ["sugar free", "gluten free", "dairy free", "quality ingredients"], "options": ["flavor name: taco seasoning blend"], "instruction_attributes": ["sugar free"], "instruction_options": ["taco seasoning blend"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL84176XAV", "worker_id": "A2RBF3IIJP15IH"}], "B09Q8WCZ42": [{"asin": "B09Q8WCZ42", "instruction": "i need green butt lifting yoga pants in size medium.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: green", "size: medium"], "instruction_attributes": ["butt lifting"], "instruction_options": ["green", "medium"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKHRT1Z", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09Q8WCZ42", "instruction": "i need green butt lifting yoga pants in size medium.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: green", "size: medium"], "instruction_attributes": ["butt lifting"], "instruction_options": ["green", "medium"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKHRT1Z", "worker_id": "A2RBF3IIJP15IH"}], "B08BXMYCZL": [{"asin": "B08BXMYCZL", "instruction": "buy me a pair of extra small men's sweatpants with a drawstring closure.", "attributes": ["hand wash", "quality polyester", "drawstring closure", "daily wear"], "options": ["color: 2", "size: x-small"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["x-small"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGUZTWX", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08BXMYCZL", "instruction": "buy me a pair of extra small men's sweatpants with a drawstring closure.", "attributes": ["hand wash", "quality polyester", "drawstring closure", "daily wear"], "options": ["color: 2", "size: x-small"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["x-small"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGUZTWX", "worker_id": "AR9AU5FY1S3RO"}], "B09P4PP87G": [{"asin": "B09P4PP87G", "instruction": "i need a gray vanity bench with metal legs.", "attributes": ["contemporary design", "metal legs"], "options": ["color: b-gray", "size: 17.5\" (dia) x 16.1\" (h)"], "instruction_attributes": ["metal legs"], "instruction_options": ["b-gray"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZQ340A", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09P4PP87G", "instruction": "i'm looking for a snow white vanity stool that's 16.3 inches in diameter and 13 inches in height. it needs to have a contemporary design.", "attributes": ["contemporary design", "metal legs"], "options": ["color: c-snow white", "size: 16.3\" (dia) x 13.4\" (h)"], "instruction_attributes": ["contemporary design"], "instruction_options": ["c-snow white", "16.3\" (dia) x 13.4\" (h)"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRLNWPS", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09P4PP87G", "instruction": "i need a gray vanity bench with metal legs.", "attributes": ["contemporary design", "metal legs"], "options": ["color: b-gray", "size: 17.5\" (dia) x 16.1\" (h)"], "instruction_attributes": ["metal legs"], "instruction_options": ["b-gray"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZQ340A", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09P4PP87G", "instruction": "i need a vanity bench that is contemporary and white", "attributes": ["contemporary design", "metal legs"], "options": ["color: b-white", "size: 17.5\" (dia) x 16.1\" (h)"], "instruction_attributes": ["contemporary design"], "instruction_options": ["b-white"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8YT8G3", "worker_id": "A2ECRNQ3X5LEXD"}], "B075VSBNQY": [{"asin": "B075VSBNQY", "instruction": "i am looking for a mini pc with an intel core i7 with 8 gigabytes of ram, 32 gigabytes of optane memory and is tall.", "attributes": ["ultra hd", "intel core"], "options": ["style: core i7|tall|8gb ram|32gb optane memory|..."], "instruction_attributes": ["intel core"], "instruction_options": ["core i7|tall|8gb ram|32gb optane memory|..."], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XJ4X0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B075VSBNQY", "instruction": "i am looking for a mini pc with an intel core i7 with 8 gigabytes of ram, 32 gigabytes of optane memory and is tall.", "attributes": ["ultra hd", "intel core"], "options": ["style: core i7|tall|8gb ram|32gb optane memory|..."], "instruction_attributes": ["intel core"], "instruction_options": ["core i7|tall|8gb ram|32gb optane memory|..."], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XJ4X0", "worker_id": "A1EREKSZAA9V7B"}], "B00D25IVVK": [{"asin": "B00D25IVVK", "instruction": "i am looking for an oil-free eye makeup remover.", "attributes": ["oil free", "alcohol free"], "options": [""], "instruction_attributes": ["oil free"], "instruction_options": [], "assignment_id": "37C0GNLMHQDNI94ED11M493QP666DE", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00D25IVVK", "instruction": "i am looking for an oil-free eye makeup remover.", "attributes": ["oil free", "alcohol free"], "options": [""], "instruction_attributes": ["oil free"], "instruction_options": [], "assignment_id": "37C0GNLMHQDNI94ED11M493QP666DE", "worker_id": "A1EREKSZAA9V7B"}], "B07GYLCLHV": [{"asin": "B07GYLCLHV", "instruction": "i am looking ofr a bag that is 1.7 oz and is easy to carry.", "attributes": ["leak proof", "easy carry", "easy clean"], "options": ["size: 50ml | 1.7 ounce"], "instruction_attributes": ["easy carry"], "instruction_options": ["50ml | 1.7 ounce"], "assignment_id": "37TRT2X24116R7L1JO45INKV8R4BJ8", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07GYLCLHV", "instruction": "i am looking ofr a bag that is 1.7 oz and is easy to carry.", "attributes": ["leak proof", "easy carry", "easy clean"], "options": ["size: 50ml | 1.7 ounce"], "instruction_attributes": ["easy carry"], "instruction_options": ["50ml | 1.7 ounce"], "assignment_id": "37TRT2X24116R7L1JO45INKV8R4BJ8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HQ4563F": [{"asin": "B08HQ4563F", "instruction": "i need pink gluten free edible glitter.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: pink"], "instruction_attributes": ["gluten free"], "instruction_options": ["pink"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRSY3FU", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08HQ4563F", "instruction": "i need pink gluten free edible glitter.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: pink"], "instruction_attributes": ["gluten free"], "instruction_options": ["pink"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRSY3FU", "worker_id": "A2RBF3IIJP15IH"}], "B09CTCN6Z2": [{"asin": "B09CTCN6Z2", "instruction": "i am looking for a stainless steel compact pocket makeup mirror.", "attributes": ["rose gold", "stainless steel"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WSS1A8", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09CTCN6Z2", "instruction": "i am looking for a stainless steel compact pocket makeup mirror.", "attributes": ["rose gold", "stainless steel"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WSS1A8", "worker_id": "A1EREKSZAA9V7B"}], "B078HFD38S": [{"asin": "B078HFD38S", "instruction": "i am looking for a gray travel carry case that fits doss soundbox.", "attributes": ["carrying case", "wireless bluetooth"], "options": ["color: gray"], "instruction_attributes": ["carrying case"], "instruction_options": ["gray"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKOZV76", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B078HFD38S", "instruction": "i am looking for a gray travel carry case that fits doss soundbox.", "attributes": ["carrying case", "wireless bluetooth"], "options": ["color: gray"], "instruction_attributes": ["carrying case"], "instruction_options": ["gray"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKOZV76", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B078HFD38S", "instruction": "i need a wireless bluetooth speaker that is blue.", "attributes": ["carrying case", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBBLSOY", "worker_id": "A2ECRNQ3X5LEXD"}], "B08CNH461M": [{"asin": "B08CNH461M", "instruction": "what xx-large short sleeved t-shirts do you have that are loose fitting and for teen girls?", "attributes": ["fleece lined", "loose fit", "long sleeve", "short sleeve", "high waist", "elastic closure", "tummy control", "teen girls"], "options": ["color: heart_white 2", "size: xx-large"], "instruction_attributes": ["loose fit", "short sleeve", "teen girls"], "instruction_options": ["xx-large"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0Z8X7C", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B08CNH461M", "instruction": "what xx-large short sleeved t-shirts do you have that are loose fitting and for teen girls?", "attributes": ["fleece lined", "loose fit", "long sleeve", "short sleeve", "high waist", "elastic closure", "tummy control", "teen girls"], "options": ["color: heart_white 2", "size: xx-large"], "instruction_attributes": ["loose fit", "short sleeve", "teen girls"], "instruction_options": ["xx-large"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0Z8X7C", "worker_id": "A3EDFA8UQT5GG8"}], "B08FZZ6D4Z": [{"asin": "B08FZZ6D4Z", "instruction": "order an office desk that's easy to assemble.", "attributes": ["space saving", "easy assemble", "storage space"], "options": [""], "instruction_attributes": ["easy assemble"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE2Z5QGC", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08FZZ6D4Z", "instruction": "order an office desk that's easy to assemble.", "attributes": ["space saving", "easy assemble", "storage space"], "options": [""], "instruction_attributes": ["easy assemble"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE2Z5QGC", "worker_id": "AR9AU5FY1S3RO"}], "B08WJP82ZT": [{"asin": "B08WJP82ZT", "instruction": "i would like a blue unlocked galaxy a11 that is 128gb and has fast charging.", "attributes": ["fast charging", "4g lte"], "options": ["color: blue", "memory storage capacity: 128 gb", "model name: galaxy a11", "wireless provider: unlocked"], "instruction_attributes": ["fast charging"], "instruction_options": ["blue", "128 gb", "galaxy a11", "unlocked"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ8HUW0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08WJP82ZT", "instruction": "i need a blue phone with 4g lte and charges fast too.", "attributes": ["fast charging", "4g lte"], "options": ["color: blue", "memory storage capacity: 64 gb", "model name: galaxy a51", "wireless provider: simple mobile"], "instruction_attributes": ["fast charging", "4g lte"], "instruction_options": ["blue"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMB09WT", "worker_id": "A1MJVTR0PCKBWW"}, {"asin": "B08WJP82ZT", "instruction": "i would like a blue unlocked galaxy a11 that is 128gb and has fast charging.", "attributes": ["fast charging", "4g lte"], "options": ["color: blue", "memory storage capacity: 128 gb", "model name: galaxy a11", "wireless provider: unlocked"], "instruction_attributes": ["fast charging"], "instruction_options": ["blue", "128 gb", "galaxy a11", "unlocked"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ8HUW0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08WJP82ZT", "instruction": "i am looking for 4g lte samsung galaxy a71 mobile.please choose black one.", "attributes": ["fast charging", "4g lte"], "options": ["color: black", "memory storage capacity: 32 gb", "model name: galaxy a71", "wireless provider: simple mobile"], "instruction_attributes": ["4g lte"], "instruction_options": ["black", "galaxy a71"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPO2E6M", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B08WJP82ZT", "instruction": "i want a fast charging smartphone with 64 gb memory storage capacity. pick a blue one.", "attributes": ["fast charging", "4g lte"], "options": ["color: blue", "memory storage capacity: 64 gb", "model name: galaxy a11", "wireless provider: tracfone"], "instruction_attributes": ["fast charging"], "instruction_options": ["blue", "64 gb"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOH9LM9", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B08WJP82ZT", "instruction": "i need a samsung phone that is blue and is fast charging.", "attributes": ["fast charging", "4g lte"], "options": ["color: blue", "memory storage capacity: 64 gb", "model name: galaxy a51", "wireless provider: unlocked"], "instruction_attributes": ["fast charging"], "instruction_options": ["blue"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYVO36O", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08WJP82ZT", "instruction": "i want a black galaxy a71 from simple mobile which has a 128 gb storage and supports fast charging and 4g lte.", "attributes": ["fast charging", "4g lte"], "options": ["color: black", "memory storage capacity: 128 gb", "model name: galaxy a71", "wireless provider: simple mobile"], "instruction_attributes": ["fast charging", "4g lte"], "instruction_options": ["black", "128 gb", "galaxy a71", "simple mobile"], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YJYAG8", "worker_id": "ASWFLI3N8X72G"}], "B074MK42SN": [{"asin": "B074MK42SN", "instruction": "i need a 26\" x 16\" and blue grey octopus pillow cover that is machine washable.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: blue grey", "size: 26\" x 16\""], "instruction_attributes": ["machine washable"], "instruction_options": ["blue grey", "26\" x 16\""], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8AYUX4", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B074MK42SN", "instruction": "i need a 26\" x 16\" and blue grey octopus pillow cover that is machine washable.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: blue grey", "size: 26\" x 16\""], "instruction_attributes": ["machine washable"], "instruction_options": ["blue grey", "26\" x 16\""], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8AYUX4", "worker_id": "A2RBF3IIJP15IH"}], "B07J5WR4RR": [{"asin": "B07J5WR4RR", "instruction": "i need a panasonic ag-ac30 full hd camcorder with a carrying case.", "attributes": ["high performance", "optical zoom", "carrying case"], "options": [""], "instruction_attributes": ["carrying case"], "instruction_options": [], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXTKO4L", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07J5WR4RR", "instruction": "i need a panasonic ag-ac30 full hd camcorder with a carrying case.", "attributes": ["high performance", "optical zoom", "carrying case"], "options": [""], "instruction_attributes": ["carrying case"], "instruction_options": [], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXTKO4L", "worker_id": "A2RBF3IIJP15IH"}], "B01BINV9P2": [{"asin": "B01BINV9P2", "instruction": "i'm looking for a magnetic phone mount for car with aluminum alloy and small size", "attributes": ["hands free", "heavy duty", "aluminum alloy"], "options": ["size: small"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["small"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMHHVX4", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B01BINV9P2", "instruction": "i'm looking for a magnetic phone mount for car with aluminum alloy and small size", "attributes": ["hands free", "heavy duty", "aluminum alloy"], "options": ["size: small"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["small"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMHHVX4", "worker_id": "A2Y2TURT2VEYZN"}], "B08HJ6RG9S": [{"asin": "B08HJ6RG9S", "instruction": "i'm looking for a pair of red, relaxed fit, pajama bottoms.", "attributes": ["machine wash", "hand wash", "cotton spandex", "drawstring closure", "relaxed fit", "gym workout"], "options": ["color: red", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["red"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWOAFP2", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B08HJ6RG9S", "instruction": "i'm looking for a pair of red, relaxed fit, pajama bottoms.", "attributes": ["machine wash", "hand wash", "cotton spandex", "drawstring closure", "relaxed fit", "gym workout"], "options": ["color: red", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["red"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWOAFP2", "worker_id": "A2JP9IKRHNLRPI"}], "B08LH8B6VW": [{"asin": "B08LH8B6VW", "instruction": "i need water resistant snow boots that are smoky black and are in a size 6 women.", "attributes": ["water resistant", "anti slip", "non slip", "fashion design", "rubber sole"], "options": ["color: smoky black", "size: 6 women | 5 men"], "instruction_attributes": ["water resistant"], "instruction_options": ["smoky black", "6 women | 5 men"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVEITUS", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08LH8B6VW", "instruction": "i need water resistant snow boots that are smoky black and are in a size 6 women.", "attributes": ["water resistant", "anti slip", "non slip", "fashion design", "rubber sole"], "options": ["color: smoky black", "size: 6 women | 5 men"], "instruction_attributes": ["water resistant"], "instruction_options": ["smoky black", "6 women | 5 men"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVEITUS", "worker_id": "A2ECRNQ3X5LEXD"}], "B099XD4G5B": [{"asin": "B099XD4G5B", "instruction": "i am looking for white curtains that are a size 120\"w by 84\"l", "attributes": ["machine washable", "white item"], "options": ["color: color10", "size: 120\" w x 84\" l"], "instruction_attributes": ["white item"], "instruction_options": ["120\" w x 84\" l"], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8MFQQ8", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B099XD4G5B", "instruction": "i am looking for white curtains that are a size 120\"w by 84\"l", "attributes": ["machine washable", "white item"], "options": ["color: color10", "size: 120\" w x 84\" l"], "instruction_attributes": ["white item"], "instruction_options": ["120\" w x 84\" l"], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8MFQQ8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GGZVMHC": [{"asin": "B08GGZVMHC", "instruction": "i am looking for a coconut refresh flavor sports drink that is sugar free.", "attributes": ["sugar free", "zero sugar"], "options": ["flavor name: coconut refresh"], "instruction_attributes": ["sugar free"], "instruction_options": ["coconut refresh"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VZ1N1O", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08GGZVMHC", "instruction": "i am looking for a coconut refresh flavor sports drink that is sugar free.", "attributes": ["sugar free", "zero sugar"], "options": ["flavor name: coconut refresh"], "instruction_attributes": ["sugar free"], "instruction_options": ["coconut refresh"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VZ1N1O", "worker_id": "A1Q8PPQQCWGY0D"}], "B09BDS8NN9": [{"asin": "B09BDS8NN9", "instruction": "i would like a two meter in diameter photo background that is easy to carry.", "attributes": ["easy carry", "digital photography"], "options": ["size: 2m diameter"], "instruction_attributes": ["easy carry"], "instruction_options": ["2m diameter"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQDHJR3", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09BDS8NN9", "instruction": "i would like a two meter in diameter photo background that is easy to carry.", "attributes": ["easy carry", "digital photography"], "options": ["size: 2m diameter"], "instruction_attributes": ["easy carry"], "instruction_options": ["2m diameter"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQDHJR3", "worker_id": "A1WS884SI0SLO4"}], "B001KW0CDC": [{"asin": "B001KW0CDC", "instruction": "i am looking for a queen sized bed that is black.", "attributes": ["queen size", "white item", "solid wood"], "options": ["color: black", "pattern name: platform storage bed + dresser", "size: twin xl", "style: coal harbor"], "instruction_attributes": ["queen size"], "instruction_options": ["black"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TA8K2V", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B001KW0CDC", "instruction": "i am looking for a queen sized bed that is black.", "attributes": ["queen size", "white item", "solid wood"], "options": ["color: black", "pattern name: platform storage bed + dresser", "size: twin xl", "style: coal harbor"], "instruction_attributes": ["queen size"], "instruction_options": ["black"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TA8K2V", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RNB4SVT": [{"asin": "B09RNB4SVT", "instruction": "get me a forty pack of old-fashioned popcorn.", "attributes": ["old fashioned", "easy use"], "options": ["number of items: 40"], "instruction_attributes": ["old fashioned"], "instruction_options": ["40"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJKBOMM", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09RNB4SVT", "instruction": "get me a forty pack of old-fashioned popcorn.", "attributes": ["old fashioned", "easy use"], "options": ["number of items: 40"], "instruction_attributes": ["old fashioned"], "instruction_options": ["40"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJKBOMM", "worker_id": "AR9AU5FY1S3RO"}], "B07Q8VSCW2": [{"asin": "B07Q8VSCW2", "instruction": "i am looking for a hair mask that will treat damaged hair.", "attributes": ["sulfate free", "cruelty free", "seed oil", "hair treatment", "damaged hair", "hair growth"], "options": ["color: hair mask"], "instruction_attributes": ["hair treatment", "damaged hair"], "instruction_options": ["hair mask"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LTGDCE", "worker_id": "A2KW17G25L25R8"}, {"asin": "B07Q8VSCW2", "instruction": "i am looking for a hair mask that will treat damaged hair.", "attributes": ["sulfate free", "cruelty free", "seed oil", "hair treatment", "damaged hair", "hair growth"], "options": ["color: hair mask"], "instruction_attributes": ["hair treatment", "damaged hair"], "instruction_options": ["hair mask"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LTGDCE", "worker_id": "A2KW17G25L25R8"}], "B08VJB28BL": [{"asin": "B08VJB28BL", "instruction": "i am looking for an easy to clean jewelry box with 10 slots.", "attributes": ["easy clean", "clear glass"], "options": ["size: 10 slots"], "instruction_attributes": ["easy clean"], "instruction_options": ["10 slots"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKNWGSX", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08VJB28BL", "instruction": "i am looking for an easy to clean jewelry box with 10 slots.", "attributes": ["easy clean", "clear glass"], "options": ["size: 10 slots"], "instruction_attributes": ["easy clean"], "instruction_options": ["10 slots"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKNWGSX", "worker_id": "A1EREKSZAA9V7B"}], "B01M7M9NXX": [{"asin": "B01M7M9NXX", "instruction": "i am looking for a beige twin sized bed.", "attributes": ["twin size", "box spring", "memory foam"], "options": ["color: beige", "size: queen", "style: platform bed + mattress, 12 inch"], "instruction_attributes": ["twin size"], "instruction_options": ["beige"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95PJQXM", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01M7M9NXX", "instruction": "i am looking for a beige twin sized bed.", "attributes": ["twin size", "box spring", "memory foam"], "options": ["color: beige", "size: queen", "style: platform bed + mattress, 12 inch"], "instruction_attributes": ["twin size"], "instruction_options": ["beige"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95PJQXM", "worker_id": "A2ECRNQ3X5LEXD"}], "B08392XJPV": [{"asin": "B08392XJPV", "instruction": "i'm looking for a heather charcoal or electric blue machine washable athletic polo t-shirt. choose the ones that have short sleeves and in size large.", "attributes": ["wash cold", "machine wash", "short sleeve", "regular fit", "dry clean", "tumble dry"], "options": ["color: heather charcoal | electric\u00a0blue", "size: large"], "instruction_attributes": ["machine wash", "short sleeve"], "instruction_options": ["heather charcoal | electric\u00a0blue", "large"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYAF28V", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B08392XJPV", "instruction": "i'm looking for a heather charcoal or electric blue machine washable athletic polo t-shirt. choose the ones that have short sleeves and in size large.", "attributes": ["wash cold", "machine wash", "short sleeve", "regular fit", "dry clean", "tumble dry"], "options": ["color: heather charcoal | electric\u00a0blue", "size: large"], "instruction_attributes": ["machine wash", "short sleeve"], "instruction_options": ["heather charcoal | electric\u00a0blue", "large"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYAF28V", "worker_id": "A3MNXK3VDK37SN"}], "B07P1Y9C7J": [{"asin": "B07P1Y9C7J", "instruction": "i'm looking for a high resolution digital film & photo scanner that is easy to use. choose the black ones that is 9.4 x 7.9 x 5.1 inch in size.", "attributes": ["high resolution", "easy use", "usb port"], "options": ["color: black", "size: 9.4 x 7.9 x 5.1 inch"], "instruction_attributes": ["high resolution", "easy use"], "instruction_options": ["black", "9.4 x 7.9 x 5.1 inch"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ7N0NQ", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B07P1Y9C7J", "instruction": "i'm looking for a high resolution digital film & photo scanner that is easy to use. choose the black ones that is 9.4 x 7.9 x 5.1 inch in size.", "attributes": ["high resolution", "easy use", "usb port"], "options": ["color: black", "size: 9.4 x 7.9 x 5.1 inch"], "instruction_attributes": ["high resolution", "easy use"], "instruction_options": ["black", "9.4 x 7.9 x 5.1 inch"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ7N0NQ", "worker_id": "A3MNXK3VDK37SN"}], "B08X9WLKV7": [{"asin": "B08X9WLKV7", "instruction": "i need a light fixture that has glass lampshades with a grain finish", "attributes": ["glass shade", "vanity light", "pendant light", "light fixture"], "options": ["color: glass lampshades with grain finish"], "instruction_attributes": ["light fixture"], "instruction_options": ["glass lampshades with grain finish"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8N5D2NI", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08X9WLKV7", "instruction": "i need a light fixture that has glass lampshades with a grain finish", "attributes": ["glass shade", "vanity light", "pendant light", "light fixture"], "options": ["color: glass lampshades with grain finish"], "instruction_attributes": ["light fixture"], "instruction_options": ["glass lampshades with grain finish"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8N5D2NI", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SNTWCK3": [{"asin": "B09SNTWCK3", "instruction": "i want to find a high-resolution mini body camera without a memory version.", "attributes": ["high resolution", "motion detection"], "options": ["color: no memory version"], "instruction_attributes": ["high resolution"], "instruction_options": ["no memory version"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39A3CZN", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09SNTWCK3", "instruction": "i want to find a high-resolution mini body camera without a memory version.", "attributes": ["high resolution", "motion detection"], "options": ["color: no memory version"], "instruction_attributes": ["high resolution"], "instruction_options": ["no memory version"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39A3CZN", "worker_id": "A345TDMHP3DQ3G"}], "B09MRTX572": [{"asin": "B09MRTX572", "instruction": "i would like a high quality shower cap that is in a nautical dog pattern.", "attributes": ["easy carry", "high quality", "hair dye", "hair salon"], "options": ["color: dachshund sailors nautical dog pattern"], "instruction_attributes": ["high quality"], "instruction_options": ["dachshund sailors nautical dog pattern"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFMDV31", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09MRTX572", "instruction": "i would like a high quality shower cap that is in a nautical dog pattern.", "attributes": ["easy carry", "high quality", "hair dye", "hair salon"], "options": ["color: dachshund sailors nautical dog pattern"], "instruction_attributes": ["high quality"], "instruction_options": ["dachshund sailors nautical dog pattern"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFMDV31", "worker_id": "A2ECRNQ3X5LEXD"}], "B0040O4ETU": [{"asin": "B0040O4ETU", "instruction": "i would like a pack of butter cookies from trader joe.", "attributes": ["trader joe", "artificial flavors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2KJYN6", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0040O4ETU", "instruction": "i would like a pack of butter cookies from trader joe.", "attributes": ["trader joe", "artificial flavors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2KJYN6", "worker_id": "A1WS884SI0SLO4"}], "B09682W1GV": [{"asin": "B09682W1GV", "instruction": "i'm looking for a pair of stainless steel barber's scissors for cutting hair.", "attributes": ["stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU67MC2", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09682W1GV", "instruction": "i'm looking for a pair of stainless steel barber's scissors for cutting hair.", "attributes": ["stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU67MC2", "worker_id": "A2JP9IKRHNLRPI"}], "B00TO54PAI": [{"asin": "B00TO54PAI", "instruction": "i am looking for a multigroom beard trimmer kit for my face.", "attributes": ["stainless steel", "hair styling"], "options": ["style: er-gb96-k"], "instruction_attributes": ["hair styling"], "instruction_options": ["er-gb96-k"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGITWWJL", "worker_id": "A2KW17G25L25R8"}, {"asin": "B00TO54PAI", "instruction": "i am looking for a multigroom beard trimmer kit for my face.", "attributes": ["stainless steel", "hair styling"], "options": ["style: er-gb96-k"], "instruction_attributes": ["hair styling"], "instruction_options": ["er-gb96-k"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGITWWJL", "worker_id": "A2KW17G25L25R8"}], "B08H5SYM1M": [{"asin": "B08H5SYM1M", "instruction": "i need a 6 ounce deep conditioner for dry hair that has rose oil and peach scent.", "attributes": ["sulfate free", "paraben free", "dry hair"], "options": ["scent: rose oil + peach", "size: 6 ounce (pack of 2)"], "instruction_attributes": ["dry hair"], "instruction_options": ["rose oil + peach", "6 ounce (pack of 2)"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIEI00L", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08H5SYM1M", "instruction": "i need a 6 ounce deep conditioner for dry hair that has rose oil and peach scent.", "attributes": ["sulfate free", "paraben free", "dry hair"], "options": ["scent: rose oil + peach", "size: 6 ounce (pack of 2)"], "instruction_attributes": ["dry hair"], "instruction_options": ["rose oil + peach", "6 ounce (pack of 2)"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIEI00L", "worker_id": "A2ECRNQ3X5LEXD"}], "B08L5SZWW5": [{"asin": "B08L5SZWW5", "instruction": "i am looking for a light brown color hair dye.", "attributes": ["hair dye", "natural hair"], "options": ["color: light brown"], "instruction_attributes": ["hair dye"], "instruction_options": ["light brown"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J8SSF6", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08L5SZWW5", "instruction": "i am looking for a light brown color hair dye.", "attributes": ["hair dye", "natural hair"], "options": ["color: light brown"], "instruction_attributes": ["hair dye"], "instruction_options": ["light brown"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J8SSF6", "worker_id": "A1Q8PPQQCWGY0D"}], "B09GFRJSKS": [{"asin": "B09GFRJSKS", "instruction": "i'm looking for a large sized sports bra that is comfortable to wear during the day.", "attributes": ["day comfort", "moisture wicking", "nylon spandex"], "options": ["color: flamingo 11", "size: large"], "instruction_attributes": ["day comfort"], "instruction_options": ["large"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB98SOH", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09GFRJSKS", "instruction": "i'm looking for a large sized sports bra that is comfortable to wear during the day.", "attributes": ["day comfort", "moisture wicking", "nylon spandex"], "options": ["color: flamingo 11", "size: large"], "instruction_attributes": ["day comfort"], "instruction_options": ["large"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB98SOH", "worker_id": "A2JP9IKRHNLRPI"}], "B000F5X2WI": [{"asin": "B000F5X2WI", "instruction": "i'm looking for a pair of women's walking shoes that has a synthetic sole and is colored brown.", "attributes": ["lace closure", "synthetic sole"], "options": ["color: brown", "size: 10 aaa"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["brown"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDLDRH6", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B000F5X2WI", "instruction": "i'm looking to buy some walking shoes in size 11 narrow that have a lace closure and are pink multicolored.", "attributes": ["lace closure", "synthetic sole"], "options": ["color: pink multi", "size: 11 n"], "instruction_attributes": ["lace closure"], "instruction_options": ["pink multi", "11 n"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNDHTNI", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B000F5X2WI", "instruction": "i'm looking for a pair of walking shoes in size 12 wide. choose the ones with synthetic sole and in navy-microfiber color.", "attributes": ["lace closure", "synthetic sole"], "options": ["color: navy-microfiber", "size: 12 wide"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["navy-microfiber", "12 wide"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53NRKGG", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B000F5X2WI", "instruction": "i'm looking for a pair of women's walking shoes that has a synthetic sole and is colored brown.", "attributes": ["lace closure", "synthetic sole"], "options": ["color: brown", "size: 10 aaa"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["brown"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDLDRH6", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B000F5X2WI", "instruction": "i am looking for a pair of women's parquet brown walking shoes with a synthetic sole.", "attributes": ["lace closure", "synthetic sole"], "options": ["color: parquet brown", "size: 7 d"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["parquet brown"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOI7L9F", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B000F5X2WI", "instruction": "i would like a pair of size 12.5 natural fabric walking shoes with a synthetic sole.", "attributes": ["lace closure", "synthetic sole"], "options": ["color: natural fabric", "size: 12.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["natural fabric", "12.5"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8SQQ6C", "worker_id": "A1WS884SI0SLO4"}], "B07M7X7F2Q": [{"asin": "B07M7X7F2Q", "instruction": "i am looking for a chocolate colored waterproof bootie for women that has memory foam.", "attributes": ["memory foam", "rubber sole"], "options": ["color: chocolate", "size: 8.5-9"], "instruction_attributes": ["memory foam"], "instruction_options": ["chocolate"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH150QWHC", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07M7X7F2Q", "instruction": "i am looking for a chocolate colored waterproof bootie for women that has memory foam.", "attributes": ["memory foam", "rubber sole"], "options": ["color: chocolate", "size: 8.5-9"], "instruction_attributes": ["memory foam"], "instruction_options": ["chocolate"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH150QWHC", "worker_id": "A1EREKSZAA9V7B"}], "B09P77876R": [{"asin": "B09P77876R", "instruction": "i'm looking for a long sleeved men's hoodie in the size of small.", "attributes": ["slim fit", "long sleeve", "gym workout"], "options": ["color: z3-white", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP10763LI3", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09P77876R", "instruction": "i'm looking for a long sleeved men's hoodie in the size of small.", "attributes": ["slim fit", "long sleeve", "gym workout"], "options": ["color: z3-white", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP10763LI3", "worker_id": "A2JP9IKRHNLRPI"}], "B005M4G4LI": [{"asin": "B005M4G4LI", "instruction": "i am looking for an 8 ounce bag of freeze dried strawberries and bananas", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: strawberries + bananas", "size: 8 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries + bananas", "8 ounce (pack of 1)"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNTX8HJ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B005M4G4LI", "instruction": "i am interested in some bundled size freeze-dried strawberries.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: tropical fruits", "size: strawberries 1.2 ounce & bananas 2.5 oun...", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["bundle"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7K9RDPI", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B005M4G4LI", "instruction": "i am looking for peas flavoured dried strawberries.and also choose gluten free.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: peas", "size: 1.5 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["gluten free"], "instruction_options": ["peas"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN54I8C", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B005M4G4LI", "instruction": "i want some freeze dried mangoes.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: mangoes", "size: 1.8 ounce (pack of 12)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["mangoes"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4M8YXH", "worker_id": "A19317A3X87NVM"}, {"asin": "B005M4G4LI", "instruction": "buy me some freeze dried mangoes. get the bundle.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: mangoes", "size: strawberries 1.2 ounce & roasted corn 1....", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["mangoes", "bundle"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEG88QU", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B005M4G4LI", "instruction": "i am looking for an 8 ounce bag of freeze dried strawberries and bananas", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: strawberries + bananas", "size: 8 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries + bananas", "8 ounce (pack of 1)"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNTX8HJ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B005M4G4LI", "instruction": "i need a bundle of dried mangoes that are gluten free.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: mango strips", "size: 3 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["gluten free"], "instruction_options": ["bundle"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PL9EQ6", "worker_id": "A19317A3X87NVM"}, {"asin": "B005M4G4LI", "instruction": "please find freeze-dried strawberries + peas , gluten free & vegan made by natierra nature's organic", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: strawberries + peas", "size: 1.5 ounce (pack of 12)", "style: bundle"], "instruction_attributes": ["gluten free"], "instruction_options": ["strawberries + peas"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC7PD0X", "worker_id": "A292TFDMNVS0TP"}, {"asin": "B005M4G4LI", "instruction": "help me purchase 1 pack of bundle styled freeze-dried strawberries with mango flavor.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: mangoes", "size: 2.5 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["mangoes", "2.5 ounce (pack of 1)", "bundle"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACSBHN3", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B005M4G4LI", "instruction": "i would like a gmo free 2.5 ounce pack of dried berries.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: strawberries + tropical fruits", "size: 2.5 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["gmo free"], "instruction_options": ["2.5 ounce (pack of 1)"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0VZRAH", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B005M4G4LI", "instruction": "i'm looking for gluten free it has high protein it contains healthy.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: strawberries", "size: 0.7 ounce (pack of 4)", "style: bag"], "instruction_attributes": ["gluten free"], "instruction_options": ["strawberries"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZGOCP4", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B005M4G4LI", "instruction": "i am looking for organic freeze dried blueberries that should be gluten free and vegan, 1.6 ounce (pack of 1)", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: blueberries", "size: 1.6 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried", "gluten free"], "instruction_options": ["blueberries", "1.6 ounce (pack of 1)"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788GNC5I", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B005M4G4LI", "instruction": "looking for freeze-dried strawberries that is gluten free also choose style bag", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: blueberries", "size: 1.8 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried", "gluten free"], "instruction_options": ["bag"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWT3997B", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B005M4G4LI", "instruction": "i need natierra nature's organic freeze-dried strawberries.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: strawberries", "size: 0.7 ounce (pack of 8)", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WU51AP", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B005M4G4LI", "instruction": "look for a bundle containing freeze dried strawberries and peas.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: bananas and strawberries", "size: strawberries 1.2 ounce & peas 2.2 ounce", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries 1.2 ounce & peas 2.2 ounce", "bundle"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUAA9R7", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B005M4G4LI", "instruction": "am looking for organic freeze-dried strawberries that are gluten & vegan free in a 1.2 ounce package made by natierra nature in banana flavor.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: bananas", "size: 0.7 ounce (pack of 4)", "style: bundle"], "instruction_attributes": ["freeze dried", "gluten free"], "instruction_options": ["bananas"], "assignment_id": "3HOSI13XHAYM3IJTNO90AFDI6U8DDW", "worker_id": "A3RGIKEI8JS2QG"}], "B00GM4QXD6": [{"asin": "B00GM4QXD6", "instruction": "i am looking for a height adjustable faux leather barstool.", "attributes": ["height adjustable", "contemporary design", "faux leather"], "options": [""], "instruction_attributes": ["height adjustable", "faux leather"], "instruction_options": [], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKWMNDW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00GM4QXD6", "instruction": "i am looking for a height adjustable faux leather barstool.", "attributes": ["height adjustable", "contemporary design", "faux leather"], "options": [""], "instruction_attributes": ["height adjustable", "faux leather"], "instruction_options": [], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKWMNDW", "worker_id": "A1EREKSZAA9V7B"}], "B0131L2XA4": [{"asin": "B0131L2XA4", "instruction": "i am looking for blue scrub bottoms that are made of polyester cotton and are a size 3x tall.", "attributes": ["polyester cotton", "drawstring closure"], "options": ["color: caribbean blue", "size: 3x tall"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["caribbean blue", "3x tall"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66NSFZY", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0131L2XA4", "instruction": "i am looking for blue scrub bottoms that are made of polyester cotton and are a size 3x tall.", "attributes": ["polyester cotton", "drawstring closure"], "options": ["color: caribbean blue", "size: 3x tall"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["caribbean blue", "3x tall"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66NSFZY", "worker_id": "A2ECRNQ3X5LEXD"}], "B087LSFS6R": [{"asin": "B087LSFS6R", "instruction": "i need a usb cable that is high speed and 32 ft.", "attributes": ["plug play", "high speed", "aluminum alloy", "usb port"], "options": ["size: usb 3.0 - 32ft"], "instruction_attributes": ["high speed"], "instruction_options": ["usb 3.0 - 32ft"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKHHD7B", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B087LSFS6R", "instruction": "i need a usb cable that is high speed and 32 ft.", "attributes": ["plug play", "high speed", "aluminum alloy", "usb port"], "options": ["size: usb 3.0 - 32ft"], "instruction_attributes": ["high speed"], "instruction_options": ["usb 3.0 - 32ft"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKHHD7B", "worker_id": "A2ECRNQ3X5LEXD"}], "B01HJWDQWA": [{"asin": "B01HJWDQWA", "instruction": "need a high speed hdmi cable 2 pack with 100 feet, male to female, pack of 10", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 100 feet (2-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "100 feet (2-pack)", "hdmi male to female"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDP8Y86", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B01HJWDQWA", "instruction": "i'm looking for 1.5 feet (10 pack) high speed hdmi cable male to male with ethernet black", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 1.5 feet (4-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["10 pack", "1.5 feet (4-pack)", "hdmi male to male"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YW090QD", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01HJWDQWA", "instruction": "i'm looking for a 10-pack, of gold-plated, high-speed hdmi male-to-male cables.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 1.5 feet (5-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "hdmi male to male"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVK451TV", "worker_id": "AFU00NU09CFXE"}, {"asin": "B01HJWDQWA", "instruction": "need a high speed hdmi cable 2 pack with 100 feet, male to female, pack of 10", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 100 feet (2-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "100 feet (2-pack)", "hdmi male to female"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDP8Y86", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B01HJWDQWA", "instruction": "i am interested in buying a hdmi male to male ethernet cable which support blu ray streaming and about 1.5 feet in length and high speed communication.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 5 pack", "size: 1.5 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["blu ray"], "instruction_options": ["1.5 feet (single pack)", "hdmi male to male"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XT4NGI", "worker_id": "AHXHM1PQTRWIQ"}, {"asin": "B01HJWDQWA", "instruction": "i want a 2 pack of high speed hdmi male to male cables,", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 12 feet (3-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["2 pack"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BDGQUK", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01HJWDQWA", "instruction": "i'm looking for a 12 feet 4 pack high speed hdmi male to female cable.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 4 pack", "size: 12 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["4 pack", "12 feet (single pack)", "hdmi male to female"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2KZFK8", "worker_id": "A3MNXK3VDK37SN"}], "B005KIUP9I": [{"asin": "B005KIUP9I", "instruction": "i would like a alcohol free fragrance.", "attributes": ["design house", "alcohol free"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT06WZNUO", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B005KIUP9I", "instruction": "i am looking for a fragrance called tous baby cologne spray for kids. it is 3.4 oz and alcohol free.", "attributes": ["design house", "alcohol free"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LEF5I7", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B005KIUP9I", "instruction": "i would like a alcohol free fragrance.", "attributes": ["design house", "alcohol free"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT06WZNUO", "worker_id": "A1WS884SI0SLO4"}], "B08ZBDP1H3": [{"asin": "B08ZBDP1H3", "instruction": "i am looking for a satin brass and frosted hallway light fixtures.", "attributes": ["glass shade", "living room"], "options": ["color: satin brass | frosted", "size: 54\" linear"], "instruction_attributes": ["living room"], "instruction_options": ["satin brass | frosted"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEGUQ8Y", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08ZBDP1H3", "instruction": "i am looking for a black glass shade for my living room", "attributes": ["glass shade", "living room"], "options": ["color: black | clear", "size: 42\" linear"], "instruction_attributes": ["glass shade", "living room"], "instruction_options": ["black | clear"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UOWJ6U", "worker_id": "A13PVNQT2WWWVL"}, {"asin": "B08ZBDP1H3", "instruction": "i'm trying to find 30 inch linear sconces for my living room with frosted glass shades. the sconces should come in brushed nickel and clear colors.", "attributes": ["glass shade", "living room"], "options": ["color: brushed nickel | clear", "size: 30\" linear"], "instruction_attributes": ["glass shade", "living room"], "instruction_options": ["30\" linear"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFVMD9G", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08ZBDP1H3", "instruction": "i am looking for a satin brass and frosted hallway light fixtures.", "attributes": ["glass shade", "living room"], "options": ["color: satin brass | frosted", "size: 54\" linear"], "instruction_attributes": ["living room"], "instruction_options": ["satin brass | frosted"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEGUQ8Y", "worker_id": "A1EREKSZAA9V7B"}], "B07JVMP4DH": [{"asin": "B07JVMP4DH", "instruction": "i am looking for a dead sea skin care mud mask that is cruelty free and contains aloe vera gel.", "attributes": ["anti aging", "animal testing", "cruelty free", "long lasting", "high quality", "fine lines", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXP0O5B", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07JVMP4DH", "instruction": "i am looking for a dead sea skin care mud mask that is cruelty free and contains aloe vera gel.", "attributes": ["anti aging", "animal testing", "cruelty free", "long lasting", "high quality", "fine lines", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXP0O5B", "worker_id": "A1EREKSZAA9V7B"}], "B09QXGQMDG": [{"asin": "B09QXGQMDG", "instruction": "i would like a mint green size 6 dress that's light weight to wear.", "attributes": ["light weight", "lace closure"], "options": ["color: mint green", "size: 6"], "instruction_attributes": ["light weight"], "instruction_options": ["mint green", "6"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI37QDBF", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09QXGQMDG", "instruction": "i would like a mint green size 6 dress that's light weight to wear.", "attributes": ["light weight", "lace closure"], "options": ["color: mint green", "size: 6"], "instruction_attributes": ["light weight"], "instruction_options": ["mint green", "6"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI37QDBF", "worker_id": "A1WS884SI0SLO4"}], "B09R46FK8T": [{"asin": "B09R46FK8T", "instruction": "i want a long sleeved brown shirt that is in a medium.", "attributes": ["machine wash", "long sleeve", "short sleeve", "elastic closure", "unique design", "polyester spandex", "daily wear"], "options": ["color: b-brown", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["b-brown", "medium"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XONNGR", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09R46FK8T", "instruction": "i want a long sleeved brown shirt that is in a medium.", "attributes": ["machine wash", "long sleeve", "short sleeve", "elastic closure", "unique design", "polyester spandex", "daily wear"], "options": ["color: b-brown", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["b-brown", "medium"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XONNGR", "worker_id": "A2ECRNQ3X5LEXD"}], "B08RDHLCP2": [{"asin": "B08RDHLCP2", "instruction": "i'm looking for a color b quick release thumb screw tripod.", "attributes": ["quick release", "easy carry", "aluminum alloy"], "options": ["color: b"], "instruction_attributes": ["quick release"], "instruction_options": ["b"], "assignment_id": "31EUONYN26DZ1WA44INARVVOADDOVT", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B08RDHLCP2", "instruction": "i'm looking for a color b quick release thumb screw tripod.", "attributes": ["quick release", "easy carry", "aluminum alloy"], "options": ["color: b"], "instruction_attributes": ["quick release"], "instruction_options": ["b"], "assignment_id": "31EUONYN26DZ1WA44INARVVOADDOVT", "worker_id": "ARQ05PDNXPFDI"}], "B09N382RP7": [{"asin": "B09N382RP7", "instruction": "i need a new end table for the living room. get me a pink one.", "attributes": ["engineered wood", "storage unit", "living room"], "options": ["color: pink | white", "pattern name: shelving unit + tv stands", "size: 3-tier"], "instruction_attributes": ["living room"], "instruction_options": ["pink | white"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIAJL25", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09N382RP7", "instruction": "i need a new end table for the living room. get me a pink one.", "attributes": ["engineered wood", "storage unit", "living room"], "options": ["color: pink | white", "pattern name: shelving unit + tv stands", "size: 3-tier"], "instruction_attributes": ["living room"], "instruction_options": ["pink | white"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIAJL25", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09N382RP7", "instruction": "i'm looking for a 4-tier shelving unit and tv stand that is espresso and classic black color. also, it should have engineered wood.", "attributes": ["engineered wood", "storage unit", "living room"], "options": ["color: espresso | black classic tube", "pattern name: shelving unit + tv stands", "size: 4-tier"], "instruction_attributes": ["engineered wood"], "instruction_options": ["espresso | black classic tube", "shelving unit + tv stands", "4-tier"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC6AINJ", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B09N382RP7", "instruction": "i am looking for a engineered wood end table for living room in light blue color. also choose pattern of shelving unit + rack display shelf and 3-tier classic tube size.", "attributes": ["engineered wood", "storage unit", "living room"], "options": ["color: light blue | white", "pattern name: shelving unit + rack display shelf", "size: 3-tier classic tube"], "instruction_attributes": ["engineered wood", "living room"], "instruction_options": ["light blue | white", "3-tier classic tube"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40XZCRH", "worker_id": "A2HMEGTAFO0CS8"}], "B08Y8R82HM": [{"asin": "B08Y8R82HM", "instruction": "i am looking for a easy to use beige color shower cap.", "attributes": ["easy use", "dry hair"], "options": ["color: beige"], "instruction_attributes": ["easy use"], "instruction_options": ["beige"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD6W0S3", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08Y8R82HM", "instruction": "i am looking for a easy to use beige color shower cap.", "attributes": ["easy use", "dry hair"], "options": ["color: beige"], "instruction_attributes": ["easy use"], "instruction_options": ["beige"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD6W0S3", "worker_id": "A1Q8PPQQCWGY0D"}], "B08T6B1KNH": [{"asin": "B08T6B1KNH", "instruction": "i am looking for s96 pro black android 10 octa-core ip68 fast charging phone", "attributes": ["fast charging", "wireless charging"], "options": ["color: s96 pro black"], "instruction_attributes": ["fast charging"], "instruction_options": ["s96 pro black"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPEMQVU", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08T6B1KNH", "instruction": "i am looking for s96 pro black android 10 octa-core ip68 fast charging phone", "attributes": ["fast charging", "wireless charging"], "options": ["color: s96 pro black"], "instruction_attributes": ["fast charging"], "instruction_options": ["s96 pro black"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPEMQVU", "worker_id": "A258PTOZ3D2TQR"}], "B07HY8DHQ7": [{"asin": "B07HY8DHQ7", "instruction": "i want a shampoo and conditioner set for damaged hair with coconut oil, size 32 oz 2 pack", "attributes": ["coconut oil", "damaged hair"], "options": ["scent: shampoo", "size: 32 ounce, pack of 2"], "instruction_attributes": ["coconut oil", "damaged hair"], "instruction_options": ["shampoo", "32 ounce, pack of 2"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZTYNA3", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07HY8DHQ7", "instruction": "i want a shampoo and conditioner set for damaged hair with coconut oil, size 32 oz 2 pack", "attributes": ["coconut oil", "damaged hair"], "options": ["scent: shampoo", "size: 32 ounce, pack of 2"], "instruction_attributes": ["coconut oil", "damaged hair"], "instruction_options": ["shampoo", "32 ounce, pack of 2"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZTYNA3", "worker_id": "A2Y2TURT2VEYZN"}], "B093SZ5P7Z": [{"asin": "B093SZ5P7Z", "instruction": "i am looking for 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1Z8BPAD", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B093SZ5P7Z", "instruction": "i am looking for 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1Z8BPAD", "worker_id": "A1EREKSZAA9V7B"}], "B07D3SZWDS": [{"asin": "B07D3SZWDS", "instruction": "i'm looking for a pair of men's shoes made from rubber on the outside in the uk size six and half men's.", "attributes": ["lace closure", "synthetic sole", "rubber outsole"], "options": ["color: core black core black gum 3", "size: 6.5 m uk"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["6.5 m uk"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW9BNFG", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B07D3SZWDS", "instruction": "i'm looking for a pair of men's shoes made from rubber on the outside in the uk size six and half men's.", "attributes": ["lace closure", "synthetic sole", "rubber outsole"], "options": ["color: core black core black gum 3", "size: 6.5 m uk"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["6.5 m uk"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW9BNFG", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B07D3SZWDS", "instruction": "i am looking for rubber outsole men shoes. please choose white color.", "attributes": ["lace closure", "synthetic sole", "rubber outsole"], "options": ["color: white (ftwr white | ftwr white | gum 3)", "size: 6.5 m uk"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["white (ftwr white | ftwr white | gum 3)"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I161SH", "worker_id": "A3FG5PQHG5AH3Y"}], "B09QG9146D": [{"asin": "B09QG9146D", "instruction": "i'm looking for a leather phone wallet case compatible with the iphone 11 pro that supports wireless charging.", "attributes": ["hands free", "tempered glass", "glass screen", "wireless charging"], "options": ["color: 11 pro max-starry night", "size: for iphone 11 pro 5.8\""], "instruction_attributes": ["wireless charging"], "instruction_options": ["for iphone 11 pro 5.8\""], "assignment_id": "3HPZF4IVNX3FW186JO133U513GLYC4", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09QG9146D", "instruction": "i would like aa sea wave phone case of the iphone 6 that supports wireless charging.", "attributes": ["hands free", "tempered glass", "glass screen", "wireless charging"], "options": ["color: xs max-sea wave", "size: for iphone 6 | 6s | 7 | 8 plus 5.5\""], "instruction_attributes": ["wireless charging"], "instruction_options": ["xs max-sea wave", "for iphone 6 | 6s | 7 | 8 plus 5.5\""], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9Y6CNGH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09QG9146D", "instruction": "i'm looking for a leather phone wallet case compatible with the iphone 11 pro that supports wireless charging.", "attributes": ["hands free", "tempered glass", "glass screen", "wireless charging"], "options": ["color: 11 pro max-starry night", "size: for iphone 11 pro 5.8\""], "instruction_attributes": ["wireless charging"], "instruction_options": ["for iphone 11 pro 5.8\""], "assignment_id": "3HPZF4IVNX3FW186JO133U513GLYC4", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09QG9146D", "instruction": "i need an iphone x case with wireless charging in a butterfly color.", "attributes": ["hands free", "tempered glass", "glass screen", "wireless charging"], "options": ["color: x | xs-butterfly 1", "size: for iphone 11 pro max 6.5\""], "instruction_attributes": ["wireless charging"], "instruction_options": ["x | xs-butterfly 1"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54VF83Q", "worker_id": "AVIEE6LDH0BT5"}], "B08VDN1RP9": [{"asin": "B08VDN1RP9", "instruction": "i need an easy to carry travel bag for shampoo.", "attributes": ["easy carry", "travel bottles"], "options": [""], "instruction_attributes": ["easy carry", "travel bottles"], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXCNUJK", "worker_id": "A19317A3X87NVM"}, {"asin": "B08VDN1RP9", "instruction": "i need an easy to carry travel bag for shampoo.", "attributes": ["easy carry", "travel bottles"], "options": [""], "instruction_attributes": ["easy carry", "travel bottles"], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXCNUJK", "worker_id": "A19317A3X87NVM"}], "B083KPNYHF": [{"asin": "B083KPNYHF", "instruction": "i'm looking for a security camera that has motion detection functionality.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXP2O5D", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B083KPNYHF", "instruction": "i'm looking for a security camera that has motion detection functionality.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXP2O5D", "worker_id": "A345TDMHP3DQ3G"}], "B07PKW544C": [{"asin": "B07PKW544C", "instruction": "i am looking for a 50 pack of white non-slip spa headbands.", "attributes": ["non slip", "beauty salon"], "options": ["color: white 50pcs"], "instruction_attributes": ["non slip"], "instruction_options": ["white 50pcs"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDLBRH4", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07PKW544C", "instruction": "i am looking for a 50 pack of white non-slip spa headbands.", "attributes": ["non slip", "beauty salon"], "options": ["color: white 50pcs"], "instruction_attributes": ["non slip"], "instruction_options": ["white 50pcs"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDLBRH4", "worker_id": "A1EREKSZAA9V7B"}], "B09SZ5K381": [{"asin": "B09SZ5K381", "instruction": "i am looking for teeth whitening toothpaste with a passion fruit flavor.", "attributes": ["teeth whitening", "fluoride free", "long lasting", "sensitive teeth", "fresh breath", "bad breath"], "options": ["color: passion fruit"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["passion fruit"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADFBVWB", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09SZ5K381", "instruction": "i am looking for teeth whitening toothpaste with a passion fruit flavor.", "attributes": ["teeth whitening", "fluoride free", "long lasting", "sensitive teeth", "fresh breath", "bad breath"], "options": ["color: passion fruit"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["passion fruit"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADFBVWB", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09SZ5K381", "instruction": "i would like some purple toothpaste that whitens teeth.", "attributes": ["teeth whitening", "fluoride free", "long lasting", "sensitive teeth", "fresh breath", "bad breath"], "options": ["color: purple"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["purple"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MLBOFV", "worker_id": "A2ECRNQ3X5LEXD"}], "B004Z4PMFA": [{"asin": "B004Z4PMFA", "instruction": "i'm looking for a long lasting 3.3 oz edt spray for men.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOUX932", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B004Z4PMFA", "instruction": "i'm looking for a long lasting 3.3 oz edt spray for men.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOUX932", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B004Z4PMFA", "instruction": "im looking for fragrance its for long lasting.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6JZEEA", "worker_id": "A16IQOX0DK14OJ"}], "B01MSHHGFJ": [{"asin": "B01MSHHGFJ", "instruction": "i need a wildlife novelty polyester cotton multi color sock which is suitable for women's 6-11", "attributes": ["cotton spandex", "polyester cotton", "polyester spandex"], "options": ["color: mulit color", "size: youth - 13, 1-5 | women's 6-11 | men's 5..."], "instruction_attributes": ["polyester cotton"], "instruction_options": ["mulit color", "youth - 13, 1-5 | women's 6-11 | men's 5..."], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI37FBD2", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01MSHHGFJ", "instruction": "i need a wildlife novelty polyester cotton multi color sock which is suitable for women's 6-11", "attributes": ["cotton spandex", "polyester cotton", "polyester spandex"], "options": ["color: mulit color", "size: youth - 13, 1-5 | women's 6-11 | men's 5..."], "instruction_attributes": ["polyester cotton"], "instruction_options": ["mulit color", "youth - 13, 1-5 | women's 6-11 | men's 5..."], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI37FBD2", "worker_id": "A258PTOZ3D2TQR"}], "B09N7JTH4Q": [{"asin": "B09N7JTH4Q", "instruction": "i want to find decorative, multi-colored vinyl dots for my living room windows. the size should be 17.7 inches by 23.6 inches.", "attributes": ["eco friendly", "living room"], "options": ["color: multi-003976", "size: 17.7wx23.6l-inch x2 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["multi-003976", "17.7wx23.6l-inch x2 pcs"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW91NF6", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09N7JTH4Q", "instruction": "i want to find decorative, multi-colored vinyl dots for my living room windows. the size should be 17.7 inches by 23.6 inches.", "attributes": ["eco friendly", "living room"], "options": ["color: multi-003976", "size: 17.7wx23.6l-inch x2 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["multi-003976", "17.7wx23.6l-inch x2 pcs"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW91NF6", "worker_id": "A345TDMHP3DQ3G"}], "B077SFNTSC": [{"asin": "B077SFNTSC", "instruction": "buy me ten pounds of low calorie coconut water.", "attributes": ["freeze dried", "low calorie"], "options": ["size: 160 ounce - 10 pound"], "instruction_attributes": ["low calorie"], "instruction_options": ["160 ounce - 10 pound"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADHZAHR", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B077SFNTSC", "instruction": "buy me ten pounds of low calorie coconut water.", "attributes": ["freeze dried", "low calorie"], "options": ["size: 160 ounce - 10 pound"], "instruction_attributes": ["low calorie"], "instruction_options": ["160 ounce - 10 pound"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADHZAHR", "worker_id": "AR9AU5FY1S3RO"}], "B09BNQLMMK": [{"asin": "B09BNQLMMK", "instruction": "i am looking for chocolate scent candles that is long lasting.", "attributes": ["long lasting", "soy wax"], "options": ["scent: chocolate", "size: 12 oz"], "instruction_attributes": ["long lasting"], "instruction_options": ["chocolate"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKNSSG5", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09BNQLMMK", "instruction": "i am looking for chocolate scent candles that is long lasting.", "attributes": ["long lasting", "soy wax"], "options": ["scent: chocolate", "size: 12 oz"], "instruction_attributes": ["long lasting"], "instruction_options": ["chocolate"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKNSSG5", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09BNQLMMK", "instruction": "i'm looking for soy wax for making candles.", "attributes": ["long lasting", "soy wax"], "options": ["scent: cookies & cream milk-shake", "size: 12 oz"], "instruction_attributes": ["soy wax"], "instruction_options": ["12 oz"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEI8XI2", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09BNQLMMK", "instruction": "i'm looking for spy wax it was making for candles.", "attributes": ["long lasting", "soy wax"], "options": ["scent: salted butterscotch", "size: 12 oz"], "instruction_attributes": ["soy wax"], "instruction_options": ["salted butterscotch", "12 oz"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMX12GS", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09BNQLMMK", "instruction": "i want a 16 ounce happy new year candle made from soy.", "attributes": ["long lasting", "soy wax"], "options": ["scent: happy new year", "size: 16 oz"], "instruction_attributes": ["soy wax"], "instruction_options": ["happy new year", "16 oz"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0WUACW", "worker_id": "A1WS884SI0SLO4"}], "B09SDTNYLJ": [{"asin": "B09SDTNYLJ", "instruction": "i am looking for a high quality round head 70x185cm spa bed cover.", "attributes": ["high quality", "beauty salon"], "options": ["size: round head 70x185cm"], "instruction_attributes": ["high quality"], "instruction_options": ["round head 70x185cm"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHZIQHB", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09SDTNYLJ", "instruction": "i am looking for a high quality round head 70x185cm spa bed cover.", "attributes": ["high quality", "beauty salon"], "options": ["size: round head 70x185cm"], "instruction_attributes": ["high quality"], "instruction_options": ["round head 70x185cm"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHZIQHB", "worker_id": "A1EREKSZAA9V7B"}], "B081HZ4D87": [{"asin": "B081HZ4D87", "instruction": "i am interested in a 15.6 inch laptop carrying case that is gray.", "attributes": ["dust proof", "carrying case"], "options": ["color: gray", "size: 15.6 inch"], "instruction_attributes": ["carrying case"], "instruction_options": ["gray", "15.6 inch"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ8FWU0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B081HZ4D87", "instruction": "i am interested in a 15.6 inch laptop carrying case that is gray.", "attributes": ["dust proof", "carrying case"], "options": ["color: gray", "size: 15.6 inch"], "instruction_attributes": ["carrying case"], "instruction_options": ["gray", "15.6 inch"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ8FWU0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B081HZ4D87", "instruction": "i am looking for a gray bags, cases & sleeves \u203a sleeves for carrying case", "attributes": ["dust proof", "carrying case"], "options": ["color: gray", "size: 16 inch"], "instruction_attributes": ["carrying case"], "instruction_options": ["gray"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCKXPI6", "worker_id": "A9QRQL9CFJBI7"}], "B0863YM5B4": [{"asin": "B0863YM5B4", "instruction": "i am looking for plastic refillable spray bottles that are easy to use.", "attributes": ["easy carry", "easy use", "travel bottles"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8OY02AK", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B0863YM5B4", "instruction": "i am looking for plastic refillable spray bottles that are easy to use.", "attributes": ["easy carry", "easy use", "travel bottles"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8OY02AK", "worker_id": "A1Q8PPQQCWGY0D"}], "B08344D945": [{"asin": "B08344D945", "instruction": "i need a 7 layer bookshelf for my living room.", "attributes": ["storage unit", "living room"], "options": ["color: d", "size: 7 layer"], "instruction_attributes": ["living room"], "instruction_options": ["d", "7 layer"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PJSEQL", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08344D945", "instruction": "i need a 7 layer bookshelf for my living room.", "attributes": ["storage unit", "living room"], "options": ["color: d", "size: 7 layer"], "instruction_attributes": ["living room"], "instruction_options": ["d", "7 layer"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PJSEQL", "worker_id": "A2RBF3IIJP15IH"}], "B08K95TC4Q": [{"asin": "B08K95TC4Q", "instruction": "i'd like to buy a cellphone case for my iphone. i want a black one made out of carbon fiber.", "attributes": ["carbon fiber", "tempered glass", "wireless charging"], "options": ["color: black"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["black"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LEFPS6", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08K95TC4Q", "instruction": "i'd like to buy a cellphone case for my iphone. i want a black one made out of carbon fiber.", "attributes": ["carbon fiber", "tempered glass", "wireless charging"], "options": ["color: black"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["black"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LEFPS6", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08K95TC4Q", "instruction": "i'm looking for a carbon fiber iphone 11 case, preferably the red color.", "attributes": ["carbon fiber", "tempered glass", "wireless charging"], "options": ["color: red"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["red"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4DAI0J", "worker_id": "ARQ05PDNXPFDI"}], "B09MRVVWQ3": [{"asin": "B09MRVVWQ3", "instruction": "i want to buy a tea-themed gift basket.", "attributes": ["gift set", "gift basket", "great gift"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CAD0VV", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09MRVVWQ3", "instruction": "i want to buy a tea-themed gift basket.", "attributes": ["gift set", "gift basket", "great gift"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CAD0VV", "worker_id": "AR9AU5FY1S3RO"}], "B09QG4827R": [{"asin": "B09QG4827R", "instruction": "i'm looking for a size 40x30 inch super soft cute cartoon dinosaurs", "attributes": ["super soft", "living room"], "options": ["color: just a boy who loves dinosaurs", "size: 40x30 inch xs for airplane | pet"], "instruction_attributes": ["super soft"], "instruction_options": ["40x30 inch xs for airplane | pet"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCGBIP5", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B09QG4827R", "instruction": "i'm looking for a size 40x30 inch super soft cute cartoon dinosaurs", "attributes": ["super soft", "living room"], "options": ["color: just a boy who loves dinosaurs", "size: 40x30 inch xs for airplane | pet"], "instruction_attributes": ["super soft"], "instruction_options": ["40x30 inch xs for airplane | pet"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCGBIP5", "worker_id": "ARQ05PDNXPFDI"}], "B07THFBCJK": [{"asin": "B07THFBCJK", "instruction": "i'm looking for a black noise cancelling wireless headphones", "attributes": ["noise cancelling", "wireless bluetooth"], "options": ["color: black | yellow alcantara | black metal"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black | yellow alcantara | black metal"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40TOYFQ", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B07THFBCJK", "instruction": "i'm looking for a black noise cancelling wireless headphones", "attributes": ["noise cancelling", "wireless bluetooth"], "options": ["color: black | yellow alcantara | black metal"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black | yellow alcantara | black metal"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40TOYFQ", "worker_id": "ARQ05PDNXPFDI"}], "B01IA961HI": [{"asin": "B01IA961HI", "instruction": "i'm looking for long-lasting anti-perspirant that is unscented.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4776RU", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01IA961HI", "instruction": "i'm looking for long-lasting anti-perspirant that is unscented.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4776RU", "worker_id": "A345TDMHP3DQ3G"}], "B079WSQ7G5": [{"asin": "B079WSQ7G5", "instruction": "i want to buy a high performance s-video cable.", "attributes": ["gold plated", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q1YKD5", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B079WSQ7G5", "instruction": "i want to buy a high performance s-video cable.", "attributes": ["gold plated", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q1YKD5", "worker_id": "AR9AU5FY1S3RO"}], "B09F3N66K9": [{"asin": "B09F3N66K9", "instruction": "i need a slim fit blouse that is a 4x large and is multicolored.", "attributes": ["water resistant", "slim fit", "machine wash", "long sleeve", "drawstring closure"], "options": ["color: 96#multicolor", "size: 4x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["96#multicolor", "4x-large"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIT89TH", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09F3N66K9", "instruction": "i need a slim fit blouse that is a 4x large and is multicolored.", "attributes": ["water resistant", "slim fit", "machine wash", "long sleeve", "drawstring closure"], "options": ["color: 96#multicolor", "size: 4x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["96#multicolor", "4x-large"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIT89TH", "worker_id": "A2ECRNQ3X5LEXD"}], "B06XC5S67Z": [{"asin": "B06XC5S67Z", "instruction": "i need 300 alcohol free cleansing wipes", "attributes": ["alcohol free", "paraben free", "high quality"], "options": ["size: 300 pcs"], "instruction_attributes": ["alcohol free"], "instruction_options": ["300 pcs"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX2FFAR", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B06XC5S67Z", "instruction": "i need 300 alcohol free cleansing wipes", "attributes": ["alcohol free", "paraben free", "high quality"], "options": ["size: 300 pcs"], "instruction_attributes": ["alcohol free"], "instruction_options": ["300 pcs"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX2FFAR", "worker_id": "A2ECRNQ3X5LEXD"}], "B07C2DXSBQ": [{"asin": "B07C2DXSBQ", "instruction": "i am looking for long lasting dusty navy original fit jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: dusty navy", "fit type: regular", "size: 44w x 30l"], "instruction_attributes": ["long lasting"], "instruction_options": ["dusty navy"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADHNHAM", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07C2DXSBQ", "instruction": "i am looking for long lasting dusty navy original fit jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: dusty navy", "fit type: regular", "size: 44w x 30l"], "instruction_attributes": ["long lasting"], "instruction_options": ["dusty navy"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADHNHAM", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07C2DXSBQ", "instruction": "i need slim comfortable fit jeans", "attributes": ["long lasting", "comfortable fit"], "options": ["color: gunter", "fit type: slim", "size: 33w x 44l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["slim"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LHG0LR", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07C2DXSBQ", "instruction": "i need to shop for a comfortable fitting pair of jeans in the \"crest\" color.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: crest", "fit type: regular", "size: 52w x 34l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["crest"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KDFDPE", "worker_id": "AR9AU5FY1S3RO"}], "B09JGSN6ZN": [{"asin": "B09JGSN6ZN", "instruction": "i need a 5 pound bag of birthday candy.", "attributes": ["birthday cake", "birthday party"], "options": ["size: 5-pound"], "instruction_attributes": ["birthday party"], "instruction_options": ["5-pound"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMMTMWF", "worker_id": "A19317A3X87NVM"}, {"asin": "B09JGSN6ZN", "instruction": "i need a 5 pound bag of birthday candy.", "attributes": ["birthday cake", "birthday party"], "options": ["size: 5-pound"], "instruction_attributes": ["birthday party"], "instruction_options": ["5-pound"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMMTMWF", "worker_id": "A19317A3X87NVM"}], "B00Q7N55AY": [{"asin": "B00Q7N55AY", "instruction": "i need a toasted brown wig that is made from natural hair.", "attributes": ["synthetic hair", "natural hair", "hair growth"], "options": ["color: toasted brown"], "instruction_attributes": ["natural hair"], "instruction_options": ["toasted brown"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2O14L6", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B00Q7N55AY", "instruction": "i need a toasted brown wig that is made from natural hair.", "attributes": ["synthetic hair", "natural hair", "hair growth"], "options": ["color: toasted brown"], "instruction_attributes": ["natural hair"], "instruction_options": ["toasted brown"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2O14L6", "worker_id": "A2RBF3IIJP15IH"}], "B09MH59735": [{"asin": "B09MH59735", "instruction": "what face rollers do you have that are easy to use and for dry and sensitive skin? i would prefer it in blue.", "attributes": ["easy use", "bpa free", "high quality", "green tea", "fine lines", "dry skin", "sensitive skin"], "options": ["color: blue"], "instruction_attributes": ["easy use", "dry skin", "sensitive skin"], "instruction_options": ["blue"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09Q166", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B09MH59735", "instruction": "what face rollers do you have that are easy to use and for dry and sensitive skin? i would prefer it in blue.", "attributes": ["easy use", "bpa free", "high quality", "green tea", "fine lines", "dry skin", "sensitive skin"], "options": ["color: blue"], "instruction_attributes": ["easy use", "dry skin", "sensitive skin"], "instruction_options": ["blue"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09Q166", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B09MH59735", "instruction": "i need an easy to use red ice roller.", "attributes": ["easy use", "bpa free", "high quality", "green tea", "fine lines", "dry skin", "sensitive skin"], "options": ["color: red"], "instruction_attributes": ["easy use"], "instruction_options": ["red"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I0S1S1", "worker_id": "A19317A3X87NVM"}], "B019WW2FBS": [{"asin": "B019WW2FBS", "instruction": "i'm looking for a ceiling light fixture with a brushed nickel finish that would suit a dining room.", "attributes": ["brushed nickel", "nickel finish", "light fixture", "dining room"], "options": ["color: brushed nickel", "size: two - light", "style: ceiling fixture"], "instruction_attributes": ["brushed nickel", "nickel finish", "light fixture", "dining room"], "instruction_options": ["brushed nickel", "ceiling fixture"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHXN4Z3", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B019WW2FBS", "instruction": "i'm looking for a chrome wall light fixture with a brushed nickle finished.", "attributes": ["brushed nickel", "nickel finish", "light fixture", "dining room"], "options": ["color: chrome", "size: three - light", "style: ceiling fixture"], "instruction_attributes": ["brushed nickel", "nickel finish"], "instruction_options": ["chrome"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5L979J3", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B019WW2FBS", "instruction": "i'm looking for a ceiling light fixture with a brushed nickel finish that would suit a dining room.", "attributes": ["brushed nickel", "nickel finish", "light fixture", "dining room"], "options": ["color: brushed nickel", "size: two - light", "style: ceiling fixture"], "instruction_attributes": ["brushed nickel", "nickel finish", "light fixture", "dining room"], "instruction_options": ["brushed nickel", "ceiling fixture"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHXN4Z3", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B019WW2FBS", "instruction": "i am looking for a light fixture that is satin brass.", "attributes": ["brushed nickel", "nickel finish", "light fixture", "dining room"], "options": ["color: satin brass", "size: one light", "style: wall bath fixture"], "instruction_attributes": ["light fixture"], "instruction_options": ["satin brass"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84B1C61", "worker_id": "A2ECRNQ3X5LEXD"}], "B08SJBD8CQ": [{"asin": "B08SJBD8CQ", "instruction": "i would like the tom ford cafe rose impression perfume that is in a travel size.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: tom ford cafe rose impression"], "instruction_attributes": ["travel size"], "instruction_options": ["tom ford cafe rose impression"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPV1PJP", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08SJBD8CQ", "instruction": "i would like the tom ford cafe rose impression perfume that is in a travel size.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: tom ford cafe rose impression"], "instruction_attributes": ["travel size"], "instruction_options": ["tom ford cafe rose impression"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPV1PJP", "worker_id": "A2ECRNQ3X5LEXD"}], "B019IOF8PK": [{"asin": "B019IOF8PK", "instruction": "i am looking for a gold plated high speed 75 foot hdmi cable.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 4 pack", "size: 8 feet (10-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["4 pack"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJF0OLZ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B019IOF8PK", "instruction": "i need a ten pack of high speed hdmi cables that are 3 feet long", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 3 feet (2 pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["10 pack", "3 feet (2 pack)"], "assignment_id": "33F859I56HNA01QBVO1K6A4GVUCBH5", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B019IOF8PK", "instruction": "i want to find a package that contains two high speed hdmi cables that are each 100 feet long.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 100 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["2 pack", "100 feet (single pack)", "hdmi male to female"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95DJXQ5", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B019IOF8PK", "instruction": "i am looking for a gold plated high speed 75 foot hdmi cable.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 4 pack", "size: 8 feet (10-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["4 pack"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJF0OLZ", "worker_id": "A1EREKSZAA9V7B"}], "B094JVCT3S": [{"asin": "B094JVCT3S", "instruction": "i need one 10\" computer monitor replacement power cord cable that is long lasting.", "attributes": ["blu ray", "long lasting", "high speed"], "options": ["pattern name: power cord + cable - 10 feet", "size: 10'", "style: 1-pack"], "instruction_attributes": ["long lasting"], "instruction_options": ["power cord + cable - 10 feet", "10'", "1-pack"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK88YA50", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B094JVCT3S", "instruction": "i need one 10\" computer monitor replacement power cord cable that is long lasting.", "attributes": ["blu ray", "long lasting", "high speed"], "options": ["pattern name: power cord + cable - 10 feet", "size: 10'", "style: 1-pack"], "instruction_attributes": ["long lasting"], "instruction_options": ["power cord + cable - 10 feet", "10'", "1-pack"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK88YA50", "worker_id": "A2RBF3IIJP15IH"}], "B08CDWWYZT": [{"asin": "B08CDWWYZT", "instruction": "i'm looking for mens underwear, low rise briefs size extra large.", "attributes": ["low rise", "wide leg", "machine washable", "tumble dry"], "options": ["color: 3-pack amix", "size: x-large"], "instruction_attributes": ["low rise"], "instruction_options": ["x-large"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VZV1NW", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B08CDWWYZT", "instruction": "i'm looking for mens underwear, low rise briefs size extra large.", "attributes": ["low rise", "wide leg", "machine washable", "tumble dry"], "options": ["color: 3-pack amix", "size: x-large"], "instruction_attributes": ["low rise"], "instruction_options": ["x-large"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VZV1NW", "worker_id": "A3EDFA8UQT5GG8"}], "B09KGP4PTN": [{"asin": "B09KGP4PTN", "instruction": "i am looking for a 4 pack of mid century wood side end tables for my living room.", "attributes": ["mid century", "engineered wood", "living room"], "options": ["size: 4-pack"], "instruction_attributes": ["mid century", "living room"], "instruction_options": ["4-pack"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9LJTV9", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09KGP4PTN", "instruction": "i am looking for a 4 pack of mid century wood side end tables for my living room.", "attributes": ["mid century", "engineered wood", "living room"], "options": ["size: 4-pack"], "instruction_attributes": ["mid century", "living room"], "instruction_options": ["4-pack"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9LJTV9", "worker_id": "A1EREKSZAA9V7B"}], "B07V2L16MB": [{"asin": "B07V2L16MB", "instruction": "i need a cell phone case with the flash design and compatible with apple phones.", "attributes": ["compatible apple", "high resolution"], "options": ["color: the flash"], "instruction_attributes": ["compatible apple"], "instruction_options": ["the flash"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMABDXL", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07V2L16MB", "instruction": "i need a cell phone case with the flash design and compatible with apple phones.", "attributes": ["compatible apple", "high resolution"], "options": ["color: the flash"], "instruction_attributes": ["compatible apple"], "instruction_options": ["the flash"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMABDXL", "worker_id": "A2RBF3IIJP15IH"}], "B07L6YH1L4": [{"asin": "B07L6YH1L4", "instruction": "i'm looking for butter pecan flavored coffee that is gluten free and comes in a pack of three 11 ounce packages.", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor name: french vanilla", "size: 11 ounce (pack of 3)"], "instruction_attributes": ["gluten free"], "instruction_options": ["11 ounce (pack of 3)"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0R1W5X", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B07L6YH1L4", "instruction": "i'm looking for butter pecan flavored coffee that is gluten free and comes in a pack of three 11 ounce packages.", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor name: french vanilla", "size: 11 ounce (pack of 3)"], "instruction_attributes": ["gluten free"], "instruction_options": ["11 ounce (pack of 3)"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0R1W5X", "worker_id": "A2JP9IKRHNLRPI"}], "B09KRS2GPJ": [{"asin": "B09KRS2GPJ", "instruction": "i'm hoping to find non-toxic false teeth that are made out of high quality soft silicone.", "attributes": ["non toxic", "high quality"], "options": [""], "instruction_attributes": ["non toxic", "high quality"], "instruction_options": [], "assignment_id": "39JEC75375BYS7D1EDEJWV17LZACV0", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09KRS2GPJ", "instruction": "i'm hoping to find non-toxic false teeth that are made out of high quality soft silicone.", "attributes": ["non toxic", "high quality"], "options": [""], "instruction_attributes": ["non toxic", "high quality"], "instruction_options": [], "assignment_id": "39JEC75375BYS7D1EDEJWV17LZACV0", "worker_id": "A345TDMHP3DQ3G"}], "B07RP5TQB4": [{"asin": "B07RP5TQB4", "instruction": "help me find a 2 pack of stone grey faux leather throw pillows that are 18x18 inches.", "attributes": ["faux leather", "living room"], "options": ["color: stone grey pack of 2"], "instruction_attributes": ["faux leather"], "instruction_options": ["stone grey pack of 2"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU29RL0", "worker_id": "A2DDPSXH2X96RF"}, {"asin": "B07RP5TQB4", "instruction": "help me find a 2 pack of stone grey faux leather throw pillows that are 18x18 inches.", "attributes": ["faux leather", "living room"], "options": ["color: stone grey pack of 2"], "instruction_attributes": ["faux leather"], "instruction_options": ["stone grey pack of 2"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU29RL0", "worker_id": "A2DDPSXH2X96RF"}], "B086H3TL7M": [{"asin": "B086H3TL7M", "instruction": "i am looking for a waterproof ricoh camera with optical zoom.", "attributes": ["high performance", "high speed", "optical zoom"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHEYCJTE", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B086H3TL7M", "instruction": "i am looking for a waterproof ricoh camera with optical zoom.", "attributes": ["high performance", "high speed", "optical zoom"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHEYCJTE", "worker_id": "A1EREKSZAA9V7B"}], "B09MLSM7Z5": [{"asin": "B09MLSM7Z5", "instruction": "i am interested in a dust proof telescope.", "attributes": ["dust proof", "bird watching"], "options": [""], "instruction_attributes": ["dust proof"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB9SOSX", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09MLSM7Z5", "instruction": "i am interested in a dust proof telescope.", "attributes": ["dust proof", "bird watching"], "options": [""], "instruction_attributes": ["dust proof"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB9SOSX", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BNCVRJT": [{"asin": "B08BNCVRJT", "instruction": "i need 2 bottles of 8fl oz vermont maple salted bourbon caramel sauce that is gluten free.", "attributes": ["gluten free", "natural ingredients", "gift set"], "options": ["flavor name: vermont maple", "size: 8 fl oz (pack of 2)"], "instruction_attributes": ["gluten free"], "instruction_options": ["vermont maple", "8 fl oz (pack of 2)"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI15T3R", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08BNCVRJT", "instruction": "i need 2 bottles of 8fl oz vermont maple salted bourbon caramel sauce that is gluten free.", "attributes": ["gluten free", "natural ingredients", "gift set"], "options": ["flavor name: vermont maple", "size: 8 fl oz (pack of 2)"], "instruction_attributes": ["gluten free"], "instruction_options": ["vermont maple", "8 fl oz (pack of 2)"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI15T3R", "worker_id": "A2RBF3IIJP15IH"}], "B098SLBBBC": [{"asin": "B098SLBBBC", "instruction": "i'm looking for a refillable lipstick bottle that is easy to carry and non-toxic.", "attributes": ["eco friendly", "non toxic", "easy carry", "high quality"], "options": [""], "instruction_attributes": ["non toxic", "easy carry"], "instruction_options": [], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A2168THJ", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B098SLBBBC", "instruction": "i'm looking for a refillable lipstick bottle that is easy to carry and non-toxic.", "attributes": ["eco friendly", "non toxic", "easy carry", "high quality"], "options": [""], "instruction_attributes": ["non toxic", "easy carry"], "instruction_options": [], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A2168THJ", "worker_id": "A2JP9IKRHNLRPI"}], "B08HZBXBV1": [{"asin": "B08HZBXBV1", "instruction": "i am looking for a black iphone 12 max case with wireless charging.", "attributes": ["carbon fiber", "wireless charging"], "options": ["color: black 12 pro max"], "instruction_attributes": ["wireless charging"], "instruction_options": ["black 12 pro max"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLPXDAC", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08HZBXBV1", "instruction": "i am looking for a black iphone 12 max case with wireless charging.", "attributes": ["carbon fiber", "wireless charging"], "options": ["color: black 12 pro max"], "instruction_attributes": ["wireless charging"], "instruction_options": ["black 12 pro max"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLPXDAC", "worker_id": "A1EREKSZAA9V7B"}], "B08LMM4SSF": [{"asin": "B08LMM4SSF", "instruction": "i'm looking for soft bed sheets queen size for twin bed in warm taupe", "attributes": ["queen size", "machine washable"], "options": ["color: warm taupe", "size: twin | twin xl"], "instruction_attributes": ["queen size"], "instruction_options": ["warm taupe", "twin | twin xl"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1F93UP", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B08LMM4SSF", "instruction": "i'm looking for soft bed sheets queen size for twin bed in warm taupe", "attributes": ["queen size", "machine washable"], "options": ["color: warm taupe", "size: twin | twin xl"], "instruction_attributes": ["queen size"], "instruction_options": ["warm taupe", "twin | twin xl"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1F93UP", "worker_id": "A2Y2TURT2VEYZN"}], "B09QLYFC3G": [{"asin": "B09QLYFC3G", "instruction": "i'm looking for an orange teeth whitening nhpro enamel care.", "attributes": ["teeth whitening", "long lasting", "natural ingredients", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: orange"], "instruction_attributes": ["teeth whitening", "fresh breath"], "instruction_options": ["orange"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI113TX", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B09QLYFC3G", "instruction": "i'm looking for an orange teeth whitening nhpro enamel care.", "attributes": ["teeth whitening", "long lasting", "natural ingredients", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: orange"], "instruction_attributes": ["teeth whitening", "fresh breath"], "instruction_options": ["orange"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI113TX", "worker_id": "ARQ05PDNXPFDI"}], "B084DSPNV5": [{"asin": "B084DSPNV5", "instruction": "i would like some long lasting anti perspirant.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWCJ0KM", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B084DSPNV5", "instruction": "i would like some long lasting anti perspirant.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWCJ0KM", "worker_id": "A1WS884SI0SLO4"}], "B09MCWDLRL": [{"asin": "B09MCWDLRL", "instruction": "buy me an easy to assemble sideboard for the dining room in antique white, please.", "attributes": ["easy assemble", "storage space", "dining room"], "options": ["color: antique white-5"], "instruction_attributes": ["easy assemble", "dining room"], "instruction_options": ["antique white-5"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907P0UAB", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09MCWDLRL", "instruction": "buy me an easy to assemble sideboard for the dining room in antique white, please.", "attributes": ["easy assemble", "storage space", "dining room"], "options": ["color: antique white-5"], "instruction_attributes": ["easy assemble", "dining room"], "instruction_options": ["antique white-5"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907P0UAB", "worker_id": "AR9AU5FY1S3RO"}], "B09875CD94": [{"asin": "B09875CD94", "instruction": "i am looking for black folding tables that are easy to clean and are 40 by 30.", "attributes": ["wall mounted", "heavy duty", "space saving", "easy clean", "easy assemble", "solid wood"], "options": ["color: black", "size: 40*30cm | 16*12in"], "instruction_attributes": ["easy clean"], "instruction_options": ["black", "40*30cm | 16*12in"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1T6H2Q", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09875CD94", "instruction": "i am looking for black folding tables that are easy to clean and are 40 by 30.", "attributes": ["wall mounted", "heavy duty", "space saving", "easy clean", "easy assemble", "solid wood"], "options": ["color: black", "size: 40*30cm | 16*12in"], "instruction_attributes": ["easy clean"], "instruction_options": ["black", "40*30cm | 16*12in"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1T6H2Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LK4G5G2": [{"asin": "B09LK4G5G2", "instruction": "what sweet and salty hazelnuts do you have that have no artificial flavors or colors?", "attributes": ["non gmo", "artificial flavors", "artificial colors", "quality ingredients"], "options": ["flavor name: sweet & salty hazelnuts", "size: 9 oz"], "instruction_attributes": ["artificial flavors", "artificial colors"], "instruction_options": ["sweet & salty hazelnuts"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L48WRQP", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B09LK4G5G2", "instruction": "what sweet and salty hazelnuts do you have that have no artificial flavors or colors?", "attributes": ["non gmo", "artificial flavors", "artificial colors", "quality ingredients"], "options": ["flavor name: sweet & salty hazelnuts", "size: 9 oz"], "instruction_attributes": ["artificial flavors", "artificial colors"], "instruction_options": ["sweet & salty hazelnuts"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L48WRQP", "worker_id": "A3EDFA8UQT5GG8"}], "B09NF77VZ8": [{"asin": "B09NF77VZ8", "instruction": "i need a red t-shirt that has a classic fit in a size 2t for men.", "attributes": ["officially licensed", "wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: red", "fit type: men", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["red", "men", "2t"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EBFSW1", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09NF77VZ8", "instruction": "i need a red t-shirt that has a classic fit in a size 2t for men.", "attributes": ["officially licensed", "wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: red", "fit type: men", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["red", "men", "2t"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EBFSW1", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PDPSL8F": [{"asin": "B09PDPSL8F", "instruction": "i need 10 inch hair extensions that are a medium brown.", "attributes": ["non toxic", "hair extensions", "natural hair", "hair loss"], "options": ["color: #p4 | 27 medium brown | dark blonde", "size: 10 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#p4 | 27 medium brown | dark blonde", "10 inch (pack of 1)"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP6VCOG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09PDPSL8F", "instruction": "i need 10 inch hair extensions that are a medium brown.", "attributes": ["non toxic", "hair extensions", "natural hair", "hair loss"], "options": ["color: #p4 | 27 medium brown | dark blonde", "size: 10 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#p4 | 27 medium brown | dark blonde", "10 inch (pack of 1)"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP6VCOG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08NK8K3RD": [{"asin": "B08NK8K3RD", "instruction": "i need a madecassoside and 1.69 fl oz of moisture gel cream for sensitive skin.", "attributes": ["easy apply", "dry skin", "sensitive skin"], "options": ["size: 1.69 fl oz (pack of 1)", "style: madecassoside (2x strength)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["1.69 fl oz (pack of 1)", "madecassoside (2x strength)"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MJHFOO", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08NK8K3RD", "instruction": "i need a madecassoside and 1.69 fl oz of moisture gel cream for sensitive skin.", "attributes": ["easy apply", "dry skin", "sensitive skin"], "options": ["size: 1.69 fl oz (pack of 1)", "style: madecassoside (2x strength)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["1.69 fl oz (pack of 1)", "madecassoside (2x strength)"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MJHFOO", "worker_id": "A2RBF3IIJP15IH"}], "B01JA8TU58": [{"asin": "B01JA8TU58", "instruction": "i want to find one red contemporary barstool that would be suitable for my dining room.", "attributes": ["contemporary style", "dining room"], "options": ["color: red", "size: 1 pack"], "instruction_attributes": ["contemporary style", "dining room"], "instruction_options": ["red", "1 pack"], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q2ZIIC", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01JA8TU58", "instruction": "i want to find one red contemporary barstool that would be suitable for my dining room.", "attributes": ["contemporary style", "dining room"], "options": ["color: red", "size: 1 pack"], "instruction_attributes": ["contemporary style", "dining room"], "instruction_options": ["red", "1 pack"], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q2ZIIC", "worker_id": "A345TDMHP3DQ3G"}], "B007QFQJO8": [{"asin": "B007QFQJO8", "instruction": "i need a xtreamer that plays blu ray discs.", "attributes": ["blu ray", "aaa batteries"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYZW4J4", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B007QFQJO8", "instruction": "i need a xtreamer that plays blu ray discs.", "attributes": ["blu ray", "aaa batteries"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYZW4J4", "worker_id": "A2RBF3IIJP15IH"}], "B07NDJHPMJ": [{"asin": "B07NDJHPMJ", "instruction": "i'm looking for a 1 pound package of low calorie nacho cheese dip.", "attributes": ["gluten free", "low calorie", "high fructose"], "options": ["size: 1 pound (pack of 1)", "style: ghost pepper"], "instruction_attributes": ["low calorie"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8T5ZPB", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B07NDJHPMJ", "instruction": "i'm looking for a 1 pound package of low calorie nacho cheese dip.", "attributes": ["gluten free", "low calorie", "high fructose"], "options": ["size: 1 pound (pack of 1)", "style: ghost pepper"], "instruction_attributes": ["low calorie"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8T5ZPB", "worker_id": "A2JP9IKRHNLRPI"}], "B08SSPPL58": [{"asin": "B08SSPPL58", "instruction": "i am looking for size 10 regular fit adidas harden stepback 2.0 basketball shoes.", "attributes": ["regular fit", "rubber sole"], "options": ["color: black | shock pink | team solar yellow", "size: 10 women | 10 men"], "instruction_attributes": ["regular fit"], "instruction_options": ["10 women | 10 men"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTKBO6R", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08SSPPL58", "instruction": "i am looking for size 10 regular fit adidas harden stepback 2.0 basketball shoes.", "attributes": ["regular fit", "rubber sole"], "options": ["color: black | shock pink | team solar yellow", "size: 10 women | 10 men"], "instruction_attributes": ["regular fit"], "instruction_options": ["10 women | 10 men"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTKBO6R", "worker_id": "A1EREKSZAA9V7B"}], "B09QQBHZTH": [{"asin": "B09QQBHZTH", "instruction": "i am looking for a blue, long lasting case for a galaxy s22 5g with wireless charging and tempered glass.", "attributes": ["non slip", "long lasting", "tempered glass", "glass screen", "wireless charging"], "options": ["color: blue"], "instruction_attributes": ["long lasting", "tempered glass", "wireless charging"], "instruction_options": ["blue"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA2LR8P", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09QQBHZTH", "instruction": "i am looking for a blue, long lasting case for a galaxy s22 5g with wireless charging and tempered glass.", "attributes": ["non slip", "long lasting", "tempered glass", "glass screen", "wireless charging"], "options": ["color: blue"], "instruction_attributes": ["long lasting", "tempered glass", "wireless charging"], "instruction_options": ["blue"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA2LR8P", "worker_id": "A1EREKSZAA9V7B"}], "B08LTSPXHJ": [{"asin": "B08LTSPXHJ", "instruction": "i'm looking for a skin & glow bundle gift set that is cruelty free and fragrance free.", "attributes": ["cruelty free", "fragrance free", "high quality", "sensitive skin"], "options": ["color: skin & glow bundle"], "instruction_attributes": ["cruelty free", "fragrance free"], "instruction_options": ["skin & glow bundle"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XGX4Q", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B08LTSPXHJ", "instruction": "i'm looking for a skin & glow bundle gift set that is cruelty free and fragrance free.", "attributes": ["cruelty free", "fragrance free", "high quality", "sensitive skin"], "options": ["color: skin & glow bundle"], "instruction_attributes": ["cruelty free", "fragrance free"], "instruction_options": ["skin & glow bundle"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XGX4Q", "worker_id": "A3MNXK3VDK37SN"}], "B09GVTRLYP": [{"asin": "B09GVTRLYP", "instruction": "i would like a 12\" x 16\" in three pieces blackleaf poster that's ready to hang in my living room.", "attributes": ["ready hang", "printing technology", "living room", "dining room"], "options": ["color: sd2-blackleaf-3", "size: 12\" x 16\" x 3 pcs"], "instruction_attributes": ["ready hang"], "instruction_options": ["sd2-blackleaf-3", "12\" x 16\" x 3 pcs"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI4ZABG", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09GVTRLYP", "instruction": "i would like a 12\" x 16\" in three pieces blackleaf poster that's ready to hang in my living room.", "attributes": ["ready hang", "printing technology", "living room", "dining room"], "options": ["color: sd2-blackleaf-3", "size: 12\" x 16\" x 3 pcs"], "instruction_attributes": ["ready hang"], "instruction_options": ["sd2-blackleaf-3", "12\" x 16\" x 3 pcs"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI4ZABG", "worker_id": "A1WS884SI0SLO4"}], "B07D6DKG5H": [{"asin": "B07D6DKG5H", "instruction": "get a 2 pack of all natural steak seasoning, please.", "attributes": ["non gmo", "gluten free", "natural ingredients"], "options": ["size: 2 pack"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["2 pack"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L48HQR9", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07D6DKG5H", "instruction": "get a 2 pack of all natural steak seasoning, please.", "attributes": ["non gmo", "gluten free", "natural ingredients"], "options": ["size: 2 pack"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["2 pack"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L48HQR9", "worker_id": "AR9AU5FY1S3RO"}], "B09GPF89W1": [{"asin": "B09GPF89W1", "instruction": "i need a kids toothbrush that is orange and good for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: orange"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["orange"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN63C5G8", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09GPF89W1", "instruction": "i need a kids toothbrush that is orange and good for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: orange"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["orange"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN63C5G8", "worker_id": "A2RBF3IIJP15IH"}], "B07TKH5FP2": [{"asin": "B07TKH5FP2", "instruction": "i am looking for a classic fit heather blue color t-shirt.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather blue", "fit type: men", "size: x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["heather blue"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCG9YSM7", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07TKH5FP2", "instruction": "i am looking for a classic fit heather blue color t-shirt.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather blue", "fit type: men", "size: x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["heather blue"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCG9YSM7", "worker_id": "A1Q8PPQQCWGY0D"}], "B09LCNBQT5": [{"asin": "B09LCNBQT5", "instruction": "i am looking for toothbrushes for children aged 6-12 that are pink and easy to use.", "attributes": ["teeth whitening", "easy use"], "options": ["color: a04#pink duck", "size: aged 6-12"], "instruction_attributes": ["easy use"], "instruction_options": ["a04#pink duck", "aged 6-12"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUT8FF19", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09LCNBQT5", "instruction": "i am looking for toothbrushes for children aged 6-12 that are pink and easy to use.", "attributes": ["teeth whitening", "easy use"], "options": ["color: a04#pink duck", "size: aged 6-12"], "instruction_attributes": ["easy use"], "instruction_options": ["a04#pink duck", "aged 6-12"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUT8FF19", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GN2JDRN": [{"asin": "B07GN2JDRN", "instruction": "i need to get the 3 pack of trader joe's gluten free falafel mix.", "attributes": ["trader joe", "gluten free"], "options": ["size: pack of 3"], "instruction_attributes": ["trader joe", "gluten free"], "instruction_options": ["pack of 3"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2YB6GD", "worker_id": "A2DDPSXH2X96RF"}, {"asin": "B07GN2JDRN", "instruction": "i need to get the 3 pack of trader joe's gluten free falafel mix.", "attributes": ["trader joe", "gluten free"], "options": ["size: pack of 3"], "instruction_attributes": ["trader joe", "gluten free"], "instruction_options": ["pack of 3"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2YB6GD", "worker_id": "A2DDPSXH2X96RF"}], "B09HQSGH1Z": [{"asin": "B09HQSGH1Z", "instruction": "i would like a pink toothbrush that is easy to use.", "attributes": ["easy use", "oral hygiene"], "options": ["color: pink"], "instruction_attributes": ["easy use"], "instruction_options": ["pink"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2OR4LW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09HQSGH1Z", "instruction": "i would like a pink toothbrush that is easy to use.", "attributes": ["easy use", "oral hygiene"], "options": ["color: pink"], "instruction_attributes": ["easy use"], "instruction_options": ["pink"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2OR4LW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VQ6PG4T": [{"asin": "B07VQ6PG4T", "instruction": "i need white rajlinen 100% blackout curtains in size w52\" x l54\" for the living room.", "attributes": ["high density", "machine washable", "living room"], "options": ["color: white", "size: w52\" x l54\""], "instruction_attributes": ["living room"], "instruction_options": ["white", "w52\" x l54\""], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC1RINQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07VQ6PG4T", "instruction": "i need white rajlinen 100% blackout curtains in size w52\" x l54\" for the living room.", "attributes": ["high density", "machine washable", "living room"], "options": ["color: white", "size: w52\" x l54\""], "instruction_attributes": ["living room"], "instruction_options": ["white", "w52\" x l54\""], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC1RINQ", "worker_id": "A2RBF3IIJP15IH"}], "B08NR8DH4S": [{"asin": "B08NR8DH4S", "instruction": "i would like a 16 pack variety box of low sugar cookies.", "attributes": ["artificial ingredients", "non gmo", "low carb", "grass fed", "low sugar", "gluten free", "keto friendly"], "options": ["flavor name: variety box", "size: 16 count"], "instruction_attributes": ["low sugar"], "instruction_options": ["variety box", "16 count"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4CZL80", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08NR8DH4S", "instruction": "i would like a 16 pack variety box of low sugar cookies.", "attributes": ["artificial ingredients", "non gmo", "low carb", "grass fed", "low sugar", "gluten free", "keto friendly"], "options": ["flavor name: variety box", "size: 16 count"], "instruction_attributes": ["low sugar"], "instruction_options": ["variety box", "16 count"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4CZL80", "worker_id": "A1WS884SI0SLO4"}], "B01ETZ7KAE": [{"asin": "B01ETZ7KAE", "instruction": "i am looking for semi-permanent hair color that is easy to apply.", "attributes": ["easy apply", "eco friendly", "cruelty free", "long lasting", "easy use", "coconut oil", "natural ingredients", "permanent hair"], "options": [""], "instruction_attributes": ["easy apply"], "instruction_options": [], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPJFSY0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01ETZ7KAE", "instruction": "i am looking for semi-permanent hair color that is easy to apply.", "attributes": ["easy apply", "eco friendly", "cruelty free", "long lasting", "easy use", "coconut oil", "natural ingredients", "permanent hair"], "options": [""], "instruction_attributes": ["easy apply"], "instruction_options": [], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPJFSY0", "worker_id": "A1EREKSZAA9V7B"}], "B07PXT3SLH": [{"asin": "B07PXT3SLH", "instruction": "i need a men's blue t-shirt that is compatible with the machine washer.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: royal blue", "fit type: men", "size: x-small"], "instruction_attributes": ["machine wash"], "instruction_options": ["royal blue", "men"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYGSQLJ", "worker_id": "A19317A3X87NVM"}, {"asin": "B07PXT3SLH", "instruction": "i need a men's blue t-shirt that is compatible with the machine washer.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: royal blue", "fit type: men", "size: x-small"], "instruction_attributes": ["machine wash"], "instruction_options": ["royal blue", "men"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYGSQLJ", "worker_id": "A19317A3X87NVM"}], "B07FXVCZMC": [{"asin": "B07FXVCZMC", "instruction": "looking for a ultra hd satellite, swmdish long mast, 4 piece", "attributes": ["ultra hd", "coaxial cable"], "options": ["color: swmdish long mast", "size: 4 piece"], "instruction_attributes": ["ultra hd"], "instruction_options": ["swmdish long mast", "4 piece"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647743HL", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07FXVCZMC", "instruction": "i am looking for one ultra hd satellite dish package that includes a coaxial cable and a low profile short mast.", "attributes": ["ultra hd", "coaxial cable"], "options": ["color: swm5 rv kit", "size: 1 piece"], "instruction_attributes": ["ultra hd", "coaxial cable"], "instruction_options": ["1 piece"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMK9YVGQ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07FXVCZMC", "instruction": "looking for a ultra hd satellite, swmdish long mast, 4 piece", "attributes": ["ultra hd", "coaxial cable"], "options": ["color: swmdish long mast", "size: 4 piece"], "instruction_attributes": ["ultra hd"], "instruction_options": ["swmdish long mast", "4 piece"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647743HL", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07FXVCZMC", "instruction": "i am looking for 2000 feet of ultra hd coaxial cable.", "attributes": ["ultra hd", "coaxial cable"], "options": ["color: kit rb swm5 low profile", "size: 2000ft"], "instruction_attributes": ["ultra hd", "coaxial cable"], "instruction_options": ["2000ft"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANKJSX6", "worker_id": "A1EREKSZAA9V7B"}], "B0855G7TG4": [{"asin": "B0855G7TG4", "instruction": "i need a meadow faux wrap midi dress in size 10 that is easy to dry clean.", "attributes": ["imported zipper", "polyester spandex", "dry clean"], "options": ["color: meadow", "size: 10"], "instruction_attributes": ["dry clean"], "instruction_options": ["meadow", "10"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZETA7F", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B0855G7TG4", "instruction": "i need a meadow faux wrap midi dress in size 10 that is easy to dry clean.", "attributes": ["imported zipper", "polyester spandex", "dry clean"], "options": ["color: meadow", "size: 10"], "instruction_attributes": ["dry clean"], "instruction_options": ["meadow", "10"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZETA7F", "worker_id": "A2RBF3IIJP15IH"}], "B09M41RMB2": [{"asin": "B09M41RMB2", "instruction": "i would like a high quality blue face kit to help with fine lines and wrinkles.", "attributes": ["bpa free", "high quality", "green tea", "fine lines", "sensitive skin"], "options": ["color: blue"], "instruction_attributes": ["high quality", "fine lines"], "instruction_options": ["blue"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT34SJHF", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09M41RMB2", "instruction": "i would like a high quality blue face kit to help with fine lines and wrinkles.", "attributes": ["bpa free", "high quality", "green tea", "fine lines", "sensitive skin"], "options": ["color: blue"], "instruction_attributes": ["high quality", "fine lines"], "instruction_options": ["blue"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT34SJHF", "worker_id": "A1WS884SI0SLO4"}], "B007EP9APA": [{"asin": "B007EP9APA", "instruction": "i need a bottle of marc anthony argan oil.", "attributes": ["sulfate free", "argan oil"], "options": [""], "instruction_attributes": ["argan oil"], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXCUJUG", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B007EP9APA", "instruction": "i need a bottle of marc anthony argan oil.", "attributes": ["sulfate free", "argan oil"], "options": [""], "instruction_attributes": ["argan oil"], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXCUJUG", "worker_id": "A2RBF3IIJP15IH"}], "B01M2AR64E": [{"asin": "B01M2AR64E", "instruction": "i need a ashley bolanburg display cabinet that requires assembly.", "attributes": ["white item", "assembly required", "white finish", "engineered wood", "dining room"], "options": [""], "instruction_attributes": ["assembly required"], "instruction_options": [], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZU9JZ5", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01M2AR64E", "instruction": "i need a ashley bolanburg display cabinet that requires assembly.", "attributes": ["white item", "assembly required", "white finish", "engineered wood", "dining room"], "options": [""], "instruction_attributes": ["assembly required"], "instruction_options": [], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZU9JZ5", "worker_id": "A2RBF3IIJP15IH"}], "B09PYDY17D": [{"asin": "B09PYDY17D", "instruction": "i'm interested in some machine-washable, men's x-large, low-rise briefs in black with an elastic waistband.", "attributes": ["low rise", "machine wash", "soft material", "elastic waistband"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["low rise", "machine wash", "elastic waistband"], "instruction_options": ["black", "x-large"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602QG95K", "worker_id": "AFU00NU09CFXE"}, {"asin": "B09PYDY17D", "instruction": "i'm interested in some machine-washable, men's x-large, low-rise briefs in black with an elastic waistband.", "attributes": ["low rise", "machine wash", "soft material", "elastic waistband"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["low rise", "machine wash", "elastic waistband"], "instruction_options": ["black", "x-large"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602QG95K", "worker_id": "AFU00NU09CFXE"}], "B01KGEL9KE": [{"asin": "B01KGEL9KE", "instruction": "i need a stainless steel adjustable barstool", "attributes": ["stainless steel", "steel frame"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSG48BF", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01KGEL9KE", "instruction": "i need a stainless steel adjustable barstool", "attributes": ["stainless steel", "steel frame"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSG48BF", "worker_id": "A258PTOZ3D2TQR"}], "B07H2Z173V": [{"asin": "B07H2Z173V", "instruction": "i would like a king size wine red pillowcase with exquisite workmanship.", "attributes": ["queen size", "exquisite workmanship"], "options": ["color: wine red", "size: king (20\" x 40\")"], "instruction_attributes": ["exquisite workmanship"], "instruction_options": ["wine red", "king (20\" x 40\")"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOLG9MK", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07H2Z173V", "instruction": "i would like a king size wine red pillowcase with exquisite workmanship.", "attributes": ["queen size", "exquisite workmanship"], "options": ["color: wine red", "size: king (20\" x 40\")"], "instruction_attributes": ["exquisite workmanship"], "instruction_options": ["wine red", "king (20\" x 40\")"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOLG9MK", "worker_id": "A1WS884SI0SLO4"}], "B00O12MBGO": [{"asin": "B00O12MBGO", "instruction": "looking for freeze-dried raw flavor beef size 3.5 oz grain free", "attributes": ["freeze dried", "wild caught", "grain free"], "options": ["flavor name: beef", "size: 3.5 ounce (pack of 1)"], "instruction_attributes": ["freeze dried", "grain free"], "instruction_options": ["beef", "3.5 ounce (pack of 1)"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3A96NX", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B00O12MBGO", "instruction": "can you find me freeze dried, grain free dog food? i want the single pack in 3.5 ounces.", "attributes": ["freeze dried", "wild caught", "grain free"], "options": ["flavor name: salmon,cod", "size: 3.5 ounce (pack of 1)"], "instruction_attributes": ["freeze dried", "grain free"], "instruction_options": ["3.5 ounce (pack of 1)"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTAJ9NB", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B00O12MBGO", "instruction": "looking for freeze-dried raw flavor beef size 3.5 oz grain free", "attributes": ["freeze dried", "wild caught", "grain free"], "options": ["flavor name: beef", "size: 3.5 ounce (pack of 1)"], "instruction_attributes": ["freeze dried", "grain free"], "instruction_options": ["beef", "3.5 ounce (pack of 1)"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3A96NX", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B00O12MBGO", "instruction": "i want stella & chewy's freeze dried turkey.", "attributes": ["freeze dried", "wild caught", "grain free"], "options": ["flavor name: turkey", "size: 1.12 pound (pack of 1)"], "instruction_attributes": ["freeze dried"], "instruction_options": ["turkey"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC49YZH", "worker_id": "A2RBF3IIJP15IH"}], "B08R7W464K": [{"asin": "B08R7W464K", "instruction": "i need a console table for the living room. look for one in oak brown.", "attributes": ["wood finish", "living room"], "options": ["color: oak brown", "style: chest"], "instruction_attributes": ["living room"], "instruction_options": ["oak brown"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGLSYIT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08R7W464K", "instruction": "i need a console table for the living room. look for one in oak brown.", "attributes": ["wood finish", "living room"], "options": ["color: oak brown", "style: chest"], "instruction_attributes": ["living room"], "instruction_options": ["oak brown"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGLSYIT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08R7W464K", "instruction": "i am looking for a console table with a wood finish that is acacia brown.", "attributes": ["wood finish", "living room"], "options": ["color: acacia brown", "style: acacia brown"], "instruction_attributes": ["wood finish"], "instruction_options": ["acacia brown", "acacia brown"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EGO1BQ", "worker_id": "A114NK7T5673GK"}], "B000JHHEOE": [{"asin": "B000JHHEOE", "instruction": "get me some machine washable stonewash jeans.", "attributes": ["machine wash", "relaxed fit", "button closure"], "options": ["color: stonewash", "size: 42w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["stonewash"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YNST8E", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B000JHHEOE", "instruction": "get me some machine washable stonewash jeans.", "attributes": ["machine wash", "relaxed fit", "button closure"], "options": ["color: stonewash", "size: 42w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["stonewash"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YNST8E", "worker_id": "AR9AU5FY1S3RO"}], "B01FGHY04I": [{"asin": "B01FGHY04I", "instruction": "i would like a beige rectangular rug that is 10' 0 x 13' 0 and is easy to clean.", "attributes": ["easy clean", "contemporary design"], "options": ["color: purple | beige", "size: rectangular 10' 0 x 13' 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["rectangular 10' 0 x 13' 0"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK43IA6P", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01FGHY04I", "instruction": "i would like a beige rectangular rug that is 10' 0 x 13' 0 and is easy to clean.", "attributes": ["easy clean", "contemporary design"], "options": ["color: purple | beige", "size: rectangular 10' 0 x 13' 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["rectangular 10' 0 x 13' 0"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK43IA6P", "worker_id": "A1WS884SI0SLO4"}], "B01138YJKY": [{"asin": "B01138YJKY", "instruction": "i need tan high heel booties in size 9.5", "attributes": ["lace closure", "high heel"], "options": ["color: tan", "size: 9.5"], "instruction_attributes": ["high heel"], "instruction_options": ["9.5"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZJV1YI", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01138YJKY", "instruction": "i need tan high heel booties in size 9.5", "attributes": ["lace closure", "high heel"], "options": ["color: tan", "size: 9.5"], "instruction_attributes": ["high heel"], "instruction_options": ["9.5"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZJV1YI", "worker_id": "A2RBF3IIJP15IH"}], "B09KLN71KJ": [{"asin": "B09KLN71KJ", "instruction": "i am looking for wireless bluetooth headphones with touch control and a wireless charging case.", "attributes": ["high definition", "wireless charging", "stereo sound"], "options": [""], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYM29QW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09KLN71KJ", "instruction": "i am looking for wireless bluetooth headphones with touch control and a wireless charging case.", "attributes": ["high definition", "wireless charging", "stereo sound"], "options": [""], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYM29QW", "worker_id": "A1EREKSZAA9V7B"}], "B00JHD5FC4": [{"asin": "B00JHD5FC4", "instruction": "i am looking for black leather sole fashion sneakers that are in a size 5.", "attributes": ["leather sole", "rubber outsole"], "options": ["color: black pulsar", "size: 5"], "instruction_attributes": ["leather sole"], "instruction_options": ["black pulsar", "5"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LGCI5L", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00JHD5FC4", "instruction": "i am looking for some size 7.5 mens sneakers with a pewter colored rubber outside.", "attributes": ["leather sole", "rubber outsole"], "options": ["color: pewter", "size: 7.5"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["pewter", "7.5"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HAB6IB", "worker_id": "A114NK7T5673GK"}, {"asin": "B00JHD5FC4", "instruction": "i am looking for black leather sole fashion sneakers that are in a size 5.", "attributes": ["leather sole", "rubber outsole"], "options": ["color: black pulsar", "size: 5"], "instruction_attributes": ["leather sole"], "instruction_options": ["black pulsar", "5"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LGCI5L", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00JHD5FC4", "instruction": "i would like a pair of grey size 6 sneakers with a rubber sole.", "attributes": ["leather sole", "rubber outsole"], "options": ["color: grey", "size: 6"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["grey", "6"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC71D09", "worker_id": "A1WS884SI0SLO4"}], "B09HKD9VNG": [{"asin": "B09HKD9VNG", "instruction": "i am looking for a mid century ottoman that is whiskey brown in color and is 16.5 inches.", "attributes": ["button tufted", "mid century", "easy clean", "easy assemble", "storage space", "living room"], "options": ["color: whiskey brown", "size: 16.5inches"], "instruction_attributes": ["mid century"], "instruction_options": ["whiskey brown", "16.5inches"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIT9T92", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09HKD9VNG", "instruction": "i am looking for a mid century ottoman that is whiskey brown in color and is 16.5 inches.", "attributes": ["button tufted", "mid century", "easy clean", "easy assemble", "storage space", "living room"], "options": ["color: whiskey brown", "size: 16.5inches"], "instruction_attributes": ["mid century"], "instruction_options": ["whiskey brown", "16.5inches"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIT9T92", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Y8RWHPF": [{"asin": "B07Y8RWHPF", "instruction": "i need some non gmo, keto friendly ghee butter that is shelf stable.", "attributes": ["non gmo", "shelf stable", "keto friendly", "gluten free"], "options": [""], "instruction_attributes": ["non gmo", "shelf stable", "keto friendly"], "instruction_options": [], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0QWARN", "worker_id": "A19317A3X87NVM"}, {"asin": "B07Y8RWHPF", "instruction": "i need some non gmo, keto friendly ghee butter that is shelf stable.", "attributes": ["non gmo", "shelf stable", "keto friendly", "gluten free"], "options": [""], "instruction_attributes": ["non gmo", "shelf stable", "keto friendly"], "instruction_options": [], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0QWARN", "worker_id": "A19317A3X87NVM"}], "B083ZLXJKW": [{"asin": "B083ZLXJKW", "instruction": "i need hemp shower oil for dry skin.", "attributes": ["seed oil", "dry skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NK82P8", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B083ZLXJKW", "instruction": "i need hemp shower oil for dry skin.", "attributes": ["seed oil", "dry skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NK82P8", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B083ZLXJKW", "instruction": "i would like a body wash made of seed oil.", "attributes": ["seed oil", "dry skin"], "options": [""], "instruction_attributes": ["seed oil"], "instruction_options": [], "assignment_id": "37UQDCYH685SGQI5NW68G99TKU77V2", "worker_id": "A1WS884SI0SLO4"}], "B09MQ7ZZSZ": [{"asin": "B09MQ7ZZSZ", "instruction": "i need bear head cupcake toppers for a birthday party.", "attributes": ["cupcake picks", "baby shower", "birthday party"], "options": ["pattern name: head"], "instruction_attributes": ["birthday party"], "instruction_options": ["head"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL3XH5R", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09MQ7ZZSZ", "instruction": "i need bear head cupcake toppers for a birthday party.", "attributes": ["cupcake picks", "baby shower", "birthday party"], "options": ["pattern name: head"], "instruction_attributes": ["birthday party"], "instruction_options": ["head"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL3XH5R", "worker_id": "A2RBF3IIJP15IH"}], "B08K38RMW7": [{"asin": "B08K38RMW7", "instruction": "i need a blue sherpa wool sweatshirt.", "attributes": ["soft material", "faux fur", "daily wear"], "options": ["color: c-blue", "size: 3x-large"], "instruction_attributes": ["soft material"], "instruction_options": ["c-blue"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBCEHGC", "worker_id": "A19317A3X87NVM"}, {"asin": "B08K38RMW7", "instruction": "i need a blue sherpa wool sweatshirt.", "attributes": ["soft material", "faux fur", "daily wear"], "options": ["color: c-blue", "size: 3x-large"], "instruction_attributes": ["soft material"], "instruction_options": ["c-blue"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBCEHGC", "worker_id": "A19317A3X87NVM"}], "B00DYGQZOC": [{"asin": "B00DYGQZOC", "instruction": "i'm looking for a wild caught chunk light tuna in sunflower oil. choose the ones that comes in 2.6 oz pack of 24.", "attributes": ["wild caught", "soy free", "gluten free"], "options": ["flavor name: chunk light in sunflower oil", "size: 2.6 ounce (pack of 24)"], "instruction_attributes": ["wild caught"], "instruction_options": ["chunk light in sunflower oil", "2.6 ounce (pack of 24)"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTM54VR", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B00DYGQZOC", "instruction": "i'm looking for a wild caught chunk light tuna in sunflower oil. choose the ones that comes in 2.6 oz pack of 24.", "attributes": ["wild caught", "soy free", "gluten free"], "options": ["flavor name: chunk light in sunflower oil", "size: 2.6 ounce (pack of 24)"], "instruction_attributes": ["wild caught"], "instruction_options": ["chunk light in sunflower oil", "2.6 ounce (pack of 24)"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTM54VR", "worker_id": "A3MNXK3VDK37SN"}], "B09Q3F2LB1": [{"asin": "B09Q3F2LB1", "instruction": "i'd like to buy a small white jumpsuit with a relaxed fit.", "attributes": ["straight leg", "fleece lined", "wide leg", "water resistant", "day comfort", "slim fit", "high waist", "tummy control", "elastic waist", "relaxed fit", "classic fit"], "options": ["color: white", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["white", "small"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSF826S", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09Q3F2LB1", "instruction": "i'd like to buy a small white jumpsuit with a relaxed fit.", "attributes": ["straight leg", "fleece lined", "wide leg", "water resistant", "day comfort", "slim fit", "high waist", "tummy control", "elastic waist", "relaxed fit", "classic fit"], "options": ["color: white", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["white", "small"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSF826S", "worker_id": "AR9AU5FY1S3RO"}], "B085DTCP31": [{"asin": "B085DTCP31", "instruction": "i need dog cupcake toppers for a dog party.", "attributes": ["baby shower", "birthday party"], "options": ["color: dog banner"], "instruction_attributes": ["birthday party"], "instruction_options": ["dog banner"], "assignment_id": "3HPZF4IVNX3FW186JO133U513GUYCD", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B085DTCP31", "instruction": "i need dog cupcake toppers for a dog party.", "attributes": ["baby shower", "birthday party"], "options": ["color: dog banner"], "instruction_attributes": ["birthday party"], "instruction_options": ["dog banner"], "assignment_id": "3HPZF4IVNX3FW186JO133U513GUYCD", "worker_id": "A2RBF3IIJP15IH"}], "B00AFYAXEO": [{"asin": "B00AFYAXEO", "instruction": "i am looking for extra strength exfoliator that handles dead skin.", "attributes": ["fine lines", "dead skin"], "options": ["style: extra strength"], "instruction_attributes": ["dead skin"], "instruction_options": ["extra strength"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOA0ON1", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00AFYAXEO", "instruction": "i am looking for extra strength exfoliator that handles dead skin.", "attributes": ["fine lines", "dead skin"], "options": ["style: extra strength"], "instruction_attributes": ["dead skin"], "instruction_options": ["extra strength"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOA0ON1", "worker_id": "A1EREKSZAA9V7B"}], "B00PKHCA0Q": [{"asin": "B00PKHCA0Q", "instruction": "i am looking for a faux leather grey color loveseat for living room", "attributes": ["faux leather", "wood finish", "living room"], "options": ["color: grey", "style: loveseat"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["grey", "loveseat"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADF1VW1", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B00PKHCA0Q", "instruction": "i am looking for a faux leather grey color loveseat for living room", "attributes": ["faux leather", "wood finish", "living room"], "options": ["color: grey", "style: loveseat"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["grey", "loveseat"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADF1VW1", "worker_id": "A258PTOZ3D2TQR"}], "B08PHFZNBY": [{"asin": "B08PHFZNBY", "instruction": "i am looking for individually wrapped bakery gifts.", "attributes": ["individually wrapped", "nut free", "valentine day", "gift basket"], "options": [""], "instruction_attributes": ["individually wrapped"], "instruction_options": [], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCQS5QA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08PHFZNBY", "instruction": "i am looking for individually wrapped bakery gifts.", "attributes": ["individually wrapped", "nut free", "valentine day", "gift basket"], "options": [""], "instruction_attributes": ["individually wrapped"], "instruction_options": [], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCQS5QA", "worker_id": "A2ECRNQ3X5LEXD"}], "B09L7QFVTQ": [{"asin": "B09L7QFVTQ", "instruction": "i need a small red womens fleece jacket that is made of polyester spandex,", "attributes": ["hand wash", "daily casual", "winter warm", "wash cold", "polyester spandex"], "options": ["color: l-red", "size: small"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["l-red", "small"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXCUUJR", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09L7QFVTQ", "instruction": "i need a small red womens fleece jacket that is made of polyester spandex,", "attributes": ["hand wash", "daily casual", "winter warm", "wash cold", "polyester spandex"], "options": ["color: l-red", "size: small"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["l-red", "small"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXCUUJR", "worker_id": "A2RBF3IIJP15IH"}], "B004LKAO2E": [{"asin": "B004LKAO2E", "instruction": "i'm looking for 33.81 fl oz non-gmo gluten free monin raspberry syrup.", "attributes": ["non gmo", "bpa free", "artificial ingredients", "gluten free", "dairy free", "artificial colors", "artificial flavors"], "options": ["size: 33.81 fl oz (pack of 2)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["33.81 fl oz (pack of 2)"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP39AOB", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B004LKAO2E", "instruction": "i'm looking for 33.81 fl oz non-gmo gluten free monin raspberry syrup.", "attributes": ["non gmo", "bpa free", "artificial ingredients", "gluten free", "dairy free", "artificial colors", "artificial flavors"], "options": ["size: 33.81 fl oz (pack of 2)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["33.81 fl oz (pack of 2)"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP39AOB", "worker_id": "ARQ05PDNXPFDI"}], "B07L3PX14F": [{"asin": "B07L3PX14F", "instruction": "i am looking for a white and black heavy duty steel frame computer desk.", "attributes": ["heavy duty", "easy assemble", "coated steel", "metal legs", "steel frame"], "options": ["color: white+black", "size: 47*23.6 inch"], "instruction_attributes": ["heavy duty", "steel frame"], "instruction_options": ["white+black"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAD2OVI", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07L3PX14F", "instruction": "i am looking for a white and black heavy duty steel frame computer desk.", "attributes": ["heavy duty", "easy assemble", "coated steel", "metal legs", "steel frame"], "options": ["color: white+black", "size: 47*23.6 inch"], "instruction_attributes": ["heavy duty", "steel frame"], "instruction_options": ["white+black"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAD2OVI", "worker_id": "A1EREKSZAA9V7B"}], "B08G5RRKK6": [{"asin": "B08G5RRKK6", "instruction": "i am interested in a towel for drying hair that is pink.", "attributes": ["dry hair", "hair styling"], "options": ["color: pink | palms"], "instruction_attributes": ["dry hair"], "instruction_options": ["pink | palms"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUGD3RT", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08G5RRKK6", "instruction": "i am interested in a towel for drying hair that is pink.", "attributes": ["dry hair", "hair styling"], "options": ["color: pink | palms"], "instruction_attributes": ["dry hair"], "instruction_options": ["pink | palms"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUGD3RT", "worker_id": "A2ECRNQ3X5LEXD"}], "B0971SBWGG": [{"asin": "B0971SBWGG", "instruction": "i need to order some certified organic loose leaf tea.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: matcha + green tea", "size: 100 count (pack of 1)", "style: loose leaf"], "instruction_attributes": ["certified organic"], "instruction_options": ["loose leaf"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC3TD0T", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B0971SBWGG", "instruction": "i'm looking for a six-count pack of loose-leaf white tea powder. it needs to be usda certified organic.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: white tea", "size: 6 count (pack of 1)", "style: loose leaf"], "instruction_attributes": ["usda organic", "certified organic"], "instruction_options": ["white tea", "6 count (pack of 1)", "loose leaf"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0JY4W4", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B0971SBWGG", "instruction": "i need to order some certified organic loose leaf tea.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: matcha + green tea", "size: 100 count (pack of 1)", "style: loose leaf"], "instruction_attributes": ["certified organic"], "instruction_options": ["loose leaf"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC3TD0T", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B0971SBWGG", "instruction": "i'm looking for certified usda organic black tea bags. i need a 20 count box.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: black tea (decaf)", "size: 20 count (pack of 1)", "style: tea bags"], "instruction_attributes": ["usda organic", "certified organic"], "instruction_options": ["black tea (decaf)", "20 count (pack of 1)", "tea bags"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4F1I0E", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B0971SBWGG", "instruction": "i am looking for certified organic english breakfast tea bags.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: english breakfast", "size: 20 count (pack of 1)", "style: tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["english breakfast", "tea bags"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVGTUT8", "worker_id": "A1EREKSZAA9V7B"}], "B06X9T6WLP": [{"asin": "B06X9T6WLP", "instruction": "i am looking for high quality dark red synthetic hair extensions.", "attributes": ["high quality", "synthetic hair", "hair extensions"], "options": ["color: dark red", "size: 26 inch straight"], "instruction_attributes": ["high quality", "synthetic hair", "hair extensions"], "instruction_options": ["dark red"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYKWM6A", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B06X9T6WLP", "instruction": "i am looking for high quality dark red synthetic hair extensions.", "attributes": ["high quality", "synthetic hair", "hair extensions"], "options": ["color: dark red", "size: 26 inch straight"], "instruction_attributes": ["high quality", "synthetic hair", "hair extensions"], "instruction_options": ["dark red"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYKWM6A", "worker_id": "A1EREKSZAA9V7B"}], "B08B7MYLXY": [{"asin": "B08B7MYLXY", "instruction": "looking for short lace boots for day comfort, fawn color, size 6.5", "attributes": ["day comfort", "rubber sole", "faux fur"], "options": ["color: blanc | fawn", "size: 6.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["blanc | fawn", "6.5"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPVUPJI", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B08B7MYLXY", "instruction": "looking for short lace boots for day comfort, fawn color, size 6.5", "attributes": ["day comfort", "rubber sole", "faux fur"], "options": ["color: blanc | fawn", "size: 6.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["blanc | fawn", "6.5"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPVUPJI", "worker_id": "A2Y2TURT2VEYZN"}], "B085B29638": [{"asin": "B085B29638", "instruction": "i am interested in a variety pack of fruit snacks that are plant based.", "attributes": ["plant based", "dairy free", "bpa free", "gluten free", "usda organic", "nut free", "low calorie", "kosher certified", "non gmo", "high fructose"], "options": ["flavor name: variety pack (apple mango | apple strawberry)"], "instruction_attributes": ["plant based"], "instruction_options": ["variety pack (apple mango | apple strawberry)"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQIF13R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B085B29638", "instruction": "i am interested in a variety pack of fruit snacks that are plant based.", "attributes": ["plant based", "dairy free", "bpa free", "gluten free", "usda organic", "nut free", "low calorie", "kosher certified", "non gmo", "high fructose"], "options": ["flavor name: variety pack (apple mango | apple strawberry)"], "instruction_attributes": ["plant based"], "instruction_options": ["variety pack (apple mango | apple strawberry)"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQIF13R", "worker_id": "A2ECRNQ3X5LEXD"}], "B08M569G16": [{"asin": "B08M569G16", "instruction": "i need a pack of 18 white cheddar black pepper creole bean + nut snack mix that is gluten free.", "attributes": ["non gmo", "gluten free"], "options": ["flavor name: white cheddar black pepper", "size: 1.25 ounce (pack of 18)"], "instruction_attributes": ["gluten free"], "instruction_options": ["white cheddar black pepper", "1.25 ounce (pack of 18)"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF7K9DY", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08M569G16", "instruction": "i need a pack of 18 white cheddar black pepper creole bean + nut snack mix that is gluten free.", "attributes": ["non gmo", "gluten free"], "options": ["flavor name: white cheddar black pepper", "size: 1.25 ounce (pack of 18)"], "instruction_attributes": ["gluten free"], "instruction_options": ["white cheddar black pepper", "1.25 ounce (pack of 18)"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF7K9DY", "worker_id": "A2RBF3IIJP15IH"}], "B08G8NCR8D": [{"asin": "B08G8NCR8D", "instruction": "i am looking for an easy to clean hair dyeing set with a mixing bowl.", "attributes": ["eco friendly", "easy clean", "high quality", "hair dye", "hair salon"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCTM64A", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08G8NCR8D", "instruction": "i am looking for an easy to clean hair dyeing set with a mixing bowl.", "attributes": ["eco friendly", "easy clean", "high quality", "hair dye", "hair salon"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCTM64A", "worker_id": "A1EREKSZAA9V7B"}], "B08JZC6FZH": [{"asin": "B08JZC6FZH", "instruction": "i would like a 12 ounce cantina party mix with simple ingregients.", "attributes": ["chocolate covered", "simple ingredients"], "options": ["flavor: cantina mix", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["cantina mix", "12 ounce (pack of 1)"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV158DB", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08JZC6FZH", "instruction": "i would like a 12 ounce cantina party mix with simple ingregients.", "attributes": ["chocolate covered", "simple ingredients"], "options": ["flavor: cantina mix", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["cantina mix", "12 ounce (pack of 1)"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV158DB", "worker_id": "A1WS884SI0SLO4"}], "B08BFJLHDK": [{"asin": "B08BFJLHDK", "instruction": "i am looking for machine washable sweatsuits that are pink and in an xx-large.", "attributes": ["machine washable", "polyester spandex", "short sleeve"], "options": ["color: 3147 pink star", "size: xx-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["3147 pink star", "xx-large"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRK3F9I", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08BFJLHDK", "instruction": "i am looking for machine washable sweatsuits that are pink and in an xx-large.", "attributes": ["machine washable", "polyester spandex", "short sleeve"], "options": ["color: 3147 pink star", "size: xx-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["3147 pink star", "xx-large"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRK3F9I", "worker_id": "A2ECRNQ3X5LEXD"}], "B095CP9GD9": [{"asin": "B095CP9GD9", "instruction": "i need a skincare product that will help with the dark circles under my eyes.", "attributes": ["dark circles", "fine lines"], "options": [""], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733JQBE5", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B095CP9GD9", "instruction": "i need a skincare product that will help with the dark circles under my eyes.", "attributes": ["dark circles", "fine lines"], "options": [""], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733JQBE5", "worker_id": "AR9AU5FY1S3RO"}], "B07YK94TDJ": [{"asin": "B07YK94TDJ", "instruction": "i need an outdoor tv cover to dustproof a 51 inch television.", "attributes": ["dust proof", "heavy duty", "easy install"], "options": ["color: chocolate", "size: 52 inch"], "instruction_attributes": ["dust proof"], "instruction_options": ["52 inch"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7UIY6K", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07YK94TDJ", "instruction": "i need an outdoor tv cover to dustproof a 51 inch television.", "attributes": ["dust proof", "heavy duty", "easy install"], "options": ["color: chocolate", "size: 52 inch"], "instruction_attributes": ["dust proof"], "instruction_options": ["52 inch"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7UIY6K", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07YK94TDJ", "instruction": "i'm looking for a outdoor tv cover with 72 inch, need to be dust proof and black color", "attributes": ["dust proof", "heavy duty", "easy install"], "options": ["color: black", "size: 72 inch"], "instruction_attributes": ["dust proof"], "instruction_options": ["black", "72 inch"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEK468D", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07YK94TDJ", "instruction": "i'm looking for a heavy duty, dust proof tv screen protectors which is easy to install. also, choose 46 inch camel colored one.", "attributes": ["dust proof", "heavy duty", "easy install"], "options": ["color: camel", "size: 46 inch"], "instruction_attributes": ["dust proof", "heavy duty", "easy install"], "instruction_options": ["camel", "46 inch"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCSEQ5L", "worker_id": "AR0VJ5XRG16UJ"}], "B09NZJSMQS": [{"asin": "B09NZJSMQS", "instruction": "i am looking for a high quality hair removal wax bottle.", "attributes": ["easy apply", "eco friendly", "easy clean", "high quality", "hair removal", "beauty salon"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDY2IR0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09NZJSMQS", "instruction": "i am looking for a high quality hair removal wax bottle.", "attributes": ["easy apply", "eco friendly", "easy clean", "high quality", "hair removal", "beauty salon"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDY2IR0", "worker_id": "A1EREKSZAA9V7B"}], "B079NY8BF3": [{"asin": "B079NY8BF3", "instruction": "i'm looking to buy a body wash that has tea tree oil as an ingredient that would work well for sensitive skin.", "attributes": ["paraben free", "cruelty free", "tea tree", "sensitive skin"], "options": [""], "instruction_attributes": ["tea tree", "sensitive skin"], "instruction_options": [], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRP5ZB5", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B079NY8BF3", "instruction": "i'm looking to buy a body wash that has tea tree oil as an ingredient that would work well for sensitive skin.", "attributes": ["paraben free", "cruelty free", "tea tree", "sensitive skin"], "options": [""], "instruction_attributes": ["tea tree", "sensitive skin"], "instruction_options": [], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRP5ZB5", "worker_id": "A3EDFA8UQT5GG8"}], "B07B3VCT7X": [{"asin": "B07B3VCT7X", "instruction": "i need a bulk pack of 100 disposable toothbrushes for oral hygeine.", "attributes": ["high quality", "oral hygiene"], "options": ["size: 100 pack"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["100 pack"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JX9E7GW", "worker_id": "A19317A3X87NVM"}, {"asin": "B07B3VCT7X", "instruction": "i need a bulk pack of 100 disposable toothbrushes for oral hygeine.", "attributes": ["high quality", "oral hygiene"], "options": ["size: 100 pack"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["100 pack"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JX9E7GW", "worker_id": "A19317A3X87NVM"}], "B09D39L8P8": [{"asin": "B09D39L8P8", "instruction": "i would like a gold tongue cleaner for my oral hygiene.", "attributes": ["stainless steel", "rose gold", "oral hygiene", "bad breath"], "options": ["color: gold"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["gold"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVPXX9P", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09D39L8P8", "instruction": "i would like a gold tongue cleaner for my oral hygiene.", "attributes": ["stainless steel", "rose gold", "oral hygiene", "bad breath"], "options": ["color: gold"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["gold"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVPXX9P", "worker_id": "A1WS884SI0SLO4"}], "B08T76YM9K": [{"asin": "B08T76YM9K", "instruction": "i'm looking for a hair salon stool that offers height adjustment and is the color blue.", "attributes": ["height adjustable", "hair salon"], "options": ["color: blue", "size: fixed feet"], "instruction_attributes": ["height adjustable", "hair salon"], "instruction_options": ["blue"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UHCOIQN", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B08T76YM9K", "instruction": "i'm looking for a hair salon stool that offers height adjustment and is the color blue.", "attributes": ["height adjustable", "hair salon"], "options": ["color: blue", "size: fixed feet"], "instruction_attributes": ["height adjustable", "hair salon"], "instruction_options": ["blue"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UHCOIQN", "worker_id": "A2JP9IKRHNLRPI"}], "B08GJH2XWJ": [{"asin": "B08GJH2XWJ", "instruction": "i would like a 5\" x 5\" square cake topper for a birthday party.", "attributes": ["dairy free", "gluten free", "birthday party"], "options": ["size: 5\" x 5\" square"], "instruction_attributes": ["birthday party"], "instruction_options": ["5\" x 5\" square"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3AHN6M", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08GJH2XWJ", "instruction": "i would like a 5\" x 5\" square cake topper for a birthday party.", "attributes": ["dairy free", "gluten free", "birthday party"], "options": ["size: 5\" x 5\" square"], "instruction_attributes": ["birthday party"], "instruction_options": ["5\" x 5\" square"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3AHN6M", "worker_id": "A1WS884SI0SLO4"}], "B09S5YDXS2": [{"asin": "B09S5YDXS2", "instruction": "i need to buy a pair of swimming trunks in 3x large. make sure they can be washed on the cold cycle.", "attributes": ["wash cold", "elastic waistband"], "options": ["size: 3x-large"], "instruction_attributes": ["wash cold"], "instruction_options": ["3x-large"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BJLX86", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09S5YDXS2", "instruction": "i need to buy a pair of swimming trunks in 3x large. make sure they can be washed on the cold cycle.", "attributes": ["wash cold", "elastic waistband"], "options": ["size: 3x-large"], "instruction_attributes": ["wash cold"], "instruction_options": ["3x-large"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BJLX86", "worker_id": "AR9AU5FY1S3RO"}], "B08XY8L3KN": [{"asin": "B08XY8L3KN", "instruction": "i need a light wash mid rise slim leg jeans that comes with button closure in size 27 for women.", "attributes": ["machine wash", "button closure"], "options": ["color: light wash soc174", "size: 27"], "instruction_attributes": ["button closure"], "instruction_options": ["light wash soc174", "27"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPWZTXK", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08XY8L3KN", "instruction": "i need a light wash mid rise slim leg jeans that comes with button closure in size 27 for women.", "attributes": ["machine wash", "button closure"], "options": ["color: light wash soc174", "size: 27"], "instruction_attributes": ["button closure"], "instruction_options": ["light wash soc174", "27"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPWZTXK", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08XY8L3KN", "instruction": "i need a jeans with button closure.", "attributes": ["machine wash", "button closure"], "options": ["color: light wash soc174", "size: 31w x 28l"], "instruction_attributes": ["button closure"], "instruction_options": [], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVL0P1Y", "worker_id": "AVIEE6LDH0BT5"}], "B01GE2ZO2G": [{"asin": "B01GE2ZO2G", "instruction": "i'm looking for a tongue scraper that is stainless steel and helps me keep fresh breath.", "attributes": ["stainless steel", "fresh breath"], "options": [""], "instruction_attributes": ["stainless steel", "fresh breath"], "instruction_options": [], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3WF7QJ", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B01GE2ZO2G", "instruction": "i'm looking for a tongue scraper that is stainless steel and helps me keep fresh breath.", "attributes": ["stainless steel", "fresh breath"], "options": [""], "instruction_attributes": ["stainless steel", "fresh breath"], "instruction_options": [], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3WF7QJ", "worker_id": "A34EHWOYRBL6OZ"}], "B000HJ6TT0": [{"asin": "B000HJ6TT0", "instruction": "i am interested in a six inch red candle that is made of soy wax.", "attributes": ["lead free", "soy wax", "living room"], "options": ["color: red", "size: 6 in"], "instruction_attributes": ["soy wax"], "instruction_options": ["red", "6 in"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFQMJOJ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000HJ6TT0", "instruction": "i am interested in a six inch red candle that is made of soy wax.", "attributes": ["lead free", "soy wax", "living room"], "options": ["color: red", "size: 6 in"], "instruction_attributes": ["soy wax"], "instruction_options": ["red", "6 in"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFQMJOJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B00NB8OJAA": [{"asin": "B00NB8OJAA", "instruction": "i need a blue portable bluetooth speaker that is easy to carry.", "attributes": ["long lasting", "easy carry", "usb port"], "options": ["color: party blue"], "instruction_attributes": ["easy carry"], "instruction_options": ["party blue"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO2N33F", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B00NB8OJAA", "instruction": "i need a blue portable bluetooth speaker that is easy to carry.", "attributes": ["long lasting", "easy carry", "usb port"], "options": ["color: party blue"], "instruction_attributes": ["easy carry"], "instruction_options": ["party blue"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO2N33F", "worker_id": "A2RBF3IIJP15IH"}], "B000ORCFCK": [{"asin": "B000ORCFCK", "instruction": "i need a flamingo pink lacoste short sleeve polo in size 7.", "attributes": ["slim fit", "hand wash", "button closure", "classic fit", "short sleeve"], "options": ["color: flamingo pink", "size: 7"], "instruction_attributes": [], "instruction_options": ["flamingo pink", "7"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9568NS", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000ORCFCK", "instruction": "i need a flamingo pink lacoste short sleeve polo in size 7.", "attributes": ["slim fit", "hand wash", "button closure", "classic fit", "short sleeve"], "options": ["color: flamingo pink", "size: 7"], "instruction_attributes": [], "instruction_options": ["flamingo pink", "7"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9568NS", "worker_id": "A2RBF3IIJP15IH"}], "B00J8U0J4A": [{"asin": "B00J8U0J4A", "instruction": "i am looking for a living room set with two armchairs that are gray in color and mid century style.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: expectation gray", "size: two armchairs"], "instruction_attributes": ["mid century"], "instruction_options": ["expectation gray", "two armchairs"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPETVQ6", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00J8U0J4A", "instruction": "i am looking for a living room set with two armchairs that are gray in color and mid century style.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: expectation gray", "size: two armchairs"], "instruction_attributes": ["mid century"], "instruction_options": ["expectation gray", "two armchairs"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPETVQ6", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00J8U0J4A", "instruction": "mid century leather two armchair set", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: oatmeal", "size: armchair and sofa"], "instruction_attributes": ["mid century"], "instruction_options": ["armchair and sofa"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NC2N26", "worker_id": "A10OGH5CQBXL5N"}], "B08QMC9G4J": [{"asin": "B08QMC9G4J", "instruction": "i am looking for smartwatch bands that are nude in color and are compatible with apple.", "attributes": ["compatible apple", "high performance"], "options": ["color: nude color", "size: 38 | 40 | 41mm m | l"], "instruction_attributes": ["compatible apple"], "instruction_options": ["nude color"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54OH389", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08QMC9G4J", "instruction": "i am looking for smartwatch bands that are nude in color and are compatible with apple.", "attributes": ["compatible apple", "high performance"], "options": ["color: nude color", "size: 38 | 40 | 41mm m | l"], "instruction_attributes": ["compatible apple"], "instruction_options": ["nude color"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54OH389", "worker_id": "A2ECRNQ3X5LEXD"}], "B078N6ZHXP": [{"asin": "B078N6ZHXP", "instruction": "i would like a full size classic 8\" split foundation mattress and box spring.", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": ["color: classic collection", "size: full", "style: 8\" split foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["classic collection", "full", "8\" split foundation"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAY7A8A", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B078N6ZHXP", "instruction": "i would like a full size classic 8\" split foundation mattress and box spring.", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": ["color: classic collection", "size: full", "style: 8\" split foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["classic collection", "full", "8\" split foundation"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAY7A8A", "worker_id": "A1WS884SI0SLO4"}], "B09PT81KY2": [{"asin": "B09PT81KY2", "instruction": "i want to find a desktop computer that features ryz 5 pro 3400ge, 32 gigabytes of storage space and 500 gigabytes on the ssd card. it needs to have a quad core processor.", "attributes": ["dual band", "quad core"], "options": ["size: ryz 5 pro 3400ge | 32gb | 500gb ssd"], "instruction_attributes": ["quad core"], "instruction_options": ["ryz 5 pro 3400ge | 32gb | 500gb ssd"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB95ON8P", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09PT81KY2", "instruction": "i want to find a desktop computer that features ryz 5 pro 3400ge, 32 gigabytes of storage space and 500 gigabytes on the ssd card. it needs to have a quad core processor.", "attributes": ["dual band", "quad core"], "options": ["size: ryz 5 pro 3400ge | 32gb | 500gb ssd"], "instruction_attributes": ["quad core"], "instruction_options": ["ryz 5 pro 3400ge | 32gb | 500gb ssd"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB95ON8P", "worker_id": "A345TDMHP3DQ3G"}], "B08THK9ZSB": [{"asin": "B08THK9ZSB", "instruction": "i need vintage beauty salon chairs.", "attributes": ["easy clean", "hair salon", "beauty salon"], "options": ["color: a"], "instruction_attributes": ["beauty salon"], "instruction_options": ["a"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKAN88K", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08THK9ZSB", "instruction": "i need vintage beauty salon chairs.", "attributes": ["easy clean", "hair salon", "beauty salon"], "options": ["color: a"], "instruction_attributes": ["beauty salon"], "instruction_options": ["a"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKAN88K", "worker_id": "A2RBF3IIJP15IH"}], "B0816448FQ": [{"asin": "B0816448FQ", "instruction": "i am looking for a white feather color large makeup bag which is water resistant.", "attributes": ["water resistant", "storage case"], "options": ["color: white feather"], "instruction_attributes": ["water resistant"], "instruction_options": ["white feather"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BJVVJ9", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B0816448FQ", "instruction": "i am looking for a white feather color large makeup bag which is water resistant.", "attributes": ["water resistant", "storage case"], "options": ["color: white feather"], "instruction_attributes": ["water resistant"], "instruction_options": ["white feather"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BJVVJ9", "worker_id": "A1Q8PPQQCWGY0D"}], "B098W775RF": [{"asin": "B098W775RF", "instruction": "i need a pink blossom colored carrying case for my cell phone.", "attributes": ["carrying case", "wireless charging"], "options": ["color: pink cherry blossom"], "instruction_attributes": ["carrying case"], "instruction_options": ["pink cherry blossom"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JWIGER", "worker_id": "A19317A3X87NVM"}, {"asin": "B098W775RF", "instruction": "i need a pink blossom colored carrying case for my cell phone.", "attributes": ["carrying case", "wireless charging"], "options": ["color: pink cherry blossom"], "instruction_attributes": ["carrying case"], "instruction_options": ["pink cherry blossom"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JWIGER", "worker_id": "A19317A3X87NVM"}], "B07GPM973V": [{"asin": "B07GPM973V", "instruction": "find a sneaker for men with outsole rubber and rubber sole size 4 color in black or white", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black | white", "size: 4"], "instruction_attributes": ["rubber outsole", "rubber sole"], "instruction_options": ["black | white", "4"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS5AAWP", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07GPM973V", "instruction": "find a sneaker for men with outsole rubber and rubber sole size 4 color in black or white", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black | white", "size: 4"], "instruction_attributes": ["rubber outsole", "rubber sole"], "instruction_options": ["black | white", "4"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS5AAWP", "worker_id": "A2Y2TURT2VEYZN"}], "B01GS3NXSI": [{"asin": "B01GS3NXSI", "instruction": "i am interested in a round area rug that is turquoise and ivory and 6 ft by 7 ft long.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: turquoise | ivory", "item shape: round", "size: 6 ft 7 in x 6 ft 7 in"], "instruction_attributes": ["living room"], "instruction_options": ["turquoise | ivory", "round", "6 ft 7 in x 6 ft 7 in"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTB7D5H", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01GS3NXSI", "instruction": "i am interested in a round area rug that is turquoise and ivory and 6 ft by 7 ft long.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: turquoise | ivory", "item shape: round", "size: 6 ft 7 in x 6 ft 7 in"], "instruction_attributes": ["living room"], "instruction_options": ["turquoise | ivory", "round", "6 ft 7 in x 6 ft 7 in"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTB7D5H", "worker_id": "A2ECRNQ3X5LEXD"}], "B07P1CYG3D": [{"asin": "B07P1CYG3D", "instruction": "i need a white coated steel stockpile 3-drawer mobile file cabinet.", "attributes": ["fully assembled", "coated steel"], "options": ["color: white | orange"], "instruction_attributes": ["coated steel"], "instruction_options": ["white | orange"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2KB5LR", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07P1CYG3D", "instruction": "i need a white coated steel stockpile 3-drawer mobile file cabinet.", "attributes": ["fully assembled", "coated steel"], "options": ["color: white | orange"], "instruction_attributes": ["coated steel"], "instruction_options": ["white | orange"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2KB5LR", "worker_id": "A2RBF3IIJP15IH"}], "B09PYHJ249": [{"asin": "B09PYHJ249", "instruction": "i am looking for dark blue color womens jeans having high waist.", "attributes": ["butt lifting", "straight leg", "high waist", "fashion design"], "options": ["color: dark blue", "size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["dark blue"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW9KNFP", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09PYHJ249", "instruction": "i am looking for dark blue color womens jeans having high waist.", "attributes": ["butt lifting", "straight leg", "high waist", "fashion design"], "options": ["color: dark blue", "size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["dark blue"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW9KNFP", "worker_id": "A1Q8PPQQCWGY0D"}], "B0978DR561": [{"asin": "B0978DR561", "instruction": "i want to find one messy synthetic hair bun piece in a light auburn color.", "attributes": ["high quality", "synthetic hair"], "options": ["color: 15# light auburn", "size: 1 pcs"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["15# light auburn", "1 pcs"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOARNOR", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B0978DR561", "instruction": "i want to find one messy synthetic hair bun piece in a light auburn color.", "attributes": ["high quality", "synthetic hair"], "options": ["color: 15# light auburn", "size: 1 pcs"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["15# light auburn", "1 pcs"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOARNOR", "worker_id": "A345TDMHP3DQ3G"}], "B00778CGU0": [{"asin": "B00778CGU0", "instruction": "i am looking for hand crafted snack gifts.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4E115C", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00778CGU0", "instruction": "i am looking for hand crafted snack gifts.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4E115C", "worker_id": "A2ECRNQ3X5LEXD"}], "B01N0YGEQT": [{"asin": "B01N0YGEQT", "instruction": "i need a powerlite 1785w projector that projects 1080p hd.", "attributes": ["1080p hd", "carrying case"], "options": ["style: powerlite 1785w"], "instruction_attributes": ["1080p hd"], "instruction_options": ["powerlite 1785w"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQMV0PT", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01N0YGEQT", "instruction": "i need a powerlite 1785w projector that projects 1080p hd.", "attributes": ["1080p hd", "carrying case"], "options": ["style: powerlite 1785w"], "instruction_attributes": ["1080p hd"], "instruction_options": ["powerlite 1785w"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQMV0PT", "worker_id": "A2RBF3IIJP15IH"}], "B09D77KB16": [{"asin": "B09D77KB16", "instruction": "i want a highly pigmented lip gloss that is in the color r901", "attributes": ["highly pigmented", "high quality"], "options": ["color: r901"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["r901"], "assignment_id": "37TRT2X24116R7L1JO45INKV8RKJBW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09D77KB16", "instruction": "i want a highly pigmented lip gloss that is in the color r901", "attributes": ["highly pigmented", "high quality"], "options": ["color: r901"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["r901"], "assignment_id": "37TRT2X24116R7L1JO45INKV8RKJBW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VSZG1W3": [{"asin": "B07VSZG1W3", "instruction": "i need an indoor ultra hd antenna with an amplifier.", "attributes": ["ultra hd", "coaxial cable", "4g lte"], "options": ["size: indoor smartpass amplified antenna6"], "instruction_attributes": ["ultra hd"], "instruction_options": ["indoor smartpass amplified antenna6"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4ASBSZ", "worker_id": "A19317A3X87NVM"}, {"asin": "B07VSZG1W3", "instruction": "i need an indoor ultra hd antenna with an amplifier.", "attributes": ["ultra hd", "coaxial cable", "4g lte"], "options": ["size: indoor smartpass amplified antenna6"], "instruction_attributes": ["ultra hd"], "instruction_options": ["indoor smartpass amplified antenna6"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4ASBSZ", "worker_id": "A19317A3X87NVM"}], "B07XC7GVRK": [{"asin": "B07XC7GVRK", "instruction": "i need a lenovo chromebook with intel core i3-8130u.", "attributes": ["light weight", "intel core"], "options": [""], "instruction_attributes": ["intel core"], "instruction_options": [], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDK2K5Z", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07XC7GVRK", "instruction": "i need a lenovo chromebook with intel core i3-8130u.", "attributes": ["light weight", "intel core"], "options": [""], "instruction_attributes": ["intel core"], "instruction_options": [], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDK2K5Z", "worker_id": "A2RBF3IIJP15IH"}], "B08VJ6V1VM": [{"asin": "B08VJ6V1VM", "instruction": "i'm looking for a topper for a birthday cake.", "attributes": ["birthday party", "birthday cake", "party supplies"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG4DSLA", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08VJ6V1VM", "instruction": "i'm looking for a topper for a birthday cake.", "attributes": ["birthday party", "birthday cake", "party supplies"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG4DSLA", "worker_id": "AR9AU5FY1S3RO"}], "B09MTYJ85J": [{"asin": "B09MTYJ85J", "instruction": "i need a cell phone signal booster that is compatible with 4g lte.", "attributes": ["coaxial cable", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1ARXCX", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09MTYJ85J", "instruction": "i need a cell phone signal booster that is compatible with 4g lte.", "attributes": ["coaxial cable", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1ARXCX", "worker_id": "A2RBF3IIJP15IH"}], "B09B9SSMQH": [{"asin": "B09B9SSMQH", "instruction": "get me some black sneakers in size five and a half. make sure they're made out of high-quality materials.", "attributes": ["knee high", "day comfort", "non slip", "high heel", "quality materials"], "options": ["color: black", "size: 5.5"], "instruction_attributes": ["quality materials"], "instruction_options": ["black", "5.5"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0P5CAV", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09B9SSMQH", "instruction": "get me some black sneakers in size five and a half. make sure they're made out of high-quality materials.", "attributes": ["knee high", "day comfort", "non slip", "high heel", "quality materials"], "options": ["color: black", "size: 5.5"], "instruction_attributes": ["quality materials"], "instruction_options": ["black", "5.5"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0P5CAV", "worker_id": "AR9AU5FY1S3RO"}], "B098XWSF8B": [{"asin": "B098XWSF8B", "instruction": "i would like a pair of blue medium sized shorts with a elastic waist.", "attributes": ["loose fit", "straight leg", "slim fit", "elastic waist", "short sleeve", "button closure", "everyday wear"], "options": ["color: blue", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["blue", "medium"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPWATXV", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B098XWSF8B", "instruction": "i would like a pair of blue medium sized shorts with a elastic waist.", "attributes": ["loose fit", "straight leg", "slim fit", "elastic waist", "short sleeve", "button closure", "everyday wear"], "options": ["color: blue", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["blue", "medium"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPWATXV", "worker_id": "A1WS884SI0SLO4"}], "B08DWNRVBS": [{"asin": "B08DWNRVBS", "instruction": "i am looking for a clothes rack of 22-inch size that is heavy duty and saves space.", "attributes": ["wall mounted", "heavy duty", "space saving"], "options": ["item package quantity: 1", "size: 22-inch"], "instruction_attributes": ["heavy duty", "space saving"], "instruction_options": ["22-inch"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB9EOSJ", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08DWNRVBS", "instruction": "i am looking for a clothes rack of 22-inch size that is heavy duty and saves space.", "attributes": ["wall mounted", "heavy duty", "space saving"], "options": ["item package quantity: 1", "size: 22-inch"], "instruction_attributes": ["heavy duty", "space saving"], "instruction_options": ["22-inch"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB9EOSJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B089NSX3FR": [{"asin": "B089NSX3FR", "instruction": "i would like some green size 36 shorts that are good for my gym workout.", "attributes": ["drawstring closure", "elastic waistband", "gym workout"], "options": ["color: #17 green", "size: 36"], "instruction_attributes": ["gym workout"], "instruction_options": ["#17 green", "36"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDKAHCQ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B089NSX3FR", "instruction": "i would like some green size 36 shorts that are good for my gym workout.", "attributes": ["drawstring closure", "elastic waistband", "gym workout"], "options": ["color: #17 green", "size: 36"], "instruction_attributes": ["gym workout"], "instruction_options": ["#17 green", "36"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDKAHCQ", "worker_id": "A1WS884SI0SLO4"}], "B084NVN1J6": [{"asin": "B084NVN1J6", "instruction": "i need roasted coffee beans that are dairy free and cinnamon bun flavored.", "attributes": ["keto friendly", "dairy free"], "options": ["flavor name: cinnamon bun", "size: 12 oz whole bean coffee"], "instruction_attributes": ["dairy free"], "instruction_options": ["cinnamon bun"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TPSMPM", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B084NVN1J6", "instruction": "i would like a 12 oz package of whole bean coffee beans that are keto friendly.", "attributes": ["keto friendly", "dairy free"], "options": ["flavor name: cookies 'n dreams", "size: 12 oz whole bean coffee"], "instruction_attributes": ["keto friendly"], "instruction_options": ["cookies 'n dreams", "12 oz whole bean coffee"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W1XUOT", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B084NVN1J6", "instruction": "i need roasted coffee beans that are dairy free and cinnamon bun flavored.", "attributes": ["keto friendly", "dairy free"], "options": ["flavor name: cinnamon bun", "size: 12 oz whole bean coffee"], "instruction_attributes": ["dairy free"], "instruction_options": ["cinnamon bun"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TPSMPM", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GJN7V8R": [{"asin": "B07GJN7V8R", "instruction": "i am looking for a artisan gold color flipflop having rubber sole.", "attributes": ["slip resistant", "rubber sole"], "options": ["color: artisan gold", "size: 9"], "instruction_attributes": ["rubber sole"], "instruction_options": ["artisan gold"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L846YC6O", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07GJN7V8R", "instruction": "i am looking for a artisan gold color flipflop having rubber sole.", "attributes": ["slip resistant", "rubber sole"], "options": ["color: artisan gold", "size: 9"], "instruction_attributes": ["rubber sole"], "instruction_options": ["artisan gold"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L846YC6O", "worker_id": "A1Q8PPQQCWGY0D"}], "B08P4SH2NQ": [{"asin": "B08P4SH2NQ", "instruction": "i need a usb video game capture card for my usb port.", "attributes": ["plug play", "aluminum alloy", "usb port"], "options": [""], "instruction_attributes": ["plug play", "usb port"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P7IUB3", "worker_id": "A19317A3X87NVM"}, {"asin": "B08P4SH2NQ", "instruction": "i need a usb video game capture card for my usb port.", "attributes": ["plug play", "aluminum alloy", "usb port"], "options": [""], "instruction_attributes": ["plug play", "usb port"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P7IUB3", "worker_id": "A19317A3X87NVM"}], "B00G4F22L0": [{"asin": "B00G4F22L0", "instruction": "i'm looking for a pair of classic fit silver gray scrub bottoms in large petite with an elastic waistband and drawstring closure.", "attributes": ["elastic waistband", "polyester cotton", "drawstring closure", "classic fit"], "options": ["color: silver gray", "size: large petite"], "instruction_attributes": ["elastic waistband", "drawstring closure", "classic fit"], "instruction_options": ["silver gray", "large petite"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFGZXBGE", "worker_id": "AFU00NU09CFXE"}, {"asin": "B00G4F22L0", "instruction": "i'm looking for a pair of classic fit silver gray scrub bottoms in large petite with an elastic waistband and drawstring closure.", "attributes": ["elastic waistband", "polyester cotton", "drawstring closure", "classic fit"], "options": ["color: silver gray", "size: large petite"], "instruction_attributes": ["elastic waistband", "drawstring closure", "classic fit"], "instruction_options": ["silver gray", "large petite"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFGZXBGE", "worker_id": "AFU00NU09CFXE"}], "B084R2JGMM": [{"asin": "B084R2JGMM", "instruction": "i'm looking for a 6-pack of salted caramel & dark chocolate nut bars with low sugar and simple ingredients.", "attributes": ["low sugar", "simple ingredients"], "options": ["flavor name: salted caramel & dark chocolate nut", "size: 6 bars"], "instruction_attributes": ["low sugar", "simple ingredients"], "instruction_options": ["salted caramel & dark chocolate nut", "6 bars"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8YDSSG", "worker_id": "AFU00NU09CFXE"}, {"asin": "B084R2JGMM", "instruction": "i'm looking for a 6-pack of salted caramel & dark chocolate nut bars with low sugar and simple ingredients.", "attributes": ["low sugar", "simple ingredients"], "options": ["flavor name: salted caramel & dark chocolate nut", "size: 6 bars"], "instruction_attributes": ["low sugar", "simple ingredients"], "instruction_options": ["salted caramel & dark chocolate nut", "6 bars"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8YDSSG", "worker_id": "AFU00NU09CFXE"}, {"asin": "B084R2JGMM", "instruction": "i would like 6 bars of low sugar chocolates", "attributes": ["low sugar", "simple ingredients"], "options": ["flavor name: milk chocolate peanut butter", "size: 6 bars"], "instruction_attributes": ["low sugar"], "instruction_options": ["6 bars"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOHBW16", "worker_id": "AHXHM1PQTRWIQ"}, {"asin": "B084R2JGMM", "instruction": "get me a dark chocolate and chilli almond snack bar that is low in sugar.", "attributes": ["low sugar", "simple ingredients"], "options": ["flavor name: dark chocolate chili almond", "size: 1.4 ounce (pack of 12)"], "instruction_attributes": ["low sugar"], "instruction_options": ["dark chocolate chili almond"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD05IR7", "worker_id": "A1NF6PELRKACS9"}], "B00EXW2FLI": [{"asin": "B00EXW2FLI", "instruction": "i want to find long-lasting eau de toilette from chanel.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZW9NCV", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B00EXW2FLI", "instruction": "i want to find long-lasting eau de toilette from chanel.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZW9NCV", "worker_id": "A345TDMHP3DQ3G"}], "B001EWEP40": [{"asin": "B001EWEP40", "instruction": "i am looking for a powder fresh mitchum anti-perspirant.", "attributes": ["anti perspirant", "clinically proven"], "options": ["size: 2.25 ounce (63 g) (pack of 6)", "style: powder fresh"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["powder fresh"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPVDG0A", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B001EWEP40", "instruction": "i am looking for a powder fresh mitchum anti-perspirant.", "attributes": ["anti perspirant", "clinically proven"], "options": ["size: 2.25 ounce (63 g) (pack of 6)", "style: powder fresh"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["powder fresh"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPVDG0A", "worker_id": "A1EREKSZAA9V7B"}], "B07G9PNW3X": [{"asin": "B07G9PNW3X", "instruction": "i need a 64 fl oz sugar free bottle of peach chipotle davinci gourmet cake batter syrup.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: peach chipotle", "size: 64 fl oz (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["peach chipotle", "64 fl oz (pack of 1)"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGH50OI", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07G9PNW3X", "instruction": "i need a 64 fl oz sugar free bottle of peach chipotle davinci gourmet cake batter syrup.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: peach chipotle", "size: 64 fl oz (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["peach chipotle", "64 fl oz (pack of 1)"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGH50OI", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07G9PNW3X", "instruction": "i want sugar free davinci black cherry cake batter syrup.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: black cherry", "size: 3 pound (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["black cherry"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U85AMH", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07G9PNW3X", "instruction": "i would like a 64 fluid ounce bottle of sugar free pina colada cocktail flavored syrup.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: pina colada cocktail", "size: 64 fl oz (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["pina colada cocktail", "64 fl oz (pack of 1)"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHAB5OD0", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07G9PNW3X", "instruction": "i would like a 14.1 ounce of toasted hazelnut syrup that is sugar free.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: toasted hazelnut", "size: 14.1 ounce (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["toasted hazelnut", "14.1 ounce (pack of 1)"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKX1NDD", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07G9PNW3X", "instruction": "i need a 3 pound (pack of 1) cane sugar syrup which has natural flavour and is sugar free.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: cane sugar", "size: 3 pound (pack of 1)"], "instruction_attributes": ["sugar free", "natural flavors"], "instruction_options": ["cane sugar", "3 pound (pack of 1)"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY5XU0X", "worker_id": "ASWFLI3N8X72G"}], "B07XCJ6CYY": [{"asin": "B07XCJ6CYY", "instruction": "i need a classic fit and dark heather fish aquarium t-shirt in size 2t for men.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: men", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["dark heather", "men", "2t"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVJDLX9", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07XCJ6CYY", "instruction": "i need a classic fit and dark heather fish aquarium t-shirt in size 2t for men.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: men", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["dark heather", "men", "2t"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVJDLX9", "worker_id": "A2RBF3IIJP15IH"}], "B07DLY278V": [{"asin": "B07DLY278V", "instruction": "i am interested in hand crafted hors d'oeuvres", "attributes": ["ready use", "hand crafted"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TAB2KG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07DLY278V", "instruction": "i'm looking for hand-crafted hors d'oeurves.", "attributes": ["ready use", "hand crafted"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "33LK57MYL4FV8877CWTMW6ILV7QSZM", "worker_id": "A19317A3X87NVM"}, {"asin": "B07DLY278V", "instruction": "i am interested in hand crafted hors d'oeuvres", "attributes": ["ready use", "hand crafted"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TAB2KG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08W9KZSCX": [{"asin": "B08W9KZSCX", "instruction": "i'm looking for extra large high waist leggings that are hand washable and fleece lined.", "attributes": ["fleece lined", "hand wash", "high waist", "elastic waistband", "tummy control"], "options": ["color: 04 gray", "size: x-large"], "instruction_attributes": ["fleece lined", "hand wash", "high waist"], "instruction_options": ["x-large"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1B9XRI", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B08W9KZSCX", "instruction": "i'm looking for extra large high waist leggings that are hand washable and fleece lined.", "attributes": ["fleece lined", "hand wash", "high waist", "elastic waistband", "tummy control"], "options": ["color: 04 gray", "size: x-large"], "instruction_attributes": ["fleece lined", "hand wash", "high waist"], "instruction_options": ["x-large"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1B9XRI", "worker_id": "A3EDFA8UQT5GG8"}], "B07DYTDCGD": [{"asin": "B07DYTDCGD", "instruction": "i need a regular fit machine wash nike gym t-shrit.", "attributes": ["machine wash", "comfortable fit", "regular fit"], "options": ["color: gym red | white", "size: 3x-large-t"], "instruction_attributes": ["machine wash", "regular fit"], "instruction_options": ["gym red | white"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUA4ZDZ", "worker_id": "A19317A3X87NVM"}, {"asin": "B07DYTDCGD", "instruction": "i need a regular fit machine wash nike gym t-shrit.", "attributes": ["machine wash", "comfortable fit", "regular fit"], "options": ["color: gym red | white", "size: 3x-large-t"], "instruction_attributes": ["machine wash", "regular fit"], "instruction_options": ["gym red | white"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUA4ZDZ", "worker_id": "A19317A3X87NVM"}], "B07RYRG19Z": [{"asin": "B07RYRG19Z", "instruction": "i am looking for a medium sized toiletry bag that is denim purple and water resistant.", "attributes": ["water resistant", "oral hygiene"], "options": ["color: denim purple", "size: medium (pack of 1)"], "instruction_attributes": ["water resistant"], "instruction_options": ["denim purple", "medium (pack of 1)"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8EHNZG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07RYRG19Z", "instruction": "i am looking for a medium size travel bag that is water resistant and denim grey in color.", "attributes": ["water resistant", "oral hygiene"], "options": ["color: denim navy blue", "size: medium (pack of 1)"], "instruction_attributes": ["water resistant"], "instruction_options": ["medium (pack of 1)"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH5G1EP", "worker_id": "A2KW17G25L25R8"}, {"asin": "B07RYRG19Z", "instruction": "i am looking for a medium sized toiletry bag that is denim purple and water resistant.", "attributes": ["water resistant", "oral hygiene"], "options": ["color: denim purple", "size: medium (pack of 1)"], "instruction_attributes": ["water resistant"], "instruction_options": ["denim purple", "medium (pack of 1)"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8EHNZG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07RYRG19Z", "instruction": "i would like a black toiletry bag that is water resistant and a medium size.", "attributes": ["water resistant", "oral hygiene"], "options": ["color: black", "size: medium"], "instruction_attributes": ["water resistant"], "instruction_options": ["black", "medium"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS019GB", "worker_id": "A2ECRNQ3X5LEXD"}], "B00A3IFR5C": [{"asin": "B00A3IFR5C", "instruction": "i'm interested in some banana hemp cereal that is dairy - and gluten-free.", "attributes": ["non dairy", "gluten free"], "options": ["flavor name: banana hemp"], "instruction_attributes": ["non dairy", "gluten free"], "instruction_options": ["banana hemp"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40E7NX7", "worker_id": "AFU00NU09CFXE"}, {"asin": "B00A3IFR5C", "instruction": "i'm interested in some banana hemp cereal that is dairy - and gluten-free.", "attributes": ["non dairy", "gluten free"], "options": ["flavor name: banana hemp"], "instruction_attributes": ["non dairy", "gluten free"], "instruction_options": ["banana hemp"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40E7NX7", "worker_id": "AFU00NU09CFXE"}], "B08QTR1Y67": [{"asin": "B08QTR1Y67", "instruction": "i'm looking for a sky blue ring holder for my smartphone, if possible with wireless charging.", "attributes": ["hands free", "wireless charging"], "options": ["color: sky blue"], "instruction_attributes": ["wireless charging"], "instruction_options": ["sky blue"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3D9YAB", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B08QTR1Y67", "instruction": "i'm looking for a sky blue ring holder for my smartphone, if possible with wireless charging.", "attributes": ["hands free", "wireless charging"], "options": ["color: sky blue"], "instruction_attributes": ["wireless charging"], "instruction_options": ["sky blue"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3D9YAB", "worker_id": "A3EDFA8UQT5GG8"}], "B07SBX416H": [{"asin": "B07SBX416H", "instruction": "i want a nikon coolpix a1000 compact digital camera with optical zoom.", "attributes": ["high resolution", "high performance", "optical zoom"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMNAW9E", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07SBX416H", "instruction": "i want a nikon coolpix a1000 compact digital camera with optical zoom.", "attributes": ["high resolution", "high performance", "optical zoom"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMNAW9E", "worker_id": "A2RBF3IIJP15IH"}], "B078HYPVTQ": [{"asin": "B078HYPVTQ", "instruction": "i want to buy some wall sconces with a dark bronze finish.", "attributes": ["easy install", "wood finish", "glass shade", "bronze finish"], "options": ["color: dark bronze"], "instruction_attributes": ["bronze finish"], "instruction_options": ["dark bronze"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W6COUC", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B078HYPVTQ", "instruction": "i want to buy some wall sconces with a dark bronze finish.", "attributes": ["easy install", "wood finish", "glass shade", "bronze finish"], "options": ["color: dark bronze"], "instruction_attributes": ["bronze finish"], "instruction_options": ["dark bronze"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W6COUC", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B078HYPVTQ", "instruction": "globe electric wall sconce 65931 williamsburg 1 light, dark bronze, dark wood finish details, easy to install.i need you to find it in color: dark bronze with gold category", "attributes": ["easy install", "wood finish", "glass shade", "bronze finish"], "options": ["color: dark bronze with gold"], "instruction_attributes": ["easy install", "wood finish"], "instruction_options": ["dark bronze with gold"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0WFPXI", "worker_id": "A15IJ20C3R4HUO"}], "B09M3NG396": [{"asin": "B09M3NG396", "instruction": "i would like a pair of medium navy blue gym shorts that i can machine wash.", "attributes": ["daily casual", "machine wash", "moisture wicking", "wash cold", "drawstring closure", "elastic waistband", "regular fit", "tumble dry"], "options": ["color: navy blue", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy blue", "medium"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYGRLQD", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09M3NG396", "instruction": "i would like a pair of medium navy blue gym shorts that i can machine wash.", "attributes": ["daily casual", "machine wash", "moisture wicking", "wash cold", "drawstring closure", "elastic waistband", "regular fit", "tumble dry"], "options": ["color: navy blue", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy blue", "medium"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYGRLQD", "worker_id": "A1WS884SI0SLO4"}], "B09H6KRM8Q": [{"asin": "B09H6KRM8Q", "instruction": "i'm looking for hair removal with non toxic product and with eco friendly beauty salon", "attributes": ["easy apply", "eco friendly", "non toxic", "high quality", "hair removal", "beauty salon"], "options": [""], "instruction_attributes": ["eco friendly", "non toxic", "hair removal"], "instruction_options": [], "assignment_id": "37M28K1J01N18XG9DA49NC0PP2CJAZ", "worker_id": "A1DYJ7VGMNPTLB"}], "B09SQ4CSH5": [{"asin": "B09SQ4CSH5", "instruction": "i'm looking for a bathing suit for plus size women that is quick drying that comes in xx-large and the color black, if possible.", "attributes": ["quick drying", "hand wash", "polyester spandex"], "options": ["color: white", "color: brown", "color: black", "size: medium", "size: small", "size: xx-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["black", "xx-large"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8VI424W", "worker_id": "A3UWM3KJYEL5XU"}], "B00719X032": [{"asin": "B00719X032", "instruction": "i'm looking for a 2-pack of moisture-wicking black and oxford sweatpants in size medium with an elastic waistband.", "attributes": ["moisture wicking", "machine wash", "elastic closure", "polyester cotton", "elastic waistband"], "options": ["size: medium", "size: x-large", "size: small", "color: 2 pack: black & oxford", "color: 2 pack: black heather& oxford", "color: 2 pack: navy & oxford"], "instruction_attributes": ["moisture wicking", "elastic waistband"], "instruction_options": ["medium", "2 pack"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275016RNP4V", "worker_id": "AFU00NU09CFXE"}], "B09CYH13HB": [{"asin": "B09CYH13HB", "instruction": "i want a set of 2 coffee bar stools which has height adjust ability in it.", "attributes": ["easy clean", "height adjustable", "high density", "pu leather", "metal legs"], "options": [""], "instruction_attributes": ["height adjustable"], "instruction_options": [], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP8J1TE9", "worker_id": "A2Z9HR2IBD75R9"}], "B01L9JSCR8": [{"asin": "B01L9JSCR8", "instruction": "i'm interested in certified organic lip scrub to remove dead skin made from natural ingredients and must be cruelty-free.", "attributes": ["cruelty free", "certified organic", "paraben free", "coconut oil", "natural ingredients", "dead skin"], "options": [""], "instruction_attributes": ["cruelty free", "certified organic", "natural ingredients", "dead skin"], "instruction_options": [], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQNGMVY6", "worker_id": "AFU00NU09CFXE"}], "B072Q7L2FP": [{"asin": "B072Q7L2FP", "instruction": "i want to buy window drapes for my living room that are machine washable. also, pick size: 108\" x 108\".", "attributes": ["machine washable", "printing technology", "living room"], "options": ["size: 108\" x 63\"", "size: 108\" x 96\"", "size: 108\" x 108\""], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["108\" x 108\""], "assignment_id": "32AT8R96GWJEM9DX69UEFE36SPWSUH", "worker_id": "A1198W1SPF1R4"}], "B01K5FNMPY": [{"asin": "B01K5FNMPY", "instruction": "can you please help me to find men's fleece jogger pant of 3x size which has elastic waist.", "attributes": ["machine wash", "drawstring closure", "elastic waist"], "options": ["size: 5x", "size: 3x-large", "size: 3x", "color: navy(marled)", "color: burgundy(marled)", "color: grey(marled)"], "instruction_attributes": ["elastic waist"], "instruction_options": ["3x"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTKAW0MU", "worker_id": "A2Z9HR2IBD75R9"}], "B01JFYGXAM": [{"asin": "B01JFYGXAM", "instruction": "i'm looking for easy to use shinning pearl smudging eye shadow stick that's 1.4g. also, choose the reddish pink one.", "attributes": ["easy use", "eye shadow"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "336YQZE836OU3ZADLBQKVTCK1K65MN", "worker_id": "A1FQDFM7BJ8GTR"}, {"asin": "B01JFYGXAM", "instruction": "i want a eye shadow stick", "attributes": ["easy use", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN2VGOA", "worker_id": "A2Y2TURT2VEYZN"}], "B09CFY8RMK": [{"asin": "B09CFY8RMK", "instruction": "i'm looking for hair styling beauty & personal care and it will be easy to use and safe use", "attributes": ["easy use", "hair styling"], "options": [""], "instruction_attributes": ["hair styling"], "instruction_options": [], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLKX1CE9", "worker_id": "A7H5HF1XL5Z1X"}], "B096RZ5DXK": [{"asin": "B096RZ5DXK", "instruction": "i'm looking for a high quality pink or blue denture bath case that is non-toxic.", "attributes": ["non slip", "non toxic", "high quality"], "options": ["color: blue", "color: pink"], "instruction_attributes": ["non toxic", "high quality"], "instruction_options": ["blue", "pink"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TP1J0N9", "worker_id": "AFU00NU09CFXE"}], "B01LZ4VWVB": [{"asin": "B01LZ4VWVB", "instruction": "i would like to find a brown sofa table with lots of storage space for my living room.", "attributes": ["assembly required", "engineered wood", "storage space", "living room"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXPBK13H", "worker_id": "A14W0AXTJ3R19V"}], "B09KHH2274": [{"asin": "B09KHH2274", "instruction": "i'm looking for a large men's trench coat classic notched collar that have double breasted wool blend pea coat turn-down collar jacket. also, choose the black one.", "attributes": ["slim fit", "long sleeve", "daily wear"], "options": ["color: black", "color: blue", "color: a-black", "size: medium", "size: x-large", "size: large"], "instruction_attributes": ["slim fit", "daily wear"], "instruction_options": ["black", "a-black", "x-large", "large"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLWZ5CFI", "worker_id": "A59DVED5S9N9Y"}], "B09CZ939HD": [{"asin": "B09CZ939HD", "instruction": "i'm interested in black walking shoes in size 6.5 that features memory foam and good arch support.", "attributes": ["arch support", "memory foam"], "options": ["size: 9.5-10", "size: 6.5", "size: 6.5-7", "color: black", "color: pink", "color: green"], "instruction_attributes": ["arch support", "memory foam"], "instruction_options": ["6.5", "black"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7732DFBEH", "worker_id": "AFU00NU09CFXE"}], "B07Q1MXLGL": [{"asin": "B07Q1MXLGL", "instruction": "i'm looking for cotton spandex and buying options to include in large size", "attributes": ["officially licensed", "cotton spandex", "elastic waistband"], "options": ["size: small", "size: x-large", "size: large"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["large"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT745MOTB9", "worker_id": "A2RTFA55W0MBL1"}], "B09R9YFH84": [{"asin": "B09R9YFH84", "instruction": "i am looking for nuccbbly ladies camisole pajamas nightwear lingerie top shorts sleepwear", "attributes": ["hand wash", "wash cold", "machine wash", "short sleeve", "polyester spandex", "long sleeve", "teen girls"], "options": ["size: large", "size: small", "size: x-large", "color: purple", "color: red", "color: blue"], "instruction_attributes": ["short sleeve", "teen girls"], "instruction_options": ["small", "x-large", "purple", "red", "blue"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OOF6FWD", "worker_id": "A37NZ5CUEO3RX7"}], "B0797KQ21Y": [{"asin": "B0797KQ21Y", "instruction": "i am looking for a t-shirt with funny bigfoot yeti asaquatch for fit type: men in the color of slate with large size.", "attributes": ["needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "fit type: youth", "color: heather blue", "color: grass", "color: slate", "size: medium", "size: large", "size: small"], "instruction_attributes": ["classic fit"], "instruction_options": ["men", "slate", "large"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKOCDJWE2", "worker_id": "A3TMVVOMNK6Y96"}], "B09GRT76VP": [{"asin": "B09GRT76VP", "instruction": "i'm interested in knee high socks for teen girls in hot pink or light blue.", "attributes": ["knee high", "teen girls"], "options": ["color: hot pink", "color: light blue", "color: sky blue"], "instruction_attributes": ["knee high", "teen girls"], "instruction_options": ["hot pink", "light blue"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040BGAT26", "worker_id": "AFU00NU09CFXE"}], "B09RSSC2D5": [{"asin": "B09RSSC2D5", "instruction": "i want a short sleeved slim fit casual shirt in white and size large.", "attributes": ["slim fit", "fleece lined", "long sleeve", "short sleeve", "regular fit", "gym workout"], "options": ["color: blue", "color: white", "size: large", "size: x-large", "size: xx-large"], "instruction_attributes": ["slim fit", "short sleeve"], "instruction_options": ["white", "large"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKB9OIP3", "worker_id": "A3GWRDHAURRNK6"}], "B0119FXTOS": [{"asin": "B0119FXTOS", "instruction": "i need a dove bodywash suitable for senstive skin and must be plant based product.", "attributes": ["plant based", "cruelty free"], "options": ["style: deep moisture", "style: sensitive skin", "style: cucumber and green tea"], "instruction_attributes": ["plant based"], "instruction_options": ["sensitive skin"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CSDMPLS", "worker_id": "A2Z9HR2IBD75R9"}], "B09M8286VM": [{"asin": "B09M8286VM", "instruction": "i trying to find a apple 7 watch screen protector with high defintion.", "attributes": ["compatible apple", "ultra hd", "easy install", "high definition", "tempered glass"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA6RXMHH", "worker_id": "A2Z9HR2IBD75R9"}], "B09K7CDLL8": [{"asin": "B09K7CDLL8", "instruction": "i'm looking for a console table for the living room with a solid wood frame that can double as a storage unit.", "attributes": ["assembly required", "storage space", "wood frame", "solid wood", "storage unit", "living room"], "options": [""], "instruction_attributes": ["wood frame", "solid wood", "storage unit", "living room"], "instruction_options": [], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M1N494J", "worker_id": "AFU00NU09CFXE"}], "B07KC694D4": [{"asin": "B07KC694D4", "instruction": "i'm looking for strong box spring beds and i take dark gray color with king size beds", "attributes": ["assembly required", "box spring"], "options": ["color: beige", "color: dark gray", "size: full", "size: queen", "size: king"], "instruction_attributes": ["box spring"], "instruction_options": ["dark gray", "king"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0NMFM3A", "worker_id": "A2RTFA55W0MBL1"}], "B09KTNXLPX": [{"asin": "B09KTNXLPX", "instruction": "i'm looking for home & kitchen furniture with height adjustable in living room", "attributes": ["height adjustable", "pu leather", "living room"], "options": [""], "instruction_attributes": ["height adjustable", "living room"], "instruction_options": [], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBOWMOAN", "worker_id": "A1DYJ7VGMNPTLB"}], "B0771L6DB1": [{"asin": "B0771L6DB1", "instruction": "i'm working for light fixture of tools & home improvement with color black", "attributes": ["glass shade", "clear glass", "light fixture"], "options": ["color: chrome", "color: antique", "color: black"], "instruction_attributes": ["light fixture"], "instruction_options": ["black"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0UQAFG6", "worker_id": "ACU8RTAZQU1GP"}], "B09CV7BZLX": [{"asin": "B09CV7BZLX", "instruction": "i'm interested in some low-carb, high protein jerky with zero sugar and no artificial flavors.", "attributes": ["high protein", "low carb", "artificial flavors", "zero sugar"], "options": [""], "instruction_attributes": ["high protein", "low carb", "artificial flavors", "zero sugar"], "instruction_options": [], "assignment_id": "3NGMS9VZTWSGZMBL50ZGMFJOTBAFF7", "worker_id": "AFU00NU09CFXE"}], "B09F9BRYBW": [{"asin": "B09F9BRYBW", "instruction": "i'm looking for a green, x-large flannel with button closure that can be machine washed.", "attributes": ["machine wash", "button closure"], "options": ["size: small", "size: medium", "size: x-large", "color: green", "color: workwear brown"], "instruction_attributes": ["machine wash", "button closure"], "instruction_options": ["x-large", "green"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C32QI0C", "worker_id": "AFU00NU09CFXE"}], "B09D7KPP6X": [{"asin": "B09D7KPP6X", "instruction": "i'd like to purchase a pink or black wig storage bag for hair extensions.", "attributes": ["hair extensions", "dry hair"], "options": ["color: black", "color: pink"], "instruction_attributes": ["hair extensions"], "instruction_options": ["black", "pink"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADWNAMYG", "worker_id": "AFU00NU09CFXE"}], "B09QXGQZ7J": [{"asin": "B09QXGQZ7J", "instruction": "i'd like to purchase a red or black short-sleeved jumpsuit in size medium with an elastic closure.", "attributes": ["hand wash", "long sleeve", "short sleeve", "elastic closure"], "options": ["color: a black", "color: a red", "color: a yellow", "size: xx-large", "size: x-large", "size: medium"], "instruction_attributes": ["short sleeve", "elastic closure"], "instruction_options": ["a black", "a red", "medium"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWBU6UKN", "worker_id": "AFU00NU09CFXE"}], "B08LKFM7T5": [{"asin": "B08LKFM7T5", "instruction": "the glitter mascara wands make me look pretty, pink is the one to go with.", "attributes": ["easy carry", "beauty salon"], "options": ["color: black", "color: pink"], "instruction_attributes": ["easy carry"], "instruction_options": ["pink"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7J65PD1", "worker_id": "A30CGO77OY7WP0"}], "B09J4VCNY5": [{"asin": "B09J4VCNY5", "instruction": "i'm looking for a long-lasting living room set made of a wood frame and faux leather with generous lumbar support.", "attributes": ["long lasting", "lumbar support", "faux leather", "wood frame", "living room"], "options": [""], "instruction_attributes": ["long lasting", "lumbar support", "faux leather", "wood frame", "living room"], "instruction_options": [], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR39289R", "worker_id": "AFU00NU09CFXE"}], "B00VQTIZ7O": [{"asin": "B00VQTIZ7O", "instruction": "i want some flouride free toothpaste", "attributes": ["fluoride free", "alcohol free", "sulfate free"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8BSR4B", "worker_id": "A2ECRNQ3X5LEXD"}], "B01K55WVMO": [{"asin": "B01K55WVMO", "instruction": "i would like to buy a high speed point and shoot digital camera with a carrying case.", "attributes": ["high speed", "carrying case"], "options": [""], "instruction_attributes": ["high speed", "carrying case"], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZ99RPR", "worker_id": "A1WS884SI0SLO4"}], "B07X57RFW3": [{"asin": "B07X57RFW3", "instruction": "i would like a officially licensed large black men's t-shirt made of heather cotton.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: black", "fit type: men", "size: large"], "instruction_attributes": ["officially licensed", "heathers cotton", "cotton heather"], "instruction_options": ["black", "men", "large"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3S0U1N", "worker_id": "A1WS884SI0SLO4"}], "B06XS1WCSN": [{"asin": "B06XS1WCSN", "instruction": "i'm looking for a 150 foot plug play hdmi cable.", "attributes": ["high speed", "plug play"], "options": ["size: 150ft", "style: cmp"], "instruction_attributes": ["plug play"], "instruction_options": ["150ft"], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWEG52M", "worker_id": "A19317A3X87NVM"}], "B09B1B1DZ3": [{"asin": "B09B1B1DZ3", "instruction": "i am looking for size 12 sneakers that are black and have a rubber sole.", "attributes": ["lace closure", "rubber outsole", "rubber sole"], "options": ["color: black mono 1 arano", "size: 12"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black mono 1 arano", "12"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N1XT7Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B0176XTVTY": [{"asin": "B0176XTVTY", "instruction": "i'm looking for a plant based pancake mix which should be gluten freeand also non gmo with simple ingredients. also, choose pack of 3, 12 ounce almond flour pumpkin flavoured one.", "attributes": ["grain free", "gluten free", "shelf stable", "plant based", "non gmo", "simple ingredients"], "options": ["flavor name: almond flour pumpkin", "size: 12 ounce (pack of 3)"], "instruction_attributes": ["gluten free", "plant based", "non gmo", "simple ingredients"], "instruction_options": ["almond flour pumpkin", "12 ounce (pack of 3)"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU4FMC6", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B0176XTVTY", "instruction": "i am looking for a gluten free almond flour pancake mix that has simple ingredients.", "attributes": ["grain free", "gluten free", "shelf stable", "plant based", "non gmo", "simple ingredients"], "options": ["flavor name: almond flour original", "size: 10.7 ounce (pack of 3)"], "instruction_attributes": ["gluten free", "simple ingredients"], "instruction_options": ["almond flour original"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8VMG8Y", "worker_id": "A1EREKSZAA9V7B"}], "B097NFT33B": [{"asin": "B097NFT33B", "instruction": "i need a black dress with an imported zipper.", "attributes": ["imported zipper", "dry clean"], "options": ["color: black", "size: 0"], "instruction_attributes": ["imported zipper"], "instruction_options": ["black"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPDTSY2", "worker_id": "A19317A3X87NVM"}], "B00ESXQVAI": [{"asin": "B00ESXQVAI", "instruction": "i want to have ahi tuna jerky -lemon salt flavour made in usa , wild caught and packed in resealable bag.", "attributes": ["wild caught", "resealable bag"], "options": ["flavor name: ahi tuna \u2013 lemon salt", "size: 1.75 ounce (pack of 1)"], "instruction_attributes": ["wild caught", "resealable bag"], "instruction_options": ["ahi tuna \u2013 lemon salt"], "assignment_id": "37TRT2X24116R7L1JO45INKV8NJJBN", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B00ESXQVAI", "instruction": "i would like to buy a wild caught 1.75 ounce honey glazed ahi tuna in a resealable bag.", "attributes": ["wild caught", "resealable bag"], "options": ["flavor name: ahi tuna \u2013 honey glazed", "size: 1.75 ounce (pack of 1)"], "instruction_attributes": ["wild caught", "resealable bag"], "instruction_options": ["ahi tuna \u2013 honey glazed", "1.75 ounce (pack of 1)"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455RZ5TYW", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00ESXQVAI", "instruction": "i'm looking for some wild caught tuna jerky. can you get me the one that comes in a 1.75 ounce pack?", "attributes": ["wild caught", "resealable bag"], "options": ["flavor name: hawaiian warrior", "size: 1.75 ounce (pack of 1)"], "instruction_attributes": ["wild caught"], "instruction_options": ["1.75 ounce (pack of 1)"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA0KC84", "worker_id": "A34QZDSTKZ3JO9"}], "B07P7NH7FP": [{"asin": "B07P7NH7FP", "instruction": "i am really looking for a coaxial cable that is 3 meters long.", "attributes": ["coaxial cable", "4g lte"], "options": ["size: 3m | 10 feet"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["3m | 10 feet"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ3YWU9", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BYWCYBW": [{"asin": "B08BYWCYBW", "instruction": "i'd like to find a personalized compact mirror that's easy to carry.", "attributes": ["easy carry", "rose gold"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRL8PW6", "worker_id": "A345TDMHP3DQ3G"}], "B08H279VBZ": [{"asin": "B08H279VBZ", "instruction": "i would like to get a heavy duty brown spa stool that looks like it comes right from the beauty salon.", "attributes": ["height adjustable", "heavy duty", "beauty salon"], "options": ["color: brown"], "instruction_attributes": ["heavy duty", "beauty salon"], "instruction_options": ["brown"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9OKETO", "worker_id": "A1WS884SI0SLO4"}], "B01HLEAJJE": [{"asin": "B01HLEAJJE", "instruction": "i am looking for plant based chocolate chip cookies that have peanut butter and come in a pack of 16.", "attributes": ["plant based", "non gmo", "high fructose", "birthday cake"], "options": ["flavor name: peanut butter", "size: 4 ounce (pack of 16)"], "instruction_attributes": ["plant based"], "instruction_options": ["peanut butter", "4 ounce (pack of 16)"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GGQ3S7", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01HLEAJJE", "instruction": "i need snickerdoodle cookies that are plant based and are part of a starter pack", "attributes": ["plant based", "non gmo", "high fructose", "birthday cake"], "options": ["flavor name: snickerdoodle", "size: starter pack"], "instruction_attributes": ["plant based"], "instruction_options": ["snickerdoodle", "starter pack"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2UN5MP", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01HLEAJJE", "instruction": "i want a non gmo lenny & larry's the complete cookie starter pack.", "attributes": ["plant based", "non gmo", "high fructose", "birthday cake"], "options": ["flavor name: complete cookie starter pack", "size: starter pack"], "instruction_attributes": ["non gmo"], "instruction_options": ["complete cookie starter pack"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKOTD71", "worker_id": "A2RBF3IIJP15IH"}], "B00NLLUMOE": [{"asin": "B00NLLUMOE", "instruction": "i would like a cal king sized with extra deep pockets beige and white striped sheet and pillow case set.", "attributes": ["queen size", "white item"], "options": ["color: striped \u2013 beige", "size: extra deep pocket - cal king size"], "instruction_attributes": ["white item"], "instruction_options": ["striped \u2013 beige", "extra deep pocket - cal king size"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHVNZ4U", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00NLLUMOE", "instruction": "i am looking for queen size pillowcases that are in the color persimmon.", "attributes": ["queen size", "white item"], "options": ["color: persimmon", "size: extra deep pocket - king size"], "instruction_attributes": ["queen size"], "instruction_options": ["persimmon"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTDJ4D6", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00NLLUMOE", "instruction": "can you get me a queen sized pillowcase set in lavender?", "attributes": ["queen size", "white item"], "options": ["color: lavender", "size: twin"], "instruction_attributes": ["queen size"], "instruction_options": ["lavender"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YE5PNQ", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B00NLLUMOE", "instruction": "i am looking for a bed sheet for a queen size bed. also choose laced sky blue color.", "attributes": ["queen size", "white item"], "options": ["color: laced sky blue", "size: rv | short queen"], "instruction_attributes": ["queen size"], "instruction_options": ["laced sky blue"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI3R3TR", "worker_id": "A2HMEGTAFO0CS8"}], "B08RDH5JZ3": [{"asin": "B08RDH5JZ3", "instruction": "i need a printed backdrop for digital photography that is 3 by 5 feet.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 15", "size: 3x5 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 15", "3x5 ft"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIAJFVR", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08RDH5JZ3", "instruction": "i am looking for a printed backdrop 07 colored lightweight backgrounds for digital photography. also, choose a 5x7 ft size.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 07", "size: 5x7 ft"], "instruction_attributes": ["light weight", "digital photography"], "instruction_options": ["printed backdrop 07", "5x7 ft"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA742SJ", "worker_id": "A9ZM1P6LBW79"}, {"asin": "B08RDH5JZ3", "instruction": "i'm looking for vinyl digital photography with more art work.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 01", "size: 6x9 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 01"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDPFK5M", "worker_id": "A21IUUHBSEVB56"}], "B01HSFN3QM": [{"asin": "B01HSFN3QM", "instruction": "i am looking for some dining room barstools that are gray vinyl and have a gold base.", "attributes": ["contemporary style", "dining room"], "options": ["color: gray vinyl", "style: gold base"], "instruction_attributes": ["dining room"], "instruction_options": ["gray vinyl", "gold base"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWQL1C8", "worker_id": "A2ECRNQ3X5LEXD"}], "B083BL6W3V": [{"asin": "B083BL6W3V", "instruction": "i am looking for a double sided home office desk.", "attributes": ["double sided", "living room"], "options": [""], "instruction_attributes": ["double sided"], "instruction_options": [], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYMWHVL", "worker_id": "A2ECRNQ3X5LEXD"}], "B0953JW5CQ": [{"asin": "B0953JW5CQ", "instruction": "i would like to buy a x-large purple cardigan that i can hand wash in the sink.", "attributes": ["hand wash", "short sleeve", "high heel"], "options": ["color: purple", "size: x-large"], "instruction_attributes": ["hand wash"], "instruction_options": ["purple", "x-large"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTJPOQM", "worker_id": "A1WS884SI0SLO4"}], "B08SQHTMPR": [{"asin": "B08SQHTMPR", "instruction": "i am looking for a kahuna colored capri pant that has a relaxed fit and is in a size 20 plus.", "attributes": ["long lasting", "day comfort", "machine wash", "relaxed fit", "imported zipper", "cotton spandex", "button closure"], "options": ["color: kahuna", "size: 20 plus"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["kahuna", "20 plus"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUB23R8", "worker_id": "A2ECRNQ3X5LEXD"}], "B01N1IZEXC": [{"asin": "B01N1IZEXC", "instruction": "i want some relaxed jeans that are a comfortable fit in a size 46w by 34l and are in the color victoria", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: victoria", "fit type: relaxed", "size: 46w x 34l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["victoria", "relaxed", "46w x 34l"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1052IC", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B2SJZZF": [{"asin": "B09B2SJZZF", "instruction": "i would like super soft throw pillows in the color frydek alocasia obsidian.", "attributes": ["super soft", "living room"], "options": ["color: frydek alocasia obsidian"], "instruction_attributes": ["super soft"], "instruction_options": ["frydek alocasia obsidian"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL8412FAX7", "worker_id": "A2ECRNQ3X5LEXD"}], "B07DZ3PKYT": [{"asin": "B07DZ3PKYT", "instruction": "i would like a 3 pack of classic long lasting soap that's cruelty free.", "attributes": ["plant based", "cruelty free", "sulfate free", "paraben free", "long lasting"], "options": ["scent: classics", "size: 5.8 ounce (pack of 3)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["classics", "5.8 ounce (pack of 3)"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB422AQQ", "worker_id": "A1WS884SI0SLO4"}], "B09RSFNQL6": [{"asin": "B09RSFNQL6", "instruction": "i am looking for some light weight boxers that are multicolored and in a large size", "attributes": ["light weight", "hand wash", "fashion design"], "options": ["color: b multicolor", "size: large"], "instruction_attributes": ["light weight"], "instruction_options": ["b multicolor", "large"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATYS37R", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PV6XG98": [{"asin": "B09PV6XG98", "instruction": "i need cupcake toppers for a birthday party.", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZHP05S", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZHMJDG8": [{"asin": "B07ZHMJDG8", "instruction": "i would like to buy a travel size cicaronic variety pack that comes with nourishing hyaluronic acid.", "attributes": ["travel size", "hyaluronic acid"], "options": ["color: cicaronic variety pack", "style name: vitaronic (nourishing)"], "instruction_attributes": ["travel size", "hyaluronic acid"], "instruction_options": ["cicaronic variety pack", "vitaronic (nourishing)"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTFGV5X", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07ZHMJDG8", "instruction": "i am looking for cream hyaluronic acid in peptaronic cream", "attributes": ["travel size", "hyaluronic acid"], "options": ["color: peptaronic cream", "style name: peptaronic (hydrating)"], "instruction_attributes": ["hyaluronic acid"], "instruction_options": ["peptaronic cream"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1O0ITO", "worker_id": "A2MSIFDLOHI1UT"}], "B078XRDP54": [{"asin": "B078XRDP54", "instruction": "i'm looking for a medium sized loose fit tank top. also, look for tie dye navy one", "attributes": ["loose fit", "gym workout"], "options": ["color: tie dye navy", "size: medium"], "instruction_attributes": ["loose fit"], "instruction_options": ["tie dye navy", "medium"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADDHHA8", "worker_id": "AR0VJ5XRG16UJ"}], "B098K1NFFM": [{"asin": "B098K1NFFM", "instruction": "i am looking for a grey box spring bed that is a twin size.", "attributes": ["queen size", "box spring", "wood frame", "living room"], "options": ["color: grey", "size: twin"], "instruction_attributes": ["box spring"], "instruction_options": ["grey", "twin"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HKUWOM", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MTTT87L": [{"asin": "B09MTTT87L", "instruction": "i am looking for a christmas top that is long sleeved and is a size small.", "attributes": ["quick drying", "machine washable", "short sleeve", "long sleeve", "laundry bag", "daily wear"], "options": ["color: snk-xmas tops a151-pink", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["snk-xmas tops a151-pink", "small"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YUSEHH", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SF1XHMM": [{"asin": "B09SF1XHMM", "instruction": "i'm looking for black closed toe women's sandals.", "attributes": ["closed toe", "ankle strap"], "options": ["color: a3 - black", "size: 7.5 wide"], "instruction_attributes": ["closed toe"], "instruction_options": ["a3 - black"], "assignment_id": "3URFVVM16GSBNLZB11OMB709G4FUZ8", "worker_id": "A19317A3X87NVM"}, {"asin": "B09SF1XHMM", "instruction": "i need some black ankle strap flats that are in a size 9 wide.", "attributes": ["closed toe", "ankle strap"], "options": ["color: a11 - black", "size: 9 wide"], "instruction_attributes": ["ankle strap"], "instruction_options": ["a11 - black", "9 wide"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1Z64PA2", "worker_id": "A2ECRNQ3X5LEXD"}], "B095BNV8FY": [{"asin": "B095BNV8FY", "instruction": "i am looking for living room throws that are a rose color and are in 50\" by 60\".", "attributes": ["machine washable", "living room"], "options": ["color: rose2", "size: 50\"x60\""], "instruction_attributes": ["living room"], "instruction_options": ["rose2", "50\"x60\""], "assignment_id": "3HSYG7LRBU82VUVD7MHAI53YA8SKKB", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GDS8XRQ": [{"asin": "B07GDS8XRQ", "instruction": "i would like an oil free foundation in the shade 175 natural ochre that is one ounce.", "attributes": ["oil free", "long lasting", "high quality"], "options": ["color: 175 natural ochre", "size: 1.0 fluid ounce"], "instruction_attributes": ["oil free"], "instruction_options": ["175 natural ochre", "1.0 fluid ounce"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIVIT3S", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07GDS8XRQ", "instruction": "i want to get to get long lasting foundation that is in color 380 rich ginger.", "attributes": ["oil free", "long lasting", "high quality"], "options": ["color: 380 rich ginger", "size: 1.0 fluid ounce"], "instruction_attributes": ["long lasting"], "instruction_options": ["380 rich ginger"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4XX1GPH", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B07GDS8XRQ", "instruction": "i need shell colored and oil free revlon colorstay liquid foundation makeup.", "attributes": ["oil free", "long lasting", "high quality"], "options": ["color: 285 shell", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["285 shell"], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROKQ4WWH", "worker_id": "A2RBF3IIJP15IH"}], "B0127XRALY": [{"asin": "B0127XRALY", "instruction": "i would like some bath salts that are for sensitive skin and that are eucalyptus.", "attributes": ["fragrance free", "sensitive skin"], "options": ["scent: eucalyptus"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["eucalyptus"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6T8UNMQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07XZ8MDQ5": [{"asin": "B07XZ8MDQ5", "instruction": "i would like a loose fit tunic that is lavender in the size 6x.", "attributes": ["machine washable", "loose fit", "daily wear"], "options": ["color: lavender", "size: 6x"], "instruction_attributes": ["loose fit"], "instruction_options": ["lavender", "6x"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CH9QNB1", "worker_id": "A2ECRNQ3X5LEXD"}], "B081376463": [{"asin": "B081376463", "instruction": "i need glitter cupcake picks in rose gold for my daughter's birthday party.", "attributes": ["baby shower", "cupcake picks"], "options": ["color: rose gold"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["rose gold"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WOV92CY", "worker_id": "A19317A3X87NVM"}], "B082KWFV79": [{"asin": "B082KWFV79", "instruction": "i need a high quality skin care tool.", "attributes": ["non toxic", "high quality", "hyaluronic acid"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40CJNXF", "worker_id": "A2ECRNQ3X5LEXD"}], "B0794RJW4K": [{"asin": "B0794RJW4K", "instruction": "i'm looking for a certified refurbished hd 8 tablet with quad core processor. also, choose 32 gb storage capacity, yellow colored one with 1 year of amazon kids+ subscription.", "attributes": ["certified refurbished", "hands free", "quad core"], "options": ["color: yellow", "digital storage capacity: 32 gb", "style: with 1 year of amazon kids+"], "instruction_attributes": ["certified refurbished", "quad core"], "instruction_options": ["yellow", "32 gb"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLCQF2J", "worker_id": "AR0VJ5XRG16UJ"}], "B09NTKVL5J": [{"asin": "B09NTKVL5J", "instruction": "i would like a b-pink bomber jacket that has a relaxed fit and is a size small.", "attributes": ["quality materials", "relaxed fit", "long sleeve"], "options": ["color: b-pink", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["b-pink", "small"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BEE8X0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09D8RX28J": [{"asin": "B09D8RX28J", "instruction": "i'm looking for a long lasting silver laptop.", "attributes": ["long lasting", "core i5", "intel core"], "options": ["capacity: 512gb", "color: silver", "configuration: 15.6\" | i5 11th gen | mystic blue"], "instruction_attributes": ["long lasting"], "instruction_options": ["silver"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AB9TSC", "worker_id": "A19317A3X87NVM"}], "B07D5ZJFQV": [{"asin": "B07D5ZJFQV", "instruction": "i am looking for gluten free popcorn in an 8 pack that is a savory variety pack", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: savory variety pack", "size: 0.9 ounce (pack of 8)", "style: popcorn"], "instruction_attributes": ["gluten free"], "instruction_options": ["savory variety pack", "0.9 ounce (pack of 8)"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQ7JKE6", "worker_id": "A2ECRNQ3X5LEXD"}], "B09M8L7G7V": [{"asin": "B09M8L7G7V", "instruction": "i would like to get a four drawer linen night stand with a lot of storage space.", "attributes": ["easy assemble", "steel frame", "storage space"], "options": ["color: linen", "size: 4 teir (4-drawer)"], "instruction_attributes": ["storage space"], "instruction_options": ["linen", "4 teir (4-drawer)"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21I0QF4", "worker_id": "A1WS884SI0SLO4"}], "B074NMGP2P": [{"asin": "B074NMGP2P", "instruction": "i would like to buy a blu ray ac adapter.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW63OVVA", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B074NMGP2P", "instruction": "i'm looking for ac adapter with blu ray and has output protection.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["output protection", "blu ray"], "instruction_options": [], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQSCB4B", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B074NMGP2P", "instruction": "i am interested in ac adapters with output protection.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N3RT7W", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FZ8B61T": [{"asin": "B09FZ8B61T", "instruction": "i would like to get a size 8.5 women's rubber sole running shoe preferably in a black purple.", "attributes": ["anti slip", "day comfort", "rubber sole"], "options": ["color: black purple plaid b", "size: 8.5 women | 7 men"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YWZ0T47", "worker_id": "A1WS884SI0SLO4"}], "B09C5HBXNS": [{"asin": "B09C5HBXNS", "instruction": "i need a living room end table that is 20.91 by 24 inches.", "attributes": ["space saving", "easy clean", "living room"], "options": ["size: 20x9.1x24 inch"], "instruction_attributes": ["living room"], "instruction_options": ["20x9.1x24 inch"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTCTV54", "worker_id": "A2ECRNQ3X5LEXD"}], "B00IS5V1SE": [{"asin": "B00IS5V1SE", "instruction": "i'm looking for 8.12 fluid ounces of sulfate-free shampoo that helps prevent hair loss.", "attributes": ["clinically proven", "sulfate free", "dry hair", "hair loss", "natural hair", "hair growth"], "options": ["size: 8.12 fl oz (pack of 1)"], "instruction_attributes": ["sulfate free", "hair loss"], "instruction_options": ["8.12 fl oz (pack of 1)"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZOLZJL", "worker_id": "A345TDMHP3DQ3G"}], "B074K2BYWX": [{"asin": "B074K2BYWX", "instruction": "i am looking for some hair pins that are rose gold.", "attributes": ["high quality", "rose gold"], "options": [""], "instruction_attributes": ["rose gold"], "instruction_options": [], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV6A8V7", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q2TDFWV": [{"asin": "B09Q2TDFWV", "instruction": "i am looking for a blue and green bluetooth wireless ps3 controller with a charger cable.", "attributes": ["high performance", "wireless bluetooth"], "options": ["color: blue+green"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["blue+green"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HLFWO9", "worker_id": "A1EREKSZAA9V7B"}], "B0722SK15V": [{"asin": "B0722SK15V", "instruction": "i would like a 18 x24 nero black mirror that can be mounted on my bathroom wall.", "attributes": ["wall mounted", "wood frame"], "options": ["color: nero black", "size: glass size 18x24"], "instruction_attributes": ["wall mounted"], "instruction_options": ["nero black", "glass size 18x24"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVCTTUZ", "worker_id": "A1WS884SI0SLO4"}], "B09CQ1X43J": [{"asin": "B09CQ1X43J", "instruction": "i want to find an led light strip that also features a usb port.", "attributes": ["plug play", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVYRADIC", "worker_id": "A345TDMHP3DQ3G"}], "B07CRKFF9C": [{"asin": "B07CRKFF9C", "instruction": "i would like to get some portable bluetooth speakers with stereo sound.", "attributes": ["easy carry", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0JVJ8P", "worker_id": "A1WS884SI0SLO4"}], "B0823W298C": [{"asin": "B0823W298C", "instruction": "i am looking for a bookcase that is made of engineered wood.", "attributes": ["assembly required", "white finish", "engineered wood"], "options": [""], "instruction_attributes": ["engineered wood"], "instruction_options": [], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM9V4I1Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B008KM9BW8": [{"asin": "B008KM9BW8", "instruction": "i want to buy a hair brush for dry hair that is small size.", "attributes": ["long lasting", "hair styling", "dry hair", "hair growth", "hair loss"], "options": ["color: c-blue", "size: small (pack of 1)"], "instruction_attributes": ["dry hair"], "instruction_options": ["small (pack of 1)"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFLUE3M", "worker_id": "A2YNPKYEFDZ6C9"}], "B09MZQV3QB": [{"asin": "B09MZQV3QB", "instruction": "i'm trying to find a 30-count package of strawberry beet snack bars that my toddler would love. the bars must be nut and dairy free.", "attributes": ["gluten free", "non gmo", "bpa free", "shelf stable", "nut free", "dairy free"], "options": ["flavor name: strawberry beet", "size: 30 count"], "instruction_attributes": ["nut free", "dairy free"], "instruction_options": ["strawberry beet", "30 count"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2E3L5N", "worker_id": "A345TDMHP3DQ3G"}], "B07Z5H7CYX": [{"asin": "B07Z5H7CYX", "instruction": "i would like to buy to some fat free non gmo original beef jerky.", "attributes": ["plant based", "non gmo", "gluten free", "fat free", "ready eat"], "options": ["flavor name: beef - original"], "instruction_attributes": ["non gmo", "fat free"], "instruction_options": ["beef - original"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYCU6LA", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07Z5H7CYX", "instruction": "i would like a bag of original beef jerky that is non gmo.", "attributes": ["plant based", "non gmo", "gluten free", "fat free", "ready eat"], "options": ["flavor name: beef - original"], "instruction_attributes": ["non gmo"], "instruction_options": ["beef - original"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CE90VZ", "worker_id": "A1WS884SI0SLO4"}], "B09PTZYPDZ": [{"asin": "B09PTZYPDZ", "instruction": "i would like to buy a a34 colored 9x6 foot photo background that's light weight to move.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a34", "size: 9x6ft | 2.7x1.8m"], "instruction_attributes": ["light weight"], "instruction_options": ["a34", "9x6ft | 2.7x1.8m"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW2IS8O", "worker_id": "A1WS884SI0SLO4"}], "B08VF32TK7": [{"asin": "B08VF32TK7", "instruction": "i would like to buy three chairs for my dining room that i can assemble at home.", "attributes": ["button tufted", "assembly required", "living room", "dining room"], "options": ["item package quantity: 3"], "instruction_attributes": ["assembly required", "dining room"], "instruction_options": ["3"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKC62H7A", "worker_id": "A1WS884SI0SLO4"}], "B08QFZ7L6X": [{"asin": "B08QFZ7L6X", "instruction": "i would like to buy a bronze table lamp for my living room.", "attributes": ["bronze finish", "living room"], "options": [""], "instruction_attributes": ["bronze finish", "living room"], "instruction_options": [], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSDN263", "worker_id": "A1WS884SI0SLO4"}], "B08VJ2JV5S": [{"asin": "B08VJ2JV5S", "instruction": "i need teeth whitening strips that are a size 1.2 by 1.5 mm.", "attributes": ["teeth whitening", "easy carry", "oral hygiene"], "options": ["color: size1.2-1.5mm"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["size1.2-1.5mm"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJYJ7GRZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B0839MQ8Y8": [{"asin": "B0839MQ8Y8", "instruction": "i need a quad core white tablet that has 64gb of storage.", "attributes": ["dual band", "hands free", "quad core"], "options": ["color: white", "digital storage capacity: 64 gb", "offer type: without lockscreen ads", "style: with case & screen protector (2-pack)"], "instruction_attributes": ["quad core"], "instruction_options": ["white", "64 gb"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7K63DPO", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VS7S6NN": [{"asin": "B07VS7S6NN", "instruction": "i need anti slip sneakers that are leopard in a size 7.", "attributes": ["anti slip", "rubber sole"], "options": ["color: leopard", "size: 7"], "instruction_attributes": ["anti slip"], "instruction_options": ["leopard", "7"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZRNCNO", "worker_id": "A2ECRNQ3X5LEXD"}], "B099J3NKC3": [{"asin": "B099J3NKC3", "instruction": "i'm looking for some hair cutting shears.", "attributes": ["hair salon", "hair cutting", "dry hair"], "options": ["pattern name: 6\" thinning"], "instruction_attributes": ["hair cutting"], "instruction_options": ["6\" thinning"], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38GQ7JJJ", "worker_id": "A19317A3X87NVM"}], "B07QH7TX43": [{"asin": "B07QH7TX43", "instruction": "i am looking for dried strawberries and pineapple that are organic", "attributes": ["non gmo", "usda organic", "low calorie"], "options": ["flavor: strawberries + pineapple", "size: strawberries 1.2 ounce & roasted corn 1....", "style: bundle"], "instruction_attributes": ["usda organic"], "instruction_options": ["strawberries + pineapple"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0RWPXP", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07QH7TX43", "instruction": "i want to buy some dried strawberries with corn. get the twelve pack bundle of 1.2 ounce bags. make sure it's low calorie, usda organic, and non-gmo.", "attributes": ["non gmo", "usda organic", "low calorie"], "options": ["flavor: strawberries + corn", "size: 1.2 ounce (pack of 12)", "style: bundle"], "instruction_attributes": ["non gmo", "usda organic", "low calorie"], "instruction_options": ["strawberries + corn", "1.2 ounce (pack of 12)", "bundle"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733J6EBO", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07QH7TX43", "instruction": "i want some dried bananas and strawberries. make sure they're usda organic.", "attributes": ["non gmo", "usda organic", "low calorie"], "options": ["flavor: bananas and strawberries", "size: 1 count (pack of 1)", "style: bag"], "instruction_attributes": ["usda organic"], "instruction_options": ["bananas and strawberries"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWXW5TT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07QH7TX43", "instruction": "i want low calories usda organic", "attributes": ["non gmo", "usda organic", "low calorie"], "options": ["flavor: mangoes", "size: 1.3 ounce (pack of 8)", "style: bag"], "instruction_attributes": ["usda organic"], "instruction_options": ["mangoes"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJOIZ8E", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B07QH7TX43", "instruction": "i would like a bundle of 1.2 ounce bag of usda organic pomegranate arils.", "attributes": ["non gmo", "usda organic", "low calorie"], "options": ["flavor: pomegranate arils", "size: 1.2 ounce (pack of 12)", "style: bundle"], "instruction_attributes": ["usda organic"], "instruction_options": ["pomegranate arils", "1.2 ounce (pack of 12)", "bundle"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOODVYE", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07QH7TX43", "instruction": "i want a bundle of non gmo natierra organic dried mango cheeks.", "attributes": ["non gmo", "usda organic", "low calorie"], "options": ["flavor: chocolate strawberry slices", "size: 1.8 ounce (pack of 12)", "style: bundle"], "instruction_attributes": ["non gmo"], "instruction_options": ["bundle"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKK4VPG", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07QH7TX43", "instruction": "look for this snack natierra organic dried strawberries + pomegranate arils, low calorie if is possible.", "attributes": ["non gmo", "usda organic", "low calorie"], "options": ["flavor: strawberries + pomegranate arils", "size: 1.3 ounce (pack of 4)", "style: bag"], "instruction_attributes": ["low calorie"], "instruction_options": ["strawberries + pomegranate arils"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BLCJVI", "worker_id": "A15IJ20C3R4HUO"}], "B08V8VJF6L": [{"asin": "B08V8VJF6L", "instruction": "i would like to get a 8 + 256 gig quad core desktop mini computer.", "attributes": ["dual band", "ultra hd", "easy carry", "high definition", "quad core"], "options": ["size: j4125 | 8gb+256gb"], "instruction_attributes": ["quad core"], "instruction_options": ["j4125 | 8gb+256gb"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DQTTOA", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08V8VJF6L", "instruction": "i am looking for dual band desktops in size j4125", "attributes": ["dual band", "ultra hd", "easy carry", "high definition", "quad core"], "options": ["size: j4125 | 8gb+256gb"], "instruction_attributes": ["dual band"], "instruction_options": ["j4125 | 8gb+256gb"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA8GDMHD", "worker_id": "A16M39T60N60NO"}], "B074SQXBPW": [{"asin": "B074SQXBPW", "instruction": "i would like to get a 25.36 ounce passion fruit syrup made from natural ingredients.", "attributes": ["natural ingredients", "perfect gift"], "options": ["flavor name: passion fruit", "size: 25.36 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["passion fruit", "25.36 fl oz (pack of 1)"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKLLGSI", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B074SQXBPW", "instruction": "i would like a 25.4 fluid ounce bottle of hot butter rum syrup made from natural ingredients.", "attributes": ["natural ingredients", "perfect gift"], "options": ["flavor name: hot buttered rum", "size: 25.4 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["hot buttered rum", "25.4 fl oz (pack of 1)"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LA7O17", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B074SQXBPW", "instruction": "i need a 25.4 fl oz paradise blend flavor syrup that has natural ingredients", "attributes": ["natural ingredients", "perfect gift"], "options": ["flavor name: paradise blend", "size: 25.4 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["paradise blend", "25.4 fl oz (pack of 1)"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQA3KV9", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NNWGJMY": [{"asin": "B07NNWGJMY", "instruction": "i'm looking for a wood frame dining chair with solid wood legs.", "attributes": ["wood frame", "solid wood"], "options": ["color: grey", "size: dining side chair"], "instruction_attributes": ["wood frame", "solid wood"], "instruction_options": ["dining side chair"], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVYS7IDG", "worker_id": "A19317A3X87NVM"}], "B00IAYFD0K": [{"asin": "B00IAYFD0K", "instruction": "i'm looking for a high speed compact card for the usb reader.", "attributes": ["1080p hd", "high speed"], "options": ["capacity: 64 gb", "style: cfexpress + usb reader"], "instruction_attributes": ["high speed"], "instruction_options": ["cfexpress + usb reader"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0J2ACE", "worker_id": "A19317A3X87NVM"}], "B09S9Z9CNN": [{"asin": "B09S9Z9CNN", "instruction": "i need a nail drill for dead skin that comes in a size c.", "attributes": ["nail polish", "dead skin"], "options": ["color: nail drill bits set 2", "size: c"], "instruction_attributes": ["dead skin"], "instruction_options": ["nail drill bits set 2", "c"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR437UFE", "worker_id": "A2ECRNQ3X5LEXD"}], "B093FZ2SGF": [{"asin": "B093FZ2SGF", "instruction": "i am looking for some ready to eat jerky that is very hot and comes in a ten pack.", "attributes": ["ready eat", "great gift"], "options": ["flavor name: new thick & juicy extremely hot beef jerky", "size: 10 pack"], "instruction_attributes": ["ready eat"], "instruction_options": ["new thick & juicy extremely hot beef jerky", "10 pack"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRKXBZZ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B093FZ2SGF", "instruction": "i would like a pack of spicy sriracha bacon jerky that is ready to eat.", "attributes": ["ready eat", "great gift"], "options": ["flavor name: spicy sriracha bacon jerky", "size: 1 pack"], "instruction_attributes": ["ready eat"], "instruction_options": ["spicy sriracha bacon jerky", "1 pack"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1PGTIH", "worker_id": "A1WS884SI0SLO4"}], "B09QFJY8N1": [{"asin": "B09QFJY8N1", "instruction": "i'd like a stainless steel piercing kit.", "attributes": ["stainless steel", "beauty salon"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60GYAAT", "worker_id": "A22VGT2F28LTWC"}], "B07RLVXV5B": [{"asin": "B07RLVXV5B", "instruction": "i am looking for a headphones case that is apple compatible and is navy blue colored.", "attributes": ["dust proof", "compatible apple"], "options": ["color: a-navy blue"], "instruction_attributes": ["compatible apple"], "instruction_options": ["a-navy blue"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9L3788", "worker_id": "A2ECRNQ3X5LEXD"}], "B075TGSSSS": [{"asin": "B075TGSSSS", "instruction": "i am looking for a pack of six one ounce vegetable crisps that are plant based and cheddar flavor.", "attributes": ["nut free", "plant based", "gluten free", "non gmo", "low calorie"], "options": ["flavor name: cheddar cheese", "size: 1 ounce (pack of 6)"], "instruction_attributes": ["plant based"], "instruction_options": ["cheddar cheese", "1 ounce (pack of 6)"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNE97XIJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B094N33C2S": [{"asin": "B094N33C2S", "instruction": "i want to buy cupcake toppers that are for a birthday party.", "attributes": ["baby shower", "party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6X0G5V", "worker_id": "A2YNPKYEFDZ6C9"}], "B08597FCCC": [{"asin": "B08597FCCC", "instruction": "i would like to buy a heavy duty gray carrying case for my x box controller.", "attributes": ["heavy duty", "carrying case"], "options": ["color: grey"], "instruction_attributes": ["heavy duty", "carrying case"], "instruction_options": ["grey"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6474F3HQ", "worker_id": "A1WS884SI0SLO4"}], "B09Q23Z72W": [{"asin": "B09Q23Z72W", "instruction": "i'm looking for a mid century coffee table for my living room.", "attributes": ["mid century", "living room"], "options": [""], "instruction_attributes": ["mid century", "living room"], "instruction_options": [], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ5VTKC0", "worker_id": "A36LOA6VLJU157"}], "B083J8SQD2": [{"asin": "B083J8SQD2", "instruction": "i'm looking for a burgundy colored small men's tank top with a relaxed fit.", "attributes": ["machine wash", "polyester spandex", "relaxed fit"], "options": ["color: burgundy", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["burgundy", "small"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TDY3N3", "worker_id": "A345TDMHP3DQ3G"}], "B071Y1WJK5": [{"asin": "B071Y1WJK5", "instruction": "i would like to have two of a fine mist long lasting beauty case.", "attributes": ["bpa free", "long lasting", "travel bottles"], "options": ["color: fine mist", "size: pack of 2"], "instruction_attributes": ["long lasting"], "instruction_options": ["fine mist", "pack of 2"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y2MVI9", "worker_id": "A1WS884SI0SLO4"}], "B096P4161Q": [{"asin": "B096P4161Q", "instruction": "i need a fast charging 10 foot charger for my car that is in the color tarnish.", "attributes": ["fast charging", "high speed"], "options": ["color: tarnish", "size: 10foot"], "instruction_attributes": ["fast charging"], "instruction_options": ["tarnish", "10foot"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYPVVH4", "worker_id": "A2ECRNQ3X5LEXD"}], "B08ZMH7PM3": [{"asin": "B08ZMH7PM3", "instruction": "i need a freezed dried meal kit that is veggie chili.", "attributes": ["freeze dried", "shelf stable", "ready eat"], "options": ["flavor name: f.d.z #14 veggie chili"], "instruction_attributes": ["freeze dried"], "instruction_options": ["f.d.z #14 veggie chili"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGIQ9JWF", "worker_id": "A2ECRNQ3X5LEXD"}], "B001A7IJA0": [{"asin": "B001A7IJA0", "instruction": "i want to get some straight leg jeans in 36 waist and 32 length. the color needs to be medium stone washed with an art deco stitch back pocket embroidery.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: medium stone wash with art deco stitch back pocket embroidery", "size: 36w x 32l"], "instruction_attributes": ["straight leg"], "instruction_options": ["medium stone wash with art deco stitch back pocket embroidery", "36w x 32l"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATZ0371", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B001A7IJA0", "instruction": "i am looking for a straight leg jean. i prefer it to be blue.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: blue", "size: 32w x 30l"], "instruction_attributes": ["straight leg"], "instruction_options": ["blue"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KSO7E2", "worker_id": "A1NF6PELRKACS9"}], "B09NMFCSV8": [{"asin": "B09NMFCSV8", "instruction": "i need a tempered glass window film two pack in the color 91768059675860000 and 23.6 in by 23.6 in", "attributes": ["tempered glass", "dining room"], "options": ["color: 917680596758560000", "size: (width\uff0923.6in x (length)23.6in x 2pcs"], "instruction_attributes": ["tempered glass"], "instruction_options": ["917680596758560000", "(width\uff0923.6in x (length)23.6in x 2pcs"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOHSPH6C", "worker_id": "A2ECRNQ3X5LEXD"}], "B096KGGKQ5": [{"asin": "B096KGGKQ5", "instruction": "i am looking for a case for my smartwatch that is tempered glass and pink rose gold in a 41 mm size.", "attributes": ["compatible apple", "easy install", "glass screen", "tempered glass"], "options": ["color: pinkroseglod | redroseglod", "size: 41mm"], "instruction_attributes": ["tempered glass"], "instruction_options": ["pinkroseglod | redroseglod", "41mm"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNREPT4", "worker_id": "A2ECRNQ3X5LEXD"}], "B00CA6X50Y": [{"asin": "B00CA6X50Y", "instruction": "i'm looking for a straight leg, button closure type jeans. also choose nail loop knot designed big and tall fit type with size 33w*32l one.", "attributes": ["straight leg", "button closure", "cotton spandex"], "options": ["color: (new) nail loop knot", "fit type: big & tall", "size: 33w x 32l"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTRYTA0H", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00CA6X50Y", "instruction": "i'm looking for a straight leg men's jeans made of cotton spandex material with button closure. also choose big and tall, 443 * 32l with shooting star one.", "attributes": ["straight leg", "button closure", "cotton spandex"], "options": ["color: shooting star", "fit type: big & tall", "size: 44w x 32l"], "instruction_attributes": ["straight leg", "button closure", "cotton spandex"], "instruction_options": ["shooting star", "big & tall", "44w x 32l"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1PJF67", "worker_id": "AR0VJ5XRG16UJ"}], "B07CCHTLJD": [{"asin": "B07CCHTLJD", "instruction": "i am looking for a variety pack of dairy free granola bars that are 48 in count.", "attributes": ["dairy free", "gluten free", "0g trans"], "options": ["flavor name: variety pack", "size: 48 count (pack of 1)"], "instruction_attributes": ["dairy free"], "instruction_options": ["variety pack", "48 count (pack of 1)"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXLZOEAS", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TB2PQP8": [{"asin": "B07TB2PQP8", "instruction": "i am looking for a background for photography that is easy to carry.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3KV9ZO", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DDG1ZJB": [{"asin": "B08DDG1ZJB", "instruction": "i would like a green tea long lasting lip balm.", "attributes": ["long lasting", "certified organic", "plant based", "green tea"], "options": ["flavor name: chai spice, green tea, coffee bean - bun..."], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSG7AS9L", "worker_id": "A1WS884SI0SLO4"}], "B08XM81S7M": [{"asin": "B08XM81S7M", "instruction": "i would like to buy a four pack of easy use 1.75 ounce pasanda spice bottles", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: pasanda", "size: 1.76 ounce (pack of 4)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9AV2E6", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08XM81S7M", "instruction": "i want to find a 2-pack of achar recipe seasoning mix that's easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: achar recipe", "size: pack of 2"], "instruction_attributes": ["easy use"], "instruction_options": ["achar recipe", "pack of 2"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQXBAJG", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08XM81S7M", "instruction": "i am interested in a kashmiri indian seasoning that is easy to prepare and only 2.1 ounces.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: kashmiri rogan josh", "size: 2.1 ounce (pack of 4)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["kashmiri rogan josh", "2.1 ounce (pack of 4)"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI37VBDI", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08XM81S7M", "instruction": "i am looking for a 3.5 ounce hot and spicy pickle seasoning mix that is easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: kat a kat", "size: 3.5 ounce"], "instruction_attributes": ["easy use"], "instruction_options": ["3.5 ounce"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPVJPJ7", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08XM81S7M", "instruction": "i want 100g shan achar easy prepare paya flavor spice powder", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: paya", "size: 1.41 ounce (pack of 6)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["paya"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMYM2GF", "worker_id": "A1V2C99HEV3F14"}, {"asin": "B08XM81S7M", "instruction": "i am looking for spice powder of liver curry flavor that is easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: liver curry", "size: pack of 6"], "instruction_attributes": ["easy use"], "instruction_options": ["liver curry"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY869F181", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08XM81S7M", "instruction": "i need traditional ready to use pickle . and i choose a pack of 6", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: daal", "size: 1.75 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["1.75 ounce (pack of 6)"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS5T9GD", "worker_id": "A2COCSUGZV28X"}, {"asin": "B08XM81S7M", "instruction": "find an easy to prepare chicken masala seasoning.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chicken masala", "size: 1.76 ounce (pack of 2)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["chicken masala"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNR1AXJZ", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B08XM81S7M", "instruction": "look for a four pack of white karahi spice mix that's easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chicken white karahi", "size: pack of 4"], "instruction_attributes": ["easy use"], "instruction_options": ["chicken white karahi", "pack of 4"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X5M3YT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08XM81S7M", "instruction": "i need an easy to prepare stew mix that comes in a six pack.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: stew | dopiaza", "size: 3.52 ounce (pack of 6)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["stew | dopiaza", "3.52 ounce (pack of 6)"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6D1UPW", "worker_id": "A2ECRNQ3X5LEXD"}], "B09ND1WX3G": [{"asin": "B09ND1WX3G", "instruction": "i would like to buy size 8.5 grey faux fur loafers.", "attributes": ["knee high", "open toe", "winter warm", "steel toe", "closed toe", "faux fur"], "options": ["color: grey", "size: 8.5"], "instruction_attributes": ["faux fur"], "instruction_options": ["grey", "8.5"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCM156S", "worker_id": "A1WS884SI0SLO4"}], "B09QPXLJ31": [{"asin": "B09QPXLJ31", "instruction": "i would like a 60x40x43cm solid wood ottoman for my living room.", "attributes": ["button tufted", "non slip", "solid wood", "pu leather", "faux leather", "living room"], "options": ["size: 60x40x43cm"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["60x40x43cm"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1H6ITG", "worker_id": "A1WS884SI0SLO4"}], "B083YZ99PM": [{"asin": "B083YZ99PM", "instruction": "i need blue golf shoes made of vinyl that are in a size 8.5 wide.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: navy", "size: 8.5 wide"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["navy", "8.5 wide"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XJKGN7", "worker_id": "A2ECRNQ3X5LEXD"}], "B089GYNB54": [{"asin": "B089GYNB54", "instruction": "i would like a large grey shorts made of cotton spandex for working out.", "attributes": ["butt lifting", "elastic closure", "cotton spandex", "polyester cotton"], "options": ["color: 066 gray", "size: large"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["066 gray", "large"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWCZ3KUL", "worker_id": "A1WS884SI0SLO4"}], "B077D5N474": [{"asin": "B077D5N474", "instruction": "i'm looking for fur lined vinyl slippers.", "attributes": ["ethylene vinyl", "vinyl acetate", "faux fur", "synthetic sole"], "options": ["color: rosered", "size: 9.5 women | 8 men"], "instruction_attributes": ["ethylene vinyl", "vinyl acetate", "faux fur"], "instruction_options": ["9.5 women | 8 men"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PCW9INY", "worker_id": "A19317A3X87NVM"}], "B07P5C5GTS": [{"asin": "B07P5C5GTS", "instruction": "i need a polyester cotton polo shirt in size 6x-large. find me a blue one with a gray stripe.", "attributes": ["moisture wicking", "polyester cotton"], "options": ["color: 12129# blue (with gray stripe)", "size: 6x-large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["12129# blue (with gray stripe)", "6x-large"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PDXEQE", "worker_id": "A36LOA6VLJU157"}], "B08SW27HGH": [{"asin": "B08SW27HGH", "instruction": "i am looking for a silver tablet that is lightweight.", "attributes": ["light weight", "easy carry", "quad core"], "options": ["color: silver"], "instruction_attributes": ["light weight"], "instruction_options": ["silver"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5B5MUQE", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LF3LZCH": [{"asin": "B08LF3LZCH", "instruction": "i would like to buy some wild caught sardines.", "attributes": ["wild caught", "sugar free", "gluten free"], "options": [""], "instruction_attributes": ["wild caught"], "instruction_options": [], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJIC9OA", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08LF3LZCH", "instruction": "i want sugar free gluten free seafood sardines wild caught", "attributes": ["wild caught", "sugar free", "gluten free"], "options": [""], "instruction_attributes": ["wild caught", "sugar free", "gluten free"], "instruction_options": [], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVOP17S", "worker_id": "A3N9ZYQAESNFQH"}], "B099HSFGQP": [{"asin": "B099HSFGQP", "instruction": "find me a white bookshelf that requires assembly.", "attributes": ["assembly required", "white finish"], "options": [""], "instruction_attributes": ["assembly required", "white finish"], "instruction_options": [], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4SOXY8", "worker_id": "A36LOA6VLJU157"}], "B08QHT5RMH": [{"asin": "B08QHT5RMH", "instruction": "i need some power dental flossers that are for bad breath.", "attributes": ["clinically proven", "bad breath"], "options": [""], "instruction_attributes": ["bad breath"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB7FOSG", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CTRSKXB": [{"asin": "B07CTRSKXB", "instruction": "i want a rich protein bar.", "attributes": ["high protein", "gluten free", "birthday cake"], "options": [""], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISOUYOF", "worker_id": "A19317A3X87NVM"}], "B088GVPJBB": [{"asin": "B088GVPJBB", "instruction": "i want to buy some pink wireless bluetooth speakers that can switch between pairing and aux by the call button.", "attributes": ["stereo sound", "wireless bluetooth"], "options": ["color: pink-switch between \"bluetooth pairing\"&\"aux-in\" mode by \"call\" button"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["pink-switch between \"bluetooth pairing\"&\"aux-in\" mode by \"call\" button"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0RDPX6", "worker_id": "A1WS884SI0SLO4"}], "B09BJR3LQ2": [{"asin": "B09BJR3LQ2", "instruction": "i want to find a 4-pack of energy drinks that are gluten free and have no artificial colors.", "attributes": ["non gmo", "gluten free", "source vitamin", "artificial colors"], "options": ["size: pack of 4"], "instruction_attributes": ["gluten free", "artificial colors"], "instruction_options": ["pack of 4"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKR0IUM", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09BJR3LQ2", "instruction": "i am looking for a pack of 4 energy drinks with vitamins, that is also gluten free", "attributes": ["non gmo", "gluten free", "source vitamin", "artificial colors"], "options": ["size: pack of 4"], "instruction_attributes": ["gluten free", "source vitamin"], "instruction_options": ["pack of 4"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVDF8VQ", "worker_id": "A2NSS746CFCT4M"}], "B00DQ2B8UA": [{"asin": "B00DQ2B8UA", "instruction": "i would like to see over the ear headphones with batteries included.", "attributes": ["batteries included", "light weight"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHTJHQR", "worker_id": "A19317A3X87NVM"}], "B0183RU25O": [{"asin": "B0183RU25O", "instruction": "i want an easy to use instant beverage mix in hazelnut flavor, just one pound.", "attributes": ["rich creamy", "easy use"], "options": ["flavor name: hazelnut", "size: 1 pound (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["hazelnut", "1 pound (pack of 6)"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUULNQJ5", "worker_id": "A36LOA6VLJU157"}, {"asin": "B0183RU25O", "instruction": "i looking easy use rich creamy instant coffee double mocha flavor ,14 ounce", "attributes": ["rich creamy", "easy use"], "options": ["flavor name: double mocha", "size: 14 ounce (pack of 1)"], "instruction_attributes": ["rich creamy", "easy use"], "instruction_options": ["double mocha", "14 ounce (pack of 1)"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIN1580", "worker_id": "A3N9ZYQAESNFQH"}], "B078FBVJ7H": [{"asin": "B078FBVJ7H", "instruction": "i would like to get some women's size 13 vinyl acetate clogs with blossoms.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: blossom", "size: 13 b(m) us women | 11 d(m) us men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["blossom", "13 b(m) us women | 11 d(m) us men"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH4HE11", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B078FBVJ7H", "instruction": "i would like a pair of pomegranate women's size 4 clogs made of vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: pomegranate", "size: 4 women | 2 men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["pomegranate", "4 women | 2 men"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V5DU2H", "worker_id": "A1WS884SI0SLO4"}], "B08731VV8F": [{"asin": "B08731VV8F", "instruction": "i would like to buy a heather slate pebble weave loveseat with a solid wood frame.", "attributes": ["mid century", "high density", "memory foam", "solid wood", "wood frame"], "options": ["color: heathered slate pebble weave", "size: loveseat"], "instruction_attributes": ["solid wood", "wood frame"], "instruction_options": ["heathered slate pebble weave", "loveseat"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THR5Z5M", "worker_id": "A1WS884SI0SLO4"}], "B0977H69D1": [{"asin": "B0977H69D1", "instruction": "i want a variety pack of jerkey ready to eat.", "attributes": ["protein serving", "ready eat"], "options": ["flavor name: variety pack", "size: 3.25 ounce (pack of 4)"], "instruction_attributes": ["ready eat"], "instruction_options": ["variety pack"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z42CQCR", "worker_id": "A19317A3X87NVM"}, {"asin": "B0977H69D1", "instruction": "i am looking for a 3.25 ounce (pack of 3) of protein serving jerky", "attributes": ["protein serving", "ready eat"], "options": ["flavor name: sweet teriyaki", "size: 3.25 ounce (pack of 3)"], "instruction_attributes": ["protein serving"], "instruction_options": ["3.25 ounce (pack of 3)"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IUETL1", "worker_id": "A9QRQL9CFJBI7"}], "B09R4FW2HP": [{"asin": "B09R4FW2HP", "instruction": "i would like to get some extra large light blue high waisted jeans with a loose fit.", "attributes": ["fleece lined", "wide leg", "loose fit", "high waist", "relaxed fit", "drawstring closure", "tummy control", "elastic waist", "long sleeve", "daily wear"], "options": ["color: a2-light blue", "size: x-large"], "instruction_attributes": ["loose fit", "high waist"], "instruction_options": ["a2-light blue", "x-large"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKLYEPI", "worker_id": "A1WS884SI0SLO4"}], "B00I5ELBA6": [{"asin": "B00I5ELBA6", "instruction": "i would like to buy a black glider and ottoman set that is easy to clean.", "attributes": ["easy clean", "easy assemble"], "options": ["color: black | light gray"], "instruction_attributes": ["easy clean"], "instruction_options": ["black | light gray"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFB3V9S", "worker_id": "A1WS884SI0SLO4"}], "B01MYDIBAC": [{"asin": "B01MYDIBAC", "instruction": "buy as many kay's chips as possible when of the ones with french vanilla flavors drops the price drops", "attributes": ["gluten free", "protein serving", "low fat", "high protein", "natural flavors"], "options": ["flavor: french vanilla", "size: 9.5 ounces (pack of 6)"], "instruction_attributes": ["low fat", "natural flavors"], "instruction_options": ["french vanilla", "9.5 ounces (pack of 6)"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRSYUEUA", "worker_id": "A2NF3B9O8ZKLLZ"}, {"asin": "B01MYDIBAC", "instruction": "i am looking for a 1.2 ounce (pack of 6) gluten-free, low fat chips & crisps", "attributes": ["gluten free", "protein serving", "low fat", "high protein", "natural flavors"], "options": ["flavor: protein cereal - honey almond", "size: 1.2 ounce (pack of 6)"], "instruction_attributes": ["gluten free", "low fat"], "instruction_options": ["1.2 ounce (pack of 6)"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107ARILW", "worker_id": "A9QRQL9CFJBI7"}], "B08R7PRV85": [{"asin": "B08R7PRV85", "instruction": "i need a leak proof bag that is black.", "attributes": ["leak proof", "easy use"], "options": ["color: black"], "instruction_attributes": ["leak proof"], "instruction_options": ["black"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHUGB79", "worker_id": "A2ECRNQ3X5LEXD"}], "B005CGOMZQ": [{"asin": "B005CGOMZQ", "instruction": "i am looking for some flats with memory foam in a size nine and the color picante.", "attributes": ["synthetic sole", "memory foam"], "options": ["color: picante", "size: 9"], "instruction_attributes": ["memory foam"], "instruction_options": ["picante", "9"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVDWXLS", "worker_id": "A2ECRNQ3X5LEXD"}], "B01M1VI9W8": [{"asin": "B01M1VI9W8", "instruction": "i would like to buy some size 16 rubber sole work shoes.", "attributes": ["slip resistant", "rubber sole"], "options": ["size: 16"], "instruction_attributes": ["rubber sole"], "instruction_options": ["16"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN3UI8Y", "worker_id": "A1WS884SI0SLO4"}], "B07NVB9ZC4": [{"asin": "B07NVB9ZC4", "instruction": "i would like to get some l5036 nail tips that are easy to put on.", "attributes": ["easy apply", "high quality", "nail art"], "options": ["color: l5036"], "instruction_attributes": ["easy apply"], "instruction_options": ["l5036"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PHGX2M", "worker_id": "A1WS884SI0SLO4"}], "B01APTZH1W": [{"asin": "B01APTZH1W", "instruction": "i would like to get a paraben free oil moisturizer.", "attributes": ["animal testing", "paraben free"], "options": [""], "instruction_attributes": ["paraben free"], "instruction_options": [], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7WJHM9", "worker_id": "A1WS884SI0SLO4"}], "B07Z9VGZMH": [{"asin": "B07Z9VGZMH", "instruction": "i would like to get some orange wireless bluetooth speakers.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: orange"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["orange"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61OEZW8", "worker_id": "A1WS884SI0SLO4"}], "B09DSXCB6D": [{"asin": "B09DSXCB6D", "instruction": "i would like to buy a size 42 white smartwatch band that works with my apple watch.", "attributes": ["compatible apple", "high performance"], "options": ["color: white | black | navy bule", "size: 42 | 44mm s | m"], "instruction_attributes": ["compatible apple"], "instruction_options": ["white | black | navy bule", "42 | 44mm s | m"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U1OAMM", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09DSXCB6D", "instruction": "i need an apple compatible smart watch band in blue, green, and red.", "attributes": ["compatible apple", "high performance"], "options": ["color: bule | green | red", "size: 42 | 44mm m | l"], "instruction_attributes": ["compatible apple"], "instruction_options": ["bule | green | red"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZZXPCS", "worker_id": "A19317A3X87NVM"}], "B08JTLCT5C": [{"asin": "B08JTLCT5C", "instruction": "i want to find a blue home office chair that's easy to assemble.", "attributes": ["height adjustable", "high density", "easy install", "easy assemble", "living room"], "options": ["color: a-type blue"], "instruction_attributes": ["easy assemble"], "instruction_options": ["a-type blue"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTE7PLG", "worker_id": "A345TDMHP3DQ3G"}], "B092PRRNXL": [{"asin": "B092PRRNXL", "instruction": "i would like to buy a four pack of medium machine washable boxer briefs.", "attributes": ["machine wash", "quick drying", "polyester spandex"], "options": ["color: 4-pack(n1168)02", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["4-pack(n1168)02", "medium"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZD49KS", "worker_id": "A1WS884SI0SLO4"}], "B09PZ4VF7K": [{"asin": "B09PZ4VF7K", "instruction": "i would like a toothbrush that works well with sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": [""], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQBYRJO", "worker_id": "A1WS884SI0SLO4"}], "B08GYF3H6N": [{"asin": "B08GYF3H6N", "instruction": "i need an old fashioned rope sausage without gluten.", "attributes": ["old fashioned", "gluten free", "keto friendly"], "options": ["flavor name: old world style"], "instruction_attributes": ["old fashioned", "gluten free"], "instruction_options": ["old world style"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P11BUR", "worker_id": "A19317A3X87NVM"}, {"asin": "B08GYF3H6N", "instruction": "i want keto friendly old world kielbasa rope sausage.", "attributes": ["old fashioned", "gluten free", "keto friendly"], "options": ["flavor name: old world style"], "instruction_attributes": ["keto friendly"], "instruction_options": ["old world style"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0144WA", "worker_id": "A2RBF3IIJP15IH"}], "B07P67D59M": [{"asin": "B07P67D59M", "instruction": "i'm looking for some non-gmo pistachios.", "attributes": ["non gmo", "dietary fiber"], "options": ["size: 25 lb"], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROKICWW9", "worker_id": "A19317A3X87NVM"}], "B09SGZ536L": [{"asin": "B09SGZ536L", "instruction": "i would like a slim fit khaki tank top that is in a size medium.", "attributes": ["moisture wicking", "slim fit", "short sleeve", "contrast color", "quality materials", "daily wear"], "options": ["color: khaki", "size: medium"], "instruction_attributes": ["slim fit"], "instruction_options": ["khaki", "medium"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RUXSLR3", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QG5DKTF": [{"asin": "B07QG5DKTF", "instruction": "i would like to get some 29 x 12 galatic machine washable denim shorts.", "attributes": ["easy care", "moisture wicking", "machine washable", "machine wash"], "options": ["color: galactic", "size: 29w x 12l"], "instruction_attributes": ["machine washable", "machine wash"], "instruction_options": ["galactic", "29w x 12l"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5BCIWU", "worker_id": "A1WS884SI0SLO4"}], "B0948XCDCJ": [{"asin": "B0948XCDCJ", "instruction": "i would like to get some medium grey shorts that i can machine wash.", "attributes": ["butt lifting", "moisture wicking", "machine wash", "high waist", "nylon spandex", "elastic closure", "tummy control"], "options": ["color: 4# gray", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["4# gray", "medium"], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6E1EE2", "worker_id": "A1WS884SI0SLO4"}], "B08W3HQNKF": [{"asin": "B08W3HQNKF", "instruction": "i'm looking for a blue hair brush for removing hair danfruss..", "attributes": ["hair removal", "hair growth", "hair loss"], "options": ["color: blue"], "instruction_attributes": ["hair removal"], "instruction_options": ["blue"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHESMTJM", "worker_id": "A19317A3X87NVM"}], "B09Q57MYVF": [{"asin": "B09Q57MYVF", "instruction": "i would like to buy a high gloss walnut entertainment center for a 51 inch tv that has a lot of storage space.", "attributes": ["white item", "high gloss", "storage space", "tempered glass"], "options": ["color: walnet,black", "size: 51inch"], "instruction_attributes": ["high gloss", "storage space"], "instruction_options": ["walnet,black", "51inch"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UO8D1WV", "worker_id": "A1WS884SI0SLO4"}], "B00ODEW87C": [{"asin": "B00ODEW87C", "instruction": "i am looking for icelandic yogurt that is rich and creamy.", "attributes": ["rich creamy", "protein serving"], "options": [""], "instruction_attributes": ["rich creamy"], "instruction_options": [], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP40COH", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BNGNKW7": [{"asin": "B08BNGNKW7", "instruction": "i would like a 5 shelf oak bookcase and mount for my living room.", "attributes": ["wall mounted", "engineered wood", "living room"], "options": ["color: oak | black", "pattern name: bookcase + mount", "size: 5-shelf"], "instruction_attributes": ["living room"], "instruction_options": ["oak | black", "bookcase + mount", "5-shelf"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NEDKBL", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08BNGNKW7", "instruction": "nathan james theo 3 shelf white bookcase, open wall industrial shelving unit, engineered wood for my living room, find it at a discounted price", "attributes": ["wall mounted", "engineered wood", "living room"], "options": ["color: gray oak wood | white", "pattern name: bookcase", "size: 3-shelf"], "instruction_attributes": ["engineered wood", "living room"], "instruction_options": ["3-shelf"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCFJH79", "worker_id": "A15IJ20C3R4HUO"}], "B0817MVS98": [{"asin": "B0817MVS98", "instruction": "i need puffed snacks that are grain free in a spicy salsa flavor and come in a 24 pack.", "attributes": ["grain free", "artificial ingredients", "ready eat", "non gmo", "gluten free"], "options": ["color: spicy salsa", "size: 1.5 ounce (pack of 24)"], "instruction_attributes": ["grain free"], "instruction_options": ["spicy salsa", "1.5 ounce (pack of 24)"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0T8W4Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B099KWKY36": [{"asin": "B099KWKY36", "instruction": "i would like a citrus yao conditioner made with natural ingredients.", "attributes": ["sulfate free", "eco friendly", "paraben free", "cruelty free", "natural ingredients"], "options": ["size: conditioner", "style: citrus yao"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["conditioner", "citrus yao"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5M06XU", "worker_id": "A1WS884SI0SLO4"}], "B09RG13J2N": [{"asin": "B09RG13J2N", "instruction": "i would like to buy 2 pounds of milk chocolate hershey's with almonds for valentine's day.", "attributes": ["kosher certified", "individually wrapped", "valentine day"], "options": ["flavor name: hershey's milk chocolate with almonds", "size: 2 pound"], "instruction_attributes": ["valentine day"], "instruction_options": ["hershey's milk chocolate with almonds", "2 pound"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8ND3KB9", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09RG13J2N", "instruction": "i want 5 pound valentine day special kosher certified hershey's special dark chocolate", "attributes": ["kosher certified", "individually wrapped", "valentine day"], "options": ["flavor name: hershey's special dark chocolate", "size: 5 pound"], "instruction_attributes": ["kosher certified", "valentine day"], "instruction_options": ["5 pound"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ATKWB7", "worker_id": "A3N9ZYQAESNFQH"}], "B07QC8LFQP": [{"asin": "B07QC8LFQP", "instruction": "i would like some teeth whitening strips that are a grape flavor.", "attributes": ["teeth whitening", "non slip", "sensitive teeth"], "options": ["flavor name: grape"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["grape"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5B71ZD", "worker_id": "A2ECRNQ3X5LEXD"}], "B073TYNJG4": [{"asin": "B073TYNJG4", "instruction": "i am looking for a vinyl home office chair that has lumbar support and has a mesh back with synchro-tilt.", "attributes": ["height adjustable", "lumbar support"], "options": ["size: mesh back | vinyl", "style: sychro-tilt w | seat slider"], "instruction_attributes": ["lumbar support"], "instruction_options": ["mesh back | vinyl", "sychro-tilt w | seat slider"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTA84DP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GRQCRJG": [{"asin": "B07GRQCRJG", "instruction": "i am looking for a grey faux leather sofa.", "attributes": ["assembly required", "faux leather", "living room"], "options": ["color: grey", "style: sofa"], "instruction_attributes": ["faux leather"], "instruction_options": ["grey", "sofa"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJK2XBR", "worker_id": "A2ECRNQ3X5LEXD"}], "B09KRCZLXP": [{"asin": "B09KRCZLXP", "instruction": "i want to find a set of two vanity lights with glass shades.", "attributes": ["vanity light", "glass shade", "light fixture"], "options": ["size: 2 light"], "instruction_attributes": ["vanity light", "glass shade"], "instruction_options": ["2 light"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7PVYQ6", "worker_id": "A345TDMHP3DQ3G"}], "B08RCVK9NF": [{"asin": "B08RCVK9NF", "instruction": "i want to see the non-alcoholic drink options that are made of natural ingredients.", "attributes": ["non alcoholic", "natural ingredients"], "options": [""], "instruction_attributes": ["non alcoholic", "natural ingredients"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHTU7BH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08RCVK9NF", "instruction": "i am looking for natural ingredients brewing", "attributes": ["non alcoholic", "natural ingredients"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L5Q8RQ2", "worker_id": "A16M39T60N60NO"}], "B08TLKFL5B": [{"asin": "B08TLKFL5B", "instruction": "i need a baby throw that is multicolored and super soft.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 44", "size: baby"], "instruction_attributes": ["super soft"], "instruction_options": ["multi 44", "baby"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFPAE3A", "worker_id": "A2ECRNQ3X5LEXD"}], "B0828Q5FJR": [{"asin": "B0828Q5FJR", "instruction": "i'm looking for a wood framed mounted shark.", "attributes": ["hand painted", "ready hang", "wood frame", "living room", "dining room"], "options": ["color: shark", "size: 20x60in"], "instruction_attributes": ["ready hang", "wood frame"], "instruction_options": ["shark"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PD1EQI", "worker_id": "A19317A3X87NVM"}], "B07QH2YM12": [{"asin": "B07QH2YM12", "instruction": "i need an argan oil moisturizer that is 8 ounces and is the scent desert date.", "attributes": ["anti aging", "cruelty free", "argan oil", "damaged hair", "dry hair"], "options": ["scent: desert date", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["argan oil"], "instruction_options": ["desert date", "8 ounce (pack of 1)"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5ME5F7", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07QH2YM12", "instruction": "i'm looking for all natural and organic moringa oil with anti aging vitamin a and e, 4 ounce", "attributes": ["anti aging", "cruelty free", "argan oil", "damaged hair", "dry hair"], "options": ["scent: moringa", "size: 4 ounce"], "instruction_attributes": ["anti aging"], "instruction_options": ["moringa", "4 ounce"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O2RA2R", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07QH2YM12", "instruction": "i would like a 2 fluid ounce bottle of tamanu argan oil for damaged hair.", "attributes": ["anti aging", "cruelty free", "argan oil", "damaged hair", "dry hair"], "options": ["scent: tamanu", "size: 2 fl oz (pack of 1)"], "instruction_attributes": ["argan oil", "damaged hair"], "instruction_options": ["tamanu", "2 fl oz (pack of 1)"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDKPO20", "worker_id": "A1WS884SI0SLO4"}], "B09PVCWL4W": [{"asin": "B09PVCWL4W", "instruction": "i would like a 100 inch 16:9 protection screen that's easy to put on.", "attributes": ["easy use", "heavy duty"], "options": ["size: 100 inch 16:9"], "instruction_attributes": ["easy use"], "instruction_options": ["100 inch 16:9"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDJ4HRJ", "worker_id": "A1WS884SI0SLO4"}], "B07FXR9NMK": [{"asin": "B07FXR9NMK", "instruction": "i need some gluten free nori.", "attributes": ["gluten free", "resealable bag"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMJVB69", "worker_id": "A2ECRNQ3X5LEXD"}], "B09152JTB6": [{"asin": "B09152JTB6", "instruction": "i'm looking for a high quality stainless steel foot scrubber which is effective to remove dead skin. also, choose a pack of 16 pcs black one.", "attributes": ["high quality", "stainless steel", "dead skin"], "options": ["style: 16 pcs black"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDJJHRY", "worker_id": "AR0VJ5XRG16UJ"}], "B075BL7XR4": [{"asin": "B075BL7XR4", "instruction": "i would like to buy some unsweetened hazelnut dairy and gluten free milk.", "attributes": ["shelf stable", "soy free", "keto friendly", "plant based", "dairy free", "gluten free"], "options": ["flavor name: unsweetened hazelnut - original"], "instruction_attributes": ["dairy free", "gluten free"], "instruction_options": ["unsweetened hazelnut - original"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV68EUPZ", "worker_id": "A1WS884SI0SLO4"}], "B09CMHXWWM": [{"asin": "B09CMHXWWM", "instruction": "i need a black brush set for sensitive skin.", "attributes": ["cruelty free", "sensitive skin"], "options": ["color: black"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["black"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVFFJKQ", "worker_id": "A19317A3X87NVM"}], "B095WZDZN8": [{"asin": "B095WZDZN8", "instruction": "i would like to get a heavy duty office desk with a coated steel frame.", "attributes": ["heavy duty", "coated steel", "metal legs", "steel frame"], "options": [""], "instruction_attributes": ["heavy duty", "coated steel", "steel frame"], "instruction_options": [], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6ULCG12", "worker_id": "A1WS884SI0SLO4"}], "B0968TLTS8": [{"asin": "B0968TLTS8", "instruction": "i'm looking for a 10-pack of pepperoni and cheese pizzas that contain 0 grams of trans fat.", "attributes": ["0g trans", "natural ingredients"], "options": ["flavor: pepperoni & cheese", "size: 10 pack"], "instruction_attributes": ["0g trans"], "instruction_options": ["pepperoni & cheese", "10 pack"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U86DR54", "worker_id": "A345TDMHP3DQ3G"}], "B09SYKQ2DH": [{"asin": "B09SYKQ2DH", "instruction": "i would like to buy a 90x200 cm pink futon mattress with memory foam for my living room.", "attributes": ["twin size", "super soft", "memory foam", "living room"], "options": ["color: pink", "size: 90x200cm"], "instruction_attributes": ["living room"], "instruction_options": ["pink", "90x200cm"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUPFJQY", "worker_id": "A1WS884SI0SLO4"}], "B089KQRQCC": [{"asin": "B089KQRQCC", "instruction": "i would like a dual band ac adapter with output protection.", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["output protection", "dual band"], "instruction_options": [], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP8XIZ7J", "worker_id": "A1WS884SI0SLO4"}], "B086W378KL": [{"asin": "B086W378KL", "instruction": "i really need a hair comb for hair styling.", "attributes": ["easy use", "hair styling", "hair cutting", "hair growth"], "options": [""], "instruction_attributes": ["hair styling"], "instruction_options": [], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR025W0AKO", "worker_id": "A2ECRNQ3X5LEXD"}], "B081D9PS49": [{"asin": "B081D9PS49", "instruction": "i am looking for a lychee energy drink that has no sugar.", "attributes": ["zero sugar", "artificial flavors"], "options": ["flavor name: lilikoi lychee"], "instruction_attributes": ["zero sugar"], "instruction_options": ["lilikoi lychee"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZD8O8G", "worker_id": "A2ECRNQ3X5LEXD"}], "B00DR5H364": [{"asin": "B00DR5H364", "instruction": "i am looking for remote triggers that come with batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7F8WK8Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B089Z3T8G6": [{"asin": "B089Z3T8G6", "instruction": "i am looking for sugar free flavor syrups that come in a three pack and are amaretto.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: amaretto", "size: 25.4 ounce (pack of 3)"], "instruction_attributes": ["sugar free"], "instruction_options": ["amaretto", "25.4 ounce (pack of 3)"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXRA4ON", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B089Z3T8G6", "instruction": "i am looking for a sugar free irish creme syrup.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: irish cream", "size: 15.89 ounce"], "instruction_attributes": ["sugar free"], "instruction_options": ["irish cream"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IM5M2I", "worker_id": "A1EREKSZAA9V7B"}], "B09MKBHSR5": [{"asin": "B09MKBHSR5", "instruction": "i am looking for a black and gold bag that is easy to carry.", "attributes": ["easy carry", "high quality", "fine mist"], "options": ["color: black+gold"], "instruction_attributes": ["easy carry"], "instruction_options": ["black+gold"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455RW0YTQ", "worker_id": "A19317A3X87NVM"}], "B08WKGZ4SW": [{"asin": "B08WKGZ4SW", "instruction": "i'm looing for an asphalt colored youth extra-large t-shirt that's machine washable.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: asphalt", "fit type: youth", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["asphalt", "youth", "x-large"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDFMHRT", "worker_id": "A345TDMHP3DQ3G"}], "B08WWSD4R8": [{"asin": "B08WWSD4R8", "instruction": "i would like a heavy duty wall outlet.", "attributes": ["heavy duty", "high gloss"], "options": ["style: outlet"], "instruction_attributes": ["heavy duty"], "instruction_options": ["outlet"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49C8TDZ", "worker_id": "A1WS884SI0SLO4"}], "B09JRWRMW6": [{"asin": "B09JRWRMW6", "instruction": "i am looking for a jacket for daily wear that is a blue and in a size small.", "attributes": ["fleece lined", "daily wear"], "options": ["color: a#blue", "size: small"], "instruction_attributes": ["daily wear"], "instruction_options": ["a#blue", "small"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCEOBLL", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DCTKR8Z": [{"asin": "B09DCTKR8Z", "instruction": "i need a light red area rug for the living room that is a 4 by 6.", "attributes": ["dining room", "living room"], "options": ["color: light red", "size: 4x6"], "instruction_attributes": ["living room"], "instruction_options": ["light red", "4x6"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8NYMT7H", "worker_id": "A2ECRNQ3X5LEXD"}], "B07XZ4QL11": [{"asin": "B07XZ4QL11", "instruction": "i would like to get a 35 x 12 canvas print of manhattan, new york to hang in my living room.", "attributes": ["ready hang", "living room"], "options": ["color: new york #08", "size: 35\"wx12\"h canvas print"], "instruction_attributes": ["living room"], "instruction_options": ["new york #08", "35\"wx12\"h canvas print"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB42XAQL", "worker_id": "A1WS884SI0SLO4"}], "B08YXLGT4S": [{"asin": "B08YXLGT4S", "instruction": "i would like to buy some high quality long lasting eyeliner.", "attributes": ["long lasting", "easy apply", "high quality"], "options": [""], "instruction_attributes": ["long lasting", "high quality"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKFQD7G", "worker_id": "A1WS884SI0SLO4"}], "B096FVMNDK": [{"asin": "B096FVMNDK", "instruction": "i want to get some massage linens that are easy to clean and color 4 and 70x190 cm", "attributes": ["eco friendly", "easy clean", "beauty salon"], "options": ["color: 4", "size: 70x190cm"], "instruction_attributes": ["easy clean"], "instruction_options": ["4", "70x190cm"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN12I82", "worker_id": "A2YNPKYEFDZ6C9"}], "B09Q8VZFVT": [{"asin": "B09Q8VZFVT", "instruction": "i want to find a pair of blue hiking shoes for men with both arch support and memory foam. the shoes need to be a size 13.", "attributes": ["open toe", "steel toe", "arch support", "memory foam", "relaxed fit", "rubber sole", "teen girls"], "options": ["color: blue b", "size: 13"], "instruction_attributes": ["arch support", "memory foam"], "instruction_options": ["blue b", "13"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733DQEBW", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09Q8VZFVT", "instruction": "i need running shoes that are dark grey with arch support and are in a size 13.5", "attributes": ["open toe", "steel toe", "arch support", "memory foam", "relaxed fit", "rubber sole", "teen girls"], "options": ["color: dark gray", "size: 13.5"], "instruction_attributes": ["arch support"], "instruction_options": ["dark gray", "13.5"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9DCZRQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08KH4B9C1": [{"asin": "B08KH4B9C1", "instruction": "i am looking for sand gold nail art that is 0.35 oz", "attributes": ["animal testing", "nail art"], "options": ["color: sand gold", "size: super chunky - 10g | 0.35oz sample"], "instruction_attributes": ["nail art"], "instruction_options": ["sand gold", "super chunky - 10g | 0.35oz sample"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQ7NJCW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08KH4B9C1", "instruction": "i am looking for some super chunky nail art gllitter that is peach colored.", "attributes": ["animal testing", "nail art"], "options": ["color: fluorescent peach", "size: super chunky - 10g | 0.35oz sample"], "instruction_attributes": ["nail art"], "instruction_options": ["fluorescent peach", "super chunky - 10g | 0.35oz sample"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJJDGDS", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08KH4B9C1", "instruction": "get me the ten gram sample sized body glitter, but only if it hasn't been tested on animals, please.", "attributes": ["animal testing", "nail art"], "options": ["color: gold silver holographic", "size: super chunky - 10g | 0.35oz sample"], "instruction_attributes": ["animal testing"], "instruction_options": ["super chunky - 10g | 0.35oz sample"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTMP4VB", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08KH4B9C1", "instruction": "i want glitter for body make up for nail art decoration size 10 g color bronze holographic", "attributes": ["animal testing", "nail art"], "options": ["color: bronze brown holographic", "size: extra chunky - 10g | 0.35oz sample"], "instruction_attributes": ["nail art"], "instruction_options": ["bronze brown holographic", "extra chunky - 10g | 0.35oz sample"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVIVZSK", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B08KH4B9C1", "instruction": "i am looking for rose gold colored glitter for nail art.", "attributes": ["animal testing", "nail art"], "options": ["color: rose gold", "size: extra chunky - 100g | 3.5oz"], "instruction_attributes": ["nail art"], "instruction_options": ["rose gold"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9S9TE0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08KH4B9C1", "instruction": "i need a 3.5 oz jar of pink nail art glitter.", "attributes": ["animal testing", "nail art"], "options": ["color: fluorescent pink", "size: microfine - 100g | 3.5oz"], "instruction_attributes": ["nail art"], "instruction_options": ["fluorescent pink", "microfine - 100g | 3.5oz"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7Z1MH2", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08KH4B9C1", "instruction": "i'd like to find 3.5 ounces of ultrafine, fluorescent yellow glitter for my nail art.", "attributes": ["animal testing", "nail art"], "options": ["color: fluorescent yellow", "size: ultrafine - 100g | 3.5oz"], "instruction_attributes": ["nail art"], "instruction_options": ["fluorescent yellow", "ultrafine - 100g | 3.5oz"], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0WWRRS", "worker_id": "A345TDMHP3DQ3G"}], "B07BZ17VH4": [{"asin": "B07BZ17VH4", "instruction": "i would like lactose free coffee drinks that are mocha and come in a four pack.", "attributes": ["lactose free", "gluten free"], "options": ["flavor name: mocha", "size: 9 fl oz (pack of 4)"], "instruction_attributes": ["lactose free"], "instruction_options": ["mocha", "9 fl oz (pack of 4)"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEF9SU5U", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZTX18ZJ": [{"asin": "B07ZTX18ZJ", "instruction": "i'm looking for a 3 pound pack of individually wrapped snickers candy bars that i can hand out on valentine's day.", "attributes": ["individually wrapped", "resealable bag", "valentine day", "birthday party"], "options": ["size: 3 pound (pack of 1)"], "instruction_attributes": ["individually wrapped", "valentine day"], "instruction_options": ["3 pound (pack of 1)"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50QU0WGO", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07ZTX18ZJ", "instruction": "i'm looking for a 1-pound pack of individually wrapped candy bars for a birthday party or valentines day in a resealable bag.", "attributes": ["individually wrapped", "resealable bag", "valentine day", "birthday party"], "options": ["size: 1 pound (pack of 1)"], "instruction_attributes": ["individually wrapped", "resealable bag", "valentine day", "birthday party"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733QNBEG", "worker_id": "AFU00NU09CFXE"}], "B082QDKRCP": [{"asin": "B082QDKRCP", "instruction": "i would like a living room sofa chair in cognanc leather", "attributes": ["wood frame", "solid wood", "living room"], "options": ["color: cognac leather", "style: sofa"], "instruction_attributes": ["living room"], "instruction_options": ["cognac leather", "sofa"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR4ZUUFT", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PRCHC48": [{"asin": "B09PRCHC48", "instruction": "there's a hands free car stereo receiver with 2g+32g.", "attributes": ["hands free", "high definition"], "options": ["color: v3por 2g+32g"], "instruction_attributes": ["hands free"], "instruction_options": ["v3por 2g+32g"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4T4LK2W", "worker_id": "A19317A3X87NVM"}], "B07X31F54M": [{"asin": "B07X31F54M", "instruction": "i'm looking for a brozers which is alcohol free and paraben free used for sensitive skin.", "attributes": ["cruelty free", "alcohol free", "paraben free", "sensitive skin"], "options": [""], "instruction_attributes": ["alcohol free", "paraben free", "sensitive skin"], "instruction_options": [], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRQQF3U", "worker_id": "AR0VJ5XRG16UJ"}], "B08G6NFGTW": [{"asin": "B08G6NFGTW", "instruction": "i am looking for x-large pajama bottoms that have a drawstring.", "attributes": ["officially licensed", "drawstring closure"], "options": ["size: x-large"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["x-large"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB1WZLUA", "worker_id": "A2ECRNQ3X5LEXD"}], "B07XYH1P1Z": [{"asin": "B07XYH1P1Z", "instruction": "i am looking for a queen size white bed.", "attributes": ["queen size", "white item", "assembly required", "high gloss"], "options": ["color: oak country | white"], "instruction_attributes": ["queen size"], "instruction_options": ["oak country | white"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOJO9MO", "worker_id": "A2ECRNQ3X5LEXD"}], "B00J51MCPQ": [{"asin": "B00J51MCPQ", "instruction": "i want to find a 3-count pack of 4-ounce deodorant sprays that are certified organic.", "attributes": ["certified organic", "cruelty free"], "options": ["scent: 4 ounce, 1 count", "size: 4 ounce, 3 count"], "instruction_attributes": ["certified organic"], "instruction_options": ["4 ounce, 3 count"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC5W9RKQ", "worker_id": "A345TDMHP3DQ3G"}], "B00KDWJY8E": [{"asin": "B00KDWJY8E", "instruction": "i want to check out the techni mobili l-shaped desks that are made of coated steel.", "attributes": ["space saving", "coated steel"], "options": [""], "instruction_attributes": ["coated steel"], "instruction_options": [], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGE70OE", "worker_id": "A1WS884SI0SLO4"}], "B072LD256N": [{"asin": "B072LD256N", "instruction": "i'm looking for a synthetic hair and rose gold mermaid makeup brush set which should be certified cruelty free. also, choose 3d rainbow pattern one.", "attributes": ["cruelty free", "rose gold", "synthetic hair"], "options": ["color: 3d rainbow"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZFKC7L", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B072LD256N", "instruction": "i am looking for a 10pcs rose gold brush set.", "attributes": ["cruelty free", "rose gold", "synthetic hair"], "options": ["color: 10pcs rose gold brushes"], "instruction_attributes": ["rose gold"], "instruction_options": [], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907SNUA4", "worker_id": "A9QRQL9CFJBI7"}], "B0019RDLZE": [{"asin": "B0019RDLZE", "instruction": "find me a wall sconce with a nickel finish and a glass shade.", "attributes": ["nickel finish", "glass shade"], "options": [""], "instruction_attributes": ["nickel finish", "glass shade"], "instruction_options": [], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2J2M5Z", "worker_id": "A36LOA6VLJU157"}], "B0759B3WYP": [{"asin": "B0759B3WYP", "instruction": "i am looking for a mid century couch.", "attributes": ["mid century", "assembly required"], "options": [""], "instruction_attributes": ["mid century"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M44OL89", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P4YQZVM": [{"asin": "B09P4YQZVM", "instruction": "i would like a size 8.5 sneakers with a highly fashionable white and blue floral design.", "attributes": ["non slip", "rubber sole", "contrast color", "fashion design", "quality materials"], "options": ["color: white and blue flowers", "size: 8.5"], "instruction_attributes": ["fashion design"], "instruction_options": ["white and blue flowers", "8.5"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCJOBMX", "worker_id": "A1WS884SI0SLO4"}], "B097BHDYZD": [{"asin": "B097BHDYZD", "instruction": "i'm looking to buy some gold vanity lights with two lights on it.", "attributes": ["easy install", "vanity light", "stainless steel"], "options": ["color: gold", "size: 2-light"], "instruction_attributes": ["vanity light"], "instruction_options": ["gold", "2-light"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKIVPEK", "worker_id": "A2YNPKYEFDZ6C9"}], "B086TVW3PM": [{"asin": "B086TVW3PM", "instruction": "i need a bottle of fresh breath mouth wash for bad breath and oral hygeine.", "attributes": ["clinically proven", "fresh breath", "bad breath", "oral hygiene"], "options": [""], "instruction_attributes": ["fresh breath", "bad breath", "oral hygiene"], "instruction_options": [], "assignment_id": "3DIP6YHAPN2FET122B94U5H2V84E8Y", "worker_id": "A19317A3X87NVM"}], "B01MG1FQBW": [{"asin": "B01MG1FQBW", "instruction": "i'm looking for a high density memory foam mattress in full size.", "attributes": ["double sided", "high density", "memory foam"], "options": ["size: full"], "instruction_attributes": ["high density", "memory foam"], "instruction_options": ["full"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLKD03F", "worker_id": "A19317A3X87NVM"}], "B08N6MLMDT": [{"asin": "B08N6MLMDT", "instruction": "i need a space saving ottoman that is brown and 15 by 15 by 15 inches.", "attributes": ["space saving", "faux leather", "storage space", "living room"], "options": ["color: brown color", "size: 15 x 15 x 15 inch"], "instruction_attributes": ["space saving"], "instruction_options": ["brown color", "15 x 15 x 15 inch"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3HELZ5", "worker_id": "A2ECRNQ3X5LEXD"}], "B087N4G883": [{"asin": "B087N4G883", "instruction": "i am looking for a pack of candy that has natural ingredients.", "attributes": ["natural ingredients", "valentine day"], "options": ["flavor name: hazelnut butter, blueberries, pistachios...", "size: 1 pack"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["1 pack"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL96E2VU", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B087N4G883", "instruction": "can you find me some turkish delights that have natural ingredients and are for valentines day. get the 2 pack.", "attributes": ["natural ingredients", "valentine day"], "options": ["flavor name: pomegranate, double pistachios- 7 oz", "size: 2 pack"], "instruction_attributes": ["natural ingredients", "valentine day"], "instruction_options": ["2 pack"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPSXNG9Y", "worker_id": "A1MJVTR0PCKBWW"}, {"asin": "B087N4G883", "instruction": "i would like three bags of natural pineapple candy.", "attributes": ["natural ingredients", "valentine day"], "options": ["flavor name: pineapple, pistachios- 7 oz", "size: 3 pack"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["pineapple, pistachios- 7 oz", "3 pack"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMRC6B1", "worker_id": "A1WS884SI0SLO4"}], "B09DY8ZXTQ": [{"asin": "B09DY8ZXTQ", "instruction": "i am looking for black stainless steel wristbands.", "attributes": ["easy use", "case cover", "stainless steel"], "options": ["color: black"], "instruction_attributes": ["stainless steel"], "instruction_options": ["black"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3CWYR8", "worker_id": "A2ECRNQ3X5LEXD"}], "B00F3KP7T6": [{"asin": "B00F3KP7T6", "instruction": "i am looking for one case of vegetable patties that are fully cooked.", "attributes": ["individually wrapped", "fully cooked"], "options": ["flavor: vegetable", "size: 1 case"], "instruction_attributes": ["fully cooked"], "instruction_options": ["vegetable", "1 case"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PDA2XD", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00F3KP7T6", "instruction": "i am looking for a 1 case of fully cooked baked patties", "attributes": ["individually wrapped", "fully cooked"], "options": ["flavor: spicy beef", "size: 1 case"], "instruction_attributes": ["fully cooked"], "instruction_options": ["1 case"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R80SK7", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B00F3KP7T6", "instruction": "i am looking fully cooked spicy beef patties 50 count", "attributes": ["individually wrapped", "fully cooked"], "options": ["flavor: spicy beef", "size: 50 count"], "instruction_attributes": ["fully cooked"], "instruction_options": ["spicy beef", "50 count"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADM2AH4", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B00F3KP7T6", "instruction": "i want fully cooked mild beef patties size 12 count", "attributes": ["individually wrapped", "fully cooked"], "options": ["flavor: mild beef", "size: 12 count (pack of 1)"], "instruction_attributes": ["fully cooked"], "instruction_options": ["mild beef", "12 count (pack of 1)"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7LSN54", "worker_id": "A3N9ZYQAESNFQH"}], "B077H41BP7": [{"asin": "B077H41BP7", "instruction": "i am looking for light weight wall speakers that are 8' carbon fiber and have a center channel.", "attributes": ["light weight", "carbon fiber"], "options": ["pattern name: speaker + surround speaker 5.25 inch", "size: 8\" carbon fiber", "style: center channel"], "instruction_attributes": ["light weight"], "instruction_options": ["8\" carbon fiber", "center channel"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VUZ1NQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B091G44S71": [{"asin": "B091G44S71", "instruction": "i need 16 ounces of an oil free moisturizer that works on dry skin, it should be white not tinted.", "attributes": ["oil free", "paraben free", "dry skin"], "options": ["color: white", "size: 16 ounce"], "instruction_attributes": ["oil free", "dry skin"], "instruction_options": ["white", "16 ounce"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJYF9GRT", "worker_id": "A36LOA6VLJU157"}], "B089W3JQC5": [{"asin": "B089W3JQC5", "instruction": "i would like a 16 ram with a 10th ddr4 core i5 high def mini desktop.", "attributes": ["dual band", "high definition"], "options": ["color: 10th ddr4 core i5-10210u", "size: 16gb ram ddr4 256gb m.2 ssd 1tb hdd"], "instruction_attributes": ["high definition"], "instruction_options": ["10th ddr4 core i5-10210u", "16gb ram ddr4 256gb m.2 ssd 1tb hdd"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P5TUBA", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B089W3JQC5", "instruction": "i am interested in acquiring mini desktop with high definition and dual band, and also have ddr4 core i5 8250u, and 32gb ram ddr4 512gb m.2 ssd 1tb hdd", "attributes": ["dual band", "high definition"], "options": ["color: newly ddr4 core i5 8250u", "size: 32gb ram ddr4 512gb m.2 ssd 1tb hdd"], "instruction_attributes": ["dual band", "high definition"], "instruction_options": ["newly ddr4 core i5 8250u", "32gb ram ddr4 512gb m.2 ssd 1tb hdd"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTRVSEKM", "worker_id": "AJY5G987IRT25"}, {"asin": "B089W3JQC5", "instruction": "i need a dual band 10th gen desktop that is a core i5", "attributes": ["dual band", "high definition"], "options": ["color: 10th ddr4 core i5-10210u", "size: 64gb ram ddr4 512gb m.2 ssd 2tb hdd"], "instruction_attributes": ["dual band"], "instruction_options": ["10th ddr4 core i5-10210u"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD3JCIK", "worker_id": "A2ECRNQ3X5LEXD"}], "B073H2QQKK": [{"asin": "B073H2QQKK", "instruction": "i am looking for throw pillow covers that are machine washable in yellow white and are 26\" by 16\"", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: yellow white", "size: 26\" x 16\""], "instruction_attributes": ["machine washable"], "instruction_options": ["yellow white", "26\" x 16\""], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0PSW5K", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B073H2QQKK", "instruction": "i'm looking for machine washable pillows scarlet color.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: scarlet", "size: 40\" x 40\""], "instruction_attributes": ["machine washable"], "instruction_options": ["scarlet"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYI76LZ", "worker_id": "A16IQOX0DK14OJ"}], "B0034Q8FJK": [{"asin": "B0034Q8FJK", "instruction": "i need some hair dye that is shocking blue and is 4 ounces.", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: shocking blue", "size: 4 fl oz (pack of 1)"], "instruction_attributes": ["hair dye"], "instruction_options": ["shocking blue", "4 fl oz (pack of 1)"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMAHIZF", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0034Q8FJK", "instruction": "i am looking for classic raven colored hair dye.", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: raven", "size: 4 fl oz (pack of 2)"], "instruction_attributes": ["hair dye"], "instruction_options": ["raven"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYMKM62", "worker_id": "A1EREKSZAA9V7B"}], "B01460C2I2": [{"asin": "B01460C2I2", "instruction": "i am looking for grey hair extensions that are 22 inches long.", "attributes": ["hair extensions", "hair styling", "hair cutting"], "options": ["color: #grey", "size: 22 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#grey", "22 inch"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZCJC7E", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01460C2I2", "instruction": "i'm shopping for number 4, medium brown hair extensions that i can use for hair styling. they should be about 14 inches long.", "attributes": ["hair extensions", "hair styling", "hair cutting"], "options": ["color: #4 medium brown", "size: 14 inch"], "instruction_attributes": ["hair extensions", "hair styling"], "instruction_options": ["#4 medium brown", "14 inch"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH6UV1C", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B01460C2I2", "instruction": "i am looking for a 20 inch hair clip for my wife. and i would prefer the #4t27 medium brown ombre dark blonde", "attributes": ["hair extensions", "hair styling", "hair cutting"], "options": ["color: #4t27 medium brown ombre dark blonde", "size: 20 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#4t27 medium brown ombre dark blonde", "20 inch"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTQAO62", "worker_id": "A2COCSUGZV28X"}, {"asin": "B01460C2I2", "instruction": "i am looking for hair extensions that are human hair and double weft 20 inch.", "attributes": ["hair extensions", "hair styling", "hair cutting"], "options": ["color: #33 dark auburn", "size: 12 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["12 inch"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMLYJ1U", "worker_id": "A2KW17G25L25R8"}], "B09HZRJNJJ": [{"asin": "B09HZRJNJJ", "instruction": "i'm looking for a slim fit , high waist women formal dress made of light weight good quality polyester material. also, choose medium size red colored one.", "attributes": ["light weight", "slim fit", "quality polyester", "high waist"], "options": ["color: a-red", "size: medium"], "instruction_attributes": ["light weight", "slim fit", "quality polyester", "high waist"], "instruction_options": ["a-red", "medium"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JX7C7GQ", "worker_id": "AR0VJ5XRG16UJ"}], "B09CGZC5ZV": [{"asin": "B09CGZC5ZV", "instruction": "i would like an aluminum alloy tripod.", "attributes": ["quick release", "aluminum alloy"], "options": [""], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK82S5AD", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LQW6JKF": [{"asin": "B09LQW6JKF", "instruction": "i am looking for silver birthday cake toppers.", "attributes": ["birthday cake", "party supplies"], "options": ["color: silver"], "instruction_attributes": ["birthday cake"], "instruction_options": ["silver"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHXLQHA", "worker_id": "A2ECRNQ3X5LEXD"}], "B07WPZ3YDD": [{"asin": "B07WPZ3YDD", "instruction": "i need a tablet that has a 1080p hd resolution.", "attributes": ["1080p hd", "quad core"], "options": [""], "instruction_attributes": ["1080p hd"], "instruction_options": [], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXPYYML", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q5V4GLZ": [{"asin": "B09Q5V4GLZ", "instruction": "i would like to buy some xxl navy high waisted yoga pants.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: navy", "size: xx-large"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X02Z343F", "worker_id": "A1WS884SI0SLO4"}], "B08XXGZNXP": [{"asin": "B08XXGZNXP", "instruction": "i'm looking for a lip and hand care gift set that is plant based and cruelty free.", "attributes": ["plant based", "animal testing", "paraben free", "cruelty free", "green tea", "seed oil", "argan oil"], "options": ["color: lip&hand care gift set (agave+untamed nature)"], "instruction_attributes": ["plant based", "cruelty free"], "instruction_options": ["lip&hand care gift set (agave+untamed nature)"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWRB5TW", "worker_id": "A345TDMHP3DQ3G"}], "B083W3Q9Q4": [{"asin": "B083W3Q9Q4", "instruction": "i need hair extensions that are a medium brown and that come in two pieces that are an updo.", "attributes": ["easy apply", "hair extensions"], "options": ["color: medium brown(8#)", "size: 2pcs tousled updo"], "instruction_attributes": ["hair extensions"], "instruction_options": ["medium brown(8#)", "2pcs tousled updo"], "assignment_id": "36ZN444YT28UFQQ45BORC65U29FOIQ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B083W3Q9Q4", "instruction": "i want 2pcs of tousled updo hair extensions. it should be easy to apply.", "attributes": ["easy apply", "hair extensions"], "options": ["color: light brown mix ash blonde-55 gram", "size: 2pcs tousled updo"], "instruction_attributes": ["easy apply", "hair extensions"], "instruction_options": ["2pcs tousled updo"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F20FOHK", "worker_id": "A1NF6PELRKACS9"}], "B00ADR6M2U": [{"asin": "B00ADR6M2U", "instruction": "i'm looking for sulfate and paraben free conditioner.", "attributes": ["sulfate free", "paraben free"], "options": ["size: 4 pack"], "instruction_attributes": ["sulfate free", "paraben free"], "instruction_options": [], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPQZTX8", "worker_id": "A19317A3X87NVM"}], "B096DSH2VL": [{"asin": "B096DSH2VL", "instruction": "i am looking for an eye balm face moisturizer for my dry skin.", "attributes": ["seed oil", "dry skin"], "options": ["color: eye balm"], "instruction_attributes": ["dry skin"], "instruction_options": ["eye balm"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6C4E0VK", "worker_id": "A2ECRNQ3X5LEXD"}], "B075MNJ4PS": [{"asin": "B075MNJ4PS", "instruction": "i need a button tufted couch preferably in emerald color.", "attributes": ["button tufted", "contemporary design"], "options": ["color: emerald"], "instruction_attributes": ["button tufted"], "instruction_options": ["emerald"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRM02YL", "worker_id": "A15ERD4HOFEPHM"}], "B0839CS5BV": [{"asin": "B0839CS5BV", "instruction": "i would like to get a size 7 white loafer with a rubber sole.", "attributes": ["anti slip", "rubber sole"], "options": ["color: t-white", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["t-white", "7"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISS8YO1", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0839CS5BV", "instruction": "i would like to buy casual work shoes with a rubber sole and of size 8.5", "attributes": ["anti slip", "rubber sole"], "options": ["color: z-grass green", "size: 8.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["8.5"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUAH9A2", "worker_id": "AHXHM1PQTRWIQ"}], "B07B3RL5DY": [{"asin": "B07B3RL5DY", "instruction": "i would like a 30 count of gmo free banana trail mix.", "attributes": ["low calorie", "low sugar", "high protein", "low carb", "gmo free", "gluten free"], "options": ["flavor name: bananas for chocolate", "size: 30 count"], "instruction_attributes": ["gmo free"], "instruction_options": ["bananas for chocolate", "30 count"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTRY8A0W", "worker_id": "A1WS884SI0SLO4"}], "B07BBW6X2L": [{"asin": "B07BBW6X2L", "instruction": "i want to find sugar free shortbread cookies that are ready to eat.", "attributes": ["sugar free", "ready eat"], "options": [""], "instruction_attributes": ["sugar free", "ready eat"], "instruction_options": [], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSAF2Q8", "worker_id": "A345TDMHP3DQ3G"}], "B07BMBKNF4": [{"asin": "B07BMBKNF4", "instruction": "i want a natural lip bam contain vagan oil containt", "attributes": ["coconut oil", "seed oil"], "options": ["color: coral pink \"allison\""], "instruction_attributes": ["coconut oil", "seed oil"], "instruction_options": ["coral pink \"allison\""], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWF525A", "worker_id": "A3N9ZYQAESNFQH"}], "B07238WLLT": [{"asin": "B07238WLLT", "instruction": "i would like to get a six pack of low calorie energy drinks.", "attributes": ["plant based", "non gmo", "low calorie", "certified organic", "artificial colors"], "options": ["size: 6 count"], "instruction_attributes": ["low calorie"], "instruction_options": ["6 count"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVGC0QB", "worker_id": "A1WS884SI0SLO4"}], "B019EQIFHA": [{"asin": "B019EQIFHA", "instruction": "i want to find a pack of 3 three-ounce bags of sweet and hot, ready-to-eat beef jerky.", "attributes": ["protein serving", "ready eat"], "options": ["flavor name: sweet & hot", "size: 3 ounce (pack of 3)"], "instruction_attributes": ["ready eat"], "instruction_options": ["sweet & hot", "3 ounce (pack of 3)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZ4XLK7", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B019EQIFHA", "instruction": "i want teriyaki flavor protein serving ready eat jerky 7.2 ounce pouches", "attributes": ["protein serving", "ready eat"], "options": ["flavor name: teriyaki", "size: 7.2-ounce pouches (pack of 2)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4C7R6P", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B019EQIFHA", "instruction": "i want ready to eat bridgford sweet baby ray's original 99% fat free honey barbecue beef jerky.", "attributes": ["protein serving", "ready eat"], "options": ["flavor name: original 99% fat free", "size: 3 ounce (pack of 4)"], "instruction_attributes": ["ready eat"], "instruction_options": ["original 99% fat free"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKKDVPP", "worker_id": "A2RBF3IIJP15IH"}], "B00RJEU3L6": [{"asin": "B00RJEU3L6", "instruction": "i would like to buy a 12 pack of 2.6 ounces ginger sesame wild caught tuna.", "attributes": ["wild caught", "protein serving", "soy free", "gluten free"], "options": ["flavor name: ginger sesame", "size: 2.6 ounce (pack of 12)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TTUUSQ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00RJEU3L6", "instruction": "i want buy 11 ounce, gluten free ,protein serving tuna also fresh", "attributes": ["wild caught", "protein serving", "soy free", "gluten free"], "options": ["flavor name: ranch", "size: 11 ounce (pack of 12)"], "instruction_attributes": ["protein serving", "gluten free"], "instruction_options": ["11 ounce (pack of 12)"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCIYEBAK", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B00RJEU3L6", "instruction": "i need some wild caught, hickory smoked tuna.", "attributes": ["wild caught", "protein serving", "soy free", "gluten free"], "options": ["flavor name: hickory smoked", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["wild caught"], "instruction_options": ["hickory smoked"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFV7IXL2", "worker_id": "A19317A3X87NVM"}, {"asin": "B00RJEU3L6", "instruction": "i want a gluten free starkist tuna variety pack.", "attributes": ["wild caught", "protein serving", "soy free", "gluten free"], "options": ["flavor name: variety pack", "size: 3 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["variety pack"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLWE307", "worker_id": "A2RBF3IIJP15IH"}], "B09PNH7BSN": [{"asin": "B09PNH7BSN", "instruction": "i ned a height adjustable pink office chair.", "attributes": ["height adjustable", "non slip", "steel frame", "storage space"], "options": ["color: pink"], "instruction_attributes": ["height adjustable"], "instruction_options": ["pink"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AHBWBA", "worker_id": "A19317A3X87NVM"}], "B09PVJTPVS": [{"asin": "B09PVJTPVS", "instruction": "i'm looking for a yellow casual sports blazer.", "attributes": ["daily casual", "machine wash"], "options": ["color: yellow", "size: xx-large"], "instruction_attributes": ["daily casual"], "instruction_options": ["yellow"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86YB81I", "worker_id": "A19317A3X87NVM"}], "B083FLYWSW": [{"asin": "B083FLYWSW", "instruction": "i would like to get a women's large pink heather cotton t-shirt.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: pink", "fit type: women", "size: large"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["pink", "women", "large"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P5HUBY", "worker_id": "A1WS884SI0SLO4"}], "B09H5X7PG1": [{"asin": "B09H5X7PG1", "instruction": "i would like an 8 pack of waffles of two different flavors that are easy to prepare", "attributes": ["easy prepare", "artificial colors"], "options": ["size: 8 - pack (2 flavors, 4 boxes of each)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["8 - pack (2 flavors, 4 boxes of each)"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ1C0N3", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CPRKX3M": [{"asin": "B07CPRKX3M", "instruction": "i'm looking for a facial scrub that has both anti aging properties and helps with fine lines.", "attributes": ["anti aging", "cruelty free", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "fine lines"], "instruction_options": [], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCKV5Q1", "worker_id": "A36LOA6VLJU157"}], "B017QFA02Y": [{"asin": "B017QFA02Y", "instruction": "i am looking for a black bikini that has an elastic waistband and is in a size small.", "attributes": ["machine wash", "elastic waistband"], "options": ["color: black, honey almond, nymph's thigh, speakeasy, white, grey heather", "number of items: 7", "size: small"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["black, honey almond, nymph's thigh, speakeasy, white, grey heather", "small"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATZA37B", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SYXW2PB": [{"asin": "B09SYXW2PB", "instruction": "i would like a easy to use carrying case for my camera.", "attributes": ["easy use", "case cover", "carrying case"], "options": [""], "instruction_attributes": ["easy use", "carrying case"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZU3CNA", "worker_id": "A1WS884SI0SLO4"}], "B09KNB2SVM": [{"asin": "B09KNB2SVM", "instruction": "i would like to get a high def hdmi to vga adapter that works with blu ray.", "attributes": ["gold plated", "blu ray", "1080p hd", "heavy duty", "high definition"], "options": [""], "instruction_attributes": ["blu ray", "high definition"], "instruction_options": [], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98ID92MK", "worker_id": "A1WS884SI0SLO4"}], "B079NFMV97": [{"asin": "B079NFMV97", "instruction": "i would like to get some argan oil to treat my damaged hair.", "attributes": ["argan oil", "hair treatment", "damaged hair", "fine lines", "hair loss"], "options": [""], "instruction_attributes": ["argan oil", "hair treatment", "damaged hair"], "instruction_options": [], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTIVPLC", "worker_id": "A1WS884SI0SLO4"}], "B01GSGDV1Y": [{"asin": "B01GSGDV1Y", "instruction": "i am looking for non gmo sesame pretzels that come in a 12 pack.", "attributes": ["non gmo", "resealable bag", "quality ingredients"], "options": ["flavor name: sesame", "size: 7.2 ounce (pack of 12)"], "instruction_attributes": ["non gmo"], "instruction_options": ["sesame", "7.2 ounce (pack of 12)"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DM0K4J", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Y3X6GW7": [{"asin": "B07Y3X6GW7", "instruction": "i would like to get a heather blue cotton t shirt for my youth size 2t child.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather blue", "fit type: youth", "size: 2t"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["heather blue", "youth", "2t"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21IBQFF", "worker_id": "A1WS884SI0SLO4"}], "B07Y972SSM": [{"asin": "B07Y972SSM", "instruction": "i would like a fully cooked cut of spiced meat.", "attributes": ["fully cooked", "protein serving"], "options": [""], "instruction_attributes": ["fully cooked"], "instruction_options": [], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L844BC6X", "worker_id": "A1WS884SI0SLO4"}], "B091J1F94T": [{"asin": "B091J1F94T", "instruction": "i would like to get a black noise cancelling headset to play video games.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8WFSSE", "worker_id": "A1WS884SI0SLO4"}], "B08CKZTB12": [{"asin": "B08CKZTB12", "instruction": "i need some metallic pumps that have a rubber sole and are in an 8.5 wide.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: metallic synthetic combination", "size: 8.5 wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["metallic synthetic combination", "8.5 wide"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LP5WROV", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LDM11F4": [{"asin": "B08LDM11F4", "instruction": "i need a wall mounted mirror in the color d.", "attributes": ["wall mounted", "high density", "wood frame"], "options": ["color: d"], "instruction_attributes": ["wall mounted"], "instruction_options": ["d"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXASJUA", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NBZ2VGX": [{"asin": "B09NBZ2VGX", "instruction": "i would like to buy a red radio with wireless bluetooth and stereo sound.", "attributes": ["high performance", "high definition", "wireless bluetooth", "stereo sound"], "options": ["color: red"], "instruction_attributes": ["wireless bluetooth", "stereo sound"], "instruction_options": ["red"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746QVBT7", "worker_id": "A1WS884SI0SLO4"}], "B07QNDGM8H": [{"asin": "B07QNDGM8H", "instruction": "i am looking for a height adjustable office chair in white gold.", "attributes": ["height adjustable", "mid century", "stainless steel", "lumbar support", "faux leather"], "options": ["color: white | gold"], "instruction_attributes": ["height adjustable"], "instruction_options": ["white | gold"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKCMT1K", "worker_id": "A2ECRNQ3X5LEXD"}], "B003Q4TWF6": [{"asin": "B003Q4TWF6", "instruction": "can you find some chai tea that is both sugar and caffeine free? i need 3 pounds of it.", "attributes": ["sugar free", "caffeine free", "usda organic", "non gmo", "natural ingredients"], "options": ["flavor name: sugar free", "size: 3 pound"], "instruction_attributes": ["sugar free", "caffeine free"], "instruction_options": ["sugar free", "3 pound"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GCNS3L", "worker_id": "A36LOA6VLJU157"}, {"asin": "B003Q4TWF6", "instruction": "i would like a 3 pound box of original sugar free tea.", "attributes": ["sugar free", "caffeine free", "usda organic", "non gmo", "natural ingredients"], "options": ["flavor name: original", "size: 3 pound"], "instruction_attributes": ["sugar free"], "instruction_options": ["original", "3 pound"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA78C86", "worker_id": "A1WS884SI0SLO4"}], "B095HPJFM6": [{"asin": "B095HPJFM6", "instruction": "i would like to get some size 6.5 yellow non slip flip flops.", "attributes": ["non slip", "ankle strap"], "options": ["color: 0 # yellow", "size: 6.5"], "instruction_attributes": ["non slip"], "instruction_options": ["0 # yellow", "6.5"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPSXW9G0", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B095HPJFM6", "instruction": "i would like a pair of size 7 black sandals that are non slip.", "attributes": ["non slip", "ankle strap"], "options": ["color: 6 # black", "size: 7"], "instruction_attributes": ["non slip"], "instruction_options": ["6 # black", "7"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5JNWIZ", "worker_id": "A1WS884SI0SLO4"}], "B0891SX6XN": [{"asin": "B0891SX6XN", "instruction": "i want to find an intel core i5-10400f desktop pc that i can use to play games on. it needs to be omen 25l and configured with nvidia rtx 3090.", "attributes": ["intel core", "tempered glass"], "options": ["configuration: nvidia rtx 3090", "size: omen 25l", "style: intel i5-10400f"], "instruction_attributes": ["intel core"], "instruction_options": ["nvidia rtx 3090", "omen 25l", "intel i5-10400f"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQ7DKE0", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B0891SX6XN", "instruction": "i am looking for desktop pc having intel core processor with nvidia rtx 3080 configuration.", "attributes": ["intel core", "tempered glass"], "options": ["configuration: nvidia rtx 3080", "size: omen 30l", "style: intel i7-10700f"], "instruction_attributes": ["intel core"], "instruction_options": ["nvidia rtx 3080"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z8KGX3", "worker_id": "A1Q8PPQQCWGY0D"}], "B072J9SPMR": [{"asin": "B072J9SPMR", "instruction": "i am looking for professional airbrush foundation made by photo finish in the color of primer. believe it is 1.0 ounce found in the beauty & personal care section. should say water resistant, fragrance and oil free.", "attributes": ["animal testing", "oil free", "fragrance free", "water resistant", "fine mist"], "options": ["color: primer", "size: 0.2 ounce"], "instruction_attributes": ["oil free", "fragrance free", "water resistant"], "instruction_options": ["primer"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8RMZPO", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B072J9SPMR", "instruction": "i want a medium matte and oil free professional airbrush foundation makeup.", "attributes": ["animal testing", "oil free", "fragrance free", "water resistant", "fine mist"], "options": ["color: medium matte", "size: 1 ounce"], "instruction_attributes": ["oil free"], "instruction_options": ["medium matte"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9NP0BR", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B072J9SPMR", "instruction": "i need a medium colored matte foundation that's oil and fragrance free. make sure it hasn't been tested on animals. i want the one ounce bottle.", "attributes": ["animal testing", "oil free", "fragrance free", "water resistant", "fine mist"], "options": ["color: medium matte", "size: 1 fl oz"], "instruction_attributes": ["animal testing", "oil free", "fragrance free"], "instruction_options": ["medium matte", "1 fl oz"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N5UT73", "worker_id": "AR9AU5FY1S3RO"}], "B0919TK46H": [{"asin": "B0919TK46H", "instruction": "i'm looking for a 13.3 inch carrying case for my laptop.", "attributes": ["case cover", "carrying case"], "options": ["size: 13.3-inch"], "instruction_attributes": ["carrying case"], "instruction_options": ["13.3-inch"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJDX0WB", "worker_id": "A19317A3X87NVM"}], "B00WFDK8L6": [{"asin": "B00WFDK8L6", "instruction": "i am looking for a 12 count package of pomegranate fruit bars that do not have nuts or dairy in them.", "attributes": ["gluten free", "low sodium", "nut free", "plant based", "dairy free", "non gmo", "0g trans", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: pomegranate", "size: 12 count (pack of 1)"], "instruction_attributes": ["nut free", "dairy free"], "instruction_options": ["pomegranate", "12 count (pack of 1)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZ5ZKLA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00WFDK8L6", "instruction": "i am looking for a gluten free fig flavored snack bar.", "attributes": ["gluten free", "low sodium", "nut free", "plant based", "dairy free", "non gmo", "0g trans", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: fig", "size: 12 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["fig"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY866O184", "worker_id": "A1EREKSZAA9V7B"}], "B00RBU6JMU": [{"asin": "B00RBU6JMU", "instruction": "i would like a size 11 navy fashionable shoe with a rubber sole.", "attributes": ["slip resistant", "relaxed fit", "memory foam", "rubber sole"], "options": ["color: navy | gray", "size: 11"], "instruction_attributes": ["rubber sole"], "instruction_options": ["navy | gray", "11"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP52QDB", "worker_id": "A1WS884SI0SLO4"}], "B09C85PRKX": [{"asin": "B09C85PRKX", "instruction": "i would like to get a medium black long sleeve hoodie that's pretty loose.", "attributes": ["hand wash", "long sleeve", "polyester cotton"], "options": ["color: black loose", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black loose", "medium"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW7EFN7", "worker_id": "A1WS884SI0SLO4"}], "B07R9M1GJM": [{"asin": "B07R9M1GJM", "instruction": "i need basic nylon high waist pants that are xx-large with a 37 inch inseam.", "attributes": ["nylon spandex", "tummy control", "high waist"], "options": ["color: basic nylon_heathernavy", "size: xx-large | 37\" inseam"], "instruction_attributes": ["high waist"], "instruction_options": ["basic nylon_heathernavy", "xx-large | 37\" inseam"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAT48AV", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07R9M1GJM", "instruction": "i would like a large heather gray pair of high waisted yoga pants.", "attributes": ["nylon spandex", "tummy control", "high waist"], "options": ["color: basic cotton_heathergray(1)", "size: large | 37\" inseam"], "instruction_attributes": ["high waist"], "instruction_options": ["basic cotton_heathergray(1)", "large | 37\" inseam"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVKVLXT", "worker_id": "A1WS884SI0SLO4"}], "B073QZJZVG": [{"asin": "B073QZJZVG", "instruction": "i'm looking for a ware resistant flip flop sandal made of rubber outsole and rubber sole. also choose navy blue colored sandals with size 10-11, and special size of 3.5-4.5.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: blue (navy | silver)", "size: 10-11", "special size type: 3.5-4.5"], "instruction_attributes": ["water resistant", "rubber outsole", "rubber sole"], "instruction_options": ["blue (navy | silver)", "10-11", "3.5-4.5"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS354014MMUG", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B073QZJZVG", "instruction": "i am looking for water resistant and rubber sole type havaianas women's slim little birds flip flop sandal also color is light lilac and size is 8.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: light lilac", "size: 8", "special size type: 5.5-6.5"], "instruction_attributes": ["water resistant", "rubber sole"], "instruction_options": ["light lilac", "8"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRD6Y25", "worker_id": "A3RBCGB309WPOC"}, {"asin": "B073QZJZVG", "instruction": "i am looking for a women's little bird (slim) flip flop/sandal with a rubber outsole in the color blueblue, and a size 4 | 5 uk (or special size type 8 made by havaianas.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: blueblue)", "size: 4 | 5 uk", "special size type: 8"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["blueblue)", "4 | 5 uk", "8"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EE9WS5", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B073QZJZVG", "instruction": "i want a pair of size 3 type 10 gold sandgrey lightgolden flip flops with a rubber sole.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: gold sandgrey lightgolden 2719", "size: 3-4", "special size type: 9-10"], "instruction_attributes": ["rubber sole"], "instruction_options": ["gold sandgrey lightgolden 2719", "3-4", "9-10"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUJES5X", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B073QZJZVG", "instruction": "i need water resistant flip flops that are a size 10 little kid", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: gold sandgrey lightgolden 2719", "size: 10 little kid", "special size type: 39 eu"], "instruction_attributes": ["water resistant"], "instruction_options": ["10 little kid"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT3AAHJ7", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B073QZJZVG", "instruction": "i want navy and water resistant havaianas women's flip flop sandals.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: blue(navy blue)", "size: 5", "special size type: 3.5-4.5"], "instruction_attributes": ["water resistant"], "instruction_options": ["blue(navy blue)"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53VQGKR", "worker_id": "A2RBF3IIJP15IH"}], "B07Q73Y6BY": [{"asin": "B07Q73Y6BY", "instruction": "i need some vanity lights that are clear glass", "attributes": ["clear glass", "glass shade"], "options": [""], "instruction_attributes": ["clear glass"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZH91YS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09F6C3XGC": [{"asin": "B09F6C3XGC", "instruction": "i am looking for an iphone case that is easy to install and is metallic gun metal.", "attributes": ["hands free", "easy install"], "options": ["color: metallic gun metal"], "instruction_attributes": ["easy install"], "instruction_options": ["metallic gun metal"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUD73CG", "worker_id": "A2ECRNQ3X5LEXD"}], "B0861SJPCV": [{"asin": "B0861SJPCV", "instruction": "i want to find one pack of freeze-dried, shelf-stable s'mores cookies made with quality ingredients.", "attributes": ["fully cooked", "freeze dried", "shelf stable", "ready eat", "gluten free", "quality ingredients"], "options": ["size: 1 pack"], "instruction_attributes": ["freeze dried", "shelf stable", "quality ingredients"], "instruction_options": ["1 pack"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UH6XIQK", "worker_id": "A345TDMHP3DQ3G"}], "B08R6X3BPF": [{"asin": "B08R6X3BPF", "instruction": "i need high quality size 23 makeup brushes.", "attributes": ["high quality", "synthetic hair"], "options": ["size: 23"], "instruction_attributes": ["high quality"], "instruction_options": ["23"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7F3OBH", "worker_id": "A36LOA6VLJU157"}], "B092KX93Z9": [{"asin": "B092KX93Z9", "instruction": "i would like to get a 1080p hd camera with a carrying case.", "attributes": ["water resistant", "1080p hd", "carrying case"], "options": [""], "instruction_attributes": ["1080p hd", "carrying case"], "instruction_options": [], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E0THXJ", "worker_id": "A1WS884SI0SLO4"}], "B015NBTAOW": [{"asin": "B015NBTAOW", "instruction": "i am looking for a plug and play red mouse.", "attributes": ["batteries included", "plug play"], "options": ["color: red"], "instruction_attributes": ["plug play"], "instruction_options": ["red"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH2Z1E2", "worker_id": "A2ECRNQ3X5LEXD"}], "B001TSK3AY": [{"asin": "B001TSK3AY", "instruction": "i am looking for an anti-perspirant", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOFW9MO", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PG6YSMS": [{"asin": "B09PG6YSMS", "instruction": "i need a long lasting cell phone that is 128 gb.", "attributes": ["long lasting", "fast charging"], "options": ["size: 128gb"], "instruction_attributes": ["long lasting"], "instruction_options": ["128gb"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7SN6YT", "worker_id": "A2ECRNQ3X5LEXD"}], "B01B9A3U6A": [{"asin": "B01B9A3U6A", "instruction": "i need a living room area rug thare is silver and blue and is a 9' square.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: silver | blue", "size: 9' square"], "instruction_attributes": ["living room"], "instruction_options": ["silver | blue", "9' square"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQ65HHD", "worker_id": "A2ECRNQ3X5LEXD"}], "B00KSLX4AO": [{"asin": "B00KSLX4AO", "instruction": "i would like a high performance outdoor speaker.", "attributes": ["power amplifier", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH0D1VP", "worker_id": "A1WS884SI0SLO4"}], "B07J4ZKB44": [{"asin": "B07J4ZKB44", "instruction": "i need a glass shade that is chrome colored.", "attributes": ["glass shade", "clear glass"], "options": ["color: chrome"], "instruction_attributes": ["glass shade"], "instruction_options": ["chrome"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEDD688", "worker_id": "A2ECRNQ3X5LEXD"}], "B0010NYC3M": [{"asin": "B0010NYC3M", "instruction": "can i get a 4 fluid ounce bottle of violet night hair dye.", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: violet night", "size: 4 fl oz (pack of 1)"], "instruction_attributes": ["hair dye"], "instruction_options": ["violet night", "4 fl oz (pack of 1)"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYI6DH2", "worker_id": "A1WS884SI0SLO4"}], "B08169JG35": [{"asin": "B08169JG35", "instruction": "i would like to buy a 14 inch rose gold throw pillow cover for my living room.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: rose gold", "size: 14 inch (pack of 1)"], "instruction_attributes": ["living room"], "instruction_options": ["rose gold", "14 inch (pack of 1)"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K2112Y", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08169JG35", "instruction": "i need a 14 inch pillow cover that fits for my sofa in living room. and please select the peach pink one", "attributes": ["exquisite workmanship", "living room"], "options": ["color: peach pink", "size: 14 inch (pack of 1)"], "instruction_attributes": ["living room"], "instruction_options": ["peach pink", "14 inch (pack of 1)"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI8UABJ", "worker_id": "A2COCSUGZV28X"}], "B09MWDNSJL": [{"asin": "B09MWDNSJL", "instruction": "i would like to buy a high quality hair regrowth treatment made from natural ingredients.", "attributes": ["high quality", "natural ingredients", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["high quality", "natural ingredients", "hair growth"], "instruction_options": [], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QLVOX0", "worker_id": "A1WS884SI0SLO4"}], "B09KNWQ36B": [{"asin": "B09KNWQ36B", "instruction": "i would like to buy some lotion for my dry skin.", "attributes": ["sensitive skin", "dry skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZEB9K1", "worker_id": "A1WS884SI0SLO4"}], "B07GF3B95T": [{"asin": "B07GF3B95T", "instruction": "i need 14 inch hair extensions that are a medium brown to dark blonde.", "attributes": ["double sided", "hair extensions"], "options": ["color: medium brown to dark blonde", "size: 14 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["medium brown to dark blonde", "14 inch"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWU3CR9D", "worker_id": "A2ECRNQ3X5LEXD"}], "B08KHN1MPZ": [{"asin": "B08KHN1MPZ", "instruction": "i'm looking to get some fluorescent purple nail art glitter.", "attributes": ["animal testing", "cruelty free", "easy use", "nail art"], "options": ["color: fluorescent purple", "size: super chunky - 100g | 3.5oz"], "instruction_attributes": ["nail art"], "instruction_options": ["fluorescent purple"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDST7VU7", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B08KHN1MPZ", "instruction": "i'm looking for body make up for skin care accessories.", "attributes": ["animal testing", "cruelty free", "easy use", "nail art"], "options": ["color: rose gold holographic", "size: microfine - 10g | 0.35oz sample"], "instruction_attributes": ["animal testing", "easy use", "nail art"], "instruction_options": ["rose gold holographic"], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZQP05A", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08KHN1MPZ", "instruction": "i am looking for arts craft turquoise blue nails.", "attributes": ["animal testing", "cruelty free", "easy use", "nail art"], "options": ["color: turquoise blue", "size: microfine - 10g | 0.35oz sample"], "instruction_attributes": ["nail art"], "instruction_options": ["turquoise blue"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQECQSH", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B08KHN1MPZ", "instruction": "i am looking for a fluorescent pink color microfine body glitter which is animal tested and cruelty free.", "attributes": ["animal testing", "cruelty free", "easy use", "nail art"], "options": ["color: fluorescent pink", "size: ultrafine - 10g | 0.35oz sample"], "instruction_attributes": ["animal testing", "cruelty free"], "instruction_options": ["fluorescent pink"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRN2FMH", "worker_id": "A1V2JTEEBCXR20"}, {"asin": "B08KHN1MPZ", "instruction": "i am looking for a turquoise blue color of body glitter nail art", "attributes": ["animal testing", "cruelty free", "easy use", "nail art"], "options": ["color: turquoise blue", "size: chunky - 100g | 3.5oz"], "instruction_attributes": ["nail art"], "instruction_options": ["turquoise blue"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HUMPB6", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B08KHN1MPZ", "instruction": "i am looking for a gold body glitter for nail art", "attributes": ["animal testing", "cruelty free", "easy use", "nail art"], "options": ["color: gold", "size: fine - 100g | 3.5oz"], "instruction_attributes": ["nail art"], "instruction_options": ["fine - 100g | 3.5oz"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS32G9P", "worker_id": "A9QRQL9CFJBI7"}], "B07V2NTJCD": [{"asin": "B07V2NTJCD", "instruction": "i am looking for a floor lamp that has a bronze finish.", "attributes": ["bronze finish", "living room"], "options": [""], "instruction_attributes": ["bronze finish"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSEU8B1", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FJW2L94": [{"asin": "B09FJW2L94", "instruction": "i need a hard shell case cover for my macbook 12 retina that is sosuke and ponyo colored.", "attributes": ["non slip", "case cover"], "options": ["color: sosuke & ponyo", "size: a1534 (macbook 12 retina)"], "instruction_attributes": ["case cover"], "instruction_options": ["sosuke & ponyo", "a1534 (macbook 12 retina)"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYRN36F", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09FJW2L94", "instruction": "i am looking for a a2442(pro 14\" 2021 m1 pro | max touch id) size of hard shell cases over.", "attributes": ["non slip", "case cover"], "options": ["color: colored graffiti", "size: a2442(pro 14\" 2021 m1 pro | max touch id)"], "instruction_attributes": ["case cover"], "instruction_options": ["a2442(pro 14\" 2021 m1 pro | max touch id)"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54S2837", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09FJW2L94", "instruction": "i'm looking for computer accessories for bag and cases its easy to use.", "attributes": ["non slip", "case cover"], "options": ["color: retro pattern", "size: a2141(pro 16\" touch bar 2019)"], "instruction_attributes": ["case cover"], "instruction_options": ["retro pattern"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FKWU42", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09FJW2L94", "instruction": "i'm looking for a non-slip laptop case with a color that has animal colors.", "attributes": ["non slip", "case cover"], "options": ["color: animal", "size: a2141(pro 16\" touch bar 2019)"], "instruction_attributes": ["non slip", "case cover"], "instruction_options": ["animal"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0XIARN", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09FJW2L94", "instruction": "i want a pink marble bandless case cover that is compatible with macbook pros.", "attributes": ["non slip", "case cover"], "options": ["color: pink marble", "size: a2442(pro 14\" 2021 m1 pro | max touch id)"], "instruction_attributes": ["case cover"], "instruction_options": ["pink marble"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOHHYDQ", "worker_id": "A2RBF3IIJP15IH"}], "B07MHYH619": [{"asin": "B07MHYH619", "instruction": "i am interested in some noise cancelling earbud headphones.", "attributes": ["water resistant", "noise cancelling", "easy use"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXLZ2EA6", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GNQF1TF": [{"asin": "B09GNQF1TF", "instruction": "i am looking for a steel frame that is light pink and for a full sized bed.", "attributes": ["easy clean", "box spring", "king size", "memory foam", "steel frame"], "options": ["color: light pink", "size: full"], "instruction_attributes": ["steel frame"], "instruction_options": ["light pink", "full"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KIMUHE", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BXJJSH5": [{"asin": "B08BXJJSH5", "instruction": "i need a gold storage case.", "attributes": ["long lasting", "storage case"], "options": ["color: gold"], "instruction_attributes": ["storage case"], "instruction_options": ["gold"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQ66CJ6", "worker_id": "A19317A3X87NVM"}], "B09DCZHF6S": [{"asin": "B09DCZHF6S", "instruction": "i am looking for a green home office chair that is height adjustable.", "attributes": ["height adjustable", "high density", "easy clean", "pu leather"], "options": ["color: green"], "instruction_attributes": ["height adjustable"], "instruction_options": ["green"], "assignment_id": "3R2PKQ87N7I6FN5SSV9EK2GP762MI5", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HGC3QTJ": [{"asin": "B09HGC3QTJ", "instruction": "i need a lightweight sweatshirt that is grey and in a small.", "attributes": ["light weight", "hand wash", "long sleeve", "short sleeve", "faux fur", "tumble dry", "daily wear"], "options": ["color: 08 # gray", "size: small"], "instruction_attributes": ["light weight"], "instruction_options": ["08 # gray", "small"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFBQVM9", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NM2XSDC": [{"asin": "B07NM2XSDC", "instruction": "i would like to get two assorted non-gmo powdered cheeses.", "attributes": ["low calorie", "non gmo", "old fashioned", "gluten free"], "options": ["size: 2 piece assortment"], "instruction_attributes": ["non gmo"], "instruction_options": ["2 piece assortment"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69I18PE", "worker_id": "A1WS884SI0SLO4"}], "B01MUEYBDN": [{"asin": "B01MUEYBDN", "instruction": "i am looking for comfortable fit sneakers that are in a size 4.5 and are black and white chambray.", "attributes": ["comfortable fit", "rubber outsole", "rubber sole"], "options": ["color: black | white chambray", "size: 4.5"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["black | white chambray", "4.5"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXHH2ZR", "worker_id": "A2ECRNQ3X5LEXD"}], "B01GCGKI3O": [{"asin": "B01GCGKI3O", "instruction": "i want to buy a single 3ft black hdmi cable that works with my 4k high definition tv.", "attributes": ["high speed", "high definition"], "options": ["color: black", "size: 3ft", "style: single"], "instruction_attributes": ["high definition"], "instruction_options": ["black", "3ft", "single"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU3QCM5", "worker_id": "A1WS884SI0SLO4"}], "B095HQCQMK": [{"asin": "B095HQCQMK", "instruction": "i am looking for a sweater that is machine washable in an xx-large and is in the color 22.", "attributes": ["machine washable", "machine wash", "quality polyester", "long sleeve", "polyester cotton", "teen girls"], "options": ["color: 22", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["22", "xx-large"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKS5UI5", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PG8G4G8": [{"asin": "B09PG8G4G8", "instruction": "i want to find an oral patch that i can use to control bad breath odor.", "attributes": ["fresh breath", "bad breath"], "options": [""], "instruction_attributes": ["bad breath"], "instruction_options": [], "assignment_id": "38F71OA9G46M5W32RN3TH53XRD8FM3", "worker_id": "A345TDMHP3DQ3G"}], "B07GYZZBRK": [{"asin": "B07GYZZBRK", "instruction": "i would like a cupcake topper that would be appropriate for a baby shower.", "attributes": ["easy use", "party supplies", "baby shower"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3C1VBZ", "worker_id": "A1WS884SI0SLO4"}], "B07RL3B6BC": [{"asin": "B07RL3B6BC", "instruction": "i would like a grey bed made of solid wood.", "attributes": ["white item", "assembly required", "white finish", "box spring", "solid wood"], "options": ["color: grey"], "instruction_attributes": ["solid wood"], "instruction_options": ["grey"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BHCJVA", "worker_id": "A1WS884SI0SLO4"}], "B08LQSCBCW": [{"asin": "B08LQSCBCW", "instruction": "i would like a core i5 desktop that has 8gb of ram and an ssd of 256gb.", "attributes": ["core i5", "intel core"], "options": ["configuration: 8gb ram | 256gb ssd"], "instruction_attributes": ["core i5"], "instruction_options": ["8gb ram | 256gb ssd"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z989E2S", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LY9SRXN": [{"asin": "B09LY9SRXN", "instruction": "i am looking for a light weight hard shell case that is 14 inches and is in the color yellow tansy.", "attributes": ["light weight", "case cover"], "options": ["color: 14inch-yellow tansy"], "instruction_attributes": ["light weight"], "instruction_options": ["14inch-yellow tansy"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35FBGUX", "worker_id": "A2ECRNQ3X5LEXD"}], "B083RYJT6M": [{"asin": "B083RYJT6M", "instruction": "i am looking for a paleo seasoning set that is 2.5 ounces and is low sodium.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: paleo seasoning set", "size: 2.5 ounce (pack of 1)", "style: 5 ounce (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["paleo seasoning set", "2.5 ounce (pack of 1)"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP6U3VDQ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B083RYJT6M", "instruction": "i am looking for gluten free paleo seasoning food .", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: paleo seasoning set", "size: 1.5 pound (pack of 1)", "style: lifestyle pack - standard size"], "instruction_attributes": ["gluten free"], "instruction_options": ["paleo seasoning set"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OL499E", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B083RYJT6M", "instruction": "i want to find low sodium everyday seasoning that i can use, in both a 2 ounce bottle and a 2.5 ounce bottle.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 2 ounce (pack of 1)", "style: 2.5 ounce (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["everyday seasonings", "2 ounce (pack of 1)", "2.5 ounce (pack of 1)"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVNBKJ3", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B083RYJT6M", "instruction": "hello ! i need paleo everyday seasonings powder which is gluten free and has low sodium.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 1 pound (pack of 1)", "style: 1.5 pound (pack of 1)"], "instruction_attributes": ["low sodium", "gluten free"], "instruction_options": ["everyday seasonings"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IQ4TLJ", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B083RYJT6M", "instruction": "i am searching for low sodium food, gluten free everyday seasonings, 2.5 ounce (pack of 1)", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 2.5 ounce (pack of 1)", "style: 2.01 ounce (pack of 1)"], "instruction_attributes": ["low sodium", "gluten free"], "instruction_options": ["everyday seasonings", "2.5 ounce (pack of 1)"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RJXFL2", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B083RYJT6M", "instruction": "i want a 1.5 pound box of 2 ounce paleo seasoning bottles that are low sodium..", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: paleo seasoning set", "size: 2 ounce (pack of 1)", "style: 1.5 pound (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["paleo seasoning set", "2 ounce (pack of 1)", "1.5 pound (pack of 1)"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6AJ5GT", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B083RYJT6M", "instruction": "i need everyday seasoning in a 4 piece assortment pack which should have low sodium and is gluten free.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 4 piece assortment", "style: 2.01 ounce (pack of 1)"], "instruction_attributes": ["low sodium", "gluten free"], "instruction_options": ["everyday seasonings", "4 piece assortment"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HG9LHYT", "worker_id": "ASWFLI3N8X72G"}], "B09SP83RFP": [{"asin": "B09SP83RFP", "instruction": "i would like to buy some hair growth treatments made from natural ingredients.", "attributes": ["easy use", "natural ingredients", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["natural ingredients", "hair growth"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYD3L60", "worker_id": "A1WS884SI0SLO4"}], "B09SKGVDWZ": [{"asin": "B09SKGVDWZ", "instruction": "i am looking for tempered glass screen protectors for the iphone 12 mini.", "attributes": ["high definition", "glass screen", "tempered glass"], "options": ["color: iphone 12 mini"], "instruction_attributes": ["tempered glass"], "instruction_options": ["iphone 12 mini"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS152CXD", "worker_id": "A2ECRNQ3X5LEXD"}], "B00PNMFH80": [{"asin": "B00PNMFH80", "instruction": "i am looking for fruit snacks that are fat free.", "attributes": ["fat free", "gluten free", "source vitamin"], "options": [""], "instruction_attributes": ["fat free"], "instruction_options": [], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZFYC7Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B0815YKZSP": [{"asin": "B0815YKZSP", "instruction": "i would like to buy some orange office chairs that have great lumbar support..", "attributes": ["height adjustable", "lumbar support"], "options": ["color: orange"], "instruction_attributes": ["lumbar support"], "instruction_options": ["orange"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSIK0XR", "worker_id": "A1WS884SI0SLO4"}], "B008XDPCQI": [{"asin": "B008XDPCQI", "instruction": "i'm looking for a rich and creamy crab, clam, and corn chowder bisque. choose the ones that comes in 10.5 oz canes of 6.", "attributes": ["rich creamy", "hand crafted"], "options": ["size: 10.5 ounce (pack of 6)", "style: clam and corn chowder"], "instruction_attributes": ["rich creamy"], "instruction_options": ["10.5 ounce (pack of 6)", "clam and corn chowder"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH5ME18", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B008XDPCQI", "instruction": "i am purchasing for rich creamy type bar harbor soup bisque crab also size is 10.5 ounce", "attributes": ["rich creamy", "hand crafted"], "options": ["size: 10.5 ounce (pack of 6)", "style: crab bisque"], "instruction_attributes": ["rich creamy"], "instruction_options": ["10.5 ounce (pack of 6)"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUVBRMQ", "worker_id": "A3RBCGB309WPOC"}, {"asin": "B008XDPCQI", "instruction": "i'm looking for bar harbor soup crab.", "attributes": ["rich creamy", "hand crafted"], "options": ["size: 10.5 ounce (pack of 1)", "style: clam and corn chowder"], "instruction_attributes": ["hand crafted"], "instruction_options": ["10.5 ounce (pack of 1)"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWRYW69", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B008XDPCQI", "instruction": "i need a good doup bisque that's hand crafted. select the manhatten clam chowder variety.", "attributes": ["rich creamy", "hand crafted"], "options": ["size: 10.5 ounce (pack of 1)", "style: manhatten clam chowder"], "instruction_attributes": ["hand crafted"], "instruction_options": ["manhatten clam chowder"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUGAC3Y", "worker_id": "A31PW970Z2PC5P"}], "B0868DCGK3": [{"asin": "B0868DCGK3", "instruction": "i would like to buy a three pack of fine combs good for styling dry hair.", "attributes": ["hair styling", "dry hair"], "options": ["color: 3 pack(fine comb)"], "instruction_attributes": ["hair styling", "dry hair"], "instruction_options": ["3 pack(fine comb)"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8AP5R2", "worker_id": "A1WS884SI0SLO4"}], "B09PBR8NS9": [{"asin": "B09PBR8NS9", "instruction": "i would like to buy some colorful medium long sleeve pajamas from quality fabrics that i can wear every day.", "attributes": ["long sleeve", "quality materials", "daily wear"], "options": ["color: a4-colorful", "size: medium"], "instruction_attributes": ["long sleeve", "quality materials", "daily wear"], "instruction_options": ["a4-colorful", "medium"], "assignment_id": "37TRT2X24116R7L1JO45INKV8OWBJU", "worker_id": "A1WS884SI0SLO4"}], "B09C3SD83Q": [{"asin": "B09C3SD83Q", "instruction": "i want a cruelty free lip gloss that is in shimmy glossy and comes in a pack of 8.", "attributes": ["cruelty free", "dry skin", "sensitive skin"], "options": ["color: (shimmer glossy, 8pcs-b)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["(shimmer glossy, 8pcs-b)"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J3QFSH", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R95Z7BF": [{"asin": "B08R95Z7BF", "instruction": "i want to find a strawberry scented foot peel mask that has argan oil as a key ingredient.", "attributes": ["high quality", "argan oil", "natural ingredients", "dead skin", "dry skin"], "options": ["scent: strawberry"], "instruction_attributes": ["argan oil"], "instruction_options": ["strawberry"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMNRG2C", "worker_id": "A345TDMHP3DQ3G"}], "B00IQCRTXU": [{"asin": "B00IQCRTXU", "instruction": "i need a compact flaschard that is high speed and has a 512gb capacity.", "attributes": ["1080p hd", "high speed"], "options": ["capacity: 512gb", "style: cfexpress + usb reader"], "instruction_attributes": ["high speed"], "instruction_options": ["512gb"], "assignment_id": "354P56DE9VDCOY11T1135MPMLF8S7R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00IQCRTXU", "instruction": "i am looking for a high speed compactflash card with128gb 2 -pack capacity. also choose cfexpress + usb reader style.", "attributes": ["1080p hd", "high speed"], "options": ["capacity: 128gb 2-pack", "style: cfexpress + usb reader"], "instruction_attributes": ["high speed"], "instruction_options": ["128gb 2-pack", "cfexpress + usb reader"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292X5PWQC", "worker_id": "A2HMEGTAFO0CS8"}], "B09RFM8Q7G": [{"asin": "B09RFM8Q7G", "instruction": "i want to find a yellow manual toothbrush suitable for 7-14 year old kids with sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: yellow-f", "size: 7-14 year"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["yellow-f", "7-14 year"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJDY8ZH", "worker_id": "A345TDMHP3DQ3G"}], "B09QQ16D9H": [{"asin": "B09QQ16D9H", "instruction": "i'd like to find a green toothbrush suitable for 7-12 year old kids with sensitive teeth.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: green#6", "size: 7-12 year old"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["green#6", "7-12 year old"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZ4WLK6", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09QQ16D9H", "instruction": "i would like a red tooth brush for my 7 -12 year old's sensitive teeth.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: red#3", "size: 7-12 year old"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["red#3", "7-12 year old"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC07NI9", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09QQ16D9H", "instruction": "i'm looking for a easy to use manual toothbrush for sensitive teeth. also choose 7-12 year old kids usable blue colored one.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: blue#2", "size: 7-12 year old"], "instruction_attributes": ["easy use", "sensitive teeth"], "instruction_options": ["blue#2", "7-12 year old"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95V2QXH", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B09QQ16D9H", "instruction": "i need to find an easy to use toothbrush for a seven year old. look for a yellow one.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: yellow#2", "size: 7-14 year old"], "instruction_attributes": ["easy use"], "instruction_options": ["yellow#2", "7-14 year old"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXJ8WKY", "worker_id": "AR9AU5FY1S3RO"}], "B002OEPJK6": [{"asin": "B002OEPJK6", "instruction": "i'm looking for a black colored king sized bed with night stand and chest made of engineered wood.", "attributes": ["assembly required", "engineered wood"], "options": ["color: black", "size: king", "style: bed | night stand & chest"], "instruction_attributes": ["engineered wood"], "instruction_options": ["black", "king", "bed | night stand & chest"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C46YI0T", "worker_id": "AR0VJ5XRG16UJ"}], "B09LVV68PS": [{"asin": "B09LVV68PS", "instruction": "i need a usb flash drive that can carry 512gb and is in the style of istorage miscrosd card and datashur sd drive", "attributes": ["easy use", "usb port"], "options": ["capacity: 512gb", "style: datashur sd drive + istorage microsd card"], "instruction_attributes": ["usb port"], "instruction_options": ["512gb", "datashur sd drive + istorage microsd card"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17XYDY31", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09LVV68PS", "instruction": "i would like a 3 pack of istorage 0gb microsd cards that are easy to use.", "attributes": ["easy use", "usb port"], "options": ["capacity: 0gb", "style: istorage microsd card | 3 pack"], "instruction_attributes": ["easy use"], "instruction_options": ["0gb", "istorage microsd card | 3 pack"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMH0QB7V", "worker_id": "A1WS884SI0SLO4"}], "B07CG6N4K7": [{"asin": "B07CG6N4K7", "instruction": "i would like to get some size 10 red pumps with a rubber sole.", "attributes": ["day comfort", "rubber sole"], "options": ["color: black-red", "size: 10"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black-red", "10"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTP74EM", "worker_id": "A1WS884SI0SLO4"}], "B07JX7QM8G": [{"asin": "B07JX7QM8G", "instruction": "i'm looking for a high performance paint contrast projector.", "attributes": ["high performance", "high definition"], "options": ["model: projection paint contrast"], "instruction_attributes": ["high performance"], "instruction_options": ["projection paint contrast"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR4ZOUFN", "worker_id": "A19317A3X87NVM"}], "B08FXNWKYV": [{"asin": "B08FXNWKYV", "instruction": "i want to get some photo studio backgrounds that are dust proof and for high resolution.", "attributes": ["dust proof", "high resolution"], "options": [""], "instruction_attributes": ["dust proof", "high resolution"], "instruction_options": [], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXPPYMC", "worker_id": "A2YNPKYEFDZ6C9"}], "B09D2ZKB99": [{"asin": "B09D2ZKB99", "instruction": "i would like to buy a 16 x 36 inch round clear table pad for my dining room table that's easy to clean.", "attributes": ["eco friendly", "easy clean", "dining room"], "options": ["color: round new clear", "size: 16x36 inch"], "instruction_attributes": ["easy clean", "dining room"], "instruction_options": ["round new clear", "16x36 inch"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C1NPH6", "worker_id": "A1WS884SI0SLO4"}], "B01FTZYWJK": [{"asin": "B01FTZYWJK", "instruction": "find me a carbon fiber tripod stand.", "attributes": ["quick release", "easy carry", "carbon fiber"], "options": [""], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJDXW07", "worker_id": "A36LOA6VLJU157"}], "B093CXPS8D": [{"asin": "B093CXPS8D", "instruction": "i need an led video light that is l6000a. some batteries would be nice.", "attributes": ["batteries included", "easy use"], "options": ["color: rgb light for photography", "size: l6000a"], "instruction_attributes": ["batteries included"], "instruction_options": ["l6000a"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDMKQZG", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B093CXPS8D", "instruction": "i need an easy to use warm light for photography", "attributes": ["batteries included", "easy use"], "options": ["color: white + warm light for photography", "size: l5000r"], "instruction_attributes": ["easy use"], "instruction_options": ["white + warm light for photography"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJPO0WQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B001VNGOAA": [{"asin": "B001VNGOAA", "instruction": "i need one pound of kosher echinacea.", "attributes": ["easy prepare", "kosher certified"], "options": ["size: 1 pound (pack of 1)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4BO89I", "worker_id": "A2ECRNQ3X5LEXD"}], "B098XC1XZP": [{"asin": "B098XC1XZP", "instruction": "i need a long sleeved hoodie that is an xx-large and is in the color gray.", "attributes": ["hand wash", "machine washable", "long sleeve", "drawstring closure", "polyester spandex", "daily wear"], "options": ["color: s-aa-gray", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["s-aa-gray", "xx-large"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8L45O1T", "worker_id": "A2ECRNQ3X5LEXD"}], "B07MG55SJB": [{"asin": "B07MG55SJB", "instruction": "i need a protective ac output cable cord.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3IZ0DF3", "worker_id": "A19317A3X87NVM"}, {"asin": "B07MG55SJB", "instruction": "i would like a ac adapter with output protection.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFDSLV3", "worker_id": "A1WS884SI0SLO4"}], "B085T9CWGD": [{"asin": "B085T9CWGD", "instruction": "i would like to get some 20 mm c-0.10 made from high quality materials false lashes.", "attributes": ["cruelty free", "high quality", "quality materials"], "options": ["scent: c-0.10", "size: 20-25 mm"], "instruction_attributes": ["high quality", "quality materials"], "instruction_options": ["c-0.10", "20-25 mm"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU482X4PY9", "worker_id": "A1WS884SI0SLO4"}], "B09854W487": [{"asin": "B09854W487", "instruction": "i'm looking for a 6-count pack of birthday cake flavored donuts that are keto friendly.", "attributes": ["soy free", "keto friendly", "low sugar", "gluten free", "ready eat", "low carb", "quality ingredients", "birthday cake"], "options": ["flavor: birthday cake", "size: 6 count"], "instruction_attributes": ["keto friendly", "birthday cake"], "instruction_options": ["birthday cake", "6 count"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0KFARU", "worker_id": "A345TDMHP3DQ3G"}], "B09RF8CHQK": [{"asin": "B09RF8CHQK", "instruction": "i would like to buy a medium blue short sleeve t-shirt appropriate for a teenage girl.", "attributes": ["loose fit", "polyester cotton", "short sleeve", "long sleeve", "teen girls", "daily wear"], "options": ["color: a03-blue", "size: medium"], "instruction_attributes": ["short sleeve", "teen girls"], "instruction_options": ["a03-blue", "medium"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR0UC0Z", "worker_id": "A1WS884SI0SLO4"}], "B092CP85HK": [{"asin": "B092CP85HK", "instruction": "i need a long lasting white eye shadow.", "attributes": ["highly pigmented", "easy apply", "easy clean", "cruelty free", "long lasting", "eye shadow"], "options": ["color: white 1"], "instruction_attributes": ["long lasting"], "instruction_options": ["white 1"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYK89QY", "worker_id": "A2ECRNQ3X5LEXD"}], "B00A74HZN4": [{"asin": "B00A74HZN4", "instruction": "i want some chincilla 29w x 32l regular straight leg jeans.", "attributes": ["straight leg", "machine wash", "imported zipper"], "options": ["color: chinchilla - soft washed twill", "fit type: regular", "size: 29w x 32l"], "instruction_attributes": ["straight leg"], "instruction_options": ["chinchilla - soft washed twill", "regular", "29w x 32l"], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW64KVV8", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00A74HZN4", "instruction": "i am looking for levi's 514 straight fit jeans for men with straight legs and a regular fit.", "attributes": ["straight leg", "machine wash", "imported zipper"], "options": ["color: native cali - advanced stretch", "fit type: regular", "size: 36w x 30l"], "instruction_attributes": ["straight leg"], "instruction_options": ["regular"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQTN4BH", "worker_id": "A1EREKSZAA9V7B"}], "B084C23QZD": [{"asin": "B084C23QZD", "instruction": "i'm looking for a pair of ivory-colored noise-cancelling headphones.", "attributes": ["noise cancelling", "carrying case"], "options": ["color: ivory"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["ivory"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J2PFSE", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B084C23QZD", "instruction": "i want a on-ear headphone with noise cancelling", "attributes": ["noise cancelling", "carrying case"], "options": ["color: dark blue"], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASIAB75X0", "worker_id": "AVIEE6LDH0BT5"}], "B08BDLWRG8": [{"asin": "B08BDLWRG8", "instruction": "i would like to buy a pack of 6 individually wrapped cookie gift basket.", "attributes": ["baked fresh", "individually wrapped", "gift basket"], "options": ["number of items: 6"], "instruction_attributes": ["individually wrapped", "gift basket"], "instruction_options": ["6"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8DD4RD", "worker_id": "A1WS884SI0SLO4"}], "B09RJ4T8FR": [{"asin": "B09RJ4T8FR", "instruction": "i would like to buy a large black short short sleeve polo shirt.", "attributes": ["slim fit", "long sleeve", "regular fit", "short sleeve"], "options": ["color: black", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["black", "large"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6475WH3N", "worker_id": "A1WS884SI0SLO4"}], "B08888J18H": [{"asin": "B08888J18H", "instruction": "i need sneakers that have a rubber sole and are a grey blue color in a size 7.", "attributes": ["non slip", "rubber sole"], "options": ["color: grey_blue", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["grey_blue", "7"], "assignment_id": "37Z929RLGKIZMWY86444AIH4ACYTS3", "worker_id": "A2ECRNQ3X5LEXD"}], "B01HJW7AHC": [{"asin": "B01HJW7AHC", "instruction": "i want to buy a two pack of high-speed gold-plated hdmi cables.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 10 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["2 pack"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZK604X", "worker_id": "A2YNPKYEFDZ6C9"}], "B09JKCX4WH": [{"asin": "B09JKCX4WH", "instruction": "keego window blinds will they block out all the sun light or will there be cracks?", "attributes": ["easy install", "living room"], "options": ["color: white - blackout", "size: 64\"w x 64\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["white - blackout"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYEJHDB", "worker_id": "A2NF3B9O8ZKLLZ"}], "B00P1Q5JHW": [{"asin": "B00P1Q5JHW", "instruction": "i want to find 5.3 ounces of plant-based organic hair dye in a dark chocolate color.", "attributes": ["plant based", "easy use", "hair dye"], "options": ["color: dark chocolate", "size: 5.3 ounce (pack of 1)"], "instruction_attributes": ["plant based", "hair dye"], "instruction_options": ["dark chocolate", "5.3 ounce (pack of 1)"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNFVIDL4", "worker_id": "A345TDMHP3DQ3G"}], "B07V6HF7QF": [{"asin": "B07V6HF7QF", "instruction": "i would like a stainless steel coaxial car speaker.", "attributes": ["quick release", "stainless steel"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYIP6MJ", "worker_id": "A1WS884SI0SLO4"}], "B07L43RN73": [{"asin": "B07L43RN73", "instruction": "find me 1 bar of orange blossom honey soap that is made with natural ingredients.", "attributes": ["cruelty free", "natural ingredients", "coconut oil"], "options": ["scent: orange blossom honey", "size: 6 ounce (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["orange blossom honey", "6 ounce (pack of 1)"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ4M19T", "worker_id": "A36LOA6VLJU157"}], "B09FZNQ75H": [{"asin": "B09FZNQ75H", "instruction": "i would like to get a perfect fruit gift basket.", "attributes": ["easy use", "perfect gift"], "options": [""], "instruction_attributes": ["perfect gift"], "instruction_options": [], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LQUCDL", "worker_id": "A1WS884SI0SLO4"}], "B08M4FR5D7": [{"asin": "B08M4FR5D7", "instruction": "i need a king sized bed that has metal legs.", "attributes": ["contemporary design", "metal legs"], "options": ["size: king"], "instruction_attributes": ["metal legs"], "instruction_options": ["king"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDK8Y8W", "worker_id": "A2ECRNQ3X5LEXD"}], "B09L6YPVT9": [{"asin": "B09L6YPVT9", "instruction": "i would like a cosmetic bag for my eye shadow decorated with a lot of lip prints.", "attributes": ["nail polish", "eye shadow"], "options": ["color: many lip prints"], "instruction_attributes": ["eye shadow"], "instruction_options": ["many lip prints"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MCW0ZYT", "worker_id": "A1WS884SI0SLO4"}], "B08NP6WYKN": [{"asin": "B08NP6WYKN", "instruction": "i would like a yellow 42mm band for a apple watch that is easy to put on.", "attributes": ["compatible apple", "easy install"], "options": ["color: yellow", "size: 42mm | 44mm | 45mm-s"], "instruction_attributes": ["compatible apple", "easy install"], "instruction_options": ["yellow", "42mm | 44mm | 45mm-s"], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW64FVV3", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08NP6WYKN", "instruction": "i would like a midnight blue 38 mm applewatch band.", "attributes": ["compatible apple", "easy install"], "options": ["color: midnight blue", "size: 38mm | 40mm | 41mm-s"], "instruction_attributes": ["compatible apple"], "instruction_options": ["midnight blue", "38mm | 40mm | 41mm-s"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O4K2AG", "worker_id": "A1WS884SI0SLO4"}], "B007FAOW5M": [{"asin": "B007FAOW5M", "instruction": "i would like a tinted moisturizer that is made for dry skin and is in the color annapurna.", "attributes": ["dermatologist tested", "dry skin"], "options": ["color: annapurna - medium with a neutral peachy undertone"], "instruction_attributes": ["dry skin"], "instruction_options": ["annapurna - medium with a neutral peachy undertone"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1M13TGI", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B007FAOW5M", "instruction": "i need a tinted moisturizer that is effective for dry skin . and choose the annapurna - medium with a neutral peachy undertone", "attributes": ["dermatologist tested", "dry skin"], "options": ["color: annapurna - medium with a neutral peachy undertone"], "instruction_attributes": ["dry skin"], "instruction_options": ["annapurna - medium with a neutral peachy undertone"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZKHO83", "worker_id": "A2COCSUGZV28X"}], "B07DXHRNFS": [{"asin": "B07DXHRNFS", "instruction": "i would like to buy some size 36 orange elastic waist flat front shorts.", "attributes": ["machine washable", "elastic waistband", "elastic waist"], "options": ["color: orange", "size: 36"], "instruction_attributes": ["elastic waist"], "instruction_options": ["orange", "36"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC5Z9RKW", "worker_id": "A1WS884SI0SLO4"}], "B08X6K9XN3": [{"asin": "B08X6K9XN3", "instruction": "i'm looking for a non slip trekking shoes with rubber outsole and should be moisture wicking. also choose black colored with size 14 for women", "attributes": ["day comfort", "moisture wicking", "non slip", "memory foam", "rubber outsole"], "options": ["color: black", "size: 14 women | 13 men"], "instruction_attributes": ["moisture wicking", "rubber outsole"], "instruction_options": ["black", "14 women | 13 men"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN4AI8G", "worker_id": "AR0VJ5XRG16UJ"}], "B00BJY64KG": [{"asin": "B00BJY64KG", "instruction": "i need a standard 23\" by 52\" green toddler bed that is heavy duty.", "attributes": ["heavy duty", "space saving", "assembly required", "coated steel"], "options": ["color: green", "pattern name: cot", "size: standard (23\" x 52\")", "style: with sheets"], "instruction_attributes": ["heavy duty"], "instruction_options": ["green", "standard (23\" x 52\")"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0Q8W4K", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00BJY64KG", "instruction": "i want to find a space-saving yellow naptime cot for toddlers. it should come in a standard size and i don't want it to come with sheets.", "attributes": ["heavy duty", "space saving", "assembly required", "coated steel"], "options": ["color: yellow", "pattern name: cot + bookshelf", "size: standard (23\" x 52\")", "style: without sheets"], "instruction_attributes": ["space saving"], "instruction_options": ["yellow", "cot + bookshelf", "standard (23\" x 52\")", "without sheets"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95D2XQO", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B00BJY64KG", "instruction": "i need to buy a heavy duty daycare sleeping cot. find one in red without sheets.", "attributes": ["heavy duty", "space saving", "assembly required", "coated steel"], "options": ["color: red", "pattern name: cot + crew", "size: standard (23\" x 52\")", "style: without sheets"], "instruction_attributes": ["heavy duty"], "instruction_options": ["red", "without sheets"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFE702E", "worker_id": "AR9AU5FY1S3RO"}], "B07QMFTT6J": [{"asin": "B07QMFTT6J", "instruction": "i am looking for an original dry skin moisturizer that comes in a three pack.", "attributes": ["cruelty free", "fragrance free", "natural ingredients", "dry skin"], "options": ["color: original", "size: 3 pack"], "instruction_attributes": ["dry skin"], "instruction_options": ["original", "3 pack"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7SGP59", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07QMFTT6J", "instruction": "i would like a two pack of cruelty free lip balm in orange.", "attributes": ["cruelty free", "fragrance free", "natural ingredients", "dry skin"], "options": ["color: outrageous orange", "size: 2 pack"], "instruction_attributes": ["cruelty free"], "instruction_options": ["outrageous orange", "2 pack"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV8QV8E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JKW21YF": [{"asin": "B09JKW21YF", "instruction": "i would like to buy a 12x16 inch white poster that has a solid wood frame and easy to install in my living room.", "attributes": ["easy install", "wood frame", "solid wood", "living room"], "options": ["color: white 4", "size: 12x16 inch"], "instruction_attributes": ["easy install", "wood frame", "solid wood", "living room"], "instruction_options": ["white 4", "12x16 inch"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMPMSAU", "worker_id": "A1WS884SI0SLO4"}], "B07PR9D43Q": [{"asin": "B07PR9D43Q", "instruction": "i would like yellow flats that have memory foam that are a size 9.5.", "attributes": ["memory foam", "rubber sole"], "options": ["color: yellow", "size: 9.5"], "instruction_attributes": ["memory foam"], "instruction_options": ["yellow", "9.5"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MELFOI", "worker_id": "A2ECRNQ3X5LEXD"}], "B01HJWAMKE": [{"asin": "B01HJWAMKE", "instruction": "i'm looking for a high speed hdmi male to male cable.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 4 pack", "size: 30-feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["hdmi male to male"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9KQETM", "worker_id": "A19317A3X87NVM"}, {"asin": "B01HJWAMKE", "instruction": "i want to find a 10-pack of male-to-female hdmi cables that are 20 feet long and plated with gold.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 20 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["gold plated"], "instruction_options": ["10 pack", "20 feet (single pack)", "hdmi male to female"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW4O8SE", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01HJWAMKE", "instruction": "i want a high speed hdmi cable male to female.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 12 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["hdmi male to female"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLS92CW2", "worker_id": "A2RBF3IIJP15IH"}], "B08X216Z6H": [{"asin": "B08X216Z6H", "instruction": "i would like to get a high quality black white lotion pump case.", "attributes": ["bpa free", "high quality", "fine mist"], "options": ["color: black bottle", "size: white lotion pump"], "instruction_attributes": ["high quality"], "instruction_options": ["black bottle", "white lotion pump"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NIAP2T", "worker_id": "A1WS884SI0SLO4"}], "B07KP1M97Z": [{"asin": "B07KP1M97Z", "instruction": "i would like to get a refurbished printer.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZUWCN3", "worker_id": "A1WS884SI0SLO4"}], "B00CWTZ8SQ": [{"asin": "B00CWTZ8SQ", "instruction": "i need sugar free flavor syrup for soda that is 25.4 fl oz.", "attributes": ["sugar free", "fat free", "keto friendly", "gluten free", "zero sugar"], "options": ["flavor name: sugar free syrup, variety pack, soda fla...", "size: 25.4 fl oz (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["sugar free syrup, variety pack, soda fla...", "25.4 fl oz (pack of 1)"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVGQKJ4", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00CWTZ8SQ", "instruction": "i\u2019m looking for a large multi-pack of sweetener that contains no sugar; please pick the blue raspberry flavour.", "attributes": ["sugar free", "fat free", "keto friendly", "gluten free", "zero sugar"], "options": ["flavor name: sugar free blue raspberry", "size: 25.4 fl oz (pack of 12)"], "instruction_attributes": ["sugar free", "zero sugar"], "instruction_options": ["sugar free blue raspberry"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8KVQ61", "worker_id": "A3LIIE572Z4OG7"}], "B07J6SVGKY": [{"asin": "B07J6SVGKY", "instruction": "i would like to get a 16 x 24 inch poster with a ready to hang white frame.", "attributes": ["ready hang", "wood frame"], "options": ["size: 16 in x 24 in", "style: white frame"], "instruction_attributes": ["ready hang"], "instruction_options": ["16 in x 24 in", "white frame"], "assignment_id": "36ZN444YT28UFQQ45BORC65U297IOC", "worker_id": "A1WS884SI0SLO4"}], "B07XT6GKWV": [{"asin": "B07XT6GKWV", "instruction": "i need an intel core i3 cpu pc that has 16gb of ram and 24gb of ssd space.", "attributes": ["dual band", "intel core", "quad core", "core i5"], "options": ["color: cpu i3 8145u", "size: 16g ram 240g ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["cpu i3 8145u", "16g ram 240g ssd"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RCGFL7", "worker_id": "A2ECRNQ3X5LEXD"}], "B005W0LRUA": [{"asin": "B005W0LRUA", "instruction": "i would like to buy a small cyan bra that i can hand wash in the sink.", "attributes": ["hand wash", "nylon spandex"], "options": ["color: cyan blue", "size: small"], "instruction_attributes": ["hand wash"], "instruction_options": ["cyan blue", "small"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI344BDL", "worker_id": "A1WS884SI0SLO4"}], "B004EMLLXU": [{"asin": "B004EMLLXU", "instruction": "i would like to buy a 6 pack of 15 ounce fat free oyster sauce.", "attributes": ["easy prepare", "fat free"], "options": ["flavor name: oyster", "size: 15 ounce (pack of 6)"], "instruction_attributes": ["fat free"], "instruction_options": ["oyster", "15 ounce (pack of 6)"], "assignment_id": "3BGYGHDBB8UCXYNXTA52IDVAC72221", "worker_id": "A1WS884SI0SLO4"}], "B07MXCYKLX": [{"asin": "B07MXCYKLX", "instruction": "i would like a cosmetics bag that is water resistant and pineapple colored.", "attributes": ["water resistant", "non toxic", "easy carry", "easy clean", "high quality"], "options": ["color: pineapple 1"], "instruction_attributes": ["water resistant"], "instruction_options": ["pineapple 1"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7QHUC5", "worker_id": "A2ECRNQ3X5LEXD"}], "B087BHY3D3": [{"asin": "B087BHY3D3", "instruction": "i would like six individually wrapped dessert gifts.", "attributes": ["baked fresh", "individually wrapped"], "options": ["number of items: 6"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["6"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZBEK99", "worker_id": "A2ECRNQ3X5LEXD"}], "B00VEJ6GHM": [{"asin": "B00VEJ6GHM", "instruction": "i would like a 48 pack of 5 ounce wild caught albacore in water tuna.", "attributes": ["wild caught", "gluten free"], "options": ["flavor name: albacore in water", "size: 5 ounce (pack of 48)"], "instruction_attributes": ["wild caught"], "instruction_options": ["albacore in water", "5 ounce (pack of 48)"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG166GYL", "worker_id": "A1WS884SI0SLO4"}], "B07KQHV9SF": [{"asin": "B07KQHV9SF", "instruction": "i would like thierry mugler angel impression in a travel size bottle.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: thierry mugler angel impression"], "instruction_attributes": ["travel size"], "instruction_options": ["thierry mugler angel impression"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0JACAO", "worker_id": "A2ECRNQ3X5LEXD"}], "B098933HD8": [{"asin": "B098933HD8", "instruction": "i want to find date-sweetened pancake mix that is gluten free and includes only simple ingredients.", "attributes": ["gluten free", "simple ingredients"], "options": [""], "instruction_attributes": ["gluten free", "simple ingredients"], "instruction_options": [], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98I9NM2A", "worker_id": "A345TDMHP3DQ3G"}], "B009JBFLH8": [{"asin": "B009JBFLH8", "instruction": "i am looking for a dome camera that has motion detection and is hd 360 degree.", "attributes": ["dust proof", "motion detection"], "options": ["style: hd 360-degree"], "instruction_attributes": ["motion detection"], "instruction_options": ["hd 360-degree"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHXSQHH", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DT9G2FR": [{"asin": "B09DT9G2FR", "instruction": "find me a long handled body brush that is double sided.", "attributes": ["double sided", "easy use", "long handle", "dead skin", "sensitive skin"], "options": [""], "instruction_attributes": ["double sided", "long handle"], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZR1RNI", "worker_id": "A36LOA6VLJU157"}], "B004VMGTY4": [{"asin": "B004VMGTY4", "instruction": "i am looking for a sensitive night cream that does not have a fragrance.", "attributes": ["fragrance free", "dermatologist tested", "sensitive skin"], "options": ["style: sensitive night cream"], "instruction_attributes": ["fragrance free"], "instruction_options": ["sensitive night cream"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746OCTB2", "worker_id": "A2ECRNQ3X5LEXD"}], "B00N2JMYKU": [{"asin": "B00N2JMYKU", "instruction": "i am looking for a castor oil with tee tree oils for black natural hair that can stimulate follicles and hair growth . it should be 4 ounce.", "attributes": ["tea tree", "natural hair", "hair growth"], "options": ["size: 4 ounce", "style name: lavender palma christi"], "instruction_attributes": ["natural hair", "hair growth"], "instruction_options": ["4 ounce"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746P9BTJ", "worker_id": "AHU9OLV0YKIIW"}], "B09NQDV4N8": [{"asin": "B09NQDV4N8", "instruction": "i would like to buy a white floor lamp for my living room.", "attributes": ["easy assemble", "living room"], "options": ["color: white"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMKIEXH", "worker_id": "A1WS884SI0SLO4"}], "B083ZJ87W2": [{"asin": "B083ZJ87W2", "instruction": "i need an alarm clock that is mint colored and has batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": ["color: mint"], "instruction_attributes": ["batteries included"], "instruction_options": ["mint"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746RABTO", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B083ZJ87W2", "instruction": "seeking to find a mini reversible travel lcd alarm clock-radio controlled touch sensor light using aaa batteries included in color white or pink that is made by lexon flip plus.", "attributes": ["batteries included", "aaa batteries"], "options": ["color: white"], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": ["white"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN66C5GE", "worker_id": "A3RGIKEI8JS2QG"}], "B08S741NQG": [{"asin": "B08S741NQG", "instruction": "i would like to buy some greeley size 28 slim fit jeans.", "attributes": ["slim fit", "quality materials"], "options": ["color: greeley", "size: 28"], "instruction_attributes": ["slim fit"], "instruction_options": ["greeley", "28"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P5BUBS", "worker_id": "A1WS884SI0SLO4"}], "B006M5SG5I": [{"asin": "B006M5SG5I", "instruction": "i am looking for 12 cookies that are in a gift basket and are cherry flavored with white chips.", "attributes": ["perfect gift", "gift basket"], "options": ["flavor name: cherry w | white chips", "size: 12 count (pack of 1)"], "instruction_attributes": ["gift basket"], "instruction_options": ["cherry w | white chips", "12 count (pack of 1)"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U15MAF", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B006M5SG5I", "instruction": "i am looking for a perfect gift of cookies having flavor name assorted flavors.", "attributes": ["perfect gift", "gift basket"], "options": ["flavor name: assorted flavors", "size: 12 count"], "instruction_attributes": ["perfect gift"], "instruction_options": ["assorted flavors"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOL0LM8", "worker_id": "A1Q8PPQQCWGY0D"}], "B09BQRRRHZ": [{"asin": "B09BQRRRHZ", "instruction": "i want to find a black car charger with a usb port.", "attributes": ["fast charging", "usb port"], "options": ["color: black"], "instruction_attributes": ["usb port"], "instruction_options": ["black"], "assignment_id": "37Z929RLGKIZMWY86444AIH4ABCTSF", "worker_id": "A345TDMHP3DQ3G"}], "B082NNKT5C": [{"asin": "B082NNKT5C", "instruction": "i am looking for a classic candle that has soy wax", "attributes": ["eco friendly", "long lasting", "soy wax"], "options": ["color: sea salt cardamom & musk", "size: classic candle"], "instruction_attributes": ["soy wax"], "instruction_options": ["classic candle"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YU5HEX", "worker_id": "A2ECRNQ3X5LEXD"}], "B07MZ3Z2TY": [{"asin": "B07MZ3Z2TY", "instruction": "i need a lightweight photography background that is 8 by 6 feet.", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 8x6ft"], "instruction_attributes": ["light weight"], "instruction_options": ["8x6ft"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IA42M9", "worker_id": "A2ECRNQ3X5LEXD"}], "B088DS3SP9": [{"asin": "B088DS3SP9", "instruction": "i would like a pair of high quality hair clippers.", "attributes": ["high quality", "hair cutting"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQB1JRJ", "worker_id": "A1WS884SI0SLO4"}], "B09F3HQV85": [{"asin": "B09F3HQV85", "instruction": "i need a lake blue colored storage bench that is made of faux leather and is 60.40.42cm.", "attributes": ["pu leather", "faux leather"], "options": ["color: lake blue", "size: 60.40.42cm"], "instruction_attributes": ["faux leather"], "instruction_options": ["lake blue", "60.40.42cm"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVDF0Q8", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CRVWTWP": [{"asin": "B07CRVWTWP", "instruction": "i would like to get a queen pink linen daybed with a wood frame.", "attributes": ["king size", "metal legs", "wood frame"], "options": ["color: pink linen", "size: queen", "style: daybed and trundle"], "instruction_attributes": ["wood frame"], "instruction_options": ["pink linen", "queen", "daybed and trundle"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N1R7T6", "worker_id": "A1WS884SI0SLO4"}], "B07QJ3GS1G": [{"asin": "B07QJ3GS1G", "instruction": "i would like a water resistant usb flash drive that has 32 gb of storage and is a05 color.", "attributes": ["water resistant", "easy carry"], "options": ["color: a05", "size: 32gb"], "instruction_attributes": ["water resistant"], "instruction_options": ["a05", "32gb"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8TFSS8", "worker_id": "A2ECRNQ3X5LEXD"}], "B0978P7D27": [{"asin": "B0978P7D27", "instruction": "i need a case for my phone that is turquoise and has wireless charging capabilities.", "attributes": ["hands free", "wireless charging"], "options": ["color: turquoise"], "instruction_attributes": ["wireless charging"], "instruction_options": ["turquoise"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK41G6AF", "worker_id": "A2ECRNQ3X5LEXD"}], "B07DPG7MV4": [{"asin": "B07DPG7MV4", "instruction": "i am looking for some pants with an elastic waist that are x-small size and are khaki colored.", "attributes": ["hand wash", "water resistant", "moisture wicking", "wash cold", "button closure", "elastic waist", "relaxed fit"], "options": ["color: khaki-10", "size: x-small | 29\" inseam"], "instruction_attributes": ["elastic waist"], "instruction_options": ["khaki-10", "x-small | 29\" inseam"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKBGD7Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B071L2B6BN": [{"asin": "B071L2B6BN", "instruction": "i'm looking for a sofa table with wood finish for the living room.", "attributes": ["wood finish", "living room"], "options": [""], "instruction_attributes": ["wood finish", "living room"], "instruction_options": [], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTDIVZ69", "worker_id": "A36LOA6VLJU157"}], "B07J3Y6LVY": [{"asin": "B07J3Y6LVY", "instruction": "i'm looking for a tempered glass cell phone case.", "attributes": ["long lasting", "case cover", "tempered glass"], "options": ["color: crystal ab-12 pro max", "size: iphone se 2020 | iphone 7 | 8"], "instruction_attributes": ["tempered glass"], "instruction_options": ["crystal ab-12 pro max"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60G6AA1", "worker_id": "A19317A3X87NVM"}], "B086QNNL78": [{"asin": "B086QNNL78", "instruction": "i am looking for some cookies that are plant based and peanut butter flavor, and would like a pack of 16.", "attributes": ["plant based", "non gmo", "individually wrapped", "high fructose"], "options": ["flavor name: peanut butter", "size: 4 ounce (pack of 16)"], "instruction_attributes": ["plant based"], "instruction_options": ["peanut butter", "4 ounce (pack of 16)"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQK9B5A", "worker_id": "A2ECRNQ3X5LEXD"}], "B00HJXD7EM": [{"asin": "B00HJXD7EM", "instruction": "i would like to buy a six pack of 12 ounce apricot dairy free bake mix.", "attributes": ["baked fresh", "nut free", "dairy free"], "options": ["flavor name: apricot", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["dairy free"], "instruction_options": ["apricot", "12 ounce (pack of 6)"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVBISZM", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00HJXD7EM", "instruction": "i am looking for freshly baked nut free kosher cookie pastry which is 12ounce in size.", "attributes": ["baked fresh", "nut free", "dairy free"], "options": ["flavor name: apricot - sugar free", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["baked fresh", "nut free"], "instruction_options": ["12 ounce (pack of 6)"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8OIQ6W", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B00HJXD7EM", "instruction": "i would like a 12 ounce strawberry baking mix that is nut free.", "attributes": ["baked fresh", "nut free", "dairy free"], "options": ["flavor name: strawberry", "size: 12 ounce (pack of 2)"], "instruction_attributes": ["nut free"], "instruction_options": ["strawberry", "12 ounce (pack of 2)"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPM1E6H", "worker_id": "A1WS884SI0SLO4"}], "B09RHSP5K6": [{"asin": "B09RHSP5K6", "instruction": "i would like to buy some size 7.5 gold high heeled shoes with a ankle strap.", "attributes": ["open toe", "non slip", "light weight", "anti slip", "ankle strap", "high heel", "arch support", "memory foam"], "options": ["color: gold", "size: 7.5 wide"], "instruction_attributes": ["ankle strap", "high heel"], "instruction_options": ["gold", "7.5 wide"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYCV6LB", "worker_id": "A1WS884SI0SLO4"}], "B09DYSRQLC": [{"asin": "B09DYSRQLC", "instruction": "i'm looking for some gluten free jelly with black sesames.", "attributes": ["lactose free", "gluten free"], "options": ["flavor name: black sesame 1 kg"], "instruction_attributes": ["gluten free"], "instruction_options": ["black sesame 1 kg"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCG3FMS6", "worker_id": "A19317A3X87NVM"}, {"asin": "B09DYSRQLC", "instruction": "i want a peanut butter with date spread that is gluten free.", "attributes": ["lactose free", "gluten free"], "options": ["flavor name: peanut butter with dates"], "instruction_attributes": ["gluten free"], "instruction_options": ["peanut butter with dates"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8JS5RN", "worker_id": "A1WS884SI0SLO4"}], "B004VWL39A": [{"asin": "B004VWL39A", "instruction": "i am looking for steel toe shoes for men that are a size 8.5 wide.", "attributes": ["steel toe", "rubber sole"], "options": ["size: 8.5 wide"], "instruction_attributes": ["steel toe"], "instruction_options": ["8.5 wide"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DY8Q828", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FF3KS1F": [{"asin": "B09FF3KS1F", "instruction": "i need matte black pumps that have a rubber sole and that are in a us size 6.5.", "attributes": ["long lasting", "rubber outsole", "rubber sole"], "options": ["color: matteblk", "size: us6.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["matteblk", "us6.5"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM0WZH3", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GM6TS1F": [{"asin": "B09GM6TS1F", "instruction": "i would like a linen 33x31x33 centimeter ottoman for my living room.", "attributes": ["spot clean", "mid century", "high density", "solid wood", "living room"], "options": ["color: e(linen)", "size: 33x31x33cm(13x12x13inch)"], "instruction_attributes": ["living room"], "instruction_options": ["e(linen)", "33x31x33cm(13x12x13inch)"], "assignment_id": "31EUONYN26DZ1WA44INARVVOABMVO5", "worker_id": "A1WS884SI0SLO4"}], "B09R46MB1Y": [{"asin": "B09R46MB1Y", "instruction": "i want a size 8 pink high heeled shoe with a ankle strap.", "attributes": ["anti slip", "high heel", "ankle strap"], "options": ["color: a-1 pink", "size: 8"], "instruction_attributes": ["high heel", "ankle strap"], "instruction_options": ["a-1 pink", "8"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJDQOLL", "worker_id": "A1WS884SI0SLO4"}], "B09HMMH7F4": [{"asin": "B09HMMH7F4", "instruction": "i would like to get some second 5 sand long lasting foundation made from seed oil.", "attributes": ["long lasting", "seed oil"], "options": ["color: 5 sand", "size: 2nd"], "instruction_attributes": ["long lasting", "seed oil"], "instruction_options": ["5 sand", "2nd"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQKPP08", "worker_id": "A1WS884SI0SLO4"}], "B09M6Z6S7H": [{"asin": "B09M6Z6S7H", "instruction": "i'm looking for a smart watch bands which is compatible for apple and easy to install. also choose black-red colored one.", "attributes": ["compatible apple", "easy install"], "options": ["color: black-red"], "instruction_attributes": ["compatible apple", "easy install"], "instruction_options": ["black-red"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEF9WU5Y", "worker_id": "AR0VJ5XRG16UJ"}], "B0977MNS6P": [{"asin": "B0977MNS6P", "instruction": "i need a king size bedroom set with a wood finish.", "attributes": ["queen size", "wood finish"], "options": ["color: king bed a468c"], "instruction_attributes": ["wood finish"], "instruction_options": ["king bed a468c"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G7YM74E", "worker_id": "A19317A3X87NVM"}, {"asin": "B0977MNS6P", "instruction": "i'm looking for bedroom furniture with wood finish. choose ones that come in queen size and color of a475c.", "attributes": ["queen size", "wood finish"], "options": ["color: queen bed a475c"], "instruction_attributes": ["queen size", "wood finish"], "instruction_options": ["queen bed a475c"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUYMJQN", "worker_id": "A3MNXK3VDK37SN"}], "B07ZJBGV5M": [{"asin": "B07ZJBGV5M", "instruction": "i would like to get some 52'' x 63'' x 2 christmas panels for my dining room.", "attributes": ["eco friendly", "living room", "dining room"], "options": ["color: christmas-091zse7297", "size: 52'' x 63'' x 2 panels"], "instruction_attributes": ["dining room"], "instruction_options": ["christmas-091zse7297", "52'' x 63'' x 2 panels"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL0AH5Y", "worker_id": "A1WS884SI0SLO4"}], "B09824ZV3X": [{"asin": "B09824ZV3X", "instruction": "i need some toppers for cupcakes that are good for a birthday party and are gold.", "attributes": ["cupcake picks", "birthday party"], "options": ["color: gold"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGHWL1VP", "worker_id": "A2ECRNQ3X5LEXD"}], "B096BD6LP6": [{"asin": "B096BD6LP6", "instruction": "i need a long lasting box spring set in a queen size with an 8\" foundation.", "attributes": ["ready use", "high density", "long lasting", "assembly required", "box spring"], "options": ["size: queen", "style: 8\" foundation"], "instruction_attributes": ["long lasting"], "instruction_options": ["queen", "8\" foundation"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTRVWA0E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B7SZQCR": [{"asin": "B09B7SZQCR", "instruction": "i would like a grey heeled sandal with a ankle strap for my 8.5 foot.", "attributes": ["arch support", "ankle strap", "closed toe"], "options": ["color: grey", "size: 8.5"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53RPKGM", "worker_id": "A1WS884SI0SLO4"}], "B09FG8KTNK": [{"asin": "B09FG8KTNK", "instruction": "i want to find a smartwatch band that is compatible with my apple watch. it needs to come in 10 colors and i want it to be 38 millimeters long.", "attributes": ["compatible apple", "easy install", "quick release"], "options": ["color: 10 colors", "size: 38mm | 40mm | 41mm"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVDEXLA", "worker_id": "A345TDMHP3DQ3G"}], "B09J2J3HBD": [{"asin": "B09J2J3HBD", "instruction": "i'm looking for a loose fit and machine washable women's christmas t-shirt. i'm looking for a large blue t-shirt.", "attributes": ["loose fit", "machine wash", "elastic closure", "unique design", "polyester spandex"], "options": ["color: blue", "size: large"], "instruction_attributes": ["loose fit", "machine wash"], "instruction_options": ["blue", "large"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BHF8X7", "worker_id": "A3MNXK3VDK37SN"}], "B095NZBRT1": [{"asin": "B095NZBRT1", "instruction": "i need a pack of 2 apple compatible fast chargers in white.", "attributes": ["compatible apple", "fast charging"], "options": ["color: white 2pack"], "instruction_attributes": ["compatible apple", "fast charging"], "instruction_options": ["white 2pack"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X02WO43U", "worker_id": "A36LOA6VLJU157"}], "B07B69784T": [{"asin": "B07B69784T", "instruction": "i would like some curtains for my living room that are blue orange and are 108\" by 90\".", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: blue orange", "size: 108\" x 90\""], "instruction_attributes": ["living room"], "instruction_options": ["blue orange", "108\" x 90\""], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZM93KM", "worker_id": "A2ECRNQ3X5LEXD"}], "B0924MY197": [{"asin": "B0924MY197", "instruction": "i want to find a 5-piece nail art set with a variety of polishes.", "attributes": ["nail art", "nail polish"], "options": [""], "instruction_attributes": ["nail art", "nail polish"], "instruction_options": [], "assignment_id": "3DIP6YHAPN2FET122B94U5H2V7P8EB", "worker_id": "A345TDMHP3DQ3G"}], "B07QWWB6FN": [{"asin": "B07QWWB6FN", "instruction": "i'm looking for a pair of water resistant brown pants.", "attributes": ["water resistant", "machine washable", "comfortable fit", "elastic waist"], "options": ["color: nomad brown\uff08convertible\uff09", "size: large | 32\" inseam"], "instruction_attributes": ["water resistant"], "instruction_options": ["nomad brown\uff08convertible\uff09"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYE6M68", "worker_id": "A19317A3X87NVM"}], "B09HPNLRGS": [{"asin": "B09HPNLRGS", "instruction": "i'd like to find gold cupcake toppers that i can use for a birthday party.", "attributes": ["baby shower", "birthday party", "cupcake picks"], "options": ["color: gold"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q7TEH94", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09HPNLRGS", "instruction": "i'm looking for a 24 pack of rose gold cupcake picks for my upcoming baby shower.", "attributes": ["baby shower", "birthday party", "cupcake picks"], "options": ["color: rose gold"], "instruction_attributes": ["baby shower", "cupcake picks"], "instruction_options": ["rose gold"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ58OCKD", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09HPNLRGS", "instruction": "i need to buy some pink cupcake toppers for a baby shower.", "attributes": ["baby shower", "birthday party", "cupcake picks"], "options": ["color: pink"], "instruction_attributes": ["baby shower"], "instruction_options": ["pink"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL1NNSL", "worker_id": "AR9AU5FY1S3RO"}], "B07MHYPFZG": [{"asin": "B07MHYPFZG", "instruction": "i want to buy a small ponytail made up of synthetic hair, colour 6tr. thanks.", "attributes": ["easy carry", "synthetic hair"], "options": ["color: 6tr"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["6tr"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40N4FYB", "worker_id": "A1WAWEY2810TFN"}], "B07XYG5JF2": [{"asin": "B07XYG5JF2", "instruction": "i want to find a 6-count pack of thyme leaf tea bags that are usda certified organic.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: thyme leaf", "size: 6 count (pack of 1)", "style: iced tea bags"], "instruction_attributes": ["usda organic", "certified organic"], "instruction_options": ["6 count (pack of 1)", "iced tea bags"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VRHGFH", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07XYG5JF2", "instruction": "i am looking for organic india tea bags . it should be usda organic certified.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: white tea", "size: 36 count (pack of 1)", "style: tea bags"], "instruction_attributes": ["usda organic"], "instruction_options": ["tea bags"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35JZUG7", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07XYG5JF2", "instruction": "i want certified organic irish breakfast iced tea bags in the 1 pound pack, and they need to be mint flavor. they are also by fgo and blended in the usa.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: mint", "size: 1 pound (pack of 1)", "style: iced tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["mint", "1 pound (pack of 1)", "iced tea bags"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMEMJ14", "worker_id": "A1CB72B51L7TKE"}, {"asin": "B07XYG5JF2", "instruction": "i'd like to order some darjeeling tea. make sure it's certified organic.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: darjeeling", "size: 20 count (pack of 1)", "style: tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["darjeeling"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKHNT1V", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07XYG5JF2", "instruction": "i'm looking for certified organic it is easy to use and it is for grocery.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: matcha", "size: 6 count (pack of 1)", "style: tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["matcha"], "assignment_id": "31JLPPHS254FPN8LK8H48035JYD3OE", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07XYG5JF2", "instruction": "i would like 36 packets of black tea bags that are usda certified organic.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: black tea (decaf)", "size: 36 count (pack of 1)", "style: tea bags"], "instruction_attributes": ["usda organic", "certified organic"], "instruction_options": ["black tea (decaf)", "36 count (pack of 1)", "tea bags"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXO0Z2L", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07XYG5JF2", "instruction": "i want usda organic black tea bags.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: black tea (decaf)", "size: 4 ounce (pack of 1)", "style: iced tea bags"], "instruction_attributes": ["usda organic"], "instruction_options": ["black tea (decaf)"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYLEQLF", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07XYG5JF2", "instruction": "i want to find 1 lb of organic breakfast tea bags in raspberry flavor.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: raspberry", "size: 1 pound (pack of 1)", "style: tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["raspberry", "1 pound (pack of 1)"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5J7WIJ", "worker_id": "AK3JMCIGU8MLU"}], "B09KS5F3SB": [{"asin": "B09KS5F3SB", "instruction": "i want to find a black king-sized mattress foundation that is 4 inches in width. it needs to come fully assembled already.", "attributes": ["fully assembled", "box spring"], "options": ["color: black", "size: king", "style: 4\" foundation"], "instruction_attributes": ["fully assembled"], "instruction_options": ["black", "king", "4\" foundation"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACIWNHA", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09KS5F3SB", "instruction": "i need a fully assembled black box spring set that is queen sized.", "attributes": ["fully assembled", "box spring"], "options": ["color: black", "size: queen", "style: 4\" foundation"], "instruction_attributes": ["fully assembled"], "instruction_options": ["black", "queen"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWP2FPW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07D3643N8": [{"asin": "B07D3643N8", "instruction": "i would like to buy some size 30 dark blue 405 slim fit jeans.", "attributes": ["slim fit", "cotton spandex", "button closure"], "options": ["color: dark blue 405", "size: 30"], "instruction_attributes": ["slim fit"], "instruction_options": ["dark blue 405", "30"], "assignment_id": "33CID5710F37J25O7G1CGJZBOLS3L1", "worker_id": "A1WS884SI0SLO4"}], "B09KRB8Q1R": [{"asin": "B09KRB8Q1R", "instruction": "i need an xx-large tunic that is made of polyester spandex.", "attributes": ["wash cold", "hand wash", "machine wash", "polyester spandex"], "options": ["color: multicolor 2 plaid", "size: xx-large"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["multicolor 2 plaid", "xx-large"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9IT6S1S", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09KRB8Q1R", "instruction": "i want a xx-large st. jubileens women roll-up plaid shirt that is machine washable.", "attributes": ["wash cold", "hand wash", "machine wash", "polyester spandex"], "options": ["color: multicolor 3 plaid", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["xx-large"], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSZST6W", "worker_id": "A2RBF3IIJP15IH"}], "B08P3D184H": [{"asin": "B08P3D184H", "instruction": "i would like some blue noise cancelling headphones", "attributes": ["noise cancelling", "wireless bluetooth", "stereo sound"], "options": ["color: blue"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["blue"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IA3M2S", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NSCYLMZ": [{"asin": "B09NSCYLMZ", "instruction": "will you find me a long sleeve sweater in dark blue? size medium.", "attributes": ["quality materials", "button closure", "long sleeve", "daily wear"], "options": ["color: e9-eark blue", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["e9-eark blue", "medium"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTC7V5I", "worker_id": "A36LOA6VLJU157"}], "B09HSG4ZB7": [{"asin": "B09HSG4ZB7", "instruction": "i'm looking for a teeth whitening toothpaste with natural ingredients that gives fresh breath and used for sensitive teeth.", "attributes": ["teeth whitening", "natural ingredients", "fresh breath", "sensitive teeth"], "options": [""], "instruction_attributes": ["teeth whitening", "natural ingredients", "fresh breath", "sensitive teeth"], "instruction_options": [], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8ODETRK", "worker_id": "AR0VJ5XRG16UJ"}], "B07Z84PP57": [{"asin": "B07Z84PP57", "instruction": "i would like to get a 10 inch sea salt and ginger jar candle for my living room.", "attributes": ["white item", "soy wax", "living room"], "options": ["scent: sea salt & ginger", "size: 10 in"], "instruction_attributes": ["living room"], "instruction_options": ["sea salt & ginger", "10 in"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69I58PI", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07Z84PP57", "instruction": "i am looking for a teal scented soy wax jar candle for my living room. also, choose the size 15 oz.", "attributes": ["white item", "soy wax", "living room"], "options": ["scent: teal", "size: 15 oz"], "instruction_attributes": ["soy wax", "living room"], "instruction_options": ["teal", "15 oz"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT6Q375", "worker_id": "A9ZM1P6LBW79"}], "B09QCZ8X76": [{"asin": "B09QCZ8X76", "instruction": "i am looking for open toe sandals in z3 black that are size 6.5-7.", "attributes": ["open toe", "ankle strap", "teen girls", "daily wear"], "options": ["color: z3 black", "size: 6.5-7"], "instruction_attributes": ["open toe"], "instruction_options": ["z3 black", "6.5-7"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP1XCO8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NLRJ6Q5": [{"asin": "B09NLRJ6Q5", "instruction": "i would like to get a a1 10 x 10 ft high def photo background.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a1", "size: 10x10ft | 3x3m"], "instruction_attributes": ["high definition"], "instruction_options": ["a1", "10x10ft | 3x3m"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCD8LBD", "worker_id": "A1WS884SI0SLO4"}], "B087D7HNNF": [{"asin": "B087D7HNNF", "instruction": "i'm looking for a can of wild caught sardines in tomato sauce.", "attributes": ["wild caught", "protein serving", "ready eat", "high protein", "bpa free", "low carb", "non gmo"], "options": ["flavor name: tomato sauce", "size: 4.4 ounce (pack of 12)"], "instruction_attributes": ["wild caught"], "instruction_options": ["tomato sauce"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYE86MU", "worker_id": "A19317A3X87NVM"}], "B08XMJBYTV": [{"asin": "B08XMJBYTV", "instruction": "i am looking for a gray body brush that is easy to clean.", "attributes": ["easy clean", "long handle"], "options": ["color: gray"], "instruction_attributes": ["easy clean"], "instruction_options": ["gray"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4T85K2O", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P5BMMQB": [{"asin": "B09P5BMMQB", "instruction": "i would like to buy a xxl red loose fit hoodie.", "attributes": ["loose fit", "long sleeve", "polyester cotton", "teen girls", "daily wear"], "options": ["color: a01-red", "size: xx-large"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN616G59", "worker_id": "A1WS884SI0SLO4"}], "B08LD1TTF1": [{"asin": "B08LD1TTF1", "instruction": "i need a high power sound bar that is black.", "attributes": ["high power", "coaxial cable"], "options": ["color: black"], "instruction_attributes": ["high power"], "instruction_options": ["black"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWTVYYJC", "worker_id": "A2ECRNQ3X5LEXD"}], "B00GNW1PBC": [{"asin": "B00GNW1PBC", "instruction": "i would like a brown desk chair that has lumbar support for my back.", "attributes": ["mid century", "white item", "lumbar support"], "options": ["color: brown"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU209A5", "worker_id": "A1WS884SI0SLO4"}], "B095KC38LG": [{"asin": "B095KC38LG", "instruction": "i am looking for a green table lamp for the living room.", "attributes": ["glass shade", "living room"], "options": ["color: green2"], "instruction_attributes": ["living room"], "instruction_options": ["green2"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDD952O8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B3PWGPX": [{"asin": "B09B3PWGPX", "instruction": "i am looking for white day comfort walking shoes that are in a size 8.", "attributes": ["knee high", "day comfort", "high heel", "quality materials"], "options": ["color: white", "size: 8"], "instruction_attributes": ["day comfort"], "instruction_options": ["white", "8"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5NMF49", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LD3LKCN": [{"asin": "B09LD3LKCN", "instruction": "i'm looking for a mini 11th gen core i7-11700 desktop pc. it needs to have a usb port and 64 gigabytes of storage space on the ram.", "attributes": ["dual band", "usb port"], "options": ["color: 11th gen core i7-11700", "size: 64gb ram 1tb ssd+2tb hdd"], "instruction_attributes": ["usb port"], "instruction_options": ["11th gen core i7-11700", "64gb ram 1tb ssd+2tb hdd"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8AD9PWVE", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09LD3LKCN", "instruction": "i'm looking for a desktop computer with the following configuration: 16gb ram 1tb ssd and a usb port.", "attributes": ["dual band", "usb port"], "options": ["color: amd ryzen 7 3700u", "size: 16gb ram 1tb ssd"], "instruction_attributes": ["usb port"], "instruction_options": ["16gb ram 1tb ssd"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THOI5ZZ", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B09LD3LKCN", "instruction": "i'm looking for a mini desktop pc with windows 11, double display 4k resolution.", "attributes": ["dual band", "usb port"], "options": ["color: amd ryzen 7 3700u", "size: 16gb ram 512gb ssd+1tb hdd"], "instruction_attributes": ["dual band"], "instruction_options": ["amd ryzen 7 3700u"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEOJKZP", "worker_id": "A21IUUHBSEVB56"}], "B09KX93DS7": [{"asin": "B09KX93DS7", "instruction": "i would like some pink noise cancelling earbuds that work with my iphone.", "attributes": ["noise cancelling", "compatible apple", "stereo sound"], "options": ["color: pink"], "instruction_attributes": ["noise cancelling", "compatible apple"], "instruction_options": ["pink"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR1Q0CL", "worker_id": "A1WS884SI0SLO4"}], "B08S77S42N": [{"asin": "B08S77S42N", "instruction": "i need a light weight printed backdrop to use with digital photography. it should be 8 by 12 feet in size.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 02", "size: 8x12 ft"], "instruction_attributes": ["light weight", "digital photography"], "instruction_options": ["printed backdrop 02", "8x12 ft"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J2SFSH", "worker_id": "A36LOA6VLJU157"}, {"asin": "B08S77S42N", "instruction": "i am looking for a 6 foot by 9 foot light weight vinyl backdrop with different size fish motifs.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 16", "size: 6x9 ft"], "instruction_attributes": ["light weight"], "instruction_options": ["6x9 ft"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT023PI", "worker_id": "A1EREKSZAA9V7B"}], "B078MZPZ8K": [{"asin": "B078MZPZ8K", "instruction": "i want to get a bundle of freeze dried pineapples that are 8 oz.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: pineapples", "size: 8 ounce (pack of 6)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["pineapples", "8 ounce (pack of 6)", "bundle"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJEP0W5", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B078MZPZ8K", "instruction": "i want to buy a bag of organic, chocolate covered, freeze dried strawberry slices, vegan ones please.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: strawberries + mangos", "size: strawberries 1.2 ounce & pineapples 1.5 ...", "style: bag"], "instruction_attributes": ["freeze dried", "chocolate covered", "usda organic"], "instruction_options": ["bag"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUF3VLVM", "worker_id": "A249LDVPG27XCE"}, {"asin": "B078MZPZ8K", "instruction": "find me freeze dried chocolate covered strawberries and mango, need a bag with 2.5 ounce", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: strawberries + mangos", "size: 2.5 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried", "chocolate covered"], "instruction_options": ["strawberries + mangos", "2.5 ounce (pack of 1)", "bag"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJVKVGJ", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B078MZPZ8K", "instruction": "i am looking for a bundle of freeze dried fruits", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: chocolate covered mango slices", "size: 1.2 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["bundle"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF50LDE", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B078MZPZ8K", "instruction": "i need a bag of freeze dried strawberries.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: strawberries + pineapple", "size: 1.2 ounce (pack of 8)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries + pineapple"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R193I28", "worker_id": "A19317A3X87NVM"}, {"asin": "B078MZPZ8K", "instruction": "i want natierra freeze dried strawberry slices.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: bananas & strawberries", "size: strawberries 1.2 ounce & peas 2.2 ounce", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries 1.2 ounce & peas 2.2 ounce"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH7KV14", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B078MZPZ8K", "instruction": "i would like non gmo mango slices", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: chocolate mango slices", "size: 0.7 ounce (pack of 4)", "style: bag"], "instruction_attributes": ["non gmo"], "instruction_options": ["chocolate mango slices"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8K7C4S", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B078MZPZ8K", "instruction": "i'm looking for a usda organic freeze dried fruits which should be covered in chocolate. also, choose a pack of 1 weighing 1.5 ounce bag with pomegranate arils flavored one.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: pomegranate arils", "size: 1.5 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried", "chocolate covered", "usda organic"], "instruction_options": ["pomegranate arils", "1.5 ounce (pack of 1)", "bag"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBCYU6L", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B078MZPZ8K", "instruction": "i am looking for a bag of chocolate covered strawberry slices.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: strawberries + mangos", "size: 1.2 ounce (pack of 12)", "style: bag"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["bag"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVO0Q05", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B078MZPZ8K", "instruction": "i'm looking for freeze dried chocolate covered dried fruit with bananas and strawberries flavor in a 1 ounce sized bag.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: bananas and strawberries", "size: 1 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried", "chocolate covered"], "instruction_options": ["bananas and strawberries", "1 ounce (pack of 1)", "bag"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLVTRDA", "worker_id": "A20DUVEOH6A7KW"}, {"asin": "B078MZPZ8K", "instruction": "i am looking for a bag of usda organic freeze dried chocolate covered strawberry slices.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: bananas and strawberries", "size: 2.5 ounce (pack of 12)", "style: bag"], "instruction_attributes": ["freeze dried", "chocolate covered", "usda organic"], "instruction_options": ["bag"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOIE0F0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B078MZPZ8K", "instruction": "i would like a bag of chocolate covered streawberries and blueberries.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: strawberries + blueberries", "size: 2.5 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["strawberries + blueberries", "bag"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM969TG4U", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B078MZPZ8K", "instruction": "i want to buy a bundle of freeze dried mangoes and strawberries. they should be organic and non-gmo.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: beets", "size: strawberries 1.2 ounce & mangoes 1.5 oun...", "style: bundle"], "instruction_attributes": ["freeze dried", "non gmo", "usda organic"], "instruction_options": ["strawberries 1.2 ounce & mangoes 1.5 oun...", "bundle"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZA7UWU", "worker_id": "AR9AU5FY1S3RO"}], "B07BGHK1VQ": [{"asin": "B07BGHK1VQ", "instruction": "i would like a high performance black tablet that has a 9.7 inch screen.", "attributes": ["certified refurbished", "high performance"], "options": ["color: black", "size: 9.7\""], "instruction_attributes": ["high performance"], "instruction_options": ["black", "9.7\""], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDTWIRK", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FP3Y42D": [{"asin": "B09FP3Y42D", "instruction": "i'm looking for a height adjustable with pendant light chandelier for living room and dining room. also, choose 8008pl-10light in size.", "attributes": ["height adjustable", "pendant light", "light fixture", "dining room", "living room"], "options": ["size: 8008pl-10light"], "instruction_attributes": ["height adjustable", "pendant light", "dining room", "living room"], "instruction_options": ["8008pl-10light"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWTKC1O", "worker_id": "AR0VJ5XRG16UJ"}], "B094QNTTH2": [{"asin": "B094QNTTH2", "instruction": "i need a stainless steel watch with a blue camo top.", "attributes": ["quick release", "stainless steel"], "options": ["color: blue camo"], "instruction_attributes": ["stainless steel"], "instruction_options": ["blue camo"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEF5F5UK", "worker_id": "A19317A3X87NVM"}, {"asin": "B094QNTTH2", "instruction": "i am looking for a painted stainless steel 20mm replacement watch band.", "attributes": ["quick release", "stainless steel"], "options": ["color: paint"], "instruction_attributes": ["stainless steel"], "instruction_options": ["paint"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163S3PQU", "worker_id": "A1EREKSZAA9V7B"}], "B002LMBBLW": [{"asin": "B002LMBBLW", "instruction": "i would like a cruelty-free coconut scented shampoo.", "attributes": ["cruelty free", "tea tree"], "options": ["scent: coconut", "size: 8 fl oz (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["coconut"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQ3JAJ0", "worker_id": "A2ECRNQ3X5LEXD"}], "B086DKSHQ4": [{"asin": "B086DKSHQ4", "instruction": "i need a blink outdoor camera kit that has motion detection.", "attributes": ["batteries included", "long lasting", "motion detection"], "options": ["configuration: 2 camera kit", "style: blink outdoor"], "instruction_attributes": ["motion detection"], "instruction_options": ["2 camera kit", "blink outdoor"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB48U6F", "worker_id": "A2ECRNQ3X5LEXD"}], "B095JSFQKN": [{"asin": "B095JSFQKN", "instruction": "i need a four piece shower cap that is for natural hair.", "attributes": ["non slip", "natural hair", "hair loss"], "options": ["color: 4pcs style a"], "instruction_attributes": ["natural hair"], "instruction_options": ["4pcs style a"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKOSJML", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PV9L7P8": [{"asin": "B09PV9L7P8", "instruction": "i would like to buy some easy to install pendant lights for my living room.", "attributes": ["easy install", "pendant light", "light fixture", "solid wood", "dining room", "living room"], "options": [""], "instruction_attributes": ["easy install", "pendant light", "living room"], "instruction_options": [], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2C9KF7", "worker_id": "A1WS884SI0SLO4"}], "B000SKP2B4": [{"asin": "B000SKP2B4", "instruction": "i'm looking for some keto friendly peas and beans.", "attributes": ["keto friendly", "low carb", "dietary fiber"], "options": [""], "instruction_attributes": ["keto friendly"], "instruction_options": [], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7F4BK8X", "worker_id": "A19317A3X87NVM"}], "B0794J9TBP": [{"asin": "B0794J9TBP", "instruction": "i would like a big fit new cranberry 16.5 neck and 35-35 sleeve shirt that i can take care of in the washing machine.", "attributes": ["easy care", "machine wash", "stretch fabric", "regular fit", "button closure"], "options": ["color: new cranberry", "fit type: big fit", "size: 16.5\" neck 35\"-36\" sleeve"], "instruction_attributes": ["machine wash"], "instruction_options": ["new cranberry", "big fit", "16.5\" neck 35\"-36\" sleeve"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSJH0XQ", "worker_id": "A1WS884SI0SLO4"}], "B072YYHYGB": [{"asin": "B072YYHYGB", "instruction": "find me a brushed nickel wall sconce.", "attributes": ["brushed nickel", "nickel finish"], "options": [""], "instruction_attributes": ["brushed nickel"], "instruction_options": [], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS408JNX7", "worker_id": "A36LOA6VLJU157"}], "B00Y3C225M": [{"asin": "B00Y3C225M", "instruction": "i would like a 12 ounce bag of automatic drip coffee beans that are also gluten free.", "attributes": ["lactose free", "sugar free", "gluten free"], "options": ["size: 12 ounce (pack of 1)", "style: automatic drip"], "instruction_attributes": ["gluten free"], "instruction_options": ["12 ounce (pack of 1)", "automatic drip"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IR2HKI", "worker_id": "A1WS884SI0SLO4"}], "B085ZFZZGD": [{"asin": "B085ZFZZGD", "instruction": "i want to find a silver gray bluetooth projector that has blu ray.", "attributes": ["dust proof", "dual band", "high power", "blu ray", "plug play"], "options": ["color: silver grey"], "instruction_attributes": ["blu ray"], "instruction_options": ["silver grey"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OLXG5HM", "worker_id": "A345TDMHP3DQ3G"}], "B09PR5QRN1": [{"asin": "B09PR5QRN1", "instruction": "i would like a slim fit t-shirt that is xx-large and is the color blue2.", "attributes": ["fleece lined", "loose fit", "slim fit", "nylon spandex", "long sleeve", "drawstring waist", "high waist"], "options": ["color: blue2", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["blue2", "xx-large"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCLUBSN0", "worker_id": "A2ECRNQ3X5LEXD"}], "B091KJDJD3": [{"asin": "B091KJDJD3", "instruction": "i am looking a 8.5-9 woman non slip thick sole bathroom slipper with open toe also colour should be blue", "attributes": ["non slip", "quick drying", "open toe", "ethylene vinyl", "vinyl acetate"], "options": ["color: navy", "size: 8.5-9 women | 7-8 men"], "instruction_attributes": ["non slip", "open toe"], "instruction_options": ["navy", "8.5-9 women | 7-8 men"], "assignment_id": "351SEKWQSBRP7CP60H83T50CF1KDMK", "worker_id": "A3N9ZYQAESNFQH"}], "B07QW31DK1": [{"asin": "B07QW31DK1", "instruction": "i'd like to find 3 pairs of navy socks that are made of nylon spandex.", "attributes": ["long lasting", "nylon spandex"], "options": ["color: 3 pairs of navy"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["3 pairs of navy"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKIFV7A", "worker_id": "A345TDMHP3DQ3G"}], "B08M9CK173": [{"asin": "B08M9CK173", "instruction": "i need a ottoman for my living room in a primary color.", "attributes": ["storage space", "wood frame", "solid wood", "living room"], "options": ["color: primary color"], "instruction_attributes": ["living room"], "instruction_options": ["primary color"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSENW4GO7", "worker_id": "A1WS884SI0SLO4"}], "B000R2Z6AA": [{"asin": "B000R2Z6AA", "instruction": "i would like some spaghetti that is kosher.", "attributes": ["fully cooked", "kosher certified"], "options": [""], "instruction_attributes": ["kosher certified"], "instruction_options": [], "assignment_id": "39LNWE0K456PSVA11X00BCXJKS2IUQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08PKQ1ZVR": [{"asin": "B08PKQ1ZVR", "instruction": "i am looking for a purple high definition tablet.", "attributes": ["high definition", "high resolution", "hands free", "quad core"], "options": ["color: purple"], "instruction_attributes": ["high definition"], "instruction_options": ["purple"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20JBZ0I", "worker_id": "A2ECRNQ3X5LEXD"}], "B099521SST": [{"asin": "B099521SST", "instruction": "i would like to get a 16 gig black tablet with a usb port.", "attributes": ["high definition", "usb port"], "options": ["color: black", "size: 1+16g"], "instruction_attributes": ["usb port"], "instruction_options": ["black", "1+16g"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXF9KWF", "worker_id": "A1WS884SI0SLO4"}], "B081F733F9": [{"asin": "B081F733F9", "instruction": "i want to get a three pack of lead free tea light candles.", "attributes": ["lead free", "white item"], "options": ["size: (3-pack)", "style: mega tealight candles"], "instruction_attributes": ["lead free"], "instruction_options": ["(3-pack)"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VB65DJU", "worker_id": "A2YNPKYEFDZ6C9"}], "B09JLPBSCS": [{"asin": "B09JLPBSCS", "instruction": "i am looking for a storage case in the color 1", "attributes": ["storage case", "stainless steel"], "options": ["color: #1.0"], "instruction_attributes": ["storage case"], "instruction_options": ["#1.0"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD37VAYX", "worker_id": "A2ECRNQ3X5LEXD"}], "B08M3LT2X4": [{"asin": "B08M3LT2X4", "instruction": "i need a height adjustable blue office chair.", "attributes": ["height adjustable", "high density", "easy assemble", "lumbar support"], "options": ["color: blue"], "instruction_attributes": ["height adjustable"], "instruction_options": ["blue"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PESQEN", "worker_id": "A2ECRNQ3X5LEXD"}], "B000IB0FGU": [{"asin": "B000IB0FGU", "instruction": "i am looking for an antiperspirant.", "attributes": ["anti perspirant", "alcohol free"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3UOQ77", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LDH87YJ": [{"asin": "B08LDH87YJ", "instruction": "i am looking for esay appluing extra shine and long lasting cosmetics in kit 1 color.", "attributes": ["easy apply", "easy carry", "long lasting"], "options": ["color: kit 1"], "instruction_attributes": ["easy apply"], "instruction_options": ["kit 1"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXNJO5Q", "worker_id": "A2DQZHJHF45NDT"}], "B0751MZBGL": [{"asin": "B0751MZBGL", "instruction": "i need some gluten and dairy free fruit snacks.", "attributes": ["gluten free", "nut free", "dairy free", "non gmo", "dietary fiber", "simple ingredients"], "options": ["flavor name: fruit variety pack", "size: 2 large bags"], "instruction_attributes": ["gluten free", "dairy free"], "instruction_options": ["fruit variety pack"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDSHIR3", "worker_id": "A19317A3X87NVM"}], "B004D8Q9YG": [{"asin": "B004D8Q9YG", "instruction": "i would like a wine cabinet that's more in a contemporary modern style.", "attributes": ["bronze finish", "contemporary style"], "options": [""], "instruction_attributes": ["contemporary style"], "instruction_options": [], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP99EZRK", "worker_id": "A1WS884SI0SLO4"}], "B09SZP2LTP": [{"asin": "B09SZP2LTP", "instruction": "i would like to buy a dual band repeater able to work with high speed internet.", "attributes": ["dual band", "high speed"], "options": [""], "instruction_attributes": ["dual band", "high speed"], "instruction_options": [], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LC5SPV", "worker_id": "A1WS884SI0SLO4"}], "B016S52L2U": [{"asin": "B016S52L2U", "instruction": "find me a zero sugar grape flavored water.", "attributes": ["source vitamin", "zero sugar"], "options": ["flavor name: grape"], "instruction_attributes": ["zero sugar"], "instruction_options": ["grape"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIV2T3C", "worker_id": "A36LOA6VLJU157"}], "B07HWLYSP6": [{"asin": "B07HWLYSP6", "instruction": "i would get to get a women's large cranberry t-shirt made from cotton heather .", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: cranberry", "fit type: women", "size: large"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["cranberry", "women", "large"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR1EC0L", "worker_id": "A1WS884SI0SLO4"}], "B00478A1TG": [{"asin": "B00478A1TG", "instruction": "i would like to buy some size 5 mocha birkibuc slides with arch support.", "attributes": ["easy care", "arch support"], "options": ["color: mocha birkibuc", "size: 5"], "instruction_attributes": ["arch support"], "instruction_options": ["mocha birkibuc", "5"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUF5HLVC", "worker_id": "A1WS884SI0SLO4"}], "B09MLWWLXG": [{"asin": "B09MLWWLXG", "instruction": "i am looking for a manual toothbrush that is for sensitive teeth and is in the color f.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: f"], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6C8F0VT", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CT9LC6Y": [{"asin": "B07CT9LC6Y", "instruction": "i would like a living room wall lamp that is in antique silver and has one light.", "attributes": ["clear glass", "dining room", "living room"], "options": ["color: antique silver", "size: 1-light"], "instruction_attributes": ["living room"], "instruction_options": ["antique silver", "1-light"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY862Y81D", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LCKWKQM": [{"asin": "B09LCKWKQM", "instruction": "i need a desk for my home office that is easy to assemble and is white.", "attributes": ["space saving", "easy assemble", "storage space"], "options": ["color: white"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIIU480", "worker_id": "A2ECRNQ3X5LEXD"}], "B08TVTQ8N6": [{"asin": "B08TVTQ8N6", "instruction": "i am looking for heavy duto wall plates that are an outlet combo.", "attributes": ["heavy duty", "high gloss"], "options": ["style: rocker | outlet combo"], "instruction_attributes": ["heavy duty"], "instruction_options": ["rocker | outlet combo"], "assignment_id": "33F859I56HNA01QBVO1K6A4GVXTHBY", "worker_id": "A2ECRNQ3X5LEXD"}], "B000VWKILI": [{"asin": "B000VWKILI", "instruction": "i want a two pack of hair dye that is in the shade 8rb medium reddish blonde.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 8rb medium reddish blonde", "size: 1 count (pack of 2)"], "instruction_attributes": ["hair dye"], "instruction_options": ["8rb medium reddish blonde", "1 count (pack of 2)"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZB5C7Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B08TLX32NB": [{"asin": "B08TLX32NB", "instruction": "i am looking for an orange bag that is easy to carry", "attributes": ["leak proof", "easy carry"], "options": ["color: orange"], "instruction_attributes": ["easy carry"], "instruction_options": ["orange"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHA4IODZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B078SJV72L": [{"asin": "B078SJV72L", "instruction": "i would like to get a r9 b75+core pentium g2020 with 16 gigs of ram and a intel core i5 processer router.", "attributes": ["core i5", "intel core"], "options": ["color: r9 b75+intel pentium g2020", "size: 16g ram 512g ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["r9 b75+intel pentium g2020", "16g ram 512g ssd"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8N3C2ND", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B078SJV72L", "instruction": ", i want a router pc core i5 with intel core support 8g ram 128g ssd 1 tb hdd", "attributes": ["core i5", "intel core"], "options": ["color: r4 cpu d525", "size: 8g ram 128g ssd 1tb hdd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["8g ram 128g ssd 1tb hdd"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB192W5Z", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B078SJV72L", "instruction": "i'm looking for a router for i5 inter core processor. also, choose 8g ram, 128g ssd and 1td hdd with intel i3 3220, r9 b75 one.", "attributes": ["core i5", "intel core"], "options": ["color: r9 b75+intel i3 3220", "size: 8g ram 128g ssd 1tb hdd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["r9 b75+intel i3 3220", "8g ram 128g ssd 1tb hdd"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDH5O2A", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B078SJV72L", "instruction": "i need a router that has 8gb of ram and 240 ssd", "attributes": ["core i5", "intel core"], "options": ["color: r9 b75+intel i7 3770", "size: 8g ram 240g ssd"], "instruction_attributes": ["core i5"], "instruction_options": ["8g ram 240g ssd"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIIUFE5", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B078SJV72L", "instruction": "i need an intel core router with 8g ram and 512g ssd.", "attributes": ["core i5", "intel core"], "options": ["color: r9 b75+intel i3 3220", "size: 8g ram 512g ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["8g ram 512g ssd"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGBGSMT", "worker_id": "A1NF6PELRKACS9"}], "B093KC44SM": [{"asin": "B093KC44SM", "instruction": "i would like a wallet that can be washed in my laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YSK3QX", "worker_id": "A1WS884SI0SLO4"}], "B0736R9BM2": [{"asin": "B0736R9BM2", "instruction": "i am looking for gold noise cancelling headphones.", "attributes": ["noise cancelling", "long lasting", "hands free"], "options": ["color: gold"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["gold"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G728748", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LM7FRS4": [{"asin": "B09LM7FRS4", "instruction": "i am looking for large leggings that are butt lifting in fog grey.", "attributes": ["butt lifting", "moisture wicking", "nylon spandex", "elastic closure", "tummy control"], "options": ["color: fog grey", "size: large"], "instruction_attributes": ["butt lifting"], "instruction_options": ["fog grey", "large"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTK7P90", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GGWRRGM": [{"asin": "B07GGWRRGM", "instruction": "i'm looking for a gold professional hair styling barber gown.", "attributes": ["hair cutting", "hair styling"], "options": ["color: gold"], "instruction_attributes": ["hair styling"], "instruction_options": ["gold"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZF8A9V7", "worker_id": "A345TDMHP3DQ3G"}], "B014KZL3II": [{"asin": "B014KZL3II", "instruction": "could you get me listerine toothpaste that takes care of bad breath?", "attributes": ["bad breath", "oral hygiene"], "options": [""], "instruction_attributes": ["bad breath"], "instruction_options": [], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJO4VGP", "worker_id": "A15ERD4HOFEPHM"}], "B01G8DYX96": [{"asin": "B01G8DYX96", "instruction": "i'm looking for a ready to hag wall art for dining room and living room. also, choose 3 pcs/set 16*24 inch*3 framed with beach colored one.", "attributes": ["ready hang", "dining room", "living room"], "options": ["color: beach three 12x16inchx3", "size: 3 pcs | set 16x24inchx3 framed"], "instruction_attributes": ["ready hang", "dining room", "living room"], "instruction_options": ["beach three 12x16inchx3", "3 pcs | set 16x24inchx3 framed"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7JUOBG", "worker_id": "AR0VJ5XRG16UJ"}], "B00GDIMCKE": [{"asin": "B00GDIMCKE", "instruction": "i am looking for individually wrapped chocolate bars.", "attributes": ["individually wrapped", "gift basket"], "options": [""], "instruction_attributes": ["individually wrapped"], "instruction_options": [], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W14OUU", "worker_id": "A2ECRNQ3X5LEXD"}], "B079R9R7LJ": [{"asin": "B079R9R7LJ", "instruction": "i need a pack of variety ranch nacho flavorings with low sodium and natural ingredients.", "attributes": ["low sodium", "non gmo", "gluten free", "natural ingredients", "gift set", "great gift"], "options": ["flavor name: 2 pk - ranch, nacho"], "instruction_attributes": ["low sodium", "natural ingredients"], "instruction_options": ["2 pk - ranch, nacho"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEAG867", "worker_id": "A19317A3X87NVM"}], "B07MDZS3JB": [{"asin": "B07MDZS3JB", "instruction": "i need to buy some oils that are gluten free and keto friendly.", "attributes": ["keto friendly", "gluten free"], "options": [""], "instruction_attributes": ["keto friendly", "gluten free"], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH2Q1ET", "worker_id": "A2YNPKYEFDZ6C9"}], "B097RGWN48": [{"asin": "B097RGWN48", "instruction": "i would like to buy some high power binoculars that are good for bird watching.", "attributes": ["high power", "light weight", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYH9DH3", "worker_id": "A1WS884SI0SLO4"}], "B08P3HZZ7Z": [{"asin": "B08P3HZZ7Z", "instruction": "i'm looking for a unique designed, daily wear boxer briefs with elastic waistband. also choose medium size with waistband-stars flag printed one.", "attributes": ["unique design", "elastic waistband", "daily wear"], "options": ["color: waistband-stars flag", "size: medium"], "instruction_attributes": ["unique design", "elastic waistband", "daily wear"], "instruction_options": ["waistband-stars flag", "medium"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I5BCB7", "worker_id": "AR0VJ5XRG16UJ"}], "B01BHCERTO": [{"asin": "B01BHCERTO", "instruction": "i am looking for some maternity skin care that has natural ingredients.", "attributes": ["clinically proven", "high quality", "natural ingredients"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7A35NB", "worker_id": "A2ECRNQ3X5LEXD"}], "B091CXV8PL": [{"asin": "B091CXV8PL", "instruction": "i would like some cupcake toppers that would good at both a birthday party and a baby shower.", "attributes": ["baby shower", "birthday party"], "options": [""], "instruction_attributes": ["baby shower", "birthday party"], "instruction_options": [], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL8414TXAC", "worker_id": "A1WS884SI0SLO4"}], "B08V59PYQC": [{"asin": "B08V59PYQC", "instruction": "i need a home office desk chair that is green and made of pu leather", "attributes": ["pu leather", "living room"], "options": ["color: green,chrome"], "instruction_attributes": ["pu leather"], "instruction_options": ["green,chrome"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCSPQ4E", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HLZG1L5": [{"asin": "B08HLZG1L5", "instruction": "i need a light, short sleeve v-neck shirt in wine red.", "attributes": ["light weight", "machine wash", "elastic closure", "short sleeve"], "options": ["color: v-short-wine red", "size: 3x-large"], "instruction_attributes": ["light weight", "short sleeve"], "instruction_options": ["v-short-wine red"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746NVBT1", "worker_id": "A19317A3X87NVM"}], "B09KBVFNTZ": [{"asin": "B09KBVFNTZ", "instruction": "i would like a medium sized long sleeved buttons up polyester cardigan that is able to be machined washed. if they have one in khaki, that'd be great.", "attributes": ["machine wash", "wash cold", "quality polyester", "long sleeve", "button closure"], "options": ["color: khaki", "size: medium"], "instruction_attributes": ["machine wash", "quality polyester", "long sleeve", "button closure"], "instruction_options": ["khaki", "medium"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMENXV6", "worker_id": "A1WS884SI0SLO4"}], "B00ECU8IAI": [{"asin": "B00ECU8IAI", "instruction": "i would like a wall lamp with a nickel finish.", "attributes": ["nickel finish", "glass shade"], "options": [""], "instruction_attributes": ["nickel finish"], "instruction_options": [], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDNKY8E", "worker_id": "A1WS884SI0SLO4"}], "B015D7BLWK": [{"asin": "B015D7BLWK", "instruction": "i need a high speed usb flash drive that is 32 gb", "attributes": ["plug play", "high speed"], "options": ["color: 32gb"], "instruction_attributes": ["high speed"], "instruction_options": ["32gb"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTQK7MO", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NQLC9KN": [{"asin": "B07NQLC9KN", "instruction": "i would like to get a 5 pack of 4 ounce tea tree soap.", "attributes": ["tea tree", "natural ingredients"], "options": ["size: 4 ounce (pack of 5)"], "instruction_attributes": ["tea tree"], "instruction_options": ["4 ounce (pack of 5)"], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6E0EE1", "worker_id": "A1WS884SI0SLO4"}], "B09GXZJLB1": [{"asin": "B09GXZJLB1", "instruction": "i am looking for light blonde hair extensions that are 18 inches long.", "attributes": ["easy use", "hair extensions", "natural hair"], "options": ["color: ba#16 | 22 light blonde highlighted golden blonde", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["ba#16 | 22 light blonde highlighted golden blonde", "18 inch"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIZZ3TR", "worker_id": "A2ECRNQ3X5LEXD"}], "B0892HTXP7": [{"asin": "B0892HTXP7", "instruction": "i want to buy a faux leather ottoman that are 80 by 45 by 40 cm.", "attributes": ["storage space", "faux leather"], "options": ["color: e", "size: 80*45*40cm"], "instruction_attributes": ["faux leather"], "instruction_options": ["80*45*40cm"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CH58BNZ", "worker_id": "A2YNPKYEFDZ6C9"}], "B09K5CDZQN": [{"asin": "B09K5CDZQN", "instruction": "i need pendant lights that are a size a18", "attributes": ["pendant light", "dining room"], "options": ["size: a18"], "instruction_attributes": ["pendant light"], "instruction_options": ["a18"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9E8PB1L", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FKCTDPS": [{"asin": "B09FKCTDPS", "instruction": "i'm trying to find an 8 oz bag of sprinkles for a birthday party.", "attributes": ["baby shower", "birthday party"], "options": ["size: 8 oz"], "instruction_attributes": ["birthday party"], "instruction_options": ["8 oz"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQAEKE7", "worker_id": "A15ERD4HOFEPHM"}], "B096FF85FB": [{"asin": "B096FF85FB", "instruction": "i would like a twin sizes grey bed made of solid wood.", "attributes": ["assembly required", "box spring", "solid wood"], "options": ["color: grey", "size: twin"], "instruction_attributes": ["solid wood"], "instruction_options": ["grey", "twin"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LP5BOR7", "worker_id": "A1WS884SI0SLO4"}], "B0082JO8SG": [{"asin": "B0082JO8SG", "instruction": "get me a solid wood king bed with a box spring.", "attributes": ["solid wood", "box spring"], "options": ["color: saint pierre - toast linen", "size: king"], "instruction_attributes": ["box spring"], "instruction_options": ["king"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE18AXRD", "worker_id": "A15ERD4HOFEPHM"}], "B0836N74PN": [{"asin": "B0836N74PN", "instruction": "i am looking for a high quality hair brush.", "attributes": ["high quality", "hair cutting"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNED3IX8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NSBPS7F": [{"asin": "B09NSBPS7F", "instruction": "i would like to buy small blue toothbrushes for my toddler's sensitive teeth.", "attributes": ["teeth whitening", "easy use", "sensitive teeth"], "options": ["color: blue", "size: small(age1-8)"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["blue", "small(age1-8)"], "assignment_id": "32SCWG5HISEW7674IASH43KF3M36PG", "worker_id": "A1WS884SI0SLO4"}], "B09NKN53K1": [{"asin": "B09NKN53K1", "instruction": "i am looking for black power amplifier speakerphones.", "attributes": ["power amplifier", "high power"], "options": ["color: black"], "instruction_attributes": ["power amplifier"], "instruction_options": ["black"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMHZWML", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QJ9BDSJ": [{"asin": "B08QJ9BDSJ", "instruction": "i would like to buy a black stainless steel heavy duty file cabinet with two drawers.", "attributes": ["heavy duty", "assembly required", "stainless steel"], "options": ["color: black", "size: 2 drawers"], "instruction_attributes": ["heavy duty", "stainless steel"], "instruction_options": ["black", "2 drawers"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q7WT9HH", "worker_id": "A1WS884SI0SLO4"}], "B078SX7N2Z": [{"asin": "B078SX7N2Z", "instruction": "i want to purchase from men's clothing a pair of men's retro jeans with the relaxed fit and boot cut. needs to be long lasting, comfortable fitting and in a relaxed fit. must be a size 35 waist and 36 long in rockdale color.", "attributes": ["long lasting", "comfortable fit", "relaxed fit"], "options": ["color: rockdale", "fit type: regular", "size: 35w x 36l"], "instruction_attributes": ["long lasting", "comfortable fit", "relaxed fit"], "instruction_options": ["rockdale", "35w x 36l"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4I6KPK", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B078SX7N2Z", "instruction": "i would like a pair of 32w x 33l rocky top regular fit jeans that are long lasting.", "attributes": ["long lasting", "comfortable fit", "relaxed fit"], "options": ["color: rocky top", "fit type: regular", "size: 32w x 33l"], "instruction_attributes": ["long lasting"], "instruction_options": ["rocky top", "regular", "32w x 33l"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUEIZDL", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B078SX7N2Z", "instruction": "i would like a pair of bryson slim fit jeans with a comfortable relaxed fit. my size is 30w x 34l", "attributes": ["long lasting", "comfortable fit", "relaxed fit"], "options": ["color: bryson", "fit type: slim", "size: 30w x 34l"], "instruction_attributes": ["comfortable fit", "relaxed fit"], "instruction_options": ["bryson", "slim", "30w x 34l"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0WKCCZ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B078SX7N2Z", "instruction": "i need men's boot cut jeans that has a relaxed fit. it should be 36 wide and 30 long.", "attributes": ["long lasting", "comfortable fit", "relaxed fit"], "options": ["color: atlanta", "fit type: slim", "size: 36w x 30l"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["36w x 30l"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX61FAL", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B078SX7N2Z", "instruction": "i would like comfortable fit jeans in the lakeport color", "attributes": ["long lasting", "comfortable fit", "relaxed fit"], "options": ["color: lakeport", "fit type: regular", "size: 32w x 31l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["lakeport"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G79Q744", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B078SX7N2Z", "instruction": "i am looking for a pair of long lasting placid blue men's jeans.", "attributes": ["long lasting", "comfortable fit", "relaxed fit"], "options": ["color: placid blue", "fit type: big & tall", "size: 44w x 30l"], "instruction_attributes": ["long lasting"], "instruction_options": ["placid blue"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q7BGW9", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B078SX7N2Z", "instruction": "i want to find men's jeans with a relaxed, big and tall fit. the jeans should be in size 34 and have an antique wash.", "attributes": ["long lasting", "comfortable fit", "relaxed fit"], "options": ["color: antique wash", "fit type: big & tall", "size: 34"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["antique wash", "big & tall", "34"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTICD50", "worker_id": "A345TDMHP3DQ3G"}], "B084TJLG4C": [{"asin": "B084TJLG4C", "instruction": "i would like to buy a 70 by 70 inch pattern 4 table cloth that's easy to clean.", "attributes": ["machine washable", "super soft", "eco friendly", "easy clean"], "options": ["color: pattern04", "size: 70\"x70\"(diameter 178cm)"], "instruction_attributes": ["easy clean"], "instruction_options": ["pattern04", "70\"x70\"(diameter 178cm)"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YWZMT4T", "worker_id": "A1WS884SI0SLO4"}], "B087CYM49L": [{"asin": "B087CYM49L", "instruction": "i would like to get a 24 pack of 7.5 ounce bottles of non-gmo classic tonic.", "attributes": ["non gmo", "high fructose", "artificial flavors"], "options": ["flavor name: classic tonic", "size: 7.5 fl oz (pack of 24)"], "instruction_attributes": ["non gmo"], "instruction_options": ["classic tonic", "7.5 fl oz (pack of 24)"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ4C0N9", "worker_id": "A1WS884SI0SLO4"}], "B082NWZD2B": [{"asin": "B082NWZD2B", "instruction": "i need a cosmetic bag for my nail polish.", "attributes": ["nail polish", "nail art"], "options": [""], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZ7RRP5", "worker_id": "A2ECRNQ3X5LEXD"}], "B089LP3TJD": [{"asin": "B089LP3TJD", "instruction": "i am looking for an alcohol free mouthwash", "attributes": ["non toxic", "clinically proven", "alcohol free"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR025W3KA1", "worker_id": "A2ECRNQ3X5LEXD"}], "B08Y3XH857": [{"asin": "B08Y3XH857", "instruction": "i would like to buy a valentine's day party bag with 60 chocolate individually wrapped candies.", "attributes": ["individually wrapped", "valentine day"], "options": [""], "instruction_attributes": ["individually wrapped", "valentine day"], "instruction_options": [], "assignment_id": "31EUONYN26DZ1WA44INARVVOAAUOV4", "worker_id": "A1WS884SI0SLO4"}], "B09CGV29FK": [{"asin": "B09CGV29FK", "instruction": "i need a high quality pink toiletry bag.", "attributes": ["easy clean", "bpa free", "high quality", "travel bottles"], "options": ["color: pink"], "instruction_attributes": ["high quality"], "instruction_options": ["pink"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH49Z514", "worker_id": "A19317A3X87NVM"}], "B08KSRV6RX": [{"asin": "B08KSRV6RX", "instruction": "i would like a travel size 0.27 fluid ounce of lanvin eclat d'arpege impression perfume.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: lanvin eclat d'arpege impression", "size: 0.27 fl oz (pack of 1)"], "instruction_attributes": ["travel size"], "instruction_options": ["lanvin eclat d'arpege impression", "0.27 fl oz (pack of 1)"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFAA20B", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08KSRV6RX", "instruction": "i need a travel size perfume with a frederic malle scent.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: frederic malle music for a while impress...", "size: 0.27 fl oz | 8ml"], "instruction_attributes": ["travel size"], "instruction_options": ["frederic malle music for a while impress..."], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGD8X5KR", "worker_id": "A19317A3X87NVM"}, {"asin": "B08KSRV6RX", "instruction": "i am looking for a travel sized bottle of chanel number 5.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: chanel no:5 eau premiere impression", "size: 0.27 fl oz (pack of 1)"], "instruction_attributes": ["travel size"], "instruction_options": ["chanel no:5 eau premiere impression"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LJ3PS4", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08KSRV6RX", "instruction": "show me a high quality long lasting travel size christian dior ambre nuit impression perfume in 5ml size.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: christian dior ambre nuit impression", "size: 0.17 fl oz | 5ml"], "instruction_attributes": ["travel size", "long lasting", "high quality"], "instruction_options": ["christian dior ambre nuit impression", "0.17 fl oz | 5ml"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYQBQMO", "worker_id": "A3AYHESLQSDY5T"}], "B08WKC5NQV": [{"asin": "B08WKC5NQV", "instruction": "i need a table that is easy to assemble and that is honey pine", "attributes": ["easy assemble", "solid wood", "dining room", "living room"], "options": ["color: 02 honey pine", "size: catalog + pine samples"], "instruction_attributes": ["easy assemble"], "instruction_options": ["02 honey pine"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GICO00N", "worker_id": "A2ECRNQ3X5LEXD"}], "B0071K49JA": [{"asin": "B0071K49JA", "instruction": "i am looking for a light fixture that is brushed nickel.", "attributes": ["brushed nickel", "nickel finish", "light fixture"], "options": ["color: brushed nickel"], "instruction_attributes": ["light fixture"], "instruction_options": ["brushed nickel"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2VW72U1", "worker_id": "A2ECRNQ3X5LEXD"}], "B08NDPZBLK": [{"asin": "B08NDPZBLK", "instruction": "i am looking for solid wood chairs in a dusty pink color", "attributes": ["super soft", "mid century", "easy assemble", "solid wood", "wood frame", "living room", "dining room"], "options": ["color: dusty pink"], "instruction_attributes": ["solid wood"], "instruction_options": ["dusty pink"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB39UNQG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08L6LR44Q": [{"asin": "B08L6LR44Q", "instruction": "i would like a kronos phone case that supports wireless charging.", "attributes": ["high definition", "wireless charging"], "options": ["color: kronos"], "instruction_attributes": ["wireless charging"], "instruction_options": ["kronos"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXEQWK6", "worker_id": "A1WS884SI0SLO4"}], "B00B1H8VMU": [{"asin": "B00B1H8VMU", "instruction": "i need an original orzo that is low carb and is 1.3 pounds.", "attributes": ["low carb", "dietary fiber"], "options": ["flavor name: original", "size: 1.3 pound (pack of 1)"], "instruction_attributes": ["low carb"], "instruction_options": ["original", "1.3 pound (pack of 1)"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPT8G01", "worker_id": "A2ECRNQ3X5LEXD"}], "B076B52CFD": [{"asin": "B076B52CFD", "instruction": "i am looking for low fat jalapeno jerky that is 4 ounces.", "attributes": ["low fat", "high protein"], "options": ["flavor name: jalapeno", "size: 4 ounce (pack of 1)"], "instruction_attributes": ["low fat"], "instruction_options": ["jalapeno", "4 ounce (pack of 1)"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKS1IUP", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B076B52CFD", "instruction": "get me some triple dog dare jerky. it should be high in protein and low in fat.", "attributes": ["low fat", "high protein"], "options": ["flavor name: triple dog dare", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["low fat", "high protein"], "instruction_options": ["triple dog dare"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVCKV8G", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B076B52CFD", "instruction": "i am looking for low fat in honey chipotle bbg", "attributes": ["low fat", "high protein"], "options": ["flavor name: honey chipotle bbq", "size: 4 ounce"], "instruction_attributes": ["low fat"], "instruction_options": ["honey chipotle bbq"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMXOG2T", "worker_id": "A2MSIFDLOHI1UT"}], "B07SSJQ7VK": [{"asin": "B07SSJQ7VK", "instruction": "i would like to buy a 2'3\" x 22' green rug for my living room.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: green | ivory", "size: 2'3\" x 22'"], "instruction_attributes": ["living room"], "instruction_options": ["green | ivory", "2'3\" x 22'"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU45WR60", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07SSJQ7VK", "instruction": "i need an area rug for the dining room that is 3ft by 5ft and is ivory and brown.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: ivory | brown", "size: 3' x 5'"], "instruction_attributes": ["dining room"], "instruction_options": ["ivory | brown", "3' x 5'"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MCZEZYD", "worker_id": "A2ECRNQ3X5LEXD"}], "B09J14SLPH": [{"asin": "B09J14SLPH", "instruction": "i need a men's size 13 and a half casual walking show with a rubber sole, and it needs to fit comfortably. i want a unique design like a turtle or elephant doodle.", "attributes": ["non slip", "rubber sole", "comfortable fit", "unique design"], "options": ["size: 13.5"], "instruction_attributes": ["rubber sole", "comfortable fit", "unique design"], "instruction_options": ["13.5"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY89LUXP", "worker_id": "A2DDPSXH2X96RF"}], "B096ZZXGSQ": [{"asin": "B096ZZXGSQ", "instruction": "i need a button down shirt with a long sleeve for a evereday wear medium size with v neck", "attributes": ["machine washable", "loose fit", "hand wash", "button closure", "long sleeve", "everyday wear", "laundry bag"], "options": ["color: haze blue-long sleeve", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP1XQDY", "worker_id": "A2Y2TURT2VEYZN"}], "B08DTWTKTY": [{"asin": "B08DTWTKTY", "instruction": "i am looking for a bathroom light with farmhouse vanity light", "attributes": ["wall mounted", "bronze finish", "vanity light", "light fixture"], "options": [""], "instruction_attributes": ["bronze finish", "vanity light", "light fixture"], "instruction_options": [], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQ4ES6I", "worker_id": "A356LXGP5Z6D75"}], "B08LYHHYJ8": [{"asin": "B08LYHHYJ8", "instruction": "i want to find some hair growth oil that can treat dry and damaged hair. it must have long-lasting effects.", "attributes": ["long lasting", "tea tree", "natural ingredients", "hair growth", "hair treatment", "hair loss", "damaged hair", "natural hair", "dry hair"], "options": [""], "instruction_attributes": ["long lasting", "damaged hair", "dry hair"], "instruction_options": [], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3Q3ZM1J", "worker_id": "A345TDMHP3DQ3G"}], "B07TSMXFSZ": [{"asin": "B07TSMXFSZ", "instruction": "i am looking for a vidaxl sheesham wood dining table of light brown color with coated steel for dining room.", "attributes": ["coated steel", "white finish", "dining room"], "options": ["color: light brown", "size: 55.1\""], "instruction_attributes": ["coated steel", "dining room"], "instruction_options": ["light brown"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5I5X6I", "worker_id": "A1Q8PPQQCWGY0D"}], "B08QDRTNCS": [{"asin": "B08QDRTNCS", "instruction": "i'm looking for a sound bar that fits a honda 2016-2022 with a pioneer 5 utv", "attributes": ["high power", "plug play", "usb port"], "options": [""], "instruction_attributes": ["high power", "plug play"], "instruction_options": [], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO3GJGF", "worker_id": "A2EIQYUSCVZTML"}], "B073H4R7V8": [{"asin": "B073H4R7V8", "instruction": "i'm looking for a 2 ounce bag of kool ranch kale chips that are non-gmo and gluten free.", "attributes": ["non gmo", "hand crafted", "gluten free", "simple ingredients"], "options": ["flavor name: kool ranch", "size: 2 ounce (pack of 1)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["kool ranch", "2 ounce (pack of 1)"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGHWBV19", "worker_id": "A39SK1E6IMQBD5"}], "B071GVXG5C": [{"asin": "B071GVXG5C", "instruction": "i'm looking for a deep conditioning hair mask for dry hair that contains argan oil.", "attributes": ["argan oil", "dry hair"], "options": [""], "instruction_attributes": ["argan oil", "dry hair"], "instruction_options": [], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVBTTUX", "worker_id": "A1UYU9PV266WTT"}], "B09PF39V68": [{"asin": "B09PF39V68", "instruction": "i want to get a box of chocolates that's handcrafted and a gift set.", "attributes": ["hand crafted", "gift set"], "options": [""], "instruction_attributes": ["hand crafted", "gift set"], "instruction_options": [], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HPF1DO", "worker_id": "A2YNPKYEFDZ6C9"}], "B01FRP21K4": [{"asin": "B01FRP21K4", "instruction": "i'm looking for low sodium tuna fish in a 6.3 ounce container , preferably in a 6 pack . please also select the ones that have been flavored with tomato & olives.", "attributes": ["gluten free", "wild caught", "low sodium", "low calorie", "non gmo", "great gift"], "options": ["flavor name: tomato & olives", "size: 6.3 ounce (pack of 6)"], "instruction_attributes": ["low sodium"], "instruction_options": ["tomato & olives", "6.3 ounce (pack of 6)"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PEGEQZ", "worker_id": "A20DUVEOH6A7KW"}, {"asin": "B01FRP21K4", "instruction": "i would like some wild caught tuna fish that is a jalapeno flavor.", "attributes": ["gluten free", "wild caught", "low sodium", "low calorie", "non gmo", "great gift"], "options": ["flavor name: jalapeno", "size: 6.7 ounce (pack of 1)"], "instruction_attributes": ["wild caught"], "instruction_options": ["jalapeno"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1K6F6K", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Y7XTHCT": [{"asin": "B07Y7XTHCT", "instruction": "i would to have 12 piece cake topper for a birthday party.", "attributes": ["birthday party", "party supplies", "baby shower"], "options": ["color: toy"], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9F0TVE", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B07Y7XTHCT", "instruction": "i am looking for a trolls themed cupcake topper for a birthday party.", "attributes": ["birthday party", "party supplies", "baby shower"], "options": ["color: trolls"], "instruction_attributes": ["birthday party"], "instruction_options": ["trolls"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDJ6RHV", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07Y7XTHCT", "instruction": "i would like some toy cupcake toppers for a baby shower.", "attributes": ["birthday party", "party supplies", "baby shower"], "options": ["color: toy"], "instruction_attributes": ["baby shower"], "instruction_options": ["toy"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEO4ZKP", "worker_id": "A1WS884SI0SLO4"}], "B00RXUKSSO": [{"asin": "B00RXUKSSO", "instruction": "i want a contemporary style solid wood fabric ottoman colour should be light grey", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: light gray", "size: sofa"], "instruction_attributes": ["contemporary style", "solid wood"], "instruction_options": ["light gray"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYYU4J0", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B00RXUKSSO", "instruction": "look for chairs that have a contemporary style and come in azure.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: azure", "size: ottoman"], "instruction_attributes": ["contemporary style"], "instruction_options": ["azure"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3B2QNV", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B00RXUKSSO", "instruction": "i would like a mid century oatmeal sofa ottoman made with solid wood.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: oatmeal", "size: sofa"], "instruction_attributes": ["mid century", "solid wood"], "instruction_options": ["oatmeal", "sofa"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MMFWL9", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00RXUKSSO", "instruction": "i need a mid-century ottoman that's upholstered in oatmeal fabric.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: oatmeal", "size: teal"], "instruction_attributes": ["mid century"], "instruction_options": ["oatmeal"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RLBFLK", "worker_id": "A3LIIE572Z4OG7"}], "B08Y6T1TYN": [{"asin": "B08Y6T1TYN", "instruction": "i am looking super soft speed sports car fleece throw blanket for boys girls extreme sports theme plush blanket cool tie dye decor fuzzy blanket for sofa bed couch for living room.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 26", "size: throw"], "instruction_attributes": ["super soft", "fleece throw", "living room"], "instruction_options": ["throw"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AC1YUF", "worker_id": "A1W06GIYOJMSAK"}], "B093YSPPVX": [{"asin": "B093YSPPVX", "instruction": "set of 3 blouse hosiery normal-1, tradional-1, modern-1including matching clothes.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery"], "instruction_options": [], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKRSNDS", "worker_id": "A226L9F2AZ38CL"}], "B005OLG5XG": [{"asin": "B005OLG5XG", "instruction": "i just ran out of my foundation. i need you to buy me another one. make sure it is the mehron brand, is cruelty free, and oh! make sure it is the small one. i think it is .75 ounce size.", "attributes": ["paraben free", "cruelty free"], "options": ["color: dark 0", "size: 0.75 ounce"], "instruction_attributes": ["cruelty free"], "instruction_options": ["0.75 ounce"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9NWETY", "worker_id": "A33B85TN97HQ33"}], "B091GQTPT5": [{"asin": "B091GQTPT5", "instruction": "i am looking for some colorful life canvas art for the living room.", "attributes": ["ready hang", "living room"], "options": ["color: colorful life", "size: 47\"w x 31\"h"], "instruction_attributes": ["living room"], "instruction_options": ["colorful life"], "assignment_id": "3634BBTX0Z409DDB6851PCWGA5PIFT", "worker_id": "A3CR9XJAL7U5JW"}], "B09B7GFR12": [{"asin": "B09B7GFR12", "instruction": "find light weight running shoes that can be worn for general outdoor activities and on hiking trails. my size is 40 m eu and i want the color to be 8-4 red.", "attributes": ["light weight", "comfortable fit"], "options": ["color: 8-4 red", "size: 40 m eu"], "instruction_attributes": ["light weight"], "instruction_options": ["8-4 red", "40 m eu"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KQSJ9V", "worker_id": "AOT2BJVBU7JGW"}, {"asin": "B09B7GFR12", "instruction": "i am looking for some lightweight hiking shoes that are yellow and a size 39m", "attributes": ["light weight", "comfortable fit"], "options": ["color: 8-4 gray yellow40", "size: 39 m eu"], "instruction_attributes": ["light weight"], "instruction_options": ["8-4 gray yellow40", "39 m eu"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWT1R97P", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CJL35KV": [{"asin": "B07CJL35KV", "instruction": "i am looking for sea salt body skin scrub consisting of natural ingredients with pack size of 3.4 fl oz.", "attributes": ["natural ingredients", "dead skin"], "options": ["scent: mango coconut", "size: 3.4 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["3.4 fl oz (pack of 1)"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDSTEUVD", "worker_id": "A1V2JTEEBCXR20"}], "B00GJBI1GY": [{"asin": "B00GJBI1GY", "instruction": "i want to purchase a machine washable maroon-colored long sleeve men's t-shirt. my size is 3x-large.", "attributes": ["machine wash", "needle sleeve", "long sleeve"], "options": ["color: maroon | cardinal(2 pack)", "size: 3x-large"], "instruction_attributes": ["machine wash", "long sleeve"], "instruction_options": ["maroon | cardinal(2 pack)", "3x-large"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPASQVS", "worker_id": "A1MWCDBGZLHJPI"}, {"asin": "B00GJBI1GY", "instruction": "i am looking for irish-gold color men's t-shirt having long sleeve.", "attributes": ["machine wash", "needle sleeve", "long sleeve"], "options": ["color: irish-gold", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["irish-gold"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GENQ8QQ", "worker_id": "A1Q8PPQQCWGY0D"}], "B09P1CWJTM": [{"asin": "B09P1CWJTM", "instruction": "i am looking for a water flosser and toothbrush combo in one, specifically one that is clinically proven to help with bad breath.", "attributes": ["clinically proven", "bad breath"], "options": [""], "instruction_attributes": ["clinically proven", "bad breath"], "instruction_options": [], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40NTFY0", "worker_id": "A2OVOVZBJYUO"}], "B0829QW29B": [{"asin": "B0829QW29B", "instruction": "i want to get a fruit snack pack from the bare baked company. it should be both fat free and coconut flavored. i also prefer the 16-pack of the 0.53 ounce size.", "attributes": ["non gmo", "gluten free", "fat free", "real fruit", "simple ingredients"], "options": ["flavor name: coconut", "size: 1.4 ounce (pack of 6)"], "instruction_attributes": ["fat free"], "instruction_options": ["coconut"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWU329RL", "worker_id": "A3JUPCWYN6N6H4"}], "B078HYQQBD": [{"asin": "B078HYQQBD", "instruction": "i am looking for silicone body scrubber for sink care massage", "attributes": ["easy clean", "dry skin", "sensitive skin"], "options": ["color: light blue+green", "size: 1st generation"], "instruction_attributes": ["easy clean", "sensitive skin"], "instruction_options": ["light blue+green", "1st generation"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL0OEC5", "worker_id": "ADZQIBZTP9N78"}, {"asin": "B078HYQQBD", "instruction": "i want to find a gray-colored body scrubber that i can use on sensitive skin. if you can find me something that's second generation that would be helpful.", "attributes": ["easy clean", "dry skin", "sensitive skin"], "options": ["color: gray", "size: 2nd generation"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["gray"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0U0F3AN", "worker_id": "A345TDMHP3DQ3G"}], "B093J2HCY5": [{"asin": "B093J2HCY5", "instruction": "could you find me a cruelty and paraben free fragrance? i'm hoping to find one with the sofia isabel scent.", "attributes": ["paraben free", "cruelty free", "coconut oil"], "options": ["scent: sofia isabel"], "instruction_attributes": ["paraben free", "cruelty free"], "instruction_options": ["sofia isabel"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MT769NS", "worker_id": "A2CJFO19NY4T5R"}], "B095J6LNX5": [{"asin": "B095J6LNX5", "instruction": "i'd like to purchase a men's sweater in a size 5x, long-sleeved and with a tonal design.", "attributes": ["classic fit", "long sleeve", "dry clean"], "options": ["color: wine", "size: 5x-large"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0NMPX7", "worker_id": "A3UJSDFJ9LBQ6Z"}], "B094HWX388": [{"asin": "B094HWX388", "instruction": "i am looking for a camera lens protector case in silver color for samsung mobile , also easy to install.", "attributes": ["easy install", "high definition"], "options": ["color: silver", "size: for samsung galaxy s20 ultra"], "instruction_attributes": ["easy install"], "instruction_options": ["silver"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJYGYGRK", "worker_id": "A2HMEGTAFO0CS8"}], "B07QL5DZ3W": [{"asin": "B07QL5DZ3W", "instruction": "i am looking for a high quality healifty dental floss oral tooth brush kit which is easy to carry.", "attributes": ["easy carry", "high quality"], "options": [""], "instruction_attributes": ["easy carry", "high quality"], "instruction_options": [], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2JA5MQ", "worker_id": "A1V2JTEEBCXR20"}], "B01N8WV4EQ": [{"asin": "B01N8WV4EQ", "instruction": "i'm looking for an easy to use roofull external cd dvd +/-rw drive usb 3.0 protable usb dvd/cd rom burner optical drive player reader writer for windows carrying case in silver.", "attributes": ["easy use", "carrying case", "usb port"], "options": ["color: silver"], "instruction_attributes": ["easy use", "carrying case"], "instruction_options": ["silver"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI70LGZN", "worker_id": "AOMFEAWQHU3D8"}], "B08ZHGYXZ2": [{"asin": "B08ZHGYXZ2", "instruction": "i'm looking for a shampoo paraben free and a conditioner same as shampoo", "attributes": ["plant based", "paraben free", "cruelty free", "tea tree"], "options": ["size: conditioner"], "instruction_attributes": ["paraben free"], "instruction_options": ["conditioner"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R10TYV", "worker_id": "A19Q021KR28CS8"}], "B09R3XL9WW": [{"asin": "B09R3XL9WW", "instruction": "can you find me a hair growth serum that is made from natural ingredients, that will aid in hair growth and also aid in restoring damaged hair to it's healthiest state. i would like one individually-sized package.", "attributes": ["natural ingredients", "hair growth", "damaged hair", "hair loss", "dry hair"], "options": [""], "instruction_attributes": ["natural ingredients", "hair growth", "damaged hair"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHQX7BE", "worker_id": "AMI0SOF51O3FW"}], "B09MFR5LBR": [{"asin": "B09MFR5LBR", "instruction": "i need a long lasting eyebrow shaping kit for brown eyebrows.", "attributes": ["long lasting", "easy use", "eye shadow"], "options": ["color: light brown"], "instruction_attributes": ["long lasting"], "instruction_options": ["light brown"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQ8FJCQ", "worker_id": "A3AK3UL0UCNVKE"}], "B09Q963B2M": [{"asin": "B09Q963B2M", "instruction": "i'm looking for medium sized workout and yoga leggings or tights in green, with butt lifting and high waist.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: green", "size: medium"], "instruction_attributes": ["butt lifting", "high waist"], "instruction_options": ["green", "medium"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNYYYU0K", "worker_id": "A19KWRLD7P57VJ"}], "B06XQXG52M": [{"asin": "B06XQXG52M", "instruction": "i am looking for 8 fluid oz. of a women's body mist by vera wang called embrace that's a green tea & pear blossom.", "attributes": ["green tea", "fine mist"], "options": ["color: marigold & gardenia", "size: 8 fl oz green tea & pear + 8 fl oz periw...", "style: body spray"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YQ3HEN", "worker_id": "ABYRAWL4BGD3C"}, {"asin": "B06XQXG52M", "instruction": "i'm looking for fine mist body spray the bottle continues the warm of water.", "attributes": ["green tea", "fine mist"], "options": ["color: marigold & gardenia", "size: 8.12 fl oz (pack of 1)", "style: body spray"], "instruction_attributes": ["fine mist"], "instruction_options": ["body spray"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I8FFD2", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B06XQXG52M", "instruction": "i'm looking for fine mist body spray fragrance it produces continues stream of water.", "attributes": ["green tea", "fine mist"], "options": ["color: green tea & pear blossom", "size: 8 fl oz green tea & pear + 8 fl oz periw...", "style: body spray"], "instruction_attributes": ["fine mist"], "instruction_options": ["8 fl oz green tea & pear + 8 fl oz periw...", "body spray"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPHNQV1", "worker_id": "A16IQOX0DK14OJ"}], "B09Q15T1R5": [{"asin": "B09Q15T1R5", "instruction": "can you help me find a st. patrick's day themed cupcake topper? i need a shamrock design, and 24-60 of them.", "attributes": ["cupcake picks", "party supplies"], "options": ["color: 24pcs"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["24pcs"], "assignment_id": "3P4MQ7TPP8M09ONPVWROKZ1I0GJBBZ", "worker_id": "A2QX3YJXAAHHVV"}], "B097CBRG67": [{"asin": "B097CBRG67", "instruction": "i want to purchase dental tools and equipment's such as oral care dental tools, tarter scraper , professional dental picks, plaque remover, dentist pick stainless steel design as tarter scraper", "attributes": ["stainless steel", "oral hygiene"], "options": ["design: tarter scraper"], "instruction_attributes": ["stainless steel"], "instruction_options": ["tarter scraper"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLMSFTU", "worker_id": "A3RBCGB309WPOC"}], "B07TMFCFF5": [{"asin": "B07TMFCFF5", "instruction": "i have choose size 38 to high heel for the summer", "attributes": ["open toe", "ankle strap", "memory foam", "high heel"], "options": ["color: z4-grey", "size: 38"], "instruction_attributes": ["high heel"], "instruction_options": ["38"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGC5O0W", "worker_id": "A1SJ6E71TEWQEQ"}], "B093KY48TK": [{"asin": "B093KY48TK", "instruction": "i need a wood sculpture or a statue of a casual woman for home, living room, or wine cabinet.", "attributes": ["hand painted", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2SN534", "worker_id": "A39VVWV1GHLMFD"}], "B00E4MJ0A6": [{"asin": "B00E4MJ0A6", "instruction": "i am looking to buy a fragrance free deodrant. it would be great if it comes in a pack of 12.", "attributes": ["anti perspirant", "fragrance free"], "options": ["size: 2.25 ounce (pack of 12)"], "instruction_attributes": ["fragrance free"], "instruction_options": ["2.25 ounce (pack of 12)"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILV85ZSA", "worker_id": "AHXHM1PQTRWIQ"}], "B077ZKVC9C": [{"asin": "B077ZKVC9C", "instruction": "i am looking for white color reebok men's sneaker with rubber sole.", "attributes": ["daily casual", "rubber outsole", "rubber sole"], "options": ["color: white | light solid grey", "size: 10"], "instruction_attributes": ["rubber sole"], "instruction_options": ["white | light solid grey"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB1J6UW", "worker_id": "A3FG5PQHG5AH3Y"}], "B09P59GGXN": [{"asin": "B09P59GGXN", "instruction": "i'm looking for a pair of women's high heel with closed toe. i want pink and in size 9.", "attributes": ["closed toe", "high heel"], "options": ["color: pink", "size: 9"], "instruction_attributes": ["closed toe", "high heel"], "instruction_options": ["pink", "9"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWPZC1V", "worker_id": "A3MNXK3VDK37SN"}], "B09RKHSBSC": [{"asin": "B09RKHSBSC", "instruction": "i am searching for some men's briefs but something fun. maybe you could find some with some elephants on them. i want them to be red and a large in size. also, it is important for convenience that they be machine washable as well.", "attributes": ["quick drying", "machine washable"], "options": ["color: red", "size: large"], "instruction_attributes": ["machine washable"], "instruction_options": ["red", "large"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HQXD1K", "worker_id": "A3GMRPF5MCQVGV"}], "B08149X85L": [{"asin": "B08149X85L", "instruction": "i am looking for a nacho flavored tortilla chip dip, preferably in a grain free version.", "attributes": ["grain free", "high fructose"], "options": ["flavor name: nacho", "size: 5 ounce (pack of 12)"], "instruction_attributes": ["grain free"], "instruction_options": ["nacho"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6T7NMNG", "worker_id": "A2NSS746CFCT4M"}, {"asin": "B08149X85L", "instruction": "i'm looking for a siete chip tortilla", "attributes": ["grain free", "high fructose"], "options": ["flavor name: no salt", "size: 5 ounce (pack of 6)"], "instruction_attributes": ["grain free"], "instruction_options": ["no salt", "5 ounce (pack of 6)"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDO2HRR", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09C6NCGWZ": [{"asin": "B09C6NCGWZ", "instruction": "i'm looking for a desktop computer with intel core i5 processor which includes of 8gb ram, 512gb nvme ssd + 500gb hdd", "attributes": ["core i5", "intel core"], "options": ["size: 8gb ram | 512gb nvme ssd + 500gb hdd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["8gb ram | 512gb nvme ssd + 500gb hdd"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733G4BED", "worker_id": "A21IUUHBSEVB56"}], "B00CWTT73I": [{"asin": "B00CWTT73I", "instruction": "i want a french vanilla flavor lactose free coffee creamer ,16 fl oz", "attributes": ["lactose free", "gluten free"], "options": ["flavor name: french vanilla", "size: 16 fl oz (pack of 1)"], "instruction_attributes": ["lactose free"], "instruction_options": ["french vanilla", "16 fl oz (pack of 1)"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYJUM66", "worker_id": "A3N9ZYQAESNFQH"}], "B08W2JDWQZ": [{"asin": "B08W2JDWQZ", "instruction": "i want you to buy me a vanity light which should have 4 led lights, i prefer it to be black and it should be dimmable.", "attributes": ["easy install", "vanity light", "living room"], "options": ["color: dimmable-black", "size: 4-light"], "instruction_attributes": ["vanity light"], "instruction_options": ["dimmable-black", "4-light"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAU3A8Y", "worker_id": "A1OPJ5I9BF44QH"}], "B09MTCCBLK": [{"asin": "B09MTCCBLK", "instruction": "i want a large tracksuit with long sleeves for my gym workout. get it in gray.", "attributes": ["long sleeve", "gym workout"], "options": ["color: 06 gray", "size: large"], "instruction_attributes": ["long sleeve", "gym workout"], "instruction_options": ["06 gray", "large"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMS9162D", "worker_id": "A2IMAGGCST8170"}], "B09C5XB6NL": [{"asin": "B09C5XB6NL", "instruction": "i am looking lightweight non slip breathable runner shoe for woman size-37 i", "attributes": ["non slip", "quality materials"], "options": ["color: i", "size: 37 i"], "instruction_attributes": ["non slip"], "instruction_options": ["37 i"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1A5RX6", "worker_id": "A3N9ZYQAESNFQH"}], "B09GBKX685": [{"asin": "B09GBKX685", "instruction": "i'm looking for a 4g-lte blue 16gb unlocked alcatel 1 5in quad core", "attributes": ["quad core", "4g lte"], "options": ["color: blue", "size: 16gb"], "instruction_attributes": ["4g lte"], "instruction_options": ["blue", "16gb"], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWJM522", "worker_id": "A26GGA2GMB4Z3A"}], "B095HHW5BM": [{"asin": "B095HHW5BM", "instruction": "i am looking for a pendant light with a merlin's beard color that is easy to install.", "attributes": ["easy install", "pendant light", "dining room"], "options": ["color: merlin's beard"], "instruction_attributes": ["easy install", "pendant light"], "instruction_options": ["merlin's beard"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCGM9BT", "worker_id": "A1HMZJ59OPLD1P"}], "B082DKQGRR": [{"asin": "B082DKQGRR", "instruction": "i am looking for a de-stressing/calming tea that is sugar free, decaf, gluten free, non-gmo, and includes 20 bags.", "attributes": ["sugar free", "non gmo", "caffeine free", "gluten free"], "options": ["flavor name: calming"], "instruction_attributes": ["sugar free", "non gmo", "caffeine free", "gluten free"], "instruction_options": ["calming"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72ACHEO8", "worker_id": "A2X135IX70LYH5"}], "B003I567W4": [{"asin": "B003I567W4", "instruction": "place order for a pack of 12 blue diamond almonds that is gluten free and has the pecan flavor", "attributes": ["gluten free", "protein serving"], "options": ["flavor name: pecan", "size: 4.25 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["pecan"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUT561FG", "worker_id": "A1EPULU6LCCBMV"}], "B08R9Y462N": [{"asin": "B08R9Y462N", "instruction": "i am looking for a powerful, double sided, silicone back scrubber in the color orange.", "attributes": ["double sided", "dead skin", "sensitive skin"], "options": ["color: orange", "size: 30''x4.7''"], "instruction_attributes": ["double sided"], "instruction_options": ["orange"], "assignment_id": "33F859I56HNA01QBVO1K6A4GVYWHB3", "worker_id": "AK3JMCIGU8MLU"}], "B01MT5PQ9L": [{"asin": "B01MT5PQ9L", "instruction": "i'm looking for a car amp/speaker combo with 8 gauge amp wiring kit with four 450 watt kickers cs series with 2 way car coaxials and a 4 channel bluetooth amp included.", "attributes": ["high power", "heavy duty"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9AG6KU", "worker_id": "A7G6TFAYTV2FC"}], "B07B2W2Z5Z": [{"asin": "B07B2W2Z5Z", "instruction": "i am looking for a cotton sheet set for a light blue king size bed", "attributes": ["long lasting", "king size"], "options": ["color: b. light blue", "size: full"], "instruction_attributes": ["king size"], "instruction_options": ["b. light blue"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3S4W3GL", "worker_id": "A13PVNQT2WWWVL"}, {"asin": "B07B2W2Z5Z", "instruction": "i would like a moon rock gray standard sized pillow case that long lasting.", "attributes": ["long lasting", "king size"], "options": ["color: i. moon rock grey", "size: standard pillowcases"], "instruction_attributes": ["long lasting"], "instruction_options": ["i. moon rock grey", "standard pillowcases"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLE92FT", "worker_id": "A1WS884SI0SLO4"}], "B083GRHCNT": [{"asin": "B083GRHCNT", "instruction": "i'd like to some lands' end men's 11 inches chino shorts that i can machine wash. the size i'm looking for is a 38 regular.", "attributes": ["machine wash", "cotton spandex", "button closure"], "options": ["color: surfside blue", "size: 38 regular"], "instruction_attributes": ["machine wash"], "instruction_options": ["38 regular"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JQOEGJ", "worker_id": "A3O0NNIW4KA2PV"}], "B00VB1WWB2": [{"asin": "B00VB1WWB2", "instruction": "i am looking for some fat free snacks size of 2.85", "attributes": ["fat free", "0g trans"], "options": ["size: 2.85 ounce (pack of 4)"], "instruction_attributes": ["fat free"], "instruction_options": ["2.85 ounce (pack of 4)"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADEZWVY", "worker_id": "A2MSIFDLOHI1UT"}], "B07Z84DVDG": [{"asin": "B07Z84DVDG", "instruction": "i am looking for a teal scented jar candle, it should be white in color and at least 10inch long.", "attributes": ["white item", "soy wax"], "options": ["scent: teal", "size: 10 in"], "instruction_attributes": ["white item"], "instruction_options": ["teal", "10 in"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB1WFLUQ", "worker_id": "A14BSOU2Y5JNT0"}, {"asin": "B07Z84DVDG", "instruction": "i am searching for orange scented soy wax jar candle, 15 oz", "attributes": ["white item", "soy wax"], "options": ["scent: orange", "size: 15 oz"], "instruction_attributes": [], "instruction_options": ["orange", "15 oz"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP9ED6Z", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07Z84DVDG", "instruction": "i am looking for a 15oz white jar candles", "attributes": ["white item", "soy wax"], "options": ["scent: bamboo waters", "size: 15 oz"], "instruction_attributes": ["white item"], "instruction_options": ["15 oz"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBBJ6UG", "worker_id": "A9QRQL9CFJBI7"}], "B09BKKFY87": [{"asin": "B09BKKFY87", "instruction": "i'm looking for mens sport casual thong sandals, open toe, and better color black .", "attributes": ["open toe", "leather sole", "arch support"], "options": ["color: 3#black", "size: 10.5"], "instruction_attributes": ["open toe"], "instruction_options": ["3#black"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZR4NA5", "worker_id": "ADJ2R4LULHDXB"}], "B07V3GG42F": [{"asin": "B07V3GG42F", "instruction": "get me a low fat bacon jerky. make sure it is of maple flavour.", "attributes": ["old fashioned", "low fat"], "options": ["flavor name: maple"], "instruction_attributes": ["low fat"], "instruction_options": ["maple"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK82QA5G", "worker_id": "A1NF6PELRKACS9"}], "B016QAYRJW": [{"asin": "B016QAYRJW", "instruction": "i want to find some white, size 9, elan - leather sandals for men.", "attributes": ["leather sole", "synthetic sole"], "options": ["color: white", "size: 9"], "instruction_attributes": [], "instruction_options": ["white", "9"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNOJH84", "worker_id": "AE861G0AY5RGT"}], "B000T5QN5M": [{"asin": "B000T5QN5M", "instruction": "i'm looking for a 1 fl oz package high quality, long-lasting liquid foundation with spf that is oil-free. also, choose shade 460 - macadamia", "attributes": ["oil free", "long lasting", "high quality", "dry skin"], "options": ["color: 460 macadamia", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["oil free", "long lasting", "high quality"], "instruction_options": ["460 macadamia", "1 fl oz (pack of 1)"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO1CJG7", "worker_id": "AENE0ASEDKQB3"}, {"asin": "B000T5QN5M", "instruction": "colorstay makeup for normal/dry skin which is oil free and in 1.0 fluid ounce", "attributes": ["oil free", "long lasting", "high quality", "dry skin"], "options": ["color: beige", "size: 1.0 fluid ounce"], "instruction_attributes": ["oil free", "high quality", "dry skin"], "instruction_options": ["1.0 fluid ounce"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4NHPKA", "worker_id": "A10OGH5CQBXL5N"}], "B07F282LLM": [{"asin": "B07F282LLM", "instruction": "i want to find a pair of green camo size 40w x 34l slim-fit men\u2019s cargo pants", "attributes": ["slim fit", "machine wash", "cotton spandex", "button closure"], "options": ["color: green, camo", "size: 40w x 34l"], "instruction_attributes": ["slim fit"], "instruction_options": ["green, camo", "40w x 34l"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJKYXVN0", "worker_id": "AJKA9BKC011F2"}, {"asin": "B07F282LLM", "instruction": "men's slim-fit stretch cargo pant in dark khaki brown color with size 32wx34i and button closure suitable for machine wash", "attributes": ["slim fit", "machine wash", "cotton spandex", "button closure"], "options": ["color: dark khaki brown", "size: 32w x 34l"], "instruction_attributes": ["machine wash", "button closure"], "instruction_options": ["dark khaki brown", "32w x 34l"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRRABZQ", "worker_id": "AX2EWYWZM19AZ"}], "B09N9HR1RF": [{"asin": "B09N9HR1RF", "instruction": "buy rockville marine gauge bluetooth receiver with 2 way coaxial black speakers", "attributes": ["power amplifier", "water resistant", "easy use", "stainless steel"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3X65QVEQIBXVW21709CD9M35U01LCH", "worker_id": "ADOV0TU2G016A"}], "B00ZEBG8CY": [{"asin": "B00ZEBG8CY", "instruction": "low sodium pink salt", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 20 ounce (pack of 1)", "style: everyday seasonings"], "instruction_attributes": ["low sodium"], "instruction_options": [], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRSYFEUV", "worker_id": "A3TTGSUBIK1YCL"}, {"asin": "B00ZEBG8CY", "instruction": "i need some gluten free special diet seasonings.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: special diet seasonings", "size: 3 piece assortment", "style: lifestyle pack - standard size"], "instruction_attributes": ["gluten free"], "instruction_options": ["special diet seasonings"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UH0XQIG", "worker_id": "A19317A3X87NVM"}, {"asin": "B00ZEBG8CY", "instruction": "buy me a twenty ounce pack of low-sodium everyday seasonings.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 6 ounce (pack of 1)", "style: 20 ounce (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["everyday seasonings", "20 ounce (pack of 1)"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9IYJS1F", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B00ZEBG8CY", "instruction": "i'm looking for a gluten free all purpose seasoning with himalayan pink salt that is mow in sodium and has no artificial colors. also, choose a pack of 1 weighing 4 ounce in standard size lifestyle pack for everyday seasoning one.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 4 ounce (pack of 1)", "style: lifestyle pack - standard size"], "instruction_attributes": ["gluten free", "low sodium", "artificial colors"], "instruction_options": ["everyday seasonings", "4 ounce (pack of 1)", "lifestyle pack - standard size"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQFGJC5", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00ZEBG8CY", "instruction": "i'm looking for gluten free high protein organic products to buy a groceries shop.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: organic seasonings", "size: 2 ounce (pack of 1)", "style: small - herbed salt free flavor"], "instruction_attributes": ["gluten free"], "instruction_options": ["organic seasonings", "2 ounce (pack of 1)"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FN0FBS", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00ZEBG8CY", "instruction": "i am looking for a gluten free paleo seasoning salt set. i need a pack of 1 containing 20 ounce.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: paleo seasoning set", "size: 20 ounce (pack of 1)", "style: 20 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["paleo seasoning set", "20 ounce (pack of 1)"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRSALEUP", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B00ZEBG8CY", "instruction": "i would like a standard size three ounce spice gift set that is gluten free.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: spice gift sets", "size: 3 ounce (pack of 1)", "style: lifestyle pack - standard size"], "instruction_attributes": ["gluten free"], "instruction_options": ["spice gift sets", "3 ounce (pack of 1)", "lifestyle pack - standard size"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGFDMSS", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00ZEBG8CY", "instruction": "i would like a pound of 2.01 ounce everyday seasoning bottles that are gluten free.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 1 pound (pack of 1)", "style: 2.01 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["everyday seasonings", "1 pound (pack of 1)", "2.01 ounce (pack of 1)"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUL0S5N", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00ZEBG8CY", "instruction": "i am looking for a everyday seasonings flavor of gluten free food & beverage gifts", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 6 ounce (pack of 1)", "style: 2 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["everyday seasonings"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINXX27A", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B00ZEBG8CY", "instruction": "i am interested in some low sodium organic seasonings", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: organic seasonings", "size: 20 ounce (pack of 1)", "style: lifestyle pack - standard size"], "instruction_attributes": ["low sodium"], "instruction_options": ["organic seasonings"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFJ8VM7", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00ZEBG8CY", "instruction": "i want low sodium paleo powder spice gift sets.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: spice gift sets", "size: 4.02 ounce (pack of 1)", "style: everyday seasonings"], "instruction_attributes": ["low sodium"], "instruction_options": ["spice gift sets"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1AOGYB", "worker_id": "A2RBF3IIJP15IH"}], "B093BD5L3T": [{"asin": "B093BD5L3T", "instruction": "hello, i'm looking for a decently sized (preferably 80-83cm) bookshelf for my living room and is eco-friendly? thanks", "attributes": ["eco friendly", "storage unit", "living room"], "options": ["size: 80*83cm"], "instruction_attributes": ["eco friendly", "storage unit", "living room"], "instruction_options": ["80*83cm"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9P1TEM", "worker_id": "A2TRV8SEM003GG"}], "B09KNNNSB8": [{"asin": "B09KNNNSB8", "instruction": "i would like to check out size 6 pink open toe fashionable high heeled shoes. would like them also to have a non-slip rubber sole for comfort.", "attributes": ["open toe", "non slip", "fashion design", "high heel", "rubber outsole", "rubber sole"], "options": ["color: pink", "size: 6"], "instruction_attributes": ["open toe", "non slip", "fashion design", "high heel", "rubber sole"], "instruction_options": ["pink", "6"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6Y65GS", "worker_id": "A1WS884SI0SLO4"}], "B09P175BGR": [{"asin": "B09P175BGR", "instruction": "photography studio vintage house corridor a 16 10x10ft/3x3m features: high resolution size 7x5ft l 2.1x1.5m", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a38", "size: 7x5ft | 2.1x1.5m"], "instruction_attributes": ["high resolution"], "instruction_options": ["a38"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GC1S3Z", "worker_id": "A3LUETNYKSGBFY"}], "B09PDVSSV2": [{"asin": "B09PDVSSV2", "instruction": "blue color simayixx baby toothbrush made of silicone.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: blue1"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["blue1"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4MOK7X", "worker_id": "A2FQYXUQ7F8IKK"}], "B09NMXFPQV": [{"asin": "B09NMXFPQV", "instruction": "i need an extra-large multi-colored set of machine-washable men's pajamas with an elastic waistband.", "attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "dry clean"], "options": ["color: multi 3", "size: x-large"], "instruction_attributes": ["machine wash", "elastic waistband"], "instruction_options": ["multi 3", "x-large"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMGUEXL", "worker_id": "A2VUF0V7HT51Q3"}], "B09MCFKM8J": [{"asin": "B09MCFKM8J", "instruction": "i'm looking for a easy to clean table linens for the dining room in a valentine's day", "attributes": ["non slip", "eco friendly", "easy clean", "dining room"], "options": ["color: valentine's dayidt8658", "size: 13\"x90\" runner+4 pcs placemats"], "instruction_attributes": ["easy clean", "dining room"], "instruction_options": ["valentine's dayidt8658"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEIAZKJ", "worker_id": "A19Q021KR28CS8"}], "B07CSRYF9K": [{"asin": "B07CSRYF9K", "instruction": "500pcs by a box portable makeup facial soft cotton pads soft hypoallergenic and lint free cotton wipes for applying lotion removing face makeup eye makeup and nail polish", "attributes": ["eco friendly", "nail polish"], "options": [""], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL8411XXAA", "worker_id": "AMP43R3RISC1J"}], "B07QNS56JS": [{"asin": "B07QNS56JS", "instruction": "i am looking for natural magnesium gel deodorant for muscles aches and pains", "attributes": ["cruelty free", "fresh breath"], "options": ["scent: coconut"], "instruction_attributes": ["cruelty free"], "instruction_options": ["coconut"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXKH5OZ", "worker_id": "A10OGH5CQBXL5N"}], "B07Z5XL9G2": [{"asin": "B07Z5XL9G2", "instruction": "search for a 10 foot, apple mfi certified, usb c fast charging lightning cable that is grey.", "attributes": ["fast charging", "usb port"], "options": ["color: grey", "size: 10ft"], "instruction_attributes": ["fast charging"], "instruction_options": ["grey", "10ft"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83BEJI3", "worker_id": "A334XVDF4AIYQS"}, {"asin": "B07Z5XL9G2", "instruction": "i want a grey fast charging usb c to lightning cable.", "attributes": ["fast charging", "usb port"], "options": ["color: grey", "size: 4ft"], "instruction_attributes": ["fast charging"], "instruction_options": ["grey"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N827TV", "worker_id": "A2RBF3IIJP15IH"}], "B08Z89WJL1": [{"asin": "B08Z89WJL1", "instruction": "i want a silver color pillow shams set for king and queen size 20 by 30 inches.", "attributes": ["machine washable", "king size"], "options": ["color: silver", "size: queen 20\" x 30\""], "instruction_attributes": ["king size"], "instruction_options": ["silver", "queen 20\" x 30\""], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIOI9TH", "worker_id": "A1XARUPXWKL2KY"}], "B086YLCFHH": [{"asin": "B086YLCFHH", "instruction": "i'm looking for some hair extensions. i want ones that are a medium brown shade.", "attributes": ["hair extensions", "dry hair"], "options": ["color: medium brown", "size: 23 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["medium brown"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH001VC", "worker_id": "AGZ4MDF3G7BL7"}], "B08LL72999": [{"asin": "B08LL72999", "instruction": "i am looking for an ottoman that gives me storage space, and would look nice in my living room. prefer black in color.", "attributes": ["button tufted", "easy clean", "storage space", "living room"], "options": ["color: black"], "instruction_attributes": ["storage space", "living room"], "instruction_options": ["black"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LAV5IF", "worker_id": "A2KW17G25L25R8"}], "B08N7WFY1K": [{"asin": "B08N7WFY1K", "instruction": "i would like to buy a 5.3fl oz bottle of shampoo that is certified cruelty free, please.", "attributes": ["sulfate free", "cruelty free"], "options": ["size: 5.3 fl oz (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["5.3 fl oz (pack of 1)"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH371LSEK", "worker_id": "A1WAWEY2810TFN"}], "B092VKXNZV": [{"asin": "B092VKXNZV", "instruction": "i would like a purple phone case that's compatible with an iphone 13 pro that has tempered glass and wireless charging.", "attributes": ["tempered glass", "wireless charging"], "options": ["color: purple", "size: for iphone 13 pro"], "instruction_attributes": ["tempered glass", "wireless charging"], "instruction_options": ["purple", "for iphone 13 pro"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7PF5PI", "worker_id": "A3LA5P3N3KI8U7"}], "B08HJ1YQP5": [{"asin": "B08HJ1YQP5", "instruction": "i am looking for high quality hair tie and ponytail holder which is used for hair styling for women and girls.", "attributes": ["high quality", "hair styling"], "options": ["color: white"], "instruction_attributes": ["high quality", "hair styling"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCPMQ45", "worker_id": "A1V2JTEEBCXR20"}], "B083TV2LD4": [{"asin": "B083TV2LD4", "instruction": "i want a decorative wine rack ornament for living room wine cabinate", "attributes": ["exquisite workmanship", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YT13QG", "worker_id": "A3N9ZYQAESNFQH"}], "B09BN9QC14": [{"asin": "B09BN9QC14", "instruction": "i am looking for a nice faux leather couch sofa bed with metal legs for my living room. i want the black one.", "attributes": ["white item", "faux leather", "metal legs", "living room"], "options": ["color: black"], "instruction_attributes": ["faux leather", "metal legs", "living room"], "instruction_options": ["black"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPE9P68C", "worker_id": "A3UUH3632AI3ZX"}], "B00NC2HKQK": [{"asin": "B00NC2HKQK", "instruction": "i am looking for a 2 ft 3 in (10 ft) rugs and pads for my living room that is more beautiful for my dining room also. and i choose dark grey color.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: dark grey", "item shape: round", "size: 2 ft 3 in x 10 ft"], "instruction_attributes": ["dining room", "living room"], "instruction_options": ["dark grey"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2C6FKZ", "worker_id": "A9UBPUEWAMA06"}], "B08H58MZNQ": [{"asin": "B08H58MZNQ", "instruction": "i am looking for an inexpensive tv stand for our 60 inch tv with huge storage space and that should be in ashland pine color", "attributes": ["tempered glass", "storage space"], "options": ["color: ashland pine", "style name: 50\" kenton w | fireplace"], "instruction_attributes": ["storage space"], "instruction_options": ["ashland pine"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJHTOMY", "worker_id": "A2DQZHJHF45NDT"}], "B087R97MM2": [{"asin": "B087R97MM2", "instruction": "i am looking for a convertible noisecancelling wireless headset", "attributes": ["noise cancelling", "hands free"], "options": ["pattern name: headset", "size: convertible", "style: b450-xt"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["headset", "convertible"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTARN9X", "worker_id": "A3N9ZYQAESNFQH"}], "B004PFUQR8": [{"asin": "B004PFUQR8", "instruction": "i'm looking for a certified organic lip balm that is plant based. please find a green tea flavor.", "attributes": ["long lasting", "certified organic", "plant based", "green tea", "natural ingredients"], "options": ["flavor: green tea"], "instruction_attributes": ["certified organic", "plant based"], "instruction_options": ["green tea"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9CPB0G", "worker_id": "A394JO4NEPCY3M"}], "B003S2QVQY": [{"asin": "B003S2QVQY", "instruction": "i am looking for gluten free in a jamaican style", "attributes": ["sugar free", "non gmo", "gluten free", "natural ingredients", "great gift"], "options": ["flavor name: jamaican style", "size: 7 ounce (pack of 1)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYJIN7Y", "worker_id": "A16M39T60N60NO"}], "B08WTTMFBY": [{"asin": "B08WTTMFBY", "instruction": "i am looking for a caffeine free fruit tea with natural flavours of mango and passion fruit with pack size of 8 ounce.", "attributes": ["caffeine free", "natural flavors", "quality ingredients", "artificial flavors"], "options": ["flavor name: mango-passion fruit", "size: 8 ounce"], "instruction_attributes": ["caffeine free", "natural flavors"], "instruction_options": ["mango-passion fruit", "8 ounce"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8OSU2A2", "worker_id": "A1V2JTEEBCXR20"}, {"asin": "B08WTTMFBY", "instruction": "i am looking for a 1 pound quality ingredients of herbal tea", "attributes": ["caffeine free", "natural flavors", "quality ingredients", "artificial flavors"], "options": ["flavor name: apple pancake", "size: 1 pound"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["1 pound"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKTC7V5", "worker_id": "A9QRQL9CFJBI7"}], "B078N5GNJ3": [{"asin": "B078N5GNJ3", "instruction": "i am looking for long sleeve shirt with 100 percent cotton, it should be washable in machine and particularly solid paper white color.", "attributes": ["easy care", "machine wash", "button closure", "long sleeve"], "options": ["color: paper white - solid", "fit type: big & tall", "size: 4x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["paper white - solid"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMJ3MWJ", "worker_id": "A2DQZHJHF45NDT"}], "B09FVY55TZ": [{"asin": "B09FVY55TZ", "instruction": "i'm looking for a non-toxic concealer than contains argan oil, with rich color.", "attributes": ["non toxic", "cruelty free", "argan oil"], "options": ["color: rich"], "instruction_attributes": ["non toxic", "argan oil"], "instruction_options": ["rich"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CH55BNW", "worker_id": "A320QA9HJFUOZO"}], "B08VHJ7QQJ": [{"asin": "B08VHJ7QQJ", "instruction": "i am looking for a valentine day gift basket for women from assortments & variety gifts category.", "attributes": ["valentine day", "gift basket"], "options": [""], "instruction_attributes": ["valentine day", "gift basket"], "instruction_options": [], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTLGE4X", "worker_id": "A7R4F8BRS8ET0"}], "B08KWLZ3FJ": [{"asin": "B08KWLZ3FJ", "instruction": "i want to buy 1 dagostino handmade pasta pack of 3 12oz old fashioned rotini from the pasta and noodles for dinner tonight.", "attributes": ["old fashioned", "natural ingredients"], "options": ["flavor name: rotini", "size: 12 ounce (pack of 3)"], "instruction_attributes": ["old fashioned"], "instruction_options": ["rotini", "12 ounce (pack of 3)"], "assignment_id": "3R2PKQ87N7I6FN5SSV9EK2GP79ZIM4", "worker_id": "A118RTS8BOFIH7"}, {"asin": "B08KWLZ3FJ", "instruction": "na", "attributes": ["old fashioned", "natural ingredients"], "options": ["flavor name: rotini", "size: 8 ounce (pack of 3)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4XRKGPO", "worker_id": "A1EI8Z972FIFJ3"}], "B0767DXJST": [{"asin": "B0767DXJST", "instruction": "toroton dummy security camera in red colour.", "attributes": ["batteries included", "easy install"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQT7XD5Z", "worker_id": "A2FQYXUQ7F8IKK"}], "B08WY87NG5": [{"asin": "B08WY87NG5", "instruction": "i want long curly synthetic hair wig 26\" colour darkest brown", "attributes": ["synthetic hair", "natural hair", "hair growth"], "options": ["color: 2 darkest brown"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["2 darkest brown"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UL1ZEM", "worker_id": "A3N9ZYQAESNFQH"}], "B07WWHQ5TV": [{"asin": "B07WWHQ5TV", "instruction": "i need white cheddar corn puffs from trader joe's,", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNN78HH", "worker_id": "A2RBF3IIJP15IH"}], "B002NEPRJA": [{"asin": "B002NEPRJA", "instruction": "i looking a hair growth treatment based on tea tree suitable with coconut oil", "attributes": ["tea tree", "coconut oil"], "options": [""], "instruction_attributes": ["tea tree", "coconut oil"], "instruction_options": [], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVKIJK3", "worker_id": "A3N9ZYQAESNFQH"}], "B08DHXZF2P": [{"asin": "B08DHXZF2P", "instruction": "im looking for a travel sized long lasting scent from tom ford. preferably from the jasmine musk impression line.", "attributes": ["travel size", "long lasting"], "options": ["scent: tom ford jasmine musk impression"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["tom ford jasmine musk impression"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VR3GF3", "worker_id": "A39PLWU3RFII1S"}], "B08DY392W9": [{"asin": "B08DY392W9", "instruction": "i'm looking for a t-rex birthday cake for a birthday party.", "attributes": ["birthday cake", "baby shower", "birthday party", "cupcake picks"], "options": [""], "instruction_attributes": ["birthday cake", "birthday party"], "instruction_options": [], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVF4KJG", "worker_id": "A2NAKIXS3DVGAA"}], "B07YN7MB5X": [{"asin": "B07YN7MB5X", "instruction": "open amazon and get labena eye patches to moisturize the dark circules in large size and blue color", "attributes": ["great gift", "gift basket"], "options": ["style: square"], "instruction_attributes": ["great gift"], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8NX5T7Y", "worker_id": "A2G9X9TG2XIUDO"}], "B09G1CYSWP": [{"asin": "B09G1CYSWP", "instruction": "i am looking for the king size laojee chunky knit throw blanket in red.", "attributes": ["queen size", "king size", "living room"], "options": ["color: black", "size: 40\"x60\" (100x150cm)"], "instruction_attributes": ["king size"], "instruction_options": ["black"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH1B1VP", "worker_id": "A26GGA2GMB4Z3A"}], "B09MJ7XSNB": [{"asin": "B09MJ7XSNB", "instruction": "i am looking island lights pendant light fixture colour black", "attributes": ["light fixture", "pendant light"], "options": ["color: black", "size: 3-light vanity light"], "instruction_attributes": ["light fixture", "pendant light"], "instruction_options": ["black"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQBLCJV", "worker_id": "A3N9ZYQAESNFQH"}], "B09Q8WCN78": [{"asin": "B09Q8WCN78", "instruction": "i'm looking for a soft and luxury cot", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: blue", "size: large"], "instruction_attributes": ["tummy control"], "instruction_options": ["blue"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFIN9ER", "worker_id": "A19Q021KR28CS8"}], "B01N52Z39P": [{"asin": "B01N52Z39P", "instruction": "i'm looking for a high speed and high definition laptop", "attributes": ["1080p hd", "high speed", "high definition"], "options": [""], "instruction_attributes": ["high speed", "high definition"], "instruction_options": [], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTM55EX", "worker_id": "A19Q021KR28CS8"}], "B07K75LPVL": [{"asin": "B07K75LPVL", "instruction": "i am looking for long-sleeved, polyester cotton, matching christmas dresses for my size 11-12 years daughter and i.", "attributes": ["long sleeve", "polyester cotton", "daily wear"], "options": ["color: black&gray", "size: 11-12 years"], "instruction_attributes": ["long sleeve", "polyester cotton"], "instruction_options": ["11-12 years"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VREYWE", "worker_id": "AKZ1KRMTFUPRB"}], "B01NBF0HI3": [{"asin": "B01NBF0HI3", "instruction": "i'm looking for a 2 pack speex dp to hdmi cable. also, choose the gold plated option.", "attributes": ["gold plated", "plug play", "output protection", "1080p hd", "usb port"], "options": ["size: 10ft\uff082-pack\uff09"], "instruction_attributes": ["gold plated"], "instruction_options": ["10ft\uff082-pack\uff09"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP6XZVDS", "worker_id": "A3HFKFJ5UDWAMC"}, {"asin": "B01NBF0HI3", "instruction": "i need a 10ft 4k hdmi cable that is 1080p hd and is gold plated.", "attributes": ["gold plated", "plug play", "output protection", "1080p hd", "usb port"], "options": ["size: 10ft 4k"], "instruction_attributes": ["gold plated", "1080p hd"], "instruction_options": ["10ft 4k"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3ENNQJ", "worker_id": "A1NF6PELRKACS9"}], "B09MKQM8S7": [{"asin": "B09MKQM8S7", "instruction": "i want to get a desktop tower with tempered glass. it also needs to be 8 gb ddr3 ram and 1 tb hdd.", "attributes": ["core i5", "quad core", "tempered glass"], "options": ["size: 8gb ddr3 ram, 1tb hdd"], "instruction_attributes": ["tempered glass"], "instruction_options": ["8gb ddr3 ram, 1tb hdd"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1070SILD", "worker_id": "A2YNPKYEFDZ6C9"}], "B004C0I8ZS": [{"asin": "B004C0I8ZS", "instruction": "i am looking for hair dye for permanent hair and choose 4 dark brown color in size 1 count pack of 3", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 4 dark brown", "size: 1 count (pack of 3)"], "instruction_attributes": ["permanent hair", "hair dye"], "instruction_options": ["4 dark brown", "1 count (pack of 3)"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMHJXEV", "worker_id": "A1WZKCP5TXFM9D"}], "B07MGXZRS3": [{"asin": "B07MGXZRS3", "instruction": "i'm looking for a rfiver swivel wood tv stand on wheels with a height adjustable for 32 65 inch flat screen tvs and shoud have a storage space with tempered glass style", "attributes": ["height adjustable", "heavy duty", "storage space"], "options": ["style: tempered glass"], "instruction_attributes": ["height adjustable", "storage space"], "instruction_options": ["tempered glass"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH15Z8HWD", "worker_id": "A19Q021KR28CS8"}], "B091D87QMM": [{"asin": "B091D87QMM", "instruction": "i'm looking for lead free luxury scented candle which last for 25+ hours, it should be in tin voyager.", "attributes": ["lead free", "soy wax"], "options": ["scent: voyager", "size: 25+ hour"], "instruction_attributes": ["lead free"], "instruction_options": ["voyager", "25+ hour"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1DGF6G", "worker_id": "A3AGXTSAHA2AFL"}], "B09S8SV4PM": [{"asin": "B09S8SV4PM", "instruction": "i looking open toe knee high pump colour shoud be black", "attributes": ["knee high", "open toe", "closed toe"], "options": ["color: sandals shoes a02- black", "size: 6.5"], "instruction_attributes": ["knee high", "open toe"], "instruction_options": ["sandals shoes a02- black"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OQUEY5", "worker_id": "A3N9ZYQAESNFQH"}], "B08FY3WDDJ": [{"asin": "B08FY3WDDJ", "instruction": "i want to purchase synthetic hair topper that are 18 inch long and have 4 clips of dark blonde hair with bangs.", "attributes": ["synthetic hair", "hair loss"], "options": ["color: 4 clips-dark blonde w | bangs", "size: 18 inch"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["4 clips-dark blonde w | bangs", "18 inch"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IHYTLV", "worker_id": "A25AYMSZNDW1VJ"}, {"asin": "B08FY3WDDJ", "instruction": "i'm looking for synthetic hair care for hair loss .", "attributes": ["synthetic hair", "hair loss"], "options": ["color: 3 clips-jet black", "size: 6 inch"], "instruction_attributes": ["synthetic hair", "hair loss"], "instruction_options": [], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3I1AYP", "worker_id": "A16IQOX0DK14OJ"}], "B07TYJ6RK6": [{"asin": "B07TYJ6RK6", "instruction": "please, look for a couple table lamps for my living room, elegant and finished in wood. also look if a black hardback shade model is available.", "attributes": ["wood finish", "living room"], "options": ["color: black hardback shade"], "instruction_attributes": ["wood finish", "living room"], "instruction_options": ["black hardback shade"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYTI4JE", "worker_id": "ABVP1XX3ZOMKL"}], "B09NN9FK8H": [{"asin": "B09NN9FK8H", "instruction": "i want a cordless noise-cancelling phone system with volume control and dual keypad. pick the black one.", "attributes": ["noise cancelling", "hands free"], "options": ["color: black", "pattern name: phone system + accessory", "size: 3 handsets", "style: dual keypad"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black", "dual keypad"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWP6C12", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09NN9FK8H", "instruction": "i want to get a computer headset with noise cancelling and hands free accessibility. get the silver one.", "attributes": ["noise cancelling", "hands free"], "options": ["color: silver", "pattern name: phone system + accessory", "size: 3 handsets", "style: dual keypad + link2cell+ hd voice"], "instruction_attributes": ["noise cancelling", "hands free"], "instruction_options": ["silver"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IMQLTP", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B09NN9FK8H", "instruction": "i am looking for a black | silver color noise cancelling audio & video accessories.", "attributes": ["noise cancelling", "hands free"], "options": ["color: black | silver", "pattern name: phone system + phone system", "size: 4 handsets", "style: dual keypad + link2cell"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black | silver"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME94O2DJ", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09NN9FK8H", "instruction": "i would like some black phone system and a size 4 handset with a dual keypad for my computer. it also needs to be noise cancelling.", "attributes": ["noise cancelling", "hands free"], "options": ["color: black | silver", "pattern name: phone system + accessory", "size: 4 handsets", "style: dual keypad + link2cell"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black | silver", "phone system + accessory", "4 handsets", "dual keypad + link2cell"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCD3H7P", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09NN9FK8H", "instruction": "i would like to find noise cancelling headphones, preferably bluetooth. find a silver pair, please.", "attributes": ["noise cancelling", "hands free"], "options": ["color: silver", "pattern name: phone system + accessory", "size: 3 handsets", "style: dual keypad + link2cell+ hd voice"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["silver"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFKE9VZ", "worker_id": "A2TRV8SEM003GG"}], "B096NJBMNT": [{"asin": "B096NJBMNT", "instruction": "for my daily wear .i am looking for a daily casual and long sleeve woman shirt in brown color with small size.", "attributes": ["daily casual", "loose fit", "machine wash", "long sleeve", "stretch fabric", "unique design", "relaxed fit", "polyester spandex", "daily wear", "everyday wear", "tumble dry"], "options": ["color: brown", "size: small"], "instruction_attributes": ["daily casual", "long sleeve", "daily wear"], "instruction_options": ["brown", "small"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVE4Q0P", "worker_id": "A3R8PQCD99H61E"}], "B07424S7NM": [{"asin": "B07424S7NM", "instruction": "i\u2019m looking for a men\u2019s mesh long sleeve shirt in medium. i prefer white as the color and it must be machine washable.", "attributes": ["hand wash", "machine wash", "nylon spandex"], "options": ["color: white", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["white", "medium"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86YH81O", "worker_id": "A3MV3PT4TOO69P"}], "B00VGE809C": [{"asin": "B00VGE809C", "instruction": "i'm looking for a hair treatment product that will repair my damaged hair.", "attributes": ["hair treatment", "damaged hair"], "options": [""], "instruction_attributes": ["hair treatment", "damaged hair"], "instruction_options": [], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHT2BLNR", "worker_id": "A3EDFA8UQT5GG8"}], "B07M5RPW13": [{"asin": "B07M5RPW13", "instruction": "i would like to buy size 7.5 walking shoes for men which are machine washable and have a rubber sole, as for the color i prefer to have them khaki.", "attributes": ["machine washable", "rubber sole"], "options": ["color: khaki", "size: 7.5"], "instruction_attributes": ["machine washable", "rubber sole"], "instruction_options": ["khaki", "7.5"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R10ZI2M", "worker_id": "AJY5G987IRT25"}], "B07Z44WYGC": [{"asin": "B07Z44WYGC", "instruction": "i'm looking for a salted caramel syrup to mix with water. i want it to have natural flavors and i want an item over 20 oz.", "attributes": ["gmo free", "natural flavors", "artificial colors"], "options": ["flavor name: maple", "size: 25.4 fl oz. (pack of 4)"], "instruction_attributes": ["natural flavors"], "instruction_options": ["25.4 fl oz. (pack of 4)"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163OQQPA", "worker_id": "A411ZZABHZUNA"}, {"asin": "B07Z44WYGC", "instruction": "i need a pack of gmo free caramel syrup in cane sugar flavor", "attributes": ["gmo free", "natural flavors", "artificial colors"], "options": ["flavor name: cane sugar", "size: 25.4 fl oz (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["cane sugar", "25.4 fl oz (pack of 1)"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINU972L", "worker_id": "A2COCSUGZV28X"}], "B073Q7RGCS": [{"asin": "B073Q7RGCS", "instruction": "i'm looking for an easy to install bronze shower curtain rod.", "attributes": ["easy install", "white finish"], "options": ["color: bronze", "size: 24-36\"", "style: dots"], "instruction_attributes": ["easy install"], "instruction_options": ["bronze"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXZJCFX", "worker_id": "A3AJJHOAV7WIUQ"}, {"asin": "B073Q7RGCS", "instruction": "i want an easy to install amazon basics tension curtain rod made from nickel.", "attributes": ["easy install", "white finish"], "options": ["color: nickel", "size: 24-36\"", "style: tiers"], "instruction_attributes": ["easy install"], "instruction_options": ["nickel"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MJQ7RBQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B073Q7RGCS", "instruction": "i am looking for shower curtain rods that are nickel.", "attributes": ["easy install", "white finish"], "options": ["color: nickel", "size: 42-72\"", "style: tiers"], "instruction_attributes": ["white finish"], "instruction_options": ["nickel"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEG9Q8D", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B073Q7RGCS", "instruction": "i am looking for a black curtain rod that is 54\"-90\" in size and easy to install.", "attributes": ["easy install", "white finish"], "options": ["color: black", "size: 54-90\"", "style: rings"], "instruction_attributes": ["easy install"], "instruction_options": ["black", "54-90\""], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZMSK99", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B073Q7RGCS", "instruction": "i want an easy to install curtain rod with a white finish. make it 36-62\" in size.", "attributes": ["easy install", "white finish"], "options": ["color: bronze", "size: 36-62\"", "style: dots"], "instruction_attributes": ["easy install", "white finish"], "instruction_options": ["36-62\""], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCOB9BY", "worker_id": "A1NF6PELRKACS9"}], "B096G78S2Y": [{"asin": "B096G78S2Y", "instruction": "i'm looking for a product compatible with apple watch se series 6 5 4 3 2 1 40mm 44mm 42mm 38mm leopard/floral hard with tempered glass screen protector cover resistant. also, choose the flowered color", "attributes": ["compatible apple", "glass screen", "tempered glass"], "options": ["color: flower", "size: 44mm"], "instruction_attributes": ["compatible apple", "tempered glass"], "instruction_options": ["flower"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZMESHB", "worker_id": "A4AYXBQNKPA6I"}], "B07YDWSKJK": [{"asin": "B07YDWSKJK", "instruction": "i'm looking for a black color hair dye that is a pack of 3.5 ounce which is easy to use/apply.", "attributes": ["easy apply", "easy use", "seed oil", "hair dye", "permanent hair"], "options": ["color: 10 black", "size: 3.5 ounce (pack of 1)"], "instruction_attributes": ["easy apply", "easy use", "hair dye"], "instruction_options": ["10 black", "3.5 ounce (pack of 1)"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7R7P5Y", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B07YDWSKJK", "instruction": "i would like three light golden blonde boxes of hair dye.", "attributes": ["easy apply", "easy use", "seed oil", "hair dye", "permanent hair"], "options": ["color: 93 light golden blonde", "size: 1 count (pack of 3)"], "instruction_attributes": ["hair dye"], "instruction_options": ["93 light golden blonde", "1 count (pack of 3)"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODOUWE0", "worker_id": "A1WS884SI0SLO4"}], "B07D33WVG4": [{"asin": "B07D33WVG4", "instruction": "i'm looking for a flannel fleece blanket for a bed that is super soft and also light purple.", "attributes": ["super soft", "living room"], "options": ["color: light purple", "size: 40x50 inch"], "instruction_attributes": ["super soft"], "instruction_options": ["light purple"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OMVOPL", "worker_id": "A34EHWOYRBL6OZ"}], "B09NMVT3VD": [{"asin": "B09NMVT3VD", "instruction": "i am looking a easy assemble space saving ottomas having storage space for living room brown color size - 60x36x36cm(24x14x14inch)", "attributes": ["space saving", "easy assemble", "storage space", "living room"], "options": ["color: brown", "size: 60x36x36cm(24x14x14inch)"], "instruction_attributes": ["space saving", "easy assemble", "storage space", "living room"], "instruction_options": ["brown"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIS39TA", "worker_id": "A3N9ZYQAESNFQH"}], "B07D6G7P76": [{"asin": "B07D6G7P76", "instruction": "i am looking for a food and beverage gift basket having item low carbo high protine grain free", "attributes": ["hand crafted", "grain free", "high protein", "low carb", "artificial colors", "gift basket", "perfect gift"], "options": [""], "instruction_attributes": ["grain free", "high protein", "low carb", "gift basket"], "instruction_options": [], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3IILZB", "worker_id": "A3N9ZYQAESNFQH"}], "B07R4T3ZWN": [{"asin": "B07R4T3ZWN", "instruction": "i am looking for a busy raising ballers softball tank top for mom that is 100% cotton heather that can be washed in a washing machine.should be large in size and dark in colour.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: women", "size: large"], "instruction_attributes": ["machine wash", "cotton heather"], "instruction_options": ["dark heather", "large"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTLM4ET", "worker_id": "AHU9OLV0YKIIW"}], "B078NGY37Y": [{"asin": "B078NGY37Y", "instruction": "i need a king size box spring mattress with an 8\" split foundation with a frame", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": ["size: king size", "style: 8\" split foundation with frame"], "instruction_attributes": ["box spring"], "instruction_options": ["king size", "8\" split foundation with frame"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JX7MG79", "worker_id": "A6717SDXOR1OP"}], "B00GUY6GH6": [{"asin": "B00GUY6GH6", "instruction": "i need you to find some handcrafted driving mocs that are comfortable for every day wear. i need size 8", "attributes": ["rubber outsole", "everyday wear"], "options": ["color: copper", "size: 8", "special size: 11-d"], "instruction_attributes": ["everyday wear"], "instruction_options": ["8"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYHF9QZ", "worker_id": "A8C51OIOH1EUG"}], "B003VTHY74": [{"asin": "B003VTHY74", "instruction": "i am looking a box of non dairy coffee creamer singles. go ahead and get a 50 count box of vanilla.", "attributes": ["non dairy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: vanilla", "size: box of 50 singles"], "instruction_attributes": ["non dairy"], "instruction_options": ["vanilla", "box of 50 singles"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB0IU6H", "worker_id": "A31PW970Z2PC5P"}, {"asin": "B003VTHY74", "instruction": "i looking cafe mocha flavor non dairy gluten free lactose free coffee creamer box of 180 singles", "attributes": ["non dairy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: cafe mocha", "size: box of 180 singles"], "instruction_attributes": ["non dairy", "lactose free", "gluten free"], "instruction_options": ["cafe mocha"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8W5G8J", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B003VTHY74", "instruction": "i need a box of 360 singles vanilla caramel nestle coffee and shelf stable.", "attributes": ["non dairy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: vanilla caramel", "size: box of 360 singles"], "instruction_attributes": ["shelf stable"], "instruction_options": ["vanilla caramel", "box of 360 singles"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C492I03", "worker_id": "A1Q0EUNCS50S8M"}], "B08NC68N41": [{"asin": "B08NC68N41", "instruction": "i'm looking for 45mm stainless steel galaxy watch 3. also the mystic bronze color is preferable.", "attributes": ["quick release", "easy install", "stainless steel", "glass screen", "tempered glass"], "options": ["color: mystic bronze", "size: 45mm | 46mm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["mystic bronze", "45mm | 46mm"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK61MYYP", "worker_id": "ARQ05PDNXPFDI"}], "B08MBM3RNB": [{"asin": "B08MBM3RNB", "instruction": "i want a blue 100 cm x 70 cm ready to hang print to hang on my living room wall.", "attributes": ["ready hang", "wood frame", "living room"], "options": ["color: blue1-10", "size: 40 in x 28 in (100 cm x 70 cm)"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["blue1-10"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39SUIGMH", "worker_id": "AVNP1F3CADQRW"}], "B09C8VJ55X": [{"asin": "B09C8VJ55X", "instruction": "i would like to buy a 12-pack of low sugar oatmeal cups that are high in protein.", "attributes": ["high protein", "plant based", "gluten free", "low calorie", "low carb", "non gmo", "low sugar", "low fat", "ready eat", "dairy free"], "options": ["flavor name: lemon ginger pepita", "size: 12-pack"], "instruction_attributes": ["high protein", "low sugar"], "instruction_options": ["12-pack"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUATC35", "worker_id": "AV4584AQEQAEN"}], "B09HC1X1N2": [{"asin": "B09HC1X1N2", "instruction": "i am looking for a hidden camera for surveillance. i want something hd with at least 1080p", "attributes": ["1080p hd", "easy install", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": [], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VFG600", "worker_id": "A32JEH06T23HDF"}], "B07CHVLRLZ": [{"asin": "B07CHVLRLZ", "instruction": "i am looking for best toothpaste for my sensitive teeth", "attributes": ["fluoride free", "sensitive teeth"], "options": ["flavor name: natural chocolate"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["natural chocolate"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8N0M2NH", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B07CHVLRLZ", "instruction": "i am looking for a fluoride free toothpaste for sensitive teeth of natural mixed berry flavour.", "attributes": ["fluoride free", "sensitive teeth"], "options": ["flavor name: natural mixed berry"], "instruction_attributes": ["fluoride free", "sensitive teeth"], "instruction_options": ["natural mixed berry"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLU3TFZ", "worker_id": "A9QRQL9CFJBI7"}], "B07Z9MSKY2": [{"asin": "B07Z9MSKY2", "instruction": "i am looking for a portable surge protector power strip that is easy to carry. the surge protector should have a usb port with fast charge capability.", "attributes": ["fast charging", "easy carry", "usb port"], "options": [""], "instruction_attributes": ["easy carry", "usb port"], "instruction_options": [], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6B3B2W", "worker_id": "AJDQGOTMB2D80"}], "B07R63J13M": [{"asin": "B07R63J13M", "instruction": "i am looking to purchase a short sleeved, button down shirt for my husband. i need something in size 3x, perhaps in black.", "attributes": ["long lasting", "day comfort", "regular fit", "short sleeve", "quality materials", "button closure"], "options": ["color: black", "size: 3x"], "instruction_attributes": ["day comfort", "regular fit", "short sleeve", "button closure"], "instruction_options": ["black", "3x"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2VZ22U2", "worker_id": "A1TDRS435B884O"}], "B09RV2KXB4": [{"asin": "B09RV2KXB4", "instruction": "i want to buy long sleeve daily wear clothing of 95% cotton, 5% polyester particularly in black color.", "attributes": ["winter warm", "loose fit", "long sleeve", "elastic closure", "daily wear"], "options": ["color: black_c008", "size: xx-large"], "instruction_attributes": ["long sleeve", "daily wear"], "instruction_options": ["black_c008", "xx-large"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017VD4P9", "worker_id": "A2DQZHJHF45NDT"}], "B08QDSM2SM": [{"asin": "B08QDSM2SM", "instruction": "i am looking for a dust proof speaker system for my motorcycle with high power.", "attributes": ["dust proof", "high power"], "options": [""], "instruction_attributes": ["dust proof", "high power"], "instruction_options": [], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4P4H0C", "worker_id": "A182YKPS46KE9F"}], "B091D6252Y": [{"asin": "B091D6252Y", "instruction": "i'm searching for oil hair growth. i would like one with black rice and peppermint.", "attributes": ["hair growth", "natural hair"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "34J10VATJQ8X023KKOGV1B0UH8LQIK", "worker_id": "A35TUIBF05DKM4"}], "B08J2MWLR3": [{"asin": "B08J2MWLR3", "instruction": "i'm looking for a black color super soft bedroom rug size 8 feet x 10 feet rectangular in shape and it should be anti-slip.", "attributes": ["super soft", "living room"], "options": ["color: white", "size: 8 feet x 10 feet"], "instruction_attributes": ["super soft"], "instruction_options": [], "assignment_id": "33F859I56HNA01QBVO1K6A4GVTPHBM", "worker_id": "A2BEEFRJ9U6Y5U"}], "B01LZSM2RW": [{"asin": "B01LZSM2RW", "instruction": "i'm choosing the kamik women's momentum with their snow boot which include faux fur attribute. also, the color charcoal ii and the size 6.5 wide.", "attributes": ["moisture wicking", "faux fur"], "options": ["color: charcoal ii", "size: 6.5 wide"], "instruction_attributes": ["faux fur"], "instruction_options": ["charcoal ii", "6.5 wide"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J4ISFO", "worker_id": "A59DVED5S9N9Y"}], "B0921FPJND": [{"asin": "B0921FPJND", "instruction": "i'm looking for a two pack of 5 calorie, non-alcoholic margarita mix. i want 24.5 ounce bottles.", "attributes": ["non alcoholic", "low calorie", "real fruit"], "options": ["flavor: 5 calorie margarita"], "instruction_attributes": ["non alcoholic", "low calorie"], "instruction_options": ["5 calorie margarita"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R0LYTJ", "worker_id": "A3OLRWACCCCUTU"}], "B01N1K5RCF": [{"asin": "B01N1K5RCF", "instruction": "i need an eli mason old fashioned cocktail mixer of 20 fl oz in size", "attributes": ["old fashioned", "natural ingredients"], "options": ["flavor: variety mint julep & peach", "size: 20 fl oz (pack of 2)"], "instruction_attributes": ["old fashioned"], "instruction_options": ["20 fl oz (pack of 2)"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IKC23K", "worker_id": "A1IL2K0ELYI090"}, {"asin": "B01N1K5RCF", "instruction": "i am looking to buy old fashioned and naturally-flavored bitters that come in a pack of two.", "attributes": ["old fashioned", "natural ingredients"], "options": ["flavor: grenadine", "size: 10 fl oz (pack of 2)"], "instruction_attributes": ["old fashioned", "natural ingredients"], "instruction_options": ["10 fl oz (pack of 2)"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3YE6NE", "worker_id": "A114NK7T5673GK"}], "B07XG695XV": [{"asin": "B07XG695XV", "instruction": "i am looking for mumumi foldable stool that can be carried for fishing travel, mountaineering camping adventure outing outdoor as well as indoor uses for domestic purpose. red color preferable", "attributes": ["dining room", "living room"], "options": ["color: red"], "instruction_attributes": ["dining room", "living room"], "instruction_options": ["red"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UH4ZEH", "worker_id": "A1DRKZ3SCLAS4V"}], "B09NMDB4D9": [{"asin": "B09NMDB4D9", "instruction": "i need a large size slimfit t shirt for men and blouse with short sleeve and crew neck for women for the occassion of valentine's day. color preferred is white.", "attributes": ["easy care", "slim fit", "hand wash", "short sleeve"], "options": ["color: 12 white", "size: large"], "instruction_attributes": ["slim fit", "short sleeve"], "instruction_options": ["12 white", "large"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9E411BF", "worker_id": "A1V2JTEEBCXR20"}], "B08MB5WC38": [{"asin": "B08MB5WC38", "instruction": "i want to buy a high definition projector that also has a version for a 5.7 inch phone.", "attributes": ["1080p hd", "high definition"], "options": ["size: 5.7 inches phone version (720p play mobi..."], "instruction_attributes": ["high definition"], "instruction_options": ["5.7 inches phone version (720p play mobi..."], "assignment_id": "37C0GNLMHQDNI94ED11M493QP0N6DJ", "worker_id": "A1PBRKFHSF1OF8"}], "B09D9DH7YM": [{"asin": "B09D9DH7YM", "instruction": "i want buy a leakage proof travel size bag case size -30 ml, 50 ml, 100 ml", "attributes": ["leak proof", "travel size"], "options": ["item package quantity: 27", "size: 30 ml, 50 ml, 100 ml"], "instruction_attributes": ["leak proof", "travel size"], "instruction_options": [], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ72UWJ", "worker_id": "A3N9ZYQAESNFQH"}], "B07BGFTQ4Z": [{"asin": "B07BGFTQ4Z", "instruction": "i'm looking for an apple macbook that has an i5 processor and an ssd of at least 128gb, renewed looks nice too.", "attributes": ["certified refurbished", "high performance", "core i5", "intel core"], "options": [""], "instruction_attributes": ["certified refurbished", "core i5"], "instruction_options": [], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK34NN6G", "worker_id": "A18V8FRN40LJ4J"}], "B09JSQ3FBZ": [{"asin": "B09JSQ3FBZ", "instruction": "i'm looking for a halloweenboo and a x small long sleeve and should be for a daily wear and comfortable", "attributes": ["machine wash", "long sleeve", "button closure", "daily wear"], "options": ["color: halloweenboo", "size: x-small"], "instruction_attributes": ["long sleeve", "daily wear"], "instruction_options": ["halloweenboo", "x-small"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVKWJKH", "worker_id": "A19Q021KR28CS8"}], "B0015KBM0Q": [{"asin": "B0015KBM0Q", "instruction": "i want to find a long lasting perfume for women. if possible, can you get something that is 2 ounces?", "attributes": ["design house", "long lasting"], "options": ["size: 2 fl oz"], "instruction_attributes": ["long lasting"], "instruction_options": ["2 fl oz"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40NORC1", "worker_id": "A34QZDSTKZ3JO9"}], "B09LVG9WWJ": [{"asin": "B09LVG9WWJ", "instruction": "i'm looking for a front and rear dual 1080p dash cam with night vision and motion detection that is easy to install.", "attributes": ["easy install", "motion detection"], "options": [""], "instruction_attributes": ["easy install", "motion detection"], "instruction_options": [], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJLTGVT", "worker_id": "A1EREKSZAA9V7B"}], "B085M7NQM4": [{"asin": "B085M7NQM4", "instruction": "i'd like to get some sugar free cake toppers, preferably ones that are a mutin color.", "attributes": ["sugar free", "birthday cake"], "options": ["color: mutin"], "instruction_attributes": ["sugar free"], "instruction_options": ["mutin"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUC2S4P", "worker_id": "A1SX8IVV82M0LW"}], "B095Z5V1HT": [{"asin": "B095Z5V1HT", "instruction": "i'm looking for a sugarolly - big flavored cotton candy sized box (15) for a birthday party", "attributes": ["individually wrapped", "birthday party"], "options": ["flavor name: sugarolly - big", "size: box (15)"], "instruction_attributes": ["birthday party"], "instruction_options": ["sugarolly - big", "box (15)"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AC9UYJ", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B095Z5V1HT", "instruction": "i would like a lemon cube sugarolloy candy for a birthday party.", "attributes": ["individually wrapped", "birthday party"], "options": ["flavor name: sugarolly cup - lemon", "size: cube (7)"], "instruction_attributes": ["birthday party"], "instruction_options": ["sugarolly cup - lemon", "cube (7)"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V18FGR", "worker_id": "A1WS884SI0SLO4"}], "B08D3VKKCB": [{"asin": "B08D3VKKCB", "instruction": "i am looking to purchase bpa free containers with lids to use for storing beauty products and kitchen items. a 24 pack would suffice.", "attributes": ["leak proof", "bpa free"], "options": ["item package quantity: 24"], "instruction_attributes": ["bpa free"], "instruction_options": ["24"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PDYQER", "worker_id": "A3T9WZOUQGE2UW"}], "B07MDV3XQJ": [{"asin": "B07MDV3XQJ", "instruction": "i'm looking for organic gluten free fruit and vegetable sticks that are made of real fruit. i would like the variety flavor.", "attributes": ["gmo free", "gluten free", "real fruit", "artificial colors", "high fructose"], "options": ["flavor name: variety (mango & apple)", "size: adult 1 ounce (value pack) - 1 box of 16..."], "instruction_attributes": ["gluten free", "real fruit"], "instruction_options": ["variety (mango & apple)"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4S3YXO", "worker_id": "A1PHWAX1BY6C3A"}, {"asin": "B07MDV3XQJ", "instruction": "i would like a variety box of 0,6 ounce packs of fruit snacks made with real fruit.", "attributes": ["gmo free", "gluten free", "real fruit", "artificial colors", "high fructose"], "options": ["flavor name: variety (4 flavors)", "size: kid\u2019s 0.6 ounce (value pack) - 6 boxes o..."], "instruction_attributes": ["artificial colors"], "instruction_options": ["variety (4 flavors)", "kid\u2019s 0.6 ounce (value pack) - 6 boxes o..."], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AJMOE1", "worker_id": "A1WS884SI0SLO4"}], "B08HLPQ8YB": [{"asin": "B08HLPQ8YB", "instruction": "find an light brown organic hair dye that is also usda certified organic and is also cruelty free.", "attributes": ["certified organic", "cruelty free", "hair dye"], "options": ["color: organic dark brown", "size: 3.5 ounce (pack of 1)"], "instruction_attributes": ["certified organic", "cruelty free", "hair dye"], "instruction_options": [], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTPCE41", "worker_id": "A1UQ4MC5J2WIY8"}], "B07VPD4BB8": [{"asin": "B07VPD4BB8", "instruction": "i'm looking for a security home camera to see the motion detection at 5 pm", "attributes": ["high definition", "1080p hd", "motion detection"], "options": ["style: 5mp"], "instruction_attributes": ["motion detection"], "instruction_options": ["5mp"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7STRUJ", "worker_id": "A19Q021KR28CS8"}], "B00RKNNGUQ": [{"asin": "B00RKNNGUQ", "instruction": "i'm looking for a canon power shot sx610 hs with optical zoom and black colour", "attributes": ["1080p hd", "optical zoom"], "options": ["color: black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["black"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI0E3T8", "worker_id": "A19Q021KR28CS8"}], "B0007SMLUM": [{"asin": "B0007SMLUM", "instruction": "please select a 1 pound, certified organic sea salt shaker in the flavor triple blend flakes.", "attributes": ["certified organic", "dietary fiber"], "options": ["flavor: triple blend flakes", "size: 1 pound (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["triple blend flakes", "1 pound (pack of 1)"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VR5GF5", "worker_id": "A9HQ3E0F2AGVO"}], "B08SSG514G": [{"asin": "B08SSG514G", "instruction": "i am looking for samsung galaxy tab s7 with the features like 12.4-inch in size, mystic navy color, 128gb wi-fi bluetooth s pen fast-charging usb-c port, android tablet", "attributes": ["fast charging", "usb port"], "options": ["color: bronze", "size: 512gb", "style: s7 tablet + keyboard"], "instruction_attributes": ["fast charging", "usb port"], "instruction_options": ["s7 tablet + keyboard"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KN0J9X", "worker_id": "A2HV9CYJH2IQYE"}, {"asin": "B08SSG514G", "instruction": "i want a 512gb samsung galaxy tab s7 with usb port.", "attributes": ["fast charging", "usb port"], "options": ["color: mystic navy", "size: 512gb", "style: s7+ tablet"], "instruction_attributes": ["usb port"], "instruction_options": ["512gb"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7TSUCM", "worker_id": "A2RBF3IIJP15IH"}], "B08FKXJ8N3": [{"asin": "B08FKXJ8N3", "instruction": "i'm looking for a slip resistant sneaker suitable for working in a kitchen, and i want it with a rubber sole, and in size 12.", "attributes": ["slip resistant", "rubber outsole", "rubber sole"], "options": ["size: 12 wide"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["12 wide"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGY51IE4", "worker_id": "A35BY30TC8WCL4"}], "B08DBGLFZC": [{"asin": "B08DBGLFZC", "instruction": "please find a dell inspiron i3880 desktop pc with 1t hardrive in black. an i5 10th generation intel processor is preferred.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLAY08RD", "worker_id": "A1ZAK79QAHNW2J"}], "B09M9JM4DY": [{"asin": "B09M9JM4DY", "instruction": "i want a 15 cupcake toppers for a birthday and to be decorated with rose and gold", "attributes": ["cupcake picks", "baby shower"], "options": ["color: rose gold 100th"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["rose gold 100th"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6C93V0E", "worker_id": "A19Q021KR28CS8"}], "B09NDFLVKC": [{"asin": "B09NDFLVKC", "instruction": "i'm looking for water resistant telescope for bird watching.", "attributes": ["easy use", "dust proof", "water resistant", "high power", "high resolution", "hands free", "easy carry", "aluminum alloy", "bird watching"], "options": [""], "instruction_attributes": ["water resistant", "bird watching"], "instruction_options": [], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZLV056", "worker_id": "A62B826XMLK7K"}], "B00C2LBGI0": [{"asin": "B00C2LBGI0", "instruction": "i'm looking for an xx-large plus elastic closure pants for women. the color can be steel.", "attributes": ["machine wash", "stretch fabric", "elastic closure", "polyester spandex"], "options": ["color: steel", "size: xx-large plus"], "instruction_attributes": ["elastic closure"], "instruction_options": ["steel", "xx-large plus"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUMRJQ4", "worker_id": "AOBO2UBJ4M7ET"}], "B09N1HSDV2": [{"asin": "B09N1HSDV2", "instruction": "i'm looking for a large t-shirt style dress with long sleeves. i'd like one that is loose fitting and gold in color.", "attributes": ["loose fit", "daily casual", "short sleeve", "long sleeve", "faux fur", "everyday wear"], "options": ["color: gold", "size: large"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["gold", "large"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WI4WQG", "worker_id": "ATR6RB1RULOC0"}], "B017NWL3I0": [{"asin": "B017NWL3I0", "instruction": "can you get a squeeze snack that is gluten free and non gmo, blackberry bliss.", "attributes": ["usda organic", "non gmo", "gluten free", "dietary fiber", "quality ingredients"], "options": ["flavor name: blackberry bliss", "size: 3.49 ounce (pack of 16)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["blackberry bliss"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQ6TKVR", "worker_id": "ARLGZWN6W91WD"}], "B07MQT5S5D": [{"asin": "B07MQT5S5D", "instruction": "i'm looking for ready to hang wall art with dimension 12*12 inches 3 pcs for living room. also look for red rose one.", "attributes": ["ready hang", "dining room", "living room"], "options": ["color: red rose", "size: 12x12inches*3pcs"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["red rose", "12x12inches*3pcs"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KPL7ET", "worker_id": "AR0VJ5XRG16UJ"}], "B08QGP2NWQ": [{"asin": "B08QGP2NWQ", "instruction": "i am looking for quick release black color tripods", "attributes": ["quick release", "aluminum alloy"], "options": ["color: black"], "instruction_attributes": ["quick release"], "instruction_options": ["black"], "assignment_id": "3URFVVM16GSBNLZB11OMB709HSXUZ3", "worker_id": "A16M39T60N60NO"}], "B07XVRZR4P": [{"asin": "B07XVRZR4P", "instruction": "i am looking for odelia vintage bohemian area living room and dining room in navy sky blue", "attributes": ["easy clean", "dining room", "living room"], "options": ["color: navy | sky blue", "size: 3' x 5' oval"], "instruction_attributes": ["dining room", "living room"], "instruction_options": ["navy | sky blue"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYE2MHC3", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B07XVRZR4P", "instruction": "get me a nine by twelve and a half foot easy clean rug for my dining room. look for the garnet color.", "attributes": ["easy clean", "dining room", "living room"], "options": ["color: garnet | navy", "size: 9' x 12'6\""], "instruction_attributes": ["easy clean", "dining room"], "instruction_options": ["garnet | navy", "9' x 12'6\""], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSI52QE", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07XVRZR4P", "instruction": "i am looking for a sky blue easy to clean vintage area rug.", "attributes": ["easy clean", "dining room", "living room"], "options": ["color: navy | sky blue", "size: 6'7\" square"], "instruction_attributes": ["easy clean"], "instruction_options": ["navy | sky blue"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA70XHMV", "worker_id": "A1EREKSZAA9V7B"}], "B0738H72SJ": [{"asin": "B0738H72SJ", "instruction": "i'm looking for refillable purple spray bottles with fine mist settings.", "attributes": ["bpa free", "fine mist"], "options": ["color: purple with white cap", "size: 12 bottles (4 ounce)"], "instruction_attributes": ["fine mist"], "instruction_options": ["purple with white cap"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZRVGJR3", "worker_id": "A19317A3X87NVM"}, {"asin": "B0738H72SJ", "instruction": "i would like a bpa free green bag", "attributes": ["bpa free", "fine mist"], "options": ["color: green with black cap", "size: 6 bottles (4 ounce)"], "instruction_attributes": ["bpa free"], "instruction_options": ["green with black cap"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6MS2BY", "worker_id": "A2ECRNQ3X5LEXD"}], "B0746SNMQD": [{"asin": "B0746SNMQD", "instruction": "i want unscented sunscreen lotion for dry skin.", "attributes": ["natural ingredients", "coconut oil", "dry skin"], "options": ["scent: unscented sunscreen"], "instruction_attributes": ["dry skin"], "instruction_options": ["unscented sunscreen"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6H0FS3Q", "worker_id": "A2RBF3IIJP15IH"}], "B08KWLTT6P": [{"asin": "B08KWLTT6P", "instruction": "i am looking for natural ingredients handmade pasta linguine of size : 1 pound (pack of 5)", "attributes": ["old fashioned", "natural ingredients"], "options": ["flavor name: rotini", "size: 1 pound (pack of 5)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["1 pound (pack of 5)"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKDRH7HM", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B08KWLTT6P", "instruction": "i want old fashioned dagostino alligator cut pasta.", "attributes": ["old fashioned", "natural ingredients"], "options": ["flavor name: alligator cut", "size: 1 pound (pack of 3)"], "instruction_attributes": ["old fashioned"], "instruction_options": ["alligator cut"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA933EZ3C", "worker_id": "A2RBF3IIJP15IH"}], "B01N5QBRPK": [{"asin": "B01N5QBRPK", "instruction": "i am looking for living room in celosia orange", "attributes": ["nickel finish", "brushed nickel", "living room"], "options": ["color: celosia orange"], "instruction_attributes": ["living room"], "instruction_options": ["celosia orange"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23TB5TQH", "worker_id": "A2MSIFDLOHI1UT"}], "B06XTF4ZWS": [{"asin": "B06XTF4ZWS", "instruction": "find a chair for home office with memory foam seat", "attributes": ["height adjustable", "memory foam", "stainless steel"], "options": ["color: inviting graphite", "style: twill"], "instruction_attributes": ["memory foam"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN7LAG5I", "worker_id": "AVIEE6LDH0BT5"}], "B097F9L5TQ": [{"asin": "B097F9L5TQ", "instruction": "i am searching for black color cupcake toppers for the birthday party.", "attributes": ["birthday party", "cupcake picks"], "options": ["color: black"], "instruction_attributes": ["birthday party"], "instruction_options": ["black"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG2P4U9J", "worker_id": "A9ZM1P6LBW79"}], "B08937VJLZ": [{"asin": "B08937VJLZ", "instruction": "i need plastic hair masks for my hair salon", "attributes": ["hair salon", "hair cutting"], "options": [""], "instruction_attributes": ["hair salon"], "instruction_options": [], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLMMEEC4", "worker_id": "AVIEE6LDH0BT5"}], "B09P3F2FJC": [{"asin": "B09P3F2FJC", "instruction": "i want to buy mini projector which is high definition and is of q2 pink color", "attributes": ["1080p hd", "high definition"], "options": ["color: q2 pink"], "instruction_attributes": ["high definition"], "instruction_options": ["q2 pink"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY9S1XUB", "worker_id": "AJY5G987IRT25"}], "B08RG81CT6": [{"asin": "B08RG81CT6", "instruction": "i want a coat rack with white finish", "attributes": ["white item", "white finish"], "options": ["color: black"], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "3IXEICO79DTUZY0BZR119DLCTAU6TY", "worker_id": "AVIEE6LDH0BT5"}], "B096FWZTSM": [{"asin": "B096FWZTSM", "instruction": "i would like a white mirror for hair cutting.", "attributes": ["high quality", "quality materials", "hair cutting"], "options": ["color: white(without led)"], "instruction_attributes": ["hair cutting"], "instruction_options": ["white(without led)"], "assignment_id": "3N8OEVH1F204BC17361WW31GF26OOI", "worker_id": "A1WS884SI0SLO4"}], "B09NC2ZXDT": [{"asin": "B09NC2ZXDT", "instruction": "i am looking for daily wear pink color lounge", "attributes": ["elastic closure", "daily wear"], "options": ["color: a24 pink", "size: 4x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["a24 pink"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRND9W37", "worker_id": "A16M39T60N60NO"}], "B08YN43PXK": [{"asin": "B08YN43PXK", "instruction": "i am looking for water resistant bone flower pants", "attributes": ["water resistant", "moisture wicking", "elastic waist", "high waist", "polyester spandex", "daily wear"], "options": ["color: bone flower style 5.1", "size: medium"], "instruction_attributes": ["water resistant"], "instruction_options": ["bone flower style 5.1"], "assignment_id": "326O153BMT8RVOXTJJKKGXV37MVED9", "worker_id": "A16M39T60N60NO"}], "B06Y96MXJV": [{"asin": "B06Y96MXJV", "instruction": "i am looking for gluten free foodie spices", "attributes": ["non gmo", "soy free", "sugar free", "dairy free", "gluten free"], "options": ["flavor: foodie gift", "size: 4 ounce (3 count)"], "instruction_attributes": ["gluten free"], "instruction_options": ["foodie gift"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU483H1YPK", "worker_id": "A16M39T60N60NO"}, {"asin": "B06Y96MXJV", "instruction": "i need gluten free vegetarian smoked peppered bacon - 4 ounce (pack of 2)", "attributes": ["non gmo", "soy free", "sugar free", "dairy free", "gluten free"], "options": ["flavor: vegetarian smoked", "size: 4 ounce (pack of 2)"], "instruction_attributes": ["gluten free"], "instruction_options": ["vegetarian smoked", "4 ounce (pack of 2)"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YXJNT4Z", "worker_id": "A258PTOZ3D2TQR"}], "B07WW8XWXC": [{"asin": "B07WW8XWXC", "instruction": "i am looking for 0.81 ounce (pack of 80) of gluten free chewy bar with flavored dark chocolate cherry cashew", "attributes": ["low sodium", "low sugar", "gluten free", "0g trans"], "options": ["flavor name: dark chocolate cherry cashew", "size: 0.81 ounce (pack of 80)"], "instruction_attributes": ["gluten free"], "instruction_options": ["dark chocolate cherry cashew", "0.81 ounce (pack of 80)"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4WE6YWH", "worker_id": "A258PTOZ3D2TQR"}], "B07Y2STMKS": [{"asin": "B07Y2STMKS", "instruction": "i am looking for dust proof pink color headphones", "attributes": ["dust proof", "compatible apple", "easy carry", "case cover", "wireless charging"], "options": ["color: a-light pink"], "instruction_attributes": ["dust proof"], "instruction_options": ["a-light pink"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36UDXUSY", "worker_id": "A16M39T60N60NO"}], "B06XHVZDKF": [{"asin": "B06XHVZDKF", "instruction": "i am looking for a eye mask sheet for dark circles. also choose 120 count size.", "attributes": ["dark circles", "fine lines"], "options": ["size: 120 count"], "instruction_attributes": ["dark circles"], "instruction_options": ["120 count"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U9XQ4CU", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B06XHVZDKF", "instruction": "i want to find a package of 10 eye masks that treat dark circles.", "attributes": ["dark circles", "fine lines"], "options": ["size: 10 pair (pack of 1)"], "instruction_attributes": ["dark circles"], "instruction_options": ["10 pair (pack of 1)"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7XJDSR", "worker_id": "A345TDMHP3DQ3G"}], "B01GS1QRQK": [{"asin": "B01GS1QRQK", "instruction": "i want a grey safavieh evoke rug for my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: grey | ivory", "item shape: square", "size: 6 ft 7 in x 9 ft"], "instruction_attributes": ["living room"], "instruction_options": ["grey | ivory"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7MNKREQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01GS1QRQK", "instruction": "i am interested in buying area rug for dining room which is in black or grey color, and is in shape of runner, while the size should be 4 ft x 6 ft", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: black | grey", "item shape: runner", "size: 4 ft x 6 ft"], "instruction_attributes": ["dining room"], "instruction_options": ["black | grey", "runner", "4 ft x 6 ft"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DW2P17L", "worker_id": "AJY5G987IRT25"}, {"asin": "B01GS1QRQK", "instruction": "i am looking for a square area rug that is grey and ivory and measures 2 feet by 2 inch by 17 feet.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: grey | ivory", "item shape: square", "size: 2 ft 2 in x 17 ft"], "instruction_attributes": ["living room"], "instruction_options": ["grey | ivory", "square", "2 ft 2 in x 17 ft"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2WZ35M", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01GS1QRQK", "instruction": "i am looking for a blue runner rug that is 8 x 10 ft and would work in either my living or dining room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: blue | ivory", "item shape: runner", "size: 8 ft x 10 ft"], "instruction_attributes": ["living room", "dining room"], "instruction_options": ["blue | ivory", "runner", "8 ft x 10 ft"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M493L8Y", "worker_id": "A114NK7T5673GK"}], "B09PSJ2X8W": [{"asin": "B09PSJ2X8W", "instruction": "i am seraching for energy drink with natural berry flavors which was low in calorie and sugar - 4 packet - drink mix", "attributes": ["gmo free", "low sugar", "low calorie", "natural flavors", "artificial flavors"], "options": ["flavor name: mixed berry", "size: 4 pack"], "instruction_attributes": ["low sugar", "low calorie", "natural flavors"], "instruction_options": ["mixed berry", "4 pack"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVG0WU7AE", "worker_id": "A3R8PQCD99H61E"}], "B07JFRBHB8": [{"asin": "B07JFRBHB8", "instruction": "i'm looking for a black hair styling product that is made from natural ingredients and easy to use.", "attributes": ["easy use", "natural ingredients", "hair dye", "hair styling", "natural hair"], "options": ["color: black"], "instruction_attributes": ["easy use", "natural ingredients", "hair styling"], "instruction_options": ["black"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX6AG4F3", "worker_id": "AFU00NU09CFXE"}], "B07GF22SG5": [{"asin": "B07GF22SG5", "instruction": "i am looking for grass fed and gluten free pure indian foods madras curry", "attributes": ["grass fed", "gluten free", "certified organic"], "options": [""], "instruction_attributes": ["grass fed", "gluten free"], "instruction_options": [], "assignment_id": "39LOEL67O3FC4VL5DRS8BED5565833", "worker_id": "AX2EWYWZM19AZ"}], "B0855C9FMW": [{"asin": "B0855C9FMW", "instruction": "easy application hair filling in black and brown color", "attributes": ["easy apply", "hair loss"], "options": ["color: black | dark brown"], "instruction_attributes": ["easy apply"], "instruction_options": ["black | dark brown"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OFAP7AZ9", "worker_id": "A3TTGSUBIK1YCL"}], "B0761VXK2D": [{"asin": "B0761VXK2D", "instruction": "i am interested in buying makeup brush which is of high quality and is rose gold.", "attributes": ["high quality", "rose gold"], "options": [""], "instruction_attributes": ["high quality", "rose gold"], "instruction_options": [], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI8D4SDO", "worker_id": "AJY5G987IRT25"}], "B075G2D96J": [{"asin": "B075G2D96J", "instruction": "i am looking for machine washable and with printing technology of ambesonne popstar party throw pillow cushion cover with size 20\"x20\"", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: salmon lilac and white", "size: 20\" x 20\""], "instruction_attributes": ["machine washable", "printing technology"], "instruction_options": ["20\" x 20\""], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN7LA5G7", "worker_id": "AX2EWYWZM19AZ"}], "B088F55SJJ": [{"asin": "B088F55SJJ", "instruction": "i am looking for a 9x6 ft universe background digital photography which is easy to carry.", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 9x6ft"], "instruction_attributes": ["easy carry", "digital photography"], "instruction_options": ["9x6ft"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366P74OP1", "worker_id": "AHU9OLV0YKIIW"}], "B07PSM5F54": [{"asin": "B07PSM5F54", "instruction": "i would like a button tufted ottoman.", "attributes": ["button tufted", "brushed nickel"], "options": [""], "instruction_attributes": ["button tufted"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8SM0KSS", "worker_id": "A1WS884SI0SLO4"}], "B07Q7PT467": [{"asin": "B07Q7PT467", "instruction": "i am looking for star wars navy color cute cartoon style graphic hoodie of unisex small size", "attributes": ["officially licensed", "machine wash", "classic fit", "star wars"], "options": ["color: navy", "size: unisex small"], "instruction_attributes": ["star wars"], "instruction_options": ["navy", "unisex small"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XQV9V62", "worker_id": "A258PTOZ3D2TQR"}], "B08GL6R84G": [{"asin": "B08GL6R84G", "instruction": "i am looking for a eco friendly floating shelves made up of solid wood. also choose bourbon color and 48\" l x 6\"d size.", "attributes": ["eco friendly", "solid wood"], "options": ["color: bourbon", "size: 48\"l x 6\"d"], "instruction_attributes": ["eco friendly", "solid wood"], "instruction_options": ["bourbon", "48\"l x 6\"d"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54PA1YE1", "worker_id": "A2HMEGTAFO0CS8"}], "B014JW58MY": [{"asin": "B014JW58MY", "instruction": "i am looking for baked fresh cookies", "attributes": ["baked fresh", "kosher certified", "great gift"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWQESXTI", "worker_id": "A16M39T60N60NO"}], "B085ZLFSYB": [{"asin": "B085ZLFSYB", "instruction": "i would like to buy a computer which is quad core", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ1CCRR5", "worker_id": "AJY5G987IRT25"}], "B07BQ36L48": [{"asin": "B07BQ36L48", "instruction": "i would like a six boxes of 20 individually wrapped caffeine free tea.", "attributes": ["caffeine free", "certified organic", "individually wrapped", "gluten free"], "options": ["size: 20 count (pack of 6)"], "instruction_attributes": ["caffeine free", "individually wrapped"], "instruction_options": ["20 count (pack of 6)"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRTMREUK", "worker_id": "A1WS884SI0SLO4"}], "B093LMVJCG": [{"asin": "B093LMVJCG", "instruction": "i'm looking for a wireless, hands free bluetooth speaker.", "attributes": ["hands free", "usb port"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASIAB2X5N", "worker_id": "A2JP9IKRHNLRPI"}], "B08659G11H": [{"asin": "B08659G11H", "instruction": "i am looking for gluten free, non gmo and dietary fiber organic green banana flour with size: 1 pound (pack of 2)", "attributes": ["gluten free", "certified organic", "low carb", "non gmo", "dietary fiber", "artificial colors"], "options": ["size: 1 pound (pack of 2)"], "instruction_attributes": ["gluten free", "non gmo", "dietary fiber"], "instruction_options": ["1 pound (pack of 2)"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD320YNO", "worker_id": "AX2EWYWZM19AZ"}], "B003VBA33E": [{"asin": "B003VBA33E", "instruction": "i'm looking for a gold plated coaxial cable. also, choose 3ft, white colored one.", "attributes": ["gold plated", "coaxial cable"], "options": ["color: white", "size: 3ft"], "instruction_attributes": ["gold plated", "coaxial cable"], "instruction_options": ["white", "3ft"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2P4Z99C", "worker_id": "AR0VJ5XRG16UJ"}], "B07XCJMSVS": [{"asin": "B07XCJMSVS", "instruction": "i'm looking for an extra large, navy blue women's cardigan with long sleeves.", "attributes": ["slim fit", "contrast color", "long sleeve"], "options": ["color: navy blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["navy blue", "x-large"], "assignment_id": "3AAJC4I4FR2295OHP2K845RY0CVZJ8", "worker_id": "A2JP9IKRHNLRPI"}], "B09GBMYCQ8": [{"asin": "B09GBMYCQ8", "instruction": "i am looking for quad core mxq pro 5g android 10.1 tv box ram 2gb rom 16gb h.265 hd 3d", "attributes": ["dual band", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43XARA1H", "worker_id": "AX2EWYWZM19AZ"}], "B00FGINOZ4": [{"asin": "B00FGINOZ4", "instruction": "i'm looking for an 8 ounce bag of chocolate covered sandwich cookies.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: halloween assortment | milk chocolate", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP93V6QK", "worker_id": "A19317A3X87NVM"}, {"asin": "B00FGINOZ4", "instruction": "i'm looking for cholate covered cookies for valentines day to gifted for my partner.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: my little pony licensed", "size: 15 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered", "valentine day"], "instruction_options": ["15 ounce (pack of 1)"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U83B4CQ", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00FGINOZ4", "instruction": "i am looking for an 8oz. philadelphia candies milk chocolate covered oreo cookies for a valentine's day gift.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: spongebob licensed", "size: 15 ounce (pack of 15)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "37UQDCYH685SGQI5NW68G99TKCWV7F", "worker_id": "ABYRAWL4BGD3C"}, {"asin": "B00FGINOZ4", "instruction": "i would like to find a valentines day gift with chocolate included. a pack sounds ideal", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: pink stork it's a girl gift", "size: 8 ounce (pack of 8)"], "instruction_attributes": ["chocolate covered", "valentine day", "perfect gift"], "instruction_options": ["8 ounce (pack of 8)"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPO2YS3", "worker_id": "A2TRV8SEM003GG"}, {"asin": "B00FGINOZ4", "instruction": "i would like a 8 ounce thanksgiving assortment that's a great gift.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: thanksgiving assortment | dark chocolate", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["perfect gift"], "instruction_options": ["thanksgiving assortment | dark chocolate", "8 ounce (pack of 1)"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFWF3EI", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00FGINOZ4", "instruction": "i want a 15 ounce sized chocolate covered cookies. it is for a valentine's day gift.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: christmas greeting assortment", "size: 15 ounce (pack of 15)"], "instruction_attributes": ["chocolate covered", "valentine day"], "instruction_options": ["15 ounce (pack of 15)"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67W077F2", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B00FGINOZ4", "instruction": "i'm looking for a perfect gift for valentines day that should be covered in chocolate. also, choose a pack of 1 weighing 8 ounce, easter cross with flower designed one.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: easter cross with flower", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered", "valentine day", "perfect gift"], "instruction_options": ["easter cross with flower", "8 ounce (pack of 1)"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNELLIX6", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00FGINOZ4", "instruction": "i'm looking for a perfect gift for valentine day that should be covered in chocolate. also, choose a pack of 1 weighing 1.87 pounds, easter faces assortment designed one.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: easter faces assortment", "size: 1.87 pound (pack of 1)"], "instruction_attributes": ["chocolate covered", "valentine day", "perfect gift"], "instruction_options": ["easter faces assortment", "1.87 pound (pack of 1)"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK97NVO", "worker_id": "AR0VJ5XRG16UJ"}], "B07DW7TM71": [{"asin": "B07DW7TM71", "instruction": "i am looking for ethylene vinyl dr.martens women's nartilla sandal of size:10", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: black", "size: 10"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["10"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3G2VFBI", "worker_id": "AX2EWYWZM19AZ"}], "B01MT0PETV": [{"asin": "B01MT0PETV", "instruction": "i want shade sails made with stainless steel", "attributes": ["high density", "stainless steel"], "options": ["color: blue white", "size: 16'5''x16'5''x16'5''"], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6P2FMMP", "worker_id": "AVIEE6LDH0BT5"}], "B09FQDJ3L7": [{"asin": "B09FQDJ3L7", "instruction": "i want a sunset solawave 4-in-1 facial wand and serum bundle for dark circles.", "attributes": ["anti aging", "clinically proven", "rose gold", "hyaluronic acid", "natural ingredients", "dark circles", "fine lines"], "options": ["color: sunset"], "instruction_attributes": ["dark circles"], "instruction_options": ["sunset"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3ITE6IH", "worker_id": "A2RBF3IIJP15IH"}], "B0953Q9DVP": [{"asin": "B0953Q9DVP", "instruction": "i would like a pink cake topper for a birthday party.", "attributes": ["birthday cake", "baby shower", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["birthday cake", "birthday party"], "instruction_options": ["pink"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT07EPNUF", "worker_id": "A1WS884SI0SLO4"}], "B09GFQZXNX": [{"asin": "B09GFQZXNX", "instruction": "i'm interested in a wireless bluetooth alarm clock that offers stereo sound.", "attributes": ["wireless bluetooth", "stereo sound"], "options": [""], "instruction_attributes": ["wireless bluetooth", "stereo sound"], "instruction_options": [], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0TGP11O", "worker_id": "AFU00NU09CFXE"}], "B09FZLYK3H": [{"asin": "B09FZLYK3H", "instruction": "i am looking for easy to use nut gifts", "attributes": ["easy use", "perfect gift"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI5SQSBF", "worker_id": "A2MSIFDLOHI1UT"}], "B09FYRTQ5G": [{"asin": "B09FYRTQ5G", "instruction": "i am looking for a long lasting eye mask for dark circles with cruelty free.", "attributes": ["cruelty free", "sulfate free", "anti aging", "long lasting", "hyaluronic acid", "natural ingredients", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["cruelty free", "sulfate free", "long lasting", "dark circles"], "instruction_options": [], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ1CARR3", "worker_id": "A2HMEGTAFO0CS8"}], "B088KLGCHX": [{"asin": "B088KLGCHX", "instruction": "i am looking for anti-aging rose quartz face roller", "attributes": ["anti aging", "fine lines", "dark circles"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "39K0FND3ASPR95MUG7H134S6VL0MAF", "worker_id": "A258PTOZ3D2TQR"}], "B01KMDWKD4": [{"asin": "B01KMDWKD4", "instruction": "find a gluten free popcorn salt", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3WMINLGALMDE0JA33INN08NU17GCA7", "worker_id": "AVIEE6LDH0BT5"}], "B0925SHCWK": [{"asin": "B0925SHCWK", "instruction": "i need 2 packs of 10.6 inch 30w dimmable bi-color soft light panel with batteries included", "attributes": ["batteries included", "easy use"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUGQYLV0", "worker_id": "A258PTOZ3D2TQR"}], "B09KVF53B4": [{"asin": "B09KVF53B4", "instruction": "i am in need of khaki color, x-large size hooded fleece lined sweatshirts for men", "attributes": ["winter warm", "fleece lined", "machine wash", "daily wear"], "options": ["color: khaki", "size: x-large"], "instruction_attributes": ["fleece lined"], "instruction_options": ["khaki", "x-large"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8ON82NE", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09KVF53B4", "instruction": "i'm looking for a camouflage white and gray, fleece-lined hoodie for daily wear in a size 3x-large that is machine washable.", "attributes": ["winter warm", "fleece lined", "machine wash", "daily wear"], "options": ["color: camouflage white gray", "size: 3x-large"], "instruction_attributes": ["fleece lined", "machine wash", "daily wear"], "instruction_options": ["camouflage white gray", "3x-large"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GE3C8Q8", "worker_id": "AFU00NU09CFXE"}], "B08RHNKL28": [{"asin": "B08RHNKL28", "instruction": "i am looking for a long sleeve sleepwear for a man with high waist. also choose light gray color and xx-large size.", "attributes": ["contrast color", "long sleeve", "elastic waist", "short sleeve"], "options": ["color: b-light gray", "size: xx-large"], "instruction_attributes": ["long sleeve", "elastic waist"], "instruction_options": ["b-light gray", "xx-large"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBQ08E6H", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B08RHNKL28", "instruction": "i am looking for men\u2019s pajamas with contrast color also choose size x large", "attributes": ["contrast color", "long sleeve", "elastic waist", "short sleeve"], "options": ["color: army green", "size: x-large"], "instruction_attributes": ["contrast color"], "instruction_options": ["x-large"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647DQH3X", "worker_id": "A10OGH5CQBXL5N"}], "B09QFW7H9D": [{"asin": "B09QFW7H9D", "instruction": "i am looking a high resolution easy install and easy use 60x usb microphone", "attributes": ["high resolution", "easy install", "easy use"], "options": ["color: a"], "instruction_attributes": ["high resolution", "easy install", "easy use"], "instruction_options": ["a"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFW16XLF", "worker_id": "A3N9ZYQAESNFQH"}], "B07KBJNGT6": [{"asin": "B07KBJNGT6", "instruction": "i'm looking for a kosher certified premium salt which is free from gluten. also, choose mediterranean flake one.", "attributes": ["kosher certified", "non gmo", "gluten free"], "options": ["style: mediterranean flake"], "instruction_attributes": ["kosher certified", "gluten free"], "instruction_options": ["mediterranean flake"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPM284IU", "worker_id": "AR0VJ5XRG16UJ"}], "B0794RHPZD": [{"asin": "B0794RHPZD", "instruction": "i'm looking for a yellow hands-free tablet.", "attributes": ["dual band", "hands free", "quad core"], "options": ["color: canary yellow", "digital storage capacity: 32 gb", "offer type: without special offers"], "instruction_attributes": ["hands free"], "instruction_options": ["canary yellow"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO84ZXJIZ", "worker_id": "A19317A3X87NVM"}], "B07MCCDZ62": [{"asin": "B07MCCDZ62", "instruction": "i'm looking for a cruelty free certified bronzer which is fragrance free. also choose palm beach ready one.", "attributes": ["fragrance free", "cruelty free"], "options": ["color: 1- palm beach ready"], "instruction_attributes": ["fragrance free", "cruelty free"], "instruction_options": ["1- palm beach ready"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2C1TJVW", "worker_id": "AR0VJ5XRG16UJ"}], "B011DJ19MY": [{"asin": "B011DJ19MY", "instruction": "i am looking for soft toe work shoe slip resistant in 10.5", "attributes": ["slip resistant", "arch support"], "options": ["size: 10.5"], "instruction_attributes": ["slip resistant"], "instruction_options": ["10.5"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT747B5BTO", "worker_id": "A2MSIFDLOHI1UT"}], "B07FBGWTHN": [{"asin": "B07FBGWTHN", "instruction": "i need hiking shoes in a size 10 that have a lace closure", "attributes": ["lace closure", "rubber outsole", "regular fit", "rubber sole"], "options": ["color: night cargo | black | raw khaki", "size: 10"], "instruction_attributes": ["lace closure"], "instruction_options": ["10"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SJJUT3H", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CTMG7S4": [{"asin": "B09CTMG7S4", "instruction": "i need 6ft red color usb fast charging led lightning cables -1 pack", "attributes": ["fast charging", "aluminum alloy"], "options": ["color: red", "size: 6ft"], "instruction_attributes": ["fast charging"], "instruction_options": ["red", "6ft"], "assignment_id": "36ZN444YT28UFQQ45BORC65U3T7OIN", "worker_id": "A258PTOZ3D2TQR"}], "B086HHD7JD": [{"asin": "B086HHD7JD", "instruction": "i want to buy high waist yoga pants whcih are in azec - black color and are in large size", "attributes": ["quick drying", "machine washable", "tummy control", "high waist", "polyester spandex", "everyday wear"], "options": ["color: aztec - black", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": ["aztec - black", "large"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0NDTCS9", "worker_id": "AJY5G987IRT25"}], "B01CH9LTFG": [{"asin": "B01CH9LTFG", "instruction": "i would like to buy face moisturizer suitable for women which is cruelty free and serves for anti aging", "attributes": ["anti aging", "paraben free", "cruelty free", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "cruelty free"], "instruction_options": [], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54AD6PNHG", "worker_id": "AJY5G987IRT25"}], "B09QX7NSN4": [{"asin": "B09QX7NSN4", "instruction": "i want buy an external hard drive hdd 0.2tb which for pc, mac, desktop, laptop, macbook, chromebook, xbox one, xbox 360 (2tb, silver). it is covered with aluminum alloy. also, i choose the b-red color.", "attributes": ["plug play", "aluminum alloy"], "options": ["color: b-red"], "instruction_attributes": ["plug play", "aluminum alloy"], "instruction_options": ["b-red"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKK16Z8T", "worker_id": "A59DVED5S9N9Y"}], "B002HKHLDK": [{"asin": "B002HKHLDK", "instruction": "i'm looking for a 2-pack of 12-feet hdmi male-to-female gold-plated cables designed for high speed data transfers.", "attributes": ["high speed", "gold plated"], "options": ["color: 2 pack", "size: 12 feet (10-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["2 pack", "12 feet (10-pack)", "hdmi male to female"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4WE4YWF", "worker_id": "AFU00NU09CFXE"}], "B09PD7CP9J": [{"asin": "B09PD7CP9J", "instruction": "i am looking fort a travel size skincare kit with tea tree toner.", "attributes": ["travel size", "tea tree", "sensitive skin"], "options": [""], "instruction_attributes": ["travel size", "tea tree"], "instruction_options": [], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RVK7RLZ", "worker_id": "A1EREKSZAA9V7B"}], "B00T8I56FY": [{"asin": "B00T8I56FY", "instruction": "i looking for blueberry nut free in raspberry", "attributes": ["baked fresh", "nut free", "dairy free"], "options": ["flavor name: raspberry", "size: 1 pack"], "instruction_attributes": ["nut free"], "instruction_options": ["raspberry"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455SKMYTP", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B00T8I56FY", "instruction": "i'm looking for 6 pack of strawberry with nut free", "attributes": ["baked fresh", "nut free", "dairy free"], "options": ["flavor name: strawberry", "size: 6 pack"], "instruction_attributes": ["nut free"], "instruction_options": ["strawberry", "6 pack"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JCLSF7", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B00T8I56FY", "instruction": "i am looking for a 12 ounce (pack of 3) of nut free baking mixes", "attributes": ["baked fresh", "nut free", "dairy free"], "options": ["flavor name: raspberry", "size: 12 ounce (pack of 3)"], "instruction_attributes": ["nut free"], "instruction_options": ["12 ounce (pack of 3)"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK4IJ3Q", "worker_id": "A9QRQL9CFJBI7"}], "B01IQX5E7G": [{"asin": "B01IQX5E7G", "instruction": "i need 24 count, long-lasting alkaline battery", "attributes": ["long lasting", "aaa batteries"], "options": ["color: 24 count"], "instruction_attributes": ["long lasting"], "instruction_options": ["24 count"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GFYKQ8P", "worker_id": "A258PTOZ3D2TQR"}], "B07R4D5B4V": [{"asin": "B07R4D5B4V", "instruction": "i am looking for high performance jelly fish color smartwatch", "attributes": ["compatible apple", "high performance", "easy install"], "options": ["color: colorful jellyfish", "size: 42 | 44 | 45mm m | l"], "instruction_attributes": ["high performance"], "instruction_options": ["colorful jellyfish"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z675IZF9", "worker_id": "A2MSIFDLOHI1UT"}], "B00CNWY1YY": [{"asin": "B00CNWY1YY", "instruction": "i want a microdermabrasion face mask with anti aging properties", "attributes": ["anti aging", "dry skin", "dead skin"], "options": ["color: 8 oz salicylic acid with microdermabrasion crystals", "size: 8 ounce"], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23KQLFSN", "worker_id": "AVIEE6LDH0BT5"}], "B09CQ9T9NH": [{"asin": "B09CQ9T9NH", "instruction": "i want to buy sandals for women which have closed toe, and rubber sole, i want them to be a-wine color, and of 4.5 size", "attributes": ["closed toe", "arch support", "rubber sole"], "options": ["color: a-wine", "size: 4.5"], "instruction_attributes": ["closed toe", "rubber sole"], "instruction_options": ["a-wine", "4.5"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGZR3EIB", "worker_id": "AJY5G987IRT25"}], "B019IOIS8Y": [{"asin": "B019IOIS8Y", "instruction": "i am looking for 40 feet high speed cables", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 5 pack", "size: 40 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["40 feet (single pack)"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MDGBYZ8", "worker_id": "A16M39T60N60NO"}, {"asin": "B019IOIS8Y", "instruction": "i'm looking for video accessories and it was high speed need to buy it.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 3 pack", "size: 80 feet (2-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "blu ray"], "instruction_options": ["3 pack"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCK3IP5", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B019IOIS8Y", "instruction": "i'm looking for high speed hdmi cable with ethernet signal booster.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 1 pack", "size: 75 feet (2-pack)", "style: hdmi male to male"], "instruction_attributes": ["blu ray"], "instruction_options": ["75 feet (2-pack)"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0254TKA7", "worker_id": "A21IUUHBSEVB56"}], "B08HXC8TYW": [{"asin": "B08HXC8TYW", "instruction": "i am looking for gluten free turmeric chai", "attributes": ["bpa free", "gmo free", "low fat", "gluten free", "artificial colors"], "options": ["flavor name: golden turmeric chai latte", "size: 8.81 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["golden turmeric chai latte"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPHCMTWL", "worker_id": "A16M39T60N60NO"}], "B07DTFWCN3": [{"asin": "B07DTFWCN3", "instruction": "i would like to buy water shoes which are anti slip and are in black color while the size should be 11.5 for women and 9.5 for men", "attributes": ["anti slip", "quick drying", "non slip", "rubber sole"], "options": ["color: black", "size: 11.5 women | 9.5 men"], "instruction_attributes": ["anti slip"], "instruction_options": ["black", "11.5 women | 9.5 men"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G9YT4R0", "worker_id": "AJY5G987IRT25"}], "B07LBMY1DC": [{"asin": "B07LBMY1DC", "instruction": "looking for machine washable pillow covers for couch bed also choose colour dark blue", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: dark blue", "size: 22 x 22"], "instruction_attributes": ["machine washable"], "instruction_options": ["dark blue"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGIKU1VB", "worker_id": "A10OGH5CQBXL5N"}], "B010647EJO": [{"asin": "B010647EJO", "instruction": "i am looking for acqua di gio for men impression", "attributes": ["travel size", "long lasting"], "options": ["scent name: acqua di gio for men impression", "size: 0.34 fl oz (pack of 1)"], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8TIB4Z5Q", "worker_id": "A16M39T60N60NO"}], "B09BNNQWKL": [{"asin": "B09BNNQWKL", "instruction": "i need a easy to assemble white colored desk for home office", "attributes": ["easy assemble", "white item", "easy clean", "engineered wood", "steel frame"], "options": ["color: natural and white"], "instruction_attributes": ["easy assemble"], "instruction_options": ["natural and white"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FIF64ZN", "worker_id": "AVIEE6LDH0BT5"}], "B0882WCN5W": [{"asin": "B0882WCN5W", "instruction": "i would like to buy mid calf boots which have synthetic sole, and are in insignia blue color, as for the size i want them 10", "attributes": ["faux fur", "synthetic sole"], "options": ["color: insignia blue", "size: 10"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["insignia blue", "10"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI5SRSBG", "worker_id": "AJY5G987IRT25"}], "B073P2DNTD": [{"asin": "B073P2DNTD", "instruction": "i'm looking for a mid century style table lamp", "attributes": ["mid century", "contemporary style"], "options": ["style: table lamp"], "instruction_attributes": ["mid century"], "instruction_options": ["table lamp"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70JP4BC4", "worker_id": "A19317A3X87NVM"}], "B08F3KZGW9": [{"asin": "B08F3KZGW9", "instruction": "kit 3 machine washable elastic nylon boxer panties", "attributes": ["machine washable", "machine wash", "polyester spandex", "nylon spandex", "quality polyester", "comfortable fit"], "options": ["color: e-green(6-inch)", "size: large"], "instruction_attributes": ["machine wash", "nylon spandex"], "instruction_options": [], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK9QXA50", "worker_id": "A3TTGSUBIK1YCL"}], "B081VY6GGL": [{"asin": "B081VY6GGL", "instruction": "i am interested in buying bar stools which have metal legs, are in blue colors, and have a size of 45cm", "attributes": ["non slip", "metal legs"], "options": ["color: blue", "size: 45cm"], "instruction_attributes": ["metal legs"], "instruction_options": ["blue", "45cm"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUFAKUUG", "worker_id": "AJY5G987IRT25"}], "B08VJ83DF3": [{"asin": "B08VJ83DF3", "instruction": "i'm looking for 22 inch long hair extensions having dark auturn brown color (pack of 1)", "attributes": ["easy apply", "hair extensions", "natural hair"], "options": ["color: #33 dark auturn brown", "size: 22 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#33 dark auturn brown", "22 inch (pack of 1)"], "assignment_id": "3X0H8UUITCYRED22199FX2O3FT8SWV", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08VJ83DF3", "instruction": "i want to buy hair extension tape which i can easily apply and can fit to natural hair, it's color should be dark brown to chocolate brown, and the size i am interested in should be 22 inch (pack of 1).", "attributes": ["easy apply", "hair extensions", "natural hair"], "options": ["color: t#2 | 4 dark brown to chocolate brown", "size: 22 inch (pack of 1)"], "instruction_attributes": ["easy apply", "natural hair"], "instruction_options": ["t#2 | 4 dark brown to chocolate brown", "22 inch (pack of 1)"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAGIFI5", "worker_id": "AJY5G987IRT25"}, {"asin": "B08VJ83DF3", "instruction": "i'm looking for a easy to apply hair extensions which looks like natural hair. also, choose a pack of 1, 16 inch with #33 dark auturn brown colored one", "attributes": ["easy apply", "hair extensions", "natural hair"], "options": ["color: #33 dark auturn brown", "size: 16 inch (pack of 1)"], "instruction_attributes": ["easy apply", "hair extensions", "natural hair"], "instruction_options": ["#33 dark auturn brown", "16 inch (pack of 1)"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL75EAP", "worker_id": "AR0VJ5XRG16UJ"}], "B095RK71N7": [{"asin": "B095RK71N7", "instruction": "i want a 1080hd a dome surveillance camera with motion detection", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": [], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CXFK5TI", "worker_id": "A3N9ZYQAESNFQH"}], "B081SSB2NF": [{"asin": "B081SSB2NF", "instruction": "i would like some 22 inch ombre brown synthetic hair extensions.", "attributes": ["high quality", "synthetic hair"], "options": ["color: ombre brown", "size: 22 inch"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["ombre brown", "22 inch"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA8GEHM9", "worker_id": "A1WS884SI0SLO4"}], "B00QGWLZGY": [{"asin": "B00QGWLZGY", "instruction": "i need 5 litre of quality ingredients contained roasted pecan oil bottle for cooking", "attributes": ["non gmo", "quality ingredients"], "options": ["flavor name: pecan", "size: 5 l", "style: bottle"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["pecan", "5 l", "bottle"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG2PL9UF", "worker_id": "A258PTOZ3D2TQR"}], "B07B32DCCQ": [{"asin": "B07B32DCCQ", "instruction": "i'm interested in a pack of 4, 3.17 ounce lightly salted, but unsweetened coconut chips that are non-gmo and gluten-free.", "attributes": ["non gmo", "gluten free"], "options": ["flavor name: lightly salted, unsweetened", "size: 3.17 ounce (pack of 4)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["lightly salted, unsweetened", "3.17 ounce (pack of 4)"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCUX04DS", "worker_id": "AFU00NU09CFXE"}], "B084D93KC7": [{"asin": "B084D93KC7", "instruction": "i want to buy crisps which are low carb and sugar free", "attributes": ["keto friendly", "low carb", "sugar free", "low sugar", "gluten free", "high protein", "non gmo"], "options": [""], "instruction_attributes": ["low carb", "sugar free"], "instruction_options": [], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJZ31RG9", "worker_id": "AJY5G987IRT25"}], "B08N4GNPRP": [{"asin": "B08N4GNPRP", "instruction": "i am looking for soft fuzzy blanket super soft in multi 49", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 49", "size: king"], "instruction_attributes": ["super soft"], "instruction_options": ["multi 49"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJYUXJUK", "worker_id": "A2MSIFDLOHI1UT"}], "B011W4CTM4": [{"asin": "B011W4CTM4", "instruction": "i want jeans with button closure", "attributes": ["straight leg", "machine wash", "button closure", "classic fit"], "options": ["color: light wash whiskered and sanded", "size: 44w x 34l"], "instruction_attributes": ["button closure"], "instruction_options": [], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXR0113E", "worker_id": "AVIEE6LDH0BT5"}], "B01AWMAC4O": [{"asin": "B01AWMAC4O", "instruction": "i'm looking for a easy to carry essential oil roller for coconut oil. also choose coconut scented one.", "attributes": ["easy carry", "coconut oil"], "options": ["scent name: coconut"], "instruction_attributes": ["easy carry", "coconut oil"], "instruction_options": ["coconut"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7BYTYUG", "worker_id": "AR0VJ5XRG16UJ"}], "B00GHMP7JE": [{"asin": "B00GHMP7JE", "instruction": "i am looking for brushed nickel pegandrail oak coat rack of size: 41\"x3.5\" with 8 hooks", "attributes": ["nickel finish", "brushed nickel"], "options": ["color: chestnut", "size: 41\" x 3.5\" with 8 hooks"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["41\" x 3.5\" with 8 hooks"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E9BAG8J", "worker_id": "AX2EWYWZM19AZ"}], "B09FYGVF24": [{"asin": "B09FYGVF24", "instruction": "find a dress suitable for hand wash", "attributes": ["hand wash", "nylon spandex"], "options": ["color: metallic navy", "size: 16"], "instruction_attributes": ["hand wash"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHU8D9P3", "worker_id": "AVIEE6LDH0BT5"}], "B08K8WHB7K": [{"asin": "B08K8WHB7K", "instruction": "i am looking for super soft in multi 18", "attributes": ["super soft", "living room"], "options": ["color: multi 18", "size: twin(60\"x80\")"], "instruction_attributes": ["super soft"], "instruction_options": ["multi 18"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZT08R40Z", "worker_id": "A2MSIFDLOHI1UT"}], "B08DDKLPS5": [{"asin": "B08DDKLPS5", "instruction": "i am looking for long lasting 14 color pressed powder palette of color: fiesta all day", "attributes": ["highly pigmented", "long lasting"], "options": ["color: fiesta all day"], "instruction_attributes": ["long lasting"], "instruction_options": ["fiesta all day"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDS2SF98", "worker_id": "AX2EWYWZM19AZ"}], "B004PYF11U": [{"asin": "B004PYF11U", "instruction": "i want a gluten free packaged meal", "attributes": ["ready eat", "gluten free", "fully cooked", "easy prepare", "bpa free", "certified organic", "non gmo", "natural ingredients", "artificial colors"], "options": ["flavor: vegetable tikka masala"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "30OG32W0S5L0H0O68DYNC27XLQSENM", "worker_id": "AVIEE6LDH0BT5"}], "B093T17GH1": [{"asin": "B093T17GH1", "instruction": "i want a set of 2 mesh laundry bags with a pink flamingo dress with roses design.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OJYP92K", "worker_id": "A2RBF3IIJP15IH"}], "B09P82Y1MB": [{"asin": "B09P82Y1MB", "instruction": "i am looking for a purple daycare teacher tshirt made of heather cotton and should be a classic fit.", "attributes": ["wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: purple", "fit type: men", "size: 3x-large"], "instruction_attributes": ["cotton heather", "classic fit"], "instruction_options": ["purple"], "assignment_id": "352YTHGRO6NQF252G9RXYWYAMPU4H2", "worker_id": "AHU9OLV0YKIIW"}], "B07RKVY1KG": [{"asin": "B07RKVY1KG", "instruction": "i am looking for men suits slim fit with button closure of size: 50", "attributes": ["slim fit", "button closure"], "options": ["color: red-090", "size: 50"], "instruction_attributes": ["button closure"], "instruction_options": ["50"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP7HYDVE", "worker_id": "AX2EWYWZM19AZ"}], "B07BDQ5GJQ": [{"asin": "B07BDQ5GJQ", "instruction": "i am looking for sensodyne toothpaste in sensitive teeth", "attributes": ["clinically proven", "sensitive teeth"], "options": [""], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGZ2YHD3", "worker_id": "A2MSIFDLOHI1UT"}], "B09F374PTJ": [{"asin": "B09F374PTJ", "instruction": "i am looking for non slip pink color shoes", "attributes": ["non slip", "arch support"], "options": ["color: pink", "size: 7.5 wide"], "instruction_attributes": ["non slip"], "instruction_options": ["pink"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK37PM5Z", "worker_id": "A2MSIFDLOHI1UT"}], "B018UJLIOE": [{"asin": "B018UJLIOE", "instruction": "i need shoe mounts made with aluminium alloy", "attributes": ["easy use", "aluminum alloy"], "options": ["color: shoe mount combo pack"], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDN5G9WY", "worker_id": "AVIEE6LDH0BT5"}], "B09KGJQQ4B": [{"asin": "B09KGJQQ4B", "instruction": "i would like to buy cell phone signal booster which has high speed", "attributes": ["light weight", "high speed", "coaxial cable", "4g lte"], "options": [""], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJYUMUJK", "worker_id": "AJY5G987IRT25"}], "B07MFPHSNH": [{"asin": "B07MFPHSNH", "instruction": "i'm looking for a three piece, wall mounted, stainless steel spice rack.", "attributes": ["wall mounted", "stainless steel"], "options": [""], "instruction_attributes": ["wall mounted", "stainless steel"], "instruction_options": [], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6Q1BX2M", "worker_id": "A2JP9IKRHNLRPI"}], "B086DJ4TF4": [{"asin": "B086DJ4TF4", "instruction": "i want a 5 pack of amber glass fine mist spray bottles.", "attributes": ["leak proof", "high quality", "fine mist"], "options": ["color: 10ml", "size: 5 pack"], "instruction_attributes": ["fine mist"], "instruction_options": ["5 pack"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MDGAZY8", "worker_id": "A2RBF3IIJP15IH"}], "B09JBL4FQG": [{"asin": "B09JBL4FQG", "instruction": "i am looking for a camera lens protector for iphone 13 made up of aluminum alloy. also choose pink color.", "attributes": ["aluminum alloy", "tempered glass"], "options": ["color: pink"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["pink"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDTYT2QZ", "worker_id": "A2HMEGTAFO0CS8"}], "B082QWR677": [{"asin": "B082QWR677", "instruction": "i am interested in buying clips for hair which are of high quality and rose gold, while the style should be the kiss", "attributes": ["high quality", "rose gold"], "options": ["style: the kiss"], "instruction_attributes": ["high quality", "rose gold"], "instruction_options": ["the kiss"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KE3ERH8", "worker_id": "AJY5G987IRT25"}], "B0947LFNGB": [{"asin": "B0947LFNGB", "instruction": "i am looking for hand lotion cruelty free in lemongrass & ginger", "attributes": ["animal testing", "cruelty free"], "options": ["color: lemongrass & ginger", "style: liquid soap"], "instruction_attributes": ["cruelty free"], "instruction_options": ["lemongrass & ginger"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOIGZ6HO", "worker_id": "A2MSIFDLOHI1UT"}], "B088722H6W": [{"asin": "B088722H6W", "instruction": "i am looking for day comport shoe in pure grey color", "attributes": ["day comfort", "synthetic sole"], "options": ["color: pure grey | white white", "size: 5.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["pure grey | white white"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQZON77M", "worker_id": "A16M39T60N60NO"}], "B074MHWYWF": [{"asin": "B074MHWYWF", "instruction": "i am looking for low sugar drink mixes in paloma flavor", "attributes": ["low sugar", "zero sugar", "real fruit"], "options": ["flavor: paloma", "size: 32 fl oz (pack of 3)"], "instruction_attributes": ["low sugar"], "instruction_options": ["paloma"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URXDEC1N", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B074MHWYWF", "instruction": "i need a bloody mary flavored cocktail mix that is low on sugar.", "attributes": ["low sugar", "zero sugar", "real fruit"], "options": ["flavor: bloody mary", "size: 32 fl oz (pack of 3)"], "instruction_attributes": ["low sugar"], "instruction_options": ["bloody mary"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIYITMF", "worker_id": "A1NF6PELRKACS9"}], "B083K4LXVJ": [{"asin": "B083K4LXVJ", "instruction": "i am looking for black color machine wash d shirt", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "star wars"], "options": ["color: black", "fit type: men", "size: 4t"], "instruction_attributes": ["machine wash"], "instruction_options": ["black"], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROL64WWE", "worker_id": "A16M39T60N60NO"}], "B07L45DLCS": [{"asin": "B07L45DLCS", "instruction": "i am looking for plant based 2.3 ounce", "attributes": ["alcohol free", "plant based"], "options": ["size: 2.3 ounce"], "instruction_attributes": ["plant based"], "instruction_options": ["2.3 ounce"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KE7RQZU", "worker_id": "A2MSIFDLOHI1UT"}], "B097KXCWP7": [{"asin": "B097KXCWP7", "instruction": "i am looking for easy to install home decor products in blackout color", "attributes": ["white item", "easy install"], "options": ["color: cordless bottom up-blackout-creamy", "size: 28\"w x 40\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["cordless bottom up-blackout-creamy"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUFAIUUE", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B097KXCWP7", "instruction": "i want to buy shades which are easy to install and have a color of cordless bottom up-blackout-white and with a size of 23\"w x 66\"h", "attributes": ["white item", "easy install"], "options": ["color: cordless bottom up-blackout-white", "size: 23\"w x 66\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["cordless bottom up-blackout-white", "23\"w x 66\"h"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVZX86LV", "worker_id": "AJY5G987IRT25"}, {"asin": "B097KXCWP7", "instruction": "i am looking for a white item 40\"w x 48\"h size of home d\u00e9cor products", "attributes": ["white item", "easy install"], "options": ["color: cordless bottom up-blackout-creamy", "size: 40\"w x 48\"h"], "instruction_attributes": ["white item"], "instruction_options": ["40\"w x 48\"h"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1XW2H9", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B097KXCWP7", "instruction": "i am looking for an easy to install blackout blinds for my kitchen. make sure it is white and has a cordless bottom up feature.", "attributes": ["white item", "easy install"], "options": ["color: cordless bottom up-blackout-gray", "size: 50\"w x 56\"h"], "instruction_attributes": ["white item", "easy install"], "instruction_options": ["cordless bottom up-blackout-gray"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3R2ZMT", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B097KXCWP7", "instruction": "i'm looking for cordless bottom up-blackout-white window blinds that are easy to install and are 55\"w x 56\"h.", "attributes": ["white item", "easy install"], "options": ["color: cordless bottom up-blackout-white", "size: 55\"w x 56\"h"], "instruction_attributes": ["white item", "easy install"], "instruction_options": ["cordless bottom up-blackout-white", "55\"w x 56\"h"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI77TGZ9", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B097KXCWP7", "instruction": "i want to find white blackout shades that are 66 inches in width and 66 inches in height. they need to be easy to install.", "attributes": ["white item", "easy install"], "options": ["color: cordless bottom up-blackout-white", "size: 66\"w x 66\"h"], "instruction_attributes": ["white item", "easy install"], "instruction_options": ["cordless bottom up-blackout-white", "66\"w x 66\"h"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FMLD3A", "worker_id": "A345TDMHP3DQ3G"}], "B01HJWARWW": [{"asin": "B01HJWARWW", "instruction": "i am looking for a male to male style gold plated high speed hdmi cable. also, choose 10 feet length.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 10 feet (10-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 feet (10-pack)", "hdmi male to male"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQVW45SR", "worker_id": "A9ZM1P6LBW79"}], "B08313YQTH": [{"asin": "B08313YQTH", "instruction": "i am interested in buying gaming controllers which are non slip and can be carried by case", "attributes": ["non slip", "carrying case"], "options": [""], "instruction_attributes": ["non slip", "carrying case"], "instruction_options": [], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX6AGF4E", "worker_id": "AJY5G987IRT25"}], "B09964628J": [{"asin": "B09964628J", "instruction": "i need bar stool and table set", "attributes": ["solid wood", "pu leather"], "options": ["color: bar chair+table"], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0Z3O69V", "worker_id": "A1V2C99HEV3F14"}], "B08LVJ2JXY": [{"asin": "B08LVJ2JXY", "instruction": "i'm looking for a women's v-neck tunic with a relaxed fit in the size of large.", "attributes": ["long sleeve", "relaxed fit", "everyday wear", "teen girls"], "options": ["color: yz-pink", "size: large"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["large"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPI0Y79K2", "worker_id": "A2JP9IKRHNLRPI"}], "B08GL27RXJ": [{"asin": "B08GL27RXJ", "instruction": "i want a 15 pack of volume and nourish conditioner for damaged hair.", "attributes": ["cruelty free", "seed oil", "damaged hair"], "options": ["size: 15 pack", "style name: volume & nourish"], "instruction_attributes": ["damaged hair"], "instruction_options": ["15 pack", "volume & nourish"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB5MNAQG", "worker_id": "A1WS884SI0SLO4"}], "B09DGRX9H8": [{"asin": "B09DGRX9H8", "instruction": "i am looking for brittle color organic chocolate", "attributes": ["soy free", "certified organic", "individually wrapped", "non gmo"], "options": ["color: nutcracker brittle", "size: 3 ounce (pack of 10)"], "instruction_attributes": ["certified organic"], "instruction_options": ["nutcracker brittle"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYD78657", "worker_id": "A16M39T60N60NO"}, {"asin": "B09DGRX9H8", "instruction": "i want a non gmo soy free certified organic gift pack of candy and chocolate bar of holiday variety pack size :3 ounce", "attributes": ["soy free", "certified organic", "individually wrapped", "non gmo"], "options": ["color: holiday variety pack", "size: 3 ounce (pack of 12)"], "instruction_attributes": ["soy free", "certified organic", "non gmo"], "instruction_options": ["holiday variety pack", "3 ounce (pack of 12)"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDPATTZR4", "worker_id": "A3N9ZYQAESNFQH"}], "B09FQ19M1N": [{"asin": "B09FQ19M1N", "instruction": "i'm looking for brown color upholstered faux leather footrest stool for living room, its size should be 100x42x45cm", "attributes": ["button tufted", "non slip", "pu leather", "faux leather", "solid wood", "living room"], "options": ["color: brown", "size: 100x42x45cm"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["brown", "100x42x45cm"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOR4ZP0N", "worker_id": "A258PTOZ3D2TQR"}], "B08L3NP2X4": [{"asin": "B08L3NP2X4", "instruction": "i need a amplifier with stereo sound", "attributes": ["power amplifier", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R2O82IS", "worker_id": "AVIEE6LDH0BT5"}], "B07WNPT6ZD": [{"asin": "B07WNPT6ZD", "instruction": "i am interested in sandals which have arch support are in tan color and have a size of 11", "attributes": ["ethylene vinyl", "vinyl acetate", "arch support"], "options": ["color: tan", "size: 11"], "instruction_attributes": ["arch support"], "instruction_options": ["tan", "11"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7WZZ60O", "worker_id": "AJY5G987IRT25"}], "B08KJHKDWP": [{"asin": "B08KJHKDWP", "instruction": "i would like to buy mixed nuts which are non gmo, and have a roasted crunchy mix flavor while the size should be 2 pound.", "attributes": ["kosher certified", "non gmo", "resealable bag"], "options": ["flavor name: roasted crunchy mix", "size: 2 pound"], "instruction_attributes": ["non gmo"], "instruction_options": ["roasted crunchy mix", "2 pound"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPQYTJNH", "worker_id": "AJY5G987IRT25"}], "B07RT28DLG": [{"asin": "B07RT28DLG", "instruction": "i want a super soft jay franco disney minnie mouse twin bed set.", "attributes": ["super soft", "machine washable"], "options": ["color: multi - marvel", "size: twin"], "instruction_attributes": ["super soft"], "instruction_options": ["twin"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6TANUD4", "worker_id": "A2RBF3IIJP15IH"}], "B0872TSFCL": [{"asin": "B0872TSFCL", "instruction": "i need a vanity light with clear glass", "attributes": ["vanity light", "clear glass", "light fixture"], "options": ["color: brushed nickel", "size: 3 light"], "instruction_attributes": ["clear glass"], "instruction_options": [], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQOOJ01K", "worker_id": "AVIEE6LDH0BT5"}], "B09CDN7QBP": [{"asin": "B09CDN7QBP", "instruction": "i'm looking for an easy to install pink chair for the living room that offers lumbar support and is height adjustable.", "attributes": ["height adjustable", "easy install", "lumbar support", "living room"], "options": ["color: pink"], "instruction_attributes": ["height adjustable", "easy install", "lumbar support", "living room"], "instruction_options": ["pink"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TRPO0NS", "worker_id": "AFU00NU09CFXE"}], "B08L98TC39": [{"asin": "B08L98TC39", "instruction": "i need 0.5m long fast charging hdmi male charger cord splitter adapter", "attributes": ["gold plated", "fast charging", "usb port"], "options": ["size: 0.5m"], "instruction_attributes": ["fast charging"], "instruction_options": ["0.5m"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X5DCH0X", "worker_id": "A258PTOZ3D2TQR"}], "B09PZ6SWCX": [{"asin": "B09PZ6SWCX", "instruction": "i am looking for quick release underwater photography", "attributes": ["dust proof", "quick release", "easy install"], "options": [""], "instruction_attributes": ["quick release"], "instruction_options": [], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF46UZMG", "worker_id": "A16M39T60N60NO"}], "B09JWC3T93": [{"asin": "B09JWC3T93", "instruction": "i'm looking for a high quality salon and spa desk chair with adjustable rolling swivel stool chair for a beauty salon. also choose pulley styled black colored one.", "attributes": ["high quality", "beauty salon"], "options": ["color: black", "size: pulley style"], "instruction_attributes": ["high quality", "beauty salon"], "instruction_options": ["black", "pulley style"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY87MT186", "worker_id": "AR0VJ5XRG16UJ"}], "B07YF6DVNJ": [{"asin": "B07YF6DVNJ", "instruction": "i am looking for argan oil", "attributes": ["argan oil", "hair treatment"], "options": [""], "instruction_attributes": ["argan oil"], "instruction_options": [], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LS7QZBR", "worker_id": "A16M39T60N60NO"}], "B07P8B13MC": [{"asin": "B07P8B13MC", "instruction": "i am looking a anti aging eyes gels for removing dark circles under eyes", "attributes": ["anti aging", "dark circles"], "options": [""], "instruction_attributes": ["anti aging", "dark circles"], "instruction_options": [], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L8BOHL7", "worker_id": "A3N9ZYQAESNFQH"}], "B09PD5H65X": [{"asin": "B09PD5H65X", "instruction": "i am looking for pink color short sleeve t shirts", "attributes": ["loose fit", "long sleeve", "short sleeve", "daily wear"], "options": ["color: a3-pink", "size: 5x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["a3-pink"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39TG2MGG", "worker_id": "A2MSIFDLOHI1UT"}], "B07Y26SPZK": [{"asin": "B07Y26SPZK", "instruction": "find high quality toothpaste", "attributes": ["high quality", "fresh breath"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X03KB34T", "worker_id": "AVIEE6LDH0BT5"}], "B082ZSX8W8": [{"asin": "B082ZSX8W8", "instruction": "i am looking for a chocolate covered dates for perfect gift. also choose assorted container one.", "attributes": ["chocolate covered", "perfect gift"], "options": ["color: assorted container"], "instruction_attributes": ["chocolate covered", "perfect gift"], "instruction_options": ["assorted container"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XPYI9LB", "worker_id": "A2HMEGTAFO0CS8"}], "B01DTGF6WI": [{"asin": "B01DTGF6WI", "instruction": "i want a medium sized t-shirt with long sleeves", "attributes": ["long lasting", "machine washable", "long sleeve", "tumble dry"], "options": ["color: light gray - back print", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3X65QVEQIBXVW21709CD9M35VJFCLP", "worker_id": "AVIEE6LDH0BT5"}], "B07Q55YDF5": [{"asin": "B07Q55YDF5", "instruction": "i need a high quality hair extension", "attributes": ["high quality", "hair extensions"], "options": ["color: dark brown ombre brown"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": [], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YO0LNTR", "worker_id": "AVIEE6LDH0BT5"}], "B08B1MCFKL": [{"asin": "B08B1MCFKL", "instruction": "i am looking for dark denim color ethylene vinyl ultra train of size 10, 3rd generation for men", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: dark denim | red orange", "size: 10"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["dark denim | red orange", "10"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NHM7LSY", "worker_id": "A258PTOZ3D2TQR"}], "B07SRYMNXF": [{"asin": "B07SRYMNXF", "instruction": "i want a black folding chair with a steel frame", "attributes": ["coated steel", "steel frame"], "options": ["color: black", "size: 2-pack"], "instruction_attributes": ["steel frame"], "instruction_options": ["black"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAK7OXBO", "worker_id": "AVIEE6LDH0BT5"}], "B08STYKF65": [{"asin": "B08STYKF65", "instruction": "i'm looking for a fruit snacks that is in freeze dried form of a real fruit.", "attributes": ["freeze dried", "real fruit"], "options": [""], "instruction_attributes": ["freeze dried", "real fruit"], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L5Q8QR1", "worker_id": "AR0VJ5XRG16UJ"}], "B071SF41Y9": [{"asin": "B071SF41Y9", "instruction": "find a tablet with a core i5 processor", "attributes": ["intel core", "core i5"], "options": ["size: intel core i5, 8gb ram, 128gb", "style: with black type cover"], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBQ076E8", "worker_id": "AVIEE6LDH0BT5"}], "B00BBWBOQA": [{"asin": "B00BBWBOQA", "instruction": "i am looking for poly-cotton in digital blue", "attributes": ["polyester cotton", "cotton heather"], "options": ["color: digital blue", "size: large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["digital blue"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSWWBTUM", "worker_id": "A2MSIFDLOHI1UT"}], "B093WNLZ67": [{"asin": "B093WNLZ67", "instruction": "i am looking for blackout brown color roller shades", "attributes": ["high density", "living room"], "options": ["color: blackout brown 3911", "size: 37\"w x 64\"h"], "instruction_attributes": ["living room"], "instruction_options": ["blackout brown 3911"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG6V9IWW", "worker_id": "A16M39T60N60NO"}, {"asin": "B093WNLZ67", "instruction": "i'm looking for make a decor products for living room. the color blackout light grey.", "attributes": ["high density", "living room"], "options": ["color: blackout light grey 3908", "size: 23\"w x 72\"h"], "instruction_attributes": ["high density", "living room"], "instruction_options": ["blackout light grey 3908"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLOG4I9", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B093WNLZ67", "instruction": "i would like a 20 wide by 72 tall blackout beige roller shade for the living room.", "attributes": ["high density", "living room"], "options": ["color: blackout beige 3902", "size: 20\"w x 72\"h"], "instruction_attributes": ["living room"], "instruction_options": ["blackout beige 3902", "20\"w x 72\"h"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFSX3V5", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B093WNLZ67", "instruction": "i want to find blackout baby blue window shades for my living room that are 23 inches in width and 64 inches in height.", "attributes": ["high density", "living room"], "options": ["color: blackout baby blue 3913", "size: 23\"w x 64\"h"], "instruction_attributes": ["living room"], "instruction_options": ["blackout baby blue 3913", "23\"w x 64\"h"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0S48J5", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B093WNLZ67", "instruction": "i want blackout brown roller shades for my living room.", "attributes": ["high density", "living room"], "options": ["color: blackout brown 3911", "size: 84\"w x 72\"h"], "instruction_attributes": ["living room"], "instruction_options": ["blackout brown 3911"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALEZ4HK", "worker_id": "A2RBF3IIJP15IH"}], "B086Z2BPKJ": [{"asin": "B086Z2BPKJ", "instruction": "i am looking for crazy monkey baking with low sodium and natural ingredients of size 7.5 ounce", "attributes": ["low sodium", "resealable bag", "natural ingredients", "artificial flavors"], "options": ["flavor name: cranberry almond", "size: 7.5 ounce"], "instruction_attributes": ["low sodium", "natural ingredients"], "instruction_options": ["7.5 ounce"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3ZDS5JC", "worker_id": "AX2EWYWZM19AZ"}], "B07H5VF96G": [{"asin": "B07H5VF96G", "instruction": "i am looking for high performance refurbished hp laserjet m3035xs m3035 cc477a laser printer", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHQPGDQH", "worker_id": "AX2EWYWZM19AZ"}], "B000AOFVZK": [{"asin": "B000AOFVZK", "instruction": "i'm looking for a high speed digital camera with optical zoom lens and should include batteries.", "attributes": ["batteries included", "high speed", "optical zoom"], "options": [""], "instruction_attributes": ["batteries included", "high speed", "optical zoom"], "instruction_options": [], "assignment_id": "3TMSXRD2XHARKT38OQUV111UPTVW1F", "worker_id": "AR0VJ5XRG16UJ"}], "B07DJB31RD": [{"asin": "B07DJB31RD", "instruction": "i am looking for a ballet flat with rubber sole for comfortable fit. also choose silver white color and 6.5 in size.", "attributes": ["comfortable fit", "rubber sole"], "options": ["color: silver silver white c0434", "size: 6.5"], "instruction_attributes": ["comfortable fit", "rubber sole"], "instruction_options": ["silver silver white c0434", "6.5"], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89ZZBGAO", "worker_id": "A2HMEGTAFO0CS8"}], "B0971VV99P": [{"asin": "B0971VV99P", "instruction": "i'm looking for strawberry lemonade that is free of caffeine and sugar.", "attributes": ["caffeine free", "sugar free", "source vitamin"], "options": ["flavor name: strawberry lemonade"], "instruction_attributes": ["caffeine free", "sugar free"], "instruction_options": ["strawberry lemonade"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q414LZ0", "worker_id": "AFU00NU09CFXE"}, {"asin": "B0971VV99P", "instruction": "pink lemonade flavored juice drink mix, please. it needs to be sugar-free and caffeine-free.", "attributes": ["caffeine free", "sugar free", "source vitamin"], "options": ["flavor name: pink lemonade"], "instruction_attributes": ["caffeine free", "sugar free"], "instruction_options": ["pink lemonade"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39SMWMGL", "worker_id": "AHTWQSOY6HTJI"}], "B083WDX378": [{"asin": "B083WDX378", "instruction": "i want a mini desktop with intel core i5 4200u", "attributes": ["dual band", "high speed", "quad core", "intel core"], "options": ["color: cpu i5 4200u", "size: 8g ram 240g ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["cpu i5 4200u"], "assignment_id": "32SCWG5HISEW7674IASH43KF47C6PW", "worker_id": "AVIEE6LDH0BT5"}], "B077TYBD6X": [{"asin": "B077TYBD6X", "instruction": "i need a table lamp with bronze finish for my living room", "attributes": ["bronze finish", "living room"], "options": ["color: yukon slate"], "instruction_attributes": ["bronze finish"], "instruction_options": [], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDG1BE9N", "worker_id": "AVIEE6LDH0BT5"}], "B09NCTZNG8": [{"asin": "B09NCTZNG8", "instruction": "i want a slim fit jeans", "attributes": ["slim fit", "straight leg", "wide leg", "classic fit", "elastic waist"], "options": ["color: black", "size: medium"], "instruction_attributes": ["slim fit"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRU8UL7B", "worker_id": "AVIEE6LDH0BT5"}], "B0745LSBN9": [{"asin": "B0745LSBN9", "instruction": "i am interested in buying area rugs which are suitable for living room, have chocolate color, and the site of 2.6 ft. x 10ft.", "attributes": ["spot clean", "mid century", "living room"], "options": ["color: chocolate", "item shape: runner", "size: 2.6 ft. x 10 ft."], "instruction_attributes": ["living room"], "instruction_options": ["chocolate", "2.6 ft. x 10 ft."], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDXEJ1RK", "worker_id": "AJY5G987IRT25"}, {"asin": "B0745LSBN9", "instruction": "i need a chocolate covered runner rug for the living room that is 9 by 12 ft", "attributes": ["spot clean", "mid century", "living room"], "options": ["color: a chocolate", "item shape: runner", "size: 9 ft x 12 ft"], "instruction_attributes": ["living room"], "instruction_options": ["a chocolate", "runner", "9 ft x 12 ft"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZGOA7E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MCT2C4B": [{"asin": "B09MCT2C4B", "instruction": "i am looking for dining room in grey adjustable swivel barstools-2", "attributes": ["easy assemble", "metal legs", "dining room"], "options": ["color: grey", "size: adjustable swivel barstools-2"], "instruction_attributes": ["dining room"], "instruction_options": ["grey", "adjustable swivel barstools-2"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNSCEJXC", "worker_id": "A2MSIFDLOHI1UT"}], "B07SGZ4QM8": [{"asin": "B07SGZ4QM8", "instruction": "i want a neon pink tank top suitable for machine wash", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: neon pink", "fit type: women", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["neon pink"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSL5TEPI", "worker_id": "AVIEE6LDH0BT5"}], "B0979KBDV4": [{"asin": "B0979KBDV4", "instruction": "i need a shirt with regular fit", "attributes": ["easy care", "machine wash", "regular fit", "stretch fabric", "button closure", "classic fit"], "options": ["color: coral reef", "size: 20\" neck 37\"-38' sleeve"], "instruction_attributes": ["regular fit"], "instruction_options": [], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8PG7A20", "worker_id": "AVIEE6LDH0BT5"}], "B072R2Z7RH": [{"asin": "B072R2Z7RH", "instruction": "i would like bottle of pink sprinkles for a birthday cake.", "attributes": ["non gmo", "gluten free", "artificial colors", "birthday party"], "options": ["flavor name: pink"], "instruction_attributes": ["birthday party"], "instruction_options": ["pink"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TMINRVW", "worker_id": "A1WS884SI0SLO4"}], "B071CPPYMC": [{"asin": "B071CPPYMC", "instruction": "i would like a wirefree pink amethyst 36c bra that is machine washable.", "attributes": ["machine wash", "nylon spandex", "stretch fabric"], "options": ["color: wirefree - pink amethyst", "fit type: wirefree", "size: 36c"], "instruction_attributes": ["machine wash"], "instruction_options": ["wirefree - pink amethyst", "wirefree", "36c"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6QPDUBZ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B071CPPYMC", "instruction": "i am interested in buying a back smoothing bra which is machine washable in size 38c.", "attributes": ["machine wash", "nylon spandex", "stretch fabric"], "options": ["color: underwire - steele", "fit type: underwire", "size: 38c"], "instruction_attributes": ["machine wash"], "instruction_options": ["38c"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0Y1PX8", "worker_id": "AHXHM1PQTRWIQ"}], "B09B3DZ96H": [{"asin": "B09B3DZ96H", "instruction": "i need heavy duty beauty salon reclining hair chair", "attributes": ["heavy duty", "beauty salon"], "options": [""], "instruction_attributes": ["heavy duty", "beauty salon"], "instruction_options": [], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPD8JQ5N", "worker_id": "A258PTOZ3D2TQR"}], "B07NFDBYQQ": [{"asin": "B07NFDBYQQ", "instruction": "i'm looking for sugar free premium assorted chocolate bar with crunchy almonds (1.76 oz)", "attributes": ["keto friendly", "sugar free", "natural ingredients"], "options": ["flavor name: premium assorted chocolate", "size: crunchy almonds (1.76 oz)"], "instruction_attributes": ["sugar free"], "instruction_options": ["premium assorted chocolate"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3Z5JT86", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07NFDBYQQ", "instruction": "i am looking for keto friendly chocolate bar containing crunchy almonds of 1.76 oz.", "attributes": ["keto friendly", "sugar free", "natural ingredients"], "options": ["flavor name: milk chocolate bar", "size: crunchy almonds (1.76 oz)"], "instruction_attributes": ["keto friendly"], "instruction_options": ["crunchy almonds (1.76 oz)"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53Y0GK7", "worker_id": "A1Q8PPQQCWGY0D"}], "B08T1RX1NZ": [{"asin": "B08T1RX1NZ", "instruction": "i'm looking for a brown button down shirt with long sleeves.", "attributes": ["machine washable", "relaxed fit", "button closure", "long sleeve"], "options": ["color: brown", "size: medium"], "instruction_attributes": ["button closure", "long sleeve"], "instruction_options": ["brown"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CIO81726", "worker_id": "A19317A3X87NVM"}], "B07SH9R9PW": [{"asin": "B07SH9R9PW", "instruction": "i am looking for bpa free lavender lip care kit", "attributes": ["clinically proven", "bpa free", "long lasting"], "options": ["color: lavender"], "instruction_attributes": ["bpa free"], "instruction_options": ["lavender"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4L2GUHD", "worker_id": "A16M39T60N60NO"}], "B07ZQT6SZQ": [{"asin": "B07ZQT6SZQ", "instruction": "i want grey dearfoams memory foam clogs.", "attributes": ["slip resistant", "machine washable", "memory foam"], "options": ["color: medium grey", "size: 5-6"], "instruction_attributes": ["memory foam"], "instruction_options": ["medium grey"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QR8LB5Z", "worker_id": "A2RBF3IIJP15IH"}], "B08LDBFKMS": [{"asin": "B08LDBFKMS", "instruction": "i want pink cupcake toppers for my baby shower", "attributes": ["baby shower", "cupcake picks", "party supplies", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["baby shower"], "instruction_options": ["pink"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDG1HE9T", "worker_id": "AVIEE6LDH0BT5"}], "B09NMRVMZV": [{"asin": "B09NMRVMZV", "instruction": "i am looking for long lasting cool water candles", "attributes": ["long lasting", "soy wax"], "options": ["scent: cool water", "size: faith family friends"], "instruction_attributes": ["long lasting"], "instruction_options": ["cool water"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CU2XLPF", "worker_id": "A16M39T60N60NO"}], "B07GWJ8P6D": [{"asin": "B07GWJ8P6D", "instruction": "i want a black colored eco friendly curtain for my living room", "attributes": ["height adjustable", "eco friendly", "living room"], "options": ["color: black", "size: 84wx96l"], "instruction_attributes": ["eco friendly"], "instruction_options": ["black"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZGWE9VO", "worker_id": "AVIEE6LDH0BT5"}], "B0030ZRS98": [{"asin": "B0030ZRS98", "instruction": "i need a 13 oz package of wax for hair removal", "attributes": ["cruelty free", "hair removal", "dead skin"], "options": ["color: creme", "size: 13 ounce (pack of 1)"], "instruction_attributes": ["hair removal"], "instruction_options": ["13 ounce (pack of 1)"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3Z5H8TJ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0030ZRS98", "instruction": "i need a 13 ounce lavender cr\u00e8me hair removal wax by gigi.", "attributes": ["cruelty free", "hair removal", "dead skin"], "options": ["color: lavender cr\u00e8me", "size: 13 ounce (pack of 1)"], "instruction_attributes": ["hair removal"], "instruction_options": ["lavender cr\u00e8me", "13 ounce (pack of 1)"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN62GG5L", "worker_id": "A2RBF3IIJP15IH"}], "B09312YTQH": [{"asin": "B09312YTQH", "instruction": "i am looking for 3 pack easy clean natural skin massager for face", "attributes": ["easy clean", "easy use"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0PBVM36", "worker_id": "A258PTOZ3D2TQR"}], "B0832VZGX1": [{"asin": "B0832VZGX1", "instruction": "i am looking for a makeup pouch with high quality. also choose wine red color.", "attributes": ["high quality", "rose gold"], "options": ["color: wine red"], "instruction_attributes": ["high quality"], "instruction_options": ["wine red"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC41B8CRJ", "worker_id": "A2HMEGTAFO0CS8"}], "B0758FXDS7": [{"asin": "B0758FXDS7", "instruction": "i would like a 14 ounce bag of roasted almonds and other nuts that are gluten free.", "attributes": ["low sodium", "gluten free", "non gmo", "artificial flavors"], "options": ["flavor name: roasted almonds,cashew,peanuts", "size: 14 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["roasted almonds,cashew,peanuts", "14 ounce (pack of 6)"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I350X14Z", "worker_id": "A1WS884SI0SLO4"}], "B07NPHN1HH": [{"asin": "B07NPHN1HH", "instruction": "i am looking for grey color rugs for dining room", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: grey | gold", "item shape: rectangular", "size: 9' square"], "instruction_attributes": ["dining room"], "instruction_options": ["grey | gold"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBX4C6WO", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B07NPHN1HH", "instruction": "i would like a grey area rug that is for the living room", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: grey | green", "item shape: square", "size: 2'3\" x 10'"], "instruction_attributes": ["living room"], "instruction_options": ["grey | green"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LZKDCU", "worker_id": "A2ECRNQ3X5LEXD"}], "B091GV5PLL": [{"asin": "B091GV5PLL", "instruction": "i want a blue berry baking soda press toothpaste for bad breath.", "attributes": ["fresh breath", "bad breath"], "options": ["color: blue berry"], "instruction_attributes": ["bad breath"], "instruction_options": ["blue berry"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6USMMNM", "worker_id": "A2RBF3IIJP15IH"}], "B01ND0ZZQI": [{"asin": "B01ND0ZZQI", "instruction": "i am searching for long lasting refreshing, light fragrance mist for women", "attributes": ["design house", "long lasting", "fine mist"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEOGFOGV", "worker_id": "A258PTOZ3D2TQR"}], "B00IOTPVS0": [{"asin": "B00IOTPVS0", "instruction": "i am looking for gluten free cookies", "attributes": ["gluten free", "birthday cake"], "options": ["flavor name: cookies & cream", "size: 20 servings (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["cookies & cream"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LQPQROU", "worker_id": "A16M39T60N60NO"}], "B005IHVZHW": [{"asin": "B005IHVZHW", "instruction": "i'm looking for a clinically proven topical solution for hair regrowth treatments which should be easy to apply and also promotes hair growth and reduces hair loss.", "attributes": ["clinically proven", "easy apply", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["clinically proven", "easy apply", "hair growth", "hair loss"], "instruction_options": [], "assignment_id": "31EUONYN26DZ1WA44INARVVOBV3OVK", "worker_id": "AR0VJ5XRG16UJ"}], "B09QMS7YZD": [{"asin": "B09QMS7YZD", "instruction": "i am looking for a twin size bed with easy assemble made up of steel frame. also choose black color and twin-over-twin bunk beds style.", "attributes": ["twin size", "space saving", "easy assemble", "steel frame", "storage space"], "options": ["color: black", "style: \u200etwin-over-twin bunk beds"], "instruction_attributes": ["twin size", "easy assemble", "steel frame"], "instruction_options": [], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXN4SMWF", "worker_id": "A2HMEGTAFO0CS8"}], "B08YRWB3TR": [{"asin": "B08YRWB3TR", "instruction": "chair with adjustable height, backrest and lumbar support.", "attributes": ["height adjustable", "lumbar support"], "options": ["color: white"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": [], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLG7A0TT", "worker_id": "A3TTGSUBIK1YCL"}], "B08CZPZF17": [{"asin": "B08CZPZF17", "instruction": "i would like to buy computer desk which has steel frame and is in black color while it's size is large", "attributes": ["space saving", "easy assemble", "steel frame"], "options": ["color: black", "size: large"], "instruction_attributes": ["steel frame"], "instruction_options": ["black", "large"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WPJUC26", "worker_id": "AJY5G987IRT25"}], "B08783WFTL": [{"asin": "B08783WFTL", "instruction": "i want individually wrapped candy & chocolate assortment for baby shower", "attributes": ["individually wrapped", "baby shower"], "options": [""], "instruction_attributes": ["individually wrapped", "baby shower"], "instruction_options": [], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPEC4AIB", "worker_id": "A3N9ZYQAESNFQH"}], "B09Q6579W5": [{"asin": "B09Q6579W5", "instruction": "i am looking for colorful stereo wireless bluetooth easy use in g2", "attributes": ["easy carry", "easy use", "wireless bluetooth"], "options": ["color: g2"], "instruction_attributes": ["easy use", "wireless bluetooth"], "instruction_options": ["g2"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAVP29CT", "worker_id": "A2MSIFDLOHI1UT"}], "B09PJXZBSQ": [{"asin": "B09PJXZBSQ", "instruction": "i would like a #4 bath sponge that is non toxic and easy to keep clean.", "attributes": ["non toxic", "easy clean", "dead skin"], "options": ["color: 4"], "instruction_attributes": ["non toxic", "easy clean"], "instruction_options": ["4"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHQPHDQI", "worker_id": "A1WS884SI0SLO4"}], "B08G155272": [{"asin": "B08G155272", "instruction": "i would like a rectangular coffee table made of steel.", "attributes": ["assembly required", "coated steel"], "options": ["size: rectangle"], "instruction_attributes": ["coated steel"], "instruction_options": ["rectangle"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZEGRIRQ", "worker_id": "A1WS884SI0SLO4"}], "B06X973HJ3": [{"asin": "B06X973HJ3", "instruction": "i am looking for gluten free cookies", "attributes": ["low fat", "gluten free", "nut free", "low calorie"], "options": ["flavor name: toasted coconut"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JGVRVMF", "worker_id": "A16M39T60N60NO"}], "B07MWML5S1": [{"asin": "B07MWML5S1", "instruction": "i am looking for comfortable fit slim jeans", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: bozeman", "fit type: slim", "size: 46w x 30l"], "instruction_attributes": ["comfortable fit"], "instruction_options": [], "assignment_id": "3QIYRE09YER1XZUUWP385IO3WHS1NU", "worker_id": "A16M39T60N60NO"}, {"asin": "B07MWML5S1", "instruction": "i want to buy a pair of machine washable jeans with a 33 inch waist and a 30 inch length. they should come in a \"granite\" color.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: granite", "fit type: big & tall", "size: 33w x 30l"], "instruction_attributes": ["machine wash"], "instruction_options": ["granite", "33w x 30l"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LHN0LY", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07MWML5S1", "instruction": "i want to find a pair of cowboy cut jeans with a relaxed, comfortable fit. the jeans need to be 31 inches in width and 38 inches in length.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: error:#n | a", "fit type: relaxed", "size: 31w x 38l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["relaxed", "31w x 38l"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS1C9GO", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07MWML5S1", "instruction": "i want a big & tall machine washable wrangler mens cowboy jeans.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: portland", "fit type: big & tall", "size: 36w x 31l"], "instruction_attributes": ["machine wash"], "instruction_options": ["big & tall"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU72775P", "worker_id": "A2RBF3IIJP15IH"}], "B01N97KVM8": [{"asin": "B01N97KVM8", "instruction": "i am looking for a pair of long lasting men's wrangler cowboy cut jeans that are machine washable.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: blue mount", "fit type: relaxed", "size: 29w x 33l"], "instruction_attributes": ["long lasting", "machine wash"], "instruction_options": ["relaxed"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8NZMWL7", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01N97KVM8", "instruction": "i have a request for you. men's wrangler 13mwz cowboy cut original fit jean, comfortable fit. i hope you find this gift for my boyfriend who has a birthday the size is size: 38w x 29l, and the color atlanta. i look forward to your return as soon as possible.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: atlanta", "fit type: regular", "size: 38w x 29l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["atlanta", "38w x 29l"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS4QUVB", "worker_id": "A15IJ20C3R4HUO"}], "B000HJB2NS": [{"asin": "B000HJB2NS", "instruction": "i would like a 6 inch long white soy candle.", "attributes": ["lead free", "white item", "soy wax", "living room"], "options": ["color: white", "size: 6 in"], "instruction_attributes": ["soy wax"], "instruction_options": ["white", "6 in"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E1H2X77", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000HJB2NS", "instruction": "i'm looking for a lead free colonial candle made of soy wax for living room. also choose 10 in limoncello colored one", "attributes": ["lead free", "white item", "soy wax", "living room"], "options": ["color: limoncello", "size: 10 in"], "instruction_attributes": ["lead free", "soy wax", "living room"], "instruction_options": ["limoncello", "10 in"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR70KY6Y", "worker_id": "AR0VJ5XRG16UJ"}], "B09MPNDRSJ": [{"asin": "B09MPNDRSJ", "instruction": "i am in need of 20 pcs high quality black color crown dreadlock hair jewelry for women braid", "attributes": ["high quality", "hair extensions"], "options": ["color: b"], "instruction_attributes": ["high quality"], "instruction_options": ["b"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBQ06E6F", "worker_id": "A258PTOZ3D2TQR"}], "B084SK7GGV": [{"asin": "B084SK7GGV", "instruction": "i am looking for along lasting t-shirt for a adult with quality material which washable in machine. also choose depaul- navy color and x-large size.", "attributes": ["officially licensed", "long lasting", "machine wash", "quality materials", "long sleeve"], "options": ["color: depaul - navy", "size: x-large"], "instruction_attributes": ["long lasting", "machine wash", "quality materials"], "instruction_options": ["depaul - navy", "x-large"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT747B2TB3", "worker_id": "A2HMEGTAFO0CS8"}], "B09B2VF4RD": [{"asin": "B09B2VF4RD", "instruction": "i want 1 solawave renew complex serum for dark circles.", "attributes": ["clinically proven", "anti aging", "cruelty free", "hyaluronic acid", "natural ingredients", "dark circles"], "options": ["size: pack of 1"], "instruction_attributes": ["dark circles"], "instruction_options": ["pack of 1"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XQVC6VG", "worker_id": "A2RBF3IIJP15IH"}], "B09FQ8TN1L": [{"asin": "B09FQ8TN1L", "instruction": "i am looking for birthday party cupcake toppers, decorations supplies of pattern name : gold 30", "attributes": ["cupcake picks", "birthday party"], "options": ["pattern name: gold 30"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold 30"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8OYCKBP", "worker_id": "AX2EWYWZM19AZ"}], "B09KV97TW2": [{"asin": "B09KV97TW2", "instruction": "i would like a cowlop 52 by 84 inch window panel for my living room.", "attributes": ["easy clean", "living room", "dining room"], "options": ["color: cowlop9951", "size: 52x84in"], "instruction_attributes": ["living room"], "instruction_options": ["cowlop9951", "52x84in"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G9YSR4M", "worker_id": "A1WS884SI0SLO4"}], "B075V2MJ9F": [{"asin": "B075V2MJ9F", "instruction": "i am looking for studio photography digital photography in grey", "attributes": ["light weight", "digital photography"], "options": ["color: grey"], "instruction_attributes": ["digital photography"], "instruction_options": ["grey"], "assignment_id": "3HSYG7LRBU82VUVD7MHAI53YBS0KKO", "worker_id": "A16M39T60N60NO"}], "B071D7Z9YN": [{"asin": "B071D7Z9YN", "instruction": "i am looking for a rubber sole clog shoe with arc support. also choose 9.5 size.", "attributes": ["rubber sole", "arch support"], "options": ["size: 9.5"], "instruction_attributes": ["rubber sole", "arch support"], "instruction_options": ["9.5"], "assignment_id": "39LNWE0K456PSVA11X00BCXJLFXUI8", "worker_id": "A2HMEGTAFO0CS8"}], "B094JXZX2L": [{"asin": "B094JXZX2L", "instruction": "i am looking for gluten free mooala banana milk", "attributes": ["shelf stable", "nut free", "plant based", "non dairy", "gluten free", "usda organic", "dairy free"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZD40I7U", "worker_id": "A16M39T60N60NO"}], "B08TG8KFQQ": [{"asin": "B08TG8KFQQ", "instruction": "i want a white geak compatible with apple watch case.", "attributes": ["compatible apple", "easy install"], "options": ["color: white | rosegold", "size: 38 mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["white | rosegold"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FIF9Z4L", "worker_id": "A2RBF3IIJP15IH"}], "B001NQWDLO": [{"asin": "B001NQWDLO", "instruction": "i need to get some sulfate free hair spray", "attributes": ["sulfate free", "paraben free"], "options": ["color: spray"], "instruction_attributes": ["sulfate free"], "instruction_options": ["spray"], "assignment_id": "3TR2532VI040LV46NXNX77Y3V846JU", "worker_id": "A19317A3X87NVM"}], "B07XVQSGKP": [{"asin": "B07XVQSGKP", "instruction": "i'm looking for a white tv tray table that can help save me space.", "attributes": ["height adjustable", "space saving"], "options": ["color: white"], "instruction_attributes": ["space saving"], "instruction_options": ["white"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H1R561R", "worker_id": "A345TDMHP3DQ3G"}], "B08SQBV1F9": [{"asin": "B08SQBV1F9", "instruction": "i am looking for gluten free plant based cerals", "attributes": ["plant based", "gluten free", "soy free", "dairy free", "non gmo", "artificial colors"], "options": ["size: 8 ounce (3 count)"], "instruction_attributes": ["plant based", "gluten free"], "instruction_options": ["8 ounce (3 count)"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTSINA0G", "worker_id": "A16M39T60N60NO"}], "B08SCFN6ZG": [{"asin": "B08SCFN6ZG", "instruction": "i'm looking for freeze dried gluten free sliced strawberries and fresh vegetables", "attributes": ["freeze dried", "ready eat", "ready use", "gmo free", "gluten free", "artificial flavors"], "options": ["flavor: sliced strawberries"], "instruction_attributes": ["freeze dried", "gluten free"], "instruction_options": ["sliced strawberries"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQUTVD56", "worker_id": "A258PTOZ3D2TQR"}], "B08P8SLTLP": [{"asin": "B08P8SLTLP", "instruction": "i want a god for my best friend who sent me my son father's day t-shirt with classic fit and needle sleeve. also, i choose size 4t and cranberry color.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: cranberry", "fit type: men", "size: 4t"], "instruction_attributes": ["needle sleeve", "classic fit"], "instruction_options": ["cranberry", "4t"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVZX96LW", "worker_id": "A59DVED5S9N9Y"}], "B0773QFLQG": [{"asin": "B0773QFLQG", "instruction": "i am in need of high protein gluten free jaipur millet & lentil, 2.3 ounce (pack of 8)", "attributes": ["ready eat", "plant based", "freeze dried", "high protein", "nut free", "soy free", "kosher certified", "dairy free", "non gmo", "gluten free", "artificial flavors"], "options": ["flavor: jaipur millet & lentil", "size: 2.3 ounce (pack of 8)"], "instruction_attributes": ["high protein", "gluten free"], "instruction_options": ["jaipur millet & lentil", "2.3 ounce (pack of 8)"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB5XNM8Y", "worker_id": "A258PTOZ3D2TQR"}], "B07C881V3Z": [{"asin": "B07C881V3Z", "instruction": "i need a easy to apply temporary tattoo", "attributes": ["easy apply", "non toxic", "long lasting", "high quality", "coconut oil", "dry skin", "sensitive skin"], "options": ["pattern name: skull rose"], "instruction_attributes": ["easy apply"], "instruction_options": [], "assignment_id": "3DOCMVPBTYO4B61J1C162P16ZI0NNR", "worker_id": "AVIEE6LDH0BT5"}], "B003VMVL0M": [{"asin": "B003VMVL0M", "instruction": "looking for rich creamy cocoa classics also choose flavor raspberry", "attributes": ["rich creamy", "gluten free"], "options": ["flavor: raspberry", "size: 1.25 ounce packets (pack of 72)"], "instruction_attributes": ["rich creamy"], "instruction_options": ["raspberry"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYGAX46KT", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B003VMVL0M", "instruction": "i am looking for a 1.25 ounce (pack of 36) of rich creamy cocoa", "attributes": ["rich creamy", "gluten free"], "options": ["flavor: mint", "size: 1.25 ounce (pack of 36)"], "instruction_attributes": ["rich creamy"], "instruction_options": ["1.25 ounce (pack of 36)"], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM96W1IN", "worker_id": "A9QRQL9CFJBI7"}], "B08YJN9S26": [{"asin": "B08YJN9S26", "instruction": "i'm looking for a contemporary designed, hand painted vase for living room and should be made of eco friendly materials. also, choose medium sunburst colored one.", "attributes": ["hand painted", "non slip", "eco friendly", "contemporary design", "living room"], "options": ["color: sunburst (medium)"], "instruction_attributes": ["hand painted", "eco friendly", "contemporary design", "living room"], "instruction_options": ["sunburst (medium)"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTRV3EKX", "worker_id": "AR0VJ5XRG16UJ"}], "B0922HT4PV": [{"asin": "B0922HT4PV", "instruction": "i need a ottoman made from solid color", "attributes": ["non slip", "high density", "solid wood"], "options": ["color: a5"], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDRUACJN", "worker_id": "AVIEE6LDH0BT5"}], "B08BFPDQ8R": [{"asin": "B08BFPDQ8R", "instruction": "i want a easy to carry mirror", "attributes": ["easy carry", "rose gold", "stainless steel"], "options": ["color: sugar skull"], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV32W5LD", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B08BFPDQ8R", "instruction": "looking for rose gold travel purse mirror easy to carry also choose colour unicorn", "attributes": ["easy carry", "rose gold", "stainless steel"], "options": ["color: unicorn"], "instruction_attributes": ["easy carry", "rose gold"], "instruction_options": ["unicorn"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW72T4P", "worker_id": "A10OGH5CQBXL5N"}], "B07WRSP8FH": [{"asin": "B07WRSP8FH", "instruction": "i'm looking for a pokemon toothbrush", "attributes": ["bpa free", "oral hygiene"], "options": [""], "instruction_attributes": ["oral hygiene"], "instruction_options": [], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8MRWO1V", "worker_id": "A19317A3X87NVM"}], "B09RWVJZF7": [{"asin": "B09RWVJZF7", "instruction": "i'm looking for a slim fit women's jumpsuits with long sleeve. also, choose large, 001-hot pink one.", "attributes": ["hand wash", "slim fit", "long sleeve", "dry clean"], "options": ["color: 001-hot pink", "size: large"], "instruction_attributes": ["slim fit", "long sleeve"], "instruction_options": ["001-hot pink", "large"], "assignment_id": "345LHZDED82A2SSIGUTD76VU2XZ3UG", "worker_id": "AR0VJ5XRG16UJ"}], "B086ZGK88G": [{"asin": "B086ZGK88G", "instruction": "i'm looking for 20 inch double sided tape hair extensions of balayage color", "attributes": ["double sided", "sulfate free", "high quality", "hair extensions"], "options": ["color: balayage#8 | 60", "size: 20 inch"], "instruction_attributes": ["double sided", "hair extensions"], "instruction_options": ["balayage#8 | 60", "20 inch"], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW7O0VVT", "worker_id": "A258PTOZ3D2TQR"}], "B08NZD172N": [{"asin": "B08NZD172N", "instruction": "i want a 10ft micro usb fast charging cable.", "attributes": ["fast charging", "usb port"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "31N2WW6R920LJAVSL5YEL6URSAMF3V", "worker_id": "A2RBF3IIJP15IH"}], "B09CMKK5BN": [{"asin": "B09CMKK5BN", "instruction": "i'm looking for a blue wall-mounted, spacing-saving console shelf for the living room.", "attributes": ["wall mounted", "space saving", "storage space", "living room"], "options": ["color: blue"], "instruction_attributes": ["wall mounted", "space saving", "living room"], "instruction_options": ["blue"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R2OE2IY", "worker_id": "AFU00NU09CFXE"}], "B09Q93MT44": [{"asin": "B09Q93MT44", "instruction": "i'm looking for x-large yellow high-waisted tights that provide butt lifting and tummy control.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: yellow", "size: x-large"], "instruction_attributes": ["butt lifting", "tummy control", "high waist"], "instruction_options": ["yellow", "x-large"], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMX2552O", "worker_id": "AFU00NU09CFXE"}], "B08NWBT9T1": [{"asin": "B08NWBT9T1", "instruction": "i am looking for sugar free, soy free, high protein and non gmo keto bread crumbs plain of size: 2 count(pack of 2)", "attributes": ["low carb", "low sodium", "sugar free", "protein serving", "soy free", "high protein", "non gmo"], "options": ["color: everything seasoned", "size: 2 count (pack of 2)"], "instruction_attributes": ["sugar free", "soy free", "high protein", "non gmo"], "instruction_options": ["2 count (pack of 2)"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7GSRK8Q", "worker_id": "AX2EWYWZM19AZ"}], "B09KNDLCXN": [{"asin": "B09KNDLCXN", "instruction": "find a easy to install vanity light", "attributes": ["easy install", "vanity light", "clear glass"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEGTLU5S", "worker_id": "AVIEE6LDH0BT5"}], "B08H5898QC": [{"asin": "B08H5898QC", "instruction": "i want a television stand with storage space", "attributes": ["tempered glass", "storage space"], "options": ["color: sargent oak", "style name: 52\" cori"], "instruction_attributes": ["storage space"], "instruction_options": [], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50RIGWGH", "worker_id": "AVIEE6LDH0BT5"}], "B093YTB1SH": [{"asin": "B093YTB1SH", "instruction": "i'm looking for a vintage laundry bag for blouse hosiery.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MNXN1JQ", "worker_id": "AR0VJ5XRG16UJ"}], "B09DTK5SR5": [{"asin": "B09DTK5SR5", "instruction": "i need black colored shoes with arch support", "attributes": ["non slip", "unique design", "arch support"], "options": ["color: black", "size: 13 women | 13 men"], "instruction_attributes": ["arch support"], "instruction_options": ["black"], "assignment_id": "39K0FND3ASPR95MUG7H134S6VLOAMR", "worker_id": "AVIEE6LDH0BT5"}], "B09PHS56TB": [{"asin": "B09PHS56TB", "instruction": "find a high quality makeup brush", "attributes": ["high quality", "hair removal", "eye shadow"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKK1Q0WH", "worker_id": "AVIEE6LDH0BT5"}], "B08QFHCD4P": [{"asin": "B08QFHCD4P", "instruction": "i am looking for memory foam dinosaur color slipppers", "attributes": ["non slip", "memory foam", "rubber sole"], "options": ["color: dinosaur-x-92", "size: 6-7 women | 4-5 men"], "instruction_attributes": ["memory foam"], "instruction_options": ["dinosaur-x-92"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3WHU1NW", "worker_id": "A16M39T60N60NO"}], "B084TVJR42": [{"asin": "B084TVJR42", "instruction": "i have a kamiao printed tablecloth live laugh love which have a cartoon style line art figures stars, cubes, circles, hearts with multicolor round tablecloth which is an eco friendly and easy to clean. also, i have the size 36x36 and pattern19 color.", "attributes": ["machine washable", "super soft", "eco friendly", "easy clean"], "options": ["color: pattern19", "size: 36\"x36\"(diameter 92cm)"], "instruction_attributes": ["super soft", "eco friendly", "easy clean"], "instruction_options": ["pattern19", "36\"x36\"(diameter 92cm)"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G8MY743", "worker_id": "A59DVED5S9N9Y"}], "B098SV868M": [{"asin": "B098SV868M", "instruction": "i am looking for an easy to install battery storage case with the batteries included.", "attributes": ["batteries included", "easy install"], "options": ["color: 3x18560"], "instruction_attributes": ["batteries included", "easy install"], "instruction_options": [], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E3ASCZCK", "worker_id": "A1EREKSZAA9V7B"}], "B07WF9N78Y": [{"asin": "B07WF9N78Y", "instruction": "i am looking for outlook sneaker rubber sole in navy light blue", "attributes": ["memory foam", "rubber sole"], "options": ["color: navy | light blue", "size: 12"], "instruction_attributes": ["rubber sole"], "instruction_options": ["navy | light blue"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKHG245K", "worker_id": "A2MSIFDLOHI1UT"}], "B0030ZRS8Y": [{"asin": "B0030ZRS8Y", "instruction": "i am looking for a cruelty free soft wax for a sensitive skin. also choose tea tree oil wax 14 oz and 5 ounce ( pack of 1 ) size.", "attributes": ["cruelty free", "hair removal", "sensitive skin"], "options": ["color: tea tree oil wax 14 oz", "size: 5 ounce (pack of 1)"], "instruction_attributes": ["cruelty free", "sensitive skin"], "instruction_options": ["tea tree oil wax 14 oz", "5 ounce (pack of 1)"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDEFPCIF", "worker_id": "A2HMEGTAFO0CS8"}], "B07PMLZN14": [{"asin": "B07PMLZN14", "instruction": "i am looking for anti aging masks in artemisia color", "attributes": ["anti aging", "cruelty free", "fine lines"], "options": ["color: artemisia"], "instruction_attributes": ["anti aging"], "instruction_options": ["artemisia"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKHG254L", "worker_id": "A16M39T60N60NO"}], "B094ZN66Z5": [{"asin": "B094ZN66Z5", "instruction": "i am looking for", "attributes": ["twin size", "machine washable"], "options": ["color: black white", "size: twin | twin xl"], "instruction_attributes": ["machine washable"], "instruction_options": ["black white"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6P2CMMM", "worker_id": "A16M39T60N60NO"}], "B09KX9TV4F": [{"asin": "B09KX9TV4F", "instruction": "i want chinese new year good luck cake picks.", "attributes": ["party supplies", "cupcake picks"], "options": ["color: good luck"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["good luck"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSPM8JGA", "worker_id": "A2RBF3IIJP15IH"}], "B093K5MLRX": [{"asin": "B093K5MLRX", "instruction": "i need a wallet that goes with my blouse", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery"], "instruction_options": [], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB6675F5", "worker_id": "A2ECRNQ3X5LEXD"}], "B08N5DXTFQ": [{"asin": "B08N5DXTFQ", "instruction": "i am looking for a eco friendly horoscope candle with soy wax. also choose sagittarius one", "attributes": ["eco friendly", "soy wax"], "options": ["color: sagittarius"], "instruction_attributes": ["eco friendly", "soy wax"], "instruction_options": ["sagittarius"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J70KKXG9", "worker_id": "A2HMEGTAFO0CS8"}], "B08DJ6D8X5": [{"asin": "B08DJ6D8X5", "instruction": "i am looking for alcohol free perfumes for galloway impression", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: perfums de marly galloway impression"], "instruction_attributes": ["alcohol free"], "instruction_options": ["perfums de marly galloway impression"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQRRFS6U", "worker_id": "A16M39T60N60NO"}], "B08RL96WH2": [{"asin": "B08RL96WH2", "instruction": "i want non gmo freeze dried fruit and vegetables carrot flavor 1.5 ounce (pack of 1)", "attributes": ["freeze dried", "kosher certified", "non gmo", "resealable bag"], "options": ["flavor: carrot", "size: 1.5 ounce (pack of 1)"], "instruction_attributes": ["freeze dried", "non gmo"], "instruction_options": ["carrot", "1.5 ounce (pack of 1)"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJPY0YD8", "worker_id": "A3N9ZYQAESNFQH"}], "B08J6H6BKJ": [{"asin": "B08J6H6BKJ", "instruction": "find a black remote with batteries included", "attributes": ["batteries included", "aaa batteries"], "options": ["color: black"], "instruction_attributes": ["batteries included"], "instruction_options": ["black"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAVPYC9S", "worker_id": "AVIEE6LDH0BT5"}], "B09K8D4JRX": [{"asin": "B09K8D4JRX", "instruction": "i am looking a hyaluronic acid deep conditioner for hair treatment of dry har to improve smoothness", "attributes": ["hyaluronic acid", "hair treatment", "dry hair"], "options": [""], "instruction_attributes": ["hyaluronic acid", "hair treatment", "dry hair"], "instruction_options": [], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRNDBW39", "worker_id": "A3N9ZYQAESNFQH"}], "B09DL9TQ6R": [{"asin": "B09DL9TQ6R", "instruction": "i am looking for birthday party , cupcake picks of pattern name: pattern 5", "attributes": ["birthday party", "cupcake picks", "baby shower"], "options": ["pattern name: pattern 5"], "instruction_attributes": ["birthday party", "cupcake picks"], "instruction_options": ["pattern 5"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZBJKC87", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B09DL9TQ6R", "instruction": "i am looking for cupcake toppers for a birthday party. also, i prefer the pattern 2 over others.", "attributes": ["birthday party", "cupcake picks", "baby shower"], "options": ["pattern name: pattern 2"], "instruction_attributes": ["birthday party"], "instruction_options": ["pattern 2"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7X4QYN", "worker_id": "AJDQGOTMB2D80"}], "B08NJGPH9M": [{"asin": "B08NJGPH9M", "instruction": "i would like to buy blanket, which is super soft, and is of multi 20 color, and king size", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 20", "size: king"], "instruction_attributes": ["super soft"], "instruction_options": ["multi 20", "king"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPL8JJMH", "worker_id": "AJY5G987IRT25"}], "B09D3MFKF6": [{"asin": "B09D3MFKF6", "instruction": "i want a super soft fleece thrown for living for room size 50\"*40\"", "attributes": ["super soft", "fleece throw"], "options": ["color: cute sloth and donut", "size: 50\"x40\""], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["50\"x40\""], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDEFRICN", "worker_id": "A3N9ZYQAESNFQH"}], "B07Z9918BC": [{"asin": "B07Z9918BC", "instruction": "i am looking a space saving easy to assamble sofa table for lliving room", "attributes": ["eco friendly", "space saving", "easy assemble", "living room"], "options": [""], "instruction_attributes": ["space saving", "easy assemble", "living room"], "instruction_options": [], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67XC67FQ", "worker_id": "A3N9ZYQAESNFQH"}], "B01HEXEHWC": [{"asin": "B01HEXEHWC", "instruction": "i want tangerine colored crocs made with vinyl acetate for kids.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: tangerine", "size: 13 little kid", "special size: little kid (4-8 years)"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["tangerine"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX6AIF4G", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01HEXEHWC", "instruction": "i am looking for candy pink and black toddler clogs with vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: candy pink | black", "size: 12-13 little kid", "special size: little kid (4-8 years)"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["candy pink | black"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3W37Q7", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01HEXEHWC", "instruction": "i am looking for a 5 toddler size vinyl acetate of clogs & mules", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: powder blue", "size: 5 toddler", "special size: toddler (1-4 years)"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["5 toddler"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCKCIPE", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01HEXEHWC", "instruction": "i am looking for vinyl acetate clog for child.please choose army green color.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: army green", "size: 4 toddler", "special size: toddler (1-4 years)"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["army green"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6HNUPQ", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B01HEXEHWC", "instruction": "i need bright cobalt clogs that are made of vinyl and are a size 5 toddler.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: bright cobalt", "size: 5 toddler", "special size: little kid (4-8 years)"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["bright cobalt", "5 toddler"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKJ4VPE", "worker_id": "A2ECRNQ3X5LEXD"}], "B07V9MQWZQ": [{"asin": "B07V9MQWZQ", "instruction": "i want a screen protector made with tempered glass", "attributes": ["glass screen", "tempered glass"], "options": [""], "instruction_attributes": ["tempered glass"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDN5M9W4", "worker_id": "AVIEE6LDH0BT5"}], "B08BRGF84C": [{"asin": "B08BRGF84C", "instruction": "universal remote control with battery included", "attributes": ["batteries included", "aaa batteries"], "options": ["size: 1 pack"], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5XOWOUX", "worker_id": "A3TTGSUBIK1YCL"}], "B079B3266S": [{"asin": "B079B3266S", "instruction": "i want 36 jars of a rose gold bpa free makeup bottles.", "attributes": ["leak proof", "bpa free"], "options": ["color: rose gold", "size: 36 jars"], "instruction_attributes": ["bpa free"], "instruction_options": ["rose gold", "36 jars"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMW0633KL", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B079B3266S", "instruction": "i need 36 beauticom 60 gram leak proof plastic jars with white lids. i want them in amber.", "attributes": ["leak proof", "bpa free"], "options": ["color: amber", "size: 36 jars"], "instruction_attributes": ["leak proof"], "instruction_options": ["amber", "36 jars"], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVYLIDI8", "worker_id": "A1CB72B51L7TKE"}, {"asin": "B079B3266S", "instruction": "travel storage white color leak proof for makeup cosmetic lotion scrubs creams oil size 12 jar", "attributes": ["leak proof", "bpa free"], "options": ["color: white", "size: 12 jars"], "instruction_attributes": ["leak proof"], "instruction_options": [], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3MQLZR", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B079B3266S", "instruction": "i need a leak proof, bpa free cosmetic bag that can fit 12 jars inside. look for a pink one.", "attributes": ["leak proof", "bpa free"], "options": ["color: pink", "size: 12 jars"], "instruction_attributes": ["leak proof", "bpa free"], "instruction_options": ["pink", "12 jars"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E01L7X3", "worker_id": "AR9AU5FY1S3RO"}], "B09T3PYRH9": [{"asin": "B09T3PYRH9", "instruction": "i am looking for gold color high definition tablets", "attributes": ["high definition", "quad core"], "options": ["color: gold"], "instruction_attributes": ["high definition"], "instruction_options": ["gold"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72B02OEG", "worker_id": "A16M39T60N60NO"}], "B092VMNRC1": [{"asin": "B092VMNRC1", "instruction": "i'm interested in a rose gold makeup mirror that is double-sided and easy to carry.", "attributes": ["double sided", "easy carry", "rose gold"], "options": [""], "instruction_attributes": ["double sided", "easy carry", "rose gold"], "instruction_options": [], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YO0INTO", "worker_id": "AFU00NU09CFXE"}], "B07NB11WCT": [{"asin": "B07NB11WCT", "instruction": "i want a sound bar with stereo sound", "attributes": ["aaa batteries", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XPYC9L5", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B07NB11WCT", "instruction": "i want a stereo sound soundbar+wireless subwoofer home theater system.", "attributes": ["aaa batteries", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PK1X2D", "worker_id": "A2RBF3IIJP15IH"}], "B08NSX1MM6": [{"asin": "B08NSX1MM6", "instruction": "i am looking for hair salon trolley, of color silver 27.5\"-43 height", "attributes": ["height adjustable", "hair salon", "beauty salon"], "options": ["color: silver"], "instruction_attributes": ["hair salon"], "instruction_options": ["silver"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1U7MMPH", "worker_id": "AX2EWYWZM19AZ"}], "B09NMJR882": [{"asin": "B09NMJR882", "instruction": "find a moisturizer with natural ingredients for dead skin", "attributes": ["natural ingredients", "dead skin"], "options": ["color: a05#grapes"], "instruction_attributes": ["natural ingredients", "dead skin"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4ZAV32EL", "worker_id": "AVIEE6LDH0BT5"}], "B00LR7CO04": [{"asin": "B00LR7CO04", "instruction": "i'm looking for a everyday wear chukka with rubber outsole. also choose 11.5-d with 11 wide bomber colored one.", "attributes": ["rubber outsole", "everyday wear"], "options": ["color: bomber | bomber", "size: 11 wide", "special size: 11.5-d"], "instruction_attributes": ["rubber outsole", "everyday wear"], "instruction_options": ["bomber | bomber", "11 wide", "11.5-d"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SJJS3TP", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00LR7CO04", "instruction": "i want a pair of extra wide rubber chukka shoes.", "attributes": ["rubber outsole", "everyday wear"], "options": ["color: bomber", "size: 8 wide", "special size: 10.5-ee"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["8 wide"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E4MXH0", "worker_id": "A19317A3X87NVM"}, {"asin": "B00LR7CO04", "instruction": "my order is : a pair of twisted x men's chukka riding mocs - handmade riding mocs in full grain leather with special size 14-d. let me know if you can find it in bombe/neon orange. i'm also looking for a rubber sole", "attributes": ["rubber outsole", "everyday wear"], "options": ["color: bomber | neon orange", "size: 9.5 wide", "special size: 14-d"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["bomber | neon orange", "14-d"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTK14D2", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B00LR7CO04", "instruction": "i am looking for a pair of men's size 10 everyday wear mocs.", "attributes": ["rubber outsole", "everyday wear"], "options": ["color: bomber", "size: 10", "special size: 7.5-ee"], "instruction_attributes": ["everyday wear"], "instruction_options": ["10"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68J44A4", "worker_id": "A1EREKSZAA9V7B"}], "B079KCFTZ9": [{"asin": "B079KCFTZ9", "instruction": "i need a remote control for my blue-ray", "attributes": ["blu ray", "aaa batteries"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BJ6584S", "worker_id": "AVIEE6LDH0BT5"}], "B08ZXXJL6N": [{"asin": "B08ZXXJL6N", "instruction": "i am looking for quad core 128gb emmc mini computer with windows 10 pro of size : intel n4020 4gb|128gb", "attributes": ["dual band", "quad core"], "options": ["size: intel n4020 4gb | 128gb"], "instruction_attributes": ["quad core"], "instruction_options": ["intel n4020 4gb | 128gb"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJMEYVAR", "worker_id": "AX2EWYWZM19AZ"}], "B08LBMXBNF": [{"asin": "B08LBMXBNF", "instruction": "i am in need of matte screen protector tempered glass for iphone 12 pro max (6.7\")", "attributes": ["easy install", "tempered glass"], "options": ["size: 6.7\""], "instruction_attributes": ["tempered glass"], "instruction_options": ["6.7\""], "assignment_id": "34PGFRQONZLYFAJCEF0151XGJAVJW6", "worker_id": "A258PTOZ3D2TQR"}], "B09RB2JZ6D": [{"asin": "B09RB2JZ6D", "instruction": "i am looking for a portable high-power wireless bluetooth speaker. also choose gray color.", "attributes": ["high power", "wireless bluetooth"], "options": ["color: gray"], "instruction_attributes": ["high power"], "instruction_options": ["gray"], "assignment_id": "3URFVVM16GSBNLZB11OMB709HSXZU8", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B09RB2JZ6D", "instruction": "i need a black wireless bluetooth speaker.", "attributes": ["high power", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZKNR7E", "worker_id": "A2ECRNQ3X5LEXD"}], "B092JFXKLS": [{"asin": "B092JFXKLS", "instruction": "i am looking for daily wear shorts in dark blue color", "attributes": ["drawstring closure", "elastic waist", "daily wear"], "options": ["color: dark blue", "size: x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["dark blue"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KE7UQZX", "worker_id": "A16M39T60N60NO"}], "B08RXZFJCB": [{"asin": "B08RXZFJCB", "instruction": "i am looking for a short for a pregnant woman with high waist and able to do quick drying. also choose dark purple color and x-large size.", "attributes": ["quick drying", "elastic closure", "high waist"], "options": ["color: 2pcs - black + dark purple", "size: x-large"], "instruction_attributes": ["quick drying", "high waist"], "instruction_options": ["2pcs - black + dark purple", "x-large"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0VU7A3B", "worker_id": "A2HMEGTAFO0CS8"}], "B08R92G3DR": [{"asin": "B08R92G3DR", "instruction": "i am looking for a light weight photography backdrop for a digital photography. also choose printed backdrop 11 color and 5x7 size.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 11", "size: 5x7 ft"], "instruction_attributes": ["light weight", "digital photography"], "instruction_options": ["printed backdrop 11", "5x7 ft"], "assignment_id": "33UKMF931KU01WBNV49UKNDQDI6TTX", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B08R92G3DR", "instruction": "i need a printed backdrop for digital photography that is 7 by 10 ft", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 03", "size: 7x10 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 03", "7x10 ft"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB4A4AQ8", "worker_id": "A2ECRNQ3X5LEXD"}], "B098R1LMGC": [{"asin": "B098R1LMGC", "instruction": "i want baralonly non slip slippers in size 9.5 for men.", "attributes": ["open toe", "non slip"], "options": ["color: 16#_coffee", "size: 9.5-10"], "instruction_attributes": ["non slip"], "instruction_options": ["9.5-10"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGU3QOQS", "worker_id": "A2RBF3IIJP15IH"}], "B09B27HLGV": [{"asin": "B09B27HLGV", "instruction": "i am looking for a sweater with long sleeve also able to quick drying. also choose black kids 05 color and 4-5t size.", "attributes": ["quick drying", "long sleeve"], "options": ["color: black kids 05", "size: 4-5t"], "instruction_attributes": ["quick drying", "long sleeve"], "instruction_options": ["black kids 05", "4-5t"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZGWI9VS", "worker_id": "A2HMEGTAFO0CS8"}], "B08XK4R9TH": [{"asin": "B08XK4R9TH", "instruction": "i want vanity lights made with brushed nickel.", "attributes": ["mid century", "easy install", "easy assemble", "brushed nickel", "glass shade", "nickel finish", "vanity light", "clear glass"], "options": ["color: brushed nickel", "size: 40.0 inch"], "instruction_attributes": ["vanity light"], "instruction_options": ["brushed nickel"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1663BS4MA", "worker_id": "A2RBF3IIJP15IH"}], "B01NAQTN1T": [{"asin": "B01NAQTN1T", "instruction": "i am looking for fresh breath tooth paste", "attributes": ["fresh breath", "bad breath"], "options": [""], "instruction_attributes": ["fresh breath"], "instruction_options": [], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N4ZPRY5", "worker_id": "A2MSIFDLOHI1UT"}], "B0936DMW9S": [{"asin": "B0936DMW9S", "instruction": "i am looking for long lasting, non toxic glossy nail polish of color : tuscany", "attributes": ["non toxic", "long lasting", "easy use", "nail polish"], "options": ["color: tuscany"], "instruction_attributes": ["non toxic", "long lasting"], "instruction_options": ["tuscany"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJZ3ZRG7", "worker_id": "AX2EWYWZM19AZ"}], "B086PCKRBV": [{"asin": "B086PCKRBV", "instruction": "i am looking for easy assemble white color beds", "attributes": ["white item", "easy assemble", "box spring", "storage space"], "options": ["color: white", "size: queen"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "3NGMS9VZTWSGZMBL50ZGMFJOV0QFF3", "worker_id": "A16M39T60N60NO"}], "B08BHB6GMK": [{"asin": "B08BHB6GMK", "instruction": "find a 0.8 ounce fruit snack pack made from simple ingredients", "attributes": ["individually wrapped", "non gmo", "simple ingredients"], "options": ["flavor name: variety pack", "size: 0.8 ounce (pack of 8)"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["0.8 ounce (pack of 8)"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGANS0XDV", "worker_id": "AVIEE6LDH0BT5"}], "B09MT7WSBJ": [{"asin": "B09MT7WSBJ", "instruction": "i am looking for 2 pieces of machine wash large size adult nightgown pajama sleep sets", "attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "dry clean"], "options": ["color: multi 9", "size: large"], "instruction_attributes": ["machine wash"], "instruction_options": ["multi 9", "large"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JGVOVMC", "worker_id": "A258PTOZ3D2TQR"}], "B09GNY9N38": [{"asin": "B09GNY9N38", "instruction": "i want a xx-large shegnsi plus size womens high waist trench coat.", "attributes": ["wide leg", "hand wash", "machine wash", "high waist", "quality materials", "elastic waistband", "short sleeve", "long sleeve"], "options": ["size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["xx-large"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ76038G95L", "worker_id": "A2RBF3IIJP15IH"}], "B08B5ML5YF": [{"asin": "B08B5ML5YF", "instruction": "i am interested in buying wall art which is suitable for dining room, has color of artwork-26 and with a size of 32\"wx16\"hx1pcs", "attributes": ["ready hang", "living room", "dining room"], "options": ["color: artwork-26", "size: 32\"wx16\"hx1pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["artwork-26", "32\"wx16\"hx1pcs"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SD449BO", "worker_id": "AJY5G987IRT25"}], "B00JKUPP74": [{"asin": "B00JKUPP74", "instruction": "i am looking for digital camera high resolution in white", "attributes": ["high resolution", "optical zoom"], "options": ["color: white"], "instruction_attributes": ["high resolution"], "instruction_options": ["white"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G9YR4RY", "worker_id": "A2MSIFDLOHI1UT"}], "B07K8STW37": [{"asin": "B07K8STW37", "instruction": "i'm looking for a pair of low rise boyfriend jeans in antic charcoal. i need a 28 waist and 32 length.", "attributes": ["low rise", "slim fit", "machine wash", "imported zipper"], "options": ["color: antic charcoal", "size: 28w x 32l"], "instruction_attributes": ["low rise"], "instruction_options": ["antic charcoal", "28w x 32l"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0MAHCDD", "worker_id": "A3OLRWACCCCUTU"}], "B09P4RK8LY": [{"asin": "B09P4RK8LY", "instruction": "i'm looking for a white nightstand with a 1 shelf storage space.", "attributes": ["easy clean", "storage space", "high gloss", "living room"], "options": ["color: white"], "instruction_attributes": ["storage space"], "instruction_options": ["white"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q414ZLE", "worker_id": "A19317A3X87NVM"}], "B093KGC7RW": [{"asin": "B093KGC7RW", "instruction": "i am looking for in travel laundry bag", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "37Z929RLGKIZMWY86444AIH4BZQTS6", "worker_id": "A2MSIFDLOHI1UT"}], "B08BR4HCPV": [{"asin": "B08BR4HCPV", "instruction": "i'm looking for a easy to assemble showcase cabinet with good storage space and has tempered glass countertop. also choose 47.2\"h * 15.7\" w sized one.", "attributes": ["easy assemble", "tempered glass", "storage space"], "options": ["size: 47.2\u201dh x 15.7\u201dw"], "instruction_attributes": ["easy assemble", "tempered glass", "storage space"], "instruction_options": ["47.2\u201dh x 15.7\u201dw"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOIGBH6B", "worker_id": "AR0VJ5XRG16UJ"}], "B09L1JYY7R": [{"asin": "B09L1JYY7R", "instruction": "i am interested in buying pullover for women which is machine washable and have women christmas gifts-a153-khaki color, and of size 3x-large", "attributes": ["quick drying", "machine washable", "long sleeve", "short sleeve", "laundry bag", "daily wear"], "options": ["color: women christmas gifts-a153-khaki", "size: 3x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["women christmas gifts-a153-khaki", "3x-large"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5XOWUO3", "worker_id": "AJY5G987IRT25"}], "B000MICPWQ": [{"asin": "B000MICPWQ", "instruction": "i want a campbell's soup that has vitamins and are made of chicken & star shaped pasta.", "attributes": ["source vitamin", "artificial colors"], "options": ["flavor name: chicken & star shaped pasta"], "instruction_attributes": ["source vitamin"], "instruction_options": ["chicken & star shaped pasta"], "assignment_id": "351SEKWQSBRP7CP60H83T50CGOLDMW", "worker_id": "A2RBF3IIJP15IH"}], "B079YDY7P2": [{"asin": "B079YDY7P2", "instruction": "i want a high performance ps4.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDCL7Y4V", "worker_id": "A1WS884SI0SLO4"}], "B09S6STSTZ": [{"asin": "B09S6STSTZ", "instruction": "i want a high quality dental floss to improve my oral hygiene", "attributes": ["easy use", "easy clean", "high quality", "stainless steel", "oral hygiene"], "options": [""], "instruction_attributes": ["high quality", "oral hygiene"], "instruction_options": [], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292X5QQW7", "worker_id": "AVIEE6LDH0BT5"}], "B07Y64XJ33": [{"asin": "B07Y64XJ33", "instruction": "i want a 16x16 painting for my living room", "attributes": ["ready hang", "living room"], "options": ["color: boat decoration pattern prints", "size: 16x16 inches*4pcs"], "instruction_attributes": ["living room"], "instruction_options": ["16x16 inches*4pcs"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72B0XEO1", "worker_id": "AVIEE6LDH0BT5"}], "B01HU10MSG": [{"asin": "B01HU10MSG", "instruction": "i want a shilo dark chocolate wig made from natural hair.", "attributes": ["natural hair", "synthetic hair", "hair growth"], "options": ["color: darkchocolate"], "instruction_attributes": ["natural hair"], "instruction_options": ["darkchocolate"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZBJL8C4", "worker_id": "A2RBF3IIJP15IH"}], "B07SZ9Q7WF": [{"asin": "B07SZ9Q7WF", "instruction": "i'm looking for a machine washable, classic fit tank tops made of heathers cotton and has needle sleeve. also, choose women's small, red colored one", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: red", "fit type: women", "size: small"], "instruction_attributes": ["machine wash", "heathers cotton", "needle sleeve", "classic fit"], "instruction_options": ["red", "women", "small"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K3623UGE", "worker_id": "AR0VJ5XRG16UJ"}], "B000AMUL9S": [{"asin": "B000AMUL9S", "instruction": "need a projection screen that is ultra hd and is easy to install. i'm looking for black/white version with 113\" size. aspect ratio needs to be 1:1 and pattern is projector screen + 6\" white screen.", "attributes": ["ultra hd", "easy install"], "options": ["color: black | white", "pattern name: projector screen + 6\" white projector screen", "size: 113\"", "style: 1:1, apect ratio"], "instruction_attributes": ["ultra hd", "easy install"], "instruction_options": ["black | white", "projector screen + 6\" white projector screen", "113\"", "1:1, apect ratio"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPL8XJMV", "worker_id": "A1MJVTR0PCKBWW"}, {"asin": "B000AMUL9S", "instruction": "i would like a black 84\" projection screen with a 16:9 ultra hd aspect ratio.", "attributes": ["ultra hd", "easy install"], "options": ["color: black | white", "pattern name: projector screen", "size: 84\"", "style: 16:9, aspect ratio"], "instruction_attributes": ["ultra hd"], "instruction_options": ["black | white", "projector screen", "84\"", "16:9, aspect ratio"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZZCZJY", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000AMUL9S", "instruction": "i am looking for 150\" white color 4k ultra hd 3d ready projector screen", "attributes": ["ultra hd", "easy install"], "options": ["color: black | white", "pattern name: projector screen + 12\" black projector screen", "size: 150\"", "style: 1:1, apect ratio"], "instruction_attributes": ["ultra hd"], "instruction_options": ["black | white", "150\""], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4LN8MV", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B000AMUL9S", "instruction": "i am looking for projector screens of size 106\" that are easy to install.", "attributes": ["ultra hd", "easy install"], "options": ["color: black | white", "pattern name: projector screen + 6\" white projector screen", "size: 106\"", "style: 16:10, aspect ratio"], "instruction_attributes": ["easy install"], "instruction_options": ["106\""], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOMTL99", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B000AMUL9S", "instruction": "i'm looking for a easy to install ultra hd manual projector screen in size 136 inch. choose the ones that come in color white.", "attributes": ["ultra hd", "easy install"], "options": ["color: white", "pattern name: projector screen + 6\" white projector screen", "size: 136\"", "style: manual"], "instruction_attributes": ["ultra hd", "easy install"], "instruction_options": ["white", "projector screen + 6\" white projector screen", "136\"", "manual"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZIS1EOYF", "worker_id": "A3MNXK3VDK37SN"}], "B09SNPM6XX": [{"asin": "B09SNPM6XX", "instruction": "dermatologically tested waterproof eyeliner", "attributes": ["dermatologist tested", "long lasting"], "options": ["color: d"], "instruction_attributes": ["dermatologist tested"], "instruction_options": [], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO23Z1W8Z", "worker_id": "A3TTGSUBIK1YCL"}], "B074D96PLL": [{"asin": "B074D96PLL", "instruction": "i am searching for fluoride free toothpaste scented with coconut chamomile, 4.2 oz", "attributes": ["fluoride free", "oil free", "coconut oil"], "options": ["scent: coconut chamomile"], "instruction_attributes": ["fluoride free"], "instruction_options": ["coconut chamomile"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50RIEGWZ", "worker_id": "A258PTOZ3D2TQR"}], "B08LW5QSR4": [{"asin": "B08LW5QSR4", "instruction": "i am interested in buying machine washable throws which are in magenta green color and the size should be 60\" x 80\" for adults.", "attributes": ["machine washable", "printing technology"], "options": ["color: magenta green", "size: 60\" x 80\" for adults"], "instruction_attributes": ["machine washable"], "instruction_options": ["magenta green", "60\" x 80\" for adults"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8SM1SK1", "worker_id": "AJY5G987IRT25"}], "B08L3868VD": [{"asin": "B08L3868VD", "instruction": "i want a stainless steel minkissy eyebrow trimming tool.", "attributes": ["high quality", "storage case", "stainless steel"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLBKMR8R", "worker_id": "A2RBF3IIJP15IH"}], "B098F2FPS1": [{"asin": "B098F2FPS1", "instruction": "i would like a pair of size 8.5 black sandals with a open toe.", "attributes": ["open toe", "closed toe", "ankle strap", "arch support"], "options": ["color: black", "size: 8.5"], "instruction_attributes": ["open toe"], "instruction_options": ["black", "8.5"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDG1EE9Q", "worker_id": "A1WS884SI0SLO4"}], "B09MQLXKX2": [{"asin": "B09MQLXKX2", "instruction": "i need a a31 light weight background", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a31", "size: 10x7ft | 3x2.2m"], "instruction_attributes": ["light weight"], "instruction_options": ["a31"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EBMD2SN", "worker_id": "AVIEE6LDH0BT5"}], "B09FJS23PM": [{"asin": "B09FJS23PM", "instruction": "i am in need of insulated wine tumbler and natural soy wax candles -4 packs", "attributes": ["lead free", "soy wax", "stainless steel"], "options": [""], "instruction_attributes": ["soy wax"], "instruction_options": [], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SJJRT3E", "worker_id": "A258PTOZ3D2TQR"}], "B08KSR21TM": [{"asin": "B08KSR21TM", "instruction": "i'm looking for travel size men's perfume in a 0.27 fl oz bottle size.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: paco rabanne one million impression", "size: 0.27 fl oz (pack of 1)"], "instruction_attributes": ["travel size"], "instruction_options": ["0.27 fl oz (pack of 1)"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I350X412", "worker_id": "A19317A3X87NVM"}, {"asin": "B08KSR21TM", "instruction": "i am looking for a refillable perfume sprayer for travelling purposes. look for an 8 ml size.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: tiziana terenzi bianco puro impression", "size: 0.17 fl oz | 5ml"], "instruction_attributes": ["travel size"], "instruction_options": [], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98DJKY4", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B08KSR21TM", "instruction": "i'm looking for fragrance for travel size and its for long lasting and need to buy it.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: chanel chance impression", "size: 0.27 fl oz | 8ml"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["chanel chance impression"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMDVXDV", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08KSR21TM", "instruction": "azzaro wanted gil impression perfume travel size refillable and quality should be high", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: azzaro wanted girl impression", "size: 0.17 fl oz | 5ml"], "instruction_attributes": ["travel size", "high quality"], "instruction_options": [], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUBVDZ6", "worker_id": "A3N9ZYQAESNFQH"}], "B08R6NCZ95": [{"asin": "B08R6NCZ95", "instruction": "i am looking for a gluten free snacking avocado with non gmo.", "attributes": ["freeze dried", "sugar free", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": [], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMP37M9P", "worker_id": "A2HMEGTAFO0CS8"}], "B08NT3YW86": [{"asin": "B08NT3YW86", "instruction": "i'm looking for an aluminum alloy, ultra hd hdmi cable that is designed for plug and play.", "attributes": ["ultra hd", "plug play", "aluminum alloy"], "options": [""], "instruction_attributes": ["ultra hd", "plug play", "aluminum alloy"], "instruction_options": [], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RZ449QZ", "worker_id": "AFU00NU09CFXE"}], "B0017645AM": [{"asin": "B0017645AM", "instruction": "i am looking for gold plated video cables", "attributes": ["blu ray", "gold plated"], "options": [""], "instruction_attributes": ["gold plated"], "instruction_options": [], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RG953EZ", "worker_id": "A16M39T60N60NO"}], "B09SLPNPJ2": [{"asin": "B09SLPNPJ2", "instruction": "i am looking for women fashion sneakers with anti slip, steel toe, high heel, memory foam of size :10", "attributes": ["anti slip", "steel toe", "high heel", "quality materials", "arch support", "memory foam", "rubber sole"], "options": ["size: 10"], "instruction_attributes": ["anti slip", "steel toe", "high heel", "memory foam"], "instruction_options": ["10"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455SKOTYM", "worker_id": "AX2EWYWZM19AZ"}], "B07X7M89C2": [{"asin": "B07X7M89C2", "instruction": "i'm looking for a high performance and high definition bluetooth speakers with stereo sound effect. also, choose golden colored one.", "attributes": ["high performance", "high definition", "aluminum alloy", "stereo sound", "wireless bluetooth"], "options": ["color: golden"], "instruction_attributes": ["high performance", "high definition", "stereo sound", "wireless bluetooth"], "instruction_options": ["golden"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7SFVW7C", "worker_id": "AR0VJ5XRG16UJ"}], "B0741RSZTQ": [{"asin": "B0741RSZTQ", "instruction": "i wanna purchase quadshield black color 50ft coaxial cable for broadband internet connection", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["color: quadshield - black", "size: 100 ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["quadshield - black"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTRVNEKH", "worker_id": "A3RBCGB309WPOC"}], "B09KT3S2HF": [{"asin": "B09KT3S2HF", "instruction": "i am looking for white color high power speaker", "attributes": ["high power", "stereo sound"], "options": ["color: white"], "instruction_attributes": ["high power"], "instruction_options": ["white"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96G0FLRNF", "worker_id": "A2MSIFDLOHI1UT"}], "B07WYFCZH7": [{"asin": "B07WYFCZH7", "instruction": "i am looking for super soft fastupda fleece throw blanket of size (50\"x80\")", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: style 5", "size: 50\" x 80\""], "instruction_attributes": ["super soft"], "instruction_options": ["50\" x 80\""], "assignment_id": "3VE8AYVF8X77K71YXMTACN228WAF8J", "worker_id": "AX2EWYWZM19AZ"}], "B09C7NSC1K": [{"asin": "B09C7NSC1K", "instruction": "i am looking a cosmetic display cases for lipstick eyeshadow highliter blushes brushes", "attributes": ["storage case", "eye shadow"], "options": [""], "instruction_attributes": ["storage case", "eye shadow"], "instruction_options": [], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY9S1UX8", "worker_id": "A3N9ZYQAESNFQH"}], "B08SBZPV6D": [{"asin": "B08SBZPV6D", "instruction": "i want to buy famous tik-tok leggings, yoga pants for women which have high waist tummy control booty bubble and hip lifting with running tights. which is the size x-small and a-red color.", "attributes": ["quick drying", "moisture wicking", "butt lifting", "tummy control", "high waist", "polyester spandex"], "options": ["color: a-red", "size: x-small"], "instruction_attributes": ["butt lifting", "tummy control", "high waist"], "instruction_options": ["a-red", "x-small"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV47OZ9I", "worker_id": "A59DVED5S9N9Y"}], "B09LHDGJ4G": [{"asin": "B09LHDGJ4G", "instruction": "i am in need of large sized wine color long sleeve shirts for women", "attributes": ["slim fit", "long sleeve", "short sleeve", "teen girls"], "options": ["color: z04-wine", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["z04-wine", "large"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBDC14Q9", "worker_id": "A258PTOZ3D2TQR"}], "B09MCMWHHR": [{"asin": "B09MCMWHHR", "instruction": "i am looking for eco friendly water ripple multicolor glass window film of size : 17.7\"x47.2\"x2pcs", "attributes": ["eco friendly", "living room"], "options": ["color: multi-01046", "size: 17.7\" x 47.2\" x 2 pcs"], "instruction_attributes": ["eco friendly"], "instruction_options": ["17.7\" x 47.2\" x 2 pcs"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB669F5H", "worker_id": "AX2EWYWZM19AZ"}], "B098D2ZY3J": [{"asin": "B098D2ZY3J", "instruction": "i am interested in buying a cookies which can be perfect gift, and the flavor of which is of donut", "attributes": ["gift basket", "gift set", "perfect gift"], "options": ["flavor name: donut"], "instruction_attributes": ["perfect gift"], "instruction_options": ["donut"], "assignment_id": "3EG49X3515M1GF9V412YYG6I66K6XJ", "worker_id": "AJY5G987IRT25"}], "B094CG6VJF": [{"asin": "B094CG6VJF", "instruction": "i would like a white 42 by 72 inch window panel for my living room.", "attributes": ["machine washable", "easy install", "exquisite workmanship", "living room"], "options": ["color: white", "size: 42''wx72''l"], "instruction_attributes": ["living room"], "instruction_options": ["white", "42''wx72''l"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPHCOWTQ", "worker_id": "A1WS884SI0SLO4"}], "B09NNKB863": [{"asin": "B09NNKB863", "instruction": "i am looking for photo background high resolution in 15*10ft", "attributes": ["light weight", "high resolution", "high definition", "digital photography"], "options": ["size: 15x10ft"], "instruction_attributes": ["high resolution"], "instruction_options": ["15x10ft"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSPMJJGL", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B09NNKB863", "instruction": "i need a six by four foot backdrop for digital photography. it should be high resolution and light weight.", "attributes": ["light weight", "high resolution", "high definition", "digital photography"], "options": ["size: 6x4ft"], "instruction_attributes": ["light weight", "high resolution", "digital photography"], "instruction_options": ["6x4ft"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6OT7UA", "worker_id": "AR9AU5FY1S3RO"}], "B09BZWDPYR": [{"asin": "B09BZWDPYR", "instruction": "i want notmilk chocolate plant-based milk.", "attributes": ["plant based", "lactose free", "shelf stable", "non gmo", "soy free", "gluten free"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKDY3PI5", "worker_id": "A2RBF3IIJP15IH"}], "B08P5Y825J": [{"asin": "B08P5Y825J", "instruction": "i want a book case made from solid to use as a decoration in my living room", "attributes": ["mid century", "heavy duty", "easy assemble", "storage unit", "solid wood", "living room"], "options": ["color: black", "size: 6 shelf"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": [], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0WFRGF4", "worker_id": "AVIEE6LDH0BT5"}], "B09FZ9X3S1": [{"asin": "B09FZ9X3S1", "instruction": "i am looking for a cat paw pink kid\u2019s toothbrush that is easy to use.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: cat paw,pink", "size: age 2-6"], "instruction_attributes": ["easy use"], "instruction_options": ["cat paw,pink"], "assignment_id": "3X0H8UUITCYRED22199FX2O3FT8WSZ", "worker_id": "AHU9OLV0YKIIW"}], "B093D82CN7": [{"asin": "B093D82CN7", "instruction": "i want machine washable pajamas", "attributes": ["machine wash", "quick drying", "moisture wicking", "machine washable", "elastic waistband", "long sleeve"], "options": ["color: dark blue", "size: small"], "instruction_attributes": ["machine washable"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBDCRQ4L", "worker_id": "AVIEE6LDH0BT5"}], "B07PHVWYYY": [{"asin": "B07PHVWYYY", "instruction": "i am looking for a tampered glass screen protector which is bubble free.", "attributes": ["tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["tempered glass", "glass screen"], "instruction_options": [], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9M0309P", "worker_id": "AHU9OLV0YKIIW"}], "B07SQ6846S": [{"asin": "B07SQ6846S", "instruction": "i would like to buy a pencil backdrop which is of high resolution, it is easy carry, and has a size of 6x4ft-vinyl", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 6x4ft-vinyl"], "instruction_attributes": ["high resolution", "easy carry"], "instruction_options": ["6x4ft-vinyl"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYJAAMTP", "worker_id": "AJY5G987IRT25"}], "B09GLVLL82": [{"asin": "B09GLVLL82", "instruction": "i need 17 pcs of space saving porcelain ceramic tea sets", "attributes": ["lead free", "space saving"], "options": [""], "instruction_attributes": ["space saving"], "instruction_options": [], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JQ18SYU", "worker_id": "A258PTOZ3D2TQR"}], "B09Q28265S": [{"asin": "B09Q28265S", "instruction": "i am seraching for eco friendly candles and clean cotton holders for my home & kitchen.", "attributes": ["lead free", "eco friendly"], "options": ["scent: clean cotton"], "instruction_attributes": ["eco friendly"], "instruction_options": ["clean cotton"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XQVM6VQ", "worker_id": "A3R8PQCD99H61E"}, {"asin": "B09Q28265S", "instruction": "i want a autumn spice jar candle that is eco friendly.", "attributes": ["lead free", "eco friendly"], "options": ["scent: autumn spice"], "instruction_attributes": ["eco friendly"], "instruction_options": ["autumn spice"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRZSF3E", "worker_id": "A1WS884SI0SLO4"}], "B093YRM6FL": [{"asin": "B093YRM6FL", "instruction": "i want a set of 2 mesh laundry bags with green leaves design.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCNA6SAL", "worker_id": "A2RBF3IIJP15IH"}], "B08XH5G5DG": [{"asin": "B08XH5G5DG", "instruction": "i am looking for non gmo, nut free, gluten free and real fruit , all natural fruit snacks with flaovr name : passion fruit power pals", "attributes": ["gluten free", "low fat", "certified organic", "low carb", "non gmo", "nut free", "low calorie", "real fruit"], "options": ["flavor name: passion fruit power pals"], "instruction_attributes": ["gluten free", "non gmo", "nut free", "real fruit"], "instruction_options": ["passion fruit power pals"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZGWGV9C", "worker_id": "AX2EWYWZM19AZ"}], "B09MMYY1WG": [{"asin": "B09MMYY1WG", "instruction": "find a toothpaste with natural ingredients", "attributes": ["teeth whitening", "natural ingredients"], "options": ["color: d"], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBF1VZK7", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B09MMYY1WG", "instruction": "i would like a color a toothpaste made from natural ingredients.", "attributes": ["teeth whitening", "natural ingredients"], "options": ["color: a"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["a"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98UQKY9", "worker_id": "A1WS884SI0SLO4"}], "B08BSWZJ4G": [{"asin": "B08BSWZJ4G", "instruction": "i am looking for ready eat in coconut & kale", "attributes": ["ready eat", "fully cooked"], "options": ["flavor name: coconut & kale"], "instruction_attributes": ["ready eat"], "instruction_options": ["coconut & kale"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URXDE1CC", "worker_id": "A2MSIFDLOHI1UT"}], "B073JBV926": [{"asin": "B073JBV926", "instruction": "i am looking for ivory color rugs for dining room", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: ivory | gold", "item shape: square", "size: 8 ft x 10 ft"], "instruction_attributes": ["dining room"], "instruction_options": ["ivory | gold"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DZS928Q", "worker_id": "A16M39T60N60NO"}, {"asin": "B073JBV926", "instruction": "i need a living room rug that is gold and ivory in the shape of a square.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: gold | ivory", "item shape: square", "size: 2 ft x 3 ft"], "instruction_attributes": ["living room"], "instruction_options": ["gold | ivory", "square"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEKL86W", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B073JBV926", "instruction": "i am looking for rectangular shaped dark grey color entryway plush thick area rug of size 2 ft 3 in x 6 ft for living room", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: dark grey | ivory", "item shape: rectangular", "size: 2 ft 3 in x 6 ft"], "instruction_attributes": ["living room"], "instruction_options": ["dark grey | ivory", "2 ft 3 in x 6 ft"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPR6FW2", "worker_id": "A258PTOZ3D2TQR"}], "B08N52H4T2": [{"asin": "B08N52H4T2", "instruction": "i am looking for super soft multi color duvet cover sets", "attributes": ["super soft", "machine washable", "king size"], "options": ["color: multi 20", "size: full"], "instruction_attributes": ["super soft"], "instruction_options": ["multi 20"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FIFA4ZR", "worker_id": "A16M39T60N60NO"}, {"asin": "B08N52H4T2", "instruction": "i'm looking for a super soft leopard pattern duvet with multi 3 colors. king and queen size please thanks.", "attributes": ["super soft", "machine washable", "king size"], "options": ["color: multi 3", "size: queen"], "instruction_attributes": ["super soft", "king size"], "instruction_options": ["multi 3", "queen"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIWN9T2", "worker_id": "A1Q0EUNCS50S8M"}], "B07DVTNWND": [{"asin": "B07DVTNWND", "instruction": "i am looking a gift set of jams and jellies gluten free variety-favorites size 1.25 pound", "attributes": ["gluten free", "natural ingredients", "gift set"], "options": ["flavor: variety - favorites", "size: 1.25 pound (pack of 2)"], "instruction_attributes": ["gluten free", "gift set"], "instruction_options": ["variety - favorites", "1.25 pound (pack of 2)"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053MY35I0", "worker_id": "A3N9ZYQAESNFQH"}], "B09QGL58LF": [{"asin": "B09QGL58LF", "instruction": "complete, easy-to-carry orthodontic storage case", "attributes": ["easy carry", "storage case"], "options": ["color: assorted color 1"], "instruction_attributes": ["easy carry", "storage case"], "instruction_options": [], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YXJQ4TD", "worker_id": "A3TTGSUBIK1YCL"}], "B082LK92B2": [{"asin": "B082LK92B2", "instruction": "i want to buy hair color which is dermatologist test, is oil free, and is of dark chocolate color", "attributes": ["dermatologist tested", "oil free", "long lasting", "argan oil", "permanent hair", "hair dye"], "options": ["color: dark chocolate"], "instruction_attributes": ["dermatologist tested", "oil free"], "instruction_options": ["dark chocolate"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VGUX203", "worker_id": "AJY5G987IRT25"}], "B09913B3WZ": [{"asin": "B09913B3WZ", "instruction": "i'm looking for a 32 ounce package of gluten free almond flour.", "attributes": ["grain free", "gluten free", "non gmo", "low carb", "plant based", "resealable bag"], "options": ["flavor name: almond coconut", "size: 32 ounce"], "instruction_attributes": ["gluten free"], "instruction_options": ["32 ounce"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZBJGC83", "worker_id": "A2JP9IKRHNLRPI"}], "B08GCJYF4M": [{"asin": "B08GCJYF4M", "instruction": "i'm looking for a mini desktop pc with an intel core i7-9750h processor.", "attributes": ["dual band", "intel core"], "options": ["color: core i7-9750h", "size: 4gb ddr4 ram 256gb nvme ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["core i7-9750h"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF46QZMC", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B08GCJYF4M", "instruction": "i am looking for a windows 10 pro mini computer with an intel core i7-10750h, 32 gigabytes of ram, a 256 gigabyte ssd and gigabyte ethernet.", "attributes": ["dual band", "intel core"], "options": ["color: core i7-10750h", "size: 16gb ram+256gb ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["core i7-10750h"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDARGXZX", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08GCJYF4M", "instruction": "i need an intel core i7 mini computer.", "attributes": ["dual band", "intel core"], "options": ["color: core i7-7820hk ddr4", "size: 8gb ddr4 ram 128gb nvme ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["core i7-7820hk ddr4"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107UFLIR", "worker_id": "A19317A3X87NVM"}, {"asin": "B08GCJYF4M", "instruction": "i need a dual band computer with intel core, 64 gb ram and 1tb ssd.", "attributes": ["dual band", "intel core"], "options": ["color: core i7-10750h", "size: 64gb ram+1tb ssd"], "instruction_attributes": ["dual band", "intel core"], "instruction_options": ["64gb ram+1tb ssd"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK1LJ3N", "worker_id": "A1NF6PELRKACS9"}], "B09J8B4HF8": [{"asin": "B09J8B4HF8", "instruction": "i am looking for a high quality glossy pink nail polish storage case that is easy to clean.", "attributes": ["easy clean", "high quality", "storage case", "nail polish"], "options": ["color: glossy pink"], "instruction_attributes": ["easy clean", "high quality", "storage case", "nail polish"], "instruction_options": ["glossy pink"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22Q1WEQQ", "worker_id": "A1EREKSZAA9V7B"}], "B07BQJ4ZY3": [{"asin": "B07BQJ4ZY3", "instruction": "i am looking for gluten free cinnamon crisps", "attributes": ["gluten free", "keto friendly", "low carb", "non gmo"], "options": ["flavor name: cinnamon crisps", "size: 3.95 ounce (pack of 4)"], "instruction_attributes": ["gluten free"], "instruction_options": ["cinnamon crisps"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJPYYYD6", "worker_id": "A16M39T60N60NO"}], "B08Z43RZH5": [{"asin": "B08Z43RZH5", "instruction": "i am looking for a portable wireless bluetooth speaker with high performance. also choose green color.", "attributes": ["high performance", "stereo sound", "wireless bluetooth"], "options": ["color: green"], "instruction_attributes": ["high performance", "wireless bluetooth"], "instruction_options": ["green"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV4AWITDE", "worker_id": "A2HMEGTAFO0CS8"}], "B097NMV9LS": [{"asin": "B097NMV9LS", "instruction": "i want a gentle facial cleanser for acne prone & sensitive skin.", "attributes": ["oil free", "animal testing", "sensitive skin"], "options": ["style: gentle facial cleanser for acne-prone & sensitive skin"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["gentle facial cleanser for acne-prone & sensitive skin"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOJZCEFL", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B097NMV9LS", "instruction": "i'm interested in calming gel acne facial moisturizer for sensitive skin that is oil-free and not tested on animals.", "attributes": ["oil free", "animal testing", "sensitive skin"], "options": ["style: calming gel acne facial moisturizer"], "instruction_attributes": ["oil free", "animal testing", "sensitive skin"], "instruction_options": ["calming gel acne facial moisturizer"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZ2UO8G", "worker_id": "AFU00NU09CFXE"}], "B07MTNSZRG": [{"asin": "B07MTNSZRG", "instruction": "i am looking for red color short sleeve shirts", "attributes": ["easy care", "day comfort", "moisture wicking", "hand wash", "short sleeve", "daily wear"], "options": ["color: red", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["red"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XPYG9L9", "worker_id": "A2MSIFDLOHI1UT"}], "B0195UTJ48": [{"asin": "B0195UTJ48", "instruction": "i'm looking for a toothpaste that clears bad breath and gives fresh breath.", "attributes": ["fresh breath", "bad breath"], "options": [""], "instruction_attributes": ["fresh breath", "bad breath"], "instruction_options": [], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3RRI1MU", "worker_id": "AR0VJ5XRG16UJ"}], "B07N8JDZ1R": [{"asin": "B07N8JDZ1R", "instruction": "i want a light gray oliver king size arched tufted platform bed.", "attributes": ["button tufted", "king size", "box spring"], "options": ["color: light gray", "size: twin"], "instruction_attributes": ["king size"], "instruction_options": ["light gray"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZEOW0S4", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07N8JDZ1R", "instruction": "i would like a queen sized black bed with a box spring.", "attributes": ["button tufted", "king size", "box spring"], "options": ["color: black", "size: queen"], "instruction_attributes": ["box spring"], "instruction_options": ["black", "queen"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1B0I29", "worker_id": "A1WS884SI0SLO4"}], "B099RNR9YY": [{"asin": "B099RNR9YY", "instruction": "i am looking for fuzzy sandals open toe fox fur slippers in khaki", "attributes": ["open toe", "knee high", "arch support", "ankle strap", "closed toe", "memory foam", "rubber sole"], "options": ["color: khaki", "size: 9 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["khaki"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97ECOZU6B", "worker_id": "A2MSIFDLOHI1UT"}], "B086BLTNF6": [{"asin": "B086BLTNF6", "instruction": "i want a easy to clean bag", "attributes": ["easy carry", "non toxic", "easy clean", "fine mist"], "options": ["size: 6 size"], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMKX3LO0", "worker_id": "AVIEE6LDH0BT5"}], "B07CYJ5RR8": [{"asin": "B07CYJ5RR8", "instruction": "find cookies made with high fructose", "attributes": ["non gmo", "artificial flavors", "artificial colors", "high fructose"], "options": ["flavor name: chocolate, vanilla & strawberry", "size: 4.23 ounce (pack of 3)"], "instruction_attributes": ["high fructose"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHQPHQDV", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B07CYJ5RR8", "instruction": "i would like a six pack of 34.92 ounce non-gmo cookies.", "attributes": ["non gmo", "artificial flavors", "artificial colors", "high fructose"], "options": ["flavor name: vanilla", "size: 34.92 oz (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["vanilla", "34.92 oz (pack of 6)"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME9052DS", "worker_id": "A1WS884SI0SLO4"}], "B08XVVWBZB": [{"asin": "B08XVVWBZB", "instruction": "i am looking for pink color hair removal razors", "attributes": ["easy use", "hair removal"], "options": ["color: pink"], "instruction_attributes": ["hair removal"], "instruction_options": ["pink"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA58UM9IV", "worker_id": "A2MSIFDLOHI1UT"}], "B087R7CNGV": [{"asin": "B087R7CNGV", "instruction": "i am looking for easy to install video player", "attributes": ["plug play", "easy install", "quad core"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CV0A4SM", "worker_id": "A2MSIFDLOHI1UT"}], "B096ZHCL38": [{"asin": "B096ZHCL38", "instruction": "i want cake toppers for a baby shower.", "attributes": ["easy use", "baby shower", "party supplies"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "38F71OA9G46M5W32RN3TH53XS11FM9", "worker_id": "A2RBF3IIJP15IH"}], "B087WVQBY1": [{"asin": "B087WVQBY1", "instruction": "i am looking for gluten free doodles wavy corn chips, 1.37 ounce (pack of 36)", "attributes": ["gluten free", "0g trans"], "options": ["size: 1.37 ounce (pack of 36)"], "instruction_attributes": ["gluten free"], "instruction_options": ["1.37 ounce (pack of 36)"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGC6QJEQ", "worker_id": "A258PTOZ3D2TQR"}], "B07N7C3NY4": [{"asin": "B07N7C3NY4", "instruction": "i'm looking for a high waist boxer brief for men made of stretchable polyester spandex fabric. also choose x-large style 1.", "attributes": ["stretch fabric", "high waist", "polyester spandex"], "options": ["color: style 1", "size: x-large"], "instruction_attributes": ["stretch fabric", "high waist", "polyester spandex"], "instruction_options": ["style 1", "x-large"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDS269FG", "worker_id": "AR0VJ5XRG16UJ"}], "B08KPDBL5H": [{"asin": "B08KPDBL5H", "instruction": "find a lactose free cake topper", "attributes": ["lactose free", "easy use", "sugar free", "dairy free"], "options": ["pattern name: edible poker"], "instruction_attributes": ["lactose free"], "instruction_options": [], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFHHWGBJ", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B08KPDBL5H", "instruction": "i am looking to purchase a dollar-patterned cake topper that has to be lactose and dairy free.", "attributes": ["lactose free", "easy use", "sugar free", "dairy free"], "options": ["pattern name: new dollar"], "instruction_attributes": ["lactose free", "dairy free"], "instruction_options": ["new dollar"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQCCRJ4", "worker_id": "A114NK7T5673GK"}], "B018RMJD3M": [{"asin": "B018RMJD3M", "instruction": "i am looking for a coconut oil for hair growth. also choose 8 fl oz ( pack 1)", "attributes": ["coconut oil", "hair growth"], "options": ["size: 8 fl oz (pack of 1)"], "instruction_attributes": ["coconut oil", "hair growth"], "instruction_options": ["8 fl oz (pack of 1)"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6DSNV01", "worker_id": "A2HMEGTAFO0CS8"}], "B072J9W4R9": [{"asin": "B072J9W4R9", "instruction": "i want a vanguard veo 2 204ab black carbon fiber tripod.", "attributes": ["long lasting", "carbon fiber"], "options": ["style: veo 2 204ab black"], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275018G64P9", "worker_id": "A2RBF3IIJP15IH"}], "B000GG0BPW": [{"asin": "B000GG0BPW", "instruction": "i want six boxes of earl grey decaf with 20 individually wrapper bags.", "attributes": ["individually wrapped", "kosher certified", "gluten free"], "options": ["flavor name: earl grey decaf", "size: 20 count (pack of 6)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["earl grey decaf", "20 count (pack of 6)"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M10QYPA1", "worker_id": "A1WS884SI0SLO4"}], "B074LBXWK5": [{"asin": "B074LBXWK5", "instruction": "i am looking for high quality pink color bags", "attributes": ["bpa free", "high quality", "travel bottles"], "options": ["color: pink", "size: pack of 12"], "instruction_attributes": ["high quality"], "instruction_options": ["pink"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54PA2YE2", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B074LBXWK5", "instruction": "i need a bpa free bag that is blue", "attributes": ["bpa free", "high quality", "travel bottles"], "options": ["color: blue", "size: pack of 30"], "instruction_attributes": ["bpa free"], "instruction_options": ["blue"], "assignment_id": "37C0GNLMHQDNI94ED11M493QPCWD6N", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GSSDYVV": [{"asin": "B09GSSDYVV", "instruction": "carbamide peroxide whitening pen, easy to use", "attributes": ["teeth whitening", "easy use", "high quality", "sensitive teeth"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWMEAJ62DW", "worker_id": "A3TTGSUBIK1YCL"}], "B06XRXHKBN": [{"asin": "B06XRXHKBN", "instruction": "i am looking for machine washable ambesonne ocean kitchen curtains of color : green yellow", "attributes": ["machine washable", "printing technology"], "options": ["color: green yellow"], "instruction_attributes": ["machine washable"], "instruction_options": ["green yellow"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZD4W7IF", "worker_id": "AX2EWYWZM19AZ"}], "B097Q8F6C4": [{"asin": "B097Q8F6C4", "instruction": "i want a easy to use eyeshadow", "attributes": ["easy use", "eye shadow"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG6V8WI9", "worker_id": "AVIEE6LDH0BT5"}], "B09LSBCVQT": [{"asin": "B09LSBCVQT", "instruction": "i would like a brown dining set that is easy to install.", "attributes": ["non slip", "easy install", "dining room", "living room"], "options": ["color: brown"], "instruction_attributes": ["easy install"], "instruction_options": ["brown"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM97PI4G4", "worker_id": "A1WS884SI0SLO4"}], "B01BY04QIG": [{"asin": "B01BY04QIG", "instruction": "i would like ten 100 ft long gold plated hdmi male male cable.", "attributes": ["high speed", "gold plated"], "options": ["configuration: hdmi male-male", "pattern name: 10 pack", "size: 100ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["hdmi male-male", "10 pack", "100ft"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8OYEKBR", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01BY04QIG", "instruction": "look for 100ft high speed hdmi cable male to male with ethernet black (50 feet/15.2 meters). show me the price .", "attributes": ["high speed", "gold plated"], "options": ["configuration: hdmi 2.1", "pattern name: 4 pack", "size: 100ft"], "instruction_attributes": ["high speed"], "instruction_options": ["100ft"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C57HPQ", "worker_id": "A15IJ20C3R4HUO"}], "B09LV4XQ28": [{"asin": "B09LV4XQ28", "instruction": "find a leak proof bag", "attributes": ["leak proof", "travel bottles"], "options": ["color: coral reef", "size: 20 oz"], "instruction_attributes": ["leak proof"], "instruction_options": [], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHVGYALP", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B09LV4XQ28", "instruction": "i'm looking for white colored travel bottles easy to carry.", "attributes": ["leak proof", "travel bottles"], "options": ["color: white marble", "size: 20 oz"], "instruction_attributes": ["travel bottles"], "instruction_options": ["white marble"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK0GUIW", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09LV4XQ28", "instruction": "i'm looking for light weighted travel bottles and the color was pink bottles.", "attributes": ["leak proof", "travel bottles"], "options": ["color: pink topaz", "size: 16 oz"], "instruction_attributes": ["travel bottles"], "instruction_options": ["pink topaz"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPGV6V4", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09LV4XQ28", "instruction": "i want a s'well 12 oz travel bottle set.", "attributes": ["leak proof", "travel bottles"], "options": ["color: onyx, white marble, silver living", "size: 12 oz"], "instruction_attributes": ["travel bottles"], "instruction_options": ["12 oz"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8I55RY", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09LV4XQ28", "instruction": "i want a leak proof and blonde s'well travel bottle set.", "attributes": ["leak proof", "travel bottles"], "options": ["color: blonde wood", "size: 3.4 oz"], "instruction_attributes": ["leak proof"], "instruction_options": ["blonde wood"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE20AQGJ", "worker_id": "A2RBF3IIJP15IH"}], "B0041VVEWW": [{"asin": "B0041VVEWW", "instruction": "i am looking for birkenstock gizeh synthetic sole in navy oiled leather", "attributes": ["synthetic sole", "arch support"], "options": ["color: navy oiled leather", "size: 5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["navy oiled leather"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275018G34P6", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B0041VVEWW", "instruction": "i like synthetic sole in graceful antique lace", "attributes": ["synthetic sole", "arch support"], "options": ["color: graceful antique lace", "size: 7-7.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["graceful antique lace"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WX6A15", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B0041VVEWW", "instruction": "i'm looking for birkenstock gizeh.", "attributes": ["synthetic sole", "arch support"], "options": ["color: sandcastle nubuck", "size: 9.5"], "instruction_attributes": ["arch support"], "instruction_options": ["sandcastle nubuck"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME97VD27", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B0041VVEWW", "instruction": "i need some taupe flip flops that have arch support", "attributes": ["synthetic sole", "arch support"], "options": ["color: taupe", "size: 2-2.5 narrow little kid"], "instruction_attributes": ["arch support"], "instruction_options": ["taupe"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQG2915", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0041VVEWW", "instruction": "i need 5 size synthetic sole brown color gizeh sandals", "attributes": ["synthetic sole", "arch support"], "options": ["color: copper,metallic,brown", "size: 5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["5"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ4KRNR", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B0041VVEWW", "instruction": "i would like a size 5 narrow tobacco brown flip flops with a synthetic sole.", "attributes": ["synthetic sole", "arch support"], "options": ["color: tabacco brown", "size: 5-5.5 narrow"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["tabacco brown", "5-5.5 narrow"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQNZP0O", "worker_id": "A1WS884SI0SLO4"}], "B087YVBDT5": [{"asin": "B087YVBDT5", "instruction": "i am looking for non gmo, gluten free and artificial colors o2 oxygenated recovery drink with flavor name: lemon lime", "attributes": ["keto friendly", "non gmo", "gluten free", "artificial colors"], "options": ["flavor name: lemon lime"], "instruction_attributes": ["non gmo", "gluten free", "artificial colors"], "instruction_options": ["lemon lime"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGU3NQOR", "worker_id": "AX2EWYWZM19AZ"}], "B08TKLPXSB": [{"asin": "B08TKLPXSB", "instruction": "i am looking for a slip loafer with vinyl acetate. also choose dark khaki suede color and 7 narrow size.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: dark khaki suede", "size: 7 narrow"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["dark khaki suede"], "assignment_id": "38F71OA9G46M5W32RN3TH53XS12MFH", "worker_id": "A2HMEGTAFO0CS8"}], "B098D1Z5HM": [{"asin": "B098D1Z5HM", "instruction": "i need sugar free low carb, barbecue flavored marinade for meats, 102 ounce (pack of 3)", "attributes": ["low carb", "sugar free", "zero sugar", "natural ingredients"], "options": ["flavor name: barbecue", "size: 102 ounce (pack of 3)"], "instruction_attributes": ["low carb", "sugar free"], "instruction_options": ["barbecue", "102 ounce (pack of 3)"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17YL9Y38", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B098D1Z5HM", "instruction": "i am looking for low carb, sugar free barbecue marinade in the 18 ounce size.", "attributes": ["low carb", "sugar free", "zero sugar", "natural ingredients"], "options": ["flavor name: barbecue", "size: 18 ounce"], "instruction_attributes": ["low carb", "sugar free"], "instruction_options": ["barbecue", "18 ounce"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY614JN", "worker_id": "AK3JMCIGU8MLU"}], "B07Q38NGLJ": [{"asin": "B07Q38NGLJ", "instruction": "i am looking for gluten free, non gmo and soy free b.fine foods snack mix with size: 4 ounce (pack of 3)", "attributes": ["grain free", "gluten free", "non gmo", "artificial ingredients", "soy free", "keto friendly", "dairy free"], "options": ["flavor name: montreal chophouse", "size: 4 ounce (pack of 3)"], "instruction_attributes": ["gluten free", "non gmo", "soy free"], "instruction_options": ["4 ounce (pack of 3)"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96G0FKNRA", "worker_id": "AX2EWYWZM19AZ"}], "B08QTQZYFV": [{"asin": "B08QTQZYFV", "instruction": "i want a bagel made from high quality ingredients", "attributes": ["quality ingredients", "high fructose", "artificial flavors"], "options": [""], "instruction_attributes": ["quality ingredients"], "instruction_options": [], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8X6D42L", "worker_id": "AVIEE6LDH0BT5"}], "B09BJ2H8FP": [{"asin": "B09BJ2H8FP", "instruction": "i am looking for black color hair dye", "attributes": ["easy use", "natural ingredients", "hair dye", "damaged hair"], "options": [""], "instruction_attributes": ["hair dye"], "instruction_options": [], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI997VYKJ", "worker_id": "A2MSIFDLOHI1UT"}], "B09PV3LHTQ": [{"asin": "B09PV3LHTQ", "instruction": "i need a a23 colored light weight background", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a23", "size: 5x3ft | 1.5x1m"], "instruction_attributes": ["light weight"], "instruction_options": ["a23"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU5PZR68", "worker_id": "AVIEE6LDH0BT5"}], "B093KFVZZT": [{"asin": "B093KFVZZT", "instruction": "purse set for washing blouse and underwear bra and panties", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCNA5SAK", "worker_id": "A3TTGSUBIK1YCL"}], "B0868CP39L": [{"asin": "B0868CP39L", "instruction": "i am looking a long lasting hair cutting kits for hair salon color :sugur skull and flower", "attributes": ["long lasting", "hair salon", "hair cutting", "dry hair"], "options": ["color: sugar skull and flowers"], "instruction_attributes": ["long lasting", "hair salon", "hair cutting"], "instruction_options": ["sugar skull and flowers"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8NZ2LWC", "worker_id": "A3N9ZYQAESNFQH"}], "B09SZM3FZP": [{"asin": "B09SZM3FZP", "instruction": "i am interested in buying shampoo for hair treatment.", "attributes": ["hair treatment", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hair treatment"], "instruction_options": [], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPXUIK06", "worker_id": "AJY5G987IRT25"}], "B09NYG6X57": [{"asin": "B09NYG6X57", "instruction": "i am looking for long lasting and nail polish cute blushs makecup palettes of color:c", "attributes": ["cruelty free", "long lasting", "nail polish"], "options": ["color: c"], "instruction_attributes": ["long lasting", "nail polish"], "instruction_options": ["c"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366P72OPZ", "worker_id": "AX2EWYWZM19AZ"}], "B08NFDW21H": [{"asin": "B08NFDW21H", "instruction": "i want a bpa free autobrush brush head replacement for kids.", "attributes": ["bpa free", "cruelty free", "oral hygiene"], "options": ["color: kids", "style: ages 3-4 (2-pack)"], "instruction_attributes": ["bpa free"], "instruction_options": ["kids"], "assignment_id": "37C0GNLMHQDNI94ED11M493QQO8D6O", "worker_id": "A2RBF3IIJP15IH"}], "B08CR8WHD9": [{"asin": "B08CR8WHD9", "instruction": "i want a dual band beelink u59 mini pc with u59 8+256g.", "attributes": ["wall mounted", "dual band"], "options": ["size: u59 8+256g"], "instruction_attributes": ["dual band"], "instruction_options": ["u59 8+256g"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8AEX2WV4", "worker_id": "A2RBF3IIJP15IH"}], "B086Q83NQP": [{"asin": "B086Q83NQP", "instruction": "i want a gluten free cake snack", "attributes": ["gluten free", "nut free", "soy free", "dairy free", "simple ingredients"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGVPEMRD", "worker_id": "AVIEE6LDH0BT5"}], "B07JH1CRTB": [{"asin": "B07JH1CRTB", "instruction": "i want a gluten free gourmet popcorn", "attributes": ["gluten free", "resealable bag"], "options": ["flavor name: original canister"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWUE779U", "worker_id": "AVIEE6LDH0BT5"}], "B01I4WNGM4": [{"asin": "B01I4WNGM4", "instruction": "i am interested in buying hdmi adapter cable which is compatible with apple, and is of white color while the size should be 6ft", "attributes": ["compatible apple", "1080p hd"], "options": ["color: white 1080p", "size: 6ft"], "instruction_attributes": ["compatible apple"], "instruction_options": ["white 1080p", "6ft"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDPATVRZY", "worker_id": "AJY5G987IRT25"}], "B081XFTW4K": [{"asin": "B081XFTW4K", "instruction": "i am looking for ready to eat peanut butter and jelly", "attributes": ["gmo free", "ready eat", "non gmo"], "options": ["flavor name: peanut butter & jelly", "size: 2.65 ounce (pack of 24)"], "instruction_attributes": ["ready eat"], "instruction_options": ["peanut butter & jelly"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI8DNYQB", "worker_id": "A16M39T60N60NO"}], "B00LMHD160": [{"asin": "B00LMHD160", "instruction": "i want a low carb cake", "attributes": ["low carb", "low calorie", "fat free", "sugar free"], "options": ["flavor: cheddar cheese", "size: 0.17 ounce (pack of 6)"], "instruction_attributes": ["low carb"], "instruction_options": [], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUVOBCMX", "worker_id": "AVIEE6LDH0BT5"}], "B09KGR7K6Q": [{"asin": "B09KGR7K6Q", "instruction": "i am looking for a grey bunk bed with slats made of solid wood.", "attributes": ["space saving", "solid wood"], "options": ["color: grey"], "instruction_attributes": ["solid wood"], "instruction_options": ["grey"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB1915W7", "worker_id": "AHU9OLV0YKIIW"}], "B096XF18FL": [{"asin": "B096XF18FL", "instruction": "i am looking for ultra hd surveillance dvr kits", "attributes": ["ultra hd", "plug play", "motion detection"], "options": [""], "instruction_attributes": ["ultra hd"], "instruction_options": [], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GD0SUKLG", "worker_id": "A2MSIFDLOHI1UT"}], "B00JWJEYCU": [{"asin": "B00JWJEYCU", "instruction": "i want a red ergonomic office chair with lumbar support.", "attributes": ["high density", "lumbar support"], "options": ["color: red", "size: 2"], "instruction_attributes": ["lumbar support"], "instruction_options": ["red"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YO0LTNX", "worker_id": "A2RBF3IIJP15IH"}], "B09KBD72NV": [{"asin": "B09KBD72NV", "instruction": "i'm looking for a plant based, non-dairy milk maker. also choose white milkmade with 6 storage glass one.", "attributes": ["non dairy", "plant based"], "options": ["style: white milkmade with 6 storage glass cara..."], "instruction_attributes": ["non dairy", "plant based"], "instruction_options": ["white milkmade with 6 storage glass cara..."], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI1AHCCP", "worker_id": "AR0VJ5XRG16UJ"}], "B097CC8FNN": [{"asin": "B097CC8FNN", "instruction": "i am looking for oral hygiene dental tools of design: set of 4", "attributes": ["stainless steel", "oral hygiene"], "options": ["design: set of 4 (dental hygiene kit)"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["set of 4 (dental hygiene kit)"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBNBIG2G", "worker_id": "AX2EWYWZM19AZ"}], "B09423373K": [{"asin": "B09423373K", "instruction": "i am looking for oily skin to instantly remove excess oil & shine in easy use", "attributes": ["oil free", "easy use"], "options": [""], "instruction_attributes": ["oil free", "easy use"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33O26P2U", "worker_id": "A2MSIFDLOHI1UT"}], "B09DYK18MN": [{"asin": "B09DYK18MN", "instruction": "find boots with arch support", "attributes": ["knee high", "high heel", "arch support"], "options": ["color: z6-white", "size: 7"], "instruction_attributes": ["arch support"], "instruction_options": [], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK7M7YYH", "worker_id": "AVIEE6LDH0BT5"}], "B07PWVF9W8": [{"asin": "B07PWVF9W8", "instruction": "i want to buy dual usb 3.0 male to usb 3.0 female auxiliary which is fast charging and is square dual usb 3.0", "attributes": ["heavy duty", "fast charging", "easy install", "usb port"], "options": ["style: square dual usb3.0"], "instruction_attributes": ["fast charging"], "instruction_options": ["square dual usb3.0"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9R6DOXP", "worker_id": "AJY5G987IRT25"}], "B09NNXGPDN": [{"asin": "B09NNXGPDN", "instruction": "i am looking for a cupcake topper for a birthday party. also choose gold with 35th pattern name.", "attributes": ["cupcake picks", "birthday party"], "options": ["pattern name: gold 35th"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold 35th"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RZ439QY", "worker_id": "A2HMEGTAFO0CS8"}], "B0915MFNJ5": [{"asin": "B0915MFNJ5", "instruction": "i'm looking for a daily casual wear gym shorts with elastic waistband for men. also, choose small, army green colored one.", "attributes": ["daily casual", "elastic waistband"], "options": ["color: army green", "size: small"], "instruction_attributes": ["daily casual", "elastic waistband"], "instruction_options": ["army green", "small"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM97PS4GE", "worker_id": "AR0VJ5XRG16UJ"}], "B07ZJBRDYC": [{"asin": "B07ZJBRDYC", "instruction": "i'm looking for eco friendly window curtain panels for living room and dining room. also, choose 27.5\" * 39\" *2 panels with christmas-049zse9572 colored one.", "attributes": ["eco friendly", "living room", "dining room"], "options": ["color: christmas-049zse9572", "size: 27.5'' x 39'' x 2 panels"], "instruction_attributes": ["eco friendly", "living room", "dining room"], "instruction_options": ["christmas-049zse9572", "27.5'' x 39'' x 2 panels"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34GL41L", "worker_id": "AR0VJ5XRG16UJ"}], "B0969ZRVJP": [{"asin": "B0969ZRVJP", "instruction": "i'm looking for personalized photo and name flip flops that are non slip and have memory foam. also, i need them in black.", "attributes": ["open toe", "non slip", "memory foam"], "options": ["color: black", "size: 6 women | 6 men"], "instruction_attributes": ["non slip", "memory foam"], "instruction_options": ["black"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OJ8MMF", "worker_id": "A34EHWOYRBL6OZ"}], "B08C2FVNQ9": [{"asin": "B08C2FVNQ9", "instruction": "i am looking for an easy to use hair dye that is natural and coffee colored.", "attributes": ["easy use", "hair dye"], "options": ["color: coffee"], "instruction_attributes": ["easy use", "hair dye"], "instruction_options": ["coffee"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREK8J2T", "worker_id": "A114NK7T5673GK"}], "B07KZSKGCX": [{"asin": "B07KZSKGCX", "instruction": "i am looking for a certified refurbished inkjet printer.", "attributes": ["certified refurbished", "dual band", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3UP56JS", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KRTFSD2": [{"asin": "B07KRTFSD2", "instruction": "i'm searching for natural permanent hair dye , 6g light golden brown color, 1 count", "attributes": ["permanent hair", "hair dye"], "options": ["color: 6g light golden brown", "size: 1 count"], "instruction_attributes": ["hair dye"], "instruction_options": ["1 count"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJICZ8W", "worker_id": "A258PTOZ3D2TQR"}], "B09N8PQHRK": [{"asin": "B09N8PQHRK", "instruction": "i need high quality perm rod curlers for natural hair styling. pick one in orange color.", "attributes": ["easy use", "non slip", "long lasting", "high quality", "hair styling", "natural hair"], "options": ["color: orange color", "size: 0.98 inch"], "instruction_attributes": ["high quality", "hair styling", "natural hair"], "instruction_options": ["orange color"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35J6GU0", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09N8PQHRK", "instruction": "i would like a 0.28 inch gray hair rollers for natural hair.", "attributes": ["easy use", "non slip", "long lasting", "high quality", "hair styling", "natural hair"], "options": ["color: gray color", "size: 0.28 inch"], "instruction_attributes": ["natural hair"], "instruction_options": ["gray color", "0.28 inch"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBH3DJE", "worker_id": "A1WS884SI0SLO4"}], "B09B94Q73Z": [{"asin": "B09B94Q73Z", "instruction": "i would like to search for a tennis fashioned women running sneakers in black color preferably with ankle strap.", "attributes": ["arch support", "ankle strap"], "options": ["color: z3-black", "size: 6"], "instruction_attributes": ["ankle strap"], "instruction_options": ["z3-black"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5BM1ZS", "worker_id": "A14BSOU2Y5JNT0"}], "B07HPBFS5S": [{"asin": "B07HPBFS5S", "instruction": "i'm looking for some easy to use body paint. get the one in rose gold.", "attributes": ["easy use", "high quality"], "options": ["color: rose gold"], "instruction_attributes": ["easy use"], "instruction_options": ["rose gold"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6T9VNMT", "worker_id": "A34QZDSTKZ3JO9"}], "B093GK3SS8": [{"asin": "B093GK3SS8", "instruction": "i need dusty pink mid century bar stools that don't have open backs.", "attributes": ["mid century", "easy assemble", "metal legs"], "options": ["color: dusty pink", "size: no open back"], "instruction_attributes": ["mid century"], "instruction_options": ["dusty pink", "no open back"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDEH2OU", "worker_id": "A2RBF3IIJP15IH"}], "B09NRZ5KGB": [{"asin": "B09NRZ5KGB", "instruction": "i'm looking for a heavy duty queen sized bed frame in a rustic brown color.", "attributes": ["space saving", "queen size", "heavy duty", "easy assemble", "box spring", "storage space"], "options": ["color: rustic brown", "size: full"], "instruction_attributes": ["queen size", "heavy duty"], "instruction_options": ["rustic brown"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3CCBVQ", "worker_id": "A34QZDSTKZ3JO9"}], "B00GJ782FI": [{"asin": "B00GJ782FI", "instruction": "i am looking for high quality nail polish of fijji color.", "attributes": ["long lasting", "high quality", "rose gold", "nail polish"], "options": ["color: fiji", "size: 2-count"], "instruction_attributes": ["high quality"], "instruction_options": ["fiji"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QNFXOX", "worker_id": "A3FG5PQHG5AH3Y"}], "B097T1434V": [{"asin": "B097T1434V", "instruction": "can you find me a pair of men's slippers with memory foam and rubber soles? i want the ones that are khaki and either 10.5 or 11.", "attributes": ["anti slip", "non slip", "memory foam", "rubber sole", "faux fur", "arch support"], "options": ["color: khaki", "size: 10.5-11"], "instruction_attributes": ["memory foam", "rubber sole"], "instruction_options": ["khaki", "10.5-11"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4X8XY2", "worker_id": "A34QZDSTKZ3JO9"}], "B098NCCPPC": [{"asin": "B098NCCPPC", "instruction": "i am looking for a clear glass shade, vanity light with black and brushed nickel finish.", "attributes": ["easy install", "easy assemble", "glass shade", "nickel finish", "brushed nickel", "vanity light", "clear glass"], "options": ["color: black and brushed nickel", "size: 2-light"], "instruction_attributes": ["glass shade", "nickel finish", "brushed nickel", "vanity light", "clear glass"], "instruction_options": ["black and brushed nickel"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQLIP03", "worker_id": "A1NF6PELRKACS9"}], "B08J5QX1WS": [{"asin": "B08J5QX1WS", "instruction": "i'm looking for a lactose free and gluten free nutrition bar. i want to get the one that is available in the 24 count.", "attributes": ["lactose free", "gluten free", "high protein"], "options": ["size: 24 count (3 packs of 8)"], "instruction_attributes": ["lactose free", "gluten free"], "instruction_options": ["24 count (3 packs of 8)"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOAX1WJ", "worker_id": "A34QZDSTKZ3JO9"}], "B09NVD36XN": [{"asin": "B09NVD36XN", "instruction": "i am looking for some purple, woman's shoes in size 8 that have an anti-slip, rubber sole.", "attributes": ["anti slip", "quality materials", "rubber sole"], "options": ["color: purple", "size: 8"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["purple", "8"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK875A55", "worker_id": "A114NK7T5673GK"}], "B08BZXG337": [{"asin": "B08BZXG337", "instruction": "i am looking for purple accent side table end which is easy to clean.", "attributes": ["assembly required", "easy clean"], "options": ["color: purple"], "instruction_attributes": ["easy clean"], "instruction_options": ["purple"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UA03AS", "worker_id": "A3FG5PQHG5AH3Y"}], "B09S3RBNNG": [{"asin": "B09S3RBNNG", "instruction": "i'm looking for a easy to install ottoman bench with handle made of faux leather. also, choose grey colored one.", "attributes": ["easy install", "faux leather"], "options": ["color: grey"], "instruction_attributes": ["easy install", "faux leather"], "instruction_options": ["grey"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G72L74L", "worker_id": "AR0VJ5XRG16UJ"}], "B098PH8LVY": [{"asin": "B098PH8LVY", "instruction": "i would like a color 15 72\" w x 63\" panel that is machine washable.", "attributes": ["hand painted", "machine washable", "long lasting"], "options": ["color: color15", "size: 72\" w x 63\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["72\" w x 63\" l"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4JZPKK", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B098PH8LVY", "instruction": "i'm looking for curtains for machinable products.", "attributes": ["hand painted", "machine washable", "long lasting"], "options": ["color: color03", "size: 72\" w x 84\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["color03"], "assignment_id": "3P4MQ7TPP8M09ONPVWROKZ1I0P3BB1", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B098PH8LVY", "instruction": "i am looking for 2 window panels that are 108\" wide and 84\" in length that are machine washable.", "attributes": ["hand painted", "machine washable", "long lasting"], "options": ["color: color21", "size: 108\" w x 84\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["108\" w x 84\" l"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK6Z3JV", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B098PH8LVY", "instruction": "i want machine washable dream catcher light proof curtains that is 55\" w x 45\" l.", "attributes": ["hand painted", "machine washable", "long lasting"], "options": ["color: color31", "size: 55\" w x 45\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["55\" w x 45\" l"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4WN0HS", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B098PH8LVY", "instruction": "i want hand painted window covering curtain panels. the size should be 52\" wide and 63\" in length.", "attributes": ["hand painted", "machine washable", "long lasting"], "options": ["color: color11", "size: 52\" w x 63\" l"], "instruction_attributes": ["hand painted"], "instruction_options": ["52\" w x 63\" l"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUI0R38", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B098PH8LVY", "instruction": "i am looking for some machine washable curtains in the side 52\" by 63\"", "attributes": ["hand painted", "machine washable", "long lasting"], "options": ["color: color02", "size: 52\" w x 63\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["52\" w x 63\" l"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCGUJSN", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B098PH8LVY", "instruction": "i saw hand painted with size 96\" w x 90\"", "attributes": ["hand painted", "machine washable", "long lasting"], "options": ["color: color03", "size: 96\" w x 90\" l"], "instruction_attributes": ["hand painted"], "instruction_options": [], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWXPC11", "worker_id": "A226L9F2AZ38CL"}], "B0944C6L42": [{"asin": "B0944C6L42", "instruction": "i would like some medium brown hair building fibers for my hair loss.", "attributes": ["cruelty free", "hair loss", "natural hair"], "options": ["color: medium brown"], "instruction_attributes": ["hair loss"], "instruction_options": ["medium brown"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMMVWRSR", "worker_id": "A1WS884SI0SLO4"}], "B006H7YNNA": [{"asin": "B006H7YNNA", "instruction": "find me the 2-pack of trader joe's chocolate covered peppermint joe's cookies.", "attributes": ["trader joe", "chocolate covered"], "options": [""], "instruction_attributes": ["chocolate covered"], "instruction_options": [], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZCI7AX", "worker_id": "A1CB72B51L7TKE"}], "B079B43M9T": [{"asin": "B079B43M9T", "instruction": "i want to get some baked fresh pretzels. can you get me 6 of them?", "attributes": ["baked fresh", "artificial colors"], "options": ["number of items: 6"], "instruction_attributes": ["baked fresh"], "instruction_options": ["6"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXOYYLH", "worker_id": "A34QZDSTKZ3JO9"}], "B084P6N9MN": [{"asin": "B084P6N9MN", "instruction": "i want an elastic waist beach shorts that is xx-large in size.", "attributes": ["loose fit", "elastic waist", "elastic closure", "drawstring closure", "daily wear"], "options": ["color: 6721_lilac", "size: xx-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["xx-large"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N2AT7D", "worker_id": "A1NF6PELRKACS9"}], "B08MJRJDNT": [{"asin": "B08MJRJDNT", "instruction": "i would like a 10x8ft light weight photo background for my studio that looks good on digital photography.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 10x8ft"], "instruction_attributes": ["light weight", "digital photography"], "instruction_options": ["10x8ft"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AGNSTZ", "worker_id": "A1WS884SI0SLO4"}], "B09QPN25MK": [{"asin": "B09QPN25MK", "instruction": "i'm looking for a short sleeve shirt with a button down closure. get the one in 3xl.", "attributes": ["long lasting", "button closure", "polyester spandex", "short sleeve", "tumble dry"], "options": ["color: multi10", "size: 3x-large"], "instruction_attributes": ["button closure", "short sleeve"], "instruction_options": ["3x-large"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPV0XTN", "worker_id": "A34QZDSTKZ3JO9"}], "B081CRX2WY": [{"asin": "B081CRX2WY", "instruction": "can you find me a stainless steel band for my smartwatch? i need it to be 24 mm.", "attributes": ["quick release", "stainless steel"], "options": ["color: croc grey band", "size: 24mm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["24mm"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69ITP8N", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B081CRX2WY", "instruction": "i want a 20mm stainless steel handmade alligator leather watch band.", "attributes": ["quick release", "stainless steel"], "options": ["color: croc navy blue band + white hand stitching", "size: 20mm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["20mm"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP85U7ZJ", "worker_id": "A2RBF3IIJP15IH"}], "B08TCD5LNW": [{"asin": "B08TCD5LNW", "instruction": "i would like a color12 hair cutting kit that is easy to clean.", "attributes": ["easy clean", "hair cutting"], "options": ["color: color12"], "instruction_attributes": ["easy clean"], "instruction_options": ["color12"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJOQBX1", "worker_id": "A1WS884SI0SLO4"}], "B00JKK43AO": [{"asin": "B00JKK43AO", "instruction": "i am looking for a certified organic and caffeine free tea that is licorice root flavored and comes in pack of 16.", "attributes": ["caffeine free", "certified organic", "non gmo"], "options": ["flavor name: licorice root", "size: 16 count (pack of 4)"], "instruction_attributes": ["caffeine free", "certified organic"], "instruction_options": ["licorice root", "16 count (pack of 4)"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS19WXC0", "worker_id": "A114NK7T5673GK"}, {"asin": "B00JKK43AO", "instruction": "i am looking for caffeine free herbal leaf tea having hibiscus flavor.", "attributes": ["caffeine free", "certified organic", "non gmo"], "options": ["flavor name: hibiscus", "size: 16 count (pack of 4)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["hibiscus"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLU8DAX", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00JKK43AO", "instruction": "i would like a 32 count box of individually wrapped moringa with spearmint and sage tea bags that are certified organic.", "attributes": ["caffeine free", "certified organic", "non gmo"], "options": ["flavor name: moringa with spearmint & sage", "size: 32 count (pack of 3)"], "instruction_attributes": ["certified organic"], "instruction_options": ["moringa with spearmint & sage", "32 count (pack of 3)"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OVFOPN", "worker_id": "A1WS884SI0SLO4"}], "B09JPJX8RS": [{"asin": "B09JPJX8RS", "instruction": "i am looking for hair growth treatment for damaged hair. find me a pack of 2.", "attributes": ["natural ingredients", "hair growth", "hair treatment", "damaged hair"], "options": [""], "instruction_attributes": ["hair growth", "hair treatment", "damaged hair"], "instruction_options": [], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBMFEJ5", "worker_id": "A1NF6PELRKACS9"}], "B07ZDM9HBC": [{"asin": "B07ZDM9HBC", "instruction": "need a flavor syrup that is gluten free and comes in a 12oz size.", "attributes": ["non alcoholic", "artificial ingredients", "non gmo", "gluten free"], "options": ["flavor name: peach", "size: 12 fl oz (pack of 1)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V0U2UW", "worker_id": "A1MJVTR0PCKBWW"}, {"asin": "B07ZDM9HBC", "instruction": "i want non gmo liquid alchemist blood orange for cocktails.", "attributes": ["non alcoholic", "artificial ingredients", "non gmo", "gluten free"], "options": ["flavor name: blood orange", "size: 12 ounce"], "instruction_attributes": ["non gmo"], "instruction_options": ["blood orange"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7K037EX", "worker_id": "A2RBF3IIJP15IH"}], "B08JCRSWH6": [{"asin": "B08JCRSWH6", "instruction": "i am looking for a power amplifier that is silver.", "attributes": ["power amplifier", "high power", "high performance", "aluminum alloy"], "options": ["color: silver"], "instruction_attributes": ["power amplifier"], "instruction_options": ["silver"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7U9SDQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B0922YSW2X": [{"asin": "B0922YSW2X", "instruction": "i'm looking for 3x-large women's top which will be a great gift for plus size women. ensure to pick the one with blakc color.", "attributes": ["great gift", "perfect gift"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["great gift"], "instruction_options": ["black", "3x-large"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB94YN8X", "worker_id": "A1HMZJ59OPLD1P"}], "B07SBCQXXG": [{"asin": "B07SBCQXXG", "instruction": "i would like a small blue blazer that can be dry cleaned.", "attributes": ["button closure", "dry clean"], "options": ["color: blue", "size: small"], "instruction_attributes": ["button closure"], "instruction_options": ["blue", "small"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OE6TRE", "worker_id": "A1WS884SI0SLO4"}], "B08BX7GW4N": [{"asin": "B08BX7GW4N", "instruction": "i need 2-pack dark chocolate almond bars that are gluten free.", "attributes": ["low carb", "gluten free", "sugar free", "individually wrapped", "grain free", "chocolate covered", "low sugar", "low calorie", "keto friendly"], "options": ["flavor name: 2-pack dark chocolate almond"], "instruction_attributes": ["gluten free"], "instruction_options": ["2-pack dark chocolate almond"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XK72ENT", "worker_id": "A2RBF3IIJP15IH"}], "B08DQSR5N6": [{"asin": "B08DQSR5N6", "instruction": "i am looking for a kerating detangler spray that is effective at stimulating hair growth.", "attributes": ["hair treatment", "dry hair", "hair growth"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOU4O7X", "worker_id": "A1HMZJ59OPLD1P"}], "B09FZKCTVV": [{"asin": "B09FZKCTVV", "instruction": "i need a perfect sugar fruit gift basket for halloween party. it should be easy to use.", "attributes": ["easy use", "perfect gift"], "options": [""], "instruction_attributes": ["easy use", "perfect gift"], "instruction_options": [], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98O1KY8", "worker_id": "A1NF6PELRKACS9"}], "B0927MLTZZ": [{"asin": "B0927MLTZZ", "instruction": "i need a stainless steel gua sha set that includes the roller and box.", "attributes": ["stainless steel", "dark circles", "fine lines"], "options": ["color: roller and box"], "instruction_attributes": ["stainless steel"], "instruction_options": ["roller and box"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AH7EO8", "worker_id": "A2RBF3IIJP15IH"}], "B09DGV3RC7": [{"asin": "B09DGV3RC7", "instruction": "can you find me a pair of open toe rubber sole pumps? get me the black one in 5.5.", "attributes": ["open toe", "rubber sole"], "options": ["color: black", "size: 5.5"], "instruction_attributes": ["open toe", "rubber sole"], "instruction_options": ["black", "5.5"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LROOBZY", "worker_id": "A34QZDSTKZ3JO9"}], "B09PBL7FCR": [{"asin": "B09PBL7FCR", "instruction": "i am looking for grey color women sandals.it must have steel toe.", "attributes": ["quick drying", "day comfort", "open toe", "steel toe", "memory foam"], "options": ["color: grey", "size: 10.5"], "instruction_attributes": ["steel toe"], "instruction_options": ["grey"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAXYA8Z", "worker_id": "A3FG5PQHG5AH3Y"}], "B09PG8VYL8": [{"asin": "B09PG8VYL8", "instruction": "i am looking for valentine d\u00e9cor for my living room.", "attributes": ["exquisite workmanship", "living room"], "options": ["size: 52x90inx2"], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP6XLDVW", "worker_id": "A2KW17G25L25R8"}, {"asin": "B09PG8VYL8", "instruction": "i am looking for window treatment panels for living room and size should be 52x84 inx2.", "attributes": ["exquisite workmanship", "living room"], "options": ["size: 52x84inx2"], "instruction_attributes": ["living room"], "instruction_options": ["52x84inx2"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU75H573", "worker_id": "A3FG5PQHG5AH3Y"}], "B09P6CDSG5": [{"asin": "B09P6CDSG5", "instruction": "i need a box spring bunk bed. pick a grey one with slide.", "attributes": ["white item", "box spring"], "options": ["color: grey with slide", "size: twin over twin"], "instruction_attributes": ["box spring"], "instruction_options": ["grey with slide"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYFKLQ4", "worker_id": "A1NF6PELRKACS9"}], "B09CZBG4RW": [{"asin": "B09CZBG4RW", "instruction": "i am looking for variety pack of gluten free energy drinks.", "attributes": ["low calorie", "soy free", "keto friendly", "plant based", "non gmo", "gluten free", "artificial flavors"], "options": ["flavor name: variety pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["variety pack"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKC8K7HM", "worker_id": "A3FG5PQHG5AH3Y"}], "B01NBVCWP8": [{"asin": "B01NBVCWP8", "instruction": "i want to update the living room and need a bronze light fixture. i want you to buy one that is a sconce in the industrial style with clear glass globe shade.", "attributes": ["clear glass", "light fixture"], "options": ["color: bronze"], "instruction_attributes": ["light fixture"], "instruction_options": ["bronze"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8ODVTR1", "worker_id": "A33B85TN97HQ33"}], "B01D9HSULQ": [{"asin": "B01D9HSULQ", "instruction": "i need a hyaluronic acid lotion that is unscented.", "attributes": ["paraben free", "hyaluronic acid"], "options": ["style: unscented"], "instruction_attributes": ["hyaluronic acid"], "instruction_options": ["unscented"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L4RERH", "worker_id": "A2RBF3IIJP15IH"}], "B09N8HH539": [{"asin": "B09N8HH539", "instruction": "i'm searching for blue color autumn winter shoes of open toe style and size 8.", "attributes": ["knee high", "open toe", "steel toe"], "options": ["color: blue", "size: 8"], "instruction_attributes": ["open toe"], "instruction_options": ["blue", "8"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IE3M20", "worker_id": "A258PTOZ3D2TQR"}], "B08TMN2DVH": [{"asin": "B08TMN2DVH", "instruction": "i want a low fat cereal that is also sugar free.", "attributes": ["low fat", "0g trans"], "options": [""], "instruction_attributes": ["low fat"], "instruction_options": [], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLUJBY6", "worker_id": "A1NF6PELRKACS9"}], "B07MBD86WN": [{"asin": "B07MBD86WN", "instruction": "i'm looking for an anti aging face mask with jojoba seed oil to restore my skin's vitality.", "attributes": ["anti aging", "cruelty free", "seed oil"], "options": ["color: vitality"], "instruction_attributes": ["anti aging", "seed oil"], "instruction_options": ["vitality"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS354015BMU7", "worker_id": "A3EDFA8UQT5GG8"}], "B078N2XRNB": [{"asin": "B078N2XRNB", "instruction": "i would like a pound of non gmo oatmeal", "attributes": ["non gmo", "old fashioned", "dietary fiber"], "options": ["size: 1 pound (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP6EQDP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07FYPSNH8": [{"asin": "B07FYPSNH8", "instruction": "i am looking for a gluten free, 100% vegan plant based protein shake that is soy-free.", "attributes": ["nut free", "soy free", "plant based", "lactose free", "low sugar", "gluten free", "shelf stable", "dairy free", "non gmo", "artificial colors"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKGXD7P", "worker_id": "A1EREKSZAA9V7B"}], "B07QLJXLKX": [{"asin": "B07QLJXLKX", "instruction": "i would like a floor lamp light fixture for my living room.", "attributes": ["light fixture", "living room"], "options": [""], "instruction_attributes": ["light fixture", "living room"], "instruction_options": [], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4PM7KO", "worker_id": "A1WS884SI0SLO4"}], "B08ND3NK5C": [{"asin": "B08ND3NK5C", "instruction": "i need a white maxax feather pendant light for the living room.", "attributes": ["pendant light", "living room"], "options": ["color: white"], "instruction_attributes": ["pendant light", "living room"], "instruction_options": ["white"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLJD4IW", "worker_id": "A2RBF3IIJP15IH"}], "B09Q3DSP3Y": [{"asin": "B09Q3DSP3Y", "instruction": "find me a women's 3 piece brazilian thong bikini set that is machine washable and size large. i need it in color a01#purple.", "attributes": ["wide leg", "butt lifting", "slim fit", "winter warm", "machine wash", "elastic waist", "high waist", "tummy control", "relaxed fit"], "options": ["color: a01#purple", "size: large"], "instruction_attributes": ["machine wash"], "instruction_options": ["a01#purple", "large"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366ONSPOL", "worker_id": "A1CB72B51L7TKE"}], "B00YJG4GVU": [{"asin": "B00YJG4GVU", "instruction": "i'm searching for a black color 150-inch | 16:9, ultra hd and light weight projector screen", "attributes": ["ultra hd", "light weight"], "options": ["color: black", "size: 150-inch | 16:9", "style: ezframe cg5d"], "instruction_attributes": ["ultra hd", "light weight"], "instruction_options": ["black", "150-inch | 16:9"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTJK6OG", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B00YJG4GVU", "instruction": "i am looking for a cinewhite sable frame series ultra hd projection material .i prefer light weight.", "attributes": ["ultra hd", "light weight"], "options": ["color: cinewhite", "size: 115\" | 2.35:1", "style: sable frame series"], "instruction_attributes": ["ultra hd", "light weight"], "instruction_options": ["cinewhite", "sable frame series"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM5HZHY", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B00YJG4GVU", "instruction": "i'm looking for a 135 inch light weight projection screen.", "attributes": ["ultra hd", "light weight"], "options": ["color: powergain", "size: 135-inch | 2.35:1", "style: sable frame"], "instruction_attributes": ["light weight"], "instruction_options": ["135-inch | 2.35:1"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401BKUM0", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B00YJG4GVU", "instruction": "i would like a 92\" powergain ezframe cg5d series projection screen that is ultra hd.", "attributes": ["ultra hd", "light weight"], "options": ["color: powergain", "size: 92\" | 16:9", "style: ezframe cg5d series"], "instruction_attributes": ["ultra hd"], "instruction_options": ["powergain", "92\" | 16:9", "ezframe cg5d series"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R9UR0X", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00YJG4GVU", "instruction": "i am interested in an ultra hd projection screen that is 92\"", "attributes": ["ultra hd", "light weight"], "options": ["color: cinegrey 5d", "size: 92\" | 16:9", "style: cinegrey 3d"], "instruction_attributes": ["ultra hd"], "instruction_options": ["92\" | 16:9"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYH1LQP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NZML351": [{"asin": "B07NZML351", "instruction": "i am looking for contemporary design featuring clean lines and smooth upholstery, storage ottoman offers the look, feel, and design of a truly contemporary piece. with a minimalistic yet refined structure, this piece brings out a simplistic style that emphasizes comfort and functionality of christopher knight home bancroft lift-top storage ottoman.", "attributes": ["storage space", "contemporary design"], "options": [""], "instruction_attributes": ["storage space", "contemporary design"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKGVD7N", "worker_id": "A1DRKZ3SCLAS4V"}], "B0966FVJ5N": [{"asin": "B0966FVJ5N", "instruction": "i need easy to install window films that are multicolored and are 123.6\" by 78.7\".", "attributes": ["hand painted", "easy install"], "options": ["color: multi-19818", "size: l23.6\" x h 78.7\""], "instruction_attributes": ["easy install"], "instruction_options": ["multi-19818", "l23.6\" x h 78.7\""], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZMV3K8", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0966FVJ5N", "instruction": "i need a hand psychedelic painted window cover that is multi-19818 color and about l23.6\" x h 35.4\".", "attributes": ["hand painted", "easy install"], "options": ["color: multi-19818", "size: l23.6\" x h 35.4\""], "instruction_attributes": ["hand painted"], "instruction_options": ["multi-19818", "l23.6\" x h 35.4\""], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7XVWZTK", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B0966FVJ5N", "instruction": "i need some multicolored window films that are easy to install.", "attributes": ["hand painted", "easy install"], "options": ["color: multi-19826", "size: l23.6\" x h 35.4\""], "instruction_attributes": ["easy install"], "instruction_options": ["multi-19826"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK88NVN", "worker_id": "A2ECRNQ3X5LEXD"}], "B083SRWLJD": [{"asin": "B083SRWLJD", "instruction": "i am looking for an intel core i5 desktop pc.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5", "intel core"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1EVU30", "worker_id": "A1NF6PELRKACS9"}], "B09M8TSCXP": [{"asin": "B09M8TSCXP", "instruction": "i am looking for a blue toothbrush for kids that is easy to use for ages 2-6.", "attributes": ["teeth whitening", "easy use", "long handle"], "options": ["color: a02#blue", "size: age 2-6"], "instruction_attributes": ["easy use"], "instruction_options": ["a02#blue", "age 2-6"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUG3S4Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B07V5FHPWR": [{"asin": "B07V5FHPWR", "instruction": "can you get me a machine washable throw? get me one that is 30x40 inches.", "attributes": ["super soft", "machine washable", "easy clean"], "options": ["color: a627", "size: 30 in x 40 in"], "instruction_attributes": ["machine washable"], "instruction_options": ["30 in x 40 in"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYFFQL4", "worker_id": "A34QZDSTKZ3JO9"}], "B005GPWCPA": [{"asin": "B005GPWCPA", "instruction": "i'm looking for 16 plus petite women pant with regular fit and easy to care. also, choose vivid blue colored one", "attributes": ["easy care", "regular fit"], "options": ["color: vivid blue", "size: 16 plus petite"], "instruction_attributes": ["easy care", "regular fit"], "instruction_options": ["vivid blue", "16 plus petite"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK38VN6W", "worker_id": "AR0VJ5XRG16UJ"}], "B093Y7Q1RR": [{"asin": "B093Y7Q1RR", "instruction": "i need a heavy duty desk chair for my office. get me one that is easy to assemble though.", "attributes": ["heavy duty", "easy assemble", "pu leather"], "options": [""], "instruction_attributes": ["heavy duty", "easy assemble"], "instruction_options": [], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2IUNY2", "worker_id": "A34QZDSTKZ3JO9"}], "B08B51Q53Z": [{"asin": "B08B51Q53Z", "instruction": "i am looking for a vegan gourmet food gift basket with 4 bars.", "attributes": ["individually wrapped", "high fructose", "natural ingredients", "gift basket"], "options": ["size: 4 bars"], "instruction_attributes": ["gift basket"], "instruction_options": ["4 bars"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWTVC79W", "worker_id": "A1EREKSZAA9V7B"}], "B08YRH7DJR": [{"asin": "B08YRH7DJR", "instruction": "i am looking for a long lasting perfume.", "attributes": ["design house", "long lasting", "fine mist"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZUCNCU", "worker_id": "A2ECRNQ3X5LEXD"}], "B08YK7NVGD": [{"asin": "B08YK7NVGD", "instruction": "i need a liwin black wireless 3 in 1 qi-certified 15w fast charging station", "attributes": ["compatible apple", "fast charging", "non slip", "wireless charging"], "options": ["color: black"], "instruction_attributes": ["fast charging", "wireless charging"], "instruction_options": ["black"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2NF5M3", "worker_id": "A1HMZJ59OPLD1P"}], "B08VHM34R6": [{"asin": "B08VHM34R6", "instruction": "i am looking for shoes that are grey and light blue with a rubber sole in a size 11-11.5 women.", "attributes": ["non slip", "moisture wicking", "rubber sole", "rubber outsole"], "options": ["color: grey | light blue", "size: 11-11.5 women | 9.5-10 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["grey | light blue", "11-11.5 women | 9.5-10 men"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9P178E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PL9FJRH": [{"asin": "B09PL9FJRH", "instruction": "i need a pink peach colored cruelty free blush.", "attributes": ["cruelty free", "eye shadow", "nail polish"], "options": ["color: d", "size: d"], "instruction_attributes": ["cruelty free"], "instruction_options": ["d"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1BO080", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09PL9FJRH", "instruction": "i would like a size a color f face cruelty free brush.", "attributes": ["cruelty free", "eye shadow", "nail polish"], "options": ["color: f", "size: a"], "instruction_attributes": ["cruelty free"], "instruction_options": ["f", "a"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO9A33G", "worker_id": "A1WS884SI0SLO4"}], "B07GW9Q8FH": [{"asin": "B07GW9Q8FH", "instruction": "i would like to purchase a 0.4 ounce hyaluronic acid water proof concealer that can help to improve the appearance of dark circles. the one with the 20.0 medium (n) color is preferable.", "attributes": ["anti aging", "highly pigmented", "long lasting", "hyaluronic acid", "dark circles"], "options": ["color: 20.0 medium (n)", "size: 0.4 ounce"], "instruction_attributes": ["hyaluronic acid", "dark circles"], "instruction_options": ["20.0 medium (n)", "0.4 ounce"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSK4X0C", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B07GW9Q8FH", "instruction": "i need long lasting concealer that is in a light natural and is a pack of one.", "attributes": ["anti aging", "highly pigmented", "long lasting", "hyaluronic acid", "dark circles"], "options": ["color: 13.0 light natural (n)", "size: 0.4 fl oz (pack of 1)"], "instruction_attributes": ["long lasting"], "instruction_options": ["13.0 light natural (n)", "0.4 fl oz (pack of 1)"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34N941N", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07GW9Q8FH", "instruction": "i am looking for anti ageing concealer with hyaluronic acid for dark circles and should be 0.11floz.", "attributes": ["anti aging", "highly pigmented", "long lasting", "hyaluronic acid", "dark circles"], "options": ["color: 20.5 medium sand (w)", "size: 0.11 fl oz"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZI9RP9", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B07GW9Q8FH", "instruction": "my skin included 0.4 size dark circle", "attributes": ["anti aging", "highly pigmented", "long lasting", "hyaluronic acid", "dark circles"], "options": ["color: 15.5 light bronze (c)", "size: 0.4 fl oz"], "instruction_attributes": ["dark circles"], "instruction_options": ["0.4 fl oz"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HS3BP5", "worker_id": "A226L9F2AZ38CL"}], "B093H9TCF8": [{"asin": "B093H9TCF8", "instruction": "i want to buy a pair of but lifting grey skinny jean shorts.", "attributes": ["butt lifting", "button closure"], "options": ["color: gray", "size: xx-large"], "instruction_attributes": ["butt lifting"], "instruction_options": ["gray"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOA3W1K", "worker_id": "A3EDFA8UQT5GG8"}], "B09NNDWMDG": [{"asin": "B09NNDWMDG", "instruction": "i am looking for a long sleeved graphic shirt that is large in size.", "attributes": ["quick drying", "machine washable", "long sleeve", "short sleeve", "laundry bag", "daily wear"], "options": ["color: spring tees-a089-black", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["large"], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YGTS55I", "worker_id": "A1NF6PELRKACS9"}], "B08BZB7F14": [{"asin": "B08BZB7F14", "instruction": "i need a black barber blade cleaning brush with a long handle.", "attributes": ["non slip", "easy carry", "easy clean", "long handle", "hair salon"], "options": ["color: black"], "instruction_attributes": ["long handle"], "instruction_options": ["black"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK39DN6G", "worker_id": "A2RBF3IIJP15IH"}], "B08254Z9ZZ": [{"asin": "B08254Z9ZZ", "instruction": "i need a super soft brown color llama storage ottoman for living room", "attributes": ["spot clean", "super soft", "living room"], "options": ["color: brown", "style: llama"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["brown", "llama"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EAFWS3", "worker_id": "A258PTOZ3D2TQR"}], "B09B22X8TN": [{"asin": "B09B22X8TN", "instruction": "i'd like to buy a queen size bed frame with a dark grey linen headboard.", "attributes": ["queen size", "pu leather", "faux leather", "box spring"], "options": ["color: dark gray linen", "size: king"], "instruction_attributes": ["queen size"], "instruction_options": ["dark gray linen"], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVYW6DII", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B09B22X8TN", "instruction": "i am looking for full size , faux leather and box sping pezzola led bed frame", "attributes": ["queen size", "pu leather", "faux leather", "box spring"], "options": ["color: black pu", "size: full"], "instruction_attributes": ["faux leather", "box spring"], "instruction_options": ["full"], "assignment_id": "37TRT2X24116R7L1JO45INKV8UNJB5", "worker_id": "AX2EWYWZM19AZ"}], "B01M65AA2V": [{"asin": "B01M65AA2V", "instruction": "i want an alcohol and sulfate free perfume for women. look for the poised clean breeze scent.", "attributes": ["alcohol free", "sulfate free", "paraben free", "cruelty free", "long lasting"], "options": ["scent: poised (clean breeze)"], "instruction_attributes": ["alcohol free", "sulfate free"], "instruction_options": ["poised (clean breeze)"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZE6O8G", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01M65AA2V", "instruction": "i'm looking for a women's roll-on perfume from mixologie, called assured. also it needs to be a natural fragrance.", "attributes": ["alcohol free", "sulfate free", "paraben free", "cruelty free", "long lasting"], "options": ["scent: daring (spiked punch)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OLR1H57", "worker_id": "ABYRAWL4BGD3C"}], "B06X17CLQX": [{"asin": "B06X17CLQX", "instruction": "i\u2019d like to find a core i5 micro tower desktop computer; it must have 8 gig of ram and have a 500 gig hard drive.", "attributes": ["core i5", "intel core"], "options": ["style: micro tower | 500 gb hdd | 8g ram | i5 |..."], "instruction_attributes": ["core i5"], "instruction_options": ["micro tower | 500 gb hdd | 8g ram | i5 |..."], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYISM62", "worker_id": "A3LIIE572Z4OG7"}], "B00TJ0PGDS": [{"asin": "B00TJ0PGDS", "instruction": "i am looking for a headset that is certified refurbished.", "attributes": ["certified refurbished", "high performance", "wireless bluetooth"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BINA48Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B076PNSLTT": [{"asin": "B076PNSLTT", "instruction": "i want you to find me a mini desktop computer with intel core. i want the one with no ram, no ssd, and no wifi.", "attributes": ["core i5", "intel core"], "options": ["size: no ram, no ssd, no wifi"], "instruction_attributes": ["intel core"], "instruction_options": ["no ram, no ssd, no wifi"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCFBIP3", "worker_id": "A34QZDSTKZ3JO9"}], "B077LQMF5Y": [{"asin": "B077LQMF5Y", "instruction": "can you find me a formal dress with a lace closure? i'm looking for something in ocean blue in size 24 plus.", "attributes": ["lace closure", "laundry bag"], "options": ["color: ocean blue", "size: 24 plus"], "instruction_attributes": ["lace closure"], "instruction_options": ["ocean blue", "24 plus"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP10753LI1", "worker_id": "A34QZDSTKZ3JO9"}], "B01IAA1O60": [{"asin": "B01IAA1O60", "instruction": "i would like a coffee latte rooted wig made of natural hair.", "attributes": ["synthetic hair", "natural hair"], "options": ["color: coffee latte rooted"], "instruction_attributes": ["natural hair"], "instruction_options": ["coffee latte rooted"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTPS7LS", "worker_id": "A1WS884SI0SLO4"}], "B09NDR2N1Y": [{"asin": "B09NDR2N1Y", "instruction": "find me a loose fitting, long sleeve hoodie for teenage girls. i want the one that is green and in xxl.", "attributes": ["loose fit", "long sleeve", "teen girls"], "options": ["color: b5-green", "size: xx-large"], "instruction_attributes": ["loose fit", "long sleeve", "teen girls"], "instruction_options": ["b5-green", "xx-large"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOUZO7S", "worker_id": "A34QZDSTKZ3JO9"}], "B089T11DM4": [{"asin": "B089T11DM4", "instruction": "i need a z6-black and small short sleeve crop top for women.", "attributes": ["long sleeve", "short sleeve", "elastic closure"], "options": ["color: z6-black", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["z6-black", "small"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z1QXGC", "worker_id": "A2RBF3IIJP15IH"}], "B09DVKC4MV": [{"asin": "B09DVKC4MV", "instruction": "i'm looking for a khaki - light filtering cellular shades of size 67\"w x 39\"h for living room", "attributes": ["easy install", "white item", "easy clean", "living room"], "options": ["color: khaki - light filtering", "size: 67\"w x 39\"h"], "instruction_attributes": ["living room"], "instruction_options": ["khaki - light filtering", "67\"w x 39\"h"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB2H4Y8", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09DVKC4MV", "instruction": "i would like a 88 inch wide by 56 inch tall set of blinds for my living room preferably coffee colored.", "attributes": ["easy install", "white item", "easy clean", "living room"], "options": ["color: coffee - light filtering", "size: 88\"w x 56\"h"], "instruction_attributes": ["living room"], "instruction_options": ["coffee - light filtering", "88\"w x 56\"h"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP52OAM", "worker_id": "A1WS884SI0SLO4"}], "B09QSSCJPZ": [{"asin": "B09QSSCJPZ", "instruction": "i am looking for a dairy free, and soy free vegan mac and cheese, id like to get a four pack of them.", "attributes": ["nut free", "rich creamy", "plant based", "dairy free", "soy free", "non gmo"], "options": [""], "instruction_attributes": ["dairy free", "soy free"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQBFEK4", "worker_id": "A2KW17G25L25R8"}], "B019IOH5F6": [{"asin": "B019IOH5F6", "instruction": "i am looking for a high speed hdmi male to male cable that is gold plated. i need it in a 10 pack.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 3 feet (3-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "hdmi male to male"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KA4PD9", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B019IOH5F6", "instruction": "i am looking for a 1 pack of high speed hdmi cables", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 1 pack", "size: 1.5 feet (5-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["1 pack"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYJO6LI", "worker_id": "A9QRQL9CFJBI7"}], "B0968SKYCF": [{"asin": "B0968SKYCF", "instruction": "i want to get a fully cooked meat pizza. pick out the one that comes in the five pack.", "attributes": ["fully cooked", "0g trans", "natural ingredients"], "options": ["flavor: cheese", "size: 5 pack"], "instruction_attributes": ["fully cooked"], "instruction_options": ["5 pack"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINPW72Y", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B0968SKYCF", "instruction": "ilooking a fully cooked 6 pack meat natural ingredient with sausage supreme flavour", "attributes": ["fully cooked", "0g trans", "natural ingredients"], "options": ["flavor: sausage supreme", "size: 6 pack"], "instruction_attributes": ["fully cooked", "natural ingredients"], "instruction_options": ["sausage supreme", "6 pack"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU1VALR", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B0968SKYCF", "instruction": "i need a bag of pizza pepperoni with natural pizza ingredients.", "attributes": ["fully cooked", "0g trans", "natural ingredients"], "options": ["flavor: sausage supreme", "size: 1.68 pound (pack of 5)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["sausage supreme"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTILD4R", "worker_id": "A19317A3X87NVM"}, {"asin": "B0968SKYCF", "instruction": "i am looking for well cooked frozen chicken pizza with double cheese in a size of 6 pack.", "attributes": ["fully cooked", "0g trans", "natural ingredients"], "options": ["flavor: cheese", "size: 6 pack"], "instruction_attributes": ["fully cooked"], "instruction_options": ["cheese", "6 pack"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP9LDQP", "worker_id": "A2DQZHJHF45NDT"}], "B08Q3TXGFK": [{"asin": "B08Q3TXGFK", "instruction": "i am looking for non-toxic eyelashes that are purple.", "attributes": ["non toxic", "easy carry"], "options": ["color: purple"], "instruction_attributes": ["non toxic"], "instruction_options": ["purple"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39SWUGMX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NVPNVM6": [{"asin": "B09NVPNVM6", "instruction": "i need wireless bluetooth speakers that are red.", "attributes": ["stereo sound", "wireless bluetooth"], "options": ["color: red"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["red"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LBO0LN", "worker_id": "A2ECRNQ3X5LEXD"}], "B08Q41YX7C": [{"asin": "B08Q41YX7C", "instruction": "please help me find a phoenix single cup and saucer that is made of bone china and is easy to clean.", "attributes": ["lead free", "easy clean"], "options": ["color: phoenix single cup and saucer"], "instruction_attributes": ["easy clean"], "instruction_options": ["phoenix single cup and saucer"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKMHSGS", "worker_id": "A3LIIE572Z4OG7"}], "B08Y7YT94L": [{"asin": "B08Y7YT94L", "instruction": "i'm looking for a fruit king crispy tofu stick that is freeze dried and high in protein.", "attributes": ["freeze dried", "high protein"], "options": [""], "instruction_attributes": ["freeze dried", "high protein"], "instruction_options": [], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFO30TJ", "worker_id": "A34EHWOYRBL6OZ"}], "B07KWLQJ53": [{"asin": "B07KWLQJ53", "instruction": "show me a ready to hang horse33 wall art in 16''w x 24''h size for my living room.", "attributes": ["ready hang", "living room", "dining room"], "options": ["color: horse33", "size: 16''w x 24''h"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["horse33", "16''w x 24''h"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN4R8IN", "worker_id": "A3AYHESLQSDY5T"}], "B0829QD7J1": [{"asin": "B0829QD7J1", "instruction": "i'm looking for high heels with open toe and has ankle strap. also choose size 6 with black colored one.", "attributes": ["open toe", "ankle strap"], "options": ["color: black", "size: 6"], "instruction_attributes": ["open toe", "ankle strap"], "instruction_options": ["black", "6"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZD6KMZ", "worker_id": "AR0VJ5XRG16UJ"}], "B0778WH8SD": [{"asin": "B0778WH8SD", "instruction": "i am looking for hand crafted food decoration toopers for birthday parties.", "attributes": ["hand crafted", "baby shower"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4DN510", "worker_id": "A3FG5PQHG5AH3Y"}], "B08RXX825P": [{"asin": "B08RXX825P", "instruction": "i tore my walking shoes today and need new ones. i'd like you to buy me a new pair. my size is 16 wide and the only other thing i care about is that they are made of ethylene vinyl.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: vicuna", "size: 16 wide"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["16 wide"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q7X1H9Z", "worker_id": "A33B85TN97HQ33"}, {"asin": "B08RXX825P", "instruction": "buy a pair of size nine waterproof lace-up walking shoes. they should be made out of vinyl acetate .", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: vicuna", "size: 9 wide"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["9 wide"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTSTL7D", "worker_id": "AR9AU5FY1S3RO"}], "B08X1YXPZM": [{"asin": "B08X1YXPZM", "instruction": "i'm looking for some open toe flats for teen girls. i want the pink one in size 7.", "attributes": ["open toe", "ankle strap", "teen girls"], "options": ["color: z1-hot pink", "size: 7"], "instruction_attributes": ["open toe", "teen girls"], "instruction_options": ["z1-hot pink", "7"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZENMKK", "worker_id": "A34QZDSTKZ3JO9"}], "B08RS6FRVM": [{"asin": "B08RS6FRVM", "instruction": "i would like a 40x120cm roller shade for my living room that's easy to install.", "attributes": ["easy install", "exquisite workmanship", "living room"], "options": ["size: 40x120cm | 16x47in"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["40x120cm | 16x47in"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40SCFYT", "worker_id": "A1WS884SI0SLO4"}], "B0085T88NE": [{"asin": "B0085T88NE", "instruction": "i need a stainless steel pot rack.", "attributes": ["coated steel", "stainless steel"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3YWRV122C39W3PYOSBO9YN35HZKU8N", "worker_id": "A2ECRNQ3X5LEXD"}], "B07MYQH91L": [{"asin": "B07MYQH91L", "instruction": "i am looking for a 12\" darkest brown #2 synthetic hair hair extensions", "attributes": ["hair extensions", "synthetic hair", "hair growth"], "options": ["color: darkest brown #2", "size: 12 inch"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["darkest brown #2", "12 inch"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG2YSLR", "worker_id": "A3N9ZYQAESNFQH"}], "B095PM7DKX": [{"asin": "B095PM7DKX", "instruction": "show me a ready to hang wooden framed wall art poster of nude man or women in 20 x 30 in size.", "attributes": ["ready hang", "living room"], "options": ["color: a-wooden framed", "size: 20 x 30 in"], "instruction_attributes": [], "instruction_options": ["20 x 30 in"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1H96F8", "worker_id": "A3AYHESLQSDY5T"}], "B08B5K6BW5": [{"asin": "B08B5K6BW5", "instruction": "i need a gift set of cookies for the perfect gift that has oreos.", "attributes": ["baked fresh", "perfect gift"], "options": ["flavor name: oreos\u00ae, m&ms\u00ae, and reese\u2019s peanut butter..."], "instruction_attributes": ["perfect gift"], "instruction_options": ["oreos\u00ae, m&ms\u00ae, and reese\u2019s peanut butter..."], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDNLZQS", "worker_id": "A2ECRNQ3X5LEXD"}], "B08SJGT3GL": [{"asin": "B08SJGT3GL", "instruction": "i am looking for a specific perfume fragrance called impression of a poison girl that comes in a travel size.", "attributes": ["travel size", "long lasting"], "options": ["scent: impression of poison girl"], "instruction_attributes": ["travel size"], "instruction_options": ["impression of poison girl"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVOM9XO", "worker_id": "A114NK7T5673GK"}], "B09NKRK5YJ": [{"asin": "B09NKRK5YJ", "instruction": "i am looking for a kids u shaped toothbrush that is high quality and blue or orange in color.", "attributes": ["high quality", "sensitive teeth"], "options": ["color: blue+orange", "size: 6-12 year old"], "instruction_attributes": ["high quality"], "instruction_options": ["blue+orange"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP6YTVDO", "worker_id": "A2KW17G25L25R8"}], "B08BXJ1P9S": [{"asin": "B08BXJ1P9S", "instruction": "i'm looking for space saving storage bins made of pu leather. also, choose 16.5\" thickened in size with burgundy stripe pattern.", "attributes": ["space saving", "pu leather", "storage space"], "options": ["color: burgundy stripe", "size: 16.5\" | thickened"], "instruction_attributes": ["space saving", "pu leather"], "instruction_options": ["burgundy stripe", "16.5\" | thickened"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH0HV1N", "worker_id": "AR0VJ5XRG16UJ"}], "B08M5V1DGG": [{"asin": "B08M5V1DGG", "instruction": "snow white water glow mask cream", "attributes": ["clinically proven", "oil free", "anti aging", "hyaluronic acid"], "options": ["pattern name: 4th generation"], "instruction_attributes": ["oil free"], "instruction_options": ["4th generation"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SQCUDO", "worker_id": "A10OGH5CQBXL5N"}], "B07QFZ6Z8X": [{"asin": "B07QFZ6Z8X", "instruction": "can you find me a pair of men's pleated golf shorts with a button closure and a high waist? i want them in khaki and in size 38.", "attributes": ["button closure", "high waist"], "options": ["color: khaki", "size: 38"], "instruction_attributes": ["button closure", "high waist"], "instruction_options": ["khaki", "38"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0OJAC5", "worker_id": "A34QZDSTKZ3JO9"}], "B09PNRGYNQ": [{"asin": "B09PNRGYNQ", "instruction": "i want to buy a pair of closed toe sandals in size 6. it should have high heels.", "attributes": ["closed toe", "high heel", "ankle strap"], "options": ["color: z1 brown", "size: 6"], "instruction_attributes": ["closed toe", "high heel"], "instruction_options": ["6"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRI7FMC", "worker_id": "A1NF6PELRKACS9"}], "B07VTM5TWH": [{"asin": "B07VTM5TWH", "instruction": "i'm looking for a non slip spotting scopes for bird watching.", "attributes": ["non slip", "bird watching"], "options": [""], "instruction_attributes": ["non slip", "bird watching"], "instruction_options": [], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRPPPWV", "worker_id": "AR0VJ5XRG16UJ"}], "B082M7W64J": [{"asin": "B082M7W64J", "instruction": "find me a high quality 613 bundle with closure hair extension in 14 14 16+12 size.", "attributes": ["high quality", "hair extensions"], "options": ["color: 613 bundles with closure", "size: 14 14 16+12"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["613 bundles with closure", "14 14 16+12"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYPDHV8", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B082M7W64J", "instruction": "i would like a bundle of hair extensions that are 20 inches", "attributes": ["high quality", "hair extensions"], "options": ["color: 613 bundles with closure", "size: 18 | 20 | 20+16 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["613 bundles with closure", "18 | 20 | 20+16 inch"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2AGY77", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QM39K2F": [{"asin": "B09QM39K2F", "instruction": "find me some non-slip steel toe platform shoes for women. i want something in pink in the size 10.5.", "attributes": ["slip resistant", "non slip", "steel toe"], "options": ["color: pink", "size: 10.5"], "instruction_attributes": ["slip resistant", "non slip", "steel toe"], "instruction_options": ["pink", "10.5"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TOSMPK", "worker_id": "A34QZDSTKZ3JO9"}], "B01IEK23A2": [{"asin": "B01IEK23A2", "instruction": "i am looking for an easy clean rug that is red in color.", "attributes": ["spot clean", "easy clean"], "options": ["size: 2 ft x 5 ft"], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3UOXJ6V", "worker_id": "A1NF6PELRKACS9"}], "B07MBVNFXS": [{"asin": "B07MBVNFXS", "instruction": "i need some new yoga wide leg yoga pants. make sure you get me the wocachi brand and that they are plaid. oh, also make sure they are from this years spring/summer collection.", "attributes": ["low rise", "wide leg"], "options": ["color: i-yellow", "size: 4x-large"], "instruction_attributes": ["wide leg"], "instruction_options": ["4x-large"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLIW4ID", "worker_id": "A33B85TN97HQ33"}], "B09GFL5G1G": [{"asin": "B09GFL5G1G", "instruction": "i am looking for a high quality nylon strap for my galaxy phone.", "attributes": ["non toxic", "high quality"], "options": ["color: 02bhl"], "instruction_attributes": ["high quality"], "instruction_options": ["02bhl"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZ8GLKY", "worker_id": "A2KW17G25L25R8"}], "B087D53LM1": [{"asin": "B087D53LM1", "instruction": "i am looking for natural looking hair extensions 18 inch.", "attributes": ["hair extensions", "natural hair"], "options": ["color: #6 | 8 | 14", "size: 10 inch"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["10 inch"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2IPNYX", "worker_id": "A2KW17G25L25R8"}, {"asin": "B087D53LM1", "instruction": "my sister have natural hair in 12 inch", "attributes": ["hair extensions", "natural hair"], "options": ["color: #1b | 6 | 27", "size: 12 inch"], "instruction_attributes": ["natural hair"], "instruction_options": ["12 inch"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZMRC76", "worker_id": "A226L9F2AZ38CL"}], "B09FG43X5Q": [{"asin": "B09FG43X5Q", "instruction": "i am looking for an eco friendly 35 by 59 inch waterproof clear plastic table mat.", "attributes": ["eco friendly", "stainless steel"], "options": ["size: 35x59in | 90x150cm"], "instruction_attributes": ["eco friendly", "stainless steel"], "instruction_options": ["35x59in | 90x150cm"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWNGFP6", "worker_id": "A1EREKSZAA9V7B"}], "B09MVYD2R4": [{"asin": "B09MVYD2R4", "instruction": "i am looking for some birthday party supplies to go on a plane-themed birthday cake.", "attributes": ["party supplies", "baby shower", "birthday party"], "options": ["color: airplane"], "instruction_attributes": ["party supplies", "birthday party"], "instruction_options": ["airplane"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB27Y4S", "worker_id": "A114NK7T5673GK"}], "B0924JWYGM": [{"asin": "B0924JWYGM", "instruction": "can you find me some rose gold eyeshadow, please?", "attributes": ["long lasting", "easy carry", "rose gold", "eye shadow"], "options": ["color: rose gold"], "instruction_attributes": ["rose gold", "eye shadow"], "instruction_options": ["rose gold"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZF57C1", "worker_id": "A34QZDSTKZ3JO9"}], "B004Q85JV2": [{"asin": "B004Q85JV2", "instruction": "i am looking for a high quality perfume.", "attributes": ["design house", "high quality"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSKZ0XA", "worker_id": "A2ECRNQ3X5LEXD"}], "B07MNW2KV4": [{"asin": "B07MNW2KV4", "instruction": "i would like a size 10 black long sleeve sweatshirt.", "attributes": ["long sleeve", "elastic closure"], "options": ["color: z05-black", "size: size:m_us:10"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CMST21", "worker_id": "A1WS884SI0SLO4"}], "B07NNTC257": [{"asin": "B07NNTC257", "instruction": "i need contemporary style and granite counter stools for the dining room.", "attributes": ["contemporary style", "dining room"], "options": ["color: granite", "size: counter stool"], "instruction_attributes": ["contemporary style", "dining room"], "instruction_options": ["granite", "counter stool"], "assignment_id": "3V26SBZTBOOS9KTL7ONUSZFOIRLZZ3", "worker_id": "A2RBF3IIJP15IH"}], "B00DVFHZFE": [{"asin": "B00DVFHZFE", "instruction": "can you find me a tablet charger with ouput protection, please?", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20KPZ0Y", "worker_id": "A34QZDSTKZ3JO9"}], "B08DR3KHXG": [{"asin": "B08DR3KHXG", "instruction": "please help me find a pair of white men\u2019s sneaker in a size 13; it must be the \u201cu-throat\u201d type with a rubber sole.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: white", "size: 13"], "instruction_attributes": ["rubber sole"], "instruction_options": ["white", "13"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAM94XDW", "worker_id": "A3LIIE572Z4OG7"}], "B09Q57WQ9G": [{"asin": "B09Q57WQ9G", "instruction": "i am looking for 16\" natural human hair extensions that is a mix of brown and dark blonde.", "attributes": ["hair loss", "hair extensions", "natural hair"], "options": ["color: #4t27 medium brown ombre dark blonde", "size: 16\""], "instruction_attributes": ["natural hair"], "instruction_options": ["16\""], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MG3LWA", "worker_id": "A1EREKSZAA9V7B"}], "B09SQ5ZCGK": [{"asin": "B09SQ5ZCGK", "instruction": "i am looking for a high quality reusable facial treatment.", "attributes": ["high quality", "green tea", "fine lines"], "options": ["color: b"], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHW6Z4F", "worker_id": "A114NK7T5673GK"}], "B09HHP2J5L": [{"asin": "B09HHP2J5L", "instruction": "i want a gray dzquy men striped knit sweater in x-large. i want one that is fleece lined and water resistant.", "attributes": ["fleece lined", "water resistant", "daily casual", "light weight", "slim fit", "faux fur"], "options": ["color: gray", "size: x-large"], "instruction_attributes": ["fleece lined", "water resistant"], "instruction_options": ["gray", "x-large"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLNPADX", "worker_id": "A1CB72B51L7TKE"}], "B09NMDXK5J": [{"asin": "B09NMDXK5J", "instruction": "i am looking for a window film for the dining room in the color 917730770571231000 in the size 23.6 by 23.6.", "attributes": ["tempered glass", "dining room"], "options": ["color: 917730770571231000", "size: (width\uff0923.6in x (length)23.6in x 2pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["917730770571231000", "(width\uff0923.6in x (length)23.6in x 2pcs"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN244Y7J", "worker_id": "A2ECRNQ3X5LEXD"}], "B08CKZBLYN": [{"asin": "B08CKZBLYN", "instruction": "i am looking for a 2 light vanity light with glass shade.", "attributes": ["vanity light", "glass shade"], "options": ["size: 2 light"], "instruction_attributes": ["vanity light", "glass shade"], "instruction_options": ["2 light"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4DZ51C", "worker_id": "A1NF6PELRKACS9"}], "B08L9C3MDF": [{"asin": "B08L9C3MDF", "instruction": "i am looking for a desktop that is a core intel i7 that has 8gb of ram and 512 ssd of storage.", "attributes": ["dual band", "easy carry", "intel core"], "options": ["color: ddr3l core i7 4500u", "size: 8gb ram 512gb ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["ddr3l core i7 4500u", "8gb ram 512gb ssd"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H07W61D", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08L9C3MDF", "instruction": "i would like to buy a desktop computer with windows 10, intel core processor. additionally i would like 8gb of ram and a 512gb ssd.", "attributes": ["dual band", "easy carry", "intel core"], "options": ["color: new ddr4l core i5 8250u", "size: 8gb ram 512gb ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["new ddr4l core i5 8250u", "8gb ram 512gb ssd"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLJDF2K", "worker_id": "AHXHM1PQTRWIQ"}], "B08STVQLVR": [{"asin": "B08STVQLVR", "instruction": "i am looking for a fast charging charger in mystic navy color.", "attributes": ["fast charging", "usb port"], "options": ["color: bronze", "size: 256gb", "style: s7 tablet + bookcover"], "instruction_attributes": ["fast charging"], "instruction_options": ["bronze"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U1CMAM", "worker_id": "A2KW17G25L25R8"}], "B08Z3K789Q": [{"asin": "B08Z3K789Q", "instruction": "i need one ounce of keto friendly vanilla flavor.", "attributes": ["non gmo", "easy use", "keto friendly", "gluten free", "artificial flavors"], "options": ["flavor name: cake batter", "size: 1 oz"], "instruction_attributes": ["keto friendly"], "instruction_options": ["1 oz"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9DXK6V", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QZPM2TB": [{"asin": "B09QZPM2TB", "instruction": "can you look and find me some water resistant eyeliner?", "attributes": ["highly pigmented", "water resistant"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40R1CR7", "worker_id": "A34QZDSTKZ3JO9"}], "B09J8673JD": [{"asin": "B09J8673JD", "instruction": "do you have any long lasting eye shadow? something with 2 colors would be the best.", "attributes": ["long lasting", "travel size", "eye shadow"], "options": ["color: 2"], "instruction_attributes": ["long lasting", "eye shadow"], "instruction_options": ["2"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KJJLJ2", "worker_id": "A34QZDSTKZ3JO9"}], "B01GE2ZOT4": [{"asin": "B01GE2ZOT4", "instruction": "i want to buy a tongue scraper that will give me fresh breath and is made from stainless steel.", "attributes": ["stainless steel", "fresh breath"], "options": [""], "instruction_attributes": ["stainless steel", "fresh breath"], "instruction_options": [], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OR2EYF", "worker_id": "A114NK7T5673GK"}], "B09BQRTH7L": [{"asin": "B09BQRTH7L", "instruction": "i am looking for a blue long sleeve quarter zip hoodie.", "attributes": ["machine washable", "machine wash", "fashion design", "cotton spandex", "polyester cotton", "polyester spandex", "long sleeve"], "options": ["color: blue", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YUBEH0", "worker_id": "A2KW17G25L25R8"}], "B09BC92CVS": [{"asin": "B09BC92CVS", "instruction": "i need 26\" metal bar stools that are distressed teal with modern wooden seats and are easy to assemble.", "attributes": ["white item", "easy assemble"], "options": ["color: distressed teal with modern wooden seat", "size: 26\""], "instruction_attributes": ["easy assemble"], "instruction_options": ["distressed teal with modern wooden seat", "26\""], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WNK42P", "worker_id": "A2RBF3IIJP15IH"}], "B097XFZ2LM": [{"asin": "B097XFZ2LM", "instruction": "i am looking for a good travel size cologne small 0.27 ounce.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: john varvatos artisan impression", "size: 0.27 fl oz (pack of 1)"], "instruction_attributes": ["travel size"], "instruction_options": ["0.27 fl oz (pack of 1)"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYDW6LE", "worker_id": "A2KW17G25L25R8"}, {"asin": "B097XFZ2LM", "instruction": "i am looking for a travel size eau de parfum for men of sandalwood & white musk perfume scent.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: sandalwood & white musk perfume", "size: 0.17 fl oz | 5ml"], "instruction_attributes": ["travel size"], "instruction_options": ["sandalwood & white musk perfume"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMIAJ10", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B097XFZ2LM", "instruction": "i'm looking for a men's fragrance or cologne with a long lasting scent. i need a travel size bottle of about 8ml.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: dior blooming bouquet impression", "size: 0.27 fl oz | 8ml"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["0.27 fl oz | 8ml"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFGU025", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B097XFZ2LM", "instruction": "i will like to get a high quality, long lasting ca perfume club impression of bad boy for men, size 0.17 fl oz | 5ml", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: paco rabanne one million lucky impressio...", "size: 0.17 fl oz | 5ml"], "instruction_attributes": ["travel size", "high quality"], "instruction_options": ["0.17 fl oz | 5ml"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2UNL4L", "worker_id": "A1IL2K0ELYI090"}], "B094H3QJ8R": [{"asin": "B094H3QJ8R", "instruction": "do you have a high quality tool bag? i need something at least 5ml.", "attributes": ["non toxic", "high quality"], "options": ["size: 5ml"], "instruction_attributes": ["high quality"], "instruction_options": ["5ml"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X13PG0", "worker_id": "A34QZDSTKZ3JO9"}], "B00MJW4HYW": [{"asin": "B00MJW4HYW", "instruction": "find me a non gmo banana and strawberry meal.", "attributes": ["bpa free", "certified organic", "non gmo"], "options": ["flavor: strawberry & banana"], "instruction_attributes": ["non gmo"], "instruction_options": ["strawberry & banana"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDOYZQ7", "worker_id": "A1NF6PELRKACS9"}], "B08SQPYY1F": [{"asin": "B08SQPYY1F", "instruction": "i am looking for a happy birthday cake for a party.", "attributes": ["birthday cake", "birthday party"], "options": ["color: 19"], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY863O18Y", "worker_id": "AHXHM1PQTRWIQ"}], "B072C64JZR": [{"asin": "B072C64JZR", "instruction": "i want a double sided pillow cover. it should be orange blue in color.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: orange blue", "size: 20\" x 20\""], "instruction_attributes": ["double sided"], "instruction_options": ["orange blue"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SRNUD1", "worker_id": "A1NF6PELRKACS9"}], "B07DCP65HD": [{"asin": "B07DCP65HD", "instruction": "i need 300 cotton rounds for my nail polish", "attributes": ["nail polish", "nail art"], "options": ["size: 300pcs"], "instruction_attributes": ["nail polish"], "instruction_options": ["300pcs"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VTXFP3B", "worker_id": "A2ECRNQ3X5LEXD"}], "B001VJ70UC": [{"asin": "B001VJ70UC", "instruction": "locate the 12 pouch option of gogo squeez fruit on the go applesauce that is non gmo. i want the apple cinnamon flavor.", "attributes": ["dairy free", "bpa free", "nut free", "low calorie", "kosher certified", "plant based", "non gmo", "gluten free", "high fructose"], "options": ["flavor name: apple cinnamon", "size: 12 pouches"], "instruction_attributes": ["non gmo"], "instruction_options": ["apple cinnamon", "12 pouches"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8N3X2NY", "worker_id": "A1CB72B51L7TKE"}], "B08G4NKG7T": [{"asin": "B08G4NKG7T", "instruction": "i'm looking for a living room light set. i want the one in gold with three lights.", "attributes": ["easy install", "vanity light", "living room"], "options": ["color: gold", "size: 3-light"], "instruction_attributes": ["living room"], "instruction_options": ["gold", "3-light"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AFSUY8", "worker_id": "A34QZDSTKZ3JO9"}], "B00O84PEWS": [{"asin": "B00O84PEWS", "instruction": "i am looking for 4g lte wifi router.it should be of black color.", "attributes": ["dual band", "4g lte"], "options": ["color: black"], "instruction_attributes": ["4g lte"], "instruction_options": ["black"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQCTKEQ", "worker_id": "A3FG5PQHG5AH3Y"}], "B09J2L1DM5": [{"asin": "B09J2L1DM5", "instruction": "i am looking for a black high performance smart watch.", "attributes": ["high performance", "4g lte"], "options": ["color: black"], "instruction_attributes": ["high performance"], "instruction_options": ["black"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL84151AXZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08PC5R8N2": [{"asin": "B08PC5R8N2", "instruction": "i need a desk lamp with brushed nickle finish.", "attributes": ["assembly required", "brushed nickel", "nickel finish"], "options": ["color: brushed nickel"], "instruction_attributes": ["brushed nickel", "nickel finish"], "instruction_options": ["brushed nickel"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FCSLEO", "worker_id": "A1NF6PELRKACS9"}], "B07RT73KP5": [{"asin": "B07RT73KP5", "instruction": "i am looking for 8 channel pyle bluetooth stereo amplifier receiver is perfect for your pa/ home theater acoustic sound system with wireless bluetooth-compatible the professional compact rack mount home theater system of amplifier - 4000w rack mount multi zone sound mixer set of 1 pack.", "attributes": ["power amplifier", "wireless bluetooth"], "options": ["size: 1-pack"], "instruction_attributes": ["power amplifier", "wireless bluetooth"], "instruction_options": ["1-pack"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZP0041", "worker_id": "A1DRKZ3SCLAS4V"}], "B09QHR7BZ6": [{"asin": "B09QHR7BZ6", "instruction": "i'm looking for a pair of open toe women's sandals with a leather sole. i want the green ones in size six.", "attributes": ["open toe", "leather sole"], "options": ["color: green-26#", "size: 6"], "instruction_attributes": ["open toe", "leather sole"], "instruction_options": ["green-26#", "6"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFO90TP", "worker_id": "A34QZDSTKZ3JO9"}], "B09SHZZBQH": [{"asin": "B09SHZZBQH", "instruction": "i am looking for a men's medium size slim fit long sleeve button down floral dress shirt.", "attributes": ["loose fit", "hand wash", "daily casual", "winter warm", "fleece lined", "wide leg", "wash cold", "slim fit", "machine wash", "long sleeve", "drawstring waist", "high waist"], "options": ["color: white", "size: medium"], "instruction_attributes": ["slim fit", "long sleeve"], "instruction_options": ["medium"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIS3T9U", "worker_id": "A2KW17G25L25R8"}], "B01N3TDQJ0": [{"asin": "B01N3TDQJ0", "instruction": "i need a sugar free 5 pound pack of coconut flakes. it should be plant based.", "attributes": ["sugar free", "soy free", "kosher certified", "plant based", "non gmo", "gluten free"], "options": ["size: 5 pound (pack of 1)"], "instruction_attributes": ["sugar free", "plant based"], "instruction_options": ["5 pound (pack of 1)"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3GYRYB", "worker_id": "A1NF6PELRKACS9"}], "B08F9FGDK7": [{"asin": "B08F9FGDK7", "instruction": "i need black 20g makeup sample containers that are leak proof.", "attributes": ["leak proof", "easy clean"], "options": ["color: black", "size: 20g"], "instruction_attributes": ["leak proof"], "instruction_options": ["black", "20g"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZGK7CI", "worker_id": "A2RBF3IIJP15IH"}], "B08LDQGYVH": [{"asin": "B08LDQGYVH", "instruction": "get me a high power bird watching monocular that is 10x50 in size", "attributes": ["high power", "high definition", "bird watching"], "options": ["size: 10x50"], "instruction_attributes": ["high power", "bird watching"], "instruction_options": ["10x50"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQA3HHJ", "worker_id": "A1NF6PELRKACS9"}], "B09J22PJ6Y": [{"asin": "B09J22PJ6Y", "instruction": "i need a slipper anti slip in white color size 9.5-11 for women and 9-10 for men", "attributes": ["anti slip", "non slip", "memory foam", "ethylene vinyl", "vinyl acetate", "rubber sole"], "options": ["color: white-purple", "size: 9.5-11 women | 9-10 men"], "instruction_attributes": ["anti slip"], "instruction_options": ["white-purple", "9.5-11 women | 9-10 men"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9IWO1SP", "worker_id": "A2Y2TURT2VEYZN"}], "B086X6M1W2": [{"asin": "B086X6M1W2", "instruction": "i'm looking to buy a high resolution marine animal themed backdrop. the size should be 12x10ft.", "attributes": ["light weight", "high resolution"], "options": ["size: 12x10ft"], "instruction_attributes": ["high resolution"], "instruction_options": ["12x10ft"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZZISIT", "worker_id": "A3EDFA8UQT5GG8"}], "B09J6FKBNM": [{"asin": "B09J6FKBNM", "instruction": "i need a coconut hair loss serum.", "attributes": ["hair growth", "hair loss"], "options": ["style: wil+gain_coconut+flaxseed oil (moisturizing)"], "instruction_attributes": ["hair loss"], "instruction_options": ["wil+gain_coconut+flaxseed oil (moisturizing)"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTRZO0A4", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SWDZ9HZ": [{"asin": "B09SWDZ9HZ", "instruction": "i need to get a new photography background. pick out the one that is 2m in diameter.", "attributes": ["easy carry", "digital photography"], "options": ["size: 6.5ft | 2m diameter"], "instruction_attributes": ["easy carry"], "instruction_options": ["6.5ft | 2m diameter"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPSXO9GS", "worker_id": "A34QZDSTKZ3JO9"}], "B07FDL284N": [{"asin": "B07FDL284N", "instruction": "i would like a 6 pack of 5.5 ounce non gmo sundried tomatoes.", "attributes": ["non gmo", "gluten free", "0g trans", "high fructose"], "options": ["flavor name: sundried tomato", "size: 5.5 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["sundried tomato", "5.5 ounce (pack of 6)"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFHJEMK", "worker_id": "A1WS884SI0SLO4"}], "B091DG574T": [{"asin": "B091DG574T", "instruction": "i want to find a barstool made out of faux leather and stainless steel. i want the one in black.", "attributes": ["faux leather", "stainless steel"], "options": ["color: black | stainless steel", "size: 30"], "instruction_attributes": ["faux leather", "stainless steel"], "instruction_options": ["black | stainless steel"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7TZ5PA", "worker_id": "A34QZDSTKZ3JO9"}], "B09MZ4VGLR": [{"asin": "B09MZ4VGLR", "instruction": "i am looking for a core i5 laptop that has 64 gb of ram and 2tb of storage.", "attributes": ["core i5", "intel core", "quad core"], "options": ["capacity: 64gb ddr4 ram, 2tb pcie ssd"], "instruction_attributes": ["core i5"], "instruction_options": ["64gb ddr4 ram, 2tb pcie ssd"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ5Z7KCM", "worker_id": "A2ECRNQ3X5LEXD"}], "B078H4GBC6": [{"asin": "B078H4GBC6", "instruction": "can you find me a wireless bluetooth speaker that comes with a carrying case? i want you to get me the one in blue.", "attributes": ["carrying case", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["carrying case", "wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU46Z6RK", "worker_id": "A34QZDSTKZ3JO9"}], "B07Z11QCDP": [{"asin": "B07Z11QCDP", "instruction": "i need a keto friendly and non gmo variety pack can. it should be cranberry and raspberry flavored.", "attributes": ["keto friendly", "sugar free", "non gmo", "gluten free", "zero sugar"], "options": ["flavor name: cran-raspberry"], "instruction_attributes": ["keto friendly", "non gmo"], "instruction_options": ["cran-raspberry"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5Q9F42", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07Z11QCDP", "instruction": "i'd like to shop for sparkling watermelon juice that's non-gmo and sugar free.", "attributes": ["keto friendly", "sugar free", "non gmo", "gluten free", "zero sugar"], "options": ["flavor name: watermelon"], "instruction_attributes": ["sugar free", "non gmo"], "instruction_options": ["watermelon"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYR36MF", "worker_id": "AR9AU5FY1S3RO"}], "B096LNNZRY": [{"asin": "B096LNNZRY", "instruction": "i'm looking for beauty pro 30 capsules which should be clinically proven for anti aging, hair growth, works on dry skin and has natural ingredients.", "attributes": ["clinically proven", "anti aging", "natural ingredients", "damaged hair", "dry skin", "hair growth"], "options": [""], "instruction_attributes": ["clinically proven", "anti aging", "natural ingredients", "dry skin", "hair growth"], "instruction_options": [], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWMYPFW", "worker_id": "AR0VJ5XRG16UJ"}], "B017JX5456": [{"asin": "B017JX5456", "instruction": "i am looking for great for normal to oily skin, the non-comedogenic cosmetic features skin-soothing aloe vera and lavender plus anti-aging antioxidants and skin-smoothing peptides selected with effective natural ingredients and ensure our products are free of gluten, parabens, talc, artificial colors, synthetic fragrances, sls and phthalates. never conduct animal testing mineral fusion liquid foundation, warm 2, 1 fl ounce in deep 1 color.", "attributes": ["animal testing", "anti aging", "natural ingredients", "nail polish"], "options": ["color: deep 1"], "instruction_attributes": ["anti aging", "natural ingredients"], "instruction_options": ["deep 1"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLDT2FB", "worker_id": "A1DRKZ3SCLAS4V"}], "B08WCTV9CF": [{"asin": "B08WCTV9CF", "instruction": "can you find a black dining table set? i'm looking for something that is easy to clean.", "attributes": ["easy clean", "metal legs", "white finish", "living room"], "options": ["color: white double layer console table", "size: black dining table set"], "instruction_attributes": ["easy clean"], "instruction_options": ["black dining table set"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N17T78", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B08WCTV9CF", "instruction": "i'm looking for sofa wall side table.", "attributes": ["easy clean", "metal legs", "white finish", "living room"], "options": ["color: white c shape side table", "size: black nesting table"], "instruction_attributes": ["white finish", "living room"], "instruction_options": ["white c shape side table"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCGH7HZ", "worker_id": "A21IUUHBSEVB56"}], "B095NKLWVJ": [{"asin": "B095NKLWVJ", "instruction": "i am looking for a black and gold chandelier for my dining room that has six lights", "attributes": ["mid century", "pendant light", "contemporary style", "light fixture", "dining room"], "options": ["color: black&gold", "size: 6 lights"], "instruction_attributes": ["dining room"], "instruction_options": ["black&gold", "6 lights"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU3OA9W", "worker_id": "A2ECRNQ3X5LEXD"}], "B08P4JN9MX": [{"asin": "B08P4JN9MX", "instruction": "i'm looking for a solid wood coatrack with a round base. i want color b as well.", "attributes": ["easy assemble", "eco friendly", "solid wood"], "options": ["color: b"], "instruction_attributes": ["solid wood"], "instruction_options": ["b"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YML8TK", "worker_id": "A3OLRWACCCCUTU"}], "B019MGTHFQ": [{"asin": "B019MGTHFQ", "instruction": "i'm looking for gold plated, high speed hdmi cable . also, choose 12 feet hdmi male to female cable in pack of 1.", "attributes": ["high speed", "gold plated"], "options": ["color: 1 pack", "size: 12 feet (4 pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["1 pack", "12 feet (4 pack)", "hdmi male to female"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMDZIZ3", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B019MGTHFQ", "instruction": "i'm looking for a single high speed gold plated hdmi cable.", "attributes": ["high speed", "gold plated"], "options": ["color: 1 pack", "size: 12 feet (3 pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["1 pack"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLV9BYY", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B019MGTHFQ", "instruction": "i'm looking for high speed 3 feet hdmi cable male to female with ethernet black", "attributes": ["high speed", "gold plated"], "options": ["color: 5 pack", "size: 3 feet (10 pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["3 feet (10 pack)", "hdmi male to female"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57J29IO", "worker_id": "A258PTOZ3D2TQR"}], "B0842Y5Y5Z": [{"asin": "B0842Y5Y5Z", "instruction": "i am looking for a solid wood dining table with a barn wood finish.", "attributes": ["easy clean", "wood finish", "solid wood"], "options": ["color: barn wood finish", "size: 84\" x 37\""], "instruction_attributes": ["solid wood"], "instruction_options": ["barn wood finish"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHAMNBZ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B0842Y5Y5Z", "instruction": "i want a modern turned leg solid wood dining table with tuscany finish.", "attributes": ["easy clean", "wood finish", "solid wood"], "options": ["color: tuscany finish", "size: 96\" x 37\""], "instruction_attributes": ["solid wood"], "instruction_options": ["tuscany finish"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZJT7CX", "worker_id": "A2RBF3IIJP15IH"}], "B09N98D1KN": [{"asin": "B09N98D1KN", "instruction": "i am looking for an easy to use three piece set of hair growth treatment that works on damaged hair.", "attributes": ["easy use", "hair growth", "damaged hair", "hair loss"], "options": ["size: 3pcs"], "instruction_attributes": ["easy use", "damaged hair"], "instruction_options": ["3pcs"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWUBC1H", "worker_id": "A114NK7T5673GK"}], "B07Q4819L1": [{"asin": "B07Q4819L1", "instruction": "i cook beef so added artificial flavors 12 pack", "attributes": ["wild caught", "artificial flavors"], "options": ["style: beef 12 pack"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["beef 12 pack"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOLVYVT", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B07Q4819L1", "instruction": "looking for wild caught coho salmon with organic butternut squash and beets in beef 6 pack", "attributes": ["wild caught", "artificial flavors"], "options": ["style: beef 6 pack"], "instruction_attributes": ["wild caught"], "instruction_options": ["beef 6 pack"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTPNV46", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B07Q4819L1", "instruction": "i want a 12 pack of serenity kids baby food pouches, wild caught salmon.", "attributes": ["wild caught", "artificial flavors"], "options": ["style: salmon 12 pack"], "instruction_attributes": ["wild caught"], "instruction_options": ["salmon 12 pack"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R45TY6", "worker_id": "A2RBF3IIJP15IH"}], "B00C2DZAIU": [{"asin": "B00C2DZAIU", "instruction": "i need cat 6 cables that are gold plated, black and 1 ft.", "attributes": ["gold plated", "high performance", "high speed", "high definition"], "options": ["color: black", "size: 1 ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["black", "1 ft"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AMJBW7", "worker_id": "A1MJVTR0PCKBWW"}], "B095FMPLN3": [{"asin": "B095FMPLN3", "instruction": "i want to find a plant based party mix gift set. get me the one in old bay flavor.", "attributes": ["protein serving", "plant based", "non gmo", "gift set"], "options": ["flavor name: old bay duo", "size: 2 piece assortment"], "instruction_attributes": ["plant based", "gift set"], "instruction_options": ["old bay duo"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSG9RS96", "worker_id": "A34QZDSTKZ3JO9"}], "B08M9MHZHQ": [{"asin": "B08M9MHZHQ", "instruction": "i'm looking for an easy to install living room celling light with a 2-light capacity", "attributes": ["mid century", "easy install", "light fixture", "pendant light", "dining room", "living room"], "options": ["size: 2-light"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["2-light"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG17HGYY", "worker_id": "A3EDFA8UQT5GG8"}], "B01MY97UM3": [{"asin": "B01MY97UM3", "instruction": "i am looking for a brushed nickel floor lamp. i believe the color is called great falls.", "attributes": ["nickel finish", "brushed nickel"], "options": ["color: great falls"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["great falls"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8OX2A2S", "worker_id": "A114NK7T5673GK"}], "B08BCS7GSL": [{"asin": "B08BCS7GSL", "instruction": "i would like some orange fluoride free toothpaste.", "attributes": ["fluoride free", "cruelty free"], "options": ["scent: orange"], "instruction_attributes": ["fluoride free"], "instruction_options": ["orange"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTAD9N5", "worker_id": "A1WS884SI0SLO4"}], "B015SJ7RYY": [{"asin": "B015SJ7RYY", "instruction": "i need pure white curtains that are machine washable and are 66 in by 54 in.", "attributes": ["machine washable", "easy install"], "options": ["color: pure white", "size: 66 in x 54 in (w x l)"], "instruction_attributes": ["machine washable"], "instruction_options": ["pure white", "66 in x 54 in (w x l)"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227C68F3", "worker_id": "A2ECRNQ3X5LEXD"}], "B01EVUAFAY": [{"asin": "B01EVUAFAY", "instruction": "i am looking for long lasting princess dreaming edp perfume spray.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHYDHQV", "worker_id": "A1EREKSZAA9V7B"}], "B09PV8NYXC": [{"asin": "B09PV8NYXC", "instruction": "i need a virtual reality gaming popgrip with wireless charging.", "attributes": ["compatible apple", "wireless charging"], "options": [""], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRB1WNL", "worker_id": "A1NF6PELRKACS9"}], "B09CTM4CWK": [{"asin": "B09CTM4CWK", "instruction": "i'm looking for a relaxed fit, long sleeve women's blouse with animal print or polka dots. the color should be a-gray and the size 4x-large.", "attributes": ["hand wash", "machine wash", "long sleeve", "quality materials", "relaxed fit"], "options": ["color: a-gray", "size: 4x-large"], "instruction_attributes": ["long sleeve", "relaxed fit"], "instruction_options": ["a-gray", "4x-large"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1BM08Y", "worker_id": "A3EDFA8UQT5GG8"}], "B09P86GCLP": [{"asin": "B09P86GCLP", "instruction": "i would like a small multicolor button down shirt that i can machine wash.", "attributes": ["slim fit", "long lasting", "quick drying", "machine wash"], "options": ["color: multicolor a", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["multicolor a", "small"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AH8OEJ", "worker_id": "A1WS884SI0SLO4"}], "B082NW3WQZ": [{"asin": "B082NW3WQZ", "instruction": "i need dining room chairs that is in mustard color.", "attributes": ["assembly required", "pu leather", "dining room", "living room"], "options": ["color: mustard"], "instruction_attributes": ["dining room"], "instruction_options": ["mustard"], "assignment_id": "37TRT2X24116R7L1JO45INKV8QIJBS", "worker_id": "A1NF6PELRKACS9"}], "B085FYTFYB": [{"asin": "B085FYTFYB", "instruction": "i'm looking for a pair of high heeled, rubber soled pumps. pick the black suede ones in 9.", "attributes": ["high heel", "rubber sole"], "options": ["color: black-suede", "size: 9"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["black-suede", "9"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60L2AA7", "worker_id": "A34QZDSTKZ3JO9"}], "B08CMXQJZC": [{"asin": "B08CMXQJZC", "instruction": "find me a quick drying hawaiin shirt with short sleeves and a front pocket. get me a large size.", "attributes": ["machine wash", "quick drying", "button closure", "short sleeve", "relaxed fit", "daily wear"], "options": ["color: dark cyan, tall branch", "size: large"], "instruction_attributes": ["quick drying", "short sleeve"], "instruction_options": ["large"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWAIGGP", "worker_id": "A1NF6PELRKACS9"}], "B007PK85K0": [{"asin": "B007PK85K0", "instruction": "i would like to purchase 10 packs of trader joe's pretzels. also make sure they contain no artificial flavors.", "attributes": ["trader joe", "artificial flavors"], "options": ["size: 10 pack"], "instruction_attributes": ["trader joe", "artificial flavors"], "instruction_options": ["10 pack"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA93WCZ3W", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B007PK85K0", "instruction": "i am looking for a 4 pack of trader joe's pretzels.", "attributes": ["trader joe", "artificial flavors"], "options": ["size: 4 pack"], "instruction_attributes": ["trader joe"], "instruction_options": ["4 pack"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZK4A72", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B007PK85K0", "instruction": "i would like a one pound bag of trader joes pretzels.", "attributes": ["trader joe", "artificial flavors"], "options": ["size: 1 pound (pack of 1)"], "instruction_attributes": ["trader joe"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYRMMQX", "worker_id": "A1WS884SI0SLO4"}], "B07BHH3RJ2": [{"asin": "B07BHH3RJ2", "instruction": "i need a leak proof travel bottle that is reusable and comes in 6 pack.", "attributes": ["leak proof", "travel bottles"], "options": [""], "instruction_attributes": ["leak proof", "travel bottles"], "instruction_options": [], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJI8V2LU", "worker_id": "A1NF6PELRKACS9"}], "B09QWZCPK4": [{"asin": "B09QWZCPK4", "instruction": "i would like a extra small multi green boxer brief that i can hand wash in the sink.", "attributes": ["machine washable", "hand wash", "comfortable fit", "elastic waistband"], "options": ["color: multi 35 green", "size: x-small"], "instruction_attributes": ["hand wash"], "instruction_options": ["multi 35 green", "x-small"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2NYL4I", "worker_id": "A1WS884SI0SLO4"}], "B008Y253N0": [{"asin": "B008Y253N0", "instruction": "i want to find some dairy free sprinkles. something with nuts would be great.", "attributes": ["non dairy", "dairy free"], "options": ["flavor name: nut"], "instruction_attributes": ["dairy free"], "instruction_options": ["nut"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP4FCOW", "worker_id": "A34QZDSTKZ3JO9"}], "B07L2M5C9C": [{"asin": "B07L2M5C9C", "instruction": "do you think you can find me a fluoride free toothpaste for sensitive teeth? i want something that comes in a 3.5 ounce size.", "attributes": ["fluoride free", "cruelty free", "long lasting", "seed oil", "sensitive teeth", "fresh breath"], "options": ["size: 3.5 ounce (pack of 2)"], "instruction_attributes": ["fluoride free", "sensitive teeth"], "instruction_options": [], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H08016E", "worker_id": "A34QZDSTKZ3JO9"}], "B086JM3CGY": [{"asin": "B086JM3CGY", "instruction": "can you find me a 4g lte coaxial cable? i need the 3 foot one.", "attributes": ["coaxial cable", "4g lte"], "options": ["color: rg316", "size: 100cm | 3ft"], "instruction_attributes": ["coaxial cable", "4g lte"], "instruction_options": ["100cm | 3ft"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFBU02V", "worker_id": "A34QZDSTKZ3JO9"}], "B07WVH54JP": [{"asin": "B07WVH54JP", "instruction": "i am looking for hair extensions black storage bag.it should be of high quality.", "attributes": ["high quality", "easy use", "hair extensions"], "options": ["color: black-storage bag#"], "instruction_attributes": ["high quality"], "instruction_options": ["black-storage bag#"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYKGMQD", "worker_id": "A3FG5PQHG5AH3Y"}], "B08BZTCDXT": [{"asin": "B08BZTCDXT", "instruction": "i would like a women's size 11 azure walking shoe made of vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: azure", "size: 11 women | 8.5 men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["azure", "11 women | 8.5 men"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWN8PF8", "worker_id": "A1WS884SI0SLO4"}], "B0816GY2BD": [{"asin": "B0816GY2BD", "instruction": "i'm looking for a sythetic hair extensions. also, choose black colored one.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: black"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["black"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5Q4F4X", "worker_id": "AR0VJ5XRG16UJ"}], "B019IOGFDY": [{"asin": "B019IOGFDY", "instruction": "i want a hdmi cable with high speed and 1.5 feet size.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 1.5 feet (10-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["1.5 feet (10-pack)"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR43QUFX", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B019IOGFDY", "instruction": "i am interested in a high speed hdmi cable that is 10 feet long and comes in a 2 pack.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 10 feet (3-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["2 pack", "10 feet (3-pack)"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VZ5N1S", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B019IOGFDY", "instruction": "i'm looking for an high speed hdmi cable which is gold plated. also, choose a pack of 4 hdmi male to male cable of size 3 feet one.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 4 pack", "size: 3 feet (3-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["4 pack", "3 feet (3-pack)", "hdmi male to male"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UP0G1Y", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B019IOGFDY", "instruction": "i am looking for high speed hdmi cable of size 75 feet.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 75 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["75 feet (single pack)"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLZXDR8", "worker_id": "A1Q8PPQQCWGY0D"}], "B093YS65BV": [{"asin": "B093YS65BV", "instruction": "i'm trying to find a laundry bag for women.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVAGBIT", "worker_id": "A34QZDSTKZ3JO9"}], "B09CNNJZJH": [{"asin": "B09CNNJZJH", "instruction": "i want a loose fit pullover. pick out the one in gray, please.", "attributes": ["machine washable", "loose fit", "hand wash", "high waist", "long sleeve", "laundry bag"], "options": ["color: a gray", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["a gray"], "assignment_id": "326O153BMT8RVOXTJJKKGXV362MEDV", "worker_id": "A34QZDSTKZ3JO9"}], "B003VP5TPW": [{"asin": "B003VP5TPW", "instruction": "i want a sonoma oak or white 3 tier classic tube that comprises of shelving units and a tv stand in my living room. also choose the one designed with engineered wood.", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: sonoma oak | white", "pattern name: shelving unit + tv stands", "size: 3-tier classic tube"], "instruction_attributes": ["engineered wood", "living room"], "instruction_options": ["sonoma oak | white", "shelving unit + tv stands", "3-tier classic tube"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z45ZCQ6", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B003VP5TPW", "instruction": "i am looking for a french oak grey | black corner shelves for living room", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: french oak grey | black", "pattern name: shelving unit + display rack", "size: 5-tier"], "instruction_attributes": ["living room"], "instruction_options": ["french oak grey | black"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPP3WFC", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B003VP5TPW", "instruction": "i am searching for 3-tier classic tube white color corner shelf for living room", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: beech | white", "pattern name: shelving unit + end table", "size: 3-tier classic tube"], "instruction_attributes": ["living room"], "instruction_options": ["beech | white", "3-tier classic tube"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A4CHFP", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B003VP5TPW", "instruction": "i need a 5-tier corner shelf for my living room.", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: cream faux marble | white", "pattern name: shelving unit + tv stands", "size: 5-tier"], "instruction_attributes": ["living room"], "instruction_options": ["5-tier"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PLEEQB", "worker_id": "A1NF6PELRKACS9"}], "B07TTSM7RN": [{"asin": "B07TTSM7RN", "instruction": "i am in search of a black printed heavy duty toiletry bags which will be able to resist the water damage.", "attributes": ["heavy duty", "water resistant", "easy carry", "high quality"], "options": ["color: black print"], "instruction_attributes": ["heavy duty", "water resistant"], "instruction_options": ["black print"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017WP4PN", "worker_id": "A14BSOU2Y5JNT0"}, {"asin": "B07TTSM7RN", "instruction": "i am looking for an off-white toiletry bag that is easy to carry.", "attributes": ["heavy duty", "water resistant", "easy carry", "high quality"], "options": ["color: off-white printing"], "instruction_attributes": ["easy carry"], "instruction_options": ["off-white printing"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3ICLZ5", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GBZB5X8": [{"asin": "B08GBZB5X8", "instruction": "i want help getting an open toe, non-slip sandal. get the ones in blue in women's size 6.", "attributes": ["open toe", "non slip", "ankle strap", "memory foam"], "options": ["color: z1_blue", "size: 6"], "instruction_attributes": ["open toe", "non slip"], "instruction_options": ["z1_blue", "6"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDT6IAI", "worker_id": "A34QZDSTKZ3JO9"}], "B012JD9X26": [{"asin": "B012JD9X26", "instruction": "i am looking for butter from grass fed cows i need something non gmo, and gluten free. glass jar 16 oz if possible.", "attributes": ["grass fed", "trader joe", "artificial ingredients", "keto friendly", "low carb", "non gmo", "gluten free"], "options": ["size: 16 fl oz (pack of 1)"], "instruction_attributes": ["grass fed", "non gmo", "gluten free"], "instruction_options": ["16 fl oz (pack of 1)"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OI1MM6", "worker_id": "A2KW17G25L25R8"}], "B07FCRDYMP": [{"asin": "B07FCRDYMP", "instruction": "i need a 4.7 ounce paraben free makeup remover.", "attributes": ["paraben free", "cruelty free", "sensitive skin"], "options": ["size: 4.7 fl oz (pack of 1)"], "instruction_attributes": ["paraben free"], "instruction_options": ["4.7 fl oz (pack of 1)"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K3W21W", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KZSK9CP": [{"asin": "B07KZSK9CP", "instruction": "i need to get a new high performance printer for my office.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49CBTD2", "worker_id": "A34QZDSTKZ3JO9"}], "B083MYW6QY": [{"asin": "B083MYW6QY", "instruction": "i am looking for king sized platform bed.it should be made of solid wood.", "attributes": ["button tufted", "box spring", "solid wood"], "options": ["color: white", "size: king", "style: metal bed w | headboard"], "instruction_attributes": ["solid wood"], "instruction_options": ["king"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66MFZF3", "worker_id": "A3FG5PQHG5AH3Y"}], "B09BKH4DMM": [{"asin": "B09BKH4DMM", "instruction": "i'm looking for jeans that are machine washable and are in size 27.", "attributes": ["machine washable", "machine wash"], "options": ["size: 27"], "instruction_attributes": ["machine washable"], "instruction_options": ["27"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDE72OK", "worker_id": "A1MJVTR0PCKBWW"}], "B09N1HXD28": [{"asin": "B09N1HXD28", "instruction": "i need a tv stand that is wall mounted and is walnut colored. size should be 51\"w x 14\"d x 18\"h.", "attributes": ["wall mounted", "easy clean", "easy assemble", "storage space", "living room"], "options": ["color: walnut 013", "size: 51\"w x 14\"d x 18\"h"], "instruction_attributes": [], "instruction_options": ["51\"w x 14\"d x 18\"h"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MIBFOG", "worker_id": "A1MJVTR0PCKBWW"}], "B09BYXC5Z7": [{"asin": "B09BYXC5Z7", "instruction": "i'm looking for a white, solid wood bar stool. i just need to make sure that it's about 45 inches high.", "attributes": ["high density", "white item", "easy assemble", "faux leather", "solid wood", "living room"], "options": ["color: white", "size: 45'' high"], "instruction_attributes": ["white item", "solid wood"], "instruction_options": ["white", "45'' high"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXFQWK8", "worker_id": "A34QZDSTKZ3JO9"}], "B079PSXB8B": [{"asin": "B079PSXB8B", "instruction": "please find a dust poof red color bluetooth speaker", "attributes": ["dust proof", "hands free"], "options": ["color: red"], "instruction_attributes": ["dust proof"], "instruction_options": ["red"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW0VT44", "worker_id": "A258PTOZ3D2TQR"}], "B07W92ZMZN": [{"asin": "B07W92ZMZN", "instruction": "i am looking for a remote control for an lg blu-ray dvd home theater system.", "attributes": ["batteries included", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG36LSU", "worker_id": "A2KW17G25L25R8"}, {"asin": "B07W92ZMZN", "instruction": "i want a remote control for lg blu ray", "attributes": ["batteries included", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSKP8B8", "worker_id": "A2Y2TURT2VEYZN"}], "B09286DYTK": [{"asin": "B09286DYTK", "instruction": "i need a wifi ip surveillance camera and stainless steel waterproof junction box with external speaker", "attributes": ["easy install", "stainless steel"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3ARQNI", "worker_id": "A258PTOZ3D2TQR"}], "B08QZCDRYH": [{"asin": "B08QZCDRYH", "instruction": "i need a durable 13\u201d lightweight case for my macbook; i\u2019d prefer a red one.", "attributes": ["light weight", "case cover"], "options": ["color: matte red"], "instruction_attributes": ["light weight"], "instruction_options": ["matte red"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNRJ8H1", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B08QZCDRYH", "instruction": "i want to find a lightweight macbook pro case cover that has a matte blue color.", "attributes": ["light weight", "case cover"], "options": ["color: matte blue"], "instruction_attributes": ["light weight", "case cover"], "instruction_options": ["matte blue"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUBYA9M", "worker_id": "A345TDMHP3DQ3G"}], "B07JH27T27": [{"asin": "B07JH27T27", "instruction": "i'm looking for a deborah lippman gel lab pro nail polish. ensure the color is the full coverage bright red cr\u00e8me", "attributes": ["animal testing", "nail polish"], "options": ["color: she's a rebel - full coverage bright red cr\u00e8me"], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSD526L", "worker_id": "A1HMZJ59OPLD1P"}], "B004QVVJ7M": [{"asin": "B004QVVJ7M", "instruction": "i want to get a high resolution and high performance hdmi cable.", "attributes": ["high resolution", "high performance"], "options": [""], "instruction_attributes": ["high resolution", "high performance"], "instruction_options": [], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW8BNFE", "worker_id": "A34QZDSTKZ3JO9"}], "B09D3M46H2": [{"asin": "B09D3M46H2", "instruction": "i need a high performance smartwatch band compatible with apple. pick something in black gray color.", "attributes": ["dust proof", "compatible apple", "high performance", "stainless steel"], "options": ["color: 5-gray teal | black gray | lightblue teal | black blue", "size: 42mm | 44mm | 45mm | ml"], "instruction_attributes": ["compatible apple", "high performance"], "instruction_options": ["5-gray teal | black gray | lightblue teal | black blue"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NFGKBQ", "worker_id": "A1NF6PELRKACS9"}], "B09NVVQCN8": [{"asin": "B09NVVQCN8", "instruction": "i buy a solid wood in white color", "attributes": ["twin size", "assembly required", "box spring", "solid wood"], "options": ["color: white", "size: twin with slide+fence"], "instruction_attributes": ["solid wood"], "instruction_options": ["white"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFK13VT", "worker_id": "A226L9F2AZ38CL"}], "B07Q6C1BRG": [{"asin": "B07Q6C1BRG", "instruction": "i need a multipack of living room curtains that are 29\" by 45\"", "attributes": ["printing technology", "living room", "dining room"], "options": ["color: multi 10", "size: 29\" w x 45\" l"], "instruction_attributes": ["living room"], "instruction_options": ["multi 10", "29\" w x 45\" l"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AFWUYC", "worker_id": "A2ECRNQ3X5LEXD"}], "B085NXXD8J": [{"asin": "B085NXXD8J", "instruction": "i need a face mask that is for dark circles and is clinically proven to work.", "attributes": ["clinically proven", "dark circles"], "options": [""], "instruction_attributes": ["clinically proven", "dark circles"], "instruction_options": [], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VUYWY2", "worker_id": "A1MJVTR0PCKBWW"}], "B01GZI0JMY": [{"asin": "B01GZI0JMY", "instruction": "i am looking for 9 ounce packs of 12 certified organic, non gmo, and gluten free organic brown rice cakes.", "attributes": ["certified organic", "non gmo", "gluten free"], "options": ["flavor name: apple cinnamon", "size: 9 ounce (pack of 12)"], "instruction_attributes": ["certified organic", "non gmo", "gluten free"], "instruction_options": ["9 ounce (pack of 12)"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSO9YLLG", "worker_id": "A2KW17G25L25R8"}, {"asin": "B01GZI0JMY", "instruction": "i am hoping to find some tamari with seaweed flavored rice cakes. i want them to be gluten free and non gmo", "attributes": ["certified organic", "non gmo", "gluten free"], "options": ["flavor name: tamari with seaweed", "size: 9.5 ounce (pack of 12)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["tamari with seaweed"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP56OAQ", "worker_id": "A32JEH06T23HDF"}], "B099KRPB3M": [{"asin": "B099KRPB3M", "instruction": "i am looking for a pack of 12 cafe mocha in plant based form.", "attributes": ["plant based", "soy free", "dairy free", "non gmo", "gluten free", "artificial flavors"], "options": ["flavor name: caf\u00e9 mocha", "size: pack of 12"], "instruction_attributes": ["plant based"], "instruction_options": ["caf\u00e9 mocha", "pack of 12"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB10RLUA", "worker_id": "A2KW17G25L25R8"}], "B091JGLW4G": [{"asin": "B091JGLW4G", "instruction": "i need an usda organic jinxuan oolong tea bag that is hand crafted.", "attributes": ["usda organic", "hand crafted"], "options": ["flavor name: jinxuan oolong", "size: unwrapped (40 count sachets)"], "instruction_attributes": ["usda organic", "hand crafted"], "instruction_options": ["jinxuan oolong"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLJH4I0", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B091JGLW4G", "instruction": "i want t secretea oolong tea bags, taiwan jinxuan 100% organic.", "attributes": ["usda organic", "hand crafted"], "options": ["flavor name: jinxuan oolong", "size: unwrapped sachets (40 count)"], "instruction_attributes": ["usda organic"], "instruction_options": ["jinxuan oolong"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKABEN8", "worker_id": "A2RBF3IIJP15IH"}], "B0829NNZPL": [{"asin": "B0829NNZPL", "instruction": "i am looking for a hair styling mirror.", "attributes": ["easy use", "hair styling"], "options": [""], "instruction_attributes": ["hair styling"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC2LD0J", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QCYJ2QM": [{"asin": "B09QCYJ2QM", "instruction": "get a tongue cleaner that is easy clean and use, and is also stainless steel.", "attributes": ["bpa free", "easy clean", "easy use", "high quality", "stainless steel", "bad breath"], "options": [""], "instruction_attributes": ["easy clean", "easy use", "stainless steel"], "instruction_options": [], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7F8MK8G", "worker_id": "A1MJVTR0PCKBWW"}], "B01M0XSD38": [{"asin": "B01M0XSD38", "instruction": "can you find me a face moisturizer for dead and dry skin? i want the one that comes in the 5.07 ounces.", "attributes": ["dry skin", "dead skin"], "options": ["color: the first treatment essence intensive moist", "size: 5.07 fl oz (pack of 1)"], "instruction_attributes": ["dry skin", "dead skin"], "instruction_options": [], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YVIHEC", "worker_id": "A34QZDSTKZ3JO9"}], "B09M6KRDK1": [{"asin": "B09M6KRDK1", "instruction": "i need a black twin sized bed.", "attributes": ["twin size", "white item", "easy assemble", "box spring"], "options": ["color: d black", "size: twin | twin | full"], "instruction_attributes": ["twin size"], "instruction_options": ["d black", "twin | twin | full"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVIH71E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LR3WFLR": [{"asin": "B09LR3WFLR", "instruction": "i\u2019d like to find a super soft luxurious fleece throw that\u2019s about 50\u201d x 40\u201d in size. it should look good in my living room.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: black ultra-soft micro fleece blanket mario kart tour ultra-soft micro fleece blanket 12", "size: 50\"x40\""], "instruction_attributes": ["super soft", "fleece throw", "living room"], "instruction_options": ["50\"x40\""], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NFHBKI", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B09LR3WFLR", "instruction": "i am looking for a 60\"x 50\" super soft throws", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: black ultra-soft micro fleece blanket mario kart tour1 ultra-soft micro fleece blanket 14", "size: 60\"x50\""], "instruction_attributes": ["super soft"], "instruction_options": ["60\"x50\""], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2I1FK6", "worker_id": "A9QRQL9CFJBI7"}], "B08XJF919X": [{"asin": "B08XJF919X", "instruction": "i need a 1.0mm braces brush that is easy to clean.", "attributes": ["non slip", "easy clean", "easy use", "oral hygiene"], "options": ["size: 1.0mm"], "instruction_attributes": ["easy clean"], "instruction_options": ["1.0mm"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SSEQTK", "worker_id": "A2RBF3IIJP15IH"}], "B07FRM6MLX": [{"asin": "B07FRM6MLX", "instruction": "i want the easy to use seasoning spice mix. look for the garlic butter option.", "attributes": ["hand crafted", "easy use"], "options": ["flavor name: garlic butter", "size: 2 pound refill bag"], "instruction_attributes": ["easy use"], "instruction_options": ["garlic butter"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MCWWZYP", "worker_id": "A1NF6PELRKACS9"}], "B08RJ2FPPM": [{"asin": "B08RJ2FPPM", "instruction": "i am looking for low sugar, low carb and gluten free cookies that has flavored chocolate cake", "attributes": ["low sugar", "gluten free", "low carb"], "options": ["flavor name: chocolate cake"], "instruction_attributes": ["low sugar", "gluten free", "low carb"], "instruction_options": ["chocolate cake"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODJ8WE4", "worker_id": "A258PTOZ3D2TQR"}], "B09PFVG2ND": [{"asin": "B09PFVG2ND", "instruction": "i need a henleys shirt, slim fit and fleece lined. color needs to be white and x-large in size.", "attributes": ["slim fit", "fleece lined", "long sleeve", "short sleeve", "polyester cotton", "gym workout"], "options": ["color: white", "size: x-large"], "instruction_attributes": ["slim fit", "fleece lined"], "instruction_options": ["white", "x-large"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPH2E68", "worker_id": "A1MJVTR0PCKBWW"}], "B092VGFJY3": [{"asin": "B092VGFJY3", "instruction": "hey i need some new press on nails. get me babalal cat eye ones that aren't toxic and make sure the color you get is purple.", "attributes": ["high quality", "non toxic", "nail art"], "options": ["pattern name: purple"], "instruction_attributes": ["non toxic"], "instruction_options": ["purple"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY88TXUY", "worker_id": "A33B85TN97HQ33"}], "B09HC9W6FK": [{"asin": "B09HC9W6FK", "instruction": "i would like a desktop mini computer with16 gig of ram and a intel core i9.", "attributes": ["dual band", "intel core"], "options": ["color: core i9-11900", "size: 16gb ram 512gb ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["core i9-11900", "16gb ram 512gb ssd"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGG6W2Q", "worker_id": "A1WS884SI0SLO4"}], "B09HR1DWBR": [{"asin": "B09HR1DWBR", "instruction": "i'm searching for sunkist\u00ae omega 3+6 trail mix , low sodium and gluten free snack with almonds, yogurt raisins, banana chips", "attributes": ["low sodium", "gluten free", "resealable bag"], "options": ["flavor name: sunkist\u00ae omega 3+6 trail mix"], "instruction_attributes": ["low sodium", "gluten free"], "instruction_options": ["sunkist\u00ae omega 3+6 trail mix"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKC8RH73", "worker_id": "A258PTOZ3D2TQR"}], "B07TYS4L2Q": [{"asin": "B07TYS4L2Q", "instruction": "i am looking for an old fashioned and gluten free rolled oats. i would need about 400 ounces of it.", "attributes": ["gluten free", "non gmo", "old fashioned"], "options": ["size: 400 ounce (pack of 1)", "style: resealable"], "instruction_attributes": ["gluten free", "old fashioned"], "instruction_options": ["400 ounce (pack of 1)"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2IUYND", "worker_id": "A1NF6PELRKACS9"}], "B00G7U29KQ": [{"asin": "B00G7U29KQ", "instruction": "i need a dermatologist tested instantly warm clay mask- 1 count (6 masks)", "attributes": ["dermatologist tested", "oil free"], "options": ["size: 1 count (6 masks)", "style: instantly warm clay mask"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["1 count (6 masks)", "instantly warm clay mask"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOHX7H64", "worker_id": "A258PTOZ3D2TQR"}], "B08JTPPFC3": [{"asin": "B08JTPPFC3", "instruction": "i would like to find raspberry jam snacks with real fruit combined with almond spread.", "attributes": ["non gmo", "real fruit", "high fructose"], "options": ["flavor name: almond spread", "size: 0.8 ounce (pack of 40)"], "instruction_attributes": ["real fruit"], "instruction_options": ["almond spread"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADE5WV4", "worker_id": "A3EDFA8UQT5GG8"}], "B00VMDDDT4": [{"asin": "B00VMDDDT4", "instruction": "i need area rugs in the color french cellar that i can easily spot clean.", "attributes": ["spot clean", "easy clean"], "options": ["color: french cellar", "size: set"], "instruction_attributes": ["spot clean"], "instruction_options": ["french cellar"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OSXM35", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PPVLKTQ": [{"asin": "B09PPVLKTQ", "instruction": "i am looking for a high quality purple ice roller skin care tool kit.", "attributes": ["high quality", "bpa free", "anti aging", "long lasting", "easy use", "green tea", "fine lines"], "options": ["color: purple"], "instruction_attributes": ["high quality", "easy use"], "instruction_options": ["purple"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163PLQP7", "worker_id": "A1EREKSZAA9V7B"}], "B08936CZHQ": [{"asin": "B08936CZHQ", "instruction": "i want a facial serum with antioxidants, oil free, clinically proven, in a 1.7 ounce just one pack.", "attributes": ["oil free", "clinically proven", "alcohol free", "hyaluronic acid", "dry skin"], "options": ["size: 1.7 ounce (pack of 1)", "style: water gel with trial cleanser"], "instruction_attributes": ["oil free", "clinically proven"], "instruction_options": ["1.7 ounce (pack of 1)"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR120CX", "worker_id": "AXIH2UZ6NNMRE"}, {"asin": "B08936CZHQ", "instruction": "i'd like to shop for a three piece set of eye creams that have hyaluronic acid and are oil free.", "attributes": ["oil free", "clinically proven", "alcohol free", "hyaluronic acid", "dry skin"], "options": ["size: 3 piece set", "style: eye cream"], "instruction_attributes": ["oil free", "hyaluronic acid"], "instruction_options": ["3 piece set", "eye cream"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PQO2XH", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08936CZHQ", "instruction": "i would like a 0.5 fluid ounce bottle of water gel eye cream that is clinically proven.", "attributes": ["oil free", "clinically proven", "alcohol free", "hyaluronic acid", "dry skin"], "options": ["size: 0.5 fl oz (pack of 1)", "style: water gel"], "instruction_attributes": ["clinically proven"], "instruction_options": ["0.5 fl oz (pack of 1)", "water gel"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOC3NO7", "worker_id": "A1WS884SI0SLO4"}], "B0018CK0EU": [{"asin": "B0018CK0EU", "instruction": "i am looking for a good freeze dried food for my dog.", "attributes": ["freeze dried", "grass fed", "grain free"], "options": ["color: chicken", "size: 14 ounce (pack of 1)"], "instruction_attributes": ["freeze dried"], "instruction_options": ["14 ounce (pack of 1)"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMTY3WY", "worker_id": "A2KW17G25L25R8"}], "B09NVS922B": [{"asin": "B09NVS922B", "instruction": "like to buy a high speed fast charging green usb type c cable 3.1a in 3.3ft size length .", "attributes": ["fast charging", "high speed"], "options": ["color: green", "size: 3.3ft"], "instruction_attributes": ["fast charging", "high speed"], "instruction_options": ["green", "3.3ft"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79E2KQL", "worker_id": "A3AYHESLQSDY5T"}], "B08NYJQQJG": [{"asin": "B08NYJQQJG", "instruction": "i would like a black dual band repeater.", "attributes": ["dual band", "high speed"], "options": ["color: black uk"], "instruction_attributes": ["dual band"], "instruction_options": ["black uk"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMR5ASZ", "worker_id": "A1WS884SI0SLO4"}], "B09RQN7LW3": [{"asin": "B09RQN7LW3", "instruction": "i am looking for large sized men tank.it shoud be made of polyester heather.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: men", "size: large"], "instruction_attributes": ["polyester heathers"], "instruction_options": ["large"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRI8FMD", "worker_id": "A3FG5PQHG5AH3Y"}], "B089Z2S9XT": [{"asin": "B089Z2S9XT", "instruction": "i would like a german chocolate flavored syrup that is sugar free and 15.89 oz.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: german chocolate", "size: 15.89 ounce"], "instruction_attributes": ["sugar free"], "instruction_options": ["german chocolate", "15.89 ounce"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733IKEB0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B089Z2S9XT", "instruction": "i am looking for a sugar free drink syrup. get the one in the egg nog flavor.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: egg nog", "size: 25.4 fl ounce (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["egg nog"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR025XUKAU", "worker_id": "A34QZDSTKZ3JO9"}], "B09FQ44D2B": [{"asin": "B09FQ44D2B", "instruction": "i am looking for a super soft, fleece throw blanket that has to be at least 80\"x60\" and ideally have a sloth on it.", "attributes": ["super soft", "machine washable", "fleece throw"], "options": ["color: sloth", "size: l 80\"x60\" for adults"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["sloth", "l 80\"x60\" for adults"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME901D2Z", "worker_id": "A114NK7T5673GK"}, {"asin": "B09FQ44D2B", "instruction": "i want to get a fleece throw that's machine washable. it needs to be extra small 40 by 30 in and strawberry cow 2 color.", "attributes": ["super soft", "machine washable", "fleece throw"], "options": ["color: strawberry cow 2", "size: xs 40\"x30\" for pets"], "instruction_attributes": ["machine washable", "fleece throw"], "instruction_options": ["strawberry cow 2", "xs 40\"x30\" for pets"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TDI2KT", "worker_id": "A2YNPKYEFDZ6C9"}], "B09PTRF18Z": [{"asin": "B09PTRF18Z", "instruction": "i am looking for sweatpants and short pants for gym workout", "attributes": ["daily casual", "elastic closure", "elastic waist", "gym workout"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["daily casual"], "instruction_options": ["black"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3C8VB6", "worker_id": "A10OGH5CQBXL5N"}], "B09QCRHF47": [{"asin": "B09QCRHF47", "instruction": "i want to get a birthday party themed cake topper. get the one with the purple butterfly on it.", "attributes": ["birthday cake", "birthday party"], "options": ["color: purple butterfly"], "instruction_attributes": ["birthday party"], "instruction_options": ["purple butterfly"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BHNVJX", "worker_id": "A34QZDSTKZ3JO9"}], "B08CV7F984": [{"asin": "B08CV7F984", "instruction": "i'm searching for a toothpick oral hygiene pink color brush", "attributes": ["oral hygiene", "bad breath"], "options": ["color: pink", "size: 0.7mm"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["pink"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYJ5M6H", "worker_id": "A258PTOZ3D2TQR"}], "B083Z8JXF3": [{"asin": "B083Z8JXF3", "instruction": "i need a 2.6 ounce deodorant that is cruelty free and smells of mandarin woods.", "attributes": ["dermatologist tested", "alcohol free", "cruelty free", "sensitive skin"], "options": ["scent: mandarin woods", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["mandarin woods", "2.6 ounce (pack of 1)"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKVPUIV", "worker_id": "A2ECRNQ3X5LEXD"}], "B071W9JN82": [{"asin": "B071W9JN82", "instruction": "i am looking to buy a high powered car cd receiver with bluetooth.", "attributes": ["power amplifier", "high power"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0KP8JA", "worker_id": "A114NK7T5673GK"}], "B07C4NSKVJ": [{"asin": "B07C4NSKVJ", "instruction": "i am looking for high speed 4k hdmi cable of 6 feet.i need 80 pcs.", "attributes": ["ultra hd", "heavy duty", "gold plated", "high speed"], "options": ["size: 6ft-80pcs"], "instruction_attributes": ["high speed"], "instruction_options": ["6ft-80pcs"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WNE24H", "worker_id": "A3FG5PQHG5AH3Y"}], "B0972QDW7H": [{"asin": "B0972QDW7H", "instruction": "i'm looking for twin bunk beds with box spring. also, choose black colored one.", "attributes": ["white item", "box spring"], "options": ["color: black(house)"], "instruction_attributes": ["box spring"], "instruction_options": ["black(house)"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163O8PQR", "worker_id": "AR0VJ5XRG16UJ"}], "B08NPHTDGH": [{"asin": "B08NPHTDGH", "instruction": "i am looking for a wall mounted mid-century sconce that preferably has a plug in 2 pack.", "attributes": ["wall mounted", "mid century", "glass shade"], "options": ["color: plug in-2pack"], "instruction_attributes": ["wall mounted", "mid century"], "instruction_options": ["plug in-2pack"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2TK94C", "worker_id": "A114NK7T5673GK"}], "B09HS75C7D": [{"asin": "B09HS75C7D", "instruction": "i need a elephant11lbg8852 valentine's fleece throw that is 50x60in.", "attributes": ["super soft", "fleece throw"], "options": ["color: elephant11lbg8852", "size: 50x60in"], "instruction_attributes": ["fleece throw"], "instruction_options": ["elephant11lbg8852", "50x60in"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTPOP9R", "worker_id": "A2RBF3IIJP15IH"}], "B005GEZGSQ": [{"asin": "B005GEZGSQ", "instruction": "i am looking for restore & repair oil.which is effective for anti aging.", "attributes": ["anti aging", "natural hair"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPH2SYJ", "worker_id": "A3FG5PQHG5AH3Y"}], "B08D6YC8W9": [{"asin": "B08D6YC8W9", "instruction": "can you find me a clear screen protector for glass screens?", "attributes": ["glass screen", "tempered glass"], "options": ["color: clear", "size: samsung a32 5g", "style: defender"], "instruction_attributes": ["glass screen"], "instruction_options": ["clear"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MFSWL8", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B08D6YC8W9", "instruction": "i would like a clear performance glass screen protector for a samsung s21.", "attributes": ["glass screen", "tempered glass"], "options": ["color: clear | blue", "size: samsung s21 5g", "style: performance glass"], "instruction_attributes": ["glass screen"], "instruction_options": ["clear | blue", "samsung s21 5g", "performance glass"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FPTFBP", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08D6YC8W9", "instruction": "i would like a clear value glass screen samsung a32 5g phone.", "attributes": ["glass screen", "tempered glass"], "options": ["color: clear | black", "size: samsung a32 5g", "style: value glass"], "instruction_attributes": ["glass screen"], "instruction_options": ["clear | black", "samsung a32 5g", "value glass"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68I2A46", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08D6YC8W9", "instruction": "i am looking for a tempered glass screen protector for an iphone 12 mini.", "attributes": ["glass screen", "tempered glass"], "options": ["color: black | clear", "size: iphone 12 mini", "style: symmetry"], "instruction_attributes": ["tempered glass"], "instruction_options": ["iphone 12 mini"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GGJUZ0", "worker_id": "A1EREKSZAA9V7B"}], "B07SX57P6P": [{"asin": "B07SX57P6P", "instruction": "i'm looking for desktop computer with intel core processor.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["intel core"], "instruction_options": [], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK243GKNZ", "worker_id": "AR0VJ5XRG16UJ"}], "B08KT61CYV": [{"asin": "B08KT61CYV", "instruction": "i am shopping for a ready use syrup that is lemon lime in flavor.", "attributes": ["ready use", "quality ingredients", "birthday cake"], "options": ["flavor name: lemon lime", "size: 128 fl oz (gallon)"], "instruction_attributes": ["ready use"], "instruction_options": ["lemon lime"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49DDDTQ", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B08KT61CYV", "instruction": "i'm looking for a 32 ounce bottle of peach flavored ready to use syrup.", "attributes": ["ready use", "quality ingredients", "birthday cake"], "options": ["flavor name: peach", "size: 32 fl oz (quart)"], "instruction_attributes": ["ready use"], "instruction_options": ["peach", "32 fl oz (quart)"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1HO08C", "worker_id": "AR9AU5FY1S3RO"}], "B09MZ5RBRT": [{"asin": "B09MZ5RBRT", "instruction": "i'm looking for a camouflage colored leggings which is high at the waist.", "attributes": ["butt lifting", "fleece lined", "wide leg", "quick drying", "moisture wicking", "tummy control", "high waist"], "options": ["color: camouflage", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["camouflage"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HK0WOS", "worker_id": "A15ERD4HOFEPHM"}], "B08P365RJW": [{"asin": "B08P365RJW", "instruction": "do you think you can find me a power amp that is easy to install?", "attributes": ["power amplifier", "easy install"], "options": [""], "instruction_attributes": ["power amplifier", "easy install"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLV3AV8", "worker_id": "A34QZDSTKZ3JO9"}], "B08XNSPPTK": [{"asin": "B08XNSPPTK", "instruction": "i am looking for remote controls that include batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7SWLHG", "worker_id": "A2ECRNQ3X5LEXD"}], "B088S15MCJ": [{"asin": "B088S15MCJ", "instruction": "i want to buy a moisturizing milk purifying gel cleanser that is sulfate and alcohol free.", "attributes": ["sulfate free", "paraben free", "alcohol free"], "options": ["style: moisturizing milk cleanser"], "instruction_attributes": ["sulfate free", "alcohol free"], "instruction_options": ["moisturizing milk cleanser"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9C3E2U", "worker_id": "A114NK7T5673GK"}], "B072C9CB54": [{"asin": "B072C9CB54", "instruction": "i need a small yellow polyester spandex lingerie sleepwear.", "attributes": ["unique design", "polyester spandex"], "options": ["color: yellow", "size: small"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["yellow", "small"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXG3KWB", "worker_id": "A1NF6PELRKACS9"}], "B0848BNQFD": [{"asin": "B0848BNQFD", "instruction": "i am looking for black magic seasoning that is gluten free and 1.37 pounds.", "attributes": ["gluten free", "gift set"], "options": ["flavor name: black magic", "size: 1.37 pound (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["black magic", "1.37 pound (pack of 1)"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIQ2MTC", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0848BNQFD", "instruction": "i want variety pack gluten free meat seasoning spices gift set size :5.5 ounce (pack of 4)", "attributes": ["gluten free", "gift set"], "options": ["flavor name: variety pack", "size: 5.5 ounce (pack of 4)"], "instruction_attributes": ["gluten free", "gift set"], "instruction_options": ["variety pack", "5.5 ounce (pack of 4)"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKQVPE0", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B0848BNQFD", "instruction": "variety pack seasoning, gluten free 5.5oz gift set (pack of 4.)i'm cooking for friends, need to gift the couple something gourmet. mis rubins magic seems to be ideal.", "attributes": ["gluten free", "gift set"], "options": ["flavor name: creole magic", "size: 5.5 ounce (pack of 4)"], "instruction_attributes": ["gluten free", "gift set"], "instruction_options": ["5.5 ounce (pack of 4)"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OLAUH52", "worker_id": "A15IJ20C3R4HUO"}], "B078JFX823": [{"asin": "B078JFX823", "instruction": "i want an ontario furniture 5 foot solid plastic folding table. if possible i need it to be heavy duty with the steel frame.", "attributes": ["heavy duty", "coated steel", "steel frame"], "options": ["size: 5 foot solid"], "instruction_attributes": ["heavy duty", "steel frame"], "instruction_options": ["5 foot solid"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WM2425", "worker_id": "A1CB72B51L7TKE"}], "B09HPP4YZX": [{"asin": "B09HPP4YZX", "instruction": "do you think you can find me some long lasting women's nail polish? i want the one in the color a-07.", "attributes": ["eco friendly", "easy carry", "long lasting", "high quality", "nail polish", "nail art"], "options": ["color: a-07"], "instruction_attributes": ["long lasting", "nail polish"], "instruction_options": ["a-07"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBNOEJG", "worker_id": "A34QZDSTKZ3JO9"}], "B0917L2DBN": [{"asin": "B0917L2DBN", "instruction": "i need a 60 silver mist wig that is made from natural hair.", "attributes": ["synthetic hair", "natural hair", "hair growth"], "options": ["color: rl56 | 60 silver mist"], "instruction_attributes": ["natural hair"], "instruction_options": ["rl56 | 60 silver mist"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DN34K8", "worker_id": "A2RBF3IIJP15IH"}], "B09H6QRWJ6": [{"asin": "B09H6QRWJ6", "instruction": "i'm searching for daily wear men loafers with size 11 and black | 01 color", "attributes": ["rubber sole", "daily wear"], "options": ["color: black | 01", "size: 11"], "instruction_attributes": ["daily wear"], "instruction_options": ["black | 01", "11"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOHX76HT", "worker_id": "A258PTOZ3D2TQR"}], "B08QJJX71B": [{"asin": "B08QJJX71B", "instruction": "i am looking for an all in one bluetooth record player and carrying case in brown.", "attributes": ["heavy duty", "easy carry", "carrying case"], "options": ["color: black", "style: player"], "instruction_attributes": ["carrying case"], "instruction_options": ["black", "player"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3HTZLY", "worker_id": "A2KW17G25L25R8"}], "B000V1JVAI": [{"asin": "B000V1JVAI", "instruction": "can you find me a shelf stable potato side dish? i want something that i can cook in the microwave.", "attributes": ["shelf stable", "artificial ingredients", "protein serving", "quality ingredients"], "options": ["style: microwave meals"], "instruction_attributes": ["shelf stable"], "instruction_options": ["microwave meals"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IM923L", "worker_id": "A34QZDSTKZ3JO9"}], "B07PLF2WW5": [{"asin": "B07PLF2WW5", "instruction": "i need you to find me a high definition bullet camera that has 1080p hd.", "attributes": ["high definition", "1080p hd"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEE5682", "worker_id": "A34QZDSTKZ3JO9"}], "B085TN7R2X": [{"asin": "B085TN7R2X", "instruction": "i'm looking for a portable bluetooth speakers with plug play and has usb port. also, choose mini mamba sized black colored one.", "attributes": ["plug play", "usb port"], "options": ["color: black", "style: mini mamba"], "instruction_attributes": ["plug play", "usb port"], "instruction_options": ["black", "mini mamba"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVCZUT6", "worker_id": "AR0VJ5XRG16UJ"}], "B08B3K4YHZ": [{"asin": "B08B3K4YHZ", "instruction": "i need a two pack of hdmi cables that are high speed and 35 feet.", "attributes": ["ultra hd", "high speed", "blu ray", "gold plated"], "options": ["color: 2 pack - nylon braided", "size: 35 feet (cl3) | 10.6 meter"], "instruction_attributes": ["high speed"], "instruction_options": ["2 pack - nylon braided", "35 feet (cl3) | 10.6 meter"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMKLWMD", "worker_id": "A2ECRNQ3X5LEXD"}], "B00FDXY2WG": [{"asin": "B00FDXY2WG", "instruction": "i need a water resistant pager that has a transmitter set.", "attributes": ["wall mounted", "water resistant", "aaa batteries"], "options": ["style: 1 transmitter set"], "instruction_attributes": ["water resistant"], "instruction_options": ["1 transmitter set"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ8519K", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DCL3LH2": [{"asin": "B09DCL3LH2", "instruction": "i want a vogu twin platform wood trudle bed for teens. i need it in white-6 color.", "attributes": ["twin size", "white item", "easy assemble", "box spring", "white finish", "wood frame", "solid wood"], "options": ["color: white-6"], "instruction_attributes": ["white finish"], "instruction_options": ["white-6"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCG7JSMO", "worker_id": "A1CB72B51L7TKE"}], "B082FJSZHK": [{"asin": "B082FJSZHK", "instruction": "i would like wide leg black jeans that are small", "attributes": ["wide leg", "low rise", "straight leg", "tummy control", "high waist", "elastic waist", "short sleeve"], "options": ["color: black", "size: small"], "instruction_attributes": ["wide leg"], "instruction_options": ["black", "small"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2TM499", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GLWQ6T3": [{"asin": "B09GLWQ6T3", "instruction": "i am looking for a wireless mini 1080p spy camera with motion detection and night vision.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7SFRU5", "worker_id": "A1EREKSZAA9V7B"}], "B082ZYLXKQ": [{"asin": "B082ZYLXKQ", "instruction": "i need 30ml travel bottles.", "attributes": ["eco friendly", "fine mist", "travel bottles"], "options": ["size: 30ml"], "instruction_attributes": ["travel bottles"], "instruction_options": ["30ml"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIZL3TD", "worker_id": "A226L9F2AZ38CL"}], "B09QC9H4S6": [{"asin": "B09QC9H4S6", "instruction": "i would like a women's xl dark heather cotton tank top that's machine washable.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: women", "size: x-large"], "instruction_attributes": ["machine wash", "heathers cotton", "cotton heather"], "instruction_options": ["dark heather", "women", "x-large"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYMQFXV", "worker_id": "A1WS884SI0SLO4"}], "B00WAKAEQS": [{"asin": "B00WAKAEQS", "instruction": "i'm looking for a pack of butter cookies made with quality ingredients. get me the 3 pound package.", "attributes": ["baked fresh", "quality ingredients"], "options": ["size: 3 pound"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["3 pound"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTUDM74", "worker_id": "A34QZDSTKZ3JO9"}], "B07ZYDBNH5": [{"asin": "B07ZYDBNH5", "instruction": "i am looking for light brown hair extensions for women.", "attributes": ["double sided", "hair extensions"], "options": ["color: light brown-body wave", "size: 14 inch (60 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["light brown-body wave"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOHX06HM", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07ZYDBNH5", "instruction": "find me an 18 inch long double sided human hair extensions that is golden brown and beach blonde in color.", "attributes": ["double sided", "hair extensions"], "options": ["color: golden brown&bleach blonde", "size: 18 inch (60 gram)"], "instruction_attributes": ["double sided", "hair extensions"], "instruction_options": ["golden brown&bleach blonde", "18 inch (60 gram)"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KOAHU1", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07ZYDBNH5", "instruction": "i need some 12 inch white blonde hair extensions", "attributes": ["double sided", "hair extensions"], "options": ["color: white blonde-body wave", "size: 12 inch (60 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["white blonde-body wave", "12 inch (60 gram)"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVJD1PJ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07ZYDBNH5", "instruction": "i am interested in 24 inch hair extensions", "attributes": ["double sided", "hair extensions"], "options": ["color: b18p22t60", "size: 24 inch (60 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["24 inch (60 gram)"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907VBAUE", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KP16BSQ": [{"asin": "B07KP16BSQ", "instruction": "i need a certified refurbished hp laser printer.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFHSEMT", "worker_id": "A2RBF3IIJP15IH"}], "B01J1PUN92": [{"asin": "B01J1PUN92", "instruction": "i want to find some keto friendly salsa made with quality ingredients.", "attributes": ["keto friendly", "dietary fiber", "quality ingredients"], "options": [""], "instruction_attributes": ["keto friendly", "quality ingredients"], "instruction_options": [], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROKN4WWB", "worker_id": "A34QZDSTKZ3JO9"}], "B01M2ZXXL6": [{"asin": "B01M2ZXXL6", "instruction": "let's see some long lasting moose that is about 250ml.", "attributes": ["paraben free", "long lasting", "natural ingredients", "hair styling"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3H986I6", "worker_id": "A15ERD4HOFEPHM"}], "B007EZ8SHQ": [{"asin": "B007EZ8SHQ", "instruction": "i need to find a sugar free, fruit flavoured powdered drink.", "attributes": ["low calorie", "sugar free", "zero sugar"], "options": [""], "instruction_attributes": ["sugar free"], "instruction_options": [], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZM3HSP", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B007EZ8SHQ", "instruction": "i am looking for sugar free soft drink mixes with fruit punch", "attributes": ["low calorie", "sugar free", "zero sugar"], "options": [""], "instruction_attributes": ["sugar free"], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR4VA0V", "worker_id": "A16M39T60N60NO"}], "B08CBS1Z2Q": [{"asin": "B08CBS1Z2Q", "instruction": "i am looking for a good hair salon.", "attributes": ["hair salon", "hair dye"], "options": [""], "instruction_attributes": ["hair salon"], "instruction_options": [], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW2U8SG", "worker_id": "A2KW17G25L25R8"}], "B09GK63B91": [{"asin": "B09GK63B91", "instruction": "i'm looking for a heavy duty case for my phone. can you get me one in black and orange?", "attributes": ["compatible apple", "heavy duty", "easy install", "glass screen"], "options": ["color: black orange+clip", "size: xs max"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black orange+clip"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WT5F7U", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B09GK63B91", "instruction": "i am looking for an easy to install iphone case that is pink and blue and xs max in size.", "attributes": ["compatible apple", "heavy duty", "easy install", "glass screen"], "options": ["color: pink+blue", "size: xs max"], "instruction_attributes": ["easy install"], "instruction_options": ["pink+blue", "xs max"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBIAHGK", "worker_id": "A114NK7T5673GK"}], "B08FZ1RGNC": [{"asin": "B08FZ1RGNC", "instruction": "i would like 6 bottles of non alcoholic harry potter butterscotch beer.", "attributes": ["non alcoholic", "gluten free"], "options": ["size: 6 bottles"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAXZ8AY", "worker_id": "A1WS884SI0SLO4"}], "B07BF5MRJK": [{"asin": "B07BF5MRJK", "instruction": "can you find me a face mask for dry skin? i want something that comes in 1.0 fl oz.", "attributes": ["certified organic", "alcohol free", "seed oil", "dry skin"], "options": ["scent: rose hip & black seed", "size: 1.0 fl oz"], "instruction_attributes": ["dry skin"], "instruction_options": ["1.0 fl oz"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IET2M6", "worker_id": "A34QZDSTKZ3JO9"}], "B07B616217": [{"asin": "B07B616217", "instruction": "i need a wall lamp that is a vanity lamp with a white finish.", "attributes": ["white item", "white finish"], "options": ["color: matte black", "style: vanity light"], "instruction_attributes": ["white finish"], "instruction_options": ["vanity light"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEHTZK0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HYZH871": [{"asin": "B09HYZH871", "instruction": "i'm looking for an anti-aging serum that helps to reduce fine lines and moisturizes dry skin.", "attributes": ["anti aging", "fine lines", "dry skin"], "options": [""], "instruction_attributes": ["anti aging", "fine lines", "dry skin"], "instruction_options": [], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JUYGE3", "worker_id": "AR0VJ5XRG16UJ"}], "B000VV5XY6": [{"asin": "B000VV5XY6", "instruction": "do you think you can find me a long lasting women's perfume?", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BI8X8R", "worker_id": "A34QZDSTKZ3JO9"}], "B08PFL4K7L": [{"asin": "B08PFL4K7L", "instruction": "i need purple eyeshadow applicators that are easy to clean.", "attributes": ["easy use", "easy clean", "hair removal"], "options": ["color: purple"], "instruction_attributes": ["easy clean"], "instruction_options": ["purple"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTE64DV", "worker_id": "A2RBF3IIJP15IH"}], "B07KXVGHTV": [{"asin": "B07KXVGHTV", "instruction": "can you find me a bath scrubber for dead skin with a long handle? i want the one that is white with the bath ball.", "attributes": ["long handle", "dead skin"], "options": ["material type: white with bath ball"], "instruction_attributes": ["long handle", "dead skin"], "instruction_options": [], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9PMTE7", "worker_id": "A34QZDSTKZ3JO9"}], "B08FM6347F": [{"asin": "B08FM6347F", "instruction": "i am looking for a man's size 6, black, non-slip working shoe with a rubber sole.", "attributes": ["non slip", "anti slip", "steel toe", "rubber sole"], "options": ["color: f black", "size: 7.5 women | 6 men"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["f black", "7.5 women | 6 men"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IMPLTO", "worker_id": "A114NK7T5673GK"}], "B09PBLBWB5": [{"asin": "B09PBLBWB5", "instruction": "i need hdmi cables that are high speed and 1m long.", "attributes": ["high speed", "blu ray", "1080p hd", "gold plated", "high definition"], "options": ["size: 1m"], "instruction_attributes": ["high speed"], "instruction_options": ["1m"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5NIX65", "worker_id": "A2ECRNQ3X5LEXD"}], "B00K5WG30Y": [{"asin": "B00K5WG30Y", "instruction": "i would like three 3.5 fluid ounce long lasting hair dye preferably in dark warm brown.", "attributes": ["highly pigmented", "long lasting", "permanent hair"], "options": ["color: dark warm brown", "size: 3.5 fl oz (pack of 3)"], "instruction_attributes": ["long lasting"], "instruction_options": ["dark warm brown", "3.5 fl oz (pack of 3)"], "assignment_id": "3TE22NPXPMMW3QH7127E47P6G13448", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00K5WG30Y", "instruction": "i looh for this brand i need exactly this kiss express semi-permanent hair color 100ml (3.5 us fl.oz) long lasting, color cobalt blue.", "attributes": ["highly pigmented", "long lasting", "permanent hair"], "options": ["color: cobalt blue", "size: 3.5 fl oz (pack of 3)"], "instruction_attributes": ["long lasting"], "instruction_options": ["cobalt blue"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KV97ET", "worker_id": "A15IJ20C3R4HUO"}], "B07Z1RWD8Z": [{"asin": "B07Z1RWD8Z", "instruction": "i am looking for graphic tees for men highest quality fabrics, are 100% cotton and machine washable classic fit willy wonka and the chocolate factory music makers t-shirt in heather grey color. size 4t preferable.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: heather grey", "fit type: men", "size: 4t"], "instruction_attributes": ["officially licensed", "needle sleeve", "classic fit"], "instruction_options": ["heather grey", "men", "4t"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO012C0", "worker_id": "A1DRKZ3SCLAS4V"}], "B089K2CS7Z": [{"asin": "B089K2CS7Z", "instruction": "i am looking for easy install hanging lamp dome pendant light, color b", "attributes": ["easy install", "pendant light", "light fixture", "dining room", "living room"], "options": ["color: b"], "instruction_attributes": ["easy install", "pendant light"], "instruction_options": ["b"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTKXOQW", "worker_id": "A258PTOZ3D2TQR"}], "B01N5H9DIM": [{"asin": "B01N5H9DIM", "instruction": "i want a soy wax candle that has a terra cotta scent.", "attributes": ["white item", "soy wax"], "options": ["scent: terra cotta", "size: king size"], "instruction_attributes": ["soy wax"], "instruction_options": ["terra cotta"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z12H1KE", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01N5H9DIM", "instruction": "i'm interested in a 10-inch soy jar candle with a sea salt & ginger scent.", "attributes": ["white item", "soy wax"], "options": ["scent: sea salt & ginger", "size: 10 in"], "instruction_attributes": ["soy wax"], "instruction_options": ["sea salt & ginger", "10 in"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLYUTFY", "worker_id": "AFU00NU09CFXE"}, {"asin": "B01N5H9DIM", "instruction": "i would like a moss green candle that is made from soy", "attributes": ["white item", "soy wax"], "options": ["scent: moss green", "size: 8 in"], "instruction_attributes": ["soy wax"], "instruction_options": ["moss green"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQWWHI8", "worker_id": "A2ECRNQ3X5LEXD"}], "B093YT997C": [{"asin": "B093YT997C", "instruction": "i would like to buy a colorful blouse hosiery laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E0LHXB", "worker_id": "A3AYHESLQSDY5T"}], "B08MN8CYT8": [{"asin": "B08MN8CYT8", "instruction": "i am looking for long lasting winter candle with green jar.", "attributes": ["long lasting", "soy wax"], "options": ["color: green jar", "scent: winter balsam"], "instruction_attributes": ["long lasting"], "instruction_options": ["green jar"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVHGQ07", "worker_id": "A3FG5PQHG5AH3Y"}], "B07QBY4387": [{"asin": "B07QBY4387", "instruction": "i am looking for a 6 foot by 4 foot underwater photography backdrop.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 6x4ft"], "instruction_attributes": ["light weight"], "instruction_options": ["6x4ft"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBNZJEW", "worker_id": "A1EREKSZAA9V7B"}], "B09B1NY84G": [{"asin": "B09B1NY84G", "instruction": "find me a samsung galaxy smartphone with a long lasting battery and its t-mobile is already unlocked.", "attributes": ["long lasting", "4g lte"], "options": ["style: t-mobile unlocked"], "instruction_attributes": ["long lasting"], "instruction_options": ["t-mobile unlocked"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ8291P", "worker_id": "A1HMZJ59OPLD1P"}], "B07SFZQFRQ": [{"asin": "B07SFZQFRQ", "instruction": "i am looking for snickerdoodles that have been baked fresh.", "attributes": ["baked fresh", "perfect gift"], "options": ["flavor: snickerdoodle"], "instruction_attributes": ["baked fresh"], "instruction_options": ["snickerdoodle"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G72Q47N", "worker_id": "A2ECRNQ3X5LEXD"}], "B07YDZPYLQ": [{"asin": "B07YDZPYLQ", "instruction": "i want 81 medium ash blonde color hair dye", "attributes": ["easy apply", "easy use", "seed oil", "hair dye", "permanent hair"], "options": ["color: 81 medium ash blonde", "size: 10.2 ounce (pack of 3)"], "instruction_attributes": ["hair dye"], "instruction_options": ["81 medium ash blonde"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PCZWINR", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B07YDZPYLQ", "instruction": "i'm looking for hair dye for permanent hair it was easy to use.", "attributes": ["easy apply", "easy use", "seed oil", "hair dye", "permanent hair"], "options": ["color: 50 medium natural brown", "size: 10.2 ounce (pack of 3)"], "instruction_attributes": ["hair dye", "permanent hair"], "instruction_options": ["50 medium natural brown"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HUBBPH", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07YDZPYLQ", "instruction": "i need a easy to apply hair coloring product on the black color..", "attributes": ["easy apply", "easy use", "seed oil", "hair dye", "permanent hair"], "options": ["color: 10 black", "size: 3 count (pack of 1)"], "instruction_attributes": ["easy apply"], "instruction_options": ["10 black"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DZUOTO", "worker_id": "AVIEE6LDH0BT5"}], "B096ZFGXMJ": [{"asin": "B096ZFGXMJ", "instruction": "i am looking for hair care conditioner for damaged hair having scent tea tree rosemary 33.8 fl", "attributes": ["seed oil", "argan oil", "damaged hair", "hair treatment", "dry hair"], "options": ["scent: tea tree rosemary 33.8 fl", "size: conditioner"], "instruction_attributes": ["damaged hair"], "instruction_options": ["tea tree rosemary 33.8 fl", "conditioner"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHWGZ4P", "worker_id": "A258PTOZ3D2TQR"}], "B09NM1GW5W": [{"asin": "B09NM1GW5W", "instruction": "i am looking for lightweight men's size 7.5 non slip german shepherd shoes with mesh.", "attributes": ["non slip", "slip resistant", "arch support", "rubber sole"], "options": ["color: black yellow boho sunflower b", "size: 9 women | 7.5 men"], "instruction_attributes": ["non slip"], "instruction_options": ["9 women | 7.5 men"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z13LK13", "worker_id": "A1EREKSZAA9V7B"}], "B08L7KXKM6": [{"asin": "B08L7KXKM6", "instruction": "i would like some white noise cancelling earbud headphones that charge as fast as possible.", "attributes": ["noise cancelling", "fast charging"], "options": ["color: white"], "instruction_attributes": ["noise cancelling", "fast charging"], "instruction_options": ["white"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I6CBC9", "worker_id": "A1WS884SI0SLO4"}], "B00FGDGYXS": [{"asin": "B00FGDGYXS", "instruction": "do you think you can find me an alcohol free mouthwash for bad breath?", "attributes": ["alcohol free", "bad breath"], "options": [""], "instruction_attributes": ["alcohol free", "bad breath"], "instruction_options": [], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD5R0SW", "worker_id": "A34QZDSTKZ3JO9"}], "B0791H84G3": [{"asin": "B0791H84G3", "instruction": "i need some fruit snacks that come in a variety pack. make sure that they are gluten free.", "attributes": ["gluten free", "source vitamin", "artificial flavors"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL8416GXA3", "worker_id": "A1NF6PELRKACS9"}], "B093YSNJGF": [{"asin": "B093YSNJGF", "instruction": "i am looking to buy a mesh laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61PHWZA", "worker_id": "A114NK7T5673GK"}], "B01BRTBUEC": [{"asin": "B01BRTBUEC", "instruction": "i would like chocolate that is individually wrapped and are fun sized.", "attributes": ["individually wrapped", "resealable bag"], "options": ["style: fun size"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["fun size"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLQSFT2", "worker_id": "A2ECRNQ3X5LEXD"}], "B01HJWCB3U": [{"asin": "B01HJWCB3U", "instruction": "can you find me some high speed hdmi cables? i really want the ones that come in a 3 pack.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 3 pack", "size: 3 feet (4 pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["3 pack"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WSZ7FE", "worker_id": "A34QZDSTKZ3JO9"}], "B08C9FC94G": [{"asin": "B08C9FC94G", "instruction": "i am looking for grey color mens polyester hoodie.", "attributes": ["quality polyester", "polyester cotton"], "options": ["color: grey", "size: xx-large"], "instruction_attributes": ["quality polyester"], "instruction_options": ["grey"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PIHEQ8", "worker_id": "A3FG5PQHG5AH3Y"}], "B09KXSGRKG": [{"asin": "B09KXSGRKG", "instruction": "i'm looking for a pair of men's beach sandals with a leather sole, arch support, and non-slip grip. get the ones that are light brown in 9 or 9.5 in size.", "attributes": ["non slip", "daily casual", "arch support", "leather sole", "daily wear"], "options": ["color: light&brown", "size: 9-9.5"], "instruction_attributes": ["non slip", "arch support", "leather sole"], "instruction_options": ["light&brown", "9-9.5"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPFTNJI", "worker_id": "A34QZDSTKZ3JO9"}], "B0026NS2T0": [{"asin": "B0026NS2T0", "instruction": "i need to get some batteries for my two way radio. the one that i have takes aaa batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8DIC4P", "worker_id": "A34QZDSTKZ3JO9"}], "B08Y976Y4D": [{"asin": "B08Y976Y4D", "instruction": "i need xx-large wide leg jumpsuits that are wine colored.", "attributes": ["wide leg", "machine washable", "loose fit", "hand wash", "machine wash", "soft material", "button closure", "short sleeve", "long sleeve", "daily wear"], "options": ["color: wine", "size: xx-large"], "instruction_attributes": ["wide leg"], "instruction_options": ["wine", "xx-large"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3VA7QC", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GXLG5W6": [{"asin": "B07GXLG5W6", "instruction": "i am looking for a nightstand with drawers. it should have a nickle finish.", "attributes": ["assembly required", "nickel finish"], "options": ["style: nightstand"], "instruction_attributes": ["nickel finish"], "instruction_options": ["nightstand"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBOCIGN", "worker_id": "A1NF6PELRKACS9"}], "B0971SMH99": [{"asin": "B0971SMH99", "instruction": "i am looking for cactus colored vinyl shoes in a size 8.5-9.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: cactus", "size: 8.5-9"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["cactus", "8.5-9"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DY8082I", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RXMK2PN": [{"asin": "B07RXMK2PN", "instruction": "i am looking for a tea gift set that is in rose gold.", "attributes": ["bpa free", "individually wrapped", "gift set", "gift basket"], "options": ["color: coffee gifts- rose gold"], "instruction_attributes": ["gift set"], "instruction_options": ["coffee gifts- rose gold"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF01LD5", "worker_id": "A2ECRNQ3X5LEXD"}], "B073JH3VPX": [{"asin": "B073JH3VPX", "instruction": "can you find a gluten free flatbread cracker with multi-seeds on it?", "attributes": ["gluten free", "protein serving"], "options": ["flavor name: multi-seeds", "size: 4.25 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["multi-seeds"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYE3L62", "worker_id": "A34QZDSTKZ3JO9"}], "B08RDBGV4Z": [{"asin": "B08RDBGV4Z", "instruction": "i\u2019m interested in nail art; can you help me find a really high quality nail gel polish with a metallic purple effect?", "attributes": ["long lasting", "easy apply", "high quality", "rose gold", "nail polish", "nail art"], "options": ["color: purple"], "instruction_attributes": ["high quality", "nail polish", "nail art"], "instruction_options": ["purple"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSEJ261", "worker_id": "A3LIIE572Z4OG7"}], "B08Q8SRFNN": [{"asin": "B08Q8SRFNN", "instruction": "i need a water resistant snow boot in caramel brown color.", "attributes": ["water resistant", "rubber sole"], "options": ["color: caramel brown", "size: 10.5"], "instruction_attributes": ["water resistant"], "instruction_options": ["caramel brown"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79FHQK8", "worker_id": "A1NF6PELRKACS9"}], "B08155VDDT": [{"asin": "B08155VDDT", "instruction": "i am looking for an oil free hyaluronic acid.", "attributes": ["oil free", "clinically proven", "hyaluronic acid"], "options": [""], "instruction_attributes": ["oil free", "hyaluronic acid"], "instruction_options": [], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADDRVWN", "worker_id": "A2KW17G25L25R8"}], "B08QDPGHBL": [{"asin": "B08QDPGHBL", "instruction": "i\u2019m looking for some keto-friendly breakfast waffles in cinnamon toast and maple flavour. please make sure it\u2019s gluten free.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: cinnamon toast & maple waffle", "size: 9 ounce (pack of 8)"], "instruction_attributes": ["keto friendly", "gluten free"], "instruction_options": ["cinnamon toast & maple waffle"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7K9PDPG", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B08QDPGHBL", "instruction": "i am looking for plant based,sugar free and gluten free maple waffle.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: maple waffle", "size: 9 ounce (pack of 4)"], "instruction_attributes": ["sugar free", "plant based", "gluten free"], "instruction_options": ["maple waffle"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9ANN8Y", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B08QDPGHBL", "instruction": "i want to buy a 9 ounce, maple waffle flavored keto friendly snack that is sugar and grain free.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: maple waffle", "size: 9 ounce (pack of 8)"], "instruction_attributes": ["keto friendly", "sugar free", "grain free"], "instruction_options": ["maple waffle", "9 ounce (pack of 8)"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E04YX7C", "worker_id": "A114NK7T5673GK"}], "B08SRDBQZD": [{"asin": "B08SRDBQZD", "instruction": "i would like a quad core tablet.", "attributes": ["high performance", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R30SKX", "worker_id": "A1WS884SI0SLO4"}], "B098JR7D8X": [{"asin": "B098JR7D8X", "instruction": "i would like a 12\"x20\" grey throw pillow cover that has exquisite sewing and technique.", "attributes": ["high density", "exquisite workmanship"], "options": ["color: grey", "size: 12\"x20\""], "instruction_attributes": ["exquisite workmanship"], "instruction_options": ["12\"x20\""], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MG0LW7", "worker_id": "A1WS884SI0SLO4"}], "B09R6VDHJ4": [{"asin": "B09R6VDHJ4", "instruction": "my mom wear 11 size high heel", "attributes": ["open toe", "arch support", "ankle strap", "closed toe", "high heel"], "options": ["color: z7-black", "size: 11"], "instruction_attributes": ["high heel"], "instruction_options": ["11"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788AKC53", "worker_id": "A226L9F2AZ38CL"}], "B09JT2BF5M": [{"asin": "B09JT2BF5M", "instruction": "i am looking to buy an ultra hd, motion detection hidden camera charger.", "attributes": ["ultra hd", "easy use", "motion detection"], "options": [""], "instruction_attributes": ["ultra hd", "motion detection"], "instruction_options": [], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8L7LO1F", "worker_id": "A2KW17G25L25R8"}], "B094ZBVWK9": [{"asin": "B094ZBVWK9", "instruction": "i need a butterfly print slippers which is 13 wide. it should be non slip and light weight.", "attributes": ["non slip", "light weight", "ethylene vinyl", "vinyl acetate", "synthetic sole"], "options": ["color: just a girl who loves butterfly", "size: 13 wide"], "instruction_attributes": ["non slip", "light weight"], "instruction_options": ["just a girl who loves butterfly", "13 wide"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNWKTPO", "worker_id": "A1NF6PELRKACS9"}], "B004A7CC32": [{"asin": "B004A7CC32", "instruction": "i am looking for some size 7 wide open toe shoes that have a heel and come in black.", "attributes": ["open toe", "synthetic sole"], "options": ["color: black", "size: 7 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["black", "7 wide"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZWINR5", "worker_id": "A114NK7T5673GK"}], "B09LVQ3T86": [{"asin": "B09LVQ3T86", "instruction": "find me a machine washable long sleeved pullover with a loose fit. i want the one in green in small.", "attributes": ["machine washable", "loose fit", "machine wash", "button closure", "long sleeve"], "options": ["color: x01-green", "size: small"], "instruction_attributes": ["machine washable", "loose fit", "machine wash", "long sleeve"], "instruction_options": ["x01-green", "small"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYSJ63G", "worker_id": "A34QZDSTKZ3JO9"}], "B08FXTGNGY": [{"asin": "B08FXTGNGY", "instruction": "i am looking for a gluten free, low carb, flavored fyr salt shaker.", "attributes": ["gluten free", "keto friendly", "low carb", "natural ingredients", "artificial flavors"], "options": ["flavor name: fyr salt"], "instruction_attributes": ["gluten free", "low carb"], "instruction_options": ["fyr salt"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FE34U7", "worker_id": "A114NK7T5673GK"}], "B098XBFPF4": [{"asin": "B098XBFPF4", "instruction": "i need an easy to clean bedroom bench footstool seat. show me something in white.", "attributes": ["button tufted", "easy clean", "living room"], "options": ["color: white"], "instruction_attributes": ["easy clean"], "instruction_options": ["white"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPH76E5", "worker_id": "A1NF6PELRKACS9"}], "B07SZB6VQH": [{"asin": "B07SZB6VQH", "instruction": "i wish to buy a tempered glass screen protector which must be easy to instal on an 8.4 inch touchscreen of a 2019 dodge ram.", "attributes": ["easy install", "high definition", "tempered glass"], "options": ["color: for 2019 dodge ram 8.4 inch"], "instruction_attributes": ["easy install", "tempered glass"], "instruction_options": ["for 2019 dodge ram 8.4 inch"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIFL92D", "worker_id": "A1HMZJ59OPLD1P"}], "B001CMRVH0": [{"asin": "B001CMRVH0", "instruction": "i need ten 12 foot high speed hdmi male to male cables.", "attributes": ["high speed", "gold plated"], "options": ["product packaging: 10 pack", "size: 12 feet (10-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["10 pack", "12 feet (10-pack)", "hdmi male to male"], "assignment_id": "352YTHGRO6NQF252G9RXYWYAL61H4J", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B001CMRVH0", "instruction": "i'm looking for product packaging it is easy to use", "attributes": ["high speed", "gold plated"], "options": ["product packaging: 4 pack", "size: 8 feet (3-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["4 pack", "8 feet (3-pack)"], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0ZDRRF", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B001CMRVH0", "instruction": "i would like two packs of 12 feet high speed hdmi male to male cables.", "attributes": ["high speed", "gold plated"], "options": ["product packaging: 2 pack", "size: 12 feet (10-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["2 pack", "12 feet (10-pack)", "hdmi male to male"], "assignment_id": "33TIN5LC0FKDY31374RC144TXWQY9X", "worker_id": "A1WS884SI0SLO4"}], "B075G2XTBW": [{"asin": "B075G2XTBW", "instruction": "i would like a remote control that already comes with aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7SMHL2", "worker_id": "A1WS884SI0SLO4"}], "B07JMWDK4J": [{"asin": "B07JMWDK4J", "instruction": "i am looking for a slip resistant black water shoe in size 12 that is also quick drying.", "attributes": ["slip resistant", "quick drying", "open toe", "non slip", "rubber sole", "relaxed fit"], "options": ["color: black", "size: 12"], "instruction_attributes": ["slip resistant", "quick drying"], "instruction_options": ["black", "12"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UL3EZ3", "worker_id": "A114NK7T5673GK"}], "B078YFWC2R": [{"asin": "B078YFWC2R", "instruction": "can you get me a whitening toothpaste that is for sensitive teeth?", "attributes": ["teeth whitening", "sensitive teeth"], "options": [""], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": [], "assignment_id": "3EG49X3515M1GF9V412YYG6I5NJ6XF", "worker_id": "A34QZDSTKZ3JO9"}], "B085TKNL9R": [{"asin": "B085TKNL9R", "instruction": "i'm setting up for a birthday party and i'm looking for some party supplies. can you find me a cake topper?", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["party supplies", "birthday party"], "instruction_options": [], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCL5I7W", "worker_id": "A34QZDSTKZ3JO9"}], "B09JWM3Y7X": [{"asin": "B09JWM3Y7X", "instruction": "i'm searching for small high gloss nightstand for living room", "attributes": ["white item", "high gloss", "living room"], "options": [""], "instruction_attributes": ["high gloss", "living room"], "instruction_options": [], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWWQT59", "worker_id": "A258PTOZ3D2TQR"}], "B094ZNX8HY": [{"asin": "B094ZNX8HY", "instruction": "i am an african woman looking for a barber to cut my hair.", "attributes": ["easy clean", "hair cutting", "hair dye"], "options": [""], "instruction_attributes": ["hair cutting"], "instruction_options": [], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8ODWRT0", "worker_id": "A2KW17G25L25R8"}], "B09LCRPSG9": [{"asin": "B09LCRPSG9", "instruction": "my 6 years old child like teeth whitening", "attributes": ["teeth whitening", "easy use"], "options": ["color: b03#pink penguin", "size: aged 6-12"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["aged 6-12"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC0MKU6", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B09LCRPSG9", "instruction": "i am looking for toothbrush of b04#yellow penguin color that is easy to use.", "attributes": ["teeth whitening", "easy use"], "options": ["color: b04#yellow penguin", "size: aged 6-12"], "instruction_attributes": ["easy use"], "instruction_options": ["b04#yellow penguin"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0Y8XPN", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PGHT496": [{"asin": "B09PGHT496", "instruction": "i am looking for long sleeve men t-shirt.and please also choose the black one.", "attributes": ["light weight", "machine wash", "short sleeve", "long sleeve"], "options": ["color: d_black", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["d_black"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA0M8C2", "worker_id": "A3FG5PQHG5AH3Y"}], "B07GSPLN9N": [{"asin": "B07GSPLN9N", "instruction": "i need a wall lamp that is easy to install.", "attributes": ["easy install", "bronze finish", "living room"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA93WEZ3Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RT9X4PM": [{"asin": "B07RT9X4PM", "instruction": "i want to find a vanity light that is easy to install. my walls are black and i want something the same color.", "attributes": ["easy install", "contemporary design", "vanity light", "light fixture"], "options": ["color: black (natural white)", "size: non dimmable 47.2 inch"], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": ["black (natural white)"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRNZY2I", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B07RT9X4PM", "instruction": "find a black colored wall lamp thats easy to install", "attributes": ["easy install", "contemporary design", "vanity light", "light fixture"], "options": ["color: black (cool white)", "size: non dimmable 39.37 inch"], "instruction_attributes": ["easy install"], "instruction_options": ["black (cool white)"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GHAUZT", "worker_id": "AVIEE6LDH0BT5"}], "B08GNS58PQ": [{"asin": "B08GNS58PQ", "instruction": "please help me find an 8oz pack of medical body scrub exfolient that is suitable for sensitive skin.", "attributes": ["dermatologist tested", "oil free", "cruelty free", "dead skin", "sensitive skin"], "options": ["size: 8 ounce (pack of 1)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7ULYQ6", "worker_id": "A3LIIE572Z4OG7"}], "B09NSN6FWS": [{"asin": "B09NSN6FWS", "instruction": "get me a headset that is high resolution and is red in color.", "attributes": ["noise cancelling", "high resolution", "wireless bluetooth"], "options": ["color: red"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3URFVVM16GSBNLZB11OMB709G9TUZW", "worker_id": "A1MJVTR0PCKBWW"}], "B094MRG3NG": [{"asin": "B094MRG3NG", "instruction": "i need a small hawaiian shirt with short sleeves, lasts long and has a button closure.", "attributes": ["long lasting", "polyester spandex", "button closure", "short sleeve", "tumble dry"], "options": ["color: multi016", "size: small"], "instruction_attributes": ["long lasting", "button closure", "short sleeve"], "instruction_options": ["small"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G73S47R", "worker_id": "A1NF6PELRKACS9"}], "B07NMG2MBV": [{"asin": "B07NMG2MBV", "instruction": "i'm looking for some highly pigmented seed oil lipstick. find the one in rich berry that is .14 fl oz.", "attributes": ["highly pigmented", "green tea", "seed oil"], "options": ["color: 13 rich berry", "size: 0.14 fl oz"], "instruction_attributes": ["highly pigmented", "seed oil"], "instruction_options": ["13 rich berry", "0.14 fl oz"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2N04L3", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B07NMG2MBV", "instruction": "i need a highly pigment lip tint. pick a 0.14 fl oz bottle.", "attributes": ["highly pigmented", "green tea", "seed oil"], "options": ["color: 02 selfie orange brown (ad)", "size: 0.14 fl oz"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["0.14 fl oz"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6IFB2M", "worker_id": "A1NF6PELRKACS9"}], "B08W4DHZ1M": [{"asin": "B08W4DHZ1M", "instruction": "i need cake toppers that are dairy free and are 2\".", "attributes": ["dairy free", "gluten free", "birthday party"], "options": ["size: 2\" | 12 cupcakes toppers"], "instruction_attributes": ["dairy free"], "instruction_options": ["2\" | 12 cupcakes toppers"], "assignment_id": "3X65QVEQIBXVW21709CD9M35U0FLCV", "worker_id": "A1MJVTR0PCKBWW"}], "B006GRKQ0K": [{"asin": "B006GRKQ0K", "instruction": "i am looking for rich taste and color of classic red velvet cake, packaged in bpa free and gluten free lorann red velvet bakery emulsion in hazelnut flavour in 4 fl oz, 3 pack size.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: hazelnut", "size: 4 fl oz, 3 pack"], "instruction_attributes": ["bpa free", "gluten free"], "instruction_options": ["hazelnut", "4 fl oz, 3 pack"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z1TXGF", "worker_id": "A1DRKZ3SCLAS4V"}], "B089YDCJYL": [{"asin": "B089YDCJYL", "instruction": "i am looking for a pair of women's high waisted active shorts. get me the pink ones.", "attributes": ["quality materials", "high waist"], "options": ["color: a pink", "size: 5x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["a pink"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBOCGIL", "worker_id": "A34QZDSTKZ3JO9"}], "B0781VL2JZ": [{"asin": "B0781VL2JZ", "instruction": "i need some argan oil that is free of parabens. get me the 2 ounce pack.", "attributes": ["paraben free", "argan oil"], "options": ["size: 2 ounce", "style name: argan original dark"], "instruction_attributes": ["paraben free", "argan oil"], "instruction_options": ["2 ounce"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MI73BR3", "worker_id": "A1NF6PELRKACS9"}], "B083VZWXLM": [{"asin": "B083VZWXLM", "instruction": "i'm looking for men's daily wear shirt with long sleeves and button closure type. also, choose black colored tall shirt with size 20\" neck and 34\"-35\" sleeves.", "attributes": ["button closure", "long sleeve", "daily wear"], "options": ["color: black 015", "size: 20\" neck 34\"-35\" sleeve", "special size: tall"], "instruction_attributes": ["button closure", "long sleeve", "daily wear"], "instruction_options": ["black 015", "20\" neck 34\"-35\" sleeve", "tall"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J66SFG", "worker_id": "AR0VJ5XRG16UJ"}], "B08VDLHDY7": [{"asin": "B08VDLHDY7", "instruction": "i need daily casual and gym workout large size yoga pants with classic dark gray color and special size- 02 sweatpants", "attributes": ["easy care", "daily casual", "moisture wicking", "wash cold", "machine wash", "relaxed fit", "gym workout", "dry clean"], "options": ["color: classic dark gray", "size: large", "special size: 02 sweatpants"], "instruction_attributes": ["daily casual", "gym workout"], "instruction_options": ["classic dark gray", "large", "02 sweatpants"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7XKMHH", "worker_id": "A258PTOZ3D2TQR"}], "B09MRGSLGY": [{"asin": "B09MRGSLGY", "instruction": "i am looking for a product that i can use for hair cutting dry hair.", "attributes": ["dry hair", "hair cutting", "hair extensions", "hair styling"], "options": ["color: b"], "instruction_attributes": ["dry hair", "hair cutting"], "instruction_options": ["b"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNFZJDLD", "worker_id": "A2KW17G25L25R8"}], "B015R09D8M": [{"asin": "B015R09D8M", "instruction": "i need a 9.5 rubber soled hiking shoe made of light weight vinyl acetate.", "attributes": ["light weight", "ethylene vinyl", "vinyl acetate", "memory foam", "rubber sole"], "options": ["size: 9.5"], "instruction_attributes": ["light weight", "vinyl acetate", "rubber sole"], "instruction_options": ["9.5"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HUZ1DI", "worker_id": "A1WS884SI0SLO4"}], "B08BZFMN1F": [{"asin": "B08BZFMN1F", "instruction": "i would like a 47.2\" x 11.8\" x 11.8\" white and sonoma oak tv center for my living room.", "attributes": ["high gloss", "living room"], "options": ["color: white and sonoma oak", "size: 47.2\" x 11.8\" x 11.8\""], "instruction_attributes": ["living room"], "instruction_options": ["white and sonoma oak", "47.2\" x 11.8\" x 11.8\""], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK87UA5U", "worker_id": "A1WS884SI0SLO4"}], "B00BGNI6IS": [{"asin": "B00BGNI6IS", "instruction": "i'm looking for a corner shelf unit for the living room made out of engineered wood. get the one in light cherry and black color.", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: light cherry | black", "pattern name: shelving unit + display rack", "size: 5-tier"], "instruction_attributes": ["engineered wood", "living room"], "instruction_options": ["light cherry | black"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5C21ZA", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B00BGNI6IS", "instruction": "i am looking for engineered wood 3-tier corner shelf in color : walnut|brown", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: walnut | brown", "pattern name: shelving unit + tv stands", "size: 3-tier"], "instruction_attributes": ["engineered wood"], "instruction_options": ["walnut | brown", "3-tier"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNVI8H8", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B00BGNI6IS", "instruction": "i am looking for a dark cherry | black corner shelves for living room", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: dark cherry | black", "pattern name: shelving unit + end table", "size: 3-tier classic tube"], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH37AYSEF", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B00BGNI6IS", "instruction": "i am looking for corner shelf of size 5-tier for my living room.", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: dark brown grain | black", "pattern name: shelving unit + tv stands", "size: 5-tier"], "instruction_attributes": ["living room"], "instruction_options": ["5-tier"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XU4NGK", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00BGNI6IS", "instruction": "i am looking for 3-tier size corner shelf for my living room.", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: beech | white", "pattern name: shelving unit + end table", "size: 3-tier"], "instruction_attributes": ["living room"], "instruction_options": ["3-tier"], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YG12558", "worker_id": "A1Q8PPQQCWGY0D"}], "B09DG3NRK3": [{"asin": "B09DG3NRK3", "instruction": "i am looking for a pair of anti slip womens sneakers spot color.", "attributes": ["anti slip", "rubber sole"], "options": ["color: spot", "size: 7"], "instruction_attributes": ["anti slip"], "instruction_options": ["spot"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NIVP2E", "worker_id": "A2KW17G25L25R8"}], "B07MQ9S96H": [{"asin": "B07MQ9S96H", "instruction": "i am looking for high quality glass spray bottle of 3.40 ounce.", "attributes": ["leak proof", "bpa free", "long lasting", "high quality", "fine mist", "quality materials"], "options": ["color: silver frosted", "size: 3.4 ounce x 2"], "instruction_attributes": ["high quality"], "instruction_options": ["3.4 ounce x 2"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FE3U4X", "worker_id": "A3FG5PQHG5AH3Y"}], "B09SCX4WBW": [{"asin": "B09SCX4WBW", "instruction": "i am looking for a pair of mens shorts that are machine washable for my everyday wear. id like a light grey color.", "attributes": ["machine washable", "wash cold", "everyday wear", "dry clean", "tumble dry"], "options": ["color: light grey", "size: 30"], "instruction_attributes": ["machine washable", "everyday wear"], "instruction_options": ["light grey"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68AS4AA", "worker_id": "A2KW17G25L25R8"}], "B088TP7Z5J": [{"asin": "B088TP7Z5J", "instruction": "i need window blinds that are easy to install that have a java brown light filtering.", "attributes": ["easy install", "white item"], "options": ["color: java brown(light filtering)", "size: 61 1 | 2\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["java brown(light filtering)"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM0PZHW", "worker_id": "AXIH2UZ6NNMRE"}, {"asin": "B088TP7Z5J", "instruction": "i'm looking for an easy-to-install, light-filtering window curtain in java brown.", "attributes": ["easy install", "white item"], "options": ["color: java brown(light filtering)", "size: 14\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["java brown(light filtering)"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVWY8VB", "worker_id": "ARJDD0Z3R65BD"}, {"asin": "B088TP7Z5J", "instruction": "i would like a 14\"w x 60\"h snow white roller shade that is easy to install.", "attributes": ["easy install", "white item"], "options": ["color: snow white(light filtering)", "size: 14\"w x 60\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["snow white(light filtering)", "14\"w x 60\"h"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDKR2OG", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B088TP7Z5J", "instruction": "i need some white window blinds that are 60 inches tall.", "attributes": ["easy install", "white item"], "options": ["color: cheese milk(light filtering)", "size: 58 1 | 2\"w x 60\"h"], "instruction_attributes": ["white item"], "instruction_options": ["58 1 | 2\"w x 60\"h"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AKQTSB", "worker_id": "A19317A3X87NVM"}, {"asin": "B088TP7Z5J", "instruction": "i would like a 21\"w x 36\"h cheese milk roller shade that is easy to install on a window.", "attributes": ["easy install", "white item"], "options": ["color: cheese milk(light filtering)", "size: 21\"w x 36\"h"], "instruction_attributes": [], "instruction_options": ["21\"w x 36\"h"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4JN158", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B088TP7Z5J", "instruction": "i am looking for a size: 20\"w x 64\"h roller shades white item which is easy to install.", "attributes": ["easy install", "white item"], "options": ["color: nama chocolate(light filtering)", "size: 20\"w x 64\"h"], "instruction_attributes": ["easy install", "white item"], "instruction_options": ["20\"w x 64\"h"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WR5QWT", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B088TP7Z5J", "instruction": "i would like a 2\"w x 36\"h cheese milk colored roller shade that is easy to install.", "attributes": ["easy install", "white item"], "options": ["color: cheese milk(light filtering)", "size: 48 1 | 2\"w x 36\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["cheese milk(light filtering)", "48 1 | 2\"w x 36\"h"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCVR5QJ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B088TP7Z5J", "instruction": "im looking for white window blinds that are easy to install and measure 35\u201d wide with a 48\u201d height.", "attributes": ["easy install", "white item"], "options": ["color: hudson hemp(light filtering)", "size: 48 1 | 2\"w x 72\"h"], "instruction_attributes": ["easy install", "white item"], "instruction_options": ["48 1 | 2\"w x 72\"h"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYPCHDQ", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B088TP7Z5J", "instruction": "i'm looking for a size 34\"w x 72\"h easy install window blinds.", "attributes": ["easy install", "white item"], "options": ["color: snow white(light filtering)", "size: 34\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["34\"w x 72\"h"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSYXGL2", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B088TP7Z5J", "instruction": "i am looking for shades of size 54\"w x 72\"h that are easy to install.", "attributes": ["easy install", "white item"], "options": ["color: antique white(light filtering)", "size: 54\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["54\"w x 72\"h"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCL1JS4", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B088TP7Z5J", "instruction": "i would like purple blinds that are easy to install", "attributes": ["easy install", "white item"], "options": ["color: lilac purple(light filtering)", "size: 59 1 | 2\"w x 64\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["lilac purple(light filtering)"], "assignment_id": "32SCWG5HISEW7674IASH43KF3V9P6N", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B088TP7Z5J", "instruction": "i am looking for an easy to install light filtering contrast grey window blind.", "attributes": ["easy install", "white item"], "options": ["color: contrast grey(light filtering)", "size: 56\"w x 60\"h"], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWT96WY", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B088TP7Z5J", "instruction": "i am interested in blinds that are 34\"w by 56\"h and that are light filtering.", "attributes": ["easy install", "white item"], "options": ["color: hudson hemp(light filtering)", "size: 34\"w x 56\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["hudson hemp(light filtering)", "34\"w x 56\"h"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9SA78T", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B088TP7Z5J", "instruction": "i need some white window treatments that are easy to install and size 58\"w by 48\"h", "attributes": ["easy install", "white item"], "options": ["color: antique white(light filtering)", "size: 58\"w x 48\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["antique white(light filtering)", "58\"w x 48\"h"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYMYHD6", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CZH31LM": [{"asin": "B09CZH31LM", "instruction": "i am looking for hen of the woods potato chips with all natural ingredients would like sea salt pack of 6, 6 ounce.", "attributes": ["artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: sea salt 6 ounce (pack of 6)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["sea salt 6 ounce (pack of 6)"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG15XU97", "worker_id": "A2KW17G25L25R8"}], "B07XY3XFC5": [{"asin": "B07XY3XFC5", "instruction": "polyester bag with trolley belt,", "attributes": ["carrying case", "case cover"], "options": ["color: red", "size: 13.3-inch"], "instruction_attributes": ["carrying case"], "instruction_options": ["13.3-inch"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWCZBKUT", "worker_id": "A10OGH5CQBXL5N"}], "B0977WW7JZ": [{"asin": "B0977WW7JZ", "instruction": "i would like a youth size 3t dark heather cotton t shirt.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: youth", "size: 3t"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["dark heather", "youth", "3t"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHYFQH6", "worker_id": "A1WS884SI0SLO4"}], "B0141TMYV8": [{"asin": "B0141TMYV8", "instruction": "i'm looking for some women's sneakers with rubber soles. make sure they are fabric and in a size 6.5.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: lake blue wash canvas", "material type: fabric", "size: 6.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["fabric", "6.5"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGU56MR0", "worker_id": "A34QZDSTKZ3JO9"}], "B075V5JK36": [{"asin": "B075V5JK36", "instruction": "can you find me a long lasting hdmi cable? i only need one that is fifteen foot long.", "attributes": ["non slip", "long lasting", "plug play", "aluminum alloy"], "options": ["number of items: 1", "size: 15ft"], "instruction_attributes": ["long lasting"], "instruction_options": ["1", "15ft"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKVSND0", "worker_id": "A34QZDSTKZ3JO9"}], "B071WYXY6B": [{"asin": "B071WYXY6B", "instruction": "i am looking for a red high performance bluetooth speaker.", "attributes": ["high performance", "hands free", "aluminum alloy", "wireless bluetooth"], "options": ["color: red"], "instruction_attributes": ["high performance"], "instruction_options": ["red"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB1Z4YO", "worker_id": "A2ECRNQ3X5LEXD"}], "B071XHWM4Z": [{"asin": "B071XHWM4Z", "instruction": "i am looking for a women's natural blonde, 16 inch, synthetic hair wig to buy.", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: natural blonde", "size: 16 inch (pack of 1)"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["natural blonde", "16 inch (pack of 1)"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH1T1V7", "worker_id": "A114NK7T5673GK"}, {"asin": "B071XHWM4Z", "instruction": "i'm looking for reecho 20 inch (pack of 1) of 3/4 full head curly wave clips on synthetic hair extensions pieces for women and choose the color ombre dark brown to dirty blonde", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: ombre dark brown to dirty blonde", "size: 20 inch (pack of 1)"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": [], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A651U73", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B071XHWM4Z", "instruction": "i want jet black hair extensions that is synthetic.", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: jet black", "size: 14 inch (pack of 1)"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["jet black"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CDTV0C", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B071XHWM4Z", "instruction": "i want light purple synthetic hair extensions.", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: light purple", "size: 14 inch (pack of 1)"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["light purple"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMNRVXQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B071XHWM4Z", "instruction": "i'm looking for a pack of synthetic hair extensions to clip onto my curly hair; please choose the 24\" length.", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: light ash brown with highlights", "size: 24 inch (pack of 1)"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["24 inch (pack of 1)"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPD18IA0", "worker_id": "A3LIIE572Z4OG7"}], "B091B1ZTX5": [{"asin": "B091B1ZTX5", "instruction": "what kind of cupcake toppers do you see that you can use for a birthday party?", "attributes": ["cupcake picks", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3HYZL3", "worker_id": "A34QZDSTKZ3JO9"}], "B08C543HDX": [{"asin": "B08C543HDX", "instruction": "i would like a women's size 9 brown high heeled shoe with a closed toe.", "attributes": ["open toe", "knee high", "anti slip", "ankle strap", "high heel", "closed toe", "memory foam"], "options": ["color: zr7-brown", "size: 9"], "instruction_attributes": ["high heel", "closed toe"], "instruction_options": ["zr7-brown", "9"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOEOLMI", "worker_id": "A1WS884SI0SLO4"}], "B09MSN7WX8": [{"asin": "B09MSN7WX8", "instruction": "i'm looking for a cookie that replaces a meal in varying flavors with macadamia nuts and is low in calories.", "attributes": ["high protein", "low calorie", "low sugar", "gluten free", "individually wrapped", "quality ingredients"], "options": ["flavor name: variety pack", "size: 4 pack"], "instruction_attributes": ["low calorie"], "instruction_options": ["variety pack"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTP07L0", "worker_id": "ARJDD0Z3R65BD"}, {"asin": "B09MSN7WX8", "instruction": "i need some low calorie chocolate chip pecan snacks.", "attributes": ["high protein", "low calorie", "low sugar", "gluten free", "individually wrapped", "quality ingredients"], "options": ["flavor name: chocolate chip pecan", "size: 18 pack"], "instruction_attributes": ["low calorie"], "instruction_options": ["chocolate chip pecan"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1ALEFHN", "worker_id": "A19317A3X87NVM"}], "B094417XSZ": [{"asin": "B094417XSZ", "instruction": "i'm looking for a white bookcase for my office. make sure it has a white finish.", "attributes": ["white item", "white finish"], "options": [""], "instruction_attributes": ["white item", "white finish"], "instruction_options": [], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGTKWTJ", "worker_id": "A34QZDSTKZ3JO9"}], "B0773YNFTJ": [{"asin": "B0773YNFTJ", "instruction": "i would like a perfect gift basket for a happy birthday.", "attributes": ["perfect gift", "gift basket"], "options": ["flavor name: e - happy birthday"], "instruction_attributes": ["perfect gift", "gift basket"], "instruction_options": ["e - happy birthday"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH3764SED", "worker_id": "A1WS884SI0SLO4"}], "B07G358Y3W": [{"asin": "B07G358Y3W", "instruction": "can you find me an alcohol free mouthwash for bad breath? i want the one in energizing mint flavor.", "attributes": ["alcohol free", "bad breath"], "options": ["size: pack of 4", "style: energizing mint"], "instruction_attributes": ["alcohol free", "bad breath"], "instruction_options": ["energizing mint"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z13V1KU", "worker_id": "A34QZDSTKZ3JO9"}], "B085F2HS8S": [{"asin": "B085F2HS8S", "instruction": "i need an animal themed and seafoam multicolor office chair slipcover that is machine washable.", "attributes": ["machine washable", "easy install", "printing technology"], "options": ["color: seafoam multicolor"], "instruction_attributes": ["machine washable"], "instruction_options": ["seafoam multicolor"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EAESWY", "worker_id": "A2RBF3IIJP15IH"}], "B09MVK8CYY": [{"asin": "B09MVK8CYY", "instruction": "my face included small sizes of dark circles", "attributes": ["fine lines", "dark circles", "dead skin", "sensitive skin"], "options": [""], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6145GW", "worker_id": "A226L9F2AZ38CL"}], "B00LW3RC4Q": [{"asin": "B00LW3RC4Q", "instruction": "can you find me an easy to clean coffee table made out of solid wood and tempered glass?", "attributes": ["easy clean", "tempered glass", "solid wood"], "options": [""], "instruction_attributes": ["easy clean", "tempered glass", "solid wood"], "instruction_options": [], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKGM1T0", "worker_id": "A34QZDSTKZ3JO9"}], "B099KGG78L": [{"asin": "B099KGG78L", "instruction": "i want party supplies for decorations that are easy to use. make sure there are cupcake toppers.", "attributes": ["easy use", "party supplies"], "options": [""], "instruction_attributes": ["easy use", "party supplies"], "instruction_options": [], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADGSAHI", "worker_id": "A1NF6PELRKACS9"}], "B07T6JK232": [{"asin": "B07T6JK232", "instruction": "i'm looking for large melinda slippers for women that have faux fur and rubber soles.", "attributes": ["faux fur", "rubber sole"], "options": ["color: oxford", "size: large m us"], "instruction_attributes": ["faux fur", "rubber sole"], "instruction_options": ["large m us"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8S7G8D", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B07T6JK232", "instruction": "i am ordering grey women faux fur slippers .", "attributes": ["faux fur", "rubber sole"], "options": ["color: grey | mint", "size: small"], "instruction_attributes": ["faux fur"], "instruction_options": ["grey | mint"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3G3NQ3", "worker_id": "AHU9OLV0YKIIW"}], "B09GFHDTPD": [{"asin": "B09GFHDTPD", "instruction": "i'm looking for some eco friendly dental floss. can you pick out the white one?", "attributes": ["eco friendly", "oral hygiene"], "options": ["color: white"], "instruction_attributes": ["eco friendly"], "instruction_options": ["white"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT3X376", "worker_id": "A34QZDSTKZ3JO9"}], "B098DXFRSD": [{"asin": "B098DXFRSD", "instruction": "can you find me a pair of men's non-slip beach sandals with arch support? i want a pair in size 14.", "attributes": ["non slip", "arch support", "rubber sole"], "options": ["color: military color", "size: 14"], "instruction_attributes": ["non slip", "arch support"], "instruction_options": ["14"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9H7B08", "worker_id": "A34QZDSTKZ3JO9"}], "B01693D2ZG": [{"asin": "B01693D2ZG", "instruction": "i like gold gift basket", "attributes": ["caffeine free", "gift set", "gift basket"], "options": ["flavor name: warming joy - red | gold"], "instruction_attributes": ["gift basket"], "instruction_options": ["warming joy - red | gold"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FDXD34", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B01693D2ZG", "instruction": "i'm looking to buy a gift set filled with wellness tea samples that are caffeine free.", "attributes": ["caffeine free", "gift set", "gift basket"], "options": ["flavor name: wellbeing wellness tea"], "instruction_attributes": ["caffeine free", "gift set"], "instruction_options": ["wellbeing wellness tea"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NTC2NT", "worker_id": "A345TDMHP3DQ3G"}], "B09G6L7L72": [{"asin": "B09G6L7L72", "instruction": "i need 3.52 ounce funky choco pineapple biscuits that are soy free.", "attributes": ["soy free", "gluten free"], "options": ["flavor name: funky choco", "size: 3.52 ounce (pack of 6)"], "instruction_attributes": ["soy free"], "instruction_options": ["funky choco", "3.52 ounce (pack of 6)"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMMV1RSW", "worker_id": "A2RBF3IIJP15IH"}], "B09MCPL8N4": [{"asin": "B09MCPL8N4", "instruction": "find for me a set of yarnow birthday party supplies", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["party supplies", "birthday party"], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTRYG0AU", "worker_id": "A1CB72B51L7TKE"}], "B09MLM996X": [{"asin": "B09MLM996X", "instruction": "i need super soft throws that have butterflies and are 30 by 40 inches.", "attributes": ["super soft", "fleece throw"], "options": ["color: i just really like butterflies", "size: 30x40in for 1-5 toddler | pet"], "instruction_attributes": ["super soft"], "instruction_options": ["i just really like butterflies", "30x40in for 1-5 toddler | pet"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMT4W3X", "worker_id": "A2ECRNQ3X5LEXD"}], "B084GN82K7": [{"asin": "B084GN82K7", "instruction": "looking for a keyboard that is long lasting and use aaa batteries. needs to have color of cherry mx brown.", "attributes": ["long lasting", "plug play", "aaa batteries", "usb port"], "options": ["color: cherry mx brown"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1RRH27", "worker_id": "A1MJVTR0PCKBWW"}], "B08RY2D8LQ": [{"asin": "B08RY2D8LQ", "instruction": "i'm looking for hershey's kisses chocolates that can serve as a perfect gift for valentine's day.", "attributes": ["valentine day", "perfect gift"], "options": [""], "instruction_attributes": ["valentine day", "perfect gift"], "instruction_options": [], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCFZPIY", "worker_id": "A1HMZJ59OPLD1P"}], "B07YFF9CL7": [{"asin": "B07YFF9CL7", "instruction": "i am looking for a men's classic fit t shirt that is x-large and white.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: men", "size: x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["white", "men", "x-large"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0PRRAX", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TW4HN5W": [{"asin": "B07TW4HN5W", "instruction": "find me some light weight, noise cancelling headphones. i want the white and black ones.", "attributes": ["noise cancelling", "light weight"], "options": ["color: white black"], "instruction_attributes": ["noise cancelling", "light weight"], "instruction_options": ["white black"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VWXGF7", "worker_id": "A34QZDSTKZ3JO9"}], "B07VZTDDM1": [{"asin": "B07VZTDDM1", "instruction": "i am looking for a candle in a clear glass jar (19 ounce) that smells like orange.", "attributes": ["soy wax", "clear glass"], "options": ["scent: hibiscus & melon", "size: large jar"], "instruction_attributes": ["clear glass"], "instruction_options": ["hibiscus & melon"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C1DHPO", "worker_id": "A2KW17G25L25R8"}, {"asin": "B07VZTDDM1", "instruction": "i would like a apple & oak three wick candle made of soy wax.", "attributes": ["soy wax", "clear glass"], "options": ["scent: apple & oak", "size: 3-wick"], "instruction_attributes": ["soy wax"], "instruction_options": ["apple & oak", "3-wick"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VIW8E4", "worker_id": "A1WS884SI0SLO4"}], "B07N13NKV8": [{"asin": "B07N13NKV8", "instruction": "i really need a long lasting deodorant.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4EB89B", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DSZBVKX": [{"asin": "B09DSZBVKX", "instruction": "i want to buy an easy to clean and assemble entertainment center.", "attributes": ["easy clean", "easy assemble", "living room"], "options": [""], "instruction_attributes": ["easy clean", "easy assemble"], "instruction_options": [], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUH84SH", "worker_id": "A114NK7T5673GK"}], "B08MQBH63T": [{"asin": "B08MQBH63T", "instruction": "i am looking for some pink high quality makeup brush sets.", "attributes": ["easy clean", "high quality", "sensitive skin"], "options": ["color: pink"], "instruction_attributes": ["high quality"], "instruction_options": ["pink"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY89WXU3", "worker_id": "A2KW17G25L25R8"}], "B09SKN22ST": [{"asin": "B09SKN22ST", "instruction": "i need elbow pads for teen girls that are small and black.", "attributes": ["tummy control", "teen girls"], "options": ["color: black", "size: small"], "instruction_attributes": ["teen girls"], "instruction_options": ["black", "small"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU482XVYP9", "worker_id": "A2ECRNQ3X5LEXD"}], "B09KQZGZWQ": [{"asin": "B09KQZGZWQ", "instruction": "i would like round bottles that are bpa free and have fine mist spray caps. pick the clear one.", "attributes": ["bpa free", "fine mist"], "options": ["color: clear"], "instruction_attributes": ["bpa free", "fine mist"], "instruction_options": ["clear"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R2UKSH", "worker_id": "A1NF6PELRKACS9"}], "B09PDSMYJW": [{"asin": "B09PDSMYJW", "instruction": "i looking a short sleeve bridemaid gown satin tumble dry colour should be coral", "attributes": ["hand wash", "wash cold", "drawstring closure", "short sleeve", "tumble dry"], "options": ["color: coral", "size: 18"], "instruction_attributes": ["short sleeve", "tumble dry"], "instruction_options": ["coral"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ6HWUY", "worker_id": "A3N9ZYQAESNFQH"}], "B095LD9RJH": [{"asin": "B095LD9RJH", "instruction": "i would like to buy a deer statue for display in my living room.", "attributes": ["exquisite workmanship", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KQC9J5", "worker_id": "A114NK7T5673GK"}], "B09N9GMXB9": [{"asin": "B09N9GMXB9", "instruction": "i need cake toppers that are red for valentine's day.", "attributes": ["valentine day", "birthday party"], "options": ["color: red"], "instruction_attributes": ["valentine day"], "instruction_options": ["red"], "assignment_id": "3X65QVEQIBXVW21709CD9M35UZDCLI", "worker_id": "A2ECRNQ3X5LEXD"}], "B08FBGGP37": [{"asin": "B08FBGGP37", "instruction": "i need a high speed hdmi cable with an extension cord. pick a white one.", "attributes": ["high speed", "blu ray", "plug play"], "options": ["pattern name: cable + extension cord", "size: 3 feet"], "instruction_attributes": ["high speed"], "instruction_options": ["cable + extension cord"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DY8W288", "worker_id": "A1NF6PELRKACS9"}], "B09P58XZ16": [{"asin": "B09P58XZ16", "instruction": "i'm trying to find a one piece swimsuit with tummy control. i need one in size small.", "attributes": ["tummy control", "cotton spandex", "high waist", "short sleeve", "tumble dry"], "options": ["color: swimsuits-a411-green", "size: small"], "instruction_attributes": ["tummy control"], "instruction_options": ["small"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHVZP8DR", "worker_id": "A34QZDSTKZ3JO9"}], "B09LK3PN6M": [{"asin": "B09LK3PN6M", "instruction": "i am looking for corn that is non gmo and spicy toasted as well as 16 oz.", "attributes": ["non gmo", "artificial flavors", "resealable bag", "artificial colors", "quality ingredients"], "options": ["flavor name: spicy toasted corn", "size: 16 oz"], "instruction_attributes": ["non gmo"], "instruction_options": ["spicy toasted corn", "16 oz"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIJ385X", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QHKHN59": [{"asin": "B08QHKHN59", "instruction": "i am looking for easy to use movie themed cake toppers.", "attributes": ["easy use", "cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXTWMYF", "worker_id": "A1EREKSZAA9V7B"}], "B098BJVT82": [{"asin": "B098BJVT82", "instruction": "i would like a white contemporary modern style bed.", "attributes": ["white item", "box spring", "contemporary style"], "options": [""], "instruction_attributes": ["white item", "contemporary style"], "instruction_options": [], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C2OPH9", "worker_id": "A1WS884SI0SLO4"}], "B098FGDCDS": [{"asin": "B098FGDCDS", "instruction": "i need a white high definition dome camera.", "attributes": ["high definition", "optical zoom"], "options": ["color: white", "size: 20x"], "instruction_attributes": ["high definition"], "instruction_options": ["white"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0MTLSCC", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B098FGDCDS", "instruction": "i'm looking for optical zoom electronics want to buy a white color.", "attributes": ["high definition", "optical zoom"], "options": ["color: white", "size: 12x"], "instruction_attributes": ["optical zoom"], "instruction_options": ["white", "12x"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANGLXS5", "worker_id": "A16IQOX0DK14OJ"}], "B08YYYDMKD": [{"asin": "B08YYYDMKD", "instruction": "i am looking for grey color smartwatch band.it should be compatible with apple watch.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: grey", "size: 42mm | 44mm | 45mm-large"], "instruction_attributes": ["compatible apple"], "instruction_options": ["grey"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67IA4NF", "worker_id": "A3FG5PQHG5AH3Y"}], "B09D3X58V1": [{"asin": "B09D3X58V1", "instruction": "i'm going hiking so i'm looking for a pair of slip resistant rubber soled boots. i want something in 8.5.", "attributes": ["knee high", "slip resistant", "steel toe", "high heel", "rubber sole"], "options": ["color: m2-army green", "size: 8.5"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["8.5"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNFZNDLH", "worker_id": "A34QZDSTKZ3JO9"}], "B07XW113LC": [{"asin": "B07XW113LC", "instruction": "i want round shape home furniture", "attributes": ["contemporary design", "home furnishings"], "options": ["color: lavender | ivory", "item shape: round", "size: 4 ft x 6 ft"], "instruction_attributes": ["home furnishings"], "instruction_options": ["round"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM9659G42", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B07XW113LC", "instruction": "i want a square shaped area rug for my home. pick a contemporary design in lavender or ivory color.", "attributes": ["contemporary design", "home furnishings"], "options": ["color: lavender | ivory", "item shape: square", "size: 4 ft x 6 ft"], "instruction_attributes": ["contemporary design", "home furnishings"], "instruction_options": ["lavender | ivory", "square"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGW8WTD", "worker_id": "A1NF6PELRKACS9"}], "B01MYZMIHB": [{"asin": "B01MYZMIHB", "instruction": "i am looking for a round, non-shedding, boho chic medallion distressed area rug for my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: ivory | navy", "item shape: round", "size: 3' x 5'"], "instruction_attributes": ["living room"], "instruction_options": ["round"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06IYKXT", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01MYZMIHB", "instruction": "i need a pink colored area rug for my living room area.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: pink | multi", "item shape: runner", "size: 2' 2\" x 16'"], "instruction_attributes": ["home furnishings", "living room"], "instruction_options": ["pink | multi"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB067IXK4", "worker_id": "A19317A3X87NVM"}, {"asin": "B01MYZMIHB", "instruction": "i am looking for a rectangular shaped area rug for living room with orange or light blue color. also choose 2ft 2in x 4ft in size.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: orange | light blue", "item shape: rectangular", "size: 2' 2\" x 4'"], "instruction_attributes": ["living room"], "instruction_options": ["orange | light blue", "rectangular", "2' 2\" x 4'"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFVL3EM", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B01MYZMIHB", "instruction": "i am looking for boho chic medallion non shedding area rug 6'7''x9'2'' for my living room. in forest green, or light blue.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: forest green | light blue", "item shape: square", "size: 2' 2\" x 20'"], "instruction_attributes": ["living room"], "instruction_options": ["forest green | light blue"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UL8KOH", "worker_id": "A2KW17G25L25R8"}, {"asin": "B01MYZMIHB", "instruction": "i would like a 8 by 8 round rug preferably in fuchsia for the living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: light blue | fuchsia", "item shape: round", "size: 8' x 8'"], "instruction_attributes": ["living room"], "instruction_options": ["light blue | fuchsia", "round", "8' x 8'"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTO24VS", "worker_id": "A1WS884SI0SLO4"}], "B07NBZJZDP": [{"asin": "B07NBZJZDP", "instruction": "i'm looking for an oil free concealer. can you get the one in shade 9?", "attributes": ["oil free", "cruelty free"], "options": ["color: 6nt (shade 9)"], "instruction_attributes": ["oil free"], "instruction_options": ["6nt (shade 9)"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I33DFE", "worker_id": "A34QZDSTKZ3JO9"}], "B09RZRCWCD": [{"asin": "B09RZRCWCD", "instruction": "i need a black full size metal bed frame that doesn't take up too much storage space.", "attributes": ["twin size", "storage space", "box spring"], "options": ["color: black | silver", "size: full"], "instruction_attributes": ["storage space"], "instruction_options": ["black | silver", "full"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZFJ9KB", "worker_id": "A2RBF3IIJP15IH"}], "B07MRH3BQ1": [{"asin": "B07MRH3BQ1", "instruction": "do you think you can find me a dustproof phone case? i'll take one in white.", "attributes": ["dust proof", "compatible apple", "case cover"], "options": ["color: white", "size: iphone 12 pro max"], "instruction_attributes": ["dust proof"], "instruction_options": ["white"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTIRLP4", "worker_id": "A34QZDSTKZ3JO9"}], "B09QKTVJV8": [{"asin": "B09QKTVJV8", "instruction": "i'm trying to find an office chair with metal legs. i really want one that is black.", "attributes": ["height adjustable", "easy assemble", "metal legs", "living room"], "options": ["color: black2"], "instruction_attributes": ["metal legs"], "instruction_options": ["black2"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC50ARKZ", "worker_id": "A34QZDSTKZ3JO9"}], "B09724XN6P": [{"asin": "B09724XN6P", "instruction": "can you get me a white bookshelf with a white finish? i want to get the one with one door.", "attributes": ["white item", "assembly required", "white finish"], "options": ["color: white with 1 door", "size: 23.54''w*13.98''d*70.87\u2018\u2019h"], "instruction_attributes": ["white item", "white finish"], "instruction_options": ["white with 1 door"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZALPC2", "worker_id": "A34QZDSTKZ3JO9"}], "B07F79DFCT": [{"asin": "B07F79DFCT", "instruction": "i am looking for a peppermint alcohol free mouthwash for bad breath.", "attributes": ["fluoride free", "alcohol free", "plant based", "teeth whitening", "bad breath"], "options": ["flavor name: peppermint"], "instruction_attributes": ["alcohol free", "bad breath"], "instruction_options": ["peppermint"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366ONROPJ", "worker_id": "A2KW17G25L25R8"}], "B00P5FGRMA": [{"asin": "B00P5FGRMA", "instruction": "i am looking for a long lasting matte lipstick in darling damask color.", "attributes": ["paraben free", "long lasting"], "options": ["color: darling damask"], "instruction_attributes": ["long lasting"], "instruction_options": ["darling damask"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F2XXOHW", "worker_id": "A114NK7T5673GK"}], "B08238WZGG": [{"asin": "B08238WZGG", "instruction": "i am looking for a heavy duty purple case with a screen protector and kickstand for a samsung galaxy tablet.", "attributes": ["heavy duty", "easy install", "easy use", "tempered glass", "case cover", "glass screen"], "options": ["color: purple"], "instruction_attributes": ["heavy duty"], "instruction_options": ["purple"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCLYCNS4", "worker_id": "A1EREKSZAA9V7B"}], "B08L89KVGW": [{"asin": "B08L89KVGW", "instruction": "i would like a 1 fluid ounce green apple lip gloss that's cruelty free to animals.", "attributes": ["alcohol free", "cruelty free", "easy use"], "options": ["scent: green apple", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["green apple", "1 fl oz (pack of 1)"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOD1CTP", "worker_id": "A1WS884SI0SLO4"}], "B093GVC697": [{"asin": "B093GVC697", "instruction": "i need portable speakers that are bluetooth, high powered, and have stereo sound. i'm looking for k9 2ng gen color.", "attributes": ["high power", "stereo sound"], "options": ["color: k9 2nd gen"], "instruction_attributes": ["high power", "stereo sound"], "instruction_options": ["k9 2nd gen"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU2AA9G", "worker_id": "A1MJVTR0PCKBWW"}], "B0859F614M": [{"asin": "B0859F614M", "instruction": "i am looking for a styling tool that is black that one would find in a salon.", "attributes": ["hair treatment", "hair salon"], "options": ["color: black jacquard", "size: average"], "instruction_attributes": ["hair salon"], "instruction_options": ["black jacquard"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HAL6IL", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0859F614M", "instruction": "i want a hair treatment steamer thermal heat cap.", "attributes": ["hair treatment", "hair salon"], "options": ["color: leaf print", "size: heat cap"], "instruction_attributes": ["hair treatment"], "instruction_options": ["heat cap"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNDK10Z", "worker_id": "A2RBF3IIJP15IH"}], "B07WYHZ4NL": [{"asin": "B07WYHZ4NL", "instruction": "need a hair extension that is synthetic and long lasting, and get the 8 pack of 18 inch size.", "attributes": ["long lasting", "synthetic hair", "hair extensions"], "options": ["color: t27 | 613#", "size: 18 inch (pack of 8)"], "instruction_attributes": ["long lasting", "synthetic hair"], "instruction_options": ["18 inch (pack of 8)"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL961V2A", "worker_id": "A1MJVTR0PCKBWW"}], "B09FS7Y48C": [{"asin": "B09FS7Y48C", "instruction": "i\u2019m looking for a nice outdoor loveseat sofa that is easy to clean in all weather; please choose the navy blue one.", "attributes": ["high density", "easy clean", "steel frame"], "options": ["color: navy blue"], "instruction_attributes": ["easy clean"], "instruction_options": ["navy blue"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZWJNR6", "worker_id": "A3LIIE572Z4OG7"}], "B09JKSZM5C": [{"asin": "B09JKSZM5C", "instruction": "i am looking for stylish, comfortable women's mid calf boots in leather shoes, knee-height boots in gt51-brown color. 6.5 size preferable..", "attributes": ["knee high", "leather sole", "memory foam"], "options": ["color: gde51-brown", "size: 6.5"], "instruction_attributes": ["knee high", "leather sole", "memory foam"], "instruction_options": ["gde51-brown", "6.5"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLO3ADD", "worker_id": "A1DRKZ3SCLAS4V"}], "B075F5TYW8": [{"asin": "B075F5TYW8", "instruction": "i need 3 packs tempered glass that is lcd compatible for canon eos 1500d 1300d 1200d models", "attributes": ["easy install", "tempered glass"], "options": [""], "instruction_attributes": ["tempered glass"], "instruction_options": [], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB10YLUH", "worker_id": "A258PTOZ3D2TQR"}], "B099NQX48P": [{"asin": "B099NQX48P", "instruction": "i am looking for a gourmet buffalo chicken snack with simple ingredients.", "attributes": ["individually wrapped", "simple ingredients"], "options": ["flavor name: buffalo chicken"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["buffalo chicken"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98O3YKO", "worker_id": "A114NK7T5673GK"}], "B092MP7JL1": [{"asin": "B092MP7JL1", "instruction": "i am looking for high quality clear bass computer speakers of vaensong jt009 wooden multimedia. compatible with pc,tv,laptop,mac,smartphones,mp3 player, perfect for home,party etc.easy to set up,usb port in green color.", "attributes": ["plug play", "usb port"], "options": ["color: green"], "instruction_attributes": ["plug play", "usb port"], "instruction_options": ["green"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I68CB6", "worker_id": "A1DRKZ3SCLAS4V"}], "B08R5PXSJM": [{"asin": "B08R5PXSJM", "instruction": "find me a lead free, eco friendly, long lasting candle. i want the fragrance to be cinnamon delight", "attributes": ["lead free", "eco friendly", "long lasting", "soy wax"], "options": ["color: cinnamon delight"], "instruction_attributes": ["lead free", "eco friendly", "long lasting"], "instruction_options": ["cinnamon delight"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50QZDWGB", "worker_id": "A34QZDSTKZ3JO9"}], "B09P1NHM7S": [{"asin": "B09P1NHM7S", "instruction": "i'm searching for womens leather angle strap platform slip on of size 6.5 and c brown color", "attributes": ["open toe", "fleece lined", "ankle strap", "closed toe", "faux fur", "steel toe", "high heel", "memory foam", "rubber sole"], "options": ["color: c brown", "size: 6.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["c brown", "6.5"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XK73ENU", "worker_id": "A258PTOZ3D2TQR"}], "B09QC4NG39": [{"asin": "B09QC4NG39", "instruction": "i need 2 panels easy clean window curtains of size 39.5\"w x 63\"l x2 for living room", "attributes": ["eco friendly", "machine washable", "easy clean", "stainless steel", "dining room", "living room"], "options": ["color: style-08", "size: 39.5\"w x 63\"l x2"], "instruction_attributes": ["easy clean", "living room"], "instruction_options": ["39.5\"w x 63\"l x2"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPHF6ED", "worker_id": "A258PTOZ3D2TQR"}], "B08YDPQ7G3": [{"asin": "B08YDPQ7G3", "instruction": "i'm looking for some nail polish. i really need something that is burgundy, please.", "attributes": ["long lasting", "nail polish", "nail art"], "options": ["color: burgundy collection"], "instruction_attributes": ["nail polish"], "instruction_options": ["burgundy collection"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54MW83P", "worker_id": "A34QZDSTKZ3JO9"}], "B075WNW39J": [{"asin": "B075WNW39J", "instruction": "i want light weight polyster back", "attributes": ["water resistant", "light weight", "carrying case"], "options": ["color: polyster black"], "instruction_attributes": ["light weight"], "instruction_options": [], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7F8M8K4", "worker_id": "A226L9F2AZ38CL"}], "B08XM348SC": [{"asin": "B08XM348SC", "instruction": "i would like a basic phone case that has wireless charging.", "attributes": ["compatible apple", "wireless charging"], "options": [""], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPC9V6Z", "worker_id": "A1WS884SI0SLO4"}], "B01N1V7ER0": [{"asin": "B01N1V7ER0", "instruction": "i need a 15 ft 1080p hd vga cable,", "attributes": ["1080p hd", "gold plated", "easy use"], "options": ["size: 15feet"], "instruction_attributes": ["1080p hd"], "instruction_options": ["15feet"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A215HTHQ", "worker_id": "A1WS884SI0SLO4"}], "B073L11212": [{"asin": "B073L11212", "instruction": "i am looking for a high speed coaxial cable that is 3 feet in size.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 3ft", "style: trishield - black"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["3ft"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAU649CS", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B073L11212", "instruction": "i am looking for a high speed coaxial cable that is 5 feet long and is solid copper.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 5ft", "style: solid copper w | weather boot - black"], "instruction_attributes": ["high speed"], "instruction_options": ["5ft", "solid copper w | weather boot - black"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1AF80X", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B073L11212", "instruction": "i am looking for a 200 ft size high-speed coaxial cable and the cable material is aluminum alloy.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 200ft", "style: direct burial w | rg-11 weather boot - bl..."], "instruction_attributes": ["high speed", "coaxial cable", "aluminum alloy"], "instruction_options": ["200ft"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPGW6V5", "worker_id": "A9ZM1P6LBW79"}, {"asin": "B073L11212", "instruction": "i am looking for a high speed 250 foot long 75 ohm coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 250ft", "style: plenum rg-11 - white"], "instruction_attributes": ["high speed"], "instruction_options": ["250ft"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQW55BO", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B073L11212", "instruction": "i would like a black 90 foot coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 90ft", "style: w | ground - black"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["90ft", "w | ground - black"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY865D81Y", "worker_id": "A1WS884SI0SLO4"}], "B07P9TTWPD": [{"asin": "B07P9TTWPD", "instruction": "i would like a 3xl grey scrub bottoms that are easily machine washable.", "attributes": ["easy care", "day comfort", "wash cold", "machine wash", "elastic waistband"], "options": ["color: grey", "size: 3x-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["grey", "3x-large"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8705AV", "worker_id": "A1WS884SI0SLO4"}], "B08BTTH66J": [{"asin": "B08BTTH66J", "instruction": "i am looking for slim fit men jean of black color.", "attributes": ["slim fit", "machine wash", "imported zipper", "button closure", "polyester spandex", "everyday wear"], "options": ["color: black", "size: 38w x 32l"], "instruction_attributes": ["slim fit"], "instruction_options": ["black"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY863S182", "worker_id": "A3FG5PQHG5AH3Y"}], "B09NVDJXCT": [{"asin": "B09NVDJXCT", "instruction": "can you find me a high quality spa linen in green?", "attributes": ["high quality", "beauty salon"], "options": ["color: green", "size: 190*80cm"], "instruction_attributes": ["high quality"], "instruction_options": ["green"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWU81R4", "worker_id": "A34QZDSTKZ3JO9"}], "B08GK773VS": [{"asin": "B08GK773VS", "instruction": "can you find me a high definition hdmi cable that is gold plated?", "attributes": ["high definition", "gold plated", "plug play"], "options": [""], "instruction_attributes": ["high definition", "gold plated"], "instruction_options": [], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFL73V1", "worker_id": "A34QZDSTKZ3JO9"}], "B0989NQ7RD": [{"asin": "B0989NQ7RD", "instruction": "i am looking for human hair toppers for hair loss. i would like something in a medium brown.", "attributes": ["easy use", "hair loss"], "options": ["color: dark brown ombre light brown-e", "size: 16 inch-120% density"], "instruction_attributes": ["hair loss"], "instruction_options": ["dark brown ombre light brown-e"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRBXNW8", "worker_id": "A2KW17G25L25R8"}], "B01M35RC7N": [{"asin": "B01M35RC7N", "instruction": "get me a face moisturizer that is for dry skin and fine lines.", "attributes": ["fragrance free", "hyaluronic acid", "dry skin", "fine lines", "dead skin"], "options": [""], "instruction_attributes": ["dry skin", "fine lines"], "instruction_options": [], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C47N0I2", "worker_id": "A1MJVTR0PCKBWW"}], "B09LQQXGK1": [{"asin": "B09LQQXGK1", "instruction": "i would like a lip balm that has natural ingredients and is the color a.", "attributes": ["easy apply", "natural ingredients", "dead skin"], "options": ["color: a"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["a"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HODHMLA", "worker_id": "A2ECRNQ3X5LEXD"}], "B0791RWM8M": [{"asin": "B0791RWM8M", "instruction": "i need a 3.4 fl oz glass bottle of toothgel that is plant based and made of fennel & baking soda.", "attributes": ["cruelty free", "plant based", "paraben free"], "options": ["color: fennel & baking soda", "size: 3.4 fl oz glass bottle"], "instruction_attributes": ["plant based"], "instruction_options": ["fennel & baking soda", "3.4 fl oz glass bottle"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0OQCAE", "worker_id": "A2RBF3IIJP15IH"}], "B08SMNM3QY": [{"asin": "B08SMNM3QY", "instruction": "i am looking for the perfect gift, with quality ingredients like jack daniel's pecan.", "attributes": ["quality ingredients", "perfect gift"], "options": ["flavor name: jack daniels pecan"], "instruction_attributes": ["quality ingredients", "perfect gift"], "instruction_options": ["jack daniels pecan"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AGPOEY", "worker_id": "A2KW17G25L25R8"}], "B0861QDWT8": [{"asin": "B0861QDWT8", "instruction": "i am looking for active shorts with an elastic waistband that are red and 3x large.", "attributes": ["hand wash", "machine wash", "polyester spandex", "elastic waistband"], "options": ["color: red", "size: 3x-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["red", "3x-large"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHVLB7G", "worker_id": "A2ECRNQ3X5LEXD"}], "B000Z61MSS": [{"asin": "B000Z61MSS", "instruction": "i'm looking for some long lasting deodorant.", "attributes": ["alcohol free", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGGUO0T", "worker_id": "A34QZDSTKZ3JO9"}], "B003SD83GE": [{"asin": "B003SD83GE", "instruction": "i am looking for a pound of instant coffee that is gluten free and english toffee.", "attributes": ["rich creamy", "easy use", "gluten free"], "options": ["flavor name: english toffee", "size: 1 pound (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["english toffee", "1 pound (pack of 1)"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP6Y2DVF", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B003SD83GE", "instruction": "i am looking for a rich creamy instant coffee of hazelnut flavor", "attributes": ["rich creamy", "easy use", "gluten free"], "options": ["flavor name: hazelnut", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["rich creamy"], "instruction_options": ["hazelnut"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWDDFNI", "worker_id": "A9QRQL9CFJBI7"}], "B092DYRWV3": [{"asin": "B092DYRWV3", "instruction": "i am looking for a stainless steel foot scraper.", "attributes": ["high quality", "non slip", "stainless steel", "dead skin"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA22S2X", "worker_id": "A2KW17G25L25R8"}], "B08HCDGN25": [{"asin": "B08HCDGN25", "instruction": "i am looking for square shaped swival bar stools with adjustable heights. a set of 2 in gray is preferred.", "attributes": ["height adjustable", "pu leather", "dining room"], "options": ["color: fabric gray"], "instruction_attributes": ["height adjustable"], "instruction_options": ["fabric gray"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOTQO7H", "worker_id": "A3T9WZOUQGE2UW"}], "B074FDCNDK": [{"asin": "B074FDCNDK", "instruction": "i want to buy a special himalayan salt diet seasoning pack, around 3 ounces and it has to be gluten free.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: special diet seasonings", "size: 3 ounce (pack of 1)", "style: 3 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["special diet seasonings", "3 ounce (pack of 1)"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WMJQWX", "worker_id": "A114NK7T5673GK"}, {"asin": "B074FDCNDK", "instruction": "i want to buy some gluten free gourmet seasonings.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 3 ounce (pack of 3)", "style: 5 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["everyday seasonings"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XR4X8", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B074FDCNDK", "instruction": "looking for organic paleo food seasoning which is gluten free of 1 pound pack", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 1 pound (pack of 1)", "style: 4 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MLGWL8", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B074FDCNDK", "instruction": "i would like a 1.5 pound box of 3 oz bottles of organic seasonings that are low sodium.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: organic seasonings", "size: 3 ounce (pack of 1)", "style: 1.5 pound (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["organic seasonings", "3 ounce (pack of 1)", "1.5 pound (pack of 1)"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IULTL8", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B074FDCNDK", "instruction": "i need everyday seasoning which should be gluten free and have low sodium. i will prefer a pack of 1 with 20 ounce or a pack of 3 with 3 ounce each.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 20 ounce (pack of 1)", "style: 3 ounce (pack of 3)"], "instruction_attributes": ["low sodium", "gluten free"], "instruction_options": ["everyday seasonings", "20 ounce (pack of 1)", "3 ounce (pack of 3)"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MCZVZYU", "worker_id": "ASWFLI3N8X72G"}, {"asin": "B074FDCNDK", "instruction": "i need some special diet seasonings that are low sodium and 4 ounces.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: special diet seasonings", "size: 4.02 ounce (pack of 1)", "style: 4 ounce (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["special diet seasonings", "4 ounce (pack of 1)"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X88FR8", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B074FDCNDK", "instruction": "i want to find some all-purpose everyday seasoning that is low sodium. i want both a 1.5 pound package and a 2 ounce package.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 1.5 pound (pack of 1)", "style: 2 ounce (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["everyday seasonings", "1.5 pound (pack of 1)", "2 ounce (pack of 1)"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E20M53J", "worker_id": "A345TDMHP3DQ3G"}], "B09KH4N2BG": [{"asin": "B09KH4N2BG", "instruction": "i'm looking for some slim fit gym workout clothing. i wear a size small.", "attributes": ["slim fit", "wash cold", "machine wash", "long sleeve", "drawstring closure", "short sleeve", "everyday wear", "gym workout", "tumble dry"], "options": ["color: j-navy", "size: small"], "instruction_attributes": ["slim fit", "gym workout"], "instruction_options": ["small"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LEV5IN", "worker_id": "A34QZDSTKZ3JO9"}], "B075FGWGB8": [{"asin": "B075FGWGB8", "instruction": "do you think you can find me an ac adapter with output protection?", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GH93SS", "worker_id": "A34QZDSTKZ3JO9"}], "B08SQZMQJZ": [{"asin": "B08SQZMQJZ", "instruction": "i am looking for a gray non-slip case for a moto g power 2021 that has a screen protector.", "attributes": ["non slip", "carbon fiber", "case cover"], "options": ["color: motorola moto g power 2021 gray brushed tpu case"], "instruction_attributes": ["non slip"], "instruction_options": ["motorola moto g power 2021 gray brushed tpu case"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8FZ4R3", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08SQZMQJZ", "instruction": "i'm looking for moto g phone with dual camera.", "attributes": ["non slip", "carbon fiber", "case cover"], "options": ["color: motorola moto g power 2021 red brushed tpu case"], "instruction_attributes": ["case cover"], "instruction_options": ["motorola moto g power 2021 red brushed tpu case"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KW0J9F", "worker_id": "A21IUUHBSEVB56"}], "B07V5YQN93": [{"asin": "B07V5YQN93", "instruction": "i am looking for a 24 pack of pink glitter cupcake toppers for a kids birthday party.", "attributes": ["cupcake picks", "baby shower", "birthday party"], "options": ["color: pink"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ9991Y", "worker_id": "A1EREKSZAA9V7B"}], "B093QG743V": [{"asin": "B093QG743V", "instruction": "i need cupcake picks for birthday party decoration.", "attributes": ["cupcake picks", "birthday party"], "options": ["color: 20th"], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": [], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H08516J", "worker_id": "A1NF6PELRKACS9"}], "B07MLVMV93": [{"asin": "B07MLVMV93", "instruction": "i need a quick drying clog shoes that is light weight and pink in color.", "attributes": ["light weight", "non slip", "quick drying", "ethylene vinyl", "vinyl acetate", "comfortable fit"], "options": ["color: pink", "size: 6 women | 4.5 men"], "instruction_attributes": ["light weight", "quick drying"], "instruction_options": ["pink"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZASPC9", "worker_id": "A1NF6PELRKACS9"}], "B09QFX5BG7": [{"asin": "B09QFX5BG7", "instruction": "i\u2019m looking for a toothbrush that is easy to use for travel and will give me fresh breath. the sky blue one would be good.", "attributes": ["easy use", "fresh breath"], "options": ["color: sky blue"], "instruction_attributes": ["easy use", "fresh breath"], "instruction_options": ["sky blue"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3Q8JM1D", "worker_id": "A3LIIE572Z4OG7"}], "B0957588XQ": [{"asin": "B0957588XQ", "instruction": "i am looking for a white bookcase that is easy to assemble.", "attributes": ["eco friendly", "easy assemble", "steel frame", "storage space", "living room"], "options": ["color: white"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLDQF2L", "worker_id": "A2ECRNQ3X5LEXD"}], "B09927SY88": [{"asin": "B09927SY88", "instruction": "i would like a grey 35\"x20\"x29\" home desk that's easy to clean.", "attributes": ["easy clean", "high gloss"], "options": ["color: grey", "size: 35.4\"x19.7\"x29.1\""], "instruction_attributes": ["easy clean"], "instruction_options": ["35.4\"x19.7\"x29.1\""], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLGIM0F", "worker_id": "A1WS884SI0SLO4"}], "B09MQRPL77": [{"asin": "B09MQRPL77", "instruction": "i an looking for designed with a button-tufted back, hand-crafted upholstery details & espresso wooden legs rosevera pottery tufted upholstered fine linen accent armchair set it in living room, bedroom or sitting room in muticolor.", "attributes": ["button tufted", "contemporary style", "solid wood", "living room"], "options": ["color: muticolor"], "instruction_attributes": ["button tufted", "contemporary style", "solid wood", "living room"], "instruction_options": ["muticolor"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6476ZH3S", "worker_id": "A1DRKZ3SCLAS4V"}], "B08CSLQ85D": [{"asin": "B08CSLQ85D", "instruction": "i would like to buy a navy star wars top in a small men's size that is also machine washable.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: navy", "fit type: men", "size: small"], "instruction_attributes": ["machine wash", "star wars"], "instruction_options": ["navy", "men", "small"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEEA869", "worker_id": "A114NK7T5673GK"}], "B07S8TWCYX": [{"asin": "B07S8TWCYX", "instruction": "i am looking for roxy vista flip flops for women, size 11 with a synthetic sole.", "attributes": ["synthetic sole", "rubber outsole"], "options": ["color: black 3", "size: 11"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["11"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRT1XJA", "worker_id": "A1EREKSZAA9V7B"}], "B085B3TNKT": [{"asin": "B085B3TNKT", "instruction": "i\u2019m looking for a bunny rabbit cupcake topper for theme kids birthday party supplies", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["party supplies", "birthday party"], "instruction_options": [], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHB50JL", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07GQP86J5": [{"asin": "B07GQP86J5", "instruction": "i need 2 pcs of non toxic 12ml atomizer perfume spray travel bottle in gold color", "attributes": ["non toxic", "high quality"], "options": ["color: gold+gold"], "instruction_attributes": ["non toxic"], "instruction_options": ["gold+gold"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQXJJAX", "worker_id": "A1V2C99HEV3F14"}], "B09NDJV2R6": [{"asin": "B09NDJV2R6", "instruction": "find me the fomiyes 4pcs silicone travel bottles that are easy to carry.", "attributes": ["easy carry", "travel bottles"], "options": [""], "instruction_attributes": ["easy carry", "travel bottles"], "instruction_options": [], "assignment_id": "3DIP6YHAPN2FET122B94U5H2V168EG", "worker_id": "A1CB72B51L7TKE"}], "B09LZ1LCDG": [{"asin": "B09LZ1LCDG", "instruction": "i am looking for queen size velvet upholstered platform bed with contemporary design. also choose black one.", "attributes": ["queen size", "contemporary design", "box spring", "solid wood"], "options": ["color: black"], "instruction_attributes": ["queen size"], "instruction_options": ["black"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPL87I4I", "worker_id": "A80XRGJXN2D22"}], "B07CB3Y399": [{"asin": "B07CB3Y399", "instruction": "i'm looking for a gluten-free thick & easy clear thickened apple juice, honey consistency, 4 ounces.", "attributes": ["lactose free", "gluten free"], "options": ["flavor name: sugar free peach mango", "size: 4 fl oz (pack of 1)", "style: honey"], "instruction_attributes": ["gluten free"], "instruction_options": ["4 fl oz (pack of 1)", "honey"], "assignment_id": "3VW04L3ZL4GEZUTR5OBOYTJ22G8XX4", "worker_id": "A1VBPG20HPQBH4"}], "B0842YD1CX": [{"asin": "B0842YD1CX", "instruction": "i need a sulfate and paraben free bottle of shampoo.", "attributes": ["sulfate free", "paraben free"], "options": ["size: 6.8 fl. oz", "style: shampoo"], "instruction_attributes": ["sulfate free", "paraben free"], "instruction_options": ["shampoo"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FY1K8B", "worker_id": "A19317A3X87NVM"}], "B09BXZKNDB": [{"asin": "B09BXZKNDB", "instruction": "i need a long lasting pearl headset.", "attributes": ["long lasting", "wireless bluetooth"], "options": ["color: pearl", "pattern name: headset + stand", "style: xt"], "instruction_attributes": ["long lasting"], "instruction_options": ["pearl"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9L6R09O", "worker_id": "A19317A3X87NVM"}], "B0058HNT4O": [{"asin": "B0058HNT4O", "instruction": "i'm searching for a rubber soled men's loafer that has memory foam and is size 13 extra wide. preferred color is birch.", "attributes": ["ethylene vinyl", "vinyl acetate", "memory foam", "rubber outsole", "rubber sole"], "options": ["color: birch", "size: 13 x-wide"], "instruction_attributes": ["memory foam", "rubber sole"], "instruction_options": ["birch", "13 x-wide"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2YRZVI0", "worker_id": "AHTWQSOY6HTJI"}], "B09KXLDQT4": [{"asin": "B09KXLDQT4", "instruction": "i want to find an orthodontic model that is portable and easy to carry so i can use it to teach oral hygiene.", "attributes": ["easy carry", "high quality", "oral hygiene"], "options": [""], "instruction_attributes": ["easy carry", "oral hygiene"], "instruction_options": [], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HZEI64", "worker_id": "A345TDMHP3DQ3G"}], "B09B27GBVM": [{"asin": "B09B27GBVM", "instruction": "i want to find a 2-piece pool alarm that's remote controlled. it needs to be easy to install and ideally the batteries will be included.", "attributes": ["easy install", "batteries included", "aaa batteries"], "options": ["color: 2pcs"], "instruction_attributes": ["easy install", "batteries included"], "instruction_options": ["2pcs"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9IMLS1T", "worker_id": "A345TDMHP3DQ3G"}], "B07TFX29TQ": [{"asin": "B07TFX29TQ", "instruction": "i need some keto friendly, non-gmo potato chips in the sour cream & onion flavor.", "attributes": ["keto friendly", "sugar free", "non gmo", "gluten free", "artificial flavors"], "options": ["flavor name: sour cream & onion", "size: 1.75 ounce (pack of 1)"], "instruction_attributes": ["keto friendly", "non gmo"], "instruction_options": ["sour cream & onion"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38F14LEE", "worker_id": "A19317A3X87NVM"}], "B09PDWKPX4": [{"asin": "B09PDWKPX4", "instruction": "i'm looking for a cotton long sleeve sleepwear set having elastic waist, 3x-large sized for men. also choose the color yk9672#", "attributes": ["straight leg", "loose fit", "elastic waistband", "elastic waist", "long sleeve"], "options": ["color: yk9672#", "size: 3x-large"], "instruction_attributes": ["elastic waist", "long sleeve"], "instruction_options": ["3x-large"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLH0RDP", "worker_id": "A258PTOZ3D2TQR"}], "B094D7SF73": [{"asin": "B094D7SF73", "instruction": "i want to buy a dual band phone signal booster and want it to be booster 2 | 5.", "attributes": ["dual band", "4g lte"], "options": ["color: booster 2 | 5 signal booster"], "instruction_attributes": ["dual band"], "instruction_options": ["booster 2 | 5 signal booster"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PU4UBZ", "worker_id": "A114NK7T5673GK"}], "B01J43HCFO": [{"asin": "B01J43HCFO", "instruction": "i need some black and white fashion sneakers in size 11 with a rubber sole.", "attributes": ["memory foam", "rubber sole"], "options": ["color: black | white", "size: 11"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black | white", "11"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI7QMZGN", "worker_id": "A19317A3X87NVM"}], "B08ZHZCS3Y": [{"asin": "B08ZHZCS3Y", "instruction": "i am looking to buy a bathroom vanity light that has three lights. brushed nickel, please.", "attributes": ["brushed nickel", "clear glass", "light fixture", "vanity light"], "options": ["size: 3 light"], "instruction_attributes": ["brushed nickel", "vanity light"], "instruction_options": ["3 light"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F81YNZ7", "worker_id": "AHTWQSOY6HTJI"}], "B09HWS67T8": [{"asin": "B09HWS67T8", "instruction": "i'm looking for hair treatments that are sulfate and paraben free and are of high quality too. i need it in bottle for with 60 capsules.", "attributes": ["sulfate free", "paraben free", "high quality", "green tea", "natural ingredients", "hair growth", "hair loss"], "options": ["size: 1 bottle + 60 capsules"], "instruction_attributes": ["sulfate free", "paraben free", "high quality"], "instruction_options": [], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFFLE31", "worker_id": "A1MJVTR0PCKBWW"}], "B092PH81NS": [{"asin": "B092PH81NS", "instruction": "i'm looking for a large pink travel makeup bag that's not only high-quality but also easy to carry and clean.", "attributes": ["easy carry", "easy clean", "high quality"], "options": ["color: pink d", "size: l"], "instruction_attributes": ["easy carry", "easy clean", "high quality"], "instruction_options": ["pink d", "l"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZKRNCP", "worker_id": "A345TDMHP3DQ3G"}], "B09RPYK5PL": [{"asin": "B09RPYK5PL", "instruction": "i'm looking for an android tv box that comes in ultra hd with dual band wi-fi.", "attributes": ["dual band", "ultra hd"], "options": [""], "instruction_attributes": ["dual band", "ultra hd"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33N8Z2PB", "worker_id": "A345TDMHP3DQ3G"}], "B017TI2I2S": [{"asin": "B017TI2I2S", "instruction": "i want to find a usb headset that's certifiably refurbished and has a plug to play.", "attributes": ["certified refurbished", "plug play"], "options": [""], "instruction_attributes": ["certified refurbished", "plug play"], "instruction_options": [], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRS940XT", "worker_id": "A345TDMHP3DQ3G"}], "B087ZKY4XQ": [{"asin": "B087ZKY4XQ", "instruction": "i want to find a gift set that includes a variety of four instant coffees from nescafe to sample in it.", "attributes": ["fat free", "gift set"], "options": ["flavor name: nescafe instant coffee 4 mix set"], "instruction_attributes": ["gift set"], "instruction_options": ["nescafe instant coffee 4 mix set"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIOM3TS", "worker_id": "A345TDMHP3DQ3G"}], "B0978Q1KK9": [{"asin": "B0978Q1KK9", "instruction": "i would like a bundle of crackers, spicy beef and cheese which is shelf stable. it also needs to be keto and gluten free.", "attributes": ["shelf stable", "keto friendly", "gluten free"], "options": ["flavor name: spicy beef backpack bundle"], "instruction_attributes": ["shelf stable", "keto friendly", "gluten free"], "instruction_options": ["spicy beef backpack bundle"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOZYATH", "worker_id": "A36F8PDK1DMAN1"}, {"asin": "B0978Q1KK9", "instruction": "im looking for keto friendly, gluten free backpacking snacks including cheese, crackers and summer sausage.", "attributes": ["shelf stable", "keto friendly", "gluten free"], "options": ["flavor name: original beef backpack bundle"], "instruction_attributes": ["keto friendly", "gluten free"], "instruction_options": ["original beef backpack bundle"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVPG71R", "worker_id": "AK3JMCIGU8MLU"}], "B00PGAP3DS": [{"asin": "B00PGAP3DS", "instruction": "i want to find fragrance-free pure moroccan argan oil for my hair and face.", "attributes": ["fragrance free", "anti aging", "easy use", "argan oil", "sensitive skin"], "options": [""], "instruction_attributes": ["fragrance free", "argan oil"], "instruction_options": [], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHUMQLA3", "worker_id": "A345TDMHP3DQ3G"}], "B08B4ZTX93": [{"asin": "B08B4ZTX93", "instruction": "i'm looking for grass-fed gluten free beef jerky meat stick flavored wild ginger. i need 16 sticks (size)", "attributes": ["grass fed", "artificial ingredients", "individually wrapped", "gluten free"], "options": ["flavor name: wild ginger", "size: 16"], "instruction_attributes": ["grass fed", "gluten free"], "instruction_options": ["16"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIHWMTO", "worker_id": "A258PTOZ3D2TQR"}], "B09QCSHVWZ": [{"asin": "B09QCSHVWZ", "instruction": "i'm looking for teeth cleansing toothpaste for teeth whitening.", "attributes": ["fluoride free", "teeth whitening", "long lasting", "sensitive teeth", "fresh breath", "bad breath"], "options": ["color: whitening"], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": ["whitening"], "assignment_id": "37C0GNLMHQDNI94ED11M493QPUWD6N", "worker_id": "A16IQOX0DK14OJ"}], "B091XW25T7": [{"asin": "B091XW25T7", "instruction": "i am looking for a canvas for living room with size of 12x18 inch. also ready to hang", "attributes": ["ready hang", "living room"], "options": ["color: child abstract canvas", "size: 12x18 inch"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["12x18 inch"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWTKD79B", "worker_id": "A2HMEGTAFO0CS8"}], "B07WDCXSX1": [{"asin": "B07WDCXSX1", "instruction": "i am looking for a six piece peppermint bark holiday cookie that is gluten, vegan and dairy free.", "attributes": ["gluten free", "nut free", "soy free", "dairy free"], "options": ["flavor name: apple cider donut"], "instruction_attributes": ["gluten free", "dairy free"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE2N0QGJ", "worker_id": "A1KZ0KE93WNN5O"}], "B09D8HF94V": [{"asin": "B09D8HF94V", "instruction": "i would like a casual tie dye crewneck sweatshirt. it needs to be long sleeve and have a side splits.", "attributes": ["long sleeve", "unique design", "daily wear"], "options": ["color: b-gray leopard", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLDZDAQ", "worker_id": "A21SVM7079V6OP"}], "B01GS1Q7SS": [{"asin": "B01GS1Q7SS", "instruction": "i want to find an ivory area rug for my dining room. it should have a square shape and be 6 feet by 7 inches.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: ivory | fuchsia", "item shape: square", "size: 6 ft 7 in x 6 ft 7 in"], "instruction_attributes": ["dining room"], "instruction_options": ["ivory | fuchsia", "square", "6 ft 7 in x 6 ft 7 in"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZVTPA5", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01GS1Q7SS", "instruction": "i need an area rug for the living room that is navy", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: navy | ivory", "item shape: rectangular", "size: 8 ft x 10 ft"], "instruction_attributes": ["living room"], "instruction_options": ["navy | ivory"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WYL1AD", "worker_id": "A2ECRNQ3X5LEXD"}], "B0894X4LRQ": [{"asin": "B0894X4LRQ", "instruction": "i need a leak proof purple bag for travel bottles.", "attributes": ["leak proof", "bpa free", "travel size", "non toxic", "easy carry", "high quality", "travel bottles", "fine mist"], "options": ["color: purple"], "instruction_attributes": ["leak proof", "travel bottles"], "instruction_options": ["purple"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKC4QPI3", "worker_id": "A19317A3X87NVM"}], "B00H3T5DDA": [{"asin": "B00H3T5DDA", "instruction": "i want a pack of old fashioned pretzel rods, look for chocolate covered too.", "attributes": ["non gmo", "old fashioned", "chocolate covered", "nut free"], "options": ["flavor name: old fashion rods", "size: 2.5 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["old fashion rods", "2.5 pound (pack of 1)"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXT655VE", "worker_id": "A36LOA6VLJU157"}], "B001FXPNY4": [{"asin": "B001FXPNY4", "instruction": "i'm looking for cinnamon almond cereal that has cookie flavor and high protein serving. also, i want a pack of 12 at 1.2 ounce each.", "attributes": ["gluten free", "protein serving", "high protein", "natural flavors"], "options": ["flavor: protein cookie bites - cinnamon almond", "size: 1.2 ounce (pack of 12)"], "instruction_attributes": ["protein serving"], "instruction_options": ["protein cookie bites - cinnamon almond", "1.2 ounce (pack of 12)"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88QOHDKR", "worker_id": "A1198W1SPF1R4"}, {"asin": "B001FXPNY4", "instruction": "i'm looking for gluten free it contains many proteins.", "attributes": ["gluten free", "protein serving", "high protein", "natural flavors"], "options": ["flavor: french vanilla", "size: 1.2 ounce (pack of 60)"], "instruction_attributes": ["gluten free", "high protein"], "instruction_options": ["french vanilla"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW4M4TE", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B001FXPNY4", "instruction": "i would like a high protein cereal that is honey almond.", "attributes": ["gluten free", "protein serving", "high protein", "natural flavors"], "options": ["flavor: protein breakfast cereal - honey almond", "size: 1.2 ounce (pack of 60)"], "instruction_attributes": ["high protein"], "instruction_options": ["protein breakfast cereal - honey almond"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMO1MWR", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RXNWD5Y": [{"asin": "B07RXNWD5Y", "instruction": "na", "attributes": ["heavy duty", "height adjustable", "high density", "lumbar support", "pu leather", "memory foam", "steel frame"], "options": ["color: blue"], "instruction_attributes": ["steel frame"], "instruction_options": ["blue"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPE3H68S", "worker_id": "A1EI8Z972FIFJ3"}], "B07KQ4X112": [{"asin": "B07KQ4X112", "instruction": "i'd love some help finding some organic beard growth oil that can treat hair loss.", "attributes": ["seed oil", "hair loss"], "options": [""], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS4026XNS", "worker_id": "A345TDMHP3DQ3G"}], "B098KY87FJ": [{"asin": "B098KY87FJ", "instruction": "can you pick a tapered leg jean for men that is comfortable to wear? i'm looking for harbor blue color and size 32w x 29l.", "attributes": ["long lasting", "day comfort", "machine wash", "relaxed fit", "imported zipper", "cotton spandex", "button closure"], "options": ["color: harbor blue", "size: 32w x 29l"], "instruction_attributes": ["day comfort"], "instruction_options": ["harbor blue", "32w x 29l"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VKGGF2", "worker_id": "A1198W1SPF1R4"}], "B07NGQ2TWQ": [{"asin": "B07NGQ2TWQ", "instruction": "i need some face powder in a banana color that is long lasting and free of animal cruelty.", "attributes": ["cruelty free", "animal testing", "paraben free", "long lasting"], "options": ["color: banana deep", "size: 1.12 ounce (pack of 1)"], "instruction_attributes": ["cruelty free", "animal testing", "long lasting"], "instruction_options": ["banana deep"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMY4OQLR", "worker_id": "A19317A3X87NVM"}, {"asin": "B07NGQ2TWQ", "instruction": "i'm looing for a cruelty free certified loose baking face powder that is paraben free and long lasting. also, choose a pack of 1 weights 32g and banana light colored one.", "attributes": ["cruelty free", "animal testing", "paraben free", "long lasting"], "options": ["color: banana light", "size: 32 g (pack of 1)"], "instruction_attributes": ["cruelty free", "paraben free", "long lasting"], "instruction_options": ["banana light", "32 g (pack of 1)"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHQPJ0I", "worker_id": "AR0VJ5XRG16UJ"}], "B09HT124QJ": [{"asin": "B09HT124QJ", "instruction": "i am looking for a white oak dining room chandelier with 4 foyer pendant light", "attributes": ["assembly required", "pendant light", "dining room"], "options": [""], "instruction_attributes": ["assembly required"], "instruction_options": [], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0H6XPN", "worker_id": "ARJDD0Z3R65BD"}], "B08HNXVXXL": [{"asin": "B08HNXVXXL", "instruction": "i want some golden brown hair dye.", "attributes": ["permanent hair", "hair dye"], "options": ["color: 6g light golden brown", "size: 1 count (pack of 1)"], "instruction_attributes": ["hair dye"], "instruction_options": ["6g light golden brown"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPP4RNJU", "worker_id": "A19317A3X87NVM"}], "B09FTF3JTN": [{"asin": "B09FTF3JTN", "instruction": "i am looking for a black shower cap for natural hair.", "attributes": ["natural hair", "dry hair"], "options": ["color: black+navy flower"], "instruction_attributes": ["natural hair"], "instruction_options": ["black+navy flower"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGT9UOQ7", "worker_id": "A114NK7T5673GK"}], "B08XQL4CPC": [{"asin": "B08XQL4CPC", "instruction": "i'm looking for a large sea team round cotton rope storage basket with lid and decorative woven storage bin, pot, caddy, organizer, container for snacks, towels and plants 10 x 7.5 inches. also, choose the white one.", "attributes": ["space saving", "storage space"], "options": ["color: black", "size: large | shallow(pack of 1)"], "instruction_attributes": ["storage space"], "instruction_options": ["large | shallow(pack of 1)"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQV80NN", "worker_id": "AWBUPIF8N4DBA"}], "B077D7TRS3": [{"asin": "B077D7TRS3", "instruction": "i want to find a set of leak-proof, bpa-free travel bottles for my toiletries. ideally the set will have four 3-ounce bottles and the color should be #02.", "attributes": ["leak proof", "bpa free", "travel bottles"], "options": ["color: #02 color 4*3 oz"], "instruction_attributes": ["leak proof", "bpa free", "travel bottles"], "instruction_options": ["#02 color 4*3 oz"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFGN5GB3", "worker_id": "A345TDMHP3DQ3G"}], "B088871Y22": [{"asin": "B088871Y22", "instruction": "i need a 8.5 fl oz cool girl aromatherapy candle for my living room. i want the nectarine + coral scent.", "attributes": ["eco friendly", "long lasting", "soy wax", "living room"], "options": ["scent: nectarine + coral"], "instruction_attributes": ["living room"], "instruction_options": ["nectarine + coral"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXR0EWNC", "worker_id": "A1CB72B51L7TKE"}], "B0859P9F6C": [{"asin": "B0859P9F6C", "instruction": "i want blue chamomile scented deep hair conditioner that has tea tree oil, is sulfate free and weighs six ounces.", "attributes": ["sulfate free", "paraben free", "tea tree"], "options": ["scent: blue chamomile", "size: 6 ounce (pack of 2)"], "instruction_attributes": ["sulfate free", "tea tree"], "instruction_options": ["blue chamomile"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6Z3EVN", "worker_id": "A1KZ0KE93WNN5O"}], "B01CX4U7J4": [{"asin": "B01CX4U7J4", "instruction": "i am looking for braven brv-xxl a large portable wireless bluetooth speaker, that is for the outdoors and waterproof, with a built-in 15,000mah power bank usb charger. also, i need it in black/titanium.", "attributes": ["water resistant", "wireless bluetooth"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR4T6UFT", "worker_id": "ABYRAWL4BGD3C"}], "B000SX4HGM": [{"asin": "B000SX4HGM", "instruction": "i want to find a 7.6 ounce package of hair removal wax that's easy to use. the color should be \"all purpose honey.\"", "attributes": ["easy use", "hair removal"], "options": ["color: all purpose honee", "size: 7.6 ounce (pack of 1)"], "instruction_attributes": ["easy use", "hair removal"], "instruction_options": ["all purpose honee", "7.6 ounce (pack of 1)"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKB4PEF", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B000SX4HGM", "instruction": "i want to find a 7.6 ounce package of hair removal wax that's easy to use. the wax should be brazilian style and the primary ingredients should be beeswax and soybean oil.", "attributes": ["easy use", "hair removal"], "options": ["color: brazilian w | beeswax and soybean oil", "size: 7.6 ounce (pack of 1)"], "instruction_attributes": ["easy use", "hair removal"], "instruction_options": ["brazilian w | beeswax and soybean oil", "7.6 ounce (pack of 1)"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPJ80G1", "worker_id": "A345TDMHP3DQ3G"}], "B0042R7WXK": [{"asin": "B0042R7WXK", "instruction": "i want to buy a 32-count pack of hand-crafted, chocolate dessert cups. they need to be gluten free!", "attributes": ["hand crafted", "gluten free"], "options": ["flavor name: chocolate", "size: 32 count (pack of 1)"], "instruction_attributes": ["hand crafted", "gluten free"], "instruction_options": ["chocolate", "32 count (pack of 1)"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30T7E3N7", "worker_id": "A345TDMHP3DQ3G"}], "B0784JSQ6G": [{"asin": "B0784JSQ6G", "instruction": "i need a gold colored birthday cake ornament.", "attributes": ["birthday cake", "birthday party"], "options": ["color: 40-gold"], "instruction_attributes": ["birthday cake"], "instruction_options": ["40-gold"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZZPPCK", "worker_id": "A19317A3X87NVM"}, {"asin": "B0784JSQ6G", "instruction": "get me a gold birthday cake topper.", "attributes": ["birthday cake", "birthday party"], "options": ["color: 60-gold2"], "instruction_attributes": ["birthday cake"], "instruction_options": ["60-gold2"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67JO4NV", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B0784JSQ6G", "instruction": "i need a birthday cake topper that is gold", "attributes": ["birthday cake", "birthday party"], "options": ["color: 25-gold"], "instruction_attributes": ["birthday cake"], "instruction_options": ["25-gold"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HH46II", "worker_id": "A2ECRNQ3X5LEXD"}], "B08ZJQFYZ7": [{"asin": "B08ZJQFYZ7", "instruction": "i'm looking for fully cooked dry rubbed st. louis style ribs.", "attributes": ["fully cooked", "quality ingredients"], "options": ["flavor name: dry rubbed (seasoned) st louis style", "size: four half slabs"], "instruction_attributes": ["fully cooked"], "instruction_options": ["dry rubbed (seasoned) st louis style"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKKSNDE", "worker_id": "A19317A3X87NVM"}], "B083ZG2RZL": [{"asin": "B083ZG2RZL", "instruction": "i need a vanity light with a classic bronze finish.", "attributes": ["vanity light", "clear glass"], "options": ["color: classic bronze", "size: 3-light"], "instruction_attributes": ["vanity light"], "instruction_options": ["classic bronze"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOJ5O7C", "worker_id": "A19317A3X87NVM"}], "B09391JQ43": [{"asin": "B09391JQ43", "instruction": "i want to find a small pair of men's pajama pants that's officially licensed with the joker.", "attributes": ["officially licensed", "drawstring waist"], "options": ["size: small"], "instruction_attributes": ["officially licensed"], "instruction_options": ["small"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XXQ1FAP", "worker_id": "A345TDMHP3DQ3G"}], "B09N9JKMLW": [{"asin": "B09N9JKMLW", "instruction": "i wanna find a wireless soundbar with stereo sound for my tv, color black and with support for u disk tf and sd card.", "attributes": ["high power", "stereo sound"], "options": ["color: black2"], "instruction_attributes": ["stereo sound"], "instruction_options": ["black2"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHLHZ44", "worker_id": "A1YJZS6HXX8AMK"}], "B00U9WP17Q": [{"asin": "B00U9WP17Q", "instruction": "i need some non-gmo chocolate pretzels.", "attributes": ["kosher certified", "non gmo"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2Z3OKMX", "worker_id": "A19317A3X87NVM"}], "B096YD2L7Q": [{"asin": "B096YD2L7Q", "instruction": "i would like a large, low carb drink alternative that is a red flavor such as cherry or strawberry.", "attributes": ["non alcoholic", "low carb"], "options": [""], "instruction_attributes": ["low carb"], "instruction_options": [], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJ8EO97", "worker_id": "AJQGWGESKQT4Y"}], "B000ER1RCY": [{"asin": "B000ER1RCY", "instruction": "i want a keds champion women's for day comfort, choose a white with a especial size 9", "attributes": ["day comfort", "synthetic sole", "memory foam", "rubber outsole"], "options": ["color: white", "size: 5", "special size: 9 med"], "instruction_attributes": ["day comfort"], "instruction_options": ["white", "9 med"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO834PIJZ", "worker_id": "A2Y2TURT2VEYZN"}], "B07V1Y5MRL": [{"asin": "B07V1Y5MRL", "instruction": "i want to find a 15.99 fluid ounce can of an energy drink without any sugar, artificial colors or flavors. my flavor of preference is called shoc wave.", "attributes": ["zero sugar", "artificial colors", "artificial flavors"], "options": ["flavor name: shoc wave", "size: 15.99 fl oz (pack of 1)"], "instruction_attributes": ["zero sugar", "artificial colors", "artificial flavors"], "instruction_options": ["shoc wave", "15.99 fl oz (pack of 1)"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHUM6LAJ", "worker_id": "A345TDMHP3DQ3G"}], "B081S81FT6": [{"asin": "B081S81FT6", "instruction": "i want to find a 2-ounce bottle of sulfate-free conditioner that's compatible with damaged hair.", "attributes": ["sulfate free", "paraben free", "cruelty free", "damaged hair"], "options": ["size: 2 ounce"], "instruction_attributes": ["sulfate free", "damaged hair"], "instruction_options": ["2 ounce"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7JBDSR", "worker_id": "A345TDMHP3DQ3G"}], "B09P1NSXN4": [{"asin": "B09P1NSXN4", "instruction": "i need a manual toothbrush which has teeth whitening strips and is good for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: d"], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": [], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WG9CYIP", "worker_id": "A19317A3X87NVM"}, {"asin": "B09P1NSXN4", "instruction": "i want to find an f-colored toothbrush that can help whiten my teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: f"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["f"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCAU0DV", "worker_id": "A345TDMHP3DQ3G"}], "B09JJS8F4B": [{"asin": "B09JJS8F4B", "instruction": "i need cupcake picks for my son's birthday party.", "attributes": ["baby shower", "cupcake picks", "party supplies", "birthday party"], "options": [""], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": [], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTZT9NZ", "worker_id": "A19317A3X87NVM"}], "B00F4YS85G": [{"asin": "B00F4YS85G", "instruction": "i'm looking for l'oreal paris true match super-blendable liquid foundation, oil free in c2 natural ivory. i want a 1 fl oz pack of 1.", "attributes": ["oil free", "fine lines"], "options": ["color: c2 natural ivory", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["c2 natural ivory", "1 fl oz (pack of 1)"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9L65092", "worker_id": "A1CB72B51L7TKE"}, {"asin": "B00F4YS85G", "instruction": "i'm looking for a single bottle of bone colored foundation that's oil free and covers fine lines.", "attributes": ["oil free", "fine lines"], "options": ["color: c1.5 bone", "size: 1 count"], "instruction_attributes": ["oil free", "fine lines"], "instruction_options": ["c1.5 bone", "1 count"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4F68L0", "worker_id": "AR9AU5FY1S3RO"}], "B00PUEV4CE": [{"asin": "B00PUEV4CE", "instruction": "i want to find wheat crackers that have no gmos and no high-fructose corn syrup.", "attributes": ["non gmo", "high fructose"], "options": ["flavor: wheat crackers"], "instruction_attributes": ["non gmo", "high fructose"], "instruction_options": ["wheat crackers"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OP9LWFY", "worker_id": "A345TDMHP3DQ3G"}], "B0995NN39Z": [{"asin": "B0995NN39Z", "instruction": "i'm looking for easy to apply, high quality hair extensions in medium light brown.", "attributes": ["easy apply", "high quality"], "options": ["color: #560 medium light brown+60%gray", "size: 8\"x10\""], "instruction_attributes": ["easy apply", "high quality"], "instruction_options": ["#560 medium light brown+60%gray"], "assignment_id": "3G2UL9A02OO71034MOY04HTU3J067U", "worker_id": "A19317A3X87NVM"}], "B00T7JEX44": [{"asin": "B00T7JEX44", "instruction": "i like traditional , old and individually wrapped albert's chocolate ice cubes 60 count tray chocolate", "attributes": ["old fashioned", "individually wrapped"], "options": [""], "instruction_attributes": ["old fashioned", "individually wrapped"], "instruction_options": [], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVL83XB", "worker_id": "A1W06GIYOJMSAK"}], "B073C1K3GZ": [{"asin": "B073C1K3GZ", "instruction": "i need women's loafers with arch support. find something in black.", "attributes": ["arch support", "rubber sole"], "options": ["color: black", "size: 11.0 n us"], "instruction_attributes": ["arch support"], "instruction_options": ["black"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6F3TD3G", "worker_id": "A1NF6PELRKACS9"}], "B08M4YVD3S": [{"asin": "B08M4YVD3S", "instruction": "i'm looking for some usda organic chocolate bars.", "attributes": ["usda organic", "gift set"], "options": ["flavor name: chocolate", "size: 6 count (pack of 1)"], "instruction_attributes": ["usda organic"], "instruction_options": ["chocolate"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6F31D3O", "worker_id": "A19317A3X87NVM"}], "B06XHDT44G": [{"asin": "B06XHDT44G", "instruction": "i want to get a blue 100-foot-long high-speed ethernet cable that's easy to install.", "attributes": ["high speed", "easy install", "high definition"], "options": ["color: blue", "size: 100ft"], "instruction_attributes": ["high speed", "easy install"], "instruction_options": ["blue", "100ft"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJKNT3JN", "worker_id": "A345TDMHP3DQ3G"}], "B07KWW4QKD": [{"asin": "B07KWW4QKD", "instruction": "i need burgundy colored high heels in size us5.5.", "attributes": ["high heel", "rubber sole"], "options": ["color: burgundy", "size: us5.5"], "instruction_attributes": ["high heel"], "instruction_options": ["burgundy", "us5.5"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCDE65O", "worker_id": "A19317A3X87NVM"}], "B00FAQKILA": [{"asin": "B00FAQKILA", "instruction": "i'm looking for chairs for the dining room that are button-tufted and easy-to-assemble.", "attributes": ["button tufted", "easy assemble", "living room", "dining room"], "options": [""], "instruction_attributes": ["button tufted", "easy assemble", "dining room"], "instruction_options": [], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JP60SYV", "worker_id": "AFU00NU09CFXE"}], "B08ZHT9CRK": [{"asin": "B08ZHT9CRK", "instruction": "find me a fragrance free mineral powder foundation set in a medium color and with mascara.", "attributes": ["fragrance free", "easy apply", "fine lines"], "options": ["color: medium"], "instruction_attributes": ["fragrance free"], "instruction_options": ["medium"], "assignment_id": "351SEKWQSBRP7CP60H83T50CFUMMDH", "worker_id": "AE9M4Z1NCYSDM"}], "B09KV7GX8S": [{"asin": "B09KV7GX8S", "instruction": "i'm looking for an easy to clean halloween set for the dining room.", "attributes": ["easy clean", "living room", "dining room"], "options": ["color: cartoon halloween scenelop1361", "size: 52x24in"], "instruction_attributes": ["easy clean", "dining room"], "instruction_options": ["cartoon halloween scenelop1361"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79BG1HT", "worker_id": "A19317A3X87NVM"}], "B0865TZ3B4": [{"asin": "B0865TZ3B4", "instruction": "i am looking for a pair of grey running shorts that are light weight with an elastic waistband and have moisture wicking technology in a size small", "attributes": ["light weight", "moisture wicking", "polyester spandex", "elastic closure", "elastic waistband"], "options": ["color: grey", "size: small"], "instruction_attributes": ["light weight", "moisture wicking", "elastic waistband"], "instruction_options": ["grey", "small"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOXRLLL", "worker_id": "A1E235KE3CSO7H"}], "B097BVKF24": [{"asin": "B097BVKF24", "instruction": "i want to purchase a manual toothbrush that whitens teeth and prefer ones with stars and either pink, blue, purple or yellow.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: pink, blue, purple, yellow,", "style: star shape style"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["pink, blue, purple, yellow,", "star shape style"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XTSFRY", "worker_id": "A114NK7T5673GK"}], "B00GY0CK26": [{"asin": "B00GY0CK26", "instruction": "i need an antique walnut bed frame in a walnut color", "attributes": ["lead free", "white item"], "options": ["color: antique walnut", "size: twin | full"], "instruction_attributes": ["lead free"], "instruction_options": ["antique walnut"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKEQJMZ", "worker_id": "A19317A3X87NVM"}], "B075K15ZKB": [{"asin": "B075K15ZKB", "instruction": "i want to buy some ash blonde hair color with argan oil in it.", "attributes": ["argan oil", "permanent hair"], "options": ["color: high lift ash blonde 100.10"], "instruction_attributes": ["argan oil"], "instruction_options": ["high lift ash blonde 100.10"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPL8L4II", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B075K15ZKB", "instruction": "i need to buy some permanent hair dye. it should be deep ash brown and contain argan oil.", "attributes": ["argan oil", "permanent hair"], "options": ["color: deep ash brown 4aa | 4.11"], "instruction_attributes": ["argan oil", "permanent hair"], "instruction_options": ["deep ash brown 4aa | 4.11"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWZM5TN", "worker_id": "AR9AU5FY1S3RO"}], "B09PY89B1S": [{"asin": "B09PY89B1S", "instruction": "show me an one organic hair growth serum roller set for all hair types.", "attributes": ["hair growth", "hair loss"], "options": ["size: 1pcs"], "instruction_attributes": ["hair growth"], "instruction_options": ["1pcs"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3F8HFBF", "worker_id": "A3AYHESLQSDY5T"}], "B08JV996XH": [{"asin": "B08JV996XH", "instruction": "i want the men's mesh sissy pouch lace see through pajama pants that are low rise and slim fit in x-large. i want the black ones.", "attributes": ["low rise", "slim fit", "unique design", "elastic waist"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["low rise", "slim fit"], "instruction_options": ["black", "x-large"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907DQAUT", "worker_id": "A1CB72B51L7TKE"}], "B00QWT4S56": [{"asin": "B00QWT4S56", "instruction": "i need a bpa and gmo free pack of moringia leaf ground.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: moringa leaf ground", "size: 1 count (pack of 1)"], "instruction_attributes": ["bpa free", "gmo free"], "instruction_options": ["moringa leaf ground", "1 count (pack of 1)"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYM3JIZ3", "worker_id": "A19317A3X87NVM"}, {"asin": "B00QWT4S56", "instruction": "i'm looking for a natural whole bay leaf which should be free from bpa, gmo, fat and gluten. also choose a pack of 1 weighing 3.53 ounce with organic senna flavored one.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: organic senna", "size: 3.53 ounce (pack of 1)"], "instruction_attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "instruction_options": ["organic senna", "3.53 ounce (pack of 1)"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACULHNH", "worker_id": "AR0VJ5XRG16UJ"}], "B095X62PKW": [{"asin": "B095X62PKW", "instruction": "i'm looking for some cupcake picks that are suitable for a baby shower.", "attributes": ["baby shower", "cupcake picks", "birthday party"], "options": [""], "instruction_attributes": ["baby shower", "cupcake picks"], "instruction_options": [], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPT74O6U", "worker_id": "AFU00NU09CFXE"}], "B08155MLPZ": [{"asin": "B08155MLPZ", "instruction": "i want to find an adult tank top that's machine washable and features the italian stallion from rocky.", "attributes": ["easy care", "officially licensed", "machine wash", "tumble dry"], "options": [""], "instruction_attributes": ["machine wash"], "instruction_options": [], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTDC7Z69", "worker_id": "A345TDMHP3DQ3G"}], "B07X8NMX57": [{"asin": "B07X8NMX57", "instruction": "i am interested in buying a x-small size purple colored classic fit birthday t-shirt.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: purple", "fit type: men", "size: x-small"], "instruction_attributes": ["classic fit"], "instruction_options": ["purple", "x-small"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3SVTG3D", "worker_id": "A3QZMGTVA4VO44"}], "B07VP4KL4S": [{"asin": "B07VP4KL4S", "instruction": "locate a emme 3-piece king bed in a bag comforter set that is machine washable. i also need the color to be blue stripe.", "attributes": ["queen size", "machine washable"], "options": ["color: blue stripe", "size: 3-piece king"], "instruction_attributes": ["machine washable"], "instruction_options": ["blue stripe", "3-piece king"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI7QWZGX", "worker_id": "A1CB72B51L7TKE"}], "B07KSMB6FT": [{"asin": "B07KSMB6FT", "instruction": "i want to buy some plant-based tuna.", "attributes": ["plant based", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZCT3KM", "worker_id": "A2YNPKYEFDZ6C9"}], "B09743DFJC": [{"asin": "B09743DFJC", "instruction": "im looking for a earbud headphones for stereo sound quality of style je-04b which will be more comfortable for me to use without disturbing others .", "attributes": ["noise cancelling", "stereo sound"], "options": ["style: je-04b"], "instruction_attributes": ["stereo sound"], "instruction_options": ["je-04b"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQX4915", "worker_id": "A1ZGQ2I0RQ9OD5"}], "B07CZSWR7P": [{"asin": "B07CZSWR7P", "instruction": "3 sugar free fruit syrup packs of different flavors ie cherry, raspberry, watermelon flavors", "attributes": ["sugar free", "easy use", "gluten free"], "options": ["flavor name: cherry, blue raspberry, watermelon"], "instruction_attributes": ["sugar free"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3DF6PA", "worker_id": "AL8NYDL4JOYL3"}], "B07S1RSYMC": [{"asin": "B07S1RSYMC", "instruction": "hello, i am looking for some cupcake picks, i want to use them on my mom's birthday party.", "attributes": ["cupcake picks", "birthday party"], "options": [""], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": [], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGIIWTV", "worker_id": "ARW1TCHCLEK1W"}], "B098DNCN3D": [{"asin": "B098DNCN3D", "instruction": "i need some white inline skates in size 40.", "attributes": ["light weight", "unique design"], "options": ["color: f-new white", "size: 40"], "instruction_attributes": ["light weight"], "instruction_options": ["f-new white", "40"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2M8G6W", "worker_id": "A19317A3X87NVM"}], "B09FLCK3PT": [{"asin": "B09FLCK3PT", "instruction": "#4 medium brown color hair pieces of 8 inch length as hair extension.", "attributes": ["hair loss", "natural hair"], "options": ["color: #4medium brown", "size: 8 inch"], "instruction_attributes": ["hair loss", "natural hair"], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZ0SPRQ", "worker_id": "AL8NYDL4JOYL3"}], "B09RH1525C": [{"asin": "B09RH1525C", "instruction": "i need a large, gray long sleeve hoodie.", "attributes": ["long sleeve", "contrast color"], "options": ["color: 51#gray", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["51#gray", "3x-large"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFDGT03", "worker_id": "A19317A3X87NVM"}], "B08L1MT2DH": [{"asin": "B08L1MT2DH", "instruction": "i need a 1080p hd hidden camera which is motion activated.", "attributes": ["1080p hd", "long lasting", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": [], "assignment_id": "39O5D9O8742EGYBIU38DD09OU30C3Y", "worker_id": "A19317A3X87NVM"}], "B016WDNAJ6": [{"asin": "B016WDNAJ6", "instruction": "i need a white mirror with a with a brushed nickel finish in window style.", "attributes": ["brushed nickel", "nickel finish"], "options": ["color: white", "size: 15 inch", "style name: window"], "instruction_attributes": ["brushed nickel", "nickel finish"], "instruction_options": ["white", "window"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6O8MMM7", "worker_id": "A19317A3X87NVM"}, {"asin": "B016WDNAJ6", "instruction": "i am looking for a white brushed nickel for wall-mounted mirrors", "attributes": ["brushed nickel", "nickel finish"], "options": ["color: white", "size: 8 inch", "style name: mirror"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["white"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQGAHH2", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B016WDNAJ6", "instruction": "i'm looking for brushed nickel decorative ship porthole nautical mirror.", "attributes": ["brushed nickel", "nickel finish"], "options": ["color: chrome", "size: 8 inch", "style name: mirror"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["mirror"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AMCTS1", "worker_id": "A21IUUHBSEVB56"}], "B09K3SXTJ1": [{"asin": "B09K3SXTJ1", "instruction": "i'm trying to find a six-pack of kids' toothbrushes for sensitive teeth. i need the toothbrushes to have long handles and they should come in assorted colors, like blue, pink and yellow.", "attributes": ["long handle", "sensitive teeth"], "options": ["color: blue pink yellow", "style: long handle"], "instruction_attributes": ["long handle", "sensitive teeth"], "instruction_options": ["blue pink yellow", "long handle"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33N8FP2E", "worker_id": "A345TDMHP3DQ3G"}], "B01CX3Y3EA": [{"asin": "B01CX3Y3EA", "instruction": "i'm looking for a 50 piece candy gift basket.", "attributes": ["gift basket", "perfect gift"], "options": ["size: 50 piece set"], "instruction_attributes": ["gift basket"], "instruction_options": ["50 piece set"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7H8HL2", "worker_id": "A19317A3X87NVM"}], "B01D0DY4B4": [{"asin": "B01D0DY4B4", "instruction": "i'm looking for low-fat, hot and spicy beef jerky that's also high in protein.", "attributes": ["old fashioned", "low fat", "high protein"], "options": ["flavor name: hot", "size: 7.5"], "instruction_attributes": ["low fat", "high protein"], "instruction_options": ["hot"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXT5RV5O", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01D0DY4B4", "instruction": "i'd like to find a 3-ounce pack of whiskey barbeque flavored beef jerky. i'm on a diet, so the jerky needs to be low fat.", "attributes": ["old fashioned", "low fat", "high protein"], "options": ["flavor name: whiskey barbecue", "size: 3 ounce (pack of 1)"], "instruction_attributes": ["low fat"], "instruction_options": ["whiskey barbecue", "3 ounce (pack of 1)"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGY8DHDT", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01D0DY4B4", "instruction": "i would like a black pepper 3 ounce bag of jerky that's high protein.", "attributes": ["old fashioned", "low fat", "high protein"], "options": ["flavor name: black pepper", "size: 3 ounce (pack of 1)"], "instruction_attributes": ["high protein"], "instruction_options": ["black pepper", "3 ounce (pack of 1)"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH155AWH6", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01D0DY4B4", "instruction": "i want to order some low fat whiskey barbecue jerky. look for the three pack.", "attributes": ["old fashioned", "low fat", "high protein"], "options": ["flavor name: whiskey barbecue", "size: 3 ounce (pack of 3)"], "instruction_attributes": ["low fat"], "instruction_options": ["whiskey barbecue", "3 ounce (pack of 3)"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNDN102", "worker_id": "AR9AU5FY1S3RO"}], "B09SFYKXD4": [{"asin": "B09SFYKXD4", "instruction": "i'm looking for a gray faux fur height adjustable vanity chair with gold round base for a study room dorm.", "attributes": ["height adjustable", "white item"], "options": ["color: grey"], "instruction_attributes": ["height adjustable"], "instruction_options": ["grey"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EAS9S2K", "worker_id": "A37XVDGVAEI7F"}], "B08GFKXBF9": [{"asin": "B08GFKXBF9", "instruction": "i am looking for a mist water bottle in white color with leak proof. also delivery fine mist", "attributes": ["leak proof", "fine mist", "hair salon"], "options": ["color: white", "size: 10 oz"], "instruction_attributes": ["leak proof", "fine mist"], "instruction_options": ["white"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9EGTEF", "worker_id": "A2HMEGTAFO0CS8"}], "B09DCNHNFH": [{"asin": "B09DCNHNFH", "instruction": "looking for a soft fleece blanket 50\"x60\" that is super soft and machine washable. color 8.", "attributes": ["super soft", "machine washable"], "options": ["color: color8"], "instruction_attributes": ["super soft", "machine washable"], "instruction_options": ["color8"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8W3A5H", "worker_id": "A3RGIKEI8JS2QG"}], "B07P5G65HR": [{"asin": "B07P5G65HR", "instruction": "i want to find a 3 foot by 3 foot wine rack that i can mount on my wall. it must be easy to install as well.", "attributes": ["wall mounted", "easy install"], "options": ["size: 3 foot 3 deep"], "instruction_attributes": ["wall mounted", "easy install"], "instruction_options": ["3 foot 3 deep"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5C9X6A", "worker_id": "A345TDMHP3DQ3G"}], "B06XRXLN77": [{"asin": "B06XRXLN77", "instruction": "i'm looking for pale blush living room window drapes, 2 panel set measuring 108\" x 84\"", "attributes": ["machine washable", "white item", "printing technology", "living room"], "options": ["color: pale blush", "size: 108\" x 84\""], "instruction_attributes": ["living room"], "instruction_options": ["pale blush"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBPRYAOC", "worker_id": "A292TFDMNVS0TP"}], "B0794VBL18": [{"asin": "B0794VBL18", "instruction": "i need a purple body brush for sensitive, dry skin.", "attributes": ["bpa free", "eco friendly", "non slip", "dry skin", "sensitive skin"], "options": ["color: purple"], "instruction_attributes": ["dry skin", "sensitive skin"], "instruction_options": ["purple"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHKQ7BV", "worker_id": "A19317A3X87NVM"}], "B09R9ZC859": [{"asin": "B09R9ZC859", "instruction": "i need a manual toothbrush for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: #10"], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPVTDQ5", "worker_id": "A19317A3X87NVM"}], "B09BQL3828": [{"asin": "B09BQL3828", "instruction": "i ned some hands free white earbuds.", "attributes": ["hands free", "stereo sound"], "options": ["color: white"], "instruction_attributes": ["hands free"], "instruction_options": ["white"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VLTGFH", "worker_id": "A19317A3X87NVM"}], "B07FYL95K5": [{"asin": "B07FYL95K5", "instruction": "i need an alcohol free face mist in peppermint scent.", "attributes": ["alcohol free", "long lasting"], "options": ["scent: peppermint", "size: 4 fl oz (pack of 1)"], "instruction_attributes": ["alcohol free"], "instruction_options": ["peppermint"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2YS9VIC", "worker_id": "A19317A3X87NVM"}, {"asin": "B07FYL95K5", "instruction": "i want a fragrance and alcohol free tropical waters rose water face mist make up setting spray.", "attributes": ["alcohol free", "long lasting"], "options": ["scent: fragrance-free", "size: 8 fl oz (pack of 1)"], "instruction_attributes": ["alcohol free"], "instruction_options": ["fragrance-free"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFF2VMT", "worker_id": "A2RBF3IIJP15IH"}], "B09QG85ZGK": [{"asin": "B09QG85ZGK", "instruction": "i need a metal framed dining room stool with a pink center.", "attributes": ["high density", "metal legs", "dining room", "living room"], "options": ["color: pink", "size: 25.6inch"], "instruction_attributes": ["metal legs", "dining room"], "instruction_options": ["pink"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTEYWX6", "worker_id": "A19317A3X87NVM"}], "B00CD24MXO": [{"asin": "B00CD24MXO", "instruction": "i'm looking for dental picks with no break & no shred floss, count should be 150 & with pack of 6", "attributes": ["oral hygiene", "bad breath"], "options": ["size: pack of 6", "style: 90 count"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["pack of 6"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJY9GRGZ", "worker_id": "A3D6VE1HYFEP9Z"}, {"asin": "B00CD24MXO", "instruction": "i'm looking for oral hygiene because the bad breath affect our whole body.", "attributes": ["oral hygiene", "bad breath"], "options": ["size: 75 count (pack of 3)", "style: 20 count"], "instruction_attributes": ["oral hygiene", "bad breath"], "instruction_options": ["75 count (pack of 3)"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EECWS8", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00CD24MXO", "instruction": "i'm looking for oral hygiene its prevention of bad breathe.", "attributes": ["oral hygiene", "bad breath"], "options": ["size: 90 count (pack of 1)", "style: 75 count"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746Y4TBE", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00CD24MXO", "instruction": "i want a 6 pack of dentek triple clean floss picks for bad breath.", "attributes": ["oral hygiene", "bad breath"], "options": ["size: pack of 6", "style: 150 count"], "instruction_attributes": ["bad breath"], "instruction_options": ["pack of 6"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSVOLGS", "worker_id": "A2RBF3IIJP15IH"}], "B07FTC477C": [{"asin": "B07FTC477C", "instruction": "i need the yongquiang 26\" set of 4 metal bar height stools in black. i want the ones for a dining room.", "attributes": ["space saving", "assembly required", "dining room"], "options": ["color: black", "size: 26 inch"], "instruction_attributes": ["dining room"], "instruction_options": ["black", "26 inch"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7HNHLH", "worker_id": "A1CB72B51L7TKE"}], "B09RGT38YF": [{"asin": "B09RGT38YF", "instruction": "na", "attributes": ["day comfort", "moisture wicking", "fashion design"], "options": ["color: black", "size: medium"], "instruction_attributes": ["day comfort"], "instruction_options": ["medium"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFGN5BGY", "worker_id": "A1EI8Z972FIFJ3"}], "B09Q8LKKKY": [{"asin": "B09Q8LKKKY", "instruction": "find me a gray men's button down work shirt that is machine washable but also gives me some tummy control. size x-large.", "attributes": ["loose fit", "daily casual", "winter warm", "slim fit", "machine wash", "long sleeve", "short sleeve", "drawstring waist", "tummy control", "high waist", "everyday wear", "daily wear"], "options": ["color: gray", "size: x-large"], "instruction_attributes": ["machine wash", "tummy control"], "instruction_options": ["gray", "x-large"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7I35PS", "worker_id": "A36LOA6VLJU157"}], "B08NF5JL3F": [{"asin": "B08NF5JL3F", "instruction": "find me 150 ml wella professional oil free hair color with the pink style.", "attributes": ["oil free", "argan oil"], "options": ["style: pink"], "instruction_attributes": ["oil free"], "instruction_options": ["pink"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YB4T82", "worker_id": "A258PTOZ3D2TQR"}], "B09Q6B2LPG": [{"asin": "B09Q6B2LPG", "instruction": "i'd like to find a large pink tankini swimsuit that's loose-fitting.", "attributes": ["loose fit", "machine wash", "drawstring closure", "elastic waistband"], "options": ["color: pink-5", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["pink-5", "large"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATST73K", "worker_id": "A345TDMHP3DQ3G"}], "B07W57ZT82": [{"asin": "B07W57ZT82", "instruction": "i am looking for a mattress that gives me core support and is medium plush. i want an 8\" twin xl sized one.", "attributes": ["high density", "memory foam"], "options": ["size: cal_king"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI3VSDBT", "worker_id": "A1NF6PELRKACS9"}], "B08D6RRSB4": [{"asin": "B08D6RRSB4", "instruction": "i'd like help finding a pack of 500 wooden wax sticks that i can use for hair removal.", "attributes": ["eco friendly", "hair removal"], "options": ["size: pack of 500"], "instruction_attributes": ["hair removal"], "instruction_options": ["pack of 500"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AU433RV", "worker_id": "A345TDMHP3DQ3G"}], "B07KYZ93SL": [{"asin": "B07KYZ93SL", "instruction": "show me a 3x large sized machine washable boxer brief made with polyester spandex in black color.", "attributes": ["wash cold", "machine wash", "elastic waistband", "polyester spandex", "tumble dry"], "options": ["color: black | team red | team blue", "size: 3x-large"], "instruction_attributes": ["machine wash", "polyester spandex"], "instruction_options": ["black | team red | team blue", "3x-large"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6F3PD3C", "worker_id": "A3AYHESLQSDY5T"}], "B0933C4F8L": [{"asin": "B0933C4F8L", "instruction": "i need some baked breadcrumbs in a classic french flavor.", "attributes": ["baked fresh", "0g trans", "dietary fiber"], "options": ["flavor name: classic french", "size: 2 pack"], "instruction_attributes": ["baked fresh"], "instruction_options": ["classic french"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RL27W5", "worker_id": "A19317A3X87NVM"}], "B001KYRLIO": [{"asin": "B001KYRLIO", "instruction": "i would like to have a n6 honey beige and oil free liquid foundation suitable for fine lines and sold on pack of 2 with 1fl oz each.", "attributes": ["oil free", "fine lines"], "options": ["color: n6 honey beige", "size: 1 fl oz (pack of 2)"], "instruction_attributes": ["oil free", "fine lines"], "instruction_options": ["n6 honey beige", "1 fl oz (pack of 2)"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PCPKNI0", "worker_id": "A182YKPS46KE9F"}, {"asin": "B001KYRLIO", "instruction": "i am looking for a oil free c3 creamy natural color face foundation.", "attributes": ["oil free", "fine lines"], "options": ["color: c3 creamy natural", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["c3 creamy natural"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBFIHGM", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B001KYRLIO", "instruction": "i'm looking for foundation make up by l\u00f3real. i want oil free liquid foundation. my color is w1 porcelain. check for pack of 1 in stock.", "attributes": ["oil free", "fine lines"], "options": ["color: w1 porcelain", "size: 1 count (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["w1 porcelain"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TWISUI", "worker_id": "A15IJ20C3R4HUO"}], "B07HJG6NMR": [{"asin": "B07HJG6NMR", "instruction": "i'd like to find a digital camera that's water resistant. the color needs to be graphite silver and i want the configuration to be the international version.", "attributes": ["certified refurbished", "water resistant", "high performance"], "options": ["color: graphite silver", "configuration: international version"], "instruction_attributes": ["water resistant"], "instruction_options": ["graphite silver", "international version"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJ7XZ8V", "worker_id": "A345TDMHP3DQ3G"}], "B09R6KC45H": [{"asin": "B09R6KC45H", "instruction": "i am looking for hair dry shampoo ammonia free ,chestnut brown", "attributes": ["argan oil", "hair dye"], "options": ["color: chestnut brown"], "instruction_attributes": ["hair dye"], "instruction_options": ["chestnut brown"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQD5HIF", "worker_id": "A3N9ZYQAESNFQH"}], "B09L41ZP46": [{"asin": "B09L41ZP46", "instruction": "i'm looking for a mid century home office desk chair that is easy to assemble. please choose the grey velvet one.", "attributes": ["height adjustable", "mid century", "easy assemble", "metal legs"], "options": ["color: grey"], "instruction_attributes": ["mid century", "easy assemble"], "instruction_options": ["grey"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2DJM54", "worker_id": "A3LIIE572Z4OG7"}], "B09FHNYL3T": [{"asin": "B09FHNYL3T", "instruction": "i want to find white scented candles that are eco-friendly and made of soy wax.", "attributes": ["eco friendly", "soy wax"], "options": ["color: white"], "instruction_attributes": ["eco friendly", "soy wax"], "instruction_options": ["white"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1V0U9Q", "worker_id": "A345TDMHP3DQ3G"}], "B08J4GBZB3": [{"asin": "B08J4GBZB3", "instruction": "i want to get a 9-pack of veggie lasagna entrees that are easy to prepare and high in protein.", "attributes": ["easy prepare", "shelf stable", "low calorie", "high protein"], "options": ["flavor: vegetable lasagna", "size: 9 pack"], "instruction_attributes": ["easy prepare", "high protein"], "instruction_options": ["vegetable lasagna", "9 pack"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXT6QV5P", "worker_id": "A345TDMHP3DQ3G"}], "B000UV4KUK": [{"asin": "B000UV4KUK", "instruction": "i'm looking for men's kiltie dress loafers with leather sole and rubber heel. also, choose the black and brown option in a size 11 narrow.", "attributes": ["leather sole", "rubber sole"], "options": ["color: black | brown", "size: 11 narrow"], "instruction_attributes": [], "instruction_options": ["black | brown", "11 narrow"], "assignment_id": "3HPZF4IVNX3FW186JO133U5134PYCK", "worker_id": "A1TWVJS27CL3KT"}], "B083X5CPXN": [{"asin": "B083X5CPXN", "instruction": "i need a spread dress shirt with a slim fit in the color blue, and it needs to be available for machine wash.", "attributes": ["slim fit", "machine wash", "stretch fabric", "cotton spandex", "button closure"], "options": ["collar style: spread", "color: petrol blue", "size: 18.5\" neck 36\"-37\" sleeve"], "instruction_attributes": ["slim fit", "machine wash"], "instruction_options": ["spread", "petrol blue"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H79SOBU", "worker_id": "A19317A3X87NVM"}], "B09PD2MFGN": [{"asin": "B09PD2MFGN", "instruction": "i'm looking for a long handle stainless steel nail clipper set with color 8592 black", "attributes": ["non slip", "easy clean", "long handle", "stainless steel"], "options": ["color: 8592 black"], "instruction_attributes": ["long handle", "stainless steel"], "instruction_options": [], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWYGFNR", "worker_id": "A258PTOZ3D2TQR"}], "B083M11BV8": [{"asin": "B083M11BV8", "instruction": "i need some easy to apply body glitter for halloween.", "attributes": ["easy apply", "long lasting"], "options": [""], "instruction_attributes": ["easy apply"], "instruction_options": [], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2MA53F", "worker_id": "A19317A3X87NVM"}], "B08BV21ZG2": [{"asin": "B08BV21ZG2", "instruction": "can you help me find organic chicken broth that is gluten free and contains high protein? i'm looking for a pack of 2 pound.", "attributes": ["gluten free", "low calorie", "certified organic", "high protein", "quality ingredients"], "options": ["flavor name: variety", "size: 2 pound (pack of 1)"], "instruction_attributes": ["gluten free", "certified organic", "high protein"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5B45FB", "worker_id": "A1198W1SPF1R4"}], "B09P58FMJY": [{"asin": "B09P58FMJY", "instruction": "i need a heavy duty dust proof tempered glass for iphone 13 pro max 6.7 inch and its size is case+4 protectors with redblack color", "attributes": ["heavy duty", "dust proof", "non slip", "easy install", "glass screen", "tempered glass"], "options": ["color: redblack", "size: case+4 protectors"], "instruction_attributes": ["heavy duty", "dust proof"], "instruction_options": ["redblack"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTFGWXQ", "worker_id": "A258PTOZ3D2TQR"}], "B07K8728Y5": [{"asin": "B07K8728Y5", "instruction": "i'd like to find dark black faux dreadlock extenders. ideally they'll come 10 to a pack and i want two packs.", "attributes": ["easy apply", "high quality"], "options": ["color: faux locs-dark black", "size: 10 count (pack of 2)"], "instruction_attributes": ["easy apply"], "instruction_options": ["faux locs-dark black", "10 count (pack of 2)"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQVU0N9", "worker_id": "A345TDMHP3DQ3G"}], "B09776JNLW": [{"asin": "B09776JNLW", "instruction": "i'm looking for blue slip-on women's fashion sneakers in a size 7, and they must feature good arch support.", "attributes": ["open toe", "arch support", "ankle strap", "high heel", "closed toe"], "options": ["color: d-blue", "size: 7"], "instruction_attributes": ["arch support"], "instruction_options": ["d-blue", "7"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HO2EMLL", "worker_id": "A345TDMHP3DQ3G"}], "B07X8RMCVW": [{"asin": "B07X8RMCVW", "instruction": "i need a bag of valentine day candies full of 25 units.", "attributes": ["hand crafted", "artificial flavors", "valentine day"], "options": ["size: 25"], "instruction_attributes": ["valentine day"], "instruction_options": ["25"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR4TCUFZ", "worker_id": "A19317A3X87NVM"}], "B084FWQF1F": [{"asin": "B084FWQF1F", "instruction": "i want to find a pair of white and thyme men's blaster pants with an elastic waistband. the size needs to be 5x-large.", "attributes": ["machine wash", "elastic closure", "elastic waistband", "regular fit"], "options": ["color: thyme | white", "size: 5x-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["thyme | white", "5x-large"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDF913V7", "worker_id": "A345TDMHP3DQ3G"}], "B07ZCKGHHY": [{"asin": "B07ZCKGHHY", "instruction": "i want to buy a photography background that is lightweight and 9x6 ft..", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 9x6ft"], "instruction_attributes": ["light weight"], "instruction_options": ["9x6ft"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BICV48P", "worker_id": "A2YNPKYEFDZ6C9"}], "B09NBSNLFH": [{"asin": "B09NBSNLFH", "instruction": "i need a pair of high quality black hair clippers.", "attributes": ["high quality", "non slip", "easy use", "hair extensions", "hair styling"], "options": ["color: black", "size: 14 inch (pack of 1)"], "instruction_attributes": ["high quality"], "instruction_options": ["black"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2IX943", "worker_id": "A19317A3X87NVM"}], "B07CHWMXJS": [{"asin": "B07CHWMXJS", "instruction": "i am looking for a red area rug, 9 by 12 feet, that i can put in the living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: red | multi", "item shape: square", "size: 9 ft x 12 ft"], "instruction_attributes": ["living room"], "instruction_options": ["red | multi", "9 ft x 12 ft"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6Q55GB", "worker_id": "A22VGT2F28LTWC"}], "B09D9JJ5FX": [{"asin": "B09D9JJ5FX", "instruction": "i want to find a natural-colored twin-sized kids' bed that's easy to assemble.", "attributes": ["twin size", "easy assemble"], "options": ["color: natural"], "instruction_attributes": ["twin size", "easy assemble"], "instruction_options": ["natural"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40G0RCZ", "worker_id": "A345TDMHP3DQ3G"}], "B093D27QC3": [{"asin": "B093D27QC3", "instruction": "i'm looking for a birthday cake topper that i can use for a party.", "attributes": ["birthday party", "birthday cake", "perfect gift", "baby shower"], "options": [""], "instruction_attributes": ["birthday party", "birthday cake"], "instruction_options": [], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P7P1SVP", "worker_id": "A345TDMHP3DQ3G"}], "B09SLD687X": [{"asin": "B09SLD687X", "instruction": "i want to find a pair of yellow high heeled stilettos with ankle straps, in a size 8.5.", "attributes": ["arch support", "leather sole", "ankle strap", "memory foam"], "options": ["color: fada-076-yellow", "size: 8.5"], "instruction_attributes": ["arch support"], "instruction_options": [], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0U083AG", "worker_id": "A345TDMHP3DQ3G"}], "B08QHVV16X": [{"asin": "B08QHVV16X", "instruction": "i need a black colored birthday party cupcake topper.", "attributes": ["cupcake picks", "birthday party"], "options": ["color: black"], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": ["black"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4V36R2", "worker_id": "A19317A3X87NVM"}], "B09Q8WKXVC": [{"asin": "B09Q8WKXVC", "instruction": "i am looking for a full wood, white king size bed frame with headboard.", "attributes": ["solid wood", "king size"], "options": ["color: wthite", "size: full wood"], "instruction_attributes": ["king size"], "instruction_options": ["wthite", "full wood"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNHVH82", "worker_id": "A114NK7T5673GK"}], "B08SMGVNJP": [{"asin": "B08SMGVNJP", "instruction": "i'm looking for a tongue scraper for adult and children for a oral hygiene and a fresh breath with 4pcs", "attributes": ["high quality", "stainless steel", "bad breath", "oral hygiene", "fresh breath"], "options": ["color: \uff084pcs\uff09"], "instruction_attributes": ["oral hygiene", "fresh breath"], "instruction_options": ["\uff084pcs\uff09"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5F84F4", "worker_id": "A2Y2TURT2VEYZN"}], "B07ZJNB6T7": [{"asin": "B07ZJNB6T7", "instruction": "i would like to get some high protein beef jerky in the resealable bag in original flavoring.", "attributes": ["protein serving", "low calorie", "high protein", "0g trans", "resealable bag"], "options": ["flavor name: original"], "instruction_attributes": ["high protein", "resealable bag"], "instruction_options": ["original"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2HF49E", "worker_id": "AIIOT9A7ARQZW"}], "B09R7Z4B3N": [{"asin": "B09R7Z4B3N", "instruction": "i'm looking for the block striped t shirts for women in loose fit and long sleeve. i need the 1/4 zipper collared in 3x-large in the gxfc-s330-white color.", "attributes": ["quick drying", "machine washable", "loose fit", "long sleeve", "arch support", "short sleeve", "laundry bag", "daily wear"], "options": ["color: gxfc-s330-white", "size: 3x-large"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["gxfc-s330-white", "3x-large"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXT67V56", "worker_id": "A1CB72B51L7TKE"}], "B09KC85389": [{"asin": "B09KC85389", "instruction": "i need a height adjustable swivel chair with lumbar support for gaming. i would like it in grey.", "attributes": ["height adjustable", "long lasting", "easy assemble", "pu leather", "lumbar support"], "options": ["color: grey", "style: fixed armrest"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": ["grey"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PCPUIN5", "worker_id": "A1NF6PELRKACS9"}], "B09NF1722F": [{"asin": "B09NF1722F", "instruction": "i am looking for toyota corolla android dash navigation with bt, wifi mirror link, fm , backup camera, 8 inch touch display, models can from 2006 - 2012", "attributes": ["hands free", "plug play", "high speed", "quad core", "tempered glass", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOY9LL5", "worker_id": "AUJBZFT6JM16L"}], "B075F5CV2W": [{"asin": "B075F5CV2W", "instruction": "i need a mouse colored ottoman in a contemporary design.", "attributes": ["long lasting", "assembly required", "contemporary design"], "options": ["color: mouse"], "instruction_attributes": ["contemporary design"], "instruction_options": ["mouse"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2YSBIV1", "worker_id": "A19317A3X87NVM"}], "B07MCN1NGK": [{"asin": "B07MCN1NGK", "instruction": "i am looking for women's active pants for walking. also, choose the medium size.", "attributes": ["machine wash", "nylon spandex"], "options": ["color: balsam", "size: medium"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["balsam", "medium"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P7P0SVO", "worker_id": "A2Z8N4TQ3ELICA"}], "B084VP13PN": [{"asin": "B084VP13PN", "instruction": "i'm looking for a high resolution wireless headphones with charging case, earphones should be in-ear, built-in mic, easy-pair, voice control sports and gaming earbuds. also choose the black one.", "attributes": ["high resolution", "stereo sound"], "options": [""], "instruction_attributes": ["high resolution"], "instruction_options": [], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIGOTML", "worker_id": "A3D6VE1HYFEP9Z"}], "B08XX18DKL": [{"asin": "B08XX18DKL", "instruction": "i'm looking for a silver radio antenna that's made of carbon fiber.", "attributes": ["long lasting", "carbon fiber"], "options": ["color: silver"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["silver"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGY8LHD1", "worker_id": "A345TDMHP3DQ3G"}], "B09HGYZD76": [{"asin": "B09HGYZD76", "instruction": "i'm looking for a white, pu leather office chair that offers good lumbar support.", "attributes": ["lumbar support", "pu leather"], "options": ["color: white"], "instruction_attributes": ["lumbar support", "pu leather"], "instruction_options": ["white"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7IEYQB", "worker_id": "AFU00NU09CFXE"}], "B09QHPGM14": [{"asin": "B09QHPGM14", "instruction": "i need some purple eye shadow brushes for easy application.", "attributes": ["high quality", "easy apply", "easy carry", "eye shadow"], "options": ["color: purple"], "instruction_attributes": ["easy apply", "eye shadow"], "instruction_options": ["purple"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEGZUU6", "worker_id": "A19317A3X87NVM"}], "B093L4HYR1": [{"asin": "B093L4HYR1", "instruction": "i am looking for a laundry bag in medium size", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFZOU56", "worker_id": "A2HMEGTAFO0CS8"}], "B073SZHTVT": [{"asin": "B073SZHTVT", "instruction": "i need an easy to use carbon fiber tripod.", "attributes": ["easy use", "carbon fiber"], "options": ["size: 75mm", "style: carbon fiber tripod"], "instruction_attributes": ["easy use"], "instruction_options": ["carbon fiber tripod"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EASJS2U", "worker_id": "A19317A3X87NVM"}], "B0797MJB63": [{"asin": "B0797MJB63", "instruction": "i want to find a super soft 50x80 inch throw that i can leave in my living room.", "attributes": ["super soft", "machine washable", "exquisite workmanship", "living room"], "options": ["size: 50x80inch"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["50x80inch"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N35FRY6", "worker_id": "A345TDMHP3DQ3G"}], "B09KC4Q2RH": [{"asin": "B09KC4Q2RH", "instruction": "i'm looking for a carrying case for hair cutting accessories.", "attributes": ["easy carry", "hair cutting"], "options": [""], "instruction_attributes": ["easy carry", "hair cutting"], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X02QD346", "worker_id": "A1TWVJS27CL3KT"}], "B07XC5LJV1": [{"asin": "B07XC5LJV1", "instruction": "i need a core i5 desktop tower.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K733N5F", "worker_id": "A19317A3X87NVM"}], "B01LN63SUI": [{"asin": "B01LN63SUI", "instruction": "i'm looking to get a pack of 24 cans of the starkist white tuna that's packed in water.", "attributes": ["low sodium", "wild caught", "soy free", "gluten free"], "options": ["flavor name: albacore in water", "size: 5 ounce (pack of 4)"], "instruction_attributes": ["low sodium"], "instruction_options": ["albacore in water"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RUPGLRB", "worker_id": "A1GC6CN3F0IHWN"}, {"asin": "B01LN63SUI", "instruction": "i am interested in acquiring tuna which is wild caught, and has low sodium, while it has a flavor of albacore in oil and it's in a pack of 8 of 5 ounces.", "attributes": ["low sodium", "wild caught", "soy free", "gluten free"], "options": ["flavor name: albacore in oil", "size: 5 ounce (pack of 8)"], "instruction_attributes": ["low sodium", "wild caught"], "instruction_options": ["albacore in oil", "5 ounce (pack of 8)"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AMVUYP", "worker_id": "AJY5G987IRT25"}], "B08RHWNKCH": [{"asin": "B08RHWNKCH", "instruction": "i need an accessory for the ultra hd system.", "attributes": ["ultra hd", "high speed"], "options": [""], "instruction_attributes": ["ultra hd"], "instruction_options": [], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1WNYG0", "worker_id": "A19317A3X87NVM"}], "B07FLHLBT4": [{"asin": "B07FLHLBT4", "instruction": "i'd like to find a 10-pack of black usb flash drives that can store 512 megabytes of data. the usbs must be easy to carry and use.", "attributes": ["easy carry", "plug play", "easy use"], "options": ["color: black", "size: 512mb"], "instruction_attributes": ["easy carry", "easy use"], "instruction_options": ["black", "512mb"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9TON81", "worker_id": "A345TDMHP3DQ3G"}], "B08KGHJFXT": [{"asin": "B08KGHJFXT", "instruction": "i am looking for high quality and freshed baked desserts, please include the corn muffins as well.", "attributes": ["kosher certified", "individually wrapped", "baked fresh", "quality ingredients"], "options": ["flavor: corn muffins"], "instruction_attributes": ["baked fresh", "quality ingredients"], "instruction_options": ["corn muffins"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVLX3X0", "worker_id": "A3VPD34C23PQTQ"}], "B07Y7T3WGZ": [{"asin": "B07Y7T3WGZ", "instruction": "i want to find some casual black women's penny loafers. i wear a size 9 and need good arch support!", "attributes": ["anti slip", "arch support", "rubber outsole", "rubber sole"], "options": ["color: black", "size: 9"], "instruction_attributes": ["arch support"], "instruction_options": ["black", "9"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMB9W9P", "worker_id": "A345TDMHP3DQ3G"}], "B08QJL3F1N": [{"asin": "B08QJL3F1N", "instruction": "i need a hand wash blue jump suit for daily wear.", "attributes": ["hand wash", "butt lifting", "wash cold", "long sleeve", "daily wear"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["hand wash", "daily wear"], "instruction_options": ["blue"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFGN8BG1", "worker_id": "A19317A3X87NVM"}], "B00KKSAWG4": [{"asin": "B00KKSAWG4", "instruction": "i'm looking for a heavy duty barstool with a steel frame in a natural maple color.", "attributes": ["heavy duty", "coated steel", "steel frame"], "options": ["color: natural maple"], "instruction_attributes": ["heavy duty", "steel frame"], "instruction_options": ["natural maple"], "assignment_id": "32SCWG5HISEW7674IASH43KF3C06PT", "worker_id": "AFU00NU09CFXE"}, {"asin": "B00KKSAWG4", "instruction": "i want to find a heavy duty bar stool that is rein bay colored.", "attributes": ["heavy duty", "coated steel", "steel frame"], "options": ["color: rein bay"], "instruction_attributes": ["heavy duty"], "instruction_options": ["rein bay"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFDC5UX", "worker_id": "A345TDMHP3DQ3G"}], "B09KH7MCD1": [{"asin": "B09KH7MCD1", "instruction": "i am looking forward to buy a high speed, high definition mini pc with windows 10 pro equip with intel celeron", "attributes": ["wall mounted", "dual band", "high speed", "high definition", "quad core"], "options": ["color: 8+256 | celeron j4125"], "instruction_attributes": ["high speed", "high definition"], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X02P343V", "worker_id": "A1RQN6MIJOU5DY"}], "B08ZCRXBP2": [{"asin": "B08ZCRXBP2", "instruction": "i want to find a pink 10-inch android touch tablet with a quad core processor.", "attributes": ["easy carry", "quad core"], "options": ["color: pink"], "instruction_attributes": ["quad core"], "instruction_options": ["pink"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6RJG52", "worker_id": "A345TDMHP3DQ3G"}], "B009089FP4": [{"asin": "B009089FP4", "instruction": "i want a variety pack of fat free apple mango real fruit bars. i want a 12 pack.", "attributes": ["non gmo", "nut free", "fat free", "soy free", "gluten free", "real fruit"], "options": ["flavor name: variety"], "instruction_attributes": ["fat free"], "instruction_options": ["variety"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4L1YX8", "worker_id": "A1CB72B51L7TKE"}, {"asin": "B009089FP4", "instruction": "i would like a fig fruit bar that is gluten and soy free.", "attributes": ["non gmo", "nut free", "fat free", "soy free", "gluten free", "real fruit"], "options": ["flavor name: fig"], "instruction_attributes": ["soy free", "gluten free"], "instruction_options": ["fig"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQV25BJ", "worker_id": "A1WS884SI0SLO4"}], "B08L8LGMG3": [{"asin": "B08L8LGMG3", "instruction": "i'd like to find a medium-sized, long-sleeve women's maternity gown that's purple.", "attributes": ["slim fit", "long sleeve", "stretch fabric", "comfortable fit"], "options": ["color: purple", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["purple", "medium"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLARKR82", "worker_id": "A345TDMHP3DQ3G"}], "B07VYJMDHT": [{"asin": "B07VYJMDHT", "instruction": "na", "attributes": ["steel frame", "storage space"], "options": ["color: black oak", "size: large"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHZRBN6", "worker_id": "A1EI8Z972FIFJ3"}], "B08234W29V": [{"asin": "B08234W29V", "instruction": "i want to find usda organic tomato basil marinara sauce. ideally i want a pack of three 1.5 pound jars.", "attributes": ["usda organic", "non gmo", "gluten free", "low calorie", "low carb"], "options": ["flavor name: marinara", "size: 1.5 pound (pack of 3)"], "instruction_attributes": ["usda organic"], "instruction_options": ["marinara", "1.5 pound (pack of 3)"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYM3UIZE", "worker_id": "A345TDMHP3DQ3G"}], "B09BBDPRC3": [{"asin": "B09BBDPRC3", "instruction": "i need some long-lasting snowboots with no slip soles in size 7.5 and the color black.", "attributes": ["long lasting", "anti slip", "non slip"], "options": ["color: a-black", "size: 7.5"], "instruction_attributes": ["long lasting", "non slip"], "instruction_options": ["a-black", "7.5"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMYBXDH", "worker_id": "A19317A3X87NVM"}], "B07CQT3D7T": [{"asin": "B07CQT3D7T", "instruction": "i'm looking for a pair of women's casual moccasin flats with rubber soles. i wear a size 8 and prefer the color champagne.", "attributes": ["rubber sole", "fashion design"], "options": ["color: champagne.2", "size: 8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["champagne.2", "8"], "assignment_id": "3G2UL9A02OO71034MOY04HTU3JN67H", "worker_id": "A345TDMHP3DQ3G"}], "B09PBMC8S3": [{"asin": "B09PBMC8S3", "instruction": "i'm looking for a women ladies cross angle strap roman slides sandal of size 9 and black color", "attributes": ["non slip", "soft material", "ankle strap", "rubber outsole", "rubber sole"], "options": ["color: black", "size: 9 wide"], "instruction_attributes": ["ankle strap"], "instruction_options": ["black", "9 wide"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LT1ER5", "worker_id": "A258PTOZ3D2TQR"}], "B01LYL5CZL": [{"asin": "B01LYL5CZL", "instruction": "i need an omega-3 deluxe mix with artificial ingredients in a resealable bag.", "attributes": ["artificial ingredients", "resealable bag"], "options": ["flavor name: omega-3 deluxe mix", "size: 1.2 ounce (pack of 7)"], "instruction_attributes": ["artificial ingredients", "resealable bag"], "instruction_options": ["omega-3 deluxe mix"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQ6931Z", "worker_id": "A19317A3X87NVM"}, {"asin": "B01LYL5CZL", "instruction": "i'm looking for a snack called nature's garden, it's a heart healthy trail mix in single servings. it should be a 7 count 1.2-ounce package that weights 8.4 ounces.", "attributes": ["artificial ingredients", "resealable bag"], "options": ["flavor name: berry nutty mix", "size: 1.2 ounce (pack of 24)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFFJ3EO", "worker_id": "ABYRAWL4BGD3C"}], "B09NVD3XLF": [{"asin": "B09NVD3XLF", "instruction": "i'm looking for high quality and long lasting microfiber massage table sheets set with a size 60x180cm(24x71inch). also choose the large one", "attributes": ["easy clean", "long lasting", "high quality"], "options": ["color: large", "size: 60x180cm(24x71inch)"], "instruction_attributes": ["long lasting", "high quality"], "instruction_options": ["large", "60x180cm(24x71inch)"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN218IFQR", "worker_id": "A258PTOZ3D2TQR"}], "B07TN3W1KX": [{"asin": "B07TN3W1KX", "instruction": "i need a 3 pack of ethique solid deodorant bar for men and women. i want the oil-free variety.", "attributes": ["eco friendly", "oil free", "sulfate free", "cruelty free", "coconut oil", "natural ingredients"], "options": ["scent: rustic", "size: 3 pack"], "instruction_attributes": ["oil free"], "instruction_options": ["3 pack"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VK3YWP", "worker_id": "A1CB72B51L7TKE"}], "B09KX8R3K1": [{"asin": "B09KX8R3K1", "instruction": "i want a green stool that would be suitable to use for a haircut at a beauty salon.", "attributes": ["beauty salon", "hair cutting"], "options": ["color: green"], "instruction_attributes": ["beauty salon", "hair cutting"], "instruction_options": ["green"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMJC3WS", "worker_id": "A345TDMHP3DQ3G"}], "B08Z4K991J": [{"asin": "B08Z4K991J", "instruction": "i need a high-performance tablet for dual-band wifi.", "attributes": ["dual band", "high performance", "core i5", "intel core"], "options": [""], "instruction_attributes": ["dual band", "high performance"], "instruction_options": [], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66BPFZ7", "worker_id": "A19317A3X87NVM"}], "B09NFQBBKJ": [{"asin": "B09NFQBBKJ", "instruction": "i want to find a pair of non-slip women's running shoes in a size 8. they need to have rubber soles and i want them in black and red.", "attributes": ["non slip", "rubber sole"], "options": ["color: black red b2", "size: 8 women | 6 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black red b2", "8 women | 6 men"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXHZ4OS", "worker_id": "A345TDMHP3DQ3G"}], "B07K1QXRM4": [{"asin": "B07K1QXRM4", "instruction": "i am looking for a dark spot solution serum without fragrance and paraben.", "attributes": ["dermatologist tested", "fragrance free", "paraben free"], "options": [""], "instruction_attributes": ["fragrance free", "paraben free"], "instruction_options": [], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EASS2SD", "worker_id": "A3QZMGTVA4VO44"}], "B07RXQWB3G": [{"asin": "B07RXQWB3G", "instruction": "i want to find a universal remote control replacement that comes with aaa batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "352YTHGRO6NQF252G9RXYWYALVL4H4", "worker_id": "A345TDMHP3DQ3G"}], "B01EMA3TX8": [{"asin": "B01EMA3TX8", "instruction": "i'm looking fo a large faux leather even path that's effective for dark circles also.choose the blue one.", "attributes": ["faux leather", "lumbar support", "steel frame"], "options": ["color: black", "size: pu faux leather"], "instruction_attributes": ["faux leather", "steel frame"], "instruction_options": ["black"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2M96GN", "worker_id": "A1OBVJEE06AOYQ"}], "B00GAQ2EG6": [{"asin": "B00GAQ2EG6", "instruction": "i need rich, creamy coconut biscuits.", "attributes": ["rich creamy", "artificial colors", "high fructose", "artificial flavors"], "options": ["flavor name: coconut", "size: 8.85 ounce (pack of 1)"], "instruction_attributes": ["rich creamy"], "instruction_options": ["coconut"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTX57WK5", "worker_id": "A19317A3X87NVM"}], "B09N1BWH8F": [{"asin": "B09N1BWH8F", "instruction": "i'm trying to find a tempered glass screen protector that i can use for my iphone 13 pro max.", "attributes": ["tempered glass", "glass screen"], "options": ["color: iphone 13 pro max"], "instruction_attributes": ["tempered glass", "glass screen"], "instruction_options": ["iphone 13 pro max"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSWWCW6", "worker_id": "A345TDMHP3DQ3G"}], "B085TCPF68": [{"asin": "B085TCPF68", "instruction": "i'm looking for a black phone case that is apple compatible with a black screen.", "attributes": ["compatible apple", "glass screen", "tempered glass"], "options": ["color: black", "size: 38 mm"], "instruction_attributes": ["compatible apple", "glass screen"], "instruction_options": ["black"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOIM39X", "worker_id": "A19317A3X87NVM"}, {"asin": "B085TCPF68", "instruction": "i need a smartwatch case that is apple compatible and is silver", "attributes": ["compatible apple", "glass screen", "tempered glass"], "options": ["color: silver", "size: 42 mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["silver"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB4ABQAV", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B085TCPF68", "instruction": "i want to buy case for apple watch which has tempered glass and is for rose pink color, and it's size should be 42 mm.", "attributes": ["compatible apple", "glass screen", "tempered glass"], "options": ["color: rose pink", "size: 42 mm"], "instruction_attributes": ["tempered glass"], "instruction_options": ["rose pink", "42 mm"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDRAHC4", "worker_id": "AJY5G987IRT25"}], "B09J2G581P": [{"asin": "B09J2G581P", "instruction": "i want 4 pcs of bpa free oral hygiene tongue scraper for fresh breath.", "attributes": ["bpa free", "double sided", "easy use", "fresh breath", "oral hygiene", "bad breath"], "options": [""], "instruction_attributes": ["bpa free", "fresh breath", "oral hygiene"], "instruction_options": [], "assignment_id": "3Z4AIRP3CHN69T8YYVQH3KF1X1U1XH", "worker_id": "A1V2C99HEV3F14"}], "B08FD5WHDX": [{"asin": "B08FD5WHDX", "instruction": "please help me find a pair of soft plush women's house shoes that would be cozy and warm for winter. my favorite color is khaki and i normally wear anywhere between a size 9.5 to a 10.5.", "attributes": ["non slip", "winter warm", "machine washable", "memory foam", "rubber sole"], "options": ["color: khaki", "size: 9.5-10.5"], "instruction_attributes": ["winter warm"], "instruction_options": ["khaki", "9.5-10.5"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUWX9R2", "worker_id": "A345TDMHP3DQ3G"}], "B095HZ9WQM": [{"asin": "B095HZ9WQM", "instruction": "i'm trying to find a 4-xl collegiate unc charlotte polo that is officially licensed.", "attributes": ["officially licensed", "machine washable", "everyday wear"], "options": ["color: university of north carolina at charlott...", "size: 4x-large"], "instruction_attributes": ["officially licensed"], "instruction_options": ["university of north carolina at charlott...", "4x-large"], "assignment_id": "33F859I56HNA01QBVO1K6A4GVNIBHX", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B095HZ9WQM", "instruction": "i'm looking for clothing it can use for machinable uses.", "attributes": ["officially licensed", "machine washable", "everyday wear"], "options": ["color: texas a&m university-corpus christi", "size: 4x-large"], "instruction_attributes": ["machine washable", "everyday wear"], "instruction_options": ["texas a&m university-corpus christi"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW79S8P", "worker_id": "A16IQOX0DK14OJ"}], "B0787KFYMJ": [{"asin": "B0787KFYMJ", "instruction": "i want some long-lasting snow boots with faux fur in black or khaki at size 7.5.", "attributes": ["long lasting", "faux fur", "rubber outsole", "rubber sole"], "options": ["color: black | khaki ii", "size: 7.5"], "instruction_attributes": ["long lasting", "faux fur"], "instruction_options": ["black | khaki ii", "7.5"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU482NZYPT", "worker_id": "A19317A3X87NVM"}], "B07WHCJRVF": [{"asin": "B07WHCJRVF", "instruction": "i'm looking for a 70cm wall mounted mirror for bathroom", "attributes": ["wall mounted", "living room"], "options": ["size: 70cm"], "instruction_attributes": ["wall mounted"], "instruction_options": ["70cm"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZWNPA1", "worker_id": "A9QRQL9CFJBI7"}], "B005Z6LGYS": [{"asin": "B005Z6LGYS", "instruction": "i need some high fructose citrus tonic water.", "attributes": ["high fructose", "natural ingredients"], "options": ["flavor name: citrus", "size: 16.9 fl oz (pack of 1)"], "instruction_attributes": ["high fructose"], "instruction_options": ["citrus"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PVOUBL", "worker_id": "A19317A3X87NVM"}], "B093KLFGVH": [{"asin": "B093KLFGVH", "instruction": "i'm looking for blouse hosiery travel laundry bag set of 2 mesh", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZG5V2WZ", "worker_id": "A258PTOZ3D2TQR"}], "B07TLBM7DJ": [{"asin": "B07TLBM7DJ", "instruction": "i need a pack of fine line remover.", "attributes": ["hyaluronic acid", "fine lines"], "options": ["size: 1 count (pack of 1)"], "instruction_attributes": ["fine lines"], "instruction_options": ["1 count (pack of 1)"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLK7AVQ", "worker_id": "A19317A3X87NVM"}], "B09GZR1GT6": [{"asin": "B09GZR1GT6", "instruction": "i want to find some spray that i can use to treat hot flashes, and it should be suitable for sensitive skin.", "attributes": ["dermatologist tested", "easy use", "dry skin", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0IIRRM", "worker_id": "A345TDMHP3DQ3G"}], "B08T5WTP2T": [{"asin": "B08T5WTP2T", "instruction": "i'd like to find some noise cancelling headphones that are hands-free. they should be compatible with bluetooth version 5.0.", "attributes": ["noise cancelling", "long lasting", "hands free", "high definition", "wireless bluetooth"], "options": [""], "instruction_attributes": ["noise cancelling", "hands free"], "instruction_options": [], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49L74X0", "worker_id": "A3LIIE572Z4OG7"}], "B09R74G1JF": [{"asin": "B09R74G1JF", "instruction": "i am looking to purchase a hand or machine wash women's classic plain bikini swimsuit with high waist, tummy control in an x-large. prefer color yellow.", "attributes": ["wash cold", "hand wash", "machine wash", "tummy control", "high waist", "teen girls"], "options": ["color: yellow", "size: x-large"], "instruction_attributes": ["hand wash", "machine wash", "tummy control", "high waist"], "instruction_options": ["yellow", "x-large"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WG9AYIN", "worker_id": "A3RGIKEI8JS2QG"}], "B09LGX8FK6": [{"asin": "B09LGX8FK6", "instruction": "i'm looking for black color medium size puweer straight leg slacks for women to business work casual.", "attributes": ["straight leg", "moisture wicking", "wash cold", "machine wash", "nylon spandex", "tummy control", "elastic waist"], "options": ["color: black", "size: medium"], "instruction_attributes": ["straight leg"], "instruction_options": ["black", "medium"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHVIE1K", "worker_id": "A3AGXTSAHA2AFL"}], "B09JWTPGM2": [{"asin": "B09JWTPGM2", "instruction": "i'm looking for easy-to-use cake toppers for a birthday party.", "attributes": ["easy use", "birthday party", "party supplies", "baby shower"], "options": [""], "instruction_attributes": ["easy use", "birthday party"], "instruction_options": [], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0K8JLJG", "worker_id": "AFU00NU09CFXE"}], "B016S52Q7U": [{"asin": "B016S52Q7U", "instruction": "i am looking for a water beverage with source of vitamin and zero sugar. also in kiwi strawberry flavor.", "attributes": ["source vitamin", "zero sugar"], "options": ["flavor name: kiwi strawberry"], "instruction_attributes": ["source vitamin", "zero sugar"], "instruction_options": ["kiwi strawberry"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD28ZYNY", "worker_id": "A2HMEGTAFO0CS8"}], "B08P797L5K": [{"asin": "B08P797L5K", "instruction": "i'm looking for a high-quality manicure set made from stainless steel that is designed for removing dead skin.", "attributes": ["high quality", "stainless steel", "dead skin"], "options": [""], "instruction_attributes": ["high quality", "stainless steel", "dead skin"], "instruction_options": [], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZN2ISF", "worker_id": "AFU00NU09CFXE"}], "B083XK3VQX": [{"asin": "B083XK3VQX", "instruction": "i would like to buy a sugar free powder drink mix that is a nice source of vitamin.", "attributes": ["sugar free", "source vitamin"], "options": [""], "instruction_attributes": ["sugar free", "source vitamin"], "instruction_options": [], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMANEX2", "worker_id": "A182YKPS46KE9F"}], "B09SXQFM4V": [{"asin": "B09SXQFM4V", "instruction": "i want to find a set of high-power binoculars that i can use for birdwatching.", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPW08K07", "worker_id": "A345TDMHP3DQ3G"}], "B085W93XWY": [{"asin": "B085W93XWY", "instruction": "looking for men classic slip on with anti slip grips and back heel square toe, with quality leather.", "attributes": ["anti slip", "rubber outsole", "rubber sole"], "options": ["color: grey", "size: 10"], "instruction_attributes": ["anti slip"], "instruction_options": [], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZB8HS8", "worker_id": "AUJBZFT6JM16L"}], "B08R115KB1": [{"asin": "B08R115KB1", "instruction": "i want the 8 pack of pork king good seasoning. i need the 8 pack of the gluten free variety.", "attributes": ["gluten free", "keto friendly", "natural ingredients", "great gift"], "options": ["flavor name: dill pickle", "pattern name: 8 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["dill pickle", "8 pack"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KZ7DPE", "worker_id": "A1CB72B51L7TKE"}], "B094XWSQDT": [{"asin": "B094XWSQDT", "instruction": "i'm looking for rose gold hair salon bags.", "attributes": ["rose gold", "hair salon"], "options": ["size: 50ml | 1.7 ounce"], "instruction_attributes": ["rose gold", "hair salon"], "instruction_options": [], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4XR9PGM", "worker_id": "A19317A3X87NVM"}], "B07HMVN5HZ": [{"asin": "B07HMVN5HZ", "instruction": "i want a 2-in-one shampoo and conditioner for damaged hair.", "attributes": ["hair treatment", "damaged hair", "dry hair"], "options": ["style: shampoo+conditioner"], "instruction_attributes": ["damaged hair"], "instruction_options": ["shampoo+conditioner"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQWSVKH", "worker_id": "A19317A3X87NVM"}], "B07XZ1VW78": [{"asin": "B07XZ1VW78", "instruction": "i'm looking for an armchair for my living room that features solid wood legs. i only need one chair and the color should be brown.", "attributes": ["high density", "solid wood", "dining room", "living room"], "options": ["color: brown", "item package quantity: 1"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["brown", "1"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNC4RLBE", "worker_id": "A345TDMHP3DQ3G"}], "B08YRDPZKY": [{"asin": "B08YRDPZKY", "instruction": "i'd like to get a 3d, high-resolution personal mobile cinema. it needs to come with a carrying case too.", "attributes": ["high resolution", "plug play", "carrying case"], "options": [""], "instruction_attributes": ["high resolution", "carrying case"], "instruction_options": [], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1ZJRXY", "worker_id": "A345TDMHP3DQ3G"}], "B09NVBS2W1": [{"asin": "B09NVBS2W1", "instruction": "i want to find a tempered glass covering film that i can use on my dining room windows. the dimensions should be 23.6 inches by 47.2 inches and film should come in a set of two.", "attributes": ["tempered glass", "dining room"], "options": ["color: 1011558265438600000", "size: (width\uff0923.6in x (length)47.2in x 2pcs"], "instruction_attributes": ["tempered glass", "dining room"], "instruction_options": ["(width\uff0923.6in x (length)47.2in x 2pcs"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DCP4K8", "worker_id": "A345TDMHP3DQ3G"}], "B08P766SNC": [{"asin": "B08P766SNC", "instruction": "i need a space saving coat rack in solid wood.", "attributes": ["space saving", "solid wood"], "options": ["color: b"], "instruction_attributes": ["space saving", "solid wood"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVY3E6LC", "worker_id": "A19317A3X87NVM"}], "B099RQDNVN": [{"asin": "B099RQDNVN", "instruction": "i'm looking for a stool that could be used by a beauty salon to cut hair.", "attributes": ["beauty salon", "hair cutting"], "options": [""], "instruction_attributes": ["beauty salon", "hair cutting"], "instruction_options": [], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1RFK19", "worker_id": "A345TDMHP3DQ3G"}], "B09SXRG46H": [{"asin": "B09SXRG46H", "instruction": "i'm looking for a way to watch birds from far away and have my smartphone involved.", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7F3UC5", "worker_id": "AMG9Y1YLBTKIV"}], "B09GY857SW": [{"asin": "B09GY857SW", "instruction": "i am looking for a high quality, black spa equipment wall mount that is eco friendly.", "attributes": ["high quality", "water resistant", "eco friendly", "hair salon", "beauty salon", "hair styling"], "options": ["color: style7 black"], "instruction_attributes": ["high quality", "eco friendly"], "instruction_options": ["style7 black"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKC4AIPG", "worker_id": "A114NK7T5673GK"}], "B09QXB34BD": [{"asin": "B09QXB34BD", "instruction": "i\u2019m looking for a small tummy control swimwear for teen girls. and i would prefer the a3-green color", "attributes": ["tummy control", "high waist", "teen girls"], "options": ["color: a3-green", "size: small"], "instruction_attributes": ["tummy control", "teen girls"], "instruction_options": ["a3-green", "small"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4K8FHUA", "worker_id": "A2COCSUGZV28X"}], "B099Z7ZNDK": [{"asin": "B099Z7ZNDK", "instruction": "i'm looking for a queen size bed with a box spring.", "attributes": ["queen size", "contemporary design", "box spring"], "options": [""], "instruction_attributes": ["queen size", "box spring"], "instruction_options": [], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKBKGSX", "worker_id": "A19317A3X87NVM"}], "B09PLC2QV8": [{"asin": "B09PLC2QV8", "instruction": "na", "attributes": ["hair extensions", "synthetic hair"], "options": ["color: black blue"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["black blue"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YI1Q3H", "worker_id": "A1EI8Z972FIFJ3"}], "B01M9B4YOA": [{"asin": "B01M9B4YOA", "instruction": "i'm hoping to find a purple, xx-large batman shirt that's officially licensed.", "attributes": ["officially licensed", "machine washable", "everyday wear"], "options": ["color: purple", "size: xx-large"], "instruction_attributes": ["officially licensed"], "instruction_options": ["purple", "xx-large"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1V19U6", "worker_id": "A345TDMHP3DQ3G"}], "B09NXS598S": [{"asin": "B09NXS598S", "instruction": "show me long sleeved daily wear sweater for teen girls in white color and 4x large size.", "attributes": ["long sleeve", "unique design", "relaxed fit", "teen girls", "daily wear"], "options": ["color: z4 white", "size: 4x-large"], "instruction_attributes": ["long sleeve", "teen girls", "daily wear"], "instruction_options": ["z4 white", "4x-large"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKGML45E", "worker_id": "A3AYHESLQSDY5T"}], "B081811MTB": [{"asin": "B081811MTB", "instruction": "i'm looking for easy to install mounted wall hooks to hang towels and clothes also, choose the 1 piece set with 2 hooks.", "attributes": ["wall mounted", "easy install"], "options": ["color: 1pcs", "size: 2 hooks"], "instruction_attributes": ["wall mounted", "easy install"], "instruction_options": [], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKEKMJW", "worker_id": "A1TWVJS27CL3KT"}], "B09N3C1MZZ": [{"asin": "B09N3C1MZZ", "instruction": "i'm looking for white noise cancelling, wireless headphones that have bluetooth capabilites.", "attributes": ["noise cancelling", "hands free", "wireless bluetooth"], "options": ["color: white"], "instruction_attributes": ["noise cancelling", "hands free", "wireless bluetooth"], "instruction_options": ["white"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTBEE5T", "worker_id": "A29H4I8OMI2A4Q"}], "B076RFDSBG": [{"asin": "B076RFDSBG", "instruction": "i'm looking for an 8-pack of 8-inch portable hair extensions. the color needs to be wine red.", "attributes": ["hair extensions", "dry hair"], "options": ["color: wine red", "size: 8 inch (pack of 8)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["wine red", "8 inch (pack of 8)"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK4RHA60", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B076RFDSBG", "instruction": "looking for a hair extension for grey dry hair and 18 in long", "attributes": ["hair extensions", "dry hair"], "options": ["color: grey", "size: 18 inch (pack of 8)"], "instruction_attributes": ["hair extensions", "dry hair"], "instruction_options": ["grey", "18 inch (pack of 8)"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4I60HJ", "worker_id": "A1MJVTR0PCKBWW"}, {"asin": "B076RFDSBG", "instruction": "i need a pack of storage bag for my hair extension . and i would prefer the white blonde color", "attributes": ["hair extensions", "dry hair"], "options": ["color: white blonde", "size: 1 count"], "instruction_attributes": ["hair extensions"], "instruction_options": ["white blonde", "1 count"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBDVSOC", "worker_id": "A2COCSUGZV28X"}, {"asin": "B076RFDSBG", "instruction": "i would like a 18 inch medium brown hair extension.", "attributes": ["hair extensions", "dry hair"], "options": ["color: medium brown", "size: 18 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["medium brown", "18 inch (pack of 1)"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZESWUP", "worker_id": "A1WS884SI0SLO4"}], "B07TFJBQFL": [{"asin": "B07TFJBQFL", "instruction": "i want some anti-slip water shoes in size 7.5 and the color khaki.", "attributes": ["anti slip", "quick drying", "rubber sole"], "options": ["color: kahaki", "size: 7.5"], "instruction_attributes": ["anti slip"], "instruction_options": ["kahaki", "7.5"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22508WL", "worker_id": "A19317A3X87NVM"}], "B09RQ79JRR": [{"asin": "B09RQ79JRR", "instruction": "i'm interested in jar candles made from soy with a lead-free wick.", "attributes": ["lead free", "soy wax"], "options": [""], "instruction_attributes": ["lead free", "soy wax"], "instruction_options": [], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJKMT3JL", "worker_id": "AFU00NU09CFXE"}], "B08N8LDND2": [{"asin": "B08N8LDND2", "instruction": "i'm looking for a pair of adidas unisex adult harden vol. 5 futurenatural basketball athletic shoes.", "attributes": ["lace closure", "regular fit", "rubber sole"], "options": ["color: black | white | team dark grey", "size: 19 women | 19 men"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z91KE2P", "worker_id": "ABYRAWL4BGD3C"}], "B0947BLY8N": [{"asin": "B0947BLY8N", "instruction": "i'am looking for sulfate free argan oil for the hair treatment of my wife", "attributes": ["sulfate free", "animal testing", "argan oil", "hair treatment", "dry hair"], "options": [""], "instruction_attributes": ["sulfate free", "argan oil", "hair treatment"], "instruction_options": [], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVK5ET1Y", "worker_id": "A2COCSUGZV28X"}], "B09C2RM9XT": [{"asin": "B09C2RM9XT", "instruction": "i need some wild caught spring water tuna fish.", "attributes": ["gluten free", "wild caught", "low sodium", "low calorie", "non gmo", "great gift"], "options": ["flavor name: spring water", "size: 6.7 ounce (pack of 2)"], "instruction_attributes": ["wild caught"], "instruction_options": ["spring water"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJX0VJUT", "worker_id": "A19317A3X87NVM"}, {"asin": "B09C2RM9XT", "instruction": "i want to find a two-pack of jarred wild-caught tuna filets that are low calorie. the jars need to be 6.7 ounces, and ideally the flavor should be very garlicky.", "attributes": ["gluten free", "wild caught", "low sodium", "low calorie", "non gmo", "great gift"], "options": ["flavor name: garlic", "size: 6.7 ounce (pack of 2)"], "instruction_attributes": ["wild caught", "low calorie"], "instruction_options": ["garlic", "6.7 ounce (pack of 2)"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1YHXCZ", "worker_id": "A345TDMHP3DQ3G"}], "B075FZMXGS": [{"asin": "B075FZMXGS", "instruction": "locate the ambesonne harbour stripe throw pillow cover, 18 x 18 inch, double sided. i want the salmon brown color.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: salmon brown", "size: 18 x 18-inch"], "instruction_attributes": ["double sided"], "instruction_options": ["salmon brown", "18 x 18-inch"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCA77I1", "worker_id": "A1CB72B51L7TKE"}], "B08LDY73WQ": [{"asin": "B08LDY73WQ", "instruction": "i want some low fat orange mousse cookies.", "attributes": ["low fat", "artificial colors", "quality ingredients", "natural ingredients", "artificial flavors"], "options": ["flavor: orange mousse", "size: 4 piece assortment"], "instruction_attributes": ["low fat"], "instruction_options": ["orange mousse"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40HRYF5", "worker_id": "A19317A3X87NVM"}], "B08K1PWRLD": [{"asin": "B08K1PWRLD", "instruction": "i want a hair remover for face and body including the bikini area. pick the lilac one.", "attributes": ["hair removal", "hair growth"], "options": ["color: lipstick red"], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6P7R2XI", "worker_id": "A1NF6PELRKACS9"}], "B08YWW48JC": [{"asin": "B08YWW48JC", "instruction": "i need ready use hand-knitted ottoman pouf for living room. and choose the purple one.", "attributes": ["ready use", "assembly required", "living room"], "options": ["color: purple"], "instruction_attributes": ["ready use", "living room"], "instruction_options": ["purple"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8NRYT7F", "worker_id": "A258PTOZ3D2TQR"}], "B08CJZ4B8M": [{"asin": "B08CJZ4B8M", "instruction": "i'm looking for a gray wash colored living room console table with a wood frame.", "attributes": ["wood frame", "solid wood", "living room"], "options": ["color: gray wash"], "instruction_attributes": ["wood frame", "living room"], "instruction_options": ["gray wash"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP8NX7ZM", "worker_id": "A19317A3X87NVM"}], "B082XGZ455": [{"asin": "B082XGZ455", "instruction": "i need some hands free gold earbuds.", "attributes": ["hands free", "stereo sound", "wireless bluetooth"], "options": ["color: gold"], "instruction_attributes": ["hands free"], "instruction_options": ["gold"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKC3PE0U", "worker_id": "A19317A3X87NVM"}], "B089FMW6ZV": [{"asin": "B089FMW6ZV", "instruction": "remote control for emerson led lcd tv lf501em4a lf320em4a lc391em4", "attributes": ["batteries included", "easy use", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXD85OC", "worker_id": "AL8NYDL4JOYL3"}], "B00R4R084K": [{"asin": "B00R4R084K", "instruction": "i need a slate blue, big and tall t-shirt that is good for machine wash.", "attributes": ["machine wash", "relaxed fit"], "options": ["color: heather slate blue", "size: 8x-large big"], "instruction_attributes": ["machine wash"], "instruction_options": ["heather slate blue", "8x-large big"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJY94RGN", "worker_id": "A19317A3X87NVM"}], "B08PJ86CJD": [{"asin": "B08PJ86CJD", "instruction": "i'm looking for a 10 pack of hydrating sheet masks with anti aging properties. i would like to select the spa hairband option.", "attributes": ["anti aging", "cruelty free"], "options": ["color: full collection w | spa hairband", "size: pack of 10"], "instruction_attributes": ["anti aging"], "instruction_options": ["full collection w | spa hairband", "pack of 10"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGSMSLV", "worker_id": "A2QAS9E29H1UCP"}], "B08DQSV61J": [{"asin": "B08DQSV61J", "instruction": "i need some easy to apply 18mm eyelashes.", "attributes": ["easy apply", "high quality"], "options": ["color: dd-0.05", "size: 18mm"], "instruction_attributes": ["easy apply"], "instruction_options": ["18mm"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRS96X0S", "worker_id": "A19317A3X87NVM"}, {"asin": "B08DQSV61J", "instruction": "i need high quality lashes in size 21mm that are easy to apply.", "attributes": ["easy apply", "high quality"], "options": ["color: c-0.05", "size: 21mm"], "instruction_attributes": ["easy apply", "high quality"], "instruction_options": ["21mm"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGX6WTD", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B08DQSV61J", "instruction": "look for supplies for eyelash extension dd curl 0.05 show me with easy apply.color: dd-0.03. please", "attributes": ["easy apply", "high quality"], "options": ["color: dd-0.03", "size: 13-20mm"], "instruction_attributes": ["easy apply"], "instruction_options": ["dd-0.03"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH4ZH6A", "worker_id": "A15IJ20C3R4HUO"}], "B09SZJHN5N": [{"asin": "B09SZJHN5N", "instruction": "i am looking for a high quality wig that is sky blue colored.", "attributes": ["high quality", "quality materials"], "options": ["color: sky blue"], "instruction_attributes": ["high quality"], "instruction_options": ["sky blue"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VKJYW5", "worker_id": "A2ECRNQ3X5LEXD"}], "B005Z6AK2C": [{"asin": "B005Z6AK2C", "instruction": "i want to buy an easy to use instant coffee that comes in a decaf french vanilla.", "attributes": ["rich creamy", "easy use"], "options": ["flavor name: decaf french vanilla", "size: 16 ounce (pack of 3)"], "instruction_attributes": ["easy use"], "instruction_options": ["decaf french vanilla"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXST8AWZ", "worker_id": "A114NK7T5673GK"}, {"asin": "B005Z6AK2C", "instruction": "i would like a 3 piece assortment of salted caramel instant coffee that's rich and creamy.", "attributes": ["rich creamy", "easy use"], "options": ["flavor name: salted caramel", "size: 3 piece assortment"], "instruction_attributes": ["rich creamy"], "instruction_options": ["salted caramel", "3 piece assortment"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOKDMLK", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B005Z6AK2C", "instruction": "i would like some easy to use salted caramel instant coffee", "attributes": ["rich creamy", "easy use"], "options": ["flavor name: salted caramel", "size: 14 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["salted caramel"], "assignment_id": "354P56DE9VDCOY11T1135MPMLQNS7S", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B005Z6AK2C", "instruction": "i would like a 12 ounce box of classic cappuccino instant coffee mix that is easy to make.", "attributes": ["rich creamy", "easy use"], "options": ["flavor name: classic cappuccino", "size: 12 ounce (pack of 2)"], "instruction_attributes": ["easy use"], "instruction_options": ["classic cappuccino", "12 ounce (pack of 2)"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFP5E9S", "worker_id": "A1WS884SI0SLO4"}], "B081TYSS5S": [{"asin": "B081TYSS5S", "instruction": "i want to buy some men's construction boots with steel toe. they need to be slip resistant and size 15.", "attributes": ["slip resistant", "steel toe", "rubber sole"], "options": ["size: 15"], "instruction_attributes": ["slip resistant", "steel toe"], "instruction_options": ["15"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80YRQ1T", "worker_id": "A2YNPKYEFDZ6C9"}], "B09STZH768": [{"asin": "B09STZH768", "instruction": "i want the fast charging hands free amzstar ipx0 waterproof headset. i want the grey ones.", "attributes": ["fast charging", "hands free"], "options": ["color: grey"], "instruction_attributes": ["fast charging", "hands free"], "instruction_options": ["grey"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXCU5OW", "worker_id": "A1CB72B51L7TKE"}, {"asin": "B09STZH768", "instruction": "fast charging wireless headphones with waterproof and bluetooth 5.0 facility and 16gb mp3 player and also color is red", "attributes": ["fast charging", "hands free"], "options": ["color: red"], "instruction_attributes": ["fast charging"], "instruction_options": ["red"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTSAL7U", "worker_id": "AX2EWYWZM19AZ"}], "B08Z8MHWVS": [{"asin": "B08Z8MHWVS", "instruction": "i am interested in 2 pints eggless raw edible cookie dough with natural ingredients with chocochip & cherrychoco flavor.", "attributes": ["ready eat", "natural ingredients"], "options": ["flavor: 2 pints-chocochip & cherrychoco"], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHWSX8SZ", "worker_id": "A3QZMGTVA4VO44"}], "B08L6M9SK5": [{"asin": "B08L6M9SK5", "instruction": "i am looking for a lantern pendant light with 4 lights. find me something in black and gold.", "attributes": ["easy install", "pendant light"], "options": [""], "instruction_attributes": ["pendant light"], "instruction_options": [], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A21UKHTV", "worker_id": "A1NF6PELRKACS9"}], "B01N6YD5PL": [{"asin": "B01N6YD5PL", "instruction": "seeking to buy a jar candle that is eco friendly. i want it to be 8 ounces and hazelnut latte color. soy candle wax.", "attributes": ["lead free", "eco friendly", "easy clean"], "options": ["color: hazelnut latte", "size: 8 ounce"], "instruction_attributes": ["eco friendly"], "instruction_options": ["hazelnut latte", "8 ounce"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EYJ1BL", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B01N6YD5PL", "instruction": "i want to find a gift set of soy candles that are eco friendly. the color should ideally be fresh linen.", "attributes": ["lead free", "eco friendly", "easy clean"], "options": ["color: fresh linen", "size: gift set"], "instruction_attributes": ["eco friendly"], "instruction_options": ["fresh linen", "gift set"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TJPUS1", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01N6YD5PL", "instruction": "i am looking for eco friendly candle wax. please choose vanilla lavender.", "attributes": ["lead free", "eco friendly", "easy clean"], "options": ["color: stress relief & vanilla lavender", "size: 20 ounce"], "instruction_attributes": ["eco friendly"], "instruction_options": ["stress relief & vanilla lavender"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDROO9F5", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B01N6YD5PL", "instruction": "i would like a jar candle that is eco friendly and cinnamon vanilla", "attributes": ["lead free", "eco friendly", "easy clean"], "options": ["color: cinnamon vanilla", "size: 20 ounce"], "instruction_attributes": ["eco friendly"], "instruction_options": ["cinnamon vanilla"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCK2MND8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09J2KSTLN": [{"asin": "B09J2KSTLN", "instruction": "throw of size 40\"x50\" and color blankets 13", "attributes": ["super soft", "fleece throw"], "options": ["color: blankets 13", "size: 40\"x50\""], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": [], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OH2M3O", "worker_id": "AL8NYDL4JOYL3"}], "B07L63JWVK": [{"asin": "B07L63JWVK", "instruction": "i need a ready to use and fully assembled sewing kit.", "attributes": ["ready use", "fully assembled"], "options": [""], "instruction_attributes": ["ready use", "fully assembled"], "instruction_options": [], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZZOPCJ", "worker_id": "A19317A3X87NVM"}], "B00IZ8L3LY": [{"asin": "B00IZ8L3LY", "instruction": "i need some pre-cooked honey barbque wings with the bone in, having at least 14 grams of protein per serving, contains 5 servings and is preferably frozen.", "attributes": ["fully cooked", "protein serving", "ready eat"], "options": [""], "instruction_attributes": ["fully cooked", "protein serving", "ready eat"], "instruction_options": [], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7ZPDGXU", "worker_id": "A1E235KE3CSO7H"}], "B0968SML8V": [{"asin": "B0968SML8V", "instruction": "i need a travel sized shampoo for damaged hair in a mini-discovery kit.", "attributes": ["travel size", "damaged hair"], "options": ["color: mini discovery kit", "size: 2.02 fl oz-1"], "instruction_attributes": ["travel size", "damaged hair"], "instruction_options": ["mini discovery kit"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXHE4O7", "worker_id": "A19317A3X87NVM"}], "B074CZW6CZ": [{"asin": "B074CZW6CZ", "instruction": "i'm looking for a quad core, high performance desktop which has core i5.", "attributes": ["high performance", "core i5", "quad core"], "options": [""], "instruction_attributes": ["high performance", "core i5", "quad core"], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZG512W5", "worker_id": "A9QRQL9CFJBI7"}], "B08S6PGBLT": [{"asin": "B08S6PGBLT", "instruction": "i'd like to find some brown fur-lined women's boots; they should be warm in the winter and work well in snow.", "attributes": ["winter warm", "rubber sole", "memory foam"], "options": ["color: brown", "size: 13"], "instruction_attributes": ["winter warm"], "instruction_options": ["brown"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SH2TQP", "worker_id": "A3LIIE572Z4OG7"}], "B09BYQFM1Z": [{"asin": "B09BYQFM1Z", "instruction": "i need high quality makeup remover pads for my sensitive skin. i like it to be 12 pack and gray in color.", "attributes": ["long lasting", "easy use", "high quality", "dead skin", "sensitive skin"], "options": ["color: grayx12pack", "size: 8inchx8 inch"], "instruction_attributes": ["high quality", "sensitive skin"], "instruction_options": ["grayx12pack"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG51WWI8", "worker_id": "A1NF6PELRKACS9"}], "B081VL1NVS": [{"asin": "B081VL1NVS", "instruction": "locate for me a sweatyrocks women's high waist pu leather midi skirt. i want it in brown.", "attributes": ["high waist", "everyday wear"], "options": ["color: brown", "size: medium"], "instruction_attributes": ["high waist"], "instruction_options": ["brown", "medium"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q7NK9HQ", "worker_id": "A1CB72B51L7TKE"}], "B07DYT5VS3": [{"asin": "B07DYT5VS3", "instruction": "i need a hands free fm transmitter with a fast charge time.", "attributes": ["hands free", "fast charging", "high performance", "usb port"], "options": [""], "instruction_attributes": ["hands free", "fast charging"], "instruction_options": [], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXF6TMEG", "worker_id": "A19317A3X87NVM"}], "B09M9QX1M9": [{"asin": "B09M9QX1M9", "instruction": "i need some extra large butt lifting leggings in mint green.", "attributes": ["butt lifting", "tummy control"], "options": ["color: mint green", "size: x-large"], "instruction_attributes": ["butt lifting"], "instruction_options": ["mint green", "x-large"], "assignment_id": "358010RM5P3MV5OW59A6A8MHM5GVXF", "worker_id": "A19317A3X87NVM"}], "B09CZMMLC8": [{"asin": "B09CZMMLC8", "instruction": "i'm looking for a dark blue fleece throw that i can use to decorate my living room.", "attributes": ["fleece throw", "living room"], "options": ["color: dark blue- \"good vibes only\""], "instruction_attributes": ["fleece throw", "living room"], "instruction_options": ["dark blue- \"good vibes only\""], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HX7L2ZB", "worker_id": "A345TDMHP3DQ3G"}], "B09M72Z43M": [{"asin": "B09M72Z43M", "instruction": "i need a small rotating book shelf made of wood with 3 tier storage. pick a white one.", "attributes": ["white item", "storage unit", "storage space", "living room"], "options": [""], "instruction_attributes": ["white item", "storage unit", "storage space"], "instruction_options": [], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39YFZCY", "worker_id": "A1NF6PELRKACS9"}], "B09D2T5HVK": [{"asin": "B09D2T5HVK", "instruction": "i:need a mirrored wooden cabinet with one drawer two doors with round ring handle, style28 size and solid wood legs", "attributes": ["easy assemble", "solid wood", "storage space", "living room"], "options": ["size: style28"], "instruction_attributes": ["solid wood"], "instruction_options": ["style28"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUVSRM7", "worker_id": "A258PTOZ3D2TQR"}], "B08PVCY57Z": [{"asin": "B08PVCY57Z", "instruction": "i want to find a 39.4 inch storage bench for shoes that i can put in my living room entryway.", "attributes": ["long lasting", "easy clean", "living room"], "options": ["size: 39.4\"w"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IVDBCO", "worker_id": "A345TDMHP3DQ3G"}], "B08CJLXVMZ": [{"asin": "B08CJLXVMZ", "instruction": "find me 9oz bags of sugar free catalina crunch honey graham keto cereal. i want the low carb gluten free kind.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "non gmo", "gluten free"], "options": ["flavor name: honey graham & dark chocolate", "size: pack of 4"], "instruction_attributes": ["sugar free"], "instruction_options": ["honey graham & dark chocolate"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3F7OFBK", "worker_id": "A1CB72B51L7TKE"}], "B07CZ37V8N": [{"asin": "B07CZ37V8N", "instruction": "i am looking for a organic cold brew coffee with straight black flavor. choose shelf stable product.", "attributes": ["shelf stable", "sugar free", "dairy free"], "options": ["flavor name: straight black", "size: 128 fl oz (pack of 1)"], "instruction_attributes": ["shelf stable"], "instruction_options": ["straight black"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO2250W89", "worker_id": "A2HMEGTAFO0CS8"}], "B09R8VK3Q3": [{"asin": "B09R8VK3Q3", "instruction": "i am looking for a non-diary and sugar free cookie baking mix. it should have soft chocolate chips.", "attributes": ["grain free", "non dairy", "low carb", "sugar free", "dairy free", "gluten free"], "options": ["flavor name: soft chocolate chip"], "instruction_attributes": ["non dairy", "sugar free"], "instruction_options": ["soft chocolate chip"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQVEN0G", "worker_id": "A1NF6PELRKACS9"}], "B07KC127M7": [{"asin": "B07KC127M7", "instruction": "i'd like to find a plastic body brush with a long handle that can slough off dead skin.", "attributes": ["long handle", "dead skin"], "options": [""], "instruction_attributes": ["long handle", "dead skin"], "instruction_options": [], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0NTX79", "worker_id": "A345TDMHP3DQ3G"}], "B07FLJNFM8": [{"asin": "B07FLJNFM8", "instruction": "i need some paraben free conditioner to promote hair growht.", "attributes": ["paraben free", "natural ingredients", "hair growth"], "options": [""], "instruction_attributes": ["paraben free", "hair growth"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMBRW97", "worker_id": "A19317A3X87NVM"}], "B07M9YKV87": [{"asin": "B07M9YKV87", "instruction": "i am looking for slimpointoe red color anti slip flat sandal.", "attributes": ["anti slip", "rubber sole"], "options": ["color: slimpointoe red", "size: 8.5"], "instruction_attributes": ["anti slip"], "instruction_options": ["slimpointoe red"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZ3UO8I", "worker_id": "A3QZMGTVA4VO44"}, {"asin": "B07M9YKV87", "instruction": "shop for a pair of size six jelly sandals with rubber soles and snap closures. by the silver ones in size six.", "attributes": ["anti slip", "rubber sole"], "options": ["color: snapclosure silver", "size: 6"], "instruction_attributes": ["rubber sole"], "instruction_options": ["snapclosure silver", "6"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVLGXLS", "worker_id": "AR9AU5FY1S3RO"}], "B097TKMBPN": [{"asin": "B097TKMBPN", "instruction": "i want to find a blue electric shower brush with a long handle.", "attributes": ["high quality", "long handle", "sensitive skin"], "options": ["size: blue"], "instruction_attributes": ["long handle"], "instruction_options": ["blue"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8OM8A2C", "worker_id": "A345TDMHP3DQ3G"}], "B09D34D2FV": [{"asin": "B09D34D2FV", "instruction": "i need some hair growth formula.", "attributes": ["coconut oil", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IOQM2R2", "worker_id": "A19317A3X87NVM"}], "B09JWL2HP5": [{"asin": "B09JWL2HP5", "instruction": "i\u2019m looking for refreshing advanced purifying mouth wash mouth spray for instant fresh breath.", "attributes": ["easy carry", "fresh breath", "bad breath"], "options": ["color: mint"], "instruction_attributes": ["fresh breath"], "instruction_options": ["mint"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKO4MF0V", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09SF2BHYJ": [{"asin": "B09SF2BHYJ", "instruction": "i need a 6-wide jogging shoes that has arch support. and i would prefer the a4-black", "attributes": ["closed toe", "arch support"], "options": ["color: a4 - black", "size: 6 wide"], "instruction_attributes": ["arch support"], "instruction_options": ["a4 - black", "6 wide"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILV1FSZZ", "worker_id": "A2COCSUGZV28X"}], "B09L7QXNCR": [{"asin": "B09L7QXNCR", "instruction": "i am looking for a blue video gaming chair with lumbar support please.", "attributes": ["lumbar support", "pu leather"], "options": ["color: blue"], "instruction_attributes": ["lumbar support"], "instruction_options": ["blue"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNUZ01B", "worker_id": "A182YKPS46KE9F"}], "B01N58JX21": [{"asin": "B01N58JX21", "instruction": "get me a non alcoholic bread mix made with natural ingredients.", "attributes": ["non alcoholic", "natural ingredients"], "options": [""], "instruction_attributes": ["non alcoholic", "natural ingredients"], "instruction_options": [], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ5PYCKL", "worker_id": "A3AYHESLQSDY5T"}], "B018P3KPNA": [{"asin": "B018P3KPNA", "instruction": "i want a tempered glass screen protector that i can use for my iphone se.", "attributes": ["tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["tempered glass", "glass screen"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHK67BB", "worker_id": "A345TDMHP3DQ3G"}], "B092M7K146": [{"asin": "B092M7K146", "instruction": "i'd like some black cupcake topper picks that i can use for a birthday party.", "attributes": ["birthday party", "cupcake picks"], "options": ["color: black"], "instruction_attributes": ["birthday party", "cupcake picks"], "instruction_options": ["black"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0GXCCG", "worker_id": "A345TDMHP3DQ3G"}], "B00ALTXFUC": [{"asin": "B00ALTXFUC", "instruction": "find me thai healthy gluten free mixed real fruit chips", "attributes": ["gluten free", "real fruit"], "options": [""], "instruction_attributes": ["real fruit"], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZL7RNC", "worker_id": "A258PTOZ3D2TQR"}], "B08FHPD83P": [{"asin": "B08FHPD83P", "instruction": "i need highly pigmented eyeshadow that is suitable for sensitive skin. metallic grey color is my preference.", "attributes": ["highly pigmented", "sensitive skin"], "options": ["color: 23 galaxy grey metallic"], "instruction_attributes": ["highly pigmented", "sensitive skin"], "instruction_options": ["23 galaxy grey metallic"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YHLQ3Z", "worker_id": "AHTWQSOY6HTJI"}], "B01GS46GL8": [{"asin": "B01GS46GL8", "instruction": "looking for safavieh hudson shag collection area rug in dark grey | ivory rectangular shaped that is 2 ft 3 in x 6 ft for my living or dining room.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: dark grey | ivory", "item shape: rectangular", "size: 2 ft 3 in x 6 ft"], "instruction_attributes": ["dining room", "living room"], "instruction_options": ["dark grey | ivory", "rectangular", "2 ft 3 in x 6 ft"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UBC1G3", "worker_id": "A3RGIKEI8JS2QG"}], "B08T1D4PPL": [{"asin": "B08T1D4PPL", "instruction": "i want to find an extra large, long-sleeve two-piece outfit for daily wear. please find me something in coffee color.", "attributes": ["high waist", "polyester spandex", "long sleeve", "daily wear"], "options": ["color: 28231-coffee", "size: x-large"], "instruction_attributes": ["long sleeve", "daily wear"], "instruction_options": ["28231-coffee", "x-large"], "assignment_id": "32SCWG5HISEW7674IASH43KF3DP6PK", "worker_id": "A345TDMHP3DQ3G"}], "B09R73K1JK": [{"asin": "B09R73K1JK", "instruction": "i want to find a 4-piece set of haircare products for damaged hair, including essential oils and herbal spray.", "attributes": ["easy use", "damaged hair", "hair growth", "hair loss", "natural hair"], "options": ["color: 4pcs"], "instruction_attributes": ["damaged hair"], "instruction_options": ["4pcs"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCW0XGGK", "worker_id": "A345TDMHP3DQ3G"}], "B0731B56FJ": [{"asin": "B0731B56FJ", "instruction": "i want to get a 3.5 ounce bag of snackable thai rice cake chips, in the original flavor. i'm a celiac so these must be gluten free.", "attributes": ["non gmo", "gluten free", "soy free", "dairy free"], "options": ["flavor name: original", "size: 3.5 ounce (pack of 1)", "style: thai rice chips"], "instruction_attributes": [], "instruction_options": ["original", "3.5 ounce (pack of 1)", "thai rice chips"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBXXSOI", "worker_id": "A345TDMHP3DQ3G"}], "B01N7DHJ8V": [{"asin": "B01N7DHJ8V", "instruction": "i'm looking for some non gmo honey roasted and chopped pecans.", "attributes": ["non gmo", "gluten free", "plant based", "resealable bag"], "options": ["flavor name: honey roasted and chopped", "size: 1.5 pound (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["honey roasted and chopped"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXIBMY8", "worker_id": "A19317A3X87NVM"}], "B094MYWRBX": [{"asin": "B094MYWRBX", "instruction": "i want to find a pink pair of women's casual wedge, anti-slip slippers in a size 9.", "attributes": ["anti slip", "high heel"], "options": ["color: 0 # pink", "size: 9"], "instruction_attributes": ["anti slip"], "instruction_options": ["0 # pink", "9"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IVSCB4", "worker_id": "A345TDMHP3DQ3G"}], "B08QW2HK8Z": [{"asin": "B08QW2HK8Z", "instruction": "i'd like to find a pair of extra-large cargo shorts in british khaki. ideally, it'll have an elastic waist.", "attributes": ["machine wash", "elastic waist", "relaxed fit"], "options": ["color: british khaki", "size: x-large big"], "instruction_attributes": ["elastic waist"], "instruction_options": ["british khaki", "x-large big"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUSJA95", "worker_id": "A345TDMHP3DQ3G"}], "B074KD7T93": [{"asin": "B074KD7T93", "instruction": "please find me a heavy duty pvc table cover protector that is about 36 x 60 inches. ideally, it should be waterproof and easy clean.", "attributes": ["easy clean", "double sided", "eco friendly", "heavy duty", "dining room"], "options": ["color: 2.0mm clear", "size: 36 x 60 inches"], "instruction_attributes": ["easy clean", "heavy duty"], "instruction_options": ["36 x 60 inches"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9UZZAZ", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B074KD7T93", "instruction": "i am looking for a 44 x 122.2 inches - customized size double sided table pads", "attributes": ["easy clean", "double sided", "eco friendly", "heavy duty", "dining room"], "options": ["color: 1.5mm frosted", "size: 44 x 122.2 inches - customized"], "instruction_attributes": ["double sided"], "instruction_options": ["44 x 122.2 inches - customized"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH4MH6X", "worker_id": "A9QRQL9CFJBI7"}], "B07P1BSPF2": [{"asin": "B07P1BSPF2", "instruction": "i'm looking for gluten-free beanfields bean chips, jalapeno lime 4-pack.", "attributes": ["gluten free", "high protein", "plant based", "non gmo"], "options": ["flavor name: jalapeno lime", "size: 5.5 ounce (pack of 4)"], "instruction_attributes": ["gluten free"], "instruction_options": ["5.5 ounce (pack of 4)"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYY228U", "worker_id": "A292TFDMNVS0TP"}], "B01CKI9A5A": [{"asin": "B01CKI9A5A", "instruction": "i am looking for a face oil serum that is cruelty free produced and has anti aging properties.", "attributes": ["anti aging", "cruelty free", "seed oil", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "cruelty free"], "instruction_options": [], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUFKJQJ", "worker_id": "A114NK7T5673GK"}], "B07X2VFG42": [{"asin": "B07X2VFG42", "instruction": "i need a easy to use high quality self piercing ear gun in light grey colour", "attributes": ["easy use", "high quality"], "options": ["color: lightgrey"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["lightgrey"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYD8NCHA", "worker_id": "ASWFLI3N8X72G"}], "B09LXDB5W4": [{"asin": "B09LXDB5W4", "instruction": "i'm looking for a remote control for my ultra hd tv.", "attributes": ["ultra hd", "aaa batteries"], "options": [""], "instruction_attributes": ["ultra hd"], "instruction_options": [], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3K07QG", "worker_id": "A345TDMHP3DQ3G"}], "B08BC4LRJX": [{"asin": "B08BC4LRJX", "instruction": "i'm looking for a neck cushion for a hair salon shampoo bowl .", "attributes": ["high quality", "hair salon", "beauty salon"], "options": [""], "instruction_attributes": ["hair salon"], "instruction_options": [], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9E878Z", "worker_id": "A3MNXK3VDK37SN"}], "B07JFWG8L5": [{"asin": "B07JFWG8L5", "instruction": "i'm looking for a candie potato chips covered by chocolate and with 1 pound pack", "attributes": ["chocolate covered", "perfect gift"], "options": ["flavor name: kettle cooked | milk chocolate", "size: 1 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0DGRAY", "worker_id": "A2Y2TURT2VEYZN"}], "B08216Z7RW": [{"asin": "B08216Z7RW", "instruction": "i want to find grey 30 by 45 inch blackout curtains that i can use for my living room. they must be machine washable.", "attributes": ["super soft", "eco friendly", "high density", "machine washable", "living room"], "options": ["color: grey", "size: w30\"xl45\""], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["grey", "w30\"xl45\""], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8AD35VWH", "worker_id": "A345TDMHP3DQ3G"}], "B00LFCEXWI": [{"asin": "B00LFCEXWI", "instruction": "i need some vinyl sandals in ochre colors.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: ochre", "size: 10-10.5 women | 8-8.5 men"], "instruction_attributes": ["ethylene vinyl", "vinyl acetate"], "instruction_options": ["ochre"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCRO0DN", "worker_id": "A19317A3X87NVM"}], "B09BJC4JHD": [{"asin": "B09BJC4JHD", "instruction": "i'm looking for a w 47in x h 75in cooling bamboo mattress pad that is double sided.", "attributes": ["double sided", "exquisite workmanship"], "options": ["size: w 47in x h 75 in"], "instruction_attributes": ["double sided"], "instruction_options": ["w 47in x h 75 in"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THGYZ5T", "worker_id": "A9NGV92NLT3BM"}], "B09PFKWRTH": [{"asin": "B09PFKWRTH", "instruction": "search for women wedding wedges with slingback shoes and summer ankle strap must be leopard print.", "attributes": ["eco friendly", "high quality"], "options": ["color: brown", "size: 9"], "instruction_attributes": ["high quality"], "instruction_options": ["brown"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMHWG25", "worker_id": "AUJBZFT6JM16L"}], "B00HQUSPMW": [{"asin": "B00HQUSPMW", "instruction": "i need some fully cooked canned meats with a long shelf life.", "attributes": ["fully cooked", "shelf stable"], "options": [""], "instruction_attributes": ["fully cooked", "shelf stable"], "instruction_options": [], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYBNFX6", "worker_id": "A19317A3X87NVM"}], "B07LD885TY": [{"asin": "B07LD885TY", "instruction": "i'm looking for a highly pigmented eye shadow kit. also, choose the nude pallet kit with brush.", "attributes": ["highly pigmented", "long lasting", "eye shadow", "sensitive skin"], "options": [""], "instruction_attributes": ["highly pigmented", "eye shadow"], "instruction_options": [], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGD8UK53", "worker_id": "A1TWVJS27CL3KT"}], "B07ZLZPN1N": [{"asin": "B07ZLZPN1N", "instruction": "i need a new quad core 4gb 32gb support usb port 1080p hd android tv box.", "attributes": ["ultra hd", "1080p hd", "quad core", "usb port"], "options": [""], "instruction_attributes": ["1080p hd", "quad core", "usb port"], "instruction_options": [], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4JY0HD", "worker_id": "A258PTOZ3D2TQR"}], "B09KLPLGNX": [{"asin": "B09KLPLGNX", "instruction": "i want a fully assembled queen size mattress.", "attributes": ["ready use", "fully assembled", "high density"], "options": ["size: twin", "style name: matt + 5\" unassembled box spring"], "instruction_attributes": ["fully assembled"], "instruction_options": ["twin"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1WRYG4", "worker_id": "A19317A3X87NVM"}, {"asin": "B09KLPLGNX", "instruction": "i would like a twin size bed with a 8\" unassembled box string high density mattress.", "attributes": ["ready use", "fully assembled", "high density"], "options": ["size: twin", "style name: matt + 8\" unassembled box spring"], "instruction_attributes": ["high density"], "instruction_options": ["twin", "matt + 8\" unassembled box spring"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXSAGAW5", "worker_id": "A1WS884SI0SLO4"}], "B00BK54GWW": [{"asin": "B00BK54GWW", "instruction": "i am looking 2 bathbar marblezied having nickel finish vanity light", "attributes": ["nickel finish", "brushed nickel", "glass shade", "vanity light"], "options": [""], "instruction_attributes": ["nickel finish", "glass shade"], "instruction_options": [], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAMDA8S", "worker_id": "A3N9ZYQAESNFQH"}], "B09GFLJ4S8": [{"asin": "B09GFLJ4S8", "instruction": "i want to find a high-speed, fast-charging portable iphone charger that's black.", "attributes": ["high speed", "fast charging"], "options": ["color: black"], "instruction_attributes": ["high speed", "fast charging"], "instruction_options": ["black"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYN5J44", "worker_id": "A345TDMHP3DQ3G"}], "B00S6J0188": [{"asin": "B00S6J0188", "instruction": "i am looking for faceworks hypoallergenic lipstick for sensitive skin in the color matte nude hollywood.", "attributes": ["anti aging", "paraben free", "sensitive skin"], "options": ["color: frosted dupont circle"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZI1ZJP", "worker_id": "ABYRAWL4BGD3C"}], "B07WCNFJVC": [{"asin": "B07WCNFJVC", "instruction": "i need a beauty salon chair.", "attributes": ["heavy duty", "beauty salon"], "options": [""], "instruction_attributes": ["beauty salon"], "instruction_options": [], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40H1FYW", "worker_id": "A19317A3X87NVM"}], "B09T32NH5L": [{"asin": "B09T32NH5L", "instruction": "i'm looking for a men's loose fit shirt in xx-large for daily wear.", "attributes": ["slim fit", "loose fit", "long sleeve", "regular fit", "contrast color", "daily wear"], "options": ["size: xx-large"], "instruction_attributes": ["loose fit", "daily wear"], "instruction_options": ["xx-large"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455RPDYTP", "worker_id": "AFU00NU09CFXE"}], "B07416G244": [{"asin": "B07416G244", "instruction": "i'm looking for a 6 count, 9oz. simple mills gluten free almond flour baking bread mix in pumpkin flavor. it needs to be muffin pan ready and nutrient dense.", "attributes": ["grain free", "gluten free", "shelf stable", "plant based", "non gmo", "simple ingredients"], "options": ["flavor name: muffins variety pack", "size: 9 ounce (pack of 1)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CYS0VM", "worker_id": "ABYRAWL4BGD3C"}], "B005LBD76C": [{"asin": "B005LBD76C", "instruction": "i'm looking for a two-ounce stick of anti-perspirant that will be long-lasting.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OFUEYJ", "worker_id": "A345TDMHP3DQ3G"}], "B06XG8WKGM": [{"asin": "B06XG8WKGM", "instruction": "i need a machine washable ottoman seat that is contemporary and white navy colored.", "attributes": ["machine washable", "contemporary style"], "options": ["color: white navy", "style: coffee table"], "instruction_attributes": ["machine washable", "contemporary style"], "instruction_options": ["white navy"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG698Y8PR", "worker_id": "A19317A3X87NVM"}, {"asin": "B06XG8WKGM", "instruction": "i would like a white beige armless chair in a contemporary modern style.", "attributes": ["machine washable", "contemporary style"], "options": ["color: white beige", "style: armless chair"], "instruction_attributes": ["contemporary style"], "instruction_options": ["white beige", "armless chair"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DXKOTA", "worker_id": "A1WS884SI0SLO4"}], "B0773FVPXQ": [{"asin": "B0773FVPXQ", "instruction": "i need a long sleeve shirt with a red contrast color.", "attributes": ["slim fit", "contrast color", "long sleeve", "cotton spandex"], "options": ["color: z-red", "size: xx-large"], "instruction_attributes": ["contrast color", "long sleeve"], "instruction_options": ["z-red"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DV8071D", "worker_id": "A19317A3X87NVM"}], "B09QCZNZN8": [{"asin": "B09QCZNZN8", "instruction": "i need a medium size lovers casual round neck valentine's day print short sleeve tummy control v-neck t-shirt top, also, choose the \u8d2248 - wine color one.", "attributes": ["winter warm", "fleece lined", "slim fit", "short sleeve", "tummy control"], "options": ["color: \u8d2248 - wine", "size: medium"], "instruction_attributes": ["short sleeve", "tummy control"], "instruction_options": ["medium"], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPW0XK0W", "worker_id": "A258PTOZ3D2TQR"}], "B08QYJW5T5": [{"asin": "B08QYJW5T5", "instruction": "i need an eco friendly soy candle with an english pear scent.", "attributes": ["eco friendly", "soy wax", "living room"], "options": ["color: freesias & english pear"], "instruction_attributes": ["eco friendly", "soy wax"], "instruction_options": ["freesias & english pear"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0N6X7M", "worker_id": "A19317A3X87NVM"}], "B000WHZFHE": [{"asin": "B000WHZFHE", "instruction": "i'm looking for mccormick easy to prepare turkey gravy mix in a 0.87oz package.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: au jus gravy", "size: 1 ounce (pack of 12)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE2NCQGV", "worker_id": "ABYRAWL4BGD3C"}, {"asin": "B000WHZFHE", "instruction": "i'm looking for a size 0.75 ounce easy prepare turkey gravy mix.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: beef and herb", "size: 0.75 ounce (pack of 24)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["0.75 ounce (pack of 24)"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1BV2IO", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B000WHZFHE", "instruction": "i want an easy to prepare mccormick turkey brown gravy mix.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: premium brown", "size: 1.31 pound (pack of 1)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["premium brown"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AO3STV", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000WHZFHE", "instruction": "can you find me a pack of turkey gravy mix that is easy to prepare?", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: turkey gravy mix", "size: 0.75 ounce (pack of 1)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["turkey gravy mix", "0.75 ounce (pack of 1)"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HGFOYHP", "worker_id": "A3LIIE572Z4OG7"}], "B09LCYXFWX": [{"asin": "B09LCYXFWX", "instruction": "i'm looking for a cell phone case for my new iphone 13 mini, i want the case to have the non slip and wireless charging feature, also, the color should be in clear green and blue.", "attributes": ["non slip", "glass screen", "tempered glass", "wireless charging"], "options": ["color: clear green & blue"], "instruction_attributes": ["non slip", "wireless charging"], "instruction_options": ["clear green & blue"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQ1DJRB", "worker_id": "ARW1TCHCLEK1W"}], "B09DFFVJMQ": [{"asin": "B09DFFVJMQ", "instruction": "i'm looking for soft, blue plaid throw pillows for the living room, also machine washable.", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: blue ,plaid", "size: 16 x 16 inch"], "instruction_attributes": ["super soft", "machine washable", "living room"], "instruction_options": ["blue ,plaid"], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSGR6T6", "worker_id": "A19317A3X87NVM"}], "B07Q6PCRWP": [{"asin": "B07Q6PCRWP", "instruction": "i want to find a pair of women's ankle boots in an ice blue color. i wear a size 5 and need good arch support.", "attributes": ["leather sole", "arch support"], "options": ["color: ice blue nubuck", "size: 5"], "instruction_attributes": ["arch support"], "instruction_options": ["ice blue nubuck", "5"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EY5B1H", "worker_id": "A345TDMHP3DQ3G"}], "B07HBDV8Z5": [{"asin": "B07HBDV8Z5", "instruction": "find me a 2 ft 3 in x 14 ft sized living room square rug in either navy or cream color.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: cream | navy", "item shape: square", "size: 2 ft 3 in x 14 ft"], "instruction_attributes": ["living room"], "instruction_options": ["cream | navy", "square", "2 ft 3 in x 14 ft"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALVD4HW", "worker_id": "A3AYHESLQSDY5T"}], "B07MZ353XV": [{"asin": "B07MZ353XV", "instruction": "i need a large high resolution photography background in 10x7ft.", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 10x7ft"], "instruction_attributes": ["high resolution", "digital photography"], "instruction_options": ["10x7ft"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLAQUR8A", "worker_id": "A19317A3X87NVM"}], "B07D4BFKYB": [{"asin": "B07D4BFKYB", "instruction": "i'm looking for a solid wood, full size low platform storage bed.", "attributes": ["solid wood", "box spring"], "options": ["color: royal - dolphin linen", "size: full"], "instruction_attributes": ["solid wood"], "instruction_options": ["full"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7JJQYA", "worker_id": "A292TFDMNVS0TP"}, {"asin": "B07D4BFKYB", "instruction": "i am interested in a bos spring storage bed which is king sized.", "attributes": ["solid wood", "box spring"], "options": ["color: hadley - onyx", "size: king"], "instruction_attributes": ["box spring"], "instruction_options": ["king"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYPFHDT", "worker_id": "AHXHM1PQTRWIQ"}], "B01HJWEE4O": [{"asin": "B01HJWEE4O", "instruction": "i'd like to find a 3-pack of male to female high-speed hdmi cables. ideally these cables should be 12 feet long.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 3 pack", "size: 12 feet (4 pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["3 pack", "12 feet (4 pack)", "hdmi male to female"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHN4HQ0", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01HJWEE4O", "instruction": "i want to buy hdmi cable which is gold plated and comes in 10 pack with a length of 1.5 feet and is an hdmi male to male.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 1.5 feet (3 pack)", "style: hdmi male to male"], "instruction_attributes": ["gold plated"], "instruction_options": ["10 pack", "1.5 feet (3 pack)", "hdmi male to male"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTR5LP0", "worker_id": "AJY5G987IRT25"}], "B07T1WNB1B": [{"asin": "B07T1WNB1B", "instruction": "please help me find a cozy and warm fleece throw blanket. it should be quite large, about 50 by 80 inches.", "attributes": ["long lasting", "fleece throw"], "options": ["color: follow your dreamssan8295", "size: 50 in x 80 in"], "instruction_attributes": ["fleece throw"], "instruction_options": ["50 in x 80 in"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9W3V2S", "worker_id": "A3LIIE572Z4OG7"}], "B06XFVZWQF": [{"asin": "B06XFVZWQF", "instruction": "i want to find an ac adapter that features a dual-band cradle signal booster kit.", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZL2JF2S", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B06XFVZWQF", "instruction": "i am looking for an ac adapter that has output protection.", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NPJ2PT", "worker_id": "A2ECRNQ3X5LEXD"}], "B07S975Y8V": [{"asin": "B07S975Y8V", "instruction": "i want to find a pair of women's classic side sandals in black and red. i wear a size 7, and the shoes need to feature ethylene vinyl.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: black | red", "size: 7 women | 5 men"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["black | red", "7 women | 5 men"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401U4UMM", "worker_id": "A345TDMHP3DQ3G"}], "B08ZJWG6JM": [{"asin": "B08ZJWG6JM", "instruction": "i'd like to find a pair of size-12 men's waterproof sneakers. it should have ethylene vinyl and ideally i want the color to be breen.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: breen", "size: 12"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["breen", "12"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVDHX9L", "worker_id": "A345TDMHP3DQ3G"}], "B08THJRWHK": [{"asin": "B08THJRWHK", "instruction": "i need a 70\" portable, easy to install, and easy to use projector screen.", "attributes": ["easy install", "easy use"], "options": ["color: 70\""], "instruction_attributes": ["easy install", "easy use"], "instruction_options": ["70\""], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIWGRBA", "worker_id": "A19317A3X87NVM"}], "B08SPX44X3": [{"asin": "B08SPX44X3", "instruction": "i need some medium white casual shorts in a regular size.", "attributes": ["daily casual", "moisture wicking", "wash cold", "machine wash", "elastic waistband", "regular fit", "tumble dry"], "options": ["color: white", "size: medium"], "instruction_attributes": ["daily casual", "regular fit"], "instruction_options": ["white", "medium"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTZWN9G", "worker_id": "A19317A3X87NVM"}], "B00JJ5BPYM": [{"asin": "B00JJ5BPYM", "instruction": "i'm looking for a 12-pack of individually wrapped, spicy beef jamaican style patties.", "attributes": ["fully cooked", "individually wrapped"], "options": ["flavor: spicy beef", "size: 12 count (pack of 1)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["spicy beef", "12 count (pack of 1)"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXDZYLW", "worker_id": "A345TDMHP3DQ3G"}], "B09MYRB37Q": [{"asin": "B09MYRB37Q", "instruction": "i need a heavy duty beauty salon chair in black.", "attributes": ["heavy duty", "easy clean", "high quality", "beauty salon", "hair salon"], "options": ["color: black", "size: 2"], "instruction_attributes": ["heavy duty", "beauty salon"], "instruction_options": ["black"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILV1GZS7", "worker_id": "A19317A3X87NVM"}], "B07HJW43PF": [{"asin": "B07HJW43PF", "instruction": "i'm looking for a pair of men's adidas shoes with lace closure and rubber sole, and i need size seven.", "attributes": ["lace closure", "rubber sole"], "options": ["color: collegiate navy | white | core black", "size: 7"], "instruction_attributes": ["lace closure"], "instruction_options": ["7"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC5P8RKB", "worker_id": "ARW1TCHCLEK1W"}], "B095BV6LP8": [{"asin": "B095BV6LP8", "instruction": "i want a bling smartwatch case, apple series 6/5/4/3/2/1, with tempered glass, to fit a 44mm watch.", "attributes": ["compatible apple", "tempered glass", "glass screen"], "options": ["color: rose gold with tempered glass screen protector", "size: 44mm"], "instruction_attributes": ["compatible apple", "tempered glass"], "instruction_options": ["rose gold with tempered glass screen protector"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQX1S6R", "worker_id": "A13XQ3ZQLWYR72"}], "B08SHVTZ5Z": [{"asin": "B08SHVTZ5Z", "instruction": "i'm looking for a pair of turbo regular men's slippers with soft rubber floaters.", "attributes": ["long lasting", "ethylene vinyl", "vinyl acetate", "arch support", "rubber sole"], "options": ["color: royal blue black", "size: 10 m uk"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJX00UJ9", "worker_id": "ABYRAWL4BGD3C"}], "B07KWTYZJN": [{"asin": "B07KWTYZJN", "instruction": "i need an officially plated iron armor t-shirt which is medium, and also navy blue.", "attributes": ["officially licensed", "wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: women", "size: medium"], "instruction_attributes": ["officially licensed"], "instruction_options": ["navy", "medium"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9HAX56", "worker_id": "A19317A3X87NVM"}], "B081QN8R8D": [{"asin": "B081QN8R8D", "instruction": "i'd like to find a six-piece haircare gift set that includes items specifically meant to promote hair growth.", "attributes": ["tea tree", "hair growth"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDU20SL", "worker_id": "A345TDMHP3DQ3G"}], "B07Q4SBPP4": [{"asin": "B07Q4SBPP4", "instruction": "i'd like a brown wire-framed coffee table that i can put in my living room, fully assembled.", "attributes": ["fully assembled", "assembly required", "wood finish", "living room"], "options": [""], "instruction_attributes": ["fully assembled", "living room"], "instruction_options": [], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LV8EJKB", "worker_id": "A345TDMHP3DQ3G"}], "B08MMQH84M": [{"asin": "B08MMQH84M", "instruction": "i'm looking for some non-slip black vinyls.", "attributes": ["non slip", "ethylene vinyl", "vinyl acetate"], "options": ["color: new black", "size: 8.5 women | 8 men"], "instruction_attributes": ["non slip", "ethylene vinyl", "vinyl acetate"], "instruction_options": ["new black"], "assignment_id": "33CID5710F37J25O7G1CGJZBOCQL3Z", "worker_id": "A19317A3X87NVM"}], "B09R37C1G7": [{"asin": "B09R37C1G7", "instruction": "bragg premium nutritional yeast seasoning - vegan, gluten free cheese flakes \u2013 good source of protein & vitamins \u2013 nutritious savory parmesan cheese substitute \u2013 non gmo verified (variety, 3.0 ounce (pack of 2))", "attributes": ["low calorie", "low sodium", "dairy free", "non gmo", "gluten free"], "options": ["flavor: smoky bbq", "size: 4.5 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["smoky bbq"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAGCXZ7", "worker_id": "A3LIIE572Z4OG7"}], "B07JFD7D32": [{"asin": "B07JFD7D32", "instruction": "i'm looking for permanent hair coloring in a smoky pink color.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: smokey pink", "size: pack of 2", "style: silver & pinks"], "instruction_attributes": ["permanent hair"], "instruction_options": ["smokey pink"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRHUXJF", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07JFD7D32", "instruction": "i am looking for l'oreal paris feria hair dye in the color tropical teal.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 517 tropical teal", "size: pack of 1", "style: blues"], "instruction_attributes": ["hair dye"], "instruction_options": ["517 tropical teal"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LKRSPX", "worker_id": "AK3JMCIGU8MLU"}], "B074PB6F5J": [{"asin": "B074PB6F5J", "instruction": "i need some high performance speakers that are easy to install.", "attributes": ["high performance", "high speed", "easy install"], "options": [""], "instruction_attributes": ["high performance", "easy install"], "instruction_options": [], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TYONM0", "worker_id": "A19317A3X87NVM"}], "B07DQS31BW": [{"asin": "B07DQS31BW", "instruction": "i'm looking for the harklinikken balancing shampoo in 2.54 oz. it must be plant based and comprised of seed oil.", "attributes": ["plant based", "seed oil"], "options": [""], "instruction_attributes": ["plant based", "seed oil"], "instruction_options": [], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4W1I0C", "worker_id": "A1CB72B51L7TKE"}], "B00I83XF76": [{"asin": "B00I83XF76", "instruction": "i need high-speed usb cables with gold plates in a simple packaging.", "attributes": ["high speed", "gold plated"], "options": ["product packaging: frustration-free packaging", "size: 6 feet", "style: 1-pack + cable - 16 feet"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["frustration-free packaging"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPVXOR9", "worker_id": "A19317A3X87NVM"}], "B00KXDW4EE": [{"asin": "B00KXDW4EE", "instruction": "i need a 35-quart top mount pullout kitchen waste trash container easy install bin for 1.63 inch wood frame cabinet", "attributes": ["white item", "easy install", "wood frame"], "options": [""], "instruction_attributes": ["easy install", "wood frame"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3DPP63", "worker_id": "A258PTOZ3D2TQR"}], "B09DBRRC2J": [{"asin": "B09DBRRC2J", "instruction": "i want to find nontoxic eye shadow in white gold, as part of a blending brush set.", "attributes": ["non toxic", "eye shadow"], "options": ["color: white gold"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZLSNRT", "worker_id": "A345TDMHP3DQ3G"}], "B081KQTYZQ": [{"asin": "B081KQTYZQ", "instruction": "i need a quick release camera mount made of aluminum alloy.", "attributes": ["quick release", "aluminum alloy"], "options": [""], "instruction_attributes": ["quick release", "aluminum alloy"], "instruction_options": [], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SGWDU7", "worker_id": "A19317A3X87NVM"}], "B08MTQ1156": [{"asin": "B08MTQ1156", "instruction": "i need a machine washable jogger outfit in a red color.", "attributes": ["easy care", "machine washable"], "options": ["color: bling glitter-wine red", "size: large"], "instruction_attributes": ["easy care", "machine washable"], "instruction_options": ["bling glitter-wine red"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1AL8FHH", "worker_id": "A19317A3X87NVM"}], "B08G1995C3": [{"asin": "B08G1995C3", "instruction": "i want to buy a double-sided shower brush.", "attributes": ["double sided", "non toxic"], "options": [""], "instruction_attributes": ["double sided"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVY3F6LD", "worker_id": "A114NK7T5673GK"}], "B08ZLK16RR": [{"asin": "B08ZLK16RR", "instruction": "i want to find a straight spotting scope that i can use for bird-watching.", "attributes": ["non slip", "bird watching"], "options": ["shape: straight"], "instruction_attributes": ["bird watching"], "instruction_options": ["straight"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UEBJ6P", "worker_id": "A345TDMHP3DQ3G"}], "B09P5BJBML": [{"asin": "B09P5BJBML", "instruction": "i want to find some whitening toothpaste for sensitive teeth. the color should be orange and ideally it'll come in a set of two.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: orange", "size: 2bottle"], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": ["orange", "2bottle"], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38GKXJJX", "worker_id": "A345TDMHP3DQ3G"}], "B08NWSR8VL": [{"asin": "B08NWSR8VL", "instruction": "i am looking down jacket ,long sleeve pedded coat insulated thick puffer jacket", "attributes": ["winter warm", "long sleeve", "short sleeve", "faux fur"], "options": ["color: black-faux fur", "size: x-large"], "instruction_attributes": ["winter warm", "long sleeve"], "instruction_options": ["black-faux fur"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2YSHIV7", "worker_id": "A3N9ZYQAESNFQH"}], "B00NTR9B6A": [{"asin": "B00NTR9B6A", "instruction": "i'm looking for a skincare set including a snail gel cream. choose the ones that are fragrance and paraben free and comes in a size of 1.52 fl oz.", "attributes": ["fragrance free", "paraben free", "green tea", "hyaluronic acid"], "options": ["size: 1.52 fl oz (pack of 1)"], "instruction_attributes": ["fragrance free", "paraben free"], "instruction_options": ["1.52 fl oz (pack of 1)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZY8LK6", "worker_id": "A3MNXK3VDK37SN"}], "B017BE451M": [{"asin": "B017BE451M", "instruction": "i'm looking for some easy to install center channel speakers.", "attributes": ["easy install", "carbon fiber"], "options": ["size: 10 in", "style: center channel"], "instruction_attributes": ["easy install"], "instruction_options": ["center channel"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZYCKL9", "worker_id": "A19317A3X87NVM"}], "B01MQENV0C": [{"asin": "B01MQENV0C", "instruction": "i need a paraben free blow out mist serum.", "attributes": ["sulfate free", "paraben free", "natural hair"], "options": ["style: blow out mist"], "instruction_attributes": ["paraben free"], "instruction_options": ["blow out mist"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IVKBCV", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QQ8TVC2": [{"asin": "B09QQ8TVC2", "instruction": "i want to find a men's wine-colored long sleeve dress shirt in size xx-large.", "attributes": ["slim fit", "wash cold", "hand wash", "machine wash", "long sleeve", "regular fit", "short sleeve", "stretch fabric", "unique design", "button closure", "tumble dry"], "options": ["color: wine", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["wine", "xx-large"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILV06SZO", "worker_id": "A345TDMHP3DQ3G"}], "B095HCT8CK": [{"asin": "B095HCT8CK", "instruction": "i'm trying to find a black and walnut standing desk. it should be electric and height adjustable with memory presets as well.", "attributes": ["height adjustable", "white item", "steel frame"], "options": ["color: walnut and black", "size: 63"], "instruction_attributes": ["height adjustable"], "instruction_options": ["walnut and black"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NTXN2Z", "worker_id": "A3A9UHGEZBQBQP"}], "B09HRZ8V4P": [{"asin": "B09HRZ8V4P", "instruction": "i need a high quality elastic tie for my hair with a light blue band.", "attributes": ["high quality", "rose gold"], "options": ["color: light blue"], "instruction_attributes": ["high quality"], "instruction_options": ["light blue"], "assignment_id": "33CID5710F37J25O7G1CGJZBOCC3L3", "worker_id": "A19317A3X87NVM"}], "B07Y2FYGTN": [{"asin": "B07Y2FYGTN", "instruction": "i want to buy a keto deluxe trail mix that is made with natural flavors.", "attributes": ["artificial ingredients", "natural ingredients", "artificial flavors"], "options": ["flavor name: keto deluxe mix", "size: 18 ounce (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["keto deluxe mix"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJ7HW0F", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B07Y2FYGTN", "instruction": "i am interested in buying snacks which have natural ingredients, and have a flavor of keto choconut mix and the size of which is 16 ounce and come in pack of 1.", "attributes": ["artificial ingredients", "natural ingredients", "artificial flavors"], "options": ["flavor name: keto choconut mix", "size: 16 ounce (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["keto choconut mix", "16 ounce (pack of 1)"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH5W6HY", "worker_id": "AJY5G987IRT25"}, {"asin": "B07Y2FYGTN", "instruction": "i need a 1.5 pound box of trail mix that is keto and has natural ingredients.", "attributes": ["artificial ingredients", "natural ingredients", "artificial flavors"], "options": ["flavor name: keto variety snack packs", "size: 1.5 pound (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["keto variety snack packs", "1.5 pound (pack of 1)"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW2F4T3", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q98WCJQ": [{"asin": "B09Q98WCJQ", "instruction": "i need an easy carry headset in gray.", "attributes": ["easy carry", "carrying case"], "options": ["color: gray small"], "instruction_attributes": ["easy carry"], "instruction_options": ["gray small"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBPRAOA2", "worker_id": "A19317A3X87NVM"}], "B086WM1LQK": [{"asin": "B086WM1LQK", "instruction": "i'm looking for unicorn sprinkle surprise cereal bars which coms with 15 count (pack of 1), also gluten free and non gmo.", "attributes": ["individually wrapped", "gluten free", "non gmo", "nut free", "quality ingredients"], "options": ["flavor name: unicorn sprinkle surprise", "size: 15 count (pack of 1)"], "instruction_attributes": ["gluten free", "non gmo"], "instruction_options": ["unicorn sprinkle surprise", "15 count (pack of 1)"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCIFQ4K", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B086WM1LQK", "instruction": "i am looking gluten free non gmo nut free cereal bar size 40 count", "attributes": ["individually wrapped", "gluten free", "non gmo", "nut free", "quality ingredients"], "options": ["flavor name: dragon's dream cookies n' cream", "size: 40 count (pack of 1)"], "instruction_attributes": ["gluten free", "non gmo", "nut free"], "instruction_options": ["40 count (pack of 1)"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA932TZ3P", "worker_id": "A3N9ZYQAESNFQH"}], "B09MFL33Z2": [{"asin": "B09MFL33Z2", "instruction": "i need to buy a power charger for my car that is fast charging. it also needs to be black blue.", "attributes": ["fast charging", "high speed", "usb port"], "options": ["color: black blue(pd+qc)"], "instruction_attributes": ["fast charging"], "instruction_options": ["black blue(pd+qc)"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MK5I7DI", "worker_id": "A2YNPKYEFDZ6C9"}], "B09DK2QTMF": [{"asin": "B09DK2QTMF", "instruction": "i am looking for quad core video game console with high definition. pick a 256 gb one that is yellow in color.", "attributes": ["plug play", "high definition", "quad core"], "options": ["size: 256g-yellow"], "instruction_attributes": ["high definition", "quad core"], "instruction_options": ["256g-yellow"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUUU0MC7", "worker_id": "A1NF6PELRKACS9"}], "B09Q89DYTJ": [{"asin": "B09Q89DYTJ", "instruction": "i'm looking for some black high heeled sandals for my mom. she wears size 5.5.", "attributes": ["day comfort", "anti slip", "open toe", "non slip", "hand wash", "lace closure", "high heel", "faux fur"], "options": ["color: black", "size: 5.5"], "instruction_attributes": ["high heel"], "instruction_options": ["black", "5.5"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXR06WN4", "worker_id": "A36LOA6VLJU157"}], "B07VDMFW5D": [{"asin": "B07VDMFW5D", "instruction": "chocolatefilledcandy", "attributes": ["old fashioned", "non gmo"], "options": ["style: butterscotch"], "instruction_attributes": ["old fashioned"], "instruction_options": ["butterscotch"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCAI7IC", "worker_id": "A2EF88OYJ2OX19"}], "B00DYQ3Z5E": [{"asin": "B00DYQ3Z5E", "instruction": "i'm looking for gluten free which has a protein found in a wheat.", "attributes": ["nut free", "gluten free"], "options": ["flavor: peach preserve", "size: 12 ounce (pack of 2)", "style: preserve + morello cherry preserve"], "instruction_attributes": ["gluten free"], "instruction_options": ["peach preserve", "12 ounce (pack of 2)"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCC9VMBV", "worker_id": "A16IQOX0DK14OJ"}], "B09RWJWH4V": [{"asin": "B09RWJWH4V", "instruction": "find me the large loose fit towmus mens polo t shirt.", "attributes": ["slim fit", "loose fit", "moisture wicking", "short sleeve", "long sleeve", "regular fit", "classic fit"], "options": ["color: white", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["large"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU08L8JI", "worker_id": "A1CB72B51L7TKE"}], "B00J2APBZI": [{"asin": "B00J2APBZI", "instruction": "i want a oil-free concealer for dark circles for medium color.", "attributes": ["oil free", "dark circles"], "options": ["color: medium | deep", "size: 1 count (pack of 1)"], "instruction_attributes": ["oil free", "dark circles"], "instruction_options": ["medium | deep"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OHV3MY", "worker_id": "A19317A3X87NVM"}], "B08MDH6DPS": [{"asin": "B08MDH6DPS", "instruction": "i'd like to find a four-pack of low-carb chocolate chip cookies.", "attributes": ["low carb", "keto friendly", "high protein", "sugar free"], "options": ["flavor name: chocolate chip", "size: 4 pack"], "instruction_attributes": ["low carb"], "instruction_options": ["chocolate chip", "4 pack"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A65T7U8", "worker_id": "A345TDMHP3DQ3G"}], "B08QCY2B72": [{"asin": "B08QCY2B72", "instruction": "i want a power inverter with dual ac outlets and usb for my car. it should be 900 watts.", "attributes": ["high speed", "usb port", "aluminum alloy"], "options": ["size: 900watt"], "instruction_attributes": ["usb port"], "instruction_options": ["900watt"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TYAMNL", "worker_id": "A1NF6PELRKACS9"}], "B09QQL392H": [{"asin": "B09QQL392H", "instruction": "i need some purple polyester robes.", "attributes": ["hand wash", "machine wash", "drawstring waist", "elastic waist", "polyester spandex", "short sleeve"], "options": ["color: 2 purple", "size: xx-large"], "instruction_attributes": ["elastic waist", "polyester spandex"], "instruction_options": ["2 purple"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VLBGFZ", "worker_id": "A19317A3X87NVM"}], "B09534QLNF": [{"asin": "B09534QLNF", "instruction": "i need a steel framed dining set with a black and blue coating.", "attributes": ["high density", "coated steel", "tempered glass", "steel frame"], "options": ["color: black and blue", "size: 4 pieces"], "instruction_attributes": ["coated steel", "steel frame"], "instruction_options": ["black and blue"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB1P0LUX", "worker_id": "A19317A3X87NVM"}], "B07MS8XZPH": [{"asin": "B07MS8XZPH", "instruction": "i'm looking for a waterproof hiking sandals with arch support. also, choose the red color in a size 6.", "attributes": ["anti slip", "arch support"], "options": ["color: red-2", "size: 6"], "instruction_attributes": ["arch support"], "instruction_options": ["red-2", "6"], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM9O01IR", "worker_id": "A1TWVJS27CL3KT"}, {"asin": "B07MS8XZPH", "instruction": "i need an anti slip pair of sandals with arch support. pick something in purple, grey or green.", "attributes": ["anti slip", "arch support"], "options": ["color: purple grey green", "size: 11"], "instruction_attributes": ["anti slip", "arch support"], "instruction_options": ["purple grey green"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5S45F9", "worker_id": "A1NF6PELRKACS9"}], "B00CBM1EYG": [{"asin": "B00CBM1EYG", "instruction": "i want to find some bpa-free bottles of strawberry flavored emulsion extract. please find a package of six 4-ounce bottles.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: strawberry", "size: 4 ounce, 6 pack"], "instruction_attributes": ["bpa free"], "instruction_options": ["strawberry", "4 ounce, 6 pack"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OA799V", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B00CBM1EYG", "instruction": "i would like a 16 fluid ounce rum imitation extract that is bpa free.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: rum", "size: 16 fl oz."], "instruction_attributes": ["bpa free"], "instruction_options": ["rum", "16 fl oz."], "assignment_id": "352YTHGRO6NQF252G9RXYWYAL9TH4H", "worker_id": "A1WS884SI0SLO4"}], "B09NN95T7F": [{"asin": "B09NN95T7F", "instruction": "i need a bundle of red shower caps that are used for hair treatment.", "attributes": ["hair treatment", "hair salon"], "options": ["color: red"], "instruction_attributes": ["hair treatment"], "instruction_options": ["red"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTEZP9G", "worker_id": "AMG9Y1YLBTKIV"}], "B096LRK34W": [{"asin": "B096LRK34W", "instruction": "i want to find a black xx-large men's jean jacket that i can throw in the washing machine.", "attributes": ["slim fit", "machine wash", "day comfort", "button closure", "tumble dry"], "options": ["color: black 3106", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["black 3106", "xx-large"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017MV4P9", "worker_id": "A345TDMHP3DQ3G"}], "B08NHBJP12": [{"asin": "B08NHBJP12", "instruction": "i'm looking for non gmo kettle corn in the flavors of dark chocolate, marshmallow, and frosted sugar cookie. also, choose the set of three", "attributes": ["non gmo", "gluten free", "high fructose"], "options": ["flavor name: chocolate-covered raspberry & dark choco...", "size: 3 piece assortment"], "instruction_attributes": ["non gmo"], "instruction_options": ["chocolate-covered raspberry & dark choco...", "3 piece assortment"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGT9KOQX", "worker_id": "A1TWVJS27CL3KT"}], "B09LCQZZG4": [{"asin": "B09LCQZZG4", "instruction": "i need some compact space saving bookcases.", "attributes": ["space saving", "living room"], "options": [""], "instruction_attributes": ["space saving"], "instruction_options": [], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZCF3K8", "worker_id": "A19317A3X87NVM"}], "B07PNRXGZ8": [{"asin": "B07PNRXGZ8", "instruction": "i'm interested in a lightweight, easy to carry background for digital photography that is 9 x 6 feet.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 9x6ft"], "instruction_attributes": ["light weight", "easy carry", "digital photography"], "instruction_options": ["9x6ft"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKC2CE0F", "worker_id": "AFU00NU09CFXE"}], "B07V3HC86K": [{"asin": "B07V3HC86K", "instruction": "i want a super soft, yellow rug for the living room area.", "attributes": ["super soft", "living room"], "options": ["color: yellow", "size: 2 x 3 ft rectangle"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["yellow"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNYRDU0L", "worker_id": "A19317A3X87NVM"}], "B07SKCDWB1": [{"asin": "B07SKCDWB1", "instruction": "i'm looking for a tempered glass iphone 11 screen protector", "attributes": ["tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["tempered glass"], "instruction_options": [], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIPNT3L", "worker_id": "A292TFDMNVS0TP"}], "B09CYTXQPQ": [{"asin": "B09CYTXQPQ", "instruction": "large size white colored 1/4 zip golf shirt long sleeve athletic pullover with brushed fleece lining", "attributes": ["moisture wicking", "polyester spandex", "long sleeve"], "options": ["color: white", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XO4N9LR", "worker_id": "AL8NYDL4JOYL3"}], "B081H93CSY": [{"asin": "B081H93CSY", "instruction": "i am looking for dukal toothpastes of size :2.75 ounce |144 pack with oral hygiene.", "attributes": ["oral hygiene", "sensitive teeth"], "options": ["size: 2.75 ounce | 144 pack."], "instruction_attributes": ["oral hygiene"], "instruction_options": ["2.75 ounce | 144 pack."], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YIH3QA", "worker_id": "AX2EWYWZM19AZ"}], "B08NR5SJSW": [{"asin": "B08NR5SJSW", "instruction": "i need a face mask for dead skin removal with a peppermint scent.", "attributes": ["dead skin", "sensitive skin"], "options": ["scent: peppermint"], "instruction_attributes": ["dead skin"], "instruction_options": ["peppermint"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLK5VA9", "worker_id": "A19317A3X87NVM"}], "B08TZZP8MN": [{"asin": "B08TZZP8MN", "instruction": "i'm looking for an extra large boxer briefs with customizable multi face prints. choose the machine washable ones.", "attributes": ["machine washable", "machine wash", "comfortable fit"], "options": ["color: multi face", "size: x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["multi face", "x-large"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z4VLQCM", "worker_id": "A3MNXK3VDK37SN"}], "B08L4C63YF": [{"asin": "B08L4C63YF", "instruction": "i want to find a women's gift set that contains long-lasting edt spray and body cream.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZAPSHY", "worker_id": "A345TDMHP3DQ3G"}], "B09MMWY57X": [{"asin": "B09MMWY57X", "instruction": "large size black 44410 color snowflake graphic flowy vintage loose tunic tops for women", "attributes": ["hand wash", "short sleeve", "long sleeve", "tumble dry", "teen girls", "daily wear"], "options": ["color: black 44410", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8M56LWR", "worker_id": "AL8NYDL4JOYL3"}], "B08R5L5H8F": [{"asin": "B08R5L5H8F", "instruction": "i'm looking for a professional photography turntable with electric motorized 360-degree rotating display stand and soft touch button to control speed in white.", "attributes": ["batteries included", "long lasting", "aaa batteries"], "options": ["color: white"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72A61OEQ", "worker_id": "ABYRAWL4BGD3C"}], "B00S560WPE": [{"asin": "B00S560WPE", "instruction": "i need a dermatologist tested moisturizer with a buttercream scent.", "attributes": ["dermatologist tested", "oil free", "hyaluronic acid"], "options": ["flavor name: buttercream 03", "size: 1.18 fl oz (pack of 1)"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["buttercream 03"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMBVW9B", "worker_id": "A19317A3X87NVM"}], "B08QV6FVNP": [{"asin": "B08QV6FVNP", "instruction": "i need some grey living room pillow covers.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: grey 2 | linen band", "size: 2 pieces, 12\" x20\""], "instruction_attributes": ["living room"], "instruction_options": ["grey 2 | linen band"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGY8YDHA", "worker_id": "A19317A3X87NVM"}], "B0014C2NKS": [{"asin": "B0014C2NKS", "instruction": "i want some vinyl acetate clogs in women's size 8.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: pool", "size: 8 women | 7 men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["8 women | 7 men"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNFPSLDA", "worker_id": "A19317A3X87NVM"}], "B07PX8S57X": [{"asin": "B07PX8S57X", "instruction": "i am looking lightweight backgrounds for my digital photography that has 15x10ft size", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 15x10ft"], "instruction_attributes": ["light weight", "digital photography"], "instruction_options": ["15x10ft"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUFJQJP", "worker_id": "A2COCSUGZV28X"}], "B08TVSCDKC": [{"asin": "B08TVSCDKC", "instruction": "find me a heavy duty wall plate that is 1-gang blank style.", "attributes": ["heavy duty", "high gloss"], "options": ["style: 1-gang blank"], "instruction_attributes": ["heavy duty"], "instruction_options": ["1-gang blank"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q37ALZH", "worker_id": "A36LOA6VLJU157"}], "B007TDNS3M": [{"asin": "B007TDNS3M", "instruction": "i'm interested in a pair of rubber-soled, non-slip snakeskin shoes in a size medium.", "attributes": ["non slip", "high heel", "rubber sole"], "options": ["color: snakeskin (black | silver)", "size: medium (6.5 - 8)"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["snakeskin (black | silver)", "medium (6.5 - 8)"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISHWYO3", "worker_id": "AFU00NU09CFXE"}], "B00KYOMIDY": [{"asin": "B00KYOMIDY", "instruction": "i'm looking for a pair of navy pants for men in a size 36w x 34l for daily wear made from a polyester-cotton blend.", "attributes": ["polyester cotton", "stretch fabric", "daily wear"], "options": ["color: navy", "size: 36w x 34l"], "instruction_attributes": ["polyester cotton", "daily wear"], "instruction_options": ["navy", "36w x 34l"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LZE0LP", "worker_id": "AFU00NU09CFXE"}], "B09CSTXGQ5": [{"asin": "B09CSTXGQ5", "instruction": "i want 50g of green brew edible glitter in bronze. it must be nut and dairy free.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: bronze", "size: 50g"], "instruction_attributes": ["nut free", "dairy free"], "instruction_options": ["bronze", "50g"], "assignment_id": "38F71OA9G46M5W32RN3TH53XR7DFMW", "worker_id": "A1CB72B51L7TKE"}, {"asin": "B09CSTXGQ5", "instruction": "i want a nut free brew glitter in the maroon red color.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: maroon red", "size: 45g shaker"], "instruction_attributes": ["nut free"], "instruction_options": ["maroon red"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHC11EO", "worker_id": "AVIEE6LDH0BT5"}], "B09KTYCG98": [{"asin": "B09KTYCG98", "instruction": "i am looking for an easy to assemble sofa with metal legs and preferably grey in color.", "attributes": ["button tufted", "easy assemble", "metal legs", "solid wood", "living room"], "options": ["color: grey"], "instruction_attributes": ["easy assemble", "metal legs"], "instruction_options": ["grey"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDF679EN", "worker_id": "A114NK7T5673GK"}], "B08PCNXQJH": [{"asin": "B08PCNXQJH", "instruction": "i want the n!ck's swedish chocolate variety pack ice cream but i want the bakery flavor. it must be keto friendly.", "attributes": ["keto friendly", "zero sugar"], "options": ["flavor name: bakery"], "instruction_attributes": ["keto friendly"], "instruction_options": ["bakery"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXX67G0", "worker_id": "A1CB72B51L7TKE"}], "B07XS6W35B": [{"asin": "B07XS6W35B", "instruction": "i want to find 0.9 ounce packets of old-fashioned, harvest raspberry flavored oatmeal. they should come in a pack of 8.", "attributes": ["old fashioned", "artificial colors"], "options": ["flavor: harvest raspberry", "size: 0.9 ounce (pack of 8)"], "instruction_attributes": ["old fashioned"], "instruction_options": ["harvest raspberry", "0.9 ounce (pack of 8)"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96V84G5", "worker_id": "A345TDMHP3DQ3G"}], "B081KWP6N5": [{"asin": "B081KWP6N5", "instruction": "i want to find a hand-crafted care package box filled with the best meats, cheeses and savory snacks.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWAC6WZ", "worker_id": "A345TDMHP3DQ3G"}], "B09DGG7H6H": [{"asin": "B09DGG7H6H", "instruction": "i need a clear glass wall mounting lamp for my bath room. and i would prefer 2-light size", "attributes": ["vanity light", "clear glass", "glass shade", "light fixture"], "options": ["size: 2-light"], "instruction_attributes": ["clear glass"], "instruction_options": ["2-light"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X02QD437", "worker_id": "A2COCSUGZV28X"}], "B09P8HZ15L": [{"asin": "B09P8HZ15L", "instruction": "please help me find a monocular telescope with good high power and zoom. it needs to work at night for bird watching.", "attributes": ["non slip", "high power", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8RSWKSZ", "worker_id": "A3LIIE572Z4OG7"}], "B08TVWK24W": [{"asin": "B08TVWK24W", "instruction": "i need heavy duty electrical outlets with high gloss.", "attributes": ["heavy duty", "high gloss"], "options": ["style: outlet"], "instruction_attributes": ["heavy duty", "high gloss"], "instruction_options": ["outlet"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0ETRAD", "worker_id": "A19317A3X87NVM"}], "B01N6MGRFE": [{"asin": "B01N6MGRFE", "instruction": "i want to find a pair of dark gray, slip resistant women's work shoes. i wear a size 9.5, usually.", "attributes": ["slip resistant", "synthetic sole"], "options": ["color: dark gray", "size: 9.5"], "instruction_attributes": ["slip resistant"], "instruction_options": ["dark gray"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KF39JA", "worker_id": "A345TDMHP3DQ3G"}], "B07C9JMLWL": [{"asin": "B07C9JMLWL", "instruction": "i want to get some lemon sesame and ginger tuna salad that is wild caught.", "attributes": ["ready eat", "high protein", "wild caught", "gluten free"], "options": ["flavor name: lemon sesame & ginger"], "instruction_attributes": ["wild caught"], "instruction_options": ["lemon sesame & ginger"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4M2XYA", "worker_id": "A2YNPKYEFDZ6C9"}], "B08V4WTKGK": [{"asin": "B08V4WTKGK", "instruction": "i'm looking for a blu-ray and dvd player in ultra hd.", "attributes": ["blu ray", "ultra hd", "dual band"], "options": [""], "instruction_attributes": ["blu ray", "ultra hd"], "instruction_options": [], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6YREV9", "worker_id": "A345TDMHP3DQ3G"}], "B09SV1V24L": [{"asin": "B09SV1V24L", "instruction": "i'm looking for a hair growth serum designed to combat hair loss and repair damaged hair.", "attributes": ["hair growth", "damaged hair", "hair loss"], "options": [""], "instruction_attributes": ["hair growth", "damaged hair", "hair loss"], "instruction_options": [], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2SNY7E", "worker_id": "AFU00NU09CFXE"}], "B09QS66QTZ": [{"asin": "B09QS66QTZ", "instruction": "i'm looking for some mid-century style grey chairs.", "attributes": ["mid century", "easy assemble", "button tufted", "high density", "easy install", "easy clean", "wood frame", "solid wood", "living room"], "options": ["color: grey"], "instruction_attributes": ["mid century"], "instruction_options": ["grey"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84UEC6G", "worker_id": "A19317A3X87NVM"}], "B08KRW147K": [{"asin": "B08KRW147K", "instruction": "i want to find a camel-colored tissue box cover that is made of pu leather.", "attributes": ["pu leather", "living room"], "options": ["color: camel"], "instruction_attributes": ["pu leather"], "instruction_options": ["camel"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788YB5CZ", "worker_id": "A345TDMHP3DQ3G"}], "B09R9M7B76": [{"asin": "B09R9M7B76", "instruction": "i'm looking for dark gray button down short-sleeve shirts.", "attributes": ["machine washable", "loose fit", "hand wash", "short sleeve", "everyday wear"], "options": ["color: a-dark gray", "size: xx-large"], "instruction_attributes": ["short sleeve", "everyday wear"], "instruction_options": ["a-dark gray"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUFZQJ5", "worker_id": "A19317A3X87NVM"}], "B09NY9TVQJ": [{"asin": "B09NY9TVQJ", "instruction": "i'm looking for teeth cleansing toothpaste which is idol for fresh breath,stain removal and longlasting. i need 2pcs in purple color.", "attributes": ["long lasting", "natural ingredients", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: 2pcs purple"], "instruction_attributes": ["long lasting", "fresh breath"], "instruction_options": ["2pcs purple"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TJDUSP", "worker_id": "A3KAF6CU2BYVLG"}], "B09NSSG2GG": [{"asin": "B09NSSG2GG", "instruction": "looking for a very powerful range extender antenna with high performance.", "attributes": ["high performance", "dual band"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZ6T7R8", "worker_id": "A2NF3B9O8ZKLLZ"}], "B0987XMJMF": [{"asin": "B0987XMJMF", "instruction": "i need some non-slip black walking shoes in the color black and size 7.5 for women.", "attributes": ["non slip", "lace closure", "teen girls", "daily wear"], "options": ["color: black", "size: 7.5"], "instruction_attributes": ["non slip", "teen girls"], "instruction_options": ["black", "7.5"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7XK4ZT6", "worker_id": "A19317A3X87NVM"}], "B01A87UAF4": [{"asin": "B01A87UAF4", "instruction": "i need a gift basket for welcoming.", "attributes": ["great gift", "gift basket"], "options": ["color: welcome cottage gift box"], "instruction_attributes": ["gift basket"], "instruction_options": ["welcome cottage gift box"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB680EA4I", "worker_id": "A19317A3X87NVM"}, {"asin": "B01A87UAF4", "instruction": "i am looking for a gift basket of candy & chocolate gifts. also, choose the welcome cottage gift box.", "attributes": ["great gift", "gift basket"], "options": ["color: welcome cottage gift box"], "instruction_attributes": ["gift basket"], "instruction_options": ["welcome cottage gift box"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IRC23Y", "worker_id": "A9QRQL9CFJBI7"}], "B077NXMB8B": [{"asin": "B077NXMB8B", "instruction": "you need to come up with an instruction for a virtual shopping assistant (ai with human-level smartness) to buy a product on amazon. you will be given a product's title along with some of its background information, such as the product's tags, buying options, and its category on the amazon website. you need write an instruction that tells a virtual assistant what you want to buy. include at least one tag in your instruction. when suitable, more tags is better. include at least one buying option in your instruction. check the tag boxes that you included in the instruction. avoid including too much information from \"product title\". this is only to provide a better context (see example page). a good instruction should allow the ai assistant to find the intended product. the instruction should be natural sounding text. imagine you are talking to a smart ai. diversify language use when viable.", "attributes": ["polyester spandex", "elastic closure", "comfortable fit", "tummy control", "gym workout"], "options": ["color: spacedye mattblack", "size: large"], "instruction_attributes": ["tummy control", "gym workout"], "instruction_options": ["spacedye mattblack", "large"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAGRXZM", "worker_id": "ASL9LVC97FUCZ"}], "B01K5BFFQW": [{"asin": "B01K5BFFQW", "instruction": "i need some fresh baked rye.", "attributes": ["baked fresh", "perfect gift"], "options": [""], "instruction_attributes": ["baked fresh"], "instruction_options": [], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQS5L10", "worker_id": "A19317A3X87NVM"}], "B099S9VLGN": [{"asin": "B099S9VLGN", "instruction": "i want buy a string backpack with small woman kids travel bag", "attributes": ["high quality", "eye shadow"], "options": ["color: elephant sunflower"], "instruction_attributes": ["high quality"], "instruction_options": ["elephant sunflower"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EK5UPV6", "worker_id": "A3N9ZYQAESNFQH"}], "B00UJGXSDG": [{"asin": "B00UJGXSDG", "instruction": "i am looking for 9'x 12' size modern ombre that fits for my living room. and i would prefer the purple one", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: cream | purple", "size: 9' x 12'"], "instruction_attributes": ["living room"], "instruction_options": ["cream | purple", "9' x 12'"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMA4XE2", "worker_id": "A2COCSUGZV28X"}], "B007XAHUHQ": [{"asin": "B007XAHUHQ", "instruction": "i want to get some satin nickel wall sconces that are 40 inches in width. they also need to have a bronze finish.", "attributes": ["bronze finish", "glass shade"], "options": ["color: satin nickel", "size: 40\" width"], "instruction_attributes": ["bronze finish"], "instruction_options": ["satin nickel", "40\" width"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3RS2R07", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B007XAHUHQ", "instruction": "this brand eurofase 23271-036 zuma frosted tube glass with cast metal frame sconce wall mount lighting, 2-light 80 total watts, 13\"h x 5\"w, bronze finish for my living room, help me", "attributes": ["bronze finish", "glass shade"], "options": ["color: satin nickel", "size: 5\" width"], "instruction_attributes": ["bronze finish"], "instruction_options": ["5\" width"], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6N1EEK", "worker_id": "A15IJ20C3R4HUO"}], "B073GJN22W": [{"asin": "B073GJN22W", "instruction": "i need a 9 channel power amplifier.", "attributes": ["power amplifier", "high resolution"], "options": ["size: 9 ch."], "instruction_attributes": ["power amplifier"], "instruction_options": ["9 ch."], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZKUCNH", "worker_id": "A19317A3X87NVM"}], "B0868PWFRR": [{"asin": "B0868PWFRR", "instruction": "i need a lorex ultra hd indoor wired dvr security camera system with motion detection", "attributes": ["ultra hd", "high definition", "motion detection"], "options": [""], "instruction_attributes": ["ultra hd", "motion detection"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZ4RK98", "worker_id": "A258PTOZ3D2TQR"}], "B08BF8TLFN": [{"asin": "B08BF8TLFN", "instruction": "i need some straight legged levi jeans in big and tall, with a button and not a zipper.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: the ben big & tall", "size: 56w x 32l"], "instruction_attributes": ["straight leg", "button closure"], "instruction_options": ["the ben big & tall"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95CRTHPK", "worker_id": "A19317A3X87NVM"}, {"asin": "B08BF8TLFN", "instruction": "i would like a pair of 58 w and 32 long dark stonewash straight leg jeans.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: dark stonewash (waterless)", "size: 58w x 32l"], "instruction_attributes": ["straight leg"], "instruction_options": ["dark stonewash (waterless)", "58w x 32l"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4F1BSI", "worker_id": "A1WS884SI0SLO4"}], "B093YT9DVH": [{"asin": "B093YT9DVH", "instruction": "two wolf bags one large and one small bra and panty set jeans white blouse and a zipper jacket", "attributes": ["blouse hosiery", "imported zipper", "laundry bag"], "options": [""], "instruction_attributes": ["imported zipper"], "instruction_options": [], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401UBUMT", "worker_id": "A3TTGSUBIK1YCL"}], "B01MYX0CPW": [{"asin": "B01MYX0CPW", "instruction": "i'm looking for a large package of micro applicator brushes that has it's own storage case and comes in purple, blue, pink, and white.", "attributes": ["storage case", "nail art"], "options": ["color: purple+blue+pink+white (400pcs)"], "instruction_attributes": ["storage case"], "instruction_options": ["purple+blue+pink+white (400pcs)"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UOQK33O", "worker_id": "A3DCXIXXYOO8QL"}], "B08QHX6692": [{"asin": "B08QHX6692", "instruction": "i'm looking for a pair of women's workout shorts with a drawstring waist. i need them to be extra large and in light gray.", "attributes": ["loose fit", "drawstring waist", "drawstring closure", "daily wear"], "options": ["color: light grey", "size: x-large"], "instruction_attributes": ["drawstring waist"], "instruction_options": ["light grey", "x-large"], "assignment_id": "354P56DE9VDCOY11T1135MPML8Y7SI", "worker_id": "A345TDMHP3DQ3G"}], "B07QPVJKYR": [{"asin": "B07QPVJKYR", "instruction": "i want to find strawberry mango fruit spread that's fat free.", "attributes": ["fat free", "high fructose"], "options": ["flavor name: strawberry mango"], "instruction_attributes": ["fat free"], "instruction_options": ["strawberry mango"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP8NLZ72", "worker_id": "A345TDMHP3DQ3G"}], "B08JBMFCXC": [{"asin": "B08JBMFCXC", "instruction": "find me a dual band signal booster.", "attributes": ["dual band", "4g lte"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPI8485C", "worker_id": "A36LOA6VLJU157"}], "B09P13MCCQ": [{"asin": "B09P13MCCQ", "instruction": "i need a light weight photo studio wall prop in 100 square feet for a high resolution image.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a26", "size: 10x10ft | 3x3m"], "instruction_attributes": ["light weight", "high resolution"], "instruction_options": ["10x10ft | 3x3m"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGY9ZN7V", "worker_id": "A19317A3X87NVM"}], "B08CBVV28M": [{"asin": "B08CBVV28M", "instruction": "i'd love help finding a square ottoman coffee table made of solid wood. it should come in gray.", "attributes": ["button tufted", "solid wood"], "options": ["color: grey-pu square ottoman", "size: square ottoman with casters"], "instruction_attributes": ["solid wood"], "instruction_options": ["grey-pu square ottoman", "square ottoman with casters"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHLA4Z2", "worker_id": "A345TDMHP3DQ3G"}], "B01FRGFOHK": [{"asin": "B01FRGFOHK", "instruction": "i'm looking for coconut oil body butters.", "attributes": ["coconut oil", "dry hair"], "options": [""], "instruction_attributes": ["coconut oil"], "instruction_options": [], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XXQ9FAX", "worker_id": "A19317A3X87NVM"}], "B085YFRM74": [{"asin": "B085YFRM74", "instruction": "i'm trying to find white bluetooth speakers that are not only water resistant but also come with stereo sound.", "attributes": ["water resistant", "long lasting", "stereo sound"], "options": ["color: white"], "instruction_attributes": ["water resistant", "stereo sound"], "instruction_options": ["white"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGSELSG", "worker_id": "A345TDMHP3DQ3G"}], "B094JH14C9": [{"asin": "B094JH14C9", "instruction": "i'm looking for a teal blue watch band that's easy to install.", "attributes": ["easy install", "stainless steel"], "options": ["color: teal blue"], "instruction_attributes": ["easy install"], "instruction_options": ["teal blue"], "assignment_id": "39K0FND3ASPR95MUG7H134S6UQGAMS", "worker_id": "A345TDMHP3DQ3G"}], "B095C9YLM2": [{"asin": "B095C9YLM2", "instruction": "i'm looking for some high heeled sandals in size 9. also, in the color red.", "attributes": ["open toe", "closed toe", "ankle strap", "memory foam", "high heel", "arch support"], "options": ["color: #07-red", "size: 9"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["#07-red", "9"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY10708X", "worker_id": "A19317A3X87NVM"}], "B011M8UDA0": [{"asin": "B011M8UDA0", "instruction": "i am looking for an exfoliating and soothing skin cream for keratosis pilaris and would like a two pack of four oz containers", "attributes": ["dermatologist tested", "green tea"], "options": ["size: two pack"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["two pack"], "assignment_id": "3BGYGHDBB8UCXYNXTA52IDVACYI22Z", "worker_id": "A21SVM7079V6OP"}], "B08LGK3SXL": [{"asin": "B08LGK3SXL", "instruction": "i'm hoping to find a stainless steel set of wireless headphones that comes with a carrying case. ideally the metal on the headphones should be black and the leather should be olive colored.", "attributes": ["gold plated", "carrying case", "stainless steel"], "options": ["color: black metal | olive leather"], "instruction_attributes": ["carrying case", "stainless steel"], "instruction_options": ["black metal | olive leather"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163ESPQR", "worker_id": "A345TDMHP3DQ3G"}], "B003RWVFEI": [{"asin": "B003RWVFEI", "instruction": "i'm searching for canned skinless and boneless pink salmon which is ready to eat. also, i want sweet and spicy flavor.", "attributes": ["wild caught", "fat free", "ready eat"], "options": ["flavor name: sweet & spicy"], "instruction_attributes": ["ready eat"], "instruction_options": ["sweet & spicy"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFGMPGBL", "worker_id": "A1198W1SPF1R4"}], "B0924JK3Z6": [{"asin": "B0924JK3Z6", "instruction": "i need some open toe women's sandals in size 10.5.", "attributes": ["open toe", "closed toe", "ankle strap", "everyday wear"], "options": ["color: #2", "size: 10.5"], "instruction_attributes": ["open toe"], "instruction_options": ["10.5"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2M7SFOB", "worker_id": "A19317A3X87NVM"}], "B0749QT7GQ": [{"asin": "B0749QT7GQ", "instruction": "i am looking for a gluten free almond flour with 32 ounce (pack of 4)", "attributes": ["gluten free", "non gmo", "source vitamin"], "options": ["size: 32 ounce (pack of 4)", "style: regular"], "instruction_attributes": ["gluten free"], "instruction_options": ["32 ounce (pack of 4)"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OP95FW1", "worker_id": "A3QZMGTVA4VO44"}], "B08YCWF272": [{"asin": "B08YCWF272", "instruction": "i want to find a signal booster for my 4g lte phone, and it needs to have a dual-band cell signal repeater.", "attributes": ["dual band", "4g lte"], "options": [""], "instruction_attributes": ["dual band", "4g lte"], "instruction_options": [], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1AL0HFB", "worker_id": "A345TDMHP3DQ3G"}], "B09M6S8GNB": [{"asin": "B09M6S8GNB", "instruction": "i'm hoping to find a 4g lte tablet that i can use for my work.", "attributes": ["dual band", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBDMGI9", "worker_id": "A345TDMHP3DQ3G"}], "B088T8FWSJ": [{"asin": "B088T8FWSJ", "instruction": "i need a super soft throw pillow in coral for my living room.", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: coral", "size: 16''x16''"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["coral"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VC1MXM", "worker_id": "A19317A3X87NVM"}], "B07QC3KYRN": [{"asin": "B07QC3KYRN", "instruction": "i need a modern wall mount for light led in bronze with a 36\" wide.", "attributes": ["bronze finish", "glass shade"], "options": ["color: nickel", "size: 36\" wide"], "instruction_attributes": ["bronze finish"], "instruction_options": ["36\" wide"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVM9YEXB", "worker_id": "A2Y2TURT2VEYZN"}], "B07C39RCNZ": [{"asin": "B07C39RCNZ", "instruction": "i\u2019m looking for a dht blocking anti hair loss set with hyaluronic acid as pure hair growth support shampoo", "attributes": ["hyaluronic acid", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hyaluronic acid", "hair growth"], "instruction_options": [], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0GSCCB", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08BCGZC4M": [{"asin": "B08BCGZC4M", "instruction": "i need a long high speed and aluminum alloy usb 3.0 extension cable of male-male style and 3.3ft long size", "attributes": ["gold plated", "high performance", "plug play", "high speed", "aluminum alloy"], "options": ["size: 3.3ft", "style: male-male"], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CBD2T9", "worker_id": "A258PTOZ3D2TQR"}], "B084LHV2M1": [{"asin": "B084LHV2M1", "instruction": "i need an oil and paraben free shampoo for my hair. it should be 29.2 fluid ounces in size.", "attributes": ["dermatologist tested", "oil free", "paraben free", "cruelty free"], "options": [""], "instruction_attributes": ["oil free", "paraben free"], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OLRFH5L", "worker_id": "A1NF6PELRKACS9"}], "B07QC96VV9": [{"asin": "B07QC96VV9", "instruction": "blue color velvet upholstered suitable for large living room.", "attributes": ["metal legs", "living room"], "options": [""], "instruction_attributes": ["metal legs", "living room"], "instruction_options": [], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39YVCZR", "worker_id": "AL8NYDL4JOYL3"}], "B08LVXD5Z3": [{"asin": "B08LVXD5Z3", "instruction": "i want to find a gray twin-sized daybed with a trundle made out of solid wood.", "attributes": ["twin size", "space saving", "easy assemble", "box spring", "solid wood", "living room"], "options": ["color: grey", "size: with trundle"], "instruction_attributes": ["twin size", "solid wood"], "instruction_options": ["grey", "with trundle"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXD0O5N", "worker_id": "A345TDMHP3DQ3G"}], "B000XESVO0": [{"asin": "B000XESVO0", "instruction": "i need a black, rubber sole workboot in size 11.5.", "attributes": ["moisture wicking", "steel toe", "rubber sole"], "options": ["color: black", "size: 11.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black", "11.5"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGSILSK", "worker_id": "A19317A3X87NVM"}], "B005LURBFQ": [{"asin": "B005LURBFQ", "instruction": "get me sugar free water drink mix. i like half iced tea and half lemonade flavor.", "attributes": ["sugar free", "source vitamin"], "options": ["flavor name: half iced tea | half lemonade"], "instruction_attributes": ["sugar free"], "instruction_options": ["half iced tea | half lemonade"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSH3GLA", "worker_id": "A1NF6PELRKACS9"}], "B092M6NZNS": [{"asin": "B092M6NZNS", "instruction": "i'd like to find aa batteries that are fast-charging and compatible with my xbox controller.", "attributes": ["fast charging", "aaa batteries"], "options": ["size: aa battery"], "instruction_attributes": ["fast charging"], "instruction_options": ["aa battery"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJD1BXQ", "worker_id": "A345TDMHP3DQ3G"}], "B07NSWJ1G7": [{"asin": "B07NSWJ1G7", "instruction": "i want a size 6 donna morgan women's knotted crepe sheath dress that is machine washable. i want it in viridian green.", "attributes": ["machine wash", "imported zipper", "polyester spandex"], "options": ["color: viridian green", "size: 6"], "instruction_attributes": ["machine wash"], "instruction_options": ["viridian green", "6"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02ICE236", "worker_id": "A1CB72B51L7TKE"}], "B09J2WGRHW": [{"asin": "B09J2WGRHW", "instruction": "i want to find a long-lasting tempered glass phone screen protector that i can use. the color needs to be liquid purple and blue.", "attributes": ["long lasting", "glass screen", "tempered glass"], "options": ["color: ring liquid purple | blue"], "instruction_attributes": ["long lasting", "glass screen", "tempered glass"], "instruction_options": ["ring liquid purple | blue"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88QPYDKA", "worker_id": "A345TDMHP3DQ3G"}], "B096M1D621": [{"asin": "B096M1D621", "instruction": "i want to buy a gray a gray color daybed in twin size with a wooden frame.", "attributes": ["twin size", "white item", "easy assemble", "king size", "wood frame", "box spring", "solid wood", "living room"], "options": ["color: grey"], "instruction_attributes": ["twin size", "wood frame"], "instruction_options": ["grey"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNE34IXP", "worker_id": "A2YNPKYEFDZ6C9"}], "B0966CMX16": [{"asin": "B0966CMX16", "instruction": "i'm looking for some temporary hair chalk for my teenage niece; it should be easy to apply to dry hair.", "attributes": ["easy apply", "dry hair"], "options": [""], "instruction_attributes": ["easy apply", "dry hair"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCRHD0T", "worker_id": "A3LIIE572Z4OG7"}], "B073JC1M93": [{"asin": "B073JC1M93", "instruction": "i'd like to find a large, navy-colored women's skater dress that's machine washable.", "attributes": ["machine washable", "hand wash", "polyester spandex", "daily wear"], "options": ["color: navy", "size: large"], "instruction_attributes": ["machine washable"], "instruction_options": ["navy", "large"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXHU4ON", "worker_id": "A345TDMHP3DQ3G"}], "B09CLHRQGW": [{"asin": "B09CLHRQGW", "instruction": "find an electric spa body brush with a long handle that comes in stainless steel for me please", "attributes": ["long handle", "stainless steel"], "options": [""], "instruction_attributes": ["long handle", "stainless steel"], "instruction_options": [], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KD9QRHV", "worker_id": "AH3PIENWVI58N"}], "B08DTQ7YZM": [{"asin": "B08DTQ7YZM", "instruction": "i need a digital photography background that is lightweight, easy to carry, and 8 by 6 feet in size.", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 8x6ft"], "instruction_attributes": ["light weight", "easy carry", "digital photography"], "instruction_options": ["8x6ft"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29B62X8X", "worker_id": "AHTWQSOY6HTJI"}], "B07MZ2W5T7": [{"asin": "B07MZ2W5T7", "instruction": "i want to find a 7x5 foot underwater world backdrop that's high resolution and also lightweight.", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 7x5ft"], "instruction_attributes": ["light weight", "high resolution"], "instruction_options": ["7x5ft"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9HYX5U", "worker_id": "A345TDMHP3DQ3G"}], "B07VMYLG81": [{"asin": "B07VMYLG81", "instruction": "i want to find snickerdoodle cookie bites that are dairy free and low carb.", "attributes": ["plant based", "low carb", "non gmo", "dairy free"], "options": ["flavor name: snickerdoodle"], "instruction_attributes": ["low carb", "dairy free"], "instruction_options": ["snickerdoodle"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNC47BLK", "worker_id": "A345TDMHP3DQ3G"}], "B08ZMKVT1N": [{"asin": "B08ZMKVT1N", "instruction": "i need a motion-activated black bullet camera in 1080p hd.", "attributes": ["1080p hd", "motion detection"], "options": ["color: black", "size: 1 count (pack of 1)"], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": ["black"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJO40DYY", "worker_id": "A19317A3X87NVM"}], "B0000WLVGU": [{"asin": "B0000WLVGU", "instruction": "i want some navy blue straight leg pants.", "attributes": ["long lasting", "easy care", "straight leg", "machine wash", "polyester cotton"], "options": ["color: navy", "size: 33w x 34l"], "instruction_attributes": ["straight leg"], "instruction_options": ["navy", "33w x 34l"], "assignment_id": "39K0FND3ASPR95MUG7H134S6URDAMR", "worker_id": "A19317A3X87NVM"}], "B07H28D7J5": [{"asin": "B07H28D7J5", "instruction": "i want to find a microdermabrasion machine that can treat sensitive dead skin.", "attributes": ["dead skin", "sensitive skin"], "options": [""], "instruction_attributes": ["dead skin", "sensitive skin"], "instruction_options": [], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY864J812", "worker_id": "A345TDMHP3DQ3G"}], "B09QHLZVXG": [{"asin": "B09QHLZVXG", "instruction": "i am looking for cupcake toppers for a birthday party that are dino shaped.", "attributes": ["baby shower", "party supplies", "birthday party"], "options": ["model: dino cake topper-3"], "instruction_attributes": ["birthday party"], "instruction_options": ["dino cake topper-3"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB6E6U1", "worker_id": "A2ECRNQ3X5LEXD"}], "B092ZL4VTQ": [{"asin": "B092ZL4VTQ", "instruction": "i need to buy a toothbrush travel container. make sure it's easy to clean and buy color five.", "attributes": ["easy clean", "double sided", "storage case"], "options": ["color: 5"], "instruction_attributes": ["easy clean"], "instruction_options": ["5"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NKTP2G", "worker_id": "AR9AU5FY1S3RO"}], "B09PV3KH7J": [{"asin": "B09PV3KH7J", "instruction": "i am looking for a high resolution natural scenery.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a4", "size: 7x5ft | 2.1x1.5m"], "instruction_attributes": ["high resolution"], "instruction_options": ["7x5ft | 2.1x1.5m"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH8U1E9", "worker_id": "A2KW17G25L25R8"}], "B07D8X7VNM": [{"asin": "B07D8X7VNM", "instruction": "i'm looking for a size 14.9 ounce wabry organic syrup", "attributes": ["bpa free", "certified organic", "gluten free", "artificial colors"], "options": ["flavor name: variety 4 pack", "size: 14.9 ounce (pack of 4)"], "instruction_attributes": ["certified organic"], "instruction_options": ["14.9 ounce (pack of 4)"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AIBEOE", "worker_id": "ARQ05PDNXPFDI"}], "B00NCCSIRK": [{"asin": "B00NCCSIRK", "instruction": "i need to buy some decaffeinated lavender tea.", "attributes": ["certified organic", "bpa free", "caffeine free"], "options": ["flavor name: lavender", "size: regular"], "instruction_attributes": ["caffeine free"], "instruction_options": ["lavender"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTVSM7L", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B00NCCSIRK", "instruction": "i am looking for a certified organic herbal tea which has a rose flavor.", "attributes": ["certified organic", "bpa free", "caffeine free"], "options": ["flavor name: rose", "size: 2.82 ounce (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["rose"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJMXW0P", "worker_id": "A1NF6PELRKACS9"}], "B09DP9C125": [{"asin": "B09DP9C125", "instruction": "need one toothbrush holder easy to clean and non toxic in white", "attributes": ["non toxic", "easy clean"], "options": ["color: w"], "instruction_attributes": ["non toxic", "easy clean"], "instruction_options": ["w"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWXZT5K", "worker_id": "A2Y2TURT2VEYZN"}], "B01GV0PR0A": [{"asin": "B01GV0PR0A", "instruction": "i need a black yaheetech home office computer desk that is easy to assemble.", "attributes": ["white item", "easy assemble", "storage space"], "options": ["color: black"], "instruction_attributes": ["easy assemble"], "instruction_options": ["black"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMT8G25", "worker_id": "A2RBF3IIJP15IH"}], "B08DJ5VY8V": [{"asin": "B08DJ5VY8V", "instruction": "i am interested in the travel sized version of gucci bamboo impression.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: gucci bamboo impression"], "instruction_attributes": ["travel size"], "instruction_options": ["gucci bamboo impression"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X3JY3H", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08DJ5VY8V", "instruction": "i'm looking travel size alcohol free fragrance body oil which should be long lasting. also choose chanel coco impression one.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: chanel coco impression"], "instruction_attributes": ["travel size", "alcohol free", "long lasting"], "instruction_options": ["chanel coco impression"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAJ1OVT", "worker_id": "AR0VJ5XRG16UJ"}], "B08DJ7LBNR": [{"asin": "B08DJ7LBNR", "instruction": "i am interested in a travel sized bottle of kilian good girl gone bad.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: by kilian good girl gone bad impression"], "instruction_attributes": ["travel size"], "instruction_options": ["by kilian good girl gone bad impression"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRK7F9M", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08DJ7LBNR", "instruction": "i am looking for alcohol free women versace dreamer impression scent.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: versace dreamer impression"], "instruction_attributes": ["alcohol free"], "instruction_options": ["versace dreamer impression"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQM031M", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B08DJ7LBNR", "instruction": "i am looking for a travel sized bottle of jean paul gaultier scandal impression perfume.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: jean paul gaultier scandal impression"], "instruction_attributes": ["travel size"], "instruction_options": ["jean paul gaultier scandal impression"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0250UKA0", "worker_id": "A1EREKSZAA9V7B"}], "B08YR79P5T": [{"asin": "B08YR79P5T", "instruction": "i am looking for a women's short sleeve honey bee t shirt size x-large.", "attributes": ["short sleeve", "long sleeve", "button closure", "daily wear"], "options": ["color: beige-o", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["x-large"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL45CES", "worker_id": "A1EREKSZAA9V7B"}], "B09P14213F": [{"asin": "B09P14213F", "instruction": "i am looking for a lightweight photography background in a size 10ft by 7ft.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a20", "size: 10x7ft | 3x2.2m"], "instruction_attributes": ["light weight"], "instruction_options": ["10x7ft | 3x2.2m"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2KAYNX", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09P14213F", "instruction": "i am looking for loght weight photography background.size should be 10x7 ft", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a6", "size: 10x7ft | 3x2.2m"], "instruction_attributes": ["light weight"], "instruction_options": ["10x7ft | 3x2.2m"], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLIBIKIT", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B09P14213F", "instruction": "i need a lightweight background for the photo studio that is 10 by 7 ft.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a39", "size: 10x7ft | 3x2.2m"], "instruction_attributes": ["light weight"], "instruction_options": ["10x7ft | 3x2.2m"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPXDG0E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09BBM1CLR": [{"asin": "B09BBM1CLR", "instruction": "i want to get an 8 fluid ounce pack of 24 sweet and sour margarita and daquiri mix packets made with only natural ingredients.", "attributes": ["non alcoholic", "artificial ingredients", "natural ingredients", "high fructose"], "options": ["flavor: sweet & sour", "size: 8 fl oz (pack of 24)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["sweet & sour", "8 fl oz (pack of 24)"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7Y6MH5", "worker_id": "A345TDMHP3DQ3G"}], "B098NRMH19": [{"asin": "B098NRMH19", "instruction": "i want rose gold cupcake picks that say we will miss you for a retirement party i'm throwing.", "attributes": ["cupcake picks", "baby shower"], "options": ["color: rose gold"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["rose gold"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPWFTX0", "worker_id": "A2DDPSXH2X96RF"}], "B00VGMLHY4": [{"asin": "B00VGMLHY4", "instruction": "i would like a chocolate gift basket.", "attributes": ["kosher certified", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDFNO2O", "worker_id": "A1WS884SI0SLO4"}], "B08M3SGYDQ": [{"asin": "B08M3SGYDQ", "instruction": "i need to buy an iphone case in midnight grey. make sure it supports wireless charging.", "attributes": ["aluminum alloy", "wireless charging"], "options": ["color: midnight grey"], "instruction_attributes": ["wireless charging"], "instruction_options": ["midnight grey"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UHC5IQ4", "worker_id": "AR9AU5FY1S3RO"}], "B09HQ6BYK8": [{"asin": "B09HQ6BYK8", "instruction": "i would like some soft drink mixes that have low sugar.", "attributes": ["low sugar", "gluten free", "artificial colors", "artificial flavors"], "options": [""], "instruction_attributes": ["low sugar"], "instruction_options": [], "assignment_id": "39K0FND3ASPR95MUG7H134S6U31AM3", "worker_id": "A1WS884SI0SLO4"}], "B0756ZYS4D": [{"asin": "B0756ZYS4D", "instruction": "i would like a size 7 narrow non slip sneaker with a storm blue snake color.", "attributes": ["non slip", "synthetic sole"], "options": ["color: storm blue snake", "size: 7 narrow"], "instruction_attributes": ["non slip"], "instruction_options": ["storm blue snake", "7 narrow"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YLF69L", "worker_id": "A1WS884SI0SLO4"}], "B097QRTLBJ": [{"asin": "B097QRTLBJ", "instruction": "i want a multicolor spandex top for summer.", "attributes": ["hand wash", "wash cold", "polyester spandex"], "options": ["color: d3-multicolor", "size: large"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["d3-multicolor"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788B65CK", "worker_id": "A19317A3X87NVM"}], "B07FZ6XX2T": [{"asin": "B07FZ6XX2T", "instruction": "i am looking for caffeine free coconut almond flavored carob bars.", "attributes": ["caffeine free", "gluten free", "non gmo", "rich creamy", "non dairy", "soy free", "dairy free"], "options": ["flavor name: coconut almond", "size: 2 pack"], "instruction_attributes": ["caffeine free"], "instruction_options": ["coconut almond"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUER5SD", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07FZ6XX2T", "instruction": "i am looking for caffeine free and gluten free chocolate. please choose peanut butter flavor.", "attributes": ["caffeine free", "gluten free", "non gmo", "rich creamy", "non dairy", "soy free", "dairy free"], "options": ["flavor name: peanut butter", "size: 2pk"], "instruction_attributes": ["caffeine free", "gluten free"], "instruction_options": ["peanut butter"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G76K47P", "worker_id": "A3FG5PQHG5AH3Y"}], "B09R7QWXB5": [{"asin": "B09R7QWXB5", "instruction": "i want to find an extra-large black women's blouse that is loose-fitting.", "attributes": ["loose fit", "short sleeve", "long sleeve", "teen girls", "daily wear"], "options": ["color: a02 fashion 2022 loose fit tops black", "size: x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["a02 fashion 2022 loose fit tops black", "x-large"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30URG0Y5", "worker_id": "A345TDMHP3DQ3G"}], "B08D9MGFN3": [{"asin": "B08D9MGFN3", "instruction": "i want to find 8 ounces of instant coffee sticks that are easy to prepare. they must come with 12 sticks in a box.", "attributes": ["easy prepare", "non dairy", "low sugar"], "options": ["color: g7 3 in 1", "size: 8oz (12 sticks | box)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["g7 3 in 1", "8oz (12 sticks | box)"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UFKKOH", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08D9MGFN3", "instruction": "i am looking for 14 oz (200 sachets) strong and pure easy prepare coffee of cappucino hazelnut color", "attributes": ["easy prepare", "non dairy", "low sugar"], "options": ["color: cappucino hazelnut", "size: 14 oz (200 sachets | bag)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["cappucino hazelnut", "14 oz (200 sachets | bag)"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OR9MMW", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08D9MGFN3", "instruction": "i am looking for some special edition instant coffee that is easy to prepare and has 12 sticks.", "attributes": ["easy prepare", "non dairy", "low sugar"], "options": ["color: special edition", "size: 8oz (12 sticks | box)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["special edition", "8oz (12 sticks | box)"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BKMVJ2", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08D9MGFN3", "instruction": "i am looking for cappucino coconut and low sugar instant coffee for energy boost", "attributes": ["easy prepare", "non dairy", "low sugar"], "options": ["color: cappucino coconut", "size: 0.88 ounce (pack of 18)"], "instruction_attributes": ["low sugar"], "instruction_options": ["cappucino coconut"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPG6VQN", "worker_id": "A258PTOZ3D2TQR"}], "B08B1M9D96": [{"asin": "B08B1M9D96", "instruction": "i am looking for khaki color summer pants for women that can be washed by hands.", "attributes": ["wide leg", "wash cold", "hand wash", "machine wash", "elastic closure", "drawstring waist", "elastic waist"], "options": ["color: khaki", "size: large"], "instruction_attributes": ["hand wash"], "instruction_options": ["khaki"], "assignment_id": "3V26SBZTBOOS9KTL7ONUSZFOISMZZ6", "worker_id": "A1Q8PPQQCWGY0D"}], "B09BZ3DTPS": [{"asin": "B09BZ3DTPS", "instruction": "i'm looking for size ten ladies shoes with a closed toe and leather soles.", "attributes": ["leather sole", "closed toe"], "options": ["color: white logo", "size: 10"], "instruction_attributes": ["leather sole", "closed toe"], "instruction_options": ["10"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF71D9J", "worker_id": "A3EDFA8UQT5GG8"}], "B000IDV3UA": [{"asin": "B000IDV3UA", "instruction": "i am looking for a nickel finished one light wall sconce.", "attributes": ["nickel finish", "glass shade"], "options": ["color: brass", "size: 1 light"], "instruction_attributes": ["nickel finish"], "instruction_options": ["1 light"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOGSF0P", "worker_id": "A1EREKSZAA9V7B"}], "B01ERGEB34": [{"asin": "B01ERGEB34", "instruction": "i would like a 3.4 oz dry shampoo that is paraben free.", "attributes": ["paraben free", "sulfate free", "cruelty free", "dry hair"], "options": ["style: dry shampoo - fl oz 3.4"], "instruction_attributes": ["paraben free"], "instruction_options": ["dry shampoo - fl oz 3.4"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFI7EMA", "worker_id": "A2ECRNQ3X5LEXD"}], "B000QSPX4O": [{"asin": "B000QSPX4O", "instruction": "buy some baby food. make sure it's certified organic.", "attributes": ["bpa free", "certified organic", "non gmo", "artificial flavors"], "options": [""], "instruction_attributes": ["certified organic"], "instruction_options": [], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C3BHPQ", "worker_id": "AR9AU5FY1S3RO"}], "B098SKK3BX": [{"asin": "B098SKK3BX", "instruction": "buy me a black flip case for my phone with a glass screen.", "attributes": ["glass screen", "tempered glass"], "options": ["color: black"], "instruction_attributes": ["glass screen"], "instruction_options": ["black"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WOL42S", "worker_id": "AR9AU5FY1S3RO"}], "B00KL19J4Q": [{"asin": "B00KL19J4Q", "instruction": "i would like a 100 count friends bunny grahams party mix with simple ingredients.", "attributes": ["individually wrapped", "simple ingredients", "high fructose", "artificial flavors"], "options": ["flavor name: friends bunny grahams", "size: 100 count (pack of 1)"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["friends bunny grahams", "100 count (pack of 1)"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGU6TW4", "worker_id": "A1WS884SI0SLO4"}], "B082257WQ6": [{"asin": "B082257WQ6", "instruction": "i want a 12 ounce bag of gluten free pecan flavored ground coffee.", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor name: decaffeinated house blend", "size: 12 ounce"], "instruction_attributes": ["gluten free"], "instruction_options": ["12 ounce"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LJO90K", "worker_id": "A2RBF3IIJP15IH"}], "B08L796942": [{"asin": "B08L796942", "instruction": "i want to get a grey wireless headset with stereo sound.", "attributes": ["high performance", "stereo sound"], "options": ["color: grey"], "instruction_attributes": ["stereo sound"], "instruction_options": ["grey"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPL5FWP", "worker_id": "A345TDMHP3DQ3G"}], "B07M8JT8PZ": [{"asin": "B07M8JT8PZ", "instruction": "i'm looking for a 12-count box of european cookies in holiday flavors that i can give as a valentine's day gift.", "attributes": ["natural ingredients", "valentine day", "great gift", "perfect gift"], "options": ["flavor name: holiday flavors", "size: box of 12"], "instruction_attributes": ["valentine day", "great gift", "perfect gift"], "instruction_options": ["holiday flavors", "box of 12"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUT8S1F8", "worker_id": "A345TDMHP3DQ3G"}], "B09QHZDXRT": [{"asin": "B09QHZDXRT", "instruction": "i am looking for pink cake toppers for a birthday party.", "attributes": ["birthday party", "party supplies", "baby shower"], "options": ["color: pink"], "instruction_attributes": ["birthday party"], "instruction_options": ["pink"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNI7TNI", "worker_id": "A1EREKSZAA9V7B"}], "B00DY2TG7E": [{"asin": "B00DY2TG7E", "instruction": "i'm looking for a pair of mens sneakers with a synthetic sole, i'm a size 7 and a half.", "attributes": ["synthetic sole", "rubber outsole", "rubber sole"], "options": ["color: blu nero", "size: 7.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["7.5"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X3YPGZ", "worker_id": "A3EDFA8UQT5GG8"}], "B07GDH89Y3": [{"asin": "B07GDH89Y3", "instruction": "i want to find a wireless bluetooth sound bar featuring blu ray.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8FC4CF", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07GDH89Y3", "instruction": "i am looking for a power cord for a blu ray player with output protection.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["output protection", "blu ray"], "instruction_options": [], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY869Z81S", "worker_id": "A2HMEGTAFO0CS8"}], "B07H2LG414": [{"asin": "B07H2LG414", "instruction": "i am looking for a certified refurbished intel core mini desktop computer with windows 10 pro.", "attributes": ["certified refurbished", "core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["certified refurbished", "intel core"], "instruction_options": [], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCLJMB7", "worker_id": "A1EREKSZAA9V7B"}], "B09N74SXQZ": [{"asin": "B09N74SXQZ", "instruction": "i am interested in a high quality cosmetic bag.", "attributes": ["double sided", "high quality"], "options": ["color: bonus daughter gifts makeup bag"], "instruction_attributes": ["high quality"], "instruction_options": ["bonus daughter gifts makeup bag"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMLK6BX", "worker_id": "A2ECRNQ3X5LEXD"}], "B0895X475B": [{"asin": "B0895X475B", "instruction": "looking for hiking shoes non slip and waterproof in orange size 7.5", "attributes": ["long lasting", "day comfort", "slip resistant", "non slip", "rubber outsole"], "options": ["color: orange", "size: 7.5"], "instruction_attributes": ["non slip"], "instruction_options": ["orange", "7.5"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUURRJQE", "worker_id": "A2Y2TURT2VEYZN"}], "B07JKX54RT": [{"asin": "B07JKX54RT", "instruction": "need a mini computer with a intel core 5 4200u, 8gb ram, 64g ssd", "attributes": ["core i5", "intel core"], "options": ["color: i5 4200u", "size: 8g ram 64g ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["i5 4200u", "8g ram 64g ssd"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UNI1GX", "worker_id": "A2Y2TURT2VEYZN"}], "B07R6W51S5": [{"asin": "B07R6W51S5", "instruction": "i am interested in a dual colored headset that is noise cancelling.", "attributes": ["noise cancelling", "light weight"], "options": ["color: duo 510dsp"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["duo 510dsp"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ44L1N", "worker_id": "A2ECRNQ3X5LEXD"}], "B096FPCTYS": [{"asin": "B096FPCTYS", "instruction": "i am looking for black 18th birthday cake toppers.", "attributes": ["birthday cake", "birthday party", "cupcake picks", "party supplies"], "options": ["color: black"], "instruction_attributes": ["birthday cake"], "instruction_options": ["black"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCF9E02", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B096FPCTYS", "instruction": "i want pink 18th birthday cake toppers.", "attributes": ["birthday cake", "birthday party", "cupcake picks", "party supplies"], "options": ["color: pink"], "instruction_attributes": ["birthday cake"], "instruction_options": ["pink"], "assignment_id": "3HPZF4IVNX3FW186JO133U513HWYCH", "worker_id": "A2RBF3IIJP15IH"}], "B07NPM7BMS": [{"asin": "B07NPM7BMS", "instruction": "i need a grey square shaped rug that is 2'3\" x 18' for my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: grey | silver", "item shape: square", "size: 2'3\" x 18'"], "instruction_attributes": ["living room"], "instruction_options": ["grey | silver", "square", "2'3\" x 18'"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUROQJI", "worker_id": "A2RBF3IIJP15IH"}], "B004989EGK": [{"asin": "B004989EGK", "instruction": "i want a 36 pack of applesauce that is non gmo.", "attributes": ["bpa free", "non gmo", "gluten free", "dairy free", "real fruit"], "options": ["flavor name: apple", "size: 3.2 ounce (pack of 36)"], "instruction_attributes": ["non gmo"], "instruction_options": ["apple", "3.2 ounce (pack of 36)"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5O8X6X", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GWDXWRH": [{"asin": "B07GWDXWRH", "instruction": "i night some light tan anti-aging cream for dark circles under my eyes.", "attributes": ["anti aging", "highly pigmented", "long lasting", "hyaluronic acid", "dark circles"], "options": ["color: 14.0 light tan (w)", "size: 0.4 fl oz"], "instruction_attributes": ["anti aging", "dark circles"], "instruction_options": ["14.0 light tan (w)"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35KGGUC", "worker_id": "A19317A3X87NVM"}], "B08R3KFFMW": [{"asin": "B08R3KFFMW", "instruction": "i want to find a heavy duty writing table that has a steel coating.", "attributes": ["heavy duty", "coated steel"], "options": [""], "instruction_attributes": ["heavy duty", "coated steel"], "instruction_options": [], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20LGZ0R", "worker_id": "A345TDMHP3DQ3G"}], "B09K49DTTZ": [{"asin": "B09K49DTTZ", "instruction": "i need a loose fit, long sleeved hoodie in green. buy the size medium.", "attributes": ["slim fit", "loose fit", "long sleeve", "contrast color", "relaxed fit", "button closure"], "options": ["color: green", "size: medium"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["green", "medium"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW4X8SN", "worker_id": "AR9AU5FY1S3RO"}], "B09KNFM2Q7": [{"asin": "B09KNFM2Q7", "instruction": "i want blue faux leather 26\" watson & whitely bar stools.", "attributes": ["fully assembled", "assembly required", "faux leather", "solid wood"], "options": ["color: pu-blue", "size: 26\"-memory swivel"], "instruction_attributes": ["faux leather"], "instruction_options": ["pu-blue"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI1JT35", "worker_id": "A2RBF3IIJP15IH"}], "B07W4JWKXW": [{"asin": "B07W4JWKXW", "instruction": "do you have any old fashioned taffy that is sugar free in apple flavour?", "attributes": ["old fashioned", "soy free", "kosher certified", "sugar free", "individually wrapped"], "options": ["flavor name: apple"], "instruction_attributes": ["old fashioned", "sugar free"], "instruction_options": ["apple"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCG4LBF", "worker_id": "A3EDFA8UQT5GG8"}], "B08C42HNN9": [{"asin": "B08C42HNN9", "instruction": "i'm looking for eye serum for anti aging and clinically proven", "attributes": ["anti aging", "clinically proven", "stainless steel", "fine lines", "dark circles"], "options": [""], "instruction_attributes": ["anti aging", "clinically proven"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHEYQTJ2", "worker_id": "A2Y2TURT2VEYZN"}], "B08YY632H4": [{"asin": "B08YY632H4", "instruction": "get me a green iphone 12 case that supports wireless charging.", "attributes": ["easy install", "glass screen", "tempered glass", "wireless charging"], "options": ["color: midle green"], "instruction_attributes": ["wireless charging"], "instruction_options": ["midle green"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM2KHZD", "worker_id": "AR9AU5FY1S3RO"}], "B093KMVLFG": [{"asin": "B093KMVLFG", "instruction": "i am looking for 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HRMPB0", "worker_id": "A1EREKSZAA9V7B"}], "B008L532XI": [{"asin": "B008L532XI", "instruction": "i would like a shampoo to help my dry hair.", "attributes": ["sulfate free", "cruelty free", "dry hair"], "options": [""], "instruction_attributes": ["dry hair"], "instruction_options": [], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUEG5S2", "worker_id": "A1WS884SI0SLO4"}], "B09F52WW6W": [{"asin": "B09F52WW6W", "instruction": "i am looking for women's size 5.5 athletic sneakers with rubber soles.", "attributes": ["rubber sole", "lace closure"], "options": ["color: white | almond | marble", "size: 5.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["5.5"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTBA5DC", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09F52WW6W", "instruction": "i am looking for a pair of women's size 5 athletic sneakers with a rubber sole.", "attributes": ["rubber sole", "lace closure"], "options": ["color: caramel | almond | melange", "size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["5"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HW2PBQ", "worker_id": "A1EREKSZAA9V7B"}], "B08P8SM79P": [{"asin": "B08P8SM79P", "instruction": "i would like a 50 inch high speed tv.", "attributes": ["dual band", "high speed"], "options": ["size: 50 inches"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOEITCP", "worker_id": "A1WS884SI0SLO4"}], "B07SJB7T8M": [{"asin": "B07SJB7T8M", "instruction": "i would like some 16 inch hair extensions in color 60.", "attributes": ["long lasting", "hair extensions"], "options": ["color: #60", "size: 16 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#60", "16 inch"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIKP85L", "worker_id": "A1WS884SI0SLO4"}], "B086ST5T8J": [{"asin": "B086ST5T8J", "instruction": "i need a beige or green shower brush with a long handle.", "attributes": ["eco friendly", "non slip", "long handle"], "options": ["color: beige"], "instruction_attributes": ["long handle"], "instruction_options": ["beige"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1AJCX4", "worker_id": "A19317A3X87NVM"}], "B093CLC753": [{"asin": "B093CLC753", "instruction": "can you find me 1 pack of low calorie wheat flour sandwich crackers that are lemon, chocolate, and cream cheese flavored?", "attributes": ["low calorie", "baby shower", "birthday party"], "options": ["flavor name: lemon,chocolate,cream cheese", "size: 1 pack"], "instruction_attributes": ["low calorie"], "instruction_options": ["lemon,chocolate,cream cheese", "1 pack"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40T1YF3", "worker_id": "A2DDPSXH2X96RF"}], "B078RQ51M8": [{"asin": "B078RQ51M8", "instruction": "i need black dodoing curly messy hair bun extensions.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: natural black"], "instruction_attributes": ["hair extensions"], "instruction_options": ["natural black"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTKQO66", "worker_id": "A2RBF3IIJP15IH"}], "B07XHD17PB": [{"asin": "B07XHD17PB", "instruction": "i am looking for a white mesh height adjustable drafting chair.", "attributes": ["height adjustable", "contemporary style", "lumbar support"], "options": ["color: white mesh", "style: mid back"], "instruction_attributes": ["height adjustable"], "instruction_options": ["white mesh"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VHM064", "worker_id": "A1EREKSZAA9V7B"}], "B077JH57XG": [{"asin": "B077JH57XG", "instruction": "i'm looking for a mens slipper that has a water resistant rubber outer sole. size thirteen and extra wide.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: china tea leather", "size: 13 x-wide"], "instruction_attributes": ["water resistant", "rubber sole"], "instruction_options": ["13 x-wide"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VZ8N1V", "worker_id": "A3EDFA8UQT5GG8"}], "B098LDD49Z": [{"asin": "B098LDD49Z", "instruction": "i am looking for a women's short sleeve playsuit size medium.", "attributes": ["wash cold", "hand wash", "machine wash", "button closure", "short sleeve", "everyday wear"], "options": ["color: a-green", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["medium"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WNCWQY", "worker_id": "A1EREKSZAA9V7B"}], "B07ZFBMM45": [{"asin": "B07ZFBMM45", "instruction": "i want to buy the rattan wicker sofa set with machine washable burgandy cusions.", "attributes": ["machine washable", "tempered glass", "coated steel"], "options": ["color: burgundy"], "instruction_attributes": ["machine washable"], "instruction_options": ["burgundy"], "assignment_id": "3X65QVEQIBXVW21709CD9M35U19CLI", "worker_id": "AR9AU5FY1S3RO"}], "B01GNFZ5H8": [{"asin": "B01GNFZ5H8", "instruction": "i'd like to find a highly pigmented eyeshadow palette that is long-lasting. it needs to have a daring color.", "attributes": ["highly pigmented", "long lasting"], "options": ["color: daring"], "instruction_attributes": ["highly pigmented", "long lasting"], "instruction_options": ["daring"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN25J7Y9", "worker_id": "A345TDMHP3DQ3G"}], "B09MT3NH6Z": [{"asin": "B09MT3NH6Z", "instruction": "i am looking for an apple watch compatible lavender grey silicone band with quick release.", "attributes": ["compatible apple", "quick release", "easy install"], "options": ["color: lavender grey", "size: 38 | 40 | 41mm"], "instruction_attributes": ["quick release"], "instruction_options": ["lavender grey"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P73BU5", "worker_id": "A1EREKSZAA9V7B"}], "B076CKJ4YX": [{"asin": "B076CKJ4YX", "instruction": "i want gluten free classic chili chicharrones.", "attributes": ["protein serving", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOLW9M0", "worker_id": "A2RBF3IIJP15IH"}], "B07RQKXNHR": [{"asin": "B07RQKXNHR", "instruction": "i am interested in a high quality brush set.", "attributes": ["high quality", "synthetic hair"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PJ3X2D", "worker_id": "A2ECRNQ3X5LEXD"}], "B077D1BVHW": [{"asin": "B077D1BVHW", "instruction": "i'm looking for throw pillow covers for the pillows for my living room, they should be super soft and about 22 by 22 inches.", "attributes": ["double sided", "super soft", "living room"], "options": ["size: 22 x 22 inchs"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["22 x 22 inchs"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVJSXL0", "worker_id": "A3EDFA8UQT5GG8"}], "B074847M44": [{"asin": "B074847M44", "instruction": "i'm looking for a standard pair of straight legged jeans in noir heather.", "attributes": ["straight leg", "imported zipper", "classic fit"], "options": ["color: noir heather (waterless)", "fit type: standard", "size: 30w x 29l"], "instruction_attributes": ["straight leg"], "instruction_options": ["noir heather (waterless)", "standard"], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YHQGA2", "worker_id": "A19317A3X87NVM"}], "B08JVJJD3T": [{"asin": "B08JVJJD3T", "instruction": "i would like some clinically proven power dental flossers.", "attributes": ["clinically proven", "storage case"], "options": [""], "instruction_attributes": ["clinically proven"], "instruction_options": [], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7TELH0", "worker_id": "A1WS884SI0SLO4"}], "B09HNKW6RN": [{"asin": "B09HNKW6RN", "instruction": "i am looking for a women's long sleeve sherpa fleece jacket.", "attributes": ["loose fit", "faux fur", "long sleeve", "quality materials", "daily wear"], "options": ["color: b- khaki", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["3x-large"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2BYOID", "worker_id": "A1EREKSZAA9V7B"}], "B08FC4RS18": [{"asin": "B08FC4RS18", "instruction": "i would like four flatbreads from trader joes.", "attributes": ["trader joe", "gluten free"], "options": ["number of items: 4"], "instruction_attributes": ["trader joe"], "instruction_options": ["4"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTRL4E4", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08FC4RS18", "instruction": "i need 3 trader joe's gluten free crackers.", "attributes": ["trader joe", "gluten free"], "options": ["number of items: 3"], "instruction_attributes": ["trader joe", "gluten free"], "instruction_options": ["3"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZIR7RU", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08FC4RS18", "instruction": "i want to buy crackers which are gluten free and i want 2 of them.", "attributes": ["trader joe", "gluten free"], "options": ["number of items: 2"], "instruction_attributes": ["gluten free"], "instruction_options": ["2"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAK6VO7", "worker_id": "AJY5G987IRT25"}], "B01MZ2CH6O": [{"asin": "B01MZ2CH6O", "instruction": "i am looking for fuchsia colored comfortable fit levi's bomber jacket for women.", "attributes": ["machine wash", "imported zipper", "comfortable fit"], "options": ["color: fuchsia", "size: xx-large", "special size type: standard"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["fuchsia"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UO11GI", "worker_id": "A1EREKSZAA9V7B"}], "B00J1ZNSN6": [{"asin": "B00J1ZNSN6", "instruction": "i would like plant based meatballs.", "attributes": ["plant based", "protein serving"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMNB9WS", "worker_id": "A2ECRNQ3X5LEXD"}], "B07D9LVGM8": [{"asin": "B07D9LVGM8", "instruction": "i want a regular fit dark green pair of adidas men's pro bounce shoes in size 14.", "attributes": ["lace closure", "rubber outsole", "regular fit", "rubber sole"], "options": ["color: dark green | white | active green", "size: 14"], "instruction_attributes": ["regular fit"], "instruction_options": ["dark green | white | active green", "14"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUATDZ2", "worker_id": "A2RBF3IIJP15IH"}], "B09PFKP5DP": [{"asin": "B09PFKP5DP", "instruction": "i need brown eco friendly cenglings women slingback sandals in size 7.", "attributes": ["eco friendly", "high quality"], "options": ["color: brown", "size: 7"], "instruction_attributes": ["eco friendly"], "instruction_options": ["brown", "7"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM9674G41", "worker_id": "A2RBF3IIJP15IH"}], "B07S49NQQ5": [{"asin": "B07S49NQQ5", "instruction": "i'd like to buy some board shorts in size twenty-nine. get the ones with the button closure.", "attributes": ["hand wash", "regular fit", "button closure"], "options": ["color: captains blue", "size: 29"], "instruction_attributes": ["button closure"], "instruction_options": ["29"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEFT68S", "worker_id": "AR9AU5FY1S3RO"}], "B097NGDB64": [{"asin": "B097NGDB64", "instruction": "i need a x-large machine washable men's evan scrub pant in ceil color.", "attributes": ["straight leg", "machine washable", "machine wash", "drawstring closure", "elastic waistband"], "options": ["color: ceil", "size: x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["ceil", "x-large"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UCL3AH", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B097NGDB64", "instruction": "i am interested in straight leg scrub buttoms in an x-large that are ceil colored", "attributes": ["straight leg", "machine washable", "machine wash", "drawstring closure", "elastic waistband"], "options": ["color: ceil", "size: x-large"], "instruction_attributes": ["straight leg"], "instruction_options": ["ceil", "x-large"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOMH9LL", "worker_id": "A2ECRNQ3X5LEXD"}], "B08SJ9JM97": [{"asin": "B08SJ9JM97", "instruction": "i want to get a grey counter stool that is made of solid wood.", "attributes": ["button tufted", "long lasting", "solid wood"], "options": ["color: grey"], "instruction_attributes": ["solid wood"], "instruction_options": ["grey"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TAEMND", "worker_id": "A345TDMHP3DQ3G"}], "B09MD3PZYS": [{"asin": "B09MD3PZYS", "instruction": "i want to find a glass screen protector for my high definition s20 samsung galaxy ultra.", "attributes": ["high definition", "tempered glass", "glass screen"], "options": ["color: hd s20 ultra screen protector"], "instruction_attributes": ["high definition", "glass screen"], "instruction_options": ["hd s20 ultra screen protector"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GI23SN", "worker_id": "A345TDMHP3DQ3G"}], "B09Q8THWGR": [{"asin": "B09Q8THWGR", "instruction": "i would like a backdrop for digital photography that is 10 by 8 ft.", "attributes": ["high resolution", "digital photography"], "options": ["size: 10x8ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["10x8ft"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GI03SL", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09Q8THWGR", "instruction": "i am looking for a 8x6ft backgrounds for digital photography.", "attributes": ["high resolution", "digital photography"], "options": ["size: 8x6ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["8x6ft"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A219OHTT", "worker_id": "A9QRQL9CFJBI7"}], "B07NB7SJ1Y": [{"asin": "B07NB7SJ1Y", "instruction": "i am looking for easy to use marula oil hydrating shampoo.", "attributes": ["sulfate free", "easy use", "seed oil", "natural ingredients"], "options": ["size: 16.9 fl oz (pack of 1)", "style: marula oil hydrating shampoo"], "instruction_attributes": ["easy use"], "instruction_options": ["marula oil hydrating shampoo"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDZUIRU", "worker_id": "A1EREKSZAA9V7B"}], "B09SGJP3LP": [{"asin": "B09SGJP3LP", "instruction": "i'm looking for a slim-fit, short-sleeved, slim-fit men's compression t-shirt in i-silver.", "attributes": ["slim fit", "long sleeve", "short sleeve", "contrast color", "regular fit"], "options": ["color: i-silver", "size: medium"], "instruction_attributes": ["slim fit", "short sleeve"], "instruction_options": ["i-silver"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FFAU46", "worker_id": "ARJDD0Z3R65BD"}], "B085W5VF39": [{"asin": "B085W5VF39", "instruction": "i would like a brown wig made of natural hair.", "attributes": ["easy use", "natural hair"], "options": ["color: f-brown"], "instruction_attributes": ["natural hair"], "instruction_options": ["f-brown"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JXQEGZ", "worker_id": "A1WS884SI0SLO4"}], "B09SBFH2NC": [{"asin": "B09SBFH2NC", "instruction": "i need new york style strawberry swirl cheesecake that is ready to eat.", "attributes": ["ready eat", "kosher certified", "great gift"], "options": ["flavor name: new york style"], "instruction_attributes": ["ready eat"], "instruction_options": ["new york style"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPVOG0L", "worker_id": "A2RBF3IIJP15IH"}], "B01M34Z8YW": [{"asin": "B01M34Z8YW", "instruction": "buy me some paraben free coconut oil lip balm.", "attributes": ["paraben free", "cruelty free", "dermatologist tested", "sulfate free", "coconut oil", "natural ingredients", "sensitive skin"], "options": [""], "instruction_attributes": ["paraben free", "coconut oil"], "instruction_options": [], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L5AREF", "worker_id": "AR9AU5FY1S3RO"}], "B09FJLKPDL": [{"asin": "B09FJLKPDL", "instruction": "i would like some blue non toxic bath brushes.", "attributes": ["non slip", "non toxic", "high quality"], "options": ["color: blue"], "instruction_attributes": ["non toxic"], "instruction_options": ["blue"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKWIDNI", "worker_id": "A1WS884SI0SLO4"}], "B085VB9Y1V": [{"asin": "B085VB9Y1V", "instruction": "i need jane grey pink vanity fair women's nylon spandex hi cut panties in plus size 5.", "attributes": ["machine wash", "nylon spandex", "elastic closure"], "options": ["color: jane grey pink", "fit type: plus size", "size: 5"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["jane grey pink", "plus size", "5"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS5QAW5", "worker_id": "A2RBF3IIJP15IH"}], "B07HJNBCX4": [{"asin": "B07HJNBCX4", "instruction": "i am interested in a memory foam queen sized mattress.", "attributes": ["ready use", "queen size", "memory foam"], "options": ["size: queen", "style: 12-inch mattress"], "instruction_attributes": ["memory foam"], "instruction_options": ["queen"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFD2VMP", "worker_id": "A2ECRNQ3X5LEXD"}], "B09N75GRYM": [{"asin": "B09N75GRYM", "instruction": "i need to shop for a high performance tablet. i'd really like a blue one.", "attributes": ["high performance", "quad core"], "options": ["color: blue"], "instruction_attributes": ["high performance", "quad core"], "instruction_options": ["blue"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWVO1CL", "worker_id": "AR9AU5FY1S3RO"}], "B07J2VD4XS": [{"asin": "B07J2VD4XS", "instruction": "i want to get a white wooden coat rack.", "attributes": ["white item", "white finish"], "options": [""], "instruction_attributes": ["white item", "white finish"], "instruction_options": [], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R410R3", "worker_id": "A345TDMHP3DQ3G"}], "B09B1ZLZMH": [{"asin": "B09B1ZLZMH", "instruction": "i want to find a dip powder kit for my nails that's easy to use. the color of the powder must be gentle nude.", "attributes": ["water resistant", "long lasting", "easy use", "nail art"], "options": ["color: gentle nudes"], "instruction_attributes": ["easy use"], "instruction_options": ["gentle nudes"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYT7363", "worker_id": "A345TDMHP3DQ3G"}], "B07WRV3NFX": [{"asin": "B07WRV3NFX", "instruction": "i am interested in a black shirt that is short sleeved.", "attributes": ["moisture wicking", "machine wash", "short sleeve", "stretch fabric", "button closure"], "options": ["color: black on black", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["black on black", "small"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZHYC73", "worker_id": "A2ECRNQ3X5LEXD"}], "B09BV632MQ": [{"asin": "B09BV632MQ", "instruction": "i am looking for a plug and play ps2 to hdmi converter adapter.", "attributes": ["easy carry", "plug play", "usb port"], "options": [""], "instruction_attributes": ["plug play"], "instruction_options": [], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HBW6IY", "worker_id": "A1EREKSZAA9V7B"}], "B07JQ4T9N6": [{"asin": "B07JQ4T9N6", "instruction": "i need a lightweight navy pullover in a large.", "attributes": ["light weight", "hand wash", "long sleeve", "daily wear"], "options": ["color: navy", "size: large"], "instruction_attributes": ["light weight"], "instruction_options": ["navy", "large"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPSZJ9GR", "worker_id": "A2ECRNQ3X5LEXD"}], "B072WFY47F": [{"asin": "B072WFY47F", "instruction": "i am interested in wedges that are teal with memory foam in a size 9.5-10.", "attributes": ["day comfort", "memory foam"], "options": ["color: teal", "size: 9.5-10"], "instruction_attributes": ["memory foam"], "instruction_options": ["teal", "9.5-10"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEJEZKP", "worker_id": "A2ECRNQ3X5LEXD"}], "B093RJNQDM": [{"asin": "B093RJNQDM", "instruction": "i want to find a high quality 5 pcs makeup brush set with the stitch 2 color theme", "attributes": ["high quality", "eye shadow"], "options": ["color: stitch 2"], "instruction_attributes": ["high quality"], "instruction_options": ["stitch 2"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YLG69M", "worker_id": "A2DDPSXH2X96RF"}], "B001OC75GK": [{"asin": "B001OC75GK", "instruction": "i need to buy a four pack of fully assembled dining room chairs.", "attributes": ["fully assembled", "heavy duty"], "options": ["color: distressed black", "size: 4 pack"], "instruction_attributes": ["fully assembled"], "instruction_options": ["4 pack"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWVOC1W", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B001OC75GK", "instruction": "i am looking for heavy duty chair. please choose kelly red color.", "attributes": ["fully assembled", "heavy duty"], "options": ["color: distressed kelly red", "size: 1 pack"], "instruction_attributes": ["heavy duty"], "instruction_options": ["distressed kelly red"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V3M2UU", "worker_id": "A3FG5PQHG5AH3Y"}], "B004Q8TFJ4": [{"asin": "B004Q8TFJ4", "instruction": "get me a heavy duty office chair with lumbar support. look for dillon black fabric.", "attributes": ["heavy duty", "lumbar support"], "options": ["color: dillon black fabric"], "instruction_attributes": ["heavy duty", "lumbar support"], "instruction_options": ["dillon black fabric"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1AXOHFN", "worker_id": "AR9AU5FY1S3RO"}], "B08XZ31PVL": [{"asin": "B08XZ31PVL", "instruction": "i'm looking for a portable beauty salon manicure table.", "attributes": ["easy clean", "nail polish", "beauty salon"], "options": [""], "instruction_attributes": ["beauty salon"], "instruction_options": [], "assignment_id": "39O5D9O8742EGYBIU38DD09OUF33CG", "worker_id": "ARQ05PDNXPFDI"}], "B09JWNS4S2": [{"asin": "B09JWNS4S2", "instruction": "i need a toothbrush container with holes.", "attributes": ["easy carry", "high quality", "quality materials"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3L4D84MILA2GIKONJGE14YNT346HJR", "worker_id": "A19317A3X87NVM"}], "B09C4PDL5S": [{"asin": "B09C4PDL5S", "instruction": "i want to buy some living room curtain panels that are pattern 6 and 55x46 inches.", "attributes": ["ready use", "living room"], "options": ["color: pattern-6", "size: 55 x 46 inch(27.5 x 46 inch*2pes)"], "instruction_attributes": ["living room"], "instruction_options": ["pattern-6", "55 x 46 inch(27.5 x 46 inch*2pes)"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTN7E5A", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B09C4PDL5S", "instruction": "i would like a pattern-4 colored window curtain panel for the living room.", "attributes": ["ready use", "living room"], "options": ["color: pattern-4", "size: 104 x 107.8 inch(52 x 107.8 inch*2pes)"], "instruction_attributes": ["living room"], "instruction_options": ["pattern-4"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHTPJ0O", "worker_id": "AHXHM1PQTRWIQ"}], "B07JFT17Q2": [{"asin": "B07JFT17Q2", "instruction": "buy a flat-packed nightstand in marble black with a white frame.", "attributes": ["assembly required", "steel frame", "white finish"], "options": ["color: marble black \u2013 white frame"], "instruction_attributes": ["assembly required"], "instruction_options": ["marble black \u2013 white frame"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LEJSPD", "worker_id": "AR9AU5FY1S3RO"}], "B07RRJTRTC": [{"asin": "B07RRJTRTC", "instruction": "get me some low-carb plant based lemon cookies.", "attributes": ["low carb", "grain free", "plant based", "great gift"], "options": ["flavor name: lemon"], "instruction_attributes": ["low carb", "plant based"], "instruction_options": ["lemon"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X6MFRI", "worker_id": "AR9AU5FY1S3RO"}], "B07CWWTHN9": [{"asin": "B07CWWTHN9", "instruction": "i am looking for a three pack of hand crafted cheese squares,", "attributes": ["hand crafted", "non gmo", "0g trans", "quality ingredients", "artificial flavors"], "options": ["flavor name: asiago & cheddar squares", "size: 4.5 ounce (pack of 3)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["asiago & cheddar squares", "4.5 ounce (pack of 3)"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9Q1TEO", "worker_id": "A2ECRNQ3X5LEXD"}], "B000XEX11I": [{"asin": "B000XEX11I", "instruction": "get me some steel-toed workboots in size eleven and a half.", "attributes": ["moisture wicking", "steel toe", "rubber sole"], "options": ["color: brown | brown", "size: 11.5"], "instruction_attributes": ["steel toe"], "instruction_options": ["11.5"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOLPM96", "worker_id": "AR9AU5FY1S3RO"}], "B08V4N63K9": [{"asin": "B08V4N63K9", "instruction": "i want to get a super soft blue fleece throw that's 50 inches by 63 inches.", "attributes": ["super soft", "machine washable", "fleece throw", "living room"], "options": ["color: blue", "size: 50\"x63\""], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["blue", "50\"x63\""], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733JABEP", "worker_id": "A345TDMHP3DQ3G"}], "B088YWBL47": [{"asin": "B088YWBL47", "instruction": "i would like a deep brown clog with a rubber sole for my size 8 foot.", "attributes": ["open toe", "high heel", "rubber sole"], "options": ["color: deep brown", "size: 8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["deep brown", "8"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIEN00Q", "worker_id": "A1WS884SI0SLO4"}], "B007AS4YSO": [{"asin": "B007AS4YSO", "instruction": "i'm looking for a wax hair removal kit for very sensitive skin.", "attributes": ["natural ingredients", "hair removal", "sensitive skin"], "options": [""], "instruction_attributes": ["hair removal", "sensitive skin"], "instruction_options": [], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOLGM9X", "worker_id": "A3EDFA8UQT5GG8"}], "B08JTMVZKS": [{"asin": "B08JTMVZKS", "instruction": "i want to find a gold v shaped facial roller for anti aging massage.", "attributes": ["anti aging", "fine lines", "sensitive skin"], "options": ["color: gold"], "instruction_attributes": ["anti aging"], "instruction_options": ["gold"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCQAQ5D", "worker_id": "A2DDPSXH2X96RF"}], "B004AW4370": [{"asin": "B004AW4370", "instruction": "i would like a black schwarz size 6-6.5 shoe made of vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: black schwarz skull black", "size: 6-6.5"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["black schwarz skull black", "6-6.5"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7FBN5B", "worker_id": "A1WS884SI0SLO4"}], "B08QDR81K6": [{"asin": "B08QDR81K6", "instruction": "i'm looking for a high power sound bar.", "attributes": ["dust proof", "high power"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVX23XT", "worker_id": "A19317A3X87NVM"}], "B00278G99O": [{"asin": "B00278G99O", "instruction": "i want to find a wooden bar stool that features faux leather.", "attributes": ["assembly required", "faux leather"], "options": [""], "instruction_attributes": ["faux leather"], "instruction_options": [], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SSEDUD", "worker_id": "A345TDMHP3DQ3G"}], "B09P4P4H25": [{"asin": "B09P4P4H25", "instruction": "i want to find engraved cheetah-white bands for my apple watch. the bands need to be 38 millimeters long.", "attributes": ["compatible apple", "quick release"], "options": ["color: cheetah-white | green | lavender gray | black", "size: 38mm | 40mm | 41mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["cheetah-white | green | lavender gray | black", "38mm | 40mm | 41mm"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KLILJ5", "worker_id": "A345TDMHP3DQ3G"}], "B09GR8JT1W": [{"asin": "B09GR8JT1W", "instruction": "i am looking for a king size platform bed.", "attributes": ["button tufted", "long lasting", "faux leather", "king size", "box spring"], "options": ["color: grey", "size: full", "style: bed with storage drawers"], "instruction_attributes": ["king size"], "instruction_options": ["grey"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA19C8V", "worker_id": "A2KW17G25L25R8"}, {"asin": "B09GR8JT1W", "instruction": "i'm looking for upholstered platform bed.", "attributes": ["button tufted", "long lasting", "faux leather", "king size", "box spring"], "options": ["color: black", "size: king", "style: bed"], "instruction_attributes": ["king size"], "instruction_options": ["king", "bed"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLZ9RDY", "worker_id": "A21IUUHBSEVB56"}], "B09SD2KGX9": [{"asin": "B09SD2KGX9", "instruction": "i want to get some sandals with high heels and open toe in the color black and size 9 wide.", "attributes": ["open toe", "high heel", "ankle strap", "closed toe"], "options": ["color: a10 - black", "size: 9 wide"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["a10 - black", "9 wide"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79NV1HW", "worker_id": "A2YNPKYEFDZ6C9"}], "B08CHFJ7BQ": [{"asin": "B08CHFJ7BQ", "instruction": "i am looking for a pink leak proof bag.", "attributes": ["leak proof", "non toxic"], "options": ["color: pink-100g"], "instruction_attributes": ["leak proof"], "instruction_options": ["pink-100g"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVEMUTX", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08CHFJ7BQ", "instruction": "looking for leak proof refillable plastic cosmetic jars 50g", "attributes": ["leak proof", "non toxic"], "options": ["color: clear-50g"], "instruction_attributes": ["leak proof"], "instruction_options": ["clear-50g"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQZ2B4F", "worker_id": "A10OGH5CQBXL5N"}], "B08BYS9RT5": [{"asin": "B08BYS9RT5", "instruction": "get me some non-toxic nail glitter in twelve colors.", "attributes": ["non toxic", "nail art"], "options": ["color: 12 colors"], "instruction_attributes": ["non toxic", "nail art"], "instruction_options": ["12 colors"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPDY6V1", "worker_id": "AR9AU5FY1S3RO"}], "B09L6CL783": [{"asin": "B09L6CL783", "instruction": "show me all your non-slip size ten ladies ankle boots in grey.", "attributes": ["non slip", "soft material"], "options": ["color: gray a", "size: 10"], "instruction_attributes": ["non slip"], "instruction_options": ["gray a", "10"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM9672G4Z", "worker_id": "A3EDFA8UQT5GG8"}], "B09BJFBZKT": [{"asin": "B09BJFBZKT", "instruction": "i want to find a 30-count pack of non-dairy, salted caramel flavored hot chocolate mix.", "attributes": ["non dairy", "dairy free", "lactose free"], "options": ["flavor name: salted caramel", "size: 30 count (pack of 1)"], "instruction_attributes": ["non dairy"], "instruction_options": ["salted caramel", "30 count (pack of 1)"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEF3IXC", "worker_id": "A345TDMHP3DQ3G"}], "B09SHHN9D9": [{"asin": "B09SHHN9D9", "instruction": "i need a yellow xx-large floral print tank sleeveless dress that is quick drying.", "attributes": ["quick drying", "quality polyester"], "options": ["color: yellow", "size: xx-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["yellow", "xx-large"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4YOXYK", "worker_id": "A2RBF3IIJP15IH"}], "B00VO4KYV6": [{"asin": "B00VO4KYV6", "instruction": "i want gluten free tasty teriyaki perky jerky turkey jerky.", "attributes": ["low fat", "low sodium", "protein serving", "non gmo", "gluten free", "resealable bag"], "options": ["flavor name: plant based - tasty teriyaki"], "instruction_attributes": ["gluten free"], "instruction_options": ["plant based - tasty teriyaki"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQ8KVKX", "worker_id": "A2RBF3IIJP15IH"}], "B08DCGPRKK": [{"asin": "B08DCGPRKK", "instruction": "i'm looking for a ready to eat goya guisadas preferable white beans in sauce.", "attributes": ["low fat", "ready eat"], "options": ["flavor name: white beans in sauce"], "instruction_attributes": ["ready eat"], "instruction_options": ["white beans in sauce"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPIJ6EJ", "worker_id": "ARQ05PDNXPFDI"}], "B071NV1CRV": [{"asin": "B071NV1CRV", "instruction": "i am interested in permanent hair color that is dark blonde tobacco.", "attributes": ["easy use", "permanent hair"], "options": ["color: dark blonde tobacco"], "instruction_attributes": ["permanent hair"], "instruction_options": ["dark blonde tobacco"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVXU3XL", "worker_id": "A2ECRNQ3X5LEXD"}], "B00EECI9A8": [{"asin": "B00EECI9A8", "instruction": "i would like some long lasting eau de toilette.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8OYKA2C", "worker_id": "A1WS884SI0SLO4"}], "B01HJWDWP6": [{"asin": "B01HJWDWP6", "instruction": "i'm looking for high speed, gold plated hdmi cables that are male to male.", "attributes": ["high speed", "gold plated"], "options": ["color: 10 pack", "size: 15 feet (4 pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["hdmi male to male"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG4OLSE", "worker_id": "A3EDFA8UQT5GG8"}], "B097DM97CS": [{"asin": "B097DM97CS", "instruction": "what scented candles that are lead free are available in wild lavender scent?", "attributes": ["lead free", "soy wax"], "options": ["scent: wild lavender"], "instruction_attributes": ["lead free"], "instruction_options": ["wild lavender"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MJQFOX", "worker_id": "A3EDFA8UQT5GG8"}], "B09RQ6D2XX": [{"asin": "B09RQ6D2XX", "instruction": "i want to get a six-count package of white karahi flavored mix. the mix shouldn't have any artificial flavors.", "attributes": ["easy use", "artificial flavors"], "options": ["flavor name: white karahi 1.41 oz (40g)", "size: pack of 6"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["white karahi 1.41 oz (40g)", "pack of 6"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG4WSLT", "worker_id": "A345TDMHP3DQ3G"}], "B093YRY22W": [{"asin": "B093YRY22W", "instruction": "get me a mesh laundry bag in any color, please.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZHO7CO", "worker_id": "AR9AU5FY1S3RO"}], "B07GXDNMCP": [{"asin": "B07GXDNMCP", "instruction": "i am looking for a stainless steel tongue cleaner.", "attributes": ["stainless steel", "bad breath"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ7X0N0", "worker_id": "A1EREKSZAA9V7B"}], "B09PB9NFWJ": [{"asin": "B09PB9NFWJ", "instruction": "i am looking for a cat with ears cupcake toppers for a baby shower.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4A3BSA", "worker_id": "A1EREKSZAA9V7B"}], "B07VPSW334": [{"asin": "B07VPSW334", "instruction": "i want a small black women's blouse with long sleeves.", "attributes": ["hand wash", "elastic closure", "long sleeve", "polyester spandex", "dry clean", "teen girls"], "options": ["color: #1 black", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["#1 black", "small"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1076QLIQ", "worker_id": "A345TDMHP3DQ3G"}], "B083QFB8L5": [{"asin": "B083QFB8L5", "instruction": "i want to find an 80x50 centimeter desk that can be mounted to my wall.", "attributes": ["wall mounted", "easy clean"], "options": ["color: c", "size: 80\u00d750 cm | 31.5\u00d719.7 in"], "instruction_attributes": ["wall mounted"], "instruction_options": ["80\u00d750 cm | 31.5\u00d719.7 in"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VO9MXI", "worker_id": "A345TDMHP3DQ3G"}], "B09S31L7LB": [{"asin": "B09S31L7LB", "instruction": "i am looking for x-large mint green snow boots that have a rubber outsole.", "attributes": ["slip resistant", "soft material", "rubber outsole"], "options": ["color: b32 - mint green", "size: x-large"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["b32 - mint green", "x-large"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q10DK0", "worker_id": "A2ECRNQ3X5LEXD"}], "B01GQU0HMS": [{"asin": "B01GQU0HMS", "instruction": "i am looking for low fat beef jerky.", "attributes": ["low fat", "high protein", "gluten free"], "options": [""], "instruction_attributes": ["low fat"], "instruction_options": [], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ78N0Y", "worker_id": "A1EREKSZAA9V7B"}], "B08YNFX8P8": [{"asin": "B08YNFX8P8", "instruction": "i am looking for a body brush that has a long handle.", "attributes": ["easy clean", "long handle"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSGA2QF", "worker_id": "A2ECRNQ3X5LEXD"}], "B078VDBGJK": [{"asin": "B078VDBGJK", "instruction": "i want to find a pair of purple women's boots in a size 8. the boots need to have rubber soles.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: purple sage", "size: 8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["purple sage", "8"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOBAATH", "worker_id": "A345TDMHP3DQ3G"}], "B09R1XFNKW": [{"asin": "B09R1XFNKW", "instruction": "i need a black leopard print polyester-cotton shirt with long sleeves.", "attributes": ["slim fit", "short sleeve", "long sleeve", "polyester cotton", "regular fit", "gym workout"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["long sleeve", "polyester cotton"], "instruction_options": ["black"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ANWWB7", "worker_id": "A19317A3X87NVM"}], "B09228DH3M": [{"asin": "B09228DH3M", "instruction": "i am interested in a high quality hair cutting kit.", "attributes": ["easy carry", "easy clean", "easy use", "high quality", "hair cutting"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGLHIY2", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VHGV3XW": [{"asin": "B07VHGV3XW", "instruction": "i want 8 pcs of water resistant tattoo grip tape.", "attributes": ["water resistant", "easy use"], "options": ["color: tattoo grip tape 8pcs"], "instruction_attributes": ["water resistant"], "instruction_options": ["tattoo grip tape 8pcs"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IN8LT9", "worker_id": "A2RBF3IIJP15IH"}], "B097P8M6MB": [{"asin": "B097P8M6MB", "instruction": "i need to buy a fake security camera. get the one that comes with batteries. buy it in silver.", "attributes": ["easy install", "batteries included"], "options": ["color: silver", "item package quantity: 1"], "instruction_attributes": ["batteries included"], "instruction_options": ["silver"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDPR8YZ", "worker_id": "AR9AU5FY1S3RO"}], "B009DU4QYE": [{"asin": "B009DU4QYE", "instruction": "i want a sulfate free shampoo that is 8 fl oz.", "attributes": ["sulfate free", "paraben free", "natural ingredients", "natural hair"], "options": ["size: 8 fl oz (pack of 1)"], "instruction_attributes": ["sulfate free"], "instruction_options": ["8 fl oz (pack of 1)"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNT3H8Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B071RGNKD2": [{"asin": "B071RGNKD2", "instruction": "i am looking for a usda organic cacao flavored instant cup of oatmeal .", "attributes": ["non gmo", "protein serving", "usda organic", "plant based", "simple ingredients", "artificial flavors"], "options": ["flavor name: cacao", "size: 1.94 ounce (pack of 12)"], "instruction_attributes": ["usda organic"], "instruction_options": ["cacao"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0MVESC9", "worker_id": "A1EREKSZAA9V7B"}], "B07PYDRYWP": [{"asin": "B07PYDRYWP", "instruction": "i am looking for a pack of 4 non gmo flatbread crackers that are sesame", "attributes": ["non gmo", "0g trans"], "options": ["flavor name: sesame and sea salt", "size: 6.7 ounce (pack of 4)"], "instruction_attributes": ["non gmo"], "instruction_options": ["sesame and sea salt", "6.7 ounce (pack of 4)"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ7C0NF", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QJ7J993": [{"asin": "B07QJ7J993", "instruction": "i want a mother's love scented long lasting jewelry jar candle with a size 9 ring.", "attributes": ["lead free", "long lasting"], "options": ["scent: mother's love", "size: ring (size 9)"], "instruction_attributes": ["long lasting"], "instruction_options": ["mother's love", "ring (size 9)"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBCGDJH", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07QJ7J993", "instruction": "i need long lasting lead free candle with a smoky mountains cabin scent.", "attributes": ["lead free", "long lasting"], "options": ["scent: smoky mountains cabin", "size: earrings"], "instruction_attributes": ["lead free", "long lasting"], "instruction_options": ["smoky mountains cabin"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWO16WG", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07QJ7J993", "instruction": "i'm looking for a long lasting jewelry candle with a cotton candy scent; please pick the one with earrings inside.", "attributes": ["lead free", "long lasting"], "options": ["scent: cotton candy", "size: earrings"], "instruction_attributes": ["long lasting"], "instruction_options": ["cotton candy", "earrings"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOG3ONG", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B07QJ7J993", "instruction": "i would like a lead free bracelet birthday cake jar candle.", "attributes": ["lead free", "long lasting"], "options": ["scent: birthday cake", "size: bracelet"], "instruction_attributes": ["lead free"], "instruction_options": ["birthday cake", "bracelet"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCIAKBAE", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07QJ7J993", "instruction": "i want a size 8 black raspberry vanilla candle that is long lasting.", "attributes": ["lead free", "long lasting"], "options": ["scent: black raspberry vanilla", "size: ring (size 8)"], "instruction_attributes": ["long lasting"], "instruction_options": ["black raspberry vanilla", "ring (size 8)"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXJSJUS", "worker_id": "A1WS884SI0SLO4"}], "B07CZS5SM7": [{"asin": "B07CZS5SM7", "instruction": "i am looking for a mint green twin size adult weighted blanket.", "attributes": ["twin size", "super soft", "king size"], "options": ["color: mint green", "size: 41\" x 60\" 10 lbs"], "instruction_attributes": ["twin size"], "instruction_options": ["mint green"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR3SC03", "worker_id": "A1EREKSZAA9V7B"}], "B0000645C9": [{"asin": "B0000645C9", "instruction": "i need a canon powershot s200 with optical zoom.", "attributes": ["optical zoom", "usb port"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIAUL2G", "worker_id": "A2RBF3IIJP15IH"}], "B08FCXCD93": [{"asin": "B08FCXCD93", "instruction": "i want to buy a high speed, high resolution mirrorless camera. get the one with the standard lens kit.", "attributes": ["high resolution", "dust proof", "high speed"], "options": ["style: standard lens kit"], "instruction_attributes": ["high resolution", "high speed"], "instruction_options": ["standard lens kit"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CAB0VT", "worker_id": "AR9AU5FY1S3RO"}], "B07YZL99M8": [{"asin": "B07YZL99M8", "instruction": "i am looking for a slim fit t-shirt of black-5 color.", "attributes": ["slim fit", "short sleeve", "polyester spandex"], "options": ["color: black-5", "size: x-small"], "instruction_attributes": ["slim fit"], "instruction_options": ["black-5"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06JUXK4", "worker_id": "A1Q8PPQQCWGY0D"}], "B09SGBKXB9": [{"asin": "B09SGBKXB9", "instruction": "get me a hand-washable swimsuit in size small.", "attributes": ["hand wash", "nylon spandex", "tummy control", "high waist", "polyester spandex", "tumble dry"], "options": ["color: a2#black", "size: small"], "instruction_attributes": ["hand wash"], "instruction_options": ["small"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRPR2YI", "worker_id": "AR9AU5FY1S3RO"}], "B07Y497YYL": [{"asin": "B07Y497YYL", "instruction": "i need to shop for a heavy duty cell phone case. i'd like one that's black with blue accents.", "attributes": ["dust proof", "compatible apple", "heavy duty"], "options": ["color: black&blue"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black&blue"], "assignment_id": "37TRT2X24116R7L1JO45INKV8RRJB3", "worker_id": "AR9AU5FY1S3RO"}], "B09PMZD9TB": [{"asin": "B09PMZD9TB", "instruction": "i want a pink coat that is 3x large and machine washable.", "attributes": ["quick drying", "machine washable", "laundry bag"], "options": ["color: pink", "size: 3x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["pink", "3x-large"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSFU26E", "worker_id": "A2ECRNQ3X5LEXD"}], "B000EITYUU": [{"asin": "B000EITYUU", "instruction": "i need 2 pack 5 pound resealable bags of fine ground celtic sea salt.", "attributes": ["non gmo", "gluten free", "resealable bag"], "options": ["pattern name: 2-pack", "size: 5 pound (pack of 1)", "style: 2-pack"], "instruction_attributes": ["resealable bag"], "instruction_options": ["2-pack", "5 pound (pack of 1)", "2-pack"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2KAL56", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000EITYUU", "instruction": "i'm looking for gluten free it was high protein and healthy need to buy.", "attributes": ["non gmo", "gluten free", "resealable bag"], "options": ["pattern name: sea salt + light grey celtic sea salt", "size: 1 pound (pack of 1)", "style: 2-pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["sea salt + light grey celtic sea salt"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKM2VPI", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B000EITYUU", "instruction": "i am looking for sea salt of 2-pack size which is gluten free.", "attributes": ["non gmo", "gluten free", "resealable bag"], "options": ["pattern name: sea salt", "size: 2-pack", "style: 2-pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["2-pack"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSK3621", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B000EITYUU", "instruction": "i'm looking for a 2 pack of sea salt in a resealable bag and gluten free", "attributes": ["non gmo", "gluten free", "resealable bag"], "options": ["pattern name: sea salt", "size: 2-pack", "style: 2-pack"], "instruction_attributes": ["gluten free", "resealable bag"], "instruction_options": ["sea salt", "2-pack", "2-pack"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4JL156", "worker_id": "A2Y2TURT2VEYZN"}], "B09QL71Q7B": [{"asin": "B09QL71Q7B", "instruction": "i am looking for a women's short sleeve tank top size 3x-large.", "attributes": ["quick drying", "machine washable", "loose fit", "long sleeve", "short sleeve", "laundry bag", "daily wear"], "options": ["color: facai-a234-hot pink", "size: 3x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["3x-large"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTV5M7Y", "worker_id": "A1EREKSZAA9V7B"}], "B08G6NGY1J": [{"asin": "B08G6NGY1J", "instruction": "i need a can of ready to eat vegan duck.", "attributes": ["easy use", "shelf stable", "ready eat"], "options": [""], "instruction_attributes": ["ready eat"], "instruction_options": [], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZTMNAR", "worker_id": "A2RBF3IIJP15IH"}], "B09T3BML8K": [{"asin": "B09T3BML8K", "instruction": "i am looking for a solid wood vertical file cabinet that is easy to assemble.", "attributes": ["easy assemble", "engineered wood", "solid wood", "living room"], "options": [""], "instruction_attributes": ["easy assemble", "solid wood"], "instruction_options": [], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3VD1UD", "worker_id": "A1EREKSZAA9V7B"}], "B09CQ2QHHT": [{"asin": "B09CQ2QHHT", "instruction": "i am looking for 1 pack of 14 inch tape in hair extensions.", "attributes": ["double sided", "hair extensions"], "options": ["color: #2 kc", "size: 14 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["14 inch (pack of 1)"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ4E1LD", "worker_id": "A1EREKSZAA9V7B"}], "B08LND5CJZ": [{"asin": "B08LND5CJZ", "instruction": "i need a rose gold cell phone case with a tempered glass screen.", "attributes": ["hands free", "glass screen", "tempered glass"], "options": ["color: rose gold"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["rose gold"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z29XGX", "worker_id": "AR9AU5FY1S3RO"}], "B096V6LFW9": [{"asin": "B096V6LFW9", "instruction": "i am looking for high quality 18 inch hair extensions", "attributes": ["high quality", "synthetic hair", "hair extensions"], "options": ["color: tt1b | 30", "size: 18 in"], "instruction_attributes": ["high quality"], "instruction_options": ["18 in"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRUNXJY", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LMLN5YH": [{"asin": "B08LMLN5YH", "instruction": "i'd like to buy a black bullet camera with motion detection.", "attributes": ["1080p hd", "motion detection"], "options": ["color: black"], "instruction_attributes": ["motion detection"], "instruction_options": ["black"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q0YWGY", "worker_id": "AR9AU5FY1S3RO"}], "B07S3Z2N18": [{"asin": "B07S3Z2N18", "instruction": "i would like a woman's large cotton heather t shirt preferably in slate gray.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "star wars"], "options": ["color: slate", "fit type: women", "size: large"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["slate", "women", "large"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JX9K7G2", "worker_id": "A1WS884SI0SLO4"}], "B099MQDKXM": [{"asin": "B099MQDKXM", "instruction": "i need to buy a new laptop. look for one with a core i5 intel processor, 64 gigabytes of ram, and a 2 terrabyte ssd.", "attributes": ["core i5", "intel core"], "options": ["size: 64gb ddr4 i 2tb ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["64gb ddr4 i 2tb ssd"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOV97ON", "worker_id": "AR9AU5FY1S3RO"}], "B098KYNNF1": [{"asin": "B098KYNNF1", "instruction": "buy me any long sleeve polo as long as it's a size medium.", "attributes": ["classic fit", "long sleeve"], "options": ["color: jade frost", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HG82YHP", "worker_id": "AR9AU5FY1S3RO"}], "B01BY04QQS": [{"asin": "B01BY04QQS", "instruction": "i am looking for a 40ft hdmi cable that is gold plated.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["configuration: hdmi male-male", "pattern name: 1 pack", "size: 40 ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["1 pack", "40 ft"], "assignment_id": "352YTHGRO6NQF252G9RXYWYAL7A4HH", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01BY04QQS", "instruction": "i would like a single 25 foot hdmi 2.1 cable for my blu ray player.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["configuration: hdmi 2.1", "pattern name: 1 pack", "size: 25 ft"], "instruction_attributes": ["blu ray"], "instruction_options": ["hdmi 2.1", "1 pack", "25 ft"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20L5Z0G", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01BY04QQS", "instruction": "i am looking for a 3ft high speed hdmi male-male cable with gold plated.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["configuration: hdmi male-male", "pattern name: 3 pack", "size: 3ft"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["hdmi male-male", "3ft"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X7E3YP", "worker_id": "A1V2JTEEBCXR20"}], "B072PZ683F": [{"asin": "B072PZ683F", "instruction": "add some non-gmo popcorn to my order.", "attributes": ["old fashioned", "non gmo", "0g trans", "high fructose"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSGV8B6", "worker_id": "AR9AU5FY1S3RO"}], "B08PC7RDVF": [{"asin": "B08PC7RDVF", "instruction": "i want to get a 12-pack of 14 ounce boxes of hand-crafted fettucine.", "attributes": ["low sodium", "hand crafted", "fat free"], "options": ["flavor name: fettucine", "size: 14 ounce (pack of 12)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["fettucine", "14 ounce (pack of 12)"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CNIT2T", "worker_id": "A345TDMHP3DQ3G"}], "B07YCJCLRH": [{"asin": "B07YCJCLRH", "instruction": "i want to find a case for my iphone 11 pro that is easy to install.", "attributes": ["easy install", "wireless charging"], "options": ["color: a05", "size: apple iphone 11 pro"], "instruction_attributes": ["easy install"], "instruction_options": ["apple iphone 11 pro"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G74I47J", "worker_id": "A345TDMHP3DQ3G"}], "B01KLLGE9I": [{"asin": "B01KLLGE9I", "instruction": "i need a rainfall colored and high quality reusable shower cap.", "attributes": ["high quality", "hair treatment"], "options": ["color: rainfall"], "instruction_attributes": ["high quality"], "instruction_options": ["rainfall"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLPKDAZ", "worker_id": "A2RBF3IIJP15IH"}], "B09LTRP7HW": [{"asin": "B09LTRP7HW", "instruction": "i want to find a tv stand made of solid wood for my living room.", "attributes": ["high density", "white item", "high gloss", "solid wood", "storage space", "living room"], "options": [""], "instruction_attributes": ["solid wood", "living room"], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGH2W2O", "worker_id": "A345TDMHP3DQ3G"}], "B08YNG2BWW": [{"asin": "B08YNG2BWW", "instruction": "i need a new watchband for my apple watch se. buy one that's sky blue and waterproof.", "attributes": ["water resistant", "quick release", "compatible apple", "stainless steel"], "options": ["color: sky blue", "size: 38mm | 40mm"], "instruction_attributes": ["water resistant"], "instruction_options": ["sky blue"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YW3HEZ", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08YNG2BWW", "instruction": "i need a water proof watch band for a 42 millimeter apple watch. i want a green one.", "attributes": ["water resistant", "quick release", "compatible apple", "stainless steel"], "options": ["color: facebook green", "size: 42mm | 44mm"], "instruction_attributes": ["water resistant", "compatible apple"], "instruction_options": ["facebook green", "42mm | 44mm"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYYYVHP", "worker_id": "AR9AU5FY1S3RO"}], "B09KBRDLQ5": [{"asin": "B09KBRDLQ5", "instruction": "looking for a coat with hood and long sleeve in black size large for women", "attributes": ["light weight", "fleece lined", "faux fur", "long sleeve"], "options": ["color: black 2", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black 2", "large"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4Q27K6", "worker_id": "A2Y2TURT2VEYZN"}], "B09P8H2C92": [{"asin": "B09P8H2C92", "instruction": "i would like a monocular for my bird watching.", "attributes": ["dust proof", "easy use", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7T0LHM", "worker_id": "A1WS884SI0SLO4"}], "B08PCJFYZX": [{"asin": "B08PCJFYZX", "instruction": "buy a steel framed end table for the living room.", "attributes": ["steel frame", "living room"], "options": [""], "instruction_attributes": ["steel frame", "living room"], "instruction_options": [], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95PFXQP", "worker_id": "AR9AU5FY1S3RO"}], "B09R1TRCMC": [{"asin": "B09R1TRCMC", "instruction": "i am looking for gold+purple color remote controller for playstation 3 having wireless bluetooth.", "attributes": ["high performance", "wireless bluetooth"], "options": ["color: gold+purple"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["gold+purple"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJR5VGW", "worker_id": "A1Q8PPQQCWGY0D"}], "B09H5NK549": [{"asin": "B09H5NK549", "instruction": "i am looking for swivel bar stools with adjustable height, 1pc.", "attributes": ["height adjustable", "dining room", "living room"], "options": ["color: 2pcs-pu grey-black base", "size: 1pc"], "instruction_attributes": ["height adjustable"], "instruction_options": ["1pc"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5OXF54", "worker_id": "A1EREKSZAA9V7B"}], "B08BZF2945": [{"asin": "B08BZF2945", "instruction": "buy some gray machine washable shorts.", "attributes": ["wash cold", "machine wash", "elastic closure", "elastic waistband", "elastic waist"], "options": ["color: gray", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["gray"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09J16Z", "worker_id": "AR9AU5FY1S3RO"}], "B08G1C28J9": [{"asin": "B08G1C28J9", "instruction": "i'm looking for a lip gloss base that is non-toxic. it comes in a pink tube.", "attributes": ["non toxic", "long lasting", "easy use"], "options": ["color: pink tube"], "instruction_attributes": ["non toxic"], "instruction_options": ["pink tube"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQP8HI6", "worker_id": "A3EDFA8UQT5GG8"}], "B08P7Y189P": [{"asin": "B08P7Y189P", "instruction": "i'm looking for a set of 6 midcentury desert prints in 11x14\" beige frames. they are a terra cotta color.", "attributes": ["mid century", "living room"], "options": ["color: midcentury terracotta", "size: 11x14 beige framed"], "instruction_attributes": ["mid century"], "instruction_options": ["midcentury terracotta", "11x14 beige framed"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0Q9RAH", "worker_id": "A2DDPSXH2X96RF"}], "B06XCT3QY4": [{"asin": "B06XCT3QY4", "instruction": "i would like a 6 pack of 5 count boxes of gluten free peanut butter fudge crisp bars.", "attributes": ["keto friendly", "low carb", "gluten free"], "options": ["flavor name: peanut butter fudge crisp", "size: 5 count (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["peanut butter fudge crisp", "5 count (pack of 6)"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNT28HO", "worker_id": "A1WS884SI0SLO4"}], "B0876WGZRL": [{"asin": "B0876WGZRL", "instruction": "i am interested in a long sleeved large button down shirt.", "attributes": ["officially licensed", "long sleeve"], "options": ["size: large", "team name: kyle busch"], "instruction_attributes": ["long sleeve"], "instruction_options": ["large"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLVZYBB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B6RF1VM": [{"asin": "B09B6RF1VM", "instruction": "i am interested in a heavy duty coat rack that is rice white colored.", "attributes": ["wall mounted", "heavy duty", "easy assemble"], "options": ["color: rice white"], "instruction_attributes": ["heavy duty"], "instruction_options": ["rice white"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUFEC30", "worker_id": "A2ECRNQ3X5LEXD"}], "B08C2N8BVB": [{"asin": "B08C2N8BVB", "instruction": "i would like some non gmo strawberries that are 2.5 ounces", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries", "size: 2.5 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["non gmo"], "instruction_options": ["strawberries", "2.5 ounce (pack of 1)"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNX5TPB", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08C2N8BVB", "instruction": "i am looking for a freeze dried bag of beets.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: roasted corn", "size: 2.5 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["bag"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOJJTC0", "worker_id": "A2NSS746CFCT4M"}, {"asin": "B08C2N8BVB", "instruction": "i am looking for 1 ounce bag of non-gmo freeze-dried beets.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + tropical fruits", "size: 1 ounce (pack of 12)", "style: bag"], "instruction_attributes": ["non gmo", "freeze dried"], "instruction_options": ["1 ounce (pack of 12)"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ3WSIF", "worker_id": "AJDQGOTMB2D80"}, {"asin": "B08C2N8BVB", "instruction": "need me an organic freeze dried beets in strawberries and apples flavor", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + apples", "size: strawberries 1.2 ounce & raspberries 1.3...", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries + apples"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7XYUR1", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08C2N8BVB", "instruction": "i am looking a non gmo freeze dried low calorie fat free peas 1.8 ounce", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: peas", "size: 1.8 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["non gmo", "freeze dried", "low calorie", "fat free"], "instruction_options": ["peas", "1.8 ounce (pack of 1)"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8LZ4RF", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B08C2N8BVB", "instruction": "i am looking for low calorie dried vegetables of chocolate banana slices flavor.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: chocolate banana slices", "size: 1.2 ounce (pack of 8)", "style: bundle"], "instruction_attributes": ["low calorie"], "instruction_options": ["chocolate banana slices"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0YKPXR", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08C2N8BVB", "instruction": "i would like a 2.5 ounce bundle of blueberries that are usda organic.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: blueberries", "size: 2.5 ounce (pack of 12)", "style: bundle"], "instruction_attributes": ["usda organic"], "instruction_options": ["blueberries", "2.5 ounce (pack of 12)", "bundle"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFIF20W", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08C2N8BVB", "instruction": "i'm looking for a plant based, usda organic freeze dried fruits which is fat free. also choose a pack of 12 weighting 1.5 ounce bundle with strawberries + banana flavored one.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + bananas", "size: 1.5 ounce (pack of 12)", "style: bundle"], "instruction_attributes": ["freeze dried", "usda organic", "fat free", "plant based"], "instruction_options": ["strawberries + bananas", "1.5 ounce (pack of 12)", "bundle"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJLAOLL", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B08C2N8BVB", "instruction": "i'm looking for organic freeze-dried beets.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: raspberries", "size: 3 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["non gmo", "freeze dried"], "instruction_options": [], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZPER7F", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B08C2N8BVB", "instruction": "i'm looking for a 1.2 ounce package of freeze dried, non gmo, beets.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: bananas and strawberries", "size: 1.2 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["non gmo", "freeze dried"], "instruction_options": ["1.2 ounce (pack of 1)"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M21X945", "worker_id": "A2JP9IKRHNLRPI"}], "B017M3IXZG": [{"asin": "B017M3IXZG", "instruction": "i am looking for a long lasting edp spray for women.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "37Z929RLGKIZMWY86444AIH4AHCSTQ", "worker_id": "A1EREKSZAA9V7B"}], "B09CV289F8": [{"asin": "B09CV289F8", "instruction": "i am looking for a yellow short sleeve men's hawaiian shirt.", "attributes": ["machine washable", "short sleeve", "button closure", "dry clean"], "options": ["color: yellow", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["yellow"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCFSJSJ", "worker_id": "A1EREKSZAA9V7B"}], "B086VNCP37": [{"asin": "B086VNCP37", "instruction": "i am looking for a solid wood light golden brown stained bookcase.", "attributes": ["wood finish", "solid wood"], "options": ["color: light golden brown | stained"], "instruction_attributes": ["solid wood"], "instruction_options": ["light golden brown | stained"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N3QT7V", "worker_id": "A1EREKSZAA9V7B"}], "B09Q9CSX6M": [{"asin": "B09Q9CSX6M", "instruction": "i am looking for a computer desk with a steel frame and a wood finish that is easy to clean.", "attributes": ["easy clean", "wood finish", "steel frame"], "options": [""], "instruction_attributes": ["easy clean", "wood finish", "steel frame"], "instruction_options": [], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGH4O05", "worker_id": "A1EREKSZAA9V7B"}], "B09MLNQM9R": [{"asin": "B09MLNQM9R", "instruction": "i am looking for a dust proof travel bag.", "attributes": ["dust proof", "easy carry"], "options": [""], "instruction_attributes": ["dust proof"], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR0GA08", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PBXS1XZ": [{"asin": "B09PBXS1XZ", "instruction": "i am interested in orange flats with arch support that are a size 11.5", "attributes": ["open toe", "ankle strap", "high heel", "arch support", "closed toe"], "options": ["color: z92-orange", "size: 11.5"], "instruction_attributes": ["arch support"], "instruction_options": ["z92-orange", "11.5"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYLSQMV", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MW1MRCH": [{"asin": "B09MW1MRCH", "instruction": "i am looking for a gold colored bpa free beauty case.", "attributes": ["bpa free", "fine mist"], "options": ["size: transparent gold"], "instruction_attributes": ["bpa free"], "instruction_options": ["transparent gold"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y0ENN4", "worker_id": "A2ECRNQ3X5LEXD"}], "B096V4P7PK": [{"asin": "B096V4P7PK", "instruction": "i would like a extra large fushia and leopard tunic that i can machine wash.", "attributes": ["hand wash", "wash cold", "machine wash", "unique design"], "options": ["color: fuchsia&leopard", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["fuchsia&leopard", "x-large"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOLV9MZ", "worker_id": "A1WS884SI0SLO4"}], "B07JZWV8WF": [{"asin": "B07JZWV8WF", "instruction": "i want to find a pair of blue men's work shoes in size 10. the shoes must be made of high quality materials.", "attributes": ["lace closure", "quality materials"], "options": ["color: blue", "size: 10 us"], "instruction_attributes": ["quality materials"], "instruction_options": ["blue", "10 us"], "assignment_id": "3X65QVEQIBXVW21709CD9M35U19LCR", "worker_id": "A345TDMHP3DQ3G"}], "B096RZF13X": [{"asin": "B096RZF13X", "instruction": "i need a peacock blue halter lace short homecoming dress in size 2 that can be hand washed.", "attributes": ["hand wash", "lace closure", "drawstring closure"], "options": ["color: peacock blue", "size: 2"], "instruction_attributes": ["hand wash"], "instruction_options": ["peacock blue", "2"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FFI3DJ", "worker_id": "A2RBF3IIJP15IH"}], "B01HSFND6W": [{"asin": "B01HSFND6W", "instruction": "i want to get a two-count package of gray barstools that i can put in my dining room.", "attributes": ["contemporary style", "dining room"], "options": ["color: grey", "style: 2 pack"], "instruction_attributes": ["dining room"], "instruction_options": ["grey", "2 pack"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LCEL00", "worker_id": "A345TDMHP3DQ3G"}], "B07B8BBFKL": [{"asin": "B07B8BBFKL", "instruction": "i need a shampoo set that is sulfate free and is 16 fl oz.", "attributes": ["sulfate free", "paraben free", "damaged hair", "dry hair"], "options": ["size: 16 fl oz (pack of 1)"], "instruction_attributes": ["sulfate free"], "instruction_options": ["16 fl oz (pack of 1)"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWCFGGQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B01K6CHVKI": [{"asin": "B01K6CHVKI", "instruction": "i would like a charcoal oval rug thats 10 ft x 13 ft and easy to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: charcoal", "item shape: oval", "size: 10 ft x 13 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["charcoal", "oval", "10 ft x 13 ft"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOV9O74", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01K6CHVKI", "instruction": "i want an octagonal area right that is light green in color and is easy to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: light green", "item shape: octagonal", "size: 3 ft 3 in x 5 ft 3 in"], "instruction_attributes": ["easy clean"], "instruction_options": ["light green", "octagonal"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIKDFES", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01K6CHVKI", "instruction": "i am looking for a red easy to clean area rugs", "attributes": ["easy clean", "spot clean"], "options": ["color: red", "item shape: oval", "size: 7 ft x 10 ft"], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UQHEZR", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01K6CHVKI", "instruction": "i am looking for a light green octagonal plush area rug.", "attributes": ["easy clean", "spot clean"], "options": ["color: light green", "item shape: octagonal", "size: 5 ft x 7 ft 7 in"], "instruction_attributes": ["easy clean"], "instruction_options": ["light green", "octagonal"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DU1OTL", "worker_id": "A1EREKSZAA9V7B"}], "B07GL3PWQ1": [{"asin": "B07GL3PWQ1", "instruction": "get some shelf stable baguettes.", "attributes": ["shelf stable", "simple ingredients"], "options": [""], "instruction_attributes": ["shelf stable"], "instruction_options": [], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOB6ATD", "worker_id": "AR9AU5FY1S3RO"}], "B084YV58DJ": [{"asin": "B084YV58DJ", "instruction": "i would like some long lasting perfume.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZIU7RX", "worker_id": "A1WS884SI0SLO4"}], "B07R1HDL4M": [{"asin": "B07R1HDL4M", "instruction": "buy some cotton rounds that are appropriate for sensitive skin, okay?", "attributes": ["non toxic", "high quality", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNPJFJH", "worker_id": "AR9AU5FY1S3RO"}], "B095KSSZ48": [{"asin": "B095KSSZ48", "instruction": "i am looking for an eco friendly cruelty free orange ylang shampoo and conditioner combo pack.", "attributes": ["plant based", "eco friendly", "cruelty free", "tea tree", "hair growth"], "options": ["style: orange ylang shampoo & conditioner combo pack"], "instruction_attributes": ["eco friendly", "cruelty free"], "instruction_options": ["orange ylang shampoo & conditioner combo pack"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49E9DTO", "worker_id": "A1EREKSZAA9V7B"}], "B089SXDC1N": [{"asin": "B089SXDC1N", "instruction": "i am looking for loose fitting men's cargo pants with an elastic waist size 32.", "attributes": ["loose fit", "machine wash", "elastic waist", "elastic closure", "elastic waistband"], "options": ["color: 2011 grey", "size: 32"], "instruction_attributes": ["loose fit", "elastic waist"], "instruction_options": ["32"], "assignment_id": "31EUONYN26DZ1WA44INARVVOADQVOD", "worker_id": "A1EREKSZAA9V7B"}], "B09R9MWSG7": [{"asin": "B09R9MWSG7", "instruction": "i'd like to see large bathing suits for women that are quick drying and loose fitting.", "attributes": ["quick drying", "loose fit", "tummy control", "high waist", "polyester spandex", "short sleeve"], "options": ["color: hot pink", "size: large"], "instruction_attributes": ["quick drying", "loose fit"], "instruction_options": ["large"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG4ILS8", "worker_id": "A3EDFA8UQT5GG8"}], "B08MKTY3J9": [{"asin": "B08MKTY3J9", "instruction": "can you find me a rose hydrations set to take care of my skin that has natural ingredients like green tea?", "attributes": ["seed oil", "green tea", "natural ingredients"], "options": [""], "instruction_attributes": ["green tea", "natural ingredients"], "instruction_options": [], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7TDHLV", "worker_id": "A2DDPSXH2X96RF"}], "B09HHDBKWG": [{"asin": "B09HHDBKWG", "instruction": "buy me a non-slip razor stand.", "attributes": ["non slip", "hair removal"], "options": [""], "instruction_attributes": ["non slip"], "instruction_options": [], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN6R8IR", "worker_id": "AR9AU5FY1S3RO"}], "B07F43F67Z": [{"asin": "B07F43F67Z", "instruction": "i need a dermatologist tested honest beauty elevated hydration mist.", "attributes": ["dermatologist tested", "cruelty free", "hyaluronic acid"], "options": [""], "instruction_attributes": ["dermatologist tested"], "instruction_options": [], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQPIIHH", "worker_id": "A2RBF3IIJP15IH"}], "B07TTXZS9Z": [{"asin": "B07TTXZS9Z", "instruction": "i am looking for an easy to use meat masala flavored seasoning mix for a traditional meat stew.", "attributes": ["easy use", "artificial flavors"], "options": ["flavor name: meat masala", "size: 1.76 ounce (pack of 2)"], "instruction_attributes": ["easy use"], "instruction_options": ["meat masala"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYMWQ97", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07TTXZS9Z", "instruction": "i am looking for spice powder with some artificial flavor such as meat masala", "attributes": ["easy use", "artificial flavors"], "options": ["flavor name: meat masala", "size: 3.5 ounce"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["meat masala"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFNKME5", "worker_id": "A16M39T60N60NO"}, {"asin": "B07TTXZS9Z", "instruction": "i would like a 3.52 ounce packet of kat a kat seasoning that's easy to use.", "attributes": ["easy use", "artificial flavors"], "options": ["flavor name: kat a kat", "size: 3.52 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["kat a kat", "3.52 ounce (pack of 6)"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9DM2VG", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07TTXZS9Z", "instruction": "i am looking for some easy to use chicken handi indian seasoning mix.", "attributes": ["easy use", "artificial flavors"], "options": ["flavor name: chicken handi", "size: pack of 4"], "instruction_attributes": ["easy use"], "instruction_options": ["chicken handi"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK49O6A3", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07TTXZS9Z", "instruction": "i want a 2.1 ounce package of chicken masala seasoning that's easy to use.", "attributes": ["easy use", "artificial flavors"], "options": ["flavor name: chicken masala", "size: 2.1 ounce (pack of 1)"], "instruction_attributes": ["easy use"], "instruction_options": ["chicken masala", "2.1 ounce (pack of 1)"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUUDICMH", "worker_id": "A1WS884SI0SLO4"}], "B09BDDB9HF": [{"asin": "B09BDDB9HF", "instruction": "i'd like to buy a nightsand that's made out of engineered wood.", "attributes": ["assembly required", "engineered wood"], "options": [""], "instruction_attributes": ["engineered wood"], "instruction_options": [], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1J16F4", "worker_id": "AR9AU5FY1S3RO"}], "B08BR9YDMK": [{"asin": "B08BR9YDMK", "instruction": "looking for temporary tattoos easy apply and waterproof with pattern name fluttery", "attributes": ["plant based", "easy apply", "cruelty free", "long lasting"], "options": ["pattern name: fluttery"], "instruction_attributes": ["easy apply"], "instruction_options": ["fluttery"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCF8E01", "worker_id": "A2Y2TURT2VEYZN"}], "B07Z1HD9C5": [{"asin": "B07Z1HD9C5", "instruction": "i am looking for a three piece assortment of individually wrapped bakery gifts that are chocolate caramels.", "attributes": ["individually wrapped", "artificial ingredients", "simple ingredients", "natural ingredients"], "options": ["flavor name: dark and milk chocolate caramel", "size: 3 piece assortment"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["dark and milk chocolate caramel", "3 piece assortment"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBC2JD9", "worker_id": "A2ECRNQ3X5LEXD"}], "B086HDW5T5": [{"asin": "B086HDW5T5", "instruction": "i am looking for hair extensions that are gray and 26 inches.", "attributes": ["double sided", "hair extensions", "hair loss"], "options": ["color: x-#gray", "size: 26 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["x-#gray", "26 inch"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQA119K", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B086HDW5T5", "instruction": "i want an 18 inch sunny human hair extensions tape.", "attributes": ["double sided", "hair extensions", "hair loss"], "options": ["color: #4 | 27 | 4 brown mix caramel blonde", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["18 inch"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTTR5EX", "worker_id": "A2RBF3IIJP15IH"}], "B086ZCTH3P": [{"asin": "B086ZCTH3P", "instruction": "get me some twenty four inch natural hair extensions. buy color number eight.", "attributes": ["hair extensions", "natural hair"], "options": ["color: #8 | 60 | 18", "size: 24 inch"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["#8 | 60 | 18", "24 inch"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NKY2PY", "worker_id": "AR9AU5FY1S3RO"}], "B083K37BSD": [{"asin": "B083K37BSD", "instruction": "i am interested in a large short sleeved shirt that is multicolored.", "attributes": ["long lasting", "button closure", "polyester spandex", "short sleeve", "tumble dry"], "options": ["color: multi010", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["multi010", "large"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54OL83I", "worker_id": "A2ECRNQ3X5LEXD"}], "B08NRMRDTM": [{"asin": "B08NRMRDTM", "instruction": "i am looking for 1 pound of nut free christmas candy.", "attributes": ["nut free", "non gmo", "great gift", "party supplies"], "options": ["size: 1 pound (pack of 1)"], "instruction_attributes": ["nut free"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLWNAVU", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08NRMRDTM", "instruction": "i am looking for 1 pound of nut free christmas candy.", "attributes": ["nut free", "non gmo", "great gift", "party supplies"], "options": ["size: 1 pound (pack of 1)"], "instruction_attributes": ["nut free"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9NCTV6", "worker_id": "A1EREKSZAA9V7B"}], "B09PHCMGRR": [{"asin": "B09PHCMGRR", "instruction": "i am interested in rose gold eyebrow trimmers.", "attributes": ["rose gold", "stainless steel", "hair removal"], "options": [""], "instruction_attributes": ["rose gold"], "instruction_options": [], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZOB3KS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PJ72WM1": [{"asin": "B09PJ72WM1", "instruction": "i need white womens high waist bell-bottomed pants in size x-large.", "attributes": ["wide leg", "tummy control", "high waist", "button closure", "gym workout"], "options": ["color: white", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["white", "x-large"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQ8IKVK", "worker_id": "A2RBF3IIJP15IH"}], "B09KH8VTW8": [{"asin": "B09KH8VTW8", "instruction": "i am interested in a lightweight hoodie that is red and x-large.", "attributes": ["light weight", "fleece lined", "hand wash", "long sleeve", "faux fur", "short sleeve", "teen girls"], "options": ["color: red", "size: x-large"], "instruction_attributes": ["light weight"], "instruction_options": ["red", "x-large"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4YVYXS", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NDLGGS1": [{"asin": "B07NDLGGS1", "instruction": "i am interested in a synthetic wig that is silver.", "attributes": ["synthetic hair", "natural hair"], "options": ["color: rl56 | 60 silver mist"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["rl56 | 60 silver mist"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YW8HE4", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QNR3PN1": [{"asin": "B07QNR3PN1", "instruction": "i need a pair of shorts. make sure they're made out of quality materials and buy them in a size extra small.", "attributes": ["hand wash", "fashion design", "quality materials"], "options": ["color: w-navy", "size: x-small"], "instruction_attributes": ["quality materials"], "instruction_options": ["x-small"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHUYBLAC", "worker_id": "AR9AU5FY1S3RO"}], "B09SZ8YHQN": [{"asin": "B09SZ8YHQN", "instruction": "i need a pair of sandles with an ankle strap in size eight wide, please.", "attributes": ["open toe", "closed toe", "ankle strap"], "options": ["color: 01-black", "size: 8 wide"], "instruction_attributes": ["ankle strap"], "instruction_options": ["8 wide"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT34XHJI", "worker_id": "AR9AU5FY1S3RO"}], "B09PDTSB4K": [{"asin": "B09PDTSB4K", "instruction": "i would like some black tongue cleaners for my bad breath.", "attributes": ["easy clean", "easy use", "high quality", "stainless steel", "bad breath", "fresh breath"], "options": ["color: black"], "instruction_attributes": ["bad breath"], "instruction_options": ["black"], "assignment_id": "3TE22NPXPMMW3QH7127E47P6G2H44O", "worker_id": "A1WS884SI0SLO4"}], "B07CL8ZHXS": [{"asin": "B07CL8ZHXS", "instruction": "i want some hand cream for dry and sensitive hands in a grapefruit scent.", "attributes": ["fragrance free", "cruelty free", "sensitive skin"], "options": ["scent: honeyed grapefruit", "size: 3.4 fl oz (pack of 1)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["honeyed grapefruit"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9BJZRT", "worker_id": "A19317A3X87NVM"}], "B08228LTKC": [{"asin": "B08228LTKC", "instruction": "get me some twin-sized flat sheets in gray.", "attributes": ["twin size", "super soft"], "options": ["color: gray", "size: king (flat sheets only)"], "instruction_attributes": ["twin size"], "instruction_options": ["gray"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGHN2WF", "worker_id": "AR9AU5FY1S3RO"}], "B08PP8QK5M": [{"asin": "B08PP8QK5M", "instruction": "looking for flexible curling rods in blue for natural and dry hair easy to use in size 9.45 x 0.55", "attributes": ["easy use", "natural hair", "dry hair"], "options": ["color: blue", "size: 9.45 x 0.55"], "instruction_attributes": ["easy use", "natural hair", "dry hair"], "instruction_options": ["blue", "9.45 x 0.55"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZI5R7S", "worker_id": "A2Y2TURT2VEYZN"}], "B09N8T4QNV": [{"asin": "B09N8T4QNV", "instruction": "find me a clear ultra hd tempered glass screen protector for my samsung galaxy s22 ultra 5g. it has a 6.8\" screen, and i'll need a 3 pack.", "attributes": ["ultra hd", "easy install", "tempered glass"], "options": ["color: clear"], "instruction_attributes": ["ultra hd", "tempered glass"], "instruction_options": ["clear"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IFIM2H", "worker_id": "A2DDPSXH2X96RF"}], "B092VRBMN3": [{"asin": "B092VRBMN3", "instruction": "i would like a medium sized dress with a elastic waist.", "attributes": ["elastic waist", "tumble dry"], "options": ["size: medium"], "instruction_attributes": ["elastic waist"], "instruction_options": ["medium"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7KPI3Z", "worker_id": "A1WS884SI0SLO4"}], "B07H432DKS": [{"asin": "B07H432DKS", "instruction": "i am looking for a certified refurbished laser printer.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3P1P63", "worker_id": "A1Q8PPQQCWGY0D"}], "B016MDQ6B0": [{"asin": "B016MDQ6B0", "instruction": "i'm looking for hyaluronic acid serum for face -1 fl oz (pack of 1)", "attributes": ["anti aging", "hyaluronic acid"], "options": ["size: 1 fl oz (pack of 1)"], "instruction_attributes": ["hyaluronic acid"], "instruction_options": ["1 fl oz (pack of 1)"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWOXPFZ", "worker_id": "A258PTOZ3D2TQR"}], "B001JO4O80": [{"asin": "B001JO4O80", "instruction": "i want to get gluten free chicken and apple sausages that are organic.", "attributes": ["non gmo", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NKXP2K", "worker_id": "A345TDMHP3DQ3G"}], "B08YNRD68R": [{"asin": "B08YNRD68R", "instruction": "i am looking for an easy to carry bluetooth speaker that is black.", "attributes": ["easy carry", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["easy carry"], "instruction_options": ["black"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HMPOWD", "worker_id": "A1EREKSZAA9V7B"}], "B07QD4WHMZ": [{"asin": "B07QD4WHMZ", "instruction": "i'd like to find a 1-pack of hdmi and dp cables that are three feet long. they need to have gold plating.", "attributes": ["1080p hd", "gold plated", "usb port"], "options": ["pattern name: cable + dp cable - 6 feet, 10-pack", "size: 3 feet", "style: 1-pack"], "instruction_attributes": ["gold plated"], "instruction_options": ["cable + dp cable - 6 feet, 10-pack", "3 feet", "1-pack"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXDIC8", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07QD4WHMZ", "instruction": "i am looking for a uni-directional displayport to hdmi cable for usb port which capable of 1080p hd quality. also choose 25 feet in length and 10-pack", "attributes": ["1080p hd", "gold plated", "usb port"], "options": ["pattern name: cable + cable - 10 feet", "size: 25 feet", "style: 10-pack"], "instruction_attributes": ["1080p hd", "usb port"], "instruction_options": ["25 feet", "10-pack"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCUK5QA", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B07QD4WHMZ", "instruction": "i need a display usb port for 1080p hd to hdmi. pick one that is 10ft", "attributes": ["1080p hd", "gold plated", "usb port"], "options": ["pattern name: cable", "size: 10 feet", "style: 5-pack"], "instruction_attributes": ["1080p hd", "usb port"], "instruction_options": ["10 feet"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCRP5Q9", "worker_id": "A31PW970Z2PC5P"}, {"asin": "B07QD4WHMZ", "instruction": "i am looking for a ten foot gold plated displayport to hdmi cable.", "attributes": ["1080p hd", "gold plated", "usb port"], "options": ["pattern name: cable + desk chair", "size: 10 feet", "style: 5-pack"], "instruction_attributes": ["gold plated"], "instruction_options": ["10 feet"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAC1IFJ", "worker_id": "A1EREKSZAA9V7B"}], "B08N5NQ869": [{"asin": "B08N5NQ869", "instruction": "i would like a venetian bronze doorbell only motion detector for my door.", "attributes": ["1080p hd", "motion detection"], "options": ["color: venetian bronze", "configuration: doorbell only"], "instruction_attributes": ["motion detection"], "instruction_options": ["venetian bronze", "doorbell only"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TA6NM6", "worker_id": "A1WS884SI0SLO4"}], "B09RDXT5G8": [{"asin": "B09RDXT5G8", "instruction": "i am looking for chocolate gifts for valentine's day.", "attributes": ["hand crafted", "valentine day"], "options": [""], "instruction_attributes": ["valentine day"], "instruction_options": [], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWWZ1RZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B01K8T6V0A": [{"asin": "B01K8T6V0A", "instruction": "i would like some gnocchi that is easy to prepare.", "attributes": ["easy prepare", "gmo free", "shelf stable", "quality ingredients", "natural ingredients"], "options": [""], "instruction_attributes": ["easy prepare"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1FHU3O", "worker_id": "A2ECRNQ3X5LEXD"}], "B08NZ512GL": [{"asin": "B08NZ512GL", "instruction": "i am looking for a gift basket that has pancakes, muffins, jam and syrup.", "attributes": ["hand crafted", "gift basket", "perfect gift"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYMD9Q7", "worker_id": "A1EREKSZAA9V7B"}], "B081R831MX": [{"asin": "B081R831MX", "instruction": "i am looking for silver cake toppers for a baby shower.", "attributes": ["cupcake picks", "party supplies", "baby shower", "birthday party"], "options": ["color: silver"], "instruction_attributes": ["baby shower"], "instruction_options": ["silver"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7VDSDW", "worker_id": "A2ECRNQ3X5LEXD"}], "B072NFDZ8K": [{"asin": "B072NFDZ8K", "instruction": "i need a red pair of skechers men's performance shoes with synthetic soles in size 9.5.", "attributes": ["machine washable", "synthetic sole"], "options": ["color: red", "size: 9.5 x-wide"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["red", "9.5 x-wide"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSG88BJ", "worker_id": "A2RBF3IIJP15IH"}], "B07K56587S": [{"asin": "B07K56587S", "instruction": "i want to find an xxl sized granite heather colored champion crew neck sweatshirt that is a poly cotton blend.", "attributes": ["polyester cotton", "tumble dry"], "options": ["color: granite heather", "size: xx-large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["granite heather", "xx-large"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7FMN5M", "worker_id": "A2DDPSXH2X96RF"}], "B08L215MCC": [{"asin": "B08L215MCC", "instruction": "i am interested in highly pigmented eyeshadow in the color sienna.", "attributes": ["highly pigmented", "easy apply", "long lasting", "eye shadow"], "options": ["color: sienna"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["sienna"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACO1NHR", "worker_id": "A2ECRNQ3X5LEXD"}], "B00CF3OZ4M": [{"asin": "B00CF3OZ4M", "instruction": "i'd like to see double sided box spring mattresses.", "attributes": ["double sided", "box spring"], "options": [""], "instruction_attributes": ["double sided", "box spring"], "instruction_options": [], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS5PWAQ", "worker_id": "A3EDFA8UQT5GG8"}], "B0979DKSDS": [{"asin": "B0979DKSDS", "instruction": "i am looking for a truffle oil and mushroom pizza with artificial flavors.", "attributes": ["high fructose", "artificial flavors"], "options": [""], "instruction_attributes": ["artificial flavors"], "instruction_options": [], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OPWOPS", "worker_id": "A1EREKSZAA9V7B"}], "B07FD4XRJB": [{"asin": "B07FD4XRJB", "instruction": "i need a 10 foot high speed tnp hdmi cable left angle.", "attributes": ["blu ray", "high speed"], "options": ["size: 10 feet", "style: left angle"], "instruction_attributes": ["high speed"], "instruction_options": ["10 feet", "left angle"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFBE5UV", "worker_id": "A2RBF3IIJP15IH"}], "B07VNPHTB2": [{"asin": "B07VNPHTB2", "instruction": "i would like a remote control that has batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB9USO3", "worker_id": "A2ECRNQ3X5LEXD"}], "B083QB5YYV": [{"asin": "B083QB5YYV", "instruction": "i want to buy some hair extensions in color 613 bleach blonde in a two pack.", "attributes": ["hair extensions", "hair loss"], "options": ["color: 613# bleach blonde", "size: 2 count (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["613# bleach blonde", "2 count (pack of 1)"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49E2DTH", "worker_id": "A2YNPKYEFDZ6C9"}], "B082HD292M": [{"asin": "B082HD292M", "instruction": "i need small boxer briefs that have an elastic waistband", "attributes": ["wash cold", "machine wash", "elastic waistband", "polyester spandex"], "options": ["size: small"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["small"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VXFFGQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Q5XRMLD": [{"asin": "B07Q5XRMLD", "instruction": "i would like a faux leather light brown chair.", "attributes": ["easy assemble", "faux leather"], "options": ["color: light brown"], "instruction_attributes": ["faux leather"], "instruction_options": ["light brown"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTFL4DC", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LFZ6LGZ": [{"asin": "B08LFZ6LGZ", "instruction": "i need a set of non slip eyebrow epilator.", "attributes": ["non slip", "hair removal"], "options": ["color: style 1"], "instruction_attributes": ["non slip"], "instruction_options": ["style 1"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHW07BT", "worker_id": "A19317A3X87NVM"}], "B0915TJYRJ": [{"asin": "B0915TJYRJ", "instruction": "i need a stainless steel black and large easuny watch band.", "attributes": ["quick release", "easy install", "stainless steel"], "options": ["color: black | white | light gray", "size: large"], "instruction_attributes": ["stainless steel"], "instruction_options": ["black | white | light gray", "large"], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0ULRRD", "worker_id": "A2RBF3IIJP15IH"}], "B087LNZ7P4": [{"asin": "B087LNZ7P4", "instruction": "get me some gluten free tortilla chips with sea salt.", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor name: sea salt tortilla", "size: 0.77 ounce (pack of 24)"], "instruction_attributes": ["gluten free"], "instruction_options": ["sea salt tortilla"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS3540160UM6", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B087LNZ7P4", "instruction": "i would like 10 sweet and savory variety packs of gluten free potato sticks.", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor name: sweet & savory variety pack", "size: pack of 10"], "instruction_attributes": ["gluten free"], "instruction_options": ["sweet & savory variety pack", "pack of 10"], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVHQIBO", "worker_id": "A1WS884SI0SLO4"}], "B073H4LFF4": [{"asin": "B073H4LFF4", "instruction": "i am interested in closed toe muels that are blue and size 10 narrow.", "attributes": ["ethylene vinyl", "vinyl acetate", "closed toe"], "options": ["color: blue", "size: 10 narrow women | 8 narrow men"], "instruction_attributes": ["closed toe"], "instruction_options": ["blue", "10 narrow women | 8 narrow men"], "assignment_id": "3N8OEVH1F204BC17361WW31GEKKOOV", "worker_id": "A2ECRNQ3X5LEXD"}], "B083PJWR17": [{"asin": "B083PJWR17", "instruction": "i need women's olive leather moccasins in size 9.5 wide.", "attributes": ["day comfort", "synthetic sole"], "options": ["color: olive", "size: 9.5 wide"], "instruction_attributes": ["day comfort"], "instruction_options": [], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQM10PZ", "worker_id": "A2RBF3IIJP15IH"}], "B09QBY9R4M": [{"asin": "B09QBY9R4M", "instruction": "i am looking for a high power monocular with phone holder.", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME91X2DM", "worker_id": "A1Q8PPQQCWGY0D"}], "B072M4L644": [{"asin": "B072M4L644", "instruction": "i am looking for organic snacks with real fruit.", "attributes": ["certified organic", "gluten free", "real fruit", "high fructose", "artificial flavors"], "options": [""], "instruction_attributes": ["real fruit"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4AL8L5", "worker_id": "A1EREKSZAA9V7B"}], "B07M77GMQD": [{"asin": "B07M77GMQD", "instruction": "i want to find a spinning facial brush that is water resistant and comes with a storage case. make sure it's the mint green one from touchbeauty.", "attributes": ["water resistant", "storage case"], "options": ["color: mint green"], "instruction_attributes": ["water resistant", "storage case"], "instruction_options": ["mint green"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V1LU2H", "worker_id": "A2DDPSXH2X96RF"}], "B07NX259SR": [{"asin": "B07NX259SR", "instruction": "get some barbecue vegetable chips. make sure they're nut-free.", "attributes": ["nut free", "plant based", "gluten free", "non gmo", "low calorie"], "options": ["flavor name: barbecue", "size: 4 ounce (pack of 12)"], "instruction_attributes": ["nut free"], "instruction_options": ["barbecue"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC520RKT", "worker_id": "AR9AU5FY1S3RO"}], "B08H8K6VCJ": [{"asin": "B08H8K6VCJ", "instruction": "i am interested in a tempered glass iphone case that is blue", "attributes": ["hands free", "glass screen", "tempered glass"], "options": ["color: blue"], "instruction_attributes": ["tempered glass"], "instruction_options": ["blue"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCLZVSNU", "worker_id": "A2ECRNQ3X5LEXD"}], "B08T66H3KS": [{"asin": "B08T66H3KS", "instruction": "i need a pair of shoes with rubber soles. remember to get size seven and a half women's.", "attributes": ["anti slip", "rubber outsole", "rubber sole"], "options": ["color: black", "size: 7.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["7.5"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFRJE3N", "worker_id": "AR9AU5FY1S3RO"}], "B081RP76FY": [{"asin": "B081RP76FY", "instruction": "i am looking for cake toppers for a birthday party.", "attributes": ["birthday party", "party supplies"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21KDQFL", "worker_id": "A2ECRNQ3X5LEXD"}], "B09J2FYN62": [{"asin": "B09J2FYN62", "instruction": "i am looking for a phone case for iphone 13 of sunflower america flag color that is easy to install.", "attributes": ["easy install", "easy use", "tempered glass"], "options": ["color: sunflower america flag", "size: iphone 13\uff086.1inch\uff09"], "instruction_attributes": ["easy install"], "instruction_options": ["sunflower america flag", "iphone 13\uff086.1inch\uff09"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5OAX6Z", "worker_id": "A1Q8PPQQCWGY0D"}], "B07VL2H8KN": [{"asin": "B07VL2H8KN", "instruction": "i'm looking for a gameboy should to be easy to instal and to use for an iphone11 pro", "attributes": ["dust proof", "easy install", "easy use"], "options": ["color: black", "size: for iphone 11 pro"], "instruction_attributes": ["easy install", "easy use"], "instruction_options": ["for iphone 11 pro"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6G5B28", "worker_id": "A19Q021KR28CS8"}, {"asin": "B07VL2H8KN", "instruction": "i want a dust proof case for my iphone 11. it should be black and easy to install.", "attributes": ["dust proof", "easy install", "easy use"], "options": ["color: black", "size: for iphone 11"], "instruction_attributes": ["dust proof", "easy install"], "instruction_options": ["black", "for iphone 11"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98UQYKN", "worker_id": "A1NF6PELRKACS9"}], "B097Q3XVY8": [{"asin": "B097Q3XVY8", "instruction": "i am interested in a loose fit t-shirt that is blue and 4x large.", "attributes": ["loose fit", "wash cold", "hand wash", "soft material", "short sleeve", "long sleeve"], "options": ["color: blue", "size: 4x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["blue", "4x-large"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDPEY8C", "worker_id": "A2ECRNQ3X5LEXD"}], "B07FRCH7QL": [{"asin": "B07FRCH7QL", "instruction": "i want a hair loss and thinning hair product for a hair treatment, water based", "attributes": ["hair loss", "hair growth", "hair treatment"], "options": [""], "instruction_attributes": ["hair treatment"], "instruction_options": [], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VWHWYP", "worker_id": "A2Y2TURT2VEYZN"}], "B08F18QL36": [{"asin": "B08F18QL36", "instruction": "i want a eco friendly xiao jian swivel computer chair.", "attributes": ["eco friendly", "pu leather"], "options": ["color: f"], "instruction_attributes": ["eco friendly"], "instruction_options": ["f"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCUG4QN", "worker_id": "A2RBF3IIJP15IH"}], "B09JWZXCD3": [{"asin": "B09JWZXCD3", "instruction": "i would like a red cupcake topper for a baby shower.", "attributes": ["hand crafted", "party supplies", "baby shower"], "options": ["color: red"], "instruction_attributes": ["baby shower"], "instruction_options": ["red"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEITQT9J", "worker_id": "A1WS884SI0SLO4"}], "B09MP3SDL2": [{"asin": "B09MP3SDL2", "instruction": "i want a queen size upholstered platform bed.", "attributes": ["button tufted", "queen size", "assembly required", "easy assemble", "box spring", "solid wood"], "options": [""], "instruction_attributes": ["queen size"], "instruction_options": [], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9M3VTX", "worker_id": "A2RBF3IIJP15IH"}], "B09HC9NXDF": [{"asin": "B09HC9NXDF", "instruction": "find counter height table set with socket space saving for dining room in brawn/beige colors", "attributes": ["space saving", "assembly required", "wood frame", "dining room"], "options": ["color: brown table+beige stool"], "instruction_attributes": ["space saving", "dining room"], "instruction_options": ["brown table+beige stool"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQP7IH6", "worker_id": "A2Y2TURT2VEYZN"}], "B08B485FBV": [{"asin": "B08B485FBV", "instruction": "i need a 1 fl oz bottle of organic neem oil for hair growth.", "attributes": ["long lasting", "natural ingredients", "hair growth", "hair loss", "fine lines", "dry skin"], "options": ["size: 1 fl oz (pack of 1)"], "instruction_attributes": ["hair growth"], "instruction_options": ["1 fl oz (pack of 1)"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7TYHLG", "worker_id": "A2RBF3IIJP15IH"}], "B08BLGXXJH": [{"asin": "B08BLGXXJH", "instruction": "i am interested in a plug and play hdmi to vga adapter.", "attributes": ["power amplifier", "plug play"], "options": [""], "instruction_attributes": ["plug play"], "instruction_options": [], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C484I03", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FJCXRKW": [{"asin": "B09FJCXRKW", "instruction": "i am interested in cake topper party supplies.", "attributes": ["easy use", "party supplies"], "options": [""], "instruction_attributes": ["party supplies"], "instruction_options": [], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPE2VQF", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZGVV9Z6": [{"asin": "B07ZGVV9Z6", "instruction": "looking for grand court adidas for everyday wear size 9 in white", "attributes": ["regular fit", "rubber sole", "everyday wear"], "options": ["color: white | white | white", "size: 9"], "instruction_attributes": ["everyday wear"], "instruction_options": ["white | white | white", "9"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20L80ZK", "worker_id": "A2Y2TURT2VEYZN"}], "B0859MT52F": [{"asin": "B0859MT52F", "instruction": "i'm looking for a red carbon fiber decal for my xbox.", "attributes": ["high resolution", "carbon fiber"], "options": ["color: red carbon fiber"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["red carbon fiber"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1JATIZ", "worker_id": "A19317A3X87NVM"}, {"asin": "B0859MT52F", "instruction": "i am looking for a red carbon fiber faceplates, protectors & skins with high resolution.", "attributes": ["high resolution", "carbon fiber"], "options": ["color: red carbon fiber"], "instruction_attributes": ["high resolution"], "instruction_options": ["red carbon fiber"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U6ZMAJ", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B0859MT52F", "instruction": "i am looking for an xbox compatible vinyl skin that has a black carbon fiber design.", "attributes": ["high resolution", "carbon fiber"], "options": ["color: mts black"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["mts black"], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6IQEEZ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B0859MT52F", "instruction": "that video game is really high resolution, so room background color is silver.", "attributes": ["high resolution", "carbon fiber"], "options": ["color: mts #2 (silver)"], "instruction_attributes": [], "instruction_options": ["mts #2 (silver)"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7N9OB3", "worker_id": "ASL9LVC97FUCZ"}], "B09MMBHZ98": [{"asin": "B09MMBHZ98", "instruction": "i want to find a pink orthodontic retainer storage case that's easy to carry.", "attributes": ["easy carry", "non toxic", "high quality", "storage case"], "options": ["color: pink"], "instruction_attributes": ["easy carry", "storage case"], "instruction_options": ["pink"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39ABZCI", "worker_id": "A345TDMHP3DQ3G"}], "B007TVSUUK": [{"asin": "B007TVSUUK", "instruction": "i want to find a 12-pack of 4.2 ounce low-carb lentil-flavored rice cakes.", "attributes": ["low carb", "low calorie", "fat free", "sugar free"], "options": ["flavor: lentil", "size: 4.2 ounce (pack of 12)"], "instruction_attributes": ["low carb"], "instruction_options": ["lentil", "4.2 ounce (pack of 12)"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS5RAW6", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B007TVSUUK", "instruction": "i need to buy some rice cakes that are sugar free, fat free, low calorie, and low carb. they should contain whole wheat. get the pack of twelve.", "attributes": ["low carb", "low calorie", "fat free", "sugar free"], "options": ["flavor: whole wheat", "size: 4.2 ounce (pack of 12)"], "instruction_attributes": ["low carb", "low calorie", "fat free", "sugar free"], "instruction_options": ["whole wheat", "4.2 ounce (pack of 12)"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35M7UGL", "worker_id": "AR9AU5FY1S3RO"}], "B07NGNNNH4": [{"asin": "B07NGNNNH4", "instruction": "i am looking for a living room curtain that is machine washable and multi color", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: multi color", "size: 108\" x 108\""], "instruction_attributes": ["machine washable"], "instruction_options": ["multi color"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA4XS2W", "worker_id": "ARJDD0Z3R65BD"}], "B06ZZ68SBZ": [{"asin": "B06ZZ68SBZ", "instruction": "i am looking for a white color hdmi cable having high speed.", "attributes": ["blu ray", "high speed"], "options": ["color: white", "pattern name: cable", "size: 15 feet", "style: side angle"], "instruction_attributes": ["high speed"], "instruction_options": ["white"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKC9C7HG", "worker_id": "A1Q8PPQQCWGY0D"}], "B08DXQ2H8K": [{"asin": "B08DXQ2H8K", "instruction": "i'd like to buy a small hair cutting kit.", "attributes": ["water resistant", "bpa free", "hair cutting", "hair styling"], "options": ["size: small"], "instruction_attributes": ["hair cutting"], "instruction_options": ["small"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJKXDGB", "worker_id": "AR9AU5FY1S3RO"}], "B07W21XY7H": [{"asin": "B07W21XY7H", "instruction": "can you help me find the replacement power cord made by afkt for my yamaha bd-s681 blue ray player?", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6477M3H3", "worker_id": "A2DDPSXH2X96RF"}], "B0821B3XLC": [{"asin": "B0821B3XLC", "instruction": "i need a five by three foot background for digitial photography. make sure it's light weight and easy to carry.", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 5x3ft"], "instruction_attributes": ["light weight", "easy carry", "digital photography"], "instruction_options": ["5x3ft"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323D8LDW8", "worker_id": "AR9AU5FY1S3RO"}], "B07B7BV15N": [{"asin": "B07B7BV15N", "instruction": "i am looking for a individual wrapped birthday cakes and chocolate chip blondies that come in a 12 pack.", "attributes": ["plant based", "gluten free", "non gmo", "individually wrapped", "natural ingredients", "birthday cake"], "options": ["flavor name: birthday cake & chocolate chip blondie", "size: 1.9 ounce (pack of 12)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["birthday cake & chocolate chip blondie"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1BJXRS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PRF5KX5": [{"asin": "B09PRF5KX5", "instruction": "get me some sandals with an ankle strap. buy them in size seven and a half, please.", "attributes": ["closed toe", "ankle strap"], "options": ["color: z1 blue", "size: 7.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["7.5"], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY0DP7U", "worker_id": "AR9AU5FY1S3RO"}], "B0845FL6FD": [{"asin": "B0845FL6FD", "instruction": "help me find the alcohol free listerine tartar control mouthwash.", "attributes": ["alcohol free", "bad breath", "fresh breath"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "3BXQMRHWKA8BOE0SMCYS3540165MU3", "worker_id": "A2DDPSXH2X96RF"}], "B01LYP9LQ2": [{"asin": "B01LYP9LQ2", "instruction": "i need a long lasting 7 oz rosemary candle.", "attributes": ["lead free", "long lasting", "soy wax"], "options": ["color: rosemary (double wick - white box)", "size: 7 oz"], "instruction_attributes": ["long lasting"], "instruction_options": ["rosemary (double wick - white box)", "7 oz"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAYN8AO", "worker_id": "A2RBF3IIJP15IH"}], "B09SLDMH3S": [{"asin": "B09SLDMH3S", "instruction": "i am interested in a high quality shower cap", "attributes": ["easy carry", "high quality", "hair salon"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINQQ27P", "worker_id": "A2ECRNQ3X5LEXD"}], "B082VL45Z5": [{"asin": "B082VL45Z5", "instruction": "i want a 89\" stone & beam dark grey leather sofa with a wood frame.", "attributes": ["heavy duty", "wood frame", "solid wood"], "options": ["color: dark grey leather", "size: 89\" sofa"], "instruction_attributes": ["wood frame"], "instruction_options": ["dark grey leather", "89\" sofa"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PJ8EQ1", "worker_id": "A2RBF3IIJP15IH"}], "B08636QNKY": [{"asin": "B08636QNKY", "instruction": "i am looking for 1 pack of 8 fl oz style balm for hair with natural ingredients.", "attributes": ["cruelty free", "natural ingredients"], "options": ["size: 8 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["8 fl oz (pack of 1)"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIAVL2H", "worker_id": "A1EREKSZAA9V7B"}], "B08Y8DB8H4": [{"asin": "B08Y8DB8H4", "instruction": "i need a high speed, high performance fifteen foot hdmi cable. make sure it's gold plated, and buy it in blue.", "attributes": ["gold plated", "high performance", "high speed"], "options": ["color: bluehousing", "size: 4k_15ft_blackcable"], "instruction_attributes": ["gold plated", "high performance", "high speed"], "instruction_options": ["bluehousing", "4k_15ft_blackcable"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4Y1YXY", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08Y8DB8H4", "instruction": "i need a highspeed hdmi cable that is purple", "attributes": ["gold plated", "high performance", "high speed"], "options": ["color: purplehousing", "size: 4k_3ft_blackcable"], "instruction_attributes": ["high speed"], "instruction_options": ["purplehousing"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34JE14H", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HC1FWD3": [{"asin": "B09HC1FWD3", "instruction": "i am looking for high quality travel size glass spray bottles", "attributes": ["travel size", "high quality"], "options": [""], "instruction_attributes": ["travel size", "high quality"], "instruction_options": [], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3Q9WM1S", "worker_id": "A1EREKSZAA9V7B"}], "B09B5V7781": [{"asin": "B09B5V7781", "instruction": "i want to get a pack of 10 different food flavors that are dairy and sugar free.", "attributes": ["gmo free", "sugar free", "dairy free", "gluten free"], "options": ["flavor name: 10 flavors"], "instruction_attributes": ["sugar free", "dairy free"], "instruction_options": ["10 flavors"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AINOE0", "worker_id": "A345TDMHP3DQ3G"}], "B07FL4RQXM": [{"asin": "B07FL4RQXM", "instruction": "i'm looking for a men's velvet coat with a button closure in purple.", "attributes": ["button closure", "dry clean"], "options": ["color: purple", "size: 3x-large"], "instruction_attributes": ["button closure"], "instruction_options": ["purple"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R4OR0H", "worker_id": "ARJDD0Z3R65BD"}], "B09MRXN2DT": [{"asin": "B09MRXN2DT", "instruction": "i want to buy a casual performance fleece jacket in black.", "attributes": ["daily casual", "winter warm", "long sleeve", "soft material", "faux fur", "teen girls"], "options": ["color: black", "size: medium"], "instruction_attributes": ["daily casual"], "instruction_options": ["black"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU479R6H", "worker_id": "AR9AU5FY1S3RO"}], "B07JFQMJMK": [{"asin": "B07JFQMJMK", "instruction": "i want a pair of black men's work shoes that are slip resistant. they must come in a size 9.5 and be extra wide.", "attributes": ["slip resistant", "moisture wicking", "steel toe", "memory foam", "rubber outsole"], "options": ["color: black", "size: 9.5 x-wide"], "instruction_attributes": ["slip resistant"], "instruction_options": ["black", "9.5 x-wide"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XQ4X7", "worker_id": "A345TDMHP3DQ3G"}], "B08PB7L82H": [{"asin": "B08PB7L82H", "instruction": "i am interested in curtains that are eco friendly with geometric patterns and is size 42w by 63 h.", "attributes": ["eco friendly", "printing technology", "living room"], "options": ["color: geometric\u00a0games", "size: 42(w) x 63(h)"], "instruction_attributes": ["eco friendly"], "instruction_options": ["geometric\u00a0games", "42(w) x 63(h)"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1076HILE", "worker_id": "A2ECRNQ3X5LEXD"}], "B077QX86MN": [{"asin": "B077QX86MN", "instruction": "i am interested in grass fed protein bars that are vanilla shortbread flavor.", "attributes": ["grass fed", "grain free", "non gmo", "gluten free"], "options": ["flavor name: vanilla shortbread"], "instruction_attributes": ["grass fed"], "instruction_options": ["vanilla shortbread"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z29GXG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08H5T5T3V": [{"asin": "B08H5T5T3V", "instruction": "i am looking for a pack of 2 hemp seed oil deep conditioner treatments.", "attributes": ["sulfate free", "paraben free", "seed oil", "damaged hair"], "options": ["scent: curl care", "size: 2"], "instruction_attributes": ["seed oil"], "instruction_options": ["2"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJL69OA", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08H5T5T3V", "instruction": "i want hask hemp seed oil deep conditioner treatments for all hair types, it should be sulfate free and have a tea tree scent.", "attributes": ["sulfate free", "paraben free", "seed oil", "damaged hair"], "options": ["scent: tea tree", "size: 6 ounce (pack of 2)"], "instruction_attributes": ["sulfate free"], "instruction_options": ["tea tree"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRUKBZ6", "worker_id": "A1IL2K0ELYI090"}], "B089D8K91K": [{"asin": "B089D8K91K", "instruction": "i would like some stainless steel sheers to cut my hair.", "attributes": ["easy clean", "stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "3Z4AIRP3CHN69T8YYVQH3KF1XDC1XN", "worker_id": "A1WS884SI0SLO4"}], "B08R42CJMD": [{"asin": "B08R42CJMD", "instruction": "i am interested in grass fed jerky that is chili lime.", "attributes": ["grass fed", "artificial ingredients", "gluten free", "simple ingredients"], "options": ["flavor name: chili lime (pack of 4)"], "instruction_attributes": ["grass fed"], "instruction_options": ["chili lime (pack of 4)"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788BU5C8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08RDH5HBV": [{"asin": "B08RDH5HBV", "instruction": "i am looking for a light weight background of size 9x16 ft.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 14", "size: 9x16 ft"], "instruction_attributes": ["light weight"], "instruction_options": ["9x16 ft"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W6NUOT", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PHFZSCZ": [{"asin": "B09PHFZSCZ", "instruction": "i need laser ipl hair removal.", "attributes": ["easy use", "hair removal", "permanent hair", "hair growth"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY864381M", "worker_id": "A2RBF3IIJP15IH"}], "B09PH67195": [{"asin": "B09PH67195", "instruction": "i want to buy that window film for the dining room. make sure to get the one that's 59 inches in length.", "attributes": ["tempered glass", "dining room"], "options": ["color: 908854335891570000", "size: (width\uff0935.4in x (length)59in x 2pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["(width\uff0935.4in x (length)59in x 2pcs"], "assignment_id": "39JEC75375BYS7D1EDEJWV17LZVCVL", "worker_id": "AR9AU5FY1S3RO"}], "B08B6D39FM": [{"asin": "B08B6D39FM", "instruction": "can you find some carol wright men's lounge pants in a 5xl? i want the ones with a draw string closure that are charcoal colored.", "attributes": ["machine wash", "drawstring closure"], "options": ["color: charcoal", "size: 5x-large"], "instruction_attributes": ["machine wash", "drawstring closure"], "instruction_options": ["charcoal", "5x-large"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP6AOC7", "worker_id": "A2DDPSXH2X96RF"}], "B094JNNX1G": [{"asin": "B094JNNX1G", "instruction": "i would like a 26 inch black brown natural hairpiece.", "attributes": ["hair extensions", "natural hair"], "options": ["color: black brown", "size: 26 inch (pack of 1)"], "instruction_attributes": ["natural hair"], "instruction_options": ["black brown", "26 inch (pack of 1)"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9B8ZRI", "worker_id": "A1WS884SI0SLO4"}], "B09FPQTY4M": [{"asin": "B09FPQTY4M", "instruction": "i want to find eco-friendly candles made out of soy wax in the ms. coco color.", "attributes": ["lead free", "eco friendly", "long lasting", "soy wax"], "options": ["color: ms coco"], "instruction_attributes": ["eco friendly", "soy wax"], "instruction_options": ["ms coco"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40EVNXV", "worker_id": "A345TDMHP3DQ3G"}], "B019RKX31Q": [{"asin": "B019RKX31Q", "instruction": "i would like a 24\" x 24\" blackish green pillow throw cover for my living room.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: blackish green", "size: 24\" x 24\""], "instruction_attributes": ["living room"], "instruction_options": ["blackish green", "24\" x 24\""], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGUXWTY", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B019RKX31Q", "instruction": "i want to find gray throw pillow covers for my living room that are 18 inches by 18 inches.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: gray", "size: 18\u201c x 18\u201c"], "instruction_attributes": ["living room"], "instruction_options": ["gray", "18\u201c x 18\u201c"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O1AA28", "worker_id": "A345TDMHP3DQ3G"}], "B07B54NHW8": [{"asin": "B07B54NHW8", "instruction": "i'm looking for a pair of size sixteen nylon spandex pants.", "attributes": ["nylon spandex", "tummy control"], "options": ["color: khaki", "size: 16"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["16"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW4G8S6", "worker_id": "A3EDFA8UQT5GG8"}], "B001EWEP04": [{"asin": "B001EWEP04", "instruction": "buy me some antiperspirant. make sure it's clinically proven.", "attributes": ["anti perspirant", "clinically proven"], "options": [""], "instruction_attributes": ["anti perspirant", "clinically proven"], "instruction_options": [], "assignment_id": "3X65QVEQIBXVW21709CD9M35U18LCQ", "worker_id": "AR9AU5FY1S3RO"}], "B09MFSBCKK": [{"asin": "B09MFSBCKK", "instruction": "i am interested in a bullet camera that has motion detection.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2YAG6M", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NZ2NP9W": [{"asin": "B07NZ2NP9W", "instruction": "i am interested in a bookcase that has a steel frame.", "attributes": ["metal legs", "steel frame"], "options": [""], "instruction_attributes": ["steel frame"], "instruction_options": [], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOU1936", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P63GLR4": [{"asin": "B09P63GLR4", "instruction": "i'm looking for a pair of blue noise cancelling headphones with stereo sound.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: blue"], "instruction_attributes": ["noise cancelling", "stereo sound"], "instruction_options": ["blue"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZGQ9KK", "worker_id": "A3EDFA8UQT5GG8"}], "B086HNCWFR": [{"asin": "B086HNCWFR", "instruction": "i need white chocolate andy anand malt balls with natural ingredients.", "attributes": ["natural ingredients", "great gift"], "options": ["flavor name: white chocolate"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["white chocolate"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDYGIRE", "worker_id": "A2RBF3IIJP15IH"}], "B0892GRB9N": [{"asin": "B0892GRB9N", "instruction": "i want to buy a navy blue ottomon for the living room. get the one with tufted buttons.", "attributes": ["button tufted", "storage unit", "storage space", "living room"], "options": ["color: navy blue", "size: 80x45x40cm"], "instruction_attributes": ["button tufted", "living room"], "instruction_options": ["navy blue"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5S3F40", "worker_id": "AR9AU5FY1S3RO"}], "B08T5SBG7K": [{"asin": "B08T5SBG7K", "instruction": "i want to find italian herb-flavored parmesan cheese crisps that are low in carbs.", "attributes": ["keto friendly", "low carb", "high protein", "gluten free", "zero sugar"], "options": ["flavor name: italian herb"], "instruction_attributes": ["low carb"], "instruction_options": ["italian herb"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJPIBXV", "worker_id": "A345TDMHP3DQ3G"}], "B07D7FBCZ2": [{"asin": "B07D7FBCZ2", "instruction": "i am looking for a high performance laptop with 1tb,16 gb ram, intel core i7. nvidia.", "attributes": ["certified refurbished", "high performance", "intel core"], "options": ["capacity: 1tb, 16 gb ram, intel core i7, nvidia"], "instruction_attributes": ["high performance", "intel core"], "instruction_options": ["1tb, 16 gb ram, intel core i7, nvidia"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y5UIVA", "worker_id": "A2HMEGTAFO0CS8"}], "B08DHD6J8T": [{"asin": "B08DHD6J8T", "instruction": "i am interested in a living room chandelier that is black with eight lights.", "attributes": ["mid century", "light fixture", "living room"], "options": ["color: black", "size: 8 lights-black"], "instruction_attributes": ["living room"], "instruction_options": ["black", "8 lights-black"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602Q1955", "worker_id": "A2ECRNQ3X5LEXD"}], "B08CZKMDNX": [{"asin": "B08CZKMDNX", "instruction": "i am looking for iced coffee that is shelf stable and mocha flavor that is 96 fl oz.", "attributes": ["shelf stable", "sugar free", "dairy free"], "options": ["flavor name: mocha", "size: 96 fl oz (pack of 1)"], "instruction_attributes": ["shelf stable"], "instruction_options": ["mocha", "96 fl oz (pack of 1)"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMMHBQK", "worker_id": "A2ECRNQ3X5LEXD"}], "B07YDZC838": [{"asin": "B07YDZC838", "instruction": "i would like a 4 ounce volume plus hair care bottle thats made from natural ingredients.", "attributes": ["paraben free", "clinically proven", "natural ingredients", "seed oil"], "options": ["color: volume plus", "size: 8 ounce | 4 ounce"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["volume plus", "8 ounce | 4 ounce"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVJOLXK", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07YDZC838", "instruction": "i would like a 8 ounce bottle of scalp therapy spray made with natural ingredients.", "attributes": ["paraben free", "clinically proven", "natural ingredients", "seed oil"], "options": ["color: scalp therapy spray", "size: 8 ounce"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["scalp therapy spray", "8 ounce"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFRF3E8", "worker_id": "A1WS884SI0SLO4"}], "B08HT4NLH5": [{"asin": "B08HT4NLH5", "instruction": "do you have any gluten free cheese spreads with 0g of trans fat?", "attributes": ["gluten free", "0g trans"], "options": [""], "instruction_attributes": ["gluten free", "0g trans"], "instruction_options": [], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2KLNYX", "worker_id": "A3EDFA8UQT5GG8"}], "B08F6HWPLJ": [{"asin": "B08F6HWPLJ", "instruction": "i need a foamma memory foam mattress in size 5\" x 36\" x 84\".", "attributes": ["high density", "memory foam"], "options": ["size: 5\" x 36\" x 84\""], "instruction_attributes": ["memory foam"], "instruction_options": ["5\" x 36\" x 84\""], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPV3PJR", "worker_id": "A2RBF3IIJP15IH"}], "B09LRLP7WM": [{"asin": "B09LRLP7WM", "instruction": "i'm looking for a tempered glass screen protector for my phone that comes with a black case.", "attributes": ["hands free", "glass screen", "tempered glass"], "options": ["color: black"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["black"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9IYB1SG", "worker_id": "A3EDFA8UQT5GG8"}], "B000B2JWMY": [{"asin": "B000B2JWMY", "instruction": "i am looking for men's reebok leather sneakers size 3.5.", "attributes": ["daily casual", "rubber outsole", "rubber sole"], "options": ["color: white | carbon | red | grey", "size: 5 women | 3.5 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["5 women | 3.5 men"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R17F2I0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B000B2JWMY", "instruction": "please add to my list a pair of reebok men\u2019s classic daily casual sneaker size 8 .", "attributes": ["daily casual", "rubber outsole", "rubber sole"], "options": ["color: chalk | cobalt | utility yellow", "size: 9.5 women | 8 men"], "instruction_attributes": ["daily casual"], "instruction_options": ["9.5 women | 8 men"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TE1K2W", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B000B2JWMY", "instruction": "i need a pair of sneakers that have a rubber sole and come in black. get the size five and a half.", "attributes": ["daily casual", "rubber outsole", "rubber sole"], "options": ["color: black | cold grey | fierce gold", "size: 5.5"], "instruction_attributes": ["rubber outsole", "rubber sole"], "instruction_options": ["black | cold grey | fierce gold", "5.5"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQROP0L", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B000B2JWMY", "instruction": "i need leather sneakers with rubber sole. i am a size 11.", "attributes": ["daily casual", "rubber outsole", "rubber sole"], "options": ["color: horizon blue | white | white", "size: 11"], "instruction_attributes": ["rubber sole"], "instruction_options": ["11"], "assignment_id": "326O153BMT8RVOXTJJKKGXV369OEDB", "worker_id": "A1NF6PELRKACS9"}], "B09SZ3KRHN": [{"asin": "B09SZ3KRHN", "instruction": "i am looking for quick drying x- large women's bathing suit.", "attributes": ["hand wash", "quick drying", "nylon spandex"], "options": ["color: 01*black", "size: x-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["x-large"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISUSOYF", "worker_id": "A1EREKSZAA9V7B"}], "B0861D628Y": [{"asin": "B0861D628Y", "instruction": "i'd like to order another one of those soy wax candles that smells like a flower market.", "attributes": ["lead free", "soy wax"], "options": ["scent: flower market"], "instruction_attributes": ["soy wax"], "instruction_options": ["flower market"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2EGKFI", "worker_id": "AR9AU5FY1S3RO"}], "B0896JP8CG": [{"asin": "B0896JP8CG", "instruction": "i'm looking for a moisturizing shave oil for dry skin scent vanilla", "attributes": ["argan oil", "coconut oil", "dry skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWMRW6S", "worker_id": "A2Y2TURT2VEYZN"}], "B08GFDG5QT": [{"asin": "B08GFDG5QT", "instruction": "buy me the bluetooth soundbar in size mb-3220.", "attributes": ["stereo sound", "wireless bluetooth"], "options": ["size: mb-3220"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["mb-3220"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0ZNX7R", "worker_id": "AR9AU5FY1S3RO"}], "B099XBMPLZ": [{"asin": "B099XBMPLZ", "instruction": "get me some black lounge pants with an elastic waistband.", "attributes": ["wide leg", "elastic waist"], "options": ["color: black", "size: large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["black"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P72QSV4", "worker_id": "AR9AU5FY1S3RO"}], "B094ZQ349N": [{"asin": "B094ZQ349N", "instruction": "i am looking for high performance night vision binoculars with batteries included.", "attributes": ["batteries included", "high performance"], "options": [""], "instruction_attributes": ["batteries included", "high performance"], "instruction_options": [], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFE3V9Y", "worker_id": "A1EREKSZAA9V7B"}], "B09NXJJ2KQ": [{"asin": "B09NXJJ2KQ", "instruction": "get the heavy duty bed frame in espresso.", "attributes": ["heavy duty", "white item", "storage space"], "options": ["color: espresso", "size: twin over twin[metal] + slide"], "instruction_attributes": ["heavy duty"], "instruction_options": ["espresso"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YU2Q36", "worker_id": "AR9AU5FY1S3RO"}], "B07DD9Z6ZB": [{"asin": "B07DD9Z6ZB", "instruction": "i would like a mickey mouse toy chest made of solid wood.", "attributes": ["engineered wood", "solid wood"], "options": ["color: disney mickey mouse"], "instruction_attributes": ["solid wood"], "instruction_options": ["disney mickey mouse"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT4S373", "worker_id": "A1WS884SI0SLO4"}], "B09H35WZDV": [{"asin": "B09H35WZDV", "instruction": "i am looking for a low sugar garlic flavor sauce.", "attributes": ["low sugar", "low sodium", "gluten free", "low carb", "non gmo", "natural ingredients", "gift set", "perfect gift"], "options": ["flavor name: garlic", "size: 1.56 pound (pack of 6)"], "instruction_attributes": ["low sugar"], "instruction_options": ["garlic"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSGLQ2E", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PH34GXC": [{"asin": "B09PH34GXC", "instruction": "i would like a 2xl gray short sleeve button down shirt.", "attributes": ["loose fit", "long sleeve", "short sleeve"], "options": ["color: gray8", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["gray8", "xx-large"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRBZD5YH", "worker_id": "A1WS884SI0SLO4"}], "B09Q93XK5S": [{"asin": "B09Q93XK5S", "instruction": "i am looking for a loose fit tee that is army green and in an xx-large.", "attributes": ["loose fit", "hand wash", "short sleeve", "long sleeve", "drawstring closure"], "options": ["color: army green", "size: xx-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["army green", "xx-large"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDY7RIE", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KX9Y4XZ": [{"asin": "B07KX9Y4XZ", "instruction": "i am interested in a closed toe mule that is light tan suede and in a size 6.5", "attributes": ["memory foam", "closed toe", "synthetic sole"], "options": ["color: light tan suede", "size: 6.5"], "instruction_attributes": ["closed toe"], "instruction_options": ["light tan suede", "6.5"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFJ0E9B", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PBC1QH4": [{"asin": "B09PBC1QH4", "instruction": "i am looking for a water resistant cosmetic bag", "attributes": ["water resistant", "hair extensions"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602R3959", "worker_id": "A2ECRNQ3X5LEXD"}], "B0943RPSB2": [{"asin": "B0943RPSB2", "instruction": "i am looking for a dark blue daily wear women's jumpsuit.", "attributes": ["wide leg", "daily wear"], "options": ["color: dark blue", "size: x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["dark blue"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNTB8HX", "worker_id": "A1EREKSZAA9V7B"}], "B09DPJB2QP": [{"asin": "B09DPJB2QP", "instruction": "i am looking in day comfort walking shoes that are pink and in a size 5 wide.", "attributes": ["day comfort", "moisture wicking"], "options": ["color: pink-01", "size: 5 wide"], "instruction_attributes": ["day comfort"], "instruction_options": ["pink-01", "5 wide"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBCCGH9", "worker_id": "A2ECRNQ3X5LEXD"}], "B073WCD5Z1": [{"asin": "B073WCD5Z1", "instruction": "i would like double sided throw pillow covers that are scarlet orange and are 20\" by 20\".", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: scarlet orange", "size: 20\" x 20\""], "instruction_attributes": ["double sided"], "instruction_options": ["scarlet orange", "20\" x 20\""], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTNA5E4", "worker_id": "A2ECRNQ3X5LEXD"}], "B0739KF1S1": [{"asin": "B0739KF1S1", "instruction": "i am interested in an intel core computer that has 4gb of ram and 64gb of ssd.", "attributes": ["high speed", "intel core", "aluminum alloy"], "options": ["color: i3+2 com+i3 4005u | 5005u", "size: 4g ram 64g ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["4g ram 64g ssd"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BJ6JV8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P6CRT57": [{"asin": "B09P6CRT57", "instruction": "i would like some color 5 hairpieces that are easy to put on.", "attributes": ["easy apply", "hair extensions"], "options": ["color: 5"], "instruction_attributes": ["easy apply"], "instruction_options": ["5"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6H1U7R", "worker_id": "A1WS884SI0SLO4"}], "B09QXN2FH3": [{"asin": "B09QXN2FH3", "instruction": "i'd like to look at high resolution backdrops with pictures of marine animals. the size should be around seven by five foot.", "attributes": ["high resolution", "digital photography"], "options": ["size: 7x5ft"], "instruction_attributes": ["high resolution"], "instruction_options": ["7x5ft"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINQM27L", "worker_id": "A3EDFA8UQT5GG8"}], "B000RNNI0O": [{"asin": "B000RNNI0O", "instruction": "i am interested in a long lasting perfume.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOAQNOQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09F63MDV2": [{"asin": "B09F63MDV2", "instruction": "i am looking for a loose fitting x-large women's cardigan.", "attributes": ["machine washable", "loose fit", "hand wash", "long sleeve", "everyday wear", "laundry bag"], "options": ["color: 01 brown", "size: x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["x-large"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMFX1JZ", "worker_id": "A1EREKSZAA9V7B"}], "B09GKD4XQ4": [{"asin": "B09GKD4XQ4", "instruction": "get me an easy to install phone case in blue.", "attributes": ["easy install", "tempered glass", "aluminum alloy", "wireless charging"], "options": ["color: blue", "size: 13pro"], "instruction_attributes": ["easy install"], "instruction_options": ["blue"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UQPJ6R", "worker_id": "AR9AU5FY1S3RO"}], "B089QBNCC5": [{"asin": "B089QBNCC5", "instruction": "i need some aaa batteries.", "attributes": ["high performance", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJJ9W0V", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QMCQMMY": [{"asin": "B09QMCQMMY", "instruction": "i need an open toe summer gladiator strap sandle. get me size 6.5", "attributes": ["knee high", "open toe"], "options": ["color: brown", "size: 6.5"], "instruction_attributes": ["open toe"], "instruction_options": ["6.5"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMBAXD6", "worker_id": "A31PW970Z2PC5P"}], "B07VVFF4DM": [{"asin": "B07VVFF4DM", "instruction": "i am looking for a heavy duty phone holster.", "attributes": ["heavy duty", "carrying case"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRPK2YB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RGW1KKN": [{"asin": "B09RGW1KKN", "instruction": "i am looking for a gift of sriracha peanuts.", "attributes": ["hand crafted", "great gift"], "options": ["flavor name: sriracha"], "instruction_attributes": ["great gift"], "instruction_options": ["sriracha"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3Q921MD", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09RGW1KKN", "instruction": "i need some chocolate covered peanuts that would be a great gift", "attributes": ["hand crafted", "great gift"], "options": ["flavor name: chocolate"], "instruction_attributes": ["great gift"], "instruction_options": ["chocolate"], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8R0QQ3", "worker_id": "A2ECRNQ3X5LEXD"}], "B019IOI8OS": [{"asin": "B019IOI8OS", "instruction": "i am interested in a high speed hdmi cable that is 10 feet long.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 1 pack", "size: 10 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["1 pack", "10 feet (single pack)"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39ADCZX", "worker_id": "A2ECRNQ3X5LEXD"}], "B088BYPPYW": [{"asin": "B088BYPPYW", "instruction": "i am looking for a large women's skirt with an elastic waistband and pockets.", "attributes": ["elastic waistband", "drawstring waist", "drawstring closure"], "options": ["color: camouflage", "size: large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["large"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR025YNAKF", "worker_id": "A1EREKSZAA9V7B"}], "B082WS53GT": [{"asin": "B082WS53GT", "instruction": "i would like a 3xl black broken cover long sleeve sweatshirt.", "attributes": ["soft material", "long sleeve"], "options": ["color: black broken clover", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black broken clover", "3x-large"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOHYBH6A", "worker_id": "A1WS884SI0SLO4"}], "B07PH99HMB": [{"asin": "B07PH99HMB", "instruction": "i need to buy an officially licenced marvel t-shirt for women.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: baby blue", "fit type: women", "size: small"], "instruction_attributes": ["officially licensed"], "instruction_options": ["women"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM967QG4N", "worker_id": "AR9AU5FY1S3RO"}], "B07HCVL762": [{"asin": "B07HCVL762", "instruction": "i'm looking for lounge style pants that are machine washable and they should have a drawstring waist. the size should be small.", "attributes": ["machine wash", "drawstring waist", "elastic waistband"], "options": ["size: small"], "instruction_attributes": ["machine wash", "drawstring waist"], "instruction_options": ["small"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XOYGNV", "worker_id": "A3EDFA8UQT5GG8"}], "B09NN9HDQ3": [{"asin": "B09NN9HDQ3", "instruction": "i am looking for a 3 color alarm clock having wireless bluetooth.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: 3"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["3"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YULQ3P", "worker_id": "A1Q8PPQQCWGY0D"}], "B0924Y7RN1": [{"asin": "B0924Y7RN1", "instruction": "i would like a pink toothbrush for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: pink"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["pink"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UNNG1H", "worker_id": "A1WS884SI0SLO4"}], "B079KHGNFR": [{"asin": "B079KHGNFR", "instruction": "i am looking for a black history classic fit shirt size medium.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather blue", "fit type: youth", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["medium"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHZ0HQK", "worker_id": "A1EREKSZAA9V7B"}], "B09MFGRR97": [{"asin": "B09MFGRR97", "instruction": "i want to get cartoon themed cupcake toppers that i can use for a birthday party.", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSGJ2QO", "worker_id": "A345TDMHP3DQ3G"}], "B07VBLHD8C": [{"asin": "B07VBLHD8C", "instruction": "i am interested in single serve coffee that is cinnamon roll flavored and is a 24 count.", "attributes": ["dairy free", "gluten free", "quality ingredients"], "options": ["flavor name: cinnamon roll", "size: 24 count (pack of 1)"], "instruction_attributes": ["dairy free"], "instruction_options": ["cinnamon roll", "24 count (pack of 1)"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA16C8S", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07VBLHD8C", "instruction": "i'm looking for gluten free high protein for coffee.", "attributes": ["dairy free", "gluten free", "quality ingredients"], "options": ["flavor name: french roast", "size: 18 count (pack of 1)"], "instruction_attributes": ["dairy free", "gluten free"], "instruction_options": ["french roast"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQY94778", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07VBLHD8C", "instruction": "get me a pack of 16 count hot chocolate pack. it should be dairy and gluten free.", "attributes": ["dairy free", "gluten free", "quality ingredients"], "options": ["flavor name: holiday winter variety pack", "size: 16 count (pack of 1)"], "instruction_attributes": ["dairy free", "gluten free"], "instruction_options": ["16 count (pack of 1)"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KH6PDP", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07VBLHD8C", "instruction": "look for gluten free dairy free hot cocoa pods 16 count (pack of 1) with quality ingredients and also choose", "attributes": ["dairy free", "gluten free", "quality ingredients"], "options": ["flavor name: french roast", "size: 16 count (pack of 1)"], "instruction_attributes": ["dairy free", "gluten free", "quality ingredients"], "instruction_options": ["16 count (pack of 1)"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQJFCJ5", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B07VBLHD8C", "instruction": "i want 16 pieces of dairy free maud's dark hot chocolate.", "attributes": ["dairy free", "gluten free", "quality ingredients"], "options": ["flavor name: 12 blend bulk coffee variety pack", "size: 16 count (pack of 1)"], "instruction_attributes": ["dairy free"], "instruction_options": ["16 count (pack of 1)"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCGPSJR", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07VBLHD8C", "instruction": "sumatra sensation included the quality ingretidents", "attributes": ["dairy free", "gluten free", "quality ingredients"], "options": ["flavor name: sumatra sensation", "size: 16 count (pack of 1)"], "instruction_attributes": ["quality ingredients"], "instruction_options": [], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWXX1CY", "worker_id": "A226L9F2AZ38CL"}], "B08FRV8QLN": [{"asin": "B08FRV8QLN", "instruction": "i am interested in old fashioned caramels.", "attributes": ["old fashioned", "individually wrapped", "natural ingredients", "high fructose"], "options": [""], "instruction_attributes": ["old fashioned"], "instruction_options": [], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7VFSDY", "worker_id": "A2ECRNQ3X5LEXD"}], "B093YSKFKF": [{"asin": "B093YSKFKF", "instruction": "i need 2 pink flamingo rose mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3BXQNQ", "worker_id": "A2RBF3IIJP15IH"}], "B09686THJK": [{"asin": "B09686THJK", "instruction": "i need to find the 10 pack of easy to use lankiz magnetic eyelashes that come with the micellar water, tweezers, and the tubes of magnetism.", "attributes": ["oil free", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X022034H", "worker_id": "A2DDPSXH2X96RF"}], "B07SGG9YJQ": [{"asin": "B07SGG9YJQ", "instruction": "i need 5 ounce flawless eye cream for dark circles.", "attributes": ["plant based", "cruelty free", "dark circles"], "options": ["size: 5 ounce", "style name: flawless eye cream"], "instruction_attributes": ["dark circles"], "instruction_options": ["5 ounce", "flawless eye cream"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMNXW91", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07SGG9YJQ", "instruction": "i need a 1.7 ounce eye cream for dark circles.", "attributes": ["plant based", "cruelty free", "dark circles"], "options": ["size: 1.7 ounce", "style name: no filter face serum"], "instruction_attributes": ["dark circles"], "instruction_options": ["1.7 ounce"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3CFN6O", "worker_id": "A2ECRNQ3X5LEXD"}], "B076VYP83L": [{"asin": "B076VYP83L", "instruction": "buy me some cotton pajama pants in size extra extra large, please. make sure they have an elastic waistband.", "attributes": ["elastic waistband", "drawstring waist"], "options": ["color: rusty brown plaid", "size: xx-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["xx-large"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOGUL9Y", "worker_id": "AR9AU5FY1S3RO"}], "B007R58WI8": [{"asin": "B007R58WI8", "instruction": "i am interested in a waxing kit for sensitive skin.", "attributes": ["cruelty free", "hair removal", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCMHI7A", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NM5MTJ5": [{"asin": "B09NM5MTJ5", "instruction": "get me some long sleeve pajamas. look for blue ones.", "attributes": ["quality polyester", "long sleeve"], "options": ["color: blue", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907P1AUS", "worker_id": "AR9AU5FY1S3RO"}], "B09QSRNP3T": [{"asin": "B09QSRNP3T", "instruction": "i am looking for a blue long sleeve men's linen shirt.", "attributes": ["soft material", "long sleeve"], "options": ["color: blue", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GAPZUZ", "worker_id": "A1EREKSZAA9V7B"}], "B00N1GG62G": [{"asin": "B00N1GG62G", "instruction": "i would like 10 pounds of chocolate covered nuts.", "attributes": ["chocolate covered", "non dairy"], "options": ["size: 10 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["10 pound (pack of 1)"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTFJD4J", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00N1GG62G", "instruction": "i'm looking for chocolates covered for parties.", "attributes": ["chocolate covered", "non dairy"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66SJZFJ", "worker_id": "A16IQOX0DK14OJ"}], "B07QPS3GR8": [{"asin": "B07QPS3GR8", "instruction": "i need a decor therapy white fnished bailey bead board, sized 14x17x26.5, in color sahara.", "attributes": ["white item", "white finish"], "options": ["color: sahara", "size: 14x17x26.5"], "instruction_attributes": ["white finish"], "instruction_options": ["sahara", "14x17x26.5"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9IVB0Y", "worker_id": "A1CB72B51L7TKE"}], "B095BYSN17": [{"asin": "B095BYSN17", "instruction": "buy me a pink synthetic wig.", "attributes": ["easy use", "high quality", "synthetic hair", "hair extensions", "hair loss"], "options": ["color: pink", "size: 2pcs"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["pink"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H188UT", "worker_id": "AR9AU5FY1S3RO"}], "B00AQMLFNI": [{"asin": "B00AQMLFNI", "instruction": "looking for spicy sea salt with low sodium and smoked & infused", "attributes": ["low sodium", "gift set"], "options": ["flavor name: smoked & infused"], "instruction_attributes": ["low sodium"], "instruction_options": ["smoked & infused"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGA9S9Q", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B00AQMLFNI", "instruction": "i want a smoked and infused spicy sea salt gift set.", "attributes": ["low sodium", "gift set"], "options": ["flavor name: smoked & infused"], "instruction_attributes": ["gift set"], "instruction_options": ["smoked & infused"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907W1AU6", "worker_id": "A2RBF3IIJP15IH"}], "B08SWWVD2G": [{"asin": "B08SWWVD2G", "instruction": "i am interested in a height adjustable spa tool that is color a8 and is 40 by 45-63cm.", "attributes": ["height adjustable", "beauty salon"], "options": ["color: a8", "size: 40*45-63cm"], "instruction_attributes": ["height adjustable"], "instruction_options": ["a8", "40*45-63cm"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA1YC8K", "worker_id": "A2ECRNQ3X5LEXD"}], "B0015S1DZW": [{"asin": "B0015S1DZW", "instruction": "i need a small stick of antiperspirant that is fragrance free.", "attributes": ["anti perspirant", "fragrance free", "sensitive skin"], "options": ["size: 2.25 ounce (pack of 1)"], "instruction_attributes": ["anti perspirant", "fragrance free"], "instruction_options": ["2.25 ounce (pack of 1)"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1T9H2T", "worker_id": "A19317A3X87NVM"}], "B0799Y3QCN": [{"asin": "B0799Y3QCN", "instruction": "get me a quad core tablet with 64 gigabytes of storage.", "attributes": ["high performance", "quad core"], "options": ["color: blue", "size: 64gb", "style: tablet"], "instruction_attributes": ["quad core"], "instruction_options": ["64gb", "tablet"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5O36X1", "worker_id": "AR9AU5FY1S3RO"}], "B001KYNTLC": [{"asin": "B001KYNTLC", "instruction": "i want to get a single-count pack of oil-free liquid foundation that has a natural buff color.", "attributes": ["oil free", "fine lines"], "options": ["color: n3 natural buff", "size: 1 count (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["n3 natural buff", "1 count (pack of 1)"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3YVKJ5H", "worker_id": "A345TDMHP3DQ3G"}], "B09DFP2HMB": [{"asin": "B09DFP2HMB", "instruction": "i want to buy a fully assembled faux leather nightstand. i want the one that's white and has a contemporary design.", "attributes": ["fully assembled", "white item", "faux leather", "contemporary design"], "options": [""], "instruction_attributes": ["fully assembled", "white item", "faux leather", "contemporary design"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZGY9KS", "worker_id": "AR9AU5FY1S3RO"}], "B08S7K5DQK": [{"asin": "B08S7K5DQK", "instruction": "i am looking for a printed backdrop that is 6 by 9 feet for digital photography.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 07", "size: 6x9 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 07", "6x9 ft"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB959N8A", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08S7K5DQK", "instruction": "i'm looking for a 3' x 5', light weight, aquatic wildlife back drop.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 02", "size: 3x5 ft"], "instruction_attributes": ["light weight"], "instruction_options": ["3x5 ft"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4826DYP9", "worker_id": "AK3JMCIGU8MLU"}], "B07KC9T27Y": [{"asin": "B07KC9T27Y", "instruction": "i am looking for a high quality black bag that is 6.7 oz.", "attributes": ["bpa free", "high quality"], "options": ["color: black cap - 5 oz", "size: 6.7 oz"], "instruction_attributes": [], "instruction_options": ["black cap - 5 oz", "6.7 oz"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRP2BZE", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NBKNJG5": [{"asin": "B09NBKNJG5", "instruction": "i want a top hairpiece in dark blonde to conceal hair loss.", "attributes": ["damaged hair", "hair loss"], "options": ["color: #27 dark blonde", "size: 6 inch"], "instruction_attributes": ["hair loss"], "instruction_options": ["#27 dark blonde"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVE1UTC", "worker_id": "A19317A3X87NVM"}, {"asin": "B09NBKNJG5", "instruction": "find my-lady silk base top , updated 120% density remy human hair clip in fringe-free topper. it has to be this one and i will for sure cover up a friend's hair loss. register the color : #18p613 so that the order is correct.", "attributes": ["damaged hair", "hair loss"], "options": ["color: #18p613", "size: 6 inch"], "instruction_attributes": ["hair loss"], "instruction_options": ["#18p613"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVHHTUX", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B09NBKNJG5", "instruction": "i am looking for 12 inch size women hairpiece for my damaged hair.", "attributes": ["damaged hair", "hair loss"], "options": ["color: #1 jet black", "size: 12 inch"], "instruction_attributes": ["damaged hair"], "instruction_options": ["12 inch"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPL4NJ5", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09NBKNJG5", "instruction": "i need a jet black hair piece for hair loss", "attributes": ["damaged hair", "hair loss"], "options": ["color: #1 jet black", "size: 16 inch"], "instruction_attributes": ["hair loss"], "instruction_options": ["#1 jet black"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72APWEOD", "worker_id": "A2ECRNQ3X5LEXD"}], "B096RD2FBZ": [{"asin": "B096RD2FBZ", "instruction": "i am looking for a canvas poster for the living room that shows sunny zakynthos island.", "attributes": ["ready hang", "living room"], "options": ["color: sunny zakynthos island", "size: only canvas"], "instruction_attributes": ["living room"], "instruction_options": ["sunny zakynthos island", "only canvas"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2YL53E", "worker_id": "A2ECRNQ3X5LEXD"}], "B0985T17YV": [{"asin": "B0985T17YV", "instruction": "i am interested in a white dinnerware set that has a contemporary design.", "attributes": ["white item", "contemporary design"], "options": ["color: white", "style: soho mugs"], "instruction_attributes": ["contemporary design"], "instruction_options": ["white"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTRKE4D", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P51CZZN": [{"asin": "B09P51CZZN", "instruction": "i am looking for stainless steel hair removal tweezers.", "attributes": ["stainless steel", "hair removal"], "options": [""], "instruction_attributes": ["stainless steel", "hair removal"], "instruction_options": [], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UNH1GW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09P51CZZN", "instruction": "i want a set of tweezers for hair removal.", "attributes": ["stainless steel", "hair removal"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTU1E5I", "worker_id": "A1WS884SI0SLO4"}], "B08RJZ16P1": [{"asin": "B08RJZ16P1", "instruction": "i am looking for men's adidas hiking shoes size 9 with rubber soles.", "attributes": ["lace closure", "rubber sole"], "options": ["color: beige tone | victory gold | flash orange", "size: 9"], "instruction_attributes": ["rubber sole"], "instruction_options": ["9"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VWSYW2", "worker_id": "A1EREKSZAA9V7B"}], "B094QPCJ9H": [{"asin": "B094QPCJ9H", "instruction": "i am interested in a high definition streaming media player.", "attributes": ["high definition", "quad core"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68CR4AD", "worker_id": "A2ECRNQ3X5LEXD"}], "B015ETINHS": [{"asin": "B015ETINHS", "instruction": "i'm looking for a charcoal and walnut colored summer chair that has a wood finish.", "attributes": ["mid century", "wood finish"], "options": ["color: charcoal | walnut", "pattern name: chair"], "instruction_attributes": ["wood finish"], "instruction_options": ["charcoal | walnut", "chair"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWWS1RS", "worker_id": "A345TDMHP3DQ3G"}], "B0972P4GJP": [{"asin": "B0972P4GJP", "instruction": "i want to find a black portable bluetooth speaker with stereo sound.", "attributes": ["hands free", "stereo sound", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["stereo sound"], "instruction_options": ["black"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QOXXOH", "worker_id": "A345TDMHP3DQ3G"}], "B07RMK36GG": [{"asin": "B07RMK36GG", "instruction": "i need a 2 pack of lemon cookie mini bars that have high protein.", "attributes": ["high protein", "artificial flavors"], "options": ["flavor name: lemon cookie", "size: 12 count (pack of 2)"], "instruction_attributes": ["high protein"], "instruction_options": ["lemon cookie", "12 count (pack of 2)"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODK9WE7", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07RMK36GG", "instruction": "i am looking for 36 high protein chocolate caramel snack bars.", "attributes": ["high protein", "artificial flavors"], "options": ["flavor name: chocolate caramel", "size: 36 count (pack of 3)"], "instruction_attributes": ["high protein"], "instruction_options": ["chocolate caramel", "36 count (pack of 3)"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XONIL90", "worker_id": "A1EREKSZAA9V7B"}], "B0079IYUYS": [{"asin": "B0079IYUYS", "instruction": "i'm looking for a vanity wall light with a brushed nickel finish. it should be around 15 inches big.", "attributes": ["mid century", "nickel finish", "brushed nickel"], "options": ["color: burnished brass - double light", "size: 15 inch"], "instruction_attributes": ["nickel finish", "brushed nickel"], "instruction_options": ["15 inch"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9DR2E8", "worker_id": "A3EDFA8UQT5GG8"}], "B09SL5S4Y4": [{"asin": "B09SL5S4Y4", "instruction": "i want to find a women's long-sleeve jumpsuit in a medium size with the 13 color.", "attributes": ["long sleeve", "quality polyester", "unique design", "polyester spandex", "daily wear"], "options": ["color: color13", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["color13", "medium"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEFZ860", "worker_id": "A345TDMHP3DQ3G"}], "B091TZTD5G": [{"asin": "B091TZTD5G", "instruction": "i would like a 16.9 fluid ounce amber bottle that could be used in a hair salon.", "attributes": ["long lasting", "fine mist", "hair salon", "natural hair"], "options": ["color: amber", "size: 16.9 fl oz (pack of 1)"], "instruction_attributes": ["hair salon"], "instruction_options": ["amber", "16.9 fl oz (pack of 1)"], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVC7BIO", "worker_id": "A1WS884SI0SLO4"}], "B092Q2QGQF": [{"asin": "B092Q2QGQF", "instruction": "i want a bezel-less vizio 43-inch d-series full hd 1080p smart tv.", "attributes": ["1080p hd", "high definition"], "options": ["configuration: bezel-less", "size: 32 in", "style: 720p"], "instruction_attributes": ["1080p hd"], "instruction_options": ["bezel-less"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFLF9EP", "worker_id": "A2RBF3IIJP15IH"}], "B07PYPGQ8B": [{"asin": "B07PYPGQ8B", "instruction": "i'm trying to find high quality eyelash extensions that are 0.15 millimeters in diameter and 13-20 millimeters long.", "attributes": ["high quality", "easy use"], "options": ["scent name: 0.15-d-mix-13-20mm"], "instruction_attributes": ["high quality"], "instruction_options": ["0.15-d-mix-13-20mm"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CAE0VW", "worker_id": "A345TDMHP3DQ3G"}], "B09KTVWQ5V": [{"asin": "B09KTVWQ5V", "instruction": "i need to buy some slim fit yoga pants. get the ones that are multicolered in xx large.", "attributes": ["quick drying", "moisture wicking", "slim fit", "drawstring closure", "daily wear"], "options": ["color: multicolor", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["multicolor", "xx-large"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXCIC7", "worker_id": "AR9AU5FY1S3RO"}], "B08FQSSTQ5": [{"asin": "B08FQSSTQ5", "instruction": "i am looking for an easy to carry 4-tier black cosmetic box.", "attributes": ["travel size", "easy carry", "nail polish"], "options": ["color: 4-tier black"], "instruction_attributes": ["easy carry"], "instruction_options": ["4-tier black"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8L7Q6F", "worker_id": "A1EREKSZAA9V7B"}], "B0932W5W2N": [{"asin": "B0932W5W2N", "instruction": "i want a vintage beige twin size metal platform bed frame.", "attributes": ["twin size", "heavy duty", "easy install", "steel frame", "box spring", "storage space"], "options": ["color: beige", "size: vintage bed"], "instruction_attributes": ["twin size"], "instruction_options": ["beige", "vintage bed"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC3B0DY", "worker_id": "A2RBF3IIJP15IH"}], "B082L53NSB": [{"asin": "B082L53NSB", "instruction": "i am looking for a brushed polished nickel color vanity light having glass shade.", "attributes": ["vanity light", "glass shade"], "options": ["color: brushed polished nickel", "size: 3-light"], "instruction_attributes": ["glass shade"], "instruction_options": ["brushed polished nickel"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZIA7RD", "worker_id": "A1Q8PPQQCWGY0D"}], "B07F5M8YPD": [{"asin": "B07F5M8YPD", "instruction": "buy a two pack of whitening toothpaste.", "attributes": ["teeth whitening", "fresh breath"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HMIOW6", "worker_id": "AR9AU5FY1S3RO"}], "B091F3RWX8": [{"asin": "B091F3RWX8", "instruction": "i need brown eco friendly nikahoo small storage baskets.", "attributes": ["eco friendly", "space saving", "easy assemble", "pu leather", "storage space", "living room"], "options": ["color: 06 brown-2pcs"], "instruction_attributes": ["eco friendly"], "instruction_options": ["06 brown-2pcs"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCGSIPM", "worker_id": "A2RBF3IIJP15IH"}], "B01F8T9LMA": [{"asin": "B01F8T9LMA", "instruction": "i need a new dresser. look for one made from engineered wood with lots of storage space.", "attributes": ["engineered wood", "storage space"], "options": [""], "instruction_attributes": ["engineered wood", "storage space"], "instruction_options": [], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHT5LLN7", "worker_id": "AR9AU5FY1S3RO"}], "B09HZV14ND": [{"asin": "B09HZV14ND", "instruction": "buy me some coffee brown hair dye. make sure it only contains natural ingredients.", "attributes": ["easy carry", "green tea", "natural ingredients", "hair dye"], "options": ["color: coffee"], "instruction_attributes": ["natural ingredients", "hair dye"], "instruction_options": ["coffee"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IO232J", "worker_id": "AR9AU5FY1S3RO"}], "B07VPCPY1X": [{"asin": "B07VPCPY1X", "instruction": "i'm looking for protein snacks that are very high in protein and contain pumpkin seeds. i'm lactose intolerant.", "attributes": ["soy free", "dairy free", "gluten free", "protein serving", "keto friendly", "high protein", "plant based", "non gmo"], "options": ["flavor name: pumpkin", "size: 4.5 ounce (pack of 1)"], "instruction_attributes": ["dairy free", "high protein"], "instruction_options": ["pumpkin"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QS5072", "worker_id": "A3EDFA8UQT5GG8"}], "B07C2F29CP": [{"asin": "B07C2F29CP", "instruction": "i'm looking for a comfortable pair of mens jeans. they should be shadow black and slim fitting.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: shadow black", "fit type: slim", "size: 40w x 40l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["shadow black", "slim"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4820IJ", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07C2F29CP", "instruction": "i am looking for slim comfortable fit jeans that is long lasting.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: cottonwood", "fit type: slim", "size: 32w x 32l"], "instruction_attributes": ["long lasting", "comfortable fit"], "instruction_options": ["slim"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZPX1YW", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07C2F29CP", "instruction": "i'm looking for comfortable fit regular jean which must be machine wash with long lasting imported zipper", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: worn in", "fit type: regular", "size: 31w x 36l"], "instruction_attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "instruction_options": ["regular"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YKHPNE", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B07C2F29CP", "instruction": "i would like a 28 wide by 34 long big and tall pair of dax jeans that can be machine washed.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: dax", "fit type: big & tall", "size: 28w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["dax", "big & tall", "28w x 34l"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZ0UZJI", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07C2F29CP", "instruction": "i would like a 30 wide by 40 long big and tall pair of acorn jeans with a comfortable fit.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: acorn", "fit type: big & tall", "size: 31w x 40l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["acorn", "big & tall", "31w x 40l"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GGQZUC", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07C2F29CP", "instruction": "i'm locking for a cowboy cut original fit jean for men's.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: hubbard", "fit type: slim", "size: 33w x 32l"], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R9SYT8", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B07C2F29CP", "instruction": "i'm looking for a pair of comfortably fitting men's jeans in the size of 33 wide by 34 length.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: true blue", "fit type: big & tall", "size: 33w x 34l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["33w x 34l"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3IFNQJ", "worker_id": "A2JP9IKRHNLRPI"}], "B08RHLN3DK": [{"asin": "B08RHLN3DK", "instruction": "i would like some low carb elbow noodles that come in a six pack.", "attributes": ["low carb", "soy free", "kosher certified"], "options": ["flavor name: elbows", "size: 8 ounce (pack of 6)"], "instruction_attributes": ["low carb"], "instruction_options": ["elbows", "8 ounce (pack of 6)"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINQM72Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QGQVXWX": [{"asin": "B09QGQVXWX", "instruction": "i'm looking for an extra-large women's swimsuit that is moisture-wicking. it needs to be green.", "attributes": ["daily casual", "moisture wicking", "cotton spandex", "gym workout"], "options": ["color: egreen", "size: x-large"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["egreen", "x-large"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKWLDNL", "worker_id": "A345TDMHP3DQ3G"}], "B081YB76BF": [{"asin": "B081YB76BF", "instruction": "i want machine washable christmas scene white decorative pillow covers in size square 22 x 22 inches.", "attributes": ["double sided", "machine washable"], "options": ["color: christmas scene white", "size: square 22 x 22 inches"], "instruction_attributes": ["machine washable"], "instruction_options": ["christmas scene white", "square 22 x 22 inches"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6315GX", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B081YB76BF", "instruction": "i want to buy pillow covers which are machine washable and have ombre blue grey color and have a size of square 20 x 20 inches.", "attributes": ["double sided", "machine washable"], "options": ["color: ombre blue grey", "size: square 20 x 20 inches"], "instruction_attributes": ["machine washable"], "instruction_options": ["ombre blue grey", "square 20 x 20 inches"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IVA325", "worker_id": "AJY5G987IRT25"}], "B09JP2LYMH": [{"asin": "B09JP2LYMH", "instruction": "i am looking for a folding mattress of size 90cm\u00d7190cm for my living room.", "attributes": ["memory foam", "living room"], "options": ["size: 90cm\u00d7190cm"], "instruction_attributes": ["living room"], "instruction_options": ["90cm\u00d7190cm"], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY0LP72", "worker_id": "A1Q8PPQQCWGY0D"}], "B098QBHNQ3": [{"asin": "B098QBHNQ3", "instruction": "i am interested in a black travel sized cosmetic bag.", "attributes": ["travel size", "easy clean", "high quality"], "options": ["color: a-black"], "instruction_attributes": ["travel size"], "instruction_options": ["a-black"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPJLSY6", "worker_id": "A2ECRNQ3X5LEXD"}], "B096ZGR1JX": [{"asin": "B096ZGR1JX", "instruction": "i need a xmarto wireless home security camera system with motion detection.", "attributes": ["easy use", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPLOWFP", "worker_id": "A2RBF3IIJP15IH"}], "B09FXVS6QB": [{"asin": "B09FXVS6QB", "instruction": "i am looking for a dual band streaming player that has 4gb of ram and 64gb of storage.", "attributes": ["dual band", "ultra hd", "quad core"], "options": ["color: 4gb+64gb"], "instruction_attributes": ["dual band"], "instruction_options": ["4gb+64gb"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMMW3SR1", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DK41PGJ": [{"asin": "B08DK41PGJ", "instruction": "i am looking for a 3 cheese wine country gift basket with italian salame.", "attributes": ["gift basket", "perfect gift"], "options": ["style: 3 cheese"], "instruction_attributes": ["gift basket"], "instruction_options": ["3 cheese"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FETLET", "worker_id": "A1EREKSZAA9V7B"}], "B08LVQTPJN": [{"asin": "B08LVQTPJN", "instruction": "i am interested in earth tone blinds that are easy to install and are 43\" by 56\"", "attributes": ["easy install", "home furnishings"], "options": ["color: earth tone - 100% blackout", "size: 43\"w x 56\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["earth tone - 100% blackout", "43\"w x 56\"h"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602Q5959", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08LVQTPJN", "instruction": "i am looking for a light brown - 100% blackout 50\"w x 72\"h roller shades which is easy to install.", "attributes": ["easy install", "home furnishings"], "options": ["color: light brown - 100% blackout", "size: 50\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["light brown - 100% blackout", "50\"w x 72\"h"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VKA06Y", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B08LVQTPJN", "instruction": "i am looking for easy install blackout roller shades no tools needed. 12'w x 48\"h", "attributes": ["easy install", "home furnishings"], "options": ["color: light brown - 100% blackout", "size: 38\"w x 60\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["38\"w x 60\"h"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0057XL", "worker_id": "A2KW17G25L25R8"}], "B08RZF6YWF": [{"asin": "B08RZF6YWF", "instruction": "i want to find a two-pack of 2-ounce beef jerky bags that are high in protein and come in a variety of flavors.", "attributes": ["high protein", "low carb", "sugar free", "old fashioned", "gluten free", "protein serving", "low calorie", "artificial flavors", "natural ingredients", "zero sugar"], "options": ["flavor name: variety", "size: 2 ounce (pack of 2)"], "instruction_attributes": ["high protein"], "instruction_options": ["variety", "2 ounce (pack of 2)"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZUAJZ6", "worker_id": "A345TDMHP3DQ3G"}], "B00HB55PKM": [{"asin": "B00HB55PKM", "instruction": "i am looking for size 13 evergreen clogs with vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: evergreen", "size: 13 women | 13 men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["evergreen", "13 women | 13 men"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2Z335W", "worker_id": "A1EREKSZAA9V7B"}], "B07HKB2VF1": [{"asin": "B07HKB2VF1", "instruction": "i want to find an emergency radio that's water resistant and includes aaa batteries.", "attributes": ["water resistant", "batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["water resistant", "batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JX9WG7N", "worker_id": "A345TDMHP3DQ3G"}], "B08P5481L1": [{"asin": "B08P5481L1", "instruction": "i'd like to get men's straight-legged jeans that are 38 centimeters in width and 30 centimeters in length. the color should be waterless rose.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: the rose (waterless) big & tall", "size: 48w x 30l"], "instruction_attributes": ["straight leg"], "instruction_options": ["the rose (waterless) big & tall", "48w x 30l"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOAJLL3", "worker_id": "A345TDMHP3DQ3G"}], "B003GU0TIO": [{"asin": "B003GU0TIO", "instruction": "i am looking for gluten free chili bean sauce.", "attributes": ["gluten free", "perfect gift"], "options": ["flavor name: chil bean sauce"], "instruction_attributes": ["gluten free"], "instruction_options": ["chil bean sauce"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVIUQ0N", "worker_id": "A1EREKSZAA9V7B"}], "B09BLHVV47": [{"asin": "B09BLHVV47", "instruction": "i need white non slip working shoes that in a size 10.5 for women", "attributes": ["non slip", "water resistant", "light weight", "faux fur", "rubber sole"], "options": ["color: white camo", "size: 10.5 women | 9.5 men"], "instruction_attributes": ["non slip"], "instruction_options": ["white camo", "10.5 women | 9.5 men"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E2PHXJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PTXWC42": [{"asin": "B09PTXWC42", "instruction": "i am looking for a high quality makeup mirror.", "attributes": ["easy carry", "high quality"], "options": ["color: i"], "instruction_attributes": ["high quality"], "instruction_options": ["i"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLS9PCWP", "worker_id": "A2KW17G25L25R8"}], "B096QDXYXG": [{"asin": "B096QDXYXG", "instruction": "i would like some pink wedges that provide all day comfort and are a size 8.5.", "attributes": ["knee high", "day comfort", "open toe", "high heel", "quality materials", "ankle strap"], "options": ["color: z5-pink", "size: 8.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["z5-pink", "8.5"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI37ZBDM", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B096QDXYXG", "instruction": "i need a high heel 8.5 sized , z92-purple wedge platform sandals for women", "attributes": ["knee high", "day comfort", "open toe", "high heel", "quality materials", "ankle strap"], "options": ["color: z92-purple", "size: 8.5"], "instruction_attributes": ["high heel"], "instruction_options": ["z92-purple", "8.5"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOKA0F0", "worker_id": "A258PTOZ3D2TQR"}], "B083TJ99G3": [{"asin": "B083TJ99G3", "instruction": "i am interested in hdmi cables that have output protection.", "attributes": ["output protection", "1080p hd"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGH0W2M", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZK98Y9Y": [{"asin": "B07ZK98Y9Y", "instruction": "i would like a white size 6 sandal with a rubber sole.", "attributes": ["open toe", "ankle strap", "rubber sole", "fashion design", "arch support"], "options": ["color: white 1", "size: 6"], "instruction_attributes": ["rubber sole"], "instruction_options": ["white 1", "6"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVJKLXG", "worker_id": "A1WS884SI0SLO4"}], "B07YT6ZSRG": [{"asin": "B07YT6ZSRG", "instruction": "i would like a standard sofa table that has a wood finish.", "attributes": ["assembly required", "wood finish", "contemporary design", "engineered wood", "living room"], "options": ["size: sofa table", "style: standard"], "instruction_attributes": ["wood finish"], "instruction_options": ["sofa table", "standard"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7S9AWRV", "worker_id": "A2ECRNQ3X5LEXD"}], "B093PNF328": [{"asin": "B093PNF328", "instruction": "get me a hands free two way radio. get the two pack charging station option.", "attributes": ["hands free", "high power"], "options": ["color: b 1green & 1purple & 1red & 1yellow with noaa | usb charger | usb cable | battery | earpiece | lanyard", "size: charging station option(two pack only)"], "instruction_attributes": ["hands free"], "instruction_options": ["charging station option(two pack only)"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPJWYSN", "worker_id": "AR9AU5FY1S3RO"}], "B08YJYZSX7": [{"asin": "B08YJYZSX7", "instruction": "i would like a desk set with a steel frame.", "attributes": ["steel frame", "storage space"], "options": [""], "instruction_attributes": ["steel frame"], "instruction_options": [], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I5YDFD", "worker_id": "A1WS884SI0SLO4"}], "B09NVSN43G": [{"asin": "B09NVSN43G", "instruction": "i want to find a birthday cake topper that i can use for my birthday party.", "attributes": ["birthday cake", "birthday party", "baby shower"], "options": [""], "instruction_attributes": ["birthday cake", "birthday party"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTQ9P9E", "worker_id": "A345TDMHP3DQ3G"}], "B089DLMN63": [{"asin": "B089DLMN63", "instruction": "i am looking for a 36 count pack of soy free fruit and nut bars.", "attributes": ["soy free", "plant based", "grain free", "dairy free", "gluten free"], "options": ["flavor name: skout bar sample pack", "size: 36 count"], "instruction_attributes": ["soy free"], "instruction_options": ["36 count"], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWCZ0K2", "worker_id": "A2ECRNQ3X5LEXD"}], "B00JVB5QTE": [{"asin": "B00JVB5QTE", "instruction": "i want to find a pair of wireless bluetooth headphones.", "attributes": ["high performance", "hands free", "high definition", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJKZR3J9", "worker_id": "A345TDMHP3DQ3G"}], "B01MU7OTU6": [{"asin": "B01MU7OTU6", "instruction": "i would like a lotion that is mango scented and cruelty free that comes in 32 ounces.", "attributes": ["alcohol free", "sulfate free", "cruelty free", "seed oil"], "options": ["scent: mango", "size: 32 ounce"], "instruction_attributes": ["cruelty free"], "instruction_options": ["mango", "32 ounce"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3WTQ7G", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CLP2DL4": [{"asin": "B07CLP2DL4", "instruction": "looking for one snack of jalapeno n cheddar smoked gluten free with high protein", "attributes": ["ready eat", "high protein", "gluten free"], "options": [""], "instruction_attributes": ["high protein", "gluten free"], "instruction_options": [], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZQ540C", "worker_id": "A2Y2TURT2VEYZN"}], "B08DG6C2WW": [{"asin": "B08DG6C2WW", "instruction": "i want to buy some hair growth shampoo that is bamboo and charcoal scented in a 10 ounce bottle.", "attributes": ["natural ingredients", "hair growth"], "options": ["scent: bamboo & charcoal shampoo", "size: 10.14 fl oz"], "instruction_attributes": ["hair growth"], "instruction_options": ["bamboo & charcoal shampoo", "10.14 fl oz"], "assignment_id": "3TR2532VI040LV46NXNX77Y3USC6J5", "worker_id": "A2YNPKYEFDZ6C9"}], "B09MFFGQX3": [{"asin": "B09MFFGQX3", "instruction": "i'm looking for a lip balm that would help minimize dead skin caused by dry lips in the winter.", "attributes": ["seed oil", "dead skin"], "options": ["color: d"], "instruction_attributes": ["dead skin"], "instruction_options": ["d"], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0UNRRF", "worker_id": "A3EDFA8UQT5GG8"}], "B0181DGCWM": [{"asin": "B0181DGCWM", "instruction": "i would like a black 3'11'' x 5'3'' rug for my dining room.", "attributes": ["easy clean", "dining room"], "options": ["color: black", "size: 3'11'' x 5'3''"], "instruction_attributes": ["dining room"], "instruction_options": ["3'11'' x 5'3''"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB119LUU", "worker_id": "A1WS884SI0SLO4"}], "B09PV4HGFN": [{"asin": "B09PV4HGFN", "instruction": "i am looking for a high resolution portrait of green forest natural scenery.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a38", "size: 5x3ft | 1.5x1m"], "instruction_attributes": ["high resolution"], "instruction_options": ["5x3ft | 1.5x1m"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXVTYMS", "worker_id": "A2KW17G25L25R8"}, {"asin": "B09PV4HGFN", "instruction": "i'm looking for a photo studio background that's light weight and has a high definition image. it should be five by three feet.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a12", "size: 5x3ft | 1.5x1m"], "instruction_attributes": ["light weight", "high definition"], "instruction_options": ["5x3ft | 1.5x1m"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKSMSG9", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09PV4HGFN", "instruction": "i want a high resolution portrait background that is 10x7ft in size.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a6", "size: 10x7ft | 3x2.2m"], "instruction_attributes": ["high resolution"], "instruction_options": ["10x7ft | 3x2.2m"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IZKHKG", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09PV4HGFN", "instruction": "i am looking for a high definition a19 color background.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a19", "size: 9x6ft | 2.7x1.8m"], "instruction_attributes": ["high definition"], "instruction_options": ["a19"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXVOO5B", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09PV4HGFN", "instruction": "searching in the photo studio, i am looking for green forest natural scenery landscape portrait background studio prop that is of high resolution and definition. the approximate size is 9x6ft|2.7x1.8m.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a39", "size: 9x6ft | 2.7x1.8m"], "instruction_attributes": ["high resolution", "high definition"], "instruction_options": ["9x6ft | 2.7x1.8m"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMUT2GE", "worker_id": "A3RGIKEI8JS2QG"}], "B09J1HDKV2": [{"asin": "B09J1HDKV2", "instruction": "i am looking for small long sleeve women's christmas cardigan with pockets.", "attributes": ["hand wash", "long sleeve", "tumble dry", "daily wear"], "options": ["color: 09 # black", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIGI295", "worker_id": "A1EREKSZAA9V7B"}], "B082MMS2YZ": [{"asin": "B082MMS2YZ", "instruction": "i am looking for wall mounted security camera for home security", "attributes": ["wall mounted", "aaa batteries"], "options": [""], "instruction_attributes": ["wall mounted"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3PSP6U", "worker_id": "A258PTOZ3D2TQR"}], "B08LNTD4K3": [{"asin": "B08LNTD4K3", "instruction": "i am looking for a clear glass office desk that is white.", "attributes": ["assembly required", "clear glass"], "options": ["color: white"], "instruction_attributes": ["clear glass"], "instruction_options": ["white"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TJVN3W", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MJXTXY3": [{"asin": "B09MJXTXY3", "instruction": "i need a fast charging usb c wall charger.", "attributes": ["fast charging", "usb port"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL325HK", "worker_id": "A2RBF3IIJP15IH"}], "B09PGQ7TV8": [{"asin": "B09PGQ7TV8", "instruction": "i want to find an 8 ounce soy wax candle that is unscented.", "attributes": ["eco friendly", "soy wax"], "options": ["scent: unscented", "size: 8oz"], "instruction_attributes": ["soy wax"], "instruction_options": ["unscented", "8oz"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1076TLIT", "worker_id": "A345TDMHP3DQ3G"}], "B01GUKR4GQ": [{"asin": "B01GUKR4GQ", "instruction": "i am looking for gluten free sea salt.", "attributes": ["fat free", "non gmo", "gluten free", "artificial colors", "great gift"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRPJZBJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B082FVNHWH": [{"asin": "B082FVNHWH", "instruction": "get me a high-quality cosmetic bag with palm trees on it.", "attributes": ["high quality", "nail art"], "options": ["color: palm trees"], "instruction_attributes": ["high quality"], "instruction_options": ["palm trees"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRPY2YP", "worker_id": "AR9AU5FY1S3RO"}], "B082WM6X9R": [{"asin": "B082WM6X9R", "instruction": "looking for a soap that is antifugal and antibacterial with natural ingredients to wash the body", "attributes": ["paraben free", "tea tree", "natural ingredients"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1076PILM", "worker_id": "A2Y2TURT2VEYZN"}], "B075CF6VCR": [{"asin": "B075CF6VCR", "instruction": "i am looking for an xx-large short sleeve casual v-neck t-shirt.", "attributes": ["slim fit", "contrast color", "long sleeve", "short sleeve", "tumble dry"], "options": ["color: b2 long sleeve- black", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK64ZYY8", "worker_id": "A1EREKSZAA9V7B"}], "B00YEU96GQ": [{"asin": "B00YEU96GQ", "instruction": "i am looking for a carbon fiber tripod.", "attributes": ["carbon fiber", "stainless steel"], "options": ["size: 3 series | 4 section", "style: carbon fiber tripod"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["carbon fiber tripod"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8AQUXW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00YEU96GQ", "instruction": "i am looking for stainless steel long carbon fiber 3 series| 3 section long tripod", "attributes": ["carbon fiber", "stainless steel"], "options": ["size: 3 series | 3 section long", "style: aluminum tripod"], "instruction_attributes": ["stainless steel"], "instruction_options": ["3 series | 3 section long"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G79R472", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B00YEU96GQ", "instruction": "i want a benro mach3 long carbon fiber aluminum tripod.", "attributes": ["carbon fiber", "stainless steel"], "options": ["size: 4 series | 4 section extra long", "style: aluminum tripod"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["aluminum tripod"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QB4M14", "worker_id": "A2RBF3IIJP15IH"}], "B0741SYMHT": [{"asin": "B0741SYMHT", "instruction": "i need a supershieldz glass screen protector for samsung galaxy tab s2 8.0.", "attributes": ["tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["glass screen"], "instruction_options": [], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1CX08B", "worker_id": "A2RBF3IIJP15IH"}], "B07B8TWFKS": [{"asin": "B07B8TWFKS", "instruction": "i am looking for a gluten free chicken sticks with high protein. also choose pepper flavor and 6 stick pack.", "attributes": ["artificial ingredients", "low sugar", "gluten free", "low calorie", "keto friendly", "high protein", "low carb"], "options": ["flavor name: pepper", "size: 6 stick"], "instruction_attributes": ["gluten free", "high protein"], "instruction_options": ["pepper", "6 stick"], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW68YVVU", "worker_id": "A2HMEGTAFO0CS8"}], "B09L775HFG": [{"asin": "B09L775HFG", "instruction": "get me a seventy centimeter wall mounted mirror that's easy to install.", "attributes": ["wall mounted", "easy install"], "options": ["size: 70cm"], "instruction_attributes": ["wall mounted", "easy install"], "instruction_options": ["70cm"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH7D1EQ", "worker_id": "AR9AU5FY1S3RO"}], "B09MLQGHSY": [{"asin": "B09MLQGHSY", "instruction": "i'd like to get coaxial cables that are plated with gold.", "attributes": ["gold plated", "coaxial cable"], "options": [""], "instruction_attributes": ["gold plated", "coaxial cable"], "instruction_options": [], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU70K57W", "worker_id": "A345TDMHP3DQ3G"}], "B09DGL37KN": [{"asin": "B09DGL37KN", "instruction": "i am interested in a mattress pad that is the color e and is 180 by 200 cm.", "attributes": ["non slip", "space saving"], "options": ["color: e", "size: 180x200cm"], "instruction_attributes": ["non slip"], "instruction_options": ["e", "180x200cm"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCMFB90", "worker_id": "A2ECRNQ3X5LEXD"}], "B07P5JRGXW": [{"asin": "B07P5JRGXW", "instruction": "i'm looking for a small mens t-shirt that is machine washable and made of polyester or cotton.", "attributes": ["machine wash", "polyester cotton"], "options": ["size: small"], "instruction_attributes": ["machine wash", "polyester cotton"], "instruction_options": ["small"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQADSQC", "worker_id": "A3EDFA8UQT5GG8"}], "B00GMM1CF2": [{"asin": "B00GMM1CF2", "instruction": "i am interested in hand crafted snack gifts.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG18PYGQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B078NGJPM9": [{"asin": "B078NGJPM9", "instruction": "i'm looking for a 50-pack of black usb plugs that last for a long time.", "attributes": ["long lasting", "easy use", "usb port", "wireless charging"], "options": ["color: black, 50 pack", "size: 50 pack"], "instruction_attributes": ["long lasting"], "instruction_options": ["black, 50 pack", "50 pack"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFP0T0B", "worker_id": "A345TDMHP3DQ3G"}], "B09FPNLS69": [{"asin": "B09FPNLS69", "instruction": "i would like a clear glass screen protector for my galaxy watch 4.", "attributes": ["tempered glass", "glass screen"], "options": ["color: clear + black", "size: for galaxy watch 4 - 40mm"], "instruction_attributes": ["glass screen"], "instruction_options": ["clear + black", "for galaxy watch 4 - 40mm"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80AW1QX", "worker_id": "A1WS884SI0SLO4"}], "B07TBGP54C": [{"asin": "B07TBGP54C", "instruction": "i am looking for an easy to use sonic toothbrush for kids, 1 pack.", "attributes": ["easy use", "fresh breath"], "options": ["color: sonic toothbrush 1 pack"], "instruction_attributes": ["easy use"], "instruction_options": ["sonic toothbrush 1 pack"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUSBQJ7", "worker_id": "A1EREKSZAA9V7B"}], "B09PL63TF9": [{"asin": "B09PL63TF9", "instruction": "buy me some hiking boots with rubber soles. get them in red, size eight.", "attributes": ["open toe", "knee high", "slip resistant", "non slip", "ankle strap", "memory foam", "rubber sole", "daily wear"], "options": ["color: red", "size: 8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["red", "8"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3Q97M13", "worker_id": "AR9AU5FY1S3RO"}], "B0785YLFQX": [{"asin": "B0785YLFQX", "instruction": "i need 16 inch long dark brown goo goo remy hair extensions tape.", "attributes": ["high quality", "hair extensions", "natural hair"], "options": ["color: dark brown mixed chestnut brown #2 | 6 | 2", "size: 16 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["dark brown mixed chestnut brown #2 | 6 | 2", "16 inch (pack of 1)"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW9ZNF4", "worker_id": "A2RBF3IIJP15IH"}], "B073KYYVTR": [{"asin": "B073KYYVTR", "instruction": "i am looking for coaxial cable brass connector of size 195ft having high speed.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 195ft", "style: w | messenger - black"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHRELU2J0", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B073KYYVTR", "instruction": "i am looking for a 400 foot long high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 400ft", "style: direct burial 3ghz w | weather boot - ora..."], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["400ft"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRSVBZD", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B073KYYVTR", "instruction": "i'm looking for high speed accessories for video cables.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 70ft", "style: trishield - black"], "instruction_attributes": ["high speed", "aluminum alloy"], "instruction_options": ["70ft"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZFQPRI", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B073KYYVTR", "instruction": "i want a 280ft black tri-shield weather seal indoor outdoor rg-6 coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 280ft", "style: direct burial w | rg-11 weather boot - bl..."], "instruction_attributes": ["coaxial cable"], "instruction_options": ["280ft"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8YTPZZ", "worker_id": "A2RBF3IIJP15IH"}], "B01H6NZ45E": [{"asin": "B01H6NZ45E", "instruction": "i'm looking for men's swiftwater river relaxed fit sandal of size 9", "attributes": ["synthetic sole", "relaxed fit"], "options": ["color: blue navy slate grey", "size: 9"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["9"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N307TJ", "worker_id": "A258PTOZ3D2TQR"}], "B07C91Q25B": [{"asin": "B07C91Q25B", "instruction": "i'm looking for a volleyball shorts in low rise and in a 02navy colour and large size", "attributes": ["low rise", "loose fit"], "options": ["color: a02-navy", "size: large"], "instruction_attributes": ["low rise"], "instruction_options": ["a02-navy", "large"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8L9AO18", "worker_id": "A19Q021KR28CS8"}], "B09P9ZR7KF": [{"asin": "B09P9ZR7KF", "instruction": "i am looking for a high quality stainless steel set of hair cutting scissors.", "attributes": ["high quality", "easy use", "stainless steel", "hair cutting"], "options": ["size: 6.4\"", "style: dhc-63"], "instruction_attributes": ["high quality", "stainless steel"], "instruction_options": ["6.4\""], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKW8NDI", "worker_id": "A1EREKSZAA9V7B"}], "B08PNY8LT3": [{"asin": "B08PNY8LT3", "instruction": "i would like a dark brown fabric chair with a more contemporary design.", "attributes": ["button tufted", "contemporary design"], "options": ["color: dark brown + natural", "style: fabric"], "instruction_attributes": ["contemporary design"], "instruction_options": ["dark brown + natural", "fabric"], "assignment_id": "3X65QVEQIBXVW21709CD9M35U1SLCA", "worker_id": "A1WS884SI0SLO4"}], "B09NCB2NC4": [{"asin": "B09NCB2NC4", "instruction": "i want a heavy duty splice board design computer office desk.", "attributes": ["easy clean", "heavy duty", "easy assemble", "coated steel"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R2DTYA", "worker_id": "A2RBF3IIJP15IH"}], "B0017J22OK": [{"asin": "B0017J22OK", "instruction": "i'm looking for a dermatologist tested hair remover that comes in a spray and is size large.", "attributes": ["dermatologist tested", "long lasting"], "options": [""], "instruction_attributes": ["dermatologist tested"], "instruction_options": [], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70ILCCB4", "worker_id": "A28BSMU0QCS69S"}], "B07ZJWJH8Q": [{"asin": "B07ZJWJH8Q", "instruction": "i'm trying to find a chrome, stainless steel storage organizer to put over my kitchen cabinet doors.", "attributes": ["ready hang", "storage space", "stainless steel"], "options": ["color: chrome", "color: graphite", "color: bronze"], "instruction_attributes": ["stainless steel"], "instruction_options": ["chrome"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC5GQRKB", "worker_id": "A345TDMHP3DQ3G"}], "B08FRKT4FZ": [{"asin": "B08FRKT4FZ", "instruction": "i want an electric callus remover that's not only easy to clean, but also rechargeable.", "attributes": ["high quality", "easy clean", "dead skin"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9RJE24", "worker_id": "A345TDMHP3DQ3G"}], "B09NYC15NL": [{"asin": "B09NYC15NL", "instruction": "find me a white and black wooden etagere bookcase that needs assembly.", "attributes": ["assembly required", "wood frame"], "options": ["color: antique blue | black", "color: white | black"], "instruction_attributes": ["assembly required", "wood frame"], "instruction_options": ["white | black"], "assignment_id": "3EG49X3515M1GF9V412YYG6I52M6XC", "worker_id": "A3AJJHOAV7WIUQ"}], "B07TJ9VNHQ": [{"asin": "B07TJ9VNHQ", "instruction": "i'm looking for a men's classic fit shirt containing a jamaican woman.", "attributes": ["needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "color: asphalt", "color: purple", "color: black", "size: x-large", "size: large", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["men"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2JZY78", "worker_id": "A2JP9IKRHNLRPI"}], "B09M3K9LPH": [{"asin": "B09M3K9LPH", "instruction": "i want a large white storage shoe bench for the entryway to my living room. please find one that's 63 inches in height.", "attributes": ["white item", "living room"], "options": ["color: white w | doors", "color: white-63\"h", "color: black-70.8\"-h", "style: larger", "style: normal"], "instruction_attributes": ["white item", "living room"], "instruction_options": ["white-63\"h", "larger"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YWF04TE", "worker_id": "A345TDMHP3DQ3G"}], "B0961G4KFP": [{"asin": "B0961G4KFP", "instruction": "hey i am looking for an open toe, size 9 women's slipper made with fax fur.", "attributes": ["open toe", "day comfort", "non slip", "faux fur", "memory foam"], "options": ["size: 5-6", "size: 11-12", "size: 9-10", "color: blush", "color: leopard", "color: ivory"], "instruction_attributes": ["open toe", "faux fur"], "instruction_options": ["9-10"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXQPJU3", "worker_id": "AXY0D2AMLKE2A"}], "B09DTJXZ6K": [{"asin": "B09DTJXZ6K", "instruction": "i want to find edible black glitter that i can easily use on desserts.", "attributes": ["easy use", "dairy free", "gluten free"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWQCGGF", "worker_id": "A345TDMHP3DQ3G"}], "B08P7KK2F3": [{"asin": "B08P7KK2F3", "instruction": "i'm looking for a tempered glass coffee table for my living room that has a wooden frame.", "attributes": ["tempered glass", "clear glass", "wood frame", "living room"], "options": [""], "instruction_attributes": ["tempered glass", "wood frame", "living room"], "instruction_options": [], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9Q2FXOR", "worker_id": "A2JP9IKRHNLRPI"}], "B099VDWX8H": [{"asin": "B099VDWX8H", "instruction": "i want to find a blonde-colored, full-sized standard futon mattress. it must be easy to clean!", "attributes": ["spot clean", "easy clean"], "options": ["color: textured light gray", "color: pink", "color: blonde", "size: full", "size: queen", "style: contemporary", "style: casual"], "instruction_attributes": ["easy clean"], "instruction_options": ["blonde"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNYHS0UM", "worker_id": "A345TDMHP3DQ3G"}], "B07KYLGXY9": [{"asin": "B07KYLGXY9", "instruction": "i'm looking for an extra small black women's t-shirt that's machine washable and features origami paper cranes.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["fit type: men", "fit type: women", "fit type: youth", "color: brown", "color: black", "color: asphalt", "size: 3t", "size: x-small", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["women", "black", "x-small"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLAGAR86", "worker_id": "A345TDMHP3DQ3G"}], "B074PWBRF9": [{"asin": "B074PWBRF9", "instruction": "i'm in need of a large, 32 ounce bottle of conditioner that is both sulfate and paraben free. i would also like it be completely non-toxic.", "attributes": ["cruelty free", "sulfate free", "paraben free", "non toxic"], "options": ["size: 2 fl oz (pack of 1)", "size: 32 fl oz (pack of 1)", "size: 32 ounce"], "instruction_attributes": ["sulfate free", "paraben free", "non toxic"], "instruction_options": ["32 ounce"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEUP8Q3", "worker_id": "A2JP9IKRHNLRPI"}], "B08XVP8DST": [{"asin": "B08XVP8DST", "instruction": "give me a long lasting 8 pieces false lashes set.", "attributes": ["long lasting", "high quality"], "options": ["size: 13 piece set", "size: 8 piece set", "size: 7pairs"], "instruction_attributes": ["long lasting"], "instruction_options": ["8 piece set"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BXYJVS", "worker_id": "A3AJJHOAV7WIUQ"}], "B0963QSX1Q": [{"asin": "B0963QSX1Q", "instruction": "i'm looking for fast charging, waterproof earbuds.", "attributes": ["dust proof", "fast charging"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9ZOTV6", "worker_id": "A2JP9IKRHNLRPI"}], "B07J6NSJPT": [{"asin": "B07J6NSJPT", "instruction": "i'm in need of a hands free pair of earbud headphones that work with bluetooth and offer noise reduction technology.", "attributes": ["hands free", "carrying case"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NYB2P3", "worker_id": "A2JP9IKRHNLRPI"}], "B09MHT7M54": [{"asin": "B09MHT7M54", "instruction": "i want some vanity lights with a cylindrical shape and a metal base. the shades must feature clear glass.", "attributes": ["mid century", "vanity light", "clear glass", "light fixture", "living room"], "options": ["size: cup shape", "size: cylindrical", "size: globe"], "instruction_attributes": ["vanity light", "clear glass"], "instruction_options": ["cylindrical"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOX3CLYC", "worker_id": "A345TDMHP3DQ3G"}], "B09QHPJ29G": [{"asin": "B09QHPJ29G", "instruction": "order a women's tank top made from blue polyester spandex in size medium.", "attributes": ["loose fit", "slim fit", "hand wash", "polyester spandex", "short sleeve", "teen girls"], "options": ["color: pink", "color: navy", "color: red", "size: medium", "size: x-large", "size: small"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["navy", "medium"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17XHOY3E", "worker_id": "AR9AU5FY1S3RO"}], "B08F6ZLW5T": [{"asin": "B08F6ZLW5T", "instruction": "i'm trying to find 52\" x 84\" sheer linen curtains for my living room, and ideally they'll be sky blue.", "attributes": ["machine washable", "living room"], "options": ["size: 52\" x 84\"", "size: 52\" x 63\"", "size: 52\" x 108\"", "color: natural", "color: sky blue", "color: navy blue"], "instruction_attributes": ["living room"], "instruction_options": ["52\" x 84\"", "sky blue"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTP3N93", "worker_id": "A345TDMHP3DQ3G"}], "B074G4578G": [{"asin": "B074G4578G", "instruction": "i'd love to find a pair of women's faux fur slippers in size 8.5.", "attributes": ["faux fur", "rubber sole"], "options": [""], "instruction_attributes": ["faux fur"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6HO5GC", "worker_id": "A345TDMHP3DQ3G"}], "B07C3HDGF8": [{"asin": "B07C3HDGF8", "instruction": "i need a purple tee shirt in medium i can wear at the gym.", "attributes": ["wash cold", "gym workout", "daily wear"], "options": ["size: small", "size: medium", "size: large", "color: dusty rose", "color: purple", "color: navy blue"], "instruction_attributes": ["gym workout"], "instruction_options": ["medium", "purple"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKVUD7G", "worker_id": "A3AJJHOAV7WIUQ"}], "B07ZZT7HBT": [{"asin": "B07ZZT7HBT", "instruction": "find me some gluten free fruit snacks made from real fruit. they must be certified organic as well.", "attributes": ["gluten free", "certified organic", "artificial flavors", "real fruit", "high fructose"], "options": [""], "instruction_attributes": ["gluten free", "certified organic", "real fruit"], "instruction_options": [], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR793OH11", "worker_id": "A36F8PDK1DMAN1"}], "B09JP6GNTC": [{"asin": "B09JP6GNTC", "instruction": "i'm looking for a classic fitting, needle-sleeved t-shirt that is machine washable.", "attributes": ["wash cold", "machine wash", "cotton heather", "needle sleeve", "classic fit"], "options": [""], "instruction_attributes": ["machine wash", "needle sleeve", "classic fit"], "instruction_options": [], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YACHE0", "worker_id": "AFU00NU09CFXE"}], "B07KD7GNZB": [{"asin": "B07KD7GNZB", "instruction": "i'd like a set of two 12x20 decorative pillow covers that are machine-washable and ideally double sided.", "attributes": ["double sided", "machine washable"], "options": ["size: 12x20 set of 2", "size: 18x18 set of 2", "size: 20x20 set of 2"], "instruction_attributes": ["double sided", "machine washable"], "instruction_options": ["12x20 set of 2"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUWJS4A", "worker_id": "A345TDMHP3DQ3G"}], "B083J7385L": [{"asin": "B083J7385L", "instruction": "i'm interested in a stainless steel portable salon sink that is easy to clean.", "attributes": ["easy clean", "stainless steel"], "options": [""], "instruction_attributes": ["easy clean", "stainless steel"], "instruction_options": [], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPZ4WFX", "worker_id": "AFU00NU09CFXE"}], "B07WFMZH69": [{"asin": "B07WFMZH69", "instruction": "i'd love some help locating a pair of men's slim fit, ripped skinny jeans in a size 34. it would be awesome if you can find a pair in black.", "attributes": ["slim fit", "machine wash", "cotton spandex"], "options": ["size: 34", "size: 38", "size: 28", "color: white1", "color: black", "color: white"], "instruction_attributes": ["slim fit"], "instruction_options": ["34", "black"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQ0Z0PP", "worker_id": "A345TDMHP3DQ3G"}], "B07TYRGCH2": [{"asin": "B07TYRGCH2", "instruction": "i'm looking for a ursula neon t-shirt for girls from disney that is a classic fit, machine washable and in the size of medium.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "size: x-large", "size: 3x-large", "size: medium"], "instruction_attributes": ["machine wash", "classic fit"], "instruction_options": ["medium"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR78FY69", "worker_id": "A2JP9IKRHNLRPI"}], "B07CF4CF27": [{"asin": "B07CF4CF27", "instruction": "i want to find a short-sleeve, classic fit men's polo that comes in size small. see if any in white are available.", "attributes": ["machine wash", "button closure", "classic fit", "short sleeve"], "options": [""], "instruction_attributes": ["classic fit", "short sleeve"], "instruction_options": [], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJKHDNVA", "worker_id": "A345TDMHP3DQ3G"}], "B087Z21SD2": [{"asin": "B087Z21SD2", "instruction": "i'm looking for a pair of large men's ankle strap sandals.", "attributes": ["open toe", "ankle strap"], "options": ["size: large", "size: x-large"], "instruction_attributes": ["ankle strap"], "instruction_options": ["large"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VRA8E0", "worker_id": "A345TDMHP3DQ3G"}], "B07W5SK4VS": [{"asin": "B07W5SK4VS", "instruction": "i'm interested in a pair of moss nappa pumps in a size 7 with a rubber sole.", "attributes": ["leather sole", "rubber sole"], "options": ["size: 7", "size: 10.5", "size: 6.5", "color: moss nappa", "color: navy nappa", "color: rouge nappa"], "instruction_attributes": ["rubber sole"], "instruction_options": ["7", "moss nappa"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWP940GD", "worker_id": "AFU00NU09CFXE"}], "B099RC7F69": [{"asin": "B099RC7F69", "instruction": "i'm looking for a package of 16 stainless steel lip razors for women.", "attributes": ["non slip", "easy carry", "stainless steel", "hair removal"], "options": ["item package quantity: 16", "item package quantity: 32", "item package quantity: 64"], "instruction_attributes": ["stainless steel"], "instruction_options": ["16"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWY8CPPM", "worker_id": "A345TDMHP3DQ3G"}], "B07HFHDJNN": [{"asin": "B07HFHDJNN", "instruction": "i'm interested in a pair of hunter green scrub bottoms with a straight leg and drawstring waist in size medium tall.", "attributes": ["straight leg", "drawstring waist"], "options": ["size: xx-large plus", "size: xx-large plus petite", "size: medium tall", "color: eggplant", "color: hunter green", "color: royal"], "instruction_attributes": ["straight leg", "drawstring waist"], "instruction_options": ["medium tall", "hunter green"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4YIPKX", "worker_id": "AFU00NU09CFXE"}], "B09DY1SSGR": [{"asin": "B09DY1SSGR", "instruction": "i'm looking for a solid wood sofa table in order to get some extra storage space in my living room.", "attributes": ["storage space", "wood frame", "solid wood", "living room"], "options": [""], "instruction_attributes": ["storage space", "solid wood", "living room"], "instruction_options": [], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73D6RTO4", "worker_id": "A2JP9IKRHNLRPI"}], "B08GW8JSJJ": [{"asin": "B08GW8JSJJ", "instruction": "i'm in need of a night cream for the dry skin on my face that has been tested by dermatologists.", "attributes": ["dermatologist tested", "dry skin"], "options": [""], "instruction_attributes": ["dermatologist tested", "dry skin"], "instruction_options": [], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZT6O8A", "worker_id": "A2JP9IKRHNLRPI"}], "B01CPE15SO": [{"asin": "B01CPE15SO", "instruction": "i'm looking to find a pair of cropped women's pants with an elastic waist and wide legs. see if you can find a pair in navy that runs small to medium.", "attributes": ["wide leg", "machine washable", "elastic waistband", "elastic waist"], "options": ["size: small-medium", "size: medium-large", "size: large-x-large", "color: white", "color: tiedye blue", "color: navy"], "instruction_attributes": ["wide leg", "elastic waist"], "instruction_options": ["small-medium", "navy"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANRPXSV", "worker_id": "A345TDMHP3DQ3G"}], "B0821Z4MHL": [{"asin": "B0821Z4MHL", "instruction": "i want to find a black ink refill set for temporary tattoos that is not only easy to use but high quality.", "attributes": ["cruelty free", "easy use", "high quality"], "options": ["color: device with black + color ink", "color: black ink refill", "color: full color ink refill"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["black ink refill"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXJMFC7", "worker_id": "A345TDMHP3DQ3G"}], "B09R25LLRY": [{"asin": "B09R25LLRY", "instruction": "i'm looking for a black short-sleeve men's v-neck shirt that i can wear to the gym for my workouts. it would be great if the size were a medium.", "attributes": ["slim fit", "wash cold", "hand wash", "machine wash", "long sleeve", "short sleeve", "polyester cotton", "elastic waistband", "gym workout", "daily wear"], "options": ["color: black", "color: gray", "color: khaki", "size: xx-large", "size: medium", "size: small"], "instruction_attributes": ["short sleeve", "gym workout"], "instruction_options": ["black", "medium"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KZFLJU", "worker_id": "A345TDMHP3DQ3G"}], "B08SCGJKVW": [{"asin": "B08SCGJKVW", "instruction": "i'm looking for a pack of gluten free cocoa vanilla bunny-shaped cookies.", "attributes": ["gluten free", "high fructose", "artificial flavors"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VWJ06V", "worker_id": "A39SK1E6IMQBD5"}], "B01FNB7CVA": [{"asin": "B01FNB7CVA", "instruction": "i need a long sleeve men's chef coat with button closure in size 3x-large. i want a white one.", "attributes": ["machine wash", "long sleeve", "button closure"], "options": ["size: small", "size: 4x-large", "size: 3x-large", "color: black", "color: white"], "instruction_attributes": ["long sleeve", "button closure"], "instruction_options": ["3x-large", "white"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJKD5J3V", "worker_id": "A1CB72B51L7TKE"}], "B09PQFMFB2": [{"asin": "B09PQFMFB2", "instruction": "i want some puffed snacks that are both gluten and fat free.", "attributes": ["gluten free", "fat free", "kosher certified"], "options": [""], "instruction_attributes": ["gluten free", "fat free"], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZQRRP7", "worker_id": "A3AJJHOAV7WIUQ"}], "B09P7Z7VCD": [{"asin": "B09P7Z7VCD", "instruction": "please buy an office desk chair with lumbar support in green.", "attributes": ["non slip", "high density", "lumbar support"], "options": ["color: pink", "color: yellow", "color: green"], "instruction_attributes": ["lumbar support"], "instruction_options": ["green"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0SCA110", "worker_id": "AR9AU5FY1S3RO"}], "B09CN417QQ": [{"asin": "B09CN417QQ", "instruction": "i want to find cruelty free organic lip balm that's made with natural ingredients.", "attributes": ["oil free", "cruelty free", "natural ingredients"], "options": [""], "instruction_attributes": ["cruelty free", "natural ingredients"], "instruction_options": [], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPL5KTF2", "worker_id": "A345TDMHP3DQ3G"}], "B0073DOPOO": [{"asin": "B0073DOPOO", "instruction": "i need a pair of lightweight flip flops in a size 5 or 6 that have a rubber sole.", "attributes": ["light weight", "rubber sole"], "options": ["size: 5", "size: 6"], "instruction_attributes": ["light weight", "rubber sole"], "instruction_options": ["5", "6"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCHO0D3", "worker_id": "AFU00NU09CFXE"}], "B002UDITGM": [{"asin": "B002UDITGM", "instruction": "i'm looking for an 11 ounce bag of caffeine-free, acid-free, prebiotic chicory coffee alternative. also, include vanilla nut flavor. additionally, include medium roast.", "attributes": ["caffeine free", "non gmo", "artificial flavors"], "options": [""], "instruction_attributes": ["caffeine free", "artificial flavors"], "instruction_options": [], "assignment_id": "3BDCF01OG848Z52CW1U26DVOX35LY5", "worker_id": "AENE0ASEDKQB3"}], "B087BPKHSD": [{"asin": "B087BPKHSD", "instruction": "i am looking for a small padded bench, preferably easy to assemble and in beige, please.", "attributes": ["easy assemble", "memory foam", "living room"], "options": ["color: 1 seat beige", "color: 3 seat beige-18.5\u201ch", "color: 3 seat grey-18.5\u201ch"], "instruction_attributes": ["easy assemble"], "instruction_options": ["1 seat beige"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49SSTDF", "worker_id": "A1WAWEY2810TFN"}], "B07JJFVLBR": [{"asin": "B07JJFVLBR", "instruction": "help me find some clogs in size 9.5 made of ethylene vinyl.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["size: 8", "size: 9.5", "size: 10"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["9.5"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCH1L0JH", "worker_id": "A3AJJHOAV7WIUQ"}], "B09KBYJKXD": [{"asin": "B09KBYJKXD", "instruction": "go ahead and find me a dining room sideboard table that has a bottom shelf. it needs to be easy to assemble.", "attributes": ["easy assemble", "dining room"], "options": [""], "instruction_attributes": ["easy assemble", "dining room"], "instruction_options": [], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPU3NJM", "worker_id": "A345TDMHP3DQ3G"}], "B09NVYC1MX": [{"asin": "B09NVYC1MX", "instruction": "i'm looking for an easily assembled and cleaned storage chest for my shoes that would fit well in my living room.", "attributes": ["long lasting", "easy clean", "easy assemble", "faux leather", "storage space", "living room"], "options": [""], "instruction_attributes": ["easy clean", "easy assemble", "living room"], "instruction_options": [], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7T15NB", "worker_id": "A2JP9IKRHNLRPI"}], "B09PNJ73YZ": [{"asin": "B09PNJ73YZ", "instruction": "i want to buy a navy blue casual short-sleeve t-shirt. it should have an ombre gradient on it, and i'll need a medium.", "attributes": ["slim fit", "long sleeve", "short sleeve"], "options": ["size: xx-large", "size: 3x-large", "size: medium", "color: orange", "color: navy", "color: blue"], "instruction_attributes": ["short sleeve"], "instruction_options": ["medium", "navy"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVZYJKD", "worker_id": "A345TDMHP3DQ3G"}], "B08RF3JJ85": [{"asin": "B08RF3JJ85", "instruction": "i want to find a mirrorless digital camera that produces high resolution photos, and comes with a color filter kit.", "attributes": ["ultra hd", "high resolution", "high performance", "high speed"], "options": [""], "instruction_attributes": ["high resolution"], "instruction_options": [], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXM04WMS", "worker_id": "A345TDMHP3DQ3G"}], "B00PGOBWPW": [{"asin": "B00PGOBWPW", "instruction": "can you find a seed oil based face wash that is cruelty free with no fragrance and good for sensitive skin?", "attributes": ["fragrance free", "paraben free", "cruelty free", "seed oil", "sensitive skin"], "options": [""], "instruction_attributes": ["fragrance free", "cruelty free", "seed oil", "sensitive skin"], "instruction_options": [], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNR86JXV", "worker_id": "A3AJJHOAV7WIUQ"}], "B09CT2QY8L": [{"asin": "B09CT2QY8L", "instruction": "find a hanging pendant light fixture for my living room with a plug-in cord. it should have a diamond lampshade along with hemp rope.", "attributes": ["pendant light", "light fixture", "dining room", "living room"], "options": ["size: diamond lampshade with hemp rope", "size: metal cage lampshade with hemp rope"], "instruction_attributes": ["pendant light", "light fixture", "living room"], "instruction_options": [], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANRSSXT", "worker_id": "A345TDMHP3DQ3G"}], "B07TZW2XFL": [{"asin": "B07TZW2XFL", "instruction": "i'd like to find a large brown ottoman for my living room that's easy to spot clean.", "attributes": ["spot clean", "living room"], "options": [""], "instruction_attributes": ["spot clean", "living room"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30U520YJ", "worker_id": "A345TDMHP3DQ3G"}], "B09P137JZR": [{"asin": "B09P137JZR", "instruction": "help me find an electric razor for men that's easy to clean with a digital display.", "attributes": ["high quality", "easy clean", "long lasting"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANRSXSY", "worker_id": "A345TDMHP3DQ3G"}], "B09PDCNCPM": [{"asin": "B09PDCNCPM", "instruction": "i'm looking for a long sleeve green or yellow plaid shirt with button closure in a size medium.", "attributes": ["long sleeve", "button closure", "daily wear"], "options": ["color: green", "color: yellow", "size: large", "size: small", "size: medium"], "instruction_attributes": ["long sleeve", "button closure"], "instruction_options": ["green", "yellow", "medium"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADTSWVL", "worker_id": "AFU00NU09CFXE"}], "B086GF7VWJ": [{"asin": "B086GF7VWJ", "instruction": "i'm looking for a dust brush that i can use for my nail art which is easy to use and clean.", "attributes": ["easy clean", "easy use", "nail art"], "options": [""], "instruction_attributes": ["easy clean", "easy use", "nail art"], "instruction_options": [], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEY7T36H", "worker_id": "A345TDMHP3DQ3G"}], "B08PZ47C1R": [{"asin": "B08PZ47C1R", "instruction": "i'm looking for a record player and stereo speaker that is not only high power, but also high performance. i don't have a preference for the color.", "attributes": ["high power", "high performance"], "options": [""], "instruction_attributes": ["high power", "high performance"], "instruction_options": [], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUU2R3Y", "worker_id": "A345TDMHP3DQ3G"}], "B09PCY5H8N": [{"asin": "B09PCY5H8N", "instruction": "i'd love to find a compact magnified mirror that's easy to carry and travel sized.", "attributes": ["travel size", "easy carry"], "options": [""], "instruction_attributes": ["travel size", "easy carry"], "instruction_options": [], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI3L4BDJ", "worker_id": "A345TDMHP3DQ3G"}], "B092VWYQKC": [{"asin": "B092VWYQKC", "instruction": "help me find a small console table for my living room. a wall mounted one will be great.", "attributes": ["wall mounted", "space saving", "living room"], "options": [""], "instruction_attributes": ["wall mounted", "living room"], "instruction_options": [], "assignment_id": "37C0GNLMHQDNI94ED11M493QPKLD6S", "worker_id": "A16184N1RO5OJV"}], "B09HXRFYP7": [{"asin": "B09HXRFYP7", "instruction": "l am looking for a pair of non-slip, rubber-soled black shoes in a size 8.5.", "attributes": ["non slip", "rubber sole"], "options": ["size: 7", "size: 8.5", "size: 9", "color: beige", "color: black", "color: green"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["8.5", "black"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRYJF9Q", "worker_id": "AFU00NU09CFXE"}], "B07VNGN9HG": [{"asin": "B07VNGN9HG", "instruction": "i'm trying to find an extra large men's tank top with a classic fit. it needs to be sapphire colored and say \"i play bocce & i know things\" on it.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "color: heather grey", "color: sapphire", "color: neon pink", "size: medium", "size: x-large", "size: xx-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["men", "sapphire", "x-large"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPSDH9GH", "worker_id": "A345TDMHP3DQ3G"}], "B09GT8JY8H": [{"asin": "B09GT8JY8H", "instruction": "i'm looking for a freeze-dried fruit snacks that are sugar - and gluten-free.", "attributes": ["freeze dried", "sugar free", "gluten free"], "options": [""], "instruction_attributes": ["freeze dried", "sugar free", "gluten free"], "instruction_options": [], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VT42XWR", "worker_id": "AFU00NU09CFXE"}], "B06XQ6SHT6": [{"asin": "B06XQ6SHT6", "instruction": "i'm hoping to buy a pair of men's slip-on penny loafers with rubber soles. find a pair for me that's black in size 8.", "attributes": ["memory foam", "rubber sole"], "options": ["size: 12", "size: 8", "size: 13", "color: black", "color: cognac"], "instruction_attributes": ["rubber sole"], "instruction_options": ["8", "black"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUOEDZF", "worker_id": "A345TDMHP3DQ3G"}], "B08ZM5BJNX": [{"asin": "B08ZM5BJNX", "instruction": "i'd like a twin-pack of gold wall sconces that i can put in my living room hallways. they should have clear glass shades.", "attributes": ["easy install", "clear glass", "glass shade", "light fixture", "living room"], "options": ["size: 2 pack", "size: 1 pack", "size: 2-light"], "instruction_attributes": ["clear glass", "glass shade", "living room"], "instruction_options": ["2 pack"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39SCEGMD", "worker_id": "A345TDMHP3DQ3G"}], "B08N476LRT": [{"asin": "B08N476LRT", "instruction": "i'd like to find a desk for my home office that i can use for my computer. it should be easy to assemble and i'd like something in white.", "attributes": ["white item", "easy assemble", "living room"], "options": [""], "instruction_attributes": ["white item", "easy assemble"], "instruction_options": [], "assignment_id": "33TIN5LC0FKDY31374RC144TX9T9Y1", "worker_id": "A345TDMHP3DQ3G"}], "B09LH9DCQK": [{"asin": "B09LH9DCQK", "instruction": "i'm interested in a blue or gray high performance tablet that offers fast charging capabilities.", "attributes": ["high performance", "high definition", "fast charging"], "options": ["color: blue", "color: gray", "color: orange"], "instruction_attributes": ["high performance", "fast charging"], "instruction_options": ["blue", "gray"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1MK1GT5", "worker_id": "AFU00NU09CFXE"}], "B09MTJ92V2": [{"asin": "B09MTJ92V2", "instruction": "give me a slim fit machine washable blazer that is gold.", "attributes": ["light weight", "loose fit", "wash cold", "slim fit", "machine wash", "short sleeve", "long sleeve", "daily wear"], "options": ["color: black", "color: gold", "color: silver", "size: x-large", "size: large", "size: xx-large"], "instruction_attributes": ["slim fit", "machine wash"], "instruction_options": ["gold"], "assignment_id": "37C0GNLMHQDNI94ED11M493QPKAD6H", "worker_id": "A3AJJHOAV7WIUQ"}], "B07KFYCK4F": [{"asin": "B07KFYCK4F", "instruction": "i'm looking for an officially licensed youth t-shirt featuring russell and carl from pixar's movie up. it should be extra-small and ideally come in baby blue.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "fit type: youth", "color: grass", "color: silver", "color: baby blue", "size: 3t", "size: x-small", "size: medium"], "instruction_attributes": ["officially licensed"], "instruction_options": ["youth", "baby blue", "x-small"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6VAU7S", "worker_id": "A345TDMHP3DQ3G"}], "B09S9X3MZG": [{"asin": "B09S9X3MZG", "instruction": "i'm looking for a slim-fitting women's button-up henley. it should be large and ideally the color will be army green.", "attributes": ["slim fit", "hand wash", "long sleeve", "stretch fabric", "memory foam", "polyester spandex", "short sleeve", "daily wear"], "options": ["color: caishen-a132-blue", "color: caishen-a129-army green", "color: caishen-a143-orange", "size: xx-large", "size: large", "size: x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["caishen-a129-army green", "large"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTJKLNY", "worker_id": "A345TDMHP3DQ3G"}], "B09KGW43WR": [{"asin": "B09KGW43WR", "instruction": "i'm in need of a four-piece set of christmas coasters with non-slip technology.", "attributes": ["non slip", "long lasting", "printing technology"], "options": ["size: 8-piece set", "size: 6-piece set+holder", "size: 4-piece set"], "instruction_attributes": ["non slip"], "instruction_options": ["4-piece set"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4O28LE", "worker_id": "A2JP9IKRHNLRPI"}], "B0978KR99V": [{"asin": "B0978KR99V", "instruction": "i'm looking for a white, twin sized bed frame which will allow me to save space in my child's bedroom.", "attributes": ["twin size", "space saving", "white item"], "options": ["color: grey", "color: white"], "instruction_attributes": ["twin size", "space saving"], "instruction_options": ["white"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTYGO6O", "worker_id": "A2JP9IKRHNLRPI"}], "B075M6GJC7": [{"asin": "B075M6GJC7", "instruction": "i want to find 16x16 inch decorative pillows that i can put in my living room, ideally with the color that is 05 red.", "attributes": ["machine washable", "living room"], "options": ["size: 1 count (pack of 1)", "size: 16x16 inches", "color: #pattern 30", "color: #pattern 05", "color: #pattern 17"], "instruction_attributes": [], "instruction_options": ["16x16 inches", "#pattern 05"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FYKBFU", "worker_id": "A345TDMHP3DQ3G"}], "B09J8YN9N7": [{"asin": "B09J8YN9N7", "instruction": "i want to find a pink women's quilted puffy vest that i can machine wash. the size needs to be extra large.", "attributes": ["loose fit", "hand wash", "machine wash", "long sleeve", "faux fur", "elastic waist", "polyester spandex", "teen girls"], "options": ["color: green", "color: pink", "color: white", "size: 3x-large", "size: x-large", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["pink", "x-large"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6S6DUDL", "worker_id": "A345TDMHP3DQ3G"}], "B093R27X9G": [{"asin": "B093R27X9G", "instruction": "i'm looking for an officially licensed minecraft alex with bow taking aim tshirt in youth size and heather grey color", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "fit type: youth", "color: kelly green", "color: heather grey", "color: purple", "size: 4t", "size: 3x-large", "size: 3t"], "instruction_attributes": ["officially licensed"], "instruction_options": ["youth", "heather grey"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFWTMEW", "worker_id": "A28BSMU0QCS69S"}], "B09GTWJS8X": [{"asin": "B09GTWJS8X", "instruction": "help me find a standing four-tiered baker's rack that's heavy duty.", "attributes": ["heavy duty", "living room"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "39O5D9O8742EGYBIU38DD09OUT43C9", "worker_id": "A345TDMHP3DQ3G"}], "B093SY1VL3": [{"asin": "B093SY1VL3", "instruction": "find me a set of cute mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401KKMUA", "worker_id": "A3AJJHOAV7WIUQ"}], "B09SHQXRK6": [{"asin": "B09SHQXRK6", "instruction": "i need a long sleeve button up shirt that has a casual style and slim fit.", "attributes": ["hand wash", "water resistant", "easy care", "daily casual", "fleece lined", "loose fit", "wash cold", "slim fit", "machine wash", "long sleeve", "short sleeve", "drawstring waist", "faux fur", "regular fit", "star wars"], "options": ["size: x-large", "size: large", "size: medium", "color: army green", "color: navy", "color: white"], "instruction_attributes": ["daily casual", "slim fit", "long sleeve"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZUYK9V", "worker_id": "A2RBF3IIJP15IH"}], "B001E6GFR6": [{"asin": "B001E6GFR6", "instruction": "i'm looking for healthy granola bars that lack artificial coloring, flavoring and don't include high fructose corn syrup as an ingredient.", "attributes": ["artificial colors", "high fructose", "artificial flavors"], "options": [""], "instruction_attributes": ["artificial colors", "high fructose", "artificial flavors"], "instruction_options": [], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPAWXTD", "worker_id": "A2JP9IKRHNLRPI"}], "B09NV9PTBZ": [{"asin": "B09NV9PTBZ", "instruction": "i want to find a pair of brown loose-fitting men's pants in a medium size.", "attributes": ["easy care", "fleece lined", "machine washable", "loose fit", "machine wash", "drawstring closure"], "options": ["size: medium", "size: x-large", "size: xx-large", "color: brown", "color: khaki", "color: green"], "instruction_attributes": ["loose fit"], "instruction_options": ["medium", "brown"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQQ3HHF", "worker_id": "A345TDMHP3DQ3G"}], "B01GRQLS38": [{"asin": "B01GRQLS38", "instruction": "would you get me a work polo, has to have buttons, preferably orange and a medium.", "attributes": ["machine wash", "button closure"], "options": ["size: xx-large", "size: small", "size: medium", "color: black", "color: yelow", "color: orang"], "instruction_attributes": ["button closure"], "instruction_options": ["medium", "orang"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VT4HWX5", "worker_id": "A3O1I9MATO3ZZN"}], "B08PJ5LMXM": [{"asin": "B08PJ5LMXM", "instruction": "i need to buy women's leggings for yoga. i need slim fit with tummy control in a large size.", "attributes": ["slim fit", "tummy control", "polyester spandex"], "options": ["size: large", "size: 4x-large", "size: xx-large"], "instruction_attributes": ["slim fit", "tummy control"], "instruction_options": ["large"], "assignment_id": "3BEFOD78WH3C7G6D767AQ16627W4M5", "worker_id": "AXIH2UZ6NNMRE"}], "B08NP71DGW": [{"asin": "B08NP71DGW", "instruction": "what is a simulated camera that takes aaa batteries?", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTPZD51", "worker_id": "A3AJJHOAV7WIUQ"}], "B08C9S7K81": [{"asin": "B08C9S7K81", "instruction": "i need help finding a twin set of gold coffee tables that's easy to clean.", "attributes": ["assembly required", "easy clean"], "options": ["color: gold-set of 2", "color: black", "color: glass top"], "instruction_attributes": ["easy clean"], "instruction_options": ["gold-set of 2"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79UQQKB", "worker_id": "A345TDMHP3DQ3G"}], "B09PR9WQLZ": [{"asin": "B09PR9WQLZ", "instruction": "i want to find a long-sleeve sweatshirt that features the charlie vaggie anime character on it.", "attributes": ["wash cold", "long sleeve"], "options": [""], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGVLW2Z", "worker_id": "A345TDMHP3DQ3G"}], "B08LG89H3J": [{"asin": "B08LG89H3J", "instruction": "order a round black side table with storage space.", "attributes": ["easy clean", "storage space"], "options": ["size: round", "size: square", "style: beige", "style: black", "style: white"], "instruction_attributes": ["storage space"], "instruction_options": ["round", "black"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCH14J0J", "worker_id": "AR9AU5FY1S3RO"}], "B07KDX6TJN": [{"asin": "B07KDX6TJN", "instruction": "i'm hoping to find a twin pack of hydrating body lotion that's cruelty free and certified organic.", "attributes": ["certified organic", "plant based", "cruelty free"], "options": [""], "instruction_attributes": ["certified organic", "cruelty free"], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHL2E1K", "worker_id": "A345TDMHP3DQ3G"}], "B07ZBS2W4V": [{"asin": "B07ZBS2W4V", "instruction": "find me a classic-fitting women's tank top in navy that says \"why yes they're real boobs\" on it.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "color: dark heather", "color: neon pink", "color: navy", "size: medium", "size: x-large", "size: xx-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["women", "navy"], "assignment_id": "31JLPPHS254FPN8LK8H48035J7MO3Q", "worker_id": "A345TDMHP3DQ3G"}], "B09RH6LR1F": [{"asin": "B09RH6LR1F", "instruction": "i'm looking for a men's classic fit button-down shirt for special occasions.", "attributes": ["machine wash", "wash cold", "unique design", "classic fit", "tumble dry"], "options": [""], "instruction_attributes": ["classic fit"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLA4AV3", "worker_id": "A2JP9IKRHNLRPI"}], "B09QMN8742": [{"asin": "B09QMN8742", "instruction": "i'm hoping to find a pair of g-string thong underwear for men. ideally, the underwear will have a high waist, and i need it in a medium size.", "attributes": ["hand wash", "high waist", "daily wear"], "options": ["size: medium", "size: large", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["medium"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3RAYA4", "worker_id": "A345TDMHP3DQ3G"}], "B09QYRV21T": [{"asin": "B09QYRV21T", "instruction": "i'd like to find a twin sized bed with drawers for extra storage.", "attributes": ["twin size", "space saving", "storage space"], "options": [""], "instruction_attributes": ["twin size", "storage space"], "instruction_options": [], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RUGXLRA", "worker_id": "A345TDMHP3DQ3G"}], "B07WYDVDZ3": [{"asin": "B07WYDVDZ3", "instruction": "i want an easy to carry lighting background for my studio.", "attributes": ["light weight", "easy carry"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1T3SMPE", "worker_id": "A3AJJHOAV7WIUQ"}], "B004K40ZYS": [{"asin": "B004K40ZYS", "instruction": "i'm looking for a provocative set of small women's polyester spandex.", "attributes": ["hand wash", "quality materials", "polyester spandex"], "options": ["size: small", "size: medium", "size: large"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["small"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPXKSYX", "worker_id": "A345TDMHP3DQ3G"}], "B08FDNRDYH": [{"asin": "B08FDNRDYH", "instruction": "i'm looking for an ornament sculpted from iron of a mother and child that i can put in my living room.", "attributes": ["living room", "dining room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDZOHRZ", "worker_id": "A345TDMHP3DQ3G"}], "B08W1Y9PJ7": [{"asin": "B08W1Y9PJ7", "instruction": "i need a plug and play high definition video converter.", "attributes": ["plug play", "high definition"], "options": [""], "instruction_attributes": ["plug play", "high definition"], "instruction_options": [], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSK11EPH", "worker_id": "A3AJJHOAV7WIUQ"}], "B09NGWXMDQ": [{"asin": "B09NGWXMDQ", "instruction": "i'm looking for a silicone band compatible with my apple watch that's 40 mm and white.", "attributes": ["compatible apple", "quick release", "easy install", "stainless steel"], "options": ["size: 38 | 40 | 41mm", "size: 42 | 44 | 45mm", "color: sand pink | light blue | stone", "color: light blue | stone | light green", "color: white | stone | sand pink"], "instruction_attributes": ["compatible apple"], "instruction_options": ["38 | 40 | 41mm", "white | stone | sand pink"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL614EZW4", "worker_id": "A39SK1E6IMQBD5"}, {"asin": "B09NGWXMDQ", "instruction": "i want to find 38 millimeter silicone bands that are compatible with my apple watch. the bands can be either dark green, black, or olive green.", "attributes": ["compatible apple", "quick release", "easy install", "stainless steel"], "options": ["color: dark green | black | olive green", "size: 38 | 40 | 41mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["dark green | black | olive green", "38 | 40 | 41mm"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7X7YQY", "worker_id": "A345TDMHP3DQ3G"}], "B09FZ7RDZ2": [{"asin": "B09FZ7RDZ2", "instruction": "i want to find a blue bedside table unit that comes with extra shelf storage space.", "attributes": ["steel frame", "storage space"], "options": ["color: white", "color: green", "color: blue"], "instruction_attributes": ["storage space"], "instruction_options": ["blue"], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTD236ZS", "worker_id": "A345TDMHP3DQ3G"}], "B07FYWZZRM": [{"asin": "B07FYWZZRM", "instruction": "help me locate a pair of women's angelfish stripe boat shoes with rubber soles in a size 6.", "attributes": ["arch support", "memory foam", "rubber sole"], "options": ["size: 5.5", "size: 6", "size: 5", "color: navy | red", "color: navy"], "instruction_attributes": ["rubber sole"], "instruction_options": ["6"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8COSSJ", "worker_id": "A345TDMHP3DQ3G"}], "B082WSKPKR": [{"asin": "B082WSKPKR", "instruction": "i'm hoping to buy a medium pair of women's cropped jeans with an elastic waist for everyday wear.", "attributes": ["machine wash", "wash cold", "hand wash", "elastic waist", "relaxed fit", "short sleeve", "everyday wear"], "options": ["size: 3x-large", "size: medium", "size: xx-large"], "instruction_attributes": ["elastic waist", "everyday wear"], "instruction_options": ["medium"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTYBPLO", "worker_id": "A345TDMHP3DQ3G"}], "B07942XCKN": [{"asin": "B07942XCKN", "instruction": "i'm looking for a men's slip-on in a size 10 that has a rubber sole.", "attributes": ["rubber outsole", "rubber sole"], "options": ["size: 11.5", "size: 10", "size: 9.5", "color: fox | bone", "color: kona coffee | tapa"], "instruction_attributes": ["rubber sole"], "instruction_options": ["10"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPSPVQU", "worker_id": "A2JP9IKRHNLRPI"}], "B09CKY4TGN": [{"asin": "B09CKY4TGN", "instruction": "i'm looking to buy a large adjustable blue bathrobe towel wrap that's good for drying hair after a shower.", "attributes": ["easy clean", "dry hair"], "options": [""], "instruction_attributes": ["dry hair"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3U4Q6J7", "worker_id": "ALDKDKRBR4LXD"}], "B098XJ3XLC": [{"asin": "B098XJ3XLC", "instruction": "find me a navy blue wooden sideboard storage cabinet that comes with a height-adjustable shelf.", "attributes": ["height adjustable", "wood frame", "storage space", "living room"], "options": ["color: brown", "color: grey", "color: navy blue"], "instruction_attributes": ["height adjustable", "wood frame", "storage space"], "instruction_options": ["navy blue"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB1F1ULN", "worker_id": "A345TDMHP3DQ3G"}], "B09NRLPG4Y": [{"asin": "B09NRLPG4Y", "instruction": "i am looking to buy a stainless steel mens hair trimmer", "attributes": ["high quality", "long lasting", "stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRSWP7L2", "worker_id": "A38C7CA3AYLO1"}], "B08FSZLW8C": [{"asin": "B08FSZLW8C", "instruction": "i am in the need of an end table that has to be put together.", "attributes": ["assembly required", "home furnishings"], "options": [""], "instruction_attributes": ["assembly required"], "instruction_options": [], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLN1YO74", "worker_id": "A1MJVTR0PCKBWW"}], "B07MYYNDLN": [{"asin": "B07MYYNDLN", "instruction": "i'm looking for a women's swimsuit that is quick drying and size large and color black", "attributes": ["quick drying", "elastic waistband"], "options": ["size: small-medium", "size: large-x-large", "size: xx-large-3x-large", "color: 33-black-short", "color: 30-coral orange-middle", "color: 14-lilac-long"], "instruction_attributes": ["quick drying"], "instruction_options": ["large-x-large", "33-black-short"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMIXBGVY", "worker_id": "A1VMWZ4X201V7H"}], "B07YNFDGW4": [{"asin": "B07YNFDGW4", "instruction": "you are viewing one of the trendiest products vintage yellowstone national park wolf retro graphic art tank top for men black belong theme vintage yellowstone national park tank tops at printerval:", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "color: dark heather", "color: royal blue", "color: black", "size: large", "size: x-large", "size: xx-large"], "instruction_attributes": ["polyester heathers", "heathers cotton", "cotton heather", "needle sleeve"], "instruction_options": ["men", "women", "dark heather", "royal blue", "large", "x-large"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0U2FFGZ", "worker_id": "A1BUFDU8KZSXFU"}], "B07KWNMHZC": [{"asin": "B07KWNMHZC", "instruction": "i want a nesting table that will last a long time and is gray. it has to be small and space saving too.", "attributes": ["long lasting", "space saving"], "options": ["style: nesting coffee and end tables", "style: nesting tables", "color: graphite gray", "color: white marble"], "instruction_attributes": ["long lasting", "space saving"], "instruction_options": ["nesting tables", "graphite gray"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHODJDQU", "worker_id": "A1MJVTR0PCKBWW"}], "B08JJ2SD8N": [{"asin": "B08JJ2SD8N", "instruction": "i'm looking for blackout curtains for living room which should be thermal insulated. also, choose 52w*84l size mustard yellow one.", "attributes": ["spot clean", "living room"], "options": ["size: 52w x 84l", "size: 52w x 54l", "size: 52w x 63l", "color: greyish white", "color: mustard yellow", "color: navy blue"], "instruction_attributes": ["living room"], "instruction_options": ["52w x 84l", "mustard yellow"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C3ET0IL", "worker_id": "AR0VJ5XRG16UJ"}], "B094X12P3V": [{"asin": "B094X12P3V", "instruction": "i need a basketball of size 9. it needs to have a lace closure and and rubber sole and outsole.", "attributes": ["lace closure", "rubber outsole", "rubber sole"], "options": ["size: 9", "size: 14"], "instruction_attributes": ["lace closure", "rubber outsole", "rubber sole"], "instruction_options": ["9"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKOCQ8EWZ", "worker_id": "A1MJVTR0PCKBWW"}], "B09LYMKLDN": [{"asin": "B09LYMKLDN", "instruction": "i need a grey button down dhirt that is hand wash and has a longer sleeve.", "attributes": ["hand wash", "long sleeve"], "options": ["color: grey", "color: grey1", "size: x-large", "size: large", "size: medium"], "instruction_attributes": ["hand wash", "long sleeve"], "instruction_options": ["grey"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LURVJKT", "worker_id": "A1MJVTR0PCKBWW"}], "B075PFGT15": [{"asin": "B075PFGT15", "instruction": "show me an easy carry high definition body cam which can be used for spying or security.", "attributes": ["easy carry", "high speed", "high definition"], "options": [""], "instruction_attributes": ["easy carry", "high definition"], "instruction_options": [], "assignment_id": "3N1FSUEFLGA93M00UD877BJCSLX4DZ", "worker_id": "A3AYHESLQSDY5T"}], "B09FRJPSRV": [{"asin": "B09FRJPSRV", "instruction": "i need some cheese that is ready to eat and has good quality to it. an 8 pack that is individually wrapped is what i need.", "attributes": ["ready eat", "individually wrapped", "quality ingredients"], "options": ["size: 8 pack", "size: 4 pack", "size: 3 pack"], "instruction_attributes": ["ready eat", "individually wrapped", "quality ingredients"], "instruction_options": ["8 pack"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R0CCI2M", "worker_id": "A1MJVTR0PCKBWW"}, {"asin": "B09FRJPSRV", "instruction": "i want a 12-pack of bourbon gouda that's individually wrapped.", "attributes": ["ready eat", "individually wrapped", "quality ingredients"], "options": ["size: 12 pack"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["12 pack"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QVI70S", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09FRJPSRV", "instruction": "i am interested in buying cheese which is made of quality ingredients and comes in a pack of 12.", "attributes": ["ready eat", "individually wrapped", "quality ingredients"], "options": ["size: 12 pack"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["12 pack"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTY24EZ", "worker_id": "AJY5G987IRT25"}], "B09BCFH9ZK": [{"asin": "B09BCFH9ZK", "instruction": "i'm looking for machine wasable savannan burlap placemat with compatible table runner with dahlia flower print table set of 6 pcs. also choose color golden circlesan4455 with size 13x70inch+13x19inch*4.", "attributes": ["non slip", "machine washable"], "options": ["size: 13x70inch+13x19inch*6", "size: 13x70inch+13x19inch*4", "size: 16x72inch+13x19inch*4", "color: golden circlesan4455", "color: halloweensan4471", "color: christmassan6643"], "instruction_attributes": ["machine washable"], "instruction_options": ["golden circlesan4455"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGCQO5KH", "worker_id": "A1DRKZ3SCLAS4V"}], "B082RTMQF3": [{"asin": "B082RTMQF3", "instruction": "i need some serum that is for anti aging and doesn't have smell. cruelty free is necessary. i only need a 1 oz portion.", "attributes": ["anti aging", "fragrance free", "cruelty free", "hyaluronic acid", "fine lines", "dry skin"], "options": ["size: 1 fl oz (pack of 1)", "size: 2 fl oz (pack of 1)"], "instruction_attributes": ["anti aging", "fragrance free", "cruelty free"], "instruction_options": ["1 fl oz (pack of 1)"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEM4KOGA", "worker_id": "A1MJVTR0PCKBWW"}], "B09KJJCWZF": [{"asin": "B09KJJCWZF", "instruction": "i'm looking for a sturdy and solid dummy camera that's portable and made of stainless steel. also, choose the one that's easy to install.", "attributes": ["easy install", "stainless steel"], "options": [""], "instruction_attributes": ["easy install", "stainless steel"], "instruction_options": [], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUTCIMCO", "worker_id": "A1A3UNA5ZCTTVJ"}], "B0963K7YRQ": [{"asin": "B0963K7YRQ", "instruction": "i want buy a large wall mounted storage organizer basket .", "attributes": ["wall mounted", "living room"], "options": [""], "instruction_attributes": ["wall mounted"], "instruction_options": [], "assignment_id": "3I02618YABGH9HX5ESQKK9YV5HQPUN", "worker_id": "A3N9ZYQAESNFQH"}], "B08J5LMZB7": [{"asin": "B08J5LMZB7", "instruction": "i'm looking for 4g lte prepaid flip phone with quad core processor which should include sim card. also, choose color black", "attributes": ["quad core", "4g lte"], "options": [""], "instruction_attributes": ["quad core", "4g lte"], "instruction_options": [], "assignment_id": "3P59JYT76WU6HXHACPPYJ040BTQ2TL", "worker_id": "AR0VJ5XRG16UJ"}], "B085PYKR67": [{"asin": "B085PYKR67", "instruction": "i am looking for a black color tv stick remote that should be non slip and easy to install.", "attributes": ["non slip", "easy install"], "options": [""], "instruction_attributes": ["non slip", "easy install"], "instruction_options": [], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z3CWQCU", "worker_id": "A9ZM1P6LBW79"}], "B099JRSMCV": [{"asin": "B099JRSMCV", "instruction": "i need a hoodie with a loose fit. sky blue and large is preferred.", "attributes": ["loose fit", "long sleeve", "daily wear"], "options": ["color: 2 sky blue(runs small, order one size up)", "color: 2 black(runs small, order one size up)", "color: a sky blue", "size: large", "size: xx-large", "size: small"], "instruction_attributes": ["loose fit"], "instruction_options": ["a sky blue", "large"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23RZETQ0", "worker_id": "A1MJVTR0PCKBWW"}], "B071NW1J6P": [{"asin": "B071NW1J6P", "instruction": "i am looking for a lip plumper with cruelty free, also long lasting", "attributes": ["cruelty free", "long lasting", "hyaluronic acid"], "options": [""], "instruction_attributes": ["cruelty free", "long lasting"], "instruction_options": [], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDAIBHGK", "worker_id": "A2HMEGTAFO0CS8"}], "B09J1FK9HN": [{"asin": "B09J1FK9HN", "instruction": "i need a camera that is fast and has high definition capabilities", "attributes": ["high speed", "high definition"], "options": [""], "instruction_attributes": ["high speed", "high definition"], "instruction_options": [], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7RFVRWM", "worker_id": "A1MJVTR0PCKBWW"}], "B08YTY6B8J": [{"asin": "B08YTY6B8J", "instruction": "i am looking for a dental flosser that is eco friendly for my oral hygiene", "attributes": ["eco friendly", "oral hygiene"], "options": [""], "instruction_attributes": ["eco friendly", "oral hygiene"], "instruction_options": [], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCFFYSMI", "worker_id": "A1MJVTR0PCKBWW"}], "B09HX5CD2D": [{"asin": "B09HX5CD2D", "instruction": "i need some draw string shorts that are official cleveland university. the need to be small and charcoal along with being machine washable.", "attributes": ["officially licensed", "machine wash", "drawstring closure", "elastic waistband"], "options": ["color: heather charcoal", "color: heather grey", "size: small", "size: medium", "size: large"], "instruction_attributes": ["officially licensed", "machine wash", "drawstring closure"], "instruction_options": ["heather charcoal", "small"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXEOUMEG", "worker_id": "A1MJVTR0PCKBWW"}], "B09SHXFH3X": [{"asin": "B09SHXFH3X", "instruction": "i'm looking for high-waisted lace women's lingerie in red. choose the x-large size.", "attributes": ["elastic waist", "high waist"], "options": ["color: red", "color: black", "color: blue", "size: x-large", "size: medium", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": ["red", "x-large"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLRDDCWK", "worker_id": "A1B1J0BQ44ZV72"}], "B093TGY82Q": [{"asin": "B093TGY82Q", "instruction": "looking for a 2 pack of granola that is gluten free. it needs to be non gmo and shelf stable.", "attributes": ["shelf stable", "non gmo", "gluten free"], "options": ["size: 2 pack", "size: 3 pack", "size: 4 pack"], "instruction_attributes": ["shelf stable", "non gmo", "gluten free"], "instruction_options": ["2 pack"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OORNWFZ", "worker_id": "A1MJVTR0PCKBWW"}], "B09K41TKGS": [{"asin": "B09K41TKGS", "instruction": "i need something for hair growth.", "attributes": ["hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC4J8Z1R", "worker_id": "A1MJVTR0PCKBWW"}], "B081RDNB65": [{"asin": "B081RDNB65", "instruction": "i'm looking for high quality phone cord hair ties. also, choose size 18, matte color.", "attributes": ["easy carry", "high quality"], "options": ["size: 10", "size: 18", "color: matte dark", "color: noctilucent color", "color: matte color"], "instruction_attributes": ["high quality"], "instruction_options": ["18", "matte color"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MGZVBRAS", "worker_id": "A292TFDMNVS0TP"}], "B09327XGT6": [{"asin": "B09327XGT6", "instruction": "i am looking for a fast charging adapter with fast charging support in high speed", "attributes": ["fast charging", "high speed", "stainless steel"], "options": [""], "instruction_attributes": ["fast charging", "high speed"], "instruction_options": [], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A20C9THV", "worker_id": "A2HMEGTAFO0CS8"}], "B08FHMZHQ6": [{"asin": "B08FHMZHQ6", "instruction": "i'm looking for a scoop neck long sleeve medium size tunic top that's fit for everyday wear. also, choose the grey color one.", "attributes": ["hand wash", "machine wash", "polyester spandex", "long sleeve", "everyday wear"], "options": ["size: medium", "size: xx-large", "size: large", "color: b-black", "color: grey", "color: green printed"], "instruction_attributes": ["long sleeve", "everyday wear"], "instruction_options": ["medium", "grey"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK2G7N6N", "worker_id": "A258PTOZ3D2TQR"}], "B09RF4KJ1J": [{"asin": "B09RF4KJ1J", "instruction": "i need a bikini that is low rise and quick drying, in a size small", "attributes": ["low rise", "quick drying", "tummy control", "high waist", "polyester spandex", "short sleeve"], "options": ["size: small", "size: medium", "size: large", "color: a-blue", "color: black", "color: a-pink"], "instruction_attributes": ["low rise", "quick drying"], "instruction_options": ["small"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMKZSRDG", "worker_id": "A1MJVTR0PCKBWW"}], "B07MXP2ZBZ": [{"asin": "B07MXP2ZBZ", "instruction": "i am looking for a non toxic bag that has great quality to it, along with being for nail art.", "attributes": ["non toxic", "high quality", "nail art"], "options": [""], "instruction_attributes": ["non toxic", "high quality", "nail art"], "instruction_options": [], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVLS4XE1", "worker_id": "A1MJVTR0PCKBWW"}], "B09DBQ36P1": [{"asin": "B09DBQ36P1", "instruction": "i need a button down shirt that is slim fit and hand washable. the fabric needs to be stretch and be large and black.", "attributes": ["hand wash", "daily casual", "wash cold", "slim fit", "machine wash", "long sleeve", "stretch fabric", "regular fit"], "options": ["color: black", "color: navy", "color: wine", "size: large", "size: small", "size: x-large"], "instruction_attributes": ["hand wash", "slim fit", "stretch fabric"], "instruction_options": ["black", "large"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJXR8RGQ", "worker_id": "A1MJVTR0PCKBWW"}], "B085P21LC3": [{"asin": "B085P21LC3", "instruction": "i am looking for cruelty free long lasting lip lacquer with the color option moody.", "attributes": ["cruelty free", "long lasting"], "options": ["color: mauve glitz", "color: bubbles", "color: moody"], "instruction_attributes": ["cruelty free", "long lasting"], "instruction_options": ["moody"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A20C6HTG", "worker_id": "A3AYHESLQSDY5T"}], "B097RDQTGL": [{"asin": "B097RDQTGL", "instruction": "i need an easy to carry headset for audio.", "attributes": ["easy carry", "wireless bluetooth"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTYWX40F", "worker_id": "A1MJVTR0PCKBWW"}], "B096B813X6": [{"asin": "B096B813X6", "instruction": "i'm looking for sheer window covering rod pocket 2 panels for living room with size 52\" x 63\" inch. also choose the color plaid red black.", "attributes": ["super soft", "living room"], "options": ["size: 52 \" wide x 63\" long x 2 panels", "size: 52 \" wide x 72\" long x 2 panels", "size: 52 \" wide x 96\" long x 2 panels"], "instruction_attributes": ["living room"], "instruction_options": ["52 \" wide x 63\" long x 2 panels"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L83CTC6U", "worker_id": "A1DRKZ3SCLAS4V"}], "B096YHMGQ9": [{"asin": "B096YHMGQ9", "instruction": "looking for a beverage that is non alcoholic and low carb please.", "attributes": ["non alcoholic", "low carb"], "options": [""], "instruction_attributes": ["non alcoholic", "low carb"], "instruction_options": [], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT745ZATBL", "worker_id": "A1MJVTR0PCKBWW"}], "B008VCXOZM": [{"asin": "B008VCXOZM", "instruction": "i am in search of a cover-up that is easy to care for, machine washable and is quick drying. the waist needs to be elastic and of relaxed fit.", "attributes": ["easy care", "machine wash", "quick drying", "elastic waist", "relaxed fit"], "options": [""], "instruction_attributes": ["easy care", "machine wash", "quick drying", "elastic waist", "relaxed fit"], "instruction_options": [], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCGTOJ0M", "worker_id": "A1MJVTR0PCKBWW"}], "B09NVT21W2": [{"asin": "B09NVT21W2", "instruction": "i am looking for some pajamas that use good materials and has long sleeves. i will be wearing it daily and need a large size.", "attributes": ["quality materials", "long sleeve", "daily wear"], "options": ["color: d3-white", "color: a2-orange", "color: c2-hot pink", "size: 3x-large", "size: xx-large", "size: large"], "instruction_attributes": ["quality materials", "long sleeve", "daily wear"], "instruction_options": ["large"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILUJDSZW", "worker_id": "A1MJVTR0PCKBWW"}], "B09R3JPH1D": [{"asin": "B09R3JPH1D", "instruction": "looking for a white medium casual shirt. i am slim and it needs to be button down. long sleeves and machine washable needed as well.", "attributes": ["slim fit", "machine wash", "button closure", "long sleeve"], "options": ["size: medium", "size: x-large", "size: xx-large", "color: navy", "color: white"], "instruction_attributes": ["slim fit", "machine wash", "button closure", "long sleeve"], "instruction_options": ["medium", "white"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50P6NWGY", "worker_id": "A1MJVTR0PCKBWW"}], "B09HP4NVYG": [{"asin": "B09HP4NVYG", "instruction": "i'm looking for a pair of women's jeans in a size 33 regular which wash cold and dry clean.", "attributes": ["wash cold", "dry clean"], "options": ["size: 33 regular", "size: 27 regular", "size: 28 regular"], "instruction_attributes": ["wash cold", "dry clean"], "instruction_options": ["33 regular"], "assignment_id": "3J88R45B2R89QLR0JX174GXZZYYPX4", "worker_id": "A2JP9IKRHNLRPI"}], "B01EUZWTMW": [{"asin": "B01EUZWTMW", "instruction": "i am looking for a folding chair with steel frame. also with space saving.", "attributes": ["space saving", "coated steel", "contemporary design", "pu leather", "steel frame"], "options": [""], "instruction_attributes": ["space saving", "steel frame"], "instruction_options": [], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3PFHM1O", "worker_id": "A2HMEGTAFO0CS8"}], "B09JV9N6RS": [{"asin": "B09JV9N6RS", "instruction": "i'm looking for a pair of high quality, stainless steel nail clippers that also function as a pedicure tool.", "attributes": ["high quality", "stainless steel"], "options": [""], "instruction_attributes": ["high quality", "stainless steel"], "instruction_options": [], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YUNZQ01", "worker_id": "A2JP9IKRHNLRPI"}], "B096MPYVPT": [{"asin": "B096MPYVPT", "instruction": ": i'm looking for a funny dad beer tank top. also men's size large classic fit in royal blue,", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "color: purple", "color: sapphire", "color: royal blue", "size: x-large", "size: large", "size: xx-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["men", "royal blue", "large"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKIP2Z8Z", "worker_id": "A292TFDMNVS0TP"}], "B08PTQFM2V": [{"asin": "B08PTQFM2V", "instruction": "i am looking for a heavy duty spa bed made-up of stainless steel", "attributes": ["heavy duty", "stainless steel"], "options": [""], "instruction_attributes": ["heavy duty", "stainless steel"], "instruction_options": [], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLREWWCP", "worker_id": "A2HMEGTAFO0CS8"}], "B07D7J41W8": [{"asin": "B07D7J41W8", "instruction": "i need a woman's t-shirt that has a classic fit and a needle type sleeve.", "attributes": ["needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "color: heather grey", "color: dark heather", "color: black", "size: small", "size: x-large", "size: 3x-large"], "instruction_attributes": ["needle sleeve", "classic fit"], "instruction_options": ["women"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CKVXDAN", "worker_id": "A1MJVTR0PCKBWW"}], "B09MKGT2QN": [{"asin": "B09MKGT2QN", "instruction": "i am looking for a metal coat rack for my entryway. i need it to be heavy duty and i want it silver in color.", "attributes": ["heavy duty", "easy install", "easy clean"], "options": ["color: black", "color: silvery", "color: white"], "instruction_attributes": ["heavy duty"], "instruction_options": ["silvery"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0JRQJLM", "worker_id": "AZ8NBOTCBCLKG"}], "B075GWQL5Z": [{"asin": "B075GWQL5Z", "instruction": "i'm looking for a 4 pack of teeth whitening trays,bpa free, that comes with a free storage case.", "attributes": ["teeth whitening", "bpa free", "long lasting", "high quality", "storage case"], "options": [""], "instruction_attributes": ["teeth whitening", "storage case"], "instruction_options": [], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI610DSF", "worker_id": "A292TFDMNVS0TP"}], "B005B9LWV6": [{"asin": "B005B9LWV6", "instruction": "i am looking for a shoe with rubber sole and vinyl acetate also size 11.", "attributes": ["ethylene vinyl", "vinyl acetate", "rubber sole"], "options": ["size: 6", "size: 11"], "instruction_attributes": ["vinyl acetate", "rubber sole"], "instruction_options": ["11"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KCQ1RH3", "worker_id": "A2HMEGTAFO0CS8"}], "B09KYH4H84": [{"asin": "B09KYH4H84", "instruction": "i'm looking for a women soon to be dad pregnancy tank top with classic fit, needle sleeve, cotton heather and should be machine washable. also, choose medium size, royal blue", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "color: neon pink", "color: royal blue", "color: navy", "size: x-large", "size: medium", "size: small"], "instruction_attributes": ["machine wash", "cotton heather", "needle sleeve", "classic fit"], "instruction_options": ["women", "royal blue", "medium"], "assignment_id": "3VE8AYVF8X77K71YXMTACN226KB8FN", "worker_id": "AR0VJ5XRG16UJ"}], "B08Q9SCL49": [{"asin": "B08Q9SCL49", "instruction": "find me a high speed dual style package with 12\" power amplifier car subwoofer", "attributes": ["power amplifier", "high speed"], "options": ["style: dual 12\u201d with amplifier", "style: single 8\u201d with amplifier", "style: dual 10\u201d with amplifier"], "instruction_attributes": ["power amplifier", "high speed"], "instruction_options": ["dual 12\u201d with amplifier"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TK6LRV4", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B08Q9SCL49", "instruction": "i would like a single 15\" power amplifier car subwoofer/", "attributes": ["power amplifier", "high speed"], "options": ["style: single 15\u201d with amplifier"], "instruction_attributes": ["power amplifier"], "instruction_options": ["single 15\u201d with amplifier"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUTDAF1E", "worker_id": "A1WS884SI0SLO4"}], "B09QBSFFSL": [{"asin": "B09QBSFFSL", "instruction": "i am looking for a lace closure water booties & socks of red color.", "attributes": ["non slip", "hand wash", "lace closure"], "options": ["color: red", "size: 6"], "instruction_attributes": ["lace closure"], "instruction_options": ["red"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0TPARM", "worker_id": "A9QRQL9CFJBI7"}], "B07XF8M51P": [{"asin": "B07XF8M51P", "instruction": "i am looking for a letter y size monogram coaster set that fits for my living room . and i prefer the 22-lights color", "attributes": ["non slip", "living room"], "options": ["color: 22-lights", "size: letter y"], "instruction_attributes": ["living room"], "instruction_options": ["22-lights", "letter y"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6FLEV1", "worker_id": "A2COCSUGZV28X"}], "B08B3KGC31": [{"asin": "B08B3KGC31", "instruction": "i'm looking for the wall arts for hanging through the wall to the living room and dinning room.", "attributes": ["ready hang", "wood frame", "living room", "dining room"], "options": ["color: plum blossom 1", "size: 40x30in"], "instruction_attributes": ["living room", "dining room"], "instruction_options": ["plum blossom 1"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR49LUF4", "worker_id": "A16IQOX0DK14OJ"}], "B09HPX192V": [{"asin": "B09HPX192V", "instruction": "i am looking owl statue eco friendly soy wax jar candle color black", "attributes": ["eco friendly", "soy wax"], "options": ["color: black", "size: owl statue"], "instruction_attributes": ["eco friendly", "soy wax"], "instruction_options": ["black", "owl statue"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95SXQX6", "worker_id": "A3N9ZYQAESNFQH"}], "B00MQ9QVOM": [{"asin": "B00MQ9QVOM", "instruction": "i am looking for a super comfy x-large palazzo pants with elastic waist and wide legs.", "attributes": ["wide leg", "machine washable", "wash cold", "machine wash", "elastic waist", "tumble dry"], "options": ["color: heathergrey", "size: x-large"], "instruction_attributes": ["wide leg", "elastic waist"], "instruction_options": ["x-large"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBGDJDS", "worker_id": "A1V2JTEEBCXR20"}], "B07MTPV3GR": [{"asin": "B07MTPV3GR", "instruction": "i am looking for rose gold and phoenix colored makeup powder.", "attributes": ["cruelty free", "long lasting", "rose gold"], "options": ["color: phoenix (warm copper)"], "instruction_attributes": ["rose gold"], "instruction_options": ["phoenix (warm copper)"], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVY1UDIG", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07MTPV3GR", "instruction": "looking for highlighting makeup powder in the highlighting & luminizers section of beauty & personal care. long lasting, metallic shimmer, venus (pearlescent white.) made by aesthetica starlite", "attributes": ["cruelty free", "long lasting", "rose gold"], "options": ["color: venus (pearlescent white)"], "instruction_attributes": ["long lasting"], "instruction_options": ["venus (pearlescent white)"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVJ2Q0X", "worker_id": "A3RGIKEI8JS2QG"}], "B08QPRZ4HP": [{"asin": "B08QPRZ4HP", "instruction": "i am looking for a gluten free mixed nuts of all-in-one mix flavours", "attributes": ["kosher certified", "non gmo", "gluten free"], "options": ["flavor name: all-in-one mix", "size: 24 oz, 3 pouches (8 oz each)"], "instruction_attributes": ["gluten free"], "instruction_options": ["all-in-one mix"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7VPUCN", "worker_id": "A9QRQL9CFJBI7"}], "B08MBLRLZG": [{"asin": "B08MBLRLZG", "instruction": "i am looking for size: \u00f870cm | 28inch size tempered glass lazy susans", "attributes": ["easy clean", "tempered glass"], "options": ["size: \u00f870cm | 28inch"], "instruction_attributes": ["tempered glass"], "instruction_options": ["\u00f870cm | 28inch"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCTW652", "worker_id": "A9QRQL9CFJBI7"}], "B07Q2SQR8V": [{"asin": "B07Q2SQR8V", "instruction": "earphone earbuds comfortable ear noise cancelling with mic", "attributes": ["noise cancelling", "aluminum alloy"], "options": ["color: purple", "style: with mic"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["with mic"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQA7N03", "worker_id": "A10OGH5CQBXL5N"}], "B09PJY11X3": [{"asin": "B09PJY11X3", "instruction": "i need a gift basket with milk chocolate covered peanuts", "attributes": ["sugar free", "chocolate covered", "low carb", "keto friendly", "gift basket"], "options": ["flavor name: milk chocolate covered peanuts"], "instruction_attributes": ["gift basket"], "instruction_options": ["milk chocolate covered peanuts"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TYSSUW", "worker_id": "ASWFLI3N8X72G"}], "B09PVF9VXP": [{"asin": "B09PVF9VXP", "instruction": "i'm looking for a men's slim fit athletic long sleeve shirts with printed graphic tees top by jspoyou .", "attributes": ["slim fit", "moisture wicking", "long sleeve", "short sleeve", "polyester cotton", "regular fit", "gym workout"], "options": ["color: b-black", "size: large"], "instruction_attributes": ["slim fit", "long sleeve"], "instruction_options": ["b-black", "large"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MK4LWJ", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07S4DVKZ3": [{"asin": "B07S4DVKZ3", "instruction": "i want long lasting king size headbord color : white queen wingback", "attributes": ["button tufted", "long lasting", "king size"], "options": ["color: white queen wingback", "size: queen | full wingback"], "instruction_attributes": ["long lasting", "king size"], "instruction_options": ["white queen wingback"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNSVJF3", "worker_id": "A3N9ZYQAESNFQH"}], "B09J8CDPWJ": [{"asin": "B09J8CDPWJ", "instruction": "i'm searching for cork base coaster for home living room - a set of 4 with cup holder", "attributes": ["easy clean", "living room"], "options": ["color: elephantcbu2422", "size: set of 4 with cup holder"], "instruction_attributes": ["living room"], "instruction_options": ["set of 4 with cup holder"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1AMI2T", "worker_id": "A258PTOZ3D2TQR"}], "B007GBXMBA": [{"asin": "B007GBXMBA", "instruction": "i want a small dress shirt made of polyester cotton. it should be navy in color.", "attributes": ["machine wash", "polyester cotton", "button closure"], "options": ["color: navy", "size: small"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["navy", "small"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662WCM4H", "worker_id": "A1NF6PELRKACS9"}], "B071ZZJ99N": [{"asin": "B071ZZJ99N", "instruction": "i am looking for a espresso color home office desks with steel frame.", "attributes": ["easy assemble", "coated steel", "steel frame"], "options": ["color: espresso"], "instruction_attributes": ["steel frame"], "instruction_options": ["espresso"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKLDVPR", "worker_id": "A9QRQL9CFJBI7"}], "B098QQGJ48": [{"asin": "B098QQGJ48", "instruction": "i am looking for a denim for daily wear , size 28.", "attributes": ["hand wash", "long lasting", "moisture wicking", "wash cold", "fashion design", "daily wear"], "options": ["color: light blue 2", "size: 28"], "instruction_attributes": ["daily wear"], "instruction_options": ["28"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBC8SON", "worker_id": "A9QRQL9CFJBI7"}], "B08QPHB6LC": [{"asin": "B08QPHB6LC", "instruction": "i am searching for an engorgement style breast mask suitable for dry skin.", "attributes": ["tea tree", "dry skin"], "options": ["style: engorgement"], "instruction_attributes": ["dry skin"], "instruction_options": ["engorgement"], "assignment_id": "3634BBTX0Z409DDB6851PCWGADVIFF", "worker_id": "A9ZM1P6LBW79"}], "B093GNXNX4": [{"asin": "B093GNXNX4", "instruction": "i am looking for cupcake toppers for baby shower birthday party. please choose pink color.", "attributes": ["baby shower", "cupcake picks", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["baby shower", "birthday party"], "instruction_options": ["pink"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4ZZ0HA", "worker_id": "A3FG5PQHG5AH3Y"}], "B09NYHLYN6": [{"asin": "B09NYHLYN6", "instruction": "i need pink tennis shoes for my daily wear. it should be a size 8.", "attributes": ["lace closure", "teen girls", "daily wear"], "options": ["color: z04-pink", "size: 8"], "instruction_attributes": ["daily wear"], "instruction_options": ["z04-pink", "8"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7XCLH6", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09NYHLYN6", "instruction": "i want size 8 aodong walking shoes for women with lace closure.", "attributes": ["lace closure", "teen girls", "daily wear"], "options": ["color: z04-pink", "size: 8"], "instruction_attributes": ["lace closure"], "instruction_options": ["8"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQKNJRN", "worker_id": "A2RBF3IIJP15IH"}], "B097442F4B": [{"asin": "B097442F4B", "instruction": "i am looking for blue color wireless charger", "attributes": ["heavy duty", "case cover", "wireless charging"], "options": ["color: purple marble"], "instruction_attributes": ["wireless charging"], "instruction_options": ["purple marble"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL6ACE1", "worker_id": "A16M39T60N60NO"}], "B081R2JC38": [{"asin": "B081R2JC38", "instruction": "i'm looking for wall mounted for furniture need to buy it.", "attributes": ["wall mounted", "storage space"], "options": [""], "instruction_attributes": ["wall mounted"], "instruction_options": [], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83KKIJQ", "worker_id": "A16IQOX0DK14OJ"}], "B07BCRWR2F": [{"asin": "B07BCRWR2F", "instruction": "i am looking a large pajama set machine wash cold wash relaxed fit color: with checker pant", "attributes": ["wash cold", "machine wash", "relaxed fit", "tumble dry"], "options": ["color: with checker pant", "size: large"], "instruction_attributes": ["wash cold", "machine wash", "relaxed fit"], "instruction_options": ["with checker pant", "large"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FD3K87", "worker_id": "A3N9ZYQAESNFQH"}], "B01M4IJHRC": [{"asin": "B01M4IJHRC", "instruction": "i am looking for a 9 ft. x 12 ft area rugs for living room.", "attributes": ["spot clean", "living room"], "options": ["color: cool grey", "item shape: round", "size: 9 ft. x 12 ft."], "instruction_attributes": ["living room"], "instruction_options": ["9 ft. x 12 ft."], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3G4YAC", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01M4IJHRC", "instruction": "i would like a 8 ft. by 10 ft. chocolate brown runner rug for my living room.", "attributes": ["spot clean", "living room"], "options": ["color: a chocolate", "item shape: runner", "size: 8 ft. x 10 ft."], "instruction_attributes": ["living room"], "instruction_options": ["a chocolate", "runner", "8 ft. x 10 ft."], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKX4NDG", "worker_id": "A1WS884SI0SLO4"}], "B07XR88QNL": [{"asin": "B07XR88QNL", "instruction": "i am looking for a rose gold high quality oral care", "attributes": ["easy use", "high quality", "rose gold"], "options": ["color: rose gold"], "instruction_attributes": ["high quality"], "instruction_options": ["rose gold"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L9CREP", "worker_id": "A9QRQL9CFJBI7"}], "B07G81QFKG": [{"asin": "B07G81QFKG", "instruction": "i want a easy care hair styling irons straighteners", "attributes": ["easy carry", "hair styling"], "options": [""], "instruction_attributes": ["easy carry", "hair styling"], "instruction_options": [], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPAGCO9", "worker_id": "A3N9ZYQAESNFQH"}], "B09FG22K7Z": [{"asin": "B09FG22K7Z", "instruction": "i'm looking for oral hygiene to prevent the dental care problems.", "attributes": ["eco friendly", "easy carry", "oral hygiene"], "options": [""], "instruction_attributes": ["oral hygiene"], "instruction_options": [], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSI526V", "worker_id": "A16IQOX0DK14OJ"}], "B09HS8HG7H": [{"asin": "B09HS8HG7H", "instruction": "i'm looking for a foothill farms cream pie filling mix.", "attributes": ["ready use", "easy prepare"], "options": ["flavor name: whipped topping", "size: 13.05 ounce bag (pack of 12)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["whipped topping", "13.05 ounce bag (pack of 12)"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FNKFBC", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09R1KJYT5": [{"asin": "B09R1KJYT5", "instruction": "i am looking for a small size cotton heather tank top with classic fit which is machine washable. also choose the royal blue color.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: men", "size: small"], "instruction_attributes": ["machine wash", "cotton heather", "classic fit"], "instruction_options": ["royal blue", "small"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMMZMSRQ", "worker_id": "A1V2JTEEBCXR20"}], "B09MYZ4F19": [{"asin": "B09MYZ4F19", "instruction": "i would like a 64 gig ddr 4 ram laptop with a intel core.", "attributes": ["core i5", "intel core", "quad core"], "options": ["capacity: 64gb ddr4 ram, 2tb pcie ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["64gb ddr4 ram, 2tb pcie ssd"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVIB1PF", "worker_id": "A1WS884SI0SLO4"}], "B09B9YGLD7": [{"asin": "B09B9YGLD7", "instruction": "i would like some cake toppers for a baby shower.", "attributes": ["easy use", "birthday cake", "baby shower"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQB1N0Z", "worker_id": "A1WS884SI0SLO4"}], "B0891SD2JQ": [{"asin": "B0891SD2JQ", "instruction": "i am looking for a hair removal device for home use.", "attributes": ["hair removal", "permanent hair", "beauty salon"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2HRKFZ", "worker_id": "AJDQGOTMB2D80"}], "B0862MDKDW": [{"asin": "B0862MDKDW", "instruction": "i am looking for fragrance free eye cream effective for dark circle.", "attributes": ["fragrance free", "paraben free", "hyaluronic acid"], "options": ["color: dark c7-8"], "instruction_attributes": ["fragrance free"], "instruction_options": ["dark c7-8"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QVX707", "worker_id": "A3FG5PQHG5AH3Y"}], "B0948FKFNW": [{"asin": "B0948FKFNW", "instruction": "i am looking for a pink/blue switch gaming keyboard that is non-slip", "attributes": ["dust proof", "non slip", "plug play"], "options": ["color: pink | blue switch"], "instruction_attributes": ["non slip"], "instruction_options": ["pink | blue switch"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG1NGBD", "worker_id": "A22VGT2F28LTWC"}], "B082X1PDZK": [{"asin": "B082X1PDZK", "instruction": "i am looking for water resistant camera housing.", "attributes": ["water resistant", "stainless steel"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBBYOS7", "worker_id": "A3FG5PQHG5AH3Y"}], "B08P5SDYST": [{"asin": "B08P5SDYST", "instruction": "i am looking for a white moisture wicking briefs for men", "attributes": ["low rise", "moisture wicking"], "options": ["color: white", "size: medium"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["white"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKMHVPX", "worker_id": "A9QRQL9CFJBI7"}], "B09SG3LJLK": [{"asin": "B09SG3LJLK", "instruction": "i'm looking for a twin size bed that soft beds for bedroom.", "attributes": ["twin size", "space saving"], "options": [""], "instruction_attributes": ["twin size"], "instruction_options": [], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL23NS3", "worker_id": "A16IQOX0DK14OJ"}], "B000KOUGJ6": [{"asin": "B000KOUGJ6", "instruction": "i am looking for a pack of 3 long lasting champagne blonde hair dye.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 8.5a champagne blonde", "size: pack of 3"], "instruction_attributes": ["long lasting"], "instruction_options": ["8.5a champagne blonde", "pack of 3"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHRENV2J5", "worker_id": "A1EREKSZAA9V7B"}], "B0759WR4Y9": [{"asin": "B0759WR4Y9", "instruction": "i am looking for long lasting eyeliner in charcoal color", "attributes": ["highly pigmented", "cruelty free", "long lasting"], "options": ["color: continuous charcoal"], "instruction_attributes": ["long lasting"], "instruction_options": ["continuous charcoal"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQM731T", "worker_id": "A16M39T60N60NO"}], "B009B1LZBM": [{"asin": "B009B1LZBM", "instruction": "i am looking for a solid wood display & curio cabinets", "attributes": ["assembly required", "wood finish", "solid wood"], "options": [""], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJTVBXG", "worker_id": "A9QRQL9CFJBI7"}], "B09GR3H5Q6": [{"asin": "B09GR3H5Q6", "instruction": "i would like a versa3 furry beige black fitbit band that has a quick release.", "attributes": ["quick release", "easy install", "stainless steel"], "options": ["color: furry beige black", "size: versa3 | sense black adapters"], "instruction_attributes": ["quick release"], "instruction_options": ["furry beige black", "versa3 | sense black adapters"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66SHFZX", "worker_id": "A1WS884SI0SLO4"}], "B08HHRCV7H": [{"asin": "B08HHRCV7H", "instruction": "i'm looking for a easy to assemble dresser storage organizer with steel frame. also, choose small size black grey colored one.", "attributes": ["easy assemble", "steel frame"], "options": ["color: black grey", "size: small"], "instruction_attributes": ["easy assemble", "steel frame"], "instruction_options": ["black grey", "small"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNLRNT2", "worker_id": "AR0VJ5XRG16UJ"}], "B09B9ZVYV4": [{"asin": "B09B9ZVYV4", "instruction": "baggy jeans for women high waisted daily casuals in colour blue-6", "attributes": ["daily casual", "straight leg", "button closure", "high waist", "teen girls", "everyday wear"], "options": ["color: blue-6", "size: medium"], "instruction_attributes": ["daily casual", "high waist", "teen girls"], "instruction_options": ["blue-6"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788E65CQ", "worker_id": "A10OGH5CQBXL5N"}], "B07T59DKT9": [{"asin": "B07T59DKT9", "instruction": "i am looking for a 5 no. rubber sole of road running shoes", "attributes": ["slip resistant", "moisture wicking", "rubber outsole", "rubber sole"], "options": ["color: triple black-2021", "size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["5"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UG03A4", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07T59DKT9", "instruction": "i am looking for 9 size , true red color and rubber sole running shoes for men", "attributes": ["slip resistant", "moisture wicking", "rubber outsole", "rubber sole"], "options": ["color: true red", "size: 9"], "instruction_attributes": ["rubber sole"], "instruction_options": ["true red", "9"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3LQBVM", "worker_id": "A258PTOZ3D2TQR"}], "B08656N5YT": [{"asin": "B08656N5YT", "instruction": "i'm looking for a winsome element 2pc bar stool.", "attributes": ["assembly required", "white finish", "solid wood"], "options": [""], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57G3I9S", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09G2XJRGC": [{"asin": "B09G2XJRGC", "instruction": "i am looking for an easy to carry charger with wireless bluetooth features.", "attributes": ["output protection", "easy carry", "wireless bluetooth"], "options": [""], "instruction_attributes": ["easy carry", "wireless bluetooth"], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHAYE1U", "worker_id": "A1NF6PELRKACS9"}], "B0843J7ZP6": [{"asin": "B0843J7ZP6", "instruction": "i want to buy a faux fur snow boots with rubber soles. it should be size 9 in width.", "attributes": ["faux fur", "rubber outsole", "rubber sole"], "options": ["color: black quilt", "size: 9 wide"], "instruction_attributes": ["faux fur", "rubber sole"], "instruction_options": ["9 wide"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP9R6D5", "worker_id": "A1NF6PELRKACS9"}], "B081TY83PX": [{"asin": "B081TY83PX", "instruction": "i'm looking for groceries shop for high protein ingredients.", "attributes": ["kosher certified", "high protein", "source vitamin", "dietary fiber", "perfect gift", "gift basket"], "options": [""], "instruction_attributes": ["high protein", "source vitamin", "dietary fiber"], "instruction_options": [], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7X15PK", "worker_id": "A16IQOX0DK14OJ"}], "B09KWZGR96": [{"asin": "B09KWZGR96", "instruction": "i'm looking for a contemporary style dresser made of solid wood.", "attributes": ["contemporary style", "solid wood"], "options": [""], "instruction_attributes": ["contemporary style", "solid wood"], "instruction_options": [], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN1IGOV", "worker_id": "AR0VJ5XRG16UJ"}], "B08T1QVF28": [{"asin": "B08T1QVF28", "instruction": "i need a blanket with lighthouse printing with 70x90\" in grey brown", "attributes": ["machine washable", "fleece throw", "printing technology"], "options": ["color: grey brown", "size: 70\" x 90\""], "instruction_attributes": ["printing technology"], "instruction_options": ["grey brown", "70\" x 90\""], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUVWJQR", "worker_id": "A2Y2TURT2VEYZN"}], "B07GGP87JS": [{"asin": "B07GGP87JS", "instruction": "i would like a 2xl black and white hoodie that i can machine wash.", "attributes": ["machine wash", "polyester cotton"], "options": ["color: sky-black+white", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["sky-black+white", "xx-large"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BN9VJV", "worker_id": "A1WS884SI0SLO4"}], "B08R617FRZ": [{"asin": "B08R617FRZ", "instruction": "i would like a bottle of coffee time romance nail polish.", "attributes": ["highly pigmented", "non toxic", "nail polish", "nail art"], "options": ["color: a-coffee time romance"], "instruction_attributes": ["nail polish"], "instruction_options": ["a-coffee time romance"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYK1LQV", "worker_id": "A1WS884SI0SLO4"}], "B08ZH4R64F": [{"asin": "B08ZH4R64F", "instruction": "i'm looking for a organic certified garbanzo beans that contains dietary fiber and low sodium level. also, choose a pack of 1 weights 15 pounds with conventional one.", "attributes": ["low sodium", "certified organic", "non gmo", "gluten free", "dietary fiber"], "options": ["flavor name: conventional", "size: 15 pound (pack of 1)"], "instruction_attributes": ["low sodium", "certified organic", "gluten free", "dietary fiber"], "instruction_options": ["conventional", "15 pound (pack of 1)"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREO9J22", "worker_id": "AR0VJ5XRG16UJ"}], "B0108L1GBC": [{"asin": "B0108L1GBC", "instruction": "i want a gluten free apple strawberry snack gift.", "attributes": ["trader joe", "gluten free", "source vitamin"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THW8Z5Z", "worker_id": "A1NF6PELRKACS9"}], "B0978YWGM2": [{"asin": "B0978YWGM2", "instruction": "i'm searching for 650 pcs nail art gel polish remover", "attributes": ["nail polish", "nail art"], "options": ["size: 650 pcs"], "instruction_attributes": ["nail art"], "instruction_options": ["650 pcs"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK68UYYB", "worker_id": "A258PTOZ3D2TQR"}], "B00FBO8FF2": [{"asin": "B00FBO8FF2", "instruction": "i'm looking for a blue diamond almonds nut .", "attributes": ["gluten free", "protein serving"], "options": ["flavor name: sesame seeds", "size: 4.25 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["sesame seeds", "4.25 ounce (pack of 12)"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KEZDP0", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07XPRVK7F": [{"asin": "B07XPRVK7F", "instruction": "i am looking for a turquoise color turquoise", "attributes": ["double sided", "fleece throw"], "options": ["color: turquoise", "size: queen"], "instruction_attributes": ["fleece throw"], "instruction_options": ["turquoise"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG80LSY", "worker_id": "A9QRQL9CFJBI7"}], "B08M6FCPH2": [{"asin": "B08M6FCPH2", "instruction": "find for gift: comfortable women's pink drawstring sweatpants high waist with pockets aragone my friend's favorite brand to train at the gym workout.", "attributes": ["elastic waist", "relaxed fit", "gym workout"], "options": ["color: pink", "size: xx-large"], "instruction_attributes": ["gym workout"], "instruction_options": ["pink"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YQUT8M", "worker_id": "A15IJ20C3R4HUO"}], "B093YT1D4W": [{"asin": "B093YT1D4W", "instruction": "i am looking for 2 sets of mesh laundry bags and should be medium sized.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD1XRIA", "worker_id": "AHU9OLV0YKIIW"}], "B08G1H75XN": [{"asin": "B08G1H75XN", "instruction": "i would like a blue 2.95 foot wire pendent light for my living room.", "attributes": ["white item", "pendant light", "living room"], "options": ["color: blue", "size: 2.95ft wire,3-pack"], "instruction_attributes": ["living room"], "instruction_options": ["blue", "2.95ft wire,3-pack"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMYPG2W", "worker_id": "A1WS884SI0SLO4"}], "B08YRJYQV2": [{"asin": "B08YRJYQV2", "instruction": "i am looking for a wooden storage rack that is easy to assemble and has exquisite workmanship.", "attributes": ["easy assemble", "exquisite workmanship"], "options": ["color: c"], "instruction_attributes": ["easy assemble", "exquisite workmanship"], "instruction_options": [], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB983N8A", "worker_id": "A1NF6PELRKACS9"}], "B09DFJ8YHC": [{"asin": "B09DFJ8YHC", "instruction": "for dry skin, i need three pack of foot scrub which also contains coconut oil.", "attributes": ["coconut oil", "dry skin"], "options": ["size: three pack"], "instruction_attributes": ["coconut oil", "dry skin"], "instruction_options": ["three pack"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZTS405", "worker_id": "ASWFLI3N8X72G"}], "B09K7J8C7Q": [{"asin": "B09K7J8C7Q", "instruction": "i am looking for modern vanity lighting for bathroom. please choose chrome color.", "attributes": ["mid century", "easy install", "easy assemble", "glass shade", "clear glass", "vanity light"], "options": ["color: chrome", "size: 23.6 inch"], "instruction_attributes": ["vanity light"], "instruction_options": ["chrome"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YJ7PN2", "worker_id": "A3FG5PQHG5AH3Y"}], "B08JZ275FK": [{"asin": "B08JZ275FK", "instruction": "looking for one merry christmas cake toppers for a birthday party", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOEKLLC", "worker_id": "A2Y2TURT2VEYZN"}], "B010NBE6HI": [{"asin": "B010NBE6HI", "instruction": "i'm looking for groceries for simple ingredients need to buy it for house usage.", "attributes": ["rich creamy", "simple ingredients"], "options": ["flavor name: light", "size: 30 ounce (pack of 6)"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["light", "30 ounce (pack of 6)"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TM6N3D", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B010NBE6HI", "instruction": "i am looking for 30 fl oz (pack of 1) - set of 2 new (two... size simple ingredients mayonnaise", "attributes": ["rich creamy", "simple ingredients"], "options": ["flavor name: regular", "size: 30 fl oz (pack of 1) - set of 2 new (two..."], "instruction_attributes": ["simple ingredients"], "instruction_options": ["30 fl oz (pack of 1) - set of 2 new (two..."], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHB01EL", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B010NBE6HI", "instruction": "i would like a bottle of 30 fluid ounce regular mayo with simple ingredients.", "attributes": ["rich creamy", "simple ingredients"], "options": ["flavor name: regular", "size: 30 fl oz (pack of 1)"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["regular", "30 fl oz (pack of 1)"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9CWZAW", "worker_id": "A1WS884SI0SLO4"}], "B07GDJQFMY": [{"asin": "B07GDJQFMY", "instruction": "i am looking for 0.34 fluid ounce of medium colored concealer. also, please make sure that it is suitable for sensitive skin.", "attributes": ["dark circles", "sensitive skin"], "options": ["color: medium", "size: 0.34 fl oz (pack of 1)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["medium", "0.34 fl oz (pack of 1)"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60PLAAY", "worker_id": "AJDQGOTMB2D80"}, {"asin": "B07GDJQFMY", "instruction": "i would like a 0.34 fluid ounce bottle of bisque concealer for my dark circles.", "attributes": ["dark circles", "sensitive skin"], "options": ["color: bisque", "size: 0.34 fl oz (pack of 1)"], "instruction_attributes": ["dark circles"], "instruction_options": ["bisque", "0.34 fl oz (pack of 1)"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH52H6F", "worker_id": "A1WS884SI0SLO4"}], "B092W45FY9": [{"asin": "B092W45FY9", "instruction": "i am looking for foldable wireless bluetooth headphones", "attributes": ["noise cancelling", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9MC0BC", "worker_id": "A16M39T60N60NO"}], "B08TDPMSBY": [{"asin": "B08TDPMSBY", "instruction": "i am looking for a great gift of breakfast & cereal bars of newtella crispies flavor.", "attributes": ["great gift", "gift basket"], "options": ["flavor: newtella crispies", "size: 5.6 ounce (pack of 1)"], "instruction_attributes": ["great gift"], "instruction_options": ["newtella crispies"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMP7QBV", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B08TDPMSBY", "instruction": "i want lemon berry crispies in a gift basket.", "attributes": ["great gift", "gift basket"], "options": ["flavor: lemon berry crispies", "size: 3.46 ounce (pack of 1)"], "instruction_attributes": ["gift basket"], "instruction_options": ["lemon berry crispies"], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWDR0KW", "worker_id": "A2RBF3IIJP15IH"}], "B07PM8LPWQ": [{"asin": "B07PM8LPWQ", "instruction": "i am looking for a pack of 1 antiseptic mouthwash that is effective at eliminating bad breath.", "attributes": ["oral hygiene", "bad breath"], "options": ["size: 50.7 fl oz (pack of 1)"], "instruction_attributes": ["bad breath"], "instruction_options": ["50.7 fl oz (pack of 1)"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPZ7PJ3", "worker_id": "A1HMZJ59OPLD1P"}], "B09MTYJ4YV": [{"asin": "B09MTYJ4YV", "instruction": "find me a large cardigan sweater for men in long sleeve and machine wash", "attributes": ["slim fit", "fleece lined", "wash cold", "hand wash", "machine wash", "long sleeve", "daily wear"], "options": ["color: gray", "size: large"], "instruction_attributes": ["machine wash", "long sleeve"], "instruction_options": [], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYEK288", "worker_id": "A2Y2TURT2VEYZN"}], "B084GRYF1C": [{"asin": "B084GRYF1C", "instruction": "i am looking for a table + 4 grey chairs of clear glass and faux leather.", "attributes": ["easy clean", "pu leather", "tempered glass", "clear glass", "faux leather", "metal legs", "dining room"], "options": ["size: table + 4 grey chairs"], "instruction_attributes": ["clear glass", "faux leather"], "instruction_options": ["table + 4 grey chairs"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZTY047", "worker_id": "A9QRQL9CFJBI7"}], "B09PYL51D3": [{"asin": "B09PYL51D3", "instruction": "i'm looking for a wide leg, daily wear women's baggy jeans with high waist, button closure type made of polyester spandex. also choose x-large, aa-dark blue colored one.", "attributes": ["wide leg", "straight leg", "high waist", "button closure", "polyester spandex", "teen girls", "daily wear"], "options": ["color: aa-dark blue", "size: x-large"], "instruction_attributes": ["wide leg", "high waist", "button closure", "polyester spandex", "daily wear"], "instruction_options": ["aa-dark blue", "x-large"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUB79R6", "worker_id": "AR0VJ5XRG16UJ"}], "B07L75Y8MD": [{"asin": "B07L75Y8MD", "instruction": "i'm looking for peanut butter chocolate chip protein bars. they need to be both dairy free and gluten free.", "attributes": ["dairy free", "gluten free"], "options": ["flavor name: peanut butter chocolate chip"], "instruction_attributes": ["dairy free", "gluten free"], "instruction_options": ["peanut butter chocolate chip"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREQZ2JF", "worker_id": "A3OLRWACCCCUTU"}], "B09JSWM642": [{"asin": "B09JSWM642", "instruction": "multi stick trio cream that is easy to apply also choose sweet pink rose", "attributes": ["cruelty free", "easy apply"], "options": ["color: sweet pink rose"], "instruction_attributes": ["easy apply"], "instruction_options": ["sweet pink rose"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OXM3ML", "worker_id": "A10OGH5CQBXL5N"}], "B098B8M9P7": [{"asin": "B098B8M9P7", "instruction": "i am looking for a medium size low rise underwear string for men.", "attributes": ["low rise", "fleece lined", "tummy control", "short sleeve", "daily wear"], "options": ["color: color", "size: medium"], "instruction_attributes": ["low rise"], "instruction_options": ["medium"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZZBRN8", "worker_id": "AJDQGOTMB2D80"}], "B09G65YNVN": [{"asin": "B09G65YNVN", "instruction": "i am looking for santa red color birthday cake", "attributes": ["easy use", "party supplies", "birthday cake"], "options": ["color: santa claus-red"], "instruction_attributes": ["birthday cake"], "instruction_options": ["santa claus-red"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRV6PWO", "worker_id": "A16M39T60N60NO"}], "B08FR3BGFW": [{"asin": "B08FR3BGFW", "instruction": "1 pacj of deep nourishing hair mask for hair treatment", "attributes": ["seed oil", "hair treatment"], "options": ["size: pack of 1"], "instruction_attributes": ["hair treatment"], "instruction_options": ["pack of 1"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95TQXQ8", "worker_id": "A10OGH5CQBXL5N"}], "B0984HCLKB": [{"asin": "B0984HCLKB", "instruction": "i am looking for green beans pickle in a jar. it should be made of natural infredients.", "attributes": ["old fashioned", "ready eat", "natural ingredients"], "options": ["flavor: green beans", "size: 1 pound (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["green beans"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA4DR8L", "worker_id": "A3FG5PQHG5AH3Y"}], "B08R9YKM5S": [{"asin": "B08R9YKM5S", "instruction": "get me height adjustable pendant light with easy installation feature for dining room and in large wood chandelier size", "attributes": ["height adjustable", "easy install", "pendant light", "light fixture", "dining room"], "options": ["size: large wood chandelier"], "instruction_attributes": ["height adjustable", "easy install", "pendant light", "dining room"], "instruction_options": ["large wood chandelier"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7Y5DSF", "worker_id": "A3AYHESLQSDY5T"}], "B09P9XNWDQ": [{"asin": "B09P9XNWDQ", "instruction": "i need a gluten free popped veggie chips of 10 packs", "attributes": ["gluten free", "low fat", "nut free", "plant based", "non gmo", "dietary fiber"], "options": ["size: 0.75 ounce (pack of 10)"], "instruction_attributes": ["gluten free"], "instruction_options": ["0.75 ounce (pack of 10)"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1X6H2Y", "worker_id": "A2COCSUGZV28X"}], "B09FK3D6KY": [{"asin": "B09FK3D6KY", "instruction": "i am looking for a light blue color anti slip boots with rubber sole for women. also choose size 9.5.", "attributes": ["anti slip", "rubber sole"], "options": ["color: 4light blue", "size: 9.5"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["4light blue", "9.5"], "assignment_id": "33CID5710F37J25O7G1CGJZBOS1L36", "worker_id": "A1V2JTEEBCXR20"}], "B09DJY3N7N": [{"asin": "B09DJY3N7N", "instruction": "i am trying to find carolina herrera good girl impression scent and it should be in travel size long lasting and high quality.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: carolina herrera good girl impression"], "instruction_attributes": ["travel size", "alcohol free", "long lasting"], "instruction_options": [], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83KVIJ1", "worker_id": "A9ZM1P6LBW79"}, {"asin": "B09DJY3N7N", "instruction": "i am looking for a travel size, alcohol free eau de parfum for women of estee lauder beautiful impression scent.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: estee lauder beautiful impression"], "instruction_attributes": ["travel size", "alcohol free"], "instruction_options": ["estee lauder beautiful impression"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJUHVGE", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09DJY3N7N", "instruction": "i am looking for a long lasting travel size bottle of michael kors sexy amber impression perfume.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: michael kors sexy amber impression"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["michael kors sexy amber impression"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFKDEMK", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09DJY3N7N", "instruction": "i am looking for le labo bergamote 22 impression and alcohol-free travel size concentrated hypoallergenic vegan attar roll-on for women", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: le labo bergamote 22 impression"], "instruction_attributes": ["travel size", "alcohol free"], "instruction_options": ["le labo bergamote 22 impression"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0WKRA4", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09DJY3N7N", "instruction": "i am looking for ca perfume impression of anais anais which is esay to carry with high quality , long lasting, alcohol free. nina ricci l'air du temps impression scent preferable.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: nina ricci l'air du temps impression"], "instruction_attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "instruction_options": ["nina ricci l'air du temps impression"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTTM4E9", "worker_id": "A1DRKZ3SCLAS4V"}], "B09PTNHZ5P": [{"asin": "B09PTNHZ5P", "instruction": "i'm looking for teeth cleansing for teeth whitening and the fresh breathe.", "attributes": ["teeth whitening", "long lasting", "fresh breath", "bad breath", "sensitive teeth"], "options": [""], "instruction_attributes": ["teeth whitening", "fresh breath", "sensitive teeth"], "instruction_options": [], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL8CEC9", "worker_id": "A16IQOX0DK14OJ"}], "B09FL11QF8": [{"asin": "B09FL11QF8", "instruction": "i want to buy a red watch band for my 42 millimeter apple watch.", "attributes": ["compatible apple", "easy install"], "options": ["color: red", "size: 42mm | 44mm | 45mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["red", "42mm | 44mm | 45mm"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTJS4DR", "worker_id": "AR9AU5FY1S3RO"}], "B01KHSV0TE": [{"asin": "B01KHSV0TE", "instruction": "i'm looking for eye shadow to use for eye makeup the needed color was caramel.", "attributes": ["easy apply", "long lasting", "eye shadow"], "options": ["color: caramel", "size: 0.18 ounce (pack of 2)"], "instruction_attributes": ["eye shadow"], "instruction_options": ["caramel"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLY6YBO", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01KHSV0TE", "instruction": "i want a .18 ounce pack of revlon colorstay creme eye shadow.", "attributes": ["easy apply", "long lasting", "eye shadow"], "options": ["color: tuxedo", "size: 0.18 ounce (pack of 1)"], "instruction_attributes": ["eye shadow"], "instruction_options": ["0.18 ounce (pack of 1)"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZPMK3M", "worker_id": "A2RBF3IIJP15IH"}], "B09NY1YLKM": [{"asin": "B09NY1YLKM", "instruction": "i'm looking for computer accessories and its easy to carry and it need to buy it.", "attributes": ["easy carry", "plug play"], "options": ["color: 2"], "instruction_attributes": ["easy carry"], "instruction_options": ["2"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MM7OFT", "worker_id": "A16IQOX0DK14OJ"}], "B09R1M9SRV": [{"asin": "B09R1M9SRV", "instruction": "i am searching for a high definition stereo sound hands free portable bluetooth speaker. also, choose the b color.", "attributes": ["hands free", "high definition", "stereo sound"], "options": ["color: b"], "instruction_attributes": ["hands free", "high definition", "stereo sound"], "instruction_options": ["b"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67MVN4R", "worker_id": "A9ZM1P6LBW79"}], "B09RJYR8WC": [{"asin": "B09RJYR8WC", "instruction": "i am looking for a long sleeve women's jumpsuits of small size.", "attributes": ["hand wash", "slim fit", "long sleeve", "dry clean"], "options": ["color: 001-pink", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N21SG6A", "worker_id": "A9QRQL9CFJBI7"}], "B09J4PY9C9": [{"asin": "B09J4PY9C9", "instruction": "i am looking for brown colored kitchen table and chair set with storage space.", "attributes": ["metal legs", "storage space"], "options": ["color: drift brown"], "instruction_attributes": ["storage space"], "instruction_options": ["drift brown"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI8OBAE", "worker_id": "A3FG5PQHG5AH3Y"}], "B01DEDTZ28": [{"asin": "B01DEDTZ28", "instruction": "i'm searching for men's stan smith rubber sole sneaker of size 5.5", "attributes": ["regular fit", "rubber sole"], "options": ["color: core black | black | black", "size: 5.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["5.5"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKS47VV", "worker_id": "A258PTOZ3D2TQR"}], "B08KWJ2GT5": [{"asin": "B08KWJ2GT5", "instruction": "i'm looking for a bath brush that is easy to clean and has a long handle for easy use. oh and it should be blue.", "attributes": ["non slip", "bpa free", "easy clean", "long handle"], "options": ["color: blue"], "instruction_attributes": ["easy clean", "long handle"], "instruction_options": ["blue"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMWN2GC", "worker_id": "A3AK3UL0UCNVKE"}], "B099XC5XYK": [{"asin": "B099XC5XYK", "instruction": "i want a plant based, dairy free oat milk of about 4.4lb.", "attributes": ["non dairy", "plant based", "dairy free", "ready use", "lactose free", "low fat"], "options": ["size: 4.4 lb"], "instruction_attributes": ["plant based", "dairy free"], "instruction_options": ["4.4 lb"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UGAA3L", "worker_id": "A1HMZJ59OPLD1P"}], "B08ZDJZ5JD": [{"asin": "B08ZDJZ5JD", "instruction": "i'm looking for women's clothing it was long sleeve the color was hot pink.", "attributes": ["daily casual", "short sleeve", "elastic waist", "button closure", "long sleeve"], "options": ["color: z3-hot pink", "size: 3x-large"], "instruction_attributes": ["daily casual", "elastic waist", "button closure", "long sleeve"], "instruction_options": ["z3-hot pink"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU74C57W", "worker_id": "A16IQOX0DK14OJ"}], "B09BZFSTNM": [{"asin": "B09BZFSTNM", "instruction": "i need a 3 panel african art for my living room wall.", "attributes": ["printing technology", "living room"], "options": ["color: african wall art - 14", "size: 3panel-s-(12x18inches x3pcs)"], "instruction_attributes": ["living room"], "instruction_options": ["african wall art - 14", "3panel-s-(12x18inches x3pcs)"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NMWP2N", "worker_id": "A19317A3X87NVM"}], "B08RBZYY97": [{"asin": "B08RBZYY97", "instruction": "i'm looking for fine mist and the bottles was continues that stream of water.", "attributes": ["leak proof", "fine mist"], "options": ["size: 9ml-5pack"], "instruction_attributes": ["leak proof", "fine mist"], "instruction_options": ["9ml-5pack"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMQCW9M", "worker_id": "A16IQOX0DK14OJ"}], "B07YKG5J6L": [{"asin": "B07YKG5J6L", "instruction": "i am looking for 5mp ptz poe camera with 20x optical zoom lens.", "attributes": ["optical zoom", "motion detection"], "options": ["color: 5mp ptz poe 20x camera"], "instruction_attributes": ["optical zoom"], "instruction_options": ["5mp ptz poe 20x camera"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R027WZ", "worker_id": "A3FG5PQHG5AH3Y"}], "B09MHG8DD6": [{"asin": "B09MHG8DD6", "instruction": "i need a pink pair of winter warm boots for a 9 year old kid. it has to be non slip ones.", "attributes": ["winter warm", "non slip", "long sleeve", "short sleeve"], "options": ["color: b~pink", "size: 9-9.5 years"], "instruction_attributes": ["winter warm", "non slip"], "instruction_options": ["b~pink", "9-9.5 years"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67NVN4T", "worker_id": "A1NF6PELRKACS9"}], "B08R34DR16": [{"asin": "B08R34DR16", "instruction": "i am looking for an easy to assemble blue home office desk chair with lumbar support.", "attributes": ["easy assemble", "lumbar support", "living room"], "options": ["color: blue"], "instruction_attributes": ["easy assemble", "lumbar support"], "instruction_options": ["blue"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OI3RTH", "worker_id": "A1EREKSZAA9V7B"}], "B0091F0XR0": [{"asin": "B0091F0XR0", "instruction": "i am looking for 5p deep pink color concealer that is anti aging and cruelty free.", "attributes": ["oil free", "anti aging", "cruelty free", "dermatologist tested", "plant based", "leak proof", "paraben free", "hyaluronic acid", "dark circles"], "options": ["color: 5p deep pink"], "instruction_attributes": ["anti aging", "cruelty free"], "instruction_options": [], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V21FGM", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B0091F0XR0", "instruction": "i want light pink veil cosmetics complexion fix oil-free concealer.", "attributes": ["oil free", "anti aging", "cruelty free", "dermatologist tested", "plant based", "leak proof", "paraben free", "hyaluronic acid", "dark circles"], "options": ["color: 2p light pink"], "instruction_attributes": ["oil free"], "instruction_options": ["2p light pink"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOB4GJG", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B0091F0XR0", "instruction": "i want to find oil-free concealer that has a light, neutral color.", "attributes": ["oil free", "anti aging", "cruelty free", "dermatologist tested", "plant based", "leak proof", "paraben free", "hyaluronic acid", "dark circles"], "options": ["color: 2n light neutral"], "instruction_attributes": ["oil free"], "instruction_options": ["2n light neutral"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCI1LBG", "worker_id": "A345TDMHP3DQ3G"}], "B08WHXNRY4": [{"asin": "B08WHXNRY4", "instruction": "i'm looking for intel core was computer accessories it was install at any.", "attributes": ["core i5", "intel core", "quad core", "usb port"], "options": ["capacity: 32gb ram |512gb ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["32gb ram |512gb ssd"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSCAWC0", "worker_id": "A16IQOX0DK14OJ"}], "B07GBGZZLC": [{"asin": "B07GBGZZLC", "instruction": "i'd like a certfied organic 36 pack of 2 ounce vitality shot drink flavored lemon ginger", "attributes": ["certified organic", "non gmo", "simple ingredients"], "options": ["flavor: lemon ginger", "size: 2 ounce (pack of 36)"], "instruction_attributes": ["certified organic"], "instruction_options": ["lemon ginger", "2 ounce (pack of 36)"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOINYDY", "worker_id": "A22VGT2F28LTWC"}, {"asin": "B07GBGZZLC", "instruction": "i am looking for tulua apple cider vinegar lemon ginger flavored fruit juice that is certified organic.", "attributes": ["certified organic", "non gmo", "simple ingredients"], "options": ["flavor: tulua apple cider vinegar lemon ginger", "size: 2 ounce (pack of 12)"], "instruction_attributes": ["certified organic"], "instruction_options": ["tulua apple cider vinegar lemon ginger"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G7A874O", "worker_id": "A1EREKSZAA9V7B"}], "B07WHYSQ5W": [{"asin": "B07WHYSQ5W", "instruction": "i'm looking for a 80 miles signal amplifier booster for hd tv.", "attributes": ["high power", "plug play", "easy install"], "options": ["color: xh-black"], "instruction_attributes": ["high power"], "instruction_options": ["xh-black"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBSGGIX", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08ZN3Q4DN": [{"asin": "B08ZN3Q4DN", "instruction": "i am looking for 3mp motion detection security camera.", "attributes": ["easy install", "motion detection"], "options": ["color: 3mp"], "instruction_attributes": ["motion detection"], "instruction_options": ["3mp"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LK45I8", "worker_id": "A3FG5PQHG5AH3Y"}], "B07D9WKMDG": [{"asin": "B07D9WKMDG", "instruction": "i'm looking for clothing for machinable wash and it makes confortable.", "attributes": ["wash cold", "machine wash", "relaxed fit", "tumble dry"], "options": ["color: with gray camo pant", "size: large"], "instruction_attributes": ["machine wash", "relaxed fit", "tumble dry"], "instruction_options": ["with gray camo pant"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C6FPH8", "worker_id": "A16IQOX0DK14OJ"}], "B07S316QK8": [{"asin": "B07S316QK8", "instruction": "i want pure certified organic bpa free coconut oil for baking and cooking purpose size :128 fl oz", "attributes": ["gluten free", "bpa free", "non dairy", "easy use", "certified organic"], "options": ["size: 128 fl oz (pack of 1)"], "instruction_attributes": ["bpa free", "certified organic"], "instruction_options": ["128 fl oz (pack of 1)"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYP99Q9", "worker_id": "A3N9ZYQAESNFQH"}], "B09SQ7SG2L": [{"asin": "B09SQ7SG2L", "instruction": "i looking a heavy duty height adjustable professional salon spa stool color:beige", "attributes": ["height adjustable", "heavy duty"], "options": ["color: beige", "size: 2"], "instruction_attributes": ["height adjustable", "heavy duty"], "instruction_options": ["beige"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMQ0W9A", "worker_id": "A3N9ZYQAESNFQH"}], "B08N6LB8MH": [{"asin": "B08N6LB8MH", "instruction": "i am looking for arms lumbar support in grey", "attributes": ["high density", "heavy duty", "white item", "easy install", "lumbar support"], "options": ["color: grey"], "instruction_attributes": ["lumbar support"], "instruction_options": ["grey"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC2DYZH", "worker_id": "A2MSIFDLOHI1UT"}], "B08Q642VRV": [{"asin": "B08Q642VRV", "instruction": "want to buy some peanut butter flavored cereal that is grain free and keto friendly. it needs to come in a 9 oz pack of four.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: peanut butter", "size: 9 ounce (pack of 4)"], "instruction_attributes": ["keto friendly", "grain free"], "instruction_options": ["peanut butter", "9 ounce (pack of 4)"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LFK0LR", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B08Q642VRV", "instruction": "i would like some maple waffle 1.27 ounce sugar free cereal.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: maple waffle", "size: 1.27 ounce (pack of 6)"], "instruction_attributes": ["sugar free"], "instruction_options": ["maple waffle", "1.27 ounce (pack of 6)"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP7G6DQ", "worker_id": "A1WS884SI0SLO4"}], "B08SH3J22Q": [{"asin": "B08SH3J22Q", "instruction": "i'm looking for groceries shop for buying zero sugar and the flavor was french vanilla.", "attributes": ["lactose free", "shelf stable", "keto friendly", "plant based", "dairy free", "non gmo", "zero sugar"], "options": ["flavor name: french vanilla", "size: 12 pack"], "instruction_attributes": ["lactose free", "dairy free", "zero sugar"], "instruction_options": ["french vanilla"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA7Y2SD", "worker_id": "A16IQOX0DK14OJ"}], "B08NX3695X": [{"asin": "B08NX3695X", "instruction": "i want a non slip case cover for my motorola one phone.", "attributes": ["non slip", "carbon fiber", "case cover"], "options": ["color: motorola one 5g ace black brushed tpu case"], "instruction_attributes": ["non slip", "case cover"], "instruction_options": [], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2IZKF9", "worker_id": "A1NF6PELRKACS9"}], "B09JWT9VVX": [{"asin": "B09JWT9VVX", "instruction": "i'm looking for need to clean my teeth adn it was prevention of oral care.", "attributes": ["teeth whitening", "non slip", "sensitive teeth"], "options": ["flavor name: coconut"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["coconut"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMPFMW7", "worker_id": "A16IQOX0DK14OJ"}], "B0895CV637": [{"asin": "B0895CV637", "instruction": "i'm in need of a stereo sound, pink color alarm clock radio", "attributes": ["high power", "stereo sound"], "options": ["color: pink"], "instruction_attributes": ["stereo sound"], "instruction_options": ["pink"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ARDBWB", "worker_id": "A258PTOZ3D2TQR"}], "B087CXMMQM": [{"asin": "B087CXMMQM", "instruction": "i need a big rug with a fuzzy non-stick surface.", "attributes": ["spot clean", "non slip", "memory foam", "living room"], "options": ["color: hot pink", "size: 4x5.9 feet"], "instruction_attributes": ["non slip"], "instruction_options": ["4x5.9 feet"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PAJBUR", "worker_id": "A19317A3X87NVM"}], "B08Y6NSWS4": [{"asin": "B08Y6NSWS4", "instruction": "i need a high performance bluetooth speakers that can be used for indoor parties. please choose the gray one.", "attributes": ["high performance", "stereo sound"], "options": ["color: gray"], "instruction_attributes": ["high performance", "stereo sound"], "instruction_options": ["gray"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH154QHW5", "worker_id": "A1HMZJ59OPLD1P"}], "B07QK2FTWT": [{"asin": "B07QK2FTWT", "instruction": "i want lead free long lasting scented candle scent : cinnamon apple", "attributes": ["lead free", "long lasting"], "options": ["scent: cinnamon apple", "size: ring (size 5)"], "instruction_attributes": ["lead free", "long lasting"], "instruction_options": ["cinnamon apple", "ring (size 5)"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZR9HS5", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B07QK2FTWT", "instruction": "i am looking for long lasting candle. please choose creme brulee scent.", "attributes": ["lead free", "long lasting"], "options": ["scent: creme brulee", "size: ring (size 5)"], "instruction_attributes": ["long lasting"], "instruction_options": ["creme brulee"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7VZURY", "worker_id": "A3FG5PQHG5AH3Y"}], "B000XEF5OO": [{"asin": "B000XEF5OO", "instruction": "i am looking for a travel size moschino miniature eau de toilette.", "attributes": ["design house", "travel size"], "options": [""], "instruction_attributes": ["travel size"], "instruction_options": [], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YOI69U", "worker_id": "AHU9OLV0YKIIW"}], "B083XPLGC3": [{"asin": "B083XPLGC3", "instruction": "i want to buy a box of savory fava bean snacks that are non-gmo. find the pack that has 21 bags.", "attributes": ["high protein", "plant based", "low sugar", "gluten free", "low fat", "non gmo"], "options": ["flavor: the savory box", "size: 1 ounce (pack of 21)"], "instruction_attributes": ["non gmo"], "instruction_options": ["the savory box", "1 ounce (pack of 21)"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCKVPI4", "worker_id": "AR9AU5FY1S3RO"}], "B0719R1WZ7": [{"asin": "B0719R1WZ7", "instruction": "i need an area rug for my living room in wineberry color.", "attributes": ["spot clean", "dining room", "living room"], "options": ["color: wineberry", "size: 1'8 x 5"], "instruction_attributes": ["living room"], "instruction_options": ["wineberry"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMRR9WG", "worker_id": "A1NF6PELRKACS9"}], "B00PYUS4PY": [{"asin": "B00PYUS4PY", "instruction": "i'm looking for an oil free fine mist makeup foundation. also, choose the buff beige color.", "attributes": ["oil free", "fragrance free", "fine mist"], "options": ["color: buff beige"], "instruction_attributes": ["oil free"], "instruction_options": [], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRS75EU3", "worker_id": "A9ZM1P6LBW79"}], "B09RFDWPX9": [{"asin": "B09RFDWPX9", "instruction": "i'm looking for a relax fit fashion designed long sleeve lapel coats for women. also, choose xx-large size z4 black colored one.", "attributes": ["long sleeve", "fashion design", "relaxed fit"], "options": ["color: z4-black", "size: xx-large"], "instruction_attributes": ["long sleeve", "fashion design", "relaxed fit"], "instruction_options": ["z4-black", "xx-large"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB14YLUP", "worker_id": "AR0VJ5XRG16UJ"}], "B09M7PMKJP": [{"asin": "B09M7PMKJP", "instruction": "i am looking for a classic fit t-shirt for a youth girl. also choose asphalt color and x-small size.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: asphalt", "fit type: youth", "size: x-small"], "instruction_attributes": ["classic fit"], "instruction_options": ["asphalt", "youth", "x-small"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4J98MD", "worker_id": "A2HMEGTAFO0CS8"}], "B07P1Z265L": [{"asin": "B07P1Z265L", "instruction": "i am looking for a black rose high speed automobile chargers", "attributes": ["fast charging", "high speed"], "options": ["color: black rose"], "instruction_attributes": ["high speed"], "instruction_options": ["black rose"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUV0JQV", "worker_id": "A9QRQL9CFJBI7"}], "B09LZ6DN9L": [{"asin": "B09LZ6DN9L", "instruction": "i am looking for a pair of men's size 48 blue winter shoes with memory foam.", "attributes": ["winter warm", "anti slip", "knee high", "memory foam"], "options": ["color: blue", "size: 48"], "instruction_attributes": ["memory foam"], "instruction_options": ["blue", "48"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I9YBC1", "worker_id": "A1EREKSZAA9V7B"}], "B08GY8HNL9": [{"asin": "B08GY8HNL9", "instruction": "i want a bedside table with a wooden cabinet in my living room. it should be green in color.", "attributes": ["dining room", "living room"], "options": ["color: green", "size: 57x31.5x83cm"], "instruction_attributes": ["living room"], "instruction_options": ["green"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QVL07O", "worker_id": "A1NF6PELRKACS9"}], "B085W67P7L": [{"asin": "B085W67P7L", "instruction": "i am looking for travel foaming dispenser for hand soap. please choose rose gold and silver pump head.", "attributes": ["eco friendly", "rose gold"], "options": ["color: silver pump head"], "instruction_attributes": ["rose gold"], "instruction_options": ["silver pump head"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMM0XRS2", "worker_id": "A3FG5PQHG5AH3Y"}], "B09MMFQFZJ": [{"asin": "B09MMFQFZJ", "instruction": "i would like a op99 phone case cover.", "attributes": ["tempered glass", "case cover"], "options": ["color: op99"], "instruction_attributes": ["case cover"], "instruction_options": ["op99"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NABN2B", "worker_id": "A1WS884SI0SLO4"}], "B01MZWL5Y3": [{"asin": "B01MZWL5Y3", "instruction": "i want a fully assembled desk converter that would fit 2 monitors.", "attributes": ["fully assembled", "assembly required"], "options": [""], "instruction_attributes": ["fully assembled"], "instruction_options": [], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIA0RBM", "worker_id": "A1NF6PELRKACS9"}], "B00J4OTK9A": [{"asin": "B00J4OTK9A", "instruction": "get me a body scrub to remove dead skin. pick a 3.4 fl oz pack that is meant for sensitive skin.", "attributes": ["dermatologist tested", "cruelty free", "dead skin", "sensitive skin"], "options": ["size: 3.4 fl oz (pack of 1)"], "instruction_attributes": ["dead skin", "sensitive skin"], "instruction_options": ["3.4 fl oz (pack of 1)"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841BRXAO", "worker_id": "A1NF6PELRKACS9"}], "B09NKV2PYS": [{"asin": "B09NKV2PYS", "instruction": "i need an easy use but high quality beauty ice contour mold skin care tool. pink color will work for me.", "attributes": ["easy use", "high quality", "green tea", "fine lines"], "options": ["color: pink"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["pink"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4NIPKB", "worker_id": "A39VVWV1GHLMFD"}], "B079S8B9SF": [{"asin": "B079S8B9SF", "instruction": "get me a gluten and nut free ready to eat plant based vegan meal variety pack in size 2.29 ounce (pack of 4).", "attributes": ["freeze dried", "ready eat", "plant based", "gluten free", "shelf stable", "nut free", "dairy free", "non gmo", "simple ingredients", "artificial flavors"], "options": ["flavor: variety pack", "size: 2.29 ounce (pack of 4)"], "instruction_attributes": ["ready eat", "gluten free", "nut free"], "instruction_options": ["variety pack", "2.29 ounce (pack of 4)"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R600R6", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B079S8B9SF", "instruction": "i am looking for a 2.3 ounce (pack of 4) size of plant based, gluten free and non gmo side dishes", "attributes": ["freeze dried", "ready eat", "plant based", "gluten free", "shelf stable", "nut free", "dairy free", "non gmo", "simple ingredients", "artificial flavors"], "options": ["flavor: madras quinoa & lentil", "size: 2.3 ounce (pack of 4)"], "instruction_attributes": ["plant based", "gluten free", "non gmo"], "instruction_options": ["2.3 ounce (pack of 4)"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVPTJKO", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B079S8B9SF", "instruction": "i am interested in a ready to eat millet and lentil packet that comes in a pack of 8", "attributes": ["freeze dried", "ready eat", "plant based", "gluten free", "shelf stable", "nut free", "dairy free", "non gmo", "simple ingredients", "artificial flavors"], "options": ["flavor: jaipur millet & lentil", "size: 2.3 ounce (pack of 8)"], "instruction_attributes": ["ready eat"], "instruction_options": ["jaipur millet & lentil", "2.3 ounce (pack of 8)"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQEXKEY", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GNR9BS1": [{"asin": "B09GNR9BS1", "instruction": "i need a long lasting perfume that is unisex and alcohol free.", "attributes": ["long lasting", "alcohol free", "bpa free", "paraben free", "non toxic", "cruelty free"], "options": [""], "instruction_attributes": ["long lasting", "alcohol free"], "instruction_options": [], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFSC0T0", "worker_id": "A1NF6PELRKACS9"}], "B07X2T33Q4": [{"asin": "B07X2T33Q4", "instruction": "i an looking for electric hair cream mixer, automatic hair dye mixing bowl, usb rechargeable hair dyeing, color diy mixer for salon home use which is durable and lightweight. will not mold, peel, crack, warp, absorb odors, or fade. portable size, convenient to carry..suitable for professional salon hairstylist or home personal use.2 in 1 includes a bowl and a dyestuff whisk, meeting basic demands on hair dying.", "attributes": ["easy clean", "high quality", "hair dye"], "options": ["color: 1#"], "instruction_attributes": ["easy clean", "high quality", "hair dye"], "instruction_options": ["1#"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662XYM45", "worker_id": "A1DRKZ3SCLAS4V"}], "B01H6PX8AK": [{"asin": "B01H6PX8AK", "instruction": "i want lumabase 30748 votive candles in clear glass holders - set of 12", "attributes": ["lead free", "clear glass"], "options": [""], "instruction_attributes": ["clear glass"], "instruction_options": [], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFUKOJU", "worker_id": "A1IL2K0ELYI090"}], "B0913HN2QV": [{"asin": "B0913HN2QV", "instruction": "i am looking for a makeup chair with metal legs for my living room. pick something in blue.", "attributes": ["exquisite workmanship", "metal legs", "living room"], "options": ["color: blue"], "instruction_attributes": ["metal legs", "living room"], "instruction_options": ["blue"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDXPAI1", "worker_id": "A1NF6PELRKACS9"}], "B07LFT8MFW": [{"asin": "B07LFT8MFW", "instruction": "i am looking for gluten free strawberry juicy gels.", "attributes": ["gluten free", "high fructose"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPHEVQX", "worker_id": "A3FG5PQHG5AH3Y"}], "B08LN5YSLR": [{"asin": "B08LN5YSLR", "instruction": "please find an easy use shower scalp scrubber tool in the color pink for hair care", "attributes": ["easy use", "dry hair", "hair growth", "hair loss", "dead skin"], "options": ["color: pink"], "instruction_attributes": ["easy use"], "instruction_options": ["pink"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2O6YN1", "worker_id": "A292TFDMNVS0TP"}], "B004K025J0": [{"asin": "B004K025J0", "instruction": "i am looking high speed hdmi cable. size should be 3 feet.", "attributes": ["ultra hd", "gold plated", "high speed"], "options": ["size: 3 ft. slim"], "instruction_attributes": ["high speed"], "instruction_options": ["3 ft. slim"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMP8QBW", "worker_id": "A3FG5PQHG5AH3Y"}], "B082G4HM4S": [{"asin": "B082G4HM4S", "instruction": "i want a swappable top for my phone with wireless charging. it should have jacksonville jaguars logo.", "attributes": ["hands free", "wireless charging"], "options": ["color: jacksonville jaguars logo"], "instruction_attributes": ["wireless charging"], "instruction_options": ["jacksonville jaguars logo"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVHFUTW", "worker_id": "A1NF6PELRKACS9"}], "B09MTYKWTR": [{"asin": "B09MTYKWTR", "instruction": "i am looking for whitening massage manual easy use toothbrush with handle for boy with color d", "attributes": ["easy use", "bad breath"], "options": ["color: d"], "instruction_attributes": ["easy use"], "instruction_options": ["d"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK2489KN2", "worker_id": "A258PTOZ3D2TQR"}], "B06XH86JBZ": [{"asin": "B06XH86JBZ", "instruction": "i want to find 6 ounces of goji colored blueberry powder that is high in dietary fiber.", "attributes": ["shelf stable", "non gmo", "gluten free", "dietary fiber", "artificial colors"], "options": ["color: goji", "size: 6 ounce"], "instruction_attributes": ["dietary fiber"], "instruction_options": ["goji", "6 ounce"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFJ39VM", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B06XH86JBZ", "instruction": "i'm looking for a nubeleaf blackberry powder.", "attributes": ["shelf stable", "non gmo", "gluten free", "dietary fiber", "artificial colors"], "options": ["color: banana", "size: 6 ounce (pack of 1)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["banana", "6 ounce (pack of 1)"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7NC3ID", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08WCM5XT3": [{"asin": "B08WCM5XT3", "instruction": "i'm looking for easy apply for hair removal in natural ingredients. it can easily apply.", "attributes": ["easy apply", "natural ingredients", "hair removal"], "options": [""], "instruction_attributes": ["natural ingredients", "hair removal"], "instruction_options": [], "assignment_id": "3V26SBZTBOOS9KTL7ONUSZFOIWJZZB", "worker_id": "A16IQOX0DK14OJ"}], "B00487L2Y4": [{"asin": "B00487L2Y4", "instruction": "i need some spacedye spandex leggings.", "attributes": ["nylon spandex", "high waist"], "options": ["color: skystorm spacedye", "size: large"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["skystorm spacedye"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIFIVFG", "worker_id": "A19317A3X87NVM"}, {"asin": "B00487L2Y4", "instruction": "i'm looking for a high waist shapewear leggings in heather charcoal color and in size large.", "attributes": ["nylon spandex", "high waist"], "options": ["color: heather charcoal", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": ["heather charcoal", "large"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFXJE3Z", "worker_id": "A3MNXK3VDK37SN"}], "B09KV1BXST": [{"asin": "B09KV1BXST", "instruction": "i'm looking for a lace silk pajama lingerie for women with long sleeves and made of good quality polyester material. also, choose large size wine colored one.", "attributes": ["quality polyester", "long sleeve", "laundry bag"], "options": ["color: wine", "size: large"], "instruction_attributes": ["quality polyester", "long sleeve"], "instruction_options": ["wine", "large"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X025K347", "worker_id": "AR0VJ5XRG16UJ"}], "B084ZHHY5H": [{"asin": "B084ZHHY5H", "instruction": "i would like a size 11 women's slate colored clog with a rubber sole.", "attributes": ["water resistant", "slip resistant", "arch support", "rubber outsole"], "options": ["color: slate", "size: 11 women | 9 men"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["slate", "11 women | 9 men"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9PEVTE", "worker_id": "A1WS884SI0SLO4"}], "B01IDDRDRI": [{"asin": "B01IDDRDRI", "instruction": "i am looking for a pack of 6 12 ounce gluten free coffee creamer.", "attributes": ["non dairy", "gluten free", "low carb", "dairy free"], "options": ["size: 12 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["12 ounce (pack of 6)"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGU93MR5", "worker_id": "A1EREKSZAA9V7B"}], "B09CDCH6GW": [{"asin": "B09CDCH6GW", "instruction": "let me have kasrou 3-tier stackable wire baskets, wall mounted, easy install, hanging basket kitchen pantry storage", "attributes": ["wall mounted", "easy install"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80ERQ1P", "worker_id": "A1IL2K0ELYI090"}], "B06W5BQ95C": [{"asin": "B06W5BQ95C", "instruction": "i would like a 1.25 ounce container of probiotics from natural ingredients. i would like 24 of them.", "attributes": ["plant based", "non gmo", "gluten free", "kosher certified", "dairy free", "natural ingredients"], "options": ["size: 1.25 ounce (pack of 24)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["1.25 ounce (pack of 24)"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0DL61E", "worker_id": "A1WS884SI0SLO4"}], "B07N3NN79M": [{"asin": "B07N3NN79M", "instruction": "looking for a black 28\" inseam 3 x-large machine wash, drawstring closure men's straight fit modern stretch pant made by goodthreads.", "attributes": ["machine wash", "drawstring closure"], "options": ["color: black", "size: 3x-large | 28\" inseam"], "instruction_attributes": ["machine wash", "drawstring closure"], "instruction_options": ["black", "3x-large | 28\" inseam"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB14TLUK", "worker_id": "A3RGIKEI8JS2QG"}], "B00ICSCDW0": [{"asin": "B00ICSCDW0", "instruction": "i am looking for cruelty free beard oil with sandalwood", "attributes": ["cruelty free", "seed oil", "argan oil", "natural ingredients", "hair growth"], "options": ["scent: sandalwood"], "instruction_attributes": ["cruelty free"], "instruction_options": ["sandalwood"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0VWXP5", "worker_id": "A22VGT2F28LTWC"}], "B08X3R2V9S": [{"asin": "B08X3R2V9S", "instruction": "i'm looking for a gourmet food gift basket that is perfect for valentine's day", "attributes": ["gift basket", "valentine day"], "options": [""], "instruction_attributes": ["gift basket", "valentine day"], "instruction_options": [], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAWZZXS", "worker_id": "A1HMZJ59OPLD1P"}], "B09K5SWKWK": [{"asin": "B09K5SWKWK", "instruction": "i'm looking for strawberry & yogurt pretzels artificial flavors snacks", "attributes": ["rich creamy", "high fructose", "artificial flavors"], "options": [""], "instruction_attributes": ["artificial flavors"], "instruction_options": [], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCDA7HM", "worker_id": "A2Y2TURT2VEYZN"}], "B095VX97GN": [{"asin": "B095VX97GN", "instruction": "i want an easy to carry storage case for my cosmetics that is multi-colored.", "attributes": ["easy carry", "storage case", "eye shadow"], "options": ["color: multi 7"], "instruction_attributes": ["easy carry", "storage case"], "instruction_options": ["multi 7"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPXS0GD", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B095VX97GN", "instruction": "i'm looking for native american indian dream catcher feathers talisman.", "attributes": ["easy carry", "storage case", "eye shadow"], "options": ["color: multi 20"], "instruction_attributes": ["storage case"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGBDLSH", "worker_id": "A21IUUHBSEVB56"}], "B07ZJC7G3N": [{"asin": "B07ZJC7G3N", "instruction": "i'm looking for an ottoman cover made of beige faux leather.", "attributes": ["easy clean", "faux leather", "living room"], "options": ["color: beige", "size: small 1 (20\"diax12\"h)"], "instruction_attributes": ["faux leather"], "instruction_options": ["beige"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X63PGA", "worker_id": "A19317A3X87NVM"}], "B08Y8YNMRP": [{"asin": "B08Y8YNMRP", "instruction": "i need a short sleeved top for a teen girl. it should be xx-large in size.", "attributes": ["short sleeve", "long sleeve", "teen girls"], "options": ["color: z05- long-sleeved", "size: xx-large"], "instruction_attributes": ["short sleeve", "teen girls"], "instruction_options": ["xx-large"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTZZM70", "worker_id": "A1NF6PELRKACS9"}], "B073B57CQZ": [{"asin": "B073B57CQZ", "instruction": "find me a backdrop vertical striped easy carry for digital photography in 5x7 ft", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 5x7ft"], "instruction_attributes": ["easy carry", "digital photography"], "instruction_options": ["5x7ft"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYEN28B", "worker_id": "A2Y2TURT2VEYZN"}], "B01N4LEQE5": [{"asin": "B01N4LEQE5", "instruction": "i need a twin size fully assembled plush mattress, which should have 8' split foundation with frame.", "attributes": ["ready use", "queen size", "fully assembled", "assembly required", "king size"], "options": ["size: twin", "style: 8' split foundation with frame"], "instruction_attributes": ["fully assembled"], "instruction_options": ["twin", "8' split foundation with frame"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIDTL2L", "worker_id": "ASWFLI3N8X72G"}], "B0992D6BFT": [{"asin": "B0992D6BFT", "instruction": "i am looking for a light brown color faux leather storage benches for living room", "attributes": ["faux leather", "pu leather", "storage space", "living room"], "options": ["color: light brown", "size: 60x40x45cm(24x16x18inch)"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["light brown"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z59GXM", "worker_id": "A9QRQL9CFJBI7"}], "B07CR9MGLG": [{"asin": "B07CR9MGLG", "instruction": "i'm looking for curtains for living room and it color was white.", "attributes": ["easy install", "living room"], "options": ["color: white", "size: w52 x l95"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYQAQ9T", "worker_id": "A16IQOX0DK14OJ"}], "B075YM97NK": [{"asin": "B075YM97NK", "instruction": "i am looking for wood split box spring of california king sized.", "attributes": ["ready use", "assembly required", "fully assembled", "box spring"], "options": ["size: california king", "style name: 8\" split foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["california king"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LC01OH", "worker_id": "A3FG5PQHG5AH3Y"}], "B00V5KRF66": [{"asin": "B00V5KRF66", "instruction": "i'm looking for god plated converter for combo kit and need to buy it.", "attributes": ["gold plated", "high speed"], "options": ["size: 6 piece", "style: combo kit"], "instruction_attributes": ["gold plated"], "instruction_options": ["combo kit"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWTZZ79R", "worker_id": "A16IQOX0DK14OJ"}], "B09Q6B974T": [{"asin": "B09Q6B974T", "instruction": "find me a small long sleeve sweatshirt in green", "attributes": ["quick drying", "machine washable", "loose fit", "long sleeve", "memory foam", "short sleeve", "teen girls", "laundry bag", "daily wear"], "options": ["color: new dressy - b133 -green", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["new dressy - b133 -green", "small"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRS8CEUC", "worker_id": "A2Y2TURT2VEYZN"}], "B09LGXTKSH": [{"asin": "B09LGXTKSH", "instruction": "i'm looking for a smart remote control included with batteries. also, that battery type should be aaa size.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1WDH23", "worker_id": "A9ZM1P6LBW79"}], "B08QMDM179": [{"asin": "B08QMDM179", "instruction": "i am looking for lace closure men sneaker. please select 16 size.", "attributes": ["lace closure", "ethylene vinyl", "vinyl acetate", "memory foam"], "options": ["color: magnet canvas | nbk", "size: 16"], "instruction_attributes": ["lace closure"], "instruction_options": ["16"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP73OAR", "worker_id": "A3FG5PQHG5AH3Y"}], "B07ZR8KF4C": [{"asin": "B07ZR8KF4C", "instruction": "i need an easy to use tofu drainer for tofu bricks.", "attributes": ["bpa free", "easy use"], "options": ["size: 8-12 oz bricks of tofu"], "instruction_attributes": ["easy use"], "instruction_options": ["8-12 oz bricks of tofu"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCP4B9V", "worker_id": "A19317A3X87NVM"}], "B097R6HS3G": [{"asin": "B097R6HS3G", "instruction": "i would like a medium snickers tracksuit for my gym workout.", "attributes": ["machine wash", "elastic closure", "high waist", "polyester spandex", "gym workout"], "options": ["color: snickers", "size: medium"], "instruction_attributes": ["gym workout"], "instruction_options": ["snickers", "medium"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WABUOP", "worker_id": "A1WS884SI0SLO4"}], "B097H8C87M": [{"asin": "B097H8C87M", "instruction": "i am looking for high density tri-fold full memory foam mattress with size :twin xl and 3\" blue", "attributes": ["high density", "memory foam", "storage space"], "options": ["size: twin xl", "style: 3\" blue"], "instruction_attributes": ["high density"], "instruction_options": ["twin xl", "3\" blue"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMNNB69", "worker_id": "AX2EWYWZM19AZ"}], "B09K813WBQ": [{"asin": "B09K813WBQ", "instruction": "i am looking for a cupcake topper for a family birthday party.", "attributes": ["party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFFUU58", "worker_id": "A2HMEGTAFO0CS8"}], "B09QKZ1GSS": [{"asin": "B09QKZ1GSS", "instruction": "i'm looking for daily wear open toe shoes that was blue in color.", "attributes": ["open toe", "ankle strap", "teen girls", "daily wear"], "options": ["color: blue", "size: 6.5-7"], "instruction_attributes": ["open toe", "teen girls", "daily wear"], "instruction_options": ["blue"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YJ8NP1", "worker_id": "A16IQOX0DK14OJ"}], "B07GVBWL3Q": [{"asin": "B07GVBWL3Q", "instruction": "i'm looking for a 84 inch green lazzzy blackout velvet curtains.", "attributes": ["machine washable", "living room"], "options": ["color: gold brown", "size: 63 inch"], "instruction_attributes": ["living room"], "instruction_options": ["gold brown", "63 inch"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OIGRTU", "worker_id": "A1ZGOZQF2VZ0X9"}], "B00J1NGCF4": [{"asin": "B00J1NGCF4", "instruction": "i am looking for a skin brush with natural bristles and a long handle.", "attributes": ["long handle", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IPATLN", "worker_id": "A1EREKSZAA9V7B"}], "B07L1R7YQ9": [{"asin": "B07L1R7YQ9", "instruction": "i am looking bpa free fine mist high quality case color silver color size 3.4 ounce", "attributes": ["bpa free", "high quality", "fine mist", "quality materials"], "options": ["color: silver frosted", "size: 3.4 ounce (pack of 2)"], "instruction_attributes": ["bpa free", "high quality", "fine mist"], "instruction_options": ["silver frosted", "3.4 ounce (pack of 2)"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQEL91K", "worker_id": "A3N9ZYQAESNFQH"}], "B07PTT1PW4": [{"asin": "B07PTT1PW4", "instruction": "i am looking for a 180w x 5 power amplifier.", "attributes": ["wall mounted", "power amplifier", "high resolution"], "options": ["size: 180w x 5", "style: class d"], "instruction_attributes": ["power amplifier"], "instruction_options": ["180w x 5"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40WCRC7", "worker_id": "A9QRQL9CFJBI7"}], "B09L1MPCY9": [{"asin": "B09L1MPCY9", "instruction": "i would like to buy a machine washable quick drying butt lifting tummy controlling women legging in ywhite color and small size made from quality polyester .", "attributes": ["moisture wicking", "butt lifting", "quick drying", "machine wash", "quality polyester", "polyester cotton", "tummy control", "elastic waist"], "options": ["color: ywhite", "size: small"], "instruction_attributes": ["butt lifting", "quick drying", "machine wash", "quality polyester", "tummy control"], "instruction_options": ["ywhite", "small"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOIQF0R", "worker_id": "A3AYHESLQSDY5T"}], "B01LWUENY1": [{"asin": "B01LWUENY1", "instruction": "i need a 10' round area rug for my living room. it should be ivory colored.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: red | ivory", "size: 10' round"], "instruction_attributes": ["living room"], "instruction_options": ["red | ivory", "10' round"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IBMCBU", "worker_id": "A1NF6PELRKACS9"}], "B00DQJYL2K": [{"asin": "B00DQJYL2K", "instruction": "liquid water identifier strawberry watermelon flavor and natural flavor", "attributes": ["sugar free", "natural flavors", "zero sugar"], "options": ["flavor name: sugar-free cherry blackberry"], "instruction_attributes": ["natural flavors"], "instruction_options": [], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUTD61FW", "worker_id": "A3TTGSUBIK1YCL"}, {"asin": "B00DQJYL2K", "instruction": "i am looking a natural flavor sugar free straberry kiwi water enhancer", "attributes": ["sugar free", "natural flavors", "zero sugar"], "options": ["flavor name: sugar-free strawberry kiwi"], "instruction_attributes": ["sugar free", "natural flavors"], "instruction_options": ["sugar-free strawberry kiwi"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9L2B0B", "worker_id": "A3N9ZYQAESNFQH"}], "B081J2PSXK": [{"asin": "B081J2PSXK", "instruction": "i am looking for a dome cameras of 1080p hd", "attributes": ["1080p hd", "easy install", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd"], "instruction_options": [], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1B89U9", "worker_id": "A9QRQL9CFJBI7"}], "B00FDM5NAM": [{"asin": "B00FDM5NAM", "instruction": "i am looking for a real fruit juice of cranberry cocktail juice drink flavor", "attributes": ["real fruit", "artificial flavors"], "options": ["flavor name: cranberry cocktail juice drink"], "instruction_attributes": ["real fruit"], "instruction_options": ["cranberry cocktail juice drink"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFCBVLU", "worker_id": "A9QRQL9CFJBI7"}], "B06XV4LYZC": [{"asin": "B06XV4LYZC", "instruction": "i need a janet color low rise women's jeans with quality material in size 7-36", "attributes": ["low rise", "quality materials"], "options": ["color: janet", "size: 7-36"], "instruction_attributes": ["low rise", "quality materials"], "instruction_options": ["janet", "7-36"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO4Q2CX", "worker_id": "ASWFLI3N8X72G"}], "B07JJDXFJL": [{"asin": "B07JJDXFJL", "instruction": "i am looking for home decor products for living room in a ivory /aqua color", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: ivory | aqua", "item shape: runner", "size: 9 ft x 9 ft"], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPXIPJA", "worker_id": "A16M39T60N60NO"}], "B09Q25X4NJ": [{"asin": "B09Q25X4NJ", "instruction": "i would like a pair of size 7 black oxfords with a anti slip rubber sole.", "attributes": ["anti slip", "ankle strap", "rubber sole"], "options": ["color: black-2", "size: 7"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["black-2", "7"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IXCHK4", "worker_id": "A1WS884SI0SLO4"}], "B008BZSXEG": [{"asin": "B008BZSXEG", "instruction": "i am looking for low fat pasta options", "attributes": ["fat free", "low fat"], "options": [""], "instruction_attributes": ["low fat"], "instruction_options": [], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDI12OM", "worker_id": "ASWFLI3N8X72G"}], "B07ZK5QW3P": [{"asin": "B07ZK5QW3P", "instruction": "i'm looking for a machine washable window curtains for living room. also choose 52\"w by 90\"l and lace4lbg0839 designed one.", "attributes": ["machine washable", "living room"], "options": ["color: lace4lbg0839", "size: 52\" w by 90\" l"], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["lace4lbg0839", "52\" w by 90\" l"], "assignment_id": "37TRT2X24116R7L1JO45INKV8UGJBY", "worker_id": "AR0VJ5XRG16UJ"}], "B0794T7QHW": [{"asin": "B0794T7QHW", "instruction": "i need a king sized, white coloured contemporary style wooden frame bed with memory foam.", "attributes": ["contemporary style", "memory foam", "wood frame", "box spring"], "options": ["color: white", "size: king"], "instruction_attributes": ["contemporary style", "memory foam", "wood frame"], "instruction_options": ["white", "king"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LH3PS0", "worker_id": "ASWFLI3N8X72G"}], "B097MRL84T": [{"asin": "B097MRL84T", "instruction": "i'm looking for living room furniture and kitchen furniture and need to buy it.", "attributes": ["assembly required", "wood frame", "solid wood", "living room"], "options": ["color: grey", "size: 2 seats"], "instruction_attributes": ["wood frame", "living room"], "instruction_options": ["grey"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMXK2GB", "worker_id": "A16IQOX0DK14OJ"}], "B00T3IQUDG": [{"asin": "B00T3IQUDG", "instruction": "i am looking for a pair of long lasting men's size 10 steel toe work boots.", "attributes": ["long lasting", "slip resistant", "steel toe", "rubber sole"], "options": ["color: black | black", "size: 10 wide"], "instruction_attributes": ["long lasting", "steel toe"], "instruction_options": ["10 wide"], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY2M7PP", "worker_id": "A1EREKSZAA9V7B"}], "B07PYQN77F": [{"asin": "B07PYQN77F", "instruction": "i'm looking for a 24 pcs arrow cupcake topper .", "attributes": ["hand crafted", "birthday cake", "baby shower", "birthday party"], "options": ["color: gold"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IRU23G", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09QLL279P": [{"asin": "B09QLL279P", "instruction": "i am looking for chocolate covered wafers for valentine day.", "attributes": ["chocolate covered", "valentine day"], "options": [""], "instruction_attributes": ["chocolate covered", "valentine day"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0Z44W6", "worker_id": "A3FG5PQHG5AH3Y"}], "B08KW5D1HG": [{"asin": "B08KW5D1HG", "instruction": "i am looking for a large sized makeup case that is easy to clean.", "attributes": ["high quality", "easy clean"], "options": ["color: rolling backpack", "size: large"], "instruction_attributes": ["easy clean"], "instruction_options": ["large"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIN7586", "worker_id": "A1NF6PELRKACS9"}], "B019EGM90O": [{"asin": "B019EGM90O", "instruction": "get me 6 bars of gluten free low sodium 0g trans in flavor of dark chocolate nuts & sea salt.", "attributes": ["low sodium", "gluten free", "0g trans"], "options": ["flavor name: dark chocolate nuts & sea salt", "size: 6 bars"], "instruction_attributes": ["low sodium", "gluten free", "0g trans"], "instruction_options": ["dark chocolate nuts & sea salt", "6 bars"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMKAVX3", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B019EGM90O", "instruction": "i would like 60 milk chocolate peanut butter bars that are low sodium.", "attributes": ["low sodium", "gluten free", "0g trans"], "options": ["flavor name: milk chocolate peanut butter", "size: 60 count (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["milk chocolate peanut butter", "60 count (pack of 1)"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GM5S3N", "worker_id": "A1WS884SI0SLO4"}], "B089HY61CM": [{"asin": "B089HY61CM", "instruction": "i am looking for a low soda cream soda flavor chocolate drink mixes", "attributes": ["lactose free", "low sugar", "shelf stable", "bpa free", "non gmo", "natural flavors", "artificial colors"], "options": ["flavor name: cream soda"], "instruction_attributes": ["low sugar"], "instruction_options": ["cream soda"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOFV1WR", "worker_id": "A9QRQL9CFJBI7"}], "B09SB86W2G": [{"asin": "B09SB86W2G", "instruction": "i am looking for a professional make up brush with easy use. also choose color b.", "attributes": ["easy use", "hair removal"], "options": ["color: b"], "instruction_attributes": ["easy use"], "instruction_options": ["b"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMZE3WQ", "worker_id": "A2HMEGTAFO0CS8"}], "B003YFLT0S": [{"asin": "B003YFLT0S", "instruction": "i am searching for heavy duty complete tripods.", "attributes": ["heavy duty", "quick release"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4IT51G", "worker_id": "A9ZM1P6LBW79"}], "B09NR6SYTV": [{"asin": "B09NR6SYTV", "instruction": "i'm looking for a wireless bluetooth speaker, preferable blue color.", "attributes": ["plug play", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU27AL5", "worker_id": "ARQ05PDNXPFDI"}], "B09CKVPQZF": [{"asin": "B09CKVPQZF", "instruction": "i need some easy to install 76 inch blinds for my living room. look for them in light grey.", "attributes": ["easy install", "living room"], "options": ["color: light grey", "size: 15 3 | 4\"w x 76\"h"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["light grey", "15 3 | 4\"w x 76\"h"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFVZ3E0", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09CKVPQZF", "instruction": "shop for some easy install living room shades. get the fifty two inch ones with top brackets.", "attributes": ["easy install", "living room"], "options": ["color: top brackets", "size: 64 1 | 4\"w x 52\"h"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["top brackets", "64 1 | 4\"w x 52\"h"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9V6X5U", "worker_id": "AR9AU5FY1S3RO"}], "B09MK2BWKX": [{"asin": "B09MK2BWKX", "instruction": "i need noise cancelling headphones for my daily running routine.", "attributes": ["noise cancelling", "fast charging"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRYQJXV", "worker_id": "A1NF6PELRKACS9"}], "B08FSSZXV9": [{"asin": "B08FSSZXV9", "instruction": "i want a gray colored lightweight throw for the living room. i would prefer it to be double sided.", "attributes": ["machine washable", "double sided", "living room"], "options": ["color: grey", "size: 59'' x 79''"], "instruction_attributes": ["double sided", "living room"], "instruction_options": ["grey"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227HB8FI", "worker_id": "AHXHM1PQTRWIQ"}], "B09PKTZ1JR": [{"asin": "B09PKTZ1JR", "instruction": "i want to buy a shoe cabinet for my living room which is in pink color.", "attributes": ["space saving", "storage space", "living room"], "options": ["color: pink 3", "size: 23x14x70inch"], "instruction_attributes": ["living room"], "instruction_options": ["pink 3"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z4A4QCZ", "worker_id": "AHXHM1PQTRWIQ"}], "B097K5Q32R": [{"asin": "B097K5Q32R", "instruction": "i'm looking for plug play electronics for computer components and need to buy it.", "attributes": ["high performance", "plug play"], "options": ["pattern name: 3600 mhz", "size: 16 gb", "style: single module"], "instruction_attributes": ["high performance", "plug play"], "instruction_options": ["3600 mhz"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCK7IP9", "worker_id": "A16IQOX0DK14OJ"}], "B09J29BV3V": [{"asin": "B09J29BV3V", "instruction": "i am looking for a foldable tatami mattress to reduce on my storage space. the best size would be 90x200 cm (35.4*78.7 in).", "attributes": ["exquisite workmanship", "storage space"], "options": ["color: c", "size: 90x200 cm (35.4*78.7 in)"], "instruction_attributes": ["storage space"], "instruction_options": ["90x200 cm (35.4*78.7 in)"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKRKV7X", "worker_id": "A39VVWV1GHLMFD"}], "B097R6WTWX": [{"asin": "B097R6WTWX", "instruction": "i looking wooden frame mid century sofa couch for leaving room colour :blue", "attributes": ["mid century", "high density", "metal legs", "wood frame", "living room"], "options": ["color: navy", "size: type-2"], "instruction_attributes": ["mid century", "wood frame", "living room"], "instruction_options": ["navy"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH1Z6HT", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B097R6WTWX", "instruction": "i would like a beige type 4 sofa for my living room.", "attributes": ["mid century", "high density", "metal legs", "wood frame", "living room"], "options": ["color: beige", "size: type-4"], "instruction_attributes": ["living room"], "instruction_options": ["beige", "type-4"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS3OG9B", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B097R6WTWX", "instruction": "i need grey color wood frame", "attributes": ["mid century", "high density", "metal legs", "wood frame", "living room"], "options": ["color: grey", "size: type-1"], "instruction_attributes": ["wood frame"], "instruction_options": ["grey"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCVO46E", "worker_id": "A226L9F2AZ38CL"}], "B08V96ZSKJ": [{"asin": "B08V96ZSKJ", "instruction": "i'm looking for cell phone accessories the color was red brushed tpu. it was need to buy.", "attributes": ["non slip", "carbon fiber"], "options": ["color: red brushed tpu"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["red brushed tpu"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFMEMEX", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08V96ZSKJ", "instruction": "i would like a blue brush tpu case that is non slip.", "attributes": ["non slip", "carbon fiber"], "options": ["color: blue brushed tpu"], "instruction_attributes": ["non slip"], "instruction_options": ["blue brushed tpu"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRWEY2F", "worker_id": "A1WS884SI0SLO4"}], "B09NQ4LHV7": [{"asin": "B09NQ4LHV7", "instruction": "find me a pair of non slip sneakers with rubber soles. i am a woman of size 13.", "attributes": ["non slip", "rubber outsole", "rubber sole"], "options": ["color: white black sunflower b", "size: 13 women | 11 men"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["13 women | 11 men"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH3RQHS", "worker_id": "A1NF6PELRKACS9"}], "B01MT7DMLK": [{"asin": "B01MT7DMLK", "instruction": "i'm looking for pendant lights for hanging through the wall that color was chrome finish.", "attributes": ["bronze finish", "pendant light"], "options": ["color: chrome finish", "size: one light", "style: pendant"], "instruction_attributes": ["bronze finish", "pendant light"], "instruction_options": ["chrome finish"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E67XHP", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01MT7DMLK", "instruction": "i need a pendant light wall fixture for my bathroom. it should have a bronze finish.", "attributes": ["bronze finish", "pendant light"], "options": ["color: chrome finish", "size: one - light", "style: wall bath fixture"], "instruction_attributes": ["bronze finish", "pendant light"], "instruction_options": ["wall bath fixture"], "assignment_id": "3X08E93BH6SOX0PZ3ET8Y3TY8NR660", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01MT7DMLK", "instruction": "where can i find this product? seagull lighting 65625-782 wheaton transitional a pendant light hanging light fixture modern, bronze finish", "attributes": ["bronze finish", "pendant light"], "options": ["color: brushed nickel finish", "size: one - light", "style: wall bath fixture"], "instruction_attributes": ["bronze finish"], "instruction_options": ["one - light"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUJFVZ5", "worker_id": "A15IJ20C3R4HUO"}], "B09J35VQXQ": [{"asin": "B09J35VQXQ", "instruction": "i'm looking for natural jar candles with grapefruit and mangosteen scents and which are made with 100% soy wax.", "attributes": ["lead free", "soy wax"], "options": ["scent: grapefruit & mangosteen", "size: natural"], "instruction_attributes": ["soy wax"], "instruction_options": ["grapefruit & mangosteen", "natural"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO5D2CM", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B09J35VQXQ", "instruction": "i'm looking for a lead free jar candles made of soy wax. also choose natural, coconut milk and mango scented one", "attributes": ["lead free", "soy wax"], "options": ["scent: coconut milk and mango", "size: natural"], "instruction_attributes": ["lead free", "soy wax"], "instruction_options": ["coconut milk and mango", "natural"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFIM021", "worker_id": "AR0VJ5XRG16UJ"}], "B0982XLQVB": [{"asin": "B0982XLQVB", "instruction": "i am looking for a blue coated steel backyard furniture set.", "attributes": ["high density", "coated steel", "storage space"], "options": ["color: blue"], "instruction_attributes": ["coated steel"], "instruction_options": ["blue"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOXOO7N", "worker_id": "A1EREKSZAA9V7B"}], "B09NYD8KN9": [{"asin": "B09NYD8KN9", "instruction": "i need fluoride free 2 pcs purple toothpaste which is good for sensitive teeth and teeth whitening.", "attributes": ["fluoride free", "teeth whitening", "long lasting", "natural ingredients", "sensitive teeth"], "options": ["color: purple 2pcs"], "instruction_attributes": ["fluoride free", "teeth whitening", "sensitive teeth"], "instruction_options": ["purple 2pcs"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UHPOKU", "worker_id": "ASWFLI3N8X72G"}, {"asin": "B09NYD8KN9", "instruction": "i want a purple and orange toothpaste that is fluoride free and whitens teeth.", "attributes": ["fluoride free", "teeth whitening", "long lasting", "natural ingredients", "sensitive teeth"], "options": ["color: purple+orange"], "instruction_attributes": ["fluoride free", "teeth whitening"], "instruction_options": ["purple+orange"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBPAAAOQ", "worker_id": "A1WS884SI0SLO4"}], "B08F9VJ7FV": [{"asin": "B08F9VJ7FV", "instruction": "i'm looking for a black guitar cable with usb port and it should be 10ft long.", "attributes": ["gold plated", "plug play", "usb port"], "options": ["color: black"], "instruction_attributes": ["usb port"], "instruction_options": ["black"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MICCRB2", "worker_id": "A1Q0EUNCS50S8M"}], "B00IWVEJUG": [{"asin": "B00IWVEJUG", "instruction": "i am looking for eco friendly scented candles", "attributes": ["eco friendly", "soy wax"], "options": [""], "instruction_attributes": ["eco friendly"], "instruction_options": [], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3SYZMR", "worker_id": "A16M39T60N60NO"}], "B08P7YXY4C": [{"asin": "B08P7YXY4C", "instruction": "i need a quad core hd streaming player with enhanced voice remote", "attributes": ["dual band", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEJT8QL", "worker_id": "A258PTOZ3D2TQR"}], "B07N98D4C6": [{"asin": "B07N98D4C6", "instruction": "i would like a fluoride free toothpaste.", "attributes": ["certified organic", "fluoride free"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFTS0TI", "worker_id": "A1WS884SI0SLO4"}], "B07MMTQYGL": [{"asin": "B07MMTQYGL", "instruction": "i am looking for a color: blue zebra water resistant , wireless bluetooth for portable bluetooth speakers", "attributes": ["water resistant", "wireless bluetooth"], "options": ["color: blue zebra"], "instruction_attributes": ["water resistant", "wireless bluetooth"], "instruction_options": ["blue zebra"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XSIGNN", "worker_id": "A9QRQL9CFJBI7"}], "B08PJHS91C": [{"asin": "B08PJHS91C", "instruction": "i am looking for some grass fed and grain free bread and muffin mix.", "attributes": ["grain free", "grass fed"], "options": ["style: grain free bread"], "instruction_attributes": ["grain free", "grass fed"], "instruction_options": ["grain free bread"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P75AVSX", "worker_id": "A1NF6PELRKACS9"}], "B08DG8ZHDT": [{"asin": "B08DG8ZHDT", "instruction": "i'm looking for electronics accessories that aluminum alloy tripod. need to buy it.", "attributes": ["quick release", "aluminum alloy"], "options": [""], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBA9U6S", "worker_id": "A16IQOX0DK14OJ"}], "B09M3LBGVG": [{"asin": "B09M3LBGVG", "instruction": "i am looking for a grey wireless charging earbud headphones with stereo sound", "attributes": ["fast charging", "hands free", "wireless charging", "stereo sound"], "options": ["color: grey"], "instruction_attributes": ["wireless charging", "stereo sound"], "instruction_options": [], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A21ATHT0", "worker_id": "A9QRQL9CFJBI7"}], "B09MJXZ9PQ": [{"asin": "B09MJXZ9PQ", "instruction": "i'm looking for a classic styling salon chair, hydraulic barber chair with wider seat & heavy duty hydraulic pump, also it should have beauty salon spa shampoo equipment, choose the gold color.", "attributes": ["heavy duty", "easy clean", "high quality", "hair salon", "beauty salon"], "options": ["color: black+silver 1"], "instruction_attributes": ["heavy duty", "easy clean", "high quality", "hair salon", "beauty salon"], "instruction_options": [], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A219GTHX", "worker_id": "A3D6VE1HYFEP9Z"}], "B09H6S736V": [{"asin": "B09H6S736V", "instruction": "i'm looking for a storage unit which is easy to clean for a living room.", "attributes": ["easy clean", "storage unit", "living room"], "options": [""], "instruction_attributes": ["easy clean", "storage unit", "living room"], "instruction_options": [], "assignment_id": "31EUONYN26DZ1WA44INARVVOAGCVO5", "worker_id": "AR0VJ5XRG16UJ"}], "B01MQS07BG": [{"asin": "B01MQS07BG", "instruction": "i'm looking for the pant have straight leg and the drawstring waist.", "attributes": ["straight leg", "moisture wicking", "drawstring waist"], "options": ["color: wisteria", "size: 3x-large plus"], "instruction_attributes": ["straight leg", "moisture wicking", "drawstring waist"], "instruction_options": ["wisteria"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQDCAJD", "worker_id": "A16IQOX0DK14OJ"}], "B09Q56WQGH": [{"asin": "B09Q56WQGH", "instruction": "i'm looking for highly pigmented makeup products it can use long lasting.", "attributes": ["long lasting", "highly pigmented"], "options": ["color: k", "size: i"], "instruction_attributes": ["long lasting", "highly pigmented"], "instruction_options": ["k"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZKHC7S", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09Q56WQGH", "instruction": "i am interested in purchasing a lip gloss set which is long lasting and comes in the size g.", "attributes": ["long lasting", "highly pigmented"], "options": ["color: a", "size: g"], "instruction_attributes": ["long lasting"], "instruction_options": ["g"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3G2AYM", "worker_id": "AHXHM1PQTRWIQ"}], "B08P59RBQ4": [{"asin": "B08P59RBQ4", "instruction": "looking for tooth powder for teeth whitening", "attributes": ["teeth whitening", "easy use", "bad breath"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS41VUN", "worker_id": "A10OGH5CQBXL5N"}], "B078YYVN2F": [{"asin": "B078YYVN2F", "instruction": "i am looking for large size regular fit polo.", "attributes": ["moisture wicking", "hand wash", "regular fit"], "options": ["color: blackout", "size: large"], "instruction_attributes": ["regular fit"], "instruction_options": ["large"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1VQH2E", "worker_id": "AJDQGOTMB2D80"}], "B09NFJWJYP": [{"asin": "B09NFJWJYP", "instruction": "i am looking a easy install smartwatch band compatible with apple color:midnight blue /cantaloupe size: 38mm/40mm/41mm", "attributes": ["compatible apple", "easy install"], "options": ["color: midnight blue | cantaloupe", "size: 38mm | 40mm | 41mm"], "instruction_attributes": ["compatible apple", "easy install"], "instruction_options": ["midnight blue | cantaloupe", "38mm | 40mm | 41mm"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8W6PZ8", "worker_id": "A3N9ZYQAESNFQH"}], "B09SV2GLZW": [{"asin": "B09SV2GLZW", "instruction": "i am looking for small sized and tummy control women workout legging.", "attributes": ["light weight", "elastic waistband", "drawstring closure", "tummy control"], "options": ["color: x03c-black", "size: small"], "instruction_attributes": ["tummy control"], "instruction_options": ["small"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q5SKD7", "worker_id": "A3FG5PQHG5AH3Y"}], "B0861DHT1J": [{"asin": "B0861DHT1J", "instruction": "i am looking for mlide men's summer quick dry fit performance short surf swim trunk drawstring with pockets. swim trunk featuring elasticized waistband with drawstring and contrast in green in xxl size.", "attributes": ["drawstring closure", "polyester spandex"], "options": ["color: green", "size: xx-large"], "instruction_attributes": ["drawstring closure", "polyester spandex"], "instruction_options": ["green", "xx-large"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQYA0776", "worker_id": "A1DRKZ3SCLAS4V"}], "B01FA1BMSW": [{"asin": "B01FA1BMSW", "instruction": "i am looking for texas style flank steak beef jerky that has a resealable bag.", "attributes": ["high protein", "resealable bag"], "options": ["flavor name: texas style flank steak", "size: 10 ounce (pack of 1)"], "instruction_attributes": ["resealable bag"], "instruction_options": ["texas style flank steak"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSV2GL1", "worker_id": "A1EREKSZAA9V7B"}], "B09PLB5JYK": [{"asin": "B09PLB5JYK", "instruction": "i am looking for a blue loose fit sleep bottoms for men", "attributes": ["loose fit", "straight leg", "moisture wicking", "slim fit", "short sleeve", "elastic waist", "stretch fabric", "classic fit", "long sleeve", "daily wear"], "options": ["color: blue", "size: 3x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["blue"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39ENZC2", "worker_id": "A9QRQL9CFJBI7"}], "B07CZC9Z3S": [{"asin": "B07CZC9Z3S", "instruction": "i'm looking for a pack of 3 cheese crisps with 10 ounce need to be gluten and lactose free, savory seed flavor", "attributes": ["keto friendly", "gluten free", "high protein", "low carb", "lactose free", "natural ingredients"], "options": ["flavor name: savory seed", "size: 10 ounce (pack of 3)"], "instruction_attributes": ["gluten free", "lactose free"], "instruction_options": ["savory seed", "10 ounce (pack of 3)"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU2MALK", "worker_id": "A2Y2TURT2VEYZN"}], "B076C8KB1Z": [{"asin": "B076C8KB1Z", "instruction": "i am looking for a blue stripe classic fit dress shirts", "attributes": ["machine wash", "classic fit", "relaxed fit", "long sleeve"], "options": ["color: blue stripe", "size: 15.5\" neck 34\" sleeve"], "instruction_attributes": ["classic fit"], "instruction_options": ["blue stripe"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAUB19CZ", "worker_id": "A9QRQL9CFJBI7"}], "B081R4NL12": [{"asin": "B081R4NL12", "instruction": "i am looking for women\u2019s long pajama sleep pants with elastic waistband and small in size.", "attributes": ["elastic waistband", "relaxed fit"], "options": ["color: dusty jade green - my resolutions", "size: small"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["small"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI3B1DBY", "worker_id": "AHU9OLV0YKIIW"}], "B08WJFNJ29": [{"asin": "B08WJFNJ29", "instruction": "i'm looking for a plant based healthy snacks which is gmo free and gluten free. also, choose a pack of 2 with coconut cashew pineapple mix and banana flavored one.", "attributes": ["gmo free", "plant based", "gluten free"], "options": ["flavor name: coconut cashew pineapple mix and banana", "size: 2 pack"], "instruction_attributes": ["gmo free", "plant based", "gluten free"], "instruction_options": ["coconut cashew pineapple mix and banana", "2 pack"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH0T6HL", "worker_id": "AR0VJ5XRG16UJ"}], "B07D6RZQD3": [{"asin": "B07D6RZQD3", "instruction": "i am looking for a women's xx-large oatmeal | navy iowa state cyclones relaxed fit , fleece lined asym redux hoodie made by ouray sportswear.", "attributes": ["fleece lined", "button closure", "relaxed fit"], "options": ["color: oatmeal | navy", "size: xx-large", "team name: iowa state cyclones"], "instruction_attributes": ["fleece lined", "relaxed fit"], "instruction_options": ["oatmeal | navy", "xx-large", "iowa state cyclones"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPY0G03", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B07D6RZQD3", "instruction": "i would like a fleece lined extra large navy mississippi state bulldog sweatshirt.", "attributes": ["fleece lined", "button closure", "relaxed fit"], "options": ["color: navy heather", "size: x-large", "team name: mississippi state bulldogs"], "instruction_attributes": ["fleece lined"], "instruction_options": ["navy heather", "x-large", "mississippi state bulldogs"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83NQJI3", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07D6RZQD3", "instruction": "i am looking for relaxed fit small size hood.", "attributes": ["fleece lined", "button closure", "relaxed fit"], "options": ["color: charcoal heather", "size: small", "team name: navy midshipmen"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["small"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLW3DAW", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07D6RZQD3", "instruction": "i am looking for medium sized and relaxed fitted men hoddie.", "attributes": ["fleece lined", "button closure", "relaxed fit"], "options": ["color: premium heather | royal heather", "size: medium", "team name: purdue boilermakers"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["medium"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80DCQ18", "worker_id": "A3FG5PQHG5AH3Y"}], "B0963DN2YZ": [{"asin": "B0963DN2YZ", "instruction": "i am looking for queen size , super soft terracotta comforter set with 2 pillowcases and its color is 2-white chevron", "attributes": ["machine washable", "queen size", "super soft"], "options": ["color: 2-white chevron", "size: twin"], "instruction_attributes": ["queen size", "super soft"], "instruction_options": ["2-white chevron"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYCOEI1", "worker_id": "AX2EWYWZM19AZ"}], "B09JLG556W": [{"asin": "B09JLG556W", "instruction": "i am looking for a rechargeable and portable hair removal device which is easy to carry. also choose white color.", "attributes": ["easy carry", "hair removal"], "options": [""], "instruction_attributes": ["easy carry", "hair removal"], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4C7RQ8", "worker_id": "A1V2JTEEBCXR20"}], "B076HN7HY7": [{"asin": "B076HN7HY7", "instruction": "i am looking a king size box spring bed with metal leg colour black", "attributes": ["metal legs", "box spring"], "options": ["color: black", "size: king"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXS1YLS", "worker_id": "A3N9ZYQAESNFQH"}], "B09LXMCTN9": [{"asin": "B09LXMCTN9", "instruction": "i am looking for deluxe faux leather, box spring, easy assemble , wood bed frame with led headboard and color is black and queen size", "attributes": ["assembly required", "easy assemble", "box spring", "faux leather", "king size", "memory foam", "wood frame"], "options": ["color: black", "size: queen"], "instruction_attributes": ["easy assemble", "box spring", "faux leather", "wood frame"], "instruction_options": ["black", "queen"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BODCONJ", "worker_id": "AX2EWYWZM19AZ"}], "B07ZHGYP5C": [{"asin": "B07ZHGYP5C", "instruction": "i want an easy to use cd player that has batteries included.", "attributes": ["batteries included", "easy use"], "options": [""], "instruction_attributes": ["batteries included", "easy use"], "instruction_options": [], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4Z60HH", "worker_id": "A1NF6PELRKACS9"}], "B093YS5HNS": [{"asin": "B093YS5HNS", "instruction": "i'm looking for clothing need to buy it .", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGXZTW3", "worker_id": "A16IQOX0DK14OJ"}], "B01CPVOVNS": [{"asin": "B01CPVOVNS", "instruction": "i'm looking for white finish for kitchen and it was assembly required.", "attributes": ["assembly required", "white finish"], "options": [""], "instruction_attributes": ["assembly required", "white finish"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLZTVAR", "worker_id": "A16IQOX0DK14OJ"}], "B09BCFFSGL": [{"asin": "B09BCFFSGL", "instruction": "i am looking for a queen size foam mattress that has 9 inch desnsity. please choose the black & white color", "attributes": ["queen size", "high density", "memory foam"], "options": ["color: black & white", "size: twin xl", "style: 9 inch"], "instruction_attributes": ["queen size", "memory foam"], "instruction_options": ["black & white", "9 inch"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WW4A11", "worker_id": "A2COCSUGZV28X"}], "B0915NK2BY": [{"asin": "B0915NK2BY", "instruction": "i am looking for women hair removal rechargeable razor. please select white color.", "attributes": ["long lasting", "easy use", "stainless steel", "hair removal"], "options": ["color: white"], "instruction_attributes": ["hair removal"], "instruction_options": ["white"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4822SYPG", "worker_id": "A3FG5PQHG5AH3Y"}], "B08LR49S3W": [{"asin": "B08LR49S3W", "instruction": "i am lookin g for a nut free, gluten free cake toppers", "attributes": ["nut free", "gluten free"], "options": [""], "instruction_attributes": ["nut free", "gluten free"], "instruction_options": [], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G78674I", "worker_id": "A9QRQL9CFJBI7"}], "B07MJRWZD3": [{"asin": "B07MJRWZD3", "instruction": "i want to get a black twin size bed frame.", "attributes": ["twin size", "white item", "engineered wood", "box spring"], "options": ["color: black"], "instruction_attributes": ["twin size"], "instruction_options": ["black"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX5LFA3", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B07MJRWZD3", "instruction": "i am looking for a twin size bed that has storage. pick a cherry color.", "attributes": ["twin size", "white item", "engineered wood", "box spring"], "options": ["color: cherry"], "instruction_attributes": ["twin size"], "instruction_options": ["cherry"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMZU3W6", "worker_id": "A1NF6PELRKACS9"}], "B092S9J53G": [{"asin": "B092S9J53G", "instruction": "i'm looking for teeth whitening for oral care whitening kits.", "attributes": ["teeth whitening", "easy use"], "options": ["color: 1 tooth whitening trays"], "instruction_attributes": ["teeth whitening", "easy use"], "instruction_options": ["1 tooth whitening trays"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR02518AK6", "worker_id": "A16IQOX0DK14OJ"}], "B08J846WMR": [{"asin": "B08J846WMR", "instruction": "i am looking for a faux leather storage ottoman.", "attributes": ["high density", "faux leather"], "options": [""], "instruction_attributes": ["faux leather"], "instruction_options": [], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CYP3B3", "worker_id": "A9ZM1P6LBW79"}], "B081PKZTY6": [{"asin": "B081PKZTY6", "instruction": "i'm looking for rubber sole hiking shoe and it was grey steel in clor.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: ti grey steel | koi", "size: 13"], "instruction_attributes": ["rubber outsole", "rubber sole"], "instruction_options": ["ti grey steel | koi"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSJY62U", "worker_id": "A16IQOX0DK14OJ"}], "B09JJ9SF5C": [{"asin": "B09JJ9SF5C", "instruction": "i'm looking for short sleeve clothing it makes feel comfortable.", "attributes": ["long sleeve", "short sleeve"], "options": ["color: christmas pjs - 26 - red", "size: 6-12 months", "special size type: kid"], "instruction_attributes": ["short sleeve"], "instruction_options": ["christmas pjs - 26 - red", "6-12 months"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NJFBKO", "worker_id": "A16IQOX0DK14OJ"}], "B09QPZS86G": [{"asin": "B09QPZS86G", "instruction": "i'm looking for clothing for water resistant and fleece lined.", "attributes": ["straight leg", "loose fit", "water resistant", "fleece lined", "quality polyester", "gym workout"], "options": ["color: clear", "size: medium"], "instruction_attributes": ["straight leg", "water resistant", "fleece lined"], "instruction_options": ["clear"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4CCRQD", "worker_id": "A16IQOX0DK14OJ"}], "B08YFKCG9Q": [{"asin": "B08YFKCG9Q", "instruction": "i'm looking for a tea tree oil shampoo.", "attributes": ["sulfate free", "tea tree", "natural hair", "hair treatment", "damaged hair", "hair growth"], "options": [""], "instruction_attributes": ["tea tree"], "instruction_options": [], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AM9OEU", "worker_id": "ARQ05PDNXPFDI"}], "B083JZFDD3": [{"asin": "B083JZFDD3", "instruction": "i want easy to install blackout curtains for my living room. i need it in tribeca indigo color.", "attributes": ["machine washable", "easy install", "living room"], "options": ["color: tribeca indigo", "size: 2x42x45in"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["tribeca indigo"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUJLC3F", "worker_id": "A1NF6PELRKACS9"}], "B09BHZXV44": [{"asin": "B09BHZXV44", "instruction": "i am looking for wooden bed frame of gray color.", "attributes": ["twin size", "space saving", "wood frame", "box spring", "solid wood", "storage space"], "options": ["color: gray-3"], "instruction_attributes": ["wood frame"], "instruction_options": ["gray-3"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH379WSEB", "worker_id": "A3FG5PQHG5AH3Y"}], "B09S131KBS": [{"asin": "B09S131KBS", "instruction": "i am looking for a g_pink short sleeves shirts for man", "attributes": ["machine wash", "short sleeve", "button closure", "long sleeve"], "options": ["color: g_pink", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["g_pink"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N22H6GR", "worker_id": "A9QRQL9CFJBI7"}], "B0743WP62Q": [{"asin": "B0743WP62Q", "instruction": "i am looking for a nv4108e-hs size of motion detection surveillance video recorders", "attributes": ["plug play", "motion detection"], "options": ["size: nv4108e-hs"], "instruction_attributes": ["motion detection"], "instruction_options": ["nv4108e-hs"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TNJ3N8", "worker_id": "A9QRQL9CFJBI7"}], "B0922DVVD9": [{"asin": "B0922DVVD9", "instruction": "i'm looking for natural ingredients for tattoo cleansing product.", "attributes": ["easy use", "natural ingredients"], "options": [""], "instruction_attributes": ["easy use", "natural ingredients"], "instruction_options": [], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UP4ZEX", "worker_id": "A16IQOX0DK14OJ"}], "B09QXJ2TP5": [{"asin": "B09QXJ2TP5", "instruction": "i'm looking for hair growth and solutions for damaged hair for hair extenisons.", "attributes": ["natural ingredients", "hair growth", "hair loss", "damaged hair"], "options": ["size: 5 pcs"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB149UL9", "worker_id": "A16IQOX0DK14OJ"}], "B07Z37GJCD": [{"asin": "B07Z37GJCD", "instruction": "i am looking for a halloween jacko lantern gift basket with handles to put candy chocolates.", "attributes": ["valentine day", "great gift", "gift basket"], "options": ["style: halloween jackolantern"], "instruction_attributes": ["gift basket"], "instruction_options": ["halloween jackolantern"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH2OH6V", "worker_id": "AHU9OLV0YKIIW"}], "B08KGFBJDF": [{"asin": "B08KGFBJDF", "instruction": "i am looking high quality long lasting travel size parfum prada luna rossa impression", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: prada luna rossa impression"], "instruction_attributes": ["travel size", "long lasting", "high quality"], "instruction_options": ["prada luna rossa impression"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y7WIVG", "worker_id": "A3N9ZYQAESNFQH"}], "B09RQQ3BBS": [{"asin": "B09RQQ3BBS", "instruction": "i want a thin and light weight men's boxers that is black in color.", "attributes": ["light weight", "hand wash", "fashion design"], "options": ["color: a black", "size: large"], "instruction_attributes": ["light weight"], "instruction_options": ["a black"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYOVN7L", "worker_id": "A1NF6PELRKACS9"}], "B07J4RH99Y": [{"asin": "B07J4RH99Y", "instruction": "i'm looking for a toothpaste vegan with coconut oil", "attributes": ["fluoride free", "paraben free", "cruelty free", "tea tree", "coconut oil", "bad breath"], "options": [""], "instruction_attributes": ["coconut oil"], "instruction_options": [], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW8QS88", "worker_id": "A2Y2TURT2VEYZN"}], "B07JCS7ZJ4": [{"asin": "B07JCS7ZJ4", "instruction": "i am looking for a white usb cables with high performance", "attributes": ["gold plated", "high performance", "plug play", "high speed", "usb port"], "options": ["color: white", "size: 2ft"], "instruction_attributes": ["high performance"], "instruction_options": ["white"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5SM5FR", "worker_id": "A9QRQL9CFJBI7"}], "B08GKQ1JZ4": [{"asin": "B08GKQ1JZ4", "instruction": "i am looking for a hands free z-floral color flip cases", "attributes": ["hands free", "wireless charging"], "options": ["color: z-floral"], "instruction_attributes": ["hands free"], "instruction_options": ["z-floral"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBFGGHJ", "worker_id": "A9QRQL9CFJBI7"}], "B08WWRCK83": [{"asin": "B08WWRCK83", "instruction": "i am looking for a double locker outlet wall plate cover and should be of a high gloss.", "attributes": ["heavy duty", "high gloss"], "options": ["style: double rocker | gfci"], "instruction_attributes": ["high gloss"], "instruction_options": ["double rocker | gfci"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIID00O", "worker_id": "AHU9OLV0YKIIW"}], "B078YFJXM3": [{"asin": "B078YFJXM3", "instruction": "i'm looking for long sleeve sweater dry cleaned caramel cafe colored because its easy to dry.", "attributes": ["hand wash", "long sleeve", "dry clean"], "options": ["color: caramel cafe", "size: small"], "instruction_attributes": ["long sleeve", "dry clean"], "instruction_options": ["caramel cafe"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPINA589", "worker_id": "A16IQOX0DK14OJ"}], "B00H7OVW2C": [{"asin": "B00H7OVW2C", "instruction": "i need a small intel desktop.", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["core i5", "intel core"], "instruction_options": [], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWCSFNV", "worker_id": "A19317A3X87NVM"}], "B08PDTPKZS": [{"asin": "B08PDTPKZS", "instruction": "i would like a 6 ounce package of non gmo basil pesto seasoned rice.", "attributes": ["high protein", "plant based", "dairy free", "non gmo", "low sugar", "gluten free", "nut free", "soy free"], "options": ["flavor name: basil pesto", "size: 6 ounce (pack of 3)"], "instruction_attributes": ["non gmo"], "instruction_options": ["basil pesto", "6 ounce (pack of 3)"], "assignment_id": "33TIN5LC0FKDY31374RC144TX0FY9U", "worker_id": "A1WS884SI0SLO4"}], "B09L7W3DSQ": [{"asin": "B09L7W3DSQ", "instruction": "i am looking for a super soft fleece throw & blankets of multicolor.", "attributes": ["super soft", "fleece throw"], "options": ["color: multicolor", "size: 60x80inch"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["multicolor"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZIKKMN", "worker_id": "A9QRQL9CFJBI7"}], "B084MN7WRR": [{"asin": "B084MN7WRR", "instruction": "i am searching for a wall mounted floating shelf for my living room. it should be 24 inch size and natural color.", "attributes": ["wall mounted", "easy assemble", "storage space", "living room"], "options": ["color: natural", "size: 24 inch"], "instruction_attributes": ["wall mounted", "living room"], "instruction_options": ["24 inch"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1Y0QHEU", "worker_id": "A9ZM1P6LBW79"}], "B08JZGZXGC": [{"asin": "B08JZGZXGC", "instruction": "i am looking a coconut flavor gmo free chocolate", "attributes": ["gmo free", "artificial colors"], "options": ["flavor name: coconut", "size: 5.53 ounce (pack of 1)"], "instruction_attributes": [], "instruction_options": ["coconut"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPNLYSK", "worker_id": "A3N9ZYQAESNFQH"}], "B07T1N2R4W": [{"asin": "B07T1N2R4W", "instruction": "i am looking for bpa free tongue scrubber with cap.", "attributes": ["bpa free", "easy use", "bad breath"], "options": ["size: 1 count (pack of 1)", "style: with cap"], "instruction_attributes": ["bpa free"], "instruction_options": ["with cap"], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW6A6VV6", "worker_id": "A3FG5PQHG5AH3Y"}], "B00IYTQKOO": [{"asin": "B00IYTQKOO", "instruction": "i'm looking for gluten free it contains high protein need to buy a nut free.", "attributes": ["gluten free", "nut free", "non gmo"], "options": ["flavor: whole eggs", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["gluten free", "nut free"], "instruction_options": ["whole eggs"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4I08M2", "worker_id": "A16IQOX0DK14OJ"}], "B077VWRYX2": [{"asin": "B077VWRYX2", "instruction": "i am looking a small size regular fit machine wash active hoodies color :crew blue", "attributes": ["machine wash", "regular fit"], "options": ["color: crew blue", "size: small"], "instruction_attributes": ["machine wash", "regular fit"], "instruction_options": ["crew blue", "small"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVMCXLQ", "worker_id": "A3N9ZYQAESNFQH"}], "B07G8PHGTX": [{"asin": "B07G8PHGTX", "instruction": "i need a power cord cable for blu ray player sound bar", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLZ8VA6", "worker_id": "A258PTOZ3D2TQR"}], "B00004RDMR": [{"asin": "B00004RDMR", "instruction": "i'm looking for a nikon coolpix 990 3.34mp digital camera .", "attributes": ["optical zoom", "usb port"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB3H5YT", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07669T46Z": [{"asin": "B07669T46Z", "instruction": "i'm looking for lumbar support for home office desk chairs.", "attributes": ["heavy duty", "lumbar support"], "options": ["color: bonded leather gray", "style: microfiber"], "instruction_attributes": ["heavy duty"], "instruction_options": ["bonded leather gray", "microfiber"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCJKIPK", "worker_id": "A16IQOX0DK14OJ"}], "B07RHRYHDM": [{"asin": "B07RHRYHDM", "instruction": "i am looking 5 no. rubber sole of trail running", "attributes": ["lace closure", "rubber sole"], "options": ["color: light aluminum | black | team carolina", "size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["5"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY78U0C", "worker_id": "A9QRQL9CFJBI7"}], "B09SHJKB1R": [{"asin": "B09SHJKB1R", "instruction": "i'm looking to buy a quick drying bathing suit in brown and medium size.", "attributes": ["quick drying", "quality polyester"], "options": ["color: brown", "size: medium"], "instruction_attributes": ["quick drying"], "instruction_options": ["brown", "medium"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8FKR5T", "worker_id": "A2YNPKYEFDZ6C9"}], "B09PN85JYS": [{"asin": "B09PN85JYS", "instruction": "i'm looking for home decor products it was in living room.", "attributes": ["ready use", "living room"], "options": ["color: pattern-2", "size: 83.8 x 63 inch(41.9 x 63 inch*2pes)"], "instruction_attributes": ["living room"], "instruction_options": ["pattern-2"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OWSEYF", "worker_id": "A16IQOX0DK14OJ"}], "B0744MQDVZ": [{"asin": "B0744MQDVZ", "instruction": "i am looking for high quality bathing accessories in white color", "attributes": ["high quality", "long handle", "dead skin"], "options": ["color: white"], "instruction_attributes": ["high quality"], "instruction_options": ["white"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IQ632R", "worker_id": "A2MSIFDLOHI1UT"}], "B092Z86J79": [{"asin": "B092Z86J79", "instruction": "i'm looking for wood framed wall art through the wall.", "attributes": ["ready hang", "wood frame", "solid wood"], "options": ["color: slh-4031", "size: 36\"wx48\"hx3pcs"], "instruction_attributes": ["ready hang", "wood frame"], "instruction_options": ["slh-4031"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2XV94V", "worker_id": "A16IQOX0DK14OJ"}], "B01EUZV5Z4": [{"asin": "B01EUZV5Z4", "instruction": "i am looking for a gluten free, plant based and non gmo classic chocolate & hazelnut spreads", "attributes": ["gluten free", "usda organic", "plant based", "non gmo", "dietary fiber"], "options": ["style: classic chocolate"], "instruction_attributes": ["gluten free", "plant based", "non gmo"], "instruction_options": ["classic chocolate"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIS584Z", "worker_id": "A9QRQL9CFJBI7"}], "B06WVC3FXV": [{"asin": "B06WVC3FXV", "instruction": "i'm looking for a nail treatment kit that is easy to use and certified cruelty free. also choose a pack of 2 which weighs 0.5 fl oz with bamboo & biotin 5 in 1 nail treatment kit.", "attributes": ["travel size", "cruelty free", "easy use"], "options": ["color: bamboo & biotin 5 in 1 nail treatment", "size: 0.5 fl oz (pack of 2)"], "instruction_attributes": ["cruelty free", "easy use"], "instruction_options": [], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZVSANO", "worker_id": "AR0VJ5XRG16UJ"}], "B08PP69X95": [{"asin": "B08PP69X95", "instruction": "i'm looking for clothing for unique design need to buy a lace pink color.", "attributes": ["slim fit", "quality polyester", "unique design"], "options": ["color: lace pink", "size: medium"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU9ECM5", "worker_id": "A16IQOX0DK14OJ"}], "B09QHFV7Q7": [{"asin": "B09QHFV7Q7", "instruction": "i would like a b002c30 rod pocket window panel that is machine washable.", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: b002c30", "size: rod pocket-w 42 l 84"], "instruction_attributes": ["machine washable"], "instruction_options": ["b002c30", "rod pocket-w 42 l 84"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SD6WRZ", "worker_id": "A1WS884SI0SLO4"}], "B09NC669P3": [{"asin": "B09NC669P3", "instruction": "i want a white colored pair of sandals that has high heels with an ankle strap.", "attributes": ["open toe", "knee high", "high heel", "ankle strap", "closed toe"], "options": ["color: white", "size: 9"], "instruction_attributes": ["high heel", "ankle strap"], "instruction_options": ["white"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX9QFCR", "worker_id": "A1NF6PELRKACS9"}], "B09S5QZHVL": [{"asin": "B09S5QZHVL", "instruction": "i am looking for a starlight band compatible with apple watch size 38/40/421mm.", "attributes": ["compatible apple", "high definition"], "options": ["color: starlight", "size: 38 | 40 | 41mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["starlight", "38 | 40 | 41mm"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V42U24", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B09S5QZHVL", "instruction": "i'm looking for green color 44mm sized smart watch band compatible with apple watch", "attributes": ["compatible apple", "high definition"], "options": ["color: green", "size: 42 | 44 | 45mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["green"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9BVN88", "worker_id": "A258PTOZ3D2TQR"}], "B08443XV9W": [{"asin": "B08443XV9W", "instruction": "i am looking for sulfate free, paraben free , tea tree triple treat invigorating shampoo & conditioner set", "attributes": ["sulfate free", "cruelty free", "paraben free", "tea tree", "hair treatment"], "options": ["color: tea tree triple treat (tea tree botanicals)", "size: 24 fl oz (pack of 2)"], "instruction_attributes": ["sulfate free", "paraben free"], "instruction_options": ["tea tree triple treat (tea tree botanicals)"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KEIDPJ", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B08443XV9W", "instruction": "i'm looking for a giovanni tea tree shampoo and conditioner set that helps with dry scalp and hair treatment. i would like it in the 8.5 fl oz two pack, with the 505:50 ph balance with aloe and sunflower oil.", "attributes": ["sulfate free", "cruelty free", "paraben free", "tea tree", "hair treatment"], "options": ["color: 50:50 ph balance (aloe + sunflower oil)", "size: 8.5 fl oz (pack of 2)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVQKLXU", "worker_id": "AMI0SOF51O3FW"}], "B07W311PVT": [{"asin": "B07W311PVT", "instruction": "i'm looking for nickel finish for ceiling fan for home improvement.", "attributes": ["clear glass", "nickel finish", "light fixture"], "options": [""], "instruction_attributes": ["nickel finish"], "instruction_options": [], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYX663D", "worker_id": "A16IQOX0DK14OJ"}], "B08BDZQRWG": [{"asin": "B08BDZQRWG", "instruction": "i need a straight leg jeans that is original fit. it should be medium stonewash in color.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: medium stonewash", "size: 34w x 32l"], "instruction_attributes": ["straight leg"], "instruction_options": ["medium stonewash"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AKYTSJ", "worker_id": "A1NF6PELRKACS9"}], "B09PL6DG3V": [{"asin": "B09PL6DG3V", "instruction": "buy me a 4x-large sized long sleeved shirt made from soft material in g05#black color.", "attributes": ["long sleeve", "contrast color", "soft material"], "options": ["color: g05#black", "size: 4x-large"], "instruction_attributes": ["long sleeve", "soft material"], "instruction_options": ["g05#black", "4x-large"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E031X7D", "worker_id": "A3AYHESLQSDY5T"}], "B07KJXY6R1": [{"asin": "B07KJXY6R1", "instruction": "i am looking for a 16inch x 16inch x 3 panels of posters & prints for dining room", "attributes": ["ready hang", "dining room", "living room"], "options": ["color: calla lily", "size: 16inch x 16inch x 3 panels"], "instruction_attributes": ["dining room"], "instruction_options": ["16inch x 16inch x 3 panels"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QSGXO8", "worker_id": "A9QRQL9CFJBI7"}], "B01HJWDNKA": [{"asin": "B01HJWDNKA", "instruction": "i am looking high speed blu ray hdmi cable vedio cable 8 feet color:5 pack", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 5 pack", "size: 8 feet (3-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "blu ray"], "instruction_options": ["5 pack", "8 feet (3-pack)"], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTDRR6ZU", "worker_id": "A3N9ZYQAESNFQH"}], "B08TR8N884": [{"asin": "B08TR8N884", "instruction": "leak prrof free refillable plastic containers of 2 count pack of 1", "attributes": ["bpa free", "leak proof"], "options": ["size: 2 count (pack of 1)"], "instruction_attributes": ["leak proof"], "instruction_options": ["2 count (pack of 1)"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBENWZKF", "worker_id": "A10OGH5CQBXL5N"}], "B083S43TLD": [{"asin": "B083S43TLD", "instruction": "i'm looking for storage case for toothbrush travel containers and need to buy it.", "attributes": ["high quality", "storage case"], "options": [""], "instruction_attributes": ["high quality", "storage case"], "instruction_options": [], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUHU5SM", "worker_id": "A16IQOX0DK14OJ"}], "B003LZN6O8": [{"asin": "B003LZN6O8", "instruction": "i'm looking for black clothing out because it can easily machine wahsable.", "attributes": ["water resistant", "machine washable", "arch support", "rubber sole"], "options": ["color: black", "size: 9-10 narrow"], "instruction_attributes": ["machine washable"], "instruction_options": ["black"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TSNMPN", "worker_id": "A16IQOX0DK14OJ"}], "B08SVZFFPP": [{"asin": "B08SVZFFPP", "instruction": "i'm looking for usb port for computer accessories.", "attributes": ["high speed", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYNMHDW", "worker_id": "A16IQOX0DK14OJ"}], "B09R1T4VWW": [{"asin": "B09R1T4VWW", "instruction": "i am looking for a c color toothpaste for teeth whitening and sensitive teeth", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: c"], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": ["c"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9FPRZZ", "worker_id": "A9QRQL9CFJBI7"}], "B0888NJ8QL": [{"asin": "B0888NJ8QL", "instruction": "i am looking for a gray color hdmi cables with high speed and blu ray", "attributes": ["high speed", "blu ray", "ultra hd", "gold plated"], "options": ["color: gray", "size: 3 feet"], "instruction_attributes": ["high speed", "blu ray"], "instruction_options": ["gray"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4IN156", "worker_id": "A9QRQL9CFJBI7"}], "B004D6044O": [{"asin": "B004D6044O", "instruction": "i'm looking for a vegetable snacks that is free from nuts and gluten. also, choose pack of 24 weighing 1 ounce with mixed (variety) flavored one.", "attributes": ["nut free", "non gmo", "gluten free", "0g trans"], "options": ["flavor name: variety pack", "size: 1 ounce (pack of 24)"], "instruction_attributes": ["nut free", "gluten free"], "instruction_options": ["variety pack", "1 ounce (pack of 24)"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53W8GKB", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B004D6044O", "instruction": "this simply 7 lentil chips product is delicious and also non-gmo, gluten-free and nut-free. i'm looking for a creamy dill flavor, 4 oz bag (pack of 12).", "attributes": ["nut free", "non gmo", "gluten free", "0g trans"], "options": ["flavor name: creamy dill", "size: 4 piece assortment"], "instruction_attributes": ["nut free", "non gmo", "gluten free"], "instruction_options": ["creamy dill"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZBWPA4", "worker_id": "A15IJ20C3R4HUO"}], "B09MZ7L3S3": [{"asin": "B09MZ7L3S3", "instruction": "i am looking for red color bath & body brushes for dry skin", "attributes": ["high quality", "dead skin", "dry skin"], "options": ["color: red"], "instruction_attributes": ["dry skin"], "instruction_options": ["red"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ARUWBD", "worker_id": "A9QRQL9CFJBI7"}], "B0746FSYRB": [{"asin": "B0746FSYRB", "instruction": "i would like a boom box with stereo sound.", "attributes": ["output protection", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP83NZ70", "worker_id": "A1WS884SI0SLO4"}], "B09Q93ZRQ6": [{"asin": "B09Q93ZRQ6", "instruction": "i need a pair of gray workout pants with a butt lift.", "attributes": ["butt lifting", "high waist", "tummy control", "gym workout"], "options": ["color: gray", "size: medium"], "instruction_attributes": ["butt lifting", "gym workout"], "instruction_options": ["gray"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163S9PQ0", "worker_id": "A19317A3X87NVM"}], "B09RFHRZJB": [{"asin": "B09RFHRZJB", "instruction": "i am looking green color wireless bluetooth speaker", "attributes": ["long lasting", "hands free", "high definition", "wireless bluetooth", "stereo sound"], "options": ["color: green"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["green"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LI9PS8", "worker_id": "A16M39T60N60NO"}], "B08F2QT47F": [{"asin": "B08F2QT47F", "instruction": "i am looking for a low sugar granola bar that is soy and diary free. pick the pack of 3 weighing 10 ounces.", "attributes": ["low sugar", "soy free", "dairy free", "non gmo"], "options": ["flavor name: cacao crisp", "size: 10 ounce (pack of 3)"], "instruction_attributes": ["low sugar", "soy free", "dairy free"], "instruction_options": ["10 ounce (pack of 3)"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN67T5GX", "worker_id": "A1NF6PELRKACS9"}], "B0982SCLBG": [{"asin": "B0982SCLBG", "instruction": "i'm looking for a couple of laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFGSMVC", "worker_id": "A19317A3X87NVM"}], "B09FL2CYP9": [{"asin": "B09FL2CYP9", "instruction": "i need a stainless steel nail dust collector machine for creating nail art.", "attributes": ["easy clean", "stainless steel", "nail art"], "options": [""], "instruction_attributes": ["stainless steel", "nail art"], "instruction_options": [], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD1CIRG", "worker_id": "A1NF6PELRKACS9"}], "B07QGFDMTM": [{"asin": "B07QGFDMTM", "instruction": "i am looking for a large size men's t-shirt for gym workout with classic fit. also choose purple in color.", "attributes": ["needle sleeve", "classic fit", "gym workout"], "options": ["color: purple", "fit type: men", "size: large"], "instruction_attributes": ["classic fit", "gym workout"], "instruction_options": ["purple", "men", "large"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYRTXFQ", "worker_id": "A2HMEGTAFO0CS8"}], "B01BF6UWTQ": [{"asin": "B01BF6UWTQ", "instruction": "i'm looking for anti aging beauty personal products that facial moisturizer skin.", "attributes": ["anti aging", "clinically proven", "fine lines"], "options": ["color: 10 ivory fair"], "instruction_attributes": ["anti aging"], "instruction_options": ["10 ivory fair"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM490E4X1", "worker_id": "A16IQOX0DK14OJ"}], "B09MBKD392": [{"asin": "B09MBKD392", "instruction": "please can i have one skinny pina colada which is sugar free and non gmo?", "attributes": ["sugar free", "non gmo"], "options": ["flavor: pina colada", "size: pack of 1"], "instruction_attributes": ["sugar free", "non gmo"], "instruction_options": ["pina colada", "pack of 1"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S10MGJ", "worker_id": "AHU9OLV0YKIIW"}], "B0009NZQRU": [{"asin": "B0009NZQRU", "instruction": "i'm looking for a bench style farmhouse in white color", "attributes": ["assembly required", "white finish"], "options": [""], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB15PULR", "worker_id": "A2Y2TURT2VEYZN"}], "B07R8WZR55": [{"asin": "B07R8WZR55", "instruction": "certified organic 100% pure & natural sweet almond oil", "attributes": ["certified organic", "dark circles"], "options": ["scent: almond"], "instruction_attributes": ["certified organic"], "instruction_options": ["almond"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KU19J2", "worker_id": "A10OGH5CQBXL5N"}], "B09RJMTVP6": [{"asin": "B09RJMTVP6", "instruction": "i am looking for tempered glass for samsung galaxy s22 ultra.", "attributes": ["high definition", "glass screen", "tempered glass"], "options": ["color: s22 ultra"], "instruction_attributes": ["tempered glass"], "instruction_options": ["s22 ultra"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A219PHTU", "worker_id": "A3FG5PQHG5AH3Y"}], "B09FG2F7S7": [{"asin": "B09FG2F7S7", "instruction": "i would like a epilator for hair removal.", "attributes": ["hair removal", "permanent hair"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKL7D79", "worker_id": "A1WS884SI0SLO4"}], "B07X344YLM": [{"asin": "B07X344YLM", "instruction": "i'm looking for a foundation brush that i can use on very sensitive skin. i would also like it to be a coloured brush.", "attributes": ["easy carry", "easy clean", "sensitive skin"], "options": ["color: a"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["a"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0D316R", "worker_id": "A3EDFA8UQT5GG8"}], "B0068VW22E": [{"asin": "B0068VW22E", "instruction": "i'm looking for gluten free, fat free and sugar free natural strawberry jel dessert", "attributes": ["sugar free", "fat free", "keto friendly", "non gmo", "lactose free", "gluten free", "low fat", "artificial colors"], "options": [""], "instruction_attributes": ["sugar free", "fat free", "gluten free"], "instruction_options": [], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIGMVFM", "worker_id": "A258PTOZ3D2TQR"}], "B08MWSHXLX": [{"asin": "B08MWSHXLX", "instruction": "i want paraben free hair treatment hair mask for healthy hair size: 120ml+cs", "attributes": ["paraben free", "hair treatment"], "options": ["size: 120ml+cs+mask"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733N2EBS", "worker_id": "A3N9ZYQAESNFQH"}], "B09QVDMJN2": [{"asin": "B09QVDMJN2", "instruction": "i am looking for a non-slip sandals for my wife that is blue in color. and please choose the 5.5 size", "attributes": ["non slip", "leather sole"], "options": ["color: light blue", "size: 5.5"], "instruction_attributes": ["non slip"], "instruction_options": ["light blue", "5.5"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA931YZ3S", "worker_id": "A2COCSUGZV28X"}], "B076HZF1K2": [{"asin": "B076HZF1K2", "instruction": "i would like to buy a full sized box spring bed that has storage drawers.", "attributes": ["twin size", "contemporary design", "box spring"], "options": ["color: ivory velvet", "size: full", "style: bed"], "instruction_attributes": ["box spring"], "instruction_options": ["full", "bed"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOEV1WP", "worker_id": "AHXHM1PQTRWIQ"}, {"asin": "B076HZF1K2", "instruction": "i am searching for contemporary design, black linen king size tufted upholstered platform bed with storage drawers", "attributes": ["twin size", "contemporary design", "box spring"], "options": ["color: black linen", "size: king", "style: bed with storage drawers"], "instruction_attributes": ["contemporary design"], "instruction_options": ["black linen", "king"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC7HUKP", "worker_id": "A258PTOZ3D2TQR"}], "B09QM21BVR": [{"asin": "B09QM21BVR", "instruction": "i would like a medium sized with sleep set that i can hand wash.", "attributes": ["hand wash", "slim fit", "long sleeve", "dry clean"], "options": ["color: 001-white", "size: medium"], "instruction_attributes": ["hand wash"], "instruction_options": ["001-white", "medium"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67NT4N8", "worker_id": "A1WS884SI0SLO4"}], "B097DCP8Q1": [{"asin": "B097DCP8Q1", "instruction": "i am looking for double rod silver color professional hair cutting kit for men", "attributes": ["easy use", "hair cutting"], "options": ["color: double rod silver"], "instruction_attributes": ["hair cutting"], "instruction_options": ["double rod silver"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTORLPG", "worker_id": "A258PTOZ3D2TQR"}], "B09MT7PLFZ": [{"asin": "B09MT7PLFZ", "instruction": "i'm looking for clothing for elastic waisted it will use for machine wash need to buy it.", "attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "dry clean"], "options": ["color: multi 7", "size: large"], "instruction_attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "dry clean"], "instruction_options": ["multi 7"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDPFHR6", "worker_id": "A16IQOX0DK14OJ"}], "B08QGM82GC": [{"asin": "B08QGM82GC", "instruction": "i'm looking for bags for travel usage. it easy to carry .", "attributes": ["travel size", "high quality", "easy use", "fine mist"], "options": ["color: su.s-brown"], "instruction_attributes": ["travel size", "easy use"], "instruction_options": ["su.s-brown"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJN70W5", "worker_id": "A16IQOX0DK14OJ"}], "B08KDM37FK": [{"asin": "B08KDM37FK", "instruction": "i am looking for a pair of women's high heel stilettos in a size 7.", "attributes": ["high heel", "ankle strap", "rubber sole"], "options": ["color: light blue suede", "size: 7"], "instruction_attributes": ["high heel"], "instruction_options": ["7"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXL5Z2K", "worker_id": "A1EREKSZAA9V7B"}], "B08XW7K2BQ": [{"asin": "B08XW7K2BQ", "instruction": "i'm looking for apple watch brands it can easily install any.", "attributes": ["compatible apple", "easy install"], "options": ["color: b tie dye", "size: 42mm | 44mm | 45mm s | m"], "instruction_attributes": ["compatible apple", "easy install"], "instruction_options": ["b tie dye"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54R6384", "worker_id": "A16IQOX0DK14OJ"}], "B08FZT1XSC": [{"asin": "B08FZT1XSC", "instruction": "i'm looking for a keto friendly kassumay strawberry hibiscus sabddariffa spread.", "attributes": ["keto friendly", "non gmo"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3137ONMDKRFU787KL9LSMIY0J0HEGW", "worker_id": "A1Q0EUNCS50S8M"}], "B09QXH784K": [{"asin": "B09QXH784K", "instruction": "i am looking for a 11\" sized walking boots for outdoor activities. and i would go for the black one", "attributes": ["anti slip", "open toe", "non slip", "quality materials", "closed toe", "memory foam", "rubber sole"], "options": ["color: black", "size: 11"], "instruction_attributes": ["anti slip"], "instruction_options": ["black", "11"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPB9ROK", "worker_id": "A2COCSUGZV28X"}], "B09Q348M72": [{"asin": "B09Q348M72", "instruction": "i want a light beige full platform bed with a headboard. it should be easy to assemble.", "attributes": ["non slip", "easy assemble", "box spring", "metal legs", "memory foam"], "options": ["color: light beige", "size: queen"], "instruction_attributes": ["easy assemble"], "instruction_options": ["light beige"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRF4WNW", "worker_id": "A1NF6PELRKACS9"}], "B009P452VO": [{"asin": "B009P452VO", "instruction": "i am looking or a 12 ounce (pack of 1) non gmo gluten free granola", "attributes": ["non gmo", "gluten free", "fat free"], "options": ["flavor name: cranberry pecan", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["12 ounce (pack of 1)"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49IUTDX", "worker_id": "A9QRQL9CFJBI7"}], "B08R89VRFB": [{"asin": "B08R89VRFB", "instruction": "i'm looking for sliver smart watch made from 20mm stainless steel.", "attributes": ["quick release", "easy install", "stainless steel"], "options": ["color: silver"], "instruction_attributes": ["stainless steel"], "instruction_options": ["silver"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OQ799R", "worker_id": "A1Q0EUNCS50S8M"}], "B01HXV90BS": [{"asin": "B01HXV90BS", "instruction": "i am looking for an anti-aging serum based on hyaluronic acid in a 1 fl oz bottle", "attributes": ["anti aging", "high quality", "hyaluronic acid", "fine lines"], "options": ["size: 1 fl oz (pack of 1)"], "instruction_attributes": ["anti aging", "hyaluronic acid"], "instruction_options": ["1 fl oz (pack of 1)"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW758S1", "worker_id": "A13PVNQT2WWWVL"}], "B07P8KDPJF": [{"asin": "B07P8KDPJF", "instruction": "i want avocado extract flover paraben free hair mask for treatment of dry hair", "attributes": ["paraben free", "dry hair"], "options": ["scent: avocado extract"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRVHPWZ", "worker_id": "A3N9ZYQAESNFQH"}], "B08TX29T65": [{"asin": "B08TX29T65", "instruction": "i am looking for a 5x7 ft backgrounds for digital photography", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 01", "size: 5x7 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["5x7 ft"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3HKAY6", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B08TX29T65", "instruction": "i want to buy a lightweight photography backdrop that has a print color 03 and is 9x16 ft.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 03", "size: 9x16 ft"], "instruction_attributes": ["light weight"], "instruction_options": ["printed backdrop 03", "9x16 ft"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1DQXC2", "worker_id": "A2YNPKYEFDZ6C9"}], "B08G87W2B9": [{"asin": "B08G87W2B9", "instruction": "i am looking for a size 13 sandal for women which has an open toe and a high heel.", "attributes": ["open toe", "high heel", "ankle strap"], "options": ["color: silver", "size: 13"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["13"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHP60JE", "worker_id": "AJDQGOTMB2D80"}], "B08M6JS7SM": [{"asin": "B08M6JS7SM", "instruction": "i am looking for a high quality bag that has a cartoon image.", "attributes": ["leak proof", "easy carry", "high quality"], "options": ["color: cartoon"], "instruction_attributes": ["high quality"], "instruction_options": ["cartoon"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DT54KM", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NDQYJ3G": [{"asin": "B09NDQYJ3G", "instruction": "i need an open toe, high heel, ankle strap wedge sandals in color white and size 9.5-10.", "attributes": ["open toe", "closed toe", "high heel", "ankle strap"], "options": ["color: white", "size: 9.5-10"], "instruction_attributes": ["open toe", "high heel", "ankle strap"], "instruction_options": ["white", "9.5-10"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXC7G74", "worker_id": "ASWFLI3N8X72G"}], "B09LYSJB8Z": [{"asin": "B09LYSJB8Z", "instruction": "i intend to buy a queen sized easy to assemble black metal platform bed.", "attributes": ["twin size", "easy assemble", "box spring"], "options": ["color: black", "size: queen"], "instruction_attributes": ["easy assemble"], "instruction_options": ["black", "queen"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPBJDQR", "worker_id": "A3AYHESLQSDY5T"}], "B079QJD2FG": [{"asin": "B079QJD2FG", "instruction": "i need to buy an 104 square foot piece of eco-friendly synthetic turf.", "attributes": ["eco friendly", "high density"], "options": ["size: 8 ft x 13 ft (104 square ft)"], "instruction_attributes": ["eco friendly"], "instruction_options": ["8 ft x 13 ft (104 square ft)"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H6NU84", "worker_id": "AR9AU5FY1S3RO"}], "B09JFQR4DC": [{"asin": "B09JFQR4DC", "instruction": "i am looking for a blue stretch fabric dress shirts for regular fit", "attributes": ["easy care", "daily casual", "regular fit", "stretch fabric", "long sleeve", "button closure"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["regular fit", "stretch fabric"], "instruction_options": [], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8FX5RK", "worker_id": "A9QRQL9CFJBI7"}], "B08Q7V8P6Q": [{"asin": "B08Q7V8P6Q", "instruction": "i'm looking for a large sweatpants fleece lined for sports in dark gray", "attributes": ["fleece lined", "hand wash", "daily casual", "winter warm", "straight leg", "wash cold", "machine wash", "comfortable fit", "drawstring closure", "elastic waist", "polyester spandex"], "options": ["color: 02 dark gray", "size: large"], "instruction_attributes": ["fleece lined"], "instruction_options": ["02 dark gray", "large"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFTDT0W", "worker_id": "A2Y2TURT2VEYZN"}], "B07W7VW47Y": [{"asin": "B07W7VW47Y", "instruction": "i would like a pair of size 9.5 wheat work boots that have a steel toe.", "attributes": ["slip resistant", "moisture wicking", "steel toe"], "options": ["color: wheat", "size: 9.5 wide"], "instruction_attributes": ["steel toe"], "instruction_options": ["wheat", "9.5 wide"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB99LN8U", "worker_id": "A1WS884SI0SLO4"}], "B085HY41GN": [{"asin": "B085HY41GN", "instruction": "i am looking for a 8.5 size ankle strap flat sandals", "attributes": ["open toe", "ankle strap", "steel toe", "high heel"], "options": ["color: z5-brown", "size: 8.5"], "instruction_attributes": ["ankle strap"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5GUZ18", "worker_id": "A9QRQL9CFJBI7"}], "B09CYFD5BX": [{"asin": "B09CYFD5BX", "instruction": "i'm looking for beauty salon need buy a blue colored chairs.", "attributes": ["heavy duty", "high quality", "beauty salon"], "options": ["color: blue", "size: 1"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OSBPOE", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09CYFD5BX", "instruction": "i am looking for a heavy duty barber chair thats high quality bar stool. go ahead and get a brown color.", "attributes": ["heavy duty", "high quality", "beauty salon"], "options": ["color: brown", "size: 2"], "instruction_attributes": ["heavy duty", "high quality"], "instruction_options": ["brown"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYMFQMK", "worker_id": "A31PW970Z2PC5P"}], "B016N62TXA": [{"asin": "B016N62TXA", "instruction": "i'm looking for coaxial cable for cell phone accessories.", "attributes": ["coaxial cable", "4g lte"], "options": [""], "instruction_attributes": ["coaxial cable"], "instruction_options": [], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQE0SQ7", "worker_id": "A16IQOX0DK14OJ"}], "B089W8BMRT": [{"asin": "B089W8BMRT", "instruction": "i'm looking for a leather sole high heel sandal in dark rose gold.", "attributes": ["leather sole", "high heel"], "options": ["color: dark rose gold", "size: 11.5"], "instruction_attributes": ["leather sole", "high heel"], "instruction_options": ["dark rose gold"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJSMBX5", "worker_id": "A2CJFO19NY4T5R"}], "B08LTCVMQG": [{"asin": "B08LTCVMQG", "instruction": "i'm looking for brown industrial size 10 boots made with vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: brown", "size: 10"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["brown", "10"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UQ4EZE", "worker_id": "A1HMZJ59OPLD1P"}], "B09JC29RSY": [{"asin": "B09JC29RSY", "instruction": "i am looking for large nightstand end table for living room.", "attributes": ["mid century", "easy install", "easy assemble", "living room"], "options": ["size: large"], "instruction_attributes": ["living room"], "instruction_options": ["large"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOIALMC", "worker_id": "A3FG5PQHG5AH3Y"}], "B06XSGZKC7": [{"asin": "B06XSGZKC7", "instruction": "i'm looking for certifies organic groceries the flavor was cacao bits", "attributes": ["certified organic", "non gmo"], "options": ["flavor: cacao nibs", "size: 4 pound (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["cacao nibs"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FHFELE", "worker_id": "A16IQOX0DK14OJ"}], "B08R8HKCHN": [{"asin": "B08R8HKCHN", "instruction": "i need green colored headphones with superior stereo sound and comes with a convenient carrying case.", "attributes": ["carrying case", "stereo sound"], "options": ["color: green"], "instruction_attributes": ["carrying case", "stereo sound"], "instruction_options": ["green"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDN9CHQ", "worker_id": "ASWFLI3N8X72G"}], "B08XJ2MV9V": [{"asin": "B08XJ2MV9V", "instruction": "i'm looking for a 10 lights stepeak w23.6\" crystal golden chandelier pendant lighting .", "attributes": ["light fixture", "dining room", "living room"], "options": ["color: 24lights 4-tier grey dia39\""], "instruction_attributes": ["dining room", "living room"], "instruction_options": ["24lights 4-tier grey dia39\""], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZTR404", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07VGP44B2": [{"asin": "B07VGP44B2", "instruction": "i need to buy a solid wood console table for my living room. look for one in grey.", "attributes": ["solid wood", "living room"], "options": ["color: distressed grey"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["distressed grey"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGDOMSZ", "worker_id": "AR9AU5FY1S3RO"}], "B09FT4RLLS": [{"asin": "B09FT4RLLS", "instruction": "i'm looking for one aluminum alloy magnetic case phor iphone 13 mini in black", "attributes": ["aluminum alloy", "wireless charging"], "options": ["color: black", "size: iphone 13 mini"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["black", "iphone 13 mini"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSKLQ2M", "worker_id": "A2Y2TURT2VEYZN"}], "B01N9C9AT6": [{"asin": "B01N9C9AT6", "instruction": "i'm looking for stainless steel accessories and need to buy it.", "attributes": ["carrying case", "stainless steel"], "options": ["color: purple"], "instruction_attributes": ["carrying case", "stainless steel"], "instruction_options": ["purple"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF4MDLQ", "worker_id": "A16IQOX0DK14OJ"}], "B09M87JDMM": [{"asin": "B09M87JDMM", "instruction": "i am looking for 1080p security camera with motion detection feature.", "attributes": ["1080p hd", "easy install", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": [], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUA1MR5", "worker_id": "A3FG5PQHG5AH3Y"}], "B09PYVM1NK": [{"asin": "B09PYVM1NK", "instruction": "i am looking for a size 9.5 brown open toed heeled sandal with an ankle strip", "attributes": ["open toe", "high heel", "ankle strap", "teen girls", "daily wear"], "options": ["color: a11-brown", "size: 9.5-10"], "instruction_attributes": ["open toe", "ankle strap"], "instruction_options": ["a11-brown", "9.5-10"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z4FXG7", "worker_id": "A22VGT2F28LTWC"}], "B08FC8DZRJ": [{"asin": "B08FC8DZRJ", "instruction": "i would like a grey 100x40x40cm ottoman for my living room.", "attributes": ["high density", "storage space", "living room"], "options": ["color: grey", "size: 100x40x40cm"], "instruction_attributes": ["living room"], "instruction_options": ["grey", "100x40x40cm"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFF2U5G", "worker_id": "A1WS884SI0SLO4"}], "B07ZKLZC26": [{"asin": "B07ZKLZC26", "instruction": "i am looking for 60 pieces of farm themed cupcake toppers for a birthday party.", "attributes": ["baby shower", "birthday party", "party supplies"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFP33V5", "worker_id": "A1EREKSZAA9V7B"}], "B09LVBN1QT": [{"asin": "B09LVBN1QT", "instruction": "get me a high performance coaxial cable connector.", "attributes": ["high performance", "coaxial cable"], "options": [""], "instruction_attributes": ["high performance", "coaxial cable"], "instruction_options": [], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQDFS61", "worker_id": "A3AYHESLQSDY5T"}], "B09MLFHLVS": [{"asin": "B09MLFHLVS", "instruction": "i'm looking for high heel boost the color was wine.", "attributes": ["knee high", "open toe", "non slip", "high heel", "high waist", "rubber sole"], "options": ["color: wine", "size: 6"], "instruction_attributes": ["knee high", "high heel", "rubber sole"], "instruction_options": ["wine"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKLU1TI", "worker_id": "A16IQOX0DK14OJ"}], "B00M2XDHY4": [{"asin": "B00M2XDHY4", "instruction": "i need some dark gray cotton trousers.", "attributes": ["water resistant", "polyester cotton", "regular fit"], "options": ["color: dark grey", "size: 44"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["dark grey"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL4UEA8", "worker_id": "A19317A3X87NVM"}], "B01DZV37VY": [{"asin": "B01DZV37VY", "instruction": "i am looking for a heavy duty rca cables.", "attributes": ["heavy duty", "high performance"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EDKB1Q", "worker_id": "A9QRQL9CFJBI7"}], "B01N9PYL3A": [{"asin": "B01N9PYL3A", "instruction": "i am looking 25 pound high protein dietary fiber wheat flours & meals", "attributes": ["non gmo", "high protein", "dietary fiber"], "options": ["size: 25 pound (pack of 1)"], "instruction_attributes": ["high protein", "dietary fiber"], "instruction_options": ["25 pound (pack of 1)"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP487JJ", "worker_id": "A3N9ZYQAESNFQH"}], "B09G9LGHC8": [{"asin": "B09G9LGHC8", "instruction": "i want a light weight high resolution background for photography purpose of baby sower party size :5*3ft", "attributes": ["light weight", "high resolution"], "options": ["size: 5x3ft"], "instruction_attributes": ["light weight", "high resolution"], "instruction_options": ["5x3ft"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRSSBZA", "worker_id": "A3N9ZYQAESNFQH"}], "B093YS37ST": [{"asin": "B093YS37ST", "instruction": "i'm looking for clothing accessories for carry a laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UFL3AN", "worker_id": "A16IQOX0DK14OJ"}], "B08J1D47RV": [{"asin": "B08J1D47RV", "instruction": "looking for vegan sweet potato puffs non gmo product", "attributes": ["plant based", "gluten free", "non gmo"], "options": ["flavor name: 4. vegan cheesy cheddar"], "instruction_attributes": ["non gmo"], "instruction_options": ["4. vegan cheesy cheddar"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79K0KQV", "worker_id": "A2Y2TURT2VEYZN"}], "B00A8MYSTY": [{"asin": "B00A8MYSTY", "instruction": "i looking a relaxed fit nylon spandex camping everyday wear hiking woman pant color :thistle", "attributes": ["nylon spandex", "imported zipper", "relaxed fit", "everyday wear"], "options": ["color: thistle", "size: 16 short"], "instruction_attributes": ["nylon spandex", "relaxed fit", "everyday wear"], "instruction_options": ["thistle"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22K98WO", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B00A8MYSTY", "instruction": "i need everyday wear pants for hiking that are flax colored in a size 20.", "attributes": ["nylon spandex", "imported zipper", "relaxed fit", "everyday wear"], "options": ["color: flax", "size: 20"], "instruction_attributes": ["everyday wear"], "instruction_options": ["flax", "20"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8ABA5H", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DWVK8LC": [{"asin": "B08DWVK8LC", "instruction": "i want a high quality acrylic nail kit that is long lasting and clear pink nude in color.", "attributes": ["high quality", "long lasting", "nail art"], "options": ["color: acrylic clear | pink | nude"], "instruction_attributes": ["high quality", "long lasting"], "instruction_options": ["acrylic clear | pink | nude"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4BUQRS", "worker_id": "A1NF6PELRKACS9"}], "B07Y98Y4L6": [{"asin": "B07Y98Y4L6", "instruction": "i would like a black race style video game chair with good lumbar support.", "attributes": ["white item", "lumbar support", "memory foam", "steel frame"], "options": ["color: black | white", "style: race"], "instruction_attributes": ["lumbar support"], "instruction_options": ["black | white", "race"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647BEH3H", "worker_id": "A1WS884SI0SLO4"}], "B093YSDS5S": [{"asin": "B093YSDS5S", "instruction": "i am looking for a medium sized laundry bag for my travel on christmas holidays", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEKSQ84", "worker_id": "A2COCSUGZV28X"}], "B091FBFNBF": [{"asin": "B091FBFNBF", "instruction": "i'm looking for open toe pillow slippers that can drying shower.", "attributes": ["non slip", "quick drying", "open toe", "ethylene vinyl", "vinyl acetate"], "options": ["color: pink", "size: 9.5-10 women | 8-9 men"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LJBI5Q", "worker_id": "A16IQOX0DK14OJ"}], "B08Y98ZBKX": [{"asin": "B08Y98ZBKX", "instruction": "i am looking for an intel core i5 workstation pc with windows 10 pro.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5", "intel core"], "instruction_options": [], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNZ8PTE", "worker_id": "A1EREKSZAA9V7B"}], "B09NJL8M8C": [{"asin": "B09NJL8M8C", "instruction": "i want a pair of orange non slip shoes with memory foam for jogging.", "attributes": ["non slip", "day comfort", "slip resistant", "memory foam", "steel toe", "arch support", "rubber sole"], "options": ["color: orange", "size: 6.5-7"], "instruction_attributes": ["non slip", "memory foam"], "instruction_options": ["orange"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFHLV9M", "worker_id": "A1NF6PELRKACS9"}], "B09SCVRT52": [{"asin": "B09SCVRT52", "instruction": "i'm looking for women's clothing for it was soft material it can wear everyday wear.", "attributes": ["soft material", "arch support", "everyday wear"], "options": ["color: a10 - black", "size: 9.5 wide"], "instruction_attributes": ["soft material", "everyday wear"], "instruction_options": ["a10 - black"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FE28KW", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09SCVRT52", "instruction": "i want to find a pair of black women's platform wedges for everyday wear. they need to be a size 9 and be on the wider side.", "attributes": ["soft material", "arch support", "everyday wear"], "options": ["color: a10 - black", "size: 9 wide"], "instruction_attributes": ["everyday wear"], "instruction_options": ["a10 - black", "9 wide"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH152BHWM", "worker_id": "A345TDMHP3DQ3G"}], "B0852ZWWS9": [{"asin": "B0852ZWWS9", "instruction": "i need a alcohol free perfume oil of 12ml meal size . and i would prefer the green musk scent", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: green musk", "size: 12 ml - metal"], "instruction_attributes": ["alcohol free"], "instruction_options": ["green musk", "12 ml - metal"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IR6LTF", "worker_id": "A2COCSUGZV28X"}, {"asin": "B0852ZWWS9", "instruction": "seeking as premium perfume oil containing attar oil, that is vegan, cruelty, and alcohol free, long lasting, 3ml bottle, violet scent, named amber romance by amuze fragrance", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: violet", "size: 0.41 fl oz (pack of 1)"], "instruction_attributes": ["alcohol free", "cruelty free", "long lasting"], "instruction_options": ["violet"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VMO60M", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B0852ZWWS9", "instruction": "i want to buy a perfume which is alcohol free and lasts long, the scent should be of egyptian musk and it should be 3 ml.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: egyptian musk", "size: 3 ml"], "instruction_attributes": ["alcohol free", "long lasting"], "instruction_options": ["egyptian musk", "3 ml"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBI3GHC", "worker_id": "AJY5G987IRT25"}, {"asin": "B0852ZWWS9", "instruction": "i want a 12 ml bottle of turkish rose long lasting fragrance.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: turkish rose", "size: 12 ml"], "instruction_attributes": ["long lasting"], "instruction_options": ["turkish rose", "12 ml"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZU4HS6", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0852ZWWS9", "instruction": "i am looking for alcohol and cruelty free vanilla musk perfume oil.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: vanilla musk", "size: 0.1 fl oz (pack of 1)"], "instruction_attributes": ["alcohol free", "cruelty free"], "instruction_options": ["vanilla musk"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4XQ0HX", "worker_id": "A1EREKSZAA9V7B"}], "B07Y5HLQSP": [{"asin": "B07Y5HLQSP", "instruction": "i am looking for gluten free chocolate bars.", "attributes": ["trader joe", "gluten free", "natural flavors"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCY6Q47", "worker_id": "A3FG5PQHG5AH3Y"}], "B087LSWCM8": [{"asin": "B087LSWCM8", "instruction": "i am looking for a 46 inches table pads of stainless steel", "attributes": ["easy clean", "stainless steel"], "options": ["color: frosted 1.5mm", "size: 46 inch"], "instruction_attributes": ["stainless steel"], "instruction_options": ["46 inch"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YJ2NPV", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B087LSWCM8", "instruction": "i'm looking for stainless steel for for kitchen and dinning room.", "attributes": ["easy clean", "stainless steel"], "options": ["color: clear 1.5mm", "size: 30 x 48 inch"], "instruction_attributes": ["stainless steel"], "instruction_options": ["clear 1.5mm"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7YLSDA", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B087LSWCM8", "instruction": "i need a desk cover protector that's 30 by 60 inches. it should be easy to clean.", "attributes": ["easy clean", "stainless steel"], "options": ["color: clear 1.5mm", "size: 30 x 60 inch"], "instruction_attributes": ["easy clean"], "instruction_options": ["30 x 60 inch"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LEY1OJ", "worker_id": "AR9AU5FY1S3RO"}], "B08W7X86D4": [{"asin": "B08W7X86D4", "instruction": "i am looking for plant based,gluten free and sugar free seedbars.please choose mulberry cacao flavour.", "attributes": ["plant based", "dairy free", "non gmo", "artificial ingredients", "gluten free", "soy free", "certified organic", "sugar free", "quality ingredients"], "options": ["flavor name: mulberry cacao + spirulina"], "instruction_attributes": ["plant based", "gluten free", "sugar free"], "instruction_options": ["mulberry cacao + spirulina"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06LQKXR", "worker_id": "A3FG5PQHG5AH3Y"}], "B097YHD3PS": [{"asin": "B097YHD3PS", "instruction": "i'm looking for resealable bag red color.", "attributes": ["non gmo", "resealable bag"], "options": ["color: red pitaya 250g"], "instruction_attributes": ["resealable bag"], "instruction_options": ["red pitaya 250g"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG2UGBM", "worker_id": "A16IQOX0DK14OJ"}], "B08CNMQV8Z": [{"asin": "B08CNMQV8Z", "instruction": "i need chocolate filled snack cookies with low calories,low sugar and dairy free.", "attributes": ["low sugar", "low calorie", "fat free", "low carb", "dairy free", "gluten free"], "options": ["flavor name: chocolate filled", "size: 2.4 ounce (pack of 2)"], "instruction_attributes": ["low sugar", "low calorie", "gluten free"], "instruction_options": ["chocolate filled"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1NCTI9", "worker_id": "AHU9OLV0YKIIW"}], "B09HPFRPD3": [{"asin": "B09HPFRPD3", "instruction": "i'm looking for a size 9 woman denim high heel.", "attributes": ["slip resistant", "leather sole", "high heel", "ankle strap"], "options": ["color: qb1- e5-blue", "size: 9"], "instruction_attributes": ["high heel"], "instruction_options": ["9"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP5W7J9", "worker_id": "ARQ05PDNXPFDI"}], "B0845Y6ZDV": [{"asin": "B0845Y6ZDV", "instruction": "i need a pair of high speed usb-c cables.", "attributes": ["fast charging", "high speed"], "options": ["style: 2 pack - type g"], "instruction_attributes": ["high speed"], "instruction_options": ["2 pack - type g"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTNEOQJ", "worker_id": "A19317A3X87NVM"}], "B09SXYCCC1": [{"asin": "B09SXYCCC1", "instruction": "i want a office chair for heavy duty easy assemble with lumber support", "attributes": ["heavy duty", "easy assemble", "lumbar support"], "options": [""], "instruction_attributes": ["heavy duty", "easy assemble", "lumbar support"], "instruction_options": [], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCP1I70", "worker_id": "A3N9ZYQAESNFQH"}], "B000PW7N2Q": [{"asin": "B000PW7N2Q", "instruction": "i need 3-light vanity light in brushed nickel", "attributes": ["vanity light", "brushed nickel"], "options": ["color: brushed nickel", "size: 3-light"], "instruction_attributes": ["vanity light", "brushed nickel"], "instruction_options": ["3-light"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2967Y4", "worker_id": "A258PTOZ3D2TQR"}], "B0796M28ST": [{"asin": "B0796M28ST", "instruction": "i'm looking for hair loss to prevention of hair extensions.", "attributes": ["cruelty free", "tea tree", "hair loss"], "options": [""], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WW61AU", "worker_id": "A16IQOX0DK14OJ"}], "B0113JAN8K": [{"asin": "B0113JAN8K", "instruction": "i'm looking for a splitter for high speed coaxial cable.", "attributes": ["high speed", "coaxial cable"], "options": [""], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": [], "assignment_id": "39O5D9O8742EGYBIU38DD09OUIUC3M", "worker_id": "AR0VJ5XRG16UJ"}], "B071YPLTYP": [{"asin": "B071YPLTYP", "instruction": "i need small size men's boxer brief, with elastic waistband in black air cool color for everyday wear. it should also feature quick drying and machine wash.", "attributes": ["quick drying", "wash cold", "machine wash", "elastic waistband", "everyday wear", "tumble dry"], "options": ["color: black air cool", "size: small"], "instruction_attributes": ["quick drying", "machine wash", "elastic waistband", "everyday wear"], "instruction_options": ["black air cool", "small"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXW74OU", "worker_id": "ASWFLI3N8X72G"}], "B097YWSYBJ": [{"asin": "B097YWSYBJ", "instruction": "i am looking for high performance gamer computer with 64gb ram", "attributes": ["high performance", "intel core"], "options": ["size: 64gb ram | 1tb ssd | 2tb hdd", "style: 10th gen i9-10900kf"], "instruction_attributes": ["high performance"], "instruction_options": ["64gb ram | 1tb ssd | 2tb hdd"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5H31ZL", "worker_id": "A16M39T60N60NO"}, {"asin": "B097YWSYBJ", "instruction": "i am looking for a high performance gaming computer with intel core, 64gb ram and 1tb ssd. also look for 2tb hdd.", "attributes": ["high performance", "intel core"], "options": ["size: 64gb ram | 1tb ssd | 2tb hdd", "style: 11th gen i7-11700kf"], "instruction_attributes": ["high performance", "intel core"], "instruction_options": ["64gb ram | 1tb ssd | 2tb hdd"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1GUCXR", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B097YWSYBJ", "instruction": "i am looking for a high performance computer that has 32 gb of ram and 3tb of storage.", "attributes": ["high performance", "intel core"], "options": ["size: 32gb ram | 1tb ssd | 2tb hdd", "style: 10th gen i9-10900kf"], "instruction_attributes": ["high performance"], "instruction_options": ["32gb ram | 1tb ssd | 2tb hdd"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KVXE7O", "worker_id": "A2ECRNQ3X5LEXD"}], "B092ZJ8V8R": [{"asin": "B092ZJ8V8R", "instruction": "i am looking for black nail polish.", "attributes": ["easy carry", "high quality", "storage case", "nail polish", "nail art"], "options": ["color: black", "size: large"], "instruction_attributes": ["nail polish"], "instruction_options": ["black"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X69GP7", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B092ZJ8V8R", "instruction": "i want a black ethereal nail polish organizer case.", "attributes": ["easy carry", "high quality", "storage case", "nail polish", "nail art"], "options": ["color: black", "size: extra large"], "instruction_attributes": ["nail polish"], "instruction_options": ["black"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUSOJQD", "worker_id": "A2RBF3IIJP15IH"}], "B09J7XX5W3": [{"asin": "B09J7XX5W3", "instruction": "i'm looking for future mattress for living room it can make decor a living area.", "attributes": ["non slip", "living room"], "options": ["color: a", "size: 100*200cm(39*79in)"], "instruction_attributes": ["living room"], "instruction_options": ["a"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YY23QR", "worker_id": "A16IQOX0DK14OJ"}], "B08JV582PQ": [{"asin": "B08JV582PQ", "instruction": "i am looking for a black nubuck | mesh shoes of memory foam for men.", "attributes": ["ethylene vinyl", "vinyl acetate", "memory foam"], "options": ["color: black nubuck | mesh", "size: 12"], "instruction_attributes": ["memory foam"], "instruction_options": ["black nubuck | mesh"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD9W0S9", "worker_id": "A9QRQL9CFJBI7"}], "B08D696W62": [{"asin": "B08D696W62", "instruction": "order for me a high speed data sync charge cable for my playstation 4 and should be silver in color.", "attributes": ["high speed", "usb port"], "options": ["color: silver"], "instruction_attributes": ["high speed"], "instruction_options": ["silver"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1B2GYR", "worker_id": "AHU9OLV0YKIIW"}], "B09PBML1BN": [{"asin": "B09PBML1BN", "instruction": "i am looking for a straight leg fitted shorts for my work out. and i choose the xx-large with black-2 color", "attributes": ["straight leg", "wide leg", "hand wash", "machine wash", "drawstring closure", "elastic waist", "relaxed fit", "daily wear"], "options": ["color: black-2", "size: xx-large"], "instruction_attributes": ["straight leg"], "instruction_options": ["black-2", "xx-large"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9PXTVV", "worker_id": "A2COCSUGZV28X"}], "B002PHI69I": [{"asin": "B002PHI69I", "instruction": "i'm looking for black embossed rose shoes for women's and it will long lasting.", "attributes": ["slip resistant", "arch support"], "options": ["color: black embossed rose", "size: 6 wide"], "instruction_attributes": ["slip resistant", "arch support"], "instruction_options": ["black embossed rose"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WSG24T", "worker_id": "A16IQOX0DK14OJ"}], "B07GDS9461": [{"asin": "B07GDS9461", "instruction": "pick a nutmeg shade concealer that hides dark circle. also remember that i have sensitive skin.", "attributes": ["dark circles", "sensitive skin"], "options": ["color: nutmeg", "size: 0.34 fl oz (pack of 1 )"], "instruction_attributes": ["dark circles", "sensitive skin"], "instruction_options": ["nutmeg"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841BSXAP", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07GDS9461", "instruction": "i am looking for a medium color concealers & neutralizers for sensitive skin", "attributes": ["dark circles", "sensitive skin"], "options": ["color: medium", "size: 0.34 fl oz (pack of 1 )"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["medium"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9U487S", "worker_id": "A9QRQL9CFJBI7"}], "B096NPDJQJ": [{"asin": "B096NPDJQJ", "instruction": "i am looking for a eco friendly window films of 23.6\" x 63\" x 2 pcs( total: 120x160cm ) size.", "attributes": ["eco friendly", "easy install"], "options": ["color: multi-08946", "size: 23.6\" x 63\" x 2 pcs( total: 120x160cm )"], "instruction_attributes": ["eco friendly"], "instruction_options": ["23.6\" x 63\" x 2 pcs( total"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602TJ95T", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B096NPDJQJ", "instruction": "i am looking for a eco friendly window films of 35.4\" x 94.4\" x 2 pcs( total: 180x240cm )", "attributes": ["eco friendly", "easy install"], "options": ["color: multi-08952", "size: 35.4\" x 94.4\" x 2 pcs( total: 180x240cm )"], "instruction_attributes": [], "instruction_options": ["35.4\" x 94.4\" x 2 pcs( total"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG2X45M", "worker_id": "A9QRQL9CFJBI7"}], "B084T7NY3Q": [{"asin": "B084T7NY3Q", "instruction": "i need individually wrapped gluten free oatmeal chocolate chip cookies that is plant based.", "attributes": ["plant based", "individually wrapped", "gluten free", "simple ingredients", "artificial colors"], "options": ["flavor name: oatmeal chocolate chip"], "instruction_attributes": ["plant based", "individually wrapped", "gluten free"], "instruction_options": ["oatmeal chocolate chip"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y7DIVX", "worker_id": "A1NF6PELRKACS9"}], "B09S6HC66Y": [{"asin": "B09S6HC66Y", "instruction": "i am looking for a loofahs for dead skin", "attributes": ["fine lines", "dead skin"], "options": [""], "instruction_attributes": ["dead skin"], "instruction_options": [], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CEC0V2", "worker_id": "A9QRQL9CFJBI7"}], "B08MBFBXJ1": [{"asin": "B08MBFBXJ1", "instruction": "i'm looking for a plant based vegetable crisps made of simple ingredients and should be gluten free.", "attributes": ["gluten free", "plant based", "non gmo", "simple ingredients"], "options": [""], "instruction_attributes": ["gluten free", "plant based", "simple ingredients"], "instruction_options": [], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO4UC2B", "worker_id": "AR0VJ5XRG16UJ"}], "B07S3XVZVB": [{"asin": "B07S3XVZVB", "instruction": "i would like a box of 24 granola bars that are high in protein.", "attributes": ["high protein", "dietary fiber", "gift set"], "options": ["size: 24 servings"], "instruction_attributes": ["high protein"], "instruction_options": ["24 servings"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CR7T2Q", "worker_id": "A1WS884SI0SLO4"}], "B09S9N1VNJ": [{"asin": "B09S9N1VNJ", "instruction": "i looking foco nfl team logo women's moisture wicking arch support size :9 black daily use slipper", "attributes": ["moisture wicking", "arch support", "memory foam"], "options": ["color: 01-black", "size: 9"], "instruction_attributes": ["moisture wicking", "arch support"], "instruction_options": ["01-black", "9"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOIDMLG", "worker_id": "A3N9ZYQAESNFQH"}], "B09DFL8NVF": [{"asin": "B09DFL8NVF", "instruction": "i am looking for a white bed frames", "attributes": ["white item", "easy assemble", "box spring"], "options": ["color: white"], "instruction_attributes": ["white item"], "instruction_options": ["white"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT47JYO", "worker_id": "A9QRQL9CFJBI7"}], "B06XBX38LP": [{"asin": "B06XBX38LP", "instruction": "i'm looking for computer accessories for high speed and gold plated.", "attributes": ["high speed", "gold plated", "long lasting", "high definition"], "options": ["color: purple", "size: 2 feet (5 pack)"], "instruction_attributes": ["high speed", "gold plated", "long lasting"], "instruction_options": ["purple"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TMMN3T", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B06XBX38LP", "instruction": "i need 5 pack of 100 feet high speed internet cable. the color should be yellow and the wire must be gold plated", "attributes": ["high speed", "gold plated", "long lasting", "high definition"], "options": ["color: yellow", "size: 100 feet (5 pack)"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["yellow", "100 feet (5 pack)"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUJQC3K", "worker_id": "ASWFLI3N8X72G"}], "B089F7T791": [{"asin": "B089F7T791", "instruction": "i'm looking for skin care products it can easy to use and it can use for sensitive skin.", "attributes": ["dermatologist tested", "paraben free", "easy use", "sensitive skin"], "options": ["style: gentle cleanser"], "instruction_attributes": ["easy use", "sensitive skin"], "instruction_options": ["gentle cleanser"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9GE2E1", "worker_id": "A16IQOX0DK14OJ"}], "B07ZPSFLPW": [{"asin": "B07ZPSFLPW", "instruction": "i need a casual short sleeve small size flowy dress. also d-sage green one.", "attributes": ["short sleeve", "long sleeve", "daily wear"], "options": ["color: d-sage green", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["d-sage green", "small"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT8B37U", "worker_id": "A258PTOZ3D2TQR"}], "B077YSK7SK": [{"asin": "B077YSK7SK", "instruction": "i am looking for a white item barstools", "attributes": ["white item", "assembly required"], "options": [""], "instruction_attributes": ["white item"], "instruction_options": [], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFBK9D6", "worker_id": "A9QRQL9CFJBI7"}], "B09713XF7Y": [{"asin": "B09713XF7Y", "instruction": "i'm looking for a women's summer adjustable buckle ankle strap cloth sandals.", "attributes": ["high heel", "soft material", "ankle strap", "daily wear"], "options": ["color: red", "size: 9"], "instruction_attributes": ["ankle strap"], "instruction_options": ["red", "9"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCP9B90", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08SGBKV87": [{"asin": "B08SGBKV87", "instruction": "i am looking for a travel size and alcohol free eau de parfum for women of versace dreamer impression scent.", "attributes": ["travel size", "alcohol free", "long lasting", "high quality"], "options": ["scent: versace dreamer impression"], "instruction_attributes": ["travel size", "alcohol free"], "instruction_options": ["versace dreamer impression"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRSTZBZ", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B08SGBKV87", "instruction": "i am looking for a travel sized bottle of christian dior homme intense impression perfume.", "attributes": ["travel size", "alcohol free", "long lasting", "high quality"], "options": ["scent: christian dior homme intense impression"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3XN1UR", "worker_id": "A1EREKSZAA9V7B"}], "B08WQ6NBSL": [{"asin": "B08WQ6NBSL", "instruction": "i am in need of 18 inch high quality human hair wig for women", "attributes": ["high quality", "hair loss"], "options": ["size: 18 inch"], "instruction_attributes": ["high quality"], "instruction_options": ["18 inch"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZC7UWY", "worker_id": "A258PTOZ3D2TQR"}], "B097YLN95R": [{"asin": "B097YLN95R", "instruction": "i am looking for non toxic makeup remover.", "attributes": ["non toxic", "dry skin", "sensitive skin"], "options": [""], "instruction_attributes": ["non toxic"], "instruction_options": [], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC40NIA", "worker_id": "A3FG5PQHG5AH3Y"}], "B08TVGRCRB": [{"asin": "B08TVGRCRB", "instruction": "a heavy duty single gang rocker high gloss electric wall plate cover", "attributes": ["heavy duty", "high gloss"], "options": ["style: single rocker | gfci"], "instruction_attributes": ["heavy duty", "high gloss"], "instruction_options": ["single rocker | gfci"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7XF5PY", "worker_id": "A3N9ZYQAESNFQH"}], "B07H65YQLJ": [{"asin": "B07H65YQLJ", "instruction": "i would like a 12 by 16 inch poster in three pieces of watercolor potted leaves for my living room.", "attributes": ["ready hang", "living room"], "options": ["color: watercolor potted leaves", "size: 12x16inches*3pcs"], "instruction_attributes": ["living room"], "instruction_options": ["watercolor potted leaves", "12x16inches*3pcs"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N7XT7A", "worker_id": "A1WS884SI0SLO4"}], "B08CNG5MTQ": [{"asin": "B08CNG5MTQ", "instruction": "i am looking for a 5 no. rubber sole heeled sandals", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: metallic leather combi", "size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": [], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIKR29M", "worker_id": "A9QRQL9CFJBI7"}], "B01MYDEH3E": [{"asin": "B01MYDEH3E", "instruction": "i'm looking for walnut oil for dead skin for sensitive skin and skin caring.", "attributes": ["oil free", "sensitive skin", "dead skin"], "options": ["size: 16 ounce"], "instruction_attributes": ["oil free", "sensitive skin", "dead skin"], "instruction_options": ["16 ounce"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC67D0D", "worker_id": "A16IQOX0DK14OJ"}], "B0725Q6LQ7": [{"asin": "B0725Q6LQ7", "instruction": "coney island classics butter me up popcorn, brings back memories of my childhood. in addition to having dietary fiber and gluten free. please select for me.", "attributes": ["non gmo", "gluten free", "dietary fiber", "artificial colors"], "options": [""], "instruction_attributes": ["gluten free", "dietary fiber"], "instruction_options": [], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU1ZALV", "worker_id": "A15IJ20C3R4HUO"}], "B08C2LCQ8M": [{"asin": "B08C2LCQ8M", "instruction": "i want comfortable green colored winter boots that is meant for daily wear.", "attributes": ["day comfort", "daily wear"], "options": ["color: green", "size: 10.5"], "instruction_attributes": ["day comfort", "daily wear"], "instruction_options": ["green"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO5JC22", "worker_id": "A1NF6PELRKACS9"}], "B07K2QTS1T": [{"asin": "B07K2QTS1T", "instruction": "i'm looking for gluten free it contains high protein and needed to protein.", "attributes": ["non gmo", "artificial ingredients", "gluten free"], "options": ["flavor name: metabolism oolong tea", "size: 72 count"], "instruction_attributes": ["artificial ingredients", "gluten free"], "instruction_options": ["metabolism oolong tea"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7ZADSM", "worker_id": "A16IQOX0DK14OJ"}], "B096RJ5DRR": [{"asin": "B096RJ5DRR", "instruction": "i'm looking for a 3 pack poyiccot screen protector for suunto 9 peak.", "attributes": ["tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["tempered glass"], "instruction_options": [], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQBTVKC", "worker_id": "A1ZGOZQF2VZ0X9"}], "B075CPG5XT": [{"asin": "B075CPG5XT", "instruction": "i am looking for a keto friendly vanilla syrup with quality ingredients. also choose 25.4 fl oz pack 4", "attributes": ["keto friendly", "quality ingredients"], "options": ["flavor name: vanilla", "size: 25.4 fl oz (pack of 4)"], "instruction_attributes": ["keto friendly", "quality ingredients"], "instruction_options": ["vanilla", "25.4 fl oz (pack of 4)"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TNP3NE", "worker_id": "A2HMEGTAFO0CS8"}], "B08HLD224X": [{"asin": "B08HLD224X", "instruction": "i want a pair of comfortable fit wide leg pants. i need it in 3x-large size.", "attributes": ["wide leg", "drawstring waist", "comfortable fit", "polyester spandex", "laundry bag"], "options": ["color: 27 pot flower", "size: 3x-large"], "instruction_attributes": ["wide leg", "comfortable fit"], "instruction_options": ["3x-large"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMUYASY", "worker_id": "A1NF6PELRKACS9"}], "B08ZN4HFTX": [{"asin": "B08ZN4HFTX", "instruction": "i am looking for a xx-large wide leg and high waist pants for men.", "attributes": ["wide leg", "slim fit", "straight leg", "loose fit", "high waist", "relaxed fit", "button closure", "everyday wear"], "options": ["color: f-light blue", "size: xx-large"], "instruction_attributes": ["wide leg", "high waist"], "instruction_options": ["f-light blue"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TMKN3R", "worker_id": "A9QRQL9CFJBI7"}], "B00P8PKA4S": [{"asin": "B00P8PKA4S", "instruction": "i am searching for gift basket village sweet for giving as a great gift.", "attributes": ["gift basket", "great gift"], "options": [""], "instruction_attributes": ["gift basket", "great gift"], "instruction_options": [], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1GX80R", "worker_id": "A258PTOZ3D2TQR"}], "B093L4LLBD": [{"asin": "B093L4LLBD", "instruction": "i am looking for a laundry, blouse and hosiery wallet", "attributes": ["blouse hosiery", "imported zipper", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEKU8QO", "worker_id": "A9QRQL9CFJBI7"}], "B0922WVZ9X": [{"asin": "B0922WVZ9X", "instruction": "i'm looking for binoculars for bird watching and need to buy it.", "attributes": ["high power", "high performance", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1WP2H0", "worker_id": "A16IQOX0DK14OJ"}], "B0015DA1V4": [{"asin": "B0015DA1V4", "instruction": "i'm looking for gluten free it has contain high protein.", "attributes": ["fat free", "dairy free", "gluten free", "resealable bag"], "options": [""], "instruction_attributes": ["fat free", "dairy free", "gluten free"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMH03B78", "worker_id": "A16IQOX0DK14OJ"}], "B09BJQNNWD": [{"asin": "B09BJQNNWD", "instruction": "i need easy to use plug and play computer speakers with bluetooth. pick one in white color.", "attributes": ["plug play", "easy use", "usb port", "stereo sound"], "options": ["color: white bluetooth | wired"], "instruction_attributes": ["easy use"], "instruction_options": ["white bluetooth | wired"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEKCQ8O", "worker_id": "A1NF6PELRKACS9"}], "B09QBMZJXN": [{"asin": "B09QBMZJXN", "instruction": "a cold wash machine wash classic fit heather cotten baby blue color women t shirt size:3x-large", "attributes": ["wash cold", "machine wash", "drawstring closure", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: baby blue", "fit type: youth", "size: 3x-large"], "instruction_attributes": ["wash cold", "machine wash", "heathers cotton", "classic fit"], "instruction_options": ["baby blue", "3x-large"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1F4XRL", "worker_id": "A3N9ZYQAESNFQH"}], "B09LVWFHWK": [{"asin": "B09LVWFHWK", "instruction": "i want to buy some caffeine-free rooibos tea in a 50 pack.", "attributes": ["caffeine free", "kosher certified"], "options": ["flavor name: rooibos", "size: 50 count"], "instruction_attributes": ["caffeine free"], "instruction_options": ["rooibos", "50 count"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FNEBF2", "worker_id": "A2YNPKYEFDZ6C9"}], "B09492M5DY": [{"asin": "B09492M5DY", "instruction": "i want an easy to install tv antenna with usb port.", "attributes": ["easy install", "usb port"], "options": [""], "instruction_attributes": ["easy install", "usb port"], "instruction_options": [], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RHGLFN", "worker_id": "A1NF6PELRKACS9"}], "B08DTMVK61": [{"asin": "B08DTMVK61", "instruction": "i'm looking for ceiling lights pendent lights for living room.", "attributes": ["pendant light", "dining room", "living room"], "options": ["color: brush nickel", "size: 3 rings"], "instruction_attributes": ["pendant light", "living room"], "instruction_options": ["brush nickel"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQDU19J", "worker_id": "A16IQOX0DK14OJ"}], "B09HBXTJXJ": [{"asin": "B09HBXTJXJ", "instruction": "i would like a eye shadow brush set.", "attributes": ["synthetic hair", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTUAP9N", "worker_id": "A1WS884SI0SLO4"}], "B072MHDHDY": [{"asin": "B072MHDHDY", "instruction": "i am looking for gluten free cookies in chocolate flavor", "attributes": ["grain free", "gluten free", "shelf stable", "plant based", "non gmo", "simple ingredients"], "options": ["flavor name: chocolate chip", "size: 5.5 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["chocolate chip"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61SYWZX", "worker_id": "A16M39T60N60NO"}], "B005FKMUHQ": [{"asin": "B005FKMUHQ", "instruction": "i need a futon and chaise set that is made with faux leather. and i would prefer the navy linen color", "attributes": ["faux leather", "metal legs"], "options": ["color: navy linen", "style: futon and chaise set"], "instruction_attributes": ["faux leather"], "instruction_options": ["navy linen", "futon and chaise set"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q73FH9P", "worker_id": "A2COCSUGZV28X"}], "B09PZ2RL5C": [{"asin": "B09PZ2RL5C", "instruction": "i am looking for teeth whitening toothpaste.", "attributes": ["teeth whitening", "fluoride free", "bad breath"], "options": ["color: teeth whitening"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["teeth whitening"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQTZHI5", "worker_id": "A3FG5PQHG5AH3Y"}], "B08D6GLFZJ": [{"asin": "B08D6GLFZJ", "instruction": "i am looking for a small low rise briefs for men.", "attributes": ["low rise", "wash cold", "machine wash", "comfortable fit", "tumble dry"], "options": ["size: small"], "instruction_attributes": ["low rise"], "instruction_options": [], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40WMRCH", "worker_id": "A9QRQL9CFJBI7"}], "B08R68CDZX": [{"asin": "B08R68CDZX", "instruction": "in hunt for an anti-perspirant deodorant that fights underarm problems in a 40ml size, alcohol free made by the belo essentials in the beauty & personal care aisle.", "attributes": ["anti perspirant", "alcohol free"], "options": [""], "instruction_attributes": ["anti perspirant", "alcohol free"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG8YLSW", "worker_id": "A3RGIKEI8JS2QG"}], "B09PZ7XHK9": [{"asin": "B09PZ7XHK9", "instruction": "i am looking for some blue daily casual jumpsuits that are a medium size.", "attributes": ["daily casual", "hand wash", "elastic waist", "polyester spandex"], "options": ["color: blue", "size: medium"], "instruction_attributes": ["daily casual"], "instruction_options": ["blue", "medium"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTSSE55", "worker_id": "A2ECRNQ3X5LEXD"}], "B07R1PZ2T9": [{"asin": "B07R1PZ2T9", "instruction": "i am looking for a digital coax cable + connector n-female to n-female.", "attributes": ["coaxial cable", "4g lte"], "options": ["color: 50 ft. black low-loss coax cable", "style: coax cable + connector n-female to n-female"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["coax cable + connector n-female to n-female"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCXQ4Q3", "worker_id": "A9QRQL9CFJBI7"}], "B017L20UY0": [{"asin": "B017L20UY0", "instruction": "i am looking for coffee gift trunk with gift basket", "attributes": ["lactose free", "sugar free", "gluten free", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTUKE4J", "worker_id": "A10OGH5CQBXL5N"}], "B09T6STCWR": [{"asin": "B09T6STCWR", "instruction": "can i get an easy use gneric children\u2019s u-shape toothbrush c-green color", "attributes": ["easy use", "sensitive teeth"], "options": ["color: c- green", "size: 2-12t"], "instruction_attributes": ["easy use"], "instruction_options": ["c- green"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1XK2HX", "worker_id": "A1IL2K0ELYI090"}, {"asin": "B09T6STCWR", "instruction": "i'm going to travel and i want this u-shaped toothbrush for kids, 2-6t, easy to use, i need it urgently.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: c- green", "size: 2-6t"], "instruction_attributes": [], "instruction_options": ["2-6t"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYFAEIT", "worker_id": "A15IJ20C3R4HUO"}], "B07PDFKC9V": [{"asin": "B07PDFKC9V", "instruction": "get me a large sized machine washable women's v neck printed top made with polyester spandex and in 2 red-103 color.", "attributes": ["machine wash", "polyester spandex", "laundry bag"], "options": ["color: 2 red-103", "size: large"], "instruction_attributes": ["machine wash", "polyester spandex"], "instruction_options": ["2 red-103", "large"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPYLPJF", "worker_id": "A3AYHESLQSDY5T"}], "B087QB3RZD": [{"asin": "B087QB3RZD", "instruction": "i am searching for space saving brown ottoman for living room, that should have the size 17x13x13 inches", "attributes": ["space saving", "storage space"], "options": ["color: brown", "size: 17x13x13 inches"], "instruction_attributes": ["space saving"], "instruction_options": ["brown", "17x13x13 inches"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40XSCRA", "worker_id": "A258PTOZ3D2TQR"}], "B08JTRJSMM": [{"asin": "B08JTRJSMM", "instruction": "i am looking for a tempered glass screen protector smartwatch cases", "attributes": ["easy install", "compatible apple", "glass screen", "tempered glass"], "options": ["color: clear | rosep | roseg", "size: 44mm"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["44mm"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8I0ZNJ", "worker_id": "A9QRQL9CFJBI7"}], "B00T6R2DDA": [{"asin": "B00T6R2DDA", "instruction": "i'm looking for a jar candle that's eco friendly, lasts a long time, and comes in a citrus scent. look for soy wax candles in a pack of two.", "attributes": ["eco friendly", "long lasting", "soy wax"], "options": ["color: fresh citrus", "size: pack of 2"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDP5RH6", "worker_id": "AR9AU5FY1S3RO"}], "B00C6HF6DQ": [{"asin": "B00C6HF6DQ", "instruction": "i'm looking for ultra hd plug play maxwhite color.", "attributes": ["ultra hd", "plug play"], "options": ["color: maxwhite fg | white housing", "size: 135\" diagonal, 16:9", "style: starling 2"], "instruction_attributes": ["ultra hd", "plug play"], "instruction_options": ["maxwhite fg | white housing"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYWH36J", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00C6HF6DQ", "instruction": "i need a plug and play spectrum projector screen that is white or black.", "attributes": ["ultra hd", "plug play"], "options": ["color: white | black", "size: 128\" diagonal, 16:10", "style: spectrum"], "instruction_attributes": ["plug play"], "instruction_options": ["white | black", "spectrum"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWREFPC", "worker_id": "A1NF6PELRKACS9"}], "B099WC5FQ3": [{"asin": "B099WC5FQ3", "instruction": "i am looking for a non slip and easy to carry tripod for my camera.", "attributes": ["easy carry", "quick release", "non slip"], "options": [""], "instruction_attributes": ["easy carry", "non slip"], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X025N34A", "worker_id": "A1NF6PELRKACS9"}], "B089QGDWR7": [{"asin": "B089QGDWR7", "instruction": "i am looking for style-10 color wall art for my living room.", "attributes": ["ready hang", "dining room", "living room"], "options": ["color: style-10", "size: 70''w x 40''h"], "instruction_attributes": ["living room"], "instruction_options": ["style-10"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QEC1MX", "worker_id": "A1Q8PPQQCWGY0D"}], "B09GY2VV5W": [{"asin": "B09GY2VV5W", "instruction": "i would like a pair of size 10.5 steel toe hiking boots.", "attributes": ["knee high", "slip resistant", "non slip", "steel toe", "high heel", "rubber sole"], "options": ["size: 10.5"], "instruction_attributes": ["steel toe"], "instruction_options": ["10.5"], "assignment_id": "354P56DE9VDCOY11T1135MPMLOD7ST", "worker_id": "A1WS884SI0SLO4"}], "B0969LKS57": [{"asin": "B0969LKS57", "instruction": "i am looking for a x large men's sweatpants for daily wear and color should be gray", "attributes": ["quick drying", "elastic waist", "daily wear"], "options": ["color: grey blue", "size: x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["grey blue", "x-large"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HTFPBX", "worker_id": "A9QRQL9CFJBI7"}], "B08PF9GG23": [{"asin": "B08PF9GG23", "instruction": "i want to buy a facial scrub that is apricot scented, oil-free dermatology tested and comes in 6 oz bottle.", "attributes": ["dermatologist tested", "oil free", "paraben free"], "options": ["scent: apricot", "size: 6 ounce (pack of 1)"], "instruction_attributes": ["dermatologist tested", "oil free"], "instruction_options": ["apricot", "6 ounce (pack of 1)"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHEHBNQ", "worker_id": "A2YNPKYEFDZ6C9"}], "B01LXYHF7T": [{"asin": "B01LXYHF7T", "instruction": "i would like a quad core desktop tower.", "attributes": ["certified refurbished", "high performance", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7Z1YQW", "worker_id": "A1WS884SI0SLO4"}], "B00LN9IWF2": [{"asin": "B00LN9IWF2", "instruction": "i would like a olive 18.5\" neck 35\" sleeve dress shirt that i can machine wash .", "attributes": ["slim fit", "easy care", "machine washable", "regular fit", "long sleeve", "button closure", "tumble dry"], "options": ["color: olive", "size: 18.5\" neck 35\" - 36\" sleeve"], "instruction_attributes": ["machine washable"], "instruction_options": ["olive", "18.5\" neck 35\" - 36\" sleeve"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOILQEF6", "worker_id": "A1WS884SI0SLO4"}], "B07VKZ52ZL": [{"asin": "B07VKZ52ZL", "instruction": "i am looking for a light ash brown mix bleach blonde hair extensions for wigs", "attributes": ["hair extensions", "synthetic hair"], "options": ["color: light ash brown mix bleach blonde", "size: 17 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["light ash brown mix bleach blonde"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841BBAXL", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07VKZ52ZL", "instruction": "i want dark black clip-in hair extensions. it should be 17\" in size when curly.", "attributes": ["hair extensions", "synthetic hair"], "options": ["color: dark black", "size: 17\"-curly"], "instruction_attributes": ["hair extensions"], "instruction_options": ["dark black", "17\"-curly"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UHJOKO", "worker_id": "A1NF6PELRKACS9"}], "B09SYY4L7L": [{"asin": "B09SYY4L7L", "instruction": "i'm looking for a transparent pendant light that comes with 15light", "attributes": ["pendant light", "living room"], "options": ["color: 15light", "size: transparent"], "instruction_attributes": ["pendant light"], "instruction_options": ["15light", "transparent"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW5R4TL", "worker_id": "A1Q0EUNCS50S8M"}], "B09CNWNV7M": [{"asin": "B09CNWNV7M", "instruction": "get me some vintage cupcake picks for a birthday party. it should be in black with a 1992 theme.", "attributes": ["cupcake picks", "birthday party"], "options": ["pattern name: black 1992"], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": ["black 1992"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7X0XZTV", "worker_id": "A1NF6PELRKACS9"}], "B086H69F1T": [{"asin": "B086H69F1T", "instruction": "i am looking for certified organic herbal tea which is caffeine free.", "attributes": ["caffeine free", "certified organic"], "options": [""], "instruction_attributes": ["caffeine free", "certified organic"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE18JTG", "worker_id": "ASWFLI3N8X72G"}], "B07NXMQ987": [{"asin": "B07NXMQ987", "instruction": "find me a grain free, non gmo, and gluten free cake mix bundle with chocolate chip cookie flavor.", "attributes": ["grain free", "non gmo", "gluten free"], "options": ["flavor name: chocolate chip cookie"], "instruction_attributes": ["grain free", "non gmo", "gluten free"], "instruction_options": ["chocolate chip cookie"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYNQGCP", "worker_id": "A2CJFO19NY4T5R"}], "B07N26QLH3": [{"asin": "B07N26QLH3", "instruction": "i want a medium sized classic fit men's shirt that is white in color.", "attributes": ["slim fit", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: men", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["white", "men", "medium"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227HHF8V", "worker_id": "A1NF6PELRKACS9"}], "B013FAAEUW": [{"asin": "B013FAAEUW", "instruction": "i want some low fat pretzel sticks.", "attributes": ["trader joe", "low fat"], "options": [""], "instruction_attributes": ["low fat"], "instruction_options": [], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ3XIS6", "worker_id": "A1NF6PELRKACS9"}], "B096NJ89C2": [{"asin": "B096NJ89C2", "instruction": "i'm looking for home decor products for home accessories.", "attributes": ["eco friendly", "easy install"], "options": ["color: multi-07027", "size: 29.5\" x 78.7\" x 2 pcs( total: 150x200cm )"], "instruction_attributes": ["eco friendly", "easy install"], "instruction_options": [], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDP2HRT", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B096NJ89C2", "instruction": "i am looking for multi colored glass window film that is eco friendly. the installation process should be easy as well.", "attributes": ["eco friendly", "easy install"], "options": ["color: multi-07022", "size: 23.6\" x 47.2\" x 2 pcs( total: 120x120cm )"], "instruction_attributes": ["eco friendly", "easy install"], "instruction_options": ["multi-07022"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3P5LZC", "worker_id": "A1NF6PELRKACS9"}], "B07Y28ZGVJ": [{"asin": "B07Y28ZGVJ", "instruction": "i'm looking for oral care for seed oiul.", "attributes": ["seed oil", "coconut oil"], "options": [""], "instruction_attributes": ["seed oil", "coconut oil"], "instruction_options": [], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0MY0CSL", "worker_id": "A16IQOX0DK14OJ"}], "B09KQWHSJ8": [{"asin": "B09KQWHSJ8", "instruction": "i\u2019m looking for a wireless headset with microphone , water proof, foldable bluetooth earphones", "attributes": ["noise cancelling", "easy use", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TSMMPM", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09Q13K3Z2": [{"asin": "B09Q13K3Z2", "instruction": "i'm looking for a victorian bed frame, twin queen size with storage space.", "attributes": ["queen size", "easy assemble", "box spring", "storage space"], "options": ["size: twin", "style: victorian"], "instruction_attributes": ["queen size", "storage space"], "instruction_options": ["twin", "victorian"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R8GKSF", "worker_id": "A1Q0EUNCS50S8M"}], "B095Y2KCMJ": [{"asin": "B095Y2KCMJ", "instruction": "i'm looking for rubber sole shoes for men women. it is easy to use.", "attributes": ["non slip", "rubber sole"], "options": ["color: american flag paw black-2", "size: 10.5 women | 9 men"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWG2K0X", "worker_id": "A16IQOX0DK14OJ"}], "B0823FF5ZV": [{"asin": "B0823FF5ZV", "instruction": "i am looking for a star wars the mandalorian t-shirt which is machine washable and is in the baby blue color.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: baby blue", "fit type: youth", "size: 2t"], "instruction_attributes": ["machine wash"], "instruction_options": ["baby blue"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSODVLLL", "worker_id": "AHXHM1PQTRWIQ"}], "B086JMT1YY": [{"asin": "B086JMT1YY", "instruction": "i would like a black 5xl tunic with short sleeves.", "attributes": ["long sleeve", "short sleeve", "elastic closure", "teen girls"], "options": ["color: z1-black", "size: 5x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["z1-black", "5x-large"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMQIBQT", "worker_id": "A1WS884SI0SLO4"}], "B08CKJJYVP": [{"asin": "B08CKJJYVP", "instruction": "i ma looking for a wireless charging flip cases of midnight green color.", "attributes": ["hands free", "wireless charging"], "options": ["color: midnight green"], "instruction_attributes": ["wireless charging"], "instruction_options": ["midnight green"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTOTQO2", "worker_id": "A9QRQL9CFJBI7"}], "B09JYQS7B4": [{"asin": "B09JYQS7B4", "instruction": "i want dailywear long sleeves big shirt with 20\" neck and 34\" sleeve. the color should be lavender 012(pink)", "attributes": ["long sleeve", "daily wear"], "options": ["color: lt lavender 012 (pink)", "size: 20\" neck 34\" sleeve", "special size: big"], "instruction_attributes": ["long sleeve", "daily wear"], "instruction_options": ["lt lavender 012 (pink)", "20\" neck 34\" sleeve", "big"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4822UYPI", "worker_id": "ASWFLI3N8X72G"}], "B084YYXLWG": [{"asin": "B084YYXLWG", "instruction": "i would like a 66 inch matte black lamp floor lamp for my living room. i would also like a remote for the lamp.", "attributes": ["long lasting", "easy assemble", "glass shade", "living room"], "options": ["color: matte black", "size: 66inch with remote control"], "instruction_attributes": ["living room"], "instruction_options": ["matte black", "66inch with remote control"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DSC4KR", "worker_id": "A1WS884SI0SLO4"}], "B0872R4BPK": [{"asin": "B0872R4BPK", "instruction": "i am looking for a 1.6 ounce (pack of 6) of cookies which is low carb, high protein, low sugar and gluten free.", "attributes": ["low carb", "high protein", "low sugar", "gluten free", "grain free", "low calorie", "quality ingredients"], "options": ["color: chocolate chip pecan", "size: 1.6 ounce (pack of 6)"], "instruction_attributes": ["low carb", "high protein", "low sugar", "gluten free"], "instruction_options": ["1.6 ounce (pack of 6)"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83KZJI6", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B0872R4BPK", "instruction": "i want low carb chipmonk keto lemon poppyseed cookies.", "attributes": ["low carb", "high protein", "low sugar", "gluten free", "grain free", "low calorie", "quality ingredients"], "options": ["color: lemon poppyseed", "size: 1.7 ounce (pack of 4)"], "instruction_attributes": ["low carb"], "instruction_options": ["lemon poppyseed"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IP3TLG", "worker_id": "A2RBF3IIJP15IH"}], "B07SJRN65L": [{"asin": "B07SJRN65L", "instruction": "order for me a walnut computer desk 39.4 inches made of a solid wood and easy to clean.", "attributes": ["easy install", "easy clean", "steel frame", "solid wood"], "options": ["color: walnut", "size: 39.4 inches"], "instruction_attributes": ["easy clean", "solid wood"], "instruction_options": ["walnut", "39.4 inches"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH186H2", "worker_id": "AHU9OLV0YKIIW"}], "B09H2S4WJ5": [{"asin": "B09H2S4WJ5", "instruction": "i am looking for a large size nylon spandex breathable underwear with elastic waistband .", "attributes": ["nylon spandex", "elastic waistband"], "options": ["color: a3-grey-2157", "size: large"], "instruction_attributes": ["nylon spandex", "elastic waistband"], "instruction_options": ["large"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O112AR", "worker_id": "A1V2JTEEBCXR20"}], "B09D8ZTYND": [{"asin": "B09D8ZTYND", "instruction": "i'm looking for a heavy duty table pads made of ecofriendly materials and also easy to clean for dining room. also, choose 48*60 inch in size new version clear 1.5 mm one.", "attributes": ["heavy duty", "eco friendly", "easy clean", "dining room"], "options": ["color: new version clear 1.5mm", "size: 48x60 inch"], "instruction_attributes": ["heavy duty", "eco friendly", "easy clean", "dining room"], "instruction_options": ["new version clear 1.5mm", "48x60 inch"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSWDGLE", "worker_id": "AR0VJ5XRG16UJ"}], "B01HJWDOPE": [{"asin": "B01HJWDOPE", "instruction": "i am looking for a 1 pack of high speed hdmi cables.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["pattern name: 1 pack", "size: 60 feet", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["1 pack"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP6VOAH", "worker_id": "A9QRQL9CFJBI7"}], "B082D827W8": [{"asin": "B082D827W8", "instruction": "i need to buy two dozen individually wrapped gourmet cookies.", "attributes": ["baked fresh", "individually wrapped"], "options": ["size: 1 | 2 dozen"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["1 | 2 dozen"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4LF89T", "worker_id": "AR9AU5FY1S3RO"}], "B07H3ZCTR2": [{"asin": "B07H3ZCTR2", "instruction": "i am looking for a non gmo gluten free spicy salad dressing ketchup", "attributes": ["non gmo", "gluten free"], "options": [""], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": [], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R13W7R", "worker_id": "A3N9ZYQAESNFQH"}], "B094CWXTJM": [{"asin": "B094CWXTJM", "instruction": "i'm looking for hair extensions for hair loss for dark blonde.", "attributes": ["non slip", "easy use", "hair loss", "hair extensions"], "options": ["color: dark blonde", "size: 6 inch(no bangs)"], "instruction_attributes": ["easy use", "hair loss", "hair extensions"], "instruction_options": ["dark blonde"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZBFPAN", "worker_id": "A16IQOX0DK14OJ"}], "B01F6AQXCM": [{"asin": "B01F6AQXCM", "instruction": "i am looking for fluoride free and sulfate free toothpaste. please choose spearmint flavor..", "attributes": ["fluoride free", "sulfate free", "high quality", "tea tree"], "options": ["flavor name: spearmint"], "instruction_attributes": ["fluoride free", "sulfate free", "tea tree"], "instruction_options": ["spearmint"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4HW15D", "worker_id": "A3FG5PQHG5AH3Y"}], "B000P257CO": [{"asin": "B000P257CO", "instruction": "i am looking for a long lasting parfume gift set", "attributes": ["design house", "long lasting"], "options": ["size: 2 pc gift set", "style: gift set"], "instruction_attributes": ["long lasting"], "instruction_options": ["gift set"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0TJACF", "worker_id": "A9QRQL9CFJBI7"}], "B015SAX8ZA": [{"asin": "B015SAX8ZA", "instruction": "i would like a sugar free bottle of syrup.", "attributes": ["low carb", "non gmo", "gluten free", "keto friendly", "sugar free", "dietary fiber"], "options": [""], "instruction_attributes": ["sugar free"], "instruction_options": [], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOIUTC9", "worker_id": "A1WS884SI0SLO4"}], "B097LVNXLB": [{"asin": "B097LVNXLB", "instruction": "i looking yoga day classic fit ,machine wash ,heathers cotten women t-shirt color:royal blue size 3t", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "button closure", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: women", "size: 3t"], "instruction_attributes": ["machine wash", "heathers cotton", "classic fit"], "instruction_options": ["royal blue", "women", "3t"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLN7I4C", "worker_id": "A3N9ZYQAESNFQH"}], "B07Q33QSYT": [{"asin": "B07Q33QSYT", "instruction": "i'm looking for computer accessories it was silver in color.", "attributes": ["quick release", "heavy duty"], "options": ["color: silver"], "instruction_attributes": ["heavy duty"], "instruction_options": ["silver"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN1VPT5", "worker_id": "A16IQOX0DK14OJ"}], "B08MBRJPDQ": [{"asin": "B08MBRJPDQ", "instruction": "i need a five by four foot light weight, easy to carry background for digital photography.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 5x4ft"], "instruction_attributes": ["light weight", "easy carry", "digital photography"], "instruction_options": ["5x4ft"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TF72KM", "worker_id": "AR9AU5FY1S3RO"}], "B07KKH48DG": [{"asin": "B07KKH48DG", "instruction": "i am looking for 3 piece decorative quilted bedspread set with 2 pillow shams of violet color, that is fit for queen size bed.", "attributes": ["queen size", "high density", "machine washable"], "options": ["color: violet", "size: queen size"], "instruction_attributes": ["queen size"], "instruction_options": ["violet"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTRXKT7", "worker_id": "A258PTOZ3D2TQR"}], "B017ILW1OG": [{"asin": "B017ILW1OG", "instruction": "i am looking for a fully assembled twin box spring and mattress set in king size", "attributes": ["ready use", "fully assembled", "assembly required", "box spring", "king size"], "options": ["size: twin", "style name: 4\" split foundation"], "instruction_attributes": ["fully assembled", "king size"], "instruction_options": ["twin"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7WNHLB", "worker_id": "A13PVNQT2WWWVL"}], "B093YSF315": [{"asin": "B093YSF315", "instruction": "i'm looking for travel laundry bag it will use for travel usage.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIO2583", "worker_id": "A16IQOX0DK14OJ"}], "B08TWXQ5HN": [{"asin": "B08TWXQ5HN", "instruction": "langwolf kids camera, 1080p hd digital camera with 32gb sd card, kids selfie video camera for 3 4 5 6 7 8 9 year olds boys tell me the best option of digital camera hd1080p with an sd card with at least 32gb for boys and girls in the range of 3 to 9 years. i saw a \"langwolf\" brand on tv. send me her features.", "attributes": ["1080p hd", "high definition"], "options": [""], "instruction_attributes": ["1080p hd"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPAEDQK", "worker_id": "A15IJ20C3R4HUO"}], "B09293PTPM": [{"asin": "B09293PTPM", "instruction": "i'm looking for a ottoman 6 seater sofa.", "attributes": ["button tufted", "non slip", "heavy duty", "living room"], "options": ["color: deep grey", "size: love seat couch"], "instruction_attributes": ["living room"], "instruction_options": ["deep grey", "love seat couch"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH2HQHG", "worker_id": "A1ZGOZQF2VZ0X9"}], "B0892RWN9Y": [{"asin": "B0892RWN9Y", "instruction": "i am looking for a sunstone color eyeshadow with paraben free non toxic", "attributes": ["paraben free", "non toxic", "cruelty free", "long lasting", "nail polish"], "options": ["color: sunstone"], "instruction_attributes": ["paraben free", "non toxic"], "instruction_options": ["sunstone"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT0601NUY", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B0892RWN9Y", "instruction": "i'm looking for gypsy amber eyeshadow.", "attributes": ["paraben free", "non toxic", "cruelty free", "long lasting", "nail polish"], "options": ["color: gypsy amber"], "instruction_attributes": ["non toxic", "long lasting"], "instruction_options": ["gypsy amber"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQGQCJA", "worker_id": "A16IQOX0DK14OJ"}], "B07YD5PL4Y": [{"asin": "B07YD5PL4Y", "instruction": "i need king size, machine washable, super soft duvet cover set in multi 41 color.", "attributes": ["super soft", "machine washable", "king size"], "options": ["color: multi 41", "size: king"], "instruction_attributes": ["super soft", "machine washable"], "instruction_options": ["multi 41", "king"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRTOBZ8", "worker_id": "ASWFLI3N8X72G"}, {"asin": "B07YD5PL4Y", "instruction": "i want a twin size and machine washable feelyou blue rose floral duvet cover.", "attributes": ["super soft", "machine washable", "king size"], "options": ["color: multi 4", "size: twin"], "instruction_attributes": ["machine washable"], "instruction_options": ["twin"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVE2SZC", "worker_id": "A2RBF3IIJP15IH"}], "B07V8L4R61": [{"asin": "B07V8L4R61", "instruction": "need me an electric blue, gluten free cake color gel, 1.06 ounces", "attributes": ["nut free", "easy use", "gluten free"], "options": ["color: electric blue"], "instruction_attributes": ["gluten free"], "instruction_options": ["electric blue"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907TGUAZ", "worker_id": "A258PTOZ3D2TQR"}], "B07HRNGS3Q": [{"asin": "B07HRNGS3Q", "instruction": "i am looking for a black power dental flossers for bad breath", "attributes": ["leak proof", "sensitive teeth", "bad breath"], "options": ["color: black"], "instruction_attributes": ["bad breath"], "instruction_options": ["black"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRVKPW2", "worker_id": "A9QRQL9CFJBI7"}], "B09L6B6HGN": [{"asin": "B09L6B6HGN", "instruction": "find me a case with tempered glass for apple watch 45mm color variety", "attributes": ["high performance", "glass screen", "tempered glass"], "options": ["color: black+silver+pink+rose gold+white+classic leopard", "size: only for 45mm"], "instruction_attributes": ["tempered glass"], "instruction_options": ["black+silver+pink+rose gold+white+classic leopard", "only for 45mm"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT2GP3M", "worker_id": "A2Y2TURT2VEYZN"}], "B001UMV18M": [{"asin": "B001UMV18M", "instruction": "i need a deep chestnut brown hair dye that is permanent.", "attributes": ["easy use", "permanent hair", "hair dye", "natural hair"], "options": ["color: 434 deep chestnut brown (chocolate chesnut)"], "instruction_attributes": ["permanent hair", "hair dye"], "instruction_options": ["434 deep chestnut brown (chocolate chesnut)"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHCME1M", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B001UMV18M", "instruction": "i need a dark brown permanent hair dye. it should be easy to use.", "attributes": ["easy use", "permanent hair", "hair dye", "natural hair"], "options": ["color: 40 dark brown (dark chocolate)"], "instruction_attributes": ["easy use", "permanent hair", "hair dye"], "instruction_options": ["40 dark brown (dark chocolate)"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE10TJI", "worker_id": "A1NF6PELRKACS9"}], "B083GGC2N9": [{"asin": "B083GGC2N9", "instruction": "i am looking for modern high performance 3-way tower speaker, it should have left & right pair d17 speaker (black)", "attributes": ["high performance", "carbon fiber"], "options": ["style: left & right pair d17 speaker (black)"], "instruction_attributes": ["high performance"], "instruction_options": ["left & right pair d17 speaker (black)"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7W3UC3", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B083GGC2N9", "instruction": "i'm looking for d17(dedicated right, back) high performance 3-way tower speaker made with carbon fiber", "attributes": ["high performance", "carbon fiber"], "options": ["style: d17\u00a0(dedicated right, black)"], "instruction_attributes": ["high performance", "carbon fiber"], "instruction_options": ["d17\u00a0(dedicated right, black)"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NO8P23", "worker_id": "A1Q0EUNCS50S8M"}], "B09P56Q9FQ": [{"asin": "B09P56Q9FQ", "instruction": "i would like a large pair of multicolored boxer briefs that are machine washable.", "attributes": ["machine washable", "hand wash", "comfortable fit", "elastic waistband"], "options": ["color: multi *18", "size: large"], "instruction_attributes": ["machine washable"], "instruction_options": ["multi *18", "large"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVCGV8C", "worker_id": "A1WS884SI0SLO4"}], "B00H9V37Q2": [{"asin": "B00H9V37Q2", "instruction": "i am looking for a long lasting eau de parfum", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCKPLB8", "worker_id": "A9QRQL9CFJBI7"}], "B08R7W8QRK": [{"asin": "B08R7W8QRK", "instruction": "i need a valentines day chocolate gift box.", "attributes": ["valentine day", "gift basket"], "options": ["style: chocolate gift box"], "instruction_attributes": ["valentine day"], "instruction_options": ["chocolate gift box"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI3L3TL", "worker_id": "A19317A3X87NVM"}], "B07X7HPYNS": [{"asin": "B07X7HPYNS", "instruction": "i need some special hair conditioner for damaged hair.", "attributes": ["paraben free", "damaged hair"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1A4YG9", "worker_id": "A19317A3X87NVM"}], "B01LMMZY6O": [{"asin": "B01LMMZY6O", "instruction": "i am looking for a 2.53 fl oz hyaluronic acid cc creams", "attributes": ["hyaluronic acid", "dark circles"], "options": ["color: rich honey (w)", "size: 2.53 fl oz"], "instruction_attributes": ["hyaluronic acid"], "instruction_options": ["2.53 fl oz"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UU3J6D", "worker_id": "A9QRQL9CFJBI7"}], "B09M91MRZS": [{"asin": "B09M91MRZS", "instruction": "i'm looking for clothing its was short sleeve and regular fit. its easily to wear.", "attributes": ["regular fit", "short sleeve"], "options": ["color: hi bite size | black", "size: x-large"], "instruction_attributes": ["regular fit", "short sleeve"], "instruction_options": ["hi bite size | black"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY868N81E", "worker_id": "A16IQOX0DK14OJ"}], "B007K649KO": [{"asin": "B007K649KO", "instruction": "i need to satisfy my desire to eat g.h. cretors popcorn, the mix, 1.5 oz. (pack of 12). i prefer this brand because it is a healthy, gluten-free and non-gmo option. find the 8 ounce pack", "attributes": ["non gmo", "gluten free", "quality ingredients"], "options": ["flavor name: buffalo & ranch", "size: 8 ounce (pack of 12)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["buffalo & ranch", "8 ounce (pack of 12)"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQL613O", "worker_id": "A15IJ20C3R4HUO"}], "B07RML64XD": [{"asin": "B07RML64XD", "instruction": "i am looking for trader joe's apple sauce crushers.", "attributes": ["trader joe", "usda organic", "gluten free"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO4K2CR", "worker_id": "A39VVWV1GHLMFD"}], "B004JLGC12": [{"asin": "B004JLGC12", "instruction": "i am looking for a paraben free and dermatologist tested exfoliating body wash with pink lemon and mandarin orange extracts.", "attributes": ["dermatologist tested", "paraben free"], "options": ["size: 13.5 fl oz (pack of 1)", "style: pink lemon and mandarin orange"], "instruction_attributes": ["dermatologist tested", "paraben free"], "instruction_options": ["pink lemon and mandarin orange"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FJUU4Y", "worker_id": "A1V2JTEEBCXR20"}, {"asin": "B004JLGC12", "instruction": "i am looking fir paraben free body wash.please choose vanilla style.", "attributes": ["dermatologist tested", "paraben free"], "options": ["size: 13.5 fl oz (pack of 6)", "style: vanilla"], "instruction_attributes": ["paraben free"], "instruction_options": ["vanilla"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU80MCZ", "worker_id": "A3FG5PQHG5AH3Y"}], "B0744ZJP2M": [{"asin": "B0744ZJP2M", "instruction": "find me a gold plated stereo audio cable that works well with a power amplifier and is 5ft long.", "attributes": ["power amplifier", "gold plated"], "options": ["color: 5ft"], "instruction_attributes": ["power amplifier", "gold plated"], "instruction_options": ["5ft"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL0CVAC", "worker_id": "A1HMZJ59OPLD1P"}], "B08YDRBP2J": [{"asin": "B08YDRBP2J", "instruction": "i'm looking for a high density gaming chair with lumbar support which is made of pu leather. also, choose cool blue colored one.", "attributes": ["high density", "white item", "lumbar support", "pu leather"], "options": ["color: cool blue"], "instruction_attributes": ["high density", "lumbar support", "pu leather"], "instruction_options": ["cool blue"], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q43IIK", "worker_id": "AR0VJ5XRG16UJ"}], "B00AY351OI": [{"asin": "B00AY351OI", "instruction": "i'm looking for a oil free, fragrance free pressed powder that should be long lasting when applied. also choose 290 natural ochre one.", "attributes": ["oil free", "fragrance free", "long lasting"], "options": ["color: 290 natural ochre"], "instruction_attributes": ["oil free", "fragrance free", "long lasting"], "instruction_options": ["290 natural ochre"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R6UKSP", "worker_id": "AR0VJ5XRG16UJ"}], "B08P3P4KP9": [{"asin": "B08P3P4KP9", "instruction": "i need ready to shake high protein mocktail which is lactose, soy & gluten free.", "attributes": ["lactose free", "soy free", "high protein", "gluten free"], "options": [""], "instruction_attributes": ["lactose free", "soy free", "high protein", "gluten free"], "instruction_options": [], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53X7KGG", "worker_id": "ASWFLI3N8X72G"}], "B00TB3QJ7U": [{"asin": "B00TB3QJ7U", "instruction": "i need a ten pack of male to female hdmi cables that are three feet long, high speed, and gold plated.", "attributes": ["high speed", "gold plated"], "options": ["pattern name: 10 pack", "size: hdmi male to female", "style: 3 ft"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "hdmi male to female", "3 ft"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYWYHV7", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B00TB3QJ7U", "instruction": "i am looking for high speed 8ft style hdmi cable.", "attributes": ["high speed", "gold plated"], "options": ["pattern name: 1 pack", "size: hdmi male to female", "style: 8 ft"], "instruction_attributes": ["high speed"], "instruction_options": ["8 ft"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW8UT4J", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00TB3QJ7U", "instruction": "i am looking for a 30 foot gold plated high speed hdmi cable.", "attributes": ["high speed", "gold plated"], "options": ["pattern name: 1 pack", "size: hdmi male to male", "style: 30 ft"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["30 ft"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W81UOB", "worker_id": "A1EREKSZAA9V7B"}], "B09MW7P4PH": [{"asin": "B09MW7P4PH", "instruction": "i'm looking for binoculars for bird watching even at so far.", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK2VJ3Z", "worker_id": "A16IQOX0DK14OJ"}], "B07GR317N3": [{"asin": "B07GR317N3", "instruction": "i\u2019m looking for rockport lace up shoes for men", "attributes": ["day comfort", "comfortable fit", "synthetic sole", "rubber outsole"], "options": ["color: dark brown tumbled leather", "size: 12 narrow"], "instruction_attributes": ["comfortable fit", "synthetic sole"], "instruction_options": ["dark brown tumbled leather", "12 narrow"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KOQLJJ", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08Y5YY53J": [{"asin": "B08Y5YY53J", "instruction": "i am in need of a sunflower piggy printed protection case cover for iphone 6 plus", "attributes": ["high definition", "case cover", "wireless charging"], "options": ["color: sunflower piggy", "size: iphone 6 plus | 6s plus"], "instruction_attributes": ["case cover"], "instruction_options": ["sunflower piggy", "iphone 6 plus | 6s plus"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRS89EU9", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08Y5YY53J", "instruction": "i need iphone 11 wireless charging", "attributes": ["high definition", "case cover", "wireless charging"], "options": ["color: cute owl", "size: iphone 11"], "instruction_attributes": ["wireless charging"], "instruction_options": ["iphone 11"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBE1JDC", "worker_id": "A226L9F2AZ38CL"}], "B07QFZ4FVH": [{"asin": "B07QFZ4FVH", "instruction": "i want easy use high quality nail art equipment for nail art", "attributes": ["easy use", "nail art"], "options": [""], "instruction_attributes": ["easy use", "nail art"], "instruction_options": [], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EEU1BS", "worker_id": "A3N9ZYQAESNFQH"}], "B094F7PR1C": [{"asin": "B094F7PR1C", "instruction": "please re order a 9188 -red brown leather duo motor recliner chair and should be of high density and easy to clean.", "attributes": ["high density", "easy clean", "faux leather", "wood frame", "solid wood"], "options": ["color: 9188-red-brown leather"], "instruction_attributes": ["high density", "easy clean"], "instruction_options": ["9188-red-brown leather"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X99RFN", "worker_id": "AHU9OLV0YKIIW"}], "B093YSSQ4W": [{"asin": "B093YSSQ4W", "instruction": "i am looking for a wallets for blouse hosiery & laundry bag", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXXFO4O", "worker_id": "A9QRQL9CFJBI7"}], "B08JCJ2KFB": [{"asin": "B08JCJ2KFB", "instruction": "i would like a plant based shampoo.", "attributes": ["design house", "plant based"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBDRSO8", "worker_id": "A1WS884SI0SLO4"}], "B08FJ4H5LS": [{"asin": "B08FJ4H5LS", "instruction": "i am looking for a travel size perfume with long lasting fragrance. also choose coco mademoiselle + j'adore impression scent.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: coco mademoiselle + j'adore impression"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["coco mademoiselle + j'adore impression"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOZ37OP", "worker_id": "A2HMEGTAFO0CS8"}], "B09HW6VVVR": [{"asin": "B09HW6VVVR", "instruction": "i am looking for a tan memory foam slipper", "attributes": ["non slip", "anti slip", "moisture wicking", "machine washable", "machine wash", "rubber sole", "memory foam", "laundry bag", "daily wear"], "options": ["color: tan", "size: 12"], "instruction_attributes": ["memory foam"], "instruction_options": ["tan"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK47CA6R", "worker_id": "A9QRQL9CFJBI7"}], "B085NK43LF": [{"asin": "B085NK43LF", "instruction": "power cord cable outlet plug lead for fm stereo sound rider with output protection", "attributes": ["output protection", "stereo sound"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "352YTHGRO6NQF252G9RXYWYALB7H4Z", "worker_id": "A10OGH5CQBXL5N"}], "B08PN4HT3W": [{"asin": "B08PN4HT3W", "instruction": "in the last order i bought the sauce from the brand org\u00e2nicville organic, caesar sauce, the taste is very good .no dairy, 8 fz i want to repeat this order .", "attributes": ["non dairy", "high fructose"], "options": [""], "instruction_attributes": ["non dairy"], "instruction_options": [], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD10RID", "worker_id": "A15IJ20C3R4HUO"}], "B08PNNV9K8": [{"asin": "B08PNNV9K8", "instruction": "i looking hair styling fine mist sprayers refillable bottles color :pink", "attributes": ["fine mist", "hair styling"], "options": ["color: pink | 10 ounce"], "instruction_attributes": ["fine mist", "hair styling"], "instruction_options": ["pink | 10 ounce"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK467A6K", "worker_id": "A3N9ZYQAESNFQH"}], "B07MP1QM5Y": [{"asin": "B07MP1QM5Y", "instruction": "i'm looking for a rca 3-device universal remote control for repacement.", "attributes": ["batteries included", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61U0ZW6", "worker_id": "A1ZGOZQF2VZ0X9"}], "B088FLL9JY": [{"asin": "B088FLL9JY", "instruction": "i am looking for a 50 ml leak proof bags & cases", "attributes": ["leak proof", "non toxic", "easy carry", "fine mist"], "options": ["color: silver1", "size: 50ml"], "instruction_attributes": ["leak proof"], "instruction_options": ["50ml"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUVUJQP", "worker_id": "A9QRQL9CFJBI7"}], "B09FDW71SF": [{"asin": "B09FDW71SF", "instruction": "i am looking for a black knee high mid-calf", "attributes": ["knee high", "non slip", "rubber sole"], "options": ["color: black", "size: 8"], "instruction_attributes": ["knee high"], "instruction_options": [], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTRX5EZ", "worker_id": "A9QRQL9CFJBI7"}], "B09SQ79S1R": [{"asin": "B09SQ79S1R", "instruction": "i'm looking for skin buttock lifting clothing it can use for machine washing.", "attributes": ["butt lifting", "low rise", "wide leg", "machine wash", "elastic closure", "tumble dry"], "options": ["size: medium"], "instruction_attributes": ["wide leg", "machine wash", "elastic closure"], "instruction_options": ["medium"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZW9AN7", "worker_id": "A16IQOX0DK14OJ"}], "B01M278GOF": [{"asin": "B01M278GOF", "instruction": "find me natural hair gels that use seed oil as a main ingredient.", "attributes": ["seed oil", "natural ingredients"], "options": [""], "instruction_attributes": ["seed oil", "natural ingredients"], "instruction_options": [], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRF3NWM", "worker_id": "A3AK3UL0UCNVKE"}], "B07ZFGY6H9": [{"asin": "B07ZFGY6H9", "instruction": "i'm looking for palazzo pants its easy to wear and it was straight leg.", "attributes": ["wide leg", "straight leg", "wash cold", "hand wash", "machine wash", "elastic closure", "elastic waist", "high waist", "polyester spandex"], "options": ["color: blacklittledot", "size: x-large"], "instruction_attributes": ["wide leg", "straight leg", "hand wash", "machine wash", "elastic waist", "high waist", "polyester spandex"], "instruction_options": ["blacklittledot"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU6DLR6", "worker_id": "A16IQOX0DK14OJ"}], "B0773T5G7Y": [{"asin": "B0773T5G7Y", "instruction": "i am looking for gluten free almond cranberry crunch.", "attributes": ["artificial ingredients", "non gmo", "gluten free", "simple ingredients", "quality ingredients"], "options": ["flavor name: almond cranberry crunch", "size: 78 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["almond cranberry crunch"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCSA56D", "worker_id": "A3FG5PQHG5AH3Y"}], "B097PNKNSM": [{"asin": "B097PNKNSM", "instruction": "i am looking for a nail art for practice hands & fingers.", "attributes": ["high quality", "nail art"], "options": ["pattern name: practice hand"], "instruction_attributes": ["nail art"], "instruction_options": ["practice hand"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IWZKHS", "worker_id": "A9QRQL9CFJBI7"}], "B07V5G1RRB": [{"asin": "B07V5G1RRB", "instruction": "i'm looking for blankets it was super soft and it is easy to clean.", "attributes": ["super soft", "machine washable", "easy clean"], "options": ["color: a657", "size: 50\" x 60\""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9MTB04", "worker_id": "A16IQOX0DK14OJ"}], "B08YDNMW8S": [{"asin": "B08YDNMW8S", "instruction": "i'm looking for a 2.75 inch partywoo birthday blue candles .", "attributes": ["birthday cake", "party supplies", "birthday party"], "options": ["color: rose gold", "size: number 1"], "instruction_attributes": ["party supplies", "birthday party"], "instruction_options": ["rose gold", "number 1"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCJ3PIA", "worker_id": "A1ZGOZQF2VZ0X9"}], "B093YSDRGB": [{"asin": "B093YSDRGB", "instruction": "i am looking for a wallets of blouse hosiery and laundry bag", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3X65QVEQIBXVW21709CD9M35U4CCLR", "worker_id": "A9QRQL9CFJBI7"}], "B08VRCCK9V": [{"asin": "B08VRCCK9V", "instruction": "i need a 1 pack of high quality hair piece shaped like donuts . an i would prefer 30# color", "attributes": ["high quality", "natural hair", "synthetic hair", "hair extensions"], "options": ["color: 30#", "size: 1 count (pack of 1)"], "instruction_attributes": ["high quality"], "instruction_options": ["30#", "1 count (pack of 1)"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FEZK85", "worker_id": "A2COCSUGZV28X"}], "B08TLVTW38": [{"asin": "B08TLVTW38", "instruction": "i will like to have the low fat silver hills steady eddie bread, made with organic sprouted grains, non-gmo, the big 16", "attributes": ["plant based", "non gmo", "low fat", "nut free"], "options": ["flavor name: the big 16", "size: 5 piece assortment"], "instruction_attributes": ["non gmo", "low fat"], "instruction_options": [], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6F8EVO", "worker_id": "A1IL2K0ELYI090"}], "B0035Q2Q12": [{"asin": "B0035Q2Q12", "instruction": "i am looking for flower glass shade floor lamp", "attributes": ["bronze finish", "glass shade"], "options": [""], "instruction_attributes": ["glass shade"], "instruction_options": [], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VHP8EV", "worker_id": "A258PTOZ3D2TQR"}], "B09FSSFPR7": [{"asin": "B09FSSFPR7", "instruction": "i am looking for a 4g lte coaxial cable.", "attributes": ["heavy duty", "coaxial cable", "4g lte"], "options": [""], "instruction_attributes": ["coaxial cable", "4g lte"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3UUYJ68", "worker_id": "A39VVWV1GHLMFD"}], "B08KJGG1TY": [{"asin": "B08KJGG1TY", "instruction": "i would like a 3 pound bag of unsalted deluxe nut mix that are in a resealable bag.", "attributes": ["kosher certified", "non gmo", "resealable bag"], "options": ["flavor name: unsalted deluxe mix", "size: 3 pound"], "instruction_attributes": ["resealable bag"], "instruction_options": ["unsalted deluxe mix", "3 pound"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSK7B8T", "worker_id": "A1WS884SI0SLO4"}], "B095CGDBX3": [{"asin": "B095CGDBX3", "instruction": "i am looking for small sized with eastic waist men short.", "attributes": ["daily casual", "drawstring waist", "drawstring closure", "elastic waist", "classic fit"], "options": ["color: green bottom", "size: small"], "instruction_attributes": ["elastic waist"], "instruction_options": ["small"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFDFVL0", "worker_id": "A3FG5PQHG5AH3Y"}], "B097H8P7MN": [{"asin": "B097H8P7MN", "instruction": "i am looking for tempered glass screen protector for iphone xr.", "attributes": ["heavy duty", "non slip", "high definition", "tempered glass", "glass screen"], "options": ["color: black"], "instruction_attributes": ["tempered glass", "glass screen"], "instruction_options": ["black"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK71NVE", "worker_id": "A3FG5PQHG5AH3Y"}], "B09MLNM1T3": [{"asin": "B09MLNM1T3", "instruction": "i am looking for a breathable and slip resistant shoe with rubber sole for men. also choose size 8.", "attributes": ["non slip", "slip resistant", "rubber sole"], "options": ["color: black-lace up", "size: 8"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["8"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOFMTAK", "worker_id": "A1V2JTEEBCXR20"}], "B09MN9BTFC": [{"asin": "B09MN9BTFC", "instruction": "am looking for a long lasting reddhoon metallic nail polish blue and purple colors", "attributes": ["long lasting", "easy apply", "easy use", "nail art", "nail polish"], "options": ["color: blue purple"], "instruction_attributes": ["long lasting"], "instruction_options": ["blue purple"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMJZIZF", "worker_id": "A1IL2K0ELYI090"}], "B088LVQZ8M": [{"asin": "B088LVQZ8M", "instruction": "i am looking for a high-quality facial table bed that will be effective for giving clients massages and tattoos in my beauty salon", "attributes": ["high quality", "beauty salon"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0W9CCO", "worker_id": "A1HMZJ59OPLD1P"}], "B08QHX9ZGK": [{"asin": "B08QHX9ZGK", "instruction": "i am looking for a metal legs chair for living room which is east to assemble. also choose velvet black color.", "attributes": ["easy clean", "easy assemble", "metal legs", "living room", "dining room"], "options": ["color: velvet black"], "instruction_attributes": ["easy assemble", "metal legs", "living room"], "instruction_options": ["velvet black"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU6NRLM", "worker_id": "A2HMEGTAFO0CS8"}], "B08VW7Y2B8": [{"asin": "B08VW7Y2B8", "instruction": "find me a watch band in hyper grape color that is made of stainless steel and goes with my apple iwatch.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: hyper grape", "size: 38 | 40 | 41mm"], "instruction_attributes": ["compatible apple", "stainless steel"], "instruction_options": ["hyper grape"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUTCZF11", "worker_id": "A1NF6PELRKACS9"}], "B01N9VRK5O": [{"asin": "B01N9VRK5O", "instruction": "i am looking for a single pack of 8 ounce dried cherries that are gluten free.", "attributes": ["non gmo", "gluten free", "dietary fiber"], "options": ["flavor name: dried organic wild bilberries", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2T6L42", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B01N9VRK5O", "instruction": "i need wild blueberries that are dried and non gmo that is 8 oz.", "attributes": ["non gmo", "gluten free", "dietary fiber"], "options": ["flavor name: dried organic wild blueberries", "size: 8 ounce"], "instruction_attributes": ["non gmo"], "instruction_options": ["dried organic wild blueberries", "8 ounce"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49F2TDZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PZC19WJ": [{"asin": "B09PZC19WJ", "instruction": "i'm looking for furniture to make my living room and dinning room so nice.", "attributes": ["long lasting", "metal legs", "dining room", "living room"], "options": [""], "instruction_attributes": ["dining room", "living room"], "instruction_options": [], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69NUP8Y", "worker_id": "A16IQOX0DK14OJ"}], "B07DRPSWX6": [{"asin": "B07DRPSWX6", "instruction": "i am looking for king size pillows in plum", "attributes": ["super soft", "king size"], "options": ["color: plum", "size: queen"], "instruction_attributes": ["king size"], "instruction_options": ["plum"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A14HFB", "worker_id": "A2MSIFDLOHI1UT"}], "B019EGM8FU": [{"asin": "B019EGM8FU", "instruction": "i am looking for a 12 count (pack of 1) of gluten free raspberry cashew & chia", "attributes": ["low sodium", "gluten free", "0g trans"], "options": ["flavor name: milk chocolate almond", "size: 12 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["12 count (pack of 1)"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYOM6MS", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B019EGM8FU", "instruction": "i am looking for a 12 pack of gluten free bars that are dark chocolate almond", "attributes": ["low sodium", "gluten free", "0g trans"], "options": ["flavor name: dark chocolate chili almond", "size: 12 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["dark chocolate chili almond", "12 count (pack of 1)"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57H4I9V", "worker_id": "A2ECRNQ3X5LEXD"}], "B074YN5HNL": [{"asin": "B074YN5HNL", "instruction": "i'm looking for a memias premium window sheer voile curtains", "attributes": ["machine washable", "long lasting", "white item", "brushed nickel"], "options": ["color: butter cream", "size: 54\"w x 63\"l"], "instruction_attributes": ["white item"], "instruction_options": ["butter cream", "54\"w x 63\"l"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVND71K", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09MHJSG85": [{"asin": "B09MHJSG85", "instruction": "i'm looking for a portable nail clippers.", "attributes": ["stainless steel", "nail art", "dead skin"], "options": ["color: 02"], "instruction_attributes": ["stainless steel", "dead skin"], "instruction_options": ["02"], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YKXAG9", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09D59L59Y": [{"asin": "B09D59L59Y", "instruction": "i am looking for a grey mules & clogs for day comfert", "attributes": ["day comfort", "ethylene vinyl", "vinyl acetate", "arch support"], "options": ["color: grey", "size: 8.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["grey"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R890RJ", "worker_id": "A9QRQL9CFJBI7"}], "B09K4575MQ": [{"asin": "B09K4575MQ", "instruction": "i am looking for birthday cake toppers of black 65 pattern.", "attributes": ["birthday cake", "cupcake picks", "birthday party"], "options": ["pattern name: black 65"], "instruction_attributes": ["birthday cake"], "instruction_options": ["black 65"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I9VBCY", "worker_id": "A3FG5PQHG5AH3Y"}], "B09DGR2TJC": [{"asin": "B09DGR2TJC", "instruction": "i would like some cake toppers for a baby shower or birthday party.", "attributes": ["baby shower", "birthday party", "party supplies"], "options": [""], "instruction_attributes": ["baby shower", "birthday party"], "instruction_options": [], "assignment_id": "34PGFRQONZLYFAJCEF0151XGIW8WJ3", "worker_id": "A1WS884SI0SLO4"}], "B07WS7VZQJ": [{"asin": "B07WS7VZQJ", "instruction": "i am in need of some cupcake toppers that have a birthday party theme and is meant for a baby shower.", "attributes": ["birthday party", "party supplies", "baby shower"], "options": [""], "instruction_attributes": ["birthday party", "baby shower"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHZLB7O", "worker_id": "A1NF6PELRKACS9"}], "B09NDWTV9B": [{"asin": "B09NDWTV9B", "instruction": "i want a hoodie for couple with quality polyester in size medium black", "attributes": ["long lasting", "quality polyester"], "options": ["color: black", "size: medium", "special size type: men"], "instruction_attributes": ["quality polyester"], "instruction_options": ["black", "medium"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPPLFWD", "worker_id": "A2Y2TURT2VEYZN"}], "B08CDP994X": [{"asin": "B08CDP994X", "instruction": "i'm looking for keto friendly it has low sugar its good for health.", "attributes": ["low carb", "grain free", "non gmo", "low sugar", "gluten free", "soy free", "keto friendly", "dairy free"], "options": ["color: coconut, almond & pecan", "size: 4 count (pack of 4)"], "instruction_attributes": ["grain free", "low sugar", "gluten free", "soy free", "keto friendly", "dairy free"], "instruction_options": ["coconut, almond & pecan"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49I0TD3", "worker_id": "A16IQOX0DK14OJ"}], "B078SRYXM8": [{"asin": "B078SRYXM8", "instruction": "i am looking for a general colored floor lamp for my living room. it should be easy to clean and assemble.", "attributes": ["long lasting", "easy clean", "easy assemble", "living room"], "options": ["color: style-2 general"], "instruction_attributes": ["easy clean", "easy assemble", "living room"], "instruction_options": ["style-2 general"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8B45A7", "worker_id": "A1NF6PELRKACS9"}], "B00BNOQQEG": [{"asin": "B00BNOQQEG", "instruction": "help me find 2 fl oz (pack of 24) gluten free non gmo butter extract made without artificial colors.", "attributes": ["non gmo", "gluten free", "artificial colors"], "options": ["flavor name: butter extract", "size: 2 fl oz (pack of 24)"], "instruction_attributes": ["non gmo", "gluten free", "artificial colors"], "instruction_options": ["butter extract", "2 fl oz (pack of 24)"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB98QN8X", "worker_id": "A3AYHESLQSDY5T"}], "B08LH9PXPZ": [{"asin": "B08LH9PXPZ", "instruction": "i would like a pair of women's size 14.5 black work shoes with a steel toe.", "attributes": ["slip resistant", "steel toe", "rubber outsole", "rubber sole"], "options": ["color: black", "size: 14.5 women | 13 men"], "instruction_attributes": ["steel toe"], "instruction_options": ["black", "14.5 women | 13 men"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKEQ88V", "worker_id": "A1WS884SI0SLO4"}], "B09KZTD2NB": [{"asin": "B09KZTD2NB", "instruction": "i'm looking for decorative pillows and covers for dinning room.", "attributes": ["dining room", "living room"], "options": ["color: wood hockey rose"], "instruction_attributes": ["dining room"], "instruction_options": ["wood hockey rose"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU9OMCP", "worker_id": "A16IQOX0DK14OJ"}], "B095S8341G": [{"asin": "B095S8341G", "instruction": "i need a small spray fine mist with 100 ml amber for travel, makeup etc", "attributes": ["leak proof", "fine mist"], "options": ["color: amber", "size: 100ml"], "instruction_attributes": ["fine mist"], "instruction_options": ["amber", "100ml"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZLY7C6", "worker_id": "A258PTOZ3D2TQR"}], "B06WLPJPDZ": [{"asin": "B06WLPJPDZ", "instruction": "i am looking for a fluoride free, paraben free toothpaste.", "attributes": ["fluoride free", "paraben free"], "options": [""], "instruction_attributes": ["fluoride free", "paraben free"], "instruction_options": [], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQXS4BU", "worker_id": "A9QRQL9CFJBI7"}], "B09S3QKSWW": [{"asin": "B09S3QKSWW", "instruction": "i am looking for 9pcs of hair growth essence spray.", "attributes": ["easy use", "hair growth", "hair loss", "damaged hair", "natural hair"], "options": ["color: 9pcs"], "instruction_attributes": ["hair growth"], "instruction_options": ["9pcs"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2SK5MI", "worker_id": "A3FG5PQHG5AH3Y"}], "B00A2AX4Y2": [{"asin": "B00A2AX4Y2", "instruction": "i am looking for a natural ingredients soap", "attributes": ["animal testing", "natural ingredients"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7Y7P5C", "worker_id": "A9QRQL9CFJBI7"}], "B08P4LL9G2": [{"asin": "B08P4LL9G2", "instruction": "in hunt for a paraben free, weave tea tree and borage seed oil scalp treatment soother oil serum for scalps in a 2 ounce bottle for wigs made by the sheamoisture company.", "attributes": ["paraben free", "tea tree", "seed oil", "hair treatment", "damaged hair", "dry hair"], "options": [""], "instruction_attributes": ["paraben free", "tea tree", "seed oil", "damaged hair"], "instruction_options": [], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YL4AGI", "worker_id": "A3RGIKEI8JS2QG"}], "B07YKBG1FD": [{"asin": "B07YKBG1FD", "instruction": "i would like a pair of size 12 black oxford shoes with a leather sole.", "attributes": ["anti slip", "leather sole"], "options": ["color: 3#black", "size: 12"], "instruction_attributes": ["leather sole"], "instruction_options": ["3#black", "12"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1GE080", "worker_id": "A1WS884SI0SLO4"}], "B007D7DM08": [{"asin": "B007D7DM08", "instruction": "i'm looking for teeth whitening for prevention of oral care.", "attributes": ["teeth whitening", "storage case", "bad breath"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRFTWNL", "worker_id": "A16IQOX0DK14OJ"}], "B09QX7T1PW": [{"asin": "B09QX7T1PW", "instruction": "i am looking for an easy apply concealer foundation makeup cosmetics that can cover dark circles. a light skin tone will work well for me.", "attributes": ["easy apply", "long lasting", "dark circles"], "options": ["color: light skin tone"], "instruction_attributes": ["easy apply", "dark circles"], "instruction_options": ["light skin tone"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJNTW0N", "worker_id": "A39VVWV1GHLMFD"}], "B09QK4LW5H": [{"asin": "B09QK4LW5H", "instruction": "i'm looking for a portable computer speakers that has plug play and power amplifier.", "attributes": ["plug play", "power amplifier"], "options": [""], "instruction_attributes": ["plug play", "power amplifier"], "instruction_options": [], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8V6G8I", "worker_id": "AR0VJ5XRG16UJ"}], "B094F7LXBS": [{"asin": "B094F7LXBS", "instruction": "i'm looking for apple smartwatch acesseries it is easy to use.", "attributes": ["compatible apple", "easy install"], "options": ["color: blue & white porcelain", "size: 44mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["blue & white porcelain"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS4VVUH", "worker_id": "A16IQOX0DK14OJ"}], "B09KG2B4XX": [{"asin": "B09KG2B4XX", "instruction": "i am looking for a high performance 4g lte android tablet.", "attributes": ["high performance", "4g lte"], "options": [""], "instruction_attributes": ["high performance", "4g lte"], "instruction_options": [], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZBHUW6", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09KG2B4XX", "instruction": "i'm looking for 10 inch android tablet with dual 4g lte.", "attributes": ["high performance", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4M498L", "worker_id": "A21IUUHBSEVB56"}], "B08WHQ8SHJ": [{"asin": "B08WHQ8SHJ", "instruction": "i am looking for a low calorie, gluten free tortilla with chia and sesame seeds.", "attributes": ["low calorie", "keto friendly", "gluten free"], "options": [""], "instruction_attributes": ["low calorie", "gluten free"], "instruction_options": [], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6DGUPB", "worker_id": "AJDQGOTMB2D80"}], "B07KG3NLVH": [{"asin": "B07KG3NLVH", "instruction": "find me a long lasting and anti perspirant deodorant", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYEZ82T", "worker_id": "A2Y2TURT2VEYZN"}], "B00J8E93G6": [{"asin": "B00J8E93G6", "instruction": "i'm looking for white colored plug play and it will use for video accesseories.", "attributes": ["plug play", "easy install"], "options": ["color: white", "size: 8gb", "style: ddr3 1600mhz"], "instruction_attributes": ["plug play"], "instruction_options": ["white"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FDGK8K", "worker_id": "A16IQOX0DK14OJ"}], "B08792CRQ6": [{"asin": "B08792CRQ6", "instruction": "universal smart controller with big buttons tool for tv stb dvd with aaa batteries", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN13PTD", "worker_id": "A10OGH5CQBXL5N"}], "B09GFWF132": [{"asin": "B09GFWF132", "instruction": "show me a apple compatible white sport band made from stainless steel and in 40 mm size.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: lavender grey | cactus | black | white | hibiscus", "size: 38 | 40 | 41mm s | m"], "instruction_attributes": ["compatible apple", "stainless steel"], "instruction_options": ["lavender grey | cactus | black | white | hibiscus", "38 | 40 | 41mm s | m"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7V4UC2", "worker_id": "A3AYHESLQSDY5T"}], "B08N4T81LQ": [{"asin": "B08N4T81LQ", "instruction": "i am looking for a pink cupcake toppers, cupcake picks for baby shower birthday party party supplies", "attributes": ["cupcake picks", "baby shower", "birthday party", "party supplies"], "options": ["color: pink"], "instruction_attributes": ["cupcake picks", "baby shower", "birthday party", "party supplies"], "instruction_options": ["pink"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYP57NH", "worker_id": "A9QRQL9CFJBI7"}], "B08HH9R9GM": [{"asin": "B08HH9R9GM", "instruction": "show me a light weight non slipping men's walking shoes with rubber outsole in cuenca split leather burgundy color and 9.5 size.", "attributes": ["light weight", "non slip", "ethylene vinyl", "vinyl acetate", "rubber outsole"], "options": ["color: cuenca split leather burgundy", "size: 9.5"], "instruction_attributes": [], "instruction_options": ["cuenca split leather burgundy"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWTZD795", "worker_id": "A3AYHESLQSDY5T"}], "B08SM9QQJJ": [{"asin": "B08SM9QQJJ", "instruction": "i want to find hair extensions that are strawberry blonde to medium brown, and they need to be 18 inches long.", "attributes": ["hair extensions", "natural hair"], "options": ["color: #4 | 27 strawberry blonde to medium brown", "size: 120g-18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#4 | 27 strawberry blonde to medium brown", "120g-18 inch"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTP2KT8", "worker_id": "A345TDMHP3DQ3G"}], "B09HCRF6RQ": [{"asin": "B09HCRF6RQ", "instruction": "i'm looking for clothing long sleeve its for women's. it was easy to use.", "attributes": ["long sleeve", "polyester spandex", "teen girls"], "options": ["color: a6-yellow", "size: 3x-large"], "instruction_attributes": ["long sleeve", "teen girls"], "instruction_options": ["a6-yellow"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL3JNSL", "worker_id": "A16IQOX0DK14OJ"}], "B09PGFDCZB": [{"asin": "B09PGFDCZB", "instruction": "i am looking for a black valentines day women\u2019s medium jumpsuit and should be a high quality material.", "attributes": ["long sleeve", "quality materials", "polyester spandex"], "options": ["color: black", "size: medium"], "instruction_attributes": ["quality materials"], "instruction_options": [], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPH76VI", "worker_id": "AHU9OLV0YKIIW"}], "B09SYTR26S": [{"asin": "B09SYTR26S", "instruction": "i'm looking for a high quality, non toxic massage table sheets made of quality materials that is easy to clean for a beauty salon. also, choose 70 * 185 cm sized purple colored one.", "attributes": ["high quality", "non toxic", "easy clean", "quality materials", "beauty salon"], "options": ["color: purple", "size: 70*185cm"], "instruction_attributes": ["high quality", "non toxic", "easy clean", "quality materials", "beauty salon"], "instruction_options": ["purple", "70*185cm"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTTJXWM", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B09SYTR26S", "instruction": "i would like a purple 70 by 190 cm linen for my beauty salon that is easy to clean.", "attributes": ["high quality", "non toxic", "easy clean", "quality materials", "beauty salon"], "options": ["color: purple", "size: 70*190cm"], "instruction_attributes": ["easy clean", "beauty salon"], "instruction_options": ["purple", "70*190cm"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVRQX9M", "worker_id": "A1WS884SI0SLO4"}], "B09KM5R2RX": [{"asin": "B09KM5R2RX", "instruction": "i need a warm winter coat for women with faux fur.", "attributes": ["winter warm", "hand wash", "stretch fabric", "long sleeve", "faux fur", "polyester spandex", "short sleeve", "daily wear"], "options": ["color: fall winter women tops new arrivals - c309-blue", "size: large"], "instruction_attributes": ["winter warm", "faux fur"], "instruction_options": ["fall winter women tops new arrivals - c309-blue"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A09HFE", "worker_id": "A19317A3X87NVM"}], "B09JP4M2WW": [{"asin": "B09JP4M2WW", "instruction": "i'm looking for a 3 boho wall decor mid century modern wall art by gubiyu", "attributes": ["mid century", "ready hang", "living room", "dining room"], "options": ["color: teal and pink", "size: 24x36 inch (60x90cm)*3pcs"], "instruction_attributes": ["mid century", "living room"], "instruction_options": ["teal and pink", "24x36 inch (60x90cm)*3pcs"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40ILXN3", "worker_id": "A1ZGOZQF2VZ0X9"}], "B094Q1893G": [{"asin": "B094Q1893G", "instruction": "i am looking for eco friendly scented candles", "attributes": ["lead free", "eco friendly", "long lasting", "soy wax"], "options": ["color: scented candles gift set - c"], "instruction_attributes": ["eco friendly"], "instruction_options": ["scented candles gift set - c"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UTI0YB", "worker_id": "A2MSIFDLOHI1UT"}], "B086JQS639": [{"asin": "B086JQS639", "instruction": "i am looking for a 1082 white sports bras for daily casual.", "attributes": ["moisture wicking", "daily casual"], "options": ["color: 1082 white", "size: large"], "instruction_attributes": ["daily casual"], "instruction_options": ["1082 white"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ0SNRN", "worker_id": "A9QRQL9CFJBI7"}], "B09RWRKNGM": [{"asin": "B09RWRKNGM", "instruction": "i am looking for a medium short sleeve control slips", "attributes": ["fleece lined", "long sleeve", "short sleeve"], "options": ["color: a11 - purple", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["medium"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIWAMTW", "worker_id": "A9QRQL9CFJBI7"}], "B08BW4HZ7R": [{"asin": "B08BW4HZ7R", "instruction": "i'm looking for protein crunch bars that are grain free, high in protein, and keto friendly. also they should be peanut cinnamon hemp flavor.", "attributes": ["grain free", "keto friendly", "gluten free", "soy free", "high protein", "quality ingredients"], "options": ["flavor name: peanut cinnamon hemp", "size: 1.89 ounce (pack of 12)"], "instruction_attributes": ["grain free", "keto friendly", "high protein"], "instruction_options": ["peanut cinnamon hemp"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA932CZ38", "worker_id": "A34EHWOYRBL6OZ"}], "B00940MS5C": [{"asin": "B00940MS5C", "instruction": "i am looking for a craft table with steel frame that comes with a padded stool.", "attributes": ["coated steel", "steel frame"], "options": [""], "instruction_attributes": ["steel frame"], "instruction_options": [], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPLSE66", "worker_id": "AJDQGOTMB2D80"}], "B003G84QWQ": [{"asin": "B003G84QWQ", "instruction": "parmcrisps - all parm crisps cheese, made simply with 100% real cheese | healthy keto snacks, low carb, high protein, gluten free, oven baked, keto-friendly find for me, parm crisps brand, as it is oven baked, gluten free, low carb. excellent product that helps me maintain my low carb diet. my favorite flavor is italian herb. find this flavor.", "attributes": ["keto friendly", "low carb", "sugar free", "gluten free", "low sugar", "high protein", "non gmo"], "options": ["flavor name: italian herb"], "instruction_attributes": ["low carb", "gluten free"], "instruction_options": ["italian herb"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X6E3YN", "worker_id": "A15IJ20C3R4HUO"}], "B099N65WM4": [{"asin": "B099N65WM4", "instruction": "i need a dense cotton mattress cover.", "attributes": ["high density", "long lasting", "heavy duty"], "options": ["material type: cotton", "size: 4\" x 24\" x78\""], "instruction_attributes": ["high density"], "instruction_options": ["cotton"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTM2O6M", "worker_id": "A19317A3X87NVM"}], "B0861RT8HC": [{"asin": "B0861RT8HC", "instruction": "i would like 18 bags of 1.25 croele party mix that is gluten free.", "attributes": ["protein serving", "non gmo", "gluten free"], "options": ["flavor name: creole", "size: 1.25 ounce (pack of 18)"], "instruction_attributes": ["gluten free"], "instruction_options": ["creole", "1.25 ounce (pack of 18)"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQU15BG", "worker_id": "A1WS884SI0SLO4"}], "B07BJ1DGCP": [{"asin": "B07BJ1DGCP", "instruction": "i looking a dark chocolate gift basket pack for valentine day size -2 pound", "attributes": ["chocolate covered", "quality ingredients", "valentine day", "gift basket"], "options": ["flavor name: dark chocolate", "size: 2 pound"], "instruction_attributes": ["valentine day", "gift basket"], "instruction_options": ["dark chocolate", "2 pound"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDIB2OW", "worker_id": "A3N9ZYQAESNFQH"}], "B01LZI0UK9": [{"asin": "B01LZI0UK9", "instruction": "i need plant based and sulfate free shampoo which prevents hair loss and regenerates hair growth.", "attributes": ["plant based", "sulfate free", "hair loss", "hair growth"], "options": [""], "instruction_attributes": ["plant based", "sulfate free", "hair loss", "hair growth"], "instruction_options": [], "assignment_id": "369J354OFOKQUTE5FR2UAU6N21LG63", "worker_id": "ASWFLI3N8X72G"}], "B07P5QJGYB": [{"asin": "B07P5QJGYB", "instruction": "i am searching for beige color memory foam upholstered fabric platform bed", "attributes": ["box spring", "memory foam"], "options": ["color: beige"], "instruction_attributes": ["memory foam"], "instruction_options": ["beige"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMWYAS2", "worker_id": "A258PTOZ3D2TQR"}], "B082BHTXKJ": [{"asin": "B082BHTXKJ", "instruction": "i'm looking for clothing jeans it will use for easy to machinable wash.", "attributes": ["machine wash", "imported zipper"], "options": [": traditional jeans", "color: on that mountain", "fit type: regular", "size: 36w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["traditional jeans", "on that mountain"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK46NA60", "worker_id": "A16IQOX0DK14OJ"}], "B08YJTZQ3R": [{"asin": "B08YJTZQ3R", "instruction": "i'm looking for butt lifting and the clothing for quick drying and high waist.", "attributes": ["butt lifting", "quick drying", "moisture wicking", "tummy control", "high waist", "polyester spandex"], "options": ["color: z-zxzblue", "size: small"], "instruction_attributes": ["butt lifting", "quick drying", "high waist"], "instruction_options": ["z-zxzblue"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I1Q1S1", "worker_id": "A16IQOX0DK14OJ"}], "B00PYUS4IQ": [{"asin": "B00PYUS4IQ", "instruction": "i am looking a dark olive color oil free fine mist foundation", "attributes": ["oil free", "fragrance free", "fine mist"], "options": ["color: dark olive"], "instruction_attributes": ["oil free", "fine mist"], "instruction_options": ["dark olive"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8PU6QQ", "worker_id": "A3N9ZYQAESNFQH"}], "B01M5AU5DH": [{"asin": "B01M5AU5DH", "instruction": "i'm looking for buy a rugs for kitchen rugs.", "attributes": ["mid century", "long lasting", "contemporary design", "living room"], "options": ["color: blue-taupe", "item shape: rectangular", "size: 7 ft. x 9 ft."], "instruction_attributes": ["long lasting", "contemporary design"], "instruction_options": ["blue-taupe"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTIDD4J", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01M5AU5DH", "instruction": "i would like a 5 by 8 ft light blue runner rug for the living room.", "attributes": ["mid century", "long lasting", "contemporary design", "living room"], "options": ["color: light blue | ivory", "item shape: runner", "size: 5 ft x 8 ft"], "instruction_attributes": ["living room"], "instruction_options": ["light blue | ivory", "runner", "5 ft x 8 ft"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQ9MKVQ", "worker_id": "A1WS884SI0SLO4"}], "B000R4JHZS": [{"asin": "B000R4JHZS", "instruction": "i am looking for a 0g trans bagels.", "attributes": ["0g trans", "high fructose"], "options": [""], "instruction_attributes": ["0g trans"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R70KSX", "worker_id": "A9QRQL9CFJBI7"}], "B07ZNTM2L5": [{"asin": "B07ZNTM2L5", "instruction": "please re order deep conditioning hair treatment for my natural hair and should be 4.06 fl oz.", "attributes": ["hair treatment", "natural hair", "hair growth"], "options": ["size: 4.06 fl oz (pack of 1)"], "instruction_attributes": ["hair treatment", "natural hair"], "instruction_options": ["4.06 fl oz (pack of 1)"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ3VSIE", "worker_id": "AHU9OLV0YKIIW"}], "B07SXDCJ8Y": [{"asin": "B07SXDCJ8Y", "instruction": "i'm looking for optical zoom camera it contains stereo sound.", "attributes": ["ultra hd", "optical zoom", "stereo sound"], "options": [""], "instruction_attributes": ["ultra hd", "optical zoom", "stereo sound"], "instruction_options": [], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q6PIIA", "worker_id": "A16IQOX0DK14OJ"}], "B09H4YFG3T": [{"asin": "B09H4YFG3T", "instruction": "i want to find a matte black hair removal trimmer.", "attributes": ["high quality", "hair removal"], "options": ["color: matte black"], "instruction_attributes": ["hair removal"], "instruction_options": ["matte black"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK0YIU2", "worker_id": "A345TDMHP3DQ3G"}], "B095PXPXY7": [{"asin": "B095PXPXY7", "instruction": "i'm looking for a long lasting hydrating lip gloss that contains hyaluronic acid. also, choose name drop one.", "attributes": ["long lasting", "hyaluronic acid"], "options": ["color: name drop"], "instruction_attributes": ["long lasting", "hyaluronic acid"], "instruction_options": ["name drop"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2N9NYR", "worker_id": "AR0VJ5XRG16UJ"}], "B07KGNDN6Q": [{"asin": "B07KGNDN6Q", "instruction": "i would like a black nightstand for my kid that is made of engineered wood.", "attributes": ["assembly required", "engineered wood"], "options": ["color: black", "size: childrens"], "instruction_attributes": ["engineered wood"], "instruction_options": ["black", "childrens"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT0607UNB", "worker_id": "A1WS884SI0SLO4"}], "B086CXB31T": [{"asin": "B086CXB31T", "instruction": "hey !order for me women\u2019s sun sandals size 10 and should come with a synthetic sole and a open toe.", "attributes": ["open toe", "synthetic sole"], "options": ["color: blush reflective", "size: 10"], "instruction_attributes": ["open toe", "synthetic sole"], "instruction_options": ["10"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F21DOHK", "worker_id": "AHU9OLV0YKIIW"}], "B08HHLN3V4": [{"asin": "B08HHLN3V4", "instruction": "i am looking for a 1.5mm anti aging cotton swabs", "attributes": ["anti aging", "fine lines"], "options": ["size: 1.5mm"], "instruction_attributes": ["anti aging"], "instruction_options": ["1.5mm"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA6N8RG", "worker_id": "A9QRQL9CFJBI7"}], "B09HJ9L74K": [{"asin": "B09HJ9L74K", "instruction": "i want bowl to have in a bowl, soy wax scented candle which is lead free.", "attributes": ["lead free", "soy wax"], "options": ["scent: bowl to have in a bowl"], "instruction_attributes": ["lead free", "soy wax"], "instruction_options": ["bowl to have in a bowl"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79KFQKG", "worker_id": "ASWFLI3N8X72G"}, {"asin": "B09HJ9L74K", "instruction": "i need some candles that are made with soy wax and that have a pretty scent.", "attributes": ["lead free", "soy wax"], "options": ["scent: pretty is as pretty does"], "instruction_attributes": ["soy wax"], "instruction_options": ["pretty is as pretty does"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRT8PWM", "worker_id": "A2ECRNQ3X5LEXD"}], "B003K15U2Y": [{"asin": "B003K15U2Y", "instruction": "i'm looking for clothing accessories for women's.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": [""], "instruction_attributes": ["vinyl acetate"], "instruction_options": [], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q48GW0", "worker_id": "A16IQOX0DK14OJ"}], "B09J8FXQKG": [{"asin": "B09J8FXQKG", "instruction": "i'm looking for a high quality salon and spa chair for hair and beauty salon. also, choose grey colored one.", "attributes": ["high quality", "hair salon", "beauty salon"], "options": ["color: grey"], "instruction_attributes": ["high quality", "hair salon", "beauty salon"], "instruction_options": ["grey"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKKS7DM", "worker_id": "AR0VJ5XRG16UJ"}], "B07T94Q186": [{"asin": "B07T94Q186", "instruction": "looking for a cream | gray which is easy to clean.", "attributes": ["spot clean", "easy clean", "living room", "dining room"], "options": ["color: cream | gray", "size: 3 x 5"], "instruction_attributes": ["easy clean"], "instruction_options": ["cream | gray"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYRKZOB", "worker_id": "A9QRQL9CFJBI7"}], "B09LM1ZTM8": [{"asin": "B09LM1ZTM8", "instruction": "i want a pink color easy assemble height adjustable 26\"h -2 chair bar stool", "attributes": ["height adjustable", "high density", "easy assemble"], "options": ["color: pink", "size: 26\"h-2 chairs"], "instruction_attributes": ["height adjustable", "easy assemble"], "instruction_options": [], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IB5CBD", "worker_id": "A3N9ZYQAESNFQH"}], "B09KBWR214": [{"asin": "B09KBWR214", "instruction": "i'm looking for a blue, 10.1 inch android tablet that has dual cameras and a long-lasting battery.", "attributes": ["high performance", "long lasting", "high definition"], "options": ["color: blue"], "instruction_attributes": ["long lasting"], "instruction_options": ["blue"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQEAQSF", "worker_id": "A3HFKFJ5UDWAMC"}], "B075SWK9DV": [{"asin": "B075SWK9DV", "instruction": "i am looking for a blue classic fit shirts for men.", "attributes": ["machine wash", "classic fit", "relaxed fit", "long sleeve"], "options": ["color: blue", "pocket description: no pocket", "size: 18\" neck 34\" sleeve"], "instruction_attributes": ["classic fit"], "instruction_options": ["blue"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG1445R", "worker_id": "A9QRQL9CFJBI7"}], "B09JC2MQMF": [{"asin": "B09JC2MQMF", "instruction": "i would like a some black camera batteries that are easy to install.", "attributes": ["quick release", "plug play", "easy install", "easy use"], "options": ["color: b-black"], "instruction_attributes": ["easy install"], "instruction_options": ["b-black"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q55KDK", "worker_id": "A1WS884SI0SLO4"}], "B09PBKBPCT": [{"asin": "B09PBKBPCT", "instruction": "i would like a women's 3xl black blouse that is long sleeved.", "attributes": ["easy care", "loose fit", "hand wash", "long sleeve", "drawstring waist", "short sleeve", "daily wear"], "options": ["color: black", "size: 3x-large", "special size: women"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black", "3x-large", "women"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5WZF44", "worker_id": "A1WS884SI0SLO4"}], "B07NHZSPY8": [{"asin": "B07NHZSPY8", "instruction": "hi there, can you search the web for the price of a 30 pack of sugar-free limon to drink while on my low-carb diet.", "attributes": ["low carb", "gluten free", "zero sugar"], "options": ["flavor name: limon", "size: 0.38 ounce (pack of 30)"], "instruction_attributes": ["low carb", "zero sugar"], "instruction_options": ["limon", "0.38 ounce (pack of 30)"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB906UT", "worker_id": "A1ZAK79QAHNW2J"}], "B08C2NJYPJ": [{"asin": "B08C2NJYPJ", "instruction": "i am looking for flat open toe slipper in z1-02 black", "attributes": ["open toe", "arch support"], "options": ["color: z1-02 black", "size: 42=us:10"], "instruction_attributes": ["open toe"], "instruction_options": ["z1-02 black"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH24H6B", "worker_id": "A2MSIFDLOHI1UT"}], "B096PGWDYN": [{"asin": "B096PGWDYN", "instruction": "i am looking for eco friendly roller shades for windows in charcoal gray color", "attributes": ["eco friendly", "easy clean"], "options": ["color: charcoal gray", "size: 40\" w x 68\""], "instruction_attributes": ["eco friendly"], "instruction_options": ["charcoal gray"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTPMOQV", "worker_id": "A16M39T60N60NO"}], "B092J8JNQ1": [{"asin": "B092J8JNQ1", "instruction": "i'm looking for a 40 pieces hair satin foam rollers perm rods.", "attributes": ["easy use", "hair styling"], "options": ["size: 0.6 inch (pack of 40)"], "instruction_attributes": ["hair styling"], "instruction_options": ["0.6 inch (pack of 40)"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8N8L2NW", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09QJJPNMB": [{"asin": "B09QJJPNMB", "instruction": "i'm looking for a closed toe sandals with arch support and lace closure. also, choose 5.5 size black colored one.", "attributes": ["non slip", "hand wash", "lace closure", "high heel", "closed toe", "arch support"], "options": ["color: black", "size: 5.5"], "instruction_attributes": ["lace closure", "closed toe", "arch support"], "instruction_options": ["black", "5.5"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANGNSX2", "worker_id": "AR0VJ5XRG16UJ"}], "B08DW5G5JX": [{"asin": "B08DW5G5JX", "instruction": "please order for me 6 packs of black eye peas that are gluten free and non gmo.", "attributes": ["gluten free", "non gmo"], "options": ["flavor name: black eye peas", "size: 1 pound (pack of 6)"], "instruction_attributes": ["gluten free", "non gmo"], "instruction_options": ["black eye peas", "1 pound (pack of 6)"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSCFWC5", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B08DW5G5JX", "instruction": "i'm looking for camellia brand dried field peas.", "attributes": ["gluten free", "non gmo"], "options": ["flavor name: green split peas", "size: 1 pound (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["1 pound (pack of 12)"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907W0UAP", "worker_id": "A21IUUHBSEVB56"}], "B09KCJQ88D": [{"asin": "B09KCJQ88D", "instruction": "i would like a 30 x 40 inches multicolored super soft fleece throw.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 2", "size: 30 x 40 inches"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["multi 2", "30 x 40 inches"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP50J7P", "worker_id": "A1WS884SI0SLO4"}], "B095HDHRWV": [{"asin": "B095HDHRWV", "instruction": "i want a solid wood sofa bed that goes in my living room. pick a 2 seater.", "attributes": ["wood frame", "solid wood", "living room"], "options": ["size: 2 seat"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["2 seat"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWZMR1I", "worker_id": "A1NF6PELRKACS9"}], "B0081E6YX4": [{"asin": "B0081E6YX4", "instruction": "i'm looking for a clincally proven hyaluronic acid 20% vitamin c serum that helps with fine lines.", "attributes": ["clinically proven", "hyaluronic acid", "fine lines"], "options": ["style: 20% vitamin c serum"], "instruction_attributes": ["clinically proven", "hyaluronic acid", "fine lines"], "instruction_options": ["20% vitamin c serum"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSOPX05", "worker_id": "A2CJFO19NY4T5R"}], "B09M6TRN3W": [{"asin": "B09M6TRN3W", "instruction": "i'm looking for engineered wood it was white finish grey in color.", "attributes": ["space saving", "white item", "easy clean", "white finish", "wood frame", "box spring"], "options": ["color: grey", "style: loft bed w | long desk & bookcase"], "instruction_attributes": ["white item", "easy clean", "white finish"], "instruction_options": ["grey"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1EVCXO", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09M6TRN3W", "instruction": "i want gray startogoo twin low bunk bed with wood frame.", "attributes": ["space saving", "white item", "easy clean", "white finish", "wood frame", "box spring"], "options": ["color: gray 2", "style: twin size loft bed w | desk"], "instruction_attributes": ["wood frame"], "instruction_options": ["gray 2"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU6J9AW", "worker_id": "A2RBF3IIJP15IH"}], "B07B5VSTNR": [{"asin": "B07B5VSTNR", "instruction": "i am looking for chocolate gift set.", "attributes": ["old fashioned", "quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: chocolate", "size: 2 lb"], "instruction_attributes": ["gift set"], "instruction_options": ["chocolate"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QVE07H", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07B5VSTNR", "instruction": "i am looking for chocolate flavor milk chocolate for valentine day.", "attributes": ["old fashioned", "quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: chocolate", "size: 5 lb"], "instruction_attributes": ["valentine day"], "instruction_options": ["chocolate"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR7L0AH", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07B5VSTNR", "instruction": "i want a 2lb box of old fashioned milk and dark chocolate nuts.", "attributes": ["old fashioned", "quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: mixed - milk (65%) & dark (35%)", "size: 2 lb"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["mixed - milk (65%) & dark (35%)", "2 lb"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YUP8T4", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07B5VSTNR", "instruction": "i am looking for an old fashioned 1 pound peanut cluster milk chocolate", "attributes": ["old fashioned", "quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: dark chocolate", "size: 3 lb"], "instruction_attributes": ["old fashioned"], "instruction_options": ["3 lb"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HRNPB1", "worker_id": "A2KW17G25L25R8"}], "B01IYB6NOS": [{"asin": "B01IYB6NOS", "instruction": "i am looking for a hygiene tongue cleaner for fresh breath. also choose 6 count pack.", "attributes": ["oral hygiene", "fresh breath", "bad breath"], "options": ["size: 6 count (pack of 1)"], "instruction_attributes": ["oral hygiene", "fresh breath"], "instruction_options": ["6 count (pack of 1)"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7YO6Y6", "worker_id": "A2HMEGTAFO0CS8"}], "B07ND51YPC": [{"asin": "B07ND51YPC", "instruction": "i am looking loose leaf green flavor non gmo usda organic herbal tea size:1 pouch (pack of 1)", "attributes": ["usda organic", "non gmo"], "options": ["flavor name: green", "size: 1 pound (pack of 1)", "style: loose leaf"], "instruction_attributes": ["usda organic", "non gmo"], "instruction_options": ["green", "1 pound (pack of 1)", "loose leaf"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSXPLGX", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B07ND51YPC", "instruction": "i want milk thistle tea bags. make sure that it has an usda organic label.", "attributes": ["usda organic", "non gmo"], "options": ["flavor name: milk thistle", "size: 1 pound (pack of 1)", "style: tea bags"], "instruction_attributes": ["usda organic"], "instruction_options": ["milk thistle", "tea bags"], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YNLGA9", "worker_id": "A1NF6PELRKACS9"}], "B09RSXM68P": [{"asin": "B09RSXM68P", "instruction": "i'm looking for a light weight fashion designed pure cotton men's briefs. also, choose medium sized b gray colored one.", "attributes": ["light weight", "hand wash", "fashion design"], "options": ["color: b gray", "size: medium"], "instruction_attributes": ["light weight", "fashion design"], "instruction_options": ["b gray", "medium"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQLA31U", "worker_id": "AR0VJ5XRG16UJ"}], "B07DZW6GQV": [{"asin": "B07DZW6GQV", "instruction": "i need a pack of long lasting argan oil lotion. pick one that is 16.8 fl oz in size.", "attributes": ["long lasting", "dermatologist tested", "argan oil"], "options": ["size: 16.8 fl oz (pack of 1)", "style: hydrating coconut lotion"], "instruction_attributes": ["long lasting", "argan oil"], "instruction_options": ["16.8 fl oz (pack of 1)"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOKT0FJ", "worker_id": "A1NF6PELRKACS9"}], "B09L2C7P75": [{"asin": "B09L2C7P75", "instruction": "i would like a pendant light fixture.", "attributes": ["pendant light", "light fixture"], "options": [""], "instruction_attributes": ["pendant light", "light fixture"], "instruction_options": [], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTOHLP6", "worker_id": "A1WS884SI0SLO4"}], "B08T5PZHM9": [{"asin": "B08T5PZHM9", "instruction": "show me a bright green art wall sculptures for living room made through exquisite workmanship.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: bright green"], "instruction_attributes": ["exquisite workmanship", "living room"], "instruction_options": ["bright green"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGBKSMX", "worker_id": "A3AYHESLQSDY5T"}], "B095Z82R7X": [{"asin": "B095Z82R7X", "instruction": "i would like a cube of individually wrapped sugarolly candy for a birthday party.", "attributes": ["individually wrapped", "birthday party"], "options": ["flavor name: sugarolly - big", "size: cube (7)"], "instruction_attributes": ["individually wrapped", "birthday party"], "instruction_options": ["sugarolly - big", "cube (7)"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WR0QWO", "worker_id": "A1WS884SI0SLO4"}], "B08PCF2428": [{"asin": "B08PCF2428", "instruction": "i'm looking for clothing to wear comfortable and everyday wear.", "attributes": ["comfortable fit", "rubber outsole", "rubber sole", "everyday wear"], "options": ["color: black | white", "size: 15"], "instruction_attributes": ["comfortable fit", "everyday wear"], "instruction_options": ["black | white"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YZ6HE8", "worker_id": "A16IQOX0DK14OJ"}], "B07968GK3T": [{"asin": "B07968GK3T", "instruction": "order for me sour gummies that are dairy free,gluten free and with good quality ingredients.", "attributes": ["dairy free", "gluten free", "nut free", "fat free", "quality ingredients"], "options": ["flavor name: sour", "size: 7.5 ounce (pack of 12)"], "instruction_attributes": ["gluten free", "quality ingredients"], "instruction_options": ["sour"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22LMW8R", "worker_id": "AHU9OLV0YKIIW"}], "B08QYPJMQ3": [{"asin": "B08QYPJMQ3", "instruction": "i'm looking for buy a chocolates and candys gits for valentines day a perfect gift.", "attributes": ["kosher certified", "individually wrapped", "valentine day", "perfect gift"], "options": ["size: 1000 count (25 pound) bulk"], "instruction_attributes": ["valentine day", "perfect gift"], "instruction_options": ["1000 count (25 pound) bulk"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788EWC5N", "worker_id": "A16IQOX0DK14OJ"}], "B07J9Q794H": [{"asin": "B07J9Q794H", "instruction": "crystal rhinestone phone ring and stand hands free in gold colour", "attributes": ["gold plated", "hands free"], "options": ["color: gold | rainbow"], "instruction_attributes": ["hands free"], "instruction_options": ["gold | rainbow"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HGCRHY5", "worker_id": "A10OGH5CQBXL5N"}], "B094D7Y7MS": [{"asin": "B094D7Y7MS", "instruction": "i'm looking for camera for digital photography. the camera was easy to carry at.", "attributes": ["high resolution", "easy carry", "high definition", "digital photography"], "options": ["size: 24x12in | 60x30cm"], "instruction_attributes": ["easy carry", "high definition", "digital photography"], "instruction_options": ["24x12in | 60x30cm"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNLDNTO", "worker_id": "A16IQOX0DK14OJ"}], "B08XMHLGKS": [{"asin": "B08XMHLGKS", "instruction": "i am looking for an easy to use seasoning mix in the green raita flavor.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: green raita", "size: 5.29 ounce (pack of 1)"], "instruction_attributes": ["easy use"], "instruction_options": ["green raita"], "assignment_id": "351SEKWQSBRP7CP60H83T50CF9QMDF", "worker_id": "A1NF6PELRKACS9"}], "B07PPH541B": [{"asin": "B07PPH541B", "instruction": "i am searching for easy to use mascara brushes. also, choose the pink one.", "attributes": ["easy use", "nail art"], "options": ["color: pink"], "instruction_attributes": ["easy use"], "instruction_options": ["pink"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOILHFEY", "worker_id": "A9ZM1P6LBW79"}], "B08QZM336G": [{"asin": "B08QZM336G", "instruction": "show me some long lasting honeysuckle jasmine colored candles made from soy wax.", "attributes": ["long lasting", "soy wax"], "options": ["color: honeysuckle jasmine"], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": ["honeysuckle jasmine"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKE0885", "worker_id": "A3AYHESLQSDY5T"}], "B004U6TMCM": [{"asin": "B004U6TMCM", "instruction": "i am looking a eye cream for dark circles.", "attributes": ["long lasting", "dark circles", "fine lines", "sensitive skin"], "options": [""], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWNC25X", "worker_id": "A9QRQL9CFJBI7"}], "B01IPZCPXQ": [{"asin": "B01IPZCPXQ", "instruction": "i'm looking for a permanent hair dye which is paraben free and should be cruelty free certified. also choose a pack of 1 with 3.99 fl oz and pillarbox red colored one.", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: pillarbox red", "size: 3.99 fl oz (pack of 1)"], "instruction_attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "instruction_options": ["pillarbox red", "3.99 fl oz (pack of 1)"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPATORZ", "worker_id": "AR0VJ5XRG16UJ"}], "B09SGFC3ST": [{"asin": "B09SGFC3ST", "instruction": "i am looking for a hot pink machine washable bikinis sets", "attributes": ["machine washable", "tummy control"], "options": ["color: hot pink", "size: xx-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["hot pink"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA6I8RB", "worker_id": "A9QRQL9CFJBI7"}], "B09PFNQFJY": [{"asin": "B09PFNQFJY", "instruction": "i'm looking for long sleeve tops it can makes feel comfortable.", "attributes": ["loose fit", "long sleeve", "button closure", "short sleeve"], "options": ["color: a02-green", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a02-green"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79QJ1HQ", "worker_id": "A16IQOX0DK14OJ"}], "B07DP8SCK4": [{"asin": "B07DP8SCK4", "instruction": "i am looking for a water resistant minimalist shoe with rubber sole for a man. also choose storm navy color and size no 9.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: storm navy", "size: 10 women | 9 men"], "instruction_attributes": ["water resistant", "rubber sole"], "instruction_options": ["storm navy", "10 women | 9 men"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLZDBYA", "worker_id": "A2HMEGTAFO0CS8"}], "B000YDE46Y": [{"asin": "B000YDE46Y", "instruction": "i'm looking for a day comfort men's boots with synthetic sole. also, choose 12 size burnished gold colored one.", "attributes": ["day comfort", "synthetic sole"], "options": ["color: burnished gold", "size: 12"], "instruction_attributes": ["day comfort", "synthetic sole"], "instruction_options": ["burnished gold", "12"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB41JXYL", "worker_id": "AR0VJ5XRG16UJ"}], "B084TJHF2F": [{"asin": "B084TJHF2F", "instruction": "find me a super soft round table cloth that is 70\"x70\" in size.", "attributes": ["machine washable", "super soft", "eco friendly", "easy clean"], "options": ["color: pattern02", "size: 70\"x70\"(diameter 178cm)"], "instruction_attributes": ["super soft"], "instruction_options": ["70\"x70\"(diameter 178cm)"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMKBXV6", "worker_id": "A1NF6PELRKACS9"}], "B07R9LPVK9": [{"asin": "B07R9LPVK9", "instruction": "i am looking for non gmo chopped pecan nuts of 4 pound size.", "attributes": ["non gmo", "dietary fiber"], "options": ["size: 4 pound"], "instruction_attributes": ["non gmo"], "instruction_options": ["4 pound"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7Y56YN", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07R9LPVK9", "instruction": "i would like a 8 ounce pack of non gmo pecans.", "attributes": ["non gmo", "dietary fiber"], "options": ["size: 8 ounce (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHD3E15", "worker_id": "A1WS884SI0SLO4"}], "B082Q61BS5": [{"asin": "B082Q61BS5", "instruction": "i need a pre shampoo treatment for damaged hair.", "attributes": ["damaged hair", "natural hair"], "options": ["scent: pre-shampoo"], "instruction_attributes": ["damaged hair"], "instruction_options": ["pre-shampoo"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIII299", "worker_id": "A19317A3X87NVM"}], "B07JVBSCWJ": [{"asin": "B07JVBSCWJ", "instruction": "i am searching for a certified refurbished all-in-one printer with high performance.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5GE1ZU", "worker_id": "A9ZM1P6LBW79"}], "B09LQ9SZPH": [{"asin": "B09LQ9SZPH", "instruction": "i'm looking for furniture for living room that wood framed furniture is easy to use.", "attributes": ["assembly required", "faux leather", "wood frame", "storage space", "living room"], "options": ["color: red"], "instruction_attributes": ["assembly required", "wood frame", "storage space", "living room"], "instruction_options": ["red"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401A8UMM", "worker_id": "A16IQOX0DK14OJ"}], "B07SG76JPK": [{"asin": "B07SG76JPK", "instruction": "i'm looking for a keratin hair treatment kit which has anti aging property and made of natural ingredients. also, choose 3.4 fl oz one", "attributes": ["anti aging", "natural ingredients", "hair treatment"], "options": ["style name: 3.4 fl oz kit"], "instruction_attributes": ["anti aging", "natural ingredients", "hair treatment"], "instruction_options": ["3.4 fl oz kit"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8B0A58", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B07SG76JPK", "instruction": "i use mostly natural ingredients for my skin in 10.1 fl oz", "attributes": ["anti aging", "natural ingredients", "hair treatment"], "options": ["style name: 10.1 fl oz kit"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["10.1 fl oz kit"], "assignment_id": "326O153BMT8RVOXTJJKKGXV3697EDU", "worker_id": "A226L9F2AZ38CL"}], "B098QFDZDH": [{"asin": "B098QFDZDH", "instruction": "i am looking for oil free foundation for dry skin. please choose mocha color.", "attributes": ["oil free", "easy carry", "long lasting", "easy use"], "options": ["color: mocha"], "instruction_attributes": ["oil free"], "instruction_options": ["mocha"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOZI7O4", "worker_id": "A3FG5PQHG5AH3Y"}], "B07V4LPY51": [{"asin": "B07V4LPY51", "instruction": "i am interested in purchasing a cruelty free lip enhancer with natural ingredients in the color teal.", "attributes": ["clinically proven", "cruelty free", "natural ingredients", "fine lines"], "options": ["color: teal"], "instruction_attributes": ["cruelty free", "natural ingredients"], "instruction_options": ["teal"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRSQBZ8", "worker_id": "AHXHM1PQTRWIQ"}], "B07WF7ZYP6": [{"asin": "B07WF7ZYP6", "instruction": "i want some headphone amplifiers with a power adapter.", "attributes": ["high power", "power amplifier"], "options": [""], "instruction_attributes": ["high power", "power amplifier"], "instruction_options": [], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FNYFBQ", "worker_id": "A345TDMHP3DQ3G"}], "B09C5RCSN5": [{"asin": "B09C5RCSN5", "instruction": "i am looking non slip glass screen heavy duty protective case cover -purple", "attributes": ["heavy duty", "non slip", "case cover", "glass screen", "tempered glass"], "options": ["color: purple"], "instruction_attributes": ["non slip", "case cover"], "instruction_options": ["purple"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7V5CUL", "worker_id": "A3N9ZYQAESNFQH"}], "B00P4GFA3C": [{"asin": "B00P4GFA3C", "instruction": "i want cacao powder 3 pound pack sugar free and certified organic", "attributes": ["sugar free", "certified organic", "non gmo", "plant based", "keto friendly"], "options": ["flavor name: cacao powder", "size: 3 pound (pack of 1)"], "instruction_attributes": ["sugar free", "certified organic"], "instruction_options": ["cacao powder", "3 pound (pack of 1)"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDW0I1RQ", "worker_id": "A2Y2TURT2VEYZN"}], "B09GN891PR": [{"asin": "B09GN891PR", "instruction": "i'm looking for a glass case with fashion cute pattern design for iphone 13.", "attributes": ["non slip", "dust proof", "easy install", "tempered glass"], "options": ["color: colorful starry pineapple", "size: iphone 13 pro(6.1-inch)"], "instruction_attributes": ["non slip", "tempered glass"], "instruction_options": ["colorful starry pineapple", "iphone 13 pro(6.1-inch)"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35N6GU8", "worker_id": "A1ZGOZQF2VZ0X9"}, {"asin": "B09GN891PR", "instruction": "i'm looking for an easy to install iphone 13 case with a colorful cactus pattern.", "attributes": ["non slip", "dust proof", "easy install", "tempered glass"], "options": ["color: colorful cactus", "size: iphone 13 pro max(6.7-inch)"], "instruction_attributes": ["easy install"], "instruction_options": ["colorful cactus", "iphone 13 pro max(6.7-inch)"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL4FSNO", "worker_id": "AR9AU5FY1S3RO"}], "B097SLKSD3": [{"asin": "B097SLKSD3", "instruction": "i am looking for a 3 vanity lights with with clear glass shade.", "attributes": ["clear glass", "glass shade", "dining room"], "options": ["size: 3 lights"], "instruction_attributes": ["clear glass"], "instruction_options": ["3 lights"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQSVIH0", "worker_id": "A9QRQL9CFJBI7"}], "B07MWTMFX1": [{"asin": "B07MWTMFX1", "instruction": "i'm looking for clothing jeans for women's and the it was comfortable fit.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: dark stone", "fit type: big & tall", "size: 33w x 36l"], "instruction_attributes": ["long lasting", "comfortable fit"], "instruction_options": ["dark stone"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBGEJDT", "worker_id": "A16IQOX0DK14OJ"}], "B09CM422VM": [{"asin": "B09CM422VM", "instruction": "i'm looking for a hair shaving, household neck hair removal brush with rope for men", "attributes": ["high quality", "hair removal"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BME8XG", "worker_id": "A3D6VE1HYFEP9Z"}], "B09B45XJB9": [{"asin": "B09B45XJB9", "instruction": "i'm looking for made for cupcakes to birthday party it is easy to make.", "attributes": ["easy use", "cupcake picks", "baby shower", "birthday party"], "options": ["color: rose gold"], "instruction_attributes": ["easy use", "cupcake picks", "birthday party"], "instruction_options": ["rose gold"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJOVGDK", "worker_id": "A16IQOX0DK14OJ"}], "B09R4318ZY": [{"asin": "B09R4318ZY", "instruction": "i'm looking for pants for sports with a fleece lining and a relaxed fit in sky blue", "attributes": ["butt lifting", "fleece lined", "wide leg", "high waist", "tummy control", "relaxed fit"], "options": ["color: sky blue", "size: 5x-large"], "instruction_attributes": ["fleece lined", "relaxed fit"], "instruction_options": ["sky blue"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQFCCJU", "worker_id": "A13PVNQT2WWWVL"}], "B095VMXFTV": [{"asin": "B095VMXFTV", "instruction": "i would like a pair of size 46 black shoes made from quality materials.", "attributes": ["steel toe", "quality materials"], "options": ["color: black", "size: 46"], "instruction_attributes": ["quality materials"], "instruction_options": ["black", "46"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNXG8HA", "worker_id": "A1WS884SI0SLO4"}], "B00XMZCOAY": [{"asin": "B00XMZCOAY", "instruction": "i'm looking for rice shaped pasta it contains low fiber fat it good for health.", "attributes": ["non gmo", "low fat", "dietary fiber"], "options": ["size: 26.5 ounce (pack of 4)", "style: traditional"], "instruction_attributes": ["low fat", "dietary fiber"], "instruction_options": ["26.5 ounce (pack of 4)"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UQLEZV", "worker_id": "A16IQOX0DK14OJ"}], "B08LQ6SY18": [{"asin": "B08LQ6SY18", "instruction": "i am looking for a storage benches for living room of espresso color.", "attributes": ["fully assembled", "wood frame", "living room"], "options": ["color: espresso"], "instruction_attributes": ["living room"], "instruction_options": ["espresso"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3G5YAD", "worker_id": "A9QRQL9CFJBI7"}], "B084NFNNBH": [{"asin": "B084NFNNBH", "instruction": "i'm looking for trader joe for buying groceries products.", "attributes": ["trader joe", "non gmo", "great gift", "perfect gift"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UIZKO2", "worker_id": "A16IQOX0DK14OJ"}], "B07G51W951": [{"asin": "B07G51W951", "instruction": "i'm looking for oral care the prevention of dental care.", "attributes": ["easy use", "fresh breath"], "options": [""], "instruction_attributes": ["easy use", "fresh breath"], "instruction_options": [], "assignment_id": "358010RM5P3MV5OW59A6A8MHMLTXVQ", "worker_id": "A16IQOX0DK14OJ"}], "B093VQSY12": [{"asin": "B093VQSY12", "instruction": "i am looking for a high definition 24 inch tv", "attributes": ["high definition", "high resolution"], "options": ["size: 24in"], "instruction_attributes": ["high definition"], "instruction_options": ["24in"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXEC7G4", "worker_id": "A2ECRNQ3X5LEXD"}], "B094DKJ6ZS": [{"asin": "B094DKJ6ZS", "instruction": "i am looking for a blue rubber outsole sneaker for men.", "attributes": ["lace closure", "rubber outsole", "rubber sole"], "options": ["color: blue", "size: 16"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["blue"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKRTV76", "worker_id": "A9QRQL9CFJBI7"}], "B079K9XTSV": [{"asin": "B079K9XTSV", "instruction": "i am looking for a jet black #1 hair extensions.", "attributes": ["hair extensions", "natural hair"], "options": ["color: jet black #1", "size: 14 inch (120 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["jet black #1"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3EYQNX", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B079K9XTSV", "instruction": "i would like a 18 inch natural black hair extension.", "attributes": ["hair extensions", "natural hair"], "options": ["color: natural black #1b", "size: 18 inch (120 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["natural black #1b", "18 inch (120 gram)"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUN3ZV5", "worker_id": "A1WS884SI0SLO4"}], "B09GPJVQNT": [{"asin": "B09GPJVQNT", "instruction": "i need a relaxed fit daily wear gym pants for daily wear. pick an xx-large one.", "attributes": ["polyester cotton", "elastic waist", "relaxed fit", "daily wear"], "options": ["color: 25-green", "size: xx-large"], "instruction_attributes": ["relaxed fit", "daily wear"], "instruction_options": ["xx-large"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8BL5AO", "worker_id": "A1NF6PELRKACS9"}], "B08SQ88C1G": [{"asin": "B08SQ88C1G", "instruction": "i'm looking for a wooden upholstered daybed twin with trundle and backrest.", "attributes": ["twin size", "easy assemble", "box spring", "solid wood", "living room"], "options": ["color: beige", "size: twin with drawers"], "instruction_attributes": ["twin size"], "instruction_options": ["twin with drawers"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJOK9OU", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09PDP2SKW": [{"asin": "B09PDP2SKW", "instruction": "i would like some 22 inch hair extensions made of natural hair.", "attributes": ["easy use", "high quality", "hair extensions", "natural hair"], "options": ["size: 22 inch"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["22 inch"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO8NGJT", "worker_id": "A1WS884SI0SLO4"}], "B07CS4CBGM": [{"asin": "B07CS4CBGM", "instruction": "i'm looking for a italian ice fat free", "attributes": ["fat free", "real fruit"], "options": [""], "instruction_attributes": ["fat free"], "instruction_options": [], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR49FFUJ", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07CS4CBGM", "instruction": "i want to buy some fat free freezer bars with real fruit.", "attributes": ["fat free", "real fruit"], "options": [""], "instruction_attributes": ["fat free", "real fruit"], "instruction_options": [], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1L46FB", "worker_id": "AR9AU5FY1S3RO"}], "B09RN5LG2B": [{"asin": "B09RN5LG2B", "instruction": "i'm looking for a open toe slip resistant sneakers with arch support and ankle strap. also, choose 7.5 size black one.", "attributes": ["open toe", "slip resistant", "non slip", "arch support", "high heel", "ankle strap", "memory foam"], "options": ["color: black", "size: 7.5"], "instruction_attributes": ["open toe", "slip resistant", "arch support", "ankle strap"], "instruction_options": ["black", "7.5"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQN9Q10X", "worker_id": "AR0VJ5XRG16UJ"}], "B09921NBD4": [{"asin": "B09921NBD4", "instruction": "i am looking for a black faux leather bed frames.", "attributes": ["button tufted", "queen size", "height adjustable", "faux leather", "box spring"], "options": ["color: black", "size: king"], "instruction_attributes": ["faux leather"], "instruction_options": ["black"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLURFT9", "worker_id": "A9QRQL9CFJBI7"}], "B0924LVZ21": [{"asin": "B0924LVZ21", "instruction": "i am looking for a 1 pack of cooling pads with high performance", "attributes": ["high performance", "usb port"], "options": ["size: stand cooling fan", "style: 1 pack"], "instruction_attributes": ["high performance"], "instruction_options": ["1 pack"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDROB9FS", "worker_id": "A9QRQL9CFJBI7"}], "B06Y254L9J": [{"asin": "B06Y254L9J", "instruction": "i would like a aqua blue applewatch charger.", "attributes": ["compatible apple", "easy use"], "options": ["color: aqua blue"], "instruction_attributes": ["compatible apple"], "instruction_options": ["aqua blue"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUCS9RT", "worker_id": "A1WS884SI0SLO4"}], "B09P1BN2CD": [{"asin": "B09P1BN2CD", "instruction": "i'm looking for a high-quality toothbrush in straw color(for 2-6 years) for sensitive teeth.", "attributes": ["high quality", "sensitive teeth"], "options": ["color: straw color(for 2-6 years)"], "instruction_attributes": ["high quality", "sensitive teeth"], "instruction_options": ["straw color(for 2-6 years)"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1812IO", "worker_id": "A20DUVEOH6A7KW"}], "B09F6HYVT6": [{"asin": "B09F6HYVT6", "instruction": "i am looking for a water proof outdoor ultra hd projector, also the color should be sport color.", "attributes": ["water resistant", "ultra hd", "usb port"], "options": ["color: sport", "size: ar115-clr3+oms120h2"], "instruction_attributes": ["water resistant", "ultra hd"], "instruction_options": ["sport"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQG5CJP", "worker_id": "A14BSOU2Y5JNT0"}, {"asin": "B09F6HYVT6", "instruction": "i need a sporty water resistant portable projector with usb port.", "attributes": ["water resistant", "ultra hd", "usb port"], "options": ["color: sport", "size: ar115-clr3+oms120h2"], "instruction_attributes": ["water resistant", "usb port"], "instruction_options": ["sport"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWY0C1E", "worker_id": "A1NF6PELRKACS9"}], "B08RZBK8XD": [{"asin": "B08RZBK8XD", "instruction": "i am looking for a white storage benches of grey wash color", "attributes": ["white item", "easy assemble", "living room"], "options": ["color: grey wash"], "instruction_attributes": ["white item"], "instruction_options": ["grey wash"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE223QGG", "worker_id": "A9QRQL9CFJBI7"}], "B092TNX1HL": [{"asin": "B092TNX1HL", "instruction": "i am looking for a stainless steel shears.", "attributes": ["non slip", "stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7NQ3IR", "worker_id": "A9QRQL9CFJBI7"}], "B09H67CSK6": [{"asin": "B09H67CSK6", "instruction": "i would like a eye shadow makeup palette.", "attributes": ["easy clean", "nail polish", "beauty salon", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IBXCB5", "worker_id": "A1WS884SI0SLO4"}], "B09ND9FLJ2": [{"asin": "B09ND9FLJ2", "instruction": "i am looking for a sleep sets of medium size for daily wear.", "attributes": ["elastic waistband", "long sleeve", "daily wear"], "options": ["color: multi 9", "size: medium"], "instruction_attributes": ["daily wear"], "instruction_options": ["medium"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SVQUDC", "worker_id": "A9QRQL9CFJBI7"}], "B009R8D5QC": [{"asin": "B009R8D5QC", "instruction": "i need a bag of alaska caught salmon jerkey.", "attributes": ["wild caught", "artificial ingredients", "gluten free"], "options": ["flavor name: garlic-pepper", "size: 6 ounce"], "instruction_attributes": ["wild caught"], "instruction_options": ["garlic-pepper"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L8DERB", "worker_id": "A19317A3X87NVM"}], "B08DKWFB9K": [{"asin": "B08DKWFB9K", "instruction": "i am looking for computer desk drawing table that is easy to install", "attributes": ["heavy duty", "easy install"], "options": [""], "instruction_attributes": ["heavy duty", "easy install"], "instruction_options": [], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCJ5E06", "worker_id": "A10OGH5CQBXL5N"}], "B08314WBRN": [{"asin": "B08314WBRN", "instruction": "i am looking for a double sided stainless steel foot files for cleaning of dry skin.", "attributes": ["high quality", "double sided", "long lasting", "stainless steel", "dead skin", "dry skin"], "options": [""], "instruction_attributes": ["double sided", "stainless steel", "dead skin"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1IH3U3", "worker_id": "A9QRQL9CFJBI7"}], "B07BVVPMVX": [{"asin": "B07BVVPMVX", "instruction": "i am looking for a 9.3 color for permanent hair color", "attributes": ["easy use", "rose gold", "hair dye", "permanent hair", "natural hair"], "options": ["color: 9.3"], "instruction_attributes": ["permanent hair"], "instruction_options": [], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLV2FTM", "worker_id": "A9QRQL9CFJBI7"}], "B093YRJDBF": [{"asin": "B093YRJDBF", "instruction": "i'm looking for laundry bags for it can use for move to another place.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NOQP2L", "worker_id": "A16IQOX0DK14OJ"}], "B00E86YKCG": [{"asin": "B00E86YKCG", "instruction": "add to my list 6 packs of raspberry snackbar and should be nut free and has low sodium.", "attributes": ["low sodium", "nut free", "plant based", "dairy free", "non gmo", "0g trans", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: raspberry", "size: 6 count (pack of 6)"], "instruction_attributes": ["low sodium", "nut free"], "instruction_options": ["raspberry", "6 count (pack of 6)"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96BX4GQ", "worker_id": "AHU9OLV0YKIIW"}], "B082SZDTBD": [{"asin": "B082SZDTBD", "instruction": "i'm looking for a wide leg jeans with regular fit and tummy control. also, choose 3x large zz-zm black colored one.", "attributes": ["wide leg", "tummy control", "long sleeve", "regular fit", "relaxed fit", "short sleeve"], "options": ["color: zz-zmblack", "size: 3x-large"], "instruction_attributes": ["wide leg", "tummy control", "regular fit"], "instruction_options": ["zz-zmblack", "3x-large"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJM3GDO", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B082SZDTBD", "instruction": "i am looking for wide leg black color bell bottom flare jegging sweatpants, but size in small", "attributes": ["wide leg", "tummy control", "long sleeve", "regular fit", "relaxed fit", "short sleeve"], "options": ["color: black", "size: small"], "instruction_attributes": ["wide leg"], "instruction_options": ["black"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUWSQJW", "worker_id": "A258PTOZ3D2TQR"}], "B08G5CQZ4B": [{"asin": "B08G5CQZ4B", "instruction": "i'm looking for a rickaroons coconut energy bars with chocolate.", "attributes": ["grain free", "gluten free", "soy free", "certified organic", "non gmo"], "options": ["flavor name: mocha"], "instruction_attributes": ["gluten free", "certified organic"], "instruction_options": ["mocha"], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLI9LIKQ", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09D7RDLZM": [{"asin": "B09D7RDLZM", "instruction": "i need a ninety inch table runner. look for one that's eco-friendly and available in color \"poppie slop.\"", "attributes": ["eco friendly", "long lasting", "printing technology"], "options": ["color: poppieslop5025", "size: (90''x13''+13''x19''*6)229x33cm+33x48cm*6"], "instruction_attributes": ["eco friendly"], "instruction_options": ["poppieslop5025", "(90''x13''+13''x19''*6)229x33cm+33x48cm*6"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOYH93U", "worker_id": "AR9AU5FY1S3RO"}], "B07XDP1RFL": [{"asin": "B07XDP1RFL", "instruction": "i want a wooden dining table that is multi color with a white finish. it will go in my dining room.", "attributes": ["coated steel", "white finish", "dining room"], "options": ["color: multi color", "size: 78.7\""], "instruction_attributes": ["white finish", "dining room"], "instruction_options": ["multi color"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMKCVX5", "worker_id": "A1NF6PELRKACS9"}], "B09BXYG4Z6": [{"asin": "B09BXYG4Z6", "instruction": "i would like a mint scent dental chewy that is bpa free.", "attributes": ["bpa free", "storage case"], "options": ["color: mint scent"], "instruction_attributes": ["bpa free"], "instruction_options": ["mint scent"], "assignment_id": "326O153BMT8RVOXTJJKKGXV368CDEW", "worker_id": "A1WS884SI0SLO4"}], "B09G3FT4CY": [{"asin": "B09G3FT4CY", "instruction": "winter warm long sleeves jackets for women which is hand washable and in yellow colour", "attributes": ["fleece lined", "winter warm", "machine washable", "hand wash", "long sleeve", "faux fur", "quality polyester", "elastic closure"], "options": ["color: yellow", "size: x-large"], "instruction_attributes": ["winter warm", "machine washable", "hand wash", "long sleeve"], "instruction_options": ["yellow"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVNNXL3", "worker_id": "A10OGH5CQBXL5N"}], "B09CD32CBP": [{"asin": "B09CD32CBP", "instruction": "i am looking for a iphone 11 pro 5.8 inches basic cases which is easy to install", "attributes": ["easy install", "wireless charging"], "options": ["color: petrol blue and aqua_8", "size: iphone 11 pro 5.8 inches"], "instruction_attributes": ["easy install"], "instruction_options": ["iphone 11 pro 5.8 inches"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AK3TSO", "worker_id": "A9QRQL9CFJBI7"}], "B07KDXLQ3B": [{"asin": "B07KDXLQ3B", "instruction": "i need a high power charger that charges fast and is white.", "attributes": ["high power", "fast charging"], "options": ["color: white"], "instruction_attributes": ["high power", "fast charging"], "instruction_options": ["white"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OVSYEX", "worker_id": "A2CJFO19NY4T5R"}], "B08L7DRLXN": [{"asin": "B08L7DRLXN", "instruction": "i am looking for manual toothbrush for sensitive teeth. please choose blue color.", "attributes": ["sensitive teeth", "bad breath"], "options": ["color: pink, blue, green, beige"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["pink, blue, green, beige"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMIC1JK", "worker_id": "A3FG5PQHG5AH3Y"}], "B091Q1Y26G": [{"asin": "B091Q1Y26G", "instruction": "i want to buy some vanity lights with brushed nickel trim and black color. it needs to be a two light style.", "attributes": ["brushed nickel", "vanity light", "clear glass", "glass shade", "light fixture", "dining room", "living room"], "options": ["color: black", "size: 2 lights"], "instruction_attributes": ["brushed nickel", "vanity light"], "instruction_options": ["black", "2 lights"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CULJS4O", "worker_id": "A2YNPKYEFDZ6C9"}], "B07JHL2T8X": [{"asin": "B07JHL2T8X", "instruction": "i'm looking for a gray blue, apple compatible, case for apple airpods that also charges.", "attributes": ["compatible apple", "case cover", "wireless charging"], "options": ["color: gray blue"], "instruction_attributes": ["compatible apple"], "instruction_options": ["gray blue"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNX8H8B", "worker_id": "A3HFKFJ5UDWAMC"}], "B093F94SZK": [{"asin": "B093F94SZK", "instruction": "i want a heavy duty fine wood bookcase for living room color white", "attributes": ["heavy duty", "storage unit", "living room"], "options": ["color: white"], "instruction_attributes": ["heavy duty", "storage unit", "living room"], "instruction_options": ["white"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X40RH0L", "worker_id": "A3N9ZYQAESNFQH"}], "B08R3HR7PN": [{"asin": "B08R3HR7PN", "instruction": "i'm looking for rubber sole for shoe for men's the color was blue.", "attributes": ["non slip", "steel toe", "rubber sole"], "options": ["color: blue", "size: 15.5 women | 14 men"], "instruction_attributes": ["steel toe", "rubber sole"], "instruction_options": ["blue"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602UX959", "worker_id": "A16IQOX0DK14OJ"}], "B0833XSMM4": [{"asin": "B0833XSMM4", "instruction": "i am looking for a multi purpose tripod for camera made up of aluminum alloy with quick release. also choose but2664 color and but2287 size.", "attributes": ["quick release", "aluminum alloy"], "options": ["color: but2664", "size: but2287"], "instruction_attributes": ["quick release", "aluminum alloy"], "instruction_options": ["but2664", "but2287"], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6K5EEI", "worker_id": "A2HMEGTAFO0CS8"}], "B09Q65XZ7J": [{"asin": "B09Q65XZ7J", "instruction": "i'm looking for black colored high quality hair removal cream it easy to use", "attributes": ["high quality", "stainless steel", "hair removal"], "options": ["color: black", "size: double cutter head"], "instruction_attributes": ["high quality", "hair removal"], "instruction_options": ["black"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYWJ36L", "worker_id": "A16IQOX0DK14OJ"}], "B092VVMMBK": [{"asin": "B092VVMMBK", "instruction": "i am looking for a golden g cake toppers for birthday party", "attributes": ["party supplies", "birthday party"], "options": ["color: golden 9"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9B1AZA", "worker_id": "A9QRQL9CFJBI7"}], "B09JLQVW41": [{"asin": "B09JLQVW41", "instruction": "i'm looking for a clear glass wall lamps with glass shade for living room. also, choose the lamp that has 3 lights and bronze colored one.", "attributes": ["clear glass", "glass shade", "light fixture", "living room"], "options": ["color: bronze", "size: 3-lights"], "instruction_attributes": ["clear glass", "glass shade", "living room"], "instruction_options": ["bronze", "3-lights"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXS3LYH", "worker_id": "AR0VJ5XRG16UJ"}], "B09CZ67T77": [{"asin": "B09CZ67T77", "instruction": "i need apple compatible smartwatch band made of carbon fiber in elephant grey color and black buckle.", "attributes": ["compatible apple", "carbon fiber"], "options": ["color: elephant grey-black buckle"], "instruction_attributes": ["compatible apple", "carbon fiber"], "instruction_options": ["elephant grey-black buckle"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SWQDUX", "worker_id": "ASWFLI3N8X72G"}], "B09JG66DXC": [{"asin": "B09JG66DXC", "instruction": "i'm searching for super soft happy fall gnome orange plaid blanket", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: happy fall gnome orange plaid", "size: 60\"x50\" m for teen"], "instruction_attributes": ["super soft"], "instruction_options": ["happy fall gnome orange plaid"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB48DAQD", "worker_id": "A258PTOZ3D2TQR"}], "B075JN83TX": [{"asin": "B075JN83TX", "instruction": "i need black flats that are slip resistant. they should also have leather soles.", "attributes": ["slip resistant", "leather sole"], "options": ["color: black", "size: 7-7.5"], "instruction_attributes": ["slip resistant", "leather sole"], "instruction_options": ["black"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0ZV4WX", "worker_id": "A1NF6PELRKACS9"}], "B08S47NGNJ": [{"asin": "B08S47NGNJ", "instruction": "i am looking for rubber sole men sneaker.please choose grey and navy color.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: grey | navy", "size: 8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["grey | navy"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OWT3MQ", "worker_id": "A3FG5PQHG5AH3Y"}], "B08TQQ982S": [{"asin": "B08TQQ982S", "instruction": "i am looking for king size pillowcases in leopard print color", "attributes": ["queen size", "machine washable", "king size"], "options": ["color: leopard print", "size: 20x30in"], "instruction_attributes": ["king size"], "instruction_options": ["leopard print"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67N24NH", "worker_id": "A16M39T60N60NO"}], "B09JNS2BNK": [{"asin": "B09JNS2BNK", "instruction": "i would like a beige bookcase with a lot of storage space.", "attributes": ["easy clean", "high gloss", "storage space"], "options": ["color: beige"], "instruction_attributes": ["storage space"], "instruction_options": ["beige"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOFYATD", "worker_id": "A1WS884SI0SLO4"}], "B09P1FB6LF": [{"asin": "B09P1FB6LF", "instruction": "i'm looking for a compact wireless bluetooth speaker.", "attributes": ["water resistant", "long lasting", "high performance", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["water resistant", "wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8F05RN", "worker_id": "A1ZGOZQF2VZ0X9"}], "B095XSTRVZ": [{"asin": "B095XSTRVZ", "instruction": "i'm looking for a set of 3 nesting end tables.", "attributes": ["space saving", "metal legs", "living room", "dining room"], "options": ["color: gray marble | gold"], "instruction_attributes": ["living room"], "instruction_options": ["gray marble | gold"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OWH3ME", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09GB2LF8R": [{"asin": "B09GB2LF8R", "instruction": "i am looking for a surveillance camera cables for output protection.", "attributes": ["output protection", "easy carry"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2R34LE", "worker_id": "A9QRQL9CFJBI7"}], "B07KLZVCS3": [{"asin": "B07KLZVCS3", "instruction": "i am looking for a 7 wide synthetic sole of platforms & wedges", "attributes": ["synthetic sole", "arch support"], "options": ["color: vintage slate lthr", "size: 7 wide"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["vintage slate lthr"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYEZ28N", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07KLZVCS3", "instruction": "i'd like to buy a pair of sandals with a synthetic sole and arch support. look for a pair that's size four, in slate.", "attributes": ["synthetic sole", "arch support"], "options": ["color: vintage slate lthr", "size: 4"], "instruction_attributes": ["synthetic sole", "arch support"], "instruction_options": ["vintage slate lthr", "4"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP8657ZW", "worker_id": "AR9AU5FY1S3RO"}], "B09J7VZL38": [{"asin": "B09J7VZL38", "instruction": "i would like a 64 gig dd4 ram mini desktop computer that has a dual band i7 core processor.", "attributes": ["dual band", "wireless bluetooth"], "options": ["color: core i7 1165g7", "size: 64g ddr4 ram 1tb ssd"], "instruction_attributes": ["dual band"], "instruction_options": ["core i7 1165g7", "64g ddr4 ram 1tb ssd"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM4911X4J", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09J7VZL38", "instruction": "im looking for a mini dual band desktop pc that uses wireless bluetooth connectivity and has windows 11.", "attributes": ["dual band", "wireless bluetooth"], "options": ["color: core i7 10750h", "size: 32g ddr4 ram 1tb ssd"], "instruction_attributes": ["dual band", "wireless bluetooth"], "instruction_options": [], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YSU8T5", "worker_id": "AK3JMCIGU8MLU"}], "B09N349WJ1": [{"asin": "B09N349WJ1", "instruction": "i'm looking for grow a hair that was gives a hair extensions.", "attributes": ["natural hair", "hair loss"], "options": ["color: #1b off black"], "instruction_attributes": ["natural hair", "hair loss"], "instruction_options": ["#1b off black"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR49FUFY", "worker_id": "A16IQOX0DK14OJ"}], "B07D1CBVXY": [{"asin": "B07D1CBVXY", "instruction": "i am looking for a heavy duty foot soaking tub for dead skin removal. also choose blue one.", "attributes": ["heavy duty", "tea tree", "dead skin"], "options": ["color: blue"], "instruction_attributes": ["heavy duty", "dead skin"], "instruction_options": ["blue"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZKRK94", "worker_id": "A2HMEGTAFO0CS8"}], "B09HXLGWBY": [{"asin": "B09HXLGWBY", "instruction": "i am looking for lead free candles for home, made up of soy wax. also choose lavender & geranium scented", "attributes": ["lead free", "soy wax"], "options": ["scent: lavender & geranium"], "instruction_attributes": ["lead free", "soy wax"], "instruction_options": ["lavender & geranium"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSKSQ2T", "worker_id": "A2HMEGTAFO0CS8"}], "B084QXKRS5": [{"asin": "B084QXKRS5", "instruction": "i'm looking for a hair conditioner for dry hair that stimulates hair growth. also, choose a pack of 1 contains 32 fl oz.", "attributes": ["dry hair", "hair growth"], "options": ["size: 32 fl oz (pack of 1)"], "instruction_attributes": ["dry hair", "hair growth"], "instruction_options": ["32 fl oz (pack of 1)"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK29J3D", "worker_id": "AR0VJ5XRG16UJ"}], "B09HGCRV4F": [{"asin": "B09HGCRV4F", "instruction": "i am looking for a high performace tv antenna having usb port.", "attributes": ["high performance", "usb port", "4g lte"], "options": [""], "instruction_attributes": ["high performance", "usb port"], "instruction_options": [], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98UVKYE", "worker_id": "A1Q8PPQQCWGY0D"}], "B09BB4MBC2": [{"asin": "B09BB4MBC2", "instruction": "i want a 16 colour eyeshadow palette higly pigmented high quality long lasting eyeshadow pallet matte", "attributes": ["long lasting", "highly pigmented", "high quality"], "options": [""], "instruction_attributes": ["long lasting", "highly pigmented", "high quality"], "instruction_options": [], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXTFYL8", "worker_id": "A3N9ZYQAESNFQH"}], "B08RS11SB6": [{"asin": "B08RS11SB6", "instruction": "i am looking for a 41mm | 42mm smartwatch bands which is easy install.", "attributes": ["quick release", "easy install"], "options": ["color: colorful", "size: 41mm | 42mm"], "instruction_attributes": ["easy install"], "instruction_options": ["41mm | 42mm"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUIT3CC", "worker_id": "A9QRQL9CFJBI7"}], "B01MS5NP2G": [{"asin": "B01MS5NP2G", "instruction": "show me a digital camera, by panasonic is good for me. i need a high performance. i want memory card about 64gb , try this model: lumix 4k dmc-zs100", "attributes": ["high performance", "high speed"], "options": [""], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BL18X1", "worker_id": "A15IJ20C3R4HUO"}], "B081RXQ8XG": [{"asin": "B081RXQ8XG", "instruction": "i'm looking for star wars for clothing for navy white colored.", "attributes": ["officially licensed", "machine wash", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: navy | white", "fit type: women", "size: large"], "instruction_attributes": ["officially licensed", "machine wash", "needle sleeve", "classic fit", "star wars"], "instruction_options": ["navy | white"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YO569H", "worker_id": "A16IQOX0DK14OJ"}], "B08TR5SG7B": [{"asin": "B08TR5SG7B", "instruction": "i would like a 5xl a color blouse with long sleeves.", "attributes": ["unique design", "long sleeve"], "options": ["color: a", "size: 5x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a", "5x-large"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20PI0Z2", "worker_id": "A1WS884SI0SLO4"}], "B07WSFDSQF": [{"asin": "B07WSFDSQF", "instruction": "i am looking for a solid black duvet cover set that is queen size.", "attributes": ["queen size", "machine washable"], "options": ["color: solid-black", "size: queen(90\"\u00d790\")"], "instruction_attributes": ["queen size"], "instruction_options": ["solid-black", "queen(90\"\u00d790\")"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS2CUVT", "worker_id": "A1NF6PELRKACS9"}], "B08SQR474L": [{"asin": "B08SQR474L", "instruction": "i am looking for grain and gluten free chips.", "attributes": ["grain free", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["grain free", "gluten free"], "instruction_options": [], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3YZL5JC", "worker_id": "A1NF6PELRKACS9"}], "B078SZCPK8": [{"asin": "B078SZCPK8", "instruction": "let me have grocery & gourmet food dietary fibre", "attributes": ["non gmo", "dietary fiber"], "options": [""], "instruction_attributes": ["dietary fiber"], "instruction_options": [], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SXTTQC", "worker_id": "A1IL2K0ELYI090"}], "B09LRSJVCF": [{"asin": "B09LRSJVCF", "instruction": "i am looking for a high quality dark gray reclining barber chair for a hair salon.", "attributes": ["high quality", "hair salon", "beauty salon"], "options": ["color: dark gray"], "instruction_attributes": ["high quality", "hair salon"], "instruction_options": ["dark gray"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLSRAD9", "worker_id": "A1EREKSZAA9V7B"}], "B093Q5DCH6": [{"asin": "B093Q5DCH6", "instruction": "i am looking for a xx-large casual print shirt for women for gifting purpose. also choose wine color.", "attributes": ["valentine day", "great gift"], "options": ["color: wine", "size: xx-large"], "instruction_attributes": ["great gift"], "instruction_options": ["wine", "xx-large"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1GT08F", "worker_id": "A1V2JTEEBCXR20"}], "B0925PXXNL": [{"asin": "B0925PXXNL", "instruction": "i am looking for sulfate free in redwood", "attributes": ["sulfate free", "sensitive skin"], "options": ["material type: extra-strength antiperspirant", "scent: redwood"], "instruction_attributes": ["sulfate free"], "instruction_options": ["redwood"], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVY16IDX", "worker_id": "A2MSIFDLOHI1UT"}], "B08D36NGX6": [{"asin": "B08D36NGX6", "instruction": "i need a gold plated, high definition digital optical cable that's five feet long.", "attributes": ["gold plated", "high resolution", "high definition"], "options": ["size: 5ft | 1.5m"], "instruction_attributes": ["gold plated", "high definition"], "instruction_options": ["5ft | 1.5m"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MID5RBX", "worker_id": "AR9AU5FY1S3RO"}], "B003EWPKGA": [{"asin": "B003EWPKGA", "instruction": "i'm looking for a 60in (150cm) pro studio softbox with heavy duty construction. also ensure its style is broncolor impact.", "attributes": ["high power", "heavy duty"], "options": ["size: 60in (150cm)", "style: broncolor impact"], "instruction_attributes": ["heavy duty"], "instruction_options": ["60in (150cm)", "broncolor impact"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCU15QR", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B003EWPKGA", "instruction": "i'm looking for a heavy duty soft box, specifically with a quantum qflash lighting setting.", "attributes": ["high power", "heavy duty"], "options": ["size: 12x56in (30x140cm)", "style: quantum qflash"], "instruction_attributes": ["heavy duty"], "instruction_options": ["quantum qflash"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3KZYAF", "worker_id": "A3LIIE572Z4OG7"}], "B08K2ML6WX": [{"asin": "B08K2ML6WX", "instruction": "i am looking for unicorn collection nail polish with glossy and matte top", "attributes": ["long lasting", "nail polish"], "options": ["color: unicorn"], "instruction_attributes": ["nail polish"], "instruction_options": ["unicorn"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PMREQQ", "worker_id": "A258PTOZ3D2TQR"}], "B07JGZWVKX": [{"asin": "B07JGZWVKX", "instruction": "show me a king sized machine washable super soft pillow in yellow coral pattern and 30\" x 20\" size.", "attributes": ["super soft", "machine washable", "king size"], "options": ["color: yellow coral", "size: 30\" x 20\""], "instruction_attributes": ["super soft", "machine washable", "king size"], "instruction_options": ["yellow coral", "30\" x 20\""], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDX6AII", "worker_id": "A3AYHESLQSDY5T"}], "B09BGGLY51": [{"asin": "B09BGGLY51", "instruction": "i want hydration undereye & smile line jelly patches fragrance free cruelty free cream for eyes", "attributes": ["fragrance free", "cruelty free", "dermatologist tested", "plant based", "sensitive skin", "dry skin"], "options": ["style: hydration undereye & smile line jelly patches"], "instruction_attributes": ["fragrance free", "cruelty free"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3TR6PI", "worker_id": "A3N9ZYQAESNFQH"}], "B003VTGBC8": [{"asin": "B003VTGBC8", "instruction": "i am looking for a box of 50 singles non-dairy coffee creamers that will add sugar-free hazelnut flavor to coffee drinks.", "attributes": ["non dairy", "rich creamy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: sugar free hazelnut", "size: box of 50 singles"], "instruction_attributes": ["non dairy"], "instruction_options": ["sugar free hazelnut", "box of 50 singles"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9NTB06", "worker_id": "A1HMZJ59OPLD1P"}], "B088WN9NMS": [{"asin": "B088WN9NMS", "instruction": "i am looking for a high performance home surveillance security camera that is certified refurbished.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance"], "instruction_options": [], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC4OKUG", "worker_id": "A1NF6PELRKACS9"}], "B086ZFMFCF": [{"asin": "B086ZFMFCF", "instruction": "i am looking for a purple double-sided, eco friendly, and long handle bath body brush scrubber.", "attributes": ["double sided", "eco friendly", "non toxic", "long handle"], "options": ["color: purple"], "instruction_attributes": ["double sided", "eco friendly", "long handle"], "instruction_options": ["purple"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3SBTG39", "worker_id": "A39VVWV1GHLMFD"}], "B07GDL839C": [{"asin": "B07GDL839C", "instruction": "i want an oil free foundation that is high in quality. find me the 410 caoouccino color.", "attributes": ["oil free", "long lasting", "high quality"], "options": ["color: 410 cappuccino", "size: 1.0 fluid ounce"], "instruction_attributes": ["oil free", "high quality"], "instruction_options": ["410 cappuccino"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VLQ06G", "worker_id": "A1NF6PELRKACS9"}], "B09KRBSG36": [{"asin": "B09KRBSG36", "instruction": "i would like to buy a cupcake topper which has a laser gold pattern and is suitable for birthday parties.", "attributes": ["birthday party", "valentine day", "party supplies", "baby shower"], "options": ["size: laser gold pattern"], "instruction_attributes": ["birthday party"], "instruction_options": ["laser gold pattern"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFADD91", "worker_id": "AHXHM1PQTRWIQ"}, {"asin": "B09KRBSG36", "instruction": "i'm looking for a 10 pcs jinxiao snowflake glitter cupcake topper.", "attributes": ["birthday party", "valentine day", "party supplies", "baby shower"], "options": ["size: glitter gold"], "instruction_attributes": ["birthday party", "party supplies"], "instruction_options": ["glitter gold"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39DTZC6", "worker_id": "A1ZGOZQF2VZ0X9"}, {"asin": "B09KRBSG36", "instruction": "i want pearl white cake toppers for a birthday party.", "attributes": ["birthday party", "valentine day", "party supplies", "baby shower"], "options": ["size: pearl white"], "instruction_attributes": ["birthday party"], "instruction_options": ["pearl white"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6NF7UU", "worker_id": "A2RBF3IIJP15IH"}], "B09SF2PKSF": [{"asin": "B09SF2PKSF", "instruction": "i'm looking for open and close toe sandals for women's. need to buy it.", "attributes": ["open toe", "high heel", "closed toe", "ankle strap"], "options": ["color: a4 - black", "size: 11.5 wide"], "instruction_attributes": ["open toe", "high heel", "closed toe"], "instruction_options": ["a4 - black"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40IBNXJ", "worker_id": "A16IQOX0DK14OJ"}], "B09M36VJZ3": [{"asin": "B09M36VJZ3", "instruction": "i want an easy to assemble shoe rack that goes in my living room. pick a white one.", "attributes": ["high density", "space saving", "easy clean", "easy assemble", "living room"], "options": ["color: white", "size: 60cm"], "instruction_attributes": ["easy assemble", "living room"], "instruction_options": ["white"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK249LKNG", "worker_id": "A1NF6PELRKACS9"}], "B093TPRQS3": [{"asin": "B093TPRQS3", "instruction": "i am looking for a 5 gram non alcoholic for cocktail mixers", "attributes": ["non alcoholic", "gmo free"], "options": ["size: 5 gram"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["5 gram"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCJAJS9", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B093TPRQS3", "instruction": "i would like a non alcoholic cocktail mixer that is one ounce.", "attributes": ["non alcoholic", "gmo free"], "options": ["size: 1 ounce (28 gram)"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["1 ounce (28 gram)"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVLFLXF", "worker_id": "A2ECRNQ3X5LEXD"}], "B09KT8L94B": [{"asin": "B09KT8L94B", "instruction": "i'm looking for beauty care accessories it is easy to clean and it was helpful for deadly skin.", "attributes": ["double sided", "easy clean", "dead skin"], "options": ["color: yellow"], "instruction_attributes": ["double sided", "easy clean", "dead skin"], "instruction_options": ["yellow"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVIWTUE", "worker_id": "A16IQOX0DK14OJ"}], "B007HRLNJG": [{"asin": "B007HRLNJG", "instruction": "i am looking for dried fruits in artificial colors with size 8 ounce", "attributes": ["trader joe", "artificial colors"], "options": ["size: 8 ounce (pack of 3)"], "instruction_attributes": ["artificial colors"], "instruction_options": ["8 ounce (pack of 3)"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU49M6RD", "worker_id": "A16M39T60N60NO"}, {"asin": "B007HRLNJG", "instruction": "i am looking for single pack of 8 ounce size containing artificial colors cherries.", "attributes": ["trader joe", "artificial colors"], "options": ["size: 8 ounce (pack of 1)"], "instruction_attributes": ["artificial colors"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CF9V0W", "worker_id": "A1Q8PPQQCWGY0D"}], "B074SQBWLY": [{"asin": "B074SQBWLY", "instruction": "i am looking far a 3 pack bloody mary non gmo margarita", "attributes": ["non gmo", "gluten free", "high fructose", "natural ingredients", "artificial flavors"], "options": ["flavor: 3 pack bloody mary"], "instruction_attributes": ["non gmo"], "instruction_options": ["3 pack bloody mary"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746XWTB4", "worker_id": "A9QRQL9CFJBI7"}], "B002HEXNU6": [{"asin": "B002HEXNU6", "instruction": "i'm looking for a nuvo vanity", "attributes": ["vanity light", "brushed nickel"], "options": ["color: mahogany bronze | frosted glass", "style: 3-light d73"], "instruction_attributes": ["vanity light", "brushed nickel"], "instruction_options": ["mahogany bronze | frosted glass", "3-light d73"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYX4PPS", "worker_id": "A1ZGOZQF2VZ0X9"}, {"asin": "B002HEXNU6", "instruction": "to improve my home lighting i'm searching for wall lights and 4lt brushed nickel vanity strip lights .", "attributes": ["vanity light", "brushed nickel"], "options": ["color: mahogany bronze", "style: 4lt vanity strip"], "instruction_attributes": ["vanity light", "brushed nickel"], "instruction_options": ["4lt vanity strip"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLVG034", "worker_id": "A3R8PQCD99H61E"}, {"asin": "B002HEXNU6", "instruction": "i would like a mahogany bronze pendant with frosted glass for my vanity light.", "attributes": ["vanity light", "brushed nickel"], "options": ["color: mahogany bronze | champagne glass", "style: pendant with frosted glass,"], "instruction_attributes": ["vanity light"], "instruction_options": ["mahogany bronze | champagne glass", "pendant with frosted glass,"], "assignment_id": "33TIN5LC0FKDY31374RC144TX1B9Y3", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B002HEXNU6", "instruction": "i need a vanity light that is mahogany bronze", "attributes": ["vanity light", "brushed nickel"], "options": ["color: mahogany bronze | frosted glass", "style: 3lt chandelier | ballerina"], "instruction_attributes": ["vanity light"], "instruction_options": ["mahogany bronze | frosted glass"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IU8KHX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09R1PMDCC": [{"asin": "B09R1PMDCC", "instruction": "i'm looking for long sleeve and slim fit for dry clean for women's clothing.", "attributes": ["hand wash", "slim fit", "long sleeve", "dry clean"], "options": ["color: 001-white", "size: 3x-large"], "instruction_attributes": ["slim fit", "long sleeve", "dry clean"], "instruction_options": ["001-white"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSOO0X7", "worker_id": "A16IQOX0DK14OJ"}], "B09MLCQCWP": [{"asin": "B09MLCQCWP", "instruction": "i want a non slip pair of sport shoes that has rubber soles. i am a woman and my size is 15.", "attributes": ["non slip", "rubber sole"], "options": ["color: note melody", "size: 15 women | 12 men"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["15 women | 12 men"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WRHQW5", "worker_id": "A1NF6PELRKACS9"}], "B09MH8LFGC": [{"asin": "B09MH8LFGC", "instruction": "i want a belt-clip heavy duty holster case for my galaxy s22 plus in the color dark blue | pink+belt", "attributes": ["heavy duty", "hands free"], "options": ["color: dark blue | pink+belt"], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3QIYRE09YER1XZUUWP385IO3V3X1N6", "worker_id": "A292TFDMNVS0TP"}], "B07CT5Q656": [{"asin": "B07CT5Q656", "instruction": "i want a clear glass mystic sand colored wall sconce. it will go in my living room.", "attributes": ["clear glass", "dining room", "living room"], "options": ["color: mystic sand", "size: 1-light orb"], "instruction_attributes": ["clear glass", "living room"], "instruction_options": ["mystic sand"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV2VBH4", "worker_id": "A1NF6PELRKACS9"}], "B09K7YCMYK": [{"asin": "B09K7YCMYK", "instruction": "i'm looking for a clip in hair extensions for hair styling. also choose f one.", "attributes": ["hair extensions", "hair styling"], "options": ["color: f"], "instruction_attributes": ["hair extensions", "hair styling"], "instruction_options": ["f"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UUYY0R", "worker_id": "AR0VJ5XRG16UJ"}], "B098DL4XG9": [{"asin": "B098DL4XG9", "instruction": "i am looking for a black wall lamps & sconces for living room", "attributes": ["long lasting", "brushed nickel", "contemporary style", "living room"], "options": ["color: black"], "instruction_attributes": ["living room"], "instruction_options": ["black"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQG1CJL", "worker_id": "A9QRQL9CFJBI7"}], "B0823JRTJM": [{"asin": "B0823JRTJM", "instruction": "i am looking for a candy & chocolate gifts box", "attributes": ["old fashioned", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY7E0UO", "worker_id": "A9QRQL9CFJBI7"}], "B08ZS6M1T7": [{"asin": "B08ZS6M1T7", "instruction": "i'm looking for a hollywood style vanity lights which is easy to install.", "attributes": ["assembly required", "easy install"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYP59Q5", "worker_id": "AR0VJ5XRG16UJ"}], "B07TVRDP96": [{"asin": "B07TVRDP96", "instruction": "i am looking for am/fm radio with digital frequency display of hannlomax hx-506r portable am/fm radio which could play my favourite music from the smartphone or bluetooth enabled device on boombox by bluetooth streaming.suitable for indoor and outdoor.", "attributes": ["batteries included", "usb port", "stereo sound"], "options": [""], "instruction_attributes": ["batteries included", "usb port", "stereo sound"], "instruction_options": [], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWT0N79H", "worker_id": "A1DRKZ3SCLAS4V"}], "B00BECJIYW": [{"asin": "B00BECJIYW", "instruction": "i am looking for rubber soled men loafer. please choose size of 13.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black waterproof", "size: 13-14"], "instruction_attributes": ["rubber sole"], "instruction_options": ["13-14"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SVZTQE", "worker_id": "A3FG5PQHG5AH3Y"}], "B09BQWG3DW": [{"asin": "B09BQWG3DW", "instruction": "i am looking for cupcake picks for baby shower birthday.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["cupcake picks", "baby shower"], "instruction_options": [], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXVZ4OK", "worker_id": "A3FG5PQHG5AH3Y"}], "B09KNHG351": [{"asin": "B09KNHG351", "instruction": "i need a large button closure shirt that is charcoal grey in color. pick the regular fit one.", "attributes": ["hand wash", "easy care", "machine washable", "long sleeve", "cotton spandex", "regular fit", "button closure", "tumble dry", "daily wear"], "options": ["color: charcoalgrey", "size: large"], "instruction_attributes": ["regular fit", "button closure"], "instruction_options": ["charcoalgrey", "large"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOILCTJ", "worker_id": "A1NF6PELRKACS9"}], "B09QQ9WPMM": [{"asin": "B09QQ9WPMM", "instruction": "i need a mens hairline hairpiece that can be used as replacement for hair lose. and please choose the medium brown with 130 desnsity", "attributes": ["natural hair", "hair loss"], "options": ["color: 130 density #4 medium brown", "size: mens hairline"], "instruction_attributes": ["hair loss"], "instruction_options": ["130 density #4 medium brown", "mens hairline"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDJLO2U", "worker_id": "A2COCSUGZV28X"}], "B09PKY9Q6R": [{"asin": "B09PKY9Q6R", "instruction": "i'm looking for a natural hair cap to hide my hair loss", "attributes": ["natural hair", "hair loss"], "options": ["color: 6#"], "instruction_attributes": ["natural hair", "hair loss"], "instruction_options": [], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733MGBE1", "worker_id": "A13PVNQT2WWWVL"}], "B09PHBN21C": [{"asin": "B09PHBN21C", "instruction": "find me a round table non slip with storage basket", "attributes": ["easy clean", "non slip", "coated steel", "living room"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DWSTOL", "worker_id": "A2Y2TURT2VEYZN"}], "B08LP4T5GN": [{"asin": "B08LP4T5GN", "instruction": "i am shopping for a non alcoholic slush mix that is non alcoholic. i like the cherry flavor.", "attributes": ["non alcoholic", "high fructose"], "options": ["flavor: cherry"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["cherry"], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTDS8Z66", "worker_id": "A1NF6PELRKACS9"}], "B09G2GNCPF": [{"asin": "B09G2GNCPF", "instruction": "i am looking for a 3x-large long sleeved sweatshirt that is hooded for everyday wear.", "attributes": ["slim fit", "machine wash", "long sleeve", "relaxed fit", "everyday wear", "daily wear"], "options": ["color: z10-gray", "size: 3x-large"], "instruction_attributes": ["long sleeve", "everyday wear"], "instruction_options": ["3x-large"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXS0O5H", "worker_id": "A1NF6PELRKACS9"}], "B07F8PVCBQ": [{"asin": "B07F8PVCBQ", "instruction": "i would like a extra large pair of peach butt purple shorts with a high waist.", "attributes": ["butt lifting", "quality materials", "elastic waistband", "high waist", "polyester spandex"], "options": ["color: b-peach butt purple", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["b-peach butt purple", "x-large"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4UDK72", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07F8PVCBQ", "instruction": "i would like some peach high waisted shorts", "attributes": ["butt lifting", "quality materials", "elastic waistband", "high waist", "polyester spandex"], "options": ["color: b-peach butt blue", "size: small"], "instruction_attributes": ["high waist"], "instruction_options": ["b-peach butt blue"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OZMM38", "worker_id": "A2ECRNQ3X5LEXD"}], "B083ZG5KTG": [{"asin": "B083ZG5KTG", "instruction": "i would like a pair of women's 6.5 black powder water shoes with a rubber sole.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: 47 black powder", "size: 6.5 women | 5 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["47 black powder", "6.5 women | 5 men"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEK98Q3", "worker_id": "A1WS884SI0SLO4"}], "B07C9BT98C": [{"asin": "B07C9BT98C", "instruction": "i'm looking for a ready to use, fully assembled mattresses with box spring. also, choose beige colored california kig sized bed with 4\" split foundation one.", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": ["color: beige", "size: california king", "style: 4\" split foundation"], "instruction_attributes": ["ready use", "fully assembled", "box spring"], "instruction_options": ["beige", "california king", "4\" split foundation"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2R44LF", "worker_id": "AR0VJ5XRG16UJ"}], "B07HH5XPZ9": [{"asin": "B07HH5XPZ9", "instruction": "i would like some 18 inch 1b hair extensions made from synthetic hair.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: 1b", "size: 18 inch (pack of 6)"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["1b", "18 inch (pack of 6)"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJW8VG9", "worker_id": "A1WS884SI0SLO4"}], "B09QL66D1G": [{"asin": "B09QL66D1G", "instruction": "i am looking for long sleeve henley shirt. please choose orange color.", "attributes": ["winter warm", "long sleeve", "short sleeve", "contrast color"], "options": ["color: orange", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["orange"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHD9NBS", "worker_id": "A3FG5PQHG5AH3Y"}], "B082VQPQFT": [{"asin": "B082VQPQFT", "instruction": "i am looking a heavy duty hdmi vedio cable size: 6-feet", "attributes": ["gold plated", "heavy duty"], "options": ["size: 6-foot"], "instruction_attributes": ["heavy duty"], "instruction_options": ["6-foot"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHEVNBG", "worker_id": "A3N9ZYQAESNFQH"}], "B08DYGBLBF": [{"asin": "B08DYGBLBF", "instruction": "i am looking for dermatologist tested and paraben free body cream with green tea extracts which is suitable for dry and sensitive skin.", "attributes": ["paraben free", "dermatologist tested", "fragrance free", "green tea", "dry skin", "sensitive skin"], "options": [""], "instruction_attributes": ["paraben free", "dermatologist tested", "green tea", "dry skin", "sensitive skin"], "instruction_options": [], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHT9WLNQ", "worker_id": "A1V2JTEEBCXR20"}], "B09NVWFD91": [{"asin": "B09NVWFD91", "instruction": "please re order a happy easter flannel fleece throw blanket for my coach.it should be super soft and easy to clean.", "attributes": ["super soft", "easy clean", "fleece throw", "living room"], "options": ["color: happy eastersgd0761", "size: 39\" x 49\""], "instruction_attributes": ["super soft", "easy clean", "fleece throw"], "instruction_options": ["happy eastersgd0761"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH154AWH4", "worker_id": "AHU9OLV0YKIIW"}], "B08Z312Q1L": [{"asin": "B08Z312Q1L", "instruction": "i am looking for non slip shoes in 10 size", "attributes": ["non slip", "rubber sole", "comfortable fit", "unique design"], "options": ["size: 10"], "instruction_attributes": ["non slip"], "instruction_options": ["10"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0S2N11T", "worker_id": "A16M39T60N60NO"}], "B08N5NCY6X": [{"asin": "B08N5NCY6X", "instruction": "i'm looking for regular outfit it can make feel comfortab;e.", "attributes": ["rubber outsole", "regular fit", "rubber sole"], "options": ["color: halo silver | carbon | grey three", "size: 6.5"], "instruction_attributes": ["regular fit"], "instruction_options": ["halo silver | carbon | grey three", "6.5"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXSYYLP", "worker_id": "A16IQOX0DK14OJ"}], "B0143NQVP2": [{"asin": "B0143NQVP2", "instruction": "are there any gluten free protein bars with very high protein content available in chocolate raspberry flavour?", "attributes": ["gluten free", "high protein"], "options": ["flavor name: chocolate raspberry", "size: 1.83 ounce (pack of 12)"], "instruction_attributes": ["gluten free", "high protein"], "instruction_options": ["chocolate raspberry"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZGNRPJ", "worker_id": "A3EDFA8UQT5GG8"}], "B0851CHGVF": [{"asin": "B0851CHGVF", "instruction": "i would like a stained glass wall lamp with a bronze finish.", "attributes": ["bronze finish", "dining room", "living room"], "options": ["color: stained glass"], "instruction_attributes": ["bronze finish"], "instruction_options": ["stained glass"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPHS6V3", "worker_id": "A1WS884SI0SLO4"}], "B09LRS6MPF": [{"asin": "B09LRS6MPF", "instruction": "i am looking for a loose fit vest that is red and a 4-xlarge", "attributes": ["loose fit", "short sleeve", "long sleeve", "faux fur"], "options": ["color: 03#red", "size: 4x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["03#red", "4x-large"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPAIOCN", "worker_id": "A2ECRNQ3X5LEXD"}], "B0954WPWWY": [{"asin": "B0954WPWWY", "instruction": "i want to buy an air purifier candle that's soy wax. it should be falling leaves colored and in a 3 pack.", "attributes": ["eco friendly", "soy wax"], "options": ["color: falling leaves", "size: 3 pack"], "instruction_attributes": ["soy wax"], "instruction_options": ["falling leaves", "3 pack"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L21VCG", "worker_id": "A2YNPKYEFDZ6C9"}], "B08F5L5XLH": [{"asin": "B08F5L5XLH", "instruction": "i am looking for lock screen ad supported tablet in 1080p hd", "attributes": ["1080p hd", "long lasting", "hands free"], "options": ["color: denim", "digital storage capacity: 64 gb", "offer type: lockscreen ad-supported", "style: with luna cloud gaming controller"], "instruction_attributes": ["1080p hd"], "instruction_options": ["lockscreen ad-supported"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WAZUOD", "worker_id": "A16M39T60N60NO"}], "B082G4QXDW": [{"asin": "B082G4QXDW", "instruction": "i want something that will let me use my cell phone hands free and has the kansas city chiefs' logo on it. it should allow for wireless charging.", "attributes": ["hands free", "wireless charging"], "options": ["color: kansas city chiefs logo"], "instruction_attributes": ["hands free", "wireless charging"], "instruction_options": ["kansas city chiefs logo"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJOLOM4", "worker_id": "AR9AU5FY1S3RO"}], "B07Z1KJ1NS": [{"asin": "B07Z1KJ1NS", "instruction": "i am looking for small sized women t-shirt. it should be machine washable.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather grey", "fit type: women", "size: x-small"], "instruction_attributes": ["machine wash"], "instruction_options": ["women", "x-small"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q3JDKN", "worker_id": "A3FG5PQHG5AH3Y"}], "B08BR58B2V": [{"asin": "B08BR58B2V", "instruction": "i would like a purple storage case for my nail polish.", "attributes": ["storage case", "nail polish"], "options": ["color: purple"], "instruction_attributes": ["storage case", "nail polish"], "instruction_options": ["purple"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0VS5W5", "worker_id": "A1WS884SI0SLO4"}], "B01M71YUW3": [{"asin": "B01M71YUW3", "instruction": "i'm looking for a bronze finish pendant light for high ceiling in dining room.", "attributes": ["bronze finish", "pendant light", "dining room"], "options": [""], "instruction_attributes": ["bronze finish", "pendant light", "dining room"], "instruction_options": [], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSO50XO", "worker_id": "AR0VJ5XRG16UJ"}], "B09PYWJJH4": [{"asin": "B09PYWJJH4", "instruction": "i'm looking for stereo sound it was outside of noise pollution.", "attributes": ["wireless charging", "stereo sound"], "options": [""], "instruction_attributes": ["wireless charging", "stereo sound"], "instruction_options": [], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HGCGHYU", "worker_id": "A16IQOX0DK14OJ"}], "B09F3QFR2M": [{"asin": "B09F3QFR2M", "instruction": "i am looking for a white02 high quality hair cutting kits", "attributes": ["easy clean", "easy use", "high quality", "hair cutting"], "options": ["color: white01"], "instruction_attributes": ["high quality"], "instruction_options": ["white01"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNXEH8H", "worker_id": "A9QRQL9CFJBI7"}], "B09PYKMRCQ": [{"asin": "B09PYKMRCQ", "instruction": "i am looking for long lasting 11oz ceramic tea cup", "attributes": ["lead free", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3X0H8UUITCYRED22199FX2O3EEIWSE", "worker_id": "AX2EWYWZM19AZ"}], "B08FJ45JPS": [{"asin": "B08FJ45JPS", "instruction": "i would like a cat sparkly cosmetic bag that is high quality and water resistant.", "attributes": ["water resistant", "travel size", "high quality", "storage case"], "options": ["color: cat sparkly"], "instruction_attributes": ["water resistant", "high quality"], "instruction_options": ["cat sparkly"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BNAVJW", "worker_id": "A1WS884SI0SLO4"}], "B08R6FZK5V": [{"asin": "B08R6FZK5V", "instruction": "seeking a men's tech pique botanical polo that is short-sleeved, moisture wickering in a size medium showing navy blazer-ocean depths color made by puma.", "attributes": ["moisture wicking", "short sleeve"], "options": ["color: navy blazer-ocean depths", "size: medium"], "instruction_attributes": ["moisture wicking", "short sleeve"], "instruction_options": ["navy blazer-ocean depths", "medium"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOJ0YDD", "worker_id": "A3RGIKEI8JS2QG"}], "B0882RZ4JC": [{"asin": "B0882RZ4JC", "instruction": "i'm looking for a ready-to-eat mild flavor seasoned pork meat with quality ingredients, choose 8.8 ounce (pack of 3)", "attributes": ["ready eat", "shelf stable", "quality ingredients"], "options": ["flavor name: mild", "size: 8.8 ounce (pack of 3)"], "instruction_attributes": ["ready eat", "quality ingredients"], "instruction_options": ["8.8 ounce (pack of 3)"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCT865E", "worker_id": "A1Q0EUNCS50S8M"}], "B0849Q9GPL": [{"asin": "B0849Q9GPL", "instruction": "i'm looking for a oat milk creamer by califia farms .", "attributes": ["plant based", "non gmo", "artificial ingredients", "non dairy", "low sugar", "dairy free", "gluten free"], "options": [""], "instruction_attributes": ["plant based", "non gmo", "non dairy", "low sugar", "gluten free"], "instruction_options": [], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOEUON3", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09FYCSJ87": [{"asin": "B09FYCSJ87", "instruction": "i am looking for a hair mask and a hair conditioner that promotes hair growth and helps repair damaged hair.", "attributes": ["damaged hair", "dry hair", "hair treatment", "hair salon", "hair growth"], "options": [""], "instruction_attributes": ["damaged hair", "hair growth"], "instruction_options": [], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDWTIAB", "worker_id": "AJDQGOTMB2D80"}], "B0727Z2B2P": [{"asin": "B0727Z2B2P", "instruction": "i want an xx-large gonxaga bulldogs sweatshirt. it should be officially licensed.", "attributes": ["officially licensed", "hand wash", "machine wash"], "options": ["color: florida state seminoles garnet", "size: xx-large", "team name: gonzaga bulldogs"], "instruction_attributes": ["officially licensed"], "instruction_options": ["xx-large", "gonzaga bulldogs"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746XUBTK", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B0727Z2B2P", "instruction": "find the officially licensed top of the world fit light heather arch men's crew neck sweater. my son wants it with the team name: wisconsin badgers.", "attributes": ["officially licensed", "hand wash", "machine wash"], "options": ["color: west virginia mountaineers dark heather", "size: large", "team name: wisconsin badgers"], "instruction_attributes": ["officially licensed"], "instruction_options": ["wisconsin badgers"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QVQ07T", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B0727Z2B2P", "instruction": "i want a medium machine washable top of the world men's fit sweatshirt.", "attributes": ["officially licensed", "hand wash", "machine wash"], "options": ["color: wyoming cowboys dark heather", "size: medium", "team name: indiana hoosiers"], "instruction_attributes": ["machine wash"], "instruction_options": ["medium"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSA5WCR", "worker_id": "A2RBF3IIJP15IH"}], "B09J2RZ26Q": [{"asin": "B09J2RZ26Q", "instruction": "i looking a super soft fleece throw for small pets size;40*30 inch", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: monkey", "size: 40\"x30\" extra small for pet"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["40\"x30\" extra small for pet"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U7VAM5", "worker_id": "A3N9ZYQAESNFQH"}], "B08RYT36YW": [{"asin": "B08RYT36YW", "instruction": "i want to find a 42 millimeter long baby pink loop strap compatible with my apple watch band.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: baby pink", "size: 42mm | 44mm | 45mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["baby pink", "42mm | 44mm | 45mm"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVMALXC", "worker_id": "A345TDMHP3DQ3G"}], "B0184JRW1I": [{"asin": "B0184JRW1I", "instruction": "i am shopping for a height adjustable blue desk with drawers.", "attributes": ["height adjustable", "lead free"], "options": ["color: blue desk only", "size: desk"], "instruction_attributes": ["height adjustable"], "instruction_options": ["blue desk only", "desk"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UI2KO5", "worker_id": "A1NF6PELRKACS9"}], "B00LLGSY82": [{"asin": "B00LLGSY82", "instruction": "i would like a single spring 4mm jaw nail clippers made of stainless steel.", "attributes": ["stainless steel", "dead skin"], "options": ["pattern name: single spring 4mm jaw"], "instruction_attributes": ["stainless steel"], "instruction_options": ["single spring 4mm jaw"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCKWIPY", "worker_id": "A1WS884SI0SLO4"}], "B08X1V7V92": [{"asin": "B08X1V7V92", "instruction": "i am looking for a hands free earbud headphones and color should be light grey or blue.", "attributes": ["water resistant", "hands free"], "options": ["color: light grey | blue"], "instruction_attributes": ["hands free"], "instruction_options": ["light grey | blue"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4Y9H0Z", "worker_id": "A9QRQL9CFJBI7"}], "B08P572SR5": [{"asin": "B08P572SR5", "instruction": "i want a pair of non slip ballet flats with rubber sole. i need it in size 11.", "attributes": ["non slip", "rubber outsole", "rubber sole"], "options": ["color: white lace", "size: 11"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["11"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR49TFUX", "worker_id": "A1NF6PELRKACS9"}], "B09B9CX9N1": [{"asin": "B09B9CX9N1", "instruction": "i am looking for a cruelty free makeup blender sponge which is easy to clean. also choose green color.", "attributes": ["easy clean", "cruelty free"], "options": ["color: green"], "instruction_attributes": ["easy clean", "cruelty free"], "instruction_options": ["green"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB3I5YU", "worker_id": "A2HMEGTAFO0CS8"}], "B09MHVS36T": [{"asin": "B09MHVS36T", "instruction": "i am looking for high quality rainbow9 color hair cap.", "attributes": ["high quality", "natural hair"], "options": ["color: rainbow9"], "instruction_attributes": ["high quality"], "instruction_options": ["rainbow9"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9UH875", "worker_id": "A3FG5PQHG5AH3Y"}], "B08ZRYFXZC": [{"asin": "B08ZRYFXZC", "instruction": "i'm looking for clothing easy to machinable washes and it has unique design.", "attributes": ["machine wash", "wash cold", "unique design", "tumble dry"], "options": ["color: multi4", "size: x-large"], "instruction_attributes": ["machine wash", "unique design", "tumble dry"], "instruction_options": ["multi4"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCWY46Q", "worker_id": "A16IQOX0DK14OJ"}], "B07N13MK4G": [{"asin": "B07N13MK4G", "instruction": "im looking for women\u2019s beige skechers go walk 5-lucky sneaker in a size 10.", "attributes": ["machine washable", "synthetic sole"], "options": ["color: beige taupe textile trim tpe", "size: 10"], "instruction_attributes": ["machine washable"], "instruction_options": ["beige taupe textile trim tpe", "10"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ASQBWQ", "worker_id": "AK3JMCIGU8MLU"}], "B0891NDH4B": [{"asin": "B0891NDH4B", "instruction": "i am looking for easy to use bath shower scrubber for men. please choose blue one.", "attributes": ["bpa free", "easy use"], "options": ["color: blue"], "instruction_attributes": ["easy use"], "instruction_options": ["blue"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV1IX3B", "worker_id": "A3FG5PQHG5AH3Y"}], "B09R3TJ4ZZ": [{"asin": "B09R3TJ4ZZ", "instruction": "find me a pair of anti slip high heel sandals in black. i am a size 6.", "attributes": ["knee high", "day comfort", "anti slip", "non slip", "hand wash", "lace closure", "high heel"], "options": ["color: black", "size: 6"], "instruction_attributes": ["anti slip", "high heel"], "instruction_options": ["black", "6"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2OGYNB", "worker_id": "A1NF6PELRKACS9"}], "B09FQZ8VW1": [{"asin": "B09FQZ8VW1", "instruction": "i am looking for a alcohol free face wash for makeup removal which is easy to use. also choose eco friendly one.", "attributes": ["alcohol free", "eco friendly", "easy use"], "options": [""], "instruction_attributes": ["alcohol free", "eco friendly", "easy use"], "instruction_options": [], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4J3M8L", "worker_id": "A2HMEGTAFO0CS8"}], "B07KJQDVM4": [{"asin": "B07KJQDVM4", "instruction": "i'm looking for rose gold hair coloring products for permanent hair.", "attributes": ["easy use", "rose gold", "hair dye", "permanent hair", "natural hair"], "options": ["color: 4.15", "size: 1 count (pack of 1)"], "instruction_attributes": ["easy use", "rose gold", "hair dye", "permanent hair"], "instruction_options": ["4.15"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VZHWYV", "worker_id": "A16IQOX0DK14OJ"}], "B09S8KNGZ3": [{"asin": "B09S8KNGZ3", "instruction": "i'm looking for open and closed toe sandals for buy it.", "attributes": ["open toe", "closed toe"], "options": ["color: w1 - green", "size: 8 wide"], "instruction_attributes": ["open toe", "closed toe"], "instruction_options": ["w1 - green"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCWY64S", "worker_id": "A16IQOX0DK14OJ"}], "B009G74AXG": [{"asin": "B009G74AXG", "instruction": "this brand lorann blueberry ss (with natural flavors) is the one i always use, find the 16 oz bottle, for me the gluten free version.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: blueberry", "size: 16 ounce"], "instruction_attributes": ["gluten free"], "instruction_options": ["blueberry"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT33YJX", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B009G74AXG", "instruction": "i am looking for gluten free foods with hazelnut flavor", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: hazelnut", "size: 4 fl oz, 3 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["hazelnut"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL1WNSU", "worker_id": "A16M39T60N60NO"}, {"asin": "B009G74AXG", "instruction": "i would like a 4 fluid ounce bottle of bpa free cookie butter extract.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: cookie butter", "size: 4 fl oz"], "instruction_attributes": ["bpa free"], "instruction_options": ["cookie butter", "4 fl oz"], "assignment_id": "354P56DE9VDCOY11T1135MPMLPAS7D", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B009G74AXG", "instruction": "i'm looking for a bakery emulsion which should be free from bpa and gluten. also, choose 1 gallon maple flavored one.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: maple", "size: 1 gallon"], "instruction_attributes": ["bpa free", "gluten free"], "instruction_options": ["maple", "1 gallon"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRQRF9I", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B009G74AXG", "instruction": "i need some gluten free orange extract", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: orange", "size: 4 fl oz (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["orange"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2BG7YI", "worker_id": "A2ECRNQ3X5LEXD"}], "B09162G91K": [{"asin": "B09162G91K", "instruction": "i am looking for a cupcake toppers for the birth day party of my daughter", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL08AVN", "worker_id": "A2COCSUGZV28X"}], "B07N33D4TH": [{"asin": "B07N33D4TH", "instruction": "i am looking for a pack of 5 dark blonde hair dye touch up spray.", "attributes": ["cruelty free", "permanent hair", "hair dye", "beauty salon"], "options": ["color: dark blonde", "size: pack of 5"], "instruction_attributes": ["hair dye"], "instruction_options": ["dark blonde", "pack of 5"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U5IMA0", "worker_id": "A1EREKSZAA9V7B"}], "B09GYMZ7Y2": [{"asin": "B09GYMZ7Y2", "instruction": "i would like a pair of yellow size 8.5 boots that are comfortable during the day.", "attributes": ["day comfort", "non slip", "quality materials"], "options": ["color: yellow", "size: 8.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["yellow", "8.5"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXTGYL9", "worker_id": "A1WS884SI0SLO4"}], "B07DP7WNS9": [{"asin": "B07DP7WNS9", "instruction": "i am looking for gluten free snacks with strawberry flavor", "attributes": ["non gmo", "gluten free"], "options": ["flavor name: strawberry", "size: 12 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["strawberry"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBELPKZP", "worker_id": "A16M39T60N60NO"}], "B09NKWML4K": [{"asin": "B09NKWML4K", "instruction": "i am looking for a short sleeve top for a teenage girl. it should in xx-large size.", "attributes": ["loose fit", "day comfort", "hand wash", "short sleeve", "polyester spandex", "teen girls"], "options": ["size: xx-large"], "instruction_attributes": ["short sleeve", "teen girls"], "instruction_options": ["xx-large"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZI88OA", "worker_id": "A1NF6PELRKACS9"}], "B09DY4KL7F": [{"asin": "B09DY4KL7F", "instruction": "cosmetic craft glitter set for nail art in green colour", "attributes": ["non toxic", "easy clean", "nail art"], "options": ["color: green"], "instruction_attributes": ["nail art"], "instruction_options": ["green"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLLPM0W", "worker_id": "A10OGH5CQBXL5N"}], "B09JF3D6D3": [{"asin": "B09JF3D6D3", "instruction": "i need grey memory foam slippers with open toes.", "attributes": ["open toe", "water resistant", "memory foam", "arch support"], "options": ["color: c-gray", "size: 11.5"], "instruction_attributes": ["open toe", "memory foam"], "instruction_options": ["c-gray"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL2GRVS", "worker_id": "A1NF6PELRKACS9"}], "B000KPO99I": [{"asin": "B000KPO99I", "instruction": "i am searching for an anti aging and dermatologist tested night cream. also, choose the 3.4 ounce size.", "attributes": ["dermatologist tested", "anti aging"], "options": ["size: 3.4 ounce"], "instruction_attributes": ["dermatologist tested", "anti aging"], "instruction_options": ["3.4 ounce"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79J3QK2", "worker_id": "A9ZM1P6LBW79"}], "B00RHH51P8": [{"asin": "B00RHH51P8", "instruction": "show me twin sized bronze colored day bed made in canopy bed style.", "attributes": ["twin size", "white item"], "options": ["color: bronze", "size: twin", "style: canopy bed"], "instruction_attributes": ["twin size"], "instruction_options": ["bronze", "twin", "canopy bed"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8E3XUK", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B00RHH51P8", "instruction": "i want to find a white and gold king-sized daybed.", "attributes": ["twin size", "white item"], "options": ["color: gold", "size: king", "style: bed"], "instruction_attributes": ["white item"], "instruction_options": ["gold", "king", "bed"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCOD7IZ", "worker_id": "A345TDMHP3DQ3G"}], "B093XKPQSJ": [{"asin": "B093XKPQSJ", "instruction": "i am looking for a suckers & lollipops of spiderman pop ups flavor for birthday party.", "attributes": ["individually wrapped", "party supplies", "birthday party"], "options": ["flavor name: spiderman pop ups"], "instruction_attributes": ["birthday party"], "instruction_options": ["spiderman pop ups"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEVKUUL", "worker_id": "A9QRQL9CFJBI7"}], "B009PQB0KE": [{"asin": "B009PQB0KE", "instruction": "i'm looking for hair removal of men's it was personal care in beauty.", "attributes": ["high quality", "stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFTV0TL", "worker_id": "A16IQOX0DK14OJ"}], "B085NDWSZW": [{"asin": "B085NDWSZW", "instruction": "i'm looking for makeup accessories for deadly skin and easy to clean to skin.", "attributes": ["double sided", "easy clean", "dead skin"], "options": [""], "instruction_attributes": ["easy clean", "dead skin"], "instruction_options": [], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RHALFH", "worker_id": "A16IQOX0DK14OJ"}], "B07YGLDGZV": [{"asin": "B07YGLDGZV", "instruction": "i am looking for men's machine washable alloy colored dress pants.", "attributes": ["machine washable", "slim fit", "machine wash", "imported zipper"], "options": ["color: alloy", "size: 36w x 30l"], "instruction_attributes": ["machine washable"], "instruction_options": ["alloy"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE05TJL", "worker_id": "A1EREKSZAA9V7B"}], "B005ME1PHQ": [{"asin": "B005ME1PHQ", "instruction": "i'm looking for need to buy a cookie butter and it was gluten free and it contains high protein.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: cookie butter", "size: 4 fl oz (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["cookie butter"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQG5JRX", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B005ME1PHQ", "instruction": "i would like a 128 fluid ounce bottle of princess cake and cookie that is bpa free.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: princess cake and cookie", "size: 128 fl oz (pack of 1)"], "instruction_attributes": ["bpa free"], "instruction_options": ["princess cake and cookie", "128 fl oz (pack of 1)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZG5LK3", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B005ME1PHQ", "instruction": "show me lorann coffee bakery emulsion, red velvet flavor and gluten free. i need to add an order for this week.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: red velvet", "size: 4 fl oz\u2026."], "instruction_attributes": ["gluten free"], "instruction_options": ["red velvet"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATBX37M", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B005ME1PHQ", "instruction": "i'm looking for 4 ounce bottle of coffee bakery emulsion.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: strawberry", "size: 16 fl oz."], "instruction_attributes": ["bpa free"], "instruction_options": ["16 fl oz."], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9DQAZ3", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B005ME1PHQ", "instruction": "i would like a 1 gallon bottle of blueberry imitation extract that is bpa free.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: blueberry", "size: 1 gallon"], "instruction_attributes": ["bpa free"], "instruction_options": ["blueberry", "1 gallon"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU32RLV", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B005ME1PHQ", "instruction": "i want to get some cherry flavored imitation flavoring that is in a 4 oz six pack size.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: cherry", "size: 4 ounce, 6 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["cherry", "4 ounce, 6 pack"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THVEZ53", "worker_id": "A2YNPKYEFDZ6C9"}], "B08PKGFW3L": [{"asin": "B08PKGFW3L", "instruction": "i am looking for birthday party gift supplies. she is a 15 year old girl.", "attributes": ["individually wrapped", "birthday party", "party supplies", "perfect gift"], "options": [""], "instruction_attributes": ["birthday party", "party supplies", "perfect gift"], "instruction_options": [], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38GZWJJQ", "worker_id": "A1NF6PELRKACS9"}], "B09RZN1YYP": [{"asin": "B09RZN1YYP", "instruction": "i'm looking for cellphone accessories for tempered glass. it was long lasting time.", "attributes": ["high definition", "easy install", "tempered glass"], "options": ["color: iphone 12 pro"], "instruction_attributes": ["tempered glass"], "instruction_options": ["iphone 12 pro"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LICPSB", "worker_id": "A16IQOX0DK14OJ"}], "B09SCYZ17V": [{"asin": "B09SCYZ17V", "instruction": "i'm looking for a open toe slippers with ankle strap. also, choose 6 size wide, a8 white colored one", "attributes": ["open toe", "ankle strap", "closed toe"], "options": ["color: a8 - white", "size: 6 wide"], "instruction_attributes": ["open toe", "ankle strap"], "instruction_options": ["a8 - white", "6 wide"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTM7O6R", "worker_id": "AR0VJ5XRG16UJ"}], "B08QVLQ7VQ": [{"asin": "B08QVLQ7VQ", "instruction": "i am looking to buy pillow covers for my living room. i would like them to be 2 pieces of dimension 18\" x 18\"", "attributes": ["exquisite workmanship", "faux leather", "living room"], "options": ["color: navy3 | 8# leather", "size: 2 pieces, 18\" x 18\""], "instruction_attributes": ["living room"], "instruction_options": ["2 pieces, 18\" x 18\""], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPAQORW", "worker_id": "AHXHM1PQTRWIQ"}], "B09MCWQHB6": [{"asin": "B09MCWQHB6", "instruction": "i am looking for eco friendly window films that are multicolored.", "attributes": ["eco friendly", "living room"], "options": ["color: multi-05711", "size: 17.7\" x 23.6\" x 2 pcs"], "instruction_attributes": ["eco friendly"], "instruction_options": ["multi-05711"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQF7918", "worker_id": "A2ECRNQ3X5LEXD"}], "B08L86MM2W": [{"asin": "B08L86MM2W", "instruction": "i am looking for a heavy duty bedroom sets of full xl size", "attributes": ["heavy duty", "assembly required", "king size"], "options": ["size: full xl", "style: heavy duty"], "instruction_attributes": ["heavy duty"], "instruction_options": ["full xl", "heavy duty"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRY7XJQ", "worker_id": "A9QRQL9CFJBI7"}], "B09KV8YFY9": [{"asin": "B09KV8YFY9", "instruction": "szitop women's yoga pants crossover yoga pants flare crossover high waist workout leggings yoga pants with stretch belly control bootcut do you know a szitop brand? i need flare yoga pants. for everyday wear, machine washable, high waist. look for size .xx-large.", "attributes": ["hand wash", "machine wash", "tummy control", "high waist", "stretch fabric", "elastic closure", "cotton spandex", "elastic waist", "daily wear"], "options": ["color: f-navy", "size: xx-large"], "instruction_attributes": ["machine wash", "high waist", "daily wear"], "instruction_options": ["xx-large"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54R4837", "worker_id": "A15IJ20C3R4HUO"}], "B003YCN7B0": [{"asin": "B003YCN7B0", "instruction": "find me an oil free dermatologist tested exfoliating facial scrub for dry skin with shien control feature and in 4.2 ounce (pack of 3) size.", "attributes": ["oil free", "dermatologist tested", "dry skin"], "options": ["size: 4.2 ounce (pack of 3)", "style: shine control"], "instruction_attributes": ["oil free", "dermatologist tested", "dry skin"], "instruction_options": ["4.2 ounce (pack of 3)", "shine control"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BM0X8R", "worker_id": "A3AYHESLQSDY5T"}], "B085QMTTSC": [{"asin": "B085QMTTSC", "instruction": "i need a chocolate coated wafers with a 4.41 ounce size. and i choose the caramel flavor", "attributes": ["kosher certified", "artificial colors", "artificial flavors"], "options": ["flavor name: caramel", "size: 4.41 ounce"], "instruction_attributes": ["kosher certified"], "instruction_options": ["caramel", "4.41 ounce"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT2RP3X", "worker_id": "A2COCSUGZV28X"}], "B097SL3X81": [{"asin": "B097SL3X81", "instruction": "i am looking for a white tempered glass screen smartwatch bands which is compatible to apple", "attributes": ["compatible apple", "tempered glass", "glass screen"], "options": ["color: white", "size: 40mm"], "instruction_attributes": ["compatible apple", "tempered glass", "glass screen"], "instruction_options": ["white"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ10NRX", "worker_id": "A9QRQL9CFJBI7"}], "B09H6K6SZT": [{"asin": "B09H6K6SZT", "instruction": "i am looking for a blue color tablets with high performance.", "attributes": ["ultra hd", "high performance"], "options": ["color: blue"], "instruction_attributes": ["high performance"], "instruction_options": ["blue"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5GAWIG", "worker_id": "A9QRQL9CFJBI7"}], "B0989N4SWC": [{"asin": "B0989N4SWC", "instruction": "i'm looking for high definition 5 in 1 carrying case kit that has separate compartments for case cover, tempered glass and glass screen. also choose large blue colored one.", "attributes": ["high definition", "glass screen", "tempered glass", "case cover", "carrying case"], "options": ["color: blue", "size: large"], "instruction_attributes": ["high definition", "glass screen", "tempered glass", "case cover", "carrying case"], "instruction_options": ["blue", "large"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF3PDLR", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B0989N4SWC", "instruction": "i would like a large blue switch case with a glass screen.", "attributes": ["high definition", "glass screen", "tempered glass", "case cover", "carrying case"], "options": ["color: blue", "size: large"], "instruction_attributes": ["glass screen"], "instruction_options": ["blue", "large"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJQLGDE", "worker_id": "A1WS884SI0SLO4"}], "B07ZK5YRBM": [{"asin": "B07ZK5YRBM", "instruction": "i am looking for a curtain for living room which is washable in machine. also choose 52\" wide by 90\" length in size.", "attributes": ["machine washable", "living room"], "options": ["color: mandala27lbg2100", "size: 52\" w by 90\" l"], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["52\" w by 90\" l"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE2FJTP", "worker_id": "A2HMEGTAFO0CS8"}], "B08FTKG5HS": [{"asin": "B08FTKG5HS", "instruction": "a am looking vinyl acetate rose gold women sandal size 10", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: rose gold suede interest", "size: 10"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["rose gold suede interest", "10"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R6BYTL", "worker_id": "A3N9ZYQAESNFQH"}], "B09SHRB1KG": [{"asin": "B09SHRB1KG", "instruction": "i am looking for a high definition android car stereo of quad core color.", "attributes": ["plug play", "high definition", "4g lte"], "options": ["color: quad core", "size: 2g+32g"], "instruction_attributes": ["high definition"], "instruction_options": ["quad core"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LC31OK", "worker_id": "A9QRQL9CFJBI7"}], "B074VFLXWN": [{"asin": "B074VFLXWN", "instruction": "i'm looking for high pigmented for long lasting beauty skin care.", "attributes": ["highly pigmented", "long lasting"], "options": ["color: 140 light tan", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["highly pigmented", "long lasting"], "instruction_options": ["140 light tan"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSOB0XU", "worker_id": "A16IQOX0DK14OJ"}], "B08ZNCX4WB": [{"asin": "B08ZNCX4WB", "instruction": "i'm looking for wall art pictures for hanging through the wall.", "attributes": ["ready hang", "easy clean", "living room"], "options": ["color: red rose", "size: 12x12inx4"], "instruction_attributes": ["ready hang", "easy clean"], "instruction_options": [], "assignment_id": "3NGMS9VZTWSGZMBL50ZGMFJOULZFFH", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08ZNCX4WB", "instruction": "im looking for ready to hang, beach themed art work in size 14\u201d x 14\u201d.", "attributes": ["ready hang", "easy clean", "living room"], "options": ["color: yellow rose", "size: 14x14inx4"], "instruction_attributes": ["ready hang"], "instruction_options": ["14x14inx4"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNNCTNX", "worker_id": "AK3JMCIGU8MLU"}], "B0787R6C51": [{"asin": "B0787R6C51", "instruction": "i'm looking for fragrance for men's its for long lasting.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBCCSOR", "worker_id": "A16IQOX0DK14OJ"}], "B07KX9Y57X": [{"asin": "B07KX9Y57X", "instruction": "i am looking for a ready to hang print that is of sea and glass", "attributes": ["ready hang", "living room"], "options": ["color: sea & glass (1)", "size: 16x16"], "instruction_attributes": ["ready hang"], "instruction_options": ["sea & glass (1)"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7K0N5A", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NNT5XCJ": [{"asin": "B07NNT5XCJ", "instruction": "earthy fragrance for women", "attributes": ["animal testing", "high quality"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "33F859I56HNA01QBVO1K6A4GV2RHB6", "worker_id": "A10OGH5CQBXL5N"}], "B0876G6Z9P": [{"asin": "B0876G6Z9P", "instruction": "i am looking for low carb, gluten free keto red velvet brownie cookies", "attributes": ["low carb", "high protein", "gluten free", "low sugar", "low calorie", "quality ingredients"], "options": ["flavor name: red velvet brownie", "size: 6.4 ounce (pack of 1)"], "instruction_attributes": ["low carb", "gluten free"], "instruction_options": ["red velvet brownie"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O3QA2S", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B0876G6Z9P", "instruction": "i want a 6 ounce peanut butter low carb snacks.", "attributes": ["low carb", "high protein", "gluten free", "low sugar", "low calorie", "quality ingredients"], "options": ["flavor name: peanut butter", "size: 6 ounce (pack of 5)"], "instruction_attributes": ["low carb"], "instruction_options": ["peanut butter", "6 ounce (pack of 5)"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK4VUIJ", "worker_id": "A1WS884SI0SLO4"}], "B09FLH9RFF": [{"asin": "B09FLH9RFF", "instruction": "i'm looking for super soft blankets and throws.", "attributes": ["super soft", "living room"], "options": ["color: wolf grey sky", "size: xl - 51.2\"x59.1\""], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["wolf grey sky"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788EZ5CJ", "worker_id": "A16IQOX0DK14OJ"}], "B009ZKZEDO": [{"asin": "B009ZKZEDO", "instruction": "i am looking for a glass shade candle sconces.", "attributes": ["assembly required", "easy install", "easy clean", "glass shade"], "options": [""], "instruction_attributes": ["glass shade"], "instruction_options": [], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746WSTBY", "worker_id": "A9QRQL9CFJBI7"}], "B09MZFY93T": [{"asin": "B09MZFY93T", "instruction": "i'm looking for cupcake decorations for parties and need to buy it.", "attributes": ["hand crafted", "party supplies"], "options": [""], "instruction_attributes": ["hand crafted", "party supplies"], "instruction_options": [], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRS8RUE7", "worker_id": "A16IQOX0DK14OJ"}], "B07QLT232B": [{"asin": "B07QLT232B", "instruction": "i'm looking for stretch fabric rubber outsole", "attributes": ["stretch fabric", "memory foam", "rubber outsole", "rubber sole"], "options": ["color: marble", "size: 9-9.5"], "instruction_attributes": ["stretch fabric", "rubber outsole"], "instruction_options": ["marble"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZXLZJ3", "worker_id": "A16IQOX0DK14OJ"}], "B086MQ57DV": [{"asin": "B086MQ57DV", "instruction": "i'm looking for gym workout wear for daily wear uses.", "attributes": ["wash cold", "machine wash", "fashion design", "quality materials", "polyester cotton", "gym workout", "everyday wear", "daily wear"], "options": ["color: salmon", "size: x-large"], "instruction_attributes": ["wash cold", "machine wash", "fashion design", "polyester cotton", "gym workout", "everyday wear"], "instruction_options": ["salmon"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFPLV3F", "worker_id": "A16IQOX0DK14OJ"}], "B09DD313B3": [{"asin": "B09DD313B3", "instruction": "i am looking a long handle bath body brush easy usable quality should be high", "attributes": ["easy use", "high quality", "long handle", "quality materials"], "options": [""], "instruction_attributes": ["easy use", "high quality", "long handle"], "instruction_options": [], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7Y45PP", "worker_id": "A3N9ZYQAESNFQH"}], "B015QHXVI4": [{"asin": "B015QHXVI4", "instruction": "i'm looking for keto friendly have zero sugar.", "attributes": ["certified organic", "non gmo", "keto friendly", "sugar free", "plant based"], "options": ["size: 1 pound"], "instruction_attributes": ["keto friendly", "sugar free"], "instruction_options": ["1 pound"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRS8IEUI", "worker_id": "A16IQOX0DK14OJ"}], "B09S5S2MZZ": [{"asin": "B09S5S2MZZ", "instruction": "i want a high power binoculars with a large eyepiece for bird watching.", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVGFSZT", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09S5S2MZZ", "instruction": "i want a pair of binoculars for bird watching.", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXW85OE", "worker_id": "A1WS884SI0SLO4"}], "B09QCWBPK5": [{"asin": "B09QCWBPK5", "instruction": "i would like a 38 mm smartwatch band for my applewatch that is a transparent black flower.", "attributes": ["compatible apple", "high performance", "easy install", "stainless steel"], "options": ["color: transparent black flower", "size: 38mm | 40mm | 41mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["transparent black flower", "38mm | 40mm | 41mm"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWT0R97N", "worker_id": "A1WS884SI0SLO4"}], "B07XYM11XS": [{"asin": "B07XYM11XS", "instruction": "i'm looking for a adapter for wireless bluetooth speakers with output protection.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection", "wireless bluetooth"], "instruction_options": [], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOJ1DYT", "worker_id": "AR0VJ5XRG16UJ"}], "B00GTQZNDS": [{"asin": "B00GTQZNDS", "instruction": "i am looking for a fully assembled storage unit made from plywood.", "attributes": ["fully assembled", "storage unit"], "options": ["color: assorted colors", "configuration: fully assembled", "style: with bins"], "instruction_attributes": ["storage unit"], "instruction_options": ["fully assembled"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCSU65Y", "worker_id": "AJDQGOTMB2D80"}], "B0751NG9VN": [{"asin": "B0751NG9VN", "instruction": "i need a tuna creations bold, rice and beans in soy free hot sauce flavored tapatio, 2.6 ounce (pack of 1)", "attributes": ["wild caught", "soy free"], "options": ["flavor name: tapatio", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["soy free"], "instruction_options": ["tapatio", "2.6 ounce (pack of 1)"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPZATX1", "worker_id": "A258PTOZ3D2TQR"}], "B093DJDL6T": [{"asin": "B093DJDL6T", "instruction": "i am looking for washable easy clean non toxic hair chalk for girls", "attributes": ["easy apply", "non toxic", "easy clean", "easy use", "dry hair"], "options": [""], "instruction_attributes": ["non toxic", "easy clean"], "instruction_options": [], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYKDLQ7", "worker_id": "A258PTOZ3D2TQR"}], "B07M6LWR7C": [{"asin": "B07M6LWR7C", "instruction": "i nee all natural but no artificial ingredients savory and spicy sauce, 3 pack with sweet kick mustard flavor.", "attributes": ["artificial ingredients", "non gmo"], "options": ["flavor name: sweet kick mustard", "size: 3 pack"], "instruction_attributes": ["artificial ingredients"], "instruction_options": ["sweet kick mustard", "3 pack"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2NFL5H", "worker_id": "A258PTOZ3D2TQR"}], "B081JHXKWG": [{"asin": "B081JHXKWG", "instruction": "i am looking for a cake toppers for birthday party.", "attributes": ["cupcake picks", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCWK64E", "worker_id": "A9QRQL9CFJBI7"}], "B0959MKXBR": [{"asin": "B0959MKXBR", "instruction": "i'm looking for a twin bed frame with light brown color and white finish.", "attributes": ["white item", "assembly required", "white finish", "engineered wood", "box spring"], "options": ["color: light brown", "size: twin"], "instruction_attributes": ["white finish"], "instruction_options": ["light brown", "twin"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GE7ZUP", "worker_id": "A1Q0EUNCS50S8M"}], "B09SSKKG32": [{"asin": "B09SSKKG32", "instruction": "i am looking for a wide leg overall for women with long sleeve and high waist. also choose beige color and 3x large size.", "attributes": ["wide leg", "straight leg", "elastic waist", "high waist", "short sleeve", "long sleeve", "everyday wear"], "options": ["color: beige", "size: 3x-large"], "instruction_attributes": ["wide leg", "high waist", "long sleeve"], "instruction_options": ["beige", "3x-large"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7JEN5M", "worker_id": "A2HMEGTAFO0CS8"}], "B08BR1QRC3": [{"asin": "B08BR1QRC3", "instruction": "i want pecocke print curtain panel machine washable size:120\"w*90\"l", "attributes": ["machine washable", "white item"], "options": ["color: color08", "size: 120\" w x 90\" l"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "369J354OFOKQUTE5FR2UAU6N22U6G4", "worker_id": "A3N9ZYQAESNFQH"}], "B091F5JC1Y": [{"asin": "B091F5JC1Y", "instruction": "large size hand washable silk satin pajamas with elasticwaistband", "attributes": ["hand wash", "quality polyester", "elastic waistband", "polyester spandex", "daily wear"], "options": ["color: teal", "size: large"], "instruction_attributes": ["hand wash", "elastic waistband"], "instruction_options": ["large"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA8F2SW", "worker_id": "A10OGH5CQBXL5N"}], "B08ZQLXCTV": [{"asin": "B08ZQLXCTV", "instruction": "i need black color and 15 ft long heavy duty surge protector power strip", "attributes": ["heavy duty", "usb port"], "options": ["color: black", "size: 15 ft"], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907TIUA1", "worker_id": "A258PTOZ3D2TQR"}], "B083LVF5PM": [{"asin": "B083LVF5PM", "instruction": "i am looking for a wireless bluetooth 4.0 power amplifier board.", "attributes": ["power amplifier", "wireless bluetooth"], "options": [""], "instruction_attributes": ["power amplifier", "wireless bluetooth"], "instruction_options": [], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K6T12Y", "worker_id": "A1EREKSZAA9V7B"}], "B07BGDBMXC": [{"asin": "B07BGDBMXC", "instruction": "i need a mid century faux leather ottoman in walnut brown color.", "attributes": ["mid century", "assembly required", "faux leather"], "options": [""], "instruction_attributes": ["mid century", "faux leather"], "instruction_options": [], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIKIEFW", "worker_id": "A1NF6PELRKACS9"}], "B07DLQ2H98": [{"asin": "B07DLQ2H98", "instruction": "i would like a full sized day bed with a brushed bronze frame that's easy to assemble.", "attributes": ["easy assemble", "box spring"], "options": ["color: brushed bronze", "size: full over twin size", "style: daybed and trundle"], "instruction_attributes": ["easy assemble"], "instruction_options": ["brushed bronze", "full over twin size", "daybed and trundle"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O2L2AD", "worker_id": "A1WS884SI0SLO4"}], "B08ZGZZDCJ": [{"asin": "B08ZGZZDCJ", "instruction": "i'm looking for cakes it contains high protein and the low fat.", "attributes": ["high protein", "low fat"], "options": ["flavor name: gluten free", "size: 5 pound"], "instruction_attributes": ["high protein", "low fat"], "instruction_options": ["gluten free"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662XF4M4", "worker_id": "A16IQOX0DK14OJ"}], "B093BNSSHW": [{"asin": "B093BNSSHW", "instruction": "i am lookin for black stereo sound computer speakers.", "attributes": ["aluminum alloy", "stereo sound"], "options": ["color: black", "size: wired + bluetooth"], "instruction_attributes": ["stereo sound"], "instruction_options": ["black"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2RML4E", "worker_id": "A9QRQL9CFJBI7"}], "B09D7RBGLX": [{"asin": "B09D7RBGLX", "instruction": "i'm looking for hand painted decorative pillows for grey plant colored.", "attributes": ["hand painted", "exquisite workmanship"], "options": ["color: grey plant"], "instruction_attributes": ["hand painted"], "instruction_options": ["grey plant"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ2750171MP4F", "worker_id": "A16IQOX0DK14OJ"}], "B008ZEEDBA": [{"asin": "B008ZEEDBA", "instruction": "i am looking for a x-large jacket fleece that is water resistant. and please get me the red color", "attributes": ["water resistant", "fleece lined"], "options": ["color: red | white | blue", "size: x-large"], "instruction_attributes": ["water resistant"], "instruction_options": ["red | white | blue", "x-large"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40XLYFV", "worker_id": "A2COCSUGZV28X"}], "B09SPWBXNR": [{"asin": "B09SPWBXNR", "instruction": "i'm looking for open toe pillow slippers its make comfortable.", "attributes": ["non slip", "open toe", "hand wash", "lace closure"], "options": ["color: camouflage", "size: 5.5"], "instruction_attributes": ["non slip", "open toe"], "instruction_options": ["camouflage", "5.5"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DB4WDG", "worker_id": "A16IQOX0DK14OJ"}], "B08HWR6C22": [{"asin": "B08HWR6C22", "instruction": "i'm looking for tripoid for electronics needed.", "attributes": ["easy carry", "carbon fiber", "carrying case"], "options": [""], "instruction_attributes": ["easy carry", "carrying case"], "instruction_options": [], "assignment_id": "3X0H8UUITCYRED22199FX2O3EEPSWH", "worker_id": "A16IQOX0DK14OJ"}], "B076BC2CC2": [{"asin": "B076BC2CC2", "instruction": "i would like 72 one ounce bags of bbq and pineapple jerky that is non-gmo.", "attributes": ["sugar free", "grass fed", "non gmo", "low calorie", "keto friendly", "high protein", "individually wrapped"], "options": ["flavor name: bbq & pineapple - natural pork", "size: 1 ounce (pack of 72)"], "instruction_attributes": ["low calorie"], "instruction_options": ["bbq & pineapple - natural pork", "1 ounce (pack of 72)"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EFQWSO", "worker_id": "A1WS884SI0SLO4"}], "B09H8BY27C": [{"asin": "B09H8BY27C", "instruction": "i am looking for a body scrubs for dead skin.", "attributes": ["dead skin", "dark circles"], "options": [""], "instruction_attributes": ["dead skin"], "instruction_options": [], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FDYK82", "worker_id": "A9QRQL9CFJBI7"}], "B00IPQ54KM": [{"asin": "B00IPQ54KM", "instruction": "i'm looking for a gift covered with chocolate and should be in a gift basket.", "attributes": ["chocolate covered", "gift basket"], "options": [""], "instruction_attributes": ["chocolate covered", "gift basket"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCXR4Q4", "worker_id": "AR0VJ5XRG16UJ"}], "B07SGHL6K2": [{"asin": "B07SGHL6K2", "instruction": "looking for travel accessories bottles for travel size", "attributes": ["bpa free", "travel size", "easy clean", "long lasting", "travel bottles"], "options": [""], "instruction_attributes": ["travel size", "travel bottles"], "instruction_options": [], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACSHHN9", "worker_id": "A10OGH5CQBXL5N"}], "B00GTC1HIW": [{"asin": "B00GTC1HIW", "instruction": "i am looking for a paraben free body wash that has a pink lemon and mandarin orange style.", "attributes": ["dermatologist tested", "paraben free"], "options": ["size: 24 fl oz (pack of 2)", "style: pink lemon and mandarin orange"], "instruction_attributes": ["paraben free"], "instruction_options": ["pink lemon and mandarin orange"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7YWYQP", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B00GTC1HIW", "instruction": "i would like a 13.5 fluid ounce bottle of vanilla body wash that is paraben free.", "attributes": ["dermatologist tested", "paraben free"], "options": ["size: 13.5 fl oz (pack of 1)", "style: vanilla"], "instruction_attributes": ["paraben free"], "instruction_options": ["13.5 fl oz (pack of 1)", "vanilla"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4BR6RM", "worker_id": "A1WS884SI0SLO4"}], "B09MLHK36S": [{"asin": "B09MLHK36S", "instruction": "storage cabinet white led buffet cabinet with 3 doors", "attributes": ["high gloss", "exquisite workmanship", "storage space", "contemporary style", "dining room", "living room"], "options": ["color: black 1 door"], "instruction_attributes": ["high gloss", "dining room", "living room"], "instruction_options": ["black 1 door"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FDE8K6", "worker_id": "A10OGH5CQBXL5N"}], "B07L5ZM4YN": [{"asin": "B07L5ZM4YN", "instruction": "i need a high heeled close toe shoes that is in size 9.", "attributes": ["high heel", "closed toe", "rubber sole"], "options": ["color: ivory(5.5cm)", "size: 9"], "instruction_attributes": ["high heel", "closed toe"], "instruction_options": ["9"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXYKMYD", "worker_id": "A1NF6PELRKACS9"}], "B09SPYJJX3": [{"asin": "B09SPYJJX3", "instruction": "i am looking for clinical strength anti perspirant for sensitive skin.", "attributes": ["anti perspirant", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": [], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X8TRF5", "worker_id": "A1EREKSZAA9V7B"}], "B00WLJENOW": [{"asin": "B00WLJENOW", "instruction": "i am looking for a 24 pack of high protein herbal tea", "attributes": ["rich creamy", "high protein"], "options": ["flavor name: mango juice", "size: 24 packs"], "instruction_attributes": ["high protein"], "instruction_options": ["24 packs"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67NX4NC", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B00WLJENOW", "instruction": "i want high protein vitasoy soy milk drink.", "attributes": ["rich creamy", "high protein"], "options": ["flavor name: soy milk", "size: 8.45 ounce (pack of 24)"], "instruction_attributes": ["high protein"], "instruction_options": ["soy milk"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06L6KX7", "worker_id": "A2RBF3IIJP15IH"}], "B07XF1LN9H": [{"asin": "B07XF1LN9H", "instruction": "can i get a large size navy blue lightweight and breathable stretch fabric polo shirt for men?", "attributes": ["moisture wicking", "stretch fabric"], "options": ["color: navy blue", "size: large"], "instruction_attributes": ["stretch fabric"], "instruction_options": ["navy blue", "large"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHQ7J00", "worker_id": "A39VVWV1GHLMFD"}], "B09DT2MSJR": [{"asin": "B09DT2MSJR", "instruction": "i need a hand painted storage case for my living room . it should be book shaped", "attributes": ["hand painted", "living room"], "options": [""], "instruction_attributes": ["hand painted", "living room"], "instruction_options": [], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSCTCWZ", "worker_id": "A2COCSUGZV28X"}], "B08XMZDY39": [{"asin": "B08XMZDY39", "instruction": "i am looking for a long lasting full size metal platform bed.", "attributes": ["high density", "long lasting", "box spring"], "options": ["size: full", "style: 10\" high density foam mattress + frame"], "instruction_attributes": ["long lasting"], "instruction_options": ["full"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMX1W32", "worker_id": "A1EREKSZAA9V7B"}], "B076Z63QBR": [{"asin": "B076Z63QBR", "instruction": "i am looking for a atomic red orange mid century sofas & couches.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: atomic red orange", "size: teal"], "instruction_attributes": ["mid century"], "instruction_options": ["atomic red orange"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWC1NFC", "worker_id": "A9QRQL9CFJBI7"}], "B01J445IUY": [{"asin": "B01J445IUY", "instruction": "i need a six pack of manual toothbrushes that are good for sensitive teeth.", "attributes": ["sensitive teeth", "bad breath"], "options": ["size: 6 count (pack of 1)"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["6 count (pack of 1)"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9XZ5XZ", "worker_id": "AR9AU5FY1S3RO"}], "B09SB3RPJM": [{"asin": "B09SB3RPJM", "instruction": "open toe sexy high heels, non slip fashion for street wearing size 7", "attributes": ["open toe", "knee high", "non slip", "closed toe", "high heel"], "options": ["color: c beige", "size: 7"], "instruction_attributes": ["open toe", "non slip", "high heel"], "instruction_options": ["7"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPMVYSS", "worker_id": "A10OGH5CQBXL5N"}], "B07M9Z1C8M": [{"asin": "B07M9Z1C8M", "instruction": "i am looking for dairy free and apple variety pack of chips", "attributes": ["nut free", "dairy free", "non gmo", "gluten free", "dietary fiber"], "options": ["flavor name: apple variety pack", "size: 3.4 ounce (pack of 6)"], "instruction_attributes": ["dairy free"], "instruction_options": ["apple variety pack"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSJ9261", "worker_id": "A258PTOZ3D2TQR"}], "B09Q2SYZW6": [{"asin": "B09Q2SYZW6", "instruction": "i'm looking for binocular for bird watching.", "attributes": ["high power", "high resolution", "bird watching"], "options": [""], "instruction_attributes": ["high resolution", "bird watching"], "instruction_options": [], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OIMRT0", "worker_id": "A16IQOX0DK14OJ"}], "B09F5MKD6F": [{"asin": "B09F5MKD6F", "instruction": "i need a wash cold, blue hoodies for men's pullover", "attributes": ["wash cold", "machine wash", "cotton spandex", "drawstring closure", "daily wear"], "options": ["color: blue", "size: medium"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95T8XQQ", "worker_id": "A1IL2K0ELYI090"}], "B087TP51X9": [{"asin": "B087TP51X9", "instruction": "encontrar uma linda \u00e9 a sand\u00e1lia de cristal haoricu para mulher. preciso comprar para presente. ache o tamanho 8,5 na cor preta.", "attributes": ["slim fit", "straight leg", "open toe", "high waist", "faux fur", "regular fit", "relaxed fit", "button closure"], "options": ["color: 01-black", "size: 8.5"], "instruction_attributes": ["open toe"], "instruction_options": ["01-black", "8.5"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOD6LLW", "worker_id": "A15IJ20C3R4HUO"}], "B08L3VTNQZ": [{"asin": "B08L3VTNQZ", "instruction": "i'm looking for electronics for wearable technology and it was silver water resistant.", "attributes": ["water resistant", "4g lte"], "options": ["color: silver aluminum case", "size: 40mm", "style: gps"], "instruction_attributes": ["water resistant"], "instruction_options": ["silver aluminum case"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VZZYWF", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08L3VTNQZ", "instruction": "i would like a 44 mm blue sport band smartwatch with gps and cellular. i would also like it to be water resistant.", "attributes": ["water resistant", "4g lte"], "options": ["color: silver aluminium case with abyss blue sport band", "size: 44mm", "style: gps+cellular"], "instruction_attributes": ["water resistant"], "instruction_options": ["silver aluminium case with abyss blue sport band", "44mm", "gps+cellular"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7VK5PZ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08L3VTNQZ", "instruction": "i want to find an apple watch that has a silver aluminum case and a white 40 millimeter band. it needs to be water resistant and come with a gps.", "attributes": ["water resistant", "4g lte"], "options": ["color: silver aluminum case with white sport band", "size: 40mm", "style: gps"], "instruction_attributes": ["water resistant"], "instruction_options": ["silver aluminum case with white sport band", "40mm", "gps"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMCQXDO", "worker_id": "A345TDMHP3DQ3G"}], "B0918YYZBV": [{"asin": "B0918YYZBV", "instruction": "i would like a 40mm black and clear apple watch screen protector made of tempered glass.", "attributes": ["compatible apple", "glass screen", "tempered glass"], "options": ["color: black and clear", "size: 40mm"], "instruction_attributes": ["compatible apple", "tempered glass"], "instruction_options": ["black and clear", "40mm"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83LEIJM", "worker_id": "A1WS884SI0SLO4"}], "B07L1LQBHS": [{"asin": "B07L1LQBHS", "instruction": "i need red pump shoes for party or formal wear with rubber sole and size 7.5", "attributes": ["non slip", "rubber sole"], "options": ["color: red", "size: 7.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["red", "7.5"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W9TOUZ", "worker_id": "ASWFLI3N8X72G"}], "B015RNIF8I": [{"asin": "B015RNIF8I", "instruction": "i'm looking for a target reflections buffet", "attributes": ["white item", "white finish"], "options": ["color: blue"], "instruction_attributes": ["white item"], "instruction_options": ["blue"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLZEVAC", "worker_id": "A1ZGOZQF2VZ0X9"}], "B093G1BD4P": [{"asin": "B093G1BD4P", "instruction": "bacon jerky 15 pack", "attributes": ["ready eat", "great gift"], "options": ["flavor name: original style beef jerky", "size: 15 pack"], "instruction_attributes": ["ready eat"], "instruction_options": ["15 pack"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR49ZUFI", "worker_id": "A10OGH5CQBXL5N"}], "B08YMYLMZJ": [{"asin": "B08YMYLMZJ", "instruction": "i would like a bath brush with a long handle.", "attributes": ["high quality", "non slip", "long handle", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LDI1O1", "worker_id": "A1WS884SI0SLO4"}], "B09PZKBWJ4": [{"asin": "B09PZKBWJ4", "instruction": "i'm looking for camera it was easy to carry and need to buy it.", "attributes": ["easy carry", "carrying case"], "options": ["color: 50cm"], "instruction_attributes": ["easy carry", "carrying case"], "instruction_options": ["50cm"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0X4XPH", "worker_id": "A16IQOX0DK14OJ"}], "B00OGQY8Y8": [{"asin": "B00OGQY8Y8", "instruction": "i need a heavy duty king sized bed frame.", "attributes": ["heavy duty", "king size", "box spring"], "options": ["color: headboard only", "size: king"], "instruction_attributes": ["heavy duty", "king size"], "instruction_options": ["king"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EDDB1J", "worker_id": "A19317A3X87NVM"}], "B003EAC7ZY": [{"asin": "B003EAC7ZY", "instruction": "i need a small easy care shirt with long sleeves . and i prefer the clover color", "attributes": ["easy care", "long sleeve"], "options": ["color: clover", "size: small"], "instruction_attributes": ["easy care", "long sleeve"], "instruction_options": ["clover", "small"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3T6Z97", "worker_id": "A2COCSUGZV28X"}], "B07NW8Q5FY": [{"asin": "B07NW8Q5FY", "instruction": "i am looking for men classic fit t-shirt. please choose black color.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: men", "size: small"], "instruction_attributes": ["classic fit"], "instruction_options": ["black", "men"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GMPS37", "worker_id": "A3FG5PQHG5AH3Y"}], "B088BBSTR1": [{"asin": "B088BBSTR1", "instruction": "i am looking for a loose fit womens shirt with a short sleeve. also, i want the size of the shirt to be xx-large.", "attributes": ["loose fit", "short sleeve", "soft material"], "options": ["color: 04-greenleaf", "size: xx-large"], "instruction_attributes": ["loose fit", "short sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L86ER4", "worker_id": "AJDQGOTMB2D80"}], "B07ZFCWHCF": [{"asin": "B07ZFCWHCF", "instruction": "i am looking for a high quality heeta 2-pack hair shampoo brush specifically for dry hair. i would be more inclined to take a pink & purple.", "attributes": ["high quality", "dry hair"], "options": ["color: pink & purple"], "instruction_attributes": ["high quality", "dry hair"], "instruction_options": ["pink & purple"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662WLM4Q", "worker_id": "A39VVWV1GHLMFD"}], "B083M7B6CJ": [{"asin": "B083M7B6CJ", "instruction": "i am looking for a s-dark black wireless bluetooth earbud headphones.", "attributes": ["noise cancelling", "stereo sound", "wireless bluetooth"], "options": ["color: s-dark black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["s-dark black"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTQTE52", "worker_id": "A9QRQL9CFJBI7"}], "B093YSBNHN": [{"asin": "B093YSBNHN", "instruction": "i would like a laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1AZI26", "worker_id": "A1WS884SI0SLO4"}], "B01647YILE": [{"asin": "B01647YILE", "instruction": "i'm looking for fully cooked the flavor saquatch", "attributes": ["fully cooked", "ready eat", "non gmo"], "options": ["flavor name: sasquatch"], "instruction_attributes": ["fully cooked", "ready eat"], "instruction_options": ["sasquatch"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68G6A46", "worker_id": "A16IQOX0DK14OJ"}], "B08F9BY4P2": [{"asin": "B08F9BY4P2", "instruction": "i'm looking for the hyaluronic acid it was non-toxic acid. it contains petals.", "attributes": ["cruelty free", "paraben free", "non toxic", "hyaluronic acid"], "options": ["color: petals | tropical pink"], "instruction_attributes": ["non toxic", "hyaluronic acid"], "instruction_options": ["petals | tropical pink"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZX3AN3", "worker_id": "A16IQOX0DK14OJ"}], "B094YJFCY7": [{"asin": "B094YJFCY7", "instruction": "i need a large square solid wood coffee table laced with upholstered tufted button linen, an ivory-ottoman color will be most preferred.", "attributes": ["button tufted", "solid wood"], "options": ["color: ivory-ottoman", "size: square ottoman with casters"], "instruction_attributes": ["button tufted", "solid wood"], "instruction_options": ["ivory-ottoman"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DBMDWF", "worker_id": "A39VVWV1GHLMFD"}], "B09D7BZ1L6": [{"asin": "B09D7BZ1L6", "instruction": "please order for me a black pure leather ottoman stool size 100x40x43 cm for my living room.", "attributes": ["non slip", "high density", "pu leather", "living room"], "options": ["color: black", "size: 100x40x43cm"], "instruction_attributes": ["pu leather", "living room"], "instruction_options": ["black", "100x40x43cm"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A219WTHD", "worker_id": "AHU9OLV0YKIIW"}], "B005HV6RJA": [{"asin": "B005HV6RJA", "instruction": "i'm looking for regular fit and the clothing was makes day comfort.", "attributes": ["day comfort", "button closure", "regular fit"], "options": ["color: white | charcoal stripe", "size: 2x-large - 5_pack"], "instruction_attributes": ["day comfort", "regular fit"], "instruction_options": ["white | charcoal stripe"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN29YY7N", "worker_id": "A16IQOX0DK14OJ"}], "B094NQB78B": [{"asin": "B094NQB78B", "instruction": "i'm looking for sandals for a women need to buy a yellow color rubber sole.", "attributes": ["memory foam", "rubber sole"], "options": ["color: yellow 10cm", "size: 11.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["yellow 10cm"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LFT0L0", "worker_id": "A16IQOX0DK14OJ"}], "B09FF7ZSFJ": [{"asin": "B09FF7ZSFJ", "instruction": "i am looking for a multicolor shower caps for hair loss.", "attributes": ["easy carry", "hair loss"], "options": ["color: multicolor"], "instruction_attributes": ["hair loss"], "instruction_options": ["multicolor"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1DYCXP", "worker_id": "A9QRQL9CFJBI7"}], "B08N5DD2CG": [{"asin": "B08N5DD2CG", "instruction": "i'm looking for wild caught seafood with no added genetically modified organisms in the ingredients.", "attributes": ["wild caught", "grass fed", "non gmo"], "options": [""], "instruction_attributes": ["wild caught", "non gmo"], "instruction_options": [], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68G4A44", "worker_id": "A3EDFA8UQT5GG8"}], "B07NZ7YPXB": [{"asin": "B07NZ7YPXB", "instruction": "i am looking for a 2 ounce (pack of 4) of 2 ounce (pack of 4) jerky", "attributes": ["grass fed", "high protein", "sugar free", "simple ingredients"], "options": ["flavor name: wood fired pizza", "size: 2 ounce (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["2 ounce (pack of 4)"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBSGJEN", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07NZ7YPXB", "instruction": "find high protein beef jerky's.", "attributes": ["grass fed", "high protein", "sugar free", "simple ingredients"], "options": ["flavor name: wood fired pizza", "size: 2 ounce (pack of 1)"], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "3G2UL9A02OO71034MOY04HTU32F67B", "worker_id": "AVIEE6LDH0BT5"}], "B0945PXFDT": [{"asin": "B0945PXFDT", "instruction": "i'm looking for moisturizes the skin the green tea gives skin care goodness.", "attributes": ["clinically proven", "green tea", "seed oil"], "options": ["size: .7 fl oz (pack of 1)", "style: strength antioxidant + superfood elixir"], "instruction_attributes": ["green tea", "seed oil"], "instruction_options": [".7 fl oz (pack of 1)"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBG2DJB", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B0945PXFDT", "instruction": "i want .5 fl oz of clinically proven vegan mia organic antioxidant face oil.", "attributes": ["clinically proven", "green tea", "seed oil"], "options": ["size: .5 fl oz (pack of 1)", "style: strength antioxidant + superfood glow serum"], "instruction_attributes": ["clinically proven"], "instruction_options": [".5 fl oz (pack of 1)"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TLI3N3", "worker_id": "A2RBF3IIJP15IH"}], "B07NNXYHNM": [{"asin": "B07NNXYHNM", "instruction": "i'm looking for cruelty free, vitabath brand, bath and shower gel in the 32 ounce size.", "attributes": ["paraben free", "cruelty free", "dry skin"], "options": ["scent: spa skin therapy", "size: 32 ounce"], "instruction_attributes": ["cruelty free"], "instruction_options": ["32 ounce"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFS5V35", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B07NNXYHNM", "instruction": "i am looking for a paraben free and cruelty free moisturizing body cleanser for dry skin. also choose size 32 fl oz.", "attributes": ["paraben free", "cruelty free", "dry skin"], "options": ["scent: plus for dry skin", "size: 32 fl oz (pack of 1)"], "instruction_attributes": ["paraben free", "cruelty free", "dry skin"], "instruction_options": ["32 fl oz (pack of 1)"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DEXDWW", "worker_id": "A1V2JTEEBCXR20"}], "B07KYL4W5P": [{"asin": "B07KYL4W5P", "instruction": "i am looking for a red stereo sound earbud headphones", "attributes": ["easy use", "stereo sound"], "options": ["color: red", "size: blue"], "instruction_attributes": ["stereo sound"], "instruction_options": ["red"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQY92776", "worker_id": "A9QRQL9CFJBI7"}], "B0931675TF": [{"asin": "B0931675TF", "instruction": "i am looking for solid wood gaosoul wall art with wooden frame and size is 36x24in", "attributes": ["wood frame", "solid wood", "living room"], "options": ["color: city", "size: 36x24in"], "instruction_attributes": ["wood frame", "solid wood"], "instruction_options": ["36x24in"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVGM1PM", "worker_id": "AX2EWYWZM19AZ"}], "B07L2K1H47": [{"asin": "B07L2K1H47", "instruction": "i'm looking for a regular fit men's sneakers with rubber sole. also choose 6.5 size black colored one.", "attributes": ["regular fit", "rubber sole"], "options": ["color: black (cblack | ftwwht | cblack cblack | ftwwh...", "size: 6.5"], "instruction_attributes": ["regular fit", "rubber sole"], "instruction_options": ["black (cblack | ftwwht | cblack cblack | ftwwh...", "6.5"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8JTR4S", "worker_id": "AR0VJ5XRG16UJ"}], "B01C2CZWU6": [{"asin": "B01C2CZWU6", "instruction": "i want apple fruit sauce crushers that are certified organic.", "attributes": ["trader joe", "certified organic"], "options": [""], "instruction_attributes": ["certified organic"], "instruction_options": [], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QWA07F", "worker_id": "A1NF6PELRKACS9"}], "B092CTGJTY": [{"asin": "B092CTGJTY", "instruction": "i am looking for a dual band dome cameras.", "attributes": ["dual band", "motion detection"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G77X747", "worker_id": "A9QRQL9CFJBI7"}], "B07SKN25VL": [{"asin": "B07SKN25VL", "instruction": "i'm looking for hair extensions for natural hair and straight hair so need to buy it.", "attributes": ["easy apply", "hair extensions", "synthetic hair", "natural hair"], "options": ["color: ash blonde-straight(new)", "size: 26\" straight - 140g"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["ash blonde-straight(new)"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYN5HDF", "worker_id": "A16IQOX0DK14OJ"}], "B07N97QCX8": [{"asin": "B07N97QCX8", "instruction": "i'm looking for gluten free it was contain high protein and need to buy it.", "attributes": ["low carb", "non gmo", "low sodium", "gluten free", "natural ingredients"], "options": ["flavor name: vodka", "size: 1.56 pound (pack of 6)"], "instruction_attributes": ["low carb", "non gmo", "gluten free"], "instruction_options": ["vodka"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK248LKNE", "worker_id": "A16IQOX0DK14OJ"}], "B07D2W2VZ4": [{"asin": "B07D2W2VZ4", "instruction": "i'm looking for a 60\" floating tv console that will be best as media storage unit and has stone gray color.", "attributes": ["storage unit", "wood finish"], "options": ["color: stone gray", "size: 60\""], "instruction_attributes": ["storage unit"], "instruction_options": ["stone gray", "60\""], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDPIRHJ", "worker_id": "A1HMZJ59OPLD1P"}], "B09SGD4LLC": [{"asin": "B09SGD4LLC", "instruction": "i'm looking for binocular it will use for bird watching.", "attributes": ["high power", "bird watching"], "options": ["color: a"], "instruction_attributes": ["high power", "bird watching"], "instruction_options": ["a"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9LK0BI", "worker_id": "A16IQOX0DK14OJ"}], "B07KRWK5ZJ": [{"asin": "B07KRWK5ZJ", "instruction": "i am searching for a star war graphic tee in white.", "attributes": ["officially licensed", "needle sleeve", "classic fit", "star wars"], "options": ["color: white", "fit type: youth", "size: x-small"], "instruction_attributes": ["star wars"], "instruction_options": ["white"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCPAB91", "worker_id": "A1NF6PELRKACS9"}], "B09DMGQT3Q": [{"asin": "B09DMGQT3Q", "instruction": "i am looking for chocolate covered mint chip", "attributes": ["chocolate covered", "high fructose", "valentine day"], "options": ["flavor name: mint chip", "size: 3 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["mint chip"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQ3NGB", "worker_id": "A2MSIFDLOHI1UT"}], "B00U9WMZ0W": [{"asin": "B00U9WMZ0W", "instruction": "i am looking for vintage white bed in a king size", "attributes": ["white item", "contemporary style"], "options": ["color: vintage white", "size: california king"], "instruction_attributes": ["white item"], "instruction_options": ["vintage white", "california king"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIO1855", "worker_id": "A16M39T60N60NO"}], "B078YFPSNW": [{"asin": "B078YFPSNW", "instruction": "i'm looking for a tippleman's barrel aged cola syrup .", "attributes": ["non alcoholic", "old fashioned", "quality ingredients", "natural ingredients", "artificial flavors"], "options": ["flavor name: burnt sugar"], "instruction_attributes": ["non alcoholic", "natural ingredients"], "instruction_options": ["burnt sugar"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVO9JK2", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09FQ2NGQD": [{"asin": "B09FQ2NGQD", "instruction": "i really appreciate the cheese bros honey sriracha gouda b individually wrapped, royal aged cheese i will gift to my friend with the 6 oz. i want the 8 pack ready to eat she will serve at the party.", "attributes": ["ready eat", "individually wrapped", "quality ingredients", "artificial flavors"], "options": ["size: 8 pack"], "instruction_attributes": ["ready eat", "individually wrapped"], "instruction_options": ["8 pack"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJNQMO5", "worker_id": "A15IJ20C3R4HUO"}], "B09F6Y56TX": [{"asin": "B09F6Y56TX", "instruction": "i looking a men's short sleeve relaxed fit xx- large maroon /white color polo shirt", "attributes": ["officially licensed", "relaxed fit", "short sleeve"], "options": ["color: maroon | white", "size: xx-large", "team name: syracuse orange"], "instruction_attributes": ["relaxed fit", "short sleeve"], "instruction_options": ["maroon | white", "xx-large"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBCWOS7", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B09F6Y56TX", "instruction": "i would like a maroon and white medium nc state wolfpack short sleeved polo shirt.", "attributes": ["officially licensed", "relaxed fit", "short sleeve"], "options": ["color: maroon | white", "size: medium", "team name: north carolina state wolfpack"], "instruction_attributes": ["short sleeve"], "instruction_options": ["maroon | white", "medium", "north carolina state wolfpack"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL5CRVU", "worker_id": "A1WS884SI0SLO4"}], "B07R9RK4X2": [{"asin": "B07R9RK4X2", "instruction": "bluetooth headset for cell phones with noise cancelling in black colour", "attributes": ["noise cancelling", "long lasting"], "options": ["color: black"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BM2X8T", "worker_id": "A10OGH5CQBXL5N"}], "B09KHDQGMV": [{"asin": "B09KHDQGMV", "instruction": "i am looking for a brushed nickel finish floor lamp.", "attributes": ["brushed nickel", "nickel finish"], "options": [""], "instruction_attributes": ["brushed nickel", "nickel finish"], "instruction_options": [], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96AZG42", "worker_id": "A1NF6PELRKACS9"}], "B09QFMRDWC": [{"asin": "B09QFMRDWC", "instruction": "find me a x-large short sleeve dress in white with pockets", "attributes": ["soft material", "polyester cotton", "short sleeve", "daily wear"], "options": ["color: white", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["white", "x-large"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUIF5S9", "worker_id": "A2Y2TURT2VEYZN"}], "B0892JYS9N": [{"asin": "B0892JYS9N", "instruction": "storage ottoman bench with hinged lid which size 40*40*43cm", "attributes": ["storage unit", "storage space", "living room"], "options": ["color: m", "size: 40*40*43cm"], "instruction_attributes": ["storage space"], "instruction_options": ["40*40*43cm"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY868O188", "worker_id": "A10OGH5CQBXL5N"}], "B07GBBCKL7": [{"asin": "B07GBBCKL7", "instruction": "i need surgar free chocolate flavored cheesecake syrup, 3 pound (pack of 1)", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: chocolate", "size: 3 pound (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["chocolate", "3 pound (pack of 1)"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLZJVAH", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07GBBCKL7", "instruction": "i want davinci gourmet sugar-free hazelnut syrup.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: sugar-free hazelnut", "size: 25.4 fl oz (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["sugar-free hazelnut"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEL4KZ4", "worker_id": "A2RBF3IIJP15IH"}], "B07S14G6N1": [{"asin": "B07S14G6N1", "instruction": "i'm looking for black video play for video acccesseories.", "attributes": ["high speed", "plug play"], "options": ["color: black", "size: 6-foot"], "instruction_attributes": ["plug play"], "instruction_options": ["black"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9W4X5U", "worker_id": "A16IQOX0DK14OJ"}], "B08MVT2WVK": [{"asin": "B08MVT2WVK", "instruction": "i'm looking for a silicone case cover for remote", "attributes": ["easy install", "case cover"], "options": [""], "instruction_attributes": ["case cover"], "instruction_options": [], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBTYGIH", "worker_id": "A2Y2TURT2VEYZN"}], "B09GX4CCW2": [{"asin": "B09GX4CCW2", "instruction": "i'm looking for some permanent blue hair dye that's cruelty free.", "attributes": ["cruelty free", "animal testing", "permanent hair", "hair dye", "natural hair"], "options": ["color: blue smoke"], "instruction_attributes": ["cruelty free", "permanent hair", "hair dye"], "instruction_options": ["blue smoke"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y0Y5JR", "worker_id": "AR9AU5FY1S3RO"}], "B09P8DYFNT": [{"asin": "B09P8DYFNT", "instruction": "i want a high quality dual band streaming media player with warranty,4gb+64gb", "attributes": ["dual band", "quad core"], "options": ["color: 4gb+64gb"], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWOE524", "worker_id": "A3N9ZYQAESNFQH"}], "B08R63QV8P": [{"asin": "B08R63QV8P", "instruction": "i'm looking for hair extensions for wigs and hair care.", "attributes": ["easy apply", "hair extensions"], "options": ["color: 22inch"], "instruction_attributes": ["easy apply", "hair extensions"], "instruction_options": ["22inch"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU17AL3", "worker_id": "A16IQOX0DK14OJ"}], "B07YBM36S1": [{"asin": "B07YBM36S1", "instruction": "i'm looking for a medium color with natural ingredients concealers & neutralizers for dark circle.", "attributes": ["natural ingredients", "dark circles"], "options": ["color: medium"], "instruction_attributes": ["natural ingredients", "dark circles"], "instruction_options": ["medium"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THWI5ZF", "worker_id": "A9QRQL9CFJBI7"}], "B09L1FGCNY": [{"asin": "B09L1FGCNY", "instruction": "i am looking for a high density mattress in full size which is made up of memory foam.", "attributes": ["queen size", "high density", "memory foam"], "options": ["size: full"], "instruction_attributes": ["high density", "memory foam"], "instruction_options": ["full"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1FAXRR", "worker_id": "A2HMEGTAFO0CS8"}], "B095H9BN24": [{"asin": "B095H9BN24", "instruction": "i need a plug and play compatible displayport to hdmi adapter.", "attributes": ["plug play", "usb port"], "options": ["size: mini displayport 1.2 to", "style: 2x displayport 1x hdmi"], "instruction_attributes": ["plug play"], "instruction_options": ["2x displayport 1x hdmi"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU67A9L", "worker_id": "A19317A3X87NVM"}], "B09QQMCJ4W": [{"asin": "B09QQMCJ4W", "instruction": "i need size 8 closed toe sandals with arch support. it should be in beige.", "attributes": ["open toe", "arch support", "ankle strap", "closed toe"], "options": ["color: z3-beige", "size: 8"], "instruction_attributes": ["arch support", "closed toe"], "instruction_options": ["z3-beige", "8"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9O4VT2", "worker_id": "A1NF6PELRKACS9"}], "B08RYTPXT3": [{"asin": "B08RYTPXT3", "instruction": "i'm looking for stereo sound it was outside of noise pollution.", "attributes": ["hands free", "high definition", "stereo sound", "wireless bluetooth"], "options": ["color: red"], "instruction_attributes": ["stereo sound", "wireless bluetooth"], "instruction_options": ["red"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SWDDUK", "worker_id": "A16IQOX0DK14OJ"}], "B09FQGXBFB": [{"asin": "B09FQGXBFB", "instruction": "i want to find hair serum that contains argan oil and treats damaged hair.", "attributes": ["argan oil", "damaged hair", "hair treatment"], "options": [""], "instruction_attributes": ["argan oil", "damaged hair", "hair treatment"], "instruction_options": [], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602TH95R", "worker_id": "A345TDMHP3DQ3G"}], "B073JK81KY": [{"asin": "B073JK81KY", "instruction": "i am looking for a 7.7 ounce box of pecan gluten-free crackers", "attributes": ["gluten free", "protein serving"], "options": ["flavor name: pecan", "size: 7.7 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["pecan", "7.7 ounce (pack of 1)"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIE1FVH", "worker_id": "A22VGT2F28LTWC"}], "B0991MJXM2": [{"asin": "B0991MJXM2", "instruction": "i would like a pair of women's 9.5 sized hot pink running shoes with a rubber outsole.", "attributes": ["knee high", "slip resistant", "steel toe", "rubber outsole"], "options": ["color: hot pink", "size: 9.5-10 women | 9.5-10 men"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["hot pink", "9.5-10 women | 9.5-10 men"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUNB5I8P", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0991MJXM2", "instruction": "i'm looking for shoes of women men kenee high and the color in hot pink.", "attributes": ["knee high", "slip resistant", "steel toe", "rubber outsole"], "options": ["color: hot pink", "size: 9 women | 9 men"], "instruction_attributes": ["knee high", "steel toe", "rubber outsole"], "instruction_options": ["hot pink"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH37BOEST", "worker_id": "A16IQOX0DK14OJ"}], "B0843QGW1Z": [{"asin": "B0843QGW1Z", "instruction": "i'm looking for curved and rounded stainless steel scissors for trimming mustache, nose hair and beard. also silver color one.", "attributes": ["non slip", "stainless steel", "hair cutting"], "options": ["color: silver"], "instruction_attributes": ["stainless steel"], "instruction_options": ["silver"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK47MA61", "worker_id": "A258PTOZ3D2TQR"}], "B09J39R644": [{"asin": "B09J39R644", "instruction": "i am looking a soy wax lead free scented candle for home", "attributes": ["lead free", "long lasting", "soy wax"], "options": [""], "instruction_attributes": ["lead free", "soy wax"], "instruction_options": [], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWS9PFJ", "worker_id": "A3N9ZYQAESNFQH"}], "B09BTZGVVB": [{"asin": "B09BTZGVVB", "instruction": "i am looking for luxurious blanket for bedroom sofa that is machine washable and also choose in colorful bohemian pattern", "attributes": ["super soft", "machine washable", "fleece throw"], "options": ["color: colorful bohemian pattern", "size: 60\"x80\""], "instruction_attributes": ["super soft", "machine washable"], "instruction_options": ["colorful bohemian pattern"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUKD3R1", "worker_id": "A10OGH5CQBXL5N"}], "B08N462C25": [{"asin": "B08N462C25", "instruction": "i need caxxa amber glass fine mist spray bottles, size 12 refillable containers.", "attributes": ["bpa free", "eco friendly", "fine mist"], "options": ["size: 12"], "instruction_attributes": ["bpa free", "eco friendly"], "instruction_options": ["12"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMONXM9I", "worker_id": "A15IJ20C3R4HUO"}], "B00EKLPLU4": [{"asin": "B00EKLPLU4", "instruction": "i want non gmo sugar free keto friendly cocoa chocolate size: 1 pound", "attributes": ["sugar free", "certified organic", "non gmo", "plant based", "keto friendly"], "options": ["flavor name: cacao nibs", "size: 1 pound"], "instruction_attributes": ["sugar free", "non gmo", "keto friendly"], "instruction_options": ["1 pound"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINT527A", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B00EKLPLU4", "instruction": "i want non gmo healthworks cacao butter powder.", "attributes": ["sugar free", "certified organic", "non gmo", "plant based", "keto friendly"], "options": ["flavor name: cacao butter", "size: 32 ounce (pack of 5)"], "instruction_attributes": ["non gmo"], "instruction_options": ["cacao butter"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQOY13M", "worker_id": "A2RBF3IIJP15IH"}], "B004BYSR6K": [{"asin": "B004BYSR6K", "instruction": "i would like two boxes of mocha ash brown hair dye.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 5ab mocha ash brown, 3-pack", "size: 1 count (pack of 2)"], "instruction_attributes": ["hair dye"], "instruction_options": ["5ab mocha ash brown, 3-pack", "1 count (pack of 2)"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95TMQXX", "worker_id": "A1WS884SI0SLO4"}], "B07RLSLZ3P": [{"asin": "B07RLSLZ3P", "instruction": "i am looking for a white finish barstools and color should be antique white finish | black leather seat", "attributes": ["high density", "assembly required", "contemporary design", "white finish"], "options": ["color: antique white finish | black leather seat", "size: 30\" bar height"], "instruction_attributes": ["white finish"], "instruction_options": ["antique white finish | black leather seat"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY868218M", "worker_id": "A9QRQL9CFJBI7"}], "B08DTJCR5M": [{"asin": "B08DTJCR5M", "instruction": "i need a bag of non-toxic refillable lip gloss tubes.", "attributes": ["easy apply", "non toxic", "high quality"], "options": [""], "instruction_attributes": ["non toxic"], "instruction_options": [], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH01Z4I", "worker_id": "A19317A3X87NVM"}], "B07G28S4VV": [{"asin": "B07G28S4VV", "instruction": "looking for long sleeve casual t-shirts that hand washable also choose yellow colour", "attributes": ["wash cold", "hand wash", "high waist", "long sleeve"], "options": ["color: a:yellow", "size: medium"], "instruction_attributes": ["hand wash", "long sleeve"], "instruction_options": ["a:yellow"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU88A9Q", "worker_id": "A10OGH5CQBXL5N"}], "B09578LY5V": [{"asin": "B09578LY5V", "instruction": "i am looking for noise cancelling headphones in a black color", "attributes": ["noise cancelling", "high speed"], "options": ["color: black"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVNDKJ5", "worker_id": "A16M39T60N60NO"}], "B09PQN4F9T": [{"asin": "B09PQN4F9T", "instruction": "i am looking for sandals for high waist women with rubber sole and it color is black 4 and size is 7.5", "attributes": ["non slip", "high waist", "rubber sole"], "options": ["color: black 4", "size: 7.5"], "instruction_attributes": ["high waist", "rubber sole"], "instruction_options": ["black 4", "7.5"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZWCNAN", "worker_id": "AX2EWYWZM19AZ"}], "B08SJ8XVCM": [{"asin": "B08SJ8XVCM", "instruction": "gel nail kit nail polish with 33 piece set", "attributes": ["long lasting", "nail polish"], "options": ["color: mint to be", "size: 33 piece set"], "instruction_attributes": ["nail polish"], "instruction_options": ["33 piece set"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAUAO9CK", "worker_id": "A10OGH5CQBXL5N"}], "B0911J7P7G": [{"asin": "B0911J7P7G", "instruction": "i am looking for high protein yogurt.", "attributes": ["high protein", "artificial flavors"], "options": [""], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NJHKBZ", "worker_id": "A3FG5PQHG5AH3Y"}], "B00IV0ZI1M": [{"asin": "B00IV0ZI1M", "instruction": "i want to buy a shampoo and conditioner set for natural hair. my hair is on the dry side.", "attributes": ["sulfate free", "argan oil", "coconut oil", "natural hair", "dry hair"], "options": ["scent: conditioner", "size: 13 fl oz (pack of 1)"], "instruction_attributes": ["natural hair", "dry hair"], "instruction_options": ["conditioner"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDTJZQ2", "worker_id": "A1NF6PELRKACS9"}], "B08CHGCXLR": [{"asin": "B08CHGCXLR", "instruction": "i'm looking for twin sized bed room for bedroom", "attributes": ["twin size", "space saving", "easy assemble", "box spring"], "options": ["color: espresso-1"], "instruction_attributes": ["twin size", "easy assemble"], "instruction_options": ["espresso-1"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJNJ8ZM", "worker_id": "A16IQOX0DK14OJ"}], "B08NDPSJ4J": [{"asin": "B08NDPSJ4J", "instruction": "i am looking for a green solid wood chairs for living rooms.", "attributes": ["super soft", "mid century", "easy assemble", "solid wood", "wood frame", "living room", "dining room"], "options": ["color: green"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["green"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746WJBT7", "worker_id": "A9QRQL9CFJBI7"}], "B01LXTJUAG": [{"asin": "B01LXTJUAG", "instruction": "find me a polo shirt with short sleeves and stretch fabric. pick something in sundress color.", "attributes": ["moisture wicking", "water resistant", "machine wash", "stretch fabric", "button closure", "short sleeve"], "options": ["color: sundress", "size: 6x-large big"], "instruction_attributes": ["stretch fabric", "short sleeve"], "instruction_options": ["sundress"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZRPHSL", "worker_id": "A1NF6PELRKACS9"}], "B01MR0TR0P": [{"asin": "B01MR0TR0P", "instruction": "i would like a long lasting perfume.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOFNW1E", "worker_id": "A1WS884SI0SLO4"}], "B00PQFK67G": [{"asin": "B00PQFK67G", "instruction": "find me a regular fit machine washable cargo pants with buttoned closure in 6057 apricot color and 29 size.", "attributes": ["straight leg", "machine wash", "regular fit", "button closure"], "options": ["color: 6057 apricot", "size: 29"], "instruction_attributes": ["machine wash", "regular fit", "button closure"], "instruction_options": ["6057 apricot", "29"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFRX0TJ", "worker_id": "A3AYHESLQSDY5T"}], "B07BZ2ZRFY": [{"asin": "B07BZ2ZRFY", "instruction": "i would like six bags of 3.25 ounce traditional snack mix that is low in sodium.", "attributes": ["low sodium", "protein serving", "low fat", "resealable bag"], "options": ["flavor name: traditional snack mix", "size: 3.25 ounce (6 pack)"], "instruction_attributes": ["low sodium"], "instruction_options": ["traditional snack mix", "3.25 ounce (6 pack)"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UUQJ60", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07BZ2ZRFY", "instruction": "i am looking for 6 pack of size 6 ounce snack mix resealable bag.", "attributes": ["low sodium", "protein serving", "low fat", "resealable bag"], "options": ["flavor name: wasabi spicy snack mix", "size: 6 ounce (6 pack)"], "instruction_attributes": ["resealable bag"], "instruction_options": ["6 ounce (6 pack)"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YQL691", "worker_id": "A1Q8PPQQCWGY0D"}], "B002WK1FC8": [{"asin": "B002WK1FC8", "instruction": "i would like a #8 foundation for sensitive skin.", "attributes": ["oil free", "long lasting", "sensitive skin"], "options": ["color: 8"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["8"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40IONXW", "worker_id": "A1WS884SI0SLO4"}], "B082CP4B4M": [{"asin": "B082CP4B4M", "instruction": "i am looking for heavy duty bed frame of black color.", "attributes": ["lead free", "long lasting", "heavy duty", "box spring", "storage space"], "options": ["color: black", "size: full"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LIU5IU", "worker_id": "A3FG5PQHG5AH3Y"}], "B09BC5LJG5": [{"asin": "B09BC5LJG5", "instruction": "i am looking for a dark gray color steel coated bar stool with adjustable height option.", "attributes": ["height adjustable", "coated steel", "steel frame"], "options": ["color: dark gray"], "instruction_attributes": ["height adjustable", "coated steel"], "instruction_options": ["dark gray"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALBQH4I", "worker_id": "A1V2JTEEBCXR20"}], "B08C6YC9F9": [{"asin": "B08C6YC9F9", "instruction": "i am looking for heavy duty clear glass spray bottles that are easy to clean.", "attributes": ["heavy duty", "easy clean"], "options": ["color: clear"], "instruction_attributes": ["heavy duty", "easy clean"], "instruction_options": ["clear"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OUSYEV", "worker_id": "A1EREKSZAA9V7B"}], "B000KPVX0G": [{"asin": "B000KPVX0G", "instruction": "i'm looking for hair coloring products for permanent hair.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 4sm dark soft mahogany brown", "size: pack of 3"], "instruction_attributes": ["permanent hair", "hair dye"], "instruction_options": ["pack of 3"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K71128", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B000KPVX0G", "instruction": "i would like a three pack of hair color that is long lasting and comes in a pack of three that are brown.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 5 medium brown", "size: pack of 3"], "instruction_attributes": ["long lasting"], "instruction_options": ["5 medium brown", "pack of 3"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FKGD31", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SV52TDY": [{"asin": "B09SV52TDY", "instruction": "i need a high quality refillable spray bottle of 50 ml size. and i choose the black one", "attributes": ["leak proof", "high quality"], "options": ["color: b", "size: 50ml"], "instruction_attributes": ["high quality"], "instruction_options": ["b", "50ml"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R8BSKI", "worker_id": "A2COCSUGZV28X"}], "B08XJ2PT2C": [{"asin": "B08XJ2PT2C", "instruction": "i'm looking for a skull king barber cape with hook sucker.", "attributes": ["water resistant", "hair cutting"], "options": ["color: starry sky 5"], "instruction_attributes": ["hair cutting"], "instruction_options": ["starry sky 5"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HQNWOR", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07SG6973V": [{"asin": "B07SG6973V", "instruction": "i am looking for a double sided pocket mirror with a watercolor flower pattern.", "attributes": ["double sided", "rose gold"], "options": ["pattern name: watercolor flower"], "instruction_attributes": ["double sided"], "instruction_options": ["watercolor flower"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0OE8J7", "worker_id": "AJDQGOTMB2D80"}], "B00XREG27G": [{"asin": "B00XREG27G", "instruction": "i want high heel lace closure black color women's pump size: 7.5", "attributes": ["lace closure", "high heel"], "options": ["color: black | black", "size: 7.5"], "instruction_attributes": ["lace closure", "high heel"], "instruction_options": [], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNBI10T", "worker_id": "A3N9ZYQAESNFQH"}], "B0757Y3MF9": [{"asin": "B0757Y3MF9", "instruction": "i am looking for high quality tea tree essential face oil, 4 fl oz (pack of 1)", "attributes": ["high quality", "tea tree"], "options": ["scent: tea tree", "size: 4 fl oz (pack of 1)"], "instruction_attributes": ["high quality"], "instruction_options": ["tea tree", "4 fl oz (pack of 1)"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA2R8A0", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B0757Y3MF9", "instruction": "i would like a small bottle of grapefruit high quality face oil.", "attributes": ["high quality", "tea tree"], "options": ["scent: grapefruit", "size: small"], "instruction_attributes": ["high quality"], "instruction_options": ["grapefruit", "small"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFGA5U1", "worker_id": "A1WS884SI0SLO4"}], "B0747Y61RC": [{"asin": "B0747Y61RC", "instruction": "i need a plant based tea tree face cream for sensitive skin.", "attributes": ["plant based", "tea tree", "seed oil", "dry skin", "sensitive skin"], "options": [""], "instruction_attributes": ["plant based", "tea tree", "sensitive skin"], "instruction_options": [], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC3DKU3", "worker_id": "A1NF6PELRKACS9"}], "B098XG9Y6C": [{"asin": "B098XG9Y6C", "instruction": "looking for pet foam bottle that is easy to carry also choose in 60ml", "attributes": ["easy carry", "fine mist"], "options": ["color: b", "size: 60 ml"], "instruction_attributes": ["easy carry"], "instruction_options": ["60 ml"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTU99P6", "worker_id": "A10OGH5CQBXL5N"}], "B076WNJLLV": [{"asin": "B076WNJLLV", "instruction": "need a 10ft cable usb with rs422/rs485 port", "attributes": ["high speed", "usb port"], "options": ["size: 10ft"], "instruction_attributes": ["usb port"], "instruction_options": ["10ft"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YR58TE", "worker_id": "A2Y2TURT2VEYZN"}], "B095Y62XPR": [{"asin": "B095Y62XPR", "instruction": "i need a double sided sharpening strap", "attributes": ["double sided", "easy use", "high quality"], "options": [""], "instruction_attributes": ["double sided"], "instruction_options": [], "assignment_id": "3HSYG7LRBU82VUVD7MHAI53YAE4KKZ", "worker_id": "A2Y2TURT2VEYZN"}], "B0792T5STF": [{"asin": "B0792T5STF", "instruction": "i'm looking for a plant based protein drink that should be free from soy, gluten and dairy.", "attributes": ["non gmo", "low sugar", "soy free", "plant based", "dairy free", "gluten free"], "options": [""], "instruction_attributes": ["soy free", "plant based", "dairy free", "gluten free"], "instruction_options": [], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3S9EG3Q", "worker_id": "AR0VJ5XRG16UJ"}], "B09HGNFL8G": [{"asin": "B09HGNFL8G", "instruction": "i am looking for a gluten free jerky", "attributes": ["grass fed", "artificial ingredients", "gluten free", "high protein", "zero sugar"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UUKY0D", "worker_id": "A9QRQL9CFJBI7"}], "B07VC8W1NG": [{"asin": "B07VC8W1NG", "instruction": "i am looking for a set of 7.4 inch size white lead free dessert salad plate which is easy to clean.", "attributes": ["easy clean", "lead free", "white item"], "options": ["color: navy", "size: 7.4 inch"], "instruction_attributes": ["easy clean", "lead free", "white item"], "instruction_options": ["7.4 inch"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OW2EYP", "worker_id": "A1V2JTEEBCXR20"}], "B096FH3W7S": [{"asin": "B096FH3W7S", "instruction": "i want an easy to use tongue cleaner for eliminating bad breath.", "attributes": ["easy use", "bad breath", "oral hygiene"], "options": [""], "instruction_attributes": ["easy use", "bad breath"], "instruction_options": [], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL45AEF", "worker_id": "A1NF6PELRKACS9"}], "B08Z8JGF5M": [{"asin": "B08Z8JGF5M", "instruction": "i need open toe sandles in red color for a teenage girl.", "attributes": ["open toe", "ankle strap", "teen girls"], "options": ["color: z5-red", "size: 8.5"], "instruction_attributes": ["open toe", "teen girls"], "instruction_options": ["z5-red"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU11LA8", "worker_id": "A1NF6PELRKACS9"}], "B09CMKSM4V": [{"asin": "B09CMKSM4V", "instruction": "i am looking for a white item coffee tables for living room", "attributes": ["white item", "easy install", "easy assemble", "storage space", "living room"], "options": [""], "instruction_attributes": ["white item", "living room"], "instruction_options": [], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQYQB41", "worker_id": "A9QRQL9CFJBI7"}], "B0828WMRFX": [{"asin": "B0828WMRFX", "instruction": "i am looking for a blue usb port cables", "attributes": ["fast charging", "usb port"], "options": ["color: blue"], "instruction_attributes": ["usb port"], "instruction_options": ["blue"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGDUSMB", "worker_id": "A9QRQL9CFJBI7"}], "B0982X1NJN": [{"asin": "B0982X1NJN", "instruction": "i want a medium sized mini dress that is loose fit. it must be in navy blue color.", "attributes": ["loose fit", "machine wash", "polyester spandex"], "options": ["color: navy blue", "size: medium"], "instruction_attributes": ["loose fit"], "instruction_options": ["navy blue", "medium"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZJBKMG", "worker_id": "A1NF6PELRKACS9"}], "B07HQWQSHF": [{"asin": "B07HQWQSHF", "instruction": "i am looking for high resolution television", "attributes": ["blu ray", "certified refurbished", "ultra hd", "high resolution", "high performance"], "options": [""], "instruction_attributes": ["high resolution"], "instruction_options": [], "assignment_id": "33TIN5LC0FKDY31374RC144TXXAY9J", "worker_id": "A16M39T60N60NO"}], "B08W1GXSRS": [{"asin": "B08W1GXSRS", "instruction": "i'm looking for skin care for sensitive for men's scent citron and driftwood and coconut water.", "attributes": ["non toxic", "cruelty free", "natural ingredients", "sensitive skin"], "options": ["scent: citron + driftwood and coconut water + sandalwood", "size: 3.4 ounce (pack of 2)"], "instruction_attributes": ["non toxic", "natural ingredients", "sensitive skin"], "instruction_options": ["citron + driftwood and coconut water + sandalwood"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB3K5YW", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08W1GXSRS", "instruction": "i need men's non toxic deororizing body spray for sensitive skin. get the 2pack 3.4 ounce size.", "attributes": ["non toxic", "cruelty free", "natural ingredients", "sensitive skin"], "options": ["scent: variety trio pack", "size: 3.4 ounce (pack of 2)"], "instruction_attributes": ["non toxic", "sensitive skin"], "instruction_options": ["3.4 ounce (pack of 2)"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL2EAEK", "worker_id": "A31PW970Z2PC5P"}], "B010T6TQRW": [{"asin": "B010T6TQRW", "instruction": "find me a yellow quick drying sarong wrap.", "attributes": ["machine wash", "quick drying"], "options": ["color: yellow_ad412"], "instruction_attributes": ["quick drying"], "instruction_options": ["yellow_ad412"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPI3VQO", "worker_id": "A1NF6PELRKACS9"}], "B09K44ZHBG": [{"asin": "B09K44ZHBG", "instruction": "i am ordering best dad ever coach fleece throw with super soft features.", "attributes": ["super soft", "fleece throw"], "options": ["color: best dad ever 3", "size: medium 60x50in\uff08travel\uff09 teens"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["best dad ever 3"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFC0VLJ", "worker_id": "AHU9OLV0YKIIW"}], "B07N3YYYQB": [{"asin": "B07N3YYYQB", "instruction": "i am looking for mini computer. it must have 16gb ram,512gd ssd hard disk and core i5 processor.", "attributes": ["core i5", "intel core"], "options": ["color: i3 7167u", "size: 16g ram 512g ssd 1tb hdd"], "instruction_attributes": ["core i5"], "instruction_options": ["16g ram 512g ssd 1tb hdd"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINT0275", "worker_id": "A3FG5PQHG5AH3Y"}], "B07FMR71D7": [{"asin": "B07FMR71D7", "instruction": "i'm looking for engineered wood for living room furniture. it was white finish color furniture.", "attributes": ["assembly required", "white finish", "engineered wood", "living room"], "options": [""], "instruction_attributes": ["white finish", "engineered wood"], "instruction_options": [], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R1V7WU", "worker_id": "A16IQOX0DK14OJ"}], "B09S2RRH1W": [{"asin": "B09S2RRH1W", "instruction": "i buy a 3pcs natural hair", "attributes": ["hair growth", "hair loss", "damaged hair", "natural hair"], "options": ["color: 3pcs"], "instruction_attributes": ["natural hair"], "instruction_options": ["3pcs"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6GBEVT", "worker_id": "A226L9F2AZ38CL"}], "B07GTJ1B7J": [{"asin": "B07GTJ1B7J", "instruction": "i am looking for a high definition filter set with carrying case. it should be easy to install.", "attributes": ["easy install", "high definition", "carrying case"], "options": [""], "instruction_attributes": ["easy install", "high definition", "carrying case"], "instruction_options": [], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQUJB54", "worker_id": "A9ZM1P6LBW79"}], "B09NQ63BJV": [{"asin": "B09NQ63BJV", "instruction": "i'm looking for quality materials it was daily wear and need to buy it.", "attributes": ["quality materials", "high waist", "long sleeve", "daily wear"], "options": ["color: a4-colorful", "size: x-large"], "instruction_attributes": ["quality materials", "long sleeve", "daily wear"], "instruction_options": ["a4-colorful"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZC6UWX", "worker_id": "A16IQOX0DK14OJ"}], "B004YG7LA8": [{"asin": "B004YG7LA8", "instruction": "looking for yellow aaa battery in pack of 2", "attributes": ["batteries included", "easy use", "aaa batteries"], "options": ["color: yellow", "size: 2 pack"], "instruction_attributes": ["aaa batteries"], "instruction_options": ["yellow", "2 pack"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8IDZNW", "worker_id": "A2Y2TURT2VEYZN"}], "B09J8N49YH": [{"asin": "B09J8N49YH", "instruction": "i need some colorful wall dividers to arrange my living room for a holiday.", "attributes": ["assembly required", "easy clean", "living room"], "options": ["color: color15"], "instruction_attributes": ["assembly required", "living room"], "instruction_options": ["color15"], "assignment_id": "33TIN5LC0FKDY31374RC144TXYUY95", "worker_id": "A19317A3X87NVM"}], "B086PW7TWX": [{"asin": "B086PW7TWX", "instruction": "i need some gourmet dining room curtains at around 52 inch width.", "attributes": ["eco friendly", "machine washable", "dining room"], "options": ["size: 52x90in"], "instruction_attributes": ["dining room"], "instruction_options": ["52x90in"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEWZUU2", "worker_id": "A19317A3X87NVM"}], "B00IJGQS30": [{"asin": "B00IJGQS30", "instruction": "i'm looking for a blu ray dvd player with wifi support", "attributes": ["ultra hd", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5SL5FQ", "worker_id": "A258PTOZ3D2TQR"}], "B06XGBZQPY": [{"asin": "B06XGBZQPY", "instruction": "buy me a contemporary style tempered glass arm chair in white grey color.", "attributes": ["white item", "contemporary style", "tempered glass"], "options": ["color: white gray", "style: armchair"], "instruction_attributes": ["contemporary style", "tempered glass"], "instruction_options": ["white gray", "armchair"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK46B6AK", "worker_id": "A3AYHESLQSDY5T"}], "B09B9RHZ1K": [{"asin": "B09B9RHZ1K", "instruction": "i'm looking for steel toe blue in color it was easy to use.", "attributes": ["non slip", "steel toe"], "options": ["color: blue", "size: 40eu"], "instruction_attributes": ["steel toe"], "instruction_options": ["blue"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0TCCAA", "worker_id": "A16IQOX0DK14OJ"}], "B09KBTRC6L": [{"asin": "B09KBTRC6L", "instruction": "i am looking for an easy install home office chair with lumbar support. i would prefer a grey colored one.", "attributes": ["easy install", "lumbar support", "pu leather"], "options": ["color: grey", "style: mia"], "instruction_attributes": ["easy install", "lumbar support"], "instruction_options": ["grey"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2SFM5U", "worker_id": "A39VVWV1GHLMFD"}, {"asin": "B09KBTRC6L", "instruction": "i want to find a yellow cle gaming chair that is easy to install.", "attributes": ["easy install", "lumbar support", "pu leather"], "options": ["color: yellow", "style: cle"], "instruction_attributes": ["easy install"], "instruction_options": ["yellow", "cle"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWY41R8", "worker_id": "A345TDMHP3DQ3G"}], "B081TWKZMC": [{"asin": "B081TWKZMC", "instruction": "i'm looking for a machine washable men's shorts made of nylon spandex stretchable fabric with imported zipper. also choose 32 sized dark ash colored one.", "attributes": ["moisture wicking", "machine wash", "stretch fabric", "nylon spandex", "imported zipper"], "options": ["color: dark ash", "size: 32"], "instruction_attributes": ["machine wash", "stretch fabric", "nylon spandex", "imported zipper"], "instruction_options": ["dark ash", "32"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKTKJMN", "worker_id": "AR0VJ5XRG16UJ"}], "B08P4F727V": [{"asin": "B08P4F727V", "instruction": "i am looking for tv stand made of tempered glass that has fww color. and i would go for a size of 63\u201dwx17.7\u201d h x13.78\u201d d", "attributes": ["high gloss", "tempered glass", "storage space"], "options": ["color: fww", "size: 63\u201dwx17.7\u201d h x13.78\u201d d"], "instruction_attributes": ["tempered glass"], "instruction_options": ["fww", "63\u201dwx17.7\u201d h x13.78\u201d d"], "assignment_id": "3N8OEVH1F204BC17361WW31GEOIOO1", "worker_id": "A2COCSUGZV28X"}, {"asin": "B08P4F727V", "instruction": "i am searching for a high gloss tv stand with additional storage space. also, choose an ob color.", "attributes": ["high gloss", "tempered glass", "storage space"], "options": ["color: ob", "size: 41.34\u201dwx11.81\u201d d x16.93\u201d h"], "instruction_attributes": ["high gloss", "storage space"], "instruction_options": ["ob"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQM513P", "worker_id": "A9ZM1P6LBW79"}, {"asin": "B08P4F727V", "instruction": "looking for high gloss storage space tv stand with led lights also choose colour black brown", "attributes": ["high gloss", "tempered glass", "storage space"], "options": ["color: brown black", "size: 63\u201dwx17.7\u201d h x13.78\u201d d"], "instruction_attributes": ["high gloss", "storage space"], "instruction_options": ["brown black"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALDKH4G", "worker_id": "A10OGH5CQBXL5N"}], "B085RCLWW3": [{"asin": "B085RCLWW3", "instruction": "i am looking for large jar candles of soy wax.", "attributes": ["soy wax", "clear glass"], "options": ["scent: sheer jasmine", "size: large jar"], "instruction_attributes": ["soy wax"], "instruction_options": ["large jar"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP4PJ7C", "worker_id": "A9QRQL9CFJBI7"}], "B09922XCP2": [{"asin": "B09922XCP2", "instruction": "i am looking a white 1 posters & prints for living room", "attributes": ["easy install", "dining room", "living room"], "options": ["color: white 1", "size: 16x24 inch,(40x60cm)framed"], "instruction_attributes": ["living room"], "instruction_options": ["white 1"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z6KXGG", "worker_id": "A9QRQL9CFJBI7"}], "B09JZ84S8D": [{"asin": "B09JZ84S8D", "instruction": "i am looking for a creamy cellular shades for living room", "attributes": ["easy install", "living room"], "options": ["color: creamy", "size: 37\"w x 48\"h"], "instruction_attributes": ["living room"], "instruction_options": ["creamy"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJNV0WT", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09JZ84S8D", "instruction": "i need creamy shades for the living room.", "attributes": ["easy install", "living room"], "options": ["color: creamy", "size: 26\"w x 66\"h"], "instruction_attributes": ["living room"], "instruction_options": ["creamy"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSLTQ2W", "worker_id": "A2ECRNQ3X5LEXD"}], "B09G396CFQ": [{"asin": "B09G396CFQ", "instruction": "i'm looking for spa stainless steel tool for hair salon.", "attributes": ["stainless steel", "hair salon"], "options": ["color: grey", "size: b"], "instruction_attributes": ["stainless steel", "hair salon"], "instruction_options": ["grey"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX93FC4", "worker_id": "A16IQOX0DK14OJ"}], "B09H6M5Q21": [{"asin": "B09H6M5Q21", "instruction": "i am looking for a super soft blankets & throws of 40\u201cx30 \" xsmall for pets.", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: retro deep sea animal ocean whale", "size: 40\u201cx30 \" xsmall for pets"], "instruction_attributes": ["super soft"], "instruction_options": ["40\u201cx30 \" xsmall for pets"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU50LRR", "worker_id": "A9QRQL9CFJBI7"}], "B087LNDPNV": [{"asin": "B087LNDPNV", "instruction": "i am looking for stainless steel grooming set", "attributes": ["easy clean", "stainless steel", "rose gold"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTJ64D5", "worker_id": "A16M39T60N60NO"}], "B08DCX4XGP": [{"asin": "B08DCX4XGP", "instruction": "i need daily wear white c large hoodie, which has a loose fit and made of polyester cotton.", "attributes": ["loose fit", "polyester cotton", "daily wear"], "options": ["color: white c", "size: large"], "instruction_attributes": ["loose fit", "polyester cotton", "daily wear"], "instruction_options": ["white c", "large"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMH0FB7K", "worker_id": "ASWFLI3N8X72G"}], "B09BC6FBG9": [{"asin": "B09BC6FBG9", "instruction": "i am looking for a wireless portable bluetooth speakers", "attributes": ["high definition", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR7F0CM", "worker_id": "A9QRQL9CFJBI7"}], "B06XRW3SYB": [{"asin": "B06XRW3SYB", "instruction": "i am looking for a 3x scrub bottoms for day comfort", "attributes": ["day comfort", "drawstring closure"], "options": ["color: fuchsia utility", "size: 3x"], "instruction_attributes": ["day comfort"], "instruction_options": ["3x"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P76SVSH", "worker_id": "A9QRQL9CFJBI7"}], "B085LS1KZ7": [{"asin": "B085LS1KZ7", "instruction": "i am looking for a hairpiece made up of synthetic hair. also choose swedish blonde hair color one.", "attributes": ["synthetic hair", "natural hair"], "options": ["color: r22 swedish blonde"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["r22 swedish blonde"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKSH7V8", "worker_id": "A2HMEGTAFO0CS8"}], "B09PHGZSC7": [{"asin": "B09PHGZSC7", "instruction": "i am in need of loose hip-hop blue color, x-large sized women's sweatpants that is fit for machine wash.", "attributes": ["machine wash", "unique design"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["blue", "x-large"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRTK2YJ", "worker_id": "A258PTOZ3D2TQR"}], "B099KD34N9": [{"asin": "B099KD34N9", "instruction": "i'm looking for natural ingredients for hair removal.", "attributes": ["high quality", "natural ingredients", "stainless steel", "hair removal"], "options": [""], "instruction_attributes": ["natural ingredients", "hair removal"], "instruction_options": [], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LCF1OW", "worker_id": "A16IQOX0DK14OJ"}], "B08P2RDV24": [{"asin": "B08P2RDV24", "instruction": "i'm looking for a long lasting scented candles made of soy wax.", "attributes": ["long lasting", "soy wax"], "options": [""], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": [], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQD0SQ5", "worker_id": "AR0VJ5XRG16UJ"}], "B0912VD9CH": [{"asin": "B0912VD9CH", "instruction": "i need a gift set of gourmet collection spices & seasoning blends \u2013 hot & spicey collection.", "attributes": ["gift set", "perfect gift"], "options": ["flavor name: hot & spicey"], "instruction_attributes": ["gift set"], "instruction_options": ["hot & spicey"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRYFJXK", "worker_id": "A1IL2K0ELYI090"}], "B07XPFSCL3": [{"asin": "B07XPFSCL3", "instruction": "i'm looking for seed oil it was certified organic good for skin and flavor was organic peppermint.", "attributes": ["certified organic", "seed oil"], "options": ["flavor name: organic peppermint", "size: single flavor - 3 pack"], "instruction_attributes": ["certified organic", "seed oil"], "instruction_options": ["organic peppermint"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPZSPJO", "worker_id": "A16IQOX0DK14OJ"}], "B082W4WNM7": [{"asin": "B082W4WNM7", "instruction": "i'm looking for wheat color kitchen rugs it easy clean.", "attributes": ["non slip", "easy clean", "living room"], "options": ["color: wheat", "size: 17\"x29\"+17\"x59\""], "instruction_attributes": ["easy clean"], "instruction_options": ["wheat"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXXSMYJ", "worker_id": "A16IQOX0DK14OJ"}], "B094P1NHW8": [{"asin": "B094P1NHW8", "instruction": "i am looking for a high definition mirrorless digital camera with optical zoom.", "attributes": ["high definition", "optical zoom"], "options": [""], "instruction_attributes": ["high definition", "optical zoom"], "instruction_options": [], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIVW9T9", "worker_id": "A1EREKSZAA9V7B"}], "B09SPXZF48": [{"asin": "B09SPXZF48", "instruction": "show me a butt lifting tummy controlling high waisted green legging in medium size.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: z05 green", "size: medium"], "instruction_attributes": ["butt lifting", "tummy control", "high waist"], "instruction_options": ["z05 green", "medium"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTUFP9S", "worker_id": "A3AYHESLQSDY5T"}], "B08FMTLWH5": [{"asin": "B08FMTLWH5", "instruction": "in the tools & home improvement department, i am looking for matte black 24 inch vanity light using 14w led 3000k metal wall sconce (modern) that is easy to install, in the color of cool white 6000k.", "attributes": ["easy install", "vanity light", "light fixture"], "options": ["color: cool white 6000k", "size: 15.75 inch"], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": ["cool white 6000k"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X91FR3", "worker_id": "A3RGIKEI8JS2QG"}], "B07BMLMXPP": [{"asin": "B07BMLMXPP", "instruction": "i'm looking for a real fruit bitters with zero sugar. also, choose a pack of 2 weights 32 ounce each with cranberry punch flavored one.", "attributes": ["low sugar", "zero sugar", "real fruit"], "options": ["flavor: cranberry punch", "size: 2pack - 32 ounce ea."], "instruction_attributes": ["zero sugar", "real fruit"], "instruction_options": ["cranberry punch", "2pack - 32 ounce ea."], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT19P3D", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B07BMLMXPP", "instruction": "i'm looking for margarita low sugared real fruit needed.", "attributes": ["low sugar", "zero sugar", "real fruit"], "options": ["flavor: margarita", "size: 6pack - 32 ounce ea."], "instruction_attributes": ["low sugar", "zero sugar", "real fruit"], "instruction_options": ["margarita"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35NFUGV", "worker_id": "A16IQOX0DK14OJ"}], "B0861RQNRM": [{"asin": "B0861RQNRM", "instruction": "i am looking for gluten free sesame edamame bean and nut snack mix in creole flavor, 1.25 ounce (pack of 18)", "attributes": ["protein serving", "non gmo", "gluten free"], "options": ["flavor name: creole", "size: 1.25 ounce (pack of 18)"], "instruction_attributes": ["gluten free"], "instruction_options": ["creole", "1.25 ounce (pack of 18)"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6FAUP9", "worker_id": "A258PTOZ3D2TQR"}], "B09BHZYWDG": [{"asin": "B09BHZYWDG", "instruction": "i am looking for tempered glass screen protector, color should be navy-n10", "attributes": ["glass screen", "tempered glass"], "options": ["color: navy-n10"], "instruction_attributes": ["tempered glass"], "instruction_options": ["navy-n10"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA5C8C2", "worker_id": "A258PTOZ3D2TQR"}], "B07XY4XNQW": [{"asin": "B07XY4XNQW", "instruction": "i am looking for a 1blue & 1green & 1orange with noaa | usb charger | usb cable | battery | lanyard color of two-way radios which is easy to use", "attributes": ["hands free", "easy use"], "options": ["color: 1blue & 1green & 1orange with noaa | usb charger | usb cable | battery | lanyard", "size: 3 or 4 pack"], "instruction_attributes": ["easy use"], "instruction_options": ["3 or 4 pack"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XS3NGF", "worker_id": "A9QRQL9CFJBI7"}], "B08223P86V": [{"asin": "B08223P86V", "instruction": "i would like a medium sized blue windbreaker to keep me warm in the winter.", "attributes": ["winter warm", "quick drying"], "options": ["color: blue", "size: medium"], "instruction_attributes": ["winter warm"], "instruction_options": ["blue", "medium"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFTLT04", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08223P86V", "instruction": "i need a red jacket that is quick drying and in an x-small.", "attributes": ["winter warm", "quick drying"], "options": ["color: red", "size: x-small"], "instruction_attributes": ["quick drying"], "instruction_options": ["red", "x-small"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YXYHEW", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PTBY841": [{"asin": "B09PTBY841", "instruction": "i am looking for a women's small long sleeve jumpsuit.", "attributes": ["wide leg", "slim fit", "long sleeve", "high waist"], "options": ["color: wine", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0TSW5S", "worker_id": "A1EREKSZAA9V7B"}], "B07TTC374M": [{"asin": "B07TTC374M", "instruction": "i'm looking for double sided hair extensions for hair care accessories.", "attributes": ["double sided", "high quality", "hair extensions"], "options": ["color: #ba2 | 60", "size: 22 inch"], "instruction_attributes": ["double sided", "hair extensions"], "instruction_options": ["#ba2 | 60"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPA1OR7", "worker_id": "A16IQOX0DK14OJ"}], "B097PMDGCJ": [{"asin": "B097PMDGCJ", "instruction": "i am looking for a silver non slip hair clip for hair styling.", "attributes": ["non slip", "hair styling"], "options": ["color: silver", "size: 2.75 inch"], "instruction_attributes": ["non slip", "hair styling"], "instruction_options": ["silver"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WR7WQ1", "worker_id": "AHU9OLV0YKIIW"}], "B075WXTQW8": [{"asin": "B075WXTQW8", "instruction": "i'm looking for gluten free snack crackers in 4.25 ounce pack.", "attributes": ["grain free", "gluten free", "shelf stable", "plant based", "non gmo", "simple ingredients"], "options": ["size: 4.25 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["4.25 ounce (pack of 1)"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K6R21X", "worker_id": "A20DUVEOH6A7KW"}], "B097BBYP9G": [{"asin": "B097BBYP9G", "instruction": "i am looking for 4 colors eye shadow.", "attributes": ["easy apply", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU48232PYJ", "worker_id": "A3FG5PQHG5AH3Y"}], "B082WX621J": [{"asin": "B082WX621J", "instruction": "i am looking for a high performance smart watch for unisex with water resistant. also choose 42mm face size and pearl white color.", "attributes": ["water resistant", "light weight", "high performance", "stainless steel"], "options": ["color: pearl white", "size: 42mm | 44mm | 45mm"], "instruction_attributes": ["water resistant", "high performance"], "instruction_options": ["pearl white", "42mm | 44mm | 45mm"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT8137K", "worker_id": "A2HMEGTAFO0CS8"}], "B09B3NWZTV": [{"asin": "B09B3NWZTV", "instruction": "i'm looking for a hair roller for hair styling, it should be easy to use. also, choose 2.8 *2 inch pink colored one.", "attributes": ["easy use", "hair styling", "dry hair"], "options": ["color: 2.8x2inch-pink"], "instruction_attributes": ["easy use", "hair styling"], "instruction_options": ["2.8x2inch-pink"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYOXQ9C", "worker_id": "AR0VJ5XRG16UJ"}], "B09M64JZCL": [{"asin": "B09M64JZCL", "instruction": "i am looking for a overall cover with tempered glass screen protector for my apple watch, preferably in rose gold color", "attributes": ["compatible apple", "easy install", "glass screen", "tempered glass", "wireless charging"], "options": ["color: rose gold | silver | midnight blue | clear", "size: 45mm"], "instruction_attributes": ["compatible apple", "tempered glass"], "instruction_options": ["rose gold | silver | midnight blue | clear"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4DOSBI", "worker_id": "A14BSOU2Y5JNT0"}], "B07QGVJ9HV": [{"asin": "B07QGVJ9HV", "instruction": "i need a high heeled sandals of 6.5 size for daily use . and please get me the gold-2 one", "attributes": ["open toe", "ankle strap", "high heel"], "options": ["color: gold-2", "size: 6.5"], "instruction_attributes": ["high heel"], "instruction_options": ["gold-2", "6.5"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YRT8T2", "worker_id": "A2COCSUGZV28X"}], "B09MTQBBZV": [{"asin": "B09MTQBBZV", "instruction": "i need to buy some gold cupcake toppers for a birthday party.", "attributes": ["party supplies", "birthday party"], "options": ["pattern name: gold 60"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold 60"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY3PJ4K", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09MTQBBZV", "instruction": "i would like a gold 35 cupcake topper for a birthday party.", "attributes": ["party supplies", "birthday party"], "options": ["pattern name: gold 35"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold 35"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98VJYKI", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09MTQBBZV", "instruction": "i'm looking for pack of 24 happy 75th birthday party supplies.", "attributes": ["party supplies", "birthday party"], "options": ["pattern name: gold 15"], "instruction_attributes": ["party supplies"], "instruction_options": ["gold 15"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQJ1KEC", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B09MTQBBZV", "instruction": "i want to find gold cupcake toppers that i can use for a birthday party.", "attributes": ["party supplies", "birthday party"], "options": ["pattern name: gold 70"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold 70"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQHG91L", "worker_id": "A345TDMHP3DQ3G"}], "B0792KXFRV": [{"asin": "B0792KXFRV", "instruction": "i looking a gluten free food and beverage gift pack for dinner party", "attributes": ["gluten free", "perfect gift"], "options": ["flavor name: dinner party"], "instruction_attributes": ["gluten free"], "instruction_options": ["dinner party"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCWV46N", "worker_id": "A3N9ZYQAESNFQH"}], "B07L738NLT": [{"asin": "B07L738NLT", "instruction": "i would like a pair of midnight green earbud headphones made of aluminum alloy.", "attributes": ["carbon fiber", "aluminum alloy"], "options": ["color: midnight green"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["midnight green"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6K5B2G", "worker_id": "A1WS884SI0SLO4"}], "B092BYZSWK": [{"asin": "B092BYZSWK", "instruction": "i am looking for a organic and gluten free almond nut butter with kosher certified. also choose chocolate favor and 4-pack size.", "attributes": ["certified organic", "gluten free", "soy free", "kosher certified", "dairy free", "non gmo"], "options": ["flavor name: chocolate hazelnut", "size: 4 pack"], "instruction_attributes": ["certified organic", "gluten free", "kosher certified"], "instruction_options": ["chocolate hazelnut", "4 pack"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q73GH9Q", "worker_id": "A2HMEGTAFO0CS8"}], "B01AR9V9HG": [{"asin": "B01AR9V9HG", "instruction": "i'm looking for furniture it was in living room the color was pastel blue.", "attributes": ["easy install", "living room"], "options": ["color: 07.pastel_blue", "size: w70 1 | 2 x h47 (inch)"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["07.pastel_blue"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163U1PQW", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01AR9V9HG", "instruction": "i would like a 44 inch wide and 47 inch tall caramel roller shade for the living room.", "attributes": ["easy install", "living room"], "options": ["color: 13.caramel", "size: w44 1 | 2 x h47 (inch)"], "instruction_attributes": ["living room"], "instruction_options": ["13.caramel", "w44 1 | 2 x h47 (inch)"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMFRXDV", "worker_id": "A1WS884SI0SLO4"}], "B06XP49SRM": [{"asin": "B06XP49SRM", "instruction": "i would like a 3.5 ounce variety pack of pretzels that are nut free.", "attributes": ["non gmo", "nut free", "artificial flavors"], "options": ["flavor name: variety pack (100 calorie)", "size: 3.5 ounce (pack of 6)"], "instruction_attributes": ["nut free"], "instruction_options": ["variety pack (100 calorie)", "3.5 ounce (pack of 6)"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH37BOSE7", "worker_id": "A1WS884SI0SLO4"}], "B0963LPXT6": [{"asin": "B0963LPXT6", "instruction": "i'm looking for black elastic waistband for need to use it.", "attributes": ["water resistant", "moisture wicking", "elastic waistband"], "options": ["color: black - 3 inch", "size: medium"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUH65SY", "worker_id": "A16IQOX0DK14OJ"}], "B09G5WH3PR": [{"asin": "B09G5WH3PR", "instruction": "i am looking for a natural wood color floor lamps for living room", "attributes": ["easy install", "wood finish", "solid wood", "living room"], "options": ["color: natural wood color"], "instruction_attributes": ["living room"], "instruction_options": ["natural wood color"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HZPD1U", "worker_id": "A9QRQL9CFJBI7"}], "B09LHMWNW1": [{"asin": "B09LHMWNW1", "instruction": "i am looking for carplay ips touchscreen mirror link with 4 crore wifi 1g+16g", "attributes": ["hands free", "plug play"], "options": ["color: 4 core wifi 1g+16g"], "instruction_attributes": ["plug play"], "instruction_options": ["4 core wifi 1g+16g"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUEADZR", "worker_id": "A16M39T60N60NO"}], "B08HH984SX": [{"asin": "B08HH984SX", "instruction": "i'm looking for green backdrop stand for digital photography", "attributes": ["heavy duty", "carrying case", "aluminum alloy", "digital photography"], "options": ["color: green"], "instruction_attributes": ["digital photography"], "instruction_options": ["green"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR02524KAE", "worker_id": "A2Y2TURT2VEYZN"}], "B09DYH3Y15": [{"asin": "B09DYH3Y15", "instruction": "i want highly pigmented easy apply easy carry face foundation color: white+red+black", "attributes": ["highly pigmented", "easy apply", "easy carry"], "options": ["color: white+red+black stick"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "351SEKWQSBRP7CP60H83T50CFA6DMO", "worker_id": "A3N9ZYQAESNFQH"}], "B00FZGYP1O": [{"asin": "B00FZGYP1O", "instruction": "i want a pineapple flavor caffeine free soft drink size :67.6 fl oz", "attributes": ["caffeine free", "natural flavors"], "options": ["flavor name: pineapple", "size: 67.6 fl oz (pack of 1)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["pineapple", "67.6 fl oz (pack of 1)"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAD3IFN", "worker_id": "A3N9ZYQAESNFQH"}], "B09KCMM4TP": [{"asin": "B09KCMM4TP", "instruction": "i am looking for a 2 bottle set of long lasting holographic glitter that is rose gold in color.", "attributes": ["long lasting", "easy use", "high quality", "rose gold"], "options": ["color: #7 rose gold - (2 bottle)"], "instruction_attributes": ["long lasting", "rose gold"], "instruction_options": ["#7 rose gold - (2 bottle)"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q4YDK4", "worker_id": "A1NF6PELRKACS9"}], "B000QDZ6KU": [{"asin": "B000QDZ6KU", "instruction": "i'm looking for soft sandal for habana oiled leather was fully used.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: habana oiled leather", "size: 7 women | 5 men"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["habana oiled leather"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6ECPU4", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B000QDZ6KU", "instruction": "i would like a pair of size 9.5 mocha sandals made of vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: mocha", "size: 9-9.5"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["mocha", "9-9.5"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZGERPA", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000QDZ6KU", "instruction": "i'm looking for a pair of navy sandals for women that are made with vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: navy", "size: 13-13.5 narrow little kid"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["navy"], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLID8KIN", "worker_id": "A2JP9IKRHNLRPI"}], "B0983XCSRL": [{"asin": "B0983XCSRL", "instruction": "i would like a pair of women's 7.5 black sandals with a open toe.", "attributes": ["open toe", "long sleeve", "tummy control"], "options": ["color: p-black", "size: 7.5"], "instruction_attributes": ["open toe"], "instruction_options": ["p-black", "7.5"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGMF0O2", "worker_id": "A1WS884SI0SLO4"}], "B06WWLNF9V": [{"asin": "B06WWLNF9V", "instruction": "i'm looking for lactose it made for sugar cup packets.", "attributes": ["lactose free", "non dairy"], "options": [""], "instruction_attributes": ["lactose free"], "instruction_options": [], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5HQIWK", "worker_id": "A16IQOX0DK14OJ"}], "B09STB36TK": [{"asin": "B09STB36TK", "instruction": "i am looking for a red slim fit robes for men.", "attributes": ["loose fit", "slim fit", "long sleeve", "elastic waist", "regular fit", "short sleeve", "gym workout"], "options": ["color: red", "size: large"], "instruction_attributes": ["slim fit"], "instruction_options": [], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CULFS4K", "worker_id": "A9QRQL9CFJBI7"}], "B07TNYSSM5": [{"asin": "B07TNYSSM5", "instruction": "i am looking for high speed video cable easy use multicolored size:10ft", "attributes": ["high speed", "plug play", "easy use", "high definition"], "options": ["color: multicolored", "size: 10ft"], "instruction_attributes": ["high speed", "easy use"], "instruction_options": ["multicolored", "10ft"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4DYSBS", "worker_id": "A3N9ZYQAESNFQH"}], "B01NAW0D7B": [{"asin": "B01NAW0D7B", "instruction": "i am looking for a medium - large polyester cotton t shirts for men", "attributes": ["polyester cotton", "tumble dry"], "options": ["color: small,oxford gray", "size: medium-large"], "instruction_attributes": ["polyester cotton"], "instruction_options": [], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V1CGFW", "worker_id": "A9QRQL9CFJBI7"}], "B07CXJNH2S": [{"asin": "B07CXJNH2S", "instruction": "i am looking for a water resistant & carrying case bags, cases & sleeves of purple color.", "attributes": ["water resistant", "carrying case"], "options": ["color: purple", "size: 15-15.6 in"], "instruction_attributes": ["water resistant", "carrying case"], "instruction_options": ["purple"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMP2WM4", "worker_id": "A9QRQL9CFJBI7"}], "B09PV119JX": [{"asin": "B09PV119JX", "instruction": "i need a light weight and high resolution background photo for my studio. it should be in a12 color.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a12", "size: 9x6ft | 2.7x1.8m"], "instruction_attributes": ["light weight", "high resolution"], "instruction_options": ["a12"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W9FOUL", "worker_id": "A1NF6PELRKACS9"}], "B07NDKPK27": [{"asin": "B07NDKPK27", "instruction": "i would like a bag of a bpa free bacon snack.", "attributes": ["fully cooked", "bpa free", "shelf stable"], "options": [""], "instruction_attributes": ["bpa free"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTUU9PR", "worker_id": "A1WS884SI0SLO4"}], "B08JCK2419": [{"asin": "B08JCK2419", "instruction": "i want to buy some long lasting black nail polish.", "attributes": ["heavy duty", "long lasting", "nail polish"], "options": ["color: black"], "instruction_attributes": ["long lasting", "nail polish"], "instruction_options": ["black"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINTI27N", "worker_id": "A2YNPKYEFDZ6C9"}], "B09RWKDMQJ": [{"asin": "B09RWKDMQJ", "instruction": "i am hair cutting tool hair clipper accessories color :silver head", "attributes": ["non slip", "hair cutting"], "options": ["color: silver head"], "instruction_attributes": ["hair cutting"], "instruction_options": ["silver head"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GEYZUG", "worker_id": "A3N9ZYQAESNFQH"}], "B09PYD8R4Z": [{"asin": "B09PYD8R4Z", "instruction": "i would like a football temporary tattoo that is easy to apply.", "attributes": ["easy apply", "non toxic", "easy use", "stainless steel"], "options": ["color: football"], "instruction_attributes": ["easy apply"], "instruction_options": ["football"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1FNXR4", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09PYD8R4Z", "instruction": "i am looking for a non toxic green color temporary tattoos.", "attributes": ["easy apply", "non toxic", "easy use", "stainless steel"], "options": ["color: green"], "instruction_attributes": ["non toxic"], "instruction_options": [], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP90COR", "worker_id": "A9QRQL9CFJBI7"}], "B07SKT8TVB": [{"asin": "B07SKT8TVB", "instruction": "i am looking for 18 inch women synthetic hair extension of 8 packs.", "attributes": ["high quality", "synthetic hair"], "options": ["color: #51", "size: 18 inch,8packs"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["18 inch,8packs"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4AR6RK", "worker_id": "A3FG5PQHG5AH3Y"}], "B07XD7KP9K": [{"asin": "B07XD7KP9K", "instruction": "i'm looking for home decor products and its for dining room.", "attributes": ["machine washable", "contemporary design", "living room", "dining room"], "options": ["color: rvw6200", "size: 52\" w by 84\" l"], "instruction_attributes": ["dining room"], "instruction_options": ["rvw6200"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB14BLU2", "worker_id": "A16IQOX0DK14OJ"}], "B017701FUE": [{"asin": "B017701FUE", "instruction": "i'm looking for queen horizontal sized beds that wood framed structure .", "attributes": ["queen size", "wood frame"], "options": ["size: queen - horizontal"], "instruction_attributes": ["queen size", "wood frame"], "instruction_options": ["queen - horizontal"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQANN0J", "worker_id": "A16IQOX0DK14OJ"}], "B097F9KY3B": [{"asin": "B097F9KY3B", "instruction": "i'm looking for made cup cakes for birthaday parteis.", "attributes": ["birthday party", "cupcake picks", "party supplies", "baby shower"], "options": ["color: black&pink"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["black&pink"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQQQ0PW", "worker_id": "A16IQOX0DK14OJ"}], "B095HFMY55": [{"asin": "B095HFMY55", "instruction": "i'm looking for made a cookies for birthday parties.", "attributes": ["baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y84VI3", "worker_id": "A16IQOX0DK14OJ"}], "B07JM8PKWW": [{"asin": "B07JM8PKWW", "instruction": "i'm looking for vanty lights for bathroom fixtures.", "attributes": ["easy install", "easy clean", "vanity light", "stainless steel"], "options": ["color: chrome", "size: 39.37in"], "instruction_attributes": ["vanity light"], "instruction_options": ["39.37in"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227HG8FN", "worker_id": "A16IQOX0DK14OJ"}], "B07VD9SQRC": [{"asin": "B07VD9SQRC", "instruction": "i would like some gluten free rice flour.", "attributes": ["gluten free", "non gmo", "certified organic"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY7W0U6", "worker_id": "A1WS884SI0SLO4"}], "B0199TEKPS": [{"asin": "B0199TEKPS", "instruction": "can i get arm & hammer ultramax anti-perspirant deodorant with fresh scent", "attributes": ["anti perspirant", "fragrance free"], "options": ["scent: fresh"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["fresh"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQH5KEC", "worker_id": "A1IL2K0ELYI090"}], "B0166LGNWU": [{"asin": "B0166LGNWU", "instruction": "i'm looking for a 6-pack of certified organic herbal mint cool-refresh tea and it should be caffeine-free.", "attributes": ["caffeine free", "certified organic", "individually wrapped"], "options": ["flavor name: organic herbal mint cool-refresh tea (decaf)", "size: 6-pack (150 tea bags)"], "instruction_attributes": ["caffeine free", "certified organic"], "instruction_options": ["organic herbal mint cool-refresh tea (decaf)", "6-pack (150 tea bags)"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JZSEG5", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B0166LGNWU", "instruction": "i am looking for 100 count (pack of 4) tea bags that are caffeine free.", "attributes": ["caffeine free", "certified organic", "individually wrapped"], "options": ["flavor name: organic royal white antioxidant-rich tea", "size: 100 count (pack of 4)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["100 count (pack of 4)"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V23WYN", "worker_id": "A1Q8PPQQCWGY0D"}], "B07MHLL27V": [{"asin": "B07MHLL27V", "instruction": "i need a pair of stainless hair cutting shears that is 6 inches and black in color.", "attributes": ["stainless steel", "hair cutting"], "options": ["pattern name: c-6.0 inch-black"], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": ["c-6.0 inch-black"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM491TX4B", "worker_id": "A1NF6PELRKACS9"}], "B07R71K9F2": [{"asin": "B07R71K9F2", "instruction": "i'm looking for clothing for women's for classic fit and needle sleeve need to buy it.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: neon pink", "fit type: women", "size: xx-large"], "instruction_attributes": ["needle sleeve", "classic fit"], "instruction_options": ["neon pink"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCPS9BH", "worker_id": "A16IQOX0DK14OJ"}], "B09RMSZDN2": [{"asin": "B09RMSZDN2", "instruction": "i need a closed toe khakhi sandal with ankle straps in size 10", "attributes": ["closed toe", "ankle strap"], "options": ["color: khaki", "size: 10"], "instruction_attributes": ["closed toe", "ankle strap"], "instruction_options": ["khaki", "10"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0MZQSCT", "worker_id": "ASWFLI3N8X72G"}], "B09NNB7Z41": [{"asin": "B09NNB7Z41", "instruction": "please add to my list baby boy silver cupcake picks for my son\u2019s birthday party.", "attributes": ["baby shower", "birthday party", "cupcake picks"], "options": ["pattern name: boy silver"], "instruction_attributes": ["birthday party", "cupcake picks"], "instruction_options": ["boy silver"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFIJ9V0", "worker_id": "AHU9OLV0YKIIW"}], "B07TGBYGL3": [{"asin": "B07TGBYGL3", "instruction": "i'm looking for a actloe women hoodie sweatshirt .", "attributes": ["loose fit", "long sleeve", "daily wear"], "options": ["color: coffee", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["coffee", "large"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U69MAT", "worker_id": "A1ZGOZQF2VZ0X9"}], "B084KTYG3M": [{"asin": "B084KTYG3M", "instruction": "i am looking for a console table made up of wooden frame for living room. also choose espresso one.", "attributes": ["storage space", "wood frame", "solid wood", "living room"], "options": ["color: espresso"], "instruction_attributes": ["wood frame", "living room"], "instruction_options": ["espresso"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OJWTRE", "worker_id": "A2HMEGTAFO0CS8"}], "B07Y4V5XGS": [{"asin": "B07Y4V5XGS", "instruction": "i want 18\" high quality hair extensions made with natural hair in color 882.", "attributes": ["high quality", "hair extensions", "natural hair"], "options": ["color: 882", "size: 18\""], "instruction_attributes": ["high quality", "hair extensions", "natural hair"], "instruction_options": ["882", "18\""], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38GZNJJH", "worker_id": "ASWFLI3N8X72G"}], "B09MW3C834": [{"asin": "B09MW3C834", "instruction": "i'm searching for purple color toppers to decorate the birthday cake.", "attributes": ["birthday cake", "birthday party"], "options": ["color: purple"], "instruction_attributes": ["birthday cake"], "instruction_options": ["purple"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLW2DR7", "worker_id": "A9ZM1P6LBW79"}], "B094DRJ1FP": [{"asin": "B094DRJ1FP", "instruction": "i need gluten free pizza with a soft centre and crispy edges.", "attributes": ["gluten free", "trader joe", "keto friendly", "low carb", "natural ingredients"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3TZP69", "worker_id": "A1NF6PELRKACS9"}], "B01IQGHBVK": [{"asin": "B01IQGHBVK", "instruction": "i'm looking for engineered wood that need to white finish furniture.", "attributes": ["white finish", "engineered wood"], "options": [""], "instruction_attributes": ["white finish", "engineered wood"], "instruction_options": [], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788EPC5G", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01IQGHBVK", "instruction": "i want a queen panel bed in white finish.", "attributes": ["white finish", "engineered wood"], "options": [""], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBX0H4OC", "worker_id": "A2RBF3IIJP15IH"}], "B09FGSQYLQ": [{"asin": "B09FGSQYLQ", "instruction": "i'm looking for a hands free navigation system for my car, about 2+32 big and it should have 8 cores.", "attributes": ["hands free", "plug play"], "options": ["color: 8 core", "size: 2+32"], "instruction_attributes": ["hands free"], "instruction_options": ["8 core", "2+32"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE22GQGT", "worker_id": "A3AK3UL0UCNVKE"}], "B08YGLDT3K": [{"asin": "B08YGLDT3K", "instruction": "i am looking for permanent hair color with natural ingredients and color: funky yellow (2 pack)", "attributes": ["argan oil", "natural ingredients", "permanent hair"], "options": ["color: funky yellow (2 pack)"], "instruction_attributes": ["natural ingredients", "permanent hair"], "instruction_options": ["funky yellow (2 pack)"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOXQO7P", "worker_id": "AX2EWYWZM19AZ"}], "B08SHLSN55": [{"asin": "B08SHLSN55", "instruction": "i needed a 5-case gluten free multigrain table crackers.", "attributes": ["gluten free", "lactose free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0X1RRZ", "worker_id": "A39VVWV1GHLMFD"}], "B09GLQFSXG": [{"asin": "B09GLQFSXG", "instruction": "i would like a twin sized espresso bed that is made of solid wood.", "attributes": ["twin size", "white item", "assembly required", "easy assemble", "box spring", "solid wood", "storage space"], "options": ["color: espresso", "size: twin over twin"], "instruction_attributes": ["solid wood"], "instruction_options": ["espresso", "twin over twin"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX65AFK", "worker_id": "A1WS884SI0SLO4"}], "B079CH6STL": [{"asin": "B079CH6STL", "instruction": "i'm looking for clothing for classic fit and needle and color was navy.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: youth", "size: 4t"], "instruction_attributes": ["machine wash", "needle sleeve", "classic fit"], "instruction_options": ["navy"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YOH96W", "worker_id": "A16IQOX0DK14OJ"}], "B0834QQR5F": [{"asin": "B0834QQR5F", "instruction": "i am looking for a electric pink zebra mules & clogs of ethylene vinyl.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: electric pink zebra", "size: 8 women | 6 men"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["electric pink zebra"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66QKZFG", "worker_id": "A9QRQL9CFJBI7"}], "B083JN9J8M": [{"asin": "B083JN9J8M", "instruction": "am looking for a non-alcoholic spirit that comes in a bottle size of 750ml made by the monday company called zero alcohol gin that should be found in the grocery & gourmet food department.", "attributes": ["non alcoholic", "gluten free", "sugar free"], "options": [""], "instruction_attributes": ["non alcoholic"], "instruction_options": [], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCJC0EZ", "worker_id": "A3RGIKEI8JS2QG"}], "B094VSVPZV": [{"asin": "B094VSVPZV", "instruction": "i am looking for a 48 piece nautical themed cupcake toppers for a birthday party.", "attributes": ["birthday party", "baby shower", "party supplies"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7XWSDJ", "worker_id": "A1EREKSZAA9V7B"}], "B073HGKQDC": [{"asin": "B073HGKQDC", "instruction": "i am looking for a 2'6\" x 14' area rugs for living rooms.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: green | ivory", "size: 2'6\" x 14'"], "instruction_attributes": ["living room"], "instruction_options": ["2'6\" x 14'"], "assignment_id": "33CID5710F37J25O7G1CGJZBORJ3L4", "worker_id": "A9QRQL9CFJBI7"}], "B09NM62G51": [{"asin": "B09NM62G51", "instruction": "i'm looking for furnitures for kitchen dinning room the color need to buy pu-red brown.", "attributes": ["button tufted", "non slip", "easy assemble", "dining room"], "options": ["color: pu- red brown", "size: 1 barstool"], "instruction_attributes": ["dining room"], "instruction_options": ["pu- red brown"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH37A9SEQ", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09NM62G51", "instruction": "i want easy assemble non slip button tufted bar stool color velvet -white", "attributes": ["button tufted", "non slip", "easy assemble", "dining room"], "options": ["color: velvet- white", "size: 1 barstool"], "instruction_attributes": ["button tufted", "non slip", "easy assemble"], "instruction_options": ["velvet- white"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTVPP94", "worker_id": "A3N9ZYQAESNFQH"}], "B093GSXWLK": [{"asin": "B093GSXWLK", "instruction": "i would like a black bottle of nail polish with elastic bands.", "attributes": ["heavy duty", "long lasting", "storage case", "nail polish"], "options": ["color: black | purple", "style: with elastic bands"], "instruction_attributes": ["nail polish"], "instruction_options": ["black | purple", "with elastic bands"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWGAGGT", "worker_id": "A1WS884SI0SLO4"}], "B09FQ8CC79": [{"asin": "B09FQ8CC79", "instruction": "i am looking or grey throw for couch sofa with machine washable feature.", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: grey | white", "size: 50\"x60\""], "instruction_attributes": ["machine washable"], "instruction_options": ["grey | white"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGD9S9W", "worker_id": "A3FG5PQHG5AH3Y"}], "B09LMNKRKX": [{"asin": "B09LMNKRKX", "instruction": "i would like a 8 pack of almond butter dates that are ready to eat.", "attributes": ["low calorie", "ready eat", "great gift"], "options": ["flavor: almond butter dates", "size: 8 pack"], "instruction_attributes": ["ready eat"], "instruction_options": ["almond butter dates", "8 pack"], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0Y4RR4", "worker_id": "A1WS884SI0SLO4"}], "B07N8RRPT1": [{"asin": "B07N8RRPT1", "instruction": "i am looking for a white coffee tables with nickel finish.", "attributes": ["nickel finish", "tempered glass", "steel frame"], "options": ["color: white", "size: 32''"], "instruction_attributes": ["nickel finish"], "instruction_options": ["white"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPLD6EJ", "worker_id": "A9QRQL9CFJBI7"}], "B07FKB9LPH": [{"asin": "B07FKB9LPH", "instruction": "i need multicolored hair bands that are non toxic.", "attributes": ["anti aging", "non toxic"], "options": ["color: b-color"], "instruction_attributes": ["non toxic"], "instruction_options": ["b-color"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3SA3G3H", "worker_id": "A1NF6PELRKACS9"}], "B004QGG45E": [{"asin": "B004QGG45E", "instruction": "i'm looking for shoes for women's sandals and want to buy a black color.", "attributes": ["slip resistant", "rubber sole"], "options": ["color: black", "size: 7 x-wide"], "instruction_attributes": ["slip resistant"], "instruction_options": ["black"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E5LXH1", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B004QGG45E", "instruction": "i'm looking for a slip resistant women clog with 9.5 in dark brown suede", "attributes": ["slip resistant", "rubber sole"], "options": ["color: dark brown suede flower", "size: 9.5 wide"], "instruction_attributes": ["slip resistant"], "instruction_options": ["dark brown suede flower", "9.5 wide"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZL9K9O", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B004QGG45E", "instruction": "i'm looking for modern design shoes with additional features.", "attributes": ["slip resistant", "rubber sole"], "options": ["color: luggage leop", "size: 12"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["luggage leop"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBVIGI5", "worker_id": "A21IUUHBSEVB56"}], "B09CQ8VNM6": [{"asin": "B09CQ8VNM6", "instruction": "i need some grey and white, easy to clean collapsible storage bins in a four pack.", "attributes": ["space saving", "easy clean"], "options": ["color: grey & white", "size: 4-pack"], "instruction_attributes": ["easy clean"], "instruction_options": ["grey & white", "4-pack"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HR8OW6", "worker_id": "AR9AU5FY1S3RO"}], "B09H6YC788": [{"asin": "B09H6YC788", "instruction": "i am looking for a long lasting hair extensions for natural hair. also choose 30# color and 14inch (pack 7) one.", "attributes": ["long lasting", "hair extensions", "natural hair"], "options": ["color: 30#", "size: 14 inch (pack of 7)"], "instruction_attributes": ["long lasting", "hair extensions", "natural hair"], "instruction_options": ["30#", "14 inch (pack of 7)"], "assignment_id": "33CID5710F37J25O7G1CGJZBOSR3LE", "worker_id": "A2HMEGTAFO0CS8"}], "B07PQDFMWR": [{"asin": "B07PQDFMWR", "instruction": "i'm looking for a hyaluronic acid eye cream for dark circles.", "attributes": ["hyaluronic acid", "dark circles"], "options": [""], "instruction_attributes": ["hyaluronic acid", "dark circles"], "instruction_options": [], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9BBV2U", "worker_id": "A9QRQL9CFJBI7"}], "B095JV88NJ": [{"asin": "B095JV88NJ", "instruction": "i am looking for a c type super fast charger for my samsung galaxy s21 mobile", "attributes": ["fast charging", "usb port"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5HKIWE", "worker_id": "A2COCSUGZV28X"}], "B09SFD5HSG": [{"asin": "B09SFD5HSG", "instruction": "i am looking for a rose gold cartridges & refills for hair salon", "attributes": ["high quality", "hair salon", "hair removal"], "options": ["color: rose gold"], "instruction_attributes": ["hair salon"], "instruction_options": ["rose gold"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QS3OXM", "worker_id": "A9QRQL9CFJBI7"}], "B002GD3FU6": [{"asin": "B002GD3FU6", "instruction": "i am interested in nut free bridal shower candy sticks, it should be low in calories and preferably be wrapped in individually.", "attributes": ["old fashioned", "nut free", "low calorie", "individually wrapped", "gluten free"], "options": ["flavor name: red | strawberry", "size: 24 count (pack of 1)"], "instruction_attributes": ["nut free", "individually wrapped"], "instruction_options": [], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLHHF2K", "worker_id": "A14BSOU2Y5JNT0"}], "B07GCHXPDW": [{"asin": "B07GCHXPDW", "instruction": "i need a 5ft black color high speed usb 3.0 extension cable, a-male to a-female for usb flash drive", "attributes": ["gold plated", "high performance", "plug play", "high speed", "usb port"], "options": ["color: black", "size: 5ft"], "instruction_attributes": ["high speed"], "instruction_options": ["black", "5ft"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQLL133", "worker_id": "A258PTOZ3D2TQR"}], "B089SQZ4S3": [{"asin": "B089SQZ4S3", "instruction": "i need eco friendly curtains that are 52\" by 45\"", "attributes": ["super soft", "eco friendly", "machine washable"], "options": ["size: 1 piece, 52\"x45\""], "instruction_attributes": ["eco friendly"], "instruction_options": ["1 piece, 52\"x45\""], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO7F33H", "worker_id": "A2ECRNQ3X5LEXD"}], "B088K6SFZ1": [{"asin": "B088K6SFZ1", "instruction": "iam looking for a grey-grey tempered glass conversation sets", "attributes": ["easy clean", "coated steel", "tempered glass", "steel frame"], "options": ["color: grey-grey"], "instruction_attributes": ["tempered glass"], "instruction_options": ["grey-grey"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2OS5LG", "worker_id": "A9QRQL9CFJBI7"}], "B009F646EQ": [{"asin": "B009F646EQ", "instruction": "i am looking for a teeth whitening toothpaste.", "attributes": ["teeth whitening", "fresh breath", "sensitive teeth"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3UT8J6G", "worker_id": "A9QRQL9CFJBI7"}], "B08R1VZQ9D": [{"asin": "B08R1VZQ9D", "instruction": "i am looking for 16 inch long synthetic hair extensions for women.", "attributes": ["easy apply", "hair extensions", "synthetic hair"], "options": ["color: dark brown with copper highlights", "size: 16 inch (pack of 1)"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["16 inch (pack of 1)"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIXJT9K", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B08R1VZQ9D", "instruction": "i'm interested in one pack of 20-inch hair extensions that are easy to apply.", "attributes": ["easy apply", "hair extensions", "synthetic hair"], "options": ["color: black brown", "size: 20 inch (pack of 1)"], "instruction_attributes": ["easy apply", "hair extensions"], "instruction_options": ["black brown", "20 inch (pack of 1)"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBJAHGM", "worker_id": "AFU00NU09CFXE"}], "B09H3C1PHX": [{"asin": "B09H3C1PHX", "instruction": "i looking for a pepper flavor rich creamy protein serving 36 oz peanut", "attributes": ["rich creamy", "protein serving", "plant based", "non gmo"], "options": ["flavor name: pepper", "size: 36oz"], "instruction_attributes": ["rich creamy", "protein serving"], "instruction_options": ["pepper", "36oz"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQGCCJW", "worker_id": "A3N9ZYQAESNFQH"}], "B09SKCYZ18": [{"asin": "B09SKCYZ18", "instruction": "i am searching for a leather sole sandals. also, choose the size 6 inches.", "attributes": ["ankle strap", "leather sole"], "options": ["size: 6"], "instruction_attributes": [], "instruction_options": ["6"], "assignment_id": "32SCWG5HISEW7674IASH43KF3SUP62", "worker_id": "A9ZM1P6LBW79"}], "B08RJG4QGB": [{"asin": "B08RJG4QGB", "instruction": "help me buy a fog colored shoe with arch support and rubber sole in 12 size.", "attributes": ["arch support", "rubber sole"], "options": ["color: fog", "size: 12"], "instruction_attributes": ["arch support", "rubber sole"], "instruction_options": ["fog", "12"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY868T18D", "worker_id": "A3AYHESLQSDY5T"}], "B07NSCNHSS": [{"asin": "B07NSCNHSS", "instruction": "i need natural hair wig in lighter red color", "attributes": ["natural hair", "hair growth"], "options": ["color: lighter red"], "instruction_attributes": ["natural hair"], "instruction_options": ["lighter red"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4HH512", "worker_id": "ASWFLI3N8X72G"}], "B07L3YMPPK": [{"asin": "B07L3YMPPK", "instruction": "i am looking for a black slip lasting walking shoes.", "attributes": ["long lasting", "slip resistant"], "options": ["color: black", "size: 12 wide"], "instruction_attributes": ["slip resistant"], "instruction_options": ["black"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNLENTP", "worker_id": "A9QRQL9CFJBI7"}], "B08BX7FV5L": [{"asin": "B08BX7FV5L", "instruction": "i'm looking for hd tablets for style with keyboard-case and microsoft the color was black it was comes from long lasting.", "attributes": ["1080p hd", "long lasting", "hands free"], "options": ["color: black", "digital storage capacity: 32 gb", "offer type: lockscreen ad-supported", "style: with keyboard-case & microsoft 365"], "instruction_attributes": ["1080p hd"], "instruction_options": ["black", "with keyboard-case & microsoft 365"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IR0TLH", "worker_id": "A16IQOX0DK14OJ"}], "B09P1K6P4S": [{"asin": "B09P1K6P4S", "instruction": "i would like a men's medium classic fit t-shirt in slate gray.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: slate", "fit type: men", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["slate", "men", "medium"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80EU1Q3", "worker_id": "A1WS884SI0SLO4"}], "B084NVDFXZ": [{"asin": "B084NVDFXZ", "instruction": "i'm looking for a phocus caffeinated sparkling water .", "attributes": ["non dairy", "non gmo", "gluten free"], "options": ["flavor name: yuzu & lime", "size: 11.5 fl oz (pack of 12)"], "instruction_attributes": ["non gmo"], "instruction_options": ["yuzu & lime", "11.5 fl oz (pack of 12)"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTYN7M7", "worker_id": "A1ZGOZQF2VZ0X9"}], "B086MYGX4C": [{"asin": "B086MYGX4C", "instruction": "i'm looking for a cactus cupcake toppers for birthday party", "attributes": ["birthday party", "baby shower"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LMI09B", "worker_id": "A2Y2TURT2VEYZN"}], "B06Y2ML7LG": [{"asin": "B06Y2ML7LG", "instruction": "i'm looking for a rosehip seed oil for face and skin by kate blanc.", "attributes": ["certified organic", "anti aging", "paraben free", "cruelty free", "seed oil", "fine lines", "hair growth"], "options": ["size: 4 fl oz (pack of 1)"], "instruction_attributes": ["certified organic", "seed oil", "hair growth"], "instruction_options": ["4 fl oz (pack of 1)"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O16A24", "worker_id": "A1ZGOZQF2VZ0X9"}], "B082SVDL5K": [{"asin": "B082SVDL5K", "instruction": "i need a easy to use plug and play, power amplifier with bluetooth connectivity.", "attributes": ["power amplifier", "plug play", "easy use"], "options": [""], "instruction_attributes": ["power amplifier", "plug play", "easy use"], "instruction_options": [], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYW563A", "worker_id": "ASWFLI3N8X72G"}], "B094FZ6R3J": [{"asin": "B094FZ6R3J", "instruction": "i'm shopping for memory foam slippers with a rubber sole in a moonlight blue colour.", "attributes": ["moisture wicking", "memory foam", "rubber sole"], "options": ["color: moonlight", "size: 5-6 women | 3-4 men"], "instruction_attributes": ["memory foam", "rubber sole"], "instruction_options": ["moonlight"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IRILTR", "worker_id": "A3EDFA8UQT5GG8"}], "B07R715F4Z": [{"asin": "B07R715F4Z", "instruction": "i want a non slip futon mattress that is in 1.8x2m queen size.", "attributes": ["non slip", "queen size"], "options": ["color: d", "size: 1.8x2m bed"], "instruction_attributes": ["non slip"], "instruction_options": ["1.8x2m bed"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGXUWT1", "worker_id": "A1NF6PELRKACS9"}], "B09HBS38K4": [{"asin": "B09HBS38K4", "instruction": "i am looking for black color light weight long sleeve sweatshirts", "attributes": ["daily casual", "long sleeve", "teen girls"], "options": ["color: black-1", "size: x-large"], "instruction_attributes": [], "instruction_options": ["black-1"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSKSB8E", "worker_id": "A16M39T60N60NO"}, {"asin": "B09HBS38K4", "instruction": "i need to buy a long sleeve sweatshirt in red. look for a size small.", "attributes": ["daily casual", "long sleeve", "teen girls"], "options": ["color: red", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["red", "small"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZZURNR", "worker_id": "AR9AU5FY1S3RO"}], "B09Q5YQXL2": [{"asin": "B09Q5YQXL2", "instruction": "i would like a blue nasal spray that is long lasting.", "attributes": ["long lasting", "fine mist"], "options": ["color: blue"], "instruction_attributes": ["long lasting"], "instruction_options": ["blue"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1MAJTGG", "worker_id": "A1WS884SI0SLO4"}], "B07Z8G98LT": [{"asin": "B07Z8G98LT", "instruction": "i want x- large tall machine wash short sleeve t- shirt for men color:ash plum 554/black", "attributes": ["quick drying", "machine wash", "short sleeve"], "options": ["color: ash plum (554) | black", "size: x-large tall"], "instruction_attributes": ["machine wash", "short sleeve"], "instruction_options": ["ash plum (554) | black", "x-large tall"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCWP64J", "worker_id": "A3N9ZYQAESNFQH"}], "B09ND52DTH": [{"asin": "B09ND52DTH", "instruction": "i am looking for a black winter warm fleece lined hiking boots", "attributes": ["winter warm", "fleece lined", "non slip", "rubber sole"], "options": ["color: black", "size: 6.5"], "instruction_attributes": ["winter warm", "fleece lined"], "instruction_options": ["black"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTZO7MA", "worker_id": "A9QRQL9CFJBI7"}], "B078N4Q4FB": [{"asin": "B078N4Q4FB", "instruction": "i am looking for a twin xl twin size mattresses.", "attributes": ["ready use", "fully assembled", "twin size", "assembly required", "box spring"], "options": ["color: comfort rest collection", "size: twin xl size"], "instruction_attributes": ["twin size"], "instruction_options": ["twin xl size"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X6F3YO", "worker_id": "A9QRQL9CFJBI7"}], "B08R3G2KH7": [{"asin": "B08R3G2KH7", "instruction": "i am searching for a 4g lte signal booster. it should be easy to install.", "attributes": ["easy install", "4g lte"], "options": [""], "instruction_attributes": ["easy install", "4g lte"], "instruction_options": [], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYW5367", "worker_id": "A9ZM1P6LBW79"}], "B07HMDVMFP": [{"asin": "B07HMDVMFP", "instruction": "i am looking for a easy to use and long lasting audio recorded it should be voice activated and have a date and time stamp option.", "attributes": ["long lasting", "easy use"], "options": [""], "instruction_attributes": ["long lasting", "easy use"], "instruction_options": [], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCTH5Q5", "worker_id": "A14BSOU2Y5JNT0"}], "B09NFG5266": [{"asin": "B09NFG5266", "instruction": "i have an order for an android tablet 8 inches, 2gb ram, 32gb rom, quad core and in green color. i await your return.", "attributes": ["high performance", "quad core"], "options": ["color: green"], "instruction_attributes": ["quad core"], "instruction_options": ["green"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNSBFJF", "worker_id": "A15IJ20C3R4HUO"}], "B09SZJJT9X": [{"asin": "B09SZJJT9X", "instruction": "i am looking for home theater projector with high resolution and 1080p hd", "attributes": ["1080p hd", "high resolution"], "options": [""], "instruction_attributes": ["1080p hd", "high resolution"], "instruction_options": [], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I9QFDF", "worker_id": "A10OGH5CQBXL5N"}], "B09DSQ2LYX": [{"asin": "B09DSQ2LYX", "instruction": "i need a pink desk with lamp. it should be height adjustable and have storage space.", "attributes": ["height adjustable", "storage space"], "options": ["color: pink with lamp"], "instruction_attributes": ["height adjustable", "storage space"], "instruction_options": ["pink with lamp"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQBFN0D", "worker_id": "A1NF6PELRKACS9"}], "B08S48K2RB": [{"asin": "B08S48K2RB", "instruction": "i am looking for hdmi cables high speed in 50 feet", "attributes": ["high speed", "ultra hd", "blu ray"], "options": ["size: 50 feet"], "instruction_attributes": ["high speed"], "instruction_options": ["50 feet"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRTUBZE", "worker_id": "A2MSIFDLOHI1UT"}], "B09GVJ6N38": [{"asin": "B09GVJ6N38", "instruction": "i'm looking for plug play for camera electronics to the video and it will buy it.", "attributes": ["hands free", "plug play"], "options": ["color: m100s 4core 1+16g"], "instruction_attributes": ["plug play"], "instruction_options": ["m100s 4core 1+16g"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFM5E9M", "worker_id": "A16IQOX0DK14OJ"}], "B09LV71VNN": [{"asin": "B09LV71VNN", "instruction": "i'm looking for dinning room for kitchen need to buy it.", "attributes": ["tempered glass", "dining room"], "options": ["color: scenery-landscape-forest-tree--(28)", "size: (width\uff0923.6in x (length)23.6in x 2pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["scenery-landscape-forest-tree--(28)"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEV0UU1", "worker_id": "A16IQOX0DK14OJ"}], "B00T2JY6MS": [{"asin": "B00T2JY6MS", "instruction": "i'm looking for electric kick scooter a water resistant.", "attributes": ["output protection", "water resistant"], "options": [""], "instruction_attributes": ["output protection", "water resistant"], "instruction_options": [], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V47U29", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00T2JY6MS", "instruction": "i want a water proof upbright ac/dc adapter compatible with segway ninebot.", "attributes": ["output protection", "water resistant"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3V66P1", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B00T2JY6MS", "instruction": "i want a water resistant upbright ac/dc adapter compatible with segway ninebot.", "attributes": ["output protection", "water resistant"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JYUGE7", "worker_id": "A2RBF3IIJP15IH"}], "B0861MPK17": [{"asin": "B0861MPK17", "instruction": "i'm looking for a remote control replacement for a blu-ray player that's compatible with bdp-s3700.", "attributes": ["blu ray", "aaa batteries"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTP8QOJ", "worker_id": "A3HFKFJ5UDWAMC"}, {"asin": "B0861MPK17", "instruction": "i am looking for a remote control for my blu ray player.", "attributes": ["blu ray", "aaa batteries"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLUBRDQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07B6FFJMG": [{"asin": "B07B6FFJMG", "instruction": "i want to buy some cashew almond flavored chocolate covered gluten-free bars.", "attributes": ["chocolate covered", "gluten free", "non gmo"], "options": ["flavor name: cashew almond"], "instruction_attributes": ["chocolate covered", "gluten free"], "instruction_options": ["cashew almond"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU97MC8", "worker_id": "A2YNPKYEFDZ6C9"}], "B07XSHZMMK": [{"asin": "B07XSHZMMK", "instruction": "find me a 2pcs of human hair with high quality in brown black color", "attributes": ["high quality", "hair loss"], "options": ["color: brown black", "size: 2pcs human hair"], "instruction_attributes": ["high quality"], "instruction_options": ["brown black", "2pcs human hair"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KP6LJ1", "worker_id": "A2Y2TURT2VEYZN"}], "B08HM9Y6V7": [{"asin": "B08HM9Y6V7", "instruction": "i'm looking for gluten free it has contains high protein.", "attributes": ["bpa free", "kosher certified", "plant based", "non gmo", "ready eat", "gluten free"], "options": ["number of items: 9"], "instruction_attributes": ["gluten free"], "instruction_options": ["9"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPIXVQI", "worker_id": "A16IQOX0DK14OJ"}], "B002U58PRI": [{"asin": "B002U58PRI", "instruction": "i am looking for a kiwi strawberry flavored sports drink with zero sugar.", "attributes": ["source vitamin", "zero sugar"], "options": ["flavor name: kiwi strawberry"], "instruction_attributes": ["zero sugar"], "instruction_options": ["kiwi strawberry"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R0S7WP", "worker_id": "A1EREKSZAA9V7B"}], "B08539BRBX": [{"asin": "B08539BRBX", "instruction": "find me a plant based body scrub to remove dead skin and which contains argon oil in toasted coconut coffee scent.", "attributes": ["plant based", "argan oil", "dead skin"], "options": ["scent: toasted coconut coffee"], "instruction_attributes": ["plant based", "argan oil", "dead skin"], "instruction_options": ["toasted coconut coffee"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FJ63DF", "worker_id": "A3AYHESLQSDY5T"}], "B01HIRQ93Y": [{"asin": "B01HIRQ93Y", "instruction": "i am searching for travel size quality fragrance oil for women, 0.34 ounce", "attributes": ["travel size", "long lasting"], "options": ["scent name: creed love in black impression", "size: 0.34 ounce"], "instruction_attributes": ["travel size"], "instruction_options": ["0.34 ounce"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R8PR0Q", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01HIRQ93Y", "instruction": "i am looking for a travel size of quality fragrance oils in the scent named creed vanisia impression.", "attributes": ["travel size", "long lasting"], "options": ["scent name: creed vanisia impression", "size: 0.34 ounce"], "instruction_attributes": ["travel size"], "instruction_options": ["creed vanisia impression"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86AS18G", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B01HIRQ93Y", "instruction": "i am looking for long lasting women's fragrance oil of 0.34 ounce size.", "attributes": ["travel size", "long lasting"], "options": ["scent name: mk for women impression", "size: 0.34 ounce"], "instruction_attributes": ["long lasting"], "instruction_options": ["0.34 ounce"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPP7YSA", "worker_id": "A1Q8PPQQCWGY0D"}], "B075LRR7YG": [{"asin": "B075LRR7YG", "instruction": "i'm looking for a waterloo naturally flavored sparkling water.", "attributes": ["bpa free", "non gmo", "zero sugar"], "options": ["flavor name: original | black cherry | lemon-lime"], "instruction_attributes": ["zero sugar"], "instruction_options": ["original | black cherry | lemon-lime"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22K6W89", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08ZHTWZF3": [{"asin": "B08ZHTWZF3", "instruction": "i'm looking for king sized bed pillows that contains pink color.", "attributes": ["queen size", "king size"], "options": ["color: pink", "size: 18 x 18-inch"], "instruction_attributes": ["king size"], "instruction_options": ["pink"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCJ5PIC", "worker_id": "A16IQOX0DK14OJ"}], "B09PG91G27": [{"asin": "B09PG91G27", "instruction": "i'm looking for home decor products for living room and it can gives nice look.", "attributes": ["exquisite workmanship", "living room"], "options": ["size: 52x90inx2"], "instruction_attributes": ["living room"], "instruction_options": ["52x90inx2"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q50KDF", "worker_id": "A16IQOX0DK14OJ"}], "B08RRZ2F57": [{"asin": "B08RRZ2F57", "instruction": "i'm looking for light weight headset it was outside of noise cancelling.", "attributes": ["noise cancelling", "light weight"], "options": ["color: dual-usb c", "style: uc optimized"], "instruction_attributes": ["noise cancelling", "light weight"], "instruction_options": ["dual-usb c"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQHVRJX", "worker_id": "A16IQOX0DK14OJ"}], "B096DMJDDW": [{"asin": "B096DMJDDW", "instruction": "i'm looking for birthday cakes with superhero theme that is perfect for kids' birthday party.", "attributes": ["birthday cake", "party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake", "birthday party"], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGLBW25", "worker_id": "A1HMZJ59OPLD1P"}], "B08YMT7L52": [{"asin": "B08YMT7L52", "instruction": "i'm looking for cosmetic high quality accessories and it will use for cosmetic bags.", "attributes": ["easy use", "high quality", "nail art"], "options": ["color: cool sunglass cat"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["cool sunglass cat"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q32GWS", "worker_id": "A16IQOX0DK14OJ"}], "B099N4P4D2": [{"asin": "B099N4P4D2", "instruction": "i would like to buy a wallet case for my samsung s21 phone. i would like it to support wireless charging and in the color brown", "attributes": ["hands free", "easy install", "wireless charging"], "options": ["color: brown"], "instruction_attributes": ["wireless charging"], "instruction_options": ["brown"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R5NTYQ", "worker_id": "AHXHM1PQTRWIQ"}], "B003MQR9F8": [{"asin": "B003MQR9F8", "instruction": "i'm looking for grocery for fat free.", "attributes": ["fat free", "low fat"], "options": [""], "instruction_attributes": ["fat free", "low fat"], "instruction_options": [], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC4RKUJ", "worker_id": "A16IQOX0DK14OJ"}], "B093T5WWL8": [{"asin": "B093T5WWL8", "instruction": "i want a laundry bag for my blouse and hosiery.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQEKSQR", "worker_id": "A1NF6PELRKACS9"}], "B07535FBKX": [{"asin": "B07535FBKX", "instruction": "a men's closed toe rubber sole sandle size:11", "attributes": ["closed toe", "rubber sole"], "options": ["size: 11"], "instruction_attributes": ["closed toe", "rubber sole"], "instruction_options": ["11"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTEN5DV", "worker_id": "A3N9ZYQAESNFQH"}], "B093GGRKHS": [{"asin": "B093GGRKHS", "instruction": "i am looking for skin care in hyaluronic acid", "attributes": ["anti aging", "hyaluronic acid", "fine lines", "dead skin"], "options": [""], "instruction_attributes": ["hyaluronic acid"], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4BXQRV", "worker_id": "A2MSIFDLOHI1UT"}], "B0742KPKZD": [{"asin": "B0742KPKZD", "instruction": "i looking flavor syrups french vanilla flavour bpa free non gmo gluten free size 33.8 fl oz", "attributes": ["bpa free", "non gmo", "artificial ingredients", "gluten free", "dairy free", "natural flavors", "artificial colors", "artificial flavors"], "options": ["flavor name: french vanilla", "size: 33.8 fl oz (pack of 1)"], "instruction_attributes": ["bpa free", "non gmo", "gluten free"], "instruction_options": ["french vanilla", "33.8 fl oz (pack of 1)"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95S7QXG", "worker_id": "A3N9ZYQAESNFQH"}], "B01N4MCED7": [{"asin": "B01N4MCED7", "instruction": "i'm looking for a hot sauce gift set with the flavor lazy ass.", "attributes": ["gift set", "perfect gift"], "options": ["flavor name: lazy ass"], "instruction_attributes": ["gift set"], "instruction_options": ["lazy ass"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQGAJR2", "worker_id": "A2CJFO19NY4T5R"}], "B07MJVB31T": [{"asin": "B07MJVB31T", "instruction": "i am looking for a perfect valentine gifting cake containing natural holiday flavor ingredients in 48 count size.", "attributes": ["natural ingredients", "valentine day", "great gift", "perfect gift"], "options": ["flavor name: holiday flavors", "size: 48 count"], "instruction_attributes": ["natural ingredients", "valentine day", "perfect gift"], "instruction_options": ["holiday flavors"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OVKM3Y", "worker_id": "A3AYHESLQSDY5T"}], "B07FSGV3V2": [{"asin": "B07FSGV3V2", "instruction": "i'm looking for buy a binocular for bird watching.", "attributes": ["high power", "easy carry", "bird watching"], "options": ["size: 12x50mm"], "instruction_attributes": ["easy carry", "bird watching"], "instruction_options": ["12x50mm"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMQWW96", "worker_id": "A16IQOX0DK14OJ"}], "B09BD7DJ55": [{"asin": "B09BD7DJ55", "instruction": "i need super king plus 120x120 (3pc duvet set) silver color silk decorative super soft pillow covers", "attributes": ["super soft", "exquisite workmanship"], "options": ["color: silver", "size: super king plus 120x120 (3pc duvet set)"], "instruction_attributes": ["super soft"], "instruction_options": ["silver", "super king plus 120x120 (3pc duvet set)"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LMF098", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09BD7DJ55", "instruction": "i want silver and super soft european pillow shams.", "attributes": ["super soft", "exquisite workmanship"], "options": ["color: silver", "size: queen | full 20x26 (2pcs pillow shams)"], "instruction_attributes": ["super soft"], "instruction_options": ["silver"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1VU2H3", "worker_id": "A2RBF3IIJP15IH"}], "B09DVFZYKL": [{"asin": "B09DVFZYKL", "instruction": "i want anti slip tennis shoes with rubber soles in size 13. it is for a man.", "attributes": ["anti slip", "rubber sole"], "options": ["color: rasta space galaxy w", "size: 15.5 women | 13 men"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["15.5 women | 13 men"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HYZ1DQ", "worker_id": "A1NF6PELRKACS9"}], "B002F3QYZA": [{"asin": "B002F3QYZA", "instruction": "i am looking for oil free toner", "attributes": ["oil free", "green tea"], "options": [""], "instruction_attributes": ["oil free"], "instruction_options": [], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9X9X51", "worker_id": "A2MSIFDLOHI1UT"}], "B01HHRRDTO": [{"asin": "B01HHRRDTO", "instruction": "i am looking for multi purpose for face in charcoal", "attributes": ["cruelty free", "plant based", "animal testing", "dry skin"], "options": ["scent: charcoal", "size: 1.15 pound"], "instruction_attributes": ["dry skin"], "instruction_options": ["charcoal"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OJBRTR", "worker_id": "A2MSIFDLOHI1UT"}], "B098SMFB4Y": [{"asin": "B098SMFB4Y", "instruction": "i need a pair of black eyebrow trimmers.", "attributes": ["easy carry", "easy clean", "hair removal"], "options": ["color: black"], "instruction_attributes": ["hair removal"], "instruction_options": ["black"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8HEC4T", "worker_id": "A19317A3X87NVM"}], "B07HB8F4XF": [{"asin": "B07HB8F4XF", "instruction": "i'm looking for a fruit snacks that is free from gluten and fat, also made of real fruits.", "attributes": ["fat free", "gluten free", "real fruit"], "options": [""], "instruction_attributes": ["fat free", "gluten free", "real fruit"], "instruction_options": [], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3DENQ8", "worker_id": "AR0VJ5XRG16UJ"}], "B07DFSHP3J": [{"asin": "B07DFSHP3J", "instruction": "i am looking for relaxed fit women clogs of size 13.", "attributes": ["ethylene vinyl", "vinyl acetate", "relaxed fit"], "options": ["color: barely pink | white 1", "size: 13 women | 13 men"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["13 women | 13 men"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9C6V2R", "worker_id": "A3FG5PQHG5AH3Y"}], "B09984KFL2": [{"asin": "B09984KFL2", "instruction": "i want to buy a bundle of peanut butter cups for valentine day.", "attributes": ["valentine day", "baby shower"], "options": [""], "instruction_attributes": ["valentine day"], "instruction_options": [], "assignment_id": "352YTHGRO6NQF252G9RXYWYALA24HF", "worker_id": "A1NF6PELRKACS9"}], "B09Q8XK81W": [{"asin": "B09Q8XK81W", "instruction": "i need butt lifting yoga pants that also has a high waist. pick a blue one.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["butt lifting", "high waist"], "instruction_options": ["blue"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI3A4DBZ", "worker_id": "A1NF6PELRKACS9"}], "B07J9K68QK": [{"asin": "B07J9K68QK", "instruction": "i need some baby food that is non gmo and has no artificial flavors.", "attributes": ["non gmo", "artificial flavors", "quality ingredients"], "options": [""], "instruction_attributes": ["non gmo", "artificial flavors"], "instruction_options": [], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO5IC21", "worker_id": "A1NF6PELRKACS9"}], "B09LC171P8": [{"asin": "B09LC171P8", "instruction": "i'm looking for wireless bluetooth and it will easy to use.", "attributes": ["hands free", "easy use", "high definition", "wireless bluetooth"], "options": [""], "instruction_attributes": ["easy use", "wireless bluetooth"], "instruction_options": [], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9BX2VN", "worker_id": "A16IQOX0DK14OJ"}], "B07QYGZ5WC": [{"asin": "B07QYGZ5WC", "instruction": "i looking heathers cotton machine wash men's classic fit x-large heater grey color t-shirt", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather grey", "fit type: men", "size: x-large"], "instruction_attributes": ["machine wash", "heathers cotton", "classic fit"], "instruction_options": ["heather grey", "men", "x-large"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746XUTB2", "worker_id": "A3N9ZYQAESNFQH"}], "B07FKHP9HQ": [{"asin": "B07FKHP9HQ", "instruction": "i am looking for 4g lte android phone. please choose silver color.", "attributes": ["easy use", "4g lte"], "options": ["color: silver"], "instruction_attributes": ["4g lte"], "instruction_options": ["silver"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTOSV49", "worker_id": "A3FG5PQHG5AH3Y"}], "B081FBJ25N": [{"asin": "B081FBJ25N", "instruction": "i am looking for a tempered glass of basic cases for iphone 11 pro", "attributes": ["heavy duty", "easy use", "tempered glass"], "options": ["color: american flag eagle", "size: iphone 11 pro"], "instruction_attributes": ["tempered glass"], "instruction_options": ["iphone 11 pro"], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q69IIU", "worker_id": "A9QRQL9CFJBI7"}], "B07D3PD31P": [{"asin": "B07D3PD31P", "instruction": "help me purchase black wireless headphones with high definition audio and quality stereo sound.", "attributes": ["hands free", "high definition", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["high definition", "stereo sound"], "instruction_options": ["black"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEWKUUN", "worker_id": "A1HMZJ59OPLD1P"}], "B07BXWR3NJ": [{"asin": "B07BXWR3NJ", "instruction": "i'm looking for a light weight backdrop with high resolution image for digital photography. also, choose 7*5 ft one.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 7x5ft"], "instruction_attributes": ["light weight", "high resolution", "digital photography"], "instruction_options": ["7x5ft"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907RLAUG", "worker_id": "AR0VJ5XRG16UJ"}], "B08VJJBX1L": [{"asin": "B08VJJBX1L", "instruction": "i need a valentine's day candy box", "attributes": ["individually wrapped", "valentine day"], "options": [""], "instruction_attributes": ["valentine day"], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGKIW2A", "worker_id": "A258PTOZ3D2TQR"}], "B07K7HZ5BD": [{"asin": "B07K7HZ5BD", "instruction": "find me a makeup case for travel, need to be easy to carry and choose the marble black color", "attributes": ["easy carry", "nail polish", "nail art"], "options": ["color: marble black"], "instruction_attributes": ["easy carry"], "instruction_options": ["marble black"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34MQ14Z", "worker_id": "A2Y2TURT2VEYZN"}], "B07L581MNW": [{"asin": "B07L581MNW", "instruction": "i want high quality hair extensions that is 26 inches long.", "attributes": ["high quality", "hair extensions"], "options": ["color: 86613 | short ponytail", "size: 26 inch"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["26 inch"], "assignment_id": "3HSYG7LRBU82VUVD7MHAI53YAEGKKB", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07L581MNW", "instruction": "i am looking for sandy blonde extensions for my hair that are 24 inches long.", "attributes": ["high quality", "hair extensions"], "options": ["color: sandy blonde & bleach blonde | curly", "size: 24 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["sandy blonde & bleach blonde | curly", "24 inch (pack of 1)"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCVF4QO", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BS13S6M": [{"asin": "B08BS13S6M", "instruction": "women's slip on sneakers that size 5.5", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: las meninas", "size: 5.5"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["5.5"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7Y5Y6F", "worker_id": "A10OGH5CQBXL5N"}], "B09MSL36VK": [{"asin": "B09MSL36VK", "instruction": "i am looking for high definition and clear tempered glass for iphone.", "attributes": ["high definition", "glass screen", "tempered glass"], "options": ["color: clear", "size: case + protector"], "instruction_attributes": ["high definition", "tempered glass"], "instruction_options": ["clear"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X024234N", "worker_id": "A3FG5PQHG5AH3Y"}], "B07ZTTZP5N": [{"asin": "B07ZTTZP5N", "instruction": "i am looking for a low sugar, non gmo seaweed snacks of 1.13 ounce (pack of 6) size.", "attributes": ["low sugar", "non gmo", "0g trans"], "options": ["flavor: variety", "size: 1.13 ounce (pack of 6)"], "instruction_attributes": ["low sugar", "non gmo"], "instruction_options": ["1.13 ounce (pack of 6)"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK00UIG", "worker_id": "A9QRQL9CFJBI7"}], "B018GXGSBW": [{"asin": "B018GXGSBW", "instruction": "i am looking for long lasting high definition dark cocoa concealer for dark circles coverage.", "attributes": ["long lasting", "dark circles"], "options": ["color: dark cocoa"], "instruction_attributes": ["long lasting", "dark circles"], "instruction_options": ["dark cocoa"], "assignment_id": "31JLPPHS254FPN8LK8H48035JXT3OS", "worker_id": "A1V2JTEEBCXR20"}], "B08SHLLTVH": [{"asin": "B08SHLLTVH", "instruction": "i'm looking for steel toes shoes for construction working the color was black.", "attributes": ["non slip", "steel toe", "rubber sole"], "options": ["color: 616black", "size: 6.5 women | 5 men"], "instruction_attributes": ["non slip", "steel toe"], "instruction_options": ["616black"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L85ER3", "worker_id": "A16IQOX0DK14OJ"}], "B07ZG4WNPM": [{"asin": "B07ZG4WNPM", "instruction": "i'm looking for a perfect gifts that contains high protein preferably nuts . also choose a pack of 4 weights 7 ounce with savory flavored one.", "attributes": ["high protein", "perfect gift"], "options": ["flavor name: savory", "size: 7 ounce (pack of 4)"], "instruction_attributes": ["high protein", "perfect gift"], "instruction_options": ["savory", "7 ounce (pack of 4)"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AKZSTJ", "worker_id": "AR0VJ5XRG16UJ"}], "B004HO58L6": [{"asin": "B004HO58L6", "instruction": "i'm looking for finepix 14 mp digital camera with optical zoom len, also purple one.", "attributes": ["high speed", "optical zoom"], "options": ["color: purple"], "instruction_attributes": ["optical zoom"], "instruction_options": ["purple"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB2JY5M", "worker_id": "A258PTOZ3D2TQR"}], "B08MJ86NTG": [{"asin": "B08MJ86NTG", "instruction": "i'm looking for a medium floral long sleeve shirt in purple", "attributes": ["drawstring closure", "relaxed fit", "polyester spandex", "long sleeve"], "options": ["color: b purple", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["b purple", "medium"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AREBWC", "worker_id": "A2Y2TURT2VEYZN"}], "B0861CRGQV": [{"asin": "B0861CRGQV", "instruction": "i am looking for individually wrapped cakes for a birthday party.", "attributes": ["individually wrapped", "birthday party"], "options": [""], "instruction_attributes": ["individually wrapped", "birthday party"], "instruction_options": [], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZDDKL4", "worker_id": "A1NF6PELRKACS9"}], "B07YJ9Z8Z5": [{"asin": "B07YJ9Z8Z5", "instruction": "i am looking for a gluten free musk melon drink.", "attributes": ["low sodium", "fat free", "gluten free"], "options": ["flavor name: musk melon", "size: 16.9 fl oz (pack of 20)"], "instruction_attributes": ["gluten free"], "instruction_options": ["musk melon"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4821WYPI", "worker_id": "A1EREKSZAA9V7B"}], "B09PNL7JRN": [{"asin": "B09PNL7JRN", "instruction": "i am looking for ladies large size black06 colored jeans with straight leg fit.", "attributes": ["wide leg", "low rise", "butt lifting", "straight leg", "fleece lined", "slim fit", "high waist", "long sleeve", "short sleeve", "daily wear"], "options": ["color: black06", "size: large"], "instruction_attributes": ["straight leg"], "instruction_options": ["black06", "large"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN9PI85", "worker_id": "AJDQGOTMB2D80"}], "B08N9QCM2F": [{"asin": "B08N9QCM2F", "instruction": "i am looking for a leakproof travel bottle . and i choose the one with keychain", "attributes": ["easy carry", "travel bottles"], "options": [""], "instruction_attributes": ["travel bottles"], "instruction_options": [], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8XKZPY", "worker_id": "A2COCSUGZV28X"}], "B08NSYTYNX": [{"asin": "B08NSYTYNX", "instruction": "order for me cupcake toppers decorations for celebrating a baby shower.", "attributes": ["party supplies", "baby shower"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVNVXLB", "worker_id": "AHU9OLV0YKIIW"}], "B07PLPRNMS": [{"asin": "B07PLPRNMS", "instruction": "i am looking for a 10.5 size non slip flip-flops", "attributes": ["non slip", "rubber sole"], "options": ["color: silver4", "size: 10.5"], "instruction_attributes": ["non slip"], "instruction_options": ["10.5"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9HH2E6", "worker_id": "A9QRQL9CFJBI7"}], "B09DCN6S39": [{"asin": "B09DCN6S39", "instruction": "metal pendant light that is height adjustable also choose in metal", "attributes": ["height adjustable", "light fixture", "pendant light", "dining room", "living room"], "options": ["size: metal"], "instruction_attributes": ["height adjustable", "pendant light"], "instruction_options": ["metal"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCU4Q5F", "worker_id": "A10OGH5CQBXL5N"}], "B082XVWW57": [{"asin": "B082XVWW57", "instruction": "i'm looking for women's clothing for classic fit and needle fit.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: men", "size: 3t"], "instruction_attributes": ["needle sleeve", "classic fit"], "instruction_options": ["white"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BODBONI", "worker_id": "A16IQOX0DK14OJ"}], "B09T1MR8ZZ": [{"asin": "B09T1MR8ZZ", "instruction": "i want sweet and salty mini popcorn balls that are nut and gluten free.", "attributes": ["nut free", "gluten free", "resealable bag"], "options": [""], "instruction_attributes": ["nut free", "gluten free"], "instruction_options": [], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRNV9FA", "worker_id": "A345TDMHP3DQ3G"}], "B08HQXX3C4": [{"asin": "B08HQXX3C4", "instruction": "i am looking for silver cupcake toppers for baby shower birthday party.", "attributes": ["birthday party", "party supplies", "baby shower"], "options": ["color: silver", "size: 7x7x3cm"], "instruction_attributes": ["birthday party", "baby shower"], "instruction_options": ["silver"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNWE8H6", "worker_id": "A3FG5PQHG5AH3Y"}], "B091DLJ4B5": [{"asin": "B091DLJ4B5", "instruction": "i'm looking for a meals with zero added sugar and also free from gluten and bpa. also, choose applesauce flavored one.", "attributes": ["bpa free", "non gmo", "gluten free", "zero sugar"], "options": ["flavor: applesauce"], "instruction_attributes": ["bpa free", "gluten free", "zero sugar"], "instruction_options": ["applesauce"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E21F35C", "worker_id": "AR0VJ5XRG16UJ"}], "B00BOEEX04": [{"asin": "B00BOEEX04", "instruction": "i am looking for permanent hair color with color 5.12", "attributes": ["easy use", "rose gold", "hair dye", "permanent hair", "natural hair"], "options": ["color: 5.12"], "instruction_attributes": ["permanent hair"], "instruction_options": ["5.12"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3YYG5J5", "worker_id": "A16M39T60N60NO"}], "B08JKFMQD9": [{"asin": "B08JKFMQD9", "instruction": "i would like to order a pink harajuku 3x-large unisex printed hoodie that is made of polyester cotton.", "attributes": ["hand wash", "quality polyester", "polyester cotton"], "options": ["color: pink", "size: 3x-large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["pink", "3x-large"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66QNFZZ", "worker_id": "AHU9OLV0YKIIW"}], "B019IOEQQ2": [{"asin": "B019IOEQQ2", "instruction": "i am looking for high speed hdmi cable male to male .", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 1 pack", "size: 3 feet (5-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["hdmi male to male"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJN2GDP", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B019IOEQQ2", "instruction": "i am looking for a 5 pack of 12 foot gold plated hdmi cables.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 5 pack", "size: 12 feet (3 pack)", "style: hdmi male to male"], "instruction_attributes": ["gold plated"], "instruction_options": ["5 pack", "12 feet (3 pack)"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIQB841", "worker_id": "A1EREKSZAA9V7B"}], "B001B2N3QE": [{"asin": "B001B2N3QE", "instruction": "i would like a old version of a 3 count ultra light sun blonde hair dye.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 03 ultra light sun blonde", "size: 3 count (pack of 1)", "style: old version"], "instruction_attributes": ["hair dye"], "instruction_options": ["03 ultra light sun blonde", "3 count (pack of 1)", "old version"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7W4CUM", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B001B2N3QE", "instruction": "i am looking for a long lasting permanent hair dye in light auburn color.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 053 light auburn", "size: 3 count (pack of 1)", "style: new version"], "instruction_attributes": ["long lasting", "hair dye", "permanent hair"], "instruction_options": ["053 light auburn"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN05TPH", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B001B2N3QE", "instruction": "i'm looking for a permanent hair dye with keratin in the brand of revlon.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 073 champagne blonde", "size: pack of 1", "style: old version"], "instruction_attributes": ["hair dye", "permanent hair"], "instruction_options": ["pack of 1"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIPJ85P", "worker_id": "A21IUUHBSEVB56"}], "B0816WX3B7": [{"asin": "B0816WX3B7", "instruction": "i am looking for an intel quad core i5 tower pc with windows 10 pro.", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["core i5", "intel core", "quad core"], "instruction_options": [], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FFNELI", "worker_id": "A1EREKSZAA9V7B"}], "B0824CD7K7": [{"asin": "B0824CD7K7", "instruction": "i want to find pink floral pillow covers for the pillows in my living room that are 22 inches by 22 inches.", "attributes": ["double sided", "machine washable", "living room"], "options": ["color: flower pink", "size: 22 x 22 inches"], "instruction_attributes": ["living room"], "instruction_options": ["flower pink", "22 x 22 inches"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8IPC46", "worker_id": "A345TDMHP3DQ3G"}], "B07TGDQLVJ": [{"asin": "B07TGDQLVJ", "instruction": "i am looking for memory foam canvas slip in a black color size 14", "attributes": ["memory foam", "classic fit"], "options": ["color: black", "size: 14"], "instruction_attributes": ["memory foam"], "instruction_options": ["black", "14"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXY5O4G", "worker_id": "A16M39T60N60NO"}], "B07YY2ZCFF": [{"asin": "B07YY2ZCFF", "instruction": "i am looking for cupcake toppers for baby shower birthday party.", "attributes": ["cupcake picks", "party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["baby shower", "birthday party"], "instruction_options": [], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66PCZF6", "worker_id": "A3FG5PQHG5AH3Y"}], "B00J1NO5CG": [{"asin": "B00J1NO5CG", "instruction": "i'm looking for a keto friendly sugar free chocolate syrup which should be fat and gluten free. also, choose a pack of 1 contains 25.4 fl oz with sugar free s'mores one.", "attributes": ["sugar free", "keto friendly", "fat free", "gluten free", "zero sugar"], "options": ["flavor name: sugar free s'mores", "size: 25.4 fl oz (pack of 1)"], "instruction_attributes": ["sugar free", "keto friendly", "fat free", "gluten free"], "instruction_options": ["sugar free s'mores", "25.4 fl oz (pack of 1)"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK46BA6O", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00J1NO5CG", "instruction": "i'm looking for a pack of 4 in 25.4 ounce sugar and gluten free chocolate syrup", "attributes": ["sugar free", "keto friendly", "fat free", "gluten free", "zero sugar"], "options": ["flavor name: sugar free irish cream", "size: 25.4 ounce (pack of 4)"], "instruction_attributes": ["sugar free", "gluten free"], "instruction_options": ["sugar free irish cream", "25.4 ounce (pack of 4)"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCL4LBP", "worker_id": "A2Y2TURT2VEYZN"}], "B0823M3GTC": [{"asin": "B0823M3GTC", "instruction": "i would like to buy a pink makeup brush that is high quality and easy to clean and carry.", "attributes": ["easy carry", "easy clean", "high quality", "storage case", "sensitive skin"], "options": ["color: 1-pink"], "instruction_attributes": ["easy carry", "easy clean", "high quality"], "instruction_options": ["1-pink"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A21B7THS", "worker_id": "A114NK7T5673GK"}, {"asin": "B0823M3GTC", "instruction": "i would like a crimson brush set that is high quality.", "attributes": ["easy carry", "easy clean", "high quality", "storage case", "sensitive skin"], "options": ["color: 2-crimson"], "instruction_attributes": ["high quality"], "instruction_options": ["2-crimson"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49K9DT0", "worker_id": "A1WS884SI0SLO4"}], "B076X189T6": [{"asin": "B076X189T6", "instruction": "i'm looking for kitchen curtains it easy to use for machinable washes.", "attributes": ["machine washable", "printing technology"], "options": ["color: blue and dark orange", "size: 108\" x 96\""], "instruction_attributes": ["machine washable", "printing technology"], "instruction_options": ["blue and dark orange"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTIF4DC", "worker_id": "A16IQOX0DK14OJ"}], "B00JL248RY": [{"asin": "B00JL248RY", "instruction": "i'm looking for home audio that contain batteries included. it was blue in color.", "attributes": ["batteries included", "usb port"], "options": ["color: blue"], "instruction_attributes": ["batteries included"], "instruction_options": ["blue"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCXS46M", "worker_id": "A16IQOX0DK14OJ"}], "B000LWCR26": [{"asin": "B000LWCR26", "instruction": "i am looking for caffeine free organic tea flavored chocolate rooibos", "attributes": ["caffeine free", "individually wrapped"], "options": ["flavor name: chocolate rooibos", "size: 16 count (pack of 3)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["chocolate rooibos"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKER88W", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B000LWCR26", "instruction": "i would like a a box of 18 bags of caffeine free green rooibos herbal tea", "attributes": ["caffeine free", "individually wrapped"], "options": ["flavor name: green rooibos", "size: 18 count (pack of 3)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYW0HV9", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000LWCR26", "instruction": "i would like a box of 18 de tress herbal tea bags that are individually wrapped.", "attributes": ["caffeine free", "individually wrapped"], "options": ["flavor name: de-stress", "size: 18 count (pack of 3)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["de-stress", "18 count (pack of 3)"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q58GW2", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000LWCR26", "instruction": "i am looking for a 18 count (pack of 1) caffeine free herbal tea", "attributes": ["caffeine free", "individually wrapped"], "options": ["flavor name: mint", "size: 18 count (pack of 1)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["18 count (pack of 1)"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F24KOHX", "worker_id": "A9QRQL9CFJBI7"}], "B07W98K1Y2": [{"asin": "B07W98K1Y2", "instruction": "i'm looking for rubber stole shoes for light wearing it was brown in color", "attributes": ["steel toe", "rubber sole"], "options": ["color: brown", "size: 13.5 women | 12 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOKG0F6", "worker_id": "A16IQOX0DK14OJ"}], "B085WB9KBK": [{"asin": "B085WB9KBK", "instruction": "i am looking a varity pack seafood tuna fish high protein gluten free non gmo bpa free size 4.25 ounce", "attributes": ["high protein", "wild caught", "bpa free", "ready eat", "non gmo", "gluten free", "simple ingredients"], "options": ["flavor name: variety pack", "size: 4.25 ounce (pack of 4)"], "instruction_attributes": ["high protein", "bpa free", "non gmo", "gluten free"], "instruction_options": ["variety pack", "4.25 ounce (pack of 4)"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRS1BZJ", "worker_id": "A3N9ZYQAESNFQH"}], "B09CTHQLZ1": [{"asin": "B09CTHQLZ1", "instruction": "i am looking for a 46\" x 16\" x 25\" vanities & vanity benches for living rooms.", "attributes": ["spot clean", "super soft", "living room"], "options": ["color: burnished lilac", "size: 46\" x 16\" x 25\""], "instruction_attributes": ["living room"], "instruction_options": ["46\" x 16\" x 25\""], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE1QJTY", "worker_id": "A9QRQL9CFJBI7"}], "B07CYKYVW7": [{"asin": "B07CYKYVW7", "instruction": "i'm looking for furniture in engineered wood for living room and it was in white in color.", "attributes": ["long lasting", "engineered wood"], "options": ["color: white & anthracite"], "instruction_attributes": ["engineered wood"], "instruction_options": ["white & anthracite"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F228OHH", "worker_id": "A16IQOX0DK14OJ"}], "B09GYCPCJ4": [{"asin": "B09GYCPCJ4", "instruction": "i am looking for high gloss buffet sideboard for kitchen with white led light.", "attributes": ["white item", "high gloss", "living room"], "options": ["color: white"], "instruction_attributes": ["high gloss"], "instruction_options": ["white"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGCZMS8", "worker_id": "A3FG5PQHG5AH3Y"}], "B0759B7KLH": [{"asin": "B0759B7KLH", "instruction": "i'm looking for certified organic seeds pack of six.", "attributes": ["certified organic", "artificial colors"], "options": ["size: 8.5 ounce (pack of 6)", "style: spanish style rice"], "instruction_attributes": ["certified organic"], "instruction_options": ["8.5 ounce (pack of 6)"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMP5QBT", "worker_id": "A16IQOX0DK14OJ"}], "B0078DV1XW": [{"asin": "B0078DV1XW", "instruction": "i am looking for sulfate free hair oil serum pack", "attributes": ["cruelty free", "sulfate free", "argan oil", "dry hair"], "options": ["color: frizz be gone serum", "size: 2.75 fl oz (pack of 3)", "style: hair oil serum - 1 pack"], "instruction_attributes": ["sulfate free"], "instruction_options": ["hair oil serum - 1 pack"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG33GBX", "worker_id": "A16M39T60N60NO"}], "B07H519QRK": [{"asin": "B07H519QRK", "instruction": "i'm looking for certified refurbished for office electronics it easy to ues.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDOIK5N", "worker_id": "A16IQOX0DK14OJ"}], "B077GWCCC8": [{"asin": "B077GWCCC8", "instruction": "i want sugar free, 10 pound classic flavour chocolate discs", "attributes": ["non dairy", "sugar free", "easy use", "dairy free"], "options": ["flavor name: classic", "size: 10 pound"], "instruction_attributes": ["sugar free"], "instruction_options": ["classic", "10 pound"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZTJ04S", "worker_id": "ASWFLI3N8X72G"}], "B09FY2C67G": [{"asin": "B09FY2C67G", "instruction": "looking for ceramic drink coasters that is set of 6 with cup holder", "attributes": ["easy clean", "living room"], "options": ["color: flowercbu3335", "size: set of 6 with cup holder"], "instruction_attributes": ["living room"], "instruction_options": ["set of 6 with cup holder"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKCMNEW", "worker_id": "A10OGH5CQBXL5N"}], "B07XM8TFP4": [{"asin": "B07XM8TFP4", "instruction": "i am looking for gluten free potato chips.", "attributes": ["fat free", "gluten free"], "options": ["flavor name: kettle-style original chips"], "instruction_attributes": ["gluten free"], "instruction_options": ["kettle-style original chips"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W9MOUS", "worker_id": "A19317A3X87NVM"}], "B09QRVRZKK": [{"asin": "B09QRVRZKK", "instruction": "i would like a pair of black earbud headphones that are fast charging.", "attributes": ["long lasting", "fast charging", "hands free"], "options": ["color: black"], "instruction_attributes": ["fast charging"], "instruction_options": ["black"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB158ULA", "worker_id": "A1WS884SI0SLO4"}], "B08MFCQK96": [{"asin": "B08MFCQK96", "instruction": "i am looking for non slip, steel toe women shoe. also, choose the black b color and 42 size.", "attributes": ["non slip", "steel toe", "arch support"], "options": ["color: blackb", "size: 42"], "instruction_attributes": ["non slip", "steel toe"], "instruction_options": ["blackb", "42"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8FK5R7", "worker_id": "A9ZM1P6LBW79"}], "B07K726RVQ": [{"asin": "B07K726RVQ", "instruction": "i want to buy a fifty-two pack of fava bean snacks that are low in sugar and fat. they should also be non-gmo.", "attributes": ["high protein", "plant based", "low sugar", "gluten free", "low fat", "non gmo"], "options": ["flavor: the game day box", "size: 1 ounce (pack of 52)"], "instruction_attributes": ["low sugar", "low fat", "non gmo"], "instruction_options": ["1 ounce (pack of 52)"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBAU6UP", "worker_id": "AR9AU5FY1S3RO"}], "B09LJXXCYJ": [{"asin": "B09LJXXCYJ", "instruction": "i'm looking for clothing for classic fit for women classic fit.", "attributes": ["needle sleeve", "classic fit", "star wars"], "options": ["color: asphalt", "fit type: youth", "size: small"], "instruction_attributes": ["needle sleeve", "classic fit"], "instruction_options": ["asphalt"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYQ49Q6", "worker_id": "A16IQOX0DK14OJ"}], "B08TVFLHNK": [{"asin": "B08TVFLHNK", "instruction": "i need a heavy duty wall plate cover that is high gloss. i want something in a rocker combo style.", "attributes": ["heavy duty", "high gloss"], "options": ["style: outlet | rocker combo"], "instruction_attributes": ["heavy duty", "high gloss"], "instruction_options": ["outlet | rocker combo"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMMZGRSJ", "worker_id": "A1NF6PELRKACS9"}], "B07K4WQXB8": [{"asin": "B07K4WQXB8", "instruction": "i am looking for a 3 pink long sleeve fashion hoodies & sweatshirts.", "attributes": ["loose fit", "machine wash", "long sleeve", "polyester cotton"], "options": ["color: 3 pink", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["3 pink"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQC56S3", "worker_id": "A9QRQL9CFJBI7"}], "B001Q1FRZ0": [{"asin": "B001Q1FRZ0", "instruction": "i want to buy a bronze finish pendant light, in brushed nickle color.", "attributes": ["bronze finish", "pendant light"], "options": ["color: brushed nickel"], "instruction_attributes": ["bronze finish", "pendant light"], "instruction_options": ["brushed nickel"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZWKANI", "worker_id": "ASWFLI3N8X72G"}], "B08X6Y1SVV": [{"asin": "B08X6Y1SVV", "instruction": "search and add 20\"x20\" throw pillow covers used as decorative cushion covers in my living room to my shopping cart. make sure they are dark green.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: dark green", "size: 20\"x20\""], "instruction_attributes": ["living room"], "instruction_options": ["dark green", "20\"x20\""], "assignment_id": "37M28K1J01N18XG9DA49NC0PQDSJA2", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B08X6Y1SVV", "instruction": "i want a set of solid wine red throw pillow covers for my living room.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: wine red", "size: 20\"x20\""], "instruction_attributes": ["living room"], "instruction_options": ["wine red"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY65J46", "worker_id": "A2RBF3IIJP15IH"}], "B074N44TTT": [{"asin": "B074N44TTT", "instruction": "i want skateboarding shoes that have rubber outsoles. pick something in blue color.", "attributes": ["lace closure", "rubber outsole"], "options": ["color: blue", "size: 9.5"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["blue"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPP5FWX", "worker_id": "A1NF6PELRKACS9"}], "B09B25LW1P": [{"asin": "B09B25LW1P", "instruction": "i'm looking for women's clothing need to buy medium sized dresses.", "attributes": ["wide leg", "quality materials", "high waist", "daily wear"], "options": ["color: heart a1", "size: medium"], "instruction_attributes": ["wide leg", "quality materials", "high waist", "daily wear"], "instruction_options": ["heart a1"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBSNGI4", "worker_id": "A16IQOX0DK14OJ"}], "B075FSHGVB": [{"asin": "B075FSHGVB", "instruction": "throw pillows cover spot clean lumbar support color beach house cotton coastal blue", "attributes": ["spot clean", "lumbar support"], "options": ["color: beach house, cotton coastal blue", "size: oblong pillow"], "instruction_attributes": ["spot clean", "lumbar support"], "instruction_options": ["beach house, cotton coastal blue"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA71NHMN", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B075FSHGVB", "instruction": "i need a bolster pillow hypoallergenic for lombar support in cotton blue", "attributes": ["spot clean", "lumbar support"], "options": ["color: coastline, cotton blue", "size: bolster pillow"], "instruction_attributes": ["lumbar support"], "instruction_options": ["coastline, cotton blue", "bolster pillow"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMR8XE4", "worker_id": "A2Y2TURT2VEYZN"}], "B07BNZ8PR3": [{"asin": "B07BNZ8PR3", "instruction": "i am looking for a blue ottomans for living room", "attributes": ["wood finish", "living room"], "options": ["color: blue"], "instruction_attributes": ["living room"], "instruction_options": ["blue"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FJLD34", "worker_id": "A9QRQL9CFJBI7"}], "B09P754R7V": [{"asin": "B09P754R7V", "instruction": "i need a replacement remote control for the blue ray disk player.", "attributes": ["blu ray", "batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCJPPIW", "worker_id": "ASWFLI3N8X72G"}], "B07FPC4F39": [{"asin": "B07FPC4F39", "instruction": "i want a certified organic clear lip balm made with coconut oil.", "attributes": ["certified organic", "cruelty free", "hyaluronic acid", "coconut oil"], "options": ["color: clear"], "instruction_attributes": ["certified organic", "coconut oil"], "instruction_options": ["clear"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4IS51F", "worker_id": "ASWFLI3N8X72G"}], "B092PDJLH1": [{"asin": "B092PDJLH1", "instruction": "i would like a pair of size 10.5 dark brown cheetah clogs with a non slip rubber sole.", "attributes": ["day comfort", "non slip", "rubber sole"], "options": ["color: dark brown cheetah", "size: 10.5"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["dark brown cheetah", "10.5"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4823UPYB", "worker_id": "A1WS884SI0SLO4"}], "B086LGB4QV": [{"asin": "B086LGB4QV", "instruction": "i need a clear fine mist spray bottle for essential oils which is easy to carry during travel.", "attributes": ["easy carry", "fine mist"], "options": ["color: clear"], "instruction_attributes": ["easy carry", "fine mist"], "instruction_options": ["clear"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNWN8HF", "worker_id": "ASWFLI3N8X72G"}], "B0933MGT9J": [{"asin": "B0933MGT9J", "instruction": "i need an ultra hd security camera which comes with plug and play option.", "attributes": ["ultra hd", "plug play"], "options": [""], "instruction_attributes": ["ultra hd", "plug play"], "instruction_options": [], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK67VYYA", "worker_id": "ASWFLI3N8X72G"}], "B07T1GX1JY": [{"asin": "B07T1GX1JY", "instruction": "pick a pack of long lasting scented candles made of soy wax. it should be of teakwood color.", "attributes": ["lead free", "long lasting", "soy wax"], "options": ["color: teakwood", "size: 1 pack"], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": ["teakwood", "1 pack"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVPGKJC", "worker_id": "A1NF6PELRKACS9"}], "B08QGPCZDS": [{"asin": "B08QGPCZDS", "instruction": "i am looking for a 9.5 sized men's running shoes with synthetic sole . and i choose the 7-black red color", "attributes": ["synthetic sole", "daily wear"], "options": ["color: 7-black red", "size: 9.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["7-black red", "9.5"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OWHEY4", "worker_id": "A2COCSUGZV28X"}], "B071LLSKLF": [{"asin": "B071LLSKLF", "instruction": "hey, can you find me that high quality anti-aging cream that is a special blend made by dr. lancer? and please get the largest tube they make! if the tube comes in different colors, i want purple!", "attributes": ["anti aging", "long lasting", "plant based", "high quality"], "options": [""], "instruction_attributes": ["anti aging", "high quality"], "instruction_options": [], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1A79U6", "worker_id": "A1ZAK79QAHNW2J"}], "B08LNSS2L5": [{"asin": "B08LNSS2L5", "instruction": "i want a black fast charging and high speed usb cable.", "attributes": ["fast charging", "high speed"], "options": ["color: black", "size: 6ft+6ft+6ft"], "instruction_attributes": ["fast charging", "high speed"], "instruction_options": ["black"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSO4X0K", "worker_id": "A1NF6PELRKACS9"}], "B07WDTD26G": [{"asin": "B07WDTD26G", "instruction": "i am looking for steel frame coffee table in pewter color", "attributes": ["clear glass", "coated steel", "steel frame"], "options": ["color: pewter", "style name: nesting tables 20 in. + end table"], "instruction_attributes": ["steel frame"], "instruction_options": ["pewter"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163UPQPL", "worker_id": "A16M39T60N60NO"}], "B07N7TXD25": [{"asin": "B07N7TXD25", "instruction": "i'm looking for queen size and twin sized furniture need to buy it.", "attributes": ["queen size", "twin size"], "options": ["color: brown", "size: chair size (6 x 27 x 75)"], "instruction_attributes": ["queen size", "twin size"], "instruction_options": ["brown"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLYYYBG", "worker_id": "A16IQOX0DK14OJ"}], "B09SD6P473": [{"asin": "B09SD6P473", "instruction": "i'm looking for grocery snacks for make great and perfect gifts.", "attributes": ["great gift", "perfect gift"], "options": [""], "instruction_attributes": ["great gift", "perfect gift"], "instruction_options": [], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKKP1TB", "worker_id": "A16IQOX0DK14OJ"}], "B09K3WY267": [{"asin": "B09K3WY267", "instruction": "i'm looking for blankets the color was boho colorful geometric pattern decor.", "attributes": ["super soft", "machine washable"], "options": ["color: boho colorful geometric pattern decor", "size: 80x60 large for adult"], "instruction_attributes": ["machine washable"], "instruction_options": ["boho colorful geometric pattern decor"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68GQA4Q", "worker_id": "A16IQOX0DK14OJ"}], "B08YDYMV23": [{"asin": "B08YDYMV23", "instruction": "i want a quad core 7\" android kids tablet with iwawa ls, dc, bt, wifi etc", "attributes": ["high performance", "easy carry", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT061PUNV", "worker_id": "A1V2C99HEV3F14"}], "B08NTH3ZSF": [{"asin": "B08NTH3ZSF", "instruction": "i'm looking for a 2 in 1 hair masks that helps to heal damaged hair and also promotes hair growth, should contain argan oil.", "attributes": ["argan oil", "damaged hair", "hair growth"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE220GQ3", "worker_id": "AR0VJ5XRG16UJ"}], "B09H3ND94G": [{"asin": "B09H3ND94G", "instruction": "i am looking for a 32gb 1tb ssd pcle nvme m.2 size intel core minis.", "attributes": ["high resolution", "intel core"], "options": ["size: 32gb 1tb ssd pcle nvme m.2"], "instruction_attributes": ["intel core"], "instruction_options": ["32gb 1tb ssd pcle nvme m.2"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUUA7MCA", "worker_id": "A9QRQL9CFJBI7"}], "B08HLHJCV7": [{"asin": "B08HLHJCV7", "instruction": "find me a regular fitting short sleeved casual shirt with breathable-4 pockets-white in 4x-large sizing.", "attributes": ["machine washable", "hand wash", "short sleeve", "regular fit", "button closure"], "options": ["color: breathable-4 pockets-white", "size: 4x-large"], "instruction_attributes": [], "instruction_options": ["breathable-4 pockets-white"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q24GWS", "worker_id": "A3AYHESLQSDY5T"}], "B08FG98N4P": [{"asin": "B08FG98N4P", "instruction": "i'm looking for a 6ft usb to hdmi adapter cable.", "attributes": ["high performance", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMIIZID", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07TQZPJK8": [{"asin": "B07TQZPJK8", "instruction": "i am looking for disney frozen machine wash, heathers cotton kristoff olaf premium t-shirt for women", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: black", "fit type: women", "size: medium"], "instruction_attributes": ["machine wash", "heathers cotton"], "instruction_options": ["women"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXXCYMF", "worker_id": "AX2EWYWZM19AZ"}], "B09JS19BSF": [{"asin": "B09JS19BSF", "instruction": "i'm looking for a tablet with a high performance 8 inch screen", "attributes": ["high performance", "non slip", "quad core"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB99L8NF", "worker_id": "A2Y2TURT2VEYZN"}], "B01FV5KX2S": [{"asin": "B01FV5KX2S", "instruction": "i'm looking for organic, gluten free dutch cocoa chocolate sauce with a syrup pump", "attributes": ["certified organic", "hand crafted", "non gmo", "gluten free"], "options": ["flavor name: organic simply sugar", "size: 25.4 fl oz (pack of 1)", "style: syrup pump"], "instruction_attributes": ["gluten free"], "instruction_options": ["syrup pump"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZUX40C", "worker_id": "A292TFDMNVS0TP"}, {"asin": "B01FV5KX2S", "instruction": "i would like one organic raspberry syrup pump that is certified organic.", "attributes": ["certified organic", "hand crafted", "non gmo", "gluten free"], "options": ["flavor name: organic raspberry", "size: pack of 1", "style: syrup pump"], "instruction_attributes": ["certified organic"], "instruction_options": ["organic raspberry", "pack of 1", "syrup pump"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVPZXLJ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01FV5KX2S", "instruction": "i need dark chocolate organic syrup", "attributes": ["certified organic", "hand crafted", "non gmo", "gluten free"], "options": ["flavor name: organic dutch cocoa dark chocolate", "size: pack of 1", "style: syrup"], "instruction_attributes": ["certified organic"], "instruction_options": ["organic dutch cocoa dark chocolate"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVF9V8B", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01FV5KX2S", "instruction": "i would like a peach syrup that is organic", "attributes": ["certified organic", "hand crafted", "non gmo", "gluten free"], "options": ["flavor name: organic peach", "size: 25.4 fl oz (pack of 1)", "style: syrup"], "instruction_attributes": ["certified organic"], "instruction_options": ["organic peach"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLO207OS", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01FV5KX2S", "instruction": "i would like a 25.4 fluid ounce bottle of chocolate syrup made with non gmo organic candy cane mint.", "attributes": ["certified organic", "hand crafted", "non gmo", "gluten free"], "options": ["flavor name: organic candy cane mint", "size: 25.4 fl oz (pack of 1)", "style: syrup"], "instruction_attributes": ["non gmo"], "instruction_options": ["organic candy cane mint", "25.4 fl oz (pack of 1)", "syrup"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH152UWHK", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01FV5KX2S", "instruction": "i'm looking for a pack of three non-gmo organic flavor syrups with a pump. look for the pumpkin pie spice flavor.", "attributes": ["certified organic", "hand crafted", "non gmo", "gluten free"], "options": ["flavor name: organic pumpkin pie spice", "size: pack of 3", "style: syrup pump"], "instruction_attributes": ["certified organic", "non gmo"], "instruction_options": ["organic pumpkin pie spice", "pack of 3", "syrup pump"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q2XWG1", "worker_id": "AR9AU5FY1S3RO"}], "B098JPBMPP": [{"asin": "B098JPBMPP", "instruction": "i'm looking for clothing has long sleeve it was dry cleaned it was ed in color.", "attributes": ["loose fit", "wash cold", "hand wash", "machine wash", "long sleeve", "dry clean"], "options": ["color: 7-red", "size: medium"], "instruction_attributes": ["wash cold", "hand wash", "machine wash", "long sleeve", "dry clean"], "instruction_options": ["7-red"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20PA0ZU", "worker_id": "A16IQOX0DK14OJ"}], "B075FGY7G2": [{"asin": "B075FGY7G2", "instruction": "i'm looking for a 37 inch metal and wood platform bed frame with chestnut brown, queen by zinus suzanne", "attributes": ["twin size", "box spring", "solid wood", "steel frame"], "options": ["pattern name: bed frame + mattress, queen", "size: full", "style: 37 inch (chestnut brown)"], "instruction_attributes": ["box spring", "solid wood"], "instruction_options": ["bed frame + mattress, queen", "37 inch (chestnut brown)"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34LW416", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09QV7VDBX": [{"asin": "B09QV7VDBX", "instruction": "i am looking for a black color dust proof and heavy duty protection phone case cover for samsung galaxy s22.", "attributes": ["heavy duty", "dust proof", "case cover", "wireless charging"], "options": ["color: black"], "instruction_attributes": ["heavy duty", "dust proof", "case cover"], "instruction_options": ["black"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS3SVUC", "worker_id": "A1V2JTEEBCXR20"}], "B08NX177PT": [{"asin": "B08NX177PT", "instruction": "i'm looking for cellphone accessories for wireless charging.", "attributes": ["easy install", "tempered glass", "aluminum alloy", "wireless charging"], "options": ["color: green", "size: 12pro"], "instruction_attributes": ["easy install", "wireless charging"], "instruction_options": ["green"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K8H21R", "worker_id": "A16IQOX0DK14OJ"}], "B0989RT3L7": [{"asin": "B0989RT3L7", "instruction": "get me a slim fit hand washable black long sleeved men's suit's jacket in 4x size.", "attributes": ["slim fit", "hand wash", "long sleeve"], "options": ["color: black1", "size: 4x"], "instruction_attributes": ["slim fit", "hand wash", "long sleeve"], "instruction_options": ["black1", "4x"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3FRAY9", "worker_id": "A3AYHESLQSDY5T"}], "B08BXTQX6R": [{"asin": "B08BXTQX6R", "instruction": "i'm looking for a soft gray women's shirt.", "attributes": ["elastic waist", "relaxed fit", "short sleeve"], "options": ["color: soft grey", "size: 2x"], "instruction_attributes": ["short sleeve"], "instruction_options": ["soft grey"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQGXEKW", "worker_id": "A19317A3X87NVM"}], "B07WTW4X4R": [{"asin": "B07WTW4X4R", "instruction": "i am looking for dual band computers", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MJRLW4", "worker_id": "A16M39T60N60NO"}, {"asin": "B07WTW4X4R", "instruction": "i need dual band computer accessories.", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA73RMH0", "worker_id": "A2ECRNQ3X5LEXD"}], "B0777CTZF6": [{"asin": "B0777CTZF6", "instruction": "i would like a purple barstool that is easy to clean and assemble.", "attributes": ["easy clean", "easy assemble", "pu leather", "faux leather"], "options": ["color: purple"], "instruction_attributes": ["easy clean", "easy assemble"], "instruction_options": ["purple"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTMG5VL", "worker_id": "A1WS884SI0SLO4"}], "B09LM8RF2G": [{"asin": "B09LM8RF2G", "instruction": "i need a long lasting walnut curio cabinet with adjustable tempered glass to grace my room.", "attributes": ["long lasting", "tempered glass"], "options": ["color: walnut"], "instruction_attributes": ["long lasting", "tempered glass"], "instruction_options": ["walnut"], "assignment_id": "33TIN5LC0FKDY31374RC144TXYDY9O", "worker_id": "A39VVWV1GHLMFD"}], "B08XX95LLV": [{"asin": "B08XX95LLV", "instruction": "i would like a 6 pack of dental floss good for my oral hygiene.", "attributes": ["stainless steel", "oral hygiene"], "options": ["style: pack of 6, essential"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["pack of 6, essential"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5HXWI5", "worker_id": "A1WS884SI0SLO4"}], "B09FJCV7ZV": [{"asin": "B09FJCV7ZV", "instruction": "a throw pillow covers set for living room color natural-w", "attributes": ["exquisite workmanship", "living room"], "options": ["color: natural-w"], "instruction_attributes": ["living room"], "instruction_options": ["natural-w"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIST84N", "worker_id": "A3N9ZYQAESNFQH"}], "B082D3D9DW": [{"asin": "B082D3D9DW", "instruction": "i'm looking for a wall mobile bookshelf .", "attributes": ["exquisite workmanship", "solid wood", "living room"], "options": [""], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPGSV6Q", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09LQ8V928": [{"asin": "B09LQ8V928", "instruction": "i need wine colored winter warm boxers. pick something in wine color.", "attributes": ["winter warm", "fleece lined", "high waist", "tummy control", "polyester spandex"], "options": ["color: wine", "size: x-large"], "instruction_attributes": ["winter warm"], "instruction_options": ["wine", "x-large"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV153X4", "worker_id": "A1NF6PELRKACS9"}], "B097FGJ473": [{"asin": "B097FGJ473", "instruction": "i want a keto friendly, white chocolate spread which is sugar and gluten free.", "attributes": ["keto friendly", "low carb", "low sugar", "soy free", "sugar free", "non gmo", "gluten free"], "options": ["flavor name: white chocolate"], "instruction_attributes": ["keto friendly", "sugar free", "gluten free"], "instruction_options": ["white chocolate"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907SEAUB", "worker_id": "ASWFLI3N8X72G"}], "B07PW4KZBW": [{"asin": "B07PW4KZBW", "instruction": "i am looking for a posters & prints for living rooms", "attributes": ["ready hang", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34LC41M", "worker_id": "A9QRQL9CFJBI7"}], "B09KLCZPXR": [{"asin": "B09KLCZPXR", "instruction": "i am looking for easy to clean double sided velvet pads.", "attributes": ["double sided", "easy carry", "easy clean", "easy use"], "options": ["color: velvet"], "instruction_attributes": ["double sided", "easy clean"], "instruction_options": ["velvet"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OVWEYH", "worker_id": "A1EREKSZAA9V7B"}], "B09BK6K6XB": [{"asin": "B09BK6K6XB", "instruction": "find me a twin size bunk bed that's white and made from engineered wood.", "attributes": ["twin size", "white item", "engineered wood"], "options": ["color: spider-man tent", "size: white bunk bed", "style: bunk bed"], "instruction_attributes": ["twin size", "white item", "engineered wood"], "instruction_options": ["bunk bed"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIRW48K", "worker_id": "A2CJFO19NY4T5R"}], "B07C7KQQN9": [{"asin": "B07C7KQQN9", "instruction": "i need a slip resistant tactical boot with rubber soles. it should be in size 6.", "attributes": ["slip resistant", "moisture wicking", "rubber outsole", "rubber sole"], "options": ["size: 6"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["6"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH1QZ49", "worker_id": "A1NF6PELRKACS9"}], "B09R4JVD58": [{"asin": "B09R4JVD58", "instruction": "i would like a w35.4\" x l78.7\" hunter green window film that is easy to install.", "attributes": ["white item", "easy install"], "options": ["color: hunter and green 13", "size: w35.4\" x l78.7\""], "instruction_attributes": ["easy install"], "instruction_options": ["hunter and green 13", "w35.4\" x l78.7\""], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBAS6UN", "worker_id": "A1WS884SI0SLO4"}], "B0992DN2BK": [{"asin": "B0992DN2BK", "instruction": "i am looking for golden edge storage bench of faux leather for living room.", "attributes": ["faux leather", "living room"], "options": ["color: golden edge bench", "size: 35x35x35cm(14x14x14inch)"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["golden edge bench"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0Y6W4Y", "worker_id": "A9QRQL9CFJBI7"}], "B07BP14H9C": [{"asin": "B07BP14H9C", "instruction": "i'm looking for want to buy a camera for digital photography. it also easy to carry.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 10x8ft"], "instruction_attributes": ["easy carry", "digital photography"], "instruction_options": ["10x8ft"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06MXXKD", "worker_id": "A16IQOX0DK14OJ"}], "B09QD1G4JC": [{"asin": "B09QD1G4JC", "instruction": "i am looking for a long sleeve t-shirts of large size.", "attributes": ["loose fit", "long sleeve"], "options": ["color: \u720637 - black", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["large"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREO52JH", "worker_id": "A9QRQL9CFJBI7"}], "B09P1NQDFZ": [{"asin": "B09P1NQDFZ", "instruction": "i would like a extra large yellow button down shirt that is machine washable.", "attributes": ["loose fit", "hand wash", "daily casual", "light weight", "fleece lined", "wash cold", "machine wash", "long sleeve", "drawstring waist", "regular fit", "high waist"], "options": ["color: #06-yellow", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["#06-yellow", "x-large"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZSR3KG", "worker_id": "A1WS884SI0SLO4"}], "B09PG9R7TX": [{"asin": "B09PG9R7TX", "instruction": "i am looking for a 52x84inx2 panels for living room.", "attributes": ["exquisite workmanship", "living room"], "options": ["size: 52x84inx2"], "instruction_attributes": ["living room"], "instruction_options": ["52x84inx2"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGKH0O0", "worker_id": "A9QRQL9CFJBI7"}], "B07YMW9BYH": [{"asin": "B07YMW9BYH", "instruction": "i'm looking for a double size, super soft blanket. also, choose 90*90\" black colored one.", "attributes": ["double sided", "super soft"], "options": ["color: black", "size: 90x90\""], "instruction_attributes": ["double sided", "super soft"], "instruction_options": ["black", "90x90\""], "assignment_id": "3TR2532VI040LV46NXNX77Y3USX6JQ", "worker_id": "AR0VJ5XRG16UJ"}], "B09DVQY1RT": [{"asin": "B09DVQY1RT", "instruction": "i am looking for light fixture hanging pendant light with color is black-a", "attributes": ["easy install", "pendant light", "light fixture"], "options": ["color: black-a"], "instruction_attributes": ["pendant light", "light fixture"], "instruction_options": ["black-a"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP8ZD6I", "worker_id": "AX2EWYWZM19AZ"}], "B09285ZVMV": [{"asin": "B09285ZVMV", "instruction": "i want double horn bluetooth wireless speakers which is portable and easy to carry", "attributes": ["easy carry", "wireless bluetooth"], "options": ["color: double horn"], "instruction_attributes": ["easy carry", "wireless bluetooth"], "instruction_options": ["double horn"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TDEMNJ", "worker_id": "ASWFLI3N8X72G"}], "B094663P3J": [{"asin": "B094663P3J", "instruction": "i am looking for a 6 pack of cookie assortments which is keto friendly grain free and sugar free", "attributes": ["keto friendly", "grain free", "low carb", "sugar free", "natural ingredients"], "options": ["flavor name: peanut butter", "size: 6 pack"], "instruction_attributes": ["keto friendly", "grain free", "sugar free"], "instruction_options": ["6 pack"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVCV8V4", "worker_id": "A9QRQL9CFJBI7"}], "B09PC1WJBJ": [{"asin": "B09PC1WJBJ", "instruction": "i am looking for a long sleeved medium sized sweatshirt.", "attributes": ["slim fit", "long sleeve", "soft material", "daily wear"], "options": ["color: h05-white", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXK3WKV", "worker_id": "A1NF6PELRKACS9"}], "B06ZZ5ZNDQ": [{"asin": "B06ZZ5ZNDQ", "instruction": "my sister have natural hair in 15 inch", "attributes": ["stainless steel", "hair extensions", "natural hair"], "options": ["color: #4 | 8a", "size: 15 inch"], "instruction_attributes": ["natural hair"], "instruction_options": ["15 inch"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LW8DCC", "worker_id": "A226L9F2AZ38CL"}], "B005S4J2OS": [{"asin": "B005S4J2OS", "instruction": "i want a 10 ounce bottle of low calorie fries seasonings.", "attributes": ["low sugar", "low calorie", "ready eat", "kosher certified", "gluten free"], "options": ["size: 10 ounce (pack of 1)", "style: wild buffalo"], "instruction_attributes": ["low calorie"], "instruction_options": ["10 ounce (pack of 1)"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKLLVPZ", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B005S4J2OS", "instruction": "i want a ready to eat 9 ounce pack of fries seasoning bottle. it should be low in calories.", "attributes": ["low sugar", "low calorie", "ready eat", "kosher certified", "gluten free"], "options": ["size: 9 ounce (pack of 1)", "style: wild buffalo"], "instruction_attributes": ["low calorie", "ready eat"], "instruction_options": ["9 ounce (pack of 1)"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFHS5UL", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B005S4J2OS", "instruction": "i am really looking for a low sugar flame grilled bbq meat seasoning that comes in 8 ounces", "attributes": ["low sugar", "low calorie", "ready eat", "kosher certified", "gluten free"], "options": ["size: 8 ounce (pack of 1)", "style: flame grilled bbq"], "instruction_attributes": ["low sugar"], "instruction_options": ["8 ounce (pack of 1)", "flame grilled bbq"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCG6SJ8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08PG3FKPY": [{"asin": "B08PG3FKPY", "instruction": "i'm looking for open toe shoes for women's it was blue in color.", "attributes": ["open toe", "faux fur", "synthetic sole"], "options": ["color: blue", "size: 8"], "instruction_attributes": ["open toe"], "instruction_options": ["blue"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZLQ7CY", "worker_id": "A16IQOX0DK14OJ"}], "B00IHO11FE": [{"asin": "B00IHO11FE", "instruction": "i am looking for trader joe and chocolate covered blueberries", "attributes": ["trader joe", "chocolate covered"], "options": [""], "instruction_attributes": ["trader joe", "chocolate covered"], "instruction_options": [], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUT8QJ6", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B00IHO11FE", "instruction": "i would like a chocolate covered fruit from trader joes.", "attributes": ["trader joe", "chocolate covered"], "options": [""], "instruction_attributes": ["trader joe", "chocolate covered"], "instruction_options": [], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGT0CM7F", "worker_id": "A1WS884SI0SLO4"}], "B09QPKTKP6": [{"asin": "B09QPKTKP6", "instruction": "a men's winter warm loose fit made from quality polyester xx- large casual pant color: gray", "attributes": ["loose fit", "winter warm", "straight leg", "water resistant", "fleece lined", "slim fit", "quality polyester", "gym workout"], "options": ["color: gray", "size: xx-large"], "instruction_attributes": ["loose fit", "winter warm", "quality polyester"], "instruction_options": ["gray", "xx-large"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQFJJC8", "worker_id": "A3N9ZYQAESNFQH"}], "B09N9LKT3L": [{"asin": "B09N9LKT3L", "instruction": "i am looking for high definition high power pink colour portable bluetooth speakers", "attributes": ["high definition", "power amplifier", "high power"], "options": ["color: pink"], "instruction_attributes": ["high definition", "high power"], "instruction_options": ["pink"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI83OSS1", "worker_id": "A3N9ZYQAESNFQH"}], "B082W1GZVL": [{"asin": "B082W1GZVL", "instruction": "i am looking for leak proof soap dispenser. please select white one.", "attributes": ["leak proof", "travel bottles"], "options": ["color: white", "size: 250ml"], "instruction_attributes": ["leak proof"], "instruction_options": ["white"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A1DHFK", "worker_id": "A3FG5PQHG5AH3Y"}], "B091N91BZ8": [{"asin": "B091N91BZ8", "instruction": "i am looking for a white power dental flossers for bad breath.", "attributes": ["leak proof", "bad breath"], "options": ["color: white"], "instruction_attributes": ["bad breath"], "instruction_options": ["white"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CDR0VF", "worker_id": "A9QRQL9CFJBI7"}], "B09LMC456K": [{"asin": "B09LMC456K", "instruction": "i'm looking for bench it can easily assemble a living room.", "attributes": ["heavy duty", "easy assemble", "storage space", "pu leather", "living room"], "options": ["color: pink"], "instruction_attributes": ["easy assemble", "living room"], "instruction_options": ["pink"], "assignment_id": "326O153BMT8RVOXTJJKKGXV3683EDO", "worker_id": "A16IQOX0DK14OJ"}], "B09LYMF164": [{"asin": "B09LYMF164", "instruction": "i am looking for an easy to use yellow children's toothbrush.", "attributes": ["teeth whitening", "easy use"], "options": ["color: yellow", "size: 2-6 year"], "instruction_attributes": ["easy use"], "instruction_options": ["yellow"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5G3IWV", "worker_id": "A1EREKSZAA9V7B"}], "B07ZXMXZF6": [{"asin": "B07ZXMXZF6", "instruction": "i'm looking for a tea bags which is sugar free and gluten free and also of good quality ingredients. also choose a pack of 1 weights 1.32 ounce, coconut with green tea flavored one.", "attributes": ["sugar free", "non gmo", "gluten free", "quality ingredients"], "options": ["flavor name: coconut with green tea", "size: 1.32 ounce (pack of 1)"], "instruction_attributes": ["sugar free", "gluten free", "quality ingredients"], "instruction_options": ["coconut with green tea", "1.32 ounce (pack of 1)"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MK9LWO", "worker_id": "AR0VJ5XRG16UJ"}], "B00VC3681O": [{"asin": "B00VC3681O", "instruction": "i am searching for individually wrapped gummy candies.", "attributes": ["individually wrapped", "party supplies"], "options": [""], "instruction_attributes": ["individually wrapped"], "instruction_options": [], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFFWU5A", "worker_id": "A9ZM1P6LBW79"}], "B08PL59YNK": [{"asin": "B08PL59YNK", "instruction": "i want a long lasting comforter that is super soft and paw patrol colored.", "attributes": ["twin size", "super soft", "long lasting"], "options": ["color: paw patrol", "size: 5 piece twin size"], "instruction_attributes": ["super soft", "long lasting"], "instruction_options": ["paw patrol"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOKSF0X", "worker_id": "A1NF6PELRKACS9"}], "B09KY9P8CD": [{"asin": "B09KY9P8CD", "instruction": "i'm looking for nail polish for nail art to make our nail look beautiful.", "attributes": ["long lasting", "nail polish", "nail art"], "options": ["color: pink"], "instruction_attributes": ["nail polish", "nail art"], "instruction_options": ["pink"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1AXU9H", "worker_id": "A16IQOX0DK14OJ"}], "B09NXV65LV": [{"asin": "B09NXV65LV", "instruction": "i am looking for a long sleeve jumpsuits of 001-red.", "attributes": ["hand wash", "slim fit", "long sleeve", "dry clean"], "options": ["color: 001-red", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["001-red"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8WR8GX", "worker_id": "A9QRQL9CFJBI7"}], "B094W12V1M": [{"asin": "B094W12V1M", "instruction": "i'm looking for a nightstand with tempered glass for living room, size 19.7x11.8x23\" in retro brown color", "attributes": ["easy assemble", "tempered glass", "storage space", "living room"], "options": ["color: retro brown", "size: 19.7\"x11.8\"x23.6\""], "instruction_attributes": ["tempered glass", "living room"], "instruction_options": ["retro brown", "19.7\"x11.8\"x23.6\""], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOFULLO", "worker_id": "A2Y2TURT2VEYZN"}], "B099RSZNWJ": [{"asin": "B099RSZNWJ", "instruction": "i am looking for a fully cooked bow-tie of spaghetti pasta flavor", "attributes": ["fully cooked", "ready eat"], "options": ["flavor name: spaghetti pasta"], "instruction_attributes": ["fully cooked"], "instruction_options": ["spaghetti pasta"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GEIUZV", "worker_id": "A9QRQL9CFJBI7"}], "B07VJLBD4J": [{"asin": "B07VJLBD4J", "instruction": "i am looking for gluten free turquoise edible glitter for cakes.", "attributes": ["kosher certified", "dairy free", "gluten free"], "options": ["color: turquoise", "size: 454g (1lb)"], "instruction_attributes": ["gluten free"], "instruction_options": ["turquoise"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1LGITY", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07VJLBD4J", "instruction": "i need a one pound bag of pink glitter that is kosher.", "attributes": ["kosher certified", "dairy free", "gluten free"], "options": ["color: deep pink", "size: 454g (1lb)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["deep pink", "454g (1lb)"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G76A47F", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GQ711QJ": [{"asin": "B07GQ711QJ", "instruction": "i'm looking for a waterproof carrying case that can help secure my binoculars while bird watching.", "attributes": ["carrying case", "bird watching"], "options": [""], "instruction_attributes": ["carrying case", "bird watching"], "instruction_options": [], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH2E6HA", "worker_id": "A1HMZJ59OPLD1P"}], "B09LM1WPPS": [{"asin": "B09LM1WPPS", "instruction": "i'm looking for made a cup cakes for birthday parties.", "attributes": ["cupcake picks", "party supplies", "baby shower", "birthday party"], "options": ["style: rose gold hello 2022"], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": ["rose gold hello 2022"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTZYM7Z", "worker_id": "A16IQOX0DK14OJ"}], "B08L5716H4": [{"asin": "B08L5716H4", "instruction": "i am looking for lake blue ridge parkway artwork-14 paintings for living room and its size is 48''wx24''h", "attributes": ["ready hang", "living room"], "options": ["color: artwork-14", "size: 48''wx24''h"], "instruction_attributes": ["living room"], "instruction_options": ["artwork-14", "48''wx24''h"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69NFP8J", "worker_id": "A258PTOZ3D2TQR"}], "B075WR97Q1": [{"asin": "B075WR97Q1", "instruction": "i'm looking for a standard plug and play computer mouse that is wired, preferably black.", "attributes": ["compatible apple", "plug play"], "options": ["color: gmaergbt15 black", "size: wired"], "instruction_attributes": ["plug play"], "instruction_options": ["gmaergbt15 black", "wired"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUBDMRJ", "worker_id": "A3EDFA8UQT5GG8"}], "B001EAYN44": [{"asin": "B001EAYN44", "instruction": "i want to buy a bronze wall scone with a bronze finish also. i would like it in the large size.", "attributes": ["bronze finish", "glass shade"], "options": ["color: bronze", "size: large", "style: flush mount"], "instruction_attributes": ["bronze finish"], "instruction_options": ["bronze", "large"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W9UUO6", "worker_id": "AHXHM1PQTRWIQ"}], "B098VVZ7F7": [{"asin": "B098VVZ7F7", "instruction": "show me a day comfort knee high open toe z8-khaki open toe boots in 5.5 size made with quality materials.", "attributes": ["knee high", "day comfort", "open toe", "quality materials"], "options": ["color: z8-khaki", "size: 5.5"], "instruction_attributes": ["knee high", "day comfort", "open toe"], "instruction_options": ["z8-khaki", "5.5"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WPCQWW", "worker_id": "A3AYHESLQSDY5T"}], "B073RG7HYZ": [{"asin": "B073RG7HYZ", "instruction": "i need high quality hair extensions that are 18 inches in size.", "attributes": ["high quality", "hair extensions"], "options": ["color: #bala8 | 60", "size: 18 inch (pack of 1)"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["18 inch (pack of 1)"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQDVS6H", "worker_id": "A1NF6PELRKACS9"}], "B07CMBP6W2": [{"asin": "B07CMBP6W2", "instruction": "i'm interested in this product, show me eye makeup remover, earth science, 4 fl oz (pack of 1), with green tea, hyaluronic acid.", "attributes": ["alcohol free", "fragrance free", "eco friendly", "cruelty free", "green tea", "hyaluronic acid", "natural ingredients"], "options": ["size: 4 fl oz (pack of 1)"], "instruction_attributes": ["green tea", "hyaluronic acid"], "instruction_options": ["4 fl oz (pack of 1)"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C5HPH8", "worker_id": "A15IJ20C3R4HUO"}], "B07KYK1KCK": [{"asin": "B07KYK1KCK", "instruction": "i'm looking for a usb rechargeable lithium d batteries.", "attributes": ["fast charging", "usb port"], "options": ["size: d cell 2 pack"], "instruction_attributes": ["usb port"], "instruction_options": ["d cell 2 pack"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VGK8EO", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09MF9SMHM": [{"asin": "B09MF9SMHM", "instruction": "i am looking for black-1029 coaxial cable for smart tv.", "attributes": ["easy install", "high definition", "coaxial cable", "4g lte"], "options": ["color: us flag", "size: black-1029"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["black-1029"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR48AUFR", "worker_id": "A3FG5PQHG5AH3Y"}], "B01HJW66RW": [{"asin": "B01HJW66RW", "instruction": "i am looking for gold plated cables with size of 8 feet", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["product packaging: 1 pack", "size: 8 feet (5-pack)", "style: hdmi male to male"], "instruction_attributes": ["gold plated"], "instruction_options": ["8 feet (5-pack)"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUJYZVS", "worker_id": "A16M39T60N60NO"}], "B07DDDHX7J": [{"asin": "B07DDDHX7J", "instruction": "i would like a small midweight beige thermal underwear top that has long sleeves.", "attributes": ["fleece lined", "nylon spandex", "tummy control", "high waist", "long sleeve"], "options": ["color: 3. heavyweight beige 1 top", "size: small", "special size: 200 - midweight"], "instruction_attributes": ["long sleeve"], "instruction_options": ["3. heavyweight beige 1 top", "small", "200 - midweight"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V5F2UR", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07DDDHX7J", "instruction": "i want a small fleece lined long sleeve crew neck shirt.", "attributes": ["fleece lined", "nylon spandex", "tummy control", "high waist", "long sleeve"], "options": ["color: 1. lightweight dark heather gray 1 top", "size: small", "special size: 300 - heavyweight"], "instruction_attributes": ["fleece lined"], "instruction_options": ["small"], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVY3KDIA", "worker_id": "A2RBF3IIJP15IH"}], "B09FQ8GYM5": [{"asin": "B09FQ8GYM5", "instruction": "find me a long sleeve top for my teenage girl. she is x-large.", "attributes": ["long sleeve", "teen girls"], "options": ["color: 4-gray", "size: x-large"], "instruction_attributes": ["long sleeve", "teen girls"], "instruction_options": ["x-large"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT8L738", "worker_id": "A1NF6PELRKACS9"}], "B01N96L9BB": [{"asin": "B01N96L9BB", "instruction": "i am looking for cal 100w eupen metal adjustable floor lamp with assembly required", "attributes": ["assembly required", "bronze finish"], "options": [""], "instruction_attributes": ["assembly required"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZMD1Y6", "worker_id": "AX2EWYWZM19AZ"}], "B075Q4N3T7": [{"asin": "B075Q4N3T7", "instruction": "i am looking for men\u2019s running shoes size 10 which are light weight and slip resisistance.", "attributes": ["light weight", "slip resistant"], "options": ["color: light green", "size: 10"], "instruction_attributes": ["light weight", "slip resistant"], "instruction_options": ["10"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K8V124", "worker_id": "AHU9OLV0YKIIW"}], "B01HYA8V86": [{"asin": "B01HYA8V86", "instruction": "i'm looking for hair products to white strong spray for hair loss products. it can very easy method.", "attributes": ["easy apply", "hair loss"], "options": ["color: white + strong spray"], "instruction_attributes": ["easy apply", "hair loss"], "instruction_options": ["white + strong spray"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3YIU1H", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01HYA8V86", "instruction": "i am looking for hair building fibers that are light brown for hair loss.", "attributes": ["easy apply", "hair loss"], "options": ["color: light brown + strong spray"], "instruction_attributes": ["hair loss"], "instruction_options": ["light brown + strong spray"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LFWSPS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CM2NX9N": [{"asin": "B09CM2NX9N", "instruction": "i am looking for non toxic storage case for for travel usage", "attributes": ["non toxic", "storage case"], "options": [""], "instruction_attributes": ["non toxic", "storage case"], "instruction_options": [], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YRP8TY", "worker_id": "A16M39T60N60NO"}], "B07GXYHZ2D": [{"asin": "B07GXYHZ2D", "instruction": "i am looking for apple ipad mini 4, 1080p hd and color is silver", "attributes": ["1080p hd", "quad core"], "options": ["color: silver", "size: 128gb wifi + cellular"], "instruction_attributes": ["1080p hd"], "instruction_options": ["silver"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZWFAND", "worker_id": "AX2EWYWZM19AZ"}], "B095J6KZYR": [{"asin": "B095J6KZYR", "instruction": "i'm looking for a ten pack of dairy free, non-gmo plant based sausage breakfast sandwiches.", "attributes": ["plant based", "dairy free", "non gmo"], "options": ["flavor name: veggie", "size: 5.5 ounce (pack of 10)"], "instruction_attributes": ["plant based", "dairy free", "non gmo"], "instruction_options": ["veggie", "5.5 ounce (pack of 10)"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LMX09Q", "worker_id": "AR9AU5FY1S3RO"}], "B01LK0PRUQ": [{"asin": "B01LK0PRUQ", "instruction": "i am looking for fine mist women fragrance.", "attributes": ["design house", "long lasting", "fine mist"], "options": [""], "instruction_attributes": ["fine mist"], "instruction_options": [], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7JHN5P", "worker_id": "A3FG5PQHG5AH3Y"}], "B00EF4G6FK": [{"asin": "B00EF4G6FK", "instruction": "i am looking for a black home office desk chairs for lumbar support.", "attributes": ["heavy duty", "easy assemble", "lumbar support"], "options": ["color: black"], "instruction_attributes": ["lumbar support"], "instruction_options": ["black"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPA3ROC", "worker_id": "A9QRQL9CFJBI7"}], "B08R6XR5DF": [{"asin": "B08R6XR5DF", "instruction": "i am looking for a z-5 green long sleeve women clothing", "attributes": ["machine wash", "slim fit", "long sleeve", "gym workout"], "options": ["color: z-5 green", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["z-5 green"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP62RVDU", "worker_id": "A9QRQL9CFJBI7"}], "B09LDC4N41": [{"asin": "B09LDC4N41", "instruction": "i would like a pair of size 9 grey snow boots that are water resistant.", "attributes": ["water resistant", "winter warm", "light weight", "anti slip", "rubber sole"], "options": ["color: grey", "size: 9"], "instruction_attributes": ["water resistant"], "instruction_options": ["grey", "9"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7YE5PZ", "worker_id": "A1WS884SI0SLO4"}], "B08L1WD434": [{"asin": "B08L1WD434", "instruction": "i'm looking for furniture for kitchen a buy a desk for home office and coated steel and need buy it.", "attributes": ["heavy duty", "easy clean", "coated steel"], "options": ["color: vintage and black", "size: 31 inch"], "instruction_attributes": ["easy clean", "coated steel"], "instruction_options": ["vintage and black"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNSWJF4", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08L1WD434", "instruction": "i need 55 inch , teak color and easy clean modern simple style desk for home office", "attributes": ["heavy duty", "easy clean", "coated steel"], "options": ["color: teak", "size: 55 inch"], "instruction_attributes": ["easy clean"], "instruction_options": ["teak", "55 inch"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4XALPG0", "worker_id": "A258PTOZ3D2TQR"}], "B09MCNYCH1": [{"asin": "B09MCNYCH1", "instruction": "i'm looking for multi colored home decor products.", "attributes": ["eco friendly", "living room"], "options": ["color: multi-01563", "size: 17.7\" x 35.4\" x 2 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["multi-01563"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LCW1OD", "worker_id": "A16IQOX0DK14OJ"}], "B07MBZTLVJ": [{"asin": "B07MBZTLVJ", "instruction": "i would like a bundle set of earbud headphones that are water resistant.", "attributes": ["water resistant", "high performance", "easy use"], "options": ["size: bundle"], "instruction_attributes": ["water resistant"], "instruction_options": ["bundle"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBAL6UG", "worker_id": "A1WS884SI0SLO4"}], "B095NN1RHK": [{"asin": "B095NN1RHK", "instruction": "i am looking for hair trimmer for beauty salon.", "attributes": ["easy use", "non slip", "easy clean", "beauty salon", "hair cutting"], "options": [""], "instruction_attributes": ["beauty salon"], "instruction_options": [], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXN6Z2P", "worker_id": "A3FG5PQHG5AH3Y"}], "B08T1RWS5Q": [{"asin": "B08T1RWS5Q", "instruction": "i need a pair of nice indigo pants for hand wash only.", "attributes": ["hand wash", "elastic closure", "elastic waist", "tumble dry"], "options": ["color: blue fish", "size: one size"], "instruction_attributes": ["hand wash"], "instruction_options": ["blue fish"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTP4TKJ", "worker_id": "A19317A3X87NVM"}], "B07TXLYSRV": [{"asin": "B07TXLYSRV", "instruction": "i'm looking for temporary tattoos for women's and it was sensitive skin and it also with dry skin.", "attributes": ["easy apply", "non toxic", "long lasting", "high quality", "coconut oil", "dry skin", "sensitive skin"], "options": ["pattern name: white henna"], "instruction_attributes": ["easy apply", "long lasting", "coconut oil", "dry skin", "sensitive skin"], "instruction_options": ["white henna"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SWMUDA", "worker_id": "A16IQOX0DK14OJ"}], "B07CRQD2HF": [{"asin": "B07CRQD2HF", "instruction": "looking for women's plus size fineline denim jegging which is machine washable and have regular fit and colour must be radiant purple", "attributes": ["machine wash", "elastic waistband", "regular fit"], "options": ["color: radiant purple", "size: 30 plus petite"], "instruction_attributes": ["machine wash", "regular fit"], "instruction_options": ["radiant purple"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP6SAO0", "worker_id": "A10OGH5CQBXL5N"}], "B09PLGRKBR": [{"asin": "B09PLGRKBR", "instruction": "i want long lasting eye shadow in color c.", "attributes": ["long lasting", "highly pigmented", "eye shadow"], "options": ["color: c"], "instruction_attributes": ["long lasting", "eye shadow"], "instruction_options": ["c"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTF9N9P", "worker_id": "A1NF6PELRKACS9"}], "B07J5S57B9": [{"asin": "B07J5S57B9", "instruction": "i want a desktop computer with intel quad core i5 processor.", "attributes": ["core i5", "quad core"], "options": [""], "instruction_attributes": ["core i5", "quad core"], "instruction_options": [], "assignment_id": "37M28K1J01N18XG9DA49NC0PQCFJAN", "worker_id": "ASWFLI3N8X72G"}], "B07R5C65BW": [{"asin": "B07R5C65BW", "instruction": "i am looking for a low fat low calorie jerky", "attributes": ["low fat", "low calorie"], "options": [""], "instruction_attributes": ["low fat", "low calorie"], "instruction_options": [], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AR5WBO", "worker_id": "A9QRQL9CFJBI7"}], "B09FQ693YW": [{"asin": "B09FQ693YW", "instruction": "i am looking for a round w | glass top coffee tables for living room.", "attributes": ["mid century", "space saving", "living room"], "options": ["color: espresso", "size: round w | glass top"], "instruction_attributes": ["living room"], "instruction_options": ["round w | glass top"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZBZWUQ", "worker_id": "A9QRQL9CFJBI7"}], "B00LYHHE7A": [{"asin": "B00LYHHE7A", "instruction": "i am looking for chocolate covered cream bon in a 8 ounce, holly box", "attributes": ["chocolate covered", "great gift"], "options": ["flavor: holly box", "size: 8 ounce"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["holly box", "8 ounce"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0T3ACZ", "worker_id": "A258PTOZ3D2TQR"}], "B093YVQFH4": [{"asin": "B093YVQFH4", "instruction": "i'm looking for a laundry bag", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMXXG22", "worker_id": "A2Y2TURT2VEYZN"}], "B09H6ZRY27": [{"asin": "B09H6ZRY27", "instruction": "i'm looking for skin care for lip care products want to buy.", "attributes": ["easy carry", "long lasting", "fine lines"], "options": [""], "instruction_attributes": ["easy carry", "long lasting"], "instruction_options": [], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OPF99X", "worker_id": "A16IQOX0DK14OJ"}], "B07GW6PTJN": [{"asin": "B07GW6PTJN", "instruction": "looking for bamboo toothbrush with charcoal bristles", "attributes": ["eco friendly", "bpa free", "cruelty free"], "options": ["color: kids! soft - flat - charcoal bristles", "size: 1 count (pack of 1)"], "instruction_attributes": ["eco friendly"], "instruction_options": ["kids! soft - flat - charcoal bristles"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3K7YRZ", "worker_id": "A10OGH5CQBXL5N"}], "B009GUNDTU": [{"asin": "B009GUNDTU", "instruction": "i want high performance 6 ft usb 2.0 male to male cable color black", "attributes": ["gold plated", "high performance"], "options": ["color: black", "pattern name: cable + 6ft usb 2.0 a male to b male cable", "size: 10 feet"], "instruction_attributes": ["high performance"], "instruction_options": ["black", "cable + 6ft usb 2.0 a male to b male cable"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTQR4VL", "worker_id": "A3N9ZYQAESNFQH"}], "B077JT9MWC": [{"asin": "B077JT9MWC", "instruction": "i am looking for leak proof travel bottle. please choose pack of 50.", "attributes": ["bpa free", "leak proof", "non toxic", "long lasting", "travel bottles"], "options": ["color: clear", "size: pack of 50"], "instruction_attributes": ["leak proof", "travel bottles"], "instruction_options": ["pack of 50"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRSPZBV", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B077JT9MWC", "instruction": "i'm looking for a pack of 96 eight-ounce amber-colored travel bottles that are bpa free.", "attributes": ["bpa free", "leak proof", "non toxic", "long lasting", "travel bottles"], "options": ["color: amber", "size: pack of 96"], "instruction_attributes": ["bpa free", "travel bottles"], "instruction_options": ["amber", "pack of 96"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZJN7CR", "worker_id": "A345TDMHP3DQ3G"}], "B0928MYN4B": [{"asin": "B0928MYN4B", "instruction": "i'm looking for black colored round table accent table for bedroom uses.", "attributes": ["non slip", "space saving", "easy clean", "easy assemble", "solid wood", "living room"], "options": ["color: black walnut"], "instruction_attributes": ["easy clean", "living room"], "instruction_options": ["black walnut"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HY41DV", "worker_id": "A16IQOX0DK14OJ"}], "B00XS4M5NU": [{"asin": "B00XS4M5NU", "instruction": "i am looking for a wild orchid round lip gross which is cruelty free.", "attributes": ["cruelty free", "highly pigmented"], "options": ["color: wild orchid"], "instruction_attributes": ["cruelty free"], "instruction_options": ["wild orchid"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR4BA0B", "worker_id": "AHU9OLV0YKIIW"}], "B09Q91CSQW": [{"asin": "B09Q91CSQW", "instruction": "i'm looking for open toe pillow slippers for need to buy it.", "attributes": ["open toe", "knee high", "high heel", "ankle strap", "closed toe"], "options": ["color: p-aa-khaki", "size: 6.5"], "instruction_attributes": ["open toe", "knee high", "high heel"], "instruction_options": ["p-aa-khaki"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC6V0DO", "worker_id": "A16IQOX0DK14OJ"}], "B083FWFFZ9": [{"asin": "B083FWFFZ9", "instruction": "i'm looking for hair removal for women's for rose gold it easy to use.", "attributes": ["rose gold", "hair growth"], "options": [""], "instruction_attributes": ["rose gold"], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR3CA0A", "worker_id": "A16IQOX0DK14OJ"}], "B00BPBCHEU": [{"asin": "B00BPBCHEU", "instruction": "i'm looking for a pack of towelette deodorant long lasting with 10 in sensitive scent", "attributes": ["anti perspirant", "long lasting", "tea tree"], "options": ["scent: sensitive", "size: 10 count (pack of 1)"], "instruction_attributes": ["long lasting"], "instruction_options": ["sensitive", "10 count (pack of 1)"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB15WULY", "worker_id": "A2Y2TURT2VEYZN"}], "B08LNWS2QJ": [{"asin": "B08LNWS2QJ", "instruction": "i am looking for an assorted chocolate gift set that i can present to a friend.", "attributes": ["individually wrapped", "gift set", "great gift"], "options": [""], "instruction_attributes": ["gift set"], "instruction_options": [], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK673YYI", "worker_id": "AHXHM1PQTRWIQ"}], "B09QHR4TMP": [{"asin": "B09QHR4TMP", "instruction": "i am looking for long lasting disney cinderella kids 3.4oz edt spray", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS22VUK", "worker_id": "AX2EWYWZM19AZ"}], "B000YOU23C": [{"asin": "B000YOU23C", "instruction": "i'm looking for a cruelty free certified body wash which is made of natural ingredients for dry skin. also, choose pack of 1 with 16 fl oz one.", "attributes": ["cruelty free", "natural ingredients", "dry skin"], "options": ["size: 16 fl oz (pack of 1)"], "instruction_attributes": ["cruelty free", "natural ingredients", "dry skin"], "instruction_options": ["16 fl oz (pack of 1)"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJNFO92", "worker_id": "AR0VJ5XRG16UJ"}], "B092VTRBLX": [{"asin": "B092VTRBLX", "instruction": "i need a black colored shower sponge with a long handle.", "attributes": ["easy clean", "long handle"], "options": ["style: black 60g"], "instruction_attributes": ["long handle"], "instruction_options": ["black 60g"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3NLZL2", "worker_id": "A19317A3X87NVM"}], "B081YY68XK": [{"asin": "B081YY68XK", "instruction": "i would like some 54w x 29l rose straight leg jeans.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: the rose (waterless)", "size: 54w x 29l"], "instruction_attributes": ["straight leg"], "instruction_options": ["the rose (waterless)", "54w x 29l"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1MAEGTY", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B081YY68XK", "instruction": "i am looking for men's jeans of unleaded medium indigo color that is machine washable.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: unleaded - medium indigo", "size: 66w x 30l"], "instruction_attributes": ["machine wash"], "instruction_options": ["unleaded - medium indigo"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK22UIM", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B081YY68XK", "instruction": "i would like some straight leg jeans that are a size 52w by 28l", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: the ben", "size: 52w x 28l"], "instruction_attributes": ["straight leg"], "instruction_options": ["52w x 28l"], "assignment_id": "31JLPPHS254FPN8LK8H48035JVMO32", "worker_id": "A2ECRNQ3X5LEXD"}], "B09BJFKS2R": [{"asin": "B09BJFKS2R", "instruction": "i'm looking for skin care products that color black i need to buy.", "attributes": ["easy carry", "easy use"], "options": ["color: black"], "instruction_attributes": ["easy carry", "easy use"], "instruction_options": ["black"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTEZ5D7", "worker_id": "A16IQOX0DK14OJ"}], "B08SJ52X11": [{"asin": "B08SJ52X11", "instruction": "i'm looking for assembly required for home office chairs with wheels and it want to buy it.", "attributes": ["assembly required", "lumbar support"], "options": ["color: blue"], "instruction_attributes": ["assembly required", "lumbar support"], "instruction_options": ["blue"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWY3C1H", "worker_id": "A16IQOX0DK14OJ"}], "B00PG32AZO": [{"asin": "B00PG32AZO", "instruction": "i'm looking for 3.17 ounce coconut chips with tropical mango flavor and it should be soy free", "attributes": ["non gmo", "gluten free", "soy free", "plant based"], "options": ["flavor name: tropical mango", "size: 3.17 ounce (pack of 12)"], "instruction_attributes": ["soy free"], "instruction_options": ["tropical mango", "3.17 ounce (pack of 12)"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7WPUCP", "worker_id": "A1Q0EUNCS50S8M"}], "B08R3MDTTQ": [{"asin": "B08R3MDTTQ", "instruction": "i am looking for an easy to install iphone 12 case with a butterfly orchid design on it.", "attributes": ["easy install", "wireless charging"], "options": ["color: butterfly orchid"], "instruction_attributes": ["easy install"], "instruction_options": ["butterfly orchid"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC0YYZY", "worker_id": "AJDQGOTMB2D80"}], "B0993BSYGB": [{"asin": "B0993BSYGB", "instruction": "i need a dust proof carrying case for my vr head set.", "attributes": ["dust proof", "carrying case"], "options": [""], "instruction_attributes": ["dust proof", "carrying case"], "instruction_options": [], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVY09IDY", "worker_id": "A1NF6PELRKACS9"}], "B07TK36W5Z": [{"asin": "B07TK36W5Z", "instruction": "i am looking for a sulfate & paraben free shampoo", "attributes": ["paraben free", "sulfate free", "cruelty free", "argan oil", "sensitive skin"], "options": ["size: shampoo"], "instruction_attributes": ["paraben free", "sulfate free"], "instruction_options": ["shampoo"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P751SVL", "worker_id": "A9QRQL9CFJBI7"}], "B00MG4X33Y": [{"asin": "B00MG4X33Y", "instruction": "i need a king size bed with faux leather upholstery. pick one in dark brown.", "attributes": ["faux leather", "king size", "contemporary design", "box spring"], "options": ["color: dark brown", "size: full"], "instruction_attributes": ["faux leather", "king size"], "instruction_options": ["dark brown"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYPJN7B", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B00MG4X33Y", "instruction": "i am looking for a contemporary designed california king faux leather bed.", "attributes": ["faux leather", "king size", "contemporary design", "box spring"], "options": ["color: grey", "size: california king"], "instruction_attributes": ["faux leather", "contemporary design"], "instruction_options": ["california king"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7V1P50", "worker_id": "A2KW17G25L25R8"}], "B0851J4RR2": [{"asin": "B0851J4RR2", "instruction": "i'm looking for pink colored rectangular kitchen rugs for dinning table.", "attributes": ["dining room", "living room"], "options": ["color: pink", "item shape: rectangular", "size: 5 ft"], "instruction_attributes": ["dining room"], "instruction_options": ["pink", "rectangular"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN0MPTU", "worker_id": "A16IQOX0DK14OJ"}], "B09DV92FT3": [{"asin": "B09DV92FT3", "instruction": "i am looking for a medium long sleeve shirts for men", "attributes": ["winter warm", "slim fit", "daily casual", "light weight", "fleece lined", "short sleeve", "long sleeve", "faux fur", "gym workout"], "options": ["color: 3 red", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZY7ZJR", "worker_id": "A9QRQL9CFJBI7"}], "B09C8D6JL9": [{"asin": "B09C8D6JL9", "instruction": "i am looking for nickel color pendant lights that are easy to install.", "attributes": ["easy install", "pendant light", "brushed nickel"], "options": ["color: nickel", "size: b style"], "instruction_attributes": ["easy install"], "instruction_options": ["nickel"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21P0FQ7", "worker_id": "A1Q8PPQQCWGY0D"}], "B0831R944X": [{"asin": "B0831R944X", "instruction": "tropical fruit punch drink", "attributes": ["non alcoholic", "source vitamin"], "options": ["flavor name: tropical fruit punch"], "instruction_attributes": ["source vitamin"], "instruction_options": ["tropical fruit punch"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XRSGNV", "worker_id": "A10OGH5CQBXL5N"}], "B08F4S851D": [{"asin": "B08F4S851D", "instruction": "can i get a wireless charging station dock for my iphone xr which is fast charging ?", "attributes": ["fast charging", "aluminum alloy", "wireless charging"], "options": [""], "instruction_attributes": ["fast charging", "wireless charging"], "instruction_options": [], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODN1EWN", "worker_id": "AHU9OLV0YKIIW"}], "B09HBLKBX7": [{"asin": "B09HBLKBX7", "instruction": "i'm looking for a 6pcs amosfun heart cake toppers.", "attributes": ["birthday cake", "cupcake picks", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["birthday party"], "instruction_options": ["pink"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA1J8AQ", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08PDP4LVH": [{"asin": "B08PDP4LVH", "instruction": "looking for phone ring light with aaa batteries", "attributes": ["batteries included", "easy use", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGLJO0S", "worker_id": "A10OGH5CQBXL5N"}], "B07YG49L5F": [{"asin": "B07YG49L5F", "instruction": "i am looking for a women's arch support ankle boots which contain soft memory foam. also choose brown in color and us 9 size.", "attributes": ["non slip", "arch support", "memory foam"], "options": ["color: brown", "size: us:9"], "instruction_attributes": ["arch support", "memory foam"], "instruction_options": ["brown", "us:9"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3SXZMQ", "worker_id": "A2HMEGTAFO0CS8"}], "B08DM4LXJD": [{"asin": "B08DM4LXJD", "instruction": "i am looking for nickel finish floor lamp", "attributes": ["brushed nickel", "nickel finish"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5WO4FI", "worker_id": "A16M39T60N60NO"}], "B09784RRXP": [{"asin": "B09784RRXP", "instruction": "i am looking for a 3x large breeches for wide legs", "attributes": ["wide leg", "elastic waist"], "options": ["color: c", "size: 3x-large"], "instruction_attributes": ["wide leg"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1I5U3I", "worker_id": "A9QRQL9CFJBI7"}], "B096TFX9G3": [{"asin": "B096TFX9G3", "instruction": "i am looking for a long sleeve sweater for a teen girl which is able to do cold wash. also choose red in color and large size.", "attributes": ["wash cold", "hand wash", "long sleeve", "short sleeve", "teen girls", "dry clean"], "options": ["color: 2-red", "size: large"], "instruction_attributes": ["wash cold", "long sleeve", "teen girls"], "instruction_options": ["2-red", "large"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWDGNFT", "worker_id": "A2HMEGTAFO0CS8"}], "B07FYT2X18": [{"asin": "B07FYT2X18", "instruction": "i am searching for 3 dozen baked fresh cookie gifts which should be wrapped individually.", "attributes": ["baked fresh", "individually wrapped"], "options": ["style: 3 dozen"], "instruction_attributes": ["baked fresh", "individually wrapped"], "instruction_options": ["3 dozen"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79QY1H5", "worker_id": "A9ZM1P6LBW79"}], "B09QKL7MNP": [{"asin": "B09QKL7MNP", "instruction": "i'm looking for high heel and sandal for drying shower.", "attributes": ["quick drying", "non slip", "high heel", "rubber sole"], "options": ["color: black", "size: 7"], "instruction_attributes": ["high heel"], "instruction_options": ["black"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTLHV5A", "worker_id": "A16IQOX0DK14OJ"}], "B09SLZ21XY": [{"asin": "B09SLZ21XY", "instruction": "i would like a h color natural hairpiece.", "attributes": ["natural hair", "synthetic hair"], "options": ["color: h"], "instruction_attributes": ["natural hair"], "instruction_options": ["h"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZK18O7", "worker_id": "A1WS884SI0SLO4"}], "B09BVH7353": [{"asin": "B09BVH7353", "instruction": "i'm looking for high definition it was easy to use.", "attributes": ["high definition", "4g lte"], "options": [""], "instruction_attributes": ["high definition", "4g lte"], "instruction_options": [], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ4ZISA", "worker_id": "A16IQOX0DK14OJ"}], "B00AVO4SFI": [{"asin": "B00AVO4SFI", "instruction": "i want to buy a product and i need your help. find this henna brand: henna hair & beard dye also chooses an auburn color.", "attributes": ["plant based", "cruelty free", "hair dye"], "options": ["color: auburn", "size: pack of 1"], "instruction_attributes": ["hair dye"], "instruction_options": ["auburn", "pack of 1"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOHHLMH", "worker_id": "A15IJ20C3R4HUO"}], "B09T31DD3R": [{"asin": "B09T31DD3R", "instruction": "i am looking for ultra hd android box with 4gb ram and 32gb rom.", "attributes": ["ultra hd", "easy use", "high definition", "quad core"], "options": ["color: 4gb+32gb"], "instruction_attributes": ["ultra hd"], "instruction_options": ["4gb+32gb"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG2KBG7", "worker_id": "A3FG5PQHG5AH3Y"}], "B08S7FJ1PR": [{"asin": "B08S7FJ1PR", "instruction": "i would like a 6 by 9 foot printed photo backdrop for digital photography.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 01", "size: 6x9 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 01", "6x9 ft"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVU39XH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08S7FJ1PR", "instruction": "i need a printed backdrop that is for digital photography.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 02", "size: 6x9 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 02"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD3SRI9", "worker_id": "A2ECRNQ3X5LEXD"}], "B0032GMRBO": [{"asin": "B0032GMRBO", "instruction": "i am looking for high fructose chocolate bar. please choose peanut butter flavor.", "attributes": ["artificial colors", "high fructose", "artificial flavors"], "options": ["flavor name: peanut butter", "size: pack of 30"], "instruction_attributes": ["high fructose"], "instruction_options": ["peanut butter"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0UWCC7", "worker_id": "A3FG5PQHG5AH3Y"}], "B09FY3T27X": [{"asin": "B09FY3T27X", "instruction": "i am looking for a pair of women's size 5.5 knee high snow boots.", "attributes": ["knee high", "steel toe", "high heel", "rubber sole"], "options": ["color: f-gray", "size: 5.5"], "instruction_attributes": ["knee high"], "instruction_options": ["5.5"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I72FDN", "worker_id": "A1EREKSZAA9V7B"}], "B07JJF83L3": [{"asin": "B07JJF83L3", "instruction": "i am looking for professional water resistant airbrush makeup foundation having light golden luminous color, .5 fl oz", "attributes": ["water resistant", "fine mist", "dry skin"], "options": ["color: light golden luminous", "size: .5 fl oz"], "instruction_attributes": ["water resistant"], "instruction_options": ["light golden luminous", ".5 fl oz"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYXR36V", "worker_id": "A258PTOZ3D2TQR"}], "B07HHMJJ7G": [{"asin": "B07HHMJJ7G", "instruction": "i want a non toxic sulfate free cruelty free shampoo for healthy hair", "attributes": ["sulfate free", "paraben free", "non toxic", "cruelty free"], "options": [""], "instruction_attributes": ["non toxic", "cruelty free"], "instruction_options": [], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDIN2O8", "worker_id": "A3N9ZYQAESNFQH"}], "B08CD9H351": [{"asin": "B08CD9H351", "instruction": "i am looking for elastics & ties of black color for hair styling", "attributes": ["high quality", "hair styling"], "options": ["color: black", "size: small (pack of 4)"], "instruction_attributes": ["hair styling"], "instruction_options": ["black"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1BFYGM", "worker_id": "A9QRQL9CFJBI7"}], "B00U4KXNR8": [{"asin": "B00U4KXNR8", "instruction": "i want 4 ounce anti ageing kit with bag which is good for face firming and fine lines.", "attributes": ["anti aging", "fine lines"], "options": ["size: 4 ounce kit with bag"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN15GOI", "worker_id": "ASWFLI3N8X72G"}], "B004BCX8JS": [{"asin": "B004BCX8JS", "instruction": "i am looking for highly pigmented lipstick in seine sunset color", "attributes": ["highly pigmented", "argan oil"], "options": ["color: seine sunset", "style: nudes"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["seine sunset"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L3UCVS", "worker_id": "A16M39T60N60NO"}, {"asin": "B004BCX8JS", "instruction": "i am looking for highly pigmented lipstick in golden grape color", "attributes": ["highly pigmented", "argan oil"], "options": ["color: golden grape", "style: nudes"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["golden grape"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEK8XI6", "worker_id": "A16M39T60N60NO"}, {"asin": "B004BCX8JS", "instruction": "i'm looking for a volcanic reds lipstick with argan oil", "attributes": ["highly pigmented", "argan oil"], "options": ["color: volcanic", "style: reds"], "instruction_attributes": ["argan oil"], "instruction_options": ["volcanic", "reds"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8Z1ZPJ", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B004BCX8JS", "instruction": "am looking for highly pigmented l'oreal paris makeup colour riche original creamy, british red color", "attributes": ["highly pigmented", "argan oil"], "options": ["color: british red", "style: nudes"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["british red"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFED9D5", "worker_id": "A1IL2K0ELYI090"}], "B099JH5LW4": [{"asin": "B099JH5LW4", "instruction": "i am looking for bathroom laundry room wood framed decor.", "attributes": ["wood frame", "solid wood"], "options": ["color: bathroom - 1", "size: 6 x 17 inch"], "instruction_attributes": ["wood frame"], "instruction_options": ["bathroom - 1"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINT772H", "worker_id": "A3FG5PQHG5AH3Y"}], "B01MU8Z4FX": [{"asin": "B01MU8Z4FX", "instruction": "i am looking for gluten free chocolate with blueberry flavor", "attributes": ["individually wrapped", "nut free", "low calorie", "gluten free", "baby shower"], "options": ["flavor name: navy blue | blueberry", "size: 24 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1YZ2HE", "worker_id": "A16M39T60N60NO"}], "B09BK48GJZ": [{"asin": "B09BK48GJZ", "instruction": "vegan beard and stache balm paraben free", "attributes": ["paraben free", "cruelty free"], "options": ["color: vegan beard wax"], "instruction_attributes": ["paraben free"], "instruction_options": ["vegan beard wax"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UQS1GD", "worker_id": "A10OGH5CQBXL5N"}], "B0785W9DZJ": [{"asin": "B0785W9DZJ", "instruction": "i am looking for a short sleeve t shirts for men of venom red (690) | black color.", "attributes": ["quick drying", "machine wash", "short sleeve"], "options": ["color: venom red (690) | black", "size: 3x-large tall"], "instruction_attributes": ["short sleeve"], "instruction_options": ["venom red (690) | black"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X6IGPG", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B0785W9DZJ", "instruction": "i am looking for one size t-shirts having short sleeves.", "attributes": ["quick drying", "machine wash", "short sleeve"], "options": ["color: baroque green (311) | black", "size: one size"], "instruction_attributes": ["short sleeve"], "instruction_options": ["one size"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4FCSBA", "worker_id": "A1Q8PPQQCWGY0D"}], "B097HSHC8C": [{"asin": "B097HSHC8C", "instruction": "i am looking for a 2 pack of ready to eat turkey", "attributes": ["ready eat", "fully cooked"], "options": ["flavor name: meatloaf with tomato sauce", "size: 2 pack"], "instruction_attributes": ["ready eat"], "instruction_options": ["2 pack"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJNX0WV", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B097HSHC8C", "instruction": "i'm looking for a fully cooked meat loaf that comes in a four pack and has tomato sauce.", "attributes": ["ready eat", "fully cooked"], "options": ["flavor name: meatloaf with tomato sauce", "size: 4 pack"], "instruction_attributes": ["fully cooked"], "instruction_options": ["meatloaf with tomato sauce", "4 pack"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEXPUUU", "worker_id": "AR9AU5FY1S3RO"}], "B09MS76DBX": [{"asin": "B09MS76DBX", "instruction": "i am looking for makeup remover for sensitive skin.", "attributes": ["double sided", "easy use", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDYWIAI", "worker_id": "A3FG5PQHG5AH3Y"}], "B01HJWDKPI": [{"asin": "B01HJWDKPI", "instruction": "i would like a 12 foot gold plated hdmi male to male cable. and can i have 10 of them.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 12 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["gold plated"], "instruction_options": ["10 pack", "12 feet (single pack)", "hdmi male to female"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAE2IFO", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01HJWDKPI", "instruction": "i need a gold plated hdmi cable.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 30 feet (4-pack)", "style: hdmi male to female"], "instruction_attributes": ["gold plated"], "instruction_options": [], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V3EWY0", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B01HJWDKPI", "instruction": "i need a high speed hdmi male to male cable which is gold plated.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 1.5 feet (10-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["hdmi male to male"], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROKQBWWO", "worker_id": "A1NF6PELRKACS9"}], "B09Q88VLSZ": [{"asin": "B09Q88VLSZ", "instruction": "men's tuxedo t-shirt for daily wear also choose white colour", "attributes": ["long sleeve", "polyester spandex", "daily wear"], "options": ["color: white", "size: x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["white"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMETXDV", "worker_id": "A10OGH5CQBXL5N"}], "B0168IVTN4": [{"asin": "B0168IVTN4", "instruction": "i want a pair of moisture wicking outdoor pants which is also machine washable. get me something in adaptive green versastretch color.", "attributes": ["moisture wicking", "machine wash", "nylon spandex"], "options": ["color: adaptive green versastretch", "size: 42w x 36l"], "instruction_attributes": ["moisture wicking", "machine wash"], "instruction_options": ["adaptive green versastretch"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT36AJH1", "worker_id": "A1NF6PELRKACS9"}], "B09S1591W1": [{"asin": "B09S1591W1", "instruction": "i am looking for a large short sleeve t shirt for women", "attributes": ["wash cold", "slim fit", "hand wash", "machine wash", "short sleeve", "long sleeve"], "options": ["color: 1-green", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3TUZ9V", "worker_id": "A9QRQL9CFJBI7"}], "B09PTH1DRG": [{"asin": "B09PTH1DRG", "instruction": "hp slim tower desktop pc intel core j4025 processor (32gb/1tb hdd/1 tb ssd wired keyboard)", "attributes": ["core i5", "intel core"], "options": ["size: 32gb ram | 1tb hdd + 1tb ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["32gb ram | 1tb hdd + 1tb ssd"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54SO83T", "worker_id": "A3N9ZYQAESNFQH"}], "B097RGR7PF": [{"asin": "B097RGR7PF", "instruction": "i'm looking for smartwatch accessories for compatible apple and glass screen and need to buy it.", "attributes": ["compatible apple", "glass screen", "tempered glass"], "options": ["color: golden&grey&black", "size: 44mm"], "instruction_attributes": ["compatible apple", "glass screen"], "instruction_options": ["golden&grey&black"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKCSENT", "worker_id": "A16IQOX0DK14OJ"}], "B09F574B6R": [{"asin": "B09F574B6R", "instruction": "i am looking for fragrance free lotion for dry skin", "attributes": ["fragrance free", "long lasting", "cruelty free", "sensitive skin", "dry skin"], "options": [""], "instruction_attributes": ["fragrance free", "dry skin"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG7OLSK", "worker_id": "A258PTOZ3D2TQR"}], "B09QPM1MWH": [{"asin": "B09QPM1MWH", "instruction": "i would like a white full size stairway bunk bed with a steel frame.", "attributes": ["heavy duty", "twin size", "space saving", "box spring", "steel frame"], "options": ["color: white", "size: full", "style: twin over full stairway bunk beds with t..."], "instruction_attributes": ["steel frame"], "instruction_options": ["white", "full", "twin over full stairway bunk beds with t..."], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTU7P9K", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09QPM1MWH", "instruction": "i am looking for grey color steel metal bedframe that is heavy duty.", "attributes": ["heavy duty", "twin size", "space saving", "box spring", "steel frame"], "options": ["color: grey", "size: twin-over-full", "style: metal triple bunk bed with desk and shel..."], "instruction_attributes": ["heavy duty"], "instruction_options": ["grey"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MMMWLG", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09QPM1MWH", "instruction": "i'm looking for heavy duty twin solid wood triple bunk bed with 2 drawer.", "attributes": ["heavy duty", "twin size", "space saving", "box spring", "steel frame"], "options": ["color: espresso", "size: twin", "style: solid wood triple bunk bed with 2 drawer..."], "instruction_attributes": ["heavy duty"], "instruction_options": ["twin", "solid wood triple bunk bed with 2 drawer..."], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGN6O0J", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B09QPM1MWH", "instruction": "i want an espresso colored cotoala twin size daybed.", "attributes": ["heavy duty", "twin size", "space saving", "box spring", "steel frame"], "options": ["color: espresso", "size: full with shelf", "style: wood house bunk bed with two drawers and..."], "instruction_attributes": ["twin size"], "instruction_options": ["espresso"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G76C74K", "worker_id": "A2RBF3IIJP15IH"}], "B09BQQ3KMY": [{"asin": "B09BQQ3KMY", "instruction": "i looking foot files for removing dead foot skin stainless steel can clean easly set of 20 pcs", "attributes": ["non slip", "easy clean", "stainless steel", "dead skin"], "options": ["color: 20pcs"], "instruction_attributes": ["easy clean", "stainless steel", "dead skin"], "instruction_options": ["20pcs"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5G6IWY", "worker_id": "A3N9ZYQAESNFQH"}], "B0877PX27D": [{"asin": "B0877PX27D", "instruction": "i am looking for an alcohol free night cream for my face. make sure it is for sensitive skin.", "attributes": ["alcohol free", "fine lines", "sensitive skin"], "options": ["size: 1.7 ounce (pack of 1)", "style: night"], "instruction_attributes": ["alcohol free", "sensitive skin"], "instruction_options": ["night"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAV1ZXS", "worker_id": "A1NF6PELRKACS9"}], "B08HCVLVJ8": [{"asin": "B08HCVLVJ8", "instruction": "i need two lounge chairs for outdoors. it should be in grey, easy to assemble with a steel frame.", "attributes": ["machine washable", "easy assemble", "steel frame"], "options": ["color: grey", "item package quantity: 2"], "instruction_attributes": ["easy assemble", "steel frame"], "instruction_options": ["grey", "2"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TZFUSN", "worker_id": "A1NF6PELRKACS9"}], "B09FW83GBK": [{"asin": "B09FW83GBK", "instruction": "gummy and candy corn 5 pound with resealable bag", "attributes": ["gmo free", "resealable bag"], "options": ["size: 5 pound (bulk)"], "instruction_attributes": ["resealable bag"], "instruction_options": ["5 pound (bulk)"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHB61ER", "worker_id": "A10OGH5CQBXL5N"}], "B01D7SO5AW": [{"asin": "B01D7SO5AW", "instruction": "i'm looking for a anti perspirant deodorant that is long lasting.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UF9A3I", "worker_id": "AR0VJ5XRG16UJ"}], "B09SYT5CX8": [{"asin": "B09SYT5CX8", "instruction": "help me find a high quality, easy clean set of massage table covers in blue.", "attributes": ["high quality", "non toxic", "easy clean", "quality materials", "beauty salon"], "options": ["color: blue", "size: 60*180cm"], "instruction_attributes": ["high quality", "easy clean"], "instruction_options": ["blue"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQCMJAU", "worker_id": "A2CJFO19NY4T5R"}], "B004Y9GY44": [{"asin": "B004Y9GY44", "instruction": "i am looking for a 120 light concealers & neutralizers for dark circles", "attributes": ["anti aging", "dark circles", "fine lines"], "options": ["color: 120 light"], "instruction_attributes": ["dark circles"], "instruction_options": ["120 light"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0MZYSC1", "worker_id": "A9QRQL9CFJBI7"}], "B07B3RJZMJ": [{"asin": "B07B3RJZMJ", "instruction": "i'm looking for eye shadow for eye makeup.", "attributes": ["high quality", "eye shadow", "nail art"], "options": ["color: k"], "instruction_attributes": ["eye shadow"], "instruction_options": ["k"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7XKP5N", "worker_id": "A16IQOX0DK14OJ"}], "B09T2Z324R": [{"asin": "B09T2Z324R", "instruction": "i need a high quality bed cover that is easy to clean. find something in purple.", "attributes": ["high quality", "non toxic", "easy clean", "quality materials", "beauty salon"], "options": ["color: purple", "size: 80*190cm"], "instruction_attributes": ["high quality", "easy clean"], "instruction_options": ["purple"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1N26FD", "worker_id": "A1NF6PELRKACS9"}], "B09NRDMBFB": [{"asin": "B09NRDMBFB", "instruction": "i'm looking for temper glass and glass screen for cell phones acesseries and the color fray need to buy it.", "attributes": ["glass screen", "tempered glass"], "options": ["color: gray"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["gray"], "assignment_id": "3N8OEVH1F204BC17361WW31GENJOO0", "worker_id": "A16IQOX0DK14OJ"}], "B08NTY56S6": [{"asin": "B08NTY56S6", "instruction": "i am looking for hair growth oil with natural ingredients", "attributes": ["cruelty free", "natural ingredients", "hair growth", "hair loss", "hair treatment", "dry hair"], "options": [""], "instruction_attributes": ["natural ingredients", "hair growth", "hair treatment"], "instruction_options": [], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDIZ2OK", "worker_id": "A10OGH5CQBXL5N"}], "B0973JHGNF": [{"asin": "B0973JHGNF", "instruction": "i am looking for a cake toppers for party supplies and flavor must be new cake toy- cheese flavor (girls).", "attributes": ["birthday cake", "party supplies", "birthday party"], "options": ["flavor name: new cake toy- cheese flavor (girls)"], "instruction_attributes": ["party supplies"], "instruction_options": ["new cake toy- cheese flavor (girls)"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIV9MTT", "worker_id": "A9QRQL9CFJBI7"}], "B097F2ZZ2T": [{"asin": "B097F2ZZ2T", "instruction": "i'm looking for soy wax for candles and its for long lasting.", "attributes": ["lead free", "eco friendly", "long lasting", "soy wax"], "options": [""], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": [], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB98R8NJ", "worker_id": "A16IQOX0DK14OJ"}], "B09HJGNLSW": [{"asin": "B09HJGNLSW", "instruction": "i would like a standing shelf unit for my living room.", "attributes": ["space saving", "storage unit", "storage space", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI5G3TK", "worker_id": "A1WS884SI0SLO4"}], "B07HLW5F1L": [{"asin": "B07HLW5F1L", "instruction": "i need a vegan smoothie in chocolate strawberry flavor. it should be soy and lactose free.", "attributes": ["soy free", "dairy free", "lactose free", "gluten free", "low calorie", "plant based", "real fruit", "simple ingredients"], "options": ["flavor name: vegan chocolate strawberry", "size: 4.5 ounce (pack of 18)"], "instruction_attributes": ["soy free", "lactose free"], "instruction_options": ["vegan chocolate strawberry"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YZ6EH5", "worker_id": "A1NF6PELRKACS9"}], "B07DVDQZ8C": [{"asin": "B07DVDQZ8C", "instruction": "i would like a 3.52 ounce bottle of baby blue and pink body glitter that is long lasting.", "attributes": ["easy apply", "long lasting"], "options": ["color: baby blue with pink", "size: 3.52 ounce (pack of 1)"], "instruction_attributes": ["long lasting"], "instruction_options": ["baby blue with pink", "3.52 ounce (pack of 1)"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV30BHB", "worker_id": "A1WS884SI0SLO4"}], "B07GWH4SDR": [{"asin": "B07GWH4SDR", "instruction": "i am looking for 4 packs of fat free chicken meat.", "attributes": ["fully cooked", "fat free"], "options": ["size: 4"], "instruction_attributes": ["fat free"], "instruction_options": ["4"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A2198THP", "worker_id": "A3FG5PQHG5AH3Y"}], "B08HPTTWTT": [{"asin": "B08HPTTWTT", "instruction": "i need a sugar free and gluten free salami pack with a barolo flavor.", "attributes": ["sugar free", "gluten free", "natural flavors"], "options": ["flavor name: barolo", "size: 5.5 ounce (pack of 3)"], "instruction_attributes": ["sugar free", "gluten free"], "instruction_options": ["barolo"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V422UC", "worker_id": "A1NF6PELRKACS9"}], "B00TPLLJMI": [{"asin": "B00TPLLJMI", "instruction": "i'm looking for high speed accessories and three product of packaging.", "attributes": ["high speed", "gold plated"], "options": ["product packaging: 3 pack", "size: 15 feet", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["3 pack"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FOLBFB", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00TPLLJMI", "instruction": "show me a single pack high speed gold plated hdmi male to female cable with 100 feet length.", "attributes": ["high speed", "gold plated"], "options": ["product packaging: single pack", "size: 100 feet", "style: hdmi male to female"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHA8OODD", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B00TPLLJMI", "instruction": "i want a 2 pack of 80 foot long gold plated hdmi male to male cables.", "attributes": ["high speed", "gold plated"], "options": ["product packaging: 2 pack", "size: 80 feet", "style: hdmi male to female"], "instruction_attributes": ["gold plated"], "instruction_options": ["2 pack", "80 feet", "hdmi male to female"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPEXORB", "worker_id": "A1WS884SI0SLO4"}], "B08M92FCMD": [{"asin": "B08M92FCMD", "instruction": "i am looking for refurbished bluetooth speaker.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISX3OYW", "worker_id": "A3FG5PQHG5AH3Y"}], "B093B59MGM": [{"asin": "B093B59MGM", "instruction": "i am looking for a slide scanner with usb and aaa batteries included. it should be easy to carry as well.", "attributes": ["easy carry", "aaa batteries"], "options": [""], "instruction_attributes": ["easy carry", "aaa batteries"], "instruction_options": [], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1841KD", "worker_id": "A1NF6PELRKACS9"}], "B07D6HRK4X": [{"asin": "B07D6HRK4X", "instruction": "i would like to buy a large poster for the living room of size 70\"wx40\"h that is easy to install.", "attributes": ["ready hang", "easy install", "living room", "dining room"], "options": ["color: 15", "size: 70\"wx40\"h"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["70\"wx40\"h"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQFEJC3", "worker_id": "AHXHM1PQTRWIQ"}], "B08F4YS4H6": [{"asin": "B08F4YS4H6", "instruction": "i want a primer face plant based and oil free", "attributes": ["oil free", "plant based"], "options": [""], "instruction_attributes": ["oil free", "plant based"], "instruction_options": [], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV18X31", "worker_id": "A2Y2TURT2VEYZN"}], "B09GPDV5TY": [{"asin": "B09GPDV5TY", "instruction": "i am searching for high gloss storage cabinet organizer for living room", "attributes": ["high gloss", "living room"], "options": [""], "instruction_attributes": ["high gloss", "living room"], "instruction_options": [], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O1QA2O", "worker_id": "A258PTOZ3D2TQR"}], "B0042JVEVY": [{"asin": "B0042JVEVY", "instruction": "i am looking for a dresser. it should be made of engineered wood and please choose jamocha wood finish.", "attributes": ["wood finish", "engineered wood"], "options": ["color: jamocha wood finish"], "instruction_attributes": ["engineered wood"], "instruction_options": ["jamocha wood finish"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O0WA2S", "worker_id": "A3FG5PQHG5AH3Y"}], "B000HDJXGW": [{"asin": "B000HDJXGW", "instruction": "i am looking for a dairy free soft baked cookies with soy free. also choose gingerbread spice flavor and 1 ounce (pack of 36) one.", "attributes": ["nut free", "gluten free", "soy free", "dairy free", "non gmo"], "options": ["flavor name: gingerbread spice", "size: 1 ounce (pack of 36)"], "instruction_attributes": ["soy free", "dairy free"], "instruction_options": ["gingerbread spice", "1 ounce (pack of 36)"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPBEROP", "worker_id": "A2HMEGTAFO0CS8"}], "B07M68GDP8": [{"asin": "B07M68GDP8", "instruction": "i am looking for a blue linen contemporary design beds.", "attributes": ["twin size", "contemporary design", "box spring"], "options": ["color: blue linen", "size: full", "style: bed with storage drawers"], "instruction_attributes": ["contemporary design"], "instruction_options": ["blue linen"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHZS7BR", "worker_id": "A9QRQL9CFJBI7"}], "B09MH9XB39": [{"asin": "B09MH9XB39", "instruction": "i'm looking for a 4 pounds bag of individually wrapped chocolate candies.", "attributes": ["individually wrapped", "perfect gift", "baby shower"], "options": ["size: 4 pounds"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["4 pounds"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP4L7JW", "worker_id": "A13PVNQT2WWWVL"}], "B07LBY4S4G": [{"asin": "B07LBY4S4G", "instruction": "i need a facial scrub that is anti aging and is made of natural ingredients.", "attributes": ["anti aging", "cruelty free", "animal testing", "non toxic", "natural ingredients", "dead skin"], "options": [""], "instruction_attributes": ["anti aging", "natural ingredients"], "instruction_options": [], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TZHUSP", "worker_id": "A1NF6PELRKACS9"}], "B09R264MPH": [{"asin": "B09R264MPH", "instruction": "i am looking for a non-slip slide sandals shoes that has 8 wide size. ad please get me the black one", "attributes": ["non slip", "rubber sole", "soft material", "ankle strap", "rubber outsole"], "options": ["color: black", "size: 8 wide"], "instruction_attributes": ["non slip"], "instruction_options": ["black", "8 wide"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79RS1H1", "worker_id": "A2COCSUGZV28X"}], "B004QC6VAG": [{"asin": "B004QC6VAG", "instruction": "find me a light weight monopod made of carbon fiber.", "attributes": ["light weight", "carbon fiber"], "options": [""], "instruction_attributes": ["light weight", "carbon fiber"], "instruction_options": [], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIJX29Q", "worker_id": "A1NF6PELRKACS9"}], "B07WQ1VH72": [{"asin": "B07WQ1VH72", "instruction": "i want to find a plum fire hd 8 tablet with a quad core and 32 gigabytes of storage space. it needs to have a lock screen and come with a case and screen protector.", "attributes": ["dual band", "hands free", "quad core"], "options": ["color: plum", "digital storage capacity: 32 gb", "offer type: lockscreen ad-supported", "style: with case & screen protector (2-pack)"], "instruction_attributes": ["quad core"], "instruction_options": ["plum", "32 gb", "lockscreen ad-supported", "with case & screen protector (2-pack)"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIMQ85Q", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07WQ1VH72", "instruction": "i need 8\" hd display, 64 gb quad core tablet with lockscreen ad-supported", "attributes": ["dual band", "hands free", "quad core"], "options": ["color: black", "digital storage capacity: 64 gb", "offer type: lockscreen ad-supported", "style: with luna cloud gaming controller"], "instruction_attributes": ["quad core"], "instruction_options": ["64 gb", "lockscreen ad-supported"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA55A8M", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07WQ1VH72", "instruction": "i would like a black 64 gigabyte tablet with a case and screen protector. it also needs to be able to be hands free and have a ad supported lockscreen.", "attributes": ["dual band", "hands free", "quad core"], "options": ["color: black", "digital storage capacity: 64 gb", "offer type: lockscreen ad-supported", "style: with case & screen protector (2-pack)"], "instruction_attributes": ["hands free"], "instruction_options": ["black", "64 gb", "lockscreen ad-supported", "with case & screen protector (2-pack)"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB96JN8M", "worker_id": "A1WS884SI0SLO4"}], "B07B51WS9B": [{"asin": "B07B51WS9B", "instruction": "i'm looking for nickel finish for living room.", "attributes": ["brushed nickel", "nickel finish", "living room"], "options": ["color: earth palette"], "instruction_attributes": ["brushed nickel", "nickel finish", "living room"], "instruction_options": ["earth palette"], "assignment_id": "33TIN5LC0FKDY31374RC144TXY09YM", "worker_id": "A16IQOX0DK14OJ"}], "B074Q3H6X7": [{"asin": "B074Q3H6X7", "instruction": "i am looking for an organic shampoo which is effective my hair lose . and i choose the 4 ounce hair treatment", "attributes": ["certified organic", "bpa free", "non toxic", "argan oil", "hair growth", "hair loss"], "options": ["color: hair treatment 4 ounce", "scent name: hormonal balance"], "instruction_attributes": ["certified organic", "hair loss"], "instruction_options": ["hair treatment 4 ounce"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E22J53K", "worker_id": "A2COCSUGZV28X"}, {"asin": "B074Q3H6X7", "instruction": "i am looking for a shampoo 17.5 ounce for hair growth hair loss", "attributes": ["certified organic", "bpa free", "non toxic", "argan oil", "hair growth", "hair loss"], "options": ["color: shampoo 17.5 ounce", "scent name: fertile roots"], "instruction_attributes": ["hair loss"], "instruction_options": ["shampoo 17.5 ounce"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRW3PWN", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B074Q3H6X7", "instruction": "i want a 2 ounce shampoo bottle of hormonal balance made from argan oil.", "attributes": ["certified organic", "bpa free", "non toxic", "argan oil", "hair growth", "hair loss"], "options": ["color: shampoo 2 ounce", "scent name: hormonal balance+hair treatment"], "instruction_attributes": ["argan oil"], "instruction_options": ["shampoo 2 ounce", "hormonal balance+hair treatment"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTRIO6C", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B074Q3H6X7", "instruction": "i want a bottle of flower power laritelle organic shampoo.", "attributes": ["certified organic", "bpa free", "non toxic", "argan oil", "hair growth", "hair loss"], "options": ["color: 17.5 ounce", "scent name: flower power"], "instruction_attributes": ["certified organic"], "instruction_options": ["flower power"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49YXX49", "worker_id": "A2RBF3IIJP15IH"}], "B0086UI2GU": [{"asin": "B0086UI2GU", "instruction": "i am looking healthy crispy chips snacks gluten free low fat high protein size: 4 ounce (pack of 6)", "attributes": ["gluten free", "protein serving", "low fat", "high protein", "natural flavors"], "options": ["flavor: protein breakfast cereal - honey almond", "size: 4 ounce (pack of 6)"], "instruction_attributes": ["gluten free", "low fat", "high protein"], "instruction_options": ["4 ounce (pack of 6)"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6ONRMM6", "worker_id": "A3N9ZYQAESNFQH"}], "B01N2W63JO": [{"asin": "B01N2W63JO", "instruction": "i am looking for a ac adapters for wireless bluetooth", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3WMINLGALMDE0JA33INN08NU0TFACB", "worker_id": "A9QRQL9CFJBI7"}], "B00DQQQOGY": [{"asin": "B00DQQQOGY", "instruction": "i am looking for a white engineered wood for bookcases", "attributes": ["engineered wood", "storage space"], "options": ["color: white", "pattern name: bookcase + 3-shelf bookcase"], "instruction_attributes": ["engineered wood"], "instruction_options": ["white"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DCUDWP", "worker_id": "A9QRQL9CFJBI7"}], "B07D5GQJZG": [{"asin": "B07D5GQJZG", "instruction": "i need chandelier light fixture for dining room which should have bronze finish and glass shades.", "attributes": ["clear glass", "bronze finish", "glass shade", "light fixture", "dining room"], "options": [""], "instruction_attributes": ["bronze finish", "glass shade", "light fixture", "dining room"], "instruction_options": [], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163TMQPG", "worker_id": "ASWFLI3N8X72G"}], "B07YW75RT3": [{"asin": "B07YW75RT3", "instruction": "i am looking for a set of 2 velvet fabric dining chairs for my dining room . and i choose the teal one", "attributes": ["wood frame", "solid wood", "dining room", "living room"], "options": ["color: teal"], "instruction_attributes": ["dining room"], "instruction_options": ["teal"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJP2O9T", "worker_id": "A2COCSUGZV28X"}], "B018F6PGY0": [{"asin": "B018F6PGY0", "instruction": "i need to buy some old fashioned cocktail bitters for a gift. look for the \"mole negro\" flavor.", "attributes": ["old fashioned", "perfect gift"], "options": ["flavor: mole negro"], "instruction_attributes": ["old fashioned", "perfect gift"], "instruction_options": ["mole negro"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW5H4TB", "worker_id": "AR9AU5FY1S3RO"}], "B09H7LSHMY": [{"asin": "B09H7LSHMY", "instruction": "i'm looking for short sleeve outfit large sized.", "attributes": ["long sleeve", "short sleeve", "teen girls"], "options": ["color: a8-blue", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["a8-blue", "large"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYI66LY", "worker_id": "A16IQOX0DK14OJ"}], "B07ZTS8NQP": [{"asin": "B07ZTS8NQP", "instruction": "i am looking for a fragrance free lip glosses of sweet escape color.", "attributes": ["dermatologist tested", "fragrance free", "cruelty free", "sensitive skin"], "options": ["color: sweet escape"], "instruction_attributes": ["fragrance free"], "instruction_options": ["sweet escape"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UI8OKF", "worker_id": "A9QRQL9CFJBI7"}], "B09F5LHLH2": [{"asin": "B09F5LHLH2", "instruction": "i am looking for an oral hygiene toothbrush. it should be easy to carry.", "attributes": ["easy carry", "oral hygiene"], "options": [""], "instruction_attributes": ["easy carry", "oral hygiene"], "instruction_options": [], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CYWB3I", "worker_id": "A9ZM1P6LBW79"}], "B08QVBQ9DP": [{"asin": "B08QVBQ9DP", "instruction": "i am searching for a long lasting high quality hair drying towel to dry my hair.", "attributes": ["easy clean", "long lasting", "high quality", "dry hair"], "options": [""], "instruction_attributes": ["long lasting", "high quality", "dry hair"], "instruction_options": [], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TS8MP8", "worker_id": "A9ZM1P6LBW79"}], "B09QHKSR5W": [{"asin": "B09QHKSR5W", "instruction": "i want a quick release watch band in grey, black, white or blue.", "attributes": ["quick release", "easy install", "easy use"], "options": ["color: grey black white blue"], "instruction_attributes": ["quick release"], "instruction_options": ["grey black white blue"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE1HTJZ", "worker_id": "A1NF6PELRKACS9"}], "B096VD3PRG": [{"asin": "B096VD3PRG", "instruction": "i'm looking for queen sized wood frames for bed frames.", "attributes": ["queen size", "box spring", "pu leather", "metal legs", "memory foam", "wood frame"], "options": ["size: queen"], "instruction_attributes": ["box spring", "metal legs", "memory foam", "wood frame"], "instruction_options": ["queen"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXN5Z2O", "worker_id": "A16IQOX0DK14OJ"}], "B08XWZ8CFC": [{"asin": "B08XWZ8CFC", "instruction": "i am looking for gluten-free, lactose-free, dairy free, non-gmo salami.", "attributes": ["grass fed", "lactose free", "gluten free", "dairy free", "non gmo", "natural ingredients"], "options": [""], "instruction_attributes": ["lactose free", "gluten free", "dairy free", "non gmo"], "instruction_options": [], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R5RYTZ", "worker_id": "A9QRQL9CFJBI7"}], "B07P8YHFHJ": [{"asin": "B07P8YHFHJ", "instruction": "men's small size soft material elastic clouser comfertable briefs", "attributes": ["machine wash", "soft material", "elastic closure", "polyester spandex"], "options": ["color: tiger", "size: small"], "instruction_attributes": ["soft material", "elastic closure"], "instruction_options": ["tiger", "small"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA9308Z30", "worker_id": "A3N9ZYQAESNFQH"}], "B07GW2GQSS": [{"asin": "B07GW2GQSS", "instruction": "i'm looking for a 7 ounce chunk chicken creast in pack of 2 and fat free", "attributes": ["fully cooked", "fat free"], "options": ["size: 7 ounce (pack of 2)"], "instruction_attributes": ["fat free"], "instruction_options": ["7 ounce (pack of 2)"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLI32FV", "worker_id": "A2Y2TURT2VEYZN"}], "B09CLLNY85": [{"asin": "B09CLLNY85", "instruction": "i am looking for sugar cookies in a gift basket", "attributes": ["baked fresh", "perfect gift", "gift basket"], "options": ["flavor name: sugar"], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQWF4BF", "worker_id": "A16M39T60N60NO"}], "B08RBSM3W2": [{"asin": "B08RBSM3W2", "instruction": "i need heavy duty blackout curtains for my living room. pick something in beige.", "attributes": ["machine washable", "heavy duty", "living room"], "options": ["color: beige", "size: 42w x 54l"], "instruction_attributes": ["heavy duty", "living room"], "instruction_options": ["beige"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6745G8", "worker_id": "A1NF6PELRKACS9"}], "B09SL2P135": [{"asin": "B09SL2P135", "instruction": "i want high quality hair in water wave bundles with closure. it should remedy my hair loss.", "attributes": ["high quality", "hair loss"], "options": ["color: water wave bundles with closure", "size: 26 28 30"], "instruction_attributes": ["high quality", "hair loss"], "instruction_options": ["water wave bundles with closure"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A1UFHZ", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09SL2P135", "instruction": "i am looking for a curly lace frontal that is effective for hair loss. an i choose the 22 24 26+20\"closure with water wave bundles", "attributes": ["high quality", "hair loss"], "options": ["color: water wave bundles with closure", "size: 22 24 26+20\"closure"], "instruction_attributes": ["hair loss"], "instruction_options": ["water wave bundles with closure", "22 24 26+20\"closure"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW1DC1X", "worker_id": "A2COCSUGZV28X"}, {"asin": "B09SL2P135", "instruction": "can you find a high quality brazilian 13x4 curly lace frontal in size 24 24 24?", "attributes": ["high quality", "hair loss"], "options": ["color: curly 13x4 lace frontal", "size: 24 24 24"], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCK37DNL", "worker_id": "AMI0SOF51O3FW"}, {"asin": "B09SL2P135", "instruction": "order me four bundles of high quality curly hair extensions.", "attributes": ["high quality", "hair loss"], "options": ["color: curly hair 4 bundles", "size: 12 14 16+10\"closure"], "instruction_attributes": ["high quality"], "instruction_options": ["curly hair 4 bundles"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IVHHK5", "worker_id": "AR9AU5FY1S3RO"}], "B07TKMGM6R": [{"asin": "B07TKMGM6R", "instruction": "i am looking for a long sleeve hoodies of medium size for men.", "attributes": ["machine washable", "officially licensed", "machine wash", "polyester cotton", "long sleeve", "tumble dry"], "options": ["size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLUZFTH", "worker_id": "A9QRQL9CFJBI7"}], "B07D2HSH4D": [{"asin": "B07D2HSH4D", "instruction": "i'm looking for a high performance hdmi to displayport adapter cable that's easy to use.", "attributes": ["plug play", "high performance", "easy use", "usb port"], "options": [""], "instruction_attributes": ["high performance", "easy use"], "instruction_options": [], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6MG7UT", "worker_id": "AR9AU5FY1S3RO"}], "B08QCCRLTH": [{"asin": "B08QCCRLTH", "instruction": "i am looking for a noise cancelling computer headsets.", "attributes": ["noise cancelling", "plug play", "easy use"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPZYXTT", "worker_id": "A9QRQL9CFJBI7"}], "B08C9ZCWVW": [{"asin": "B08C9ZCWVW", "instruction": "i looking a maroon color ceiling lights haning pandent fixture for living room", "attributes": ["light fixture", "living room", "dining room"], "options": [""], "instruction_attributes": ["light fixture", "living room"], "instruction_options": [], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KVM9JP", "worker_id": "A3N9ZYQAESNFQH"}], "B09JBVY7JD": [{"asin": "B09JBVY7JD", "instruction": "i want to shop for a two pack of glass lamp shades for pendant lamps.", "attributes": ["glass shade", "clear glass", "pendant light", "light fixture", "living room"], "options": ["color: clear water ripple glass", "size: 2 pack"], "instruction_attributes": ["glass shade", "pendant light"], "instruction_options": ["2 pack"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOHFMLG", "worker_id": "AR9AU5FY1S3RO"}], "B07955HD69": [{"asin": "B07955HD69", "instruction": "i would like a rose gold single wireless bluetooth speaker that is hands free.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: rose gold single"], "instruction_attributes": ["hands free", "wireless bluetooth"], "instruction_options": ["rose gold single"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7JQN5Y", "worker_id": "A1WS884SI0SLO4"}], "B079X4CPKD": [{"asin": "B079X4CPKD", "instruction": "i'm looking for a pack of 24 count of breakfast bars gluten free", "attributes": ["low sodium", "gluten free", "0g trans"], "options": ["flavor name: blueberry almond", "size: 24 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["blueberry almond", "24 count (pack of 1)"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO8XGJ3", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B079X4CPKD", "instruction": "i'm looking for healthy breakfast bars enriched with peanut butter.", "attributes": ["low sodium", "gluten free", "0g trans"], "options": ["flavor name: blueberry almond", "size: 24 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["24 count (pack of 1)"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1B32IW", "worker_id": "A21IUUHBSEVB56"}], "B003Q4TVK2": [{"asin": "B003Q4TVK2", "instruction": "i'm looking for caffeine free for coffee and tea.", "attributes": ["caffeine free", "sugar free"], "options": ["flavor name: turmeric latte", "size: 64 ounce (pack of 4)"], "instruction_attributes": ["caffeine free", "sugar free"], "instruction_options": ["turmeric latte"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AJ4UYS", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B003Q4TVK2", "instruction": "i want to buy chai tea which is caffeine free and has vanilla flavor, and it's in pack of 1 of 64 ounce.", "attributes": ["caffeine free", "sugar free"], "options": ["flavor name: vanilla", "size: 64 ounce (pack of 1)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["vanilla", "64 ounce (pack of 1)"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PPKQE1", "worker_id": "AJY5G987IRT25"}], "B087RDLZSG": [{"asin": "B087RDLZSG", "instruction": "i would like a size 24 brown shelves for my living room wall.", "attributes": ["wall mounted", "easy install", "storage space", "living room"], "options": ["color: brown", "size: 24"], "instruction_attributes": ["living room"], "instruction_options": ["brown", "24"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXXLO4U", "worker_id": "A1WS884SI0SLO4"}], "B001E5D0GQ": [{"asin": "B001E5D0GQ", "instruction": "i am looking for a fluoride free toothpaste", "attributes": ["fluoride free", "cruelty free", "oral hygiene"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9ED81B4", "worker_id": "A9QRQL9CFJBI7"}], "B07VTCL2JV": [{"asin": "B07VTCL2JV", "instruction": "i am looking for a synthetic sole flip flop. also, choose munsell white color and 5 narrow size.", "attributes": ["day comfort", "synthetic sole"], "options": ["color: neo flame | munsell white", "size: 5 narrow"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["neo flame | munsell white", "5 narrow"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX9ZFC0", "worker_id": "A9ZM1P6LBW79"}], "B07DN85MVR": [{"asin": "B07DN85MVR", "instruction": "i would like a pair of small black sleep bottoms that are machine washable.", "attributes": ["machine washable", "elastic waistband"], "options": ["color: black#1-a31", "size: small"], "instruction_attributes": ["machine washable"], "instruction_options": ["black#1-a31", "small"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8ENUX1", "worker_id": "A1WS884SI0SLO4"}], "B07Q5K4V3S": [{"asin": "B07Q5K4V3S", "instruction": "i'm looking for skin care for nail polish that color was aphrdesie neede.", "attributes": ["cruelty free", "nail polish"], "options": ["color: aphrodesie"], "instruction_attributes": ["nail polish"], "instruction_options": ["aphrodesie"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40WUYF2", "worker_id": "A16IQOX0DK14OJ"}], "B07Z4PX5T5": [{"asin": "B07Z4PX5T5", "instruction": "i am looking for a nylon spandex swimsuits & cover ups of 20 plus size.", "attributes": ["quick drying", "hand wash", "nylon spandex", "tummy control"], "options": ["color: hot pink", "size: 20 plus"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["20 plus"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCJ9PIG", "worker_id": "A9QRQL9CFJBI7"}], "B07H3BR9D2": [{"asin": "B07H3BR9D2", "instruction": "men's daily use slip resistance rubber sole shoe color reddish brown size: 8", "attributes": ["slip resistant", "steel toe", "synthetic sole", "rubber sole"], "options": ["color: reddish brown", "size: 8"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["reddish brown", "8"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO6V2R7", "worker_id": "A3N9ZYQAESNFQH"}], "B095CSL3SY": [{"asin": "B095CSL3SY", "instruction": "i am looking for a polyester cotton board short which is washable in machine. also choose grey one and 38 size.", "attributes": ["quick drying", "machine washable", "machine wash", "cotton spandex", "polyester cotton"], "options": ["color: grey - recycled fabric", "size: 38"], "instruction_attributes": ["machine washable", "polyester cotton"], "instruction_options": ["grey - recycled fabric", "38"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GMR3SK", "worker_id": "A2HMEGTAFO0CS8"}], "B099WVV8PM": [{"asin": "B099WVV8PM", "instruction": "i would like a full size grey bunk bed with a wooden frame.", "attributes": ["space saving", "white item", "assembly required", "wood frame", "box spring"], "options": ["color: grey with slide", "size: full"], "instruction_attributes": ["wood frame"], "instruction_options": ["grey with slide", "full"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKDZNEB", "worker_id": "A1WS884SI0SLO4"}], "B00RM5NPPS": [{"asin": "B00RM5NPPS", "instruction": "i am looking for gluten free red dog rub gourmet spice blends.", "attributes": ["gluten free", "great gift"], "options": ["flavor name: red dog rub", "size: 7.75 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["red dog rub"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UULY0E", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00RM5NPPS", "instruction": "i am looking for gluten free wow-a chihuahua gourmet spice blend.", "attributes": ["gluten free", "great gift"], "options": ["flavor name: wow-a chihuahua", "size: 4.5 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["wow-a chihuahua"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC35UK5", "worker_id": "A1EREKSZAA9V7B"}], "B09GF81JCB": [{"asin": "B09GF81JCB", "instruction": "looking for new version of modern glass dining table set for dining room", "attributes": ["long lasting", "heavy duty", "contemporary design", "metal legs", "dining room"], "options": ["color: grey", "style: new version"], "instruction_attributes": ["long lasting", "dining room"], "instruction_options": ["new version"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOQTYV1", "worker_id": "A10OGH5CQBXL5N"}], "B096L8CY62": [{"asin": "B096L8CY62", "instruction": "i am looking for a black fast wireless universal charging stand.", "attributes": ["fast charging", "wireless charging"], "options": ["color: black", "style: 15w stand 2-pack - no psu"], "instruction_attributes": ["fast charging", "wireless charging"], "instruction_options": ["black"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWO3W68", "worker_id": "A1EREKSZAA9V7B"}], "B00H0HBBBI": [{"asin": "B00H0HBBBI", "instruction": "i'm looking for hair extension for hair growth it was high quality and need to buy it.", "attributes": ["easy use", "high quality"], "options": ["color: strawberry blonde mix #26h613 g36a"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["strawberry blonde mix #26h613 g36a"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VHY8E4", "worker_id": "A16IQOX0DK14OJ"}], "B07ZK4J929": [{"asin": "B07ZK4J929", "instruction": "looking for machine washable 52 w by 52 cute pet window curtains", "attributes": ["machine washable", "living room"], "options": ["color: stripe51lbg2426", "size: 52\" w by 52\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["52\" w by 52\" l"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4YX0H6", "worker_id": "A10OGH5CQBXL5N"}], "B09HCRY1F6": [{"asin": "B09HCRY1F6", "instruction": "i'm looking for long sleeve clothing and it was easy to wash the color red is attractive.", "attributes": ["wash cold", "hand wash", "long sleeve", "polyester spandex", "short sleeve", "teen girls"], "options": ["color: red#d01", "size: medium"], "instruction_attributes": ["wash cold", "long sleeve", "short sleeve", "teen girls"], "instruction_options": ["red#d01"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7ZRQYE", "worker_id": "A16IQOX0DK14OJ"}], "B07XP6H6DN": [{"asin": "B07XP6H6DN", "instruction": "i would like a 2xl women's navy tank top with a officially licensed star wars logo.", "attributes": ["officially licensed", "needle sleeve", "classic fit", "star wars"], "options": ["color: navy", "fit type: women", "size: xx-large"], "instruction_attributes": ["officially licensed", "star wars"], "instruction_options": ["navy", "women", "xx-large"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKFU881", "worker_id": "A1WS884SI0SLO4"}], "B077T3SP3V": [{"asin": "B077T3SP3V", "instruction": "i am in a search for sugar free soft drink mixes of fruit punch flavor.", "attributes": ["sugar free", "source vitamin"], "options": ["flavor name: fruit punch"], "instruction_attributes": ["sugar free"], "instruction_options": ["fruit punch"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2OPNY9", "worker_id": "A14BSOU2Y5JNT0"}], "B088D1XNG5": [{"asin": "B088D1XNG5", "instruction": "i'm looking for tablets for my uses and i want red color. it was long lasting.", "attributes": ["long lasting", "quad core"], "options": ["color: red", "style: only wifi"], "instruction_attributes": ["long lasting"], "instruction_options": ["red"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06MZKX2", "worker_id": "A16IQOX0DK14OJ"}], "B07W71VWF7": [{"asin": "B07W71VWF7", "instruction": "i am looking for an intel quad core computer with 16 gb ram, 256 gb ssd and also a 1tb hdd.", "attributes": ["dual band", "high definition", "core i5", "intel core", "quad core"], "options": ["color: ddr4 cpu core i7 8550u", "size: 16gb ram 256gb ssd 1tb hdd"], "instruction_attributes": ["intel core", "quad core"], "instruction_options": ["16gb ram 256gb ssd 1tb hdd"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBCFOSQ", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07W71VWF7", "instruction": "mini pc with intel core i7 processor", "attributes": ["dual band", "high definition", "core i5", "intel core", "quad core"], "options": ["color: ddr3l cpu core i5 4200u", "size: 4gb ram 128gb ssd"], "instruction_attributes": ["intel core"], "instruction_options": [], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96D74G4", "worker_id": "A3TTGSUBIK1YCL"}], "B07L788143": [{"asin": "B07L788143", "instruction": "i need a grey or light blue colored area rug that is suitable for my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: grey | light blue", "size: 12' x 15'"], "instruction_attributes": ["living room"], "instruction_options": ["grey | light blue"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD2HRIW", "worker_id": "A1NF6PELRKACS9"}], "B08RJ7CJG7": [{"asin": "B08RJ7CJG7", "instruction": "i'm looking for soy wax it can use make for candles.", "attributes": ["long lasting", "lead free", "eco friendly", "soy wax"], "options": ["color: jar brown"], "instruction_attributes": ["long lasting", "eco friendly", "soy wax"], "instruction_options": ["jar brown"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKQVSGE", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08RJ7CJG7", "instruction": "i want special glass soy wax scented candles.", "attributes": ["long lasting", "lead free", "eco friendly", "soy wax"], "options": ["color: glass 2"], "instruction_attributes": ["soy wax"], "instruction_options": ["glass 2"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP8P6D1", "worker_id": "A2RBF3IIJP15IH"}], "B0828M96S7": [{"asin": "B0828M96S7", "instruction": "i am looking for a silver water and birch style of anti perspirant deodorant", "attributes": ["anti perspirant", "long lasting"], "options": ["style: silver water and birch"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["silver water and birch"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0J0KGE1", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B0828M96S7", "instruction": "i am looking for long lasting sage and citrus anti perspirant.", "attributes": ["anti perspirant", "long lasting"], "options": ["style: sage and citrus"], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": ["sage and citrus"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK45Q6AX", "worker_id": "A1EREKSZAA9V7B"}], "B079M1L3GN": [{"asin": "B079M1L3GN", "instruction": "i am looking for a 3 inch queen size memory foam mattress toppers.", "attributes": ["queen size", "memory foam"], "options": ["color: 3 inch", "size: california king", "style: topper and cover"], "instruction_attributes": ["queen size", "memory foam"], "instruction_options": ["3 inch"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE23JGQO", "worker_id": "A1V2JTEEBCXR20"}], "B06XVDHJQG": [{"asin": "B06XVDHJQG", "instruction": "i am searching for dark brown synthetic hair extensions with the size of 22 inch and pack of 1.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: dark brown", "size: 22 inch (pack of 1)"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["dark brown", "22 inch (pack of 1)"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJRIXBL", "worker_id": "A9ZM1P6LBW79"}], "B09MQFZT7G": [{"asin": "B09MQFZT7G", "instruction": "i need a white storage cabinet tv stand that is easy to assemble and goes in my living room. it should be highly glossy.", "attributes": ["easy assemble", "high gloss", "tempered glass", "living room"], "options": ["color: 63\" white-2 cabinet"], "instruction_attributes": ["easy assemble", "high gloss", "living room"], "instruction_options": ["63\" white-2 cabinet"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCJCIPC", "worker_id": "A1NF6PELRKACS9"}], "B07QFL1S9C": [{"asin": "B07QFL1S9C", "instruction": "i need a high quality perfume atomizer bottle that is easy to carry and has 1 color.", "attributes": ["easy carry", "high quality", "fine mist"], "options": ["color: 1"], "instruction_attributes": ["easy carry", "high quality"], "instruction_options": ["1"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIOF85J", "worker_id": "A1NF6PELRKACS9"}], "B09FGLB9L8": [{"asin": "B09FGLB9L8", "instruction": "i would like a 20m digital 4g lte coaxial cable that's male to female.", "attributes": ["coaxial cable", "4g lte"], "options": ["color: n male to n female", "size: 20m"], "instruction_attributes": ["coaxial cable", "4g lte"], "instruction_options": ["n male to n female", "20m"], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSX66TJ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09FGLB9L8", "instruction": "i am looking for a cable extension that is male to male and supports 4g lte.", "attributes": ["coaxial cable", "4g lte"], "options": ["color: n male to n male", "size: 15m"], "instruction_attributes": ["4g lte"], "instruction_options": ["n male to n male"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R0V7WS", "worker_id": "AHXHM1PQTRWIQ"}], "B01MCV2G56": [{"asin": "B01MCV2G56", "instruction": "i'm looking for furniture was in living room the color was crystal gray furniture was so good.", "attributes": ["lead free", "living room"], "options": ["color: frosted crystal gray", "size: 35.4 x 78.7 inches"], "instruction_attributes": ["living room"], "instruction_options": ["frosted crystal gray"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3SNZMG", "worker_id": "A16IQOX0DK14OJ"}], "B0049YMA9W": [{"asin": "B0049YMA9W", "instruction": "i'm looking for a great river organic milling flour.", "attributes": ["certified organic", "non gmo", "ready eat"], "options": ["pattern name: flour + dark rye flour", "size: 50 pound (pack of 1)", "style: graham"], "instruction_attributes": ["certified organic"], "instruction_options": ["flour + dark rye flour", "50 pound (pack of 1)", "graham"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OPB99T", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08T6YGGGX": [{"asin": "B08T6YGGGX", "instruction": "i'm looking for a vanity mirror easy to install 40x32 with light led", "attributes": ["wall mounted", "easy install"], "options": ["size: inlaid-40x32"], "instruction_attributes": ["easy install"], "instruction_options": ["inlaid-40x32"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME957D2F", "worker_id": "A2Y2TURT2VEYZN"}], "B08PYG5KJ2": [{"asin": "B08PYG5KJ2", "instruction": "i am looking for an empty lip gloss tube 5ml which is of high quality and leak proof.", "attributes": ["high quality", "leak proof", "easy carry"], "options": [""], "instruction_attributes": ["high quality", "leak proof"], "instruction_options": [], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUH95S1", "worker_id": "AHU9OLV0YKIIW"}], "B07NSFKJFC": [{"asin": "B07NSFKJFC", "instruction": "i am looking for a zero sugar flavor syrups of banana split", "attributes": ["keto friendly", "sugar free", "gluten free", "zero sugar"], "options": ["flavor name: banana split"], "instruction_attributes": ["zero sugar"], "instruction_options": ["banana split"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYPXQ9E", "worker_id": "A9QRQL9CFJBI7"}], "B0843SFXGL": [{"asin": "B0843SFXGL", "instruction": "i am looking for steel frame chairs in grey color", "attributes": ["mid century", "easy install", "easy assemble", "lumbar support", "steel frame"], "options": ["color: 3011-grey"], "instruction_attributes": ["steel frame"], "instruction_options": ["3011-grey"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTUGP9T", "worker_id": "A16M39T60N60NO"}], "B09P3PYJJJ": [{"asin": "B09P3PYJJJ", "instruction": "can i get a green women short sleeve dandelion printed blouse thats is loose fit and desirable for day comfort?", "attributes": ["loose fit", "day comfort", "hand wash", "short sleeve", "polyester spandex", "teen girls"], "options": ["color: z14-green", "size: medium"], "instruction_attributes": ["loose fit", "day comfort", "short sleeve"], "instruction_options": ["z14-green"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLYPBYK", "worker_id": "AHU9OLV0YKIIW"}], "B07RRWQQB9": [{"asin": "B07RRWQQB9", "instruction": "i'm looking for walnut color home accessories its very easy to clean.", "attributes": ["easy install", "easy clean", "easy assemble", "metal legs"], "options": ["color: walnut", "size: 39.4 inches"], "instruction_attributes": ["easy clean", "easy assemble"], "instruction_options": ["walnut"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3ZK7QU", "worker_id": "A16IQOX0DK14OJ"}], "B09MLZ254V": [{"asin": "B09MLZ254V", "instruction": "i am looking for anti slip athletic sneakers in black yellow", "attributes": ["non slip", "slip resistant", "anti slip", "arch support", "rubber sole"], "options": ["color: black yellow black-5", "size: 15 women | 12 men"], "instruction_attributes": ["anti slip"], "instruction_options": ["black yellow black-5"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV3CHBT", "worker_id": "A2MSIFDLOHI1UT"}], "B084LPGQ46": [{"asin": "B084LPGQ46", "instruction": "i'm looking for a fresh baked snack cakes made with good quality ingredients. also choose pack of 1 with weight 4 ounce one.", "attributes": ["baked fresh", "quality ingredients"], "options": ["size: 4 ounce (pack of 1)"], "instruction_attributes": ["baked fresh", "quality ingredients"], "instruction_options": ["4 ounce (pack of 1)"], "assignment_id": "326O153BMT8RVOXTJJKKGXV366ODE4", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B084LPGQ46", "instruction": "i would like two pounds of baked fresh snack cakes.", "attributes": ["baked fresh", "quality ingredients"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["baked fresh"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VF88EA", "worker_id": "A2ECRNQ3X5LEXD"}], "B07JB8FRGT": [{"asin": "B07JB8FRGT", "instruction": "i'm looking for midnight bakck smartwatch accessories. its can long lasting product.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: midnight black & white, black", "size: 38 | 40 - m"], "instruction_attributes": ["compatible apple"], "instruction_options": ["midnight black & white, black"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLKEM0J", "worker_id": "A16IQOX0DK14OJ"}], "B08XN9RKQV": [{"asin": "B08XN9RKQV", "instruction": "i'm looking for short and long sleeve for women men its for slim fit.", "attributes": ["loose fit", "daily casual", "slim fit", "short sleeve", "long sleeve"], "options": ["color: black", "size: small"], "instruction_attributes": ["loose fit", "slim fit", "short sleeve", "long sleeve"], "instruction_options": ["black"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227I3F8J", "worker_id": "A16IQOX0DK14OJ"}], "B08TC36KJL": [{"asin": "B08TC36KJL", "instruction": "i seek a tripod stand that is compatible with my iphone and is easy to carry.", "attributes": ["easy carry", "aluminum alloy"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQCE6SC", "worker_id": "AHXHM1PQTRWIQ"}], "B07QZFKFT9": [{"asin": "B07QZFKFT9", "instruction": "i am searching for a z2 black colored swimsuit cover up wide leg pants. also, choose the loose fit.", "attributes": ["wide leg", "loose fit", "drawstring closure"], "options": ["color: z2-black", "size: medium"], "instruction_attributes": ["wide leg", "loose fit"], "instruction_options": ["z2-black"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPLU6E0", "worker_id": "A9ZM1P6LBW79"}], "B09Q1NWKL8": [{"asin": "B09Q1NWKL8", "instruction": "i am looking for 6 boxes of cookies. these should be individually wrapped.", "attributes": ["individually wrapped", "great gift"], "options": ["flavor name: macadamia nut", "size: 6 boxes"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["6 boxes"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANH2SXJ", "worker_id": "A3FG5PQHG5AH3Y"}], "B07VZVYG4C": [{"asin": "B07VZVYG4C", "instruction": "i am looking for a gluten free nut bars of almond blueberry flavor", "attributes": ["gluten free", "grain free", "low sugar", "soy free", "certified organic", "dairy free", "non gmo", "natural flavors"], "options": ["flavor name: almond blueberry"], "instruction_attributes": ["gluten free"], "instruction_options": ["almond blueberry"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA6OR80", "worker_id": "A9QRQL9CFJBI7"}], "B0953BBDT4": [{"asin": "B0953BBDT4", "instruction": "i saw the butterfly flower nail art.", "attributes": ["high quality", "non toxic", "nail art"], "options": ["style: butterflyflower"], "instruction_attributes": ["nail art"], "instruction_options": ["butterflyflower"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN0CTPO", "worker_id": "A226L9F2AZ38CL"}], "B093B54PCJ": [{"asin": "B093B54PCJ", "instruction": "alex evenings a-line women's long dress is what i want to buy today, with hood draped in the back, help find this model in dark plum, hand wash.", "attributes": ["hand wash", "imported zipper"], "options": ["color: dark plum", "size: 10"], "instruction_attributes": ["hand wash"], "instruction_options": ["dark plum", "10"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VG2E8C", "worker_id": "A15IJ20C3R4HUO"}], "B09Q951VRW": [{"asin": "B09Q951VRW", "instruction": "i'm looking for a butt lifting yoga pants with high waist tummy control band. also, choose large size black colored one.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: black", "size: large"], "instruction_attributes": ["butt lifting", "tummy control", "high waist"], "instruction_options": ["black", "large"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRF9NWS", "worker_id": "AR0VJ5XRG16UJ"}], "B09PXDCS4G": [{"asin": "B09PXDCS4G", "instruction": "i am looking for a black portable bluetooth speakers which is easy carry", "attributes": ["power amplifier", "easy carry"], "options": ["color: black"], "instruction_attributes": ["easy carry"], "instruction_options": ["black"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJT4BXP", "worker_id": "A9QRQL9CFJBI7"}], "B08TX29XY9": [{"asin": "B08TX29XY9", "instruction": "i am looking for an underwater themed 6 foot by 9 foot light weight vinyl photography backdrop.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 11", "size: 6x9 ft"], "instruction_attributes": ["light weight"], "instruction_options": ["6x9 ft"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF96D9S", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08TX29XY9", "instruction": "i am looking for a 6x9 ft backgrounds for digital photography.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 01", "size: 6x9 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["6x9 ft"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIFPFV7", "worker_id": "A9QRQL9CFJBI7"}], "B012H0BI7O": [{"asin": "B012H0BI7O", "instruction": "i am looking for high quality long lasting mudslide colored liquid lipstick.", "attributes": ["cruelty free", "long lasting", "highly pigmented", "high quality"], "options": ["color: mudslide"], "instruction_attributes": ["long lasting", "high quality"], "instruction_options": ["mudslide"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO6XGJZ", "worker_id": "A1EREKSZAA9V7B"}], "B09SV5Z81W": [{"asin": "B09SV5Z81W", "instruction": "i am looking for a antiperspirant deodorant.", "attributes": ["long lasting", "anti perspirant"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM931I13", "worker_id": "A9QRQL9CFJBI7"}], "B086JQP3JN": [{"asin": "B086JQP3JN", "instruction": "i am looking long totally cruelty-free,reusable &handmade high quality color xmz212 size :3 pair", "attributes": ["cruelty free", "high quality"], "options": ["color: xmz212", "size: 3 pair (pack of 1)"], "instruction_attributes": ["cruelty free", "high quality"], "instruction_options": ["xmz212", "3 pair (pack of 1)"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI76OGZ2", "worker_id": "A3N9ZYQAESNFQH"}], "B0091K993O": [{"asin": "B0091K993O", "instruction": "i am looking for paraben free makeup powder. please choose copper color.", "attributes": ["highly pigmented", "paraben free", "cruelty free", "nail art"], "options": ["color: copper", "size: 1 ounce"], "instruction_attributes": ["paraben free"], "instruction_options": ["copper"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZNJ1YE", "worker_id": "A3FG5PQHG5AH3Y"}], "B01451UXUG": [{"asin": "B01451UXUG", "instruction": "i am looking for anti aging serum for dry skin.", "attributes": ["anti aging", "plant based", "fine lines", "dry skin"], "options": [""], "instruction_attributes": ["anti aging", "dry skin"], "instruction_options": [], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8F1R5A", "worker_id": "A3FG5PQHG5AH3Y"}], "B001BCXI14": [{"asin": "B001BCXI14", "instruction": "i'm looking for a 24 pack ro-tel mild diced tomatoes and green chilies.", "attributes": ["low carb", "dietary fiber"], "options": ["flavor: mild"], "instruction_attributes": ["low carb"], "instruction_options": ["mild"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFF902I", "worker_id": "A1ZGOZQF2VZ0X9"}], "B084QHSD15": [{"asin": "B084QHSD15", "instruction": "i am looking for a easy assemble bookcases", "attributes": ["assembly required", "easy assemble"], "options": [""], "instruction_attributes": ["easy assemble"], "instruction_options": [], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROKS5WWM", "worker_id": "A9QRQL9CFJBI7"}], "B0912QMLM6": [{"asin": "B0912QMLM6", "instruction": "i'm looking for a omysalon all purpose hydraulic barber chair .", "attributes": ["heavy duty", "height adjustable", "beauty salon"], "options": ["color: red"], "instruction_attributes": ["heavy duty", "height adjustable", "beauty salon"], "instruction_options": ["red"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL5QAE2", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09GK1QJFW": [{"asin": "B09GK1QJFW", "instruction": "ultra long carbon fiber pole monopod 106\" upgraded selfie stick", "attributes": ["aluminum alloy", "carbon fiber"], "options": ["color: 106\" upgraded selfie stick"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["106\" upgraded selfie stick"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHT86LNY", "worker_id": "A3N9ZYQAESNFQH"}], "B088VRGYLS": [{"asin": "B088VRGYLS", "instruction": "i need 6 fresh baked shortbread cookies that are individually wrapped.", "attributes": ["baked fresh", "individually wrapped", "gift basket"], "options": ["number of items: 6"], "instruction_attributes": ["baked fresh", "individually wrapped"], "instruction_options": ["6"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GLX3SO", "worker_id": "A1NF6PELRKACS9"}], "B08GWS7NY4": [{"asin": "B08GWS7NY4", "instruction": "i am looking for a c- -coffee collection color acrylic nail tools for mnail art", "attributes": ["highly pigmented", "nail art"], "options": ["color: c-coffee collection"], "instruction_attributes": ["nail art"], "instruction_options": ["c-coffee collection"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY868518P", "worker_id": "A9QRQL9CFJBI7"}], "B07PGSRPHY": [{"asin": "B07PGSRPHY", "instruction": "i'm looking for a button-tufted stitched sofa that offers a mid-century look. i would prefer one with a clay gold finish.", "attributes": ["mid century", "button tufted"], "options": ["color: clay, gold finish"], "instruction_attributes": ["mid century", "button tufted"], "instruction_options": [], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2IDFKI", "worker_id": "A1HMZJ59OPLD1P"}], "B08RS1WGV9": [{"asin": "B08RS1WGV9", "instruction": "i'm looking for a breakfast cereal bars in a gift box. also, choose pack of 1 which weighs 5.4 ounce with fluffernutter crispies flavored one.", "attributes": ["great gift", "gift basket"], "options": ["flavor: fluffernutter crispies", "size: 5.4 ounce (pack of 1)"], "instruction_attributes": ["gift basket"], "instruction_options": ["fluffernutter crispies", "5.4 ounce (pack of 1)"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66PDFZN", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B08RS1WGV9", "instruction": "i'm looking for rice crispy treats by bunch of munchies.", "attributes": ["great gift", "gift basket"], "options": ["flavor: chocolit chip crispies", "size: 5.9 ounce (pack of 1)"], "instruction_attributes": ["great gift"], "instruction_options": [], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WCNUO5", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B08RS1WGV9", "instruction": "i want by a gift easter basket with the og crispie - gourmet rice crispy, 5.9 ounce (pack of 1).", "attributes": ["great gift", "gift basket"], "options": ["flavor: the og crispies", "size: 5.9 ounce (pack of 1)"], "instruction_attributes": ["gift basket"], "instruction_options": ["the og crispies", "5.9 ounce (pack of 1)"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL2ZVRF", "worker_id": "A15IJ20C3R4HUO"}], "B07DPVGL5G": [{"asin": "B07DPVGL5G", "instruction": "i need a high protein snack which is gluten and grain free. i really like the smoky serrano flavor.", "attributes": ["high protein", "grain free", "artificial ingredients", "keto friendly", "low carb", "non gmo", "gluten free", "quality ingredients"], "options": ["flavor name: smoky serrano", "size: 4 ounce (pack of 1)"], "instruction_attributes": ["high protein", "grain free", "gluten free"], "instruction_options": ["smoky serrano"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJOGMOX", "worker_id": "A1NF6PELRKACS9"}], "B0192BWQV8": [{"asin": "B0192BWQV8", "instruction": "i'm looking for hair care for hair extenions its for permanent hair.", "attributes": ["long lasting", "permanent hair"], "options": ["color: b05 steel blue"], "instruction_attributes": ["permanent hair"], "instruction_options": ["b05 steel blue"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFQ0V3W", "worker_id": "A16IQOX0DK14OJ"}], "B09L5XKVZC": [{"asin": "B09L5XKVZC", "instruction": "i am looking for a green ottomans for living room.", "attributes": ["easy clean", "faux leather", "dining room", "living room"], "options": ["color: green"], "instruction_attributes": ["living room"], "instruction_options": ["green"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0U7W59", "worker_id": "A9QRQL9CFJBI7"}], "B08GLV1RYQ": [{"asin": "B08GLV1RYQ", "instruction": "i am looking for a nautical color of fruit juice for party supplies", "attributes": ["bpa free", "party supplies"], "options": ["color: nautical"], "instruction_attributes": ["party supplies"], "instruction_options": ["nautical"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU74R57B", "worker_id": "A9QRQL9CFJBI7"}], "B08FBK3N18": [{"asin": "B08FBK3N18", "instruction": "i'm looking for furniture it was for living room furniture.", "attributes": ["solid wood", "contemporary design", "living room"], "options": ["size: sofa, loveseat and 2 ottoman living room..."], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["sofa, loveseat and 2 ottoman living room..."], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N71T7E", "worker_id": "A16IQOX0DK14OJ"}], "B09HLCBY4S": [{"asin": "B09HLCBY4S", "instruction": "i need a rose gold tattoo machine for permanent makeup.", "attributes": ["long lasting", "easy use", "rose gold"], "options": ["color: meraki ii - pink", "style: machine"], "instruction_attributes": ["rose gold"], "instruction_options": ["machine"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O1R2AH", "worker_id": "A1NF6PELRKACS9"}], "B09MVK3JG4": [{"asin": "B09MVK3JG4", "instruction": "i am looking for small sized sweatshirt. it should be machine washable.", "attributes": ["quick drying", "machine washable", "long sleeve", "laundry bag", "daily wear"], "options": ["color: snk-xmas tops a168-green", "size: small"], "instruction_attributes": ["machine washable"], "instruction_options": ["small"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7XHP5K", "worker_id": "A3FG5PQHG5AH3Y"}], "B001M0MN0C": [{"asin": "B001M0MN0C", "instruction": "i need small boxer briefs that are quick dry and white.", "attributes": ["quick drying", "elastic closure"], "options": ["color: white", "size: small"], "instruction_attributes": ["quick drying"], "instruction_options": ["white", "small"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSK28BL", "worker_id": "A1NF6PELRKACS9"}], "B07T43L34M": [{"asin": "B07T43L34M", "instruction": "i am looking for a clinically proven face moisturizer cream which supports anti aging", "attributes": ["clinically proven", "anti aging", "hyaluronic acid", "fine lines"], "options": [""], "instruction_attributes": ["clinically proven", "anti aging"], "instruction_options": [], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWDSNF5", "worker_id": "A2COCSUGZV28X"}], "B0828P658S": [{"asin": "B0828P658S", "instruction": "i am looking for a 4.0 rustic brown 1 color home office desk that is easy to assemble.", "attributes": ["easy assemble", "steel frame"], "options": ["color: 4.0 rustic brown 1"], "instruction_attributes": ["easy assemble"], "instruction_options": ["4.0 rustic brown 1"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4T37KD", "worker_id": "A1Q8PPQQCWGY0D"}], "B09NSPLRC1": [{"asin": "B09NSPLRC1", "instruction": "i'm looking for skin care products for hair styling products.", "attributes": ["hair salon", "hair styling"], "options": ["size: d type | red with leg"], "instruction_attributes": ["hair salon", "hair styling"], "instruction_options": ["d type | red with leg"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVNW713", "worker_id": "A16IQOX0DK14OJ"}], "B09F8WTGQN": [{"asin": "B09F8WTGQN", "instruction": "i am looking for forest green teal blue 6 colors nail polish.", "attributes": ["easy use", "nail polish", "nail art"], "options": ["color: glitter\uff1aforest green teal blue 6 colors"], "instruction_attributes": ["nail polish"], "instruction_options": ["glitter\uff1aforest green teal blue 6 colors"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98SSYKL", "worker_id": "A9QRQL9CFJBI7"}], "B097GYX5VD": [{"asin": "B097GYX5VD", "instruction": "womens like high quality and dark color make up accessories", "attributes": ["high quality", "rose gold"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0DV16J", "worker_id": "A226L9F2AZ38CL"}], "B017DVGX1I": [{"asin": "B017DVGX1I", "instruction": "i want to find a brown wall mounted wall sconce with a bronze finish.", "attributes": ["wall mounted", "bronze finish"], "options": ["color: brown"], "instruction_attributes": ["wall mounted", "bronze finish"], "instruction_options": ["brown"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83K1JI8", "worker_id": "A345TDMHP3DQ3G"}], "B09D2YLDZ9": [{"asin": "B09D2YLDZ9", "instruction": "i am looking for new clear and easy clean tablecloth top protection cover", "attributes": ["eco friendly", "easy clean", "dining room"], "options": ["color: new clear", "size: 36x66 inch"], "instruction_attributes": ["easy clean"], "instruction_options": ["new clear"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LKV5IZ", "worker_id": "A258PTOZ3D2TQR"}], "B01MTRVZ1V": [{"asin": "B01MTRVZ1V", "instruction": "i am looking for a multicolor runner area rug to go in my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: multi", "item shape: runner", "size: 9 ft x 12 ft"], "instruction_attributes": ["living room"], "instruction_options": ["multi", "runner"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98RLYKC", "worker_id": "A1NF6PELRKACS9"}], "B09JHW1HML": [{"asin": "B09JHW1HML", "instruction": "a super soft and warm flash light weight machine washable blanket for leaving room size:80\"60\"", "attributes": ["super soft", "machine washable", "living room"], "options": ["size: 80\"x60\""], "instruction_attributes": ["super soft", "machine washable"], "instruction_options": ["80\"x60\""], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTNDO6Z", "worker_id": "A3N9ZYQAESNFQH"}], "B01MSX5462": [{"asin": "B01MSX5462", "instruction": "i am looking for golden blonde human hair extensions.", "attributes": ["high quality", "hair extensions", "natural hair"], "options": ["color: p-light blonde highlighted golden blonde #16 | 22", "size: 20 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["p-light blonde highlighted golden blonde #16 | 22"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVHVZSI", "worker_id": "A3FG5PQHG5AH3Y"}], "B07XDTGNQL": [{"asin": "B07XDTGNQL", "instruction": "i'm looking for aluminum tripod light weighted products because it can easy to carry.", "attributes": ["carbon fiber", "aluminum alloy"], "options": [""], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZEKPC9", "worker_id": "A16IQOX0DK14OJ"}], "B07BVWFCNH": [{"asin": "B07BVWFCNH", "instruction": "i'm looking for hair rose gold colored products.", "attributes": ["easy use", "rose gold", "hair dye", "permanent hair", "natural hair"], "options": ["color: 7.2"], "instruction_attributes": ["rose gold", "hair dye"], "instruction_options": ["7.2"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWRAPFI", "worker_id": "A16IQOX0DK14OJ"}], "B089QBLHBL": [{"asin": "B089QBLHBL", "instruction": "i need a gift basket of gluten free food items for my family. and i would prefer 16 bars & card size", "attributes": ["gluten free", "individually wrapped", "high fructose", "natural ingredients", "gift basket"], "options": ["size: 16 bars & card"], "instruction_attributes": ["gluten free", "gift basket"], "instruction_options": ["16 bars & card"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTUHWXL", "worker_id": "A2COCSUGZV28X"}], "B07SS5LM81": [{"asin": "B07SS5LM81", "instruction": "i am looking for individually wrapped lollipops jar. it should be in pearl kiwi green and green apple flavor.", "attributes": ["individually wrapped", "baby shower"], "options": ["flavor name: pearl kiwi green - green apple"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["pearl kiwi green - green apple"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIFGFVY", "worker_id": "A1NF6PELRKACS9"}], "B095C9MFHH": [{"asin": "B095C9MFHH", "instruction": "i'm looking for high power monocular telescope with smartphone holder and tripod", "attributes": ["non slip", "high power", "bird watching"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCX346X", "worker_id": "A258PTOZ3D2TQR"}], "B07MKB1HLV": [{"asin": "B07MKB1HLV", "instruction": "i am looking for vanity wall lamp of 2 pack.", "attributes": ["easy install", "glass shade", "vanity light", "light fixture", "dining room", "living room"], "options": ["color: orb,3-lights", "size: 2-pack"], "instruction_attributes": ["vanity light"], "instruction_options": ["2-pack"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQY8D77F", "worker_id": "A3FG5PQHG5AH3Y"}], "B09GB4CSW7": [{"asin": "B09GB4CSW7", "instruction": "i am looking ac adapters with good output production", "attributes": ["output protection", "easy carry"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZQV50L", "worker_id": "A16M39T60N60NO"}, {"asin": "B09GB4CSW7", "instruction": "i would like a ac adapter that is easy to carry.", "attributes": ["output protection", "easy carry"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOMPML0", "worker_id": "A1WS884SI0SLO4"}], "B0992XPRW7": [{"asin": "B0992XPRW7", "instruction": "i'm looking for one cocktail mix gluten free and natural ingredients spicy bloody mary flavor in pack of 2 with 32 fl oz", "attributes": ["old fashioned", "low calorie", "low carb", "gluten free", "high fructose", "natural ingredients"], "options": ["flavor name: spicy bloody mary variety pack", "size: 32 fl oz (pack of 2)"], "instruction_attributes": ["gluten free", "natural ingredients"], "instruction_options": ["spicy bloody mary variety pack", "32 fl oz (pack of 2)"], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSW3T61", "worker_id": "A2Y2TURT2VEYZN"}], "B09368SY2Q": [{"asin": "B09368SY2Q", "instruction": "i need 3v long lasting and high performance batteries in a pack of 6", "attributes": ["long lasting", "high performance"], "options": ["size: 6 pack"], "instruction_attributes": ["long lasting", "high performance"], "instruction_options": ["6 pack"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K70218", "worker_id": "ASWFLI3N8X72G"}], "B0868LDR64": [{"asin": "B0868LDR64", "instruction": "i'm looking for high heeled shoes and open toe it will easy to wear", "attributes": ["open toe", "ankle strap", "arch support", "high heel", "button closure"], "options": ["color: y-03 black", "size: 5.5"], "instruction_attributes": ["open toe", "ankle strap", "high heel"], "instruction_options": ["y-03 black"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOJJDYB", "worker_id": "A16IQOX0DK14OJ"}], "B09LT57M8J": [{"asin": "B09LT57M8J", "instruction": "i am looking for birthday cake in black 40", "attributes": ["birthday cake", "cupcake picks", "birthday party"], "options": ["pattern name: black 40"], "instruction_attributes": ["birthday cake"], "instruction_options": ["black 40"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHBUE1S", "worker_id": "A2MSIFDLOHI1UT"}], "B081J14LT6": [{"asin": "B081J14LT6", "instruction": "i'm looking for wall art for hanging through the wall.", "attributes": ["ready hang", "living room"], "options": ["color: custom metal print h03", "size: 30\" x 40\""], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["custom metal print h03"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7OD3IG", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B081J14LT6", "instruction": "i need a custom metal print poster for my living room", "attributes": ["ready hang", "living room"], "options": ["color: custom metal print h17", "size: 20\" round"], "instruction_attributes": ["living room"], "instruction_options": ["custom metal print h17"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC59QRKX", "worker_id": "AVIEE6LDH0BT5"}], "B08TWPVRNK": [{"asin": "B08TWPVRNK", "instruction": "i'm looking for grey colored men's closed toe sports sandals in size 8 please.", "attributes": ["quick drying", "anti slip", "closed toe", "rubber sole"], "options": ["color: grey", "size: 8"], "instruction_attributes": ["closed toe"], "instruction_options": ["grey", "8"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWY5R1Z", "worker_id": "A20DUVEOH6A7KW"}], "B07CJW395Z": [{"asin": "B07CJW395Z", "instruction": "i looking a solid wood home furnishing 2 drawer nightstand", "attributes": ["engineered wood", "solid wood", "home furnishings"], "options": ["style: 2 drawer nightstand"], "instruction_attributes": ["solid wood", "home furnishings"], "instruction_options": ["2 drawer nightstand"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKB0NE8", "worker_id": "A3N9ZYQAESNFQH"}], "B091G7H187": [{"asin": "B091G7H187", "instruction": "i'm looking for some vinyl women's clogs in taupe color, size 9.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: taupe", "size: 9 women | 7 men"], "instruction_attributes": ["ethylene vinyl", "vinyl acetate"], "instruction_options": ["taupe", "9 women | 7 men"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61TEZWI", "worker_id": "A19317A3X87NVM"}], "B098LHMX6X": [{"asin": "B098LHMX6X", "instruction": "i need a matcha green team exfoliating scrub that is effective for removing dead skin from the surface of the skin.", "attributes": ["fine lines", "dead skin"], "options": ["size: matcha green team"], "instruction_attributes": ["dead skin"], "instruction_options": ["matcha green team"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV5A8DO", "worker_id": "A1HMZJ59OPLD1P"}], "B09GYG7R75": [{"asin": "B09GYG7R75", "instruction": "show me trail running shoes with a rubber sole. it should be 4.5 for men.", "attributes": ["anti slip", "rubber sole"], "options": ["color: black red pumpkin w", "size: 6.5 women | 4.5 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["6.5 women | 4.5 men"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYOEHDQ", "worker_id": "A15ERD4HOFEPHM"}], "B097GVZ2RN": [{"asin": "B097GVZ2RN", "instruction": "i am looking for a 05 red color women sneakers for day comfort", "attributes": ["open toe", "knee high", "day comfort", "ankle strap", "steel toe", "quality materials", "teen girls"], "options": ["color: 05 red", "size: 8"], "instruction_attributes": ["day comfort"], "instruction_options": [], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8F15RO", "worker_id": "A9QRQL9CFJBI7"}], "B08CK6XD3G": [{"asin": "B08CK6XD3G", "instruction": "i'm looking for a yaliaprint dragonfly blackout curtains.", "attributes": ["machine washable", "long lasting", "white item"], "options": ["color: color18", "size: 72\" w x 63\" l"], "instruction_attributes": ["white item"], "instruction_options": ["color18", "72\" w x 63\" l"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841BWXAT", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08JY6ZPSS": [{"asin": "B08JY6ZPSS", "instruction": "i'm looking for navy colored large sized jackets it can use for winter warm.", "attributes": ["fleece lined", "winter warm", "machine wash"], "options": ["color: navy", "size: large"], "instruction_attributes": ["winter warm", "machine wash"], "instruction_options": ["navy", "large"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q4UDK0", "worker_id": "A16IQOX0DK14OJ"}], "B09NLMYPR4": [{"asin": "B09NLMYPR4", "instruction": "i need a golden colored coffee table that is easy to assemble. choose one for my living room.", "attributes": ["easy clean", "easy assemble", "clear glass", "tempered glass", "living room"], "options": ["color: golden", "material type: walnut"], "instruction_attributes": ["easy assemble", "living room"], "instruction_options": ["golden"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HZH1DA", "worker_id": "A1NF6PELRKACS9"}], "B09ST1YZGV": [{"asin": "B09ST1YZGV", "instruction": "i want to buy a hairbrush that increases hair growth.", "attributes": ["hair treatment", "hair growth"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZXXJZZ", "worker_id": "A2YNPKYEFDZ6C9"}], "B084YQXS27": [{"asin": "B084YQXS27", "instruction": "i want to get a high performance security camera with ultra hd resolution.", "attributes": ["certified refurbished", "ultra hd", "heavy duty", "high performance"], "options": [""], "instruction_attributes": ["ultra hd", "high performance"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5GMZ10", "worker_id": "ASWFLI3N8X72G"}], "B00U7BZDFO": [{"asin": "B00U7BZDFO", "instruction": "i am interested in a six pack of non gmo crackers.", "attributes": ["non gmo", "hand crafted", "0g trans", "quality ingredients", "artificial flavors"], "options": ["flavor name: melting parmesan, dijon swiss, cheddar &...", "size: 4 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["4 ounce (pack of 6)"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW9JS83", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LVGMZW4": [{"asin": "B09LVGMZW4", "instruction": "i'm looking for accent furniture for living room.", "attributes": ["mid century", "easy install", "metal legs", "living room"], "options": ["color: beige"], "instruction_attributes": ["mid century", "easy install", "living room"], "instruction_options": ["beige"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7XPY6X", "worker_id": "A16IQOX0DK14OJ"}], "B000WCZN9Y": [{"asin": "B000WCZN9Y", "instruction": "i'm looking for a amy's soup.", "attributes": ["low fat", "easy prepare", "bpa free", "gluten free", "nut free", "soy free", "certified organic", "dairy free"], "options": [""], "instruction_attributes": ["low fat", "gluten free", "certified organic"], "instruction_options": [], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X6I3YR", "worker_id": "A1ZGOZQF2VZ0X9"}], "B083GKZWVX": [{"asin": "B083GKZWVX", "instruction": "i want a doorbell camera that's 1080p and has motion detection.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3UUX6JU", "worker_id": "AR9AU5FY1S3RO"}], "B07B5NKTTG": [{"asin": "B07B5NKTTG", "instruction": "i'm looking for decor room for living room its full of wood finish and want to buy it.", "attributes": ["mid century", "faux leather", "wood finish"], "options": ["color: cream | walnut", "size: 30\" bar height"], "instruction_attributes": ["faux leather", "wood finish"], "instruction_options": ["cream | walnut"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWC3NFE", "worker_id": "A16IQOX0DK14OJ"}], "B08N525ZVS": [{"asin": "B08N525ZVS", "instruction": "find me a kitchen table with metal legs in black oak with 39.37\" for dining room", "attributes": ["heavy duty", "easy clean", "easy assemble", "metal legs", "dining room", "living room"], "options": ["color: black oak", "size: 39.37\u201c"], "instruction_attributes": ["metal legs", "dining room"], "instruction_options": ["black oak", "39.37\u201c"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS3JVU3", "worker_id": "A2Y2TURT2VEYZN"}], "B08PVMTPKG": [{"asin": "B08PVMTPKG", "instruction": "i am looking for a 2 manual toothbrushes for sensitive teeth.", "attributes": ["easy carry", "sensitive teeth"], "options": ["size: 2"], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9TY78J", "worker_id": "A9QRQL9CFJBI7"}], "B09NHVNSM1": [{"asin": "B09NHVNSM1", "instruction": "i'm looking for snacks fully cooked no preservatives and need to buy it.", "attributes": ["fully cooked", "soy free"], "options": ["flavor name: chipotle habanero", "size: 1.5 ounce (pack of 8)"], "instruction_attributes": ["fully cooked"], "instruction_options": ["chipotle habanero"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FGKLEO", "worker_id": "A16IQOX0DK14OJ"}], "B094H3G7V2": [{"asin": "B094H3G7V2", "instruction": "i'm looking for accessories for women's for dead skin adn need to buy it.", "attributes": ["double sided", "rose gold", "dead skin", "beauty salon"], "options": [""], "instruction_attributes": ["double sided", "rose gold", "dead skin", "beauty salon"], "instruction_options": [], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MNLOF9", "worker_id": "A16IQOX0DK14OJ"}], "B09PG876ZQ": [{"asin": "B09PG876ZQ", "instruction": "i'm looking for machine washable, daily wear boxer briefs with elastic waistband and has unique design. also choose x-large, love with hearts black colored one.", "attributes": ["machine wash", "unique design", "elastic waistband", "daily wear"], "options": ["color: love with hearts black", "size: x-large"], "instruction_attributes": ["machine wash", "unique design", "elastic waistband", "daily wear"], "instruction_options": ["love with hearts black", "x-large"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XRDGNG", "worker_id": "AR0VJ5XRG16UJ"}], "B07JBP95WQ": [{"asin": "B07JBP95WQ", "instruction": "i'm looking for intel core has install at any at easy and it will high perfomanced.", "attributes": ["certified refurbished", "high performance", "intel core"], "options": [""], "instruction_attributes": ["high performance", "intel core"], "instruction_options": [], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTEG5DO", "worker_id": "A16IQOX0DK14OJ"}], "B09JRXHZWX": [{"asin": "B09JRXHZWX", "instruction": "i am looking for a medium slim fit tops.", "attributes": ["slim fit", "daily casual", "hand wash", "machine wash", "long sleeve"], "options": ["color: b-lace black", "size: medium"], "instruction_attributes": ["slim fit"], "instruction_options": ["medium"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTTZXW2", "worker_id": "A9QRQL9CFJBI7"}], "B08QDV64XV": [{"asin": "B08QDV64XV", "instruction": "i am looking for a high power soundbar and it should be dust proof.", "attributes": ["dust proof", "high power"], "options": [""], "instruction_attributes": ["dust proof", "high power"], "instruction_options": [], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRW23F6", "worker_id": "AHU9OLV0YKIIW"}], "B077KLT1CT": [{"asin": "B077KLT1CT", "instruction": "i need bacon cheddar crisps that are not only keto friendly but also gluten free and low carb.", "attributes": ["keto friendly", "gluten free", "high protein", "low carb", "lactose free", "natural ingredients"], "options": ["flavor name: bacon cheddar", "size: 10 ounce (pack of 3)"], "instruction_attributes": ["keto friendly", "gluten free", "low carb"], "instruction_options": ["bacon cheddar"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83LIIJQ", "worker_id": "A1NF6PELRKACS9"}], "B07V1CR4HS": [{"asin": "B07V1CR4HS", "instruction": "i am looking orange almond muffin flavour baking mix with low carb,sugar free,gluten free made with natural ingredient", "attributes": ["low carb", "grain free", "gluten free", "keto friendly", "ready eat", "sugar free", "zero sugar", "quality ingredients", "natural ingredients"], "options": ["flavor name: orange almond muffin"], "instruction_attributes": ["low carb", "gluten free", "sugar free", "natural ingredients"], "instruction_options": ["orange almond muffin"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFLOEMX", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B07V1CR4HS", "instruction": "i want to get some keto friendly blueberry baking mix that's made from all-natural ingredients.", "attributes": ["low carb", "grain free", "gluten free", "keto friendly", "ready eat", "sugar free", "zero sugar", "quality ingredients", "natural ingredients"], "options": ["flavor name: blueberry"], "instruction_attributes": ["keto friendly", "natural ingredients"], "instruction_options": ["blueberry"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK4WJ34", "worker_id": "AR9AU5FY1S3RO"}], "B08D7559V3": [{"asin": "B08D7559V3", "instruction": "i'm looking for need to buy a machine washable and it easy to use it.", "attributes": ["machine washable", "easy install"], "options": ["color: deepteal", "size: large"], "instruction_attributes": ["machine washable"], "instruction_options": ["deepteal"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH153JHWW", "worker_id": "A16IQOX0DK14OJ"}], "B07ZNQBNCZ": [{"asin": "B07ZNQBNCZ", "instruction": "i am looking for dual band cellular booster", "attributes": ["dual band", "4g lte"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9B8AZH", "worker_id": "A16M39T60N60NO"}], "B081CDTRPD": [{"asin": "B081CDTRPD", "instruction": "i am looking for a 15 foot gold plated interconnect cable.", "attributes": ["power amplifier", "gold plated"], "options": ["size: 15 feet", "style: xlr female to 1 | 4 ts male"], "instruction_attributes": ["gold plated"], "instruction_options": ["15 feet"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22JTW8U", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B081CDTRPD", "instruction": "i want to find a female to dual cable that is 3.3 feet long. it needs to also come with a power amplifier.", "attributes": ["power amplifier", "gold plated"], "options": ["size: 3.3 feet", "style: xlr female to dual 1 | 4 ts male"], "instruction_attributes": ["power amplifier"], "instruction_options": ["3.3 feet", "xlr female to dual 1 | 4 ts male"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HOPWOP", "worker_id": "A345TDMHP3DQ3G"}], "B08VNG4HJ6": [{"asin": "B08VNG4HJ6", "instruction": "i'm looking for capacity in white plug play it was need to buy it.", "attributes": ["easy use", "plug play"], "options": ["capacity: white", "color: 320gb"], "instruction_attributes": ["plug play"], "instruction_options": ["white"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SULKVZE", "worker_id": "A16IQOX0DK14OJ"}], "B09S9WL9B4": [{"asin": "B09S9WL9B4", "instruction": "i am looking for a pair of women's size 7.5 open toe outdoor sandals.", "attributes": ["open toe", "arch support", "steel toe", "high heel", "ankle strap", "teen girls"], "options": ["color: xiezi-a010-black", "size: 7.5"], "instruction_attributes": ["open toe"], "instruction_options": ["7.5"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AKSOE9", "worker_id": "A1EREKSZAA9V7B"}], "B00VHAW406": [{"asin": "B00VHAW406", "instruction": "i'm looking for bedspreads it was easy to wash it was machine washable", "attributes": ["machine washable", "king size"], "options": ["color: white", "size: full(96\"x110\")"], "instruction_attributes": ["machine washable", "king size"], "instruction_options": ["white"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68GV4AP", "worker_id": "A16IQOX0DK14OJ"}], "B09LS2LS8T": [{"asin": "B09LS2LS8T", "instruction": "i'm looking for a slim fit dress shirt with a button closure. it should come in a 4 x large with a blue plaid pattern.", "attributes": ["slim fit", "quality polyester", "long sleeve", "button closure"], "options": ["color: plaid pattern blue", "size: 4x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["plaid pattern blue", "4x-large"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFU4T0P", "worker_id": "AR9AU5FY1S3RO"}], "B08PPNPJ9Q": [{"asin": "B08PPNPJ9Q", "instruction": "i need a white mid century table for my living room. it should be 15.6x23 inches in size.", "attributes": ["easy assemble", "mid century", "living room"], "options": ["color: white", "size: 15.6x23.5inch"], "instruction_attributes": ["mid century", "living room"], "instruction_options": ["white", "15.6x23.5inch"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY3P4J5", "worker_id": "A1NF6PELRKACS9"}], "B073214G9J": [{"asin": "B073214G9J", "instruction": "i am looking for a dark taupe home office desks with metal legs.", "attributes": ["contemporary design", "metal legs"], "options": ["color: dark taupe"], "instruction_attributes": ["metal legs"], "instruction_options": ["dark taupe"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQCSS6C", "worker_id": "A9QRQL9CFJBI7"}], "B08M3WKJ3W": [{"asin": "B08M3WKJ3W", "instruction": "i need a high speed plug and play external optical drive with usb. pick a black one.", "attributes": ["plug play", "high speed"], "options": ["color: black"], "instruction_attributes": ["plug play", "high speed"], "instruction_options": ["black"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQY9877C", "worker_id": "A1NF6PELRKACS9"}], "B071K4WP3P": [{"asin": "B071K4WP3P", "instruction": "i am looking for machine washable throw pillow cushion cover. please select peach mint color.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: peach mint", "size: 18 x 18-inch"], "instruction_attributes": ["machine washable"], "instruction_options": ["peach mint"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRN1MFN", "worker_id": "A3FG5PQHG5AH3Y"}], "B07NVWVV9R": [{"asin": "B07NVWVV9R", "instruction": "i'm looking for skin care moisturizing seed oil need to buy it.", "attributes": ["cruelty free", "seed oil", "dry skin", "fine lines"], "options": ["color: be bright be you"], "instruction_attributes": ["seed oil", "dry skin"], "instruction_options": [], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZQ7HS1", "worker_id": "A16IQOX0DK14OJ"}], "B08TVCFNPN": [{"asin": "B08TVCFNPN", "instruction": "wall plate cover in toggle combo", "attributes": ["heavy duty", "high gloss"], "options": ["style: outlet | toggle combo"], "instruction_attributes": ["heavy duty"], "instruction_options": ["outlet | toggle combo"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ881LF", "worker_id": "A10OGH5CQBXL5N"}], "B08FZTH28C": [{"asin": "B08FZTH28C", "instruction": "i am looking for white floral scent dab 002 in travel size", "attributes": ["long lasting", "travel size", "easy carry"], "options": ["scent: dab 002"], "instruction_attributes": ["travel size"], "instruction_options": ["dab 002"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SWTDU0", "worker_id": "A16M39T60N60NO"}], "B081GBD1G8": [{"asin": "B081GBD1G8", "instruction": "i want to buy canvas prints for the living room preferably having airplanes on them.", "attributes": ["ready hang", "living room", "dining room"], "options": ["color: 2810 - airplanes"], "instruction_attributes": ["living room"], "instruction_options": ["2810 - airplanes"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMOT6BC", "worker_id": "AHXHM1PQTRWIQ"}], "B09MSLSLNP": [{"asin": "B09MSLSLNP", "instruction": "i want to buy a six pack of snickerdoodle flavored hot chocolate. make sure it's gluten free.", "attributes": ["rich creamy", "gluten free"], "options": ["flavor name: snickerdoodle", "size: 14.8 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["snickerdoodle", "14.8 ounce (pack of 6)"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZILA7F", "worker_id": "AR9AU5FY1S3RO"}], "B07NDKS1X4": [{"asin": "B07NDKS1X4", "instruction": "i'm looking for the furniture for bed room the color was beige.", "attributes": ["button tufted", "mid century"], "options": ["color: beige"], "instruction_attributes": ["button tufted"], "instruction_options": ["beige"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGEBS90", "worker_id": "A16IQOX0DK14OJ"}], "B07QD5NS5V": [{"asin": "B07QD5NS5V", "instruction": "i'm looking for grey colored queen sized pillowcases and want to buy it.", "attributes": ["eco friendly", "queen size", "super soft"], "options": ["color: light grey", "size: queen"], "instruction_attributes": ["queen size", "super soft"], "instruction_options": ["light grey"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YQ28T9", "worker_id": "A16IQOX0DK14OJ"}], "B091HDH5YS": [{"asin": "B091HDH5YS", "instruction": "i'm looking for wall art for living room the color was inspirational.", "attributes": ["ready hang", "long lasting", "living room", "dining room"], "options": ["color: inspirational-14", "size: 24 x 36 inch"], "instruction_attributes": ["living room", "dining room"], "instruction_options": ["inspirational-14"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYJ6LQY", "worker_id": "A16IQOX0DK14OJ"}], "B0987J6TV8": [{"asin": "B0987J6TV8", "instruction": "i need an easy to carry tripod made of carbon fiber for my camera.", "attributes": ["easy carry", "non slip", "easy use", "carbon fiber"], "options": [""], "instruction_attributes": ["easy carry", "carbon fiber"], "instruction_options": [], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1PN6F2", "worker_id": "A1NF6PELRKACS9"}], "B086PFNJ5K": [{"asin": "B086PFNJ5K", "instruction": "find me an easy to carry and easy to use 60cm double sided high quality body brush in green color.", "attributes": ["double sided", "easy carry", "easy use", "high quality", "dead skin"], "options": ["color: 72purple and green", "size: 60cm"], "instruction_attributes": ["double sided", "easy carry", "easy use", "high quality"], "instruction_options": ["72purple and green", "60cm"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4VS7K6", "worker_id": "A3AYHESLQSDY5T"}], "B07J5S5Z9D": [{"asin": "B07J5S5Z9D", "instruction": "i am looking a eco friendly long lasting jar candle 6 oz butteercream vanilla cupcake", "attributes": ["long lasting", "eco friendly", "soy wax"], "options": ["scent: buttercream vanilla cupcake", "size: 6 oz."], "instruction_attributes": ["long lasting", "eco friendly"], "instruction_options": ["buttercream vanilla cupcake", "6 oz."], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DBODWH", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B07J5S5Z9D", "instruction": "i would like a two pack of soy candles", "attributes": ["long lasting", "eco friendly", "soy wax"], "options": ["scent: in the mood", "size: 9 oz. 2 pack"], "instruction_attributes": ["soy wax"], "instruction_options": ["9 oz. 2 pack"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SFPWRM", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FDY7L9Q": [{"asin": "B09FDY7L9Q", "instruction": "i'm looking to buy a rose gold 1-in flat iron.", "attributes": ["rose gold", "hair styling", "hair salon"], "options": ["size: 1 inch"], "instruction_attributes": ["rose gold"], "instruction_options": ["1 inch"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1FW80O", "worker_id": "A2YNPKYEFDZ6C9"}], "B08547BBF5": [{"asin": "B08547BBF5", "instruction": "i am looking for a cleanser and rmakeup remover for my sensitive skin. i want it in travel size.", "attributes": ["travel size", "tea tree", "sensitive skin", "dead skin"], "options": [""], "instruction_attributes": ["travel size", "sensitive skin"], "instruction_options": [], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQDV91S", "worker_id": "A1NF6PELRKACS9"}], "B08JPBQ73S": [{"asin": "B08JPBQ73S", "instruction": "i am searching for a motion detection security camera.", "attributes": ["batteries included", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVGSBIH", "worker_id": "A9ZM1P6LBW79"}], "B07BHLXJM8": [{"asin": "B07BHLXJM8", "instruction": "i am looking for a nail art carrying travel case. it should be easy to clean.", "attributes": ["easy clean", "nail art", "eye shadow"], "options": ["color: style 1"], "instruction_attributes": ["easy clean", "nail art"], "instruction_options": [], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THWDZ54", "worker_id": "A1NF6PELRKACS9"}], "B09M3LNF8P": [{"asin": "B09M3LNF8P", "instruction": "i am looking for easy clean and lumbar support home office chair", "attributes": ["heavy duty", "easy clean", "lumbar support", "dining room"], "options": [""], "instruction_attributes": ["easy clean", "lumbar support"], "instruction_options": [], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7YCDSM", "worker_id": "AX2EWYWZM19AZ"}], "B08V1S29CZ": [{"asin": "B08V1S29CZ", "instruction": "i am looking for gluten free tea.please choose berry flavour.", "attributes": ["freeze dried", "non alcoholic", "non gmo", "gluten free"], "options": ["flavor name: berry"], "instruction_attributes": ["gluten free"], "instruction_options": ["berry"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L9LERL", "worker_id": "A3FG5PQHG5AH3Y"}], "B09SF1YB4V": [{"asin": "B09SF1YB4V", "instruction": "i would like a pair of size 7.5 wide khaki flat sandals with a closed toe.", "attributes": ["closed toe", "arch support"], "options": ["color: a3 - khaki", "size: 7.5 wide"], "instruction_attributes": ["closed toe"], "instruction_options": ["a3 - khaki", "7.5 wide"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OWQYEX", "worker_id": "A1WS884SI0SLO4"}], "B07PB18T74": [{"asin": "B07PB18T74", "instruction": "i looking a beauty product leak proof travel size case for 288 bottles color yellow", "attributes": ["oil free", "leak proof", "travel size", "high quality"], "options": ["color: yellow", "size: 288 bottles"], "instruction_attributes": ["leak proof", "travel size"], "instruction_options": ["yellow", "288 bottles"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8IK4CT", "worker_id": "A3N9ZYQAESNFQH"}], "B09S169XYP": [{"asin": "B09S169XYP", "instruction": "i need an x-large t-shirt blouse that has short sleeves.", "attributes": ["loose fit", "wash cold", "hand wash", "machine wash", "long sleeve", "short sleeve"], "options": ["color: 3-white", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["x-large"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THXQ5ZP", "worker_id": "A1NF6PELRKACS9"}], "B01FQBPOMG": [{"asin": "B01FQBPOMG", "instruction": "need a bag of creamy shake candy with 120 units cappuccino flavor and gluten free", "attributes": ["low sugar", "individually wrapped", "gluten free"], "options": ["flavor name: cappuccino", "size: 120 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["cappuccino", "120 count (pack of 1)"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9BIAZR", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B01FQBPOMG", "instruction": "i would like a bag of 180 honeydew candies that are gluten free and low sugar.", "attributes": ["low sugar", "individually wrapped", "gluten free"], "options": ["flavor name: honeydew", "size: 180 count (pack of 1)"], "instruction_attributes": ["low sugar", "gluten free"], "instruction_options": ["honeydew", "180 count (pack of 1)"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH156IHW1", "worker_id": "A1WS884SI0SLO4"}], "B07FYB92QR": [{"asin": "B07FYB92QR", "instruction": "i'm looking for optical zoom for camera it was in ultra hd camera.", "attributes": ["ultra hd", "optical zoom"], "options": [""], "instruction_attributes": ["ultra hd", "optical zoom"], "instruction_options": [], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRTOY2J", "worker_id": "A16IQOX0DK14OJ"}], "B06XGR98MK": [{"asin": "B06XGR98MK", "instruction": "i am looking for a low calorie non alcoholic drink in the moscow mule flavor.", "attributes": ["non alcoholic", "old fashioned", "low calorie", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor: moscow mule", "size: 32 count"], "instruction_attributes": ["non alcoholic", "low calorie"], "instruction_options": ["moscow mule"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK04UIK", "worker_id": "A1NF6PELRKACS9"}], "B081D973ZF": [{"asin": "B081D973ZF", "instruction": "i am looking for cranberry health mix which contains natural ingredients only, 26 ounce (pack of 4)", "attributes": ["artificial ingredients", "non gmo", "gluten free", "natural ingredients", "artificial flavors"], "options": ["flavor name: cranberry health mix", "size: 26 ounce (pack of 4)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["cranberry health mix", "26 ounce (pack of 4)"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQSCHIG", "worker_id": "A258PTOZ3D2TQR"}], "B096LJXJRD": [{"asin": "B096LJXJRD", "instruction": "i want to find a red standing computer desk that i can adjust the height for.", "attributes": ["height adjustable", "white item"], "options": ["color: red"], "instruction_attributes": ["height adjustable"], "instruction_options": ["red"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQN9J10Q", "worker_id": "A345TDMHP3DQ3G"}], "B099KM511M": [{"asin": "B099KM511M", "instruction": "i would like a 60\"x80\" ref and black fringe fleece throw.", "attributes": ["twin size", "fleece throw"], "options": ["color: c:with pompom fringe:red and black", "size: 60\"x80\""], "instruction_attributes": ["fleece throw"], "instruction_options": ["c:with pompom fringe:red and black", "60\"x80\""], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJONGDC", "worker_id": "A1WS884SI0SLO4"}], "B0924JS3YG": [{"asin": "B0924JS3YG", "instruction": "i am looking for makeup brush set that is suitable for synthetic hair. and i would prefer the pink one", "attributes": ["eco friendly", "cruelty free", "synthetic hair", "sensitive skin"], "options": ["color: pink"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["pink"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQY84BC", "worker_id": "A2COCSUGZV28X"}], "B071166T4K": [{"asin": "B071166T4K", "instruction": "i'm looking for flip flops it will comfort to wear.", "attributes": ["day comfort", "slip resistant"], "options": ["color: grey charcoal grey 189", "size: womens 8"], "instruction_attributes": ["day comfort"], "instruction_options": ["grey charcoal grey 189"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL7TECO", "worker_id": "A16IQOX0DK14OJ"}], "B08HV6Y1N9": [{"asin": "B08HV6Y1N9", "instruction": "women's multi pockets utility cargo pant relaxed fit for daily wear colour must bordeaux", "attributes": ["straight leg", "imported zipper", "relaxed fit", "button closure", "daily wear"], "options": ["color: bordeaux", "size: 4"], "instruction_attributes": ["straight leg", "relaxed fit", "daily wear"], "instruction_options": ["bordeaux"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIK0FEF", "worker_id": "A10OGH5CQBXL5N"}], "B09PVBX674": [{"asin": "B09PVBX674", "instruction": "add to my list cupcake toppers decorations for my birthday party.", "attributes": ["baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANHXSXE", "worker_id": "AHU9OLV0YKIIW"}], "B07FYP14DR": [{"asin": "B07FYP14DR", "instruction": "i am looking for xx-large youth fit black color halloween t-shirt of needle sleeve", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: youth", "size: xx-large"], "instruction_attributes": ["needle sleeve"], "instruction_options": ["black", "youth", "xx-large"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61UYWZ1", "worker_id": "A258PTOZ3D2TQR"}], "B0792N9J4S": [{"asin": "B0792N9J4S", "instruction": "i am looking for a paraben and bpa free cinnamon colored natural tooth gel.", "attributes": ["cruelty free", "plant based", "bpa free", "paraben free"], "options": ["color: cinnamon", "size: 0.5 fl oz glass bottle"], "instruction_attributes": ["bpa free"], "instruction_options": [], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1M36FC", "worker_id": "A9ZM1P6LBW79"}], "B09D93PVFX": [{"asin": "B09D93PVFX", "instruction": "i'm looking for white item make my room look so nice.", "attributes": ["white item", "assembly required", "easy clean", "box spring", "white finish"], "options": ["color: white", "size: twin xl | full xl | queen"], "instruction_attributes": ["white item", "easy clean"], "instruction_options": ["white"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCO5BMO", "worker_id": "A16IQOX0DK14OJ"}], "B07Q7NKCS7": [{"asin": "B07Q7NKCS7", "instruction": "i am looking for anti slip women sandals. please choose black one.", "attributes": ["anti slip", "quick drying", "non slip", "ethylene vinyl", "vinyl acetate"], "options": ["color: black1-women", "size: 9"], "instruction_attributes": ["anti slip"], "instruction_options": ["black1-women"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBAUU6D", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07Q7NKCS7", "instruction": "i want pink and non slip luffymomo womens shower slippers.", "attributes": ["anti slip", "quick drying", "non slip", "ethylene vinyl", "vinyl acetate"], "options": ["color: pink-women", "size: 6"], "instruction_attributes": ["non slip"], "instruction_options": ["pink-women"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841D5AXJ", "worker_id": "A2RBF3IIJP15IH"}], "B09PGZ2VK4": [{"asin": "B09PGZ2VK4", "instruction": "i want a dust proof tempered glass for nintendo switch color five star wings", "attributes": ["dust proof", "tempered glass"], "options": ["color: fivestar wings"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A1TFHY", "worker_id": "A3N9ZYQAESNFQH"}], "B0721QQDC8": [{"asin": "B0721QQDC8", "instruction": "i'm looking for long lasting beauty accessories for making skin glow.", "attributes": ["long lasting", "storage case"], "options": ["color: tie dye", "size: 3 large, 4 small drawers"], "instruction_attributes": ["long lasting"], "instruction_options": ["tie dye"], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVFSBIF", "worker_id": "A16IQOX0DK14OJ"}], "B09D33BXHL": [{"asin": "B09D33BXHL", "instruction": "i need a heavy duty office chair which is easy to install and has lumbar support.", "attributes": ["high density", "heavy duty", "easy install", "lumbar support"], "options": [""], "instruction_attributes": ["heavy duty", "easy install", "lumbar support"], "instruction_options": [], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVFOBIB", "worker_id": "ASWFLI3N8X72G"}], "B09Q9D1K69": [{"asin": "B09Q9D1K69", "instruction": "i am searching for a high quality long handle tongue cleaner.", "attributes": ["eco friendly", "high quality", "long handle"], "options": [""], "instruction_attributes": ["high quality", "long handle"], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4C4QR4", "worker_id": "A9ZM1P6LBW79"}], "B097ZLKZCS": [{"asin": "B097ZLKZCS", "instruction": "i need blue high heels with open toes. the size should be a 10.", "attributes": ["open toe", "non slip", "high heel", "ankle strap", "arch support"], "options": ["color: c1-blue", "size: 10"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["c1-blue", "10"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB7Q4YR", "worker_id": "A1NF6PELRKACS9"}], "B083JNJX1Z": [{"asin": "B083JNJX1Z", "instruction": "i'm looking for a jet-4 bluetooth portable speaker", "attributes": ["compatible apple", "long lasting", "stereo sound"], "options": ["color: grey"], "instruction_attributes": ["stereo sound"], "instruction_options": ["grey"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW7ES8U", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09GV2RJRZ": [{"asin": "B09GV2RJRZ", "instruction": "level 9 unlocked birthday boy game black t shirt machine wash classic fit cotton heater small size", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: women", "size: small"], "instruction_attributes": ["machine wash", "cotton heather", "classic fit"], "instruction_options": ["black", "small"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA71BHMB", "worker_id": "A3N9ZYQAESNFQH"}], "B08176NP1R": [{"asin": "B08176NP1R", "instruction": "i am looking for a intel quad core i5 desktops", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["core i5", "intel core", "quad core"], "instruction_options": [], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMQ1XEV", "worker_id": "A9QRQL9CFJBI7"}], "B000A33KQ8": [{"asin": "B000A33KQ8", "instruction": "i am looking for medium sized women knee high over calf.", "attributes": ["knee high", "nylon spandex"], "options": ["color: black rib knit", "size: medium (1 pair)"], "instruction_attributes": ["knee high"], "instruction_options": ["medium (1 pair)"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HYGD1J", "worker_id": "A3FG5PQHG5AH3Y"}], "B09J2M6GVK": [{"asin": "B09J2M6GVK", "instruction": "i am looking for furniture for living room in black color", "attributes": ["button tufted", "high density", "easy assemble", "wood frame", "solid wood", "living room"], "options": ["color: dark black"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40V7FYU", "worker_id": "A16M39T60N60NO"}, {"asin": "B09J2M6GVK", "instruction": "i need to buy a three piece living room set with a sofa, armchair, and loveseat. make sure it's easy to assemble and has solid wood frames.", "attributes": ["button tufted", "high density", "easy assemble", "wood frame", "solid wood", "living room"], "options": ["color: black"], "instruction_attributes": ["easy assemble", "wood frame", "solid wood"], "instruction_options": [], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMO6QBS", "worker_id": "AR9AU5FY1S3RO"}], "B08XYJQP6N": [{"asin": "B08XYJQP6N", "instruction": "i'm looking for electronics accessories it was long lasting.", "attributes": ["long lasting", "quad core"], "options": ["color: green"], "instruction_attributes": ["long lasting"], "instruction_options": ["green"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV103XZ", "worker_id": "A16IQOX0DK14OJ"}], "B091BK6L57": [{"asin": "B091BK6L57", "instruction": "i would like a mango sparkling water bottle has has low calories.", "attributes": ["bpa free", "gluten free", "low calorie", "real fruit"], "options": ["flavor name: mango"], "instruction_attributes": ["low calorie"], "instruction_options": ["mango"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3YZLJ5Q", "worker_id": "A1WS884SI0SLO4"}], "B09QKYQLKV": [{"asin": "B09QKYQLKV", "instruction": "i am looking for men t-shirt. please choose royal blue color.", "attributes": ["wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: men", "size: 3x-large"], "instruction_attributes": ["heathers cotton"], "instruction_options": ["royal blue"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV3L8DV", "worker_id": "A3FG5PQHG5AH3Y"}], "B07J5LMT7L": [{"asin": "B07J5LMT7L", "instruction": "i am looking for wireless bluetooth noise cancelling over-ear headphones.", "attributes": ["noise cancelling", "wireless bluetooth"], "options": [""], "instruction_attributes": ["noise cancelling", "wireless bluetooth"], "instruction_options": [], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L92REF", "worker_id": "A3N9ZYQAESNFQH"}], "B089YK478M": [{"asin": "B089YK478M", "instruction": "i need a small black short sleeve shirt.", "attributes": ["cotton spandex", "short sleeve"], "options": ["color: 5-black", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["5-black"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIMR58O", "worker_id": "A19317A3X87NVM"}], "B09J4SV6WX": [{"asin": "B09J4SV6WX", "instruction": "i am looking for a x-large high waist tummy control breeches", "attributes": ["high waist", "tummy control", "fashion design", "elastic waist", "long sleeve", "daily wear"], "options": ["color: d green", "size: x-large"], "instruction_attributes": ["high waist", "tummy control"], "instruction_options": ["x-large"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMJHZIE", "worker_id": "A9QRQL9CFJBI7"}], "B076B2QYZZ": [{"asin": "B076B2QYZZ", "instruction": "i want low fat high protein hellfire 8 ounce jerky", "attributes": ["low fat", "high protein"], "options": ["flavor name: hellfire", "size: 8 ounce"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XASRF8", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B076B2QYZZ", "instruction": "i want low fat cajan pit-smoked beef jerky.", "attributes": ["low fat", "high protein"], "options": ["flavor name: cajan", "size: 4 ounce (pack of 1)"], "instruction_attributes": ["low fat"], "instruction_options": ["cajan"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4WMH08", "worker_id": "A2RBF3IIJP15IH"}], "B09NR629D2": [{"asin": "B09NR629D2", "instruction": "i am looking for a wallet case with tempered glass protection. please select the rose gold color", "attributes": ["glass screen", "tempered glass"], "options": ["color: rose gold"], "instruction_attributes": ["tempered glass"], "instruction_options": ["rose gold"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9CS2VK", "worker_id": "A2COCSUGZV28X"}], "B09KCR46RV": [{"asin": "B09KCR46RV", "instruction": "i'm looking for stereo headphones it will use for outside noise cancelling.", "attributes": ["noise cancelling", "stereo sound"], "options": [""], "instruction_attributes": ["noise cancelling", "stereo sound"], "instruction_options": [], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL26NS6", "worker_id": "A16IQOX0DK14OJ"}], "B09KV7CYMX": [{"asin": "B09KV7CYMX", "instruction": "i want window curtain panel for leaving room easy clean size :52*72in color peacock 4lop0447", "attributes": ["easy clean", "living room", "dining room"], "options": ["color: peacock4lop0447", "size: 52x72in"], "instruction_attributes": ["easy clean", "living room"], "instruction_options": ["peacock4lop0447", "52x72in"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCJ5SJD", "worker_id": "A3N9ZYQAESNFQH"}], "B07Z65TZ2Y": [{"asin": "B07Z65TZ2Y", "instruction": "i would like a small mens cranberry t shirt with a classic fit.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: cranberry", "fit type: men", "size: small"], "instruction_attributes": ["classic fit"], "instruction_options": ["cranberry", "men", "small"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT8I735", "worker_id": "A1WS884SI0SLO4"}], "B09QXLSVPX": [{"asin": "B09QXLSVPX", "instruction": "i'm looking for clothing long and short sleeve for women's dresses the color was purple.", "attributes": ["long sleeve", "short sleeve"], "options": ["color: c6-purple", "size: medium"], "instruction_attributes": ["long sleeve", "short sleeve"], "instruction_options": ["c6-purple"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKLVT1B", "worker_id": "A16IQOX0DK14OJ"}], "B09LQVQPNG": [{"asin": "B09LQVQPNG", "instruction": "i am looking for non slip closed toe high heel woman boot color black", "attributes": ["non slip", "memory foam", "steel toe", "closed toe"], "options": ["color: winter shoes for womens - gf04--black", "size: 10.5"], "instruction_attributes": ["non slip", "closed toe"], "instruction_options": ["winter shoes for womens - gf04--black"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8IJ4CS", "worker_id": "A3N9ZYQAESNFQH"}], "B07PXS5L8S": [{"asin": "B07PXS5L8S", "instruction": "i am looking for a pack of birthday cake candles. also, i am looking for a golden colored number 9 shaped candle.", "attributes": ["birthday cake", "birthday party"], "options": ["color: golden number candle9"], "instruction_attributes": ["birthday cake"], "instruction_options": ["golden number candle9"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4CN8LB", "worker_id": "AJDQGOTMB2D80"}], "B093BJK2CS": [{"asin": "B093BJK2CS", "instruction": "i am looking for a rechargable facial cleansing spin brush set for sensitive skin. also choose fuchsia pink color.", "attributes": ["sensitive skin", "dead skin"], "options": ["color: fuchsia pink"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["fuchsia pink"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTUY7L8", "worker_id": "A9ZM1P6LBW79"}], "B09P8G9378": [{"asin": "B09P8G9378", "instruction": "i'm looking for a jean jacket with thicker collar size medium in color pink for daily wear use", "attributes": ["winter warm", "hand wash", "daily wear"], "options": ["color: pink", "size: medium"], "instruction_attributes": ["daily wear"], "instruction_options": ["pink", "medium"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZQKSHP", "worker_id": "A2Y2TURT2VEYZN"}], "B07N1G15Y4": [{"asin": "B07N1G15Y4", "instruction": "i'm looking for a 2 pack push down pump dispenser bottles for nail polish and facial makeup remover", "attributes": ["non toxic", "nail polish"], "options": [""], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCWX46P", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09CT55WJW": [{"asin": "B09CT55WJW", "instruction": "find me a motion detection high definition outdoor camera with 1080p hd definition.", "attributes": ["1080p hd", "high definition", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "high definition", "motion detection"], "instruction_options": [], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7WHHL5", "worker_id": "A2CJFO19NY4T5R"}], "B002VLESHC": [{"asin": "B002VLESHC", "instruction": "i'm looking for a long lasting perfumes.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFB7LVE", "worker_id": "AR0VJ5XRG16UJ"}], "B08LR1PBKD": [{"asin": "B08LR1PBKD", "instruction": "i'm looking for n all-in-one computer. i want one that's high performance and has a 1080p screen. it should also have an intel processor.", "attributes": ["1080p hd", "high performance", "intel core"], "options": [""], "instruction_attributes": ["high performance", "intel core"], "instruction_options": [], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6FJPUD", "worker_id": "AR9AU5FY1S3RO"}], "B09FXPW9LV": [{"asin": "B09FXPW9LV", "instruction": "i am looking for red rose hair dye for women.", "attributes": ["easy clean", "hair dye"], "options": ["color: rose red"], "instruction_attributes": ["hair dye"], "instruction_options": ["rose red"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTP14VT", "worker_id": "A3FG5PQHG5AH3Y"}], "B09HZT5CNG": [{"asin": "B09HZT5CNG", "instruction": "i need anti slip mary jane oxfords with retro round toe size 5 and wine red color wedge heel women shoe", "attributes": ["anti slip", "closed toe", "rubber sole"], "options": ["color: wine red", "size: 5"], "instruction_attributes": ["anti slip"], "instruction_options": ["wine red", "5"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QTJOX4", "worker_id": "A1V2C99HEV3F14"}], "B006YB5S6U": [{"asin": "B006YB5S6U", "instruction": "i am looking for a 30 in solid wood directors chairs", "attributes": ["assembly required", "solid wood"], "options": ["color: natural frame | navy canvas", "size: 30 in", "style: black frame - solid wood"], "instruction_attributes": ["solid wood"], "instruction_options": ["30 in"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EEVB13", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B006YB5S6U", "instruction": "i'm looking for a 18\" directors chair with solid wood and a natural frame.", "attributes": ["assembly required", "solid wood"], "options": ["color: honey oak frame | yellow canvas", "size: 24 in", "style: natural frame - solid wood"], "instruction_attributes": ["solid wood"], "instruction_options": ["natural frame - solid wood"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LFQO10", "worker_id": "A62B826XMLK7K"}], "B09P1J4YJT": [{"asin": "B09P1J4YJT", "instruction": "i'm looking for furniture engineered wood at the living room the color was grey.", "attributes": ["engineered wood", "living room"], "options": ["color: grey"], "instruction_attributes": ["engineered wood", "living room"], "instruction_options": ["grey"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVOGJK9", "worker_id": "A16IQOX0DK14OJ"}], "B09S4SK8V1": [{"asin": "B09S4SK8V1", "instruction": "i'm looking for non alcoholic drink for bottled beverages.", "attributes": ["non alcoholic", "ready use"], "options": ["flavor: margarita"], "instruction_attributes": ["non alcoholic", "ready use"], "instruction_options": ["margarita"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z5VXGP", "worker_id": "A16IQOX0DK14OJ"}], "B09N95HQZM": [{"asin": "B09N95HQZM", "instruction": "i'm looking for a space saving storage cabinets for dining room. also, choose black colored one.", "attributes": ["space saving", "white item", "storage space", "living room"], "options": ["color: black"], "instruction_attributes": ["space saving", "living room"], "instruction_options": ["black"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X6IY3M", "worker_id": "AR0VJ5XRG16UJ"}], "B09SPZ8HC2": [{"asin": "B09SPZ8HC2", "instruction": "i am looking for a size: 7 - pack natural ingredients of jerky", "attributes": ["fully cooked", "easy prepare", "natural ingredients"], "options": ["size: 7 - pack"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["7 - pack"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY3Q4J6", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09SPZ8HC2", "instruction": "i am looking for a 5 pack of fully cooked and easy to prepare chicken breast strips.", "attributes": ["fully cooked", "easy prepare", "natural ingredients"], "options": ["size: 5 - pack"], "instruction_attributes": ["fully cooked"], "instruction_options": ["5 - pack"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQOXP0O", "worker_id": "A1EREKSZAA9V7B"}], "B09B54J7PZ": [{"asin": "B09B54J7PZ", "instruction": "am actually looking for a twin size loft bed with slide, gray color with headboard", "attributes": ["twin size", "space saving", "white item", "easy assemble", "box spring", "solid wood"], "options": ["color: gray with headboard", "size: twin"], "instruction_attributes": ["twin size"], "instruction_options": ["gray with headboard", "twin"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OJWRTC", "worker_id": "A1IL2K0ELYI090"}], "B09QX9S3DB": [{"asin": "B09QX9S3DB", "instruction": "we want a twin over twin kids beds easy assemble box spring color : silver", "attributes": ["heavy duty", "easy assemble", "box spring"], "options": ["color: silver (style d)", "size: twin over twin"], "instruction_attributes": ["easy assemble", "box spring"], "instruction_options": ["silver (style d)", "twin over twin"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0ZCW46", "worker_id": "A3N9ZYQAESNFQH"}], "B09MH7PXZS": [{"asin": "B09MH7PXZS", "instruction": "i am lookig for king size box spring easy assemble heavy duty bed frame", "attributes": ["queen size", "box spring", "king size"], "options": [""], "instruction_attributes": ["box spring", "king size"], "instruction_options": [], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINUD72P", "worker_id": "A3N9ZYQAESNFQH"}], "B09M17NH24": [{"asin": "B09M17NH24", "instruction": "i'm looking for teeth whitening for oral health care.", "attributes": ["teeth whitening", "water resistant"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IQ1LT8", "worker_id": "A16IQOX0DK14OJ"}], "B08NPY23XH": [{"asin": "B08NPY23XH", "instruction": "i am looking for eyelash extension tool set for beauty salon.", "attributes": ["long lasting", "stainless steel", "beauty salon"], "options": [""], "instruction_attributes": ["beauty salon"], "instruction_options": [], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT060IUNM", "worker_id": "A3FG5PQHG5AH3Y"}], "B00V1ILTNM": [{"asin": "B00V1ILTNM", "instruction": "i am looking for non diary rich creamy creamers.", "attributes": ["rich creamy", "non dairy"], "options": [""], "instruction_attributes": ["rich creamy", "non dairy"], "instruction_options": [], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXDB7G1", "worker_id": "A9ZM1P6LBW79"}], "B09PYS81X6": [{"asin": "B09PYS81X6", "instruction": "i am looking for a green long handle bath & body brushes", "attributes": ["non slip", "long handle"], "options": ["size: green"], "instruction_attributes": ["long handle"], "instruction_options": ["green"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R19W7X", "worker_id": "A9QRQL9CFJBI7"}], "B084D5NYQT": [{"asin": "B084D5NYQT", "instruction": "i am looking for crunchy indian snack sticks that have no artificial flavors or colors.", "attributes": ["artificial colors", "artificial flavors"], "options": [""], "instruction_attributes": ["artificial colors", "artificial flavors"], "instruction_options": [], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163U9QP5", "worker_id": "A1NF6PELRKACS9"}], "B08DH5TFCJ": [{"asin": "B08DH5TFCJ", "instruction": "i would like a car in dash gps device that is easy to install.", "attributes": ["compatible apple", "hands free", "easy install", "quad core"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602UZ95B", "worker_id": "A1WS884SI0SLO4"}], "B07B8HKVXR": [{"asin": "B07B8HKVXR", "instruction": "i wanted to get a compatible apple watch with a black carbon fiber buckle to match with my phone's cover.", "attributes": ["compatible apple", "carbon fiber"], "options": ["color: black carbon fiber w | matte black hardware", "size: 45mm | 44mm s | m (5.3-7\")"], "instruction_attributes": ["compatible apple", "carbon fiber"], "instruction_options": ["black carbon fiber w | matte black hardware"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9ED11BX", "worker_id": "A39VVWV1GHLMFD"}], "B09PFPW5VD": [{"asin": "B09PFPW5VD", "instruction": "i'm looking for hair removal its inly used for natural ingredients.", "attributes": ["natural ingredients", "hair removal"], "options": [""], "instruction_attributes": ["natural ingredients", "hair removal"], "instruction_options": [], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2ILFKQ", "worker_id": "A16IQOX0DK14OJ"}], "B08DHDS93Q": [{"asin": "B08DHDS93Q", "instruction": "i'm looking for individually wrapped green raspberry 30 count bulk lollipop pack", "attributes": ["shelf stable", "individually wrapped"], "options": ["color: green"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["green"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I2Q1S3", "worker_id": "A258PTOZ3D2TQR"}], "B07MPTK3GY": [{"asin": "B07MPTK3GY", "instruction": "i'm looking for the pendant lights for ceiling lights for living room.", "attributes": ["glass shade", "clear glass", "pendant light", "light fixture", "living room"], "options": ["color: antique"], "instruction_attributes": ["living room"], "instruction_options": ["antique"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2J8KFK", "worker_id": "A16IQOX0DK14OJ"}], "B0777W3C8B": [{"asin": "B0777W3C8B", "instruction": "i'm looking for a mrs. fields cookies .", "attributes": ["kosher certified", "perfect gift"], "options": ["size: 60 count (pack of 3)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["60 count (pack of 3)"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVHC1PE", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07JVLYV5Z": [{"asin": "B07JVLYV5Z", "instruction": "i need a red allgala 60x45 super soft, machine wash flannel plush light weight throw blanket", "attributes": ["super soft", "machine washable"], "options": ["color: red", "size: 45x60"], "instruction_attributes": ["super soft", "machine washable"], "instruction_options": ["red", "45x60"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGFQS9H", "worker_id": "A1IL2K0ELYI090"}], "B0851GZM55": [{"asin": "B0851GZM55", "instruction": "i am looking for a counter height size barstools of faux leather", "attributes": ["mid century", "assembly required", "faux leather"], "options": ["color: white", "pattern name: barstool", "size: counter height"], "instruction_attributes": ["faux leather"], "instruction_options": ["counter height"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT8W73J", "worker_id": "A9QRQL9CFJBI7"}], "B093362GNX": [{"asin": "B093362GNX", "instruction": "i want a keyboard skin that is dust proof and long lasting. choose a rainbow color.", "attributes": ["dust proof", "long lasting"], "options": ["color: rainbow", "size: k120 | mk120"], "instruction_attributes": ["dust proof", "long lasting"], "instruction_options": ["rainbow"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FOQFBK", "worker_id": "A1NF6PELRKACS9"}], "B0991ZW4R4": [{"asin": "B0991ZW4R4", "instruction": "i want quick release water resistant smart watch band color purple mist", "attributes": ["quick release", "water resistant"], "options": ["color: purple mist"], "instruction_attributes": ["quick release", "water resistant"], "instruction_options": ["purple mist"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7N83I9", "worker_id": "A3N9ZYQAESNFQH"}], "B09SGHZWWV": [{"asin": "B09SGHZWWV", "instruction": "i'm looking for a noldares women's high heel shoes.", "attributes": ["closed toe", "high heel", "ankle strap"], "options": ["color: beige", "size: 6"], "instruction_attributes": ["high heel", "ankle strap"], "instruction_options": ["beige", "6"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTQLTK2", "worker_id": "A1ZGOZQF2VZ0X9"}], "B079W3VRKZ": [{"asin": "B079W3VRKZ", "instruction": "i am looking for a women's beverly pump with leather sole. also choose ruby kid suede color and 5 size.", "attributes": ["leather sole", "rubber sole"], "options": ["color: ruby kid suede", "size: 5"], "instruction_attributes": ["leather sole"], "instruction_options": ["ruby kid suede", "5"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSKR8BA", "worker_id": "A2HMEGTAFO0CS8"}], "B07JFZBP8R": [{"asin": "B07JFZBP8R", "instruction": "i would like a long lasting men's fragrance set.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXTOO57", "worker_id": "A1WS884SI0SLO4"}], "B07FKFJP1Q": [{"asin": "B07FKFJP1Q", "instruction": "i found this bracelet from toyouths which is fitbit versa/versa compatible in stainless steel i need it to match the saddle color brown.", "attributes": ["quick release", "stainless steel"], "options": ["color: saddle brown"], "instruction_attributes": ["stainless steel"], "instruction_options": ["saddle brown"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UI3OKA", "worker_id": "A15IJ20C3R4HUO"}], "B082N5YV7R": [{"asin": "B082N5YV7R", "instruction": "i'm looking for keto friendly double cholate cup cake it was sued in parties.", "attributes": ["keto friendly", "dietary fiber"], "options": ["flavor name: keto friendly double chocolate cake cup"], "instruction_attributes": ["keto friendly"], "instruction_options": ["keto friendly double chocolate cake cup"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7ZESD5", "worker_id": "A16IQOX0DK14OJ"}], "B07DCXCVFM": [{"asin": "B07DCXCVFM", "instruction": "i looking a rose gold orgnizer display for lipstic, eye shadow,lip gloss ,blush color clear /soft brass size 8*4*2", "attributes": ["rose gold", "eye shadow"], "options": ["color: clear | soft brass", "size: 8 x 4 x 2"], "instruction_attributes": ["rose gold", "eye shadow"], "instruction_options": ["clear | soft brass", "8 x 4 x 2"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80C9Q13", "worker_id": "A3N9ZYQAESNFQH"}], "B07R124WRK": [{"asin": "B07R124WRK", "instruction": "show me machine washable officially licensed disney jungle book t-shirt for men in color baby blues and size 3t.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: baby blue", "fit type: men", "size: 3t"], "instruction_attributes": ["officially licensed", "machine wash"], "instruction_options": ["baby blue", "men", "3t"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4NLKP9", "worker_id": "A3AYHESLQSDY5T"}], "B09P582MFG": [{"asin": "B09P582MFG", "instruction": "i am looking for a grey toy chests & organizers for storage space", "attributes": ["easy clean", "high gloss", "engineered wood", "storage space"], "options": ["color: grey"], "instruction_attributes": ["storage space"], "instruction_options": ["grey"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TZGSUM", "worker_id": "A9QRQL9CFJBI7"}], "B01E9HPVUS": [{"asin": "B01E9HPVUS", "instruction": "i am looking for a 1 count (pack of 12) hand masks for anti aging and dry skin.", "attributes": ["anti aging", "easy use", "dry skin"], "options": ["size: 1 count (pack of 12)"], "instruction_attributes": ["anti aging", "dry skin"], "instruction_options": ["1 count (pack of 12)"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N6R7TG", "worker_id": "A9QRQL9CFJBI7"}], "B09QWXVB3T": [{"asin": "B09QWXVB3T", "instruction": "i would like a medium sized black bikini with short sleeves.", "attributes": ["tummy control", "long sleeve", "short sleeve"], "options": ["color: a1-black", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["a1-black", "medium"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIIP000", "worker_id": "A1WS884SI0SLO4"}], "B0734ZVZHP": [{"asin": "B0734ZVZHP", "instruction": "i would like a quad core desktop processor tower.", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "352YTHGRO6NQF252G9RXYWYALBG4HV", "worker_id": "A1WS884SI0SLO4"}], "B095LJRYRY": [{"asin": "B095LJRYRY", "instruction": "i'm looking for tempered glass for phone accessories the color was black and need to buy it.", "attributes": ["glass screen", "tempered glass"], "options": ["color: black"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["black"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQD191Y", "worker_id": "A16IQOX0DK14OJ"}], "B088QTGX5F": [{"asin": "B088QTGX5F", "instruction": "i\u2019m looking for a white window covering that is 72\u201d wide and 63\u201d long. also would prefer the covering had bears on it.", "attributes": ["white item", "living room", "dining room"], "options": ["color: color04", "size: 72\"w x 63\"l"], "instruction_attributes": ["white item"], "instruction_options": ["72\"w x 63\"l"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUB0MR6", "worker_id": "AK3JMCIGU8MLU"}], "B07R6NMPXW": [{"asin": "B07R6NMPXW", "instruction": "i am looking for a gluten free and non gmo bakery & dessert gifts of peanut butter flavour", "attributes": ["gluten free", "individually wrapped", "baked fresh", "grass fed", "non gmo"], "options": ["flavor name: peanut butter"], "instruction_attributes": ["gluten free", "non gmo"], "instruction_options": ["peanut butter"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH154ZT", "worker_id": "A9QRQL9CFJBI7"}], "B07KY3MQ1Y": [{"asin": "B07KY3MQ1Y", "instruction": "i am looking for a gluten-free and usda organic labled fruit juice.", "attributes": ["usda organic", "gluten free"], "options": [""], "instruction_attributes": ["usda organic", "gluten free"], "instruction_options": [], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6EHPU9", "worker_id": "A9ZM1P6LBW79"}], "B07SB464N4": [{"asin": "B07SB464N4", "instruction": "i'm looking for a pexfix full length floor mirror with standing holder .", "attributes": ["wall mounted", "space saving", "living room"], "options": ["color: sliver (arched-top)", "size: 65''x22''"], "instruction_attributes": ["wall mounted"], "instruction_options": ["sliver (arched-top)", "65''x22''"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPJAJN3", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09CZCRLJR": [{"asin": "B09CZCRLJR", "instruction": "i'm looking for cell phone accessories for tempered class and it was high definition.", "attributes": ["high definition", "tempered glass"], "options": ["color: black", "size: 44mm"], "instruction_attributes": ["high definition", "tempered glass"], "instruction_options": ["black"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66ROZFM", "worker_id": "A16IQOX0DK14OJ"}], "B08W4HYRF1": [{"asin": "B08W4HYRF1", "instruction": "i'm looking for make up for eye shadow to skin care products.", "attributes": ["paraben free", "high quality", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OVLEY6", "worker_id": "A16IQOX0DK14OJ"}], "B01M0JY15V": [{"asin": "B01M0JY15V", "instruction": "i am looking for a usb 4g lte wifi modem for internet connection.", "attributes": ["plug play", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYJYL67", "worker_id": "AHU9OLV0YKIIW"}], "B00BIFNTMC": [{"asin": "B00BIFNTMC", "instruction": "wireless vertical ergonomic optical mouse with aaa batteries", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC7YD06", "worker_id": "A10OGH5CQBXL5N"}], "B08TWKLT7N": [{"asin": "B08TWKLT7N", "instruction": "i'm looking for long sleeve lightweight buy a c-blue weather.", "attributes": ["stretch fabric", "long sleeve"], "options": ["color: c-blue heather", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["c-blue heather"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OW4M3K", "worker_id": "A16IQOX0DK14OJ"}], "B09NVTSXPN": [{"asin": "B09NVTSXPN", "instruction": "i am looking for sego mono base hair topper with bangs 100% real human hair which creating the most lustrous and realistic natural effects, the hair extensions clip-in design makes it easier to wear. color platinum blonde-b in size 10 inch-130% density preferable", "attributes": ["easy use", "hair loss"], "options": ["color: platinum blonde-b", "size: 10 inch-130% density"], "instruction_attributes": ["easy use"], "instruction_options": ["platinum blonde-b", "10 inch-130% density"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FE3K89", "worker_id": "A1DRKZ3SCLAS4V"}], "B07TYS4TCR": [{"asin": "B07TYS4TCR", "instruction": "i am looking for high quality nail cleaning brush. please choose color b .", "attributes": ["non toxic", "easy carry", "easy use", "high quality", "long handle", "nail art"], "options": ["color: color b"], "instruction_attributes": ["high quality"], "instruction_options": ["color b"], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWN925U", "worker_id": "A3FG5PQHG5AH3Y"}], "B0967GX3P9": [{"asin": "B0967GX3P9", "instruction": "i'm looking for clothing for closet storage and it was easy to clean.", "attributes": ["easy assemble", "non slip", "space saving", "easy clean", "living room"], "options": ["color: grey", "size: 2pcs"], "instruction_attributes": ["space saving", "easy clean"], "instruction_options": ["grey"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTQEV4Z", "worker_id": "A16IQOX0DK14OJ"}], "B09K6CWZNX": [{"asin": "B09K6CWZNX", "instruction": "i'm looking for grey flannel home and kitchen products for decore it.", "attributes": ["high density", "lumbar support", "dining room", "living room"], "options": ["color: grey flannel"], "instruction_attributes": ["dining room", "living room"], "instruction_options": ["grey flannel"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1BFGY4", "worker_id": "A16IQOX0DK14OJ"}], "B0939SPCFF": [{"asin": "B0939SPCFF", "instruction": "i need a 60 inch projector screen with an aspect ratio of 4:3 that mounts on the wall. it should be easy to install it.", "attributes": ["wall mounted", "ultra hd", "easy install"], "options": ["size: 60in\uff084\uff1a3\uff09"], "instruction_attributes": ["wall mounted", "easy install"], "instruction_options": ["60in\uff084\uff1a3\uff09"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZJJ9KJ", "worker_id": "A1NF6PELRKACS9"}], "B082JGZSMS": [{"asin": "B082JGZSMS", "instruction": "i am looking for a paraben free conditioner for natural hair. also choose leave-in conditioner style", "attributes": ["paraben free", "damaged hair", "dry hair", "natural hair"], "options": ["style: leave in conditioner"], "instruction_attributes": ["paraben free", "natural hair"], "instruction_options": ["leave in conditioner"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD10CIX", "worker_id": "A2HMEGTAFO0CS8"}], "B083ZG9Y7K": [{"asin": "B083ZG9Y7K", "instruction": "i'm looking for a handyulong womens high waist bootcut yoga pants", "attributes": ["wide leg", "butt lifting", "straight leg", "high waist", "long sleeve", "drawstring closure", "tummy control"], "options": ["color: x-zmint green", "size: 3x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["x-zmint green", "3x-large"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP10798ILB", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09JNY3W9D": [{"asin": "B09JNY3W9D", "instruction": "find me a lift top coffee table in cherry for my living room", "attributes": ["space saving", "easy assemble", "living room"], "options": ["color: cherry"], "instruction_attributes": ["living room"], "instruction_options": ["cherry"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OWAYEH", "worker_id": "A2Y2TURT2VEYZN"}], "B07JH4F11B": [{"asin": "B07JH4F11B", "instruction": "i looking a body scrubs eco friendly for removing dead skin", "attributes": ["eco friendly", "dead skin"], "options": [""], "instruction_attributes": ["eco friendly", "dead skin"], "instruction_options": [], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVY1ADIW", "worker_id": "A3N9ZYQAESNFQH"}], "B0897ZFHX2": [{"asin": "B0897ZFHX2", "instruction": "i'm looking for hyaluronic acid for skin care moisturizers.", "attributes": ["animal testing", "cruelty free", "tea tree", "hyaluronic acid"], "options": [""], "instruction_attributes": ["cruelty free", "hyaluronic acid"], "instruction_options": [], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IW0KHT", "worker_id": "A16IQOX0DK14OJ"}], "B08YDHFQ2X": [{"asin": "B08YDHFQ2X", "instruction": "i'm looking for vegetables and dried vegetables for low carb. it is easy to use.", "attributes": ["low carb", "plant based"], "options": ["flavor: hwago - grade s (140g)"], "instruction_attributes": ["low carb"], "instruction_options": ["hwago - grade s (140g)"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OJ2RTI", "worker_id": "A16IQOX0DK14OJ"}], "B09R917TMV": [{"asin": "B09R917TMV", "instruction": "i'm looking for optical zoom electronic for digital cameras need to to buy it.", "attributes": ["optical zoom", "carrying case"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "369J354OFOKQUTE5FR2UAU6N21Y6G6", "worker_id": "A16IQOX0DK14OJ"}], "B07MVKQHBJ": [{"asin": "B07MVKQHBJ", "instruction": "i'm looking for a french macarons cookies birthday gift variety pack .", "attributes": ["natural ingredients", "valentine day", "great gift", "perfect gift"], "options": ["flavor name: holiday flavors", "size: 12 count"], "instruction_attributes": ["perfect gift"], "instruction_options": ["holiday flavors", "12 count"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT3ZJYE", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08CRD99SZ": [{"asin": "B08CRD99SZ", "instruction": "i need a silver fast wireless charger with aluminum alloy frame.", "attributes": ["aluminum alloy", "wireless charging"], "options": ["color: b.sliver*"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N7VT78", "worker_id": "A1Q0EUNCS50S8M"}], "B01DJ6TM8M": [{"asin": "B01DJ6TM8M", "instruction": "i am looking for a dummy surveillance camera for ceiling with batteries included. also choose which is supporting aaa size batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI76KZGH", "worker_id": "A2HMEGTAFO0CS8"}], "B003ZXEBOK": [{"asin": "B003ZXEBOK", "instruction": "i'm looking for a ready to eat baked snacks which should be individually wrapped.", "attributes": ["ready eat", "individually wrapped"], "options": [""], "instruction_attributes": ["ready eat", "individually wrapped"], "instruction_options": [], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO5O33M", "worker_id": "AR0VJ5XRG16UJ"}], "B08FVG2M1J": [{"asin": "B08FVG2M1J", "instruction": "i need a high quality gomu 500 pack - 2 oz / 60 ml clear refillable flip top pet plastic travel bottle container", "attributes": ["leak proof", "bpa free", "non toxic", "high quality"], "options": ["size: 500 pack"], "instruction_attributes": ["high quality"], "instruction_options": ["500 pack"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8PI6QE", "worker_id": "A1IL2K0ELYI090"}], "B07V13MY6X": [{"asin": "B07V13MY6X", "instruction": "i want a pair of ethylene vinyl trainers that is black in color. get me a size 8.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: black", "size: 8"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["black", "8"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFO13V1", "worker_id": "A1NF6PELRKACS9"}], "B09DP9NSP8": [{"asin": "B09DP9NSP8", "instruction": "i'm looking for gray wireless headphones it can reduce outside noise pollution.", "attributes": ["high definition", "wireless bluetooth"], "options": ["color: gray"], "instruction_attributes": ["high definition", "wireless bluetooth"], "instruction_options": ["gray"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHA31EM", "worker_id": "A16IQOX0DK14OJ"}], "B09K7YV36Y": [{"asin": "B09K7YV36Y", "instruction": "i am looking for a medium size winter warm jackets", "attributes": ["winter warm", "light weight", "machine wash", "fleece lined", "wash cold", "long sleeve", "faux fur", "quality polyester", "elastic closure", "teen girls", "dry clean", "daily wear"], "options": ["color: c-blue", "size: medium"], "instruction_attributes": ["winter warm"], "instruction_options": ["medium"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAUB3C94", "worker_id": "A9QRQL9CFJBI7"}], "B08YNPT4CD": [{"asin": "B08YNPT4CD", "instruction": "i am looking for a cupcake toppers for birthday party birthday cake", "attributes": ["birthday party", "birthday cake", "cupcake picks"], "options": [""], "instruction_attributes": ["birthday party", "birthday cake"], "instruction_options": [], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4U1K7Q", "worker_id": "A9QRQL9CFJBI7"}], "B09L7JNKXW": [{"asin": "B09L7JNKXW", "instruction": "i would like some old fashioned bake mix made from natural ingredients.", "attributes": ["old fashioned", "natural ingredients", "gift set"], "options": [""], "instruction_attributes": ["old fashioned", "natural ingredients"], "instruction_options": [], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA9BS2K", "worker_id": "A1WS884SI0SLO4"}], "B09J43KD51": [{"asin": "B09J43KD51", "instruction": "i need a yellow facial sponge for sensitive skin", "attributes": ["eco friendly", "dead skin", "sensitive skin"], "options": ["color: yellow"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["yellow"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7WMCU4", "worker_id": "A2Y2TURT2VEYZN"}], "B09B9B4JNX": [{"asin": "B09B9B4JNX", "instruction": "teeth whitening toothpaste with natural ingredients only 1 pcs", "attributes": ["teeth whitening", "long lasting", "natural ingredients"], "options": ["color: 1pcs"], "instruction_attributes": ["teeth whitening", "natural ingredients"], "instruction_options": ["1pcs"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788FFC58", "worker_id": "A10OGH5CQBXL5N"}], "B07R9KFCKY": [{"asin": "B07R9KFCKY", "instruction": "i am looking set of 4 black velvet mid century chair for dining room", "attributes": ["non slip", "mid century", "high density", "dining room", "living room"], "options": ["color: black velvet", "size: set of 4"], "instruction_attributes": ["mid century", "dining room"], "instruction_options": ["black velvet", "set of 4"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VRVXML", "worker_id": "A3N9ZYQAESNFQH"}], "B08PFJP5S2": [{"asin": "B08PFJP5S2", "instruction": "for my eyes i need a color 10 eyeshadow which should be easy to use.\u2075", "attributes": ["highly pigmented", "easy apply", "cruelty free", "eye shadow"], "options": ["color: 10"], "instruction_attributes": ["easy apply", "eye shadow"], "instruction_options": ["10"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSI7621", "worker_id": "ASWFLI3N8X72G"}], "B08SLRG76Y": [{"asin": "B08SLRG76Y", "instruction": "find me a tempered glass camera lens protector for iphone 12 pro max in blue", "attributes": ["ultra hd", "high resolution", "easy install", "tempered glass", "aluminum alloy"], "options": ["color: blue", "size: iphone 12 pro max"], "instruction_attributes": ["tempered glass"], "instruction_options": ["blue", "iphone 12 pro max"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4Z3H0V", "worker_id": "A2Y2TURT2VEYZN"}], "B07XZ5VPK9": [{"asin": "B07XZ5VPK9", "instruction": "i am looking for hair growth serum for men.", "attributes": ["easy use", "seed oil", "hair growth", "hair loss", "hair dye"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "37Z929RLGKIZMWY86444AIH4AKOTS9", "worker_id": "A3FG5PQHG5AH3Y"}], "B08Y6VZFT6": [{"asin": "B08Y6VZFT6", "instruction": "i'm looking for a light pink long handle back loofah shower brush.", "attributes": ["long handle", "dead skin"], "options": ["scent: light pink"], "instruction_attributes": ["long handle"], "instruction_options": ["light pink"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZNZY1R", "worker_id": "A1Q0EUNCS50S8M"}], "B09DSCTNG1": [{"asin": "B09DSCTNG1", "instruction": "cowboy boots for women non slip choose in brown colour", "attributes": ["knee high", "non slip", "high heel", "ethylene vinyl", "vinyl acetate"], "options": ["color: brown", "size: 6.5 wide"], "instruction_attributes": ["knee high", "non slip"], "instruction_options": ["brown"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0DQ61J", "worker_id": "A10OGH5CQBXL5N"}], "B09MCKF3S7": [{"asin": "B09MCKF3S7", "instruction": "i would like a light weight computer speaker that is easy to carry.", "attributes": ["power amplifier", "light weight", "easy carry"], "options": [""], "instruction_attributes": ["light weight", "easy carry"], "instruction_options": [], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY3NJ4I", "worker_id": "A1WS884SI0SLO4"}], "B07M6T48M7": [{"asin": "B07M6T48M7", "instruction": "i need some high quality blue body paint.", "attributes": ["non toxic", "high quality"], "options": ["color: poseidon deep blue"], "instruction_attributes": ["high quality"], "instruction_options": ["poseidon deep blue"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJSQXBV", "worker_id": "A19317A3X87NVM"}], "B07WZMBRJ4": [{"asin": "B07WZMBRJ4", "instruction": "i am looking for an apple compatible case cover that is clear green or has silver glitter in it.", "attributes": ["compatible apple", "case cover"], "options": ["color: green clear | silver glitter"], "instruction_attributes": ["compatible apple", "case cover"], "instruction_options": ["green clear | silver glitter"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX5HAFU", "worker_id": "A1NF6PELRKACS9"}], "B09434QK1N": [{"asin": "B09434QK1N", "instruction": "i am looking for a 8 size walking shoes for daily wear", "attributes": ["teen girls", "daily wear"], "options": ["color: z01-khaki", "size: 8"], "instruction_attributes": ["daily wear"], "instruction_options": ["8"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1NHF61", "worker_id": "A9QRQL9CFJBI7"}], "B091DCM8YQ": [{"asin": "B091DCM8YQ", "instruction": "i am looking for a women's socks made up of polyester cotton which is washable in machine. also choose black or semi mint rush green color.", "attributes": ["moisture wicking", "machine wash", "cotton spandex", "polyester cotton"], "options": ["color: black | semi turbo pink | semi mint rush green"], "instruction_attributes": ["machine wash", "polyester cotton"], "instruction_options": ["black | semi turbo pink | semi mint rush green"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTRIKTS", "worker_id": "A2HMEGTAFO0CS8"}], "B08D7VZ5GB": [{"asin": "B08D7VZ5GB", "instruction": "i am looking for a media player that is easy to use.", "attributes": ["dual band", "batteries included", "easy use", "quad core"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4FT8LN", "worker_id": "A2ECRNQ3X5LEXD"}], "B00J074W7Q": [{"asin": "B00J074W7Q", "instruction": "i would like a ice coffee flavor protein powder that is usda organic and non gmo.", "attributes": ["plant based", "lactose free", "soy free", "non gmo", "artificial ingredients", "gluten free", "usda organic", "dairy free", "dietary fiber"], "options": ["flavor: iced coffee, 2 lb"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["iced coffee, 2 lb"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX7AAFR", "worker_id": "A1WS884SI0SLO4"}], "B08P54GQZM": [{"asin": "B08P54GQZM", "instruction": "i would like a 2xl white v neck shirt that can be machine washed.", "attributes": ["moisture wicking", "machine wash", "cotton spandex", "classic fit"], "options": ["color: white | black soot | grey flannel (crew 3-pack)", "fit type: v-neck t-shirts", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["white | black soot | grey flannel (crew 3-pack)", "v-neck t-shirts", "xx-large"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO75R28", "worker_id": "A1WS884SI0SLO4"}], "B09PDTL31Y": [{"asin": "B09PDTL31Y", "instruction": "i need a green x-large sweater that comes in a soft material.", "attributes": ["soft material", "tummy control"], "options": ["color: x-05#1green", "size: x-large"], "instruction_attributes": ["soft material"], "instruction_options": ["x-05#1green", "x-large"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPBJCOE", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FLNSZ8G": [{"asin": "B09FLNSZ8G", "instruction": "find me a black red headphone bluetooth and wireless", "attributes": ["noise cancelling", "hands free", "wireless bluetooth"], "options": ["color: black+red"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black+red"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYLLQLM", "worker_id": "A2Y2TURT2VEYZN"}], "B09H15M5MT": [{"asin": "B09H15M5MT", "instruction": "i am looking for dates that are low calorie", "attributes": ["low calorie", "ready eat", "great gift"], "options": ["flavor: variety pack dates", "size: 8 pack"], "instruction_attributes": ["low calorie"], "instruction_options": ["variety pack dates"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UH5A3I", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GPDQWD2": [{"asin": "B09GPDQWD2", "instruction": "i need to find a black gaming headset with stereo sound.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: black blue"], "instruction_attributes": ["stereo sound"], "instruction_options": ["black blue"], "assignment_id": "3P4MQ7TPP8M09ONPVWROKZ1I0R6BB8", "worker_id": "A15ERD4HOFEPHM"}], "B08S33J873": [{"asin": "B08S33J873", "instruction": "i am looking for round shape table top cover for my living room.", "attributes": ["eco friendly", "easy clean", "stainless steel", "dining room", "living room"], "options": ["color: upgraded clear 1.0mm", "shape: round", "size: 12 x 48 inches"], "instruction_attributes": ["living room"], "instruction_options": ["round"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMLM1J0", "worker_id": "A1Q8PPQQCWGY0D"}], "B07THJ72YQ": [{"asin": "B07THJ72YQ", "instruction": "i am looking for long sleeve women tunic of gray color.", "attributes": ["loose fit", "long sleeve", "polyester cotton"], "options": ["color: gray", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["gray"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTBSNLS", "worker_id": "A3FG5PQHG5AH3Y"}], "B09472PX4V": [{"asin": "B09472PX4V", "instruction": "i would like a non toxic nail polish set.", "attributes": ["non toxic", "nail polish"], "options": [""], "instruction_attributes": ["non toxic", "nail polish"], "instruction_options": [], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZSV3KK", "worker_id": "A1WS884SI0SLO4"}], "B08YYLRD89": [{"asin": "B08YYLRD89", "instruction": "i am looking a classic style table lamp for my living room.", "attributes": ["non slip", "glass shade", "living room"], "options": ["style: classic"], "instruction_attributes": ["living room"], "instruction_options": ["classic"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HGD4HYK", "worker_id": "A1Q8PPQQCWGY0D"}], "B08XWF3BHQ": [{"asin": "B08XWF3BHQ", "instruction": "i am looking for barber shop height adjustable beauty salon chair. also green one", "attributes": ["height adjustable", "beauty salon"], "options": ["color: g"], "instruction_attributes": ["height adjustable", "beauty salon"], "instruction_options": ["g"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY9DU0L", "worker_id": "A258PTOZ3D2TQR"}], "B09M31ZFWN": [{"asin": "B09M31ZFWN", "instruction": "i would like a 198 bt power amplifier with wireless bluetooth.", "attributes": ["power amplifier", "easy use", "wireless bluetooth"], "options": ["color: 198bt"], "instruction_attributes": ["power amplifier", "wireless bluetooth"], "instruction_options": ["198bt"], "assignment_id": "354P56DE9VDCOY11T1135MPMLP4S77", "worker_id": "A1WS884SI0SLO4"}], "B01HIX1EHO": [{"asin": "B01HIX1EHO", "instruction": "i'm looking for a large upholstered bench that is contemporary style and has solid wood. also, it should be gray.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: light gray", "size: bench-large"], "instruction_attributes": ["contemporary style", "solid wood"], "instruction_options": ["light gray", "bench-large"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPNF6EP", "worker_id": "A34EHWOYRBL6OZ"}], "B08T24PXZY": [{"asin": "B08T24PXZY", "instruction": "i would like a 2 pound bag of chocolate covered gluten free bars.", "attributes": ["chocolate covered", "gluten free"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["chocolate covered", "gluten free"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBTTJE2", "worker_id": "A1WS884SI0SLO4"}], "B01B7AGX2U": [{"asin": "B01B7AGX2U", "instruction": "i would like to have anti-aging moisturizer which has 10 ivory fair.", "attributes": ["anti aging", "clinically proven", "fine lines"], "options": ["color: 10 ivory fair"], "instruction_attributes": ["anti aging"], "instruction_options": ["10 ivory fair"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06OEKXL", "worker_id": "A15ERD4HOFEPHM"}], "B01N47U1VI": [{"asin": "B01N47U1VI", "instruction": "i need a pair of white bluetooth speakers that have stereo sound.", "attributes": ["water resistant", "stereo sound"], "options": ["color: white"], "instruction_attributes": ["stereo sound"], "instruction_options": ["white"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN686G5N", "worker_id": "A2ECRNQ3X5LEXD"}], "B004W55Y9Q": [{"asin": "B004W55Y9Q", "instruction": "i would like a single pack of rooblos vanilla certified organic tea.", "attributes": ["kosher certified", "certified organic"], "options": ["flavor name: roobios vanilla", "size: pack of 1"], "instruction_attributes": ["kosher certified"], "instruction_options": ["roobios vanilla", "pack of 1"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XBZFR5", "worker_id": "A1WS884SI0SLO4"}], "B00YOSJ4B0": [{"asin": "B00YOSJ4B0", "instruction": "i am looking for a high quality 3g/3ml round clear jar with bpa free. also choose green color and size with 50 jars.", "attributes": ["bpa free", "high quality"], "options": ["color: green", "size: 50 jars"], "instruction_attributes": ["bpa free", "high quality"], "instruction_options": ["green", "50 jars"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOKOLMU", "worker_id": "A2HMEGTAFO0CS8"}], "B07992CMQT": [{"asin": "B07992CMQT", "instruction": "i am looking for body sprays alcohol free in persian rose-pack of 1", "attributes": ["alcohol free", "cruelty free"], "options": ["style: persian rose - pack of 1"], "instruction_attributes": ["alcohol free"], "instruction_options": ["persian rose - pack of 1"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80FT1Q4", "worker_id": "A2MSIFDLOHI1UT"}], "B08QPXD1QK": [{"asin": "B08QPXD1QK", "instruction": "i want something to treat my hair loss that also promotes hair growth.", "attributes": ["hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hair growth", "hair loss"], "instruction_options": [], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40YGCR0", "worker_id": "AR9AU5FY1S3RO"}], "B08HQTD5ND": [{"asin": "B08HQTD5ND", "instruction": "i would like a #6 nail whitener for nail art.", "attributes": ["rose gold", "nail art"], "options": ["color: 6"], "instruction_attributes": ["nail art"], "instruction_options": ["6"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9BZZAX", "worker_id": "A1WS884SI0SLO4"}], "B09P711941": [{"asin": "B09P711941", "instruction": "i need a tripod that is made of carbon fiber.", "attributes": ["quick release", "carbon fiber"], "options": [""], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X006W42", "worker_id": "A2ECRNQ3X5LEXD"}], "B07M9ZM2XB": [{"asin": "B07M9ZM2XB", "instruction": "i want a long lasting remote control with batteries included.", "attributes": ["batteries included", "long lasting"], "options": [""], "instruction_attributes": ["batteries included", "long lasting"], "instruction_options": [], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95UQXQA", "worker_id": "A15ERD4HOFEPHM"}], "B087NCCDN3": [{"asin": "B087NCCDN3", "instruction": "i am looking for women's cover up dress of black color with long sleeve.", "attributes": ["machine wash", "long sleeve"], "options": ["color: black", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYWRVHE", "worker_id": "A1Q8PPQQCWGY0D"}], "B09F6Q2228": [{"asin": "B09F6Q2228", "instruction": "looking for cup cake picks for party supplies of rose gold colour", "attributes": ["valentine day", "cupcake picks", "party supplies", "birthday party"], "options": ["color: rose gold"], "instruction_attributes": ["cupcake picks", "party supplies"], "instruction_options": ["rose gold"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB8M4YP", "worker_id": "A10OGH5CQBXL5N"}], "B092ZHNZ53": [{"asin": "B092ZHNZ53", "instruction": "i am looking for a power amplifier.", "attributes": ["power amplifier", "aluminum alloy"], "options": [""], "instruction_attributes": ["power amplifier"], "instruction_options": [], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOL1L9F", "worker_id": "A2ECRNQ3X5LEXD"}], "B004AI97MA": [{"asin": "B004AI97MA", "instruction": "i'm looking for all skin type body moisturizer oil to prevent body from scars and stretchmarks,etc.,", "attributes": ["clinically proven", "anti aging"], "options": ["style: trial size bundle - oil & gel"], "instruction_attributes": ["clinically proven"], "instruction_options": ["trial size bundle - oil & gel"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733OVBEK", "worker_id": "A21IUUHBSEVB56"}], "B09GX9R9MX": [{"asin": "B09GX9R9MX", "instruction": "i want big size living room", "attributes": ["bronze finish", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHG7NBW", "worker_id": "A226L9F2AZ38CL"}], "B09JWXX6PT": [{"asin": "B09JWXX6PT", "instruction": "i am looking for a black end table for my living room.", "attributes": ["white item", "white finish", "contemporary style", "living room", "home furnishings"], "options": ["color: black"], "instruction_attributes": ["living room"], "instruction_options": ["black"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOFXNO7", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CLGZ7F8": [{"asin": "B09CLGZ7F8", "instruction": "i would like some soy free candles", "attributes": ["lead free", "soy wax"], "options": [""], "instruction_attributes": ["soy wax"], "instruction_options": [], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5Y0BQ3R", "worker_id": "A2ECRNQ3X5LEXD"}], "B0773R4JWX": [{"asin": "B0773R4JWX", "instruction": "i need some slim fitting pants that are desert rose colored and are a size 8 short.", "attributes": ["day comfort", "slim fit", "nylon spandex"], "options": ["color: desert rose", "size: 8 short"], "instruction_attributes": ["slim fit"], "instruction_options": ["desert rose", "8 short"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68HG4AC", "worker_id": "A2ECRNQ3X5LEXD"}], "B00CO8YH5U": [{"asin": "B00CO8YH5U", "instruction": "i am looking for womens size socks that are machine washable.", "attributes": ["knee high", "machine washable", "nylon spandex"], "options": ["color: lime | dark green | white", "size: womens"], "instruction_attributes": ["machine washable"], "instruction_options": ["womens"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21PAFQH", "worker_id": "A1Q8PPQQCWGY0D"}], "B09Q63T5ZF": [{"asin": "B09Q63T5ZF", "instruction": "i am looking for a large, grey, men's pullover sweater with an elastic waist.", "attributes": ["low rise", "elastic waist"], "options": ["color: grey", "size: large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["grey", "large"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTKZ4D0", "worker_id": "A114NK7T5673GK"}], "B08DL6BRT9": [{"asin": "B08DL6BRT9", "instruction": "i would like a 4.22 ounce variety pack of non gmo gluten free smoothie pouches.", "attributes": ["non gmo", "artificial ingredients", "gluten free"], "options": ["flavor name: variety pack", "size: 4.22 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["variety pack", "4.22 ounce (pack of 6)"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34NB41P", "worker_id": "A1WS884SI0SLO4"}], "B07R1VYDRW": [{"asin": "B07R1VYDRW", "instruction": "i'm looking for a long lasting 3 wick candle that has soy wax and is sweet delight scented.", "attributes": ["long lasting", "soy wax"], "options": ["scent: sweet delight", "size: 8oz bundle"], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": ["sweet delight"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFV4JOB", "worker_id": "A34EHWOYRBL6OZ"}], "B09M7BPPCQ": [{"asin": "B09M7BPPCQ", "instruction": "i am looking for xx-large size stylish water resistant padded coat thicken winter warm outerwear. also blue one", "attributes": ["winter warm", "water resistant"], "options": ["color: c-blue", "size: xx-large"], "instruction_attributes": ["winter warm", "water resistant"], "instruction_options": ["c-blue", "xx-large"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQE4JAG", "worker_id": "A258PTOZ3D2TQR"}], "B094FQCRKV": [{"asin": "B094FQCRKV", "instruction": "i'm looking for a black hair loss concealer", "attributes": ["easy apply", "hair loss"], "options": ["color: black"], "instruction_attributes": ["hair loss"], "instruction_options": ["black"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD2YIC3", "worker_id": "A2Y2TURT2VEYZN"}], "B0991FC8BG": [{"asin": "B0991FC8BG", "instruction": "i would like a green tea mask.", "attributes": ["dermatologist tested", "cruelty free", "green tea"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZM97CJ", "worker_id": "A1WS884SI0SLO4"}], "B001B2KXIA": [{"asin": "B001B2KXIA", "instruction": "i'm looking for permanent hair dye in black. i want a three pack.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 020 brown black", "size: 3 count (pack of 1)", "style: new version"], "instruction_attributes": ["hair dye", "permanent hair"], "instruction_options": ["020 brown black", "3 count (pack of 1)"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTG2D5M", "worker_id": "AR9AU5FY1S3RO"}], "B07H1VDWLX": [{"asin": "B07H1VDWLX", "instruction": "i need a red ball gown with a lace closure in a size twelve.", "attributes": ["lace closure", "drawstring closure"], "options": ["color: red", "size: 12"], "instruction_attributes": ["lace closure"], "instruction_options": ["red", "12"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQCPN0P", "worker_id": "AR9AU5FY1S3RO"}], "B07RPQRK3V": [{"asin": "B07RPQRK3V", "instruction": "i am looking for strawberry & apple flavor fruit snack pack that are gluten free.", "attributes": ["gluten free", "non gmo", "fat free", "real fruit", "simple ingredients"], "options": ["flavor name: strawberry & apple", "size: 1.6 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["strawberry & apple"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIJI00V", "worker_id": "A1Q8PPQQCWGY0D"}], "B09NCJ5XWF": [{"asin": "B09NCJ5XWF", "instruction": "i would like a hair trimmer that is stainless steel.", "attributes": ["non slip", "stainless steel", "hair removal", "dead skin", "sensitive skin"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTSQTKB", "worker_id": "A2ECRNQ3X5LEXD"}], "B0018OL2YA": [{"asin": "B0018OL2YA", "instruction": "i need straight leg jeans in a medium that are big and tall.", "attributes": ["straight leg", "relaxed fit", "button closure"], "options": ["color: comfort stretch medium", "fit type: big & tall", "size: 30w x 29l"], "instruction_attributes": ["straight leg"], "instruction_options": ["comfort stretch medium", "big & tall"], "assignment_id": "3G2UL9A02OO71034MOY04HTU30F677", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0018OL2YA", "instruction": "i am looking for levi's men's 550 regular relaxed fit jeans.", "attributes": ["straight leg", "relaxed fit", "button closure"], "options": ["color: rinse - stretch (waterless)", "fit type: regular", "size: 34w x 30l"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["regular"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC550DW", "worker_id": "A1EREKSZAA9V7B"}], "B08LBMYGTL": [{"asin": "B08LBMYGTL", "instruction": "i'm looking for hair care for hair growth for women's to prevention of hair falling.", "attributes": ["coconut oil", "natural hair", "dry hair", "hair growth"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZDTUWM", "worker_id": "A16IQOX0DK14OJ"}], "B00ISAORHQ": [{"asin": "B00ISAORHQ", "instruction": "i would like a 13.25 by 8 inch vanity light with a glass shade and a satin nickel finish.", "attributes": ["bronze finish", "glass shade"], "options": ["color: satin nickel finish", "size: 13.25 by 8-inch"], "instruction_attributes": ["glass shade"], "instruction_options": ["satin nickel finish", "13.25 by 8-inch"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRWMPW6", "worker_id": "A1WS884SI0SLO4"}], "B098N7SGRD": [{"asin": "B098N7SGRD", "instruction": "i'm looking for an easy to install bathroom vanity light in color black.", "attributes": ["easy install", "vanity light", "clear glass", "glass shade", "light fixture", "living room"], "options": ["color: black"], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": ["black"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSL68BR", "worker_id": "A3MNXK3VDK37SN"}], "B09JG2NPSG": [{"asin": "B09JG2NPSG", "instruction": "my mom need wood frame twin size", "attributes": ["assembly required", "wood frame", "box spring"], "options": ["color: espresso(with trundle)", "size: twin"], "instruction_attributes": ["wood frame"], "instruction_options": ["twin"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X40QH0K", "worker_id": "A226L9F2AZ38CL"}], "B08FBL7P7S": [{"asin": "B08FBL7P7S", "instruction": "i am lookig for a light weight clover color womens pullover.", "attributes": ["light weight", "loose fit", "long sleeve"], "options": ["color: clover", "size: 3x"], "instruction_attributes": ["light weight"], "instruction_options": ["clover"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ9RL1K", "worker_id": "A1Q8PPQQCWGY0D"}], "B097FJ9KHT": [{"asin": "B097FJ9KHT", "instruction": "intel core i5-11700, 64gb ram, 1tb ssd + 1tb hdd, destop tower", "attributes": ["core i5", "intel core"], "options": ["size: 64gb ram | 1tb ssd + 2tb hdd"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3R2PKQ87N7I6FN5SSV9EK2GP7G5MIS", "worker_id": "A3N9ZYQAESNFQH"}], "B09NJ39F9R": [{"asin": "B09NJ39F9R", "instruction": "i want a non slip steel toe black men's shoe size :6.5", "attributes": ["slip resistant", "non slip", "steel toe"], "options": ["color: black", "size: 6.5"], "instruction_attributes": ["non slip", "steel toe"], "instruction_options": [], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K9612H", "worker_id": "A3N9ZYQAESNFQH"}], "B01N2N0ZWV": [{"asin": "B01N2N0ZWV", "instruction": "i need to get some gluten free coffee and it should be one pack of 8 ounces.", "attributes": ["freeze dried", "non dairy", "non gmo", "gluten free", "dairy free"], "options": ["flavor name: unsweetened", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLWMTFM", "worker_id": "A15ERD4HOFEPHM"}], "B096DWZGD2": [{"asin": "B096DWZGD2", "instruction": "i would like a sulfate free conditioner", "attributes": ["sulfate free", "argan oil", "hyaluronic acid"], "options": [""], "instruction_attributes": ["sulfate free"], "instruction_options": [], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYTMZOH", "worker_id": "A2ECRNQ3X5LEXD"}], "B082V1QQCM": [{"asin": "B082V1QQCM", "instruction": "i am looking for a 10x6.5ft backgrounds for digital photography", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 10x6.5ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["10x6.5ft"], "assignment_id": "326O153BMT8RVOXTJJKKGXV369DED0", "worker_id": "A9QRQL9CFJBI7"}], "B07W1P8CK2": [{"asin": "B07W1P8CK2", "instruction": "waterproof hair styling cape hairdressing cape for hairdressing salon hairdressing cut adjustable neckline makeup", "attributes": ["beauty salon", "hair styling"], "options": ["color: 3 pack pink (silk-like satin)", "size: 5 count"], "instruction_attributes": ["hair styling"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PCAUB5", "worker_id": "A3TTGSUBIK1YCL"}], "B09H455HTL": [{"asin": "B09H455HTL", "instruction": "i want a screen protector that is easy to install. pick something with leopard patterns.", "attributes": ["easy install", "wireless charging"], "options": ["color: fashion leopard"], "instruction_attributes": ["easy install"], "instruction_options": ["fashion leopard"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OQT99D", "worker_id": "A1NF6PELRKACS9"}], "B008ODE4YI": [{"asin": "B008ODE4YI", "instruction": "i'm looking for vanilla flavored chai tea mix that's sugar free, non-gmo, and gluten free. look for a pack that's around six ounces.", "attributes": ["sugar free", "non gmo", "gluten free"], "options": ["flavor name: vanilla", "size: 5.64 ounce (pack of 1)"], "instruction_attributes": ["sugar free", "non gmo", "gluten free"], "instruction_options": ["vanilla", "5.64 ounce (pack of 1)"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N23O6G0", "worker_id": "AR9AU5FY1S3RO"}], "B07XH6Z9NV": [{"asin": "B07XH6Z9NV", "instruction": "i would like a pair of small leggings with a high waist and tummy control for women.", "attributes": ["slim fit", "high waist", "tummy control", "polyester spandex"], "options": ["size: small"], "instruction_attributes": ["high waist", "tummy control"], "instruction_options": ["small"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXMFKWZ", "worker_id": "A1WS884SI0SLO4"}], "B09SBHLF4H": [{"asin": "B09SBHLF4H", "instruction": "i would like a pair of size 7.5 white sandals with a ankle strap.", "attributes": ["open toe", "ankle strap", "teen girls", "daily wear"], "options": ["color: white", "size: 7.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["white", "7.5"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4KJ8MP", "worker_id": "A1WS884SI0SLO4"}], "B093239RZC": [{"asin": "B093239RZC", "instruction": "i would like two grey chairs and a end table with a steel frame.", "attributes": ["coated steel", "steel frame"], "options": ["color: grey", "size: 2pc 1 seat", "style: 2 chairs end table"], "instruction_attributes": ["steel frame"], "instruction_options": ["grey", "2pc 1 seat", "2 chairs end table"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCQ9BMW", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B093239RZC", "instruction": "i would like a grey ottoman that has a steel frame", "attributes": ["coated steel", "steel frame"], "options": ["color: grey", "size: 5pc 2 seat", "style: 2 chairs end table"], "instruction_attributes": ["steel frame"], "instruction_options": ["grey"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZM19K7", "worker_id": "A2ECRNQ3X5LEXD"}], "B0897J9528": [{"asin": "B0897J9528", "instruction": "i'm looking for a full size platform bed storage with two drawers.", "attributes": ["box spring", "solid wood", "storage space"], "options": ["color: white", "size: full"], "instruction_attributes": ["solid wood", "storage space"], "instruction_options": ["white", "full"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKDTNE5", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08DD91VNS": [{"asin": "B08DD91VNS", "instruction": "i would like a grey twin size bunk bed made of solid wood.", "attributes": ["twin size", "assembly required", "solid wood"], "options": ["color: grey"], "instruction_attributes": ["twin size", "solid wood"], "instruction_options": ["grey"], "assignment_id": "33CID5710F37J25O7G1CGJZBOT4L3B", "worker_id": "A1WS884SI0SLO4"}], "B07Q4DK92V": [{"asin": "B07Q4DK92V", "instruction": "i would like a white face belt that is anti aging.", "attributes": ["clinically proven", "anti aging", "long lasting"], "options": ["color: white"], "instruction_attributes": ["anti aging"], "instruction_options": ["white"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADKNVWX", "worker_id": "A1WS884SI0SLO4"}], "B09PG4Y9CR": [{"asin": "B09PG4Y9CR", "instruction": "i need a pair of low rise yellow briefs in a large.", "attributes": ["low rise", "high waist"], "options": ["color: 122-yellow", "size: large"], "instruction_attributes": ["low rise"], "instruction_options": ["122-yellow", "large"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG9ELSE", "worker_id": "A2ECRNQ3X5LEXD"}], "B00FZGZ6GC": [{"asin": "B00FZGZ6GC", "instruction": "please find me a gluten free coffee creamer.", "attributes": ["lactose free", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD3URIB", "worker_id": "A15ERD4HOFEPHM"}], "B07DWBHBWR": [{"asin": "B07DWBHBWR", "instruction": "i am looking for king size bed with pocket spring mattress", "attributes": ["button tufted", "king size", "contemporary style"], "options": ["color: beige", "size: king", "style: brighton + pocket spring mattress"], "instruction_attributes": ["king size"], "instruction_options": ["brighton + pocket spring mattress"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647CTH3Y", "worker_id": "A16M39T60N60NO"}], "B09RN93XLV": [{"asin": "B09RN93XLV", "instruction": "i am looking for a s size manual toothbrushes for sensitive teeth", "attributes": ["easy use", "sensitive teeth"], "options": ["color: blue-1", "size: s"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["s"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKP0APJ8", "worker_id": "A9QRQL9CFJBI7"}], "B08R1CWC8V": [{"asin": "B08R1CWC8V", "instruction": "i need a living room wall lamp that is in black.", "attributes": ["wall mounted", "vanity light", "glass shade", "dining room", "living room"], "options": ["color: black"], "instruction_attributes": ["living room"], "instruction_options": ["black"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34N541J", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KDWDHKJ": [{"asin": "B07KDWDHKJ", "instruction": "i need a red iphone 7/8 / se 2020 case with card holder and[ screen protector tempered glass", "attributes": ["case cover", "tempered glass"], "options": ["color: red", "size: apple iphone 6s | 6 (4.7\")"], "instruction_attributes": ["tempered glass"], "instruction_options": ["red"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SXNDUW", "worker_id": "A1IL2K0ELYI090"}], "B07G3PXTKT": [{"asin": "B07G3PXTKT", "instruction": "i am looking for a low sugar ans dairy free vanilla flavored creamer, with added collagen.", "attributes": ["dairy free", "grass fed", "non dairy", "low sugar", "keto friendly", "gluten free"], "options": ["flavor name: vanilla"], "instruction_attributes": ["dairy free", "low sugar"], "instruction_options": ["vanilla"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY8697810", "worker_id": "A2NSS746CFCT4M"}], "B07H23LPBB": [{"asin": "B07H23LPBB", "instruction": "i need a 14 inch natural hair hair extension in #2 color.", "attributes": ["hair extensions", "natural hair"], "options": ["color: #2", "size: 14 inch"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["#2", "14 inch"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NL2KBO", "worker_id": "A3AYHESLQSDY5T"}], "B08G1B3LFJ": [{"asin": "B08G1B3LFJ", "instruction": "i'm looking for a flats made of ethylene vinyl. choose the ones in tan color and size 9.5 narrow.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: tan leather metallic synthetic", "size: 9.5 narrow"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["tan leather metallic synthetic", "9.5 narrow"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO602CB", "worker_id": "A3MNXK3VDK37SN"}], "B07ZSFG9CK": [{"asin": "B07ZSFG9CK", "instruction": "i want to find gluten-free sunrise crunchy maple cereal. it needs to be a 10.6 ounce box in a pack of six.", "attributes": ["gluten free", "non gmo", "usda organic", "simple ingredients", "artificial flavors"], "options": ["flavor name: sunrise crunchy maple - gf", "size: 10.6 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["sunrise crunchy maple - gf", "10.6 ounce (pack of 6)"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68HOA4Q", "worker_id": "A345TDMHP3DQ3G"}], "B09NNFT9S2": [{"asin": "B09NNFT9S2", "instruction": "i want a twin size box spring bed for kids made from solid wood brown color", "attributes": ["twin size", "box spring", "solid wood"], "options": ["color: brown", "style: l-shaped twin loft bed w | slide"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KYC7E2", "worker_id": "A3N9ZYQAESNFQH"}], "B077Z4T5VD": [{"asin": "B077Z4T5VD", "instruction": "i am looking for a short sleeve deep v neck solid color crop top.", "attributes": ["short sleeve", "daily wear"], "options": ["color: multicoloured plants", "size: large plus"], "instruction_attributes": ["short sleeve"], "instruction_options": ["multicoloured plants"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KGMPD3", "worker_id": "A2KW17G25L25R8"}], "B07QYWKFLL": [{"asin": "B07QYWKFLL", "instruction": "i need some gym shorts that are black and are in a 3x-large.", "attributes": ["elastic waist", "relaxed fit", "short sleeve", "gym workout"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["gym workout"], "instruction_options": ["black", "3x-large"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E04F7X3", "worker_id": "A2ECRNQ3X5LEXD"}], "B08TH9XBMC": [{"asin": "B08TH9XBMC", "instruction": "i would like a pair of 8.5 wide brown leather shoes with a rubber sole.", "attributes": ["arch support", "rubber outsole", "rubber sole"], "options": ["color: brown leather & tan duck", "size: 8.5 wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown leather & tan duck", "8.5 wide"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X00H4WL", "worker_id": "A1WS884SI0SLO4"}], "B07TPBW1MW": [{"asin": "B07TPBW1MW", "instruction": "i am looking for white color bookcase having exquisite workmanship.", "attributes": ["space saving", "exquisite workmanship"], "options": ["color: white"], "instruction_attributes": ["exquisite workmanship"], "instruction_options": ["white"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI709YQ6", "worker_id": "A1Q8PPQQCWGY0D"}], "B08C5LJ2W9": [{"asin": "B08C5LJ2W9", "instruction": "looking for birthday party baby shower cupcake in colour blue", "attributes": ["baby shower", "birthday party"], "options": ["color: blue"], "instruction_attributes": ["baby shower", "birthday party"], "instruction_options": ["blue"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALC24HJ", "worker_id": "A10OGH5CQBXL5N"}], "B088NPZJ98": [{"asin": "B088NPZJ98", "instruction": "i am looking for a 2-tier chandelier for the dining room", "attributes": ["light fixture", "dining room", "living room"], "options": ["color: 2-tier", "size: 23.6\"+31.5\"+ 39.3\""], "instruction_attributes": ["dining room"], "instruction_options": ["2-tier"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLP8I4H", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LYSV2DT": [{"asin": "B08LYSV2DT", "instruction": "look for high density warm beige curtains for my living room.", "attributes": ["machine washable", "high density", "living room"], "options": ["color: warm beige", "size: w 70 x l 95"], "instruction_attributes": ["high density", "living room"], "instruction_options": ["warm beige"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DEXWDF", "worker_id": "A1NF6PELRKACS9"}], "B09NDT2Q37": [{"asin": "B09NDT2Q37", "instruction": "i would like a water resistant bluetooth headset.", "attributes": ["water resistant", "noise cancelling", "hands free", "stereo sound"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8FBXUU", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PR9C6B7": [{"asin": "B09PR9C6B7", "instruction": "i'm looking for a dining room table that's made out of solid wood and easy to assemble.", "attributes": ["space saving", "easy assemble", "solid wood", "dining room"], "options": [""], "instruction_attributes": ["easy assemble", "solid wood", "dining room"], "instruction_options": [], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRS9PUE7", "worker_id": "AR9AU5FY1S3RO"}], "B07BNH7XMM": [{"asin": "B07BNH7XMM", "instruction": "i am looking for a 3x-large sized 3d digital printed pattern short sleeve t-shirt", "attributes": ["polyester cotton", "short sleeve", "teen girls"], "options": ["color: skull", "size: 3x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["3x-large"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK69HYY0", "worker_id": "A258PTOZ3D2TQR"}], "B01G2B8D7W": [{"asin": "B01G2B8D7W", "instruction": "i'm looking for a snack of protein balls gluten free pack size of 14.5 ounce", "attributes": ["grain free", "gluten free", "protein serving"], "options": ["size: 14.5 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["14.5 ounce (pack of 1)"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOLBYDS", "worker_id": "A2Y2TURT2VEYZN"}], "B095JHKLGD": [{"asin": "B095JHKLGD", "instruction": "look for a pair of open toed sandals with an ankle strap. i want them in beige, size 8.", "attributes": ["open toe", "ankle strap"], "options": ["color: 0 # beige", "size: 8"], "instruction_attributes": ["open toe", "ankle strap"], "instruction_options": ["0 # beige", "8"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UH4A3H", "worker_id": "AR9AU5FY1S3RO"}], "B09PNMMLCS": [{"asin": "B09PNMMLCS", "instruction": "i need to buy a children's toothbrush that's easy to use and appropriate for sensitive teeth. buy the color option \"a.\"", "attributes": ["easy use", "sensitive teeth"], "options": ["color: a"], "instruction_attributes": ["easy use", "sensitive teeth"], "instruction_options": ["a"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ASMBWM", "worker_id": "AR9AU5FY1S3RO"}], "B089W86S39": [{"asin": "B089W86S39", "instruction": "i'm looking for high density of furniture home office chairs.", "attributes": ["high density", "lumbar support"], "options": ["color: black"], "instruction_attributes": ["high density", "lumbar support"], "instruction_options": ["black"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOL40FW", "worker_id": "A16IQOX0DK14OJ"}], "B00ARKH10U": [{"asin": "B00ARKH10U", "instruction": "i'm looking for one red/orange henna hair dye", "attributes": ["plant based", "cruelty free", "hair dye"], "options": ["color: red | orange", "size: pack of 1"], "instruction_attributes": ["hair dye"], "instruction_options": ["red | orange", "pack of 1"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP65J7W", "worker_id": "A2Y2TURT2VEYZN"}], "B0861BLTXS": [{"asin": "B0861BLTXS", "instruction": "i am looking for soy free , gluten free ocean's halo tangy in flavor wasabi-style ranch", "attributes": ["soy free", "certified organic", "gluten free"], "options": ["flavor name: wasabi-style ranch"], "instruction_attributes": ["soy free", "gluten free"], "instruction_options": ["wasabi-style ranch"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODPTEWJ", "worker_id": "AX2EWYWZM19AZ"}], "B07R8218SY": [{"asin": "B07R8218SY", "instruction": "i am looking for men's shirts of small size having short sleeve.", "attributes": ["machine wash", "button closure", "short sleeve"], "options": ["color: fossil multi plaid", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["small"], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWPB250", "worker_id": "A1Q8PPQQCWGY0D"}], "B0963D384N": [{"asin": "B0963D384N", "instruction": "i'm looking for rubber sole its for easy to use high heel shoe for woman's", "attributes": ["anti slip", "water resistant", "winter warm", "faux fur", "rubber sole"], "options": ["color: thick black", "size: 11"], "instruction_attributes": ["water resistant", "rubber sole"], "instruction_options": ["thick black"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R9ER0H", "worker_id": "A16IQOX0DK14OJ"}], "B08BC2WY1Y": [{"asin": "B08BC2WY1Y", "instruction": "i would like a medium gy tank top with a unique design.", "attributes": ["unique design", "daily wear"], "options": ["color: gy", "size: medium"], "instruction_attributes": ["unique design"], "instruction_options": ["gy", "medium"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20QB0ZX", "worker_id": "A1WS884SI0SLO4"}], "B08NDBKVYR": [{"asin": "B08NDBKVYR", "instruction": "i am looking for 30g of organic matcha.", "attributes": ["bpa free", "certified organic"], "options": ["size: 30g"], "instruction_attributes": ["certified organic"], "instruction_options": ["30g"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVPJ71U", "worker_id": "A2ECRNQ3X5LEXD"}], "B092697R22": [{"asin": "B092697R22", "instruction": "i'm looking for size 9 womens beach sandals that are non slip, quick drying and have a rubber sole. also, they should be silver.", "attributes": ["non slip", "quick drying", "rubber sole"], "options": ["color: silver", "size: 9"], "instruction_attributes": ["non slip", "quick drying", "rubber sole"], "instruction_options": ["silver", "9"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRZ8XJT", "worker_id": "A34EHWOYRBL6OZ"}], "B0054YWM1M": [{"asin": "B0054YWM1M", "instruction": "i need some eye cream for anti aging.", "attributes": ["anti aging", "fine lines"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKNDPVP", "worker_id": "A2ECRNQ3X5LEXD"}], "B099RDX3Z3": [{"asin": "B099RDX3Z3", "instruction": "looking for motion detection with 1080p hd wireless mini hidden camera", "attributes": ["1080p hd", "plug play", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": [], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDPCHC2", "worker_id": "A10OGH5CQBXL5N"}], "B07KG93KMK": [{"asin": "B07KG93KMK", "instruction": "i'm looking for a lip pencil high pigmented for long lasting and melrose place color", "attributes": ["cruelty free", "long lasting", "highly pigmented", "high quality"], "options": ["color: melrose place"], "instruction_attributes": ["long lasting", "highly pigmented"], "instruction_options": ["melrose place"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJOM0WM", "worker_id": "A2Y2TURT2VEYZN"}], "B09BYWRDJP": [{"asin": "B09BYWRDJP", "instruction": "i want to buy a pair of honey colored size nine hiking boots with a non-slip rubber sole.", "attributes": ["winter warm", "non slip", "rubber outsole", "rubber sole"], "options": ["color: 3-honey", "size: 9"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["3-honey", "9"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WSPWQL", "worker_id": "AR9AU5FY1S3RO"}], "B09HRSZGCH": [{"asin": "B09HRSZGCH", "instruction": "i would like a queen size blue bed and box spring mattress.", "attributes": ["non slip", "easy clean", "memory foam", "box spring"], "options": ["color: blue", "size: queen"], "instruction_attributes": ["box spring"], "instruction_options": ["blue", "queen"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RJRFLW", "worker_id": "A1WS884SI0SLO4"}], "B09D3HYBB1": [{"asin": "B09D3HYBB1", "instruction": "i would like a black travel size cosmetic bag.", "attributes": ["travel size", "eye shadow"], "options": ["color: black"], "instruction_attributes": ["travel size"], "instruction_options": ["black"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39FXCZR", "worker_id": "A1WS884SI0SLO4"}], "B01L1UR5ZA": [{"asin": "B01L1UR5ZA", "instruction": "i am looking for a rustic gray color home office desks for longlasting", "attributes": ["long lasting", "assembly required"], "options": ["color: rustic gray", "style name: 50-in. tv stand"], "instruction_attributes": ["long lasting"], "instruction_options": ["rustic gray"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZK0KM7", "worker_id": "A9QRQL9CFJBI7"}], "B09K58B3ST": [{"asin": "B09K58B3ST", "instruction": "a light weight high speed usb wall charger for iphone11 color 3pack -back", "attributes": ["high power", "light weight", "high speed"], "options": ["color: 3pack-black"], "instruction_attributes": ["light weight", "high speed"], "instruction_options": ["3pack-black"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDZPAI5", "worker_id": "A3N9ZYQAESNFQH"}], "B091SWM9ZX": [{"asin": "B091SWM9ZX", "instruction": "i am looking for a coconut water birthday party", "attributes": ["great gift", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHFDNB0", "worker_id": "A9QRQL9CFJBI7"}], "B09HZZZCZN": [{"asin": "B09HZZZCZN", "instruction": "i am looking for a 10ml (0.33 ounce) anti oxidant booster size of alcohol free oils", "attributes": ["alcohol free", "cruelty free"], "options": ["size: 10ml (0.33 ounce) anti oxidant booster"], "instruction_attributes": ["alcohol free"], "instruction_options": ["10ml (0.33 ounce) anti oxidant booster"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UHINQI6", "worker_id": "A9QRQL9CFJBI7"}], "B09P8KCQB4": [{"asin": "B09P8KCQB4", "instruction": "i need a teeth whitening kit for sensitive teeth that comes in seven pairs.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: 7 pairs"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["7 pairs"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVO2LX8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CTN88LK": [{"asin": "B09CTN88LK", "instruction": "i would like a white nightstand made of solid wood.", "attributes": ["easy clean", "mid century", "white item", "easy assemble", "solid wood", "storage space", "living room"], "options": ["color: white"], "instruction_attributes": ["white item", "easy assemble"], "instruction_options": ["white"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NAK2NZ", "worker_id": "A1WS884SI0SLO4"}], "B00XK9CN3U": [{"asin": "B00XK9CN3U", "instruction": "i am looking for a flat sheet for a twin size bed. also choose navy color.", "attributes": ["twin size", "white item"], "options": ["color: navy", "size: queen"], "instruction_attributes": ["twin size"], "instruction_options": ["navy"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK8WVNJ", "worker_id": "A2HMEGTAFO0CS8"}], "B098KVHFQD": [{"asin": "B098KVHFQD", "instruction": "let me have the high performance band4u compatible with samsung galaxy watch 3 bands, 20mm size.", "attributes": ["quick release", "high performance"], "options": ["color: 4p-4", "size: 20mm"], "instruction_attributes": ["high performance"], "instruction_options": ["20mm"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X40M0HZ", "worker_id": "A1IL2K0ELYI090"}], "B08W3FLWVL": [{"asin": "B08W3FLWVL", "instruction": "i want to buy a wooden chandelier for my dining room. it should be easy to install. get the 22 inch size.", "attributes": ["easy install", "light fixture", "dining room"], "options": ["size: 22\""], "instruction_attributes": ["easy install", "dining room"], "instruction_options": ["22\""], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107B4LIE", "worker_id": "AR9AU5FY1S3RO"}], "B086HX7L1B": [{"asin": "B086HX7L1B", "instruction": "i am interested in a 12 pack of dill pickle chips that are low carb", "attributes": ["low carb", "grain free", "low sugar", "gluten free", "high protein", "quality ingredients"], "options": ["flavor name: dill pickle", "size: pack of 12"], "instruction_attributes": ["low carb"], "instruction_options": ["dill pickle", "pack of 12"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCR2B9X", "worker_id": "A2ECRNQ3X5LEXD"}], "B0958ZH8X2": [{"asin": "B0958ZH8X2", "instruction": "i need some active shorts that are in the color of equator and are a medium", "attributes": ["moisture wicking", "quick drying", "drawstring waist", "elastic waistband"], "options": ["color: equator", "size: medium"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["equator", "medium"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOFDNON", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TBG89NL": [{"asin": "B07TBG89NL", "instruction": "i am looking for a two pack of deodorant that is clinically proven.", "attributes": ["clinically proven", "easy use"], "options": ["size: 1.69 fl oz (pack of 2)"], "instruction_attributes": ["clinically proven"], "instruction_options": ["1.69 fl oz (pack of 2)"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ56ECKZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B073R3XKJT": [{"asin": "B073R3XKJT", "instruction": "get me a brushed nickel finish 3-light chandelier.", "attributes": ["nickel finish", "brushed nickel"], "options": ["color: brushed nickel", "style: 3-light chandelier"], "instruction_attributes": ["nickel finish", "brushed nickel"], "instruction_options": ["3-light chandelier"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA3NA80", "worker_id": "A3AYHESLQSDY5T"}], "B07G8MMR53": [{"asin": "B07G8MMR53", "instruction": "i would like a clinically proven hair growth treatment.", "attributes": ["clinically proven", "hair growth", "hair loss", "hair treatment"], "options": [""], "instruction_attributes": ["clinically proven", "hair growth", "hair treatment"], "instruction_options": [], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NLRKBD", "worker_id": "A1WS884SI0SLO4"}], "B091FLGF1T": [{"asin": "B091FLGF1T", "instruction": "i need some shorts that are pink, have a high waist, and a drawstring closure. get the size 14.", "attributes": ["drawstring closure", "high waist"], "options": ["color: bpink", "size: 14"], "instruction_attributes": ["drawstring closure", "high waist"], "instruction_options": ["bpink", "14"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCX7643", "worker_id": "AR9AU5FY1S3RO"}], "B09D13H4KQ": [{"asin": "B09D13H4KQ", "instruction": "i would like a quad intel core i5 desktop tower.", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["core i5", "intel core", "quad core"], "instruction_options": [], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSX56TI", "worker_id": "A1WS884SI0SLO4"}], "B0779HP36L": [{"asin": "B0779HP36L", "instruction": "i'm looking for a round accent table for the living room that is fully assembled and ready to use. also, it should be gray and rose gold colored.", "attributes": ["ready use", "fully assembled", "high gloss", "living room"], "options": ["color: gray | rose gold"], "instruction_attributes": ["ready use", "fully assembled", "living room"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X003W4Z", "worker_id": "A34EHWOYRBL6OZ"}], "B0987JP84S": [{"asin": "B0987JP84S", "instruction": "i want to buy wall art decor which is high gloss and suitable for dining room, and the color of which is sword, b.", "attributes": ["high gloss", "dining room", "living room"], "options": ["color: sword,b"], "instruction_attributes": ["high gloss", "dining room"], "instruction_options": ["sword,b"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWUDFPH", "worker_id": "AJY5G987IRT25"}], "B000VCBXN0": [{"asin": "B000VCBXN0", "instruction": "i'm looking for a 8 ounce of quality ingredient ranch dressing.", "attributes": ["artificial colors", "quality ingredients", "high fructose"], "options": ["flavor name: buttermilk", "size: 8 ounce"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["buttermilk"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40YYFYR", "worker_id": "ARQ05PDNXPFDI"}], "B00VMXZXTM": [{"asin": "B00VMXZXTM", "instruction": "i am looking for ultime permanent hair color cream, 5.22 ruby red", "attributes": ["permanent hair", "hair dye"], "options": ["color: 5.22 ruby red"], "instruction_attributes": ["permanent hair"], "instruction_options": ["5.22 ruby red"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGZ6TWE", "worker_id": "A258PTOZ3D2TQR"}], "B09Q177KDP": [{"asin": "B09Q177KDP", "instruction": "get me 2 metal legs barstools with back & arm with easy to assemble function in grey color.", "attributes": ["easy assemble", "metal legs"], "options": ["color: grey", "size: 2 barstools with back & arm"], "instruction_attributes": ["easy assemble", "metal legs"], "instruction_options": ["grey", "2 barstools with back & arm"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP1WXTV", "worker_id": "A3AYHESLQSDY5T"}], "B09F2CMB4T": [{"asin": "B09F2CMB4T", "instruction": "i would like a silver signal converter with a usb port.", "attributes": ["power amplifier", "usb port"], "options": ["color: silver"], "instruction_attributes": ["usb port"], "instruction_options": ["silver"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA9CS2L", "worker_id": "A1WS884SI0SLO4"}], "B07DK4987C": [{"asin": "B07DK4987C", "instruction": "i'm looking for a two pack of tea tree deodorant that's been tested by a dermatologist. it should last a long time and come in the scent \"rise.\"", "attributes": ["dermatologist tested", "long lasting", "tea tree"], "options": ["scent: rise", "size: 2.7 ounce (pack of 2)"], "instruction_attributes": ["dermatologist tested", "long lasting", "tea tree"], "instruction_options": ["rise", "2.7 ounce (pack of 2)"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU75O75C", "worker_id": "AR9AU5FY1S3RO"}], "B09RQ514CM": [{"asin": "B09RQ514CM", "instruction": "i'm looking for clothing for needle sleeve and classic fit for women's it is easy to wear it.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: men", "size: x-large"], "instruction_attributes": ["machine wash", "needle sleeve", "classic fit"], "instruction_options": ["royal blue"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEKC86N", "worker_id": "A16IQOX0DK14OJ"}], "B07Q4QY2B3": [{"asin": "B07Q4QY2B3", "instruction": "i am looking for gluten free, non gmo butter chocolates made with vanilla and cashew. and i choose the 12 count packet with salty chocolate flavor", "attributes": ["artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: 12-pack salty chocolate", "size: 12 count (pack of 1)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["12-pack salty chocolate", "12 count (pack of 1)"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMS7EXM", "worker_id": "A2COCSUGZV28X"}], "B081YWZWQW": [{"asin": "B081YWZWQW", "instruction": "i want to buy a pair of machine washable jeans. look for them in size 33 short with a standard fit. get the \"cast shadows\" color.", "attributes": ["machine wash", "imported zipper"], "options": ["color: cast shadows", "fit type: standard", "size: 33 short"], "instruction_attributes": ["machine wash"], "instruction_options": ["cast shadows", "standard", "33 short"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN3GGOX", "worker_id": "AR9AU5FY1S3RO"}], "B07FDZ7BCD": [{"asin": "B07FDZ7BCD", "instruction": "looking for because it is you perfurme long lasting effect", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2ZM94Q", "worker_id": "A2Y2TURT2VEYZN"}], "B00K8V2QNU": [{"asin": "B00K8V2QNU", "instruction": "i am looking for a 4 pack of long lasting, high performance 12v batteries.", "attributes": ["long lasting", "high performance"], "options": ["size: 4 pack"], "instruction_attributes": ["long lasting", "high performance"], "instruction_options": ["4 pack"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LHIL0E", "worker_id": "A114NK7T5673GK"}], "B00ZS8O4QA": [{"asin": "B00ZS8O4QA", "instruction": "i need a cruelty free face mist", "attributes": ["cruelty free", "hyaluronic acid"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL8O5HG", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MK1L322": [{"asin": "B09MK1L322", "instruction": "i would like a 32 gigabyte desktop computer with a intel core.", "attributes": ["core i5", "intel core"], "options": ["size: 32gb ddr4 i 1tb ssd i 1tb hdd"], "instruction_attributes": ["intel core"], "instruction_options": ["32gb ddr4 i 1tb ssd i 1tb hdd"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB89Y46", "worker_id": "A1WS884SI0SLO4"}], "B09FFW4QWR": [{"asin": "B09FFW4QWR", "instruction": "i need a 4 oz sprinkle for my birthday party.", "attributes": ["resealable bag", "baby shower", "birthday party"], "options": ["size: 4 oz"], "instruction_attributes": ["birthday party"], "instruction_options": ["4 oz"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL7VRVH", "worker_id": "AVIEE6LDH0BT5"}], "B091JCM72C": [{"asin": "B091JCM72C", "instruction": "hunting for a natural deodorant that is aluminum and baking soda free, hypoallergenic, safe for sensitive skin, underarms, and private parts in a 2 pk 3 ounce tube. prefer either clean tangerine or lavender sage scent.", "attributes": ["clinically proven", "paraben free", "sensitive skin"], "options": ["scent: lavender sage"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["lavender sage"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UVJY0E", "worker_id": "A3RGIKEI8JS2QG"}], "B000GCQ04C": [{"asin": "B000GCQ04C", "instruction": "i need a toner for sensitive skin that is 16 fl oz", "attributes": ["fragrance free", "sensitive skin"], "options": ["size: 16 fl oz (pack of 1)", "style: pore perfecting toner"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["16 fl oz (pack of 1)", "pore perfecting toner"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNB210D", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MVWWZWC": [{"asin": "B09MVWWZWC", "instruction": "i am looking for a 2pcs set cosmetic bags which is easy to carry", "attributes": ["easy carry", "eye shadow"], "options": ["color: sparkle silver", "style: 2pcs set"], "instruction_attributes": ["easy carry"], "instruction_options": ["2pcs set"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYQRMQ0", "worker_id": "A9QRQL9CFJBI7"}], "B079HHHQ3S": [{"asin": "B079HHHQ3S", "instruction": "i am looking for nut free and gluten free chocolate.", "attributes": ["nut free", "rich creamy", "ready use", "gluten free"], "options": ["flavor: fair trade, nut free, gluten free", "size: 8 ounce (pack of 4)"], "instruction_attributes": ["nut free", "gluten free"], "instruction_options": ["fair trade, nut free, gluten free"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXMBWK7", "worker_id": "A3FG5PQHG5AH3Y"}], "B087C2R5KL": [{"asin": "B087C2R5KL", "instruction": "i'm looking for an easy-to-clean desk cover protector for my round dining room table; it should be frosted and about 34 x 48 inches in size.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: round new frosted 2mm", "size: 34 x 48 inches"], "instruction_attributes": ["easy clean", "dining room"], "instruction_options": ["round new frosted 2mm", "34 x 48 inches"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPDRRO6", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B087C2R5KL", "instruction": "i need round table pads that are heavy duty and are a size 33.5 by 55.1 inches", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: round new clear 2mm", "size: 33.5 x 55.1 inches"], "instruction_attributes": ["heavy duty"], "instruction_options": ["round new clear 2mm", "33.5 x 55.1 inches"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7UTHLD", "worker_id": "A2ECRNQ3X5LEXD"}], "B07N12XY6N": [{"asin": "B07N12XY6N", "instruction": "i need a pair of machine washable black sneakers in a 13 wide.", "attributes": ["machine washable", "rubber sole"], "options": ["color: black | black", "size: 13 wide"], "instruction_attributes": ["machine washable"], "instruction_options": ["black | black", "13 wide"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6LZ2B3", "worker_id": "AR9AU5FY1S3RO"}], "B001SYZXFY": [{"asin": "B001SYZXFY", "instruction": "i am looking for a pack of powder blush that can be applied easily . and i choose the pack of 3 with soft sable color", "attributes": ["easy apply", "easy carry"], "options": ["color: soft sable", "size: 0.12 ounce (pack of 3)"], "instruction_attributes": ["easy apply"], "instruction_options": ["soft sable", "0.12 ounce (pack of 3)"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTGED5Y", "worker_id": "A2COCSUGZV28X"}], "B09F2PGGKW": [{"asin": "B09F2PGGKW", "instruction": "i want to buy an x-large satin sleepwear set made of soft material. also choose the one made in teal color.", "attributes": ["soft material", "drawstring closure"], "options": ["color: teal", "size: x-large"], "instruction_attributes": [], "instruction_options": ["x-large"], "assignment_id": "351SEKWQSBRP7CP60H83T50CFB7MD0", "worker_id": "A1HMZJ59OPLD1P"}], "B08C5LVXPM": [{"asin": "B08C5LVXPM", "instruction": "i'm looking for a fudule sandals for women.", "attributes": ["open toe", "ankle strap", "closed toe"], "options": ["color: y-5 begie", "size: 11.5"], "instruction_attributes": ["open toe"], "instruction_options": ["y-5 begie", "11.5"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2G3IOM", "worker_id": "A1ZGOZQF2VZ0X9"}], "B0964BFQXK": [{"asin": "B0964BFQXK", "instruction": "i am looking for a high density mattress.", "attributes": ["high density", "memory foam"], "options": [""], "instruction_attributes": ["high density"], "instruction_options": [], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BOUJV6", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RKJKJGC": [{"asin": "B07RKJKJGC", "instruction": "i'm looking for a grey 4k gold plated hdmi cable that is high speed and 6.6 feet long.", "attributes": ["high speed", "ultra hd", "blu ray", "gold plated", "aluminum alloy"], "options": ["color: grey", "number of items: 10", "size: 6.6 feet"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["grey", "6.6 feet"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXOMZ27", "worker_id": "A34EHWOYRBL6OZ"}], "B01ANA4T7G": [{"asin": "B01ANA4T7G", "instruction": "i need pink color hair removal", "attributes": ["stainless steel", "hair removal"], "options": ["color: bubblegum pink"], "instruction_attributes": ["hair removal"], "instruction_options": ["bubblegum pink"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDW1U1R4", "worker_id": "A226L9F2AZ38CL"}], "B00ZCL4F6W": [{"asin": "B00ZCL4F6W", "instruction": "i am looking for a food bar of organic blueberry lemon flavor having low sugar.", "attributes": ["grain free", "low sugar", "low carb", "dairy free", "gluten free", "soy free", "plant based", "non gmo", "natural flavors"], "options": ["flavor name: organic blueberry lemon"], "instruction_attributes": ["low sugar"], "instruction_options": ["organic blueberry lemon"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68H7A49", "worker_id": "A1Q8PPQQCWGY0D"}], "B076HVZ1HK": [{"asin": "B076HVZ1HK", "instruction": "i am looking for non gmo certified organic ghee.", "attributes": ["grass fed", "certified organic", "non gmo"], "options": [""], "instruction_attributes": ["certified organic", "non gmo"], "instruction_options": [], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9NUB07", "worker_id": "A1Q8PPQQCWGY0D"}], "B096YKT25N": [{"asin": "B096YKT25N", "instruction": "i would like a wine red stool cover that is machine washable.", "attributes": ["non slip", "super soft", "eco friendly", "machine washable", "living room"], "options": ["color: wine red"], "instruction_attributes": ["machine washable"], "instruction_options": ["wine red"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALCO4H5", "worker_id": "A1WS884SI0SLO4"}], "B086BM7JPL": [{"asin": "B086BM7JPL", "instruction": "i would like a long lasting foundation for my line lines.", "attributes": ["long lasting", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["long lasting", "fine lines"], "instruction_options": [], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EFE1BE", "worker_id": "A1WS884SI0SLO4"}], "B000G7YO2M": [{"asin": "B000G7YO2M", "instruction": "i want fat free and toffee almond nonni's biscottis.", "attributes": ["fat free", "individually wrapped"], "options": ["flavor name: toffee almond", "size: 6.88 ounce (pack of 6)"], "instruction_attributes": ["fat free"], "instruction_options": ["toffee almond"], "assignment_id": "37TRT2X24116R7L1JO45INKV8W7BJL", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000G7YO2M", "instruction": "i am interested in buying biscotti which are fat free, and individually wrapped while their flavor should be cioccolati and packed as 12 in 8-count boxes.", "attributes": ["fat free", "individually wrapped"], "options": ["flavor name: cioccolati", "size: 8-count boxes (pack of 12)"], "instruction_attributes": ["fat free", "individually wrapped"], "instruction_options": ["cioccolati", "8-count boxes (pack of 12)"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRI2NWR", "worker_id": "AJY5G987IRT25"}], "B076JPZPHH": [{"asin": "B076JPZPHH", "instruction": "i am looking for some gluten free snack foods that are pumpkin pie flavored.", "attributes": ["gluten free", "kosher certified", "high fructose", "artificial flavors"], "options": ["flavor name: pumpkin pie"], "instruction_attributes": ["gluten free"], "instruction_options": ["pumpkin pie"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OK8RTQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SCT1NLY": [{"asin": "B09SCT1NLY", "instruction": "i'd like to buy some open toed, high heeled sandals with an ankle strap. look for 6 wides in khaki.", "attributes": ["open toe", "high heel", "ankle strap", "closed toe"], "options": ["color: a6 - khaki", "size: 6 wide"], "instruction_attributes": ["open toe", "high heel", "ankle strap"], "instruction_options": ["a6 - khaki", "6 wide"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK7TVNE", "worker_id": "AR9AU5FY1S3RO"}], "B07Y5GG5Q2": [{"asin": "B07Y5GG5Q2", "instruction": "i will like to have trader joe's fiberful granola bars rolled oats & chocolate chips", "attributes": ["trader joe", "artificial flavors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9C8AZJ", "worker_id": "A1IL2K0ELYI090"}, {"asin": "B07Y5GG5Q2", "instruction": "i am looking for trader joe's granola bars.", "attributes": ["trader joe", "artificial flavors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VUAXM6", "worker_id": "AJDQGOTMB2D80"}], "B0836HNRKP": [{"asin": "B0836HNRKP", "instruction": "i need some makeup remover pads for sensitive skin. get style two.", "attributes": ["easy carry", "sensitive skin"], "options": ["color: makeup remover pads | style 2"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["makeup remover pads | style 2"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH4DQHG", "worker_id": "AR9AU5FY1S3RO"}], "B09HC76MQF": [{"asin": "B09HC76MQF", "instruction": "i'm looking for twin sized furniture for bedroom furniture.", "attributes": ["twin size", "easy assemble", "metal legs", "box spring"], "options": [""], "instruction_attributes": ["easy assemble"], "instruction_options": [], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFNQMEB", "worker_id": "A16IQOX0DK14OJ"}], "B07VJC71BN": [{"asin": "B07VJC71BN", "instruction": "i'm looking for a queen pillow shams set of 2 pinch and to be super soft and white", "attributes": ["queen size", "super soft", "exquisite workmanship"], "options": ["color: white", "size: queen 20x30"], "instruction_attributes": ["queen size", "super soft"], "instruction_options": ["white"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98URYKO", "worker_id": "A19Q021KR28CS8"}], "B083VZN11N": [{"asin": "B083VZN11N", "instruction": "i would like a 6 ounce variety of grain free cacao granola.", "attributes": ["grain free", "low sugar", "plant based", "gluten free"], "options": ["flavor name: variety of cacao, matcha, original", "size: 6 ounce (pack of 1)"], "instruction_attributes": ["grain free"], "instruction_options": ["variety of cacao, matcha, original", "6 ounce (pack of 1)"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIP485A", "worker_id": "A1WS884SI0SLO4"}], "B079WHF7B9": [{"asin": "B079WHF7B9", "instruction": "i am looking for some non gmo popcorn.", "attributes": ["non gmo", "nut free", "gluten free"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOLVF02", "worker_id": "A2ECRNQ3X5LEXD"}], "B08MWJ1FY1": [{"asin": "B08MWJ1FY1", "instruction": "i'm looking for a party supplies cupcake toppers, preferably red graduation toppers.", "attributes": ["party supplies", "cupcake picks"], "options": ["color: red graduation toppers"], "instruction_attributes": ["party supplies"], "instruction_options": ["red graduation toppers"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL58RVQ", "worker_id": "ARQ05PDNXPFDI"}], "B091YB6MRZ": [{"asin": "B091YB6MRZ", "instruction": "i need to buy some easy to apply nail glitter. get color h8.", "attributes": ["easy apply", "rose gold", "nail art"], "options": ["color: h8"], "instruction_attributes": ["easy apply"], "instruction_options": ["h8"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJQLO9E", "worker_id": "AR9AU5FY1S3RO"}], "B07PRD8LFJ": [{"asin": "B07PRD8LFJ", "instruction": "i am looking for medium sized underwear bottom with machine washable feature.", "attributes": ["fleece lined", "machine wash", "polyester spandex"], "options": ["color: 2. midweight black 2 pack", "fit type: 300 - heavyweight 1 bottom", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["medium"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DDDDWA", "worker_id": "A3FG5PQHG5AH3Y"}], "B09RDVZFT6": [{"asin": "B09RDVZFT6", "instruction": "i am looking for a slim fitting red polo that is in a xx-large.", "attributes": ["slim fit", "hand wash", "machine wash", "short sleeve", "soft material", "long sleeve"], "options": ["color: 1-red", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["1-red", "xx-large"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK8ZVNM", "worker_id": "A2ECRNQ3X5LEXD"}], "B009ZJHEEM": [{"asin": "B009ZJHEEM", "instruction": "i am looking for 7.2 ounce (pack of 1) spicy white chocolate truffle for great gift", "attributes": ["great gift", "perfect gift"], "options": ["flavor name: spice", "size: 7.2 ounce (pack of 1)"], "instruction_attributes": ["great gift"], "instruction_options": ["spice", "7.2 ounce (pack of 1)"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG9VSL2", "worker_id": "A258PTOZ3D2TQR"}], "B09JG87XL1": [{"asin": "B09JG87XL1", "instruction": "i'm looking for cupcakes for birthday parties.", "attributes": ["baby shower", "birthday party", "birthday cake", "party supplies"], "options": [""], "instruction_attributes": ["birthday party", "birthday cake", "party supplies"], "instruction_options": [], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM952I18", "worker_id": "A16IQOX0DK14OJ"}], "B087RWWZ5J": [{"asin": "B087RWWZ5J", "instruction": "i would like a pack of salted butternut squash stalks that is gluten free and contains other plant based ingredients.", "attributes": ["plant based", "non gmo", "gluten free"], "options": ["flavor name: salted"], "instruction_attributes": ["plant based", "gluten free"], "instruction_options": ["salted"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841CRXAQ", "worker_id": "A1HMZJ59OPLD1P"}], "B073X2WRSV": [{"asin": "B073X2WRSV", "instruction": "i am looking for a dermatologist tested foundation that is in the color of soft honey.", "attributes": ["dermatologist tested", "seed oil"], "options": ["color: soft honey", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["soft honey", "1 fl oz (pack of 1)"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017344PG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B073X2WRSV", "instruction": "i want to buy liquid makeup which has been tested by dermatologists and it has honey color, i prefer it to be at 1 fl oz at pack of 1 size.", "attributes": ["dermatologist tested", "seed oil"], "options": ["color: honey", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["honey", "1 fl oz (pack of 1)"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQJSKE3", "worker_id": "AJY5G987IRT25"}, {"asin": "B073X2WRSV", "instruction": "i am looking for a dermatologist tested liquid makeup of chestnut color.", "attributes": ["dermatologist tested", "seed oil"], "options": ["color: chestnut", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["chestnut"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30USUY0J", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B073X2WRSV", "instruction": "i need some foundation in a buff color. look for a two pack of one ounce bottles. it should be dermatologist tested.", "attributes": ["dermatologist tested", "seed oil"], "options": ["color: buff", "size: 1 fl. oz (pack of 2)"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["buff", "1 fl. oz (pack of 2)"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFLSE97", "worker_id": "AR9AU5FY1S3RO"}], "B00JSLKCB4": [{"asin": "B00JSLKCB4", "instruction": "i'm looking for a pair of pants that's easy to care for and come in a classic fit. i need them in black, size 40w x 32l.", "attributes": ["easy care", "moisture wicking", "classic fit"], "options": ["color: black", "size: 40w x 32l"], "instruction_attributes": ["easy care", "classic fit"], "instruction_options": ["black", "40w x 32l"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIMAFET", "worker_id": "AR9AU5FY1S3RO"}], "B09SF217NB": [{"asin": "B09SF217NB", "instruction": "i need a brown 6 wide sandal with ankle strap", "attributes": ["closed toe", "ankle strap"], "options": ["color: a5 - brown", "size: 6 wide"], "instruction_attributes": ["ankle strap"], "instruction_options": ["a5 - brown", "6 wide"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RJOFLT", "worker_id": "A2Y2TURT2VEYZN"}], "B096X1F7VK": [{"asin": "B096X1F7VK", "instruction": "i want a dual band serveillance bullet camera waterproof motion detection", "attributes": ["dual band", "motion detection"], "options": [""], "instruction_attributes": ["dual band", "motion detection"], "instruction_options": [], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TP53NY", "worker_id": "A3N9ZYQAESNFQH"}], "B07DYGT4N5": [{"asin": "B07DYGT4N5", "instruction": "i am looking for a double sided white apron for shaving and trimming.", "attributes": ["double sided", "easy use"], "options": ["color: white"], "instruction_attributes": ["double sided"], "instruction_options": ["white"], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM95CI1I", "worker_id": "A1NF6PELRKACS9"}], "B08PZGFNGC": [{"asin": "B08PZGFNGC", "instruction": "i am looking for an old bronze vanity light", "attributes": ["brushed nickel", "vanity light"], "options": ["color: old bronze"], "instruction_attributes": ["vanity light"], "instruction_options": ["old bronze"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADK3VWD", "worker_id": "A2ECRNQ3X5LEXD"}], "B081B7GHV5": [{"asin": "B081B7GHV5", "instruction": "nikon digital camera with red optical zoom", "attributes": ["1080p hd", "optical zoom", "stereo sound"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKNVVPD", "worker_id": "A3TTGSUBIK1YCL"}], "B07BG65PL3": [{"asin": "B07BG65PL3", "instruction": "i'm looking for a heavy duty mattress with box spring. also choose split king sized mattress + platform bed styled with cool gel designed one.", "attributes": ["heavy duty", "memory foam", "king size", "box spring"], "options": ["design: cool gel", "size: split king", "style name: mattress + platform bed"], "instruction_attributes": ["heavy duty", "box spring"], "instruction_options": ["cool gel", "split king", "mattress + platform bed"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDRAHR5", "worker_id": "AR0VJ5XRG16UJ"}], "B09MFGM4S2": [{"asin": "B09MFGM4S2", "instruction": "i am looking for a network antenna that is easy to install.", "attributes": ["easy install", "4g lte"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SY6TQR", "worker_id": "A2ECRNQ3X5LEXD"}], "B01MQSLK2Z": [{"asin": "B01MQSLK2Z", "instruction": "i want a high performance lenovo yoga book - fhd 10.1\" android tablet - 2 in 1 tablet windows os", "attributes": ["high performance", "high definition"], "options": ["color: champagne gold", "size: windows os"], "instruction_attributes": ["high performance"], "instruction_options": ["windows os"], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVH1BIS", "worker_id": "A1IL2K0ELYI090"}], "B09RMTJTBJ": [{"asin": "B09RMTJTBJ", "instruction": "i would like a full xl 4\" foundation for a box spring and mattress set.", "attributes": ["high density", "ready use", "long lasting", "assembly required", "box spring", "memory foam"], "options": ["size: full xl", "style: 4\" foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["full xl", "4\" foundation"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI77QZGP", "worker_id": "A1WS884SI0SLO4"}], "B0967WDH66": [{"asin": "B0967WDH66", "instruction": "i need to buy a silver eight light chandelier for my living room. i want one that's easy to install.", "attributes": ["height adjustable", "easy install", "pendant light", "living room", "dining room"], "options": ["color: silver-8 light"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["silver-8 light"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JDLSF9", "worker_id": "AR9AU5FY1S3RO"}], "B0744GPMNS": [{"asin": "B0744GPMNS", "instruction": "i want steel frame in grey color", "attributes": ["memory foam", "coated steel", "steel frame"], "options": [""], "instruction_attributes": ["steel frame"], "instruction_options": [], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIPB58E", "worker_id": "A226L9F2AZ38CL"}], "B08TQWXY9B": [{"asin": "B08TQWXY9B", "instruction": "i am looking for a wireless charging cradles of silence phone holder mount color", "attributes": ["easy use", "wireless charging"], "options": ["color: silence phone holder mount"], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69PLP8T", "worker_id": "A9QRQL9CFJBI7"}], "B09P4QBZN8": [{"asin": "B09P4QBZN8", "instruction": "need a large sleepwear pajamas in gray with elastic closure", "attributes": ["elastic closure", "long sleeve"], "options": ["color: gray", "size: large"], "instruction_attributes": ["elastic closure"], "instruction_options": ["gray", "large"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5I7WIH", "worker_id": "A2Y2TURT2VEYZN"}], "B08NW4TVGY": [{"asin": "B08NW4TVGY", "instruction": "i would like a meat substitute flavored with sea salt that is ready to eat.", "attributes": ["plant based", "soy free", "ready eat", "high protein", "non gmo", "gluten free"], "options": ["flavor: sea salt | black pepper"], "instruction_attributes": ["ready eat"], "instruction_options": ["sea salt | black pepper"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWD5FNA", "worker_id": "A1WS884SI0SLO4"}], "B00EO23OKI": [{"asin": "B00EO23OKI", "instruction": "i would like a 2.25 bottle of men's single shower fresh alcohol free antiperspirant.", "attributes": ["dermatologist tested", "alcohol free"], "options": ["color: shower fresh", "configuration: single", "size: 2.25 ounce (pack of 1)", "style: men"], "instruction_attributes": ["alcohol free"], "instruction_options": ["shower fresh", "single", "2.25 ounce (pack of 1)", "men"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVQ1JKY", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00EO23OKI", "instruction": "i'm looking for a stick of men's mountain air scented deodorant that is alcohol free.", "attributes": ["dermatologist tested", "alcohol free"], "options": ["color: mountain air", "configuration: single", "size: 3.4 ounce (pack of 2)", "style: women"], "instruction_attributes": ["alcohol free"], "instruction_options": ["mountain air"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN5QGOB", "worker_id": "A2JP9IKRHNLRPI"}], "B00BQ76XK2": [{"asin": "B00BQ76XK2", "instruction": "i am looking for a green tea makeup brushes & tools", "attributes": ["green tea", "dark circles"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "31EUONYN26DZ1WA44INARVVOAILOVB", "worker_id": "A9QRQL9CFJBI7"}], "B09QHXLZQY": [{"asin": "B09QHXLZQY", "instruction": "i would like a extra large green short sleeve t shirt", "attributes": ["long sleeve", "short sleeve", "teen girls", "daily wear"], "options": ["color: b3-green", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["b3-green", "x-large"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EFW1BW", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09QHXLZQY", "instruction": "i want a gray floral graphic long sleeve shirt for women.", "attributes": ["long sleeve", "short sleeve", "teen girls", "daily wear"], "options": ["color: b2-gray", "size: 5x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["b2-gray"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5KBB21R", "worker_id": "A2RBF3IIJP15IH"}], "B01I1C9F0E": [{"asin": "B01I1C9F0E", "instruction": "i am looking for aluminum alloy video camera tripod", "attributes": ["quick release", "non slip", "carrying case", "aluminum alloy"], "options": [""], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0YDPXK", "worker_id": "A16M39T60N60NO"}], "B00QQKPIC8": [{"asin": "B00QQKPIC8", "instruction": "i am looking for some 18 inch pearl platinum synthetic hair extensions.", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: pearl platinum", "size: 18 inch (pack of 1)"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["pearl platinum", "18 inch (pack of 1)"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE25ZGQ8", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00QQKPIC8", "instruction": "i am looking for 16 inch light golden blonde color synthetic hair extensions hairpieces for women", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: light golden blonde", "size: 16 inch (pack of 1)"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["light golden blonde", "16 inch (pack of 1)"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L5CVCX", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B00QQKPIC8", "instruction": "i am interested in pale blonde hair extensions that are 18 inches long", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: light pale blonde", "size: 18 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["light pale blonde", "18 inch (pack of 1)"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68J6A4C", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H5J9FGZ": [{"asin": "B09H5J9FGZ", "instruction": "i am looking for a camcorder that is easy to carry and have optical zoom.", "attributes": ["easy carry", "optical zoom", "motion detection"], "options": [""], "instruction_attributes": ["easy carry", "optical zoom"], "instruction_options": [], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK40J38", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09H5J9FGZ", "instruction": "i would like a camcorder with optical zoom.", "attributes": ["easy carry", "optical zoom", "motion detection"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9R287K", "worker_id": "A1WS884SI0SLO4"}], "B00JP62FBM": [{"asin": "B00JP62FBM", "instruction": "i need long lasting kenzo l'eau par kenzo toilet spray for women", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTVHXWO", "worker_id": "A1V2C99HEV3F14"}], "B09Q8MQ5FF": [{"asin": "B09Q8MQ5FF", "instruction": "i am looking for a 0.07d-15mm size cruelty free false eyelashes & adhesives", "attributes": ["easy apply", "cruelty free"], "options": ["color: white", "size: 0.07d-15mm"], "instruction_attributes": ["cruelty free"], "instruction_options": ["0.07d-15mm"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNYG8HC", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09Q8MQ5FF", "instruction": "i want to find 0.7-14 millimeter long lash extensions in pink. they must be easy to apply.", "attributes": ["easy apply", "cruelty free"], "options": ["color: pink+red+blue+purple +white+green+brown", "size: 0.07d-14mm"], "instruction_attributes": ["easy apply"], "instruction_options": ["pink+red+blue+purple +white+green+brown", "0.07d-14mm"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBJSDJ7", "worker_id": "A345TDMHP3DQ3G"}], "B0959B21HW": [{"asin": "B0959B21HW", "instruction": "i\u2019m looking for modern and natural platform bed frames for twin beds. i don\u2019t mind if there\u2019s some assembly required.", "attributes": ["queen size", "assembly required", "engineered wood", "box spring"], "options": ["color: natural", "size: twin"], "instruction_attributes": ["assembly required"], "instruction_options": ["natural", "twin"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCQ9MB7", "worker_id": "A3LIIE572Z4OG7"}], "B093SZ7QMH": [{"asin": "B093SZ7QMH", "instruction": "i would like a laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6965GE", "worker_id": "A1WS884SI0SLO4"}], "B09NLRKKHJ": [{"asin": "B09NLRKKHJ", "instruction": "i am looking for a lightweight background that is 10 by 10 ft", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a17", "size: 10x10ft | 3x3m"], "instruction_attributes": ["light weight"], "instruction_options": ["10x10ft | 3x3m"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP1ZTXU", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VB1CGXW": [{"asin": "B07VB1CGXW", "instruction": "i would like a men's extra small navy officially licensed mario shirt.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: men", "size: x-small"], "instruction_attributes": ["cotton heather"], "instruction_options": [], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIMGFEZ", "worker_id": "A1WS884SI0SLO4"}], "B097PJV6CJ": [{"asin": "B097PJV6CJ", "instruction": "i need lightweight navy shoes that are in a size 11", "attributes": ["light weight", "machine washable", "non slip", "relaxed fit"], "options": ["color: navy blue | mix", "size: 11"], "instruction_attributes": ["light weight"], "instruction_options": ["navy blue | mix", "11"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q7479HB", "worker_id": "A2ECRNQ3X5LEXD"}], "B081ZW6KT2": [{"asin": "B081ZW6KT2", "instruction": "i am looking for a men's baby blue classic fit shirt", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: baby blue", "fit type: men", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["baby blue", "men"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8Y9PZF", "worker_id": "A2ECRNQ3X5LEXD"}], "B01MRBW7EO": [{"asin": "B01MRBW7EO", "instruction": "i'm looking for a pair of flat front stretch corduroy pants with a classic fit in dark grey. size needs to be 31 long with a 40 waist.", "attributes": ["easy care", "day comfort", "machine washable", "machine wash", "cotton spandex", "classic fit", "button closure"], "options": ["color: dark grey", "size: 40w x 31l"], "instruction_attributes": ["classic fit"], "instruction_options": ["dark grey", "40w x 31l"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841C8AXK", "worker_id": "A3OLRWACCCCUTU"}], "B07T9QC7RT": [{"asin": "B07T9QC7RT", "instruction": "i am looking for a foundation that is metallic gold and has natural ingredients.", "attributes": ["green tea", "rose gold", "natural ingredients"], "options": ["color: #02 metallic gold"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["#02 metallic gold"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXM2WKY", "worker_id": "A2ECRNQ3X5LEXD"}], "B0992C1J45": [{"asin": "B0992C1J45", "instruction": "i would like a box of individually wrapped chocolate cereal bars.", "attributes": ["dairy free", "individually wrapped", "gluten free", "perfect gift"], "options": ["flavor name: chocolate"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["chocolate"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YSL8TW", "worker_id": "A1WS884SI0SLO4"}], "B0721MGWLC": [{"asin": "B0721MGWLC", "instruction": "i need a black case cover for my iphone", "attributes": ["hands free", "case cover"], "options": ["color: black"], "instruction_attributes": ["case cover"], "instruction_options": ["black"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X8SY30", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DFXSL8Y": [{"asin": "B08DFXSL8Y", "instruction": "i am looking for a automatic rotating styling tool with metallic ionic barrel and smart anti-stuck sensor for long and medium length hair.", "attributes": ["long lasting", "hair styling"], "options": ["color: black"], "instruction_attributes": ["hair styling"], "instruction_options": ["black"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT3FP3N", "worker_id": "A21IUUHBSEVB56"}], "B07BSWXFWY": [{"asin": "B07BSWXFWY", "instruction": "i need a digital camera that has a high optical zoom", "attributes": ["optical zoom", "carrying case"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4DSI01", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Y2QZ191": [{"asin": "B07Y2QZ191", "instruction": "i need to buy a two pack of beige memory foam chair pads for my dining room.", "attributes": ["long lasting", "memory foam", "faux leather", "dining room", "living room"], "options": ["color: bradford beige | brown", "size: 2 count (pack of 1)"], "instruction_attributes": ["memory foam", "dining room"], "instruction_options": ["bradford beige | brown", "2 count (pack of 1)"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YZQ3QH", "worker_id": "AR9AU5FY1S3RO"}], "B000Q5K1O4": [{"asin": "B000Q5K1O4", "instruction": "i am looking for a 24 pack of shelf stable fruit juices.", "attributes": ["shelf stable", "gluten free", "non gmo", "source vitamin"], "options": ["size: 8.4 fl oz (pack of 24)"], "instruction_attributes": ["shelf stable"], "instruction_options": ["8.4 fl oz (pack of 24)"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMXESA2", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NPXWNMY": [{"asin": "B09NPXWNMY", "instruction": "i am looking for light weight safety shoes for men of black color.", "attributes": ["light weight", "non slip", "steel toe"], "options": ["color: black", "size: 47"], "instruction_attributes": ["light weight"], "instruction_options": ["black"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8JBNZK", "worker_id": "A1Q8PPQQCWGY0D"}], "B07X4TQXB3": [{"asin": "B07X4TQXB3", "instruction": "i need a 4-light brushed nickel fixture. it should have a wood finish.", "attributes": ["wood finish", "brushed nickel", "light fixture"], "options": ["size: 4-light"], "instruction_attributes": ["wood finish", "brushed nickel", "light fixture"], "instruction_options": ["4-light"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH8V1VN", "worker_id": "A1NF6PELRKACS9"}], "B00DOVR7ZI": [{"asin": "B00DOVR7ZI", "instruction": "i need an 8 ounce package of freeze dried tomatoes", "attributes": ["freeze dried", "non gmo", "gluten free"], "options": ["flavor name: organic tomato bits", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["freeze dried"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI77QGZ6", "worker_id": "A2ECRNQ3X5LEXD"}], "B08CXFN5QM": [{"asin": "B08CXFN5QM", "instruction": "i need brown flats that are a size 7 and are anti-slip", "attributes": ["anti slip", "open toe", "high heel", "ankle strap"], "options": ["color: z91-brown", "size: 7"], "instruction_attributes": ["anti slip"], "instruction_options": ["z91-brown", "7"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPOGYSH", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QRTXNJC": [{"asin": "B08QRTXNJC", "instruction": "i would like a 3 lights conical lampshade that is easy to put on.", "attributes": ["easy install", "vanity light"], "options": ["color: conical lampshade", "size: 3-lights"], "instruction_attributes": ["easy install"], "instruction_options": ["conical lampshade", "3-lights"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH14Z4N", "worker_id": "A1WS884SI0SLO4"}], "B07BJKYB79": [{"asin": "B07BJKYB79", "instruction": "im looking for light khaki brown men\u2019s jeans that are machine washable.", "attributes": ["machine wash", "button closure"], "options": ["color: light khaki brown", "size: 34w x 29l"], "instruction_attributes": ["machine wash"], "instruction_options": ["light khaki brown"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF61LDH", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B07BJKYB79", "instruction": "i am looking for machine washable athletic fit jeans that are olive in color.", "attributes": ["machine wash", "button closure"], "options": ["color: olive", "size: 42w x 29l"], "instruction_attributes": ["machine wash"], "instruction_options": ["olive"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2G9FKA", "worker_id": "A1EREKSZAA9V7B"}], "B09DYV3YD4": [{"asin": "B09DYV3YD4", "instruction": "i want 1080p hd hidden camera 32 gb memory recorder", "attributes": ["1080p hd", "high speed"], "options": ["size: 32gb"], "instruction_attributes": ["1080p hd"], "instruction_options": ["32gb"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F23BHOF", "worker_id": "A3N9ZYQAESNFQH"}], "B07WH58X7T": [{"asin": "B07WH58X7T", "instruction": "i'm looking a 6.5\" navy blue case for iphone 11 pro max with carbon fiber", "attributes": ["heavy duty", "carbon fiber"], "options": ["color: iphone 11 pro max 6.5\",navy blue"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["iphone 11 pro max 6.5\",navy blue"], "assignment_id": "3Z4AIRP3CHN69T8YYVQH3KF1XISX19", "worker_id": "A2Y2TURT2VEYZN"}], "B09MCWCKYB": [{"asin": "B09MCWCKYB", "instruction": "i would like a high quality cosmetic bag decorated with cow and flowers.", "attributes": ["easy carry", "high quality"], "options": ["color: cow with flowers-blue", "size: bag"], "instruction_attributes": ["easy carry"], "instruction_options": ["cow with flowers-blue", "bag"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1O2F6O", "worker_id": "A1WS884SI0SLO4"}], "B0852XLRMD": [{"asin": "B0852XLRMD", "instruction": "i would like a triple chocolate gluten free keto friendly cake mix.", "attributes": ["low carb", "sugar free", "grain free", "gluten free", "keto friendly", "ready eat", "zero sugar", "quality ingredients"], "options": ["flavor name: triple chocolate"], "instruction_attributes": ["gluten free", "keto friendly"], "instruction_options": ["triple chocolate"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQEXS6L", "worker_id": "A1WS884SI0SLO4"}], "B004R8WJHS": [{"asin": "B004R8WJHS", "instruction": "i would like a long lasting perfume.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22POEEQH", "worker_id": "A1WS884SI0SLO4"}], "B06Y96N1KG": [{"asin": "B06Y96N1KG", "instruction": "i am looking for non gmo sea salt smoked", "attributes": ["non gmo", "gluten free", "soy free", "sugar free", "dairy free"], "options": ["flavor: smoked classics", "size: 4 ounce (pack of 2)"], "instruction_attributes": ["non gmo"], "instruction_options": ["smoked classics"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LX3DC9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B06Y96N1KG", "instruction": "i want to find a 3-count pack of 4-ounce containers of natural sea salt. the salt needs to be non-gmo.", "attributes": ["non gmo", "gluten free", "soy free", "sugar free", "dairy free"], "options": ["flavor: natural salts", "size: 4 ounce (3 count)"], "instruction_attributes": ["non gmo"], "instruction_options": ["natural salts", "4 ounce (3 count)"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XONOL96", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B06Y96N1KG", "instruction": "i want to find a six-pack of 4-ounce bottles of vegetarian, gluten-free smoked sea salt.", "attributes": ["non gmo", "gluten free", "soy free", "sugar free", "dairy free"], "options": ["flavor: vegetarian smoked", "size: 4 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["vegetarian smoked", "4 ounce (pack of 6)"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIQO84E", "worker_id": "A345TDMHP3DQ3G"}], "B08X4J2X2V": [{"asin": "B08X4J2X2V", "instruction": "i'm looking for tousled hair extensions that come two to a pack. they should be light brown and ash blonde.", "attributes": ["high quality", "hair extensions"], "options": ["color: t-light brown & ash blonde", "size: 2 piece tousled (45g)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["t-light brown & ash blonde", "2 piece tousled (45g)"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH25Z4Q", "worker_id": "AR9AU5FY1S3RO"}], "B09JP3ZLQQ": [{"asin": "B09JP3ZLQQ", "instruction": "looking for eco friendly toothbrushes for sensitive teeth also choose paper package super soft", "attributes": ["eco friendly", "sensitive teeth"], "options": ["color: paper package-super soft"], "instruction_attributes": ["eco friendly", "sensitive teeth"], "instruction_options": ["paper package-super soft"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZGKPCD", "worker_id": "A10OGH5CQBXL5N"}], "B09GBBGX3J": [{"asin": "B09GBBGX3J", "instruction": "i would like a pair of women's 8.5 toffee shoe with arch support.", "attributes": ["arch support", "rubber sole"], "options": ["color: toffee", "size: 8.5"], "instruction_attributes": ["arch support"], "instruction_options": ["toffee", "8.5"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU7SLRN", "worker_id": "A1WS884SI0SLO4"}], "B000EY5COG": [{"asin": "B000EY5COG", "instruction": "i am looking for powdered milk that is gluten free and nonfat", "attributes": ["low sodium", "gluten free"], "options": ["flavor name: nonfat powdered", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["nonfat powdered"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO6CC2X", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GY9D56X": [{"asin": "B08GY9D56X", "instruction": "i am looking for rectangular shape shaggy with tassels rug for a living room", "attributes": ["white item", "living room"], "options": ["color: off white", "item shape: rectangular", "size: 10' x 14'"], "instruction_attributes": ["living room"], "instruction_options": ["rectangular"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X0279340", "worker_id": "A16M39T60N60NO"}, {"asin": "B08GY9D56X", "instruction": "i need a blue area rug for the living room", "attributes": ["white item", "living room"], "options": ["color: blue", "item shape: oval", "size: 4 ft"], "instruction_attributes": ["living room"], "instruction_options": ["blue"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIEWRBQ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08GY9D56X", "instruction": "i want an off-white rectangular area rug for my living room.", "attributes": ["white item", "living room"], "options": ["color: off-white", "item shape: rectangular", "size: 6 ft"], "instruction_attributes": ["living room"], "instruction_options": ["off-white", "rectangular"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCOAI77", "worker_id": "A1NF6PELRKACS9"}], "B08VBN9C3H": [{"asin": "B08VBN9C3H", "instruction": "i need 16 cups of gluten free organic hummus in black olive color.", "attributes": ["shelf stable", "gluten free"], "options": ["style: 16 cups large ripe pitted black olives"], "instruction_attributes": ["gluten free"], "instruction_options": ["16 cups large ripe pitted black olives"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602VF95T", "worker_id": "A1V2C99HEV3F14"}], "B09RHCSPXH": [{"asin": "B09RHCSPXH", "instruction": "i am in need of a royal blue men's classic fit tank that is in a large.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: men", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["royal blue", "men", "large"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZN0R7X", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H3BQRZY": [{"asin": "B09H3BQRZY", "instruction": "i need a 50\" by 40\" living room throw", "attributes": ["super soft", "living room"], "options": ["color: sometimes ya just need a nug funny chicken nuggets", "size: 50\"x40\"\uff08throw\uff09kids"], "instruction_attributes": ["living room"], "instruction_options": ["50\"x40\"\uff08throw\uff09kids"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZEUWUR", "worker_id": "A2ECRNQ3X5LEXD"}], "B082WJ54KG": [{"asin": "B082WJ54KG", "instruction": "i'm looking for a haori jacket that's machine wash and comes in black. i need a size extra small.", "attributes": ["easy care", "wash cold", "machine wash"], "options": ["color: s-black", "size: x-small"], "instruction_attributes": ["machine wash"], "instruction_options": ["s-black", "x-small"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJPYOMJ", "worker_id": "AR9AU5FY1S3RO"}], "B07K46V79T": [{"asin": "B07K46V79T", "instruction": "i'm looking for gluten free and soy free it was contain high protein.", "attributes": ["soy free", "plant based", "dairy free", "non gmo", "gluten free"], "options": ["flavor name: hot chili pepper", "size: 5.3 ounce (pack of 4)"], "instruction_attributes": ["soy free", "dairy free", "gluten free"], "instruction_options": ["hot chili pepper"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQDVVKI", "worker_id": "A16IQOX0DK14OJ"}], "B09BJNFTC1": [{"asin": "B09BJNFTC1", "instruction": "i'm looking for a pair of women's pumps that have an ankle strap and a leather sole. look for them in black, size twelve and a half.", "attributes": ["ankle strap", "rubber sole"], "options": ["color: black", "size: 12.5"], "instruction_attributes": ["ankle strap", "rubber sole"], "instruction_options": ["black", "12.5"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGFXS9O", "worker_id": "AR9AU5FY1S3RO"}], "B083S5CNQ7": [{"asin": "B083S5CNQ7", "instruction": "i need a red phone case that comes with a tempered glass screen protector.", "attributes": ["hands free", "glass screen", "tempered glass"], "options": ["color: red"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["red"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4FWBSD", "worker_id": "AR9AU5FY1S3RO"}], "B0143WCTO0": [{"asin": "B0143WCTO0", "instruction": "i would like a pack of raisin challah bread that is gluten and soy free.", "attributes": ["gluten free", "nut free", "soy free", "dairy free", "non gmo"], "options": ["flavor name: raisin challah", "size: 1 pack"], "instruction_attributes": ["gluten free", "soy free"], "instruction_options": ["raisin challah", "1 pack"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LA0REF", "worker_id": "A1WS884SI0SLO4"}], "B07QD7ZRDV": [{"asin": "B07QD7ZRDV", "instruction": "i need a nine by twelve foot ivory colored rug for my dining room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: ivory | multi", "item shape: square", "size: 9 ft x 12 ft"], "instruction_attributes": ["dining room"], "instruction_options": ["ivory | multi", "9 ft x 12 ft"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8KPC4A", "worker_id": "AR9AU5FY1S3RO"}], "B07MYBVRY2": [{"asin": "B07MYBVRY2", "instruction": "i need a pack of lip balm that is made of coconut oil", "attributes": ["seed oil", "coconut oil"], "options": ["size: 1-pack lip balm"], "instruction_attributes": ["coconut oil"], "instruction_options": ["1-pack lip balm"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OUYPO5", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LYC1254": [{"asin": "B08LYC1254", "instruction": "i want a soft silicone mask for sensitive skin.", "attributes": ["easy apply", "easy clean", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTPRLPI", "worker_id": "A2RBF3IIJP15IH"}], "B088H5CYXF": [{"asin": "B088H5CYXF", "instruction": "i need an executive chair that is black and made of pu leather", "attributes": ["high density", "heavy duty", "easy install", "lumbar support", "pu leather"], "options": ["color: black"], "instruction_attributes": ["pu leather"], "instruction_options": ["black"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQHWJCP", "worker_id": "A2ECRNQ3X5LEXD"}], "B078GR42XX": [{"asin": "B078GR42XX", "instruction": "i am looking for sc665 handset for mobile phone with noise cancelling feature.", "attributes": ["noise cancelling", "hands free", "carrying case", "stainless steel"], "options": ["style: sc665"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["sc665"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZGZPCS", "worker_id": "A3FG5PQHG5AH3Y"}], "B00SKVJK1G": [{"asin": "B00SKVJK1G", "instruction": "i would like a high speed pack of 5 hdmi cables", "attributes": ["high speed", "gold plated"], "options": ["color: 5 pack", "size: 12 feet (10 pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["5 pack"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBHKGHR", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00SKVJK1G", "instruction": "i am looking for a 10 pack of 10 feet long high speed gold plated hdmi cables.", "attributes": ["high speed", "gold plated"], "options": ["color: 10 pack", "size: 10 feet (10-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "10 feet (10-pack)"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDWD8YZ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00SKVJK1G", "instruction": "i want a c&e high speed hdmi male to male cable.", "attributes": ["high speed", "gold plated"], "options": ["color: 5 pack", "size: 30 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["hdmi male to male"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6IU2BS", "worker_id": "A2RBF3IIJP15IH"}], "B0013OSK8Q": [{"asin": "B0013OSK8Q", "instruction": "i would like 38 servings of unflavored whey protein that is low in fat.", "attributes": ["low fat", "high protein", "artificial flavors"], "options": ["flavor name: unflavored", "size: 38 servings (pack of 1)"], "instruction_attributes": ["low fat"], "instruction_options": ["unflavored", "38 servings (pack of 1)"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ2LNRK", "worker_id": "A1WS884SI0SLO4"}], "B087K1S6M3": [{"asin": "B087K1S6M3", "instruction": "i'm looking for a size 32x32 living room abstract canvas.", "attributes": ["ready hang", "wood frame", "solid wood", "living room"], "options": ["color: art 14594", "size: 32x32"], "instruction_attributes": ["living room"], "instruction_options": ["32x32"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALC94HQ", "worker_id": "ARQ05PDNXPFDI"}], "B07BH76HZ4": [{"asin": "B07BH76HZ4", "instruction": "i'm looking for a small gift basket of milk chocolate mint truffles for valentine's day; about 4oz.", "attributes": ["quality ingredients", "valentine day", "gift basket"], "options": ["flavor name: chocolate", "size: .25 lb (4 oz)"], "instruction_attributes": ["valentine day", "gift basket"], "instruction_options": ["chocolate", ".25 lb (4 oz)"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFVBOJN", "worker_id": "A3LIIE572Z4OG7"}], "B09QKWFB31": [{"asin": "B09QKWFB31", "instruction": "buy me anti aging long lasting easy to use ice roller for face in aqua blue color.", "attributes": ["anti aging", "long lasting", "easy use", "green tea", "fine lines", "sensitive skin"], "options": ["color: aqua blue"], "instruction_attributes": ["anti aging", "long lasting", "easy use"], "instruction_options": ["aqua blue"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2G9IOS", "worker_id": "A3AYHESLQSDY5T"}], "B01J8A8CBG": [{"asin": "B01J8A8CBG", "instruction": "i would like some wild caught crab.", "attributes": ["wild caught", "easy prepare"], "options": [""], "instruction_attributes": ["wild caught"], "instruction_options": [], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOKQMLX", "worker_id": "A1WS884SI0SLO4"}], "B01M0LOBNV": [{"asin": "B01M0LOBNV", "instruction": "i would like a box of rubine hair dye.", "attributes": ["hair dye", "permanent hair"], "options": ["color: rubine"], "instruction_attributes": ["hair dye"], "instruction_options": ["rubine"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FIULE2", "worker_id": "A1WS884SI0SLO4"}], "B083NN8VRR": [{"asin": "B083NN8VRR", "instruction": "i need blue color 11.5 size long sleeve", "attributes": ["winter warm", "anti slip", "open toe", "short sleeve", "long sleeve", "button closure"], "options": ["color: blue", "size: 11.5"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue", "11.5"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYQH7NV", "worker_id": "A226L9F2AZ38CL"}], "B092CD4Q8K": [{"asin": "B092CD4Q8K", "instruction": "i'm looking for headphones are color it was wireless charging it was outside of noise cancellation.", "attributes": ["noise cancelling", "hands free", "wireless charging"], "options": ["color: pink"], "instruction_attributes": ["noise cancelling", "wireless charging"], "instruction_options": ["pink"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YQQ969", "worker_id": "A16IQOX0DK14OJ"}], "B09MCXBFW1": [{"asin": "B09MCXBFW1", "instruction": "i am looking for a multi-colored blackout window film for my living room.", "attributes": ["eco friendly", "living room"], "options": ["color: multi-13124", "size: 23.6\" x 78.7\" x 2 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["multi-13124"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ATOBWQ", "worker_id": "A1EREKSZAA9V7B"}], "B071S1RR6H": [{"asin": "B071S1RR6H", "instruction": "i am looking for nail polish that is long lasting.", "attributes": ["long lasting", "nail polish"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOKHLMN", "worker_id": "A1Q8PPQQCWGY0D"}], "B07QS369Z7": [{"asin": "B07QS369Z7", "instruction": "i'm looking for a pair of sweatpants with a drawstring waist in space grey. i need them in size large.", "attributes": ["drawstring waist", "gym workout"], "options": ["color: space dye grey", "size: large"], "instruction_attributes": ["drawstring waist"], "instruction_options": ["space dye grey", "large"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2GCOI1", "worker_id": "AR9AU5FY1S3RO"}], "B07YNW1JZJ": [{"asin": "B07YNW1JZJ", "instruction": "looking for gift set of handmade italian biscottis with natural ingredients", "attributes": ["natural flavors", "natural ingredients", "gift set", "perfect gift"], "options": [""], "instruction_attributes": ["natural ingredients", "gift set"], "instruction_options": [], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTGHN9Z", "worker_id": "A10OGH5CQBXL5N"}], "B09F5YS8D2": [{"asin": "B09F5YS8D2", "instruction": "i would like 10 brown coat hooks for my living room.", "attributes": ["wall mounted", "storage space", "living room"], "options": ["color: brown", "size: 10 hook"], "instruction_attributes": ["living room"], "instruction_options": ["brown", "10 hook"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N23UG6G", "worker_id": "A1WS884SI0SLO4"}], "B06WW1MXDZ": [{"asin": "B06WW1MXDZ", "instruction": "i am looking for a high performance dslr camera lenses that are certified refurbished.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance"], "instruction_options": [], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96CJ4GE", "worker_id": "A1Q8PPQQCWGY0D"}], "B07XPJSP2N": [{"asin": "B07XPJSP2N", "instruction": "i need to buy a six pack of sugar free, keto friendly, non-gmo cheese crisps in the original flavor.", "attributes": ["keto friendly", "gluten free", "sugar free", "non gmo", "artificial flavors"], "options": ["flavor name: original", "size: pack of 6"], "instruction_attributes": ["keto friendly", "sugar free", "non gmo"], "instruction_options": ["original", "pack of 6"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163VIQPG", "worker_id": "AR9AU5FY1S3RO"}], "B00QNLS26O": [{"asin": "B00QNLS26O", "instruction": "i would like some old fashioned summer sausage.", "attributes": ["old fashioned", "ready eat"], "options": [""], "instruction_attributes": ["old fashioned"], "instruction_options": [], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8LSR4V", "worker_id": "A1WS884SI0SLO4"}], "B092MZLG4B": [{"asin": "B092MZLG4B", "instruction": "i am looking for an electrolyte drink that is low carb and in the berry flavor.", "attributes": ["low carb", "non gmo", "artificial flavors"], "options": ["flavor name: berry"], "instruction_attributes": ["low carb"], "instruction_options": ["berry"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY869P18B", "worker_id": "A2ECRNQ3X5LEXD"}], "B07FL52HPF": [{"asin": "B07FL52HPF", "instruction": "i would like a 12 ounce bottle of mango conditioner that is paraben free.", "attributes": ["oil free", "paraben free", "argan oil"], "options": ["size: 12 ounce", "style: mango"], "instruction_attributes": ["paraben free"], "instruction_options": ["12 ounce", "mango"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK8KVN7", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07FL52HPF", "instruction": "i need a conditioner that is 12 ounces and is paraben free with a coconut scent.", "attributes": ["oil free", "paraben free", "argan oil"], "options": ["size: 12 ounce", "style: coconut"], "instruction_attributes": ["paraben free"], "instruction_options": ["12 ounce", "coconut"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61SGZWI", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RWDMGSX": [{"asin": "B07RWDMGSX", "instruction": "i am looking for a red blonde natural hair for wigs", "attributes": ["synthetic hair", "natural hair"], "options": ["color: red blonde"], "instruction_attributes": ["natural hair"], "instruction_options": ["red blonde"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZS2HS0", "worker_id": "A9QRQL9CFJBI7"}], "B09BPVM1P5": [{"asin": "B09BPVM1P5", "instruction": "looking for dual band output protection ac adapter", "attributes": ["dual band", "output protection"], "options": [""], "instruction_attributes": ["dual band", "output protection"], "instruction_options": [], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUW4QJ8", "worker_id": "A10OGH5CQBXL5N"}], "B08TKJVY47": [{"asin": "B08TKJVY47", "instruction": "i would like a valentines day snack gift basket.", "attributes": ["valentine day", "gift basket"], "options": [""], "instruction_attributes": ["valentine day", "gift basket"], "instruction_options": [], "assignment_id": "3HPZF4IVNX3FW186JO133U513LPCYW", "worker_id": "A1WS884SI0SLO4"}], "B09GVWK6FX": [{"asin": "B09GVWK6FX", "instruction": "i am looking for some storage cabinets for storage space.", "attributes": ["assembly required", "engineered wood", "storage space"], "options": [""], "instruction_attributes": ["storage space"], "instruction_options": [], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q5OGWI", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BLCBNQ1": [{"asin": "B08BLCBNQ1", "instruction": "i am looking for ultra hd surveillance dvr kits", "attributes": ["ultra hd", "high definition", "motion detection"], "options": [""], "instruction_attributes": ["ultra hd"], "instruction_options": [], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANINSX6", "worker_id": "A2ECRNQ3X5LEXD"}], "B082WZ282J": [{"asin": "B082WZ282J", "instruction": "i am looking a chocolate gift box for valentine day.", "attributes": ["valentine day", "perfect gift"], "options": [""], "instruction_attributes": ["valentine day"], "instruction_options": [], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907U3AU4", "worker_id": "A1Q8PPQQCWGY0D"}], "B082YMS9LN": [{"asin": "B082YMS9LN", "instruction": "i'm looking for a high quality cosmetic bag. also the c mermaid scales color is what i prefer.", "attributes": ["easy use", "high quality", "nail polish", "nail art"], "options": ["color: c mermaid scales"], "instruction_attributes": ["high quality"], "instruction_options": ["c mermaid scales"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YS2T8Y", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B082YMS9LN", "instruction": "i would like a corgi dog cosmetic bag for my nail art.", "attributes": ["easy use", "high quality", "nail polish", "nail art"], "options": ["color: corgi dog"], "instruction_attributes": ["nail art"], "instruction_options": ["corgi dog"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMZZ2GU", "worker_id": "A1WS884SI0SLO4"}], "B087JD3R9C": [{"asin": "B087JD3R9C", "instruction": "i would like a pair of size 10 grey pumps with a high heel.", "attributes": ["high heel", "rubber outsole"], "options": ["color: grey", "size: 10"], "instruction_attributes": ["high heel"], "instruction_options": ["grey", "10"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFJD9VW", "worker_id": "A1WS884SI0SLO4"}], "B085Y1D9PX": [{"asin": "B085Y1D9PX", "instruction": "find me a anti slip size 6 black color womens platform sandals", "attributes": ["open toe", "knee high", "anti slip", "ankle strap", "high heel", "closed toe", "memory foam"], "options": ["color: z6-black", "size: 6"], "instruction_attributes": ["anti slip"], "instruction_options": [], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SELRWB", "worker_id": "A2Y2TURT2VEYZN"}], "B09JCMW4F6": [{"asin": "B09JCMW4F6", "instruction": "i am looking for a red faux fur jacket that is in a small.", "attributes": ["quality polyester", "long sleeve", "faux fur"], "options": ["color: red", "size: small"], "instruction_attributes": ["faux fur"], "instruction_options": ["red", "small"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X8HY3P", "worker_id": "A2ECRNQ3X5LEXD"}], "B08XPYZ2TH": [{"asin": "B08XPYZ2TH", "instruction": "im looking for a black alarm clock radio that displays the temperature and uses a usb port.", "attributes": ["batteries included", "aaa batteries", "usb port"], "options": ["color: black"], "instruction_attributes": ["usb port"], "instruction_options": ["black"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI9RABI", "worker_id": "AK3JMCIGU8MLU"}], "B09RSSX4C7": [{"asin": "B09RSSX4C7", "instruction": "i would like a peach flavored high fructose margarita mix.", "attributes": ["non alcoholic", "high fructose"], "options": ["flavor: peach"], "instruction_attributes": ["high fructose"], "instruction_options": ["peach"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH1557HWO", "worker_id": "A1WS884SI0SLO4"}], "B09PBPR95R": [{"asin": "B09PBPR95R", "instruction": "i need a green sweatshirt that is loose fit and is a medium", "attributes": ["loose fit", "fleece lined", "hand wash", "daily casual", "light weight", "wide leg", "wash cold", "machine wash", "long sleeve", "drawstring waist", "high waist"], "options": ["color: #03-green", "size: medium"], "instruction_attributes": ["loose fit"], "instruction_options": ["#03-green", "medium"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9VTETB", "worker_id": "A2ECRNQ3X5LEXD"}], "B088SJ4C4X": [{"asin": "B088SJ4C4X", "instruction": "i am looking for root beer flavor syrup that is easy to use.", "attributes": ["shelf stable", "easy use"], "options": ["flavor: root beer"], "instruction_attributes": ["easy use"], "instruction_options": ["root beer"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVROJKN", "worker_id": "A1Q8PPQQCWGY0D"}], "B075QGP9Z1": [{"asin": "B075QGP9Z1", "instruction": "i would like a twin size indigo pink duvet cover set that is machine washable.", "attributes": ["queen size", "super soft", "machine washable", "white item"], "options": ["color: indigo pink", "size: twin size"], "instruction_attributes": ["machine washable"], "instruction_options": ["indigo pink", "twin size"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFCUD9M", "worker_id": "A1WS884SI0SLO4"}], "B08SK39NHH": [{"asin": "B08SK39NHH", "instruction": "i am looking for shell mosaic color pendant light chandeliers", "attributes": ["pendant light", "glass shade", "light fixture", "dining room"], "options": ["color: shell mosaic"], "instruction_attributes": ["pendant light"], "instruction_options": ["shell mosaic"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOMYF07", "worker_id": "A9QRQL9CFJBI7"}], "B07GCV2K39": [{"asin": "B07GCV2K39", "instruction": "i am looking for wild caught smoked fish.", "attributes": ["wild caught", "natural flavors"], "options": [""], "instruction_attributes": ["wild caught"], "instruction_options": [], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTPDO63", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R1MJL3H": [{"asin": "B08R1MJL3H", "instruction": "i am looking for a soy wax candle that is white sage and 14 oz.", "attributes": ["long lasting", "soy wax"], "options": ["color: white sage", "size: 14.1 oz-1 pack"], "instruction_attributes": ["soy wax"], "instruction_options": ["white sage", "14.1 oz-1 pack"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDZCIA0", "worker_id": "A2ECRNQ3X5LEXD"}], "B082166NKL": [{"asin": "B082166NKL", "instruction": "i want a 3 pack of trader joe's cookie thins.", "attributes": ["trader joe", "artificial colors"], "options": ["size: 3 pack"], "instruction_attributes": ["trader joe"], "instruction_options": ["3 pack"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2ZE94I", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B082166NKL", "instruction": "i am looking for a 4 pack of trader joe's ginger cookies.", "attributes": ["trader joe", "artificial colors"], "options": ["size: 4 pack"], "instruction_attributes": ["trader joe"], "instruction_options": ["4 pack"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THV4Z5T", "worker_id": "A1EREKSZAA9V7B"}], "B07RVDW2Z2": [{"asin": "B07RVDW2Z2", "instruction": "i am looking for candles for a birthday cake in the style t.", "attributes": ["birthday cake", "birthday party"], "options": ["style: t"], "instruction_attributes": ["birthday cake"], "instruction_options": ["t"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I3V1SA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07RVDW2Z2", "instruction": "i need birthday candles for my birthday cake.", "attributes": ["birthday cake", "birthday party"], "options": ["style: q"], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIVB84B", "worker_id": "AVIEE6LDH0BT5"}], "B07JC99BGV": [{"asin": "B07JC99BGV", "instruction": "i am looking for non slip chair pads that are chocolate and come in an 8 pack.", "attributes": ["button tufted", "non slip"], "options": ["color: chocolate", "size: 8 pack"], "instruction_attributes": ["non slip"], "instruction_options": ["chocolate", "8 pack"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BO5X80", "worker_id": "A2ECRNQ3X5LEXD"}], "B08F8K9ZMK": [{"asin": "B08F8K9ZMK", "instruction": "i need some espresso box spring twin beds", "attributes": ["heavy duty", "box spring", "solid wood", "memory foam"], "options": ["color: espresso", "size: twin"], "instruction_attributes": ["box spring"], "instruction_options": ["espresso", "twin"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMRBMW7", "worker_id": "A2ECRNQ3X5LEXD"}], "B07YM1WS37": [{"asin": "B07YM1WS37", "instruction": "i am looking for a conditioner bar for my dry hair that is having kookabara scent.", "attributes": ["sulfate free", "eco friendly", "oil free", "cruelty free", "coconut oil", "dry hair", "damaged hair"], "options": ["scent: kookabara", "size: 2.12 ounce (pack of 2)"], "instruction_attributes": ["dry hair"], "instruction_options": ["kookabara"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADK9WVK", "worker_id": "A1Q8PPQQCWGY0D"}], "B09T2LGNV3": [{"asin": "B09T2LGNV3", "instruction": "i'm looking for a grey 3 seater living room sofa.", "attributes": ["high density", "living room"], "options": ["color: grey", "size: 2-seater sofa"], "instruction_attributes": ["living room"], "instruction_options": ["grey"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG5UGBS", "worker_id": "A62B826XMLK7K"}], "B07W8YKZRL": [{"asin": "B07W8YKZRL", "instruction": "i would like a mens 3xl baby blue t shirt made of heather cotton.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: baby blue", "fit type: men", "size: 3x-large"], "instruction_attributes": ["heathers cotton"], "instruction_options": ["baby blue", "men", "3x-large"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4VKK7B", "worker_id": "A1WS884SI0SLO4"}], "B09L47HSZD": [{"asin": "B09L47HSZD", "instruction": "i am looking for red color hard pc anti-slip phone tempered glass for iphone 11", "attributes": ["non slip", "tempered glass", "carbon fiber", "glass screen"], "options": ["color: red"], "instruction_attributes": ["tempered glass"], "instruction_options": ["red"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOK2TCL", "worker_id": "A258PTOZ3D2TQR"}], "B07P53YMMD": [{"asin": "B07P53YMMD", "instruction": "i want to buy a 12 count package of individually wrapped sour candies for a birthday party.", "attributes": ["individually wrapped", "quality ingredients", "party supplies", "birthday party"], "options": ["size: 12 count (pack of 1)"], "instruction_attributes": ["individually wrapped", "birthday party"], "instruction_options": ["12 count (pack of 1)"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BB7UQB", "worker_id": "AR9AU5FY1S3RO"}], "B087C8CCRT": [{"asin": "B087C8CCRT", "instruction": "i am interested in buying a hairdressing apron which is long lasting and easy to clean in the color ba or pe.", "attributes": ["easy clean", "long lasting", "high quality", "beauty salon", "hair cutting"], "options": ["color: ba | pe"], "instruction_attributes": ["easy clean", "long lasting"], "instruction_options": ["ba | pe"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1C2U9Q", "worker_id": "AHXHM1PQTRWIQ"}], "B0756CYWWD": [{"asin": "B0756CYWWD", "instruction": "i would like a pair of silver noise cancelling headphones with wireless bluetooth.", "attributes": ["noise cancelling", "wireless bluetooth"], "options": ["color: silver"], "instruction_attributes": ["noise cancelling", "wireless bluetooth"], "instruction_options": ["silver"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKSISG5", "worker_id": "A1WS884SI0SLO4"}], "B094L52FKW": [{"asin": "B094L52FKW", "instruction": "i am looking for cranberry almond color cookie that is fat free.", "attributes": ["low calorie", "fat free", "natural ingredients"], "options": ["color: cranberry almond"], "instruction_attributes": ["fat free"], "instruction_options": ["cranberry almond"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8JBZNW", "worker_id": "A1Q8PPQQCWGY0D"}], "B08LNZY1SD": [{"asin": "B08LNZY1SD", "instruction": "i need a machine washable light gray t-shirt", "attributes": ["quick drying", "machine wash"], "options": ["color: jet gray light heather (010) | black", "size: 3x-large big"], "instruction_attributes": ["machine wash"], "instruction_options": ["jet gray light heather (010) | black"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5J01ZM", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HH2ZDPX": [{"asin": "B09HH2ZDPX", "instruction": "order for me clear 2l -brass & glass globe shade for light fixture in my living room.", "attributes": ["clear glass", "brushed nickel", "light fixture", "living room"], "options": ["color: 2l-brass & clear globe", "size: 3-light"], "instruction_attributes": ["clear glass", "light fixture", "living room"], "instruction_options": ["2l-brass & clear globe"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UW7Y04", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B09HH2ZDPX", "instruction": "i'm looking for wall sconces for living room, with clear glass and brushed nickel in 2l-bronze color and clear cone.", "attributes": ["clear glass", "brushed nickel", "light fixture", "living room"], "options": ["color: 2l-brass & clear cone", "size: 1-light"], "instruction_attributes": ["clear glass", "brushed nickel", "living room"], "instruction_options": ["2l-brass & clear cone"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPSBWFQ", "worker_id": "ARJDD0Z3R65BD"}], "B094GG73C7": [{"asin": "B094GG73C7", "instruction": "i'm losing my hair, so i need to buy a bright red wig.", "attributes": ["sulfate free", "hair loss"], "options": ["color: bright red rooted medium brown"], "instruction_attributes": ["hair loss"], "instruction_options": ["bright red rooted medium brown"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6US7G1B", "worker_id": "AR9AU5FY1S3RO"}], "B01J5UC1Q6": [{"asin": "B01J5UC1Q6", "instruction": "i would like a 0.25 fluid ounces of oil free 090 foundation.", "attributes": ["oil free", "fine lines"], "options": ["color: 090", "size: 0.25 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["090", "0.25 fl oz (pack of 1)"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY869U81N", "worker_id": "A1WS884SI0SLO4"}], "B08D6GLL32": [{"asin": "B08D6GLL32", "instruction": "looking for contemporary wingback fabric barstools faux leather", "attributes": ["button tufted", "contemporary design", "contemporary style"], "options": ["color: beige and espresso", "size: faux leather"], "instruction_attributes": ["contemporary style"], "instruction_options": ["faux leather"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG4FGBB", "worker_id": "A10OGH5CQBXL5N"}], "B0196BENJW": [{"asin": "B0196BENJW", "instruction": "can i have pierre's apothecary macadamia hydrating restoring conditioner with omega 7 and coconut oil", "attributes": ["coconut oil", "hair styling", "dry hair"], "options": [""], "instruction_attributes": ["coconut oil"], "instruction_options": [], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXA3FC6", "worker_id": "A1IL2K0ELYI090"}], "B07HKK3PQN": [{"asin": "B07HKK3PQN", "instruction": "i need to buy some running shoes. they should fit comfortably and have a synthetic sole. look for them in white, size 13.", "attributes": ["comfortable fit", "synthetic sole"], "options": ["color: white (100) | white", "size: 13"], "instruction_attributes": ["comfortable fit", "synthetic sole"], "instruction_options": ["white (100) | white", "13"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOZN932", "worker_id": "AR9AU5FY1S3RO"}], "B01M8L3I4E": [{"asin": "B01M8L3I4E", "instruction": "i'm looking for a royal 14 plus denim shorts butt lifting", "attributes": ["butt lifting", "machine wash", "stretch fabric"], "options": ["color: royal", "size: 14 plus"], "instruction_attributes": ["butt lifting"], "instruction_options": ["royal", "14 plus"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1DGGY9", "worker_id": "A2Y2TURT2VEYZN"}], "B01JOKWJF0": [{"asin": "B01JOKWJF0", "instruction": "looking for pack of 1 nail polish", "attributes": ["long lasting", "nail polish"], "options": ["color: 474 can't beet royalty", "size: pack of 1"], "instruction_attributes": ["nail polish"], "instruction_options": ["pack of 1"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYKB6L7", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B01JOKWJF0", "instruction": "i search 550 hunger flames nail polish", "attributes": ["long lasting", "nail polish"], "options": ["color: 529 | 550 hunger flames", "size: pack of 2"], "instruction_attributes": ["nail polish"], "instruction_options": ["529 | 550 hunger flames"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCRR65T", "worker_id": "A226L9F2AZ38CL"}], "B07WTY16LH": [{"asin": "B07WTY16LH", "instruction": "i want a variety pack of grass fed collagen creamers.", "attributes": ["grass fed", "non dairy", "keto friendly", "zero sugar"], "options": ["flavor name: variety"], "instruction_attributes": ["grass fed"], "instruction_options": ["variety"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3P6LZD", "worker_id": "A2RBF3IIJP15IH"}], "B00FL9DFB6": [{"asin": "B00FL9DFB6", "instruction": "i want a queen sized and faux leather platform bed.", "attributes": ["button tufted", "contemporary style", "faux leather", "solid wood"], "options": ["size: queen"], "instruction_attributes": ["faux leather"], "instruction_options": ["queen"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WZX7FQ", "worker_id": "A2RBF3IIJP15IH"}], "B07T55DL33": [{"asin": "B07T55DL33", "instruction": "i would like a high performance memory card reader.", "attributes": ["light weight", "high performance", "plug play"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K9B12M", "worker_id": "A1WS884SI0SLO4"}], "B07CTSFKJL": [{"asin": "B07CTSFKJL", "instruction": "i'm looking for a delicious danish kringle pair a pecan and cream cheesecake.", "attributes": ["baked fresh", "old fashioned", "gift basket"], "options": [""], "instruction_attributes": ["baked fresh", "gift basket"], "instruction_options": [], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP13XT2", "worker_id": "A21IUUHBSEVB56"}], "B09D8MYY7P": [{"asin": "B09D8MYY7P", "instruction": "i'm looking for packaged fruits that flavor name was peaches-vanilla.", "attributes": ["ready eat", "simple ingredients"], "options": ["flavor name: peaches - vanilla", "size: 20 ounce (pack of 1)"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["peaches - vanilla"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68H4A46", "worker_id": "A16IQOX0DK14OJ"}], "B09M956CQG": [{"asin": "B09M956CQG", "instruction": "i want to easy to use and bush blonde l'oreal paris hair gloss.", "attributes": ["paraben free", "easy use", "coconut oil"], "options": ["color: blush blonde"], "instruction_attributes": ["easy use"], "instruction_options": ["blush blonde"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KZP7EH", "worker_id": "A2RBF3IIJP15IH"}], "B00TYPVRTA": [{"asin": "B00TYPVRTA", "instruction": "i would like 250 bags of strawberry sugar free tea.", "attributes": ["caffeine free", "sugar free", "gluten free"], "options": ["flavor name: strawberry", "size: 250 count"], "instruction_attributes": ["sugar free"], "instruction_options": ["strawberry", "250 count"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7ZDRUH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00TYPVRTA", "instruction": "am searching for the republic of tea peppermint cuppa chocolate tea, 36 tea bags and sugar free", "attributes": ["caffeine free", "sugar free", "gluten free"], "options": ["flavor name: carrot cake", "size: 36 count (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["36 count (pack of 1)"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0254IAKM", "worker_id": "A1IL2K0ELYI090"}], "B099DPQBH9": [{"asin": "B099DPQBH9", "instruction": "i'm looking for double sided nail hand for nail art its easy to use.", "attributes": ["double sided", "easy carry", "easy use", "nail art"], "options": [""], "instruction_attributes": ["double sided", "nail art"], "instruction_options": [], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R2X7WY", "worker_id": "A16IQOX0DK14OJ"}], "B07JMPC8J1": [{"asin": "B07JMPC8J1", "instruction": "i am looking for throw pillow covers of size 18 x 18 inches for my living room.", "attributes": ["double sided", "super soft", "living room"], "options": ["size: 18 x 18 inches"], "instruction_attributes": ["living room"], "instruction_options": ["18 x 18 inches"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB497AQ9", "worker_id": "A1Q8PPQQCWGY0D"}], "B09CTRMZVR": [{"asin": "B09CTRMZVR", "instruction": "i am looking for casual rubber sole hot pink 7 color running shoes for women, 5 sized.", "attributes": ["anti slip", "rubber sole", "rubber outsole"], "options": ["color: h-pink 7", "size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["h-pink 7", "5"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR5SA0U", "worker_id": "A258PTOZ3D2TQR"}], "B09BZN6CBP": [{"asin": "B09BZN6CBP", "instruction": "help me purchase a high definition digital tv antenna with coaxial cable and easy to install.", "attributes": ["easy use", "high definition", "easy install", "coaxial cable"], "options": [""], "instruction_attributes": ["easy install", "coaxial cable"], "instruction_options": [], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISZQYOX", "worker_id": "A1HMZJ59OPLD1P"}], "B09HJJZ4HV": [{"asin": "B09HJJZ4HV", "instruction": "i would like a 50 x 80 inch fleece throw with a valentines day inn design.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: valentine's dayinn4893", "size: 50x80inch"], "instruction_attributes": ["fleece throw"], "instruction_options": ["valentine's dayinn4893", "50x80inch"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREQ3J20", "worker_id": "A1WS884SI0SLO4"}], "B00EMKRPAC": [{"asin": "B00EMKRPAC", "instruction": "i would like a long lasting face toner for dry skin.", "attributes": ["long lasting", "hyaluronic acid", "dry skin", "fine lines"], "options": [""], "instruction_attributes": ["long lasting", "dry skin"], "instruction_options": [], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O392A3", "worker_id": "A1WS884SI0SLO4"}], "B09N7BNH7R": [{"asin": "B09N7BNH7R", "instruction": "i'm looking for 4 color eyeshadow palette colorful matte and shimmer.", "attributes": ["long lasting", "highly pigmented", "eye shadow", "fine lines"], "options": ["color: #01"], "instruction_attributes": ["eye shadow"], "instruction_options": ["#01"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVJM1PS", "worker_id": "A21IUUHBSEVB56"}], "B08NJF2PFP": [{"asin": "B08NJF2PFP", "instruction": "i want a light gray and machine washable 100% blackout window curtain panel.", "attributes": ["super soft", "machine washable", "stainless steel"], "options": ["color: light gray", "size: w52 x l63"], "instruction_attributes": ["machine washable"], "instruction_options": ["light gray"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUUC7MCE", "worker_id": "A2RBF3IIJP15IH"}], "B09DTPGMLC": [{"asin": "B09DTPGMLC", "instruction": "i need a package of one hundred gray zip ties. they should be eco friendly.", "attributes": ["eco friendly", "high density"], "options": ["color: smokey gray 12\"x12\"", "size: 8'' inch ziptie 100 pieces"], "instruction_attributes": ["eco friendly"], "instruction_options": ["smokey gray 12\"x12\"", "8'' inch ziptie 100 pieces"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XB2RFK", "worker_id": "AR9AU5FY1S3RO"}], "B09CLS963D": [{"asin": "B09CLS963D", "instruction": "i want pineapple flavor gluten free nut free 8 ounce cooking and baking powder", "attributes": ["gluten free", "nut free"], "options": ["flavor: pineapple", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["pineapple", "8 ounce (pack of 1)"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3FON63", "worker_id": "A3N9ZYQAESNFQH"}], "B099R8BCTX": [{"asin": "B099R8BCTX", "instruction": "i'm looking for a body hair remover cream.", "attributes": ["easy apply", "easy use", "hair removal", "sensitive skin"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "33TIN5LC0FKDY31374RC144TX0K9YA", "worker_id": "A1ZGOZQF2VZ0X9"}], "B092XBQVSV": [{"asin": "B092XBQVSV", "instruction": "looking for natural flavors whole grain cheddar", "attributes": ["0g trans", "natural flavors"], "options": [""], "instruction_attributes": ["natural flavors"], "instruction_options": [], "assignment_id": "37UQDCYH685SGQI5NW68G99TKTN7VG", "worker_id": "A10OGH5CQBXL5N"}], "B09G983D7Q": [{"asin": "B09G983D7Q", "instruction": "i would like a silver phone case with a glass tempered screen.", "attributes": ["glass screen", "tempered glass"], "options": ["color: silver"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["silver"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOLE0F6", "worker_id": "A1WS884SI0SLO4"}], "B093STM1BR": [{"asin": "B093STM1BR", "instruction": "i need a non slip carpet with 47 inches x 31 inches dimension.", "attributes": ["non slip", "printing technology"], "options": ["color: game30", "size: 47 in x 31 in"], "instruction_attributes": ["non slip"], "instruction_options": ["47 in x 31 in"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP2UTXR", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B093STM1BR", "instruction": "i am interested in a non slip area rug that is 70 by 55 inch", "attributes": ["non slip", "printing technology"], "options": ["color: game9", "size: 70 in x 55 in"], "instruction_attributes": ["non slip"], "instruction_options": ["70 in x 55 in"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KSO9JL", "worker_id": "A2ECRNQ3X5LEXD"}], "B00CWTZ6GU": [{"asin": "B00CWTZ6GU", "instruction": "i need some sugar free gingerbread flavor syrup.", "attributes": ["sugar free", "keto friendly", "fat free", "gluten free", "zero sugar"], "options": ["flavor name: sugar free gingerbread", "size: 25.4 ounce (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["sugar free gingerbread"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1GWXRF", "worker_id": "A2ECRNQ3X5LEXD"}], "B09F8XTR6C": [{"asin": "B09F8XTR6C", "instruction": "i am interested in a paraben free eyeshadow", "attributes": ["paraben free", "green tea"], "options": [""], "instruction_attributes": ["paraben free"], "instruction_options": [], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUMQZVQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B088KHF9S2": [{"asin": "B088KHF9S2", "instruction": "i need a beauty salon makeup palette", "attributes": ["nail art", "beauty salon"], "options": ["size: size 1"], "instruction_attributes": ["beauty salon"], "instruction_options": ["size 1"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4DY0IP", "worker_id": "A2ECRNQ3X5LEXD"}], "B076HH25ZF": [{"asin": "B076HH25ZF", "instruction": "i would like a queen size blue linen bed with drawers with a contemporary design.", "attributes": ["twin size", "contemporary design", "box spring"], "options": ["color: blue linen", "size: queen", "style: bed with storage drawers"], "instruction_attributes": ["contemporary design"], "instruction_options": ["blue linen", "queen", "bed with storage drawers"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SEPWRK", "worker_id": "A1WS884SI0SLO4"}], "B07VXDK4B4": [{"asin": "B07VXDK4B4", "instruction": "i'm looking for a individually wrapped cake topper for birthday party.", "attributes": ["individually wrapped", "baby shower", "birthday cake", "party supplies", "birthday party"], "options": [""], "instruction_attributes": ["individually wrapped", "birthday party"], "instruction_options": [], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDQ7CHU", "worker_id": "AR0VJ5XRG16UJ"}], "B09L7QJ54B": [{"asin": "B09L7QJ54B", "instruction": "looking for high quality silicone body scrubber for sensitive skin also choose colour grey", "attributes": ["easy clean", "double sided", "high quality", "sensitive skin", "dead skin"], "options": ["color: gray"], "instruction_attributes": ["high quality", "sensitive skin"], "instruction_options": ["gray"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGEUSMD", "worker_id": "A10OGH5CQBXL5N"}], "B08GPCY4BJ": [{"asin": "B08GPCY4BJ", "instruction": "i am looking for a black-1 water resistant snow boots", "attributes": ["water resistant", "anti slip", "non slip", "rubber sole"], "options": ["color: black-1", "size: 8 women | 6.5 men"], "instruction_attributes": ["water resistant"], "instruction_options": ["black-1"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H69U8Q", "worker_id": "A9QRQL9CFJBI7"}], "B081DJRTJ1": [{"asin": "B081DJRTJ1", "instruction": "ethylene vinyl women's running shoes also choose size 8", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: design 2", "size: 8"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["8"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZKOO8A", "worker_id": "A10OGH5CQBXL5N"}], "B09NQHBFPF": [{"asin": "B09NQHBFPF", "instruction": "i would like a yellow hair clip for hair styling.", "attributes": ["hair extensions", "hair styling", "natural hair"], "options": ["color: yellow"], "instruction_attributes": ["hair styling"], "instruction_options": ["yellow"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME96ND2X", "worker_id": "A1WS884SI0SLO4"}], "B07DLRD3TG": [{"asin": "B07DLRD3TG", "instruction": "i would like a king sized bed with a 8 inch mattress and storage space.", "attributes": ["queen size", "storage space"], "options": ["size: king", "style name: 8 inch mattress"], "instruction_attributes": ["storage space"], "instruction_options": ["king", "8 inch mattress"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKVKJMR", "worker_id": "A1WS884SI0SLO4"}], "B08FDR688Y": [{"asin": "B08FDR688Y", "instruction": "i am looking for uin smiley slip with size 7", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: women-knitted", "size: 7"], "instruction_attributes": [], "instruction_options": ["7"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPQKFWE", "worker_id": "A16M39T60N60NO"}], "B086Z2QK25": [{"asin": "B086Z2QK25", "instruction": "i am looking for gingerbread and white chocolate granola in resealable bags. it should not contain any artificial flavors.", "attributes": ["low sodium", "resealable bag", "natural ingredients", "artificial flavors"], "options": ["flavor name: gingerbread white chocolate", "size: 7.5 ounce (pack of 3)"], "instruction_attributes": ["resealable bag", "artificial flavors"], "instruction_options": ["gingerbread white chocolate"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWY0XPPR", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B086Z2QK25", "instruction": "find a granola pack with low sodium.", "attributes": ["low sodium", "resealable bag", "natural ingredients", "artificial flavors"], "options": ["flavor name: cranberry almond", "size: 7.5 ounce (pack of 2)"], "instruction_attributes": ["low sodium"], "instruction_options": [], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP8W7JF", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B086Z2QK25", "instruction": "i would like a four pack of mocha granola that has all natural ingredients.", "attributes": ["low sodium", "resealable bag", "natural ingredients", "artificial flavors"], "options": ["flavor name: mocha", "size: 7.5 ounce (pack of 4)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["mocha", "7.5 ounce (pack of 4)"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5PB6XB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09238H1R4": [{"asin": "B09238H1R4", "instruction": "i am looking for low carb hight proteintrue meat snack sticks of southwest verde venison. size is 12 packs of 1 oz", "attributes": ["sugar free", "grass fed", "gluten free", "high protein", "low carb", "natural ingredients", "0g trans"], "options": ["flavor name: southwest verde venison", "size: 1oz-12 pack"], "instruction_attributes": ["high protein", "low carb"], "instruction_options": ["southwest verde venison", "1oz-12 pack"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KQMJLH", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09238H1R4", "instruction": "i am looking for a high protein and low carb beef snack stick. i also need it to be gluten free and be made of natural ingredients.", "attributes": ["sugar free", "grass fed", "gluten free", "high protein", "low carb", "natural ingredients", "0g trans"], "options": ["flavor name: original beef", "size: 8oz-single"], "instruction_attributes": ["gluten free", "high protein", "low carb", "natural ingredients"], "instruction_options": ["original beef"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VQYXMM", "worker_id": "AK3JMCIGU8MLU"}], "B07HPP27S7": [{"asin": "B07HPP27S7", "instruction": "i'm looking for a mary's gone crackers real thin crackers.", "attributes": ["gluten free", "certified organic", "plant based"], "options": ["flavor name: garlic rosemary", "size: 5 ounce (pack of 1)"], "instruction_attributes": ["gluten free", "certified organic"], "instruction_options": ["garlic rosemary", "5 ounce (pack of 1)"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMM1URS1", "worker_id": "A1ZGOZQF2VZ0X9"}], "B0872VP8QR": [{"asin": "B0872VP8QR", "instruction": "i'm looking for some hot cocoa mix that comes in a pack of three and is non-gmo and sugar free.", "attributes": ["dairy free", "sugar free", "low carb", "non gmo", "zero sugar"], "options": ["flavor: hot cocoa mix", "size: 9 ounce (pack of 3)"], "instruction_attributes": ["sugar free", "non gmo"], "instruction_options": ["hot cocoa mix", "9 ounce (pack of 3)"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8Q3Q6L", "worker_id": "AR9AU5FY1S3RO"}], "B08LZ65XF6": [{"asin": "B08LZ65XF6", "instruction": "i am looking for a 12x10 ft high resolution backdrop of spring garden leaves.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 5x3ft"], "instruction_attributes": ["high resolution"], "instruction_options": ["5x3ft"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTV7P9M", "worker_id": "A2KW17G25L25R8"}], "B0943N574G": [{"asin": "B0943N574G", "instruction": "i would like some champagne rhinestones for my nail art.", "attributes": ["easy apply", "high quality", "quality materials", "nail art"], "options": ["color: champagne"], "instruction_attributes": ["nail art"], "instruction_options": ["champagne"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ASOBWO", "worker_id": "A1WS884SI0SLO4"}], "B07NGHB486": [{"asin": "B07NGHB486", "instruction": "i'm looking for a cruelty free eyeshadow palette with division color.", "attributes": ["highly pigmented", "cruelty free", "long lasting", "animal testing", "rose gold"], "options": ["color: division"], "instruction_attributes": ["cruelty free"], "instruction_options": ["division"], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8ROQQR", "worker_id": "ARQ05PDNXPFDI"}], "B008CUVP1I": [{"asin": "B008CUVP1I", "instruction": "i'm looking for a perfect natural hair treatment with rice protein.", "attributes": ["hair treatment", "natural hair"], "options": ["scent: rice protein", "size: 140g"], "instruction_attributes": ["hair treatment", "natural hair"], "instruction_options": ["rice protein"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP6Y7JD", "worker_id": "A21IUUHBSEVB56"}], "B07ZFGMYF1": [{"asin": "B07ZFGMYF1", "instruction": "i would like a color d wall lamp for my living room.", "attributes": ["easy install", "light fixture", "living room"], "options": ["color: d"], "instruction_attributes": ["living room"], "instruction_options": ["d"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZDUPA6", "worker_id": "A1WS884SI0SLO4"}], "B09PF1W3FB": [{"asin": "B09PF1W3FB", "instruction": "i am looking for woman gym workout non slip arch support pink color shoe size :8", "attributes": ["non slip", "arch support", "everyday wear", "gym workout"], "options": ["color: pink", "size: 8"], "instruction_attributes": ["non slip", "arch support", "gym workout"], "instruction_options": ["pink", "8"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YS3T8Z", "worker_id": "A3N9ZYQAESNFQH"}], "B09H3CF2MW": [{"asin": "B09H3CF2MW", "instruction": "looking for hand crafted cranberry pumpkin seed choose pack of 12", "attributes": ["hand crafted", "non gmo"], "options": ["flavor name: rosemary pistachio", "size: pack of 12"], "instruction_attributes": ["hand crafted"], "instruction_options": ["pack of 12"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALCE4HV", "worker_id": "A10OGH5CQBXL5N"}], "B0951CJKB1": [{"asin": "B0951CJKB1", "instruction": "i need some boots in a seven wide that have leather soles. the color should be \"i mocka.\"", "attributes": ["leather sole", "rubber sole"], "options": ["color: l mocka", "size: 7 wide"], "instruction_attributes": ["leather sole"], "instruction_options": ["l mocka", "7 wide"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TF3K20", "worker_id": "AR9AU5FY1S3RO"}], "B075BLC569": [{"asin": "B075BLC569", "instruction": "am looking for a long lasting chanel gabrielle women edp spray 1.7 oz", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJQUO9N", "worker_id": "A1IL2K0ELYI090"}], "B08PKTDP5C": [{"asin": "B08PKTDP5C", "instruction": "looking for a gift for valentines day: custom funny face, comfortable fit kiss me boxer shorts novelty photo printed underwear. its size is 4x bigger.", "attributes": ["machine washable", "machine wash", "comfortable fit"], "options": ["color: name and face", "size: 4x-large"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["4x-large"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V16YWQ", "worker_id": "A15IJ20C3R4HUO"}], "B094D7Y66B": [{"asin": "B094D7Y66B", "instruction": "i am looking for chocolate filled flavor cookies having low sugar and low fat.", "attributes": ["low sugar", "gluten free", "low fat", "low calorie", "low carb"], "options": ["flavor name: chocolate filled", "size: 2.6 ounce (pack of 4)"], "instruction_attributes": ["low sugar", "low fat"], "instruction_options": ["chocolate filled"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDZAIAY", "worker_id": "A1Q8PPQQCWGY0D"}], "B00NTT974E": [{"asin": "B00NTT974E", "instruction": "i am looking for a large size grey color light weight women's sleeveless pullover sweater with unique design.", "attributes": ["light weight", "unique design", "regular fit"], "options": ["color: grey", "size: large"], "instruction_attributes": ["light weight", "unique design"], "instruction_options": ["grey", "large"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJRI9OY", "worker_id": "A1V2JTEEBCXR20"}], "B084Q246B2": [{"asin": "B084Q246B2", "instruction": "i need an engineered wood end table", "attributes": ["engineered wood", "living room"], "options": [""], "instruction_attributes": ["engineered wood"], "instruction_options": [], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFI0VMX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PR67BMX": [{"asin": "B09PR67BMX", "instruction": "i\u2019m looking for a mini dual band desktop computer that supports ultra hd and has at least 16 gigabytes of ram.", "attributes": ["dual band", "ultra hd"], "options": ["color: 16 ram-256 ssd-1thdd"], "instruction_attributes": ["dual band", "ultra hd"], "instruction_options": [], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMYJG2Q", "worker_id": "AK3JMCIGU8MLU"}], "B095NN5K4W": [{"asin": "B095NN5K4W", "instruction": "i would like a oversize 60 x 30 in color a wall posted to hang in the living room.", "attributes": ["hand painted", "ready hang", "dining room", "living room"], "options": ["color: a", "size: oversize 60 x 30 in"], "instruction_attributes": ["living room"], "instruction_options": ["a", "oversize 60 x 30 in"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R9H0RT", "worker_id": "A1WS884SI0SLO4"}], "B085VP8ZDB": [{"asin": "B085VP8ZDB", "instruction": "i am looking for men's slippers of size 8 that are long lasting.", "attributes": ["long lasting", "non slip", "leather sole"], "options": ["size: 8"], "instruction_attributes": ["long lasting"], "instruction_options": ["8"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V63U29", "worker_id": "A1Q8PPQQCWGY0D"}], "B09S5QYF4P": [{"asin": "B09S5QYF4P", "instruction": "tv rack up to 55 inches living room white", "attributes": ["easy assemble", "engineered wood", "storage space", "living room"], "options": ["color: white"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6LRB24", "worker_id": "A3TTGSUBIK1YCL"}], "B09165NLQL": [{"asin": "B09165NLQL", "instruction": "im looking for hair clips and a hair pad for my hair extensions in the color dark brown.", "attributes": ["hair extensions", "hair styling"], "options": ["color: dark brown", "size: 12cm"], "instruction_attributes": ["hair extensions"], "instruction_options": ["dark brown"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXAUCFU", "worker_id": "AK3JMCIGU8MLU"}], "B011B6PHTA": [{"asin": "B011B6PHTA", "instruction": "i need a pack of 12 easy to prepare noodle dishes", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: bacon", "size: pack of 12"], "instruction_attributes": ["easy prepare"], "instruction_options": ["pack of 12"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40Y1RC0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B011B6PHTA", "instruction": "i want an easy to prepare knorr pasta butter and herb side dish.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: butter & herb", "size: 4.3 ounce (pack of 1)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["butter & herb"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4QNKPH", "worker_id": "A2RBF3IIJP15IH"}], "B00A6S31DO": [{"asin": "B00A6S31DO", "instruction": "i would like a white twin size bed.", "attributes": ["twin size", "eco friendly", "white item"], "options": ["color: white"], "instruction_attributes": ["twin size", "white item"], "instruction_options": ["white"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QXH07O", "worker_id": "A1WS884SI0SLO4"}], "B07TTQNQRQ": [{"asin": "B07TTQNQRQ", "instruction": "i would like a storage case for my dentures.", "attributes": ["easy carry", "storage case"], "options": [""], "instruction_attributes": ["storage case"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPCDDQN", "worker_id": "A1WS884SI0SLO4"}], "B09MFB67P6": [{"asin": "B09MFB67P6", "instruction": "i'm looking for hair extensions to prevention of hair falling its for hair care.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: 183-t1b-30"], "instruction_attributes": ["hair extensions"], "instruction_options": ["183-t1b-30"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1ORTIQ", "worker_id": "A16IQOX0DK14OJ"}], "B09DFN74Y7": [{"asin": "B09DFN74Y7", "instruction": "i'm looking for a super soft throw blanket with skulls on it that's fifty by forty inches.", "attributes": ["super soft", "queen size"], "options": ["color: skull1", "size: 50\"x40\""], "instruction_attributes": ["super soft"], "instruction_options": ["skull1", "50\"x40\""], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVD5V83", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09DFN74Y7", "instruction": "i am looking for a black queen size blanket for kids.", "attributes": ["super soft", "queen size"], "options": ["color: black", "size: 50\"x40\""], "instruction_attributes": ["queen size"], "instruction_options": ["black"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OVIOPQ", "worker_id": "A1EREKSZAA9V7B"}], "B07PRZF5GM": [{"asin": "B07PRZF5GM", "instruction": "i need green tea pack 1", "attributes": ["fragrance free", "oil free", "water resistant", "paraben free", "hyaluronic acid", "green tea", "sensitive skin"], "options": ["size: 5 fl oz (pack of 1)"], "instruction_attributes": ["green tea"], "instruction_options": ["5 fl oz (pack of 1)"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z7YGXF", "worker_id": "A226L9F2AZ38CL"}], "B073RF8CKX": [{"asin": "B073RF8CKX", "instruction": "i want a black soulaca smart tv with usb port.", "attributes": ["dust proof", "tempered glass", "usb port"], "options": ["color: black", "size: 22 inches"], "instruction_attributes": ["usb port"], "instruction_options": ["black"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA7GR8U", "worker_id": "A2RBF3IIJP15IH"}], "B06XRT9TSM": [{"asin": "B06XRT9TSM", "instruction": "i want solid wood espresso color queen size bed from modus furniture", "attributes": ["mid century", "metal legs", "solid wood"], "options": ["color: nevis veneto - espresso", "size: queen"], "instruction_attributes": ["solid wood"], "instruction_options": ["nevis veneto - espresso", "queen"], "assignment_id": "38F71OA9G46M5W32RN3TH53XROUFMB", "worker_id": "A1V2C99HEV3F14"}], "B08P34YR81": [{"asin": "B08P34YR81", "instruction": "i would like to buy an amplifier that is easy to install.", "attributes": ["power amplifier", "easy install"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDU8Y8G", "worker_id": "A15ERD4HOFEPHM"}], "B09PVC53FP": [{"asin": "B09PVC53FP", "instruction": "i'm looking for clothing quality and high waist for woman's.", "attributes": ["butt lifting", "fleece lined", "wide leg", "machine wash", "straight leg", "slim fit", "hand wash", "high waist", "tummy control", "quality polyester", "relaxed fit", "polyester spandex"], "options": ["color: multicolor", "size: xx-large"], "instruction_attributes": ["fleece lined", "wide leg", "straight leg", "slim fit", "high waist", "tummy control"], "instruction_options": ["multicolor"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKF0887", "worker_id": "A16IQOX0DK14OJ"}], "B07H9HV2JQ": [{"asin": "B07H9HV2JQ", "instruction": "i am looking for a cover that has a glass screen and is blue", "attributes": ["hands free", "glass screen"], "options": ["color: blue | black"], "instruction_attributes": ["glass screen"], "instruction_options": ["blue | black"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U8VAM7", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QQ9GSZY": [{"asin": "B09QQ9GSZY", "instruction": "i am looking for an open toe sandals that has high heel. please choose the 8.5 size with white color", "attributes": ["open toe", "ankle strap", "leather sole", "high heel"], "options": ["color: sandals 17 white", "size: 8.5"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["sandals 17 white", "8.5"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCV1Q5E", "worker_id": "A2COCSUGZV28X"}], "B09SQ74NTW": [{"asin": "B09SQ74NTW", "instruction": "i am looking for a o color shampoos for hair losses", "attributes": ["hair growth", "natural hair", "hair loss", "damaged hair"], "options": ["color: o"], "instruction_attributes": ["hair loss"], "instruction_options": ["o"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20RV0ZJ", "worker_id": "A9QRQL9CFJBI7"}], "B07MW2D7W3": [{"asin": "B07MW2D7W3", "instruction": "i'm looking for hair loss control drops that will help with hair growth.", "attributes": ["green tea", "hair loss", "hair growth"], "options": [""], "instruction_attributes": ["hair loss", "hair growth"], "instruction_options": [], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEXNUUS", "worker_id": "A34EHWOYRBL6OZ"}], "B08CR81GHW": [{"asin": "B08CR81GHW", "instruction": "i am looking for a high definition sound bar that is camouflage.", "attributes": ["high performance", "hands free", "high definition", "stereo sound", "wireless bluetooth"], "options": ["color: camouflage"], "instruction_attributes": ["high definition"], "instruction_options": ["camouflage"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE244QGL", "worker_id": "A2ECRNQ3X5LEXD"}], "B07WL7C1ZM": [{"asin": "B07WL7C1ZM", "instruction": "i would love to buy a 12 count , low carb keto bars made with quality ingredients and keto friendly.", "attributes": ["grass fed", "keto friendly", "low carb", "quality ingredients"], "options": ["color: banana bread", "size: 12 count (pack of 1)"], "instruction_attributes": ["keto friendly", "low carb", "quality ingredients"], "instruction_options": ["12 count (pack of 1)"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQH8HH2", "worker_id": "AHXHM1PQTRWIQ"}], "B07BMNFXRZ": [{"asin": "B07BMNFXRZ", "instruction": "i am looking for 12 pcs bpa free plastic spray bottle of amber color", "attributes": ["travel size", "bpa free", "fine mist"], "options": ["color: amber (12pcs)"], "instruction_attributes": ["bpa free"], "instruction_options": ["amber (12pcs)"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7P63IB", "worker_id": "A1Q8PPQQCWGY0D"}], "B08T1RX4WS": [{"asin": "B08T1RX4WS", "instruction": "i am looking to buy a quick release, non slip, travel tripod stand and it has to be silver.", "attributes": ["quick release", "non slip"], "options": ["color: silver"], "instruction_attributes": ["quick release", "non slip"], "instruction_options": ["silver"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCRY9BR", "worker_id": "A114NK7T5673GK"}], "B079FVQ9J9": [{"asin": "B079FVQ9J9", "instruction": "i need to buy a satin nickel finished vanity light that's thirty inches long.", "attributes": ["nickel finish", "vanity light"], "options": ["color: satin nickel", "size: 9 x 30\""], "instruction_attributes": ["nickel finish", "vanity light"], "instruction_options": ["satin nickel", "9 x 30\""], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TF6K23", "worker_id": "AR9AU5FY1S3RO"}], "B017610BG8": [{"asin": "B017610BG8", "instruction": "i would like a paraben and sulfate free body wash.", "attributes": ["fragrance free", "sulfate free", "paraben free", "hyaluronic acid", "dry skin"], "options": [""], "instruction_attributes": ["sulfate free", "paraben free"], "instruction_options": [], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG40GBW", "worker_id": "A1WS884SI0SLO4"}], "B009P2IUZQ": [{"asin": "B009P2IUZQ", "instruction": "i need a 1.43 ounce (pack of 12) soy free non gmo plant based gluten free original flavored chips.", "attributes": ["non gmo", "soy free", "plant based", "gluten free", "resealable bag", "simple ingredients"], "options": ["flavor name: original", "size: 1.43 ounce (pack of 12)"], "instruction_attributes": ["non gmo", "soy free", "plant based", "gluten free"], "instruction_options": ["original", "1.43 ounce (pack of 12)"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRXQF38", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B009P2IUZQ", "instruction": "i am looking for dang toasted coconut chips with soy free, gluten free , non gmo and plant based with size 3.17 ounce", "attributes": ["non gmo", "soy free", "plant based", "gluten free", "resealable bag", "simple ingredients"], "options": ["flavor name: variety pack", "size: 3.17 ounce (pack of 1)"], "instruction_attributes": ["soy free", "plant based", "gluten free"], "instruction_options": ["3.17 ounce (pack of 1)"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAFOVOF", "worker_id": "AX2EWYWZM19AZ"}], "B07KLSQGS2": [{"asin": "B07KLSQGS2", "instruction": "i'm interested in contemporary style barstools for the living room that are easy to clean and non-slip.", "attributes": ["non slip", "white item", "easy clean", "contemporary style", "living room"], "options": ["color: black"], "instruction_attributes": ["non slip", "easy clean", "contemporary style", "living room"], "instruction_options": ["black"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4VB7KP", "worker_id": "AFU00NU09CFXE"}], "B08DDFM5GC": [{"asin": "B08DDFM5GC", "instruction": "i am looking for a low fat black bean soup", "attributes": ["low fat", "ready eat"], "options": ["flavor name: black bean soup"], "instruction_attributes": ["low fat"], "instruction_options": ["black bean soup"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHABHDO1", "worker_id": "A2ECRNQ3X5LEXD"}], "B07N8R9WKN": [{"asin": "B07N8R9WKN", "instruction": "i am looking for brass color coffee table for my living room.", "attributes": ["mid century", "tempered glass", "steel frame", "living room"], "options": ["color: brass", "size: 45\""], "instruction_attributes": ["living room"], "instruction_options": ["brass"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OPDMMW", "worker_id": "A1Q8PPQQCWGY0D"}], "B07ZLV1F37": [{"asin": "B07ZLV1F37", "instruction": "i want kerastim pro hair loss treatment for men & women.", "attributes": ["hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPQWFWQ", "worker_id": "A2RBF3IIJP15IH"}], "B07NH3Q1VJ": [{"asin": "B07NH3Q1VJ", "instruction": "i'm looking for a size 2.55 ounce anti aging hydra-nutrition day cream.", "attributes": ["dermatologist tested", "anti aging", "paraben free", "dry skin", "sensitive skin"], "options": ["size: 2.55 ounce (pack of 1)", "style: moisturizing balm"], "instruction_attributes": ["anti aging"], "instruction_options": ["2.55 ounce (pack of 1)"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZYJANL", "worker_id": "ARQ05PDNXPFDI"}], "B09P8B2L8V": [{"asin": "B09P8B2L8V", "instruction": "i am looking women hairpiece of 80cm size that are of high quality and easy to use.", "attributes": ["easy use", "high quality", "hair extensions", "natural hair"], "options": ["color: 41", "size: 80cm"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["80cm"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UHHPIQY", "worker_id": "A1Q8PPQQCWGY0D"}], "B07BL31V9T": [{"asin": "B07BL31V9T", "instruction": "i need to buy some work shoes with a slip resistant rubber sole. i want them in gray, size nine wide.", "attributes": ["slip resistant", "rubber sole"], "options": ["color: gray | royal", "size: 9 wide"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["gray | royal", "9 wide"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6US71GW", "worker_id": "AR9AU5FY1S3RO"}], "B097XWJ1KM": [{"asin": "B097XWJ1KM", "instruction": "i need a super soft twin throw that is multicolored", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 15", "size: twin"], "instruction_attributes": ["super soft"], "instruction_options": ["multi 15", "twin"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIPY581", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SGQZHP4": [{"asin": "B09SGQZHP4", "instruction": "i would like an intel core desktop that has 32gb of ram and 2tb of storage.", "attributes": ["core i5", "intel core"], "options": ["size: 32gb | 1tb ssd + 1tb hdd", "style: windows 10 home"], "instruction_attributes": ["intel core"], "instruction_options": ["32gb | 1tb ssd + 1tb hdd"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4LR986", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RGXDVCV": [{"asin": "B07RGXDVCV", "instruction": "i am interested in buying a demi-permanent hair color which is neon red, and that i can apply easily, also i want it to be cruelty free product.", "attributes": ["long lasting", "easy apply", "cruelty free", "high quality", "hair dye", "permanent hair", "hair treatment", "natural hair", "dry hair"], "options": ["color: neon red"], "instruction_attributes": ["easy apply", "cruelty free"], "instruction_options": ["neon red"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUAIA94", "worker_id": "AJY5G987IRT25"}], "B09SQ5RK1H": [{"asin": "B09SQ5RK1H", "instruction": "i would like a 6 pack of easy to prepare breakfast foods.", "attributes": ["protein serving", "easy prepare"], "options": ["size: 6 - pack"], "instruction_attributes": ["easy prepare"], "instruction_options": ["6 - pack"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8DJA5V", "worker_id": "A1WS884SI0SLO4"}], "B07WNVTV22": [{"asin": "B07WNVTV22", "instruction": "i would like a a monocular for bird watching.", "attributes": ["easy carry", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C89PH6", "worker_id": "A1WS884SI0SLO4"}], "B09FJT52MT": [{"asin": "B09FJT52MT", "instruction": "i am looking for a fits round tables up to 42 diameter size of machine washable tablecloths", "attributes": ["machine washable", "easy clean"], "options": ["color: orange light brown white 3087", "size: fits round tables up to 42 diameter"], "instruction_attributes": ["machine washable"], "instruction_options": ["fits round tables up to 42 diameter"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG1JWTY", "worker_id": "A9QRQL9CFJBI7"}], "B01L0VIN8S": [{"asin": "B01L0VIN8S", "instruction": "i would like a aluminum alloy high speed coaxial tip.", "attributes": ["high speed", "aluminum alloy"], "options": [""], "instruction_attributes": ["high speed", "aluminum alloy"], "instruction_options": [], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN2HTPX", "worker_id": "A1WS884SI0SLO4"}], "B09D9RXRPG": [{"asin": "B09D9RXRPG", "instruction": "i want the pinole project high protein oatmeal.", "attributes": ["high protein", "freeze dried", "gluten free", "non gmo"], "options": [""], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPDFDQR", "worker_id": "A2RBF3IIJP15IH"}], "B083ZRCCXD": [{"asin": "B083ZRCCXD", "instruction": "i need a wall sconce with two lights in brushed nickel.", "attributes": ["brushed nickel", "nickel finish"], "options": ["color: brushed nickel", "size: 2-light"], "instruction_attributes": ["brushed nickel", "nickel finish"], "instruction_options": ["brushed nickel", "2-light"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDQJHRC", "worker_id": "AR9AU5FY1S3RO"}], "B000UD3XJC": [{"asin": "B000UD3XJC", "instruction": "i would like to buy a slip resistant women's clog having rubber sole in size 11.", "attributes": ["slip resistant", "rubber sole"], "options": ["size: 11"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["11"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z19O1KZ", "worker_id": "A3AYHESLQSDY5T"}], "B078JHLSWT": [{"asin": "B078JHLSWT", "instruction": "i need a blue body brush for dry skin.", "attributes": ["non slip", "long handle", "dry skin"], "options": ["color: blue"], "instruction_attributes": ["dry skin"], "instruction_options": ["blue"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOSCVYL", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Z7DBGLZ": [{"asin": "B07Z7DBGLZ", "instruction": "i need a classic fit t-shirt . and i would prefer medium size with purple color", "attributes": ["needle sleeve", "classic fit"], "options": ["color: purple", "fit type: youth", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["purple", "medium"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMS5BQK", "worker_id": "A2COCSUGZV28X"}], "B07SBXXH9Y": [{"asin": "B07SBXXH9Y", "instruction": "i want to buy an easy to use plug and play usb flash drive in black. get the 512 megabyte size.", "attributes": ["plug play", "easy use"], "options": ["color: black", "size: 512mb"], "instruction_attributes": ["plug play"], "instruction_options": ["black", "512mb"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IKY2MN", "worker_id": "AR9AU5FY1S3RO"}], "B01GS1BOK4": [{"asin": "B01GS1BOK4", "instruction": "for home furnishing, i need a rectangular rug in ivory grey color, measuring 11ft x 15ft.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: ivory | grey", "item shape: rectangular", "size: 11 ft x 15 ft"], "instruction_attributes": ["home furnishings"], "instruction_options": ["ivory | grey", "rectangular", "11 ft x 15 ft"], "assignment_id": "3X08E93BH6SOX0PZ3ET8Y3TY8PV668", "worker_id": "ASWFLI3N8X72G"}], "B09Q35XGYF": [{"asin": "B09Q35XGYF", "instruction": "i would like a white twin sized bunk bed with a wood frame.", "attributes": ["twin size", "white item", "easy assemble", "wood frame", "box spring"], "options": ["color: white", "size: twin bunk beds"], "instruction_attributes": ["twin size", "white item", "wood frame"], "instruction_options": ["white", "twin bunk beds"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E8THXZ", "worker_id": "A1WS884SI0SLO4"}], "B09J52HRL8": [{"asin": "B09J52HRL8", "instruction": "i am looking for a high quality trolley cart for a beauty salon, which is in 4tier size.", "attributes": ["high quality", "beauty salon"], "options": ["size: 4tier"], "instruction_attributes": ["high quality", "beauty salon"], "instruction_options": ["4tier"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HVMBPU", "worker_id": "A2HMEGTAFO0CS8"}], "B07X1YS8D7": [{"asin": "B07X1YS8D7", "instruction": "looking for long lasting string curtain window choose colour yellow", "attributes": ["long lasting", "exquisite workmanship"], "options": ["color: yellow"], "instruction_attributes": ["long lasting"], "instruction_options": ["yellow"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V6ZU25", "worker_id": "A10OGH5CQBXL5N"}], "B09LTSRLBX": [{"asin": "B09LTSRLBX", "instruction": "i need 2 pieces anti aging ice face roller gua sha", "attributes": ["anti aging", "long lasting", "green tea", "fine lines"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZK48OA", "worker_id": "A1IL2K0ELYI090"}], "B08XZ7N4NL": [{"asin": "B08XZ7N4NL", "instruction": "i would like some eco friendly nail cleaning brushes.", "attributes": ["eco friendly", "non slip", "dead skin"], "options": [""], "instruction_attributes": ["eco friendly"], "instruction_options": [], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP841Z7G", "worker_id": "A1WS884SI0SLO4"}], "B09HZYGRM9": [{"asin": "B09HZYGRM9", "instruction": "i'm looking for a digital power amplifier board that's high performance and has stereo sound.", "attributes": ["power amplifier", "high performance", "stereo sound"], "options": [""], "instruction_attributes": ["power amplifier", "high performance", "stereo sound"], "instruction_options": [], "assignment_id": "37UQDCYH685SGQI5NW68G99TKT07VT", "worker_id": "AR9AU5FY1S3RO"}], "B0918MVYBC": [{"asin": "B0918MVYBC", "instruction": "i'm looking for a mini pc intel core desktop computer which supports with windows 11.", "attributes": ["intel core", "core i5", "quad core"], "options": ["size: i5-10210u 16gb ddr4 +512g nvme ssd+wifi6"], "instruction_attributes": ["intel core"], "instruction_options": ["i5-10210u 16gb ddr4 +512g nvme ssd+wifi6"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI3C2DB1", "worker_id": "A21IUUHBSEVB56"}], "B09MLY7B9D": [{"asin": "B09MLY7B9D", "instruction": "i would like a pair of small purple jogging pants that are for the gym.", "attributes": ["fleece lined", "drawstring closure", "elastic waist", "polyester spandex", "gym workout"], "options": ["color: purple", "size: small"], "instruction_attributes": ["gym workout"], "instruction_options": ["purple", "small"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZ2KNCI", "worker_id": "A1WS884SI0SLO4"}], "B09JSWXSBZ": [{"asin": "B09JSWXSBZ", "instruction": "i would like a living room poster that is 16 by 20 inches", "attributes": ["dining room", "living room"], "options": ["color: 052 cow", "size: 16x20 inch"], "instruction_attributes": ["living room"], "instruction_options": ["16x20 inch"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WBFOUP", "worker_id": "A2ECRNQ3X5LEXD"}], "B075G3RJDZ": [{"asin": "B075G3RJDZ", "instruction": "i want lubriderm fragrance free body lotion for dry skin", "attributes": ["fragrance free", "clinically proven", "dry skin"], "options": [""], "instruction_attributes": ["fragrance free", "dry skin"], "instruction_options": [], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU9I9A1", "worker_id": "A1V2C99HEV3F14"}], "B09MNHMGJK": [{"asin": "B09MNHMGJK", "instruction": "i need a pink dust-proof cover for my fire stick tv remote.", "attributes": ["non slip", "dust proof"], "options": ["color: pink"], "instruction_attributes": ["dust proof"], "instruction_options": ["pink"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E23753A", "worker_id": "AR9AU5FY1S3RO"}], "B09PPF15NX": [{"asin": "B09PPF15NX", "instruction": "i would like a high speed wireless charging station for my iphone.", "attributes": ["compatible apple", "fast charging", "high speed", "wireless charging"], "options": [""], "instruction_attributes": ["compatible apple", "high speed", "wireless charging"], "instruction_options": [], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH3WH65", "worker_id": "A1WS884SI0SLO4"}], "B0873WY5YG": [{"asin": "B0873WY5YG", "instruction": "i would like a sky blue 12 inch throw pillow for my living room.", "attributes": ["machine washable", "exquisite workmanship", "living room"], "options": ["color: sky blue", "size: 12 inch (pack of 1)"], "instruction_attributes": ["living room"], "instruction_options": ["sky blue", "12 inch (pack of 1)"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8HQR53", "worker_id": "A1WS884SI0SLO4"}], "B09NNV93GR": [{"asin": "B09NNV93GR", "instruction": "i am looking for a body brush for dead skin.", "attributes": ["double sided", "long handle", "dead skin"], "options": ["color: blue"], "instruction_attributes": ["dead skin"], "instruction_options": ["blue"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7ZZ5PM", "worker_id": "A2ECRNQ3X5LEXD"}], "B07D7N4QB8": [{"asin": "B07D7N4QB8", "instruction": "i would like to buy a white colored easy to assemble book case for my living room.", "attributes": ["assembly required", "easy clean", "easy assemble", "exquisite workmanship", "storage space"], "options": ["color: white", "size: 5-shelf(33\"w*11.6\"d*59.8\"h)"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC6WNIA", "worker_id": "AHXHM1PQTRWIQ"}], "B09NX3SMLB": [{"asin": "B09NX3SMLB", "instruction": "i'm looking for computer accessories its easy to use it can install at any", "attributes": ["dual band", "high definition"], "options": [""], "instruction_attributes": ["dual band", "high definition"], "instruction_options": [], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HGHI65", "worker_id": "A16IQOX0DK14OJ"}], "B09RHVVMJM": [{"asin": "B09RHVVMJM", "instruction": "i'm looking for groceries for great gift and gift basket.", "attributes": ["great gift", "gift basket"], "options": [""], "instruction_attributes": ["great gift", "gift basket"], "instruction_options": [], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOF2NOC", "worker_id": "A16IQOX0DK14OJ"}], "B0888H96Q8": [{"asin": "B0888H96Q8", "instruction": "i would like a slim fit black tank that is in a medium", "attributes": ["machine washable", "slim fit", "cotton spandex", "polyester cotton"], "options": ["color: e-black", "size: medium"], "instruction_attributes": ["slim fit"], "instruction_options": ["e-black", "medium"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4PDPKA", "worker_id": "A2ECRNQ3X5LEXD"}], "B081FWD6Q3": [{"asin": "B081FWD6Q3", "instruction": "i need some vanity lights that are brushed nickel", "attributes": ["brushed nickel", "nickel finish", "vanity light"], "options": ["color: brushed nickel", "size: 3 light chandelier"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["brushed nickel"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KRQLJP", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PFGVTGM": [{"asin": "B09PFGVTGM", "instruction": "order for me a black marvel men\u2019s t shirt that is made of cotton heather.", "attributes": ["officially licensed", "wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: black", "fit type: men", "size: x-small"], "instruction_attributes": ["cotton heather"], "instruction_options": ["black", "men"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYFS82O", "worker_id": "AHU9OLV0YKIIW"}], "B09QC7GZZC": [{"asin": "B09QC7GZZC", "instruction": "i am looking for pink color electric tooth brush which is easy to use", "attributes": ["easy use", "fresh breath"], "options": ["color: pink"], "instruction_attributes": ["easy use"], "instruction_options": ["pink"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRS9QUE8", "worker_id": "A16M39T60N60NO"}], "B09LHKTXH2": [{"asin": "B09LHKTXH2", "instruction": "i am looking for a 47 piece farm animal cake topper set for a birthday cake, we are having a birthday party.", "attributes": ["birthday cake", "party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake", "party supplies", "birthday party"], "instruction_options": [], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3UEZ9H", "worker_id": "A2KW17G25L25R8"}], "B06VSXQXPX": [{"asin": "B06VSXQXPX", "instruction": "i would like a blue mk desk and chair that is height adjustable.", "attributes": ["height adjustable", "lead free"], "options": ["color: blue desk only", "size: mk desk + chair"], "instruction_attributes": ["height adjustable"], "instruction_options": ["blue desk only", "mk desk + chair"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V6U2U8", "worker_id": "A1WS884SI0SLO4"}], "B08HJ9X29W": [{"asin": "B08HJ9X29W", "instruction": "i want a twin size box spring bed for kids color black", "attributes": ["twin size", "box spring"], "options": ["color: black"], "instruction_attributes": ["twin size", "box spring"], "instruction_options": ["black"], "assignment_id": "37TRT2X24116R7L1JO45INKV8WSJBE", "worker_id": "A3N9ZYQAESNFQH"}], "B09KQ6TQY5": [{"asin": "B09KQ6TQY5", "instruction": "i want plant based gluten free protein serving burgers & patties size ;5- pack", "attributes": ["plant based", "protein serving", "gluten free"], "options": ["size: 5 - pack"], "instruction_attributes": ["plant based", "protein serving", "gluten free"], "instruction_options": ["5 - pack"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJOQW0M", "worker_id": "A3N9ZYQAESNFQH"}], "B08VND52S2": [{"asin": "B08VND52S2", "instruction": "i would like a floor lamp for my living room.", "attributes": ["glass shade", "contemporary style", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907UYAUZ", "worker_id": "A1WS884SI0SLO4"}], "B08BJVJG1S": [{"asin": "B08BJVJG1S", "instruction": "i'm looking for men hair removal cream.", "attributes": ["easy use", "hair removal", "sensitive skin"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH3FH6O", "worker_id": "ARQ05PDNXPFDI"}], "B0945BPCZL": [{"asin": "B0945BPCZL", "instruction": "i am looking for variety pack sparkling water that is soy and gluten free.", "attributes": ["soy free", "gluten free", "natural ingredients", "natural flavors"], "options": ["flavor name: variety pack", "size: 12 fl oz (pack of 12)"], "instruction_attributes": ["soy free", "gluten free"], "instruction_options": ["variety pack"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z198K12", "worker_id": "A1Q8PPQQCWGY0D"}], "B08F5MXVYL": [{"asin": "B08F5MXVYL", "instruction": "i need to buy a sky blue fire tablet for a child. it should have a 1080p screen and a blue tooth keyboard.", "attributes": ["1080p hd", "usb port"], "options": ["color: sky blue", "style: with kids bluetooth keyboard"], "instruction_attributes": ["1080p hd"], "instruction_options": ["sky blue", "with kids bluetooth keyboard"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66SOZFO", "worker_id": "AR9AU5FY1S3RO"}], "B09NNXGRHX": [{"asin": "B09NNXGRHX", "instruction": "i would like a medium sized black women's top with long sleeves.", "attributes": ["long sleeve", "short sleeve", "cotton spandex", "teen girls"], "options": ["color: z91-black", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["z91-black", "medium"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WX61AW", "worker_id": "A1WS884SI0SLO4"}], "B08P7MN5VS": [{"asin": "B08P7MN5VS", "instruction": "i am looking for an easy to assemble bunk bed full over twin trundle would like gray in color.", "attributes": ["twin size", "heavy duty", "space saving", "easy assemble", "box spring", "solid wood"], "options": ["color: white", "size: twin with headboard trundle"], "instruction_attributes": ["easy assemble", "solid wood"], "instruction_options": ["twin with headboard trundle"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7Y5URA", "worker_id": "A2KW17G25L25R8"}], "B07VL8Z6V9": [{"asin": "B07VL8Z6V9", "instruction": "i'm looking for a pendant light with brushed nickel finish. choose the ones in antique gold color.", "attributes": ["pendant light", "nickel finish", "brushed nickel", "dining room", "living room"], "options": ["color: antique gold"], "instruction_attributes": ["pendant light", "nickel finish", "brushed nickel"], "instruction_options": ["antique gold"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7X1YTZS", "worker_id": "A3MNXK3VDK37SN"}], "B09GJZZDQP": [{"asin": "B09GJZZDQP", "instruction": "i want silver and noise cancelling earbuds.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: white-silver"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["white-silver"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79L9QKC", "worker_id": "A2RBF3IIJP15IH"}], "B0932PMPM2": [{"asin": "B0932PMPM2", "instruction": "i need four mid century green chairs", "attributes": ["height adjustable", "mid century", "metal legs"], "options": ["color: 26\" green", "size: 4 chairs"], "instruction_attributes": ["mid century"], "instruction_options": ["26\" green", "4 chairs"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVINP1F", "worker_id": "A2ECRNQ3X5LEXD"}], "B00WR97BC2": [{"asin": "B00WR97BC2", "instruction": "i would like a yellow 6\" around area rug that is easy to clean.", "attributes": ["spot clean", "easy clean"], "options": ["color: yellow", "size: 6' round"], "instruction_attributes": ["easy clean"], "instruction_options": ["yellow", "6' round"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDUVQZ7", "worker_id": "A1WS884SI0SLO4"}], "B08HGQ484X": [{"asin": "B08HGQ484X", "instruction": "i am looking for steel frame night stand with white finish", "attributes": ["assembly required", "steel frame", "white finish"], "options": ["color: white | gray"], "instruction_attributes": ["steel frame", "white finish"], "instruction_options": ["white | gray"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS4PVUB", "worker_id": "A16M39T60N60NO"}], "B08JCFL127": [{"asin": "B08JCFL127", "instruction": "i would like a cookies gift basket.", "attributes": ["ready eat", "individually wrapped", "gift basket", "perfect gift", "gift set"], "options": ["style: cookies, vanilla halva,cream crackers, orino sesame pasteli"], "instruction_attributes": ["gift basket"], "instruction_options": ["cookies, vanilla halva,cream crackers, orino sesame pasteli"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N23ZG6L", "worker_id": "A1WS884SI0SLO4"}], "B0837SDRNN": [{"asin": "B0837SDRNN", "instruction": "i need an easy to assemble coat rack.", "attributes": ["easy assemble", "storage space"], "options": [""], "instruction_attributes": ["easy assemble"], "instruction_options": [], "assignment_id": "326O153BMT8RVOXTJJKKGXV369YDEK", "worker_id": "AR9AU5FY1S3RO"}], "B09J53L7VT": [{"asin": "B09J53L7VT", "instruction": "i would like a 9 card slots zipper dark green phone flip case cover.", "attributes": ["hands free", "case cover"], "options": ["color: 9 card slots zipper dark green"], "instruction_attributes": ["case cover"], "instruction_options": ["9 card slots zipper dark green"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841CHAXT", "worker_id": "A1WS884SI0SLO4"}], "B0999KX9M6": [{"asin": "B0999KX9M6", "instruction": "can i get an open toe eduavar flat casual sandals for women, size 6.5-7", "attributes": ["open toe", "knee high", "non slip", "memory foam", "high heel", "closed toe", "arch support"], "options": ["color: z2-brown", "size: 6.5-7"], "instruction_attributes": ["open toe"], "instruction_options": ["6.5-7"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7X1GTZA", "worker_id": "A1IL2K0ELYI090"}], "B01FUI7H4I": [{"asin": "B01FUI7H4I", "instruction": "i would like a 400 lb bulk bag of certified organic gluten free oatmeal.", "attributes": ["gluten free", "protein serving", "certified organic"], "options": ["size: 400 ounce (pack of 1)", "style: bulk bag"], "instruction_attributes": ["gluten free", "certified organic"], "instruction_options": ["400 ounce (pack of 1)", "bulk bag"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMKNJ1H", "worker_id": "A1WS884SI0SLO4"}], "B00LX0HPV8": [{"asin": "B00LX0HPV8", "instruction": "i am looking for long sleeve shirt in smoke grey", "attributes": ["polyester cotton", "long sleeve"], "options": ["color: smoke grey", "size: x-large short"], "instruction_attributes": ["long sleeve"], "instruction_options": ["smoke grey"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMR6WMC", "worker_id": "A2MSIFDLOHI1UT"}], "B09H7D62DM": [{"asin": "B09H7D62DM", "instruction": "i am looking for a fully cooked chicken & turkey", "attributes": ["fully cooked", "0g trans"], "options": [""], "instruction_attributes": ["fully cooked"], "instruction_options": [], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2U5M5O", "worker_id": "A9QRQL9CFJBI7"}], "B07TL67TQ7": [{"asin": "B07TL67TQ7", "instruction": "i am looking for an olive machine washable t shirt for youth that is in a xx-large", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: olive", "fit type: youth", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["olive", "youth", "xx-large"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSL12QG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08CV5HKHD": [{"asin": "B08CV5HKHD", "instruction": "i need a black tank top that is classic fit.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: men", "size: xx-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["black"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOFEATT", "worker_id": "A15ERD4HOFEPHM"}], "B08V1J8S36": [{"asin": "B08V1J8S36", "instruction": "i'm looking for a small straight leg women athletic yoga shorts.", "attributes": ["hand wash", "straight leg", "machine wash", "elastic waistband", "cotton spandex"], "options": ["color: 5\"light grey", "size: small"], "instruction_attributes": ["straight leg"], "instruction_options": ["small"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI773ZG2", "worker_id": "ARQ05PDNXPFDI"}], "B07C9HG46D": [{"asin": "B07C9HG46D", "instruction": "i'm looking for high heels shoes for women men it is easy to wear.", "attributes": ["leather sole", "rubber sole"], "options": ["color: navy suede", "size: 14"], "instruction_attributes": ["leather sole"], "instruction_options": ["navy suede"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1HP08D", "worker_id": "A16IQOX0DK14OJ"}], "B00I47QQ9U": [{"asin": "B00I47QQ9U", "instruction": "i am looking for a citron scent deodorant that is non toxic and cruelty free.", "attributes": ["non toxic", "cruelty free"], "options": ["scent: citron", "size: 2 x 2 fl oz"], "instruction_attributes": ["non toxic", "cruelty free"], "instruction_options": ["citron"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACTPNHP", "worker_id": "A1Q8PPQQCWGY0D"}], "B081TX8J78": [{"asin": "B081TX8J78", "instruction": "i need my large dress by machine wash", "attributes": ["machine wash", "dry clean"], "options": ["color: 1109 grey", "size: large"], "instruction_attributes": ["machine wash"], "instruction_options": ["large"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXOQZ2B", "worker_id": "A226L9F2AZ38CL"}], "B0842NKZ44": [{"asin": "B0842NKZ44", "instruction": "i need a heavy duty, height adjustable office chair in pink color", "attributes": ["height adjustable", "high density", "heavy duty", "lumbar support"], "options": ["color: pink"], "instruction_attributes": ["height adjustable", "heavy duty"], "instruction_options": ["pink"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21P7FQE", "worker_id": "ASWFLI3N8X72G"}], "B09LH2827W": [{"asin": "B09LH2827W", "instruction": "i want a easy install roller sades window tretment size w45*h56 in color pastel blue", "attributes": ["easy install", "living room"], "options": ["color: 07.pastel_blue", "size: w45 x h56 (inch)"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["07.pastel_blue", "w45 x h56 (inch)"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7ZZP56", "worker_id": "A3N9ZYQAESNFQH"}], "B07L6Y8C6Q": [{"asin": "B07L6Y8C6Q", "instruction": "i would like a forest green wireless bluetooth speaker.", "attributes": ["carrying case", "wireless bluetooth"], "options": ["color: forest green"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["forest green"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCQRBME", "worker_id": "A1WS884SI0SLO4"}], "B07RTJ5ZLR": [{"asin": "B07RTJ5ZLR", "instruction": "i would like a 24 inch black barstool that is fully assembled.", "attributes": ["fully assembled", "heavy duty", "space saving"], "options": ["color: black", "size: 24 inch"], "instruction_attributes": ["fully assembled"], "instruction_options": ["black", "24 inch"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1CA9UD", "worker_id": "A1WS884SI0SLO4"}], "B01CQD0DC8": [{"asin": "B01CQD0DC8", "instruction": "i would like a high performance label printer.", "attributes": ["light weight", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDP15KT", "worker_id": "A1WS884SI0SLO4"}], "B07NXW1VQP": [{"asin": "B07NXW1VQP", "instruction": "get me a machine washable men's classic fit star wars t-shirt in medium size and royal blue color.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: royal blue", "fit type: men", "size: medium"], "instruction_attributes": ["machine wash", "classic fit", "star wars"], "instruction_options": ["royal blue", "men", "medium"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4FZL86", "worker_id": "A3AYHESLQSDY5T"}], "B003Q4TPAI": [{"asin": "B003Q4TPAI", "instruction": "i'm looking for usda organic and gluten free chai tea that is caffeine and sugar free and also has natural ingredients. it also should be matcha latte flavor.", "attributes": ["caffeine free", "usda organic", "sugar free", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: matcha latte", "size: 20 count (pack of 6)"], "instruction_attributes": ["caffeine free", "usda organic", "sugar free", "gluten free", "natural ingredients"], "instruction_options": ["matcha latte", "20 count (pack of 6)"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0WZ5WE", "worker_id": "A34EHWOYRBL6OZ"}], "B00RWV58J8": [{"asin": "B00RWV58J8", "instruction": "look for butter pasta noodles with no artificial flavors.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: butter pasta", "size: 4.2 ounce (pack of 1)"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["butter pasta"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VT1MXK", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B00RWV58J8", "instruction": "i am looking for an easy to prepare thai sweet chili lo mein flavored pasta.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: thai sweet chili lo mein", "size: 4.3 ounce (pack of 1)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["thai sweet chili lo mein"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLZTDR4", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00RWV58J8", "instruction": "i am looking for knorr pasta sides cheddar broccoli that is easy to prepare and in a 12 pack of the butter and herb flavor.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: butter & herb", "size: pack of 12"], "instruction_attributes": ["easy prepare"], "instruction_options": ["butter & herb"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5Y1W3QR", "worker_id": "AK3JMCIGU8MLU"}], "B084DF85Q2": [{"asin": "B084DF85Q2", "instruction": "i need some perfume that is long lasting and smells like a rainy day", "attributes": ["design house", "long lasting", "fine mist"], "options": ["scent: rain day"], "instruction_attributes": ["long lasting"], "instruction_options": ["rain day"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WZIF7J", "worker_id": "A2ECRNQ3X5LEXD"}], "B07FZYHJGT": [{"asin": "B07FZYHJGT", "instruction": "i am looking for snow boots rubber sole in 6-blue", "attributes": ["water resistant", "long lasting", "light weight", "non slip", "rubber sole", "faux fur"], "options": ["color: 6-blue", "size: 6"], "instruction_attributes": ["rubber sole"], "instruction_options": ["6-blue"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3OHLZM", "worker_id": "A2MSIFDLOHI1UT"}], "B07Z8QGSHR": [{"asin": "B07Z8QGSHR", "instruction": "i'm looking for a womens large lightweight jacket that has soft material and faux fur it should also be red plaid colored.", "attributes": ["winter warm", "soft material", "faux fur"], "options": ["color: p-red plaid", "size: large"], "instruction_attributes": ["soft material", "faux fur"], "instruction_options": ["p-red plaid", "large"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NPFP2C", "worker_id": "A34EHWOYRBL6OZ"}], "B081MCMXSN": [{"asin": "B081MCMXSN", "instruction": "i am looking for a new balance men's sneaker for daily comfort.", "attributes": ["day comfort", "synthetic sole", "rubber outsole"], "options": ["color: lead | workwear | angora", "size: 18 wide"], "instruction_attributes": ["day comfort"], "instruction_options": ["18 wide"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWE1NFG", "worker_id": "A2KW17G25L25R8"}], "B07RZP1S1R": [{"asin": "B07RZP1S1R", "instruction": "i'm looking for a royal blue star wars t-shirt in a youth size double x large. it needs to be machine washable.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: royal blue", "fit type: youth", "size: xx-large"], "instruction_attributes": ["machine wash", "star wars"], "instruction_options": ["royal blue", "youth", "xx-large"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1ORITF", "worker_id": "AR9AU5FY1S3RO"}], "B07P2YQDS3": [{"asin": "B07P2YQDS3", "instruction": "i am looking for 450 mocha color face makeup that is oil free.", "attributes": ["oil free", "fragrance free", "long lasting"], "options": ["color: 450 mocha"], "instruction_attributes": ["oil free"], "instruction_options": ["450 mocha"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMXIASO", "worker_id": "A1Q8PPQQCWGY0D"}], "B09M6NL5F7": [{"asin": "B09M6NL5F7", "instruction": "i would like a pair of wireless bluetooth earbud headphones.", "attributes": ["hands free", "easy use", "stereo sound", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWT1H97F", "worker_id": "A1WS884SI0SLO4"}], "B07MV5B2XB": [{"asin": "B07MV5B2XB", "instruction": "i need a single light brown hair inch extension that's twenty inches long and made from synthetic fibers.", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: light golden brown", "size: 20 inch (pack of 1)"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["light golden brown", "20 inch (pack of 1)"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGQ8YIJ", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07MV5B2XB", "instruction": "i would like a 18 inch wig that is made of natural blonde synthetic hair.", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: natural blonde", "size: 18 inch (pack of 1)"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["natural blonde", "18 inch (pack of 1)"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3YHQ78", "worker_id": "A1WS884SI0SLO4"}], "B096NGXFM5": [{"asin": "B096NGXFM5", "instruction": "i am looking for vintage style pendant light for a living room", "attributes": ["pendant light", "dining room", "living room"], "options": ["size: a style"], "instruction_attributes": ["pendant light", "living room"], "instruction_options": ["a style"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V6Y2UC", "worker_id": "A16M39T60N60NO"}], "B0792QVCH8": [{"asin": "B0792QVCH8", "instruction": "i'm looking for some antiperspirant for sensitive skin.", "attributes": ["anti perspirant", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": [], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZZ1ZJN", "worker_id": "AR9AU5FY1S3RO"}], "B095YJJ79K": [{"asin": "B095YJJ79K", "instruction": "i am looking for some grey anti slip flats that are 8.5 in size.", "attributes": ["anti slip", "rubber sole"], "options": ["color: 7006-211 grey flats", "size: 8.5"], "instruction_attributes": ["anti slip"], "instruction_options": ["7006-211 grey flats", "8.5"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA932OZ3K", "worker_id": "A2ECRNQ3X5LEXD"}], "B085NW4CKC": [{"asin": "B085NW4CKC", "instruction": "looking for heavy duty wooden frame barstools also choose colour brown", "attributes": ["heavy duty", "faux leather", "wood frame"], "options": ["color: brown", "pattern name: bar stools + bench 19 inch"], "instruction_attributes": ["heavy duty", "wood frame"], "instruction_options": ["brown"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35PSUGC", "worker_id": "A10OGH5CQBXL5N"}], "B000GW67G8": [{"asin": "B000GW67G8", "instruction": "i need to buy some fat free jerky. make it sweet & hot.", "attributes": ["fat free", "high protein"], "options": ["flavor name: sweet & hot", "size: 3.25 ounce (pack of 4)"], "instruction_attributes": ["fat free"], "instruction_options": ["sweet & hot"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3MSRYH", "worker_id": "A15ERD4HOFEPHM"}], "B09BJL1232": [{"asin": "B09BJL1232", "instruction": "i would like a black heavy duty hair cutting kit.", "attributes": ["heavy duty", "easy carry", "hair cutting"], "options": ["size: black"], "instruction_attributes": ["heavy duty", "hair cutting"], "instruction_options": ["black"], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YGZZ551", "worker_id": "A1WS884SI0SLO4"}], "B078Z6T13T": [{"asin": "B078Z6T13T", "instruction": "i am looking for a cargo pant made up of polyester cotton which is washable in machine. also choose coyote brown color and 36w x 32l size.", "attributes": ["machine wash", "cotton spandex", "polyester cotton", "elastic waistband"], "options": ["color: coyote brown", "size: 36w x 32l"], "instruction_attributes": ["machine wash", "polyester cotton"], "instruction_options": ["coyote brown", "36w x 32l"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTR74V3", "worker_id": "A2HMEGTAFO0CS8"}], "B094ZQ4WXZ": [{"asin": "B094ZQ4WXZ", "instruction": "i need some easy to install cellular shades that have beige-light filtering and are a size 61\"w by 72\"h", "attributes": ["easy install", "living room"], "options": ["color: beige-light filtering", "size: 61\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["beige-light filtering", "61\"w x 72\"h"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1OKTIJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07T8PZWQT": [{"asin": "B07T8PZWQT", "instruction": "i need some size ten and a half clogs with arch support and a rubber sole. find them in black.", "attributes": ["day comfort", "arch support", "rubber outsole", "rubber sole"], "options": ["color: black", "size: 10.5"], "instruction_attributes": ["arch support", "rubber sole"], "instruction_options": ["black", "10.5"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDQFHR8", "worker_id": "AR9AU5FY1S3RO"}], "B073SYSBTG": [{"asin": "B073SYSBTG", "instruction": "i am looking for petrol blue. coastal themed drapes that are machine washable.", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: petrol blue", "size: 55\" x 39\""], "instruction_attributes": ["machine washable"], "instruction_options": ["petrol blue"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK9EVN3", "worker_id": "AK3JMCIGU8MLU"}], "B07PXNPMVL": [{"asin": "B07PXNPMVL", "instruction": "i'm looking for nickel finish is for ceiling fan its living room.", "attributes": ["brushed nickel", "nickel finish", "vanity light", "clear glass"], "options": ["color: gold", "size: 6\"w x 6\"d x 13\"h"], "instruction_attributes": ["nickel finish"], "instruction_options": ["gold"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7QROBR", "worker_id": "A16IQOX0DK14OJ"}], "B07MF241KR": [{"asin": "B07MF241KR", "instruction": "i'm looking for low rise in skinny leg in women's", "attributes": ["low rise", "hand wash", "imported zipper", "relaxed fit"], "options": ["color: exgm set sail", "size: 34w x 34l"], "instruction_attributes": ["low rise"], "instruction_options": ["exgm set sail"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OU3POA", "worker_id": "A16IQOX0DK14OJ"}], "B0828QN4TX": [{"asin": "B0828QN4TX", "instruction": "im looking for a synthetic hair ponytail extension in the color ginger brown.", "attributes": ["easy use", "high quality", "synthetic hair"], "options": ["color: ginger brown", "size: 3 pcs"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["ginger brown"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2P2NYO", "worker_id": "AK3JMCIGU8MLU"}], "B09984L72W": [{"asin": "B09984L72W", "instruction": "i would like two lights gold wall mounted vanity light.", "attributes": ["wall mounted", "vanity light", "light fixture", "clear glass", "glass shade", "living room"], "options": ["color: 2 lights gold"], "instruction_attributes": ["wall mounted", "vanity light"], "instruction_options": ["2 lights gold"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H6L8UG", "worker_id": "A1WS884SI0SLO4"}], "B078PL897H": [{"asin": "B078PL897H", "instruction": "i need a box spring california king mattress", "attributes": ["ready use", "fully assembled", "assembly required", "box spring", "king size"], "options": ["size: california king", "style name: 4\" foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["california king"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R7GYTS", "worker_id": "A2ECRNQ3X5LEXD"}], "B01JAXJ5DA": [{"asin": "B01JAXJ5DA", "instruction": "i need to buy some moisturizer that's good for fine lines and has anti-aging properties. find some that's paraben free and cruelty free. it should contain natural ingredients.", "attributes": ["anti aging", "paraben free", "cruelty free", "natural ingredients", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "paraben free", "cruelty free", "natural ingredients", "fine lines"], "instruction_options": [], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTQXV4I", "worker_id": "AR9AU5FY1S3RO"}], "B08Y79GX45": [{"asin": "B08Y79GX45", "instruction": "i'm looking for a night fishing wall art picasso for living room in size 31\"x24\"", "attributes": ["ready hang", "living room"], "options": ["color: night fishing", "size: 31\"w x 24\"h"], "instruction_attributes": ["living room"], "instruction_options": ["night fishing", "31\"w x 24\"h"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1DFGY8", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B08Y79GX45", "instruction": "i would like a 47\"w x 31\"h joie de vivre poster for my living room.", "attributes": ["ready hang", "living room"], "options": ["color: joie-de-vivre", "size: 47\"w x 31\"h"], "instruction_attributes": ["living room"], "instruction_options": ["joie-de-vivre", "47\"w x 31\"h"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI70TQYI", "worker_id": "A1WS884SI0SLO4"}], "B07V5J4494": [{"asin": "B07V5J4494", "instruction": "i am looking for hd quad core 10.1\" android tablet with 16gb storage capacity and alexa enabled charging dock", "attributes": ["hands free", "quad core"], "options": ["pattern name: tablet + laptop sleeve", "size: 2gb | 16gb", "style: m10"], "instruction_attributes": ["quad core"], "instruction_options": ["2gb | 16gb"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKTESG3", "worker_id": "A258PTOZ3D2TQR"}], "B093KPKTBG": [{"asin": "B093KPKTBG", "instruction": "im looking for 1 small and 1 medium mesh laundry bags made specifically for underwear and lingerie.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "39O5D9O8742EGYBIU38DD09OUKWC3S", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B093KPKTBG", "instruction": "i want a set of 2 mesh laundry bags with day of the dead skull designs.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YUIT8I", "worker_id": "A2RBF3IIJP15IH"}], "B09HXCP5GT": [{"asin": "B09HXCP5GT", "instruction": "i'm looking for vanity light for laundry room.", "attributes": ["easy assemble", "glass shade", "vanity light", "light fixture"], "options": ["size: 5 lights"], "instruction_attributes": ["glass shade", "vanity light", "light fixture"], "instruction_options": ["5 lights"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KG0PDH", "worker_id": "A16IQOX0DK14OJ"}], "B08DGRFVPH": [{"asin": "B08DGRFVPH", "instruction": "i need a space saving white full sized bed", "attributes": ["space saving", "white item", "storage space", "box spring"], "options": ["color: white", "size: full", "style: headboard - bookcase"], "instruction_attributes": ["space saving"], "instruction_options": ["white", "full"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRM0AW3H", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RQW3PTY": [{"asin": "B07RQW3PTY", "instruction": "i'm looking for an officially licensed captain marvel tank top in heather grey. i need a size medium.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather grey", "fit type: women", "size: medium"], "instruction_attributes": ["officially licensed"], "instruction_options": ["heather grey", "women", "medium"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXSA8WAJ", "worker_id": "AR9AU5FY1S3RO"}], "B093CVDS6G": [{"asin": "B093CVDS6G", "instruction": "i'm looking for a chair for hair salons in color b.", "attributes": ["hair salon", "beauty salon", "hair cutting"], "options": ["color: b"], "instruction_attributes": ["hair salon"], "instruction_options": ["b"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALCEH48", "worker_id": "A3MNXK3VDK37SN"}], "B08863WYVL": [{"asin": "B08863WYVL", "instruction": "i'm looking for a pair of knee high rubber soled boots in coffee colored microfiber. i need them in a size six.", "attributes": ["knee high", "slip resistant", "anti slip", "rubber sole", "high heel"], "options": ["color: coffee pu_microfiber", "size: 6"], "instruction_attributes": ["knee high", "rubber sole"], "instruction_options": ["coffee pu_microfiber", "6"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XB1RFJ", "worker_id": "AR9AU5FY1S3RO"}], "B002SVNCJK": [{"asin": "B002SVNCJK", "instruction": "i am looking for two pack size shampoo that are good for my hair growth.", "attributes": ["hair growth", "hair loss"], "options": ["size: two pack"], "instruction_attributes": ["hair growth"], "instruction_options": ["two pack"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQGC197", "worker_id": "A1Q8PPQQCWGY0D"}], "B0828D3MMZ": [{"asin": "B0828D3MMZ", "instruction": "i'm looking for a organizer for aaa batteries", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB16BLU6", "worker_id": "A2Y2TURT2VEYZN"}], "B09JV9NH3M": [{"asin": "B09JV9NH3M", "instruction": "i am looking for white cheddar flavor cheese powder that is gluten free.", "attributes": ["gluten free", "nut free"], "options": ["flavor name: white cheddar", "size: 1.5 pound (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["white cheddar"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YZ5Q3J", "worker_id": "A1Q8PPQQCWGY0D"}], "B09SLFSY95": [{"asin": "B09SLFSY95", "instruction": "i would like a high quality shower cap.", "attributes": ["easy carry", "high quality", "hair salon"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7Y6Y6G", "worker_id": "A1WS884SI0SLO4"}], "B09JL35FSR": [{"asin": "B09JL35FSR", "instruction": "i need a high quality storage case compatible for my infinitipro. please select the extra small oval brush", "attributes": ["high quality", "storage case", "hair styling"], "options": ["style: attachment: extra small oval brush"], "instruction_attributes": ["high quality", "storage case"], "instruction_options": [], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN2YTPE", "worker_id": "A2COCSUGZV28X"}], "B01FGG0BRO": [{"asin": "B01FGG0BRO", "instruction": "i'm looking for kitchen rugs for kitchen its very clean and contemporary design.", "attributes": ["easy clean", "contemporary design"], "options": ["color: purple | beige", "size: runner 2' 7 x 10' 0"], "instruction_attributes": ["easy clean", "contemporary design"], "instruction_options": ["purple | beige"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GF0UZF", "worker_id": "A16IQOX0DK14OJ"}], "B08134QHQS": [{"asin": "B08134QHQS", "instruction": "i would like a hair cutting kit with stainless steel sheers.", "attributes": ["stainless steel", "hair cutting", "dry hair"], "options": [""], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y0VJ52", "worker_id": "A1WS884SI0SLO4"}], "B09JCM6HP8": [{"asin": "B09JCM6HP8", "instruction": "find me a knee high anti slip open toe ankle booties in black color and size 6.5.", "attributes": ["knee high", "anti slip", "open toe", "steel toe", "rubber sole"], "options": ["color: black", "size: 6.5"], "instruction_attributes": ["knee high", "anti slip", "open toe"], "instruction_options": ["black", "6.5"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JDMFSX", "worker_id": "A3AYHESLQSDY5T"}], "B09FFV4CQJ": [{"asin": "B09FFV4CQJ", "instruction": "i looking for 8 oz resealable bag in 4 oz", "attributes": ["resealable bag", "great gift", "baby shower", "birthday party"], "options": ["size: 4 oz"], "instruction_attributes": ["resealable bag"], "instruction_options": ["4 oz"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN2QPT2", "worker_id": "A16M39T60N60NO"}], "B0798LFCHQ": [{"asin": "B0798LFCHQ", "instruction": "i am looking for gmo free peanut butter.size should be 2.65 ounce and pack of 48.", "attributes": ["gmo free", "ready eat", "non gmo"], "options": ["flavor name: vanilla", "size: 2.65 ounce (pack of 48)"], "instruction_attributes": ["gmo free"], "instruction_options": ["2.65 ounce (pack of 48)"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOFGLLA", "worker_id": "A3FG5PQHG5AH3Y"}], "B09RMVQC2S": [{"asin": "B09RMVQC2S", "instruction": "i would like a s blue toothbrush for sensitive teeth.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: blue", "size: s"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["blue", "s"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1GPXR8", "worker_id": "A1WS884SI0SLO4"}], "B07ZW2WP2S": [{"asin": "B07ZW2WP2S", "instruction": "i am looking for fluoride free toothpaste that is made with coconut oil", "attributes": ["fluoride free", "coconut oil"], "options": [""], "instruction_attributes": ["fluoride free", "coconut oil"], "instruction_options": [], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9AC8N8", "worker_id": "A2COCSUGZV28X"}], "B08S7KZVFX": [{"asin": "B08S7KZVFX", "instruction": "i would like a 16 ounce ultra gold sugar free energy drink,", "attributes": ["sugar free", "zero sugar"], "options": ["flavor name: ultra gold", "size: 16 ounce (pack of 24)"], "instruction_attributes": ["sugar free"], "instruction_options": ["ultra gold", "16 ounce (pack of 24)"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TUMMPQ", "worker_id": "A1WS884SI0SLO4"}], "B00LYD49OU": [{"asin": "B00LYD49OU", "instruction": "i am looking for chocolate covered cakes of size 1 pound.", "attributes": ["chocolate covered", "great gift"], "options": ["flavor: homestead box", "size: 1 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["1 pound"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WTG24V", "worker_id": "A1Q8PPQQCWGY0D"}], "B07ZWJP934": [{"asin": "B07ZWJP934", "instruction": "i'm looking for some sulfate free, paraben free conditioner with argan oil for dry hair.", "attributes": ["sulfate free", "paraben free", "argan oil", "hair extensions", "dry hair", "hair loss"], "options": [""], "instruction_attributes": ["sulfate free", "paraben free", "argan oil", "dry hair"], "instruction_options": [], "assignment_id": "3VW04L3ZL4GEZUTR5OBOYTJ22XMXXG", "worker_id": "AR9AU5FY1S3RO"}], "B09CM83LD6": [{"asin": "B09CM83LD6", "instruction": "i'm looking for a two in one multifunctional led wall lamp.", "attributes": ["wall mounted", "living room"], "options": ["color: black-1pcs", "number of items: 1"], "instruction_attributes": ["wall mounted"], "instruction_options": ["black-1pcs"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WTW24B", "worker_id": "A21IUUHBSEVB56"}], "B07YBGFM6S": [{"asin": "B07YBGFM6S", "instruction": "fully cooked shredded chicken taco kit", "attributes": ["fully cooked", "gluten free"], "options": [""], "instruction_attributes": ["fully cooked"], "instruction_options": [], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KGXPDE", "worker_id": "A10OGH5CQBXL5N"}], "B08ZCMJ9J1": [{"asin": "B08ZCMJ9J1", "instruction": "i am looking for a plant based lip balm that is effective for dry lips", "attributes": ["plant based", "animal testing", "paraben free", "cruelty free", "green tea", "seed oil", "argan oil"], "options": ["color: 04 sunset garden (tinted)"], "instruction_attributes": ["plant based"], "instruction_options": ["04 sunset garden (tinted)"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XUCGNL", "worker_id": "A2COCSUGZV28X"}], "B08FT5KP1M": [{"asin": "B08FT5KP1M", "instruction": "i am looking for signal antenna booster stickers that are easy to carry and install.", "attributes": ["easy carry", "easy install"], "options": [""], "instruction_attributes": ["easy carry", "easy install"], "instruction_options": [], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNUIFJQ", "worker_id": "A1Q8PPQQCWGY0D"}], "B00L1ISK48": [{"asin": "B00L1ISK48", "instruction": "i am looking for brushed nickel in amber", "attributes": ["brushed nickel", "glass shade"], "options": ["color: amber | brushed nickel", "style: ws72led"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["amber | brushed nickel"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TOKN3V", "worker_id": "A2MSIFDLOHI1UT"}], "B09CKX151Z": [{"asin": "B09CKX151Z", "instruction": "i'm looking for something that is easily cleaned.", "attributes": ["easy clean", "dry hair"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFQAE9Z", "worker_id": "A2JP9IKRHNLRPI"}], "B08H5SPHMQ": [{"asin": "B08H5SPHMQ", "instruction": "i want a tea tree conditioner that is sulfate and paraben free. pick a pack of 2 containing 6 ounce.", "attributes": ["sulfate free", "paraben free", "tea tree"], "options": ["scent: orchid & white truffle", "size: 6 ounce (pack of 2)"], "instruction_attributes": ["sulfate free", "paraben free", "tea tree"], "instruction_options": ["6 ounce (pack of 2)"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPMNNJQ", "worker_id": "A1NF6PELRKACS9"}], "B081W1D8H7": [{"asin": "B081W1D8H7", "instruction": "i'm looking for a pack of high quality hair extensions that are 20 inches long. can you pick the silver one.", "attributes": ["high quality", "hair extensions"], "options": ["color: #1b | silver | 1b", "size: 20 inch (pack of 1)"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["#1b | silver | 1b", "20 inch (pack of 1)"], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q7KII7", "worker_id": "A3LIIE572Z4OG7"}], "B00CQ7ZAK0": [{"asin": "B00CQ7ZAK0", "instruction": "i would like a conditioner that is made with all natural ingredients.", "attributes": ["natural ingredients", "dry hair"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOSMYVY", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FJFHRYF": [{"asin": "B09FJFHRYF", "instruction": "i would like a gray toiletry bag that is water resistant.", "attributes": ["water resistant", "easy clean", "storage case"], "options": ["color: gray"], "instruction_attributes": ["water resistant"], "instruction_options": ["gray"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WBAOUK", "worker_id": "A1WS884SI0SLO4"}], "B0754DL6N6": [{"asin": "B0754DL6N6", "instruction": "i'm looking for a size 30\" x 20\" king size pillow case.", "attributes": ["super soft", "machine washable", "king size"], "options": ["color: brown black", "size: 30\" x 20\""], "instruction_attributes": ["king size"], "instruction_options": ["30\" x 20\""], "assignment_id": "369J354OFOKQUTE5FR2UAU6N232G6O", "worker_id": "ARQ05PDNXPFDI"}], "B08Q256HCX": [{"asin": "B08Q256HCX", "instruction": "look for a 120 count box of denture cleaning tablets that are easy to use.", "attributes": ["easy use", "bad breath"], "options": ["size: 120 count (pack of 1)"], "instruction_attributes": ["easy use"], "instruction_options": ["120 count (pack of 1)"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZSWSH5", "worker_id": "AR9AU5FY1S3RO"}], "B07PH1WPZ7": [{"asin": "B07PH1WPZ7", "instruction": "i am looking for brown color medium size star wars men's t-shirt. the cloth must be classic fit and needle sleeve.", "attributes": ["officially licensed", "needle sleeve", "classic fit", "star wars"], "options": ["color: brown", "fit type: men", "size: medium"], "instruction_attributes": ["needle sleeve", "classic fit", "star wars"], "instruction_options": ["brown", "men", "medium"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP1BXTA", "worker_id": "A3R8PQCD99H61E"}], "B08PB2MNHY": [{"asin": "B08PB2MNHY", "instruction": "i am searching for a gold color smart watch bands compatible for apple and any one of the sizes 38mm | 40mm | 41mm", "attributes": ["compatible apple", "easy install"], "options": ["color: black red gold", "size: 38mm | 40mm | 41mm-l"], "instruction_attributes": ["compatible apple"], "instruction_options": ["black red gold", "38mm | 40mm | 41mm-l"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUMLZVL", "worker_id": "A258PTOZ3D2TQR"}], "B09NMR2494": [{"asin": "B09NMR2494", "instruction": "i'm looking for a gift basket of cookies which i believe will be a perfect gift for my wife.", "attributes": ["individually wrapped", "perfect gift", "gift basket"], "options": [""], "instruction_attributes": ["perfect gift", "gift basket"], "instruction_options": [], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT9H736", "worker_id": "A1Q0EUNCS50S8M"}], "B0841QLKFN": [{"asin": "B0841QLKFN", "instruction": "i would like a women's vesper perfume in a travel size bottle.", "attributes": ["alcohol free", "travel size"], "options": ["color: vesper \u2640\u2642", "style: women"], "instruction_attributes": ["travel size"], "instruction_options": ["vesper \u2640\u2642", "women"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZVQ043", "worker_id": "A1WS884SI0SLO4"}], "B092MKGSW3": [{"asin": "B092MKGSW3", "instruction": "i'm looking for a size 7 non slip hedgehog running shoes", "attributes": ["non slip", "rubber sole", "unique design"], "options": ["color: anime 05b", "size: 7"], "instruction_attributes": ["non slip"], "instruction_options": ["anime 05b", "7"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJUVBXI", "worker_id": "A2Y2TURT2VEYZN"}], "B09T3BRHBY": [{"asin": "B09T3BRHBY", "instruction": "i want a stainless steel ronyme camera tripod screw.", "attributes": ["quick release", "stainless steel"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMXWSAK", "worker_id": "A2RBF3IIJP15IH"}], "B07ZYSXHX4": [{"asin": "B07ZYSXHX4", "instruction": "i'm looking for a pair of size six high heels with a rubber sole. look for them in black.", "attributes": ["high heel", "rubber sole"], "options": ["color: black-standard pump", "size: 6"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["black-standard pump", "6"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP6S7J7", "worker_id": "AR9AU5FY1S3RO"}], "B083FK5F3G": [{"asin": "B083FK5F3G", "instruction": "i would like a deepgold automobile charger that is fast wireless charging.", "attributes": ["fast charging", "wireless charging"], "options": ["color: deepgold"], "instruction_attributes": ["fast charging", "wireless charging"], "instruction_options": ["deepgold"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG3H549", "worker_id": "A1WS884SI0SLO4"}], "B00AXJA2V0": [{"asin": "B00AXJA2V0", "instruction": "i will love to have the fragrance free almay smart shade mousse makeup with deep color.", "attributes": ["dermatologist tested", "fragrance free"], "options": ["color: deep"], "instruction_attributes": ["fragrance free"], "instruction_options": ["deep"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVUZX91", "worker_id": "A1IL2K0ELYI090"}], "B08PTRVDB5": [{"asin": "B08PTRVDB5", "instruction": "i want a easy to use soundbar with stereo sound.", "attributes": ["plug play", "hands free", "easy use", "high definition", "stereo sound"], "options": [""], "instruction_attributes": ["easy use", "stereo sound"], "instruction_options": [], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRU1BZN", "worker_id": "AVIEE6LDH0BT5"}], "B09BYSRP2V": [{"asin": "B09BYSRP2V", "instruction": "i need to buy a chair for my living room with a solid wood frame and lumbar support. it should have brown fabric.", "attributes": ["lumbar support", "faux leather", "wood frame", "solid wood", "living room"], "options": ["color: cognac brown", "style: fabric"], "instruction_attributes": ["lumbar support", "wood frame", "solid wood", "living room"], "instruction_options": ["cognac brown", "fabric"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1FQXC6", "worker_id": "AR9AU5FY1S3RO"}], "B08BND9C5J": [{"asin": "B08BND9C5J", "instruction": "i am looking for pink running shoes that have a rubber sole and are in a size 14", "attributes": ["lace closure", "rubber sole"], "options": ["color: oxygen blue | pink", "size: 14"], "instruction_attributes": ["rubber sole"], "instruction_options": ["oxygen blue | pink", "14"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYQZN7T", "worker_id": "A2ECRNQ3X5LEXD"}], "B08JJWK856": [{"asin": "B08JJWK856", "instruction": "i am looking for an antioxidant mix of mixed nuts that are non gmo and come in a pack of 15.", "attributes": ["artificial ingredients", "plant based", "non gmo", "protein serving", "gluten free"], "options": ["flavor name: antioxidant mix", "size: 1 ounce (pack of 15)"], "instruction_attributes": ["non gmo"], "instruction_options": ["antioxidant mix", "1 ounce (pack of 15)"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJWLVGM", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08JJWK856", "instruction": "i am looking for some gluten free honey roasted mixed nuts.", "attributes": ["artificial ingredients", "plant based", "non gmo", "protein serving", "gluten free"], "options": ["flavor name: honey roasted mixed nuts", "size: 1 ounce (pack of 8)"], "instruction_attributes": ["gluten free"], "instruction_options": ["honey roasted mixed nuts"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOH7NOL", "worker_id": "A1EREKSZAA9V7B"}], "B08CGXY2XQ": [{"asin": "B08CGXY2XQ", "instruction": "i am looking for a high definition tempered glass screen protector.", "attributes": ["high definition", "tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["high definition", "tempered glass"], "instruction_options": [], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4MI98Z", "worker_id": "A1EREKSZAA9V7B"}], "B07KW3HQLX": [{"asin": "B07KW3HQLX", "instruction": "i am looking for brown color classic fit t-shirt.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: brown", "fit type: men", "size: small"], "instruction_attributes": ["classic fit"], "instruction_options": ["brown"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH155DWH9", "worker_id": "A1Q8PPQQCWGY0D"}], "B0854DBKRB": [{"asin": "B0854DBKRB", "instruction": "i am looking for women's golf skorts of medium size with elastic waistband.", "attributes": ["moisture wicking", "elastic waistband"], "options": ["color: light purple", "size: medium"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["medium"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I36S1C", "worker_id": "A1Q8PPQQCWGY0D"}], "B09NNM44JW": [{"asin": "B09NNM44JW", "instruction": "get me leak proof and easy to carry pump dispenser bottle for nail polish and make up removing.", "attributes": ["leak proof", "easy carry", "nail polish"], "options": [""], "instruction_attributes": ["leak proof", "easy carry", "nail polish"], "instruction_options": [], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM70HZ3", "worker_id": "A3AYHESLQSDY5T"}], "B00RM5NPAS": [{"asin": "B00RM5NPAS", "instruction": "i am looking for some gluten free yellow dog sweet shake flavored gourmet spice blends.", "attributes": ["gluten free", "great gift"], "options": ["flavor name: yellow dog sweet shake", "size: 4.25 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["yellow dog sweet shake"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVQO17V", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00RM5NPAS", "instruction": "gluten-free spice seasonings", "attributes": ["gluten free", "great gift"], "options": ["flavor name: jammin\u2019 salmon rub", "size: 7.75 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3V26SBZTBOOS9KTL7ONUSZFOIZ8ZZ6", "worker_id": "A3TTGSUBIK1YCL"}, {"asin": "B00RM5NPAS", "instruction": "i'm looking for gourmet spice blends and shake.", "attributes": ["gluten free", "great gift"], "options": ["flavor name: jammin\u2019 salmon rub", "size: 3.5 ounce (pack of 1)"], "instruction_attributes": ["great gift"], "instruction_options": ["3.5 ounce (pack of 1)"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAGAIF0", "worker_id": "A21IUUHBSEVB56"}], "B084RRBLJ2": [{"asin": "B084RRBLJ2", "instruction": "i am looking for a argan oil hair color. also choose chrome - 3oz one.", "attributes": ["argan oil", "permanent hair"], "options": ["color: chrome - 3oz"], "instruction_attributes": ["argan oil"], "instruction_options": ["chrome - 3oz"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WTV42C", "worker_id": "A2HMEGTAFO0CS8"}], "B09P2R22LF": [{"asin": "B09P2R22LF", "instruction": "i am looking for high quality hair care center to exten my hair without hair loss. hair extensions must be body wave and 5x5 lace closure .", "attributes": ["high quality", "hair loss"], "options": ["color: body wave 5x5 lace closure", "size: 18\" 18\" 18\""], "instruction_attributes": ["high quality", "hair loss"], "instruction_options": ["body wave 5x5 lace closure"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRUAZBK", "worker_id": "A3R8PQCD99H61E"}, {"asin": "B09P2R22LF", "instruction": "i need some high quality 12 inch extensions", "attributes": ["high quality", "hair loss"], "options": ["color: body wave 13x4 frontal", "size: 12 inch"], "instruction_attributes": ["high quality"], "instruction_options": ["12 inch"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7LY5NS", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09P2R22LF", "instruction": "i need to buy high quality hair extensions. look for them in the pineapple color.", "attributes": ["high quality", "hair loss"], "options": ["color: pineapple deep wave", "size: 26 26 26"], "instruction_attributes": ["high quality"], "instruction_options": ["pineapple deep wave"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMOOWMO", "worker_id": "AR9AU5FY1S3RO"}], "B00KSMJZD8": [{"asin": "B00KSMJZD8", "instruction": "i am looking for outdoor speakers of 300w and with powerful bass.", "attributes": ["power amplifier", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZO3Y1X", "worker_id": "A21IUUHBSEVB56"}], "B081SGNY71": [{"asin": "B081SGNY71", "instruction": "i need fluoide free toothpaste for fresh breath.", "attributes": ["animal testing", "fluoride free", "fresh breath"], "options": [""], "instruction_attributes": ["fluoride free", "fresh breath"], "instruction_options": [], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVY27ID0", "worker_id": "ASWFLI3N8X72G"}], "B07H6V8Q75": [{"asin": "B07H6V8Q75", "instruction": "i would like a 2xl navy grey shirt i can wash in a machine.", "attributes": ["machine wash", "wash cold", "button closure", "gym workout", "tumble dry", "daily wear"], "options": ["color: navy grey", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy grey", "xx-large"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP5H7JU", "worker_id": "A1WS884SI0SLO4"}], "B01MG9KT77": [{"asin": "B01MG9KT77", "instruction": "i need 18 inch hair extensions", "attributes": ["hair extensions", "natural hair"], "options": ["color: #12-613", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["18 inch"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLJL2FF", "worker_id": "A2ECRNQ3X5LEXD"}], "B096GZ2VPR": [{"asin": "B096GZ2VPR", "instruction": "i would like a vanilla 3.5 oz cupcake soy wax candle.", "attributes": ["lead free", "soy wax"], "options": ["scent: vanilla cupcake", "size: 3.5 oz (silver colored lid)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC57OKRK", "worker_id": "A1WS884SI0SLO4"}], "B09MTYXSBM": [{"asin": "B09MTYXSBM", "instruction": "i am in need of some high quality toothbrushes that are blue for ages 2-6", "attributes": ["travel size", "high quality"], "options": ["color: blue", "size: aged 2-6"], "instruction_attributes": ["high quality"], "instruction_options": ["blue", "aged 2-6"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT3RP3Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B097JLBD2M": [{"asin": "B097JLBD2M", "instruction": "i am looking for 8 cupcake toppers that are black for teen girls", "attributes": ["open toe", "ankle strap", "lace closure", "memory foam", "teen girls"], "options": ["color: z-bo-black", "size: 8"], "instruction_attributes": ["teen girls"], "instruction_options": ["z-bo-black", "8"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX7WFAI", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GV5Y88D": [{"asin": "B09GV5Y88D", "instruction": "i need some high quality stainless steel hair cutting shears that are six inches long.", "attributes": ["high quality", "non slip", "stainless steel", "hair cutting"], "options": ["color: 6inch cutting"], "instruction_attributes": ["high quality", "stainless steel", "hair cutting"], "instruction_options": ["6inch cutting"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKF2889", "worker_id": "AR9AU5FY1S3RO"}], "B08DQX3HXF": [{"asin": "B08DQX3HXF", "instruction": "i am looking to buy a black throw blanket that is 80 in x 60 in for my living room.", "attributes": ["super soft", "living room"], "options": ["color: black11", "size: 80 in x 60 in"], "instruction_attributes": ["living room"], "instruction_options": ["black11", "80 in x 60 in"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH155OHW5", "worker_id": "A114NK7T5673GK"}], "B099LLV3WN": [{"asin": "B099LLV3WN", "instruction": "where can i find this special sauce? please help me .keto barbecue bbq sauce by yo mama's foods. carefully read all the features i need on the label. low carb, low sugar, gluten free, non gmo, classic pizza sauce flavor. if you can't find it let me know soon.", "attributes": ["low carb", "low sugar", "gluten free", "dairy free", "non gmo", "natural ingredients"], "options": ["flavor name: classic pizza sauce", "size: 12.5 ounce (pack of 1)"], "instruction_attributes": ["low carb", "low sugar", "gluten free", "non gmo"], "instruction_options": ["classic pizza sauce"], "assignment_id": "37TRT2X24116R7L1JO45INKV8WFJB1", "worker_id": "A15IJ20C3R4HUO"}], "B00WJY5QA4": [{"asin": "B00WJY5QA4", "instruction": "i need a remote control with aaa betteries", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFIDMV1", "worker_id": "A2Y2TURT2VEYZN"}], "B07MTMZC83": [{"asin": "B07MTMZC83", "instruction": "i would like a tan faux leather armchair.", "attributes": ["contemporary style", "faux leather"], "options": ["color: tan", "size: armchair"], "instruction_attributes": ["faux leather"], "instruction_options": ["tan", "armchair"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTLZ4D2", "worker_id": "A1WS884SI0SLO4"}], "B093FVJ8Z6": [{"asin": "B093FVJ8Z6", "instruction": "i am looking for a dome cameras batteries included", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQH4HHY", "worker_id": "A9QRQL9CFJBI7"}], "B08T1VSSL5": [{"asin": "B08T1VSSL5", "instruction": "i need a purple tie-dyed dresser with a steel frame.", "attributes": ["assembly required", "steel frame", "living room"], "options": ["color: tie-dye purple"], "instruction_attributes": ["steel frame"], "instruction_options": ["tie-dye purple"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QS6XOY", "worker_id": "AR9AU5FY1S3RO"}], "B07CZ7BGGT": [{"asin": "B07CZ7BGGT", "instruction": "i'm looking for perfect men's trail running.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: red", "size: 7.5 m uk"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["7.5 m uk"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XTONG2", "worker_id": "A21IUUHBSEVB56"}], "B095YYL9GJ": [{"asin": "B095YYL9GJ", "instruction": "i would like a blue cupcake topper for a birthday party.", "attributes": ["birthday party", "cupcake picks"], "options": ["color: blue"], "instruction_attributes": ["birthday party"], "instruction_options": ["blue"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPJRVQE", "worker_id": "A1WS884SI0SLO4"}], "B08HH7VTSL": [{"asin": "B08HH7VTSL", "instruction": "add to my cart polo red men by ralph lauren edt spray and should have a long lasting scent.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["design house", "long lasting"], "instruction_options": [], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH3U6HS", "worker_id": "AHU9OLV0YKIIW"}], "B09LR9LHPG": [{"asin": "B09LR9LHPG", "instruction": "i am looking for a sulfate free shampoo set that is 13.5 fl oz", "attributes": ["sulfate free", "cruelty free", "plant based", "paraben free", "coconut oil"], "options": ["size: 13.5 fl oz", "style: shampoo only"], "instruction_attributes": ["sulfate free"], "instruction_options": ["13.5 fl oz"], "assignment_id": "31JLPPHS254FPN8LK8H48035JYN3OO", "worker_id": "A2ECRNQ3X5LEXD"}], "B00FHXH5LC": [{"asin": "B00FHXH5LC", "instruction": "i'm looking for an easy to clean coffee table for my living room. i want one that's in a modern style with natural wood.", "attributes": ["easy clean", "white finish", "living room"], "options": ["color: natural", "style: modern"], "instruction_attributes": ["easy clean", "living room"], "instruction_options": ["natural", "modern"], "assignment_id": "31JLPPHS254FPN8LK8H48035JYEO30", "worker_id": "AR9AU5FY1S3RO"}], "B09SXQJ94X": [{"asin": "B09SXQJ94X", "instruction": "i looking a high power telescope for bird watching with smartphone adapter and tripod", "attributes": ["non slip", "high power", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA9G2SZ", "worker_id": "A3N9ZYQAESNFQH"}], "B09QHL1LDY": [{"asin": "B09QHL1LDY", "instruction": "i'm looking for a 5 pieces metal decorative loops for apple watch series 7/6/5/4/3/2/1 band silicon strap.", "attributes": ["compatible apple", "long lasting", "stainless steel"], "options": ["color: # x"], "instruction_attributes": ["stainless steel"], "instruction_options": ["# x"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4DDRQG", "worker_id": "A21IUUHBSEVB56"}], "B09S8MFC3R": [{"asin": "B09S8MFC3R", "instruction": "i'm looking for 8.5 wide open toe women sandals.", "attributes": ["open toe", "ankle strap", "closed toe"], "options": ["color: v75 - black", "size: 8.5 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["8.5 wide"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAUCN9CN", "worker_id": "ARQ05PDNXPFDI"}], "B005FO8MFG": [{"asin": "B005FO8MFG", "instruction": "i'm looking for a camellia seed oil conditioner, fragance free", "attributes": ["fragrance free", "oil free", "seed oil", "hair treatment", "dry hair"], "options": [""], "instruction_attributes": ["fragrance free", "seed oil"], "instruction_options": [], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA9N2S6", "worker_id": "A2Y2TURT2VEYZN"}], "B08X2QWP6M": [{"asin": "B08X2QWP6M", "instruction": "i would like some peanut butter cookies that are ready to eat.", "attributes": ["ready eat", "simple ingredients", "high fructose"], "options": ["flavor name: peanut butter"], "instruction_attributes": ["ready eat"], "instruction_options": ["peanut butter"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FIZEL0", "worker_id": "A1WS884SI0SLO4"}], "B08C73M2QH": [{"asin": "B08C73M2QH", "instruction": "i would like a bath brush for dead and dry skin.", "attributes": ["high quality", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["dry skin", "dead skin"], "instruction_options": [], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYG8280", "worker_id": "A1WS884SI0SLO4"}], "B0836KS1QC": [{"asin": "B0836KS1QC", "instruction": "i am looking for a mid century metal floor lamp with a brushed nickel finish.", "attributes": ["mid century", "bronze finish"], "options": ["color: brushed nickel", "size: 28.75 inch"], "instruction_attributes": ["mid century"], "instruction_options": ["brushed nickel"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SYOUDG", "worker_id": "A1EREKSZAA9V7B"}], "B0758K4MPX": [{"asin": "B0758K4MPX", "instruction": "i need a 1.7 ounce perfume set that is long lasting.", "attributes": ["design house", "long lasting"], "options": ["size: 1.7 ounce"], "instruction_attributes": ["long lasting"], "instruction_options": ["1.7 ounce"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L5JVC4", "worker_id": "A1NF6PELRKACS9"}], "B098THDLMD": [{"asin": "B098THDLMD", "instruction": "i need a stainless steel pedicure tool to remove dead skin and i would like an 8 piece black set if possible.", "attributes": ["high quality", "long lasting", "stainless steel", "dead skin"], "options": ["color: 8pcs-black"], "instruction_attributes": ["stainless steel", "dead skin"], "instruction_options": ["8pcs-black"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFIQVMN", "worker_id": "AJQGWGESKQT4Y"}], "B09QT1YBXB": [{"asin": "B09QT1YBXB", "instruction": "i would like an xx-large black long sleeve shirt for daily casual wear, thanks", "attributes": ["daily casual", "slim fit", "lace closure", "relaxed fit", "button closure", "long sleeve", "dry clean"], "options": ["color: black", "size: xx-large"], "instruction_attributes": ["daily casual", "long sleeve"], "instruction_options": ["black", "xx-large"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MPRFOA", "worker_id": "A2TRV8SEM003GG"}], "B06Y3Z56DR": [{"asin": "B06Y3Z56DR", "instruction": "i would like a 2.4 ounce bottle of deodorant that is made from natural ingredients.", "attributes": ["long lasting", "plant based", "natural ingredients", "sensitive skin"], "options": ["size: 2.4 ounce (pack of 3)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["2.4 ounce (pack of 3)"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPBCDQK", "worker_id": "A1WS884SI0SLO4"}], "B09N72QX3Z": [{"asin": "B09N72QX3Z", "instruction": "i would like a 4g lte tablet with a high resolution.", "attributes": ["long lasting", "high resolution", "high performance", "easy use", "glass screen", "4g lte"], "options": [""], "instruction_attributes": ["high resolution", "4g lte"], "instruction_options": [], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LL55IB", "worker_id": "A1WS884SI0SLO4"}], "B08SR3JNGT": [{"asin": "B08SR3JNGT", "instruction": "i'm looking for a pair of running shorts made out of polyester spandex with an elastic waistband. i want them in red, size small.", "attributes": ["hand wash", "polyester spandex", "elastic closure", "elastic waistband"], "options": ["color: red", "size: small"], "instruction_attributes": ["polyester spandex", "elastic waistband"], "instruction_options": ["red", "small"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRUXZB7", "worker_id": "AR9AU5FY1S3RO"}], "B09NBZ4LFC": [{"asin": "B09NBZ4LFC", "instruction": "i am looking for wireless bluetooth speakers in the color a.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: a"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["a"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HGDOHY4", "worker_id": "A2ECRNQ3X5LEXD"}], "B077JJ6Q3G": [{"asin": "B077JJ6Q3G", "instruction": "i would like a twin size blue bunk bed.", "attributes": ["twin size", "space saving"], "options": ["color: blue", "size: twin"], "instruction_attributes": ["twin size"], "instruction_options": ["blue", "twin"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G79374H", "worker_id": "A1WS884SI0SLO4"}], "B09J81RMLD": [{"asin": "B09J81RMLD", "instruction": "i am looking for teeth whitening toothbrush in green bear size", "attributes": ["teeth whitening", "easy use"], "options": ["color: b01#green bear", "size: aged 6-12"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["b01#green bear"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG9BLSB", "worker_id": "A16M39T60N60NO"}], "B07Q98YNYF": [{"asin": "B07Q98YNYF", "instruction": "i am looking for some noise cancelling earbud headphones", "attributes": ["noise cancelling", "long lasting", "hands free", "easy carry", "wireless bluetooth"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LATERV", "worker_id": "A2ECRNQ3X5LEXD"}], "B074524C3Y": [{"asin": "B074524C3Y", "instruction": "i'm looking for sheer window curtains that are machine washable and 55 in x 108 in. also, they should be mint color.", "attributes": ["machine washable", "white item"], "options": ["color: mint", "size: 55 in x 108 in"], "instruction_attributes": ["machine washable"], "instruction_options": ["mint", "55 in x 108 in"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJOL0WL", "worker_id": "A34EHWOYRBL6OZ"}], "B094SLNNGD": [{"asin": "B094SLNNGD", "instruction": "i am looking for cruelty free lip balm having 3pk warm flavors scent .", "attributes": ["cruelty free", "coconut oil", "natural ingredients"], "options": ["scent: 3pk warm flavors"], "instruction_attributes": ["cruelty free"], "instruction_options": ["3pk warm flavors"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRWEPWY", "worker_id": "A1Q8PPQQCWGY0D"}], "B099PBZ3WK": [{"asin": "B099PBZ3WK", "instruction": "i'm looking for portable android tablet with dual speaker.", "attributes": ["high definition", "quad core"], "options": ["color: golden"], "instruction_attributes": ["high definition"], "instruction_options": ["golden"], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YNAAGS", "worker_id": "A21IUUHBSEVB56"}], "B09J7NJ2LN": [{"asin": "B09J7NJ2LN", "instruction": "i am looking for a loose fit blue top that is a small.", "attributes": ["loose fit", "hand wash", "long sleeve", "short sleeve", "tumble dry", "daily wear"], "options": ["color: gtp1 - zi7-blue", "size: small"], "instruction_attributes": ["loose fit"], "instruction_options": ["gtp1 - zi7-blue", "small"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEXJUUO", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NV7S8M3": [{"asin": "B07NV7S8M3", "instruction": "i would like a 10 by 8 foot photo backdrop that is light weight and easy to carry.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 10x8ft"], "instruction_attributes": ["light weight", "easy carry"], "instruction_options": ["10x8ft"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LL8I5R", "worker_id": "A1WS884SI0SLO4"}], "B0849Q9FGM": [{"asin": "B0849Q9FGM", "instruction": "i am looking for an intel core all in one pc.", "attributes": ["intel core", "quad core"], "options": [""], "instruction_attributes": ["intel core"], "instruction_options": [], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OUEPOL", "worker_id": "A2ECRNQ3X5LEXD"}], "B000QSOC4Q": [{"asin": "B000QSOC4Q", "instruction": "i need some coconut milk that is rich and creamy", "attributes": ["rich creamy", "non gmo"], "options": [""], "instruction_attributes": ["rich creamy"], "instruction_options": [], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJK9OLI", "worker_id": "A2ECRNQ3X5LEXD"}], "B0986W42KJ": [{"asin": "B0986W42KJ", "instruction": "i am looking for dust proof monoculars having high definition.", "attributes": ["dust proof", "high definition", "bird watching"], "options": [""], "instruction_attributes": ["dust proof"], "instruction_options": [], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTVCWXI", "worker_id": "A1Q8PPQQCWGY0D"}], "B07T75MQTL": [{"asin": "B07T75MQTL", "instruction": "i want glitter crown cupcake picks.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["cupcake picks"], "instruction_options": [], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQFD6SH", "worker_id": "A2RBF3IIJP15IH"}], "B081QXQNVQ": [{"asin": "B081QXQNVQ", "instruction": "i am looking for a tv stand and console that has storage shelves. i choose the sargent oak color for for my 55\" tv", "attributes": ["tempered glass", "storage space"], "options": ["color: sargent oak", "style name: 50\" kenton w | fireplace"], "instruction_attributes": ["tempered glass"], "instruction_options": ["sargent oak", "50\" kenton w | fireplace"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK24AMKNJ", "worker_id": "A2COCSUGZV28X"}], "B09B7B6ZZB": [{"asin": "B09B7B6ZZB", "instruction": "i am looking for a heel booties pump with leather sole . also choose black color and size no 9.", "attributes": ["leather sole", "rubber sole"], "options": ["color: black", "size: 9"], "instruction_attributes": ["leather sole"], "instruction_options": ["black", "9"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMR6XE2", "worker_id": "A2HMEGTAFO0CS8"}], "B07M754CQY": [{"asin": "B07M754CQY", "instruction": "i am looking a light brown natural hair extention 20 inch long", "attributes": ["natural hair", "hair loss"], "options": ["color: #60", "size: 20 inch"], "instruction_attributes": ["natural hair"], "instruction_options": ["20 inch"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647C73HY", "worker_id": "A3N9ZYQAESNFQH"}], "B013ILQ0IS": [{"asin": "B013ILQ0IS", "instruction": "i would like a navy medium short scrub bottoms with a relaxed fit.", "attributes": ["easy care", "machine wash", "relaxed fit", "stretch fabric", "imported zipper", "polyester spandex", "tumble dry"], "options": ["color: navy", "size: medium short"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["navy", "medium short"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68HJ4AF", "worker_id": "A1WS884SI0SLO4"}], "B08S3BPLWX": [{"asin": "B08S3BPLWX", "instruction": "i want grey color lumbar support, pu leather swivel adjustable executive chair with flip-up arms", "attributes": ["heavy duty", "easy install", "pu leather", "lumbar support"], "options": ["color: grey"], "instruction_attributes": ["pu leather", "lumbar support"], "instruction_options": ["grey"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUF6ZDB", "worker_id": "A1V2C99HEV3F14"}], "B09P8GG6JY": [{"asin": "B09P8GG6JY", "instruction": "i'm looking for a toothpaste for teeth whitening", "attributes": ["teeth whitening", "natural ingredients"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2AUY7L", "worker_id": "A2Y2TURT2VEYZN"}], "B083FLHGP5": [{"asin": "B083FLHGP5", "instruction": "i am looking for yellow color hoodies for daily wear.", "attributes": ["daily casual", "daily wear"], "options": ["color: yellow", "size: x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["yellow"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE3ZJTB", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PH7CTCH": [{"asin": "B09PH7CTCH", "instruction": "i'm looking for a bath brush in beige with a long handle.", "attributes": ["high quality", "long handle"], "options": ["color: beige"], "instruction_attributes": ["long handle"], "instruction_options": ["beige"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HGJ6IV", "worker_id": "AR9AU5FY1S3RO"}], "B07CK3LTB2": [{"asin": "B07CK3LTB2", "instruction": "i would like a pair of size 10 bronze sneakers with a rubber sole.", "attributes": ["arch support", "rubber sole"], "options": ["color: bronze", "size: 10"], "instruction_attributes": ["rubber sole"], "instruction_options": ["bronze", "10"], "assignment_id": "37TRT2X24116R7L1JO45INKV8WBBJP", "worker_id": "A1WS884SI0SLO4"}], "B09N8PRHNG": [{"asin": "B09N8PRHNG", "instruction": "looking for long sleeve and loose fit sweatshirt for women also choose colour gray", "attributes": ["loose fit", "winter warm", "long sleeve", "elastic closure", "everyday wear"], "options": ["color: gray", "size: xx-large"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["gray"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1OQITE", "worker_id": "A10OGH5CQBXL5N"}], "B07GB9MX2J": [{"asin": "B07GB9MX2J", "instruction": "i am looking for french vanilla flavor syrup that is sugar free.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: french vanilla", "size: 25.4 fl oz (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["french vanilla"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1CUU9I", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07GB9MX2J", "instruction": "hello, may you direct me to a pack of black cherry syrup? natural is preferable please", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: toasted marshmallow", "size: 3 pound (pack of 1)"], "instruction_attributes": ["natural flavors"], "instruction_options": ["3 pound (pack of 1)"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQOC312", "worker_id": "A2TRV8SEM003GG"}], "B079K45PSB": [{"asin": "B079K45PSB", "instruction": "i need heeled sandals that have a rubber sole and are a size 6.5 with silver glitter on them", "attributes": ["long lasting", "non slip", "ankle strap", "high heel", "rubber sole"], "options": ["color: silver glitter", "size: 6.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["silver glitter", "6.5"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBUCGIX", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GSTVLNZ": [{"asin": "B08GSTVLNZ", "instruction": "i want a gift box of assorted fresh gourmet nuts and dried fruits.", "attributes": ["perfect gift", "gift basket"], "options": ["style: assorted nuts & fruit bags"], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39F1ZCI", "worker_id": "A1V2C99HEV3F14"}], "B0777LZTTG": [{"asin": "B0777LZTTG", "instruction": "i need some machine washable curtains for my kitchen in white or black.", "attributes": ["machine washable", "printing technology"], "options": ["color: white black"], "instruction_attributes": ["machine washable"], "instruction_options": ["white black"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HRDOWB", "worker_id": "AR9AU5FY1S3RO"}], "B01LVZZQY8": [{"asin": "B01LVZZQY8", "instruction": "i'm looking for a perfect waterproof eyeshadow stick with bronze shimmer", "attributes": ["highly pigmented", "sensitive skin"], "options": ["color: 04 blush pink metallic"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["04 blush pink metallic"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4PYPKV", "worker_id": "A21IUUHBSEVB56"}], "B085CF2ZHB": [{"asin": "B085CF2ZHB", "instruction": "looking for samsung galaxy a11 red brushed tpu case cover also choose non slip quality", "attributes": ["non slip", "carbon fiber", "case cover"], "options": ["color: samsung galaxy a11 red brushed tpu case"], "instruction_attributes": ["non slip", "case cover"], "instruction_options": ["samsung galaxy a11 red brushed tpu case"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINV072E", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B085CF2ZHB", "instruction": "i am looking for a case cover for my samsung galaxy a11", "attributes": ["non slip", "carbon fiber", "case cover"], "options": ["color: samsung galaxy a11 gray brushed tpu case"], "instruction_attributes": ["case cover"], "instruction_options": ["samsung galaxy a11 gray brushed tpu case"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2U0L4Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B09J2CMY2R": [{"asin": "B09J2CMY2R", "instruction": "i need some binoculars for bird watching", "attributes": ["non slip", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4DTRQW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GFPY5Q5": [{"asin": "B07GFPY5Q5", "instruction": "i'm looking for a spa gift set that's good for dry skin and hasn't been tested on animals.", "attributes": ["animal testing", "dry skin"], "options": [""], "instruction_attributes": ["animal testing", "dry skin"], "instruction_options": [], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOF2LLW", "worker_id": "AR9AU5FY1S3RO"}], "B0916HVCC8": [{"asin": "B0916HVCC8", "instruction": "i am looking for earbud headphones in noise cancelling", "attributes": ["noise cancelling", "easy use"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH3EH6N", "worker_id": "A2MSIFDLOHI1UT"}], "B08Y6R25N5": [{"asin": "B08Y6R25N5", "instruction": "i would like a 6.6 foot long gold plated fiber optic cable.", "attributes": ["gold plated", "high resolution"], "options": ["size: 6.6ft | 2m"], "instruction_attributes": ["gold plated"], "instruction_options": ["6.6ft | 2m"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKDPNE1", "worker_id": "A1WS884SI0SLO4"}], "B09NGWMH8Y": [{"asin": "B09NGWMH8Y", "instruction": "i would like a 28x16x18inch yellow storage bench made from engineered wood and a faux leather top.", "attributes": ["button tufted", "pu leather", "faux leather", "engineered wood"], "options": ["color: yellow", "size: 70x40x45cm(28x16x18inch)"], "instruction_attributes": ["faux leather", "engineered wood"], "instruction_options": ["yellow", "70x40x45cm(28x16x18inch)"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL6BEAT", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09NGWMH8Y", "instruction": "i'm interested in a button-tufted, faux leather, dark green bench in size 39x16x18inch.", "attributes": ["button tufted", "pu leather", "faux leather", "engineered wood"], "options": ["color: dark green", "size: 100x40x45cm(39x16x18inch)"], "instruction_attributes": ["button tufted", "faux leather"], "instruction_options": ["dark green", "100x40x45cm(39x16x18inch)"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHAD3OD2", "worker_id": "AFU00NU09CFXE"}, {"asin": "B09NGWMH8Y", "instruction": "i want a grey modern button tufted bed end bench.", "attributes": ["button tufted", "pu leather", "faux leather", "engineered wood"], "options": ["color: grey", "size: 60x40x45cm(24x16x18inch)"], "instruction_attributes": ["button tufted"], "instruction_options": ["grey"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZQ81Y9", "worker_id": "A2RBF3IIJP15IH"}], "B09FQ7W2G3": [{"asin": "B09FQ7W2G3", "instruction": "i would like a pattern 21 cake topper for a birthday party.", "attributes": ["cupcake picks", "birthday party"], "options": ["pattern name: 21"], "instruction_attributes": ["birthday party"], "instruction_options": ["21"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG41GBX", "worker_id": "A1WS884SI0SLO4"}], "B07MP1KSVR": [{"asin": "B07MP1KSVR", "instruction": "i'm looking for a perfect valentine gift for my loved one with this strawberry love cookie cake.", "attributes": ["baked fresh", "valentine day", "perfect gift"], "options": ["flavor name: snickerdoodle"], "instruction_attributes": ["baked fresh"], "instruction_options": ["snickerdoodle"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP8GOA6", "worker_id": "A21IUUHBSEVB56"}], "B08WPBGH6T": [{"asin": "B08WPBGH6T", "instruction": "i would like a pair of 18 plus chocolate regular fit jeans.", "attributes": ["elastic waist", "regular fit", "relaxed fit"], "options": ["color: chocolate", "size: 18 plus"], "instruction_attributes": ["regular fit"], "instruction_options": ["chocolate", "18 plus"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA9P2S8", "worker_id": "A1WS884SI0SLO4"}], "B07WJWBDZ3": [{"asin": "B07WJWBDZ3", "instruction": "i need a refurbished pc that is an i5 and has 8gb of ram", "attributes": ["certified refurbished", "core i5", "intel core"], "options": ["size: 1) i5, 8gb, 256gb ssd"], "instruction_attributes": ["certified refurbished"], "instruction_options": ["1) i5, 8gb, 256gb ssd"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBU2IGP", "worker_id": "A2ECRNQ3X5LEXD"}], "B078GTKVXY": [{"asin": "B078GTKVXY", "instruction": "i would like a 3 ounce bottle of bright citrus deodorant for sensitive skin.", "attributes": ["dermatologist tested", "coconut oil", "sensitive skin"], "options": ["scent: bright citrus", "size: 3 ounce (pack of 1)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["bright citrus", "3 ounce (pack of 1)"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZDPWUK", "worker_id": "A1WS884SI0SLO4"}], "B084Q371NY": [{"asin": "B084Q371NY", "instruction": "i'm looking for a xx-large i hate running black t-shirt for women, machine wash", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: women", "size: xx-large"], "instruction_attributes": [], "instruction_options": ["black", "women", "xx-large"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6URQZEN", "worker_id": "A2Y2TURT2VEYZN"}], "B091K7DN8S": [{"asin": "B091K7DN8S", "instruction": "i need a black wall mouinted mirror for the living room.", "attributes": ["pu leather", "living room"], "options": ["color: black", "size: 70cm"], "instruction_attributes": ["living room"], "instruction_options": ["black"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU48242PYL", "worker_id": "A2ECRNQ3X5LEXD"}], "B01FE73OSS": [{"asin": "B01FE73OSS", "instruction": "i need a high power car stereo receiver.", "attributes": ["high power", "usb port"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZYYNAD", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NMXYMRC": [{"asin": "B09NMXYMRC", "instruction": "i'm looking for pajama pants with an elastic waistband. they should be machine washable and come in a size large.", "attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "dry clean"], "options": ["color: multi 3", "size: large"], "instruction_attributes": ["machine wash", "elastic waistband"], "instruction_options": ["large"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6G4VE3", "worker_id": "AR9AU5FY1S3RO"}], "B072K5197P": [{"asin": "B072K5197P", "instruction": "i need machine washable pillow covers. it should be in turquoise blue.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: turquoise blue", "size: 20\" x 20\""], "instruction_attributes": ["machine washable"], "instruction_options": ["turquoise blue"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLY2RDP", "worker_id": "A15ERD4HOFEPHM"}], "B078N9319K": [{"asin": "B078N9319K", "instruction": "i need to buy a full sized mattress and box spring set. it should come fully assembled. look for style 225zf-4.", "attributes": ["ready use", "assembly required", "queen size", "fully assembled", "twin size", "box spring", "king size"], "options": ["size: full xl", "style: 225zf-4 | 6xl-2s"], "instruction_attributes": ["fully assembled"], "instruction_options": ["full xl", "225zf-4 | 6xl-2s"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI704SDX", "worker_id": "AR9AU5FY1S3RO"}], "B08FRLXKH9": [{"asin": "B08FRLXKH9", "instruction": "i would like fruit and nut bars that are soy free.", "attributes": ["dairy free", "gluten free", "soy free", "non gmo", "simple ingredients", "natural ingredients"], "options": [""], "instruction_attributes": ["soy free"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PCNUBI", "worker_id": "A2ECRNQ3X5LEXD"}], "B08X71XX1N": [{"asin": "B08X71XX1N", "instruction": "smart tv flat screen stereo sound", "attributes": ["plug play", "stereo sound"], "options": ["color: online version", "size: 48in"], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CFOV0B", "worker_id": "A3TTGSUBIK1YCL"}], "B09HH9G6N9": [{"asin": "B09HH9G6N9", "instruction": "looking for roasted carob powder with caffeine free and gluten free choose 1 pack", "attributes": ["caffeine free", "non gmo", "non dairy", "gluten free"], "options": ["size: 1 pack"], "instruction_attributes": ["caffeine free", "gluten free"], "instruction_options": ["1 pack"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSQCX0W", "worker_id": "A10OGH5CQBXL5N"}], "B08LCQHS8V": [{"asin": "B08LCQHS8V", "instruction": "i am looking fore a 24 pack of individually wrapped chocolates.", "attributes": ["individually wrapped", "chocolate covered"], "options": ["flavor name: dark chocolate covered marshmallow", "size: 24 count"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["24 count"], "assignment_id": "351SEKWQSBRP7CP60H83T50CFBSMDL", "worker_id": "A2ECRNQ3X5LEXD"}], "B081GGTX12": [{"asin": "B081GGTX12", "instruction": "i am looking for a wireless charger", "attributes": ["usb port", "wireless charging"], "options": [""], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3NRRYI", "worker_id": "A2ECRNQ3X5LEXD"}], "B06WW7XRFP": [{"asin": "B06WW7XRFP", "instruction": "i'm looking for a king platform bed with solid wood in taylan style", "attributes": ["non slip", "steel frame", "solid wood"], "options": ["size: king", "style: taylan"], "instruction_attributes": ["solid wood"], "instruction_options": ["king", "taylan"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZHCPR8", "worker_id": "A2Y2TURT2VEYZN"}], "B08QD45PHZ": [{"asin": "B08QD45PHZ", "instruction": "i would like a 2.8 mm dome camera that is in ultra hd.", "attributes": ["plug play", "ultra hd", "high performance", "high speed", "optical zoom"], "options": ["pattern name: 2.8mm poe-4k"], "instruction_attributes": ["ultra hd"], "instruction_options": ["2.8mm poe-4k"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCSZ9BU", "worker_id": "A1WS884SI0SLO4"}], "B098Q9MZ83": [{"asin": "B098Q9MZ83", "instruction": "i would like a 52\" w x 84\" white window panel that is machine washable.", "attributes": ["machine washable", "white item", "living room"], "options": ["color: white", "size: 52\" w x 84\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["white", "52\" w x 84\" l"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FK3U49", "worker_id": "A1WS884SI0SLO4"}], "B01H4EX6FA": [{"asin": "B01H4EX6FA", "instruction": "i would like a long lasting eye cruelty free shadow base.", "attributes": ["travel size", "paraben free", "cruelty free", "long lasting"], "options": [""], "instruction_attributes": ["cruelty free", "long lasting"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQIYKE7", "worker_id": "A1WS884SI0SLO4"}], "B08MLLY79Y": [{"asin": "B08MLLY79Y", "instruction": "i am looking for slifm fit adidas women's essentials fleece tapered cuff pants in black color", "attributes": ["slim fit", "elastic waist"], "options": ["color: black", "size: small"], "instruction_attributes": ["slim fit"], "instruction_options": ["black"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPC8QDV", "worker_id": "AX2EWYWZM19AZ"}], "B07NQJD1NN": [{"asin": "B07NQJD1NN", "instruction": "i am looking for banana pecan fruit snacks that are gluten free.", "attributes": ["non gmo", "gluten free", "quality ingredients", "perfect gift"], "options": ["flavor name: banana pecan", "size: 0.8 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["banana pecan"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QTUOXF", "worker_id": "A2ECRNQ3X5LEXD"}], "B019JNH6NM": [{"asin": "B019JNH6NM", "instruction": "i am looking for thai chilli style tuna that has jalapeno flavor. it should be gluten free.", "attributes": ["wild caught", "soy free", "gluten free"], "options": ["flavor name: jalapeno", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["jalapeno"], "assignment_id": "354P56DE9VDCOY11T1135MPMLPU7SC", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B019JNH6NM", "instruction": "i need wild caught salmon that comes in a pack of 12", "attributes": ["wild caught", "soy free", "gluten free"], "options": ["flavor name: sriracha", "size: 2.6 ounce (pack of 12)"], "instruction_attributes": ["wild caught"], "instruction_options": ["2.6 ounce (pack of 12)"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTK9V50", "worker_id": "A2ECRNQ3X5LEXD"}], "B082Z6XVLX": [{"asin": "B082Z6XVLX", "instruction": "i am looking for a scalp massager brush for hair growth which is easy to use. also choose black color", "attributes": ["easy use", "hair removal", "hair growth", "hair loss"], "options": ["color: black"], "instruction_attributes": ["easy use", "hair growth"], "instruction_options": ["black"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GFXZUH", "worker_id": "A2HMEGTAFO0CS8"}], "B0838D7YNZ": [{"asin": "B0838D7YNZ", "instruction": "i am looking for a black 24inch size vanity light fixture", "attributes": ["vanity light", "light fixture"], "options": ["size: black 24inch"], "instruction_attributes": ["vanity light", "light fixture"], "instruction_options": ["black 24inch"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACT6HN0", "worker_id": "A9QRQL9CFJBI7"}], "B07ZDVNYXD": [{"asin": "B07ZDVNYXD", "instruction": "i would like a queen sized black bed with a box spring mattress.", "attributes": ["easy assemble", "box spring"], "options": ["color: black", "size: queen"], "instruction_attributes": ["box spring"], "instruction_options": ["black", "queen"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1D0GYT", "worker_id": "A1WS884SI0SLO4"}], "B0179DYV0U": [{"asin": "B0179DYV0U", "instruction": "i am looking for tan colored queen folding mattresses with high density foam.", "attributes": ["twin size", "high density"], "options": ["color: tan", "size: twin size 4x39x75"], "instruction_attributes": ["high density"], "instruction_options": ["tan"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYFV82R", "worker_id": "A3FG5PQHG5AH3Y"}], "B00BDJODWI": [{"asin": "B00BDJODWI", "instruction": "i want aveda scalp benefits balancing shampoo, plant based and size of 33.81 fl oz", "attributes": ["design house", "plant based"], "options": ["scent: clove", "size: 33.81 fl oz (pack of 1)"], "instruction_attributes": ["plant based"], "instruction_options": ["33.81 fl oz (pack of 1)"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3UOZ9R", "worker_id": "A1IL2K0ELYI090"}, {"asin": "B00BDJODWI", "instruction": "i want a bottle of shampoo that's at least thirty ounces, smells like rosemary, and is plant based.", "attributes": ["design house", "plant based"], "options": ["scent: rosemary", "size: 33.8 fl oz (pack of 1)"], "instruction_attributes": ["plant based"], "instruction_options": ["rosemary", "33.8 fl oz (pack of 1)"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPK9E6L", "worker_id": "AR9AU5FY1S3RO"}], "B07WLYKJB6": [{"asin": "B07WLYKJB6", "instruction": "i'm looking for xx-large long sleeve polo shirts for men that are hand washable and regular fit. also, i want it to be grey.", "attributes": ["hand wash", "long sleeve", "regular fit", "button closure"], "options": ["color: grey", "size: xx-large"], "instruction_attributes": ["hand wash", "long sleeve", "regular fit"], "instruction_options": ["grey", "xx-large"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LHQ0L1", "worker_id": "A34EHWOYRBL6OZ"}], "B09B1GDM5G": [{"asin": "B09B1GDM5G", "instruction": "i am interested in a plant based energy drink that is cucumber lime flavor.", "attributes": ["plant based", "non gmo", "gluten free", "zero sugar", "artificial flavors"], "options": ["flavor name: cucumber lime"], "instruction_attributes": ["plant based"], "instruction_options": ["cucumber lime"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIM5FEO", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RZYGLT4": [{"asin": "B09RZYGLT4", "instruction": "i need some slim fitting white jeans that are an x-large.", "attributes": ["daily casual", "slim fit", "machine wash", "imported zipper", "elastic waist", "short sleeve"], "options": ["color: 01-white", "size: x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["01-white", "x-large"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWTOPF0", "worker_id": "A2ECRNQ3X5LEXD"}], "B0792MF532": [{"asin": "B0792MF532", "instruction": "i'm looking for a pack of 12 cans of zesty lemon tuna in olive oil; it must be kosher certified.", "attributes": ["wild caught", "ready eat", "kosher certified"], "options": ["flavor name: zesty lemon", "size: 12-pack"], "instruction_attributes": ["kosher certified"], "instruction_options": ["zesty lemon", "12-pack"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YZ73QY", "worker_id": "A3LIIE572Z4OG7"}], "B08YL39SKQ": [{"asin": "B08YL39SKQ", "instruction": "i'm looking for non toxic personal care for women's it easy to use.", "attributes": ["non toxic", "paraben free", "cruelty free", "high quality"], "options": ["color: glow down"], "instruction_attributes": ["non toxic"], "instruction_options": ["glow down"], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q7BIIY", "worker_id": "A16IQOX0DK14OJ"}], "B09KQF5YL1": [{"asin": "B09KQF5YL1", "instruction": "i need a tempered glass screen protector for my iphone 13 pro. it should be easy to install.", "attributes": ["ultra hd", "easy install", "tempered glass"], "options": ["color: silver", "size: iphone 13 pro"], "instruction_attributes": ["easy install", "tempered glass"], "instruction_options": ["iphone 13 pro"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OUYOP4", "worker_id": "AR9AU5FY1S3RO"}], "B09P4PR2WM": [{"asin": "B09P4PR2WM", "instruction": "i am looking for a high quality gold color eye shadow brush set which is easy to carry.", "attributes": ["easy carry", "high quality", "quality materials", "eye shadow"], "options": ["color: gold"], "instruction_attributes": ["easy carry", "high quality", "eye shadow"], "instruction_options": ["gold"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXPC2Z2", "worker_id": "A1V2JTEEBCXR20"}], "B0982B9JVG": [{"asin": "B0982B9JVG", "instruction": "i'm looking for a small womens solid color long sleeve v neck sweater that has a relaxed fit.", "attributes": ["relaxed fit", "long sleeve", "everyday wear"], "options": ["color: b#39 white", "size: small"], "instruction_attributes": ["relaxed fit", "long sleeve"], "instruction_options": ["small"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMRCQB4", "worker_id": "A34EHWOYRBL6OZ"}], "B08ZJBSLN7": [{"asin": "B08ZJBSLN7", "instruction": "i am interested in buying a laptop carrying case with colorful faces.", "attributes": ["compatible apple", "carrying case"], "options": ["color: colorful faces"], "instruction_attributes": ["carrying case"], "instruction_options": ["colorful faces"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1Y1GHEM", "worker_id": "AHXHM1PQTRWIQ"}], "B0892JGJWB": [{"asin": "B0892JGJWB", "instruction": "im looking for a large, rectangular storage ottoman made out of faux leather.", "attributes": ["faux leather", "solid wood", "storage space", "living room"], "options": ["color: b", "size: 60*40*40cm"], "instruction_attributes": ["faux leather", "storage space"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCZS4Q9", "worker_id": "AK3JMCIGU8MLU"}], "B000R9X6LO": [{"asin": "B000R9X6LO", "instruction": "i am looking for english muffins in high fructose", "attributes": ["low fat", "high fructose"], "options": [""], "instruction_attributes": ["high fructose"], "instruction_options": [], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMRIEXV", "worker_id": "A2MSIFDLOHI1UT"}], "B08J8DJF6S": [{"asin": "B08J8DJF6S", "instruction": "i am looking for a poster of size 12\"x12\" with wood frame.", "attributes": ["wood frame", "solid wood"], "options": ["color: mother and child elephant", "size: 12\"x12\""], "instruction_attributes": ["wood frame"], "instruction_options": ["12\"x12\""], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y59NN9", "worker_id": "A1Q8PPQQCWGY0D"}], "B08V1VTKL6": [{"asin": "B08V1VTKL6", "instruction": "i'm looking for a quad core android tablet in black.", "attributes": ["high speed", "quad core"], "options": ["color: black", "size: 6+64"], "instruction_attributes": ["quad core"], "instruction_options": ["black"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS4UVUG", "worker_id": "AR9AU5FY1S3RO"}], "B09FTZMG9Y": [{"asin": "B09FTZMG9Y", "instruction": "i would like a large black faux fur vest.", "attributes": ["winter warm", "loose fit", "faux fur", "long sleeve", "teen girls"], "options": ["color: $07 black", "size: large"], "instruction_attributes": ["faux fur"], "instruction_options": ["$07 black", "large"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA9YS27", "worker_id": "A1WS884SI0SLO4"}], "B083G5KQ31": [{"asin": "B083G5KQ31", "instruction": "i am looking for hands free car stereo receivers", "attributes": ["fast charging", "hands free"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZ11NCX", "worker_id": "A9QRQL9CFJBI7"}], "B079D51JGR": [{"asin": "B079D51JGR", "instruction": "i'm looking for a pair of black men's oxfords with a rubber outsole. i need a size eleven and a half.", "attributes": ["rubber outsole", "daily wear"], "options": ["color: lk black", "size: 11.5"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["lk black", "11.5"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX30SU1V", "worker_id": "AR9AU5FY1S3RO"}], "B09QXQ6C97": [{"asin": "B09QXQ6C97", "instruction": "i am looking for caramel flavor chocolate candy for valentine day.", "attributes": ["individually wrapped", "kosher certified", "valentine day"], "options": ["flavor name: caramel", "size: 2 pound"], "instruction_attributes": ["valentine day"], "instruction_options": ["caramel"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC69NIN", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09QXQ6C97", "instruction": "i am looking for 2 pounds of individually wrapped milk chocolate candy.", "attributes": ["individually wrapped", "kosher certified", "valentine day"], "options": ["flavor name: dark", "size: 2 pound"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["2 pound"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G761749", "worker_id": "A1EREKSZAA9V7B"}], "B09SF1QP1J": [{"asin": "B09SF1QP1J", "instruction": "i need a black open toe pair of flat sandals. it should be 7.5 in width.", "attributes": ["open toe", "closed toe", "ankle strap", "arch support"], "options": ["color: a9 - black", "size: 7.5 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["a9 - black", "7.5 wide"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDVYY88", "worker_id": "A1NF6PELRKACS9"}], "B08KVX5DPB": [{"asin": "B08KVX5DPB", "instruction": "i'm looking for a space-saving ottoman bench to match my blue living room. pick that one that's 100x45x45cm.", "attributes": ["space saving", "living room"], "options": ["color: blue", "size: 100x45x45cm"], "instruction_attributes": ["space saving", "living room"], "instruction_options": ["blue", "100x45x45cm"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLV803W", "worker_id": "A3LIIE572Z4OG7"}], "B093SNC4Y4": [{"asin": "B093SNC4Y4", "instruction": "i want x-small heynuts hawthorn athletic women's high waist yoga shorts.", "attributes": ["high waist", "nylon spandex"], "options": ["color: denim blue_8\"", "size: x-small"], "instruction_attributes": ["high waist"], "instruction_options": ["x-small"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZDGAPD", "worker_id": "A2RBF3IIJP15IH"}], "B07SCXCP4S": [{"asin": "B07SCXCP4S", "instruction": "i would like a hair growth treatment.", "attributes": ["hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPBHOCO", "worker_id": "A1WS884SI0SLO4"}], "B09QPQPWZD": [{"asin": "B09QPQPWZD", "instruction": "i need a medium low rise thong that is yellow", "attributes": ["low rise", "daily wear"], "options": ["color: yellow", "size: medium"], "instruction_attributes": ["low rise"], "instruction_options": ["yellow", "medium"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4FRBS8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09C7TRDLB": [{"asin": "B09C7TRDLB", "instruction": "i would like a red light high power light string.", "attributes": ["easy use", "high power", "aluminum alloy"], "options": ["color: red, pisa leaning tower type"], "instruction_attributes": ["high power"], "instruction_options": ["red, pisa leaning tower type"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7Y9LH5", "worker_id": "A1WS884SI0SLO4"}], "B09JWHF531": [{"asin": "B09JWHF531", "instruction": "i would like a cupcake pick toppers for a birthday party.", "attributes": ["cupcake picks", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": [], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUL8R3M", "worker_id": "A1WS884SI0SLO4"}], "B09PZG5T25": [{"asin": "B09PZG5T25", "instruction": "i'm looking for a wireless bluetooth speaker that is easy to use and is also black.", "attributes": ["easy use", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["easy use", "wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTW6E49", "worker_id": "A34EHWOYRBL6OZ"}], "B09KTY1MHD": [{"asin": "B09KTY1MHD", "instruction": "i am looking for women nail art decorations that are non toxic.", "attributes": ["non toxic", "nail art"], "options": [""], "instruction_attributes": ["non toxic"], "instruction_options": [], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R9HR0K", "worker_id": "A1Q8PPQQCWGY0D"}], "B092CGQ7MF": [{"asin": "B092CGQ7MF", "instruction": "i would like some black brushes that are made of synthetic hair.", "attributes": ["easy use", "high quality", "synthetic hair", "eye shadow"], "options": ["color: black"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["black"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7ZBP5I", "worker_id": "A2ECRNQ3X5LEXD"}], "B01NBRKJ0N": [{"asin": "B01NBRKJ0N", "instruction": "i am looking for v8 splash with natural pineapple coconut flavor. 64 oz bottles (pack of 6).", "attributes": ["natural flavors", "artificial colors"], "options": ["flavor: mango peach"], "instruction_attributes": ["natural flavors"], "instruction_options": ["mango peach"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIJ200F", "worker_id": "A2KW17G25L25R8"}], "B085ZF4KM2": [{"asin": "B085ZF4KM2", "instruction": "i'm looking for gluten free that flavor was vanilla cream its so good.", "attributes": ["plant based", "soy free", "non gmo", "gluten free", "artificial flavors"], "options": ["flavor name: vanilla cream", "size: 10 servings"], "instruction_attributes": ["gluten free"], "instruction_options": ["vanilla cream"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95UUXQE", "worker_id": "A16IQOX0DK14OJ"}], "B09QMM4HDH": [{"asin": "B09QMM4HDH", "instruction": "i want to buy a long sleeved lace bodysuit in red. look for size medium.", "attributes": ["hand wash", "long sleeve", "daily wear"], "options": ["color: red", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["red", "medium"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZSVK31", "worker_id": "AR9AU5FY1S3RO"}], "B088H41ZHJ": [{"asin": "B088H41ZHJ", "instruction": "i would like a temporary tattoo that is easy to apply and is in the 06 pattern", "attributes": ["easy apply", "non toxic"], "options": ["pattern name: pattern 06"], "instruction_attributes": ["easy apply"], "instruction_options": ["pattern 06"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8Z7PZF", "worker_id": "A2ECRNQ3X5LEXD"}], "B094FMFL9D": [{"asin": "B094FMFL9D", "instruction": "i am looking for a hollow side console table that is easy to assemble.", "attributes": ["easy assemble", "clear glass", "living room"], "options": ["style: hollow side"], "instruction_attributes": ["easy assemble"], "instruction_options": ["hollow side"], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM9591IY", "worker_id": "A2ECRNQ3X5LEXD"}], "B088LGSRTG": [{"asin": "B088LGSRTG", "instruction": "i am looking for a conditioner that comes in a pack of three for natural hair.", "attributes": ["coconut oil", "natural ingredients", "natural hair", "hair loss"], "options": ["size: 7 fl oz (pack of 3)", "style: conditioner"], "instruction_attributes": ["natural hair"], "instruction_options": ["7 fl oz (pack of 3)", "conditioner"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TUOPMV", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QNBKBVC": [{"asin": "B07QNBKBVC", "instruction": "i'm looking for a size 35 straight leg men denim jeans.", "attributes": ["straight leg", "machine wash", "loose fit", "wash cold", "slim fit", "button closure"], "options": ["color: dark blue 9208", "size: 35"], "instruction_attributes": ["straight leg"], "instruction_options": ["35"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKSEPEN", "worker_id": "ARQ05PDNXPFDI"}], "B06XR72LGR": [{"asin": "B06XR72LGR", "instruction": "i'm looking for some trader joe's gluten free cornbread mix.", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["trader joe", "gluten free"], "instruction_options": [], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTS4E5H", "worker_id": "AR9AU5FY1S3RO"}], "B09GB463Y2": [{"asin": "B09GB463Y2", "instruction": "i'm looking for long sleeve clothing its for blue in clor.", "attributes": ["contrast color", "polyester cotton", "long sleeve", "teen girls"], "options": ["color: blue", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0253XAKZ", "worker_id": "A16IQOX0DK14OJ"}], "B07MGX59S6": [{"asin": "B07MGX59S6", "instruction": "i would like a late night drone right lipstick that is paraben free.", "attributes": ["fragrance free", "paraben free", "cruelty free"], "options": ["color: 13- late night done right"], "instruction_attributes": ["paraben free"], "instruction_options": ["13- late night done right"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3J2YAG", "worker_id": "A1WS884SI0SLO4"}], "B071XXVMX2": [{"asin": "B071XXVMX2", "instruction": "i'm looking for a copper wall mounted sconce with clear glass shades.", "attributes": ["wall mounted", "glass shade", "clear glass", "light fixture"], "options": ["color: copper"], "instruction_attributes": ["wall mounted", "glass shade", "clear glass"], "instruction_options": ["copper"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTVZL7P", "worker_id": "AR9AU5FY1S3RO"}], "B07Z6NG5PG": [{"asin": "B07Z6NG5PG", "instruction": "i would like a 4 ounce bag of regular old fashioned jerky.", "attributes": ["old fashioned", "gluten free"], "options": ["flavor name: regular", "size: 4 oz"], "instruction_attributes": ["old fashioned"], "instruction_options": ["regular", "4 oz"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGM2O0D", "worker_id": "A1WS884SI0SLO4"}], "B00BEV82RC": [{"asin": "B00BEV82RC", "instruction": "find me a high power waterproof binoculars for bird watching.", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LEYO16", "worker_id": "A3AYHESLQSDY5T"}], "B08GQYQ9D1": [{"asin": "B08GQYQ9D1", "instruction": "i need a core i5 computer with gtx1650 graphics and 16g+256gb+1t", "attributes": ["core i5", "aluminum alloy"], "options": ["color: gtx1650", "size: 16g+256g+1t"], "instruction_attributes": ["core i5"], "instruction_options": ["gtx1650", "16g+256g+1t"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVJGP1A", "worker_id": "A2Y2TURT2VEYZN"}], "B0872P6WRB": [{"asin": "B0872P6WRB", "instruction": "i am looking for monoculars that are for bird watching", "attributes": ["non slip", "easy use", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUWCQJG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08Z6TCQTD": [{"asin": "B08Z6TCQTD", "instruction": "i want brushed nickel linea di liara teramo island lighting for my dining room.", "attributes": ["clear glass", "dining room"], "options": ["color: brushed nickel | clear", "size: 42\" linear"], "instruction_attributes": ["dining room"], "instruction_options": ["brushed nickel | clear"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JD0FSB", "worker_id": "A2RBF3IIJP15IH"}], "B07Y59L1Z2": [{"asin": "B07Y59L1Z2", "instruction": "i would like a quad core streaming media player.", "attributes": ["batteries included", "ultra hd", "high definition", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW0IC10", "worker_id": "A1WS884SI0SLO4"}], "B097MM9XDP": [{"asin": "B097MM9XDP", "instruction": "i would like a pair of women's 11.5 colorful sugar skull sneakers with a anti slip sole.", "attributes": ["non slip", "slip resistant", "anti slip", "arch support"], "options": ["color: colourful sugar skull white-2", "size: 11.5 women | 10 men"], "instruction_attributes": ["anti slip"], "instruction_options": ["colourful sugar skull white-2", "11.5 women | 10 men"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV2KX3F", "worker_id": "A1WS884SI0SLO4"}], "B07PP8X2DS": [{"asin": "B07PP8X2DS", "instruction": "i am looking for tripod stand that is non slippable.", "attributes": ["quick release", "non slip", "carrying case"], "options": [""], "instruction_attributes": ["non slip"], "instruction_options": [], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3MBYR7", "worker_id": "A1Q8PPQQCWGY0D"}], "B088X52CZR": [{"asin": "B088X52CZR", "instruction": "i would like a 3 pack set of non gmo tree nuts.", "attributes": ["nut free", "easy use", "non gmo"], "options": ["flavor: tree nut", "size: 3 pack set"], "instruction_attributes": ["non gmo"], "instruction_options": ["tree nut", "3 pack set"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA6LC8H", "worker_id": "A1WS884SI0SLO4"}], "B09PD9N2R2": [{"asin": "B09PD9N2R2", "instruction": "i'm looking for a body brush to remove dead skin", "attributes": ["long handle", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["dead skin"], "instruction_options": [], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIMCFEV", "worker_id": "A2Y2TURT2VEYZN"}], "B08CCT3JN2": [{"asin": "B08CCT3JN2", "instruction": "i need red sneakers that have a leather sole and are a size 7 x-wide", "attributes": ["leather sole", "arch support"], "options": ["color: dark red", "size: 7 x-wide"], "instruction_attributes": ["leather sole"], "instruction_options": ["dark red", "7 x-wide"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKTBV7S", "worker_id": "A2ECRNQ3X5LEXD"}], "B07SLNLB9D": [{"asin": "B07SLNLB9D", "instruction": "i want ready hang living room poster size 61*41cm the bridges of amsterdam", "attributes": ["ready hang", "living room"], "options": ["color: the bridges of amsterdam", "size: 61 x 41 cm (24 x 16 in)"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["the bridges of amsterdam", "61 x 41 cm (24 x 16 in)"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2VLM56", "worker_id": "A3N9ZYQAESNFQH"}], "B08968B883": [{"asin": "B08968B883", "instruction": "i need easy to use, water resistant eye shadow in dark brown color.", "attributes": ["water resistant", "easy use", "eye shadow"], "options": ["color: dark brown"], "instruction_attributes": ["water resistant", "easy use", "eye shadow"], "instruction_options": ["dark brown"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRM0I3WW", "worker_id": "ASWFLI3N8X72G"}], "B07CYK25W8": [{"asin": "B07CYK25W8", "instruction": "i am interested in acquiring a bookcase which will last me a long time and i prefer to have it in anthracite color.", "attributes": ["long lasting", "engineered wood"], "options": ["color: anthracite"], "instruction_attributes": ["long lasting"], "instruction_options": ["anthracite"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0F416W", "worker_id": "AJY5G987IRT25"}], "B07VWR4HT1": [{"asin": "B07VWR4HT1", "instruction": "i am looking for a black video projector that is 1080p", "attributes": ["1080p hd", "high definition", "usb port"], "options": ["color: black"], "instruction_attributes": ["1080p hd"], "instruction_options": ["black"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO7CR2F", "worker_id": "A2ECRNQ3X5LEXD"}], "B09KRP73M2": [{"asin": "B09KRP73M2", "instruction": "i need style 5 hair salon", "attributes": ["easy clean", "high quality", "hair salon", "beauty salon"], "options": ["color: style 5"], "instruction_attributes": ["hair salon"], "instruction_options": ["style 5"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UHKA3X", "worker_id": "A226L9F2AZ38CL"}], "B08QDRKQPL": [{"asin": "B08QDRKQPL", "instruction": "i am looking for high power and dust proof sound bar.", "attributes": ["dust proof", "high power"], "options": [""], "instruction_attributes": ["dust proof", "high power"], "instruction_options": [], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79SN1HY", "worker_id": "A1Q8PPQQCWGY0D"}], "B06WD5R33H": [{"asin": "B06WD5R33H", "instruction": "i'm looking for one hundred and eight inch brown curtains that are machine washable.", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: brown", "size: 108\" x 84\""], "instruction_attributes": ["machine washable"], "instruction_options": ["brown", "108\" x 84\""], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9VPTEM", "worker_id": "AR9AU5FY1S3RO"}], "B097PTCQ44": [{"asin": "B097PTCQ44", "instruction": "i'm looking for a thirty inch mirror for my living room that's easy to install. it should also turn into a lighted lunar picture.", "attributes": ["ready hang", "easy install", "living room", "dining room"], "options": ["color: lunar", "size: 30\""], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["lunar", "30\""], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGM10OO", "worker_id": "AR9AU5FY1S3RO"}], "B01FU0230Y": [{"asin": "B01FU0230Y", "instruction": "i am looking for a 32 inch by 48 inch ready to hang hand painted painting.", "attributes": ["hand painted", "ready hang"], "options": ["size: 32x48inchesx1"], "instruction_attributes": ["hand painted", "ready hang"], "instruction_options": ["32x48inchesx1"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYUAZO7", "worker_id": "A1EREKSZAA9V7B"}], "B09JFNXRDR": [{"asin": "B09JFNXRDR", "instruction": "i need a super soft easy to clean blanket in bible verse trust in the lord color and 50x40 small size for kid.", "attributes": ["super soft", "easy clean", "living room"], "options": ["color: bible verse trust in the lord", "size: 50x40 small for kid"], "instruction_attributes": ["super soft", "easy clean"], "instruction_options": ["bible verse trust in the lord", "50x40 small for kid"], "assignment_id": "37TRT2X24116R7L1JO45INKV8W3JBP", "worker_id": "A3AYHESLQSDY5T"}], "B07HYKGNHN": [{"asin": "B07HYKGNHN", "instruction": "i need lace closure in bliss blue color", "attributes": ["lace closure", "rubber outsole"], "options": ["color: bliss blue hrtg cvs", "size: 9.5 b - medium us"], "instruction_attributes": ["lace closure"], "instruction_options": ["bliss blue hrtg cvs"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALC6H40", "worker_id": "A226L9F2AZ38CL"}], "B09Q6DWRZH": [{"asin": "B09Q6DWRZH", "instruction": "i am looking for a loose fit small size women's t shirt.", "attributes": ["quick drying", "machine washable", "loose fit", "long sleeve", "short sleeve", "laundry bag", "daily wear"], "options": ["color: new dressy - b450 -black", "size: small"], "instruction_attributes": ["loose fit"], "instruction_options": ["small"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCZC46A", "worker_id": "A1Q8PPQQCWGY0D"}], "B06XKBJR74": [{"asin": "B06XKBJR74", "instruction": "buy me a cruelty free solid perfume with a flirt scent.", "attributes": ["cruelty free", "animal testing"], "options": ["scent: flirt"], "instruction_attributes": ["cruelty free"], "instruction_options": ["flirt"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVD98VK", "worker_id": "AVIEE6LDH0BT5"}], "B078KGBP2N": [{"asin": "B078KGBP2N", "instruction": "i am looking for men scrubs pant of pewter color that is machine washable.", "attributes": ["easy care", "moisture wicking", "machine washable", "machine wash", "polyester spandex", "stretch fabric", "imported zipper", "button closure"], "options": ["color: pewter", "size: x-small short"], "instruction_attributes": ["machine washable"], "instruction_options": ["pewter"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVQZKJX", "worker_id": "A1Q8PPQQCWGY0D"}], "B07CKNJ3P7": [{"asin": "B07CKNJ3P7", "instruction": "i'm looking for high waist biker shorts for women with pockets tummy.", "attributes": ["moisture wicking", "high waist", "stretch fabric", "tummy control"], "options": ["color: deep navy-9\" inseam", "size: 3x-large"], "instruction_attributes": ["high waist", "tummy control"], "instruction_options": ["deep navy-9\" inseam"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R76TYD", "worker_id": "A21IUUHBSEVB56"}], "B09HTZZ45V": [{"asin": "B09HTZZ45V", "instruction": "i need to find a strawberry-flavoured toothpaste for my child to keep her breath fresh; make sure it only has natural ingredients.", "attributes": ["fluoride free", "natural ingredients", "fresh breath"], "options": ["color: strawberry"], "instruction_attributes": ["natural ingredients", "fresh breath"], "instruction_options": ["strawberry"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HRIWOO", "worker_id": "A3LIIE572Z4OG7"}], "B07X5K7QB3": [{"asin": "B07X5K7QB3", "instruction": "i want to buy underwear boxer for men which are low rise and are hand washable, as for the color i want them yellow and at 3x-large size.", "attributes": ["low rise", "day comfort", "wash cold", "hand wash", "machine wash", "dry clean"], "options": ["color: yellow 3 pack", "size: 3x-large"], "instruction_attributes": ["low rise", "hand wash"], "instruction_options": ["yellow 3 pack", "3x-large"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODQ1EWT", "worker_id": "AJY5G987IRT25"}], "B00XENXJTO": [{"asin": "B00XENXJTO", "instruction": "i would like a 100 count bamboo charcoal oil free blotting paper.", "attributes": ["easy use", "oil free"], "options": ["color: mirror-pack | bamboo-charcoal", "size: 100 count (pack of 2)"], "instruction_attributes": ["oil free"], "instruction_options": ["mirror-pack | bamboo-charcoal", "100 count (pack of 2)"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH781VY", "worker_id": "A1WS884SI0SLO4"}], "B074J4XDTQ": [{"asin": "B074J4XDTQ", "instruction": "i need some yellow curtains for my living room.", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: dimgray yellow", "size: 108\" x 108\""], "instruction_attributes": ["living room"], "instruction_options": ["dimgray yellow"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7PK3IP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07R4VNCRC": [{"asin": "B07R4VNCRC", "instruction": "i am looking for ethylene vinyl cat color women road running shoes , and size is 6", "attributes": ["non slip", "ethylene vinyl", "vinyl acetate"], "options": ["color: cat-1", "size: 6"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["cat-1", "6"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95VSXQE", "worker_id": "A258PTOZ3D2TQR"}], "B07QCD9W67": [{"asin": "B07QCD9W67", "instruction": "i'm looking for toddler smoothie pouches that are non-gmo, certified organic, and bpa free.", "attributes": ["certified organic", "non gmo", "bpa free"], "options": [""], "instruction_attributes": ["certified organic", "non gmo", "bpa free"], "instruction_options": [], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6LVB28", "worker_id": "AR9AU5FY1S3RO"}], "B07Y2RKJ9G": [{"asin": "B07Y2RKJ9G", "instruction": "i want a large and classic fit phineas and ferb perry the platypus shirt.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: asphalt", "fit type: men", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["large"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL4ZNS3", "worker_id": "A2RBF3IIJP15IH"}], "B09MY498ZT": [{"asin": "B09MY498ZT", "instruction": "i am looking for a manual toothbrush for easy use to oral hygiene. also choose violet color.", "attributes": ["easy use", "oral hygiene"], "options": ["color: violet"], "instruction_attributes": ["easy use", "oral hygiene"], "instruction_options": ["violet"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3V4L1NW", "worker_id": "A2HMEGTAFO0CS8"}], "B09MRYN7WH": [{"asin": "B09MRYN7WH", "instruction": "i am looking for twin sized bunk beds that are white.", "attributes": ["twin size", "space saving", "white item", "assembly required", "easy assemble", "white finish"], "options": ["color: white", "size: triple bunk beds"], "instruction_attributes": ["twin size"], "instruction_options": ["white", "triple bunk beds"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80FNQ1N", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09MRYN7WH", "instruction": "i am looking for an easy to assemble brown triple bunk beds.", "attributes": ["twin size", "space saving", "white item", "assembly required", "easy assemble", "white finish"], "options": ["color: brown", "size: triple bunk beds"], "instruction_attributes": ["easy assemble"], "instruction_options": ["brown", "triple bunk beds"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBQMEJK", "worker_id": "A1EREKSZAA9V7B"}], "B09K432WXZ": [{"asin": "B09K432WXZ", "instruction": "i'm looking for women's bootcut pants in the brand of tapata.", "attributes": ["day comfort", "fashion design", "tummy control", "regular fit", "daily wear"], "options": ["color: black", "fit type: 30 inseam (regular) [fits 5'5\"-5'8\"]", "size: large"], "instruction_attributes": ["fashion design", "regular fit", "daily wear"], "instruction_options": ["30 inseam (regular) [fits 5'5\"-5'8\"]", "large"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYSYXFX", "worker_id": "A21IUUHBSEVB56"}], "B07VBWTZLV": [{"asin": "B07VBWTZLV", "instruction": "i want one pack of paraben free hair styling spray in size 5.5 ounce.", "attributes": ["certified organic", "paraben free", "hair styling"], "options": ["size: 5.5 ounce (pack of 1)"], "instruction_attributes": ["paraben free", "hair styling"], "instruction_options": ["5.5 ounce (pack of 1)"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP646VDD", "worker_id": "ASWFLI3N8X72G"}, {"asin": "B07VBWTZLV", "instruction": "i want to find 5.5 ounces of hair styling spray that is certified organic.", "attributes": ["certified organic", "paraben free", "hair styling"], "options": ["size: 5.5 ounce (pack of 1)"], "instruction_attributes": ["certified organic", "hair styling"], "instruction_options": ["5.5 ounce (pack of 1)"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SU9UDT", "worker_id": "A345TDMHP3DQ3G"}], "B07MQD33ZZ": [{"asin": "B07MQD33ZZ", "instruction": "i would like a 104''w x 84'' l trianglwxf4152 window panel that is machine washable.", "attributes": ["machine washable", "living room"], "options": ["color: trianglewxf4152", "size: 104''w x 84'' l"], "instruction_attributes": ["machine washable"], "instruction_options": ["trianglewxf4152", "104''w x 84'' l"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQNL319", "worker_id": "A1WS884SI0SLO4"}], "B09KH6SS25": [{"asin": "B09KH6SS25", "instruction": "i'm looking for a high performance tablet with quad core processor. also, choose 4g+64gb emmc one.", "attributes": ["high performance", "quad core"], "options": ["capacity: 4g+64gb emmc"], "instruction_attributes": ["high performance", "quad core"], "instruction_options": ["4g+64gb emmc"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPDOOR0", "worker_id": "AR0VJ5XRG16UJ"}], "B07MCMHT7R": [{"asin": "B07MCMHT7R", "instruction": "i am looking for gluten free and crispy potato snacks with barbecue flavour .", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor name: barbecue", "size: 0.67 ounce (pack of 5)"], "instruction_attributes": ["gluten free"], "instruction_options": ["barbecue"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMXISA6", "worker_id": "A3R8PQCD99H61E"}], "B08YR1VP2C": [{"asin": "B08YR1VP2C", "instruction": "i am searching for fluffy faux fur duvet cover set of queen size and aqua color", "attributes": ["queen size", "twin size", "king size"], "options": ["color: tie dye aqua", "size: twin"], "instruction_attributes": ["queen size"], "instruction_options": ["tie dye aqua"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCL2LBN", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08YR1VP2C", "instruction": "i need queen size turquoise color fluffy faux fur duvet cover set", "attributes": ["queen size", "twin size", "king size"], "options": ["color: tie dye turquoise", "size: twin"], "instruction_attributes": ["queen size"], "instruction_options": ["tie dye turquoise"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZZZAN3", "worker_id": "A258PTOZ3D2TQR"}], "B001IZM92I": [{"asin": "B001IZM92I", "instruction": "hi i'm going to barbecue sausage, i want you to find the special summer gluten free sausage old wisconsin beef sausages low carb flavored beef 8oz (pack of 3).", "attributes": ["ready eat", "high protein", "shelf stable", "low carb", "gluten free"], "options": ["flavor name: beef", "size: 8 ounce"], "instruction_attributes": ["high protein", "gluten free"], "instruction_options": ["beef", "8 ounce"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IYFHK9", "worker_id": "A15IJ20C3R4HUO"}], "B09L33P12S": [{"asin": "B09L33P12S", "instruction": "i'm interested in a pair of off-white, rubber-soled sneakers in a size 6 with memory foam.", "attributes": ["memory foam", "rubber sole"], "options": ["color: off white", "size: 6"], "instruction_attributes": ["memory foam", "rubber sole"], "instruction_options": ["off white", "6"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BC0UQ6", "worker_id": "AFU00NU09CFXE"}], "B09SWJLF5M": [{"asin": "B09SWJLF5M", "instruction": "i am looking for a personalized, metal hair and beauty signage or artwork.", "attributes": ["hair salon", "beauty salon"], "options": ["size: 20 inches"], "instruction_attributes": ["hair salon", "beauty salon"], "instruction_options": [], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6HPPUN", "worker_id": "AK3JMCIGU8MLU"}], "B0897T87S2": [{"asin": "B0897T87S2", "instruction": "i am looking for pink non slip shoes that are a 10.5", "attributes": ["light weight", "non slip", "leather sole"], "options": ["color: pink-dm", "size: 10.5"], "instruction_attributes": ["non slip"], "instruction_options": ["pink-dm", "10.5"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3U09ZD", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PGK27KK": [{"asin": "B07PGK27KK", "instruction": "i am looking for canalis 3 mini pendant lighting led hanging light fixture.", "attributes": ["light fixture", "dining room"], "options": ["color: brass", "size: 4 pendant (s4)"], "instruction_attributes": ["light fixture"], "instruction_options": [], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC6BUKH", "worker_id": "A2KW17G25L25R8"}], "B00825IBGU": [{"asin": "B00825IBGU", "instruction": "i'm looking for a ready to hang wall mounted mirror for my living room. it should be round and come in silver brushed nickel.", "attributes": ["ready hang", "brushed nickel", "living room"], "options": ["color: bright silver", "style: round"], "instruction_attributes": ["ready hang", "brushed nickel", "living room"], "instruction_options": ["round"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2J9FKG", "worker_id": "AR9AU5FY1S3RO"}], "B08MBD8573": [{"asin": "B08MBD8573", "instruction": "i'm looking for a height adjustable laptop stand with tempered glass and walnut colored wood.", "attributes": ["height adjustable", "assembly required"], "options": ["color: walnut", "size: tempered glass (24\")"], "instruction_attributes": ["height adjustable"], "instruction_options": ["walnut", "tempered glass (24\")"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2A2Y7T", "worker_id": "AR9AU5FY1S3RO"}], "B09R1X5Y7Q": [{"asin": "B09R1X5Y7Q", "instruction": "i would like a 11.1 by 4.5 by 4.5 cm transparent makeup case for my nail art.", "attributes": ["leak proof", "easy use", "nail polish", "nail art"], "options": ["color: transparent 2", "size: 11.1x4.5x4.5cm"], "instruction_attributes": ["nail art"], "instruction_options": ["transparent 2", "11.1x4.5x4.5cm"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0M1MCSD", "worker_id": "A1WS884SI0SLO4"}], "B07QPC3454": [{"asin": "B07QPC3454", "instruction": "i am looking for gluten free snacks that made up by sea salt", "attributes": ["non gmo", "hand crafted", "gluten free", "simple ingredients"], "options": ["flavor name: sea salt"], "instruction_attributes": ["gluten free"], "instruction_options": ["sea salt"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8DXA59", "worker_id": "A16M39T60N60NO"}], "B08N4YVGBG": [{"asin": "B08N4YVGBG", "instruction": "i am looking for brown black throw pillow case that is double sided and super soft.", "attributes": ["double sided", "super soft", "machine washable", "printing technology", "living room"], "options": ["color: brown black", "size: 16\""], "instruction_attributes": ["double sided", "super soft"], "instruction_options": ["brown black"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCIAIBAC", "worker_id": "A1NF6PELRKACS9"}], "B08V134QWR": [{"asin": "B08V134QWR", "instruction": "i want to buy a waterproof security camera with an optical zoom and motion detection.", "attributes": ["optical zoom", "motion detection"], "options": [""], "instruction_attributes": ["optical zoom", "motion detection"], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X027834Z", "worker_id": "A114NK7T5673GK"}], "B08DYZTSC5": [{"asin": "B08DYZTSC5", "instruction": "i want some margherita pizza that's gluten free.", "attributes": ["rich creamy", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTVY7LA", "worker_id": "AR9AU5FY1S3RO"}], "B072J36KT1": [{"asin": "B072J36KT1", "instruction": "i am looking for a elastic waistband small size active shorts for man", "attributes": ["quick drying", "machine wash", "elastic waistband"], "options": ["color: black (006) | matcha green", "size: small"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["small"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTOX5V6", "worker_id": "A9QRQL9CFJBI7"}], "B00BB683XS": [{"asin": "B00BB683XS", "instruction": "i'm looking for a ultimate hand care cream for dry skin", "attributes": ["dermatologist tested", "fragrance free", "green tea", "seed oil", "dry skin"], "options": ["style: ultimate care hand cream"], "instruction_attributes": ["dry skin"], "instruction_options": ["ultimate care hand cream"], "assignment_id": "33CID5710F37J25O7G1CGJZBOU3L3C", "worker_id": "A2Y2TURT2VEYZN"}], "B09CT74QK2": [{"asin": "B09CT74QK2", "instruction": "i am looking for short sleeve animal graphic t shirts.", "attributes": ["machine washable", "wash cold", "hand wash", "short sleeve", "daily wear", "teen girls"], "options": ["color: z04 beige", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["z04 beige"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X82PGD", "worker_id": "A2KW17G25L25R8"}], "B08521SGW3": [{"asin": "B08521SGW3", "instruction": "i'm looking for short and long sleeve and the elastic waist for women's the color was black.", "attributes": ["short sleeve", "elastic closure", "elastic waist", "teen girls"], "options": ["color: a-black", "size: medium"], "instruction_attributes": ["short sleeve", "elastic closure", "elastic waist"], "instruction_options": ["a-black"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLVRFTB", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08521SGW3", "instruction": "i am looking for a xx-large short sleeves sleep & lounge for teen girls", "attributes": ["short sleeve", "elastic closure", "elastic waist", "teen girls"], "options": ["color: a-black", "size: xx-large"], "instruction_attributes": ["short sleeve", "teen girls"], "instruction_options": ["xx-large"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYELEI2", "worker_id": "A9QRQL9CFJBI7"}], "B07FN25TCW": [{"asin": "B07FN25TCW", "instruction": "im looking for men\u2019s small boxer briefs, long leg style that are moisture wicking.", "attributes": ["machine wash", "day comfort", "moisture wicking", "classic fit", "tumble dry"], "options": ["color: andover | red | black", "size: small"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["small"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L4CCVC", "worker_id": "AK3JMCIGU8MLU"}], "B01MSKUTNP": [{"asin": "B01MSKUTNP", "instruction": "i am looking for a six pack of gluten free jerky", "attributes": ["gluten free", "fat free"], "options": ["flavor name: super fun", "size: 6"], "instruction_attributes": ["gluten free"], "instruction_options": ["6"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKNIVP0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JNTH5XL": [{"asin": "B09JNTH5XL", "instruction": "i am looking for a loose fit shirt that is black and in a xx-large.", "attributes": ["loose fit", "long sleeve", "teen girls"], "options": ["color: a1_black", "size: xx-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["a1_black", "xx-large"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TUWPM3", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NTCSB7G": [{"asin": "B09NTCSB7G", "instruction": "i need some knee high boots that are black and in a size 5", "attributes": ["knee high", "anti slip", "steel toe", "high heel", "button closure"], "options": ["color: b-black", "size: 5"], "instruction_attributes": ["knee high"], "instruction_options": ["b-black", "5"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3MAYR6", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09NTCSB7G", "instruction": "am looking for a knee high runmte platform boots for women high boots size 9", "attributes": ["knee high", "anti slip", "steel toe", "high heel", "button closure"], "options": ["color: e-black", "size: 9"], "instruction_attributes": ["knee high"], "instruction_options": ["9"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WYEA1F", "worker_id": "A1IL2K0ELYI090"}], "B08L769ZS8": [{"asin": "B08L769ZS8", "instruction": "i am looking for hemp regular and gluten free vegan granola.", "attributes": ["gluten free", "certified organic", "natural ingredients"], "options": ["flavor name: hemp regular"], "instruction_attributes": ["gluten free"], "instruction_options": ["hemp regular"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0J1VGEE", "worker_id": "A3FG5PQHG5AH3Y"}], "B00VHYE5AO": [{"asin": "B00VHYE5AO", "instruction": "i am looking for distressed gaelic label short sleeve t-shits.", "attributes": ["wash cold", "machine wash", "comfortable fit", "short sleeve", "quality materials", "dry clean", "everyday wear", "tumble dry"], "options": ["color: black-gaelic", "size: large-trademark"], "instruction_attributes": ["short sleeve"], "instruction_options": ["black-gaelic"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAX5ZX0", "worker_id": "A2KW17G25L25R8"}], "B09HBV98LV": [{"asin": "B09HBV98LV", "instruction": "i would like a 3 piece set of natural ingredient hair growth treatments.", "attributes": ["natural ingredients", "hair growth", "hair loss", "dry hair"], "options": ["size: 3pcs"], "instruction_attributes": ["natural ingredients", "hair growth"], "instruction_options": ["3pcs"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP64DDV2", "worker_id": "A1WS884SI0SLO4"}], "B07ZZS34HH": [{"asin": "B07ZZS34HH", "instruction": "i need an elastic waist active short that is an x-large", "attributes": ["long lasting", "quality materials", "drawstring closure", "elastic waist"], "options": ["color: alternate team color", "size: x-large | 8\" inseam", "team name: alabama crimson tide"], "instruction_attributes": ["elastic waist"], "instruction_options": ["x-large | 8\" inseam"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXAECFE", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07ZZS34HH", "instruction": "i want a small and long lasting columbia men's pair of shorts.", "attributes": ["long lasting", "quality materials", "drawstring closure", "elastic waist"], "options": ["color: team color", "size: small x 6\" inseam", "team name: texas a&m aggies 2"], "instruction_attributes": ["long lasting"], "instruction_options": ["small x 6\" inseam"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCMYPIB", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07ZZS34HH", "instruction": "many engineers choose long lasting, quality materials in alternate team color", "attributes": ["long lasting", "quality materials", "drawstring closure", "elastic waist"], "options": ["color: alternate team color", "size: small x 6\" inseam", "team name: auburn tigers 1"], "instruction_attributes": ["long lasting", "quality materials"], "instruction_options": ["alternate team color"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGW5TW7", "worker_id": "A226L9F2AZ38CL"}], "B004KXH8XK": [{"asin": "B004KXH8XK", "instruction": "i buy a design house in white color", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["design house"], "instruction_options": [], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3U0Z93", "worker_id": "A226L9F2AZ38CL"}], "B09F1S8HL4": [{"asin": "B09F1S8HL4", "instruction": "most people like sensitive skin in red color", "attributes": ["cruelty free", "anti aging", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQHSHHM", "worker_id": "A226L9F2AZ38CL"}], "B008YQEOMM": [{"asin": "B008YQEOMM", "instruction": "i want to buy an argan oil hair treatment for damaged hair.", "attributes": ["alcohol free", "argan oil", "damaged hair"], "options": [""], "instruction_attributes": ["argan oil", "damaged hair"], "instruction_options": [], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0QR8JO", "worker_id": "AR9AU5FY1S3RO"}], "B07L394Q5L": [{"asin": "B07L394Q5L", "instruction": "i am looking for rose gold fine mist, soothing and refreshing face spray, 3 pack - 3.4 fl oz", "attributes": ["paraben free", "cruelty free", "fine mist", "rose gold", "sensitive skin"], "options": ["size: .3 pack - 3.4 fl oz"], "instruction_attributes": ["fine mist", "rose gold"], "instruction_options": [".3 pack - 3.4 fl oz"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EGDB1P", "worker_id": "A258PTOZ3D2TQR"}], "B09Q313XLN": [{"asin": "B09Q313XLN", "instruction": "i want the orange color, 2 pcs of v34 color correction tooth whitening sensitive toothpaste for sensitive teeth and bad breath.", "attributes": ["sensitive teeth", "bad breath"], "options": ["color: orange"], "instruction_attributes": ["sensitive teeth", "bad breath"], "instruction_options": ["orange"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP84QZ75", "worker_id": "A1IL2K0ELYI090"}], "B08HGQMJ7S": [{"asin": "B08HGQMJ7S", "instruction": "i'm looking for furniture for space saving in living room.", "attributes": ["non slip", "space saving"], "options": ["color: rustic brown + black"], "instruction_attributes": ["space saving"], "instruction_options": [], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW94S8O", "worker_id": "A16IQOX0DK14OJ"}], "B09PBN5BVW": [{"asin": "B09PBN5BVW", "instruction": "i want a temporary tooth repair kit for teeth whitening.", "attributes": ["teeth whitening", "high quality"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SXHDUQ", "worker_id": "A2RBF3IIJP15IH"}], "B09BLB3BFM": [{"asin": "B09BLB3BFM", "instruction": "looking for a honiway decorative wall mirror 12.3 inch rustic wood frame for living room. keep in touch", "attributes": ["wall mounted", "wood frame", "solid wood", "living room"], "options": [""], "instruction_attributes": ["wood frame", "living room"], "instruction_options": [], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBUTEJZ", "worker_id": "A15IJ20C3R4HUO"}], "B097XG3P7X": [{"asin": "B097XG3P7X", "instruction": "i am looking to buy a multi color birthday candles for a birthday cake.", "attributes": ["birthday cake", "baby shower", "birthday party"], "options": ["color: multicolor"], "instruction_attributes": ["birthday cake"], "instruction_options": ["multicolor"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4PMKPE", "worker_id": "AHXHM1PQTRWIQ"}], "B09MW563KN": [{"asin": "B09MW563KN", "instruction": "i am looking for blue color toothbrushes that helps to maintain my oral hygiene.", "attributes": ["oral hygiene", "fresh breath"], "options": ["color: blue"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["blue"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1F5CX0", "worker_id": "A1Q8PPQQCWGY0D"}], "B07NB2K1PJ": [{"asin": "B07NB2K1PJ", "instruction": "i need a white classic fit shirt that is in an xx-large for youth", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: youth", "size: xx-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["white", "youth", "xx-large"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SYPTQA", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LYW87WH": [{"asin": "B09LYW87WH", "instruction": "i would like a 40 by 50 inch fleece throw with valentine's day trucks.", "attributes": ["super soft", "machine washable", "fleece throw"], "options": ["color: valentine's day trucks", "size: 40x50 inch"], "instruction_attributes": ["fleece throw"], "instruction_options": ["valentine's day trucks", "40x50 inch"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGQ3IYY", "worker_id": "A1WS884SI0SLO4"}], "B07JKQX4J3": [{"asin": "B07JKQX4J3", "instruction": "i am looking for 40 oz. ready eat triple berry nut trail mix", "attributes": ["ready eat", "resealable bag"], "options": [""], "instruction_attributes": ["ready eat"], "instruction_options": [], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOSEVYN", "worker_id": "A258PTOZ3D2TQR"}], "B09QRVDTG1": [{"asin": "B09QRVDTG1", "instruction": "i'm looking for a orange toothpaste for teeth whitening and color correction", "attributes": ["teeth whitening", "long lasting", "natural ingredients", "sensitive teeth", "fresh breath", "bad breath"], "options": ["color: orange"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["orange"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4LX98C", "worker_id": "A2Y2TURT2VEYZN"}], "B09P47D7X3": [{"asin": "B09P47D7X3", "instruction": "i need a fully cooked two whole slabs with dry rubbed (seasoned) baby backs.", "attributes": ["fully cooked", "quality ingredients"], "options": ["flavor name: dry rubbed (seasoned) baby backs", "size: two whole slabs"], "instruction_attributes": ["fully cooked"], "instruction_options": ["two whole slabs"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRHXWNT", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B09P47D7X3", "instruction": "i need four half slabs of seasoned ribs that are fully cooked.", "attributes": ["fully cooked", "quality ingredients"], "options": ["flavor name: dry rubbed (seasoned) st louis style", "size: four half slabs"], "instruction_attributes": ["fully cooked"], "instruction_options": ["dry rubbed (seasoned) st louis style", "four half slabs"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3TIZ9J", "worker_id": "A2ECRNQ3X5LEXD"}], "B092NV1R6G": [{"asin": "B092NV1R6G", "instruction": "i'm looking for a high quality anti-static hair brush", "attributes": ["high quality", "hair growth", "hair styling"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6MX7UA", "worker_id": "A2Y2TURT2VEYZN"}], "B00DU76CHK": [{"asin": "B00DU76CHK", "instruction": "like to buy a memory foam flat with rubber sole in taupe color and 8 wide size.", "attributes": ["memory foam", "rubber sole"], "options": ["color: taupe", "size: 8 wide"], "instruction_attributes": ["memory foam", "rubber sole"], "instruction_options": ["taupe", "8 wide"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9VX87N", "worker_id": "A3AYHESLQSDY5T"}], "B09NM4XQ7W": [{"asin": "B09NM4XQ7W", "instruction": "i am interested in buying a remote control repeater which supports blu ray streaming.", "attributes": ["dual band", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCK1OND8", "worker_id": "AHXHM1PQTRWIQ"}], "B099WCPFJP": [{"asin": "B099WCPFJP", "instruction": "hello, i'm looking for a sweater that's slim fit and comes in black? size medium too, please", "attributes": ["slim fit", "long sleeve", "everyday wear"], "options": ["color: black", "size: medium"], "instruction_attributes": ["slim fit"], "instruction_options": ["black", "medium"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGGKS9D", "worker_id": "A2TRV8SEM003GG"}], "B000QSPX58": [{"asin": "B000QSPX58", "instruction": "find me a jar of baby food that is certified organic. it should also be non gmo.", "attributes": ["bpa free", "certified organic", "non gmo", "artificial flavors"], "options": [""], "instruction_attributes": ["certified organic", "non gmo"], "instruction_options": [], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DUU4KD", "worker_id": "A1NF6PELRKACS9"}], "B07SFX4BPR": [{"asin": "B07SFX4BPR", "instruction": "i need some relaxed fit pants that are gray and are a size 3x.", "attributes": ["relaxed fit", "high waist", "teen girls"], "options": ["color: gray yoga trousers", "size: 3x"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["gray yoga trousers", "3x"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VTBXM5", "worker_id": "A2ECRNQ3X5LEXD"}], "B0954V82WH": [{"asin": "B0954V82WH", "instruction": "i would like some original flavor plant based meat.", "attributes": ["soy free", "plant based", "protein serving"], "options": ["flavor: original"], "instruction_attributes": ["plant based"], "instruction_options": ["original"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHABLDO5", "worker_id": "A1WS884SI0SLO4"}], "B09QGK3M3S": [{"asin": "B09QGK3M3S", "instruction": "i need gold plated red rca cables that are 1.6 feet.", "attributes": ["gold plated", "stereo sound"], "options": ["color: red", "number of items: 2", "size: 1.6 feet"], "instruction_attributes": ["gold plated"], "instruction_options": ["red", "1.6 feet"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0EC162", "worker_id": "A2ECRNQ3X5LEXD"}], "B000E1HVCA": [{"asin": "B000E1HVCA", "instruction": "i am looking for chocolate sugar free fat free pistachio flavored pudding and pie filling mix", "attributes": ["sugar free", "fat free"], "options": ["flavor name: pistachio"], "instruction_attributes": ["sugar free", "fat free"], "instruction_options": ["pistachio"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK24AFKNC", "worker_id": "A258PTOZ3D2TQR"}], "B09CV83TC3": [{"asin": "B09CV83TC3", "instruction": "i am looking for men comfortable fit sweatpants of black color.", "attributes": ["officially licensed", "long lasting", "quality polyester", "comfortable fit", "quality materials", "polyester cotton", "drawstring closure"], "options": ["color: black", "size: large"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["black"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUJW5SS", "worker_id": "A3FG5PQHG5AH3Y"}], "B09GNBMZ8R": [{"asin": "B09GNBMZ8R", "instruction": "i need glass screen grey color", "attributes": ["glass screen", "tempered glass"], "options": ["color: grey"], "instruction_attributes": ["glass screen"], "instruction_options": ["grey"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY4A4JS", "worker_id": "A226L9F2AZ38CL"}], "B09KGT3XVC": [{"asin": "B09KGT3XVC", "instruction": "i want case cover in american flag deer color", "attributes": ["easy install", "easy use", "case cover"], "options": ["color: american flag deer", "size: iphone 13 pro max\uff086.7 inch\uff09"], "instruction_attributes": ["case cover"], "instruction_options": ["american flag deer"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCUL56S", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B09KGT3XVC", "instruction": "i need a cell phone case that is easy to install and is astronaut colored", "attributes": ["easy install", "easy use", "case cover"], "options": ["color: astronaut", "size: iphone 13 pro max\uff086.7 inch\uff09"], "instruction_attributes": ["easy install"], "instruction_options": ["astronaut"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XVKNG2", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HLR225R": [{"asin": "B08HLR225R", "instruction": "i need a bpa free jar that is black", "attributes": ["bpa free", "travel size", "easy clean", "long lasting", "travel bottles"], "options": ["color: black"], "instruction_attributes": ["bpa free"], "instruction_options": ["black"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYLRLQN", "worker_id": "A2ECRNQ3X5LEXD"}], "B01M21KDSN": [{"asin": "B01M21KDSN", "instruction": "find me a 5-pack of natural water enhancer that is keto-friendly and does not contain any sugar. i'll take the skinny orange citrus flavor.", "attributes": ["keto friendly", "sugar free"], "options": ["flavor name: skinny orange citrus", "size: 1.62 fl oz (pack of 5)"], "instruction_attributes": ["keto friendly", "sugar free"], "instruction_options": ["skinny orange citrus", "1.62 fl oz (pack of 5)"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YKCPN9", "worker_id": "A3LIIE572Z4OG7"}], "B07R926VLW": [{"asin": "B07R926VLW", "instruction": "i would like 2 packs and rinse of alcohol free mouthwash and toothpaste.", "attributes": ["alcohol free", "paraben free", "tea tree", "coconut oil", "bad breath"], "options": ["style: 2 pack + rinse"], "instruction_attributes": ["alcohol free"], "instruction_options": ["2 pack + rinse"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VT9XM3", "worker_id": "A1WS884SI0SLO4"}], "B09LLVKS26": [{"asin": "B09LLVKS26", "instruction": "i need an ac adapter that has output protection", "attributes": ["output protection", "easy carry"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LBCRET", "worker_id": "A2ECRNQ3X5LEXD"}], "B071HH7B9T": [{"asin": "B071HH7B9T", "instruction": "i'm looking for a wall mounted mirror with a silver painted wooden frame. the size should be eighteen by twenty-four inches.", "attributes": ["wall mounted", "wood frame"], "options": ["color: vegas silver", "size: glass size 18x24"], "instruction_attributes": ["wall mounted", "wood frame"], "instruction_options": ["vegas silver", "glass size 18x24"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22POEQET", "worker_id": "AR9AU5FY1S3RO"}], "B09J2N4KMC": [{"asin": "B09J2N4KMC", "instruction": "i need a black wireless earbuds bluetooth", "attributes": ["fast charging", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NAP2N4", "worker_id": "A2Y2TURT2VEYZN"}], "B07K9JK92F": [{"asin": "B07K9JK92F", "instruction": "i am looking for a set of 2 easy to install sea teal colored curtains that are machine washable.", "attributes": ["machine washable", "easy install"], "options": ["color: sea teal", "size: 66 in x 90 in (w x l)"], "instruction_attributes": ["machine washable", "easy install"], "instruction_options": ["sea teal"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHDSE1U", "worker_id": "A1EREKSZAA9V7B"}], "B09JB2M7BZ": [{"asin": "B09JB2M7BZ", "instruction": "i am interested in buying a mai tai mix which is ready to use and is not alcoholic.", "attributes": ["ready use", "non alcoholic"], "options": [""], "instruction_attributes": ["ready use", "non alcoholic"], "instruction_options": [], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRXDF3V", "worker_id": "AHXHM1PQTRWIQ"}], "B07NP7JW66": [{"asin": "B07NP7JW66", "instruction": "i need an ac adapter with output protection", "attributes": ["output protection", "4g lte"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7ZA5PX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DSYQMXM": [{"asin": "B09DSYQMXM", "instruction": "i am looking for antislip shoes that are a 6.5 for women", "attributes": ["anti slip", "rubber sole"], "options": ["color: reggae marijuana w", "size: 6.5 women | 4.5 men"], "instruction_attributes": ["anti slip"], "instruction_options": ["6.5 women | 4.5 men"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LE41OP", "worker_id": "A2ECRNQ3X5LEXD"}], "B092FCM7L1": [{"asin": "B092FCM7L1", "instruction": "i would like a gluten free sweet and sour chicken dinner.", "attributes": ["gluten free", "ready eat"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCZT4QA", "worker_id": "A1WS884SI0SLO4"}], "B07XGH1DFM": [{"asin": "B07XGH1DFM", "instruction": "i am looking for brown color ottoman bench for living room.", "attributes": ["button tufted", "non slip", "easy assemble", "solid wood", "living room"], "options": ["color: brown"], "instruction_attributes": ["living room"], "instruction_options": ["brown"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTQ9O61", "worker_id": "A3FG5PQHG5AH3Y"}], "B09G6ZZFXH": [{"asin": "B09G6ZZFXH", "instruction": "i need a solid wood white bed frame.", "attributes": ["white item", "solid wood"], "options": ["color: white"], "instruction_attributes": ["solid wood"], "instruction_options": ["white"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LAVERX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DCS16FJ": [{"asin": "B09DCS16FJ", "instruction": "i want twin size black pants", "attributes": ["twin size", "space saving", "box spring", "storage space", "solid wood"], "options": ["color: black", "style: bunk bed with trundle & staircase"], "instruction_attributes": ["twin size"], "instruction_options": ["black"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1YAH24", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B09DCS16FJ", "instruction": "i am looking for black twin size bunk beds.", "attributes": ["twin size", "space saving", "box spring", "storage space", "solid wood"], "options": ["color: black", "style: bunk bed with drawers&ladder&slat"], "instruction_attributes": ["twin size"], "instruction_options": ["black"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTHLD57", "worker_id": "A1EREKSZAA9V7B"}], "B0946PM7VK": [{"asin": "B0946PM7VK", "instruction": "i'm looking for a pair of women's size seven steel toed boots that are water resistant and come in black.", "attributes": ["water resistant", "steel toe"], "options": ["color: black-80", "size: 7 women | 5.5 men"], "instruction_attributes": ["water resistant", "steel toe"], "instruction_options": ["black-80", "7 women | 5.5 men"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TUVPM2", "worker_id": "AR9AU5FY1S3RO"}], "B000774DQI": [{"asin": "B000774DQI", "instruction": "i want fluoride free ayurvedic herbal toothpaste.", "attributes": ["fluoride free", "cruelty free", "oral hygiene"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40JXXNH", "worker_id": "A2RBF3IIJP15IH"}], "B09P4NKXYH": [{"asin": "B09P4NKXYH", "instruction": "i would like a black pair of earbud headphones that are able to be wirelessly charged.", "attributes": ["noise cancelling", "fast charging", "wireless charging", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["wireless charging"], "instruction_options": ["black"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZH6RP4", "worker_id": "A1WS884SI0SLO4"}], "B07W7S31HC": [{"asin": "B07W7S31HC", "instruction": "i would like a strawberry sunrise lip balm that is paraben and cruelty free.", "attributes": ["certified organic", "paraben free", "cruelty free", "argan oil", "coconut oil"], "options": ["color: strawberry sunrise"], "instruction_attributes": ["paraben free", "cruelty free"], "instruction_options": ["strawberry sunrise"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMLJJ1F", "worker_id": "A1WS884SI0SLO4"}], "B01BZ4D2AO": [{"asin": "B01BZ4D2AO", "instruction": "i am looking for brown hiking boots that are size 10.5 wide with a synthetic sole.", "attributes": ["synthetic sole", "memory foam", "relaxed fit"], "options": ["color: brown", "size: 10.5 wide"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["brown", "10.5 wide"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZCOUWF", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DPG79J2": [{"asin": "B09DPG79J2", "instruction": "i am looking for a replacement tv remote control with the aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907VTAUW", "worker_id": "A1EREKSZAA9V7B"}], "B0008EOGE4": [{"asin": "B0008EOGE4", "instruction": "i'm looking for a pair of straight leg jeans with a button closure that comes in the \"silo\" color. i need them with a forty inch waist and a twenty nine inch length.", "attributes": ["straight leg", "long lasting", "regular fit", "button closure", "classic fit"], "options": ["color: silo", "size: 40w x 29l"], "instruction_attributes": ["straight leg", "button closure"], "instruction_options": ["silo", "40w x 29l"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02ITO32F", "worker_id": "AR9AU5FY1S3RO"}], "B09R9826YV": [{"asin": "B09R9826YV", "instruction": "i am looking for a great gift chocolate box packed in silver foil box color.", "attributes": ["great gift", "gift basket"], "options": ["color: silver foil box"], "instruction_attributes": ["great gift"], "instruction_options": ["silver foil box"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1G2RXF", "worker_id": "A1Q8PPQQCWGY0D"}], "B08KDPSJYK": [{"asin": "B08KDPSJYK", "instruction": "i am looking for a non alcoholic cocktail syrup with coconut flavour.", "attributes": ["non alcoholic", "artificial ingredients", "non gmo", "gluten free"], "options": ["flavor name: coconut", "size: 25 fl oz (pack of 1)"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["coconut"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3V4D1NO", "worker_id": "AHU9OLV0YKIIW"}], "B07DWQ3RWY": [{"asin": "B07DWQ3RWY", "instruction": "i would like a 40 w by 28 l grill pant with a elastic waist.", "attributes": ["classic fit", "elastic waist"], "options": ["color: grill", "size: 40w x 28l"], "instruction_attributes": ["elastic waist"], "instruction_options": ["grill", "40w x 28l"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUMQ3RI", "worker_id": "A1WS884SI0SLO4"}], "B09MWH6FBW": [{"asin": "B09MWH6FBW", "instruction": "i need a space saving ottoman that is purple", "attributes": ["high density", "space saving", "easy clean", "easy assemble", "faux leather", "storage space", "living room"], "options": ["color: purple", "size: 31x31x31cm(12x12x12inch)"], "instruction_attributes": ["space saving"], "instruction_options": ["purple"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV6U8DA", "worker_id": "A2ECRNQ3X5LEXD"}], "B08JY4DGB1": [{"asin": "B08JY4DGB1", "instruction": "i'm looking for a long lasting samsung cell phone.", "attributes": ["long lasting", "4g lte"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPQUFWO", "worker_id": "ARQ05PDNXPFDI"}], "B0068RE8XO": [{"asin": "B0068RE8XO", "instruction": "i would like some non gno amaretto almond biscotti.", "attributes": ["non gmo", "perfect gift"], "options": ["flavor name: amaretto almond biscotti"], "instruction_attributes": ["non gmo"], "instruction_options": ["amaretto almond biscotti"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFG2U5I", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0068RE8XO", "instruction": "i want a creme brulee truffle coffee that is gmo free.", "attributes": ["non gmo", "perfect gift"], "options": ["flavor name: creme brulee truffle"], "instruction_attributes": ["non gmo"], "instruction_options": ["creme brulee truffle"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QZQ708", "worker_id": "A1WS884SI0SLO4"}], "B01LXHXJF9": [{"asin": "B01LXHXJF9", "instruction": "i need an 8 ft navy area rug for the living room that is round.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: navy | teal", "item shape: round", "size: 8 ft"], "instruction_attributes": ["living room"], "instruction_options": ["navy | teal", "round", "8 ft"], "assignment_id": "3P4MQ7TPP8M09ONPVWROKZ1I0REBBG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01LXHXJF9", "instruction": "i want an area rug to go in my living room. pick something in either white or royal blue.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: white | royal blue", "item shape: runner", "size: 8 ft x 8 ft"], "instruction_attributes": ["living room"], "instruction_options": ["white | royal blue"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1C0XCA", "worker_id": "A1NF6PELRKACS9"}], "B0928MPG7R": [{"asin": "B0928MPG7R", "instruction": "i'm looking for a high definition screen protector for my smart watch.", "attributes": ["high definition", "ultra hd"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL8JH5N", "worker_id": "AR9AU5FY1S3RO"}], "B09NLXNYKZ": [{"asin": "B09NLXNYKZ", "instruction": "i am searching for 3 colors makeup naked long lasting eye shadow", "attributes": ["highly pigmented", "long lasting", "easy use", "eye shadow"], "options": ["color: 03"], "instruction_attributes": ["long lasting", "eye shadow"], "instruction_options": ["03"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FGS8KQ", "worker_id": "A258PTOZ3D2TQR"}], "B08DFTK4WT": [{"asin": "B08DFTK4WT", "instruction": "i would like a pair of extra large darkgrey sweatpants with a elastic waist.", "attributes": ["winter warm", "elastic waist", "gym workout"], "options": ["color: darkgrey (closed bottom)", "size: x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["darkgrey (closed bottom)", "x-large"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40YMRCL", "worker_id": "A1WS884SI0SLO4"}], "B08SJ4HVSY": [{"asin": "B08SJ4HVSY", "instruction": "i am looking for an arabic javy cold brew coffee concentrate.", "attributes": ["sugar free", "non gmo", "gluten free"], "options": ["flavor name: caramel", "size: 12 ounce (pack of 2)"], "instruction_attributes": ["non gmo"], "instruction_options": ["caramel"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB16GULK", "worker_id": "A2KW17G25L25R8"}], "B07CH44FCJ": [{"asin": "B07CH44FCJ", "instruction": "i would like a foot cream made from seed oil.", "attributes": ["easy use", "tea tree", "seed oil", "dead skin"], "options": [""], "instruction_attributes": ["seed oil"], "instruction_options": [], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AL5UYX", "worker_id": "A1WS884SI0SLO4"}], "B08GLM774B": [{"asin": "B08GLM774B", "instruction": "i'm looking for some 3 x large high waisted tummy control leggings in wine red polyester spandex.", "attributes": ["butt lifting", "tummy control", "high waist", "polyester spandex"], "options": ["color: #1 s-melange wine red", "size: 3x-large"], "instruction_attributes": ["tummy control", "high waist", "polyester spandex"], "instruction_options": ["#1 s-melange wine red", "3x-large"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KWL9JQ", "worker_id": "AR9AU5FY1S3RO"}], "B07BMH2TFF": [{"asin": "B07BMH2TFF", "instruction": "i'm looking for a large novelty pajama set for my husband who likes blue stripes; i must be able to machine wash it cold.", "attributes": ["wash cold", "machine wash", "relaxed fit", "tumble dry"], "options": ["color: with blue strpe pant", "size: large"], "instruction_attributes": ["wash cold", "machine wash"], "instruction_options": ["with blue strpe pant", "large"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q5RGWL", "worker_id": "A3LIIE572Z4OG7"}], "B09M8H138L": [{"asin": "B09M8H138L", "instruction": "i'm looking for oral care tooth brushes with accessories.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: c- green", "size: 6-12t"], "instruction_attributes": ["easy use"], "instruction_options": ["c- green"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1CZ9U2", "worker_id": "A21IUUHBSEVB56"}], "B004UT3E82": [{"asin": "B004UT3E82", "instruction": "i'm looking for after wax lotion that is cruelty free and is also an epilating trial pack pattern.", "attributes": ["cruelty free", "hair removal"], "options": ["pattern name: epilating trial pack"], "instruction_attributes": ["cruelty free"], "instruction_options": ["epilating trial pack"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q5LWGV", "worker_id": "A34EHWOYRBL6OZ"}], "B07YQHHK9F": [{"asin": "B07YQHHK9F", "instruction": "i am looking for star wars large size navy color bounty hunter wrap around logo raglan baseball t-shirt", "attributes": ["officially licensed", "machine wash", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: navy | white", "fit type: women", "size: large"], "instruction_attributes": ["star wars"], "instruction_options": ["navy | white", "large"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIHQFVC", "worker_id": "A258PTOZ3D2TQR"}], "B09KBW7Y9L": [{"asin": "B09KBW7Y9L", "instruction": "so i would like to find a men's blazer. it needs to be a size 40 and it has to have buttons for those cold windy days. ideally, make sure it is grey with a slim fit as well.", "attributes": ["slim fit", "hand wash", "button closure", "polyester cotton"], "options": ["color: grey", "size: 40"], "instruction_attributes": ["slim fit", "button closure"], "instruction_options": ["grey", "40"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPJ0VQN", "worker_id": "A3GMRPF5MCQVGV"}], "B09FB1NBWD": [{"asin": "B09FB1NBWD", "instruction": "i am looking for modern mid century droplet accent table lamp for living room", "attributes": ["mid century", "living room"], "options": [""], "instruction_attributes": ["mid century", "living room"], "instruction_options": [], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYPDCGC", "worker_id": "A258PTOZ3D2TQR"}], "B082WLFJPV": [{"asin": "B082WLFJPV", "instruction": "i need medipharma cosmetics eyebrow booster serum paraben & silicon free", "attributes": ["paraben free", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["paraben free"], "instruction_options": [], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFWO3ER", "worker_id": "A1V2C99HEV3F14"}], "B01F7MCTBS": [{"asin": "B01F7MCTBS", "instruction": "i am looking for superfood low carb snack tropical mix cubed of 4 pound (pack of 1)", "attributes": ["non gmo", "keto friendly", "low carb"], "options": ["flavor name: tropical mix cubed", "size: 4 pound (pack of 1)"], "instruction_attributes": ["low carb"], "instruction_options": ["tropical mix cubed", "4 pound (pack of 1)"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOGWTAW", "worker_id": "A258PTOZ3D2TQR"}], "B09NMYSG5G": [{"asin": "B09NMYSG5G", "instruction": "i'm looking for a set of machine washable long sleeved pajamas that come in a men's small.", "attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "long sleeve", "dry clean"], "options": ["color: multi 2", "size: small"], "instruction_attributes": ["machine wash", "long sleeve"], "instruction_options": ["small"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WX21AS", "worker_id": "AR9AU5FY1S3RO"}], "B09ND5W2FR": [{"asin": "B09ND5W2FR", "instruction": "i would like a auto charger with a usb port.", "attributes": ["fast charging", "high speed", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KYCE79", "worker_id": "A1WS884SI0SLO4"}], "B01CU5ZJIU": [{"asin": "B01CU5ZJIU", "instruction": "i would like 72 pieces of a variety of sugar free bubblegum.", "attributes": ["keto friendly", "sugar free", "gluten free", "soy free", "low carb", "non gmo", "resealable bag"], "options": ["flavor name: variety", "size: 72 count (pack of 3)"], "instruction_attributes": ["sugar free"], "instruction_options": ["variety", "72 count (pack of 3)"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMY2G29", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01CU5ZJIU", "instruction": "i am looking for sugar free wintergreen chewing gum.", "attributes": ["keto friendly", "sugar free", "gluten free", "soy free", "low carb", "non gmo", "resealable bag"], "options": ["flavor name: wintergreen", "size: 55 count (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["wintergreen"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4AWRQT", "worker_id": "A1EREKSZAA9V7B"}], "B07PQJ1PF2": [{"asin": "B07PQJ1PF2", "instruction": "i am looking for string curtain of rose color that are eco friendly and easy to install.", "attributes": ["eco friendly", "easy install", "living room"], "options": ["color: rose"], "instruction_attributes": ["eco friendly", "easy install"], "instruction_options": ["rose"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XTNNG1", "worker_id": "A1Q8PPQQCWGY0D"}], "B08BX7C5BY": [{"asin": "B08BX7C5BY", "instruction": "i want a blue color synthetic sole vinyl acetate women clogs size 6.5", "attributes": ["ethylene vinyl", "vinyl acetate", "synthetic sole"], "options": ["color: blue", "size: 6.5 women | 5 men"], "instruction_attributes": ["vinyl acetate", "synthetic sole"], "instruction_options": ["blue"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKGU883", "worker_id": "A3N9ZYQAESNFQH"}], "B08D6B3CFK": [{"asin": "B08D6B3CFK", "instruction": "i would like a glass screen scanner.", "attributes": ["batteries included", "easy use", "glass screen"], "options": [""], "instruction_attributes": ["glass screen"], "instruction_options": [], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXSA6WAH", "worker_id": "A1WS884SI0SLO4"}], "B07XYXC1Z7": [{"asin": "B07XYXC1Z7", "instruction": "i'm looking for a red folding ottoman bench for the living room that has storage space and is easy to assemble and easy to clean.", "attributes": ["easy assemble", "easy clean", "faux leather", "storage space", "living room"], "options": ["color: red"], "instruction_attributes": ["easy assemble", "easy clean", "storage space", "living room"], "instruction_options": ["red"], "assignment_id": "3X08E93BH6SOX0PZ3ET8Y3TY8PU667", "worker_id": "A34EHWOYRBL6OZ"}], "B09QG84JT4": [{"asin": "B09QG84JT4", "instruction": "i am looking for medium size, white color and short sleeve aloha beach shirt", "attributes": ["slim fit", "short sleeve", "long sleeve", "tummy control", "regular fit", "relaxed fit", "button closure"], "options": ["color: l-white", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["l-white", "medium"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI83RSS4", "worker_id": "A258PTOZ3D2TQR"}], "B0987MDSG3": [{"asin": "B0987MDSG3", "instruction": "i am looking for desktop having 8gb ram and 64gb ssd and core i5 processor.", "attributes": ["core i5", "intel core"], "options": ["color: taiwan high temperature 5 wire resistive", "size: 8g ram 64g ssd"], "instruction_attributes": ["core i5"], "instruction_options": ["8g ram 64g ssd"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNCC01O", "worker_id": "A3FG5PQHG5AH3Y"}], "B083VY7NS5": [{"asin": "B083VY7NS5", "instruction": "i am looking for herbal ginger tea in small packs.", "attributes": ["caffeine free", "kosher certified", "gluten free", "artificial colors", "perfect gift"], "options": ["flavor name: black tea", "size: 15 count (pack of 2)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["15 count (pack of 2)"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNUCFJK", "worker_id": "A21IUUHBSEVB56"}], "B08YNK3KD9": [{"asin": "B08YNK3KD9", "instruction": "i need a 3 ft fast charging lightning cable that is purple.", "attributes": ["fast charging", "high speed"], "options": ["color: purple", "size: 3 ft"], "instruction_attributes": ["fast charging"], "instruction_options": ["purple", "3 ft"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYRB9QF", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KD4CKLP": [{"asin": "B07KD4CKLP", "instruction": "i am looking for carbon fiber monopod", "attributes": ["quick release", "carbon fiber"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBTWJE5", "worker_id": "A16M39T60N60NO"}], "B01J8S6X2I": [{"asin": "B01J8S6X2I", "instruction": "i need six feet of hdmi high performance cables in a ten pack", "attributes": ["gold plated", "high performance"], "options": ["pattern name: cable", "size: 6 feet", "style: 10-pack"], "instruction_attributes": ["high performance"], "instruction_options": ["6 feet", "10-pack"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNR0XJX6", "worker_id": "A2ECRNQ3X5LEXD"}], "B092NH4PT6": [{"asin": "B092NH4PT6", "instruction": "i am looking for women classic fit t-shirt.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: purple", "fit type: women", "size: x-small"], "instruction_attributes": ["classic fit"], "instruction_options": ["women"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OZV3MY", "worker_id": "A3FG5PQHG5AH3Y"}], "B06XCKNR17": [{"asin": "B06XCKNR17", "instruction": "i would like a quad core tablet.", "attributes": ["high performance", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V6P2U3", "worker_id": "A1WS884SI0SLO4"}], "B09P1J4K9Z": [{"asin": "B09P1J4K9Z", "instruction": "i would like a b04 toothbrush for kid's 6-12 sensitive teeth.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: b04", "size: age 6-12"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["b04", "age 6-12"], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0ZMRRO", "worker_id": "A1WS884SI0SLO4"}], "B09F9RM3LM": [{"asin": "B09F9RM3LM", "instruction": "i want wireless charging in white color", "attributes": ["dust proof", "wireless charging"], "options": [""], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADM2HAB", "worker_id": "A226L9F2AZ38CL"}], "B081SWDLF6": [{"asin": "B081SWDLF6", "instruction": "looking for lumbar support massage gaming chair choose colour yellow", "attributes": ["height adjustable", "lumbar support", "pu leather"], "options": ["color: yellow", "style: d06"], "instruction_attributes": ["lumbar support"], "instruction_options": ["yellow"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCVY5QQ", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B081SWDLF6", "instruction": "i am looking for a grey home office desk chair that is height adjustable and has lumbar support.", "attributes": ["height adjustable", "lumbar support", "pu leather"], "options": ["color: grey", "style: d03"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": ["grey"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA0DA8K", "worker_id": "A1EREKSZAA9V7B"}], "B095XYGKVX": [{"asin": "B095XYGKVX", "instruction": "i am interested in buying a screen protector which is tempered glass, and has rose gold color.", "attributes": ["heavy duty", "hands free", "glass screen", "tempered glass"], "options": ["color: rose gold"], "instruction_attributes": ["tempered glass"], "instruction_options": ["rose gold"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT062RUNZ", "worker_id": "AJY5G987IRT25"}], "B09K3WGHPQ": [{"asin": "B09K3WGHPQ", "instruction": "i'm looking for small high performance silicone watch bands that are quick release.", "attributes": ["quick release", "high performance"], "options": ["color: black blue | black charcoal | black red | black green", "size: small"], "instruction_attributes": ["quick release", "high performance"], "instruction_options": ["small"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LHWL0S", "worker_id": "A34EHWOYRBL6OZ"}], "B09MK8S41Y": [{"asin": "B09MK8S41Y", "instruction": "i am looking for a small long sleeve fashion hoodies & sweatshirts", "attributes": ["long sleeve", "drawstring closure", "short sleeve"], "options": ["color: red#01", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LLL5IR", "worker_id": "A9QRQL9CFJBI7"}], "B08KT687HP": [{"asin": "B08KT687HP", "instruction": "i am interested in buying an artwork for the living room. i would love it in the artwork-02 color.", "attributes": ["ready hang", "wood frame", "solid wood", "living room", "dining room"], "options": ["color: artwork-02", "size: 12x16 inches x 3 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["artwork-02"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV5ABHP", "worker_id": "AHXHM1PQTRWIQ"}], "B000V1LXU4": [{"asin": "B000V1LXU4", "instruction": "i want gluten free valley fresh 100% natural white chicken breast.", "attributes": ["fully cooked", "artificial ingredients", "ready eat", "gluten free"], "options": ["flavor name: chicken breast", "size: 7 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["chicken breast"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2VH5ML", "worker_id": "A2RBF3IIJP15IH"}], "B09C8HN13D": [{"asin": "B09C8HN13D", "instruction": "i would like a pair of size 8 shoes with a leather sole.", "attributes": ["long lasting", "leather sole"], "options": ["size: 8"], "instruction_attributes": ["leather sole"], "instruction_options": ["8"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKSXSGK", "worker_id": "A1WS884SI0SLO4"}], "B09L7WP5TR": [{"asin": "B09L7WP5TR", "instruction": "i want to buy a giant popsicle which is low calorie and fat free with orange flavor and is 51 ounce.", "attributes": ["low calorie", "fat free", "real fruit"], "options": ["flavor name: orange", "pattern name: powder + powder, 51 ounce"], "instruction_attributes": ["low calorie", "fat free"], "instruction_options": ["orange", "powder + powder, 51 ounce"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BPVVJL", "worker_id": "AJY5G987IRT25"}], "B096H8SXS2": [{"asin": "B096H8SXS2", "instruction": "i am looking for gluten free original caramel perfect premium gourmet popcorn", "attributes": ["gluten free", "ready eat", "natural ingredients"], "options": ["flavor name: original caramel"], "instruction_attributes": ["gluten free"], "instruction_options": ["original caramel"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANJDXS3", "worker_id": "A258PTOZ3D2TQR"}], "B09GJXM4DX": [{"asin": "B09GJXM4DX", "instruction": "i need some white bluetooth speakers that are easy to carry", "attributes": ["easy carry", "stereo sound"], "options": ["color: white"], "instruction_attributes": ["easy carry"], "instruction_options": ["white"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODPJWER", "worker_id": "A2ECRNQ3X5LEXD"}], "B0748FN9QT": [{"asin": "B0748FN9QT", "instruction": "i'm looking for trail cameras its is easy to use it can batteries inlcuded.", "attributes": ["batteries included", "easy use"], "options": ["color: grey x1"], "instruction_attributes": ["batteries included"], "instruction_options": ["grey x1"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZHQRPO", "worker_id": "A16IQOX0DK14OJ"}], "B0090OWWYO": [{"asin": "B0090OWWYO", "instruction": "i am looking for sindhi biryani spice powder that is easy to prepare.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: sindhi biryani", "size: pack of 2"], "instruction_attributes": ["easy prepare"], "instruction_options": ["sindhi biryani"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQR8P05", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B0090OWWYO", "instruction": "i need 6 packs of bombay biryani easy prepare seasoning mix flavored punjabi yakhni pilau", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: punjabi yakhni pilau", "size: pack of 6"], "instruction_attributes": ["easy prepare"], "instruction_options": ["punjabi yakhni pilau", "pack of 6"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5KFWIT", "worker_id": "A258PTOZ3D2TQR"}], "B07DKH94JR": [{"asin": "B07DKH94JR", "instruction": "i am looking for a brown wood finish end table.", "attributes": ["assembly required", "wood finish", "living room"], "options": ["color: brown"], "instruction_attributes": ["wood finish"], "instruction_options": ["brown"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUFIZDN", "worker_id": "A2ECRNQ3X5LEXD"}], "B07WRD84GY": [{"asin": "B07WRD84GY", "instruction": "i am looking for feather color jogging pants having elastic waist.", "attributes": ["drawstring closure", "elastic waist"], "options": ["color: feather", "size: x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["feather"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUFXDZG", "worker_id": "A1Q8PPQQCWGY0D"}], "B09LS3RCZ2": [{"asin": "B09LS3RCZ2", "instruction": "i am looking for a high quality and long lasting makeup kit for women.", "attributes": ["highly pigmented", "long lasting", "high quality", "nail polish"], "options": [""], "instruction_attributes": ["long lasting", "high quality"], "instruction_options": [], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TFTNM3", "worker_id": "A1Q8PPQQCWGY0D"}], "B087PVSGS4": [{"asin": "B087PVSGS4", "instruction": "i need a size 6 closed toe high heel pump shoe. the color should be cheetah leopard red.", "attributes": ["high heel", "closed toe", "unique design", "rubber sole"], "options": ["color: cheetah leopard red", "size: 6"], "instruction_attributes": ["high heel", "closed toe"], "instruction_options": ["cheetah leopard red", "6"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOS9YVL", "worker_id": "ASWFLI3N8X72G"}], "B07CBKJ7TS": [{"asin": "B07CBKJ7TS", "instruction": "i am looking for resealable snak club antioxidant trail mix. 5.5oz packs of six.", "attributes": ["non gmo", "resealable bag", "artificial colors"], "options": ["size: 1.37 pound (pack of 1)"], "instruction_attributes": ["resealable bag"], "instruction_options": ["1.37 pound (pack of 1)"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1B2I2B", "worker_id": "A2KW17G25L25R8"}], "B093KVXNYS": [{"asin": "B093KVXNYS", "instruction": "i want a travel organiser for blouse hosiery underwear lingeries laundry bag", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FP7FB3", "worker_id": "A3N9ZYQAESNFQH"}], "B00CQB2VR6": [{"asin": "B00CQB2VR6", "instruction": "i am looking for warm film video lighting kit for my digital photography. i prefer the 3200k lighting with 2400 watt", "attributes": ["carrying case", "digital photography"], "options": [""], "instruction_attributes": ["digital photography"], "instruction_options": [], "assignment_id": "3X0H8UUITCYRED22199FX2O3EGOWSO", "worker_id": "A2COCSUGZV28X"}], "B095S1MVRG": [{"asin": "B095S1MVRG", "instruction": "look for a long lasting shaving cream that is fragrance free. i also have a sensitive skin.", "attributes": ["dermatologist tested", "fragrance free", "long lasting", "sensitive skin"], "options": [""], "instruction_attributes": ["fragrance free", "long lasting", "sensitive skin"], "instruction_options": [], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKL81TW", "worker_id": "A1NF6PELRKACS9"}], "B098JFR3FK": [{"asin": "B098JFR3FK", "instruction": "i'm looking for an easy to use electric foot grinder in blue.", "attributes": ["high quality", "easy use", "quality materials", "dead skin", "dry skin"], "options": ["color: blue"], "instruction_attributes": ["easy use"], "instruction_options": ["blue"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XTLNGZ", "worker_id": "AR9AU5FY1S3RO"}], "B09MSH8K6T": [{"asin": "B09MSH8K6T", "instruction": "i am ordering a grey plus size women long sleeved t -shirt .", "attributes": ["long sleeve", "soft material"], "options": ["color: x02-gray", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x02-gray"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9Q4TV4", "worker_id": "AHU9OLV0YKIIW"}], "B08PKFH373": [{"asin": "B08PKFH373", "instruction": "i would like a aircraft cake topper for a kids birthday party.", "attributes": ["birthday party", "baby shower", "birthday cake"], "options": ["style: aircraft"], "instruction_attributes": ["birthday party"], "instruction_options": ["aircraft"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DX4TOZ", "worker_id": "A1WS884SI0SLO4"}], "B09CDRDPRX": [{"asin": "B09CDRDPRX", "instruction": "i am looking for a grey full daybed with 2 drawers and should be made of a solid wood.", "attributes": ["space saving", "box spring", "solid wood"], "options": ["color: grey", "size: full daybed with 2 drawers"], "instruction_attributes": ["solid wood"], "instruction_options": ["full daybed with 2 drawers"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX308U1B", "worker_id": "AHU9OLV0YKIIW"}], "B099DQDTN9": [{"asin": "B099DQDTN9", "instruction": "i am looking for a easy to use hair extension that has elastic rubber band. and i choose the curly bun with strawberry blonde color", "attributes": ["easy use", "hair salon"], "options": ["color: 27#(strawberry blonde)", "size: curly bun"], "instruction_attributes": ["easy use"], "instruction_options": ["27#(strawberry blonde)", "curly bun"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9WGTEF", "worker_id": "A2COCSUGZV28X"}, {"asin": "B099DQDTN9", "instruction": "i am looking for a tousled bun hairpieces for hair salon", "attributes": ["easy use", "hair salon"], "options": ["color: 2 | 30#(dark brown & light auburn mixed)", "size: tousled bun"], "instruction_attributes": ["hair salon"], "instruction_options": ["tousled bun"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS6NUVC", "worker_id": "A9QRQL9CFJBI7"}], "B0977NLTWY": [{"asin": "B0977NLTWY", "instruction": "i am looking for a ladder bookshelf having steel frame.", "attributes": ["coated steel", "steel frame"], "options": [""], "instruction_attributes": ["steel frame"], "instruction_options": [], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40YCCRW", "worker_id": "A1Q8PPQQCWGY0D"}], "B09C1D546R": [{"asin": "B09C1D546R", "instruction": "i am looking for a wall mounted mirror for the living room", "attributes": ["white item", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXADCFD", "worker_id": "A2ECRNQ3X5LEXD"}], "B086D53WFX": [{"asin": "B086D53WFX", "instruction": "i need a eco friendly green tea mask for sensitive sikn", "attributes": ["eco friendly", "cruelty free", "green tea", "tea tree", "sensitive skin"], "options": [""], "instruction_attributes": ["eco friendly", "green tea", "sensitive skin"], "instruction_options": [], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5IFWIP", "worker_id": "ASWFLI3N8X72G"}], "B07TVHJ7KY": [{"asin": "B07TVHJ7KY", "instruction": "looking for loose fit medium size casual basic tee shirts", "attributes": ["light weight", "loose fit", "cotton spandex"], "options": ["color: tie dye 27", "size: medium"], "instruction_attributes": ["loose fit"], "instruction_options": ["medium"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGZDWTO", "worker_id": "A10OGH5CQBXL5N"}], "B08BYH6J6Z": [{"asin": "B08BYH6J6Z", "instruction": "i would like a pair of size 5 leather oxfords with a synthetic sole.", "attributes": ["day comfort", "non slip", "synthetic sole"], "options": ["color: porcelain glazed croco | leather", "size: 5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["porcelain glazed croco | leather", "5"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9H1LD1U", "worker_id": "A1WS884SI0SLO4"}], "B0989DND8F": [{"asin": "B0989DND8F", "instruction": "i'm looking for a silicon exfoliating body scrubber which would be easy to use.", "attributes": ["easy clean", "double sided", "dead skin", "sensitive skin"], "options": ["color: blue+yellow"], "instruction_attributes": ["easy clean"], "instruction_options": ["blue+yellow"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35PGGUM", "worker_id": "A21IUUHBSEVB56"}], "B09FPRSY7Q": [{"asin": "B09FPRSY7Q", "instruction": "i need a high power soundbar with stereo sound. it should include the audio line.", "attributes": ["high power", "stereo sound"], "options": ["color: audio line included"], "instruction_attributes": ["high power", "stereo sound"], "instruction_options": ["audio line included"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF5PDLV", "worker_id": "AR9AU5FY1S3RO"}], "B09B6KYFB8": [{"asin": "B09B6KYFB8", "instruction": "i like soy wax in freesia & gardenia", "attributes": ["lead free", "soy wax"], "options": ["scent: freesia & gardenia"], "instruction_attributes": ["soy wax"], "instruction_options": ["freesia & gardenia"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYEFEIW", "worker_id": "A226L9F2AZ38CL"}], "B01DK5GE1U": [{"asin": "B01DK5GE1U", "instruction": "i'm looking for a size 48 in vanity light comtemporary cylinder.", "attributes": ["vanity light", "contemporary design", "brushed nickel", "light fixture", "living room"], "options": ["color: brushed nickel", "size: 48 in", "style: arrow"], "instruction_attributes": ["vanity light"], "instruction_options": ["48 in"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZFHLKD", "worker_id": "ARQ05PDNXPFDI"}], "B0185HLNIW": [{"asin": "B0185HLNIW", "instruction": "i am looking for an easy to clean wobble stool for kids, i would like a 20 inch seat, and black in color.", "attributes": ["fully assembled", "non slip", "easy clean"], "options": ["color: seafoam", "size: 20\" h"], "instruction_attributes": ["easy clean"], "instruction_options": ["20\" h"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCK1LND5", "worker_id": "A2KW17G25L25R8"}], "B08JPVZG7X": [{"asin": "B08JPVZG7X", "instruction": "i am looking for kids blanket of size 50x60 inch for my living room.", "attributes": ["machine washable", "fleece throw", "living room"], "options": ["color: blanket-03", "size: 50x60 inch"], "instruction_attributes": ["living room"], "instruction_options": ["50x60 inch"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCKCSJM", "worker_id": "A1Q8PPQQCWGY0D"}], "B09DDCP3PR": [{"asin": "B09DDCP3PR", "instruction": "i want wildcat leopard impo stretch boots with memory foam.", "attributes": ["memory foam", "leather sole"], "options": ["color: wildcat leopard", "size: 8 wide"], "instruction_attributes": ["memory foam"], "instruction_options": ["wildcat leopard"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWTTFPV", "worker_id": "A2RBF3IIJP15IH"}], "B09P8L6DKB": [{"asin": "B09P8L6DKB", "instruction": "i need red party supplies", "attributes": ["party supplies", "cupcake picks"], "options": ["color: red"], "instruction_attributes": ["party supplies"], "instruction_options": ["red"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFWEE3S", "worker_id": "A2ECRNQ3X5LEXD"}], "B078X4FYKH": [{"asin": "B078X4FYKH", "instruction": "i want a classic fit best cruise director ever shirt for men.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: men", "size: 3t"], "instruction_attributes": ["classic fit"], "instruction_options": ["men"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1ZZ2HG", "worker_id": "A2RBF3IIJP15IH"}], "B001QZZ1J8": [{"asin": "B001QZZ1J8", "instruction": "i would like a pack of six chocolate cake mixes that are non gmo.", "attributes": ["easy use", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: chocolate", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["chocolate", "12 ounce (pack of 6)"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602VT593", "worker_id": "A2ECRNQ3X5LEXD"}], "B07YXYCXSG": [{"asin": "B07YXYCXSG", "instruction": "i am looking for women's sandals of 8 size having leather sole.", "attributes": ["leather sole", "synthetic sole"], "options": ["color: emerald", "size: 8"], "instruction_attributes": ["leather sole"], "instruction_options": ["8"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGZTWT4", "worker_id": "A1Q8PPQQCWGY0D"}], "B08RNCQN19": [{"asin": "B08RNCQN19", "instruction": "i would like a portable bluetooth speaker with stereo sound.", "attributes": ["hands free", "carrying case", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIJP002", "worker_id": "A1WS884SI0SLO4"}], "B089GWSZ56": [{"asin": "B089GWSZ56", "instruction": "i am looking for a wireless hidden camera that can be easily used with shirt's pocket", "attributes": ["easy use", "motion detection"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM95EI1K", "worker_id": "A2COCSUGZV28X"}], "B093KMSTW2": [{"asin": "B093KMSTW2", "instruction": "i'm looking for golden decorated birthday cupcake.", "attributes": ["birthday cake", "party supplies"], "options": ["color: golden"], "instruction_attributes": ["birthday cake"], "instruction_options": ["golden"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG4IGBE", "worker_id": "A21IUUHBSEVB56"}], "B0774GXDMB": [{"asin": "B0774GXDMB", "instruction": "i would like 42 bags of 100% colombian rich and creamy single serve coffee cups.", "attributes": ["rich creamy", "non gmo", "gluten free"], "options": ["flavor name: 100% colombian, donut shop, morning blen...", "size: 42 count (pack of 2)"], "instruction_attributes": ["rich creamy"], "instruction_options": ["100% colombian, donut shop, morning blen...", "42 count (pack of 2)"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDKBO2M", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0774GXDMB", "instruction": "i want a 200 count pack of hot cocoa cups that is rich and creamy. ensure that it is gluten free.", "attributes": ["rich creamy", "non gmo", "gluten free"], "options": ["flavor name: morning blend, 100% colombian, donut sho...", "size: 200 count (pack of 1)"], "instruction_attributes": ["rich creamy", "gluten free"], "instruction_options": ["200 count (pack of 1)"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0Y3CCM", "worker_id": "A1NF6PELRKACS9"}], "B082YZ2M39": [{"asin": "B082YZ2M39", "instruction": "i am looking for a large light blue dress shirt that is long sleeved", "attributes": ["hand wash", "machine wash", "regular fit", "polyester spandex", "long sleeve"], "options": ["color: d-light blue no tie", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["d-light blue no tie", "large"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9LY6KY", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PRNYHKP": [{"asin": "B09PRNYHKP", "instruction": "i want size 7 ankle strap in metal", "attributes": ["non slip", "ankle strap"], "options": ["color: z02# gray", "size: 7"], "instruction_attributes": ["ankle strap"], "instruction_options": ["7"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUNN4S8", "worker_id": "A226L9F2AZ38CL"}], "B09G36DP9B": [{"asin": "B09G36DP9B", "instruction": "i'm looking for a 26cm hand painted wicker woven basket.", "attributes": ["hand painted", "living room"], "options": ["size: 26cm"], "instruction_attributes": ["hand painted"], "instruction_options": ["26cm"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZOJY1D", "worker_id": "ARQ05PDNXPFDI"}], "B09T39SXP5": [{"asin": "B09T39SXP5", "instruction": "i'm looking for a carbon fiber tripods for cameras", "attributes": ["quick release", "carbon fiber"], "options": [""], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8YE8GO", "worker_id": "A2Y2TURT2VEYZN"}], "B073RK32S6": [{"asin": "B073RK32S6", "instruction": "i would like a small rustic brown tv stand made of solid wood.", "attributes": ["mid century", "white item", "solid wood"], "options": ["color: rustic brown", "size: small"], "instruction_attributes": ["solid wood"], "instruction_options": ["rustic brown", "small"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UXN0YO", "worker_id": "A1WS884SI0SLO4"}], "B09SKR3H1J": [{"asin": "B09SKR3H1J", "instruction": "i'm looking for solid wooden furniture for kitchen, dinning and table chair set.", "attributes": ["easy clean", "metal legs", "solid wood", "living room"], "options": ["color: rustic brown", "size: 47.2\"l x 23.6\"w x 33.1\"h"], "instruction_attributes": ["solid wood"], "instruction_options": ["rustic brown"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5J21ZO", "worker_id": "A21IUUHBSEVB56"}], "B092VN7WGH": [{"asin": "B092VN7WGH", "instruction": "i'm looking for some leak proof, easy to clean travel bodies that are non-toxic and have hearts on them.", "attributes": ["leak proof", "non toxic", "easy clean", "travel bottles"], "options": ["style: heart style"], "instruction_attributes": ["leak proof", "non toxic", "easy clean", "travel bottles"], "instruction_options": ["heart style"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV4IHB1", "worker_id": "AR9AU5FY1S3RO"}], "B08Y8HB36D": [{"asin": "B08Y8HB36D", "instruction": "i need some beige storage bins that are easy to clean.", "attributes": ["spot clean", "easy clean", "faux leather"], "options": ["color: beige 16\"", "size: 16\" x 11.8\" x 11.8\"-2pack"], "instruction_attributes": ["easy clean"], "instruction_options": ["beige 16\""], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVQ0KJY", "worker_id": "A2ECRNQ3X5LEXD"}], "B097C7F3PF": [{"asin": "B097C7F3PF", "instruction": "i would like a variety pack of low calorie microwave popcorn.", "attributes": ["low calorie", "non gmo", "artificial ingredients", "gluten free"], "options": ["flavor name: variety pack"], "instruction_attributes": ["low calorie"], "instruction_options": ["variety pack"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9Q6VT8", "worker_id": "A1WS884SI0SLO4"}], "B08PQ792TD": [{"asin": "B08PQ792TD", "instruction": "i am looking for candle having jungle guava scent and should be lead free.", "attributes": ["lead free", "long lasting", "soy wax"], "options": ["scent: jungle guava", "size: 9 oz. | medium single wick"], "instruction_attributes": ["lead free"], "instruction_options": ["jungle guava"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TO73NY", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08PQ792TD", "instruction": "i want a tropic mist lead free single wick candle.", "attributes": ["lead free", "long lasting", "soy wax"], "options": ["scent: tropic mist", "size: 9 oz. | medium single wick"], "instruction_attributes": ["lead free"], "instruction_options": ["tropic mist"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPW2JPM", "worker_id": "A2RBF3IIJP15IH"}], "B08KRQ6JBN": [{"asin": "B08KRQ6JBN", "instruction": "i'm looking for pure mulberry silk underwear for men.", "attributes": ["machine washable", "hand wash", "machine wash", "elastic waistband", "classic fit"], "options": [""], "instruction_attributes": ["elastic waistband", "classic fit"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXUC5OE", "worker_id": "A21IUUHBSEVB56"}], "B0953QCJ3H": [{"asin": "B0953QCJ3H", "instruction": "looking for tatami floor mat for living room also choose size180x200cm(71*79inch)", "attributes": ["memory foam", "living room"], "options": ["color: c", "size: 180x200cm(71*79inch)"], "instruction_attributes": ["living room"], "instruction_options": ["180x200cm(71*79inch)"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPL2NJ3", "worker_id": "A10OGH5CQBXL5N"}], "B08THG9FDG": [{"asin": "B08THG9FDG", "instruction": "i am looking for ultra hd motion detection surveillance dome camera color black size :6mp wdr 2.8 mm", "attributes": ["ultra hd", "plug play", "motion detection"], "options": ["color: black", "size: 6mp wdr 2.8mm"], "instruction_attributes": ["ultra hd", "motion detection"], "instruction_options": ["black", "6mp wdr 2.8mm"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZJD7A6", "worker_id": "A3N9ZYQAESNFQH"}], "B097C6SVG6": [{"asin": "B097C6SVG6", "instruction": "i need to buy a light weight, machine washable tank top in brown, size small.", "attributes": ["light weight", "machine washable", "machine wash", "relaxed fit", "button closure"], "options": ["color: z5-brown", "size: small"], "instruction_attributes": ["light weight", "machine washable"], "instruction_options": ["z5-brown", "small"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1FSXC8", "worker_id": "AR9AU5FY1S3RO"}], "B01DQ8VYHA": [{"asin": "B01DQ8VYHA", "instruction": "i would like a source vitamin soft drink mix.", "attributes": ["caffeine free", "source vitamin"], "options": [""], "instruction_attributes": ["source vitamin"], "instruction_options": [], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9NJB0W", "worker_id": "A1WS884SI0SLO4"}], "B077V2Q32W": [{"asin": "B077V2Q32W", "instruction": "i would like a 2x poolside sebastion plaid shirt that is easy to take care of.", "attributes": ["easy care", "machine wash", "button closure", "short sleeve"], "options": ["color: poolside sebastion plaid", "size: 2x"], "instruction_attributes": ["easy care"], "instruction_options": ["poolside sebastion plaid", "2x"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y5ANNA", "worker_id": "A1WS884SI0SLO4"}], "B09NBWK214": [{"asin": "B09NBWK214", "instruction": "i am looing for a fog color hair drying towels which is easy to use", "attributes": ["easy use", "dry hair"], "options": ["color: fog"], "instruction_attributes": ["easy use"], "instruction_options": ["fog"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYTROZB", "worker_id": "A9QRQL9CFJBI7"}], "B09129QLGX": [{"asin": "B09129QLGX", "instruction": "i need to buy a queen sized duvet cover. i want one that's machine washable.", "attributes": ["queen size", "machine washable"], "options": ["color: multi 01", "size: queen"], "instruction_attributes": ["queen size", "machine washable"], "instruction_options": ["queen"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G79S473", "worker_id": "AR9AU5FY1S3RO"}], "B00L7S3FJ2": [{"asin": "B00L7S3FJ2", "instruction": "i'm looking for a cruelty free body wash, preferably citrus and mint scent.", "attributes": ["fragrance free", "cruelty free"], "options": ["scent: citrus and mint"], "instruction_attributes": ["cruelty free"], "instruction_options": ["citrus and mint"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TFL2K0", "worker_id": "ARQ05PDNXPFDI"}], "B07HZHJGY7": [{"asin": "B07HZHJGY7", "instruction": "i am looking for a tablet of plum color having quad core processor.", "attributes": ["hands free", "quad core"], "options": ["color: plum", "digital storage capacity: 32 gb", "offer type: without lockscreen ads", "style: with case & screen protector (2-pack)"], "instruction_attributes": ["quad core"], "instruction_options": ["plum"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IYVKHS", "worker_id": "A1Q8PPQQCWGY0D"}], "B095KSXGZX": [{"asin": "B095KSXGZX", "instruction": "i am looking for a roller shade that is gray and for the living room", "attributes": ["white item", "easy clean", "living room"], "options": ["color: blackout classic gray", "size: 20\"w x 64\"h"], "instruction_attributes": ["living room"], "instruction_options": ["blackout classic gray"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLO03O78", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B095KSXGZX", "instruction": "i want to find white blackout window shades that i can put in my living room, and they need to be 2 inches in width and 64 inches in height.", "attributes": ["white item", "easy clean", "living room"], "options": ["color: blackout white", "size: 74 1 | 2\"w x 64\"h"], "instruction_attributes": ["white item", "living room"], "instruction_options": ["blackout white", "74 1 | 2\"w x 64\"h"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF99RZAL", "worker_id": "A345TDMHP3DQ3G"}], "B01NAWGUXD": [{"asin": "B01NAWGUXD", "instruction": "i need a mid century coffee table.", "attributes": ["mid century", "solid wood"], "options": [""], "instruction_attributes": ["mid century"], "instruction_options": [], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWTJPFV", "worker_id": "A2ECRNQ3X5LEXD"}], "B08NSQG7P3": [{"asin": "B08NSQG7P3", "instruction": "i'm looking for a three pack of grey pendant lights for my dining room.", "attributes": ["pendant light", "dining room", "living room"], "options": ["color: grey,3 pack"], "instruction_attributes": ["pendant light", "dining room"], "instruction_options": ["grey,3 pack"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1BMI2V", "worker_id": "AR9AU5FY1S3RO"}], "B09B3Q8T5W": [{"asin": "B09B3Q8T5W", "instruction": "i'm looking for a high definition wireless bluetooth radio with fast charging capacity. also choose white star one.", "attributes": ["fast charging", "high definition", "wireless bluetooth", "wireless charging"], "options": ["color: white star"], "instruction_attributes": ["fast charging", "high definition", "wireless bluetooth"], "instruction_options": ["white star"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LYECDL", "worker_id": "AR0VJ5XRG16UJ"}], "B08DR1NNJ4": [{"asin": "B08DR1NNJ4", "instruction": "i am interested in buying a universal remote control which has batteries included and is compatible with smart tvs.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6HYEVI", "worker_id": "AJY5G987IRT25"}], "B09B2164QM": [{"asin": "B09B2164QM", "instruction": "i would like some 12 inch balayage dark brown mixed with walnut brown and strawberry blonde hair extensions.", "attributes": ["easy apply", "high quality", "hair extensions"], "options": ["color: balayage dark brown mixed with walnut brown and strawberry blonde #b2 | 3 | 27", "size: 12 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["balayage dark brown mixed with walnut brown and strawberry blonde #b2 | 3 | 27", "12 inch"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYZDPP5", "worker_id": "A1WS884SI0SLO4"}], "B07RC19HNW": [{"asin": "B07RC19HNW", "instruction": "i would like a pack of dome cameras that have motion detection.", "attributes": ["1080p hd", "motion detection"], "options": ["size: 1 pack"], "instruction_attributes": ["motion detection"], "instruction_options": ["1 pack"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZTSSH3", "worker_id": "A1WS884SI0SLO4"}], "B09NR8NCTD": [{"asin": "B09NR8NCTD", "instruction": "i want to find a barber cape that can be used in a hair salon. it needs to have a pepperoni pizza pattern to it.", "attributes": ["easy clean", "hair cutting", "hair salon"], "options": ["scent: pepperoni pizza"], "instruction_attributes": ["hair cutting", "hair salon"], "instruction_options": ["pepperoni pizza"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VMI60G", "worker_id": "A345TDMHP3DQ3G"}], "B091MXTQYH": [{"asin": "B091MXTQYH", "instruction": "i would like some travel bottles for my cosmetics.", "attributes": ["bpa free", "easy carry", "travel bottles"], "options": [""], "instruction_attributes": ["travel bottles"], "instruction_options": [], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4JA15V", "worker_id": "A1WS884SI0SLO4"}], "B01HHKB888": [{"asin": "B01HHKB888", "instruction": "i need an ac adapter with output protection", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPCBQDY", "worker_id": "A2ECRNQ3X5LEXD"}], "B06XD34LMS": [{"asin": "B06XD34LMS", "instruction": "i am searching for a bronze finish lighting fixture.", "attributes": ["bronze finish", "light fixture"], "options": ["color: bronze | dark", "size: 3 light pendant"], "instruction_attributes": ["bronze finish", "light fixture"], "instruction_options": ["bronze | dark"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTBYLNW", "worker_id": "A1NF6PELRKACS9"}], "B09DK9G19W": [{"asin": "B09DK9G19W", "instruction": "i'm looking for elastic bands that are easily adjustable, please. something good for beginners", "attributes": ["quick release", "easy install"], "options": ["color: steel blue+night blue"], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9QEVTG", "worker_id": "A2TRV8SEM003GG"}], "B09Q2Z5HBF": [{"asin": "B09Q2Z5HBF", "instruction": "i'm looking for a 4g lte tablet", "attributes": ["high performance", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPIR6V4", "worker_id": "ARQ05PDNXPFDI"}], "B07953TM6H": [{"asin": "B07953TM6H", "instruction": "i would like a extra large dark blue sweatshirt that is long sleeved.", "attributes": ["loose fit", "long sleeve", "short sleeve", "button closure", "teen girls"], "options": ["color: dark blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["dark blue", "x-large"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O432AZ", "worker_id": "A1WS884SI0SLO4"}], "B09965W7GD": [{"asin": "B09965W7GD", "instruction": "i am searching for 2 packs of gluten free chewy chocolate chip granola bars", "attributes": ["gluten free", "nut free", "certified organic", "non gmo", "artificial colors"], "options": ["size: 2 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["2 pack"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6URPEZ1", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09965W7GD", "instruction": "i am looking for 3 packs gluten free chocolate bars.", "attributes": ["gluten free", "nut free", "certified organic", "non gmo", "artificial colors"], "options": ["size: 3 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["3 pack"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH4D1VX", "worker_id": "A3FG5PQHG5AH3Y"}], "B07D3RSVLM": [{"asin": "B07D3RSVLM", "instruction": "i am looking for a contemporary home office chair", "attributes": ["easy clean", "contemporary design"], "options": [""], "instruction_attributes": ["contemporary design"], "instruction_options": [], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYZC63N", "worker_id": "A2ECRNQ3X5LEXD"}], "B071ZRG5DF": [{"asin": "B071ZRG5DF", "instruction": "i'm looking for high heel for women's it was white red in color.", "attributes": ["high heel", "rubber sole"], "options": ["color: white red", "size: 5"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQHDHH7", "worker_id": "A16IQOX0DK14OJ"}], "B0936BZ1Q2": [{"asin": "B0936BZ1Q2", "instruction": "i need some hair extensions that are dark brown and 18 inches", "attributes": ["high quality", "hair extensions"], "options": ["color: dark brown #2", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["dark brown #2", "18 inch"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPBYCOT", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NL3VBYK": [{"asin": "B07NL3VBYK", "instruction": "i'm looking for a rug with contemporary design in black/ivory color sized 10x14 ft", "attributes": ["contemporary design", "home furnishings"], "options": ["color: black | ivory", "size: 10 ft x 14 ft"], "instruction_attributes": ["contemporary design"], "instruction_options": [], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJPBOMW", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07NL3VBYK", "instruction": "i am looking for contemporary designed rug of 3.ftx 5ft.", "attributes": ["contemporary design", "home furnishings"], "options": ["color: silver | ivory", "size: 3 ft x 5 ft"], "instruction_attributes": ["contemporary design"], "instruction_options": ["3 ft x 5 ft"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCFIH78", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07NL3VBYK", "instruction": "i need an 8ft round contemporary area rug that is silver and ivory.", "attributes": ["contemporary design", "home furnishings"], "options": ["color: silver | ivory", "size: 8 ft round"], "instruction_attributes": ["contemporary design"], "instruction_options": ["silver | ivory", "8 ft round"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVR79XF", "worker_id": "A2ECRNQ3X5LEXD"}], "B005IGVXRU": [{"asin": "B005IGVXRU", "instruction": "i am looking for blue color digital camera having optical zoom.", "attributes": ["optical zoom", "stereo sound"], "options": ["color: blue"], "instruction_attributes": ["optical zoom"], "instruction_options": ["blue"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLPKI4T", "worker_id": "A1Q8PPQQCWGY0D"}], "B09L1GFM58": [{"asin": "B09L1GFM58", "instruction": "i want a black walnut entryway console table with metal legs and 40 inches long.", "attributes": ["easy install", "bronze finish", "metal legs"], "options": ["size: 40 inches"], "instruction_attributes": ["metal legs"], "instruction_options": ["40 inches"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NM9KBX", "worker_id": "A2RBF3IIJP15IH"}], "B09MVFYD7C": [{"asin": "B09MVFYD7C", "instruction": "i want a pink water dental oral irrigator for bad breath.", "attributes": ["easy use", "bad breath"], "options": ["color: pink"], "instruction_attributes": ["bad breath"], "instruction_options": ["pink"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67OT4NA", "worker_id": "A2RBF3IIJP15IH"}], "B08YF51NZ8": [{"asin": "B08YF51NZ8", "instruction": "i'm looking for a leak proof soap container for kids.", "attributes": ["leak proof", "travel size", "easy carry", "travel bottles"], "options": [""], "instruction_attributes": ["leak proof"], "instruction_options": [], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KP0UH6", "worker_id": "ARQ05PDNXPFDI"}], "B09PRLF1YQ": [{"asin": "B09PRLF1YQ", "instruction": "i am looking for wireless bluethooth for my compact radios and stereos- hands free electronic.", "attributes": ["hands free", "wireless bluetooth"], "options": [""], "instruction_attributes": ["hands free", "wireless bluetooth"], "instruction_options": [], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK48ZA6G", "worker_id": "A3R8PQCD99H61E"}], "B09QPK32M1": [{"asin": "B09QPK32M1", "instruction": "i am looking for a 7.5 no. high heel for women", "attributes": ["anti slip", "open toe", "high heel", "ankle strap", "rubber sole"], "options": ["color: sandals 09 silver", "size: 7.5"], "instruction_attributes": ["high heel"], "instruction_options": ["7.5"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907UAAUB", "worker_id": "A9QRQL9CFJBI7"}], "B0773FVVM4": [{"asin": "B0773FVVM4", "instruction": "i'm looking for coated steel for furniture for living room.", "attributes": ["fully assembled", "coated steel"], "options": ["color: light gray"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1FTXC9", "worker_id": "A16IQOX0DK14OJ"}], "B099F1QYFM": [{"asin": "B099F1QYFM", "instruction": "i am looking for a high quality hairpieces. also choose 250# darkest brown with 50% synthetic grey color and 8x10''-80% light density in size", "attributes": ["high quality", "hair loss"], "options": ["color: 250# darkest brown with 50% synthetic grey", "size: 8x10''-80% light density"], "instruction_attributes": ["high quality"], "instruction_options": ["250# darkest brown with 50% synthetic grey", "8x10''-80% light density"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYQB7NP", "worker_id": "A2HMEGTAFO0CS8"}], "B08DKK753Y": [{"asin": "B08DKK753Y", "instruction": "i'm looking for a black storage case for my hair dryer.", "attributes": ["eco friendly", "long lasting", "storage case"], "options": ["color: black"], "instruction_attributes": ["storage case"], "instruction_options": ["black"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8MN4R5", "worker_id": "A3MNXK3VDK37SN"}], "B08KXXM3QK": [{"asin": "B08KXXM3QK", "instruction": "i am looking for quick drying x-large size leggings.", "attributes": ["quick drying", "moisture wicking", "tummy control", "stretch fabric"], "options": ["color: b rose red", "size: x-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["x-large"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHGDBNQ", "worker_id": "A1Q8PPQQCWGY0D"}], "B09Q31YKPN": [{"asin": "B09Q31YKPN", "instruction": "i need some women's shoes with a non-slip rubber sole. look for them in white, size eleven.", "attributes": ["non slip", "rubber sole", "daily wear"], "options": ["color: white", "size: 11"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["white", "11"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJWCVGD", "worker_id": "AR9AU5FY1S3RO"}], "B08BJCGY82": [{"asin": "B08BJCGY82", "instruction": "i need a shampoo set that is paraben free", "attributes": ["paraben free", "cruelty free", "green tea", "hair growth", "natural hair", "hair loss", "damaged hair"], "options": [""], "instruction_attributes": ["paraben free"], "instruction_options": [], "assignment_id": "39JEC75375BYS7D1EDEJWV17L4WCVW", "worker_id": "A2ECRNQ3X5LEXD"}], "B09L5SHDG9": [{"asin": "B09L5SHDG9", "instruction": "i am interested in buying a grey colored rocking chair with memory foam and lumbar support.", "attributes": ["high density", "heavy duty", "lumbar support", "pu leather", "memory foam"], "options": ["color: grey"], "instruction_attributes": ["lumbar support", "memory foam"], "instruction_options": ["grey"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWE4NFJ", "worker_id": "AHXHM1PQTRWIQ"}], "B07V65SLS7": [{"asin": "B07V65SLS7", "instruction": "i am looking for a chocolate gift basket.", "attributes": ["gift basket", "perfect gift"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9CEAZP", "worker_id": "A2ECRNQ3X5LEXD"}], "B085PL9LP4": [{"asin": "B085PL9LP4", "instruction": "i am looking for clinically proven deodorants . the men's deodorants with anitperspirants -long lasting performance and z-discontinued.", "attributes": ["clinically proven", "long lasting"], "options": ["style: z- discontinued"], "instruction_attributes": ["clinically proven", "long lasting"], "instruction_options": ["z- discontinued"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L49VCS", "worker_id": "A3R8PQCD99H61E"}], "B08G1F4RPC": [{"asin": "B08G1F4RPC", "instruction": "i need a high power sound bar in a natural color", "attributes": ["high power", "high speed"], "options": ["color: natural"], "instruction_attributes": ["high power"], "instruction_options": ["natural"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBHVHG3", "worker_id": "A2ECRNQ3X5LEXD"}], "B095HZJZS2": [{"asin": "B095HZJZS2", "instruction": "i would like a 201 by 153 cm high definition protection screen.", "attributes": ["wall mounted", "high definition"], "options": ["size: 201*153cm"], "instruction_attributes": ["high definition"], "instruction_options": ["201*153cm"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98U2YKZ", "worker_id": "A1WS884SI0SLO4"}], "B07YXG3FX7": [{"asin": "B07YXG3FX7", "instruction": "i would like a women's extra large heather grey cotton tank top.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather grey", "fit type: women", "size: x-large"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["heather grey", "women", "x-large"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFOIE93", "worker_id": "A1WS884SI0SLO4"}], "B07MDLKPXY": [{"asin": "B07MDLKPXY", "instruction": "i'm looking for a universal remote control with batteries included", "attributes": ["batteries included", "long lasting"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTKGD4Q", "worker_id": "A2Y2TURT2VEYZN"}], "B09RCHJTN7": [{"asin": "B09RCHJTN7", "instruction": "i am looking for a quad core desktop that has 16gb of ram and 2tb storage", "attributes": ["dual band", "intel core", "quad core"], "options": ["size: 16gb ram | 2tb ssd"], "instruction_attributes": ["quad core"], "instruction_options": ["16gb ram | 2tb ssd"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107BMLIW", "worker_id": "A2ECRNQ3X5LEXD"}], "B01CZVEUIE": [{"asin": "B01CZVEUIE", "instruction": "i need a 1.6ft gold cable usb c for fast charging", "attributes": ["fast charging", "gold plated", "aluminum alloy", "usb port"], "options": ["color: gold", "number of items: 1", "size: 1.6ft"], "instruction_attributes": ["fast charging", "usb port"], "instruction_options": ["gold", "1", "1.6ft"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSYNLGX", "worker_id": "A2Y2TURT2VEYZN"}], "B09QG12W87": [{"asin": "B09QG12W87", "instruction": "i want children's mousse teeth whitening toothpaste.", "attributes": ["teeth whitening", "fresh breath"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9KW6KU", "worker_id": "A2RBF3IIJP15IH"}], "B09JGQZ3VQ": [{"asin": "B09JGQZ3VQ", "instruction": "i'm looking for a outdoor camera with optical zoom and ultra hd", "attributes": ["ultra hd", "optical zoom"], "options": [""], "instruction_attributes": ["ultra hd", "optical zoom"], "instruction_options": [], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA6YC8U", "worker_id": "A2Y2TURT2VEYZN"}], "B09LY9HDNL": [{"asin": "B09LY9HDNL", "instruction": "i drink for red wine quick release for me", "attributes": ["quick release", "hands free"], "options": ["color: wine red"], "instruction_attributes": ["quick release"], "instruction_options": ["wine red"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKMR1TH", "worker_id": "A226L9F2AZ38CL"}], "B08286X2WQ": [{"asin": "B08286X2WQ", "instruction": "i need 12 packs of gluten free cajun rice mix.", "attributes": ["low fat", "gluten free"], "options": ["number of items: 12"], "instruction_attributes": ["gluten free"], "instruction_options": ["12"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA9327Z33", "worker_id": "A1NF6PELRKACS9"}], "B08DMYJMB8": [{"asin": "B08DMYJMB8", "instruction": "i would like a black smartwatch quick release band.", "attributes": ["quick release", "stainless steel"], "options": ["color: black-red"], "instruction_attributes": ["quick release"], "instruction_options": ["black-red"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOFBLL5", "worker_id": "A1WS884SI0SLO4"}], "B07KWHNHF6": [{"asin": "B07KWHNHF6", "instruction": "i am looking for 3t size, olive color cotton heather men shirts .the cloth must be machine wash.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: olive", "fit type: youth", "size: 3t"], "instruction_attributes": ["machine wash", "cotton heather"], "instruction_options": ["olive", "3t"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22MJW8Q", "worker_id": "A3R8PQCD99H61E"}], "B08G1SZVW6": [{"asin": "B08G1SZVW6", "instruction": "i need heavy duty yellow bed frames.", "attributes": ["heavy duty", "easy assemble", "box spring", "storage space"], "options": ["color: yellow"], "instruction_attributes": ["heavy duty"], "instruction_options": ["yellow"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCLEBLP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QQKCQD7": [{"asin": "B07QQKCQD7", "instruction": "i am in need of 8.5 sized pink color rubber sole women round toe lace up oxford shoes", "attributes": ["anti slip", "non slip", "rubber sole", "synthetic sole"], "options": ["color: pink", "size: 8.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["pink", "8.5"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISZVOYS", "worker_id": "A258PTOZ3D2TQR"}], "B09PYRFKT9": [{"asin": "B09PYRFKT9", "instruction": "i want a high quality, eco friendly cart for a beauty salon.", "attributes": ["high quality", "eco friendly", "beauty salon"], "options": [""], "instruction_attributes": ["high quality", "eco friendly", "beauty salon"], "instruction_options": [], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTK84D9", "worker_id": "AR9AU5FY1S3RO"}], "B09445M1TR": [{"asin": "B09445M1TR", "instruction": "i would like some beige throw pillow covers for the living room", "attributes": ["living room", "dining room"], "options": ["color: beige", "size: 12\"*20\""], "instruction_attributes": ["living room"], "instruction_options": ["beige"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP84JZ7Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QJC9D1K": [{"asin": "B08QJC9D1K", "instruction": "i would like a carrying case for my vita.", "attributes": ["easy carry", "carrying case"], "options": [""], "instruction_attributes": ["carrying case"], "instruction_options": [], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BPSVJI", "worker_id": "A1WS884SI0SLO4"}], "B085S7F1DB": [{"asin": "B085S7F1DB", "instruction": "i am interested in buying a desktop pc which is high performance and has a quad core i5 processor.", "attributes": ["certified refurbished", "high performance", "core i5", "quad core"], "options": [""], "instruction_attributes": ["high performance", "core i5", "quad core"], "instruction_options": [], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVN2Q05", "worker_id": "AHXHM1PQTRWIQ"}], "B08CXMCCTQ": [{"asin": "B08CXMCCTQ", "instruction": "im looking for a synthetic hair ponytail in the color ash blonde.", "attributes": ["easy use", "high quality", "synthetic hair"], "options": ["color: ash blonde"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["ash blonde"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V2NGF9", "worker_id": "AK3JMCIGU8MLU"}], "B0855DYXTG": [{"asin": "B0855DYXTG", "instruction": "my grandma use sugar free honey gram flavor", "attributes": ["keto friendly", "grain free", "low carb", "sugar free", "plant based", "gluten free", "zero sugar"], "options": ["flavor name: honey graham", "size: 9 ounce (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["honey graham"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPIN6V0", "worker_id": "A226L9F2AZ38CL"}], "B08CXS6ZZ7": [{"asin": "B08CXS6ZZ7", "instruction": "i am looking for back exfoliating scrubber easy use in purple", "attributes": ["double sided", "easy use", "dead skin"], "options": ["color: purple"], "instruction_attributes": ["easy use"], "instruction_options": ["purple"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21PBFQI", "worker_id": "A2MSIFDLOHI1UT"}], "B09MYF5VVL": [{"asin": "B09MYF5VVL", "instruction": "i need cupcake toppers for a birthday party", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAXWXZP", "worker_id": "A2ECRNQ3X5LEXD"}], "B0731XBXX8": [{"asin": "B0731XBXX8", "instruction": "i am looking for a pair of easy to use stainless steel monitoring headphones.", "attributes": ["easy use", "stainless steel"], "options": [""], "instruction_attributes": ["easy use", "stainless steel"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYL96L7", "worker_id": "A1EREKSZAA9V7B"}], "B0195C0HKQ": [{"asin": "B0195C0HKQ", "instruction": "i would like a high glossy white desk with metal legs.", "attributes": ["white item", "high gloss", "white finish", "metal legs", "living room"], "options": ["color: glossy white"], "instruction_attributes": ["white item", "high gloss", "white finish", "metal legs"], "instruction_options": ["glossy white"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMQVB6N", "worker_id": "A1WS884SI0SLO4"}], "B09P5HZGZF": [{"asin": "B09P5HZGZF", "instruction": "i would like a desktop dual band mini with a intel core i7 and 64 gigs of ram.", "attributes": ["dual band", "high definition"], "options": ["color: intel core i7-9850h", "size: 64g ram 512g ssd 2tb hdd"], "instruction_attributes": ["dual band"], "instruction_options": ["intel core i7-9850h", "64g ram 512g ssd 2tb hdd"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV2ZX3U", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09P5HZGZF", "instruction": "i'm looking for a mini computer with 32g ram, 512gb sdd and 1tb hd with a intel core i9 for high definition", "attributes": ["dual band", "high definition"], "options": ["color: intel core i9-10880h", "size: 32g ram 512g ssd 1tb hdd"], "instruction_attributes": ["high definition"], "instruction_options": ["intel core i9-10880h", "32g ram 512g ssd 1tb hdd"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFEXLVA", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B09P5HZGZF", "instruction": "i would like a desktop mini with a dual band intel i7 core and with 128 g of ssd.", "attributes": ["dual band", "high definition"], "options": ["color: intel core i7-9850h", "size: 8g ram 128g ssd"], "instruction_attributes": ["dual band"], "instruction_options": ["intel core i7-9850h", "8g ram 128g ssd"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXZ5O4I", "worker_id": "A1WS884SI0SLO4"}], "B088PHWLNL": [{"asin": "B088PHWLNL", "instruction": "i'm looking for a easy install protective band strap in gray color", "attributes": ["quick release", "easy install"], "options": ["color: gray"], "instruction_attributes": ["easy install"], "instruction_options": ["gray"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UWP6JQ", "worker_id": "A2Y2TURT2VEYZN"}], "B09BB45XYV": [{"asin": "B09BB45XYV", "instruction": "i would like a long lasting minocular for bird watching.", "attributes": ["non slip", "high power", "long lasting", "bird watching"], "options": [""], "instruction_attributes": ["long lasting", "bird watching"], "instruction_options": [], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPLINJJ", "worker_id": "A1WS884SI0SLO4"}], "B09PHLMDHC": [{"asin": "B09PHLMDHC", "instruction": "looking for a x-large in red slim fit pants for valentine's day", "attributes": ["slim fit", "straight leg", "long sleeve"], "options": ["color: red", "size: x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["red", "x-large"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1KQ3UG", "worker_id": "A2Y2TURT2VEYZN"}], "B0831RHZP2": [{"asin": "B0831RHZP2", "instruction": "i would like a 15 count herbal tea pack that is non gmo", "attributes": ["caffeine free", "certified organic", "non gmo", "gluten free"], "options": ["flavor name: palace", "size: 15 count"], "instruction_attributes": ["non gmo"], "instruction_options": ["15 count"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDW111RB", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0831RHZP2", "instruction": "i would like a box of 15 palace tea that is caffeine free.", "attributes": ["caffeine free", "certified organic", "non gmo", "gluten free"], "options": ["flavor name: palace", "size: 15 count (pack of 1)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["palace", "15 count (pack of 1)"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E00GX7M", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0831RHZP2", "instruction": "i want a 3 pack of gluten free paromi cinnamon chai rooibos.", "attributes": ["caffeine free", "certified organic", "non gmo", "gluten free"], "options": ["flavor name: variety: black teas", "size: 15 count (pack of 3)"], "instruction_attributes": ["gluten free"], "instruction_options": ["15 count (pack of 3)"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSG326P", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B0831RHZP2", "instruction": "i am looking for organic caffeine-free chai blends rich rooibos and a sultry blend of spices.; piquant cloves, nutmeg, and cinnamon mingle with sweet allspice, ginger, and a kiss of cardamom organic paromi cinnamon chai rooibos, a chamomile tea,numi which has the floral, herbaceous, and rich herbal teas that's craving. 15 count pack of 1 preferable.", "attributes": ["caffeine free", "certified organic", "non gmo", "gluten free"], "options": ["flavor name: herbal", "size: 15 count (pack of 1)"], "instruction_attributes": ["caffeine free", "certified organic", "non gmo", "gluten free"], "instruction_options": ["herbal", "15 count (pack of 1)"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4COBSZ", "worker_id": "A1DRKZ3SCLAS4V"}], "B083FTXVYC": [{"asin": "B083FTXVYC", "instruction": "i am looking for multi018 color short sleeve shirts.", "attributes": ["long lasting", "polyester spandex", "button closure", "short sleeve", "tumble dry"], "options": ["color: multi018", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["multi018"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THYR5ZS", "worker_id": "A1Q8PPQQCWGY0D"}], "B09N968TTK": [{"asin": "B09N968TTK", "instruction": "i'm looking for a dual layer window 70% blackout hemp fabric zebra roller shades.", "attributes": ["easy install", "living room"], "options": ["color: 70% blackout-violet", "size: 53\"w x 60\"h"], "instruction_attributes": ["living room"], "instruction_options": ["70% blackout-violet"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK8AVNX", "worker_id": "A21IUUHBSEVB56"}], "B087MD5MYH": [{"asin": "B087MD5MYH", "instruction": "i am looking for a high speed laptop wall charger of black color.", "attributes": ["fast charging", "high speed", "usb port"], "options": ["color: black(100w)", "configuration: charger only", "style: 4-port usb-c, usb-a charger,charger only"], "instruction_attributes": ["high speed"], "instruction_options": ["black(100w)"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163VXPQU", "worker_id": "A1Q8PPQQCWGY0D"}], "B07R18DG65": [{"asin": "B07R18DG65", "instruction": "i am looking for lemon cake perfume body mist, in a 4 fl oz container.", "attributes": ["alcohol free", "cruelty free"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTPOPLJ", "worker_id": "A2KW17G25L25R8"}], "B08LP7K6G7": [{"asin": "B08LP7K6G7", "instruction": "i would like a medium dark pink robe made from a soft material.", "attributes": ["hand wash", "polyester spandex", "soft material", "daily wear"], "options": ["color: dark pink", "size: medium"], "instruction_attributes": ["soft material"], "instruction_options": ["dark pink", "medium"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS4C9GU", "worker_id": "A1WS884SI0SLO4"}], "B09FQ8LHD3": [{"asin": "B09FQ8LHD3", "instruction": "i am looking for a 3x-large long sleeve t shirts for man", "attributes": ["hand wash", "daily casual", "loose fit", "wash cold", "long sleeve", "button closure"], "options": ["color: (#002)navy", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["3x-large"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841CPXAO", "worker_id": "A9QRQL9CFJBI7"}], "B06WLKRWCH": [{"asin": "B06WLKRWCH", "instruction": "i am looking for a quad core tablet that is certified refurbished.", "attributes": ["certified refurbished", "high performance", "quad core"], "options": [""], "instruction_attributes": ["certified refurbished", "quad core"], "instruction_options": [], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWQ452Y", "worker_id": "A1NF6PELRKACS9"}], "B093YSVY9K": [{"asin": "B093YSVY9K", "instruction": "i want a set of 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1HE082", "worker_id": "A2RBF3IIJP15IH"}], "B09FPJ3DLB": [{"asin": "B09FPJ3DLB", "instruction": "i am looking for a height adjustable makeup mirror for cutting hair. it should come with a light.", "attributes": ["height adjustable", "easy carry", "hair cutting"], "options": ["size: with light"], "instruction_attributes": ["height adjustable", "hair cutting"], "instruction_options": ["with light"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WTLWQJ", "worker_id": "A1NF6PELRKACS9"}], "B09N6ZLMRY": [{"asin": "B09N6ZLMRY", "instruction": "i am looking for a nightstand that is easy to install", "attributes": ["easy install", "storage unit"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHACVODS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GM11T53": [{"asin": "B09GM11T53", "instruction": "i am looking for heavy duty flip case for samsung galaxy mobile and color should be olive.", "attributes": ["heavy duty", "wireless charging"], "options": ["color: olive"], "instruction_attributes": ["heavy duty"], "instruction_options": ["olive"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647CMH3R", "worker_id": "A3FG5PQHG5AH3Y"}], "B00RLUQ2YK": [{"asin": "B00RLUQ2YK", "instruction": "i need cruelty free body lotion that is medium dark olive color", "attributes": ["highly pigmented", "cruelty free"], "options": ["color: medium dark olive"], "instruction_attributes": ["cruelty free"], "instruction_options": ["medium dark olive"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL10AVH", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DR6BS9P": [{"asin": "B09DR6BS9P", "instruction": "i am looking for long lasting hair dye if blue and black color.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["style: ash - 1.1 blue black"], "instruction_attributes": ["long lasting", "hair dye"], "instruction_options": ["ash - 1.1 blue black"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYP1HDF", "worker_id": "A3FG5PQHG5AH3Y"}], "B07XJ29K93": [{"asin": "B07XJ29K93", "instruction": "find me a joe west character flash case compatible with apple phone", "attributes": ["compatible apple", "high resolution"], "options": ["color: joe west"], "instruction_attributes": ["compatible apple"], "instruction_options": ["joe west"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOJWCTW", "worker_id": "A2Y2TURT2VEYZN"}], "B09QKSHFCB": [{"asin": "B09QKSHFCB", "instruction": "i want a 9 pack of hairrebirth herbal spray for hair loss.", "attributes": ["hair growth", "hair loss"], "options": ["color: 9pcs"], "instruction_attributes": ["hair loss"], "instruction_options": ["9pcs"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDQCCHZ", "worker_id": "A2RBF3IIJP15IH"}], "B09BKJ813P": [{"asin": "B09BKJ813P", "instruction": "i would like a pair of 38 mens grey hiking shoes with a rubber outsole.", "attributes": ["anti slip", "arch support", "rubber outsole"], "options": ["color: grey", "size: 38 m eu"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["grey", "38 m eu"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OPWMMF", "worker_id": "A1WS884SI0SLO4"}], "B093WNXZZB": [{"asin": "B093WNXZZB", "instruction": "i'm looking for an easy to use stainless steel nail clipper set.", "attributes": ["non slip", "high quality", "easy use", "stainless steel", "dead skin"], "options": [""], "instruction_attributes": ["easy use", "stainless steel"], "instruction_options": [], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V2VGFH", "worker_id": "AR9AU5FY1S3RO"}], "B073Q2PS8Q": [{"asin": "B073Q2PS8Q", "instruction": "i am looking for non toxic lip gloss that has organic certificate. please select the rose one", "attributes": ["certified organic", "non toxic", "cruelty free"], "options": ["color: ros\u00e9"], "instruction_attributes": ["certified organic", "non toxic"], "instruction_options": ["ros\u00e9"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL9XCEU", "worker_id": "A2COCSUGZV28X"}], "B075GFMP3C": [{"asin": "B075GFMP3C", "instruction": "i'm looking for a replacement remote control for my sharp aquos tv that comes with aaa batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38G1XJJV", "worker_id": "AR9AU5FY1S3RO"}], "B09QTWZV8L": [{"asin": "B09QTWZV8L", "instruction": "i am looking for a snowy white high speed wifi booster.", "attributes": ["dual band", "high speed"], "options": ["color: snowy white"], "instruction_attributes": ["high speed"], "instruction_options": ["snowy white"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB964YB", "worker_id": "AHXHM1PQTRWIQ"}], "B0963ZR8VH": [{"asin": "B0963ZR8VH", "instruction": "i want a xyyssm barber chair for my beauty salon.", "attributes": ["heavy duty", "beauty salon"], "options": [""], "instruction_attributes": ["beauty salon"], "instruction_options": [], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY5A7PJ", "worker_id": "A2RBF3IIJP15IH"}], "B09N3RLDK5": [{"asin": "B09N3RLDK5", "instruction": "i am looking for lobsters ready eat and size 2-pack(1 box of each)", "attributes": ["wild caught", "ready eat"], "options": ["size: 2 - pack (1 box of each)"], "instruction_attributes": ["ready eat"], "instruction_options": ["2 - pack (1 box of each)"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LH8L04", "worker_id": "AX2EWYWZM19AZ"}], "B08CD4Y4R1": [{"asin": "B08CD4Y4R1", "instruction": "i would like a high resolution background that is 7 by 5 ft.", "attributes": ["high resolution", "easy carry"], "options": ["color: b08", "size: 7x5ft"], "instruction_attributes": ["high resolution"], "instruction_options": ["7x5ft"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEKPIX8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09M6TR17G": [{"asin": "B09M6TR17G", "instruction": "find me a nightstand in off-white color with storage space", "attributes": ["solid wood", "storage space"], "options": ["color: off-white"], "instruction_attributes": ["storage space"], "instruction_options": ["off-white"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEKZIXI", "worker_id": "A2Y2TURT2VEYZN"}], "B07Q2PC166": [{"asin": "B07Q2PC166", "instruction": "i am looking for earbud headphone having deep bass stereo sound.please choose black color.", "attributes": ["aluminum alloy", "stereo sound"], "options": ["color: black", "style: without mic"], "instruction_attributes": ["stereo sound"], "instruction_options": ["black"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R8IYTW", "worker_id": "A3FG5PQHG5AH3Y"}], "B003U3A428": [{"asin": "B003U3A428", "instruction": "i would like a surveillance camera with aaa batteries included.", "attributes": ["batteries included", "easy install", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y0AJ5H", "worker_id": "A1WS884SI0SLO4"}], "B07MJM2ZKY": [{"asin": "B07MJM2ZKY", "instruction": "i am looking for stainless steel hair cutting scissors of 7 inch size.", "attributes": ["stainless steel", "hair cutting"], "options": ["size: 7 inch"], "instruction_attributes": ["stainless steel"], "instruction_options": ["7 inch"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7YRURW", "worker_id": "A1Q8PPQQCWGY0D"}], "B08MXJXM8L": [{"asin": "B08MXJXM8L", "instruction": "i would like a black lavender candle made from soy.", "attributes": ["lead free", "eco friendly", "long lasting", "soy wax"], "options": ["scent: black lavender"], "instruction_attributes": ["soy wax"], "instruction_options": ["black lavender"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6URJEZV", "worker_id": "A1WS884SI0SLO4"}], "B07RZVLVBV": [{"asin": "B07RZVLVBV", "instruction": "i would like a chrome power amplifier", "attributes": ["power amplifier", "hands free"], "options": ["color: chrome pushbuttons, chrome dot knobs"], "instruction_attributes": ["power amplifier"], "instruction_options": ["chrome pushbuttons, chrome dot knobs"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PODQES", "worker_id": "A2ECRNQ3X5LEXD"}], "B0773RT6TY": [{"asin": "B0773RT6TY", "instruction": "i would like a trail mix that is almond cranberry crunch and is non gmo.", "attributes": ["artificial ingredients", "gluten free", "non gmo"], "options": ["flavor name: almond cranberry crunch", "size: 14 ounce (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["almond cranberry crunch"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJKELOK", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CHBR14C": [{"asin": "B07CHBR14C", "instruction": "i need a high speed black usb cable", "attributes": ["high speed", "aluminum alloy", "usb port"], "options": ["color: black", "size: 3ft"], "instruction_attributes": ["high speed"], "instruction_options": ["black"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVWL9X3", "worker_id": "A2ECRNQ3X5LEXD"}], "B08TQTZYT7": [{"asin": "B08TQTZYT7", "instruction": "i want an easy assemble wampat farmhouse coffee table with storage drawers, modern coffee table for living room, center table with double storage spaces, metal legs, grey,", "attributes": ["easy assemble", "metal legs", "storage space", "living room"], "options": [""], "instruction_attributes": ["easy assemble", "metal legs", "storage space", "living room"], "instruction_options": [], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDK22OR", "worker_id": "A1IL2K0ELYI090"}], "B07K474FMH": [{"asin": "B07K474FMH", "instruction": "i'm looking for nail drill bits for nail art", "attributes": ["easy use", "nail art"], "options": [""], "instruction_attributes": ["nail art"], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X027T43L", "worker_id": "A2Y2TURT2VEYZN"}], "B002NU8W1O": [{"asin": "B002NU8W1O", "instruction": "i'm looking for modern kitchen with the latest design.", "attributes": ["brushed nickel", "nickel finish", "pendant light", "light fixture", "dining room", "living room"], "options": [""], "instruction_attributes": ["brushed nickel", "dining room", "living room"], "instruction_options": [], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6GGPUC", "worker_id": "A21IUUHBSEVB56"}], "B086X5DCDB": [{"asin": "B086X5DCDB", "instruction": "i am looking for amber vanila scented shampoo and conditioner set containing argan oil.", "attributes": ["sulfate free", "argan oil", "natural ingredients", "damaged hair"], "options": ["scent: amber vanila"], "instruction_attributes": ["argan oil"], "instruction_options": ["amber vanila"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQH0CJM", "worker_id": "A1Q8PPQQCWGY0D"}], "B01L9HQ1IM": [{"asin": "B01L9HQ1IM", "instruction": "i am looking for a sulfate free conditioner", "attributes": ["sulfate free", "hair growth"], "options": [""], "instruction_attributes": ["sulfate free"], "instruction_options": [], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJPAOMV", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VY9JYJW": [{"asin": "B07VY9JYJW", "instruction": "i am looking for a linen pants with elastic waist. and i choose the xx-large size with wine color", "attributes": ["quality materials", "elastic waist", "button closure"], "options": ["color: wine", "size: xx-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["wine", "xx-large"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBUQEJW", "worker_id": "A2COCSUGZV28X"}], "B06XT3R53B": [{"asin": "B06XT3R53B", "instruction": "i am looking for aaa batteries remote control for tv.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE24SGQZ", "worker_id": "A1Q8PPQQCWGY0D"}], "B017AHH0IK": [{"asin": "B017AHH0IK", "instruction": "i want to buy ballet shoes which have rubber sole in grey suede color and a size of 6.", "attributes": ["closed toe", "rubber sole"], "options": ["color: grey suede", "size: 6"], "instruction_attributes": ["rubber sole"], "instruction_options": ["grey suede", "6"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SFRRWJ", "worker_id": "AJY5G987IRT25"}], "B08DFRWV7B": [{"asin": "B08DFRWV7B", "instruction": "i am looking for a women's medium long sleeve sweater.", "attributes": ["loose fit", "long sleeve", "daily wear"], "options": ["color: a-sky blue", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDV38YN", "worker_id": "A1EREKSZAA9V7B"}], "B083WNYPFC": [{"asin": "B083WNYPFC", "instruction": "i would like a 2 pound bag of individually wrapped candy.", "attributes": ["individually wrapped", "perfect gift"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIFJ2LW", "worker_id": "A1WS884SI0SLO4"}], "B09MZFPKXZ": [{"asin": "B09MZFPKXZ", "instruction": "find me a paraben free long lasting lip gloss", "attributes": ["cruelty free", "paraben free", "animal testing", "long lasting"], "options": [""], "instruction_attributes": ["paraben free", "long lasting"], "instruction_options": [], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTS8KTK", "worker_id": "A2Y2TURT2VEYZN"}], "B00HKIBEMS": [{"asin": "B00HKIBEMS", "instruction": "i am looking for a gluten free rice ramen & miso soup. choose a pack of 10 with jade pearl color", "attributes": ["gluten free", "low fat", "ready eat"], "options": ["flavor: jade pearl", "size: 2.8 ounce (pack of 10)"], "instruction_attributes": ["gluten free"], "instruction_options": ["jade pearl", "2.8 ounce (pack of 10)"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDU5ZQQ", "worker_id": "A2COCSUGZV28X"}], "B096XJ6N2Z": [{"asin": "B096XJ6N2Z", "instruction": "i want to buy ceiling chandeliers which are stainless steel, and suitable for dining room, while the color should be 345-variable light.", "attributes": ["stainless steel", "pendant light", "dining room", "living room"], "options": ["color: 345-variabel light"], "instruction_attributes": ["stainless steel", "dining room"], "instruction_options": ["345-variabel light"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTHI9NO", "worker_id": "AJY5G987IRT25"}], "B09JMVRXRG": [{"asin": "B09JMVRXRG", "instruction": "i am looking for arabic anti aging coffee scrub.", "attributes": ["anti aging", "seed oil"], "options": ["scent: himalayan salt"], "instruction_attributes": ["anti aging"], "instruction_options": ["himalayan salt"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y5NNNN", "worker_id": "A2KW17G25L25R8"}], "B08FZQQ1BR": [{"asin": "B08FZQQ1BR", "instruction": "i am looking for red leather flat sandals in a size 6.5.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: red leather", "size: 6.5"], "instruction_attributes": [], "instruction_options": ["red leather", "6.5"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUDCRMR", "worker_id": "AK3JMCIGU8MLU"}], "B09SFXQ9QG": [{"asin": "B09SFXQ9QG", "instruction": "i am looking for green tea face masks for adults.", "attributes": ["easy use", "green tea"], "options": ["color: b#-50pc"], "instruction_attributes": ["green tea"], "instruction_options": ["b#-50pc"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZHDRPB", "worker_id": "A2KW17G25L25R8"}], "B093T18DFQ": [{"asin": "B093T18DFQ", "instruction": "looking for laundry bags with imported zipper", "attributes": ["blouse hosiery", "imported zipper", "laundry bag"], "options": [""], "instruction_attributes": ["imported zipper", "laundry bag"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKMI7DG", "worker_id": "A10OGH5CQBXL5N"}], "B09H6MNXFG": [{"asin": "B09H6MNXFG", "instruction": "i am looking for large size sweater pullover having long sleeve.", "attributes": ["long sleeve", "button closure"], "options": ["color: a5-khaki", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["large"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34OW41C", "worker_id": "A1Q8PPQQCWGY0D"}], "B01F1760HS": [{"asin": "B01F1760HS", "instruction": "i am looking for a travel size whitening toothpaste.", "attributes": ["travel size", "fresh breath"], "options": [""], "instruction_attributes": ["travel size"], "instruction_options": [], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38G2OJJO", "worker_id": "A1EREKSZAA9V7B"}], "B087YS6TRY": [{"asin": "B087YS6TRY", "instruction": "i'm looking for a large butt lifting women workout short.", "attributes": ["butt lifting", "wide leg", "tummy control", "high waist"], "options": ["color: gray", "size: large"], "instruction_attributes": ["butt lifting"], "instruction_options": ["large"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PCVBU7", "worker_id": "ARQ05PDNXPFDI"}], "B09JGSWVJH": [{"asin": "B09JGSWVJH", "instruction": "i am looking for a lead free limoncello scented jar candle that uses soy wax.", "attributes": ["lead free", "soy wax"], "options": ["scent: limoncello 21704"], "instruction_attributes": ["lead free", "soy wax"], "instruction_options": ["limoncello 21704"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJL1OBYP", "worker_id": "A1EREKSZAA9V7B"}], "B0788C3L56": [{"asin": "B0788C3L56", "instruction": "i am looking for a dresser that is mid century style", "attributes": ["mid century", "assembly required"], "options": [""], "instruction_attributes": ["mid century"], "instruction_options": [], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC57TKRP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07SS54KX2": [{"asin": "B07SS54KX2", "instruction": "i'm looking for a perfect quality modern wall light sconce led brushed nickel hardwired in the brand of natalya.", "attributes": ["brushed nickel", "nickel finish", "living room"], "options": ["color: chrome"], "instruction_attributes": ["brushed nickel", "living room"], "instruction_options": ["chrome"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC571KRX", "worker_id": "A21IUUHBSEVB56"}], "B07D9835GF": [{"asin": "B07D9835GF", "instruction": "i would like a 100g copper holographic body glitter that is long lasting.", "attributes": ["easy apply", "long lasting"], "options": ["color: copper holographic", "size: chunky - 100g | 3.5oz"], "instruction_attributes": ["long lasting"], "instruction_options": ["copper holographic", "chunky - 100g | 3.5oz"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT062LNUM", "worker_id": "A1WS884SI0SLO4"}], "B0982NGF1H": [{"asin": "B0982NGF1H", "instruction": "i am looking for an easy to use wireless nanny camera that features motion detection and night vision.", "attributes": ["easy use", "motion detection"], "options": [""], "instruction_attributes": ["easy use", "motion detection"], "instruction_options": [], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQDL0N0", "worker_id": "AK3JMCIGU8MLU"}], "B08MTY5BJP": [{"asin": "B08MTY5BJP", "instruction": "i am looking for a pair of 80 inch wide by 84 inch long machine washable curtains for my living room.", "attributes": ["machine washable", "hand painted", "living room"], "options": ["size: 80w x 84l inch"], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["80w x 84l inch"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI78KGZ2", "worker_id": "A1EREKSZAA9V7B"}], "B07YM81LFQ": [{"asin": "B07YM81LFQ", "instruction": "i'm looking for a perfect furniture item.", "attributes": ["twin size", "space saving", "white item", "box spring"], "options": ["color: clay", "pattern name: bed + curtains", "style: low loft + staircase"], "instruction_attributes": ["white item"], "instruction_options": ["low loft + staircase"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC7YNIE", "worker_id": "A21IUUHBSEVB56"}], "B09LLLC65G": [{"asin": "B09LLLC65G", "instruction": "looking for bookshelves and bookcases for living room of vintage black colour", "attributes": ["storage space", "living room"], "options": ["color: vintage black"], "instruction_attributes": ["storage space", "living room"], "instruction_options": ["vintage black"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA738RY", "worker_id": "A10OGH5CQBXL5N"}], "B095MP65P5": [{"asin": "B095MP65P5", "instruction": "i would like some 18 inch high quality synthetic hair extensions that are gray.", "attributes": ["high quality", "synthetic hair"], "options": ["color: 1b | gray", "size: 18 inch"], "instruction_attributes": ["high quality", "synthetic hair"], "instruction_options": ["1b | gray", "18 inch"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVJDZS4", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B095MP65P5", "instruction": "please find a multi-pack of 18\" synthetic hair extensions that are curly enough to be suitable for black women.", "attributes": ["high quality", "synthetic hair"], "options": ["color: 1b | bug", "size: 18 inch"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["18 inch"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK4AG6AX", "worker_id": "A3LIIE572Z4OG7"}], "B006OY1LZ4": [{"asin": "B006OY1LZ4", "instruction": "i would like a old version of a 730 golden caramel foundation that is cruelty free.", "attributes": ["dermatologist tested", "fragrance free", "cruelty free"], "options": ["color: 730 golden caramel", "style: old version"], "instruction_attributes": ["cruelty free"], "instruction_options": ["730 golden caramel", "old version"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFOJEMY", "worker_id": "A1WS884SI0SLO4"}], "B07MFN6KSB": [{"asin": "B07MFN6KSB", "instruction": "i'm looking for a snack with 3 seed mix in 1 pack of 4 pound and non gmo product", "attributes": ["low carb", "non gmo"], "options": ["flavor name: 3 seed mix", "size: 4 pound (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["3 seed mix", "4 pound (pack of 1)"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDP7K5E", "worker_id": "A2Y2TURT2VEYZN"}], "B08L7SCJDR": [{"asin": "B08L7SCJDR", "instruction": "i am looking for an easy to install computer table for my living room.", "attributes": ["non slip", "easy install", "exquisite workmanship", "living room"], "options": ["color: rustic brown", "style: computer table"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["computer table"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34OY14B", "worker_id": "A1EREKSZAA9V7B"}], "B07PTKWRLR": [{"asin": "B07PTKWRLR", "instruction": "looking for fresh breath organic toothpaste", "attributes": ["fluoride free", "fresh breath"], "options": [""], "instruction_attributes": ["fresh breath"], "instruction_options": [], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQFQ19J", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B07PTKWRLR", "instruction": "i would like a fluoride free toothpaste to give me fresh breath.", "attributes": ["fluoride free", "fresh breath"], "options": [""], "instruction_attributes": ["fluoride free", "fresh breath"], "instruction_options": [], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2607YS", "worker_id": "A1WS884SI0SLO4"}], "B09H4FDQ63": [{"asin": "B09H4FDQ63", "instruction": "i'm looking for a blanket with a shark tooth printed in 60x80\"", "attributes": ["easy clean", "printing technology"], "options": ["color: shark tooth", "size: 60\"x80\""], "instruction_attributes": ["printing technology"], "instruction_options": ["shark tooth", "60\"x80\""], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21PHQFZ", "worker_id": "A2Y2TURT2VEYZN"}], "B09NPJPQCW": [{"asin": "B09NPJPQCW", "instruction": "i am lookinf for high quality scrubbing strap that is easy to use.", "attributes": ["easy carry", "easy use", "high quality"], "options": [""], "instruction_attributes": ["easy use", "high quality"], "instruction_options": [], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO90GJ8", "worker_id": "A1Q8PPQQCWGY0D"}], "B094DD5CM1": [{"asin": "B094DD5CM1", "instruction": "i want windmill birthday cake toppers.", "attributes": ["birthday cake", "cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC9F0DE", "worker_id": "A2RBF3IIJP15IH"}], "B009URK5JK": [{"asin": "B009URK5JK", "instruction": "i want katz gluten free cinnamon donut holes.", "attributes": ["gluten free", "nut free", "soy free", "dairy free"], "options": ["flavor name: cinnamon", "size: 6 ounce"], "instruction_attributes": ["gluten free"], "instruction_options": ["cinnamon"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT5JYJH", "worker_id": "A2RBF3IIJP15IH"}], "B097CMW66M": [{"asin": "B097CMW66M", "instruction": "i am looking for a cell phone that is fast charging and is cream colored", "attributes": ["fast charging", "hands free"], "options": ["color: cream", "size: 128gb", "style: z flip 3 + buds 2"], "instruction_attributes": ["fast charging"], "instruction_options": ["cream"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTKHD4R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B097CMW66M", "instruction": "i would like a z flip 3 256gb phantom black cell phone that is fast charging.", "attributes": ["fast charging", "hands free"], "options": ["color: phantom black", "size: 256gb", "style: z flip 3 + phone case"], "instruction_attributes": ["fast charging"], "instruction_options": ["phantom black", "256gb", "z flip 3 + phone case"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXFG7GA", "worker_id": "A1WS884SI0SLO4"}], "B09D2T94JT": [{"asin": "B09D2T94JT", "instruction": "i want a green couch for my living room. make sure that it is easy to assemble.", "attributes": ["high density", "easy assemble", "metal legs", "solid wood", "living room"], "options": ["color: green"], "instruction_attributes": ["easy assemble", "living room"], "instruction_options": ["green"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXV15O5", "worker_id": "A1NF6PELRKACS9"}], "B009PCNTPM": [{"asin": "B009PCNTPM", "instruction": "i need dark chocolate made by trader joe", "attributes": ["trader joe", "artificial colors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "33UKMF931KU01WBNV49UKNDQC65TT7", "worker_id": "A2COCSUGZV28X"}], "B07C1VP88H": [{"asin": "B07C1VP88H", "instruction": "i am looking for a cd drive that is silver and easier to use", "attributes": ["easy use", "carrying case"], "options": ["color: silver"], "instruction_attributes": ["easy use"], "instruction_options": ["silver"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCZ6Q49", "worker_id": "A2ECRNQ3X5LEXD"}], "B093FQ8SJ9": [{"asin": "B093FQ8SJ9", "instruction": "i need blue clogs that are made of vinyl and are a size 9", "attributes": ["non slip", "ethylene vinyl", "vinyl acetate"], "options": ["color: blue", "size: 9 women | 8 men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["blue", "9 women | 8 men"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8YW8G6", "worker_id": "A2ECRNQ3X5LEXD"}], "B0829QZFM7": [{"asin": "B0829QZFM7", "instruction": "i am looking for fruit snack pack having fuji & red apple flavor and are gluten and fat free.", "attributes": ["gluten free", "non gmo", "fat free", "real fruit", "simple ingredients"], "options": ["flavor name: fuji & reds apple", "size: 24 snack bags"], "instruction_attributes": ["gluten free", "fat free"], "instruction_options": ["fuji & reds apple"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V6KU2Q", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B0829QZFM7", "instruction": "i want 24 bags of non gmo bare baked crunchy apple fruit snacks.", "attributes": ["gluten free", "non gmo", "fat free", "real fruit", "simple ingredients"], "options": ["flavor name: fruit variety pack", "size: 24 snack bags"], "instruction_attributes": ["non gmo"], "instruction_options": ["24 snack bags"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMH61JC", "worker_id": "A2RBF3IIJP15IH"}], "B08HX6QMT9": [{"asin": "B08HX6QMT9", "instruction": "i would like a brown phone case with tempered glass.", "attributes": ["glass screen", "tempered glass"], "options": ["color: brown"], "instruction_attributes": ["tempered glass"], "instruction_options": ["brown"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYQAN74", "worker_id": "A1WS884SI0SLO4"}], "B09LS4LYWV": [{"asin": "B09LS4LYWV", "instruction": "i would like to a buy a glass window film of the color multi-020884 for the living room.", "attributes": ["eco friendly", "living room"], "options": ["color: multi-020884", "size: 23.6wx35.4l-inch x2 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["multi-020884"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH8U1VM", "worker_id": "AHXHM1PQTRWIQ"}], "B0086UI36O": [{"asin": "B0086UI36O", "instruction": "i am looking for gluten free, low fat protein chips , chili nacho cheese", "attributes": ["gluten free", "protein serving", "low fat", "high protein", "natural flavors"], "options": ["flavor: protein chips - chili nacho cheese", "size: 1.2 ounce (pack of 6)"], "instruction_attributes": ["gluten free", "low fat"], "instruction_options": ["protein chips - chili nacho cheese"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA3JA8W", "worker_id": "A258PTOZ3D2TQR"}], "B08JHBSFLK": [{"asin": "B08JHBSFLK", "instruction": "im looking for women\u2019s blue, flat propet sandals, in size 6 and the style should be fionna.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: blue", "size: 6"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDK5O2G", "worker_id": "AK3JMCIGU8MLU"}], "B013BZTW22": [{"asin": "B013BZTW22", "instruction": "i want gluten free yummy earth organic fruit lollipops.", "attributes": ["gluten free", "dairy free", "natural flavors"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YM5GAR", "worker_id": "A2RBF3IIJP15IH"}], "B07QRYVRPF": [{"asin": "B07QRYVRPF", "instruction": "i would like a 20 by 26 inch dark green pillow throw cover for my living room.", "attributes": ["king size", "living room"], "options": ["color: dark green", "size: 20\"x26\""], "instruction_attributes": ["living room"], "instruction_options": ["dark green", "20\"x26\""], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733PGEBA", "worker_id": "A1WS884SI0SLO4"}], "B09LSW7DJ1": [{"asin": "B09LSW7DJ1", "instruction": "i am looking for pink color long lasting cube ice face roller for facial treatment to tighten ,tone skin and de-puff the eye area", "attributes": ["anti aging", "long lasting", "easy use", "green tea", "fine lines"], "options": ["color: pink"], "instruction_attributes": ["long lasting"], "instruction_options": ["pink"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4LB89P", "worker_id": "A258PTOZ3D2TQR"}], "B082YPVYX6": [{"asin": "B082YPVYX6", "instruction": "i need some lipstick that is long lasting and is cherry colored", "attributes": ["cruelty free", "fragrance free", "long lasting", "hyaluronic acid", "nail polish"], "options": ["color: 11- cherry bomb"], "instruction_attributes": ["long lasting"], "instruction_options": ["11- cherry bomb"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SX9DUI", "worker_id": "A2ECRNQ3X5LEXD"}], "B09M837LNL": [{"asin": "B09M837LNL", "instruction": "i'm looking for outdoor security camera with audio.", "attributes": ["heavy duty", "motion detection"], "options": ["size: 5mp single bullet"], "instruction_attributes": ["motion detection"], "instruction_options": ["5mp single bullet"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRVB2YE", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B09M837LNL", "instruction": "i am looking for 16 pcs 4k bullet hd outdoor security ip camera with mic/audio and motion detection", "attributes": ["heavy duty", "motion detection"], "options": ["size: 16ch 16pcs 4k bullet"], "instruction_attributes": ["motion detection"], "instruction_options": ["16ch 16pcs 4k bullet"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FR6FB6", "worker_id": "A258PTOZ3D2TQR"}], "B07YT5TRSV": [{"asin": "B07YT5TRSV", "instruction": "i am looking for east west furniture dlt-ana-tp dublin dining table made of acacia ,a beautiful round dining table makes a cozy addition to any kitchen or classic dining room. the remarkable dining table which facilitates an affectionate family emotion. the frame of this dining room table which will increase the beauty of your living area. the wood table which gives high-quality style with a touch of class to add a powerful appeal. measurements of the great hardwood wood kitchen table length 42; width 42; height 29.5 in dmt-wbk-tp color preferable.", "attributes": ["mid century", "easy clean", "solid wood", "dining room"], "options": ["color: dmt-wbk-tp", "pattern name: table + dining chairs"], "instruction_attributes": ["mid century", "easy clean", "solid wood", "dining room"], "instruction_options": ["dmt-wbk-tp", "table + dining chairs"], "assignment_id": "3TE22NPXPMMW3QH7127E47P6G8D44W", "worker_id": "A1DRKZ3SCLAS4V"}], "B08VMYJQBT": [{"asin": "B08VMYJQBT", "instruction": "i am looking for rubber sole backless slip on loafer shoes for women of size :8", "attributes": ["rubber sole", "fashion design"], "options": ["color: blue", "size: 8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["8"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLWKTFK", "worker_id": "AX2EWYWZM19AZ"}], "B016KWUP3I": [{"asin": "B016KWUP3I", "instruction": "i want a 2 pack argan oil shampoo and conditioner set.", "attributes": ["sulfate free", "argan oil", "green tea", "natural ingredients", "damaged hair", "dry hair"], "options": ["size: 10 fl oz (pack of 2)"], "instruction_attributes": ["argan oil"], "instruction_options": ["10 fl oz (pack of 2)"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YRS69A", "worker_id": "A2RBF3IIJP15IH"}], "B0017JVMS2": [{"asin": "B0017JVMS2", "instruction": "i am looking for a plant based peppermint scented soap.", "attributes": ["plant based", "cruelty free"], "options": ["scent: peppermint", "size: 16 fl oz (pack of 2)"], "instruction_attributes": ["plant based"], "instruction_options": ["peppermint"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGS9YIO", "worker_id": "A1EREKSZAA9V7B"}], "B08ZJFWNPH": [{"asin": "B08ZJFWNPH", "instruction": "i would like a pair of size 9 walking shoes with a rubber sole.", "attributes": ["non slip", "rubber sole", "comfortable fit", "unique design"], "options": ["size: 9"], "instruction_attributes": ["rubber sole"], "instruction_options": ["9"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ56WKCP", "worker_id": "A1WS884SI0SLO4"}], "B01NC0O22H": [{"asin": "B01NC0O22H", "instruction": "i want to buy walkie talkie which has batteries included and come in pack of 3 in black color.", "attributes": ["batteries included", "aaa batteries"], "options": ["style: 3 pack - black"], "instruction_attributes": ["batteries included"], "instruction_options": ["3 pack - black"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLQA4I7", "worker_id": "AJY5G987IRT25"}], "B09DFLT1VJ": [{"asin": "B09DFLT1VJ", "instruction": "i want a 24w led light with high power lamp. it should mount on a wall.", "attributes": ["wall mounted", "high power", "stainless steel"], "options": ["size: 24w"], "instruction_attributes": ["wall mounted", "high power"], "instruction_options": ["24w"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4D6I0F", "worker_id": "A1NF6PELRKACS9"}], "B09R7W36Q3": [{"asin": "B09R7W36Q3", "instruction": "i want a small and easy to use u-shaped toothbrush for kids.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: c", "size: s"], "instruction_attributes": ["easy use"], "instruction_options": ["s"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCV965J", "worker_id": "A2RBF3IIJP15IH"}], "B076YTK3FV": [{"asin": "B076YTK3FV", "instruction": "i would like a 2 bottles of flathead cherry jerry gluten free jam.", "attributes": ["hand crafted", "non gmo", "gluten free"], "options": ["flavor: flathead cherry jelly", "size: 2 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["flathead cherry jelly", "2 pack"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB168ULC", "worker_id": "A1WS884SI0SLO4"}], "B09QLSZHCP": [{"asin": "B09QLSZHCP", "instruction": "i would like a brush set for synthetic hair.", "attributes": ["high quality", "rose gold", "synthetic hair"], "options": [""], "instruction_attributes": ["synthetic hair"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPDDDQP", "worker_id": "A1WS884SI0SLO4"}], "B00LI3SBU4": [{"asin": "B00LI3SBU4", "instruction": "i want degree men anti-perspirant.", "attributes": ["anti perspirant", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR96C0T", "worker_id": "A2RBF3IIJP15IH"}], "B09NR7TK9C": [{"asin": "B09NR7TK9C", "instruction": "looking for high density black colour gaming chair", "attributes": ["high density", "pu leather", "steel frame"], "options": ["color: black"], "instruction_attributes": ["high density"], "instruction_options": ["black"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVU4X96", "worker_id": "A10OGH5CQBXL5N"}], "B07N91GKH1": [{"asin": "B07N91GKH1", "instruction": "i want a cottage grey and long lasting 6-drawer double dresser.", "attributes": ["long lasting", "engineered wood"], "options": ["color: cottage grey"], "instruction_attributes": ["long lasting"], "instruction_options": ["cottage grey"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK52J3C", "worker_id": "A2RBF3IIJP15IH"}], "B098KKFQZH": [{"asin": "B098KKFQZH", "instruction": "i would like a sofa with a solid wood frame.", "attributes": ["solid wood", "memory foam"], "options": ["size: sofa, chair, ottoman"], "instruction_attributes": ["solid wood"], "instruction_options": ["sofa, chair, ottoman"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L43VCM", "worker_id": "A1WS884SI0SLO4"}], "B09HCKSXZW": [{"asin": "B09HCKSXZW", "instruction": "i am looking for 03#beige color women shoes having high heels.", "attributes": ["knee high", "open toe", "steel toe", "high heel", "memory foam"], "options": ["color: 03#beige", "size: 9.5-10"], "instruction_attributes": ["high heel"], "instruction_options": ["03#beige"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTTVE5A", "worker_id": "A1Q8PPQQCWGY0D"}], "B00JZYJBIY": [{"asin": "B00JZYJBIY", "instruction": "i would like a pair of 14 short red pants made from nylon spandex.", "attributes": ["wash cold", "machine wash", "nylon spandex"], "options": ["color: red", "size: 14 short"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["red", "14 short"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL85H59", "worker_id": "A1WS884SI0SLO4"}], "B09S6PJ5BF": [{"asin": "B09S6PJ5BF", "instruction": "i am looking for a black bikini set that is an xx-large and a comfortable fit", "attributes": ["wash cold", "hand wash", "stretch fabric", "comfortable fit", "tummy control", "polyester spandex"], "options": ["color: black", "size: xx-large"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["black", "xx-large"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCWHQ5W", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RDXNHYG": [{"asin": "B09RDXNHYG", "instruction": "looking for babydoll mini bodysuit of quality polyester choose size xx large", "attributes": ["quick drying", "quality polyester"], "options": ["color: c-red", "size: xx-large"], "instruction_attributes": ["quality polyester"], "instruction_options": ["xx-large"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW0X1C4", "worker_id": "A10OGH5CQBXL5N"}], "B0871JYQ1J": [{"asin": "B0871JYQ1J", "instruction": "i need a non toxic and high quality empty bottle for cosmetic", "attributes": ["leak proof", "non toxic", "easy carry", "easy use", "high quality", "fine mist"], "options": [""], "instruction_attributes": ["non toxic", "high quality"], "instruction_options": [], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBI0GH9", "worker_id": "A2Y2TURT2VEYZN"}], "B07S7BSPKW": [{"asin": "B07S7BSPKW", "instruction": "i want a machine washable contemporary 52\"w*52\"l curtain panel for living room color mandala 7rvw0093", "attributes": ["machine washable", "contemporary design", "living room", "dining room"], "options": ["color: mandala7rvw0093", "size: 52\" w by 52\" l"], "instruction_attributes": ["machine washable", "contemporary design", "living room"], "instruction_options": ["mandala7rvw0093", "52\" w by 52\" l"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JEFSF5", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B07S7BSPKW", "instruction": "i am looking for contemporary designed window treatment curtains that are 52 inches long.", "attributes": ["machine washable", "contemporary design", "living room", "dining room"], "options": ["color: mandala7rvw0093", "size: 52\" w by 84\" l"], "instruction_attributes": ["contemporary design"], "instruction_options": ["52\" w by 84\" l"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WT224H", "worker_id": "A2KW17G25L25R8"}], "B08M5ZCYBY": [{"asin": "B08M5ZCYBY", "instruction": "i want a white 16.9oz hair dye bottle from segbeauty.", "attributes": ["leak proof", "coconut oil", "hair dye"], "options": ["color: white", "style: tip cap with scale"], "instruction_attributes": ["hair dye"], "instruction_options": ["white"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0253AAKC", "worker_id": "A2RBF3IIJP15IH"}], "B07Z7SZ2JR": [{"asin": "B07Z7SZ2JR", "instruction": "i am looking for a light fixture for my dining room in the weather wood shade.", "attributes": ["easy install", "light fixture", "solid wood", "living room", "dining room"], "options": ["color: weather wood"], "instruction_attributes": ["light fixture", "dining room"], "instruction_options": ["weather wood"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3IB7FD0", "worker_id": "A1NF6PELRKACS9"}], "B08R3FV6P8": [{"asin": "B08R3FV6P8", "instruction": "i need a floral window curtain for my living room . and i choose the 52x72in with skulllop3455", "attributes": ["super soft", "living room"], "options": ["color: skulllop3455", "size: 52x72in"], "instruction_attributes": ["living room"], "instruction_options": ["skulllop3455", "52x72in"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQFF6SJ", "worker_id": "A2COCSUGZV28X"}, {"asin": "B08R3FV6P8", "instruction": "i want to find a 52 x 84 inch set of living room curtains that are snowman colored.", "attributes": ["super soft", "living room"], "options": ["color: snowmangirl1lop5222", "size: 52x84in"], "instruction_attributes": ["living room"], "instruction_options": ["snowmangirl1lop5222", "52x84in"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61SHWZG", "worker_id": "A345TDMHP3DQ3G"}], "B09RKDJ5DR": [{"asin": "B09RKDJ5DR", "instruction": "i need pumps that are black and closed toe in a 7.5 size", "attributes": ["closed toe", "high heel", "arch support"], "options": ["color: black", "size: 7.5"], "instruction_attributes": ["closed toe"], "instruction_options": ["black", "7.5"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FGTK83", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LKV674T": [{"asin": "B08LKV674T", "instruction": "i am looking for stainless steel gold color wall mounted mirror.", "attributes": ["wall mounted", "stainless steel"], "options": ["color: gold"], "instruction_attributes": ["stainless steel"], "instruction_options": ["gold"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40Y0YFC", "worker_id": "A1Q8PPQQCWGY0D"}], "B095J4Q3XC": [{"asin": "B095J4Q3XC", "instruction": "i am searching for modern contemporary high density and left facing sofa with massage vibration and usb port", "attributes": ["high density", "faux leather"], "options": ["material type: leatherette black", "size: left facing"], "instruction_attributes": ["high density"], "instruction_options": ["left facing"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRM18W3H", "worker_id": "A258PTOZ3D2TQR"}], "B002U7YZXY": [{"asin": "B002U7YZXY", "instruction": "i am interested in purchasing keto friendly protein power in creamy vanilla and raspberry lemonade flavor.", "attributes": ["keto friendly", "lactose free", "low carb"], "options": ["flavor name: creamy vanilla & raspberry lemonade", "size: combo"], "instruction_attributes": ["keto friendly"], "instruction_options": ["creamy vanilla & raspberry lemonade"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OSZ99N", "worker_id": "AHXHM1PQTRWIQ"}, {"asin": "B002U7YZXY", "instruction": "i need protein powder that comes in 3 lbs and is keto friendly", "attributes": ["keto friendly", "lactose free", "low carb"], "options": ["flavor name: protein + collagen", "size: 3 pound (pack of 1)"], "instruction_attributes": ["keto friendly"], "instruction_options": ["3 pound (pack of 1)"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRY8F3S", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZWGHFXC": [{"asin": "B07ZWGHFXC", "instruction": "i would like a king size extra firm 12 inch mattress with memory foam.", "attributes": ["heavy duty", "memory foam"], "options": ["color: 12 inch", "size: king", "style: extra firm"], "instruction_attributes": ["memory foam"], "instruction_options": ["12 inch", "king", "extra firm"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR56A08", "worker_id": "A1WS884SI0SLO4"}], "B07S92Q8TB": [{"asin": "B07S92Q8TB", "instruction": "i want non gmo cauliflower bites 1.4 ounce 2 packs", "attributes": ["non gmo", "gluten free", "source vitamin", "simple ingredients"], "options": ["flavor: salted", "size: 5.75 ounce (pack of 2)"], "instruction_attributes": ["non gmo"], "instruction_options": ["salted"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5UH6XR", "worker_id": "A1V2C99HEV3F14"}], "B0836QNTNJ": [{"asin": "B0836QNTNJ", "instruction": "may i please have teal colored curtains ideally for my living room? size 52x63 is fine", "attributes": ["machine washable", "living room"], "options": ["color: purple", "size: 52x63"], "instruction_attributes": ["living room"], "instruction_options": ["52x63"], "assignment_id": "354P56DE9VDCOY11T1135MPMLQWS71", "worker_id": "A2TRV8SEM003GG"}], "B08L7QL9GV": [{"asin": "B08L7QL9GV", "instruction": "i am looking 4g lte antenna that can be wall mounted.", "attributes": ["wall mounted", "4g lte"], "options": [""], "instruction_attributes": ["wall mounted", "4g lte"], "instruction_options": [], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVIOBIH", "worker_id": "A1Q8PPQQCWGY0D"}], "B0816FY959": [{"asin": "B0816FY959", "instruction": "i'm looking for a hair extension anniston hairpiece preferably color 13#", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: 13#"], "instruction_attributes": ["hair extensions"], "instruction_options": ["13#"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907UDAUE", "worker_id": "ARQ05PDNXPFDI"}], "B008NZ88KS": [{"asin": "B008NZ88KS", "instruction": "i am looking for four pounds of protein powder that is chocolate and kosher.", "attributes": ["grass fed", "artificial ingredients", "kosher certified", "non gmo"], "options": ["flavor name: chocolate", "size: 4 pound (pack of 1)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["chocolate", "4 pound (pack of 1)"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC6ONI2", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZPC9SSP": [{"asin": "B07ZPC9SSP", "instruction": "i want a portable wireless bluetooth waterproof speaker.", "attributes": ["certified refurbished", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE24SQG9", "worker_id": "A2RBF3IIJP15IH"}], "B09336C6C5": [{"asin": "B09336C6C5", "instruction": "i'm looking for some women's flat mules that i can wear every day for walking; i'm a size 5.5 and like the colour apricot.", "attributes": ["moisture wicking", "everyday wear"], "options": ["color: apricot", "size: 5.5"], "instruction_attributes": ["everyday wear"], "instruction_options": ["apricot", "5.5"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06P3XKP", "worker_id": "A3LIIE572Z4OG7"}], "B077NTX823": [{"asin": "B077NTX823", "instruction": "i need high quality makeup bag for my eyeshadow. it should be beach pineapple in color.", "attributes": ["easy carry", "high quality", "eye shadow"], "options": ["color: beach pineapple"], "instruction_attributes": ["high quality", "eye shadow"], "instruction_options": ["beach pineapple"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUG2ZD9", "worker_id": "A1NF6PELRKACS9"}], "B09P4V271L": [{"asin": "B09P4V271L", "instruction": "i would like 3 pieces of white and gold bpa free toiletry travel bottles.", "attributes": ["bpa free", "high quality"], "options": ["color: white&gold", "size: 3 pcs"], "instruction_attributes": ["bpa free"], "instruction_options": ["white&gold", "3 pcs"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E7JHXN", "worker_id": "A1WS884SI0SLO4"}], "B09T6W1JLR": [{"asin": "B09T6W1JLR", "instruction": "i would like a 2xl gray romper that has a high drawstring waist.", "attributes": ["wide leg", "hand wash", "machine wash", "drawstring waist", "high waist"], "options": ["color: gray", "size: xx-large"], "instruction_attributes": ["drawstring waist", "high waist"], "instruction_options": ["gray", "xx-large"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSLD2QS", "worker_id": "A1WS884SI0SLO4"}], "B08T9NCP9K": [{"asin": "B08T9NCP9K", "instruction": "please help me find a violet hair dye in a 500ml bottle; pick a herbal one that has only natural ingredients.", "attributes": ["non toxic", "natural ingredients", "damaged hair", "hair dye"], "options": ["color: violet", "size: 500ml"], "instruction_attributes": ["natural ingredients", "hair dye"], "instruction_options": ["violet", "500ml"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY8698811", "worker_id": "A3LIIE572Z4OG7"}], "B077PR9TL4": [{"asin": "B077PR9TL4", "instruction": "i am looking for mn4 color foundation for my sensitive skin.", "attributes": ["hyaluronic acid", "sensitive skin"], "options": ["color: mn4", "size: 1 ounce (pack of 1)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["mn4"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ASGWB1", "worker_id": "A1Q8PPQQCWGY0D"}], "B092V6XL74": [{"asin": "B092V6XL74", "instruction": "i want 200 pieces of crystal color lip gloss applicator disposable brushes", "attributes": ["beauty salon", "eye shadow"], "options": ["color: white", "size: 300"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NQ52PH", "worker_id": "A1V2C99HEV3F14"}], "B0787DBB6G": [{"asin": "B0787DBB6G", "instruction": "i would like some blueberry acai jelly beans in a resealable bag.", "attributes": ["resealable bag", "artificial colors"], "options": ["flavor name: blueberry acai"], "instruction_attributes": ["resealable bag"], "instruction_options": ["blueberry acai"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C8FHP4", "worker_id": "A1WS884SI0SLO4"}], "B09QL3BLPD": [{"asin": "B09QL3BLPD", "instruction": "i would like a #1 lip stain that is paraben and alcohol free.", "attributes": ["long lasting", "alcohol free", "paraben free", "cruelty free"], "options": ["color: 1#"], "instruction_attributes": ["alcohol free", "paraben free"], "instruction_options": ["1#"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZJMA7I", "worker_id": "A1WS884SI0SLO4"}], "B014LMNBUS": [{"asin": "B014LMNBUS", "instruction": "i would like a perfect bread gift.", "attributes": ["rich creamy", "perfect gift"], "options": [""], "instruction_attributes": ["perfect gift"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMH2CB7L", "worker_id": "A1WS884SI0SLO4"}], "B09STKPSQN": [{"asin": "B09STKPSQN", "instruction": "i would like some yellow stainless steel nail clippers", "attributes": ["easy clean", "stainless steel"], "options": ["color: lion"], "instruction_attributes": ["stainless steel"], "instruction_options": ["lion"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3HKQNP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Y66241R": [{"asin": "B07Y66241R", "instruction": "get me fleece lined khaki pants with elastic band in x-large size.", "attributes": ["fleece lined", "elastic waist", "polyester spandex"], "options": ["color: khaki", "size: x-large"], "instruction_attributes": ["fleece lined", "elastic waist"], "instruction_options": ["khaki", "x-large"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U9JMA9", "worker_id": "A3AYHESLQSDY5T"}], "B09NBQ9WG3": [{"asin": "B09NBQ9WG3", "instruction": "i want gray milin 100% blackout roller shades for my living room.", "attributes": ["easy install", "living room"], "options": ["color: gray", "size: 87\"w x 56\"h"], "instruction_attributes": ["living room"], "instruction_options": ["gray"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSD4CWC", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09NBQ9WG3", "instruction": "i am looking for some light brown easy to install roller shades for my living room.", "attributes": ["easy install", "living room"], "options": ["color: light brown", "size: 77\"w x 36\"h"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["light brown"], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY6A7PL", "worker_id": "A1EREKSZAA9V7B"}], "B08NVPGTWT": [{"asin": "B08NVPGTWT", "instruction": "i am looking for a pair of women's size small pants that are machine washable and made of stretch fabric.", "attributes": ["moisture wicking", "machine wash", "stretch fabric"], "options": ["size: small"], "instruction_attributes": ["machine wash", "stretch fabric"], "instruction_options": ["small"], "assignment_id": "33TIN5LC0FKDY31374RC144TX1ZY9G", "worker_id": "A1EREKSZAA9V7B"}], "B00EIMWAE0": [{"asin": "B00EIMWAE0", "instruction": "i want pink and black machine washable nufoot ballet flats.", "attributes": ["easy care", "machine washable"], "options": ["color: pink and black", "size: 6-7 b(m) us"], "instruction_attributes": ["machine washable"], "instruction_options": ["pink and black"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2QS5LK", "worker_id": "A2RBF3IIJP15IH"}], "B07RVCYKVD": [{"asin": "B07RVCYKVD", "instruction": "i would like a island strawberry gluten free drink mix.", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor: island strawberry"], "instruction_attributes": ["gluten free"], "instruction_options": ["island strawberry"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQNR31F", "worker_id": "A1WS884SI0SLO4"}], "B07STZ8LQ2": [{"asin": "B07STZ8LQ2", "instruction": "i would like a pair of 4xl gray pants with a elastic closure.", "attributes": ["quick drying", "elastic closure"], "options": ["color: gray -buttons cuff", "size: 4x-large"], "instruction_attributes": ["elastic closure"], "instruction_options": ["gray -buttons cuff", "4x-large"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGEFSMY", "worker_id": "A1WS884SI0SLO4"}], "B0176GNTU8": [{"asin": "B0176GNTU8", "instruction": "hp all-in-one pc 23.8-inch(60.8 cm) fhd desktop pc intel core i5 4300u with alexa built-in (8gb/256gb ssd + 1tb", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT062NNUO", "worker_id": "A3N9ZYQAESNFQH"}], "B09HSWZ3ZF": [{"asin": "B09HSWZ3ZF", "instruction": "i am looking for a truffle garlic oil gift set", "attributes": ["non gmo", "quality ingredients", "gift set", "perfect gift"], "options": ["flavor name: garlic oil", "size: 5 fl oz (pack of 1)", "style: tin can"], "instruction_attributes": ["gift set"], "instruction_options": ["garlic oil"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVU8X9A", "worker_id": "A2ECRNQ3X5LEXD"}], "B07DBXYCLS": [{"asin": "B07DBXYCLS", "instruction": "i would like a blue green water resistant toiletry bag.", "attributes": ["leak proof", "water resistant"], "options": ["color: blue green (with shoulder strap)"], "instruction_attributes": ["water resistant"], "instruction_options": ["blue green (with shoulder strap)"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJO6W02", "worker_id": "A1WS884SI0SLO4"}], "B07KN925H5": [{"asin": "B07KN925H5", "instruction": "i am looking for low sugar, low carb cocoa flavored peanut butter puffs,1 ounce (pack of 12)", "attributes": ["low sugar", "gluten free", "protein serving", "low carb", "plant based"], "options": ["flavor name: cocoa", "size: 1 ounce (pack of 12)"], "instruction_attributes": ["low sugar", "low carb"], "instruction_options": ["cocoa", "1 ounce (pack of 12)"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCZA468", "worker_id": "A258PTOZ3D2TQR"}], "B07G3RPYLG": [{"asin": "B07G3RPYLG", "instruction": "i am looking for a classic fit medium t-shirt that is cranberry colored", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: cranberry", "fit type: youth", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["cranberry", "medium"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8GYUXG", "worker_id": "A2ECRNQ3X5LEXD"}], "B099NVLYY3": [{"asin": "B099NVLYY3", "instruction": "i want a sugar free prodough chocolate keto muffin mix.", "attributes": ["keto friendly", "low carb", "gluten free", "low calorie", "high protein", "sugar free", "dairy free", "non gmo"], "options": ["flavor name: chocolate keto", "size: 2 pack"], "instruction_attributes": ["sugar free"], "instruction_options": ["chocolate keto"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36T0LSUT", "worker_id": "A2RBF3IIJP15IH"}], "B08GPWWVT4": [{"asin": "B08GPWWVT4", "instruction": "i'm looking for a light fixture farmhouse pendant light, preferably the white color.", "attributes": ["height adjustable", "pendant light", "light fixture"], "options": ["color: white"], "instruction_attributes": ["light fixture"], "instruction_options": ["white"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPNM6EW", "worker_id": "ARQ05PDNXPFDI"}], "B07VCH69RC": [{"asin": "B07VCH69RC", "instruction": "i'm looking for a vinyl acetate women athletic shoes. preferably the pink color.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: pink", "size: 8.5"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["pink"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH155HHWY", "worker_id": "ARQ05PDNXPFDI"}], "B07FXL6YH9": [{"asin": "B07FXL6YH9", "instruction": "braided synthetic hair bundle", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: rouge pink", "size: 24 inch braiding hair 5pcs"], "instruction_attributes": ["synthetic hair"], "instruction_options": [], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MNYWLU", "worker_id": "A3TTGSUBIK1YCL"}], "B07YJPPMXK": [{"asin": "B07YJPPMXK", "instruction": "i'm looking for a small black t-shirt for women with alpaca design and manchine wash", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: women", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["black", "women", "small"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRPD9FW", "worker_id": "A2Y2TURT2VEYZN"}], "B092W7D67K": [{"asin": "B092W7D67K", "instruction": "i would like a lemonade made with real fruit and natural flavors.", "attributes": ["natural flavors", "real fruit"], "options": [""], "instruction_attributes": ["natural flavors", "real fruit"], "instruction_options": [], "assignment_id": "3WMINLGALMDE0JA33INN08NU0U3AC1", "worker_id": "A1WS884SI0SLO4"}], "B08Z6TCTTM": [{"asin": "B08Z6TCTTM", "instruction": "i'm looking for farmhouse chandelier light with clear glass.", "attributes": ["clear glass", "light fixture", "dining room"], "options": ["color: satin brass | frosted", "size: 30\" linear"], "instruction_attributes": ["clear glass"], "instruction_options": ["satin brass | frosted"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y0J5JC", "worker_id": "A21IUUHBSEVB56"}], "B07ZKMQPV6": [{"asin": "B07ZKMQPV6", "instruction": "i am looking for 2 light grey chairs made of high density solid wood.", "attributes": ["high density", "easy assemble", "wood frame", "solid wood", "living room"], "options": ["color: light grey", "size: 2 chairs"], "instruction_attributes": ["high density", "solid wood"], "instruction_options": ["light grey", "2 chairs"], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q87IIW", "worker_id": "A1V2JTEEBCXR20"}], "B0030Y7MLS": [{"asin": "B0030Y7MLS", "instruction": "i'm looking for a nickel finish valley lightning, preferably the old bronze color.", "attributes": ["nickel finish", "glass shade"], "options": ["color: old bronze"], "instruction_attributes": ["nickel finish"], "instruction_options": ["old bronze"], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTDTYZ6Y", "worker_id": "ARQ05PDNXPFDI"}], "B01NBVOGUJ": [{"asin": "B01NBVOGUJ", "instruction": "i would like a winter white floor lamp made with brushed nickel.", "attributes": ["brushed nickel", "clear glass", "nickel finish", "living room"], "options": ["color: winter white"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["winter white"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKM5T1N", "worker_id": "A1WS884SI0SLO4"}], "B09J8F7JRX": [{"asin": "B09J8F7JRX", "instruction": "i need a bag for my hair styling tools", "attributes": ["fine mist", "hair styling"], "options": [""], "instruction_attributes": ["hair styling"], "instruction_options": [], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79TI1HV", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GNC5FPV": [{"asin": "B07GNC5FPV", "instruction": "i am looking for an easy to assemble 4 light vanity light.", "attributes": ["easy assemble", "vanity light", "nickel finish", "glass shade"], "options": ["color: 4 lights"], "instruction_attributes": ["easy assemble", "nickel finish"], "instruction_options": ["4 lights"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C9RHPI", "worker_id": "A1EREKSZAA9V7B"}], "B0912Y7Z5R": [{"asin": "B0912Y7Z5R", "instruction": "i would like a d20\u201dx h 30\u201d silver chandelier for the dining room.", "attributes": ["height adjustable", "easy install", "dining room", "living room"], "options": ["color: silver", "size: d20\u201dx h 30\u201d"], "instruction_attributes": ["dining room"], "instruction_options": ["silver", "d20\u201dx h 30\u201d"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8RS6QS", "worker_id": "A1WS884SI0SLO4"}], "B09NMFPJGN": [{"asin": "B09NMFPJGN", "instruction": "i'm looking for colorful rainbow gradient lattice window coverings film.", "attributes": ["tempered glass", "dining room"], "options": ["color: 960766437466963000", "size: (width\uff0917.7in x (length)35.4in x 2pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["960766437466963000"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0M1PCSG", "worker_id": "A21IUUHBSEVB56"}], "B097K2QPV8": [{"asin": "B097K2QPV8", "instruction": "i'm looking for a beauty salon table towel.", "attributes": ["high quality", "non toxic", "easy use", "beauty salon"], "options": [""], "instruction_attributes": ["beauty salon"], "instruction_options": [], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVOWXLE", "worker_id": "ARQ05PDNXPFDI"}], "B00LJSGWCW": [{"asin": "B00LJSGWCW", "instruction": "you can help me find on the web men's guide gear cargo joggers sweatpants, jogger pants, straight leg and for a gift. size has to be medium", "attributes": ["straight leg", "drawstring waist", "drawstring closure"], "options": ["color: gray camo", "size: medium"], "instruction_attributes": ["straight leg"], "instruction_options": ["medium"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDVRZQE", "worker_id": "A15IJ20C3R4HUO"}], "B093K3D12G": [{"asin": "B093K3D12G", "instruction": "i want a set of 2 mesh laundry bags sea turtle.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CS92T3", "worker_id": "A2RBF3IIJP15IH"}], "B09QLWV2JX": [{"asin": "B09QLWV2JX", "instruction": "i would like a wired 8 cam motion detection surveillance camera.", "attributes": ["high definition", "plug play", "motion detection"], "options": ["color: wired-8cam+2tb"], "instruction_attributes": ["motion detection"], "instruction_options": ["wired-8cam+2tb"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0V6AR7", "worker_id": "A1WS884SI0SLO4"}], "B08Z35MGD6": [{"asin": "B08Z35MGD6", "instruction": "toothpaste for dental cleaning - 60ml fresh breath freeorr", "attributes": ["easy clean", "easy use", "fresh breath"], "options": [""], "instruction_attributes": ["fresh breath"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSLB8BW", "worker_id": "A3TTGSUBIK1YCL"}], "B07XTNQX7P": [{"asin": "B07XTNQX7P", "instruction": "i am looking for a variety pack of keto friendly energy drinks", "attributes": ["usda organic", "keto friendly", "low carb", "non gmo", "gluten free", "quality ingredients"], "options": ["flavor name: variety"], "instruction_attributes": ["keto friendly"], "instruction_options": ["variety"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OL5TRR", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DPKXRKM": [{"asin": "B09DPKXRKM", "instruction": "i want luxshiny 72pcs halloween cupcake picks.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["cupcake picks"], "instruction_options": [], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYQ97NN", "worker_id": "A2RBF3IIJP15IH"}], "B08S6XVM4R": [{"asin": "B08S6XVM4R", "instruction": "i want navy skechers men's gowalk shoes made with vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: navy | orange 2", "size: 7.5"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["navy | orange 2"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREQS2J8", "worker_id": "A2RBF3IIJP15IH"}], "B09M1HNN22": [{"asin": "B09M1HNN22", "instruction": "i'm looking for a fluoride free toothpaste which is clinically proven for sensitive teeth.", "attributes": ["fluoride free", "clinically proven", "sensitive teeth"], "options": [""], "instruction_attributes": ["fluoride free", "clinically proven", "sensitive teeth"], "instruction_options": [], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C9MHPD", "worker_id": "AR0VJ5XRG16UJ"}], "B09MTFD4KQ": [{"asin": "B09MTFD4KQ", "instruction": "i'm looking for a glass screen protector for samsung galaxy a13 5g.", "attributes": ["dust proof", "glass screen", "case cover", "tempered glass"], "options": ["color: galaxy a13 5g case navy blue"], "instruction_attributes": ["dust proof"], "instruction_options": ["galaxy a13 5g case navy blue"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP64OVDV", "worker_id": "A21IUUHBSEVB56"}], "B082J572X8": [{"asin": "B082J572X8", "instruction": "show me a silver colored 2.4ghz intel core i5 laptop with 1.4ghz processor - 8gb ram 256gb ssd capacity.", "attributes": ["core i5", "intel core", "quad core"], "options": ["capacity: 1.4ghz processor - 8gb ram | 256gb ssd", "color: silver", "style: 2.4ghz intel\u00a0core\u00a0i5"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["1.4ghz processor - 8gb ram | 256gb ssd", "silver", "2.4ghz intel\u00a0core\u00a0i5"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WCQOU2", "worker_id": "A3AYHESLQSDY5T"}], "B09MQFCJ9X": [{"asin": "B09MQFCJ9X", "instruction": "i would like a presentation remote that is easy to use", "attributes": ["easy carry", "plug play", "easy use", "usb port"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2PI5L8", "worker_id": "A2ECRNQ3X5LEXD"}], "B00XN076VA": [{"asin": "B00XN076VA", "instruction": "i am looking for a nut and gluten free wild blueberry preserve.", "attributes": ["nut free", "gluten free"], "options": ["flavor: wild blueberry preserve", "size: 12 ounce (pack of 6)", "style: marmalade"], "instruction_attributes": ["nut free", "gluten free"], "instruction_options": ["wild blueberry preserve"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDRARHF", "worker_id": "A1NF6PELRKACS9"}], "B005GP9ECE": [{"asin": "B005GP9ECE", "instruction": "i m looking for a 8 no. vinyl acetate man's sandals", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: navy | blue", "size: 8"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["8"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZVC40T", "worker_id": "A9QRQL9CFJBI7"}], "B000QSOCHS": [{"asin": "B000QSOCHS", "instruction": "i want earth's best organic baby food.", "attributes": ["bpa free", "certified organic", "non gmo", "artificial flavors"], "options": [""], "instruction_attributes": ["certified organic"], "instruction_options": [], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0XXW55", "worker_id": "A2RBF3IIJP15IH"}], "B00D267KMK": [{"asin": "B00D267KMK", "instruction": "i'm looking for perfect waterproof digital camera with 2.5 inch lcd screen.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCE1H7P", "worker_id": "A21IUUHBSEVB56"}], "B09NCJH6D6": [{"asin": "B09NCJH6D6", "instruction": "i would like a ginger boost gluten free bottle.", "attributes": ["low sugar", "non alcoholic", "gluten free", "non gmo", "natural flavors", "artificial colors"], "options": ["flavor name: ginger boost"], "instruction_attributes": ["gluten free"], "instruction_options": ["ginger boost"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZHAPR6", "worker_id": "A1WS884SI0SLO4"}], "B09R4LDMSS": [{"asin": "B09R4LDMSS", "instruction": "i am looking for black color heeled sandals containing rubber sole.", "attributes": ["non slip", "rubber sole", "soft material", "ankle strap", "rubber outsole"], "options": ["color: black", "size: 8.5 wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTARLNN", "worker_id": "A1Q8PPQQCWGY0D"}], "B079YYHVVB": [{"asin": "B079YYHVVB", "instruction": "i need a slip on shoes with rubber sole . and i choose the 14\" size with burgundy color", "attributes": ["synthetic sole", "rubber sole"], "options": ["color: burgundy", "size: 14"], "instruction_attributes": ["rubber sole"], "instruction_options": ["burgundy", "14"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4GQBS9", "worker_id": "A2COCSUGZV28X"}], "B01FV5KVAM": [{"asin": "B01FV5KVAM", "instruction": "i am looking for non gmo , gluten free organic cinnamon syrup", "attributes": ["certified organic", "non gmo", "gluten free"], "options": ["flavor name: organic cinnamon", "size: 25.4 fl oz (pack of 1)", "style: syrup pump"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["organic cinnamon"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8LN4C2", "worker_id": "AX2EWYWZM19AZ"}], "B09HC37HYB": [{"asin": "B09HC37HYB", "instruction": "i want a large and short sleeve womens down vest.", "attributes": ["fleece lined", "short sleeve"], "options": ["color: ra1- k7-black", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G7AZ47C", "worker_id": "A2RBF3IIJP15IH"}], "B08KKZ52F1": [{"asin": "B08KKZ52F1", "instruction": "i am looking for a men's size 14 sneaker with a synthetic sole.", "attributes": ["synthetic sole", "rubber outsole"], "options": ["color: puma white | star sapphire", "size: 14"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["14"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z8MGX5", "worker_id": "A1EREKSZAA9V7B"}], "B07QDK5V1G": [{"asin": "B07QDK5V1G", "instruction": "i would like a long lasting lipstick in the color emma", "attributes": ["long lasting", "highly pigmented"], "options": ["color: color 523 (emma)"], "instruction_attributes": ["long lasting"], "instruction_options": ["color 523 (emma)"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO8DR2I", "worker_id": "A2ECRNQ3X5LEXD"}], "B08SWDDDLX": [{"asin": "B08SWDDDLX", "instruction": "i am looking for a black quad core tablets", "attributes": ["high performance", "quad core"], "options": ["color: black"], "instruction_attributes": ["quad core"], "instruction_options": ["black"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO6B2CM", "worker_id": "A9QRQL9CFJBI7"}], "B0973422R6": [{"asin": "B0973422R6", "instruction": "i would like a galaxy a12 pink phone case with a tempered glass screen.", "attributes": ["glass screen", "tempered glass"], "options": ["color: pink", "size: galaxy a12 | a12 5g"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["pink", "galaxy a12 | a12 5g"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BITR48J", "worker_id": "A1WS884SI0SLO4"}], "B003WM2V4G": [{"asin": "B003WM2V4G", "instruction": "i would like a pair of small olive scrub bottoms with a relaxed fit.", "attributes": ["machine wash", "elastic closure", "polyester cotton", "elastic waistband", "relaxed fit", "classic fit"], "options": ["color: olive", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["olive", "small"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO7TC2G", "worker_id": "A1WS884SI0SLO4"}], "B09LSJW1TR": [{"asin": "B09LSJW1TR", "instruction": "i am interested in some monoculars that have optical zoom", "attributes": ["non slip", "optical zoom"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC65KU1", "worker_id": "A2ECRNQ3X5LEXD"}], "B098DL2LS5": [{"asin": "B098DL2LS5", "instruction": "i would like a fluoride free mouth wash made with natural ingredients.", "attributes": ["fluoride free", "natural ingredients", "fresh breath"], "options": [""], "instruction_attributes": ["fluoride free", "natural ingredients"], "instruction_options": [], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKNE1T6", "worker_id": "AHXHM1PQTRWIQ"}], "B09P83W6PP": [{"asin": "B09P83W6PP", "instruction": "i want a earbud wireless bluetooth", "attributes": ["fast charging", "high speed", "case cover", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFGB5U2", "worker_id": "A2Y2TURT2VEYZN"}], "B07W621KSF": [{"asin": "B07W621KSF", "instruction": "i need a 038 | honey beige long lasting foundation which is cruelty,oil,alcohol and paraben free.", "attributes": ["cruelty free", "oil free", "alcohol free", "paraben free", "long lasting"], "options": ["color: 038 | honey beige"], "instruction_attributes": ["cruelty free", "oil free", "alcohol free", "long lasting"], "instruction_options": ["038 | honey beige"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KQFUHN", "worker_id": "ASWFLI3N8X72G"}], "B09SHZ239R": [{"asin": "B09SHZ239R", "instruction": "i want blue egg gender reveal cupcake toppers for my baby shower.", "attributes": ["baby shower", "birthday party"], "options": ["pattern name: one-blue"], "instruction_attributes": ["baby shower"], "instruction_options": ["one-blue"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67P44NN", "worker_id": "A2RBF3IIJP15IH"}], "B09PH5CP53": [{"asin": "B09PH5CP53", "instruction": "i would like a 2 piece window film set for the dining room", "attributes": ["tempered glass", "dining room"], "options": ["color: 1025576617786990000", "size: (width\uff0935.4in x (length)35.4in x 2pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["(width\uff0935.4in x (length)35.4in x 2pcs"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW081CF", "worker_id": "A2ECRNQ3X5LEXD"}], "B0024WNS0G": [{"asin": "B0024WNS0G", "instruction": "i am looking for a pack of 720 high performance aaa batteries.", "attributes": ["high performance", "aaa batteries"], "options": ["size: 720 count (pack of 1)", "style: aaa"], "instruction_attributes": ["high performance"], "instruction_options": ["720 count (pack of 1)", "aaa"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WUC42V", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B0024WNS0G", "instruction": "i need a high performance 48 count set a batteries", "attributes": ["high performance", "aaa batteries"], "options": ["size: 48 count (pack of 1)", "style: aa"], "instruction_attributes": ["high performance"], "instruction_options": ["48 count (pack of 1)"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC7AKU8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08SLNJVWT": [{"asin": "B08SLNJVWT", "instruction": "let's buy a light weight cell phone case.", "attributes": ["light weight", "carbon fiber", "glass screen", "tempered glass"], "options": ["color: \u7070\u8272"], "instruction_attributes": ["light weight"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMH1WB73", "worker_id": "A15ERD4HOFEPHM"}], "B093YS61WL": [{"asin": "B093YS61WL", "instruction": "i need a wallet that goes with my blouse", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE3XTJJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B0968MW8H3": [{"asin": "B0968MW8H3", "instruction": "i want a red machine washable slow down men's ultra lightweight jacket.", "attributes": ["water resistant", "wash cold", "machine wash", "drawstring closure", "dry clean", "daily wear"], "options": ["color: red", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["red"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLPPI4Y", "worker_id": "A2RBF3IIJP15IH"}], "B09S1CLQYR": [{"asin": "B09S1CLQYR", "instruction": "i am looking for ready to use gluten free tomato stew sauce made with extra virgin olive oil. and i choose a packet of 4 with mama's everything sauce", "attributes": ["shelf stable", "ready use", "low sodium", "gluten free", "sugar free"], "options": ["flavor name: mama's everything sauce - 4 pack"], "instruction_attributes": ["ready use", "gluten free"], "instruction_options": ["mama's everything sauce - 4 pack"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746Z6BT0", "worker_id": "A2COCSUGZV28X"}], "B08TM3LCN8": [{"asin": "B08TM3LCN8", "instruction": "i would like two strawberry and 2 peach lip balms that are made from seed oil.", "attributes": ["animal testing", "long lasting", "seed oil"], "options": ["flavor name: four pack: 2 strawberry | 2 peach"], "instruction_attributes": ["seed oil"], "instruction_options": ["four pack"], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YNAGAY", "worker_id": "A1WS884SI0SLO4"}], "B09GM9C88P": [{"asin": "B09GM9C88P", "instruction": "i would like non toxic press on nails that are the color jp939", "attributes": ["double sided", "non toxic", "nail art"], "options": ["color: jp939"], "instruction_attributes": ["non toxic"], "instruction_options": ["jp939"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT3PP3X", "worker_id": "A2ECRNQ3X5LEXD"}], "B08THNSP6N": [{"asin": "B08THNSP6N", "instruction": "i would like two packs of fluoride free toothpaste.", "attributes": ["fluoride free", "clinically proven", "oral hygiene"], "options": ["size: 2 pack"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRPE9FX", "worker_id": "A1WS884SI0SLO4"}], "B08ZN8G7JV": [{"asin": "B08ZN8G7JV", "instruction": "hello, i want a music stereo for my car. bluetooth please. i would appreciate it being hands free as well", "attributes": ["batteries included", "hands free", "usb port"], "options": [""], "instruction_attributes": ["hands free", "usb port"], "instruction_options": [], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI70HYQE", "worker_id": "A2TRV8SEM003GG"}], "B09S152XNC": [{"asin": "B09S152XNC", "instruction": "i want a large summer o neck women's short sleeve blouse.", "attributes": ["loose fit", "slim fit", "hand wash", "short sleeve", "long sleeve", "polyester spandex"], "options": ["color: 9-black", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602WD95T", "worker_id": "A2RBF3IIJP15IH"}], "B00LVQPDGI": [{"asin": "B00LVQPDGI", "instruction": "i am looking for certified organic regular rolled oats, 25 pound (pack of 1)", "attributes": ["certified organic", "non gmo", "old fashioned"], "options": ["flavor: quick", "size: 25 pound (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["25 pound (pack of 1)"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LLOI57", "worker_id": "A258PTOZ3D2TQR"}], "B01N9JIUAS": [{"asin": "B01N9JIUAS", "instruction": "i would like some wild caught sardines that are in water", "attributes": ["wild caught", "high protein"], "options": ["flavor name: water - pack of 4"], "instruction_attributes": ["wild caught"], "instruction_options": ["water - pack of 4"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQERKV5", "worker_id": "A2ECRNQ3X5LEXD"}], "B08JZ5CPRT": [{"asin": "B08JZ5CPRT", "instruction": "i am looking for a travel mirror that is easy to carry", "attributes": ["double sided", "easy carry"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW0Z1C6", "worker_id": "A2ECRNQ3X5LEXD"}], "B094DPFX6Q": [{"asin": "B094DPFX6Q", "instruction": "i'm looking for a set of 14 inch human hair extensions in #3t613 ombre dark brown to bleach blonde color.", "attributes": ["double sided", "hair extensions", "hair salon"], "options": ["color: #3t613 ombre dark brown to bleach blonde", "size: 14 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["14 inch"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZTJ3KA", "worker_id": "A3MNXK3VDK37SN"}], "B09MJLV1J2": [{"asin": "B09MJLV1J2", "instruction": "find mouthwash, tartar stain removal, fresh breath, for daily life, for my bad breath !", "attributes": ["easy use", "bad breath"], "options": [""], "instruction_attributes": ["bad breath"], "instruction_options": [], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4WN7K3", "worker_id": "A15IJ20C3R4HUO"}], "B099MXRP49": [{"asin": "B099MXRP49", "instruction": "i would like a 12 fluid ounce blonde low calorie non alcoholic drink.", "attributes": ["non alcoholic", "low calorie"], "options": ["flavor name: blonde", "size: 12 fl oz (pack of 24)"], "instruction_attributes": ["non alcoholic", "low calorie"], "instruction_options": ["blonde", "12 fl oz (pack of 24)"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HROOWM", "worker_id": "A1WS884SI0SLO4"}], "B072L1636F": [{"asin": "B072L1636F", "instruction": "i would like to buy a nail buffer to take care of dead skin and in style1.", "attributes": ["high quality", "nail art", "dead skin"], "options": ["style name: style1"], "instruction_attributes": ["dead skin"], "instruction_options": ["style1"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCKTSJ3", "worker_id": "AHXHM1PQTRWIQ"}], "B084R89D4Z": [{"asin": "B084R89D4Z", "instruction": "i'm looking for milk based organic formula for baby.", "attributes": ["usda organic", "non gmo"], "options": [""], "instruction_attributes": ["usda organic"], "instruction_options": [], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WTY24D", "worker_id": "A21IUUHBSEVB56"}], "B07BPV6FPT": [{"asin": "B07BPV6FPT", "instruction": "i need a slim fit t-shirt that is blue and a large", "attributes": ["slim fit", "polyester spandex"], "options": ["color: royal blue a", "size: large"], "instruction_attributes": ["slim fit"], "instruction_options": ["royal blue a", "large"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HV3BPB", "worker_id": "A2ECRNQ3X5LEXD"}], "B005GVEHIO": [{"asin": "B005GVEHIO", "instruction": "i would like to buy machine washable leggings in size 16 plus with an elastic waistband.", "attributes": ["machine wash", "elastic waistband", "regular fit"], "options": ["color: waterfall", "size: 16 plus"], "instruction_attributes": ["machine wash", "elastic waistband"], "instruction_options": ["16 plus"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DUWK4V", "worker_id": "AHXHM1PQTRWIQ"}], "B093FGHNYM": [{"asin": "B093FGHNYM", "instruction": "i would like a cake topper for a birthday party.", "attributes": ["baby shower", "party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOME9LI", "worker_id": "A1WS884SI0SLO4"}], "B08K2V17DD": [{"asin": "B08K2V17DD", "instruction": "i would like some black high heels that are a size 6.5", "attributes": ["high heel", "synthetic sole"], "options": ["color: black", "size: 6.5"], "instruction_attributes": ["high heel"], "instruction_options": ["black", "6.5"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEL68Q2", "worker_id": "A2ECRNQ3X5LEXD"}], "B086JW9KL8": [{"asin": "B086JW9KL8", "instruction": "i am looking for toiletries kit bag with water resistant feature and color should be green.", "attributes": ["water resistant", "easy clean", "leak proof"], "options": ["color: bottle green"], "instruction_attributes": ["water resistant"], "instruction_options": ["bottle green"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7P2I3M", "worker_id": "A3FG5PQHG5AH3Y"}], "B093GV68LQ": [{"asin": "B093GV68LQ", "instruction": "i want 42x84 inch, baby pink and gold color gorgeous unicorn eyelash print curtain for living or bed rooms.", "attributes": ["machine washable", "stainless steel", "living room"], "options": ["color: baby pink and gold", "size: 42x84 in"], "instruction_attributes": ["living room"], "instruction_options": ["baby pink and gold", "42x84 in"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO9VGJ3", "worker_id": "A1V2C99HEV3F14"}], "B086G51TH9": [{"asin": "B086G51TH9", "instruction": "i need 5ft power cord cable for blu ray player and home theater system", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKNPPV1", "worker_id": "A258PTOZ3D2TQR"}], "B08MXZXKQ6": [{"asin": "B08MXZXKQ6", "instruction": "i am looking for a living room poster of fruit", "attributes": ["wood frame", "solid wood", "living room"], "options": ["color: fruit pictures-1", "size: 12\"x16\"x3 panel"], "instruction_attributes": ["living room"], "instruction_options": ["fruit pictures-1"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQHVJCO", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08MXZXKQ6", "instruction": "i am looking for a green plants color wall art for my living room.", "attributes": ["wood frame", "solid wood", "living room"], "options": ["color: green plants", "size: 12\"x16\"x3"], "instruction_attributes": ["living room"], "instruction_options": ["green plants"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXZ0O4D", "worker_id": "A1Q8PPQQCWGY0D"}], "B06X3W4PZ8": [{"asin": "B06X3W4PZ8", "instruction": "i am looking for peanut butter chocolate cookie assortments that are dairy free", "attributes": ["lactose free", "dairy free", "non gmo", "gluten free", "birthday cake"], "options": ["flavor name: peanut butter chocolate", "size: 6 ounce (pack of 1)"], "instruction_attributes": ["dairy free"], "instruction_options": ["peanut butter chocolate"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPDGDQS", "worker_id": "A2ECRNQ3X5LEXD"}], "B01M5ANC4W": [{"asin": "B01M5ANC4W", "instruction": "i would like a desk made from engineered wood.", "attributes": ["assembly required", "engineered wood"], "options": [""], "instruction_attributes": ["engineered wood"], "instruction_options": [], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKTHGSU", "worker_id": "A1WS884SI0SLO4"}], "B082J7BWYJ": [{"asin": "B082J7BWYJ", "instruction": "i'm looking for an individually wrapped bar snack cakes.", "attributes": ["individually wrapped", "nut free", "kosher certified", "dairy free", "0g trans", "birthday party"], "options": [""], "instruction_attributes": ["individually wrapped"], "instruction_options": [], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72ANLEOY", "worker_id": "ARQ05PDNXPFDI"}], "B093Z28QMN": [{"asin": "B093Z28QMN", "instruction": "i am looking for khaki colored house slippers with a non-slip grip in the size 11 wide.", "attributes": ["day comfort", "machine washable", "non slip", "arch support", "rubber sole"], "options": ["color: 03khaki", "size: 11 wide"], "instruction_attributes": ["non slip"], "instruction_options": ["03khaki", "11 wide"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXILJUJ", "worker_id": "AK3JMCIGU8MLU"}], "B0981Y1FLG": [{"asin": "B0981Y1FLG", "instruction": "i am looking for a high resolution car stereo system with mp-800 and the latest phonelink.", "attributes": ["high resolution", "hands free", "usb port"], "options": ["color: mp-800 with latest phonelink"], "instruction_attributes": ["high resolution"], "instruction_options": ["mp-800 with latest phonelink"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQ0P4BX", "worker_id": "A1EREKSZAA9V7B"}], "B08QRVN886": [{"asin": "B08QRVN886", "instruction": "i want to buy frame for bed platform which is eco friendly and with box spring, while the color i would prefer for it to be black and as for the size it should be king size.", "attributes": ["eco friendly", "faux leather", "king size", "box spring"], "options": ["color: black pu", "size: king"], "instruction_attributes": ["eco friendly", "box spring"], "instruction_options": ["black pu", "king"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA74GMHR", "worker_id": "AJY5G987IRT25"}], "B07KVZJGBW": [{"asin": "B07KVZJGBW", "instruction": "i need a classic fir t-shirt that is suitable for my wife. and i choose the orange one", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: orange", "fit type: women", "size: 4t"], "instruction_attributes": ["classic fit"], "instruction_options": ["orange", "women"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4DW6RV", "worker_id": "A2COCSUGZV28X"}], "B07CQ4BZQR": [{"asin": "B07CQ4BZQR", "instruction": "i would like a 40 by 84 inch round frosted table pad for the dining room.", "attributes": ["eco friendly", "easy clean", "stainless steel", "dining room", "living room"], "options": ["color: upgraded frosted 1.5mm", "shape: round", "size: 40 x 84 inches"], "instruction_attributes": ["dining room"], "instruction_options": ["upgraded frosted 1.5mm", "round", "40 x 84 inches"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOMX9L1", "worker_id": "A1WS884SI0SLO4"}], "B09PD6NWCN": [{"asin": "B09PD6NWCN", "instruction": "i would like some flouride free toothpaste", "attributes": ["fluoride free", "teeth whitening", "sensitive teeth", "bad breath"], "options": ["color: 2-2"], "instruction_attributes": ["fluoride free"], "instruction_options": ["2-2"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RK9LFM", "worker_id": "A2ECRNQ3X5LEXD"}], "B085GCJ1YK": [{"asin": "B085GCJ1YK", "instruction": "i am looking for a black bike short that is made of nylon spandex. pick a size 16.", "attributes": ["hand wash", "nylon spandex"], "options": ["color: black", "size: 16"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["black", "16"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P783SVT", "worker_id": "A1NF6PELRKACS9"}], "B09PN95H7B": [{"asin": "B09PN95H7B", "instruction": "looking for leather sole womans sandals with arch support also choose size 7 wide", "attributes": ["arch support", "leather sole", "high heel", "ankle strap"], "options": ["color: 04-white", "size: 7 wide"], "instruction_attributes": ["arch support", "leather sole"], "instruction_options": ["7 wide"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADMIHAR", "worker_id": "A10OGH5CQBXL5N"}], "B08YRGRXDZ": [{"asin": "B08YRGRXDZ", "instruction": "find me a white tablet with high performance with quad core", "attributes": ["high performance", "quad core"], "options": ["color: white"], "instruction_attributes": ["high performance", "quad core"], "instruction_options": ["white"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI71JYQI", "worker_id": "A2Y2TURT2VEYZN"}], "B09KT1ZG57": [{"asin": "B09KT1ZG57", "instruction": "i'm looking for a coral velvet microfiber hair towel wrap for women.", "attributes": ["dry hair", "hair salon"], "options": ["color: aquamarine"], "instruction_attributes": ["dry hair"], "instruction_options": ["aquamarine"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95VRXQD", "worker_id": "A21IUUHBSEVB56"}], "B08KDNRWCD": [{"asin": "B08KDNRWCD", "instruction": "i'm looking for new year cupcake with glitter dessert muffins.", "attributes": ["cupcake picks", "party supplies"], "options": ["color: rose gold"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["rose gold"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z4CYCQJ", "worker_id": "A21IUUHBSEVB56"}], "B006XMHPF2": [{"asin": "B006XMHPF2", "instruction": "i would like a volumizing pomegranate conditioner made from seed oil.", "attributes": ["sulfate free", "seed oil"], "options": ["style: volumizing pomegranate conditioner"], "instruction_attributes": ["seed oil"], "instruction_options": ["volumizing pomegranate conditioner"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2JOFKV", "worker_id": "A1WS884SI0SLO4"}], "B08YBGCBT6": [{"asin": "B08YBGCBT6", "instruction": "i want a white emma + oliver kids 3 piece solid hardwood table and chair set for my dining room.", "attributes": ["white item", "wood finish", "dining room"], "options": ["color: white"], "instruction_attributes": ["dining room"], "instruction_options": ["white"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R2K7WL", "worker_id": "A2RBF3IIJP15IH"}], "B087MSRM1R": [{"asin": "B087MSRM1R", "instruction": "i am looking for women's woodland texapore low rise hiking shoes. also ebony blue one.", "attributes": ["low rise", "ethylene vinyl", "vinyl acetate", "rubber outsole"], "options": ["color: ebony blue", "size: 4 big kid"], "instruction_attributes": ["low rise"], "instruction_options": ["ebony blue"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK24AJNKJ", "worker_id": "A258PTOZ3D2TQR"}], "B00QUKS6NW": [{"asin": "B00QUKS6NW", "instruction": "i would like a 4 ounce face moisturizer made with natural ingredients.", "attributes": ["coconut oil", "natural ingredients", "dark circles", "dry skin", "sensitive skin"], "options": ["size: 4 ounce (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["4 ounce (pack of 1)"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1KK3UA", "worker_id": "A1WS884SI0SLO4"}], "B08TVVVXVG": [{"asin": "B08TVVVXVG", "instruction": "can i get the heavy duty 2-gang, outlet toggle combination wall plate cover.", "attributes": ["heavy duty", "high gloss"], "options": ["style: toggle | outlet combo"], "instruction_attributes": ["heavy duty"], "instruction_options": ["toggle | outlet combo"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBINJD6", "worker_id": "A1IL2K0ELYI090"}], "B096YCWV5H": [{"asin": "B096YCWV5H", "instruction": "hello, i would like a gift set of chocolates with peanut products in it? preferably dusted chocolate toffee flavor", "attributes": ["protein serving", "plant based", "non gmo", "great gift", "gift set"], "options": ["flavor name: dustted chocolate toffee", "size: 20oz"], "instruction_attributes": ["great gift", "gift set"], "instruction_options": ["dustted chocolate toffee"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYSFFXW", "worker_id": "A2TRV8SEM003GG"}], "B06XK5TMTD": [{"asin": "B06XK5TMTD", "instruction": "i am looking for ac dc adapter charger for my wireless bluetooth speaker.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "351SEKWQSBRP7CP60H83T50CFB6MDZ", "worker_id": "A1Q8PPQQCWGY0D"}], "B004M8SVGQ": [{"asin": "B004M8SVGQ", "instruction": "i need a bronze colored high resolution digital camera that also has optical zoom lens.", "attributes": ["high resolution", "optical zoom"], "options": ["color: bronze"], "instruction_attributes": ["high resolution", "optical zoom"], "instruction_options": ["bronze"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH156QHW9", "worker_id": "A1NF6PELRKACS9"}], "B0087N3MOI": [{"asin": "B0087N3MOI", "instruction": "i'm looking for vanilla meringues cookies, fat and gluten free", "attributes": ["trader joe", "fat free", "gluten free", "artificial colors"], "options": [""], "instruction_attributes": ["fat free", "gluten free"], "instruction_options": [], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFC6D9Y", "worker_id": "A2Y2TURT2VEYZN"}], "B09N9QHVHK": [{"asin": "B09N9QHVHK", "instruction": "i'm looking for gyufise glitter mounted butterfly cupcake toppers butterfly cupcake pick, pattern name: 1-multicolor birthday party decorations if you find it let me know soon", "attributes": ["birthday party", "party supplies", "baby shower"], "options": ["pattern name: 1-multicolor"], "instruction_attributes": ["birthday party"], "instruction_options": ["1-multicolor"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ATNBWP", "worker_id": "A15IJ20C3R4HUO"}], "B0842TRS8B": [{"asin": "B0842TRS8B", "instruction": "i want non gmo triscuit dill sea salt and olive oil crackers.", "attributes": ["non gmo", "dietary fiber"], "options": ["flavor name: dill sea salt and olive oil"], "instruction_attributes": ["non gmo"], "instruction_options": ["dill sea salt and olive oil"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7Q93IG", "worker_id": "A2RBF3IIJP15IH"}], "B091SV7HJ7": [{"asin": "B091SV7HJ7", "instruction": "i want a grey 3-piece faux leather tufted sectional sofa.", "attributes": ["faux leather", "metal legs"], "options": ["color: grey"], "instruction_attributes": ["faux leather"], "instruction_options": ["grey"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP84O7ZB", "worker_id": "A2RBF3IIJP15IH"}], "B08SJ16N4D": [{"asin": "B08SJ16N4D", "instruction": "i want a 0.27 fl oz perfume bottle that is high in quality. it should be in travel size.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: creed silver mountain water impression", "size: 0.27 fl oz (pack of 1)"], "instruction_attributes": ["travel size", "high quality"], "instruction_options": ["0.27 fl oz (pack of 1)"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DUY4KH", "worker_id": "A1NF6PELRKACS9"}], "B094687BW9": [{"asin": "B094687BW9", "instruction": "i would like a long lasting men's fragrance.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3MDRY2", "worker_id": "A1WS884SI0SLO4"}], "B075817VBP": [{"asin": "B075817VBP", "instruction": "i would like 10 ml of lavender face oil that's high quality.", "attributes": ["high quality", "tea tree"], "options": ["scent: lavender", "size: 10 ml (pack of 1)"], "instruction_attributes": ["high quality"], "instruction_options": ["lavender", "10 ml (pack of 1)"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662YC4M3", "worker_id": "A1WS884SI0SLO4"}], "B07YQJ68W6": [{"asin": "B07YQJ68W6", "instruction": "i want a silver star wars the mandalorian muted warrior t-shirt.", "attributes": ["needle sleeve", "classic fit", "star wars"], "options": ["color: silver", "fit type: youth", "size: 2t"], "instruction_attributes": ["star wars"], "instruction_options": ["silver"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFRVV3T", "worker_id": "A2RBF3IIJP15IH"}], "B07PNRZ353": [{"asin": "B07PNRZ353", "instruction": "i need easy to install white trim led light in pack of 18. tye color should be daylight 5000k.", "attributes": ["easy install", "brushed nickel"], "options": ["color: daylight 5000k", "size: white trim (18 pack)"], "instruction_attributes": ["easy install"], "instruction_options": ["daylight 5000k", "white trim (18 pack)"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTBVLNT", "worker_id": "ASWFLI3N8X72G"}], "B09QFH1FQC": [{"asin": "B09QFH1FQC", "instruction": "would you find this curtain more easily than i can? fangsosolong dragon bedroom curtains with window cover decoration superior noise blocking reduce , machine washable for my boy's bedroom 63\" rod pocket w 52 l 95", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: b001c21", "size: rod pocket-w 52 l 95"], "instruction_attributes": ["machine washable"], "instruction_options": ["rod pocket-w 52 l 95"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGT1I7M8", "worker_id": "A15IJ20C3R4HUO"}], "B08RZ3B76K": [{"asin": "B08RZ3B76K", "instruction": "get me a 10g protein per serving chocolate and peanut butter bars.", "attributes": ["protein serving", "trader joe"], "options": [""], "instruction_attributes": ["protein serving"], "instruction_options": [], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH37D2SEP", "worker_id": "A1NF6PELRKACS9"}], "B07Y4XM3VZ": [{"asin": "B07Y4XM3VZ", "instruction": "i am looking of a balms & moisturizers for fine lines", "attributes": ["anti aging", "fine lines"], "options": [""], "instruction_attributes": ["fine lines"], "instruction_options": [], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDCS0SB", "worker_id": "A9QRQL9CFJBI7"}], "B09BB2WGGF": [{"asin": "B09BB2WGGF", "instruction": "i would like a l5538-1 nail tip that is easy to apply", "attributes": ["easy apply", "nail art"], "options": ["color: l5538-1"], "instruction_attributes": ["easy apply"], "instruction_options": ["l5538-1"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRPF9FY", "worker_id": "A1WS884SI0SLO4"}], "B07GYJSMW3": [{"asin": "B07GYJSMW3", "instruction": "searching to purchase a men's zerogrand hiker boot that is water resistant with rubber outsole in a size 10 1/2, either dark coffee or black in coloring. cole haan.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: dark coffee | black", "size: 10.5"], "instruction_attributes": ["water resistant", "rubber outsole"], "instruction_options": ["dark coffee | black", "10.5"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3JEBV6", "worker_id": "A3RGIKEI8JS2QG"}], "B09NQ3SVTB": [{"asin": "B09NQ3SVTB", "instruction": "i am interested in a c colored cruelty free blush alongside a nailpolish", "attributes": ["cruelty free", "long lasting", "nail polish"], "options": ["color: c"], "instruction_attributes": ["cruelty free", "nail polish"], "instruction_options": ["c"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCMJBLW", "worker_id": "AHXHM1PQTRWIQ"}], "B09P9W683K": [{"asin": "B09P9W683K", "instruction": "i am interested in a grey solid wood nightstand", "attributes": ["solid wood", "storage space", "living room"], "options": ["color: grey", "size: nightstand"], "instruction_attributes": ["solid wood"], "instruction_options": ["grey", "nightstand"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTGGD50", "worker_id": "A2ECRNQ3X5LEXD"}], "B093JLXRB6": [{"asin": "B093JLXRB6", "instruction": "i am looking for kosher certified ready to eat reese quartered artichoke hearts, in size 7 ounce (pack of 12)", "attributes": ["ready eat", "kosher certified", "non gmo"], "options": ["flavor name: delicate", "size: 7 ounce (pack of 12)"], "instruction_attributes": ["ready eat", "kosher certified"], "instruction_options": ["7 ounce (pack of 12)"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNUSFJ0", "worker_id": "AX2EWYWZM19AZ"}], "B09SPHJXGC": [{"asin": "B09SPHJXGC", "instruction": "i am looking for dining chairs of g-gray color for my living room.", "attributes": ["mid century", "metal legs", "living room"], "options": ["color: g-gray", "size: 1 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["g-gray"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTX0E45", "worker_id": "A1Q8PPQQCWGY0D"}], "B01JTHDPP6": [{"asin": "B01JTHDPP6", "instruction": "i want anti aging collagen boosting serum.", "attributes": ["anti aging", "cruelty free", "animal testing", "plant based", "natural ingredients", "fine lines"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THZ5Z52", "worker_id": "A2RBF3IIJP15IH"}], "B09DKB37BS": [{"asin": "B09DKB37BS", "instruction": "i am looking for a classic fit army green color shirts.", "attributes": ["slim fit", "cotton spandex", "short sleeve", "classic fit"], "options": ["color: army green", "size: xx-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["army green"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q6EGWA", "worker_id": "A1Q8PPQQCWGY0D"}], "B08TB8PCRL": [{"asin": "B08TB8PCRL", "instruction": "i am looking for medium size elastic waist loose fit workout running sweatpants for men", "attributes": ["machine wash", "loose fit", "hand wash", "drawstring closure", "elastic waist", "tumble dry", "daily wear"], "options": ["color: camo", "size: medium"], "instruction_attributes": ["loose fit", "elastic waist"], "instruction_options": ["medium"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3GCNQC", "worker_id": "A258PTOZ3D2TQR"}], "B08M9QFNKC": [{"asin": "B08M9QFNKC", "instruction": "i am looking for a comfortable desk chair without wheels, for my living room, or dining room. i would like for it to have golden legs.", "attributes": ["super soft", "mid century", "assembly required", "living room", "dining room"], "options": ["color: blue, fur&golden legs"], "instruction_attributes": ["living room", "dining room"], "instruction_options": ["blue, fur&golden legs"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80F61QH", "worker_id": "A2KW17G25L25R8"}], "B09QJ2PBMJ": [{"asin": "B09QJ2PBMJ", "instruction": "i want a bag of high protein thailand unique jamaican crickets.", "attributes": ["ready eat", "high protein", "artificial colors"], "options": ["flavor name: jamaican crickets bag", "size: 6 pack 90 g"], "instruction_attributes": ["high protein"], "instruction_options": ["jamaican crickets bag"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGEISM1", "worker_id": "A2RBF3IIJP15IH"}], "B07QQKRHR1": [{"asin": "B07QQKRHR1", "instruction": "find some 5 ounce gluten free herbs.", "attributes": ["certified organic", "non gmo", "gluten free"], "options": ["flavor name: herbs de provence", "size: 5 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["5 ounce (pack of 1)"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXIIUJR", "worker_id": "A15ERD4HOFEPHM"}], "B09JR2KSKZ": [{"asin": "B09JR2KSKZ", "instruction": "i want an intel i5 core desktop with 32 gb ram and 256 gb nvme ssd.", "attributes": ["core i5", "intel core"], "options": ["size: 32gb ram | 256gb nvme ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": [], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9WETED", "worker_id": "A1NF6PELRKACS9"}], "B092Q2WQWW": [{"asin": "B092Q2WQWW", "instruction": "i am looking for 5x-large party casual short sleeve loose tunic dress", "attributes": ["machine wash", "wash cold", "soft material", "short sleeve", "dry clean"], "options": ["color: small", "size: 5x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["5x-large"], "assignment_id": "3G2UL9A02OO71034MOY04HTU31567Z", "worker_id": "A258PTOZ3D2TQR"}], "B07T7399JK": [{"asin": "B07T7399JK", "instruction": "i'm looking for a ultra hd digital camera with optical zoom lens.", "attributes": ["ultra hd", "optical zoom", "stereo sound"], "options": [""], "instruction_attributes": ["ultra hd", "optical zoom"], "instruction_options": [], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA74BHMH", "worker_id": "AR0VJ5XRG16UJ"}], "B09MQVPBKV": [{"asin": "B09MQVPBKV", "instruction": "i need some whitening toothpaste", "attributes": ["alcohol free", "teeth whitening", "coconut oil", "natural ingredients"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTSPE52", "worker_id": "A2ECRNQ3X5LEXD"}], "B083JTJXG7": [{"asin": "B083JTJXG7", "instruction": "i want to buy a brush for facial cleansing which is suitable for sensitive skin and it's blue color.", "attributes": ["sensitive skin", "dead skin"], "options": ["color: blue"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["blue"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A21CBHTM", "worker_id": "AJY5G987IRT25"}], "B09NS3HYLV": [{"asin": "B09NS3HYLV", "instruction": "i am looking for variety truffles style - 4pc. of dairy free chocolate truffles", "attributes": ["dairy free", "hand crafted", "low carb", "sugar free", "non gmo"], "options": ["style: variety truffles - 4pc."], "instruction_attributes": ["dairy free"], "instruction_options": ["variety truffles - 4pc."], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXZ4O4H", "worker_id": "A9QRQL9CFJBI7"}], "B09FL9593D": [{"asin": "B09FL9593D", "instruction": "im looking for the long lasting soy wax jar candles in lavender scent.", "attributes": ["long lasting", "soy wax"], "options": [""], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": [], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG4QBGH", "worker_id": "AK3JMCIGU8MLU"}], "B08HN4MPNH": [{"asin": "B08HN4MPNH", "instruction": "i want a beige colored storage bench for my living room. it should be 40 inches in size.", "attributes": ["button tufted", "assembly required", "living room"], "options": ["color: beige", "size: 40 inches"], "instruction_attributes": ["living room"], "instruction_options": ["beige", "40 inches"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O48A2C", "worker_id": "A1NF6PELRKACS9"}], "B07HGKTMCZ": [{"asin": "B07HGKTMCZ", "instruction": "can i get a hedgehog garden ornament collection which has a longlasting battery .", "attributes": ["batteries included", "long lasting"], "options": ["style: hedgehog"], "instruction_attributes": ["long lasting"], "instruction_options": ["hedgehog"], "assignment_id": "351SEKWQSBRP7CP60H83T50CFB7DMR", "worker_id": "AHU9OLV0YKIIW"}], "B07XBV3VZC": [{"asin": "B07XBV3VZC", "instruction": "i want a lenovo thinkcentre quad core desktop pc.", "attributes": ["core i5", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YKSNPN", "worker_id": "A2RBF3IIJP15IH"}], "B08CTS4P7B": [{"asin": "B08CTS4P7B", "instruction": "i need a bag that can carry my travel bottles", "attributes": ["leak proof", "easy use", "travel bottles"], "options": [""], "instruction_attributes": ["travel bottles"], "instruction_options": [], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYTTOZD", "worker_id": "A2ECRNQ3X5LEXD"}], "B08M47K2VY": [{"asin": "B08M47K2VY", "instruction": "find me a pair of women's jogger sweatpants with an elastic band and drawstring. i want a medium sized black pair.", "attributes": ["machine wash", "drawstring closure", "elastic waistband"], "options": ["color: black", "size: medium"], "instruction_attributes": ["drawstring closure", "elastic waistband"], "instruction_options": ["black", "medium"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WBLUO1", "worker_id": "A2DDPSXH2X96RF"}], "B08H7PJKML": [{"asin": "B08H7PJKML", "instruction": "i am looking for 03 yellow square pattern eco friendly shower caps.", "attributes": ["eco friendly", "hair treatment"], "options": ["pattern name: 03 yellow square"], "instruction_attributes": ["eco friendly"], "instruction_options": ["03 yellow square"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQFX19Q", "worker_id": "A1Q8PPQQCWGY0D"}], "B091D648LZ": [{"asin": "B091D648LZ", "instruction": "i am looking for some long lasting ruby colored lip gloss .", "attributes": ["long lasting", "hyaluronic acid"], "options": ["color: 611 ruby sheen", "style: set"], "instruction_attributes": ["long lasting"], "instruction_options": ["611 ruby sheen"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4GSBSB", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B091D648LZ", "instruction": "i am looking for a french chic color lip gloss that is long lasting.", "attributes": ["long lasting", "hyaluronic acid"], "options": ["color: french chic", "style: set"], "instruction_attributes": ["long lasting"], "instruction_options": ["french chic"], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZTK05B", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B091D648LZ", "instruction": "i am interested in a long lasting lip gloss set", "attributes": ["long lasting", "hyaluronic acid"], "options": ["color: 609 lucid glow", "style: set"], "instruction_attributes": ["long lasting"], "instruction_options": ["set"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL29EAJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PYMQ217": [{"asin": "B09PYMQ217", "instruction": "i am looking for height adjustable blue color children's study desk table chair set with drawer and bookstand.", "attributes": ["height adjustable", "steel frame", "storage space"], "options": ["color: blue-4"], "instruction_attributes": ["height adjustable"], "instruction_options": ["blue-4"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K9M12X", "worker_id": "A258PTOZ3D2TQR"}], "B07KW8MDVZ": [{"asin": "B07KW8MDVZ", "instruction": "i am looking for a 3x large heathers cotton t-shirts for boys", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: baby blue", "fit type: men", "size: 3x-large"], "instruction_attributes": ["heathers cotton"], "instruction_options": [], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV3EX3B", "worker_id": "A9QRQL9CFJBI7"}], "B09N79LQQF": [{"asin": "B09N79LQQF", "instruction": "i would like some non gmo gluten free snack food.", "attributes": ["non gmo", "gluten free"], "options": [""], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4FJL8Q", "worker_id": "A1WS884SI0SLO4"}], "B07VPDDQXV": [{"asin": "B07VPDDQXV", "instruction": "i am interested in buying an ottoman for coffee table which is of high density and solid wood, and i want it's color to be distressed dark blue, and has a 36 inch dimension.", "attributes": ["high density", "faux leather", "solid wood", "living room"], "options": ["color: distressed dark blue", "size: 36 inch"], "instruction_attributes": ["high density", "solid wood"], "instruction_options": ["distressed dark blue", "36 inch"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXNXKWJ", "worker_id": "AJY5G987IRT25"}], "B09KM6MR46": [{"asin": "B09KM6MR46", "instruction": "i want brown pgojuni womens open toe booties.", "attributes": ["knee high", "open toe", "high heel"], "options": ["color: f-1 brown", "size: 8"], "instruction_attributes": ["open toe"], "instruction_options": ["f-1 brown"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E241354", "worker_id": "A2RBF3IIJP15IH"}], "B08KTQGV2H": [{"asin": "B08KTQGV2H", "instruction": "i am looking for long lasting blackout curtains. and i choose the 55\" w x 72\" l with color 17", "attributes": ["machine washable", "long lasting"], "options": ["color: color17", "size: 55\" w x 72\" l"], "instruction_attributes": ["long lasting"], "instruction_options": ["color17", "55\" w x 72\" l"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIN9EFT", "worker_id": "A2COCSUGZV28X"}], "B09KLQ1Q3D": [{"asin": "B09KLQ1Q3D", "instruction": "i'm looking for a high heel stiletto shoes with ankle strap and deep purple color size 10", "attributes": ["ankle strap", "high heel", "rubber outsole"], "options": ["color: deep purple", "size: 10"], "instruction_attributes": ["ankle strap", "high heel"], "instruction_options": ["deep purple", "10"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT5JJY2", "worker_id": "A2Y2TURT2VEYZN"}], "B07S1L3BV5": [{"asin": "B07S1L3BV5", "instruction": "i would like to find gluten free barbecue sauce with flavor of smokey mesquite", "attributes": ["gluten free", "quality ingredients", "high fructose", "artificial colors"], "options": ["flavor name: smokey mesquite", "size: 1.12 pound (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["smokey mesquite"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPO2SYX", "worker_id": "A15ERD4HOFEPHM"}], "B01DCHQMOK": [{"asin": "B01DCHQMOK", "instruction": "i am looking for some oil free baby powder", "attributes": ["oil free", "dry skin"], "options": ["scent: baby powder"], "instruction_attributes": ["oil free"], "instruction_options": ["baby powder"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK8KNVZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07YD83DNZ": [{"asin": "B07YD83DNZ", "instruction": "i am interested in a white alarm clock that has batteries included.", "attributes": ["batteries included", "easy use", "usb port"], "options": ["color: white"], "instruction_attributes": ["batteries included"], "instruction_options": ["white"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GO0Q937", "worker_id": "A2ECRNQ3X5LEXD"}], "B097MYVHHV": [{"asin": "B097MYVHHV", "instruction": "i'm looking for a fluoride free toothpaste that prevents bad breath. also choose a pack of 2, 50g blue colored one.", "attributes": ["fluoride free", "bad breath"], "options": ["color: blue", "size: 50g*2"], "instruction_attributes": ["fluoride free", "bad breath"], "instruction_options": ["blue", "50g*2"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQIBCJZ", "worker_id": "AR0VJ5XRG16UJ"}], "B07QCD9YM6": [{"asin": "B07QCD9YM6", "instruction": "i am looking for a macaroni & cheese with rich creamy and non gmo.", "attributes": ["non gmo", "rich creamy", "artificial flavors"], "options": [""], "instruction_attributes": ["non gmo", "rich creamy"], "instruction_options": [], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZZKZJ6", "worker_id": "A2HMEGTAFO0CS8"}], "B07NPCS939": [{"asin": "B07NPCS939", "instruction": "i am looking for a beige sectional sofa set for my living room.", "attributes": ["spot clean", "wood frame", "living room"], "options": ["color: beige", "size: seating for 4 - 2 ottomans"], "instruction_attributes": ["living room"], "instruction_options": ["beige"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3V5U1N7", "worker_id": "A1EREKSZAA9V7B"}], "B07J4XNCSZ": [{"asin": "B07J4XNCSZ", "instruction": "i would like some non gmo watermelon fruit snacks", "attributes": ["non gmo", "gluten free", "artificial flavors", "natural flavors"], "options": ["flavor name: watermelon", "size: 0.7 ounce (pack of 56)"], "instruction_attributes": ["non gmo"], "instruction_options": ["watermelon"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR8SC0D", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MTQH8MX": [{"asin": "B09MTQH8MX", "instruction": "i want blue travel toothbrushes with long handles.", "attributes": ["non slip", "long handle", "oral hygiene"], "options": ["color: blue"], "instruction_attributes": ["long handle"], "instruction_options": ["blue"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV5BBHQ", "worker_id": "A2RBF3IIJP15IH"}], "B09H79FB9V": [{"asin": "B09H79FB9V", "instruction": "i am looking for easy clean and space saving kitchen trash cabinet of hm-gb01gy model", "attributes": ["space saving", "white item", "easy clean", "easy assemble"], "options": ["style: hm-gb01gy"], "instruction_attributes": ["space saving", "easy clean"], "instruction_options": ["hm-gb01gy"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO8S2R8", "worker_id": "A258PTOZ3D2TQR"}], "B09D8T75XX": [{"asin": "B09D8T75XX", "instruction": "i am looking for non gmo ocean's halo seaweed snacks. 1 case of 20 units.", "attributes": ["certified organic", "non gmo"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R9QSKZ", "worker_id": "A2KW17G25L25R8"}], "B08HWR1D16": [{"asin": "B08HWR1D16", "instruction": "i want a large royal blue golf and bourbon enjoyer tank top for women for machine wash", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: women", "size: large"], "instruction_attributes": ["machine wash"], "instruction_options": ["royal blue", "women", "large"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3VM9Z1", "worker_id": "A2Y2TURT2VEYZN"}], "B015QLCI7A": [{"asin": "B015QLCI7A", "instruction": "i'm looking for the original gypsy color 5 light crystal white flush mount chandelier.", "attributes": ["fully assembled", "easy assemble", "clear glass", "dining room"], "options": ["color: multicolor", "size: 4 light hardwire"], "instruction_attributes": ["easy assemble"], "instruction_options": ["multicolor"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA932Z3ZZ", "worker_id": "A21IUUHBSEVB56"}], "B071HNJ2T7": [{"asin": "B071HNJ2T7", "instruction": "i am seeking a high quality toothpaste which ensure that i have long lasting fresh breath", "attributes": ["high quality", "fresh breath"], "options": [""], "instruction_attributes": ["high quality", "fresh breath"], "instruction_options": [], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4KS51J", "worker_id": "AHXHM1PQTRWIQ"}], "B09NRNNG1Q": [{"asin": "B09NRNNG1Q", "instruction": "i am looking for 2pink color anti slip women sandals.", "attributes": ["anti slip", "open toe", "high heel", "leather sole", "ankle strap"], "options": ["color: 2pink", "size: 7"], "instruction_attributes": ["anti slip"], "instruction_options": ["2pink"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83NZJIC", "worker_id": "A1Q8PPQQCWGY0D"}], "B09CF1YNVX": [{"asin": "B09CF1YNVX", "instruction": "i am looking for a toning treatment that is fragrance free", "attributes": ["dermatologist tested", "fragrance free"], "options": ["style: prox anti-aging tone treatment, 1.3 oz"], "instruction_attributes": ["fragrance free"], "instruction_options": ["prox anti-aging tone treatment, 1.3 oz"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TOR3NI", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CTY29KJ": [{"asin": "B09CTY29KJ", "instruction": "i am looking for white color wood frame triple bunk bed with ladder", "attributes": ["twin size", "white item", "assembly required", "wood frame", "box spring"], "options": ["color: white", "size: twin over full with slide"], "instruction_attributes": ["wood frame"], "instruction_options": ["white"], "assignment_id": "33UKMF931KU01WBNV49UKNDQC63TT5", "worker_id": "A258PTOZ3D2TQR"}], "B07DKHV65Q": [{"asin": "B07DKHV65Q", "instruction": "i am looking for a lavender women's party dress in the size x-large.", "attributes": ["hand wash", "dry clean"], "options": ["color: lavender", "size: x-large"], "instruction_attributes": ["hand wash"], "instruction_options": ["lavender", "x-large"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X028B435", "worker_id": "AK3JMCIGU8MLU"}], "B09B22PC6S": [{"asin": "B09B22PC6S", "instruction": "king size platform bed with rgb led headboard", "attributes": ["pu leather", "faux leather", "box spring"], "options": ["color: burgundy pu", "size: king"], "instruction_attributes": [], "instruction_options": ["king"], "assignment_id": "3G2UL9A02OO71034MOY04HTU31067U", "worker_id": "A3TTGSUBIK1YCL"}], "B09H2QFSKP": [{"asin": "B09H2QFSKP", "instruction": "i want easy clean high quality pink linens for beauty salon size :60*180 cm", "attributes": ["easy clean", "high quality", "beauty salon"], "options": ["color: pink", "size: 60*180cm round head"], "instruction_attributes": ["easy clean", "high quality", "beauty salon"], "instruction_options": ["pink", "60*180cm round head"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCQUBMH", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B09H2QFSKP", "instruction": "i am looking for easy clean yellow color beauty bedspreads massage table skirt", "attributes": ["easy clean", "high quality", "beauty salon"], "options": ["color: yellow", "size: 70*180cm round head"], "instruction_attributes": ["easy clean"], "instruction_options": ["yellow"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPO8E6S", "worker_id": "A258PTOZ3D2TQR"}], "B09631NVQT": [{"asin": "B09631NVQT", "instruction": "i am looking for flower fairy giel with pink wing elves pillow cover for living room.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: flower fairy girl with pink wing elves and beautiful butterflies wild plants"], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OILA297", "worker_id": "A3FG5PQHG5AH3Y"}], "B08MN7Y8Y8": [{"asin": "B08MN7Y8Y8", "instruction": "i am looking for venice color lip gloss containing natural ingredients.", "attributes": ["animal testing", "natural ingredients", "nail polish"], "options": ["color: venice", "style: hydro-shine"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["venice"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO7GR2J", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08MN7Y8Y8", "instruction": "i need a liquid lip gloss that has natural ingredients and is in the color rabida.", "attributes": ["animal testing", "natural ingredients", "nail polish"], "options": ["color: rabida", "style: liquid"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["rabida", "liquid"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9EXE2S", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H6VRJYY": [{"asin": "B09H6VRJYY", "instruction": "i need an orange faux leather office chair", "attributes": ["mid century", "faux leather", "pu leather"], "options": ["color: orange", "size: 1 pcs"], "instruction_attributes": ["faux leather"], "instruction_options": ["orange"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN2DPTP", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CZ72MJV": [{"asin": "B09CZ72MJV", "instruction": "i'm looking for a high waisted jeans for women.", "attributes": ["straight leg", "wide leg", "slim fit", "high waist", "button closure", "polyester spandex", "teen girls"], "options": ["color: b03-blue", "size: small"], "instruction_attributes": ["high waist"], "instruction_options": ["b03-blue"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67PZN41", "worker_id": "A21IUUHBSEVB56"}], "B01LR0OOBC": [{"asin": "B01LR0OOBC", "instruction": "i am looking for hands free and dark blue bluetooth stereo wireless music earphones headset", "attributes": ["hands free", "high definition"], "options": ["color: g6: dark blue"], "instruction_attributes": ["hands free"], "instruction_options": ["g6"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R8LTYU", "worker_id": "A258PTOZ3D2TQR"}], "B082J5FK1B": [{"asin": "B082J5FK1B", "instruction": "i am looking for clinical strength solid deodorant for men.it should be paraben free.", "attributes": ["dermatologist tested", "paraben free", "easy clean"], "options": ["style: clinical strength solid (2 pack)"], "instruction_attributes": ["paraben free"], "instruction_options": ["clinical strength solid (2 pack)"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJPFMOY", "worker_id": "A3FG5PQHG5AH3Y"}], "B07BSC84T2": [{"asin": "B07BSC84T2", "instruction": "i need a medium sized classic fit t-shirt. it should be black in color.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: women", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["black", "medium"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN4GOG7", "worker_id": "A1NF6PELRKACS9"}], "B07JGSMJGS": [{"asin": "B07JGSMJGS", "instruction": "i would like a body scrub that is eco friendly.", "attributes": ["eco friendly", "dead skin"], "options": [""], "instruction_attributes": ["eco friendly"], "instruction_options": [], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTXY4ET", "worker_id": "A1WS884SI0SLO4"}], "B07CB94P73": [{"asin": "B07CB94P73", "instruction": "i am looking for nuts & chews milk chocolate with quality ingredients for valentine day. also choose dark-chocolate flavor and 56 pound (9 ounce) size.", "attributes": ["quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: dark-chocolate", "size: .56 pound (9 ounce)"], "instruction_attributes": ["quality ingredients", "valentine day"], "instruction_options": ["dark-chocolate", ".56 pound (9 ounce)"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPCCORM", "worker_id": "A2HMEGTAFO0CS8"}], "B08781CRRS": [{"asin": "B08781CRRS", "instruction": "i would like a chandelier with pendant lights.", "attributes": ["pendant light", "light fixture", "dining room", "living room"], "options": [""], "instruction_attributes": ["pendant light"], "instruction_options": [], "assignment_id": "3HOSI13XHAYM3IJTNO90AFDI6YUDDQ", "worker_id": "A1WS884SI0SLO4"}], "B08N9XVKWK": [{"asin": "B08N9XVKWK", "instruction": "i am interested in buying a king sized bed with memory foam and which provides lumbar support.", "attributes": ["heavy duty", "memory foam", "lumbar support"], "options": ["size: king", "style: 12\" medium soft + base"], "instruction_attributes": ["memory foam", "lumbar support"], "instruction_options": ["king"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTX1E46", "worker_id": "AHXHM1PQTRWIQ"}], "B09CNHSXDC": [{"asin": "B09CNHSXDC", "instruction": "i need ethylene vinyl slippers in size 8.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: black 1", "size: 8"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["8"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXUUYLP", "worker_id": "A1NF6PELRKACS9"}], "B09NFG77CY": [{"asin": "B09NFG77CY", "instruction": "i would like a purple classic fit t-shirt that is a x-large", "attributes": ["needle sleeve", "classic fit"], "options": ["color: purple", "fit type: men", "size: x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["purple", "x-large"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3IAUFDL", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JMJP427": [{"asin": "B09JMJP427", "instruction": "i am looking for high quality hair cutting scissor make up of thinning shears.", "attributes": ["high quality", "stainless steel", "hair cutting"], "options": ["color: thinning"], "instruction_attributes": ["high quality", "hair cutting"], "instruction_options": ["thinning"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN3HTPZ", "worker_id": "A3FG5PQHG5AH3Y"}], "B09QXXZNDJ": [{"asin": "B09QXXZNDJ", "instruction": "i would like a extra large pair of sleep bottoms with buttons.", "attributes": ["wide leg", "button closure"], "options": ["size: x-large"], "instruction_attributes": ["button closure"], "instruction_options": ["x-large"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0S4O11Y", "worker_id": "A1WS884SI0SLO4"}], "B08DGQDX38": [{"asin": "B08DGQDX38", "instruction": "i am looking for a sconce light with a black metal base and a wood finish.", "attributes": ["clear glass", "wood finish", "vanity light"], "options": [""], "instruction_attributes": ["wood finish"], "instruction_options": [], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66TJZFL", "worker_id": "A1EREKSZAA9V7B"}], "B096VP5JJS": [{"asin": "B096VP5JJS", "instruction": "i am looking for toilet storage cabinet that is easy to clean.", "attributes": ["space saving", "easy clean", "steel frame", "storage unit", "storage space"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3U36PW", "worker_id": "A1Q8PPQQCWGY0D"}], "B07G75YY2F": [{"asin": "B07G75YY2F", "instruction": "i would like 30 bpa free amber travel bottles.", "attributes": ["bpa free", "high quality", "travel bottles"], "options": ["color: amber", "size: pack of 30"], "instruction_attributes": ["travel bottles"], "instruction_options": ["amber", "pack of 30"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5X44F0", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07G75YY2F", "instruction": "i am looking for some high quality clear travel bottles.", "attributes": ["bpa free", "high quality", "travel bottles"], "options": ["color: clear", "size: pack of 6"], "instruction_attributes": ["high quality"], "instruction_options": ["clear"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG1TWT8", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07G75YY2F", "instruction": "i want amber and bpa free moyo natural labs 8 oz boston round travel bottles.", "attributes": ["bpa free", "high quality", "travel bottles"], "options": ["color: amber", "size: pack of 6"], "instruction_attributes": ["bpa free"], "instruction_options": ["amber"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LEQL0G", "worker_id": "A2RBF3IIJP15IH"}], "B08ZCHWBFW": [{"asin": "B08ZCHWBFW", "instruction": "i am interested in buying a rug for the living room with diameter of 6ft, 72 inches and 183 cms.", "attributes": ["machine washable", "contemporary style", "living room"], "options": ["size: round diameter:6ft=72in=183cm"], "instruction_attributes": ["living room"], "instruction_options": ["round diameter:6ft=72in=183cm"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAUD29C4", "worker_id": "AHXHM1PQTRWIQ"}], "B07VPR4HN9": [{"asin": "B07VPR4HN9", "instruction": "i want a gray non slip dining chair cushion.", "attributes": ["button tufted", "non slip"], "options": ["color: gray", "size: 2 pack"], "instruction_attributes": ["non slip"], "instruction_options": ["gray"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YRP96A", "worker_id": "A2RBF3IIJP15IH"}], "B07H8VDQ5K": [{"asin": "B07H8VDQ5K", "instruction": "i am looking for an intel i5 core desktop computer that has 4gb ram and 64gb ssd.", "attributes": ["ultra hd", "core i5", "intel core"], "options": ["color: ddr3 core i3 5005u", "size: 4gb ram 64gb ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["4gb ram 64gb ssd"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NQ4P23", "worker_id": "A1NF6PELRKACS9"}], "B01N21GL66": [{"asin": "B01N21GL66", "instruction": "i need to get a dark beige ottoman for my living room.", "attributes": ["button tufted", "wood frame", "storage space", "living room"], "options": ["color: dark beige"], "instruction_attributes": ["living room"], "instruction_options": ["dark beige"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSLF62F", "worker_id": "A15ERD4HOFEPHM"}], "B00THW4ZB2": [{"asin": "B00THW4ZB2", "instruction": "i need a machine wash, red tooloud italian flag the medium size", "attributes": ["machine wash", "drawstring closure", "elastic waistband", "button closure"], "options": ["color: red", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["red", "medium"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFVMJOT", "worker_id": "A1IL2K0ELYI090"}], "B08NGC1KYS": [{"asin": "B08NGC1KYS", "instruction": "i'm looking for a telescope with high power for bird watching", "attributes": ["high power", "1080p hd", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTNS5VZ", "worker_id": "A2Y2TURT2VEYZN"}], "B08NDYH53P": [{"asin": "B08NDYH53P", "instruction": "i'm looking for wireless bluetooth headphones.", "attributes": ["high performance", "stereo sound"], "options": ["color: dark grey"], "instruction_attributes": ["high performance"], "instruction_options": ["dark grey"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOHLAT4", "worker_id": "A21IUUHBSEVB56"}], "B0777RQR33": [{"asin": "B0777RQR33", "instruction": "i would like a 10.6 ounce coffee crumble that is low calorie.", "attributes": ["low sugar", "low calorie", "individually wrapped", "perfect gift"], "options": ["flavor name: coffee crumble", "size: 10.6 ounce (pack of 2)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["coffee crumble", "10.6 ounce (pack of 2)"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FIILEQ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0777RQR33", "instruction": "i want to find a two-pack of 12-count coffee-crumble flavored sweet delights. they need to be individually wrapped.", "attributes": ["low sugar", "low calorie", "individually wrapped", "perfect gift"], "options": ["flavor name: coffee crumble", "size: 12 count (pack of 2)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["coffee crumble", "12 count (pack of 2)"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2CZ7Y3", "worker_id": "A345TDMHP3DQ3G"}], "B074VD1GP5": [{"asin": "B074VD1GP5", "instruction": "i am looking for matte ink long lasting liquid lipstick having 15 lover color", "attributes": ["highly pigmented", "long lasting"], "options": ["color: 15 lover"], "instruction_attributes": ["long lasting"], "instruction_options": ["15 lover"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR6MA0Q", "worker_id": "A258PTOZ3D2TQR"}], "B086533GWT": [{"asin": "B086533GWT", "instruction": "i'm looking for a room divider panel in silver with wood frame", "attributes": ["fully assembled", "long lasting", "wood frame"], "options": ["color: silver"], "instruction_attributes": ["wood frame"], "instruction_options": ["silver"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCZB469", "worker_id": "A2Y2TURT2VEYZN"}], "B00WFDKDIO": [{"asin": "B00WFDKDIO", "instruction": "i am looking for a gluten free non gmo fig bar packet of 7. and i choose the variety pack", "attributes": ["gluten free", "low sodium", "nut free", "plant based", "dairy free", "non gmo", "0g trans", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: variety pack", "size: 12 count (pack of 7)"], "instruction_attributes": ["gluten free", "non gmo"], "instruction_options": ["variety pack", "12 count (pack of 7)"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AMSYUQ", "worker_id": "A2COCSUGZV28X"}], "B085T5HZJV": [{"asin": "B085T5HZJV", "instruction": "i want a tv stand made of wood and has a storage space. it should be suitable for my living room.", "attributes": ["tempered glass", "storage space", "living room"], "options": ["color: wood", "style name: 58\" kenton w | fireplace"], "instruction_attributes": ["storage space", "living room"], "instruction_options": ["wood"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN4EGOX", "worker_id": "A1NF6PELRKACS9"}], "B09GPYFH3C": [{"asin": "B09GPYFH3C", "instruction": "i would like a awesome violet 4g lte cell phone", "attributes": ["fast charging", "optical zoom", "4g lte"], "options": ["color: awesome violet"], "instruction_attributes": ["4g lte"], "instruction_options": ["awesome violet"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHS2J0Z", "worker_id": "A1WS884SI0SLO4"}], "B08NQ3Y9TK": [{"asin": "B08NQ3Y9TK", "instruction": "i want a hp elite desktop pc with intel quad core i5.", "attributes": ["core i5", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL56NSC", "worker_id": "A2RBF3IIJP15IH"}], "B08LKV9N89": [{"asin": "B08LKV9N89", "instruction": "i am looking for a tabletop decorative mirror size 60cm /24inch for my living room.", "attributes": ["exquisite workmanship", "living room"], "options": ["size: 60cm | 24inch"], "instruction_attributes": ["living room"], "instruction_options": ["60cm | 24inch"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTVDL73", "worker_id": "AHU9OLV0YKIIW"}], "B089TMLFR4": [{"asin": "B089TMLFR4", "instruction": "i am looking for a men's body wash that uses seed oil and is burmese sandalwood scented.", "attributes": ["cruelty free", "seed oil"], "options": ["scent: burmese sandalwood"], "instruction_attributes": ["seed oil"], "instruction_options": ["burmese sandalwood"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q6GGWC", "worker_id": "A1EREKSZAA9V7B"}], "B095C4XZCW": [{"asin": "B095C4XZCW", "instruction": "i want a black playstation 1 console airpods water proof case.", "attributes": ["water resistant", "case cover"], "options": ["color: black-style6"], "instruction_attributes": ["water resistant"], "instruction_options": ["black-style6"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGNSW2Q", "worker_id": "A2RBF3IIJP15IH"}], "B000UI6U8I": [{"asin": "B000UI6U8I", "instruction": "i want da vinci sugar free huckleberry syrup.", "attributes": ["sugar free", "fat free"], "options": ["flavor name: huckleberry"], "instruction_attributes": ["sugar free"], "instruction_options": ["huckleberry"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ATLBWN", "worker_id": "A2RBF3IIJP15IH"}], "B08PPRK2T8": [{"asin": "B08PPRK2T8", "instruction": "i am looking for beauty soaps that contain cocounut oil.", "attributes": ["coconut oil", "tea tree", "natural ingredients"], "options": [""], "instruction_attributes": ["coconut oil"], "instruction_options": [], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AS8WBT", "worker_id": "A1Q8PPQQCWGY0D"}], "B08BXG1NC8": [{"asin": "B08BXG1NC8", "instruction": "i am looking for fully assembled file cabinets.", "attributes": ["fully assembled", "engineered wood"], "options": [""], "instruction_attributes": ["fully assembled"], "instruction_options": [], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUTE51FX", "worker_id": "A1Q8PPQQCWGY0D"}], "B001F1PV1G": [{"asin": "B001F1PV1G", "instruction": "i would like a 8 pack of original fresh scent coconut oil soap that's fragrance free.", "attributes": ["fragrance free", "high quality", "coconut oil", "natural ingredients", "sensitive skin", "dead skin"], "options": ["scent: original fresh scent", "size: pack of 8"], "instruction_attributes": ["fragrance free", "coconut oil"], "instruction_options": ["original fresh scent", "pack of 8"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUKD3C0", "worker_id": "A1WS884SI0SLO4"}], "B09R4V5J3R": [{"asin": "B09R4V5J3R", "instruction": "am looking for low rise lam kwongy sexy yoga shorts for women, blue color.", "attributes": ["low rise", "water resistant", "straight leg", "wide leg", "tummy control", "daily wear"], "options": ["color: blue", "size: 3x-large"], "instruction_attributes": ["low rise"], "instruction_options": ["blue"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HHE6IS", "worker_id": "A1IL2K0ELYI090"}], "B09HHBDGKV": [{"asin": "B09HHBDGKV", "instruction": "i am interested in a high definition yellow playstation", "attributes": ["plug play", "high definition", "quad core"], "options": ["color: yellow-64g"], "instruction_attributes": ["high definition"], "instruction_options": ["yellow-64g"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJPR0WT", "worker_id": "A2ECRNQ3X5LEXD"}], "B0837JNX9T": [{"asin": "B0837JNX9T", "instruction": "i want a black hands free denon home 250 wireless speaker.", "attributes": ["hands free", "stereo sound"], "options": ["color: black", "style: home 350"], "instruction_attributes": ["hands free"], "instruction_options": ["black"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1D2YGD", "worker_id": "A2RBF3IIJP15IH"}], "B083FTBZ6Q": [{"asin": "B083FTBZ6Q", "instruction": "looking for short sleeve tumble dry shirt for men also choose size large", "attributes": ["long lasting", "button closure", "polyester spandex", "short sleeve", "tumble dry"], "options": ["color: muilti 9", "size: large"], "instruction_attributes": ["short sleeve", "tumble dry"], "instruction_options": ["large"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL1QVAS", "worker_id": "A10OGH5CQBXL5N"}], "B09K41V6QJ": [{"asin": "B09K41V6QJ", "instruction": "i am looking for wall art of size 24\" x 36\" black for my living room.", "attributes": ["mid century", "living room"], "options": ["color: b110-2110-002-na02", "size: 24\" x 36\" black"], "instruction_attributes": ["living room"], "instruction_options": ["24\" x 36\" black"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LAFERH", "worker_id": "A1Q8PPQQCWGY0D"}], "B08ML5LCGD": [{"asin": "B08ML5LCGD", "instruction": "i need an easy to install pendant light for ceiling.", "attributes": ["easy install", "pendant light"], "options": [""], "instruction_attributes": ["easy install", "pendant light"], "instruction_options": [], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UT4G1A", "worker_id": "ASWFLI3N8X72G"}], "B097H6BHL9": [{"asin": "B097H6BHL9", "instruction": "find me a medium sized romper with short sleeves.", "attributes": ["short sleeve", "quality polyester", "teen girls"], "options": ["color: h-blue striped", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["medium"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39GSCZO", "worker_id": "A1NF6PELRKACS9"}], "B079K861JP": [{"asin": "B079K861JP", "instruction": "i would like a 19\" tall floor lamp with a white finish.", "attributes": ["white item", "white finish"], "options": ["size: 19\" height"], "instruction_attributes": ["white finish"], "instruction_options": ["19\" height"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL4SSN1", "worker_id": "A1WS884SI0SLO4"}], "B08TM8DKFR": [{"asin": "B08TM8DKFR", "instruction": "looking for cookie favor gifts with natural ingredients choose size 4 bars", "attributes": ["individually wrapped", "high fructose", "natural ingredients"], "options": ["size: 4 bars"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["4 bars"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUKM3C9", "worker_id": "A10OGH5CQBXL5N"}], "B095C9KMNL": [{"asin": "B095C9KMNL", "instruction": "i would like a pair of size 11.5 dark blue sandals that are open toe.", "attributes": ["open toe", "knee high", "non slip", "memory foam", "high heel", "closed toe", "arch support"], "options": ["color: z#01-dark blue", "size: 11.5"], "instruction_attributes": ["open toe"], "instruction_options": ["z#01-dark blue", "11.5"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5JV1ZH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B095C9KMNL", "instruction": "i'm looking for women's summer sandals, non-slip, high heels in z#02red color.", "attributes": ["open toe", "knee high", "non slip", "memory foam", "high heel", "closed toe", "arch support"], "options": ["color: z#02red", "size: 8.5"], "instruction_attributes": ["non slip", "high heel"], "instruction_options": ["z#02red"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A21C4THR", "worker_id": "ARJDD0Z3R65BD"}], "B09HWRDK1W": [{"asin": "B09HWRDK1W", "instruction": "i would like a 38 mm gold apple watch band.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: gold", "size: 38 | 40 | 41mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["gold", "38 | 40 | 41mm"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V25WYP", "worker_id": "A1WS884SI0SLO4"}], "B07TTJHC2N": [{"asin": "B07TTJHC2N", "instruction": "i'm looking for a perfect slip-on active sneaker for women.", "attributes": ["arch support", "rubber outsole", "everyday wear"], "options": ["color: blush", "size: 5"], "instruction_attributes": ["arch support"], "instruction_options": ["blush"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRM173WN", "worker_id": "A21IUUHBSEVB56"}], "B09KMYJ6HC": [{"asin": "B09KMYJ6HC", "instruction": "i want a black and heavy duty pots and pans organizer.", "attributes": ["heavy duty", "easy clean"], "options": ["color: black"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDUIZQ3", "worker_id": "A2RBF3IIJP15IH"}], "B09NRFQLRJ": [{"asin": "B09NRFQLRJ", "instruction": "i am looking for a wireless fast charger that goes with my iphone.", "attributes": ["fast charging", "easy carry", "wireless charging"], "options": [""], "instruction_attributes": ["fast charging", "wireless charging"], "instruction_options": [], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841D6XA7", "worker_id": "A1NF6PELRKACS9"}], "B08RWRCZM4": [{"asin": "B08RWRCZM4", "instruction": "i am looking for a 4gb android 10.0 tv box.", "attributes": ["dual band", "batteries included", "ultra hd", "quad core"], "options": [""], "instruction_attributes": ["ultra hd"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCZG4QX", "worker_id": "A2KW17G25L25R8"}], "B09L5FJ1Q5": [{"asin": "B09L5FJ1Q5", "instruction": "i want a spicy beef meat and cheese gift basket.", "attributes": ["shelf stable", "gift basket", "great gift"], "options": ["color: spicy beef"], "instruction_attributes": ["gift basket"], "instruction_options": ["spicy beef"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HGDFYHC", "worker_id": "A2RBF3IIJP15IH"}], "B09RWP246B": [{"asin": "B09RWP246B", "instruction": "i am looking for slim fit men t-shirts of black color.", "attributes": ["moisture wicking", "slim fit", "loose fit", "short sleeve", "long sleeve", "regular fit", "stretch fabric"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["black"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQUFIHO", "worker_id": "A3FG5PQHG5AH3Y"}], "B095BQG7PM": [{"asin": "B095BQG7PM", "instruction": "i need a large 3-wick bucket mult-color floral print soy wax candle for summer", "attributes": ["easy clean", "soy wax"], "options": ["color: mult-color floral print candle"], "instruction_attributes": ["soy wax"], "instruction_options": ["mult-color floral print candle"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW1F1CO", "worker_id": "A258PTOZ3D2TQR"}], "B09L6QB5FC": [{"asin": "B09L6QB5FC", "instruction": "i'm looking for a wings set of 2 white finish heavy home office desk.", "attributes": ["bronze finish", "white finish", "living room"], "options": ["color: copper"], "instruction_attributes": ["white finish"], "instruction_options": ["copper"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3G6QN9", "worker_id": "A21IUUHBSEVB56"}], "B09P4WGX3Z": [{"asin": "B09P4WGX3Z", "instruction": "i am looking for cimota pu leather dining chairs in a set of 2.", "attributes": ["mid century", "high density", "easy clean", "pu leather", "solid wood", "dining room", "living room"], "options": ["color: velvet-ivory-with ring-4pcs", "size: set of 4"], "instruction_attributes": ["dining room"], "instruction_options": ["set of 4"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSLJQ2M", "worker_id": "A2KW17G25L25R8"}], "B001BBQCRC": [{"asin": "B001BBQCRC", "instruction": "i want tiger lily bareminerals eye shadow.", "attributes": ["easy apply", "long lasting", "eye shadow"], "options": ["color: tiger lily", "size: 0.02 ounce (pack of 1)"], "instruction_attributes": ["eye shadow"], "instruction_options": ["tiger lily"], "assignment_id": "3V26SBZTBOOS9KTL7ONUSZFOIX3ZZX", "worker_id": "A2RBF3IIJP15IH"}], "B09R5R4K7N": [{"asin": "B09R5R4K7N", "instruction": "i'm looking for a tempered glass screen protector that is compatible with a 42 mm size apple watch.", "attributes": ["compatible apple", "tempered glass", "glass screen"], "options": ["size: 42 mm"], "instruction_attributes": ["compatible apple", "tempered glass"], "instruction_options": ["42 mm"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDCSS03", "worker_id": "AK3JMCIGU8MLU"}], "B08N5CCYD6": [{"asin": "B08N5CCYD6", "instruction": "i am looking for a non gmo mojito cocktail mixer", "attributes": ["non gmo", "artificial colors"], "options": ["flavor: mojito", "size: pack of 1"], "instruction_attributes": ["non gmo"], "instruction_options": ["mojito"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJYRVGR3", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MK17G3P": [{"asin": "B09MK17G3P", "instruction": "get football shoes with size 5.5. it should have a rubber sole.", "attributes": ["non slip", "rubber sole"], "options": ["color: blue + dark green", "size: 5.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["5.5"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISZ0OYX", "worker_id": "A15ERD4HOFEPHM"}], "B07GPHFDVS": [{"asin": "B07GPHFDVS", "instruction": "i want seeds of change organic whole grain brown basmati rice.", "attributes": ["certified organic", "artificial colors"], "options": ["size: 8.5 ounce (pack of 12)", "style: whole grain brown basmati rice"], "instruction_attributes": ["certified organic"], "instruction_options": ["whole grain brown basmati rice"], "assignment_id": "3R2PKQ87N7I6FN5SSV9EK2GP7HRMIG", "worker_id": "A2RBF3IIJP15IH"}], "B07WFSTXRP": [{"asin": "B07WFSTXRP", "instruction": "i am looking for casual button-down shirts of burgundy color having long sleeve.", "attributes": ["moisture wicking", "machine wash", "regular fit", "button closure", "polyester spandex", "long sleeve"], "options": ["color: burgundy", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["burgundy"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R2PW7F", "worker_id": "A1Q8PPQQCWGY0D"}], "B072L3ZQ6W": [{"asin": "B072L3ZQ6W", "instruction": "i am looking for a 21 inch high quality hairpiece used for hair extensions.", "attributes": ["high quality", "hair extensions"], "options": ["color: bleach blonde wavy", "size: 21 inch", "style: wavy"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["21 inch"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UXRY0Q", "worker_id": "A1V2JTEEBCXR20"}], "B07WGYLN6G": [{"asin": "B07WGYLN6G", "instruction": "i would like a t6b83a premier edition printer with a usb port.", "attributes": ["certified refurbished", "high performance", "usb port"], "options": ["style: t6b83a - premier edition (w | hp brochure..."], "instruction_attributes": ["usb port"], "instruction_options": ["t6b83a - premier edition (w | hp brochure..."], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BOWX8R", "worker_id": "A1WS884SI0SLO4"}], "B08TB7HMMS": [{"asin": "B08TB7HMMS", "instruction": "i'm looking for tablet pc with 32gb storage, android 9.0, dual sim slots and dual camera.", "attributes": ["high definition", "quad core"], "options": ["color: black"], "instruction_attributes": ["quad core"], "instruction_options": ["black"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80F1Q11", "worker_id": "A21IUUHBSEVB56"}], "B08VWG7WB6": [{"asin": "B08VWG7WB6", "instruction": "i want a black cordless water flosser for bad breath.", "attributes": ["easy use", "bad breath"], "options": ["color: \u3010new\u3011black"], "instruction_attributes": ["bad breath"], "instruction_options": ["\u3010new\u3011black"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98UJYKG", "worker_id": "A2RBF3IIJP15IH"}], "B07NW8RGJ8": [{"asin": "B07NW8RGJ8", "instruction": "i am looking self tanner for removal my dry and dead skin", "attributes": ["dead skin", "dry skin"], "options": [""], "instruction_attributes": ["dead skin", "dry skin"], "instruction_options": [], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2BUY7N", "worker_id": "A3N9ZYQAESNFQH"}], "B0163JJMU0": [{"asin": "B0163JJMU0", "instruction": "i would like an assorted bag of individually wrapped caramels", "attributes": ["individually wrapped", "plant based", "dairy free", "non gmo", "gluten free", "certified organic", "high fructose"], "options": ["flavor name: assorted", "size: 6 pack"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["assorted"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YRQ96B", "worker_id": "A2ECRNQ3X5LEXD"}], "B07H38CYD2": [{"asin": "B07H38CYD2", "instruction": "i would like the perfect jam gift.", "attributes": ["simple ingredients", "perfect gift"], "options": [""], "instruction_attributes": ["perfect gift"], "instruction_options": [], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO8W2RC", "worker_id": "A1WS884SI0SLO4"}], "B09QGGG627": [{"asin": "B09QGGG627", "instruction": "i'm looking for heavy weight paper plates.", "attributes": ["non dairy", "rich creamy", "lactose free", "shelf stable", "gluten free"], "options": ["color: pathways design", "size: 8.5 in", "style: 1000 plates"], "instruction_attributes": ["lactose free"], "instruction_options": ["pathways design"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1LYU3H", "worker_id": "A21IUUHBSEVB56"}], "B09H7MSD9W": [{"asin": "B09H7MSD9W", "instruction": "i am interested in acquiring women shirt which is gray color and x-large size, while also i want it to be machine washable and be a loose fit.", "attributes": ["daily casual", "machine washable", "loose fit", "long sleeve", "unique design", "short sleeve", "laundry bag", "teen girls", "daily wear"], "options": ["color: gray", "size: x-large"], "instruction_attributes": ["machine washable", "loose fit"], "instruction_options": ["gray", "x-large"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIMQ29P", "worker_id": "AJY5G987IRT25"}], "B077L2N9CC": [{"asin": "B077L2N9CC", "instruction": "i looking for strawberry&blueberry artificial flavors in variety pack apple cinnamon &strawberry", "attributes": ["individually wrapped", "high fructose", "artificial flavors"], "options": ["flavor name: variety pack, apple cinnamon & strawberry"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["variety pack, apple cinnamon & strawberry"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW7Q4TO", "worker_id": "A2MSIFDLOHI1UT"}], "B097Y8WNLK": [{"asin": "B097Y8WNLK", "instruction": "i'm looking for disposable razors for hair removal in multiple colors", "attributes": ["easy use", "hair removal"], "options": ["color: rose red, blue, yellow"], "instruction_attributes": ["hair removal"], "instruction_options": ["rose red, blue, yellow"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZDOPA0", "worker_id": "A2Y2TURT2VEYZN"}], "B09LVNHDLT": [{"asin": "B09LVNHDLT", "instruction": "i am looking for a easily cleanable toothbrush with travel case that has extra soft feature. and i choose the white one", "attributes": ["easy clean", "oral hygiene"], "options": ["color: white"], "instruction_attributes": ["easy clean"], "instruction_options": ["white"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD3MIRU", "worker_id": "A2COCSUGZV28X"}], "B01LTHLD9Y": [{"asin": "B01LTHLD9Y", "instruction": "i am looking for 040 medium ash brown color hair dye that is easy to use.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 040 medium ash brown", "size: 3 count (pack of 1)", "style: old version"], "instruction_attributes": ["easy use"], "instruction_options": ["040 medium ash brown"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4CR6RO", "worker_id": "A1Q8PPQQCWGY0D"}], "B0001EL4DC": [{"asin": "B0001EL4DC", "instruction": "i am looking for some honey dark colored paraben free powder foundation.", "attributes": ["paraben free", "green tea"], "options": ["color: honey dark"], "instruction_attributes": ["paraben free"], "instruction_options": ["honey dark"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39GSZCB", "worker_id": "A1EREKSZAA9V7B"}], "B0748DZCZ7": [{"asin": "B0748DZCZ7", "instruction": "i'm looking for a green tea full coverage concealer for dark circles", "attributes": ["paraben free", "coconut oil", "dark circles", "fine lines"], "options": ["color: green tea"], "instruction_attributes": ["dark circles"], "instruction_options": ["green tea"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY4N4J5", "worker_id": "A2Y2TURT2VEYZN"}], "B08R5YH95C": [{"asin": "B08R5YH95C", "instruction": "i'm looking for boxer briefs for men.", "attributes": ["machine washable", "machine wash", "comfortable fit"], "options": ["color: love heart", "size: small"], "instruction_attributes": ["machine washable"], "instruction_options": ["love heart"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL97H5D", "worker_id": "A21IUUHBSEVB56"}], "B09MLYM9YN": [{"asin": "B09MLYM9YN", "instruction": "i'm interested in a long-sleeved, size large hooded sweatshirt made from quality polyester.", "attributes": ["quality polyester", "long sleeve"], "options": ["size: large"], "instruction_attributes": ["quality polyester", "long sleeve"], "instruction_options": ["large"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCZD4QU", "worker_id": "AFU00NU09CFXE"}], "B09J4GSH9J": [{"asin": "B09J4GSH9J", "instruction": "i would like some non toxic body glitter in the color ch138", "attributes": ["non toxic", "nail art"], "options": ["color: ch138"], "instruction_attributes": ["non toxic"], "instruction_options": ["ch138"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUM1ZV1", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H9NDB1S": [{"asin": "B09H9NDB1S", "instruction": "i'm looking for a 2t royal blue t-shirt encanto movie officially licensed for men", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: men", "size: 2t"], "instruction_attributes": ["officially licensed"], "instruction_options": ["royal blue", "men", "2t"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3IA3FDU", "worker_id": "A2Y2TURT2VEYZN"}], "B089VSHQQV": [{"asin": "B089VSHQQV", "instruction": "i want a light blue and funut case cover compatible with the macbook pro.", "attributes": ["heavy duty", "case cover"], "options": ["color: light blue", "size: (a1534) macbook 12\" with retina display"], "instruction_attributes": ["case cover"], "instruction_options": ["light blue"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1II088", "worker_id": "A2RBF3IIJP15IH"}], "B09133G83G": [{"asin": "B09133G83G", "instruction": "i would like some non gmo sugar", "attributes": ["non gmo", "gluten free", "artificial colors", "artificial flavors"], "options": ["flavor: sugarcane", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["sugarcane"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WYTA1U", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09133G83G", "instruction": "i would like a one pound bag of non-gmo amla.", "attributes": ["non gmo", "gluten free", "artificial colors", "artificial flavors"], "options": ["flavor: amla", "size: 1 pound (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["amla", "1 pound (pack of 1)"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUNCH8IT", "worker_id": "A1WS884SI0SLO4"}], "B099CPDVHK": [{"asin": "B099CPDVHK", "instruction": "find this dynasty mattress fully adjustable bed frame with custom headband, bluetooth & usb ports + memory foam mattress set\u2026 for a fair price", "attributes": ["memory foam", "lumbar support", "steel frame"], "options": [""], "instruction_attributes": ["memory foam"], "instruction_options": [], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HWKBPU", "worker_id": "A15IJ20C3R4HUO"}], "B087Y28XLM": [{"asin": "B087Y28XLM", "instruction": "i am looking fresh scent body lotion for dry skin.", "attributes": ["animal testing", "paraben free", "dry skin"], "options": ["scent: fresh", "size: 8.5 fl oz (pack of 1)"], "instruction_attributes": ["dry skin"], "instruction_options": ["fresh"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJW7GVT", "worker_id": "A1Q8PPQQCWGY0D"}], "B015M8V3ZA": [{"asin": "B015M8V3ZA", "instruction": "i am looking for loose fit small size pajama pant.", "attributes": ["easy care", "machine wash", "loose fit", "elastic closure"], "options": ["color: mens - navy | gold", "size: small"], "instruction_attributes": ["loose fit"], "instruction_options": ["small"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AULGR3U", "worker_id": "A1Q8PPQQCWGY0D"}], "B09QRNQCFL": [{"asin": "B09QRNQCFL", "instruction": "i want hands free and bluetooth headphones.", "attributes": ["hands free", "noise cancelling", "stereo sound"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9WR78I", "worker_id": "A2RBF3IIJP15IH"}], "B087TQFKRF": [{"asin": "B087TQFKRF", "instruction": "i want black and comfortable under armour ansa slide sandals.", "attributes": ["comfortable fit", "rubber sole"], "options": ["color: black (011) | black", "size: 3"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["black (011) | black"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0Y2XPH", "worker_id": "A2RBF3IIJP15IH"}], "B07YJRVW8H": [{"asin": "B07YJRVW8H", "instruction": "i am looking for a long handle red color toothbrush which is eco friendly and long lasting.", "attributes": ["eco friendly", "long lasting", "long handle"], "options": ["color: red"], "instruction_attributes": ["eco friendly", "long lasting", "long handle"], "instruction_options": ["red"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7ZCRUG", "worker_id": "A1V2JTEEBCXR20"}], "B08G8DY2LH": [{"asin": "B08G8DY2LH", "instruction": "i want a qivynsry filter carrying case.", "attributes": ["easy carry", "carrying case"], "options": [""], "instruction_attributes": ["carrying case"], "instruction_options": [], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH7HV11", "worker_id": "A2RBF3IIJP15IH"}], "B07JYTS2DM": [{"asin": "B07JYTS2DM", "instruction": "find a 1 pound bag snowy river holiday cocktail sugar - all natural festive cocktail rimmer gluten free, non gmo, i want to make a good impression on guests.", "attributes": ["gmo free", "gluten free", "real fruit"], "options": ["color: chocolate diamond", "size: 1 pound bag"], "instruction_attributes": ["gmo free", "gluten free"], "instruction_options": ["1 pound bag"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZPW1YV", "worker_id": "A15IJ20C3R4HUO"}], "B07Q9JQQ8H": [{"asin": "B07Q9JQQ8H", "instruction": "i would like wall lamps that have two heads and are made of glass", "attributes": ["clear glass", "glass shade"], "options": ["color: 2 heads"], "instruction_attributes": ["glass shade"], "instruction_options": ["2 heads"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUNC58IH", "worker_id": "A2ECRNQ3X5LEXD"}], "B093YSNS24": [{"asin": "B093YSNS24", "instruction": "i am looking for a medium size laundry bag for my wife", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG5UBGN", "worker_id": "A2COCSUGZV28X"}], "B004EJRU9M": [{"asin": "B004EJRU9M", "instruction": "i would like a long lasting men's perfume.", "attributes": ["long lasting", "design house"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N9E7T9", "worker_id": "A1WS884SI0SLO4"}], "B08TRR5993": [{"asin": "B08TRR5993", "instruction": "i am looking for a mango matic flavored performance drink that has zero sugar.", "attributes": ["zero sugar", "artificial flavors"], "options": ["flavor name: mango matic"], "instruction_attributes": ["zero sugar"], "instruction_options": ["mango matic"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9H1R1DO", "worker_id": "A1EREKSZAA9V7B"}], "B000W5NUV4": [{"asin": "B000W5NUV4", "instruction": "i am looking for a boat shoe that has rubber sole. and i would prefer the 8.5 size with blue color", "attributes": ["ethylene vinyl", "vinyl acetate", "rubber sole"], "options": ["color: blue", "size: 8.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["blue", "8.5"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL2YAVH", "worker_id": "A2COCSUGZV28X"}], "B09RWH7SF6": [{"asin": "B09RWH7SF6", "instruction": "i need to get blue tongue cleaner that is stainless steel.", "attributes": ["stainless steel", "oral hygiene", "bad breath"], "options": ["color: black,blue"], "instruction_attributes": ["stainless steel"], "instruction_options": ["black,blue"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4DM0ID", "worker_id": "A15ERD4HOFEPHM"}], "B003NX8C6K": [{"asin": "B003NX8C6K", "instruction": "i would like a xlarge plus red camellia fleece jacket that can be machine washed.", "attributes": ["machine wash", "classic fit", "imported zipper"], "options": ["color: red camellia", "size: x-large plus"], "instruction_attributes": ["machine wash"], "instruction_options": ["red camellia", "x-large plus"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BOOJV0", "worker_id": "A1WS884SI0SLO4"}], "B01GUIJMO0": [{"asin": "B01GUIJMO0", "instruction": "i need a two pack of peanut butter that is non gmo", "attributes": ["non gmo", "gluten free", "protein serving"], "options": ["flavor name: original", "size: 6.5 ounce (pack of 2)"], "instruction_attributes": ["non gmo"], "instruction_options": ["6.5 ounce (pack of 2)"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6US5EZJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HV8PR1B": [{"asin": "B08HV8PR1B", "instruction": "i need a fast charging charging station that is space black", "attributes": ["fast charging", "non slip", "compatible apple", "wireless charging"], "options": ["color: space black"], "instruction_attributes": ["fast charging"], "instruction_options": ["space black"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96DE4GB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JXQYP1Y": [{"asin": "B09JXQYP1Y", "instruction": "i am looking for queen size beds.", "attributes": ["queen size", "box spring"], "options": [""], "instruction_attributes": ["queen size"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZOQ1YN", "worker_id": "A1Q8PPQQCWGY0D"}], "B09NN5NH1H": [{"asin": "B09NN5NH1H", "instruction": "i want white non slip women's wedges cowboy boots.", "attributes": ["day comfort", "non slip", "memory foam", "steel toe", "rubber sole"], "options": ["color: white", "size: 10.5"], "instruction_attributes": ["non slip"], "instruction_options": ["white"], "assignment_id": "3HPZF4IVNX3FW186JO133U513LAYC3", "worker_id": "A2RBF3IIJP15IH"}], "B09SR165B1": [{"asin": "B09SR165B1", "instruction": "i am looking for home theatres plug connectors that are easy to install.", "attributes": ["easy install", "gold plated", "carbon fiber"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYF1EIK", "worker_id": "A1Q8PPQQCWGY0D"}], "B00EG3XIOM": [{"asin": "B00EG3XIOM", "instruction": "i am looking for a 50 ft | 15m size ultra hd gold plated hdmi cables", "attributes": ["ultra hd", "gold plated", "high speed"], "options": ["size: 50 ft | 15m"], "instruction_attributes": ["ultra hd", "gold plated"], "instruction_options": ["50 ft | 15m"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI833SSG", "worker_id": "A9QRQL9CFJBI7"}], "B08LXP8VCB": [{"asin": "B08LXP8VCB", "instruction": "i need meat seasoning that is made in usa . and i would prefer the one with peppered sea salt", "attributes": ["natural flavors", "quality ingredients"], "options": ["flavor name: peppered sea salt"], "instruction_attributes": ["natural flavors"], "instruction_options": [], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7YACUW", "worker_id": "A2COCSUGZV28X"}], "B093YSFQSX": [{"asin": "B093YSFQSX", "instruction": "i need a laundry bag for my travel", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTW9WXH", "worker_id": "A2COCSUGZV28X"}], "B09899K4L6": [{"asin": "B09899K4L6", "instruction": "i need a bluetooth keyboard with aaa batteries in gold color", "attributes": ["batteries included", "long lasting", "aaa batteries"], "options": ["color: gold"], "instruction_attributes": ["aaa batteries"], "instruction_options": ["gold"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y1QJ5Z", "worker_id": "ASWFLI3N8X72G"}], "B0080DFOG4": [{"asin": "B0080DFOG4", "instruction": "i'm looking for gift basket for teachers.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQIDJC8", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B0080DFOG4", "instruction": "i am looking for a gift basket for teacher which is hand crafted.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["hand crafted", "gift basket"], "instruction_options": [], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0SARAM", "worker_id": "A2HMEGTAFO0CS8"}], "B08MFG44TV": [{"asin": "B08MFG44TV", "instruction": "i am looking for a 5 piece glass dining table with metal legs for my dining room. it should have faux leather dining chairs.", "attributes": ["heavy duty", "easy install", "pu leather", "faux leather", "tempered glass", "metal legs", "dining room"], "options": ["color: marble", "size: 5 piece glass"], "instruction_attributes": ["faux leather", "metal legs", "dining room"], "instruction_options": ["5 piece glass"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E8YHX4", "worker_id": "A1NF6PELRKACS9"}], "B00DB8KKDK": [{"asin": "B00DB8KKDK", "instruction": "i am looking for a grain free pumpkin bread mix", "attributes": ["grain free", "gluten free", "shelf stable", "plant based", "non gmo", "simple ingredients"], "options": ["flavor name: pumpkin muffin & bread mix", "size: 9 ounce (pack of 1)"], "instruction_attributes": ["grain free"], "instruction_options": ["pumpkin muffin & bread mix"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U9MMAC", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JSYTC4Q": [{"asin": "B09JSYTC4Q", "instruction": "i want a khaki phone case for apple phones.", "attributes": ["compatible apple", "easy carry"], "options": ["color: khaki", "size: for i13 pro max"], "instruction_attributes": ["compatible apple"], "instruction_options": ["khaki"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107C4LIG", "worker_id": "A2RBF3IIJP15IH"}], "B08BSV5VM7": [{"asin": "B08BSV5VM7", "instruction": "i am looking for a 3 pack of trader joe's shelf stable whapping cream in 8 fl oz, three pack -set of two.", "attributes": ["trader joe", "shelf stable"], "options": [""], "instruction_attributes": ["trader joe", "shelf stable"], "instruction_options": [], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUNBUI8E", "worker_id": "A2KW17G25L25R8"}], "B017RXMKUA": [{"asin": "B017RXMKUA", "instruction": "looking for drying hair turban choose one size", "attributes": ["long lasting", "hair salon", "dry hair"], "options": ["color: lavender", "size: one size"], "instruction_attributes": ["dry hair"], "instruction_options": ["one size"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY84U0A", "worker_id": "A10OGH5CQBXL5N"}], "B08B12P6CS": [{"asin": "B08B12P6CS", "instruction": "i am looking for a blue computer gaming chair that is height adjustable and has lumbar support.", "attributes": ["height adjustable", "lumbar support", "pu leather", "metal legs"], "options": ["color: blue"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": ["blue"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LO690C", "worker_id": "A1EREKSZAA9V7B"}], "B01MQVD7WQ": [{"asin": "B01MQVD7WQ", "instruction": "i want a 2 pack of fragrance free hair detangler spray.", "attributes": ["fragrance free", "paraben free", "cruelty free", "sensitive skin"], "options": ["size: 2 pack"], "instruction_attributes": ["fragrance free"], "instruction_options": ["2 pack"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YZGQ3U", "worker_id": "A2RBF3IIJP15IH"}], "B083XYZ3GR": [{"asin": "B083XYZ3GR", "instruction": "i'm looking a pocket telescope with high definition for bird watching", "attributes": ["non slip", "high definition", "bird watching"], "options": [""], "instruction_attributes": ["high definition", "bird watching"], "instruction_options": [], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPJ96VO", "worker_id": "A2Y2TURT2VEYZN"}], "B09MJZ7GV4": [{"asin": "B09MJZ7GV4", "instruction": "i need a stereo headset with fast charging capacity. and i choose the green one", "attributes": ["fast charging", "high speed"], "options": ["color: green"], "instruction_attributes": ["fast charging"], "instruction_options": ["green"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADX0PYMY", "worker_id": "A2COCSUGZV28X"}], "B07MXPQFCT": [{"asin": "B07MXPQFCT", "instruction": "i'm looking for a gluten free cauliflower cizza crust", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8IJ5RC", "worker_id": "A2Y2TURT2VEYZN"}], "B0971CHBSM": [{"asin": "B0971CHBSM", "instruction": "i am looking for 100th birthday cake toppers.", "attributes": ["birthday party", "birthday cake", "party supplies"], "options": ["pattern name: 18"], "instruction_attributes": ["birthday party", "birthday cake"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQIHKEQ", "worker_id": "A2KW17G25L25R8"}], "B09DYZ9G64": [{"asin": "B09DYZ9G64", "instruction": "i am looking for watermelon flavored mango dragon fruit tea refresher having high fructose", "attributes": ["quality ingredients", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: watermelon lime"], "instruction_attributes": ["high fructose"], "instruction_options": ["watermelon lime"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR99C0W", "worker_id": "A258PTOZ3D2TQR"}], "B01A99GE8I": [{"asin": "B01A99GE8I", "instruction": "i am looking for kosher certified irish fortune cookies with pattern name :halloween", "attributes": ["kosher certified", "individually wrapped"], "options": ["pattern name: halloween"], "instruction_attributes": ["kosher certified"], "instruction_options": ["halloween"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZUY3KR", "worker_id": "AX2EWYWZM19AZ"}], "B07DK3TDFJ": [{"asin": "B07DK3TDFJ", "instruction": "i am looking for certified organic loose leaf containing spirit herbal herbal tea flavor tea.", "attributes": ["caffeine free", "certified organic"], "options": ["flavor name: spirit herbal herbal tea", "size: 8 oz bag (80-100 servings)"], "instruction_attributes": ["certified organic"], "instruction_options": ["spirit herbal herbal tea"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NL8BKL", "worker_id": "A1Q8PPQQCWGY0D"}], "B084XT44LP": [{"asin": "B084XT44LP", "instruction": "i would like a 18 individually wrapped hunnybrush tea bags.", "attributes": ["caffeine free", "individually wrapped"], "options": ["flavor name: honeybush", "size: 18 count (pack of 3)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["honeybush", "18 count (pack of 3)"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZOC7RR", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B084XT44LP", "instruction": "i need18 count box of tea bags (pack of 3) caffeine free herbal tea", "attributes": ["caffeine free", "individually wrapped"], "options": ["flavor name: throat soother", "size: 18 count (pack of 3)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["18 count (pack of 3)"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39HYCZW", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B084XT44LP", "instruction": "i would like a pack of 3 herbal teas that are immune boosting.", "attributes": ["caffeine free", "individually wrapped"], "options": ["flavor name: immune boost", "size: 18 count (pack of 3)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["immune boost", "18 count (pack of 3)"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMONL9MT", "worker_id": "A2ECRNQ3X5LEXD"}], "B08776TNBT": [{"asin": "B08776TNBT", "instruction": "i would like to have bike shorts with elastic waist which are in bold blue color and x-large in size.", "attributes": ["elastic closure", "elastic waist"], "options": ["color: bold blue | white", "size: x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["bold blue | white", "x-large"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY9H0UV", "worker_id": "AJY5G987IRT25"}], "B08TTWTVQR": [{"asin": "B08TTWTVQR", "instruction": "i would like a african american pretty girl hair kit for home hair cutting.", "attributes": ["long lasting", "hair salon", "hair cutting", "dry hair"], "options": ["color: african american pretty girl"], "instruction_attributes": ["hair cutting"], "instruction_options": ["african american pretty girl"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFVQJOX", "worker_id": "A1WS884SI0SLO4"}], "B09LGX32ZW": [{"asin": "B09LGX32ZW", "instruction": "looking for generic led bedside table set for living room also choose set of 2", "attributes": ["storage space", "living room"], "options": ["size: set of 2"], "instruction_attributes": ["living room"], "instruction_options": ["set of 2"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYK16LX", "worker_id": "A10OGH5CQBXL5N"}], "B08DFH72GP": [{"asin": "B08DFH72GP", "instruction": "i am interested in buying a biege colored diner chai which is easy to assemble and ideal for the dining room.", "attributes": ["button tufted", "assembly required", "easy install", "easy assemble", "solid wood", "dining room"], "options": ["color: beige"], "instruction_attributes": ["easy assemble", "dining room"], "instruction_options": ["beige"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCVDQ5Q", "worker_id": "AHXHM1PQTRWIQ"}], "B09PR7H15R": [{"asin": "B09PR7H15R", "instruction": "i am looking for a super soft fleece throw that has the constellation zodiac scorpio color.", "attributes": ["super soft", "machine washable", "fleece throw", "printing technology"], "options": ["color: constellation zodiac scorpio", "size: 60x50in for teens"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["constellation zodiac scorpio"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LBLERP", "worker_id": "A1NF6PELRKACS9"}], "B098JKB4Y9": [{"asin": "B098JKB4Y9", "instruction": "i am looking for large size soft material women's cardigans with pockets", "attributes": ["hand wash", "soft material"], "options": ["color: heather grey", "size: large"], "instruction_attributes": ["soft material"], "instruction_options": ["large"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4E4QR8", "worker_id": "A258PTOZ3D2TQR"}], "B07WPXV9MD": [{"asin": "B07WPXV9MD", "instruction": "i am looking for black color twisted x men\u2019s rubber outsole slip-on of size 12.", "attributes": ["slip resistant", "moisture wicking", "rubber outsole"], "options": ["color: black", "size: 12 wide"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["black", "12 wide"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAGFIF5", "worker_id": "A258PTOZ3D2TQR"}], "B09S3C8H4B": [{"asin": "B09S3C8H4B", "instruction": "i am interested in buying a xx-large sized onesie pajamas which is ideal for teen girls and is long sleeved.", "attributes": ["long sleeve", "button closure", "polyester spandex", "teen girls"], "options": ["color: a03-red", "size: xx-large"], "instruction_attributes": ["teen girls"], "instruction_options": ["xx-large"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT39CHJ7", "worker_id": "AHXHM1PQTRWIQ"}], "B09377V4Q9": [{"asin": "B09377V4Q9", "instruction": "i am looking for drawstring closure denim pants that have an elastic waist, in the size large.", "attributes": ["elastic waist", "soft material", "drawstring closure", "teen girls"], "options": ["color: p988 blue1", "size: large"], "instruction_attributes": ["elastic waist", "drawstring closure"], "instruction_options": ["large"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QYW70C", "worker_id": "AK3JMCIGU8MLU"}], "B08G3S9TND": [{"asin": "B08G3S9TND", "instruction": "i am looking for long lasting dark navy color noise cancelling headphones.", "attributes": ["noise cancelling", "long lasting", "high resolution"], "options": ["color: dark navy"], "instruction_attributes": ["noise cancelling", "long lasting"], "instruction_options": ["dark navy"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHHIBNX", "worker_id": "A1Q8PPQQCWGY0D"}], "B07MSM9DQN": [{"asin": "B07MSM9DQN", "instruction": "i would like a ultra hd usb hub.", "attributes": ["ultra hd", "easy carry", "plug play"], "options": [""], "instruction_attributes": ["ultra hd"], "instruction_options": [], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3TJMZ1", "worker_id": "A1WS884SI0SLO4"}], "B083XRVRLB": [{"asin": "B083XRVRLB", "instruction": "i want an ivory safavieh tulum rug for my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: turquoise | ivory", "item shape: square", "size: 6 ft 7 in x 6 ft 7 in"], "instruction_attributes": ["living room"], "instruction_options": ["turquoise | ivory"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54U938D", "worker_id": "A2RBF3IIJP15IH"}], "B0855CNSB6": [{"asin": "B0855CNSB6", "instruction": "i want cruelty free good chemistry silver coast body spray.", "attributes": ["paraben free", "cruelty free"], "options": ["size: body spray", "style: jasmine rose"], "instruction_attributes": ["cruelty free"], "instruction_options": ["body spray"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20RVZ0I", "worker_id": "A2RBF3IIJP15IH"}], "B083BWCBCV": [{"asin": "B083BWCBCV", "instruction": "i am looking for a spot clean roman shade window blinds which is easy to install. also choose size 24 w x 48 h.", "attributes": ["spot clean", "easy install"], "options": ["size: 24 w x 48 h"], "instruction_attributes": ["spot clean", "easy install"], "instruction_options": ["24 w x 48 h"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9WHET1", "worker_id": "A1V2JTEEBCXR20"}, {"asin": "B083BWCBCV", "instruction": "i am looking for easy install roman window blinds that are light filtering", "attributes": ["spot clean", "easy install"], "options": ["size: 27 w x 36 h"], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC4RYZZ", "worker_id": "AK3JMCIGU8MLU"}], "B09PGX4H72": [{"asin": "B09PGX4H72", "instruction": "i want gray aodong open toe sandals for women.", "attributes": ["open toe", "knee high", "ankle strap", "high heel", "arch support", "closed toe", "memory foam"], "options": ["color: a04-gray", "size: 8.5"], "instruction_attributes": ["open toe"], "instruction_options": ["a04-gray"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O452A1", "worker_id": "A2RBF3IIJP15IH"}], "B09RZDMDFJ": [{"asin": "B09RZDMDFJ", "instruction": "i am searching for navy color x-large silk smooth slim fit long sleeve shirt for men", "attributes": ["slim fit", "fashion design", "regular fit", "long sleeve"], "options": ["color: navy1", "size: x-large"], "instruction_attributes": ["slim fit", "long sleeve"], "instruction_options": ["navy1", "x-large"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2PP5LF", "worker_id": "A258PTOZ3D2TQR"}], "B092T4BLQM": [{"asin": "B092T4BLQM", "instruction": "i want dalang soy wax scented candles.", "attributes": ["long lasting", "lead free", "eco friendly", "soy wax"], "options": [""], "instruction_attributes": ["soy wax"], "instruction_options": [], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q6DGW9", "worker_id": "A2RBF3IIJP15IH"}], "B07HKK54RY": [{"asin": "B07HKK54RY", "instruction": "i'm looking for a rich creamy, ready to eat buttermilk syrup made from quality ingredients. also, choose a pack of 4 with maple flavored one.", "attributes": ["rich creamy", "ready eat", "quality ingredients"], "options": ["flavor name: maple", "size: 4 pack"], "instruction_attributes": ["rich creamy", "ready eat", "quality ingredients"], "instruction_options": ["maple", "4 pack"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLKHF2Q", "worker_id": "AR0VJ5XRG16UJ"}], "B084DLMXM9": [{"asin": "B084DLMXM9", "instruction": "i am looking for a solid wood bed frames of espresso color", "attributes": ["white item", "assembly required", "solid wood"], "options": ["color: espresso"], "instruction_attributes": ["solid wood"], "instruction_options": ["espresso"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSLI26E", "worker_id": "A9QRQL9CFJBI7"}], "B0847CHSKF": [{"asin": "B0847CHSKF", "instruction": "i need red colored cocktail glitter that is gmo free.", "attributes": ["gmo free", "real fruit"], "options": ["color: red", "style: 12g glitter & 6 ounce sugar pack"], "instruction_attributes": ["gmo free"], "instruction_options": ["red"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9H1RD10", "worker_id": "A1NF6PELRKACS9"}], "B09H7LR8KT": [{"asin": "B09H7LR8KT", "instruction": "i am looking for an anti slip pair of booties with rubber sole. it should be a size 6 and coffee colored.", "attributes": ["knee high", "anti slip", "rubber sole", "daily wear"], "options": ["color: coffee", "size: 6"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["coffee", "6"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUMTR39", "worker_id": "A1NF6PELRKACS9"}], "B09SF2S8TZ": [{"asin": "B09SF2S8TZ", "instruction": "i want beige flip flop open toe slippers.", "attributes": ["slip resistant", "fleece lined", "open toe", "steel toe", "high heel", "arch support", "short sleeve", "long sleeve"], "options": ["color: a2 - beige", "size: 6 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["a2 - beige"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4G08LW", "worker_id": "A2RBF3IIJP15IH"}], "B07XSJS2C3": [{"asin": "B07XSJS2C3", "instruction": "i am looking for long lasting lip balm stick with pack of 2.", "attributes": ["long lasting", "seed oil"], "options": ["size: 2 count (pack of 2)"], "instruction_attributes": ["long lasting"], "instruction_options": ["2 count (pack of 2)"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIM3FEM", "worker_id": "A3FG5PQHG5AH3Y"}], "B09JW1K51V": [{"asin": "B09JW1K51V", "instruction": "i am looking for a universal remote control with the aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PDDBUR", "worker_id": "A1EREKSZAA9V7B"}], "B09P3MCJW3": [{"asin": "B09P3MCJW3", "instruction": "i want a blanket that's quirky and is fleece throw. i would appreciate it if it was easy to clean too please", "attributes": ["twin size", "easy clean", "fleece throw"], "options": ["color: coffee is my favorite language", "size: crib 50 x 40 inch"], "instruction_attributes": ["easy clean", "fleece throw"], "instruction_options": [], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0EX16N", "worker_id": "A2TRV8SEM003GG"}], "B07932ZN6V": [{"asin": "B07932ZN6V", "instruction": "i would like some grey sneakers in a 7.5 that have a rubber sole.", "attributes": ["long lasting", "memory foam", "rubber outsole", "rubber sole"], "options": ["color: dk grey | lt grey", "size: 7.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["dk grey | lt grey", "7.5"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0WNRA7", "worker_id": "A2ECRNQ3X5LEXD"}], "B08H8T2GL3": [{"asin": "B08H8T2GL3", "instruction": "i would like a medium sized classic fit tank top for a girl.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: men", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["medium"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI78IZGJ", "worker_id": "AHXHM1PQTRWIQ"}], "B09R4GN7P7": [{"asin": "B09R4GN7P7", "instruction": "get me a black t-shirt with short sleeves. i am an xx-large sized man.", "attributes": ["light weight", "loose fit", "short sleeve", "long sleeve", "soft material"], "options": ["color: black", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["black", "xx-large"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZEUPA8", "worker_id": "A1NF6PELRKACS9"}], "B0981TPJ1Z": [{"asin": "B0981TPJ1Z", "instruction": "i want a tree hut sugar body scrub for dry skin.", "attributes": ["dry skin", "dead skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJKVOL4", "worker_id": "A2RBF3IIJP15IH"}], "B07K125Z37": [{"asin": "B07K125Z37", "instruction": "i would like 2 thirty inch barstools with a dark gray tunic cover for the dining room.", "attributes": ["button tufted", "wood finish", "contemporary style", "dining room"], "options": ["color: dark gray fabric", "size: 2 pack", "style: 30 inch"], "instruction_attributes": ["contemporary style"], "instruction_options": ["dark gray fabric", "2 pack", "30 inch"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRPN9F6", "worker_id": "A1WS884SI0SLO4"}], "B08BVTBHFC": [{"asin": "B08BVTBHFC", "instruction": "i want a seabear wild caught alaskan smoked salmon gift box.", "attributes": ["fully cooked", "wild caught", "ready eat"], "options": [""], "instruction_attributes": ["wild caught"], "instruction_options": [], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVNWQ0Z", "worker_id": "A2RBF3IIJP15IH"}], "B08NFDZSYN": [{"asin": "B08NFDZSYN", "instruction": "i am looking for a storage cabinet for the kitchen which has a white finish.", "attributes": ["assembly required", "white finish"], "options": [""], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TFGMNP", "worker_id": "AHXHM1PQTRWIQ"}], "B08R6RYX4J": [{"asin": "B08R6RYX4J", "instruction": "i am looking for central park ombre window curtain panel's in gray 50'' x 84'' set of two for my living room.", "attributes": ["eco friendly", "machine washable", "living room"], "options": ["color: grey", "size: 50\"x95\"x2"], "instruction_attributes": ["living room"], "instruction_options": ["50\"x95\"x2"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCRP7IH", "worker_id": "A2KW17G25L25R8"}], "B000SQQ2D0": [{"asin": "B000SQQ2D0", "instruction": "i am looking for a 450 mocha color oil free fragrance free face makeup", "attributes": ["oil free", "fragrance free", "long lasting"], "options": ["color: 450 mocha"], "instruction_attributes": ["oil free", "fragrance free"], "instruction_options": ["450 mocha"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662ZQ4MJ", "worker_id": "A9QRQL9CFJBI7"}], "B099RPD1Y9": [{"asin": "B099RPD1Y9", "instruction": "i would like a pink body scrub for dry skin.", "attributes": ["dead skin", "dry skin"], "options": ["color: pink"], "instruction_attributes": ["dry skin"], "instruction_options": ["pink"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAIUVOR", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B099RPD1Y9", "instruction": "i'm looking for a body scrub for dead and dry skin. also choose black colored one.", "attributes": ["dead skin", "dry skin"], "options": ["color: black"], "instruction_attributes": ["dead skin", "dry skin"], "instruction_options": ["black"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BDLQUP", "worker_id": "AR0VJ5XRG16UJ"}], "B09DPSQSX2": [{"asin": "B09DPSQSX2", "instruction": "i want to buy phone glass screen protector which is tempered glass and compatible with apple, the color should be clear, and suitable for iphone 11 pro.", "attributes": ["compatible apple", "high definition", "tempered glass", "glass screen"], "options": ["color: clear", "style: iphone 11 pro"], "instruction_attributes": ["compatible apple", "tempered glass"], "instruction_options": ["clear", "iphone 11 pro"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BDEQUI", "worker_id": "AJY5G987IRT25"}], "B09PLDZ4PH": [{"asin": "B09PLDZ4PH", "instruction": "i want a small womens summer short sleeve shirt.", "attributes": ["hand wash", "long sleeve", "short sleeve", "faux fur", "tumble dry", "daily wear"], "options": ["color: tops a4c2 white", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["small"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXPEZ21", "worker_id": "A2RBF3IIJP15IH"}], "B07D7T27T2": [{"asin": "B07D7T27T2", "instruction": "i am looking for 16 size short satin homecoming unique design dress", "attributes": ["lace closure", "unique design"], "options": ["color: baby blue", "size: 16"], "instruction_attributes": ["unique design"], "instruction_options": ["16"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V1ZYWJ", "worker_id": "A258PTOZ3D2TQR"}], "B00AKSCXES": [{"asin": "B00AKSCXES", "instruction": "i want small and machine washable champion men's shorts.", "attributes": ["machine wash", "elastic closure"], "options": ["color: navy-407q88", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["small"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOZI93X", "worker_id": "A2RBF3IIJP15IH"}], "B07QT9M8DL": [{"asin": "B07QT9M8DL", "instruction": "i am looking for classic fit dark heather color tank top.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: men", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["dark heather"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFHP204", "worker_id": "A1Q8PPQQCWGY0D"}], "B08KBTZBRF": [{"asin": "B08KBTZBRF", "instruction": "i want x-large and machine washable leggings depot pajama pants.", "attributes": ["machine washable", "machine wash", "polyester spandex", "drawstring closure", "elastic waistband", "tumble dry"], "options": ["color: perfect admiration", "size: x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["x-large"], "assignment_id": "3G2UL9A02OO71034MOY04HTU31176W", "worker_id": "A2RBF3IIJP15IH"}], "B094QNSQ3V": [{"asin": "B094QNSQ3V", "instruction": "i would like a 8.5 inch wide black non slip platform wedge pair.", "attributes": ["slip resistant", "non slip", "synthetic sole"], "options": ["color: tzz7-3_black", "size: 8.5 wide"], "instruction_attributes": ["non slip"], "instruction_options": ["tzz7-3_black", "8.5 wide"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZNBC7S", "worker_id": "A1WS884SI0SLO4"}], "B073PT96NN": [{"asin": "B073PT96NN", "instruction": "i wan a high speed micro usb cable.", "attributes": ["high speed", "fast charging", "usb port"], "options": [""], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS4NG9C", "worker_id": "A2RBF3IIJP15IH"}], "B09KLVZXZC": [{"asin": "B09KLVZXZC", "instruction": "i want dual band and quad core smart streaming media tv box with high speed ,which is 4gb +64gb storage capacity", "attributes": ["dual band", "high speed", "high definition", "quad core"], "options": ["color: 4gb+64gb"], "instruction_attributes": ["dual band", "high speed", "quad core"], "instruction_options": ["4gb+64gb"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZNDC7U", "worker_id": "ASWFLI3N8X72G"}], "B082DHB26W": [{"asin": "B082DHB26W", "instruction": "i am looking for a chocolate candy suitable for valentine day. and i choose kisses pink style", "attributes": ["baby shower", "valentine day"], "options": ["style: kisses pink"], "instruction_attributes": ["valentine day"], "instruction_options": ["kisses pink"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907VOUAB", "worker_id": "A2COCSUGZV28X"}], "B084Z7CNH9": [{"asin": "B084Z7CNH9", "instruction": "i am looking for noise cancelling on ear headphone of black color.", "attributes": ["noise cancelling", "carrying case"], "options": ["color: black"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907UJUA4", "worker_id": "A3FG5PQHG5AH3Y"}], "B06XNP64KD": [{"asin": "B06XNP64KD", "instruction": "i want to buy loose leaf tea which is certified organic and has sleepytime bundle flavor and comes in 4 pack of 40 servings.", "attributes": ["individually wrapped", "certified organic", "gift set"], "options": ["flavor name: sleepytime bundle", "size: 4-pack (40 servings)"], "instruction_attributes": ["certified organic"], "instruction_options": ["sleepytime bundle", "4-pack (40 servings)"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK90VNP", "worker_id": "AJY5G987IRT25"}, {"asin": "B06XNP64KD", "instruction": "i want to buy a ten count tea sampler that's certified organic.", "attributes": ["individually wrapped", "certified organic", "gift set"], "options": ["flavor name: get busy trio tea set", "size: 10 count (pack of 3)"], "instruction_attributes": ["certified organic"], "instruction_options": ["10 count (pack of 3)"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40VMRCF", "worker_id": "AR9AU5FY1S3RO"}], "B07LCGV1K8": [{"asin": "B07LCGV1K8", "instruction": "i am looking for a portable artist storage bag for nail polish and makeup things. also choose corgi-1 color.", "attributes": ["nail polish", "nail art"], "options": ["color: corgi-1"], "instruction_attributes": ["nail polish"], "instruction_options": ["corgi-1"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZSLSHU", "worker_id": "A2HMEGTAFO0CS8"}], "B073V9FL3F": [{"asin": "B073V9FL3F", "instruction": "i need an 8 oz coffee substitute that is caffeine free", "attributes": ["caffeine free", "non gmo", "natural ingredients"], "options": ["flavor name: original", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPJFQVX", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B073V9FL3F", "instruction": "order for me cocoa blend caffein free drink with natural ingredients.", "attributes": ["caffeine free", "non gmo", "natural ingredients"], "options": ["flavor name: cocoa blend", "size: 7 ounce (pack of 1)"], "instruction_attributes": ["caffeine free", "natural ingredients"], "instruction_options": ["cocoa blend"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA4M8AZ", "worker_id": "AHU9OLV0YKIIW"}], "B09575PQ3Y": [{"asin": "B09575PQ3Y", "instruction": "i am looking for a long lasting eye shadow pen having 7#violet color.", "attributes": ["long lasting", "easy carry", "eye shadow"], "options": ["color: 7#violet"], "instruction_attributes": ["long lasting"], "instruction_options": ["7#violet"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDVSZQF", "worker_id": "A1Q8PPQQCWGY0D"}], "B014P0KPZK": [{"asin": "B014P0KPZK", "instruction": "i am looking for some ready to eat graham crackers.", "attributes": ["ready eat", "simple ingredients", "high fructose", "artificial flavors"], "options": [""], "instruction_attributes": ["ready eat"], "instruction_options": [], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X9HGPL", "worker_id": "A1EREKSZAA9V7B"}], "B07YDMRQRT": [{"asin": "B07YDMRQRT", "instruction": "i need a bath brush with a long handle that is green", "attributes": ["non slip", "long handle"], "options": ["color: green"], "instruction_attributes": ["long handle"], "instruction_options": ["green"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMSOWMW", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BJ1RKYM": [{"asin": "B08BJ1RKYM", "instruction": "i would like a 50 by 60 inch fleece throw decorated with a tractor.", "attributes": ["super soft", "fleece throw"], "options": ["color: tractor", "size: 50\" x 60\""], "instruction_attributes": ["fleece throw"], "instruction_options": ["tractor", "50\" x 60\""], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9GNZR7", "worker_id": "A1WS884SI0SLO4"}], "B07T9GKCPC": [{"asin": "B07T9GKCPC", "instruction": "i'm looking for hair care solutions.", "attributes": ["easy use", "fine mist", "tea tree", "natural ingredients"], "options": ["style: treatment"], "instruction_attributes": ["tea tree"], "instruction_options": ["treatment"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LF0O1A", "worker_id": "A21IUUHBSEVB56"}], "B071QZ7RMJ": [{"asin": "B071QZ7RMJ", "instruction": "i want paraben free and oatmeal shampoo.", "attributes": ["paraben free", "coconut oil", "natural ingredients"], "options": ["scent: oatmeal, milk & honey"], "instruction_attributes": ["paraben free"], "instruction_options": ["oatmeal, milk & honey"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ54ISH", "worker_id": "A2RBF3IIJP15IH"}], "B01N0OQMC7": [{"asin": "B01N0OQMC7", "instruction": "i need a high resolution decal sticker skin for my ps4. it should be long lasting.", "attributes": ["long lasting", "high resolution"], "options": [""], "instruction_attributes": ["long lasting", "high resolution"], "instruction_options": [], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9BTN86", "worker_id": "A1NF6PELRKACS9"}], "B09PH88J47": [{"asin": "B09PH88J47", "instruction": "i'm looking for a long sleeve sweatshirts black flower for valentines", "attributes": ["long sleeve", "quality polyester", "unique design", "daily wear"], "options": ["color: black flower", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black flower", "xx-large"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98ILWM27", "worker_id": "A2Y2TURT2VEYZN"}], "B07PJXGY87": [{"asin": "B07PJXGY87", "instruction": "i am looking for always women high waisted capri leggings.", "attributes": ["easy care", "machine washable", "hand wash", "elastic waistband", "high waist", "polyester spandex", "tumble dry"], "options": ["color: cbsl128 | mustard", "size: small"], "instruction_attributes": ["high waist"], "instruction_options": ["small"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTVJ7LV", "worker_id": "A2KW17G25L25R8"}], "B086FP44F4": [{"asin": "B086FP44F4", "instruction": "i am looking for a 12 fl oz (pack of 4) of non alcoholic low calorie soft drinks", "attributes": ["non alcoholic", "low calorie", "low carb", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: mango lime", "size: 12 fl oz (pack of 4)"], "instruction_attributes": ["non alcoholic", "low calorie"], "instruction_options": ["12 fl oz (pack of 4)"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N9BT7S", "worker_id": "A9QRQL9CFJBI7"}], "B01BMP2VBM": [{"asin": "B01BMP2VBM", "instruction": "i would like a 10 gram packet of crimson long lasting nail glitter.", "attributes": ["long lasting", "easy use", "nail art"], "options": ["color: crimson", "size: 10 gram"], "instruction_attributes": ["long lasting"], "instruction_options": ["crimson", "10 gram"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIE8BRM", "worker_id": "A1WS884SI0SLO4"}], "B0935ZKGDQ": [{"asin": "B0935ZKGDQ", "instruction": "i am looking for a height adjustable barstool with footrest. i want something in brown.", "attributes": ["easy clean", "height adjustable", "high density", "easy install", "easy assemble", "pu leather"], "options": ["color: brown"], "instruction_attributes": ["height adjustable"], "instruction_options": ["brown"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V6T2U7", "worker_id": "A1NF6PELRKACS9"}], "B098NWSMVT": [{"asin": "B098NWSMVT", "instruction": "i want to get the elastic waistband mofiz women golf short knee-length lounge shorts, khaki color.", "attributes": ["elastic waistband", "elastic waist", "nylon spandex", "drawstring closure"], "options": ["color: khaki", "size: xx-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["khaki"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0UCACA", "worker_id": "A1IL2K0ELYI090"}], "B09F72DMWB": [{"asin": "B09F72DMWB", "instruction": "i need an easy to use trail camera", "attributes": ["easy use", "4g lte"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSY4GL9", "worker_id": "A2ECRNQ3X5LEXD"}], "B01F5W3IFQ": [{"asin": "B01F5W3IFQ", "instruction": "i am looking for wireless bluetooth speaker.please choose gray one.", "attributes": ["certified refurbished", "stereo sound", "wireless bluetooth"], "options": ["color: gray"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["gray"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7ROOBQ", "worker_id": "A3FG5PQHG5AH3Y"}], "B09PLDNV8N": [{"asin": "B09PLDNV8N", "instruction": "i want to buy knee high boots in color brown and having size 8.5.", "attributes": ["knee high", "anti slip"], "options": ["color: brown", "size: 8.5"], "instruction_attributes": ["knee high"], "instruction_options": ["brown", "8.5"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK24ALKNI", "worker_id": "AHXHM1PQTRWIQ"}], "B09G2YMNLC": [{"asin": "B09G2YMNLC", "instruction": "i would like a ac adapter that has output protection.", "attributes": ["output protection", "easy carry"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTRY4VU", "worker_id": "A1WS884SI0SLO4"}], "B08DK4ZKVM": [{"asin": "B08DK4ZKVM", "instruction": "i am looking for a wall mounted book shelf . ad i would prefer the driftwood color", "attributes": ["wall mounted", "assembly required"], "options": ["color: driftwood", "style: book shelf"], "instruction_attributes": ["wall mounted"], "instruction_options": ["driftwood", "book shelf"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HWJBPT", "worker_id": "A2COCSUGZV28X"}], "B09PGGRFRD": [{"asin": "B09PGGRFRD", "instruction": "get me a hand washable short sleeved loose fit top in army green color and 3x-large size.", "attributes": ["loose fit", "day comfort", "hand wash", "short sleeve", "polyester spandex", "teen girls"], "options": ["color: army\u00a0green", "size: 3x-large"], "instruction_attributes": ["loose fit", "hand wash", "short sleeve"], "instruction_options": ["army\u00a0green", "3x-large"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XCVRFF", "worker_id": "A3AYHESLQSDY5T"}], "B007HQNIFO": [{"asin": "B007HQNIFO", "instruction": "i would like a two pack of chicken that is shelf stable", "attributes": ["shelf stable", "fully cooked", "easy prepare", "gluten free", "ready eat", "kosher certified", "dairy free"], "options": ["style: 2 pack"], "instruction_attributes": ["shelf stable"], "instruction_options": ["2 pack"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9L26K2", "worker_id": "A2ECRNQ3X5LEXD"}], "B07MXPLFSH": [{"asin": "B07MXPLFSH", "instruction": "i would like 100 bags of green usda organic tea.", "attributes": ["usda organic", "real fruit", "artificial flavors"], "options": ["flavor name: green", "size: 100 count (pack of 1)"], "instruction_attributes": ["usda organic"], "instruction_options": ["green", "100 count (pack of 1)"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40K5NXH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07MXPLFSH", "instruction": "i would like 10 bags of peach green tea usda organic tea.", "attributes": ["usda organic", "real fruit", "artificial flavors"], "options": ["flavor name: peach green", "size: 10 count (pack of 1)"], "instruction_attributes": ["usda organic"], "instruction_options": ["peach green", "10 count (pack of 1)"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCLNSJZ", "worker_id": "A1WS884SI0SLO4"}], "B09Q83RGBW": [{"asin": "B09Q83RGBW", "instruction": "i'm looking for a mini desktop computer with 16 gigs of ram and that comes equipped with intel core i5.", "attributes": ["core i5", "intel core"], "options": ["color: i5 10300h", "size: 16g ram 128g ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["16g ram 128g ssd"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJQ5GDY", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B09Q83RGBW", "instruction": "i want an i5 intel core mini pc. it should be 10300h", "attributes": ["core i5", "intel core"], "options": ["color: i5 10300h", "size: 32g ram 1tb ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["i5 10300h"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6IEB2L", "worker_id": "A1NF6PELRKACS9"}], "B09HNMGGPR": [{"asin": "B09HNMGGPR", "instruction": "i would like a beige concealer for dark circles.", "attributes": ["cruelty free", "green tea", "dark circles"], "options": ["color: 04 beige"], "instruction_attributes": ["dark circles"], "instruction_options": ["04 beige"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUXCJQB", "worker_id": "A1WS884SI0SLO4"}], "B08QRW7T8M": [{"asin": "B08QRW7T8M", "instruction": "i'm looking for this product : qumox wireless pro controller remote control pro gamepad joystick with dual vibration if you find it let me know soon i need wireless bluetooth", "attributes": ["high performance", "high speed", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3K772S5NPJL8742V5F3A7IA1Y2NEHS", "worker_id": "A15IJ20C3R4HUO"}], "B00638B5XE": [{"asin": "B00638B5XE", "instruction": "i'm looking for a high protein meat jerky which should be free from gluten, soy and dairy products.", "attributes": ["grass fed", "gluten free", "low fat", "soy free", "high protein", "dairy free", "non gmo"], "options": [""], "instruction_attributes": ["gluten free", "soy free", "high protein", "dairy free"], "instruction_options": [], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH374ZZ", "worker_id": "AR0VJ5XRG16UJ"}], "B07HN56LFJ": [{"asin": "B07HN56LFJ", "instruction": "i would like a polyester cotton hoodie with flowers on it.", "attributes": ["long lasting", "machine wash", "polyester cotton"], "options": ["color: flower-bk-best", "size: best-xl+friend-2xl"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["flower-bk-best"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPLMJNJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08JCCGYHX": [{"asin": "B08JCCGYHX", "instruction": "i would like some pink birthday candles for a birthday party", "attributes": ["birthday cake", "baby shower", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["birthday party"], "instruction_options": ["pink"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTQEO66", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QX6TZ84": [{"asin": "B09QX6TZ84", "instruction": "find me a black 3x-large mens t-shit with button closure aloha theme", "attributes": ["slim fit", "moisture wicking", "winter warm", "straight leg", "fleece lined", "short sleeve", "long sleeve", "nylon spandex", "regular fit", "button closure", "gym workout"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["button closure"], "instruction_options": ["black", "3x-large"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM493D4X6", "worker_id": "A2Y2TURT2VEYZN"}], "B07HFGJ198": [{"asin": "B07HFGJ198", "instruction": "i need flouride free toothpaste", "attributes": ["fluoride free", "teeth whitening", "fresh breath"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WBOUO4", "worker_id": "A2ECRNQ3X5LEXD"}], "B097QXRFK1": [{"asin": "B097QXRFK1", "instruction": "i'm looking for a medium skirt with side pockets in polyester spandex, choose navy blue color", "attributes": ["polyester spandex", "drawstring closure"], "options": ["color: navy blue", "size: medium"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["navy blue", "medium"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI837SSK", "worker_id": "A2Y2TURT2VEYZN"}], "B08YHMV46N": [{"asin": "B08YHMV46N", "instruction": "i am looking for a wicked hot gluten free salsas", "attributes": ["hand crafted", "gluten free"], "options": ["flavor name: wicked hot"], "instruction_attributes": ["gluten free"], "instruction_options": ["wicked hot"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHACXODU", "worker_id": "A9QRQL9CFJBI7"}], "B00Y7X9WI2": [{"asin": "B00Y7X9WI2", "instruction": "i need a cinewhite projector screen that is ultra hd and light weight.", "attributes": ["ultra hd", "light weight"], "options": ["color: cinewhite", "size: 150\" diagonal, 16:9", "style: sable frame b2"], "instruction_attributes": ["ultra hd", "light weight"], "instruction_options": ["cinewhite"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC9LD0X", "worker_id": "A1NF6PELRKACS9"}], "B0983BYQ5B": [{"asin": "B0983BYQ5B", "instruction": "i am looking for height adjustable, mid century crystal chandelier lighting for living room, gold color, size 23.6\"", "attributes": ["height adjustable", "mid century", "assembly required", "light fixture", "dining room", "living room"], "options": ["size: gold 23.6\""], "instruction_attributes": ["height adjustable", "mid century", "living room"], "instruction_options": [], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PPF2X6", "worker_id": "A258PTOZ3D2TQR"}], "B07DPKKDMT": [{"asin": "B07DPKKDMT", "instruction": "my son needs a mattress, look for the greaton brand, fully assembled, box spring. includes 8\" split base | full xl size...", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": ["size: full xl", "style: includes 8\" split foundation | full xl siz..."], "instruction_attributes": ["fully assembled", "box spring"], "instruction_options": ["includes 8\" split foundation | full xl siz..."], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9HTZRF", "worker_id": "A15IJ20C3R4HUO"}], "B08ZXT2J28": [{"asin": "B08ZXT2J28", "instruction": "i am looking for solo loop dark grey band compatible with apple watch bands 38mm 40mm", "attributes": ["compatible apple", "easy install", "stainless steel"], "options": ["color: dark gray", "size: 38mm | 40mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["dark gray", "38mm | 40mm"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YRS96D", "worker_id": "A258PTOZ3D2TQR"}], "B08523PPK3": [{"asin": "B08523PPK3", "instruction": "i would like a leo candle made of soy wax.", "attributes": ["lead free", "long lasting", "soy wax"], "options": ["size: leo candle"], "instruction_attributes": ["soy wax"], "instruction_options": ["leo candle"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8RQQ6A", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08523PPK3", "instruction": "i would like a sagittarius candle that has soy wax", "attributes": ["lead free", "long lasting", "soy wax"], "options": ["size: sagittarius candle"], "instruction_attributes": ["soy wax"], "instruction_options": ["sagittarius candle"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733P9BE0", "worker_id": "A2ECRNQ3X5LEXD"}], "B07D5ZYQDD": [{"asin": "B07D5ZYQDD", "instruction": "please look for peet's iced espresso vanilla latte 8 oz can with quality ingredients.", "attributes": ["artificial colors", "quality ingredients"], "options": [""], "instruction_attributes": ["quality ingredients"], "instruction_options": [], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40Z6CRS", "worker_id": "A15IJ20C3R4HUO"}], "B01MYDEK74": [{"asin": "B01MYDEK74", "instruction": "i am looking for 5.9 fl oz eau de parfum - fragrance mist for women", "attributes": ["design house", "long lasting", "fine mist"], "options": ["size: 5.9 fl oz", "style name: 2am kiss"], "instruction_attributes": ["long lasting", "fine mist"], "instruction_options": ["5.9 fl oz"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VNW60W", "worker_id": "A258PTOZ3D2TQR"}], "B00083HDGS": [{"asin": "B00083HDGS", "instruction": "i want a black bellagio european outdoor carriage light fixture.", "attributes": ["bronze finish", "light fixture"], "options": ["color: black - clear - double bridge", "size: 20 1 | 2\" high"], "instruction_attributes": ["light fixture"], "instruction_options": ["black - clear - double bridge"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ2CNRB", "worker_id": "A2RBF3IIJP15IH"}], "B01EFOZHB8": [{"asin": "B01EFOZHB8", "instruction": "i'm looking for pomegranate blueberry flavored energy drinks. preferably with vitamins. i want a pack too", "attributes": ["non gmo", "gluten free", "source vitamin", "artificial colors"], "options": ["flavor name: orange pineapple", "size: 8 fl oz (pack of 6)"], "instruction_attributes": ["source vitamin"], "instruction_options": ["8 fl oz (pack of 6)"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCK1PDNZ", "worker_id": "A2TRV8SEM003GG"}], "B08NXFTJDK": [{"asin": "B08NXFTJDK", "instruction": "i would like to buy men's briefs which is easy care and of stripe color and a unique design.", "attributes": ["easy care", "quality polyester", "unique design", "tumble dry"], "options": ["color: stripe", "size: xx-large"], "instruction_attributes": ["easy care", "unique design"], "instruction_options": ["stripe"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV43HBM", "worker_id": "AHXHM1PQTRWIQ"}], "B093SX96B7": [{"asin": "B093SX96B7", "instruction": "i want a set of 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCLCBLN", "worker_id": "A2RBF3IIJP15IH"}], "B074G399NJ": [{"asin": "B074G399NJ", "instruction": "i want cruelty free illuminating makeup mist.", "attributes": ["cruelty free", "green tea"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602V995N", "worker_id": "A2RBF3IIJP15IH"}], "B076DLGKK9": [{"asin": "B076DLGKK9", "instruction": "i would like a pair of size 6 black luster satin pumps with a open toe.", "attributes": ["open toe", "leather sole"], "options": ["color: black luster satin", "size: 6 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["black luster satin", "6 wide"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53Z4GKD", "worker_id": "A1WS884SI0SLO4"}], "B08HR995R3": [{"asin": "B08HR995R3", "instruction": "i am interested in gray faux leather barstools", "attributes": ["faux leather", "wood finish"], "options": ["color: gray | black", "size: 26\" counter height"], "instruction_attributes": ["faux leather"], "instruction_options": ["gray | black"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788HJ5C9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08HR995R3", "instruction": "i need a faux leather barstool that is 30\" in height.", "attributes": ["faux leather", "wood finish"], "options": ["color: gray | black", "size: 30\" bar height"], "instruction_attributes": ["faux leather"], "instruction_options": ["30\" bar height"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LET0LY", "worker_id": "A2ECRNQ3X5LEXD"}], "B00NW4QK5A": [{"asin": "B00NW4QK5A", "instruction": "i am looking for certified organic sandwich crackers.", "attributes": ["trader joe", "certified organic"], "options": [""], "instruction_attributes": ["certified organic"], "instruction_options": [], "assignment_id": "3137ONMDKRFU787KL9LSMIY0J14EGL", "worker_id": "A1Q8PPQQCWGY0D"}], "B093YS4MDR": [{"asin": "B093YS4MDR", "instruction": "i want a set of 2 mesh laundry bags with deer floral arrows design.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZNAR77", "worker_id": "A2RBF3IIJP15IH"}], "B07K9C1J7G": [{"asin": "B07K9C1J7G", "instruction": "i am looking for a pc build that's a linux and it is core i5. size: no ram please and thank you", "attributes": ["ultra hd", "high speed", "core i5", "intel core"], "options": ["size: no ram | ssd | hdd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["no ram | ssd | hdd"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVVM9X2", "worker_id": "A2TRV8SEM003GG"}], "B00EE3XEN4": [{"asin": "B00EE3XEN4", "instruction": "i would like to buy individually wrapped hand crafted olive oil tortas. i would prefer them in packs of 10.", "attributes": ["hand crafted", "individually wrapped"], "options": ["size: pack of 10"], "instruction_attributes": ["hand crafted", "individually wrapped"], "instruction_options": ["pack of 10"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662ZR4MK", "worker_id": "AHXHM1PQTRWIQ"}], "B075CSVYBK": [{"asin": "B075CSVYBK", "instruction": "i am looking for some gluten free berries.", "attributes": ["non gmo", "gluten free", "dietary fiber"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBUMEJS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NR8VT9K": [{"asin": "B09NR8VT9K", "instruction": "i want a black hazel velvet king sized bed.", "attributes": ["button tufted", "king size", "contemporary style", "wood frame", "solid wood"], "options": ["color: black", "size: queen"], "instruction_attributes": ["king size"], "instruction_options": ["black"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LNY902", "worker_id": "A2RBF3IIJP15IH"}], "B09N725812": [{"asin": "B09N725812", "instruction": "i am looking for medium size tank tops for women that can be washed through hands.", "attributes": ["hand wash", "wash cold", "polyester spandex"], "options": ["color: moss", "size: medium"], "instruction_attributes": ["hand wash"], "instruction_options": ["medium"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC47YZF", "worker_id": "A1Q8PPQQCWGY0D"}], "B08ZS5C61B": [{"asin": "B08ZS5C61B", "instruction": "i am looking for a stainless steel watch bands for my smart watch. and i choose the 18mm size with black color", "attributes": ["quick release", "easy install", "stainless steel"], "options": ["color: black", "size: 18mm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["black", "18mm"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI71MYQL", "worker_id": "A2COCSUGZV28X"}], "B08F1V39HN": [{"asin": "B08F1V39HN", "instruction": "i need a super soft baby sized blanket throw for my living room.", "attributes": ["super soft", "living room"], "options": ["color: wt3553", "size: baby(30\"x40\")"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["baby(30\"x40\")"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LINL0L", "worker_id": "A1NF6PELRKACS9"}], "B07W7SQN53": [{"asin": "B07W7SQN53", "instruction": "i need a sugar free lemon cream with raspberry lemonade flavor", "attributes": ["old fashioned", "soy free", "kosher certified", "sugar free", "individually wrapped"], "options": ["flavor name: raspberry lemonade"], "instruction_attributes": ["sugar free"], "instruction_options": ["raspberry lemonade"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBC06UZ", "worker_id": "A2COCSUGZV28X"}, {"asin": "B07W7SQN53", "instruction": "i would like a mango flavored salt water taffy that is old fashioned.", "attributes": ["old fashioned", "soy free", "kosher certified", "sugar free", "individually wrapped"], "options": ["flavor name: mango"], "instruction_attributes": ["old fashioned"], "instruction_options": ["mango"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2YAZIVP", "worker_id": "A1WS884SI0SLO4"}], "B09FLSP4J4": [{"asin": "B09FLSP4J4", "instruction": "i need a white queen sized bed with storage space.", "attributes": ["queen size", "space saving", "box spring", "storage space"], "options": ["color: white", "size: queen"], "instruction_attributes": ["queen size", "storage space"], "instruction_options": ["white", "queen"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIYAMT0", "worker_id": "A1NF6PELRKACS9"}], "B07QK461YX": [{"asin": "B07QK461YX", "instruction": "i am looking for blueberry muffin scent candles that are long lasting.", "attributes": ["lead free", "long lasting"], "options": ["scent: blueberry muffin", "size: ring (size 8)"], "instruction_attributes": ["long lasting"], "instruction_options": ["blueberry muffin"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR97C0U", "worker_id": "A1Q8PPQQCWGY0D"}], "B08H8PKF88": [{"asin": "B08H8PKF88", "instruction": "i am interested in a wall mounted candle holder scone which has a glass shade.", "attributes": ["wall mounted", "glass shade"], "options": [""], "instruction_attributes": ["wall mounted", "glass shade"], "instruction_options": [], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WZZF70", "worker_id": "AHXHM1PQTRWIQ"}], "B084VGH8R2": [{"asin": "B084VGH8R2", "instruction": "i need eco friendly fully assembled and red color 3 drawer rolling file cabinet", "attributes": ["fully assembled", "eco friendly", "steel frame", "storage space"], "options": ["color: orange"], "instruction_attributes": ["fully assembled", "eco friendly"], "instruction_options": ["orange"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQSM0PW", "worker_id": "A258PTOZ3D2TQR"}], "B09SKTG812": [{"asin": "B09SKTG812", "instruction": "i am looking for red color, 3x-large pajamas polyester cotton nightgowns for women", "attributes": ["hand wash", "polyester cotton", "quality materials"], "options": ["color: red", "size: 3x-large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["red", "3x-large"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP2RTXO", "worker_id": "A258PTOZ3D2TQR"}], "B09QSZ5KX3": [{"asin": "B09QSZ5KX3", "instruction": "looking for long sleeve regular fit shirts for men that's colour black", "attributes": ["loose fit", "hand wash", "fleece lined", "wash cold", "slim fit", "machine wash", "long sleeve", "regular fit", "short sleeve", "drawstring waist", "high waist"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["machine wash", "long sleeve", "regular fit"], "instruction_options": ["black"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6NHU7J", "worker_id": "A10OGH5CQBXL5N"}], "B091C8JKQQ": [{"asin": "B091C8JKQQ", "instruction": "i am looking for an 18 light chandelier for my dining room.", "attributes": ["light fixture", "pendant light", "dining room", "living room"], "options": ["color: linear chandelier - black", "size: 18-light"], "instruction_attributes": ["dining room"], "instruction_options": ["18-light"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAUD4C99", "worker_id": "A1EREKSZAA9V7B"}], "B00I5437GM": [{"asin": "B00I5437GM", "instruction": "i am looking for some anti aging revitalizing shampoo and conditioner with natural ingredients.", "attributes": ["anti aging", "natural ingredients", "natural hair", "hair loss"], "options": ["size: 2 piece set", "style name: conditioner"], "instruction_attributes": ["anti aging", "natural ingredients"], "instruction_options": ["conditioner"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788HK5CA", "worker_id": "A1EREKSZAA9V7B"}], "B09BQT2899": [{"asin": "B09BQT2899", "instruction": "i am looking for ottomans that are round and made of pu leather", "attributes": ["pu leather", "living room"], "options": ["color: round"], "instruction_attributes": ["pu leather"], "instruction_options": ["round"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMTIW9Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B095Y6LXDV": [{"asin": "B095Y6LXDV", "instruction": "i need tamanu scented vitamin e oil for my face to reduce fine lines. i have dry skin.", "attributes": ["anti aging", "dry hair", "fine lines", "dry skin"], "options": ["scent: tamanu"], "instruction_attributes": ["fine lines", "dry skin"], "instruction_options": ["tamanu"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWU9PFN", "worker_id": "A1NF6PELRKACS9"}], "B09R4RJSFP": [{"asin": "B09R4RJSFP", "instruction": "i need a 120 ml hair mask treatment", "attributes": ["dry hair", "hair treatment", "natural hair", "hair growth"], "options": ["color: 120ml"], "instruction_attributes": ["hair treatment"], "instruction_options": ["120ml"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1GPRX2", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PY394BJ": [{"asin": "B09PY394BJ", "instruction": "i need small black ,one count easy to use dental guard", "attributes": ["bpa free", "easy clean", "easy use"], "options": ["size: small black 1 count"], "instruction_attributes": ["easy use"], "instruction_options": ["small black 1 count"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVKATUW", "worker_id": "A258PTOZ3D2TQR"}], "B0894K3JRR": [{"asin": "B0894K3JRR", "instruction": "i am looking for gluten free norwegian crispbread.", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVJN1PT", "worker_id": "A1Q8PPQQCWGY0D"}], "B098QB8QZD": [{"asin": "B098QB8QZD", "instruction": "i'm looking for stretch jeggings for women.", "attributes": ["butt lifting", "moisture wicking", "slim fit", "machine wash", "nylon spandex", "tummy control", "high waist", "elastic closure", "comfortable fit", "daily wear"], "options": ["size: large"], "instruction_attributes": ["slim fit", "high waist"], "instruction_options": ["large"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA7J8CD", "worker_id": "A21IUUHBSEVB56"}], "B092MR8TWP": [{"asin": "B092MR8TWP", "instruction": "i want to buy a dress for women which i can machine wash and has yellow color, as for the size i want it to be 4x-large.", "attributes": ["machine wash", "wash cold", "soft material", "dry clean"], "options": ["color: z7-yellow", "size: 4x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["z7-yellow", "4x-large"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQGTSQ4", "worker_id": "AJY5G987IRT25"}], "B07Q434SD2": [{"asin": "B07Q434SD2", "instruction": "i'm looking for a organic tea tree oil. also, choose vanilla flavored one.", "attributes": ["tea tree", "argan oil"], "options": ["scent: vanilla"], "instruction_attributes": ["tea tree"], "instruction_options": ["vanilla"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC58ERKJ", "worker_id": "AR0VJ5XRG16UJ"}], "B096ZXYXYZ": [{"asin": "B096ZXYXYZ", "instruction": "i would like a heart sunflower heavy duty phone case.", "attributes": ["heavy duty", "easy install", "wireless charging"], "options": ["color: heart sunflower"], "instruction_attributes": ["heavy duty"], "instruction_options": ["heart sunflower"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTWH9PI", "worker_id": "A1WS884SI0SLO4"}], "B098B35RV4": [{"asin": "B098B35RV4", "instruction": "i need black colored natural hair extensions.", "attributes": ["hair extensions", "natural hair"], "options": ["color: black", "size: 4-10 year old"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["black"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR70B6YX", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B098B35RV4", "instruction": "i need some hair extensions that are blue and pink", "attributes": ["hair extensions", "natural hair"], "options": ["color: blue | pink", "size: kids"], "instruction_attributes": ["hair extensions"], "instruction_options": ["blue | pink"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R4TYTZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q94HNBX": [{"asin": "B09Q94HNBX", "instruction": "hello, i would like to have leggings that could go up to my waist please? also, pick purple", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: purple", "size: medium"], "instruction_attributes": ["high waist"], "instruction_options": ["purple"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUK1S5M", "worker_id": "A2TRV8SEM003GG"}], "B08THCKV97": [{"asin": "B08THCKV97", "instruction": "i would like a 52 inch wide and 63 inch long pair of light grey window panels for the living room.", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: light grey", "size: w 52 x l 63 | pair"], "instruction_attributes": ["living room"], "instruction_options": ["light grey", "w 52 x l 63 | pair"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HHG6IU", "worker_id": "A1WS884SI0SLO4"}], "B089FMKLB9": [{"asin": "B089FMKLB9", "instruction": "i want a 5x7ft vinyl shabby wooden loft background for digital photography.", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 5x7ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["5x7ft"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP1NXTM", "worker_id": "A2RBF3IIJP15IH"}], "B08JKWLXTD": [{"asin": "B08JKWLXTD", "instruction": "i want a gold plated 85ft usb-c to 2 rca stereo audio cable.", "attributes": ["gold plated", "aluminum alloy", "usb port", "stereo sound"], "options": ["color: 3.5mm to 2 rca audio cable-color a", "size: 85ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["85ft"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KQIUHQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08JKWLXTD", "instruction": "gold plated stereo sound cable input usb port", "attributes": ["gold plated", "aluminum alloy", "usb port", "stereo sound"], "options": ["color: 6.35mm to 2 rca audio cable", "size: 15ft"], "instruction_attributes": ["gold plated", "usb port", "stereo sound"], "instruction_options": [], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUN1R3J", "worker_id": "A3TTGSUBIK1YCL"}], "B08R4TGCYJ": [{"asin": "B08R4TGCYJ", "instruction": "i am looking for 6 packs of nut free, soy free, dairy free chocolate candy variety pack", "attributes": ["dairy free", "nut free", "soy free", "gluten free", "individually wrapped", "non gmo"], "options": ["flavor name: variety pack", "size: 15 count (pack of 6)"], "instruction_attributes": ["dairy free", "nut free", "soy free"], "instruction_options": ["variety pack", "15 count (pack of 6)"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOANGJX", "worker_id": "A258PTOZ3D2TQR"}], "B08VVMNDD3": [{"asin": "B08VVMNDD3", "instruction": "i am looking for low calorie gelatin mix.", "attributes": ["low calorie", "source vitamin"], "options": [""], "instruction_attributes": ["low calorie"], "instruction_options": [], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XU8GNH", "worker_id": "A3FG5PQHG5AH3Y"}], "B084NZ2GKF": [{"asin": "B084NZ2GKF", "instruction": "i am looking for the perfect wedding gift of chocolates that has 27 pieces", "attributes": ["quality ingredients", "perfect gift"], "options": ["size: box of 27"], "instruction_attributes": ["perfect gift"], "instruction_options": ["box of 27"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZNF7CR", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QG6QB9K": [{"asin": "B09QG6QB9K", "instruction": "i want a teeth whitening toothpaste that removes bad breath. pick an orange one.", "attributes": ["teeth whitening", "bad breath", "fresh breath"], "options": ["color: orange"], "instruction_attributes": ["teeth whitening", "bad breath"], "instruction_options": ["orange"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZTXHSX", "worker_id": "A1NF6PELRKACS9"}], "B098KN2L32": [{"asin": "B098KN2L32", "instruction": "i would like some grass fed spicy jerky", "attributes": ["grass fed", "keto friendly"], "options": ["flavor name: sweet & spicy beef jerky"], "instruction_attributes": ["grass fed"], "instruction_options": ["sweet & spicy beef jerky"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LO4091", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SH3RXVC": [{"asin": "B09SH3RXVC", "instruction": "i'm looking for monocular telescope tripod phone mount binoculars.", "attributes": ["high power", "easy carry", "easy use", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGFTMS8", "worker_id": "A21IUUHBSEVB56"}], "B07PSSYVJ4": [{"asin": "B07PSSYVJ4", "instruction": "find me a x-small white slipknot t-shirt classic fit for men", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: men", "size: x-small"], "instruction_attributes": ["classic fit"], "instruction_options": ["white", "men", "x-small"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXZ34OW", "worker_id": "A2Y2TURT2VEYZN"}], "B0999D5BKP": [{"asin": "B0999D5BKP", "instruction": "i am looking for a refresher spray for the curl hair of my wife that is suitable for hair growth. and i choose the a pack of 3", "attributes": ["natural ingredients", "hair growth"], "options": ["size: 8.12 fl oz (pack of 3)"], "instruction_attributes": ["hair growth"], "instruction_options": ["8.12 fl oz (pack of 3)"], "assignment_id": "3TE22NPXPMMW3QH7127E47P6G8644P", "worker_id": "A2COCSUGZV28X"}], "B08BJ5RYSD": [{"asin": "B08BJ5RYSD", "instruction": "i need you to get me slip resistant shoes that has open toes and is white in color. pick a size 4.", "attributes": ["slip resistant", "open toe", "rubber sole"], "options": ["color: white", "size: 4"], "instruction_attributes": ["slip resistant", "open toe"], "instruction_options": ["white", "4"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4825YYPS", "worker_id": "A1NF6PELRKACS9"}], "B09HL5PF8X": [{"asin": "B09HL5PF8X", "instruction": "i am looking for non alcoholic sparkling refreshments in the sauvignon blanc flavor.", "attributes": ["non alcoholic", "artificial flavors"], "options": ["flavor name: sauvignon blanc", "size: pack of 12"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["sauvignon blanc"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5KAL21Z", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B09HL5PF8X", "instruction": "i would like a 12 pack of non alcoholic rose seltzer water.", "attributes": ["non alcoholic", "artificial flavors"], "options": ["flavor name: ros\u00e9 (sparkling)", "size: pack of 12"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["ros\u00e9 (sparkling)", "pack of 12"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA2C8CW", "worker_id": "A1WS884SI0SLO4"}], "B074Q2C6ZP": [{"asin": "B074Q2C6ZP", "instruction": "i am looking for anti aging cream with green tea and hyaluronic acid. i want it to be effective for dark circles", "attributes": ["anti aging", "hyaluronic acid", "green tea", "sensitive skin", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "hyaluronic acid", "green tea", "dark circles"], "instruction_options": [], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40Z5RC6", "worker_id": "A2TRV8SEM003GG"}], "B095JYNXS1": [{"asin": "B095JYNXS1", "instruction": "i need a royal blue dress with draw string closure. i am a size 17.", "attributes": ["lace closure", "drawstring closure"], "options": ["color: royal blue", "size: 17"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["royal blue", "17"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LBMRE3", "worker_id": "A1NF6PELRKACS9"}], "B0014CWPQA": [{"asin": "B0014CWPQA", "instruction": "i need 12 ounce hormel spam that is cooked fully", "attributes": ["fully cooked", "shelf stable"], "options": [""], "instruction_attributes": ["fully cooked"], "instruction_options": [], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJQ6DGW", "worker_id": "A2COCSUGZV28X"}], "B07BGS3QYM": [{"asin": "B07BGS3QYM", "instruction": "i want violet and hands free walkie talkies for adults.", "attributes": ["batteries included", "hands free"], "options": ["color: m880 violet"], "instruction_attributes": ["hands free"], "instruction_options": ["m880 violet"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUE5R9S", "worker_id": "A2RBF3IIJP15IH"}], "B09RMKGTC8": [{"asin": "B09RMKGTC8", "instruction": "i want a twin xl long lasting memory form 6 in mattress for bed", "attributes": ["high density", "ready use", "long lasting", "assembly required", "box spring", "memory foam"], "options": ["size: twin xl", "style: mattress only"], "instruction_attributes": ["long lasting", "memory foam"], "instruction_options": ["twin xl"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALDTH4P", "worker_id": "A3N9ZYQAESNFQH"}], "B09QQQWN1R": [{"asin": "B09QQQWN1R", "instruction": "i am looking for women's sandals of a7-green color that are non slippable.", "attributes": ["open toe", "non slip", "ankle strap", "arch support", "high heel", "closed toe"], "options": ["color: a7-green", "size: 8.5"], "instruction_attributes": ["non slip"], "instruction_options": ["a7-green"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKSREPP", "worker_id": "A1Q8PPQQCWGY0D"}], "B01HJWC5FE": [{"asin": "B01HJWC5FE", "instruction": "i am looking for a high speed hdmi male to female cable that is 30 feet long. pick a 2 pack one.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["pattern name: 4 pack", "size: 30-feet (2-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["30-feet (2-pack)", "hdmi male to female"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8LL4C0", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01HJWC5FE", "instruction": "i would like two packs of three foot long gold plated hdmi male to male cables.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["pattern name: 2 pack", "size: 3 feet (10 pack)", "style: hdmi male to female"], "instruction_attributes": ["gold plated"], "instruction_options": ["2 pack", "3 feet (10 pack)", "hdmi male to female"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8965A5", "worker_id": "A1WS884SI0SLO4"}], "B08X9Q5CPC": [{"asin": "B08X9Q5CPC", "instruction": "i want lundberg organic white chocolate thin stackers.", "attributes": ["certified organic", "non gmo", "chocolate covered", "gluten free"], "options": ["flavor: white chocolate lemon poppy seed"], "instruction_attributes": ["certified organic"], "instruction_options": ["white chocolate lemon poppy seed"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4DU6RT", "worker_id": "A2RBF3IIJP15IH"}], "B09SWGQL2Y": [{"asin": "B09SWGQL2Y", "instruction": "i want 1 biotin thickening herbal serum for hair growth.", "attributes": ["natural ingredients", "hair growth", "hair loss"], "options": ["color: 1 pcs"], "instruction_attributes": ["hair growth"], "instruction_options": ["1 pcs"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKP1RJPL", "worker_id": "A2RBF3IIJP15IH"}], "B00KOUK3SK": [{"asin": "B00KOUK3SK", "instruction": "i need blue and yellow headphones that have batteries included", "attributes": ["batteries included", "aaa batteries"], "options": ["color: blue | yellow", "style: dual source ir"], "instruction_attributes": ["batteries included"], "instruction_options": ["blue | yellow"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LBJRE0", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BS5LW7X": [{"asin": "B08BS5LW7X", "instruction": "i'm looking for a desktop computer with inel core core i5 10th generation.", "attributes": ["core i5", "intel core"], "options": ["graphics description: no odd", "hard disk size: 1 tb", "memory_size: 8 gb", "processor_description: 10th gen intel core i3"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["10th gen intel core i3"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXF37GX", "worker_id": "A62B826XMLK7K"}], "B08BY7S34M": [{"asin": "B08BY7S34M", "instruction": "i'm looking for electric hair clipper for men.", "attributes": ["high quality", "hair cutting"], "options": [""], "instruction_attributes": ["hair cutting"], "instruction_options": [], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSYRT6T", "worker_id": "A21IUUHBSEVB56"}], "B07MZ8T6TK": [{"asin": "B07MZ8T6TK", "instruction": "i am looking for caribbean blue color non slippable silicone cases that are compatible with apple iphone.", "attributes": ["non slip", "compatible apple"], "options": ["color: caribbean blue"], "instruction_attributes": ["non slip", "compatible apple"], "instruction_options": ["caribbean blue"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3G76N7", "worker_id": "A1Q8PPQQCWGY0D"}], "B08PC3KRFT": [{"asin": "B08PC3KRFT", "instruction": "i need a slim fitting short sleeved t-shirt in copper color. pick one in xx-large tall size.", "attributes": ["slim fit", "machine wash", "short sleeve", "everyday wear"], "options": ["color: copper", "pocket description: no pocket", "size: xx-large tall"], "instruction_attributes": ["slim fit", "short sleeve"], "instruction_options": ["copper", "xx-large tall"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227KB8FO", "worker_id": "A1NF6PELRKACS9"}], "B07KXV5WKD": [{"asin": "B07KXV5WKD", "instruction": "i am interested in buying sweatpants for men which can be machine washed have navy color, and are large size.", "attributes": ["machine wash", "drawstring closure"], "options": ["color: navy", "size: large"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy", "large"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OV4OPC", "worker_id": "AJY5G987IRT25"}], "B09KQZ9GTK": [{"asin": "B09KQZ9GTK", "instruction": "i am looking for terrace garden style conditioner that are eco friendly.", "attributes": ["sulfate free", "eco friendly", "paraben free", "natural ingredients"], "options": ["size: shampoo", "style: terrace garden"], "instruction_attributes": ["eco friendly"], "instruction_options": ["terrace garden"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X028A434", "worker_id": "A1Q8PPQQCWGY0D"}], "B075DL8NTG": [{"asin": "B075DL8NTG", "instruction": "i would like a pair of small blue shorts made of nylon spandex.", "attributes": ["polyester spandex", "nylon spandex"], "options": ["color: blue", "size: small"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["blue", "small"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PO9QEO", "worker_id": "A1WS884SI0SLO4"}], "B076MH2RS8": [{"asin": "B076MH2RS8", "instruction": "i would like to purchase gramzero banana suger free fooding mix specially low calorie dessert vanilla flavor .", "attributes": ["sugar free", "low calorie", "keto friendly", "low carb", "non gmo"], "options": ["flavor name: vanilla"], "instruction_attributes": ["low carb"], "instruction_options": [], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S4YGMH", "worker_id": "A3RBCGB309WPOC"}], "B08D8D2Q1N": [{"asin": "B08D8D2Q1N", "instruction": "i'm looking for safety boots for men and women.", "attributes": ["steel toe", "rubber sole"], "options": ["color: blue", "size: 14 women | 12.5 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["blue"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW9Z8SZ", "worker_id": "A21IUUHBSEVB56"}], "B093D3GL6X": [{"asin": "B093D3GL6X", "instruction": "i need long lasting wax candles that is scented with lemon verbera", "attributes": ["long lasting", "soy wax"], "options": ["scent: lemon verbera"], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": [], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS5S9GC", "worker_id": "A2COCSUGZV28X"}], "B098SQRW4Z": [{"asin": "B098SQRW4Z", "instruction": "i would like a 32 gb ram intel i5 core desktop mini.", "attributes": ["dual band", "core i5", "intel core"], "options": ["size: 32gb ram | 1tb ssd + 1tb hdd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["32gb ram | 1tb ssd + 1tb hdd"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADNLHAW", "worker_id": "A1WS884SI0SLO4"}], "B08289BWBK": [{"asin": "B08289BWBK", "instruction": "i'm looking for a contemporary style coffee table with tempered glass.", "attributes": ["contemporary style", "tempered glass"], "options": [""], "instruction_attributes": ["contemporary style", "tempered glass"], "instruction_options": [], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70ID2CBE", "worker_id": "AR0VJ5XRG16UJ"}], "B09NPXFG3L": [{"asin": "B09NPXFG3L", "instruction": "i want to buy usb cable for fast charging iphone, and is high speed, also it should be 3ft long, while the type should be usb c.", "attributes": ["fast charging", "high speed"], "options": ["size: 3ft", "style: usb c"], "instruction_attributes": ["fast charging", "high speed"], "instruction_options": ["3ft", "usb c"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7QE3IL", "worker_id": "AJY5G987IRT25"}], "B09F5Q16WG": [{"asin": "B09F5Q16WG", "instruction": "i'm looking for high waisted denim shorts distressed jeans for women.", "attributes": ["slim fit", "button closure", "teen girls", "daily wear"], "options": ["color: (#012)khaki", "size: large"], "instruction_attributes": ["slim fit", "button closure"], "instruction_options": ["large"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HWIBPS", "worker_id": "A21IUUHBSEVB56"}], "B01326VR0U": [{"asin": "B01326VR0U", "instruction": "i want gold and jade fresh collagen eye roller serum for dark circles.", "attributes": ["dark circles", "dry skin"], "options": ["color: gold + jade, gua sha combo"], "instruction_attributes": ["dark circles"], "instruction_options": ["gold + jade, gua sha combo"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYQ4QMH", "worker_id": "A2RBF3IIJP15IH"}], "B09PH1XZG8": [{"asin": "B09PH1XZG8", "instruction": "i would like a large tops a4c4 army green short sleeve t shirt.", "attributes": ["hand wash", "short sleeve", "long sleeve", "star wars", "tumble dry", "teen girls", "daily wear"], "options": ["color: tops a4c4 army green", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["tops a4c4 army green", "large"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT39DHJ8", "worker_id": "A1WS884SI0SLO4"}], "B09KCB2HVL": [{"asin": "B09KCB2HVL", "instruction": "i am looking for a high quality waterproof makeup bag that can be cleaned easily", "attributes": ["easy clean", "high quality"], "options": [""], "instruction_attributes": ["easy clean", "high quality"], "instruction_options": [], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHTD0JT", "worker_id": "A2COCSUGZV28X"}], "B09PG34T51": [{"asin": "B09PG34T51", "instruction": "i want white wall decoration for my beauty salon.", "attributes": ["hair salon", "beauty salon"], "options": ["color: white 4", "size: 16x24 inch,(40x60cm)framed"], "instruction_attributes": ["beauty salon"], "instruction_options": ["white 4"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTQ1LPU", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09PG34T51", "instruction": "i need some white nail polish that i would find at a beauty salon.", "attributes": ["hair salon", "beauty salon"], "options": ["color: white 5", "size: 16x24 inch,(40x60cm)framed"], "instruction_attributes": ["beauty salon"], "instruction_options": ["white 5"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1078YLI2", "worker_id": "A2ECRNQ3X5LEXD"}], "B084WTXKYT": [{"asin": "B084WTXKYT", "instruction": "i want medium brown carlxanz hair fibers for hair loss.", "attributes": ["paraben free", "hair loss"], "options": ["color: medium brown", "size: refill 50g"], "instruction_attributes": [], "instruction_options": ["medium brown"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGFQMS5", "worker_id": "A2RBF3IIJP15IH"}], "B096V19HPV": [{"asin": "B096V19HPV", "instruction": "i am interesed in buying a 12 pack travel size storage organizer.", "attributes": ["leak proof", "travel size"], "options": ["style: 12 pack"], "instruction_attributes": ["travel size"], "instruction_options": ["12 pack"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6NKU7M", "worker_id": "AHXHM1PQTRWIQ"}], "B092VRWTC7": [{"asin": "B092VRWTC7", "instruction": "i am looking non slip vinyl acetate women walking shoe size 13.5 color grey _black_white", "attributes": ["non slip", "day comfort", "ethylene vinyl", "vinyl acetate"], "options": ["color: grey_black_white", "size: 13.5 women | 11 men"], "instruction_attributes": ["non slip", "vinyl acetate"], "instruction_options": ["grey_black_white", "13.5 women | 11 men"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7ZGURN", "worker_id": "A3N9ZYQAESNFQH"}], "B07H8KZVGS": [{"asin": "B07H8KZVGS", "instruction": "i like to get a king size bedspread with high density. pick an orange cream one.", "attributes": ["high density", "machine washable", "king size"], "options": ["color: orange cream", "size: king"], "instruction_attributes": ["high density", "king size"], "instruction_options": ["orange cream", "king"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXF77G1", "worker_id": "A1NF6PELRKACS9"}], "B09FVM644T": [{"asin": "B09FVM644T", "instruction": "i need a slim fit gray colored coat that has long sleeves. it should be in x-large size.", "attributes": ["slim fit", "loose fit", "wash cold", "long sleeve", "short sleeve", "elastic waist", "relaxed fit", "daily wear"], "options": ["color: gray", "size: x-large"], "instruction_attributes": ["slim fit", "long sleeve", "daily wear"], "instruction_options": ["gray", "x-large"], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM96V1IM", "worker_id": "A1NF6PELRKACS9"}], "B08HS8PFXK": [{"asin": "B08HS8PFXK", "instruction": "i want a black and easy to use cluster mascara wand.", "attributes": ["alcohol free", "easy use"], "options": ["color: black", "size: 10mm"], "instruction_attributes": ["easy use"], "instruction_options": ["black"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49KEDT5", "worker_id": "A2RBF3IIJP15IH"}], "B08C2BYZ12": [{"asin": "B08C2BYZ12", "instruction": "i want a white tommy hilfiger men's long sleeve button down shirt.", "attributes": ["machine wash", "button closure", "classic fit", "long sleeve"], "options": ["color: white print", "size: 3xl big"], "instruction_attributes": ["long sleeve"], "instruction_options": ["white print"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20RUZ0H", "worker_id": "A2RBF3IIJP15IH"}], "B084JQFVLX": [{"asin": "B084JQFVLX", "instruction": "i am looking for grey color 4 drawers console sofa entry table for living room", "attributes": ["wood frame", "solid wood", "living room"], "options": ["color: grey"], "instruction_attributes": ["living room"], "instruction_options": ["grey"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SZ4QTO", "worker_id": "A258PTOZ3D2TQR"}], "B09NNRN32Y": [{"asin": "B09NNRN32Y", "instruction": "i am interested in buying a blue colored noise cancelling headphones with wireless bluetooth available.", "attributes": ["hands free", "dust proof", "noise cancelling", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["noise cancelling", "wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE25YGQ7", "worker_id": "AHXHM1PQTRWIQ"}], "B09C2D7VFN": [{"asin": "B09C2D7VFN", "instruction": "i would like a antique gray twin size bed.", "attributes": ["twin size", "easy assemble"], "options": ["color: antique gray+normal white(without ladder)"], "instruction_attributes": ["twin size"], "instruction_options": ["antique gray+normal white(without ladder)"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXZ7O4K", "worker_id": "A1WS884SI0SLO4"}], "B08Z8CBK34": [{"asin": "B08Z8CBK34", "instruction": "i would love to buy a heavy duty dust proof case for my iphone xs in black and gray color.", "attributes": ["heavy duty", "dust proof", "compatible apple", "case cover", "wireless charging"], "options": ["color: black & gray"], "instruction_attributes": ["heavy duty", "dust proof"], "instruction_options": ["black & gray"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOA5JGI", "worker_id": "AHXHM1PQTRWIQ"}], "B097LPYD9Z": [{"asin": "B097LPYD9Z", "instruction": "i'm looking for heels cupcake toppers for gender reveal party baby shower birthday.", "attributes": ["baby shower", "birthday party"], "options": ["style: characters | shape"], "instruction_attributes": ["baby shower"], "instruction_options": ["characters | shape"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8Z4PZC", "worker_id": "A21IUUHBSEVB56"}], "B07YJMPX7T": [{"asin": "B07YJMPX7T", "instruction": "i am looking for long sleeve x-large crew neck caramel color casual pullover", "attributes": ["loose fit", "soft material", "long sleeve", "polyester cotton", "daily wear"], "options": ["color: 01 caramel", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["01 caramel", "x-large"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1EXYGA", "worker_id": "A258PTOZ3D2TQR"}], "B09PD1GNT5": [{"asin": "B09PD1GNT5", "instruction": "i am interested in buying sandals for women which have open toe, are knee high, and are in white color, while the size should be 6.5.", "attributes": ["open toe", "knee high", "ankle strap", "steel toe", "closed toe"], "options": ["color: d white", "size: 6.5"], "instruction_attributes": ["open toe", "knee high"], "instruction_options": ["d white", "6.5"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y6YNN0", "worker_id": "AJY5G987IRT25"}], "B085DP1X9F": [{"asin": "B085DP1X9F", "instruction": "i will like to have a synthetic sole, memory foam cc corso como women's denice, size 5.5 and tan color", "attributes": ["synthetic sole", "memory foam"], "options": ["color: tan", "size: 5.5"], "instruction_attributes": ["synthetic sole", "memory foam"], "instruction_options": ["tan", "5.5"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVEX8VA", "worker_id": "A1IL2K0ELYI090"}], "B07461B3JK": [{"asin": "B07461B3JK", "instruction": "i am looking for women's pants of wine red color with elastic waistband.", "attributes": ["moisture wicking", "elastic waistband"], "options": ["color: wine red", "size: small | 33\" inseam"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["wine red"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79TIH1B", "worker_id": "A1Q8PPQQCWGY0D"}], "B07LCFSV4H": [{"asin": "B07LCFSV4H", "instruction": "i am looking for a prom dresse with unique design. and i choose the 8\" size with plum color", "attributes": ["unique design", "drawstring closure"], "options": ["color: plum", "size: 8"], "instruction_attributes": ["unique design"], "instruction_options": ["plum", "8"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FJVELY", "worker_id": "A2COCSUGZV28X"}], "B08XNHLLBS": [{"asin": "B08XNHLLBS", "instruction": "i need a set of 4 dining chairs for my dining room. it should be light grey in color.", "attributes": ["button tufted", "easy assemble", "dining room", "living room"], "options": ["color: light grey", "size: dining chairs set of 4"], "instruction_attributes": ["dining room"], "instruction_options": ["light grey", "dining chairs set of 4"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FGUK84", "worker_id": "A1NF6PELRKACS9"}], "B07T5B23NB": [{"asin": "B07T5B23NB", "instruction": "i want a 30 ml sized travel bottle which is leak proof.", "attributes": ["leak proof", "bpa free", "easy carry", "travel bottles"], "options": ["style: 30ml | 1 ounce"], "instruction_attributes": ["leak proof", "travel bottles"], "instruction_options": ["30ml | 1 ounce"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOHX1WX", "worker_id": "A1NF6PELRKACS9"}], "B095VRQH5M": [{"asin": "B095VRQH5M", "instruction": "i want to buy workout sets outfits for women which are high waist and machine washable while their color should be grey, and with the size of x-large.", "attributes": ["butt lifting", "machine washable", "hand wash", "high waist", "daily wear"], "options": ["color: grey", "size: x-large"], "instruction_attributes": ["machine washable", "high waist"], "instruction_options": ["grey", "x-large"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCM5PII", "worker_id": "AJY5G987IRT25"}], "B093KDK7V9": [{"asin": "B093KDK7V9", "instruction": "i want a travel friendly imported zipper laundry bag for blouse, hosiery ,lingeries", "attributes": ["blouse hosiery", "imported zipper", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "imported zipper", "laundry bag"], "instruction_options": [], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXY14OS", "worker_id": "A3N9ZYQAESNFQH"}], "B013WHJDGY": [{"asin": "B013WHJDGY", "instruction": "i am looking for gluten free banana flavored original protein shake", "attributes": ["gluten free", "source vitamin"], "options": ["flavor: banana"], "instruction_attributes": ["gluten free"], "instruction_options": ["banana"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMN7VX6", "worker_id": "A258PTOZ3D2TQR"}], "B00BJKPR9Y": [{"asin": "B00BJKPR9Y", "instruction": "looking for freeze dried green fruit snacks also choose size: 0.36 ounce (pack of 24)", "attributes": ["freeze dried", "nut free", "soy free", "dairy free", "gluten free"], "options": ["flavor name: cantaloupe", "size: 0.36 ounce (pack of 24)"], "instruction_attributes": ["freeze dried"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQIBJR7", "worker_id": "A10OGH5CQBXL5N"}], "B019WYQM9M": [{"asin": "B019WYQM9M", "instruction": "i want a herbal magic hair loss treatment for promoting hair growth. make sure that it is non-toxic.", "attributes": ["certified organic", "non toxic", "hair growth", "hair loss"], "options": ["color: body wash 8.5 ounce", "scent name: herbal magic"], "instruction_attributes": ["non toxic", "hair loss"], "instruction_options": ["herbal magic"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57IJI9C", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B019WYQM9M", "instruction": "i want to find a 16 ounce box of certified organic hair loss treatment with an herbal magic scent.", "attributes": ["certified organic", "non toxic", "hair growth", "hair loss"], "options": ["color: 16 ounce", "scent name: herbal magic"], "instruction_attributes": ["certified organic", "hair loss"], "instruction_options": ["16 ounce", "herbal magic"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S59GMU", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B019WYQM9M", "instruction": "i used herbal magi shampoo for hair growth", "attributes": ["certified organic", "non toxic", "hair growth", "hair loss"], "options": ["color: shampoo 2 ounce", "scent name: herbal magic"], "instruction_attributes": ["hair growth"], "instruction_options": ["herbal magic"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP8ZOC0", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B019WYQM9M", "instruction": "i want laritelle organic hair loss treatment.", "attributes": ["certified organic", "non toxic", "hair growth", "hair loss"], "options": ["color: hair treatment", "scent name: diamond strong"], "instruction_attributes": ["certified organic"], "instruction_options": ["hair treatment"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5B8MQUG", "worker_id": "A2RBF3IIJP15IH"}], "B08TW3NHZG": [{"asin": "B08TW3NHZG", "instruction": "i am interested in a fresh breath spray of peppermint flavor.", "attributes": ["fresh breath", "bad breath"], "options": [""], "instruction_attributes": ["fresh breath"], "instruction_options": [], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNV6JFK", "worker_id": "AHXHM1PQTRWIQ"}], "B07TJ9XBFJ": [{"asin": "B07TJ9XBFJ", "instruction": "i need a speaker wireless with usb port in green color", "attributes": ["usb port", "wireless bluetooth"], "options": ["color: green"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["green"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIN5EFP", "worker_id": "A2Y2TURT2VEYZN"}], "B08LQXTWLX": [{"asin": "B08LQXTWLX", "instruction": "i want black skechers sport women's d'lites memory foam shoes.", "attributes": ["leather sole", "memory foam"], "options": ["color: black | multi", "size: 7"], "instruction_attributes": ["memory foam"], "instruction_options": ["black | multi"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907VRUAE", "worker_id": "A2RBF3IIJP15IH"}], "B08NVQSL1L": [{"asin": "B08NVQSL1L", "instruction": "i want an easy to use pair of moisturizing gloves to remedy rough skin.", "attributes": ["easy use", "anti aging", "high quality", "fine lines"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "31JLPPHS254FPN8LK8H48035JZ73OA", "worker_id": "A1NF6PELRKACS9"}], "B09T6LC973": [{"asin": "B09T6LC973", "instruction": "i would like a two piece hair treatment for hair growth", "attributes": ["easy use", "natural ingredients", "hair growth", "hair loss"], "options": ["color: 2pcs"], "instruction_attributes": ["hair growth"], "instruction_options": ["2pcs"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC9J0DI", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QDT3S6Y": [{"asin": "B08QDT3S6Y", "instruction": "i am looking for high power sound bar that is also dust proof.", "attributes": ["dust proof", "high power"], "options": [""], "instruction_attributes": ["dust proof", "high power"], "instruction_options": [], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NMDBKS", "worker_id": "A1NF6PELRKACS9"}], "B09PMF152X": [{"asin": "B09PMF152X", "instruction": "i'm looking for a blue power bank with a usb port and wireless charging", "attributes": ["usb port", "wireless charging"], "options": ["color: blue"], "instruction_attributes": ["usb port", "wireless charging"], "instruction_options": ["blue"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIMP29O", "worker_id": "A2Y2TURT2VEYZN"}], "B07KM6LT41": [{"asin": "B07KM6LT41", "instruction": "i want a black 1080p hd mini projector.", "attributes": ["1080p hd", "easy carry", "stereo sound"], "options": ["color: black-white"], "instruction_attributes": ["1080p hd"], "instruction_options": ["black-white"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X012W40", "worker_id": "A2RBF3IIJP15IH"}], "B08M9M92HF": [{"asin": "B08M9M92HF", "instruction": "i would like a queen sized multicolored comforter set that's easy to clean.", "attributes": ["twin size", "easy clean"], "options": ["color: multi 47", "size: queen"], "instruction_attributes": ["easy clean"], "instruction_options": ["multi 47", "queen"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4GT8LP", "worker_id": "A1WS884SI0SLO4"}], "B09PDCS3GZ": [{"asin": "B09PDCS3GZ", "instruction": "i am interested in buying a short sleeve blouse for men which i can wash in a washing machine and it's f red in color with a size of 3x-large.", "attributes": ["light weight", "machine washable", "short sleeve", "long sleeve", "button closure"], "options": ["color: f red", "size: 3x-large"], "instruction_attributes": ["machine washable", "short sleeve"], "instruction_options": ["f red", "3x-large"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83NZIJB", "worker_id": "AJY5G987IRT25"}], "B08NP79M17": [{"asin": "B08NP79M17", "instruction": "i need a super soft throw blanket for my living room. it should be 80\"x60\" in size.", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: traditional true love tattoo", "size: 80\"x60"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["80\"x60"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3VP9Z4", "worker_id": "A1NF6PELRKACS9"}], "B071NF45HP": [{"asin": "B071NF45HP", "instruction": "i am looking for optical zoom digital camera with flexible 12\" tripod and hdmi cable", "attributes": ["optical zoom", "carrying case"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36C0R3B9", "worker_id": "A258PTOZ3D2TQR"}], "B09MTSQ9YX": [{"asin": "B09MTSQ9YX", "instruction": "i am looking for men's jacket of white-01 color having short sleeve.", "attributes": ["fleece lined", "long sleeve", "short sleeve", "daily wear"], "options": ["color: white-01", "size: 4x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["white-01"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KXA9JH", "worker_id": "A1Q8PPQQCWGY0D"}], "B002LA7WDU": [{"asin": "B002LA7WDU", "instruction": "i'm looking for a long lasting eye shadow made from natural ingredients which should be fragrance free. also, choose rose gold colored one.", "attributes": ["animal testing", "fragrance free", "long lasting", "natural ingredients", "eye shadow", "nail polish"], "options": ["color: rose gold"], "instruction_attributes": ["fragrance free", "long lasting", "natural ingredients", "eye shadow"], "instruction_options": ["rose gold"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRYHF31", "worker_id": "AR0VJ5XRG16UJ"}], "B004FOU34A": [{"asin": "B004FOU34A", "instruction": "for living room i need brushed nickel finish table lamp in black hardback shade. it should be a set of two and should include wifi smart socket.", "attributes": ["brushed nickel", "nickel finish", "living room"], "options": ["color: black hardback shade", "size: set of two - wifi smart socket included"], "instruction_attributes": ["brushed nickel", "living room"], "instruction_options": ["black hardback shade", "set of two - wifi smart socket included"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKTKSG9", "worker_id": "ASWFLI3N8X72G"}], "B09436PGKF": [{"asin": "B09436PGKF", "instruction": "can you direct me to an office desk that's easy to assemble and the size is 40x24? thank you", "attributes": ["easy assemble", "steel frame"], "options": ["color: black-new", "size: 40x24"], "instruction_attributes": ["easy assemble"], "instruction_options": ["40x24"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLO187OY", "worker_id": "A2TRV8SEM003GG"}], "B09M6BQ4GN": [{"asin": "B09M6BQ4GN", "instruction": "am trying to find an easy install floor lamps with shelves tropical green palm leaves, color 1", "attributes": ["easy install", "solid wood", "living room"], "options": ["color: color1"], "instruction_attributes": ["easy install"], "instruction_options": ["color1"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQOZ31P", "worker_id": "A1IL2K0ELYI090"}], "B085181MVT": [{"asin": "B085181MVT", "instruction": "i would like a 32 inch light good mirror that is wall mounted.", "attributes": ["wall mounted", "easy install", "living room"], "options": ["color: light gold (stainless steel frame)", "size: 32in"], "instruction_attributes": ["wall mounted"], "instruction_options": ["light gold (stainless steel frame)", "32in"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3J3YAH", "worker_id": "A1WS884SI0SLO4"}], "B08ZN23X8Q": [{"asin": "B08ZN23X8Q", "instruction": "i am looking for an easy to use facial cleaning brush that is high quality and double sided.", "attributes": ["easy use", "bpa free", "double sided", "non slip", "easy carry", "high quality"], "options": [""], "instruction_attributes": ["easy use", "double sided", "high quality"], "instruction_options": [], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I4WS14", "worker_id": "A1NF6PELRKACS9"}], "B000M51NRM": [{"asin": "B000M51NRM", "instruction": "i would like a 20 foot long 4 pack of gold plated hdmi male to male cables.", "attributes": ["high speed", "gold plated"], "options": ["pattern name: 4 pack", "size: 20 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["gold plated"], "instruction_options": ["4 pack", "20 feet (single pack)", "hdmi male to female"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY4RJ4O", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000M51NRM", "instruction": "i am looking for 3 feet (5 pack) size high speed hdmi cable.", "attributes": ["high speed", "gold plated"], "options": ["pattern name: 3 pack", "size: 3 feet (5 pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["3 feet (5 pack)"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WDZUOJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B07GZK147G": [{"asin": "B07GZK147G", "instruction": "i would like to buy a 5x5 feet easy to clean grass mat for the lawn which is eco friendly.", "attributes": ["eco friendly", "high density", "easy clean"], "options": ["size: 5 x 5 feet"], "instruction_attributes": ["eco friendly", "easy clean"], "instruction_options": ["5 x 5 feet"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E24653B", "worker_id": "AHXHM1PQTRWIQ"}, {"asin": "B07GZK147G", "instruction": "i want to find a 4 x 50 foot artificial glass turf that is easy to clean.", "attributes": ["eco friendly", "high density", "easy clean"], "options": ["size: 4 x 50 feet"], "instruction_attributes": ["easy clean"], "instruction_options": ["4 x 50 feet"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODMMEW6", "worker_id": "A345TDMHP3DQ3G"}], "B07LGYG1MH": [{"asin": "B07LGYG1MH", "instruction": "i am interested in buying brownies which are plant based and gluten free, with a 4 flavor variety pack, and come in pack of 8 of 1.9 ounce.", "attributes": ["plant based", "gluten free", "non gmo", "individually wrapped", "natural ingredients"], "options": ["flavor name: 4 flavor variety pack", "size: 1.9 ounce (pack of 8)"], "instruction_attributes": ["plant based", "gluten free"], "instruction_options": ["4 flavor variety pack", "1.9 ounce (pack of 8)"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662ZTM44", "worker_id": "AJY5G987IRT25"}], "B09SPSFZ1S": [{"asin": "B09SPSFZ1S", "instruction": "i need closed toe flats that are red in a size 5.5", "attributes": ["open toe", "non slip", "hand wash", "lace closure", "high heel", "closed toe"], "options": ["color: red", "size: 5.5"], "instruction_attributes": ["closed toe"], "instruction_options": ["red", "5.5"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTOXV5W", "worker_id": "A2ECRNQ3X5LEXD"}], "B077TTY6D9": [{"asin": "B077TTY6D9", "instruction": "i need a 3x-large porg star wars t-shirt with charcoal heather 070", "attributes": ["machine washable", "machine wash", "star wars"], "options": ["color: charcoal heather 070", "size: 3x-large"], "instruction_attributes": ["star wars"], "instruction_options": ["charcoal heather 070", "3x-large"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYL36L1", "worker_id": "A2Y2TURT2VEYZN"}], "B07Y46SC5W": [{"asin": "B07Y46SC5W", "instruction": "i would like a navy men's classic fit cami.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: men", "size: x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["navy", "men"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZWQ409", "worker_id": "A2ECRNQ3X5LEXD"}], "B077ZBM5NF": [{"asin": "B077ZBM5NF", "instruction": "i'm looking for a rejuvenating oil serum for damaged hair", "attributes": ["argan oil", "damaged hair"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "3HPZF4IVNX3FW186JO133U513MHYCC", "worker_id": "A2Y2TURT2VEYZN"}], "B08513K2H6": [{"asin": "B08513K2H6", "instruction": "i want 4 pack of old fashioned sophia italian crackers.", "attributes": ["old fashioned", "individually wrapped"], "options": ["size: 4-pack"], "instruction_attributes": ["old fashioned"], "instruction_options": ["4-pack"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCLG0E7", "worker_id": "A2RBF3IIJP15IH"}], "B096S7JQ8L": [{"asin": "B096S7JQ8L", "instruction": "i need a machine washable decorative elastic edged square fitted tablecloth fit for square table 42\"x42\"", "attributes": ["machine washable", "easy install"], "options": ["color: square tablecover 15", "size: fitted tablecolth-fit square table 42\"x42\""], "instruction_attributes": ["machine washable"], "instruction_options": ["square tablecover 15", "fitted tablecolth-fit square table 42\"x42\""], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ3MRNR", "worker_id": "A258PTOZ3D2TQR"}], "B09PFYL3TX": [{"asin": "B09PFYL3TX", "instruction": "i am looking glitter eyeshadow long lasting easy apply color #15", "attributes": ["long lasting", "easy apply", "eye shadow"], "options": ["color: color # 15", "size: 1bottle"], "instruction_attributes": ["long lasting", "easy apply", "eye shadow"], "instruction_options": ["color # 15"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ27501744P43", "worker_id": "A3N9ZYQAESNFQH"}], "B09QKVGF9R": [{"asin": "B09QKVGF9R", "instruction": "i am interested in acquiring a mattress which is fully assembled and of high density, and it should be only mattress in twin style.", "attributes": ["ready use", "fully assembled", "high density", "memory foam", "box spring"], "options": ["size: mattress only", "style: twin"], "instruction_attributes": ["fully assembled", "high density"], "instruction_options": ["mattress only", "twin"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP95AOJ", "worker_id": "AJY5G987IRT25"}], "B081RKGG84": [{"asin": "B081RKGG84", "instruction": "i need a storage case for false teeth. make sure that it is leak proof.", "attributes": ["leak proof", "non toxic", "storage case"], "options": [""], "instruction_attributes": ["leak proof", "storage case"], "instruction_options": [], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH3A4Z2", "worker_id": "A1NF6PELRKACS9"}], "B07YB4LXM7": [{"asin": "B07YB4LXM7", "instruction": "i am looking for contemporary design privacy protected panel for living room, its size should be 52\" wide by 90\" length", "attributes": ["machine washable", "contemporary design", "dining room", "living room"], "options": ["color: rvw4613", "size: 52\" w by 90\" l"], "instruction_attributes": ["contemporary design", "living room"], "instruction_options": ["52\" w by 90\" l"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQIDHH9", "worker_id": "A258PTOZ3D2TQR"}], "B07PP7JXBM": [{"asin": "B07PP7JXBM", "instruction": "i am looking for a lavender scented foot peel mask suitable for dry skin which removes dead skin and fine lines.", "attributes": ["easy use", "tea tree", "dead skin", "fine lines", "dry skin"], "options": ["scent: lavender"], "instruction_attributes": ["dead skin", "fine lines", "dry skin"], "instruction_options": ["lavender"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTBXLNV", "worker_id": "A1V2JTEEBCXR20"}], "B08H4SXMWS": [{"asin": "B08H4SXMWS", "instruction": "i am looking for a large women's long sleeve tunic with pockets and is machine washable.", "attributes": ["light weight", "machine washable", "machine wash", "long sleeve", "button closure", "daily wear"], "options": ["color: deep green", "size: large"], "instruction_attributes": ["machine washable", "long sleeve"], "instruction_options": ["large"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYQZ6M9", "worker_id": "A1EREKSZAA9V7B"}], "B07NFRZ7RV": [{"asin": "B07NFRZ7RV", "instruction": "i am looking for x-large navy color lion king jungle trio graphic machine wash t-shirt for men", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: men", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy", "men", "x-large"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6MRB26", "worker_id": "A258PTOZ3D2TQR"}], "B08Q2WDK2B": [{"asin": "B08Q2WDK2B", "instruction": "i need a fragrance free facial wash", "attributes": ["dermatologist tested", "fragrance free", "paraben free", "cruelty free"], "options": [""], "instruction_attributes": ["fragrance free"], "instruction_options": [], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHTF0JV", "worker_id": "A2ECRNQ3X5LEXD"}], "B07R5PTBY2": [{"asin": "B07R5PTBY2", "instruction": "i'm looking for hollister festival nite men spray.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["design house"], "instruction_options": [], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY9E0US", "worker_id": "A21IUUHBSEVB56"}], "B096M5KV1H": [{"asin": "B096M5KV1H", "instruction": "i need a wall mounted white coat hook", "attributes": ["ready use", "eco friendly", "wall mounted", "space saving", "easy install"], "options": ["color: whiteblack2"], "instruction_attributes": ["wall mounted"], "instruction_options": ["whiteblack2"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95VVXQH", "worker_id": "A2ECRNQ3X5LEXD"}], "B096FM43Y4": [{"asin": "B096FM43Y4", "instruction": "i want to buy medium sized hand washable casual trousers which can be used for daily wear.", "attributes": ["wide leg", "straight leg", "loose fit", "wash cold", "hand wash", "machine wash", "high waist", "polyester spandex", "daily wear"], "options": ["color: 1b red", "size: medium"], "instruction_attributes": ["hand wash", "polyester spandex"], "instruction_options": ["medium"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG5XBGQ", "worker_id": "AHXHM1PQTRWIQ"}], "B09S8TQN8N": [{"asin": "B09S8TQN8N", "instruction": "i would like a sparkling dry moscato that is non alcoholic.", "attributes": ["non alcoholic", "artificial flavors"], "options": ["flavor name: sparkling dry moscato"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["sparkling dry moscato"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO7QC2D", "worker_id": "A1WS884SI0SLO4"}], "B09HL6VRRR": [{"asin": "B09HL6VRRR", "instruction": "i want a modern home luxe spyder height adjustable bar stool.", "attributes": ["height adjustable", "easy clean"], "options": [""], "instruction_attributes": ["height adjustable"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL2XAVG", "worker_id": "A2RBF3IIJP15IH"}], "B09QGGQ4Q6": [{"asin": "B09QGGQ4Q6", "instruction": "i want a small sized t-shirt that has long sleeves. it is for a teenage girl.", "attributes": ["loose fit", "day comfort", "hand wash", "short sleeve", "polyester spandex", "long sleeve", "teen girls"], "options": ["color: q23-orange", "size: small"], "instruction_attributes": ["long sleeve", "teen girls"], "instruction_options": ["small"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KZS7EK", "worker_id": "A1NF6PELRKACS9"}], "B09H48GXQ9": [{"asin": "B09H48GXQ9", "instruction": "i'm looking for long sleeve open front chunky knit draped sweaters.", "attributes": ["hand wash", "long sleeve", "short sleeve", "tumble dry", "daily wear"], "options": ["color: 03 # gray", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYXIHVT", "worker_id": "A21IUUHBSEVB56"}], "B09PRLRZ88": [{"asin": "B09PRLRZ88", "instruction": "i am looking for a pink colored body brush with long handle. it should suit my sensitive skin.", "attributes": ["high quality", "long handle", "sensitive skin"], "options": ["color: pink"], "instruction_attributes": ["long handle", "sensitive skin"], "instruction_options": ["pink"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQJQEKV", "worker_id": "A1NF6PELRKACS9"}], "B07PWC3T3T": [{"asin": "B07PWC3T3T", "instruction": "i am looking for a canvas giclee print art suitable for my living room . and i choose the 28\"x40\" size", "attributes": ["ready hang", "dining room", "living room"], "options": ["size: 28\"x40\""], "instruction_attributes": ["living room"], "instruction_options": ["28\"x40\""], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTWG9PH", "worker_id": "A2COCSUGZV28X"}], "B06XWJ4TZC": [{"asin": "B06XWJ4TZC", "instruction": "i am looking for a oil free face wash", "attributes": ["oil free", "fragrance free", "paraben free"], "options": [""], "instruction_attributes": ["oil free"], "instruction_options": [], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOHHTAJ", "worker_id": "A9QRQL9CFJBI7"}], "B00I4WT6QU": [{"asin": "B00I4WT6QU", "instruction": "i'm looking for a heavy duty wall mountable projection screen with ultra hd resolution. also, choose 16:9, 200\", high contrast material one,", "attributes": ["wall mounted", "ultra hd", "heavy duty"], "options": ["color: high contrast material", "size: 16:9, 200\""], "instruction_attributes": ["wall mounted", "ultra hd", "heavy duty"], "instruction_options": ["high contrast material", "16:9, 200\""], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TGKMNV", "worker_id": "AR0VJ5XRG16UJ"}], "B019IOGR4Q": [{"asin": "B019IOGR4Q", "instruction": "i would like two 100 foot long gold plated hdmi male to male cables.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 100-feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["gold plated"], "instruction_options": ["2 pack", "100-feet (single pack)", "hdmi male to male"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95UOQX1", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B019IOGR4Q", "instruction": "i am looking for a high speed male to female hdmi cable.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 1 pack", "size: 3 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["hdmi male to female"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODQOWEY", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B019IOGR4Q", "instruction": "i need a high speed hdmi male to female gold plated cable.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 8-feet (4-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["hdmi male to female"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACQ9HNX", "worker_id": "A1NF6PELRKACS9"}], "B07Y375BJ7": [{"asin": "B07Y375BJ7", "instruction": "i am looking for brown color, sleeveless polyester cotton jumpsuit and size is large", "attributes": ["polyester cotton", "daily wear"], "options": ["color: print#brown", "size: large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["large"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVO80QN", "worker_id": "A258PTOZ3D2TQR"}], "B084C131WS": [{"asin": "B084C131WS", "instruction": "i would like some aluminum alloy binoculars.", "attributes": ["easy carry", "aluminum alloy"], "options": [""], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLQ64I3", "worker_id": "A1WS884SI0SLO4"}], "B07NMTMJNK": [{"asin": "B07NMTMJNK", "instruction": "i would like 30 x 30 x 46 cm blue ottoman with a solid wood frame.", "attributes": ["solid wood", "faux leather"], "options": ["color: blue", "size: 30x30x46cm"], "instruction_attributes": ["solid wood"], "instruction_options": ["blue", "30x30x46cm"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNCC10P", "worker_id": "A1WS884SI0SLO4"}], "B09J2T7GCT": [{"asin": "B09J2T7GCT", "instruction": "i can't find this product, please help! smart remote control, htt381 htct380 htct381 remote control replacement for office with batteries included asap, i'm waiting for your reply in minutes", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTWS7L6", "worker_id": "A15IJ20C3R4HUO"}], "B01K5SBF7I": [{"asin": "B01K5SBF7I", "instruction": "i am looking for low sugar, low calorie, gmo free, gluten free , soy free , vanilla caramel protein bars", "attributes": ["low sugar", "plant based", "low calorie", "low carb", "dairy free", "non gmo", "lactose free", "gmo free", "non dairy", "gluten free", "soy free", "keto friendly", "sugar free", "individually wrapped", "artificial flavors"], "options": ["color: vanilla caramel"], "instruction_attributes": ["low sugar", "low calorie", "gmo free", "gluten free", "soy free"], "instruction_options": ["vanilla caramel"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLWW03M", "worker_id": "AX2EWYWZM19AZ"}], "B093BKNKM3": [{"asin": "B093BKNKM3", "instruction": "i want an army green modos logicos case for apple phones.", "attributes": ["compatible apple", "hands free"], "options": ["color: armygreen(ml002)", "size: ml002"], "instruction_attributes": ["compatible apple"], "instruction_options": ["armygreen(ml002)"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3NMYRK", "worker_id": "A2RBF3IIJP15IH"}], "B07XD615H3": [{"asin": "B07XD615H3", "instruction": "i want a maui moisture shine conditioner for dry hair.", "attributes": ["coconut oil", "dry hair"], "options": ["style: conditioner"], "instruction_attributes": ["dry hair"], "instruction_options": ["conditioner"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M20N94T", "worker_id": "A2RBF3IIJP15IH"}], "B01HZ20R9Y": [{"asin": "B01HZ20R9Y", "instruction": "i want a stereo sound wired gaming headset.", "attributes": ["hands free", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJL1LBYM", "worker_id": "A2RBF3IIJP15IH"}], "B00T90UPAC": [{"asin": "B00T90UPAC", "instruction": "i want a white amanti wall mounted mirror.", "attributes": ["wall mounted", "wood frame", "white finish", "living room"], "options": ["color: sonoma white wash", "size: glass size 16x20"], "instruction_attributes": ["wall mounted"], "instruction_options": ["sonoma white wash"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPOAE6U", "worker_id": "A2RBF3IIJP15IH"}], "B00ON1HJ8S": [{"asin": "B00ON1HJ8S", "instruction": "i would like to buy a peach high 490 colored long lasting lipstick.", "attributes": ["cruelty free", "long lasting"], "options": ["color: peach high 490"], "instruction_attributes": ["long lasting"], "instruction_options": ["peach high 490"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOA6JGJ", "worker_id": "AHXHM1PQTRWIQ"}], "B08VDWHY7X": [{"asin": "B08VDWHY7X", "instruction": "i am looking for a high definition binoculars & scopes", "attributes": ["high definition", "bird watching"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYQJHDZ", "worker_id": "A9QRQL9CFJBI7"}], "B095JH58ZN": [{"asin": "B095JH58ZN", "instruction": "i need a high heel sandal of size 6.5\"", "attributes": ["open toe", "high heel"], "options": ["size: 6.5"], "instruction_attributes": ["high heel"], "instruction_options": ["6.5"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQ0N4BV", "worker_id": "A2COCSUGZV28X"}], "B09NRJKQ84": [{"asin": "B09NRJKQ84", "instruction": "i need a yellow colored slim fit t-shirt that has short sleeves.", "attributes": ["slim fit", "short sleeve", "contrast color", "regular fit", "long sleeve", "gym workout"], "options": ["color: yellow", "size: 3x-large"], "instruction_attributes": ["slim fit", "short sleeve"], "instruction_options": ["yellow"], "assignment_id": "33TIN5LC0FKDY31374RC144TX1HY9Y", "worker_id": "A1NF6PELRKACS9"}], "B09BZSMPX8": [{"asin": "B09BZSMPX8", "instruction": "i am looking for an easy to install high speed 4g lte signal booster.", "attributes": ["easy install", "high speed", "4g lte"], "options": [""], "instruction_attributes": ["easy install", "high speed", "4g lte"], "instruction_options": [], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFIP024", "worker_id": "A1EREKSZAA9V7B"}], "B08BZKS922": [{"asin": "B08BZKS922", "instruction": "i am looking for contemporary design polyester fabric storage ottoman bench with legs in white color", "attributes": ["button tufted", "contemporary design", "living room"], "options": ["color: white"], "instruction_attributes": ["contemporary design"], "instruction_options": ["white"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IUA232", "worker_id": "AX2EWYWZM19AZ"}], "B09NTCCVGX": [{"asin": "B09NTCCVGX", "instruction": "i want to buy a folding storage box ottoman which i can easily install and has faux leather, the size of it should be 60x40x40cm.", "attributes": ["non slip", "easy install", "faux leather"], "options": ["size: 60x40x40cm"], "instruction_attributes": ["easy install", "faux leather"], "instruction_options": ["60x40x40cm"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R3X7W0", "worker_id": "AJY5G987IRT25"}], "B07JMK7Q8H": [{"asin": "B07JMK7Q8H", "instruction": "i am looking for low calorie, gluten free protein smoothie squeeze pouch of variety pack with all five flavors, 4.5 ounce (pack of 9)", "attributes": ["low calorie", "soy free", "gluten free", "real fruit", "simple ingredients"], "options": ["flavor name: variety-all whey flavors", "size: 4.5 ounce (pack of 9)"], "instruction_attributes": ["low calorie", "gluten free"], "instruction_options": ["variety-all whey flavors", "4.5 ounce (pack of 9)"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTTXE5C", "worker_id": "A258PTOZ3D2TQR"}], "B09NP6YFHW": [{"asin": "B09NP6YFHW", "instruction": "i ma interested in buying a pack of 6, gluten free chocolate gems.", "attributes": ["non gmo", "gluten free", "resealable bag"], "options": ["size: 5 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["5 ounce (pack of 6)"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBIQJD9", "worker_id": "AHXHM1PQTRWIQ"}], "B089YTQ21G": [{"asin": "B089YTQ21G", "instruction": "i am looking for a hair scalp brush that stimulates hair growth and exfoliates dandruff.", "attributes": ["easy use", "hair growth", "hair removal"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIZ39TO", "worker_id": "A1NF6PELRKACS9"}], "B07ZK9F9DH": [{"asin": "B07ZK9F9DH", "instruction": "i need a 15 feet coaxial cable that is compatible with apple tv.", "attributes": ["compatible apple", "blu ray", "plug play"], "options": ["size: 15feet"], "instruction_attributes": ["compatible apple"], "instruction_options": ["15feet"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH37Z4U", "worker_id": "A1NF6PELRKACS9"}], "B08XLV5GCK": [{"asin": "B08XLV5GCK", "instruction": "i would like a cosmetic case for my nail polish.", "attributes": ["easy clean", "storage case", "nail polish"], "options": [""], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTWQ7L4", "worker_id": "A1WS884SI0SLO4"}], "B09M74H6QX": [{"asin": "B09M74H6QX", "instruction": "i am looking for a white platform bed that is easy to assemble.", "attributes": ["easy assemble", "box spring"], "options": ["color: white", "size: twin"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUXCQJI", "worker_id": "A1NF6PELRKACS9"}], "B07QW1G8MW": [{"asin": "B07QW1G8MW", "instruction": "i need some kosher sea salt", "attributes": ["kosher certified", "resealable bag", "artificial flavors"], "options": [""], "instruction_attributes": ["kosher certified"], "instruction_options": [], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DYMTOJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07N1CN1FQ": [{"asin": "B07N1CN1FQ", "instruction": "i am looking for a purple toiletry bag that is water resistant", "attributes": ["water resistant", "oral hygiene"], "options": ["color: denim purple", "size: medium"], "instruction_attributes": ["water resistant"], "instruction_options": ["denim purple"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYS19Q7", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LR2JWBG": [{"asin": "B09LR2JWBG", "instruction": "i would like a b type vr headset that has aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": ["color: b type"], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": ["b type"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC58FRKK", "worker_id": "A1WS884SI0SLO4"}], "B07MG8XM7R": [{"asin": "B07MG8XM7R", "instruction": "search for unsalted pretzels that are individually wrapped. it should also be shelf stable.", "attributes": ["individually wrapped", "shelf stable"], "options": ["flavor name: unsalted", "size: 5.99 ounce (pack of 1)"], "instruction_attributes": ["individually wrapped", "shelf stable"], "instruction_options": ["unsalted"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4WOK7H", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07MG8XM7R", "instruction": "i need some unsalted pretzels that are individually wrapped in a pack of 25.", "attributes": ["individually wrapped", "shelf stable"], "options": ["flavor name: unsalted", "size: 6 ounce (pack of 25)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["unsalted", "6 ounce (pack of 25)"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZJ87RD", "worker_id": "A2ECRNQ3X5LEXD"}], "B0968QW5TN": [{"asin": "B0968QW5TN", "instruction": "i would like a two pack of tempered glass screen protectors", "attributes": ["high definition", "glass screen", "tempered glass"], "options": ["color: 2 pack", "size: samsung galaxy a20e"], "instruction_attributes": ["tempered glass"], "instruction_options": ["2 pack"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UXOY0N", "worker_id": "A2ECRNQ3X5LEXD"}], "B08XXFRVHV": [{"asin": "B08XXFRVHV", "instruction": "i need an all-in-one cleanser that is dermatologist tested.", "attributes": ["dermatologist tested", "easy carry"], "options": ["style: all-in-one cleanser"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["all-in-one cleanser"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH3B4Z3", "worker_id": "A1NF6PELRKACS9"}], "B08H6P5677": [{"asin": "B08H6P5677", "instruction": "i am looking for some gluten free pudina party flavored puffed snacks.", "attributes": ["gluten free", "natural flavors"], "options": ["flavor: pudina party"], "instruction_attributes": ["gluten free"], "instruction_options": ["pudina party"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3RAD0RR", "worker_id": "A1EREKSZAA9V7B"}], "B08JJ8Z6ZQ": [{"asin": "B08JJ8Z6ZQ", "instruction": "i am looking for a pair of women's size 11 sandals with arch support.", "attributes": ["open toe", "closed toe", "arch support"], "options": ["color: blue", "size: 11"], "instruction_attributes": ["arch support"], "instruction_options": ["11"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM8WZHJ", "worker_id": "A1EREKSZAA9V7B"}], "B07NPG61K4": [{"asin": "B07NPG61K4", "instruction": "i would like a 24 inch dark blonde mix hair extension.", "attributes": ["easy apply", "hair extensions", "synthetic hair"], "options": ["color: dark blonde mix bleach blonde", "size: 24 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["dark blonde mix bleach blonde", "24 inch"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFV50TZ", "worker_id": "A1WS884SI0SLO4"}], "B09Q93F425": [{"asin": "B09Q93F425", "instruction": "i am looking for a green colored high definition tablet pc.", "attributes": ["high definition", "aluminum alloy"], "options": ["color: green", "size: european standard"], "instruction_attributes": ["high definition"], "instruction_options": ["green"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQJRKE2", "worker_id": "A1NF6PELRKACS9"}], "B09MDH6FV2": [{"asin": "B09MDH6FV2", "instruction": "i am looking for golden tooth hygiene kit made up of stainless steel.", "attributes": ["high quality", "easy clean", "easy use", "storage case", "stainless steel", "fresh breath"], "options": ["color: golden"], "instruction_attributes": ["stainless steel"], "instruction_options": ["golden"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEMMQ82", "worker_id": "A3FG5PQHG5AH3Y"}], "B002XULCB6": [{"asin": "B002XULCB6", "instruction": "i'm looking for a ready to drink protein shake which should be free from gluten and has low sugar and fat. also choose strawberry cream one.", "attributes": ["protein serving", "keto friendly", "low sugar", "low fat", "high protein", "gluten free"], "options": ["style: strawberry cream"], "instruction_attributes": ["low sugar", "low fat", "gluten free"], "instruction_options": ["strawberry cream"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJYRXRGG", "worker_id": "AR0VJ5XRG16UJ"}], "B07ZCK7PXZ": [{"asin": "B07ZCK7PXZ", "instruction": "i am interested in a 8 by 6ft digital photography background", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 8x6ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["8x6ft"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UHIQQI9", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QSBH418": [{"asin": "B09QSBH418", "instruction": "i am looking for some high quality reusable spray bottles that are easy to clean.", "attributes": ["non toxic", "easy clean", "high quality", "fine mist", "travel bottles"], "options": [""], "instruction_attributes": ["easy clean", "high quality"], "instruction_options": [], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI78JZGK", "worker_id": "A1EREKSZAA9V7B"}], "B07TTLSPTW": [{"asin": "B07TTLSPTW", "instruction": "i want 24\" x 24\" pink purple throw pillow cover for living room sofa", "attributes": ["machine washable", "dining room", "living room"], "options": ["color: pink purple", "size: 24\"x24\""], "instruction_attributes": ["living room"], "instruction_options": ["pink purple", "24\"x24\""], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1IN80L", "worker_id": "ASWFLI3N8X72G"}, {"asin": "B07TTLSPTW", "instruction": "i want to find 24x24 inch dark blue decorative pillow covers that i can use in my living room.", "attributes": ["machine washable", "dining room", "living room"], "options": ["color: dark blue", "size: 24\"x24\""], "instruction_attributes": ["living room"], "instruction_options": ["dark blue", "24\"x24\""], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUJRZVL", "worker_id": "A345TDMHP3DQ3G"}], "B09RWHH1TF": [{"asin": "B09RWHH1TF", "instruction": "i want to buy a cabinet which i can put in living room and it's easy to clean, while it's color should be light brown.", "attributes": ["white item", "easy clean", "living room", "dining room"], "options": ["color: light brown"], "instruction_attributes": ["easy clean", "living room"], "instruction_options": ["light brown"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLO1Y7OO", "worker_id": "AJY5G987IRT25"}], "B09NLTFT8R": [{"asin": "B09NLTFT8R", "instruction": "i need wireless bluetooth noise cancelling headphone in black 2 color", "attributes": ["noise cancelling", "wireless bluetooth"], "options": ["color: black 2"], "instruction_attributes": ["noise cancelling", "wireless bluetooth"], "instruction_options": ["black 2"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTWF9PG", "worker_id": "ASWFLI3N8X72G"}], "B005CN6ORI": [{"asin": "B005CN6ORI", "instruction": "looking for long-wear eyeliner that is easy to apply also choose barrow street", "attributes": ["easy apply", "long lasting"], "options": ["color: barrow street"], "instruction_attributes": ["easy apply"], "instruction_options": ["barrow street"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZPR1YQ", "worker_id": "A10OGH5CQBXL5N"}], "B078TL8M4B": [{"asin": "B078TL8M4B", "instruction": "i want double sided throw pillow cover in blue mustard color.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: blue mustard", "size: 36\" x 16\""], "instruction_attributes": ["double sided"], "instruction_options": ["blue mustard"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL32D7QT", "worker_id": "A1NF6PELRKACS9"}], "B09L7X5B9P": [{"asin": "B09L7X5B9P", "instruction": "i need a laptop with intel quad core i5 processor. it should also have 8gb ddr4 ram and 512 gb pcie ssd.", "attributes": ["core i5", "intel core", "quad core"], "options": ["capacity: 8gb ddr4 ram, 512gb pcie ssd"], "instruction_attributes": ["core i5", "intel core", "quad core"], "instruction_options": ["8gb ddr4 ram, 512gb pcie ssd"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRYL3FT", "worker_id": "ASWFLI3N8X72G"}], "B08H1RRNGK": [{"asin": "B08H1RRNGK", "instruction": "i need black hair cutting shears", "attributes": ["easy clean", "high quality", "hair cutting"], "options": ["color: waterproof black"], "instruction_attributes": ["hair cutting"], "instruction_options": ["waterproof black"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCLLE0Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B08H12XR6B": [{"asin": "B08H12XR6B", "instruction": "i'm looking for professional hair cutting barber scissors.", "attributes": ["easy use", "high quality", "stainless steel", "hair cutting"], "options": ["color: silver"], "instruction_attributes": ["easy use", "hair cutting"], "instruction_options": ["silver"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQGA91D", "worker_id": "A21IUUHBSEVB56"}], "B01HJWDJG8": [{"asin": "B01HJWDJG8", "instruction": "i want to buy a male to male hdmi cable which supports high speed data transfer. it would be good if it is gold plated.", "attributes": ["high speed", "gold plated"], "options": ["color: 10 pack", "size: 8 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["10 pack"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80GUQ1W", "worker_id": "AHXHM1PQTRWIQ"}], "B000IZ8KZ4": [{"asin": "B000IZ8KZ4", "instruction": "i would like anti-dandruff shampoo that is tea tree.", "attributes": ["plant based", "tea tree"], "options": ["style: anti-dandruff"], "instruction_attributes": ["tea tree"], "instruction_options": ["anti-dandruff"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL7TAE9", "worker_id": "A1WS884SI0SLO4"}], "B0999FNKDM": [{"asin": "B0999FNKDM", "instruction": "i need memory foam slippers that are black in a size 11-11.5", "attributes": ["open toe", "unique design", "arch support", "memory foam", "rubber sole"], "options": ["color: black", "size: 11-11.5"], "instruction_attributes": ["memory foam"], "instruction_options": ["black", "11-11.5"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1PNITD", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CTC8F3F": [{"asin": "B07CTC8F3F", "instruction": "i would like a large champagne colored shower cap for natural hair.", "attributes": ["easy use", "natural hair", "dry hair"], "options": ["color: champagne", "size: large"], "instruction_attributes": ["natural hair"], "instruction_options": ["champagne", "large"], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWIE0KT", "worker_id": "A1WS884SI0SLO4"}], "B07CKMBDQQ": [{"asin": "B07CKMBDQQ", "instruction": "i would like a turquoise makeup crayon that is fragrance free.", "attributes": ["animal testing", "dermatologist tested", "fragrance free", "non toxic", "sensitive skin"], "options": ["color: turquoise"], "instruction_attributes": ["fragrance free"], "instruction_options": ["turquoise"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP2UXTV", "worker_id": "A1WS884SI0SLO4"}], "B08DYCQL3M": [{"asin": "B08DYCQL3M", "instruction": "i would like almond butter that is keto friendly and comes in a gift box", "attributes": ["plant based", "low sugar", "gluten free", "soy free", "keto friendly", "dairy free", "natural flavors"], "options": ["flavor name: gift box", "size: 11 ounce (pack of 6)"], "instruction_attributes": ["keto friendly"], "instruction_options": ["gift box"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E050X7G", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KFHH7RX": [{"asin": "B07KFHH7RX", "instruction": "i want a morden art paint throw pillow cover size 20\"*20\" color 02", "attributes": ["eco friendly", "living room"], "options": ["color: color 02", "size: 20\"x20\""], "instruction_attributes": ["living room"], "instruction_options": ["color 02", "20\"x20\""], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI71KQYB", "worker_id": "A3N9ZYQAESNFQH"}], "B089SXR1ZX": [{"asin": "B089SXR1ZX", "instruction": "i need high waisted grey pants.", "attributes": ["high waist", "tummy control", "relaxed fit", "daily wear"], "options": ["color: deep grey", "fit type: 29'' inseam(petitie)", "size: small tall"], "instruction_attributes": ["high waist"], "instruction_options": ["deep grey"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH4IH6T", "worker_id": "A2ECRNQ3X5LEXD"}], "B08XJWLLKQ": [{"asin": "B08XJWLLKQ", "instruction": "i am looking for a green tea detox & repair shampoo", "attributes": ["green tea", "dry hair"], "options": ["style name: detox & repair shampoo"], "instruction_attributes": ["green tea"], "instruction_options": ["detox & repair shampoo"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8KYNZ9", "worker_id": "A9QRQL9CFJBI7"}], "B0734476MY": [{"asin": "B0734476MY", "instruction": "i would like a king sized grey umbria daybed with a box spring.", "attributes": ["box spring", "faux leather", "memory foam"], "options": ["color: grey (faux leather)", "size: king", "style: umbria (daybed)"], "instruction_attributes": ["box spring"], "instruction_options": ["grey (faux leather)", "king", "umbria (daybed)"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHWA88SA", "worker_id": "A1WS884SI0SLO4"}], "B07RTBG8ZQ": [{"asin": "B07RTBG8ZQ", "instruction": "i want a white anferstore simple modern coffee table for my living room.", "attributes": ["easy assemble", "coated steel", "steel frame", "solid wood", "living room"], "options": ["color: white"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H7RU8A", "worker_id": "A2RBF3IIJP15IH"}], "B088JVB7SD": [{"asin": "B088JVB7SD", "instruction": "get me a ready to eat cheese popcorn bag.", "attributes": ["ready eat", "0g trans"], "options": [""], "instruction_attributes": ["ready eat"], "instruction_options": [], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK4976AM", "worker_id": "A1NF6PELRKACS9"}], "B0744K87NJ": [{"asin": "B0744K87NJ", "instruction": "i am interested in buying a steel bed frame with memory foam.", "attributes": ["memory foam", "coated steel", "steel frame"], "options": [""], "instruction_attributes": ["memory foam", "steel frame"], "instruction_options": [], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWQ6520", "worker_id": "AHXHM1PQTRWIQ"}], "B09SDDHQMW": [{"asin": "B09SDDHQMW", "instruction": "i want a high heel open toe pink color women shoe with ankel strap size :4.5 wide", "attributes": ["open toe", "high heel", "closed toe", "ankle strap"], "options": ["color: a1 - pink", "size: 4.5 wide"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["a1 - pink", "4.5 wide"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VNT60T", "worker_id": "A3N9ZYQAESNFQH"}], "B08WYP4H2J": [{"asin": "B08WYP4H2J", "instruction": "i am looking for gluten free protein granola for my keto diet", "attributes": ["grain free", "gmo free", "low sugar", "keto friendly", "high protein", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["keto friendly", "gluten free"], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR6NA0R", "worker_id": "A2COCSUGZV28X"}], "B07H5VZG6M": [{"asin": "B07H5VZG6M", "instruction": "i would like a refurbished laser printer", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCV765H", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GSRNX97": [{"asin": "B07GSRNX97", "instruction": "i am in need of a button tufted sofa for my living room. it should be grey in color.", "attributes": ["button tufted", "high density", "assembly required", "living room"], "options": ["color: gery"], "instruction_attributes": ["button tufted", "living room"], "instruction_options": ["gery"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9WU78L", "worker_id": "A1NF6PELRKACS9"}], "B00AB0MC9Q": [{"asin": "B00AB0MC9Q", "instruction": "i would like a bronze finish table lamp", "attributes": ["heavy duty", "coated steel", "bronze finish"], "options": [""], "instruction_attributes": ["bronze finish"], "instruction_options": [], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK49AA6T", "worker_id": "A2ECRNQ3X5LEXD"}], "B08K4GFDTG": [{"asin": "B08K4GFDTG", "instruction": "i am interested in highly pigmented eyeshadow", "attributes": ["highly pigmented", "long lasting", "easy carry", "rose gold", "eye shadow"], "options": [""], "instruction_attributes": ["highly pigmented"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8RA1SKC", "worker_id": "A2ECRNQ3X5LEXD"}], "B097DZZXGX": [{"asin": "B097DZZXGX", "instruction": "i am interested in buying a rustic brown entertainment center with a steel frame for the living room.", "attributes": ["steel frame", "living room"], "options": ["color: rustic brown"], "instruction_attributes": ["steel frame", "living room"], "instruction_options": ["rustic brown"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q6FGWB", "worker_id": "AHXHM1PQTRWIQ"}], "B07MCH9HPB": [{"asin": "B07MCH9HPB", "instruction": "i am searching for cupcake picks for a birthday party.", "attributes": ["baby shower", "birthday cake", "cupcake picks", "birthday party"], "options": [""], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": [], "assignment_id": "3L4D84MILA2GIKONJGE14YNT3AKJHJ", "worker_id": "A1NF6PELRKACS9"}], "B09N3J4LB9": [{"asin": "B09N3J4LB9", "instruction": "i'm looking for a mini display port adapter with ultra hd high resolution feature. also, choose 0.65 ft one.", "attributes": ["high resolution", "ultra hd"], "options": ["size: 0.65ft"], "instruction_attributes": ["high resolution", "ultra hd"], "instruction_options": ["0.65ft"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FLS4UA", "worker_id": "AR0VJ5XRG16UJ"}], "B08J4F7S9V": [{"asin": "B08J4F7S9V", "instruction": "i'm looking for screen protection for apple iphone 12.", "attributes": ["glass screen", "tempered glass"], "options": [""], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": [], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRVRBZF", "worker_id": "A21IUUHBSEVB56"}], "B0032HM6JG": [{"asin": "B0032HM6JG", "instruction": "i am looking for a noise cancelling headset.", "attributes": ["noise cancelling", "hands free"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UT51GW", "worker_id": "A1Q8PPQQCWGY0D"}], "B09MVQ7B58": [{"asin": "B09MVQ7B58", "instruction": "i need non-slip lack pillow slippers that is suitable for pool bathing . and i choose the f size with green color", "attributes": ["anti slip", "quick drying", "open toe", "non slip"], "options": ["color: green", "size: f"], "instruction_attributes": ["anti slip"], "instruction_options": ["green", "f"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVKS1P0", "worker_id": "A2COCSUGZV28X"}], "B084ZT7Q8H": [{"asin": "B084ZT7Q8H", "instruction": "i'm looking for a full size heavy duty bed frame.", "attributes": ["heavy duty", "king size", "box spring", "storage space"], "options": ["size: full"], "instruction_attributes": ["heavy duty"], "instruction_options": ["full"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQEQKV4", "worker_id": "A3MNXK3VDK37SN"}], "B005LURDJK": [{"asin": "B005LURDJK", "instruction": "i need some fat free popsicles", "attributes": ["fat free", "low calorie", "real fruit"], "options": [""], "instruction_attributes": ["fat free"], "instruction_options": [], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FL53DI", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GDL1MDQ": [{"asin": "B07GDL1MDQ", "instruction": "i would like a women's medium sized slate gray t shirt made from heather cotton.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: slate", "fit type: women", "size: medium"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["slate", "women", "medium"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ57EKC9", "worker_id": "A1WS884SI0SLO4"}], "B08LN9F4NK": [{"asin": "B08LN9F4NK", "instruction": "i am looking for a multi 6 color super soft throws", "attributes": ["super soft", "living room"], "options": ["color: multi 6", "size: king"], "instruction_attributes": ["super soft"], "instruction_options": ["multi 6"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVEZ8VC", "worker_id": "A9QRQL9CFJBI7"}], "B09PRFGCN3": [{"asin": "B09PRFGCN3", "instruction": "i am looking for a teeth whitening toothpaste in b color. it should be for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth", "bad breath"], "options": ["color: b"], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": ["b"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCV856H", "worker_id": "A1NF6PELRKACS9"}], "B08Y924NQ6": [{"asin": "B08Y924NQ6", "instruction": "i need some x-large dark blue jeans that are straight leg/", "attributes": ["straight leg", "wide leg", "hand wash", "high waist"], "options": ["color: k-dark blue", "size: x-large"], "instruction_attributes": ["straight leg"], "instruction_options": ["k-dark blue", "x-large"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0RS8JR", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZWC2S7G": [{"asin": "B07ZWC2S7G", "instruction": "i want a 2.5 pound pack of sugar free candies.", "attributes": ["sugar free", "nut free", "low calorie", "soy free", "dairy free", "gluten free", "artificial colors"], "options": ["size: 2.5 pound (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["2.5 pound (pack of 1)"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSEOCWY", "worker_id": "A1NF6PELRKACS9"}], "B07H9TZL3Q": [{"asin": "B07H9TZL3Q", "instruction": "i am looking for an easy to use hair dye with natural ingredients.", "attributes": ["easy use", "natural ingredients", "hair dye", "hair salon"], "options": [""], "instruction_attributes": ["easy use", "natural ingredients", "hair dye"], "instruction_options": [], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q7RKDA", "worker_id": "A1NF6PELRKACS9"}], "B00VXQGY1Y": [{"asin": "B00VXQGY1Y", "instruction": "i would like a 9 ounce tub of non gmo grass fed ghee.", "attributes": ["grass fed", "lactose free", "old fashioned", "shelf stable", "ready eat", "non gmo", "gluten free"], "options": ["size: 9 ounce (pack of 1)"], "instruction_attributes": ["grass fed", "non gmo"], "instruction_options": ["9 ounce (pack of 1)"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYQMDHY", "worker_id": "A1WS884SI0SLO4"}], "B002GVJZS4": [{"asin": "B002GVJZS4", "instruction": "i would like to buy kosher certified greek yogurt.", "attributes": ["kosher certified", "non gmo"], "options": [""], "instruction_attributes": ["kosher certified"], "instruction_options": [], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZSM50G", "worker_id": "AHXHM1PQTRWIQ"}], "B00YZ56PGY": [{"asin": "B00YZ56PGY", "instruction": "i need a sleeveless hem that is machine washable . and i choose the 3x size with grey mix color", "attributes": ["machine wash", "wash cold", "tumble dry"], "options": ["color: grey mix", "size: 3x"], "instruction_attributes": ["machine wash"], "instruction_options": ["grey mix", "3x"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X41CH08", "worker_id": "A2COCSUGZV28X"}], "B097T5SF5B": [{"asin": "B097T5SF5B", "instruction": "i want a loft bed for a dorm that saves space.", "attributes": ["space saving", "box spring"], "options": [""], "instruction_attributes": ["space saving"], "instruction_options": [], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TGOMNZ", "worker_id": "A1NF6PELRKACS9"}], "B004225TZS": [{"asin": "B004225TZS", "instruction": "i would like a 32 ounce bag of oatmeal that is resealable and has a good protein serving.", "attributes": ["protein serving", "dietary fiber"], "options": ["size: 32 ounce (pack of 4)", "style: resealable"], "instruction_attributes": ["protein serving"], "instruction_options": ["32 ounce (pack of 4)", "resealable"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLQOI4Z", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B004225TZS", "instruction": "i am looking for a bulk bag of protein serving rolled oats.", "attributes": ["protein serving", "dietary fiber"], "options": ["size: 16 ounce (pack of 1)", "style: bulk bag"], "instruction_attributes": ["protein serving"], "instruction_options": ["bulk bag"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTPZ5VA", "worker_id": "A1EREKSZAA9V7B"}], "B088T329M3": [{"asin": "B088T329M3", "instruction": "i am looking for an easy to use makeup lip brush.", "attributes": ["easy apply", "easy carry", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V7H2UX", "worker_id": "A1EREKSZAA9V7B"}], "B093SZ9BGG": [{"asin": "B093SZ9BGG", "instruction": "i'm looking for a pair of mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UU1G19", "worker_id": "A2JP9IKRHNLRPI"}], "B074PY2PSC": [{"asin": "B074PY2PSC", "instruction": "i am looking for grey-1 color women's t-shirt that are machine washable.", "attributes": ["wash cold", "machine wash", "polyester cotton", "dry clean", "tumble dry"], "options": ["color: grey-1", "size: 3x"], "instruction_attributes": ["machine wash"], "instruction_options": ["grey-1"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JE5FSI", "worker_id": "A1Q8PPQQCWGY0D"}], "B086V49TW3": [{"asin": "B086V49TW3", "instruction": "i am looking for a red 40 foot long gold plated hdmi cable.", "attributes": ["blu ray", "high speed", "ultra hd", "gold plated"], "options": ["color: red", "number of items: 1", "size: 40 feet"], "instruction_attributes": ["gold plated"], "instruction_options": ["red", "40 feet"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EHHSWF", "worker_id": "A1EREKSZAA9V7B"}], "B08HRS8TLC": [{"asin": "B08HRS8TLC", "instruction": "i am looking for an anti-aging facial roller.", "attributes": ["anti aging", "fine lines", "dark circles"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSM82QP", "worker_id": "AJDQGOTMB2D80"}], "B08DJYSQCS": [{"asin": "B08DJYSQCS", "instruction": "i would like a birch bar cabinet for the dining room", "attributes": ["coated steel", "dining room"], "options": ["color: birch", "style: bar cabinet"], "instruction_attributes": ["dining room"], "instruction_options": ["birch", "bar cabinet"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80GQQ1S", "worker_id": "A1WS884SI0SLO4"}], "B094J65TJM": [{"asin": "B094J65TJM", "instruction": "i'm looking for korean roasted job's tears powder.", "attributes": ["dietary fiber", "natural ingredients"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFJXVMW", "worker_id": "A21IUUHBSEVB56"}], "B07KDMD6FD": [{"asin": "B07KDMD6FD", "instruction": "i would like a faux fur sleeveless jacket, also, pick the white color", "attributes": ["wash cold", "hand wash", "faux fur"], "options": ["color: white", "size: small"], "instruction_attributes": ["faux fur"], "instruction_options": ["white"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLW630Z", "worker_id": "A2TRV8SEM003GG"}], "B07KYWGP65": [{"asin": "B07KYWGP65", "instruction": "i am looking for long lasting deep color colorstay concealer", "attributes": ["long lasting", "high quality", "dark circles"], "options": ["color: deep"], "instruction_attributes": ["long lasting"], "instruction_options": ["deep"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB44QYXZ", "worker_id": "A258PTOZ3D2TQR"}], "B07Q4NG5X8": [{"asin": "B07Q4NG5X8", "instruction": "i am looking to buy a 2-pack long lasting wall scones which is easy to assemble.", "attributes": ["easy assemble", "long lasting"], "options": ["size: 2-pack"], "instruction_attributes": ["easy assemble", "long lasting"], "instruction_options": ["2-pack"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21QQFQZ", "worker_id": "AHXHM1PQTRWIQ"}], "B07SVPKBZK": [{"asin": "B07SVPKBZK", "instruction": "i am looking for ivory color living room rug of size 2' x 5'", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: light grey | ivory", "size: 2' x 5'"], "instruction_attributes": ["living room"], "instruction_options": ["light grey | ivory", "2' x 5'"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X9QPG3", "worker_id": "A258PTOZ3D2TQR"}], "B06XSH16S8": [{"asin": "B06XSH16S8", "instruction": "get me a shelf stable snack mix. pick the honey cheddar flavor.", "attributes": ["shelf stable", "kosher certified", "non gmo"], "options": ["flavor name: honey cheddar snack mix", "size: 2 28oz"], "instruction_attributes": ["shelf stable"], "instruction_options": ["honey cheddar snack mix"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADLBWVO", "worker_id": "A1NF6PELRKACS9"}], "B08XJVTCJ4": [{"asin": "B08XJVTCJ4", "instruction": "i am looking for high quality 15 inch hair extensions.", "attributes": ["high quality", "hair extensions"], "options": ["color: #12p613 golden brown to blonde", "size: 15 inch"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["15 inch"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE256GQF", "worker_id": "A1EREKSZAA9V7B"}], "B07QQBM12P": [{"asin": "B07QQBM12P", "instruction": "i want black birthday cupcake picks.", "attributes": ["cupcake picks", "birthday party"], "options": ["color: black"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["black"], "assignment_id": "3HPZF4IVNX3FW186JO133U513MHCYQ", "worker_id": "A2RBF3IIJP15IH"}], "B08BVRNMP5": [{"asin": "B08BVRNMP5", "instruction": "i am looking for men's green tea shampoo and conditioner.", "attributes": ["green tea", "tea tree", "dry skin", "hair growth"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTXI4ED", "worker_id": "A1EREKSZAA9V7B"}], "B08C6ZTZPN": [{"asin": "B08C6ZTZPN", "instruction": "i am interested in buying a power amplifier with wireless capabilities and stereo sound.", "attributes": ["power amplifier", "stereo sound"], "options": [""], "instruction_attributes": ["power amplifier", "stereo sound"], "instruction_options": [], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79MNQKS", "worker_id": "AHXHM1PQTRWIQ"}], "B09P8NMV5M": [{"asin": "B09P8NMV5M", "instruction": "i need long lasting lipstick in the color b", "attributes": ["long lasting", "nail art"], "options": ["color: b"], "instruction_attributes": ["long lasting"], "instruction_options": ["b"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AN3UYZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B004DIJLHI": [{"asin": "B004DIJLHI", "instruction": "i would like to purchase a 3.3 fl oz, long lasting men's perfume.", "attributes": ["design house", "long lasting"], "options": ["size: 3.3 fl oz (pack of 1)"], "instruction_attributes": ["long lasting"], "instruction_options": ["3.3 fl oz (pack of 1)"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I4A1SR", "worker_id": "A114NK7T5673GK"}], "B07NNS9FL8": [{"asin": "B07NNS9FL8", "instruction": "looking for hand painted multicolor flat candle", "attributes": ["hand painted", "easy assemble"], "options": ["color: multicolor"], "instruction_attributes": ["hand painted"], "instruction_options": ["multicolor"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LMKI55", "worker_id": "A10OGH5CQBXL5N"}], "B0769XY12N": [{"asin": "B0769XY12N", "instruction": "i am looking for 3.88 ounce body wash bar for sensitive skin.", "attributes": ["oil free", "eco friendly", "cruelty free", "natural ingredients", "sensitive skin", "dry skin"], "options": ["size: 3.88 ounce (pack of 1)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["3.88 ounce (pack of 1)"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9EJ2VF", "worker_id": "AJDQGOTMB2D80"}], "B07VBQJT5G": [{"asin": "B07VBQJT5G", "instruction": "i'm looking for brushes set for eye shadow foundation cosmetic tools.", "attributes": ["easy use", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79TSH1L", "worker_id": "A21IUUHBSEVB56"}], "B07K2WVKGD": [{"asin": "B07K2WVKGD", "instruction": "i'm looking for a high definition surveillance camera with 1080p hd resolution.", "attributes": ["1080p hd", "high definition"], "options": [""], "instruction_attributes": ["1080p hd", "high definition"], "instruction_options": [], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB44JYXS", "worker_id": "AR0VJ5XRG16UJ"}], "B09JWMNJGF": [{"asin": "B09JWMNJGF", "instruction": "i am looking for high quality toothbrush containers.", "attributes": ["high quality", "quality materials", "dry hair"], "options": [""], "instruction_attributes": ["high quality", "quality materials"], "instruction_options": [], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG5ABG3", "worker_id": "AK3JMCIGU8MLU"}], "B09MD8DZR1": [{"asin": "B09MD8DZR1", "instruction": "i am looking for a pair of dark blue noise cancelling wireless bluetooth earbuds.", "attributes": ["noise cancelling", "wireless bluetooth"], "options": ["color: dark blue"], "instruction_attributes": ["noise cancelling", "wireless bluetooth"], "instruction_options": ["dark blue"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYQ76MH", "worker_id": "A1EREKSZAA9V7B"}], "B0791WCX84": [{"asin": "B0791WCX84", "instruction": "i would like sunflower butter and chocolate protein bars that are high protein.", "attributes": ["plant based", "soy free", "certified organic", "high protein", "non gmo", "gluten free"], "options": ["flavor name: sunflower butter + chocolate"], "instruction_attributes": ["high protein"], "instruction_options": ["sunflower butter + chocolate"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKONWF07", "worker_id": "A1WS884SI0SLO4"}], "B09T79733X": [{"asin": "B09T79733X", "instruction": "i need an easy to clean tablecloth that is the color of wood", "attributes": ["easy clean", "heavy duty", "faux leather"], "options": ["color: wood grain7"], "instruction_attributes": ["easy clean"], "instruction_options": ["wood grain7"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATAL378", "worker_id": "A2ECRNQ3X5LEXD"}], "B095NYGCW5": [{"asin": "B095NYGCW5", "instruction": "i'm looking for a heavy duty twin size bunk bed made from solid wood with good storage space for space saving. also, choose white colored one.", "attributes": ["space saving", "twin size", "heavy duty", "white item", "solid wood", "storage space"], "options": ["color: white"], "instruction_attributes": ["space saving", "twin size", "heavy duty", "solid wood", "storage space"], "instruction_options": ["white"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3NYYRW", "worker_id": "AR0VJ5XRG16UJ"}], "B07WLS7V2C": [{"asin": "B07WLS7V2C", "instruction": "i would like anti slip boots that are navy", "attributes": ["anti slip", "non slip", "rubber sole"], "options": ["color: navy blue", "size: 10.5women | 9men(10.47inch)"], "instruction_attributes": ["anti slip"], "instruction_options": ["navy blue"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6I0VE3", "worker_id": "A2ECRNQ3X5LEXD"}], "B093QDWQQR": [{"asin": "B093QDWQQR", "instruction": "i am looking for classic fit women's tee shirts of dark gray3 color.", "attributes": ["light weight", "short sleeve", "classic fit"], "options": ["color: dark gray3", "size: x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["dark gray3"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIELBRZ", "worker_id": "A1Q8PPQQCWGY0D"}], "B09H5VFZGX": [{"asin": "B09H5VFZGX", "instruction": "i am looking for a black pu leather desk organizer that is non slip.", "attributes": ["non slip", "pu leather"], "options": ["color: black"], "instruction_attributes": ["non slip", "pu leather"], "instruction_options": ["black"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYQGCGH", "worker_id": "AHU9OLV0YKIIW"}], "B072NHJCDS": [{"asin": "B072NHJCDS", "instruction": "i need a pack of 3 natural labs 8 oz green color travel bottles", "attributes": ["leak proof", "bpa free", "non toxic", "long lasting", "travel bottles"], "options": ["color: green", "size: pack of 3"], "instruction_attributes": ["travel bottles"], "instruction_options": ["green", "pack of 3"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X029C438", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B072NHJCDS", "instruction": "i need a six pack of leak proof, bpa free travel bottles. look for the amber colored ones.", "attributes": ["leak proof", "bpa free", "non toxic", "long lasting", "travel bottles"], "options": ["color: amber", "size: pack of 6"], "instruction_attributes": ["leak proof", "bpa free"], "instruction_options": ["amber", "pack of 6"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4IZ897", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B072NHJCDS", "instruction": "i need black moyo natural labs 8 oz travel bottles.", "attributes": ["leak proof", "bpa free", "non toxic", "long lasting", "travel bottles"], "options": ["color: black", "size: pack of 8"], "instruction_attributes": ["travel bottles"], "instruction_options": ["black"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYMY6M0", "worker_id": "A2RBF3IIJP15IH"}], "B07QPQDJD3": [{"asin": "B07QPQDJD3", "instruction": "i want a dark brown bench seat made of solid wood.", "attributes": ["high density", "assembly required", "solid wood"], "options": ["color: madagascar cocoa | dark brown", "size: bench seat"], "instruction_attributes": ["solid wood"], "instruction_options": ["madagascar cocoa | dark brown", "bench seat"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZ1WJZ6", "worker_id": "A1WS884SI0SLO4"}], "B0824Z7W6C": [{"asin": "B0824Z7W6C", "instruction": "i'm looking for a daily wear sweatshirt made of good quality polyester material with long sleeves. also, choose x-large one.", "attributes": ["hand wash", "quality polyester", "long sleeve", "polyester spandex", "daily wear"], "options": ["color: x11", "size: x-large"], "instruction_attributes": ["quality polyester", "long sleeve", "polyester spandex", "daily wear"], "instruction_options": ["x-large"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQE2VKR", "worker_id": "AR0VJ5XRG16UJ"}], "B08TVT7CMD": [{"asin": "B08TVT7CMD", "instruction": "i'm looking for an outlet toggle wall plate cover.", "attributes": ["heavy duty", "high gloss"], "options": ["style: toggle | outlet combo"], "instruction_attributes": ["high gloss"], "instruction_options": ["toggle | outlet combo"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVR0JKZ", "worker_id": "A21IUUHBSEVB56"}], "B082NLH5YJ": [{"asin": "B082NLH5YJ", "instruction": "i am looking for red popcorn boxes for a baby shower.", "attributes": ["party supplies", "baby shower"], "options": ["color: red", "size: 36 count (pack of 1)"], "instruction_attributes": ["baby shower"], "instruction_options": ["red"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BPHX8E", "worker_id": "A1EREKSZAA9V7B"}], "B08NX18SV4": [{"asin": "B08NX18SV4", "instruction": "i am looking for car overhead player of size cm157a+dwh006x2 having stereo sound.", "attributes": ["usb port", "stereo sound"], "options": ["size: cm157a+dwh006x2"], "instruction_attributes": ["stereo sound"], "instruction_options": ["cm157a+dwh006x2"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1HYCXX", "worker_id": "A1Q8PPQQCWGY0D"}], "B07N33YR5J": [{"asin": "B07N33YR5J", "instruction": "i'm looking for individually wrapped triple chocolate cookie bars. choose the ones that come in pack of 18 with 4 count each.", "attributes": ["individually wrapped", "artificial ingredients", "simple ingredients", "natural ingredients"], "options": ["flavor name: triple chocolate", "size: 4 count (pack of 18)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["triple chocolate", "4 count (pack of 18)"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGOIW2I", "worker_id": "A3MNXK3VDK37SN"}], "B08LBHC8C9": [{"asin": "B08LBHC8C9", "instruction": "i am looking for a red women's long sleeve sweater.", "attributes": ["long sleeve", "teen girls", "daily wear"], "options": ["color: z5-red", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["z5-red"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662Z0M4B", "worker_id": "A1EREKSZAA9V7B"}], "B09PDLWMG6": [{"asin": "B09PDLWMG6", "instruction": "i am looking for light weight a34 color photo background.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a34", "size: 5x3ft | 1.5x1m"], "instruction_attributes": ["light weight"], "instruction_options": ["a34"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1E79UE", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09PDLWMG6", "instruction": "i'm looking for a26 high resolution, light weight spring flower portrait photo background 5x3ft/1.5x1m.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a26", "size: 5x3ft | 1.5x1m"], "instruction_attributes": ["light weight", "high resolution"], "instruction_options": ["a26", "5x3ft | 1.5x1m"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788H15CR", "worker_id": "A1Q0EUNCS50S8M"}], "B07YNRQJGW": [{"asin": "B07YNRQJGW", "instruction": "looking for heavy duty twilight blue colour shock-proof standing cover", "attributes": ["heavy duty", "hands free"], "options": ["color: twilight blue"], "instruction_attributes": ["heavy duty"], "instruction_options": ["twilight blue"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O4RA2V", "worker_id": "A10OGH5CQBXL5N"}], "B08C9G9J7B": [{"asin": "B08C9G9J7B", "instruction": "i want a white and long lasting bellesky eyeshadow primer set.", "attributes": ["long lasting", "oil free", "cruelty free"], "options": ["color: white (6 colors set a)"], "instruction_attributes": ["long lasting"], "instruction_options": ["white (6 colors set a)"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2BEY77", "worker_id": "A2RBF3IIJP15IH"}], "B073MQVYVL": [{"asin": "B073MQVYVL", "instruction": "i am looking for certified organic cream blush", "attributes": ["certified organic", "non toxic", "cruelty free"], "options": ["color: blush"], "instruction_attributes": ["certified organic"], "instruction_options": ["blush"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401DLMUX", "worker_id": "A258PTOZ3D2TQR"}], "B09J6YN4CD": [{"asin": "B09J6YN4CD", "instruction": "i want to find a win10pro desktop minis with high speed.", "attributes": ["high speed", "intel core"], "options": ["size: 32gb ram|512gb ssd|win10pro"], "instruction_attributes": ["high speed"], "instruction_options": ["32gb ram|512gb ssd|win10pro"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OZYEYR", "worker_id": "A15ERD4HOFEPHM"}], "B08XVFNF42": [{"asin": "B08XVFNF42", "instruction": "i'm looking for sexy beach swimsuit with bikini set.", "attributes": ["polyester spandex", "daily wear"], "options": ["color: yellow", "size: large"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["large"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ6XSIM", "worker_id": "A21IUUHBSEVB56"}], "B08KF8S4Z8": [{"asin": "B08KF8S4Z8", "instruction": "i'm looking for iphone 12 pro carbon fiber pattern case.", "attributes": ["carbon fiber", "wireless charging"], "options": ["color: rosegold 11 pro"], "instruction_attributes": ["carbon fiber", "wireless charging"], "instruction_options": ["rosegold 11 pro"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SY7DUI", "worker_id": "A21IUUHBSEVB56"}], "B09MQ77Y1L": [{"asin": "B09MQ77Y1L", "instruction": "i need a gaming pc powered by an core i5", "attributes": ["core i5", "intel core"], "options": ["size: 16gb ram|512gb ssd|win10h", "style: 3060 ti"], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FM74UR", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B09MQ77Y1L", "instruction": "i am looking for matx gaming intel core desktop pc having 128gb ram, 2tb ssd and win10 os installed", "attributes": ["core i5", "intel core"], "options": ["size: 128gb ram|2tb ssd|win10h", "style: 6600 xt"], "instruction_attributes": ["intel core"], "instruction_options": ["128gb ram|2tb ssd|win10h"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEMB86Q", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09MQ77Y1L", "instruction": "i want to find a core i5 6700 xt gaming desktop with 16 gigabytes of ram.", "attributes": ["core i5", "intel core"], "options": ["size: 16gb ram|512gb ssd|win10pro", "style: 6700 xt"], "instruction_attributes": ["core i5"], "instruction_options": ["16gb ram|512gb ssd|win10pro", "6700 xt"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQCY91T", "worker_id": "A345TDMHP3DQ3G"}], "B07SPVFSXJ": [{"asin": "B07SPVFSXJ", "instruction": "i would like a marble black cosmetic bag that is high quality.", "attributes": ["easy clean", "high quality"], "options": ["color: cmarble black"], "instruction_attributes": ["high quality"], "instruction_options": ["cmarble black"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGG69SG", "worker_id": "A1WS884SI0SLO4"}], "B09DPR6PCT": [{"asin": "B09DPR6PCT", "instruction": "i am looking for a pair of women's size 6.5 open toe and knee high sandals", "attributes": ["knee high", "anti slip", "light weight", "day comfort", "open toe", "high heel", "closed toe", "lace closure", "quality materials"], "options": ["color: z3-winered", "size: 6.5"], "instruction_attributes": ["knee high", "open toe"], "instruction_options": ["6.5"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H77U8Q", "worker_id": "A1EREKSZAA9V7B"}], "B093KBLW7B": [{"asin": "B093KBLW7B", "instruction": "i'm looking for 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TV7PMG", "worker_id": "A21IUUHBSEVB56"}], "B07ZD8NQQX": [{"asin": "B07ZD8NQQX", "instruction": "i want an ultra hd wifi bluetooth projector.", "attributes": ["ultra hd", "blu ray", "quad core"], "options": ["color: wifi bluetooth projector 7200 lumen"], "instruction_attributes": ["ultra hd"], "instruction_options": ["wifi bluetooth projector 7200 lumen"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KS0LJ1", "worker_id": "A2RBF3IIJP15IH"}], "B07QWV75WB": [{"asin": "B07QWV75WB", "instruction": "i'm looking for men's workhog xt coil wide square toe.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: earth | twilight", "size: 8.5"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["earth | twilight"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO772CK", "worker_id": "A21IUUHBSEVB56"}], "B09P3G1794": [{"asin": "B09P3G1794", "instruction": "i am looking for large size khaki color wide leg high waist workout pants", "attributes": ["wide leg", "high waist", "nylon spandex", "tummy control"], "options": ["color: khaki", "size: large"], "instruction_attributes": ["wide leg", "high waist"], "instruction_options": ["khaki", "large"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB442XYA", "worker_id": "A258PTOZ3D2TQR"}], "B00M3ACMMY": [{"asin": "B00M3ACMMY", "instruction": "i'm looking for a pair of men's sandals that provide a leather sole, which are grey and sized a men's 14.", "attributes": ["leather sole", "synthetic sole"], "options": ["color: grey", "size: 14"], "instruction_attributes": ["leather sole"], "instruction_options": ["grey", "14"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQJOJCL", "worker_id": "A2JP9IKRHNLRPI"}], "B08H5CDKPM": [{"asin": "B08H5CDKPM", "instruction": "i'm looking for fast wireless charger for iphone 12.", "attributes": ["fast charging", "non slip", "usb port", "wireless charging"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39GGZCZ", "worker_id": "A21IUUHBSEVB56"}], "B00CJT36AG": [{"asin": "B00CJT36AG", "instruction": "i need some ready to eat snack packs", "attributes": ["protein serving", "ready eat"], "options": [""], "instruction_attributes": ["ready eat"], "instruction_options": [], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841DRAX5", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NZVGVCH": [{"asin": "B09NZVGVCH", "instruction": "i am looking for long sleeved orange pajamas in a size medium.", "attributes": ["long sleeve", "quality materials", "button closure", "daily wear"], "options": ["color: a5-orange", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a5-orange", "medium"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG5EBG7", "worker_id": "AK3JMCIGU8MLU"}], "B0092MLO5W": [{"asin": "B0092MLO5W", "instruction": "i am looking for a fully assembled vintage grey side table.", "attributes": ["fully assembled", "living room"], "options": ["color: vintage grey"], "instruction_attributes": ["fully assembled"], "instruction_options": ["vintage grey"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXV9YL6", "worker_id": "A1EREKSZAA9V7B"}], "B00TJKBT34": [{"asin": "B00TJKBT34", "instruction": "i am looking for 6 ounce pack of high protein almond snacks.", "attributes": ["high protein", "source vitamin"], "options": ["flavor name: salt n' vinegar", "size: 6 ounce (pack of 12)"], "instruction_attributes": ["high protein"], "instruction_options": ["6 ounce (pack of 12)"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6H8VE9", "worker_id": "AJDQGOTMB2D80"}, {"asin": "B00TJKBT34", "instruction": "i am looking for smokehouse flavor snack nuts having high protein content.", "attributes": ["high protein", "source vitamin"], "options": ["flavor name: smokehouse", "size: 6 ounce (pack of 12)"], "instruction_attributes": ["high protein"], "instruction_options": ["smokehouse"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY990UN", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00TJKBT34", "instruction": "can you find me a spicy blue diamonds high protein snack? my friends prefer the smokehouse flavor in the 6.ounce can (pack of 12)", "attributes": ["high protein", "source vitamin"], "options": ["flavor name: smokehouse", "size: 6 ounce (pack of 12)"], "instruction_attributes": ["high protein"], "instruction_options": ["6 ounce (pack of 12)"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9GW6KM", "worker_id": "A15IJ20C3R4HUO"}], "B08PKBPDMB": [{"asin": "B08PKBPDMB", "instruction": "i'm looking for a pair of men's gym workout shorts for daily wear in a camo black and size medium.", "attributes": ["gym workout", "daily wear"], "options": ["color: 1piece camo black", "size: medium"], "instruction_attributes": ["gym workout", "daily wear"], "instruction_options": ["1piece camo black", "medium"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDRX5KT", "worker_id": "AFU00NU09CFXE"}], "B08HCQW5D3": [{"asin": "B08HCQW5D3", "instruction": "i am looking for some highly pigmented neon eyeshadow.", "attributes": ["highly pigmented", "eye shadow"], "options": ["color: neon"], "instruction_attributes": ["highly pigmented", "eye shadow"], "instruction_options": ["neon"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPELN860", "worker_id": "A1EREKSZAA9V7B"}], "B09CD2VL88": [{"asin": "B09CD2VL88", "instruction": "i'm interested in purchasing a black colored easy to apply bun maker", "attributes": ["easy apply", "hair styling"], "options": ["color: black, white, red"], "instruction_attributes": ["easy apply"], "instruction_options": ["black, white, red"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXZFO4S", "worker_id": "AHXHM1PQTRWIQ"}], "B09PBV93P6": [{"asin": "B09PBV93P6", "instruction": "i want to buy a toothbrush for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": [""], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR7QA0W", "worker_id": "A15ERD4HOFEPHM"}], "B00WVLVDP2": [{"asin": "B00WVLVDP2", "instruction": "i am looking for 10 pounds of fine grain non gmo sea salt.", "attributes": ["kosher certified", "non gmo"], "options": ["flavor name: 10 lbs. (qty. 2 x 5lb. bags) - fine grain"], "instruction_attributes": ["non gmo"], "instruction_options": ["10 lbs. (qty. 2 x 5lb. bags) - fine grain"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDVJQZX", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00WVLVDP2", "instruction": "i'm looking for a two pound package of sea salt that is both kosher and non gmo. i would like a two pack of five pound package option.", "attributes": ["kosher certified", "non gmo"], "options": ["flavor name: 10 lbs. (qty. 2 x 5lb. bags) - fine grain"], "instruction_attributes": ["kosher certified", "non gmo"], "instruction_options": ["10 lbs. (qty. 2 x 5lb. bags) - fine grain"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163XWPQX", "worker_id": "A2JP9IKRHNLRPI"}], "B095728DTP": [{"asin": "B095728DTP", "instruction": "i would like to get an xx-small hoodie with polyester quality.", "attributes": ["machine wash", "quality polyester", "daily wear"], "options": ["color: 33", "size: xx-small"], "instruction_attributes": ["machine wash", "quality polyester"], "instruction_options": ["xx-small"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS6RUVG", "worker_id": "A15ERD4HOFEPHM"}], "B09PRGMGTC": [{"asin": "B09PRGMGTC", "instruction": "looking for light weight fitbit versa bands for men women also choose size large", "attributes": ["quick release", "light weight", "easy install", "stainless steel"], "options": ["color: black | gray+black | blue", "size: large"], "instruction_attributes": ["light weight"], "instruction_options": ["large"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXP82ZY", "worker_id": "A10OGH5CQBXL5N"}], "B07N1V56NR": [{"asin": "B07N1V56NR", "instruction": "i am looking for soft marble color anna synthetic sole pump for women", "attributes": ["day comfort", "non slip", "synthetic sole"], "options": ["color: soft marble", "size: 9 wide"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["soft marble"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6HFVEG", "worker_id": "A258PTOZ3D2TQR"}], "B0892J76SM": [{"asin": "B0892J76SM", "instruction": "i am looking for a backlit eco friendly vanity mirror.", "attributes": ["eco friendly", "high density"], "options": ["color: backlit", "size: 48x28"], "instruction_attributes": ["eco friendly"], "instruction_options": ["backlit"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9E12VX", "worker_id": "A1EREKSZAA9V7B"}], "B08W5BN4FK": [{"asin": "B08W5BN4FK", "instruction": "i need a wireless amplifier with bluetooth", "attributes": ["power amplifier", "wireless bluetooth"], "options": ["style: basic features"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401DSMU4", "worker_id": "AVIEE6LDH0BT5"}], "B0878X59RR": [{"asin": "B0878X59RR", "instruction": "i'm looking for a long lasting roll on antiperspirant.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GO1V93E", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B0878X59RR", "instruction": "i am looking for a long lasting deodorant.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HNNOWD", "worker_id": "A2ECRNQ3X5LEXD"}], "B093YTF2FF": [{"asin": "B093YTF2FF", "instruction": "i am looking for a set of 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9LEK6S", "worker_id": "A2KW17G25L25R8"}], "B07WHL23DC": [{"asin": "B07WHL23DC", "instruction": "i am looking for a christmas balls green & red hand painted seasonal celebration candles", "attributes": ["hand painted", "easy assemble"], "options": ["color: christmas balls green & red"], "instruction_attributes": ["hand painted"], "instruction_options": ["christmas balls green & red"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95VGXQ2", "worker_id": "A9QRQL9CFJBI7"}], "B002XULCAM": [{"asin": "B002XULCAM", "instruction": "i would like some keto friendly strawberry nutrition drink", "attributes": ["protein serving", "keto friendly", "low sugar", "low fat", "high protein", "gluten free"], "options": ["style: strawberry cream"], "instruction_attributes": ["keto friendly"], "instruction_options": ["strawberry cream"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DUH4K0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09KND6B9K": [{"asin": "B09KND6B9K", "instruction": "i would like a 70 by 185 cm round head massage linens for a beauty salon.", "attributes": ["high quality", "beauty salon"], "options": ["size: 70*185cm round head"], "instruction_attributes": ["beauty salon"], "instruction_options": ["70*185cm round head"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3IBNDFE", "worker_id": "A1WS884SI0SLO4"}], "B07TFKT734": [{"asin": "B07TFKT734", "instruction": "i'm looking for a plant based meal replacement shake that are nut, soy, and gluten free. choose the ones that are chai flavor and come in 12 fl oz and pack of 12.", "attributes": ["low sugar", "nut free", "soy free", "plant based", "gluten free", "shelf stable", "dairy free", "non gmo", "artificial colors"], "options": ["flavor name: chai", "size: 12 fl oz (pack of 12)"], "instruction_attributes": ["nut free", "soy free", "plant based", "gluten free"], "instruction_options": ["chai", "12 fl oz (pack of 12)"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WYIA1J", "worker_id": "A3MNXK3VDK37SN"}], "B08GFG8SV9": [{"asin": "B08GFG8SV9", "instruction": "i am looking to buy a paraben free makeup remover containing hyaluronic acid.", "attributes": ["paraben free", "hyaluronic acid"], "options": [""], "instruction_attributes": ["paraben free", "hyaluronic acid"], "instruction_options": [], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TG2NME", "worker_id": "AHXHM1PQTRWIQ"}], "B08Y6LQYYF": [{"asin": "B08Y6LQYYF", "instruction": "i want a 6 pack of valentine's day stretch chair cover dining room chair covers.", "attributes": ["machine washable", "easy install", "dining room"], "options": ["color: tulipswcs4260", "size: 6 pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["6 pcs"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQGU91X", "worker_id": "A2RBF3IIJP15IH"}], "B0006NXZ7G": [{"asin": "B0006NXZ7G", "instruction": "i would like to buy jojoba oil which is non toxic, and comes in a size of 128 fl oz, and pack of 1.", "attributes": ["animal testing", "non toxic", "cruelty free"], "options": ["size: 128 fl oz (pack of 1)"], "instruction_attributes": ["non toxic"], "instruction_options": ["128 fl oz (pack of 1)"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDW0QZG", "worker_id": "AJY5G987IRT25"}], "B019YT48D2": [{"asin": "B019YT48D2", "instruction": "i want dual band upbright 5v ac/dc adapter compatible with zboost.", "attributes": ["dual band", "output protection"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIZKT9P", "worker_id": "A2RBF3IIJP15IH"}], "B09HC7V35F": [{"asin": "B09HC7V35F", "instruction": "i am looking for a women's navy blue blouse that is machine washable.", "attributes": ["machine wash", "fashion design", "polyester spandex"], "options": ["color: navy blue", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy blue"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LB2REJ", "worker_id": "A1EREKSZAA9V7B"}], "B08ZJNF1S5": [{"asin": "B08ZJNF1S5", "instruction": "can you direct me to minimalism barefoot shoes? preferably with rubber soles... also, i want blue", "attributes": ["non slip", "rubber sole"], "options": ["color: new moon | blue", "size: 12 us women | 10.5 us men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["new moon | blue"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN4FPTV", "worker_id": "A2TRV8SEM003GG"}], "B004CX1QZ4": [{"asin": "B004CX1QZ4", "instruction": "i need a large petite elastic waist pan. and i choose the dark indigo 20", "attributes": ["machine washable", "loose fit", "machine wash", "elastic waist", "button closure"], "options": ["color: dark indigo 20", "size: large petite"], "instruction_attributes": ["elastic waist"], "instruction_options": ["dark indigo 20", "large petite"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHAC9DOV", "worker_id": "A2COCSUGZV28X"}], "B081YYTGH8": [{"asin": "B081YYTGH8", "instruction": "i want black levi's men's 501 straight leg jeans.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: black", "size: 36w x 32l"], "instruction_attributes": ["straight leg"], "instruction_options": ["black"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOHEW19", "worker_id": "A2RBF3IIJP15IH"}], "B09CMX4VB3": [{"asin": "B09CMX4VB3", "instruction": "i would like a dark blue denture storage case.", "attributes": ["easy clean", "storage case"], "options": ["color: dark blue"], "instruction_attributes": ["storage case"], "instruction_options": ["dark blue"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT69JYU", "worker_id": "A1WS884SI0SLO4"}], "B08H53L4B4": [{"asin": "B08H53L4B4", "instruction": "i need high speed hdmi panel mount extension cable with angle down- 0.5m", "attributes": ["gold plated", "blu ray", "high speed"], "options": ["color: angle down-0.5m"], "instruction_attributes": ["high speed"], "instruction_options": ["angle down-0.5m"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4EV6RW", "worker_id": "A258PTOZ3D2TQR"}], "B09MKS4HDV": [{"asin": "B09MKS4HDV", "instruction": "i'm looking for a loose fit vest with long sleeves for teen girls. also choose large size khaki colored one.", "attributes": ["loose fit", "long sleeve", "drawstring waist", "relaxed fit", "teen girls"], "options": ["color: khaki", "size: large"], "instruction_attributes": ["loose fit", "long sleeve", "teen girls"], "instruction_options": ["khaki", "large"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOAEGJO", "worker_id": "AR0VJ5XRG16UJ"}], "B094YHLK42": [{"asin": "B094YHLK42", "instruction": "i am looking for an easy to assemble queen size box spring that has memory foam.", "attributes": ["easy assemble", "memory foam", "box spring"], "options": ["color: brown", "size: queen", "style: 8-inch"], "instruction_attributes": ["easy assemble", "memory foam", "box spring"], "instruction_options": ["queen"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVQ671J", "worker_id": "A1EREKSZAA9V7B"}], "B01FGKEBBW": [{"asin": "B01FGKEBBW", "instruction": "i would like a 4 foot by 6 foot rectangular sage green area rug that is super soft.", "attributes": ["easy clean", "spot clean", "super soft"], "options": ["color: sage green", "item shape: rectangular", "size: 4 ft x 6 ft"], "instruction_attributes": ["super soft"], "instruction_options": ["sage green", "rectangular", "4 ft x 6 ft"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGF6SMR", "worker_id": "A1WS884SI0SLO4"}], "B07QB9JC3C": [{"asin": "B07QB9JC3C", "instruction": "i'm looking for a good quality rugs for living and dining rooms. also choose 8\" round shape, green colored one.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: green | turquoise", "size: 8' round"], "instruction_attributes": ["living room", "dining room"], "instruction_options": ["green | turquoise", "8' round"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFE7LVK", "worker_id": "AR0VJ5XRG16UJ"}], "B016NKJX9Y": [{"asin": "B016NKJX9Y", "instruction": "i would like a brown sugar body scrub for sensitive skin.", "attributes": ["fragrance free", "paraben free", "sensitive skin"], "options": ["scent: brown sugar | fig"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["brown sugar | fig"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTSO4VM", "worker_id": "A1WS884SI0SLO4"}], "B00Q8T5GRO": [{"asin": "B00Q8T5GRO", "instruction": "i'm looking for dora the explore kids edt spray.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMORGM99", "worker_id": "A21IUUHBSEVB56"}], "B01BRIT5WW": [{"asin": "B01BRIT5WW", "instruction": "i would like a 44w by 32l big and tall mocha dress that can be machine washed.", "attributes": ["machine wash", "classic fit"], "options": ["color: mocha", "size: 44w x 32l", "special size: big & tall"], "instruction_attributes": ["machine wash"], "instruction_options": ["mocha", "44w x 32l", "big & tall"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OLRTRD", "worker_id": "A1WS884SI0SLO4"}], "B08P2QL6B3": [{"asin": "B08P2QL6B3", "instruction": "i'm looking for plastic empty mist spray bottles.", "attributes": ["easy use", "fine mist"], "options": ["color: transparent 10pcs", "size: 2.9x10.1cm"], "instruction_attributes": ["fine mist"], "instruction_options": ["transparent 10pcs"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJPZ8Z6", "worker_id": "A21IUUHBSEVB56"}], "B092V5VRMB": [{"asin": "B092V5VRMB", "instruction": "kocota unisex garden clogs options to include in your search : bow support, gray vinyl acetate color. i hope you find", "attributes": ["ethylene vinyl", "vinyl acetate", "arch support"], "options": ["color: grey", "size: 10 women | 8 men"], "instruction_attributes": ["vinyl acetate", "arch support"], "instruction_options": ["grey", "10 women | 8 men"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKXOJMZ", "worker_id": "A15IJ20C3R4HUO"}], "B09NYJ6MT9": [{"asin": "B09NYJ6MT9", "instruction": "i want white professional stereo wireless bluetooth speaker.", "attributes": ["power amplifier", "high power", "wireless bluetooth"], "options": ["color: white"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["white"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXVW5O0", "worker_id": "A2RBF3IIJP15IH"}], "B08TWNMVH6": [{"asin": "B08TWNMVH6", "instruction": "i'm looking for a 4g lte gps antenna which should be easy to install.", "attributes": ["easy install", "4g lte"], "options": [""], "instruction_attributes": ["easy install", "4g lte"], "instruction_options": [], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39ITRLT4", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B08TWNMVH6", "instruction": "i am looking for a adhesive mount aerial connector cable right angle plug for car stereo which is easy to install. also choose which accept 4 g lte", "attributes": ["easy install", "4g lte"], "options": [""], "instruction_attributes": ["easy install", "4g lte"], "instruction_options": [], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQCZ19M", "worker_id": "A2HMEGTAFO0CS8"}], "B01MS5PT4L": [{"asin": "B01MS5PT4L", "instruction": "i would like one wall bath fixture that has a brushed nickel finish.", "attributes": ["pendant light", "bronze finish", "light fixture"], "options": ["color: brushed nickel finish", "size: one - light", "style: wall bath fixture"], "instruction_attributes": ["light fixture"], "instruction_options": ["brushed nickel finish", "one - light", "wall bath fixture"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZUI3KB", "worker_id": "A1WS884SI0SLO4"}], "B0199WNJXY": [{"asin": "B0199WNJXY", "instruction": "i would like a 4.2 fluid ounce bottle of coconut oil shampoo.", "attributes": ["coconut oil", "natural ingredients", "hair treatment", "damaged hair", "dry hair"], "options": ["size: 4.2 fl oz (pack of 1)", "style: oil, damage recovery"], "instruction_attributes": ["coconut oil"], "instruction_options": ["4.2 fl oz (pack of 1)", "oil, damage recovery"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0S4111B", "worker_id": "A1WS884SI0SLO4"}], "B08SWJV16Z": [{"asin": "B08SWJV16Z", "instruction": "i would like a bakers rack that is space saving.", "attributes": ["space saving", "storage space"], "options": [""], "instruction_attributes": ["space saving"], "instruction_options": [], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X933YI", "worker_id": "A1WS884SI0SLO4"}], "B09NFGCF3Q": [{"asin": "B09NFGCF3Q", "instruction": "i am looking for a high perfromance grey quad core tablet.", "attributes": ["high performance", "quad core"], "options": ["color: grey"], "instruction_attributes": ["high performance", "quad core"], "instruction_options": ["grey"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9W678X", "worker_id": "A1EREKSZAA9V7B"}], "B07BT88MC3": [{"asin": "B07BT88MC3", "instruction": "looking for light weight rosy pink colour mens womens water shoes", "attributes": ["light weight", "anti slip", "rubber sole"], "options": ["color: rosy pink", "size: 15 women | 13.5 men"], "instruction_attributes": ["light weight"], "instruction_options": ["rosy pink"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107CKLIW", "worker_id": "A10OGH5CQBXL5N"}], "B07B4KXQZV": [{"asin": "B07B4KXQZV", "instruction": "i'm looking for a queen size bedspread set in the color redwood.", "attributes": ["queen size", "machine washable"], "options": ["color: redwood", "size: twin"], "instruction_attributes": ["queen size"], "instruction_options": ["redwood"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6M72BD", "worker_id": "AK3JMCIGU8MLU"}], "B08BL9NG94": [{"asin": "B08BL9NG94", "instruction": "i am looking for a sma male to female coaxial cable for 4g lte signal booster.", "attributes": ["coaxial cable", "4g lte"], "options": ["size: 7m | 23ft"], "instruction_attributes": ["coaxial cable", "4g lte"], "instruction_options": [], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT0621NU2", "worker_id": "AJDQGOTMB2D80"}], "B09Q1JG3KJ": [{"asin": "B09Q1JG3KJ", "instruction": "i am looking for a wireless, bluetooth enabled home theatre system.", "attributes": ["high definition", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q75DKH", "worker_id": "AK3JMCIGU8MLU"}], "B09RH4CQYD": [{"asin": "B09RH4CQYD", "instruction": "i am looking for a pair of black men's medium underwear that are light weight and machine washable.", "attributes": ["light weight", "machine washable", "fashion design", "drawstring closure"], "options": ["color: black", "size: medium"], "instruction_attributes": ["light weight", "machine washable"], "instruction_options": ["black", "medium"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7RWOBY", "worker_id": "A1EREKSZAA9V7B"}], "B07ML6CH7P": [{"asin": "B07ML6CH7P", "instruction": "i am looking for a pair of women's size 7.5 camo colored non slip walking shoes.", "attributes": ["non slip", "rubber sole"], "options": ["color: camo", "size: 7.5"], "instruction_attributes": ["non slip"], "instruction_options": ["camo", "7.5"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2QDNY1", "worker_id": "A1EREKSZAA9V7B"}], "B08PPW9QKG": [{"asin": "B08PPW9QKG", "instruction": "i'm looking for a high quality accessory bundle for my canon camera; speed and performance is essential.", "attributes": ["high performance", "high speed"], "options": [""], "instruction_attributes": ["high performance", "high speed"], "instruction_options": [], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E807G8T", "worker_id": "A3LIIE572Z4OG7"}], "B099KMQVP3": [{"asin": "B099KMQVP3", "instruction": "i am looking for a pair of women's size 11 daily wear boots.", "attributes": ["day comfort", "quality materials", "teen girls", "daily wear"], "options": ["color: z07-black", "size: 11"], "instruction_attributes": ["daily wear"], "instruction_options": ["11"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJYSYGR8", "worker_id": "A1EREKSZAA9V7B"}], "B09R7N338P": [{"asin": "B09R7N338P", "instruction": "find me a nice black relaxed fit linen button up for the beach with short sleeves in size 3xl.", "attributes": ["slim fit", "short sleeve", "long sleeve", "relaxed fit"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["short sleeve", "relaxed fit"], "instruction_options": ["black", "3x-large"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODQCWEM", "worker_id": "A3O1I9MATO3ZZN"}], "B08LVPJFWZ": [{"asin": "B08LVPJFWZ", "instruction": "i am loooking for camera lens protector for iphone 12 mini that is easy to use.", "attributes": ["high resolution", "easy use", "aluminum alloy"], "options": ["color: iphone 12 pro pacific blue", "size: iphone 12 mini"], "instruction_attributes": ["easy use"], "instruction_options": ["iphone 12 mini"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P780VST", "worker_id": "A1Q8PPQQCWGY0D"}], "B005OKZ38K": [{"asin": "B005OKZ38K", "instruction": "i would like a 6.56 ounce dark soft brown box of hair dye.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 33 dark soft brown", "size: 6.56 ounce (pack of 1)"], "instruction_attributes": ["hair dye"], "instruction_options": ["33 dark soft brown", "6.56 ounce (pack of 1)"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPDSQDH", "worker_id": "A1WS884SI0SLO4"}], "B08LDHZLPP": [{"asin": "B08LDHZLPP", "instruction": "i just love the matilde vicenzi brand macaroons and i want to try the amaretto d'italia macaroons flavor. the quality of the ingredients is my requirement, if you find it let me know", "attributes": ["artificial colors", "quality ingredients"], "options": ["flavor name: amaretto d'italia macaroons"], "instruction_attributes": ["quality ingredients"], "instruction_options": [], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJYS0RGL", "worker_id": "A15IJ20C3R4HUO"}], "B09GL9HFT9": [{"asin": "B09GL9HFT9", "instruction": "i would like to buy soundbars which can be operated hands free and are 2.1 soundbar.", "attributes": ["hands free", "high speed"], "options": ["style: 2.1 soundbar w | play-fi"], "instruction_attributes": ["hands free"], "instruction_options": ["2.1 soundbar w | play-fi"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3OUYRU", "worker_id": "AJY5G987IRT25"}], "B09PNBTJVJ": [{"asin": "B09PNBTJVJ", "instruction": "i would like a blue pu leather gaming chair", "attributes": ["high density", "long lasting", "lumbar support", "pu leather", "memory foam"], "options": ["color: blue", "style: flip arm 2"], "instruction_attributes": ["pu leather"], "instruction_options": ["blue"], "assignment_id": "32SCWG5HISEW7674IASH43KF3V0P6E", "worker_id": "A2ECRNQ3X5LEXD"}], "B08L5778PK": [{"asin": "B08L5778PK", "instruction": "i'm looking for dermatologically certified serum skin that contains hyaluronic acid for sensitive skin and is fragrance free.", "attributes": ["cruelty free", "dermatologist tested", "oil free", "plant based", "fragrance free", "non toxic", "hyaluronic acid", "sensitive skin"], "options": ["color: ora st-6"], "instruction_attributes": ["dermatologist tested", "fragrance free", "hyaluronic acid"], "instruction_options": [], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVQ3LXD", "worker_id": "ARJDD0Z3R65BD"}], "B07NXTKYQP": [{"asin": "B07NXTKYQP", "instruction": "i am looking for a rustic brown bookshelf with storage space.", "attributes": ["storage space", "engineered wood", "living room"], "options": ["color: rustic brown", "size: 14.6\"w", "style: bookshelf"], "instruction_attributes": [], "instruction_options": ["rustic brown", "bookshelf"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANJVSXG", "worker_id": "AK3JMCIGU8MLU"}], "B07PMTCQHT": [{"asin": "B07PMTCQHT", "instruction": "i am looking for nut free and fat free gummy candy.", "attributes": ["nut free", "fat free", "dairy free", "gluten free"], "options": [""], "instruction_attributes": ["nut free", "fat free"], "instruction_options": [], "assignment_id": "3P4MQ7TPP8M09ONPVWROKZ1I0SIBBM", "worker_id": "A1Q8PPQQCWGY0D"}], "B093S2LPTM": [{"asin": "B093S2LPTM", "instruction": "i am looking for some high quality nail stickers.", "attributes": ["high quality", "nail art", "nail polish"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P78FVS8", "worker_id": "A1EREKSZAA9V7B"}], "B08RJ3YLKM": [{"asin": "B08RJ3YLKM", "instruction": "i want a 2 pack of green tea & eggplant purifying clay stick masks.", "attributes": ["easy carry", "easy use", "green tea", "natural ingredients"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "3G2UL9A02OO71034MOY04HTU32F76C", "worker_id": "A2RBF3IIJP15IH"}], "B094Y4JQMR": [{"asin": "B094Y4JQMR", "instruction": "i am looking for pink, close-toed sandals that have a rubber sole and come in size 8.5", "attributes": ["open toe", "ankle strap", "closed toe", "rubber sole", "teen girls"], "options": ["color: z2-pink", "size: 8.5"], "instruction_attributes": ["closed toe", "rubber sole"], "instruction_options": ["z2-pink", "8.5"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3H1NQ3", "worker_id": "AK3JMCIGU8MLU"}], "B00IX5M0PW": [{"asin": "B00IX5M0PW", "instruction": "i am looking for a anti-perspirant deodorant that is long lasting.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYR3QMI", "worker_id": "A1Q8PPQQCWGY0D"}], "B081YY84HC": [{"asin": "B081YY84HC", "instruction": "i'm looking for original fit jeans for men.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: thunder moon rocks - light indigo", "size: 31w x 30l"], "instruction_attributes": ["straight leg"], "instruction_options": ["thunder moon rocks - light indigo"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4DG6RF", "worker_id": "A21IUUHBSEVB56"}], "B079JDFPMR": [{"asin": "B079JDFPMR", "instruction": "i'm looking for a long-lasting hydration hair treatment spray.", "attributes": ["long lasting", "hair treatment", "hair growth", "natural hair"], "options": [""], "instruction_attributes": ["long lasting", "hair treatment"], "instruction_options": [], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98VAKYV", "worker_id": "A3MNXK3VDK37SN"}], "B08CWNZ56P": [{"asin": "B08CWNZ56P", "instruction": "i am looking for a standard intel core i5 gaming pc.", "attributes": ["core i5", "intel core"], "options": ["style: standard"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["standard"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHRERFJ2E", "worker_id": "A1EREKSZAA9V7B"}], "B091WP1BT5": [{"asin": "B091WP1BT5", "instruction": "i would like a peach juice that is non gmo and gluten free.", "attributes": ["artificial ingredients", "non gmo", "gluten free", "dairy free", "real fruit", "artificial colors", "artificial flavors"], "options": ["flavor name: peach"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": [], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YTC8TP", "worker_id": "A1WS884SI0SLO4"}], "B08P27813M": [{"asin": "B08P27813M", "instruction": "i want a 1b natural hair wig.", "attributes": ["natural hair", "hair growth"], "options": ["color: 1b"], "instruction_attributes": ["natural hair"], "instruction_options": ["1b"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1QW6FD", "worker_id": "A1WS884SI0SLO4"}], "B07G57NM4T": [{"asin": "B07G57NM4T", "instruction": "i'm looking for a comfortable fit pullover shirts with long sleeves for teen girls. also, choose xx-large size white colored one", "attributes": ["loose fit", "daily casual", "wash cold", "hand wash", "long sleeve", "comfortable fit", "teen girls"], "options": ["color: short sleeve-white", "size: xx-large"], "instruction_attributes": ["long sleeve", "comfortable fit", "teen girls"], "instruction_options": ["short sleeve-white", "xx-large"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVJLSZ5", "worker_id": "AR0VJ5XRG16UJ"}], "B09DPTPQW7": [{"asin": "B09DPTPQW7", "instruction": "i want an oribox clear glass screen protector for iphone 12.", "attributes": ["compatible apple", "high definition", "glass screen", "tempered glass"], "options": ["color: clear", "style: iphone 12 | 12 pro"], "instruction_attributes": ["glass screen"], "instruction_options": ["clear"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYR3CG6", "worker_id": "A2RBF3IIJP15IH"}], "B09RF9GTHZ": [{"asin": "B09RF9GTHZ", "instruction": "i want an army green women's long sleeve tunic.", "attributes": ["quick drying", "machine washable", "short sleeve", "long sleeve", "arch support", "laundry bag", "daily wear"], "options": ["color: mqy-zh1 -army green", "size: 4x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["mqy-zh1 -army green"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QGOM1Y", "worker_id": "A2RBF3IIJP15IH"}], "B07Q5863HF": [{"asin": "B07Q5863HF", "instruction": "i am looking for mens shoes that are of realtree edge color and have rubber sole.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: realtree edge", "size: 9.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["realtree edge"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWSP6WC", "worker_id": "A1Q8PPQQCWGY0D"}], "B08YJ99BGF": [{"asin": "B08YJ99BGF", "instruction": "i'm looking for an intel i5 desk top pc with 32 gigabytes of ram and a two terabyte ssd.", "attributes": ["dual band", "core i5", "intel core", "quad core"], "options": ["size: 32gb ram | 2tb ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["32gb ram | 2tb ssd"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVSXKJZ", "worker_id": "AR9AU5FY1S3RO"}], "B093CRX264": [{"asin": "B093CRX264", "instruction": "help me find a black doorbell that will detect motion and give an excellent 1080p hd video quality.", "attributes": ["dual band", "1080p hd", "motion detection"], "options": ["color: black", "style: with plug-in power (white)"], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": ["black"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACUGHNC", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B093CRX264", "instruction": "looking for the 2021 release of ring video doorbell 4. it has 1080p, motion detection options. floodlight cam wired plus option. prefer white in color, but accept black.", "attributes": ["dual band", "1080p hd", "motion detection"], "options": ["color: black", "style: floodlight cam wired plus"], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": ["black", "floodlight cam wired plus"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X8XFRX", "worker_id": "A3RGIKEI8JS2QG"}], "B09F2HDDKN": [{"asin": "B09F2HDDKN", "instruction": "i am looking for some gluten free soft blue edible brew dust.", "attributes": ["kosher certified", "dairy free", "gluten free"], "options": ["color: soft blue", "size: 1000g (1kg)"], "instruction_attributes": ["gluten free"], "instruction_options": ["soft blue"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS6OUVD", "worker_id": "A1EREKSZAA9V7B"}], "B079KBCBKX": [{"asin": "B079KBCBKX", "instruction": "i'm looking for a hair extensions with natural hair. also choose 120g 14 inch sized natural black mixed chestnut brown colored one.", "attributes": ["hair extensions", "natural hair"], "options": ["color: natural black mixed chestnut brown #1b | 6 | 1b", "size: 14 inch (120 gram)"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["natural black mixed chestnut brown #1b | 6 | 1b", "14 inch (120 gram)"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733PQEBK", "worker_id": "AR0VJ5XRG16UJ"}], "B09BJPSK5Z": [{"asin": "B09BJPSK5Z", "instruction": "i am looking for a white footstool for my living room.", "attributes": ["high density", "pu leather", "solid wood", "living room"], "options": ["color: white", "size: 11.81in\u00d711.41in"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBI9DJM", "worker_id": "A1EREKSZAA9V7B"}], "B093YT7VND": [{"asin": "B093YT7VND", "instruction": "i am interested in buying a laundry bag", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UINA32", "worker_id": "AHXHM1PQTRWIQ"}], "B09DC88HCP": [{"asin": "B09DC88HCP", "instruction": "i am looking for easy clean , red color shower curtain of size 78\"w x 70\"h with hook", "attributes": ["easy clean", "printing technology"], "options": ["color: red", "size: 78\"w x 70\"h | 200x180cm"], "instruction_attributes": ["easy clean"], "instruction_options": ["red", "78\"w x 70\"h | 200x180cm"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2BF7YH", "worker_id": "A258PTOZ3D2TQR"}], "B07R3SP4BM": [{"asin": "B07R3SP4BM", "instruction": "i want to buy a vortex razor hd spotting scope for iphone 12 pro max that has a carrying case.", "attributes": ["compatible apple", "easy use", "carrying case"], "options": ["color: iphone 12 pro max", "size: vortex razor hd | ultra hd gen 1&2 spottin..."], "instruction_attributes": ["carrying case"], "instruction_options": ["iphone 12 pro max", "vortex razor hd | ultra hd gen 1&2 spottin..."], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL7BEAV", "worker_id": "A2YNPKYEFDZ6C9"}], "B07QKFRT2F": [{"asin": "B07QKFRT2F", "instruction": "i need a sugar free liquid water enhancer", "attributes": ["sugar free", "caffeine free", "easy use"], "options": [""], "instruction_attributes": ["sugar free"], "instruction_options": [], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD30CI1", "worker_id": "A2Y2TURT2VEYZN"}], "B004QVPDEC": [{"asin": "B004QVPDEC", "instruction": "i would like a 6 foot long gold plated pink cable.", "attributes": ["high speed", "ultra hd", "gold plated", "high resolution", "high performance", "high definition"], "options": ["color: pink", "size: 6ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["pink", "6ft"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KRDJLA", "worker_id": "A1WS884SI0SLO4"}], "B08LM9FX1X": [{"asin": "B08LM9FX1X", "instruction": "i'm looking for a waterproof hair cutting capes for hair styling. also choose 55\" * 66\" multi color one", "attributes": ["hair cutting", "hair styling"], "options": ["color: multi color 7", "size: 55\" x 66\""], "instruction_attributes": ["hair cutting", "hair styling"], "instruction_options": ["multi color 7", "55\" x 66\""], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCRHMBH", "worker_id": "AR0VJ5XRG16UJ"}], "B000SATGXE": [{"asin": "B000SATGXE", "instruction": "looking for davidson's tea 100 pcs south africa flavored tea bags, spiced rooibos chai is my favorite, please demand certified organic.", "attributes": ["caffeine free", "certified organic"], "options": ["flavor name: rooibos spiced chai"], "instruction_attributes": ["certified organic"], "instruction_options": ["rooibos spiced chai"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLAQECR", "worker_id": "A15IJ20C3R4HUO"}], "B085RNCPZC": [{"asin": "B085RNCPZC", "instruction": "i am interested in buying a beige colored super soft throw for the bedroom.", "attributes": ["super soft", "fleece throw"], "options": ["color: beige", "size: travel | throw(50\"x60\")"], "instruction_attributes": ["super soft"], "instruction_options": ["beige"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADX06YMF", "worker_id": "AHXHM1PQTRWIQ"}], "B086VLYFH8": [{"asin": "B086VLYFH8", "instruction": "i need an easy to clean, easy to assemble computer desk. it should have walnut wood and metal legs.", "attributes": ["heavy duty", "easy clean", "easy assemble", "coated steel", "metal legs"], "options": ["color: 4.0 walnut 2"], "instruction_attributes": ["easy clean", "easy assemble", "metal legs"], "instruction_options": ["4.0 walnut 2"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9MCK6S", "worker_id": "AR9AU5FY1S3RO"}], "B09SB4G9CS": [{"asin": "B09SB4G9CS", "instruction": "looking for high performance quad-core 64bit android tv box 10.0", "attributes": ["dual band", "high performance", "easy use", "quad core"], "options": ["color: 2gb+16gb"], "instruction_attributes": ["high performance", "quad core"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGANLSP", "worker_id": "A10OGH5CQBXL5N"}], "B00SYOUSCO": [{"asin": "B00SYOUSCO", "instruction": "i am looking for a 1.5 foot high speed gold plated hdmi cable.", "attributes": ["high speed", "gold plated"], "options": ["pattern name: 1 pack", "size: 1.5 feet"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["1.5 feet"], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ00NRRR", "worker_id": "A1EREKSZAA9V7B"}], "B07K8X6JZL": [{"asin": "B07K8X6JZL", "instruction": "i would like a caramel variety pack that is individually wrapped.", "attributes": ["hand crafted", "individually wrapped", "artificial ingredients", "high fructose", "natural ingredients", "artificial flavors"], "options": ["flavor name: variety"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["variety"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49LCTDL", "worker_id": "A1WS884SI0SLO4"}], "B01EO2KP2M": [{"asin": "B01EO2KP2M", "instruction": "i'm looking for a blush brush that should cruelty free certified. also, choose angled liner one.", "attributes": ["cruelty free", "nail polish"], "options": ["color: angled liner brush"], "instruction_attributes": ["cruelty free"], "instruction_options": ["angled liner brush"], "assignment_id": "33TIN5LC0FKDY31374RC144TX1SY99", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B01EO2KP2M", "instruction": "i would like a foundation brush for my nail polish.", "attributes": ["cruelty free", "nail polish"], "options": ["color: foundation brush"], "instruction_attributes": ["nail polish"], "instruction_options": ["foundation brush"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC7CKUA", "worker_id": "A1WS884SI0SLO4"}], "B07N7YPR32": [{"asin": "B07N7YPR32", "instruction": "i would like a non gmo container of artichoke hearts.", "attributes": ["dairy free", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSY86TN", "worker_id": "A1WS884SI0SLO4"}], "B083LXGV1K": [{"asin": "B083LXGV1K", "instruction": "i would like a size 34 pair of garden variety shorts that can be machine washed.", "attributes": ["machine wash", "button closure"], "options": ["color: garden variety", "size: 34"], "instruction_attributes": ["machine wash"], "instruction_options": ["garden variety", "34"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRYV3F3", "worker_id": "A1WS884SI0SLO4"}], "B09239MNBY": [{"asin": "B09239MNBY", "instruction": "i am looking for cheese flavored gluten free rice snacks", "attributes": ["gluten free", "natural ingredients"], "options": ["flavor name: cheese x2"], "instruction_attributes": ["gluten free"], "instruction_options": ["cheese x2"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH1571WH1", "worker_id": "A258PTOZ3D2TQR"}], "B092VS43X2": [{"asin": "B092VS43X2", "instruction": "i'm looking for a tv cabinet for living room with high gloss finish and has tempered glass. also, choose a-47\" w* 16\" d* 16\"h in size natural 017 colored one.", "attributes": ["high gloss", "tempered glass", "living room"], "options": ["color: natural 017", "size: a-47 \"w \u00d7 16\" d \u00d7 16 \"h"], "instruction_attributes": ["high gloss", "tempered glass", "living room"], "instruction_options": ["natural 017", "a-47 \"w \u00d7 16\" d \u00d7 16 \"h"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTQLO6D", "worker_id": "AR0VJ5XRG16UJ"}], "B07C8C3JFC": [{"asin": "B07C8C3JFC", "instruction": "i am looking for a ready to hang 24 inch by 30 inch poster of a cow.", "attributes": ["ready hang", "dining room", "living room"], "options": ["size: 24 x 30", "style: wall plaque"], "instruction_attributes": ["ready hang"], "instruction_options": ["24 x 30"], "assignment_id": "37TRT2X24116R7L1JO45INKV8X3BJJ", "worker_id": "A1EREKSZAA9V7B"}], "B08TB6XVY9": [{"asin": "B08TB6XVY9", "instruction": "i am looking for a 3-pack of bpa free fine mist bottles with trigger.", "attributes": ["leak proof", "bpa free", "high quality", "fine mist"], "options": ["size: pack of 3"], "instruction_attributes": ["bpa free", "fine mist"], "instruction_options": ["pack of 3"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVONQ0S", "worker_id": "AK3JMCIGU8MLU"}], "B01IY27IX2": [{"asin": "B01IY27IX2", "instruction": "i would like a unscented body butter that is cruelty free.", "attributes": ["anti aging", "cruelty free", "dry skin"], "options": ["scent: unscented"], "instruction_attributes": ["cruelty free"], "instruction_options": ["unscented"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5YRF40", "worker_id": "A1WS884SI0SLO4"}], "B09JFX86BQ": [{"asin": "B09JFX86BQ", "instruction": "i need a long sleeve casual jacket for women.", "attributes": ["light weight", "long sleeve"], "options": ["color: e2-gray", "size: 5x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5KB912O", "worker_id": "AVIEE6LDH0BT5"}], "B00H4KDZZ6": [{"asin": "B00H4KDZZ6", "instruction": "i'm looking for low carb protein powder.", "attributes": ["low carb", "protein serving", "low fat", "keto friendly", "gluten free"], "options": ["flavor name: chocolate peanut butter cup", "size: variety pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["variety pack"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3PWZLH", "worker_id": "A21IUUHBSEVB56"}], "B08BJ4HYJ9": [{"asin": "B08BJ4HYJ9", "instruction": "i am looking for a navy blue macbook pro 13 inch case cover.", "attributes": ["light weight", "case cover"], "options": ["color: navy blue"], "instruction_attributes": ["case cover"], "instruction_options": ["navy blue"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06PKXK6", "worker_id": "AHU9OLV0YKIIW"}], "B08RJZQYK1": [{"asin": "B08RJZQYK1", "instruction": "i'm looking for track trail running shoe for men.", "attributes": ["lace closure", "rubber outsole", "regular fit"], "options": ["color: core black | core black | bold blue", "size: 12 m uk"], "instruction_attributes": ["regular fit"], "instruction_options": ["core black | core black | bold blue"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRXWWPP", "worker_id": "A21IUUHBSEVB56"}], "B07RMJZTJJ": [{"asin": "B07RMJZTJJ", "instruction": "i would like a 0.4 ounce medium honey concealer that is long lasting.", "attributes": ["anti aging", "highly pigmented", "travel size", "long lasting", "hyaluronic acid", "dark circles"], "options": ["color: 22.5 medium honey (w)", "size: 0.4 ounce (pack of 1)"], "instruction_attributes": ["long lasting"], "instruction_options": ["22.5 medium honey (w)", "0.4 ounce (pack of 1)"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPKFVQ4", "worker_id": "A1WS884SI0SLO4"}], "B08PBP6N38": [{"asin": "B08PBP6N38", "instruction": "i want a grey bellemave bed frame wood platform bed.", "attributes": ["white item", "box spring", "storage space", "wood frame", "solid wood"], "options": ["color: grey", "size: twin"], "instruction_attributes": ["wood frame"], "instruction_options": ["grey"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXWBO50", "worker_id": "A2RBF3IIJP15IH"}], "B07KMJNTY2": [{"asin": "B07KMJNTY2", "instruction": "i am looking for 28 short size women's straight leg jeans", "attributes": ["straight leg", "machine wash", "imported zipper"], "options": ["color: (new) slate ideal clean hem - dark indigo", "fit type: standard", "size: 28 short"], "instruction_attributes": ["straight leg"], "instruction_options": ["standard", "28 short"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UTNG1T", "worker_id": "A258PTOZ3D2TQR"}], "B0956KCDT2": [{"asin": "B0956KCDT2", "instruction": "i am looking for qazpl clip in hair extensions for hair loss.", "attributes": ["high quality", "hair loss"], "options": ["color: kinky curly", "size: 18 inch"], "instruction_attributes": ["hair loss"], "instruction_options": ["18 inch"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQF4AJ9", "worker_id": "A2KW17G25L25R8"}], "B09P12CWD9": [{"asin": "B09P12CWD9", "instruction": "i want a x-large merthy long sleeve camp corduroy shirt.", "attributes": ["slim fit", "loose fit", "hand wash", "winter warm", "fleece lined", "wash cold", "machine wash", "long sleeve", "drawstring waist", "high waist"], "options": ["color: 02 brown", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x-large"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86AN81I", "worker_id": "A2RBF3IIJP15IH"}], "B073WGFRM1": [{"asin": "B073WGFRM1", "instruction": "i need a concealer for dark circles that is in the color sassy", "attributes": ["certified organic", "anti aging", "cruelty free", "long lasting", "natural ingredients", "dark circles"], "options": ["color: sassy"], "instruction_attributes": ["dark circles"], "instruction_options": ["sassy"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYM4LQ2", "worker_id": "A2ECRNQ3X5LEXD"}], "B092YR7R35": [{"asin": "B092YR7R35", "instruction": "i would like a rose gold cupcake topper for a birthday cake.", "attributes": ["cupcake picks", "birthday party"], "options": ["color: rose gold"], "instruction_attributes": ["birthday party"], "instruction_options": ["rose gold"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MP7FOQ", "worker_id": "A1WS884SI0SLO4"}], "B0983MS3T8": [{"asin": "B0983MS3T8", "instruction": "i want a tripod that is easy to carry.", "attributes": ["quick release", "easy carry"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "37Z929RLGKIZMWY86444AIH4AOWSTO", "worker_id": "A15ERD4HOFEPHM"}], "B08DJ7PMV9": [{"asin": "B08DJ7PMV9", "instruction": "i'm looking for a travel size perfume that should be long lasting and free from alcohol. also choose clinique happy for men impression scented one.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: clinique happy for men impression"], "instruction_attributes": ["travel size", "alcohol free", "long lasting"], "instruction_options": ["clinique happy for men impression"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK97VNW", "worker_id": "AR0VJ5XRG16UJ"}], "B01KV6SE5U": [{"asin": "B01KV6SE5U", "instruction": "i am looking for a can of ready to eat smoked oysters.", "attributes": ["high protein", "gluten free", "protein serving", "ready eat"], "options": ["flavor name: oysters smoked"], "instruction_attributes": ["ready eat"], "instruction_options": ["oysters smoked"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LIX0LA", "worker_id": "A1EREKSZAA9V7B"}], "B075813R1S": [{"asin": "B075813R1S", "instruction": "i'm looking for a high quality tea tree oil with basil scent. choose the ones that come in 10 ml package.", "attributes": ["high quality", "tea tree"], "options": ["scent: basil", "size: 10 ml (pack of 1)"], "instruction_attributes": ["high quality", "tea tree"], "instruction_options": ["basil", "10 ml (pack of 1)"], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTDU56ZE", "worker_id": "A3MNXK3VDK37SN"}], "B07R83KXYZ": [{"asin": "B07R83KXYZ", "instruction": "i'm looking for an extra large men's valley jacket that will last a long time and is made from high quality materials.", "attributes": ["long lasting", "quality materials"], "options": ["color: crouton", "size: x-large"], "instruction_attributes": ["long lasting", "quality materials"], "instruction_options": ["x-large"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VKS8E4", "worker_id": "A2JP9IKRHNLRPI"}], "B09R7YYJM4": [{"asin": "B09R7YYJM4", "instruction": "i would like a medium green two piece swim suit with moisture wicking.", "attributes": ["loose fit", "moisture wicking", "slim fit", "tummy control", "long sleeve", "cotton spandex", "memory foam", "high waist", "tumble dry"], "options": ["color: hkfg-a390-green", "size: medium"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["hkfg-a390-green", "medium"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJPJZ8H", "worker_id": "A1WS884SI0SLO4"}], "B003O3P9EC": [{"asin": "B003O3P9EC", "instruction": "i'm looking for a pack of 2 guava jelly 1.06 oz jar with 0g trans", "attributes": ["low fat", "fat free", "0g trans"], "options": ["size: .2 pack - 1.06 ounce (pack of 1)"], "instruction_attributes": ["0g trans"], "instruction_options": [".2 pack - 1.06 ounce (pack of 1)"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQJLKEW", "worker_id": "A2Y2TURT2VEYZN"}], "B087D93CRX": [{"asin": "B087D93CRX", "instruction": "i would like a 3 pack of kugel meal kits that are fully cooked.", "attributes": ["fully cooked", "easy prepare", "shelf stable", "ready eat", "kosher certified"], "options": ["flavor name: kugel", "size: pack of 3"], "instruction_attributes": ["fully cooked"], "instruction_options": ["kugel", "pack of 3"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFSI3VQ", "worker_id": "A1WS884SI0SLO4"}], "B09KPCYCSD": [{"asin": "B09KPCYCSD", "instruction": "i would like a 5xl leopard t shirt with a short sleeve.", "attributes": ["hand wash", "machine wash", "contrast color", "fashion design", "relaxed fit", "short sleeve", "long sleeve"], "options": ["color: a13f-leopard", "size: 5x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["a13f-leopard", "5x-large"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIMJ92P", "worker_id": "A1WS884SI0SLO4"}], "B094VQTWZ7": [{"asin": "B094VQTWZ7", "instruction": "i want to buy some earbuds that are easy to carry and are in color pinky girls.", "attributes": ["fast charging", "easy carry"], "options": ["color: pinky girls"], "instruction_attributes": ["easy carry"], "instruction_options": ["pinky girls"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LKKPSN", "worker_id": "A2YNPKYEFDZ6C9"}], "B07BLRKV7B": [{"asin": "B07BLRKV7B", "instruction": "i would like a glossy red keychain that is made of carbon fiber.", "attributes": ["light weight", "carbon fiber"], "options": ["color: glossy red - metal keychain"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["glossy red - metal keychain"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAJWOVO", "worker_id": "A1WS884SI0SLO4"}], "B08D7CT1XX": [{"asin": "B08D7CT1XX", "instruction": "add to my list a wizard of oz 3xlarge tshirt for men. should be officially licenced..", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: pink", "fit type: men", "size: 3x-large"], "instruction_attributes": ["officially licensed"], "instruction_options": ["men", "3x-large"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMNZVXY", "worker_id": "AHU9OLV0YKIIW"}], "B08GJ6ZLXB": [{"asin": "B08GJ6ZLXB", "instruction": "i am looking for some gluten free did someone say chipotle flavored seafood seasoning.", "attributes": ["gluten free", "non gmo", "usda organic", "low carb", "dairy free", "natural flavors"], "options": ["flavor name: did someone say chipotle", "size: 2.9 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["did someone say chipotle"], "assignment_id": "32SCWG5HISEW7674IASH43KF3VR6PM", "worker_id": "A1EREKSZAA9V7B"}], "B01499R1F4": [{"asin": "B01499R1F4", "instruction": "i would like a black file cabinets what are fully assembled.", "attributes": ["fully assembled", "coated steel"], "options": ["color: black"], "instruction_attributes": ["fully assembled"], "instruction_options": ["black"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIGI2LX", "worker_id": "A1WS884SI0SLO4"}], "B099RJHQZK": [{"asin": "B099RJHQZK", "instruction": "i am looking for a women's grey short sleeve mini dress.", "attributes": ["daily casual", "wash cold", "machine wash", "short sleeve", "relaxed fit"], "options": ["color: grey", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["grey"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJV3BXS", "worker_id": "A1EREKSZAA9V7B"}], "B08MJ7Q4LM": [{"asin": "B08MJ7Q4LM", "instruction": "i need an easy to carry background that is 7 by 5 ft", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 7x5ft"], "instruction_attributes": ["easy carry"], "instruction_options": ["7x5ft"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UMYOKD", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VG8CYTX": [{"asin": "B07VG8CYTX", "instruction": "i want a 64 gig data shur usb port drive.", "attributes": ["water resistant", "easy use", "usb port"], "options": ["size: 64gb", "style: datashur"], "instruction_attributes": ["usb port"], "instruction_options": ["64gb", "datashur"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UML0PRDG", "worker_id": "A1WS884SI0SLO4"}], "B093SYDS21": [{"asin": "B093SYDS21", "instruction": "i want blouse hosiery in white color", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery"], "instruction_options": [], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGROIYL", "worker_id": "A226L9F2AZ38CL"}], "B07XHRRRQ6": [{"asin": "B07XHRRRQ6", "instruction": "i am looking for some high protein salt n' vinegar flavored almonds.", "attributes": ["high protein", "source vitamin"], "options": ["flavor name: salt n' vinegar", "size: 6 ounce (pack of 1)"], "instruction_attributes": ["high protein"], "instruction_options": ["salt n' vinegar"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN4OOGF", "worker_id": "A1EREKSZAA9V7B"}], "B078PLG6MM": [{"asin": "B078PLG6MM", "instruction": "i want a 2 pack of garnier hair care fructis coconut oil conditioner.", "attributes": ["paraben free", "long lasting", "coconut oil"], "options": ["size: 10.2 fl oz (pack of 2)"], "instruction_attributes": ["coconut oil"], "instruction_options": ["10.2 fl oz (pack of 2)"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1IH80F", "worker_id": "A2RBF3IIJP15IH"}], "B08Y8J5ZTR": [{"asin": "B08Y8J5ZTR", "instruction": "i would like a high protein jerky.", "attributes": ["grass fed", "artificial ingredients", "gluten free", "low fat", "high protein", "low carb"], "options": [""], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFJHVMG", "worker_id": "A1WS884SI0SLO4"}], "B08XZQBD3R": [{"asin": "B08XZQBD3R", "instruction": "i want some noise cancelling headset. it should be hands free.", "attributes": ["hands free", "noise cancelling"], "options": ["pattern name: headset", "size: on ear", "style: c300-xt"], "instruction_attributes": ["hands free", "noise cancelling"], "instruction_options": ["headset"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CT1T2O", "worker_id": "A1NF6PELRKACS9"}], "B00KXMJXY4": [{"asin": "B00KXMJXY4", "instruction": "iam looking for gmo free assortment - 38 pc", "attributes": ["gmo free", "artificial flavors"], "options": [""], "instruction_attributes": ["gmo free"], "instruction_options": [], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLICQKI3", "worker_id": "A9QRQL9CFJBI7"}], "B0084EHWDW": [{"asin": "B0084EHWDW", "instruction": "i'm looking for professional animal arco pet clipper kit.", "attributes": ["easy clean", "storage case"], "options": ["color: green apple"], "instruction_attributes": ["storage case"], "instruction_options": ["green apple"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHACNODK", "worker_id": "A21IUUHBSEVB56"}], "B09RJ3B1MF": [{"asin": "B09RJ3B1MF", "instruction": "i'm looking for long lasting eyeshadow pencils for women.", "attributes": ["long lasting", "easy apply", "highly pigmented", "eye shadow"], "options": ["color: 10#sky blue"], "instruction_attributes": ["long lasting", "eye shadow"], "instruction_options": [], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ589KC6", "worker_id": "A21IUUHBSEVB56"}], "B08DJB4MS5": [{"asin": "B08DJB4MS5", "instruction": "i am looking for a 3'x5' size of contemporary style area rugs", "attributes": ["easy clean", "contemporary style", "dining room"], "options": ["color: grey, yellow", "size: 3' x 5'"], "instruction_attributes": ["contemporary style"], "instruction_options": [], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZS150V", "worker_id": "A9QRQL9CFJBI7"}], "B09NNQTVYB": [{"asin": "B09NNQTVYB", "instruction": "i am looking for hands free, noise cancelling earphones in the color blue.", "attributes": ["hands free", "dust proof", "noise cancelling", "wireless bluetooth"], "options": ["color: s_blue"], "instruction_attributes": ["hands free", "noise cancelling"], "instruction_options": ["s_blue"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOHL1WL", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B09NNQTVYB", "instruction": "i am looking for a wireless bluetooth headphone with noise cancelling and dust proof. also in red color", "attributes": ["hands free", "dust proof", "noise cancelling", "wireless bluetooth"], "options": ["color: r_red"], "instruction_attributes": ["dust proof", "noise cancelling", "wireless bluetooth"], "instruction_options": ["r_red"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8ZWSS1", "worker_id": "A2HMEGTAFO0CS8"}], "B094YV3VNZ": [{"asin": "B094YV3VNZ", "instruction": "i'm looking for bookshelf speaker.", "attributes": ["high performance", "plug play", "stereo sound"], "options": ["color: white | white walnut"], "instruction_attributes": ["high performance"], "instruction_options": ["white | white walnut"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5Y06Q3M", "worker_id": "A21IUUHBSEVB56"}], "B07MXS6N5N": [{"asin": "B07MXS6N5N", "instruction": "i am looking for an army green short sleeve polo shirt.", "attributes": ["hand wash", "cotton spandex", "classic fit", "short sleeve"], "options": ["color: a army green", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UWBJ6P", "worker_id": "A1EREKSZAA9V7B"}], "B098WM2956": [{"asin": "B098WM2956", "instruction": "i want blue velvet sectional couches for the living room.", "attributes": ["button tufted", "mid century", "living room"], "options": ["color: blue"], "instruction_attributes": ["living room"], "instruction_options": ["blue"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK4UIU6", "worker_id": "A2RBF3IIJP15IH"}], "B07QNTX6MQ": [{"asin": "B07QNTX6MQ", "instruction": "i am interested in buying a 13.5 inch intel core i5 processor based tablet which has a usb port.", "attributes": ["core i5", "intel core", "usb port"], "options": ["size: 13.5 in"], "instruction_attributes": ["core i5", "intel core", "usb port"], "instruction_options": ["13.5 in"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C9HHP8", "worker_id": "AHXHM1PQTRWIQ"}], "B09RWTPTVC": [{"asin": "B09RWTPTVC", "instruction": "i'm looking for a men's blue slim fit short sleeve shirt in size small.", "attributes": ["slim fit", "daily casual", "fleece lined", "hand wash", "machine wash", "tummy control", "short sleeve", "long sleeve"], "options": ["color: blue", "size: small"], "instruction_attributes": ["slim fit", "short sleeve"], "instruction_options": ["blue", "small"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCSH9BC", "worker_id": "A3MNXK3VDK37SN"}], "B08VVYWJ24": [{"asin": "B08VVYWJ24", "instruction": "i am looking for non-gmo, gluten-free and kosher certified mustard seeds.", "attributes": ["non gmo", "gluten free", "kosher certified", "dietary fiber"], "options": [""], "instruction_attributes": ["non gmo", "gluten free", "kosher certified"], "instruction_options": [], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8SKQQP", "worker_id": "AJDQGOTMB2D80"}], "B093SXGCZH": [{"asin": "B093SXGCZH", "instruction": "i'm in need of a pair of laundry bags made from mesh.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUBR9AE", "worker_id": "A2JP9IKRHNLRPI"}], "B00BIM3JLQ": [{"asin": "B00BIM3JLQ", "instruction": "i want black dunham men's revchase slip-ons with memory foam.", "attributes": ["ethylene vinyl", "vinyl acetate", "memory foam", "rubber sole"], "options": ["color: black", "size: 12"], "instruction_attributes": ["memory foam"], "instruction_options": ["black"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1MCFTGG", "worker_id": "A2RBF3IIJP15IH"}], "B00U3TE9ZU": [{"asin": "B00U3TE9ZU", "instruction": "i'm looking for a long lasting foundation that has spf50+. also, choose the color no. 21.", "attributes": ["long lasting", "dark circles"], "options": ["color: no.21"], "instruction_attributes": ["long lasting"], "instruction_options": ["no.21"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLKZ2FV", "worker_id": "A1TWVJS27CL3KT"}], "B09FXVQ8WN": [{"asin": "B09FXVQ8WN", "instruction": "i am looking for a sugar free starburst cherry flavored energy drink.", "attributes": ["sugar free", "artificial colors", "zero sugar"], "options": ["flavor name: starburst cherry", "size: 16 fl oz (pack of 12)"], "instruction_attributes": ["sugar free"], "instruction_options": ["starburst cherry"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK59J3J", "worker_id": "A1EREKSZAA9V7B"}], "B01LYH3JZR": [{"asin": "B01LYH3JZR", "instruction": "i am looking for ivory color entryway plush 2-inch thick area rug of size 2 ft 3 in x 12 ft for living room", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: ivory | gold", "item shape: square", "size: 2 ft 3 in x 12 ft"], "instruction_attributes": ["living room"], "instruction_options": ["ivory | gold", "2 ft 3 in x 12 ft"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4EQRQV", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01LYH3JZR", "instruction": "i need to buy a nine foot round rug in ivory and green for my living room.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: ivory | green", "item shape: round", "size: 9 ft"], "instruction_attributes": ["living room"], "instruction_options": ["ivory | green", "round", "9 ft"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOWY937", "worker_id": "AR9AU5FY1S3RO"}], "B08TB67HC2": [{"asin": "B08TB67HC2", "instruction": "i would like a dark green pair of hair cutting sheers.", "attributes": ["easy clean", "hair cutting"], "options": ["color: dark green"], "instruction_attributes": ["hair cutting"], "instruction_options": ["dark green"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FJ6LEG", "worker_id": "A1WS884SI0SLO4"}], "B0073GO7FS": [{"asin": "B0073GO7FS", "instruction": "i'm looking for under armour tech short sleeve t-shirt for men.", "attributes": ["quick drying", "machine wash", "imported zipper", "short sleeve"], "options": ["color: rocket red (984) | black", "size: large tall"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large tall"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8KHZN4", "worker_id": "A21IUUHBSEVB56"}], "B0846WX23D": [{"asin": "B0846WX23D", "instruction": "i am looking for a 4 light vanity light with a contemporary design.", "attributes": ["assembly required", "vanity light", "contemporary design"], "options": [""], "instruction_attributes": ["vanity light", "contemporary design"], "instruction_options": [], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUNCPI8B", "worker_id": "A1EREKSZAA9V7B"}], "B0182YDWS2": [{"asin": "B0182YDWS2", "instruction": "i am looking for betty crocker fruit by the foot with no artificial flavors in a pack of 36.", "attributes": ["source vitamin", "artificial flavors"], "options": ["size: 36 count (pack of 1)"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["36 count (pack of 1)"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20SS0ZI", "worker_id": "AK3JMCIGU8MLU"}], "B07SZ2Z19Z": [{"asin": "B07SZ2Z19Z", "instruction": "i am looking for open toe women's sandals of size 8.5", "attributes": ["open toe", "closed toe", "high heel", "ankle strap", "arch support"], "options": ["color: z95-hot pink", "size: 8.5"], "instruction_attributes": ["open toe"], "instruction_options": ["8.5"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWP2Y0GT", "worker_id": "A1Q8PPQQCWGY0D"}], "B07WD5TFFT": [{"asin": "B07WD5TFFT", "instruction": "i would like some wild caught oysters.", "attributes": ["wild caught", "natural ingredients"], "options": [""], "instruction_attributes": ["wild caught"], "instruction_options": [], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNR0IJXR", "worker_id": "A1WS884SI0SLO4"}], "B08BNQHLLR": [{"asin": "B08BNQHLLR", "instruction": "i'm looking for flannel throw blanket sherpa microfiber bed sofa.", "attributes": ["super soft", "fleece throw"], "options": ["color: bohemia feathers", "size: 60\"x50\" blanket for teens"], "instruction_attributes": ["super soft"], "instruction_options": ["60\"x50\" blanket for teens"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E05HX7X", "worker_id": "A21IUUHBSEVB56"}], "B09C3XS9N3": [{"asin": "B09C3XS9N3", "instruction": "i need an easy to clean hydraulic chair that is heavy duty. it is for my hair salon.", "attributes": ["easy clean", "heavy duty", "beauty salon", "hair salon"], "options": [""], "instruction_attributes": ["easy clean", "heavy duty", "hair salon"], "instruction_options": [], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNOTNTA", "worker_id": "A1NF6PELRKACS9"}], "B08RN71L4L": [{"asin": "B08RN71L4L", "instruction": "i am interested in buying a green linen arm chair of faux leather for the living room.", "attributes": ["mid century", "assembly required", "easy clean", "faux leather", "living room"], "options": ["color: green linen", "size: c- cute tufted lamb"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["green linen"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2V35M7", "worker_id": "AHXHM1PQTRWIQ"}], "B09N797XCY": [{"asin": "B09N797XCY", "instruction": "i am looking for king size bed having wood frame.", "attributes": ["faux leather", "box spring", "memory foam", "wood frame"], "options": ["color: white", "size: king"], "instruction_attributes": ["wood frame"], "instruction_options": ["king"], "assignment_id": "326O153BMT8RVOXTJJKKGXV36B1EDS", "worker_id": "A1Q8PPQQCWGY0D"}], "B0759ZTCPK": [{"asin": "B0759ZTCPK", "instruction": "i'm looking for a large pack of candles that are honeycomb veriglass scented please? i", "attributes": ["lead free", "long lasting"], "options": ["color: hollyberry", "size: 18-pack"], "instruction_attributes": ["long lasting"], "instruction_options": ["18-pack"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH37EZSEO", "worker_id": "A2TRV8SEM003GG"}, {"asin": "B0759ZTCPK", "instruction": "please find a root candles honeycomb veriglass scented, lead free, color bayberry .", "attributes": ["lead free", "long lasting"], "options": ["color: bayberry", "size: 8-count"], "instruction_attributes": ["lead free"], "instruction_options": ["bayberry"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZJW7C0", "worker_id": "A15IJ20C3R4HUO"}], "B07V7R8SQN": [{"asin": "B07V7R8SQN", "instruction": "looking for cotton heather t shirt which is machine washable also choose colour dark heather", "attributes": ["machine wash", "drawstring closure", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: men", "size: 3t"], "instruction_attributes": ["machine wash", "cotton heather"], "instruction_options": ["dark heather", "men"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MML6J12", "worker_id": "A10OGH5CQBXL5N"}], "B08ZXPRPKM": [{"asin": "B08ZXPRPKM", "instruction": "i would like a wolf moon hair cutting kit.", "attributes": ["water resistant", "hair cutting", "hair styling", "hair dye", "hair salon"], "options": ["color: wolf moon"], "instruction_attributes": ["hair cutting"], "instruction_options": ["wolf moon"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCS4BMV", "worker_id": "A1WS884SI0SLO4"}], "B06XF36LSS": [{"asin": "B06XF36LSS", "instruction": "i am looking for a long lasting brown colored liquid eyeliner.", "attributes": ["long lasting", "eye shadow"], "options": ["color: brown", "size: 1 count"], "instruction_attributes": ["long lasting"], "instruction_options": ["brown"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQSZP0Y", "worker_id": "AJDQGOTMB2D80"}], "B0998FBRB9": [{"asin": "B0998FBRB9", "instruction": "i want to buy sneakers for men which have a rubber sole, and are of navy color, while the size should be 13.", "attributes": ["lace closure", "rubber outsole", "rubber sole"], "options": ["color: navy | white", "size: 13"], "instruction_attributes": ["rubber sole"], "instruction_options": ["navy | white", "13"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0WSACU", "worker_id": "AJY5G987IRT25"}], "B09BZ939LC": [{"asin": "B09BZ939LC", "instruction": "i am looking for some high quality 14mm false eyelashes.", "attributes": ["easy apply", "high quality"], "options": ["size: 14mm"], "instruction_attributes": ["high quality"], "instruction_options": ["14mm"], "assignment_id": "3R2PKQ87N7I6FN5SSV9EK2GP7H4IMP", "worker_id": "A1EREKSZAA9V7B"}], "B0771PPM5C": [{"asin": "B0771PPM5C", "instruction": "i am looking for an easy to hang 24 inch by 32 inch floral oil painting for my living room.", "attributes": ["ready hang", "dining room", "living room"], "options": ["size: 24x32inch (60x80cm)"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["24x32inch (60x80cm)"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYSQN7O", "worker_id": "A1EREKSZAA9V7B"}], "B00CWTZ408": [{"asin": "B00CWTZ408", "instruction": "i am looking for some gluten and sugar free irish cream syrup.", "attributes": ["sugar free", "keto friendly", "fat free", "gluten free", "zero sugar"], "options": ["flavor name: sugar free irish cream", "size: 25.4 fl oz (pack of 12)"], "instruction_attributes": ["sugar free", "gluten free"], "instruction_options": ["sugar free irish cream"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOKDTCW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00CWTZ408", "instruction": "i am looking for sugar free blue raspberry syrup.", "attributes": ["sugar free", "keto friendly", "fat free", "gluten free", "zero sugar"], "options": ["flavor name: sugar free blue raspberry", "size: 25.4-ounce (pack of 3)"], "instruction_attributes": ["sugar free"], "instruction_options": ["sugar free blue raspberry"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3J6YRW", "worker_id": "A1EREKSZAA9V7B"}], "B091MLZ1QX": [{"asin": "B091MLZ1QX", "instruction": "i'm looking for a 198 gram box of crunchy organic breakfast cereal; it must suit my high-protein, gluten-free diet.", "attributes": ["plant based", "dairy free", "non gmo", "low sugar", "gluten free", "protein serving", "soy free", "kosher certified"], "options": ["flavor name: berry", "size: 198 gram"], "instruction_attributes": ["gluten free", "protein serving"], "instruction_options": ["198 gram"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPD10AIK", "worker_id": "A3LIIE572Z4OG7"}], "B089B6814K": [{"asin": "B089B6814K", "instruction": "can you direct me to a pair of women's shorts? i want them to have elastic waist and come in black, please", "attributes": ["fleece lined", "wide leg", "short sleeve", "long sleeve", "closed toe", "elastic waist", "teen girls"], "options": ["color: b-black", "size: 3x-large"], "instruction_attributes": ["short sleeve", "elastic waist", "teen girls"], "instruction_options": ["b-black"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X028M34F", "worker_id": "A2TRV8SEM003GG"}], "B07QB9NBLD": [{"asin": "B07QB9NBLD", "instruction": "i'm looking for a 4oz baked fresh vanilla rum cake", "attributes": ["baked fresh", "quality ingredients", "gift basket"], "options": ["size: 4 ounce (pack of 4)"], "instruction_attributes": ["baked fresh"], "instruction_options": ["4 ounce (pack of 4)"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB44RYX0", "worker_id": "A2Y2TURT2VEYZN"}], "B09RB5K9NL": [{"asin": "B09RB5K9NL", "instruction": "i'm looking for a machine washable, regular fit men's shorts with tummy control elastic waist band and has drawstring closure for gym workout. also choose 3x-large size black colored one.", "attributes": ["loose fit", "wide leg", "wash cold", "hand wash", "machine wash", "elastic waist", "regular fit", "drawstring closure", "elastic waistband", "tummy control", "gym workout"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["machine wash", "regular fit", "drawstring closure", "elastic waistband", "tummy control", "gym workout"], "instruction_options": ["black", "3x-large"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOH4W1Z", "worker_id": "AR0VJ5XRG16UJ"}], "B084BY1GZ4": [{"asin": "B084BY1GZ4", "instruction": "i need aluminum tripod legs", "attributes": ["carbon fiber", "aluminum alloy"], "options": [""], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUP54SU", "worker_id": "A2ECRNQ3X5LEXD"}], "B095W7W8XX": [{"asin": "B095W7W8XX", "instruction": "i am looking for yellow birthday cake candles.", "attributes": ["birthday cake", "birthday party"], "options": ["size: 1"], "instruction_attributes": ["birthday cake"], "instruction_options": ["1"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCIAVABO", "worker_id": "A2KW17G25L25R8"}], "B00DLJ4JE0": [{"asin": "B00DLJ4JE0", "instruction": "i want to buy caffeine free herbal tea in a pack of 1.", "attributes": ["caffeine free", "usda organic"], "options": ["size: pack of 1"], "instruction_attributes": ["caffeine free"], "instruction_options": ["pack of 1"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOKLCTN", "worker_id": "AHXHM1PQTRWIQ"}, {"asin": "B00DLJ4JE0", "instruction": "i'm looking for organic, caffeine free elderberry tea. i want a pack of one.", "attributes": ["caffeine free", "usda organic"], "options": ["size: pack of 1"], "instruction_attributes": ["caffeine free", "usda organic"], "instruction_options": ["pack of 1"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1MD2TG5", "worker_id": "AR9AU5FY1S3RO"}], "B09PLH5ZF6": [{"asin": "B09PLH5ZF6", "instruction": "i want a women slip resistant red color shoes with size 10.5", "attributes": ["slip resistant", "daily wear"], "options": ["color: red", "size: 10.5"], "instruction_attributes": ["slip resistant"], "instruction_options": ["red", "10.5"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L5XCVZ", "worker_id": "A1V2C99HEV3F14"}], "B07GV63JCB": [{"asin": "B07GV63JCB", "instruction": "plus size black velvet cropped and shorts set", "attributes": ["elastic closure", "elastic waist"], "options": ["color: black", "size: large"], "instruction_attributes": [], "instruction_options": ["black", "large"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35QLUG7", "worker_id": "A3TTGSUBIK1YCL"}], "B099QN26PT": [{"asin": "B099QN26PT", "instruction": "i'm looking for a black speaker with a carrying case that is easy to use.", "attributes": ["easy use", "carrying case"], "options": ["color: black"], "instruction_attributes": ["easy use", "carrying case"], "instruction_options": ["black"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNWBJFR", "worker_id": "AFU00NU09CFXE"}], "B08L1VR9KX": [{"asin": "B08L1VR9KX", "instruction": "i am looking for a space saving side table for the living room. also, i would like it to be in blue color.", "attributes": ["space saving", "living room"], "options": ["color: blue"], "instruction_attributes": ["space saving", "living room"], "instruction_options": ["blue"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTSGV45", "worker_id": "AJDQGOTMB2D80"}], "B09MHFT1NS": [{"asin": "B09MHFT1NS", "instruction": "i want a mydrinkbomb cocktail bombs tequila sunrise mix gift set.", "attributes": ["non alcoholic", "hand crafted", "dairy free", "non gmo", "gluten free", "natural flavors", "quality ingredients", "natural ingredients", "gift set", "great gift"], "options": ["flavor name: tequilasunrise"], "instruction_attributes": ["gift set"], "instruction_options": ["tequilasunrise"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL80AEI", "worker_id": "A2RBF3IIJP15IH"}], "B078MHP88P": [{"asin": "B078MHP88P", "instruction": "i would like a bronze floor lamp with a glass shade.", "attributes": ["glass shade", "living room"], "options": ["color: bronze | red"], "instruction_attributes": ["glass shade"], "instruction_options": ["bronze | red"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTW37LH", "worker_id": "A1WS884SI0SLO4"}], "B09N3MQTZD": [{"asin": "B09N3MQTZD", "instruction": "i am interested in long sleeved white pullovers that are casual", "attributes": ["daily casual", "long sleeve", "unique design", "polyester spandex", "teen girls"], "options": ["color: d1-white", "size: small"], "instruction_attributes": ["daily casual"], "instruction_options": ["d1-white"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANKHXS9", "worker_id": "A2ECRNQ3X5LEXD"}], "B081DWH12M": [{"asin": "B081DWH12M", "instruction": "i am looking for a women's navy t-shirt that is machine washable.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: women", "size: 3t"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy", "women"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GO0C39N", "worker_id": "A1EREKSZAA9V7B"}], "B09LQN4KNL": [{"asin": "B09LQN4KNL", "instruction": "i want a medium gray long leave hoodie.", "attributes": ["faux fur", "button closure", "short sleeve", "long sleeve", "teen girls"], "options": ["color: yingcaier4#gray", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["yingcaier4#gray", "medium"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907WYUAN", "worker_id": "A1WS884SI0SLO4"}], "B08KLJFLVJ": [{"asin": "B08KLJFLVJ", "instruction": "let's see some sandals in vinyl acetate. it should have ponderosa pine puma white as color.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: ponderosa pine puma white", "size: 10"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["ponderosa pine puma white"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOL2TCN", "worker_id": "A15ERD4HOFEPHM"}], "B08DR34W4T": [{"asin": "B08DR34W4T", "instruction": "i am looking for a heavy duty line beige color massage chair.", "attributes": ["heavy duty", "non toxic", "high quality"], "options": ["color: line beige"], "instruction_attributes": ["heavy duty"], "instruction_options": ["line beige"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYUIXFL", "worker_id": "A1Q8PPQQCWGY0D"}], "B07DPS382X": [{"asin": "B07DPS382X", "instruction": "i want to buy tweezers which are stainless steel and have red color.", "attributes": ["stainless steel", "hair removal"], "options": ["color: red"], "instruction_attributes": ["stainless steel"], "instruction_options": ["red"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZTOSHZ", "worker_id": "AJY5G987IRT25"}], "B09R42V2Z9": [{"asin": "B09R42V2Z9", "instruction": "i want gluten free bakell green & gold edible brew glitter.", "attributes": ["kosher certified", "gluten free", "easy use", "dairy free"], "options": ["color: green & gold"], "instruction_attributes": ["gluten free"], "instruction_options": ["green & gold"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBWFGI4", "worker_id": "A2RBF3IIJP15IH"}], "B08HP82QDL": [{"asin": "B08HP82QDL", "instruction": "i am looking for a pacific northwest raspberry flavored syrup that has quality ingredients.", "attributes": ["quality ingredients", "artificial colors"], "options": ["flavor name: pacific northwest raspberry", "size: 12.7 fluid ounce (pack of 6)"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["pacific northwest raspberry"], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVI1BIU", "worker_id": "A1EREKSZAA9V7B"}], "B000LKUZOU": [{"asin": "B000LKUZOU", "instruction": "i would like a 30 ounce bag of quick cook steel cut oats that are usda organic.", "attributes": ["old fashioned", "non gmo", "usda organic", "plant based", "simple ingredients", "artificial colors", "artificial flavors"], "options": ["flavor name: quick cook steel cut oats", "size: 30 ounce (pack of 6)"], "instruction_attributes": ["usda organic"], "instruction_options": ["quick cook steel cut oats", "30 ounce (pack of 6)"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3H3NQ5", "worker_id": "A1WS884SI0SLO4"}], "B07MD7VN92": [{"asin": "B07MD7VN92", "instruction": "i'm interested in a blue long-sleeved sweatshirt in an xx-large that is warm for winter.", "attributes": ["winter warm", "long sleeve"], "options": ["color: blue", "size: xx-large"], "instruction_attributes": ["winter warm", "long sleeve"], "instruction_options": ["blue", "xx-large"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BQWJVC", "worker_id": "AFU00NU09CFXE"}], "B07K2VHZ7B": [{"asin": "B07K2VHZ7B", "instruction": "i would like a 4 ft rectangular pink rug for the living room.", "attributes": ["spot clean", "easy clean", "dining room", "living room"], "options": ["color: light grey | pink", "item shape: rectangular", "size: 4 ft"], "instruction_attributes": ["living room"], "instruction_options": ["light grey | pink", "rectangular", "4 ft"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1HPCXO", "worker_id": "A1WS884SI0SLO4"}], "B00DUIEUIM": [{"asin": "B00DUIEUIM", "instruction": "i'm looking for a fresh baked desserts which is free from dairy and nut. also choose a pack of 6 one.", "attributes": ["baked fresh", "nut free", "dairy free"], "options": ["size: 6 pack"], "instruction_attributes": ["baked fresh", "nut free", "dairy free"], "instruction_options": ["6 pack"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWSKW6X", "worker_id": "AR0VJ5XRG16UJ"}], "B07S6H9KYS": [{"asin": "B07S6H9KYS", "instruction": "i am looking for a long lasting blue caftan dress in the size small-medium.", "attributes": ["long lasting", "easy care"], "options": ["color: blue", "size: small-medium"], "instruction_attributes": ["long lasting"], "instruction_options": ["blue", "small-medium"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALDDH49", "worker_id": "AK3JMCIGU8MLU"}], "B08F3TJDQY": [{"asin": "B08F3TJDQY", "instruction": "i am looking for a non oem replacement tv remote control with the aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": ["style: non-oem"], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": ["non-oem"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P78YVSR", "worker_id": "A1EREKSZAA9V7B"}], "B09NN8KRJW": [{"asin": "B09NN8KRJW", "instruction": "i want a m500 hands free in dash navigation device.", "attributes": ["hands free", "high definition", "high resolution"], "options": ["color: m500s8core4+64"], "instruction_attributes": ["high definition"], "instruction_options": ["m500s8core4+64"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWJXGGM", "worker_id": "A1WS884SI0SLO4"}], "B01MU0IJKG": [{"asin": "B01MU0IJKG", "instruction": "i am looking for 6'7\" round size area rug for my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: cream | light grey", "size: 6'7\" round"], "instruction_attributes": ["living room"], "instruction_options": ["6'7\" round"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXP12ZR", "worker_id": "A1Q8PPQQCWGY0D"}], "B088K6CYHC": [{"asin": "B088K6CYHC", "instruction": "i am looking for a homebeez round storage ottoman with button tuffs in beige.", "attributes": ["button tufted", "storage space", "living room"], "options": ["color: milk"], "instruction_attributes": ["button tufted"], "instruction_options": ["milk"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AM5YU3", "worker_id": "A2KW17G25L25R8"}], "B07XPSC3B7": [{"asin": "B07XPSC3B7", "instruction": "i am looking for a barstool in walnut grey that is faux leather", "attributes": ["faux leather", "wood finish", "wood frame"], "options": ["color: walnut | grey", "size: 26\" counter height"], "instruction_attributes": ["faux leather"], "instruction_options": ["walnut | grey"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP3TXTW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07XPSC3B7", "instruction": "shop for twenty eight inch faux leather bar stools in cream.", "attributes": ["faux leather", "wood finish", "wood frame"], "options": ["color: cream", "size: 28.5\" bar height"], "instruction_attributes": ["faux leather"], "instruction_options": ["cream", "28.5\" bar height"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTDSN94", "worker_id": "AR9AU5FY1S3RO"}], "B09CGWQ952": [{"asin": "B09CGWQ952", "instruction": "i am looking for a long lasting sweet pea scented soy wax candle.", "attributes": ["long lasting", "soy wax"], "options": ["scent: sweet pea"], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": ["sweet pea"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107D8LIM", "worker_id": "A1EREKSZAA9V7B"}], "B07KPX1VZR": [{"asin": "B07KPX1VZR", "instruction": "i want to get a large men's classic fit t-shirt with an officially licensed logo on it.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["fit type: men", "size: large"], "instruction_attributes": ["officially licensed", "classic fit"], "instruction_options": ["men", "large"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGNO2WS", "worker_id": "A2YNPKYEFDZ6C9"}], "B0009F3PJ4": [{"asin": "B0009F3PJ4", "instruction": "i want a 16 count of chamomile herbal tea that is certified organic.", "attributes": ["caffeine free", "certified organic", "non gmo"], "options": ["flavor name: chamomile", "size: 16 count (pack of 4)"], "instruction_attributes": ["certified organic"], "instruction_options": ["chamomile", "16 count (pack of 4)"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EIFWSJ", "worker_id": "A1WS884SI0SLO4"}], "B09NKFSTNY": [{"asin": "B09NKFSTNY", "instruction": "i need some rose gold cosmetic bags", "attributes": ["high quality", "rose gold"], "options": ["color: tropical plant 137"], "instruction_attributes": ["rose gold"], "instruction_options": ["tropical plant 137"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE5FJTV", "worker_id": "A2ECRNQ3X5LEXD"}], "B06ZYGR25T": [{"asin": "B06ZYGR25T", "instruction": "i am looking for faux leather bar stools in black.", "attributes": ["faux leather", "wood finish", "solid wood"], "options": ["color: black bar height stools", "style: black bar height stools"], "instruction_attributes": ["faux leather"], "instruction_options": ["black bar height stools"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUL33CS", "worker_id": "A2KW17G25L25R8"}], "B09CH4DL6X": [{"asin": "B09CH4DL6X", "instruction": "i would like high power amplifier.", "attributes": ["power amplifier", "high power"], "options": [""], "instruction_attributes": ["power amplifier", "high power"], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N9P7TK", "worker_id": "A1WS884SI0SLO4"}], "B07WZRRYWP": [{"asin": "B07WZRRYWP", "instruction": "i am looking for a blue leather sole loafers & slip-ons", "attributes": ["leather sole", "memory foam"], "options": ["color: blue", "size: 8"], "instruction_attributes": ["leather sole"], "instruction_options": ["blue"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU4NALP", "worker_id": "A9QRQL9CFJBI7"}], "B08LV7ZHBM": [{"asin": "B08LV7ZHBM", "instruction": "i am looking for an easy to assemble blue ottoman for my living room.", "attributes": ["long lasting", "easy assemble", "storage space", "contemporary design", "living room"], "options": ["color: blue", "size: 31.9\"l x 18\"w x 18.3\"h"], "instruction_attributes": ["easy assemble", "living room"], "instruction_options": ["blue"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBVMEJU", "worker_id": "A1EREKSZAA9V7B"}], "B09JSKHJ3P": [{"asin": "B09JSKHJ3P", "instruction": "i'm looking for matte white with black finish ceiling light fixture.", "attributes": ["mid century", "easy install", "easy clean", "pendant light", "light fixture", "dining room"], "options": ["color: black", "style: matte"], "instruction_attributes": ["mid century", "dining room"], "instruction_options": ["black", "matte"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIZCT9H", "worker_id": "A21IUUHBSEVB56"}], "B09BR5Q9P6": [{"asin": "B09BR5Q9P6", "instruction": "i would like a grey laptop case that is water resistant.", "attributes": ["easy carry", "water resistant"], "options": ["color: grey"], "instruction_attributes": ["water resistant"], "instruction_options": ["grey"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALD44HN", "worker_id": "A1WS884SI0SLO4"}], "B08C32FKC4": [{"asin": "B08C32FKC4", "instruction": "i need a turntable that is hands free", "attributes": ["hands free", "easy carry"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZO5R74", "worker_id": "A2ECRNQ3X5LEXD"}], "B007C99UN0": [{"asin": "B007C99UN0", "instruction": "i am looking for 1 pound box of easter egg sugar cookies baked fresh", "attributes": ["baked fresh", "quality ingredients"], "options": ["size: 1 pound box"], "instruction_attributes": ["baked fresh"], "instruction_options": ["1 pound box"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZO0R7Z", "worker_id": "A258PTOZ3D2TQR"}], "B009LO30S0": [{"asin": "B009LO30S0", "instruction": "i'm looking for a kosher certified individually wrapped wafers. also choose vanilla flavored one.", "attributes": ["kosher certified", "individually wrapped"], "options": ["flavor name: vanilla"], "instruction_attributes": ["kosher certified", "individually wrapped"], "instruction_options": ["vanilla"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4K115O", "worker_id": "AR0VJ5XRG16UJ"}], "B08K8S615G": [{"asin": "B08K8S615G", "instruction": "i am interested in buying a toothbrush that is easy to carry and useful for sensitive teeth.", "attributes": ["easy carry", "sensitive teeth"], "options": [""], "instruction_attributes": ["easy carry", "sensitive teeth"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFE7VLU", "worker_id": "AHXHM1PQTRWIQ"}], "B093SRHSC4": [{"asin": "B093SRHSC4", "instruction": "i'm interested in a heavy duty adjustable desk in a size 48\" x 30\" with a white frame and walnut top.", "attributes": ["height adjustable", "heavy duty"], "options": ["color: walnut top + white frame", "size: 48\" x 30\""], "instruction_attributes": ["height adjustable", "heavy duty"], "instruction_options": ["walnut top + white frame", "48\" x 30\""], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2CTY7O", "worker_id": "AFU00NU09CFXE"}], "B09FCGL679": [{"asin": "B09FCGL679", "instruction": "i'm looking for zero sugar real ginger ale from reed.", "attributes": ["zero sugar", "natural flavors", "natural ingredients"], "options": ["flavor name: shirley tempting", "size: 12 ounce (pack of 8)"], "instruction_attributes": ["zero sugar"], "instruction_options": ["12 ounce (pack of 8)"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSRA0XZ", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B09FCGL679", "instruction": "i would like a 12 ounce slim cans of zero sugar ginger ale.", "attributes": ["zero sugar", "natural flavors", "natural ingredients"], "options": ["flavor name: zero sugar ginger ale", "size: 12 ounce slim cans (pack of 4)"], "instruction_attributes": ["zero sugar"], "instruction_options": ["zero sugar ginger ale", "12 ounce slim cans (pack of 4)"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8M26QS", "worker_id": "A1WS884SI0SLO4"}], "B087KQ2Y2P": [{"asin": "B087KQ2Y2P", "instruction": "i'm looking for a peanut butter which is fat free with real fruit and should be 0.8ounce (pack of 12).", "attributes": ["fat free", "soy free", "non gmo", "real fruit"], "options": ["flavor name: peanut butter", "size: 0.8 ounce (pack of 12)"], "instruction_attributes": ["fat free", "real fruit"], "instruction_options": ["peanut butter", "0.8 ounce (pack of 12)"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU4FALH", "worker_id": "A1Q0EUNCS50S8M"}], "B097DKFPKC": [{"asin": "B097DKFPKC", "instruction": "can you direct me to an android tablet that has outstanding performance? i'd like a gold one please, and it's 10.1 inches", "attributes": ["high definition", "fast charging", "high performance", "usb port"], "options": ["color: gold", "size: 10.1inch"], "instruction_attributes": ["high performance"], "instruction_options": ["gold", "10.1inch"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60SAAAT", "worker_id": "A2TRV8SEM003GG"}], "B076CPL8MD": [{"asin": "B076CPL8MD", "instruction": "i would like a blackberry bay shampoo for damaged hair.", "attributes": ["sulfate free", "paraben free", "argan oil", "natural ingredients", "damaged hair"], "options": ["scent: blackberry bay"], "instruction_attributes": ["damaged hair"], "instruction_options": ["blackberry bay"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB44WYX5", "worker_id": "A1WS884SI0SLO4"}], "B089GM2W23": [{"asin": "B089GM2W23", "instruction": "i would like a pair of no mic earbud headphones that have stereo sound.", "attributes": ["aluminum alloy", "stereo sound"], "options": ["color: purple", "size: no mic"], "instruction_attributes": ["stereo sound"], "instruction_options": ["purple", "no mic"], "assignment_id": "3HPZF4IVNX3FW186JO133U513M6CYF", "worker_id": "A1WS884SI0SLO4"}], "B09PYXVSWY": [{"asin": "B09PYXVSWY", "instruction": "i need mid century dining furniture in a 35.4 by 13.2 by 32.7 dimension.", "attributes": ["mid century", "dining room", "living room"], "options": ["size: 35.4\" x 13.2\" x 32.7\" (w x d x h)"], "instruction_attributes": ["mid century"], "instruction_options": ["35.4\" x 13.2\" x 32.7\" (w x d x h)"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CGD0V7", "worker_id": "A2ECRNQ3X5LEXD"}], "B07MTMJQDZ": [{"asin": "B07MTMJQDZ", "instruction": "i need an eco friendly black charcoal conditioner", "attributes": ["eco friendly", "dry hair"], "options": ["style: black charcoal"], "instruction_attributes": ["eco friendly"], "instruction_options": ["black charcoal"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSNV2QE", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MQ6GZZS": [{"asin": "B09MQ6GZZS", "instruction": "look for metal full over full bunks, floor bunks with full size bunk frame, silver, space saving is all i need for my new home.", "attributes": ["space saving", "easy assemble", "box spring"], "options": ["color: silver", "size: full over full"], "instruction_attributes": ["space saving"], "instruction_options": ["silver", "full over full"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGADLSF", "worker_id": "A15IJ20C3R4HUO"}], "B086BY6ZJX": [{"asin": "B086BY6ZJX", "instruction": "i want a gold and individually wrapped survive permanent match metal.", "attributes": ["old fashioned", "individually wrapped"], "options": ["color: gold"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["gold"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYQ5DHH", "worker_id": "A2RBF3IIJP15IH"}], "B07RW2YL7S": [{"asin": "B07RW2YL7S", "instruction": "i want to buy a easy to carry and easy to clean water resistant shaving set for a lady.", "attributes": ["water resistant", "easy carry", "easy clean", "hair removal", "sensitive skin"], "options": [""], "instruction_attributes": ["easy carry", "easy clean"], "instruction_options": [], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53ZYKGB", "worker_id": "AHXHM1PQTRWIQ"}], "B07KSGBV2S": [{"asin": "B07KSGBV2S", "instruction": "i would like a eggplant eyeshadow that is for sensitive skin.", "attributes": ["highly pigmented", "water resistant", "easy apply", "cruelty free", "eye shadow", "dry skin", "sensitive skin"], "options": ["color: eggplant"], "instruction_attributes": ["eye shadow", "sensitive skin"], "instruction_options": ["eggplant"], "assignment_id": "351SEKWQSBRP7CP60H83T50CFCVMDQ", "worker_id": "A1WS884SI0SLO4"}], "B08QMXQVBC": [{"asin": "B08QMXQVBC", "instruction": "i'm having a kids birthday party and need a pack of 36 gold cupcake picks.", "attributes": ["birthday party", "cupcake picks"], "options": ["color: gold"], "instruction_attributes": ["birthday party", "cupcake picks"], "instruction_options": ["gold"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHIMBN3", "worker_id": "A3LIIE572Z4OG7"}], "B07V8L7FMH": [{"asin": "B07V8L7FMH", "instruction": "i am looking for a 1/2 dozen cameron's seafood large female maryland crabs.", "attributes": ["fully cooked", "ready eat"], "options": ["style: 1 | 2 bushel"], "instruction_attributes": ["fully cooked"], "instruction_options": ["1 | 2 bushel"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54UI83R", "worker_id": "A2KW17G25L25R8"}], "B09NMYP3YP": [{"asin": "B09NMYP3YP", "instruction": "i would like a g7 plus 2.4 gig streaming media player that is high speed.", "attributes": ["dual band", "high speed"], "options": ["color: g7 plus 2.4g | 5g"], "instruction_attributes": ["high speed"], "instruction_options": ["g7 plus 2.4g | 5g"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PQFQEY", "worker_id": "A1WS884SI0SLO4"}], "B07KRQ3DWJ": [{"asin": "B07KRQ3DWJ", "instruction": "i am interested in a navy blue regular fit polo", "attributes": ["quick drying", "regular fit", "button closure"], "options": ["color: team navy blue | white", "size: medium"], "instruction_attributes": ["regular fit"], "instruction_options": ["team navy blue | white"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7ZYRU2", "worker_id": "A2ECRNQ3X5LEXD"}], "B00MLMRWCE": [{"asin": "B00MLMRWCE", "instruction": "i want a blueberry natural real fruit bar.", "attributes": ["non gmo", "nut free", "fat free", "soy free", "gluten free", "real fruit"], "options": ["flavor name: blueberry"], "instruction_attributes": ["real fruit"], "instruction_options": ["blueberry"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9H1KD1T", "worker_id": "A2RBF3IIJP15IH"}], "B07Q736GWW": [{"asin": "B07Q736GWW", "instruction": "i am looking for 16''x24'' size sky canvas wall art home decor for living room", "attributes": ["ready hang", "living room", "dining room"], "options": ["color: sexy artwork-19", "size: 16''x24''"], "instruction_attributes": ["living room"], "instruction_options": ["16''x24''"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIOBFEY", "worker_id": "A258PTOZ3D2TQR"}], "B073V5F2S4": [{"asin": "B073V5F2S4", "instruction": "i would like a long lasting perfume.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTR9OQM", "worker_id": "A1WS884SI0SLO4"}], "B08DTQY66D": [{"asin": "B08DTQY66D", "instruction": "i want a blue apple watch case with glass screen protector.", "attributes": ["easy install", "compatible apple", "high performance", "glass screen", "tempered glass"], "options": ["color: blue | black | silver", "size: 44mm"], "instruction_attributes": ["glass screen"], "instruction_options": ["blue | black | silver"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCWE5Q8", "worker_id": "A2RBF3IIJP15IH"}], "B09Q5XSLVZ": [{"asin": "B09Q5XSLVZ", "instruction": "i am looking for 2 grey dining room chairs with metal legs.", "attributes": ["easy assemble", "easy install", "metal legs", "living room", "dining room"], "options": ["color: grey-2pcs"], "instruction_attributes": ["metal legs", "dining room"], "instruction_options": ["grey-2pcs"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN4ZGOI", "worker_id": "A2NSS746CFCT4M"}], "B09HK8HQGD": [{"asin": "B09HK8HQGD", "instruction": "i would like a size 38 rainbow applewatch band.", "attributes": ["compatible apple", "water resistant"], "options": ["color: rainbow", "size: 38 | 40 | 41mm s | m"], "instruction_attributes": ["compatible apple"], "instruction_options": ["rainbow", "38 | 40 | 41mm s | m"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z4DYCQL", "worker_id": "A1WS884SI0SLO4"}], "B08SJ2VZ71": [{"asin": "B08SJ2VZ71", "instruction": "i am looking for an easy to assemble green home office chair with lumbar support.", "attributes": ["easy assemble", "lumbar support"], "options": ["color: green"], "instruction_attributes": ["easy assemble", "lumbar support"], "instruction_options": ["green"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOHSTAU", "worker_id": "A1EREKSZAA9V7B"}], "B098NX52GX": [{"asin": "B098NX52GX", "instruction": "i would like a light blue 32cmx32cmx35cm ottoman with a stainless steel frame.", "attributes": ["high density", "easy clean", "pu leather", "faux leather", "stainless steel", "living room"], "options": ["color: light blue", "size: 32cmx32cmx35cm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["light blue", "32cmx32cmx35cm"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGAFSLO", "worker_id": "A1WS884SI0SLO4"}], "B073RJK6LQ": [{"asin": "B073RJK6LQ", "instruction": "the price of this manhattan comfort utopia table is unbelievable. very good! if you can find it in white and solid wood i will buy it.", "attributes": ["mid century", "solid wood"], "options": ["color: off white"], "instruction_attributes": ["solid wood"], "instruction_options": ["off white"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4NF89X", "worker_id": "A15IJ20C3R4HUO"}], "B08KVNKJFL": [{"asin": "B08KVNKJFL", "instruction": "i am looking for 24 inch long synthetic hair extension.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: 16h60", "size: 24 inch (pack of 1)"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["24 inch (pack of 1)"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPOO6E0", "worker_id": "AJDQGOTMB2D80"}], "B08K4K8CX6": [{"asin": "B08K4K8CX6", "instruction": "i am looking for medium size black color long sleeve v neck casual shirts tunic t shirt for women", "attributes": ["wash cold", "hand wash", "machine wash", "long sleeve", "daily wear"], "options": ["color: 2746-green black", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FLN3D0", "worker_id": "A258PTOZ3D2TQR"}], "B098QKQP4B": [{"asin": "B098QKQP4B", "instruction": "i am looking for a blue, fast charging usb cord that is compatible with apple and is 16 feet long.", "attributes": ["compatible apple", "fast charging", "aluminum alloy"], "options": ["color: blue", "size: 16foot"], "instruction_attributes": ["compatible apple", "fast charging"], "instruction_options": ["blue", "16foot"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CG30VX", "worker_id": "AK3JMCIGU8MLU"}], "B08NYBB3ZN": [{"asin": "B08NYBB3ZN", "instruction": "i would like a smartwatch case that has four colors and is easy to install", "attributes": ["easy install", "easy use", "case cover"], "options": ["color: fourcolors*b"], "instruction_attributes": ["easy install"], "instruction_options": ["fourcolors*b"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VJM8EW", "worker_id": "A2ECRNQ3X5LEXD"}], "B08ZNFXRSD": [{"asin": "B08ZNFXRSD", "instruction": "i'm looking for breastfeeding shits maternity cloths double layer postpartum shirt.", "attributes": ["light weight", "soft material"], "options": ["color: black + wine red + grey", "size: small"], "instruction_attributes": ["light weight", "soft material"], "instruction_options": ["black + wine red + grey"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2IHIO4", "worker_id": "A21IUUHBSEVB56"}], "B01GTO91WI": [{"asin": "B01GTO91WI", "instruction": "i would like a 16 ounce bag of sweet potato gluten free flower.", "attributes": ["low sodium", "non gmo", "gluten free"], "options": ["flavor name: sweet potato", "size: 16 ounce (pack of 24)"], "instruction_attributes": ["gluten free"], "instruction_options": ["sweet potato", "16 ounce (pack of 24)"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIGPL2N", "worker_id": "A1WS884SI0SLO4"}], "B08FF672VG": [{"asin": "B08FF672VG", "instruction": "i would love to find a coffee table ideal for my living room? also, pick white please", "attributes": ["white item", "easy assemble", "storage space", "living room"], "options": ["color: white"], "instruction_attributes": ["white item", "living room"], "instruction_options": ["white"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYFDIE0", "worker_id": "A2TRV8SEM003GG"}], "B087QW1WVV": [{"asin": "B087QW1WVV", "instruction": "i would like a 0.17 ounce pack of gluten free oats.", "attributes": ["nut free", "sugar free", "gluten free", "non gmo", "high protein", "dairy free"], "options": ["flavor name: gluten free oats", "size: 0.17 ounce (pack of 4)"], "instruction_attributes": ["gluten free"], "instruction_options": ["gluten free oats", "0.17 ounce (pack of 4)"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTTDE5S", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B087QW1WVV", "instruction": "i want gluten free sigdal bakeri norwegian crispbread with pumpkin seeds.", "attributes": ["nut free", "sugar free", "gluten free", "non gmo", "high protein", "dairy free"], "options": ["flavor name: pumpkin seeds", "size: 0.17 ounce (pack of 4)"], "instruction_attributes": ["gluten free"], "instruction_options": ["pumpkin seeds"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQCU91P", "worker_id": "A2RBF3IIJP15IH"}], "B09RPFKQKT": [{"asin": "B09RPFKQKT", "instruction": "i'm looking for soft elastic mid-waist breathable boxer briefs.", "attributes": ["low rise", "machine wash"], "options": ["color: 3 pack red", "size: xx-large"], "instruction_attributes": ["low rise"], "instruction_options": ["3 pack red"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYFOEI7", "worker_id": "A21IUUHBSEVB56"}], "B07R9M8S63": [{"asin": "B07R9M8S63", "instruction": "i would like a 7 by 5 foot long photo backdrop that is light weight and easy to carry.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 7x5ft"], "instruction_attributes": ["light weight", "digital photography"], "instruction_options": ["7x5ft"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EG51B7", "worker_id": "A1WS884SI0SLO4"}], "B093SSG6KP": [{"asin": "B093SSG6KP", "instruction": "i am interested in a reticular blue colred non slip rugs for the living room which is easy to clean.", "attributes": ["non slip", "easy clean", "living room"], "options": ["color: reticular blue", "size: 8\u00d710 feet"], "instruction_attributes": ["non slip", "easy clean", "living room"], "instruction_options": ["reticular blue"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK49PA68", "worker_id": "AHXHM1PQTRWIQ"}], "B08252526L": [{"asin": "B08252526L", "instruction": "i am looking for a quad core powered high resolution 7 inch tablet with nfc.", "attributes": ["high resolution", "quad core"], "options": [""], "instruction_attributes": ["high resolution", "quad core"], "instruction_options": [], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUXNQJT", "worker_id": "A1EREKSZAA9V7B"}], "B07N85JD3S": [{"asin": "B07N85JD3S", "instruction": "i am looking for a baby blue colored t-shirt with the star wars logo.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: baby blue", "fit type: youth", "size: 3t"], "instruction_attributes": ["star wars"], "instruction_options": ["baby blue"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GOS3SP", "worker_id": "AJDQGOTMB2D80"}], "B09D6TKG55": [{"asin": "B09D6TKG55", "instruction": "i need a high speed asus pn41 fanless minipc barebone with intel 11th gen dual core celeron n4500 that also has a bluetooth.", "attributes": ["high speed", "usb port"], "options": [""], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPEDQD4", "worker_id": "A1IL2K0ELYI090"}], "B09JQ631H6": [{"asin": "B09JQ631H6", "instruction": "i am loooking for mini business desktop having wireless bluetooth.", "attributes": ["intel core", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGNX2W1", "worker_id": "A1Q8PPQQCWGY0D"}], "B099WZC2BD": [{"asin": "B099WZC2BD", "instruction": "i would like a 108 inch by 84 inch color 27 window panel that is machine washable.", "attributes": ["machine washable", "living room"], "options": ["color: color27", "size: 108\" w x 84\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["color27", "108\" w x 84\" l"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYML2ZI3", "worker_id": "A1WS884SI0SLO4"}], "B07BDQ2413": [{"asin": "B07BDQ2413", "instruction": "i would like a body scrub for dry skin.", "attributes": ["cruelty free", "dry skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WYAA1B", "worker_id": "A1WS884SI0SLO4"}], "B09KMQN4HK": [{"asin": "B09KMQN4HK", "instruction": "i want cupcake toppers for 2022 kids baby shower.", "attributes": ["cupcake picks", "baby shower", "birthday party"], "options": ["style: 2022 e"], "instruction_attributes": ["baby shower"], "instruction_options": ["2022 e"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746ZNTBZ", "worker_id": "A2RBF3IIJP15IH"}], "B09G74B6LD": [{"asin": "B09G74B6LD", "instruction": "i need a fleece jacket for the winter that is warm and gray", "attributes": ["winter warm", "fleece lined", "loose fit", "faux fur", "long sleeve", "teen girls"], "options": ["color: #a2 gray", "size: 4x-large"], "instruction_attributes": ["winter warm"], "instruction_options": ["#a2 gray"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZGGLKE", "worker_id": "A2ECRNQ3X5LEXD"}], "B0932QRZJG": [{"asin": "B0932QRZJG", "instruction": "i'm looking for a stainless steel quick release replacement wristband for fitbit inspire. choose the one that comes in white and in small in size.", "attributes": ["quick release", "stainless steel"], "options": ["color: white", "size: small"], "instruction_attributes": ["quick release", "stainless steel"], "instruction_options": ["white", "small"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TVIMPO", "worker_id": "A3MNXK3VDK37SN"}], "B0831NKRD1": [{"asin": "B0831NKRD1", "instruction": "am searching for low rise handyulong plus size womens jeans size 5x-large", "attributes": ["butt lifting", "low rise", "wide leg", "tummy control", "long sleeve", "regular fit", "relaxed fit", "button closure", "short sleeve"], "options": ["color: z-xgrey", "size: 5x-large"], "instruction_attributes": ["low rise"], "instruction_options": ["5x-large"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107CWLI8", "worker_id": "A1IL2K0ELYI090"}], "B01GQ5WNC0": [{"asin": "B01GQ5WNC0", "instruction": "i am looking for quaker chewy granola bars that are individually wrapped.", "attributes": ["individually wrapped", "artificial colors"], "options": ["flavor name: big chewy variety pack"], "instruction_attributes": ["individually wrapped"], "instruction_options": [], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO7BC2Y", "worker_id": "AK3JMCIGU8MLU"}], "B016OK3LGE": [{"asin": "B016OK3LGE", "instruction": "i would like some green binoculars for bird watching", "attributes": ["non slip", "high power", "carrying case", "bird watching"], "options": ["color: 10x green"], "instruction_attributes": ["bird watching"], "instruction_options": ["10x green"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6USMEZ0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DFLS85N": [{"asin": "B09DFLS85N", "instruction": "i am looking for red black color shower curtains that are easy to clean.", "attributes": ["easy clean", "printing technology"], "options": ["color: red black", "size: 75\"w x 70\"h | 190x180cm"], "instruction_attributes": ["easy clean"], "instruction_options": ["red black"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO82336", "worker_id": "A1Q8PPQQCWGY0D"}], "B09JWY1CG4": [{"asin": "B09JWY1CG4", "instruction": "i'm looking for two flavor energy shots.", "attributes": ["low sugar", "low carb", "real fruit"], "options": ["size: variety 2-pack"], "instruction_attributes": ["low sugar", "low carb"], "instruction_options": ["variety 2-pack"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SZFTQ2", "worker_id": "A21IUUHBSEVB56"}], "B09P3YCNGR": [{"asin": "B09P3YCNGR", "instruction": "i would like a extra large green swimsuit made from cotton spandex.", "attributes": ["long sleeve", "cotton spandex", "high waist", "short sleeve", "tumble dry"], "options": ["color: swimsuits-a225-green", "size: x-large"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["swimsuits-a225-green", "x-large"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYSV9Q1", "worker_id": "A1WS884SI0SLO4"}], "B08MW5H2NF": [{"asin": "B08MW5H2NF", "instruction": "i want to buy brushes which are for nail polish and have galaxy mix color, and come in a blind box.", "attributes": ["beauty salon", "nail polish"], "options": ["color: galaxy mix", "size: blind box"], "instruction_attributes": ["nail polish"], "instruction_options": ["galaxy mix", "blind box"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQBZ1LC", "worker_id": "AJY5G987IRT25"}, {"asin": "B08MW5H2NF", "instruction": "i am interested in buying make up brushes which are for nail polish, and the color of which is bonbon rose powder-50p and comes in blind box.", "attributes": ["beauty salon", "nail polish"], "options": ["color: bonbon rose powder-50p", "size: blind box"], "instruction_attributes": ["nail polish"], "instruction_options": ["bonbon rose powder-50p", "blind box"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BQQJV6", "worker_id": "AJY5G987IRT25"}], "B00CM0XHRE": [{"asin": "B00CM0XHRE", "instruction": "i am looking for a cyan blue wireless bluetooth speaker that has the batteries included.", "attributes": ["batteries included", "wireless bluetooth"], "options": ["color: cyan blue"], "instruction_attributes": ["batteries included", "wireless bluetooth"], "instruction_options": ["cyan blue"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTLCD4O", "worker_id": "A1EREKSZAA9V7B"}], "B013GKG9XM": [{"asin": "B013GKG9XM", "instruction": "hanes women's x-temp seamless waistband, large, nylon spandex. i hope you are successful in your search. it will be very useful for me.", "attributes": ["hand wash", "nylon spandex"], "options": [""], "instruction_attributes": ["nylon spandex"], "instruction_options": [], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADOVHA8", "worker_id": "A15IJ20C3R4HUO"}], "B00YIU7C7W": [{"asin": "B00YIU7C7W", "instruction": "i need plant based protein bars that are of the peanut butter variety", "attributes": ["plant based", "gluten free", "high protein", "birthday cake"], "options": ["flavor name: peanut butter variety", "size: 12 count (pack of 2)"], "instruction_attributes": ["plant based"], "instruction_options": ["peanut butter variety"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9BGN8T", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P3KS3KV": [{"asin": "B09P3KS3KV", "instruction": "i want a medium sized t-shirt that has long sleeves.", "attributes": ["hand wash", "long sleeve", "short sleeve", "tumble dry", "daily wear"], "options": ["color: blouse a4405 white", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADX0ZMYW", "worker_id": "A1NF6PELRKACS9"}], "B07ZWYNPKK": [{"asin": "B07ZWYNPKK", "instruction": "i am looking for a long lasting ncaa south carolina fighting gamecocks jacket that is made of quality materials.", "attributes": ["long lasting", "quality materials"], "options": ["color: team color", "size: xx-large", "team name: south carolina fighting gamecocks"], "instruction_attributes": ["long lasting"], "instruction_options": ["south carolina fighting gamecocks"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YR496P", "worker_id": "A1EREKSZAA9V7B"}], "B086BBDGL5": [{"asin": "B086BBDGL5", "instruction": "i need a 25 pack of herbal tea that is caffeine free", "attributes": ["caffeine free", "non gmo", "gluten free", "certified organic", "sugar free", "individually wrapped", "quality ingredients"], "options": ["flavor name: chocolate", "size: 25 count (pack of 3)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["25 count (pack of 3)"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBCQU6D", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HNJZ14D": [{"asin": "B09HNJZ14D", "instruction": "can you get me a margarita mix, palomas, real fruit and not too much sugar, and i'll need 32 ounces of it.", "attributes": ["low sugar", "zero sugar", "real fruit"], "options": ["flavor: paloma", "size: 32 fl oz (pack of 3)"], "instruction_attributes": ["low sugar", "real fruit"], "instruction_options": ["paloma", "32 fl oz (pack of 3)"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI71ESD9", "worker_id": "A3O1I9MATO3ZZN"}], "B079TFX61M": [{"asin": "B079TFX61M", "instruction": "i'm looking for a military and tactical boot with moisture wicking and rubber sole.", "attributes": ["moisture wicking", "rubber sole"], "options": ["size: 10.5 x-wide"], "instruction_attributes": ["moisture wicking", "rubber sole"], "instruction_options": [], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67W12F77", "worker_id": "ARJDD0Z3R65BD"}], "B07YB5BBL4": [{"asin": "B07YB5BBL4", "instruction": "i need hall trees for the living room that are brown", "attributes": ["space saving", "living room"], "options": ["color: brown"], "instruction_attributes": ["living room"], "instruction_options": ["brown"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EAA82ST", "worker_id": "A2ECRNQ3X5LEXD"}], "B01FFACR4Q": [{"asin": "B01FFACR4Q", "instruction": "i want to update my digital camera. i'm looking for a canon powershot sx620 w/ optical zoom 25x black color, 64gb memory card. i hope it's the best choice for my need.", "attributes": ["1080p hd", "optical zoom"], "options": ["color: black", "style: w | 64gb memory card"], "instruction_attributes": ["optical zoom"], "instruction_options": ["black", "w | 64gb memory card"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQPX13N", "worker_id": "A15IJ20C3R4HUO"}], "B01HDUTJII": [{"asin": "B01HDUTJII", "instruction": "i am looking for pink wireless bluetooth headphones that have the hands free calling feature.", "attributes": ["hands free", "easy carry", "wireless bluetooth"], "options": ["color: pink"], "instruction_attributes": ["hands free", "wireless bluetooth"], "instruction_options": ["pink"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733P8BEZ", "worker_id": "AK3JMCIGU8MLU"}], "B08T8LBSGF": [{"asin": "B08T8LBSGF", "instruction": "i am looking for black quick drying, butt lifting leggings in size large.", "attributes": ["butt lifting", "quick drying", "moisture wicking", "high waist", "tummy control", "polyester spandex"], "options": ["color: #11-scrunch butt black", "size: large"], "instruction_attributes": ["butt lifting", "quick drying"], "instruction_options": ["#11-scrunch butt black", "large"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7YVUCZ", "worker_id": "AK3JMCIGU8MLU"}], "B07YG8RCRD": [{"asin": "B07YG8RCRD", "instruction": "i would like orange mousse cookies that are non gmo", "attributes": ["non gmo", "artificial colors", "quality ingredients", "high fructose", "artificial flavors"], "options": ["flavor: orange mousse", "size: 5.25 ounce (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["orange mousse"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9HMRZ0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DQ5ZNFC": [{"asin": "B09DQ5ZNFC", "instruction": "i am looking for a high speed 3 foot red usb cable.", "attributes": ["high speed", "usb port"], "options": ["color: red", "size: 3ft"], "instruction_attributes": ["high speed"], "instruction_options": ["red", "3ft"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK4AFA60", "worker_id": "A1EREKSZAA9V7B"}], "B01NGZ050U": [{"asin": "B01NGZ050U", "instruction": "i am looking to buy some fully cooked and ready to eat vienna sausage.", "attributes": ["ready eat", "fully cooked"], "options": [""], "instruction_attributes": ["ready eat", "fully cooked"], "instruction_options": [], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FG28K0", "worker_id": "A114NK7T5673GK"}], "B09P58F4SD": [{"asin": "B09P58F4SD", "instruction": "i am looking for pink slide flip flops with arch support in the size 5.5.", "attributes": ["closed toe", "arch support"], "options": ["color: z5 pink", "size: 5.5"], "instruction_attributes": ["arch support"], "instruction_options": ["z5 pink", "5.5"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQFRKV7", "worker_id": "AK3JMCIGU8MLU"}], "B09219DD59": [{"asin": "B09219DD59", "instruction": "i would like a 90 piece assortment of individually wrapped snacks.", "attributes": ["individually wrapped", "great gift"], "options": ["size: 90 piece assortment"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["90 piece assortment"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTWT9PU", "worker_id": "A1WS884SI0SLO4"}], "B091DCQXM6": [{"asin": "B091DCQXM6", "instruction": "i am looking for x-large size socks that contain cotton spandex.", "attributes": ["moisture wicking", "machine wash", "cotton spandex", "polyester cotton"], "options": ["color: black | shadow red | legacy burgundy red", "size: x-large"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["x-large"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UXD0YE", "worker_id": "A1Q8PPQQCWGY0D"}], "B07M7LDGXB": [{"asin": "B07M7LDGXB", "instruction": "oral nano silver mint toothpaste, natural fluoride free tooth whitening toothpaste, 4 oz. (pack of 1). my daughter only uses this one. i didn't find it in the pharmacy, let me know as soon as you find it", "attributes": ["fluoride free", "teeth whitening"], "options": ["size: 4 ounce (pack of 1)"], "instruction_attributes": ["fluoride free"], "instruction_options": ["4 ounce (pack of 1)"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DZKOTE", "worker_id": "A15IJ20C3R4HUO"}], "B08YQZQZW6": [{"asin": "B08YQZQZW6", "instruction": "i am looking for some sweet 16 cupcake toppers for a birthday cake.", "attributes": ["birthday party", "birthday cake", "party supplies"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUP94SY", "worker_id": "A1EREKSZAA9V7B"}], "B01HOI5E9M": [{"asin": "B01HOI5E9M", "instruction": "i am looking for foundation for dry skin having color 20 | natural ivory.", "attributes": ["oil free", "hyaluronic acid", "dry skin"], "options": ["color: 20 | natural ivory"], "instruction_attributes": ["dry skin"], "instruction_options": ["20 | natural ivory"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21QKFQT", "worker_id": "A1Q8PPQQCWGY0D"}], "B077PHG1MV": [{"asin": "B077PHG1MV", "instruction": "i would like a 40 wide by 36 long pair of big and tall pants in charcoal heather that can be machine washed.", "attributes": ["machine wash", "cotton spandex", "button closure", "classic fit"], "options": ["color: charcoal heather", "fit type: big & tall", "size: 40w x 36l"], "instruction_attributes": ["machine wash"], "instruction_options": ["charcoal heather", "big & tall", "40w x 36l"], "assignment_id": "33TIN5LC0FKDY31374RC144TX1YY9F", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B077PHG1MV", "instruction": "i am looking for men's khaki pants in the color olive grove, and they must have a button closure and be machine washable.", "attributes": ["machine wash", "cotton spandex", "button closure", "classic fit"], "options": ["color: olive grove", "fit type: big & tall", "size: 54w x 28l"], "instruction_attributes": ["machine wash", "button closure"], "instruction_options": ["olive grove"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67QZN43", "worker_id": "A2NSS746CFCT4M"}], "B08SJLZD59": [{"asin": "B08SJLZD59", "instruction": "i'm looking for a white case for iphone 12 with american flag printed and wireless charging", "attributes": ["heavy duty", "wireless charging"], "options": ["color: white"], "instruction_attributes": ["wireless charging"], "instruction_options": ["white"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6NVU7X", "worker_id": "A2Y2TURT2VEYZN"}], "B09S3NGKV2": [{"asin": "B09S3NGKV2", "instruction": "i am looking for a local gold hands free wireless earpiece with mic.", "attributes": ["hands free", "stereo sound"], "options": ["color: local gold"], "instruction_attributes": ["hands free"], "instruction_options": ["local gold"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODQIEWA", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B09S3NGKV2", "instruction": "i need black color hands free wireless earpiece with mic", "attributes": ["hands free", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["hands free"], "instruction_options": ["black"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQKJJRJ", "worker_id": "A258PTOZ3D2TQR"}], "B09PHGW8BH": [{"asin": "B09PHGW8BH", "instruction": "i am looking for a high performance easy to carry black wireless bluetooth speaker.", "attributes": ["high performance", "easy carry", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["high performance", "easy carry", "wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIUT84R", "worker_id": "A1EREKSZAA9V7B"}], "B09M4B9JYK": [{"asin": "B09M4B9JYK", "instruction": "i want low fat honey bunches of oats.", "attributes": ["low fat", "source vitamin"], "options": [""], "instruction_attributes": ["low fat"], "instruction_options": [], "assignment_id": "3G2UL9A02OO71034MOY04HTU329675", "worker_id": "A2RBF3IIJP15IH"}], "B093SZ32M3": [{"asin": "B093SZ32M3", "instruction": "i want to buy a mesh travel laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSLQ62Q", "worker_id": "A114NK7T5673GK"}], "B09K7VRPPH": [{"asin": "B09K7VRPPH", "instruction": "i am looking for a high performance red speaker with wireless bluetooth.", "attributes": ["high performance", "high definition", "stereo sound", "wireless bluetooth"], "options": ["color: red"], "instruction_attributes": ["high performance", "wireless bluetooth"], "instruction_options": ["red"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6ORFMM2", "worker_id": "A1EREKSZAA9V7B"}], "B09PMGS3X4": [{"asin": "B09PMGS3X4", "instruction": "i need a tonic that is non gmo", "attributes": ["non gmo", "natural flavors", "high fructose", "artificial flavors"], "options": ["flavor name: tonic", "size: 6.7 fluid ounces (pack 24)"], "instruction_attributes": ["non gmo"], "instruction_options": ["tonic"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0VECAG", "worker_id": "A2ECRNQ3X5LEXD"}], "B004WRCU8M": [{"asin": "B004WRCU8M", "instruction": "i need 1 pack of cruelty free hair spray.", "attributes": ["cruelty free", "long lasting", "high quality"], "options": ["color: light blonde", "size: 1 pack"], "instruction_attributes": ["cruelty free"], "instruction_options": ["1 pack"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMM31RSC", "worker_id": "AVIEE6LDH0BT5"}], "B07WGP1W2L": [{"asin": "B07WGP1W2L", "instruction": "help me find a water-resistant sports strap that is compatible with the apple iwatch. also, please choose a teal one.", "attributes": ["water resistant", "compatible apple", "stainless steel"], "options": ["color: teal", "size: 38mm | 40mm | 41mm"], "instruction_attributes": ["water resistant", "compatible apple"], "instruction_options": ["teal"], "assignment_id": "3G2UL9A02OO71034MOY04HTU32B677", "worker_id": "A3LIIE572Z4OG7"}], "B094NP978P": [{"asin": "B094NP978P", "instruction": "i'm locking for wireless bluetooth earpiece for business, office and driving.", "attributes": ["hands free", "carrying case", "wireless bluetooth"], "options": ["color: golden"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "33UKMF931KU01WBNV49UKNDQC7BTTF", "worker_id": "A21IUUHBSEVB56"}], "B08MQMW47K": [{"asin": "B08MQMW47K", "instruction": "i would like a pair of size 13 dark truffle loafers with a rubber sole.", "attributes": ["day comfort", "rubber sole"], "options": ["color: dark truffle | tundra", "size: 13"], "instruction_attributes": ["rubber sole"], "instruction_options": ["dark truffle | tundra", "13"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q73KDM", "worker_id": "A1WS884SI0SLO4"}], "B074J2GW2X": [{"asin": "B074J2GW2X", "instruction": "i would like brown rice that is organic and spanish style", "attributes": ["certified organic", "artificial colors"], "options": ["size: 8.5 ounce (pack of 12)", "style: spanish style rice"], "instruction_attributes": ["certified organic"], "instruction_options": ["spanish style rice"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80G41QH", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GT2GL1N": [{"asin": "B07GT2GL1N", "instruction": "i am looking for noise cancelling earbuds for iphone.", "attributes": ["noise cancelling", "easy use", "stereo sound"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEMWQ8C", "worker_id": "A2KW17G25L25R8"}], "B001HTI3BQ": [{"asin": "B001HTI3BQ", "instruction": "lightly smoked organic lemon flavor wild caught sardines in olive oil", "attributes": ["wild caught", "bpa free"], "options": ["flavor name: organic lemon"], "instruction_attributes": ["wild caught"], "instruction_options": ["organic lemon"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO9YR25", "worker_id": "A258PTOZ3D2TQR"}], "B09ND7C1L2": [{"asin": "B09ND7C1L2", "instruction": "i need a wireless bluetooth speaker compatible for my smart watch", "attributes": ["non slip", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG0VTW5", "worker_id": "A2COCSUGZV28X"}], "B09KZNFD8T": [{"asin": "B09KZNFD8T", "instruction": "i need a grey protective airpods 3 case cover which is compatible with apple.", "attributes": ["compatible apple", "case cover"], "options": ["color: d-grey"], "instruction_attributes": ["compatible apple", "case cover"], "instruction_options": ["d-grey"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH3YZ4L", "worker_id": "AHU9OLV0YKIIW"}], "B01HV9BY5W": [{"asin": "B01HV9BY5W", "instruction": "i am looking for a grey coated steel storage islands & carts", "attributes": ["heavy duty", "coated steel"], "options": ["color: grey"], "instruction_attributes": ["coated steel"], "instruction_options": ["grey"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB5PY5Y", "worker_id": "A9QRQL9CFJBI7"}], "B07WVZCHHG": [{"asin": "B07WVZCHHG", "instruction": "i would like a remote with aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDQ2K5B", "worker_id": "A1WS884SI0SLO4"}], "B07CB8PKD9": [{"asin": "B07CB8PKD9", "instruction": "i am looking for a black, stainless steel bottle.", "attributes": ["lead free", "non slip", "stainless steel"], "options": ["color: black+black"], "instruction_attributes": ["stainless steel"], "instruction_options": ["black+black"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYM8QLB", "worker_id": "AK3JMCIGU8MLU"}], "B00Y7CYBUW": [{"asin": "B00Y7CYBUW", "instruction": "i am looking for 25 ml fluoride free fresh truth toothpaste", "attributes": ["fluoride free", "sulfate free", "paraben free"], "options": ["size: .84 ounce | 25 ml"], "instruction_attributes": ["fluoride free"], "instruction_options": [".84 ounce | 25 ml"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUOOS4Z", "worker_id": "A258PTOZ3D2TQR"}], "B01LWJAXIG": [{"asin": "B01LWJAXIG", "instruction": "i want a pack of 2 32 fl oz original sprout classic shampoos that are non toxic.", "attributes": ["sulfate free", "dermatologist tested", "non toxic"], "options": ["size: 32 fl oz (pack of 2)"], "instruction_attributes": ["non toxic"], "instruction_options": ["32 fl oz (pack of 2)"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HXSBP4", "worker_id": "A2RBF3IIJP15IH"}], "B084CVRFYL": [{"asin": "B084CVRFYL", "instruction": "i would like a carbon fiber car stereo kit.", "attributes": ["easy install", "carbon fiber"], "options": [""], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "33CID5710F37J25O7G1CGJZBOUK3LB", "worker_id": "A1WS884SI0SLO4"}], "B08JSTNKLH": [{"asin": "B08JSTNKLH", "instruction": "i am interested in ocean blue holographic, easy to apply and long lasting sparkle glitter.", "attributes": ["easy apply", "long lasting"], "options": ["color: ocean blue holographic", "size: north star nativity compass shaped"], "instruction_attributes": ["easy apply", "long lasting"], "instruction_options": ["ocean blue holographic"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMSJMWH", "worker_id": "AHXHM1PQTRWIQ"}], "B09K9RRZVK": [{"asin": "B09K9RRZVK", "instruction": "i am looking for real fruit smoothie mix that is easy to use and has the flavor passion fruit.", "attributes": ["shelf stable", "easy use", "kosher certified", "real fruit", "artificial colors", "high fructose", "artificial flavors"], "options": ["flavor name: passion fruit", "size: 1 pack"], "instruction_attributes": ["easy use", "real fruit"], "instruction_options": ["passion fruit"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWTF6W4", "worker_id": "AK3JMCIGU8MLU"}], "B08MJFJJYK": [{"asin": "B08MJFJJYK", "instruction": "i want to get a two pack vanity light with brushed nickel finish in color type 2.", "attributes": ["wall mounted", "light fixture", "brushed nickel", "vanity light"], "options": ["color: type 2", "size: 2 pack"], "instruction_attributes": ["brushed nickel", "vanity light"], "instruction_options": ["type 2", "2 pack"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUMA3R2", "worker_id": "A2YNPKYEFDZ6C9"}], "B001B2S32S": [{"asin": "B001B2S32S", "instruction": "i would like some long lasting hair color in light golden brown", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 054 light golden brown", "size: 3 count (pack of 1)", "style: new version"], "instruction_attributes": ["long lasting"], "instruction_options": ["054 light golden brown"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3SD3G3N", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B001B2S32S", "instruction": "i'm looking for a single pack of old style, brown hair dye.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 054 light golden brown", "size: pack of 1", "style: old version"], "instruction_attributes": ["hair dye"], "instruction_options": ["pack of 1", "old version"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9EHZAL", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B001B2S32S", "instruction": "i'm looking for a three count package of long lasting, brown hair dye.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 080 light ash blonde", "size: 3 count (pack of 1)", "style: new version"], "instruction_attributes": ["long lasting", "hair dye"], "instruction_options": ["3 count (pack of 1)"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1JJ08B", "worker_id": "A2JP9IKRHNLRPI"}], "B00XQ3QL24": [{"asin": "B00XQ3QL24", "instruction": "i'm looking for long lasting men's cologne from banana republic.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6IMPUM", "worker_id": "A2JP9IKRHNLRPI"}], "B072BPPSCF": [{"asin": "B072BPPSCF", "instruction": "i need a valentine's day gift", "attributes": ["valentine day", "great gift", "gift basket"], "options": [""], "instruction_attributes": ["valentine day"], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N987T3", "worker_id": "A2ECRNQ3X5LEXD"}], "B09S31W7TD": [{"asin": "B09S31W7TD", "instruction": "i would like a white and green 5 cube bookcase.", "attributes": ["white item", "assembly required"], "options": ["color: white green", "size: 5-cube"], "instruction_attributes": ["white item"], "instruction_options": ["white green", "5-cube"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOLZLM7", "worker_id": "A1WS884SI0SLO4"}], "B00QTUCVAM": [{"asin": "B00QTUCVAM", "instruction": "i would like a chandelier for my dining room.", "attributes": ["brushed nickel", "nickel finish", "light fixture", "dining room", "living room"], "options": [""], "instruction_attributes": ["dining room"], "instruction_options": [], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF77DLH", "worker_id": "A1WS884SI0SLO4"}], "B098TPB85F": [{"asin": "B098TPB85F", "instruction": "i am looking for mens lightweight cargo shorts camo in pattern.", "attributes": ["daily casual", "elastic waist", "elastic waistband", "polyester spandex", "daily wear"], "options": ["color: black", "size: 29"], "instruction_attributes": ["daily wear"], "instruction_options": ["black"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNVHFJR", "worker_id": "A2KW17G25L25R8"}], "B07TJ7D457": [{"asin": "B07TJ7D457", "instruction": "i need a super soft area rug that is white", "attributes": ["super soft", "non slip", "white item", "easy clean", "living room"], "options": ["color: white", "size: 2x4 feet"], "instruction_attributes": ["super soft"], "instruction_options": ["white"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRSAFUEZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VBZXM7V": [{"asin": "B07VBZXM7V", "instruction": "i'm looking for a low carb gluten free ketchup flavored bbq sauce. choose the ones that comes in 12 ounce bottles and pack of 2.", "attributes": ["low carb", "non gmo", "gluten free", "artificial colors"], "options": ["flavor name: ketchup", "size: 12 ounce (pack of 2)"], "instruction_attributes": ["low carb", "gluten free"], "instruction_options": ["ketchup", "12 ounce (pack of 2)"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UTK1GB", "worker_id": "A3MNXK3VDK37SN"}], "B07DX8FLPN": [{"asin": "B07DX8FLPN", "instruction": "i would like to buy a screen protector which is made with tempered glass and is suitable for iphone 6 and iphone 6s plus 5.5.", "attributes": ["glass screen", "tempered glass"], "options": ["color: iphone 6 | 6s plus 5.5\""], "instruction_attributes": ["tempered glass"], "instruction_options": ["iphone 6 | 6s plus 5.5\""], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PEEUBD", "worker_id": "AJY5G987IRT25"}], "B09J2ZLMC2": [{"asin": "B09J2ZLMC2", "instruction": "i want a hair removal epilator.", "attributes": ["easy carry", "hair removal"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4E2R6O", "worker_id": "A1WS884SI0SLO4"}], "B08CJ2BW1G": [{"asin": "B08CJ2BW1G", "instruction": "looking for an easy to deliver vintage barbecue sauce needle sleeve white women's halloween t-shirt by tomorrow? forgot to machine wash.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: women", "size: large"], "instruction_attributes": ["machine wash", "needle sleeve"], "instruction_options": ["white", "women"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S49GMS", "worker_id": "A15IJ20C3R4HUO"}], "B088GXF6VD": [{"asin": "B088GXF6VD", "instruction": "high quality butterfly hair clip for women", "attributes": ["high quality", "quality materials", "hair salon", "dry hair"], "options": ["color: black", "style: 3.25 inch , 4 inch"], "instruction_attributes": ["quality materials"], "instruction_options": [], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JFOSFG", "worker_id": "A3TTGSUBIK1YCL"}], "B07RPYQCKB": [{"asin": "B07RPYQCKB", "instruction": "i am looking for a pair of machine washable men's levi's 501 blue jeans.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: blue", "size: 36w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["blue"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK5IJ3S", "worker_id": "A1EREKSZAA9V7B"}], "B075GW4GXH": [{"asin": "B075GW4GXH", "instruction": "i am interested in buying a twin sized natural colored full sized bed frame made of solid wood having a headboard.", "attributes": ["twin size", "box spring", "solid wood", "memory foam", "wood frame"], "options": ["color: natural", "size: full", "style: with headboard"], "instruction_attributes": ["twin size", "solid wood"], "instruction_options": ["natural", "full", "with headboard"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8I25RV", "worker_id": "AHXHM1PQTRWIQ"}], "B0944YG6SQ": [{"asin": "B0944YG6SQ", "instruction": "i am interested in buying white color, cruelty free hair building fibers for thinning hair.", "attributes": ["cruelty free", "hair loss", "natural hair"], "options": ["color: white"], "instruction_attributes": ["cruelty free"], "instruction_options": ["white"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPDQQDF", "worker_id": "AHXHM1PQTRWIQ"}], "B07QMGTXQX": [{"asin": "B07QMGTXQX", "instruction": "i'm interested in a pair of orange sport pants with an elastic waist and drawstring closure in a size x-large.", "attributes": ["drawstring closure", "elastic waist"], "options": ["color: r-aa-orange", "size: x-large"], "instruction_attributes": ["drawstring closure", "elastic waist"], "instruction_options": ["r-aa-orange", "x-large"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4HZL8A", "worker_id": "AFU00NU09CFXE"}], "B08FDCD6NW": [{"asin": "B08FDCD6NW", "instruction": "i'm looking for printed window curtain.", "attributes": ["machine washable", "exquisite workmanship", "dining room", "living room"], "options": ["color: 001", "size: 54\"w x18\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["54\"w x18\" l"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4825EYP8", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B08FDCD6NW", "instruction": "buy me some fifty-four inch machine washable drapes for my dining room.", "attributes": ["machine washable", "exquisite workmanship", "dining room", "living room"], "options": ["color: 003", "size: 54\"w x18\" l"], "instruction_attributes": ["machine washable", "dining room"], "instruction_options": ["54\"w x18\" l"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS1CG9V", "worker_id": "AR9AU5FY1S3RO"}], "B08N5CPD71": [{"asin": "B08N5CPD71", "instruction": "i am looking for hair color that is alcohol free and is having color as 1 hair color: 9-00.", "attributes": ["alcohol free", "permanent hair"], "options": ["color: 1 hair color: 9-00"], "instruction_attributes": ["alcohol free"], "instruction_options": ["1 hair color"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJRYO9T", "worker_id": "A1Q8PPQQCWGY0D"}], "B07FDQD8T8": [{"asin": "B07FDQD8T8", "instruction": "i would like a 5.5 ounce bag of sweet chili chips that are non gmo.", "attributes": ["non gmo", "gluten free", "0g trans", "high fructose"], "options": ["flavor name: sweet chili", "size: 5.5 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["sweet chili", "5.5 ounce (pack of 6)"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GO0893P", "worker_id": "A1WS884SI0SLO4"}], "B092LNSRYV": [{"asin": "B092LNSRYV", "instruction": "i am looking for a beard oil that will help stimulate hair growth.", "attributes": ["natural ingredients", "hair treatment", "hair growth"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW1XC1H", "worker_id": "A2NSS746CFCT4M"}], "B09MFYFTYF": [{"asin": "B09MFYFTYF", "instruction": "i want a modern tall bookcase for my living room.", "attributes": ["easy clean", "storage space", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HIK6I0", "worker_id": "A2RBF3IIJP15IH"}], "B004LU0N70": [{"asin": "B004LU0N70", "instruction": "am hoping to find q-tips cotton swab 375.0 ea nail polish.", "attributes": ["nail polish", "nail art"], "options": [""], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V2TYWF", "worker_id": "A1IL2K0ELYI090"}], "B08D9J7LMH": [{"asin": "B08D9J7LMH", "instruction": "i am looking for a gold pendant light for my dining room.", "attributes": ["assembly required", "pendant light", "dining room"], "options": ["color: gold"], "instruction_attributes": ["pendant light", "dining room"], "instruction_options": ["gold"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB4A0QAK", "worker_id": "A1EREKSZAA9V7B"}], "B09HTTSFSG": [{"asin": "B09HTTSFSG", "instruction": "i am looking for a shadow box frame made from solid wood. also, i would like the size to be 10 by 10.", "attributes": ["assembly required", "solid wood", "wood finish", "tempered glass", "wood frame"], "options": ["color: carbonized", "size: 10x10"], "instruction_attributes": ["solid wood"], "instruction_options": ["10x10"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UX30Y4", "worker_id": "AJDQGOTMB2D80"}], "B01M0WKYT7": [{"asin": "B01M0WKYT7", "instruction": "get me some tattoo serum that uses tea tree oil and is paraben free.", "attributes": ["paraben free", "tea tree", "seed oil"], "options": [""], "instruction_attributes": ["paraben free", "tea tree"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X01J4WP", "worker_id": "A3O1I9MATO3ZZN"}], "B0936HMVXB": [{"asin": "B0936HMVXB", "instruction": "i'm looking for a package of cupcake toppers for my brother's birthday party cupcakes.", "attributes": ["party supplies", "perfect gift", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTCSLNS", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B0936HMVXB", "instruction": "i am looking for cupcake topper for a birthday party", "attributes": ["party supplies", "perfect gift", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXLV2ZD", "worker_id": "A258PTOZ3D2TQR"}], "B09FPTKNK4": [{"asin": "B09FPTKNK4", "instruction": "i'm looking for silk bonnet.", "attributes": ["high quality", "hair styling"], "options": ["color: gold"], "instruction_attributes": ["hair styling"], "instruction_options": ["gold"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L5YCV0", "worker_id": "A21IUUHBSEVB56"}], "B08T6CQY1M": [{"asin": "B08T6CQY1M", "instruction": "i would like a living room lead free candle.", "attributes": ["lead free", "living room"], "options": [""], "instruction_attributes": ["lead free", "living room"], "instruction_options": [], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21QDFQM", "worker_id": "A1WS884SI0SLO4"}], "B09KTKTM75": [{"asin": "B09KTKTM75", "instruction": "i would like a fast charging station.", "attributes": ["fast charging", "easy carry"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9W6TE5", "worker_id": "A1WS884SI0SLO4"}], "B07X8YFMWL": [{"asin": "B07X8YFMWL", "instruction": "i would like a pair of 14 wide cognac sandals with a leather sole.", "attributes": ["leather sole", "memory foam"], "options": ["color: cognac", "size: 14 wide"], "instruction_attributes": ["leather sole"], "instruction_options": ["cognac", "14 wide"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQOP31F", "worker_id": "A1WS884SI0SLO4"}], "B09RV3Q1TV": [{"asin": "B09RV3Q1TV", "instruction": "i am looking for a purple short sleeved blouse in the size 3x-large.", "attributes": ["loose fit", "short sleeve", "teen girls"], "options": ["color: #02-purple", "size: 3x-large"], "instruction_attributes": [], "instruction_options": ["#02-purple", "3x-large"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQEAVKZ", "worker_id": "AK3JMCIGU8MLU"}], "B07TSRBKZ6": [{"asin": "B07TSRBKZ6", "instruction": "i want black kmm cotton moisture wicking socks.", "attributes": ["moisture wicking", "machine wash", "arch support", "polyester spandex"], "options": ["color: black blue"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["black blue"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATB937Y", "worker_id": "A2RBF3IIJP15IH"}], "B09JMVK45R": [{"asin": "B09JMVK45R", "instruction": "i would like an intel core desktop that has 64 gb of ram with 4 tb storage", "attributes": ["high speed", "intel core"], "options": ["size: 64gb ram|4tb ssd|win10h"], "instruction_attributes": ["intel core"], "instruction_options": ["64gb ram|4tb ssd|win10h"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHWAPS8B", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MT7QRV5": [{"asin": "B09MT7QRV5", "instruction": "look for wash cold pajama set nightwear that size small", "attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "dry clean"], "options": ["color: multi 3", "size: small"], "instruction_attributes": ["wash cold"], "instruction_options": ["small"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXCXFC4", "worker_id": "A10OGH5CQBXL5N"}], "B09LS6XBNP": [{"asin": "B09LS6XBNP", "instruction": "my grandson asked me for this order. tjs compatible with boost mobile celero 5g case, samsung galaxy a22 5g case, red color glass screen, it has a lot of detail, and i don't know if i can find it without your help.", "attributes": ["non slip", "heavy duty", "hands free", "glass screen", "tempered glass"], "options": ["color: red"], "instruction_attributes": ["glass screen"], "instruction_options": ["red"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXW7LYT", "worker_id": "A15IJ20C3R4HUO"}], "B012POYRL6": [{"asin": "B012POYRL6", "instruction": "i would like a chocolate chip oat bar that's gluten free.", "attributes": ["baked fresh", "gluten free", "dairy free", "non gmo"], "options": ["flavor name: chocolate chip"], "instruction_attributes": ["gluten free"], "instruction_options": ["chocolate chip"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8LB4CQ", "worker_id": "A1WS884SI0SLO4"}], "B095WGG4QR": [{"asin": "B095WGG4QR", "instruction": "i would like a pair of black headphones that have wireless bluetooth.", "attributes": ["noise cancelling", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJLJOLU", "worker_id": "A1WS884SI0SLO4"}], "B07683ZG4B": [{"asin": "B07683ZG4B", "instruction": "i would like a extra large texas orange t shirt with moisture wicking.", "attributes": ["machine wash", "moisture wicking"], "options": ["color: black | texas orange", "size: x-large"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["black | texas orange", "x-large"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TG1NMD", "worker_id": "A1WS884SI0SLO4"}], "B09LDC8WKH": [{"asin": "B09LDC8WKH", "instruction": "i want a pack of wall lamps for a living room.", "attributes": ["easy install", "clear glass", "light fixture", "glass shade", "living room"], "options": ["size: 1 pack"], "instruction_attributes": ["living room"], "instruction_options": ["1 pack"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCT7I7E", "worker_id": "A1WS884SI0SLO4"}], "B09698R81K": [{"asin": "B09698R81K", "instruction": "i want an orange fast charging usb type-c charging cable power cord.", "attributes": ["fast charging", "wireless bluetooth"], "options": ["color: orange"], "instruction_attributes": ["fast charging"], "instruction_options": ["orange"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733P1BES", "worker_id": "A2RBF3IIJP15IH"}], "B09K7RY4ZF": [{"asin": "B09K7RY4ZF", "instruction": "i am looking for a hands free white alarm clock with wireless bluetooth.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: white"], "instruction_attributes": ["hands free", "wireless bluetooth"], "instruction_options": ["white"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMUM9WH", "worker_id": "A1EREKSZAA9V7B"}], "B07D5ZGY8Z": [{"asin": "B07D5ZGY8Z", "instruction": "i want to buy a t-shirt which is classic fit and can be machine washed, as for the color i want it lemon color, and suitable for women, with a size of x-large.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: lemon", "fit type: women", "size: x-large"], "instruction_attributes": ["machine wash", "classic fit"], "instruction_options": ["lemon", "women", "x-large"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTS0QOH", "worker_id": "AJY5G987IRT25"}], "B09NVVPPQ3": [{"asin": "B09NVVPPQ3", "instruction": "i am looking for women's turtle necks loose oversized sweaters.", "attributes": ["loose fit", "long sleeve", "short sleeve", "teen girls", "star wars"], "options": ["color: d9-dark blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x-large"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R8YYTC", "worker_id": "A2KW17G25L25R8"}], "B09MM37YLN": [{"asin": "B09MM37YLN", "instruction": "i'm looking for a u-shaped toothbrush for my child's sensitive teeth that is aqua colored.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: a"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["a"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKUTEPV", "worker_id": "A2JP9IKRHNLRPI"}], "B09DQ9SN67": [{"asin": "B09DQ9SN67", "instruction": "i would like a 31 wide by 30 long dark williamsburg pair of straight leg jeans.", "attributes": ["straight leg", "machine wash", "relaxed fit"], "options": ["color: dark williamsburg", "size: 31w x 30l"], "instruction_attributes": ["straight leg"], "instruction_options": ["dark williamsburg", "31w x 30l"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA933ZZ3X", "worker_id": "A1WS884SI0SLO4"}], "B084LMXRSJ": [{"asin": "B084LMXRSJ", "instruction": "i would like a 3xl dark green tennessee titan polo that is officially licensed.", "attributes": ["moisture wicking", "officially licensed", "comfortable fit"], "options": ["color: charcoal | dark green", "size: 3x-large tall", "team name: tennessee titans"], "instruction_attributes": ["officially licensed"], "instruction_options": ["charcoal | dark green", "3x-large tall", "tennessee titans"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40KLXN7", "worker_id": "A1WS884SI0SLO4"}], "B09B1DJBRV": [{"asin": "B09B1DJBRV", "instruction": "i would like a pair of black size 8.5 boots with a comfortable fit.", "attributes": ["comfortable fit", "synthetic sole", "rubber outsole", "everyday wear"], "options": ["color: black | black", "size: 8.5"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["black | black", "8.5"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVR9JK8", "worker_id": "A1WS884SI0SLO4"}], "B093RVKB8Z": [{"asin": "B093RVKB8Z", "instruction": "i need some cabernet for a great gift", "attributes": ["quality ingredients", "great gift"], "options": ["flavor name: french cabernet sauvignon"], "instruction_attributes": ["great gift"], "instruction_options": ["french cabernet sauvignon"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z4E1CQQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07XGJBX47": [{"asin": "B07XGJBX47", "instruction": "i am looking for a dolly parton's greatest hits t-shirt.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: cranberry", "fit type: youth", "size: x-small"], "instruction_attributes": ["classic fit"], "instruction_options": ["x-small"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYGI82G", "worker_id": "A2KW17G25L25R8"}], "B00KBOL612": [{"asin": "B00KBOL612", "instruction": "i am looking for 10 wide tan color synthetic sole womens slipper", "attributes": ["faux fur", "synthetic sole"], "options": ["color: tan | black leopard", "size: 10 wide"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["tan | black leopard", "10 wide"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MP7OFZ", "worker_id": "A258PTOZ3D2TQR"}], "B09KPZX6H8": [{"asin": "B09KPZX6H8", "instruction": "i am looking for a super soft throw blanket of pattern 2 color.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: pattern 2", "size: 60x80inch(150x200cm)"], "instruction_attributes": ["super soft"], "instruction_options": ["pattern 2"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OYTYE4", "worker_id": "A1Q8PPQQCWGY0D"}], "B09SL3QDBS": [{"asin": "B09SL3QDBS", "instruction": "i'm looking for massage table sheet sets.", "attributes": ["long lasting", "beauty salon"], "options": ["color: red"], "instruction_attributes": ["beauty salon"], "instruction_options": ["red"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1I108R", "worker_id": "A21IUUHBSEVB56"}], "B01N9YSI29": [{"asin": "B01N9YSI29", "instruction": "i'm looking for tea tree oil soap with a peppermint tea tree scent. i want a 2 pack of 4 ounce bars.", "attributes": ["cruelty free", "tea tree", "sensitive skin"], "options": ["scent: peppermint tea tree", "size: 2-pack of 4 ounce soap bars"], "instruction_attributes": ["tea tree"], "instruction_options": ["peppermint tea tree", "2-pack of 4 ounce soap bars"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVK3P1Z", "worker_id": "A3OLRWACCCCUTU"}], "B07ZGDX4LS": [{"asin": "B07ZGDX4LS", "instruction": "i am looking for a water resistant battery storage containers", "attributes": ["water resistant", "batteries included"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R4T7WY", "worker_id": "A9QRQL9CFJBI7"}], "B085VJBRFS": [{"asin": "B085VJBRFS", "instruction": "i am looking for milk creme chocolate bar with natural ingredients.", "attributes": ["kosher certified", "artificial colors", "natural ingredients", "artificial flavors"], "options": ["flavor name: milk", "size: 1.76 ounce (pack of 12)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["milk"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQA91LK", "worker_id": "AJDQGOTMB2D80"}], "B07BT8JFNT": [{"asin": "B07BT8JFNT", "instruction": "i'm looking for a twelve pack of black cherry cream flavor hand crafted soda in bottles.", "attributes": ["hand crafted", "non alcoholic", "caffeine free"], "options": ["flavor name: black cherry cream", "size: 24 pack"], "instruction_attributes": ["hand crafted"], "instruction_options": ["black cherry cream"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4H1BSM", "worker_id": "A2JP9IKRHNLRPI"}], "B01NAT3AGR": [{"asin": "B01NAT3AGR", "instruction": "i'm looking for casual twill mens shirt.", "attributes": ["machine washable", "long sleeve"], "options": ["color: burgundy", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB17ALU7", "worker_id": "A21IUUHBSEVB56"}], "B01N0XKMP6": [{"asin": "B01N0XKMP6", "instruction": "i am interested in buying a size 15 walking shoes with a rubber sole.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black | white | grey three", "size: 15"], "instruction_attributes": ["rubber sole"], "instruction_options": ["15"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YMTPNU", "worker_id": "AHXHM1PQTRWIQ"}], "B073C45CPQ": [{"asin": "B073C45CPQ", "instruction": "i would like a regular sea glass towel for damaged hair.", "attributes": ["easy use", "damaged hair", "dry hair"], "options": ["color: sea glass", "style: regular (19x39 inches)"], "instruction_attributes": ["damaged hair"], "instruction_options": ["sea glass", "regular (19x39 inches)"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCR2BMR", "worker_id": "A1WS884SI0SLO4"}], "B07HB9R7ZC": [{"asin": "B07HB9R7ZC", "instruction": "i am looking for an i5 quad core computer with 16 gb memory.", "attributes": ["core i5", "quad core"], "options": [""], "instruction_attributes": ["core i5", "quad core"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5JBZ1V", "worker_id": "A1NF6PELRKACS9"}], "B09PTK7CYL": [{"asin": "B09PTK7CYL", "instruction": "i would like to buy easy to clean massage table sheets which are pink in color.", "attributes": ["easy clean", "beauty salon"], "options": ["color: pink 3", "size: 70*190cm square head"], "instruction_attributes": ["easy clean"], "instruction_options": ["pink 3"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54UN83W", "worker_id": "AHXHM1PQTRWIQ"}], "B09JLDJQXX": [{"asin": "B09JLDJQXX", "instruction": "i am looking for a gray long sleeved puffy jacket in size small.", "attributes": ["hand wash", "short sleeve", "long sleeve", "faux fur", "tumble dry", "teen girls", "daily wear"], "options": ["color: 05 # gray", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["05 # gray", "small"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEY4UUB", "worker_id": "AK3JMCIGU8MLU"}], "B09ND72Y7Z": [{"asin": "B09ND72Y7Z", "instruction": "i'm looking for a winter pajama set that my husband can wear every day: it needs to have an elastic waistband because he's a size xxl.", "attributes": ["elastic waistband", "long sleeve", "daily wear"], "options": ["color: multi 10", "size: xx-large"], "instruction_attributes": ["elastic waistband", "daily wear"], "instruction_options": ["xx-large"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT063OUNY", "worker_id": "A3LIIE572Z4OG7"}], "B07WGQFP6V": [{"asin": "B07WGQFP6V", "instruction": "i want asian sesame keto salad dressing.", "attributes": ["low carb", "dairy free", "gluten free", "low sugar", "keto friendly", "natural ingredients"], "options": ["flavor name: asian sesame", "size: 13 ounce (pack of 2)"], "instruction_attributes": ["keto friendly"], "instruction_options": ["asian sesame"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3JKYAY", "worker_id": "A2RBF3IIJP15IH"}], "B09P2P9BKV": [{"asin": "B09P2P9BKV", "instruction": "i am looking for a hydrating stick for face that is suitable for sensitive skin", "attributes": ["tea tree", "sensitive skin"], "options": ["color: 0.8 ounce", "size: tea tree"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["0.8 ounce", "tea tree"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UWDJ6R", "worker_id": "A2COCSUGZV28X"}], "B00HUB2Z46": [{"asin": "B00HUB2Z46", "instruction": "i would like to buy shea butter, which should be cruelty free product and for dry hair.", "attributes": ["cruelty free", "sulfate free", "dry hair"], "options": [""], "instruction_attributes": ["cruelty free", "dry hair"], "instruction_options": [], "assignment_id": "3WMINLGALMDE0JA33INN08NU0WNACP", "worker_id": "AJY5G987IRT25"}], "B09M2L6RDW": [{"asin": "B09M2L6RDW", "instruction": "i am looking for an android 11 tablet with 4g lte.", "attributes": ["1080p hd", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKP15PJ5", "worker_id": "AJDQGOTMB2D80"}], "B09QQ15B5M": [{"asin": "B09QQ15B5M", "instruction": "i am looking for a storage cabinet that is suitable for my living room. pick an espresso color.", "attributes": ["white item", "storage space", "dining room", "living room"], "options": ["color: espresso-3"], "instruction_attributes": ["storage space", "living room"], "instruction_options": ["espresso-3"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V2DWYX", "worker_id": "A1NF6PELRKACS9"}], "B073WMR9VS": [{"asin": "B073WMR9VS", "instruction": "i am looking for a blue colored, water resistant wireless bluetooth speaker.", "attributes": ["water resistant", "stereo sound", "wireless bluetooth"], "options": ["color: blue", "size: slim"], "instruction_attributes": ["water resistant", "wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36T1BSUL", "worker_id": "AJDQGOTMB2D80"}], "B08NPHTBXB": [{"asin": "B08NPHTBXB", "instruction": "i am looking for an easy to install vanity light for bathroom.", "attributes": ["easy install", "vanity light", "living room"], "options": ["size: 2-light"], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": [], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMLMZIN", "worker_id": "AJDQGOTMB2D80"}], "B09NVCYGZJ": [{"asin": "B09NVCYGZJ", "instruction": "i need 2 pieces of tempered glass film coverings for my dining room windows; they are 17.7\"x35.4\" in size.", "attributes": ["tempered glass", "dining room"], "options": ["color: 1031378586044720000", "size: (width\uff0917.7in x (length)35.4in x 2pcs"], "instruction_attributes": ["tempered glass", "dining room"], "instruction_options": ["(width\uff0917.7in x (length)35.4in x 2pcs"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHIJNBC", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B09NVCYGZJ", "instruction": "i would like a 23.6in by 23.6in in 2pcs set of red window films with tempered glass.", "attributes": ["tempered glass", "dining room"], "options": ["color: 1022157076510930000", "size: (width\uff0923.6in x (length)23.6in x 2pcs"], "instruction_attributes": ["tempered glass"], "instruction_options": ["1022157076510930000", "(width\uff0923.6in x (length)23.6in x 2pcs"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHT6KLN8", "worker_id": "A1WS884SI0SLO4"}], "B08NBDYBJ8": [{"asin": "B08NBDYBJ8", "instruction": "im looking for a blue gift basket.", "attributes": ["gift basket", "gift set", "great gift"], "options": ["color: blue"], "instruction_attributes": ["gift basket"], "instruction_options": ["blue"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCVM56V", "worker_id": "AK3JMCIGU8MLU"}], "B00G8R58QU": [{"asin": "B00G8R58QU", "instruction": "i want to buy some cc cream with hyaluronic acid and color light in size .4 oz.", "attributes": ["hyaluronic acid", "dark circles"], "options": ["color: light", "size: .4 ounce"], "instruction_attributes": ["hyaluronic acid"], "instruction_options": ["light", ".4 ounce"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2BAY73", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B00G8R58QU", "instruction": "look for this brand: it cosmetics your skin but better, full coverage foundation, moisturizing serum and sunscreen spf 50+ - natural finish - for my dark circles .4 oz", "attributes": ["hyaluronic acid", "dark circles"], "options": ["color: light", "size: .4 ounce"], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6M3EEK", "worker_id": "A15IJ20C3R4HUO"}], "B07NVSY9BK": [{"asin": "B07NVSY9BK", "instruction": "i want a moonlight lip glosses that is cruelty free.", "attributes": ["cruelty free", "hyaluronic acid"], "options": ["color: moonlight"], "instruction_attributes": ["cruelty free"], "instruction_options": ["moonlight"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP28XT9", "worker_id": "A1WS884SI0SLO4"}], "B08154NM4M": [{"asin": "B08154NM4M", "instruction": "i want a small sonic toothbrush for bad breath.", "attributes": ["teeth whitening", "easy clean", "bad breath"], "options": ["size: small"], "instruction_attributes": ["bad breath"], "instruction_options": ["small"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57JHI9C", "worker_id": "A1WS884SI0SLO4"}], "B07P72RMKH": [{"asin": "B07P72RMKH", "instruction": "i would like a full size style 8 duvet cover that is machine washable.", "attributes": ["queen size", "machine washable"], "options": ["color: style8", "size: full"], "instruction_attributes": ["machine washable"], "instruction_options": ["style8", "full"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AONSTF", "worker_id": "A1WS884SI0SLO4"}], "B07W3GBBZY": [{"asin": "B07W3GBBZY", "instruction": "i'd like a print of persistence of memory, ready to hang in my living room with dimensions 20\"x16\"x1.5\".", "attributes": ["ready hang", "dining room", "living room"], "options": ["color: 05 i and the village", "size: 20\"x16\"x1.5\""], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["20\"x16\"x1.5\""], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYQM6MW", "worker_id": "A3O1I9MATO3ZZN"}], "B0010C2UK0": [{"asin": "B0010C2UK0", "instruction": "i am looking for low calorie, gluten free organic\\ pasta sauce", "attributes": ["low calorie", "gluten free"], "options": [""], "instruction_attributes": ["low calorie", "gluten free"], "instruction_options": [], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5UUF5D", "worker_id": "A258PTOZ3D2TQR"}], "B07NMD498D": [{"asin": "B07NMD498D", "instruction": "i am looking for peripera velvet lipstick that is long lasting and in the color red.", "attributes": ["highly pigmented", "long lasting"], "options": ["color: 06 sold out red", "size: 0.14 fl oz"], "instruction_attributes": ["long lasting"], "instruction_options": ["06 sold out red"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMTOWMY", "worker_id": "AK3JMCIGU8MLU"}], "B09QLXZYW7": [{"asin": "B09QLXZYW7", "instruction": "i would like a fireplace and tv stand for my living room with lots of storage space.", "attributes": ["easy install", "storage space", "living room"], "options": ["size: fireplace + tv stand"], "instruction_attributes": ["storage space", "living room"], "instruction_options": ["fireplace + tv stand"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBUAEJG", "worker_id": "A1WS884SI0SLO4"}], "B09JKM41ML": [{"asin": "B09JKM41ML", "instruction": "i would like a easy to assemble buffet sideboard.", "attributes": ["mid century", "easy assemble", "storage space"], "options": [""], "instruction_attributes": ["easy assemble"], "instruction_options": [], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM8HZH4", "worker_id": "A1WS884SI0SLO4"}], "B08VGPYGYN": [{"asin": "B08VGPYGYN", "instruction": "i am looking for a high resolution projector screen with stand. also, i would like the item to be made of aluminum alloy.", "attributes": ["ultra hd", "high resolution", "aluminum alloy"], "options": ["size: 120 inch"], "instruction_attributes": ["high resolution", "aluminum alloy"], "instruction_options": [], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PPVQEC", "worker_id": "AJDQGOTMB2D80"}], "B09NF79TD7": [{"asin": "B09NF79TD7", "instruction": "i'm looking for an officially licensed spider-man t-shirt with black needle sleeves.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: youth", "size: x-large"], "instruction_attributes": ["officially licensed", "needle sleeve"], "instruction_options": ["black"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DFVDWW", "worker_id": "ARJDD0Z3R65BD"}], "B09NQZHM14": [{"asin": "B09NQZHM14", "instruction": "i would like some gold living room end tables", "attributes": ["high density", "assembly required", "storage space", "living room"], "options": ["color: gold"], "instruction_attributes": ["living room"], "instruction_options": ["gold"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX8UFAI", "worker_id": "A2ECRNQ3X5LEXD"}], "B073D8VH5S": [{"asin": "B073D8VH5S", "instruction": "i'd like to get some binoculars that are high definition and have a carying case. look for style 8x42.", "attributes": ["high definition", "carrying case"], "options": ["style: 8x42"], "instruction_attributes": ["high definition", "carrying case"], "instruction_options": ["8x42"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TWXMP5", "worker_id": "AR9AU5FY1S3RO"}], "B07Y7JKQ2G": [{"asin": "B07Y7JKQ2G", "instruction": "i am looking for an easy to use anti aging jade roller.", "attributes": ["anti aging", "easy use", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "easy use"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UXZ0Y0", "worker_id": "A1EREKSZAA9V7B"}], "B01B3IAYEE": [{"asin": "B01B3IAYEE", "instruction": "i am looking for nefertiti's rejuvenating conditioner for dry and damaged hair", "attributes": ["coconut oil", "natural ingredients", "damaged hair", "dry hair"], "options": [""], "instruction_attributes": ["damaged hair", "dry hair"], "instruction_options": [], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A43FHE", "worker_id": "AK3JMCIGU8MLU"}], "B094XK66XL": [{"asin": "B094XK66XL", "instruction": "i am looking for high speed vr headset of size 10ft.", "attributes": ["high speed", "fast charging", "usb port"], "options": ["size: 10ft"], "instruction_attributes": ["high speed"], "instruction_options": ["10ft"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GO1U397", "worker_id": "A1Q8PPQQCWGY0D"}], "B085LSYPYK": [{"asin": "B085LSYPYK", "instruction": "i am looking for men's dark clay color ankle strap sandals.", "attributes": ["ankle strap", "rubber sole"], "options": ["color: dark clay", "size: 6-6.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["dark clay"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53ZJGKS", "worker_id": "A1Q8PPQQCWGY0D"}], "B093PZZQC8": [{"asin": "B093PZZQC8", "instruction": "i am looking for a high quality baby toothbrush that are easy to carry.", "attributes": ["easy carry", "high quality", "sensitive teeth"], "options": [""], "instruction_attributes": ["easy carry", "high quality"], "instruction_options": [], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFPS9EA", "worker_id": "A1Q8PPQQCWGY0D"}], "B002G9MMOA": [{"asin": "B002G9MMOA", "instruction": "i want navy landau essentials straight leg scrub pants.", "attributes": ["straight leg", "machine wash", "relaxed fit", "elastic closure", "polyester cotton", "elastic waistband"], "options": ["color: navy", "size: 3x-large plus tall"], "instruction_attributes": ["straight leg"], "instruction_options": ["navy"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602WZ95F", "worker_id": "A2RBF3IIJP15IH"}], "B0812TLR8P": [{"asin": "B0812TLR8P", "instruction": "i am looking for a kit of teeth whitening & sensitive teeth", "attributes": ["teeth whitening", "long lasting", "sensitive teeth"], "options": [""], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": [], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLO80MZ", "worker_id": "A9QRQL9CFJBI7"}], "B07RV26NQ9": [{"asin": "B07RV26NQ9", "instruction": "i am looking for a heavy duty protective case for iphone of color 2 in 1 red | black.", "attributes": ["compatible apple", "heavy duty"], "options": ["color: 2 in 1 red | black"], "instruction_attributes": ["heavy duty"], "instruction_options": ["2 in 1 red | black"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGT1VM70", "worker_id": "A1Q8PPQQCWGY0D"}], "B07L942Q7B": [{"asin": "B07L942Q7B", "instruction": "i am looking for large size classic fit t-shirt.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: kelly green", "fit type: men", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["large"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYT7FXQ", "worker_id": "A1Q8PPQQCWGY0D"}], "B08411856M": [{"asin": "B08411856M", "instruction": "i am looking for a pair of men's size 7 running shoes with rubber soles.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black | footwear white | footwear white", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["7"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VUPMXA", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08411856M", "instruction": "am searching reebok women's nano x cross trainer running shoes with rubber sole and size 7", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: white | fluid blue | vivid orange", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["7"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3RBDR0K", "worker_id": "A1IL2K0ELYI090"}], "B08BHWKZCK": [{"asin": "B08BHWKZCK", "instruction": "i would like a 5.9 inch pendant light fixture for my living room.", "attributes": ["mid century", "glass shade", "pendant light", "light fixture", "dining room", "living room"], "options": ["color: 5.9 inch"], "instruction_attributes": ["light fixture", "living room"], "instruction_options": ["5.9 inch"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UIO3AW", "worker_id": "A1WS884SI0SLO4"}], "B09NRP6LNX": [{"asin": "B09NRP6LNX", "instruction": "i am looking for keto friendly, certified organic clarified butter in the himalayan pink salt ghee style.", "attributes": ["grass fed", "non gmo", "bpa free", "hand crafted", "keto friendly", "certified organic"], "options": ["flavor name: himalayan pink salt ghee", "size: 16.8 fl oz (pack of 1)"], "instruction_attributes": ["keto friendly", "certified organic"], "instruction_options": ["himalayan pink salt ghee"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYQBM61", "worker_id": "AK3JMCIGU8MLU"}], "B099PS6R7Y": [{"asin": "B099PS6R7Y", "instruction": "i am looking for some easy to install gold plated banana plugs for speaker wire.", "attributes": ["gold plated", "easy install"], "options": [""], "instruction_attributes": ["gold plated", "easy install"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCAFD0T", "worker_id": "A1EREKSZAA9V7B"}], "B09NQ9M14T": [{"asin": "B09NQ9M14T", "instruction": "this brand is the one i have in other rooms, look for it: greaton wood fully assembled traditional box spring/ 4'' split foundation for mattress, queen size, color white. let me know as soon as you find it.", "attributes": ["ready use", "fully assembled", "white item", "assembly required", "box spring"], "options": ["color: white", "size: twin xl", "style: 4\" split foundation"], "instruction_attributes": ["white item", "box spring"], "instruction_options": ["white", "4\" split foundation"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLO15O7C", "worker_id": "A15IJ20C3R4HUO"}], "B00ZLUMAOS": [{"asin": "B00ZLUMAOS", "instruction": "i am looking for some gluten free kool ranch flavored kale chips.", "attributes": ["non gmo", "hand crafted", "gluten free", "simple ingredients"], "options": ["flavor name: kool ranch", "size: 2 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["kool ranch"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTWPWXX", "worker_id": "A1EREKSZAA9V7B"}], "B09KXQ368P": [{"asin": "B09KXQ368P", "instruction": "i'm looking for eye makeup eyeshadow pads professional stencils.", "attributes": ["easy use", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQ00B4F", "worker_id": "A21IUUHBSEVB56"}], "B01B22W4OE": [{"asin": "B01B22W4OE", "instruction": "i need some oatmeal chocolate chip cookies that is made from real fruit. make sure that is plant based.", "attributes": ["plant based", "individually wrapped", "gluten free", "real fruit", "simple ingredients", "artificial colors"], "options": ["flavor name: oatmeal chocolate chip"], "instruction_attributes": ["plant based", "real fruit"], "instruction_options": ["oatmeal chocolate chip"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8ZNG87", "worker_id": "A1NF6PELRKACS9"}], "B098BFLRQ2": [{"asin": "B098BFLRQ2", "instruction": "i am interested in buying remove cover which is light weight, and easy to install, and it's color should be red.", "attributes": ["light weight", "easy install", "case cover"], "options": ["color: red"], "instruction_attributes": ["light weight", "easy install"], "instruction_options": ["red"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVPI0QZ", "worker_id": "AJY5G987IRT25"}], "B01C8PBPNU": [{"asin": "B01C8PBPNU", "instruction": "i am looking for amisco club counter stool in grey metal and aqua blue polyurethane that is lead free and easy to clean.", "attributes": ["lead free", "assembly required", "easy clean"], "options": ["color: grey metal | aqua blue polyurethane", "size: counter"], "instruction_attributes": ["lead free", "easy clean"], "instruction_options": ["grey metal | aqua blue polyurethane"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34PY41G", "worker_id": "AK3JMCIGU8MLU"}], "B08QMQ4CNH": [{"asin": "B08QMQ4CNH", "instruction": "i would like a extra large pair of ripped style a jeans with a wide leg.", "attributes": ["wide leg", "machine wash", "loose fit", "high waist", "tumble dry"], "options": ["color: ripped style a", "size: x-large"], "instruction_attributes": ["wide leg"], "instruction_options": ["ripped style a", "x-large"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWSMW6Z", "worker_id": "A1WS884SI0SLO4"}], "B0957PQ9L3": [{"asin": "B0957PQ9L3", "instruction": "i'm looking for a high quality stainless steel tongue cleaners. also, choose assorted color1 one.", "attributes": ["easy carry", "long lasting", "high quality", "stainless steel", "oral hygiene"], "options": ["color: assorted color1"], "instruction_attributes": ["high quality", "stainless steel"], "instruction_options": ["assorted color1"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQIMJCH", "worker_id": "AR0VJ5XRG16UJ"}], "B07GCLX7KN": [{"asin": "B07GCLX7KN", "instruction": "i would like a medium sized black sleep set that is light weight.", "attributes": ["easy care", "light weight", "machine wash"], "options": ["color: style a - 2 pack: black+navy blue", "size: medium"], "instruction_attributes": ["light weight"], "instruction_options": ["style a - 2 pack", "medium"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJLCLOK", "worker_id": "A1WS884SI0SLO4"}], "B08YDBRJW6": [{"asin": "B08YDBRJW6", "instruction": "i'm looking for an easy-to-carry makeup case that contains various types of eyeshadows and is of high quality, in black marble.", "attributes": ["easy carry", "easy clean", "high quality", "eye shadow"], "options": ["color: marble black"], "instruction_attributes": ["easy carry", "high quality", "eye shadow"], "instruction_options": ["marble black"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVKAZS3", "worker_id": "ARJDD0Z3R65BD"}], "B08RD37DPB": [{"asin": "B08RD37DPB", "instruction": "i am looking for butt-lifting, high waisted workout leggings in the color red and the size medium.", "attributes": ["butt lifting", "quick drying", "moisture wicking", "high waist", "tummy control", "nylon spandex", "elastic closure", "polyester spandex"], "options": ["color: (b)-red", "size: medium"], "instruction_attributes": ["butt lifting", "high waist"], "instruction_options": ["(b)-red", "medium"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I4DS1L", "worker_id": "AK3JMCIGU8MLU"}], "B086VZGSF4": [{"asin": "B086VZGSF4", "instruction": "i am looking for a fabric dresser of brown color for my living room.", "attributes": ["easy assemble", "steel frame", "living room"], "options": ["color: brown"], "instruction_attributes": ["living room"], "instruction_options": ["brown"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHHWBNB", "worker_id": "A1Q8PPQQCWGY0D"}], "B09FPQRVC2": [{"asin": "B09FPQRVC2", "instruction": "i am interested in buying a gaming pc which is quad core and has specs of i7, 8gb, and 256 gb ssd.", "attributes": ["dual band", "quad core"], "options": ["size: i7|8gb|256gb ssd"], "instruction_attributes": ["quad core"], "instruction_options": ["i7|8gb|256gb ssd"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9H2MD1X", "worker_id": "AJY5G987IRT25"}], "B09QCYMJ6D": [{"asin": "B09QCYMJ6D", "instruction": "i'm looking for a 7.5 black heeled sandals with open toe", "attributes": ["open toe", "knee high", "arch support", "ankle strap", "closed toe"], "options": ["color: black", "size: 7.5"], "instruction_attributes": ["open toe"], "instruction_options": ["black", "7.5"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RKLLFY", "worker_id": "A2Y2TURT2VEYZN"}], "B08NJPXJ12": [{"asin": "B08NJPXJ12", "instruction": "i'm looking for cute hooded sweatshirts with frog print for women.", "attributes": ["relaxed fit", "long sleeve", "teen girls", "daily wear"], "options": ["color: pink28", "size: 4x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["4x-large"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1A0K1W", "worker_id": "A21IUUHBSEVB56"}], "B08DDJP9BL": [{"asin": "B08DDJP9BL", "instruction": "i'm looking for a gluten free, keto friendly, and vegan granola that is low sugar and low carb. also, choose the pack of 2 in lemon blueberry tart.", "attributes": ["grain free", "keto friendly", "low sugar", "gluten free", "soy free", "low carb", "dairy free", "dietary fiber"], "options": ["flavor name: lemon blueberry tart", "size: 9 ounce (pack of 2)"], "instruction_attributes": ["keto friendly", "gluten free", "low carb", "dairy free"], "instruction_options": ["lemon blueberry tart", "9 ounce (pack of 2)"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3SDYG3I", "worker_id": "A1TWVJS27CL3KT"}], "B08YV6T6M3": [{"asin": "B08YV6T6M3", "instruction": "i want multi colored self grip hair curlers for hair styling.", "attributes": ["easy use", "hair salon", "hair styling", "dry hair"], "options": ["color: e-multi color-36pcs"], "instruction_attributes": ["hair styling"], "instruction_options": ["e-multi color-36pcs"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57JS9IE", "worker_id": "A2RBF3IIJP15IH"}], "B09SKXMFY5": [{"asin": "B09SKXMFY5", "instruction": "i want to find aurgelmir gray women's quick dry running shorts with a unique design in a size small.", "attributes": ["day comfort", "unique design", "daily wear"], "options": ["color: grey", "size: small"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36C1VB3N", "worker_id": "AMI0SOF51O3FW"}], "B087HM63GM": [{"asin": "B087HM63GM", "instruction": "i am looking for some alcohol free spearmint mouthwash for bad breath.", "attributes": ["alcohol free", "bad breath"], "options": ["size: 17.4 fl oz (pack of 6)", "style: spearmint"], "instruction_attributes": ["alcohol free", "bad breath"], "instruction_options": ["spearmint"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PDVUBS", "worker_id": "A1EREKSZAA9V7B"}], "B01MFFYQW3": [{"asin": "B01MFFYQW3", "instruction": "i need a conditioner for damaged hair", "attributes": ["anti aging", "damaged hair"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39G9ZCS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LR824C8": [{"asin": "B09LR824C8", "instruction": "i'm looking for aaa batteries that will serve as replacement for my soundbar controller.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA8F8RC", "worker_id": "A1Q0EUNCS50S8M"}], "B08XWLWZ7P": [{"asin": "B08XWLWZ7P", "instruction": "i am looking for lactose-free non-dairy coffee creamer.", "attributes": ["lactose free", "non dairy", "gluten free"], "options": [""], "instruction_attributes": ["lactose free", "non dairy"], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXIVUJ4", "worker_id": "AJDQGOTMB2D80"}], "B08MQVYDLD": [{"asin": "B08MQVYDLD", "instruction": "i'm looking for all seed savory crisps.", "attributes": ["grain free", "low carb", "sugar free", "gluten free", "keto friendly", "high protein"], "options": ["flavor name: sesame", "size: 6 ounce (pack of 3)"], "instruction_attributes": ["grain free", "low carb", "sugar free", "gluten free"], "instruction_options": [], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXSCXAWQ", "worker_id": "A21IUUHBSEVB56"}], "B01F7K6Y9S": [{"asin": "B01F7K6Y9S", "instruction": "i want a anti-aging hyaluronic acid cream that includes aloe vera and retinol and is all natural.", "attributes": ["anti aging", "long lasting", "hyaluronic acid", "green tea", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "hyaluronic acid"], "instruction_options": [], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTHRN9B", "worker_id": "A3OLRWACCCCUTU"}], "B09SHJHKYN": [{"asin": "B09SHJHKYN", "instruction": "i am looking for white colored, quick drying bathing suits for women.", "attributes": ["quick drying", "quality polyester"], "options": ["color: white", "size: xx-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["white"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYQFM65", "worker_id": "AJDQGOTMB2D80"}], "B06WGQ2MHX": [{"asin": "B06WGQ2MHX", "instruction": "i am looking for sand brown color curtains for my living room.", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: sand brown", "size: 108\" x 108\""], "instruction_attributes": ["living room"], "instruction_options": ["sand brown"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0R6J8G", "worker_id": "A1Q8PPQQCWGY0D"}], "B07SQ2J3BR": [{"asin": "B07SQ2J3BR", "instruction": "i'm looking for a type a male to male magnetic ring data transfer extension cable for usb flash drive that is fast charging.", "attributes": ["plug play", "gold plated", "fast charging", "usb port"], "options": ["color: 1.8m | m"], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XVHNGZ", "worker_id": "AK3JMCIGU8MLU"}], "B09MND53SQ": [{"asin": "B09MND53SQ", "instruction": "i'm looking for led tv stand for 70 inch.", "attributes": ["easy assemble", "easy clean", "high gloss", "storage space", "living room"], "options": ["color: a type-w51\"upgrade"], "instruction_attributes": ["storage space", "living room"], "instruction_options": ["a type-w51\"upgrade"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUAW9AH", "worker_id": "A21IUUHBSEVB56"}], "B08JLYRZG5": [{"asin": "B08JLYRZG5", "instruction": "i would like a polka dot cosmetic bag that is travel size.", "attributes": ["travel size", "high quality"], "options": ["color: polka dot"], "instruction_attributes": ["travel size"], "instruction_options": ["polka dot"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL6AVRY", "worker_id": "A1WS884SI0SLO4"}], "B08ZWVPZBX": [{"asin": "B08ZWVPZBX", "instruction": "i am interested in buying hanging lights which are suitable for dining room and living room, while their color should be smoky gray.", "attributes": ["contemporary style", "pendant light", "light fixture", "dining room", "living room"], "options": ["color: smoky gray"], "instruction_attributes": ["dining room", "living room"], "instruction_options": ["smoky gray"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA57A8O", "worker_id": "AJY5G987IRT25"}], "B07W5RQKCJ": [{"asin": "B07W5RQKCJ", "instruction": "i am looking for a large size classic fit unreleased t-shirt.", "attributes": ["needle sleeve", "classic fit"], "options": ["fit type: youth", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["large"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21QRQFB", "worker_id": "A1Q8PPQQCWGY0D"}], "B08728KCJB": [{"asin": "B08728KCJB", "instruction": "i want non alcoholic andy anand's bulk tiramisu cordials.", "attributes": ["non alcoholic", "natural ingredients", "great gift"], "options": ["flavor name: tiramisu cordials"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["tiramisu cordials"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOMZMLA", "worker_id": "A2RBF3IIJP15IH"}], "B07FM3BHRW": [{"asin": "B07FM3BHRW", "instruction": "i am looking for a family sized package with a variety of savory snacks made with healthy quality ingredients.", "attributes": ["dietary fiber", "quality ingredients"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4K615T", "worker_id": "A1E235KE3CSO7H"}], "B073YNKVZS": [{"asin": "B073YNKVZS", "instruction": "i am looking for womens plus size bootcut jeans.", "attributes": ["regular fit", "button closure"], "options": ["color: indigo", "size: 18 plus petite"], "instruction_attributes": ["button closure"], "instruction_options": ["18 plus petite"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTWMWXU", "worker_id": "A2KW17G25L25R8"}], "B0963GN8D3": [{"asin": "B0963GN8D3", "instruction": "i'm looking for a non toxic body paint scar wax", "attributes": ["non toxic", "easy apply"], "options": ["color: scar wax"], "instruction_attributes": ["non toxic"], "instruction_options": ["scar wax"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYLW6LU", "worker_id": "A2Y2TURT2VEYZN"}], "B07D4G3QY1": [{"asin": "B07D4G3QY1", "instruction": "i need a noise cancelling headset that is panasonic", "attributes": ["noise cancelling", "hands free"], "options": ["size: middle mono rj9 headset for panasonic ye..."], "instruction_attributes": ["noise cancelling"], "instruction_options": ["middle mono rj9 headset for panasonic ye..."], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ62ISH", "worker_id": "A2ECRNQ3X5LEXD"}], "B08PV6DNMJ": [{"asin": "B08PV6DNMJ", "instruction": "i would like a #5 nightstand that has a wood finish.", "attributes": ["easy install", "storage unit", "wood finish", "storage space"], "options": ["size: #5"], "instruction_attributes": ["wood finish"], "instruction_options": ["#5"], "assignment_id": "3Z4AIRP3CHN69T8YYVQH3KF1XK51XU", "worker_id": "A1WS884SI0SLO4"}], "B099MLG9SN": [{"asin": "B099MLG9SN", "instruction": "i am looking for one pound of organic walnuts", "attributes": ["plant based", "ready eat", "certified organic", "non gmo", "gluten free"], "options": ["flavor name: chandler", "size: 1 pound (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H7AU8T", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MMKFCY8": [{"asin": "B09MMKFCY8", "instruction": "i want a x-large yeyamei sweater for women that is made of polyester cotton.", "attributes": ["long sleeve", "comfortable fit", "polyester cotton", "teen girls", "daily wear"], "options": ["color: x10c-brown", "size: x-large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["x-large"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9XGTEH", "worker_id": "A2RBF3IIJP15IH"}], "B09QSC583Q": [{"asin": "B09QSC583Q", "instruction": "i am looking for rose gold oral care copper tongue cleaner", "attributes": ["easy use", "rose gold", "bad breath"], "options": [""], "instruction_attributes": ["rose gold"], "instruction_options": [], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1BKK1I", "worker_id": "A258PTOZ3D2TQR"}], "B093YS5G3P": [{"asin": "B093YS5G3P", "instruction": "iam looking for a wallets for blouse, hosiery and laundry bag", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOMILMS", "worker_id": "A9QRQL9CFJBI7"}], "B01IAESWES": [{"asin": "B01IAESWES", "instruction": "i would like a argan oil hair treatment.", "attributes": ["argan oil", "hair treatment"], "options": [""], "instruction_attributes": ["argan oil", "hair treatment"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBFNOS4", "worker_id": "A1WS884SI0SLO4"}], "B09QPPL1V7": [{"asin": "B09QPPL1V7", "instruction": "i am interested in buying a black colored loose fitting medium sized workout pants mainly for gym workouts.", "attributes": ["loose fit", "winter warm", "straight leg", "water resistant", "fleece lined", "slim fit", "quality polyester", "gym workout"], "options": ["color: black", "size: medium"], "instruction_attributes": ["loose fit", "gym workout"], "instruction_options": ["black", "medium"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NQN2PZ", "worker_id": "AHXHM1PQTRWIQ"}], "B01N7PB3L6": [{"asin": "B01N7PB3L6", "instruction": "i need milk chocolate covered peanut butter block", "attributes": ["chocolate covered", "individually wrapped", "high fructose"], "options": [""], "instruction_attributes": ["chocolate covered"], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZJSPRS", "worker_id": "A258PTOZ3D2TQR"}], "B08X9SG8VB": [{"asin": "B08X9SG8VB", "instruction": "i would like to buy a black colored box spring bed.", "attributes": ["box spring", "faux leather"], "options": ["color: black", "size: full", "style: faux leather"], "instruction_attributes": ["box spring"], "instruction_options": ["black"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFVO0TI", "worker_id": "AHXHM1PQTRWIQ"}], "B06XS8KPBF": [{"asin": "B06XS8KPBF", "instruction": "i would like a white bed and nightstand with drawers that saves space.", "attributes": ["space saving", "box spring"], "options": ["color: white", "pattern name: bed + nightstand", "size: drawers"], "instruction_attributes": ["space saving"], "instruction_options": ["white", "bed + nightstand", "drawers"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH5WHQS", "worker_id": "A1WS884SI0SLO4"}], "B093YSPZHZ": [{"asin": "B093YSPZHZ", "instruction": "i am looking for a mesh laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1DLI2Y", "worker_id": "A1EREKSZAA9V7B"}], "B09PMFB9LH": [{"asin": "B09PMFB9LH", "instruction": "i am looking for a freeze dried pear chips and should contain real fruit.", "attributes": ["freeze dried", "real fruit"], "options": ["flavor name: pear"], "instruction_attributes": ["freeze dried", "real fruit"], "instruction_options": ["pear"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDLX2OO", "worker_id": "AHU9OLV0YKIIW"}], "B09B7YP723": [{"asin": "B09B7YP723", "instruction": "i need a living room statue", "attributes": ["hand painted", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZLMO8A", "worker_id": "A2ECRNQ3X5LEXD"}], "B008M4S91S": [{"asin": "B008M4S91S", "instruction": "can i get a 2 light bath vanity lighting set with nickel finish?", "attributes": ["brushed nickel", "nickel finish"], "options": ["size: 2 light"], "instruction_attributes": ["nickel finish"], "instruction_options": ["2 light"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP71J7U", "worker_id": "A3O1I9MATO3ZZN"}], "B00N49FECS": [{"asin": "B00N49FECS", "instruction": "i want indigo zac relaxed fit straight leg jeans.", "attributes": ["straight leg", "machine wash", "imported zipper", "relaxed fit"], "options": ["color: medium indigo ssk290", "size: 44w x 34l"], "instruction_attributes": ["straight leg"], "instruction_options": ["medium indigo ssk290"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ79ISQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B00N49FECS", "instruction": "i am looking for a straight leg jeans in sandblast light color. also in 40w x 34l size.", "attributes": ["straight leg", "machine wash", "imported zipper", "relaxed fit"], "options": ["color: sandblast light", "size: 40w x 34l"], "instruction_attributes": ["straight leg"], "instruction_options": ["sandblast light", "40w x 34l"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZC3CPB", "worker_id": "A2HMEGTAFO0CS8"}], "B081DF9LK8": [{"asin": "B081DF9LK8", "instruction": "i need a 64gb, high performance usb flash drive.", "attributes": ["high performance", "usb port"], "options": ["size: 64gb"], "instruction_attributes": ["high performance"], "instruction_options": ["64gb"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54UQ38U", "worker_id": "A2NSS746CFCT4M"}], "B09MM3TBRJ": [{"asin": "B09MM3TBRJ", "instruction": "i need a manual toothbrush for my sensitive teeth", "attributes": ["easy use", "sensitive teeth"], "options": ["color: c"], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR7ZA05", "worker_id": "AVIEE6LDH0BT5"}], "B0843HBRYC": [{"asin": "B0843HBRYC", "instruction": "i am looking for a ivory color contemporary design area rugs", "attributes": ["contemporary design", "home furnishings"], "options": ["color: ivory", "item shape: round", "size: 2 ft (3 in) x 8 ft"], "instruction_attributes": ["contemporary design"], "instruction_options": ["ivory"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DEIDWH", "worker_id": "A9QRQL9CFJBI7"}], "B093QF29VW": [{"asin": "B093QF29VW", "instruction": "i want a keto high protein snack gift basket.", "attributes": ["low carb", "low sugar", "high protein", "gift basket", "gift set", "perfect gift"], "options": [""], "instruction_attributes": ["high protein", "gift basket"], "instruction_options": [], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8KVZNI", "worker_id": "A1WS884SI0SLO4"}], "B08157ZH8F": [{"asin": "B08157ZH8F", "instruction": "i would like some rubber sole oxfords that are tan and a size 9", "attributes": ["anti slip", "non slip", "rubber outsole", "rubber sole"], "options": ["color: tan", "size: 9"], "instruction_attributes": ["rubber sole"], "instruction_options": ["tan", "9"], "assignment_id": "37TRT2X24116R7L1JO45INKV8X5JBT", "worker_id": "A2ECRNQ3X5LEXD"}], "B095VSRVXW": [{"asin": "B095VSRVXW", "instruction": "i'm looking for crystal roller massager with facial beauty massage stick.", "attributes": ["easy carry", "dark circles"], "options": ["color: fenjinggunlunbaozhuanghe"], "instruction_attributes": ["easy carry"], "instruction_options": ["fenjinggunlunbaozhuanghe"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFHD5U6", "worker_id": "A21IUUHBSEVB56"}], "B09CZ8BMHD": [{"asin": "B09CZ8BMHD", "instruction": "i'm looking for a film screen protector with tempered glass for google pixel 6 pro.", "attributes": ["high definition", "tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["tempered glass"], "instruction_options": [], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTDUAZ6C", "worker_id": "A62B826XMLK7K"}], "B07BPM9WNX": [{"asin": "B07BPM9WNX", "instruction": "i'm looking for an art print for my living room that's ready to hang. look for something with mountains in it that's twelve by sixteen inches.", "attributes": ["ready hang", "living room", "dining room"], "options": ["color: watercolor mountain geometric", "size: 12x16inches*3pcs"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["watercolor mountain geometric", "12x16inches*3pcs"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHAD5DOT", "worker_id": "AR9AU5FY1S3RO"}], "B09JZ9B53Z": [{"asin": "B09JZ9B53Z", "instruction": "i'm need of a black dining chair with solid wood", "attributes": ["easy clean", "solid wood", "memory foam", "wood frame"], "options": ["color: black"], "instruction_attributes": ["solid wood"], "instruction_options": ["black"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNO7TNU", "worker_id": "A2Y2TURT2VEYZN"}], "B09NPKS6PC": [{"asin": "B09NPKS6PC", "instruction": "i am looking for hdmi adapter having usb port.", "attributes": ["high definition", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LIG0LT", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PZ6LLJC": [{"asin": "B09PZ6LLJC", "instruction": "i am looking for women's t-shirt of white color having short sleeve.", "attributes": ["wash cold", "hand wash", "machine wash", "short sleeve", "everyday wear", "dry clean", "teen girls", "daily wear"], "options": ["color: white", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["white"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X9PGPT", "worker_id": "A1Q8PPQQCWGY0D"}], "B09QS65811": [{"asin": "B09QS65811", "instruction": "i am looking for multi10 color lamp for living room.", "attributes": ["space saving", "storage space", "living room"], "options": ["color: multi10"], "instruction_attributes": ["living room"], "instruction_options": ["multi10"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFIO5UJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B08RXZXTV4": [{"asin": "B08RXZXTV4", "instruction": "i am looking for golden blonde with highlights color hair extensions that are easy to apply.", "attributes": ["easy apply", "hair extensions"], "options": ["color: golden blonde with highlights", "size: 24 inch (pack of 1)"], "instruction_attributes": ["easy apply"], "instruction_options": ["golden blonde with highlights"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLXJFT7", "worker_id": "A1Q8PPQQCWGY0D"}], "B08K2ZPQ6G": [{"asin": "B08K2ZPQ6G", "instruction": "i am looking for some easy to use holographic nail art.", "attributes": ["double sided", "easy use", "nail art"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQKHJRH", "worker_id": "A1EREKSZAA9V7B"}], "B07LH2ZK7M": [{"asin": "B07LH2ZK7M", "instruction": "looking for a long lasting ralph love women perfume", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTWYP9F", "worker_id": "A2Y2TURT2VEYZN"}], "B09ND1LQB2": [{"asin": "B09ND1LQB2", "instruction": "i am looking for a twin size low loft bed with storage in grey.", "attributes": ["twin size", "space saving", "assembly required"], "options": ["color: grey with slide, drawers", "size: twin (with storage)"], "instruction_attributes": ["twin size"], "instruction_options": ["grey with slide, drawers"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XUMNG2", "worker_id": "A2KW17G25L25R8"}], "B099WVM374": [{"asin": "B099WVM374", "instruction": "i want a colourful makeup brush set for sensitive skin.", "attributes": ["easy carry", "eye shadow", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WZ4A17", "worker_id": "A2RBF3IIJP15IH"}], "B09SFWYXGD": [{"asin": "B09SFWYXGD", "instruction": "i'm looking for a 2.0 32 gigabyte, guitar shaped memory drive that is easy to use.", "attributes": ["plug play", "easy use"], "options": ["size: 2.0 32gb"], "instruction_attributes": ["easy use"], "instruction_options": ["2.0 32gb"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KS1LJ2", "worker_id": "AK3JMCIGU8MLU"}], "B01CYVYKI0": [{"asin": "B01CYVYKI0", "instruction": "i'm looking for classic cut wig for women.", "attributes": ["natural hair", "hair growth"], "options": ["color: rl32 | 31 cinnabar"], "instruction_attributes": ["hair growth"], "instruction_options": ["rl32 | 31 cinnabar"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPELV868", "worker_id": "A21IUUHBSEVB56"}], "B09JPCLY25": [{"asin": "B09JPCLY25", "instruction": "i'm looking for a kids toothbrush that's easy to use and not hard on the teeth. also, pick yellow", "attributes": ["easy use", "sensitive teeth"], "options": ["color: yellow", "size: bear paw,large"], "instruction_attributes": ["easy use", "sensitive teeth"], "instruction_options": ["yellow"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YR269K", "worker_id": "A2TRV8SEM003GG"}], "B09SFYFZW5": [{"asin": "B09SFYFZW5", "instruction": "i am looking for high knee womens flat sandals of size 8.", "attributes": ["knee high", "open toe", "non slip", "closed toe", "ankle strap"], "options": ["color: sandals shoes a11- black", "size: 8"], "instruction_attributes": ["knee high"], "instruction_options": ["8"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZLGO84", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PDQ1GP5": [{"asin": "B09PDQ1GP5", "instruction": "i want to find a large pair of pink stretchy yoga shorts for teen girls.", "attributes": ["wash cold", "hand wash", "high waist", "teen girls"], "options": ["color: a2-pink", "size: large"], "instruction_attributes": ["teen girls"], "instruction_options": ["a2-pink", "large"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD59IRL", "worker_id": "A345TDMHP3DQ3G"}], "B09PRPDH13": [{"asin": "B09PRPDH13", "instruction": "i would like a white computer speaker with stereo sound.", "attributes": ["high performance", "wireless bluetooth", "stereo sound"], "options": ["color: white"], "instruction_attributes": ["stereo sound"], "instruction_options": ["white"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHTWJ0V", "worker_id": "A1WS884SI0SLO4"}], "B095W1HB2Q": [{"asin": "B095W1HB2Q", "instruction": "i'm looking for a high quality cosmetic container to refill my lip gloss; please choose the rose gold color.", "attributes": ["high quality", "easy apply", "eco friendly", "rose gold"], "options": ["color: gold"], "instruction_attributes": ["high quality", "rose gold"], "instruction_options": ["gold"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO8U2C9", "worker_id": "A3LIIE572Z4OG7"}], "B089NYN7C7": [{"asin": "B089NYN7C7", "instruction": "i am looking for a quick release plate for my camera made of aluminum alloy.", "attributes": ["quick release", "aluminum alloy"], "options": [""], "instruction_attributes": ["quick release"], "instruction_options": [], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSST0XK", "worker_id": "A1EREKSZAA9V7B"}], "B09SL5XJ54": [{"asin": "B09SL5XJ54", "instruction": "i am looking for a 9.5 size steel toe of sandals", "attributes": ["open toe", "steel toe", "high heel"], "options": ["color: fada-110-multicolor", "size: 9.5"], "instruction_attributes": ["steel toe"], "instruction_options": ["9.5"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0G1610", "worker_id": "A9QRQL9CFJBI7"}], "B075733YQZ": [{"asin": "B075733YQZ", "instruction": "i need lipstick that is long lasting and is the color of brick house", "attributes": ["long lasting", "green tea"], "options": ["color: brick-house"], "instruction_attributes": ["long lasting"], "instruction_options": ["brick-house"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDW261RI", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q2SVGMX": [{"asin": "B09Q2SVGMX", "instruction": "i am looking for bed cover table sheet sets for beauty salon also choose colour purple", "attributes": ["high quality", "beauty salon"], "options": ["color: purple", "size: 70*190cm square head"], "instruction_attributes": ["beauty salon"], "instruction_options": ["purple"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PP7X2T", "worker_id": "A10OGH5CQBXL5N"}], "B09SL5KS15": [{"asin": "B09SL5KS15", "instruction": "i would like a portable bluetooth speaker with stereo sound.", "attributes": ["light weight", "high performance", "hands free", "easy carry", "stereo sound", "wireless bluetooth"], "options": [""], "instruction_attributes": ["stereo sound", "wireless bluetooth"], "instruction_options": [], "assignment_id": "39K0FND3ASPR95MUG7H134S6U96AMK", "worker_id": "A1WS884SI0SLO4"}], "B08T9J3G6B": [{"asin": "B08T9J3G6B", "instruction": "i am looking for easy assemble queen size metal bed frame", "attributes": ["easy assemble", "twin size", "box spring"], "options": ["size: queen"], "instruction_attributes": ["easy assemble"], "instruction_options": ["queen"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK6AJ3M", "worker_id": "A258PTOZ3D2TQR"}], "B09C42X8V1": [{"asin": "B09C42X8V1", "instruction": "i am looking for a long lasting lip balm.", "attributes": ["long lasting", "argan oil", "fine lines", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVKIZSB", "worker_id": "A1EREKSZAA9V7B"}], "B01A4B0N92": [{"asin": "B01A4B0N92", "instruction": "i need a 2 oz hair growth treatment", "attributes": ["plant based", "easy use", "hair growth", "hair loss"], "options": ["size: 2 fl oz"], "instruction_attributes": ["hair growth"], "instruction_options": ["2 fl oz"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMLUZIV", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NW7CZXP": [{"asin": "B09NW7CZXP", "instruction": "i'm interested in buying a medium sized high waisted yoga sweatpants for daily wear.", "attributes": ["high waist", "elastic closure", "elastic waistband", "tummy control", "daily wear"], "options": ["color: #03black", "size: medium"], "instruction_attributes": ["high waist", "daily wear"], "instruction_options": ["medium"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZK9A77", "worker_id": "AHXHM1PQTRWIQ"}], "B07692PMHF": [{"asin": "B07692PMHF", "instruction": "i'm looking for a high quality plant based vitamin c serum that contains hyaluronic acid and made of natural ingredients for treating dark circles and fine lines.", "attributes": ["certified organic", "animal testing", "plant based", "anti aging", "cruelty free", "high quality", "hyaluronic acid", "natural ingredients", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["plant based", "high quality", "hyaluronic acid", "natural ingredients", "dark circles", "fine lines"], "instruction_options": [], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SZEQTY", "worker_id": "AR0VJ5XRG16UJ"}], "B08FSNMMYR": [{"asin": "B08FSNMMYR", "instruction": "i would like a medium black long sleeved pullover.", "attributes": ["long sleeve", "fashion design"], "options": ["color: a-black", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a-black", "medium"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FQCBF6", "worker_id": "A1WS884SI0SLO4"}], "B09QXW6X8Z": [{"asin": "B09QXW6X8Z", "instruction": "i am looking for a 16gb ram | 2tb nvme ssd size of intel core i5 towers", "attributes": ["core i5", "intel core"], "options": ["size: 16gb ram | 2tb nvme ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["16gb ram | 2tb nvme ssd"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79UG1HV", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09QXW6X8Z", "instruction": "i need to buy a desktop computer that's got an intel i5 core, 32 gigabytes of ram, and a one terabyte ssd.", "attributes": ["core i5", "intel core"], "options": ["size: 32gb ram | 1tb nvme ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["32gb ram | 1tb nvme ssd"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHPO0JW", "worker_id": "AR9AU5FY1S3RO"}], "B0893MSLT5": [{"asin": "B0893MSLT5", "instruction": "i would like a style 7 chandelier with a pendant light.", "attributes": ["easy clean", "pendant light"], "options": ["color: style 7"], "instruction_attributes": ["pendant light"], "instruction_options": ["style 7"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIH92LQ", "worker_id": "A1WS884SI0SLO4"}], "B08L136TVK": [{"asin": "B08L136TVK", "instruction": "i would like 12 bowls of peaches in strawberry gel gluten free applesauce.", "attributes": ["gluten free", "shelf stable", "bpa free", "non gmo"], "options": ["flavor name: peaches in strawberry gel", "size: 12 bowls"], "instruction_attributes": ["gluten free"], "instruction_options": ["peaches in strawberry gel", "12 bowls"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAGUFIH", "worker_id": "A1WS884SI0SLO4"}], "B08N5CBMDM": [{"asin": "B08N5CBMDM", "instruction": "i would like a 8.6 ounce box of honey cereal that is gluten free.", "attributes": ["grain free", "non gmo", "low sugar", "gluten free", "protein serving", "kosher certified", "high protein", "plant based", "dairy free", "natural flavors"], "options": ["flavor name: honey", "size: 8.6 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["honey", "8.6 ounce (pack of 1)"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8EE5AN", "worker_id": "A1WS884SI0SLO4"}], "B09PCX8BJY": [{"asin": "B09PCX8BJY", "instruction": "i want a pair of size 7.4 red walking shoes with a anti slip material.", "attributes": ["knee high", "anti slip", "non slip", "steel toe", "quality materials", "arch support", "memory foam", "rubber sole"], "options": ["color: a-red", "size: 7.5"], "instruction_attributes": ["anti slip"], "instruction_options": ["a-red", "7.5"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OW8POJ", "worker_id": "A1WS884SI0SLO4"}], "B09D7NCLNK": [{"asin": "B09D7NCLNK", "instruction": "i'm looking for hair dressing scissors set.", "attributes": ["long lasting", "hair cutting"], "options": [""], "instruction_attributes": ["hair cutting"], "instruction_options": [], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YT38TG", "worker_id": "A21IUUHBSEVB56"}], "B08CXD2VHG": [{"asin": "B08CXD2VHG", "instruction": "i need a clip set hair extensions with stainless steel.", "attributes": ["high quality", "stainless steel", "hair extensions"], "options": ["color: clip set", "size: 20 inch (pack of 1)"], "instruction_attributes": ["stainless steel"], "instruction_options": ["clip set"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H808UZ", "worker_id": "AVIEE6LDH0BT5"}], "B0995Z55M4": [{"asin": "B0995Z55M4", "instruction": "i'm looking for mens peake 23 from fila.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: black | black | metallic silver", "size: 9"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["black | black | metallic silver"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM8HHZM", "worker_id": "A21IUUHBSEVB56"}], "B00IWONE9U": [{"asin": "B00IWONE9U", "instruction": "i am in need of some shelf stable tropical fruit", "attributes": ["shelf stable", "gluten free", "non gmo"], "options": ["flavor name: tropical fruit"], "instruction_attributes": ["shelf stable"], "instruction_options": ["tropical fruit"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841DQXAR", "worker_id": "A2ECRNQ3X5LEXD"}], "B093THM3VQ": [{"asin": "B093THM3VQ", "instruction": "i would like to buy easy to assemble storage baskets which has a lot of storage space.", "attributes": ["white item", "easy assemble", "storage space"], "options": [""], "instruction_attributes": ["easy assemble", "storage space"], "instruction_options": [], "assignment_id": "39JEC75375BYS7D1EDEJWV17L51CV3", "worker_id": "AHXHM1PQTRWIQ"}], "B09J8RWJ4L": [{"asin": "B09J8RWJ4L", "instruction": "i need a large sized coat with long sleeves.", "attributes": ["loose fit", "fleece lined", "hand wash", "wash cold", "machine wash", "long sleeve", "drawstring waist", "memory foam", "high waist", "short sleeve"], "options": ["color: 2-army green", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["large"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUTFFF1N", "worker_id": "AVIEE6LDH0BT5"}], "B06Y664VKD": [{"asin": "B06Y664VKD", "instruction": "i need an easy to cary 128 gb flash drive", "attributes": ["dust proof", "easy carry"], "options": ["color: silver", "size: 128gb"], "instruction_attributes": ["easy carry"], "instruction_options": ["128gb"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AOKEOZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B071YBR54C": [{"asin": "B071YBR54C", "instruction": "i would like a magnifying glass intensive polish serum for damaged hair.", "attributes": ["damaged hair", "dry hair"], "options": ["style: magnifying glass intensive polish serum"], "instruction_attributes": ["damaged hair"], "instruction_options": ["magnifying glass intensive polish serum"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2QGYNF", "worker_id": "A1WS884SI0SLO4"}], "B09CYMXNKH": [{"asin": "B09CYMXNKH", "instruction": "i would like a 17 mm scent cc0.07 high quality perfume bottle.", "attributes": ["cruelty free", "high quality", "quality materials"], "options": ["scent: cc-0.07", "size: 17 mm"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3X0H8UUITCYRED22199FX2O3EHQWSS", "worker_id": "A1WS884SI0SLO4"}], "B09J2FZGVK": [{"asin": "B09J2FZGVK", "instruction": "i want an allewie queen bed frame that requires assembly.", "attributes": ["button tufted", "assembly required", "faux leather", "box spring"], "options": ["color: brown", "size: queen"], "instruction_attributes": ["assembly required"], "instruction_options": ["queen"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJM0LOA", "worker_id": "A2RBF3IIJP15IH"}], "B00M9NLJWO": [{"asin": "B00M9NLJWO", "instruction": "i'm looking for a low calories popcorn kernels with gluten free. also, choose a pack of 2 weighting 2 pounds one.", "attributes": ["low calorie", "non gmo", "old fashioned", "gluten free"], "options": ["size: 2 pound (pack of 2)"], "instruction_attributes": ["low calorie", "gluten free"], "instruction_options": ["2 pound (pack of 2)"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME97V2DW", "worker_id": "AR0VJ5XRG16UJ"}], "B09Q7VC6V9": [{"asin": "B09Q7VC6V9", "instruction": "i would like to buy sandals for women which are eco friendly, and high quality, as for color they should be pink, and of size 6.5.", "attributes": ["eco friendly", "high quality", "rose gold"], "options": ["color: pink", "size: 6.5"], "instruction_attributes": ["eco friendly", "high quality"], "instruction_options": ["pink", "6.5"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V40FGP", "worker_id": "AJY5G987IRT25"}], "B079JVZHSQ": [{"asin": "B079JVZHSQ", "instruction": "i would like a white foot file for dead skin.", "attributes": ["eco friendly", "paraben free", "cruelty free", "dry skin", "dead skin"], "options": ["color: 001-white"], "instruction_attributes": ["dead skin"], "instruction_options": ["001-white"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU4JLAW", "worker_id": "A1WS884SI0SLO4"}], "B07FSKRLTL": [{"asin": "B07FSKRLTL", "instruction": "i am looking for black leather 7.5 size and day comfort winter snow boots for women", "attributes": ["anti slip", "day comfort", "non slip", "lace closure", "rubber sole"], "options": ["color: black-leather", "size: 7.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["black-leather", "7.5"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68IM4AK", "worker_id": "A258PTOZ3D2TQR"}], "B098RX8416": [{"asin": "B098RX8416", "instruction": "i would like a pair of size 11 gold platform wedges with a ankle strap.", "attributes": ["open toe", "ankle strap", "arch support"], "options": ["color: z99-glod", "size: 11.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["z99-glod", "11.5"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD32IC9", "worker_id": "A1WS884SI0SLO4"}], "B07BFXH2DV": [{"asin": "B07BFXH2DV", "instruction": "i'm looking for a pair of non-slip women's wedge sneakers in pink sequin color and in size 4.5.", "attributes": ["non slip", "rubber sole", "daily wear"], "options": ["color: pink sequin", "size: 4.5"], "instruction_attributes": ["non slip"], "instruction_options": ["pink sequin", "4.5"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZZDANH", "worker_id": "A3MNXK3VDK37SN"}], "B07S7HDC88": [{"asin": "B07S7HDC88", "instruction": "i am looking for a pair of men's size 10.5 black loafers with rubber soles.", "attributes": ["slip resistant", "non slip", "rubber outsole", "rubber sole"], "options": ["color: black1901", "size: 10.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black1901", "10.5"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E96HXE", "worker_id": "A1EREKSZAA9V7B"}], "B085PX3LCN": [{"asin": "B085PX3LCN", "instruction": "i am looking for 32 pack of hyaluronic acid full face facial mask", "attributes": ["green tea", "hyaluronic acid"], "options": ["color: a set (2 x 8 types)", "size: 32 pack"], "instruction_attributes": ["hyaluronic acid"], "instruction_options": ["32 pack"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GOSS3E", "worker_id": "A258PTOZ3D2TQR"}], "B095YXYZ33": [{"asin": "B095YXYZ33", "instruction": "i'm looking for hollow vintage casual wedge ankle strap sandals for women.", "attributes": ["open toe", "high heel", "closed toe", "ankle strap", "button closure"], "options": ["color: 01-black", "size: 7.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["01-black"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SFBRW3", "worker_id": "A21IUUHBSEVB56"}], "B08L5X8R15": [{"asin": "B08L5X8R15", "instruction": "i would like a fresh and clean paraben free men's cologne.", "attributes": ["paraben free", "cruelty free", "easy use"], "options": ["scent: fresh and clean"], "instruction_attributes": ["paraben free"], "instruction_options": ["fresh and clean"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCMYLBL", "worker_id": "A1WS884SI0SLO4"}], "B075DY1CZZ": [{"asin": "B075DY1CZZ", "instruction": "i am looking for a 16 inch size hair extension having synthetic hair.", "attributes": ["hair extensions", "synthetic hair"], "options": ["color: #darkest brown to light brown", "size: 16 inch"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["16 inch"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X9N3Y2", "worker_id": "A1Q8PPQQCWGY0D"}], "B07YLCWZF5": [{"asin": "B07YLCWZF5", "instruction": "i am looking for a queen sized mattress with memory foam.", "attributes": ["high density", "memory foam"], "options": ["color: gel foam + navy cover", "size: queen (60\" x 80\")"], "instruction_attributes": ["memory foam"], "instruction_options": ["queen (60\" x 80\")"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY5L4J5", "worker_id": "A1EREKSZAA9V7B"}], "B09SGXQXRL": [{"asin": "B09SGXQXRL", "instruction": "i want brown women's open toe flats.", "attributes": ["open toe", "knee high", "high heel"], "options": ["color: brown", "size: 6.5-7"], "instruction_attributes": ["open toe"], "instruction_options": ["brown"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E240353", "worker_id": "A2RBF3IIJP15IH"}], "B07B6JSBQ9": [{"asin": "B07B6JSBQ9", "instruction": "i'm looking for a 2 pound jar of dark chocolate cream made of quality ingredients.", "attributes": ["quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: dark chocolate", "size: 2 pound (pack of 1)"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["dark chocolate", "2 pound (pack of 1)"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKOO7DQ", "worker_id": "A3MNXK3VDK37SN"}], "B01GKAL67Y": [{"asin": "B01GKAL67Y", "instruction": "i'm looking for liqiud latex makeup.", "attributes": ["paraben free", "cruelty free"], "options": ["color: zombie flesh", "size: 4.5 fl oz (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["4.5 fl oz (pack of 1)"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG06WTJ", "worker_id": "A21IUUHBSEVB56"}], "B09NB7R15K": [{"asin": "B09NB7R15K", "instruction": "i'm looking for a stainless steel patio furniture set in the color navy blue.", "attributes": ["high density", "stainless steel", "steel frame"], "options": ["color: navy blue", "size: outdoor furniture w | fire pit"], "instruction_attributes": ["stainless steel"], "instruction_options": ["navy blue"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRJ9WN9", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B09NB7R15K", "instruction": "i want dark red and stainless steel asjmr outdoor patio furniture.", "attributes": ["high density", "stainless steel", "steel frame"], "options": ["color: dark red", "size: patio sectional furniture"], "instruction_attributes": ["stainless steel"], "instruction_options": ["dark red"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZR604B", "worker_id": "A2RBF3IIJP15IH"}], "B098J9LXGM": [{"asin": "B098J9LXGM", "instruction": "i'm interested in a 4g lte wall-mounted router in aluminum alloy.", "attributes": ["wall mounted", "aluminum alloy", "4g lte"], "options": [""], "instruction_attributes": ["wall mounted", "aluminum alloy", "4g lte"], "instruction_options": [], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADX1OYMZ", "worker_id": "AFU00NU09CFXE"}], "B095W1N4P1": [{"asin": "B095W1N4P1", "instruction": "i would like a 38 mm pink applewatch band.", "attributes": ["compatible apple", "high performance"], "options": ["color: black | pink | purple | wine red", "size: 38mm | 40mm | 41mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["black | pink | purple | wine red", "38mm | 40mm | 41mm"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTH09N6", "worker_id": "A1WS884SI0SLO4"}], "B098BQ962K": [{"asin": "B098BQ962K", "instruction": "i would like a flip flop travel bottles that are bpa free.", "attributes": ["bpa free", "easy use"], "options": ["style: flip top"], "instruction_attributes": ["bpa free"], "instruction_options": ["flip top"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH3PZ4C", "worker_id": "A1WS884SI0SLO4"}], "B09ND769CP": [{"asin": "B09ND769CP", "instruction": "i need a small sleep set that has an elastic waistband", "attributes": ["elastic waistband", "long sleeve", "daily wear"], "options": ["color: multi 2", "size: small"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["small"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHT5J04", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LYZW6P8": [{"asin": "B09LYZW6P8", "instruction": "i'm looking for a day and night roller blinds grey/white item.", "attributes": ["white item", "dining room", "living room"], "options": ["color: blue | purple | pink", "size: 39\"w x 78\"h"], "instruction_attributes": ["white item"], "instruction_options": [], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCMDBLQ", "worker_id": "A62B826XMLK7K"}, {"asin": "B09LYZW6P8", "instruction": "i need to buy some purple blinds for my living room. find the ones that are 32 by 78 inches.", "attributes": ["white item", "dining room", "living room"], "options": ["color: purple", "size: 32\"w x 78\"h"], "instruction_attributes": ["living room"], "instruction_options": ["purple", "32\"w x 78\"h"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LEXL0N", "worker_id": "AR9AU5FY1S3RO"}], "B092J9FHMG": [{"asin": "B092J9FHMG", "instruction": "i want a dark black xfyele 20mm quick release watch band.", "attributes": ["quick release", "easy install"], "options": ["color: dark black+china red"], "instruction_attributes": ["quick release"], "instruction_options": ["dark black+china red"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FHW8KW", "worker_id": "A2RBF3IIJP15IH"}], "B0821HJC39": [{"asin": "B0821HJC39", "instruction": "i am looking for coffee colored sneakers that are steel toed and size 11.", "attributes": ["steel toe", "high heel"], "options": ["color: coffee", "size: 11"], "instruction_attributes": ["steel toe"], "instruction_options": ["coffee", "11"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602WX95D", "worker_id": "AK3JMCIGU8MLU"}], "B07VCB9MS7": [{"asin": "B07VCB9MS7", "instruction": "i am looking for a solid wood super king sized bed with a contemporary style.", "attributes": ["contemporary style", "solid wood"], "options": [""], "instruction_attributes": ["contemporary style", "solid wood"], "instruction_options": [], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7K0PE7Q", "worker_id": "A1EREKSZAA9V7B"}], "B08B1G6XBN": [{"asin": "B08B1G6XBN", "instruction": "i want to find a wooden table that i can put in my dining room.", "attributes": ["steel frame", "dining room"], "options": ["color: solid sheesham wood"], "instruction_attributes": ["dining room"], "instruction_options": ["solid sheesham wood"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC59PRKW", "worker_id": "A345TDMHP3DQ3G"}], "B09MR48WLK": [{"asin": "B09MR48WLK", "instruction": "i want to find a gift set of coconut oil shower gels and lotions. the scent needs to be sunshine mimosa.", "attributes": ["dermatologist tested", "coconut oil"], "options": ["scent: sunshine mimosa"], "instruction_attributes": ["coconut oil"], "instruction_options": ["sunshine mimosa"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHWBB8SF", "worker_id": "A345TDMHP3DQ3G"}], "B09HTHVY7Z": [{"asin": "B09HTHVY7Z", "instruction": "i would like a queen sized gray bed without a box spring.", "attributes": ["box spring", "storage space"], "options": ["color: grey+drawers", "size: queen"], "instruction_attributes": ["box spring"], "instruction_options": ["grey+drawers", "queen"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4QEPKD", "worker_id": "A1WS884SI0SLO4"}], "B00N2JN1L6": [{"asin": "B00N2JN1L6", "instruction": "i need a four ounce coconut oil for my hair", "attributes": ["sulfate free", "anti aging", "coconut oil", "hair growth"], "options": ["size: 4 ounce", "style name: lavender palma christi"], "instruction_attributes": ["coconut oil"], "instruction_options": ["4 ounce"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRVY2Y1", "worker_id": "A2ECRNQ3X5LEXD"}], "B09J7YZLSN": [{"asin": "B09J7YZLSN", "instruction": "i'm looking for a cute mushroom fleece throw blanket for couch.", "attributes": ["super soft", "fleece throw", "king size"], "options": ["color: frog and mushrooms", "size: 60x50 inch for teens"], "instruction_attributes": ["fleece throw"], "instruction_options": ["frog and mushrooms"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCN1IP9", "worker_id": "A21IUUHBSEVB56"}], "B018X8C8P0": [{"asin": "B018X8C8P0", "instruction": "i am looking for a sulfate free shampoo of size 8 ounce.", "attributes": ["sulfate free", "argan oil", "hair treatment"], "options": ["size: 8 ounce"], "instruction_attributes": ["sulfate free"], "instruction_options": ["8 ounce"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPR1FWX", "worker_id": "A1Q8PPQQCWGY0D"}], "B075QKJJSS": [{"asin": "B075QKJJSS", "instruction": "i am looking for a men's jacket in down that comes fleece lined, and i would like it in green and standard size.", "attributes": ["fleece lined", "machine wash"], "options": ["color: green color block", "size: xx-large tall", "special size type: standard"], "instruction_attributes": ["fleece lined"], "instruction_options": ["green color block", "standard"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYLQL63", "worker_id": "A411ZZABHZUNA"}], "B08L4WLKQG": [{"asin": "B08L4WLKQG", "instruction": "am hoping to find the heavy duty yaheetech console table with storage.", "attributes": ["heavy duty", "space saving", "living room"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT063QUN0", "worker_id": "A1IL2K0ELYI090"}], "B08BDZQHVC": [{"asin": "B08BDZQHVC", "instruction": "i am looking for men's machine wash original fit jeans, 44w x 34l size", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: (new) higher mountain - destructed", "size: 44w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["44w x 34l"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNR1ZXJO", "worker_id": "A258PTOZ3D2TQR"}], "B07KD181B3": [{"asin": "B07KD181B3", "instruction": "i would like a aluminum tripod that is lightweight.", "attributes": ["quick release", "easy carry", "light weight", "carbon fiber"], "options": ["size: aluminum 7a"], "instruction_attributes": ["light weight"], "instruction_options": ["aluminum 7a"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL7QVRG", "worker_id": "A1WS884SI0SLO4"}], "B09J2K8K9H": [{"asin": "B09J2K8K9H", "instruction": "i would like a red phone heavy duty case.", "attributes": ["heavy duty", "wireless charging"], "options": ["color: red"], "instruction_attributes": ["heavy duty"], "instruction_options": ["red"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQYCX777", "worker_id": "A1WS884SI0SLO4"}], "B08B88XXYJ": [{"asin": "B08B88XXYJ", "instruction": "where can i find a pink stereo sound bluetooth speaker, portable? it has to be 360\u00b0 voice commands, i was told the hjwl brand. if the price is good i will buy it.", "attributes": ["easy use", "stereo sound"], "options": ["color: pink"], "instruction_attributes": ["stereo sound"], "instruction_options": ["pink"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKONXF08", "worker_id": "A15IJ20C3R4HUO"}], "B009SE5LBW": [{"asin": "B009SE5LBW", "instruction": "i'm interested in high protein salt n' vinegar almonds in a resealable bag.", "attributes": ["high protein", "resealable bag", "source vitamin"], "options": ["flavor name: salt n' vinegar"], "instruction_attributes": ["high protein", "resealable bag"], "instruction_options": ["salt n' vinegar"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA75HMHU", "worker_id": "AFU00NU09CFXE"}], "B09PRLWKM1": [{"asin": "B09PRLWKM1", "instruction": "hello, i'm looking for a tuxedo suit that's slim fit and good for winter? size small, please", "attributes": ["slim fit", "winter warm", "long sleeve", "short sleeve", "button closure", "dry clean"], "options": ["color: purple", "size: small"], "instruction_attributes": ["slim fit", "winter warm", "long sleeve"], "instruction_options": ["small"], "assignment_id": "3G2UL9A02OO71034MOY04HTU31E678", "worker_id": "A2TRV8SEM003GG"}], "B09KLS44DG": [{"asin": "B09KLS44DG", "instruction": "i am looking for a high resolution background of size 9x6ftpolyester.", "attributes": ["high resolution", "easy carry", "high definition", "digital photography"], "options": ["size: 9x6ftpolyester"], "instruction_attributes": ["high resolution"], "instruction_options": ["9x6ftpolyester"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MML0J1W", "worker_id": "A1Q8PPQQCWGY0D"}], "B093KXP9WB": [{"asin": "B093KXP9WB", "instruction": "i am interested in buying a bag which is a laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA9W8RV", "worker_id": "AJY5G987IRT25"}], "B0834W3CG9": [{"asin": "B0834W3CG9", "instruction": "i am looking for a 2 layer small bookshelf for my living room.", "attributes": ["storage unit", "living room"], "options": ["color: two layers", "size: 43cm"], "instruction_attributes": ["living room"], "instruction_options": ["two layers"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86BZ18P", "worker_id": "A1EREKSZAA9V7B"}], "B08K4LMJNM": [{"asin": "B08K4LMJNM", "instruction": "find official licensed harry potter t-shirts", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: olive", "fit type: women", "size: large"], "instruction_attributes": ["officially licensed"], "instruction_options": [], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL6GSNT", "worker_id": "AVIEE6LDH0BT5"}], "B089GMNRBD": [{"asin": "B089GMNRBD", "instruction": "i am looking for transparent color kitchen drawer mats that are easy to install.", "attributes": ["easy install", "double sided"], "options": ["color: transparent", "size: 35.4 x 98.4 inches"], "instruction_attributes": ["easy install"], "instruction_options": ["transparent"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E9VXHJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B07F7HWDXZ": [{"asin": "B07F7HWDXZ", "instruction": "i'm looking for a high performance desktop computer with intel core processor.", "attributes": ["certified refurbished", "high performance", "intel core"], "options": [""], "instruction_attributes": ["high performance", "intel core"], "instruction_options": [], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0Y8W5I", "worker_id": "A3MNXK3VDK37SN"}], "B08P4GMWJB": [{"asin": "B08P4GMWJB", "instruction": "i'm locking for a open shelves high gloss entertainment center media console.", "attributes": ["high gloss", "tempered glass", "storage space"], "options": ["color: fww", "size: 63\" w x 16\" d x 14\" h"], "instruction_attributes": ["high gloss"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4H3L8E", "worker_id": "A21IUUHBSEVB56"}], "B00IIU9ELA": [{"asin": "B00IIU9ELA", "instruction": "i'm looking for a desktop pc with an intel core i5 processor.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5", "intel core"], "instruction_options": [], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCGT7HB", "worker_id": "A2JP9IKRHNLRPI"}], "B09D7PKHVD": [{"asin": "B09D7PKHVD", "instruction": "i am looking for maple leaflop9363 color place mats that are eco friendly.", "attributes": ["eco friendly", "long lasting", "printing technology"], "options": ["color: maple leaflop9363", "size: (72\"x16\"+13\"x19\"x4)183x41cm+33x48cmx4"], "instruction_attributes": ["eco friendly"], "instruction_options": ["maple leaflop9363"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YTX8TA", "worker_id": "A1Q8PPQQCWGY0D"}], "B09NMDK42T": [{"asin": "B09NMDK42T", "instruction": "i'm looking for a window film for a dining room that is 23.6 inch wide and 35.4 inch in length in size. choose the ones that comes in the 964074833593106000 color.", "attributes": ["tempered glass", "dining room"], "options": ["color: 964074833593106000", "size: (width\uff0923.6in x (length)35.4in x 2pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["964074833593106000", "(width\uff0923.6in x (length)35.4in x 2pcs"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1AH1KU", "worker_id": "A3MNXK3VDK37SN"}], "B09RHTPG2S": [{"asin": "B09RHTPG2S", "instruction": "i need a yoga shirt that is a loose fit and dark blue", "attributes": ["loose fit", "short sleeve"], "options": ["color: fupo-a193-dark blue", "size: small"], "instruction_attributes": ["loose fit"], "instruction_options": ["fupo-a193-dark blue"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1DZ9U4", "worker_id": "A2ECRNQ3X5LEXD"}], "B08Z82R1HH": [{"asin": "B08Z82R1HH", "instruction": "i am looking for high definition orange color 10.8 inch android 9.0 tablet of quad-core processor,6000mah battery etc", "attributes": ["high definition", "quad core"], "options": ["color: orange"], "instruction_attributes": ["high definition", "quad core"], "instruction_options": ["orange"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG05WTI", "worker_id": "A258PTOZ3D2TQR"}], "B093YSMHJ3": [{"asin": "B093YSMHJ3", "instruction": "i am looking for a set of 2 mesh laundry bags", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZEAUW5", "worker_id": "A258PTOZ3D2TQR"}], "B00MHTDV26": [{"asin": "B00MHTDV26", "instruction": "i am looking for 6 nut free plant based raspberry snack bars.", "attributes": ["low sodium", "nut free", "soy free", "plant based", "dairy free", "non gmo", "0g trans", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: raspberry", "size: 6 count (pack of 6)"], "instruction_attributes": ["nut free", "plant based"], "instruction_options": ["raspberry", "6 count (pack of 6)"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACV3NH7", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00MHTDV26", "instruction": "i am looking for a 6 count (pack of 6) real fruit, non-gmo fruit bars", "attributes": ["low sodium", "nut free", "soy free", "plant based", "dairy free", "non gmo", "0g trans", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: blueberry", "size: 6 count (pack of 6)"], "instruction_attributes": ["non gmo", "real fruit"], "instruction_options": ["6 count (pack of 6)"], "assignment_id": "3X65QVEQIBXVW21709CD9M35U8FLCB", "worker_id": "A9QRQL9CFJBI7"}], "B075FYF6L5": [{"asin": "B075FYF6L5", "instruction": "i am looking for some ready to eat gluten free red hot spice curry sauce.", "attributes": ["ready eat", "rich creamy", "low sodium", "non gmo", "gluten free"], "options": ["flavor name: red - hot spice"], "instruction_attributes": ["ready eat", "gluten free"], "instruction_options": ["red - hot spice"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCR1BMQ", "worker_id": "A1EREKSZAA9V7B"}], "B09PVGMDKW": [{"asin": "B09PVGMDKW", "instruction": "i want to buy t-shirts which are long sleeved and are in red color, while the size should be large.", "attributes": ["wash cold", "hand wash", "long sleeve", "dry clean"], "options": ["color: 8#red", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["8#red", "large"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8F6A5M", "worker_id": "AJY5G987IRT25"}], "B08QG2T2LX": [{"asin": "B08QG2T2LX", "instruction": "i need some gluten free popped cheddar cheese snacks", "attributes": ["nut free", "low calorie", "low carb", "non gmo", "gluten free"], "options": ["flavor name: cheddar-cheese"], "instruction_attributes": ["gluten free"], "instruction_options": ["cheddar-cheese"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGG6S9Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B08T78Q22X": [{"asin": "B08T78Q22X", "instruction": "i am looking for an ac 220v electric chain hoist crane overhead remote control that is dust proof.", "attributes": ["dust proof", "high performance"], "options": ["color: ac 220v", "size name: 4-key"], "instruction_attributes": ["dust proof"], "instruction_options": ["ac 220v"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV5UBH9", "worker_id": "AHU9OLV0YKIIW"}], "B0006V7Y8Y": [{"asin": "B0006V7Y8Y", "instruction": "i am looking for 1 pack of 1.7 ounce ,anti-perspirant stick for women", "attributes": ["anti perspirant", "sensitive skin"], "options": ["size: 1.7 ounce (pack of 1)"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["1.7 ounce (pack of 1)"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q75QH94", "worker_id": "A258PTOZ3D2TQR"}], "B09QXS3MHQ": [{"asin": "B09QXS3MHQ", "instruction": "i want a 32gig blue cell phone that's 4g lte.", "attributes": ["quad core", "4g lte"], "options": ["color: blue", "size: 32gb"], "instruction_attributes": ["4g lte"], "instruction_options": ["blue", "32gb"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2R6NYW", "worker_id": "A1WS884SI0SLO4"}], "B07YLB9QVP": [{"asin": "B07YLB9QVP", "instruction": "i am looking for a short queen (60\" x 74\") size memory foam", "attributes": ["high density", "memory foam"], "options": ["color: high density foam + mattress cover", "size: short queen (60\" x 74\")"], "instruction_attributes": ["memory foam"], "instruction_options": ["short queen (60\" x 74\")"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYSRQ9E", "worker_id": "A9QRQL9CFJBI7"}], "B09Q5GDSDH": [{"asin": "B09Q5GDSDH", "instruction": "i am looking for a brown colored, large size, loose fit blouse for women.", "attributes": ["daily casual", "loose fit", "elastic waistband"], "options": ["color: brown", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["brown", "large"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQJVJRT", "worker_id": "AJDQGOTMB2D80"}], "B084BVBT6D": [{"asin": "B084BVBT6D", "instruction": "i want boy elephant sprinkles for baby shower.", "attributes": ["baby shower", "party supplies"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66USZFW", "worker_id": "A2RBF3IIJP15IH"}], "B08HT29Y72": [{"asin": "B08HT29Y72", "instruction": "i am interested in buying a tablet with a quad core processor and a usb port.", "attributes": ["quad core", "usb port"], "options": [""], "instruction_attributes": ["quad core", "usb port"], "instruction_options": [], "assignment_id": "3HPZF4IVNX3FW186JO133U513M3CYC", "worker_id": "AHXHM1PQTRWIQ"}], "B01MDPBUWN": [{"asin": "B01MDPBUWN", "instruction": "i am looking for a pair of sky blue curtains for my living room.", "attributes": ["super soft", "dining room", "living room"], "options": ["color: sky blue", "size: 38w x 63l inch"], "instruction_attributes": ["living room"], "instruction_options": ["sky blue"], "assignment_id": "37C0GNLMHQDNI94ED11M493QPCXD6O", "worker_id": "A1EREKSZAA9V7B"}], "B07FTVF6XH": [{"asin": "B07FTVF6XH", "instruction": "i'm looking for a set of two electric wall sconces that are hand painted with a bronze finish.", "attributes": ["hand painted", "bronze finish", "light fixture"], "options": ["style: set of 2"], "instruction_attributes": ["hand painted", "bronze finish"], "instruction_options": ["set of 2"], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROKVIWW5", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B07FTVF6XH", "instruction": "i need a vanity light fixture that is a set of 2", "attributes": ["hand painted", "bronze finish", "light fixture"], "options": ["style: set of 2"], "instruction_attributes": ["light fixture"], "instruction_options": ["set of 2"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y6DVI8", "worker_id": "A2ECRNQ3X5LEXD"}], "B094F9S82W": [{"asin": "B094F9S82W", "instruction": "i am looking for a sectional with ottoman l-shaped couch that can seat 5 people, and i would like it to be appropriate for the living room and come in light grey.", "attributes": ["high density", "living room"], "options": ["color: light grey d"], "instruction_attributes": ["living room"], "instruction_options": ["light grey d"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYM1QL4", "worker_id": "A411ZZABHZUNA"}], "B08ZJJKHLL": [{"asin": "B08ZJJKHLL", "instruction": "i'm looking for a golden dinosaur cake toppers for a birthday cake", "attributes": ["birthday cake", "birthday party", "party supplies", "baby shower"], "options": ["color: golden 2"], "instruction_attributes": ["birthday cake"], "instruction_options": ["golden 2"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMZ8G2H", "worker_id": "A2Y2TURT2VEYZN"}], "B08V919YGT": [{"asin": "B08V919YGT", "instruction": "i would like a red cupcake topper for a birthday party.", "attributes": ["valentine day", "party supplies", "baby shower", "birthday party"], "options": ["color: red"], "instruction_attributes": ["birthday party"], "instruction_options": ["red"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVQALXK", "worker_id": "A1WS884SI0SLO4"}], "B09PND7S3Q": [{"asin": "B09PND7S3Q", "instruction": "single color short sleeve polo shirt", "attributes": ["slim fit", "moisture wicking", "hand wash", "short sleeve", "long sleeve", "regular fit", "button closure"], "options": ["color: 02-purple", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": [], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADNCHAN", "worker_id": "A3TTGSUBIK1YCL"}], "B08DGY46T3": [{"asin": "B08DGY46T3", "instruction": "i want unscented maxim sensitive antiperspirant towelettes.", "attributes": ["anti perspirant", "long lasting", "tea tree"], "options": ["scent: unscented", "size: 4 pack"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["unscented"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUHCZDL", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08DGY46T3", "instruction": "i need an unscented anti perspirant", "attributes": ["anti perspirant", "long lasting", "tea tree"], "options": ["scent: unscented", "size: 10 count (pack of 1)"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["unscented"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3OZYRZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07S3RVHGT": [{"asin": "B07S3RVHGT", "instruction": "i would like a 10 by 18 foot photo backdrop that is light weight.", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 10x8ft"], "instruction_attributes": ["light weight"], "instruction_options": ["10x8ft"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCMVLBI", "worker_id": "A1WS884SI0SLO4"}], "B08Z73J42G": [{"asin": "B08Z73J42G", "instruction": "i want to find men's black and white walking shoes that feature memory foam. they should be leather and i need them in a size 12.", "attributes": ["machine washable", "comfortable fit", "synthetic sole", "memory foam"], "options": ["color: black | white 2", "material type: leather", "size: 12"], "instruction_attributes": ["memory foam"], "instruction_options": ["black | white 2", "leather", "12"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIZETMD", "worker_id": "A345TDMHP3DQ3G"}], "B07BNBYWL8": [{"asin": "B07BNBYWL8", "instruction": "i am looking for a black light weight carbon fiber round keychain.", "attributes": ["light weight", "carbon fiber"], "options": ["color: black - round keychain"], "instruction_attributes": ["light weight", "carbon fiber"], "instruction_options": ["black - round keychain"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A3FHFQ", "worker_id": "A1EREKSZAA9V7B"}], "B08GCNBFX1": [{"asin": "B08GCNBFX1", "instruction": "i am looking for a hair salon capacity spray bottle.", "attributes": ["easy clean", "hair salon", "beauty salon"], "options": [""], "instruction_attributes": ["hair salon"], "instruction_options": [], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163W1PQ0", "worker_id": "AK3JMCIGU8MLU"}], "B08R7FT3MX": [{"asin": "B08R7FT3MX", "instruction": "i would like a small leopard blue blouse that is hand washable.", "attributes": ["machine washable", "hand wash", "polyester spandex", "long sleeve"], "options": ["color: leopard blue", "size: small"], "instruction_attributes": ["hand wash"], "instruction_options": ["leopard blue", "small"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN32PTG", "worker_id": "A1WS884SI0SLO4"}], "B09D8SWV19": [{"asin": "B09D8SWV19", "instruction": "can you look it up on amazon? erika's tea room february birthday scone & gift box - unique english style scones, april color, will make the perfect gift.", "attributes": ["low sodium", "individually wrapped", "birthday cake", "perfect gift", "birthday party"], "options": ["color: april", "size: set of 4"], "instruction_attributes": ["low sodium", "perfect gift"], "instruction_options": ["april"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLWN30G", "worker_id": "A15IJ20C3R4HUO"}], "B08PKQCZ7W": [{"asin": "B08PKQCZ7W", "instruction": "i'm looking for a black tablet with 64gb and a high resolution", "attributes": ["high definition", "high resolution", "hands free"], "options": ["color: black", "size: 64gb"], "instruction_attributes": ["high resolution"], "instruction_options": ["black", "64gb"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LB5ER9", "worker_id": "A2Y2TURT2VEYZN"}], "B08K3SW37R": [{"asin": "B08K3SW37R", "instruction": "i'm looking for a small form factor business pc.", "attributes": ["certified refurbished", "high performance", "core i5", "quad core"], "options": [""], "instruction_attributes": ["core i5", "quad core"], "instruction_options": [], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34PX41F", "worker_id": "A21IUUHBSEVB56"}], "B08FFBX4PP": [{"asin": "B08FFBX4PP", "instruction": "i would like a two pack of high quality shower caps", "attributes": ["easy carry", "high quality", "hair salon", "hair cutting"], "options": ["color: clear (2-pack)", "size: 11.6\" x 6.3\""], "instruction_attributes": ["high quality"], "instruction_options": ["clear (2-pack)"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJPI0WK", "worker_id": "A2ECRNQ3X5LEXD"}], "B00J8Y6ZBW": [{"asin": "B00J8Y6ZBW", "instruction": "i would like a 5 pound bag of kosher certified crackers.", "attributes": ["kosher certified", "ready eat"], "options": ["size: 5 pound"], "instruction_attributes": ["kosher certified"], "instruction_options": ["5 pound"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61WVWZ2", "worker_id": "A1WS884SI0SLO4"}], "B08PXW966C": [{"asin": "B08PXW966C", "instruction": "i need hight quality portable golden wing color travel personal mirror for woman", "attributes": ["high quality", "rose gold"], "options": ["color: golden wing"], "instruction_attributes": ["high quality"], "instruction_options": ["golden wing"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKP2ZPJ1", "worker_id": "A258PTOZ3D2TQR"}], "B07FP4X1NX": [{"asin": "B07FP4X1NX", "instruction": "i am interested in buying a long sleeved xx-large sized sweater which is suitable for both men and women.", "attributes": ["officially licensed", "polyester spandex", "long sleeve"], "options": ["color: cats north pole", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7LD5N7", "worker_id": "AHXHM1PQTRWIQ"}], "B07K3DBFX7": [{"asin": "B07K3DBFX7", "instruction": "i'm looking for nourison jubilant floral pink area rug.", "attributes": ["spot clean", "easy clean", "dining room", "living room"], "options": ["color: ivory | pink", "size: 6 ft x 9 ft"], "instruction_attributes": ["living room"], "instruction_options": ["ivory | pink"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKP1DJP7", "worker_id": "A21IUUHBSEVB56"}], "B08KHXYDKC": [{"asin": "B08KHXYDKC", "instruction": "i need plant-based ground beef patties", "attributes": ["plant based", "dietary fiber"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUPKS4X", "worker_id": "A258PTOZ3D2TQR"}], "B00O5ZSEMC": [{"asin": "B00O5ZSEMC", "instruction": "i would like a travel size dark brown hair treatment.", "attributes": ["travel size", "hair loss"], "options": ["color: dark brown"], "instruction_attributes": ["travel size"], "instruction_options": ["dark brown"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IDZCBB", "worker_id": "A1WS884SI0SLO4"}], "B08BFL71VZ": [{"asin": "B08BFL71VZ", "instruction": "i am looking for a pair of men's dark stonewash levi's 501 jeans that are machine washable.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: dark stonewash", "size: 48w x 32l"], "instruction_attributes": ["machine wash"], "instruction_options": ["dark stonewash"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7ZDCU1", "worker_id": "A1EREKSZAA9V7B"}], "B0876G2J22": [{"asin": "B0876G2J22", "instruction": "looking for moisturizing and nourishing cream with multi-vitamin anti-crack foot with argan oil", "attributes": ["argan oil", "dry skin"], "options": ["scent: multi-vitamin anti-crack foot with argan oil"], "instruction_attributes": ["argan oil"], "instruction_options": ["multi-vitamin anti-crack foot with argan oil"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCMWJS1", "worker_id": "A10OGH5CQBXL5N"}], "B07VSNP9RZ": [{"asin": "B07VSNP9RZ", "instruction": "i am looking for black color high definition bluetooth speakers.", "attributes": ["high definition", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["high definition"], "instruction_options": ["black"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4NM894", "worker_id": "A1Q8PPQQCWGY0D"}], "B08DHK9G5X": [{"asin": "B08DHK9G5X", "instruction": "i'm looking for cloths towel for exfoliating in sensitive skin, in size 11.81 x 11.81\" with gray edge color", "attributes": ["easy clean", "long lasting", "sensitive skin"], "options": ["size: 11.81 x 11.8 inch", "style: gray edge"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["11.81 x 11.8 inch", "gray edge"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IZAKH9", "worker_id": "A2Y2TURT2VEYZN"}], "B09K74T4LZ": [{"asin": "B09K74T4LZ", "instruction": "i'm in love with women's mid-calf boots, i want to find one of non-slip vintage embroidered thick heels, size: 9 wide, help me in this mission", "attributes": ["knee high", "slip resistant"], "options": ["color: h-gray", "size: 9 wide"], "instruction_attributes": ["slip resistant"], "instruction_options": ["9 wide"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QZF70X", "worker_id": "A15IJ20C3R4HUO"}], "B08ZG6MNDT": [{"asin": "B08ZG6MNDT", "instruction": "i want gluten free faris gourmet popcorn.", "attributes": ["non gmo", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWRG259", "worker_id": "A2RBF3IIJP15IH"}], "B09PG8PQKY": [{"asin": "B09PG8PQKY", "instruction": "i am interested in knee high shoes that are black", "attributes": ["knee high", "hand wash"], "options": ["color: black", "size: 9"], "instruction_attributes": ["knee high"], "instruction_options": ["black"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLWYDAR", "worker_id": "A2ECRNQ3X5LEXD"}], "B001EJNMR4": [{"asin": "B001EJNMR4", "instruction": "i would like a pair of size 5.5 stone birko sandals with arch support.", "attributes": ["synthetic sole", "arch support"], "options": ["color: stone birko-flor pull up", "size: 5-5.5"], "instruction_attributes": ["arch support"], "instruction_options": ["stone birko-flor pull up", "5-5.5"], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVI7IB7", "worker_id": "A1WS884SI0SLO4"}], "B09FDPMSB4": [{"asin": "B09FDPMSB4", "instruction": "i am looking for a heavy duty red case for a galaxy s21 fe that is easy to install.", "attributes": ["heavy duty", "easy install", "case cover", "wireless charging"], "options": ["color: red"], "instruction_attributes": ["heavy duty", "easy install"], "instruction_options": ["red"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJL1FBYG", "worker_id": "A1EREKSZAA9V7B"}], "B09R7MX43S": [{"asin": "B09R7MX43S", "instruction": "i am looking for black color long sleeve bodysuit for women.", "attributes": ["wide leg", "fleece lined", "tummy control", "high waist", "long sleeve", "teen girls"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40KTXNF", "worker_id": "A1Q8PPQQCWGY0D"}], "B00YCT1C70": [{"asin": "B00YCT1C70", "instruction": "i would like a king sized black faux leather bed.", "attributes": ["long lasting", "assembly required", "faux leather"], "options": ["color: black", "size: king"], "instruction_attributes": ["faux leather"], "instruction_options": ["black", "king"], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YG0O55S", "worker_id": "A1WS884SI0SLO4"}], "B09MR5ZD7L": [{"asin": "B09MR5ZD7L", "instruction": "i'm looking for a desktop mini computer with quad core and 8 gb of ram.", "attributes": ["intel core", "quad core"], "options": ["size: 8gb ddr4 ram, 1tb hdd"], "instruction_attributes": ["quad core"], "instruction_options": ["8gb ddr4 ram, 1tb hdd"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4H6L8H", "worker_id": "AK3JMCIGU8MLU"}], "B09KXTC3FC": [{"asin": "B09KXTC3FC", "instruction": "i'm looking for wireless bluetooth speaker for home.", "attributes": ["hands free", "stereo sound"], "options": ["color: blue"], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH53QH8", "worker_id": "A21IUUHBSEVB56"}], "B07Y3ZBB1C": [{"asin": "B07Y3ZBB1C", "instruction": "i need 1080p wireless security camera with motion detection and cloud storage support", "attributes": ["optical zoom", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUKL5SJ", "worker_id": "A258PTOZ3D2TQR"}], "B096NYPRXP": [{"asin": "B096NYPRXP", "instruction": "i would like a black purple car charger with a usb port.", "attributes": ["fast charging", "high speed", "usb port"], "options": ["color: black purple"], "instruction_attributes": ["usb port"], "instruction_options": ["black purple"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFXOE34", "worker_id": "A1WS884SI0SLO4"}], "B08TZJKJH4": [{"asin": "B08TZJKJH4", "instruction": "i am looking for a high performance power amplifier", "attributes": ["power amplifier", "high performance"], "options": [""], "instruction_attributes": ["power amplifier", "high performance"], "instruction_options": [], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96ED4GC", "worker_id": "A9QRQL9CFJBI7"}], "B00VREDHM6": [{"asin": "B00VREDHM6", "instruction": "i'm looking for a leather slingback flat sandal.", "attributes": ["leather sole", "synthetic sole"], "options": ["color: white", "size: 39 eu | 8 m us"], "instruction_attributes": ["leather sole"], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OLAV5HR", "worker_id": "A21IUUHBSEVB56"}], "B08RDDNJR2": [{"asin": "B08RDDNJR2", "instruction": "looking for light weight long cord headphones for tv choose colour 3-blue+red", "attributes": ["hands free", "light weight"], "options": ["color: 3-blue+red"], "instruction_attributes": ["light weight"], "instruction_options": ["3-blue+red"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT6CJYX", "worker_id": "A10OGH5CQBXL5N"}], "B00VVRVPNM": [{"asin": "B00VVRVPNM", "instruction": "i need a four seater sofa set in contemporary style. pick something in brown white color.", "attributes": ["machine washable", "contemporary style"], "options": ["color: brown white", "size: seating for four - table"], "instruction_attributes": ["contemporary style"], "instruction_options": ["brown white", "seating for four - table"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79NYQK5", "worker_id": "A1NF6PELRKACS9"}], "B07FPJHPX1": [{"asin": "B07FPJHPX1", "instruction": "i would like a 12 count of assorted paraben free face mask.", "attributes": ["oil free", "sulfate free", "paraben free", "cruelty free", "tea tree", "sensitive skin"], "options": ["scent: assorted 12 pack", "size: 12 count (pack of 4)"], "instruction_attributes": ["paraben free"], "instruction_options": ["assorted 12 pack", "12 count (pack of 4)"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKP1NPJN", "worker_id": "A1WS884SI0SLO4"}], "B0052QL4WA": [{"asin": "B0052QL4WA", "instruction": "i would like a great snack gift basket.", "attributes": ["gift basket", "great gift"], "options": [""], "instruction_attributes": ["gift basket", "great gift"], "instruction_options": [], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602W095G", "worker_id": "A1WS884SI0SLO4"}], "B08JQ4QG5B": [{"asin": "B08JQ4QG5B", "instruction": "i am looking for some long lasting easy to carry eyeshadow.", "attributes": ["long lasting", "highly pigmented", "easy carry", "cruelty free", "sensitive skin"], "options": [""], "instruction_attributes": ["long lasting", "easy carry"], "instruction_options": [], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANJNSX8", "worker_id": "A1EREKSZAA9V7B"}], "B08RDG6S4N": [{"asin": "B08RDG6S4N", "instruction": "i am looking for a pair of grey faux leather mid century dining chairs.", "attributes": ["mid century", "faux leather"], "options": ["color: grey", "size: 1 pcs"], "instruction_attributes": ["mid century", "faux leather"], "instruction_options": ["grey"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34OR144", "worker_id": "A1EREKSZAA9V7B"}], "B09MQDZKPL": [{"asin": "B09MQDZKPL", "instruction": "i am looking for a black samsung galaxy s20 fe case with tempered glass.", "attributes": ["glass screen", "tempered glass"], "options": ["color: black"], "instruction_attributes": ["tempered glass"], "instruction_options": ["black"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YT1T8Z", "worker_id": "AK3JMCIGU8MLU"}], "B00JV4M9AA": [{"asin": "B00JV4M9AA", "instruction": "i want a hair care product that is easy to use.", "attributes": ["easy use", "dry hair"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZMRMK4", "worker_id": "A1WS884SI0SLO4"}], "B07R8XNR81": [{"asin": "B07R8XNR81", "instruction": "i am looking for x-large short white color running gym workout fitness shorts", "attributes": ["elastic closure", "elastic waistband", "polyester spandex", "gym workout"], "options": ["color: owine red | white", "size: x-large short"], "instruction_attributes": ["gym workout"], "instruction_options": ["owine red | white", "x-large short"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFJ420N", "worker_id": "A258PTOZ3D2TQR"}], "B09PMG75M5": [{"asin": "B09PMG75M5", "instruction": "i'm looking for tattoo numbing cream with natural ingredients", "attributes": ["tea tree", "seed oil", "natural ingredients", "hair removal"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4QFKP9", "worker_id": "A2Y2TURT2VEYZN"}], "B0892NQ4QP": [{"asin": "B0892NQ4QP", "instruction": "i want individually wrapped lemon bar cookies.", "attributes": ["baked fresh", "individually wrapped"], "options": ["flavor name: lemon bar"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["lemon bar"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLBGECJ", "worker_id": "A2RBF3IIJP15IH"}], "B07ML9TMTT": [{"asin": "B07ML9TMTT", "instruction": "i would like some non gmo pretzels that are 10 ounces", "attributes": ["non gmo", "lactose free", "kosher certified", "simple ingredients", "artificial flavors"], "options": ["size: 10 ounce (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["10 ounce (pack of 1)"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV7FD82", "worker_id": "A2ECRNQ3X5LEXD"}], "B08JVL3JZS": [{"asin": "B08JVL3JZS", "instruction": "i need brown color, 10 size ethylene vinyl arizona sandal", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: brown", "size: 10"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["brown"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIOGFE3", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08JVL3JZS", "instruction": "i want a pair of ethylene vinyl birkenstock arizona sandals in size 9.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: noir", "size: 9"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["9"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIBL2LQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08JVL3JZS", "instruction": "i need to find a unisex sandal that\u2019s made with vinyl acetate; i am a size 11 australian.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: grey iron iron", "size: 11 au"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["11 au"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOC1W1M", "worker_id": "A3LIIE572Z4OG7"}], "B07X9Y42VX": [{"asin": "B07X9Y42VX", "instruction": "i am looking for hair straighteners of color surfing blue&misty mauve that are easy to clean.", "attributes": ["easy clean", "hair styling"], "options": ["color: surfing blue&misty mauve", "size: 1 pack"], "instruction_attributes": ["easy clean"], "instruction_options": ["surfing blue&misty mauve"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8ZZ8GB", "worker_id": "A1Q8PPQQCWGY0D"}], "B07L5ZXML8": [{"asin": "B07L5ZXML8", "instruction": "i would like a gluten free pancake mix.", "attributes": ["low sugar", "gluten free", "high protein", "low carb"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3JGAY6", "worker_id": "A1WS884SI0SLO4"}], "B07KBX1FBN": [{"asin": "B07KBX1FBN", "instruction": "i would like a long sleeved blue blouse that is xx-large", "attributes": ["knee high", "straight leg", "hand wash", "ankle strap", "high waist", "long sleeve"], "options": ["color: blue", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue", "xx-large"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP9UAO8", "worker_id": "A2ECRNQ3X5LEXD"}], "B086QS1S5X": [{"asin": "B086QS1S5X", "instruction": "i would like a 13 inch 512 gig intel core i7 tablet.", "attributes": ["intel core", "quad core"], "options": ["capacity: 512gb", "configuration: i7 | 16gb", "style: 13\""], "instruction_attributes": ["intel core"], "instruction_options": ["512gb", "i7 | 16gb", "13\""], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXVNO5A", "worker_id": "A1WS884SI0SLO4"}], "B07DQH5YXZ": [{"asin": "B07DQH5YXZ", "instruction": "i am looking for a conditioner color shower cream that is sulphate free.", "attributes": ["sulfate free", "anti aging"], "options": ["color: conditioner"], "instruction_attributes": ["sulfate free"], "instruction_options": ["conditioner"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTT7TKU", "worker_id": "A1Q8PPQQCWGY0D"}], "B09LHC2Z4V": [{"asin": "B09LHC2Z4V", "instruction": "i am looking for a chandeliers for my dining room.", "attributes": ["easy install", "easy assemble", "light fixture", "dining room"], "options": [""], "instruction_attributes": ["dining room"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZ3HCN6", "worker_id": "A1Q8PPQQCWGY0D"}], "B08FQFQJN7": [{"asin": "B08FQFQJN7", "instruction": "hello, i am looking for hair dye that will stay in my hair permanently. also, i want the color to be mahogany blonde", "attributes": ["long lasting", "permanent hair"], "options": ["color: 7m | 7.5 mahogany blonde"], "instruction_attributes": ["permanent hair"], "instruction_options": ["7m | 7.5 mahogany blonde"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL3VAVG", "worker_id": "A2TRV8SEM003GG"}], "B07ZCD2JTH": [{"asin": "B07ZCD2JTH", "instruction": "i am looking for individually wrapped, chocolate toffee candy bars in a 24 pack.", "attributes": ["individually wrapped", "birthday party"], "options": ["flavor name: chocolate", "size: 24 count (pack of 1)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["chocolate", "24 count (pack of 1)"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EGXB19", "worker_id": "AK3JMCIGU8MLU"}], "B09MM89KMB": [{"asin": "B09MM89KMB", "instruction": "i want a blue children\u2019s u-shape toothbrush for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: 2-6 years -blue"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["2-6 years -blue"], "assignment_id": "33TIN5LC0FKDY31374RC144TX12Y9J", "worker_id": "A2RBF3IIJP15IH"}], "B071SF272N": [{"asin": "B071SF272N", "instruction": "i am looking for throw pillow covers of taupe orange colors that are machine washable.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: taupe orange", "size: 24\" x 24\""], "instruction_attributes": ["machine washable"], "instruction_options": ["taupe orange"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPPVSYS", "worker_id": "A1Q8PPQQCWGY0D"}], "B09FSS3YXJ": [{"asin": "B09FSS3YXJ", "instruction": "i am interested in buying hoodies which can be machine washed, and are of color 2, and of small size.", "attributes": ["hand wash", "machine wash"], "options": ["color: 2", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["2", "small"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35R8UGW", "worker_id": "AJY5G987IRT25"}], "B09PX62ZJN": [{"asin": "B09PX62ZJN", "instruction": "i would like a long lasting makeup set.", "attributes": ["dermatologist tested", "paraben free", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYR1MQC", "worker_id": "A1WS884SI0SLO4"}], "B07KPGF8DD": [{"asin": "B07KPGF8DD", "instruction": "i'm looking for 2-piece lounge set for women.", "attributes": ["moisture wicking", "drawstring closure", "relaxed fit", "long sleeve", "everyday wear"], "options": ["color: dark heather charcoal", "size: x-small"], "instruction_attributes": ["long sleeve", "everyday wear"], "instruction_options": ["dark heather charcoal"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK5C3J6", "worker_id": "A21IUUHBSEVB56"}], "B089RBK4Q4": [{"asin": "B089RBK4Q4", "instruction": "i am interested in buying a zero sugar gluten free freezer pops.", "attributes": ["sugar free", "gluten free", "zero sugar"], "options": ["flavor name: zero sugar", "size: pack of 150", "style: freezer pops + mixed berry"], "instruction_attributes": ["gluten free", "zero sugar"], "instruction_options": ["zero sugar"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK491A6K", "worker_id": "AHXHM1PQTRWIQ"}], "B08TZW46HS": [{"asin": "B08TZW46HS", "instruction": "help me find a high performance power amplifier to use with my ho n e theater and is3 in 1", "attributes": ["power amplifier", "high performance"], "options": [""], "instruction_attributes": ["power amplifier", "high performance"], "instruction_options": [], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86AA815", "worker_id": "A1E235KE3CSO7H"}], "B07R449NTD": [{"asin": "B07R449NTD", "instruction": "i want to find individually wrapped, 2-ounce packs of omega-3 mix in a 14-count box.", "attributes": ["artificial ingredients", "non gmo", "individually wrapped"], "options": ["flavor name: omega-3 mix", "size: 2 ounce (pack of 14)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["omega-3 mix", "2 ounce (pack of 14)"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH6SQHZ", "worker_id": "A345TDMHP3DQ3G"}], "B09MZCWLH7": [{"asin": "B09MZCWLH7", "instruction": "i am looking for cruelty free lip balm lip scrub (color c)", "attributes": ["cruelty free", "easy use", "natural ingredients", "dead skin"], "options": ["color: c"], "instruction_attributes": ["cruelty free"], "instruction_options": ["c"], "assignment_id": "351SEKWQSBRP7CP60H83T50CFC4DMQ", "worker_id": "A258PTOZ3D2TQR"}], "B0000ZFRD0": [{"asin": "B0000ZFRD0", "instruction": "i am searching for hand wash women's top sandalfoot pantyhose, size e-f", "attributes": ["hand wash", "nylon spandex"], "options": ["color: barely there", "size: e-f"], "instruction_attributes": ["hand wash"], "instruction_options": ["e-f"], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6NCEEV", "worker_id": "A258PTOZ3D2TQR"}], "B087LYGR5T": [{"asin": "B087LYGR5T", "instruction": "i would like a brown two piece living room set made of faux leather.", "attributes": ["mid century", "easy clean", "easy assemble", "faux leather", "living room"], "options": ["color: brown two-piece set"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["brown two-piece set"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AN7STX", "worker_id": "A1WS884SI0SLO4"}], "B07KQ3QJ4Y": [{"asin": "B07KQ3QJ4Y", "instruction": "i'm looking for blue, heart shaped cupcake toppers for my sister's baby shower.", "attributes": ["baby shower", "valentine day", "birthday cake"], "options": ["color: blue1 heart"], "instruction_attributes": ["baby shower"], "instruction_options": ["blue1 heart"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA8F8CB", "worker_id": "A2JP9IKRHNLRPI"}], "B0999L6J9X": [{"asin": "B0999L6J9X", "instruction": "i am looking for gray men's casual sweatpants that are machine washable with an elastic waist.", "attributes": ["loose fit", "wash cold", "hand wash", "machine wash", "elastic waist"], "options": ["color: gray", "size: x-large"], "instruction_attributes": ["machine wash", "elastic waist"], "instruction_options": ["gray"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NQW2P8", "worker_id": "A1EREKSZAA9V7B"}], "B08ZRBTHNL": [{"asin": "B08ZRBTHNL", "instruction": "i am looking for a black crypto currency themed tank top in size large that has a classic fit.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: men", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["black", "large"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVR5KJ5", "worker_id": "AK3JMCIGU8MLU"}], "B09D3JRJ7J": [{"asin": "B09D3JRJ7J", "instruction": "i'm looking for a men's long sleeve shirt with button closure. choose the ones that come in the color c-green and size medium.", "attributes": ["winter warm", "slim fit", "water resistant", "faux fur", "long sleeve", "button closure", "classic fit"], "options": ["color: c-green", "size: medium"], "instruction_attributes": ["long sleeve", "button closure"], "instruction_options": ["c-green", "medium"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4F6RQD", "worker_id": "A3MNXK3VDK37SN"}], "B0886D1X9X": [{"asin": "B0886D1X9X", "instruction": "i would like a office chair with lumbar support.", "attributes": ["high density", "lumbar support"], "options": [""], "instruction_attributes": ["lumbar support"], "instruction_options": [], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MNKWLG", "worker_id": "A1WS884SI0SLO4"}], "B08PKDM93D": [{"asin": "B08PKDM93D", "instruction": "i am looking for a bronze colored wall mounted led sconce for my living room.", "attributes": ["wall mounted", "light fixture", "bronze finish", "brushed nickel", "living room"], "options": ["color: bronze", "size: 1 pack"], "instruction_attributes": ["wall mounted", "living room"], "instruction_options": ["bronze"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V7KU2S", "worker_id": "A1EREKSZAA9V7B"}], "B09P17BXXW": [{"asin": "B09P17BXXW", "instruction": "i need some xx-large boxer briefs that is also low rise.", "attributes": ["low rise", "elastic waistband"], "options": ["color: style1 | 1-pack", "size: xx-large"], "instruction_attributes": ["low rise"], "instruction_options": ["xx-large"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTW27LG", "worker_id": "A1NF6PELRKACS9"}], "B01N24TT0B": [{"asin": "B01N24TT0B", "instruction": "i want a serum made from hyaluronic acid.", "attributes": ["hyaluronic acid", "fine lines"], "options": [""], "instruction_attributes": ["hyaluronic acid"], "instruction_options": [], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODR6EW0", "worker_id": "A1WS884SI0SLO4"}], "B092D6861L": [{"asin": "B092D6861L", "instruction": "i am looking for an easy to clean and easy to carry cosmetic bag.", "attributes": ["easy carry", "easy clean"], "options": [""], "instruction_attributes": ["easy carry", "easy clean"], "instruction_options": [], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647DQ3HJ", "worker_id": "A1EREKSZAA9V7B"}], "B000F9ZG9Q": [{"asin": "B000F9ZG9Q", "instruction": "i would like a pair of size 5.5 blue walking shoes with a rubber sole.", "attributes": ["arch support", "rubber sole"], "options": ["color: blue 400", "size: 5.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["blue 400", "5.5"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8MG4RY", "worker_id": "A1WS884SI0SLO4"}], "B07CGYBVT7": [{"asin": "B07CGYBVT7", "instruction": "i need 5.1 ounce rosemary roasted gluten free garlic seasoning, (pack of 1)", "attributes": ["non gmo", "gluten free", "resealable bag", "great gift"], "options": ["size: 5.1 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA54A8L", "worker_id": "A258PTOZ3D2TQR"}], "B00DQH3LP0": [{"asin": "B00DQH3LP0", "instruction": "i'm looking for long lasting intense eye liner.", "attributes": ["long lasting", "seed oil"], "options": ["color: voyage"], "instruction_attributes": ["long lasting"], "instruction_options": ["voyage"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT4FP3P", "worker_id": "A21IUUHBSEVB56"}], "B0812L17DV": [{"asin": "B0812L17DV", "instruction": "i am looking for 12 size regular fit running shoe.", "attributes": ["lace closure", "regular fit"], "options": ["color: footwear white | footwear white | core black", "size: 12"], "instruction_attributes": ["regular fit"], "instruction_options": ["12"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZV8K3K", "worker_id": "A1Q8PPQQCWGY0D"}], "B09CDSR86M": [{"asin": "B09CDSR86M", "instruction": "i want open toe umiyi sandals for women in size 9.5.", "attributes": ["open toe", "closed toe"], "options": ["color: zz02-black", "size: 9.5-10"], "instruction_attributes": ["open toe"], "instruction_options": ["9.5-10"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6AEG5Z", "worker_id": "A2RBF3IIJP15IH"}], "B09T1NQN6P": [{"asin": "B09T1NQN6P", "instruction": "i'm looking for the perfect gift basket: it's a s'mores bark snack that contains no dairy.", "attributes": ["hand crafted", "dairy free", "natural ingredients", "perfect gift", "gift basket"], "options": ["flavor name: s'mores bark snack"], "instruction_attributes": ["dairy free", "perfect gift", "gift basket"], "instruction_options": ["s'mores bark snack"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CW4FT5E", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B09T1NQN6P", "instruction": "i'm looking for a gift basket that has chocolate candy and also offers a peanut chew platter.", "attributes": ["hand crafted", "dairy free", "natural ingredients", "perfect gift", "gift basket"], "options": ["flavor name: peanut chew platter"], "instruction_attributes": ["gift basket"], "instruction_options": ["peanut chew platter"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKUTGS8", "worker_id": "A2JP9IKRHNLRPI"}], "B08RP6V5KZ": [{"asin": "B08RP6V5KZ", "instruction": "i would like a 20 inch dark brown mix light auburn hair extensions.", "attributes": ["high quality", "hair extensions"], "options": ["color: dark brown mix light auburn - straight", "size: 20\""], "instruction_attributes": ["hair extensions"], "instruction_options": ["dark brown mix light auburn - straight", "20\""], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNO4NTL", "worker_id": "A1WS884SI0SLO4"}], "B07SDJB826": [{"asin": "B07SDJB826", "instruction": "i need a fully assembled queen sized mattress set", "attributes": ["ready use", "queen size", "double sided", "fully assembled", "assembly required", "king size", "box spring"], "options": ["color: 53x74", "size: queen"], "instruction_attributes": ["fully assembled"], "instruction_options": ["queen"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9OYB0D", "worker_id": "A2ECRNQ3X5LEXD"}], "B098NLYXLK": [{"asin": "B098NLYXLK", "instruction": "i want a mandala blanket throw fleece blanket for my living room.", "attributes": ["super soft", "living room"], "options": ["color: mandala", "size: 50\"x40\""], "instruction_attributes": ["living room"], "instruction_options": ["mandala"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW2H1CS", "worker_id": "A2RBF3IIJP15IH"}], "B07S2FB9TV": [{"asin": "B07S2FB9TV", "instruction": "i am looking for some nut free red velvet with cream cheese cupcakes in a jar.", "attributes": ["nut free", "great gift"], "options": ["flavor name: red velvet with cream cheese"], "instruction_attributes": ["nut free"], "instruction_options": ["red velvet with cream cheese"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFSVV3V", "worker_id": "A1EREKSZAA9V7B"}], "B096NQYLLV": [{"asin": "B096NQYLLV", "instruction": "i am looking for cognac colored combat boots with rubber soles.", "attributes": ["memory foam", "rubber sole"], "options": ["color: cognac", "size: 7.5 medium us"], "instruction_attributes": ["rubber sole"], "instruction_options": ["cognac"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LFGO1Q", "worker_id": "AK3JMCIGU8MLU"}], "B0843N9YKW": [{"asin": "B0843N9YKW", "instruction": "i am looking for a high quality teal colored compact mirror.", "attributes": ["high quality", "rose gold"], "options": ["color: teal"], "instruction_attributes": ["high quality"], "instruction_options": ["teal"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYRYQMD", "worker_id": "A1EREKSZAA9V7B"}], "B073V4382Z": [{"asin": "B073V4382Z", "instruction": "i would like a pair of 33 wide by 32 long standard signature medium indigo jeans with a relaxed fit.", "attributes": ["straight leg", "day comfort", "machine wash", "imported zipper", "relaxed fit"], "options": ["color: signature medium indigo-waterless", "fit type: standard", "size: 33w x 32l"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["signature medium indigo-waterless", "standard", "33w x 32l"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLA7EC8", "worker_id": "A1WS884SI0SLO4"}], "B08L81FYLV": [{"asin": "B08L81FYLV", "instruction": "i need a pack of 5, 4 inch bowls for mixing my facial masks, and it must be easy to clean.", "attributes": ["easy clean", "hair dye"], "options": ["size: 4 inch (pack of 5)"], "instruction_attributes": ["easy clean"], "instruction_options": ["4 inch (pack of 5)"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOMJ0FD", "worker_id": "A2NSS746CFCT4M"}], "B01IA9B8V2": [{"asin": "B01IA9B8V2", "instruction": "search for antiperspirant deodorant.", "attributes": ["anti perspirant", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QGLM1V", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B01IA9B8V2", "instruction": "i would like a anti perspirant.", "attributes": ["anti perspirant", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP85RZ78", "worker_id": "A1WS884SI0SLO4"}], "B08FT51FFD": [{"asin": "B08FT51FFD", "instruction": "i would like to buy eyebrow gel which is long lasting, and is of black color.", "attributes": ["long lasting", "beauty salon"], "options": ["color: black"], "instruction_attributes": ["long lasting"], "instruction_options": ["black"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZPQ7R7", "worker_id": "AJY5G987IRT25"}], "B001333EN8": [{"asin": "B001333EN8", "instruction": "i am looking for high quality eau de parfum for women", "attributes": ["design house", "high quality"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCF27HI", "worker_id": "A258PTOZ3D2TQR"}], "B0852X4S6J": [{"asin": "B0852X4S6J", "instruction": "i need a high density area rug that is white", "attributes": ["high density", "non slip", "living room"], "options": ["color: white", "size: 4' x 5.3'"], "instruction_attributes": ["high density"], "instruction_options": ["white"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V7PU2X", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B5GD54B": [{"asin": "B09B5GD54B", "instruction": "i would like a four pack of fully cooked chicken.", "attributes": ["fully cooked", "easy prepare"], "options": ["size: 4 pack"], "instruction_attributes": ["fully cooked"], "instruction_options": ["4 pack"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODQPWEZ", "worker_id": "A1WS884SI0SLO4"}], "B088LW4JKR": [{"asin": "B088LW4JKR", "instruction": "i'm looking for wireless bluetooth 5.0 earbuds.", "attributes": ["long lasting", "stereo sound", "wireless bluetooth"], "options": ["color: pink"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["pink"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO7B2CO", "worker_id": "A21IUUHBSEVB56"}], "B09QCPGNK2": [{"asin": "B09QCPGNK2", "instruction": "am trying to find the long sleeve of zefotim womens summer tops, g-white color.", "attributes": ["long sleeve", "short sleeve"], "options": ["color: g-white", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["g-white"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV7OD8B", "worker_id": "A1IL2K0ELYI090"}], "B08428CDPD": [{"asin": "B08428CDPD", "instruction": "i am looking for a chestnut colored synthetic hair wig.", "attributes": ["synthetic hair", "natural hair", "hair growth"], "options": ["color: chestnut"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["chestnut"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3N9RY0", "worker_id": "A1EREKSZAA9V7B"}], "B07S1K8FNT": [{"asin": "B07S1K8FNT", "instruction": "i'm looking for a high quality anti-aging skincare kit for my dark circles and fine lines.", "attributes": ["anti aging", "high quality", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "high quality", "dark circles", "fine lines"], "instruction_options": [], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LPG90O", "worker_id": "A2JP9IKRHNLRPI"}], "B07Y8VWSBY": [{"asin": "B07Y8VWSBY", "instruction": "i'm looking for soft high waisted leggings for women.", "attributes": ["machine wash", "stretch fabric", "polyester spandex"], "options": ["color: speedy", "fit type: bike shorts", "size: one size plus"], "instruction_attributes": ["machine wash"], "instruction_options": ["one size plus"], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLICNKI0", "worker_id": "A21IUUHBSEVB56"}], "B09MFZMHVP": [{"asin": "B09MFZMHVP", "instruction": "i would like a pair of size 7.5 clogs that are slip resistant.", "attributes": ["slip resistant", "arch support"], "options": ["color: pewter", "size: 7.5-8"], "instruction_attributes": ["slip resistant"], "instruction_options": ["pewter", "7.5-8"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A3IFHR", "worker_id": "A1WS884SI0SLO4"}], "B08CKG1M5V": [{"asin": "B08CKG1M5V", "instruction": "i'm looking for a bathroom mirror that can be wall mounted and is 60 cm in size.", "attributes": ["wall mounted", "easy install"], "options": ["size: 60cm"], "instruction_attributes": ["wall mounted"], "instruction_options": ["60cm"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SGZRWT", "worker_id": "AK3JMCIGU8MLU"}], "B09P7LNSLD": [{"asin": "B09P7LNSLD", "instruction": "i am interested in buying baseball t-shirts which can be machine washed and are classic fit, while the color should be either navy or white, and i am interested for a medium size for women.", "attributes": ["machine wash", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy | white", "fit type: women", "size: medium"], "instruction_attributes": ["machine wash", "classic fit"], "instruction_options": ["navy | white", "women", "medium"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM9SHZZ", "worker_id": "AJY5G987IRT25"}], "B09BHMPRLT": [{"asin": "B09BHMPRLT", "instruction": "i need a easy to clean hair extension.", "attributes": ["easy clean", "stainless steel", "hair extensions"], "options": ["color: r#12 | 60", "size: 22 inch-140g"], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL3AAVV", "worker_id": "AVIEE6LDH0BT5"}], "B003H7YHUW": [{"asin": "B003H7YHUW", "instruction": "i am interested in sardine lemon flavored wild caught sardines which are gluten free.", "attributes": ["non gmo", "wild caught", "gluten free"], "options": ["flavor name: sardines lemon", "size: 4.4 ounce (pack of 12)"], "instruction_attributes": ["wild caught", "gluten free"], "instruction_options": ["sardines lemon"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53ZEGKN", "worker_id": "AHXHM1PQTRWIQ"}], "B0897B2295": [{"asin": "B0897B2295", "instruction": "i am looking for containers for shampoo of color style 7-40ml that are easy to carry.", "attributes": ["travel size", "easy carry", "travel bottles"], "options": ["color: style 7-40ml"], "instruction_attributes": ["easy carry"], "instruction_options": ["style 7-40ml"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPCAOCJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B083Q4DFLY": [{"asin": "B083Q4DFLY", "instruction": "i want an american flag aomike flannel fleece throw blanket.", "attributes": ["super soft", "machine washable", "fleece throw"], "options": ["color: american flagaoe9847", "size: 49\" x 59\""], "instruction_attributes": ["fleece throw"], "instruction_options": ["american flagaoe9847"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFH95U2", "worker_id": "A2RBF3IIJP15IH"}], "B09SCX7TBD": [{"asin": "B09SCX7TBD", "instruction": "i want a 1080p hd camera.", "attributes": ["1080p hd", "easy install"], "options": [""], "instruction_attributes": ["1080p hd"], "instruction_options": [], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R42W7W", "worker_id": "A1WS884SI0SLO4"}], "B083W82VBW": [{"asin": "B083W82VBW", "instruction": "what do you think of this mtfy tall bedside table with drawer and storage that you recommend? i want two in black if it's good quality. i await your reply .", "attributes": ["eco friendly", "space saving", "easy assemble", "storage space", "living room"], "options": ["color: 2pcs black"], "instruction_attributes": ["storage space"], "instruction_options": ["2pcs black"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746ZZTBB", "worker_id": "A15IJ20C3R4HUO"}], "B08QZ4FHHN": [{"asin": "B08QZ4FHHN", "instruction": "i need one living room table", "attributes": ["pu leather", "living room"], "options": ["color: paisley flower", "size: 1 pack"], "instruction_attributes": ["living room"], "instruction_options": ["1 pack"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG5HBGA", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RHS8FZ9": [{"asin": "B09RHS8FZ9", "instruction": "i am looking for a men's long sleeve button down light blue shirt.", "attributes": ["slim fit", "moisture wicking", "machine wash", "long sleeve", "short sleeve", "regular fit"], "options": ["color: light blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["light blue"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSL226Y", "worker_id": "A1EREKSZAA9V7B"}], "B00GTQ0TL4": [{"asin": "B00GTQ0TL4", "instruction": "i am looking for bronze finish chandelier for my living room.", "attributes": ["bronze finish", "light fixture", "dining room", "living room"], "options": [""], "instruction_attributes": ["bronze finish", "living room"], "instruction_options": [], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYM6QL9", "worker_id": "A1Q8PPQQCWGY0D"}], "B000VK9YA6": [{"asin": "B000VK9YA6", "instruction": "i am interested in buying pumpkin seeds which are gluten free.", "attributes": ["low sodium", "gluten free", "dietary fiber"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGBDSLO", "worker_id": "AJY5G987IRT25"}], "B01DM76GFK": [{"asin": "B01DM76GFK", "instruction": "i would like a solid wood sideboard.", "attributes": ["fully assembled", "solid wood"], "options": [""], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841DUXAV", "worker_id": "A1WS884SI0SLO4"}], "B08B3ML761": [{"asin": "B08B3ML761", "instruction": "i want an apple punch highly pigmented lip tint.", "attributes": ["highly pigmented", "hyaluronic acid"], "options": ["color: 002 apple punch"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["002 apple punch"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUKO5SM", "worker_id": "A2RBF3IIJP15IH"}], "B081T7ZCYM": [{"asin": "B081T7ZCYM", "instruction": "i am looking for yellow and flat ankle booties for women for daily wear, and i would like them to come in size 8.5.", "attributes": ["day comfort", "daily wear"], "options": ["color: z4-yellow", "size: 8.5"], "instruction_attributes": ["daily wear"], "instruction_options": ["z4-yellow", "8.5"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKTFEPF", "worker_id": "A411ZZABHZUNA"}], "B09166MBRR": [{"asin": "B09166MBRR", "instruction": "i want a tv stand made from solid wood.", "attributes": ["high density", "high gloss", "solid wood", "living room"], "options": [""], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QZQ071", "worker_id": "A1WS884SI0SLO4"}], "B098BD9PSC": [{"asin": "B098BD9PSC", "instruction": "i am looking for a snacks gift basket.", "attributes": ["individually wrapped", "valentine day", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3N3YR1", "worker_id": "AJDQGOTMB2D80"}], "B01NAYE128": [{"asin": "B01NAYE128", "instruction": "i need oil free 8 ounce walnut body scrub", "attributes": ["oil free", "sensitive skin", "dead skin"], "options": ["size: 8 ounce"], "instruction_attributes": ["oil free"], "instruction_options": ["8 ounce"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYMBQLE", "worker_id": "A258PTOZ3D2TQR"}], "B09BK2WGGX": [{"asin": "B09BK2WGGX", "instruction": "i am looking for heavy duty folding table of black granite color.", "attributes": ["high density", "heavy duty", "steel frame"], "options": ["color: black granite", "size: 30\"x48\""], "instruction_attributes": ["heavy duty"], "instruction_options": ["black granite"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSRJ0X8", "worker_id": "A1Q8PPQQCWGY0D"}], "B07B52CD3W": [{"asin": "B07B52CD3W", "instruction": "i want an orange spencer modern contemporary table lamp for my living room.", "attributes": ["brushed nickel", "nickel finish", "living room"], "options": ["color: robust orange"], "instruction_attributes": ["living room"], "instruction_options": ["robust orange"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5KB412J", "worker_id": "A2RBF3IIJP15IH"}], "B07JBP3151": [{"asin": "B07JBP3151", "instruction": "i need grass fed protein bars that are banana flavored", "attributes": ["grass fed", "keto friendly", "quality ingredients"], "options": ["color: banana bread", "size: 12 count (pack of 1)"], "instruction_attributes": ["grass fed"], "instruction_options": ["banana bread"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QU2OXP", "worker_id": "A2ECRNQ3X5LEXD"}], "B08TX2CWCP": [{"asin": "B08TX2CWCP", "instruction": "seabed wallpaper with octopus size 8x12 ft", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 18", "size: 8x12 ft"], "instruction_attributes": [], "instruction_options": ["8x12 ft"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDDV0SG", "worker_id": "A3TTGSUBIK1YCL"}, {"asin": "B08TX2CWCP", "instruction": "i want a light weight 6x9 ft octopus vinyl photography backdrop.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 06", "size: 6x9 ft"], "instruction_attributes": ["light weight"], "instruction_options": ["6x9 ft"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQBHS6Z", "worker_id": "A2RBF3IIJP15IH"}], "B07NYSLGR9": [{"asin": "B07NYSLGR9", "instruction": "i am looking for a wall art of size 40x20 for my living room.", "attributes": ["hand painted", "dining room", "living room"], "options": ["color: sdyagrayabstract", "size: 40x20"], "instruction_attributes": ["living room"], "instruction_options": ["40x20"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYMDQLG", "worker_id": "A1Q8PPQQCWGY0D"}], "B086LJQNB2": [{"asin": "B086LJQNB2", "instruction": "can i get the new 3ounce size of cetaphil moisturizing cream 20 oz hydrating moisturizer fragrance free", "attributes": ["fragrance free", "clinically proven", "paraben free", "dry skin", "sensitive skin"], "options": ["size: new 3 ounce (pack of 3)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4XW7KE", "worker_id": "A1IL2K0ELYI090"}], "B09BTN8F47": [{"asin": "B09BTN8F47", "instruction": "i need a height adjustable full sized bed frame in black.", "attributes": ["button tufted", "queen size", "height adjustable", "white item", "faux leather", "box spring"], "options": ["color: black", "size: full"], "instruction_attributes": ["height adjustable"], "instruction_options": ["black", "full"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163XTPQU", "worker_id": "AR9AU5FY1S3RO"}], "B07CD5P419": [{"asin": "B07CD5P419", "instruction": "i would like a 4.9 ounce face cream for dry skin.", "attributes": ["easy use", "dry skin"], "options": ["style: 4.9 ounce (new packaging)"], "instruction_attributes": ["dry skin"], "instruction_options": ["4.9 ounce (new packaging)"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCZ046Y", "worker_id": "A1WS884SI0SLO4"}], "B00I3303L2": [{"asin": "B00I3303L2", "instruction": "i am in need of rich creamy peanut butter sauce", "attributes": ["rich creamy", "shelf stable"], "options": [""], "instruction_attributes": ["rich creamy"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMH3OB7Z", "worker_id": "A258PTOZ3D2TQR"}], "B06ZZHT2WK": [{"asin": "B06ZZHT2WK", "instruction": "i just want a power cord for my blu ray player, please and thank you", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBVSIGH", "worker_id": "A2TRV8SEM003GG"}], "B08YD7DNMK": [{"asin": "B08YD7DNMK", "instruction": "i need a easy to use hair clip with pink leopard pattern.", "attributes": ["non slip", "easy use", "high quality"], "options": ["pattern name: leopard print & pink"], "instruction_attributes": ["easy use"], "instruction_options": ["leopard print & pink"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLBPECS", "worker_id": "AVIEE6LDH0BT5"}], "B08ZYG6RKK": [{"asin": "B08ZYG6RKK", "instruction": "i need a white living room statue", "attributes": ["exquisite workmanship", "living room"], "options": ["color: white"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EHSWSU", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QKH8MV3": [{"asin": "B09QKH8MV3", "instruction": "i'm looking for casual linen cotton loafers slip on ladies walking shoes.", "attributes": ["light weight", "fashion design"], "options": ["color: brown", "size: 9"], "instruction_attributes": ["fashion design"], "instruction_options": ["brown"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAYYXZT", "worker_id": "A21IUUHBSEVB56"}], "B07VV485TM": [{"asin": "B07VV485TM", "instruction": "i am looking for high power monoculars.", "attributes": ["non slip", "high power", "bird watching"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA548AJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B09CTM3SYZ": [{"asin": "B09CTM3SYZ", "instruction": "i am looking for baby shower themed cupcake toppers.", "attributes": ["easy use", "baby shower", "cupcake picks"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXI6UJF", "worker_id": "AK3JMCIGU8MLU"}], "B0924HBQBF": [{"asin": "B0924HBQBF", "instruction": "i need to find a 92mm dual quiet usb fan that has a usb port. must be a high performer.", "attributes": ["high performance", "usb port"], "options": ["size: cooling fan-92mm-dual", "style: 2 pack"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1LEU3X", "worker_id": "A3UJSDFJ9LBQ6Z"}], "B07L2M3LQX": [{"asin": "B07L2M3LQX", "instruction": "i am seraching for wireless charging apple iphone with gradient coral color.", "attributes": ["compatible apple", "wireless charging"], "options": ["color: gradient coral"], "instruction_attributes": ["compatible apple", "wireless charging"], "instruction_options": ["gradient coral"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69QPP8Z", "worker_id": "A3R8PQCD99H61E"}], "B09FHTHBXN": [{"asin": "B09FHTHBXN", "instruction": "i want to buy fully cooked, and ready to eat sausages which come in a pack of 9.", "attributes": ["fully cooked", "protein serving", "ready eat", "high fructose"], "options": ["size: 9 - pack"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3X0H8UUITCYRED22199FX2O3EIHSWH", "worker_id": "AJY5G987IRT25"}], "B08H56VYJC": [{"asin": "B08H56VYJC", "instruction": "i would like a dual band ac adapter.", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR9U0C5", "worker_id": "A1WS884SI0SLO4"}], "B09JZLZBY2": [{"asin": "B09JZLZBY2", "instruction": "i am looking for machine wash waistcoat jackets also choose size 5x-large", "attributes": ["loose fit", "hand wash", "fleece lined", "wash cold", "machine wash", "long sleeve", "drawstring waist"], "options": ["color: red", "size: 5x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["5x-large"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMT3EXK", "worker_id": "A10OGH5CQBXL5N"}], "B0957HZNK3": [{"asin": "B0957HZNK3", "instruction": "i want vanity lights that are easy to install", "attributes": ["easy install", "light fixture", "vanity light", "glass shade"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIGX2LC", "worker_id": "A2ECRNQ3X5LEXD"}], "B00OKXRX8U": [{"asin": "B00OKXRX8U", "instruction": "i'm looking for a highly pigmented hydrating lipstick with matte finish. also, i want the berry smoothie one.", "attributes": ["cruelty free", "highly pigmented", "long lasting", "high quality", "anti aging"], "options": ["color: berry smoothie"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["berry smoothie"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFXY3E3", "worker_id": "A1198W1SPF1R4"}], "B07FMVYFJP": [{"asin": "B07FMVYFJP", "instruction": "i am in need of 6 pairs of small-medium size navy color, knee high compression socks for women & men", "attributes": ["knee high", "hand wash", "dry clean"], "options": ["color: blue | black | navy | black | green | white", "size: small-medium"], "instruction_attributes": ["knee high"], "instruction_options": ["blue | black | navy | black | green | white", "small-medium"], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY737PG", "worker_id": "A258PTOZ3D2TQR"}], "B08NPP1QZ3": [{"asin": "B08NPP1QZ3", "instruction": "i am looking for pink, high quality massage sheets that are oil resistant.", "attributes": ["non toxic", "high quality", "beauty salon"], "options": ["color: pink - 50 sheets"], "instruction_attributes": ["high quality"], "instruction_options": ["pink - 50 sheets"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVEK8VX", "worker_id": "AK3JMCIGU8MLU"}], "B09RQVSMS8": [{"asin": "B09RQVSMS8", "instruction": "i am looking for mens pajamas of size 3xl code having elastic waistband.", "attributes": ["loose fit", "elastic waistband"], "options": ["size: 3xl code"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["3xl code"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602WT959", "worker_id": "A1Q8PPQQCWGY0D"}], "B07RFP29RW": [{"asin": "B07RFP29RW", "instruction": "i want black columbia women's tidal elastic waist pants.", "attributes": ["elastic waist", "button closure"], "options": ["color: black", "size: small"], "instruction_attributes": ["elastic waist"], "instruction_options": ["black"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT063TNUW", "worker_id": "A2RBF3IIJP15IH"}], "B082FJL2KB": [{"asin": "B082FJL2KB", "instruction": "i'm looking for a pair of women's loose fit, gray jeans.", "attributes": ["wide leg", "loose fit", "tummy control", "high waist", "elastic waist"], "options": ["color: gray", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["gray"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJSGO9D", "worker_id": "A2JP9IKRHNLRPI"}], "B09G2X3K15": [{"asin": "B09G2X3K15", "instruction": "i'm looking for storage drawers for cloths, toys, etc.,", "attributes": ["assembly required", "easy clean", "easy assemble", "storage space"], "options": ["color: macaron-1"], "instruction_attributes": ["storage space"], "instruction_options": ["macaron-1"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YRG69Y", "worker_id": "A21IUUHBSEVB56"}], "B09PGDQXVL": [{"asin": "B09PGDQXVL", "instruction": "i am looking for wireless bluetooth headphones that are easy to use.", "attributes": ["fast charging", "hands free", "easy use", "wireless bluetooth"], "options": [""], "instruction_attributes": ["easy use", "wireless bluetooth"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4GBL8K", "worker_id": "A1Q8PPQQCWGY0D"}], "B07QY3BQCG": [{"asin": "B07QY3BQCG", "instruction": "i want a 12 pack of oatmeal cranberry and almond bars that are non gmo and gluten free.", "attributes": ["soy free", "certified organic", "non gmo", "gluten free", "natural flavors", "natural ingredients"], "options": ["flavor name: oatmeal cranberry & almond", "size: 12 count (pack of 1)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["oatmeal cranberry & almond", "12 count (pack of 1)"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3IPQNW", "worker_id": "A1WS884SI0SLO4"}], "B09SZGV366": [{"asin": "B09SZGV366", "instruction": "i would like a black brown to tan hairpiece made from synthetic hair.", "attributes": ["easy use", "synthetic hair"], "options": ["color: black brown to tan"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["black brown to tan"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR718Y6O", "worker_id": "A1WS884SI0SLO4"}], "B09R82SVCG": [{"asin": "B09R82SVCG", "instruction": "i am looking for a masks for damaged hair", "attributes": ["natural ingredients", "argan oil", "damaged hair", "hair treatment", "dry hair"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ35NR6", "worker_id": "A9QRQL9CFJBI7"}], "B09332GKRT": [{"asin": "B09332GKRT", "instruction": "i am looking for small size casual elastic waist sleeveless one pieice burgundy jumpsuit", "attributes": ["wide leg", "loose fit", "elastic waist", "elastic closure"], "options": ["color: y1 one piece burgundy jumpsuit", "size: small"], "instruction_attributes": ["elastic waist"], "instruction_options": ["y1 one piece burgundy jumpsuit", "small"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPC7OCG", "worker_id": "A258PTOZ3D2TQR"}], "B08P3WBXLP": [{"asin": "B08P3WBXLP", "instruction": "i would like a 6 piece organizer that has aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": ["size: 6 pcs organizers"], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": ["6 pcs organizers"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LFNO1X", "worker_id": "A1WS884SI0SLO4"}], "B09R1FFQF8": [{"asin": "B09R1FFQF8", "instruction": "i am looking for a red color fast charging portable charger..", "attributes": ["fast charging", "plug play", "easy use", "carrying case"], "options": ["color: red", "size: 3300 mah"], "instruction_attributes": ["fast charging"], "instruction_options": ["red"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOTWVY7", "worker_id": "A1Q8PPQQCWGY0D"}], "B07MLH8SHQ": [{"asin": "B07MLH8SHQ", "instruction": "find a high protein puffed snack to be made on a brick oven.", "attributes": ["high protein", "low carb", "gluten free", "artificial ingredients", "low sugar", "nut free", "soy free", "non gmo"], "options": ["flavor: brick oven pizza"], "instruction_attributes": ["high protein"], "instruction_options": ["brick oven pizza"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDRHHCB", "worker_id": "AVIEE6LDH0BT5"}], "B092YZ1114": [{"asin": "B092YZ1114", "instruction": "looking for plug and play n64 wired usb pc game pad joystick also choose colour clear red", "attributes": ["plug play", "usb port"], "options": ["color: clear red"], "instruction_attributes": ["plug play"], "instruction_options": ["clear red"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZHNLKN", "worker_id": "A10OGH5CQBXL5N"}], "B07D7GG9DZ": [{"asin": "B07D7GG9DZ", "instruction": "looking for gluten free dairy free protein powder", "attributes": ["dairy free", "gluten free", "baby shower"], "options": [""], "instruction_attributes": ["dairy free", "gluten free"], "instruction_options": [], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JE1SFR", "worker_id": "A10OGH5CQBXL5N"}], "B09L7PVRW8": [{"asin": "B09L7PVRW8", "instruction": "looking for cupcake toppers for baby shower birthday party supplies", "attributes": ["baby shower", "birthday party", "party supplies"], "options": [""], "instruction_attributes": ["baby shower", "birthday party", "party supplies"], "instruction_options": [], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733P4BEV", "worker_id": "A10OGH5CQBXL5N"}], "B09RV3SFJM": [{"asin": "B09RV3SFJM", "instruction": "i am looking for a mini mak spotting scope smart phone adapter that is easy to use and comes with a carrying case.", "attributes": ["easy use", "carrying case"], "options": ["configuration: w | adapter"], "instruction_attributes": ["easy use", "carrying case"], "instruction_options": ["w | adapter"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4L5M8R", "worker_id": "AK3JMCIGU8MLU"}], "B07PGR1T3K": [{"asin": "B07PGR1T3K", "instruction": "i am looking for 4ft black color triple h mist spray needle sleeve t-shirt for youth", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: youth", "size: 4t"], "instruction_attributes": ["needle sleeve"], "instruction_options": ["black", "4t"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCWC56N", "worker_id": "A258PTOZ3D2TQR"}], "B09RHQFJNJ": [{"asin": "B09RHQFJNJ", "instruction": "entatial aluminum alloy ball head, camera tripod ball head. find and let me know", "attributes": ["quick release", "aluminum alloy"], "options": [""], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BEIQUO", "worker_id": "A15IJ20C3R4HUO"}], "B07L7H34D8": [{"asin": "B07L7H34D8", "instruction": "i am looking for adidas men's synthetic sole running shoe, also blue one and 5.5 sized", "attributes": ["comfortable fit", "synthetic sole"], "options": ["color: blue | mystery blue", "size: 5.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["blue | mystery blue", "5.5"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UIQ3AY", "worker_id": "A258PTOZ3D2TQR"}], "B09PG9Z97L": [{"asin": "B09PG9Z97L", "instruction": "i am looking for a black women\u2019s loose fit tank top.", "attributes": ["loose fit", "long sleeve"], "options": ["color: b18 - black", "size: 120"], "instruction_attributes": ["loose fit"], "instruction_options": ["b18 - black"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4DN6RM", "worker_id": "AHU9OLV0YKIIW"}], "B09RQT6GC1": [{"asin": "B09RQT6GC1", "instruction": "i would like to buy xx-large men's shorts with an elastic waist and want them to be dark blue.", "attributes": ["machine wash", "drawstring closure", "elastic waist", "daily wear"], "options": ["color: dark blue", "size: xx-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["dark blue", "xx-large"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KZ0E7Z", "worker_id": "A114NK7T5673GK"}], "B079C5SZ5X": [{"asin": "B079C5SZ5X", "instruction": "i would like a four ounce tube of fluoride free toothpaste.", "attributes": ["fluoride free", "long lasting", "bad breath"], "options": ["size: 4 ounce (pack of 1)"], "instruction_attributes": ["fluoride free"], "instruction_options": ["4 ounce (pack of 1)"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZM49KA", "worker_id": "A1WS884SI0SLO4"}], "B01CIVNU3M": [{"asin": "B01CIVNU3M", "instruction": "i need a deodorant anti perspirant in travel size for women", "attributes": ["anti perspirant", "travel size"], "options": [""], "instruction_attributes": ["anti perspirant", "travel size"], "instruction_options": [], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPDCROR", "worker_id": "A2Y2TURT2VEYZN"}], "B09T38WPBV": [{"asin": "B09T38WPBV", "instruction": "i'm looking for a monopod with carbon fiber", "attributes": ["quick release", "carbon fiber"], "options": [""], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THZS5ZV", "worker_id": "A2Y2TURT2VEYZN"}], "B08WHCWVJW": [{"asin": "B08WHCWVJW", "instruction": "i would like a low carb bagel.", "attributes": ["low carb", "hand crafted", "protein serving", "ready eat", "high protein", "dietary fiber", "quality ingredients", "artificial flavors"], "options": [""], "instruction_attributes": ["low carb"], "instruction_options": [], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OZ2YEF", "worker_id": "A1WS884SI0SLO4"}], "B09MJ6F65M": [{"asin": "B09MJ6F65M", "instruction": "i would like a 5\" navy futon mattress for my living room.", "attributes": ["twin size", "high density", "living room"], "options": ["color: navy", "size: 5\" depth"], "instruction_attributes": ["living room"], "instruction_options": ["navy", "5\" depth"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE260GQB", "worker_id": "A1WS884SI0SLO4"}], "B010JEDXAU": [{"asin": "B010JEDXAU", "instruction": "i would like a single beige spade bed that is water resistant.", "attributes": ["heavy duty", "water resistant"], "options": ["color: beige", "size: 1 count (pack of 1)"], "instruction_attributes": ["water resistant"], "instruction_options": ["beige", "1 count (pack of 1)"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKTIPET", "worker_id": "A1WS884SI0SLO4"}], "B091TYFSPX": [{"asin": "B091TYFSPX", "instruction": "i am looking for shampoo for damaged hair for men and women with argan oil, which is easy to use, with scented cleansing soap.", "attributes": ["easy use", "argan oil", "damaged hair"], "options": ["scent: cleansing soap"], "instruction_attributes": ["easy use", "argan oil", "damaged hair"], "instruction_options": ["cleansing soap"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZXN408", "worker_id": "ARJDD0Z3R65BD"}], "B00E5MDWQS": [{"asin": "B00E5MDWQS", "instruction": "i would like a 14 ounce caramel lovers taffy that is gluten free.", "attributes": ["gluten free", "soy free"], "options": ["flavor name: caramel lovers", "size: 14 oz"], "instruction_attributes": ["gluten free"], "instruction_options": ["caramel lovers", "14 oz"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDM72O0", "worker_id": "A1WS884SI0SLO4"}], "B09FPZWFYY": [{"asin": "B09FPZWFYY", "instruction": "multifunction charger fast charging usb port", "attributes": ["heavy duty", "fast charging", "aluminum alloy", "usb port"], "options": ["color: black"], "instruction_attributes": ["fast charging", "usb port"], "instruction_options": [], "assignment_id": "33TIN5LC0FKDY31374RC144TX10Y9H", "worker_id": "A3TTGSUBIK1YCL"}], "B081B2G43Z": [{"asin": "B081B2G43Z", "instruction": "i am interested in buying body scrubs for dead skin which have bamboo & charcoal acne face wash scent and come at size of 10.14 fl oz.", "attributes": ["tea tree", "dead skin"], "options": ["scent: bamboo & charcoal acne face wash", "size: 10.14 fl oz"], "instruction_attributes": ["dead skin"], "instruction_options": ["bamboo & charcoal acne face wash", "10.14 fl oz"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE261GQC", "worker_id": "AJY5G987IRT25"}], "B09BVM5TJZ": [{"asin": "B09BVM5TJZ", "instruction": "i'm looking for an ottoman for my living room with metal legs and beige upholstery.", "attributes": ["non slip", "metal legs", "living room"], "options": ["color: beige"], "instruction_attributes": ["metal legs", "living room"], "instruction_options": ["beige"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M21V49Y", "worker_id": "AR9AU5FY1S3RO"}], "B09JLGKMLQ": [{"asin": "B09JLGKMLQ", "instruction": "i would like a round vanity light for the living room.", "attributes": ["vanity light", "clear glass", "light fixture", "dining room", "living room"], "options": ["size: round"], "instruction_attributes": ["vanity light", "living room"], "instruction_options": ["round"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCZ0640", "worker_id": "A1WS884SI0SLO4"}], "B07D5K3Y4F": [{"asin": "B07D5K3Y4F", "instruction": "i'm looking for women's over the knee boot.", "attributes": ["knee high", "regular fit"], "options": ["color: olive v. suede", "size: 10"], "instruction_attributes": ["knee high"], "instruction_options": ["olive v. suede"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNOVNTC", "worker_id": "A21IUUHBSEVB56"}], "B092372XPC": [{"asin": "B092372XPC", "instruction": "i would like a five pound bag of non gmo seeds", "attributes": ["non gmo", "source vitamin"], "options": ["size: 5 pound"], "instruction_attributes": ["non gmo"], "instruction_options": ["5 pound"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23S09QTV", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GF5P4LW": [{"asin": "B09GF5P4LW", "instruction": "i am looking for black color heavy duty protective cover for phone 13 pro", "attributes": ["heavy duty", "wireless charging"], "options": ["color: black", "size: iphone 13 pro"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black", "iphone 13 pro"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHRERSJ2R", "worker_id": "A258PTOZ3D2TQR"}], "B00FLZ5MG6": [{"asin": "B00FLZ5MG6", "instruction": "i would like a bookcase that is made of engineered wood", "attributes": ["white finish", "engineered wood"], "options": [""], "instruction_attributes": ["engineered wood"], "instruction_options": [], "assignment_id": "3X0H8UUITCYRED22199FX2O3EHSSWQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B089NVK9GL": [{"asin": "B089NVK9GL", "instruction": "i am looking for hand crafted gourmet frozen appetizer.", "attributes": ["ready use", "hand crafted"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGSBYIQ", "worker_id": "A1Q8PPQQCWGY0D"}], "B09M7KQX11": [{"asin": "B09M7KQX11", "instruction": "i want a new formuler z10 pro max android 10 dual band ring.", "attributes": ["dual band", "high speed"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIM892E", "worker_id": "A2RBF3IIJP15IH"}], "B088CY6GZK": [{"asin": "B088CY6GZK", "instruction": "i would like a high definition surveillance dvr kit.", "attributes": ["high definition", "motion detection"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJRBGD6", "worker_id": "A1WS884SI0SLO4"}], "B09JSDBDCC": [{"asin": "B09JSDBDCC", "instruction": "i would like a 29 wide by 63 tall brown roller shade that is easy to install.", "attributes": ["white item", "easy install", "easy clean"], "options": ["color: bottom up-light filtering-brown", "size: 29\"w x 64\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["bottom up-light filtering-brown", "29\"w x 64\"h"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7ZDHL7", "worker_id": "A1WS884SI0SLO4"}], "B084JH55W8": [{"asin": "B084JH55W8", "instruction": "i would like a makeup palette that is easy to clean and is red", "attributes": ["easy clean", "nail art"], "options": ["color: red"], "instruction_attributes": ["easy clean"], "instruction_options": ["red"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LY4CDB", "worker_id": "A2ECRNQ3X5LEXD"}], "B00G4ITP30": [{"asin": "B00G4ITP30", "instruction": "i would like a 8 ft 6 in x 12 ft rectangular navy rug for my living room.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: navy", "item shape: rectangular", "size: 8 ft 6 in x 12 ft"], "instruction_attributes": ["living room"], "instruction_options": ["navy", "rectangular", "8 ft 6 in x 12 ft"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1CVI26", "worker_id": "A1WS884SI0SLO4"}], "B0030EYI4C": [{"asin": "B0030EYI4C", "instruction": "i would like a 6 foot long snake cable for blu ray.", "attributes": ["blu ray", "high performance"], "options": ["color: snake", "size: 6 feet"], "instruction_attributes": ["blu ray"], "instruction_options": ["snake", "6 feet"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJQLMO6", "worker_id": "A1WS884SI0SLO4"}], "B08149WQV1": [{"asin": "B08149WQV1", "instruction": "my sister needs a long-sleeve hoodie dress for casual daily wear; she is an extra large size.", "attributes": ["daily casual", "long sleeve"], "options": ["color: multi 10", "size: x-large"], "instruction_attributes": ["daily casual", "long sleeve"], "instruction_options": ["x-large"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0ZFCC0", "worker_id": "A3LIIE572Z4OG7"}], "B0170BHYGE": [{"asin": "B0170BHYGE", "instruction": "i am interested in buying a pack of 1, bpa free dental guard with a storage case.", "attributes": ["bpa free", "storage case"], "options": ["size: 1 count (pack of 1)"], "instruction_attributes": ["bpa free", "storage case"], "instruction_options": ["1 count (pack of 1)"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH53HQZ", "worker_id": "AHXHM1PQTRWIQ"}], "B07CZL3WV5": [{"asin": "B07CZL3WV5", "instruction": "i want a 5 ounce hotter n hot jalapeno kosher certified chips.", "attributes": ["kosher certified", "artificial flavors"], "options": ["flavor name: hotter 'n hot jalapeno", "size: 5 ounce (pack of 8)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["hotter 'n hot jalapeno", "5 ounce (pack of 8)"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR71LY61", "worker_id": "A1WS884SI0SLO4"}], "B09PL3X4PF": [{"asin": "B09PL3X4PF", "instruction": "i need a dresser that is easy to assemble and is the color b", "attributes": ["easy assemble", "storage unit"], "options": ["color: b"], "instruction_attributes": ["easy assemble"], "instruction_options": ["b"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF7MLD4", "worker_id": "A2ECRNQ3X5LEXD"}], "B07DMBCVLY": [{"asin": "B07DMBCVLY", "instruction": "i am looking for a 2.1 ounce (pack of 4) of gluten free and non gmo candy & chocolate bars", "attributes": ["artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: gingerbread", "size: 2.1 ounce (pack of 4)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["2.1 ounce (pack of 4)"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9K3E2A", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07DMBCVLY", "instruction": "i am looking for a four count variety pack of chocolate bars that are non gmo.", "attributes": ["artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: variety", "size: 4 count (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["variety", "4 count (pack of 1)"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPXDPJ5", "worker_id": "A2ECRNQ3X5LEXD"}], "B073SWCZ62": [{"asin": "B073SWCZ62", "instruction": "i am looking for some nut free raspberry snack bars.", "attributes": ["low sodium", "nut free", "plant based", "dairy free", "non gmo", "0g trans", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: raspberry", "size: 6 count (pack of 6)"], "instruction_attributes": ["nut free"], "instruction_options": ["raspberry"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XUYGN7", "worker_id": "A1EREKSZAA9V7B"}], "B0842NXL2W": [{"asin": "B0842NXL2W", "instruction": "i'm looking for a pair of men's golf shoes in a seven and a half size that are easy to care for.", "attributes": ["easy care", "vinyl acetate", "rubber outsole", "rubber sole"], "options": ["size: 7.5"], "instruction_attributes": ["easy care"], "instruction_options": ["7.5"], "assignment_id": "37C0GNLMHQDNI94ED11M493QPD2D6V", "worker_id": "A2JP9IKRHNLRPI"}], "B09NDWF94G": [{"asin": "B09NDWF94G", "instruction": "i want to buy cupcake toppers which are suitable for valentine day and have a red color.", "attributes": ["valentine day", "birthday party", "cupcake picks"], "options": ["color: a red"], "instruction_attributes": ["valentine day"], "instruction_options": ["a red"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH4DZ42", "worker_id": "AJY5G987IRT25"}], "B09K7Q9V57": [{"asin": "B09K7Q9V57", "instruction": "i am looking for a 2-4y size of manual toothbrushes for sensitive teeth", "attributes": ["teeth whitening", "easy clean", "sensitive teeth"], "options": ["color: 2 packs blue toothbrush", "size: 2-4y"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["2-4y"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61WPWZW", "worker_id": "A9QRQL9CFJBI7"}], "B09LQNSL48": [{"asin": "B09LQNSL48", "instruction": "i would like a pair of size 8.5 red slippers with a rubber sole.", "attributes": ["open toe", "anti slip", "non slip", "memory foam", "faux fur", "rubber sole", "high heel"], "options": ["color: red", "size: 8.5-9"], "instruction_attributes": ["rubber sole"], "instruction_options": ["red", "8.5-9"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V3DGF1", "worker_id": "A1WS884SI0SLO4"}], "B09P3CKRSW": [{"asin": "B09P3CKRSW", "instruction": "i need you to find this women's long-sleeved tie-dye printed pajamas, color: b2-orange, size medium. i want to give it as a gift to a friend.", "attributes": ["loose fit", "long sleeve", "short sleeve"], "options": ["color: b2-orange", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["b2-orange", "medium"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4DHR61", "worker_id": "A15IJ20C3R4HUO"}], "B08XN1T626": [{"asin": "B08XN1T626", "instruction": "i would like a 18 fluid ounce bottle of natural hair gel.", "attributes": ["alcohol free", "high quality", "natural ingredients", "dry hair"], "options": ["size: 18 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["18 fl oz (pack of 1)"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIUT48N", "worker_id": "A1WS884SI0SLO4"}], "B09QCB88QT": [{"asin": "B09QCB88QT", "instruction": "i need a gm workout tee that is pink", "attributes": ["fleece lined", "long sleeve", "short sleeve", "gym workout"], "options": ["color: pink", "size: x-large"], "instruction_attributes": ["gym workout"], "instruction_options": ["pink"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQYCE77O", "worker_id": "A2ECRNQ3X5LEXD"}], "B06VW5J11K": [{"asin": "B06VW5J11K", "instruction": "i need a 2 fl oz alcohol free wash", "attributes": ["alcohol free", "fragrance free", "dry skin"], "options": ["size: 2 fl oz (pack of 1)"], "instruction_attributes": ["alcohol free"], "instruction_options": ["2 fl oz (pack of 1)"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPJ06VF", "worker_id": "A2ECRNQ3X5LEXD"}], "B08ZH7NTGH": [{"asin": "B08ZH7NTGH", "instruction": "am looking for the gluten free louisiana pepper exchange with cayenne pepper puree flavor", "attributes": ["gluten free", "natural ingredients"], "options": ["flavor name: cayenne pepper puree", "size: 4 ounce (pack of 2)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM8NHZS", "worker_id": "A1IL2K0ELYI090"}], "B003U5DDTM": [{"asin": "B003U5DDTM", "instruction": "i would like a 34 wide by 32 long pair of stone straight leg pants.", "attributes": ["straight leg", "comfortable fit", "polyester cotton"], "options": ["color: stone", "size: 34w x 32l"], "instruction_attributes": ["straight leg"], "instruction_options": ["stone", "34w x 32l"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOKQCTS", "worker_id": "A1WS884SI0SLO4"}], "B09FQ9Q2PH": [{"asin": "B09FQ9Q2PH", "instruction": "i want to buy cupcake toppers which are suitable for birthday party cupcakes and with a pattern of rg 80.", "attributes": ["cupcake picks", "birthday party"], "options": ["pattern name: rg 80"], "instruction_attributes": ["birthday party"], "instruction_options": ["rg 80"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXSCCAW5", "worker_id": "AJY5G987IRT25"}], "B07YFX7DKZ": [{"asin": "B07YFX7DKZ", "instruction": "i would like a 42 wide by 63 long blush window panel that is machine washable.", "attributes": ["machine washable", "easy install", "living room"], "options": ["color: blush", "size: 42w x 63l"], "instruction_attributes": ["machine washable"], "instruction_options": ["blush", "42w x 63l"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK49VA6E", "worker_id": "A1WS884SI0SLO4"}], "B09NSCFQCZ": [{"asin": "B09NSCFQCZ", "instruction": "i am looking for an easy to install wall mounted cd player.", "attributes": ["wall mounted", "easy install", "usb port"], "options": [""], "instruction_attributes": ["wall mounted", "easy install"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZQ0Y1Y", "worker_id": "A1EREKSZAA9V7B"}], "B095BWL2GD": [{"asin": "B095BWL2GD", "instruction": "i am looking for medium size men's hiking shorts having elastic waistband.", "attributes": ["elastic waistband", "relaxed fit"], "options": ["color: multi7", "size: medium"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["medium"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI7LT3J", "worker_id": "A1Q8PPQQCWGY0D"}], "B00FREG0PI": [{"asin": "B00FREG0PI", "instruction": "i want to buy a shirt for men which is easy care and has long sleeves, also it should be black color and have a size of x-large big tall.", "attributes": ["easy care", "machine wash", "button closure", "long sleeve"], "options": ["color: black", "size: x-large big tall"], "instruction_attributes": ["easy care", "long sleeve"], "instruction_options": ["black", "x-large big tall"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0M2YCSR", "worker_id": "AJY5G987IRT25"}], "B0727LGC9S": [{"asin": "B0727LGC9S", "instruction": "i want icelandic provisions yogurt with real fruit.", "attributes": ["protein serving", "real fruit", "artificial flavors"], "options": [""], "instruction_attributes": ["real fruit"], "instruction_options": [], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLBOECR", "worker_id": "A2RBF3IIJP15IH"}], "B097RHDQS9": [{"asin": "B097RHDQS9", "instruction": "i want a monocular telescope for bird watching", "attributes": ["non slip", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ6XISC", "worker_id": "A2Y2TURT2VEYZN"}], "B076HGVPN2": [{"asin": "B076HGVPN2", "instruction": "i would like a adult sized 4 pack of hermosa pink chairs for the living room.", "attributes": ["contemporary style", "living room"], "options": ["color: hermosa pink", "size: 4 pack", "style: adult"], "instruction_attributes": ["living room"], "instruction_options": ["hermosa pink", "4 pack", "adult"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZHOLKO", "worker_id": "A1WS884SI0SLO4"}], "B09M2YC61W": [{"asin": "B09M2YC61W", "instruction": "|i am looking for 4x-large men's fashion black color regulat fit suit jackets", "attributes": ["slim fit", "regular fit", "dry clean"], "options": ["color: black-5", "size: 4x-large"], "instruction_attributes": ["regular fit"], "instruction_options": ["black-5", "4x-large"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPPH6EV", "worker_id": "A258PTOZ3D2TQR"}], "B081SLWHXH": [{"asin": "B081SLWHXH", "instruction": "i want a wall mounted europe style round decorative mirror.", "attributes": ["wall mounted", "easy install"], "options": [""], "instruction_attributes": ["wall mounted"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC9ED0Q", "worker_id": "A2RBF3IIJP15IH"}], "B08FHGHRVW": [{"asin": "B08FHGHRVW", "instruction": "i am looking for a large european made lead free candle for my living room.", "attributes": ["lead free", "dining room", "living room"], "options": [""], "instruction_attributes": ["lead free", "living room"], "instruction_options": [], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ6QIS5", "worker_id": "A1EREKSZAA9V7B"}], "B09PQF3XMN": [{"asin": "B09PQF3XMN", "instruction": "i am looking for cruelty free wet n wild lip balm in the color 'no more drama'.", "attributes": ["fragrance free", "paraben free", "cruelty free", "seed oil"], "options": ["color: no more drama"], "instruction_attributes": ["cruelty free"], "instruction_options": ["no more drama"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCM4LBR", "worker_id": "AK3JMCIGU8MLU"}], "B095LC8JT2": [{"asin": "B095LC8JT2", "instruction": "i am looking for wall mounted black metal coat hanger and hat tree rack.", "attributes": ["wall mounted", "space saving", "contemporary style"], "options": [""], "instruction_attributes": ["wall mounted"], "instruction_options": [], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNC101D", "worker_id": "AK3JMCIGU8MLU"}], "B0818ZP6YY": [{"asin": "B0818ZP6YY", "instruction": "i am looking for a pair of women's purple house slippers with memory foam and faux fur.", "attributes": ["fleece lined", "anti slip", "non slip", "memory foam", "faux fur", "rubber sole", "closed toe"], "options": ["color: z5-purple", "size: 8-8.5"], "instruction_attributes": ["memory foam", "faux fur"], "instruction_options": ["z5-purple"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOGBLL7", "worker_id": "A1EREKSZAA9V7B"}], "B01MZAR82R": [{"asin": "B01MZAR82R", "instruction": "i want a living room traditional vintage shabby chic standing floor lamp with a linen shade.", "attributes": ["white finish", "living room"], "options": ["color: linen shade"], "instruction_attributes": ["living room"], "instruction_options": ["linen shade"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQXHB58", "worker_id": "A2RBF3IIJP15IH"}], "B091QC3SF7": [{"asin": "B091QC3SF7", "instruction": "i am looking for a low carb, high protein meal replacement bar in the flavor of dark chocolate s'mores.", "attributes": ["high protein", "low sugar", "low calorie", "low carb", "individually wrapped"], "options": ["flavor name: dark chocolate s'mores", "size: 1 box - 7 count"], "instruction_attributes": ["high protein", "low carb"], "instruction_options": ["dark chocolate s'mores"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB17ELUB", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B091QC3SF7", "instruction": "the success of my diet depends on this product!!! bestmed - high protein peaunt nutritional bar - low-carb, 15g protein, low sugar, i need to find help.", "attributes": ["high protein", "low sugar", "low calorie", "low carb", "individually wrapped"], "options": ["flavor name: peanut", "size: 2 box - 14 count"], "instruction_attributes": ["high protein", "low sugar", "low carb"], "instruction_options": ["peanut"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIOGEF2", "worker_id": "A15IJ20C3R4HUO"}], "B09MYNDXXY": [{"asin": "B09MYNDXXY", "instruction": "i would like to buy winter boots for women which are made of quality materials and are in khaki color, as for the size they should be 9.", "attributes": ["day comfort", "quality materials"], "options": ["color: khaki", "size: 9"], "instruction_attributes": ["quality materials"], "instruction_options": ["khaki", "9"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1BW1KB", "worker_id": "AJY5G987IRT25"}], "B07HF7G5FB": [{"asin": "B07HF7G5FB", "instruction": "i'm looking for organic shampoo for thinning hair and hair loss.", "attributes": ["hair loss", "hair growth"], "options": [""], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQJ7RJD", "worker_id": "A21IUUHBSEVB56"}], "B0046EJQ1K": [{"asin": "B0046EJQ1K", "instruction": "i'm looking for a candy heart shaped covered by chocolate for valentine day", "attributes": ["chocolate covered", "individually wrapped", "gluten free", "valentine day"], "options": [""], "instruction_attributes": ["chocolate covered", "valentine day"], "instruction_options": [], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P78MSVC", "worker_id": "A2Y2TURT2VEYZN"}], "B08RYCHDBV": [{"asin": "B08RYCHDBV", "instruction": "i need a-5 pairs of false eyelashes. it should be easy to apply.", "attributes": ["easy apply", "easy carry", "cruelty free"], "options": ["pattern name: style a-5 pairs"], "instruction_attributes": ["easy apply"], "instruction_options": ["style a-5 pairs"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXCGFCN", "worker_id": "A1NF6PELRKACS9"}], "B088T66N5S": [{"asin": "B088T66N5S", "instruction": "i would like a goddess treasure eyeshadow that is cruelty free.", "attributes": ["highly pigmented", "cruelty free", "long lasting"], "options": ["pattern name: goddess treasure"], "instruction_attributes": ["cruelty free"], "instruction_options": ["goddess treasure"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OVVPO4", "worker_id": "A1WS884SI0SLO4"}], "B08WX4QH5X": [{"asin": "B08WX4QH5X", "instruction": "i'm looking for a scented facial moisturizer anti aging", "attributes": ["anti aging", "natural ingredients", "fine lines", "dry skin"], "options": ["scent: scented"], "instruction_attributes": ["anti aging"], "instruction_options": ["scented"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YST69D", "worker_id": "A2Y2TURT2VEYZN"}], "B08MT567ZS": [{"asin": "B08MT567ZS", "instruction": "i am interested in buying wall mounted lights which have nickel finish and satin nickel color, and i want 5 of them.", "attributes": ["nickel finish", "vanity light"], "options": ["color: satin nickel", "size: 5-light"], "instruction_attributes": ["nickel finish"], "instruction_options": ["satin nickel", "5-light"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHE01ER", "worker_id": "AJY5G987IRT25"}], "B07RGP2LS1": [{"asin": "B07RGP2LS1", "instruction": "i am looking for a pair of women's size 5.5 flat shoes with a synthetic sole.", "attributes": ["anti slip", "synthetic sole", "rubber sole"], "options": ["color: n pink", "size: 5.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["5.5"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVQY175", "worker_id": "A1EREKSZAA9V7B"}], "B08L71QGTD": [{"asin": "B08L71QGTD", "instruction": "i am interested in buying a deodorant for body which is paraben free and is suitable for sensitive skin, and has a scent of bay rum.", "attributes": ["clinically proven", "paraben free", "sensitive skin"], "options": ["scent: bay rum"], "instruction_attributes": ["paraben free", "sensitive skin"], "instruction_options": ["bay rum"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEQ8KZI", "worker_id": "AJY5G987IRT25"}], "B085F3JWD5": [{"asin": "B085F3JWD5", "instruction": "i am looking for low calorie popcorn that is unpopped", "attributes": ["low calorie", "non gmo", "old fashioned", "gluten free"], "options": [""], "instruction_attributes": ["low calorie"], "instruction_options": [], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMMOJ1M", "worker_id": "A2ECRNQ3X5LEXD"}], "B093YTGB24": [{"asin": "B093YTGB24", "instruction": "i want to find a set of two mesh laundry bags that i can wash my delicate items in, such as blouses and hosiery.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODQTWE3", "worker_id": "A3LIIE572Z4OG7"}], "B09P7WWP61": [{"asin": "B09P7WWP61", "instruction": "i am looking for a long handled body brush.", "attributes": ["non slip", "long handle", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0FN16F", "worker_id": "A1EREKSZAA9V7B"}], "B09S6NTYQY": [{"asin": "B09S6NTYQY", "instruction": "i am looking for a pair of women's size 8.5 open toe sandals.", "attributes": ["open toe", "non slip"], "options": ["color: g-1 pink", "size: 8.5"], "instruction_attributes": ["open toe"], "instruction_options": ["8.5"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCFYH7O", "worker_id": "A1EREKSZAA9V7B"}], "B08V4ZPBZH": [{"asin": "B08V4ZPBZH", "instruction": "i need anti slip grey running shoes", "attributes": ["anti slip", "quick drying"], "options": ["color: 133-grey", "size: 12"], "instruction_attributes": ["anti slip"], "instruction_options": ["133-grey"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8Z0G8K", "worker_id": "A2ECRNQ3X5LEXD"}], "B0764ZSHVC": [{"asin": "B0764ZSHVC", "instruction": "i would like to buy non gmo popcorns which can also be a perfect gift.", "attributes": ["hand crafted", "non gmo", "perfect gift"], "options": [""], "instruction_attributes": ["non gmo", "perfect gift"], "instruction_options": [], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O5G2AE", "worker_id": "AJY5G987IRT25"}], "B07G6124N1": [{"asin": "B07G6124N1", "instruction": "i need some cute heart-shaped glittery cupcake picks as a gift to bring to a baby shower.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["cupcake picks", "baby shower"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFERVLE", "worker_id": "A3LIIE572Z4OG7"}], "B078XPX5Y9": [{"asin": "B078XPX5Y9", "instruction": "i am looking for gluten free pride of india brand lentil crackers in the plain mung bean flavor.", "attributes": ["gmo free", "gluten free", "ready eat"], "options": ["flavor name: plain mung bean (moong dal) sada papadum", "size: 6-boxes"], "instruction_attributes": ["gluten free"], "instruction_options": ["plain mung bean (moong dal) sada papadum"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP8L7J4", "worker_id": "AK3JMCIGU8MLU"}], "B09FPTTJ3X": [{"asin": "B09FPTTJ3X", "instruction": "i'm looking for wireless bluetooth car stereo audio receiver.", "attributes": ["hands free", "usb port", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYQCCGD", "worker_id": "A21IUUHBSEVB56"}], "B09RMM8KX7": [{"asin": "B09RMM8KX7", "instruction": "i'm looking for a short sleeve maxi dress with high waist tummy control band. also choose medium size 11-zc4 light blue one", "attributes": ["short sleeve", "tummy control", "long sleeve", "high waist"], "options": ["color: 11 - zc4 light blue", "size: medium"], "instruction_attributes": ["short sleeve", "tummy control", "high waist"], "instruction_options": ["11 - zc4 light blue", "medium"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL9FH5L", "worker_id": "AR0VJ5XRG16UJ"}], "B09KT21VHL": [{"asin": "B09KT21VHL", "instruction": "i want to find a white pair of one-size-fits-all men's underwear that is loose-fitting.", "attributes": ["low rise", "loose fit", "slim fit", "classic fit", "elastic waist"], "options": ["color: u-ae-white", "size: one size"], "instruction_attributes": ["loose fit"], "instruction_options": ["u-ae-white", "one size"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI90H5XN", "worker_id": "A345TDMHP3DQ3G"}], "B09NP3XKKG": [{"asin": "B09NP3XKKG", "instruction": "i am looking for a 5 pound assorted chocolate candy mix gift basket for a birthday party.", "attributes": ["birthday party", "gift basket"], "options": ["size: 5 lbs"], "instruction_attributes": ["birthday party", "gift basket"], "instruction_options": ["5 lbs"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGIYIJW4", "worker_id": "A1EREKSZAA9V7B"}], "B091MCX28W": [{"asin": "B091MCX28W", "instruction": "i am looking for rockandy peppered beef jerky ready to eat snacks in a 5 pack.", "attributes": ["ready eat", "great gift"], "options": ["flavor name: new thick & juicy extremely hot beef jerky", "size: 5 pack"], "instruction_attributes": ["ready eat"], "instruction_options": ["5 pack"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFIRU5B", "worker_id": "AK3JMCIGU8MLU"}], "B07THG63LT": [{"asin": "B07THG63LT", "instruction": "i need a futon set that is blue velvet", "attributes": ["button tufted", "high density", "easy assemble", "memory foam", "wood frame", "living room"], "options": ["color: blue velvet", "style: futon + desk"], "instruction_attributes": ["living room"], "instruction_options": ["blue velvet"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPNVJNW", "worker_id": "A2ECRNQ3X5LEXD"}], "B09L894DVK": [{"asin": "B09L894DVK", "instruction": "i need a receiver with high definition", "attributes": ["1080p hd", "high definition"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKS0MGLV", "worker_id": "AVIEE6LDH0BT5"}], "B08X732PLR": [{"asin": "B08X732PLR", "instruction": "find me an official pokemon shirt with gengar and mewtwo, has to be washable in the machine, black in a men' large.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: asphalt", "fit type: men", "size: large"], "instruction_attributes": ["officially licensed", "machine wash"], "instruction_options": ["asphalt", "men", "large"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNR0CXJZ", "worker_id": "A3O1I9MATO3ZZN"}], "B08SWFTP5S": [{"asin": "B08SWFTP5S", "instruction": "i am looking for a solid steel frame dressers", "attributes": ["assembly required", "steel frame", "white finish", "living room"], "options": ["color: pastel 2", "style: solid"], "instruction_attributes": ["steel frame"], "instruction_options": ["solid"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMSQ6BH", "worker_id": "A9QRQL9CFJBI7"}], "B07PMQTC2L": [{"asin": "B07PMQTC2L", "instruction": "i'm looking for a protective case for the apple watch that contains a rose pink box cover.", "attributes": ["compatible apple", "case cover"], "options": ["color: rose pink", "size: fit for 38mm watch"], "instruction_attributes": ["case cover"], "instruction_options": ["rose pink"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95CAKHPD", "worker_id": "ARJDD0Z3R65BD"}], "B07YNFMRRX": [{"asin": "B07YNFMRRX", "instruction": "i am looking for a high quality nail polish of size 10x24.", "attributes": ["high quality", "nail polish"], "options": ["size: 10x24", "style name: gallery wrapped canvas"], "instruction_attributes": ["high quality"], "instruction_options": ["10x24"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHWB8S8W", "worker_id": "A1Q8PPQQCWGY0D"}], "B08MH9GDK8": [{"asin": "B08MH9GDK8", "instruction": "i am looking for some long lasting lead free prayer candles.", "attributes": ["lead free", "long lasting"], "options": [""], "instruction_attributes": ["lead free", "long lasting"], "instruction_options": [], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1MCRGTF", "worker_id": "A1EREKSZAA9V7B"}], "B08TQDWWZP": [{"asin": "B08TQDWWZP", "instruction": "i am looking for keen utility men's kansas city kbf composite toe athletic shoes.", "attributes": ["water resistant", "slip resistant", "moisture wicking", "non slip", "rubber sole"], "options": ["color: keen yellow | black", "size: 10 wide"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["10 wide"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HSHWOP", "worker_id": "A2KW17G25L25R8"}], "B003ZYOD6A": [{"asin": "B003ZYOD6A", "instruction": "i need long lasting deodorant", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJL1GBYH", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Z8QJFYC": [{"asin": "B07Z8QJFYC", "instruction": "i am looking for a synthetic hair ponytail extension in the color medium brown.", "attributes": ["easy use", "synthetic hair"], "options": ["color: medium brown", "size: one piece"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["medium brown"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7ANXYUX", "worker_id": "AK3JMCIGU8MLU"}], "B09R7VRZV4": [{"asin": "B09R7VRZV4", "instruction": "i am looking for pink color whitening massage easy use toothbrush that fit for age 2-6", "attributes": ["easy use", "sensitive teeth"], "options": ["color: pink", "size: age 2-6"], "instruction_attributes": ["easy use"], "instruction_options": ["pink", "age 2-6"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR71L6Y9", "worker_id": "A258PTOZ3D2TQR"}], "B06XF385WF": [{"asin": "B06XF385WF", "instruction": "i need black long lasting mascara", "attributes": ["long lasting", "eye shadow"], "options": ["color: washable mystic black", "configuration: 1 count"], "instruction_attributes": ["long lasting"], "instruction_options": ["washable mystic black"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZTNHSN", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PRCCD3L": [{"asin": "B09PRCCD3L", "instruction": "i need one pair of large sized stockings that is high quality and non toxic for my feet.", "attributes": ["non toxic", "high quality"], "options": ["color: skin toes no bone", "size: one pair of feet"], "instruction_attributes": ["non toxic", "high quality"], "instruction_options": ["one pair of feet"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80GO1Q1", "worker_id": "A1NF6PELRKACS9"}], "B08Q37Z1LZ": [{"asin": "B08Q37Z1LZ", "instruction": "i am looking for a light blue mini dress that is machine washable.", "attributes": ["daily casual", "wash cold", "machine wash"], "options": ["color: light blue", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["light blue"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFJBVMA", "worker_id": "A1EREKSZAA9V7B"}], "B08HKYBTFF": [{"asin": "B08HKYBTFF", "instruction": "i would like a face kit for my fine lines.", "attributes": ["storage case", "stainless steel", "fine lines"], "options": [""], "instruction_attributes": ["fine lines"], "instruction_options": [], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQSGP0F", "worker_id": "A1WS884SI0SLO4"}], "B07JB7VQBY": [{"asin": "B07JB7VQBY", "instruction": "i'd like to shop for some red slim fit jeans with a button closure. i need a size 28.", "attributes": ["slim fit", "button closure"], "options": ["color: red", "size: 28"], "instruction_attributes": ["slim fit", "button closure"], "instruction_options": ["red", "28"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G7B647L", "worker_id": "AR9AU5FY1S3RO"}], "B07HYH327V": [{"asin": "B07HYH327V", "instruction": "i would like a gluten free trader joes flatbread.", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["trader joe", "gluten free"], "instruction_options": [], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662ZJM4U", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07HYH327V", "instruction": "i want to find trader joe's gluten free norwegian crispbreads that i can pack in my lunches.", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["trader joe", "gluten free"], "instruction_options": [], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49GYDTH", "worker_id": "A345TDMHP3DQ3G"}], "B00RIBX3T4": [{"asin": "B00RIBX3T4", "instruction": "i'm looking for violet pigment and blackberry extract sheer silver shampoo.", "attributes": ["paraben free", "sulfate free"], "options": ["style: conditioner - fl oz 10.1"], "instruction_attributes": ["paraben free", "sulfate free"], "instruction_options": ["conditioner - fl oz 10.1"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2VY5M2", "worker_id": "A21IUUHBSEVB56"}], "B085PWT41F": [{"asin": "B085PWT41F", "instruction": "gluten free meatballs", "attributes": ["grass fed", "gluten free", "natural flavors"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMMPJ1N", "worker_id": "A3TTGSUBIK1YCL"}], "B08V9Y3JWH": [{"asin": "B08V9Y3JWH", "instruction": "i'm looking for a machine washable t-shirts made of heather cotton with needle sleeve and button closure type. also, choose men, x-small size white one.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "button closure", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: men", "size: x-small"], "instruction_attributes": ["machine wash", "heathers cotton", "button closure", "needle sleeve"], "instruction_options": ["white", "men", "x-small"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCFA7HQ", "worker_id": "AR0VJ5XRG16UJ"}], "B082MCN2BL": [{"asin": "B082MCN2BL", "instruction": "i want a rolling cart for a beauty salon.", "attributes": ["high quality", "beauty salon"], "options": [""], "instruction_attributes": ["beauty salon"], "instruction_options": [], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YOJGA9", "worker_id": "A1WS884SI0SLO4"}], "B09L87DN8X": [{"asin": "B09L87DN8X", "instruction": "i need a red sports coat that is slim fitting.", "attributes": ["slim fit", "hand wash", "button closure", "soft material"], "options": ["color: red1", "size: small"], "instruction_attributes": ["slim fit"], "instruction_options": ["red1"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH8O1VG", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PHLSFCP": [{"asin": "B09PHLSFCP", "instruction": "i'm looking for a toothpaste for teeth whitening in blueberry scent", "attributes": ["teeth whitening", "travel size", "sensitive teeth"], "options": ["scent: blueberry"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["blueberry"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3H5NQ7", "worker_id": "A2Y2TURT2VEYZN"}], "B08M94Y2G7": [{"asin": "B08M94Y2G7", "instruction": "i would like a black chair with lumbar support.", "attributes": ["heavy duty", "lumbar support", "pu leather"], "options": ["color: black"], "instruction_attributes": ["lumbar support"], "instruction_options": ["black"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3H8QND", "worker_id": "A1WS884SI0SLO4"}], "B07PCZMLFG": [{"asin": "B07PCZMLFG", "instruction": "i'm looking for a woman's navy workout t-shirt that is machine washable and provides a classic fit.", "attributes": ["wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: men", "size: 3x-large"], "instruction_attributes": ["machine wash", "classic fit"], "instruction_options": ["navy"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XDARFW", "worker_id": "A2JP9IKRHNLRPI"}], "B08BNGMZM8": [{"asin": "B08BNGMZM8", "instruction": "i'm looking for running shoe for women.", "attributes": ["rubber outsole", "rubber sole", "daily wear"], "options": ["color: grey | teal", "size: 9"], "instruction_attributes": ["daily wear"], "instruction_options": ["grey | teal"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0RKJ8U", "worker_id": "A21IUUHBSEVB56"}], "B07PLYFJSY": [{"asin": "B07PLYFJSY", "instruction": "i would like a coral orange basic heavy duty phone case.", "attributes": ["heavy duty", "easy carry", "case cover"], "options": ["color: m834-coral orange"], "instruction_attributes": ["heavy duty"], "instruction_options": ["m834-coral orange"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AODOE2", "worker_id": "A1WS884SI0SLO4"}], "B09P4MVM85": [{"asin": "B09P4MVM85", "instruction": "i would like a power cable for by blu ray player.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q62GWY", "worker_id": "A1WS884SI0SLO4"}], "B0963729NB": [{"asin": "B0963729NB", "instruction": "i need a face kit for dark circles", "attributes": ["easy use", "fine lines", "dark circles"], "options": [""], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UTV1GM", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P3CGSXQ": [{"asin": "B09P3CGSXQ", "instruction": "i am interested in buying beds which are twin size, and of grey color, while their style should be metal triple bunk bed with slide.", "attributes": ["twin size", "space saving", "white item"], "options": ["color: grey", "style: metal triple bunk bed with slide"], "instruction_attributes": ["twin size"], "instruction_options": ["grey", "metal triple bunk bed with slide"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFN0Y8HY", "worker_id": "AJY5G987IRT25"}], "B099SGN3HJ": [{"asin": "B099SGN3HJ", "instruction": "i want a peanut butter cranberry toyou snack that is plant based.", "attributes": ["plant based", "gluten free"], "options": ["flavor name: toyou - peanut butter cranberry - box (1..."], "instruction_attributes": ["plant based"], "instruction_options": ["toyou - peanut butter cranberry - box (1..."], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q9FII6", "worker_id": "A1WS884SI0SLO4"}], "B096MGWMM2": [{"asin": "B096MGWMM2", "instruction": "i'm looking for a replacement remote with batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X416H02", "worker_id": "A62B826XMLK7K"}], "B09J28CKKT": [{"asin": "B09J28CKKT", "instruction": "i am looking for a heavy duty basic cases for iphone 13 size", "attributes": ["heavy duty", "wireless charging"], "options": ["size: iphone 13"], "instruction_attributes": ["heavy duty"], "instruction_options": ["iphone 13"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMO6VX7", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09J28CKKT", "instruction": "i need an iphone 7 plus case that has wireless charging capabilities", "attributes": ["heavy duty", "wireless charging"], "options": ["size: iphone 7plus | 8plus"], "instruction_attributes": ["wireless charging"], "instruction_options": ["iphone 7plus | 8plus"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K55219", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QMVR6R7": [{"asin": "B08QMVR6R7", "instruction": "i'm looking for a shimmery eye shadow palette that is long lasting and waterproof. also, choose the fusion palette of 39 colors", "attributes": ["cruelty free", "easy apply", "long lasting", "eye shadow"], "options": ["color: color fusion-39 colors"], "instruction_attributes": ["long lasting", "eye shadow"], "instruction_options": ["color fusion-39 colors"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG4G54A", "worker_id": "A1TWVJS27CL3KT"}], "B0943T7FNN": [{"asin": "B0943T7FNN", "instruction": "i am looking for a pair of easy to carry light blue headphones.", "attributes": ["noise cancelling", "easy carry"], "options": ["color: light blue"], "instruction_attributes": ["easy carry"], "instruction_options": ["light blue"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK3GIUQ", "worker_id": "A1EREKSZAA9V7B"}], "B07S5XRX8X": [{"asin": "B07S5XRX8X", "instruction": "find a water resistant leather jacket", "attributes": ["water resistant", "easy care"], "options": ["color: blush crocodile", "size: large"], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6AL5GV", "worker_id": "AVIEE6LDH0BT5"}], "B09HBV726B": [{"asin": "B09HBV726B", "instruction": "i am looking for a grey sectional sofa for my living room.", "attributes": ["high density", "long lasting", "solid wood", "living room"], "options": ["color: grey", "size: 77x35x28\""], "instruction_attributes": ["living room"], "instruction_options": ["grey"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HH3I6T", "worker_id": "A1EREKSZAA9V7B"}], "B09R7B5VN5": [{"asin": "B09R7B5VN5", "instruction": "i am looking for a white batteries included clock radios", "attributes": ["batteries included", "aaa batteries"], "options": ["color: white"], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907VJUA6", "worker_id": "A9QRQL9CFJBI7"}], "B09GL5Z4N2": [{"asin": "B09GL5Z4N2", "instruction": "i want a size 12 black slipper made of vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate", "faux fur"], "options": ["color: black", "size: 12"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["black", "12"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCTB9B8", "worker_id": "A1WS884SI0SLO4"}], "B0972NGB9Y": [{"asin": "B0972NGB9Y", "instruction": "i'm looking for a daily wear cardigan sweaters with long sleeve and fleece lined. also choose medium size light grey colored one.", "attributes": ["fleece lined", "long sleeve", "daily wear"], "options": ["color: light grey", "size: medium"], "instruction_attributes": ["fleece lined", "long sleeve", "daily wear"], "instruction_options": ["light grey", "medium"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUX6JQ5", "worker_id": "AR0VJ5XRG16UJ"}], "B09SPKW74K": [{"asin": "B09SPKW74K", "instruction": "i would like to buy nail clippers which are easy to clean, and also are made of stainless steel, i also prefer to have them of color 8592 red.", "attributes": ["non slip", "easy clean", "long handle", "stainless steel"], "options": ["color: 8592 red"], "instruction_attributes": ["easy clean", "stainless steel"], "instruction_options": ["8592 red"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7R7I3V", "worker_id": "AJY5G987IRT25"}], "B072HSLKRT": [{"asin": "B072HSLKRT", "instruction": "i am looking for fredd marshall mens skinny jeans in a slim fit.", "attributes": ["slim fit", "imported zipper"], "options": ["color: 347", "size: 32w x 32l"], "instruction_attributes": ["slim fit"], "instruction_options": ["32w x 32l"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84C56C1", "worker_id": "A2KW17G25L25R8"}], "B09NM4T5YJ": [{"asin": "B09NM4T5YJ", "instruction": "i'm looking for a men's long sleeve, yellow track jacket.", "attributes": ["winter warm", "slim fit", "quality polyester", "long sleeve", "polyester cotton", "elastic waistband", "regular fit", "gym workout", "daily wear"], "options": ["color: yellow", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["yellow"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH6MQHT", "worker_id": "A2JP9IKRHNLRPI"}], "B072JBH9BW": [{"asin": "B072JBH9BW", "instruction": "i would like to have a can of rich and creamy cream of potato soup.", "attributes": ["rich creamy", "artificial colors"], "options": ["flavor name: cream of potato soup"], "instruction_attributes": ["rich creamy"], "instruction_options": ["cream of potato soup"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0ZKXP1", "worker_id": "A1WS884SI0SLO4"}], "B08QDKDNLJ": [{"asin": "B08QDKDNLJ", "instruction": "i am looking for white color heavy duty bar stools.", "attributes": ["heavy duty", "easy install", "pu leather", "steel frame"], "options": ["color: white"], "instruction_attributes": ["heavy duty"], "instruction_options": ["white"], "assignment_id": "37TRT2X24116R7L1JO45INKV8X7JBV", "worker_id": "A1Q8PPQQCWGY0D"}], "B07HMJW9Y8": [{"asin": "B07HMJW9Y8", "instruction": "i'm looking for a pair of black and white rubber-soled sneakers in a size 5.5.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black | white", "size: 5.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black | white", "5.5"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BQRJV7", "worker_id": "AFU00NU09CFXE"}], "B09B331BGP": [{"asin": "B09B331BGP", "instruction": "i want to find a beauty salon mattress that is 60 centimeters by 180 centimeters in dimension.", "attributes": ["non slip", "beauty salon"], "options": ["size: 60*180cm"], "instruction_attributes": ["beauty salon"], "instruction_options": ["60*180cm"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI89T39", "worker_id": "A345TDMHP3DQ3G"}], "B093XWDXTY": [{"asin": "B093XWDXTY", "instruction": "i'm looking for a spa pedicure kit-at-home foot care for baby soft feet.", "attributes": ["natural ingredients", "fine lines"], "options": ["color: 50 set-green tea"], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6OJU7N", "worker_id": "A21IUUHBSEVB56"}], "B09PMJR3BM": [{"asin": "B09PMJR3BM", "instruction": "i am looking for a plant based rose scented moisturizing sunscreen.", "attributes": ["dermatologist tested", "plant based", "cruelty free"], "options": ["scent: rose", "size: 3.5 ounce (pack of 1)"], "instruction_attributes": ["plant based"], "instruction_options": ["rose"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2Q9YN8", "worker_id": "A1EREKSZAA9V7B"}], "B07W7D4SFR": [{"asin": "B07W7D4SFR", "instruction": "i am looking for khaki color long sleeve shirt for men.", "attributes": ["short sleeve", "elastic closure", "long sleeve", "high heel", "high waist"], "options": ["color: khaki", "size: 4x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["khaki"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q68GW4", "worker_id": "A1Q8PPQQCWGY0D"}], "B08PC1TYFR": [{"asin": "B08PC1TYFR", "instruction": "i am looking for a light grey, wood frame sectional sofa.", "attributes": ["space saving", "easy assemble", "wood frame", "living room"], "options": ["color: light grey"], "instruction_attributes": ["wood frame"], "instruction_options": ["light grey"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57IA9IU", "worker_id": "AK3JMCIGU8MLU"}], "B09B7XYWK9": [{"asin": "B09B7XYWK9", "instruction": "i need a blue grey mattress that is easy to clean", "attributes": ["spot clean", "easy clean"], "options": ["color: textured blue gray", "size: queen", "style: contemporary"], "instruction_attributes": ["easy clean"], "instruction_options": ["textured blue gray"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNYAP0U5", "worker_id": "A2ECRNQ3X5LEXD"}], "B075FX1MTL": [{"asin": "B075FX1MTL", "instruction": "i'm looking for a pair of long lasting women's sandals in a size eight or eight and half.", "attributes": ["long lasting", "comfortable fit", "synthetic sole", "rubber outsole"], "options": ["color: multicolor calendula", "size: 8-8.5"], "instruction_attributes": ["long lasting"], "instruction_options": ["8-8.5"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39HNCZL", "worker_id": "A2JP9IKRHNLRPI"}], "B07RP89DMD": [{"asin": "B07RP89DMD", "instruction": "i would like a 2 pound bag of chocolate covered fruit.", "attributes": ["chocolate covered", "certified organic", "natural ingredients", "valentine day", "great gift"], "options": ["size: 2 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["2 pound"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A21C2HTD", "worker_id": "A1WS884SI0SLO4"}], "B078PJWQ46": [{"asin": "B078PJWQ46", "instruction": "i'm looking for a full size fully assembled mattress with 8\" split foundation.", "attributes": ["ready use", "fully assembled", "double sided", "queen size", "twin size", "assembly required", "king size"], "options": ["size: full", "style: 8\" split foundation"], "instruction_attributes": ["fully assembled"], "instruction_options": ["full", "8\" split foundation"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86AN18B", "worker_id": "A3MNXK3VDK37SN"}], "B093XJW7R9": [{"asin": "B093XJW7R9", "instruction": "i am looking for a medium sized machine washable t-shirt.", "attributes": ["officially licensed", "machine washable", "machine wash", "everyday wear"], "options": ["color: shout", "size: medium"], "instruction_attributes": ["machine washable"], "instruction_options": ["medium"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV4B3XG", "worker_id": "A1EREKSZAA9V7B"}], "B0997VM1K4": [{"asin": "B0997VM1K4", "instruction": "i am looking for a pu leather black color heavy duty bed frame.", "attributes": ["queen size", "heavy duty", "white item", "box spring", "pu leather", "solid wood"], "options": ["color: pu leather black"], "instruction_attributes": ["heavy duty"], "instruction_options": ["pu leather black"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH9RV1F", "worker_id": "A1Q8PPQQCWGY0D"}], "B0993Q31VY": [{"asin": "B0993Q31VY", "instruction": "i would like a 32 gig gray tablet with a usb port.", "attributes": ["high definition", "usb port"], "options": ["color: gray", "size: 2+32g"], "instruction_attributes": ["usb port"], "instruction_options": ["gray", "2+32g"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647DP3HI", "worker_id": "A1WS884SI0SLO4"}], "B09K5BRSLN": [{"asin": "B09K5BRSLN", "instruction": "i want a flower pattern fleece throw blanket.", "attributes": ["super soft", "fleece throw"], "options": ["color: flower pattern", "size: 50\"x40\""], "instruction_attributes": ["fleece throw"], "instruction_options": ["flower pattern"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTRWLPR", "worker_id": "A2RBF3IIJP15IH"}], "B000FZU0N2": [{"asin": "B000FZU0N2", "instruction": "i am looking for a low carb carba-nada roasted fettuccine", "attributes": ["hand crafted", "low carb"], "options": [""], "instruction_attributes": ["low carb"], "instruction_options": [], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7M25NY", "worker_id": "A258PTOZ3D2TQR"}], "B07PQT2JFJ": [{"asin": "B07PQT2JFJ", "instruction": "i am looking for a 3 pack of coconut oil hair therapy.", "attributes": ["coconut oil", "dry hair"], "options": ["color: black castor oil", "size: 3 pack"], "instruction_attributes": ["coconut oil"], "instruction_options": ["3 pack"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z9OGX9", "worker_id": "A1EREKSZAA9V7B"}], "B099RNFR1S": [{"asin": "B099RNFR1S", "instruction": "i need fully dimmable led floor lamp for living room", "attributes": ["easy assemble", "clear glass", "glass shade", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVQ5LXF", "worker_id": "A258PTOZ3D2TQR"}], "B00194EQZQ": [{"asin": "B00194EQZQ", "instruction": "i am looking for cherry red softy t color boots that are light weight.", "attributes": ["light weight", "synthetic sole"], "options": ["color: cherry red softy t", "size: 1 little kid", "special size type: 3,4,5,6,7,8,9,10,11,12,13"], "instruction_attributes": ["light weight"], "instruction_options": ["cherry red softy t"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647DR3HK", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00194EQZQ", "instruction": "i'm looking for an original lightweight lace-up boot for my little toddler; she's a size 7.", "attributes": ["light weight", "synthetic sole"], "options": ["color: black smooth", "size: 7 toddler", "special size type: little kid (4-8 years)"], "instruction_attributes": ["light weight"], "instruction_options": ["7 toddler", "little kid (4-8 years)"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYG082Y", "worker_id": "A3LIIE572Z4OG7"}], "B09FLSNYWQ": [{"asin": "B09FLSNYWQ", "instruction": "i am looking for a king size memory foam mattress.", "attributes": ["queen size", "memory foam"], "options": ["size: king", "style: 12 inches memory foam"], "instruction_attributes": ["memory foam"], "instruction_options": ["king"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB9ZY4Y", "worker_id": "A1Q8PPQQCWGY0D"}], "B09BZHV31Y": [{"asin": "B09BZHV31Y", "instruction": "i want to buy shaver for women which is easy to clean.", "attributes": ["easy clean", "hair removal"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHRADC02", "worker_id": "AJY5G987IRT25"}], "B07DSKWHR5": [{"asin": "B07DSKWHR5", "instruction": "i'm looking for meatless bac'n and cheddar cheese.", "attributes": ["gluten free", "plant based", "dairy free", "soy free", "non gmo", "artificial flavors"], "options": ["size: 10.9 ounce (pack of 1)"], "instruction_attributes": ["gluten free", "dairy free"], "instruction_options": ["10.9 ounce (pack of 1)"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7Y6CUS", "worker_id": "A21IUUHBSEVB56"}], "B09R1JX97F": [{"asin": "B09R1JX97F", "instruction": "i am looking for rose pink color stainless steel bands.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: rose pink", "size: 42mm | 44mm | 45mm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["rose pink"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8S26Q4", "worker_id": "A1Q8PPQQCWGY0D"}], "B09129SHF1": [{"asin": "B09129SHF1", "instruction": "i would like a coated steel filing cabinet.", "attributes": ["fully assembled", "heavy duty", "coated steel"], "options": [""], "instruction_attributes": ["coated steel"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBC1K4Q5", "worker_id": "A1WS884SI0SLO4"}], "B09RPGV59Z": [{"asin": "B09RPGV59Z", "instruction": "i'm looking for purple daily wear sleepwear made from a polyester/cotton blend in a size large.", "attributes": ["quality polyester", "polyester cotton", "teen girls", "daily wear"], "options": ["color: purple", "size: large"], "instruction_attributes": ["polyester cotton", "daily wear"], "instruction_options": ["purple", "large"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLLM2FK", "worker_id": "AFU00NU09CFXE"}], "B09HQW1HY8": [{"asin": "B09HQW1HY8", "instruction": "i need a anti slip snow boots.", "attributes": ["knee high", "non slip", "anti slip", "high heel", "closed toe", "memory foam", "rubber sole"], "options": ["color: coffee", "size: 8.5"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "358010RM5P3MV5OW59A6A8MHMOIXVL", "worker_id": "AVIEE6LDH0BT5"}], "B09NL166C9": [{"asin": "B09NL166C9", "instruction": "i want a lake blue skin care set that is bpa free.", "attributes": ["leak proof", "bpa free", "high quality", "green tea", "dark circles", "sensitive skin"], "options": ["color: lake blue"], "instruction_attributes": ["bpa free"], "instruction_options": ["lake blue"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1Y3QEHX", "worker_id": "A1WS884SI0SLO4"}], "B08RDLHZTP": [{"asin": "B08RDLHZTP", "instruction": "i am looking for red cupcake toppers for cupcake picks valentine day party supplies birthday party", "attributes": ["cupcake picks", "valentine day", "party supplies", "birthday party"], "options": ["color: red"], "instruction_attributes": ["cupcake picks", "valentine day", "party supplies", "birthday party"], "instruction_options": ["red"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907VKAUN", "worker_id": "A9QRQL9CFJBI7"}], "B097ZTCX4X": [{"asin": "B097ZTCX4X", "instruction": "i am looking for wall baskets that are easy to install.", "attributes": ["wall mounted", "easy install"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZTR50N", "worker_id": "A1Q8PPQQCWGY0D"}], "B093LLCRLB": [{"asin": "B093LLCRLB", "instruction": "i need a gluten free oil spray bottle.", "attributes": ["gluten free", "non gmo", "quality ingredients"], "options": ["flavor name: sun coco oil", "size: 16.9 fl oz (pack of 1)", "style: bottle"], "instruction_attributes": ["gluten free"], "instruction_options": ["bottle"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRJANW1", "worker_id": "AVIEE6LDH0BT5"}], "B07G4FZ9P4": [{"asin": "B07G4FZ9P4", "instruction": "i want to buy a sofa which is suitable for living room and is of black color, and it should be of size of typical sofa.", "attributes": ["button tufted", "contemporary design", "living room"], "options": ["color: black", "size: sofa"], "instruction_attributes": ["living room"], "instruction_options": ["black", "sofa"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVSSJKT", "worker_id": "AJY5G987IRT25"}], "B09M73DKZG": [{"asin": "B09M73DKZG", "instruction": "i am looking for a white, 7' x 5', light weight photo backdrop.", "attributes": ["light weight", "high resolution", "easy carry"], "options": ["color: white z", "size: 7x5 ft"], "instruction_attributes": ["light weight"], "instruction_options": ["white z", "7x5 ft"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB17DLUA", "worker_id": "AK3JMCIGU8MLU"}], "B07YJGDF7V": [{"asin": "B07YJGDF7V", "instruction": "i'm looking for a plug play usb microphone", "attributes": ["plug play", "noise cancelling", "high performance"], "options": [""], "instruction_attributes": ["plug play"], "instruction_options": [], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LL6PSB", "worker_id": "A2Y2TURT2VEYZN"}], "B09Q74D6T5": [{"asin": "B09Q74D6T5", "instruction": "i am looking for 2 pounds of individually wrapped chocolate hearts in a resealable bag.", "attributes": ["kosher certified", "individually wrapped", "resealable bag", "valentine day", "perfect gift"], "options": ["style: 80 count (2 pounds)"], "instruction_attributes": ["individually wrapped", "resealable bag"], "instruction_options": ["80 count (2 pounds)"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EHXSWV", "worker_id": "A1EREKSZAA9V7B"}], "B093QN8NGV": [{"asin": "B093QN8NGV", "instruction": "i would like a body brush with a long handle.", "attributes": ["easy use", "long handle"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIG0L2Y", "worker_id": "A1WS884SI0SLO4"}], "B09KP78G37": [{"asin": "B09KP78G37", "instruction": "i am looking for x-large, red color women faux fur lined winter warm jacket coat", "attributes": ["winter warm", "long sleeve", "faux fur"], "options": ["color: red", "size: x-large"], "instruction_attributes": ["winter warm"], "instruction_options": ["red", "x-large"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTX1L7V", "worker_id": "A258PTOZ3D2TQR"}], "B09S1C5Q4K": [{"asin": "B09S1C5Q4K", "instruction": "i need a king sized bed", "attributes": ["long lasting", "memory foam", "king size"], "options": ["size: king"], "instruction_attributes": ["king size"], "instruction_options": ["king"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3247QK", "worker_id": "A2ECRNQ3X5LEXD"}], "B07SH347Z1": [{"asin": "B07SH347Z1", "instruction": "find me a mobile with 4g lte and a quad core", "attributes": ["quad core", "4g lte"], "options": [""], "instruction_attributes": ["quad core", "4g lte"], "instruction_options": [], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E24V530", "worker_id": "A2Y2TURT2VEYZN"}], "B09JMV9DHX": [{"asin": "B09JMV9DHX", "instruction": "i am interesting in having denim pants which have high waist and are loose fit, and i prefer to have them with blue color, also size of 10.", "attributes": ["wash cold", "slim fit", "machine wash", "straight leg", "loose fit", "hand wash", "relaxed fit", "high waist", "elastic waist", "button closure", "short sleeve", "tumble dry", "daily wear"], "options": ["color: blue- baggy jeans for teen girls y2k pants", "size: 10"], "instruction_attributes": ["loose fit", "high waist"], "instruction_options": ["blue- baggy jeans for teen girls y2k pants", "10"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXJTUJ4", "worker_id": "AJY5G987IRT25"}], "B09JDCSS8Q": [{"asin": "B09JDCSS8Q", "instruction": "i'm looking for a box of pistachio nip flavored baklava made of natural ingredients.", "attributes": ["natural ingredients", "artificial flavors", "great gift"], "options": ["flavor name: pistachio nip s"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["pistachio nip s"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z4E4CQT", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B09JDCSS8Q", "instruction": "i am looking for pistachio padishah xl flavor desserts containing artificial flavors.", "attributes": ["natural ingredients", "artificial flavors", "great gift"], "options": ["flavor name: pistachio padishah xl"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["pistachio padishah xl"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4E6R6S", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09JDCSS8Q", "instruction": "i need to buy a tin of baklava. make sure it has all natural ingredients. get the walnut twister flavor.", "attributes": ["natural ingredients", "artificial flavors", "great gift"], "options": ["flavor name: walnut twister s"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["walnut twister s"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9KKB0R", "worker_id": "AR9AU5FY1S3RO"}], "B09842B57N": [{"asin": "B09842B57N", "instruction": "i'm looking for a double sided silicone exfoliating brush in purple color", "attributes": ["easy clean", "double sided", "hair growth", "dead skin", "sensitive skin"], "options": ["color: purple"], "instruction_attributes": ["double sided"], "instruction_options": ["purple"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZ0OZJC", "worker_id": "A2Y2TURT2VEYZN"}], "B09ND14XW6": [{"asin": "B09ND14XW6", "instruction": "i am looking for a pair of women's size 6.5 grey heeled sandals with memory foam.", "attributes": ["open toe", "ankle strap", "high heel", "memory foam"], "options": ["color: grey", "size: 6.5"], "instruction_attributes": ["memory foam"], "instruction_options": ["grey", "6.5"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXNQKWC", "worker_id": "A1EREKSZAA9V7B"}], "B08Z8LYMMX": [{"asin": "B08Z8LYMMX", "instruction": "i would like a mauve travel size cosmetic bag.", "attributes": ["travel size", "travel bottles"], "options": ["color: mauve"], "instruction_attributes": ["travel size"], "instruction_options": ["mauve"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN45GOO", "worker_id": "A1WS884SI0SLO4"}], "B01IA9BBSM": [{"asin": "B01IA9BBSM", "instruction": "i'm locking for a clinical strength anti-perspirant deodorant.", "attributes": ["anti perspirant", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": [], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8TH085ZD", "worker_id": "A21IUUHBSEVB56"}], "B09FPJDTCX": [{"asin": "B09FPJDTCX", "instruction": "i need to buy a high definition blu ray power amplifier.", "attributes": ["power amplifier", "blu ray", "high definition"], "options": [""], "instruction_attributes": ["power amplifier", "blu ray", "high definition"], "instruction_options": [], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYYWHV9", "worker_id": "AR9AU5FY1S3RO"}], "B00TQV7MQY": [{"asin": "B00TQV7MQY", "instruction": "i would like a chrome napkin holder made of coated steel.", "attributes": ["coated steel", "storage space"], "options": ["color: chrome"], "instruction_attributes": ["coated steel"], "instruction_options": ["chrome"], "assignment_id": "3G2UL9A02OO71034MOY04HTU31W76R", "worker_id": "A1WS884SI0SLO4"}], "B09PJB1WCC": [{"asin": "B09PJB1WCC", "instruction": "i am looking for an easy to assemble navy table with storage for my living room.", "attributes": ["easy assemble", "solid wood", "storage space", "living room"], "options": ["color: navy-31t4"], "instruction_attributes": ["easy assemble", "living room"], "instruction_options": ["navy-31t4"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDRVK56", "worker_id": "A1EREKSZAA9V7B"}], "B00IMX6ZP6": [{"asin": "B00IMX6ZP6", "instruction": "i want mitchum roll-on anti-perspirant.", "attributes": ["anti perspirant", "dermatologist tested"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8IG5R9", "worker_id": "A2RBF3IIJP15IH"}], "B00YCT1DQU": [{"asin": "B00YCT1DQU", "instruction": "i am interested in buying a contemporary bed which has wood finish and is california king size.", "attributes": ["white item", "faux leather", "wood finish"], "options": ["size: california king"], "instruction_attributes": ["wood finish"], "instruction_options": ["california king"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYTFXFG", "worker_id": "AJY5G987IRT25"}], "B092HJZSJ6": [{"asin": "B092HJZSJ6", "instruction": "i am looking for a variety gourmet gift basket for valentine's day.", "attributes": ["hand crafted", "gift basket", "great gift", "valentine day"], "options": [""], "instruction_attributes": ["gift basket", "valentine day"], "instruction_options": [], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIODEFZ", "worker_id": "A1EREKSZAA9V7B"}], "B078XY9B6C": [{"asin": "B078XY9B6C", "instruction": "i'm looking for round modern glass coffee table.", "attributes": ["long lasting", "clear glass", "engineered wood"], "options": ["color: walnut | matte black", "size: table set", "style: chelsea"], "instruction_attributes": ["engineered wood"], "instruction_options": ["table set"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107CULI6", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B078XY9B6C", "instruction": "i need to get a long lasting coffee table with the style of chelsea.", "attributes": ["long lasting", "clear glass", "engineered wood"], "options": ["color: white | matte black", "size: end table", "style: chelsea"], "instruction_attributes": ["long lasting"], "instruction_options": ["chelsea"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PKQ2X7", "worker_id": "A15ERD4HOFEPHM"}], "B07XKWMYZP": [{"asin": "B07XKWMYZP", "instruction": "i would like a 10.6 ounce combo pack of low carb, keto friendly chips.", "attributes": ["keto friendly", "low sugar", "low fat", "soy free", "low carb"], "options": ["color: combo pack", "size: 10.6 ounce (pack of 1)"], "instruction_attributes": ["keto friendly", "low carb"], "instruction_options": ["combo pack", "10.6 ounce (pack of 1)"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVKFSZ1", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07XKWMYZP", "instruction": "i want the keto friendly and low carb protein puffs. pick the garlic parmesan one.", "attributes": ["keto friendly", "low sugar", "low fat", "soy free", "low carb"], "options": ["color: garlic parmesan", "size: 2.1 ounce (pack of 12)"], "instruction_attributes": ["keto friendly", "low carb"], "instruction_options": ["garlic parmesan"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3S9FG3R", "worker_id": "A1NF6PELRKACS9"}], "B09MDXNW5F": [{"asin": "B09MDXNW5F", "instruction": "i would like a 6 tier bookcase that is easy to assemble.", "attributes": ["white item", "easy assemble"], "options": ["color: white | 6-tier bookcases"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white | 6-tier bookcases"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANJ3SXO", "worker_id": "A1WS884SI0SLO4"}], "B08JGLPHNV": [{"asin": "B08JGLPHNV", "instruction": "i am looking for black color loop bands that are light weight.", "attributes": ["compatible apple", "light weight", "stainless steel"], "options": ["color: black", "size: for iwatch 41 | 40 | 38mm ( wrist 8\"- 11\")"], "instruction_attributes": ["light weight"], "instruction_options": ["black"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQDG0NV", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08JGLPHNV", "instruction": "i want to find green, blue and white bands that are compatible with my apple watch 45. the bands should fit my wrist, which is 4.5 inches in circumference.", "attributes": ["compatible apple", "light weight", "stainless steel"], "options": ["color: green | blue | white", "size: for iwatch 45 | 42 | 44mm ( wrist 4.5\"- 8.54\")"], "instruction_attributes": ["compatible apple"], "instruction_options": ["green | blue | white", "for iwatch 45 | 42 | 44mm ( wrist 4.5\"- 8.54\")"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOI29LY", "worker_id": "A345TDMHP3DQ3G"}], "B09T955CJ2": [{"asin": "B09T955CJ2", "instruction": "i need slip ons that are grey and are made of memory foam", "attributes": ["non slip", "memory foam", "arch support", "rubber sole"], "options": ["color: grey", "size: 9"], "instruction_attributes": ["memory foam"], "instruction_options": ["grey"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PP52XW", "worker_id": "A2ECRNQ3X5LEXD"}], "B079Y5V25L": [{"asin": "B079Y5V25L", "instruction": "i would like to buy protein bars which are gluten free, and have chocolate hazelnut crisp flavor, and come in pack of 1 with 8 pieces.", "attributes": ["non gmo", "gluten free"], "options": ["flavor name: chocolate hazelnut crisp", "size: 8 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["chocolate hazelnut crisp", "8 count (pack of 1)"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4ND89V", "worker_id": "AJY5G987IRT25"}], "B09NKJS8LF": [{"asin": "B09NKJS8LF", "instruction": "i want a high power professional stereo bluetooth speaker.", "attributes": ["power amplifier", "high power"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E80F8GT", "worker_id": "A2RBF3IIJP15IH"}], "B083ZQ7T27": [{"asin": "B083ZQ7T27", "instruction": "i want a large zabra patch leggings with a elastic closure.", "attributes": ["hand wash", "nylon spandex", "soft material", "elastic closure", "daily wear"], "options": ["color: 3#zabra-patch", "size: large"], "instruction_attributes": ["elastic closure"], "instruction_options": ["3#zabra-patch", "large"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R9RYT7", "worker_id": "A1WS884SI0SLO4"}], "B09QBY2MF3": [{"asin": "B09QBY2MF3", "instruction": "i am looking for a 49 inch by 59 inch easy to clean fleece throw blanket.", "attributes": ["double sided", "super soft", "machine washable", "easy clean", "fleece throw"], "options": ["color: easterfly3222", "size: 49 x 59 in"], "instruction_attributes": ["easy clean"], "instruction_options": ["49 x 59 in"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL2SAVB", "worker_id": "A1EREKSZAA9V7B"}], "B0872MK42V": [{"asin": "B0872MK42V", "instruction": "i need some small elastic waistband shorts", "attributes": ["machine wash", "elastic closure", "elastic waistband"], "options": ["color: onyx white (112) | onyx white", "size: small tall"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["small tall"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LFOO1Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B0999MCV9T": [{"asin": "B0999MCV9T", "instruction": "i'm looking for a teeth whitening electric toothbrush in the color blue.", "attributes": ["teeth whitening", "oral hygiene"], "options": ["color: blue b13"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["blue b13"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602XN955", "worker_id": "AK3JMCIGU8MLU"}], "B09KTV71R2": [{"asin": "B09KTV71R2", "instruction": "i am looking for easy spirit traveltime529 mule shoes with arch support, rubber soles and in size 7.5 wide.", "attributes": ["arch support", "rubber sole"], "options": ["size: 7.5 x-wide"], "instruction_attributes": ["arch support", "rubber sole"], "instruction_options": ["7.5 x-wide"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZN4C7L", "worker_id": "AK3JMCIGU8MLU"}], "B00EY9UPI0": [{"asin": "B00EY9UPI0", "instruction": "i want to buy a foundation for makeup which is oil free, non toxic and is of classic beige color, also i want two of those.", "attributes": ["oil free", "non toxic", "long lasting", "eye shadow"], "options": ["color: classic beige", "size: 2 count"], "instruction_attributes": ["oil free", "non toxic"], "instruction_options": ["classic beige", "2 count"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX31FU1K", "worker_id": "AJY5G987IRT25"}], "B019K9VBIG": [{"asin": "B019K9VBIG", "instruction": "i am looking for a anti aging and long lasting lip balm.", "attributes": ["anti aging", "long lasting", "high quality", "dead skin"], "options": [""], "instruction_attributes": ["anti aging", "long lasting"], "instruction_options": [], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGGXMSE", "worker_id": "A1Q8PPQQCWGY0D"}], "B07QVLFMSL": [{"asin": "B07QVLFMSL", "instruction": "i'm looking for a sheet for a beauty salon table. it should be non-toxic, and i want it in color 3.", "attributes": ["non toxic", "beauty salon"], "options": ["color: 03#"], "instruction_attributes": ["non toxic", "beauty salon"], "instruction_options": ["03#"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI79OZGR", "worker_id": "AR9AU5FY1S3RO"}], "B09KW842X3": [{"asin": "B09KW842X3", "instruction": "i am looking for a women's medium size royal blue tank top that is machine washable.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: women", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["royal blue", "women", "medium"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLO1RO7Y", "worker_id": "A1EREKSZAA9V7B"}], "B09GP8Z91F": [{"asin": "B09GP8Z91F", "instruction": "i am looking for knee high, anti-slip, snow boots in the color black and size 10.", "attributes": ["non slip", "knee high", "winter warm", "anti slip", "open toe", "rubber sole", "steel toe", "ankle strap"], "options": ["color: qm1- a7-black", "size: 10"], "instruction_attributes": ["knee high", "anti slip"], "instruction_options": ["qm1- a7-black", "10"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98ILL2MC", "worker_id": "AK3JMCIGU8MLU"}], "B07T42TZLP": [{"asin": "B07T42TZLP", "instruction": "i would like a 18 inch medium brown hair extensions.", "attributes": ["double sided", "hair extensions", "hair salon"], "options": ["color: 6# medium brown", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["6# medium brown", "18 inch"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS5LG9C", "worker_id": "A1WS884SI0SLO4"}], "B093L52RXG": [{"asin": "B093L52RXG", "instruction": "i would like a laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3VE8AYVF8X77K71YXMTACN227LEF80", "worker_id": "A1WS884SI0SLO4"}], "B09FGJSGXR": [{"asin": "B09FGJSGXR", "instruction": "i am looking for a high performance wireless bluetooth camouflage green game controller.", "attributes": ["non slip", "high performance", "wireless bluetooth"], "options": ["color: camouflage green"], "instruction_attributes": ["high performance", "wireless bluetooth"], "instruction_options": ["camouflage green"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCK3YDNC", "worker_id": "A1EREKSZAA9V7B"}], "B085NH2C7W": [{"asin": "B085NH2C7W", "instruction": "i want a large red sweatshirt with long sleeves.", "attributes": ["light weight", "short sleeve", "long sleeve"], "options": ["color: red", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["red", "large"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VVTMXG", "worker_id": "A1WS884SI0SLO4"}], "B07RWKTZ6L": [{"asin": "B07RWKTZ6L", "instruction": "i am interested in buying men's and women's clog shoes which have ethylene vinyl, and are in black color, also i am interested in sizes 14 for women and 12 for men.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: black", "size: 14 women | 12 men"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["black", "14 women | 12 men"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3Q0LZ9", "worker_id": "AJY5G987IRT25"}], "B08KFS44G1": [{"asin": "B08KFS44G1", "instruction": "i am looking for munk pack keto granola bars that are plant based.", "attributes": ["low carb", "gluten free", "low sugar", "low calorie", "plant based", "non gmo"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NNEBKV", "worker_id": "AK3JMCIGU8MLU"}], "B07YLDTTP1": [{"asin": "B07YLDTTP1", "instruction": "find a mattress with high density foam with cover included.", "attributes": ["high density", "memory foam"], "options": ["color: high density foam + mattress cover", "size: bunk (28\" x 72\")"], "instruction_attributes": ["high density"], "instruction_options": ["high density foam + mattress cover"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFN0WH85", "worker_id": "AVIEE6LDH0BT5"}], "B08562KG6V": [{"asin": "B08562KG6V", "instruction": "i am looking for a contemporary designed coffee table with clear tempered glass.", "attributes": ["contemporary design", "clear glass", "tempered glass"], "options": ["style: coffee table"], "instruction_attributes": ["contemporary design", "clear glass", "tempered glass"], "instruction_options": ["coffee table"], "assignment_id": "32SCWG5HISEW7674IASH43KF3V06PV", "worker_id": "A1EREKSZAA9V7B"}], "B01MSS7GKM": [{"asin": "B01MSS7GKM", "instruction": "i am looking for chopped walnuts that are non gmo, gluten free and in the 2 pound size.", "attributes": ["non gmo", "gluten free", "plant based", "resealable bag"], "options": ["size: 2 pound (pack of 1)", "style: walnut lover's bundle"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG63BGY", "worker_id": "AK3JMCIGU8MLU"}], "B09J89JGPG": [{"asin": "B09J89JGPG", "instruction": "i am looking for a xx-large long sleeve active sweatshirts", "attributes": ["hand wash", "daily casual", "loose fit", "long sleeve", "soft material", "faux fur", "drawstring closure", "polyester spandex", "daily wear"], "options": ["color: e-2 gray", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["xx-large"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATAT73K", "worker_id": "A9QRQL9CFJBI7"}], "B09NBS9JHY": [{"asin": "B09NBS9JHY", "instruction": "i'm looking for a unique thailand seasoned bbq crickets.", "attributes": ["high protein", "low fat", "keto friendly"], "options": ["flavor name: tom yom crickets", "size: single pack"], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVSLJKM", "worker_id": "A21IUUHBSEVB56"}], "B09PJNRP69": [{"asin": "B09PJNRP69", "instruction": "i want a x-large and machine washable lazy tuxedo t-shirt.", "attributes": ["wash cold", "machine wash", "drawstring closure", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: olive", "fit type: women", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["x-large"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IEBCBP", "worker_id": "A2RBF3IIJP15IH"}], "B085Y271VD": [{"asin": "B085Y271VD", "instruction": "i would like a pair of size 8 brown sandals with a rubber sole.", "attributes": ["non slip", "closed toe", "rubber outsole", "rubber sole"], "options": ["color: brown-2", "size: 8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown-2", "8"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FGMK8W", "worker_id": "A1WS884SI0SLO4"}], "B09HZVVCVZ": [{"asin": "B09HZVVCVZ", "instruction": "i would like a sierra blue 13 pro max phone case that has wireless charging.", "attributes": ["stainless steel", "wireless charging"], "options": ["color: sierra blue", "size: 13 pro max"], "instruction_attributes": ["wireless charging"], "instruction_options": ["sierra blue", "13 pro max"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB615YJ", "worker_id": "A1WS884SI0SLO4"}], "B09NC8GJGN": [{"asin": "B09NC8GJGN", "instruction": "i'm interested in cupcake picks suitable for a baby shower or birthday party.", "attributes": ["baby shower", "birthday party", "cupcake picks", "party supplies"], "options": [""], "instruction_attributes": ["baby shower", "birthday party", "cupcake picks"], "instruction_options": [], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68JAA4G", "worker_id": "AFU00NU09CFXE"}], "B09S2YQ1GD": [{"asin": "B09S2YQ1GD", "instruction": "i want to buy short sleeve t-shirts for men which are in yellow color, and of size x-large.", "attributes": ["short sleeve", "long sleeve", "polyester cotton", "dry clean"], "options": ["color: b-yellow", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["b-yellow", "x-large"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMH1XD9", "worker_id": "AJY5G987IRT25"}], "B09PGDMPZV": [{"asin": "B09PGDMPZV", "instruction": "i am looking for short sleeve women t-shirt of xx-large size.", "attributes": ["loose fit", "short sleeve", "long sleeve"], "options": ["color: tee for women - a035-green", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYQRM6H", "worker_id": "A1Q8PPQQCWGY0D"}], "B08ZSDCQ3N": [{"asin": "B08ZSDCQ3N", "instruction": "i would like a 2xl multicolor vest that can be machine washed.", "attributes": ["wash cold", "machine wash", "unique design", "tumble dry"], "options": ["color: multi8", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["multi8", "xx-large"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LNY5I8", "worker_id": "A1WS884SI0SLO4"}], "B0773BD3L4": [{"asin": "B0773BD3L4", "instruction": "i'm looking for 2 packs of peanut butter.", "attributes": ["trader joe", "artificial colors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9BPN82", "worker_id": "A21IUUHBSEVB56"}], "B07RLM48S7": [{"asin": "B07RLM48S7", "instruction": "i want to buy lights which are vanity light chandelier, and in brushed oil rubbed bronze color, also i want to have nine lights.", "attributes": ["vanity light", "light fixture"], "options": ["color: brushed oil rubbed bronze", "size: nine-light", "style: chandelier"], "instruction_attributes": ["vanity light"], "instruction_options": ["brushed oil rubbed bronze", "nine-light", "chandelier"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXG1G76", "worker_id": "AJY5G987IRT25"}], "B077S9R9KT": [{"asin": "B077S9R9KT", "instruction": "i need a variety pack of gmo-free, low carb dessert syrups.", "attributes": ["low carb", "sugar free", "gmo free", "gluten free"], "options": ["flavor name: variety"], "instruction_attributes": ["sugar free", "gmo free"], "instruction_options": ["variety"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2IHOIA", "worker_id": "AR9AU5FY1S3RO"}], "B08XJL8V51": [{"asin": "B08XJL8V51", "instruction": "i want to find one wide-toothed grooming comb for hair styling.", "attributes": ["high quality", "hair styling"], "options": ["style: one"], "instruction_attributes": ["hair styling"], "instruction_options": ["one"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXC8FCF", "worker_id": "A345TDMHP3DQ3G"}], "B07WF8MSS6": [{"asin": "B07WF8MSS6", "instruction": "i am looking for a small polyester cotton costumes", "attributes": ["day comfort", "polyester cotton", "long sleeve"], "options": ["color: 4star", "size: small"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["small"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCGGH78", "worker_id": "A9QRQL9CFJBI7"}], "B082MD69W2": [{"asin": "B082MD69W2", "instruction": "i want a white executive chair with lumbar support.", "attributes": ["high density", "easy clean", "lumbar support", "pu leather"], "options": ["size: white-4 pack"], "instruction_attributes": ["lumbar support"], "instruction_options": ["white-4 pack"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCFB7HR", "worker_id": "A1WS884SI0SLO4"}], "B012JRTWBY": [{"asin": "B012JRTWBY", "instruction": "i want to buy organic ghee which is non gmo and comes in a pack of 2 at 16 ounces.", "attributes": ["grass fed", "trader joe", "certified organic", "non gmo", "gluten free"], "options": ["size: 16 ounce (pack of 2)"], "instruction_attributes": ["non gmo"], "instruction_options": ["16 ounce (pack of 2)"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU52AL6", "worker_id": "AJY5G987IRT25"}], "B07JXSSM6G": [{"asin": "B07JXSSM6G", "instruction": "i want a microsoft surface pro 4 tablet with intel i5-6300u.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["intel core"], "instruction_options": [], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX32T1U7", "worker_id": "A2RBF3IIJP15IH"}], "B07ZYYS5CK": [{"asin": "B07ZYYS5CK", "instruction": "i'm looking for a woman's xx large black hoodie.", "attributes": ["loose fit", "contrast color", "long sleeve", "daily wear"], "options": ["color: z2-black", "size: xx-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["z2-black", "xx-large"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9H2W1DV", "worker_id": "AR9AU5FY1S3RO"}], "B004QQ9LVS": [{"asin": "B004QQ9LVS", "instruction": "i would like to buy vitamins which are non gmo, and gluten free, and they should be organic womens gummy kind.", "attributes": ["wild caught", "gmo free", "non gmo", "gluten free"], "options": ["style: organic womens gummy"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["organic womens gummy"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0255QKA6", "worker_id": "AJY5G987IRT25"}], "B07KPXWS62": [{"asin": "B07KPXWS62", "instruction": "i am looking for black color , 15 size women high heel and pointed toe slip on pumps", "attributes": ["high heel", "rubber outsole", "rubber sole"], "options": ["color: black", "size: 15"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["black", "15"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLN40MT", "worker_id": "A258PTOZ3D2TQR"}], "B09R6ZSDFF": [{"asin": "B09R6ZSDFF", "instruction": "i would like a 3xl blue long sleeve polo.", "attributes": ["slim fit", "long sleeve", "short sleeve", "gym workout"], "options": ["color: 145- blue", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["145- blue", "3x-large"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IE0BCD", "worker_id": "A1WS884SI0SLO4"}], "B077BG8M3Y": [{"asin": "B077BG8M3Y", "instruction": "i am looking for a stool set of size 30 inch for my dining room.", "attributes": ["easy assemble", "space saving", "dining room"], "options": ["color: matte black with wooden seats", "size: 30 inch"], "instruction_attributes": ["dining room"], "instruction_options": ["30 inch"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662ZLM4W", "worker_id": "A1Q8PPQQCWGY0D"}], "B01HJWELG0": [{"asin": "B01HJWELG0", "instruction": "i need a ten pack of male to male hdmi cables that are gold plated and high speed.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 80 feet (2-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "hdmi male to male"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRQ7FMS", "worker_id": "AR9AU5FY1S3RO"}], "B085NLQ6GV": [{"asin": "B085NLQ6GV", "instruction": "i want to buy pillow covers which are suitable for living room, and are in dark blue or light grey colors, and i want to have 2 of them with size 12\" x20\"", "attributes": ["exquisite workmanship", "living room"], "options": ["color: dark blue2 | light grey", "size: 2 pieces, 12\" x20\""], "instruction_attributes": ["living room"], "instruction_options": ["dark blue2 | light grey", "2 pieces, 12\" x20\""], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU77O57E", "worker_id": "AJY5G987IRT25"}], "B09P9XB3W9": [{"asin": "B09P9XB3W9", "instruction": "i want to find a certified organic premium tea gift set.", "attributes": ["certified organic", "sugar free", "gift set"], "options": [""], "instruction_attributes": ["certified organic", "gift set"], "instruction_options": [], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8FFA5V", "worker_id": "A345TDMHP3DQ3G"}], "B08R91N3PT": [{"asin": "B08R91N3PT", "instruction": "i am looking for a 55 inch high definition ultra thin tv.", "attributes": ["wall mounted", "high definition", "high resolution"], "options": ["color: 2k online version", "size: 55 inches"], "instruction_attributes": ["high definition"], "instruction_options": ["55 inches"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQKOKE1", "worker_id": "A1EREKSZAA9V7B"}], "B092QP3PQ8": [{"asin": "B092QP3PQ8", "instruction": "i would like a pink body brush that has a long handle.", "attributes": ["double sided", "non slip", "long handle", "dead skin", "sensitive skin"], "options": ["color: pink"], "instruction_attributes": ["long handle"], "instruction_options": ["pink"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKOMD7U", "worker_id": "A1WS884SI0SLO4"}], "B07CZJZQVT": [{"asin": "B07CZJZQVT", "instruction": "i am looking for some 18 inch medium brown synthetic hair extensions.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: medium brown", "size: 18 inch (pack of 1)"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["medium brown", "18 inch (pack of 1)"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA4N8A0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07CZJZQVT", "instruction": "i want dark blonde hair extensions.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: dark blonde | beach blonde", "size: 18 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["dark blonde | beach blonde"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXREANWR", "worker_id": "A2RBF3IIJP15IH"}], "B09KNCLX49": [{"asin": "B09KNCLX49", "instruction": "i would like a 2xl khaki cardigan that is machine washable.", "attributes": ["hand wash", "machine wash", "laundry bag"], "options": ["color: khaki", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["khaki", "xx-large"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOGVNO7", "worker_id": "A1WS884SI0SLO4"}], "B08532F8QQ": [{"asin": "B08532F8QQ", "instruction": "i'm looking for unisex garden clogs shoes.", "attributes": ["anti slip", "quick drying", "ethylene vinyl", "vinyl acetate"], "options": ["color: black e", "size: 12.5 women | 11 men"], "instruction_attributes": ["anti slip", "quick drying"], "instruction_options": ["12.5 women | 11 men"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1C0I2B", "worker_id": "A21IUUHBSEVB56"}], "B08S2ZDLGT": [{"asin": "B08S2ZDLGT", "instruction": "i want a 90 by 30 desk with a solid wood frame.", "attributes": ["wall mounted", "steel frame", "solid wood"], "options": ["size: 90x30cm | 35.5x12in-woodcolor"], "instruction_attributes": ["solid wood"], "instruction_options": ["90x30cm | 35.5x12in-woodcolor"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTM8D4M", "worker_id": "A1WS884SI0SLO4"}], "B08CGY86Z7": [{"asin": "B08CGY86Z7", "instruction": "i need a high power cable that is color3", "attributes": ["power amplifier", "high power", "easy install"], "options": ["color: color3"], "instruction_attributes": ["high power"], "instruction_options": ["color3"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8FZ5AA", "worker_id": "A2ECRNQ3X5LEXD"}], "B0971DXLTT": [{"asin": "B0971DXLTT", "instruction": "i want to find a set of four vanity lights that are easy to install. they must be gold.", "attributes": ["easy install", "vanity light", "living room"], "options": ["color: gold", "size: 4 light"], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": ["gold", "4 light"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7M05NW", "worker_id": "A345TDMHP3DQ3G"}], "B005VP1WA6": [{"asin": "B005VP1WA6", "instruction": "i want a gluten free and blueberry coconut rise energy plus bar.", "attributes": ["soy free", "gluten free"], "options": ["flavor name: blueberry coconut", "size: 12 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["blueberry coconut"], "assignment_id": "37C0GNLMHQDNI94ED11M493QPC0D6R", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B005VP1WA6", "instruction": "i need a soy free raspberry pomegranate rise energy plus bar.", "attributes": ["soy free", "gluten free"], "options": ["flavor name: raspberry pomegranate", "size: 2.1 ounce"], "instruction_attributes": ["soy free"], "instruction_options": ["raspberry pomegranate"], "assignment_id": "3X08E93BH6SOX0PZ3ET8Y3TY8M2669", "worker_id": "A2RBF3IIJP15IH"}], "B01M4OCTKU": [{"asin": "B01M4OCTKU", "instruction": "i'm looking for spring coil mattress.", "attributes": ["ready use", "queen size", "fully assembled", "assembly required", "box spring"], "options": ["size: queen", "style name: 4\" split foundation"], "instruction_attributes": ["queen size"], "instruction_options": ["queen"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKVS7VP", "worker_id": "A21IUUHBSEVB56"}], "B091DNHMJS": [{"asin": "B091DNHMJS", "instruction": "i am looking for navy color x-large womens long sleeve open front cardigan sweaters", "attributes": ["loose fit", "wash cold", "machine wash", "long sleeve", "dry clean"], "options": ["color: navy", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["navy"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TPY3NR", "worker_id": "A258PTOZ3D2TQR"}], "B09GTWSFKD": [{"asin": "B09GTWSFKD", "instruction": "i am looking for adjustable and quick release pink color smartwatch strap", "attributes": ["quick release", "easy install"], "options": ["color: pink"], "instruction_attributes": ["quick release"], "instruction_options": ["pink"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOHANOO", "worker_id": "A258PTOZ3D2TQR"}], "B0784F82Q5": [{"asin": "B0784F82Q5", "instruction": "i'm looking for a tower pc with a high performance", "attributes": ["certified refurbished", "high performance", "quad core"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMTBW9R", "worker_id": "A2Y2TURT2VEYZN"}], "B0815KZWN7": [{"asin": "B0815KZWN7", "instruction": "i want a 44wide by 30 long active fit pants made of quality materials.", "attributes": ["long lasting", "quality materials"], "options": ["color: delta - active fit", "size: 44w x 30l big tall"], "instruction_attributes": ["quality materials"], "instruction_options": ["delta - active fit", "44w x 30l big tall"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX32V1U9", "worker_id": "A1WS884SI0SLO4"}], "B08KST6KSS": [{"asin": "B08KST6KSS", "instruction": "i am looking for ca perfume club fragrance in the 0.17 fl oz travel size.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: frederic malle vetiver extraordinaire im...", "size: 0.17 fl oz | 5ml"], "instruction_attributes": ["travel size"], "instruction_options": ["0.17 fl oz | 5ml"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP66YVD9", "worker_id": "AK3JMCIGU8MLU"}], "B08KTR8VX5": [{"asin": "B08KTR8VX5", "instruction": "i'm locking for 3 packs of nutpods coconut macaroon.", "attributes": ["lactose free", "shelf stable", "plant based", "dairy free", "zero sugar"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "351SEKWQSBRP7CP60H83T50CFDODMC", "worker_id": "A21IUUHBSEVB56"}], "B0765VSXPX": [{"asin": "B0765VSXPX", "instruction": "i am looking for a pair of women's size 11 pumps with a rubber sole.", "attributes": ["closed toe", "unique design", "rubber sole"], "options": ["color: black fringe", "size: 11"], "instruction_attributes": ["rubber sole"], "instruction_options": ["11"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU77Y75Q", "worker_id": "A1EREKSZAA9V7B"}], "B093YTKGG5": [{"asin": "B093YTKGG5", "instruction": "i would like a laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL7MAE2", "worker_id": "A1WS884SI0SLO4"}], "B095CJCQ5J": [{"asin": "B095CJCQ5J", "instruction": "i need a remote control that has batteries included", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY7TP7O", "worker_id": "A2ECRNQ3X5LEXD"}], "B07J2NP9D9": [{"asin": "B07J2NP9D9", "instruction": "i would like a 6 inch full size brown bed with a steel frame.", "attributes": ["box spring", "memory foam", "steel frame", "solid wood"], "options": ["color: brown", "size: full", "style: 6 inch"], "instruction_attributes": ["steel frame"], "instruction_options": ["brown", "full", "6 inch"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4XPK7K", "worker_id": "A1WS884SI0SLO4"}], "B07FYTP342": [{"asin": "B07FYTP342", "instruction": "i'm looking for a pair mavi's regular rise, classic fit jeans in smoke blue twill in a size 34.", "attributes": ["straight leg", "classic fit"], "options": ["color: smoke blue twill", "size: 32-36"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TWQMPY", "worker_id": "AMI0SOF51O3FW"}], "B08SQDPWJ2": [{"asin": "B08SQDPWJ2", "instruction": "i want a silver makeup travel storage case.", "attributes": ["easy clean", "high quality", "storage case"], "options": ["color: silver", "style: upgrade"], "instruction_attributes": ["storage case"], "instruction_options": ["silver"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCNRBL6", "worker_id": "A2RBF3IIJP15IH"}], "B08Y99HCQZ": [{"asin": "B08Y99HCQZ", "instruction": "i am looking for a 63 inch wide by 72 inch long white curtain for my living room.", "attributes": ["white item", "living room", "dining room"], "options": ["color: color05", "size: 63\"w x 72\"l"], "instruction_attributes": ["white item", "living room"], "instruction_options": ["63\"w x 72\"l"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMSZEXE", "worker_id": "A1EREKSZAA9V7B"}], "B08ZCV9XVC": [{"asin": "B08ZCV9XVC", "instruction": "i am looking for 36 dirt bike themed cupcake toppers for a birthday party.", "attributes": ["cupcake picks", "birthday party", "birthday cake"], "options": ["pattern name: 36 pcs cupcake toppers"], "instruction_attributes": ["birthday party"], "instruction_options": ["36 pcs cupcake toppers"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYYLHVY", "worker_id": "A1EREKSZAA9V7B"}], "B07SJ8WBQ4": [{"asin": "B07SJ8WBQ4", "instruction": "i would like a light pink cosmetic case that is space saving.", "attributes": ["space saving", "storage unit"], "options": ["color: light pink | clear"], "instruction_attributes": ["space saving"], "instruction_options": ["light pink | clear"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V3EFG1", "worker_id": "A1WS884SI0SLO4"}], "B09NQC61MF": [{"asin": "B09NQC61MF", "instruction": "i want to find a plus-sized medium short-sleeve top for women in navy.", "attributes": ["short sleeve", "long sleeve"], "options": ["color: tops for women -a158-navy", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["tops for women -a158-navy", "medium"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV8DD82", "worker_id": "A345TDMHP3DQ3G"}], "B015OA6FYA": [{"asin": "B015OA6FYA", "instruction": "find this product : gomacro macrobar organic vegan protein bars - oatmeal chocolate chip butter (2.4 oz. bars, 12 count) gluten free high protein.", "attributes": ["plant based", "soy free", "certified organic", "high protein", "non gmo", "gluten free"], "options": ["flavor name: oatmeal chocolate chip"], "instruction_attributes": ["plant based", "high protein", "non gmo"], "instruction_options": ["oatmeal chocolate chip"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWTB6W0", "worker_id": "A15IJ20C3R4HUO"}], "B09MFGFQYZ": [{"asin": "B09MFGFQYZ", "instruction": "i want highlighting caps for dyeing hair. it should be easy to use.", "attributes": ["easy use", "hair dye", "hair salon"], "options": [""], "instruction_attributes": ["easy use", "hair dye"], "instruction_options": [], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FKFLER", "worker_id": "A1NF6PELRKACS9"}], "B07KVDKBP4": [{"asin": "B07KVDKBP4", "instruction": "i am looking for a pack of one heavy duty nail clippers", "attributes": ["heavy duty", "long handle"], "options": ["size: 22 inch (pack of 1)"], "instruction_attributes": ["heavy duty"], "instruction_options": ["22 inch (pack of 1)"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KYEJ9X", "worker_id": "A2ECRNQ3X5LEXD"}], "B08N2WX2ZL": [{"asin": "B08N2WX2ZL", "instruction": "i would like to get a mint and matcha tea lip balm that is certified organic.", "attributes": ["cruelty free", "certified organic"], "options": ["scent: mint & matcha tea caffeinated"], "instruction_attributes": ["certified organic"], "instruction_options": ["mint & matcha tea caffeinated"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT4Y3PM", "worker_id": "A1WS884SI0SLO4"}], "B09P3K78W9": [{"asin": "B09P3K78W9", "instruction": "i am looking for a set of white hands free and fast charging ear buds with a charging case.", "attributes": ["fast charging", "hands free"], "options": ["color: white"], "instruction_attributes": ["fast charging", "hands free"], "instruction_options": ["white"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OZ5EYY", "worker_id": "A1EREKSZAA9V7B"}], "B084GF52VR": [{"asin": "B084GF52VR", "instruction": "i am interested in buying hdmi display cable which is gold plated and provides high speed.", "attributes": ["blu ray", "gold plated", "high speed"], "options": [""], "instruction_attributes": ["gold plated", "high speed"], "instruction_options": [], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VOU06Q", "worker_id": "AJY5G987IRT25"}], "B0046NEY9A": [{"asin": "B0046NEY9A", "instruction": "i'm looking for 1 pack of permanent hair dye for my husband; i want the jet black colour but it must make his hair look natural.", "attributes": ["long lasting", "easy use", "permanent hair", "hair dye", "natural hair"], "options": ["color: jet black", "size: 1 count (pack of 1)"], "instruction_attributes": ["permanent hair", "hair dye", "natural hair"], "instruction_options": ["jet black", "1 count (pack of 1)"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT4Z3PN", "worker_id": "A3LIIE572Z4OG7"}], "B08DY4RS68": [{"asin": "B08DY4RS68", "instruction": "i am looking for a solid wood chaise lounge for my living room.", "attributes": ["button tufted", "solid wood", "living room"], "options": [""], "instruction_attributes": ["solid wood", "living room"], "instruction_options": [], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSSZX0N", "worker_id": "A1EREKSZAA9V7B"}], "B09H64NQRY": [{"asin": "B09H64NQRY", "instruction": "i'm looking for premium chunk chicken fully cooked in 12.5 oz (pack of 6)", "attributes": ["fully cooked", "artificial ingredients", "fat free"], "options": ["color: .3.pack 12.5 ounce (pack of 6)", "size: 12.5 ounce (pack of 6)"], "instruction_attributes": ["fully cooked"], "instruction_options": ["12.5 ounce (pack of 6)"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXVTYLQ", "worker_id": "A62B826XMLK7K"}], "B079TZX2S9": [{"asin": "B079TZX2S9", "instruction": "looking for relaxed fit men's dark pajamas with checker pant", "attributes": ["wash cold", "machine wash", "relaxed fit", "tumble dry"], "options": ["color: with checker pant", "size: large"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["with checker pant"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK3NIUX", "worker_id": "A10OGH5CQBXL5N"}], "B081VZDSFQ": [{"asin": "B081VZDSFQ", "instruction": "i'm looking for a stainless steel dental scaler.", "attributes": ["teeth whitening", "stainless steel", "bad breath"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YG1755D", "worker_id": "AR9AU5FY1S3RO"}], "B085317T22": [{"asin": "B085317T22", "instruction": "i want to buy a black colred heavy duty bok case which is easy to assemble and has ample storage space.", "attributes": ["heavy duty", "easy assemble", "contemporary style", "storage space"], "options": ["color: black"], "instruction_attributes": ["heavy duty", "storage space"], "instruction_options": ["black"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLXPFTD", "worker_id": "AHXHM1PQTRWIQ"}], "B09PBDFYCR": [{"asin": "B09PBDFYCR", "instruction": "i'm looking for a women's long sleeve t-shirt in size medium. choose the ones that come in color n04-black.", "attributes": ["wash cold", "short sleeve", "unique design", "polyester cotton", "long sleeve", "daily wear"], "options": ["color: n04-black", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["n04-black", "medium"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DVUK4V", "worker_id": "A3MNXK3VDK37SN"}], "B07NDJPRQM": [{"asin": "B07NDJPRQM", "instruction": "i'm looking for tov ultra modern furniture barstool.", "attributes": ["metal legs", "wood frame"], "options": ["color: blush", "style: barstool"], "instruction_attributes": ["wood frame"], "instruction_options": ["blush", "barstool"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PE7BUN", "worker_id": "A21IUUHBSEVB56"}], "B09N3411B9": [{"asin": "B09N3411B9", "instruction": "i am looking for panoramic ballhead easy install tripod camera mount", "attributes": ["quick release", "easy install", "aluminum alloy"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRR3F9W", "worker_id": "A258PTOZ3D2TQR"}], "B07CH4CN3M": [{"asin": "B07CH4CN3M", "instruction": "i am looking for 4.69 ounce (pack of 4) hand crafted cinnamon caramel flavoured chewy butter caramel candies", "attributes": ["hand crafted", "old fashioned", "individually wrapped", "quality ingredients"], "options": ["flavor name: cinnamon caramel", "size: 4.69 ounce (pack of 4)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["cinnamon caramel", "4.69 ounce (pack of 4)"], "assignment_id": "3HOSI13XHAYM3IJTNO90AFDI6ZPDDN", "worker_id": "A258PTOZ3D2TQR"}], "B06X1FP7ZC": [{"asin": "B06X1FP7ZC", "instruction": "i am looking for a green tea facial scrub.", "attributes": ["green tea", "natural ingredients", "dry skin"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQULES51", "worker_id": "A1EREKSZAA9V7B"}], "B07Y2BP5KF": [{"asin": "B07Y2BP5KF", "instruction": "i am looking for some sugar free sriracha bacon jerky.", "attributes": ["grass fed", "low carb", "high protein", "hand crafted", "low calorie", "keto friendly", "sugar free", "dairy free", "gift basket"], "options": ["flavor name: sriracha bacon jerky", "size: 2 ounce (pack of 12)"], "instruction_attributes": ["sugar free"], "instruction_options": ["sriracha bacon jerky"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOUZYVF", "worker_id": "A1EREKSZAA9V7B"}], "B078MPXY9Z": [{"asin": "B078MPXY9Z", "instruction": "i would like deep concealer for dark circles.", "attributes": ["anti aging", "hyaluronic acid", "dark circles"], "options": ["color: deep (n)"], "instruction_attributes": ["dark circles"], "instruction_options": ["deep (n)"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBV8GIV", "worker_id": "A1WS884SI0SLO4"}], "B096S1HNZ2": [{"asin": "B096S1HNZ2", "instruction": "i'm looking for mid century sofa sleeper for living room.", "attributes": ["mid century", "high density", "metal legs", "living room"], "options": ["color: pink ii"], "instruction_attributes": ["mid century", "metal legs", "living room"], "instruction_options": ["pink ii"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F24MHOS", "worker_id": "A21IUUHBSEVB56"}], "B083GQMJS3": [{"asin": "B083GQMJS3", "instruction": "i need a purple eyeshadow set", "attributes": ["high quality", "eye shadow"], "options": ["color: florescence+purple"], "instruction_attributes": ["eye shadow"], "instruction_options": ["florescence+purple"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DVSK4T", "worker_id": "A2ECRNQ3X5LEXD"}], "B089QCVX27": [{"asin": "B089QCVX27", "instruction": "i want to find a glass tempered screen protector for my huawei p30 lite.", "attributes": ["tempered glass", "glass screen"], "options": ["color: huawei p30 lite"], "instruction_attributes": ["tempered glass", "glass screen"], "instruction_options": ["huawei p30 lite"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPPPE6B", "worker_id": "A345TDMHP3DQ3G"}], "B08QN2KKFG": [{"asin": "B08QN2KKFG", "instruction": "i want the noise cancelling bluetooth earbuds,kurdene wireless earbuds with wireless charging case and the color should be wathet", "attributes": ["noise cancelling", "wireless charging"], "options": ["color: wathet"], "instruction_attributes": ["noise cancelling", "wireless charging"], "instruction_options": ["wathet"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IE8BCL", "worker_id": "A1IL2K0ELYI090"}], "B08M9Q7987": [{"asin": "B08M9Q7987", "instruction": "i am looking for some pink cupcake toppers for a birthday cake.", "attributes": ["birthday cake", "cupcake picks", "baby shower", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["birthday cake"], "instruction_options": ["pink"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTXNL7H", "worker_id": "A1EREKSZAA9V7B"}], "B09MZFJPNY": [{"asin": "B09MZFJPNY", "instruction": "i want to buy sleepwear for women which have elastic waist and are of black color, while also their size should be large.", "attributes": ["comfortable fit", "unique design", "elastic waist", "daily wear"], "options": ["color: black", "size: large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["black", "large"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67W1A7F7", "worker_id": "AJY5G987IRT25"}], "B071XFS47L": [{"asin": "B071XFS47L", "instruction": "i would like a small short signal green track pant with a elastic waist.", "attributes": ["slim fit", "drawstring closure", "elastic waist"], "options": ["color: legacy blue | signal green", "size: small short"], "instruction_attributes": ["elastic waist"], "instruction_options": ["legacy blue | signal green", "small short"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCAN0DO", "worker_id": "A1WS884SI0SLO4"}], "B09C8BWZMP": [{"asin": "B09C8BWZMP", "instruction": "i'm looking for a mini desktop pc with an aluminum alloy case that also has 8 gb of ram and a 240 gb ssd.", "attributes": ["dual band", "aluminum alloy"], "options": ["color: intel xeon e-2186m", "size: 8g ram 240g ssd"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["8g ram 240g ssd"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23S0HQT3", "worker_id": "A2JP9IKRHNLRPI"}], "B08BNKV89Y": [{"asin": "B08BNKV89Y", "instruction": "i'm looking for a quad-core i5 touchscreen laptop computer; specifically with 16 gig ddr4 and 512 gig pcie ssd.", "attributes": ["core i5", "intel core", "quad core"], "options": ["capacity: 16gb ddr4 ram, 512gb pcie ssd"], "instruction_attributes": ["core i5", "quad core"], "instruction_options": ["16gb ddr4 ram, 512gb pcie ssd"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSLA62A", "worker_id": "A3LIIE572Z4OG7"}], "B07Q4J16Y3": [{"asin": "B07Q4J16Y3", "instruction": "i am looking for video recording camera that is easy to use.", "attributes": ["1080p hd", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OMFRT1", "worker_id": "A1Q8PPQQCWGY0D"}], "B07PP3XY3V": [{"asin": "B07PP3XY3V", "instruction": "i want to find a queen-sized safavieh contemporary navy velvet bed in gray.", "attributes": ["queen size", "home furnishings"], "options": ["color: grey", "size: queen"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTSSQO9", "worker_id": "AMI0SOF51O3FW"}], "B09H7HMN8Y": [{"asin": "B09H7HMN8Y", "instruction": "i'm looking for lumbar tassel tufted pillow covers.", "attributes": ["spot clean", "living room"], "options": ["color: red", "size: 18x18 inch"], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTH89NE", "worker_id": "A21IUUHBSEVB56"}], "B09NNBX2SG": [{"asin": "B09NNBX2SG", "instruction": "i'm looking for a woman's long sleeve shirt in a size 5 extra large.", "attributes": ["loose fit", "slim fit", "day comfort", "short sleeve", "long sleeve"], "options": ["color: a28 button down henley shirts black", "size: 5x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["5x-large"], "assignment_id": "3X65QVEQIBXVW21709CD9M35U8TCLG", "worker_id": "A2JP9IKRHNLRPI"}], "B091BSPMBZ": [{"asin": "B091BSPMBZ", "instruction": "i would like a pink hair cutting kit that is easy to use", "attributes": ["easy use", "easy clean", "hair cutting", "hair dye", "hair styling"], "options": ["color: pink"], "instruction_attributes": ["easy use"], "instruction_options": ["pink"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI71GQY7", "worker_id": "A2ECRNQ3X5LEXD"}], "B08PCMR38S": [{"asin": "B08PCMR38S", "instruction": "i'm looking for a rich and creamy low carb ice cream. choose the ones that are best seller.", "attributes": ["rich creamy", "low carb"], "options": ["flavor name: best seller"], "instruction_attributes": ["rich creamy", "low carb"], "instruction_options": ["best seller"], "assignment_id": "3NGMS9VZTWSGZMBL50ZGMFJOUPYFFO", "worker_id": "A3MNXK3VDK37SN"}], "B09JDN73YG": [{"asin": "B09JDN73YG", "instruction": "i would like a color s tongue cleaner for oral hygiene.", "attributes": ["eco friendly", "stainless steel", "oral hygiene"], "options": ["color: s"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["s"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI71IYQH", "worker_id": "A1WS884SI0SLO4"}], "B01N94VSXH": [{"asin": "B01N94VSXH", "instruction": "i am looking for some high quality glitter nail polish that is paraben free.", "attributes": ["highly pigmented", "sulfate free", "paraben free", "cruelty free", "high quality", "nail polish"], "options": ["color: glitter"], "instruction_attributes": ["paraben free", "high quality"], "instruction_options": ["glitter"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC59DRKK", "worker_id": "A1EREKSZAA9V7B"}], "B087JT4GX1": [{"asin": "B087JT4GX1", "instruction": "gold plated micro hdmi to hdmi cable size 50 cm", "attributes": ["gold plated", "high speed", "easy install"], "options": ["color: a1-d2", "size: 50cm"], "instruction_attributes": ["gold plated"], "instruction_options": ["50cm"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0Y15WK", "worker_id": "A3TTGSUBIK1YCL"}], "B07KPY6BKG": [{"asin": "B07KPY6BKG", "instruction": "i want a silver plug and play usb c headphone & microphone adapter.", "attributes": ["plug play", "aluminum alloy"], "options": ["color: silver", "size: usb c, mic mic"], "instruction_attributes": ["plug play"], "instruction_options": ["silver"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQP9311", "worker_id": "A2RBF3IIJP15IH"}], "B08CDV9Y5D": [{"asin": "B08CDV9Y5D", "instruction": "i'm looking for waterproof wildlife hunting trail camera.", "attributes": ["easy install", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKF4NEK", "worker_id": "A21IUUHBSEVB56"}], "B0756MBLNX": [{"asin": "B0756MBLNX", "instruction": "i want a bottle of handcraft ginger tea tree essential oil.", "attributes": ["high quality", "tea tree"], "options": ["scent: ginger", "size: 10 ml (pack of 1)"], "instruction_attributes": ["tea tree"], "instruction_options": ["ginger"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFLU9VH", "worker_id": "A2RBF3IIJP15IH"}], "B0725MDPPC": [{"asin": "B0725MDPPC", "instruction": "looking for high gloss contemporary night stand with stainless steel base and handles also choose colour white", "attributes": ["high gloss", "stainless steel"], "options": ["color: white"], "instruction_attributes": ["high gloss", "stainless steel"], "instruction_options": ["white"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MOYLWL", "worker_id": "A10OGH5CQBXL5N"}], "B013D2ME9Q": [{"asin": "B013D2ME9Q", "instruction": "i am looking for a men's short sleeve denim blue shirt.", "attributes": ["button closure", "short sleeve", "tumble dry"], "options": ["color: denim blue", "size: 6x-large tall"], "instruction_attributes": ["short sleeve"], "instruction_options": ["denim blue"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVPKQ0R", "worker_id": "A1EREKSZAA9V7B"}], "B00WONI1AW": [{"asin": "B00WONI1AW", "instruction": "i want cecemed stop hair loss shampoo.", "attributes": ["hair loss", "hair growth"], "options": [""], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841D2AXG", "worker_id": "A2RBF3IIJP15IH"}], "B08LVYMMHF": [{"asin": "B08LVYMMHF", "instruction": "can you find a high quality, easy to use nail art tool set that i can use to remove dead skin?", "attributes": ["high quality", "non toxic", "easy use", "nail art", "dead skin"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1BZ1KE", "worker_id": "AMI0SOF51O3FW"}], "B0936QYXV4": [{"asin": "B0936QYXV4", "instruction": "i need color corrector for my hair salon", "attributes": ["hair dye", "hair salon"], "options": [""], "instruction_attributes": ["hair salon"], "instruction_options": [], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVSZJK0", "worker_id": "AVIEE6LDH0BT5"}], "B09MQLBLDJ": [{"asin": "B09MQLBLDJ", "instruction": "i am looking for light weight background having color a6.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a6", "size: 10x10ft | 3x3m"], "instruction_attributes": ["light weight"], "instruction_options": ["a6"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL33D7QV", "worker_id": "A1Q8PPQQCWGY0D"}], "B06XYDTR2G": [{"asin": "B06XYDTR2G", "instruction": "i am interested in buying cleansing water which is suitable for dry skin and it's dermatologist tested.", "attributes": ["dermatologist tested", "dry skin", "sensitive skin"], "options": [""], "instruction_attributes": ["dermatologist tested", "dry skin"], "instruction_options": [], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2C57Y9", "worker_id": "AJY5G987IRT25"}], "B099231V35": [{"asin": "B099231V35", "instruction": "hello, i'm looking for a pair of cargo pants for everyday casual wear? but also hiking-friendly. also, i want an orange pair please", "attributes": ["slim fit", "straight leg", "elastic waist", "long sleeve", "relaxed fit", "everyday wear"], "options": ["color: orange", "size: small"], "instruction_attributes": ["relaxed fit", "everyday wear"], "instruction_options": ["orange"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWP2VG06", "worker_id": "A2TRV8SEM003GG"}], "B08THJGF1Z": [{"asin": "B08THJGF1Z", "instruction": "i want a color a cotton pad for eye shadow.", "attributes": ["eco friendly", "high quality", "eye shadow"], "options": ["color: a"], "instruction_attributes": ["eye shadow"], "instruction_options": ["a"], "assignment_id": "3NGMS9VZTWSGZMBL50ZGMFJOUOJFF7", "worker_id": "A1WS884SI0SLO4"}], "B09B12G3TT": [{"asin": "B09B12G3TT", "instruction": "i would like a 28 inch by 44 inch style 24 poster that is ready to hang in the living room.", "attributes": ["ready hang", "living room"], "options": ["color: style_24", "size: 28\" x 44\""], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["style_24", "28\" x 44\""], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8RBWSK9", "worker_id": "A1WS884SI0SLO4"}], "B096RWXX6S": [{"asin": "B096RWXX6S", "instruction": "i would like some party supplies that are cupcake toppers.", "attributes": ["non alcoholic", "party supplies", "cupcake picks"], "options": [""], "instruction_attributes": ["party supplies"], "instruction_options": [], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VV6XM4", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CKT4CKB": [{"asin": "B07CKT4CKB", "instruction": "i want love beauty argan oil and lavender tea tree conditioner.", "attributes": ["plant based", "paraben free", "cruelty free", "tea tree", "coconut oil"], "options": ["color: argan oil and lavender"], "instruction_attributes": ["tea tree"], "instruction_options": ["argan oil and lavender"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7K0ZE70", "worker_id": "A2RBF3IIJP15IH"}], "B0872G9J57": [{"asin": "B0872G9J57", "instruction": "i am looking for resilient memory foam loveseat sofa", "attributes": ["mid century", "high density", "memory foam", "solid wood", "wood frame"], "options": ["color: aubergine cross weave", "size: loveseat"], "instruction_attributes": ["memory foam"], "instruction_options": ["loveseat"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI90D5XJ", "worker_id": "A258PTOZ3D2TQR"}], "B089SFCL8R": [{"asin": "B089SFCL8R", "instruction": "i am looking for light weight backgrounds of size 12x10ft.", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 12x10ft"], "instruction_attributes": ["light weight"], "instruction_options": ["12x10ft"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GHVUZE", "worker_id": "A1Q8PPQQCWGY0D"}], "B09R752WN9": [{"asin": "B09R752WN9", "instruction": "i am looking for a 2 pack of fresh breath whitening toothpaste.", "attributes": ["sensitive teeth", "fresh breath", "bad breath"], "options": ["color: 2pcs"], "instruction_attributes": ["fresh breath"], "instruction_options": ["2pcs"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8ST6QV", "worker_id": "A1EREKSZAA9V7B"}], "B0119ZOERO": [{"asin": "B0119ZOERO", "instruction": "i want a mid century adesso table lamp.", "attributes": ["mid century", "metal legs"], "options": ["size: table lamp"], "instruction_attributes": ["mid century"], "instruction_options": ["table lamp"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEMLIX8", "worker_id": "A2RBF3IIJP15IH"}], "B008QZZ88K": [{"asin": "B008QZZ88K", "instruction": "i'm looking for 67.5 ounce cheez-it snack pack.", "attributes": ["ready eat", "individually wrapped"], "options": [""], "instruction_attributes": ["ready eat"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKNK7DK", "worker_id": "A21IUUHBSEVB56"}], "B09Q8WGZ3P": [{"asin": "B09Q8WGZ3P", "instruction": "i want to find an xx-large pair of green women's leggings with a high waist.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: green", "size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["green", "xx-large"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOBBGJN", "worker_id": "A345TDMHP3DQ3G"}], "B09C6N4FVH": [{"asin": "B09C6N4FVH", "instruction": "i want to find some poster prints that i can put in my living room.", "attributes": ["mid century", "dining room", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3BEFOD78WH3C7G6D767AQ16620UM47", "worker_id": "A345TDMHP3DQ3G"}], "B0049W9M5E": [{"asin": "B0049W9M5E", "instruction": "i'm looking for sugar-free double mocha cappuccino mix.", "attributes": ["sugar free", "rich creamy", "easy use"], "options": ["flavor name: salted caramel", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["12 ounce (pack of 6)"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQSG0PQ", "worker_id": "A21IUUHBSEVB56"}], "B0718XF1ZZ": [{"asin": "B0718XF1ZZ", "instruction": "i'm looking for a replacement remote for my sound bar that includes triple a batteries. i need the color \"xrt303 mgo.\"", "attributes": ["batteries included", "aaa batteries"], "options": ["color: xrt303 mgo"], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": ["xrt303 mgo"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5ZRF42", "worker_id": "AR9AU5FY1S3RO"}], "B09QX1RW8H": [{"asin": "B09QX1RW8H", "instruction": "i would like a toothpaste for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": [""], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ3ENRF", "worker_id": "A1WS884SI0SLO4"}], "B0929KGQWQ": [{"asin": "B0929KGQWQ", "instruction": "i'm looking for a peanut crunch popcorn that could be a perfect gift for my friend.", "attributes": ["old fashioned", "great gift", "perfect gift"], "options": [""], "instruction_attributes": ["perfect gift"], "instruction_options": [], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOAZGJ9", "worker_id": "A3MNXK3VDK37SN"}], "B01MSELGR6": [{"asin": "B01MSELGR6", "instruction": "i would like a high def gold plated hdmi cable.", "attributes": ["blu ray", "high speed", "gold plated", "high definition"], "options": [""], "instruction_attributes": ["gold plated", "high definition"], "instruction_options": [], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0Z1XPI", "worker_id": "A1WS884SI0SLO4"}], "B08Q3NCBHP": [{"asin": "B08Q3NCBHP", "instruction": "i'm looking for shoot digital camera with inspire digital cloth.", "attributes": ["1080p hd", "optical zoom"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYMELQC", "worker_id": "A21IUUHBSEVB56"}], "B08FDC82VY": [{"asin": "B08FDC82VY", "instruction": "i want to find professional binoculars that are easy to carry for birdwatching.", "attributes": ["easy carry", "bird watching"], "options": [""], "instruction_attributes": ["easy carry", "bird watching"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE267QGS", "worker_id": "A345TDMHP3DQ3G"}], "B0147DG6YE": [{"asin": "B0147DG6YE", "instruction": "i am looking for a tablet with a quad core processor and 4g lte.", "attributes": ["quad core", "4g lte"], "options": [""], "instruction_attributes": ["quad core", "4g lte"], "instruction_options": [], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06Q0KXB", "worker_id": "A1EREKSZAA9V7B"}], "B079VM1R2M": [{"asin": "B079VM1R2M", "instruction": "i'm interested in some gold-plated white patio speakers in size 5'' 8\u03c9 | 70v that are easy to install.", "attributes": ["gold plated", "easy install", "wireless bluetooth"], "options": ["color: white", "size: 5'' 8\u03c9 | 70v"], "instruction_attributes": ["gold plated", "easy install"], "instruction_options": ["white", "5'' 8\u03c9 | 70v"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQKOEKV", "worker_id": "AFU00NU09CFXE"}], "B09M78CSZY": [{"asin": "B09M78CSZY", "instruction": "i am looking for 8.5 size green color low heel day comfort short ankle booties for women", "attributes": ["day comfort", "non slip", "quality materials"], "options": ["color: x02-green", "size: 8.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["x02-green", "8.5"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBJCHGO", "worker_id": "A258PTOZ3D2TQR"}], "B08TB3LLT1": [{"asin": "B08TB3LLT1", "instruction": "i'm looking for a handmade chocolate malt balls.", "attributes": ["resealable bag", "great gift"], "options": ["flavor name: christmas", "size: 16 ounce"], "instruction_attributes": ["resealable bag"], "instruction_options": [], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVSWJKX", "worker_id": "A21IUUHBSEVB56"}], "B08Y6W6VTW": [{"asin": "B08Y6W6VTW", "instruction": "i want a pair of black earbud headphones that are water resistant.", "attributes": ["water resistant", "carbon fiber", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["water resistant"], "instruction_options": ["black"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VO7609", "worker_id": "A1WS884SI0SLO4"}], "B07YZQYBVN": [{"asin": "B07YZQYBVN", "instruction": "i want water proof australian gold continuous spray sunscreen with instant bronzer spf 50.", "attributes": ["water resistant", "cruelty free", "tea tree"], "options": ["color: bronzer - new", "style: spf 50"], "instruction_attributes": ["water resistant"], "instruction_options": ["spf 50"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C9JPHI", "worker_id": "A2RBF3IIJP15IH"}], "B093C69MX2": [{"asin": "B093C69MX2", "instruction": "i'd like a couple of packs of meal replacement shakes to satisfy my high-protein, gluten-free diet; i prefer a natural chocolate flavour.", "attributes": ["soy free", "gluten free", "natural flavors"], "options": ["flavor name: chocolate", "size: 2 pack"], "instruction_attributes": ["gluten free", "natural flavors"], "instruction_options": ["chocolate", "2 pack"], "assignment_id": "326O153BMT8RVOXTJJKKGXV36B3DET", "worker_id": "A3LIIE572Z4OG7"}], "B09NZS1VH9": [{"asin": "B09NZS1VH9", "instruction": "i'm looking for a pair of women's non slip work boots with steel toe cap. choose the ones that come in size 9 us.", "attributes": ["non slip", "anti slip", "steel toe"], "options": ["size: 9 us"], "instruction_attributes": ["non slip", "steel toe"], "instruction_options": ["9 us"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMM8ZIB", "worker_id": "A3MNXK3VDK37SN"}], "B09HH8HK2X": [{"asin": "B09HH8HK2X", "instruction": "i would like a white end table with one drawer and 4 basket cabinet for my living room.", "attributes": ["storage unit", "solid wood", "living room", "dining room"], "options": ["color: white", "size: 1 drawer & 4 baskets cabinet"], "instruction_attributes": ["living room"], "instruction_options": ["white", "1 drawer & 4 baskets cabinet"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17XA53YM", "worker_id": "A1WS884SI0SLO4"}], "B09PNKG7G4": [{"asin": "B09PNKG7G4", "instruction": "i'm looking for a full xl sized, ready to use brown mattress.", "attributes": ["ready use", "fully assembled", "assembly required"], "options": ["color: brown", "size: queen", "style: 8\" foundation"], "instruction_attributes": ["ready use"], "instruction_options": ["brown"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBGKOS3", "worker_id": "A2JP9IKRHNLRPI"}], "B07STLK5DH": [{"asin": "B07STLK5DH", "instruction": "i want to buy an ivory and blue area rug that's eight feet long and has a contemporary design.", "attributes": ["contemporary design", "home furnishings"], "options": ["color: ivory | blue", "size: 2'3\" x 8'"], "instruction_attributes": ["contemporary design"], "instruction_options": ["ivory | blue", "2'3\" x 8'"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4RYPKZ", "worker_id": "AR9AU5FY1S3RO"}], "B08P3YR3TZ": [{"asin": "B08P3YR3TZ", "instruction": "i am looking for long lasting pressed powder in the color ivory.", "attributes": ["long lasting", "easy use", "fine lines"], "options": ["color: 1- pressed powder, ivory"], "instruction_attributes": ["long lasting"], "instruction_options": ["1- pressed powder, ivory"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUBMA9A", "worker_id": "AK3JMCIGU8MLU"}], "B0937GRTF5": [{"asin": "B0937GRTF5", "instruction": "i want princess makeanni the pooh cupcake toppers for a birthday party.", "attributes": ["birthday party", "perfect gift"], "options": ["color: princess"], "instruction_attributes": ["birthday party"], "instruction_options": ["princess"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CW3D5TM", "worker_id": "A2RBF3IIJP15IH"}], "B09PLJMDG2": [{"asin": "B09PLJMDG2", "instruction": "i'm looking for a brown, twin size bed frame.", "attributes": ["twin size", "heavy duty", "assembly required", "box spring"], "options": ["color: brown", "size: full"], "instruction_attributes": ["twin size"], "instruction_options": ["brown"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPD11AIL", "worker_id": "AK3JMCIGU8MLU"}], "B07NP6TDRC": [{"asin": "B07NP6TDRC", "instruction": "i would like a four fluid ounce very dark self tanner that is paraben free.", "attributes": ["easy apply", "paraben free"], "options": ["color: very dark", "size: 4 fl oz (pack of 1)"], "instruction_attributes": ["paraben free"], "instruction_options": ["very dark", "4 fl oz (pack of 1)"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTOSV5R", "worker_id": "A1WS884SI0SLO4"}], "B09JTZ2229": [{"asin": "B09JTZ2229", "instruction": "i am interested in buying make up foundation which is tested by dermatologist, and is of golden beige color.", "attributes": ["dermatologist tested", "fine lines"], "options": ["color: golden beige"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["golden beige"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKXDMJR", "worker_id": "AJY5G987IRT25"}], "B09MD6V3YM": [{"asin": "B09MD6V3YM", "instruction": "i would like a blue mascara brush that applies easily.", "attributes": ["easy apply", "easy carry"], "options": ["color: blue"], "instruction_attributes": ["easy apply"], "instruction_options": ["blue"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NM8KBW", "worker_id": "A1WS884SI0SLO4"}], "B08H6FZ4PH": [{"asin": "B08H6FZ4PH", "instruction": "i would like a on the rise volume liftscara eyeshadow that is cruelty free.", "attributes": ["cruelty free", "highly pigmented"], "options": ["style name: on the rise volume liftscara"], "instruction_attributes": ["cruelty free"], "instruction_options": ["on the rise volume liftscara"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDCO0S7", "worker_id": "A1WS884SI0SLO4"}], "B0949JWNZ2": [{"asin": "B0949JWNZ2", "instruction": "i want a bpa free bottle for makeup.", "attributes": ["leak proof", "bpa free", "travel bottles"], "options": [""], "instruction_attributes": ["bpa free"], "instruction_options": [], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017594PP", "worker_id": "A1WS884SI0SLO4"}], "B09BQMH7P7": [{"asin": "B09BQMH7P7", "instruction": "i am looking for synthetic black gray 101 color hair extensions wig hairpiece", "attributes": ["easy clean", "hair extensions", "natural hair"], "options": ["color: 101"], "instruction_attributes": ["hair extensions"], "instruction_options": ["101"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AOSOEH", "worker_id": "A258PTOZ3D2TQR"}], "B0011N17RU": [{"asin": "B0011N17RU", "instruction": "i would like a plum point and shoot camera with a optical zoom.", "attributes": ["high resolution", "optical zoom"], "options": ["color: plum"], "instruction_attributes": [], "instruction_options": ["plum"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GO6S3S", "worker_id": "A1WS884SI0SLO4"}], "B0185LC8YG": [{"asin": "B0185LC8YG", "instruction": "i'm looking for permanent hair dye color in #c cool darkest brown.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 6am light amber brown", "size: pack of 3"], "instruction_attributes": ["permanent hair", "hair dye"], "instruction_options": [], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLBDCEE", "worker_id": "A62B826XMLK7K"}, {"asin": "B0185LC8YG", "instruction": "i am looking for a long lasting hair color that is light brown and comes in a pack of three.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 6 light brown", "size: pack of 3"], "instruction_attributes": ["long lasting"], "instruction_options": ["6 light brown", "pack of 3"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EB4B16", "worker_id": "A2ECRNQ3X5LEXD"}], "B07JVP58VR": [{"asin": "B07JVP58VR", "instruction": "i am looking for a gluten free happy hamlet bacon salt gourmet rub.", "attributes": ["certified organic", "gluten free", "kosher certified", "plant based", "non gmo", "artificial flavors"], "options": ["flavor: happy hamlet bacon salt"], "instruction_attributes": ["gluten free"], "instruction_options": ["happy hamlet bacon salt"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMO7XVA", "worker_id": "A1EREKSZAA9V7B"}], "B09BMXK1WD": [{"asin": "B09BMXK1WD", "instruction": "can i request some high performance speakers? also, can you pick the ones that come in white please?", "attributes": ["gold plated", "high performance"], "options": ["color: white", "style: signature"], "instruction_attributes": ["high performance"], "instruction_options": ["white"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOHXNOB", "worker_id": "A2TRV8SEM003GG"}], "B07B9K659S": [{"asin": "B07B9K659S", "instruction": "i want a 1.5 foot long black gold plated hdmi cable.", "attributes": ["gold plated", "blu ray"], "options": ["color: black", "size: 1.5ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["black", "1.5ft"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7ANZYUZ", "worker_id": "A1WS884SI0SLO4"}], "B09MNLV2NY": [{"asin": "B09MNLV2NY", "instruction": "looking for table sofa table for kitchen dining room and also choose colour antique blue", "attributes": ["white item", "storage space", "dining room", "living room"], "options": ["color: antique blue-5"], "instruction_attributes": ["dining room"], "instruction_options": ["antique blue-5"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVLETU2", "worker_id": "A10OGH5CQBXL5N"}], "B099MC8XFB": [{"asin": "B099MC8XFB", "instruction": "i want small and cotton spandex men's jogger pants.", "attributes": ["elastic closure", "cotton spandex", "elastic waistband", "polyester spandex"], "options": ["color: black-09", "size: small"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["small"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFPYEMF", "worker_id": "A2RBF3IIJP15IH"}], "B09J3B6XR7": [{"asin": "B09J3B6XR7", "instruction": "i am looking for lemongrass eucalyptus & cinnamon apple color candles that are lead free.", "attributes": ["lead free", "soy wax"], "options": ["color: lemongrass eucalyptus & cinnamon apple"], "instruction_attributes": ["lead free"], "instruction_options": ["lemongrass eucalyptus & cinnamon apple"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPDBQD0", "worker_id": "A1Q8PPQQCWGY0D"}], "B083Q84GLC": [{"asin": "B083Q84GLC", "instruction": "i am looking for light weight wall backgrounds of size 12x8ft.", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 12x8ft"], "instruction_attributes": ["light weight"], "instruction_options": ["12x8ft"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMLGJ1C", "worker_id": "A1Q8PPQQCWGY0D"}], "B076C1LL7R": [{"asin": "B076C1LL7R", "instruction": "i'm looking for anti-aging face and eye serum in the 1.01 ounce size.", "attributes": ["anti aging", "high quality", "dark circles", "fine lines"], "options": ["size: 1.01 ounce lifting & renewing"], "instruction_attributes": ["anti aging"], "instruction_options": ["1.01 ounce lifting & renewing"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA934J3ZN", "worker_id": "AK3JMCIGU8MLU"}], "B08DR2HW2Y": [{"asin": "B08DR2HW2Y", "instruction": "i need a wireless usb charging cable for my boombox; make sure it has adequate output protection.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection", "wireless bluetooth"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1M13UV", "worker_id": "A3LIIE572Z4OG7"}], "B09JL6P8H6": [{"asin": "B09JL6P8H6", "instruction": "help me find a 3-pack of soft and chewy licorice candy twists; i'd like a variety of flavours but it must be fat-free.", "attributes": ["fat free", "resealable bag", "high fructose"], "options": ["flavor name: variety flavor pack", "size: 10 ounce (pack of 3)"], "instruction_attributes": ["fat free"], "instruction_options": ["variety flavor pack", "10 ounce (pack of 3)"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOIS1WU", "worker_id": "A3LIIE572Z4OG7"}], "B004YAUZQG": [{"asin": "B004YAUZQG", "instruction": "i would like a 8 fluid ounce bottle of tea tree lotion.", "attributes": ["tea tree", "sensitive skin"], "options": ["size: 8 fl oz (pack of 1)", "style: lotion"], "instruction_attributes": ["tea tree"], "instruction_options": ["8 fl oz (pack of 1)", "lotion"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFXTJO4", "worker_id": "A1WS884SI0SLO4"}], "B09QMQM1S3": [{"asin": "B09QMQM1S3", "instruction": "i need easy apply pine tar scented mustache wax stick for men", "attributes": ["easy apply", "easy carry", "natural ingredients", "seed oil", "coconut oil"], "options": ["scent: pine tar"], "instruction_attributes": ["easy apply"], "instruction_options": ["pine tar"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFI0U5K", "worker_id": "A258PTOZ3D2TQR"}], "B09SV1J5KS": [{"asin": "B09SV1J5KS", "instruction": "i am looking for tea tree shampoo for natural hair.", "attributes": ["tea tree", "hair loss", "natural hair"], "options": [""], "instruction_attributes": ["tea tree", "natural hair"], "instruction_options": [], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DVZK40", "worker_id": "A1EREKSZAA9V7B"}], "B07H86WY2Y": [{"asin": "B07H86WY2Y", "instruction": "i'm looking for a quick-release replacement fitness strap band; it should match my chic teal fitbit.", "attributes": ["quick release", "stainless steel"], "options": ["color: chic teal"], "instruction_attributes": ["quick release"], "instruction_options": ["chic teal"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q7BWGP", "worker_id": "A3LIIE572Z4OG7"}], "B09MZQ6HD5": [{"asin": "B09MZQ6HD5", "instruction": "i'm looking for a hdmi splitter 1 in 2 out auto scaling.", "attributes": ["high resolution", "blu ray", "plug play"], "options": [""], "instruction_attributes": ["high resolution"], "instruction_options": [], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVJ0BIV", "worker_id": "A21IUUHBSEVB56"}], "B01KUTWRY2": [{"asin": "B01KUTWRY2", "instruction": "i'm looking for a 12 pack pepper jack gluten free cheese.", "attributes": ["keto friendly", "high protein", "low carb", "gluten free"], "options": ["flavor name: pepper jack", "size: 12 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["pepper jack", "12 pack"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUBPA9D", "worker_id": "A3MNXK3VDK37SN"}], "B01GY2FOPS": [{"asin": "B01GY2FOPS", "instruction": "vegan makeup free from animal testing", "attributes": ["cruelty free", "animal testing"], "options": [""], "instruction_attributes": ["animal testing"], "instruction_options": [], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IM3M2G", "worker_id": "A3TTGSUBIK1YCL"}], "B09C1R93CH": [{"asin": "B09C1R93CH", "instruction": "i am looking for teeth whitening toothpaste of color d.", "attributes": ["teeth whitening", "long lasting", "oral hygiene", "fresh breath"], "options": ["color: d", "size: 1pc"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["d"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JFNSFF", "worker_id": "A1Q8PPQQCWGY0D"}], "B0722MVPVD": [{"asin": "B0722MVPVD", "instruction": "i'm looking for a cruelty free, face highlighter in a unicorn style color.", "attributes": ["animal testing", "cruelty free"], "options": ["color: unicorn", "size: 0.14 fl oz (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["unicorn"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84D6C6A", "worker_id": "A2JP9IKRHNLRPI"}], "B099JWWV1V": [{"asin": "B099JWWV1V", "instruction": "i am looking for easy to use thanksgiving themed cupcake toppers.", "attributes": ["easy use", "party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW2PC1B", "worker_id": "A1EREKSZAA9V7B"}], "B096QMCF7P": [{"asin": "B096QMCF7P", "instruction": "i want to find a monocular telescope for bird-watching that is 12 inches in width and 50 inches in height.", "attributes": ["dust proof", "high performance", "high definition", "bird watching"], "options": ["size: 12*50"], "instruction_attributes": ["bird watching"], "instruction_options": ["12*50"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JFTSFL", "worker_id": "A345TDMHP3DQ3G"}], "B07KKBTHSX": [{"asin": "B07KKBTHSX", "instruction": "i am looking for a heavy duty universal projector case.", "attributes": ["heavy duty", "carrying case"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZN99KH", "worker_id": "A1Q8PPQQCWGY0D"}], "B0928K612B": [{"asin": "B0928K612B", "instruction": "i am looking for a 2-pack of the fanyate antique vanity light fixtures.", "attributes": ["vanity light", "clear glass", "glass shade", "light fixture", "living room", "dining room"], "options": ["color: 2-light", "size: 2-pack"], "instruction_attributes": ["vanity light", "light fixture"], "instruction_options": ["2-pack"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT3BLJHM", "worker_id": "AK3JMCIGU8MLU"}], "B092X4HR76": [{"asin": "B092X4HR76", "instruction": "i would like a intel core i5 desktop mini.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5", "intel core"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1LSU3B", "worker_id": "A1WS884SI0SLO4"}], "B09BRDD7XJ": [{"asin": "B09BRDD7XJ", "instruction": "i'm locking for a smiley face non-slip cushioned slippers.", "attributes": ["non slip", "quick drying"], "options": ["color: yellow", "size: 6-6.5 women | 5-5.5 men"], "instruction_attributes": ["non slip", "quick drying"], "instruction_options": [], "assignment_id": "3NGMS9VZTWSGZMBL50ZGMFJOUPUFFK", "worker_id": "A21IUUHBSEVB56"}], "B092J891H7": [{"asin": "B092J891H7", "instruction": "i am looking for a teal color stainlesss steel strap.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: teal", "size: 42 | 44 | 45mm s | m"], "instruction_attributes": ["stainless steel"], "instruction_options": ["teal"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SZSUDM", "worker_id": "A1Q8PPQQCWGY0D"}], "B00PQ4RM5G": [{"asin": "B00PQ4RM5G", "instruction": "i need gluten free popcorn", "attributes": ["gluten free", "quality ingredients", "high fructose"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI724SD1", "worker_id": "A2ECRNQ3X5LEXD"}], "B08665MY24": [{"asin": "B08665MY24", "instruction": "i am looking for a long lasting gel capsule for fresh breath.", "attributes": ["long lasting", "bad breath", "fresh breath"], "options": [""], "instruction_attributes": ["long lasting", "fresh breath"], "instruction_options": [], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P79JSVB", "worker_id": "A1EREKSZAA9V7B"}], "B097TSZJCM": [{"asin": "B097TSZJCM", "instruction": "i am lookng for hot chocolate mix gift set for gift set in valentine heart box", "attributes": ["gift set", "perfect gift"], "options": ["size: valentine heart box"], "instruction_attributes": ["gift set"], "instruction_options": ["valentine heart box"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72APXOEO", "worker_id": "A258PTOZ3D2TQR"}], "B082CX8PNK": [{"asin": "B082CX8PNK", "instruction": "i'm looking for a pair of woman's olive camo yoga pants that are worn high on the waist.", "attributes": ["tummy control", "high waist", "polyester spandex"], "options": ["color: olive camo", "size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["olive camo"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV6LHB8", "worker_id": "A2JP9IKRHNLRPI"}], "B08679CMWM": [{"asin": "B08679CMWM", "instruction": "i am lookng for a medium size orange color elastic waistband workout gym yoga shorts for men", "attributes": ["quick drying", "moisture wicking", "machine wash", "nylon spandex", "drawstring closure", "elastic waistband", "polyester spandex"], "options": ["color: 21grey&orange", "size: medium"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["21grey&orange", "medium"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IEFBCS", "worker_id": "A258PTOZ3D2TQR"}], "B09T37VZCK": [{"asin": "B09T37VZCK", "instruction": "i need some high quality covers for a massage bed in my beauty salon; it's 71 x 24 inches and i'd prefer the \"c\" colour.", "attributes": ["high quality", "beauty salon"], "options": ["color: c", "size: 180x60cm(71x24inch)"], "instruction_attributes": ["high quality", "beauty salon"], "instruction_options": ["c", "180x60cm(71x24inch)"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LIGL0E", "worker_id": "A3LIIE572Z4OG7"}], "B09SXRJYN6": [{"asin": "B09SXRJYN6", "instruction": "i would like a black face kit with green tea.", "attributes": ["easy use", "green tea"], "options": ["color: black"], "instruction_attributes": ["green tea"], "instruction_options": ["black"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJSG9OY", "worker_id": "A1WS884SI0SLO4"}], "B08PTLBGKR": [{"asin": "B08PTLBGKR", "instruction": "i am looking for easy to use travel bottles.", "attributes": ["easy use", "travel bottles"], "options": [""], "instruction_attributes": ["easy use", "travel bottles"], "instruction_options": [], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINX927M", "worker_id": "A1EREKSZAA9V7B"}], "B07D7HXBJS": [{"asin": "B07D7HXBJS", "instruction": "i'm looking for chocolate flavored low calorie, keto friendly protein drinks.", "attributes": ["low carb", "low sugar", "protein serving", "low calorie", "keto friendly", "high protein", "gluten free", "dietary fiber"], "options": ["flavor: chocolate"], "instruction_attributes": ["low calorie", "keto friendly"], "instruction_options": ["chocolate"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS6WVUM", "worker_id": "AR9AU5FY1S3RO"}], "B08BN4RGSP": [{"asin": "B08BN4RGSP", "instruction": "i'm looking for a gift set with an eight ounce bottle of cinnamon dip.", "attributes": ["rich creamy", "gift set", "perfect gift"], "options": ["flavor name: cinnamon", "size: 8 fl oz (pack of 1)"], "instruction_attributes": ["gift set"], "instruction_options": ["cinnamon", "8 fl oz (pack of 1)"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CU1T2Q", "worker_id": "AR9AU5FY1S3RO"}], "B093YVJSWF": [{"asin": "B093YVJSWF", "instruction": "i would like a laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOGWNO8", "worker_id": "A1WS884SI0SLO4"}], "B01IL2J5KO": [{"asin": "B01IL2J5KO", "instruction": "i'm looking for women's 1 oz liquid blush that is long lasting.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUBC9AZ", "worker_id": "ARJDD0Z3R65BD"}], "B097XG5RSW": [{"asin": "B097XG5RSW", "instruction": "i need to order some gold cupcake toppers for a birthday party.", "attributes": ["cupcake picks", "birthday party", "party supplies"], "options": ["pattern name: c-60 gold"], "instruction_attributes": ["birthday party"], "instruction_options": ["c-60 gold"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ7HSI8", "worker_id": "AR9AU5FY1S3RO"}], "B09922X9JM": [{"asin": "B09922X9JM", "instruction": "i want khaki knee high boots for women.", "attributes": ["knee high", "day comfort", "open toe", "quality materials"], "options": ["color: z2-khaki", "size: 5.5"], "instruction_attributes": ["knee high"], "instruction_options": ["z2-khaki"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X028534Y", "worker_id": "A2RBF3IIJP15IH"}], "B00M9Y5V4A": [{"asin": "B00M9Y5V4A", "instruction": "i want to find a pair of brown men's box shoes with rubber soles. they should be a size 11.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: brown | hanging", "size: 11"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown | hanging", "11"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYNULQU", "worker_id": "A345TDMHP3DQ3G"}], "B0986QC9Q7": [{"asin": "B0986QC9Q7", "instruction": "i'm looking for some wild caught solid white albacore. it should be non-gmo and come in five ounce cans. i want to buy a pack of forty-eight.", "attributes": ["wild caught", "non gmo"], "options": ["color: solid white albacore", "size: 5 ounce (pack of 48)"], "instruction_attributes": ["wild caught", "non gmo"], "instruction_options": ["solid white albacore", "5 ounce (pack of 48)"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP34XT7", "worker_id": "AR9AU5FY1S3RO"}], "B07N7WFZVZ": [{"asin": "B07N7WFZVZ", "instruction": "i need a fluoride free toothpaste", "attributes": ["certified organic", "fluoride free"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86B518V", "worker_id": "AVIEE6LDH0BT5"}], "B0080AS25W": [{"asin": "B0080AS25W", "instruction": "look for trader joe's meyer lemon cookie thins 9oz (255g) my favorite, i really want it, help me if you can.", "attributes": ["trader joe", "artificial colors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK6B3YYQ", "worker_id": "A15IJ20C3R4HUO"}], "B098YPWXJ5": [{"asin": "B098YPWXJ5", "instruction": "i need synthetic sole flats that are blush colored", "attributes": ["open toe", "synthetic sole"], "options": ["color: blush", "size: 11"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["blush"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWGCFNN", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MQB5DVB": [{"asin": "B09MQB5DVB", "instruction": "i want to find a storage basket that i can put in my living room.", "attributes": ["space saving", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYMA6LA", "worker_id": "A345TDMHP3DQ3G"}], "B08JMCB1QF": [{"asin": "B08JMCB1QF", "instruction": "i want white and light weight adidas men's duramo shoes.", "attributes": ["light weight", "regular fit", "rubber sole"], "options": ["color: white | black | black", "size: 12"], "instruction_attributes": ["light weight"], "instruction_options": ["white | black | black"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATBD372", "worker_id": "A2RBF3IIJP15IH"}], "B07Z647R7C": [{"asin": "B07Z647R7C", "instruction": "i need a wall lamp with clear glass.", "attributes": ["wall mounted", "vanity light", "clear glass", "glass shade", "light fixture"], "options": ["color: black"], "instruction_attributes": ["clear glass"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZNJ9KR", "worker_id": "AVIEE6LDH0BT5"}], "B09NN2QPRG": [{"asin": "B09NN2QPRG", "instruction": "am hoping to find interestprint men's lightweight sleep lounge pajama pants machine wash and small size", "attributes": ["machine wash", "elastic waistband"], "options": ["color: multi3", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["small"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOI4W11", "worker_id": "A1IL2K0ELYI090"}], "B07MBFWHQ3": [{"asin": "B07MBFWHQ3", "instruction": "i'm looking for an x-large, short sleeve top for daily wear in pink with a loose fit.", "attributes": ["loose fit", "short sleeve", "polyester spandex", "daily wear"], "options": ["color: 07 pink", "size: x-large"], "instruction_attributes": ["loose fit", "short sleeve", "daily wear"], "instruction_options": ["07 pink", "x-large"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXQBZ20", "worker_id": "AFU00NU09CFXE"}], "B09SFC3ZLS": [{"asin": "B09SFC3ZLS", "instruction": "i'm interested in a power amplifier board that is easy to install.", "attributes": ["power amplifier", "easy install"], "options": [""], "instruction_attributes": ["power amplifier", "easy install"], "instruction_options": [], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3OPRYI", "worker_id": "AFU00NU09CFXE"}], "B09MLNYZDQ": [{"asin": "B09MLNYZDQ", "instruction": "i'm looking for a birthday cake for a 5 year old boy that features marvel heroes.", "attributes": ["easy use", "birthday cake", "birthday party"], "options": ["style: 10"], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QV8XO6", "worker_id": "ARJDD0Z3R65BD"}], "B07G6ZG582": [{"asin": "B07G6ZG582", "instruction": "i'm locking for a long sleeve loose plain casual dress with pockets.", "attributes": ["long sleeve", "elastic waist"], "options": ["color: floral light blue", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBD76U8", "worker_id": "A21IUUHBSEVB56"}], "B07BLYRFR9": [{"asin": "B07BLYRFR9", "instruction": "i am looking for a 7 foot by 7 foot light weight and easy to carry fairytale themed photography background.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 7x7ft"], "instruction_attributes": ["light weight", "easy carry"], "instruction_options": ["7x7ft"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1QKTIN", "worker_id": "A1EREKSZAA9V7B"}], "B001KUSZ1A": [{"asin": "B001KUSZ1A", "instruction": "i need a long usb cable with speed in the beige color.", "attributes": ["high power", "high speed"], "options": ["color: beige", "size: 6.6 feet", "style: usb a male to 4 port usb a female"], "instruction_attributes": ["high speed"], "instruction_options": ["beige"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q76EH9U", "worker_id": "AVIEE6LDH0BT5"}], "B09K3TMTY4": [{"asin": "B09K3TMTY4", "instruction": "i would like a black 63\" entertainment center that is easy to assemble.", "attributes": ["easy assemble", "high gloss", "tempered glass", "living room"], "options": ["color: black-63\""], "instruction_attributes": ["easy assemble"], "instruction_options": ["black-63\""], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QGF1M4", "worker_id": "A1WS884SI0SLO4"}], "B09LXVF5RR": [{"asin": "B09LXVF5RR", "instruction": "i want a wireless bluetooth headset.", "attributes": ["high definition", "stereo sound", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7K0XE7Y", "worker_id": "A1WS884SI0SLO4"}], "B0889MHYWT": [{"asin": "B0889MHYWT", "instruction": "i'm looking for beef jerky with a sweet smoked flavor that is high in protein.", "attributes": ["grass fed", "high protein", "individually wrapped", "shelf stable", "ready eat", "gluten free"], "options": ["flavor name: sweet smoked"], "instruction_attributes": ["high protein"], "instruction_options": ["sweet smoked"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4MJ8MT", "worker_id": "A2JP9IKRHNLRPI"}], "B07MHGDC71": [{"asin": "B07MHGDC71", "instruction": "i would like a resealable bag of peanut brittle.", "attributes": ["old fashioned", "resealable bag"], "options": [""], "instruction_attributes": ["resealable bag"], "instruction_options": [], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40L3NXH", "worker_id": "A1WS884SI0SLO4"}], "B00LGRXL2K": [{"asin": "B00LGRXL2K", "instruction": "i want to find in the color deep pink men's wool jogger pants brand southpole model active basic. be quick in your help i'm waiting. that can be machine washed", "attributes": ["machine wash", "elastic closure"], "options": ["color: deep pink", "size: 4x-large", "style: basic active fleece jogger pants"], "instruction_attributes": ["machine wash"], "instruction_options": ["deep pink"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQ1U4B4", "worker_id": "A15IJ20C3R4HUO"}], "B089GKSZH7": [{"asin": "B089GKSZH7", "instruction": "i want an lnafirenze and highly pigmented matte liquid lipstick set.", "attributes": ["highly pigmented", "easy apply", "cruelty free"], "options": ["pattern name: lnafirenze"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["lnafirenze"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG55450", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B089GKSZH7", "instruction": "i am looking high quality waterproof highly pigmented easy apply cruelty free long lasting lip glosses inafirenze pattern", "attributes": ["highly pigmented", "easy apply", "cruelty free"], "options": ["pattern name: lnafirenze"], "instruction_attributes": ["highly pigmented", "easy apply", "cruelty free"], "instruction_options": ["lnafirenze"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC4LNIV", "worker_id": "A3N9ZYQAESNFQH"}], "B09H3Z8QVF": [{"asin": "B09H3Z8QVF", "instruction": "i am looking for a high power high definition sound bars", "attributes": ["high power", "high definition"], "options": [""], "instruction_attributes": ["high power", "high definition"], "instruction_options": [], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y2OJ5Z", "worker_id": "A9QRQL9CFJBI7"}], "B081N4PHWC": [{"asin": "B081N4PHWC", "instruction": "i want a curly hair black brown synthetic hairpiece.", "attributes": ["high quality", "hair extensions", "synthetic hair"], "options": ["color: 2# black brown-8\" (black cap)", "size: curly hair-inseparable"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["2# black brown-8\" (black cap)", "curly hair-inseparable"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZF8AP9", "worker_id": "A1WS884SI0SLO4"}], "B08R1PD541": [{"asin": "B08R1PD541", "instruction": "i want to buy cake toppers suitable for a baby shower event.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q9HII8", "worker_id": "AJY5G987IRT25"}], "B09R29WVRM": [{"asin": "B09R29WVRM", "instruction": "i want an espresso prepac astrid 6 drawer solid wood tall chest.", "attributes": ["white item", "white finish", "solid wood"], "options": ["color: espresso", "size: 6-drawer dresser"], "instruction_attributes": ["solid wood"], "instruction_options": ["espresso"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34P041I", "worker_id": "A2RBF3IIJP15IH"}], "B00AW98LMI": [{"asin": "B00AW98LMI", "instruction": "i want a biscuit revlon colorstay concealer for dark circles.", "attributes": ["long lasting", "high quality", "dark circles"], "options": ["color: biscuit"], "instruction_attributes": ["dark circles"], "instruction_options": ["biscuit"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO9N33T", "worker_id": "A2RBF3IIJP15IH"}], "B08XWZSS3T": [{"asin": "B08XWZSS3T", "instruction": "i need a 38mm smartwatch case with glass screen", "attributes": ["compatible apple", "easy install", "glass screen", "tempered glass"], "options": ["color: green | rosegold", "size: 38 mm"], "instruction_attributes": ["glass screen"], "instruction_options": ["38 mm"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI3ETDBW", "worker_id": "AVIEE6LDH0BT5"}], "B08GKKTMP9": [{"asin": "B08GKKTMP9", "instruction": "i would like easy to apply halloween temp zombie tattoos", "attributes": ["easy apply", "non toxic", "long lasting"], "options": ["color: zombie tattoos"], "instruction_attributes": ["easy apply"], "instruction_options": ["zombie tattoos"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBC0J4Q2", "worker_id": "A1WS884SI0SLO4"}], "B09NQC8SNJ": [{"asin": "B09NQC8SNJ", "instruction": "i am looking for a small slim fit nightgowns & sleepshirts", "attributes": ["slim fit", "quality polyester", "unique design"], "options": ["color: off-white", "size: small"], "instruction_attributes": ["slim fit"], "instruction_options": ["small"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F71V5PM", "worker_id": "A9QRQL9CFJBI7"}], "B09PNGB456": [{"asin": "B09PNGB456", "instruction": "i want a abstract wall art with the boho color", "attributes": ["mid century", "long lasting", "living room", "dining room"], "options": ["color: boho decor abstract wall art"], "instruction_attributes": ["dining room"], "instruction_options": ["boho decor abstract wall art"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PEIBUY", "worker_id": "AVIEE6LDH0BT5"}], "B08F5G34L1": [{"asin": "B08F5G34L1", "instruction": "i want a pair of 7.5 gray shoes with moisture wicking.", "attributes": ["slip resistant", "moisture wicking", "steel toe", "lace closure"], "options": ["color: grey | black | white", "size: 7.5"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["grey | black | white", "7.5"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E97HXF", "worker_id": "A1WS884SI0SLO4"}], "B09KXVVQ88": [{"asin": "B09KXVVQ88", "instruction": "i would like a high resolution tablet", "attributes": ["dual band", "high resolution", "high definition"], "options": [""], "instruction_attributes": ["high resolution"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL32AVN", "worker_id": "A2ECRNQ3X5LEXD"}], "B08M5XCD52": [{"asin": "B08M5XCD52", "instruction": "i want xx-large biker shorts for women high waist.", "attributes": ["moisture wicking", "high waist"], "options": ["color: spacedye orange", "size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["xx-large"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGOPO04", "worker_id": "A2RBF3IIJP15IH"}], "B00ME8CKBS": [{"asin": "B00ME8CKBS", "instruction": "search for an ac adapter with output protection.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSNI8B7", "worker_id": "A15ERD4HOFEPHM"}], "B0742LVGX7": [{"asin": "B0742LVGX7", "instruction": "i want to buy a skin cream which is fragrance free and it is for smoothing eye contour.", "attributes": ["anti aging", "fragrance free", "dark circles"], "options": ["style name: smoothing eye contour"], "instruction_attributes": ["fragrance free"], "instruction_options": ["smoothing eye contour"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQH791C", "worker_id": "AJY5G987IRT25"}], "B09J13M3P9": [{"asin": "B09J13M3P9", "instruction": "i would like a 69 wide by 36 tall gray roller shade that is eco friendly.", "attributes": ["eco friendly", "stainless steel", "living room"], "options": ["color: gray light filtering", "size: 69w x 36h"], "instruction_attributes": ["eco friendly"], "instruction_options": ["gray light filtering", "69w x 36h"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNDE10T", "worker_id": "A1WS884SI0SLO4"}], "B07CMWK5SV": [{"asin": "B07CMWK5SV", "instruction": "i am looking for short sleeve medium size blush t shirt tops blouse for women", "attributes": ["short sleeve", "polyester cotton"], "options": ["color: blush", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["blush", "medium"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMZCSA4", "worker_id": "A258PTOZ3D2TQR"}], "B08QJ9WXGB": [{"asin": "B08QJ9WXGB", "instruction": "i'm looking for a band for my apple watch that will fit at 38, 40 or 41mm that is easy for me to install.", "attributes": ["compatible apple", "quick release", "easy install"], "options": ["color: green arrow", "size: 38mm | 40mm | 41mm"], "instruction_attributes": ["easy install"], "instruction_options": ["38mm | 40mm | 41mm"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1HOXC8", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B08QJ9WXGB", "instruction": "i am looking for stretchy band compatible with apple watch band 42mm", "attributes": ["compatible apple", "quick release", "easy install"], "options": ["color: colorful rope", "size: 42mm | 44mm | 45mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["42mm | 44mm | 45mm"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UUDG1L", "worker_id": "A258PTOZ3D2TQR"}], "B07ZQBJFK4": [{"asin": "B07ZQBJFK4", "instruction": "i am looking for a pair of women's red and green machine washable pants with pockets.", "attributes": ["wide leg", "machine washable", "loose fit", "hand wash", "machine wash", "high waist", "daily wear"], "options": ["color: red+green", "size: 3x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["red+green"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FK5ELA", "worker_id": "A1EREKSZAA9V7B"}], "B06XQV18WL": [{"asin": "B06XQV18WL", "instruction": "i want to find a beige set of blackout curtains that are 54 inches in width and 72 inches in length for my living room.", "attributes": ["white item", "living room"], "options": ["color: beige", "size: w54 x l72"], "instruction_attributes": ["living room"], "instruction_options": ["beige", "w54 x l72"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AP9OE0", "worker_id": "A345TDMHP3DQ3G"}], "B096RTNQFS": [{"asin": "B096RTNQFS", "instruction": "i'm looking for an easy to use case for iphone 12 pro max in color black.", "attributes": ["easy use", "wireless charging"], "options": ["color: black"], "instruction_attributes": ["easy use"], "instruction_options": ["black"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4MB89R", "worker_id": "A62B826XMLK7K"}], "B0978XC32J": [{"asin": "B0978XC32J", "instruction": "i am interested in buying sparkling water which is made of simple ingredients and has raspberry lime flavor.", "attributes": ["gluten free", "simple ingredients"], "options": ["flavor name: raspberry lime"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["raspberry lime"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCK34DNI", "worker_id": "AJY5G987IRT25"}, {"asin": "B0978XC32J", "instruction": "i am looking for gluten free water. please choose black cherry flavor.", "attributes": ["gluten free", "simple ingredients"], "options": ["flavor name: black cherry"], "instruction_attributes": ["gluten free"], "instruction_options": ["black cherry"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZH3MK6", "worker_id": "A3FG5PQHG5AH3Y"}], "B08YDPFDJL": [{"asin": "B08YDPFDJL", "instruction": "i want to buy a cable for guitar which is gold plated is a splitter cord with a length of 50ft.", "attributes": ["gold plated", "aluminum alloy"], "options": ["color: 1 | 8 to 2x1 | 4 y splitter cord", "size: 50ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["1 | 8 to 2x1 | 4 y splitter cord", "50ft"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNYAC0US", "worker_id": "AJY5G987IRT25"}], "B09MZLPKFJ": [{"asin": "B09MZLPKFJ", "instruction": "i am looking for a 4 pack of white chocolate macadamia cookies that are chipmonk cookies brand, low carb and gluten free.", "attributes": ["low carb", "high protein", "gluten free", "grain free", "low sugar", "low calorie", "sugar free", "quality ingredients"], "options": ["color: white chocolate macadamia", "size: 4 pack"], "instruction_attributes": ["low carb", "gluten free"], "instruction_options": ["white chocolate macadamia", "4 pack"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDBA64YD", "worker_id": "AK3JMCIGU8MLU"}], "B09263DSYV": [{"asin": "B09263DSYV", "instruction": "screen protector: 41\"w x 72\"h easy to install", "attributes": ["easy install", "easy clean"], "options": ["color: beige", "size: 41\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["41\"w x 72\"h"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5ZF4FF", "worker_id": "A3TTGSUBIK1YCL"}], "B01M6YL425": [{"asin": "B01M6YL425", "instruction": "i am looking for white color floor lamps having bronze finish.", "attributes": ["assembly required", "bronze finish", "glass shade"], "options": ["color: white | white"], "instruction_attributes": ["bronze finish"], "instruction_options": ["white | white"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHRAFC04", "worker_id": "A1Q8PPQQCWGY0D"}], "B01FR6K40C": [{"asin": "B01FR6K40C", "instruction": "looking for keto friendly jumbo sunflower seeds", "attributes": ["keto friendly", "dietary fiber"], "options": [""], "instruction_attributes": ["keto friendly"], "instruction_options": [], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGHN9SZ", "worker_id": "A10OGH5CQBXL5N"}], "B08MXC3R4R": [{"asin": "B08MXC3R4R", "instruction": "i'm looking for a cheese platter that i can include in a gift basket.", "attributes": ["perfect gift", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTIRD5F", "worker_id": "A2JP9IKRHNLRPI"}], "B08TC5FP4B": [{"asin": "B08TC5FP4B", "instruction": "i am looking for some red heart cupcake toppers for a birthday cake.", "attributes": ["valentine day", "cupcake picks", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTURE58", "worker_id": "A1EREKSZAA9V7B"}], "B083JY7VQ7": [{"asin": "B083JY7VQ7", "instruction": "i'm looking for a size 12, casual woman's dress without sleeves.", "attributes": ["imported zipper", "polyester spandex", "dry clean"], "options": ["color: ochre tulip sleeve", "size: 12"], "instruction_attributes": ["dry clean"], "instruction_options": ["12"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGG8MSP", "worker_id": "A2JP9IKRHNLRPI"}], "B007W9G3FS": [{"asin": "B007W9G3FS", "instruction": "i want a bottle of act total care alcohol free mouthwash.", "attributes": ["alcohol free", "bad breath"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFF7LVM", "worker_id": "A2RBF3IIJP15IH"}], "B0999K1GCN": [{"asin": "B0999K1GCN", "instruction": "i want to find a blue toothbrush that can help me take care of my oral hygiene.", "attributes": ["teeth whitening", "oral hygiene"], "options": ["color: blue b09"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["blue b09"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVQ9LXJ", "worker_id": "A345TDMHP3DQ3G"}], "B07QJ1GBZ3": [{"asin": "B07QJ1GBZ3", "instruction": "hello, i'm looking for dermatologist approved sunblock that leaves no scent? also, i want 3.4 fl oz", "attributes": ["dermatologist tested", "fragrance free"], "options": ["size: 3.4 fl oz"], "instruction_attributes": ["dermatologist tested", "fragrance free"], "instruction_options": ["3.4 fl oz"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKPVPVB", "worker_id": "A2TRV8SEM003GG"}], "B08FRM5ZCT": [{"asin": "B08FRM5ZCT", "instruction": "i need bread that is gluten free and bbq cheddar flavored", "attributes": ["gluten free", "protein serving", "simple ingredients", "source vitamin"], "options": ["flavor: bbq cheddar", "size: 0.8 ounce (pack of 36)", "style: crackers + baking mix"], "instruction_attributes": ["gluten free"], "instruction_options": ["bbq cheddar"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS6VG9O", "worker_id": "A2ECRNQ3X5LEXD"}], "B074KJ5LD3": [{"asin": "B074KJ5LD3", "instruction": "i would like a pair of 38 wide by 28 long standard dark indigo flex jeans that are regular fit.", "attributes": ["day comfort", "machine wash", "regular fit", "imported zipper", "button closure"], "options": ["color: dark indigo flex", "size: 38w x 28l", "special size: standard"], "instruction_attributes": ["regular fit"], "instruction_options": ["dark indigo flex", "38w x 28l", "standard"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINX227F", "worker_id": "A1WS884SI0SLO4"}], "B000MHCDWO": [{"asin": "B000MHCDWO", "instruction": "i'm looking for a twelve pack of 1.5 ounce packages of almonds that are high in protein.", "attributes": ["high protein", "source vitamin"], "options": ["flavor name: spicy dill pickle", "size: 1.5 ounce (pack of 12)"], "instruction_attributes": ["high protein"], "instruction_options": ["1.5 ounce (pack of 12)"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PEMBU2", "worker_id": "A2JP9IKRHNLRPI"}], "B071ZZB5QC": [{"asin": "B071ZZB5QC", "instruction": "i would like a 16 inch by 16 inch yellow gray throw pillow cover that is machine washable.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: yellow grey", "size: 16\" x 16\""], "instruction_attributes": ["machine washable"], "instruction_options": ["yellow grey", "16\" x 16\""], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYH2822", "worker_id": "A1WS884SI0SLO4"}], "B097TQG3F6": [{"asin": "B097TQG3F6", "instruction": "i need white walking shoes with arch support.", "attributes": ["loose fit", "arch support", "closed toe", "ankle strap"], "options": ["color: white", "size: 6.5-7"], "instruction_attributes": ["arch support"], "instruction_options": ["white"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRWK2YP", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BKYG8W9": [{"asin": "B08BKYG8W9", "instruction": "i am looking for blue dragonfly color wall light for my living room.", "attributes": ["easy install", "light fixture", "living room"], "options": ["color: blue dragonfly"], "instruction_attributes": ["living room"], "instruction_options": ["blue dragonfly"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO9T2RB", "worker_id": "A1Q8PPQQCWGY0D"}], "B08G4ZNRGP": [{"asin": "B08G4ZNRGP", "instruction": "i need hands free matte black cell phone holder for car dashboard windshield", "attributes": ["hands free", "carbon fiber"], "options": ["color: matte black"], "instruction_attributes": ["hands free"], "instruction_options": ["matte black"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXC6FCD", "worker_id": "A258PTOZ3D2TQR"}], "B095N7NT78": [{"asin": "B095N7NT78", "instruction": "i want silver cooki rhinestone open toe sandals.", "attributes": ["open toe", "teen girls", "daily wear"], "options": ["color: z92 silver", "size: 6.5-7"], "instruction_attributes": ["open toe"], "instruction_options": ["z92 silver"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH4LZ4A", "worker_id": "A2RBF3IIJP15IH"}], "B078HV1Y6J": [{"asin": "B078HV1Y6J", "instruction": "i would like a bpa free jar.", "attributes": ["leak proof", "bpa free"], "options": [""], "instruction_attributes": ["bpa free"], "instruction_options": [], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIJGVFM", "worker_id": "A1WS884SI0SLO4"}], "B09CW73S5Z": [{"asin": "B09CW73S5Z", "instruction": "may i have machine wash, short sleeve of lands' end men's short sleeve super soft supima polo shirt, the large size.", "attributes": ["machine washable", "machine wash", "short sleeve", "quality materials", "button closure", "long sleeve"], "options": ["color: golden candle light", "size: large"], "instruction_attributes": ["machine wash", "short sleeve"], "instruction_options": ["large"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA508AF", "worker_id": "A1IL2K0ELYI090"}], "B09GM8S6GJ": [{"asin": "B09GM8S6GJ", "instruction": "i am looking for a pair of easy to assemble beige chairs for my living room.", "attributes": ["button tufted", "high density", "easy assemble", "solid wood", "living room"], "options": ["color: beige", "item package quantity: 1"], "instruction_attributes": ["easy assemble", "living room"], "instruction_options": ["beige"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G7BT478", "worker_id": "A1EREKSZAA9V7B"}], "B094RC6NSX": [{"asin": "B094RC6NSX", "instruction": "i want a pair of size 7 wide taupe loafers with arch support.", "attributes": ["arch support", "relaxed fit"], "options": ["color: taupe", "size: 7 wide"], "instruction_attributes": ["arch support"], "instruction_options": ["taupe", "7 wide"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21R3FQE", "worker_id": "A1WS884SI0SLO4"}], "B004C0JXD4": [{"asin": "B004C0JXD4", "instruction": "i need a pack of long lasting permanent hair dye in a cr\u00e8me format; my shade is 6rb light reddish brown.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 6rb light reddish brown", "size: 1 count (pack of 1)"], "instruction_attributes": ["long lasting", "permanent hair", "hair dye"], "instruction_options": ["6rb light reddish brown", "1 count (pack of 1)"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBJNDJ2", "worker_id": "A3LIIE572Z4OG7"}], "B084HLXLKG": [{"asin": "B084HLXLKG", "instruction": "i want to get some low calorie margarita mix. look for a four pack.", "attributes": ["low calorie", "low carb", "gluten free"], "options": ["flavor: margarita", "size: 32 fl oz (pack of 4)"], "instruction_attributes": ["low calorie"], "instruction_options": ["margarita", "32 fl oz (pack of 4)"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVL51PF", "worker_id": "AR9AU5FY1S3RO"}], "B08GM7DTFP": [{"asin": "B08GM7DTFP", "instruction": "i need a pack of 2 fine-tooth dressing combs that are effective in styling as well as preventing hair loss.", "attributes": ["hair styling", "hair loss"], "options": ["color: a-tortoiseshell", "size: 2 pack"], "instruction_attributes": ["hair styling", "hair loss"], "instruction_options": ["2 pack"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OLAL5HH", "worker_id": "A3LIIE572Z4OG7"}], "B081DB3BKN": [{"asin": "B081DB3BKN", "instruction": "i am looking for trader joe's chocolate covered shortbread cookies.", "attributes": ["trader joe", "chocolate covered"], "options": [""], "instruction_attributes": ["trader joe", "chocolate covered"], "instruction_options": [], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OZ4YEH", "worker_id": "A1EREKSZAA9V7B"}], "B093KD454D": [{"asin": "B093KD454D", "instruction": "i'm looking for a laundry bag that is designed for delicate blouses and hosiery.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UYUY0V", "worker_id": "AFU00NU09CFXE"}], "B000XB34TK": [{"asin": "B000XB34TK", "instruction": "make this purchase for me: david's cookies - 24 fresh baked chocolate cookies gourmet gift basket, assorted flavors.tks", "attributes": ["perfect gift", "gift basket"], "options": ["flavor name: assorted flavors", "size: 12 count (pack of 1)"], "instruction_attributes": ["gift basket"], "instruction_options": ["assorted flavors"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV6GHB3", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B000XB34TK", "instruction": "i need chocolate chunk cookies for my gift basket.", "attributes": ["perfect gift", "gift basket"], "options": ["flavor name: chocolate chunk", "size: 24 count"], "instruction_attributes": ["gift basket"], "instruction_options": ["chocolate chunk"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LZQDC0", "worker_id": "AVIEE6LDH0BT5"}], "B09F2DS41B": [{"asin": "B09F2DS41B", "instruction": "find bluetooth speaks with stereo sound", "attributes": ["water resistant", "stereo sound", "wireless bluetooth"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95W5QXM", "worker_id": "AVIEE6LDH0BT5"}], "B09LC168ZB": [{"asin": "B09LC168ZB", "instruction": "i'm looking for a fast charging wireless bluetooth headphone.", "attributes": ["fast charging", "high definition"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84D26C0", "worker_id": "A3MNXK3VDK37SN"}], "B08LX46PXG": [{"asin": "B08LX46PXG", "instruction": "i am looking for a box of chocolate covered caramels and nuts.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: caramels & nuts", "size: 9.4 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["caramels & nuts"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI8TT3T", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08LX46PXG", "instruction": "i want russell stover pecan delights for valentine's day.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: pecan delights", "size: 8.1 ounce (pack of 1)"], "instruction_attributes": ["valentine day"], "instruction_options": ["pecan delights"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYQBZO0", "worker_id": "A2RBF3IIJP15IH"}], "B09RGMG3JW": [{"asin": "B09RGMG3JW", "instruction": "i would like a white 2xl white sleep set with a elastic waist", "attributes": ["slim fit", "hand wash", "machine wash", "elastic waistband", "relaxed fit", "polyester spandex", "laundry bag"], "options": ["color: white", "size: xx-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["white", "xx-large"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVKDZS6", "worker_id": "A1WS884SI0SLO4"}], "B008MWLO4O": [{"asin": "B008MWLO4O", "instruction": "can you find a 10\" high performance 200 watt, osd in-wall sub-woofer that is trimless 8\" and allows me to customize the grill.", "attributes": ["high performance", "easy install"], "options": ["size: trimless 8 in"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3WC6P9", "worker_id": "AMI0SOF51O3FW"}], "B08VY5WHQB": [{"asin": "B08VY5WHQB", "instruction": "i need a classic fit pastel goth black girl lolita princess court dress with lemon color.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: lemon", "fit type: women", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["lemon"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WZ1A14", "worker_id": "A1IL2K0ELYI090"}], "B08YJML6FS": [{"asin": "B08YJML6FS", "instruction": "i need 16.5 inch dining room chair pads", "attributes": ["super soft", "dining room"], "options": ["color: dinosaur round", "size: 42cm | 16.5in"], "instruction_attributes": ["dining room"], "instruction_options": ["42cm | 16.5in"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK24CTKNU", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PGH5PQK": [{"asin": "B07PGH5PQK", "instruction": "i need a large size white color line art graphic needle sleeve t-shirt for women", "attributes": ["officially licensed", "needle sleeve", "classic fit", "star wars"], "options": ["color: white", "fit type: women", "size: large"], "instruction_attributes": ["needle sleeve"], "instruction_options": ["white", "large"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPNVNJ0", "worker_id": "A258PTOZ3D2TQR"}], "B09RH3JJLF": [{"asin": "B09RH3JJLF", "instruction": "i am looking for a pair of men's khaki cargo shorts with an elastic waist.", "attributes": ["slim fit", "fleece lined", "loose fit", "elastic waist"], "options": ["color: c#khaki", "size: 3x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["c#khaki"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB18VUL3", "worker_id": "A1EREKSZAA9V7B"}], "B096Y4T4Q6": [{"asin": "B096Y4T4Q6", "instruction": "i would like a pair of size 6.5 black flats with a ankle strap.", "attributes": ["open toe", "light weight", "ankle strap", "soft material", "teen girls"], "options": ["color: #01 black", "size: 6.5-7"], "instruction_attributes": ["ankle strap"], "instruction_options": ["#01 black", "6.5-7"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG1QWT5", "worker_id": "A1WS884SI0SLO4"}], "B08MVFP7TN": [{"asin": "B08MVFP7TN", "instruction": "can you find me an bulk sized almond joy, gluten free size large.", "attributes": ["individually wrapped", "gluten free"], "options": ["size: large (pack of 1)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXC9CFD", "worker_id": "AMI0SOF51O3FW"}], "B09SVF8YJ7": [{"asin": "B09SVF8YJ7", "instruction": "i would like to buy a shirt for men which has short sleeves, and is of green color, and the size i want it to be should be medium.", "attributes": ["light weight", "machine washable", "long sleeve", "short sleeve"], "options": ["color: green", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["green", "medium"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CHP0VL", "worker_id": "AJY5G987IRT25"}], "B01I6QA16C": [{"asin": "B01I6QA16C", "instruction": "i am looking for daily casual xx-large cocktail dress, floral color", "attributes": ["daily casual", "cotton spandex"], "options": ["color: 1a-floral-5", "size: xx-large"], "instruction_attributes": ["daily casual"], "instruction_options": ["1a-floral-5", "xx-large"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIOIEF4", "worker_id": "A258PTOZ3D2TQR"}], "B07S9X3LF4": [{"asin": "B07S9X3LF4", "instruction": "i want an agerios moroccan argan oil instant repaired hair mask.", "attributes": ["argan oil", "dry hair", "hair treatment", "damaged hair", "hair loss"], "options": [""], "instruction_attributes": ["argan oil"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMUW9WR", "worker_id": "A2RBF3IIJP15IH"}], "B08519PB4W": [{"asin": "B08519PB4W", "instruction": "i'm looking for a small sweatshirt with drawstring closure. choose the ones that come in galaxy fox color.", "attributes": ["drawstring closure", "polyester spandex", "dry clean"], "options": ["color: galaxy fox", "size: small"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["galaxy fox", "small"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KS1JL0", "worker_id": "A3MNXK3VDK37SN"}], "B08GLFRSTM": [{"asin": "B08GLFRSTM", "instruction": "i'm looking for acer aspire computer all-in-one bundle accessory.", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["core i5", "intel core", "quad core"], "instruction_options": [], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDBA3Y44", "worker_id": "A21IUUHBSEVB56"}], "B07M88SRG9": [{"asin": "B07M88SRG9", "instruction": "i want to find a toupee to treat hair loss in the 1b65 color.", "attributes": ["easy use", "hair loss"], "options": ["color: 1b65"], "instruction_attributes": ["hair loss"], "instruction_options": ["1b65"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36T2FSUR", "worker_id": "A345TDMHP3DQ3G"}], "B08CRPT6PK": [{"asin": "B08CRPT6PK", "instruction": "i'm looking for a band for my galaxy watch 3 that offers a quick release mechanism and is small and black. i would also accept pink.", "attributes": ["quick release", "high performance"], "options": ["color: small, black | pink", "size: galaxy watch 3 41mm"], "instruction_attributes": ["quick release"], "instruction_options": ["small, black | pink"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP8X7JG", "worker_id": "A2JP9IKRHNLRPI"}], "B08DNC33W4": [{"asin": "B08DNC33W4", "instruction": "i am looking for a pair of dark green throw pillow covers for my living room.", "attributes": ["super soft", "living room"], "options": ["color: dark green", "size: 22x22 inch"], "instruction_attributes": ["living room"], "instruction_options": ["dark green"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8F85AJ", "worker_id": "A1EREKSZAA9V7B"}], "B099LFWBRD": [{"asin": "B099LFWBRD", "instruction": "i would like a 120 wide by 90 long color 8 window panel that is machine washable.", "attributes": ["machine washable", "long lasting"], "options": ["color: color08", "size: 120\" w x 90\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["color08", "120\" w x 90\" l"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8NMR4T", "worker_id": "A1WS884SI0SLO4"}], "B09HXNBJR2": [{"asin": "B09HXNBJR2", "instruction": "i need large size wine color crew neck short sleeve tendy tops for women", "attributes": ["light weight", "machine washable", "machine wash", "drawstring closure", "relaxed fit", "short sleeve"], "options": ["color: wine", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["wine", "large"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OZAEY3", "worker_id": "A258PTOZ3D2TQR"}], "B09MJZ214X": [{"asin": "B09MJZ214X", "instruction": "i'd like to look for some fast charging, noise cancelling earbuds.", "attributes": ["noise cancelling", "fast charging"], "options": [""], "instruction_attributes": ["noise cancelling", "fast charging"], "instruction_options": [], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PQRQEA", "worker_id": "AR9AU5FY1S3RO"}], "B07XRDQD96": [{"asin": "B07XRDQD96", "instruction": "i want to find a black and white case cover for my iphone, and it needs to feature cats.", "attributes": ["hands free", "case cover"], "options": ["color: black cat white cat"], "instruction_attributes": ["case cover"], "instruction_options": ["black cat white cat"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSSVX0J", "worker_id": "A345TDMHP3DQ3G"}], "B08HQVKW4Z": [{"asin": "B08HQVKW4Z", "instruction": "i'm looking for a pair of rose red, butt-lifting, high-waisted shorts in xx-large that are machine washable and provide tummy control.", "attributes": ["butt lifting", "machine wash", "tummy control", "elastic closure", "high waist", "daily wear"], "options": ["color: rose red snickers", "size: xx-large"], "instruction_attributes": ["butt lifting", "machine wash", "tummy control", "high waist"], "instruction_options": ["rose red snickers", "xx-large"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRY1WPW", "worker_id": "AFU00NU09CFXE"}], "B09BDYCTS4": [{"asin": "B09BDYCTS4", "instruction": "i'm looking for hair growth serum.", "attributes": ["hair growth", "hair loss", "damaged hair"], "options": [""], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEQ6KZG", "worker_id": "A21IUUHBSEVB56"}], "B07CWP8QKT": [{"asin": "B07CWP8QKT", "instruction": "i am looking for a high speed 3 foot long usb-c to usb-a cable.", "attributes": ["fast charging", "high speed"], "options": ["color: silver", "size: 3 feet", "style: type-a 2.0"], "instruction_attributes": ["high speed"], "instruction_options": ["3 feet"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC5IZYT", "worker_id": "A1EREKSZAA9V7B"}], "B08FCTYKGC": [{"asin": "B08FCTYKGC", "instruction": "i'm locking for motorcycle stereo speakers soundbar.", "attributes": ["power amplifier", "high performance", "plug play"], "options": [""], "instruction_attributes": ["power amplifier"], "instruction_options": [], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V822UK", "worker_id": "A21IUUHBSEVB56"}], "B0893WV92B": [{"asin": "B0893WV92B", "instruction": "i'm looking for a stainless steal quick release 18mm black watch.", "attributes": ["quick release", "water resistant", "stainless steel"], "options": ["color: silver", "size: 18mm"], "instruction_attributes": ["quick release", "stainless steel"], "instruction_options": ["18mm"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNYAA0UQ", "worker_id": "A62B826XMLK7K"}], "B08Y8BV4D1": [{"asin": "B08Y8BV4D1", "instruction": "i want to find a black pair of women's summer sandals for daily wear in a size 9.", "attributes": ["open toe", "teen girls", "daily wear"], "options": ["color: z92 black", "size: 9"], "instruction_attributes": ["daily wear"], "instruction_options": ["z92 black", "9"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTC6NL8", "worker_id": "A345TDMHP3DQ3G"}], "B09LV2FPV2": [{"asin": "B09LV2FPV2", "instruction": "i need blue cupcake picks for a baby shower.", "attributes": ["cupcake picks", "baby shower"], "options": ["color: blue-1"], "instruction_attributes": ["cupcake picks", "baby shower"], "instruction_options": ["blue-1"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LNMI59", "worker_id": "A1NF6PELRKACS9"}], "B08PV1DVF9": [{"asin": "B08PV1DVF9", "instruction": "i want to buy an office desk chair which has lumbar support and it's grey color.", "attributes": ["heavy duty", "lumbar support"], "options": ["color: grey"], "instruction_attributes": ["lumbar support"], "instruction_options": ["grey"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GO1K933", "worker_id": "AJY5G987IRT25"}], "B09PH3Y4R5": [{"asin": "B09PH3Y4R5", "instruction": "i'm looking for a loose fitting, machine washable blouse in blue. i need an xx large.", "attributes": ["loose fit", "quick drying", "machine washable", "long sleeve", "short sleeve", "laundry bag", "teen girls", "daily wear"], "options": ["color: baodan-a315-blue", "size: xx-large"], "instruction_attributes": ["loose fit", "machine washable"], "instruction_options": ["baodan-a315-blue", "xx-large"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5KDWIR", "worker_id": "AR9AU5FY1S3RO"}], "B09GV7ZLRH": [{"asin": "B09GV7ZLRH", "instruction": "i want a single count of sassy sangria that is hand crafted.", "attributes": ["hand crafted", "perfect gift"], "options": ["flavor name: sassy sangria", "size: 1 count (pack of 1)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["sassy sangria", "1 count (pack of 1)"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRYBWP6", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09GV7ZLRH", "instruction": "i'm looking for mason jar spirit infusion kit.", "attributes": ["hand crafted", "perfect gift"], "options": ["flavor name: sassy sangria", "size: serves 8"], "instruction_attributes": ["perfect gift"], "instruction_options": ["serves 8"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTY8E4F", "worker_id": "A21IUUHBSEVB56"}], "B07F6QKGX5": [{"asin": "B07F6QKGX5", "instruction": "looking for ottoman bench footstool upholstered faux leather decor for living room also choose color brown faux leather", "attributes": ["faux leather", "living room"], "options": ["color: brown | faux leather"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["brown | faux leather"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB45DXYN", "worker_id": "A10OGH5CQBXL5N"}], "B08Y69MKT8": [{"asin": "B08Y69MKT8", "instruction": "i need some fast charging usb cables that are grey", "attributes": ["fast charging", "high speed"], "options": ["color: grey", "size: 10ft+6.6ft+3.3ft+1ft", "style: 3 pack"], "instruction_attributes": ["fast charging"], "instruction_options": ["grey"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZV2K3E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HBNQ5BD": [{"asin": "B09HBNQ5BD", "instruction": "i'm looking for x large cotton pajamas that are elastic waist please and thank you", "attributes": ["machine wash", "drawstring closure", "elastic waist"], "options": ["color: white & red", "size: x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["x-large"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ003PXE", "worker_id": "A2TRV8SEM003GG"}], "B09PZ121JF": [{"asin": "B09PZ121JF", "instruction": "i am looking for some low fat dried apple rings.", "attributes": ["low fat", "low sodium", "kosher certified", "dairy free", "dietary fiber"], "options": ["flavor name: dried apple rings"], "instruction_attributes": ["low fat"], "instruction_options": ["dried apple rings"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV4OX3N", "worker_id": "A1EREKSZAA9V7B"}], "B01M8MIZMC": [{"asin": "B01M8MIZMC", "instruction": "i want to find a high-definition wireless bluetooth speaker.", "attributes": ["high definition", "wireless bluetooth"], "options": [""], "instruction_attributes": ["high definition", "wireless bluetooth"], "instruction_options": [], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ7EISV", "worker_id": "A345TDMHP3DQ3G"}], "B08KS8CX53": [{"asin": "B08KS8CX53", "instruction": "i'm looking for christmas gift baskets for kids.", "attributes": ["gift basket", "gift set"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG1KTWW", "worker_id": "ARJDD0Z3R65BD"}], "B09FXKXDGF": [{"asin": "B09FXKXDGF", "instruction": "i am interested in acquiring a bedroom armoire which is eco friendly, and has steel frame, also i want it to be of black color, and the size should be 56\"x18\"x56\".", "attributes": ["eco friendly", "white item", "storage space", "steel frame"], "options": ["color: black", "size: 56\"x18\"x56\""], "instruction_attributes": ["eco friendly", "steel frame"], "instruction_options": ["black", "56\"x18\"x56\""], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG6TBGO", "worker_id": "AJY5G987IRT25"}], "B08M36NK2J": [{"asin": "B08M36NK2J", "instruction": "i would like to buy office desk chair which has lumbar support and is of grey color.", "attributes": ["heavy duty", "assembly required", "lumbar support"], "options": ["color: grey"], "instruction_attributes": ["lumbar support"], "instruction_options": ["grey"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUYAQJI", "worker_id": "AJY5G987IRT25"}], "B014LC0QRE": [{"asin": "B014LC0QRE", "instruction": "i am searching for women's two button lux dry clean blazer of 16 size charcoal color", "attributes": ["button closure", "dry clean"], "options": ["color: charcoal", "size: 16", "special size: plus size"], "instruction_attributes": ["dry clean"], "instruction_options": ["charcoal", "16"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S57MGY", "worker_id": "A258PTOZ3D2TQR"}], "B09Q5YBJL8": [{"asin": "B09Q5YBJL8", "instruction": "i want blue and eco friendly cenglings sandals for women.", "attributes": ["eco friendly", "high quality", "rose gold"], "options": ["color: blue", "size: 6"], "instruction_attributes": ["eco friendly"], "instruction_options": ["blue"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKS09LGN", "worker_id": "A2RBF3IIJP15IH"}], "B08X6TG3C4": [{"asin": "B08X6TG3C4", "instruction": "i need a hair cutting kit that is multicolored", "attributes": ["water resistant", "easy clean", "hair cutting", "hair dye"], "options": ["color: multi21"], "instruction_attributes": ["hair cutting"], "instruction_options": ["multi21"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FM73DM", "worker_id": "A2ECRNQ3X5LEXD"}], "B09C5SR9KH": [{"asin": "B09C5SR9KH", "instruction": "i am looking for a pair of women's size 36 eu water shoes with rubber soles.", "attributes": ["stretch fabric", "rubber sole"], "options": ["color: lightning powder", "size: 36 eu"], "instruction_attributes": ["rubber sole"], "instruction_options": ["36 eu"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN5OGO9", "worker_id": "A1EREKSZAA9V7B"}], "B08BRB66FY": [{"asin": "B08BRB66FY", "instruction": "i need 4 vanity light sconces for my bathroom wall that are modern and easy to install.", "attributes": ["easy install", "vanity light", "clear glass", "glass shade"], "options": ["size: 4 light"], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": ["4 light"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DV3K44", "worker_id": "A3LIIE572Z4OG7"}], "B00110OL08": [{"asin": "B00110OL08", "instruction": "i want a hair removal solution made with natural ingredients.", "attributes": ["clinically proven", "natural ingredients", "sensitive skin"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHE11ES", "worker_id": "A1WS884SI0SLO4"}], "B016ARX1OS": [{"asin": "B016ARX1OS", "instruction": "i want to find a white long-sleeve dress shirt that has a 20 inch neck and a 36 inch sleeve.", "attributes": ["machine washable", "machine wash", "regular fit", "button closure", "long sleeve", "tumble dry"], "options": ["color: white", "size: 20\"-20.5\" neck 36\"-37\" sleeve"], "instruction_attributes": ["long sleeve"], "instruction_options": ["white", "20\"-20.5\" neck 36\"-37\" sleeve"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q400WFYT", "worker_id": "A345TDMHP3DQ3G"}], "B09DK5YFVL": [{"asin": "B09DK5YFVL", "instruction": "i would like a anti perspirant.", "attributes": ["anti perspirant", "dead skin"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q8MKD7", "worker_id": "A1WS884SI0SLO4"}], "B09RVVB3GL": [{"asin": "B09RVVB3GL", "instruction": "product title i wear this size and model.gibobby women's swimsuits tankini bikini, quick dry, extra large size. i need help finding", "attributes": ["quick drying", "quality polyester"], "options": ["color: yellow", "size: x-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["x-large"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQJKCJA", "worker_id": "A15IJ20C3R4HUO"}], "B00F96L14Y": [{"asin": "B00F96L14Y", "instruction": "i am looking for 2 ft x 6 ft runner size area rugs that are easy to clean.", "attributes": ["easy clean", "contemporary design"], "options": ["color: brown | ivory", "size: 2 ft x 6 ft runner"], "instruction_attributes": ["easy clean"], "instruction_options": ["2 ft x 6 ft runner"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8N04RK", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00F96L14Y", "instruction": "i am looking for a easy clean area rug with 8 ft square. also choose light brown color.", "attributes": ["easy clean", "contemporary design"], "options": ["color: light brown | beige", "size: 8 ft square"], "instruction_attributes": ["easy clean"], "instruction_options": ["light brown | beige", "8 ft square"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRWAXJP", "worker_id": "A2HMEGTAFO0CS8"}], "B07C9JGB4L": [{"asin": "B07C9JGB4L", "instruction": "i want you to help me find maine root handmade ginger soda, 12 fl oz (12 glass bottles) i'm having a hard time finding certified organic. i hope you succeed", "attributes": ["caffeine free", "hand crafted", "certified organic"], "options": ["flavor name: mexicane cola", "size: 12 pack"], "instruction_attributes": ["certified organic"], "instruction_options": ["mexicane cola", "12 pack"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7M15NX", "worker_id": "A15IJ20C3R4HUO"}], "B099NRCQ9P": [{"asin": "B099NRCQ9P", "instruction": "i want to buy waffle cookies which are non gmo and come in a single package and have 28 pieces.", "attributes": ["non gmo", "artificial colors"], "options": ["size: 28 count (single packages)"], "instruction_attributes": ["non gmo"], "instruction_options": ["28 count (single packages)"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KRPUHZ", "worker_id": "AJY5G987IRT25"}], "B0892P1X12": [{"asin": "B0892P1X12", "instruction": "i am looking for baked fresh red velvet cookies that are individually wrapped.", "attributes": ["baked fresh", "individually wrapped", "old fashioned"], "options": [""], "instruction_attributes": ["baked fresh", "individually wrapped"], "instruction_options": [], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOL4TCP", "worker_id": "AK3JMCIGU8MLU"}], "B08WK88CVJ": [{"asin": "B08WK88CVJ", "instruction": "i want to buy dental retainer container which is made of non toxic elements.", "attributes": ["non toxic", "storage case"], "options": [""], "instruction_attributes": ["non toxic"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZQ4Y12", "worker_id": "AJY5G987IRT25"}], "B07YZ3JVL2": [{"asin": "B07YZ3JVL2", "instruction": "i need to find a small end table that is easy to assemble; pick a blue-coated steel frame that won't rust.", "attributes": ["heavy duty", "space saving", "easy assemble", "coated steel", "steel frame"], "options": ["color: blue"], "instruction_attributes": ["easy assemble", "coated steel", "steel frame"], "instruction_options": ["blue"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1M03UU", "worker_id": "A3LIIE572Z4OG7"}], "B08HVN1DFL": [{"asin": "B08HVN1DFL", "instruction": "i am looking for a white computer gaming chair with lumbar support.", "attributes": ["white item", "lumbar support", "pu leather"], "options": ["color: white"], "instruction_attributes": ["white item", "lumbar support"], "instruction_options": ["white"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXW65OC", "worker_id": "A1EREKSZAA9V7B"}], "B08FMY7SKC": [{"asin": "B08FMY7SKC", "instruction": "i need a core i5 optiplex computer", "attributes": ["high speed", "core i5", "intel core"], "options": ["size: 16gb memory | 256gb pcie ssd + 1tb hdd"], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQKSJRS", "worker_id": "AVIEE6LDH0BT5"}], "B0822WP1MV": [{"asin": "B0822WP1MV", "instruction": "i need a super soft and fluffy duvet cover for my king-sized bed. please choose the black one.", "attributes": ["queen size", "super soft"], "options": ["color: black", "size: king"], "instruction_attributes": ["super soft"], "instruction_options": ["black", "king"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69RVP87", "worker_id": "A3LIIE572Z4OG7"}], "B0089OQ2YM": [{"asin": "B0089OQ2YM", "instruction": "i am looking for a short sleeve fishing shirt with a button closure in the color emerald city and in the size 2x tall.", "attributes": ["short sleeve", "relaxed fit", "button closure"], "options": ["color: emerald city", "size: 2x tall"], "instruction_attributes": ["button closure"], "instruction_options": ["emerald city", "2x tall"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY68J49", "worker_id": "AK3JMCIGU8MLU"}], "B081GSQBW1": [{"asin": "B081GSQBW1", "instruction": "i need a easy to apply nail polish", "attributes": ["easy apply", "easy carry", "nail polish"], "options": ["color: c07"], "instruction_attributes": ["easy apply", "nail polish"], "instruction_options": [], "assignment_id": "33UKMF931KU01WBNV49UKNDQC7GTTK", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B081GSQBW1", "instruction": "i need some nail polish in the color c08.", "attributes": ["easy apply", "easy carry", "nail polish"], "options": ["color: c08"], "instruction_attributes": ["nail polish"], "instruction_options": ["c08"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL2VVRB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QBXGP2K": [{"asin": "B09QBXGP2K", "instruction": "i need an easy to install 24 millimeter replacement watchband in red.", "attributes": ["quick release", "easy install", "stainless steel"], "options": ["color: red", "size: 24mm"], "instruction_attributes": ["easy install"], "instruction_options": ["red", "24mm"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLOKM0X", "worker_id": "AR9AU5FY1S3RO"}], "B09MFQ5HBY": [{"asin": "B09MFQ5HBY", "instruction": "i'm looking for a ten pack of silver cake toppers for my friend's baby shower.", "attributes": ["party supplies", "baby shower"], "options": ["color: silver"], "instruction_attributes": ["baby shower"], "instruction_options": ["silver"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8N3R4A", "worker_id": "A2JP9IKRHNLRPI"}], "B077NPM47T": [{"asin": "B077NPM47T", "instruction": "look for a mid century pendant light to be installed in my living room. it should be black.", "attributes": ["mid century", "bronze finish", "pendant light", "living room"], "options": ["color: black"], "instruction_attributes": ["mid century", "pendant light", "living room"], "instruction_options": ["black"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95CA8HP1", "worker_id": "A1NF6PELRKACS9"}], "B08JC9MRLL": [{"asin": "B08JC9MRLL", "instruction": "i want dark grey vislily plus-size long sleeve sweaters.", "attributes": ["machine wash", "cotton spandex", "polyester cotton", "long sleeve"], "options": ["color: 16_dark grey", "size: 14 plus"], "instruction_attributes": ["long sleeve"], "instruction_options": ["16_dark grey"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZQ41Y5", "worker_id": "A2RBF3IIJP15IH"}], "B07TSTQ7CS": [{"asin": "B07TSTQ7CS", "instruction": "i want a set of 5 modern height adjustable mid-back bar stool", "attributes": ["height adjustable", "contemporary design"], "options": [""], "instruction_attributes": ["height adjustable"], "instruction_options": [], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPD12IAU", "worker_id": "A1IL2K0ELYI090"}], "B07CHTZ7MS": [{"asin": "B07CHTZ7MS", "instruction": "i am looking for a ready to use full size mattress and box springs.", "attributes": ["ready use", "queen size", "fully assembled", "assembly required", "king size"], "options": ["color: white | gold", "size: full", "style: 4\" foundation"], "instruction_attributes": ["ready use"], "instruction_options": ["full"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UXFJ6V", "worker_id": "A1EREKSZAA9V7B"}], "B01N050LLG": [{"asin": "B01N050LLG", "instruction": "i am looking for sulfate free shampoo that repairs damaged hair.", "attributes": ["sulfate free", "damaged hair"], "options": [""], "instruction_attributes": ["sulfate free", "damaged hair"], "instruction_options": [], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUPG4S5", "worker_id": "AK3JMCIGU8MLU"}], "B019NLUOXE": [{"asin": "B019NLUOXE", "instruction": "i am looking for warm beige color anti aging foundation.", "attributes": ["cruelty free", "anti aging"], "options": ["color: warm beige", "size: 1 fl oz (pack of 2)"], "instruction_attributes": ["anti aging"], "instruction_options": ["warm beige"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36T22USG", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B019NLUOXE", "instruction": "i need a 1 oz bottle of cruelty free foundation that is golden tan.", "attributes": ["cruelty free", "anti aging"], "options": ["color: golden tan", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["golden tan", "1 fl oz (pack of 1)"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OUO3MH", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MWB5DQG": [{"asin": "B09MWB5DQG", "instruction": "i want to find a pink front-button bra in a size 44 that is made of quality polyester.", "attributes": ["hand wash", "lace closure", "quality polyester"], "options": ["color: pink", "size: 44"], "instruction_attributes": ["quality polyester"], "instruction_options": ["pink", "44"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67W1H7FE", "worker_id": "A345TDMHP3DQ3G"}], "B09H2QPDVB": [{"asin": "B09H2QPDVB", "instruction": "find me a spa treatment beauty salon massage bed skirt in blue in the 190*80cm square head size.", "attributes": ["easy clean", "high quality", "beauty salon"], "options": ["color: blue", "size: 190*80cm square head"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4E06R1", "worker_id": "AMI0SOF51O3FW"}], "B078C5DYKV": [{"asin": "B078C5DYKV", "instruction": "i am looking for a 108\" x 84\" size panels for living room", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: pink pale pink", "size: 108\" x 84\""], "instruction_attributes": ["living room"], "instruction_options": ["108\" x 84\""], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZHQKLP", "worker_id": "A9QRQL9CFJBI7"}], "B0769G9XH9": [{"asin": "B0769G9XH9", "instruction": "i am looking for brushed nickel color pendant lights that are easy to install.", "attributes": ["height adjustable", "easy install", "brushed nickel", "pendant light", "nickel finish", "glass shade"], "options": ["color: brushed nickel", "size: 3-light"], "instruction_attributes": ["easy install"], "instruction_options": ["brushed nickel"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB18UUL2", "worker_id": "A1Q8PPQQCWGY0D"}], "B09P3S2JHL": [{"asin": "B09P3S2JHL", "instruction": "i need a long lasting battery pack with fast charging capabilities.", "attributes": ["long lasting", "fast charging"], "options": [""], "instruction_attributes": ["long lasting", "fast charging"], "instruction_options": [], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZ17JZH", "worker_id": "AVIEE6LDH0BT5"}], "B001M0G1XW": [{"asin": "B001M0G1XW", "instruction": "i want to find organic, low fat applesauce that is apple strawberry flavored. it should come in 4 ounce cups in a pack of 4.", "attributes": ["low fat", "ready eat"], "options": ["flavor name: apple strawberry", "size: 4 ounce, 6 count (pack of 4)"], "instruction_attributes": ["low fat"], "instruction_options": ["apple strawberry", "4 ounce, 6 count (pack of 4)"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOMYLM8", "worker_id": "A345TDMHP3DQ3G"}], "B09J165NX5": [{"asin": "B09J165NX5", "instruction": "i want to buy sneaker shoes which are non slop and are comfortable fit with a size of 7.5 .", "attributes": ["non slip", "rubber sole", "comfortable fit", "unique design"], "options": ["size: 7.5"], "instruction_attributes": ["non slip", "comfortable fit"], "instruction_options": ["7.5"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5VQX6T", "worker_id": "AJY5G987IRT25"}], "B088D259Q5": [{"asin": "B088D259Q5", "instruction": "i am looking for a long lasting gold color tablet.", "attributes": ["long lasting", "quad core", "4g lte"], "options": ["color: gold", "style: 4g cellular + wifi"], "instruction_attributes": ["long lasting"], "instruction_options": ["gold"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LZFCDO", "worker_id": "A1Q8PPQQCWGY0D"}], "B08TW2ZNLX": [{"asin": "B08TW2ZNLX", "instruction": "i want a dark chocolate covered flipz bites bar.", "attributes": ["chocolate covered", "resealable bag"], "options": ["flavor name: dark-chocolate", "size: 3.5 ounce bag (pack of 6)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["dark-chocolate"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XVMNG4", "worker_id": "A2RBF3IIJP15IH"}], "B08NZ18GMQ": [{"asin": "B08NZ18GMQ", "instruction": "i am looking for white 6 inch ceramic plates for my dining room.", "attributes": ["white finish", "dining room"], "options": [""], "instruction_attributes": ["white finish", "dining room"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL30VA6", "worker_id": "A1EREKSZAA9V7B"}], "B085CD6YJQ": [{"asin": "B085CD6YJQ", "instruction": "i'm looking for a fast wireless charger in blue color.", "attributes": ["fast charging", "wireless charging"], "options": ["color: blue"], "instruction_attributes": ["fast charging", "wireless charging"], "instruction_options": ["blue"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPDLOCW", "worker_id": "A3MNXK3VDK37SN"}], "B085125HY7": [{"asin": "B085125HY7", "instruction": "i want to buy video recorders which can detect motion and come with a size of nv4108-1tb", "attributes": ["plug play", "motion detection"], "options": ["size: nv4108-1tb"], "instruction_attributes": ["motion detection"], "instruction_options": ["nv4108-1tb"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD4XIC6", "worker_id": "AJY5G987IRT25"}], "B09RPC54JG": [{"asin": "B09RPC54JG", "instruction": "i want large snowshine men's low rise boxer briefs.", "attributes": ["low rise", "hand wash"], "options": ["color: navy", "size: large"], "instruction_attributes": ["low rise"], "instruction_options": ["large"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4F7QRD", "worker_id": "A2RBF3IIJP15IH"}], "B08BX2C29N": [{"asin": "B08BX2C29N", "instruction": "i need a medium pant that has an elastic waist", "attributes": ["elastic waist", "elastic closure", "gym workout"], "options": ["color: bitch please", "size: medium"], "instruction_attributes": ["elastic waist"], "instruction_options": ["medium"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHAD3DOR", "worker_id": "A2ECRNQ3X5LEXD"}], "B085GG5X4X": [{"asin": "B085GG5X4X", "instruction": "i need a quick drying swim suit cover up in a size large. get the watermelon one.", "attributes": ["quick drying", "quality polyester", "tummy control"], "options": ["color: watermelon", "size: large"], "instruction_attributes": ["quick drying"], "instruction_options": ["watermelon", "large"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM494J4XE", "worker_id": "AR9AU5FY1S3RO"}], "B09KG97T9N": [{"asin": "B09KG97T9N", "instruction": "i am lookong for a colorful2 for screen protectors wihich is easy ti install", "attributes": ["high resolution", "easy install"], "options": ["color: colorful2", "size: iphone 13 6.1\" | iphone 13 mini 5.4\""], "instruction_attributes": ["easy install"], "instruction_options": ["colorful2"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRSBMUE8", "worker_id": "A9QRQL9CFJBI7"}], "B007HQFSMU": [{"asin": "B007HQFSMU", "instruction": "find beef jerkys made from grass feed animals.", "attributes": ["grass fed", "gluten free"], "options": [""], "instruction_attributes": ["grass fed"], "instruction_options": [], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9XRTES", "worker_id": "AVIEE6LDH0BT5"}], "B01B1ZVPR4": [{"asin": "B01B1ZVPR4", "instruction": "i would like a 30\" wide vintage leather grey headboard that is wall mounted.", "attributes": ["queen size", "wall mounted"], "options": ["color: vintage leather light grey", "size: 30'' wide"], "instruction_attributes": ["wall mounted"], "instruction_options": ["vintage leather light grey", "30'' wide"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMO5VX6", "worker_id": "A1WS884SI0SLO4"}], "B09Q94CBZY": [{"asin": "B09Q94CBZY", "instruction": "i would like a large gray pair of leggings with a high waist.", "attributes": ["butt lifting", "high waist", "tummy control"], "options": ["color: gray", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": ["gray", "large"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DF2WDM", "worker_id": "A1WS884SI0SLO4"}], "B07VTDDHWV": [{"asin": "B07VTDDHWV", "instruction": "i'm looking for a stereo headset for my nintendo switch that is both yellow and blue.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: yellow | blue", "pattern name: headset + just dance 2022"], "instruction_attributes": ["stereo sound"], "instruction_options": ["yellow | blue"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQG3JAJ", "worker_id": "A2JP9IKRHNLRPI"}], "B08PNQB4TN": [{"asin": "B08PNQB4TN", "instruction": "i am in need of elastic waist winter active running joggers pants of small size and dark grey color", "attributes": ["fleece lined", "straight leg", "machine wash", "drawstring closure", "cotton spandex", "unique design", "elastic waist", "relaxed fit"], "options": ["color: dark grey", "size: small"], "instruction_attributes": ["elastic waist"], "instruction_options": ["dark grey", "small"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8F75AI", "worker_id": "A258PTOZ3D2TQR"}], "B08SJ9C7P8": [{"asin": "B08SJ9C7P8", "instruction": "i'm looking for plant based zero sugar energy drinks in a four flavor variety pack.", "attributes": ["plant based", "zero sugar"], "options": ["flavor name: 4 flavor variety pack"], "instruction_attributes": ["plant based", "zero sugar"], "instruction_options": ["4 flavor variety pack"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35RFGUP", "worker_id": "AR9AU5FY1S3RO"}], "B08P1K7X1L": [{"asin": "B08P1K7X1L", "instruction": "i am looking for black daybed frame twin size with upholstered sideboard for living room", "attributes": ["twin size", "space saving", "contemporary style", "box spring", "living room"], "options": ["color: black daybed"], "instruction_attributes": ["twin size", "living room"], "instruction_options": ["black daybed"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGT2S7MK", "worker_id": "A258PTOZ3D2TQR"}], "B09Q5QR4D9": [{"asin": "B09Q5QR4D9", "instruction": "i want to find a grey bunk bed frame with shelves made out of solid wood.", "attributes": ["white item", "assembly required", "box spring", "solid wood"], "options": ["color: grey", "size: full over full with shelves"], "instruction_attributes": ["solid wood"], "instruction_options": ["grey", "full over full with shelves"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSMS26Q", "worker_id": "A345TDMHP3DQ3G"}], "B096PJ6ZTW": [{"asin": "B096PJ6ZTW", "instruction": "i am looking for black, open toe sandals in size 9.", "attributes": ["open toe", "closed toe"], "options": ["color: z35 black", "size: 9"], "instruction_attributes": ["open toe"], "instruction_options": ["z35 black", "9"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R407W5", "worker_id": "AK3JMCIGU8MLU"}], "B09M95Q3LX": [{"asin": "B09M95Q3LX", "instruction": "i am looking for a pair of women's medium sized machine wash biker shorts.", "attributes": ["machine wash", "wash cold", "elastic closure", "cotton spandex", "elastic waistband"], "options": ["color: fewpts0008 americano", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["medium"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZF7UW4", "worker_id": "A1EREKSZAA9V7B"}], "B09RQQ8V11": [{"asin": "B09RQQ8V11", "instruction": "i am looking for s multicolor high quality clips", "attributes": ["non slip", "high quality"], "options": ["color: a-240pcs", "size: multicolor"], "instruction_attributes": ["high quality"], "instruction_options": ["multicolor"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QGFM1P", "worker_id": "A9QRQL9CFJBI7"}], "B09H2W7448": [{"asin": "B09H2W7448", "instruction": "i am looking for amplifiers that have high power and performance.", "attributes": ["power amplifier", "high power", "high performance"], "options": [""], "instruction_attributes": ["power amplifier", "high power", "high performance"], "instruction_options": [], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1MDGTGJ", "worker_id": "A1NF6PELRKACS9"}], "B085MBZH9F": [{"asin": "B085MBZH9F", "instruction": "i want to find open toe hosantel women's flip flops that are size 8, floral and multi-color.", "attributes": ["open toe", "high heel", "closed toe", "ankle strap", "button closure"], "options": ["color: x-05 multicolor", "size: 39=us:8"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EHH1BL", "worker_id": "AMI0SOF51O3FW"}], "B003XM73P2": [{"asin": "B003XM73P2", "instruction": "i want a 6 foot long gold plated hdmi cable.", "attributes": ["blu ray", "high speed", "ultra hd", "gold plated"], "options": ["size: 6ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["6ft"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV6JHB6", "worker_id": "A1WS884SI0SLO4"}], "B002ZANMHG": [{"asin": "B002ZANMHG", "instruction": "i'm looking for natural java beverage mix.", "attributes": ["quality ingredients", "artificial flavors"], "options": ["flavor name: belgian style dark", "size: 3.5 pound (pack of 1)"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["3.5 pound (pack of 1)"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMMLIZ7", "worker_id": "A21IUUHBSEVB56"}], "B089LQ2T5V": [{"asin": "B089LQ2T5V", "instruction": "i need a women's high waist swimsuit in a fashionable tropical-print design; i'm a size medium.", "attributes": ["high waist", "fashion design"], "options": ["color: floral | blackd5", "size: medium"], "instruction_attributes": ["high waist", "fashion design"], "instruction_options": ["medium"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDW78YT", "worker_id": "A3LIIE572Z4OG7"}], "B078SPT9K8": [{"asin": "B078SPT9K8", "instruction": "i need to find a box of trader joe seed crackers that support my gluten-free diet.", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["trader joe", "gluten free"], "instruction_options": [], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRW82YD", "worker_id": "A3LIIE572Z4OG7"}], "B09STP6P85": [{"asin": "B09STP6P85", "instruction": "i want a 2xl black short sleeve shirt.", "attributes": ["moisture wicking", "slim fit", "short sleeve"], "options": ["color: shirts-128- black", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["shirts-128- black", "xx-large"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ2750175A4PQ", "worker_id": "A1WS884SI0SLO4"}], "B076B3JX4R": [{"asin": "B076B3JX4R", "instruction": "i'm looking for an 8 oz, paraben free hair regrowth shampoo.", "attributes": ["paraben free", "hair treatment", "damaged hair"], "options": ["size: 8 fl oz (pack of 1)"], "instruction_attributes": ["paraben free"], "instruction_options": ["8 fl oz (pack of 1)"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2C37Y7", "worker_id": "AK3JMCIGU8MLU"}], "B09MQC3JX7": [{"asin": "B09MQC3JX7", "instruction": "i want a green table that is 1080p hd.", "attributes": ["high definition", "1080p hd"], "options": ["color: green"], "instruction_attributes": ["1080p hd"], "instruction_options": ["green"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADX1ZYMA", "worker_id": "A1WS884SI0SLO4"}], "B09M34J5W1": [{"asin": "B09M34J5W1", "instruction": "i want a rose gold leotop screen protector compatible with apple watch.", "attributes": ["compatible apple", "easy install"], "options": ["color: rose gold", "size: 42 mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["rose gold"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FKZLEB", "worker_id": "A2RBF3IIJP15IH"}], "B093VCC7L8": [{"asin": "B093VCC7L8", "instruction": "i am interested in buying a t-shirt for women, which is classic fit, and is of black color, while it's size should be 2t.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: black", "fit type: women", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["black", "women", "2t"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZXO409", "worker_id": "AJY5G987IRT25"}], "B09N9LCNPM": [{"asin": "B09N9LCNPM", "instruction": "i need pink color valentine day cake toppers", "attributes": ["birthday party", "valentine day", "cupcake picks", "baby shower"], "options": ["color: pink"], "instruction_attributes": ["valentine day"], "instruction_options": ["pink"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN4LTP5", "worker_id": "A258PTOZ3D2TQR"}], "B098XHJNWM": [{"asin": "B098XHJNWM", "instruction": "i am looking for a pair of women's size 6.5 to 7 open toe sandals.", "attributes": ["open toe", "closed toe"], "options": ["color: z1#silver", "size: 6.5-7"], "instruction_attributes": ["open toe"], "instruction_options": ["6.5-7"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7ZMCUA", "worker_id": "A1EREKSZAA9V7B"}], "B088X5GYP1": [{"asin": "B088X5GYP1", "instruction": "i'm looking for a 12 pack of gluten free, keto friendly, low carb granola bars", "attributes": ["dairy free", "gluten free", "soy free", "keto friendly", "low carb", "plant based"], "options": ["size: chocolate (12 pack)"], "instruction_attributes": ["gluten free", "keto friendly", "low carb"], "instruction_options": ["chocolate (12 pack)"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMZGASQ", "worker_id": "AK3JMCIGU8MLU"}], "B0158VB6BC": [{"asin": "B0158VB6BC", "instruction": "i am looking for a table lamp for my living room.", "attributes": ["brushed nickel", "nickel finish", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTXQ7L6", "worker_id": "A1Q8PPQQCWGY0D"}], "B07NN1SJZW": [{"asin": "B07NN1SJZW", "instruction": "i need a hands free portable bluetooth speaker with stereo sound.", "attributes": ["hands free", "stereo sound"], "options": [""], "instruction_attributes": ["hands free", "stereo sound"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6AI5GS", "worker_id": "AR9AU5FY1S3RO"}], "B0863GF7PC": [{"asin": "B0863GF7PC", "instruction": "i want a black kodak pixpro az401 with optical zoom.", "attributes": ["easy use", "optical zoom"], "options": ["color: black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["black"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLBOCEP", "worker_id": "A2RBF3IIJP15IH"}], "B08W9PD4TM": [{"asin": "B08W9PD4TM", "instruction": "i want a 8 fluid ounce bottle of mint julep mixers made from natural ingredients.", "attributes": ["artificial colors", "quality ingredients", "natural ingredients"], "options": ["flavor: mint julep", "size: 8 fl oz (pack of 2)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["mint julep", "8 fl oz (pack of 2)"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZ3QCNF", "worker_id": "A1WS884SI0SLO4"}], "B09LD1443P": [{"asin": "B09LD1443P", "instruction": "i want happy birthday cake sunflower toppers.", "attributes": ["birthday cake", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3K772S5NPJL8742V5F3A7IA1Y3LEHS", "worker_id": "A2RBF3IIJP15IH"}], "B08BNW7GZG": [{"asin": "B08BNW7GZG", "instruction": "i want a rose gold and non slip fueyou makeup brush set.", "attributes": ["cruelty free", "non slip", "rose gold", "synthetic hair"], "options": ["color: rose gold"], "instruction_attributes": ["non slip"], "instruction_options": ["rose gold"], "assignment_id": "3G2UL9A02OO71034MOY04HTU32D679", "worker_id": "A2RBF3IIJP15IH"}], "B08W1YL8C4": [{"asin": "B08W1YL8C4", "instruction": "i'm looking for a edible cupcakes cookies toppers.", "attributes": ["dairy free", "gluten free", "birthday party"], "options": ["size: 7.5\" round"], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZU5SHI", "worker_id": "A21IUUHBSEVB56"}], "B09Q7LVG2Y": [{"asin": "B09Q7LVG2Y", "instruction": "deep conditioning hair growth hair mask with supplement tablets 180 nos", "attributes": ["clinically proven", "hair growth"], "options": ["size: 180 tablets + elixir"], "instruction_attributes": ["hair growth"], "instruction_options": ["180 tablets + elixir"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8TH0DZ5C", "worker_id": "A258PTOZ3D2TQR"}], "B078SMMN8K": [{"asin": "B078SMMN8K", "instruction": "find a bonsai gift set.", "attributes": ["gift set", "perfect gift"], "options": [""], "instruction_attributes": ["gift set"], "instruction_options": [], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6THUMN7", "worker_id": "AVIEE6LDH0BT5"}], "B09K72BKJJ": [{"asin": "B09K72BKJJ", "instruction": "i want to buy hydration lotion which has a size suitable for travel and is made of coconut oil.", "attributes": ["travel size", "coconut oil"], "options": [""], "instruction_attributes": ["travel size", "coconut oil"], "instruction_options": [], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UT7EZN", "worker_id": "AJY5G987IRT25"}], "B095C9WX7T": [{"asin": "B095C9WX7T", "instruction": "i am looking for a black stainless steel smartwatch bands", "attributes": ["compatible apple", "stainless steel"], "options": ["color: black", "size: 42mm | 44mm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["black"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCTW7IS", "worker_id": "A9QRQL9CFJBI7"}], "B09KHDYYRH": [{"asin": "B09KHDYYRH", "instruction": "i'm looking for a 24 pack of cupcake toppers for my daughter's baby shower.", "attributes": ["birthday party", "baby shower", "cupcake picks", "party supplies"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYMJ6LJ", "worker_id": "A2JP9IKRHNLRPI"}], "B07RV33SBH": [{"asin": "B07RV33SBH", "instruction": "i need a pack of 2 high speed cables that support hdmi to dvi and are also compatible with 1080p hd.", "attributes": ["blu ray", "1080p hd", "gold plated", "high speed"], "options": ["color: 2 pack", "size: 10 feet"], "instruction_attributes": ["1080p hd", "high speed"], "instruction_options": ["2 pack"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH157PWHP", "worker_id": "A3LIIE572Z4OG7"}], "B09H2T1JX5": [{"asin": "B09H2T1JX5", "instruction": "i would like some high quality hair claws", "attributes": ["non slip", "high quality", "quality materials"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI725DSN", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MFK9NMD": [{"asin": "B09MFK9NMD", "instruction": "i am looking for lead free candles having 2 pack french lavender scent.", "attributes": ["lead free", "soy wax"], "options": ["scent: 2 pack french lavender"], "instruction_attributes": ["lead free"], "instruction_options": ["2 pack french lavender"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQJCCJ2", "worker_id": "A1Q8PPQQCWGY0D"}], "B08Z3TQLFC": [{"asin": "B08Z3TQLFC", "instruction": "i'm looking for a roller tool that's good for fine lines and aging skin.", "attributes": ["anti aging", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "fine lines"], "instruction_options": [], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNYAK0U0", "worker_id": "AR9AU5FY1S3RO"}], "B09P5ZBCWR": [{"asin": "B09P5ZBCWR", "instruction": "i'm looking for a small portable folding desk that is already fully assembled; it should have a khaki wood finish.", "attributes": ["fully assembled", "high density", "wood finish"], "options": ["color: khaki"], "instruction_attributes": ["fully assembled", "wood finish"], "instruction_options": ["khaki"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTUKKT0", "worker_id": "A3LIIE572Z4OG7"}], "B01HOZO9WS": [{"asin": "B01HOZO9WS", "instruction": "i need nylon spandex pants that are mocha colored.", "attributes": ["wash cold", "machine wash", "tummy control", "nylon spandex"], "options": ["color: mocha", "size: 18"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["mocha"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC8NUKX", "worker_id": "A2ECRNQ3X5LEXD"}], "B087QSW6QW": [{"asin": "B087QSW6QW", "instruction": "i want an ivory pair of bearpaw women's skye boots with rubber soles.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: ivory", "size: 8.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["ivory"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83O4JIJ", "worker_id": "A2RBF3IIJP15IH"}], "B09RFGKR1T": [{"asin": "B09RFGKR1T", "instruction": "find black colored sandals for a teen girl.", "attributes": ["open toe", "closed toe", "teen girls"], "options": ["color: b01 black", "size: 8.5"], "instruction_attributes": ["teen girls"], "instruction_options": ["b01 black"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1I3RXK", "worker_id": "AVIEE6LDH0BT5"}], "B09Q5TJ6ZF": [{"asin": "B09Q5TJ6ZF", "instruction": "i want interestprint women's running shoes with vinyl acetate in size 15.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: multi002", "size: 15"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["15"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZM1O8R", "worker_id": "A2RBF3IIJP15IH"}], "B086XZ3D6Q": [{"asin": "B086XZ3D6Q", "instruction": "i need a low carb brownie mix", "attributes": ["low carb", "grain free", "sugar free", "gluten free"], "options": ["size: 7.4 ounce (pack of 2)", "style: brownie mix"], "instruction_attributes": ["low carb"], "instruction_options": ["brownie mix"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVWT9XB", "worker_id": "A2ECRNQ3X5LEXD"}], "B08ZL8QX27": [{"asin": "B08ZL8QX27", "instruction": "look for a sugar free drink mix that has a banana flavor.", "attributes": ["keto friendly", "low carb", "sugar free", "zero sugar"], "options": ["flavor name: banana"], "instruction_attributes": ["sugar free"], "instruction_options": ["banana"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMHNXDV", "worker_id": "A1NF6PELRKACS9"}], "B01KQ0H7W2": [{"asin": "B01KQ0H7W2", "instruction": "i am looking for a long lasting nail polish.", "attributes": ["long lasting", "nail polish"], "options": [""], "instruction_attributes": ["long lasting", "nail polish"], "instruction_options": [], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GO1V398", "worker_id": "A1EREKSZAA9V7B"}], "B07BDV5PN8": [{"asin": "B07BDV5PN8", "instruction": "i want this food from snack puffs, aged white cheddar. pirate's booty 0.0g trans and gluten free i await your return", "attributes": ["non gmo", "gluten free", "0g trans", "artificial colors"], "options": [""], "instruction_attributes": ["non gmo", "gluten free", "0g trans"], "instruction_options": [], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVLZ1P9", "worker_id": "A15IJ20C3R4HUO"}], "B09N3YZ8PC": [{"asin": "B09N3YZ8PC", "instruction": "i want a blue noldares mens flannel long sleeve shirt.", "attributes": ["slim fit", "machine wash", "long sleeve", "short sleeve", "everyday wear", "daily wear"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3LTBVP", "worker_id": "A2RBF3IIJP15IH"}], "B072FHXYSJ": [{"asin": "B072FHXYSJ", "instruction": "i'm looking for farmhouse upholstered dining chair.", "attributes": ["assembly required", "contemporary style", "wood frame", "dining room"], "options": ["style: upholstered half back"], "instruction_attributes": ["dining room"], "instruction_options": ["upholstered half back"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1JM08E", "worker_id": "A21IUUHBSEVB56"}], "B084R8XLRR": [{"asin": "B084R8XLRR", "instruction": "i'm looking for a large, white, cube shaped closet organizer to provide additional storage space.", "attributes": ["easy clean", "storage space"], "options": ["color: white", "size: 56\"x18\"x70\""], "instruction_attributes": ["storage space"], "instruction_options": ["white"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADO1HAE", "worker_id": "A2JP9IKRHNLRPI"}], "B087P3ZJ3F": [{"asin": "B087P3ZJ3F", "instruction": "i need an eyeshadow palette that's easy to carry and contains a highly pigmented brown eyeshadow.", "attributes": ["highly pigmented", "easy carry"], "options": ["color: brown matte"], "instruction_attributes": ["highly pigmented", "easy carry"], "instruction_options": ["brown matte"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBPAMAO2", "worker_id": "AR9AU5FY1S3RO"}], "B07X379VC8": [{"asin": "B07X379VC8", "instruction": "i want a silver apple macbook pro with intel core i5-7267u.", "attributes": ["core i5", "intel core"], "options": ["capacity: 8gb ram | 256gbssd", "color: silver"], "instruction_attributes": ["core i5"], "instruction_options": ["silver"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P79HVSC", "worker_id": "A2RBF3IIJP15IH"}], "B09D7TR414": [{"asin": "B09D7TR414", "instruction": "i'm looking for faux leather couch bed with armless and metal lega.", "attributes": ["faux leather", "metal legs", "living room"], "options": [""], "instruction_attributes": ["faux leather", "metal legs", "living room"], "instruction_options": [], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6IVVEY", "worker_id": "A21IUUHBSEVB56"}], "B09BZMBWNF": [{"asin": "B09BZMBWNF", "instruction": "i am interested in buying folding mattress for a beauty salon, which has wine red color and is of 75*190cm size.", "attributes": ["non slip", "beauty salon"], "options": ["color: wine red", "size: 75*190cm"], "instruction_attributes": ["beauty salon"], "instruction_options": ["wine red", "75*190cm"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPKIV6O", "worker_id": "AJY5G987IRT25"}], "B09HM99DS3": [{"asin": "B09HM99DS3", "instruction": "i am looking for a long lasting brown soy wax candle.", "attributes": ["long lasting", "soy wax"], "options": ["color: brown"], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": ["brown"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGSKYIZ", "worker_id": "A1EREKSZAA9V7B"}], "B08H4HZGL9": [{"asin": "B08H4HZGL9", "instruction": "i am looking for blue color hair dye mixing bowl, sized 22x7.5x2cm", "attributes": ["easy use", "hair treatment", "hair dye"], "options": ["color: blue", "size: 22x7.5x2cm"], "instruction_attributes": ["hair dye"], "instruction_options": ["blue", "22x7.5x2cm"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80HDQ1H", "worker_id": "A258PTOZ3D2TQR"}], "B08KSJHSXF": [{"asin": "B08KSJHSXF", "instruction": "i want anon gmo wyman\u2019s triple berry fresh frozen variety pack.", "attributes": ["ready eat", "non gmo", "dietary fiber"], "options": ["flavor name: frozen fruit variety pack", "size: 3 pound (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["frozen fruit variety pack"], "assignment_id": "3HPZF4IVNX3FW186JO133U513NZCYA", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08KSJHSXF", "instruction": "prefer this brand wyman's triple berry frozen fresh fruit | no preservatives, certified non-gmo, ready to eat. i count on your experience in finding what i need for today", "attributes": ["ready eat", "non gmo", "dietary fiber"], "options": ["flavor name: triple berry", "size: 3 pound (pack of 2)"], "instruction_attributes": ["ready eat", "non gmo"], "instruction_options": ["triple berry"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFQLE9A", "worker_id": "A15IJ20C3R4HUO"}], "B08KFMG8XZ": [{"asin": "B08KFMG8XZ", "instruction": "i want to find permanent hair color cream in a golden copper color.", "attributes": ["long lasting", "permanent hair"], "options": ["color: 6dr | 6.34 golden-copper dark blond"], "instruction_attributes": ["permanent hair"], "instruction_options": ["6dr | 6.34 golden-copper dark blond"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3OZRYS", "worker_id": "A345TDMHP3DQ3G"}], "B00O6DHOCY": [{"asin": "B00O6DHOCY", "instruction": "i want a 7.5 oz box of gluten free paleokrunch cereal.", "attributes": ["grain free", "artificial ingredients", "gluten free", "low calorie", "low carb", "resealable bag"], "options": ["size: 7.5 ounce (pack of 3)"], "instruction_attributes": ["gluten free"], "instruction_options": ["7.5 ounce (pack of 3)"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4MR8M1", "worker_id": "A2RBF3IIJP15IH"}], "B07XC27X9V": [{"asin": "B07XC27X9V", "instruction": "i'm looking for long sleeve o-neck casual loose t-shirts.", "attributes": ["light weight", "short sleeve", "long sleeve", "teen girls"], "options": ["color: z-06-purple", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KI5DPE", "worker_id": "A21IUUHBSEVB56"}], "B08MVBKRGZ": [{"asin": "B08MVBKRGZ", "instruction": "i need black shoes that have rubber soles", "attributes": ["comfortable fit", "rubber sole"], "options": ["color: white (103) | black", "size: 10.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["white (103) | black"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCIBMBAI", "worker_id": "A2ECRNQ3X5LEXD"}], "B07BQD1ZS5": [{"asin": "B07BQD1ZS5", "instruction": "coconut oil hair repair, marc daniels professional, sulfate free no parabens. i need to fix my hair. i count on your help", "attributes": ["sulfate free", "paraben free", "cruelty free", "coconut oil", "damaged hair", "hair salon"], "options": [""], "instruction_attributes": ["sulfate free", "paraben free", "coconut oil"], "instruction_options": [], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I561SP", "worker_id": "A15IJ20C3R4HUO"}], "B0971STZPV": [{"asin": "B0971STZPV", "instruction": "i want laird superfood aloha oatmac unsweetened non-dairy coffee creamer.", "attributes": ["non dairy", "gluten free", "artificial ingredients", "plant based", "dairy free", "non gmo", "artificial colors"], "options": ["flavor name: unsweetened", "size: 6.8 ounce (pack of 1)"], "instruction_attributes": ["non dairy"], "instruction_options": ["unsweetened"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L70MLHM", "worker_id": "A2RBF3IIJP15IH"}], "B08SW9W6YG": [{"asin": "B08SW9W6YG", "instruction": "i want to buy hair brush for women which is of travel size and it should be with mirror folded at 2.75 inch.", "attributes": ["travel size", "hair growth"], "options": ["color: brush with mirror folded 2.75 inch"], "instruction_attributes": ["travel size"], "instruction_options": ["brush with mirror folded 2.75 inch"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV6JBH0", "worker_id": "AJY5G987IRT25"}], "B0752MN21L": [{"asin": "B0752MN21L", "instruction": "i am looking for graphite color womens slip-on amde from vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: graphite", "size: men's 11, women's 13"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["graphite"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5VG5FR", "worker_id": "A1Q8PPQQCWGY0D"}], "B096KTC8Y4": [{"asin": "B096KTC8Y4", "instruction": "i am looking for small size women casual short sleeve white color tunic tops", "attributes": ["loose fit", "hand wash", "button closure", "short sleeve", "daily wear"], "options": ["color: b9- white", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["b9- white", "small"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYS27NK", "worker_id": "A258PTOZ3D2TQR"}], "B09LM3RGW8": [{"asin": "B09LM3RGW8", "instruction": "i need a super soft bed blanket that has cats on it", "attributes": ["super soft", "fleece throw"], "options": ["color: cat butterfly", "size: 40\"x50\""], "instruction_attributes": ["super soft"], "instruction_options": ["cat butterfly"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLR9I4M", "worker_id": "A2ECRNQ3X5LEXD"}], "B072K3W94S": [{"asin": "B072K3W94S", "instruction": "i am looking for a heavy duty 1 foot long gold plated 3.5mm to rca cable.", "attributes": ["gold plated", "heavy duty"], "options": ["size: 1 feet"], "instruction_attributes": ["gold plated", "heavy duty"], "instruction_options": ["1 feet"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQGO6SU", "worker_id": "A1EREKSZAA9V7B"}], "B084LJ45YN": [{"asin": "B084LJ45YN", "instruction": "i want dermatologist tested herbal essences chamomile conditioner.", "attributes": ["dermatologist tested", "cruelty free"], "options": ["scent: chamomile"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["chamomile"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRW0ZBE", "worker_id": "A2RBF3IIJP15IH"}], "B08ZH51S65": [{"asin": "B08ZH51S65", "instruction": "i would like a men's powder lotion deodorant that is paraben free.", "attributes": ["animal testing", "paraben free", "natural ingredients"], "options": ["style: men's powder lotion"], "instruction_attributes": ["paraben free"], "instruction_options": ["men's powder lotion"], "assignment_id": "37C0GNLMHQDNI94ED11M493QPDAD63", "worker_id": "A1WS884SI0SLO4"}], "B098XQTSWP": [{"asin": "B098XQTSWP", "instruction": "i am looking for a black sofa bed couch for my living room.", "attributes": ["contemporary design", "living room"], "options": ["color: black"], "instruction_attributes": ["living room"], "instruction_options": ["black"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXW95OF", "worker_id": "A1EREKSZAA9V7B"}], "B07WRD1X1M": [{"asin": "B07WRD1X1M", "instruction": "i am looking for xx-large men's tapa mood woven short sleeve shirt", "attributes": ["hand wash", "button closure", "short sleeve"], "options": ["color: midnight navy taipan mood", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAZDZXC", "worker_id": "A258PTOZ3D2TQR"}], "B099X4XV7J": [{"asin": "B099X4XV7J", "instruction": "i want a noble park corson cut wall mirror for my living room.", "attributes": ["wood finish", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYGAEIV", "worker_id": "A2RBF3IIJP15IH"}], "B09CT58LD3": [{"asin": "B09CT58LD3", "instruction": "aunimeifly pillow slippers for women men, super soft platform shoes. open toe, size 8.5 i really want to wear these shoes, help me buy them", "attributes": ["butt lifting", "open toe", "moisture wicking", "high waist", "high heel", "ankle strap", "long sleeve"], "options": ["color: 003#green", "size: 8.5"], "instruction_attributes": ["open toe"], "instruction_options": ["8.5"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD4VCIY", "worker_id": "A15IJ20C3R4HUO"}], "B08TVFM6CH": [{"asin": "B08TVFM6CH", "instruction": "i am looking for a heavy duty single toggle wall plate cover.", "attributes": ["heavy duty", "high gloss"], "options": ["style: single toggle"], "instruction_attributes": ["heavy duty"], "instruction_options": ["single toggle"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR4CDFUN", "worker_id": "A1EREKSZAA9V7B"}], "B092Z8TBXZ": [{"asin": "B092Z8TBXZ", "instruction": "i'm looking for a high quality make up brush set in ivory rice color.", "attributes": ["high quality", "easy use", "eye shadow", "sensitive skin"], "options": ["color: ivory rice"], "instruction_attributes": ["high quality"], "instruction_options": ["ivory rice"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UJ5A3M", "worker_id": "A3MNXK3VDK37SN"}], "B06XF253J3": [{"asin": "B06XF253J3", "instruction": "i am looking for 12 pieces of green color high quality small round travel container jar pots with lids", "attributes": ["high quality", "leak proof", "bpa free"], "options": ["color: green", "size: 12 pieces"], "instruction_attributes": ["high quality"], "instruction_options": ["green", "12 pieces"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SZPDU2", "worker_id": "A258PTOZ3D2TQR"}], "B08LW3LSQR": [{"asin": "B08LW3LSQR", "instruction": "i am interested in a machine washable throw that is yellow and aqua", "attributes": ["machine washable", "printing technology"], "options": ["color: yellow aqua", "size: 50\" x 70\" for adults"], "instruction_attributes": ["machine washable"], "instruction_options": ["yellow aqua"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL32VA8", "worker_id": "A2ECRNQ3X5LEXD"}], "B004D8VGIA": [{"asin": "B004D8VGIA", "instruction": "i want to find a white microwave cabinet that has a wood finish.", "attributes": ["wood finish", "contemporary style"], "options": ["color: white"], "instruction_attributes": ["wood finish"], "instruction_options": ["white"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YSZ69J", "worker_id": "A345TDMHP3DQ3G"}], "B09T69NXPT": [{"asin": "B09T69NXPT", "instruction": "i am looking for b color eyeshadow that is long lasting.", "attributes": ["highly pigmented", "long lasting", "eye shadow"], "options": ["color: b"], "instruction_attributes": ["long lasting"], "instruction_options": ["b"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HTDOWF", "worker_id": "A1Q8PPQQCWGY0D"}], "B08QG1HGD9": [{"asin": "B08QG1HGD9", "instruction": "i'm looking for men's fragrance free face lotion that offer spf protection.", "attributes": ["plant based", "fragrance free", "cruelty free", "seed oil"], "options": ["style: spf face lotion"], "instruction_attributes": ["fragrance free"], "instruction_options": ["spf face lotion"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KC0S46S", "worker_id": "A2JP9IKRHNLRPI"}], "B09GM6SDLB": [{"asin": "B09GM6SDLB", "instruction": "i want a peach scrub lip balm made from natural ingredients.", "attributes": ["easy use", "natural ingredients", "dead skin"], "options": ["flavor name: peach scrub"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["peach scrub"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3RBI0RY", "worker_id": "A1WS884SI0SLO4"}], "B01N6PLEXN": [{"asin": "B01N6PLEXN", "instruction": "i'm looking for organic hair conditioner that promotes hair growth, and is both sulfate and cruelty free.", "attributes": ["sulfate free", "cruelty free", "hair growth"], "options": [""], "instruction_attributes": ["sulfate free", "cruelty free", "hair growth"], "instruction_options": [], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2R85L2", "worker_id": "A2JP9IKRHNLRPI"}], "B093T2NBGN": [{"asin": "B093T2NBGN", "instruction": "i need a grey entertainment center", "attributes": ["high gloss", "storage space"], "options": ["color: grey", "size: 71\" w x 17\" d x 12\" h"], "instruction_attributes": ["storage space"], "instruction_options": ["grey"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTT64V6", "worker_id": "A2ECRNQ3X5LEXD"}], "B08Y9315CT": [{"asin": "B08Y9315CT", "instruction": "i am looking for brown color spray bottles for hair styling.", "attributes": ["fine mist", "hair styling"], "options": ["color: brown", "size: 16.9 ounce(500ml)"], "instruction_attributes": ["hair styling"], "instruction_options": ["brown"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJL2UBYX", "worker_id": "A1Q8PPQQCWGY0D"}], "B0154RWL4Q": [{"asin": "B0154RWL4Q", "instruction": "i want a bexley mission tiffany style table lamp for my living room.", "attributes": ["bronze finish", "glass shade", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FMGD35", "worker_id": "A2RBF3IIJP15IH"}], "B09KLWCPLW": [{"asin": "B09KLWCPLW", "instruction": "i'm looking for an office chair that is red and offers lumbar support.", "attributes": ["easy clean", "lumbar support", "pu leather"], "options": ["color: red", "style: with footrest"], "instruction_attributes": ["lumbar support"], "instruction_options": ["red"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAKEOV8", "worker_id": "A2JP9IKRHNLRPI"}], "B09P587279": [{"asin": "B09P587279", "instruction": "i am looking for high heel sandals of size 5.5.", "attributes": ["high heel", "closed toe", "ankle strap"], "options": ["color: z41 green", "size: 5.5"], "instruction_attributes": ["high heel"], "instruction_options": ["5.5"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCATD07", "worker_id": "A1Q8PPQQCWGY0D"}], "B095BLCKJF": [{"asin": "B095BLCKJF", "instruction": "i want a m color face kit that is easy to use.", "attributes": ["easy use", "fine lines"], "options": ["color: m"], "instruction_attributes": ["easy use"], "instruction_options": ["m"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VO4060", "worker_id": "A1WS884SI0SLO4"}], "B09D1ZMFBH": [{"asin": "B09D1ZMFBH", "instruction": "i want a resealable bag of raisins.", "attributes": ["low fat", "resealable bag"], "options": [""], "instruction_attributes": ["resealable bag"], "instruction_options": [], "assignment_id": "31EUONYN26DZ1WA44INARVVOAK9OV3", "worker_id": "A1WS884SI0SLO4"}], "B09NSL89H9": [{"asin": "B09NSL89H9", "instruction": "i'm looking for a continuous fine mist spray bottle in the color black.", "attributes": ["high quality", "fine mist"], "options": ["color: black", "size: 200ml"], "instruction_attributes": ["fine mist"], "instruction_options": ["black"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69R7P8J", "worker_id": "AK3JMCIGU8MLU"}], "B09PBX2LND": [{"asin": "B09PBX2LND", "instruction": "i am looking for a pair of women's size 10.5 light blue shoes with memory foam.", "attributes": ["day comfort", "anti slip", "non slip", "hand wash", "lace closure", "high heel", "memory foam"], "options": ["color: light blue", "size: 10.5"], "instruction_attributes": ["memory foam"], "instruction_options": ["light blue", "10.5"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGB7SLI", "worker_id": "A1EREKSZAA9V7B"}], "B0969KNKCN": [{"asin": "B0969KNKCN", "instruction": "i need a tongue cleaner that is easy to clean", "attributes": ["easy clean", "high quality", "easy use", "stainless steel", "rose gold", "bad breath", "fresh breath"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFN0Q8HQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B01M7TXD6R": [{"asin": "B01M7TXD6R", "instruction": "i am looking for a 25 pack of micellar makeup remover wipes that are sulfate free.", "attributes": ["sulfate free", "paraben free"], "options": ["color: original", "size: 25 count (pack of 2)"], "instruction_attributes": ["sulfate free"], "instruction_options": ["25 count (pack of 2)"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QVIOX7", "worker_id": "AK3JMCIGU8MLU"}], "B01FV5GR0K": [{"asin": "B01FV5GR0K", "instruction": "i want to find an 8 ounce bottle of firming cream that treats fine lines.", "attributes": ["anti aging", "hyaluronic acid", "fine lines"], "options": ["size: 8 ounce"], "instruction_attributes": ["fine lines"], "instruction_options": ["8 ounce"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6IZPUZ", "worker_id": "A345TDMHP3DQ3G"}], "B08N6KPMKY": [{"asin": "B08N6KPMKY", "instruction": "i'm looking for an extra small cozy blanket for my daughter's christmas gift; it should be super soft and easy to clean.", "attributes": ["super soft", "easy clean"], "options": ["color: chistmas style", "size: x-small(28x40 in)"], "instruction_attributes": ["super soft", "easy clean"], "instruction_options": ["chistmas style", "x-small(28x40 in)"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWTBW6Q", "worker_id": "A3LIIE572Z4OG7"}], "B09SDWVCH4": [{"asin": "B09SDWVCH4", "instruction": "i am looking for a high quality, folding massage table.", "attributes": ["easy carry", "high quality"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68J34A3", "worker_id": "AK3JMCIGU8MLU"}], "B09DSWK9VV": [{"asin": "B09DSWK9VV", "instruction": "i'm looking for a gray iphone 13 pro max case that supports wireless charging.", "attributes": ["hands free", "wireless charging"], "options": ["color: grey"], "instruction_attributes": ["wireless charging"], "instruction_options": ["grey"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AUXBW1", "worker_id": "A2JP9IKRHNLRPI"}], "B00NTBRR6C": [{"asin": "B00NTBRR6C", "instruction": "i want a oatmeal cinnamon raisin snack bar that is low calorie and high protein.", "attributes": ["high protein", "low calorie"], "options": ["flavor name: oatmeal cinnamon raisin"], "instruction_attributes": ["high protein", "low calorie"], "instruction_options": ["oatmeal cinnamon raisin"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQERN0V", "worker_id": "A1WS884SI0SLO4"}], "B08V4PWWY2": [{"asin": "B08V4PWWY2", "instruction": "i want to buy bath brushes which are suitable for dry skin.", "attributes": ["double sided", "long handle", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NC32NM", "worker_id": "AJY5G987IRT25"}], "B08MFTHKYH": [{"asin": "B08MFTHKYH", "instruction": "i'm interested in love scent, dermatologist tested cream for sensitive skin that is cruelty-free and does not contain parabens or sulfates.", "attributes": ["paraben free", "cruelty free", "dermatologist tested", "sulfate free", "sensitive skin"], "options": ["scent: love"], "instruction_attributes": ["paraben free", "cruelty free", "dermatologist tested", "sulfate free", "sensitive skin"], "instruction_options": ["love"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUPCS4P", "worker_id": "AFU00NU09CFXE"}], "B0888Q3RV8": [{"asin": "B0888Q3RV8", "instruction": "i'm looking for a travel monopod camera tripod with quick release and easy to carry.", "attributes": ["quick release", "easy carry"], "options": [""], "instruction_attributes": ["quick release", "easy carry"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKOOD7W", "worker_id": "ARJDD0Z3R65BD"}], "B07RNX44YW": [{"asin": "B07RNX44YW", "instruction": "i'm looking for an ivory ottoman for my living room that's made out of solid wood with fake leather.", "attributes": ["high density", "pu leather", "solid wood", "living room"], "options": ["color: ivory"], "instruction_attributes": ["pu leather", "solid wood", "living room"], "instruction_options": ["ivory"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFN018H1", "worker_id": "AR9AU5FY1S3RO"}], "B08R973YV5": [{"asin": "B08R973YV5", "instruction": "i need to buy a gift basket for valentines day. find one that has five chocolate bars in it.", "attributes": ["valentine day", "gift basket"], "options": ["style: 5 bar"], "instruction_attributes": ["valentine day", "gift basket"], "instruction_options": ["5 bar"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7RII36", "worker_id": "AR9AU5FY1S3RO"}], "B07SVYBWQ1": [{"asin": "B07SVYBWQ1", "instruction": "i would like a red short sleeve shirt that is button down", "attributes": ["wide leg", "loose fit", "short sleeve", "long sleeve", "high waist"], "options": ["color: z-4 red", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["z-4 red"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84DVC6Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DG6SXNL": [{"asin": "B08DG6SXNL", "instruction": "i'm looking for a pair of rs-c sized, easy to use, stainless steel barber's scissors.", "attributes": ["high quality", "easy use", "stainless steel", "hair cutting"], "options": ["size: rs-c"], "instruction_attributes": ["easy use", "stainless steel"], "instruction_options": ["rs-c"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1Q1TI4", "worker_id": "A2JP9IKRHNLRPI"}], "B01BY04EMY": [{"asin": "B01BY04EMY", "instruction": "i'm locking for a high speed hdmi cable which supports 3d audio.", "attributes": ["high speed", "gold plated"], "options": ["configuration: hdmi male-female", "pattern name: 1 pack", "size: 10ft"], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0Z8CCT", "worker_id": "A21IUUHBSEVB56"}], "B01K0ZPGC6": [{"asin": "B01K0ZPGC6", "instruction": "find a non alcoholic 32oz blood mary mix.", "attributes": ["non alcoholic", "easy use"], "options": [""], "instruction_attributes": ["non alcoholic"], "instruction_options": [], "assignment_id": "39LNWE0K456PSVA11X00BCXJK43UIR", "worker_id": "AVIEE6LDH0BT5"}], "B00RI7EFAO": [{"asin": "B00RI7EFAO", "instruction": "i am looking for a chair with no arms. it should be in burgundy color and should have lumbar support.", "attributes": ["heavy duty", "lumbar support"], "options": ["color: burgundy"], "instruction_attributes": ["lumbar support"], "instruction_options": ["burgundy"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VVFXMD", "worker_id": "A1NF6PELRKACS9"}], "B09M3QJRXQ": [{"asin": "B09M3QJRXQ", "instruction": "i want a beige with trundle twin bed with a wood frame.", "attributes": ["twin size", "easy assemble", "wood frame", "box spring"], "options": ["color: beige with trundle"], "instruction_attributes": ["twin size", "wood frame"], "instruction_options": [], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJYJGV9", "worker_id": "A1WS884SI0SLO4"}], "B06X6B7FK9": [{"asin": "B06X6B7FK9", "instruction": "i want a whtie van heusen men's slim fit dress shirt.", "attributes": ["slim fit", "easy care", "machine wash", "stretch fabric", "button closure", "polyester spandex"], "options": ["color: white", "size: 14\"-14.5\" neck 32\"-33\" sleeve"], "instruction_attributes": ["slim fit"], "instruction_options": ["white"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATBD736", "worker_id": "A2RBF3IIJP15IH"}], "B07VK1ZCRG": [{"asin": "B07VK1ZCRG", "instruction": "i want gluten free sun tropics sea salt snack bites.", "attributes": ["gluten free", "dairy free", "simple ingredients"], "options": ["flavor: sea salt", "size: 3.5 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["sea salt"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL68NSG", "worker_id": "A2RBF3IIJP15IH"}], "B0999CLY8C": [{"asin": "B0999CLY8C", "instruction": "i want a pair of size 8 green loafers with arch support.", "attributes": ["anti slip", "open toe", "arch support", "high heel"], "options": ["color: z1-green", "size: 8"], "instruction_attributes": ["arch support"], "instruction_options": ["z1-green", "8"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLWZDAS", "worker_id": "A1WS884SI0SLO4"}], "B00JNA3MMG": [{"asin": "B00JNA3MMG", "instruction": "i need a xbox one media remote with batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3IRQNY", "worker_id": "AVIEE6LDH0BT5"}], "B09FG4XS2D": [{"asin": "B09FG4XS2D", "instruction": "i want a rca cable that is high def.", "attributes": ["high definition", "gold plated", "high resolution", "plug play"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZJVPRV", "worker_id": "A1WS884SI0SLO4"}], "B00FWUO2IE": [{"asin": "B00FWUO2IE", "instruction": "i want gluten free starkist chunk light tuna in oil.", "attributes": ["wild caught", "soy free", "gluten free"], "options": ["flavor name: chunk light in oil", "size: 5 ounce (pack of 10)"], "instruction_attributes": ["gluten free"], "instruction_options": ["chunk light in oil"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q8TDK7", "worker_id": "A2RBF3IIJP15IH"}], "B099NG13DV": [{"asin": "B099NG13DV", "instruction": "i would like a 8 gig of ram 512 ssd desktop mini with a core i5.", "attributes": ["core i5", "aluminum alloy"], "options": ["size: 8g ram 512g ssd"], "instruction_attributes": ["core i5"], "instruction_options": ["8g ram 512g ssd"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYR1M6T", "worker_id": "A1WS884SI0SLO4"}], "B075FYSWZ8": [{"asin": "B075FYSWZ8", "instruction": "i want a 18 inch by 18 inch blue purple throw pillow cover that is machine washable.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: blue purple", "size: 18 x 18-inch"], "instruction_attributes": ["machine washable"], "instruction_options": ["blue purple", "18 x 18-inch"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBGFSO2", "worker_id": "A1WS884SI0SLO4"}], "B07GLVYPTC": [{"asin": "B07GLVYPTC", "instruction": "i want to find a travel size fragrance that is scented with new york impression. it needs to be 0.34 fluid ounces.", "attributes": ["travel size", "long lasting"], "options": ["scent name: bond #9 eau de new york impression", "size: 0.34 fl oz (pack of 1)"], "instruction_attributes": ["travel size"], "instruction_options": ["bond #9 eau de new york impression", "0.34 fl oz (pack of 1)"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96ENG4Y", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07GLVYPTC", "instruction": "i am looking for long lasting travel size mk michael for men impression eau de parfum.", "attributes": ["travel size", "long lasting"], "options": ["scent name: mk michael for men impression", "size: 0.34 fl oz (pack of 1)"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["mk michael for men impression"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQB46S0", "worker_id": "A1EREKSZAA9V7B"}], "B00A77H96O": [{"asin": "B00A77H96O", "instruction": "i am looking for shirt of size 2x and having short sleeve.", "attributes": ["easy care", "machine washable", "comfortable fit", "classic fit", "short sleeve", "everyday wear"], "options": ["size: 2x"], "instruction_attributes": ["short sleeve"], "instruction_options": ["2x"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0WTACV", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PDRQVSR": [{"asin": "B09PDRQVSR", "instruction": "i am lookng for10.5 size black color vintage leather high heel ankle boots for women", "attributes": ["non slip", "high heel", "quality materials"], "options": ["color: d01-black", "size: 10.5"], "instruction_attributes": ["high heel"], "instruction_options": ["d01-black", "10.5"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHWBGS84", "worker_id": "A258PTOZ3D2TQR"}], "B003ZSHNGS": [{"asin": "B003ZSHNGS", "instruction": "i'm looking for a digital camera with an optical zoom and stereo sound.", "attributes": ["optical zoom", "stereo sound"], "options": [""], "instruction_attributes": ["optical zoom", "stereo sound"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSNVB8N", "worker_id": "AR9AU5FY1S3RO"}], "B00796M93E": [{"asin": "B00796M93E", "instruction": "i'm looking for non-dairy, lactose free chocolate chips.", "attributes": ["non dairy", "lactose free"], "options": [""], "instruction_attributes": ["non dairy", "lactose free"], "instruction_options": [], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZM9O8Z", "worker_id": "AR9AU5FY1S3RO"}], "B087WQFSLH": [{"asin": "B087WQFSLH", "instruction": "i want to buy a carry case for laptop which is easy to carry and is of khaki color, and it's size should be 11-12 inch.", "attributes": ["easy carry", "carrying case"], "options": ["color: khaki", "size: 11-12 inch"], "instruction_attributes": ["easy carry"], "instruction_options": ["khaki", "11-12 inch"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTXK9PN", "worker_id": "AJY5G987IRT25"}], "B08VF6NHJ4": [{"asin": "B08VF6NHJ4", "instruction": "i'm looking for an armchair for my living room; it needs to be made of premium engineered wood with camel upholstery.", "attributes": ["high density", "long lasting", "engineered wood", "living room"], "options": ["color: camel", "size: armchair"], "instruction_attributes": ["engineered wood", "living room"], "instruction_options": ["camel", "armchair"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOSB9MT", "worker_id": "A3LIIE572Z4OG7"}], "B09962GDCV": [{"asin": "B09962GDCV", "instruction": "i want to find gluten free maple syrup that comes in a 32 fluid ounce bottle.", "attributes": ["hand crafted", "nut free", "kosher certified", "non gmo", "gluten free", "artificial flavors"], "options": ["size: .4 pack - 32 fl oz"], "instruction_attributes": ["gluten free"], "instruction_options": [".4 pack - 32 fl oz"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG1UTW6", "worker_id": "A345TDMHP3DQ3G"}], "B07662G9NQ": [{"asin": "B07662G9NQ", "instruction": "i need a travel-size cologne balm.", "attributes": ["alcohol free", "travel size"], "options": ["color: all set", "size: .15 ounce stick"], "instruction_attributes": ["travel size"], "instruction_options": [], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA70MRUS", "worker_id": "AVIEE6LDH0BT5"}], "B09MYSDQ7W": [{"asin": "B09MYSDQ7W", "instruction": "i am looking for a high resolution telescope with a phone adapter.", "attributes": ["high power", "high resolution", "bird watching"], "options": [""], "instruction_attributes": ["high resolution"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZQ21Y3", "worker_id": "AK3JMCIGU8MLU"}], "B074PYBJ5S": [{"asin": "B074PYBJ5S", "instruction": "i want a 4.2 ounce bottle of facial mist trio that is paraben free.", "attributes": ["paraben free", "cruelty free", "dry skin"], "options": ["scent: facial mist trio", "size: 4.2 ounce"], "instruction_attributes": ["paraben free"], "instruction_options": ["facial mist trio", "4.2 ounce"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9X187V", "worker_id": "A1WS884SI0SLO4"}], "B09468N3GS": [{"asin": "B09468N3GS", "instruction": "i need a case for my lg stylo 6 that's green, supports wireless charging, and comes with a tempered glass screen protector.", "attributes": ["hands free", "glass screen", "tempered glass", "wireless charging"], "options": ["color: green"], "instruction_attributes": ["glass screen", "tempered glass", "wireless charging"], "instruction_options": ["green"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6I7EVT", "worker_id": "AR9AU5FY1S3RO"}], "B08RWVPB2T": [{"asin": "B08RWVPB2T", "instruction": "i am looking for heavy duty monoculars.", "attributes": ["non slip", "heavy duty", "bird watching"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PEGUBF", "worker_id": "A1Q8PPQQCWGY0D"}], "B08HJMVQTW": [{"asin": "B08HJMVQTW", "instruction": "i will surely succeed with your help. check my order natural deodorant for women | fresh rain + coconut oil - safe for sensitive skin |fresh rain, white floral (2 packages).", "attributes": ["coconut oil", "sensitive skin"], "options": ["scent: 2 pack fresh rain, white floral"], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUYLJQM", "worker_id": "A15IJ20C3R4HUO"}], "B08LCPFB82": [{"asin": "B08LCPFB82", "instruction": "i'm looking for a 3 sided toothbrush for fresh breath", "attributes": ["clinically proven", "fresh breath"], "options": [""], "instruction_attributes": ["fresh breath"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQKMRJU", "worker_id": "A2Y2TURT2VEYZN"}], "B09Q7VKGHV": [{"asin": "B09Q7VKGHV", "instruction": "i want a extra large yellow men's loose fit shirt.", "attributes": ["loose fit", "slim fit", "short sleeve", "contrast color", "drawstring waist", "regular fit", "gym workout"], "options": ["color: yellow", "size: x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["yellow", "x-large"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5KGWIU", "worker_id": "A1WS884SI0SLO4"}], "B08QVSQGQ8": [{"asin": "B08QVSQGQ8", "instruction": "i'm looking for a relaxed fit, short sleeve t shirt in the color white rose in the size large.", "attributes": ["machine wash", "wash cold", "relaxed fit", "short sleeve", "tumble dry"], "options": ["color: b07_white rose", "size: large"], "instruction_attributes": ["relaxed fit", "short sleeve"], "instruction_options": ["b07_white rose", "large"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV6KHB7", "worker_id": "AK3JMCIGU8MLU"}], "B09KM1Z4YX": [{"asin": "B09KM1Z4YX", "instruction": "i want to find a black women's jacket for daily wear. it needs to be a small.", "attributes": ["hand wash", "winter warm", "machine wash", "quick drying", "loose fit", "unique design", "daily wear"], "options": ["color: f-black", "size: small"], "instruction_attributes": ["daily wear"], "instruction_options": ["f-black", "small"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCNSLBH", "worker_id": "A345TDMHP3DQ3G"}], "B08SM9436F": [{"asin": "B08SM9436F", "instruction": "i'm looking for a black 2-ounce makeup storage jar that is leak proof and easy to use.", "attributes": ["leak proof", "easy use"], "options": ["color: black", "size: 2 ounce"], "instruction_attributes": ["leak proof", "easy use"], "instruction_options": ["black", "2 ounce"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUEKRM1", "worker_id": "AFU00NU09CFXE"}, {"asin": "B08SM9436F", "instruction": "i want black round clear wide-mouth leak proof plastic container jars.", "attributes": ["leak proof", "easy use"], "options": ["color: black", "size: 6 ounce (pack of 4)"], "instruction_attributes": ["leak proof"], "instruction_options": ["black"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDRCQZI", "worker_id": "A2RBF3IIJP15IH"}], "B07J3XFV62": [{"asin": "B07J3XFV62", "instruction": "i want to buy paintings which are suitable for living room and are of color ys102 and have a size of 24x36 inch (60x90cm).", "attributes": ["hand painted", "ready hang", "living room"], "options": ["color: ys102", "size: 24x36inch (60x90cm)"], "instruction_attributes": ["living room"], "instruction_options": ["ys102", "24x36inch (60x90cm)"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSNVQ22", "worker_id": "AJY5G987IRT25"}], "B09LCDDZ7L": [{"asin": "B09LCDDZ7L", "instruction": "i want a style b nightstand that is easy to assemble.", "attributes": ["eco friendly", "easy clean", "easy assemble", "solid wood", "living room"], "options": ["color: style b"], "instruction_attributes": ["easy assemble"], "instruction_options": ["style b"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODR6WEI", "worker_id": "A1WS884SI0SLO4"}], "B000EMU234": [{"asin": "B000EMU234", "instruction": "i am looking for some gluten free powder coffee creamer.", "attributes": ["fat free", "lactose free", "non dairy", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DF7DW8", "worker_id": "A1EREKSZAA9V7B"}], "B08RXNQGBR": [{"asin": "B08RXNQGBR", "instruction": "i would like a travel sized bag that is yellow", "attributes": ["travel size", "leak proof", "easy use", "high quality", "storage case"], "options": ["color: illuminating yellow"], "instruction_attributes": ["travel size"], "instruction_options": ["illuminating yellow"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQFWVKN", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PJYDK14": [{"asin": "B09PJYDK14", "instruction": "i would like some sugar free chocolates", "attributes": ["sugar free", "chocolate covered", "low carb", "zero sugar", "perfect gift"], "options": ["flavor name: dark chocolate covered raisins"], "instruction_attributes": ["sugar free"], "instruction_options": ["dark chocolate covered raisins"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPD16AIQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08XX97T1X": [{"asin": "B08XX97T1X", "instruction": "i want to find hair extensions that are platinum blonde and 18 inches long.", "attributes": ["hair extensions", "hair loss"], "options": ["color: #60 platinum blonde", "size: 18 inch (pack of 4)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#60 platinum blonde", "18 inch (pack of 4)"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK4AQA6B", "worker_id": "A345TDMHP3DQ3G"}], "B08BR8FHVZ": [{"asin": "B08BR8FHVZ", "instruction": "i want grey men's moccasin slippers with arch support.", "attributes": ["anti slip", "moisture wicking", "memory foam", "arch support", "rubber sole"], "options": ["color: grey-upgrade", "size: 9"], "instruction_attributes": ["arch support"], "instruction_options": ["grey-upgrade"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUNDE8IS", "worker_id": "A2RBF3IIJP15IH"}], "B09DDCVDJ7": [{"asin": "B09DDCVDJ7", "instruction": "i need a french vanilla soy wax candle", "attributes": ["long lasting", "soy wax"], "options": ["color: cream- french vanilla"], "instruction_attributes": ["soy wax"], "instruction_options": ["cream- french vanilla"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9M4K6K", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P1GXX9Q": [{"asin": "B09P1GXX9Q", "instruction": "i'm looking for a two piece swimsuit in polyester spandex. i want the black one in x-large.", "attributes": ["elastic closure", "tummy control", "polyester spandex"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["black", "x-large"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMS16BS", "worker_id": "AR9AU5FY1S3RO"}], "B087RK2F4B": [{"asin": "B087RK2F4B", "instruction": "i am interested in buying candles which are made of soy wax and are in red color.", "attributes": ["lead free", "soy wax"], "options": ["color: red"], "instruction_attributes": ["soy wax"], "instruction_options": ["red"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OZ7YEK", "worker_id": "AJY5G987IRT25"}], "B07TXLDCNK": [{"asin": "B07TXLDCNK", "instruction": "i'm looking for longwear makeup remover towelettes for sensitive skin. make sure they're cruelty free.", "attributes": ["fragrance free", "cruelty free", "sensitive skin"], "options": ["style: longwear"], "instruction_attributes": ["fragrance free", "cruelty free", "sensitive skin"], "instruction_options": ["longwear"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK4AF6AW", "worker_id": "AR9AU5FY1S3RO"}], "B00451ZJB0": [{"asin": "B00451ZJB0", "instruction": "i am looking for some gluten free vanilla caramel coffee creamers.", "attributes": ["non dairy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: vanilla caramel", "size: box of 50 singles (pack of 4)"], "instruction_attributes": ["gluten free"], "instruction_options": ["vanilla caramel"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR71C6Y0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00451ZJB0", "instruction": "i need a box of 180 single shelf stable coffee creamers that are sugar free hazelnut.", "attributes": ["non dairy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: sugar free hazelnut", "size: box of 180 singles"], "instruction_attributes": ["shelf stable"], "instruction_options": ["sugar free hazelnut", "box of 180 singles"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP61DDVW", "worker_id": "A2ECRNQ3X5LEXD"}], "B0912N2VT7": [{"asin": "B0912N2VT7", "instruction": "i am looking for a pair of housewarming elephant statue for living room , color: e", "attributes": ["exquisite workmanship", "living room"], "options": ["color: e"], "instruction_attributes": ["living room"], "instruction_options": ["e"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPN1NJ6", "worker_id": "A258PTOZ3D2TQR"}], "B003X4G25C": [{"asin": "B003X4G25C", "instruction": "i'm locking for a facial cleanser, makeup remover and face wash for oil skin.", "attributes": ["fragrance free", "sulfate free", "paraben free"], "options": [""], "instruction_attributes": ["sulfate free"], "instruction_options": [], "assignment_id": "326O153BMT8RVOXTJJKKGXV36BYDEO", "worker_id": "A21IUUHBSEVB56"}], "B097QYCG3Y": [{"asin": "B097QYCG3Y", "instruction": "i want a high quality nail drill machine.", "attributes": ["high quality", "storage case"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDRGCH5", "worker_id": "AVIEE6LDH0BT5"}], "B09DCCLFK4": [{"asin": "B09DCCLFK4", "instruction": "i'm looking for an incredibly soft fleece throw blanket that is 50\" x 80\" in size.", "attributes": ["super soft", "machine washable", "fleece throw", "living room"], "options": ["color: carbdr9738", "size: 50\" x 80\""], "instruction_attributes": ["super soft"], "instruction_options": ["50\" x 80\""], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFEO9DG", "worker_id": "A2JP9IKRHNLRPI"}], "B06XQXCMQZ": [{"asin": "B06XQXCMQZ", "instruction": "i want a 18 inch by 18 inch cream blush throw pillow cover for my living room.", "attributes": ["super soft", "living room"], "options": ["color: cream blush", "size: 18 x 18-inch"], "instruction_attributes": ["living room"], "instruction_options": ["cream blush", "18 x 18-inch"], "assignment_id": "33TIN5LC0FKDY31374RC144TX2T9YN", "worker_id": "A1WS884SI0SLO4"}], "B09HX36HQZ": [{"asin": "B09HX36HQZ", "instruction": "i'm looking for golden cupcake toothpick toppers.", "attributes": ["cupcake picks", "party supplies"], "options": ["color: golden"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["golden"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW2O1CZ", "worker_id": "AK3JMCIGU8MLU"}], "B003VW4KJQ": [{"asin": "B003VW4KJQ", "instruction": "i need lead free taper candles for my living room", "attributes": ["lead free", "soy wax", "living room"], "options": ["color: coastal blue", "size: 10 in"], "instruction_attributes": ["lead free", "living room"], "instruction_options": [], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPDXCOW", "worker_id": "AVIEE6LDH0BT5"}], "B0977PGVB3": [{"asin": "B0977PGVB3", "instruction": "i am looking for some easy to assemble wall mounted rustic grey floating shelves.", "attributes": ["wall mounted", "easy assemble", "storage space", "living room"], "options": ["color: rustic grey", "size: 12, 24, 36 inch"], "instruction_attributes": ["wall mounted", "easy assemble"], "instruction_options": ["rustic grey"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWVEFPK", "worker_id": "A1EREKSZAA9V7B"}], "B07T66SFPL": [{"asin": "B07T66SFPL", "instruction": "i'm looking for off shoulder short sleeve tops t-shirt bodysuit jumpsuit.", "attributes": ["machine wash", "short sleeve", "long sleeve"], "options": ["color: short sleeve gray green", "size: x-small"], "instruction_attributes": ["short sleeve", "long sleeve"], "instruction_options": ["short sleeve gray green"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6ORNMMA", "worker_id": "A21IUUHBSEVB56"}], "B087H1LD99": [{"asin": "B087H1LD99", "instruction": "i want to find a television stand for my living room that is nature-colored with some grey as well.", "attributes": ["metal legs", "living room"], "options": ["color: nature | textured grey"], "instruction_attributes": ["living room"], "instruction_options": ["nature | textured grey"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPLVVQM", "worker_id": "A345TDMHP3DQ3G"}], "B093YSFRR7": [{"asin": "B093YSFRR7", "instruction": "i want a set of 2 mesh laundry bags with flamingos and leaves design.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YS169L", "worker_id": "A2RBF3IIJP15IH"}], "B084KJC5S1": [{"asin": "B084KJC5S1", "instruction": "i'm on a low carb diet and i was recommended fried chicken skins chick n' skin - | delicious, low carb, high protein snacks, gluten free, msg free, made with organic chicken, 2 oz. per bag i want 8 bags", "attributes": ["high protein", "low carb", "keto friendly", "ready eat", "certified organic", "gluten free"], "options": ["number of items: 8"], "instruction_attributes": ["high protein", "low carb", "gluten free"], "instruction_options": ["8"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1QS6F9", "worker_id": "A15IJ20C3R4HUO"}], "B095WWB4Y3": [{"asin": "B095WWB4Y3", "instruction": "i am looking for a pair of men's small gym shorts that are machine washable.", "attributes": ["machine washable", "machine wash", "elastic closure", "quality materials", "elastic waistband", "gym workout"], "options": ["size: small"], "instruction_attributes": ["machine washable"], "instruction_options": ["small"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVPC0QT", "worker_id": "A1EREKSZAA9V7B"}], "B00VWQT2KU": [{"asin": "B00VWQT2KU", "instruction": "i'm looking for a plug and play security system with motion detection. it should have an 8 channel dvr, 4 cameras, and a 1 terabyte hard disk.", "attributes": ["plug play", "motion detection"], "options": ["size: 8 channel dvr + 4 cameras +1tb hard disk"], "instruction_attributes": ["plug play", "motion detection"], "instruction_options": ["8 channel dvr + 4 cameras +1tb hard disk"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY644JQ", "worker_id": "AR9AU5FY1S3RO"}], "B08DKBYQ3R": [{"asin": "B08DKBYQ3R", "instruction": "i want to find 30-inch long hair extension braids in a pack of 6. the color needs to be #613.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: 1b | 27 | 613#", "size: 30 inch (pack of 6)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["1b | 27 | 613#", "30 inch (pack of 6)"], "assignment_id": "3R2PKQ87N7I6FN5SSV9EK2GP7IAIMX", "worker_id": "A345TDMHP3DQ3G"}], "B07Y8QCL6Y": [{"asin": "B07Y8QCL6Y", "instruction": "i am looking for a mini pc with an intel core i5 cpu.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5", "intel core"], "instruction_options": [], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINXA27N", "worker_id": "A1EREKSZAA9V7B"}], "B09LRY6H41": [{"asin": "B09LRY6H41", "instruction": "i am looking for a real fruit coconut and pineapple drink.", "attributes": ["real fruit", "natural flavors"], "options": ["flavor name: coco pineapple", "size: 6 pack"], "instruction_attributes": ["real fruit"], "instruction_options": ["coco pineapple"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401DTMU5", "worker_id": "A1EREKSZAA9V7B"}], "B08MXC72RZ": [{"asin": "B08MXC72RZ", "instruction": "i am looking for classic casual rubber sole soft walking slip-ons of size 10 with khaki lace up", "attributes": ["anti slip", "non slip", "rubber sole"], "options": ["color: khaki lace up", "size: 10"], "instruction_attributes": ["rubber sole"], "instruction_options": ["khaki lace up", "10"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALEYH4W", "worker_id": "A258PTOZ3D2TQR"}], "B078N4PCQM": [{"asin": "B078N4PCQM", "instruction": "i want a green mattress solution 4-inch wood split low profile traditional box spring.", "attributes": ["ready use", "fully assembled", "white item", "assembly required", "box spring", "king size"], "options": ["color: green", "size: twin", "style: include 4\" split foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["green"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEMJ68W", "worker_id": "A2RBF3IIJP15IH"}], "B013I738K0": [{"asin": "B013I738K0", "instruction": "i'm looking for 1.3 ounce sensible foods fat free fruit snacks with cherry berry flvour", "attributes": ["fat free", "non gmo", "gluten free"], "options": ["flavor: cherry berry", "size: 1.3 ounce (12 count)"], "instruction_attributes": ["fat free"], "instruction_options": ["cherry berry", "1.3 ounce (12 count)"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0WTCAX", "worker_id": "A258PTOZ3D2TQR"}], "B08LFW7KPB": [{"asin": "B08LFW7KPB", "instruction": "i need a tv stand for my living room.", "attributes": ["white finish", "contemporary style", "storage space", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNWDFJP", "worker_id": "AVIEE6LDH0BT5"}], "B09P9LDN8Z": [{"asin": "B09P9LDN8Z", "instruction": "i am looking for gray(new) color sofa bed that is easy to assemble.", "attributes": ["high density", "space saving", "easy assemble", "storage unit", "storage space"], "options": ["color: gray(new)"], "instruction_attributes": ["easy assemble"], "instruction_options": ["gray(new)"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX32S1U6", "worker_id": "A1Q8PPQQCWGY0D"}], "B09R82T74S": [{"asin": "B09R82T74S", "instruction": "i'm looking for an anti aging facial roller in color f.", "attributes": ["anti aging", "easy use"], "options": ["color: f"], "instruction_attributes": ["anti aging"], "instruction_options": ["f"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOMULM4", "worker_id": "A3MNXK3VDK37SN"}], "B095WB4TNZ": [{"asin": "B095WB4TNZ", "instruction": "i want a wireless outdoor security camera with motion detection.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96EJG4U", "worker_id": "A2RBF3IIJP15IH"}], "B07B7FKM4T": [{"asin": "B07B7FKM4T", "instruction": "i need a black colored chandelier for my living room.", "attributes": ["height adjustable", "mid century", "light fixture", "brushed nickel", "pendant light", "dining room", "living room"], "options": ["color: black"], "instruction_attributes": ["living room"], "instruction_options": ["black"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM93ZHS", "worker_id": "AVIEE6LDH0BT5"}], "B004KQF9YW": [{"asin": "B004KQF9YW", "instruction": "i want a 2.7 ounce stick of mitchum men triple odor defense anti-perspirant.", "attributes": ["anti perspirant", "dermatologist tested", "alcohol free"], "options": ["size: 2.7 ounce", "style: clean control"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["2.7 ounce"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5ZM4FM", "worker_id": "A2RBF3IIJP15IH"}], "B09J4M3FS9": [{"asin": "B09J4M3FS9", "instruction": "i am looking for an easy to use stainless steel green monocular telescope for a smartphone.", "attributes": ["easy install", "stainless steel", "bird watching"], "options": ["color: green"], "instruction_attributes": ["easy install", "stainless steel"], "instruction_options": ["green"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EABQS23", "worker_id": "A1EREKSZAA9V7B"}], "B074PRMLY8": [{"asin": "B074PRMLY8", "instruction": "i am looking for a hair loss shampoo for damaged hair.", "attributes": ["hair loss", "hair growth", "hair treatment", "damaged hair"], "options": [""], "instruction_attributes": ["hair loss", "damaged hair"], "instruction_options": [], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V4WGFM", "worker_id": "A1EREKSZAA9V7B"}], "B075T77RW1": [{"asin": "B075T77RW1", "instruction": "i would like steel frame drafting tables", "attributes": ["white item", "coated steel", "steel frame"], "options": [""], "instruction_attributes": ["steel frame"], "instruction_options": [], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QZK07V", "worker_id": "A2ECRNQ3X5LEXD"}], "B082HCK3M1": [{"asin": "B082HCK3M1", "instruction": "i need a easy to use hdmi display adapter with high definition.", "attributes": ["easy use", "high definition"], "options": [""], "instruction_attributes": ["easy use", "high definition"], "instruction_options": [], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH6HHQF", "worker_id": "AVIEE6LDH0BT5"}], "B09QSVY6WP": [{"asin": "B09QSVY6WP", "instruction": "i am interested in a media player that has batteries included.", "attributes": ["batteries included", "1080p hd", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9E9AZO", "worker_id": "A2ECRNQ3X5LEXD"}], "B086N1MGFS": [{"asin": "B086N1MGFS", "instruction": "i want a 0.75 ounce soft peach foundation that is paraben free.", "attributes": ["paraben free", "cruelty free"], "options": ["color: soft peach", "size: 0.75 ounce (pack of 1)"], "instruction_attributes": ["paraben free"], "instruction_options": ["soft peach", "0.75 ounce (pack of 1)"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SZWUDQ", "worker_id": "A1WS884SI0SLO4"}], "B000MCGEYM": [{"asin": "B000MCGEYM", "instruction": "i want a 150 watt black speaker that is heavy duty.", "attributes": ["heavy duty", "easy install", "stereo sound"], "options": ["color: black", "size: 150 watts", "style: speakers + bluetooth marine receiver stereo"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black", "150 watts", "speakers + bluetooth marine receiver stereo"], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW6D9VVF", "worker_id": "A1WS884SI0SLO4"}], "B00FSZRWZS": [{"asin": "B00FSZRWZS", "instruction": "i need a three pack deodorant that is made for sensitive skin", "attributes": ["anti perspirant", "sensitive skin"], "options": ["size: .2 pack(2.6 ounce (pack of 3))"], "instruction_attributes": ["sensitive skin"], "instruction_options": [".2 pack(2.6 ounce (pack of 3))"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GH0ZUO", "worker_id": "A2ECRNQ3X5LEXD"}], "B07215YT9K": [{"asin": "B07215YT9K", "instruction": "i want to find a pair of small, navy-colored active shorts for men that are machine washable.", "attributes": ["officially licensed", "machine wash", "quality polyester"], "options": ["color: navy", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy", "small"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NNOKBE", "worker_id": "A345TDMHP3DQ3G"}], "B09MKB5ZL3": [{"asin": "B09MKB5ZL3", "instruction": "i'm looking for a pair of pink wireless bluetooth headphones with stereo sound.", "attributes": ["noise cancelling", "wireless charging", "stereo sound", "wireless bluetooth"], "options": ["color: pink"], "instruction_attributes": ["stereo sound", "wireless bluetooth"], "instruction_options": ["pink"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98W2YK3", "worker_id": "A3MNXK3VDK37SN"}], "B09C86HRZ6": [{"asin": "B09C86HRZ6", "instruction": "i want xx-large fabiurt loose fit plus size tops for women.", "attributes": ["loose fit", "short sleeve", "long sleeve"], "options": ["color: b1-white", "size: xx-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["xx-large"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFN0X8HX", "worker_id": "A2RBF3IIJP15IH"}], "B07CGG4WN1": [{"asin": "B07CGG4WN1", "instruction": "i want a pair of 50 by 108 inch red pink peach window panels for my living room.", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: red pink peach", "size: pair of - 50\" x 108\""], "instruction_attributes": ["living room"], "instruction_options": ["red pink peach", "pair of - 50\" x 108\""], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWT3J97L", "worker_id": "A1WS884SI0SLO4"}], "B09PYK8SNV": [{"asin": "B09PYK8SNV", "instruction": "i want to find an office chair that offers lumbar support. i also want to be able to adjust the height.", "attributes": ["height adjustable", "lumbar support"], "options": [""], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": [], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIR358A", "worker_id": "A345TDMHP3DQ3G"}], "B01KVU8JBK": [{"asin": "B01KVU8JBK", "instruction": "i want to find gluten free mango salsa that is bacon habanero flavored.", "attributes": ["hand crafted", "gluten free"], "options": ["flavor name: bacon habanero"], "instruction_attributes": ["gluten free"], "instruction_options": ["bacon habanero"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMS56BW", "worker_id": "A345TDMHP3DQ3G"}], "B08XMNHPXY": [{"asin": "B08XMNHPXY", "instruction": "i am looking for dark green color phone case cover which is dust proof.", "attributes": ["dust proof", "heavy duty", "hands free", "wireless charging"], "options": ["color: dark green"], "instruction_attributes": ["dust proof"], "instruction_options": ["dark green"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68JCA4I", "worker_id": "A1Q8PPQQCWGY0D"}], "B09MWB8VWW": [{"asin": "B09MWB8VWW", "instruction": "i am looking for space saving espresso color bed.", "attributes": ["space saving", "solid wood"], "options": ["color: espresso", "style: metal low bunk bed full size"], "instruction_attributes": ["space saving"], "instruction_options": ["espresso"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9PD0BJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B09P1593Z6": [{"asin": "B09P1593Z6", "instruction": "i want a 10 by 7 ft a16 photo background that is light weight.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a16", "size: 10x7ft | 3x2.2m"], "instruction_attributes": ["light weight"], "instruction_options": ["a16", "10x7ft | 3x2.2m"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OMGTR4", "worker_id": "A1WS884SI0SLO4"}], "B08THVMLZK": [{"asin": "B08THVMLZK", "instruction": "look for it in stock. dustproof case for ps5, anti-dust cover dust plugs hdmi usb interface for ps5 console with 10pcs silicone ps5 controller joystick grips, sky pink", "attributes": ["dust proof", "easy install"], "options": ["color: pink sky", "size: ps5 skin disc"], "instruction_attributes": ["dust proof"], "instruction_options": ["pink sky"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKP2ZJPV", "worker_id": "A15IJ20C3R4HUO"}], "B07PY96H2Q": [{"asin": "B07PY96H2Q", "instruction": "i'm looking for oil free hair conditioner that offers a cruelty free certification.", "attributes": ["oil free", "sulfate free", "paraben free", "cruelty free", "argan oil"], "options": [""], "instruction_attributes": ["oil free"], "instruction_options": [], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XVNGNY", "worker_id": "A2JP9IKRHNLRPI"}], "B082SL5XFG": [{"asin": "B082SL5XFG", "instruction": "i am looking for power cord outlet socket cable plug for wireless bluetooth speakers.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X02F4WN", "worker_id": "A1Q8PPQQCWGY0D"}], "B09HSTMV93": [{"asin": "B09HSTMV93", "instruction": "i am looking for a high quality and easy to clean tongue cleaner.", "attributes": ["easy clean", "high quality", "oral hygiene", "bad breath"], "options": [""], "instruction_attributes": ["easy clean", "high quality"], "instruction_options": [], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X42IH0G", "worker_id": "A1EREKSZAA9V7B"}], "B07RMZ8BBP": [{"asin": "B07RMZ8BBP", "instruction": "i would like a pair of 36 regular cut off white bull denim shorts that are machine washable.", "attributes": ["machine wash", "imported zipper"], "options": ["color: white bull denim - stretch", "fit type: cut off", "size: 36 regular"], "instruction_attributes": ["machine wash"], "instruction_options": ["white bull denim - stretch", "cut off", "36 regular"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBX0C4O7", "worker_id": "A1WS884SI0SLO4"}], "B09RZRT4QD": [{"asin": "B09RZRT4QD", "instruction": "i want to find an open-toed pair of women's fashion wedges in a wide size 11. they should be khaki colored.", "attributes": ["butt lifting", "open toe", "moisture wicking", "high waist", "high heel", "ankle strap", "long sleeve"], "options": ["color: a6 - khaki", "size: 11 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["a6 - khaki", "11 wide"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDRLCHA", "worker_id": "A345TDMHP3DQ3G"}], "B08Q7RNY1W": [{"asin": "B08Q7RNY1W", "instruction": "i need a long lasting organic deodorant.", "attributes": ["long lasting", "coconut oil"], "options": ["scent: blossom breeze", "size: 2 ounce"], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602XP957", "worker_id": "AVIEE6LDH0BT5"}], "B0042RBHXQ": [{"asin": "B0042RBHXQ", "instruction": "i want gluten free lang's chocolates milk chocolate dessert cups.", "attributes": ["hand crafted", "gluten free"], "options": ["flavor name: chocolate", "size: 32"], "instruction_attributes": ["gluten free"], "instruction_options": ["chocolate"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWJ0GGP", "worker_id": "A2RBF3IIJP15IH"}], "B083DP4MCM": [{"asin": "B083DP4MCM", "instruction": "i am looking for travel size pump bottles with lotion nozzles.", "attributes": ["bpa free", "travel size"], "options": ["color: lotion nozzle", "size: 15+30+50ml"], "instruction_attributes": ["travel size"], "instruction_options": ["lotion nozzle"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602XS95A", "worker_id": "A1EREKSZAA9V7B"}], "B00F8M95YW": [{"asin": "B00F8M95YW", "instruction": "i want to order a bottle of shampoo with coconut oil for dry, damaged hair.", "attributes": ["coconut oil", "damaged hair", "dry hair"], "options": [""], "instruction_attributes": ["coconut oil", "damaged hair", "dry hair"], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHEYE12", "worker_id": "AR9AU5FY1S3RO"}], "B093K698Z1": [{"asin": "B093K698Z1", "instruction": "find set of 2 medium pig astronaut-1 mesh laundry bags and 1 small laundry bag, i will give as a gift at a kitchen shower", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKS0CGLL", "worker_id": "A15IJ20C3R4HUO"}], "B096JSQ38T": [{"asin": "B096JSQ38T", "instruction": "i am in need of 5 sets happy birthday cake toppers", "attributes": ["birthday cake", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4R3PK4", "worker_id": "A258PTOZ3D2TQR"}], "B08YRN6MNT": [{"asin": "B08YRN6MNT", "instruction": "i'm looking for a rolling cart offering 3 levels that is made with a steel frame and is painted black.", "attributes": ["space saving", "coated steel", "steel frame", "living room"], "options": ["color: black"], "instruction_attributes": ["steel frame"], "instruction_options": ["black"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3QFLZO", "worker_id": "A2JP9IKRHNLRPI"}], "B07DVRW4NN": [{"asin": "B07DVRW4NN", "instruction": "i'm looking for a 6 foot long, high performance coaxial cable", "attributes": ["high performance", "coaxial cable"], "options": ["size: 6 feet (1.8 meter)"], "instruction_attributes": ["high performance", "coaxial cable"], "instruction_options": ["6 feet (1.8 meter)"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y215JY", "worker_id": "AK3JMCIGU8MLU"}], "B08PJY7GW8": [{"asin": "B08PJY7GW8", "instruction": "i am looking for a wall art of size 36\" x 24'' x 2 for my living room.", "attributes": ["hand painted", "living room", "dining room"], "options": ["color: abstract wall art", "size: 36\" x 24'' x 2"], "instruction_attributes": ["living room"], "instruction_options": ["36\" x 24'' x 2"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC8PUKZ", "worker_id": "A1Q8PPQQCWGY0D"}], "B09FF1GQ74": [{"asin": "B09FF1GQ74", "instruction": "i want a 10 piece of green brush set for synthetic hair.", "attributes": ["synthetic hair", "eye shadow"], "options": ["color: 10pcs green"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["10pcs green"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZ16JZG", "worker_id": "A1WS884SI0SLO4"}], "B07GBXKRCT": [{"asin": "B07GBXKRCT", "instruction": "i want a core i5 tablet.", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQK0KED", "worker_id": "A1WS884SI0SLO4"}], "B07Q7MFB5G": [{"asin": "B07Q7MFB5G", "instruction": "i am looking for cognac zebra color women's sneaker having rubber sole.", "attributes": ["lace closure", "rubber sole"], "options": ["color: cognac zebra", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["cognac zebra"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1HVXCF", "worker_id": "A1Q8PPQQCWGY0D"}], "B079LXH6NX": [{"asin": "B079LXH6NX", "instruction": "i need some noise cancelling headphones", "attributes": ["noise cancelling", "wireless bluetooth"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X42GH0E", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QN1H2RD": [{"asin": "B08QN1H2RD", "instruction": "i am looking for 2 easy to assemble grey barstools.", "attributes": ["long lasting", "easy assemble", "metal legs"], "options": ["color: 2 grey barstools", "size: 4 barstools"], "instruction_attributes": ["easy assemble"], "instruction_options": ["2 grey barstools"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZ3LCNA", "worker_id": "A1EREKSZAA9V7B"}], "B015OW3TAQ": [{"asin": "B015OW3TAQ", "instruction": "i need a five pack of three foot hdmi cables that support 1080p and are gold plated.", "attributes": ["1080p hd", "gold plated", "usb port"], "options": ["pattern name: cable + cable - 10 feet", "size: 3 feet", "style: 5-pack"], "instruction_attributes": ["1080p hd", "gold plated"], "instruction_options": ["3 feet", "5-pack"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8S0Q6M", "worker_id": "AR9AU5FY1S3RO"}], "B076CK9K6X": [{"asin": "B076CK9K6X", "instruction": "i want a 4 ounce bag of bbq jerky that is high in protein.", "attributes": ["low fat", "high protein"], "options": ["flavor name: bbq", "size: 4 ounce"], "instruction_attributes": ["high protein"], "instruction_options": ["bbq", "4 ounce"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDD0S0D", "worker_id": "A1WS884SI0SLO4"}], "B009AGABCM": [{"asin": "B009AGABCM", "instruction": "i want to find vintage men's jeans with a regular, but still comfortable, fit. the jeans should be 38 inches in width and 36 inches in length and be river denim in color.", "attributes": ["slim fit", "comfortable fit", "button closure"], "options": ["color: river denim", "fit type: regular", "size: 38w x 36l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["river denim", "regular", "38w x 36l"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI3EQDBT", "worker_id": "A345TDMHP3DQ3G"}], "B07F1PNPT3": [{"asin": "B07F1PNPT3", "instruction": "help me find this model today: eldof women peep toe pump medium heel, rubber sole, brown color and size 8.5 . i'm giving up on finding it so much i've searched.", "attributes": ["open toe", "rubber sole"], "options": ["color: brown", "size: 8.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown", "8.5"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3V0ZMZ", "worker_id": "A15IJ20C3R4HUO"}], "B09P3R6STB": [{"asin": "B09P3R6STB", "instruction": "i'd like a three piece bikini set for a teen girl. i need it in purple, size xx large.", "attributes": ["open toe", "cotton spandex", "tumble dry", "teen girls"], "options": ["color: swimsuits-a091-purple", "size: xx-large"], "instruction_attributes": ["tumble dry", "teen girls"], "instruction_options": ["swimsuits-a091-purple", "xx-large"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQH0QSB", "worker_id": "AR9AU5FY1S3RO"}], "B00AREGVUM": [{"asin": "B00AREGVUM", "instruction": "i'm looking for clinically proven, anti-aging body oil in a package of 3 of .85 fl oz bottles.", "attributes": ["clinically proven", "anti aging"], "options": ["style: 0.85 fl oz (pack of 3)"], "instruction_attributes": ["clinically proven", "anti aging"], "instruction_options": ["0.85 fl oz (pack of 3)"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKUCEPE", "worker_id": "A2JP9IKRHNLRPI"}], "B09QCY7VYW": [{"asin": "B09QCY7VYW", "instruction": "i want black cooki heeled open toe sandals for women.", "attributes": ["open toe", "ankle strap", "teen girls", "daily wear"], "options": ["color: z2 black", "size: 6.5"], "instruction_attributes": ["open toe"], "instruction_options": ["z2 black"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPPFE61", "worker_id": "A2RBF3IIJP15IH"}], "B07TPSYZBG": [{"asin": "B07TPSYZBG", "instruction": "i want to find canvas wall art that is 30x60 inches in dimension. i want it to be poppy colored and it should be suitable for my dining room.", "attributes": ["hand painted", "ready hang", "wood frame", "living room", "dining room"], "options": ["color: poppy", "size: 30x60in"], "instruction_attributes": ["dining room"], "instruction_options": ["poppy", "30x60in"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA5H8AW", "worker_id": "A345TDMHP3DQ3G"}], "B08QDWVNVF": [{"asin": "B08QDWVNVF", "instruction": "i need a space saving table for my dining room in espresso.", "attributes": ["space saving", "engineered wood", "steel frame", "dining room", "living room"], "options": ["color: espresso"], "instruction_attributes": ["space saving", "dining room"], "instruction_options": ["espresso"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PQPX2D", "worker_id": "AR9AU5FY1S3RO"}], "B09QX5BT3K": [{"asin": "B09QX5BT3K", "instruction": "i would like a medium gray henley with short sleeves.", "attributes": ["slim fit", "loose fit", "long sleeve", "faux fur", "short sleeve"], "options": ["color: gray", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["gray", "medium"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTR4PL3", "worker_id": "A1WS884SI0SLO4"}], "B09KLMRFP9": [{"asin": "B09KLMRFP9", "instruction": "i need a clear, eco-friendly 6.7 ounce spray bottle.", "attributes": ["eco friendly", "fine mist"], "options": ["color: 2 clear", "size: 6.7 ounce"], "instruction_attributes": ["eco friendly"], "instruction_options": ["2 clear", "6.7 ounce"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFQR9EB", "worker_id": "AR9AU5FY1S3RO"}], "B01LYRBH74": [{"asin": "B01LYRBH74", "instruction": "i am looking for kosher certified premium gourmet spices of european chicken seasoning -12 oz", "attributes": ["kosher certified", "non gmo"], "options": ["flavor: european chicken seasoning 12 oz"], "instruction_attributes": ["kosher certified"], "instruction_options": ["european chicken seasoning 12 oz"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMMLZIO", "worker_id": "A258PTOZ3D2TQR"}], "B07G3986RC": [{"asin": "B07G3986RC", "instruction": "buy me a heart flavored tea without caffeine", "attributes": ["caffeine free", "usda organic", "sugar free", "gluten free", "artificial colors", "artificial flavors"], "options": ["flavor name: heart", "size: 1.27 ounce"], "instruction_attributes": ["caffeine free"], "instruction_options": ["heart"], "assignment_id": "3R2PKQ87N7I6FN5SSV9EK2GP7IZIMM", "worker_id": "AVIEE6LDH0BT5"}], "B07N32XJSY": [{"asin": "B07N32XJSY", "instruction": "i'm locking for blueberry lavender flavored almond beverage.", "attributes": ["trader joe", "non dairy", "natural flavors"], "options": [""], "instruction_attributes": ["non dairy"], "instruction_options": [], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHRES72JR", "worker_id": "A21IUUHBSEVB56"}], "B08P3RQ6DY": [{"asin": "B08P3RQ6DY", "instruction": "i am interested in non gmo puffed snacks", "attributes": ["non gmo", "gluten free", "artificial colors"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM9YHZ5", "worker_id": "A2ECRNQ3X5LEXD"}], "B08VGKW66Z": [{"asin": "B08VGKW66Z", "instruction": "i'm looking for a multi-color cuxweot custom blanket for the living room that is super soft and can be used as a fleece throw.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 35"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22ODW8O", "worker_id": "AMI0SOF51O3FW"}], "B09MZB12N3": [{"asin": "B09MZB12N3", "instruction": "i'm locking for a lip sleeping mask.", "attributes": ["cruelty free", "natural ingredients", "fine lines", "dead skin"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79UP1H4", "worker_id": "A21IUUHBSEVB56"}], "B091DYR5QL": [{"asin": "B091DYR5QL", "instruction": "i want gluten free shangri-la tea company organic green tea bags.", "attributes": ["caffeine free", "sugar free", "individually wrapped", "gluten free"], "options": ["flavor name: premium green"], "instruction_attributes": ["gluten free"], "instruction_options": ["premium green"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOBEGJQ", "worker_id": "A2RBF3IIJP15IH"}], "B076DL1VLG": [{"asin": "B076DL1VLG", "instruction": "i want a sulfate free shampoo & conditioner set with biotin scent", "attributes": ["sulfate free", "paraben free", "argan oil", "seed oil", "hair loss", "hair growth", "natural hair", "dry hair"], "options": ["scent: biotin & collagen", "size: 16.9 fl oz (pack of 2)"], "instruction_attributes": ["sulfate free"], "instruction_options": ["biotin & collagen"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME98A2DD", "worker_id": "AVIEE6LDH0BT5"}], "B08BFDSRL3": [{"asin": "B08BFDSRL3", "instruction": "i need straight leg jeans that are 56w by 30l", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: (new) on my radio", "size: 56w x 30l"], "instruction_attributes": ["straight leg"], "instruction_options": ["56w x 30l"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQ1QB47", "worker_id": "A2ECRNQ3X5LEXD"}], "B0776NB4YW": [{"asin": "B0776NB4YW", "instruction": "i'm looking for a certified organic castor oil. choose the ones that come in 16 oz package.", "attributes": ["certified organic", "alcohol free", "dry hair", "fine lines", "dry skin", "hair growth"], "options": ["style: organic castor oil 16 oz"], "instruction_attributes": ["certified organic"], "instruction_options": ["organic castor oil 16 oz"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OT699W", "worker_id": "A3MNXK3VDK37SN"}], "B09RWW23NJ": [{"asin": "B09RWW23NJ", "instruction": "i need a medium sized board shorts with a elastic waistband.", "attributes": ["quick drying", "elastic waistband", "elastic waist"], "options": ["color: white", "size: medium"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["medium"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HTDWON", "worker_id": "AVIEE6LDH0BT5"}], "B0738CN28V": [{"asin": "B0738CN28V", "instruction": "lasgoos design natural look lightweight reusable false eyelashes eye makeup 11/5 pairs/box (a10) find it and tell me", "attributes": ["easy apply", "cruelty free"], "options": ["style: 011-5pairs"], "instruction_attributes": ["easy apply"], "instruction_options": ["011-5pairs"], "assignment_id": "31JLPPHS254FPN8LK8H48035J0HO37", "worker_id": "A15IJ20C3R4HUO"}], "B0969NHZCY": [{"asin": "B0969NHZCY", "instruction": "i want to find machine washable curtains for my living room in the color 5.", "attributes": ["machine washable", "stainless steel", "dining room", "living room"], "options": ["color: colour5"], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["colour5"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q76GH9W", "worker_id": "A345TDMHP3DQ3G"}], "B09BF9HKMT": [{"asin": "B09BF9HKMT", "instruction": "i am looking for smart bands of size 40mm and are easy to install.", "attributes": ["compatible apple", "quick release", "easy install", "glass screen", "tempered glass"], "options": ["color: black white band+black silver case", "size: 40mm"], "instruction_attributes": ["easy install"], "instruction_options": ["40mm"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMMKZIN", "worker_id": "A1Q8PPQQCWGY0D"}], "B07KK42V6D": [{"asin": "B07KK42V6D", "instruction": "i'm looking for a keto friendly hot cocoa mix in dark chocolate flavor.", "attributes": ["keto friendly", "low carb", "dietary fiber"], "options": ["flavor name: simply dark chocolate"], "instruction_attributes": ["keto friendly"], "instruction_options": ["simply dark chocolate"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BELQUR", "worker_id": "A3MNXK3VDK37SN"}], "B09RQ8LRDT": [{"asin": "B09RQ8LRDT", "instruction": "i'm looking for some highly pigmented, long lasting eye shadow in color \"c.\"", "attributes": ["highly pigmented", "long lasting", "eye shadow"], "options": ["color: c"], "instruction_attributes": ["highly pigmented", "long lasting", "eye shadow"], "instruction_options": ["c"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC8ENIW", "worker_id": "AR9AU5FY1S3RO"}], "B0963LTSXB": [{"asin": "B0963LTSXB", "instruction": "i want green comfy womens closed toe clogs shoes.", "attributes": ["high heel", "soft material", "closed toe", "daily wear"], "options": ["color: green", "size: 8"], "instruction_attributes": ["closed toe"], "instruction_options": ["green"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H8U8UT", "worker_id": "A2RBF3IIJP15IH"}], "B09Q6CTMF7": [{"asin": "B09Q6CTMF7", "instruction": "i want a blue toothbrush for sensitive teeth.", "attributes": ["easy use", "teeth whitening", "sensitive teeth"], "options": ["color: blue"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["blue"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVF88VN", "worker_id": "A1WS884SI0SLO4"}], "B09FFKMF4T": [{"asin": "B09FFKMF4T", "instruction": "i would like a pair of size 9 white synthetic leather clogs with a synthetic sole.", "attributes": ["high heel", "synthetic sole"], "options": ["color: white synthetic leather", "size: 9"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["white synthetic leather", "9"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIV6846", "worker_id": "A1WS884SI0SLO4"}], "B09F3WRKVG": [{"asin": "B09F3WRKVG", "instruction": "i want a navy blue biedori womens casual long sleeve dress.", "attributes": ["long sleeve", "elastic waist", "relaxed fit"], "options": ["color: navy blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["navy blue"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT5J3P9", "worker_id": "A2RBF3IIJP15IH"}], "B07B4RZ87J": [{"asin": "B07B4RZ87J", "instruction": "i want a 8.5 fl oz of mizani true textures cream cleansing conditioner with coconut oil.", "attributes": ["sulfate free", "coconut oil"], "options": ["size: 8.5 fl oz"], "instruction_attributes": ["coconut oil"], "instruction_options": ["8.5 fl oz"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22OBW8M", "worker_id": "A2RBF3IIJP15IH"}], "B07DS5BR42": [{"asin": "B07DS5BR42", "instruction": "i am looking for chocolate chip flavor non gmo cookies.", "attributes": ["non gmo", "quality ingredients", "natural ingredients"], "options": ["flavor: chocolate chip", "size: 4 ounce (pack of 3)"], "instruction_attributes": ["non gmo"], "instruction_options": ["chocolate chip"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCM4SJI", "worker_id": "A1Q8PPQQCWGY0D"}], "B08S6XCNDG": [{"asin": "B08S6XCNDG", "instruction": "i am looking for rocky mount color slim fit jeans.", "attributes": ["slim fit", "quality materials"], "options": ["color: rocky mount", "size: 38w x 32l"], "instruction_attributes": ["slim fit"], "instruction_options": ["rocky mount"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCWD56O", "worker_id": "A1Q8PPQQCWGY0D"}], "B09Q6CSF2B": [{"asin": "B09Q6CSF2B", "instruction": "i'm looking for a dvd recorder that features stereo sound.", "attributes": ["plug play", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MO3WL1", "worker_id": "A345TDMHP3DQ3G"}], "B07K125KWT": [{"asin": "B07K125KWT", "instruction": "i want a bookshelf for my living room.", "attributes": ["contemporary style", "living room"], "options": ["style: bookshelf"], "instruction_attributes": ["living room"], "instruction_options": ["bookshelf"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95CAZPH0", "worker_id": "A1WS884SI0SLO4"}], "B092PMT773": [{"asin": "B092PMT773", "instruction": "i am looking for a steel frame storage tower in the color dark gray.", "attributes": ["steel frame", "storage space", "living room"], "options": ["color: dark gray"], "instruction_attributes": ["steel frame"], "instruction_options": ["dark gray"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AOVSTN", "worker_id": "AK3JMCIGU8MLU"}], "B07STGB556": [{"asin": "B07STGB556", "instruction": "loeffler randall paulina-ks closed toe leather sole", "attributes": ["leather sole", "closed toe"], "options": ["color: black", "size: 6.5 medium us"], "instruction_attributes": ["leather sole", "closed toe"], "instruction_options": [], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VK08EC", "worker_id": "A3TTGSUBIK1YCL"}], "B00REDUNLW": [{"asin": "B00REDUNLW", "instruction": "i'm looking for a bag of salty sweet mixed nuts in a resealable bag. they should be gmo-free.", "attributes": ["protein serving", "non gmo", "gluten free", "resealable bag", "artificial colors"], "options": ["flavor: salty sweet mixed nuts"], "instruction_attributes": ["non gmo", "resealable bag"], "instruction_options": ["salty sweet mixed nuts"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJYIVGN", "worker_id": "AR9AU5FY1S3RO"}], "B08ZKWSC2G": [{"asin": "B08ZKWSC2G", "instruction": "i am looking for a 2 light wall sconce for my living room.", "attributes": ["clear glass", "vanity light", "light fixture", "living room"], "options": ["color: black & clear glass", "size: 2-light"], "instruction_attributes": ["living room"], "instruction_options": ["2-light"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA934MZ3M", "worker_id": "A1EREKSZAA9V7B"}], "B003WT31QQ": [{"asin": "B003WT31QQ", "instruction": "get a gluten free tuna fish. it should be pack of 60 with 5 ounces.", "attributes": ["wild caught", "gluten free"], "options": ["flavor name: less sodium chunk light in water", "size: 5 ounce (pack of 60)"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG57543", "worker_id": "A15ERD4HOFEPHM"}], "B09N97FN78": [{"asin": "B09N97FN78", "instruction": "i would like a gold plated hdmi cable.", "attributes": ["gold plated", "high definition"], "options": [""], "instruction_attributes": ["gold plated"], "instruction_options": [], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY61J42", "worker_id": "A1WS884SI0SLO4"}], "B09N75L4RD": [{"asin": "B09N75L4RD", "instruction": "i'm looking for a pair of medium sized, straight leg men's black dress pants.", "attributes": ["slim fit", "straight leg", "wide leg", "elastic waist", "elastic closure", "regular fit", "relaxed fit", "high waist", "classic fit", "short sleeve", "everyday wear", "gym workout"], "options": ["color: black", "size: medium"], "instruction_attributes": ["straight leg"], "instruction_options": ["black", "medium"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QGSM12", "worker_id": "A2JP9IKRHNLRPI"}], "B09MCWS928": [{"asin": "B09MCWS928", "instruction": "i need double-sided face wash sponge ( 4 color)", "attributes": ["double sided", "easy clean", "fine lines", "dead skin"], "options": ["color: 04"], "instruction_attributes": ["double sided"], "instruction_options": ["04"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NCEN2I", "worker_id": "A258PTOZ3D2TQR"}], "B018SFM042": [{"asin": "B018SFM042", "instruction": "i want travel size cornucopia 1-ounce cobalt glass jars.", "attributes": ["bpa free", "travel size"], "options": [""], "instruction_attributes": ["travel size"], "instruction_options": [], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL85EAR", "worker_id": "A2RBF3IIJP15IH"}], "B000E0QFSC": [{"asin": "B000E0QFSC", "instruction": "i'd like to shop for a vanity light with a bronze finish and glass shades.", "attributes": ["bronze finish", "vanity light", "glass shade"], "options": [""], "instruction_attributes": ["bronze finish", "vanity light", "glass shade"], "instruction_options": [], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5Y1ZQ3H", "worker_id": "AR9AU5FY1S3RO"}], "B096KCZFVS": [{"asin": "B096KCZFVS", "instruction": "i am looking for antique gray color nightstand that is fully assembled.", "attributes": ["fully assembled", "assembly required", "brushed nickel"], "options": ["color: antique gray"], "instruction_attributes": ["fully assembled"], "instruction_options": ["antique gray"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH6FQHM", "worker_id": "A1Q8PPQQCWGY0D"}], "B09BR9F792": [{"asin": "B09BR9F792", "instruction": "i am looking for throw blanket of size 60\"x80\" and is super soft.", "attributes": ["super soft", "machine washable", "fleece throw"], "options": ["color: teal", "size: 60\"x80\""], "instruction_attributes": ["super soft"], "instruction_options": ["60\"x80\""], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME98DD2R", "worker_id": "A1Q8PPQQCWGY0D"}], "B09Q55LNN6": [{"asin": "B09Q55LNN6", "instruction": "i need a multi9 floor lamp for my living room.", "attributes": ["space saving", "storage space", "living room"], "options": ["color: multi9"], "instruction_attributes": ["living room"], "instruction_options": ["multi9"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4HSBSD", "worker_id": "A15ERD4HOFEPHM"}], "B07YWBHL1C": [{"asin": "B07YWBHL1C", "instruction": "i am looking for an easy to clean foot stool for a beauty salon.", "attributes": ["non slip", "easy clean", "beauty salon"], "options": [""], "instruction_attributes": ["easy clean", "beauty salon"], "instruction_options": [], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUN4R3M", "worker_id": "A1EREKSZAA9V7B"}], "B098J857T8": [{"asin": "B098J857T8", "instruction": "i'm locking for a bathroom lighting over modern style mirror.", "attributes": ["easy install", "vanity light", "stainless steel"], "options": ["color: matt black- square shade base", "size: dimmable 5 lights"], "instruction_attributes": ["vanity light"], "instruction_options": [], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVKGSZ2", "worker_id": "A21IUUHBSEVB56"}], "B09N7D3MCC": [{"asin": "B09N7D3MCC", "instruction": "i want a gold colored and high performance android tablet.", "attributes": ["long lasting", "high performance", "high definition"], "options": ["color: gold"], "instruction_attributes": ["high performance"], "instruction_options": ["gold"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HXQPBG", "worker_id": "AVIEE6LDH0BT5"}], "B09N3BVWCJ": [{"asin": "B09N3BVWCJ", "instruction": "i would like a cupcake topper for a birthday cake.", "attributes": ["birthday party", "party supplies", "birthday cake", "baby shower"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCIBOBAK", "worker_id": "A1WS884SI0SLO4"}], "B095N8PLXY": [{"asin": "B095N8PLXY", "instruction": "i want to find burgundy colored moccasins with faux fur in a size 7.", "attributes": ["day comfort", "faux fur", "synthetic sole"], "options": ["color: burgundy", "size: 7"], "instruction_attributes": ["faux fur"], "instruction_options": ["burgundy", "7"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTY94E6", "worker_id": "A345TDMHP3DQ3G"}], "B07DK2673W": [{"asin": "B07DK2673W", "instruction": "i want to find a plant-based belly oil for pregnancy and stretch marks with a legacy pattern.", "attributes": ["plant based", "cruelty free", "natural ingredients", "fine lines"], "options": ["pattern name: legacy"], "instruction_attributes": ["plant based"], "instruction_options": ["legacy"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7K09E7A", "worker_id": "A345TDMHP3DQ3G"}], "B08G8492L2": [{"asin": "B08G8492L2", "instruction": "i am looking for 2 blue color body brush that is easy to clean.", "attributes": ["easy clean", "double sided", "non toxic"], "options": ["color: 2 blue"], "instruction_attributes": ["easy clean"], "instruction_options": ["2 blue"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP32TX1", "worker_id": "A1Q8PPQQCWGY0D"}], "B083C5DWWD": [{"asin": "B083C5DWWD", "instruction": "i am looking for tea tree shampoo for dry hair.", "attributes": ["cruelty free", "hair growth", "dry hair", "damaged hair", "hair loss"], "options": ["style: tea tree shampoo"], "instruction_attributes": ["dry hair"], "instruction_options": ["tea tree shampoo"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XONI9LO", "worker_id": "A1EREKSZAA9V7B"}], "B08ZHTCQSH": [{"asin": "B08ZHTCQSH", "instruction": "i want white cotton laundry baskets that can be wall mounted.", "attributes": ["wall mounted", "living room"], "options": ["color: white cotton"], "instruction_attributes": ["wall mounted"], "instruction_options": ["white cotton"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9C68N6", "worker_id": "A2RBF3IIJP15IH"}], "B09NY99T88": [{"asin": "B09NY99T88", "instruction": "i want a 1080p smart home surveillance camera.", "attributes": ["high definition", "1080p hd", "easy install", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd"], "instruction_options": [], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP869Z7S", "worker_id": "A2RBF3IIJP15IH"}], "B09KZG4LF8": [{"asin": "B09KZG4LF8", "instruction": "i am looking for khaki colored nightstand for my living room.", "attributes": ["space saving", "white item", "living room"], "options": ["color: khaki"], "instruction_attributes": ["living room"], "instruction_options": ["khaki"], "assignment_id": "3HSYG7LRBU82VUVD7MHAI53YAHZKK0", "worker_id": "A1EREKSZAA9V7B"}], "B09FJRH69S": [{"asin": "B09FJRH69S", "instruction": "i am looking for a 60 inch by 50 inch machine washable super soft throw blanket.", "attributes": ["super soft", "machine washable"], "options": ["color: pig", "size: 60\"x50\""], "instruction_attributes": ["super soft", "machine washable"], "instruction_options": ["60\"x50\""], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRJAWNA", "worker_id": "A1EREKSZAA9V7B"}], "B09JZRLPMV": [{"asin": "B09JZRLPMV", "instruction": "i am looking for sparkling water of fizzy lychee flavor having low carb.", "attributes": ["gluten free", "low carb"], "options": ["flavor name: fizzy lychee", "size: variety pack"], "instruction_attributes": ["low carb"], "instruction_options": ["fizzy lychee"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R9WTY7", "worker_id": "A1Q8PPQQCWGY0D"}], "B09FS255S4": [{"asin": "B09FS255S4", "instruction": "i am looking for revitalizing conditioner of size 1 pack used for hair growth.", "attributes": ["hair growth", "hair treatment", "natural hair", "dry hair", "hair loss"], "options": ["size: 1 pack"], "instruction_attributes": ["hair growth"], "instruction_options": ["1 pack"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AUUBWY", "worker_id": "A1Q8PPQQCWGY0D"}], "B00MHGYTYI": [{"asin": "B00MHGYTYI", "instruction": "please find me an eight ounce bottle of pomegranate and fig moisturizer that's cruelty free.", "attributes": ["plant based", "cruelty free", "long lasting", "natural ingredients"], "options": ["scent: pomegranate and fig", "size: 8 oz"], "instruction_attributes": ["cruelty free"], "instruction_options": ["pomegranate and fig", "8 oz"], "assignment_id": "3G2UL9A02OO71034MOY04HTU328765", "worker_id": "AR9AU5FY1S3RO"}], "B0163N2T38": [{"asin": "B0163N2T38", "instruction": "i want to find a wireless headset that is hands-free. the color should be grey and the style should be classic.", "attributes": ["hands free", "long lasting", "high performance"], "options": ["color: litegry", "style: classic"], "instruction_attributes": ["hands free"], "instruction_options": ["litegry", "classic"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWTLW60", "worker_id": "A345TDMHP3DQ3G"}], "B09GBDGJRL": [{"asin": "B09GBDGJRL", "instruction": "i'm looking for lowrise blue sweatpants in a medium.", "attributes": ["low rise", "wide leg", "loose fit", "slim fit", "daily wear"], "options": ["color: blue8", "size: medium"], "instruction_attributes": ["low rise"], "instruction_options": ["blue8", "medium"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVL41PE", "worker_id": "AR9AU5FY1S3RO"}], "B08Q7QK29Q": [{"asin": "B08Q7QK29Q", "instruction": "i want to buy hair extensions clips for synthetic hair and they should be red and green colors.", "attributes": ["hair extensions", "synthetic hair"], "options": ["color: red+green"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["red+green"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8TH0E5ZJ", "worker_id": "AJY5G987IRT25"}], "B09Q2ZB3CF": [{"asin": "B09Q2ZB3CF", "instruction": "i want sloth floral women's slip on canvas non slip shoes in size 8.5", "attributes": ["non slip", "contrast color", "fashion design", "quality materials", "rubber sole"], "options": ["color: 1-14", "size: 8.5"], "instruction_attributes": ["non slip"], "instruction_options": ["8.5"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOH5LL3", "worker_id": "A2RBF3IIJP15IH"}], "B08XMMFD22": [{"asin": "B08XMMFD22", "instruction": "i am looking for multi 06 color duvet cover set for king size bed.", "attributes": ["twin size", "queen size", "machine washable", "king size"], "options": ["color: multi 06", "size: twin"], "instruction_attributes": ["king size"], "instruction_options": ["multi 06"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AUTWBI", "worker_id": "A1Q8PPQQCWGY0D"}], "B09N6L96GT": [{"asin": "B09N6L96GT", "instruction": "i want a 17.7 in long by 17.7 inch 1042117309949930000 window panel for my dining room.", "attributes": ["tempered glass", "dining room"], "options": ["color: 1042117309949930000", "size: (width\uff0917.7in x (length)17.7in x 2pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["1042117309949930000", "(width\uff0917.7in x (length)17.7in x 2pcs"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ7JSIA", "worker_id": "A1WS884SI0SLO4"}], "B098B96PP7": [{"asin": "B098B96PP7", "instruction": "i am looking for adjustable child learning blue color desk chair with lumbar support", "attributes": ["easy clean", "easy assemble", "lumbar support"], "options": ["color: blue"], "instruction_attributes": ["lumbar support"], "instruction_options": ["blue"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA8TC8T", "worker_id": "A258PTOZ3D2TQR"}], "B09GBC7N2B": [{"asin": "B09GBC7N2B", "instruction": "i want to buy a skirt for women which is high waist, and is of olive color, and the size of x-large.", "attributes": ["cotton spandex", "elastic waist", "high waist", "polyester spandex"], "options": ["color: olive", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["olive", "x-large"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTU55ED", "worker_id": "AJY5G987IRT25"}], "B09H7S4Q28": [{"asin": "B09H7S4Q28", "instruction": "i'm looking for a super soft and easy to clean throw blanket. choose the ones that come in cartoon3 color.", "attributes": ["super soft", "easy clean"], "options": ["color: cartoon3"], "instruction_attributes": ["super soft", "easy clean"], "instruction_options": ["cartoon3"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDR15KX", "worker_id": "A3MNXK3VDK37SN"}], "B08118H4KB": [{"asin": "B08118H4KB", "instruction": "i'm looking for a comfortable fit yoga tank in size 1x and the color light grey heather.", "attributes": ["machine wash", "comfortable fit"], "options": ["color: light grey heather", "size: 1x"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["light grey heather", "1x"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9PKB01", "worker_id": "AK3JMCIGU8MLU"}], "B083JJVQVX": [{"asin": "B083JJVQVX", "instruction": "find gluten-free nori flakes.", "attributes": ["fat free", "gluten free"], "options": ["flavor: flakes", "size: 4 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQXR5BC", "worker_id": "AVIEE6LDH0BT5"}], "B08JYMFM1N": [{"asin": "B08JYMFM1N", "instruction": "i want a pair of dark brown easy spirit elinot women's boots with rubber soles.", "attributes": ["water resistant", "faux fur", "rubber outsole", "rubber sole"], "options": ["color: dark brown", "size: 7.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["dark brown"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKPBVPX", "worker_id": "A2RBF3IIJP15IH"}], "B0041YSU76": [{"asin": "B0041YSU76", "instruction": "i am looking for effortless paraben free eye liner", "attributes": ["paraben free", "easy apply", "cruelty free"], "options": [""], "instruction_attributes": ["paraben free"], "instruction_options": [], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8F8A5O", "worker_id": "A258PTOZ3D2TQR"}], "B083VSPFVC": [{"asin": "B083VSPFVC", "instruction": "i'm looking for a hair treatment with tea tree oil. i need one that's for dry hair and promotes hair growth.", "attributes": ["tea tree", "dry hair", "natural hair", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["tea tree", "dry hair", "hair growth"], "instruction_options": [], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN5NOGG", "worker_id": "AR9AU5FY1S3RO"}], "B08SRBT86D": [{"asin": "B08SRBT86D", "instruction": "i need a 33 inch living room end table", "attributes": ["fully assembled", "living room"], "options": ["color: oil rubbed bronze", "size: 33 inch"], "instruction_attributes": ["living room"], "instruction_options": ["33 inch"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDW1QZH", "worker_id": "A2ECRNQ3X5LEXD"}], "B084623LWW": [{"asin": "B084623LWW", "instruction": "i am looking for a men's large navy star wars t-shirt.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: navy", "fit type: men", "size: large"], "instruction_attributes": ["star wars"], "instruction_options": ["navy", "men", "large"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQJNHHL", "worker_id": "A1EREKSZAA9V7B"}], "B01K8OQRT0": [{"asin": "B01K8OQRT0", "instruction": "i'm looking for a white coaxial cable that is 10 feet long.", "attributes": ["gold plated", "coaxial cable"], "options": ["color: white", "size: kit"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["white"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UML0URDL", "worker_id": "A2JP9IKRHNLRPI"}], "B08D6ZFWDQ": [{"asin": "B08D6ZFWDQ", "instruction": "i am looking for10th gen intel core i7 -32 gb ram 2tb sotrage capacity pc", "attributes": ["intel core", "quad core"], "options": ["capacity: 2tb", "configuration: i7 | 32gb", "style: 13\""], "instruction_attributes": ["intel core"], "instruction_options": ["2tb", "i7 | 32gb"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPKJ6V0", "worker_id": "A258PTOZ3D2TQR"}], "B08RYBSZZG": [{"asin": "B08RYBSZZG", "instruction": "i need an x-large button down shirt that i can double dry", "attributes": ["easy care", "machine wash", "wash cold", "classic fit", "button closure", "tumble dry"], "options": ["color: north hilo - black onyx", "size: x-large"], "instruction_attributes": ["tumble dry"], "instruction_options": ["x-large"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT75YJ7", "worker_id": "A2ECRNQ3X5LEXD"}], "B085PL16RW": [{"asin": "B085PL16RW", "instruction": "i want a purple conditioner for damaged hair.", "attributes": ["sulfate free", "damaged hair", "hair treatment"], "options": ["color: purple conditioner"], "instruction_attributes": ["damaged hair"], "instruction_options": ["purple conditioner"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYSZ7NH", "worker_id": "A1WS884SI0SLO4"}], "B000W7OL0Q": [{"asin": "B000W7OL0Q", "instruction": "i'm looking for some cologne that is scented with green tea.", "attributes": ["design house", "green tea"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXGN7GJ", "worker_id": "A345TDMHP3DQ3G"}], "B07G3J9CKY": [{"asin": "B07G3J9CKY", "instruction": "i want to buy foundation for mattress set which is ready to use and fully assembled.", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": [""], "instruction_attributes": ["ready use", "fully assembled"], "instruction_options": [], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQF2KVI", "worker_id": "AJY5G987IRT25"}], "B0781HSDTZ": [{"asin": "B0781HSDTZ", "instruction": "i need a three meter gold placed rca audio cable.", "attributes": ["gold plated", "aluminum alloy", "usb port"], "options": ["size: 3m | 10ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["3m | 10ft"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZF7PAN", "worker_id": "AR9AU5FY1S3RO"}], "B08THCND64": [{"asin": "B08THCND64", "instruction": "i need an adapter with output protection", "attributes": ["output protection", "quick release", "usb port"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BQ3VJV", "worker_id": "A2ECRNQ3X5LEXD"}], "B0871V6GWY": [{"asin": "B0871V6GWY", "instruction": "i'm looking for a 31-inch clear glass vanity light.", "attributes": ["glass shade", "vanity light", "clear glass", "living room"], "options": ["size: 31.0 inch"], "instruction_attributes": ["vanity light", "clear glass"], "instruction_options": ["31.0 inch"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79UQH1L", "worker_id": "AFU00NU09CFXE"}, {"asin": "B0871V6GWY", "instruction": "i am looking for a bathroom vanity light fixture with clear glass. also, please make sure that it is at least 31 inches in size.", "attributes": ["glass shade", "vanity light", "clear glass", "living room"], "options": ["size: 31.0 inch"], "instruction_attributes": ["vanity light", "clear glass"], "instruction_options": ["31.0 inch"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5UW4FM", "worker_id": "AJDQGOTMB2D80"}], "B006MIUM20": [{"asin": "B006MIUM20", "instruction": "i need a black bed frame that is made of steel for a queen sized bed.", "attributes": ["box spring", "memory foam", "steel frame"], "options": ["color: black", "size: queen", "style: regular (14\")"], "instruction_attributes": ["steel frame"], "instruction_options": ["black", "queen"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISV0YOZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HSXB9FV": [{"asin": "B08HSXB9FV", "instruction": "i want black modern led chandeliers for dining room.", "attributes": ["easy install", "pendant light", "light fixture", "living room", "dining room"], "options": ["color: black", "size: 6 lights"], "instruction_attributes": ["dining room"], "instruction_options": ["black"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ10SIF", "worker_id": "A2RBF3IIJP15IH"}], "B07BCQPKMP": [{"asin": "B07BCQPKMP", "instruction": "i would like extra large checkered sleep pants that i can machine wash.", "attributes": ["wash cold", "machine wash", "relaxed fit", "tumble dry"], "options": ["color: with checker pant", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["with checker pant", "x-large"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRSAWPT", "worker_id": "A1WS884SI0SLO4"}], "B002865CGG": [{"asin": "B002865CGG", "instruction": "i want fat free mariani pitted dates.", "attributes": ["fat free", "gluten free", "non gmo", "dietary fiber", "resealable bag"], "options": ["flavor name: pitted dates"], "instruction_attributes": ["fat free"], "instruction_options": ["pitted dates"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFSEE3K", "worker_id": "A2RBF3IIJP15IH"}], "B09PG42SJW": [{"asin": "B09PG42SJW", "instruction": "i want a stainless steel ladies eyebrow razor shaver.", "attributes": ["rose gold", "stainless steel", "hair removal"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6IB7UG", "worker_id": "A2RBF3IIJP15IH"}], "B08PYFDCRB": [{"asin": "B08PYFDCRB", "instruction": "i am looking for an easy to install 3 light vintage black wall sconce.", "attributes": ["easy install", "vanity light", "light fixture", "living room"], "options": ["size: 3 light"], "instruction_attributes": ["easy install"], "instruction_options": ["3 light"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0SSARN", "worker_id": "A1EREKSZAA9V7B"}], "B09KKVKQ79": [{"asin": "B09KKVKQ79", "instruction": "i need fleece lined underwear that is striped grey and comes in an xx-large", "attributes": ["fleece lined", "moisture wicking", "nylon spandex"], "options": ["color: stripe-grey", "size: xx-large"], "instruction_attributes": ["fleece lined"], "instruction_options": ["stripe-grey", "xx-large"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV948V7", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HXC625B": [{"asin": "B09HXC625B", "instruction": "i would like a 90 men's santa sleep set that i can hand wash.", "attributes": ["hand wash", "long sleeve", "elastic closure", "short sleeve"], "options": ["color: black&plaid- santa", "fit type: men", "size: 90"], "instruction_attributes": ["hand wash"], "instruction_options": ["black&plaid- santa", "men", "90"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3PPMZZ", "worker_id": "A1WS884SI0SLO4"}], "B085VK2CWK": [{"asin": "B085VK2CWK", "instruction": "i need some bluetooth speakers that offer stereo sound are are cobalt blue", "attributes": ["long lasting", "high speed", "stereo sound"], "options": ["color: cobalt blue"], "instruction_attributes": ["stereo sound"], "instruction_options": ["cobalt blue"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8HFR4A", "worker_id": "A2ECRNQ3X5LEXD"}], "B076639JKZ": [{"asin": "B076639JKZ", "instruction": "i am looking for kosher certified caffeinated chocolate bites.", "attributes": ["kosher certified", "gluten free", "artificial flavors"], "options": ["flavor: variety pack", "unit count: 30"], "instruction_attributes": ["kosher certified"], "instruction_options": ["30"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBADOSK", "worker_id": "A2KW17G25L25R8"}], "B08DHM2Z3F": [{"asin": "B08DHM2Z3F", "instruction": "buy me a travel sized bottle of impression chanel 1932.", "attributes": ["travel size", "long lasting"], "options": ["scent: chanel 1932 impression"], "instruction_attributes": ["travel size"], "instruction_options": ["chanel 1932 impression"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGWMTWO", "worker_id": "AR9AU5FY1S3RO"}], "B09D4WLH5N": [{"asin": "B09D4WLH5N", "instruction": "i am looking for a desktop pc that is a core i5 and has 8gb of ram with a 512gb ssd.", "attributes": ["dual band", "core i5", "intel core"], "options": ["size: 8gb ram | 512gb ssd"], "instruction_attributes": ["core i5"], "instruction_options": ["8gb ram | 512gb ssd"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFDO02T", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DKPD2Z7": [{"asin": "B08DKPD2Z7", "instruction": "i am looking for a twin size bed with easy assemble. also choose white color.", "attributes": ["twin size", "space saving", "easy assemble", "box spring"], "options": ["color: white"], "instruction_attributes": ["twin size", "easy assemble"], "instruction_options": ["white"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9RH87Z", "worker_id": "A2HMEGTAFO0CS8"}], "B09FJXKDS6": [{"asin": "B09FJXKDS6", "instruction": "i would like a stainless steel adjustable base.", "attributes": ["height adjustable", "stainless steel"], "options": [""], "instruction_attributes": ["height adjustable", "stainless steel"], "instruction_options": [], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUFPS50", "worker_id": "A1WS884SI0SLO4"}], "B09CPFNX2Z": [{"asin": "B09CPFNX2Z", "instruction": "i need some shades that are for the living room and are black and white with a size of 28\" by 64\"", "attributes": ["easy install", "living room"], "options": ["color: blackout - white", "size: 28\"w x 64\"h"], "instruction_attributes": ["living room"], "instruction_options": ["blackout - white", "28\"w x 64\"h"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y5ZIVF", "worker_id": "A2ECRNQ3X5LEXD"}], "B0924ZDJNX": [{"asin": "B0924ZDJNX", "instruction": "i need long lasting eyeshadow that is in the color 01", "attributes": ["long lasting", "highly pigmented", "easy use"], "options": ["color: 01"], "instruction_attributes": ["long lasting"], "instruction_options": ["01"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTNEV4T", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DVSVCR7": [{"asin": "B09DVSVCR7", "instruction": "i need a media player that is easy to carry", "attributes": ["dual band", "easy carry"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7V35PI", "worker_id": "A2ECRNQ3X5LEXD"}], "B01NCA7RCV": [{"asin": "B01NCA7RCV", "instruction": "i want grey new balance men's shoes with rubber soles.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: grey", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["grey"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KMHLJ6", "worker_id": "A2RBF3IIJP15IH"}], "B096DSLRV8": [{"asin": "B096DSLRV8", "instruction": "i would like some orange walking shoes that have a rubber sole in a size 10.5.", "attributes": ["non slip", "lace closure", "rubber sole"], "options": ["color: orange", "size: 10.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["orange", "10.5"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB0T5YZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09N6MZ66Y": [{"asin": "B09N6MZ66Y", "instruction": "i am looking for blue non slip women's sandals that are size 9.", "attributes": ["non slip", "closed toe", "ankle strap"], "options": ["color: blue", "size: 9"], "instruction_attributes": ["non slip"], "instruction_options": ["9"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODMYWE0", "worker_id": "A1EREKSZAA9V7B"}], "B08QM8KGPH": [{"asin": "B08QM8KGPH", "instruction": "get me a quick release camera tripod made out of aluminum alloy.", "attributes": ["quick release", "aluminum alloy"], "options": [""], "instruction_attributes": ["quick release", "aluminum alloy"], "instruction_options": [], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CWW3B6", "worker_id": "AR9AU5FY1S3RO"}], "B095C1TB9H": [{"asin": "B095C1TB9H", "instruction": "i need a cosmetic bag that is easy to carry and is leopard print.", "attributes": ["easy carry", "rose gold", "eye shadow"], "options": ["color: leopard 113"], "instruction_attributes": ["easy carry"], "instruction_options": ["leopard 113"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NHOKB2", "worker_id": "A2ECRNQ3X5LEXD"}], "B08KGD4399": [{"asin": "B08KGD4399", "instruction": "i would like a wall mounted mirror for my living room.", "attributes": ["wall mounted", "living room"], "options": [""], "instruction_attributes": ["wall mounted", "living room"], "instruction_options": [], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21L4FQ3", "worker_id": "A1WS884SI0SLO4"}], "B08BJX51RG": [{"asin": "B08BJX51RG", "instruction": "i am looking for a plant based probiotic tea.", "attributes": ["non dairy", "usda organic", "plant based", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8NQ6QI", "worker_id": "A1EREKSZAA9V7B"}], "B09NDSDVQJ": [{"asin": "B09NDSDVQJ", "instruction": "i need a slim fiting sweater that is green and in 3x large.", "attributes": ["slim fit", "machine wash", "long sleeve", "relaxed fit", "everyday wear", "daily wear"], "options": ["color: green", "size: 3x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["green", "3x-large"], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLI7OIKP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Q5VPJ8R": [{"asin": "B07Q5VPJ8R", "instruction": "i need an officially licensed star wars \u201cyoda best grandpa\u201c t-shirt. get one that is a youth size and make it black.", "attributes": ["officially licensed", "needle sleeve", "classic fit", "star wars"], "options": ["color: black", "fit type: youth", "size: 4t"], "instruction_attributes": ["officially licensed", "star wars"], "instruction_options": ["black", "youth"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRD4NWJ", "worker_id": "A31PW970Z2PC5P"}], "B07PK2WMWQ": [{"asin": "B07PK2WMWQ", "instruction": "i am looking for a four pack of chocolate protein drinks that are dairy free.", "attributes": ["dairy free", "soy free", "non gmo", "artificial ingredients", "low sugar", "gluten free", "shelf stable", "low calorie", "keto friendly", "low carb", "plant based"], "options": ["flavor name: chocolate", "size: 11 fl oz (pack of 4)"], "instruction_attributes": ["dairy free"], "instruction_options": ["chocolate", "11 fl oz (pack of 4)"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA0B8AG", "worker_id": "A2ECRNQ3X5LEXD"}], "B07G78835P": [{"asin": "B07G78835P", "instruction": "i want a body brush nature boar bristles back scrubber for dry skin.", "attributes": ["non slip", "high quality", "long handle", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733K1BEI", "worker_id": "A2RBF3IIJP15IH"}], "B07MDRMNK8": [{"asin": "B07MDRMNK8", "instruction": "i want a travel size toiletry bag.", "attributes": ["leak proof", "travel size", "travel bottles"], "options": [""], "instruction_attributes": ["travel size"], "instruction_options": [], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCHRIPN", "worker_id": "A1WS884SI0SLO4"}], "B08W8G4QXF": [{"asin": "B08W8G4QXF", "instruction": "look for a sixteen ounce bottle of shampoo that's paraben free and plant based.", "attributes": ["paraben free", "plant based", "dry hair"], "options": ["scent: orange blossom (coily)", "size: 16 fl oz (pack of 6)"], "instruction_attributes": ["paraben free", "plant based"], "instruction_options": ["16 fl oz (pack of 6)"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP3VJ7G", "worker_id": "AR9AU5FY1S3RO"}], "B08W2YD6BL": [{"asin": "B08W2YD6BL", "instruction": "i need to order a pair of blue snow boots in size five.", "attributes": ["anti slip", "non slip", "rubber sole"], "options": ["color: blue 107", "size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["blue 107", "5"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSALWC7", "worker_id": "AR9AU5FY1S3RO"}], "B07CHV6G21": [{"asin": "B07CHV6G21", "instruction": "i need a 8 fluid ounce bottle of redwood mist body wash made from natural ingredients.", "attributes": ["seed oil", "coconut oil", "natural ingredients"], "options": ["scent: redwood mist", "size: 8 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["redwood mist", "8 fl oz (pack of 1)"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R17Z2IK", "worker_id": "A1WS884SI0SLO4"}], "B019ILMPCW": [{"asin": "B019ILMPCW", "instruction": "i need two one hundred foot male to male hdmi cables. they should be high speed and gold plated.", "attributes": ["high speed", "gold plated"], "options": ["color: 2 pack", "size: 100 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["2 pack", "100 feet (single pack)", "hdmi male to male"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK5DVNU", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B019ILMPCW", "instruction": "i want a high speed hdmi male to female cable. i need it to be 40 feet in single pack.", "attributes": ["high speed", "gold plated"], "options": ["color: 3 pack", "size: 40 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["40 feet (single pack)", "hdmi male to female"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPG8VQP", "worker_id": "A1NF6PELRKACS9"}], "B09MTBV2PG": [{"asin": "B09MTBV2PG", "instruction": "i am in need of easy to use hair curlers rollers which is good for diy hair styling.", "attributes": ["easy use", "hair styling"], "options": [""], "instruction_attributes": ["easy use", "hair styling"], "instruction_options": [], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57EH9IT", "worker_id": "ASWFLI3N8X72G"}], "B09T6SMG6S": [{"asin": "B09T6SMG6S", "instruction": "i would like a medium sized red jumpsuit that is machine washable.", "attributes": ["wide leg", "hand wash", "machine wash", "tummy control"], "options": ["color: red", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["red", "medium"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLW7YBL", "worker_id": "A1WS884SI0SLO4"}], "B0865SKG5G": [{"asin": "B0865SKG5G", "instruction": "please show me a black white 05 sneaker for man. i'm looking for a sneaker for men with synthetic sole, size 9.5.", "attributes": ["non slip", "synthetic sole"], "options": ["color: black white 05", "size: 9.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["black white 05", "9.5"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVM5JKU", "worker_id": "A15IJ20C3R4HUO"}], "B09PQG6HHY": [{"asin": "B09PQG6HHY", "instruction": "i would like some monoculars for birdwatching.", "attributes": ["high definition", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZO6SH7", "worker_id": "A1WS884SI0SLO4"}], "B07KGMLRR7": [{"asin": "B07KGMLRR7", "instruction": "i would like a roelson table that is made of solid wood.", "attributes": ["assembly required", "bronze finish", "solid wood", "living room"], "options": ["color: roelson"], "instruction_attributes": ["solid wood"], "instruction_options": ["roelson"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXVDMY0", "worker_id": "A1WS884SI0SLO4"}], "B08ZT1DWTC": [{"asin": "B08ZT1DWTC", "instruction": "i would like some 10 inch high quality hair extensions.", "attributes": ["high quality", "hair loss"], "options": ["size: 10 inch"], "instruction_attributes": ["high quality"], "instruction_options": ["10 inch"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FEOLEO", "worker_id": "A1WS884SI0SLO4"}], "B093YSKTPY": [{"asin": "B093YSKTPY", "instruction": "i would like to see a wallet that would go with my hoisery", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery"], "instruction_options": [], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67KF4NO", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R2M5DJT": [{"asin": "B08R2M5DJT", "instruction": "i need some easy to carry breath mints for fresh breath.", "attributes": ["easy carry", "bad breath", "fresh breath"], "options": [""], "instruction_attributes": ["easy carry", "fresh breath"], "instruction_options": [], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH378GESF", "worker_id": "A19317A3X87NVM"}], "B09LQSSBZ6": [{"asin": "B09LQSSBZ6", "instruction": "i would like a day rifle scope with a optical zoom.", "attributes": ["optical zoom", "bird watching"], "options": ["style: day scope"], "instruction_attributes": ["optical zoom"], "instruction_options": ["day scope"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57DD9IN", "worker_id": "A1WS884SI0SLO4"}], "B097WMDZ6Q": [{"asin": "B097WMDZ6Q", "instruction": "i would like a 1 tb nvme with 64 gig quad core desktop mini.", "attributes": ["core i5", "quad core"], "options": ["size: 64gb memory", "style: 1tb nvme m.2"], "instruction_attributes": ["quad core"], "instruction_options": ["64gb memory", "1tb nvme m.2"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0TYW5Y", "worker_id": "A1WS884SI0SLO4"}], "B082FNCRXH": [{"asin": "B082FNCRXH", "instruction": "i'd like to buy some non-gmo trail mix. look for a six pack of four ounce bags, in the dark chocolate cherry tart flavor.", "attributes": ["chocolate covered", "non gmo", "dietary fiber"], "options": ["flavor: dark chocolate cherry tart", "size: 4 ounce bag (6 count)"], "instruction_attributes": ["non gmo"], "instruction_options": ["dark chocolate cherry tart", "4 ounce bag (6 count)"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79PHH12", "worker_id": "AR9AU5FY1S3RO"}], "B08LLDM11C": [{"asin": "B08LLDM11C", "instruction": "i want white ylong-zs hanging lamps for my dining room.", "attributes": ["pendant light", "dining room"], "options": ["color: yl22-white"], "instruction_attributes": ["dining room"], "instruction_options": ["yl22-white"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHRENY2J8", "worker_id": "A2RBF3IIJP15IH"}], "B07GTCHQSK": [{"asin": "B07GTCHQSK", "instruction": "i need a contemporary chair that is pink with a gold base.", "attributes": ["contemporary design", "stainless steel"], "options": ["color: pink", "style: gold base"], "instruction_attributes": ["contemporary design"], "instruction_options": ["pink", "gold base"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJSYVGR", "worker_id": "A2ECRNQ3X5LEXD"}], "B07HBMZXL4": [{"asin": "B07HBMZXL4", "instruction": "i am looking for a variety of natural flavored iced tea.", "attributes": ["non gmo", "bpa free", "natural flavors"], "options": ["style: variety"], "instruction_attributes": ["natural flavors"], "instruction_options": ["variety"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4HMM80", "worker_id": "A1EREKSZAA9V7B"}], "B08L42TQW4": [{"asin": "B08L42TQW4", "instruction": "i'm looking for a desktop computer with an intel core processor and at least 16gb of ram and a 512gb solid state.", "attributes": ["dual band", "intel core"], "options": ["configuration: 16gb ram | 512gb ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["16gb ram | 512gb ssd"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKOSSG7", "worker_id": "A3EDFA8UQT5GG8"}], "B07DPWSN5S": [{"asin": "B07DPWSN5S", "instruction": "hello, i'm looking for a harklinikken styling gel. i use no2 /5.07 oz. please consider a anti-frizz moderate hold for dry hair, plant based .", "attributes": ["plant based", "dry hair", "hair styling"], "options": [""], "instruction_attributes": ["plant based", "dry hair"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WTD1AV", "worker_id": "A15IJ20C3R4HUO"}], "B08X6NJWVD": [{"asin": "B08X6NJWVD", "instruction": "i would like some red and black sandals that have a rubber sole and are in a size 11.5", "attributes": ["non slip", "quick drying", "arch support", "rubber outsole", "rubber sole"], "options": ["color: red | black", "size: 11.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["red | black", "11.5"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WOTWQH", "worker_id": "A2ECRNQ3X5LEXD"}], "B099ZV9MVM": [{"asin": "B099ZV9MVM", "instruction": "i am looking for drink coasters, handmade drink coasters, table mat, set of eight.", "attributes": ["easy clean", "eco friendly"], "options": ["color: linen"], "instruction_attributes": ["eco friendly"], "instruction_options": ["linen"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KLKHU5", "worker_id": "A2KW17G25L25R8"}], "B083QPDP58": [{"asin": "B083QPDP58", "instruction": "i would like a gold dusty rose chair for my living room.", "attributes": ["mid century", "stainless steel", "dining room", "living room"], "options": ["color: gold dusty rose"], "instruction_attributes": ["living room"], "instruction_options": ["gold dusty rose"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD0QRI1", "worker_id": "A1WS884SI0SLO4"}], "B086QSTH3X": [{"asin": "B086QSTH3X", "instruction": "i want a 100 pack of easy to use disposable face hairspray shields.", "attributes": ["easy use", "hair cutting"], "options": ["color: 100pcs"], "instruction_attributes": ["easy use"], "instruction_options": ["100pcs"], "assignment_id": "37TRT2X24116R7L1JO45INKV8SXBJ3", "worker_id": "A2RBF3IIJP15IH"}], "B09PYVG834": [{"asin": "B09PYVG834", "instruction": "i am interested in a console table that is made out of solid wood and is espresso colored.", "attributes": ["solid wood", "living room"], "options": ["color: espresso"], "instruction_attributes": ["solid wood"], "instruction_options": ["espresso"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTRLXWK", "worker_id": "A2ECRNQ3X5LEXD"}], "B086422BW8": [{"asin": "B086422BW8", "instruction": "i would like a high quality brush set.", "attributes": ["high quality", "eye shadow"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWU9ER9R", "worker_id": "A1WS884SI0SLO4"}], "B07WMVMHDV": [{"asin": "B07WMVMHDV", "instruction": "i want a 1080p hd hdmi extender + hdmi splitter.", "attributes": ["blu ray", "1080p hd"], "options": ["style: hdmi extender + hdmi splitter"], "instruction_attributes": ["1080p hd"], "instruction_options": ["hdmi extender + hdmi splitter"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57EM9IY", "worker_id": "A2RBF3IIJP15IH"}], "B08TQXS59H": [{"asin": "B08TQXS59H", "instruction": "i would like a parker espresso entertainment center for my dining room.", "attributes": ["storage unit", "dining room"], "options": ["color: espresso", "style name: parker"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80BQ1QT", "worker_id": "A1WS884SI0SLO4"}], "B01MSSDEPK": [{"asin": "B01MSSDEPK", "instruction": "shop for fragrance free facial cleanser for sensitive skin. look for the sixteen ounce size.", "attributes": ["fragrance free", "paraben free", "hyaluronic acid", "dry skin", "sensitive skin"], "options": ["size: 16 fl oz"], "instruction_attributes": ["fragrance free", "sensitive skin"], "instruction_options": ["16 fl oz"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WU2A1V", "worker_id": "AR9AU5FY1S3RO"}], "B09MDYVTCW": [{"asin": "B09MDYVTCW", "instruction": "i need green cactus coasters for the living room that come in a pack of four.", "attributes": ["easy clean", "living room"], "options": ["color: cactus2cbu9481", "size: set of 4 with cup holder"], "instruction_attributes": ["living room"], "instruction_options": ["cactus2cbu9481", "set of 4 with cup holder"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5EUWIW", "worker_id": "A2ECRNQ3X5LEXD"}], "B086661Z9R": [{"asin": "B086661Z9R", "instruction": "i would like a 13 by 1.8 cm picture 6 case of fine mist.", "attributes": ["travel bottles", "fine mist"], "options": ["color: picture 6", "size: 13*1.8cm"], "instruction_attributes": ["fine mist"], "instruction_options": ["picture 6", "13*1.8cm"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YO88TB", "worker_id": "A1WS884SI0SLO4"}], "B09R9QTKGW": [{"asin": "B09R9QTKGW", "instruction": "i need some easy to install lamp shades that are black.", "attributes": ["white item", "easy install"], "options": ["color: black"], "instruction_attributes": ["easy install"], "instruction_options": ["black"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGMDYIG", "worker_id": "A2ECRNQ3X5LEXD"}], "B081CCNXTX": [{"asin": "B081CCNXTX", "instruction": "i want a gift basket village celebration gift box.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q1RGWD", "worker_id": "A2RBF3IIJP15IH"}], "B08YMX246Z": [{"asin": "B08YMX246Z", "instruction": "i want easy to use birthday cake toppers for celebrating mothers day.", "attributes": ["easy use", "birthday cake"], "options": [""], "instruction_attributes": ["easy use", "birthday cake"], "instruction_options": [], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2M6L56", "worker_id": "A1NF6PELRKACS9"}], "B07VQGKVVY": [{"asin": "B07VQGKVVY", "instruction": "i would like a travel size bottle kit.", "attributes": ["leak proof", "bpa free", "travel size", "easy carry", "travel bottles"], "options": [""], "instruction_attributes": ["travel size", "travel bottles"], "instruction_options": [], "assignment_id": "39K0FND3ASPR95MUG7H134S6U48MAO", "worker_id": "A1WS884SI0SLO4"}], "B09DKZ7PWD": [{"asin": "B09DKZ7PWD", "instruction": "i need some fashion sneakers that are size 3 for a big kid.", "attributes": ["non slip", "ethylene vinyl", "vinyl acetate", "rubber outsole"], "options": ["color: fusion", "size: 3 big kid"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["3 big kid"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLWCBY3", "worker_id": "A2ECRNQ3X5LEXD"}], "B084KTL212": [{"asin": "B084KTL212", "instruction": "i am looking for a motion detection surveillance kit.", "attributes": ["ultra hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSUVGLS", "worker_id": "A2ECRNQ3X5LEXD"}], "B078WBXZ1J": [{"asin": "B078WBXZ1J", "instruction": "i am looking for simple ingredients to make burbon caramel dessert.", "attributes": ["gluten free", "ready eat", "kosher certified", "non gmo", "simple ingredients"], "options": ["flavor name: bourbon caramel"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["bourbon caramel"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTRKP9R", "worker_id": "A2KW17G25L25R8"}], "B000SOIIZM": [{"asin": "B000SOIIZM", "instruction": "i am looking for a mini eau de toilette for a women. also choose green tea scent", "attributes": ["design house", "green tea"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMO7BQE", "worker_id": "A2HMEGTAFO0CS8"}], "B082LJ5GKD": [{"asin": "B082LJ5GKD", "instruction": "i would like a 2 foot by 9 foot long navy floor runner for my dining room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: navy | ivory", "size: 2 ft x 9 ft"], "instruction_attributes": ["dining room"], "instruction_options": ["navy | ivory", "2 ft x 9 ft"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEH68QU", "worker_id": "A1WS884SI0SLO4"}], "B09H3LJHF5": [{"asin": "B09H3LJHF5", "instruction": "i want black fine mist spray bottles.", "attributes": ["bpa free", "fine mist"], "options": ["color: black"], "instruction_attributes": ["fine mist"], "instruction_options": ["black"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163RUQPK", "worker_id": "A2RBF3IIJP15IH"}], "B01N37AK8V": [{"asin": "B01N37AK8V", "instruction": "i want ebanel 10 pack collagen anti aging face mask.", "attributes": ["anti aging", "alcohol free", "cruelty free", "hyaluronic acid"], "options": ["size: 10 count"], "instruction_attributes": ["anti aging"], "instruction_options": ["10 count"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDM7CHM", "worker_id": "A2RBF3IIJP15IH"}], "B092ZJYJ21": [{"asin": "B092ZJYJ21", "instruction": "i would like to see some noise cancelling headphones that are red.", "attributes": ["noise cancelling", "hands free"], "options": ["color: red"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["red"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AJMST4", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q943KN9": [{"asin": "B09Q943KN9", "instruction": "i need an automobile charger that has wireless charging and is black.", "attributes": ["fast charging", "wireless charging"], "options": ["color: black"], "instruction_attributes": ["wireless charging"], "instruction_options": ["black"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DTYOTG", "worker_id": "A2ECRNQ3X5LEXD"}], "B098P8MRNT": [{"asin": "B098P8MRNT", "instruction": "i would like to have a plug and play high speed usb flash drive that is blue and black, the quantity should be 3 of 32g or 2 of 64g.", "attributes": ["plug play", "high speed"], "options": ["color: bule and black", "size: 32g 3pcs and 64g 2pcs"], "instruction_attributes": ["plug play", "high speed"], "instruction_options": ["bule and black", "32g 3pcs and 64g 2pcs"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV9IV88", "worker_id": "A182YKPS46KE9F"}], "B00BETIULM": [{"asin": "B00BETIULM", "instruction": "i want a blue mefoto roadtrip carbon fiber tripod/monopod.", "attributes": ["quick release", "heavy duty", "carbon fiber"], "options": ["color: blue", "style: carbon fiber"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["blue"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME9312DU", "worker_id": "A2RBF3IIJP15IH"}], "B004OW70G2": [{"asin": "B004OW70G2", "instruction": "i am looking for a high quality eau de toilette spray for women", "attributes": ["design house", "high quality"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZX5CNI", "worker_id": "A2HMEGTAFO0CS8"}], "B092JLLYK6": [{"asin": "B092JLLYK6", "instruction": "get me a sixteen pack of apple cinnamon freeze dried banana chips.", "attributes": ["freeze dried", "non gmo", "gluten free", "plant based", "dairy free", "real fruit"], "options": ["flavor name: apple cinnamon", "size: 0.53 ounce (pack of 16)"], "instruction_attributes": ["freeze dried"], "instruction_options": ["apple cinnamon", "0.53 ounce (pack of 16)"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N20SG68", "worker_id": "AR9AU5FY1S3RO"}], "B08XQGDK52": [{"asin": "B08XQGDK52", "instruction": "i am in need of a faux leather ottoman that is brown.", "attributes": ["high density", "faux leather", "pu leather", "solid wood", "living room"], "options": ["color: brown"], "instruction_attributes": ["faux leather"], "instruction_options": ["brown"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAU8VC9Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B01N7HBEO8": [{"asin": "B01N7HBEO8", "instruction": "i want a pkpower ac dc adapter charger for g-project with output protection.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3HPZF4IVNX3FW186JO133U513H5YCQ", "worker_id": "A2RBF3IIJP15IH"}], "B09LYSH4YL": [{"asin": "B09LYSH4YL", "instruction": "i am interested in some toothbrushes that are easy to use and are either pink or blue", "attributes": ["easy use", "sensitive teeth"], "options": ["color: pink, blue"], "instruction_attributes": ["easy use"], "instruction_options": ["pink, blue"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPFQQV0", "worker_id": "A2ECRNQ3X5LEXD"}], "B07HH4BYNK": [{"asin": "B07HH4BYNK", "instruction": "i would like a 36 mm tube stainless steel tripod.", "attributes": ["heavy duty", "carbon fiber", "stainless steel"], "options": ["size: max tube 36mm", "style: only tripod"], "instruction_attributes": ["stainless steel"], "instruction_options": ["max tube 36mm", "only tripod"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40FWNXY", "worker_id": "A1WS884SI0SLO4"}], "B09QQ5KZFY": [{"asin": "B09QQ5KZFY", "instruction": "look for a fluoride free toothpaste in purple color. pick a teeth whitening one for sensitive teeth.", "attributes": ["long lasting", "fluoride free", "teeth whitening", "natural ingredients", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: purple"], "instruction_attributes": ["fluoride free", "teeth whitening", "sensitive teeth"], "instruction_options": ["purple"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTSD7LJ", "worker_id": "A1NF6PELRKACS9"}], "B09KXD32Q9": [{"asin": "B09KXD32Q9", "instruction": "i am looking for a memory foam bed, one that does not need a box spring i would like queen size.", "attributes": ["queen size", "bronze finish", "memory foam", "box spring"], "options": ["color: white", "size: full"], "instruction_attributes": ["memory foam", "box spring"], "instruction_options": ["white"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOGQMLP", "worker_id": "A2KW17G25L25R8"}], "B098C5R15H": [{"asin": "B098C5R15H", "instruction": "i need a manual toothbrush for bad breath", "attributes": ["oral hygiene", "bad breath"], "options": [""], "instruction_attributes": ["bad breath"], "instruction_options": [], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TWGSUG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08RSM28V9": [{"asin": "B08RSM28V9", "instruction": "i am looking for a 12 by 16 inch african american poster that is ready to hang.", "attributes": ["ready hang", "living room", "dining room"], "options": ["color: pink african american girl inspirational", "size: 12x16inch"], "instruction_attributes": ["ready hang"], "instruction_options": ["pink african american girl inspirational", "12x16inch"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJLIMOT", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KLPML72": [{"asin": "B07KLPML72", "instruction": "i am interested in a non toxic beauty bag.", "attributes": ["non toxic", "fine mist"], "options": [""], "instruction_attributes": ["non toxic"], "instruction_options": [], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4A40IP", "worker_id": "A2ECRNQ3X5LEXD"}], "B0872DG5NK": [{"asin": "B0872DG5NK", "instruction": "i want a brown gift basket of great american cookies.", "attributes": ["baked fresh", "birthday cake", "perfect gift", "gift basket"], "options": ["flavor name: congrats box (brown)"], "instruction_attributes": ["gift basket"], "instruction_options": ["congrats box (brown)"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUSRQJN", "worker_id": "A2RBF3IIJP15IH"}], "B097NW1NJ9": [{"asin": "B097NW1NJ9", "instruction": "i need some floating shelves for my living room. i'd like them to be grey.", "attributes": ["ready use", "long lasting", "living room"], "options": ["color: grey"], "instruction_attributes": ["living room"], "instruction_options": ["grey"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO4T33P", "worker_id": "AR9AU5FY1S3RO"}], "B082D247QB": [{"asin": "B082D247QB", "instruction": "i want a white yisella shower brush with a long handle.", "attributes": ["eco friendly", "long handle"], "options": ["color: pink | white"], "instruction_attributes": ["long handle"], "instruction_options": ["pink | white"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMBEDXQ", "worker_id": "A2RBF3IIJP15IH"}], "B09MWN6HDD": [{"asin": "B09MWN6HDD", "instruction": "i am looking for a motion detection indoor, outdoor camera smart surveillance.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4LWKPG", "worker_id": "A2KW17G25L25R8"}], "B08GHGYH77": [{"asin": "B08GHGYH77", "instruction": "i want to buy some non-toxic bath gloves.", "attributes": ["non toxic", "easy use", "dead skin"], "options": [""], "instruction_attributes": ["non toxic"], "instruction_options": [], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602SS950", "worker_id": "AR9AU5FY1S3RO"}], "B08HB4TNKL": [{"asin": "B08HB4TNKL", "instruction": "i need some high quality false lashes that are 20d-16mm", "attributes": ["easy use", "high quality"], "options": ["style: 20d-16mm"], "instruction_attributes": ["high quality"], "instruction_options": ["20d-16mm"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA3Z8CL", "worker_id": "A2ECRNQ3X5LEXD"}], "B097H7BCYM": [{"asin": "B097H7BCYM", "instruction": "i want a drawing desk that's easy to clean and has a steel frame.", "attributes": ["easy clean", "coated steel", "steel frame"], "options": [""], "instruction_attributes": ["easy clean", "steel frame"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTSU9PN", "worker_id": "A345TDMHP3DQ3G"}], "B07P9W3BK1": [{"asin": "B07P9W3BK1", "instruction": "i would like to get some low carb gourmet crunchy snack which has a red peppers | jalapenos flavor.", "attributes": ["low carb", "resealable bag"], "options": ["flavor: red peppers | jalapenos"], "instruction_attributes": ["low carb"], "instruction_options": ["red peppers | jalapenos"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKZYIU0", "worker_id": "A20DUVEOH6A7KW"}], "B0962T75TW": [{"asin": "B0962T75TW", "instruction": "i need ceiling lights that are a light wood grain color and are easy to install", "attributes": ["easy install", "light fixture", "white finish", "living room"], "options": ["color: 2 light wood grain"], "instruction_attributes": ["easy install"], "instruction_options": ["2 light wood grain"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J9NFSQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07XLW2Q46": [{"asin": "B07XLW2Q46", "instruction": "i am looking for a star wars darth vader funny t-shirt.", "attributes": ["needle sleeve", "classic fit", "star wars"], "options": ["color: royal blue", "fit type: women", "size: 3t"], "instruction_attributes": ["star wars"], "instruction_options": ["women"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOF8CT0", "worker_id": "A2KW17G25L25R8"}], "B08KVPWV49": [{"asin": "B08KVPWV49", "instruction": "i am looking for high quality natural hair extension. please make sure that is 14 inches in size.", "attributes": ["high quality", "hair extensions"], "options": ["color: body wave 4 bundles with closure", "size: 14 | 14 | 14 | 14+12 inch"], "instruction_attributes": ["high quality"], "instruction_options": ["14 | 14 | 14 | 14+12 inch"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB8AU6P", "worker_id": "AJDQGOTMB2D80"}], "B01I0TE6GQ": [{"asin": "B01I0TE6GQ", "instruction": "i am looking for an end table that has a white finish.", "attributes": ["white item", "white finish"], "options": [""], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTNH4V5", "worker_id": "A2ECRNQ3X5LEXD"}], "B07B9LDKPZ": [{"asin": "B07B9LDKPZ", "instruction": "i would like a 35 foot long multicolored hdmi cable for my blu ray player.", "attributes": ["gold plated", "blu ray"], "options": ["color: multi-colored", "size: 35ft"], "instruction_attributes": ["blu ray"], "instruction_options": ["multi-colored", "35ft"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WOVWQJ", "worker_id": "A1WS884SI0SLO4"}], "B097161249": [{"asin": "B097161249", "instruction": "order a tempered glass screen protector for my iphone 13.", "attributes": ["glass screen", "tempered glass"], "options": [""], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": [], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOIZ0FL", "worker_id": "AR9AU5FY1S3RO"}], "B000C20ZSS": [{"asin": "B000C20ZSS", "instruction": "i want a high quality bvlgari blv by bvlgari for women perfume.", "attributes": ["design house", "high quality"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3C9QN4", "worker_id": "A2RBF3IIJP15IH"}], "B006QN9TFC": [{"asin": "B006QN9TFC", "instruction": "i need a 4oz size hair conditioner that has argan oil and is for damged hair.", "attributes": ["sulfate free", "argan oil", "damaged hair", "hair growth"], "options": ["size: 120ml | 4 fl oz"], "instruction_attributes": ["argan oil", "damaged hair"], "instruction_options": ["120ml | 4 fl oz"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJSJGVX", "worker_id": "A1KZ0KE93WNN5O"}], "B0973QX9X2": [{"asin": "B0973QX9X2", "instruction": "i want to find a 2-pack of 32 fluid ounces of gourmet lime cocktail mix. it needs to taste just like a bloody mary with dill pickles and be gluten free.", "attributes": ["low calorie", "low carb", "gluten free", "high fructose"], "options": ["flavor name: dill pickle bloody mary", "size: 32 fl oz (pack of 2)"], "instruction_attributes": ["gluten free"], "instruction_options": ["dill pickle bloody mary", "32 fl oz (pack of 2)"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYBHIEW", "worker_id": "A345TDMHP3DQ3G"}], "B09BVSKVXG": [{"asin": "B09BVSKVXG", "instruction": "i want to shop for a pair of pink ankle boots with leather soles. i need them in a size eight.", "attributes": ["anti slip", "rubber sole", "leather sole"], "options": ["color: 4pink", "size: 8"], "instruction_attributes": ["leather sole"], "instruction_options": ["4pink", "8"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY5E0UK", "worker_id": "AR9AU5FY1S3RO"}], "B08TQQSQHZ": [{"asin": "B08TQQSQHZ", "instruction": "i would like some solid wood coat hooks to mount on the walls.", "attributes": ["wall mounted", "solid wood"], "options": [""], "instruction_attributes": ["wall mounted", "solid wood"], "instruction_options": [], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AJQOE5", "worker_id": "A1WS884SI0SLO4"}], "B07TZ6B73F": [{"asin": "B07TZ6B73F", "instruction": "i am looking for a game joystick that has a usb port and must be the color black.", "attributes": ["plug play", "usb port"], "options": ["color: black"], "instruction_attributes": ["usb port"], "instruction_options": ["black"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZG9O8N", "worker_id": "A1KZ0KE93WNN5O"}], "B082WMCYX8": [{"asin": "B082WMCYX8", "instruction": "find me some keto friendly and gluten free turkey bars. they should have no sugar and get the 48 count pack.", "attributes": ["low carb", "high protein", "keto friendly", "sugar free", "grass fed", "freeze dried", "gluten free", "low calorie", "ready eat", "individually wrapped", "dairy free", "non gmo", "zero sugar", "gift basket"], "options": ["flavor name: keto sampler", "size: 48 count (pack of 1)"], "instruction_attributes": ["keto friendly", "gluten free"], "instruction_options": ["48 count (pack of 1)"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIUV9T6", "worker_id": "A1NF6PELRKACS9"}], "B09PG9CZY3": [{"asin": "B09PG9CZY3", "instruction": "i want black womens memory foam walking shoes.", "attributes": ["non slip", "memory foam", "high heel", "rubber sole", "teen girls"], "options": ["color: black", "size: 8"], "instruction_attributes": ["memory foam"], "instruction_options": ["black"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKIQT10", "worker_id": "A2RBF3IIJP15IH"}], "B07ZQSQ3B2": [{"asin": "B07ZQSQ3B2", "instruction": "i would like a 42mm smartwatch band that is made of stainless steel and has a gold connector.", "attributes": ["compatible apple", "long lasting", "stainless steel"], "options": ["color: tiana brown w | gold connector&clasp", "size: 42mm-44mm-45mm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["tiana brown w | gold connector&clasp", "42mm-44mm-45mm"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJMS9OY", "worker_id": "A2ECRNQ3X5LEXD"}], "B08696JGJK": [{"asin": "B08696JGJK", "instruction": "i am looking for a desktop computer with intel core i7-10510u cpu, 240g ssd storage and 16g of ram.", "attributes": ["dual band", "intel core", "aluminum alloy"], "options": ["color: cpu i7-10510u", "size: 16g ram 240g ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["cpu i7-10510u", "16g ram 240g ssd"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ53MCK1", "worker_id": "AJDQGOTMB2D80"}], "B07KX8GVB7": [{"asin": "B07KX8GVB7", "instruction": "give me one adidas crazyflight usav cross trainer regular fit women please, my size is 14.5", "attributes": ["synthetic sole", "rubber outsole", "regular fit"], "options": ["color: white | power red | white", "size: 14.5"], "instruction_attributes": ["regular fit"], "instruction_options": ["white | power red | white"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRKSMF8", "worker_id": "A15IJ20C3R4HUO"}], "B09T5PR172": [{"asin": "B09T5PR172", "instruction": "i want a high quality tooth brush for my sensitive teeth. it should be pale yellow in color.", "attributes": ["high quality", "sensitive teeth"], "options": ["color: pale yellow, small (for 2-6)"], "instruction_attributes": ["high quality"], "instruction_options": ["pale yellow, small (for 2-6)"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB5SY4J", "worker_id": "A1NF6PELRKACS9"}], "B000HTKOMS": [{"asin": "B000HTKOMS", "instruction": "i am looking for big and tall levi's men's 505 regular fit jeans that are machine washable.", "attributes": ["straight leg", "machine wash", "imported zipper", "regular fit"], "options": ["color: tin man - stretch", "fit type: big & tall", "size: 36w x 32l"], "instruction_attributes": ["machine wash"], "instruction_options": ["big & tall"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA93ZKZ3A", "worker_id": "A1EREKSZAA9V7B"}], "B0179PDSNO": [{"asin": "B0179PDSNO", "instruction": "i would like a men's rubber sole shoe with a size 7.5.", "attributes": ["steel toe", "rubber outsole", "rubber sole"], "options": ["size: 7.5"], "instruction_attributes": ["rubber outsole", "rubber sole"], "instruction_options": ["7.5"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC27IN8", "worker_id": "A1WS884SI0SLO4"}], "B00N33U2SG": [{"asin": "B00N33U2SG", "instruction": "i would like a dark grey hair building fiber that is easy to apply.", "attributes": ["easy apply", "hair loss"], "options": ["color: dark grey & pepper"], "instruction_attributes": ["easy apply"], "instruction_options": ["dark grey & pepper"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7WJDSP", "worker_id": "A1WS884SI0SLO4"}], "B07VGMCM3T": [{"asin": "B07VGMCM3T", "instruction": "i want trader joe's organic apple banana fruit crushers.", "attributes": ["trader joe", "real fruit", "artificial flavors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK5CVNT", "worker_id": "A2RBF3IIJP15IH"}], "B08CVS5KZJ": [{"asin": "B08CVS5KZJ", "instruction": "i would like a 7 piece king comforter set decorated with flowers and is machine washable.", "attributes": ["queen size", "machine washable"], "options": ["color: flowers", "size: king-7 pieces"], "instruction_attributes": ["machine washable"], "instruction_options": ["flowers", "king-7 pieces"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KL2HUN", "worker_id": "A1WS884SI0SLO4"}], "B00NVK6K5K": [{"asin": "B00NVK6K5K", "instruction": "i want non gmo wild planet wild albacore tuna unsalted.", "attributes": ["non gmo", "gluten free"], "options": ["size: 3 ounce (pack of 1)", "style: albacore no salt"], "instruction_attributes": ["non gmo"], "instruction_options": ["albacore no salt"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMOAQBW", "worker_id": "A2RBF3IIJP15IH"}], "B093X7Z6Z3": [{"asin": "B093X7Z6Z3", "instruction": "i would like some individually wrapped mandolorian lollipops for party supplies.", "attributes": ["individually wrapped", "party supplies"], "options": ["flavor name: mandolorian | the child pop ups"], "instruction_attributes": ["individually wrapped", "party supplies"], "instruction_options": ["mandolorian | the child pop ups"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTLN6ON", "worker_id": "A1WS884SI0SLO4"}], "B09QMDTYDK": [{"asin": "B09QMDTYDK", "instruction": "look for a long sleeve polyester pullover top. get style-23 in small.", "attributes": ["long sleeve", "quality polyester", "daily wear"], "options": ["color: style-23", "size: small"], "instruction_attributes": ["long sleeve", "quality polyester"], "instruction_options": ["style-23", "small"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PLNQEW", "worker_id": "AR9AU5FY1S3RO"}], "B08PL42Q82": [{"asin": "B08PL42Q82", "instruction": "i would like a 55 inch high def tv.", "attributes": ["high definition", "quad core"], "options": ["size: 55 inches"], "instruction_attributes": ["high definition"], "instruction_options": ["55 inches"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFD520C", "worker_id": "A1WS884SI0SLO4"}], "B07TSKCMY8": [{"asin": "B07TSKCMY8", "instruction": "i need white storage cabinets.", "attributes": ["white item", "white finish"], "options": [""], "instruction_attributes": ["white item"], "instruction_options": [], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95R5XQJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08P8JKN6J": [{"asin": "B08P8JKN6J", "instruction": "i am looking for a home office desk chair that has lumbar support and is black.", "attributes": ["easy assemble", "lumbar support"], "options": ["color: black"], "instruction_attributes": ["lumbar support"], "instruction_options": ["black"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34JO14R", "worker_id": "A2ECRNQ3X5LEXD"}], "B092YL6HFF": [{"asin": "B092YL6HFF", "instruction": "i am looking for aluminum alloy professional ball head tripod for camera with color: x-4i", "attributes": ["quick release", "aluminum alloy"], "options": ["color: x-4i"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["x-4i"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TLTN3Y", "worker_id": "AX2EWYWZM19AZ"}], "B07K6Z1DD1": [{"asin": "B07K6Z1DD1", "instruction": "i want a frosted 8 inch shade for my lamp in the living room.", "attributes": ["clear glass", "glass shade", "living room"], "options": ["color: frosted - 2 pack", "size: 2-5 | 8 inch - 10 inch"], "instruction_attributes": ["living room"], "instruction_options": ["frosted - 2 pack", "2-5 | 8 inch - 10 inch"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V2M2US", "worker_id": "A1WS884SI0SLO4"}], "B09JW89R1W": [{"asin": "B09JW89R1W", "instruction": "i need an easy to carry pair of monoculars that are standard.", "attributes": ["long lasting", "high resolution", "easy carry", "bird watching"], "options": ["color: standard + phone clip"], "instruction_attributes": ["easy carry"], "instruction_options": ["standard + phone clip"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H2DU8M", "worker_id": "A2ECRNQ3X5LEXD"}], "B081L2DQVG": [{"asin": "B081L2DQVG", "instruction": "check for the following product in pink: honeydew ladies ultra soft cozy lounge leggings, drawstring closure. thanks", "attributes": ["machine wash", "drawstring closure"], "options": ["color: pink", "size: small"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["pink"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH4R1VB", "worker_id": "A15IJ20C3R4HUO"}], "B099PSRW2T": [{"asin": "B099PSRW2T", "instruction": "get me some relaxed fit loafers, please.", "attributes": ["ethylene vinyl", "vinyl acetate", "relaxed fit"], "options": [""], "instruction_attributes": ["relaxed fit"], "instruction_options": [], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODMZWE1", "worker_id": "AR9AU5FY1S3RO"}], "B0943FMYK2": [{"asin": "B0943FMYK2", "instruction": "i am looking for a high powered digital amplifier board.", "attributes": ["high power", "power amplifier"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFLAE9P", "worker_id": "A1EREKSZAA9V7B"}], "B091G2R6MH": [{"asin": "B091G2R6MH", "instruction": "i am interested in a shampoo set that is paraben free and comes in a pack of two.", "attributes": ["sulfate free", "paraben free", "dry hair"], "options": ["size: 28 fl oz (pack of 2)", "style: shampoo - pack of 1"], "instruction_attributes": ["paraben free"], "instruction_options": ["28 fl oz (pack of 2)"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8FENZF", "worker_id": "A2ECRNQ3X5LEXD"}], "B00FP2ACMY": [{"asin": "B00FP2ACMY", "instruction": "i need low rise boot cut pants in grey color.", "attributes": ["low rise", "comfortable fit"], "options": ["color: grey", "size: 35w x 30l"], "instruction_attributes": ["low rise"], "instruction_options": ["grey"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTNXV4C", "worker_id": "A1NF6PELRKACS9"}], "B07RWF7NG9": [{"asin": "B07RWF7NG9", "instruction": "i am interested in a lemon yellow t-shirt for youth that is machine washable and is in an x-small.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: lemon", "fit type: youth", "size: x-small"], "instruction_attributes": ["machine wash"], "instruction_options": ["lemon", "youth", "x-small"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F2Z0HOW", "worker_id": "A2ECRNQ3X5LEXD"}], "B0040ZOQ24": [{"asin": "B0040ZOQ24", "instruction": "i would like a 14.5 fluid ounce can of fresh scent oven cleaner that is easy to use.", "attributes": ["easy use", "kosher certified"], "options": ["scent: fresh scent", "size: 14.5 fl oz (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["fresh scent", "14.5 fl oz (pack of 6)"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4W10H6", "worker_id": "A1WS884SI0SLO4"}], "B09NNGX9H7": [{"asin": "B09NNGX9H7", "instruction": "i would like a slim fitting button down shirt in an x-small that is light blue", "attributes": ["slim fit", "hand wash", "short sleeve", "long sleeve", "regular fit", "contrast color", "stretch fabric", "fashion design", "relaxed fit", "dry clean", "daily wear"], "options": ["color: b#light blue", "size: x-small"], "instruction_attributes": ["slim fit"], "instruction_options": ["b#light blue", "x-small"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IPL233", "worker_id": "A2ECRNQ3X5LEXD"}], "B00UIMGK9U": [{"asin": "B00UIMGK9U", "instruction": "i need knee high socks that are ivory", "attributes": ["knee high", "machine wash", "wash cold", "tumble dry"], "options": ["color: ivory"], "instruction_attributes": ["knee high"], "instruction_options": ["ivory"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54PU38O", "worker_id": "A2ECRNQ3X5LEXD"}], "B07H7VDDVH": [{"asin": "B07H7VDDVH", "instruction": "i want a tan and cruelty free dual salmon concealer.", "attributes": ["fragrance free", "paraben free", "cruelty free", "coconut oil"], "options": ["color: tan"], "instruction_attributes": ["cruelty free"], "instruction_options": ["tan"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0SZ6116", "worker_id": "A2RBF3IIJP15IH"}], "B07CJWZ4XF": [{"asin": "B07CJWZ4XF", "instruction": "shop for a device that prevents hair loss and promotes growth.", "attributes": ["hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hair growth", "hair loss"], "instruction_options": [], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DUUTOJ", "worker_id": "AR9AU5FY1S3RO"}], "B008IDJ4NU": [{"asin": "B008IDJ4NU", "instruction": "i am looking for some espresso pleated shades that are easy to install and are 36 inch by 72 inch.", "attributes": ["white item", "easy install"], "options": ["color: espresso", "size: 36-inch by 72-inch"], "instruction_attributes": ["easy install"], "instruction_options": ["espresso", "36-inch by 72-inch"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADGWVWY", "worker_id": "A2ECRNQ3X5LEXD"}], "B097NG3SVJ": [{"asin": "B097NG3SVJ", "instruction": "i need to buy some eighty-four inch curtains for my living room.", "attributes": ["living room", "dining room"], "options": ["color: color21", "size: 84\"w x 84\"l"], "instruction_attributes": ["living room"], "instruction_options": ["84\"w x 84\"l"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAFKVOB", "worker_id": "AR9AU5FY1S3RO"}], "B07VLMG4DR": [{"asin": "B07VLMG4DR", "instruction": "i am looking for a silver smartwatch band that is apple compatible.", "attributes": ["compatible apple", "high performance"], "options": ["color: silver", "size: 38mm | 40mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["silver"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DAWDWN", "worker_id": "A1EREKSZAA9V7B"}], "B09NL6VC77": [{"asin": "B09NL6VC77", "instruction": "i am looking for men's ripped jeans denim pants with an elastic waist. pick a navy color and get x-large.", "attributes": ["light weight", "machine washable", "hand wash", "elastic waist"], "options": ["color: navy", "size: x-large"], "instruction_attributes": ["machine washable", "elastic waist"], "instruction_options": ["navy", "x-large"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZUGANA", "worker_id": "A31PW970Z2PC5P"}], "B08CZZMPZW": [{"asin": "B08CZZMPZW", "instruction": "i need a relaxed fit sleep bottom that is gray plaid and is a large", "attributes": ["moisture wicking", "elastic waist", "relaxed fit", "button closure"], "options": ["color: gray plaid", "size: large"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["gray plaid", "large"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA388RV", "worker_id": "A2ECRNQ3X5LEXD"}], "B09R1DKTS6": [{"asin": "B09R1DKTS6", "instruction": "i am looking for a high power sound column subwoofer, that uses bluetooth and is also a 3d surround sound system.", "attributes": ["power amplifier", "high power"], "options": ["color: b"], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNJBNTI", "worker_id": "AK3JMCIGU8MLU"}], "B09RQR4HQS": [{"asin": "B09RQR4HQS", "instruction": "i want blue high waisted plus size swimsuits for women.", "attributes": ["machine wash", "tummy control", "elastic closure", "high waist"], "options": ["color: blue", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": ["blue"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL2SVR8", "worker_id": "A2RBF3IIJP15IH"}], "B00S82AG1U": [{"asin": "B00S82AG1U", "instruction": "i would like a chrome bath sconce that is a vanity light.", "attributes": ["brushed nickel", "nickel finish", "vanity light"], "options": ["color: chrome", "size: four light wall | bath"], "instruction_attributes": ["vanity light"], "instruction_options": ["chrome", "four light wall | bath"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHC8NBP", "worker_id": "A1WS884SI0SLO4"}], "B00AARRS9Y": [{"asin": "B00AARRS9Y", "instruction": "i want speak 510 wireless bluetooth portable speakers, which is uc optimized and comes with a carrying case.", "attributes": ["carrying case", "wireless bluetooth"], "options": ["size: uc optimized (standard)", "style: speak 510"], "instruction_attributes": ["carrying case", "wireless bluetooth"], "instruction_options": ["uc optimized (standard)", "speak 510"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R5LKSE", "worker_id": "ASWFLI3N8X72G"}], "B08FDW2T9T": [{"asin": "B08FDW2T9T", "instruction": "i am looking for a bakers rack for storage space that is 35 by 22 by 42.5cm.", "attributes": ["steel frame", "storage space"], "options": ["size: 35*22*42.5cm"], "instruction_attributes": ["storage space"], "instruction_options": ["35*22*42.5cm"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYLR6MR", "worker_id": "A2ECRNQ3X5LEXD"}], "B08SM44FFD": [{"asin": "B08SM44FFD", "instruction": "i want small wide leg maszone y2k fashion jeans for women.", "attributes": ["wide leg", "slim fit", "tummy control", "high waist", "teen girls"], "options": ["color: d4-blue", "size: small"], "instruction_attributes": ["wide leg"], "instruction_options": ["small"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFR9JO8", "worker_id": "A2RBF3IIJP15IH"}], "B09NN8LSX3": [{"asin": "B09NN8LSX3", "instruction": "i am interested in a long sleeved blue shirt that is in a medium", "attributes": ["fleece lined", "winter warm", "light weight", "long sleeve", "faux fur"], "options": ["color: a6 - blue", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a6 - blue", "medium"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GJL3S8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DMCX3VF": [{"asin": "B08DMCX3VF", "instruction": "i want to buy the travel size of the creed original impression.", "attributes": ["travel size", "long lasting"], "options": ["scent: creed original santal impression"], "instruction_attributes": ["travel size"], "instruction_options": ["creed original santal impression"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC54VRKS", "worker_id": "AR9AU5FY1S3RO"}], "B09RTQMBZR": [{"asin": "B09RTQMBZR", "instruction": "i need a core i5 desktop that has 20gb of ram and 512gb of storage.", "attributes": ["dual band", "core i5", "intel core"], "options": ["size: 20gb | 512gb ssd", "style: windows 10 pro"], "instruction_attributes": ["core i5"], "instruction_options": ["20gb | 512gb ssd"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H29U8I", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BY8BWNB": [{"asin": "B08BY8BWNB", "instruction": "i'm looking for a party supplies of birthday party cupcake.", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIDMVFG", "worker_id": "A1Q0EUNCS50S8M"}], "B082T2M91S": [{"asin": "B082T2M91S", "instruction": "i need a brushed nickel floor lamp that is turquoise", "attributes": ["brushed nickel", "nickel finish"], "options": ["color: turquoise"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["turquoise"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79ONH16", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HMZXK4R": [{"asin": "B08HMZXK4R", "instruction": "i would like a hair comb for dry hair.", "attributes": ["dry hair", "hair loss"], "options": [""], "instruction_attributes": ["dry hair"], "instruction_options": [], "assignment_id": "33F859I56HNA01QBVO1K6A4GV1BHBO", "worker_id": "A1WS884SI0SLO4"}], "B086ZPR5W2": [{"asin": "B086ZPR5W2", "instruction": "i want reparative eye creme for dark circles.", "attributes": ["plant based", "cruelty free", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH0NQHI", "worker_id": "A2RBF3IIJP15IH"}], "B09J23663B": [{"asin": "B09J23663B", "instruction": "i am looking a dust proof cover easy install easy carry fit for xbox series x colour black", "attributes": ["dust proof", "easy carry", "easy install"], "options": ["color: un"], "instruction_attributes": ["dust proof", "easy carry", "easy install"], "instruction_options": ["un"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1M7RGT5", "worker_id": "A3N9ZYQAESNFQH"}], "B09MLS9J9L": [{"asin": "B09MLS9J9L", "instruction": "i want a large i just want to work in my garden short sleeve t shirt.", "attributes": ["light weight", "short sleeve", "faux fur"], "options": ["color: srs3-love262-orange", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACQANH4", "worker_id": "A2RBF3IIJP15IH"}], "B08V4V96YY": [{"asin": "B08V4V96YY", "instruction": "i am looking for heavy duty 4 inch shelf brackets that are easy to install.", "attributes": ["heavy duty", "easy install", "height adjustable", "dining room", "living room"], "options": ["color: 4 inch"], "instruction_attributes": ["heavy duty", "easy install"], "instruction_options": ["4 inch"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI6KAB5", "worker_id": "A1EREKSZAA9V7B"}], "B09QM769RJ": [{"asin": "B09QM769RJ", "instruction": "i would like some wireless headphones, hands free, in red please. they must have bluetooth and a mic.", "attributes": ["hands free", "stereo sound"], "options": ["color: red"], "instruction_attributes": ["hands free"], "instruction_options": ["red"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUF95VLI", "worker_id": "A1WAWEY2810TFN"}], "B089659QT7": [{"asin": "B089659QT7", "instruction": "i want a midnight blue and solid wood napa ottoman.", "attributes": ["high density", "assembly required", "solid wood"], "options": ["color: midnight blue", "size: 88.5\" sofa"], "instruction_attributes": ["solid wood"], "instruction_options": ["midnight blue"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZK8Y1U", "worker_id": "A2RBF3IIJP15IH"}], "B084H13NFV": [{"asin": "B084H13NFV", "instruction": "i am looking for a sugar free and gluten free dried fruits in dried pineapple flavor. also choose size of 8 ounce (pack of 2)", "attributes": ["artificial ingredients", "sugar free", "dairy free", "gluten free"], "options": ["flavor name: dried pineapple", "size: 8 ounce (pack of 2)"], "instruction_attributes": ["sugar free", "gluten free"], "instruction_options": ["dried pineapple", "8 ounce (pack of 2)"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BLH8XH", "worker_id": "A2HMEGTAFO0CS8"}], "B08HCKVX5F": [{"asin": "B08HCKVX5F", "instruction": "i would like a purple 3.35 inch hair clip for hair styling and cutting.", "attributes": ["hair styling", "hair cutting"], "options": ["color: purple", "size: 3.35 inch (pack of 24)"], "instruction_attributes": ["hair styling", "hair cutting"], "instruction_options": ["purple", "3.35 inch (pack of 24)"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0UMXPT", "worker_id": "A1WS884SI0SLO4"}], "B08RJ4VXGQ": [{"asin": "B08RJ4VXGQ", "instruction": "i need a t shirt that i can hand wash in an xx-large and is the color of wine.", "attributes": ["wash cold", "hand wash", "dry clean"], "options": ["color: 03-wine", "size: xx-large"], "instruction_attributes": ["hand wash"], "instruction_options": ["03-wine", "xx-large"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z3RGX0", "worker_id": "A2ECRNQ3X5LEXD"}], "B096KF7K4M": [{"asin": "B096KF7K4M", "instruction": "i am looking for a barbershop tin sign for my hair salon.", "attributes": ["double sided", "hair salon"], "options": ["color: barber shop2", "size: 12inch*17inch"], "instruction_attributes": ["hair salon"], "instruction_options": ["barber shop2"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOHJ9LD", "worker_id": "A2KW17G25L25R8"}], "B06XP2ZQLG": [{"asin": "B06XP2ZQLG", "instruction": "i am interested in some hair growth treatments.", "attributes": ["hair growth", "hair loss", "natural hair", "hair cutting"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z16I1KN", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DD21C8S": [{"asin": "B08DD21C8S", "instruction": "i want a long lasting scented candles aromatherapy soy set.", "attributes": ["long lasting", "soy wax"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFNR3VP", "worker_id": "A2RBF3IIJP15IH"}], "B08WM2V3D9": [{"asin": "B08WM2V3D9", "instruction": "i am looking for a space saving home office desk with a reclaimed wood look to it.", "attributes": ["space saving", "contemporary style"], "options": ["color: brown reclaimed wood-look | black"], "instruction_attributes": ["space saving"], "instruction_options": ["brown reclaimed wood-look | black"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOWK93T", "worker_id": "A1EREKSZAA9V7B"}], "B089GSK6NM": [{"asin": "B089GSK6NM", "instruction": "i am looking for 6 inch stainless steel hair cutting scissors.", "attributes": ["stainless steel", "hair cutting"], "options": ["color: c", "size: 6 inch set"], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": ["6 inch set"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS1WG9F", "worker_id": "A1EREKSZAA9V7B"}], "B08SHSFXF6": [{"asin": "B08SHSFXF6", "instruction": "i would like a 34 piece set of some long lasting press on nails", "attributes": ["long lasting", "nail polish"], "options": ["color: frosting", "size: 34 piece set"], "instruction_attributes": ["long lasting"], "instruction_options": ["frosting", "34 piece set"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGIWO0Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B08411CQPH": [{"asin": "B08411CQPH", "instruction": "i am looking for a dill pickle vegan ranch flavored gourmet popcorn gift basket.", "attributes": ["non gmo", "gluten free", "natural flavors", "gift basket"], "options": ["flavor name: dill pickle vegan ranch", "size: 4 ounce (pack of 9)"], "instruction_attributes": ["gift basket"], "instruction_options": ["dill pickle vegan ranch"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q712H98", "worker_id": "A1EREKSZAA9V7B"}], "B09MYSD8SX": [{"asin": "B09MYSD8SX", "instruction": "i would like some 18 inch micro loop hair extensions.", "attributes": ["double sided", "hair extensions", "hair loss"], "options": ["color: micro loop hair extensions", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["micro loop hair extensions", "18 inch"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOBANOC", "worker_id": "A1WS884SI0SLO4"}], "B0953MXXF1": [{"asin": "B0953MXXF1", "instruction": "i would like a size 8 azure clog made from vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate", "quality materials"], "options": ["color: azure", "size: 8"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["azure", "8"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBDCHGC", "worker_id": "A1WS884SI0SLO4"}], "B0745JHL8C": [{"asin": "B0745JHL8C", "instruction": "i need some regular slim fit jeans that are a size 34w by 38l", "attributes": ["slim fit", "straight leg", "machine wash", "imported zipper", "comfortable fit", "button closure"], "options": ["color: denver", "fit type: regular", "size: 34w x 38l"], "instruction_attributes": ["slim fit"], "instruction_options": ["regular", "34w x 38l"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0RARAK", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NW8X8TX": [{"asin": "B09NW8X8TX", "instruction": "i need a pink color women's eau de parfum which should have a long lasting fragrance.", "attributes": ["long lasting", "green tea"], "options": ["color: pink"], "instruction_attributes": ["long lasting"], "instruction_options": ["pink"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM969RG4S", "worker_id": "ASWFLI3N8X72G"}], "B09C2Z9BM5": [{"asin": "B09C2Z9BM5", "instruction": "i want x-large unisex rubber sole diving shoes.", "attributes": ["non slip", "rubber sole"], "options": ["color: orange", "size: x-large"], "instruction_attributes": ["rubber sole"], "instruction_options": ["x-large"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N5B7TY", "worker_id": "A2RBF3IIJP15IH"}], "B098QHRYN9": [{"asin": "B098QHRYN9", "instruction": "i am looking for a vanity light wall lamp with clear glass also choose 01 - 1 sconces light in color", "attributes": ["vanity light", "clear glass", "glass shade", "light fixture"], "options": ["color: 01 - 1 sconces light"], "instruction_attributes": ["vanity light", "clear glass"], "instruction_options": [], "assignment_id": "37M28K1J01N18XG9DA49NC0PQBGJAM", "worker_id": "A2HMEGTAFO0CS8"}], "B096P751KM": [{"asin": "B096P751KM", "instruction": "i need to buy some cupcake toppers for a birthday party.", "attributes": ["birthday party", "baby shower"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXBIG7D", "worker_id": "AR9AU5FY1S3RO"}], "B000PYOTGC": [{"asin": "B000PYOTGC", "instruction": "i am looking for a 12 ounce jar of raspberry preserve that is nut and gluten free.", "attributes": ["nut free", "gluten free"], "options": ["flavor: clear honey", "size: 12 ounce (pack of 2)", "style: preserve"], "instruction_attributes": ["nut free", "gluten free"], "instruction_options": ["12 ounce (pack of 2)", "preserve"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLVVDRY", "worker_id": "AJDQGOTMB2D80"}], "B00JGXF99E": [{"asin": "B00JGXF99E", "instruction": "i need 15 pounds of non gmo beans.", "attributes": ["non gmo", "dietary fiber"], "options": ["size: 15 pound (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["15 pound (pack of 1)"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG18FU9V", "worker_id": "A2ECRNQ3X5LEXD"}], "B00C0X7UC6": [{"asin": "B00C0X7UC6", "instruction": "i need some hair oil for damaged hair.", "attributes": ["seed oil", "dark circles", "damaged hair", "dry skin", "hair growth"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W71OU3", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GHSLSQR": [{"asin": "B08GHSLSQR", "instruction": "i need some eye cream for treating fine lines.", "attributes": ["dermatologist tested", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["fine lines"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0XEW44", "worker_id": "AR9AU5FY1S3RO"}], "B08TVG2339": [{"asin": "B08TVG2339", "instruction": "i would like to buy a heavy duty with a rocket type style outlet combo wall plate cover", "attributes": ["heavy duty", "high gloss"], "options": ["style: rocker | outlet combo"], "instruction_attributes": ["heavy duty"], "instruction_options": ["rocker | outlet combo"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG18L9UG", "worker_id": "AJY5G987IRT25"}], "B09S3L82PC": [{"asin": "B09S3L82PC", "instruction": "i would like some fluoride free toothpaste.", "attributes": ["teeth whitening", "fluoride free", "oral hygiene"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGJQO0V", "worker_id": "A1WS884SI0SLO4"}], "B099NPQZX8": [{"asin": "B099NPQZX8", "instruction": "i am looking for beef meat sticks that are keto friendly, and low carb.", "attributes": ["keto friendly", "low carb", "individually wrapped", "zero sugar", "simple ingredients"], "options": ["flavor name: bacon"], "instruction_attributes": ["keto friendly", "low carb"], "instruction_options": ["bacon"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYSTHVU", "worker_id": "A2KW17G25L25R8"}], "B08545S2X3": [{"asin": "B08545S2X3", "instruction": "i need a high speed and dual band wireless signal booster.", "attributes": ["dual band", "high speed"], "options": [""], "instruction_attributes": ["dual band", "high speed"], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZETRPL", "worker_id": "A1NF6PELRKACS9"}], "B01FHVTQNS": [{"asin": "B01FHVTQNS", "instruction": "i'm looking for a cruelty free, herbal toothpaste in mint flavor.", "attributes": ["cruelty free", "oral hygiene"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTRM7LQ", "worker_id": "AK3JMCIGU8MLU"}], "B000SATG70": [{"asin": "B000SATG70", "instruction": "i'm looking for orange spice tea that is caffeine free and organic.", "attributes": ["caffeine free", "certified organic"], "options": ["flavor name: decaf orange spice"], "instruction_attributes": ["caffeine free", "certified organic"], "instruction_options": ["decaf orange spice"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDLHHCZ", "worker_id": "A3EDFA8UQT5GG8"}], "B079SS1CF5": [{"asin": "B079SS1CF5", "instruction": "i am looking for plant based, gluten free, chocolate chip blondie cookies that i can eat or are safe to use for my kid's snacks.", "attributes": ["plant based", "gluten free", "non gmo", "individually wrapped", "natural ingredients"], "options": ["flavor name: chocolate chip blondie", "size: 1.9 ounce (pack of 8)"], "instruction_attributes": ["plant based", "gluten free"], "instruction_options": ["chocolate chip blondie"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO5QGJQ", "worker_id": "AK3JMCIGU8MLU"}], "B00TAM6FNU": [{"asin": "B00TAM6FNU", "instruction": "i would like some cruelty free moisturizer that is in a vanilla shimmer scent and comes in five tubes", "attributes": ["dermatologist tested", "cruelty free", "coconut oil", "sensitive skin"], "options": ["color: vanilla shimmer", "size: 5 tubes (2 ounce each)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["vanilla shimmer", "5 tubes (2 ounce each)"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTN9V4O", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DNBN853": [{"asin": "B09DNBN853", "instruction": "i would like a bianca white crib dresser with a lot of storage space.", "attributes": ["fully assembled", "easy clean", "engineered wood", "storage space"], "options": ["color: bianca white", "size: crib"], "instruction_attributes": ["storage space"], "instruction_options": ["bianca white", "crib"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTRVP92", "worker_id": "A1WS884SI0SLO4"}], "B09MH8CM29": [{"asin": "B09MH8CM29", "instruction": "i would like a super soft camo throw for the living room.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: camo 2"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["camo 2"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5B84QUY", "worker_id": "A1WS884SI0SLO4"}], "B09Q8TTK5D": [{"asin": "B09Q8TTK5D", "instruction": "i am looking for workout leggings with fantastic texture design. cute fabric, that mask the appearance of cellulite and imperfections with its carefully designed rhombus textured patterns. also provide you the right compression too. butt lift push up wasit shaper sport leggings featuring your curves pop.seamless technology perfectly show your figure shape ,which gives your butt a streamlined flattering look like a juicy peach. womens leggings pack leggings that are designed with high-waist, tummy control wide waistband,to enhance curves,provides a complete coverage for your body(no worrying about belly rolls or a underwear show). the high waist belt can control the stomach, yoga leggings which are perfect for sports women.in red colour ,xl size preferable.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: red", "size: x-large"], "instruction_attributes": ["butt lifting", "tummy control", "high waist"], "instruction_options": ["red", "x-large"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVAW8V1", "worker_id": "A1DRKZ3SCLAS4V"}], "B08PYK8R1L": [{"asin": "B08PYK8R1L", "instruction": "i would like some air bang #6 light brown hair extensions.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: #6 light brown", "size: air bangs"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#6 light brown", "air bangs"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WVD7FY", "worker_id": "A1WS884SI0SLO4"}], "B08ZS6WS81": [{"asin": "B08ZS6WS81", "instruction": "i need an eye cream for dark circles", "attributes": ["anti aging", "fine lines", "dark circles"], "options": [""], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCN8B9V", "worker_id": "A2ECRNQ3X5LEXD"}], "B00EOXEPRI": [{"asin": "B00EOXEPRI", "instruction": "original udder balm moisturizer is my choice . please give me fragrance free, 16 oz pump.", "attributes": ["fragrance free", "bpa free"], "options": ["pattern name: 16 oz pump"], "instruction_attributes": ["fragrance free", "bpa free"], "instruction_options": ["16 oz pump"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QPXXOJ", "worker_id": "A15IJ20C3R4HUO"}], "B07KFBHJR9": [{"asin": "B07KFBHJR9", "instruction": "i need some navy button down shirts that are long sleeved and in a size medium", "attributes": ["easy care", "hand wash", "wash cold", "machine wash", "regular fit", "long sleeve", "cotton spandex", "button closure", "tumble dry"], "options": ["color: solid3-navy", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["solid3-navy", "medium"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKB4883", "worker_id": "A2ECRNQ3X5LEXD"}], "B09S65FB4N": [{"asin": "B09S65FB4N", "instruction": "i want a 04 color and easy to use straight hairpiece clip.", "attributes": ["easy use", "hair extensions"], "options": ["color: 04"], "instruction_attributes": ["easy use"], "instruction_options": ["04"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3S8A3G7", "worker_id": "A2RBF3IIJP15IH"}], "B09C26MR9R": [{"asin": "B09C26MR9R", "instruction": "i am looking for a pink colored dental flosser for sensitive teeth.", "attributes": ["sensitive teeth", "bad breath"], "options": ["color: pink"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["pink"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM969CG4D", "worker_id": "A1EREKSZAA9V7B"}], "B08QYZ6PK8": [{"asin": "B08QYZ6PK8", "instruction": "i need a ready to hang wall mirror in a champagne sunburst color.", "attributes": ["ready hang", "assembly required", "living room"], "options": ["color: champagne", "size: 27 inch"], "instruction_attributes": ["ready hang"], "instruction_options": ["champagne"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT06X5NUW", "worker_id": "A19317A3X87NVM"}], "B09KZYZ1SM": [{"asin": "B09KZYZ1SM", "instruction": "i need an easy to install anti-dust plug for an iphone 13.", "attributes": ["dust proof", "easy install"], "options": [""], "instruction_attributes": ["dust proof", "easy install"], "instruction_options": [], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OOF99V", "worker_id": "AR9AU5FY1S3RO"}], "B07PTQ13BB": [{"asin": "B07PTQ13BB", "instruction": "i need a gold plated hdmi adapter that is capable of 4k.", "attributes": ["gold plated", "plug play", "ultra hd", "1080p hd"], "options": ["color: black [4k@30hz]"], "instruction_attributes": ["gold plated"], "instruction_options": ["black [4k@30hz]"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDRBY8D", "worker_id": "A2ECRNQ3X5LEXD"}], "B000KOQ3MA": [{"asin": "B000KOQ3MA", "instruction": "buy a one pack of permanent hair dye in espresso.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 40 espresso", "size: pack of 1", "style: reds"], "instruction_attributes": ["permanent hair", "hair dye"], "instruction_options": ["40 espresso", "pack of 1"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7NNOBH", "worker_id": "AR9AU5FY1S3RO"}], "B07R7239Z4": [{"asin": "B07R7239Z4", "instruction": "i am looking for small undershirts that i can machine wash", "attributes": ["moisture wicking", "wash cold", "machine wash", "tumble dry"], "options": ["color: big man - cotton mesh - 3 pack - assorted", "fit type: short leg", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["small"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OUFM3R", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q5JGCV9": [{"asin": "B09Q5JGCV9", "instruction": "i would like pair of size 7.5 slides with a rubber sole. .", "attributes": ["non slip", "rubber sole", "soft material", "ankle strap", "rubber outsole"], "options": ["size: 7.5 wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["7.5 wide"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME92WD2Y", "worker_id": "A1WS884SI0SLO4"}], "B08CH2VS4W": [{"asin": "B08CH2VS4W", "instruction": "i need some wall mounted mirrors that are 70 by 100 cm.", "attributes": ["wall mounted", "high density", "easy install"], "options": ["size: 70\u00d7100cm"], "instruction_attributes": ["wall mounted"], "instruction_options": ["70\u00d7100cm"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VY2FGF", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NDL71CZ": [{"asin": "B09NDL71CZ", "instruction": "i am looking for a 42mm stainless steel smartwatch band", "attributes": ["compatible apple", "stainless steel"], "options": ["color: black | gray | brown", "size: 42mm | 44mm | 45mm xl"], "instruction_attributes": ["stainless steel"], "instruction_options": ["42mm | 44mm | 45mm xl"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3KILZF", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HWVRB9L": [{"asin": "B08HWVRB9L", "instruction": "i am looking for a heavy duty wood colored wall mounted folding table.", "attributes": ["wall mounted", "heavy duty", "easy clean", "easy assemble", "dining room"], "options": ["color: wood color", "size: 100*40cm | 39*16in"], "instruction_attributes": ["wall mounted", "heavy duty"], "instruction_options": ["wood color"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TL13NM", "worker_id": "A1EREKSZAA9V7B"}], "B000HDKWZ8": [{"asin": "B000HDKWZ8", "instruction": "i would like a bottle of green goddess ranch dressing from quality ingredients.", "attributes": ["quality ingredients", "artificial flavors"], "options": ["flavor name: green goddess"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["green goddess"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40UIRC9", "worker_id": "A1WS884SI0SLO4"}], "B08TF34W98": [{"asin": "B08TF34W98", "instruction": "i need a pack of three dried apricots that are non gmo", "attributes": ["non gmo", "dietary fiber"], "options": ["size: pack of 3"], "instruction_attributes": ["non gmo"], "instruction_options": ["pack of 3"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THU95Z2", "worker_id": "A2ECRNQ3X5LEXD"}], "B01LY663NI": [{"asin": "B01LY663NI", "instruction": "i am looking for natural flavors and high fructose pineapple juice marinade", "attributes": ["natural flavors", "high fructose"], "options": [""], "instruction_attributes": ["natural flavors", "high fructose"], "instruction_options": [], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKJ01TK", "worker_id": "AX2EWYWZM19AZ"}], "B09N72K25B": [{"asin": "B09N72K25B", "instruction": "i want a hot pink kokovifyves women's hooded winter warm vest.", "attributes": ["daily casual", "winter warm", "loose fit", "long sleeve", "relaxed fit", "everyday wear", "teen girls"], "options": ["color: hot pink", "size: 6"], "instruction_attributes": ["winter warm"], "instruction_options": ["hot pink"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDRTZQ8", "worker_id": "A2RBF3IIJP15IH"}], "B01HJV2LU4": [{"asin": "B01HJV2LU4", "instruction": "i need a blackhead extractor that is silver and easy to use.", "attributes": ["double sided", "easy carry", "easy use", "stainless steel", "beauty salon"], "options": ["color: silver"], "instruction_attributes": ["easy use"], "instruction_options": ["silver"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP805Z7C", "worker_id": "A2ECRNQ3X5LEXD"}], "B01DV9E90I": [{"asin": "B01DV9E90I", "instruction": "i need four vanity lights.", "attributes": ["brushed nickel", "vanity light", "clear glass"], "options": ["size: 4-light"], "instruction_attributes": ["vanity light"], "instruction_options": ["4-light"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI74RGZ1", "worker_id": "A2ECRNQ3X5LEXD"}], "B007RG4LUA": [{"asin": "B007RG4LUA", "instruction": "i'm looking for a styling cream that is cruelty free and for short hair.", "attributes": ["easy carry", "cruelty free", "seed oil"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVYP3XI", "worker_id": "A3EDFA8UQT5GG8"}], "B09LCLHX9G": [{"asin": "B09LCLHX9G", "instruction": "i want white crystal rhinestones flatback colored jewels for nail art.", "attributes": ["easy apply", "nail art"], "options": ["color: white", "size: ss4"], "instruction_attributes": ["nail art"], "instruction_options": ["white"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X5LGPH", "worker_id": "A2RBF3IIJP15IH"}], "B09HH96NJY": [{"asin": "B09HH96NJY", "instruction": "i am really wanting some khaki jeans that are high waisted and in a xx-large.", "attributes": ["straight leg", "wide leg", "hand wash", "machine wash", "high waist", "polyester spandex", "teen girls", "daily wear"], "options": ["color: z09-khaki", "size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["z09-khaki", "xx-large"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF980AZ3", "worker_id": "A2ECRNQ3X5LEXD"}], "B00GQDRU9O": [{"asin": "B00GQDRU9O", "instruction": "i am looking for a toothpaste that would freshen breath.", "attributes": ["natural ingredients", "fresh breath", "bad breath"], "options": [""], "instruction_attributes": ["fresh breath"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30USG0Y7", "worker_id": "A2ECRNQ3X5LEXD"}], "B078K7T4NP": [{"asin": "B078K7T4NP", "instruction": "i want a silver hermitshell hard carrying case.", "attributes": ["carrying case", "wireless bluetooth"], "options": ["color: sliver"], "instruction_attributes": ["carrying case"], "instruction_options": ["sliver"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZCZCP7", "worker_id": "A2RBF3IIJP15IH"}], "B09FTHRDL9": [{"asin": "B09FTHRDL9", "instruction": "i am looking for a cruelty free foundation refill in west indies walnut color.", "attributes": ["cruelty free", "hyaluronic acid", "fine lines"], "options": ["color: west indies walnut"], "instruction_attributes": ["cruelty free"], "instruction_options": ["west indies walnut"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXIQKW2", "worker_id": "A2HMEGTAFO0CS8"}], "B09PDKTMHB": [{"asin": "B09PDKTMHB", "instruction": "i want indiana jones raiders of the lost ark party supplies.", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["party supplies"], "instruction_options": [], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOHIDY6", "worker_id": "A2RBF3IIJP15IH"}], "B098TDDJV9": [{"asin": "B098TDDJV9", "instruction": "i want fuchsia modencoco women's pointed toe pumps with ankle strap.", "attributes": ["high heel", "ankle strap", "rubber sole"], "options": ["color: fuchsia", "size: 11"], "instruction_attributes": ["ankle strap"], "instruction_options": ["fuchsia"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49ZDX4R", "worker_id": "A2RBF3IIJP15IH"}], "B09P861JJH": [{"asin": "B09P861JJH", "instruction": "i would like a high performance quad core tablet.", "attributes": ["high performance", "non slip", "quad core"], "options": [""], "instruction_attributes": ["high performance", "quad core"], "instruction_options": [], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXAAG73", "worker_id": "A1WS884SI0SLO4"}], "B08GC1RHTX": [{"asin": "B08GC1RHTX", "instruction": "i want a olives and rusk gourmet gift basket.", "attributes": ["gift basket", "perfect gift", "gift set"], "options": ["style: olives, wheat cream crackers, & barley rusks"], "instruction_attributes": ["gift basket"], "instruction_options": ["olives, wheat cream crackers, & barley rusks"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYBM82A", "worker_id": "A2RBF3IIJP15IH"}], "B09BLTYRR2": [{"asin": "B09BLTYRR2", "instruction": "i want a pack of halloween cupcake picks.", "attributes": ["baby shower", "birthday party", "cupcake picks", "party supplies"], "options": ["pattern name: a"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["a"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MIDLWO", "worker_id": "A2RBF3IIJP15IH"}], "B09LT7FN9M": [{"asin": "B09LT7FN9M", "instruction": "i really need a hand painting painting that comes in a size of 45 inch by 30 inch", "attributes": ["hand painted", "living room", "dining room"], "options": ["color: ef-007", "size: 45x30 inch"], "instruction_attributes": ["hand painted"], "instruction_options": ["45x30 inch"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGMXIYK", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JYLZMTX": [{"asin": "B09JYLZMTX", "instruction": "i need a cheerleading outfit for men that is wine colored and in a x-large size.", "attributes": ["loose fit", "slim fit", "long sleeve", "regular fit"], "options": ["color: z2-wine", "size: x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["z2-wine", "x-large"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2Z96GD", "worker_id": "A2ECRNQ3X5LEXD"}], "B01EA9P2FE": [{"asin": "B01EA9P2FE", "instruction": "i want x-large polyester spandex romastory women fluorescent yoga pants.", "attributes": ["polyester spandex", "elastic waist"], "options": ["color: sky blue", "size: x-large"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["x-large"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOCZAT8", "worker_id": "A2RBF3IIJP15IH"}], "B0925MKQVM": [{"asin": "B0925MKQVM", "instruction": "i would like a 2xl green pair of wide leg jogging pants.", "attributes": ["straight leg", "slim fit", "machine wash", "wide leg", "loose fit", "drawstring closure", "elastic waistband", "elastic waist", "classic fit"], "options": ["color: a-green", "size: xx-large"], "instruction_attributes": ["wide leg"], "instruction_options": ["a-green", "xx-large"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMGXIZ7", "worker_id": "A1WS884SI0SLO4"}], "B09G71MBVW": [{"asin": "B09G71MBVW", "instruction": "i would like a blue extra large long sleeve sweater.", "attributes": ["loose fit", "soft material", "long sleeve"], "options": ["color: a-blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a-blue", "x-large"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UDEA3J", "worker_id": "A1WS884SI0SLO4"}], "B01MY4Q927": [{"asin": "B01MY4Q927", "instruction": "i want a black cherry and gluten free v8 +energy drink.", "attributes": ["non gmo", "gluten free", "source vitamin", "artificial colors"], "options": ["flavor name: black cherry", "size: 8 fl oz (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["black cherry"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDQBY8B", "worker_id": "A2RBF3IIJP15IH"}], "B09HBLDMTL": [{"asin": "B09HBLDMTL", "instruction": "i'm looking for rose gold birthday cake decorations.", "attributes": ["cupcake picks", "birthday cake", "baby shower"], "options": ["color: rose gold"], "instruction_attributes": ["birthday cake"], "instruction_options": ["rose gold"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBDAGH9", "worker_id": "A3EDFA8UQT5GG8"}], "B01INSG0WC": [{"asin": "B01INSG0WC", "instruction": "i would like a high performance set of earbud headphones.", "attributes": ["certified refurbished", "high performance", "hands free", "aluminum alloy"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "39LNWE0K456PSVA11X00BCXJKZXIUZ", "worker_id": "A1WS884SI0SLO4"}], "B0824BVCJ3": [{"asin": "B0824BVCJ3", "instruction": "i am looking for some machine washable pillow covers that are peony blue and are 22 by 22 inches.", "attributes": ["double sided", "machine washable", "living room"], "options": ["color: peony blue", "size: 22 x 22 inches"], "instruction_attributes": ["machine washable"], "instruction_options": ["peony blue", "22 x 22 inches"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM9680G4Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B092QJL99K": [{"asin": "B092QJL99K", "instruction": "can you find kids digital cameras for girls boys 8 to 12 years old in this exact configuration? 32gb sd card 1080p hd need to buy today.", "attributes": ["1080p hd", "light weight", "high resolution"], "options": [""], "instruction_attributes": ["1080p hd", "high resolution"], "instruction_options": [], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQCUQSV", "worker_id": "A15IJ20C3R4HUO"}], "B083CPT87C": [{"asin": "B083CPT87C", "instruction": "i need a console table for the living room that is in style 2", "attributes": ["easy clean", "metal legs", "living room"], "options": ["color: style2"], "instruction_attributes": ["living room"], "instruction_options": ["style2"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG5SLSK", "worker_id": "A2ECRNQ3X5LEXD"}], "B087DXGNBS": [{"asin": "B087DXGNBS", "instruction": "i need jar candles that are made out of soy wax.", "attributes": ["long lasting", "soy wax"], "options": [""], "instruction_attributes": ["soy wax"], "instruction_options": [], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IU6KHV", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PPW5DST": [{"asin": "B07PPW5DST", "instruction": "i am looking for a cruelty free and sulfate free eyeshadow palette. also choose naked cyber palette.", "attributes": ["sulfate free", "paraben free", "cruelty free", "eye shadow"], "options": ["color: naked cyber"], "instruction_attributes": ["sulfate free", "cruelty free"], "instruction_options": ["naked cyber"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIAVRBH", "worker_id": "A2HMEGTAFO0CS8"}], "B087CQLJCJ": [{"asin": "B087CQLJCJ", "instruction": "i am interested in a nut free vegan snack.", "attributes": ["dairy free", "bpa free", "gluten free", "nut free", "low calorie", "kosher certified", "plant based", "non gmo", "high fructose"], "options": [""], "instruction_attributes": ["nut free"], "instruction_options": [], "assignment_id": "3HPZF4IVNX3FW186JO133U513HECYD", "worker_id": "A2ECRNQ3X5LEXD"}], "B0928RHTDG": [{"asin": "B0928RHTDG", "instruction": "shop for a slim fit blazer in royal blue, size 42.", "attributes": ["slim fit", "polyester cotton", "regular fit"], "options": ["color: royal blue", "size: 42"], "instruction_attributes": ["slim fit"], "instruction_options": ["royal blue", "42"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNRFFJH", "worker_id": "AR9AU5FY1S3RO"}], "B09B9K96XB": [{"asin": "B09B9K96XB", "instruction": "i want a x-large short sleeve mayntop womens t-shirt.", "attributes": ["short sleeve", "quality materials", "relaxed fit"], "options": ["color: m-brown", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["x-large"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU37RL0", "worker_id": "A2RBF3IIJP15IH"}], "B09P3RSYTJ": [{"asin": "B09P3RSYTJ", "instruction": "i need a nightstand for storage space", "attributes": ["storage unit", "storage space"], "options": [""], "instruction_attributes": ["storage space"], "instruction_options": [], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3F6BVQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B00028OT8Y": [{"asin": "B00028OT8Y", "instruction": "i would like a extra light beige foundation made from natural ingredients.", "attributes": ["cruelty free", "plant based", "paraben free", "non toxic", "seed oil", "natural ingredients"], "options": ["color: extra light beige"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["extra light beige"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEHRQ8X", "worker_id": "A1WS884SI0SLO4"}], "B0727S5Y86": [{"asin": "B0727S5Y86", "instruction": "i am looking for a pair of graphite colored women's pants with nylon spandex.", "attributes": ["nylon spandex", "tummy control"], "options": ["color: graphite", "size: 4 tall"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["graphite"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQFNKEQ", "worker_id": "A1EREKSZAA9V7B"}], "B09NFD1TYB": [{"asin": "B09NFD1TYB", "instruction": "i need a smartwatch case that is compatible with apple and is in a size 45 mm.", "attributes": ["compatible apple", "high definition", "tempered glass", "glass screen"], "options": ["size: 45mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["45mm"], "assignment_id": "3G2UL9A02OO71034MOY04HTU3W967T", "worker_id": "A2ECRNQ3X5LEXD"}], "B09F5LBNKM": [{"asin": "B09F5LBNKM", "instruction": "i want a pack of two white coat hooks that are easy to install in my living room.", "attributes": ["wall mounted", "heavy duty", "space saving", "easy install", "living room"], "options": ["color: white - 3", "size: 2 hooks"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["white - 3", "2 hooks"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HWCD1B", "worker_id": "A1WS884SI0SLO4"}], "B08LS9CLC3": [{"asin": "B08LS9CLC3", "instruction": "i would like a cake topper for a baby shower.", "attributes": ["birthday cake", "baby shower"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KCDDPA", "worker_id": "A1WS884SI0SLO4"}], "B07NDD5CBS": [{"asin": "B07NDD5CBS", "instruction": "buy me a women's classic fit t-shirt in purple.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: purple", "fit type: women", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["purple", "women"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZKFR76", "worker_id": "AR9AU5FY1S3RO"}], "B09MNF5P5L": [{"asin": "B09MNF5P5L", "instruction": "i am looking for a camel colored futon mattress for my living room.", "attributes": ["high density", "living room"], "options": ["color: camel", "size: 120x200cm(47*79inch)"], "instruction_attributes": ["living room"], "instruction_options": ["camel"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFSYJOZ", "worker_id": "A1EREKSZAA9V7B"}], "B09L2Z9KZ9": [{"asin": "B09L2Z9KZ9", "instruction": "i want to find a high-resolution digital camera with an optical zoom feature.", "attributes": ["high resolution", "optical zoom"], "options": [""], "instruction_attributes": ["high resolution", "optical zoom"], "instruction_options": [], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VFJE8R", "worker_id": "A345TDMHP3DQ3G"}], "B008PSTOQ0": [{"asin": "B008PSTOQ0", "instruction": "i would like a bag of trail mix from trader joes.", "attributes": ["trader joe", "artificial colors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OLUMM5", "worker_id": "A1WS884SI0SLO4"}], "B07PPVYF5N": [{"asin": "B07PPVYF5N", "instruction": "i am really in need of some toothpaste that is peppermint for bad breath.", "attributes": ["clinically proven", "bad breath"], "options": ["flavor name: peppermint"], "instruction_attributes": ["bad breath"], "instruction_options": ["peppermint"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35LAUGM", "worker_id": "A2ECRNQ3X5LEXD"}], "B07H9PXL88": [{"asin": "B07H9PXL88", "instruction": "i would like a size 11 brown suede loafer with a rubber sole.", "attributes": ["arch support", "rubber sole"], "options": ["color: brown suede | black sole", "size: 11"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown suede | black sole", "11"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP60CVDB", "worker_id": "A1WS884SI0SLO4"}], "B0070SJ72W": [{"asin": "B0070SJ72W", "instruction": "i need some brown oxfords that offer day comfort and are in a size 7", "attributes": ["day comfort", "rubber outsole", "rubber sole"], "options": ["color: brown md brown full grain", "size: 7"], "instruction_attributes": ["day comfort"], "instruction_options": ["brown md brown full grain", "7"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X5KGPG", "worker_id": "A2ECRNQ3X5LEXD"}], "B07D7JGHMG": [{"asin": "B07D7JGHMG", "instruction": "i am interested in a bedside table that would be easy to assemble and is in the color of espresso.", "attributes": ["easy assemble", "contemporary style", "living room"], "options": ["color: espresso"], "instruction_attributes": ["easy assemble"], "instruction_options": ["espresso"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOVW933", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JKTRL85": [{"asin": "B09JKTRL85", "instruction": "i am looking for a pair of western ankle boots with a pointed toe and fringe.", "attributes": ["open toe", "slip resistant", "teen girls"], "options": ["color: gde45-brown", "size: 8.5"], "instruction_attributes": ["slip resistant"], "instruction_options": ["gde45-brown"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOH3F02", "worker_id": "A2KW17G25L25R8"}], "B087Q8B674": [{"asin": "B087Q8B674", "instruction": "i want 20ml travel size kaaka empty clear glass bottles.", "attributes": ["leak proof", "travel size"], "options": ["size: 20ml"], "instruction_attributes": ["travel size"], "instruction_options": [], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7VJP5I", "worker_id": "A2RBF3IIJP15IH"}], "B0971XD6YS": [{"asin": "B0971XD6YS", "instruction": "look for an officially licensed loki variant t-shirt for women in black.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: women", "size: 4t"], "instruction_attributes": ["officially licensed"], "instruction_options": ["black", "women"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBRNIG4", "worker_id": "AR9AU5FY1S3RO"}], "B07H8BS7KV": [{"asin": "B07H8BS7KV", "instruction": "i need pair of pink size 10 slippers with a rubber anti slip sole.", "attributes": ["anti slip", "open toe", "machine washable", "rubber sole"], "options": ["color: pink-a", "size: 10-11"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["pink-a", "10-11"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CPST27", "worker_id": "A1WS884SI0SLO4"}], "B09GPPKWP2": [{"asin": "B09GPPKWP2", "instruction": "i need an xx-large sweater that is long sleeved and the color x04-5", "attributes": ["winter warm", "loose fit", "long sleeve", "faux fur"], "options": ["color: x04-5", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x04-5", "xx-large"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J96FS9", "worker_id": "A2ECRNQ3X5LEXD"}], "B087D7NGWP": [{"asin": "B087D7NGWP", "instruction": "i need adidas pant's for men with elastic waist , black | team royal blue | vivid red , model tiro track", "attributes": ["drawstring closure", "elastic waist", "regular fit"], "options": ["color: black | team royal blue | vivid red", "size: xx-large long"], "instruction_attributes": ["elastic waist"], "instruction_options": ["black | team royal blue | vivid red"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXBO7GA", "worker_id": "A15IJ20C3R4HUO"}], "B08KL3381H": [{"asin": "B08KL3381H", "instruction": "in the men's fashion sneakers section, i am looking for a bari slip-on sneaker with a rubber outsole in a size 9.5 in the color of puma white-puma silver made by puma.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: puma white-puma silver", "size: 9.5"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["puma white-puma silver", "9.5"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTSWP95", "worker_id": "A3RGIKEI8JS2QG"}], "B09Q2S6BBG": [{"asin": "B09Q2S6BBG", "instruction": "i need a long sleeved black pullover that is in a large.", "attributes": ["long sleeve", "polyester cotton", "daily wear"], "options": ["color: black", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black", "large"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163RVPQK", "worker_id": "A2ECRNQ3X5LEXD"}], "B0829Q45LH": [{"asin": "B0829Q45LH", "instruction": "i would like a size seven white flat shoe with a synthetic sole.", "attributes": ["synthetic sole", "memory foam"], "options": ["color: white navy red", "size: 7.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["white navy red", "7.5"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YXWEHR", "worker_id": "A1WS884SI0SLO4"}], "B093D8HPK9": [{"asin": "B093D8HPK9", "instruction": "in the accent furniture section, i am looking for an ottoman bench. must have folding storage, memory foam, contemporary style in the color black, and 30 inches in size.", "attributes": ["memory foam", "contemporary style", "faux leather"], "options": ["color: brown"], "instruction_attributes": ["memory foam", "contemporary style"], "instruction_options": ["brown"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FL7FBV", "worker_id": "A3RGIKEI8JS2QG"}], "B079YZGLC8": [{"asin": "B079YZGLC8", "instruction": "i want a 8.5 fl oz of volumizing oil free biotin shampoo.", "attributes": ["oil free", "cruelty free", "argan oil", "hair extensions", "natural hair", "hair treatment", "damaged hair", "hair growth", "hair loss"], "options": ["size: shampoo - 8.5 fl oz bottle"], "instruction_attributes": ["oil free"], "instruction_options": ["shampoo - 8.5 fl oz bottle"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCBL7HT", "worker_id": "A2RBF3IIJP15IH"}], "B09KGFMZCV": [{"asin": "B09KGFMZCV", "instruction": "i need a faux fur coat that is black and in a medium.", "attributes": ["hand wash", "quality polyester", "faux fur", "long sleeve"], "options": ["color: black", "size: medium"], "instruction_attributes": ["faux fur"], "instruction_options": ["black", "medium"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW3NT42", "worker_id": "A2ECRNQ3X5LEXD"}], "B093YSND5Y": [{"asin": "B093YSND5Y", "instruction": "i am looking for a laundry bag for travel purpose.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSHJ2QQ", "worker_id": "A2HMEGTAFO0CS8"}], "B000PD247Y": [{"asin": "B000PD247Y", "instruction": "i need some hinges for the cabinet that are heavy duty with a satin nickel finish.", "attributes": ["heavy duty", "nickel finish"], "options": ["color: satin nickel"], "instruction_attributes": ["heavy duty"], "instruction_options": ["satin nickel"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7U1HLL", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MS193N1": [{"asin": "B09MS193N1", "instruction": "i want a high definition germerse portable projector.", "attributes": ["high definition", "easy carry"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOH8DYW", "worker_id": "A2RBF3IIJP15IH"}], "B085419WXH": [{"asin": "B085419WXH", "instruction": "i want a water resistant kodak printomatic instant print camera.", "attributes": ["easy use", "water resistant", "carrying case"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRRRBZ7", "worker_id": "A2RBF3IIJP15IH"}], "B09GW5BZ1G": [{"asin": "B09GW5BZ1G", "instruction": "i want uscce alarm clock radio with batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9EOE2J", "worker_id": "A2RBF3IIJP15IH"}], "B07YYB2QW6": [{"asin": "B07YYB2QW6", "instruction": "i would like a clock radio with a usb port.", "attributes": ["hands free", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0RCAR5", "worker_id": "A1WS884SI0SLO4"}], "B01F7B0ZLU": [{"asin": "B01F7B0ZLU", "instruction": "i would like a blue jay fully assembled desk chair.", "attributes": ["height adjustable", "fully assembled"], "options": ["color: blue jay"], "instruction_attributes": ["fully assembled"], "instruction_options": ["blue jay"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR1TA0N", "worker_id": "A1WS884SI0SLO4"}], "B015ND5QJS": [{"asin": "B015ND5QJS", "instruction": "i want sure unscented, anti-perspirant deodorant.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ9JN0D", "worker_id": "A2RBF3IIJP15IH"}], "B091TK7X5K": [{"asin": "B091TK7X5K", "instruction": "i am looking for a camisole blouse for daily wear. also choose loose fit and large size.", "attributes": ["loose fit", "daily wear"], "options": ["color: f- sunflower - black", "size: large"], "instruction_attributes": ["loose fit", "daily wear"], "instruction_options": ["large"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQJV31B", "worker_id": "A2HMEGTAFO0CS8"}], "B094QYPSD6": [{"asin": "B094QYPSD6", "instruction": "i need a super soft fleece throw blanket for my living room couch. i really like the fruit avocado cartoon color.", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: fruit avocado cartoon", "size: 120\"x90\" for family"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["fruit avocado cartoon"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCRDQ5I", "worker_id": "A1NF6PELRKACS9"}], "B08M3WNDLH": [{"asin": "B08M3WNDLH", "instruction": "i need a long lasting makeup kit.", "attributes": ["long lasting", "water resistant", "easy apply", "high quality", "eye shadow"], "options": ["size: kit005"], "instruction_attributes": ["long lasting"], "instruction_options": ["kit005"], "assignment_id": "31JLPPHS254FPN8LK8H48035JUX3OQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B000EH4XZC": [{"asin": "B000EH4XZC", "instruction": "i want buy a jasmati gluten free bpa free non gmo rice size : 1.75 pound", "attributes": ["non gmo", "bpa free", "gluten free", "low fat"], "options": ["size: 1.75 pound (pack of 1)", "style: jasmati"], "instruction_attributes": ["non gmo", "bpa free", "gluten free"], "instruction_options": ["1.75 pound (pack of 1)", "jasmati"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3C8QN3", "worker_id": "A3N9ZYQAESNFQH"}], "B00B4JM0J0": [{"asin": "B00B4JM0J0", "instruction": "i want a 12 pack of tenergy premium rechargeable aaa batteries.", "attributes": ["high power", "aaa batteries"], "options": ["size: 12 pcs"], "instruction_attributes": ["aaa batteries"], "instruction_options": ["12 pcs"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUSRJQG", "worker_id": "A2RBF3IIJP15IH"}], "B08HRXWX4G": [{"asin": "B08HRXWX4G", "instruction": "i would like a 31.5 inch pendant light chandelier for the dining room.", "attributes": ["pendant light", "dining room"], "options": ["size: length 31.5''"], "instruction_attributes": ["pendant light", "dining room"], "instruction_options": ["length 31.5''"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017ZV4PZ", "worker_id": "A1WS884SI0SLO4"}], "B07N3CDZ3G": [{"asin": "B07N3CDZ3G", "instruction": "i need a black t shirt that is classic fit and an x-large for women", "attributes": ["wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "gym workout"], "options": ["color: black", "fit type: women", "size: x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["black", "women", "x-large"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTSDL7X", "worker_id": "A2ECRNQ3X5LEXD"}], "B000IVKM6S": [{"asin": "B000IVKM6S", "instruction": "i would like a box of 12 blueberry muffin bars that are made of natural ingredients.", "attributes": ["soy free", "non gmo", "plant based", "gluten free", "natural ingredients"], "options": ["flavor name: blueberry muffin", "size: 12 count (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["blueberry muffin", "12 count (pack of 1)"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZJXR7M", "worker_id": "A1WS884SI0SLO4"}], "B07BF6Z7TM": [{"asin": "B07BF6Z7TM", "instruction": "i am looking for a plant based condition that has olive on it and is 10.8 fl oz", "attributes": ["plant based", "hair loss"], "options": ["scent: olive & black seed", "size: 10.8 fl oz (pack of 1)"], "instruction_attributes": ["plant based"], "instruction_options": ["olive & black seed", "10.8 fl oz (pack of 1)"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BK4VJK", "worker_id": "A2ECRNQ3X5LEXD"}], "B000VOHH8I": [{"asin": "B000VOHH8I", "instruction": "i need a long lasting 6.76 fl oz bottle of l'eau d'issey.", "attributes": ["design house", "long lasting"], "options": ["size: 6.76 fl oz (pack of 1)"], "instruction_attributes": ["long lasting"], "instruction_options": ["6.76 fl oz (pack of 1)"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K61126", "worker_id": "A2RBF3IIJP15IH"}], "B08NXWGSL1": [{"asin": "B08NXWGSL1", "instruction": "i am looking for a dairy free cold coffee which is rich creamy. also choose chocolate milk color and 8.4 fl oz (pack of 6)", "attributes": ["shelf stable", "rich creamy", "dairy free"], "options": ["color: chocolate milk", "size: 8.4 fl oz (pack of 6)"], "instruction_attributes": ["rich creamy", "dairy free"], "instruction_options": ["chocolate milk", "8.4 fl oz (pack of 6)"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD810SC", "worker_id": "A2HMEGTAFO0CS8"}], "B086YQ42LX": [{"asin": "B086YQ42LX", "instruction": "i want light pink clip in full head hair extensions.", "attributes": ["hair extensions", "dry hair"], "options": ["color: light pink", "size: 24 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["light pink"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU86CMV", "worker_id": "A2RBF3IIJP15IH"}], "B09C332WLY": [{"asin": "B09C332WLY", "instruction": "i need a wax warmer for hair removal.", "attributes": ["easy clean", "natural ingredients", "hair removal", "nail art"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WOUQWC", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PQWGMPH": [{"asin": "B09PQWGMPH", "instruction": "i need type b monoculars that are easy to carry.", "attributes": ["easy carry", "high definition", "bird watching"], "options": ["*: type b"], "instruction_attributes": ["easy carry"], "instruction_options": ["type b"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R3DTYC", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RK7KBXF": [{"asin": "B09RK7KBXF", "instruction": "i would like a extra large red pair of shorts that i can machine washed.", "attributes": ["butt lifting", "machine washable", "hand wash", "elastic waistband", "high waist", "short sleeve", "teen girls"], "options": ["color: red", "size: x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["red", "x-large"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYL36M3", "worker_id": "A1WS884SI0SLO4"}], "B08R6BB3XC": [{"asin": "B08R6BB3XC", "instruction": "i am looking for some kosher raspberry candy that is in a one pound bag.", "attributes": ["old fashioned", "gluten free", "kosher certified", "valentine day", "birthday party"], "options": ["color: raspberry", "size: 1 pound (pack of 1)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["raspberry", "1 pound (pack of 1)"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFEZVMO", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PF38W9C": [{"asin": "B09PF38W9C", "instruction": "i am looking for a hand crafted chocolate gift set.", "attributes": ["hand crafted", "gift set"], "options": [""], "instruction_attributes": ["hand crafted", "gift set"], "instruction_options": [], "assignment_id": "37M28K1J01N18XG9DA49NC0PQADAJ8", "worker_id": "A2HMEGTAFO0CS8"}], "B09H2JW13J": [{"asin": "B09H2JW13J", "instruction": "i would like a sw 65 brown high quality hair extensions.", "attributes": ["high quality", "hair extensions"], "options": ["color: brown", "size: sw65-18h613"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": [], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRD6WNU", "worker_id": "A1WS884SI0SLO4"}], "B01LWV686W": [{"asin": "B01LWV686W", "instruction": "i am looking for some long lasting lavender hair color", "attributes": ["cruelty free", "long lasting", "rose gold"], "options": ["color: lavender"], "instruction_attributes": ["long lasting"], "instruction_options": ["lavender"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME92E2D5", "worker_id": "A2ECRNQ3X5LEXD"}], "B09R9Z116W": [{"asin": "B09R9Z116W", "instruction": "i want black masbird closed toe sandals for women.", "attributes": ["slip resistant", "closed toe", "ankle strap", "teen girls"], "options": ["color: black", "size: 8.5"], "instruction_attributes": ["closed toe"], "instruction_options": ["black"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI73SGZ0", "worker_id": "A2RBF3IIJP15IH"}], "B09S2VM5BL": [{"asin": "B09S2VM5BL", "instruction": "i would like a 5xl white short sleeve top.", "attributes": ["long sleeve", "short sleeve"], "options": ["color: 2-white", "size: 5x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["2-white", "5x-large"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYB1EIC", "worker_id": "A1WS884SI0SLO4"}], "B09LLZ3FMY": [{"asin": "B09LLZ3FMY", "instruction": "i would like a matte black 10 light chandelier for my dining room.", "attributes": ["light fixture", "glass shade", "pendant light", "living room", "dining room"], "options": ["color: matte black", "size: 10-light with adjustable height"], "instruction_attributes": ["dining room"], "instruction_options": ["matte black", "10-light with adjustable height"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E009X7F", "worker_id": "A1WS884SI0SLO4"}], "B07NL4CT8L": [{"asin": "B07NL4CT8L", "instruction": "i would like a quad i5 core desktop tower.", "attributes": ["high performance", "core i5", "quad core"], "options": [""], "instruction_attributes": ["core i5", "quad core"], "instruction_options": [], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZR704C", "worker_id": "A1WS884SI0SLO4"}], "B08WJMH85C": [{"asin": "B08WJMH85C", "instruction": "i am looking for refillable leak proof black plastic pump bottles.", "attributes": ["bpa free", "leak proof"], "options": ["color: black"], "instruction_attributes": ["leak proof"], "instruction_options": ["black"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC54PRKM", "worker_id": "A1EREKSZAA9V7B"}], "B007Q261WQ": [{"asin": "B007Q261WQ", "instruction": "i would like a jar candle that is long lasting and 6 oz.", "attributes": ["lead free", "long lasting"], "options": ["size: 6 oz"], "instruction_attributes": ["long lasting"], "instruction_options": ["6 oz"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSISB8A", "worker_id": "A2ECRNQ3X5LEXD"}], "B08V1N8ZX1": [{"asin": "B08V1N8ZX1", "instruction": "i want black caterpillar unisex shoes with rubber soles.", "attributes": ["day comfort", "rubber outsole", "rubber sole"], "options": ["color: black | black", "size: 11 wide women | 11 wide men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black | black"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB0G5YM", "worker_id": "A2RBF3IIJP15IH"}], "B0865NYZQ4": [{"asin": "B0865NYZQ4", "instruction": "i am looking for travel bottles 1.2 oz plastic, refillable makeup sprayer.", "attributes": ["leak proof", "easy use", "fine mist", "travel bottles"], "options": [""], "instruction_attributes": ["travel bottles"], "instruction_options": [], "assignment_id": "37UQDCYH685SGQI5NW68G99TKPX7VI", "worker_id": "A2KW17G25L25R8"}], "B091H3VWNQ": [{"asin": "B091H3VWNQ", "instruction": "i am looking for some dining room barstools", "attributes": ["height adjustable", "solid wood", "dining room"], "options": [""], "instruction_attributes": ["dining room"], "instruction_options": [], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQN7B10E", "worker_id": "A2ECRNQ3X5LEXD"}], "B08CMX9CTD": [{"asin": "B08CMX9CTD", "instruction": "i want 2 pounds of 4th & heart grass fed butter.", "attributes": ["grass fed", "lactose free", "old fashioned", "shelf stable", "non gmo", "gluten free"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["grass fed"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CVI3BQ", "worker_id": "A2RBF3IIJP15IH"}], "B087QR168J": [{"asin": "B087QR168J", "instruction": "i am looking for a 100 count bubblegum that is spearmint flavored and sugar free", "attributes": ["sugar free", "non gmo", "gluten free", "keto friendly", "natural ingredients"], "options": ["flavor name: spearmint", "size: 100 count (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["spearmint", "100 count (pack of 1)"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJKH8ZE", "worker_id": "A2ECRNQ3X5LEXD"}], "B01BMORA3M": [{"asin": "B01BMORA3M", "instruction": "i would like to have a soft black hair building fiber that prevents hair loss and is easy to apply.", "attributes": ["easy apply", "hair loss"], "options": ["color: soft black"], "instruction_attributes": ["easy apply", "hair loss"], "instruction_options": ["soft black"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMG5J1R", "worker_id": "A182YKPS46KE9F"}], "B09F656S51": [{"asin": "B09F656S51", "instruction": "i would like a usb network adapter that is easy to use.", "attributes": ["dual band", "easy carry", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYMVQM0", "worker_id": "A1WS884SI0SLO4"}], "B09STJVCQM": [{"asin": "B09STJVCQM", "instruction": "i need some living room furniture.", "attributes": ["storage space", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5E1WI3", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LV7HGHD": [{"asin": "B09LV7HGHD", "instruction": "i am looking for a high quality pink ice face roller with silicone ice mold.", "attributes": ["high quality", "bpa free", "easy use", "green tea"], "options": ["color: pink"], "instruction_attributes": ["high quality"], "instruction_options": ["pink"], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CW73BH", "worker_id": "A1EREKSZAA9V7B"}], "B093YSVRDF": [{"asin": "B093YSVRDF", "instruction": "i am looking for a wallet that can go with my hoisery.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery"], "instruction_options": [], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTJ8V5X", "worker_id": "A2ECRNQ3X5LEXD"}], "B0754J7ZVJ": [{"asin": "B0754J7ZVJ", "instruction": "i am looking for certified organic baby food squeeze pouches that are easy to use.", "attributes": ["easy use", "certified organic", "non gmo"], "options": [""], "instruction_attributes": ["easy use", "certified organic"], "instruction_options": [], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW3OT43", "worker_id": "A1EREKSZAA9V7B"}], "B08MDT98GD": [{"asin": "B08MDT98GD", "instruction": "i would like a bakers rack for my dining room.", "attributes": ["space saving", "storage unit", "dining room"], "options": [""], "instruction_attributes": ["dining room"], "instruction_options": [], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017ZJ4PN", "worker_id": "A1WS884SI0SLO4"}], "B09PR85B9T": [{"asin": "B09PR85B9T", "instruction": "i'm looking for open toe flat sandals for women in black color. please select size 5 if available.", "attributes": ["open toe", "knee high", "steel toe", "quality materials", "rubber outsole"], "options": ["color: black", "size: 5"], "instruction_attributes": ["open toe"], "instruction_options": ["black", "5"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADHDVWH", "worker_id": "A20DUVEOH6A7KW"}], "B01BO5PHNE": [{"asin": "B01BO5PHNE", "instruction": "i would like a green tea anti perspirant.", "attributes": ["anti perspirant", "green tea"], "options": [""], "instruction_attributes": ["anti perspirant", "green tea"], "instruction_options": [], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROKPNWWY", "worker_id": "A1WS884SI0SLO4"}], "B01H7X0BGK": [{"asin": "B01H7X0BGK", "instruction": "buy me some antiperspirant that hasn't been tested on animals.", "attributes": ["anti perspirant", "animal testing"], "options": [""], "instruction_attributes": ["anti perspirant", "animal testing"], "instruction_options": [], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y2VNNP", "worker_id": "AR9AU5FY1S3RO"}], "B07SJR1XFW": [{"asin": "B07SJR1XFW", "instruction": "i want a multi colored us constitution print that is ready to hang.", "attributes": ["ready hang", "dining room", "living room"], "options": ["color: multi8"], "instruction_attributes": ["ready hang"], "instruction_options": ["multi8"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNQPFJP", "worker_id": "A2RBF3IIJP15IH"}], "B09BVBVHTV": [{"asin": "B09BVBVHTV", "instruction": "i am looking for a super soft bed blanket that is 40inch by 30inches and has llamas.", "attributes": ["super soft", "fleece throw"], "options": ["color: just love llama", "size: 40 in x 30 in xs for pet"], "instruction_attributes": ["super soft"], "instruction_options": ["just love llama", "40 in x 30 in xs for pet"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL8418OXAF", "worker_id": "A2ECRNQ3X5LEXD"}], "B08643FGX5": [{"asin": "B08643FGX5", "instruction": "i am looking for a granola bar rolled oats and peanut butter with artificial flavour", "attributes": ["trader joe", "artificial flavors"], "options": [""], "instruction_attributes": ["artificial flavors"], "instruction_options": [], "assignment_id": "354P56DE9VDCOY11T1135MPMLLQS7L", "worker_id": "A3N9ZYQAESNFQH"}], "B08MVGSN5T": [{"asin": "B08MVGSN5T", "instruction": "i need a cruelty free skin care set.", "attributes": ["cruelty free", "dead skin"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJM79OD", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CKX77TL": [{"asin": "B09CKX77TL", "instruction": "i need some towels to dry my hair.", "attributes": ["easy clean", "dry hair"], "options": [""], "instruction_attributes": ["dry hair"], "instruction_options": [], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DP44KD", "worker_id": "A2ECRNQ3X5LEXD"}], "B0932JCSZP": [{"asin": "B0932JCSZP", "instruction": "i am looking for high quality tin jars with screw on lids, lip balm containers, pots for my diy's, salve powder, storage cans, spoon, labels.", "attributes": ["easy carry", "high quality"], "options": ["color: white", "size: 100ml"], "instruction_attributes": ["high quality"], "instruction_options": ["white"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7URHLB", "worker_id": "A2KW17G25L25R8"}], "B07NF9PRPH": [{"asin": "B07NF9PRPH", "instruction": "i am interested in buying a canon camera which has 1080p hd quality and also has optical zoom, i prefer having it in silver color.", "attributes": ["1080p hd", "optical zoom"], "options": ["color: silver"], "instruction_attributes": ["1080p hd", "optical zoom"], "instruction_options": ["silver"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4HT89Z", "worker_id": "AJY5G987IRT25"}], "B09K7SP9Y9": [{"asin": "B09K7SP9Y9", "instruction": "i want a xx-large regular fit hood crew men's polo shirt.", "attributes": ["hand wash", "machine wash", "wash cold", "polyester cotton", "regular fit", "button closure"], "options": ["color: navy & white", "size: xx-large"], "instruction_attributes": ["regular fit"], "instruction_options": ["xx-large"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDQL8YV", "worker_id": "A2RBF3IIJP15IH"}], "B09M7VS2QF": [{"asin": "B09M7VS2QF", "instruction": "i am in need of a 10x6.5ft, light weight and high resolution backdrop for digital photography.", "attributes": ["light weight", "high resolution", "high definition", "digital photography"], "options": ["size: 10x6.5ft"], "instruction_attributes": ["light weight", "high resolution", "digital photography"], "instruction_options": ["10x6.5ft"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZGBKMA", "worker_id": "ASWFLI3N8X72G"}], "B088R5X1X7": [{"asin": "B088R5X1X7", "instruction": "i need a high quality makeup mirror to be given as a gift for the maid of honor. find something in rose gold color.", "attributes": ["high quality", "rose gold"], "options": ["color: maid of honor"], "instruction_attributes": ["high quality", "rose gold"], "instruction_options": ["maid of honor"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF9ID94", "worker_id": "A1NF6PELRKACS9"}], "B0953MVBG4": [{"asin": "B0953MVBG4", "instruction": "i need a black train case that is high quality and medium in size", "attributes": ["high quality", "storage case"], "options": ["color: large black", "size: meduim"], "instruction_attributes": ["high quality"], "instruction_options": ["large black", "meduim"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYMW7N2", "worker_id": "A2ECRNQ3X5LEXD"}], "B019WAS2PI": [{"asin": "B019WAS2PI", "instruction": "i need high speed hdmi cables that are 10 feet long and in a 5 pack.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["pattern name: 1 pack", "size: 10 feet (5-pack)"], "instruction_attributes": ["high speed"], "instruction_options": ["10 feet (5-pack)"], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YGVE558", "worker_id": "A2ECRNQ3X5LEXD"}], "B07YF6B5XH": [{"asin": "B07YF6B5XH", "instruction": "i need 8.4 fl oz travel size voir haircare hair masks.", "attributes": ["travel size", "damaged hair", "dry hair"], "options": ["color: wash day duo kit", "size: 8.4 fl oz"], "instruction_attributes": ["travel size"], "instruction_options": ["8.4 fl oz"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAU929CW", "worker_id": "A2RBF3IIJP15IH"}], "B071FFPC3S": [{"asin": "B071FFPC3S", "instruction": "i would like a 18 by 18-inch teal throw pillow cover that can be machine washed.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: teal yellow", "size: 18 x 18-inch"], "instruction_attributes": ["machine washable"], "instruction_options": ["teal yellow", "18 x 18-inch"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323D9DDW2", "worker_id": "A1WS884SI0SLO4"}], "B09MV32C9T": [{"asin": "B09MV32C9T", "instruction": "i need some candle sconces for the living room", "attributes": ["wall mounted", "clear glass", "living room", "dining room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BKD8XB", "worker_id": "A2ECRNQ3X5LEXD"}], "B07DFDS6CS": [{"asin": "B07DFDS6CS", "instruction": "i need to buy the greaton 8 inch fully assembled traditional wooden box spring/mattress base for my bedroom. check the following measurements size: 75\" x 33\" and 4\" split base", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": ["size: 75\" x 33\"", "style name: 4\" split foundation"], "instruction_attributes": ["assembly required"], "instruction_options": ["75\" x 33\"", "4\" split foundation"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI3ST3I", "worker_id": "A15IJ20C3R4HUO"}], "B07VNQWW5H": [{"asin": "B07VNQWW5H", "instruction": "i am looking for a leopard shower cap for natural hair.", "attributes": ["easy carry", "natural hair", "hair loss"], "options": ["color: leopard"], "instruction_attributes": ["natural hair"], "instruction_options": ["leopard"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RFLFLI", "worker_id": "A2ECRNQ3X5LEXD"}], "B0953KT25P": [{"asin": "B0953KT25P", "instruction": "i am looking for taupe colored height adjustable bar stools with steel frame.", "attributes": ["height adjustable", "coated steel", "steel frame"], "options": ["color: taupe"], "instruction_attributes": ["height adjustable", "steel frame"], "instruction_options": ["taupe"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1D8RXF", "worker_id": "AJDQGOTMB2D80"}], "B07WF9RJD3": [{"asin": "B07WF9RJD3", "instruction": "i am looking for royal purple blackout curtains that are easy to install.", "attributes": ["heavy duty", "easy install"], "options": ["color: royal purple", "size: 42 in x 63 in (w x l)"], "instruction_attributes": ["easy install"], "instruction_options": ["royal purple"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0250RAKN", "worker_id": "A1EREKSZAA9V7B"}], "B08Q8H55YK": [{"asin": "B08Q8H55YK", "instruction": "i am looking for a hair extensions with 16 inch long also easy to apply.", "attributes": ["easy apply", "hair extensions"], "options": ["color: #16 | 22 light blonde highlighted golden blonde", "size: 16 inch"], "instruction_attributes": ["easy apply", "hair extensions"], "instruction_options": ["16 inch"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L06VCH", "worker_id": "A2HMEGTAFO0CS8"}], "B09MQW4CXY": [{"asin": "B09MQW4CXY", "instruction": "i would like some easy to use dental flossers.", "attributes": ["easy use", "stainless steel", "bad breath"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L6RREY", "worker_id": "A2ECRNQ3X5LEXD"}], "B013TNXWEK": [{"asin": "B013TNXWEK", "instruction": "i need some small black shoes for men that have arch support.", "attributes": ["day comfort", "arch support"], "options": ["color: black", "size: small"], "instruction_attributes": ["arch support"], "instruction_options": ["black", "small"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TW4SU4", "worker_id": "A2ECRNQ3X5LEXD"}], "B004SQZ4VW": [{"asin": "B004SQZ4VW", "instruction": "i need some steel toed shoes that are chocolate colored and are a size 7.", "attributes": ["lace closure", "steel toe", "rubber outsole", "rubber sole"], "options": ["color: chocolate", "size: 7"], "instruction_attributes": ["steel toe"], "instruction_options": ["chocolate", "7"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1D4RXB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QY8BC84": [{"asin": "B09QY8BC84", "instruction": "i need a fluoride free toothpaste made with natural ingredients which is good for sensitive teeth and can fight bad breath.", "attributes": ["fluoride free", "natural ingredients", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: a"], "instruction_attributes": ["fluoride free", "natural ingredients", "sensitive teeth"], "instruction_options": ["a"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCSRQ5Y", "worker_id": "ASWFLI3N8X72G"}], "B07MXR58WG": [{"asin": "B07MXR58WG", "instruction": "i want peanut butter super pop snacks that are plant based.", "attributes": ["plant based", "gluten free", "low carb", "dairy free", "low sugar", "high protein"], "options": ["flavor name: peanut butter variety", "size: 6 count (pack of 1)"], "instruction_attributes": ["plant based"], "instruction_options": ["peanut butter variety"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9MUVTO", "worker_id": "A2RBF3IIJP15IH"}], "B08QTYTB8C": [{"asin": "B08QTYTB8C", "instruction": "i would like a 30 by 60 inch blue painting for the living room.", "attributes": ["hand painted", "ready hang", "living room", "dining room"], "options": ["color: bl-013", "size: 30x60 inch"], "instruction_attributes": ["living room"], "instruction_options": ["bl-013", "30x60 inch"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL6KCEB", "worker_id": "A1WS884SI0SLO4"}], "B09RW15VTG": [{"asin": "B09RW15VTG", "instruction": "i need a box spring mattress.", "attributes": ["twin size", "box spring"], "options": [""], "instruction_attributes": ["box spring"], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N417TM", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H8QZWZ1": [{"asin": "B09H8QZWZ1", "instruction": "i am looking for a moisturizing skin scrub that is alcohol free.", "attributes": ["dermatologist tested", "alcohol free"], "options": ["style: scrub"], "instruction_attributes": ["alcohol free"], "instruction_options": ["scrub"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGCW9SY", "worker_id": "AJDQGOTMB2D80"}], "B072QCQJVS": [{"asin": "B072QCQJVS", "instruction": "looking for a medium sized, high waist denim shorts for teen girls.", "attributes": ["high waist", "teen girls"], "options": ["color: f3-blue1-20256", "size: medium"], "instruction_attributes": ["high waist", "teen girls"], "instruction_options": ["medium"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9CNZRZ", "worker_id": "ASWFLI3N8X72G"}], "B09QPYJPKZ": [{"asin": "B09QPYJPKZ", "instruction": "i need a medium sized body suit that is long sleeved and in white.", "attributes": ["long sleeve", "everyday wear"], "options": ["color: x02-white", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x02-white", "medium"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP619DVS", "worker_id": "A2ECRNQ3X5LEXD"}], "B0969H5DJX": [{"asin": "B0969H5DJX", "instruction": "i would like a 52 cm brown bed riser with a lot of storage space.", "attributes": ["heavy duty", "storage space"], "options": ["color: brown-b", "size: 52cm"], "instruction_attributes": ["storage space"], "instruction_options": ["brown-b", "52cm"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYQ9ZOY", "worker_id": "A1WS884SI0SLO4"}], "B088GYH4KF": [{"asin": "B088GYH4KF", "instruction": "i am looking for a 12 count of low sugar espresso bars", "attributes": ["low sugar", "high protein", "low carb", "artificial ingredients", "gluten free", "chocolate covered"], "options": ["flavor name: 12ct espresso"], "instruction_attributes": ["low sugar"], "instruction_options": ["12ct espresso"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9UR5XL", "worker_id": "A2ECRNQ3X5LEXD"}], "B0069874ZQ": [{"asin": "B0069874ZQ", "instruction": "i want fully cooked spam classic lite singles.", "attributes": ["fully cooked", "shelf stable", "protein serving"], "options": [""], "instruction_attributes": ["fully cooked"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZKAY1W", "worker_id": "A2RBF3IIJP15IH"}], "B085928MJN": [{"asin": "B085928MJN", "instruction": "i would like a 36 by 48 inch painting for my living room that is of a red barn", "attributes": ["hand painted", "ready hang", "wood frame", "living room", "dining room"], "options": ["color: red barn", "size: 36x48in"], "instruction_attributes": ["living room"], "instruction_options": ["red barn", "36x48in"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQR2HI4", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R771GPW": [{"asin": "B08R771GPW", "instruction": "i need some teeth whitening that also freshens breath.", "attributes": ["easy carry", "fresh breath"], "options": [""], "instruction_attributes": ["fresh breath"], "instruction_options": [], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR64793H32", "worker_id": "A2ECRNQ3X5LEXD"}], "B00IH0FYJ2": [{"asin": "B00IH0FYJ2", "instruction": "i want trader joe's freeze dried mangos.", "attributes": ["freeze dried", "trader joe"], "options": [""], "instruction_attributes": ["freeze dried", "trader joe"], "instruction_options": [], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY1EP7X", "worker_id": "A2RBF3IIJP15IH"}], "B00MJW2X8E": [{"asin": "B00MJW2X8E", "instruction": "i would like to have a kosher gelato.", "attributes": ["non gmo", "kosher certified", "high fructose"], "options": [""], "instruction_attributes": ["kosher certified"], "instruction_options": [], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUH13RJ", "worker_id": "A1WS884SI0SLO4"}], "B01LTHYWAQ": [{"asin": "B01LTHYWAQ", "instruction": "get me some toothpaste for sensitive teeth that has preventive and restorative properties.", "attributes": ["clinically proven", "sensitive teeth"], "options": ["color: prevent and repair"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["prevent and repair"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KNZJLO", "worker_id": "AR9AU5FY1S3RO"}], "B09895X3NW": [{"asin": "B09895X3NW", "instruction": "i'm looking for a buffet sideboard cabinet with clear glass doors. prefer the size to be \"b type espresso-28\u201cl x 14.6\u201dw x 29\u201dh\" .", "attributes": ["clear glass", "dining room", "living room"], "options": ["size: b type espresso-28\u201cl x 14.6\u201dw x 29\u201dh"], "instruction_attributes": ["clear glass"], "instruction_options": [], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQEDCJT", "worker_id": "A20DUVEOH6A7KW"}], "B097GZ81LY": [{"asin": "B097GZ81LY", "instruction": "i want large high waisted congyee women's athletic shorts.", "attributes": ["moisture wicking", "machine washable", "tummy control", "high waist", "polyester spandex"], "options": ["color: #5-grey", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": ["large"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNU1H8Y", "worker_id": "A2RBF3IIJP15IH"}], "B07PTZ3141": [{"asin": "B07PTZ3141", "instruction": "i need to buy an eight by six foot backdrop for digital photography. it should be high resolution and light weight.", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 8x6ft"], "instruction_attributes": ["light weight", "high resolution", "digital photography"], "instruction_options": ["8x6ft"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4AERQB", "worker_id": "AR9AU5FY1S3RO"}], "B01GEW27DA": [{"asin": "B01GEW27DA", "instruction": "i would like a quad core tablet that is black and has 8gb of ram", "attributes": ["dual band", "quad core"], "options": ["color: black", "offer type: without special offers", "style: 8 gb"], "instruction_attributes": ["quad core"], "instruction_options": ["black", "8 gb"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6C3VEU", "worker_id": "A2ECRNQ3X5LEXD"}], "B08JZJVNPM": [{"asin": "B08JZJVNPM", "instruction": "i am interested in plant based granola bars that are banana flavored and come in a pack of 12.", "attributes": ["grain free", "chocolate covered", "plant based", "non gmo", "gluten free"], "options": ["flavor name: banana", "size: 1.7 ounce (pack of 12)"], "instruction_attributes": ["plant based"], "instruction_options": ["banana", "1.7 ounce (pack of 12)"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUT9I1F0", "worker_id": "A2ECRNQ3X5LEXD"}], "B0018OHOPG": [{"asin": "B0018OHOPG", "instruction": "i am looking for straight legged jeans in size 66w x 28l, that are also machine washable.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: bubble cheetah anthracite", "size: 66w x 28l"], "instruction_attributes": ["straight leg", "machine wash"], "instruction_options": ["66w x 28l"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4AKQRG", "worker_id": "A2NSS746CFCT4M"}], "B01KI9G5D8": [{"asin": "B01KI9G5D8", "instruction": "i need a black hoodie that is machine washable and is 4x-large.", "attributes": ["machine wash", "wash cold", "polyester cotton", "tumble dry"], "options": ["color: black", "size: 4x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["black", "4x-large"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39BDZCM", "worker_id": "A2ECRNQ3X5LEXD"}], "B01LZ9TVW8": [{"asin": "B01LZ9TVW8", "instruction": "i want a variety pack of non gmo 7days bagel chips.", "attributes": ["non gmo", "artificial flavors"], "options": ["flavor: variety (garlic, sea salt, cinnamon raisin)", "size: 2.82 ounce (pack of 12)"], "instruction_attributes": ["non gmo"], "instruction_options": ["variety (garlic, sea salt, cinnamon raisin)"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WTC1AU", "worker_id": "A2RBF3IIJP15IH"}], "B09STB31NW": [{"asin": "B09STB31NW", "instruction": "i need a non slip pair of women's shoes with rubber soles. it should be in size 11.5.", "attributes": ["non slip", "contrast color", "fashion design", "quality materials", "rubber sole"], "options": ["color: american element, fish pattern design", "size: 11.5"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["11.5"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGU9KMRM", "worker_id": "A1NF6PELRKACS9"}], "B07NXN3V27": [{"asin": "B07NXN3V27", "instruction": "i am looking for a low sugar blue cheese and chive steak sauce.", "attributes": ["bpa free", "low sugar"], "options": [""], "instruction_attributes": ["low sugar"], "instruction_options": [], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BL3JV9", "worker_id": "A1EREKSZAA9V7B"}], "B09R1MRJ7S": [{"asin": "B09R1MRJ7S", "instruction": "i am looking for the high waist bikini push up swimwear. i want it in red.", "attributes": ["high waist", "tumble dry"], "options": ["color: red", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": ["red"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY5JU0J", "worker_id": "A1NF6PELRKACS9"}], "B008BRLSP0": [{"asin": "B008BRLSP0", "instruction": "i want a 24 pack of gluten free goya foods cream of coconut.", "attributes": ["non dairy", "low sodium", "soy free", "gluten free"], "options": ["size: 15 ounce (pack of 24)"], "instruction_attributes": ["gluten free"], "instruction_options": ["15 ounce (pack of 24)"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGAKSMV", "worker_id": "A2RBF3IIJP15IH"}], "B073V6B9TY": [{"asin": "B073V6B9TY", "instruction": "i want brass calhoun collection farmhouse bath vanity lights.", "attributes": ["mid century", "bronze finish", "vanity light", "clear glass"], "options": ["color: brass"], "instruction_attributes": ["vanity light"], "instruction_options": ["brass"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3C5N6E", "worker_id": "A2RBF3IIJP15IH"}], "B013RIOOFS": [{"asin": "B013RIOOFS", "instruction": "i am looking for an anti aging face serum, tighten, brighten, and hydrate.", "attributes": ["animal testing", "anti aging", "cruelty free", "dark circles", "fine lines", "dry skin"], "options": ["size: 1.75 fl oz"], "instruction_attributes": ["anti aging"], "instruction_options": ["1.75 fl oz"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW59S8L", "worker_id": "A2KW17G25L25R8"}], "B09NB9JW4M": [{"asin": "B09NB9JW4M", "instruction": "i would like a pink hair straightener for styling.", "attributes": ["easy carry", "hair styling"], "options": ["color: pink"], "instruction_attributes": ["hair styling"], "instruction_options": ["pink"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPK0SYN", "worker_id": "A2ECRNQ3X5LEXD"}], "B07BKQ137Y": [{"asin": "B07BKQ137Y", "instruction": "i would like two bags of a variety four pack of gluten free crackers.", "attributes": ["gluten free", "keto friendly", "non gmo"], "options": ["flavor name: variety 4 pack", "size: 2 bags"], "instruction_attributes": ["gluten free"], "instruction_options": ["variety 4 pack", "2 bags"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RY57WY", "worker_id": "A1WS884SI0SLO4"}], "B09JS6P9P9": [{"asin": "B09JS6P9P9", "instruction": "find me some highly pigmented eye shadow in color b.", "attributes": ["highly pigmented", "easy apply", "long lasting", "eye shadow", "nail art"], "options": ["color: b"], "instruction_attributes": ["highly pigmented", "eye shadow"], "instruction_options": ["b"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H378UW", "worker_id": "AR9AU5FY1S3RO"}], "B07JZL2N7V": [{"asin": "B07JZL2N7V", "instruction": "hello . looking for my new home easy install wall speaker, monoprice carbon fiber - 300 watt 10 inch (each) subwoofer, for home theater .", "attributes": ["easy install", "carbon fiber"], "options": ["size: 10 in", "style: 3 way"], "instruction_attributes": ["easy install"], "instruction_options": ["10 in", "3 way"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL99WV2B", "worker_id": "A15IJ20C3R4HUO"}], "B07KXD5H85": [{"asin": "B07KXD5H85", "instruction": "i am looking for a men's shorts with stretch fabric in 3xl size. also in royal blue color.", "attributes": ["moisture wicking", "stretch fabric", "elastic closure", "elastic waistband"], "options": ["color: royal blue", "size: 3x-large"], "instruction_attributes": ["stretch fabric"], "instruction_options": ["royal blue", "3x-large"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67KJN4B", "worker_id": "A2HMEGTAFO0CS8"}], "B07MLJFSW3": [{"asin": "B07MLJFSW3", "instruction": "i want a farmhouse grey acadian solid wood side table.", "attributes": ["solid wood", "living room"], "options": ["color: farmhouse grey"], "instruction_attributes": ["solid wood"], "instruction_options": ["farmhouse grey"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NLNP2C", "worker_id": "A2RBF3IIJP15IH"}], "B08HRYSFKM": [{"asin": "B08HRYSFKM", "instruction": "i am looking for a high performance tablet with quad core processor which should have sim support and all necessary features.", "attributes": ["high performance", "quad core"], "options": [""], "instruction_attributes": ["high performance", "quad core"], "instruction_options": [], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCNNI7I", "worker_id": "ASWFLI3N8X72G"}], "B07FMRG1PF": [{"asin": "B07FMRG1PF", "instruction": "i need low carb protein bars", "attributes": ["keto friendly", "low carb"], "options": [""], "instruction_attributes": ["low carb"], "instruction_options": [], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54PC386", "worker_id": "A2ECRNQ3X5LEXD"}], "B08G9W5T9J": [{"asin": "B08G9W5T9J", "instruction": "i am looking for a legacy grenadine colored men's dress shirt that is machine washable.", "attributes": ["slim fit", "easy care", "machine wash", "stretch fabric", "cotton spandex", "button closure"], "options": ["color: legacy grenadine", "size: 16.5\" neck 34\"-35\" sleeve"], "instruction_attributes": ["machine wash"], "instruction_options": ["legacy grenadine"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1HZU3A", "worker_id": "A1EREKSZAA9V7B"}], "B015YITIGY": [{"asin": "B015YITIGY", "instruction": "i am looking for an assorted small cookie gift set that s covered with chocolate please.", "attributes": ["chocolate covered", "gift set", "valentine day", "gift basket"], "options": ["flavor name: assorted", "size: small"], "instruction_attributes": ["chocolate covered", "gift set"], "instruction_options": ["assorted", "small"], "assignment_id": "32SCWG5HISEW7674IASH43KF3QRP6V", "worker_id": "A182YKPS46KE9F"}], "B01H7ENCMO": [{"asin": "B01H7ENCMO", "instruction": "i am looking for standard sized levi strauss & co. men's carpenter jeans that are machine washable.", "attributes": ["straight leg", "day comfort", "machine wash", "imported zipper"], "options": ["color: light mocha-waterless", "size: 50w x 32l", "special size: standard"], "instruction_attributes": ["machine wash"], "instruction_options": ["standard"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQAYVKF", "worker_id": "A1EREKSZAA9V7B"}], "B07RQ7VQ8V": [{"asin": "B07RQ7VQ8V", "instruction": "i am looking for a light weight medium size body shaper for men. also, i prefer a white colored one.", "attributes": ["light weight", "moisture wicking", "nylon spandex"], "options": ["color: white (with tummy folds)", "size: medium"], "instruction_attributes": ["light weight"], "instruction_options": ["white (with tummy folds)", "medium"], "assignment_id": "33TIN5LC0FKDY31374RC144TXXW9YG", "worker_id": "AJDQGOTMB2D80"}], "B073WD1PN1": [{"asin": "B073WD1PN1", "instruction": "i need a machine washable throw pillow cover that is in a grey color and is 16\" by 16\"", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: grey dust", "size: 16\" x 16\""], "instruction_attributes": ["machine washable"], "instruction_options": ["grey dust", "16\" x 16\""], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBQ2JE5", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GY89RK9": [{"asin": "B08GY89RK9", "instruction": "i want a lorex 16-channel 4k uhd dvr surveillance system with motion detection.", "attributes": ["hands free", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCG4E0Z", "worker_id": "A2RBF3IIJP15IH"}], "B06XR97NGM": [{"asin": "B06XR97NGM", "instruction": "i would like a six drawer natural walnut dresser with bronze finishes.", "attributes": ["bronze finish", "engineered wood"], "options": ["color: adler - natural walnut", "size: 6-drawer"], "instruction_attributes": ["bronze finish"], "instruction_options": ["adler - natural walnut", "6-drawer"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH151HWH5", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B06XR97NGM", "instruction": "i am looking for a 9 drawer dresser with a bronze finish.", "attributes": ["bronze finish", "engineered wood"], "options": ["color: riva - chocolate brown", "size: 9-drawer"], "instruction_attributes": ["bronze finish"], "instruction_options": ["9-drawer"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQATKVZ", "worker_id": "A1EREKSZAA9V7B"}], "B082CSSS2M": [{"asin": "B082CSSS2M", "instruction": "i need cupcake toppers for a baby shower", "attributes": ["baby shower", "valentine day", "cupcake picks"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7MSOBK", "worker_id": "A2ECRNQ3X5LEXD"}], "B08KLGJBRJ": [{"asin": "B08KLGJBRJ", "instruction": "i need a wall mounted mirror that is 36 by 28 inches.", "attributes": ["wall mounted", "contemporary style"], "options": ["size: 36 x28 inch"], "instruction_attributes": ["wall mounted"], "instruction_options": ["36 x28 inch"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCNL7I5", "worker_id": "A2ECRNQ3X5LEXD"}], "B08CXZHG4C": [{"asin": "B08CXZHG4C", "instruction": "i want a black non slip cordking designed for iphone 12.", "attributes": ["non slip", "wireless charging"], "options": ["color: black"], "instruction_attributes": ["non slip"], "instruction_options": ["black"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYO7Q9M", "worker_id": "A2RBF3IIJP15IH"}], "B07G7SP5WB": [{"asin": "B07G7SP5WB", "instruction": "i need a portable bluetooth speaker that is hands free. pick something in blue.", "attributes": ["hands free", "stereo sound"], "options": ["color: blue"], "instruction_attributes": ["hands free"], "instruction_options": ["blue"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NIHBKO", "worker_id": "A1NF6PELRKACS9"}], "B07XBZ1MPH": [{"asin": "B07XBZ1MPH", "instruction": "i need some living room drapes that are greyish white and are 52w by 108l", "attributes": ["machine washable", "easy install", "living room"], "options": ["color: greyish white", "size: 52w x 108l"], "instruction_attributes": ["living room"], "instruction_options": ["greyish white", "52w x 108l"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H2Y8UL", "worker_id": "A2ECRNQ3X5LEXD"}], "B091CRF68B": [{"asin": "B091CRF68B", "instruction": "i would like a medium purple short sleeve shirt.", "attributes": ["butt lifting", "loose fit", "slim fit", "long sleeve", "short sleeve", "tummy control", "high waist", "classic fit", "teen girls"], "options": ["color: purple-8", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["purple-8", "medium"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662VRM4U", "worker_id": "A1WS884SI0SLO4"}], "B07NLB7W1P": [{"asin": "B07NLB7W1P", "instruction": "i want a coffee scented coconut oil face scrub.", "attributes": ["coconut oil", "argan oil"], "options": ["scent: coffee"], "instruction_attributes": ["coconut oil"], "instruction_options": ["coffee"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0AM164", "worker_id": "A2RBF3IIJP15IH"}], "B077P2FKZH": [{"asin": "B077P2FKZH", "instruction": "i'm looking for a white king-sized bedroom set with a box spring.", "attributes": ["button tufted", "box spring", "solid wood"], "options": ["color: white", "size: king", "style: metal bed"], "instruction_attributes": ["box spring"], "instruction_options": ["white", "king"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUS1QJX", "worker_id": "A19317A3X87NVM"}], "B0986VB3R6": [{"asin": "B0986VB3R6", "instruction": "i would like purchase 6light chandeliers such as brass mate back model also installations will be easy for my home into dining room", "attributes": ["easy install", "pendant light", "light fixture", "dining room", "living room"], "options": ["color: brass", "size: 6lights"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH941EL", "worker_id": "A3RBCGB309WPOC"}], "B09FKYGPGC": [{"asin": "B09FKYGPGC", "instruction": "i am looking for a soft shower body brush with a long handle.", "attributes": ["long handle", "dead skin"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWZPT5E", "worker_id": "AJDQGOTMB2D80"}], "B09881DT11": [{"asin": "B09881DT11", "instruction": "some loose fitting white joggers in an xx-large would be nice.", "attributes": ["slim fit", "moisture wicking", "loose fit", "hand wash", "drawstring closure", "regular fit", "relaxed fit", "everyday wear", "gym workout", "daily wear"], "options": ["color: white", "size: xx-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["white", "xx-large"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZI6K9F", "worker_id": "A2ECRNQ3X5LEXD"}], "B01GUPABIO": [{"asin": "B01GUPABIO", "instruction": "i\u2019d like to find a multipack of macaroni cheese in white cheddar flavour. but it must not contain any dairy or gluten.", "attributes": ["gluten free", "plant based", "dairy free", "soy free", "non gmo", "artificial flavors"], "options": ["flavor name: white cheddar", "size: 10.6 ounce (pack of 8)"], "instruction_attributes": ["gluten free", "dairy free"], "instruction_options": ["white cheddar"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX3IFAW", "worker_id": "A3LIIE572Z4OG7"}], "B07L75RSD5": [{"asin": "B07L75RSD5", "instruction": "i am interested in a beige and wine living room rug.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: beige | wine", "size: 2' 2\" x 14'"], "instruction_attributes": ["living room"], "instruction_options": ["beige | wine"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83JTIJX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PV6QPPN": [{"asin": "B09PV6QPPN", "instruction": "i need wedge sandals that are high heel and 6.5 narrow.", "attributes": ["open toe", "high heel"], "options": ["size: 6.5 narrow"], "instruction_attributes": ["high heel"], "instruction_options": ["6.5 narrow"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWX11R3", "worker_id": "A2ECRNQ3X5LEXD"}], "B088N8FZMV": [{"asin": "B088N8FZMV", "instruction": "i want some cake toppers for my party supplies.", "attributes": ["cupcake picks", "party supplies"], "options": [""], "instruction_attributes": ["party supplies"], "instruction_options": [], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZAZAPQ", "worker_id": "A1WS884SI0SLO4"}], "B0972Q1T8T": [{"asin": "B0972Q1T8T", "instruction": "i want a noise cancelling cosycost usb microphone.", "attributes": ["noise cancelling", "plug play"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3QWZML", "worker_id": "A2RBF3IIJP15IH"}], "B08989D7RZ": [{"asin": "B08989D7RZ", "instruction": "i am looking for a displayport to hdmi adapter with plug and play option. also support 4k / 30hz.", "attributes": ["plug play", "usb port"], "options": ["pattern name: displayport", "style: 4k | 30hz"], "instruction_attributes": ["plug play"], "instruction_options": ["displayport", "4k | 30hz"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWPWPF0", "worker_id": "A2HMEGTAFO0CS8"}], "B09QPR5NQL": [{"asin": "B09QPR5NQL", "instruction": "i want a pair of pink high heeled sandals with an open toe and a leather sole.", "attributes": ["open toe", "non slip", "leather sole", "high heel"], "options": ["color: sandals 04 pink", "size: 10"], "instruction_attributes": ["open toe", "leather sole"], "instruction_options": ["sandals 04 pink", "10"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYQCZO1", "worker_id": "AR9AU5FY1S3RO"}], "B09KV72579": [{"asin": "B09KV72579", "instruction": "could you find for me for my living room room this product: green palm leaf curtains tropical leaves botanical pattern print blackout curtains, panel set window curtains size 52x24 in", "attributes": ["easy clean", "living room", "dining room"], "options": ["color: cactus backgroundlop4064", "size: 52x24in"], "instruction_attributes": ["living room"], "instruction_options": ["52x24in"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7Z3MH4", "worker_id": "A15IJ20C3R4HUO"}], "B07V5FS2FQ": [{"asin": "B07V5FS2FQ", "instruction": "i want a light weight leyiyi 15x10ft 80's party backdrop.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 15x10ft-vinyl"], "instruction_attributes": ["light weight"], "instruction_options": ["15x10ft-vinyl"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602SI95Q", "worker_id": "A2RBF3IIJP15IH"}], "B07LB4K52K": [{"asin": "B07LB4K52K", "instruction": "i am looking for a certified refurbished nintendo 3ds.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YGANPX", "worker_id": "A2ECRNQ3X5LEXD"}], "B08T8Q5JXC": [{"asin": "B08T8Q5JXC", "instruction": "i'm looking for some juicy watermelon lip gloss that's paraben and oil free.", "attributes": ["oil free", "paraben free", "cruelty free", "long lasting", "sensitive skin"], "options": ["color: juicy watermelon"], "instruction_attributes": ["oil free", "paraben free"], "instruction_options": ["juicy watermelon"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHYG7BD", "worker_id": "AR9AU5FY1S3RO"}], "B08WHJLGWT": [{"asin": "B08WHJLGWT", "instruction": "i want to buy a vinyl skin for my ps5. look for one that's easy to install. the color should be marijuana black, and get the disc edition size.", "attributes": ["easy install", "easy use", "carbon fiber"], "options": ["color: marijuana black carbon fiber", "size: disc edition"], "instruction_attributes": ["easy install"], "instruction_options": ["marijuana black carbon fiber", "disc edition"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KMQHUD", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08WHJLGWT", "instruction": "i am looking for an easy to install matte black vinyl skin decal for playstation 5 console and it's two controllers.", "attributes": ["easy install", "easy use", "carbon fiber"], "options": ["color: matte black", "size: digital edition"], "instruction_attributes": ["easy install"], "instruction_options": ["matte black"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYM9GC6", "worker_id": "AJDQGOTMB2D80"}], "B07L4YCSQL": [{"asin": "B07L4YCSQL", "instruction": "i want green tea scented brickell men's morning face care routine.", "attributes": ["certified organic", "alcohol free", "green tea", "hyaluronic acid"], "options": ["scent: scented"], "instruction_attributes": ["green tea"], "instruction_options": ["scented"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69LKP8K", "worker_id": "A2RBF3IIJP15IH"}], "B094R56BLY": [{"asin": "B094R56BLY", "instruction": "buy me a pair of black snake leather flip flops with arch support in a size six.", "attributes": ["leather sole", "arch support"], "options": ["color: black snake leather", "size: 6"], "instruction_attributes": ["arch support"], "instruction_options": ["black snake leather", "6"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRW0XJF", "worker_id": "AR9AU5FY1S3RO"}], "B09FWZYWC5": [{"asin": "B09FWZYWC5", "instruction": "i am looking for a youth classic fit t-shirt that is black and large.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: youth", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["black", "youth", "large"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB455AQZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B094QPWBTN": [{"asin": "B094QPWBTN", "instruction": "i am looking for a hand painted woman sculpture made of wood for my living room.", "attributes": ["hand painted", "living room"], "options": [""], "instruction_attributes": ["hand painted", "living room"], "instruction_options": [], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQ9NGH", "worker_id": "A1EREKSZAA9V7B"}], "B071CDLM1Q": [{"asin": "B071CDLM1Q", "instruction": "i am looking for an easy to prepare and ready to eat packaged rice. also, please make sure that it is cheddar broccoli flavored and has 8 packs.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: cheddar broccoli", "size: pack of 8"], "instruction_attributes": ["easy prepare"], "instruction_options": ["cheddar broccoli", "pack of 8"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRRWZB0", "worker_id": "AJDQGOTMB2D80"}], "B07FQ7QNDL": [{"asin": "B07FQ7QNDL", "instruction": "i'm looking for an 8 bay battery charger with rechargeable triple a batteries. it should be fast charging and have a usb port. get the one that's size 808u+8aa+8aaa.", "attributes": ["fast charging", "aaa batteries", "usb port"], "options": ["size: 808u+8aa+8aaa"], "instruction_attributes": ["fast charging", "aaa batteries", "usb port"], "instruction_options": ["808u+8aa+8aaa"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQN8J10O", "worker_id": "AR9AU5FY1S3RO"}], "B092VSCVHF": [{"asin": "B092VSCVHF", "instruction": "i want a walnut wersmt led tv stand for my living room.", "attributes": ["white item", "high gloss", "tempered glass", "storage space", "living room"], "options": ["color: walnut", "size: 71 \"w \u00d7 17\" d \u00d7 12 \"h"], "instruction_attributes": ["living room"], "instruction_options": ["walnut"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIPI846", "worker_id": "A2RBF3IIJP15IH"}], "B08611W97Q": [{"asin": "B08611W97Q", "instruction": "i want a high wasted swimdress with sunflowers on it. get the size large.", "attributes": ["light weight", "polyester spandex", "tummy control", "high waist"], "options": ["color: sunflower", "size: large"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QBV1MA", "worker_id": "AR9AU5FY1S3RO"}], "B07658L9HR": [{"asin": "B07658L9HR", "instruction": "i am looking for a sofa made up of pu leather in ottoman size. also in navy leather color.", "attributes": ["button tufted", "pu leather", "faux leather"], "options": ["color: navy leather", "size: ottoman"], "instruction_attributes": ["pu leather"], "instruction_options": ["navy leather", "ottoman"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAEPOV7", "worker_id": "A2HMEGTAFO0CS8"}], "B09HY3G462": [{"asin": "B09HY3G462", "instruction": "i would like a bottle of paraben free hair color.", "attributes": ["sulfate free", "paraben free", "cruelty free", "argan oil", "permanent hair"], "options": [""], "instruction_attributes": ["paraben free"], "instruction_options": [], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAZGA8L", "worker_id": "A1WS884SI0SLO4"}], "B09P1TBBJL": [{"asin": "B09P1TBBJL", "instruction": "i want a black executive office chair with footrest lumbar support.", "attributes": ["high density", "heavy duty", "easy assemble", "lumbar support", "pu leather"], "options": ["color: black"], "instruction_attributes": ["lumbar support"], "instruction_options": ["black"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKJRT13", "worker_id": "A2RBF3IIJP15IH"}], "B01525ZA1G": [{"asin": "B01525ZA1G", "instruction": "look for a coffee gift set with whole bean flavor.", "attributes": ["gift set", "gift basket"], "options": ["flavor name: whole bean"], "instruction_attributes": ["gift set"], "instruction_options": ["whole bean"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSENZPGOY", "worker_id": "A15ERD4HOFEPHM"}], "B09C7WKKVK": [{"asin": "B09C7WKKVK", "instruction": "i would like a #b of long lasting lipstick.", "attributes": ["long lasting", "easy carry"], "options": ["color: #b"], "instruction_attributes": ["long lasting"], "instruction_options": ["#b"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IO4LT7", "worker_id": "A1WS884SI0SLO4"}], "B09P4R6VXR": [{"asin": "B09P4R6VXR", "instruction": "i would like a yellow heavy duty desk that is easy to clean.", "attributes": ["heavy duty", "easy clean", "coated steel"], "options": ["color: yellow"], "instruction_attributes": ["heavy duty", "easy clean"], "instruction_options": ["yellow"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YXTEHO", "worker_id": "A1WS884SI0SLO4"}], "B018LJZU4C": [{"asin": "B018LJZU4C", "instruction": "i would like a bag of fifty cotton candy sugar free gum.", "attributes": ["sugar free", "gluten free"], "options": ["flavor name: cotton candy", "size: 50 count (pack of 6)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODL9EWR", "worker_id": "A1WS884SI0SLO4"}], "B088WGMG7P": [{"asin": "B088WGMG7P", "instruction": "i would like a red hdmi cable that is long lasting.", "attributes": ["non slip", "long lasting", "plug play", "aluminum alloy"], "options": ["color: red"], "instruction_attributes": ["long lasting"], "instruction_options": ["red"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVF7P1T", "worker_id": "A1WS884SI0SLO4"}], "B09L52YYMB": [{"asin": "B09L52YYMB", "instruction": "i want fully cooked dill and fava wild garden heat and serve pilaf.", "attributes": ["fully cooked", "ready eat", "natural ingredients"], "options": ["flavor name: dill and fava", "size: 8.8 ounce (pack of 1)"], "instruction_attributes": ["fully cooked"], "instruction_options": ["dill and fava"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7TXUCR", "worker_id": "A2RBF3IIJP15IH"}], "B09CPRKRSF": [{"asin": "B09CPRKRSF", "instruction": "i need a 42mm smartwatch band that is easy to install.", "attributes": ["compatible apple", "easy install"], "options": ["color: 5", "size: 42mm | 44mm"], "instruction_attributes": ["easy install"], "instruction_options": ["42mm | 44mm"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X4TGPN", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HJ4TLXH": [{"asin": "B08HJ4TLXH", "instruction": "i would like three pairs of cruelty free eyelashes.", "attributes": ["cruelty free", "high quality"], "options": ["color: 5 pairs styles mixed", "size: 3 pair (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["3 pair (pack of 1)"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7UZLHN", "worker_id": "A2ECRNQ3X5LEXD"}], "B09414RGKP": [{"asin": "B09414RGKP", "instruction": "i want ethylene vinyl nunn bush toe slip ons in size 9.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: cognac", "size: 9"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["9"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDW8IAQ", "worker_id": "A2RBF3IIJP15IH"}], "B07DPC8PV1": [{"asin": "B07DPC8PV1", "instruction": "i would like a brown long lasting eyeliner that is also cruelty free.", "attributes": ["highly pigmented", "easy apply", "cruelty free", "long lasting"], "options": ["color: essential brown"], "instruction_attributes": ["cruelty free", "long lasting"], "instruction_options": ["essential brown"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCMYMBO", "worker_id": "A1WS884SI0SLO4"}], "B07WZVJ14W": [{"asin": "B07WZVJ14W", "instruction": "shop for decaffeinated orange flavored green tea.", "attributes": ["caffeine free", "dairy free", "non dairy", "easy use", "gluten free", "artificial flavors"], "options": ["flavor: orange"], "instruction_attributes": ["caffeine free"], "instruction_options": ["orange"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOI6DYW", "worker_id": "AR9AU5FY1S3RO"}], "B08MZRGZZ8": [{"asin": "B08MZRGZZ8", "instruction": "i want a black dust proof topcovos vr lens cover for oculus quest 2.", "attributes": ["dust proof", "easy use"], "options": ["color: black"], "instruction_attributes": ["dust proof"], "instruction_options": ["black"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNVB8H1", "worker_id": "A2RBF3IIJP15IH"}], "B087D5W1B5": [{"asin": "B087D5W1B5", "instruction": "i need an easy to use body brush to exfoliate dry skin.", "attributes": ["easy use", "dry skin"], "options": [""], "instruction_attributes": ["easy use", "dry skin"], "instruction_options": [], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQN84109", "worker_id": "A1NF6PELRKACS9"}], "B09PY2WZGR": [{"asin": "B09PY2WZGR", "instruction": "i am looking for an oversized women's gray long sleeve sweater.", "attributes": ["long sleeve", "polyester cotton", "daily wear"], "options": ["color: z91-gray", "size: 4x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["z91-gray"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HSZBP1", "worker_id": "A1EREKSZAA9V7B"}], "B07DWQ218X": [{"asin": "B07DWQ218X", "instruction": "i want to get some face wash that is good for sensitive skin.", "attributes": ["dead skin", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL5X5HJ", "worker_id": "A2YNPKYEFDZ6C9"}], "B07KJZMJXW": [{"asin": "B07KJZMJXW", "instruction": "i would like a size 5 cattail pair of snow boots with faux fur and a rubber sole.", "attributes": ["rubber sole", "lace closure", "faux fur"], "options": ["color: cattail", "size: 5"], "instruction_attributes": ["rubber sole", "faux fur"], "instruction_options": ["cattail", "5"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AHEYU2", "worker_id": "A1WS884SI0SLO4"}], "B083W8R83Q": [{"asin": "B083W8R83Q", "instruction": "i am looking a gluten free low sodium lemony bites flavor snacks & trail mixes", "attributes": ["low sodium", "gluten free", "artificial colors", "artificial flavors"], "options": ["flavor name: lemony bites", "size: 1 ounce (pack of 5)"], "instruction_attributes": ["low sodium", "gluten free"], "instruction_options": ["lemony bites"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDYBCI2", "worker_id": "A3N9ZYQAESNFQH"}], "B08ZY1JRN7": [{"asin": "B08ZY1JRN7", "instruction": "i am looking for freeze dried fruit that is gluten free.", "attributes": ["freeze dried", "ready eat", "gluten free"], "options": ["color: b freeze-dried strawberries"], "instruction_attributes": ["freeze dried", "gluten free"], "instruction_options": ["b freeze-dried strawberries"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QPIOXV", "worker_id": "A2KW17G25L25R8"}], "B073P88HMF": [{"asin": "B073P88HMF", "instruction": "i want a 6.8 fl oz, hair treatment pack which provides natural hair smoothening and is sulfate free. i would like color as vitapro fusion leave-in", "attributes": ["cruelty free", "sulfate free", "natural hair"], "options": ["color: vitapro fusion leave-in", "size: 6.8 fl oz", "style name: hair treatment - 1 pack"], "instruction_attributes": ["sulfate free", "natural hair"], "instruction_options": ["vitapro fusion leave-in", "6.8 fl oz", "hair treatment - 1 pack"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KCODPL", "worker_id": "ASWFLI3N8X72G"}], "B08JHGB1KL": [{"asin": "B08JHGB1KL", "instruction": "i am lookinhg for nut free walnut hemp buts that come in a pack of six.", "attributes": ["nut free", "gluten free", "non gmo", "plant based", "protein serving", "soy free", "certified organic", "dairy free"], "options": ["flavor name: walnut hemp", "size: 4 ounce pouches - (pack of 6)"], "instruction_attributes": ["nut free"], "instruction_options": ["walnut hemp", "4 ounce pouches - (pack of 6)"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4ZRXYP", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08JHGB1KL", "instruction": "i want blueberry hemp organic super food energy bites.", "attributes": ["nut free", "gluten free", "non gmo", "plant based", "protein serving", "soy free", "certified organic", "dairy free"], "options": ["flavor name: blueberry hemp", "size: pack of 3"], "instruction_attributes": ["certified organic"], "instruction_options": ["blueberry hemp"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBQ6EJ4", "worker_id": "A2RBF3IIJP15IH"}], "B07DGXG639": [{"asin": "B07DGXG639", "instruction": "i would like a brushed nickel wall lamp with a glass shade for the living room.", "attributes": ["clear glass", "glass shade", "bronze finish", "living room"], "options": ["color: brushed nickel"], "instruction_attributes": ["glass shade", "living room"], "instruction_options": ["brushed nickel"], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVDFIB5", "worker_id": "A1WS884SI0SLO4"}], "B00EEH75YE": [{"asin": "B00EEH75YE", "instruction": "i want a hair treatment and an anti-aging skin moisturizer oil.", "attributes": ["anti aging", "hair treatment"], "options": [""], "instruction_attributes": ["anti aging", "hair treatment"], "instruction_options": [], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TR0PM1", "worker_id": "A1NF6PELRKACS9"}], "B08F1VHBGL": [{"asin": "B08F1VHBGL", "instruction": "i am looking for decorative cupcake toppers which can be ideal for birthday party or baby shower.", "attributes": ["birthday party", "party supplies", "baby shower"], "options": [""], "instruction_attributes": ["birthday party", "baby shower"], "instruction_options": [], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLU9DRA", "worker_id": "ASWFLI3N8X72G"}], "B09FDMTVRV": [{"asin": "B09FDMTVRV", "instruction": "i want buy a birthday party cupcake picks plant party supply cupcake topper", "attributes": ["birthday party", "party supplies", "baby shower", "cupcake picks"], "options": [""], "instruction_attributes": ["birthday party", "party supplies", "cupcake picks"], "instruction_options": [], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733LXBEG", "worker_id": "A3N9ZYQAESNFQH"}], "B07WHJ8ZLX": [{"asin": "B07WHJ8ZLX", "instruction": "i want gray high speed philips usb type c cables.", "attributes": ["long lasting", "fast charging", "high speed"], "options": ["color: gray", "size: 6 in. | 3 ft. | 6 ft.", "style: 1 pack"], "instruction_attributes": ["high speed"], "instruction_options": ["gray"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB0FY5E", "worker_id": "A2RBF3IIJP15IH"}], "B004IN8ZJ8": [{"asin": "B004IN8ZJ8", "instruction": "i need a pack of three long lasting hair color that is dark mahogany brown", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 4m dark mahogany brown", "size: pack of 3"], "instruction_attributes": ["long lasting"], "instruction_options": ["4m dark mahogany brown", "pack of 3"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS0EUVR", "worker_id": "A2ECRNQ3X5LEXD"}], "B078YC6YQX": [{"asin": "B078YC6YQX", "instruction": "i need a pack of 5 heavy duty hdmi cables that will support a high speed connection.", "attributes": ["high speed", "heavy duty"], "options": ["color: 5 pack", "size: 3 ft"], "instruction_attributes": ["high speed", "heavy duty"], "instruction_options": ["5 pack"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIIHEFR", "worker_id": "A3LIIE572Z4OG7"}], "B07T2GXY84": [{"asin": "B07T2GXY84", "instruction": "i am looking to buy a woman's us size 5 high heel shoe with a rubber sole and color patent-beige.", "attributes": ["high heel", "rubber sole"], "options": ["color: patent-beige", "size: us5"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["patent-beige", "us5"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQVF4BD", "worker_id": "A114NK7T5673GK"}], "B09QSRKFRZ": [{"asin": "B09QSRKFRZ", "instruction": "can you find for me this brand kelly bro? i'm looking for womens peep toe model, and my size is 8,5. high heel is my favorite.", "attributes": ["fashion design", "high heel", "long sleeve", "daily wear"], "options": ["color: black", "size: 8.5"], "instruction_attributes": ["high heel"], "instruction_options": ["8.5"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8UWZP4", "worker_id": "A15IJ20C3R4HUO"}], "B00C2DY3HE": [{"asin": "B00C2DY3HE", "instruction": "get me the 2 ounce 24 pack fig bars. it should be non gmo and plant based.", "attributes": ["non gmo", "nut free", "soy free", "plant based", "dairy free", "0g trans", "high fructose"], "options": ["flavor name: assorted types", "size: 2 ounce (pack of 24)"], "instruction_attributes": ["non gmo", "plant based"], "instruction_options": ["2 ounce (pack of 24)"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQRYIH1", "worker_id": "A1NF6PELRKACS9"}], "B088LVV2LZ": [{"asin": "B088LVV2LZ", "instruction": "i need the best items for oral hygiene.", "attributes": ["easy use", "high quality", "oral hygiene"], "options": [""], "instruction_attributes": ["oral hygiene"], "instruction_options": [], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOX97OR", "worker_id": "A2ECRNQ3X5LEXD"}], "B01EAH9UAY": [{"asin": "B01EAH9UAY", "instruction": "i need a heavy duty extra large twin box spring that's fully assembled and ready to use.", "attributes": ["heavy duty", "ready use", "fully assembled", "box spring"], "options": ["size: twin xl", "style name: 8\" split foundation"], "instruction_attributes": ["heavy duty", "ready use", "fully assembled", "box spring"], "instruction_options": ["twin xl"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YHEPN5", "worker_id": "AR9AU5FY1S3RO"}], "B07CVQVD7T": [{"asin": "B07CVQVD7T", "instruction": "i am looking for some alcohol free skin care.", "attributes": ["certified organic", "alcohol free", "non toxic", "fine lines"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DPQ4KZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q82T9S9": [{"asin": "B09Q82T9S9", "instruction": "i am interested in a rotary shaver for hair removal.", "attributes": ["easy clean", "hair removal"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYGYL61", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BZ8LVWJ": [{"asin": "B08BZ8LVWJ", "instruction": "i am looking for a heavy duty spotting scope for bird watching.", "attributes": ["heavy duty", "bird watching"], "options": [""], "instruction_attributes": ["heavy duty", "bird watching"], "instruction_options": [], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S0OMG5", "worker_id": "A2HMEGTAFO0CS8"}], "B07W1JRKL3": [{"asin": "B07W1JRKL3", "instruction": "i would like a long dark red dental chain that is easy to apply.", "attributes": ["easy apply", "high quality"], "options": ["color: 8(dark red)", "size: long"], "instruction_attributes": ["easy apply"], "instruction_options": ["8(dark red)", "long"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HCVI6B", "worker_id": "A1WS884SI0SLO4"}], "B08P3CZMCN": [{"asin": "B08P3CZMCN", "instruction": "i would like a medium sized pair of baseball colored jeans with a elastic waist.", "attributes": ["quality polyester", "unique design", "elastic waist"], "options": ["color: baseball", "size: medium"], "instruction_attributes": ["elastic waist"], "instruction_options": ["baseball", "medium"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL4BH57", "worker_id": "A1WS884SI0SLO4"}], "B08SBG5Q4N": [{"asin": "B08SBG5Q4N", "instruction": "i am looking for a plant based clear lip balm", "attributes": ["plant based", "animal testing", "paraben free", "cruelty free", "green tea", "seed oil", "argan oil"], "options": ["color: 01 agave (clear)"], "instruction_attributes": ["plant based"], "instruction_options": ["01 agave (clear)"], "assignment_id": "354P56DE9VDCOY11T1135MPMLLJ7ST", "worker_id": "A2ECRNQ3X5LEXD"}], "B09713RP1G": [{"asin": "B09713RP1G", "instruction": "i need a remote control that has the batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BK1JV5", "worker_id": "A2ECRNQ3X5LEXD"}], "B07SQ9YT1T": [{"asin": "B07SQ9YT1T", "instruction": "i want to find a small purple bike tank top for men that has a classic fit.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: purple", "fit type: men", "size: small"], "instruction_attributes": ["classic fit"], "instruction_options": ["purple", "men", "small"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB97J8N9", "worker_id": "A345TDMHP3DQ3G"}], "B0915FJ2VH": [{"asin": "B0915FJ2VH", "instruction": "i want emerald mid century modway bar stools.", "attributes": ["mid century", "white item", "coated steel", "steel frame", "dining room"], "options": ["color: emerald", "size: bar stool"], "instruction_attributes": ["mid century"], "instruction_options": ["emerald"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHEZQJTU", "worker_id": "A2RBF3IIJP15IH"}], "B08FX133HB": [{"asin": "B08FX133HB", "instruction": "i want gray high waisted aleumdr womens yoga outfits.", "attributes": ["nylon spandex", "high waist"], "options": ["color: gray", "size: small"], "instruction_attributes": ["high waist"], "instruction_options": ["gray"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017054PB", "worker_id": "A2RBF3IIJP15IH"}], "B007UZ3VWM": [{"asin": "B007UZ3VWM", "instruction": "i need oil free 1 linen makeup foundation for women", "attributes": ["dermatologist tested", "oil free"], "options": ["color: 1 linen"], "instruction_attributes": ["oil free"], "instruction_options": ["1 linen"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YP0T8Q", "worker_id": "A258PTOZ3D2TQR"}], "B08VDXCNGK": [{"asin": "B08VDXCNGK", "instruction": "i need a loveseat that is grey and for the living room.", "attributes": ["mid century", "solid wood", "living room"], "options": ["color: grey", "size: 65\"w loveseat"], "instruction_attributes": ["living room"], "instruction_options": ["grey", "65\"w loveseat"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2C0IOB", "worker_id": "A2ECRNQ3X5LEXD"}], "B08NZV8CCL": [{"asin": "B08NZV8CCL", "instruction": "i need a variety sampler of gluten free quinoa crisps.", "attributes": ["gluten free", "nut free", "non gmo"], "options": ["flavor name: variety sampler"], "instruction_attributes": ["gluten free"], "instruction_options": ["variety sampler"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVEPSZZ", "worker_id": "A2RBF3IIJP15IH"}], "B013S9Z6LW": [{"asin": "B013S9Z6LW", "instruction": "i am looking for a gluten free white grape raspberry flavored drink.", "attributes": ["non gmo", "gluten free", "source vitamin", "artificial colors"], "options": ["flavor name: white grape raspberry", "size: 8.4 fl oz (pack of 24)"], "instruction_attributes": ["gluten free"], "instruction_options": ["white grape raspberry"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVRVX9R", "worker_id": "A1EREKSZAA9V7B"}], "B09QKSHLWD": [{"asin": "B09QKSHLWD", "instruction": "i need a 6 piece hair growth treatment.", "attributes": ["hair loss", "hair growth"], "options": ["size: 6pcs"], "instruction_attributes": ["hair growth"], "instruction_options": ["6pcs"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS0L9GV", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q84JC6K": [{"asin": "B09Q84JC6K", "instruction": "i want a white machine washable mardi gras festival costume.", "attributes": ["wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: white", "fit type: women", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["white"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0SR5WY", "worker_id": "A2RBF3IIJP15IH"}], "B08D736V7N": [{"asin": "B08D736V7N", "instruction": "i need a set of two barstools. get the thirty inch black ones with the metal legs.", "attributes": ["pu leather", "metal legs"], "options": ["color: black", "size: 30 inch"], "instruction_attributes": ["metal legs"], "instruction_options": ["black", "30 inch"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTK15V2", "worker_id": "AR9AU5FY1S3RO"}], "B08NWFFNQ6": [{"asin": "B08NWFFNQ6", "instruction": "i need some pore cleansing strips that are made with hyaluronic acid.", "attributes": ["easy use", "hyaluronic acid"], "options": [""], "instruction_attributes": ["hyaluronic acid"], "instruction_options": [], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JAESFW", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q2JFL7M": [{"asin": "B09Q2JFL7M", "instruction": "i am interested in a meal kit from trader joes.", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CBYV0D", "worker_id": "A2ECRNQ3X5LEXD"}], "B006X7U6KI": [{"asin": "B006X7U6KI", "instruction": "i am looking for a high definition 100 watt in wall volume control knob.", "attributes": ["high power", "high definition"], "options": ["color: brown", "size: 100w", "style: knob"], "instruction_attributes": ["high definition"], "instruction_options": ["100w", "knob"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFOB3VB", "worker_id": "A1EREKSZAA9V7B"}], "B09C3B1FHC": [{"asin": "B09C3B1FHC", "instruction": "i am looking for an extra large wolf fleece throw blanket that is machine washable.", "attributes": ["machine washable", "fleece throw", "living room"], "options": ["color: t-rex", "size: xl: 130x150cm"], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["xl"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YWO3Q9", "worker_id": "A1EREKSZAA9V7B"}], "B08LSRNMHH": [{"asin": "B08LSRNMHH", "instruction": "i want a blue non slip saftstar modern upholstered armchair.", "attributes": ["non slip", "mid century", "high density", "solid wood", "living room"], "options": ["color: blue", "item package quantity: 2"], "instruction_attributes": ["non slip"], "instruction_options": ["blue"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7UDLH1", "worker_id": "A2RBF3IIJP15IH"}], "B07CLB2VKR": [{"asin": "B07CLB2VKR", "instruction": "i want rose c'est moi visionary makeup crayon for sensitive skin.", "attributes": ["animal testing", "dermatologist tested", "fragrance free", "non toxic", "sensitive skin"], "options": ["color: rose"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["rose"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS01VUF", "worker_id": "A2RBF3IIJP15IH"}], "B07RXWX77H": [{"asin": "B07RXWX77H", "instruction": "i am looking for a keto friendly vegetables with low carb also rich source of vitamins.", "attributes": ["keto friendly", "low carb", "source vitamin", "dietary fiber", "artificial colors"], "options": [""], "instruction_attributes": ["keto friendly", "low carb", "source vitamin"], "instruction_options": [], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV9L8VO", "worker_id": "A2HMEGTAFO0CS8"}], "B085QKBX59": [{"asin": "B085QKBX59", "instruction": "i am looking to buy an x-large short sleeve t shirt that is machine washable and a good workout shirt.", "attributes": ["wash cold", "machine wash", "button closure", "short sleeve", "dry clean", "tumble dry"], "options": ["color: black | heather charcoal", "size: x-large"], "instruction_attributes": ["machine wash", "short sleeve"], "instruction_options": ["black | heather charcoal", "x-large"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY45U03", "worker_id": "A114NK7T5673GK"}], "B08F9TG7FC": [{"asin": "B08F9TG7FC", "instruction": "i am looking for synthetic hair extensions, 14\" long, with wavy ends and made for black women.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: 1b", "size: 14 inch (pack of 5)"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["14 inch (pack of 5)"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7U6UR3", "worker_id": "AK3JMCIGU8MLU"}], "B09CLC6Q63": [{"asin": "B09CLC6Q63", "instruction": "i would like a purple high quality beauty case.", "attributes": ["high quality", "fine mist"], "options": ["color: purple"], "instruction_attributes": ["high quality"], "instruction_options": ["purple"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTDEN9Q", "worker_id": "A1WS884SI0SLO4"}], "B003HALJXC": [{"asin": "B003HALJXC", "instruction": "i am looking for english scone mix with real fruit.", "attributes": ["real fruit", "artificial flavors"], "options": [""], "instruction_attributes": ["real fruit"], "instruction_options": [], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUIDR3L", "worker_id": "A1EREKSZAA9V7B"}], "B008CT12G2": [{"asin": "B008CT12G2", "instruction": "i am interested in some paraben free eye creams.", "attributes": ["anti aging", "oil free", "fragrance free", "paraben free", "hyaluronic acid"], "options": [""], "instruction_attributes": ["paraben free"], "instruction_options": [], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGA0SMB", "worker_id": "A2ECRNQ3X5LEXD"}], "B004SPDEWE": [{"asin": "B004SPDEWE", "instruction": "i am looking for an oil free broad spectrum spf 15 sunscreen foundation for sensitive skin.", "attributes": ["oil free", "dermatologist tested", "fragrance free", "fine lines", "sensitive skin"], "options": [""], "instruction_attributes": ["oil free", "sensitive skin"], "instruction_options": [], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY866081N", "worker_id": "A1EREKSZAA9V7B"}], "B000177FXW": [{"asin": "B000177FXW", "instruction": "i want an eucalyptus and plant based bar soap by dr. bronner's.", "attributes": ["certified organic", "plant based", "cruelty free", "tea tree", "dry skin"], "options": ["scent: eucalyptus"], "instruction_attributes": ["plant based"], "instruction_options": ["eucalyptus"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADI1HA2", "worker_id": "A2RBF3IIJP15IH"}], "B096ZBXV7R": [{"asin": "B096ZBXV7R", "instruction": "i would like a shampoo and conditioner set made of coconut oil.", "attributes": ["cruelty free", "paraben free", "coconut oil", "natural ingredients"], "options": [""], "instruction_attributes": ["coconut oil"], "instruction_options": [], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ8E0NJ", "worker_id": "A1WS884SI0SLO4"}], "B093SXYYJC": [{"asin": "B093SXYYJC", "instruction": "get me a set of two mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE215GQ6", "worker_id": "AR9AU5FY1S3RO"}], "B07MWJ9NN3": [{"asin": "B07MWJ9NN3", "instruction": "i want a nourishing hair treatment that is sulfate free.", "attributes": ["sulfate free", "hair treatment"], "options": [""], "instruction_attributes": ["sulfate free", "hair treatment"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R5RKSK", "worker_id": "A114NK7T5673GK"}], "B08FBMGK6V": [{"asin": "B08FBMGK6V", "instruction": "i need a 5\" round cake topper for a birthday party", "attributes": ["dairy free", "gluten free", "birthday party"], "options": ["size: 5\" round"], "instruction_attributes": ["birthday party"], "instruction_options": ["5\" round"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGIVW2J", "worker_id": "A2ECRNQ3X5LEXD"}], "B088Y453DR": [{"asin": "B088Y453DR", "instruction": "i would like a black shimmer kosher certified icing glitter.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: black shimmer"], "instruction_attributes": ["kosher certified"], "instruction_options": ["black shimmer"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB554Y2", "worker_id": "A1WS884SI0SLO4"}], "B09DDC6DN6": [{"asin": "B09DDC6DN6", "instruction": "i am in need of a high definition media player", "attributes": ["high definition", "dual band"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZL2Y1Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q96DVV4": [{"asin": "B09Q96DVV4", "instruction": "i would like a pair of medium sized navy high waisted leggings.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: navy", "size: medium"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L49HQRB", "worker_id": "A1WS884SI0SLO4"}], "B07XD925X1": [{"asin": "B07XD925X1", "instruction": "i would like a africa 80 by 40 poster to hang readily in my living room.", "attributes": ["ready hang", "living room"], "options": ["color: africa #07", "size: 80\"wx40\"h handart"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["africa #07", "80\"wx40\"h handart"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSH8B8O", "worker_id": "A1WS884SI0SLO4"}], "B09C55SWDM": [{"asin": "B09C55SWDM", "instruction": "i want an elixir to promote hair growth and prevent hair loss. it should also be plant based.", "attributes": ["plant based", "bpa free", "hair loss", "hair growth"], "options": [""], "instruction_attributes": ["plant based", "hair loss", "hair growth"], "instruction_options": [], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMONE9MM", "worker_id": "A1NF6PELRKACS9"}], "B07TYFFWH1": [{"asin": "B07TYFFWH1", "instruction": "i want a honey brown simplihome artisan solid wood tv stand.", "attributes": ["solid wood", "tempered glass", "living room", "dining room"], "options": ["color: honey brown"], "instruction_attributes": ["solid wood"], "instruction_options": ["honey brown"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LHMI5X", "worker_id": "A2RBF3IIJP15IH"}], "B07QXK35PD": [{"asin": "B07QXK35PD", "instruction": "i would like some cake toppers for a birthday party.", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLI76KI9", "worker_id": "A1WS884SI0SLO4"}], "B0174OIT6G": [{"asin": "B0174OIT6G", "instruction": "i want a round safavieh sofia collection rug for my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: light grey | blue", "item shape: round", "size: 4 ft x 5 ft 7 in"], "instruction_attributes": ["living room"], "instruction_options": ["round"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOG8ML7", "worker_id": "A2RBF3IIJP15IH"}], "B09JVKR8X9": [{"asin": "B09JVKR8X9", "instruction": "i want to find a small green women's workout set that i can wear daily.", "attributes": ["moisture wicking", "nylon spandex", "stretch fabric", "long sleeve", "tummy control", "high waist", "daily wear"], "options": ["color: green", "size: small"], "instruction_attributes": ["daily wear"], "instruction_options": ["green", "small"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163S5PQW", "worker_id": "A345TDMHP3DQ3G"}], "B09SJ1GTJR": [{"asin": "B09SJ1GTJR", "instruction": "i am looking for two piece suits that are green and quick drying in a size small", "attributes": ["quick drying", "wash cold", "hand wash", "machine wash", "long sleeve"], "options": ["color: 9438-green", "size: small"], "instruction_attributes": ["quick drying"], "instruction_options": ["9438-green", "small"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKIV1TD", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NKPTC7S": [{"asin": "B09NKPTC7S", "instruction": "i would like a yellow quad core tablet.", "attributes": ["long lasting", "quad core"], "options": ["color: yellow"], "instruction_attributes": ["quad core"], "instruction_options": ["yellow"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2ZUG68", "worker_id": "A1WS884SI0SLO4"}], "B09D8B8WXP": [{"asin": "B09D8B8WXP", "instruction": "i am looking for a fanless mini pc with a quad core processor, 32 gigabytes of ram and a 256 gigabyte ssd.", "attributes": ["ultra hd", "quad core"], "options": ["size: 32gb ram 256gb ssd"], "instruction_attributes": ["quad core"], "instruction_options": ["32gb ram 256gb ssd"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2WG94E", "worker_id": "A1EREKSZAA9V7B"}], "B07HZ6PY52": [{"asin": "B07HZ6PY52", "instruction": "i am looking for a wireless computer headset that has stereo sound.", "attributes": ["noise cancelling", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG19AU9S", "worker_id": "A1EREKSZAA9V7B"}], "B09CF4LML4": [{"asin": "B09CF4LML4", "instruction": "i need a silver cruelty free my little pony mini glitter gel set.", "attributes": ["cruelty free", "easy use"], "options": ["color: silver"], "instruction_attributes": ["cruelty free"], "instruction_options": ["silver"], "assignment_id": "31JLPPHS254FPN8LK8H48035JUNO31", "worker_id": "A2RBF3IIJP15IH"}], "B00O1ABRRK": [{"asin": "B00O1ABRRK", "instruction": "i need noise cancelling headset that has a charging stand.", "attributes": ["noise cancelling", "plug play"], "options": ["color: mono speaker + charging stand", "style: ms teams optimized"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["mono speaker + charging stand"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREMO2JW", "worker_id": "A2ECRNQ3X5LEXD"}], "B08B87XSLC": [{"asin": "B08B87XSLC", "instruction": "i want a caramel queen size acacia kaylin platform bed.", "attributes": ["lead free", "queen size", "memory foam"], "options": ["color: caramel", "size: king", "style: emery"], "instruction_attributes": ["queen size"], "instruction_options": ["caramel"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUBOZDL", "worker_id": "A2RBF3IIJP15IH"}], "B08Y99D272": [{"asin": "B08Y99D272", "instruction": "i am interested in some individually wrapped granola bars.", "attributes": ["individually wrapped", "high fructose"], "options": [""], "instruction_attributes": ["individually wrapped"], "instruction_options": [], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR469FU7", "worker_id": "A2ECRNQ3X5LEXD"}], "B095M8H1YD": [{"asin": "B095M8H1YD", "instruction": "i am looking for 20 inch high quality hair pieces.", "attributes": ["high quality", "hair loss"], "options": ["size: 20 inch"], "instruction_attributes": ["high quality"], "instruction_options": ["20 inch"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFDJ02O", "worker_id": "A2ECRNQ3X5LEXD"}], "B09KV74LY8": [{"asin": "B09KV74LY8", "instruction": "i would like a lemon living room curtain in the size 52 by 96 inches", "attributes": ["easy clean", "living room", "dining room"], "options": ["color: lemon2lop5557", "size: 52x96in"], "instruction_attributes": ["living room"], "instruction_options": ["lemon2lop5557", "52x96in"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFK2EM9", "worker_id": "A2ECRNQ3X5LEXD"}], "B08NGV4VX3": [{"asin": "B08NGV4VX3", "instruction": "i would like some eucalyptus lavender body scrub that is also eco friendly.", "attributes": ["cruelty free", "oil free", "fragrance free", "sulfate free", "eco friendly", "paraben free", "dead skin"], "options": ["scent: eucalyptus lavender"], "instruction_attributes": ["eco friendly"], "instruction_options": ["eucalyptus lavender"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOHQL9W", "worker_id": "A1WS884SI0SLO4"}], "B099NZVJH2": [{"asin": "B099NZVJH2", "instruction": "i want to buy some shelf stable baby food. look for a fifteen count box of blueberry banana sweet potato.", "attributes": ["gluten free", "non gmo", "bpa free", "shelf stable", "nut free", "dairy free"], "options": ["flavor name: blueberry banana sweet potato", "size: 15 count"], "instruction_attributes": ["shelf stable"], "instruction_options": ["blueberry banana sweet potato", "15 count"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPXD0GY", "worker_id": "AR9AU5FY1S3RO"}], "B078KF114Q": [{"asin": "B078KF114Q", "instruction": "i want a modway engage mid-century corner sofa.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: sunny", "size: corner sofa"], "instruction_attributes": ["mid century"], "instruction_options": ["corner sofa"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9DVZR9", "worker_id": "A2RBF3IIJP15IH"}], "B09PMN9FVZ": [{"asin": "B09PMN9FVZ", "instruction": "i would like a small gray long sleeved hoof pick.", "attributes": ["loose fit", "winter warm", "fleece lined", "long sleeve", "everyday wear"], "options": ["color: z3-gray", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["z3-gray", "small"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFR2OJ6", "worker_id": "A1WS884SI0SLO4"}], "B09LQ4YHSV": [{"asin": "B09LQ4YHSV", "instruction": "i would like a heavy duty bed frame made of steel.", "attributes": ["heavy duty", "steel frame"], "options": [""], "instruction_attributes": ["heavy duty", "steel frame"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG5CLS4", "worker_id": "A1WS884SI0SLO4"}], "B097FF5WYB": [{"asin": "B097FF5WYB", "instruction": "i want a sugar free mix of earlybird morning cocktail.", "attributes": ["non alcoholic", "sugar free"], "options": [""], "instruction_attributes": ["sugar free"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30USFY04", "worker_id": "A2RBF3IIJP15IH"}], "B09L1J2MPN": [{"asin": "B09L1J2MPN", "instruction": "i need a small relaxed fit pullover that is the color green.", "attributes": ["quality materials", "relaxed fit"], "options": ["color: a-green", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["a-green", "small"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VPKMXV", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NDTB7KD": [{"asin": "B07NDTB7KD", "instruction": "i want a brushed berry schwarzkopf metallic permanent hair dye.", "attributes": ["permanent hair", "hair dye"], "options": ["color: brushed berry", "size: 1 count (pack of 1)"], "instruction_attributes": ["hair dye"], "instruction_options": ["brushed berry"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTP5E5C", "worker_id": "A2RBF3IIJP15IH"}], "B07NV7D8VB": [{"asin": "B07NV7D8VB", "instruction": "i am interested in a 60 count of cruelty free toner.", "attributes": ["cruelty free", "easy use", "sensitive skin"], "options": ["size: 60 count (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["60 count (pack of 1)"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG5HLS9", "worker_id": "A2ECRNQ3X5LEXD"}], "B09N6Q57XZ": [{"asin": "B09N6Q57XZ", "instruction": "i need 2 faux leather barstools that is easy to assemble and is back adjustable. pick a brown one.", "attributes": ["easy assemble", "faux leather"], "options": ["color: b style- brown", "size: 2 barstools"], "instruction_attributes": ["easy assemble", "faux leather"], "instruction_options": ["b style- brown", "2 barstools"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF99QAZV", "worker_id": "A1NF6PELRKACS9"}], "B078XR57G8": [{"asin": "B078XR57G8", "instruction": "i need to buy a tank top for working out. look for one that's tie dyed blue, in extra large. it should be machine washable.", "attributes": ["loose fit", "wash cold", "machine wash"], "options": ["color: tie dye blue", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["tie dye blue", "x-large"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3CQN6Z", "worker_id": "AR9AU5FY1S3RO"}], "B07234YXYJ": [{"asin": "B07234YXYJ", "instruction": "most of people use sugarfree like simple sweet", "attributes": ["sugar free", "plant based", "usda organic", "keto friendly", "non gmo", "low sugar", "low carb", "gluten free", "zero sugar"], "options": ["flavor name: simply sweet"], "instruction_attributes": ["sugar free"], "instruction_options": ["simply sweet"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIQE480", "worker_id": "A226L9F2AZ38CL"}], "B09H5VMW2Q": [{"asin": "B09H5VMW2Q", "instruction": "i want a white merax bunk bed box spring.", "attributes": ["solid wood", "box spring"], "options": ["color: white", "size: full over full w | 2 drawers"], "instruction_attributes": ["box spring"], "instruction_options": ["white"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTLW6OW", "worker_id": "A2RBF3IIJP15IH"}], "B079CG8RX2": [{"asin": "B079CG8RX2", "instruction": "i would like 24 packs of 60ml eye shadow.", "attributes": ["high quality", "eye shadow"], "options": ["color: 2 oz | 60ml", "size: 1 ounce (pack of 24)"], "instruction_attributes": ["eye shadow"], "instruction_options": ["2 oz | 60ml", "1 ounce (pack of 24)"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3PKMZU", "worker_id": "A1WS884SI0SLO4"}], "B09SQ1RFYR": [{"asin": "B09SQ1RFYR", "instruction": "a dome camera for indoor motion detection indoor smart security camera 1080hd size -hd version +64g", "attributes": ["1080p hd", "motion detection"], "options": ["size: hd version+64g"], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": ["hd version+64g"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOBPNOR", "worker_id": "A3N9ZYQAESNFQH"}], "B0155KFTHS": [{"asin": "B0155KFTHS", "instruction": "i am looking for a tea sampler that comes in a pack of 8 and is kosher.", "attributes": ["kosher certified", "gift set"], "options": ["flavor name: standard sampler (8 count)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["standard sampler (8 count)"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IOSTL3", "worker_id": "A2ECRNQ3X5LEXD"}], "B097YKK3K1": [{"asin": "B097YKK3K1", "instruction": "i want a full sized non slip tatami mattress.", "attributes": ["non slip", "memory foam", "living room"], "options": ["color: shape", "size: full(47*79inch)"], "instruction_attributes": ["non slip"], "instruction_options": ["full(47*79inch)"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOCWTAO", "worker_id": "A2RBF3IIJP15IH"}], "B07QWVTV87": [{"asin": "B07QWVTV87", "instruction": "i am looking for toenail clippers that are black and stainless steel", "attributes": ["non slip", "heavy duty", "long handle", "stainless steel"], "options": ["color: podiatrist toenail clippers\uff08black\uff09"], "instruction_attributes": ["stainless steel"], "instruction_options": ["podiatrist toenail clippers\uff08black\uff09"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1KHTI8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DDHVY7T": [{"asin": "B08DDHVY7T", "instruction": "i need an eye serum that contains hyaluronic acid and that's good for dark circles. get the green one.", "attributes": ["hyaluronic acid", "dark circles"], "options": ["color: green"], "instruction_attributes": ["hyaluronic acid", "dark circles"], "instruction_options": ["green"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTKA5VB", "worker_id": "AR9AU5FY1S3RO"}], "B08VWQDPMY": [{"asin": "B08VWQDPMY", "instruction": "i would like three packs of two ounce teriyaki low calorie jerky.", "attributes": ["wild caught", "low sugar", "low calorie"], "options": ["flavor name: teriyaki", "size: 2 ounce (pack of 3)"], "instruction_attributes": ["low calorie"], "instruction_options": ["teriyaki", "2 ounce (pack of 3)"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG18EU9U", "worker_id": "A1WS884SI0SLO4"}], "B097R48QCX": [{"asin": "B097R48QCX", "instruction": "i would like a 3xl white pair of jogging pants that are machine washable.", "attributes": ["hand wash", "long lasting", "machine washable", "polyester cotton", "drawstring closure", "elastic waistband", "elastic waist", "gym workout"], "options": ["color: white", "size: 3x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["white", "3x-large"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKYGUIS", "worker_id": "A1WS884SI0SLO4"}], "B099PMTNR2": [{"asin": "B099PMTNR2", "instruction": "i need a lipstick that is easy to apply and long lasting in the color #1", "attributes": ["long lasting", "highly pigmented", "easy apply"], "options": ["color: # 1"], "instruction_attributes": ["long lasting", "easy apply"], "instruction_options": ["# 1"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLT8TF2", "worker_id": "A2ECRNQ3X5LEXD"}], "B00KQDCYE6": [{"asin": "B00KQDCYE6", "instruction": "i want a smakn high speed hdmi cable.", "attributes": ["gold plated", "high speed"], "options": [""], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RF0LF3", "worker_id": "A2RBF3IIJP15IH"}], "B0977VPCF3": [{"asin": "B0977VPCF3", "instruction": "i am looking for an ultra thin gold plated mini c hdmi cable", "attributes": ["easy carry", "high speed", "gold plated"], "options": ["size: angle_2ft", "style: mini c hdmi"], "instruction_attributes": ["gold plated"], "instruction_options": ["mini c hdmi"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3D3QN0", "worker_id": "A1EREKSZAA9V7B"}], "B08B889NGC": [{"asin": "B08B889NGC", "instruction": "i want a king sized and lead free acacia aurora bed frame.", "attributes": ["lead free", "memory foam"], "options": ["color: chocolate", "size: king", "style: mervyn"], "instruction_attributes": ["lead free"], "instruction_options": ["king"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTNYQO5", "worker_id": "A2RBF3IIJP15IH"}], "B09RK86QCM": [{"asin": "B09RK86QCM", "instruction": "i would like a small yellow pair of shorts that can be machine washed.", "attributes": ["slim fit", "low rise", "machine washable", "hand wash", "short sleeve", "elastic waistband"], "options": ["color: yellow", "size: small"], "instruction_attributes": ["machine washable"], "instruction_options": ["yellow", "small"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ8UN0M", "worker_id": "A1WS884SI0SLO4"}], "B09SCTKV42": [{"asin": "B09SCTKV42", "instruction": "i would like a size 7.5 wide pair of white flats with a closed toe.", "attributes": ["open toe", "high heel", "closed toe", "ankle strap"], "options": ["color: a8 - white", "size: 7.5 wide"], "instruction_attributes": ["closed toe"], "instruction_options": ["a8 - white", "7.5 wide"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7TYUCS", "worker_id": "A1WS884SI0SLO4"}], "B01D378GCU": [{"asin": "B01D378GCU", "instruction": "i want to find a fully assembled ottoman that is doe-colored.", "attributes": ["button tufted", "fully assembled"], "options": ["color: doe"], "instruction_attributes": ["fully assembled"], "instruction_options": ["doe"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39CCZCN", "worker_id": "A345TDMHP3DQ3G"}], "B07B3XSZS9": [{"asin": "B07B3XSZS9", "instruction": "i would like a red video game chair with lumbar support.", "attributes": ["high density", "lumbar support"], "options": ["color: red"], "instruction_attributes": ["lumbar support"], "instruction_options": ["red"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCNF9B0", "worker_id": "A1WS884SI0SLO4"}], "B09D347T6V": [{"asin": "B09D347T6V", "instruction": "i am looking for statues or figurines to decorate my living room.", "attributes": ["exquisite workmanship", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEHLXID", "worker_id": "A1EREKSZAA9V7B"}], "B09MCZPD93": [{"asin": "B09MCZPD93", "instruction": "i want a heavy duty protection case for my phone. pick something in black warrior color.", "attributes": ["easy install", "non slip", "heavy duty"], "options": ["color: black warrior"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black warrior"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUARR96", "worker_id": "A1NF6PELRKACS9"}], "B09PQK7D4F": [{"asin": "B09PQK7D4F", "instruction": "i want to shop for a pair of high definition binoculars for bird watching. get type \"e.\"", "attributes": ["high definition", "bird watching"], "options": ["color: type e"], "instruction_attributes": ["high definition", "bird watching"], "instruction_options": ["type e"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYHI6L8", "worker_id": "AR9AU5FY1S3RO"}], "B096YZQ89Y": [{"asin": "B096YZQ89Y", "instruction": "shop for a pair of black walking shoes in size eight. look for memory foam soles.", "attributes": ["slip resistant", "anti slip", "non slip", "memory foam", "comfortable fit"], "options": ["color: black", "size: 8"], "instruction_attributes": ["memory foam"], "instruction_options": ["black", "8"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LB6O18", "worker_id": "AR9AU5FY1S3RO"}], "B07CF7GTMW": [{"asin": "B07CF7GTMW", "instruction": "i am looking for a small short sleeve slim fitted t-shirt.", "attributes": ["regular fit", "relaxed fit", "short sleeve"], "options": ["color: grey-long sleeve", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["small"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3YX15JO", "worker_id": "A1EREKSZAA9V7B"}], "B01FWM4A2O": [{"asin": "B01FWM4A2O", "instruction": "i would ike a cd player that comes with aaa batteries and is in the model pm6006", "attributes": ["aaa batteries", "usb port"], "options": ["model: pm6006", "style: streaming passion dt"], "instruction_attributes": ["aaa batteries"], "instruction_options": ["pm6006"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWAMNFT", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B6J7HXM": [{"asin": "B09B6J7HXM", "instruction": "i need a 16:10 aspect ratio privacy filter that is easy to install.", "attributes": ["easy install", "easy use"], "options": ["color: 19.0 inch (diagonal) - 16:10 aspect ratio"], "instruction_attributes": ["easy install"], "instruction_options": ["19.0 inch (diagonal) - 16:10 aspect ratio"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYH3L68", "worker_id": "A2ECRNQ3X5LEXD"}], "B07YNT58BC": [{"asin": "B07YNT58BC", "instruction": "i need an eco friendly biodegradable body glitter, also copper holographic one and ultrafine (1 | 128\" 0.008\" 0.2mm)", "attributes": ["eco friendly", "non toxic", "long lasting"], "options": ["color: copper holographic", "size: ultrafine (1 | 128\" 0.008\" 0.2mm)"], "instruction_attributes": ["eco friendly"], "instruction_options": ["copper holographic", "ultrafine (1 | 128\" 0.008\" 0.2mm)"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AJBTSU", "worker_id": "A258PTOZ3D2TQR"}], "B0764JPHNS": [{"asin": "B0764JPHNS", "instruction": "i want to buy some vanilla flavored soy free cake mix. needs to be in a 3 pack of 11.29-oz boxes.", "attributes": ["non gmo", "nut free", "soy free", "dairy free", "gluten free", "artificial colors"], "options": ["flavor: vanilla", "size: 11.29 ounce (pack of 3)"], "instruction_attributes": ["soy free"], "instruction_options": ["vanilla", "11.29 ounce (pack of 3)"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAFCVO3", "worker_id": "A2YNPKYEFDZ6C9"}], "B000OAY2N2": [{"asin": "B000OAY2N2", "instruction": "i would like a pair of 30 wide by 32 long quartz stone jeans that are machine washable.", "attributes": ["machine wash", "regular fit", "button closure"], "options": ["color: quartz stone", "size: 30w x 32l"], "instruction_attributes": ["machine wash"], "instruction_options": ["quartz stone", "30w x 32l"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZGRO85", "worker_id": "A1WS884SI0SLO4"}], "B09NLPN2FP": [{"asin": "B09NLPN2FP", "instruction": "i need some daily casual sandals that are black and a size 10.5", "attributes": ["daily casual", "open toe", "arch support", "rubber sole"], "options": ["color: black", "size: 10.5"], "instruction_attributes": ["daily casual"], "instruction_options": ["black", "10.5"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UDRA3W", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QVWXBBB": [{"asin": "B08QVWXBBB", "instruction": "i want blue aerothotic water friendly light weight eva sandals with arch support.", "attributes": ["light weight", "ethylene vinyl", "vinyl acetate", "arch support", "relaxed fit"], "options": ["color: arcus blue", "size: 9"], "instruction_attributes": ["arch support"], "instruction_options": ["arcus blue"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q2OGWC", "worker_id": "A2RBF3IIJP15IH"}], "B07TKJ74X6": [{"asin": "B07TKJ74X6", "instruction": "i am looking for a samsung galaxy case cover that is gray.", "attributes": ["case cover", "glass screen", "tempered glass"], "options": ["color: gray"], "instruction_attributes": ["case cover"], "instruction_options": ["gray"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6STXUDF", "worker_id": "A2ECRNQ3X5LEXD"}], "B00GFA8RN6": [{"asin": "B00GFA8RN6", "instruction": "i want a dove men anti-perspirant deodorant roll-on.", "attributes": ["anti perspirant", "clinically proven"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323D9BDW0", "worker_id": "A2RBF3IIJP15IH"}], "B0846G2YX1": [{"asin": "B0846G2YX1", "instruction": "i would like a 36 ounce chair tea", "attributes": ["rich creamy", "usda organic", "kosher certified", "non gmo", "gluten free"], "options": ["size: 1kg | 36 ounce"], "instruction_attributes": ["kosher certified"], "instruction_options": ["1kg | 36 ounce"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTLHLP0", "worker_id": "A2ECRNQ3X5LEXD"}], "B084VJTJ7J": [{"asin": "B084VJTJ7J", "instruction": "i need one pack of real fruit which dried and is high in dietary fiber.", "attributes": ["dietary fiber", "real fruit"], "options": ["size: pack of 1"], "instruction_attributes": ["dietary fiber", "real fruit"], "instruction_options": ["pack of 1"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL992V2H", "worker_id": "ASWFLI3N8X72G"}], "B071SGP6Y6": [{"asin": "B071SGP6Y6", "instruction": "i search no ram no ssd no wifi but high performance memory", "attributes": ["high performance", "quad core"], "options": ["size: no ram no ssd no wifi"], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP5EOAY", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B071SGP6Y6", "instruction": "i'm looking for exactly this configuration: qotom 4 lan mini pc q190g4u-s01 with 4gb ram 128gb ssd, intel celeron j1900 processor, quad core 2.0 ghz, x86 mini pc", "attributes": ["high performance", "quad core"], "options": ["size: 4gb ram 128gb ssd wifi"], "instruction_attributes": ["quad core"], "instruction_options": ["4gb ram 128gb ssd wifi"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4MBPK2", "worker_id": "A15IJ20C3R4HUO"}], "B09R93K3N4": [{"asin": "B09R93K3N4", "instruction": "i want a navy slim fit mens golf polo shirt.", "attributes": ["slim fit", "loose fit", "moisture wicking", "long sleeve", "short sleeve", "gym workout"], "options": ["color: navy", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["navy"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z48IQC9", "worker_id": "A2RBF3IIJP15IH"}], "B08P9D3M89": [{"asin": "B08P9D3M89", "instruction": "i need some black curtains for my living room.", "attributes": ["eco friendly", "printing technology", "living room"], "options": ["color: black", "size: 52(w) x 84(h)"], "instruction_attributes": ["living room"], "instruction_options": ["black"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK0B3JV", "worker_id": "A15ERD4HOFEPHM"}], "B09B3W2S7T": [{"asin": "B09B3W2S7T", "instruction": "i need a 0.5 ml serum for my dry skin.", "attributes": ["easy use", "high quality", "hyaluronic acid", "dry skin"], "options": ["color: 0.5ml"], "instruction_attributes": ["dry skin"], "instruction_options": ["0.5ml"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LFXSPT", "worker_id": "A2ECRNQ3X5LEXD"}], "B091GLL9YH": [{"asin": "B091GLL9YH", "instruction": "i want a silver hair styling bobby pin.", "attributes": ["high quality", "hair styling"], "options": ["color: silver", "size: 2 3 | 8 inch (6cm)"], "instruction_attributes": ["hair styling"], "instruction_options": ["silver"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGW9WTE", "worker_id": "A2RBF3IIJP15IH"}], "B08PY1V83Y": [{"asin": "B08PY1V83Y", "instruction": "i am looking for space saving collapsible and waterproof storage bins.", "attributes": ["space saving", "pu leather"], "options": [""], "instruction_attributes": ["space saving"], "instruction_options": [], "assignment_id": "326O153BMT8RVOXTJJKKGXV366ZEDG", "worker_id": "A1EREKSZAA9V7B"}], "B089LQ8F6G": [{"asin": "B089LQ8F6G", "instruction": "i need a bamboo back scrubber set, with a long handle and twenty four hooks.", "attributes": ["non slip", "high quality", "long handle"], "options": ["color: 24 hooks"], "instruction_attributes": ["long handle"], "instruction_options": ["24 hooks"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHA81DOF", "worker_id": "AR9AU5FY1S3RO"}], "B07XWW83BP": [{"asin": "B07XWW83BP", "instruction": "i am interested in a long lasting lipstick that is also cruelty free.", "attributes": ["long lasting", "highly pigmented", "cruelty free"], "options": [""], "instruction_attributes": ["long lasting", "cruelty free"], "instruction_options": [], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMNC6BT", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JLKPMFD": [{"asin": "B09JLKPMFD", "instruction": "get a white airpods case. it should be water resistant.", "attributes": ["water resistant", "case cover"], "options": ["color: white-style"], "instruction_attributes": ["water resistant"], "instruction_options": ["white-style"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7XSQYB", "worker_id": "AR9AU5FY1S3RO"}], "B0085UXQP8": [{"asin": "B0085UXQP8", "instruction": "i want a frontier soups mix with natural ingredients.", "attributes": ["easy prepare", "natural ingredients"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LFVSPR", "worker_id": "A2RBF3IIJP15IH"}], "B09R3S2LZG": [{"asin": "B09R3S2LZG", "instruction": "i am looking for a loose fit cami that is black and an x-large", "attributes": ["easy care", "moisture wicking", "loose fit", "wash cold", "hand wash", "daily wear"], "options": ["color: 4 black", "size: x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["4 black", "x-large"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68EFA4B", "worker_id": "A2ECRNQ3X5LEXD"}], "B005UN73ZW": [{"asin": "B005UN73ZW", "instruction": "i need to buy an eight ounce lavender scented soy candle.", "attributes": ["lead free", "soy wax"], "options": ["scent: lavender bw"], "instruction_attributes": ["soy wax"], "instruction_options": ["lavender bw"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUC9ZD8", "worker_id": "AR9AU5FY1S3RO"}], "B081TH6VJ4": [{"asin": "B081TH6VJ4", "instruction": "i need a 13 inch water resistant cosmetic bag.", "attributes": ["water resistant", "easy clean"], "options": ["color: horsetooth", "size: 13 inch"], "instruction_attributes": ["water resistant"], "instruction_options": ["13 inch"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP71COO", "worker_id": "A2ECRNQ3X5LEXD"}], "B09R1T216X": [{"asin": "B09R1T216X", "instruction": "i am looking for a c colored toothpaste with natural ingredients and which is also fluoride free.", "attributes": ["fluoride free", "teeth whitening", "natural ingredients", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: c"], "instruction_attributes": ["fluoride free", "natural ingredients"], "instruction_options": ["c"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLMH4I6", "worker_id": "AJDQGOTMB2D80"}], "B075CYJYG5": [{"asin": "B075CYJYG5", "instruction": "i am looking for vinyl,light weight and it can be folded & easy to carry;high resolution and quality & not easy fade;and can swab with water,easy to keep clean, digital photography of laeacco vinyl 7x5ft photography which is backgrop is glare free and roll out flat; it is great for studio photography:.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 7x5ft"], "instruction_attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "instruction_options": ["7x5ft"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHDEBNL", "worker_id": "A1DRKZ3SCLAS4V"}], "B087C54M55": [{"asin": "B087C54M55", "instruction": "i need orange jointlycreating womens non slip running shoes.", "attributes": ["non slip", "lace closure", "rubber outsole", "rubber sole", "gym workout", "daily wear"], "options": ["color: 9-3-orange", "size: 6"], "instruction_attributes": ["non slip"], "instruction_options": ["9-3-orange"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7X6YQX", "worker_id": "A2RBF3IIJP15IH"}], "B09JX42MVQ": [{"asin": "B09JX42MVQ", "instruction": "i would like a medium orange short sleeve shirt.", "attributes": ["loose fit", "hand wash", "soft material", "drawstring closure", "short sleeve", "long sleeve", "teen girls"], "options": ["color: yf-01 orange", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["yf-01 orange", "medium"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79PH1HM", "worker_id": "A1WS884SI0SLO4"}], "B08T129W3L": [{"asin": "B08T129W3L", "instruction": "i want large machine washable coorun womens yoga shorts.", "attributes": ["machine washable", "high waist", "polyester spandex", "daily wear"], "options": ["color: wine red", "size: large"], "instruction_attributes": ["machine washable"], "instruction_options": ["large"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINS3276", "worker_id": "A2RBF3IIJP15IH"}], "B07CF7DT95": [{"asin": "B07CF7DT95", "instruction": "i am looking for a double sided hair extensions in 14 inch long. also in green color.", "attributes": ["double sided", "hair extensions", "hair salon"], "options": ["color: #green", "size: 14 inch"], "instruction_attributes": ["double sided"], "instruction_options": ["#green", "14 inch"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ52XCKA", "worker_id": "A2HMEGTAFO0CS8"}], "B09QPDZ1P2": [{"asin": "B09QPDZ1P2", "instruction": "i would like a machine washable tank that is purple and in a men's x-large.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: purple", "fit type: men", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["purple", "men", "x-large"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RY37WW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07H3MH53Y": [{"asin": "B07H3MH53Y", "instruction": "i need to buy a loveseat for my living room. get one that's flat packed with a wood finish.", "attributes": ["assembly required", "wood finish", "living room"], "options": [""], "instruction_attributes": ["assembly required", "wood finish", "living room"], "instruction_options": [], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RZAW7U", "worker_id": "AR9AU5FY1S3RO"}], "B07N62QK41": [{"asin": "B07N62QK41", "instruction": "i need a fully assembled metal bar stool. pick the black backless ones.", "attributes": ["fully assembled", "space saving", "white item"], "options": ["color: black"], "instruction_attributes": ["fully assembled"], "instruction_options": ["black"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8FZNZ0", "worker_id": "A1NF6PELRKACS9"}], "B07TDFCJNX": [{"asin": "B07TDFCJNX", "instruction": "i want white high heel ankle booties.", "attributes": ["high heel", "faux fur", "rubber outsole"], "options": ["color: white | pu-1", "size: 6"], "instruction_attributes": ["high heel"], "instruction_options": ["white | pu-1"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLRA03Q", "worker_id": "A2RBF3IIJP15IH"}], "B08JLQ2J6C": [{"asin": "B08JLQ2J6C", "instruction": "i would like a high def monocular for bird watching.", "attributes": ["high definition", "bird watching"], "options": [""], "instruction_attributes": ["high definition", "bird watching"], "instruction_options": [], "assignment_id": "351SEKWQSBRP7CP60H83T50CF7CMDX", "worker_id": "A1WS884SI0SLO4"}], "B07NLH2WV5": [{"asin": "B07NLH2WV5", "instruction": "locate a hedgehog garden statue with bluetooth speaker. i want the 6 1/4 inch figuring that includes aaa batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40VCYFI", "worker_id": "A1CB72B51L7TKE"}], "B07PGJWVQP": [{"asin": "B07PGJWVQP", "instruction": "i need some water resistant boots with a rubber sole. it should be in a medium brown shade.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: medium brown", "size: 10.5 wide"], "instruction_attributes": ["water resistant", "rubber sole"], "instruction_options": ["medium brown"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMPQW9Y", "worker_id": "A1NF6PELRKACS9"}], "B012KOJ61M": [{"asin": "B012KOJ61M", "instruction": "i want low fat banana chips.", "attributes": ["low fat", "real fruit"], "options": [""], "instruction_attributes": ["low fat"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9EK2E3", "worker_id": "A2RBF3IIJP15IH"}], "B09QPCQF6P": [{"asin": "B09QPCQF6P", "instruction": "i would like a loose fit tee that is orange and is a size 4x large", "attributes": ["loose fit", "slim fit", "long sleeve", "short sleeve"], "options": ["color: orange", "size: 4x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["orange", "4x-large"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F2ZZHOV", "worker_id": "A2ECRNQ3X5LEXD"}], "B0999N8S5F": [{"asin": "B0999N8S5F", "instruction": "i want candy bags for a halloween party.", "attributes": ["party supplies", "baby shower"], "options": ["color: halloween"], "instruction_attributes": ["party supplies"], "instruction_options": ["halloween"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3C9NQ1", "worker_id": "A2RBF3IIJP15IH"}], "B082M964NK": [{"asin": "B082M964NK", "instruction": "i need a home office chair that has lumbar support and comes in a four pack.", "attributes": ["easy assemble", "lumbar support"], "options": ["size: 4 pack with foot ring"], "instruction_attributes": ["lumbar support"], "instruction_options": ["4 pack with foot ring"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYWGPP2", "worker_id": "A2ECRNQ3X5LEXD"}], "B07HBF94LC": [{"asin": "B07HBF94LC", "instruction": "i want a tea tree based toothpaste which should be good for sensitive teeth and can reduce bad breath.", "attributes": ["tea tree", "sensitive teeth", "bad breath"], "options": [""], "instruction_attributes": ["tea tree", "sensitive teeth", "bad breath"], "instruction_options": [], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA3AR8G", "worker_id": "ASWFLI3N8X72G"}], "B076BMQ43T": [{"asin": "B076BMQ43T", "instruction": "i am looking for curtains for my living room that are a 2 panel set in the color purple lavender.", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: purple lavender", "size: 108\" x 108\""], "instruction_attributes": ["living room"], "instruction_options": ["purple lavender"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME92Q2DH", "worker_id": "AK3JMCIGU8MLU"}], "B09KGKRK8J": [{"asin": "B09KGKRK8J", "instruction": "i would like a twin size antique white bed that is easy to assemble.", "attributes": ["twin size", "space saving", "assembly required", "easy assemble", "box spring"], "options": ["color: antique white", "size: twin"], "instruction_attributes": ["twin size", "easy assemble"], "instruction_options": ["antique white", "twin"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7HZN53", "worker_id": "A1WS884SI0SLO4"}], "B08P2PQ7HW": [{"asin": "B08P2PQ7HW", "instruction": "i am looking for natural deodorant with paraben free, cruelty free and scent:unwind (lavender mint) in stainless steel container", "attributes": ["paraben free", "cruelty free", "stainless steel", "seed oil", "natural ingredients"], "options": ["scent: unwind (lavender mint)"], "instruction_attributes": ["paraben free", "cruelty free", "stainless steel"], "instruction_options": ["unwind (lavender mint)"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIAUBR0", "worker_id": "AX2EWYWZM19AZ"}], "B09KS8NRS2": [{"asin": "B09KS8NRS2", "instruction": "i need to buy a high performance tablet with 4g.", "attributes": ["high performance", "4g lte"], "options": [""], "instruction_attributes": ["high performance", "4g lte"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1HXU38", "worker_id": "AR9AU5FY1S3RO"}], "B09GV9PDT9": [{"asin": "B09GV9PDT9", "instruction": "i am looking for a pair of grey size 11 mens running shoes.", "attributes": ["moisture wicking", "ethylene vinyl", "vinyl acetate"], "options": ["color: grey", "size: 11"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["grey", "11"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JY5EGG", "worker_id": "A1EREKSZAA9V7B"}], "B09PDBQ133": [{"asin": "B09PDBQ133", "instruction": "i want a high quality toothbrush for sensitive teeth, something in blue color for my baby.", "attributes": ["high quality", "sensitive teeth"], "options": ["color: blue", "size: 7-13 year"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["blue"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22J78WK", "worker_id": "A1NF6PELRKACS9"}], "B093GY7VJG": [{"asin": "B093GY7VJG", "instruction": "i want one size light weight women\u2019s sexy bandage halter dress.", "attributes": ["light weight", "fashion design", "quality polyester", "daily wear"], "options": ["color: multicolor1", "size: one size"], "instruction_attributes": ["light weight"], "instruction_options": ["one size"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP7XOCW", "worker_id": "A2RBF3IIJP15IH"}], "B01GR35QUM": [{"asin": "B01GR35QUM", "instruction": "i want a citrus and plant based dr. bronner\u2019s liquid soap.", "attributes": ["plant based", "cruelty free"], "options": ["scent: citrus", "size: 32 fl oz (pack of 1)"], "instruction_attributes": ["plant based"], "instruction_options": ["citrus"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UNPZEE", "worker_id": "A2RBF3IIJP15IH"}], "B08XNLBGFL": [{"asin": "B08XNLBGFL", "instruction": "i really need a foot file for dead skin.", "attributes": ["high quality", "stainless steel", "dead skin"], "options": [""], "instruction_attributes": ["dead skin"], "instruction_options": [], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UOW1GD", "worker_id": "A2ECRNQ3X5LEXD"}], "B083JB2WS7": [{"asin": "B083JB2WS7", "instruction": "i am looking for a storage bench with a wood finish for my living room.", "attributes": ["wood finish", "living room"], "options": [""], "instruction_attributes": ["wood finish", "living room"], "instruction_options": [], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU6C9AP", "worker_id": "A1EREKSZAA9V7B"}], "B09DPLKCW3": [{"asin": "B09DPLKCW3", "instruction": "i want a 4g lte verizon signal booster.", "attributes": ["light weight", "plug play", "easy install", "coaxial cable", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK247ENK8", "worker_id": "A2RBF3IIJP15IH"}], "B01CD9JXTO": [{"asin": "B01CD9JXTO", "instruction": "i need a certified refurbished nikon d750.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI5WBAG", "worker_id": "A2RBF3IIJP15IH"}], "B091Q3LQGW": [{"asin": "B091Q3LQGW", "instruction": "i am looking for a heavy duty bed in twin size which is easy to assemble. also choose silver with trundle color.", "attributes": ["twin size", "heavy duty", "easy assemble", "box spring"], "options": ["color: silver with trundle"], "instruction_attributes": ["twin size", "heavy duty", "easy assemble"], "instruction_options": ["silver with trundle"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYM2HDA", "worker_id": "A2HMEGTAFO0CS8"}], "B08L2YMRSF": [{"asin": "B08L2YMRSF", "instruction": "i want a jying silver round wall mounted mirror.", "attributes": ["wall mounted", "easy install", "living room"], "options": ["color: silver", "size: 40cm | 16inch"], "instruction_attributes": ["wall mounted"], "instruction_options": ["silver"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QP1XON", "worker_id": "A2RBF3IIJP15IH"}], "B09C6117XD": [{"asin": "B09C6117XD", "instruction": "i would like a island i39.3 chandelier for my dining room.", "attributes": ["height adjustable", "stainless steel", "pendant light", "light fixture", "steel frame", "dining room", "living room"], "options": ["color: island l39.3\""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TQTPMS", "worker_id": "A1WS884SI0SLO4"}], "B07V8NLJ3Y": [{"asin": "B07V8NLJ3Y", "instruction": "i want an aura white and fast charging samsung galaxy note 10.", "attributes": ["long lasting", "fast charging"], "options": ["color: aura white", "style: note 10+"], "instruction_attributes": ["fast charging"], "instruction_options": ["aura white"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R5PSKQ", "worker_id": "A2RBF3IIJP15IH"}], "B07SLKMCDW": [{"asin": "B07SLKMCDW", "instruction": "i would like a heather blue men's size 4t t shirt with a needle sleeve.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: heather blue", "fit type: men", "size: 4t"], "instruction_attributes": ["needle sleeve"], "instruction_options": ["heather blue", "men", "4t"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H268UT", "worker_id": "A1WS884SI0SLO4"}], "B08QRYMRFH": [{"asin": "B08QRYMRFH", "instruction": "shop for a virtual reality headset that's high definition. get the size a.", "attributes": ["easy install", "high definition"], "options": ["size: a"], "instruction_attributes": ["high definition"], "instruction_options": ["a"], "assignment_id": "3BGYGHDBB8UCXYNXTA52IDVACCV224", "worker_id": "AR9AU5FY1S3RO"}], "B09JLSZYPJ": [{"asin": "B09JLSZYPJ", "instruction": "get me a hair drying towel with a funny graphic on it.", "attributes": ["dry hair", "hair salon"], "options": ["color: design funny graphic-302"], "instruction_attributes": ["dry hair"], "instruction_options": ["design funny graphic-302"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP8QOCR", "worker_id": "AR9AU5FY1S3RO"}], "B07FXZKPLS": [{"asin": "B07FXZKPLS", "instruction": "i am looking for a non gmo soup that is vegetarian and comes in a pack of six.", "attributes": ["non gmo", "simple ingredients"], "options": ["flavor name: vegetarian vegetable", "size: pack of 6"], "instruction_attributes": ["non gmo"], "instruction_options": ["vegetarian vegetable", "pack of 6"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI738ZGZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QDRF3WW": [{"asin": "B08QDRF3WW", "instruction": "i'm looking for intel core it can easily install any.", "attributes": ["core i5", "intel core"], "options": ["size: 1tb nvme | 16gb ddr4"], "instruction_attributes": ["intel core"], "instruction_options": ["1tb nvme | 16gb ddr4"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLN6I4B", "worker_id": "A16IQOX0DK14OJ"}], "B0742C39SB": [{"asin": "B0742C39SB", "instruction": "i am looking for some gray living room pillows.", "attributes": ["high density", "living room"], "options": ["color: gray", "size: california king"], "instruction_attributes": ["living room"], "instruction_options": ["gray"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVY03XT", "worker_id": "A2ECRNQ3X5LEXD"}], "B08XBFG6ZS": [{"asin": "B08XBFG6ZS", "instruction": "i am looking for a mouth guard that is pink and non toxic.", "attributes": ["leak proof", "non toxic", "easy clean"], "options": ["color: pink"], "instruction_attributes": ["non toxic"], "instruction_options": ["pink"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW2G4T4", "worker_id": "A2ECRNQ3X5LEXD"}], "B07HKFLFKM": [{"asin": "B07HKFLFKM", "instruction": "i need a brush set that can be used with eyeshadow. get color \"d.\"", "attributes": ["eye shadow", "hair loss"], "options": ["color: d"], "instruction_attributes": ["eye shadow"], "instruction_options": ["d"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD82S05", "worker_id": "AR9AU5FY1S3RO"}], "B082CLV61D": [{"asin": "B082CLV61D", "instruction": "i want a long lasting, women's spray perfume.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "39LNWE0K456PSVA11X00BCXJKYNIUN", "worker_id": "A114NK7T5673GK"}], "B09MHNZ9F5": [{"asin": "B09MHNZ9F5", "instruction": "i need a blue breenhill electric body brush with extended long handle.", "attributes": ["long handle", "sensitive skin"], "options": ["size: 4110blue"], "instruction_attributes": ["long handle"], "instruction_options": ["4110blue"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBQREJP", "worker_id": "A2RBF3IIJP15IH"}], "B0922RLZ22": [{"asin": "B0922RLZ22", "instruction": "look for an easy to install antique bronze vanity light.", "attributes": ["mid century", "easy install", "clear glass", "glass shade", "vanity light", "light fixture"], "options": ["color: antique bronze", "size: 2lt"], "instruction_attributes": ["easy install"], "instruction_options": ["antique bronze"], "assignment_id": "3TR2532VI040LV46NXNX77Y3US76J0", "worker_id": "AR9AU5FY1S3RO"}], "B084KYT2BK": [{"asin": "B084KYT2BK", "instruction": "i would like to purchase teriyaki flavored jerky that is made from grass fed beef and comes in a 10 ounce package.", "attributes": ["sugar free", "grass fed", "keto friendly"], "options": ["flavor name: teriyaki", "size: 10 ounce"], "instruction_attributes": ["grass fed"], "instruction_options": ["teriyaki", "10 ounce"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YVJQ3P", "worker_id": "A114NK7T5673GK"}], "B09MFC8PTT": [{"asin": "B09MFC8PTT", "instruction": "i need a black full sized bed frame that is easy to assemble", "attributes": ["easy assemble", "heavy duty", "space saving", "box spring", "storage space"], "options": ["color: black", "size: full"], "instruction_attributes": ["easy assemble"], "instruction_options": ["black", "full"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6478KH3H", "worker_id": "A2ECRNQ3X5LEXD"}], "B01K4GG51C": [{"asin": "B01K4GG51C", "instruction": "i would like a pair of light blue size 6 sneakers with rubber soles.", "attributes": ["memory foam", "rubber sole"], "options": ["color: gray | light blue", "size: 6"], "instruction_attributes": ["rubber sole"], "instruction_options": ["gray | light blue", "6"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP7Z6D9", "worker_id": "A1WS884SI0SLO4"}], "B09CW9ZHD7": [{"asin": "B09CW9ZHD7", "instruction": "i want to buy an x-large tall, long sleeve flannel shirt that is sea cliff blue plaid.", "attributes": ["machine wash", "button closure", "cotton spandex", "quality materials", "long sleeve", "tumble dry"], "options": ["color: sea cliff blue plaid", "size: x-large tall"], "instruction_attributes": ["long sleeve"], "instruction_options": ["sea cliff blue plaid", "x-large tall"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC538RK3", "worker_id": "A114NK7T5673GK"}], "B09PL66P24": [{"asin": "B09PL66P24", "instruction": "i want a jacksing stereo audio power amplifier.", "attributes": ["power amplifier", "high definition"], "options": [""], "instruction_attributes": ["power amplifier"], "instruction_options": [], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPKQE62", "worker_id": "A2RBF3IIJP15IH"}], "B08NJ8WV83": [{"asin": "B08NJ8WV83", "instruction": "i am looking for a fresh, bright taste, 0 calories and fast-acting nanotonic hemp extract. cocktail with extra sparkling, you'll feel good all night, and in the morning too. yum! the mountjoy extra sparkling | fast-acting hemp-infused sparkling aperitif in assorted flavors and simple ingredients. single pack preferable.", "attributes": ["non alcoholic", "simple ingredients"], "options": ["flavor name: assorted flavors", "size: single"], "instruction_attributes": ["non alcoholic", "simple ingredients"], "instruction_options": ["assorted flavors", "single"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UD13AZ", "worker_id": "A1DRKZ3SCLAS4V"}], "B07TZ1Y9W7": [{"asin": "B07TZ1Y9W7", "instruction": "i am looking for king sized 5 inch mattress with high-density foam comfort and pressure relieving support for a better night's sleep. mayton medium firm tight top mattress preferable.", "attributes": ["high density", "ready use", "fully assembled"], "options": ["size: king", "style: 5-inch"], "instruction_attributes": ["high density", "ready use", "fully assembled"], "instruction_options": ["king", "5-inch"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WP8WQY", "worker_id": "A1DRKZ3SCLAS4V"}], "B09MTDNWNZ": [{"asin": "B09MTDNWNZ", "instruction": "i'm looking for a fast charging oculus quest 2, usb a to usb c link cable that's 10ft.", "attributes": ["fast charging", "high speed"], "options": ["size: 10ft | 3m"], "instruction_attributes": ["fast charging"], "instruction_options": ["10ft | 3m"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z48ACQN", "worker_id": "A292TFDMNVS0TP"}], "B08JK6X5W2": [{"asin": "B08JK6X5W2", "instruction": "i am looking for a cake topper for a baby shower. also choose easy to use", "attributes": ["easy use", "cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["easy use", "baby shower"], "instruction_options": [], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1Z9PAPE", "worker_id": "A2HMEGTAFO0CS8"}], "B096ZS3934": [{"asin": "B096ZS3934", "instruction": "i am searching for a pair of crocs (flip flops) in a size 9-10 in stucco | white. need to be vinyl acetate ot ethylene vinyl. possible product code is 11033.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: stucco | white", "size: 9-10"], "instruction_attributes": ["ethylene vinyl", "vinyl acetate"], "instruction_options": ["stucco | white", "9-10"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYVE36E", "worker_id": "A3RGIKEI8JS2QG"}], "B08XVP4YC7": [{"asin": "B08XVP4YC7", "instruction": "i need a 42mm | 44 mm, apple compatible stainless steel smartwatch band which is of coffee color with a black buckle.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: coffee with black buckle", "size: 42mm | 44mm"], "instruction_attributes": ["compatible apple", "stainless steel"], "instruction_options": ["coffee with black buckle", "42mm | 44mm"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUTTQJR", "worker_id": "ASWFLI3N8X72G"}], "B09PNDFZFZ": [{"asin": "B09PNDFZFZ", "instruction": "i want type b high-definition high-power binoculars.", "attributes": ["high power", "high definition"], "options": ["color: type b"], "instruction_attributes": ["high definition"], "instruction_options": ["type b"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SUFTQS", "worker_id": "A2RBF3IIJP15IH"}], "B087NKBGGN": [{"asin": "B087NKBGGN", "instruction": "i want a king size twin bed with storage compartments.", "attributes": ["king size", "box spring"], "options": ["color: green", "size: twin"], "instruction_attributes": ["king size"], "instruction_options": ["twin"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4AZ0IK", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B087NKBGGN", "instruction": "i need a king size bed that is green.", "attributes": ["king size", "box spring"], "options": ["color: green", "size: king"], "instruction_attributes": ["king size"], "instruction_options": ["green"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3APVBWP", "worker_id": "A2ECRNQ3X5LEXD"}], "B08WRR2W8Q": [{"asin": "B08WRR2W8Q", "instruction": "i want an ivory modway solid wood 6-piece sectional sofa.", "attributes": ["solid wood", "living room"], "options": ["color: ivory"], "instruction_attributes": ["solid wood"], "instruction_options": ["ivory"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK664YYH", "worker_id": "A2RBF3IIJP15IH"}], "B085D1H4KG": [{"asin": "B085D1H4KG", "instruction": "i would like some dental flossers that come in a storage case.", "attributes": ["clinically proven", "storage case"], "options": [""], "instruction_attributes": ["storage case"], "instruction_options": [], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQQMIHN", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KYKPRQH": [{"asin": "B07KYKPRQH", "instruction": "i would like some memory foam shoes that are navy and are a size 7.5 wide.", "attributes": ["synthetic sole", "memory foam"], "options": ["color: navy", "size: 7.5 wide"], "instruction_attributes": ["memory foam"], "instruction_options": ["navy", "7.5 wide"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3Q1MZD", "worker_id": "A2ECRNQ3X5LEXD"}], "B091SN3LMG": [{"asin": "B091SN3LMG", "instruction": "i would like some black and golden jewlery for daily wear.", "attributes": ["unique design", "rubber sole", "daily wear"], "options": ["color: black | golden", "size: 2.5 little kid"], "instruction_attributes": ["daily wear"], "instruction_options": ["black | golden"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49Y6X4I", "worker_id": "A2ECRNQ3X5LEXD"}], "B0991WC1L9": [{"asin": "B0991WC1L9", "instruction": "i need some high waisted jeans that are black and in an x-small.", "attributes": ["wide leg", "high waist", "drawstring closure", "relaxed fit", "polyester spandex"], "options": ["color: black", "size: x-small"], "instruction_attributes": ["high waist"], "instruction_options": ["black", "x-small"], "assignment_id": "33CID5710F37J25O7G1CGJZBOQML3N", "worker_id": "A2ECRNQ3X5LEXD"}], "B08642JYRV": [{"asin": "B08642JYRV", "instruction": "i am looking for siete grain free tortilla chips that are also gluten free, and non gmo.", "attributes": ["grain free", "dairy free", "non gmo", "gluten free", "natural ingredients", "quality ingredients"], "options": ["flavor name: variety pack", "size: 5 ounce (pack of 3)"], "instruction_attributes": ["grain free", "non gmo", "gluten free"], "instruction_options": ["5 ounce (pack of 3)"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYLPHDV", "worker_id": "A2KW17G25L25R8"}], "B07BS1PT7S": [{"asin": "B07BS1PT7S", "instruction": "i want a black officially licensed judy hopps average bunny t-shirt.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: youth", "size: medium"], "instruction_attributes": ["officially licensed"], "instruction_options": ["black"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZXYCNB", "worker_id": "A2RBF3IIJP15IH"}], "B09P7SPJDS": [{"asin": "B09P7SPJDS", "instruction": "i would like a blue size 8.5 flat shoe that is pretty light weight.", "attributes": ["light weight", "fashion design"], "options": ["color: model 1 blue", "size: 8.5"], "instruction_attributes": ["light weight"], "instruction_options": ["model 1 blue", "8.5"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCGHSJJ", "worker_id": "A1WS884SI0SLO4"}], "B003C09PC4": [{"asin": "B003C09PC4", "instruction": "i'm looking for individually wrapped turkey flavoured meat sticks for snacking.", "attributes": ["individually wrapped", "old fashioned"], "options": ["flavor: turkey"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["turkey"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK48NVF", "worker_id": "A3EDFA8UQT5GG8"}], "B082VL74XD": [{"asin": "B082VL74XD", "instruction": "i am looking for high quality dark brown braided synthetic hair extensions.", "attributes": ["high quality", "synthetic hair", "hair extensions"], "options": ["color: dark brown"], "instruction_attributes": ["high quality", "synthetic hair"], "instruction_options": ["dark brown"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSICQ29", "worker_id": "A1EREKSZAA9V7B"}], "B01MT94PJW": [{"asin": "B01MT94PJW", "instruction": "look for antiperspirant in the jean-marie farina scent. buy the travel size.", "attributes": ["anti perspirant", "travel size"], "options": ["scent: jean-marie farina"], "instruction_attributes": ["anti perspirant", "travel size"], "instruction_options": ["jean-marie farina"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SUTUDD", "worker_id": "AR9AU5FY1S3RO"}], "B00TZJDY4Q": [{"asin": "B00TZJDY4Q", "instruction": "buy a pack of whitening toothpaste.", "attributes": ["clinically proven", "teeth whitening"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNKINTR", "worker_id": "AR9AU5FY1S3RO"}], "B095C5CZL3": [{"asin": "B095C5CZL3", "instruction": "i want a dongtai 1080p hd hot link remote surveillance camera.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd"], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH9R1E8", "worker_id": "A2RBF3IIJP15IH"}], "B08R3KWXDL": [{"asin": "B08R3KWXDL", "instruction": "i'm looking for cake toppers for a birthday party", "attributes": ["cupcake picks", "party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP61DVDE", "worker_id": "A258PTOZ3D2TQR"}], "B07GXHP1X1": [{"asin": "B07GXHP1X1", "instruction": "i need a contemporary mid century, sea blue sofa for living room made with wood frame.", "attributes": ["mid century", "wood frame", "living room"], "options": ["color: sea blue", "size: sofa"], "instruction_attributes": ["mid century", "wood frame", "living room"], "instruction_options": ["sea blue", "sofa"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS3540180MU2", "worker_id": "ASWFLI3N8X72G"}], "B08RJDWPF1": [{"asin": "B08RJDWPF1", "instruction": "i would like to buy some easy to use hair topper extensions that are 10 inches in length, 130% density and come in wine red color.", "attributes": ["easy use", "hair loss"], "options": ["color: wine red-b", "size: 10 inch-130% density"], "instruction_attributes": ["easy use"], "instruction_options": ["wine red-b", "10 inch-130% density"], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZND05S", "worker_id": "A114NK7T5673GK"}], "B08X7153CG": [{"asin": "B08X7153CG", "instruction": "i would like a hair cutting kit that is multicolor.", "attributes": ["rose gold", "hair cutting"], "options": ["color: multicolor 1"], "instruction_attributes": ["hair cutting"], "instruction_options": ["multicolor 1"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q2CKDL", "worker_id": "A2ECRNQ3X5LEXD"}], "B01G2HM9NA": [{"asin": "B01G2HM9NA", "instruction": "buy a pair of sneakers with rubber soles in a size seven and a half. order them in silver.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: silver multi", "size: 7.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["silver multi", "7.5"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIECVF8", "worker_id": "AR9AU5FY1S3RO"}], "B09ML2WVBK": [{"asin": "B09ML2WVBK", "instruction": "i need an easy to use butter chicken recipe mix that comes in a pack of 3.", "attributes": ["easy use", "artificial flavors"], "options": ["flavor name: karahi gosht 3.30 oz (94g)", "size: pack of 3"], "instruction_attributes": ["easy use"], "instruction_options": ["pack of 3"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFE420D", "worker_id": "A1NF6PELRKACS9"}], "B07R4X5GR9": [{"asin": "B07R4X5GR9", "instruction": "i need some jerky that does not have gluten in it.", "attributes": ["artificial ingredients", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQQOIHP", "worker_id": "A2ECRNQ3X5LEXD"}], "B082MMHC2S": [{"asin": "B082MMHC2S", "instruction": "i need x-large handyulong women's high waisted ripped jeans.", "attributes": ["butt lifting", "straight leg", "wide leg", "high waist", "long sleeve", "drawstring closure", "tummy control"], "options": ["color: z-zzzblue", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["x-large"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQCB19Y", "worker_id": "A2RBF3IIJP15IH"}], "B09JK7DWCM": [{"asin": "B09JK7DWCM", "instruction": "i'm looking for a red long sleeve sweatshirt in size 3x", "attributes": ["machine wash", "wash cold", "long sleeve", "daily wear"], "options": ["color: x-red", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x-red", "3x-large"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK66QYY3", "worker_id": "A36LOA6VLJU157"}], "B09M968ZCM": [{"asin": "B09M968ZCM", "instruction": "i am looking for a high protein energy bar with low sugar and low carb.", "attributes": ["high protein", "low sugar", "low carb", "low calorie", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["high protein", "low sugar", "low carb"], "instruction_options": [], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYLMM62", "worker_id": "A2HMEGTAFO0CS8"}], "B07RFQ668G": [{"asin": "B07RFQ668G", "instruction": "i would like a 8 oz bag of kosher certified sea salt.", "attributes": ["gmo free", "kosher certified", "real fruit"], "options": ["size: 8oz bag"], "instruction_attributes": ["kosher certified"], "instruction_options": ["8oz bag"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9IZSS1Q", "worker_id": "A1WS884SI0SLO4"}], "B089Z43Q8H": [{"asin": "B089Z43Q8H", "instruction": "i want to buy a watermelon-flavored, sugar-free syrup.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: watermelon", "size: 15.89 ounce"], "instruction_attributes": ["sugar free"], "instruction_options": ["watermelon"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40U6YFA", "worker_id": "A114NK7T5673GK"}, {"asin": "B089Z43Q8H", "instruction": "i want to find sugar-free marshmallow flavored syrup in a 25.4 ounce bottle. it must come in a pack of three.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: marshmallow", "size: 25.4 ounce (pack of 3)"], "instruction_attributes": ["sugar free"], "instruction_options": ["marshmallow", "25.4 ounce (pack of 3)"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUKNS4Q", "worker_id": "A345TDMHP3DQ3G"}], "B09CKSFXF1": [{"asin": "B09CKSFXF1", "instruction": "i need a set of easy to clean hair drying towels.", "attributes": ["easy clean", "dry hair"], "options": [""], "instruction_attributes": ["easy clean", "dry hair"], "instruction_options": [], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX7CCF6", "worker_id": "AR9AU5FY1S3RO"}], "B07TNR54WL": [{"asin": "B07TNR54WL", "instruction": "i want a high waist tummy control active shorts for teen girls in w-grey color and xx-large size.", "attributes": ["high waist", "tummy control", "teen girls"], "options": ["color: w-grey", "size: xx-large"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIV8T95", "worker_id": "ASWFLI3N8X72G"}], "B09MTTB7K5": [{"asin": "B09MTTB7K5", "instruction": "get me a portable toothbrush in color \"b.\" the one that says it's for teeth whitening.", "attributes": ["teeth whitening", "fresh breath"], "options": ["color: b"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["b"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB1B5YJ", "worker_id": "AR9AU5FY1S3RO"}], "B09HTH7VQG": [{"asin": "B09HTH7VQG", "instruction": "i would like a free standing shoe rack that is easy to assemble.", "attributes": ["easy assemble", "space saving", "storage space", "living room"], "options": [""], "instruction_attributes": ["easy assemble"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHEZUTJ8", "worker_id": "A1WS884SI0SLO4"}], "B09PJ792FP": [{"asin": "B09PJ792FP", "instruction": "i am looking for a straight leg pants for gym workout in medium size. choose navy color.", "attributes": ["straight leg", "high waist", "tummy control", "button closure", "gym workout"], "options": ["color: navy", "size: medium"], "instruction_attributes": ["straight leg", "gym workout"], "instruction_options": ["navy", "medium"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACPBHNX", "worker_id": "A2HMEGTAFO0CS8"}], "B089LQ8526": [{"asin": "B089LQ8526", "instruction": "i would like a two pack of light brown hair dye that is long lasting.", "attributes": ["dermatologist tested", "long lasting", "hair dye"], "options": ["color: 4n-light brown", "size: pack of 2"], "instruction_attributes": ["long lasting", "hair dye"], "instruction_options": ["4n-light brown", "pack of 2"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OOC99S", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SF2KCDD": [{"asin": "B09SF2KCDD", "instruction": "i need some khaki open toed sandals that come in a 6 wide.", "attributes": ["open toe", "closed toe"], "options": ["color: a4 - khaki", "size: 6 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["a4 - khaki", "6 wide"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OGYTRA", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KMD725G": [{"asin": "B07KMD725G", "instruction": "i need a tee tree based scalp treatment hair care product, which is good for dry hair.", "attributes": ["tea tree", "dry hair"], "options": [""], "instruction_attributes": ["tea tree", "dry hair"], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ0LNRG", "worker_id": "ASWFLI3N8X72G"}], "B07J28SMHM": [{"asin": "B07J28SMHM", "instruction": "i want a black and easy to use ultra slim waterproof gel eyeliner pencil.", "attributes": ["long lasting", "easy apply", "easy use"], "options": ["color: 1. black"], "instruction_attributes": ["easy use"], "instruction_options": ["1. black"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVY1X3O", "worker_id": "A2RBF3IIJP15IH"}], "B096FKVW28": [{"asin": "B096FKVW28", "instruction": "i want beige chrisdowa light filtering roller shades for my living room.", "attributes": ["easy install", "living room"], "options": ["color: beige-solar", "size: 48\"w x 72\"h"], "instruction_attributes": ["living room"], "instruction_options": ["beige-solar"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMHW1J2", "worker_id": "A2RBF3IIJP15IH"}], "B084443PVV": [{"asin": "B084443PVV", "instruction": "can you help me find a shampoo set that is sulfate free, 24 fl oz and is repairing?", "attributes": ["sulfate free", "cruelty free", "dry hair"], "options": ["color: repairing (blackberry + coconut oil)", "size: 24 fl oz"], "instruction_attributes": ["sulfate free"], "instruction_options": ["repairing (blackberry + coconut oil)", "24 fl oz"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34JO41U", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HD2F1QG": [{"asin": "B08HD2F1QG", "instruction": "i want a charcoal grey colored chair with metal legs to go in my living room.", "attributes": ["easy install", "metal legs", "living room"], "options": ["color: charcoal grey", "size: velvet"], "instruction_attributes": ["metal legs", "living room"], "instruction_options": ["charcoal grey"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTDHD5V", "worker_id": "A1NF6PELRKACS9"}], "B092Z6QBYK": [{"asin": "B092Z6QBYK", "instruction": "i need a purple color loose fit blouse with long sleeves. i am a medium size.", "attributes": ["light weight", "loose fit", "short sleeve", "long sleeve", "quality polyester", "drawstring closure", "classic fit"], "options": ["color: z2-purple", "size: medium"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["z2-purple", "medium"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY15J4W", "worker_id": "A1NF6PELRKACS9"}], "B06XYH75NQ": [{"asin": "B06XYH75NQ", "instruction": "i want a gold high speed micro usb cable.", "attributes": ["high speed", "stainless steel"], "options": ["color: gold", "size: 10ft"], "instruction_attributes": ["high speed"], "instruction_options": ["gold"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YMA96L", "worker_id": "A2RBF3IIJP15IH"}], "B0009XQPHU": [{"asin": "B0009XQPHU", "instruction": "please show me a digital camera. my favorite brand is casio, my husnband told me about model exilim ex-z120 7. is there a batteries included too ? isn't it", "attributes": ["batteries included", "optical zoom"], "options": [""], "instruction_attributes": ["batteries included", "optical zoom"], "instruction_options": [], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RFYFLV", "worker_id": "A15IJ20C3R4HUO"}], "B09NQ5TCN2": [{"asin": "B09NQ5TCN2", "instruction": "i am looking for a hot pink jumpsuit that is large and made of quality materials", "attributes": ["long sleeve", "quality materials", "button closure", "daily wear"], "options": ["color: c2-hot pink", "size: large"], "instruction_attributes": ["quality materials"], "instruction_options": ["c2-hot pink", "large"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH0RHQD", "worker_id": "A2ECRNQ3X5LEXD"}], "B098NWGY7P": [{"asin": "B098NWGY7P", "instruction": "i need to buy a new desktop pc. look for one that's intel core, 64gb of ram, with a 2 terabyte ssd and a 1 terabyte hdd.", "attributes": ["dual band", "intel core"], "options": ["size: 64gb ddr4 ram, 2tb pcie ssd + 1tb hdd"], "instruction_attributes": ["intel core"], "instruction_options": ["64gb ddr4 ram, 2tb pcie ssd + 1tb hdd"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1AZZHF2", "worker_id": "AR9AU5FY1S3RO"}], "B09B6VTZVK": [{"asin": "B09B6VTZVK", "instruction": "i need a long lasting non slip mattress. the size should be 1.2*2 meters.", "attributes": ["non slip", "machine washable", "long lasting", "exquisite workmanship"], "options": ["color: a", "size: 1.2*2.0m"], "instruction_attributes": ["non slip", "long lasting"], "instruction_options": ["1.2*2.0m"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733LDBEW", "worker_id": "A1NF6PELRKACS9"}], "B07PMYB9NK": [{"asin": "B07PMYB9NK", "instruction": "i am looking for a blackhead removal tool with eco friendly and also non toxic", "attributes": ["oil free", "eco friendly", "non toxic"], "options": [""], "instruction_attributes": ["eco friendly", "non toxic"], "instruction_options": [], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0S3RAF", "worker_id": "A2HMEGTAFO0CS8"}], "B08RJ1678V": [{"asin": "B08RJ1678V", "instruction": "i want a xx-large sousuoty short sleeve shirt.", "attributes": ["unique design", "short sleeve"], "options": ["color: 01-pink", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VIC602", "worker_id": "A2RBF3IIJP15IH"}], "B07MWHY5YH": [{"asin": "B07MWHY5YH", "instruction": "i want a hunter colored and heavy duty gorilla grip bath rug mat.", "attributes": ["machine washable", "heavy duty", "easy clean"], "options": ["color: hunter", "size: 60\" x 24\""], "instruction_attributes": ["heavy duty"], "instruction_options": ["hunter"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG5USLT", "worker_id": "A2RBF3IIJP15IH"}], "B099DZH4P9": [{"asin": "B099DZH4P9", "instruction": "i am looking for 12 pack case for apple watch 38mm series 3, 2, and 1 with tempered glass screen protector. it may be better to have waterproof, shockproof, impact resistant protective and in all the colors.", "attributes": ["ultra hd", "easy install", "high definition", "glass screen", "tempered glass"], "options": ["color: black | white | silver | rosegold | clear | pink | winered | darkblue | lightblue | green | purple | leopard", "size: 42 mm"], "instruction_attributes": ["ultra hd"], "instruction_options": ["black | white | silver | rosegold | clear | pink | winered | darkblue | lightblue | green | purple | leopard"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEUXUUW", "worker_id": "A2DQZHJHF45NDT"}], "B07Z76QFVZ": [{"asin": "B07Z76QFVZ", "instruction": "i'm looking for an easy carry and light weight photography backdrop. also, choose the 7x5ft size.", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 7x5ft"], "instruction_attributes": ["light weight", "easy carry"], "instruction_options": ["7x5ft"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC55WKRO", "worker_id": "A9ZM1P6LBW79"}], "B082BWSGLF": [{"asin": "B082BWSGLF", "instruction": "i want seventh generation, body wash sensitive skin.", "attributes": ["animal testing", "fragrance free", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1H83US", "worker_id": "A2RBF3IIJP15IH"}], "B08CF1GQBM": [{"asin": "B08CF1GQBM", "instruction": "look for a pair of dark grey sneakers with a rubber sole.", "attributes": ["ethylene vinyl", "vinyl acetate", "rubber sole"], "options": ["color: dark grey", "size: 6"], "instruction_attributes": ["rubber sole"], "instruction_options": ["dark grey", "6"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68E9A45", "worker_id": "AR9AU5FY1S3RO"}], "B015PK1GQG": [{"asin": "B015PK1GQG", "instruction": "i want azure glitties glitter powder for nail art.", "attributes": ["long lasting", "easy use", "nail art"], "options": ["color: azure", "size: 10 gram"], "instruction_attributes": ["nail art"], "instruction_options": ["azure"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFFTVMK", "worker_id": "A2RBF3IIJP15IH"}], "B00SH90TJ8": [{"asin": "B00SH90TJ8", "instruction": "i need a high quality one way for one coral nail polish.", "attributes": ["high quality", "nail polish"], "options": ["color: coral", "style: one way for one"], "instruction_attributes": ["high quality", "nail polish"], "instruction_options": ["coral", "one way for one"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0MXCCSV", "worker_id": "ASWFLI3N8X72G"}], "B09439M7D8": [{"asin": "B09439M7D8", "instruction": "i want a small machine washable jcbytjsw jean jacket for men.", "attributes": ["machine wash", "button closure", "everyday wear"], "options": ["color: yellow01", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["small"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66O4ZFW", "worker_id": "A2RBF3IIJP15IH"}], "B09RJ9LMHQ": [{"asin": "B09RJ9LMHQ", "instruction": "i am looking for mens size medium golf t-shirts that are lightweight.", "attributes": ["slim fit", "long sleeve", "short sleeve", "regular fit"], "options": ["color: black", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["medium"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QALM1J", "worker_id": "A2KW17G25L25R8"}], "B08GFL3B4J": [{"asin": "B08GFL3B4J", "instruction": "i need gold hands free kids bluetooth 5.0 unicorns headphones.", "attributes": ["hands free", "easy carry"], "options": ["color: gold"], "instruction_attributes": ["hands free"], "instruction_options": ["gold"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWTYB973", "worker_id": "A2RBF3IIJP15IH"}], "B0789VCBF6": [{"asin": "B0789VCBF6", "instruction": "i am looking for deep moisturizing shampoo for extreme damage hair .advanced formula of micro nutrients to generate moisture inside the hair repairing chemical damage and color damage from the inside out; locks in nutrients and hydration needed to keep hair strong and bouncy. the truss ultra hydration plus shampoo for dry hair.", "attributes": ["damaged hair", "dry hair"], "options": [""], "instruction_attributes": ["damaged hair", "dry hair"], "instruction_options": [], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1M8UTGN", "worker_id": "A1DRKZ3SCLAS4V"}], "B07S6BVN5L": [{"asin": "B07S6BVN5L", "instruction": "i would like a bronze wall lamp for my living room.", "attributes": ["clear glass", "glass shade", "bronze finish", "living room"], "options": [""], "instruction_attributes": ["bronze finish", "living room"], "instruction_options": [], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIFJ00O", "worker_id": "A1WS884SI0SLO4"}], "B005VTQ05Y": [{"asin": "B005VTQ05Y", "instruction": "i need some kosher buffalo wing sauce", "attributes": ["ready use", "kosher certified"], "options": ["size: 23 fl oz (pack of 1)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["23 fl oz (pack of 1)"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZXANCY", "worker_id": "A2ECRNQ3X5LEXD"}], "B09G2FS316": [{"asin": "B09G2FS316", "instruction": "i want a marble white and high quality travel makeup bag.", "attributes": ["high quality", "rose gold"], "options": ["color: v-marble white", "size: small (pack of 1)"], "instruction_attributes": ["high quality"], "instruction_options": ["v-marble white"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L1YVCB", "worker_id": "A2RBF3IIJP15IH"}], "B078XR8C15": [{"asin": "B078XR8C15", "instruction": "i would like a white item finder that has batteries included.", "attributes": ["batteries included", "easy use"], "options": ["color: white"], "instruction_attributes": ["batteries included"], "instruction_options": ["white"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040COGT2T", "worker_id": "A1WS884SI0SLO4"}], "B09BFDRGX4": [{"asin": "B09BFDRGX4", "instruction": "i want army green knee high hbeylia women's booties.", "attributes": ["knee high", "day comfort", "quality materials"], "options": ["color: army green", "size: 7.5 wide"], "instruction_attributes": ["knee high"], "instruction_options": ["army green"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB45XQA7", "worker_id": "A2RBF3IIJP15IH"}], "B01J5OMNWO": [{"asin": "B01J5OMNWO", "instruction": "i would like a pair of size 9.5 heeled blue sandals with a synthetic sole.", "attributes": ["ankle strap", "synthetic sole"], "options": ["color: blue | multi", "size: 9.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["blue | multi", "9.5"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39BFCZ1", "worker_id": "A1WS884SI0SLO4"}], "B093238RB2": [{"asin": "B093238RB2", "instruction": "i would like a high speed streaming media player that is easy to use.", "attributes": ["high speed", "easy use", "quad core"], "options": [""], "instruction_attributes": ["high speed", "easy use"], "instruction_options": [], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2ZDG6R", "worker_id": "A1WS884SI0SLO4"}], "B00A1EYZQA": [{"asin": "B00A1EYZQA", "instruction": "florida caribbean flavor tortuga orange rum cake - 4 oz rum cake for easter dessert. find a fresh baked one for me in stock.", "attributes": ["baked fresh", "quality ingredients", "gift basket"], "options": [""], "instruction_attributes": ["baked fresh"], "instruction_options": [], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKSEMJI", "worker_id": "A15IJ20C3R4HUO"}], "B08DM9N8XQ": [{"asin": "B08DM9N8XQ", "instruction": "i am looking for a travel sized bottle of prada luna rossa impression eau de parfum.", "attributes": ["travel size", "long lasting"], "options": ["scent: prada luna rossa impression"], "instruction_attributes": ["travel size"], "instruction_options": ["prada luna rossa impression"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDRPY8R", "worker_id": "A1EREKSZAA9V7B"}], "B07JLCRDCZ": [{"asin": "B07JLCRDCZ", "instruction": "i need a dress that is machine washable and is navy with pinstripes.", "attributes": ["easy care", "machine wash", "button closure"], "options": ["color: navy, pinstripe", "size: 34w x 32l"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy, pinstripe"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL99UV29", "worker_id": "A2ECRNQ3X5LEXD"}], "B081N9396M": [{"asin": "B081N9396M", "instruction": "i am looking for double sided hair extensions that are at least 22 inches", "attributes": ["double sided", "hair extensions"], "options": ["color: #p10 | 16 | 613", "size: 22 inch"], "instruction_attributes": ["double sided", "hair extensions"], "instruction_options": ["22 inch"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79IFKQ6", "worker_id": "A32JEH06T23HDF"}], "B07YYLBZYV": [{"asin": "B07YYLBZYV", "instruction": "i am looking for a 5ft black ac adapter that has output protection.", "attributes": ["output protection", "1080p hd"], "options": ["color: black", "size: 5ft"], "instruction_attributes": ["output protection"], "instruction_options": ["black", "5ft"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCU264S", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SWPZS4B": [{"asin": "B09SWPZS4B", "instruction": "i am looking for a 5 piece hair growth treatment that has all natural ingredients.", "attributes": ["seed oil", "natural ingredients", "hair growth", "hair loss", "damaged hair"], "options": ["size: 5pcs"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["5pcs"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WTK1A2", "worker_id": "A2ECRNQ3X5LEXD"}], "B000JZEABG": [{"asin": "B000JZEABG", "instruction": "i want fat free black forest gummy bears.", "attributes": ["fat free", "gluten free", "real fruit", "resealable bag"], "options": [""], "instruction_attributes": ["fat free"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9FEE2B", "worker_id": "A2RBF3IIJP15IH"}], "B09MG37LP8": [{"asin": "B09MG37LP8", "instruction": "i want a sweet and awesome hersheys candy mix gift set.", "attributes": ["individually wrapped", "gift set"], "options": ["style: hersheys candy mix - 2 lb"], "instruction_attributes": ["gift set"], "instruction_options": ["hersheys candy mix - 2 lb"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LI7I5K", "worker_id": "A2RBF3IIJP15IH"}], "B08MJCJ659": [{"asin": "B08MJCJ659", "instruction": "i want melody of the night wall art for the living room.", "attributes": ["ready hang", "living room"], "options": ["color: melody of the night", "size: 30\"x20\""], "instruction_attributes": ["living room"], "instruction_options": ["melody of the night"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6ST0DU1", "worker_id": "A2RBF3IIJP15IH"}], "B073G1P3ZX": [{"asin": "B073G1P3ZX", "instruction": "i want a 2 pound, pack of 1, chocolate covered hazelnuts.", "attributes": ["non dairy", "chocolate covered"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRQI2YB", "worker_id": "A3UUH3632AI3ZX"}], "B08WJGYNWJ": [{"asin": "B08WJGYNWJ", "instruction": "i would like a 16 ounce bottle of raisin milk that could be a great gift set.", "attributes": ["chocolate covered", "gift set", "great gift"], "options": ["flavor name: raisins - milk", "size: 16 ounce"], "instruction_attributes": ["gift set", "great gift"], "instruction_options": ["raisins - milk", "16 ounce"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU36RLZ", "worker_id": "A1WS884SI0SLO4"}], "B09QJMYF49": [{"asin": "B09QJMYF49", "instruction": "i want a pair of green noise cancelling earbud headphones.", "attributes": ["noise cancelling", "light weight", "stereo sound"], "options": ["color: green"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["green"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQVBB4G", "worker_id": "A1WS884SI0SLO4"}], "B095SCLBTF": [{"asin": "B095SCLBTF", "instruction": "i want a small high waisted smooto summer dress for women.", "attributes": ["high waist", "daily wear"], "options": ["color: beige 1", "size: small"], "instruction_attributes": ["high waist"], "instruction_options": ["small"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163RAQP0", "worker_id": "A2RBF3IIJP15IH"}], "B09PNC6152": [{"asin": "B09PNC6152", "instruction": "i need 2 pcs of purple color toothpaste which is good for sensitive teeth and bad breath.", "attributes": ["sensitive teeth", "bad breath"], "options": ["color: purple", "size: 2 pcs"], "instruction_attributes": ["sensitive teeth", "bad breath"], "instruction_options": ["purple", "2 pcs"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCICIPA", "worker_id": "ASWFLI3N8X72G"}], "B077TQ74DM": [{"asin": "B077TQ74DM", "instruction": "i would like a 40 by 40 blue orange throw pillow cover that is machine washable.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: blue orange", "size: 40\" x 40\""], "instruction_attributes": ["machine washable"], "instruction_options": ["blue orange", "40\" x 40\""], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKGZQ54A", "worker_id": "A1WS884SI0SLO4"}], "B0051I9OWQ": [{"asin": "B0051I9OWQ", "instruction": "i need high speed hdmi cables that are 15 feet long", "attributes": ["high speed", "ultra hd", "blu ray", "1080p hd", "gold plated"], "options": ["size: 15ft"], "instruction_attributes": ["high speed"], "instruction_options": ["15ft"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1GM3U4", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GZY9KK8": [{"asin": "B07GZY9KK8", "instruction": "i am looking for roasted and salted cashews that has low sodium content and no artificial ingredients.", "attributes": ["artificial ingredients", "low sodium", "protein serving", "non gmo"], "options": [""], "instruction_attributes": ["artificial ingredients", "low sodium"], "instruction_options": [], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSAYWCK", "worker_id": "AJDQGOTMB2D80"}], "B07P13RBND": [{"asin": "B07P13RBND", "instruction": "i would like a 19\" by 13\" by 17\" nile green bench that is super soft to sit in.", "attributes": ["spot clean", "super soft", "living room"], "options": ["color: nile green", "size: 19\" x 13\" x 17\""], "instruction_attributes": ["super soft"], "instruction_options": ["nile green", "19\" x 13\" x 17\""], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9USX5E", "worker_id": "A1WS884SI0SLO4"}], "B06ZYJ5HL4": [{"asin": "B06ZYJ5HL4", "instruction": "i want size 2x and machine washable women's plus size active run shorts.", "attributes": ["machine wash", "drawstring waist", "drawstring closure"], "options": ["color: spot on odyssey", "size: 2x"], "instruction_attributes": ["machine wash"], "instruction_options": ["2x"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2FPFKO", "worker_id": "A2RBF3IIJP15IH"}], "B00VUUR50W": [{"asin": "B00VUUR50W", "instruction": "i need some xx-large polos that have buttons and are in red and black.", "attributes": ["wash cold", "button closure", "tumble dry"], "options": ["color: red | black", "size: xx-large", "team name: indiana hoosiers"], "instruction_attributes": ["button closure"], "instruction_options": ["red | black", "xx-large"], "assignment_id": "37TRT2X24116R7L1JO45INKV8TKBJS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09ML1SJJ9": [{"asin": "B09ML1SJJ9", "instruction": "i am looking for a high speed gaming desktop with core i5. also choose 64gb ram|512gb ssd|win11h.", "attributes": ["high speed", "core i5", "intel core"], "options": ["size: 64gb ram|512gb ssd|win11h"], "instruction_attributes": ["high speed", "core i5"], "instruction_options": ["64gb ram|512gb ssd|win11h"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X56Y38", "worker_id": "A2HMEGTAFO0CS8"}], "B01K4XK2FU": [{"asin": "B01K4XK2FU", "instruction": "i want pink ambesonne shutters curtains for my living room.", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: pink green", "size: 108\" x 84\""], "instruction_attributes": ["living room"], "instruction_options": ["pink green"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYBHEIS", "worker_id": "A2RBF3IIJP15IH"}], "B08W2NYM42": [{"asin": "B08W2NYM42", "instruction": "i would like a stainless steel facial roller.", "attributes": ["stainless steel", "dark circles"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZH49K0", "worker_id": "A1WS884SI0SLO4"}], "B07KQ5FQDX": [{"asin": "B07KQ5FQDX", "instruction": "get me a pair of neon green shorts with a drawstring closure in size small.", "attributes": ["moisture wicking", "machine wash", "drawstring closure", "elastic waistband", "polyester spandex"], "options": ["color: neon green", "size: small"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["neon green", "small"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBANFJ", "worker_id": "AR9AU5FY1S3RO"}], "B084Z1G6TC": [{"asin": "B084Z1G6TC", "instruction": "i am looking for a wall sconce with a nickel finish. please make sure that it has a vintage brass color and is mini pendant styled.", "attributes": ["nickel finish", "clear glass"], "options": ["color: vintage brass", "style: mini pendant"], "instruction_attributes": ["nickel finish"], "instruction_options": ["vintage brass", "mini pendant"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJLY0WS", "worker_id": "AJDQGOTMB2D80"}], "B09GVYBZTF": [{"asin": "B09GVYBZTF", "instruction": "i would like a blue hair towel like those in a salon.", "attributes": ["hair salon", "dry hair"], "options": ["color: blue"], "instruction_attributes": ["hair salon"], "instruction_options": ["blue"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH88E10", "worker_id": "A1WS884SI0SLO4"}], "B07C812LHQ": [{"asin": "B07C812LHQ", "instruction": "i want a rose pink maxone 1tb portable external hard drive that is plug and play.", "attributes": ["plug play", "usb port"], "options": ["capacity: 500gb", "color: rose pink"], "instruction_attributes": ["plug play"], "instruction_options": ["rose pink"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINRN27O", "worker_id": "A2RBF3IIJP15IH"}], "B01K7YK2RY": [{"asin": "B01K7YK2RY", "instruction": "buy me a pair of machine washable jeans in maria.", "attributes": ["machine wash", "imported zipper", "quality materials"], "options": ["color: maria", "size: 20-30"], "instruction_attributes": ["machine wash"], "instruction_options": ["maria"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZLTY1H", "worker_id": "AR9AU5FY1S3RO"}], "B08LSM3T2G": [{"asin": "B08LSM3T2G", "instruction": "i am looking for a machine washable boxer brief with tumble dry. also choose multi color pack and 3x large size.", "attributes": ["machine washable", "machine wash", "tumble dry"], "options": ["color: multi10", "size: 3x-large"], "instruction_attributes": ["machine washable", "tumble dry"], "instruction_options": ["multi10", "3x-large"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTH8D4C", "worker_id": "A2HMEGTAFO0CS8"}], "B09Q6BNXVY": [{"asin": "B09Q6BNXVY", "instruction": "i want masbird open toe sandals for women in size 7.5.", "attributes": ["open toe", "leather sole", "high heel", "teen girls", "daily wear"], "options": ["color: a01-black", "size: 7.5"], "instruction_attributes": ["open toe"], "instruction_options": ["7.5"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK247PKNG", "worker_id": "A2RBF3IIJP15IH"}], "B09P8F6J2T": [{"asin": "B09P8F6J2T", "instruction": "i am looking for easy to use hair rollers in pink.", "attributes": ["easy use", "hair styling"], "options": ["color: pink"], "instruction_attributes": ["easy use"], "instruction_options": ["pink"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH8J1EY", "worker_id": "A2ECRNQ3X5LEXD"}], "B08N4S3B85": [{"asin": "B08N4S3B85", "instruction": "let me get some stainless steel tongue scrapers. pick a purple one.", "attributes": ["stainless steel", "oral hygiene"], "options": ["color: purple | orange | pink | yellow"], "instruction_attributes": ["stainless steel"], "instruction_options": ["purple | orange | pink | yellow"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V372UF", "worker_id": "A1NF6PELRKACS9"}], "B09QHK4DV1": [{"asin": "B09QHK4DV1", "instruction": "i'm looking for men's low rise boxer briefs in black color. please select xx-large size.", "attributes": ["butt lifting", "low rise", "day comfort", "quick drying", "moisture wicking", "high waist"], "options": ["color: black", "size: xx-large"], "instruction_attributes": ["low rise"], "instruction_options": ["black", "xx-large"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDMEHCY", "worker_id": "A20DUVEOH6A7KW"}], "B09MFZY1QC": [{"asin": "B09MFZY1QC", "instruction": "i need to buy four pounds of individually wrapped chocolates.", "attributes": ["individually wrapped", "valentine day", "perfect gift"], "options": ["size: 4 pound"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["4 pound"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L1XCVR", "worker_id": "AR9AU5FY1S3RO"}], "B09P5LY24M": [{"asin": "B09P5LY24M", "instruction": "i am looking for a supplement for hair growth which is clinically proven. also choose bundle pack 2", "attributes": ["clinically proven", "hair growth", "hair loss"], "options": ["size: bundle pack #2"], "instruction_attributes": ["clinically proven", "hair growth"], "instruction_options": ["bundle pack #2"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788CA5CQ", "worker_id": "A2HMEGTAFO0CS8"}], "B0829VDK65": [{"asin": "B0829VDK65", "instruction": "i would love some water resistant eye shadow that is coral colored.", "attributes": ["highly pigmented", "water resistant", "easy apply", "cruelty free", "eye shadow", "dry skin", "sensitive skin"], "options": ["color: golden coral"], "instruction_attributes": ["water resistant"], "instruction_options": ["golden coral"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RF5LF8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08613274T": [{"asin": "B08613274T", "instruction": "i want a mid century console sofa table.", "attributes": ["mid century", "assembly required", "metal legs"], "options": [""], "instruction_attributes": ["mid century"], "instruction_options": [], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZRA40J", "worker_id": "A2RBF3IIJP15IH"}], "B07GDSVW8B": [{"asin": "B07GDSVW8B", "instruction": "i'd like to order some barbecue flavored veggie crisps. look for low fat, non gmo, and plant based snacks.", "attributes": ["plant based", "low fat", "non gmo", "gluten free", "artificial flavors"], "options": ["flavor: barbecue"], "instruction_attributes": ["plant based", "low fat", "non gmo"], "instruction_options": ["barbecue"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2DKOI3", "worker_id": "AR9AU5FY1S3RO"}], "B08DQWMM4J": [{"asin": "B08DQWMM4J", "instruction": "i am looking for a high quality 25mm false eyelash extensions.", "attributes": ["easy apply", "high quality"], "options": ["color: dd-0.03", "size: 25mm"], "instruction_attributes": ["high quality"], "instruction_options": ["25mm"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3GGBV2", "worker_id": "A1EREKSZAA9V7B"}], "B07Z51SR1J": [{"asin": "B07Z51SR1J", "instruction": "i want to find a natural jade face mask that helps hide dark circles. the mask needs to be crystal clear in color.", "attributes": ["easy use", "dark circles"], "options": ["color: clear crystal"], "instruction_attributes": ["dark circles"], "instruction_options": ["clear crystal"], "assignment_id": "33CID5710F37J25O7G1CGJZBOQJL3K", "worker_id": "A345TDMHP3DQ3G"}], "B09KTNVY6F": [{"asin": "B09KTNVY6F", "instruction": "i want a black machine washable women's round turtleneck sweater.", "attributes": ["winter warm", "fleece lined", "machine wash", "long sleeve", "relaxed fit", "polyester spandex", "everyday wear"], "options": ["color: black", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["black"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ6WL1J", "worker_id": "A2RBF3IIJP15IH"}], "B09T3NHTTR": [{"asin": "B09T3NHTTR", "instruction": "i want a pink eforcase u shaped toddler toothbrush for sensitive teeth.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: type 3", "size: pink (7~12 year old)"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["pink (7~12 year old)"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P74BSVT", "worker_id": "A2RBF3IIJP15IH"}], "B09129MQDV": [{"asin": "B09129MQDV", "instruction": "for my living room, i need a ready to hang, 16 x 20 in, wall art poster made in athletic gold color.", "attributes": ["ready hang", "solid wood", "living room"], "options": ["color: athletic gold", "size: 16 x 20 in"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["athletic gold", "16 x 20 in"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUIWVZK", "worker_id": "ASWFLI3N8X72G"}], "B074PTW8TX": [{"asin": "B074PTW8TX", "instruction": "i want a package of individual wrapped granola bars. look for the peanut butter chocolate chip flavor.", "attributes": ["individually wrapped", "artificial colors"], "options": ["flavor name: peanut butter chocolate chip"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["peanut butter chocolate chip"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQW3B4A", "worker_id": "AR9AU5FY1S3RO"}], "B088LKHSL9": [{"asin": "B088LKHSL9", "instruction": "i want a .63 ounce pack of 12 watkins organic gourmet dip mix. i want the salsa and sour cream flavor.", "attributes": ["certified organic", "non gmo"], "options": ["flavor: salsa & sour cream - organic", "size: 0.63 ounce (pack of 12)"], "instruction_attributes": ["non gmo"], "instruction_options": ["salsa & sour cream - organic", "0.63 ounce (pack of 12)"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZQXK3Z", "worker_id": "A1CB72B51L7TKE"}], "B073RNY6WF": [{"asin": "B073RNY6WF", "instruction": "i would like a pair of pants in a size 7 that are machine washable and a tartan color.", "attributes": ["wash cold", "machine wash", "nylon spandex"], "options": ["color: neutral tartan", "size: 7"], "instruction_attributes": ["machine wash"], "instruction_options": ["neutral tartan", "7"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AP4BWY", "worker_id": "A2ECRNQ3X5LEXD"}], "B0825DBY38": [{"asin": "B0825DBY38", "instruction": "i need a wall lamp that has a dark bronze nickel finish", "attributes": ["brushed nickel", "nickel finish", "contemporary style"], "options": ["color: dark bronze"], "instruction_attributes": ["nickel finish"], "instruction_options": ["dark bronze"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR400C1", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QQM4W65": [{"asin": "B09QQM4W65", "instruction": "select 1 unit toothpaste for sensitive teeth whitening corrector, enamel care.", "attributes": ["teeth whitening", "natural ingredients", "sensitive teeth", "fresh breath"], "options": ["color: mix", "size: 1pc"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["1pc"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWXAR12", "worker_id": "A15IJ20C3R4HUO"}], "B08V8XQRX5": [{"asin": "B08V8XQRX5", "instruction": "i would like a medium black camo tank top for my gym workouts.", "attributes": ["moisture wicking", "stretch fabric", "polyester spandex", "gym workout"], "options": ["color: black+emcamoblack", "size: medium"], "instruction_attributes": ["gym workout"], "instruction_options": ["black+emcamoblack", "medium"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH0JQHE", "worker_id": "A1WS884SI0SLO4"}], "B098XF9SZD": [{"asin": "B098XF9SZD", "instruction": "i want to buy some 72 inch long drapes for the living room. look for machine washable drapes.", "attributes": ["machine washable", "living room"], "options": ["size: 52x72inch"], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["52x72inch"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQY8M77O", "worker_id": "AR9AU5FY1S3RO"}], "B08QJ9646M": [{"asin": "B08QJ9646M", "instruction": "i would like a 10.63x9.05 inch pack of 5 red edge sponges that are long lasting.", "attributes": ["easy clean", "long lasting", "sensitive skin"], "options": ["size: 10.63x9.05 inch (pack of 5)", "style: red edge"], "instruction_attributes": ["long lasting"], "instruction_options": ["10.63x9.05 inch (pack of 5)", "red edge"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLLUI4V", "worker_id": "A1WS884SI0SLO4"}], "B09T6BY7J5": [{"asin": "B09T6BY7J5", "instruction": "i need a men's short sleeve shirt that is coffee colored and an xx-large", "attributes": ["daily casual", "loose fit", "wash cold", "slim fit", "hand wash", "short sleeve", "polyester spandex"], "options": ["color: ccoffee", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["ccoffee", "xx-large"], "assignment_id": "31JLPPHS254FPN8LK8H48035JU0O3E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DYJ6K32": [{"asin": "B09DYJ6K32", "instruction": "i want ailun privacy glass screen protectors.", "attributes": ["high definition", "tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["glass screen"], "instruction_options": [], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLFZ2FL", "worker_id": "A2RBF3IIJP15IH"}], "B00BNP9KR0": [{"asin": "B00BNP9KR0", "instruction": "i need a cocoa mix that is non gmo and a pack of 3.", "attributes": ["non gmo", "gluten free", "natural flavors", "artificial colors"], "options": ["flavor name: pure cocoa", "size: 4 fl oz (pack of 3)"], "instruction_attributes": ["non gmo"], "instruction_options": ["pure cocoa", "4 fl oz (pack of 3)"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP82DQ4", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HCFGKZY": [{"asin": "B09HCFGKZY", "instruction": "i want to find a monocular telescope that i can use for birdwatching, and it must be easy to install.", "attributes": ["easy install", "bird watching"], "options": [""], "instruction_attributes": ["easy install", "bird watching"], "instruction_options": [], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP3A7JJ", "worker_id": "A345TDMHP3DQ3G"}], "B097DCRTWP": [{"asin": "B097DCRTWP", "instruction": "i am looking for high quality 22 inch hair extensions.", "attributes": ["high quality", "hair extensions", "dry hair"], "options": ["color: honey blonde mix bleach blonde-curly", "size: 22 inch"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["22 inch"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60O1AAC", "worker_id": "A1EREKSZAA9V7B"}], "B077PHGLJN": [{"asin": "B077PHGLJN", "instruction": "i need low rise jeans that are a 54w by 34l", "attributes": ["low rise", "straight leg", "machine wash", "imported zipper"], "options": ["color: (new) cool slate", "fit type: big & tall", "size: 54w x 34l"], "instruction_attributes": ["low rise"], "instruction_options": ["54w x 34l"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR4UC07", "worker_id": "A2ECRNQ3X5LEXD"}], "B000KOSF30": [{"asin": "B000KOSF30", "instruction": "i am looking for 1 pack of 9 gr light golden reddish blonde hair dye which is good and long lasting.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 9gr light golden reddish blonde", "size: pack of 1"], "instruction_attributes": ["long lasting", "hair dye"], "instruction_options": ["9gr light golden reddish blonde", "pack of 1"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYHIL6N", "worker_id": "ASWFLI3N8X72G"}], "B00XE3UFAU": [{"asin": "B00XE3UFAU", "instruction": "i want peanut butter & co. cocoa powder, non-gmo.", "attributes": ["non gmo", "gluten free", "protein serving"], "options": ["flavor name: cocoa", "size: 6.5 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["cocoa"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC37NIF", "worker_id": "A2RBF3IIJP15IH"}], "B07ZBF449V": [{"asin": "B07ZBF449V", "instruction": "i need a futon mattress in the color a for the living room.", "attributes": ["non slip", "space saving", "living room"], "options": ["color: a", "size: 180x220cm(71x87inch)"], "instruction_attributes": ["living room"], "instruction_options": ["a"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFRK0T6", "worker_id": "A2ECRNQ3X5LEXD"}], "B0811DB2R8": [{"asin": "B0811DB2R8", "instruction": "i would like a pair of noise cancelling earbud headphones.", "attributes": ["noise cancelling", "gold plated", "carrying case"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY1HP70", "worker_id": "A1WS884SI0SLO4"}], "B09B5M59X1": [{"asin": "B09B5M59X1", "instruction": "i would like a social distance hug perfect gift basket.", "attributes": ["gift basket", "perfect gift"], "options": ["style: sending a social distance hug"], "instruction_attributes": ["gift basket", "perfect gift"], "instruction_options": ["sending a social distance hug"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QT7076", "worker_id": "A1WS884SI0SLO4"}], "B093352T72": [{"asin": "B093352T72", "instruction": "i am looking for an easy to install white antler chandelier with 18 antlers and 9 lights.", "attributes": ["easy install", "pendant light"], "options": ["size: 18 antlers + 9 lights"], "instruction_attributes": ["easy install"], "instruction_options": ["18 antlers + 9 lights"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3PPZMC", "worker_id": "A1EREKSZAA9V7B"}], "B09L7TFHXB": [{"asin": "B09L7TFHXB", "instruction": "shop for a laptop that's intel i5 quad core, with 16 gigabytes of ram and a 512 gigabyte ssd.", "attributes": ["core i5", "intel core", "quad core"], "options": ["capacity: 16gb ddr4 ram, 512gb pcie ssd"], "instruction_attributes": ["core i5", "intel core", "quad core"], "instruction_options": ["16gb ddr4 ram, 512gb pcie ssd"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OR9POA", "worker_id": "AR9AU5FY1S3RO"}], "B08D3H2DJR": [{"asin": "B08D3H2DJR", "instruction": "i am looking for a pack of 3 high quality heavy duty clear toiletry bags.", "attributes": ["heavy duty", "high quality", "travel bottles"], "options": ["color: navy pack of 2", "size: pack of 3"], "instruction_attributes": ["heavy duty", "high quality"], "instruction_options": ["pack of 3"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU49U6RL", "worker_id": "A1EREKSZAA9V7B"}], "B00PY2FBSK": [{"asin": "B00PY2FBSK", "instruction": "i would like some dining room pendant lights that are river stone color and are 20.5\" wide.", "attributes": ["bronze finish", "light fixture", "dining room"], "options": ["color: river stone", "size: 20.5\" wide"], "instruction_attributes": ["dining room"], "instruction_options": ["river stone", "20.5\" wide"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y1ONNG", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NRCY45Z": [{"asin": "B09NRCY45Z", "instruction": "i am looking for a high quality slipper made up of quality material for a little kid, size 10.5 - 11. also choose white color.", "attributes": ["non slip", "high quality", "quality materials"], "options": ["color: white", "size: 10.5-11 little kid"], "instruction_attributes": ["high quality", "quality materials"], "instruction_options": ["white", "10.5-11 little kid"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8NQQ62", "worker_id": "A2HMEGTAFO0CS8"}], "B07ZNF8BP3": [{"asin": "B07ZNF8BP3", "instruction": "i would like a 18 inch #5 easy to use hair extensions.", "attributes": ["easy apply", "hair extensions"], "options": ["color: #6 | 14 | 26", "size: 18 inch (pack of 1)"], "instruction_attributes": ["easy apply", "hair extensions"], "instruction_options": ["#6 | 14 | 26", "18 inch (pack of 1)"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2LQ5L8", "worker_id": "A1WS884SI0SLO4"}], "B08RPCGJGD": [{"asin": "B08RPCGJGD", "instruction": "i would like a 32 fluid ounce bottle of sweet and creamy non-gmo dairy creamer.", "attributes": ["plant based", "non dairy", "certified organic", "dairy free", "non gmo", "gluten free", "shelf stable", "artificial flavors"], "options": ["flavor name: sweet & creamy", "size: 32 fl oz (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["sweet & creamy", "32 fl oz (pack of 6)"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREMS2J0", "worker_id": "A1WS884SI0SLO4"}], "B09QQFCTT9": [{"asin": "B09QQFCTT9", "instruction": "i am looking for a brighten colored toothpaste that is fluoride free and has natural ingredients.", "attributes": ["teeth whitening", "fluoride free", "long lasting", "natural ingredients", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: brighten"], "instruction_attributes": ["fluoride free", "natural ingredients"], "instruction_options": ["brighten"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOWY391", "worker_id": "AJDQGOTMB2D80"}], "B09P656ZZ4": [{"asin": "B09P656ZZ4", "instruction": "i am looking for fluoride free teeth whitening toothpaste that has two times the repair.", "attributes": ["fluoride free", "teeth whitening", "bad breath"], "options": ["color: 2x tooth repair"], "instruction_attributes": ["fluoride free", "teeth whitening"], "instruction_options": ["2x tooth repair"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREN6J2X", "worker_id": "A1EREKSZAA9V7B"}], "B07NKC79K5": [{"asin": "B07NKC79K5", "instruction": "i am looking for a dual band ac/dc adapter for a zboost.", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDLVK5U", "worker_id": "A2KW17G25L25R8"}], "B075QHVT8K": [{"asin": "B075QHVT8K", "instruction": "i'd like to order an eight ounce bottle of maple syrup. make sure it's nut free.", "attributes": ["hand crafted", "nut free", "kosher certified", "non gmo", "gluten free", "artificial flavors"], "options": ["size: 8 ounce"], "instruction_attributes": ["nut free"], "instruction_options": ["8 ounce"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYODGTAA", "worker_id": "AR9AU5FY1S3RO"}], "B075PK2DSR": [{"asin": "B075PK2DSR", "instruction": "i would like to buy a one fluid ounce bottle of face oil for my dry skin.", "attributes": ["non toxic", "dark circles", "damaged hair", "dry skin", "hair growth"], "options": ["size: 1 fl oz - 30 ml."], "instruction_attributes": ["dry skin"], "instruction_options": ["1 fl oz - 30 ml."], "assignment_id": "3L4D84MILA2GIKONJGE14YNT36HJH8", "worker_id": "A1WS884SI0SLO4"}], "B09PZTG93B": [{"asin": "B09PZTG93B", "instruction": "i need teeth whitening toothpaste that is orange and purple.", "attributes": ["teeth whitening", "long lasting", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: 2pcs orange+purple"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["2pcs orange+purple"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWU9RR94", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H48G5P9": [{"asin": "B09H48G5P9", "instruction": "i need a microphone cable with a power amplifier and 1.8\u7c73 capacity.", "attributes": ["power amplifier", "easy install"], "options": ["capacity: 1.8\u7c73"], "instruction_attributes": ["power amplifier"], "instruction_options": [], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7NTBOA", "worker_id": "AR9AU5FY1S3RO"}], "B0828FCWRW": [{"asin": "B0828FCWRW", "instruction": "i need a wall lamp that has a bronze finish.", "attributes": ["glass shade", "bronze finish"], "options": [""], "instruction_attributes": ["bronze finish"], "instruction_options": [], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWYU1RY", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PHVKQT3": [{"asin": "B07PHVKQT3", "instruction": "i would like a 0.33 fluid ounce porcelain concealers for the dark circles under my eyes.", "attributes": ["cruelty free", "dark circles"], "options": ["color: porcelain", "size: 0.33 fl oz (pack of 1)"], "instruction_attributes": ["dark circles"], "instruction_options": ["porcelain", "0.33 fl oz (pack of 1)"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK44G6AL", "worker_id": "A1WS884SI0SLO4"}], "B09B4F9KPL": [{"asin": "B09B4F9KPL", "instruction": "i am interested in red heavy duty bed frames for a queen sized bed.", "attributes": ["heavy duty", "faux leather", "memory foam"], "options": ["color: red", "size: queen", "style: linen"], "instruction_attributes": ["heavy duty"], "instruction_options": ["red", "queen"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1BKXCS", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TQ56RZD": [{"asin": "B07TQ56RZD", "instruction": "i want some highly pigmented eye liner pencils that come in a variety of colors and are easy to apply.", "attributes": ["long lasting", "highly pigmented", "easy apply"], "options": ["color: 12 rainbow colors"], "instruction_attributes": ["highly pigmented", "easy apply"], "instruction_options": ["12 rainbow colors"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQOQ0PS", "worker_id": "AR9AU5FY1S3RO"}], "B007CQ6A72": [{"asin": "B007CQ6A72", "instruction": "i want to find a navy colored non-slip rug that is oval shaped and 3 feet by 5 feet in size.", "attributes": ["non slip", "white item"], "options": ["color: navy", "item shape: oval", "size: 3 ft x 5 ft"], "instruction_attributes": ["non slip"], "instruction_options": ["navy", "oval", "3 ft x 5 ft"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB8MU61", "worker_id": "A345TDMHP3DQ3G"}], "B001EQ5AVI": [{"asin": "B001EQ5AVI", "instruction": "i need this shelf stable roast beef and mashed potatoes with gravy meal. it should go in the microwave.", "attributes": ["shelf stable", "artificial ingredients", "protein serving", "quality ingredients"], "options": ["style: microwave meals"], "instruction_attributes": ["shelf stable"], "instruction_options": ["microwave meals"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMMXOSRO", "worker_id": "A1NF6PELRKACS9"}], "B07TWQZM5N": [{"asin": "B07TWQZM5N", "instruction": "i want a blessliving red hearts plush blanket that is 50 x 60 inches.", "attributes": ["queen size", "twin size", "king size"], "options": ["color: 7", "size: throw, 50 x 60 inches"], "instruction_attributes": ["queen size"], "instruction_options": ["throw, 50 x 60 inches"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SUFQTP", "worker_id": "A2RBF3IIJP15IH"}], "B08PFM7RW9": [{"asin": "B08PFM7RW9", "instruction": "i am looking for a black heavy duty steel framed electric standing desk that is height adjustable.", "attributes": ["height adjustable", "heavy duty", "steel frame"], "options": ["color: black"], "instruction_attributes": ["height adjustable", "heavy duty", "steel frame"], "instruction_options": ["black"], "assignment_id": "3634BBTX0Z409DDB6851PCWGACVFIA", "worker_id": "A1EREKSZAA9V7B"}], "B007MYLM1I": [{"asin": "B007MYLM1I", "instruction": "a sunscreen spf 50 ,anti aging fine lines and wrinkles and protection from sun", "attributes": ["anti aging", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "fine lines"], "instruction_options": [], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC539KRX", "worker_id": "A3N9ZYQAESNFQH"}], "B00ZK6KSS8": [{"asin": "B00ZK6KSS8", "instruction": "i want plant based ginger ale zevia zero calorie soda.", "attributes": ["plant based", "non gmo", "gluten free", "zero sugar"], "options": ["flavor name: ginger ale"], "instruction_attributes": ["plant based"], "instruction_options": ["ginger ale"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UHE2IQ5", "worker_id": "A2RBF3IIJP15IH"}], "B09S1BBCFP": [{"asin": "B09S1BBCFP", "instruction": "i need a black winter warm pair of boots that has arch support. pick a black on in size 8.", "attributes": ["knee high", "winter warm", "anti slip", "faux fur", "closed toe", "high heel", "arch support"], "options": ["color: a03-black", "size: 8"], "instruction_attributes": ["winter warm", "arch support"], "instruction_options": ["a03-black", "8"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTDLN9X", "worker_id": "A1NF6PELRKACS9"}], "B09NYBZX2T": [{"asin": "B09NYBZX2T", "instruction": "i need a long sleeved sleep set in a 4x-large in the color mt7308", "attributes": ["long sleeve", "elastic waistband", "elastic waist", "relaxed fit"], "options": ["color: mt7308", "size: 4x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["mt7308", "4x-large"], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY13P7M", "worker_id": "A2ECRNQ3X5LEXD"}], "B003Y5CI7Q": [{"asin": "B003Y5CI7Q", "instruction": "i want a 12 pack ass kickin' habanero microwave popcorn bags gift set.", "attributes": ["ready eat", "individually wrapped", "gift set"], "options": ["size: 12 pack"], "instruction_attributes": ["gift set"], "instruction_options": ["12 pack"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBONFX", "worker_id": "A2RBF3IIJP15IH"}], "B07PYQKFZV": [{"asin": "B07PYQKFZV", "instruction": "i want an oxidized brass capital lighting 330311xb sedona industrial metal dome pendant light.", "attributes": ["pendant light", "dining room", "living room"], "options": ["color: oxidized brass", "size: 17\" width"], "instruction_attributes": ["pendant light"], "instruction_options": ["oxidized brass"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHT76LNW", "worker_id": "A2RBF3IIJP15IH"}], "B09KH12KSK": [{"asin": "B09KH12KSK", "instruction": "i want anti aging collagen cream for face.", "attributes": ["anti aging", "clinically proven", "long lasting", "easy use", "hyaluronic acid", "coconut oil", "fine lines"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TL3N38", "worker_id": "A2RBF3IIJP15IH"}], "B09FKBJ4TZ": [{"asin": "B09FKBJ4TZ", "instruction": "let me see for a medium size by innoviera brand hoodies for women, long sleeve check for halloween pumpkin", "attributes": ["long sleeve", "fashion design"], "options": ["color: #q ny", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYPWOZ8", "worker_id": "A15IJ20C3R4HUO"}], "B01C4Z2P2Y": [{"asin": "B01C4Z2P2Y", "instruction": "i would like a pair of brown size 7 shoes with a rubber sole.", "attributes": ["water resistant", "slip resistant", "rubber sole", "lace closure"], "options": ["color: 1212brown", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["1212brown", "7"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL4DH59", "worker_id": "A1WS884SI0SLO4"}], "B098MQD3J4": [{"asin": "B098MQD3J4", "instruction": "i need some hair drying towels that have a grid lines pattern for drying hair.", "attributes": ["hair salon", "dry hair"], "options": ["color: electronic computer network grid lines pattern"], "instruction_attributes": ["dry hair"], "instruction_options": ["electronic computer network grid lines pattern"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L493QRX", "worker_id": "A2ECRNQ3X5LEXD"}], "B00MWKB122": [{"asin": "B00MWKB122", "instruction": "i am looking for a framed hand painted abstract oil painting to hang in my living room.", "attributes": ["hand painted", "ready hang", "living room", "dining room"], "options": [""], "instruction_attributes": ["hand painted", "living room"], "instruction_options": [], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KNNJLC", "worker_id": "A1EREKSZAA9V7B"}], "B092385ZVJ": [{"asin": "B092385ZVJ", "instruction": "i want to buy some meat stick snacks in spicy jalapeno venison flavor. it needs to be a 1 oz six pack.", "attributes": ["sugar free", "grass fed", "gluten free", "high protein", "low carb", "natural ingredients", "0g trans"], "options": ["flavor name: spicy jalapeno venison", "size: 1oz-6 pack"], "instruction_attributes": ["grass fed"], "instruction_options": ["spicy jalapeno venison", "1oz-6 pack"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ2750170CP43", "worker_id": "A2YNPKYEFDZ6C9"}], "B09NNVZCGC": [{"asin": "B09NNVZCGC", "instruction": "i want a high power bluetooth speakers with quality bass. pick a pink one.", "attributes": ["high power", "hands free", "high definition"], "options": ["color: pink"], "instruction_attributes": ["high power"], "instruction_options": ["pink"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU72157H", "worker_id": "A1NF6PELRKACS9"}], "B08JVNDZ3S": [{"asin": "B08JVNDZ3S", "instruction": "i am looking for a holiday cocoa mug which can be a perfect gift for valentines day.", "attributes": ["gift set", "valentine day", "perfect gift", "gift basket"], "options": ["style: holiday cocoa mug"], "instruction_attributes": ["valentine day", "perfect gift"], "instruction_options": ["holiday cocoa mug"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU6SA96", "worker_id": "ASWFLI3N8X72G"}], "B0776TDH1V": [{"asin": "B0776TDH1V", "instruction": "i need a 2 pack of smartmouth activated mouthwash for bad breath.", "attributes": ["alcohol free", "long lasting", "fresh breath", "bad breath"], "options": ["item package quantity: 2"], "instruction_attributes": ["bad breath"], "instruction_options": ["2"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCO29BP", "worker_id": "A2RBF3IIJP15IH"}], "B09BHMMG4S": [{"asin": "B09BHMMG4S", "instruction": "i want a high definition 3d video projector.", "attributes": ["dual band", "high definition", "stereo sound"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4CKL8L", "worker_id": "A2RBF3IIJP15IH"}], "B09LR3RQ1M": [{"asin": "B09LR3RQ1M", "instruction": "i want a large hoefirm women's v neck elegant velvet wrap long sleeve.", "attributes": ["wash cold", "unique design", "high waist", "long sleeve"], "options": ["color: 01# blackish green", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["large"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UE4A3B", "worker_id": "A2RBF3IIJP15IH"}], "B074JZJ2Y4": [{"asin": "B074JZJ2Y4", "instruction": "i want large machine washable belaroi plus size tops for women.", "attributes": ["hand wash", "machine wash", "laundry bag", "daily wear"], "options": ["color: flower17", "size: large"], "instruction_attributes": ["machine wash"], "instruction_options": ["large"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R64KSZ", "worker_id": "A2RBF3IIJP15IH"}], "B08K2YWJ5L": [{"asin": "B08K2YWJ5L", "instruction": "i want a black and high quality cenglings womens cowl neck sweatshirt.", "attributes": ["high quality", "quality materials"], "options": ["color: black", "size: medium"], "instruction_attributes": ["high quality"], "instruction_options": ["black"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8Z2SS7", "worker_id": "A2RBF3IIJP15IH"}], "B09Q3KFFTL": [{"asin": "B09Q3KFFTL", "instruction": "i am looking for a gray shirt that is xx-large and has a slim fit.", "attributes": ["slim fit", "short sleeve", "contrast color", "regular fit", "long sleeve", "gym workout"], "options": ["color: gray", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["gray", "xx-large"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFF99VK", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RJRYVW8": [{"asin": "B07RJRYVW8", "instruction": "i am looking for a carrying case for my canon.", "attributes": ["fast charging", "carrying case"], "options": ["size: for canon"], "instruction_attributes": ["carrying case"], "instruction_options": ["for canon"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DAAWDK", "worker_id": "A2ECRNQ3X5LEXD"}], "B08996HWW6": [{"asin": "B08996HWW6", "instruction": "i would like some hands free earbud handphones.", "attributes": ["dust proof", "hands free"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "3634BBTX0Z409DDB6851PCWGABRIF7", "worker_id": "A1WS884SI0SLO4"}], "B06XX9X4XG": [{"asin": "B06XX9X4XG", "instruction": "i am looking for dining room chandelier lighting with a polished nickel finish.", "attributes": ["nickel finish", "clear glass", "dining room"], "options": ["color: polished nickel", "size: 6-light"], "instruction_attributes": ["nickel finish", "dining room"], "instruction_options": ["polished nickel"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K6E12J", "worker_id": "AJDQGOTMB2D80"}], "B073QH76W7": [{"asin": "B073QH76W7", "instruction": "i am looking for along lasting carrying case for a speaker that comes in size 4.", "attributes": ["long lasting", "carrying case"], "options": ["color: travel case - size 4"], "instruction_attributes": ["long lasting", "carrying case"], "instruction_options": ["travel case - size 4"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0AV61I", "worker_id": "A114NK7T5673GK"}], "B08BX7XBGN": [{"asin": "B08BX7XBGN", "instruction": "i would like a samsung galaxy note 20 that is fast charging and green", "attributes": ["long lasting", "fast charging"], "options": ["color: mystic green", "pattern name: cell phone + case - black", "style: note 20 ultra 5g"], "instruction_attributes": ["fast charging"], "instruction_options": ["mystic green", "note 20 ultra 5g"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRUVF37", "worker_id": "A2ECRNQ3X5LEXD"}], "B082DVCGG2": [{"asin": "B082DVCGG2", "instruction": "i need to buy a pack of shower brushes with long handles.", "attributes": ["long lasting", "high quality", "long handle"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9ANV24", "worker_id": "AR9AU5FY1S3RO"}], "B0921XCPZF": [{"asin": "B0921XCPZF", "instruction": "i am looking for a white colored and high gloss tv stand for a 60 inch flat screen tv.", "attributes": ["white item", "storage space", "high gloss", "living room", "dining room"], "options": [""], "instruction_attributes": ["white item", "high gloss"], "instruction_options": [], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3LBLZA", "worker_id": "AJDQGOTMB2D80"}], "B08NZ75CJN": [{"asin": "B08NZ75CJN", "instruction": "i would like to buy a 25\" h tv stand that has a sturdy steel frame and is light rustic oak in color.", "attributes": ["coated steel", "steel frame"], "options": ["color: light rustic oak", "size: 25\" h tv stand + 18\" h coffee table"], "instruction_attributes": ["steel frame"], "instruction_options": ["light rustic oak", "25\" h tv stand + 18\" h coffee table"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X42PG5", "worker_id": "A114NK7T5673GK"}], "B09BCSRVKM": [{"asin": "B09BCSRVKM", "instruction": "i want navy haenpisy mens sweat pants for gym workouts.", "attributes": ["moisture wicking", "drawstring closure", "elastic waistband", "elastic waist", "gym workout"], "options": ["color: navy", "size: 3x-large"], "instruction_attributes": ["gym workout"], "instruction_options": ["navy"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR5M0CP", "worker_id": "A2RBF3IIJP15IH"}], "B09MFDPHZM": [{"asin": "B09MFDPHZM", "instruction": "i need an easy to install shower caddy tension pole.", "attributes": ["height adjustable", "easy install", "stainless steel", "storage space", "living room"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDRE8YQ", "worker_id": "A2RBF3IIJP15IH"}], "B08YWVX5LL": [{"asin": "B08YWVX5LL", "instruction": "i would like a blue medium sized light weight tank top.", "attributes": ["light weight", "unique design"], "options": ["color: a 1 -blue", "size: medium"], "instruction_attributes": ["light weight"], "instruction_options": ["a 1 -blue", "medium"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE20DQGM", "worker_id": "A1WS884SI0SLO4"}], "B08C742D94": [{"asin": "B08C742D94", "instruction": "i am looking 1 pack of low carb soy free gmo free keto friendly peppermint swirl flavor meal replacement drinks", "attributes": ["low carb", "plant based", "gmo free", "soy free", "keto friendly", "non gmo"], "options": ["flavor name: peppermint swirl", "size: 1 servings (pack of 1)"], "instruction_attributes": ["low carb", "gmo free", "soy free", "keto friendly"], "instruction_options": ["peppermint swirl", "1 servings (pack of 1)"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYNF7NN", "worker_id": "A3N9ZYQAESNFQH"}], "B013LLVO1I": [{"asin": "B013LLVO1I", "instruction": "i am looking for a gluten free, non gmo granola loaf, about 2.5 pounds made by bakery on main. prefer either cranberry almond maple or cranberry cashew. most likely in the grocery/gourmet foods aisle.", "attributes": ["non gmo", "low sodium", "gluten free", "dairy free"], "options": ["flavor name: cranberry cashew", "size: 1.1 ounce (pack of 50)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["cranberry cashew"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI3NT3D", "worker_id": "A3RGIKEI8JS2QG"}], "B09QSVTP34": [{"asin": "B09QSVTP34", "instruction": "i want a pink bpa free ice roller for face and eye.", "attributes": ["high quality", "leak proof", "bpa free", "green tea", "fine lines"], "options": ["color: pink"], "instruction_attributes": ["bpa free"], "instruction_options": ["pink"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57D5I9O", "worker_id": "A2RBF3IIJP15IH"}], "B084Q7G2HN": [{"asin": "B084Q7G2HN", "instruction": "i need a red patio set that has a steel frame.", "attributes": ["easy clean", "steel frame", "tempered glass"], "options": ["color: red"], "instruction_attributes": ["steel frame"], "instruction_options": ["red"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L49ZQRT", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BDW6D4V": [{"asin": "B08BDW6D4V", "instruction": "i want to find 18 decorated shortbread cookies that have been individually wrapped and placed in a gift basket.", "attributes": ["baked fresh", "individually wrapped", "gift basket"], "options": ["number of items: 18"], "instruction_attributes": ["individually wrapped", "gift basket"], "instruction_options": ["18"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMHA1JG", "worker_id": "A345TDMHP3DQ3G"}], "B083X4GW6Y": [{"asin": "B083X4GW6Y", "instruction": "i want to find a 1-pound box of gluten free muffin mix, and it should come in a pack of three.", "attributes": ["gluten free", "easy prepare"], "options": ["size: 1 pound (pack of 3)"], "instruction_attributes": ["gluten free"], "instruction_options": ["1 pound (pack of 3)"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96934GS", "worker_id": "A345TDMHP3DQ3G"}], "B08LMZFVW7": [{"asin": "B08LMZFVW7", "instruction": "i want some rice crispy treat made with simple ingredients. i want the kind that are individually wrapped", "attributes": ["individually wrapped", "non gmo", "gluten free", "simple ingredients"], "options": [""], "instruction_attributes": ["individually wrapped", "simple ingredients"], "instruction_options": [], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMO9XEZ", "worker_id": "A32JEH06T23HDF"}], "B08L8Z6N16": [{"asin": "B08L8Z6N16", "instruction": "i am interested in a rose gold compact mirror.", "attributes": ["double sided", "rose gold"], "options": ["color: gold"], "instruction_attributes": ["rose gold"], "instruction_options": ["gold"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79O8H1R", "worker_id": "A2ECRNQ3X5LEXD"}], "B07C55LZRJ": [{"asin": "B07C55LZRJ", "instruction": "look for a sampler of spicy masala black chai tea that has natural flavors and ingredients.", "attributes": ["keto friendly", "low carb", "natural flavors", "natural ingredients"], "options": ["flavor name: spicy masala chai black tea"], "instruction_attributes": ["natural flavors", "natural ingredients"], "instruction_options": ["spicy masala chai black tea"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1E308L", "worker_id": "AR9AU5FY1S3RO"}], "B0764HJ965": [{"asin": "B0764HJ965", "instruction": "miss jones baking organic buttercream frosting is my favorite ! please i want dairy free, soy free and pack of 2 with great value.", "attributes": ["nut free", "soy free", "dairy free", "non gmo", "gluten free", "artificial colors"], "options": ["flavor: cream cheese", "size: pack of 2"], "instruction_attributes": ["soy free", "dairy free"], "instruction_options": ["pack of 2"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68ELA4H", "worker_id": "A15IJ20C3R4HUO"}], "B09CTF9RZQ": [{"asin": "B09CTF9RZQ", "instruction": "i want rainbow white non slip ciadoon mushroom shoes.", "attributes": ["non slip", "rubber sole", "daily wear"], "options": ["color: rainbow white", "size: 15.5 women | 13 men"], "instruction_attributes": ["non slip"], "instruction_options": ["rainbow white"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYOI9QG", "worker_id": "A2RBF3IIJP15IH"}], "B0743MP28H": [{"asin": "B0743MP28H", "instruction": "i would like 100 grams of non gmo peppercorns.", "attributes": ["non gmo", "gluten free", "natural ingredients"], "options": ["size: 3.52 ounce (100 gram)"], "instruction_attributes": ["non gmo"], "instruction_options": ["3.52 ounce (100 gram)"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PLR2XA", "worker_id": "A2ECRNQ3X5LEXD"}], "B07H3MZQGJ": [{"asin": "B07H3MZQGJ", "instruction": "i am looking for a clear portable makeup bag that is easy to clean.", "attributes": ["easy clean", "eye shadow"], "options": ["color: clear", "size: m+m"], "instruction_attributes": ["easy clean"], "instruction_options": ["clear"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GK93SY", "worker_id": "A1EREKSZAA9V7B"}], "B08GKDQ398": [{"asin": "B08GKDQ398", "instruction": "i need brown ballet shoes that have a synthetic sole and are size 5.5 for women", "attributes": ["leather sole", "synthetic sole"], "options": ["color: brown", "size: 5.5 women | 5 men"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["brown", "5.5 women | 5 men"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WTY1AG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08S9V2LSL": [{"asin": "B08S9V2LSL", "instruction": "i would like a pair of size six fossil boots that are machine washable.", "attributes": ["light weight", "machine washable", "memory foam"], "options": ["color: fossil", "size: 6"], "instruction_attributes": ["machine washable"], "instruction_options": ["fossil", "6"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYOBFXK", "worker_id": "A1WS884SI0SLO4"}], "B088643Z84": [{"asin": "B088643Z84", "instruction": "i am looking for an easy to install brushed nickel 4 light sconce for the bathroom.", "attributes": ["easy install", "vanity light", "brushed nickel", "light fixture", "dining room", "living room"], "options": ["color: chrome-4w", "size: wall light-4 light"], "instruction_attributes": ["easy install", "brushed nickel"], "instruction_options": ["wall light-4 light"], "assignment_id": "354P56DE9VDCOY11T1135MPMLM9S76", "worker_id": "A1EREKSZAA9V7B"}], "B00NPA92SI": [{"asin": "B00NPA92SI", "instruction": "i want to buy an eco-friendly soy wax candle.", "attributes": ["eco friendly", "soy wax"], "options": [""], "instruction_attributes": ["eco friendly", "soy wax"], "instruction_options": [], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFT73E4", "worker_id": "AR9AU5FY1S3RO"}], "B0979P65QG": [{"asin": "B0979P65QG", "instruction": "i want to find an office chair featuring white faux leather, a rose gold frame, and great lumbar support.", "attributes": ["height adjustable", "faux leather", "lumbar support"], "options": ["color: white faux leather | rose gold frame"], "instruction_attributes": ["faux leather", "lumbar support"], "instruction_options": ["white faux leather | rose gold frame"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O0T2AH", "worker_id": "A345TDMHP3DQ3G"}], "B07F2K1QJ4": [{"asin": "B07F2K1QJ4", "instruction": "i would like a black 8 x wide construction shoe that has a rubber sole.", "attributes": ["slip resistant", "moisture wicking", "rubber sole"], "options": ["color: black", "size: 8 x-wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black", "8 x-wide"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKAWENT", "worker_id": "A1WS884SI0SLO4"}], "B07JMPN91D": [{"asin": "B07JMPN91D", "instruction": "i would like a pair of gold 30w x 34l pants that i can machine wash.", "attributes": ["slim fit", "machine wash", "cotton spandex"], "options": ["color: gold", "size: 30w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["gold", "30w x 34l"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDQYZQB", "worker_id": "A1WS884SI0SLO4"}], "B0929737FS": [{"asin": "B0929737FS", "instruction": "i want a q color long lasting lipstick made with natural ingredients.", "attributes": ["long lasting", "natural ingredients"], "options": ["color: q"], "instruction_attributes": ["long lasting", "natural ingredients"], "instruction_options": ["q"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OHDTRR", "worker_id": "ASWFLI3N8X72G"}], "B09FKJZ14L": [{"asin": "B09FKJZ14L", "instruction": "i need a seventeen ounce sprayer bottle with a fine mist. i want a black one.", "attributes": ["easy use", "fine mist"], "options": ["color: black", "size: 17 ounce"], "instruction_attributes": ["fine mist"], "instruction_options": ["black", "17 ounce"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS7JAW2", "worker_id": "AR9AU5FY1S3RO"}], "B07JN3DYR3": [{"asin": "B07JN3DYR3", "instruction": "i need closed toe flats that are blue in a 7 wide.", "attributes": ["closed toe", "rubber sole"], "options": ["color: medium blue", "size: 7 wide"], "instruction_attributes": ["closed toe"], "instruction_options": ["medium blue", "7 wide"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0SMARH", "worker_id": "A2ECRNQ3X5LEXD"}], "B08ZJWV75S": [{"asin": "B08ZJWV75S", "instruction": "find me this old fashioned maraschino cherry cocktail syrup. pick a 12.7 fluid oz one.", "attributes": ["old fashioned", "easy use"], "options": ["flavor name: maraschino cherry", "size: 12.7 fl oz (pack of 1)"], "instruction_attributes": ["old fashioned"], "instruction_options": ["maraschino cherry", "12.7 fl oz (pack of 1)"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOH9L9F", "worker_id": "A1NF6PELRKACS9"}], "B01GHFBKKA": [{"asin": "B01GHFBKKA", "instruction": "i am looking for a fluoride free toothpaste with clinically proven. also choose 3.75 ounce in size", "attributes": ["non toxic", "fluoride free", "clinically proven", "teeth whitening"], "options": ["size: 3.75 ounce (pack of 1)"], "instruction_attributes": ["fluoride free", "clinically proven"], "instruction_options": ["3.75 ounce (pack of 1)"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFK9MEO", "worker_id": "A2HMEGTAFO0CS8"}], "B096XX5CGP": [{"asin": "B096XX5CGP", "instruction": "i need a hair silicone fiber powder applicator for hair loss, with a pump nozzle.", "attributes": ["easy use", "hair extensions", "hair loss"], "options": [""], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTRL7LP", "worker_id": "AK3JMCIGU8MLU"}], "B07N1X6548": [{"asin": "B07N1X6548", "instruction": "i want to find a 3-pack of gluten free hot dog buns.", "attributes": ["gluten free", "nut free", "dairy free", "simple ingredients"], "options": ["size: 3 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["3 pack"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2MGYN7", "worker_id": "A345TDMHP3DQ3G"}], "B087V3GK1Q": [{"asin": "B087V3GK1Q", "instruction": "get me a long handled pink exfoliating brush.", "attributes": ["non slip", "high quality", "long handle"], "options": ["color: pink"], "instruction_attributes": ["long handle"], "instruction_options": ["pink"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UTZ0YS", "worker_id": "AR9AU5FY1S3RO"}], "B07JJCNH26": [{"asin": "B07JJCNH26", "instruction": "i want a sulfate and paraben free repairing hair oil with the coconut monoi scent.", "attributes": ["alcohol free", "sulfate free", "paraben free", "argan oil", "damaged hair", "dry hair"], "options": ["scent: coconut monoi", "size: 2 fl oz (pack of 2)"], "instruction_attributes": ["sulfate free", "paraben free"], "instruction_options": ["coconut monoi"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6DVPUL", "worker_id": "A1NF6PELRKACS9"}], "B01NBAXU4T": [{"asin": "B01NBAXU4T", "instruction": "i am looking for casual pants that are machine washable in the color loden and are size 48w by 32 l.", "attributes": ["machine wash", "imported zipper"], "options": ["color: loden", "size: 48w x 32l"], "instruction_attributes": ["machine wash"], "instruction_options": ["loden", "48w x 32l"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU7ZMCW", "worker_id": "A2ECRNQ3X5LEXD"}], "B0877B4MKC": [{"asin": "B0877B4MKC", "instruction": "i want a walr, vr bluetooth remote controller and virtual reality googles with included batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPNTWFY", "worker_id": "A2RBF3IIJP15IH"}], "B0846853TF": [{"asin": "B0846853TF", "instruction": "i would like to have a youth extra small red t shirt that is made of heather cotton.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: red", "fit type: youth", "size: x-small"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["red", "youth", "x-small"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53V8GK9", "worker_id": "A1WS884SI0SLO4"}], "B085Y2KVND": [{"asin": "B085Y2KVND", "instruction": "i want open toe gibobby sandals for women in size 8.", "attributes": ["open toe", "anti slip", "high heel", "ankle strap"], "options": ["color: z1-multicolor", "size: 8"], "instruction_attributes": ["open toe"], "instruction_options": ["8"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3EBYAF", "worker_id": "A2RBF3IIJP15IH"}], "B07V9WP3JV": [{"asin": "B07V9WP3JV", "instruction": "i'm looking for a nut free kosher certified dried fruits basket to be given as a gift.", "attributes": ["nut free", "kosher certified", "perfect gift"], "options": [""], "instruction_attributes": ["nut free", "kosher certified"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3USJJ6P", "worker_id": "A20DUVEOH6A7KW"}], "B09HWVCGBH": [{"asin": "B09HWVCGBH", "instruction": "i want a loose fitting black pullover that is in a large.", "attributes": ["loose fit", "wash cold", "hand wash"], "options": ["color: z0104black", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["z0104black", "large"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J9DSFT", "worker_id": "A2ECRNQ3X5LEXD"}], "B074VG3CD5": [{"asin": "B074VG3CD5", "instruction": "i want to find liquid foundation makeup in the classic ivory color. it needs to last for a long time and ideally, i can get a 3-pack of containers with a single fluid ounce.", "attributes": ["highly pigmented", "long lasting"], "options": ["color: 120 classic ivory", "size: 1 fl oz (pack of 3)"], "instruction_attributes": ["long lasting"], "instruction_options": ["120 classic ivory", "1 fl oz (pack of 3)"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU72C75U", "worker_id": "A345TDMHP3DQ3G"}], "B09Q7V929M": [{"asin": "B09Q7V929M", "instruction": "i am looking for some x-large leggings that are moisture wicking and the color #25.", "attributes": ["day comfort", "quick drying", "moisture wicking"], "options": ["color: #25", "size: x-large"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["#25", "x-large"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRSVPW7", "worker_id": "A2ECRNQ3X5LEXD"}], "B08XP9P22K": [{"asin": "B08XP9P22K", "instruction": "i need some high waisted yoga shorts that are gray and in a xx-large.", "attributes": ["moisture wicking", "high waist"], "options": ["color: gray-a", "size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["gray-a", "xx-large"], "assignment_id": "351SEKWQSBRP7CP60H83T50CF7DDMP", "worker_id": "A2ECRNQ3X5LEXD"}], "B01LXJY21J": [{"asin": "B01LXJY21J", "instruction": "i need 3 tongue cleaners for bad breath.", "attributes": ["oral hygiene", "bad breath"], "options": ["design: 3 pc round+bag"], "instruction_attributes": ["bad breath"], "instruction_options": ["3 pc round+bag"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGJ40OL", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01LXJY21J", "instruction": "i need a bag for a tongue cleaner for bad breath", "attributes": ["oral hygiene", "bad breath"], "options": ["design: pipe+round+bag"], "instruction_attributes": ["bad breath"], "instruction_options": ["pipe+round+bag"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KMUHUH", "worker_id": "A2ECRNQ3X5LEXD"}], "B075FVC51L": [{"asin": "B075FVC51L", "instruction": "i need a living room throw that is smoke colored.", "attributes": ["queen size", "super soft", "twin size", "machine washable", "king size", "living room"], "options": ["color: smoke", "size: throw"], "instruction_attributes": ["living room"], "instruction_options": ["smoke", "throw"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO2F2CI", "worker_id": "A2ECRNQ3X5LEXD"}], "B09T5GRJR6": [{"asin": "B09T5GRJR6", "instruction": "i would like a high performance tablet.", "attributes": ["high performance", "4g lte"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKICD78", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q3GXQYP": [{"asin": "B09Q3GXQYP", "instruction": "get me an extra extra large mint green g-string. make sure it's machine washable.", "attributes": ["low rise", "day comfort", "hand wash", "machine wash"], "options": ["color: mint green", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["mint green", "xx-large"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC3HUKH", "worker_id": "AR9AU5FY1S3RO"}], "B00U0VVSCS": [{"asin": "B00U0VVSCS", "instruction": "please get me a three pack of jelly with natural ingredients.", "attributes": ["high fructose", "natural ingredients"], "options": ["size: .3 pack - 1.12 pound (pack of 2)"], "instruction_attributes": ["natural ingredients"], "instruction_options": [".3 pack - 1.12 pound (pack of 2)"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TC1NM5", "worker_id": "AR9AU5FY1S3RO"}], "B08KVZP9LB": [{"asin": "B08KVZP9LB", "instruction": "i want to find a white and pink case for my apple watch. it needs to be 40 millimeters long and be compatible with the series 6.", "attributes": ["compatible apple", "case cover", "wireless charging"], "options": ["color: white+pink", "size: 40mm (for se | series 6 | 5 | 4 )"], "instruction_attributes": ["compatible apple", "case cover"], "instruction_options": ["white+pink", "40mm (for se | series 6 | 5 | 4 )"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54QO38K", "worker_id": "A345TDMHP3DQ3G"}], "B089B658NP": [{"asin": "B089B658NP", "instruction": "i need long lasting and wireless charging buds live in mystic black color which also supports active noise cancelling.", "attributes": ["long lasting", "noise cancelling", "wireless charging"], "options": ["color: mystic black", "style: buds live"], "instruction_attributes": ["long lasting", "noise cancelling", "wireless charging"], "instruction_options": ["mystic black", "buds live"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KDRPD2", "worker_id": "ASWFLI3N8X72G"}], "B097MMHTM2": [{"asin": "B097MMHTM2", "instruction": "i am looking for a pair of blue women's faux fur slippers.", "attributes": ["winter warm", "faux fur"], "options": ["color: blue", "size: 37-38"], "instruction_attributes": ["faux fur"], "instruction_options": ["blue"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOXSO7R", "worker_id": "A1EREKSZAA9V7B"}], "B091PWDWRH": [{"asin": "B091PWDWRH", "instruction": "i want a brown and cruelty free moira lip exposure pencil.", "attributes": ["highly pigmented", "cruelty free"], "options": ["color: 014 real brown"], "instruction_attributes": ["cruelty free"], "instruction_options": ["014 real brown"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC3PKUF", "worker_id": "A2RBF3IIJP15IH"}], "B09NC73FQL": [{"asin": "B09NC73FQL", "instruction": "i would like a pink shoe with a high heel for my size 8 foot.", "attributes": ["closed toe", "high heel", "ankle strap"], "options": ["color: z2 pink", "size: 8"], "instruction_attributes": ["high heel"], "instruction_options": ["z2 pink", "8"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QPJOXW", "worker_id": "A1WS884SI0SLO4"}], "B089KRMBKR": [{"asin": "B089KRMBKR", "instruction": "i am interested in a remote control that has batteries included", "attributes": ["batteries included", "easy use", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0TJW5J", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZC95D4Q": [{"asin": "B07ZC95D4Q", "instruction": "i want a gold plated and braided 4k hdmi cable.", "attributes": ["gold plated", "high speed", "blu ray"], "options": ["color: braided", "size: 6.6 feet"], "instruction_attributes": ["gold plated"], "instruction_options": ["braided"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTPBKTH", "worker_id": "A2RBF3IIJP15IH"}], "B07KN62K42": [{"asin": "B07KN62K42", "instruction": "i need a pink iphone 7 flip case that has wireless charging capabilities.", "attributes": ["compatible apple", "wireless charging"], "options": ["color: pink-iphone 7 | 8 | se2", "size: iphone 7 | 8 | se2"], "instruction_attributes": ["wireless charging"], "instruction_options": ["pink-iphone 7 | 8 | se2"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRKRFM0", "worker_id": "A2ECRNQ3X5LEXD"}], "B081VP285Q": [{"asin": "B081VP285Q", "instruction": "i want to buy some chunky red glitter. make sure it's non-toxic and eco-friendly.", "attributes": ["eco friendly", "easy apply", "non toxic", "long lasting", "rose gold"], "options": ["color: red", "size: chunky (1 | 40\" 0.025\" 0.6mm)"], "instruction_attributes": ["eco friendly", "non toxic"], "instruction_options": ["red", "chunky (1 | 40\" 0.025\" 0.6mm)"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOI10FN", "worker_id": "AR9AU5FY1S3RO"}], "B09R96BLLY": [{"asin": "B09R96BLLY", "instruction": "i am looking for plant based, and gluten free snack chips. pick the 0.9 ounce pack of 48.", "attributes": ["low calorie", "grain free", "plant based", "gluten free", "nut free", "soy free", "dairy free", "non gmo", "natural ingredients", "simple ingredients"], "options": ["size: 0.9 ounce (pack of 48)"], "instruction_attributes": ["plant based", "gluten free"], "instruction_options": ["0.9 ounce (pack of 48)"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5B8TUQR", "worker_id": "A31PW970Z2PC5P"}], "B09NR7N82D": [{"asin": "B09NR7N82D", "instruction": "he was wearing a burgundy polyester spandex and size large.", "attributes": ["polyester spandex", "fashion design", "elastic waistband"], "options": ["size: large"], "instruction_attributes": ["polyester spandex"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4CK8L8", "worker_id": "ASL9LVC97FUCZ"}], "B08LGVLS3D": [{"asin": "B08LGVLS3D", "instruction": "i am looking for a glass screen protector that is compatible with the 38mm apple watch case.", "attributes": ["compatible apple", "glass screen"], "options": ["color: black | clear | silver", "size: 38 mm"], "instruction_attributes": ["compatible apple", "glass screen"], "instruction_options": ["38 mm"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I7PDF8", "worker_id": "AJDQGOTMB2D80"}], "B09GPSGTNP": [{"asin": "B09GPSGTNP", "instruction": "i want black liueong women's knee high riding boots.", "attributes": ["knee high", "day comfort", "high heel", "rubber sole", "daily wear"], "options": ["color: black", "size: 7.5"], "instruction_attributes": ["knee high"], "instruction_options": ["black"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS7KWAP", "worker_id": "A2RBF3IIJP15IH"}], "B07KQ1JFCF": [{"asin": "B07KQ1JFCF", "instruction": "i am looking for a button closure down shirt in slim fit which is machine washable. also choose gold color and large size.", "attributes": ["hand wash", "winter warm", "machine washable", "slim fit", "machine wash", "button closure", "long sleeve", "dry clean", "daily wear"], "options": ["color: gold", "size: large"], "instruction_attributes": ["machine washable", "slim fit", "button closure"], "instruction_options": ["gold", "large"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYLLCGC", "worker_id": "A2HMEGTAFO0CS8"}], "B07MT1WYXV": [{"asin": "B07MT1WYXV", "instruction": "i am interested in a youth classic fit shirt that is small and is black in color.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: youth", "size: small"], "instruction_attributes": ["classic fit"], "instruction_options": ["black", "youth", "small"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2ZC537", "worker_id": "A2ECRNQ3X5LEXD"}], "B01K8IZGWU": [{"asin": "B01K8IZGWU", "instruction": "i want small machine washable stacy adams men's sleep pants.", "attributes": ["moisture wicking", "machine wash", "drawstring waist", "polyester spandex"], "options": ["color: army green", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["small"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH18HQW", "worker_id": "A2RBF3IIJP15IH"}], "B09P885PTB": [{"asin": "B09P885PTB", "instruction": "i am looking for mens long sleeve athletic sweatshirt size xx-large.", "attributes": ["winter warm", "long sleeve", "short sleeve", "soft material"], "options": ["color: t01#gray", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYMT6MV", "worker_id": "A1EREKSZAA9V7B"}], "B07Y832BSX": [{"asin": "B07Y832BSX", "instruction": "find me a high definition waterproof case for my iphone. it could be aqua blue or black in color.", "attributes": ["high definition", "wireless charging"], "options": ["color: aqua blue | black"], "instruction_attributes": ["high definition"], "instruction_options": ["aqua blue | black"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMHXIZ9", "worker_id": "A1NF6PELRKACS9"}], "B08FST7BFQ": [{"asin": "B08FST7BFQ", "instruction": "i would like to buy a white faux fur chair for my living room.", "attributes": ["metal legs", "living room"], "options": ["color: white", "material type: faux fur"], "instruction_attributes": ["living room"], "instruction_options": ["white", "faux fur"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO4D339", "worker_id": "A1WS884SI0SLO4"}], "B07SQGHJ63": [{"asin": "B07SQGHJ63", "instruction": "i am searching for rubber sole loafers with 7.5-8 size and royal blue color", "attributes": ["non slip", "rubber sole", "lace closure"], "options": ["color: royal blue", "size: 7.5-8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["royal blue", "7.5-8"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602SX591", "worker_id": "A258PTOZ3D2TQR"}], "B07GXTFHMW": [{"asin": "B07GXTFHMW", "instruction": "i need to buy an art print for the living room. look for one that's ready to hang, thirty-six inches by twenty-four inches.", "attributes": ["ready hang", "living room", "dining room"], "options": ["color: artwork-01", "size: 36''wx24''h"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["36''wx24''h"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT0C3PS", "worker_id": "AR9AU5FY1S3RO"}], "B09JZ95R9H": [{"asin": "B09JZ95R9H", "instruction": "i want a red and easy to assemble gaming chair.", "attributes": ["high density", "easy install", "easy assemble", "lumbar support", "pu leather"], "options": ["color: red", "style: atl"], "instruction_attributes": ["easy assemble"], "instruction_options": ["red"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPW5JPP", "worker_id": "A2RBF3IIJP15IH"}], "B01AIUQW2G": [{"asin": "B01AIUQW2G", "instruction": "i am looking for fresh & natural skin care shea and cocoa body butter which is best for all type of skin with fragrance free,paraben free. brown sugar | fig scent preferable in 8 ounce.", "attributes": ["fragrance free", "paraben free", "dry skin", "sensitive skin"], "options": ["scent name: brown sugar | fig", "size: 8 ounce"], "instruction_attributes": ["fragrance free", "paraben free", "dry skin", "sensitive skin"], "instruction_options": ["brown sugar | fig", "8 ounce"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTD19NZ", "worker_id": "A1DRKZ3SCLAS4V"}], "B07SBDG3CR": [{"asin": "B07SBDG3CR", "instruction": "i want some low carb and keto friendly snacks. it should be almond espresso flavored and diary free.", "attributes": ["low carb", "grain free", "keto friendly", "sugar free", "gluten free", "soy free", "dairy free", "quality ingredients", "natural ingredients"], "options": ["flavor name: almond espresso (pack of 1)"], "instruction_attributes": ["low carb", "keto friendly", "dairy free"], "instruction_options": ["almond espresso (pack of 1)"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R66SK9", "worker_id": "A1NF6PELRKACS9"}], "B08KXFNV1X": [{"asin": "B08KXFNV1X", "instruction": "i am looking for a sulfate free shampoo and conditioner set for natural hair. also choose mousse styler.", "attributes": ["sulfate free", "paraben free", "natural hair"], "options": ["style name: mousse styler"], "instruction_attributes": ["sulfate free", "natural hair"], "instruction_options": ["mousse styler"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3G6BVS", "worker_id": "A2HMEGTAFO0CS8"}], "B098WHZSTN": [{"asin": "B098WHZSTN", "instruction": "look for a three quarter length sleeve blouse in a light weight navy blue material. i need it in extra large.", "attributes": ["light weight", "loose fit", "hand wash", "short sleeve", "long sleeve", "daily wear"], "options": ["color: a3 navy", "size: x-large"], "instruction_attributes": ["light weight"], "instruction_options": ["a3 navy", "x-large"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6D1EVD", "worker_id": "AR9AU5FY1S3RO"}], "B09HNTHKSN": [{"asin": "B09HNTHKSN", "instruction": "i want black non slip ankle boots for women.", "attributes": ["non slip", "day comfort", "lace closure", "high heel"], "options": ["color: b01-black", "size: 9"], "instruction_attributes": ["non slip"], "instruction_options": ["b01-black"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL6RECK", "worker_id": "A2RBF3IIJP15IH"}], "B076MJJVCF": [{"asin": "B076MJJVCF", "instruction": "i would like a easy to use soft box.", "attributes": ["quick release", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTRHL7Z", "worker_id": "A1WS884SI0SLO4"}], "B09HPJXC38": [{"asin": "B09HPJXC38", "instruction": "i need some eco friendly window films that are 23.6 by 35.4 inch", "attributes": ["eco friendly", "living room"], "options": ["color: multi-001116", "size: 23.6wx35.4l-inch x2 pcs"], "instruction_attributes": ["eco friendly"], "instruction_options": ["23.6wx35.4l-inch x2 pcs"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZEYRPQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RHXT94Y": [{"asin": "B09RHXT94Y", "instruction": "i am in need of a power amplifier.", "attributes": ["power amplifier", "aluminum alloy"], "options": [""], "instruction_attributes": ["power amplifier"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5F8Z1K", "worker_id": "A2ECRNQ3X5LEXD"}], "B00UBH4YMW": [{"asin": "B00UBH4YMW", "instruction": "i want to buy a dry skin treatment that has coconut oil in it.", "attributes": ["coconut oil", "dry skin"], "options": [""], "instruction_attributes": ["coconut oil", "dry skin"], "instruction_options": [], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3J9YRZ", "worker_id": "AR9AU5FY1S3RO"}], "B099NDYBF1": [{"asin": "B099NDYBF1", "instruction": "i want a black mini wireless bluetooth headset.", "attributes": ["noise cancelling", "compatible apple", "fast charging", "high speed", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQEBCJR", "worker_id": "A2RBF3IIJP15IH"}], "B0000X0W1O": [{"asin": "B0000X0W1O", "instruction": "i am looking fat free kosher certrified low calo dried peaches", "attributes": ["fat free", "kosher certified"], "options": [""], "instruction_attributes": ["fat free", "kosher certified"], "instruction_options": [], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEKTKZR", "worker_id": "A3N9ZYQAESNFQH"}], "B0824CBD9P": [{"asin": "B0824CBD9P", "instruction": "i want yellow machine washable batmerry summer bright decorative pillow covers.", "attributes": ["double sided", "machine washable", "living room"], "options": ["color: flowers yellow", "size: 18 x 18 inches"], "instruction_attributes": ["machine washable"], "instruction_options": ["flowers yellow"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ2750170PP4G", "worker_id": "A2RBF3IIJP15IH"}], "B08WLWTV59": [{"asin": "B08WLWTV59", "instruction": "i want to find a 15-pack box of individually wrapped rockin' straw-beary granola bars that are each 0.88 ounces.", "attributes": ["individually wrapped", "gluten free", "non gmo", "nut free", "quality ingredients"], "options": ["flavor name: rockin' straw-beary", "size: 0.88 ounce (pack of 15)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["rockin' straw-beary", "0.88 ounce (pack of 15)"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUKRS4U", "worker_id": "A345TDMHP3DQ3G"}], "B09QM478Y1": [{"asin": "B09QM478Y1", "instruction": "i am looking for sandals features a comfortable high heel, open-back slip on style, easy on and off.suitable for party, prom, wedding, red carpet show, street shooting, nightclub, ballroom and other special occasions. slide sandals for women in a6-black, size 8 preferable.", "attributes": ["non slip", "high heel"], "options": ["color: a6-black", "size: 8"], "instruction_attributes": ["non slip", "high heel"], "instruction_options": ["a6-black", "8"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACPINHA", "worker_id": "A1DRKZ3SCLAS4V"}], "B091XXL92R": [{"asin": "B091XXL92R", "instruction": "i need an evening gown in purple that is a size four.", "attributes": ["unique design", "drawstring closure"], "options": ["color: dusty purple", "size: 4"], "instruction_attributes": ["unique design"], "instruction_options": ["dusty purple", "4"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXQSYLF", "worker_id": "A2ECRNQ3X5LEXD"}], "B09D2NHQRF": [{"asin": "B09D2NHQRF", "instruction": "i want a pink 4 pack of kids u shaped toothbrush for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: pink, blue, purple, yellow,", "style: cat's claw shape style"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["pink, blue, purple, yellow,"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W8FOUJ", "worker_id": "A2RBF3IIJP15IH"}], "B09HPGGRTZ": [{"asin": "B09HPGGRTZ", "instruction": "look for a pair of open toe ankle booties in size seven and a half. get the black ones.", "attributes": ["slip resistant", "open toe"], "options": ["color: se031-black", "size: 7.5"], "instruction_attributes": ["open toe"], "instruction_options": ["se031-black", "7.5"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNR4JFA", "worker_id": "AR9AU5FY1S3RO"}], "B09J8QT8LM": [{"asin": "B09J8QT8LM", "instruction": "i want toyandona 100pcs christmas cake toppers snowflake cupcake toppers for a baby shower.", "attributes": ["baby shower", "birthday party"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQONGW", "worker_id": "A2RBF3IIJP15IH"}], "B07Z7JYC1M": [{"asin": "B07Z7JYC1M", "instruction": "i want a yongfoto 20x10ft high resolution photo studio background.", "attributes": ["light weight", "high resolution"], "options": ["size: 20x10ft"], "instruction_attributes": ["high resolution"], "instruction_options": ["20x10ft"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBEZGH0", "worker_id": "A1CB72B51L7TKE"}], "B08J3VKB62": [{"asin": "B08J3VKB62", "instruction": "i want a smart wi-fi bulb camera with motion detection.", "attributes": ["1080p hd", "motion detection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVETIBL", "worker_id": "A2RBF3IIJP15IH"}], "B08Z7PSKGX": [{"asin": "B08Z7PSKGX", "instruction": "i am looking for modern gold round(vintage) and exquisite workmanship desk table mirror", "attributes": ["heavy duty", "exquisite workmanship"], "options": ["color: modern gold", "size: round(vintage)"], "instruction_attributes": ["exquisite workmanship"], "instruction_options": ["modern gold", "round(vintage)"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQAEVKV", "worker_id": "A258PTOZ3D2TQR"}], "B01MQHE1B0": [{"asin": "B01MQHE1B0", "instruction": "i am looking for queen size futon bed sofa with space saving , armless and color to be twill royal blue", "attributes": ["queen size", "space saving"], "options": ["color: twill royal blue", "size: queen"], "instruction_attributes": ["space saving"], "instruction_options": ["twill royal blue"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNK2NTB", "worker_id": "AX2EWYWZM19AZ"}], "B07FWBSJMJ": [{"asin": "B07FWBSJMJ", "instruction": "i need a box of 12 desserts that are made with natural ingredients and are part of the friends collection.", "attributes": ["natural ingredients", "valentine day", "great gift", "perfect gift"], "options": ["flavor name: friends collection", "size: box of 12"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["friends collection", "box of 12"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMNWBQ1", "worker_id": "A2ECRNQ3X5LEXD"}], "B09BVDR3X1": [{"asin": "B09BVDR3X1", "instruction": "i am looking for d style high quality travel bottles.", "attributes": ["high quality", "travel bottles"], "options": ["color: style d"], "instruction_attributes": ["high quality", "travel bottles"], "instruction_options": ["style d"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4GF15U", "worker_id": "A3FG5PQHG5AH3Y"}], "B07NY3NCTT": [{"asin": "B07NY3NCTT", "instruction": "i am looking for a synthetic coffee brown colored wig.", "attributes": ["natural hair", "synthetic hair", "hair growth"], "options": ["color: coffee brown lighted"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["coffee brown lighted"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1HU3UE", "worker_id": "A1EREKSZAA9V7B"}], "B09KBWV5MQ": [{"asin": "B09KBWV5MQ", "instruction": "i am looking for a high speed macaroon mobile portable router with 12gb data.", "attributes": ["high speed", "light weight", "4g lte"], "options": ["size: m1-3g-30days"], "instruction_attributes": ["high speed", "4g lte"], "instruction_options": ["m1-3g-30days"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TB4K2T", "worker_id": "A2KW17G25L25R8"}], "B08W1P6ZSL": [{"asin": "B08W1P6ZSL", "instruction": "i want to find a pair of black and gold women's pumps with a synesthetic sole. i wear a size 5.5.", "attributes": ["high heel", "synthetic sole"], "options": ["color: black | gold", "size: 5.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["black | gold", "5.5"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYPTXFM", "worker_id": "A345TDMHP3DQ3G"}], "B00HM1Z0I2": [{"asin": "B00HM1Z0I2", "instruction": "i'd like to find a chandelier-style vanity light with a brushed nickel finish. ideally, there will be three lights in the set.", "attributes": ["nickel finish", "brushed nickel", "vanity light"], "options": ["color: brushed nickel", "size: three - light", "style: chandelier"], "instruction_attributes": ["nickel finish", "brushed nickel", "vanity light"], "instruction_options": ["brushed nickel", "three - light", "chandelier"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD0DRIO", "worker_id": "A345TDMHP3DQ3G"}], "B08PD1HYNM": [{"asin": "B08PD1HYNM", "instruction": "i am looking for a high capacity, white tablet with an android operating system, micro hdmi and a quad core processor.", "attributes": ["high speed", "quad core"], "options": ["color: elegant white"], "instruction_attributes": ["quad core"], "instruction_options": ["elegant white"], "assignment_id": "3G2UL9A02OO71034MOY04HTU3XY76L", "worker_id": "AK3JMCIGU8MLU"}], "B08H4Q7SNS": [{"asin": "B08H4Q7SNS", "instruction": "select for me travel bottles for shampoo paraben and bpa free. i need them to be flipflop caps. include 24 labels and one brush if possible.", "attributes": ["paraben free", "high quality", "bpa free", "travel bottles"], "options": [""], "instruction_attributes": ["paraben free", "bpa free", "travel bottles"], "instruction_options": [], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINSW724", "worker_id": "A15IJ20C3R4HUO"}], "B07FBLG5Q2": [{"asin": "B07FBLG5Q2", "instruction": "i am looking for mickey and minnie cupcake toppers for a birthday party.", "attributes": ["party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NM22P6", "worker_id": "A1EREKSZAA9V7B"}], "B09GN63TVC": [{"asin": "B09GN63TVC", "instruction": "i would like a multicolored 17.7 wide by 35.4long window film for my living room.", "attributes": ["eco friendly", "living room"], "options": ["color: multi-0000680", "size: 17.7wx35.4l-inch x2 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["17.7wx35.4l-inch x2 pcs"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHYH4ZZ", "worker_id": "A1WS884SI0SLO4"}], "B08HJSCV5Y": [{"asin": "B08HJSCV5Y", "instruction": "i am looking for an oil and cruelty free beyond golden glow colored highlighter.", "attributes": ["cruelty free", "oil free", "alcohol free", "paraben free"], "options": ["color: 030 | beyond golden glow"], "instruction_attributes": ["cruelty free", "oil free"], "instruction_options": ["030 | beyond golden glow"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YNM96Z", "worker_id": "A1EREKSZAA9V7B"}], "B078GVH2XW": [{"asin": "B078GVH2XW", "instruction": "i want an ivory maybelline instant age rewind eraser dark circles treatment.", "attributes": ["anti aging", "dark circles", "fine lines"], "options": ["color: 95 cool ivory"], "instruction_attributes": ["dark circles"], "instruction_options": ["95 cool ivory"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB467QAJ", "worker_id": "A2RBF3IIJP15IH"}], "B0952VJ8S9": [{"asin": "B0952VJ8S9", "instruction": "i want a synthetic wig that has multiple colors.", "attributes": ["long lasting", "high quality", "synthetic hair"], "options": ["color: mix color"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["mix color"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTP95E7", "worker_id": "A345TDMHP3DQ3G"}], "B01MZ82PKM": [{"asin": "B01MZ82PKM", "instruction": "i need a chrome wall lamp that is brushed nickel.", "attributes": ["nickel finish", "brushed nickel", "vanity light", "glass shade"], "options": ["color: chrome", "size: six light", "style: wall | bath sconce"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["chrome"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5FFIW5", "worker_id": "A2ECRNQ3X5LEXD"}], "B07P1B7MLB": [{"asin": "B07P1B7MLB", "instruction": "i am looking for a pair of women's size 9 extra wide loafers that have synthetic soles.", "attributes": ["day comfort", "synthetic sole"], "options": ["color: french navy", "size: 9 x-wide"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["9 x-wide"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCBEH7W", "worker_id": "A1EREKSZAA9V7B"}], "B09MRYV1HH": [{"asin": "B09MRYV1HH", "instruction": "i want to find a lib balm set made with natural ingredients that has long-lasting effects. the color must be 02.", "attributes": ["long lasting", "green tea", "natural ingredients"], "options": ["color: set02"], "instruction_attributes": ["long lasting", "natural ingredients"], "instruction_options": ["set02"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSIXB8F", "worker_id": "A345TDMHP3DQ3G"}], "B08JTZ145X": [{"asin": "B08JTZ145X", "instruction": "i am looking for a usb headset with built-in microphone and noise cancelling feature.", "attributes": ["noise cancelling", "heavy duty", "plug play"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZCZLKP", "worker_id": "AJDQGOTMB2D80"}], "B09QX4T789": [{"asin": "B09QX4T789", "instruction": "i need to shop for some lounge pants that can be machine washed and tumble dried. look for a size 3 x large in black.", "attributes": ["hand wash", "machine wash", "polyester spandex", "daily wear", "tumble dry"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["machine wash", "tumble dry"], "instruction_options": ["black", "3x-large"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLGX2FL", "worker_id": "AR9AU5FY1S3RO"}], "B08N86GWP7": [{"asin": "B08N86GWP7", "instruction": "i am looking for a cruelty free foundation stick for fine lines. also choose warm brown color.", "attributes": ["cruelty free", "hyaluronic acid", "fine lines"], "options": ["color: warm brown"], "instruction_attributes": ["cruelty free", "fine lines"], "instruction_options": ["warm brown"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I79DFS", "worker_id": "A2HMEGTAFO0CS8"}], "B09Q3K9J4K": [{"asin": "B09Q3K9J4K", "instruction": "i need a green henley shirts pullover mens long sleeve.", "attributes": ["loose fit", "hand wash", "fleece lined", "wash cold", "slim fit", "machine wash", "long sleeve", "drawstring waist", "regular fit", "high waist", "short sleeve"], "options": ["color: green", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["green"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X024B43X", "worker_id": "A2RBF3IIJP15IH"}], "B09DYB8MKH": [{"asin": "B09DYB8MKH", "instruction": "i want a long 001 coffee colored xx-large long jacket for women that is for daily wear.", "attributes": ["hand wash", "high waist", "polyester spandex", "long sleeve", "dry clean", "daily wear"], "options": ["color: 001 coffee", "size: xx-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["001 coffee", "xx-large"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWXG1CH", "worker_id": "A1CB72B51L7TKE"}], "B07PVKBGV3": [{"asin": "B07PVKBGV3", "instruction": "i need lactose free chocolate flavor", "attributes": ["plant based", "non gmo", "lactose free", "usda organic", "soy free", "dairy free", "gluten free", "dietary fiber"], "options": ["flavor name: chocolate", "size: 1.12 pound (pack of 1)"], "instruction_attributes": ["lactose free"], "instruction_options": ["chocolate"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0N4J86", "worker_id": "A226L9F2AZ38CL"}], "B09BB2LHTT": [{"asin": "B09BB2LHTT", "instruction": "i want to find a waterproof case for my samsung galaxy phone that is heavy duty and easy to install.", "attributes": ["heavy duty", "easy install", "wireless charging"], "options": [""], "instruction_attributes": ["heavy duty", "easy install"], "instruction_options": [], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OUMYEP", "worker_id": "A345TDMHP3DQ3G"}], "B07MR8XZJV": [{"asin": "B07MR8XZJV", "instruction": "i am looking for fresh baked valentine cookies i would like m&m and sugar cookies.", "attributes": ["baked fresh", "valentine day", "perfect gift"], "options": ["flavor name: double peanut butter"], "instruction_attributes": ["baked fresh", "valentine day"], "instruction_options": ["double peanut butter"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BKXJV1", "worker_id": "A2KW17G25L25R8"}], "B08GC2BJPN": [{"asin": "B08GC2BJPN", "instruction": "i am looking for a 12 feet high speed 4k hdmi cable compatible with apple tv.", "attributes": ["high speed", "compatible apple", "blu ray", "gold plated"], "options": ["color: 4k hdmi 12ft", "size: 3ft"], "instruction_attributes": ["high speed", "compatible apple"], "instruction_options": ["4k hdmi 12ft"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4SY7K6", "worker_id": "AJDQGOTMB2D80"}], "B071G6PFDR": [{"asin": "B071G6PFDR", "instruction": "i want a low carb smoked snack jerky.", "attributes": ["low carb", "dietary fiber"], "options": [""], "instruction_attributes": ["low carb"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5FCZ1O", "worker_id": "A1NF6PELRKACS9"}], "B01HJW75O0": [{"asin": "B01HJW75O0", "instruction": "i need high speed hdmi cable male to female.", "attributes": ["high speed", "gold plated"], "options": ["color: 10 pack", "size: 8 feet (2-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["hdmi male to female"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HDE6IK", "worker_id": "A2RBF3IIJP15IH"}], "B06WV8ZRPX": [{"asin": "B06WV8ZRPX", "instruction": "i want dell optiplex 7050 tower desktop with intel core i5-7500.", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R6XKSS", "worker_id": "A2RBF3IIJP15IH"}], "B082DSKT9G": [{"asin": "B082DSKT9G", "instruction": "i need a chocolate colored hair dye.", "attributes": ["easy use", "seed oil", "hair dye"], "options": ["color: brussels chocolat"], "instruction_attributes": ["hair dye"], "instruction_options": ["brussels chocolat"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI5UBAE", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R6RDYJV": [{"asin": "B08R6RDYJV", "instruction": "i need leak proof empty travel bottles for lotion cream.", "attributes": ["leak proof", "travel bottles"], "options": [""], "instruction_attributes": ["leak proof", "travel bottles"], "instruction_options": [], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOWB39E", "worker_id": "A1NF6PELRKACS9"}], "B08KGN21R3": [{"asin": "B08KGN21R3", "instruction": "i want to find a teeth whitening device kit for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": [""], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": [], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW68OVVK", "worker_id": "A345TDMHP3DQ3G"}], "B07M9ZLMYY": [{"asin": "B07M9ZLMYY", "instruction": "want to replace 2 packs for palm size 3 device rca universal remote control - works with symphonic vcr - remote code 0001, 1593 accurate with batteries included", "attributes": ["batteries included", "long lasting"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ6U1LX", "worker_id": "A15IJ20C3R4HUO"}], "B07ZPZ5BDS": [{"asin": "B07ZPZ5BDS", "instruction": "i am looking for best anti aginf formula that supports healthy skin by naturally reducing inflammation and soothing troubled skin for an overall more even skin tone! sand & sky australian emu apple dreamy glow dropswith vitamins, essential oils, and organic ingredients.", "attributes": ["cruelty free", "hyaluronic acid"], "options": [""], "instruction_attributes": ["cruelty free", "hyaluronic acid"], "instruction_options": [], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3DINQC", "worker_id": "A1DRKZ3SCLAS4V"}], "B09FXPMQT5": [{"asin": "B09FXPMQT5", "instruction": "get a long handled bath brush in blue.", "attributes": ["easy clean", "long handle", "stainless steel"], "options": ["color: blue"], "instruction_attributes": ["long handle"], "instruction_options": ["blue"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VY4YWI", "worker_id": "AR9AU5FY1S3RO"}], "B010C6WZEU": [{"asin": "B010C6WZEU", "instruction": "i am looking for dining room chairs. choose the satin cream.", "attributes": ["high density", "engineered wood", "faux leather", "solid wood", "dining room"], "options": ["color: satin cream"], "instruction_attributes": ["dining room"], "instruction_options": ["satin cream"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3G3VB9", "worker_id": "A3FG5PQHG5AH3Y"}], "B08NZQ8F8R": [{"asin": "B08NZQ8F8R", "instruction": "i need women's denim shorts in cotton spandex material with color jayne and size 9", "attributes": ["day comfort", "machine wash", "imported zipper", "cotton spandex", "quality materials"], "options": ["color: jayne", "size: 9"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["jayne", "9"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFAB9DV", "worker_id": "ASWFLI3N8X72G"}], "B08M5BM6ZD": [{"asin": "B08M5BM6ZD", "instruction": "i want a navy officially licensed harry potter professor sybill shirt.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: navy", "fit type: youth", "size: 3x-large"], "instruction_attributes": ["officially licensed"], "instruction_options": ["navy"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SUSDUV", "worker_id": "A2RBF3IIJP15IH"}], "B07R1QGLQF": [{"asin": "B07R1QGLQF", "instruction": "i am looking for long lasting aaa batteries and a charger.", "attributes": ["batteries included", "long lasting", "aaa batteries"], "options": ["configuration: charger + aaa batteries"], "instruction_attributes": ["long lasting"], "instruction_options": ["charger + aaa batteries"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KTR9JQ", "worker_id": "A1EREKSZAA9V7B"}], "B08QYMTQRX": [{"asin": "B08QYMTQRX", "instruction": "i am looking for gluten free snacks. please choose super turmeric flavor.", "attributes": ["low calorie", "plant based", "non gmo", "gluten free", "simple ingredients"], "options": ["flavor name: super turmeric"], "instruction_attributes": ["gluten free"], "instruction_options": ["super turmeric"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2RAM5N", "worker_id": "A3FG5PQHG5AH3Y"}], "B09SDZSKK2": [{"asin": "B09SDZSKK2", "instruction": "i need a9 - beige color, size 8.5 wide sandal which has a closed toe and ankle strap.", "attributes": ["ankle strap", "closed toe", "arch support"], "options": ["color: a9 - beige", "size: 8.5 wide"], "instruction_attributes": ["ankle strap", "closed toe"], "instruction_options": ["a9 - beige", "8.5 wide"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227GRF83", "worker_id": "ASWFLI3N8X72G"}], "B082D23RLP": [{"asin": "B082D23RLP", "instruction": "i am looking for bow knot designed filler for nail art", "attributes": ["nail art", "nail polish"], "options": ["design: bow knot"], "instruction_attributes": ["nail art"], "instruction_options": ["bow knot"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OUKYEN", "worker_id": "A258PTOZ3D2TQR"}], "B08TVDMNFK": [{"asin": "B08TVDMNFK", "instruction": "i need to find a heavy duty outlet wall plate cover; choose the rocker combo style.", "attributes": ["heavy duty", "high gloss"], "options": ["style: outlet | rocker combo"], "instruction_attributes": ["heavy duty"], "instruction_options": ["outlet | rocker combo"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3LELZD", "worker_id": "A3LIIE572Z4OG7"}], "B001HTIY9C": [{"asin": "B001HTIY9C", "instruction": "i would like a 0.5 ounce goan shrimp curry beans that are low sodium.", "attributes": ["low sodium", "usda organic", "non gmo", "gluten free"], "options": ["flavor name: goan shrimp curry", "size: 0.5 ounce (6-pack)"], "instruction_attributes": ["low sodium"], "instruction_options": ["goan shrimp curry", "0.5 ounce (6-pack)"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N5F7T2", "worker_id": "A1WS884SI0SLO4"}], "B08HVWJC7J": [{"asin": "B08HVWJC7J", "instruction": "i am looking for a jerky with low carb and high protein serving. also choose farmhouse garlic.", "attributes": ["grass fed", "low carb", "protein serving"], "options": ["flavor name: farmhouse garlic"], "instruction_attributes": ["low carb", "protein serving"], "instruction_options": ["farmhouse garlic"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAUUXZH", "worker_id": "A2HMEGTAFO0CS8"}], "B00K375TT2": [{"asin": "B00K375TT2", "instruction": "i'd like to buy some fettuccini alfredo that's easy to prepare.", "attributes": ["rich creamy", "easy prepare"], "options": [""], "instruction_attributes": ["easy prepare"], "instruction_options": [], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH379HESI", "worker_id": "AR9AU5FY1S3RO"}], "B09J94TS4M": [{"asin": "B09J94TS4M", "instruction": "i need a portable label printer which comes with aaa batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK45V6A2", "worker_id": "A1NF6PELRKACS9"}], "B08C7LCRJT": [{"asin": "B08C7LCRJT", "instruction": "i want a xx-large classic fit weekend forecast kayaking beer drinking tank top.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: women", "size: xx-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["xx-large"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3S9WG38", "worker_id": "A2RBF3IIJP15IH"}], "B00RZTITAC": [{"asin": "B00RZTITAC", "instruction": "it was time for his food high density breakfast, so the food is very super soft.", "attributes": ["super soft", "high density", "long lasting", "memory foam"], "options": [""], "instruction_attributes": ["super soft", "high density"], "instruction_options": [], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RZHW71", "worker_id": "ASL9LVC97FUCZ"}], "B09QSVVVH3": [{"asin": "B09QSVVVH3", "instruction": "i want a mattress solution california king with box spring.", "attributes": ["ready use", "double sided", "high density", "long lasting", "assembly required", "box spring"], "options": ["size: california king", "style: 8\" foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["california king"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WW87FV", "worker_id": "A2RBF3IIJP15IH"}], "B07H2R23YX": [{"asin": "B07H2R23YX", "instruction": "find a 5.7 ounce pack of 4 easy prepare knorr rice side dishes in chicken fried rice flavor.", "attributes": ["easy prepare", "artificial flavors"], "options": ["color: chicken fried rice", "size: 5.7 ounce (pack of 4)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["chicken fried rice", "5.7 ounce (pack of 4)"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEH6689", "worker_id": "A1CB72B51L7TKE"}], "B097WNMQF6": [{"asin": "B097WNMQF6", "instruction": "i am looking for an easy to use dslr camera with optical zoom.", "attributes": ["high speed", "easy use", "optical zoom"], "options": [""], "instruction_attributes": ["easy use", "optical zoom"], "instruction_options": [], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KDGPDR", "worker_id": "A1EREKSZAA9V7B"}], "B09L6FSN5G": [{"asin": "B09L6FSN5G", "instruction": "i am looking for horse cupcake toppers for a birthday cake.", "attributes": ["birthday cake", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8G8NZB", "worker_id": "A1EREKSZAA9V7B"}], "B099WDPGQR": [{"asin": "B099WDPGQR", "instruction": "i want to buy some twenty six inch square pillow covers for my living room. look for some that are super soft.", "attributes": ["super soft", "exquisite workmanship", "storage space", "living room"], "options": ["size: 26\"*26\""], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["26\"*26\""], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC09YZ9", "worker_id": "AR9AU5FY1S3RO"}], "B07V43CTPY": [{"asin": "B07V43CTPY", "instruction": "i want a large machine washable marky g short sleeve t-shirt.", "attributes": ["day comfort", "machine washable", "machine wash", "short sleeve", "relaxed fit", "tumble dry"], "options": ["color: bondi blue", "size: large"], "instruction_attributes": ["machine washable"], "instruction_options": ["large"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACQSNHM", "worker_id": "A2RBF3IIJP15IH"}], "B094JVTYW5": [{"asin": "B094JVTYW5", "instruction": "get me a set of pillowcases in sage green. buy the machine washable ones.", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: sage green", "size: 20x30 inches"], "instruction_attributes": ["machine washable"], "instruction_options": ["sage green"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06LZXKD", "worker_id": "AR9AU5FY1S3RO"}], "B08WH7R5CG": [{"asin": "B08WH7R5CG", "instruction": "i need some storage space that is white and grey and also tall", "attributes": ["white item", "easy install", "wood frame", "storage unit", "storage space"], "options": ["color: white | gray", "size: tall"], "instruction_attributes": ["storage space"], "instruction_options": ["white | gray", "tall"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S0DGMO", "worker_id": "A2ECRNQ3X5LEXD"}], "B00DAOAQ1G": [{"asin": "B00DAOAQ1G", "instruction": "my mom want x- size polyster spandex", "attributes": ["straight leg", "machine wash", "elastic closure", "drawstring waist", "relaxed fit", "polyester spandex"], "options": ["color: new royal", "size: x-small"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["x-small"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYIVLQL", "worker_id": "A226L9F2AZ38CL"}], "B07Q74BCVB": [{"asin": "B07Q74BCVB", "instruction": "i am looking for clinically proven hair treatment for a dry itchy scalp.", "attributes": ["clinically proven", "plant based", "sulfate free", "non toxic", "cruelty free", "hair growth", "hair treatment", "natural hair", "dead skin"], "options": [""], "instruction_attributes": ["clinically proven", "hair treatment"], "instruction_options": [], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHZR4ZB", "worker_id": "A1EREKSZAA9V7B"}], "B09F7RT6P3": [{"asin": "B09F7RT6P3", "instruction": "i need a dark tint 36w x 32l denim jeans for men which is good for everyday wear and has a relaxed fit.", "attributes": ["easy care", "straight leg", "relaxed fit", "everyday wear", "tumble dry"], "options": ["color: dark tint", "size: 36w x 32l"], "instruction_attributes": ["everyday wear"], "instruction_options": ["dark tint", "36w x 32l"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZKU7R1", "worker_id": "ASWFLI3N8X72G"}], "B09QKXKTJC": [{"asin": "B09QKXKTJC", "instruction": "i want pink buipokd women's sports shoes with arch support.", "attributes": ["day comfort", "open toe", "moisture wicking", "hand wash", "memory foam", "lace closure", "closed toe", "arch support", "rubber outsole", "rubber sole"], "options": ["color: pink", "size: 7"], "instruction_attributes": ["arch support"], "instruction_options": ["pink"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQKGNL", "worker_id": "A2RBF3IIJP15IH"}], "B08CBK9Z8X": [{"asin": "B08CBK9Z8X", "instruction": "i want a solid wood sunset trading shades of sand console table.", "attributes": ["solid wood", "wood finish"], "options": [""], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9F22EN", "worker_id": "A2RBF3IIJP15IH"}], "B09RMZGJ47": [{"asin": "B09RMZGJ47", "instruction": "i would like a gray mascara brush for natural hair.", "attributes": ["rose gold", "natural hair"], "options": ["color: gray"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLL0I41", "worker_id": "A1WS884SI0SLO4"}], "B08VJ38NHR": [{"asin": "B08VJ38NHR", "instruction": "i want a easy carry easy use usb flash drive memory stick 5g data storage size :16g-3.0(1 pack)", "attributes": ["easy carry", "plug play", "easy use", "usb port"], "options": ["color: 5-multicoloured", "size: 16g-3.0(1 pack)"], "instruction_attributes": ["easy carry", "easy use"], "instruction_options": [], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOGHTCS", "worker_id": "A3N9ZYQAESNFQH"}], "B096L8RMMG": [{"asin": "B096L8RMMG", "instruction": "i am looking for a six pack of 4 ounce plant based sweet potato puffs.", "attributes": ["grain free", "non gmo", "gluten free", "plant based"], "options": ["flavor: vegan cheesy cheddar | sea salt fry vari...", "size: 4 ounce (pack of 6)"], "instruction_attributes": ["plant based"], "instruction_options": ["4 ounce (pack of 6)"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1AAGYX", "worker_id": "A1EREKSZAA9V7B"}], "B09S8S33TR": [{"asin": "B09S8S33TR", "instruction": "i need a photo backdrop for my living room that's around sixty by forty inches.", "attributes": ["printing technology", "living room"], "options": ["color: t1-plane-23", "size: 59.1\" x 39.4\""], "instruction_attributes": ["living room"], "instruction_options": ["59.1\" x 39.4\""], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WPVWQL", "worker_id": "AR9AU5FY1S3RO"}], "B085NMCTQ5": [{"asin": "B085NMCTQ5", "instruction": "i am searching for women's yoga short sleeve daily wear and round neck t-shirts of small size and #3 blue color", "attributes": ["moisture wicking", "hand wash", "machine wash", "short sleeve", "daily wear"], "options": ["color: #3 blue", "size: small"], "instruction_attributes": ["short sleeve", "daily wear"], "instruction_options": ["#3 blue", "small"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRRR2YM", "worker_id": "A258PTOZ3D2TQR"}], "B01DPWDWG8": [{"asin": "B01DPWDWG8", "instruction": "i need a two ounce package of hair dye in light to medium blonde.", "attributes": ["long lasting", "hair dye"], "options": ["color: light to medium blonde", "size: 2 ounce (pack of 1)"], "instruction_attributes": ["hair dye"], "instruction_options": ["light to medium blonde", "2 ounce (pack of 1)"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPNKFW8", "worker_id": "AR9AU5FY1S3RO"}], "B07TMNWP3Z": [{"asin": "B07TMNWP3Z", "instruction": "i am looking for a high power binocular for watching the birds .", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUJUVZK", "worker_id": "A2HMEGTAFO0CS8"}], "B08YJK1MKG": [{"asin": "B08YJK1MKG", "instruction": "i'm looking for a human skeleton shower cap made for women with natural hair.", "attributes": ["long lasting", "hair salon", "natural hair"], "options": ["color: human skeleton"], "instruction_attributes": ["natural hair"], "instruction_options": ["human skeleton"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A218WHTZ", "worker_id": "A36LOA6VLJU157"}], "B074TYK1HT": [{"asin": "B074TYK1HT", "instruction": "let me get an anti perspirant deodorant for sensitive skin.", "attributes": ["anti perspirant", "dermatologist tested", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": [], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB40KXYK", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B074TYK1HT", "instruction": "i want to buy an anti antiperspirant deodorant for sensitive skin.", "attributes": ["anti perspirant", "dermatologist tested", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": [], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDHWO21", "worker_id": "A1NF6PELRKACS9"}], "B09GQJY8SG": [{"asin": "B09GQJY8SG", "instruction": "i am looking a tempared glass anti scratch screen protector for i phone 13 pro", "attributes": ["tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["tempered glass"], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH8K1EZ", "worker_id": "A3N9ZYQAESNFQH"}], "B079QGBL5H": [{"asin": "B079QGBL5H", "instruction": "i need steel gray color water resistant bag", "attributes": ["water resistant", "carrying case"], "options": ["color: steel gray"], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YPV8T0", "worker_id": "A226L9F2AZ38CL"}], "B09PYFGHJH": [{"asin": "B09PYFGHJH", "instruction": "i want mivofun 11pcs cute dinosaur cake toppers for a baby shower.", "attributes": ["birthday cake", "party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61S8WZ7", "worker_id": "A2RBF3IIJP15IH"}], "B082LNYDJJ": [{"asin": "B082LNYDJJ", "instruction": "i am looking for goodness of health cinnamon flavored toffee covered cashews by it's delish an energizing and delicious snack for those reducing sodium in their diet. almonds flavor , 3 pound size preferable.", "attributes": ["non dairy", "kosher certified"], "options": ["flavor: almonds", "size: 3 pound"], "instruction_attributes": ["non dairy", "kosher certified"], "instruction_options": ["almonds", "3 pound"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOD7ATI", "worker_id": "A1DRKZ3SCLAS4V"}, {"asin": "B082LNYDJJ", "instruction": "my mom like non dairy pecans flavor", "attributes": ["non dairy", "kosher certified"], "options": ["flavor: pecans", "size: 1 pound"], "instruction_attributes": ["non dairy"], "instruction_options": ["pecans"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSH062S", "worker_id": "A226L9F2AZ38CL"}], "B09G6QSJWR": [{"asin": "B09G6QSJWR", "instruction": "i would like a gold birthday party cupcake topper", "attributes": ["birthday cake", "cupcake picks", "birthday party"], "options": ["pattern name: gold 15"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold 15"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP616VD7", "worker_id": "A2ECRNQ3X5LEXD"}], "B09C3ZCVJS": [{"asin": "B09C3ZCVJS", "instruction": "i am looking for a office leather chair useful for heavy duty with synchro-tilt mechanism", "attributes": ["high density", "heavy duty"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49GXDTG", "worker_id": "A3N9ZYQAESNFQH"}], "B07D58V7Z2": [{"asin": "B07D58V7Z2", "instruction": "i would like a tteal green hrow pillow cover that is super soft and 16\" by 16\"", "attributes": ["super soft", "white item", "living room"], "options": ["color: teal green", "size: 16\"x16\""], "instruction_attributes": ["super soft"], "instruction_options": ["teal green", "16\"x16\""], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VFGE8O", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TJDGGND": [{"asin": "B07TJDGGND", "instruction": "i need some facial scrub for sensitive skin. it should be oil free. get the three pack.", "attributes": ["oil free", "dermatologist tested", "sensitive skin"], "options": ["size: 4.2 fl oz (pack of 3)", "style: facial scrub + body wash"], "instruction_attributes": ["oil free", "sensitive skin"], "instruction_options": ["4.2 fl oz (pack of 3)", "facial scrub + body wash"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI39SBDJ", "worker_id": "AR9AU5FY1S3RO"}], "B09R9YS1GX": [{"asin": "B09R9YS1GX", "instruction": "i need height adjustable home office desk chair with metal legs in ivory color.", "attributes": ["height adjustable", "metal legs"], "options": ["color: ivory"], "instruction_attributes": ["height adjustable", "metal legs"], "instruction_options": ["ivory"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FF4ELZ", "worker_id": "ASWFLI3N8X72G"}], "B09P61NVL1": [{"asin": "B09P61NVL1", "instruction": "i want to find an orange color corrector for my teeth, which are very sensitive.", "attributes": ["sensitive teeth", "bad breath"], "options": ["color: orange"], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWMS25B", "worker_id": "A345TDMHP3DQ3G"}], "B07SL9Y1G7": [{"asin": "B07SL9Y1G7", "instruction": "i want to find a wall-mounted security camera that runs on aaa batteries.", "attributes": ["wall mounted", "aaa batteries"], "options": [""], "instruction_attributes": ["wall mounted", "aaa batteries"], "instruction_options": [], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L76REF", "worker_id": "A345TDMHP3DQ3G"}], "B081TV68PN": [{"asin": "B081TV68PN", "instruction": "i need a pair of stretch cotton spandex pants in size 40w x 32l. they should be machine washable and in a stone color.", "attributes": ["machine wash", "imported zipper", "cotton spandex"], "options": ["color: stone", "size: 40w x 32l"], "instruction_attributes": ["machine wash", "cotton spandex"], "instruction_options": ["stone", "40w x 32l"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTM9LPU", "worker_id": "AR9AU5FY1S3RO"}], "B081TGYYFC": [{"asin": "B081TGYYFC", "instruction": "buy me a sixteen pack of sugar free spicy nacho keto chips.", "attributes": ["low carb", "low sugar", "sugar free", "gluten free"], "options": ["flavor name: spicy nacho", "size: 1.13 ounce (pack of 16)"], "instruction_attributes": ["sugar free"], "instruction_options": ["spicy nacho", "1.13 ounce (pack of 16)"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTDO9NM", "worker_id": "AR9AU5FY1S3RO"}], "B093HFR3HG": [{"asin": "B093HFR3HG", "instruction": "i am looking for a pink case with a kickstand and wireless charging for my samsung galaxy s21 ultra.", "attributes": ["high definition", "tempered glass", "wireless charging"], "options": ["color: pink", "size: galaxy s21 ultra(6.8 inch)"], "instruction_attributes": ["wireless charging"], "instruction_options": ["pink"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1HD3UX", "worker_id": "A1EREKSZAA9V7B"}], "B085686P5N": [{"asin": "B085686P5N", "instruction": "i want a juniper and fully assembled rivet decatur modern upholstered dining chair.", "attributes": ["fully assembled", "metal legs"], "options": ["color: juniper", "size: bar height"], "instruction_attributes": ["fully assembled"], "instruction_options": ["juniper"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C5QPHH", "worker_id": "A2RBF3IIJP15IH"}], "B08CQY2SP4": [{"asin": "B08CQY2SP4", "instruction": "i would like a pink classic fit shirt for men that is a size 4t.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: pink", "fit type: men", "size: 4t"], "instruction_attributes": ["classic fit"], "instruction_options": ["pink", "men", "4t"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7H85NU", "worker_id": "A2ECRNQ3X5LEXD"}], "B000F8EURQ": [{"asin": "B000F8EURQ", "instruction": "i am looking for jolly rancher candies that are individually wrapped, but in a fat free version.", "attributes": ["individually wrapped", "fat free"], "options": [""], "instruction_attributes": ["individually wrapped", "fat free"], "instruction_options": [], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CW4B3M", "worker_id": "A2NSS746CFCT4M"}], "B08TVTL77Y": [{"asin": "B08TVTL77Y", "instruction": "get a heavy duty double toggle wall plate cover.", "attributes": ["heavy duty", "high gloss"], "options": ["style: double toggle"], "instruction_attributes": ["heavy duty"], "instruction_options": ["double toggle"], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY22P7N", "worker_id": "AR9AU5FY1S3RO"}], "B08D68PBS9": [{"asin": "B08D68PBS9", "instruction": "i am looking for a 5-shelf industrial corner, a-shaped display storage rack shelf in grey finish. it needs to be space saving, 5-tier, and have storage space. made by homyshopy.", "attributes": ["space saving", "storage space"], "options": ["color: b", "size: 5-tier"], "instruction_attributes": ["space saving", "storage space"], "instruction_options": ["5-tier"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3L4ZLH", "worker_id": "A3RGIKEI8JS2QG"}], "B09MTV2CSQ": [{"asin": "B09MTV2CSQ", "instruction": "i'm looking for hd electronics it so useful and long lasting.", "attributes": ["1080p hd", "long lasting", "high resolution", "plug play", "high definition"], "options": ["color: 9 inch-th102"], "instruction_attributes": ["1080p hd", "long lasting"], "instruction_options": ["9 inch-th102"], "assignment_id": "32SCWG5HISEW7674IASH43KF3S8P6G", "worker_id": "A16IQOX0DK14OJ"}], "B09MZH121Q": [{"asin": "B09MZH121Q", "instruction": "find an extra large blue long sleeve sweatshirt.", "attributes": ["moisture wicking", "loose fit", "slim fit", "long sleeve", "short sleeve"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue", "x-large"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLSE30Z", "worker_id": "AR9AU5FY1S3RO"}], "B005A2GHCS": [{"asin": "B005A2GHCS", "instruction": "i want red lucky brand women's low rise jeans.", "attributes": ["low rise", "button closure"], "options": ["color: scarlet red step", "inseam length: 27 inches", "size: 34"], "instruction_attributes": ["low rise"], "instruction_options": ["scarlet red step"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KVT7ED", "worker_id": "A2RBF3IIJP15IH"}], "B09SH5BNDP": [{"asin": "B09SH5BNDP", "instruction": "i want to buy a high performance quad core streaming media player.", "attributes": ["dual band", "ultra hd", "high performance", "quad core"], "options": [""], "instruction_attributes": ["high performance", "quad core"], "instruction_options": [], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FM4FBU", "worker_id": "AR9AU5FY1S3RO"}], "B0866B2Q2N": [{"asin": "B0866B2Q2N", "instruction": "i need a pair of slip-resistant work boots in a size 8. buy them in black.", "attributes": ["slip resistant", "moisture wicking", "long lasting"], "options": ["color: black", "size: 8"], "instruction_attributes": ["slip resistant"], "instruction_options": ["black", "8"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXRZ5OV", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B0866B2Q2N", "instruction": "this brand thorogood infinity fd series 6\u201d is gorgeous ! i want by one with: waterproof, slip resistant, composite safety toe work boots for men in a butterscotch collor and size 13", "attributes": ["slip resistant", "moisture wicking", "long lasting"], "options": ["color: butterscotch", "size: 13"], "instruction_attributes": ["slip resistant"], "instruction_options": ["13"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RZD7W8", "worker_id": "A15IJ20C3R4HUO"}], "B09Q8PPBXJ": [{"asin": "B09Q8PPBXJ", "instruction": "i am looking for butt lift high waist tummy control breathable athletic yoga pants affordable and accessible, perfect for fitness enthusiasts and everyday athleisure. jaqqra legging that are made from the highest quality fabricss for women which are designed to remove moisture from your body, providing maximum comfort. pretty squat proof! breathable, tight fit, strong compression, quick drying, moisture wicking, stretchy.super elastic fabrics are perfect for your body,very comfortable and soft! in yellow sizw 3x large preferable.", "attributes": ["fleece lined", "quick drying", "moisture wicking", "tummy control", "high waist", "polyester spandex", "gym workout"], "options": ["color: yellow", "size: 3x-large"], "instruction_attributes": ["tummy control", "high waist", "gym workout"], "instruction_options": ["yellow", "3x-large"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYPKFXV", "worker_id": "A1DRKZ3SCLAS4V"}], "B09B3RRJDB": [{"asin": "B09B3RRJDB", "instruction": "i want to find multi-colored extra-small sweatpants that i can wear daily.", "attributes": ["elastic waist", "polyester spandex", "daily wear"], "options": ["color: multicolored", "size: x-small"], "instruction_attributes": ["daily wear"], "instruction_options": ["multicolored", "x-small"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMMYFRSG", "worker_id": "A345TDMHP3DQ3G"}], "B096W49HCJ": [{"asin": "B096W49HCJ", "instruction": "i need a pair of pink loafers for teen girls. they should be size eight.", "attributes": ["teen girls", "daily wear"], "options": ["color: pink", "size: 8"], "instruction_attributes": ["teen girls"], "instruction_options": ["pink", "8"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQEHHH5", "worker_id": "AR9AU5FY1S3RO"}], "B097PMFHPF": [{"asin": "B097PMFHPF", "instruction": "i'm looking for white hair extensions made with synthetic hair.", "attributes": ["hair extensions", "synthetic hair"], "options": ["color: white"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["white"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBJFNK", "worker_id": "A20DUVEOH6A7KW"}], "B09Q5LY988": [{"asin": "B09Q5LY988", "instruction": "i want a red office chair ergonomic gaming chair with lumbar support.", "attributes": ["easy assemble", "pu leather", "lumbar support"], "options": ["color: red", "style: modern"], "instruction_attributes": ["lumbar support"], "instruction_options": ["red"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM969I4G7", "worker_id": "A2RBF3IIJP15IH"}], "B092VSGJVR": [{"asin": "B092VSGJVR", "instruction": "i am looking for a pair of women's ultra soft arch support sandals in a size 9.", "attributes": ["ethylene vinyl", "vinyl acetate", "arch support"], "options": ["color: lemon a", "size: 9"], "instruction_attributes": ["arch support"], "instruction_options": ["9"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6479DH3C", "worker_id": "A1EREKSZAA9V7B"}], "B09PL8RY44": [{"asin": "B09PL8RY44", "instruction": "i need black non slip zieglen sandals for women.", "attributes": ["non slip", "open toe", "memory foam"], "options": ["color: p1 black", "size: 8.5"], "instruction_attributes": ["non slip"], "instruction_options": ["p1 black"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWOUW6Z", "worker_id": "A2RBF3IIJP15IH"}], "B097SPSG33": [{"asin": "B097SPSG33", "instruction": "i need a 3 pack pendant light fixture with glass shade and white finish. it should be 45.7 inches in size.", "attributes": ["easy install", "white finish", "glass shade", "light fixture"], "options": ["size: 3 pack,45.7in"], "instruction_attributes": ["white finish", "glass shade", "light fixture"], "instruction_options": ["3 pack,45.7in"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSNH0XY", "worker_id": "A1NF6PELRKACS9"}], "B01AH0DMFM": [{"asin": "B01AH0DMFM", "instruction": "i want charcoal and comfortable fit skechers performance women's go walk shoes.", "attributes": ["comfortable fit", "rubber sole"], "options": ["color: charcoal", "size: 7.5 wide"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["charcoal"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E013X7B", "worker_id": "A2RBF3IIJP15IH"}], "B09HQTJZ7T": [{"asin": "B09HQTJZ7T", "instruction": "i want hand painted jmkj sculptures.", "attributes": ["hand painted", "exquisite workmanship", "living room"], "options": [""], "instruction_attributes": ["hand painted"], "instruction_options": [], "assignment_id": "3M68NM076SHHJJNJV2W69YKU49JR6V", "worker_id": "A2RBF3IIJP15IH"}], "B07TT5BCRW": [{"asin": "B07TT5BCRW", "instruction": "order a high waisted skirt in a size small. get the plantation colored one.", "attributes": ["high waist", "daily wear"], "options": ["color: plantation", "size: x-small"], "instruction_attributes": ["high waist"], "instruction_options": ["plantation", "x-small"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMHKJ18", "worker_id": "AR9AU5FY1S3RO"}], "B08X4WFLQF": [{"asin": "B08X4WFLQF", "instruction": "i would like a pack of vermicelli rice sticks that are easy to make.", "attributes": ["gluten free", "easy prepare", "non gmo"], "options": ["style: rice sticks vermicelli"], "instruction_attributes": ["easy prepare"], "instruction_options": ["rice sticks vermicelli"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRL0MFI", "worker_id": "A1WS884SI0SLO4"}], "B07211VXZL": [{"asin": "B07211VXZL", "instruction": "i need a cellphone car adapter with output protection.", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CP62TU", "worker_id": "AR9AU5FY1S3RO"}], "B092VJKR3M": [{"asin": "B092VJKR3M", "instruction": "i need to buy a virtual reality headset with a carrying case.", "attributes": ["easy carry", "easy install", "carrying case"], "options": [""], "instruction_attributes": ["carrying case"], "instruction_options": [], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU72T579", "worker_id": "AR9AU5FY1S3RO"}], "B01C9O8IGM": [{"asin": "B01C9O8IGM", "instruction": "i am looking for teeth whitening stirps that come with a shade guide.", "attributes": ["teeth whitening", "easy use"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66PQFZ0", "worker_id": "AJDQGOTMB2D80"}], "B099KQ6F2D": [{"asin": "B099KQ6F2D", "instruction": "i am looking for women's cotton spandex booty shorts with medium size and color should be black bae white", "attributes": ["low rise", "cotton spandex"], "options": ["color: black bae white", "size: medium"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["black bae white", "medium"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWTYT79J", "worker_id": "AX2EWYWZM19AZ"}], "B07CTK2ZGL": [{"asin": "B07CTK2ZGL", "instruction": "i want wall light 1 light bathroom vanity lighting.", "attributes": ["easy install", "brushed nickel", "glass shade", "vanity light", "light fixture", "living room"], "options": ["size: 1 light"], "instruction_attributes": ["vanity light"], "instruction_options": ["1 light"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UPAG18", "worker_id": "A2RBF3IIJP15IH"}], "B08K89ZK4Q": [{"asin": "B08K89ZK4Q", "instruction": "i need some pants with an elastic waist. they should be black and in size three x large.", "attributes": ["drawstring waist", "high waist", "elastic waist", "polyester spandex"], "options": ["color: b-black.", "size: 3x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["b-black.", "3x-large"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79PY1H3", "worker_id": "AR9AU5FY1S3RO"}], "B093FGJ9RL": [{"asin": "B093FGJ9RL", "instruction": "i am looking for a steel framed brown 5 tier bookcase.", "attributes": ["assembly required", "coated steel", "steel frame", "storage space", "living room"], "options": ["color: brown-a", "size: 35.4\" x 11.8\" x 70.9\" (w x d x h)"], "instruction_attributes": ["steel frame"], "instruction_options": ["brown-a"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69MZP81", "worker_id": "A1EREKSZAA9V7B"}], "B07T86JC7C": [{"asin": "B07T86JC7C", "instruction": "i want black chloe women's arch support clogs.", "attributes": ["slip resistant", "arch support", "rubber sole"], "options": ["color: black", "size: 10.5-11"], "instruction_attributes": ["arch support"], "instruction_options": ["black"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIJPEF1", "worker_id": "A2RBF3IIJP15IH"}], "B0993R8ZHB": [{"asin": "B0993R8ZHB", "instruction": "i want a pack of low fat gourmet kitchen cooked shrimp.", "attributes": ["fully cooked", "low fat", "high protein"], "options": ["size: 1 pack"], "instruction_attributes": ["low fat"], "instruction_options": ["1 pack"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68E0A4W", "worker_id": "A2RBF3IIJP15IH"}], "B0033YLK7M": [{"asin": "B0033YLK7M", "instruction": "i want to find a doctor's stool with cinder-colored fabric. it needs to be 18.5 inches to 24 inches tall and be height adjustable.", "attributes": ["height adjustable", "lumbar support"], "options": ["color: cinder fabric", "size: desk height 18.5\"- 24\""], "instruction_attributes": ["height adjustable"], "instruction_options": ["cinder fabric", "desk height 18.5\"- 24\""], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJLLZ8B", "worker_id": "A345TDMHP3DQ3G"}], "B09MB3CRYB": [{"asin": "B09MB3CRYB", "instruction": "i want a easy clean water resistant hair cutting salon kit for professnol hair salon color:style 2", "attributes": ["water resistant", "easy clean", "hair cutting", "hair dye", "hair salon"], "options": ["color: style 2"], "instruction_attributes": ["water resistant", "easy clean", "hair cutting", "hair salon"], "instruction_options": ["style 2"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KWUE7N", "worker_id": "A3N9ZYQAESNFQH"}], "B09DKVZSVK": [{"asin": "B09DKVZSVK", "instruction": "i need a case for my 40 millimeter samsung galaxy watch 4. look for one with a tempered glass screen in rose gold.", "attributes": ["glass screen", "tempered glass"], "options": ["color: pink+rose gold+clear", "size: 40mm"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["pink+rose gold+clear", "40mm"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDRWZQB", "worker_id": "AR9AU5FY1S3RO"}], "B079TR2JHT": [{"asin": "B079TR2JHT", "instruction": "men's eau de parfum long lasting for daily use", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJMTDGB", "worker_id": "A3N9ZYQAESNFQH"}], "B091KTBPG4": [{"asin": "B091KTBPG4", "instruction": "i am looking for a rose gold colored nail polish storage case.", "attributes": ["storage case", "nail polish"], "options": ["color: rose gold"], "instruction_attributes": ["storage case", "nail polish"], "instruction_options": ["rose gold"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI39NBDE", "worker_id": "A1EREKSZAA9V7B"}], "B08LK9WRFQ": [{"asin": "B08LK9WRFQ", "instruction": "i need to buy a ready to hang art print that's sixteen by twenty-four inches. look for one that has women and palm leaves on it.", "attributes": ["hand painted", "ready hang", "wood frame"], "options": ["color: women face with palm leaves", "size: 16\"x24\"x1"], "instruction_attributes": ["ready hang"], "instruction_options": ["women face with palm leaves", "16\"x24\"x1"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT6J732", "worker_id": "AR9AU5FY1S3RO"}], "B082HJWXKX": [{"asin": "B082HJWXKX", "instruction": "i need a space saving office desk that is blue and 90 by 30 cm", "attributes": ["wall mounted", "space saving", "easy clean", "living room"], "options": ["color: blue", "size: 90*30cm"], "instruction_attributes": ["space saving"], "instruction_options": ["blue"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R18LI2O", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GS38WN1": [{"asin": "B08GS38WN1", "instruction": "i want blue striped and wide leg elsofer women's pajama lounge pants.", "attributes": ["wide leg", "hand wash", "wash cold", "polyester spandex", "quality polyester", "drawstring waist"], "options": ["color: blue striped", "size: 3x-large"], "instruction_attributes": ["wide leg"], "instruction_options": ["blue striped"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DU8TOX", "worker_id": "A2RBF3IIJP15IH"}], "B079PLY9B7": [{"asin": "B079PLY9B7", "instruction": "i am looking for mj korean cosmetic full face collagen red ginseng essence pack for sensitive skin in color: hyaluronic acid and size: pack of 14", "attributes": ["hyaluronic acid", "sensitive skin"], "options": ["color: hyaluronic acid", "size: pack of 14"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["hyaluronic acid", "pack of 14"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZIX9KV", "worker_id": "AX2EWYWZM19AZ"}], "B075DM81YY": [{"asin": "B075DM81YY", "instruction": "i would like a long lasting animal pattern storage bench that is easy to clean.", "attributes": ["long lasting", "assembly required", "easy clean", "contemporary design"], "options": ["color: animal pattern"], "instruction_attributes": ["long lasting", "easy clean"], "instruction_options": ["animal pattern"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTSCWXC", "worker_id": "A1WS884SI0SLO4"}], "B01N297Q3Y": [{"asin": "B01N297Q3Y", "instruction": "i saw the women's shoe in a store and i need you to find it on amazon in brown and size 7, with rubber sole. the brand is jambu and the model is mule.", "attributes": ["memory foam", "rubber sole"], "options": ["color: brown", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown", "7"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HXYD1Z", "worker_id": "A15IJ20C3R4HUO"}], "B07GPBX5Z1": [{"asin": "B07GPBX5Z1", "instruction": "i want to buy some tummy-control shorts in extra small.", "attributes": ["nylon spandex", "stretch fabric", "tummy control"], "options": ["color: booty shorts dimgray camo", "size: x-small"], "instruction_attributes": ["tummy control"], "instruction_options": ["x-small"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21MDQFP", "worker_id": "AR9AU5FY1S3RO"}], "B00BBUSDW0": [{"asin": "B00BBUSDW0", "instruction": "i need a vanity light that is a satin nickel color.", "attributes": ["bronze finish", "vanity light", "glass shade"], "options": ["color: satin nickel"], "instruction_attributes": ["vanity light"], "instruction_options": ["satin nickel"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4AQRQN", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R8CBM2D": [{"asin": "B08R8CBM2D", "instruction": "i want a hands free hlongg bluetooth clock speaker.", "attributes": ["hands free", "aaa batteries"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNZ4TPE", "worker_id": "A2RBF3IIJP15IH"}], "B09D3HK2T5": [{"asin": "B09D3HK2T5", "instruction": "i need to buy a smartwatch band for my apple watch. look for one in rose gold stainless steel mesh.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: mesh-rosegold", "size: 42mm | 44mm | 45mm"], "instruction_attributes": ["compatible apple", "stainless steel"], "instruction_options": ["mesh-rosegold", "42mm | 44mm | 45mm"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9KGB0N", "worker_id": "AR9AU5FY1S3RO"}], "B09NC39NKL": [{"asin": "B09NC39NKL", "instruction": "i want samsung galaxy s22 glass screen protectors.", "attributes": ["long lasting", "tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["glass screen"], "instruction_options": [], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7VEURD", "worker_id": "A2RBF3IIJP15IH"}], "B075NZNBPN": [{"asin": "B075NZNBPN", "instruction": "i would like a campfire fragrance beard conditioner made with argan oil", "attributes": ["natural ingredients", "argan oil"], "options": ["scent: campfire fragrance - the american"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIC62LD", "worker_id": "A1WS884SI0SLO4"}], "B09MTH718B": [{"asin": "B09MTH718B", "instruction": "i need a solid wood computer desk for living room which is easy to install and clean. i want color choice 1 and style 2.", "attributes": ["easy install", "easy clean", "solid wood", "living room"], "options": ["color: choice 1", "size: style 2"], "instruction_attributes": ["easy install", "easy clean", "solid wood", "living room"], "instruction_options": ["choice 1", "style 2"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU0LALF", "worker_id": "ASWFLI3N8X72G"}], "B078Y8DS18": [{"asin": "B078Y8DS18", "instruction": "look for some high quality stainless steel hair cutting shears. they should be seven inches and made out of stainless steel.", "attributes": ["high quality", "stainless steel", "hair cutting"], "options": ["color: matt black", "size: 7.0 inch"], "instruction_attributes": ["high quality", "stainless steel", "hair cutting"], "instruction_options": ["matt black", "7.0 inch"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU72T75B", "worker_id": "AR9AU5FY1S3RO"}], "B099SBXBJH": [{"asin": "B099SBXBJH", "instruction": "i need a large niantie mens short sleeve t shirt.", "attributes": ["slim fit", "short sleeve", "long sleeve", "regular fit", "relaxed fit", "gym workout"], "options": ["color: blue", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXEKUJL", "worker_id": "A2RBF3IIJP15IH"}], "B08RTGLYGM": [{"asin": "B08RTGLYGM", "instruction": "i need a double dark chocolate bar which is high protein and ready to eat.", "attributes": ["ready eat", "high protein"], "options": ["flavor name: double dark chocolate"], "instruction_attributes": ["ready eat", "high protein"], "instruction_options": ["double dark chocolate"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAC2FIH", "worker_id": "A1NF6PELRKACS9"}], "B08PVWCXK8": [{"asin": "B08PVWCXK8", "instruction": "i am looking for a 50ml leak proof refillable glass spray bottle.", "attributes": ["leak proof", "fine mist"], "options": ["color: green", "size: 50ml"], "instruction_attributes": ["leak proof"], "instruction_options": ["50ml"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DULTOA", "worker_id": "A1EREKSZAA9V7B"}], "B08QM88LCF": [{"asin": "B08QM88LCF", "instruction": "i want black rockport men's toe sneaker with lace closure.", "attributes": ["lace closure", "ethylene vinyl", "vinyl acetate"], "options": ["color: black", "size: 7.5"], "instruction_attributes": ["lace closure"], "instruction_options": ["black"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UPI1G1", "worker_id": "A2RBF3IIJP15IH"}], "B08RDS6J17": [{"asin": "B08RDS6J17", "instruction": "i need an easy to install 2pcs camera with 6pcs door alarm.", "attributes": ["batteries included", "easy install"], "options": ["color: 6pcs-alarm+2pcs-camera"], "instruction_attributes": ["easy install"], "instruction_options": ["6pcs-alarm+2pcs-camera"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEHZIXC", "worker_id": "A1NF6PELRKACS9"}], "B09DYVLH72": [{"asin": "B09DYVLH72", "instruction": "i would like a blue long sleeved sweatshirt that is the size 4x-large.", "attributes": ["long sleeve", "elastic closure", "high waist", "daily wear"], "options": ["color: a01-blue", "size: 4x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a01-blue", "4x-large"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K6H21N", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GK93FTM": [{"asin": "B07GK93FTM", "instruction": "i would like two variety packs of non gmo trail mix", "attributes": ["non gmo", "high fructose"], "options": ["flavor name: variety", "size: 6 ounce x 2 packs"], "instruction_attributes": ["non gmo"], "instruction_options": ["variety", "6 ounce x 2 packs"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80CXQ1R", "worker_id": "A2ECRNQ3X5LEXD"}], "B00EN3JV96": [{"asin": "B00EN3JV96", "instruction": "i need to buy a three ounce bottle of long lasting perfume in the sexy amber scent.", "attributes": ["design house", "long lasting"], "options": ["scent: sexy amber", "size: 3.4 ounce"], "instruction_attributes": ["long lasting"], "instruction_options": ["sexy amber", "3.4 ounce"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKC6887", "worker_id": "AR9AU5FY1S3RO"}], "B07ZHGQQZ6": [{"asin": "B07ZHGQQZ6", "instruction": "i would like a mint green brush cleaner that is easy to use.", "attributes": ["non toxic", "easy use"], "options": ["color: mint green"], "instruction_attributes": ["easy use"], "instruction_options": ["mint green"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2MINYY", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PFW75M2": [{"asin": "B09PFW75M2", "instruction": "i would like a set of pendant lights for the living room.", "attributes": ["pendant light", "light fixture", "living room"], "options": [""], "instruction_attributes": ["pendant light", "living room"], "instruction_options": [], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZST040", "worker_id": "A1WS884SI0SLO4"}], "B07DXP1XRB": [{"asin": "B07DXP1XRB", "instruction": "i would like a set of fast charging noise cancelling headphones.", "attributes": ["noise cancelling", "fast charging"], "options": [""], "instruction_attributes": ["noise cancelling", "fast charging"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5F1Z1D", "worker_id": "A1WS884SI0SLO4"}], "B01IM9I5L6": [{"asin": "B01IM9I5L6", "instruction": "i want to find a pair of size 5, coral-colored flip-flops with rubber soles that i can wear to yoga.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: coral", "size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["coral", "5"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40VOCR2", "worker_id": "A345TDMHP3DQ3G"}], "B096W7H2ZD": [{"asin": "B096W7H2ZD", "instruction": "i want a bronze gold highlighter & luminizer made with natural ingredients for fine lines which is easy to apply, clean & carry.", "attributes": ["easy apply", "easy carry", "easy clean", "rose gold", "natural ingredients", "fine lines"], "options": ["color: bronze gold"], "instruction_attributes": ["easy apply", "easy carry", "easy clean", "natural ingredients", "fine lines"], "instruction_options": ["bronze gold"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU72957P", "worker_id": "ASWFLI3N8X72G"}], "B09K81GRGT": [{"asin": "B09K81GRGT", "instruction": "i am interested in birthday party cupcake toppers that are multicolor.", "attributes": ["cupcake picks", "birthday party", "birthday cake", "party supplies"], "options": ["color: multicolor"], "instruction_attributes": ["birthday party"], "instruction_options": ["multicolor"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9SF87Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PVH3W92": [{"asin": "B09PVH3W92", "instruction": "i want black women's open toe ring sandals.", "attributes": ["open toe", "non slip", "quality materials", "ankle strap", "rubber sole"], "options": ["color: black", "size: 9.5"], "instruction_attributes": ["open toe"], "instruction_options": ["black"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8HQ4CX", "worker_id": "A2RBF3IIJP15IH"}], "B09T38ZZGL": [{"asin": "B09T38ZZGL", "instruction": "i need a new tv box that is made by android that come with the batteries included.", "attributes": ["batteries included", "easy use", "quad core"], "options": ["color: 4gb+128gb"], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDRVZQA", "worker_id": "A32JEH06T23HDF"}], "B09MCYGBRZ": [{"asin": "B09MCYGBRZ", "instruction": "i want to get some red cupcake toppers that i can use for a birthday party.", "attributes": ["birthday cake", "party supplies", "birthday party"], "options": ["color: style a-red"], "instruction_attributes": ["birthday party"], "instruction_options": ["style a-red"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UODB1W3", "worker_id": "A345TDMHP3DQ3G"}], "B09QMJ9PN2": [{"asin": "B09QMJ9PN2", "instruction": "i need high quality pillow covers in color a-8 and it should be fade resistant.", "attributes": ["high quality", "fine lines"], "options": ["color: a-8"], "instruction_attributes": ["high quality"], "instruction_options": ["a-8"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYV1634", "worker_id": "A1NF6PELRKACS9"}], "B004SE22H8": [{"asin": "B004SE22H8", "instruction": "i want fruit of the loom men's low-rise brief in size 38-40.", "attributes": ["low rise", "machine wash"], "options": ["size: 38-40"], "instruction_attributes": ["low rise"], "instruction_options": ["38-40"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXJ0KWE", "worker_id": "A2RBF3IIJP15IH"}], "B093S184XH": [{"asin": "B093S184XH", "instruction": "i am looking for easy to apply nail mirror powder.", "attributes": ["easy apply", "non toxic", "nail art", "nail polish"], "options": [""], "instruction_attributes": ["easy apply"], "instruction_options": [], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTSKXWL", "worker_id": "A1EREKSZAA9V7B"}], "B09GV9RWXX": [{"asin": "B09GV9RWXX", "instruction": "i am looking for solar power bank with 10w wireless charger, dual usb, fast charging and waterproof", "attributes": ["fast charging", "dust proof", "wireless charging"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB139UL7", "worker_id": "AX2EWYWZM19AZ"}], "B08SHKMP5B": [{"asin": "B08SHKMP5B", "instruction": "find me a non alcoholic and zero sugar mocktail.", "attributes": ["non alcoholic", "keto friendly", "sugar free", "zero sugar"], "options": [""], "instruction_attributes": ["non alcoholic", "zero sugar"], "instruction_options": [], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83JIJIN", "worker_id": "A1NF6PELRKACS9"}], "B07KJFN8RM": [{"asin": "B07KJFN8RM", "instruction": "i want some cuticle pushers that are stainless steel.", "attributes": ["stainless steel", "dead skin"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKYBDNF", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SPN32XS": [{"asin": "B09SPN32XS", "instruction": "i want a cd player portable boombox with stereo sound.", "attributes": ["easy use", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z16W1K1", "worker_id": "A2RBF3IIJP15IH"}], "B0916M7Z9C": [{"asin": "B0916M7Z9C", "instruction": "i am looking for hair and scalp serum for natural hair that is made with natural ingredients. i also would prefer the peppermint and aloe fragrance.", "attributes": ["cruelty free", "tea tree", "natural ingredients", "damaged hair", "natural hair", "hair growth", "dead skin"], "options": ["scent: peppermint & aloe"], "instruction_attributes": ["natural ingredients", "natural hair"], "instruction_options": ["peppermint & aloe"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLJBM0E", "worker_id": "AK3JMCIGU8MLU"}], "B01GJC4WRO": [{"asin": "B01GJC4WRO", "instruction": "i am looking for 2 pieces of 6ft long fast charging micro usb cable", "attributes": ["fast charging", "heavy duty", "high speed", "usb port"], "options": ["color: space grey", "number of items: 2", "size: 6.6ft"], "instruction_attributes": ["fast charging"], "instruction_options": ["2", "6.6ft"], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8ONQQK", "worker_id": "A258PTOZ3D2TQR"}], "B0747LWDCK": [{"asin": "B0747LWDCK", "instruction": "i would like some organic old fashioned oatmeal.", "attributes": ["non gmo", "certified organic", "old fashioned", "usda organic", "artificial flavors"], "options": ["flavor name: organic standard, old fashioned"], "instruction_attributes": ["usda organic"], "instruction_options": ["organic standard, old fashioned"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAUZZXO", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PV723CF": [{"asin": "B07PV723CF", "instruction": "i want a 2 pack of dseap coat rack wall mount.", "attributes": ["heavy duty", "wall mounted", "stainless steel"], "options": ["color: red antique copper", "package quantity: 2"], "instruction_attributes": ["wall mounted"], "instruction_options": ["2"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQF6EK3", "worker_id": "A2RBF3IIJP15IH"}], "B0050XG6QE": [{"asin": "B0050XG6QE", "instruction": "i like design house with white color", "attributes": ["design house", "alcohol free"], "options": [""], "instruction_attributes": ["design house"], "instruction_options": [], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQEPJCC", "worker_id": "A226L9F2AZ38CL"}], "B09HNCG2LQ": [{"asin": "B09HNCG2LQ", "instruction": "i would like a clinically proven deodorant that is lavender sage", "attributes": ["clinically proven", "paraben free", "sensitive skin"], "options": ["scent: lavender sage, sweet lily, jasmine rose"], "instruction_attributes": ["clinically proven"], "instruction_options": ["lavender sage, sweet lily, jasmine rose"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LIB5IB", "worker_id": "A2ECRNQ3X5LEXD"}], "B009NCWNQ0": [{"asin": "B009NCWNQ0", "instruction": "i want to find mango-flavored lip balm that is paraben free and contains some sun protection.", "attributes": ["paraben free", "cruelty free"], "options": ["flavor name: mango"], "instruction_attributes": ["paraben free"], "instruction_options": ["mango"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVK1Q0Y", "worker_id": "A345TDMHP3DQ3G"}], "B09PQJ17S7": [{"asin": "B09PQJ17S7", "instruction": "i'm looking for short sleeve fitting clot. it can easy to machine wash.", "attributes": ["wide leg", "straight leg", "wash cold", "slim fit", "hand wash", "machine wash", "elastic waist", "high waist", "elastic closure", "short sleeve", "long sleeve", "everyday wear"], "options": ["color: 01 white", "size: x-large"], "instruction_attributes": ["wide leg", "machine wash", "elastic waist", "short sleeve"], "instruction_options": ["01 white"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRX6JX9", "worker_id": "A16IQOX0DK14OJ"}], "B09QQKW86M": [{"asin": "B09QQKW86M", "instruction": "i want small and high waisted comfortable underwear 831 new men u-convex.", "attributes": ["unique design", "high waist"], "options": ["color: 3 light blue", "size: small"], "instruction_attributes": ["high waist"], "instruction_options": ["small"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTSEL7Y", "worker_id": "A2RBF3IIJP15IH"}], "B07C5BQG5J": [{"asin": "B07C5BQG5J", "instruction": "i need to buy a flat-packed ottoman. look for one that's white.", "attributes": ["assembly required", "high gloss", "stainless steel"], "options": ["color: white"], "instruction_attributes": ["assembly required"], "instruction_options": ["white"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4IX895", "worker_id": "AR9AU5FY1S3RO"}], "B073YLPR26": [{"asin": "B073YLPR26", "instruction": "i am looking for an intel quad core i5-6500 mini pc with windows 10 pro.", "attributes": ["fast charging", "core i5", "quad core", "intel core"], "options": [""], "instruction_attributes": ["quad core", "intel core"], "instruction_options": [], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53VHGKI", "worker_id": "A1EREKSZAA9V7B"}], "B07N4FGLPJ": [{"asin": "B07N4FGLPJ", "instruction": "look for a brushed aluminum wall sconce with a glass shade.", "attributes": ["clear glass", "glass shade"], "options": ["color: black | brushed aluminum", "size: 13.75x5.25x"], "instruction_attributes": ["glass shade"], "instruction_options": ["black | brushed aluminum"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFDYU58", "worker_id": "AR9AU5FY1S3RO"}], "B09QKQSLBT": [{"asin": "B09QKQSLBT", "instruction": "i want yellow wide leg eaktool sexy women shorts.", "attributes": ["fleece lined", "wide leg", "tummy control", "high waist", "teen girls"], "options": ["color: yellow", "size: x-large"], "instruction_attributes": ["wide leg"], "instruction_options": ["yellow"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21MBQFN", "worker_id": "A2RBF3IIJP15IH"}], "B09NVGCG3K": [{"asin": "B09NVGCG3K", "instruction": "i am looking a spider man cupcake topper party supply for my pet birthday party", "attributes": ["birthday cake", "cupcake picks", "party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake", "party supplies", "birthday party"], "instruction_options": [], "assignment_id": "3N8OEVH1F204BC17361WW31GEMOOO3", "worker_id": "A3N9ZYQAESNFQH"}], "B09P4Z74XN": [{"asin": "B09P4Z74XN", "instruction": "i am looking for a lavender foot peel off mask which works on dry skin and it is easy to use.", "attributes": ["anti aging", "easy use", "dead skin", "fine lines"], "options": ["color: lavender"], "instruction_attributes": ["easy use", "dead skin"], "instruction_options": ["lavender"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOINMLQ", "worker_id": "AHU9OLV0YKIIW"}], "B098JZ8Q61": [{"asin": "B098JZ8Q61", "instruction": "shop for teeth whitening strips. look for some that taste like peppermint and are appropriate for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["flavor name: peppermint"], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": ["peppermint"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZQEK3G", "worker_id": "AR9AU5FY1S3RO"}], "B09C7SHQH2": [{"asin": "B09C7SHQH2", "instruction": "i need an intel quad core tablet which is certified refurbished.", "attributes": ["certified refurbished", "core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["certified refurbished", "intel core", "quad core"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTS19PU", "worker_id": "A1NF6PELRKACS9"}], "B09G2MCRX4": [{"asin": "B09G2MCRX4", "instruction": "find me twin sized bunk beds made of solid wood. it should be espresso colored.", "attributes": ["twin size", "box spring", "solid wood"], "options": ["color: espresso", "size: twin over twin"], "instruction_attributes": ["twin size", "solid wood"], "instruction_options": ["espresso"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGIU4WJV", "worker_id": "A1NF6PELRKACS9"}], "B09T78TGBM": [{"asin": "B09T78TGBM", "instruction": "i am looking for a high speed 12v ac/dc adapter with output protection.", "attributes": ["output protection", "high speed"], "options": [""], "instruction_attributes": ["output protection", "high speed"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE215QGG", "worker_id": "A1EREKSZAA9V7B"}], "B07MXMZD94": [{"asin": "B07MXMZD94", "instruction": "look for the easy chef sampler of green bean snacks. i want the twelve piece non-gmo assortment.", "attributes": ["gluten free", "low calorie", "keto friendly", "low carb", "non gmo", "simple ingredients"], "options": ["flavor name: easy chef sampler", "size: 12 piece assortment"], "instruction_attributes": ["non gmo"], "instruction_options": ["easy chef sampler", "12 piece assortment"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y6MVIH", "worker_id": "AR9AU5FY1S3RO"}], "B084KYR68F": [{"asin": "B084KYR68F", "instruction": "i want a trupedic x mozaic casual queen size futon mattress.", "attributes": ["queen size", "spot clean", "easy clean"], "options": ["color: camel khaki", "size: queen", "style: casual"], "instruction_attributes": ["queen size"], "instruction_options": ["casual"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH961EN", "worker_id": "A2RBF3IIJP15IH"}], "B07L2L64XL": [{"asin": "B07L2L64XL", "instruction": "i need a fluoride free toothpaste for fresh breath. i will need a pack of 4 in 3.5 ounce size.", "attributes": ["fluoride free", "cruelty free", "seed oil", "fresh breath"], "options": ["size: 3.5 ounce (pack of 4)"], "instruction_attributes": ["fluoride free", "fresh breath"], "instruction_options": ["3.5 ounce (pack of 4)"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40VKYFQ", "worker_id": "A1NF6PELRKACS9"}], "B09QSR47T4": [{"asin": "B09QSR47T4", "instruction": "i am looking for a 52 inch by 45 inch green window panel.", "attributes": ["printing technology", "dining room", "living room"], "options": ["size: 52x45in"], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCN8MB0", "worker_id": "A1EREKSZAA9V7B"}], "B08S7MD3HY": [{"asin": "B08S7MD3HY", "instruction": "i want to find a printed backdrop that is 5 by 7 feet for a digital photography session.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 06", "size: 5x7 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 06", "5x7 ft"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U59AMF", "worker_id": "A345TDMHP3DQ3G"}], "B082X5XQP4": [{"asin": "B082X5XQP4", "instruction": "i want a 10 foot gold plated jolgoo 1/4\" trs to dual rca insert cable.", "attributes": ["gold plated", "high performance"], "options": ["size: 10 feet", "style: 1 | 4 trs to dual rca"], "instruction_attributes": ["gold plated"], "instruction_options": ["10 feet"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXBAG75", "worker_id": "A2RBF3IIJP15IH"}], "B08G143L51": [{"asin": "B08G143L51", "instruction": "i want to find vanity light fixtures that i can put in my bathroom.", "attributes": ["mid century", "vanity light", "light fixture", "clear glass"], "options": [""], "instruction_attributes": ["vanity light", "light fixture"], "instruction_options": [], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LE1L0R", "worker_id": "A345TDMHP3DQ3G"}], "B00AUOJH8M": [{"asin": "B00AUOJH8M", "instruction": "my father mostly use grey color intel core laptop only", "attributes": ["high performance", "intel core"], "options": [""], "instruction_attributes": ["intel core"], "instruction_options": [], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2WW49P", "worker_id": "A226L9F2AZ38CL"}], "B00S1L6590": [{"asin": "B00S1L6590", "instruction": "i need a detangler hair brush that stimulates hair growth. choose the purple one.", "attributes": ["long lasting", "hair styling", "dry hair", "hair growth", "hair loss"], "options": ["color: purple", "size: 6.25\""], "instruction_attributes": ["hair growth"], "instruction_options": ["purple"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCH2JSX", "worker_id": "A1NF6PELRKACS9"}], "B08WWV6B8G": [{"asin": "B08WWV6B8G", "instruction": "i need a glossy electrical outlet cover.", "attributes": ["heavy duty", "high gloss"], "options": ["style: outlet | rocker combo"], "instruction_attributes": ["high gloss"], "instruction_options": ["outlet | rocker combo"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKJJ7DB", "worker_id": "A19317A3X87NVM"}], "B08TJ1VF6P": [{"asin": "B08TJ1VF6P", "instruction": "i am looking for a super soft throw blanket that is at least 50 by 60 inches in size.", "attributes": ["super soft", "living room"], "options": ["color: t210120c-4", "size: 50 x 60 inches"], "instruction_attributes": ["super soft"], "instruction_options": ["50 x 60 inches"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SVHQTT", "worker_id": "AJDQGOTMB2D80"}], "B075RPQLCT": [{"asin": "B075RPQLCT", "instruction": "i am looking for low fat high protein salted toffee pretzel protein bars.", "attributes": ["low fat", "low carb", "low calorie", "high protein"], "options": ["flavor name: salted toffee pretzel", "size: 7 count (pack of 1)", "style: 3 boxes (save 5%)"], "instruction_attributes": ["low fat", "high protein"], "instruction_options": ["salted toffee pretzel", "3 boxes (save 5%)"], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YGW7553", "worker_id": "A1EREKSZAA9V7B"}], "B09GLW6K81": [{"asin": "B09GLW6K81", "instruction": "show me travel bottles with bpa free, non toxic, high quality (yellow) please do it quickly.", "attributes": ["leak proof", "high quality", "bpa free", "non toxic", "easy clean", "easy use", "travel bottles", "quality materials"], "options": ["color: yellow"], "instruction_attributes": ["bpa free", "non toxic"], "instruction_options": ["yellow"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU8RCMG", "worker_id": "A15IJ20C3R4HUO"}], "B09LSQX8MH": [{"asin": "B09LSQX8MH", "instruction": "i am interested in headphones that are noise cancelling.", "attributes": ["noise cancelling", "hands free"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OVC3M7", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PGQQH3S": [{"asin": "B07PGQQH3S", "instruction": "i need a pack of 24 individually wrapped ready to eat strawberry crepes.", "attributes": ["individually wrapped", "non gmo", "ready eat", "simple ingredients", "high fructose"], "options": ["flavor name: strawberry", "size: 1.13 ounce (pack of 24)"], "instruction_attributes": ["individually wrapped", "ready eat"], "instruction_options": ["strawberry", "1.13 ounce (pack of 24)"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZKKR7B", "worker_id": "AR9AU5FY1S3RO"}], "B084GCLMNR": [{"asin": "B084GCLMNR", "instruction": "get me some hydrating hyaluronic acid moisturizer for sensitive skin.", "attributes": ["hyaluronic acid", "sensitive skin"], "options": ["color: peptaronic serum", "style name: peptaronic (hydrating)"], "instruction_attributes": ["hyaluronic acid", "sensitive skin"], "instruction_options": ["peptaronic (hydrating)"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXR1YLQ", "worker_id": "AR9AU5FY1S3RO"}], "B01LNKHDAK": [{"asin": "B01LNKHDAK", "instruction": "i am looking for a individually wrapped granola bar with high fructose. also choose 3-flavor variety pack", "attributes": ["chocolate covered", "individually wrapped", "high fructose"], "options": ["flavor name: 3-flavor variety pack"], "instruction_attributes": ["individually wrapped", "high fructose"], "instruction_options": ["3-flavor variety pack"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA4AR8I", "worker_id": "A2HMEGTAFO0CS8"}], "B09QHTZX6Z": [{"asin": "B09QHTZX6Z", "instruction": "i would like a pink electric tootbrush that is long lasting.", "attributes": ["teeth whitening", "long lasting"], "options": ["color: pink cow"], "instruction_attributes": ["long lasting"], "instruction_options": ["pink cow"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AIGUY2", "worker_id": "A2ECRNQ3X5LEXD"}], "B00KUPS3JU": [{"asin": "B00KUPS3JU", "instruction": "i want to buy a mid-back drafting chair that has an adjustable height and lumbar support. look for a blue one.", "attributes": ["height adjustable", "lumbar support"], "options": ["color: blue mesh | white frame", "style: mid back drafting chair"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": ["blue mesh | white frame", "mid back drafting chair"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKQ8V7J", "worker_id": "AR9AU5FY1S3RO"}], "B07Y2B737Q": [{"asin": "B07Y2B737Q", "instruction": "buy me the toothpaste with hempseed and coconut oil.", "attributes": ["seed oil", "coconut oil"], "options": [""], "instruction_attributes": ["seed oil", "coconut oil"], "instruction_options": [], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907RVUAA", "worker_id": "AR9AU5FY1S3RO"}], "B09GNBPCRL": [{"asin": "B09GNBPCRL", "instruction": "i need some hair quality hair clippers", "attributes": ["long lasting", "easy clean", "high quality", "stainless steel", "hair cutting"], "options": ["color: gold with box"], "instruction_attributes": ["high quality"], "instruction_options": ["gold with box"], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLI8KIKN", "worker_id": "A2ECRNQ3X5LEXD"}], "B00XV44F44": [{"asin": "B00XV44F44", "instruction": "i am looking for a three pack of lactose free milk", "attributes": ["lactose free", "dairy free", "gluten free"], "options": ["size: 11.25 ounce (pack of 3)"], "instruction_attributes": ["lactose free"], "instruction_options": ["11.25 ounce (pack of 3)"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83JAIJE", "worker_id": "A2ECRNQ3X5LEXD"}], "B01FNQX11A": [{"asin": "B01FNQX11A", "instruction": "i need a 32 ct variety pack of cruelty free lip balms.", "attributes": ["cruelty free", "green tea", "natural ingredients"], "options": ["flavor name: variety", "size: pack of 32"], "instruction_attributes": ["cruelty free"], "instruction_options": ["variety", "pack of 32"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOHVMLW", "worker_id": "A2ECRNQ3X5LEXD"}], "B079CGP5GP": [{"asin": "B079CGP5GP", "instruction": "i need eye shadow with 0.5 ounce size only", "attributes": ["high quality", "eye shadow"], "options": ["color: .5 oz | 15ml", "size: 0.5 ounce (pack of 12)"], "instruction_attributes": ["eye shadow"], "instruction_options": ["0.5 ounce (pack of 12)"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNK1TNG", "worker_id": "A226L9F2AZ38CL"}], "B09RFYG8YG": [{"asin": "B09RFYG8YG", "instruction": "can you search for keeyo women's oversized jumpsuits? are summer casual baggy pants, daily wear with wide legs please find this costume for me in blue color and x-large size", "attributes": ["wide leg", "straight leg", "fleece lined", "loose fit", "wash cold", "hand wash", "machine wash", "long sleeve", "tummy control", "elastic waist", "high waist", "polyester spandex", "daily wear"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["wide leg", "daily wear"], "instruction_options": ["blue", "x-large"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZZRNRK", "worker_id": "A15IJ20C3R4HUO"}], "B00TOV2F4K": [{"asin": "B00TOV2F4K", "instruction": "i need to buy a forty-six inch under cabinet light fixture.", "attributes": ["white item", "light fixture"], "options": ["color: 3000k-warm white", "size: 46 in"], "instruction_attributes": ["light fixture"], "instruction_options": ["46 in"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HDQI68", "worker_id": "AR9AU5FY1S3RO"}], "B099KPHTQT": [{"asin": "B099KPHTQT", "instruction": "i would like to buy a 4g lte pc tablet with a hd screen.", "attributes": ["high definition", "4g lte"], "options": [""], "instruction_attributes": ["high definition", "4g lte"], "instruction_options": [], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU73S75C", "worker_id": "AHXHM1PQTRWIQ"}], "B08PPYCK6H": [{"asin": "B08PPYCK6H", "instruction": "i need ultra hd 13ft size smart tv", "attributes": ["high speed", "ultra hd", "blu ray", "gold plated"], "options": ["color: grey", "size: 13ft"], "instruction_attributes": ["ultra hd"], "instruction_options": ["13ft"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMOPBQW", "worker_id": "A226L9F2AZ38CL"}], "B09DV19VKY": [{"asin": "B09DV19VKY", "instruction": "i am looking for a brushed nickel modern sputnik chandelier that has 15 lights for my dining room.", "attributes": ["mid century", "light fixture", "brushed nickel", "dining room", "living room"], "options": ["color: brushed brass", "size: 15 lights"], "instruction_attributes": ["brushed nickel", "dining room"], "instruction_options": ["15 lights"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGNKYIP", "worker_id": "A1EREKSZAA9V7B"}], "B09NSWZF5X": [{"asin": "B09NSWZF5X", "instruction": "i am looking for gaming pc windows 10 professional desktop tower with quad core i7 3.4ghz, 16gb ram, 256gb ssd, tempered glass and wifi adapter", "attributes": ["quad core", "tempered glass"], "options": [""], "instruction_attributes": ["quad core", "tempered glass"], "instruction_options": [], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LU2DC2", "worker_id": "AX2EWYWZM19AZ"}], "B09PG5MJG1": [{"asin": "B09PG5MJG1", "instruction": "i need to buy a height adjustable office chair with lumbar support. i want a grey one.", "attributes": ["height adjustable", "space saving", "lumbar support"], "options": ["color: grey"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": ["grey"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMXS3W0", "worker_id": "AR9AU5FY1S3RO"}], "B08R61WQ6K": [{"asin": "B08R61WQ6K", "instruction": "i want to find a black manual shaver that can help remove hair.", "attributes": ["non toxic", "high quality", "hair removal"], "options": ["color: black"], "instruction_attributes": ["hair removal"], "instruction_options": ["black"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49ZZ4XK", "worker_id": "A345TDMHP3DQ3G"}], "B09CM59VGC": [{"asin": "B09CM59VGC", "instruction": "i am looking for a large wig storage case with accessory pockets.", "attributes": ["water resistant", "storage case", "synthetic hair"], "options": ["color: g102", "size: large"], "instruction_attributes": ["storage case"], "instruction_options": ["large"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0T9W59", "worker_id": "A1EREKSZAA9V7B"}], "B08HQ8JRQP": [{"asin": "B08HQ8JRQP", "instruction": "i would like some low calorie sesame pretzels.", "attributes": ["artificial ingredients", "low calorie", "non gmo"], "options": ["flavor name: sesame", "size: 7.1 ounce bag, 3-pack"], "instruction_attributes": ["low calorie"], "instruction_options": ["sesame"], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38GYTJJL", "worker_id": "A2ECRNQ3X5LEXD"}], "B096NK94S7": [{"asin": "B096NK94S7", "instruction": "i want a hieha double din car stereo compatible with apple.", "attributes": ["compatible apple", "hands free", "high definition", "usb port"], "options": [""], "instruction_attributes": ["compatible apple"], "instruction_options": [], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8VY8G2", "worker_id": "A2RBF3IIJP15IH"}], "B00CUMRXKG": [{"asin": "B00CUMRXKG", "instruction": "i need to buy a queen sized faux leather platform bed in white.", "attributes": ["white item", "faux leather", "wood frame", "box spring"], "options": ["color: white", "size: queen"], "instruction_attributes": ["white item", "faux leather"], "instruction_options": ["white", "queen"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVLEXLQ", "worker_id": "AR9AU5FY1S3RO"}], "B088RL3PW2": [{"asin": "B088RL3PW2", "instruction": "i am looking for 20 inch by 20 inch machine washable throw pillow inserts.", "attributes": ["machine washable", "lumbar support"], "options": ["size: 20\" x 20\""], "instruction_attributes": ["machine washable"], "instruction_options": ["20\" x 20\""], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIQM488", "worker_id": "A1EREKSZAA9V7B"}], "B07CMW1YNZ": [{"asin": "B07CMW1YNZ", "instruction": "i need firecracker eau de parfum for women's which is paraben free.", "attributes": ["paraben free", "cruelty free"], "options": ["size: eau de parfum", "style: firecracker"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTSNP9W", "worker_id": "ASWFLI3N8X72G"}], "B07RPNJXQQ": [{"asin": "B07RPNJXQQ", "instruction": "i want blue wide leg fudule women shorts.", "attributes": ["wide leg", "low rise", "slim fit", "hand wash", "high waist", "elastic waist", "button closure"], "options": ["color: x-6 blue", "size: 3x-large"], "instruction_attributes": ["wide leg"], "instruction_options": ["x-6 blue"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THVH5ZC", "worker_id": "A2RBF3IIJP15IH"}], "B07NC2QDQM": [{"asin": "B07NC2QDQM", "instruction": "i want gluten free aurelia's spanish chorizo.", "attributes": ["fully cooked", "keto friendly", "dairy free", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SUADUD", "worker_id": "A2RBF3IIJP15IH"}], "B0130O3CWA": [{"asin": "B0130O3CWA", "instruction": "i want to find a makeup palette that is highly pigmented.", "attributes": ["cruelty free", "animal testing", "highly pigmented"], "options": [""], "instruction_attributes": ["highly pigmented"], "instruction_options": [], "assignment_id": "3HPZF4IVNX3FW186JO133U513I4CY5", "worker_id": "A345TDMHP3DQ3G"}], "B007TXXBJI": [{"asin": "B007TXXBJI", "instruction": "i am looking for combo pack b, low calorie, sugar and fat free cakes weighing 2.6 ounces in pack of 12", "attributes": ["low carb", "low calorie", "fat free", "sugar free"], "options": ["flavor: combo pack b", "size: 2.6 ounce (pack of 12)"], "instruction_attributes": ["low calorie", "fat free", "sugar free"], "instruction_options": ["combo pack b", "2.6 ounce (pack of 12)"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GC6ZUK", "worker_id": "ASWFLI3N8X72G"}], "B089GY4SGR": [{"asin": "B089GY4SGR", "instruction": "i am looking for steel framed storage bench box. please choose red one.", "attributes": ["assembly required", "steel frame"], "options": ["color: red"], "instruction_attributes": ["steel frame"], "instruction_options": ["red"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTORV48", "worker_id": "A3FG5PQHG5AH3Y"}], "B07XDXNMR8": [{"asin": "B07XDXNMR8", "instruction": "i want to find a noise-cancelling headset that is bluetooth enabled and features a clip and cable.", "attributes": ["noise cancelling", "high speed", "easy install"], "options": ["size: clip+cable heaphone"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["clip+cable heaphone"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CPBT2Q", "worker_id": "A345TDMHP3DQ3G"}], "B07PXBRYZR": [{"asin": "B07PXBRYZR", "instruction": "i want to find 3-inch silver hairpins that i can use to style my hair with.", "attributes": ["high quality", "hair styling"], "options": ["color: silver", "size: 3 inch"], "instruction_attributes": ["hair styling"], "instruction_options": ["silver", "3 inch"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPFR6VY", "worker_id": "A345TDMHP3DQ3G"}], "B09QKPTN7Q": [{"asin": "B09QKPTN7Q", "instruction": "i am looking for 2 nos high back armrest 3d mesh lumbar support office chair with red color", "attributes": ["easy assemble", "lumbar support", "pu leather"], "options": ["color: red", "item package quantity: 2"], "instruction_attributes": ["lumbar support"], "instruction_options": ["red", "2"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQC8QS9", "worker_id": "A258PTOZ3D2TQR"}], "B09FSFQ6QT": [{"asin": "B09FSFQ6QT", "instruction": "i need a hair elastic for my hair extensions.", "attributes": ["hair extensions", "natural hair"], "options": [""], "instruction_attributes": ["hair extensions"], "instruction_options": [], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMOEBQL", "worker_id": "A2ECRNQ3X5LEXD"}], "B082NBXXJP": [{"asin": "B082NBXXJP", "instruction": "i want a solid wood bench with storage space to go in my living room. it should be grey in color.", "attributes": ["solid wood", "living room"], "options": ["color: grey"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["grey"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVFMZS5", "worker_id": "A1NF6PELRKACS9"}], "B07YY4DYV2": [{"asin": "B07YY4DYV2", "instruction": "i need some drapes for the living room that are 40\" by 63\" by 2.", "attributes": ["eco friendly", "living room", "dining room"], "options": ["size: 40'' x 63'' x 2 panels"], "instruction_attributes": ["living room"], "instruction_options": ["40'' x 63'' x 2 panels"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDWMAIW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PBXXNCY": [{"asin": "B07PBXXNCY", "instruction": "i am looking for 300 count eco friendly face towels.", "attributes": ["eco friendly", "cruelty free", "dead skin", "sensitive skin"], "options": ["pattern name: 300 count (save 20%)"], "instruction_attributes": ["eco friendly"], "instruction_options": ["300 count (save 20%)"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMP1EXA", "worker_id": "A3FG5PQHG5AH3Y"}], "B001KW0CYG": [{"asin": "B001KW0CYG", "instruction": "i am looking for a maple and brushed nickel 2 door armoire.", "attributes": ["assembly required", "brushed nickel"], "options": ["color: maple"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["maple"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL6LCEC", "worker_id": "A1EREKSZAA9V7B"}], "B07ZWGVCNM": [{"asin": "B07ZWGVCNM", "instruction": "i am looking for hp elitedesk 800 g2 business desktop mini tower with core i5 ,16gb ram, 512gb harddrive and windows 10 pro along with high performance and certified refurbished", "attributes": ["certified refurbished", "fast charging", "high performance", "core i5", "intel core", "usb port"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance"], "instruction_options": [], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSH162T", "worker_id": "AX2EWYWZM19AZ"}], "B08586N7Z1": [{"asin": "B08586N7Z1", "instruction": "i am looking for yellow anti slip chair cushions", "attributes": ["button tufted", "non slip"], "options": ["color: yellow", "style: 4 pack"], "instruction_attributes": ["non slip"], "instruction_options": ["yellow"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLRHDA0", "worker_id": "A1EREKSZAA9V7B"}], "B0882N9V2H": [{"asin": "B0882N9V2H", "instruction": "get me some party mix with chocolate covered cashews in a resealable bag.", "attributes": ["chocolate covered", "resealable bag"], "options": ["flavor name: cashews"], "instruction_attributes": ["chocolate covered", "resealable bag"], "instruction_options": ["cashews"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017074PD", "worker_id": "AR9AU5FY1S3RO"}], "B09LYBQWXJ": [{"asin": "B09LYBQWXJ", "instruction": "i want to buy some multicolored machine washable pajamas in size large.", "attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "dry clean"], "options": ["color: multi 1", "size: large"], "instruction_attributes": ["machine wash"], "instruction_options": ["multi 1", "large"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJLHZ87", "worker_id": "AR9AU5FY1S3RO"}], "B09D9KYZ5D": [{"asin": "B09D9KYZ5D", "instruction": "i want some easy to use rose gold hair extensions.", "attributes": ["easy use", "rose gold"], "options": [""], "instruction_attributes": ["easy use", "rose gold"], "instruction_options": [], "assignment_id": "3634BBTX0Z409DDB6851PCWGACUFI9", "worker_id": "AR9AU5FY1S3RO"}], "B09KH2XNJM": [{"asin": "B09KH2XNJM", "instruction": "i want a pair of machine washable memory foam slippers. get the size 12-13 women in berry.", "attributes": ["hand wash", "machine wash", "memory foam", "quality materials", "closed toe"], "options": ["color: berry square argyle plaid bright", "size: 12-13 wide women | 10-11 wide men"], "instruction_attributes": ["machine wash", "memory foam"], "instruction_options": ["berry square argyle plaid bright", "12-13 wide women | 10-11 wide men"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG6OSLP", "worker_id": "AR9AU5FY1S3RO"}], "B08CN7FPM7": [{"asin": "B08CN7FPM7", "instruction": "my sister use avocado color eyebrow", "attributes": ["easy clean", "eye shadow"], "options": ["color: avocado-1"], "instruction_attributes": ["eye shadow"], "instruction_options": ["avocado-1"], "assignment_id": "3TR2532VI040LV46NXNX77Y3USEJ6K", "worker_id": "A226L9F2AZ38CL"}], "B09B3FXKMD": [{"asin": "B09B3FXKMD", "instruction": "i want a misty blue anker magnetic wireless charger.", "attributes": ["non slip", "wireless charging"], "options": ["color: misty blue"], "instruction_attributes": ["wireless charging"], "instruction_options": ["misty blue"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK1D3JZ", "worker_id": "A2RBF3IIJP15IH"}], "B096KTWFQW": [{"asin": "B096KTWFQW", "instruction": "i'm looking for an easy to install cell phone safety lanyard patch which has a color specification of transparent x 6.", "attributes": ["easy install", "wireless charging"], "options": ["color: transparent x 6"], "instruction_attributes": ["easy install"], "instruction_options": ["transparent x 6"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JYGGET", "worker_id": "A20DUVEOH6A7KW"}], "B09LGYLN2X": [{"asin": "B09LGYLN2X", "instruction": "i need hair extensions of 18 inch in #1 jet black color made of natural hair.", "attributes": ["hair extensions", "natural hair"], "options": ["color: #1 jet black", "size: 18 inch"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["#1 jet black", "18 inch"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUAQR95", "worker_id": "ASWFLI3N8X72G"}], "B08NJT56G6": [{"asin": "B08NJT56G6", "instruction": "i am looking woman's non slip made from vinyl acetate indoor bathroom slipper color black size 13", "attributes": ["fleece lined", "anti slip", "non slip", "ethylene vinyl", "vinyl acetate", "comfortable fit"], "options": ["color: black", "size: 13 women | 11 men"], "instruction_attributes": ["non slip", "vinyl acetate", "comfortable fit"], "instruction_options": ["black", "13 women | 11 men"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS15UVK", "worker_id": "A3N9ZYQAESNFQH"}], "B09FHLKBZ5": [{"asin": "B09FHLKBZ5", "instruction": "i need a ready to hang wall art with white mustangs on a brown background. it should be easy to clean as well.", "attributes": ["ready hang", "easy clean"], "options": ["color: white mustangs on brown background", "size: 20x30"], "instruction_attributes": ["ready hang", "easy clean"], "instruction_options": ["white mustangs on brown background"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFRET0T", "worker_id": "A1NF6PELRKACS9"}], "B09GFGTPVG": [{"asin": "B09GFGTPVG", "instruction": "i am looking for a blue colored 4g lte signal booster for home.", "attributes": ["high speed", "4g lte"], "options": ["color: blue"], "instruction_attributes": ["4g lte"], "instruction_options": ["blue"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPX9PJ1", "worker_id": "AJDQGOTMB2D80"}], "B078N6MJ4J": [{"asin": "B078N6MJ4J", "instruction": "i'm looking for a full xl size mattress and box spring set with 8\" foundation.", "attributes": ["ready use", "queen size", "fully assembled", "twin size", "assembly required", "box spring", "king size"], "options": ["size: full xl size", "style: 8\" foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["full xl size", "8\" foundation"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWZ25T3", "worker_id": "A20DUVEOH6A7KW"}], "B081J5858X": [{"asin": "B081J5858X", "instruction": "he was wearing a burgundy polyester cotton with black color and size 31 . it's quality is good.", "attributes": ["machine wash", "cotton spandex", "polyester cotton", "button closure"], "options": ["color: black", "size: 31"], "instruction_attributes": ["cotton spandex", "polyester cotton"], "instruction_options": ["black", "31"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXVPO4U", "worker_id": "ASL9LVC97FUCZ"}], "B09QRZRHZD": [{"asin": "B09QRZRHZD", "instruction": "i am looking for iphone 11 mobile case. please choose green one.", "attributes": ["easy install", "wireless charging"], "options": ["color: green", "size: iphone 11"], "instruction_attributes": ["wireless charging"], "instruction_options": ["green"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOXP7O7", "worker_id": "A3FG5PQHG5AH3Y"}], "B082CMQ79J": [{"asin": "B082CMQ79J", "instruction": "i am looking for bunny cake toppers for a baby shower.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YWEQ3M", "worker_id": "A1EREKSZAA9V7B"}], "B09KQ2Y1X1": [{"asin": "B09KQ2Y1X1", "instruction": "i am looking for a twin xl over queen sized heavy duty steel bunk bed frame.", "attributes": ["heavy duty", "metal legs"], "options": ["size: twin xl over queen"], "instruction_attributes": ["heavy duty"], "instruction_options": ["twin xl over queen"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LKC091", "worker_id": "AJDQGOTMB2D80"}], "B00158OJ9O": [{"asin": "B00158OJ9O", "instruction": "i am looking for hd dvd player.", "attributes": ["high definition", "aaa batteries"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOW993I", "worker_id": "A3FG5PQHG5AH3Y"}], "B09KRN61GH": [{"asin": "B09KRN61GH", "instruction": "guyou faux fur accent chairs set of 2 chairs, white item is my choice for my new home .", "attributes": ["white item", "living room", "dining room"], "options": ["color: grey", "size: 2 chairs"], "instruction_attributes": ["white item"], "instruction_options": ["2 chairs"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW364TW", "worker_id": "A15IJ20C3R4HUO"}], "B09DPFQ2MD": [{"asin": "B09DPFQ2MD", "instruction": "i am looking for canvas paintings with ready hang for living room, blue&white color is preferred", "attributes": ["hand painted", "ready hang", "living room"], "options": ["color: blue&white"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["blue&white"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQVGNW", "worker_id": "A258PTOZ3D2TQR"}], "B09RGBM4R7": [{"asin": "B09RGBM4R7", "instruction": "i need a navy blue shock absorption carbon fiber case", "attributes": ["carbon fiber", "wireless charging"], "options": ["color: navy blue"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["navy blue"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBBROS0", "worker_id": "A258PTOZ3D2TQR"}], "B09KN2NMLY": [{"asin": "B09KN2NMLY", "instruction": "i am looking for extra large high waist women's leggings with tummy control.", "attributes": ["tummy control", "high waist", "polyester spandex"], "options": ["color: ablack", "size: x-large"], "instruction_attributes": ["tummy control", "high waist"], "instruction_options": ["x-large"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FF8LEA", "worker_id": "A1EREKSZAA9V7B"}], "B0979YW9ZJ": [{"asin": "B0979YW9ZJ", "instruction": "i want a aipsun clear glass globe pendant light fixture.", "attributes": ["mid century", "easy install", "pendant light", "light fixture", "clear glass", "glass shade", "dining room", "living room"], "options": ["size: round"], "instruction_attributes": ["clear glass"], "instruction_options": [], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I9RBCU", "worker_id": "A2RBF3IIJP15IH"}], "B07TGHZH66": [{"asin": "B07TGHZH66", "instruction": "i need to buy a full sized, machine washable comforter. get color six.", "attributes": ["machine washable", "king size", "printing technology"], "options": ["color: 6", "size: full | queen"], "instruction_attributes": ["machine washable"], "instruction_options": ["6", "full | queen"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGNJYIO", "worker_id": "AR9AU5FY1S3RO"}], "B081MXB6L9": [{"asin": "B081MXB6L9", "instruction": "i want to find a red d04 gaming chair that offers lumbar support.", "attributes": ["height adjustable", "heavy duty", "steel frame", "lumbar support", "pu leather", "memory foam"], "options": ["color: red", "style: d04"], "instruction_attributes": ["lumbar support"], "instruction_options": ["red", "d04"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUI93RT", "worker_id": "A345TDMHP3DQ3G"}], "B088TFG3LN": [{"asin": "B088TFG3LN", "instruction": "i am looking for a high speed digital camera with optical zoom.", "attributes": ["high speed", "optical zoom"], "options": [""], "instruction_attributes": ["high speed", "optical zoom"], "instruction_options": [], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3G5VBB", "worker_id": "A2HMEGTAFO0CS8"}], "B098SSXM1M": [{"asin": "B098SSXM1M", "instruction": "i would like some elastic waistband pants that are black in a size 38w by 34l", "attributes": ["long lasting", "polyester cotton", "cotton spandex", "elastic waistband"], "options": ["color: duratex black", "size: 38w x 34l"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["duratex black", "38w x 34l"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG6ILSC", "worker_id": "A2ECRNQ3X5LEXD"}], "B08YP3KNRT": [{"asin": "B08YP3KNRT", "instruction": "i want to buy a four pack of non-gmo orange mango sparkling waters.", "attributes": ["keto friendly", "non gmo", "gluten free", "artificial colors"], "options": ["flavor name: energy - orange mango", "size: 12 fl oz (pack of 4)"], "instruction_attributes": ["non gmo"], "instruction_options": ["energy - orange mango", "12 fl oz (pack of 4)"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1VF2HO", "worker_id": "AR9AU5FY1S3RO"}], "B07VS875WL": [{"asin": "B07VS875WL", "instruction": "i'm looking for farmhouse window curtain set of grey color for living room , w 52 x l 90 | pair", "attributes": ["machine washable", "high density", "living room"], "options": ["color: grey", "size: w 52 x l 90 | pair"], "instruction_attributes": ["living room"], "instruction_options": ["grey", "w 52 x l 90 | pair"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WPBQWV", "worker_id": "A258PTOZ3D2TQR"}], "B00M674K0G": [{"asin": "B00M674K0G", "instruction": "i need a 10 pound back of parboiled brown rice that is easy to prepare.", "attributes": ["easy prepare", "artificial ingredients"], "options": [""], "instruction_attributes": ["easy prepare"], "instruction_options": [], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG0P54B", "worker_id": "A1NF6PELRKACS9"}], "B09D2N6MHB": [{"asin": "B09D2N6MHB", "instruction": "i need to buy some blackout curtains for my living room that are eighty-four inches by eighty-four inches. get the ones with trees on them.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: trees_74", "size: w84 x l84"], "instruction_attributes": ["living room"], "instruction_options": ["trees_74", "w84 x l84"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMO7MWX", "worker_id": "AR9AU5FY1S3RO"}], "B004UBFLR2": [{"asin": "B004UBFLR2", "instruction": "find me some tea tree and lavender conditioner for dry, sensitive skin.", "attributes": ["tea tree", "dry skin", "sensitive skin"], "options": ["scent: lavender"], "instruction_attributes": ["tea tree", "dry skin", "sensitive skin"], "instruction_options": ["lavender"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWQQPFW", "worker_id": "AR9AU5FY1S3RO"}], "B07YM3C3JT": [{"asin": "B07YM3C3JT", "instruction": "i am looking for buff which is a sulfate-free, vegan scent-free conditioner bar for sensitive skin! free from fragrance & coconut oil to soothe & smooth your scalp! ethique solid conditioner bar for sensitive skin which is 100% soap free & safe for color-treated or damaged hair. palm-oil free & aluminum free. kookabara scent in 2.12 ounce preferable.", "attributes": ["sulfate free", "eco friendly", "oil free", "fragrance free", "cruelty free", "coconut oil", "sensitive skin", "damaged hair"], "options": ["scent: kookabara", "size: 2.12 ounce (pack of 2)"], "instruction_attributes": ["sulfate free", "eco friendly", "oil free", "fragrance free", "cruelty free", "coconut oil", "sensitive skin", "damaged hair"], "instruction_options": ["kookabara", "2.12 ounce (pack of 2)"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EDTWSN", "worker_id": "A1DRKZ3SCLAS4V"}], "B00ZQEN1U6": [{"asin": "B00ZQEN1U6", "instruction": "get me a pair of grey nylon spandex stretch pants.", "attributes": ["nylon spandex", "button closure"], "options": ["color: grey", "size: 30w x 30l"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["grey"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X85RFH", "worker_id": "AR9AU5FY1S3RO"}], "B0167BTDBC": [{"asin": "B0167BTDBC", "instruction": "i want a mojito twist flavored cocktail mixer. make sure that it is non alcoholic and low calorie.", "attributes": ["plant based", "non alcoholic", "low calorie", "fat free", "sugar free", "gluten free", "zero sugar"], "options": ["flavor: mojito twist"], "instruction_attributes": ["non alcoholic", "low calorie"], "instruction_options": ["mojito twist"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8IDR4A", "worker_id": "A1NF6PELRKACS9"}], "B09RHZT7FK": [{"asin": "B09RHZT7FK", "instruction": "i am looking for high quality replacement shaver heads for a philips razor.", "attributes": ["easy use", "easy clean", "high quality", "quality materials"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCO2I7Z", "worker_id": "A1EREKSZAA9V7B"}], "B07XFPQQGW": [{"asin": "B07XFPQQGW", "instruction": "i need a light weight case cover for a macbook air. get the creative marble pattern.", "attributes": ["light weight", "case cover"], "options": ["color: creative marble 1"], "instruction_attributes": ["light weight", "case cover"], "instruction_options": ["creative marble 1"], "assignment_id": "3634BBTX0Z409DDB6851PCWGACYFID", "worker_id": "AR9AU5FY1S3RO"}], "B0094V8VMK": [{"asin": "B0094V8VMK", "instruction": "i need to find a pair of coral suede ballet flats in size eight and a half. find the ones with the rubber soles.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: coral suede", "size: 8.5 women | 8.5 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["coral suede", "8.5 women | 8.5 men"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P9EUB3", "worker_id": "AR9AU5FY1S3RO"}], "B089NC1WS1": [{"asin": "B089NC1WS1", "instruction": "i need to get a synthetic hair extension in color 4.", "attributes": ["synthetic hair", "natural hair"], "options": ["color: 4#"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["4#"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IVTHKH", "worker_id": "AR9AU5FY1S3RO"}], "B09NSKWVMS": [{"asin": "B09NSKWVMS", "instruction": "i used green color coconut oil", "attributes": ["long lasting", "coconut oil"], "options": ["color: g"], "instruction_attributes": ["coconut oil"], "instruction_options": ["g"], "assignment_id": "326O153BMT8RVOXTJJKKGXV3665EDM", "worker_id": "A226L9F2AZ38CL"}], "B07Q89CKGR": [{"asin": "B07Q89CKGR", "instruction": "i need a long lasting tv stand in white color.", "attributes": ["long lasting", "white item", "engineered wood"], "options": [""], "instruction_attributes": ["long lasting", "white item"], "instruction_options": [], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTPJKTP", "worker_id": "A1NF6PELRKACS9"}], "B09P77DZZQ": [{"asin": "B09P77DZZQ", "instruction": "i need bath sponges that are non toxic for dead skin in the color 1.", "attributes": ["non toxic", "easy clean", "dead skin"], "options": ["color: 1"], "instruction_attributes": ["non toxic", "dead skin"], "instruction_options": ["1"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HD0I6I", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GM514NH": [{"asin": "B09GM514NH", "instruction": "i need some blue wide legged pants in a large.", "attributes": ["long lasting", "wide leg", "drawstring closure", "relaxed fit", "gym workout"], "options": ["color: blue", "size: large"], "instruction_attributes": ["wide leg"], "instruction_options": ["blue", "large"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWOMW6R", "worker_id": "A2ECRNQ3X5LEXD"}], "B08PVD3LNP": [{"asin": "B08PVD3LNP", "instruction": "i need a tempered glass screen protector for my iphone.", "attributes": ["aluminum alloy", "tempered glass"], "options": [""], "instruction_attributes": ["tempered glass"], "instruction_options": [], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKJN1T7", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B29YL3R": [{"asin": "B09B29YL3R", "instruction": "i need a pair of white sneakers with rubber sole. it should be in women size 11.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: galaxy | multi | white", "size: 11 women | 9.5 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["galaxy | multi | white", "11 women | 9.5 men"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK7FNVS", "worker_id": "A1NF6PELRKACS9"}], "B09KBSGMBB": [{"asin": "B09KBSGMBB", "instruction": "i need some cupcake toppers for a birthday party. get the ones with silver glitter.", "attributes": ["birthday party", "birthday cake"], "options": ["color: glitter silver"], "instruction_attributes": ["birthday party"], "instruction_options": ["glitter silver"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49GQDT9", "worker_id": "AR9AU5FY1S3RO"}], "B00FTBREYK": [{"asin": "B00FTBREYK", "instruction": "i want non gmo gimme, seaweed snack teriyaki.", "attributes": ["usda organic", "non gmo", "gluten free", "artificial flavors"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTP8E5F", "worker_id": "A2RBF3IIJP15IH"}], "B09QPYH2S5": [{"asin": "B09QPYH2S5", "instruction": "i need some blue linens that are high in quality.", "attributes": ["high quality", "beauty salon"], "options": ["color: blue", "size: 70*190cm round head"], "instruction_attributes": ["high quality"], "instruction_options": ["blue"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL1BNS9", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P1NR5Z7": [{"asin": "B09P1NR5Z7", "instruction": "i need a toothbrush for kids that is easy to use and is the color c.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: c"], "instruction_attributes": ["easy use"], "instruction_options": ["c"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E45HX3", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MW196JX": [{"asin": "B09MW196JX", "instruction": "i want a brown mens shawl collar long-sleeved cardigans sweater.", "attributes": ["hand wash", "machine wash", "long sleeve"], "options": ["color: brown", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["brown"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WQK42V", "worker_id": "A2RBF3IIJP15IH"}], "B01C0UPTUS": [{"asin": "B01C0UPTUS", "instruction": "i want to find butter infused olive oil in a 200 milliliter bottle. it shouldn't have any artificial flavors.", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor name: butter infused", "size: 200ml bottle"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["butter infused", "200ml bottle"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTOQ4VG", "worker_id": "A345TDMHP3DQ3G"}], "B089QMJTLB": [{"asin": "B089QMJTLB", "instruction": "i am looking for a replacement remote control for samsung tvs that includes batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTSTP92", "worker_id": "A1EREKSZAA9V7B"}], "B09BTW5WRN": [{"asin": "B09BTW5WRN", "instruction": "i need some wide leg pajama pants. it should be a large sized relaxed fit pant.", "attributes": ["wide leg", "drawstring waist", "relaxed fit"], "options": ["color: colorful fireworks", "size: large"], "instruction_attributes": ["wide leg", "relaxed fit"], "instruction_options": ["large"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKAJENG", "worker_id": "A1NF6PELRKACS9"}], "B09MJG8ZJN": [{"asin": "B09MJG8ZJN", "instruction": "i want to buy a faux fur sherpa jacket in medium.", "attributes": ["faux fur", "long sleeve"], "options": ["color: salesale-a093-gray", "size: medium"], "instruction_attributes": ["faux fur"], "instruction_options": ["medium"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602SU952", "worker_id": "AR9AU5FY1S3RO"}], "B01MYQEGN0": [{"asin": "B01MYQEGN0", "instruction": "find me some low-fat jerky in a resealable bag. i'd like the teriyaki flavor.", "attributes": ["low fat", "gluten free", "resealable bag"], "options": ["flavor name: gap beef 2.2oz 8ct - teriyaki"], "instruction_attributes": ["low fat", "resealable bag"], "instruction_options": ["gap beef 2.2oz 8ct - teriyaki"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO392CE", "worker_id": "AR9AU5FY1S3RO"}], "B07F1BVNJ7": [{"asin": "B07F1BVNJ7", "instruction": "i am looking for men's slim-fit machine wash and button closure with moisture wicking medium grey heather polo shirt and size is x-small", "attributes": ["slim fit", "moisture wicking", "machine wash", "button closure"], "options": ["color: medium grey heather", "material type: polyester", "size: x-small"], "instruction_attributes": ["moisture wicking", "machine wash", "button closure"], "instruction_options": ["medium grey heather", "x-small"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBBVOS4", "worker_id": "AX2EWYWZM19AZ"}], "B08X227GNQ": [{"asin": "B08X227GNQ", "instruction": "i need green women high waist yoga pants.", "attributes": ["tummy control", "high waist", "quality polyester", "drawstring closure", "daily wear"], "options": ["color: green", "size: medium"], "instruction_attributes": ["high waist"], "instruction_options": ["green"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2DKIOX", "worker_id": "A2RBF3IIJP15IH"}], "B08GG22BF6": [{"asin": "B08GG22BF6", "instruction": "i want to buy wireless nunchuck controllers for the wii.", "attributes": ["batteries included", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT6K37Z", "worker_id": "AR9AU5FY1S3RO"}], "B087C94L8C": [{"asin": "B087C94L8C", "instruction": "i want to buy a twenty four pack of stupid hot low carb pork rinds.", "attributes": ["low carb", "sugar free"], "options": ["flavor name: stupid hot", "size: 24 pack"], "instruction_attributes": ["low carb"], "instruction_options": ["stupid hot", "24 pack"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTD8D5M", "worker_id": "AR9AU5FY1S3RO"}], "B09R1WHYBK": [{"asin": "B09R1WHYBK", "instruction": "find ps3 controller playstation 3 controller wireless bluetooth remote controller for playstation 3 system (siliver+orange) at amazon please.", "attributes": ["high performance", "wireless bluetooth"], "options": ["color: siliver+orange"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["siliver+orange"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD86S09", "worker_id": "A15IJ20C3R4HUO"}], "B08BQK4P1D": [{"asin": "B08BQK4P1D", "instruction": "i want tea biscuits made with quality ingredients. make sure that it is individually wrapped and doesn't come in a jar.", "attributes": ["individually wrapped", "quality ingredients"], "options": ["flavor name: turtle", "style: without jar (individually wrapped)"], "instruction_attributes": ["individually wrapped", "quality ingredients"], "instruction_options": ["without jar (individually wrapped)"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZIC8OE", "worker_id": "A1NF6PELRKACS9"}], "B008YDVYMI": [{"asin": "B008YDVYMI", "instruction": "i want to buy a 36 count box of java love k cup pods. they should be usda organic.", "attributes": ["usda organic", "plant based"], "options": ["flavor name: java love", "size: 36 count (pack of 1)"], "instruction_attributes": ["usda organic"], "instruction_options": ["java love", "36 count (pack of 1)"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4IK98T", "worker_id": "AR9AU5FY1S3RO"}], "B07DKTN85G": [{"asin": "B07DKTN85G", "instruction": "i am looking for medium brown end tables with outlets and usb ports for my living room.", "attributes": ["assembly required", "engineered wood", "living room"], "options": ["color: medium brown"], "instruction_attributes": ["living room"], "instruction_options": ["medium brown"], "assignment_id": "37TRT2X24116R7L1JO45INKV8TMBJU", "worker_id": "A1EREKSZAA9V7B"}], "B08Z7PFF24": [{"asin": "B08Z7PFF24", "instruction": "i have 4x-large size short sleeve", "attributes": ["short sleeve", "everyday wear", "daily wear"], "options": ["color: purple magical butterfly", "size: 4x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["4x-large"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8N66QY", "worker_id": "A226L9F2AZ38CL"}], "B09PH5TQVH": [{"asin": "B09PH5TQVH", "instruction": "i'd like to find a loose short-sleeved summer tunic top for my teenage daughter. she's a size xxl and likes the color green.", "attributes": ["short sleeve", "teen girls"], "options": ["color: p04- green", "size: xx-large"], "instruction_attributes": ["short sleeve", "teen girls"], "instruction_options": ["p04- green", "xx-large"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NMG2PK", "worker_id": "A3LIIE572Z4OG7"}], "B09LRTVYR7": [{"asin": "B09LRTVYR7", "instruction": "i am looking for makeup brushes tool set with eye shadow blush", "attributes": ["synthetic hair", "eye shadow"], "options": ["color: purple"], "instruction_attributes": ["eye shadow"], "instruction_options": ["purple"], "assignment_id": "3HPZF4IVNX3FW186JO133U513IAYCX", "worker_id": "A258PTOZ3D2TQR"}], "B09Q2MDFKY": [{"asin": "B09Q2MDFKY", "instruction": "i am looking for a large short sleeve men's graphic t-shirt.", "attributes": ["slim fit", "long sleeve", "contrast color", "short sleeve", "regular fit", "daily wear"], "options": ["color: a-red", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY5O0UU", "worker_id": "A1EREKSZAA9V7B"}], "B099NB8PK5": [{"asin": "B099NB8PK5", "instruction": "i want to find earbuds that are very lightweight.", "attributes": ["light weight", "plug play"], "options": [""], "instruction_attributes": ["light weight"], "instruction_options": [], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH4G1V0", "worker_id": "A345TDMHP3DQ3G"}], "B09QLJ586M": [{"asin": "B09QLJ586M", "instruction": "i would like some chocolates that are individually wrapped that say congratulations.", "attributes": ["nut free", "individually wrapped", "artificial colors", "gift basket"], "options": ["style: congratulations"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["congratulations"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXBQG7L", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LL184WP": [{"asin": "B09LL184WP", "instruction": "i want to find a hair repair mask treatment that can treat damaged hair.", "attributes": ["damaged hair", "hair loss"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN65QG51", "worker_id": "A345TDMHP3DQ3G"}], "B09NRM8YB8": [{"asin": "B09NRM8YB8", "instruction": "i am looking for tufted storage bench ottoman of qtqhome padded footrest stool which is collapsible design of this storage trunk makes it easy to set up a cozy, padded seating within seconds! it can also be folded flat when not in use for compact storage. best for living room in brown color 100x40x42cm(39x16x17inch) preferable.", "attributes": ["non slip", "faux leather", "storage space", "living room"], "options": ["color: brown", "size: 100x40x42cm(39x16x17inch)"], "instruction_attributes": ["non slip", "faux leather", "storage space", "living room"], "instruction_options": ["brown", "100x40x42cm(39x16x17inch)"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO3DC2S", "worker_id": "A1DRKZ3SCLAS4V"}], "B00CTG7QYG": [{"asin": "B00CTG7QYG", "instruction": "i want to find an ac adapter that is high definition.", "attributes": ["output protection", "high definition"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4ATRQQ", "worker_id": "A345TDMHP3DQ3G"}], "B08SHZZT49": [{"asin": "B08SHZZT49", "instruction": "i want to find an extra-large pair of high waisted x1-21 blue jeans for women.", "attributes": ["wide leg", "straight leg", "hand wash", "high waist", "short sleeve", "long sleeve", "teen girls"], "options": ["color: x1-21 blue", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["x1-21 blue", "x-large"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCS75QT", "worker_id": "A345TDMHP3DQ3G"}], "B07SJW6LKN": [{"asin": "B07SJW6LKN", "instruction": "i am looking for ready to eat plain jackfruit.", "attributes": ["ready eat", "plant based", "non gmo", "gluten free"], "options": ["flavor: plain"], "instruction_attributes": ["ready eat"], "instruction_options": ["plain"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRLMMF4", "worker_id": "A1EREKSZAA9V7B"}], "B01LTI98E0": [{"asin": "B01LTI98E0", "instruction": "i am looking for an anti perspirant.", "attributes": ["anti perspirant", "clinically proven"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y6BVI6", "worker_id": "A2ECRNQ3X5LEXD"}], "B00SYOXIBM": [{"asin": "B00SYOXIBM", "instruction": "i'm looking for a high speed cable hdmi male to male 2 pack of 30 feet", "attributes": ["high speed", "gold plated"], "options": ["color: 2 pack", "size: 30-feet (2-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["2 pack", "30-feet (2-pack)", "hdmi male to male"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUC8R9R", "worker_id": "A2Y2TURT2VEYZN"}], "B00SZXFIEW": [{"asin": "B00SZXFIEW", "instruction": "get me a hdmi male to male cable that is high speed and gold plated.", "attributes": ["high speed", "gold plated"], "options": ["color: 1 pack", "size: 12 feet (5-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["hdmi male to male"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X5YGPU", "worker_id": "A1NF6PELRKACS9"}], "B07V4J5G67": [{"asin": "B07V4J5G67", "instruction": "i would like a living room ottoman that is white faux fur.", "attributes": ["mid century", "contemporary design", "metal legs", "living room"], "options": ["color: white faux fur | gold base"], "instruction_attributes": ["living room"], "instruction_options": ["white faux fur | gold base"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3YX75JU", "worker_id": "A2ECRNQ3X5LEXD"}], "B01N66JEE3": [{"asin": "B01N66JEE3", "instruction": "i want a pair of super soft fleece lined socks in snowflake or light pink color.", "attributes": ["fleece lined", "nylon spandex"], "options": ["color: snowflake | light pink ab"], "instruction_attributes": ["fleece lined"], "instruction_options": ["snowflake | light pink ab"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EDVWSP", "worker_id": "A1NF6PELRKACS9"}], "B09Q2R5FJJ": [{"asin": "B09Q2R5FJJ", "instruction": "i'm looking for high power and high resolution monocular telescope", "attributes": ["high power", "dust proof", "high resolution"], "options": [""], "instruction_attributes": ["high power", "high resolution"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZLCY10", "worker_id": "A258PTOZ3D2TQR"}], "B08QJGB99C": [{"asin": "B08QJGB99C", "instruction": "i need a wall-mounted mirror that is easy to install.", "attributes": ["double sided", "easy install", "living room", "dining room"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT22JYF", "worker_id": "A2ECRNQ3X5LEXD"}], "B074348Q5V": [{"asin": "B074348Q5V", "instruction": "get me a hand washable camo jumpsuit in size extra extra large.", "attributes": ["wash cold", "hand wash", "polyester cotton"], "options": ["color: 2 camo", "size: xx-large"], "instruction_attributes": ["hand wash"], "instruction_options": ["2 camo", "xx-large"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMJEXV7", "worker_id": "AR9AU5FY1S3RO"}], "B09CLLJ8QL": [{"asin": "B09CLLJ8QL", "instruction": "running a candle flame up and down a twisted piece of dry hair and color is beige.", "attributes": ["eco friendly", "non slip", "dry hair"], "options": ["color: beige"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1LATI3", "worker_id": "ASL9LVC97FUCZ"}], "B09BW1BRQQ": [{"asin": "B09BW1BRQQ", "instruction": "i need a floor lamp for my living room.", "attributes": ["brushed nickel", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKKIVPU", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LGRSCFT": [{"asin": "B08LGRSCFT", "instruction": "i am looking for super soft and machine washable dujiea lightweight cozy bed blanket with size small (40\"x50\") and also color is christmas kitty cat", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: christmas kitty cat", "size: small (40\"x50\")"], "instruction_attributes": ["super soft", "machine washable"], "instruction_options": ["christmas kitty cat", "small (40\"x50\")"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRTOPW2", "worker_id": "AX2EWYWZM19AZ"}], "B09NXS5F3S": [{"asin": "B09NXS5F3S", "instruction": "i want a grey and easy to install naked eye 3d holographic projector.", "attributes": ["easy install", "aluminum alloy"], "options": ["color: space grey", "size: us"], "instruction_attributes": ["easy install"], "instruction_options": ["space grey"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU49HR6T", "worker_id": "A2RBF3IIJP15IH"}], "B088GN4M6J": [{"asin": "B088GN4M6J", "instruction": "i am looking for a long lasting rechargeable hair clipper.", "attributes": ["long lasting", "hair cutting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL515HN", "worker_id": "AJDQGOTMB2D80"}], "B09HTJX6LY": [{"asin": "B09HTJX6LY", "instruction": "i am looking for high resolution digital camera. choose pink color.", "attributes": ["high resolution", "high performance"], "options": ["color: pink", "style: w | lens cap"], "instruction_attributes": ["high resolution"], "instruction_options": ["pink"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLSH03Z", "worker_id": "A3FG5PQHG5AH3Y"}], "B07LBBBWLM": [{"asin": "B07LBBBWLM", "instruction": "i am looking for 3 pcs wall art for living room. size should be 12x16 inches.", "attributes": ["ready hang", "living room"], "options": ["color: coffee bean coffee cup", "size: 12x16inches*3pcs"], "instruction_attributes": ["living room"], "instruction_options": ["coffee bean coffee cup"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLTGTFA", "worker_id": "A3FG5PQHG5AH3Y"}], "B09BNYG291": [{"asin": "B09BNYG291", "instruction": "i need an easy to apply glitter pot that comes in copper holographic color.", "attributes": ["easy apply", "long lasting"], "options": ["color: copper holographic", "size: super chunky (1 | 8\" 0.125\" 3mm)"], "instruction_attributes": ["easy apply"], "instruction_options": ["copper holographic"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYB8EIJ", "worker_id": "A1NF6PELRKACS9"}], "B08W8PBDGW": [{"asin": "B08W8PBDGW", "instruction": "i want to find a white console table with double layers for my living room.", "attributes": ["easy clean", "metal legs", "living room"], "options": ["color: white double layer console table", "size: white console table"], "instruction_attributes": ["living room"], "instruction_options": ["white double layer console table", "white console table"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KDBPDM", "worker_id": "A345TDMHP3DQ3G"}], "B082251QT1": [{"asin": "B082251QT1", "instruction": "i am looking for 3 foot plug play hdmi cable", "attributes": ["blu ray", "plug play"], "options": ["size: 3 foot", "style: cable + adapter"], "instruction_attributes": ["plug play"], "instruction_options": ["3 foot"], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWE20K9", "worker_id": "A258PTOZ3D2TQR"}], "B07MG7Z32T": [{"asin": "B07MG7Z32T", "instruction": "i want cheese pretzelhaus soft individually wrapped bavarian baked pretzels.", "attributes": ["individually wrapped", "shelf stable"], "options": ["flavor name: cheese", "size: 6 ounce (pack of 1)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["cheese"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5QR6XT", "worker_id": "A2RBF3IIJP15IH"}], "B08HRZG38Q": [{"asin": "B08HRZG38Q", "instruction": "i am looking for machine washable blue colored heated vest for men and women.", "attributes": ["easy care", "machine washable", "hand wash", "machine wash"], "options": ["color: blue", "size: 6x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["blue"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R18P2IC", "worker_id": "AJDQGOTMB2D80"}], "B07Q8SMN7B": [{"asin": "B07Q8SMN7B", "instruction": "i need a suction tool for removing dry, dead skin.", "attributes": ["non toxic", "easy carry", "easy clean", "fine lines", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["dry skin", "dead skin"], "instruction_options": [], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA30C8Q", "worker_id": "AR9AU5FY1S3RO"}], "B07ZK5V3Z4": [{"asin": "B07ZK5V3Z4", "instruction": "i need to buy some machine washable blackout curtains for my living room. buy the 52 inch by 52 inch size.", "attributes": ["machine washable", "living room"], "options": ["color: aurora-002lbg0560", "size: 52\" w by 52\" l"], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["aurora-002lbg0560", "52\" w by 52\" l"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9S287M", "worker_id": "AR9AU5FY1S3RO"}], "B07G31BXTV": [{"asin": "B07G31BXTV", "instruction": "i am looking for brother hl-2170w 23ppm laser printer with wireless , high performance and certified refurbished", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance"], "instruction_options": [], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEI78QX", "worker_id": "AX2EWYWZM19AZ"}], "B09NZDB484": [{"asin": "B09NZDB484", "instruction": "i would like some sugar free salted caramel truffles.", "attributes": ["sugar free", "rich creamy", "keto friendly", "individually wrapped"], "options": ["flavor name: salted caramel"], "instruction_attributes": ["sugar free"], "instruction_options": ["salted caramel"], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSU4T6Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TGMKJ1D": [{"asin": "B07TGMKJ1D", "instruction": "i want a burt's bees body lotion for sensitive skin with aloe & shea butter.", "attributes": ["dermatologist tested", "animal testing", "fragrance free", "sensitive skin"], "options": ["scent: aloe & shea butter", "size: 6.0 ounce"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["aloe & shea butter"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LKO90M", "worker_id": "A2RBF3IIJP15IH"}], "B09SPZM8VL": [{"asin": "B09SPZM8VL", "instruction": "i want a regular fit tee with short sleeves. i am 3x-large in size.", "attributes": ["slim fit", "loose fit", "short sleeve", "long sleeve", "regular fit"], "options": ["size: 3x-large"], "instruction_attributes": ["short sleeve", "regular fit"], "instruction_options": ["3x-large"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYI6LQW", "worker_id": "A1NF6PELRKACS9"}], "B08PBRZHV4": [{"asin": "B08PBRZHV4", "instruction": "i want a hemoton 25 pack christmas cupcake toppers for a baby shower.", "attributes": ["baby shower", "birthday party"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3S9W3GV", "worker_id": "A2RBF3IIJP15IH"}], "B07ZK3M34L": [{"asin": "B07ZK3M34L", "instruction": "i want to find 12 ounces of sweet potatoes that are certified organic.", "attributes": ["grain free", "gluten free", "certified organic"], "options": ["flavor name: sweet potato", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["sweet potato", "12 ounce (pack of 1)"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3Y27QA", "worker_id": "A345TDMHP3DQ3G"}], "B08HFQSJJL": [{"asin": "B08HFQSJJL", "instruction": "i would like a jalapeno ranch sauce that is gluten free.", "attributes": ["dairy free", "gluten free", "high fructose", "artificial flavors"], "options": ["size: 9 ounce (pack of 6)", "style: jalepeno ranch"], "instruction_attributes": ["gluten free"], "instruction_options": ["jalepeno ranch"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0S0U11W", "worker_id": "A2ECRNQ3X5LEXD"}], "B08L7RG5Z9": [{"asin": "B08L7RG5Z9", "instruction": "find this product: tangist corner table stand microwave oven stand 4 shelves storage unit for my kitchen", "attributes": ["space saving", "storage unit", "storage space"], "options": [""], "instruction_attributes": ["space saving", "storage space"], "instruction_options": [], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FHD4UN", "worker_id": "A15IJ20C3R4HUO"}], "B08BJ112QF": [{"asin": "B08BJ112QF", "instruction": "i need a camera case cover that is light green in color. it is for my iphone which is 11-6.1 inches in size.", "attributes": ["case cover", "wireless charging"], "options": ["color: light green", "size: for iphone 11-6.1 in"], "instruction_attributes": ["case cover"], "instruction_options": ["light green", "for iphone 11-6.1 in"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIATBRZ", "worker_id": "A1NF6PELRKACS9"}], "B08F54DW1X": [{"asin": "B08F54DW1X", "instruction": "i am looking for steel frame kamiler rustic 6 drawers dresser with open shelf in rustic brown color", "attributes": ["storage space", "steel frame", "living room"], "options": ["color: rustic brown"], "instruction_attributes": ["steel frame"], "instruction_options": ["rustic brown"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODMLWEN", "worker_id": "AX2EWYWZM19AZ"}], "B08JQMNF69": [{"asin": "B08JQMNF69", "instruction": "i want to find shampoo that is made with argan oil.", "attributes": ["argan oil", "hair dye"], "options": [""], "instruction_attributes": ["argan oil"], "instruction_options": [], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8CLXUY", "worker_id": "A345TDMHP3DQ3G"}], "B08WLXV4Z7": [{"asin": "B08WLXV4Z7", "instruction": "i want to buy some dragon's dream cookies n'cream granola bars. get the pack of fifteen and make sure they're individually wrapped and nut free.", "attributes": ["individually wrapped", "gluten free", "non gmo", "nut free", "quality ingredients"], "options": ["flavor name: dragon's dream cookies n' cream", "size: 0.88 ounce (pack of 15)"], "instruction_attributes": ["individually wrapped", "nut free"], "instruction_options": ["dragon's dream cookies n' cream", "0.88 ounce (pack of 15)"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z4VXGN", "worker_id": "AR9AU5FY1S3RO"}], "B00OZV63OW": [{"asin": "B00OZV63OW", "instruction": "i need to buy some scrub bottoms in petite small. they should be blue and machine washable.", "attributes": ["low rise", "moisture wicking", "machine washable"], "options": ["color: new royal", "size: small petite"], "instruction_attributes": ["machine washable"], "instruction_options": ["new royal", "small petite"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1CAXCK", "worker_id": "AR9AU5FY1S3RO"}], "B07YZQTKDJ": [{"asin": "B07YZQTKDJ", "instruction": "i'm looking for medium-tan mineral sunscreen lotion for kids that is water-resistant.", "attributes": ["oil free", "water resistant", "cruelty free", "fine lines", "sensitive skin"], "options": ["color: medium-tan", "style: mineral lotion for kids"], "instruction_attributes": ["water resistant"], "instruction_options": ["medium-tan", "mineral lotion for kids"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT27JYK", "worker_id": "A345TDMHP3DQ3G"}], "B07SBH6293": [{"asin": "B07SBH6293", "instruction": "i'm looking for a desktop computer that's certified refurbished and has an intel i5 core.", "attributes": ["certified refurbished", "core i5", "intel core"], "options": [""], "instruction_attributes": ["certified refurbished", "core i5", "intel core"], "instruction_options": [], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2GGFKH", "worker_id": "AR9AU5FY1S3RO"}], "B097GVR1ZK": [{"asin": "B097GVR1ZK", "instruction": "i need a children's mouthwash two pack that is made from natural ingredients.", "attributes": ["fluoride free", "natural ingredients"], "options": ["size: 2pack"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["2pack"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40GSNXW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PXXNZ3C": [{"asin": "B07PXXNZ3C", "instruction": "i need women's eau de toilette from design house which has a good fragrance and is long lasting.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["design house", "long lasting"], "instruction_options": [], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6DCEVO", "worker_id": "ASWFLI3N8X72G"}], "B003EWOCDW": [{"asin": "B003EWOCDW", "instruction": "i want to find a speedotron beauty box that is 12 inches by 56 inches in size. it needs to be very heavy duty.", "attributes": ["high power", "heavy duty"], "options": ["size: 12x56in (30x140cm)", "style: speedotron"], "instruction_attributes": ["heavy duty"], "instruction_options": ["12x56in (30x140cm)", "speedotron"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYBOIE3", "worker_id": "A345TDMHP3DQ3G"}], "B07SJYYLWS": [{"asin": "B07SJYYLWS", "instruction": "i need a coconut oil based exfoliating body cream for my dry skin.", "attributes": ["cruelty free", "natural ingredients", "coconut oil", "dry skin"], "options": [""], "instruction_attributes": ["coconut oil", "dry skin"], "instruction_options": [], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LP9YOR2", "worker_id": "A1NF6PELRKACS9"}], "B09MD1ZGCL": [{"asin": "B09MD1ZGCL", "instruction": "i want a navy fleece lined womens winter coat.", "attributes": ["fleece lined", "drawstring waist", "daily wear"], "options": ["color: x01-navy", "size: large"], "instruction_attributes": ["fleece lined"], "instruction_options": ["x01-navy"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM969V4GK", "worker_id": "A2RBF3IIJP15IH"}], "B09NXY57FB": [{"asin": "B09NXY57FB", "instruction": "i want purple fluoride free mmnm teeth cleansing toothpaste.", "attributes": ["fluoride free", "natural ingredients", "sensitive teeth"], "options": ["color: purple", "size: 2pcs"], "instruction_attributes": ["fluoride free"], "instruction_options": ["purple"], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6IAEEJ", "worker_id": "A2RBF3IIJP15IH"}], "B0791Y2LMB": [{"asin": "B0791Y2LMB", "instruction": "i am looking for high protein vanilla flavored nutrition shake, 11 fl oz, 12 count", "attributes": ["high protein", "low fat", "non gmo", "gluten free"], "options": ["flavor name: vanilla"], "instruction_attributes": ["high protein"], "instruction_options": ["vanilla"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLXAYBQ", "worker_id": "A258PTOZ3D2TQR"}], "B09NRCH7RS": [{"asin": "B09NRCH7RS", "instruction": "i want to buy a television stand that's easy to assemble. it needs to be brown and 27.5 inches tall.", "attributes": ["white item", "easy clean", "easy assemble", "engineered wood", "living room"], "options": ["color: brown(large)", "size: 27.5 inches tall"], "instruction_attributes": ["easy assemble"], "instruction_options": ["brown(large)", "27.5 inches tall"], "assignment_id": "31JLPPHS254FPN8LK8H48035JVKO30", "worker_id": "A2YNPKYEFDZ6C9"}], "B08W2CL9WD": [{"asin": "B08W2CL9WD", "instruction": "help me find a short sleeved button down shirt made in a tall men's extra large. also, i prefer a fabric with some stretch to it.", "attributes": ["moisture wicking", "stretch fabric", "button closure", "short sleeve"], "options": ["color: pagoda blue", "fit type: regular", "size: x-large tall"], "instruction_attributes": ["stretch fabric", "short sleeve"], "instruction_options": ["x-large tall"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCW34QE", "worker_id": "A1E235KE3CSO7H"}], "B00CF61DDK": [{"asin": "B00CF61DDK", "instruction": "i am looking for 50 single serving irish creme liquid creamers that are easy to use.", "attributes": ["rich creamy", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FHC3DH", "worker_id": "A1EREKSZAA9V7B"}], "B086HLP2MT": [{"asin": "B086HLP2MT", "instruction": "i want to find extra-small women's yoga pants that i can wear for my gym workouts. they need to be green colored.", "attributes": ["tummy control", "high waist", "drawstring closure", "elastic waistband", "elastic waist", "gym workout"], "options": ["color: z1-green", "size: x-small"], "instruction_attributes": ["gym workout"], "instruction_options": ["z1-green", "x-small"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KNCJL1", "worker_id": "A345TDMHP3DQ3G"}], "B09QT1LJ7D": [{"asin": "B09QT1LJ7D", "instruction": "i want to find some whitening toothpaste that treats bad breath.", "attributes": ["teeth whitening", "bad breath"], "options": [""], "instruction_attributes": ["teeth whitening", "bad breath"], "instruction_options": [], "assignment_id": "3X0H8UUITCYRED22199FX2O3EDPWSJ", "worker_id": "A345TDMHP3DQ3G"}], "B09S3PQJZF": [{"asin": "B09S3PQJZF", "instruction": "shop for a red short sleeve t-shirt in size x-large.", "attributes": ["loose fit", "wash cold", "hand wash", "short sleeve", "long sleeve"], "options": ["color: 1-red", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["1-red", "x-large"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW6ES8S", "worker_id": "AR9AU5FY1S3RO"}], "B09S3Q2DWB": [{"asin": "B09S3Q2DWB", "instruction": "i need a black color, large sized, daily wear men's underwear which can be hand washed.", "attributes": ["hand wash", "daily wear"], "options": ["color: black", "size: large"], "instruction_attributes": ["hand wash", "daily wear"], "instruction_options": ["black", "large"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZH3KM4", "worker_id": "ASWFLI3N8X72G"}], "B09PHD4LGT": [{"asin": "B09PHD4LGT", "instruction": "i need a male cable for an outdoor 4g lte antenna. it should be five meters long.", "attributes": ["easy install", "4g lte"], "options": ["color: 5m cable n male"], "instruction_attributes": ["easy install", "4g lte"], "instruction_options": ["5m cable n male"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3GYVB4", "worker_id": "AR9AU5FY1S3RO"}], "B09N8RTNSX": [{"asin": "B09N8RTNSX", "instruction": "i would like some red butt lifting sweatpants that are in a size small.", "attributes": ["moisture wicking", "butt lifting", "quick drying", "machine wash", "quality polyester", "elastic closure", "polyester cotton", "elastic waist"], "options": ["color: yred7", "size: small"], "instruction_attributes": ["butt lifting"], "instruction_options": ["yred7", "small"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX4PFA5", "worker_id": "A2ECRNQ3X5LEXD"}], "B0863M3S82": [{"asin": "B0863M3S82", "instruction": "i am looking for optical zoom cameras", "attributes": ["optical zoom", "carrying case"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1AZRFHS", "worker_id": "A16M39T60N60NO"}], "B01NBHBR7S": [{"asin": "B01NBHBR7S", "instruction": "i want a solid wood table in dark cognac brown color for my living room.", "attributes": ["fully assembled", "solid wood", "living room"], "options": ["color: dark cognac brown 2", "size: 14 inch"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["dark cognac brown 2"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CCX0VJ", "worker_id": "A1NF6PELRKACS9"}], "B07LGFDCJH": [{"asin": "B07LGFDCJH", "instruction": "i want to find some individually wrapped lozenges that are lemon and ginger flavored.", "attributes": ["nut free", "individually wrapped", "gluten free", "artificial colors"], "options": ["flavor name: lemon & ginger"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["lemon & ginger"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRTIPWW", "worker_id": "A345TDMHP3DQ3G"}], "B095JYXNKY": [{"asin": "B095JYXNKY", "instruction": "i need a hand washable short sleeve t-shirt in blue. get the size large.", "attributes": ["hand wash", "long sleeve", "faux fur", "short sleeve"], "options": ["color: 2-blue", "size: large"], "instruction_attributes": ["hand wash", "short sleeve"], "instruction_options": ["2-blue", "large"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A218NHTQ", "worker_id": "AR9AU5FY1S3RO"}], "B09JRCG3K3": [{"asin": "B09JRCG3K3", "instruction": "i want a 2022 dell g5 gaming desktop pc intel 6-core i5-10400f with windows 11 home.", "attributes": ["core i5", "intel core"], "options": ["size: 32gb | 512gb ssd", "style: windows 11 home"], "instruction_attributes": ["core i5"], "instruction_options": ["windows 11 home"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG0G542", "worker_id": "A2RBF3IIJP15IH"}], "B07HQXTQKS": [{"asin": "B07HQXTQKS", "instruction": "let me get some shelf stable tub of ghee which is grass fed.", "attributes": ["grass fed", "shelf stable", "fat free", "keto friendly", "gluten free"], "options": [""], "instruction_attributes": ["grass fed", "shelf stable"], "instruction_options": [], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUCNZDM", "worker_id": "A1NF6PELRKACS9"}], "B09FJVTX94": [{"asin": "B09FJVTX94", "instruction": "i need an orange leather ottoman for my living room that is 46 cm.", "attributes": ["high density", "pu leather", "living room"], "options": ["color: orange leather", "size: 46cm"], "instruction_attributes": ["living room"], "instruction_options": ["orange leather", "46cm"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB46XQA9", "worker_id": "A2ECRNQ3X5LEXD"}], "B08YJ42QYT": [{"asin": "B08YJ42QYT", "instruction": "i want to buy a twin size bed frame in gray with drawers. it should be solid wood and easily assembled.", "attributes": ["twin size", "assembly required", "easy assemble", "solid wood"], "options": ["color: gray-drawers"], "instruction_attributes": ["twin size", "assembly required", "easy assemble", "solid wood"], "instruction_options": ["gray-drawers"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRMDF9W", "worker_id": "AR9AU5FY1S3RO"}], "B08Y1FRSVT": [{"asin": "B08Y1FRSVT", "instruction": "can you find me a loose fitting jumpsuit with wide legs in size medium. i want it to be green in color.", "attributes": ["loose fit", "wide leg", "soft material"], "options": ["color: f green", "size: medium"], "instruction_attributes": ["loose fit", "wide leg"], "instruction_options": ["f green", "medium"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDHX2OG", "worker_id": "A36LOA6VLJU157"}], "B09PGHW1TQ": [{"asin": "B09PGHW1TQ", "instruction": "i want a pink machine washable womens swimsuits tankini top set.", "attributes": ["machine wash", "drawstring closure", "elastic waistband", "tummy control"], "options": ["color: pink", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["pink"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCS55QR", "worker_id": "A2RBF3IIJP15IH"}], "B08FT2CF2R": [{"asin": "B08FT2CF2R", "instruction": "i am looking for 40 mm smartwatch case. it should be compatible to apple watch.", "attributes": ["compatible apple", "easy install", "case cover"], "options": ["color: clear", "size: 40 mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["40 mm"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0250DAK9", "worker_id": "A3FG5PQHG5AH3Y"}], "B08MT83DJ9": [{"asin": "B08MT83DJ9", "instruction": "i want green zuseris unisex fleece lined clogs.", "attributes": ["fleece lined", "water resistant", "arch support", "rubber sole"], "options": ["color: green", "size: 14 women | 13 men"], "instruction_attributes": ["fleece lined"], "instruction_options": ["green"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPFJ6VQ", "worker_id": "A2RBF3IIJP15IH"}], "B07RN8QGPS": [{"asin": "B07RN8QGPS", "instruction": "i am looking for hands free headphones that are mint and yellow.", "attributes": ["hands free", "stainless steel"], "options": ["color: mint & yellow"], "instruction_attributes": ["hands free"], "instruction_options": ["mint & yellow"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3YS7Q0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QXKCNDR": [{"asin": "B09QXKCNDR", "instruction": "i need high quality linen fabric item.", "attributes": ["high density", "white item", "faux leather", "wood frame", "living room"], "options": ["color: white", "style: linen fabric"], "instruction_attributes": ["high density"], "instruction_options": ["linen fabric"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQB4JAA", "worker_id": "A226L9F2AZ38CL"}], "B01LZSFOFS": [{"asin": "B01LZSFOFS", "instruction": "i am looking for a rectangular sofa table for my living room.", "attributes": ["assembly required", "engineered wood", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJMEOMT", "worker_id": "A1NF6PELRKACS9"}], "B07YST7545": [{"asin": "B07YST7545", "instruction": "i want to find a package of six keto-friendly caramel sea salt bars.", "attributes": ["low carb", "plant based", "gluten free", "low sugar", "low calorie", "keto friendly", "non gmo", "artificial flavors"], "options": ["flavor name: new! caramel sea salt", "size: 6 count (pack of 1)"], "instruction_attributes": ["keto friendly"], "instruction_options": ["new! caramel sea salt", "6 count (pack of 1)"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SVJTQY", "worker_id": "A345TDMHP3DQ3G"}], "B078Z2PCVZ": [{"asin": "B078Z2PCVZ", "instruction": "i'am purchased women's clothing with quality materials and size 4x. also ,choose the magenta one.", "attributes": ["fashion design", "quality materials"], "options": ["color: magenta", "size: 4x"], "instruction_attributes": ["quality materials"], "instruction_options": ["magenta", "4x"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSA4WCQ", "worker_id": "ASL9LVC97FUCZ"}], "B07VBVRL6Q": [{"asin": "B07VBVRL6Q", "instruction": "i want to buy a super soft fleece throw. look for one that's fifty by eighty inches.", "attributes": ["super soft", "fleece throw"], "options": ["color: style 1", "size: 50\"x80\""], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["50\"x80\""], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUKQ4S5", "worker_id": "AR9AU5FY1S3RO"}], "B09NBJCF85": [{"asin": "B09NBJCF85", "instruction": "i want to find a vintage sherpa fleece throw that is 50 inches wide and 60 inches long. it needs to accommodate a queen sized bed.", "attributes": ["double sided", "queen size"], "options": ["color: vintage 5", "size: throw 50\" w x 60\" l"], "instruction_attributes": ["queen size"], "instruction_options": ["vintage 5", "throw 50\" w x 60\" l"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMV3G24", "worker_id": "A345TDMHP3DQ3G"}], "B093KDG2NY": [{"asin": "B093KDG2NY", "instruction": "i want laundry bag organiser for blouse ,hosiery other lingeries easy cary for travel", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4C6SBY", "worker_id": "A3N9ZYQAESNFQH"}], "B08H1Y41XM": [{"asin": "B08H1Y41XM", "instruction": "i want pink hair styling parting combs for braids.", "attributes": ["stainless steel", "long handle", "hair styling", "hair salon", "hair cutting"], "options": ["color: pink"], "instruction_attributes": ["hair styling"], "instruction_options": ["pink"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7XY9TZX", "worker_id": "A2RBF3IIJP15IH"}], "B073TSTFB8": [{"asin": "B073TSTFB8", "instruction": "i am looking for long lasting l'eau de parfum spray for women", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DAMDWD", "worker_id": "AX2EWYWZM19AZ"}], "B07GXBJ73P": [{"asin": "B07GXBJ73P", "instruction": "if you have maybelline new york super stay full coverage (dermatologist tested,oil free) i'm looking for color 128 warm nude.", "attributes": ["dermatologist tested", "oil free", "long lasting"], "options": ["color: 128 warm nude", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["dermatologist tested", "oil free"], "instruction_options": ["128 warm nude"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0R2ACU", "worker_id": "A15IJ20C3R4HUO"}], "B08XYMK48Z": [{"asin": "B08XYMK48Z", "instruction": "i want to find a pink and blue hair brush that can promote hair growth.", "attributes": ["hair removal", "hair growth", "hair loss", "dead skin"], "options": ["color: 0-pink,blue"], "instruction_attributes": ["hair growth"], "instruction_options": ["0-pink,blue"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRLEMFW", "worker_id": "A345TDMHP3DQ3G"}], "B099S29GVM": [{"asin": "B099S29GVM", "instruction": "i need a sky blue women's top with long sleeves.", "attributes": ["loose fit", "long sleeve", "soft material", "teen girls"], "options": ["color: sky blue", "size: medium"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["sky blue"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP87COW", "worker_id": "A1NF6PELRKACS9"}], "B01MAWFHQW": [{"asin": "B01MAWFHQW", "instruction": "i want a 12 pack of gmo free cherry bay orchards tart cherry concentrate.", "attributes": ["gmo free", "gluten free", "easy use", "kosher certified", "natural ingredients", "artificial flavors"], "options": ["color: 8 oz", "size: 16 fl oz (pack of 12)"], "instruction_attributes": ["gmo free"], "instruction_options": ["16 fl oz (pack of 12)"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVAC8VH", "worker_id": "A2RBF3IIJP15IH"}], "B093WKBWHF": [{"asin": "B093WKBWHF", "instruction": "i want to find scented shampoo that can stop hair loss and promote hair growth.", "attributes": ["hair loss", "hair growth"], "options": [""], "instruction_attributes": ["hair loss", "hair growth"], "instruction_options": [], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCNVMBN", "worker_id": "A345TDMHP3DQ3G"}], "B09P8C5V26": [{"asin": "B09P8C5V26", "instruction": "i want to shop for a plug and play car radio receiver.", "attributes": ["plug play", "wall mounted"], "options": [""], "instruction_attributes": ["plug play"], "instruction_options": [], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LUVDCV", "worker_id": "AR9AU5FY1S3RO"}], "B07T3HHL17": [{"asin": "B07T3HHL17", "instruction": "i am looking for carbon fiber tripod. model should be veo2pro263ao.", "attributes": ["quick release", "carbon fiber"], "options": ["style: veo2pro263ao"], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OMVMM8", "worker_id": "A3FG5PQHG5AH3Y"}], "B07TXL5GWT": [{"asin": "B07TXL5GWT", "instruction": "i want oatmeal columbia men's bahama with rubber soles.", "attributes": ["long lasting", "day comfort", "rubber sole", "lace closure"], "options": ["color: oatmeal | whale", "size: 16 wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["oatmeal | whale"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE217GQ8", "worker_id": "A2RBF3IIJP15IH"}], "B015KMIN6K": [{"asin": "B015KMIN6K", "instruction": "i need some purple, machine washable drapes with a fifty-two inch width.", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: royal purple", "size: 52\"w x 54\"l"], "instruction_attributes": ["machine washable"], "instruction_options": ["royal purple", "52\"w x 54\"l"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1078HLIL", "worker_id": "AR9AU5FY1S3RO"}], "B078PHRMWT": [{"asin": "B078PHRMWT", "instruction": "i'm looking for 8\" foundation flex box spring for mattress", "attributes": ["ready use", "fully assembled", "queen size", "assembly required", "box spring"], "options": ["size: queen", "style name: 8\" foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["queen", "8\" foundation"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4AVQRR", "worker_id": "A258PTOZ3D2TQR"}], "B08C7GB6YW": [{"asin": "B08C7GB6YW", "instruction": "i am finding a eco friendly and leak proof plastic refillable bottle container with protective case - style 1 color", "attributes": ["leak proof", "eco friendly", "non toxic"], "options": ["color: style 1"], "instruction_attributes": ["leak proof", "eco friendly"], "instruction_options": ["style 1"], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWE40KB", "worker_id": "A258PTOZ3D2TQR"}], "B08515GJ6B": [{"asin": "B08515GJ6B", "instruction": "i would like a pink cosmetic bag that is easy to clean.", "attributes": ["bpa free", "easy clean"], "options": ["color: pink"], "instruction_attributes": ["easy clean"], "instruction_options": ["pink"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68EJ4A9", "worker_id": "A2ECRNQ3X5LEXD"}], "B099KG8HS8": [{"asin": "B099KG8HS8", "instruction": "i need green loose fit zincoty women's lace stain solid lounge set.", "attributes": ["loose fit", "elastic waistband", "long sleeve", "polyester cotton", "elastic waist", "relaxed fit", "everyday wear"], "options": ["color: green", "size: 3x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["green"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22JE8WR", "worker_id": "A2RBF3IIJP15IH"}], "B0764L8XHW": [{"asin": "B0764L8XHW", "instruction": "i want to find orange-scented kids' soap that is free of parabens.", "attributes": ["fragrance free", "paraben free", "cruelty free"], "options": ["scent name: orange"], "instruction_attributes": ["paraben free"], "instruction_options": ["orange"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUTUQJS", "worker_id": "A345TDMHP3DQ3G"}], "B074HDYYXJ": [{"asin": "B074HDYYXJ", "instruction": "i need a size 9 blue dove blue slides sandal which has rubber sole and are slip resistant.", "attributes": ["slip resistant", "rubber outsole", "rubber sole"], "options": ["color: blue dove blue", "size: 9"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["blue dove blue", "9"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBEPHGR", "worker_id": "ASWFLI3N8X72G"}], "B09CMK2FN9": [{"asin": "B09CMK2FN9", "instruction": "i am looking for rock and roll cupcake topper musical themed guitar cake topper which is easy to use in all kind of occasion. music guitar color preferable.", "attributes": ["easy use", "party supplies"], "options": ["color: music guitar"], "instruction_attributes": ["easy use", "party supplies"], "instruction_options": ["music guitar"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQKN315", "worker_id": "A1DRKZ3SCLAS4V"}], "B09NBZD6QM": [{"asin": "B09NBZD6QM", "instruction": "i want black qinxiao simple computer desk with metal legs.", "attributes": ["space saving", "easy assemble", "metal legs"], "options": ["color: black"], "instruction_attributes": ["metal legs"], "instruction_options": ["black"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HOQOWI", "worker_id": "A2RBF3IIJP15IH"}], "B01JOXW3YE": [{"asin": "B01JOXW3YE", "instruction": "i want to find a wi-fi router that can handle 10+ devices over 1000 feet with high speed.", "attributes": ["dual band", "high speed"], "options": ["size: wifi 5", "style: 1000 ft, 10+ devices, 1.2 gbps"], "instruction_attributes": ["high speed"], "instruction_options": ["wifi 5", "1000 ft, 10+ devices, 1.2 gbps"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SBAWRZ", "worker_id": "A345TDMHP3DQ3G"}], "B09B32HLMF": [{"asin": "B09B32HLMF", "instruction": "i looking for contemporary style throw pillow covers for living room color yellow -a-1pc", "attributes": ["exquisite workmanship", "contemporary style", "living room"], "options": ["color: yellow-a-1pc"], "instruction_attributes": ["contemporary style", "living room"], "instruction_options": ["yellow-a-1pc"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJMW0WS", "worker_id": "A3N9ZYQAESNFQH"}], "B000NK3NBA": [{"asin": "B000NK3NBA", "instruction": "i need a high resolution digital camera with 4x optical zoom.", "attributes": ["high resolution", "optical zoom"], "options": [""], "instruction_attributes": ["high resolution", "optical zoom"], "instruction_options": [], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06LMXK0", "worker_id": "A1NF6PELRKACS9"}], "B09BVT195T": [{"asin": "B09BVT195T", "instruction": "i want to find a 120 inch projector screen that can be mounted to the wall.", "attributes": ["high definition", "wall mounted", "dust proof"], "options": ["color: 120 inches 4:3"], "instruction_attributes": ["wall mounted"], "instruction_options": ["120 inches 4:3"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS7NWAS", "worker_id": "A345TDMHP3DQ3G"}], "B07Q3HK7YS": [{"asin": "B07Q3HK7YS", "instruction": "i am looking for men slim fit dress shirt and please choose ballard blue color.", "attributes": ["slim fit", "machine wash", "stretch fabric", "button closure"], "options": ["color: ballard blue", "size: 16.5\" neck 36\"-37\" sleeve"], "instruction_attributes": ["slim fit"], "instruction_options": ["ballard blue"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL6AEC3", "worker_id": "A3FG5PQHG5AH3Y"}], "B07S523DJC": [{"asin": "B07S523DJC", "instruction": "i am looking for a cruelty free shampoo for a hair salon. also choose 250ml pack and copper style.", "attributes": ["cruelty free", "hair salon"], "options": ["size: 250 ml (pack of 1)", "style: copper"], "instruction_attributes": ["cruelty free", "hair salon"], "instruction_options": ["250 ml (pack of 1)", "copper"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVGGP14", "worker_id": "A2HMEGTAFO0CS8"}], "B07L7B575V": [{"asin": "B07L7B575V", "instruction": "i am looking for women ankle strap sandal. choose black color.", "attributes": ["ethylene vinyl", "vinyl acetate", "ankle strap"], "options": ["color: black", "size: 5.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["black"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I9PCBT", "worker_id": "A3FG5PQHG5AH3Y"}], "B09C1XJNNP": [{"asin": "B09C1XJNNP", "instruction": "i need a solid wood bookcase.", "attributes": ["solid wood", "living room"], "options": [""], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LE80LD", "worker_id": "A2ECRNQ3X5LEXD"}], "B08762SVZ4": [{"asin": "B08762SVZ4", "instruction": "i would like hair extensions that are 14 inches.", "attributes": ["hair extensions", "natural hair"], "options": ["color: #10p613", "size: 14 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["14 inch"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57E59IH", "worker_id": "A2ECRNQ3X5LEXD"}], "B081VB212R": [{"asin": "B081VB212R", "instruction": "i need a coaxial cable with an audio adapter.", "attributes": ["blu ray", "plug play", "coaxial cable"], "options": [""], "instruction_attributes": ["coaxial cable"], "instruction_options": [], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLXZYBF", "worker_id": "A1NF6PELRKACS9"}], "B09NMBBZZV": [{"asin": "B09NMBBZZV", "instruction": "i need fast charging charger with white color", "attributes": ["fast charging", "high performance"], "options": ["color: white"], "instruction_attributes": ["fast charging"], "instruction_options": ["white"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL6TECM", "worker_id": "A226L9F2AZ38CL"}], "B001459IEE": [{"asin": "B001459IEE", "instruction": "i am interested in a fragrance free lotion that is 18 fl oz.", "attributes": ["fragrance free", "clinically proven", "dry skin"], "options": ["size: 18 fl oz (pack of 1)"], "instruction_attributes": ["fragrance free"], "instruction_options": ["18 fl oz (pack of 1)"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57E39IF", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q21W8KW": [{"asin": "B09Q21W8KW", "instruction": "i need to buy a machine washable purple t-shirt that says \"hello, my name is jennifer.\" please show me the women's size xx large.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: purple", "fit type: women", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["purple", "women", "xx-large"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HOHOW9", "worker_id": "AR9AU5FY1S3RO"}], "B08XPKVTBW": [{"asin": "B08XPKVTBW", "instruction": "i want to find a black usb mouse that is easy to use.", "attributes": ["plug play", "easy use"], "options": ["color: black"], "instruction_attributes": ["easy use"], "instruction_options": ["black"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVFYZSH", "worker_id": "A345TDMHP3DQ3G"}], "B08NDV7DKW": [{"asin": "B08NDV7DKW", "instruction": "i am looking for a men's white star wars t-shirt.", "attributes": ["officially licensed", "needle sleeve", "classic fit", "star wars"], "options": ["color: white", "fit type: men", "size: 2t"], "instruction_attributes": ["star wars"], "instruction_options": ["white", "men"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQE1JCO", "worker_id": "A1EREKSZAA9V7B"}], "B09QKTK4S5": [{"asin": "B09QKTK4S5", "instruction": "i'm looking for a ready to use fully assembled mattresses with box spring. also, choose queen sized one.", "attributes": ["ready use", "fully assembled", "high density", "box spring"], "options": ["size: queen"], "instruction_attributes": ["ready use", "fully assembled", "box spring"], "instruction_options": ["queen"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO5XR2W", "worker_id": "AR0VJ5XRG16UJ"}], "B08M62Q3JC": [{"asin": "B08M62Q3JC", "instruction": "i'm looking for binocular for bird watching.", "attributes": ["high power", "easy use", "non slip", "light weight", "bird watching"], "options": [""], "instruction_attributes": ["easy use", "bird watching"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKKN7DH", "worker_id": "A16IQOX0DK14OJ"}], "B08HS3H5CZ": [{"asin": "B08HS3H5CZ", "instruction": "i am looking for a space saving champagne ottoman that is 40 by 40 by 40.", "attributes": ["space saving", "living room"], "options": ["color: champagne", "size: 40x40x40cm"], "instruction_attributes": ["space saving"], "instruction_options": ["champagne", "40x40x40cm"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTS4L7O", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RJPJW3W": [{"asin": "B07RJPJW3W", "instruction": "i want green modern velvet dining chairs for the dining room.", "attributes": ["assembly required", "metal legs", "living room", "dining room"], "options": ["color: green", "size: 6pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["green"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNK3TNI", "worker_id": "A2RBF3IIJP15IH"}], "B09HWGB5LJ": [{"asin": "B09HWGB5LJ", "instruction": "i am looking for hair masks for damaged hair in spray style", "attributes": ["hair treatment", "damaged hair"], "options": ["style: leave in spray"], "instruction_attributes": ["damaged hair"], "instruction_options": ["leave in spray"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6479N3H8", "worker_id": "A16M39T60N60NO"}], "B07FF5G19C": [{"asin": "B07FF5G19C", "instruction": "i want black prop\u00e9t women's aviator sneakers with rubber soles.", "attributes": ["long lasting", "rubber sole"], "options": ["color: black", "size: 8.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMJMXVF", "worker_id": "A2RBF3IIJP15IH"}], "B086JS4HJF": [{"asin": "B086JS4HJF", "instruction": "i need some cupcake picks for toppers.", "attributes": ["cupcake picks", "party supplies"], "options": [""], "instruction_attributes": ["cupcake picks"], "instruction_options": [], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA6VS2Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B0036FPX9E": [{"asin": "B0036FPX9E", "instruction": "i want to find a professional tripod that is heavy duty.", "attributes": ["quick release", "heavy duty"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZJZ7C3", "worker_id": "A345TDMHP3DQ3G"}], "B07JLLDHGR": [{"asin": "B07JLLDHGR", "instruction": "i am looking for high quality 20 inch hair extensions.", "attributes": ["high quality", "hair extensions"], "options": ["color: #6 | 613", "size: 20 inch, 100 gram(pack of 1)"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["20 inch, 100 gram(pack of 1)"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBQCEJA", "worker_id": "A1EREKSZAA9V7B"}], "B07V2PTF2R": [{"asin": "B07V2PTF2R", "instruction": "i want a black classic fit disney the lion king characters shirt.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: black", "fit type: women", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["black"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZC1LKR", "worker_id": "A2RBF3IIJP15IH"}], "B000HG84EQ": [{"asin": "B000HG84EQ", "instruction": "i want non gmo stretch island original grape fruit leather.", "attributes": ["non gmo", "gluten free", "real fruit", "artificial flavors"], "options": ["flavor name: grape", "pattern name: fruit leather + variety pack potato crisps"], "instruction_attributes": ["non gmo"], "instruction_options": ["grape"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMCRDX5", "worker_id": "A2RBF3IIJP15IH"}], "B0861FCMVG": [{"asin": "B0861FCMVG", "instruction": "i want a large sized women's scrub pants. pick a ciel colored one.", "attributes": ["drawstring closure", "polyester spandex"], "options": ["color: ciel", "size: large"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["ciel", "large"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS22G9N", "worker_id": "A1NF6PELRKACS9"}], "B09RPK2C8F": [{"asin": "B09RPK2C8F", "instruction": "searching for an x-large short sleeve, loose fitting women's summer casual cute printed tee top band or blouse i can wear at holidays in the clothing shoes & jewerly department", "attributes": ["quick drying", "machine washable", "loose fit", "short sleeve", "long sleeve", "laundry bag", "teen girls", "daily wear"], "options": ["color: fcbf-a017-mint green", "size: x-large"], "instruction_attributes": ["loose fit", "short sleeve"], "instruction_options": ["x-large"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUCLDZY", "worker_id": "A3RGIKEI8JS2QG"}], "B09CPTHDG2": [{"asin": "B09CPTHDG2", "instruction": "i want to find a remote for my samsung security camera that runs on aaa batteries.", "attributes": ["easy use", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZIS9KQ", "worker_id": "A345TDMHP3DQ3G"}], "B07ZHRC8SJ": [{"asin": "B07ZHRC8SJ", "instruction": "i would like some sausage and bacon that is fully cooked.", "attributes": ["fully cooked", "ready eat"], "options": [""], "instruction_attributes": ["fully cooked"], "instruction_options": [], "assignment_id": "3G2UL9A02OO71034MOY04HTU3XL677", "worker_id": "A2ECRNQ3X5LEXD"}], "B07S45Q1SP": [{"asin": "B07S45Q1SP", "instruction": "i am looking for a full sized box spring.", "attributes": ["twin size", "easy assemble", "box spring", "storage space"], "options": ["size: full", "style: antique brown"], "instruction_attributes": ["box spring"], "instruction_options": ["full"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYCI282", "worker_id": "A2ECRNQ3X5LEXD"}], "B09F5QCW21": [{"asin": "B09F5QCW21", "instruction": "in hand creams & lotion aisle of the beauty & personal care department, i want a white long lasting, fragrance free hand lotion for dry, rough or sensitive skin that soothes and comforts. comes in a 3 ounce 4 pack", "attributes": ["long lasting", "fragrance free", "paraben free", "cruelty free", "dry skin", "sensitive skin"], "options": [""], "instruction_attributes": ["long lasting", "fragrance free", "dry skin", "sensitive skin"], "instruction_options": [], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KTSJ91", "worker_id": "A3RGIKEI8JS2QG"}], "B010EC1TCG": [{"asin": "B010EC1TCG", "instruction": "i mostly like designed house with grey color", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["design house"], "instruction_options": [], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SVOTQ3", "worker_id": "A226L9F2AZ38CL"}], "B074RVN91Q": [{"asin": "B074RVN91Q", "instruction": "i am looking for an eco friendly wood bedside shelf for a bed.", "attributes": ["eco friendly", "box spring"], "options": [""], "instruction_attributes": ["eco friendly"], "instruction_options": [], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPNXFWL", "worker_id": "A1EREKSZAA9V7B"}], "B0963D2H5J": [{"asin": "B0963D2H5J", "instruction": "i am looking for gold colored geometric cushion covers.", "attributes": ["super soft", "living room"], "options": ["color: gold foil-15"], "instruction_attributes": ["living room"], "instruction_options": ["gold foil-15"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60OAAAL", "worker_id": "A1EREKSZAA9V7B"}], "B0054KM7IY": [{"asin": "B0054KM7IY", "instruction": "find this brand duckfeet blavand unisex, model leather clog, important: size 38 m eu and leather sole .", "attributes": ["water resistant", "leather sole"], "options": ["color: granate", "size: 38 m eu"], "instruction_attributes": ["leather sole"], "instruction_options": ["38 m eu"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK45RA62", "worker_id": "A15IJ20C3R4HUO"}], "B09BKNLL1G": [{"asin": "B09BKNLL1G", "instruction": "i want to find a loofah back scrubber with a long handle.", "attributes": ["long lasting", "long handle"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADHOWVT", "worker_id": "A345TDMHP3DQ3G"}], "B08J1SJ5R5": [{"asin": "B08J1SJ5R5", "instruction": "i am looking for a under -sink storage fine wood finish", "attributes": ["wood finish", "storage unit"], "options": [""], "instruction_attributes": ["wood finish", "storage unit"], "instruction_options": [], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS14UVJ", "worker_id": "A3N9ZYQAESNFQH"}], "B08794V8MM": [{"asin": "B08794V8MM", "instruction": "i am looking for merrycolor farmhouse decorative throw pillow super durable throw pillow cases are easy to care, wipe or hand wash recommended due to the faux leather fabric, coffee color, 18 x 18 inch preferable.", "attributes": ["faux leather", "living room"], "options": ["color: coffee", "size: 18 x 18-inch"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["coffee", "18 x 18-inch"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIQO48A", "worker_id": "A1DRKZ3SCLAS4V"}], "B09CGWLL3Z": [{"asin": "B09CGWLL3Z", "instruction": "i need a fast charging headset", "attributes": ["fast charging", "high speed"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKYADNE", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CKNBQXH": [{"asin": "B09CKNBQXH", "instruction": "i need pu or faux leather space saving storage organizer in dark grey shagreen color.", "attributes": ["space saving", "pu leather", "faux leather"], "options": ["color: dark grey shagreen"], "instruction_attributes": ["space saving", "pu leather", "faux leather"], "instruction_options": ["dark grey shagreen"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5QTF54", "worker_id": "ASWFLI3N8X72G"}], "B08TT6C13M": [{"asin": "B08TT6C13M", "instruction": "i want a small knqr men's long sleeve quick dry shirt.", "attributes": ["easy care", "machine washable", "machine wash", "stretch fabric", "polyester spandex", "long sleeve", "daily wear"], "options": ["color: neon lime", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQBDJAJ", "worker_id": "A2RBF3IIJP15IH"}], "B09PFP98PG": [{"asin": "B09PFP98PG", "instruction": "i am looking for a xx-large size short sleeve e5-gray colored women blouse.", "attributes": ["loose fit", "short sleeve", "teen girls"], "options": ["color: e5 - gray", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["e5 - gray", "xx-large"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWXNC1Z", "worker_id": "AJDQGOTMB2D80"}], "B0872DL8CX": [{"asin": "B0872DL8CX", "instruction": "i am interested in 6 inch hair cutting shears.", "attributes": ["hair salon", "dry hair", "hair cutting"], "options": ["size: 6 inch cutting"], "instruction_attributes": ["hair cutting"], "instruction_options": ["6 inch cutting"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP61GDVZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B087M3J9H8": [{"asin": "B087M3J9H8", "instruction": "i need a size x-large skirt in coffee brown. it should have a high elastic waist and a slim fit.", "attributes": ["slim fit", "elastic waist", "high waist"], "options": ["color: coffee brown", "size: x-large"], "instruction_attributes": ["slim fit", "elastic waist", "high waist"], "instruction_options": ["coffee brown", "x-large"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDWFAIP", "worker_id": "AR9AU5FY1S3RO"}], "B07W56G36H": [{"asin": "B07W56G36H", "instruction": "i am looking for nathan james theo industrial bookshelf which is cube storage organizer also contrasting solid wood that pairs smoothly with its glossy white frame and solid veneer back panel. themodern scandinavian style storage cabinet which perfectly forliving room, entryway or in the kid's bedroom.in white brass gold color with size 6 preferable.", "attributes": ["space saving", "white item", "steel frame", "living room"], "options": ["color: white | brass gold", "pattern name: bookcase", "size: 6-shelf"], "instruction_attributes": ["space saving", "white item", "steel frame", "living room"], "instruction_options": ["white | brass gold", "bookcase", "6-shelf"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQFCEK9", "worker_id": "A1DRKZ3SCLAS4V"}], "B01CU5Y0PS": [{"asin": "B01CU5Y0PS", "instruction": "i'd like to buy some cotton candy for a baby shower.", "attributes": ["baby shower", "birthday party"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGBAMSH", "worker_id": "AR9AU5FY1S3RO"}], "B07MNM28ZN": [{"asin": "B07MNM28ZN", "instruction": "i am looking for a fluoride free toothpaste for kids. also choose high quality and 1.5 ounce in size.", "attributes": ["fluoride free", "high quality"], "options": ["size: 1.5 ounce (pack of 1)"], "instruction_attributes": ["fluoride free", "high quality"], "instruction_options": ["1.5 ounce (pack of 1)"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7WLP5M", "worker_id": "A2HMEGTAFO0CS8"}], "B081DYTR9J": [{"asin": "B081DYTR9J", "instruction": "i want to find a 68-inch carbon fiber tripod camera.", "attributes": ["quick release", "carbon fiber"], "options": ["size: sa255c1 | 25mm tube | 68\""], "instruction_attributes": ["carbon fiber"], "instruction_options": ["sa255c1 | 25mm tube | 68\""], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMV7G28", "worker_id": "A345TDMHP3DQ3G"}], "B07F25KJFQ": [{"asin": "B07F25KJFQ", "instruction": "i want to find a purple dress shirt that is 15 inches in circumference for the neck and 33 inches in circumference for the sleeve. the shirt should be regular fitting.", "attributes": ["regular fit", "tumble dry"], "options": ["color: purple", "size: 15\" neck 32\"-33\" sleeve"], "instruction_attributes": ["regular fit"], "instruction_options": ["purple", "15\" neck 32\"-33\" sleeve"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYOPQ94", "worker_id": "A345TDMHP3DQ3G"}], "B0719QLYF2": [{"asin": "B0719QLYF2", "instruction": "i want to find a pack of 24 single-ounce jalapeno free range turkey sticks. they need to be keto friendly.", "attributes": ["low carb", "high protein", "keto friendly", "sugar free", "grass fed", "freeze dried", "gluten free", "low calorie", "ready eat", "individually wrapped", "dairy free", "non gmo", "zero sugar", "gift basket"], "options": ["flavor name: jalapeno free range turkey", "size: 1 ounce (pack of 24)"], "instruction_attributes": ["keto friendly"], "instruction_options": ["jalapeno free range turkey", "1 ounce (pack of 24)"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMHWZIP", "worker_id": "A345TDMHP3DQ3G"}], "B0824YGBQ9": [{"asin": "B0824YGBQ9", "instruction": "i want a pink light weight kids digital camera.", "attributes": ["1080p hd", "light weight", "easy use"], "options": ["color: pink"], "instruction_attributes": ["light weight"], "instruction_options": ["pink"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZE9RP1", "worker_id": "A2RBF3IIJP15IH"}], "B073HPF4CF": [{"asin": "B073HPF4CF", "instruction": "i need size 2' 2\" x 22' runner area rugs for living or dining room in ivory | grey color.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: ivory | grey", "item shape: runner", "size: 2' 2\" x 22'"], "instruction_attributes": ["living room", "dining room"], "instruction_options": ["ivory | grey", "runner", "2' 2\" x 22'"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV3C8DM", "worker_id": "ASWFLI3N8X72G"}], "B0716MLBXK": [{"asin": "B0716MLBXK", "instruction": "i want to buy some black synthetic hair extensions.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: black"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["black"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCI1BL6", "worker_id": "AR9AU5FY1S3RO"}], "B07KZK5F6C": [{"asin": "B07KZK5F6C", "instruction": "i'm looking for 20-inch long curtains for my living room that are charcoal colored.", "attributes": ["machine washable", "exquisite workmanship", "living room"], "options": ["color: charcoal", "size: 20 l"], "instruction_attributes": ["living room"], "instruction_options": ["charcoal", "20 l"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WQO24X", "worker_id": "A345TDMHP3DQ3G"}], "B09KMCRRSG": [{"asin": "B09KMCRRSG", "instruction": "i want to find an l-shaped desk that can help save me space.", "attributes": ["heavy duty", "space saving", "coated steel"], "options": [""], "instruction_attributes": ["space saving"], "instruction_options": [], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYT8HVB", "worker_id": "A345TDMHP3DQ3G"}], "B076D9DS75": [{"asin": "B076D9DS75", "instruction": "i am looking for a gluten free socorro sweet tea that has low calories.", "attributes": ["low calorie", "non gmo", "gluten free"], "options": ["flavor name: socorro sweet tea", "size: 18 fl oz (pack of 6)"], "instruction_attributes": ["low calorie", "gluten free"], "instruction_options": ["socorro sweet tea"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNV58HV", "worker_id": "A1EREKSZAA9V7B"}], "B09BLZ3CTJ": [{"asin": "B09BLZ3CTJ", "instruction": "i want to find a two-pack of white usb chargers that can be mounted to a wall.", "attributes": ["fast charging", "wall mounted", "usb port"], "options": ["color: white+white", "size: 2 pack"], "instruction_attributes": ["wall mounted", "usb port"], "instruction_options": ["white+white", "2 pack"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIVO9T1", "worker_id": "A345TDMHP3DQ3G"}], "B08P4B5HQV": [{"asin": "B08P4B5HQV", "instruction": "i need 2pcs mixed package of grey color reusable easy clean cotton swab", "attributes": ["non toxic", "easy clean", "high quality"], "options": ["color: grey", "size: 2pcs mixed package"], "instruction_attributes": ["easy clean"], "instruction_options": ["grey", "2pcs mixed package"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4XY0H5", "worker_id": "A258PTOZ3D2TQR"}], "B08QC54P6P": [{"asin": "B08QC54P6P", "instruction": "i want to buy a pair of compression pants in size xx large. they should be nude with an elastic waistband.", "attributes": ["hand wash", "wash cold", "nylon spandex", "elastic waistband"], "options": ["color: nude b", "size: xx-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["nude b", "xx-large"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8ACA5I", "worker_id": "AR9AU5FY1S3RO"}], "B081V88NYR": [{"asin": "B081V88NYR", "instruction": "i want a bluetooth mp3 decoded module audio receiver board power amplifier easy install", "attributes": ["power amplifier", "easy install"], "options": [""], "instruction_attributes": ["power amplifier", "easy install"], "instruction_options": [], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA5JR8T", "worker_id": "A3N9ZYQAESNFQH"}], "B093RZ7MC6": [{"asin": "B093RZ7MC6", "instruction": "i am looking for a resin diy for nail art with non toxic also easy to clean.", "attributes": ["non toxic", "easy clean", "nail art"], "options": [""], "instruction_attributes": ["non toxic", "easy clean", "nail art"], "instruction_options": [], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBTFNU", "worker_id": "A2HMEGTAFO0CS8"}], "B08G14B779": [{"asin": "B08G14B779", "instruction": "i want a pink niuta 2 pack hair towel wrap for dry hair.", "attributes": ["high quality", "dry hair"], "options": ["color: pink", "size: 26 inch x 10 inch"], "instruction_attributes": ["dry hair"], "instruction_options": ["pink"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AP6BW0", "worker_id": "A2RBF3IIJP15IH"}], "B09H5B7PKR": [{"asin": "B09H5B7PKR", "instruction": "i am looking for a super soft feece throw with christmas deer, snowflakes and funny gifts.", "attributes": ["super soft", "fleece throw", "printing technology"], "options": ["color: christmas deer and snowflakes funny gifts fleece throw", "size: (s 50\"x40\" inch for kid)"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["christmas deer and snowflakes funny gifts fleece throw"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH152FWH5", "worker_id": "A1NF6PELRKACS9"}], "B093HJBHVX": [{"asin": "B093HJBHVX", "instruction": "i am looking for a 2 pack of pendant ceiling lights for my dining room.", "attributes": ["bronze finish", "dining room"], "options": ["color: oil rubbed bronze 1 light 2 pack", "size: 2 pack"], "instruction_attributes": ["dining room"], "instruction_options": ["2 pack"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0S05117", "worker_id": "A1EREKSZAA9V7B"}], "B09R7XC49B": [{"asin": "B09R7XC49B", "instruction": "i need a tea tree shampoo and conditioner set which is sulfate free and promotes hair growth.", "attributes": ["sulfate free", "cruelty free", "tea tree", "green tea", "argan oil", "damaged hair", "natural hair", "hair growth"], "options": [""], "instruction_attributes": ["sulfate free", "tea tree", "hair growth"], "instruction_options": [], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4S7K7S", "worker_id": "A1NF6PELRKACS9"}], "B08LBHBP2V": [{"asin": "B08LBHBP2V", "instruction": "i am looking for super soft and fleece throw blanket in multi 10 color", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 10", "size: baby"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["multi 10"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JA6FSB", "worker_id": "AX2EWYWZM19AZ"}], "B0989VJ5BQ": [{"asin": "B0989VJ5BQ", "instruction": "i am looking for sneakers for teen girls walking shoes with ankle strap , size 8.5 and also z4-blue color", "attributes": ["open toe", "ankle strap", "teen girls"], "options": ["color: z4-blue", "size: 8.5"], "instruction_attributes": ["ankle strap", "teen girls"], "instruction_options": ["z4-blue", "8.5"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOIKYDV", "worker_id": "AX2EWYWZM19AZ"}], "B007JV7F4W": [{"asin": "B007JV7F4W", "instruction": "we are looking easy install stereo sound subwoofers 800 watt speaker speaker size :12\"", "attributes": ["easy install", "stereo sound"], "options": ["speakers maximum output power: 800 watts", "vehicle speaker size: 12-inch", "voice coil: 1-inch single voice coil 4-ohm"], "instruction_attributes": ["easy install", "stereo sound"], "instruction_options": ["800 watts", "12-inch"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UFI3AK", "worker_id": "A3N9ZYQAESNFQH"}], "B007QEY8RE": [{"asin": "B007QEY8RE", "instruction": "i'd like to find frozen, handmade appetizers made with pear and brie.", "attributes": ["ready use", "hand crafted"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7WBP5C", "worker_id": "A345TDMHP3DQ3G"}], "B0876Y38DS": [{"asin": "B0876Y38DS", "instruction": "i am looking for men's white athletic shorts with a drawstring closure.", "attributes": ["drawstring closure", "polyester spandex"], "options": ["color: white", "size: 3x-large"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["white"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA44R8C", "worker_id": "A1EREKSZAA9V7B"}], "B09P572DP9": [{"asin": "B09P572DP9", "instruction": "i want a heavy duty, non-slip protector case for my iphone. choose something in black.", "attributes": ["heavy duty", "dust proof", "non slip", "easy install", "glass screen", "tempered glass"], "options": ["color: black", "size: case+2 protectors+clip"], "instruction_attributes": ["heavy duty", "non slip"], "instruction_options": ["black"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TXKSUM", "worker_id": "A1NF6PELRKACS9"}], "B08F7WVPN2": [{"asin": "B08F7WVPN2", "instruction": "i'm looking for a black colored short sleeved women's casual summer off the shoulder dress. please select the size small.", "attributes": ["soft material", "polyester spandex", "short sleeve"], "options": ["color: black", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["black", "small"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9NWVTS", "worker_id": "A20DUVEOH6A7KW"}], "B09M3YVTF6": [{"asin": "B09M3YVTF6", "instruction": "i am looking for a digital alarm clock radio with wireless bluetooth built-in. also, i prefer a black colored one.", "attributes": ["high definition", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79PZH1K", "worker_id": "AJDQGOTMB2D80"}], "B01LYTO6V1": [{"asin": "B01LYTO6V1", "instruction": "i want 4 ounce fat free musselman's cinnamon apple sauce cups.", "attributes": ["fat free", "non gmo", "gluten free"], "options": ["size: 4 ounce"], "instruction_attributes": ["fat free"], "instruction_options": ["4 ounce"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTTDE4A", "worker_id": "A2RBF3IIJP15IH"}], "B07B9GTSHW": [{"asin": "B07B9GTSHW", "instruction": "my skin was dry i need 4 ounce pack of facial cream", "attributes": ["anti aging", "dry skin", "dead skin"], "options": ["color: 8oz bundle (plain + salicylic acid)", "size: 4 ounce (pack of 1)"], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJR4BXL", "worker_id": "A226L9F2AZ38CL"}], "B000Q38THM": [{"asin": "B000Q38THM", "instruction": "i want to find shelf-stable beef stew that is ready to eat.", "attributes": ["fully cooked", "shelf stable", "ready eat"], "options": [""], "instruction_attributes": ["shelf stable", "ready eat"], "instruction_options": [], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWE3GGI", "worker_id": "A345TDMHP3DQ3G"}], "B08JYVB93Z": [{"asin": "B08JYVB93Z", "instruction": "i am looking for eyeshadow that is cruelty free.", "attributes": ["cruelty free", "long lasting", "high quality"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW6M8SG", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P8MWPCG": [{"asin": "B09P8MWPCG", "instruction": "i want to find a white twin sized bed frame that is easy to assemble.", "attributes": ["white item", "easy assemble", "storage space", "box spring", "metal legs"], "options": ["color: white", "size: twin bed frame"], "instruction_attributes": ["white item", "easy assemble"], "instruction_options": ["white", "twin bed frame"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KNCLJ3", "worker_id": "A345TDMHP3DQ3G"}], "B01KZZ5HOS": [{"asin": "B01KZZ5HOS", "instruction": "i want camile modern table lamps with a brushed nickel finish.", "attributes": ["brushed nickel", "nickel finish", "living room"], "options": ["color: brushed nickel - off white drum shade"], "instruction_attributes": ["nickel finish"], "instruction_options": ["brushed nickel - off white drum shade"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHZO4Z8", "worker_id": "A2RBF3IIJP15IH"}], "B092X4W66N": [{"asin": "B092X4W66N", "instruction": "i am looking for valentine day gift basket with luxury gold leaf hand cream, handmade freshly baked treats like variety of brownies and decadent cookies", "attributes": ["individually wrapped", "gift basket", "valentine day"], "options": [""], "instruction_attributes": ["gift basket", "valentine day"], "instruction_options": [], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K6N12S", "worker_id": "AX2EWYWZM19AZ"}], "B01HEH31OI": [{"asin": "B01HEH31OI", "instruction": "i am looking for a pair of long lasting women's size 5.5 wide hiking boots.", "attributes": ["long lasting", "rubber sole", "lace closure"], "options": ["color: epic plum | storm", "size: 5.5 wide"], "instruction_attributes": ["long lasting"], "instruction_options": ["5.5 wide"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PL1EQY", "worker_id": "A1EREKSZAA9V7B"}], "B085ZW9G4X": [{"asin": "B085ZW9G4X", "instruction": "i need zerofire 2 pack travel size spray bottles.", "attributes": ["travel size", "fine mist"], "options": ["color: 2 pack", "size: 1 ounce"], "instruction_attributes": ["travel size"], "instruction_options": ["2 pack"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSIWB8E", "worker_id": "A2RBF3IIJP15IH"}], "B08DKM7Y6G": [{"asin": "B08DKM7Y6G", "instruction": "i need a quick drying running shorts with drawstring closure. it should be light grayish blue in color.", "attributes": ["wide leg", "quick drying", "moisture wicking", "polyester spandex", "drawstring closure", "elastic waistband"], "options": ["color: light grayish blue", "size: xx-small"], "instruction_attributes": ["quick drying", "drawstring closure"], "instruction_options": ["light grayish blue"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3CKN6T", "worker_id": "A1NF6PELRKACS9"}], "B09KVBJ56K": [{"asin": "B09KVBJ56K", "instruction": "i am interested in sprinkles that are soy free and for christmas.", "attributes": ["easy use", "nut free", "soy free", "dairy free", "gluten free", "valentine day"], "options": ["color: 8-christmas - candy"], "instruction_attributes": ["soy free"], "instruction_options": ["8-christmas - candy"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S0KGMV", "worker_id": "A2ECRNQ3X5LEXD"}], "B096B397LX": [{"asin": "B096B397LX", "instruction": "i need to buy some easy to install pendant lights for my living room. get the blue ones.", "attributes": ["easy install", "pendant light", "light fixture", "living room"], "options": ["color: blue"], "instruction_attributes": ["easy install", "pendant light", "living room"], "instruction_options": ["blue"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB8I6U9", "worker_id": "AR9AU5FY1S3RO"}], "B09PC48LDS": [{"asin": "B09PC48LDS", "instruction": "i need wireless charging with white color", "attributes": ["water resistant", "noise cancelling", "hands free", "wireless charging", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEHS68V", "worker_id": "A226L9F2AZ38CL"}], "B083TJJDJW": [{"asin": "B083TJJDJW", "instruction": "i need no artificial color chocolate for 10 pocket", "attributes": ["nut free", "soy free", "dairy free", "gluten free", "artificial colors"], "options": [""], "instruction_attributes": ["artificial colors"], "instruction_options": [], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISWOYOP", "worker_id": "A226L9F2AZ38CL"}], "B099Z7F8RC": [{"asin": "B099Z7F8RC", "instruction": "find me a cruelty free non toxic lip treatment oil for sensitive skin in 100 #loveyourself color.", "attributes": ["cruelty free", "fragrance free", "non toxic", "seed oil", "sensitive skin"], "options": ["color: 100\u00a0#loveyourself"], "instruction_attributes": ["cruelty free", "non toxic", "sensitive skin"], "instruction_options": ["100\u00a0#loveyourself"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOP89MK", "worker_id": "A3AYHESLQSDY5T"}], "B09373HTN7": [{"asin": "B09373HTN7", "instruction": "shop for a light weight windows desktop pc.", "attributes": ["dual band", "light weight", "high speed"], "options": [""], "instruction_attributes": ["light weight"], "instruction_options": [], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MLUOFE", "worker_id": "AR9AU5FY1S3RO"}], "B07VYXP4DP": [{"asin": "B07VYXP4DP", "instruction": "i am looking for large dark grey pajama pants with an elastic waist.", "attributes": ["straight leg", "loose fit", "elastic waist"], "options": ["color: dark grey", "size: large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["dark grey", "large"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYNNMQQ", "worker_id": "A1EREKSZAA9V7B"}], "B00J7G0I8M": [{"asin": "B00J7G0I8M", "instruction": "i am looking for fluoride free all natural toothpaste.", "attributes": ["fluoride free", "fresh breath"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOIN0F9", "worker_id": "A1EREKSZAA9V7B"}], "B08TWWYH8Q": [{"asin": "B08TWWYH8Q", "instruction": "i want a 125 digital power audio amplifier board.", "attributes": ["high power", "power amplifier"], "options": [""], "instruction_attributes": ["power amplifier"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3USIJ6O", "worker_id": "A2RBF3IIJP15IH"}], "B08VJ474GR": [{"asin": "B08VJ474GR", "instruction": "i need a non slip sofa slipcover which is either camel or ivory colored.", "attributes": ["non slip", "machine washable", "easy install"], "options": ["color: camel | ivory"], "instruction_attributes": ["non slip"], "instruction_options": ["camel | ivory"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX7JCFD", "worker_id": "A1NF6PELRKACS9"}], "B09KCMTNQP": [{"asin": "B09KCMTNQP", "instruction": "i need a long clip-in hair extension which is natural looking.", "attributes": ["hair extensions", "hair styling"], "options": ["color: i"], "instruction_attributes": ["hair extensions"], "instruction_options": [], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ2XIS4", "worker_id": "A1NF6PELRKACS9"}], "B09DCWZ4JB": [{"asin": "B09DCWZ4JB", "instruction": "i would like a blue smartwatch band that is 42mm and is apple compatible.", "attributes": ["easy install", "compatible apple", "case cover"], "options": ["color: blue", "size: 42mm | 44mm | 45mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["blue", "42mm | 44mm | 45mm"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYP4XFX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H59CSTC": [{"asin": "B09H59CSTC", "instruction": "need a monopod with carbon fiber for dslr cameras", "attributes": ["easy carry", "carbon fiber"], "options": [""], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V532UF", "worker_id": "A2Y2TURT2VEYZN"}], "B097K252L9": [{"asin": "B097K252L9", "instruction": "i want anti slip leopard print shoes for women in size 11.", "attributes": ["anti slip", "rubber sole"], "options": ["color: denim yellow leopard b", "size: 11 women | 9.5 men"], "instruction_attributes": ["anti slip"], "instruction_options": ["11 women | 9.5 men"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z49SQCL", "worker_id": "A2RBF3IIJP15IH"}], "B09QBVFM8F": [{"asin": "B09QBVFM8F", "instruction": "i want to find a gold hair comb that is easy to use.", "attributes": ["easy use", "high quality", "rose gold", "quality materials"], "options": ["color: gold"], "instruction_attributes": ["easy use"], "instruction_options": ["gold"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ6E1LH", "worker_id": "A345TDMHP3DQ3G"}], "B09928J5CH": [{"asin": "B09928J5CH", "instruction": "i need a gold colored storage case bag for holding nail art machine and tools.", "attributes": ["storage case", "nail art"], "options": ["color: golden machine with a bag"], "instruction_attributes": ["storage case", "nail art"], "instruction_options": ["golden machine with a bag"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCHY0EH", "worker_id": "A1NF6PELRKACS9"}], "B09FF773JY": [{"asin": "B09FF773JY", "instruction": "i want to find a black apple watch band that is 38 millimeters long.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: black", "size: 38mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["black", "38mm"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB1E5YM", "worker_id": "A345TDMHP3DQ3G"}], "B077VQD17T": [{"asin": "B077VQD17T", "instruction": "i'm looking for skin care need to buy a sugarcane and papaya for dry skin.", "attributes": ["paraben free", "seed oil", "dry skin"], "options": ["color: sugarcane & papaya", "size: 17 fl oz (pack of 1)"], "instruction_attributes": ["seed oil", "dry skin"], "instruction_options": ["sugarcane & papaya"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SVXUDJ", "worker_id": "A16IQOX0DK14OJ"}], "B08X1KBCZM": [{"asin": "B08X1KBCZM", "instruction": "i am looking for long lasting hair color dye.please choose 7bg color.", "attributes": ["long lasting", "permanent hair", "hair growth"], "options": ["color: 7.13 | 7bg"], "instruction_attributes": ["long lasting"], "instruction_options": ["7.13 | 7bg"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3DAQN7", "worker_id": "A3FG5PQHG5AH3Y"}], "B07V3NKGHD": [{"asin": "B07V3NKGHD", "instruction": "i want to find individually wrapped chocolates in a gift basket that i can give for christmas.", "attributes": ["individually wrapped", "gift basket"], "options": [""], "instruction_attributes": ["individually wrapped", "gift basket"], "instruction_options": [], "assignment_id": "352YTHGRO6NQF252G9RXYWYAL9B4HM", "worker_id": "A345TDMHP3DQ3G"}], "B08N9S7DVZ": [{"asin": "B08N9S7DVZ", "instruction": "i am looking for a coffee sofa slipcovers of pu leather", "attributes": ["non slip", "machine washable", "easy install", "pu leather"], "options": ["color: coffee"], "instruction_attributes": ["pu leather"], "instruction_options": ["coffee"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788FEC57", "worker_id": "A9QRQL9CFJBI7"}], "B00B46XLT6": [{"asin": "B00B46XLT6", "instruction": "i am looking a high resolution fiber optic cable for audio vedio colour :black", "attributes": ["high resolution", "optical zoom"], "options": ["color: black"], "instruction_attributes": ["high resolution"], "instruction_options": ["black"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JA4FS9", "worker_id": "A3N9ZYQAESNFQH"}], "B09GK7V42L": [{"asin": "B09GK7V42L", "instruction": "i want a yellow easy to carry gaone fm radio alarm clock.", "attributes": ["easy carry", "aaa batteries"], "options": ["color: yellow"], "instruction_attributes": ["easy carry"], "instruction_options": ["yellow"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1HHU3S", "worker_id": "A2RBF3IIJP15IH"}], "B07WV947XR": [{"asin": "B07WV947XR", "instruction": "i want a long handle body brush to remove dead skin. get me something in blue or white.", "attributes": ["non slip", "long handle", "dead skin"], "options": ["scent: blue | white"], "instruction_attributes": ["long handle", "dead skin"], "instruction_options": ["blue | white"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN02GOD", "worker_id": "A1NF6PELRKACS9"}], "B09PNF3MJR": [{"asin": "B09PNF3MJR", "instruction": "i am looking for a red colored button down hawaiian shirt with short sleeves.", "attributes": ["machine washable", "slim fit", "hand wash", "short sleeve", "regular fit", "quality polyester", "button closure"], "options": ["color: 03 red", "size: 3x-large"], "instruction_attributes": ["short sleeve", "button closure"], "instruction_options": ["03 red"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0NF8J6", "worker_id": "A1NF6PELRKACS9"}], "B00DBXR7MW": [{"asin": "B00DBXR7MW", "instruction": "i want to find a 6-pack of 12 count ferrero rocher candies for valentine's day.", "attributes": ["chocolate covered", "valentine day"], "options": ["size: 12 count (pack of 6)", "style: ferrero rocher"], "instruction_attributes": ["valentine day"], "instruction_options": ["12 count (pack of 6)", "ferrero rocher"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYT7HVA", "worker_id": "A345TDMHP3DQ3G"}], "B09SY7QSC7": [{"asin": "B09SY7QSC7", "instruction": "i am looking for powerful stainless steel kit for total body clipping, trimming, & grooming.", "attributes": ["stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC5YD02", "worker_id": "A2DQZHJHF45NDT"}], "B09P8Q42XL": [{"asin": "B09P8Q42XL", "instruction": "i want large loose fit tank tops for women.", "attributes": ["loose fit", "slim fit", "hand wash", "polyester spandex", "short sleeve", "teen girls"], "options": ["color: h23-khaki", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["large"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLX2BYV", "worker_id": "A2RBF3IIJP15IH"}], "B07D5ZPCX4": [{"asin": "B07D5ZPCX4", "instruction": "i want to find kettle style potato chips with 0 grams of trans fat. there should be 4 bags total.", "attributes": ["gluten free", "0g trans"], "options": ["size: 4 bags"], "instruction_attributes": ["0g trans"], "instruction_options": ["4 bags"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRWNXJ2", "worker_id": "A345TDMHP3DQ3G"}], "B082HT2BKV": [{"asin": "B082HT2BKV", "instruction": "i am looking for creative cupcake toppers for a kids birthday cake.", "attributes": ["cupcake picks", "birthday cake", "party supplies"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCVR64J", "worker_id": "ASWFLI3N8X72G"}], "B07HRZ23TW": [{"asin": "B07HRZ23TW", "instruction": "i need 1 pack 6.34 ounce, hand crafted and individually wrapped tortas.", "attributes": ["hand crafted", "individually wrapped"], "options": ["size: 6.34 ounce (pack of 1)"], "instruction_attributes": ["hand crafted", "individually wrapped"], "instruction_options": ["6.34 ounce (pack of 1)"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFTRE3Z", "worker_id": "ASWFLI3N8X72G"}], "B09PVJ5GD4": [{"asin": "B09PVJ5GD4", "instruction": "my high heel size was 6.5", "attributes": ["non slip", "rubber sole", "high heel", "ankle strap"], "options": ["color: 1red", "size: 6.5"], "instruction_attributes": ["high heel"], "instruction_options": ["6.5"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RZEW7Y", "worker_id": "A226L9F2AZ38CL"}], "B001E95F4W": [{"asin": "B001E95F4W", "instruction": "i have 3 hair dye", "attributes": ["permanent hair", "hair dye"], "options": ["color: 2bg burgundy black", "size: 3 count"], "instruction_attributes": ["hair dye"], "instruction_options": ["3 count"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2MJYNA", "worker_id": "A226L9F2AZ38CL"}], "B09KP5VSHV": [{"asin": "B09KP5VSHV", "instruction": "i am looking for a faux fur cardigan coat with long sleeves. i am a 3x-large in size.", "attributes": ["fleece lined", "faux fur", "long sleeve"], "options": ["size: 3x-large"], "instruction_attributes": ["faux fur", "long sleeve"], "instruction_options": ["3x-large"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD8E0SP", "worker_id": "A1NF6PELRKACS9"}], "B09BZTJPZW": [{"asin": "B09BZTJPZW", "instruction": "i am looking for high quality , easy use , bpa free tongue brush", "attributes": ["bpa free", "easy use", "high quality", "fresh breath", "bad breath"], "options": [""], "instruction_attributes": ["bpa free", "easy use", "high quality"], "instruction_options": [], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VYQYW4", "worker_id": "AX2EWYWZM19AZ"}], "B086RJ1N69": [{"asin": "B086RJ1N69", "instruction": "i'm baking a birthday cake for raju.", "attributes": ["birthday cake", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ6D1LG", "worker_id": "ASL9LVC97FUCZ"}], "B093YSK8QX": [{"asin": "B093YSK8QX", "instruction": "i am looking for a set of 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDWRIA9", "worker_id": "A1EREKSZAA9V7B"}], "B07TGFS8KX": [{"asin": "B07TGFS8KX", "instruction": "i want a golden lighting 3602-vl3 blk duncan vanity light.", "attributes": ["contemporary style", "vanity light"], "options": [""], "instruction_attributes": ["vanity light"], "instruction_options": [], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVGYUTD", "worker_id": "A2RBF3IIJP15IH"}], "B09H7PL3NN": [{"asin": "B09H7PL3NN", "instruction": "i am looking for a winter warm jacket with long sleeve which is washable in machine. also choose navy color and small size.", "attributes": ["daily casual", "winter warm", "loose fit", "machine wash", "long sleeve", "relaxed fit", "short sleeve", "everyday wear", "teen girls"], "options": ["color: navy", "size: small"], "instruction_attributes": ["winter warm", "machine wash", "long sleeve"], "instruction_options": ["navy", "small"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYQXOZB", "worker_id": "A2HMEGTAFO0CS8"}], "B07J2QPQMM": [{"asin": "B07J2QPQMM", "instruction": "get me a high performance video camera that is certified refurbished.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance"], "instruction_options": [], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXWEMY3", "worker_id": "A1NF6PELRKACS9"}], "B08BHN5S3C": [{"asin": "B08BHN5S3C", "instruction": "i am looking for a large bright blue daily casual dress.", "attributes": ["daily casual", "slim fit", "polyester spandex"], "options": ["color: bright blue", "size: large"], "instruction_attributes": ["daily casual"], "instruction_options": ["bright blue", "large"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YP1T8R", "worker_id": "A1EREKSZAA9V7B"}], "B078WTG2RC": [{"asin": "B078WTG2RC", "instruction": "i need to buy some green sandals with arch support. look for uk size nine medium.", "attributes": ["ethylene vinyl", "vinyl acetate", "arch support"], "options": ["color: green green black green xgkg", "size: 9 m uk"], "instruction_attributes": ["arch support"], "instruction_options": ["green green black green xgkg", "9 m uk"], "assignment_id": "351SEKWQSBRP7CP60H83T50CF8YDMC", "worker_id": "AR9AU5FY1S3RO"}], "B08ZS9TZW2": [{"asin": "B08ZS9TZW2", "instruction": "sony xr50x90j 50-inch ultra hd and high speed full array led smart tv", "attributes": ["ultra hd", "high speed"], "options": [""], "instruction_attributes": ["ultra hd", "high speed"], "instruction_options": [], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40V0YF6", "worker_id": "AX2EWYWZM19AZ"}], "B09JBZP1KV": [{"asin": "B09JBZP1KV", "instruction": "i want to find an xx-large blue women's long sleeve sweater.", "attributes": ["machine washable", "hand wash", "long sleeve", "relaxed fit"], "options": ["color: blue", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue", "xx-large"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKZDIUF", "worker_id": "A345TDMHP3DQ3G"}], "B08FM8P9RB": [{"asin": "B08FM8P9RB", "instruction": "i am looking for button tufted , easy assemble velvet ottoman bench with white faux fur in color", "attributes": ["button tufted", "easy assemble", "metal legs", "dining room", "living room"], "options": ["color: white faux fur"], "instruction_attributes": ["button tufted", "easy assemble"], "instruction_options": ["white faux fur"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUCOZDN", "worker_id": "AX2EWYWZM19AZ"}], "B08DYFCRVT": [{"asin": "B08DYFCRVT", "instruction": "i want to find an 11 fluid ounce bottle of ginger lemonade kombucha that has no sugar, and it needs to come in a pack of 16.", "attributes": ["keto friendly", "gluten free", "shelf stable", "certified organic", "non gmo", "zero sugar", "real fruit"], "options": ["flavor name: ginger lemonade", "size: 11 fl oz (pack of 16)"], "instruction_attributes": ["zero sugar"], "instruction_options": ["ginger lemonade", "11 fl oz (pack of 16)"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUJNZVH", "worker_id": "A345TDMHP3DQ3G"}], "B079QPZ8KN": [{"asin": "B079QPZ8KN", "instruction": "i need this product for afternoon snack with friends .rhythm superfoods carrot sticks,1.4 oz (pack of 12), vegan/gluten-free superfood snacks", "attributes": ["non gmo", "gluten free", "simple ingredients"], "options": ["flavor: naked", "size: 1.4 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["1.4 ounce (pack of 12)"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVADV85", "worker_id": "A15IJ20C3R4HUO"}], "B08XMD5NG2": [{"asin": "B08XMD5NG2", "instruction": "i am looking for an intel quad core i3 6157u powered mini pc.", "attributes": ["intel core", "quad core"], "options": ["color: i3 6157u", "size: 16g ram 128g ssd 1tb hdd"], "instruction_attributes": ["intel core", "quad core"], "instruction_options": ["i3 6157u"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0S0Z111", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08XMD5NG2", "instruction": "i want to find an industrial i7 8550u computer that has a quad core. it needs to have 16 gigabytes of storage space on its ram.", "attributes": ["intel core", "quad core"], "options": ["color: i7 8550u", "size: 16g ram 512g ssd 1tb hdd"], "instruction_attributes": ["quad core"], "instruction_options": ["i7 8550u", "16g ram 512g ssd 1tb hdd"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKJWT18", "worker_id": "A345TDMHP3DQ3G"}], "B09PBLK5BF": [{"asin": "B09PBLK5BF", "instruction": "i want to find stainless steel hair cutting scissors with silver blades.", "attributes": ["stainless steel", "hair styling", "hair cutting"], "options": ["color: silver tooth scissors"], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": ["silver tooth scissors"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35MPUG3", "worker_id": "A345TDMHP3DQ3G"}], "B00S5UFHFU": [{"asin": "B00S5UFHFU", "instruction": "i would like some organic hair oil that is 16 fl oz.", "attributes": ["certified organic", "hair growth", "natural hair"], "options": ["size: 16 fl oz (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["16 fl oz (pack of 1)"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3D7NQ1", "worker_id": "A2ECRNQ3X5LEXD"}], "B001AHJJJA": [{"asin": "B001AHJJJA", "instruction": "i need a travel sized facial cleanser for sensitive skin.", "attributes": ["dermatologist tested", "sensitive skin"], "options": ["size: travel size"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["travel size"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R18RI2U", "worker_id": "AR9AU5FY1S3RO"}], "B07YXFXNNV": [{"asin": "B07YXFXNNV", "instruction": "i am looking for chocolate covered and non gmo pre filled stocking stuffers with candy", "attributes": ["chocolate covered", "non gmo", "individually wrapped"], "options": [""], "instruction_attributes": ["chocolate covered", "non gmo"], "instruction_options": [], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXVS4OD", "worker_id": "AX2EWYWZM19AZ"}], "B09QQSQKRY": [{"asin": "B09QQSQKRY", "instruction": "may you give me this costume please? there is a women's plus size loose jumpsuit ethnic floral summer jumpsuit quick dry 4x large.", "attributes": ["quick drying", "loose fit"], "options": ["color: yellow green", "size: 4x-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["4x-large"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UT6Y0X", "worker_id": "A15IJ20C3R4HUO"}], "B09KQ6QLH8": [{"asin": "B09KQ6QLH8", "instruction": "i am looking for non gmo, gluten free, soy free , plant based perfect chicken spinach pesto burger with size 4-pack", "attributes": ["non gmo", "gluten free", "protein serving", "soy free", "plant based"], "options": ["size: 4 - pack"], "instruction_attributes": ["non gmo", "gluten free", "soy free", "plant based"], "instruction_options": ["4 - pack"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH9D1EU", "worker_id": "AX2EWYWZM19AZ"}], "B000P3U70K": [{"asin": "B000P3U70K", "instruction": "i am looking for old fashioned wabash valley farms - kernels with flavorful medley and with size 6 pound (pack of 1)", "attributes": ["old fashioned", "great gift"], "options": ["flavor name: flavorful medley", "size: 6 pound (pack of 1)"], "instruction_attributes": ["old fashioned"], "instruction_options": ["flavorful medley", "6 pound (pack of 1)"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWX01C1", "worker_id": "AX2EWYWZM19AZ"}], "B07CTBC6HX": [{"asin": "B07CTBC6HX", "instruction": "i'am purchase new type of machine wash and it's color is dark coffee,size:36w x34i", "attributes": ["machine wash", "cotton spandex", "imported zipper", "relaxed fit"], "options": ["color: dark coffee", "size: 36w x 34l"], "instruction_attributes": ["imported zipper"], "instruction_options": ["dark coffee", "36w x 34l"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLJY0MF", "worker_id": "ASL9LVC97FUCZ"}], "B06XW3YW82": [{"asin": "B06XW3YW82", "instruction": "i'm looking for stainless steel for kitchen product.", "attributes": ["fully assembled", "stainless steel"], "options": ["style: rectangle lockable"], "instruction_attributes": ["fully assembled", "stainless steel"], "instruction_options": ["rectangle lockable"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUURQJR", "worker_id": "A16IQOX0DK14OJ"}], "B09J4PRB13": [{"asin": "B09J4PRB13", "instruction": "i want to find xx-large black workout sweatpants with a relaxed fit.", "attributes": ["fashion design", "elastic closure", "relaxed fit", "high waist", "polyester spandex", "daily wear"], "options": ["color: black a34", "size: xx-large"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["black a34", "xx-large"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJMRGDC", "worker_id": "A345TDMHP3DQ3G"}], "B07QXV6T4K": [{"asin": "B07QXV6T4K", "instruction": "i want a majestic pure argan oil hair mask.", "attributes": ["paraben free", "cruelty free", "argan oil", "coconut oil", "hair treatment"], "options": [""], "instruction_attributes": ["argan oil"], "instruction_options": [], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMND6BU", "worker_id": "A2RBF3IIJP15IH"}], "B00OIUBDLI": [{"asin": "B00OIUBDLI", "instruction": "zahara brought a cup of green tea.", "attributes": ["cruelty free", "green tea"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69ML8P6", "worker_id": "ASL9LVC97FUCZ"}], "B09N76DG4F": [{"asin": "B09N76DG4F", "instruction": "i am looking for a green hoodie that is loose fit and a size small.", "attributes": ["loose fit", "quality polyester", "long sleeve", "daily wear"], "options": ["color: green", "size: small"], "instruction_attributes": ["loose fit"], "instruction_options": ["green", "small"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKYCDNG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08YS18GLB": [{"asin": "B08YS18GLB", "instruction": "i want to find black women's walking shoes with great arch support. the shoes should be in size 8.5 and lean on the wide side.", "attributes": ["lace closure", "arch support"], "options": ["color: black 1", "size: 8.5 wide"], "instruction_attributes": ["arch support"], "instruction_options": ["black 1", "8.5 wide"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2ML0FOB", "worker_id": "A345TDMHP3DQ3G"}], "B07N34HVW3": [{"asin": "B07N34HVW3", "instruction": "i am looking for style edit root concealer touch up spray with unique pinpoint applicator provides targeted gray root coverage in seconds, natural emollients adhere to hair, while keeping a soft, natural feel. pack of 3 in medium brown color preferable.", "attributes": ["cruelty free", "permanent hair", "hair dye", "beauty salon"], "options": ["color: medium brown", "size: pack of 3"], "instruction_attributes": ["cruelty free", "permanent hair", "hair dye", "beauty salon"], "instruction_options": ["medium brown", "pack of 3"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3CT6NL", "worker_id": "A1DRKZ3SCLAS4V"}], "B09JLY4R5N": [{"asin": "B09JLY4R5N", "instruction": "let me get some birthday party cake toppers in red color.", "attributes": ["party supplies", "birthday party"], "options": ["color: red"], "instruction_attributes": ["birthday party"], "instruction_options": ["red"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHA8MODB", "worker_id": "A1NF6PELRKACS9"}], "B079TJP1FM": [{"asin": "B079TJP1FM", "instruction": "i need a set of leak proof, bpa free jars.", "attributes": ["leak proof", "bpa free", "high quality"], "options": [""], "instruction_attributes": ["leak proof", "bpa free"], "instruction_options": [], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3QEMZQ", "worker_id": "AR9AU5FY1S3RO"}], "B09HQ2ZNN1": [{"asin": "B09HQ2ZNN1", "instruction": "i am looking for stainless steel tongue scraper with rose gold for oral hygiene", "attributes": ["rose gold", "stainless steel", "oral hygiene", "bad breath"], "options": ["color: rose gold"], "instruction_attributes": ["stainless steel"], "instruction_options": ["rose gold"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7X9QYS", "worker_id": "AX2EWYWZM19AZ"}], "B07LGDYVXH": [{"asin": "B07LGDYVXH", "instruction": "i want to find cajun seasoning that is gluten free and low sodium.", "attributes": ["low sodium", "gluten free", "natural ingredients"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KMWHUJ", "worker_id": "A345TDMHP3DQ3G"}], "B07NRZ1G6P": [{"asin": "B07NRZ1G6P", "instruction": "i want a 3 pack of dr. pawpaw multi-purpose balm for dry skin.", "attributes": ["cruelty free", "fragrance free", "natural ingredients", "dry skin"], "options": ["color: nude collection", "size: 3 pack"], "instruction_attributes": ["dry skin"], "instruction_options": ["3 pack"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AKGEON", "worker_id": "A2RBF3IIJP15IH"}], "B00NR5QGAS": [{"asin": "B00NR5QGAS", "instruction": "i am looking for women's 3x-large plus sized capri pants with regular fit. get me a white one.", "attributes": ["straight leg", "elastic waistband", "regular fit"], "options": ["color: white", "size: 3x-large plus petite"], "instruction_attributes": ["regular fit"], "instruction_options": ["white", "3x-large plus petite"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8E8R5F", "worker_id": "A1NF6PELRKACS9"}], "B09T33NQZ8": [{"asin": "B09T33NQZ8", "instruction": "i want to find pink massage table sheets that are 70 x 185 centimeters in size. they must be high quality and non-toxic.", "attributes": ["high quality", "non toxic", "easy clean", "quality materials", "beauty salon"], "options": ["color: pink", "size: 70*185cm"], "instruction_attributes": ["high quality", "non toxic"], "instruction_options": ["pink", "70*185cm"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3QGZM5", "worker_id": "A345TDMHP3DQ3G"}], "B07YLJPMC3": [{"asin": "B07YLJPMC3", "instruction": "i am looking for fragrance free foaming cream cleanser.", "attributes": ["fragrance free", "paraben free", "hyaluronic acid"], "options": [""], "instruction_attributes": ["fragrance free"], "instruction_options": [], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746VQBTC", "worker_id": "A3FG5PQHG5AH3Y"}], "B081B4JGDW": [{"asin": "B081B4JGDW", "instruction": "i am looking for mysteek color pop temporary hair color that is easy to use for hair dye . color bougie blue , 0.25 fl oz (pack of 1) preferable.", "attributes": ["easy use", "natural hair", "hair dye"], "options": ["color: bougie blue", "size: 0.25 fl oz (pack of 1)"], "instruction_attributes": ["easy use", "natural hair", "hair dye"], "instruction_options": ["bougie blue", "0.25 fl oz (pack of 1)"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYWMPP8", "worker_id": "A1DRKZ3SCLAS4V"}], "B07CR22SWM": [{"asin": "B07CR22SWM", "instruction": "i am looking for 20 pack set 10ml protable refill bulk atomizer spray of high quality sprayer glass bottles with fine mist sprayers, are perfect for storing your essential oils, perfumes or colognes in red color.", "attributes": ["high quality", "fine mist"], "options": ["color: red"], "instruction_attributes": ["high quality", "fine mist"], "instruction_options": ["red"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF9YD9K", "worker_id": "A1DRKZ3SCLAS4V"}], "B077BFH5FZ": [{"asin": "B077BFH5FZ", "instruction": "i need a gift set of snacks.", "attributes": ["gift set", "great gift"], "options": [""], "instruction_attributes": ["gift set"], "instruction_options": [], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8VJZPT", "worker_id": "ASWFLI3N8X72G"}], "B07NB7XWLW": [{"asin": "B07NB7XWLW", "instruction": "i want luseta tea tree oil shampoo.", "attributes": ["sulfate free", "easy use", "tea tree", "argan oil", "natural ingredients", "damaged hair", "dead skin"], "options": ["size: 33.8 ounce", "style: shampoo"], "instruction_attributes": ["tea tree"], "instruction_options": ["shampoo"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQXNG5", "worker_id": "A2RBF3IIJP15IH"}], "B00BBUSCQC": [{"asin": "B00BBUSCQC", "instruction": "i need a vanity light with four bulbs and glass shades.", "attributes": ["vanity light", "glass shade"], "options": ["size: 4-light"], "instruction_attributes": ["vanity light", "glass shade"], "instruction_options": ["4-light"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R6HKSC", "worker_id": "AR9AU5FY1S3RO"}], "B09SFXT82T": [{"asin": "B09SFXT82T", "instruction": "i am searching for elastic waist black color boxer briefs underwear", "attributes": ["low rise", "cotton spandex", "quality polyester", "elastic waist"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["black"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLSG301", "worker_id": "A258PTOZ3D2TQR"}], "B000WLXMB6": [{"asin": "B000WLXMB6", "instruction": "i want lundberg family farms organic california wild blend white jasmine rice.", "attributes": ["certified organic", "non gmo", "gluten free"], "options": ["flavor name: wild blend", "size: 400 ounce (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["wild blend"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFTOE3W", "worker_id": "A2RBF3IIJP15IH"}], "B07256GKZ5": [{"asin": "B07256GKZ5", "instruction": "i want to find resealable bags of sea salt and fine ground celtic sea salt. the bags should be 16 ounces each and come in a pack of 6.", "attributes": ["non gmo", "gluten free", "resealable bag"], "options": ["pattern name: sea salt + fine ground celtic sea salt", "size: 16 ounce (pack of 6)", "style: bag"], "instruction_attributes": ["resealable bag"], "instruction_options": ["sea salt + fine ground celtic sea salt", "16 ounce (pack of 6)", "bag"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9VPX5D", "worker_id": "A345TDMHP3DQ3G"}], "B09Q2D29MR": [{"asin": "B09Q2D29MR", "instruction": "i want a quick release 360\u00b0 panoramic ball head.", "attributes": ["quick release", "easy install", "aluminum alloy"], "options": [""], "instruction_attributes": ["quick release"], "instruction_options": [], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H3DU8O", "worker_id": "A2RBF3IIJP15IH"}], "B00JHGSANM": [{"asin": "B00JHGSANM", "instruction": "i would like a gluten free blue cheese dressing that is 15 oz", "attributes": ["gluten free", "high fructose"], "options": ["flavor: fat free chunky blue cheese 15 oz", "size: 15 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["fat free chunky blue cheese 15 oz", "15 ounce (pack of 1)"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXW8YM9", "worker_id": "A2ECRNQ3X5LEXD"}], "B08M3FNT2M": [{"asin": "B08M3FNT2M", "instruction": "i want to find an extra soft toothbrush that can help with sensitive teeth.", "attributes": ["high quality", "sensitive teeth", "bad breath"], "options": [""], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8OLQQI", "worker_id": "A345TDMHP3DQ3G"}], "B07VYWC1SH": [{"asin": "B07VYWC1SH", "instruction": "i want to find a kelly green women's 3x-large t-shirt that has a classic fit.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: kelly green", "fit type: women", "size: 3x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["kelly green", "women", "3x-large"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP8SD6B", "worker_id": "A345TDMHP3DQ3G"}], "B09CSRTBJ1": [{"asin": "B09CSRTBJ1", "instruction": "i want to find 45 grams of dark green edible glitter that is dairy free.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: dark green", "size: 45g shaker"], "instruction_attributes": ["dairy free"], "instruction_options": ["dark green", "45g shaker"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG19O9UL", "worker_id": "A345TDMHP3DQ3G"}], "B09F9NV74S": [{"asin": "B09F9NV74S", "instruction": "i want silver beaupretty mirror nail polish.", "attributes": ["non toxic", "nail art", "nail polish"], "options": ["color: silver"], "instruction_attributes": ["nail polish"], "instruction_options": ["silver"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIVH9TU", "worker_id": "A2RBF3IIJP15IH"}], "B01913CX6U": [{"asin": "B01913CX6U", "instruction": "i want to shop for some sulfate free, paraben free conditioner for dry, damaged hair.", "attributes": ["sulfate free", "paraben free", "tea tree", "natural ingredients", "dry hair", "damaged hair"], "options": [""], "instruction_attributes": ["sulfate free", "paraben free", "dry hair", "damaged hair"], "instruction_options": [], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40VYYF4", "worker_id": "AR9AU5FY1S3RO"}], "B0143NQVJ8": [{"asin": "B0143NQVJ8", "instruction": "i am interested in a high protein bar that is mixed berry flavor.", "attributes": ["high protein", "gluten free"], "options": ["flavor name: mixed berry", "size: 1.83 ounce (pack of 12)"], "instruction_attributes": ["high protein"], "instruction_options": ["mixed berry"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40VQRCJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QJTPHLS": [{"asin": "B08QJTPHLS", "instruction": "ultra soft - charcoal toothbrush for adults and sensitive teeth with pack consists of 8 count.", "attributes": ["sensitive teeth", "bad breath"], "options": ["color: charcoal - ultra soft - adults", "size: 8 count (pack of 1)"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["charcoal - ultra soft - adults", "8 count (pack of 1)"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOD2ATD", "worker_id": "AX2EWYWZM19AZ"}], "B07FYDYR9J": [{"asin": "B07FYDYR9J", "instruction": "i'm searching for long spaghetti straps satin ball dry clean gown .its size is 6, and lilac color", "attributes": ["lace closure", "drawstring closure", "dry clean"], "options": ["color: lilac", "size: 6"], "instruction_attributes": ["dry clean"], "instruction_options": ["lilac", "6"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRRQY2H", "worker_id": "A258PTOZ3D2TQR"}], "B0936Y95DB": [{"asin": "B0936Y95DB", "instruction": "i am looking for yellow color stool cover. it should be washable in machine.", "attributes": ["machine washable", "easy install"], "options": ["color: yellow"], "instruction_attributes": ["machine washable"], "instruction_options": ["yellow"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP95DQ9", "worker_id": "A3FG5PQHG5AH3Y"}], "B09DPF82NP": [{"asin": "B09DPF82NP", "instruction": "i need a smart watch protective case. get the one for a 40mm apple watch.", "attributes": ["compatible apple", "case cover"], "options": ["size: 40mm"], "instruction_attributes": ["compatible apple", "case cover"], "instruction_options": ["40mm"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZAGAP7", "worker_id": "AR9AU5FY1S3RO"}], "B09NRP78WV": [{"asin": "B09NRP78WV", "instruction": "i need an extra large twin box spring with a four inch foundation. get the white one.", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": ["color: white", "size: twin xl", "style name: 4\" foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["white", "twin xl", "4\" foundation"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4G915O", "worker_id": "AR9AU5FY1S3RO"}], "B09CKS7B2J": [{"asin": "B09CKS7B2J", "instruction": "i want grey and light weight wygrqbn mens walking shoes.", "attributes": ["light weight", "rubber sole"], "options": ["color: grey", "size: 9.5"], "instruction_attributes": ["light weight"], "instruction_options": ["grey"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW6SS86", "worker_id": "A2RBF3IIJP15IH"}], "B093D82ZGC": [{"asin": "B093D82ZGC", "instruction": "i want black straight leg shopessa harem sweatpants for women.", "attributes": ["straight leg", "elastic closure", "short sleeve"], "options": ["color: a7 - black", "size: 4x-large"], "instruction_attributes": ["straight leg"], "instruction_options": ["a7 - black"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR210AN", "worker_id": "A2RBF3IIJP15IH"}], "B093SYBT18": [{"asin": "B093SYBT18", "instruction": "i want to find a laundry bag for my blouses and hosiery.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXROYLD", "worker_id": "A345TDMHP3DQ3G"}], "B09FLHHWNX": [{"asin": "B09FLHHWNX", "instruction": "my living room in grey color", "attributes": ["eco friendly", "machine washable", "easy install", "living room"], "options": ["color: grey", "size: 40\"x84\"x2"], "instruction_attributes": ["living room"], "instruction_options": ["grey"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H3A8UZ", "worker_id": "A226L9F2AZ38CL"}], "B09R3N24W6": [{"asin": "B09R3N24W6", "instruction": "i want a black women's shoe in size 7 with a lace closure. it should have a metal decoration.", "attributes": ["hand wash", "lace closure"], "options": ["color: black", "size: 6.5-7"], "instruction_attributes": ["lace closure"], "instruction_options": ["black", "6.5-7"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUIER3M", "worker_id": "A1NF6PELRKACS9"}], "B092CJR3ST": [{"asin": "B092CJR3ST", "instruction": "i want a cheery cacao flavored bar that is gluten and diary free.", "attributes": ["gluten free", "plant based", "dairy free"], "options": ["flavor name: cherry cacao", "size: 12-pack smalls"], "instruction_attributes": ["gluten free", "dairy free"], "instruction_options": ["cherry cacao"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA49R8H", "worker_id": "A1NF6PELRKACS9"}], "B08XV5X86G": [{"asin": "B08XV5X86G", "instruction": "i would like a tablet that has a 1080p screen.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd"], "instruction_options": [], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH152DWH3", "worker_id": "A2ECRNQ3X5LEXD"}], "B094XVH5SR": [{"asin": "B094XVH5SR", "instruction": "i want to find a white security camera system that produces high definition footage.", "attributes": ["plug play", "high definition"], "options": ["color: white"], "instruction_attributes": ["high definition"], "instruction_options": ["white"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFG49VH", "worker_id": "A345TDMHP3DQ3G"}], "B08RF3WW88": [{"asin": "B08RF3WW88", "instruction": "i need space saving coat rack in the style of a contemporary branch.", "attributes": ["space saving", "contemporary style"], "options": [""], "instruction_attributes": ["space saving", "contemporary style"], "instruction_options": [], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMOTBQ0", "worker_id": "A1NF6PELRKACS9"}], "B09MHXYT1Y": [{"asin": "B09MHXYT1Y", "instruction": "i'm looking for cosmetic container need to buy a high quality green colored want to buy.", "attributes": ["high quality", "fine mist"], "options": ["color: green"], "instruction_attributes": ["high quality"], "instruction_options": ["green"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOISLMU", "worker_id": "A16IQOX0DK14OJ"}], "B07X7CKYBG": [{"asin": "B07X7CKYBG", "instruction": "i am looking for a dust proof cheapest 8 inch octa core tablet pc", "attributes": ["dust proof", "dual band"], "options": [""], "instruction_attributes": ["dust proof"], "instruction_options": [], "assignment_id": "3EG49X3515M1GF9V412YYG6I5Q4X6X", "worker_id": "A258PTOZ3D2TQR"}], "B0971B7XQ3": [{"asin": "B0971B7XQ3", "instruction": "i looking casual flat loose fitting open toe having ankle strap woman slipper size-9 ,color :z92 -camouflage", "attributes": ["open toe", "loose fit", "arch support", "closed toe", "ankle strap"], "options": ["color: z92-camouflage", "size: 9"], "instruction_attributes": ["open toe", "loose fit", "ankle strap"], "instruction_options": ["z92-camouflage", "9"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFK4MEJ", "worker_id": "A3N9ZYQAESNFQH"}], "B07S2H6J7T": [{"asin": "B07S2H6J7T", "instruction": "i want red bull energy drink sugar free.", "attributes": ["lactose free", "sugar free", "dairy free", "gluten free"], "options": ["flavor name: crisp pear", "size: 12 fl oz (pack of 24)", "style: energy drink"], "instruction_attributes": ["sugar free"], "instruction_options": ["energy drink"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AP2BWW", "worker_id": "A2RBF3IIJP15IH"}], "B08CD2NJPH": [{"asin": "B08CD2NJPH", "instruction": "i am looking for long lasting and pink color gaming headset ps4 3.5 mm stereo wired", "attributes": ["noise cancelling", "long lasting"], "options": ["color: pink"], "instruction_attributes": ["long lasting"], "instruction_options": ["pink"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UOPZEG", "worker_id": "AX2EWYWZM19AZ"}], "B07X2QXM96": [{"asin": "B07X2QXM96", "instruction": "i want to find a 3-pack of 50-foot long nylon microphone cables that are heavy duty.", "attributes": ["heavy duty", "high performance"], "options": ["color: 6color", "size: 50ft 3pack", "style: nylon"], "instruction_attributes": ["heavy duty"], "instruction_options": ["50ft 3pack", "nylon"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNZ6PTC", "worker_id": "A345TDMHP3DQ3G"}], "B07F2TFTRW": [{"asin": "B07F2TFTRW", "instruction": "i am looking for easy assemble and box spring mainstay 14\" high profile foldabel steel bed frame", "attributes": ["easy assemble", "coated steel", "memory foam", "box spring"], "options": [""], "instruction_attributes": ["easy assemble", "box spring"], "instruction_options": [], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTOQV47", "worker_id": "AX2EWYWZM19AZ"}], "B07QN3K2XN": [{"asin": "B07QN3K2XN", "instruction": "i am looking for a tummy control high waist active short for woman ,size -x- small color : tie dye light blue", "attributes": ["moisture wicking", "tummy control", "high waist"], "options": ["color: tie dye light blue", "size: x-small"], "instruction_attributes": ["tummy control", "high waist"], "instruction_options": ["tie dye light blue", "x-small"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79PX1H2", "worker_id": "A3N9ZYQAESNFQH"}], "B07PJ1CXXY": [{"asin": "B07PJ1CXXY", "instruction": "i am looking for a light weight jumpsuit which is washable in machine. also choose medium size and teal color.", "attributes": ["light weight", "loose fit", "wash cold", "machine wash", "elastic waistband"], "options": ["color: n51, teal", "size: medium"], "instruction_attributes": ["light weight", "machine wash"], "instruction_options": ["n51, teal", "medium"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIVPT9M", "worker_id": "A2HMEGTAFO0CS8"}], "B09HL9DTF5": [{"asin": "B09HL9DTF5", "instruction": "can you help me find a pair of women's high heel sandal with a rubber sole? i want bubble pink one and size 11.", "attributes": ["high heel", "rubber sole"], "options": ["color: bubble pink", "size: 11"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["bubble pink", "11"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWOU6W9", "worker_id": "A1198W1SPF1R4"}], "B07WLYZRZJ": [{"asin": "B07WLYZRZJ", "instruction": "i'd like to find a soy wax candle that is scented to smell like the sea and citrus.", "attributes": ["eco friendly", "lead free", "soy wax"], "options": ["color: seaside | citrus"], "instruction_attributes": ["soy wax"], "instruction_options": ["seaside | citrus"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68EP4AF", "worker_id": "A345TDMHP3DQ3G"}], "B08BLBPWC5": [{"asin": "B08BLBPWC5", "instruction": "i want to find a 3x-large short-sleeve hawaiian shirt for men in the 1685 color.", "attributes": ["machine washable", "hand wash", "regular fit", "short sleeve"], "options": ["color: 1685", "size: 3x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["1685", "3x-large"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM4DZHS", "worker_id": "A345TDMHP3DQ3G"}], "B07J4L9VCX": [{"asin": "B07J4L9VCX", "instruction": "i want to buy some sulfate free body wash for sensitive skin. get me one that's peppermint scented.", "attributes": ["plant based", "sulfate free", "natural ingredients", "sensitive skin"], "options": ["scent: sweet peppermint 1pk"], "instruction_attributes": ["sulfate free", "sensitive skin"], "instruction_options": ["sweet peppermint 1pk"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTDAD5O", "worker_id": "AR9AU5FY1S3RO"}], "B07KLZJ8RH": [{"asin": "B07KLZJ8RH", "instruction": "i am interested in solid wood storage cabinets.", "attributes": ["white item", "white finish", "solid wood"], "options": [""], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKPZGS4", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NSDTJQ5": [{"asin": "B09NSDTJQ5", "instruction": "i want to find an s22 ultra 2+2 screen protector that's easy to install, and it needs to be made of tempered glass.", "attributes": ["ultra hd", "easy install", "glass screen", "tempered glass"], "options": ["color: s22 ultra 2+2"], "instruction_attributes": ["ultra hd", "easy install", "glass screen", "tempered glass"], "instruction_options": ["s22 ultra 2+2"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L12VCF", "worker_id": "A345TDMHP3DQ3G"}], "B08CDRZH7B": [{"asin": "B08CDRZH7B", "instruction": "i am looking easy use long curly hairpieces density top size -14 inch -130% density,color: medium brown -e", "attributes": ["easy use", "hair loss"], "options": ["color: medium brown-e", "size: 14 inch-130% density"], "instruction_attributes": ["easy use"], "instruction_options": ["medium brown-e", "14 inch-130% density"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXE1JUR", "worker_id": "A3N9ZYQAESNFQH"}], "B09NWC91MH": [{"asin": "B09NWC91MH", "instruction": "i want to find toothpaste that helps whiten teeth and kill bad breath.", "attributes": ["teeth whitening", "long lasting", "natural ingredients", "bad breath", "fresh breath", "sensitive teeth"], "options": ["color: b"], "instruction_attributes": ["teeth whitening", "bad breath"], "instruction_options": ["b"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R6NSKQ", "worker_id": "A345TDMHP3DQ3G"}], "B001E0XSAE": [{"asin": "B001E0XSAE", "instruction": "i am looking for a sandy golden blonde permanent hair color that is cruelty free. pick the 8g one.", "attributes": ["cruelty free", "long lasting", "easy use", "seed oil", "permanent hair"], "options": ["color: 8g sandy golden blonde", "size: 5.6 fl oz (pack of 6)"], "instruction_attributes": ["cruelty free", "permanent hair"], "instruction_options": ["8g sandy golden blonde"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFEH02O", "worker_id": "A1NF6PELRKACS9"}], "B01JPENOTK": [{"asin": "B01JPENOTK", "instruction": "i need argan oil lotion for anti aging hair treatment.", "attributes": ["anti aging", "argan oil", "hair treatment"], "options": ["color: argan oil lotion"], "instruction_attributes": ["anti aging", "hair treatment"], "instruction_options": ["argan oil lotion"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHZQZ45", "worker_id": "ASWFLI3N8X72G"}], "B07KY81F8T": [{"asin": "B07KY81F8T", "instruction": "i am looking for a portable wireless security cameras with motion detection for home monitoring", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVAMV8E", "worker_id": "A258PTOZ3D2TQR"}], "B08PNW7WS8": [{"asin": "B08PNW7WS8", "instruction": "i'd like to buy some machine washable drapes for my living room. look for multicolored drapes that are one hundred and four by sixty-three inches.", "attributes": ["machine washable", "living room", "dining room"], "options": ["color: multi 60", "size: 104\" x 63\""], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["multi 60", "104\" x 63\""], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WWOF7J", "worker_id": "AR9AU5FY1S3RO"}], "B08MZ9HY8Y": [{"asin": "B08MZ9HY8Y", "instruction": "i want an o christmas tree, large christmas gift basket.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKPKEPC", "worker_id": "A2RBF3IIJP15IH"}], "B075H6L5RC": [{"asin": "B075H6L5RC", "instruction": "i want a satin nickel design house 578849 dane 4-light indoor bathroom vanity light.", "attributes": ["nickel finish", "vanity light"], "options": ["color: satin nickel", "size: 3-light"], "instruction_attributes": ["vanity light"], "instruction_options": ["satin nickel"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE21BQGM", "worker_id": "A2RBF3IIJP15IH"}], "B08Y6K393G": [{"asin": "B08Y6K393G", "instruction": "i would like a shower cap for my natural hair that has corgis on them.", "attributes": ["long lasting", "hair salon", "natural hair"], "options": ["color: cute corgi"], "instruction_attributes": ["natural hair"], "instruction_options": ["cute corgi"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4AURQR", "worker_id": "A2ECRNQ3X5LEXD"}], "B089GRDSCZ": [{"asin": "B089GRDSCZ", "instruction": "camera is easy carry and it's high resolution photo are there ,also size:8x6.5ft.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 8x6.5ft"], "instruction_attributes": ["high resolution", "easy carry"], "instruction_options": ["8x6.5ft"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQCX19K", "worker_id": "ASL9LVC97FUCZ"}], "B09MTLYMPM": [{"asin": "B09MTLYMPM", "instruction": "i am looking for women's high heel boots of 8.5 size and green one", "attributes": ["steel toe", "high heel", "rubber sole"], "options": ["color: green", "size: 8.5"], "instruction_attributes": ["high heel"], "instruction_options": ["green", "8.5"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSVVGLU", "worker_id": "A258PTOZ3D2TQR"}], "B08TR29R32": [{"asin": "B08TR29R32", "instruction": "i want to find a pair of construction work shoes that are black and gray with rubber soles. they should come in a size 8 and be extra wide.", "attributes": ["non slip", "steel toe", "rubber sole"], "options": ["color: black+gray", "size: 8 wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black+gray", "8 wide"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTTIE4F", "worker_id": "A345TDMHP3DQ3G"}], "B07ZHXJT92": [{"asin": "B07ZHXJT92", "instruction": "i am looking for a cupcake topper for a birthday party. also choose black color", "attributes": ["cupcake picks", "birthday party"], "options": ["color: black"], "instruction_attributes": ["birthday party"], "instruction_options": ["black"], "assignment_id": "3Z4AIRP3CHN69T8YYVQH3KF1XFNX1Y", "worker_id": "A2HMEGTAFO0CS8"}], "B08YY6XQGH": [{"asin": "B08YY6XQGH", "instruction": "i am looking for miracase glass case for iphone 12/ iphone 12 pro 6.1 inch with military grade protection support wireless charging without taking off the iphone 12/ iphone 12 pro. the 2 pieces design offers easy install only for iphone, cover the front case onto the face of iphone, purple color preferable.", "attributes": ["easy install", "glass screen", "tempered glass", "wireless charging"], "options": ["color: purple"], "instruction_attributes": ["easy install", "glass screen", "tempered glass", "wireless charging"], "instruction_options": ["purple"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VYPWY1", "worker_id": "A1DRKZ3SCLAS4V"}], "B08T21G734": [{"asin": "B08T21G734", "instruction": "i want to find a 3.5 foot printed backdrop that i can use for my digital photography.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 07", "size: 3x5 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 07", "3x5 ft"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QQROX6", "worker_id": "A345TDMHP3DQ3G"}], "B073BRKKV8": [{"asin": "B073BRKKV8", "instruction": "i am looking for mally beauty h3 hydrating concealer which glides on smoothly and easily, providing excellent coverage on the areas you need it the most. that is lightweight, creamy formula gives skin the look of radiance, blurring the appearance of imperfections and softening the look of fine lines. medium size preferable.", "attributes": ["anti aging", "hyaluronic acid"], "options": ["color: medium"], "instruction_attributes": ["anti aging", "hyaluronic acid"], "instruction_options": ["medium"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOIMDYC", "worker_id": "A1DRKZ3SCLAS4V"}], "B001H0FR6O": [{"asin": "B001H0FR6O", "instruction": "i want big & tall levi's men's 550 relaxed fit jeans.", "attributes": ["straight leg", "relaxed fit", "button closure"], "options": ["color: rinse", "fit type: big & tall", "size: 31w x 34l"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["big & tall"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIEXVFT", "worker_id": "A2RBF3IIJP15IH"}], "B09CNPZJTJ": [{"asin": "B09CNPZJTJ", "instruction": "i need some cupcake toppers for a baby shower.", "attributes": ["baby shower", "birthday party", "cupcake picks"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YW8Q3G", "worker_id": "AR9AU5FY1S3RO"}], "B08LPCBR3X": [{"asin": "B08LPCBR3X", "instruction": "i want a ownest 6 colors matte crayon lipstick for sensitive skin.", "attributes": ["long lasting", "natural ingredients", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKCL88M", "worker_id": "A2RBF3IIJP15IH"}], "B00VQS4IPS": [{"asin": "B00VQS4IPS", "instruction": "may you give me anti aging it cosmetics your skin but better cc+ airbrush perfecting powder in clor rich", "attributes": ["anti aging", "hyaluronic acid", "fine lines"], "options": ["color: rich (w)"], "instruction_attributes": [], "instruction_options": ["rich (w)"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZE5PRV", "worker_id": "A15IJ20C3R4HUO"}], "B0065PZY1O": [{"asin": "B0065PZY1O", "instruction": "i need a small chef jacket that has a button closure and is a charcoal color.", "attributes": ["moisture wicking", "polyester cotton", "short sleeve", "button closure"], "options": ["color: charcoal", "size: small"], "instruction_attributes": ["button closure"], "instruction_options": ["charcoal", "small"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOD5ATG", "worker_id": "A2ECRNQ3X5LEXD"}], "B072QY1N34": [{"asin": "B072QY1N34", "instruction": "i want a double sided pillow case that can be washed in a machine. choose a black and white one.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: black and white", "size: 26\" x 26\""], "instruction_attributes": ["double sided", "machine washable"], "instruction_options": ["black and white"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JYTEG4", "worker_id": "A1NF6PELRKACS9"}], "B07RM5BDTF": [{"asin": "B07RM5BDTF", "instruction": "i use olive color moisture wicking", "attributes": ["moisture wicking", "stretch fabric", "elastic waist"], "options": ["color: olive", "size: medium"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["olive"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OVF3MA", "worker_id": "A226L9F2AZ38CL"}], "B08WYD18X9": [{"asin": "B08WYD18X9", "instruction": "i am looking for twin size bed. color should be light grey.", "attributes": ["twin size", "space saving", "assembly required", "easy install", "wood frame", "box spring"], "options": ["color: light grey", "size: with 3 drawers"], "instruction_attributes": ["twin size"], "instruction_options": ["light grey"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W8GUOQ", "worker_id": "A3FG5PQHG5AH3Y"}], "B00CP53C6W": [{"asin": "B00CP53C6W", "instruction": "i am looking for a victorian style queen size bed.", "attributes": ["queen size", "white item"], "options": ["color: bronze", "size: queen", "style: bed"], "instruction_attributes": ["queen size"], "instruction_options": ["bed"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9D9ZRN", "worker_id": "A1EREKSZAA9V7B"}], "B09JKMM837": [{"asin": "B09JKMM837", "instruction": "i am looking for kitchen bar table set in industrial brown and black color with space saving, easy clean , easy assemble option", "attributes": ["heavy duty", "non slip", "space saving", "easy clean", "easy assemble", "dining room", "living room"], "options": ["color: industrial brown and black", "size: kitchen bar table set"], "instruction_attributes": ["space saving", "easy clean", "easy assemble"], "instruction_options": ["industrial brown and black", "kitchen bar table set"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQB26SY", "worker_id": "AX2EWYWZM19AZ"}], "B07TD6T9WP": [{"asin": "B07TD6T9WP", "instruction": "i am looking for a area rug for living room with easy to clean which is in rectangular shape. also choose gold color and 2ft 8in x 8ft in size", "attributes": ["easy clean", "dining room", "living room"], "options": ["color: gold", "item shape: rectangular", "size: 2 ft 8 in x 8 ft"], "instruction_attributes": ["easy clean", "living room"], "instruction_options": ["gold", "rectangular", "2 ft 8 in x 8 ft"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22JOW8P", "worker_id": "A2HMEGTAFO0CS8"}], "B07R1WCC3H": [{"asin": "B07R1WCC3H", "instruction": "i want a 52\"x84\" 100% blackout window curtain for my living room.", "attributes": ["machine washable", "easy install", "living room"], "options": ["color: love64cos5922", "size: 52\"x84\""], "instruction_attributes": ["living room"], "instruction_options": ["52\"x84\""], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY1CJ43", "worker_id": "A2RBF3IIJP15IH"}], "B08R3V8RC1": [{"asin": "B08R3V8RC1", "instruction": "i looking a fruit & nut bar low sodium low carb gluteen free having dietry fiber individually wrapped flavor cocoa & chocolate", "attributes": ["low sodium", "low carb", "gluten free", "low fat", "low calorie", "sugar free", "plant based", "individually wrapped", "non gmo", "dietary fiber"], "options": ["flavor name: cocoa & chocolate", "size: 80"], "instruction_attributes": ["low sodium", "low carb", "gluten free", "individually wrapped", "dietary fiber"], "instruction_options": ["cocoa & chocolate"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWZ45T5", "worker_id": "A3N9ZYQAESNFQH"}], "B08ZGWYWXS": [{"asin": "B08ZGWYWXS", "instruction": "i need a non gmo ginger candy pack with assorted flavors.", "attributes": ["non gmo", "gluten free", "individually wrapped", "simple ingredients"], "options": ["color: assorted 2", "size: 6 piece assortment"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["assorted 2"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYTCVHT", "worker_id": "A1NF6PELRKACS9"}], "B07GRQ7Q5F": [{"asin": "B07GRQ7Q5F", "instruction": "i need to buy a roller shade that's easy to install in my living room. get the mocha color, 79 inches wide.", "attributes": ["easy install", "living room"], "options": ["color: 11.mocha", "size: w79 3 | 4 x h95 (inch)"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["11.mocha", "w79 3 | 4 x h95 (inch)"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK66OYY1", "worker_id": "AR9AU5FY1S3RO"}], "B08PC4GGHL": [{"asin": "B08PC4GGHL", "instruction": "i am looking for verizon 700mhz cell phone signal booster which is easy to install with 4g lte. color 4g band 5 | 13 preferable.", "attributes": ["easy install", "4g lte"], "options": ["color: 4g band 5 | 13"], "instruction_attributes": ["easy install", "4g lte"], "instruction_options": ["4g band 5 | 13"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZIW9KU", "worker_id": "A1DRKZ3SCLAS4V"}], "B09B3RQZLM": [{"asin": "B09B3RQZLM", "instruction": "i want a pink long sleeved t-shirt in size 12.", "attributes": ["machine washable", "wash cold", "hand wash", "machine wash", "long sleeve", "dry clean"], "options": ["color: pink", "size: 12"], "instruction_attributes": ["long sleeve"], "instruction_options": ["pink", "12"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMP3W9B", "worker_id": "A1NF6PELRKACS9"}], "B09PL5QXZM": [{"asin": "B09PL5QXZM", "instruction": "i am looking for face mask brushes for easy apply and easy carry with color blue", "attributes": ["easy apply", "easy carry"], "options": ["color: blue"], "instruction_attributes": ["easy apply", "easy carry"], "instruction_options": ["blue"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0R4CAY", "worker_id": "AX2EWYWZM19AZ"}], "B096FJX5RM": [{"asin": "B096FJX5RM", "instruction": "i'm looking reddhoon 3 colors liquid glitter eyeshadow, i want color a12, show me the price too.", "attributes": ["long lasting", "highly pigmented", "eye shadow"], "options": ["color: a12"], "instruction_attributes": ["eye shadow"], "instruction_options": ["a12"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUKS4S7", "worker_id": "A15IJ20C3R4HUO"}], "B09KBZR5Y6": [{"asin": "B09KBZR5Y6", "instruction": "i want a blue high definition android tablet 8 inch.", "attributes": ["high performance", "high definition"], "options": ["color: blue"], "instruction_attributes": ["high definition"], "instruction_options": ["blue"], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM92H1I0", "worker_id": "A2RBF3IIJP15IH"}], "B08T2122SB": [{"asin": "B08T2122SB", "instruction": "i am looking for some keto snacks that are grain free.", "attributes": ["grain free", "high protein", "low carb", "low calorie", "keto friendly", "gluten free"], "options": [""], "instruction_attributes": ["grain free", "keto friendly"], "instruction_options": [], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVLNXLZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QV3RKCB": [{"asin": "B07QV3RKCB", "instruction": "i am looking for gluten free and grass fed patties - 6 chipotle chicken + 6 thai style turkey", "attributes": ["grass fed", "wild caught", "soy free", "dairy free", "gluten free", "quality ingredients"], "options": ["flavor name: 6 chipotle chicken + 6 thai style turkey"], "instruction_attributes": ["grass fed", "gluten free"], "instruction_options": ["6 chipotle chicken + 6 thai style turkey"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKKKVPW", "worker_id": "A258PTOZ3D2TQR"}], "B09S6LTK2D": [{"asin": "B09S6LTK2D", "instruction": "i am looking for low rise cotton underwear. please choose sky blue color.", "attributes": ["low rise", "machine wash"], "options": ["color: sky blue", "size: medium"], "instruction_attributes": ["low rise"], "instruction_options": ["sky blue"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRLNMF5", "worker_id": "A3FG5PQHG5AH3Y"}], "B088WFLJNF": [{"asin": "B088WFLJNF", "instruction": "i need a black henley that is made of cotton spandex.", "attributes": ["quick drying", "cotton spandex", "contrast color", "button closure", "short sleeve"], "options": ["color: a1 black", "size: x-large"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["a1 black", "x-large"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYWEPP0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QH2T5R3": [{"asin": "B09QH2T5R3", "instruction": "i am looking for purple color cotton heather assistants t-shirts for women with machine wash type and size : large", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: purple", "fit type: women", "size: large"], "instruction_attributes": ["machine wash", "cotton heather"], "instruction_options": ["purple", "women", "large"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZSD40O", "worker_id": "AX2EWYWZM19AZ"}], "B09PNKGWYX": [{"asin": "B09PNKGWYX", "instruction": "i am looking for black knee high winter boots for women.", "attributes": ["winter warm", "anti slip", "knee high", "arch support"], "options": ["color: a03-black", "size: 8.5"], "instruction_attributes": ["knee high"], "instruction_options": ["a03-black"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODMFEWZ", "worker_id": "A1EREKSZAA9V7B"}], "B09QCY1MGX": [{"asin": "B09QCY1MGX", "instruction": "i am looking for a light grey sectional couch that is easy to assemble for my living room.", "attributes": ["metal legs", "living room"], "options": ["color: light grey"], "instruction_attributes": ["living room"], "instruction_options": ["light grey"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK2478KNZ", "worker_id": "A1EREKSZAA9V7B"}], "B07XLG6HVZ": [{"asin": "B07XLG6HVZ", "instruction": "i am looking for a high performance desktop tower with core i5. also choose refurbished from certified dealers.", "attributes": ["certified refurbished", "high performance", "core i5"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance", "core i5"], "instruction_options": [], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH0J6HB", "worker_id": "A2HMEGTAFO0CS8"}], "B009JITV9U": [{"asin": "B009JITV9U", "instruction": "i am interested in flouride free mouthwash that is 1 oz", "attributes": ["fluoride free", "easy use", "natural ingredients", "bad breath", "fresh breath"], "options": ["size: 1 fl oz (pack of 2)"], "instruction_attributes": ["fluoride free"], "instruction_options": ["1 fl oz (pack of 2)"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMHTIZ5", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NBZ5ZTL": [{"asin": "B09NBZ5ZTL", "instruction": "i want a wireless bluetooth speaker,portable audio mini music player,usb easy to carry rechargble usb port color: pink", "attributes": ["usb port", "wireless bluetooth"], "options": ["color: pink"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["pink"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06LJKXK", "worker_id": "A3N9ZYQAESNFQH"}], "B091GZRZ6K": [{"asin": "B091GZRZ6K", "instruction": "i'd like to find a teeth whitening kit that is not only easy to carry but also delivers high quality results.", "attributes": ["teeth whitening", "easy carry", "high quality"], "options": [""], "instruction_attributes": ["teeth whitening", "easy carry", "high quality"], "instruction_options": [], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRELWNB", "worker_id": "A345TDMHP3DQ3G"}], "B08LQCB4WJ": [{"asin": "B08LQCB4WJ", "instruction": "i want to find a six-ounce plastic container jar that is leak proof and easy to use. ideally it will come in white.", "attributes": ["leak proof", "easy use"], "options": ["color: white", "size: 6 ounce"], "instruction_attributes": ["leak proof", "easy use"], "instruction_options": ["white", "6 ounce"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUAL9RI", "worker_id": "A345TDMHP3DQ3G"}], "B07LGK3XR5": [{"asin": "B07LGK3XR5", "instruction": "i am interested in living room pendant lights that are white.", "attributes": ["pendant light", "light fixture", "dining room", "living room"], "options": ["color: white color"], "instruction_attributes": ["pendant light", "living room"], "instruction_options": ["white color"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR47NFUN", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FQ6Y4N9": [{"asin": "B09FQ6Y4N9", "instruction": "find a red sweatshirt for a teen girl in size small.", "attributes": ["long sleeve", "teen girls"], "options": ["color: red", "size: small"], "instruction_attributes": ["teen girls"], "instruction_options": ["red", "small"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOIYL96", "worker_id": "AR9AU5FY1S3RO"}], "B084JTNDXH": [{"asin": "B084JTNDXH", "instruction": "i want to find 3 dozen cookies that are individually wrapped and baked fresh for valentine's day.", "attributes": ["baked fresh", "individually wrapped", "valentine day"], "options": ["size: 3 dozen"], "instruction_attributes": ["baked fresh", "individually wrapped", "valentine day"], "instruction_options": ["3 dozen"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SU7DUA", "worker_id": "A345TDMHP3DQ3G"}], "B07D9JJH67": [{"asin": "B07D9JJH67", "instruction": "i am looking for moisturizing shower gel with vegan , green tea and coconut oil and also mint argan scent", "attributes": ["cruelty free", "green tea", "coconut oil"], "options": ["scent: mint argan"], "instruction_attributes": ["green tea", "coconut oil"], "instruction_options": ["mint argan"], "assignment_id": "37TRT2X24116R7L1JO45INKV8T0BJ8", "worker_id": "AX2EWYWZM19AZ"}], "B07ST3YB1W": [{"asin": "B07ST3YB1W", "instruction": "i am looking for dell ultra small desktop computer with core i5 , 16gb ram , 256gb ssd and windows 10 pro", "attributes": ["core i5", "intel core"], "options": ["configuration: 16gb ram | 256gb ssd"], "instruction_attributes": ["core i5"], "instruction_options": ["16gb ram | 256gb ssd"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWY31R7", "worker_id": "AX2EWYWZM19AZ"}], "B096WSKLRV": [{"asin": "B096WSKLRV", "instruction": "i need a contemporary design acrylic leg bench for living room in navy velvet color.", "attributes": ["contemporary design", "living room"], "options": ["color: navy velvet", "size: acrylic legs bench"], "instruction_attributes": ["contemporary design", "living room"], "instruction_options": ["navy velvet", "acrylic legs bench"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P9VUBK", "worker_id": "ASWFLI3N8X72G"}], "B09R9PN89Q": [{"asin": "B09R9PN89Q", "instruction": "i need a machine washable costume tank top. pick a classic fit in navy.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: men", "size: large"], "instruction_attributes": ["machine wash", "classic fit"], "instruction_options": ["navy"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU8SMCR", "worker_id": "A1NF6PELRKACS9"}], "B07L9KXTM4": [{"asin": "B07L9KXTM4", "instruction": "show me this brand zeskit cinema plus 4k 1.5ft (2-pack) i'm looking for high speed with ethernet 22.28gbps hdmi 2.0b cable.", "attributes": ["gold plated", "high speed"], "options": [""], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX4UFAA", "worker_id": "A15IJ20C3R4HUO"}], "B09RBB5DTP": [{"asin": "B09RBB5DTP", "instruction": "i need a loose fitting tee for daily wear. find a x-large shirt.", "attributes": ["moisture wicking", "loose fit", "slim fit", "short sleeve", "long sleeve", "teen girls", "daily wear"], "options": ["color: a15 oversized tee dark gray", "size: x-large"], "instruction_attributes": ["loose fit", "daily wear"], "instruction_options": ["x-large"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY866C81Z", "worker_id": "A1NF6PELRKACS9"}], "B07ZXFTJ67": [{"asin": "B07ZXFTJ67", "instruction": "i want spicy beef meat and cheese gift baskets.", "attributes": ["shelf stable", "gift basket", "great gift"], "options": ["color: spicy beef"], "instruction_attributes": ["gift basket"], "instruction_options": ["spicy beef"], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM92KI1K", "worker_id": "A2RBF3IIJP15IH"}], "B0797QCG79": [{"asin": "B0797QCG79", "instruction": "i need a white high heel pump shoes with a rubber sole.", "attributes": ["high heel", "rubber sole"], "options": ["color: white-matt", "size: 8.5"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["white-matt"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGJE0OV", "worker_id": "A1NF6PELRKACS9"}], "B010AJ5DXY": [{"asin": "B010AJ5DXY", "instruction": "i need a plant based cleansing conditioner with coconut oil in it.", "attributes": ["plant based", "tea tree", "coconut oil", "natural ingredients"], "options": [""], "instruction_attributes": ["plant based", "coconut oil"], "instruction_options": [], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLX7YBN", "worker_id": "A1NF6PELRKACS9"}], "B09DVP1Z8Q": [{"asin": "B09DVP1Z8Q", "instruction": "i am interested in monoculars that are good for bird watching.", "attributes": ["high power", "easy use", "dust proof", "water resistant", "easy carry", "easy install", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39C7CZV", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NJN4VJT": [{"asin": "B07NJN4VJT", "instruction": "i need a black camo headset with stereo sound and noise cancelling microphone.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: black camo"], "instruction_attributes": ["noise cancelling", "stereo sound"], "instruction_options": ["black camo"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPKP6ET", "worker_id": "ASWFLI3N8X72G"}], "B0819ZH1RC": [{"asin": "B0819ZH1RC", "instruction": "i want coconut scented hask invigorating tea tree oil.", "attributes": ["sulfate free", "paraben free", "tea tree", "hair styling", "damaged hair", "dry hair"], "options": ["scent: coconut monoi"], "instruction_attributes": ["tea tree"], "instruction_options": ["coconut monoi"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYMIM60", "worker_id": "A2RBF3IIJP15IH"}], "B09MLRX3H7": [{"asin": "B09MLRX3H7", "instruction": "i need a grey twin sized bed.", "attributes": ["twin size", "white item", "wood frame", "box spring"], "options": ["color: grey+slide"], "instruction_attributes": ["twin size"], "instruction_options": ["grey+slide"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQYGNZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B096FSKXTD": [{"asin": "B096FSKXTD", "instruction": "i want by a haoch cotton spa massage treatment table bed cover eco friendly, size 70x190cm please show me.", "attributes": ["eco friendly", "beauty salon"], "options": ["color: a", "size: 70x190cm"], "instruction_attributes": ["eco friendly"], "instruction_options": ["70x190cm"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWOTW6Y", "worker_id": "A15IJ20C3R4HUO"}], "B07MTLTRHD": [{"asin": "B07MTLTRHD", "instruction": "i am looking for a office chair ready use assembly required color: heron with tilt feature", "attributes": ["ready use", "assembly required", "lumbar support"], "options": ["color: heron | with tilt feature"], "instruction_attributes": ["ready use", "assembly required"], "instruction_options": ["heron | with tilt feature"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMP6W9E", "worker_id": "A3N9ZYQAESNFQH"}], "B09DPXST7F": [{"asin": "B09DPXST7F", "instruction": "i like motion detection machine in white color", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4821KYP6", "worker_id": "A226L9F2AZ38CL"}], "B09PJDHN14": [{"asin": "B09PJDHN14", "instruction": "i am looking for long sleeve wide leg daily casual medium size jumpsuit for young woman color :b-white", "attributes": ["daily casual", "wide leg", "machine wash", "long sleeve", "polyester spandex"], "options": ["color: b-white", "size: medium"], "instruction_attributes": ["daily casual", "wide leg", "long sleeve"], "instruction_options": ["b-white", "medium"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2MBL5B", "worker_id": "A3N9ZYQAESNFQH"}], "B001BM4RC8": [{"asin": "B001BM4RC8", "instruction": "i need unsalted blue corn tortillas which are non gmo, gluten free and are certified organic.", "attributes": ["certified organic", "non gmo", "gluten free", "artificial flavors"], "options": ["flavor name: unsalted blue corn"], "instruction_attributes": ["certified organic", "non gmo", "gluten free"], "instruction_options": ["unsalted blue corn"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVN9JK0", "worker_id": "ASWFLI3N8X72G"}], "B08F4WC928": [{"asin": "B08F4WC928", "instruction": "i am looking wireless home security camera for motion detection 1080hd", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": [], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX4YFAE", "worker_id": "A3N9ZYQAESNFQH"}], "B08738RTBF": [{"asin": "B08738RTBF", "instruction": "i want to find a pair of black men's workout shorts with an elastic waistband. the shorts need to be in size 30.", "attributes": ["elastic waistband", "polyester spandex"], "options": ["color: #1 black", "size: 30"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["#1 black", "30"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX7IFCF", "worker_id": "A345TDMHP3DQ3G"}], "B08JG22BX6": [{"asin": "B08JG22BX6", "instruction": "i want to find a mini home security camera that has a motion detection feature.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAU9OC9L", "worker_id": "A345TDMHP3DQ3G"}], "B08L24QYC1": [{"asin": "B08L24QYC1", "instruction": "i am looking for stirrings simple cosmopolitan non-alcoholic cocktail mix which is non alcoholic and made up with real fruit. cosmopolitan cocktail mix flavor preferable.", "attributes": ["non alcoholic", "real fruit"], "options": ["flavor: cosmopolitan cocktail mix"], "instruction_attributes": ["non alcoholic", "real fruit"], "instruction_options": ["cosmopolitan cocktail mix"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKAJNEP", "worker_id": "A1DRKZ3SCLAS4V"}], "B07PRFZ25L": [{"asin": "B07PRFZ25L", "instruction": "i need a background for digital photography that is 10ft by 7ft.", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 10x7ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["10x7ft"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW3A4T0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H5GJCML": [{"asin": "B09H5GJCML", "instruction": "i am interested in a home theatre system that has stereo sound", "attributes": ["ultra hd", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "326O153BMT8RVOXTJJKKGXV366DDET", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TLNZL9W": [{"asin": "B07TLNZL9W", "instruction": "i want an officially licensed navy teenage mutant ninja turtles chillin' tank top.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: women", "size: medium"], "instruction_attributes": ["officially licensed"], "instruction_options": ["navy"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZK1R7S", "worker_id": "A2RBF3IIJP15IH"}], "B003EWKPSI": [{"asin": "B003EWKPSI", "instruction": "for my work i want pro studio solutions ez pro beauty dish octagon softbox 60in (150 cm) with speedring, sturdy. contact me if you find", "attributes": ["high power", "heavy duty"], "options": ["size: 60in (150cm)", "style: photogenic"], "instruction_attributes": ["heavy duty"], "instruction_options": ["60in (150cm)"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA70WHMU", "worker_id": "A15IJ20C3R4HUO"}], "B08S7F8F17": [{"asin": "B08S7F8F17", "instruction": "i am looking for a hand decorated valentine day cookies gift set. it should be perfect.", "attributes": ["valentine day", "perfect gift"], "options": [""], "instruction_attributes": ["valentine day", "perfect gift"], "instruction_options": [], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AP8WBN", "worker_id": "A1NF6PELRKACS9"}], "B0885R9QCJ": [{"asin": "B0885R9QCJ", "instruction": "i need to buy some shave oil for dry skin with argan oil in it.", "attributes": ["argan oil", "dry skin"], "options": [""], "instruction_attributes": ["argan oil", "dry skin"], "instruction_options": [], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQSGNT", "worker_id": "AR9AU5FY1S3RO"}], "B005II6BUC": [{"asin": "B005II6BUC", "instruction": "i want to find an 11 inch light fixture with a bronze finish that i can put outside.", "attributes": ["bronze finish", "light fixture"], "options": ["size: 11\" w led"], "instruction_attributes": ["bronze finish", "light fixture"], "instruction_options": ["11\" w led"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBUFNV", "worker_id": "A345TDMHP3DQ3G"}], "B09287QZSX": [{"asin": "B09287QZSX", "instruction": "i want to find a black-colored waxing kit for women that can help remove hair using natural ingredients.", "attributes": ["natural ingredients", "hair removal"], "options": ["color: black"], "instruction_attributes": ["natural ingredients", "hair removal"], "instruction_options": ["black"], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8OPQQM", "worker_id": "A345TDMHP3DQ3G"}], "B09JZF19JN": [{"asin": "B09JZF19JN", "instruction": "i'm looking for fine mist it can the bottle continues the stream of water.", "attributes": ["leak proof", "fine mist"], "options": [""], "instruction_attributes": ["fine mist"], "instruction_options": [], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98SYYKR", "worker_id": "A16IQOX0DK14OJ"}], "B09PJP57GD": [{"asin": "B09PJP57GD", "instruction": "i am looking for a men's t-shirt with a fruit motif that is machine washable.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: men", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["men"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXRHO5W", "worker_id": "A1EREKSZAA9V7B"}], "B08VRBPZJF": [{"asin": "B08VRBPZJF", "instruction": "i am in need of memory foam slippers that are in a size 5.5.-7.5 women.", "attributes": ["officially licensed", "loose fit", "memory foam"], "options": ["color: nc state wolfpack", "size: 5.5-7.5 women | 4.5-6.5 men"], "instruction_attributes": ["memory foam"], "instruction_options": ["5.5-7.5 women | 4.5-6.5 men"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL27RVJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MKW5WTF": [{"asin": "B09MKW5WTF", "instruction": "i like ax color synthetic hair", "attributes": ["hair extensions", "synthetic hair"], "options": ["color: a"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["a"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCNSBM9", "worker_id": "A226L9F2AZ38CL"}], "B092DDRXTQ": [{"asin": "B092DDRXTQ", "instruction": "it was time for his food high density breakfast, so kitchen background color is black", "attributes": ["high density", "lumbar support"], "options": ["color: black"], "instruction_attributes": ["high density"], "instruction_options": ["black"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NIZKBF", "worker_id": "ASL9LVC97FUCZ"}], "B09RH5VMGX": [{"asin": "B09RH5VMGX", "instruction": "i am looking for a swimsuit with tummy control for a women. also choose navy color and small size.", "attributes": ["high waist", "tummy control"], "options": ["color: a1_navy", "size: small"], "instruction_attributes": ["tummy control"], "instruction_options": ["a1_navy", "small"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM4HHZE", "worker_id": "A2HMEGTAFO0CS8"}], "B07V6D1G16": [{"asin": "B07V6D1G16", "instruction": "i am looking for a women's wine red prom dress with a lace closure.", "attributes": ["lace closure", "drawstring closure"], "options": ["color: wine red", "size: 16 plus"], "instruction_attributes": ["lace closure"], "instruction_options": ["wine red"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYQRZOG", "worker_id": "A1EREKSZAA9V7B"}], "B085YB2DRL": [{"asin": "B085YB2DRL", "instruction": "i am interested in some chocolate grain free granola.", "attributes": ["grain free", "gluten free", "non gmo"], "options": ["flavor name: chocolate", "size: 8 ounce (pack of 3)"], "instruction_attributes": ["grain free"], "instruction_options": ["chocolate"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKKLVPX", "worker_id": "A2ECRNQ3X5LEXD"}], "B07K1MJP78": [{"asin": "B07K1MJP78", "instruction": "i want to find a gold pendant light for my living room ceiling.", "attributes": ["pendant light", "living room", "dining room"], "options": ["color: gold"], "instruction_attributes": ["pendant light", "living room"], "instruction_options": ["gold"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQCW91R", "worker_id": "A345TDMHP3DQ3G"}], "B09C8D3ZHK": [{"asin": "B09C8D3ZHK", "instruction": "i need some folding tables that are easy to assemble and are white.", "attributes": ["easy assemble", "dining room"], "options": ["color: white", "size: 80*40cm | 31*16in"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57E2I9N", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JRKJ35C": [{"asin": "B09JRKJ35C", "instruction": "painting my living room with multi 31 color", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 31", "size: queen"], "instruction_attributes": ["living room"], "instruction_options": ["multi 31"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNZ2TPC", "worker_id": "A226L9F2AZ38CL"}], "B01IP5MBSU": [{"asin": "B01IP5MBSU", "instruction": "i am looking for wireless bluetooth speaker.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCNQBM7", "worker_id": "A3FG5PQHG5AH3Y"}], "B01I5N7JMU": [{"asin": "B01I5N7JMU", "instruction": "i want to find a rinse that can treat my hair and promote hair growth.", "attributes": ["hair treatment", "hair growth", "dead skin"], "options": [""], "instruction_attributes": ["hair treatment", "hair growth"], "instruction_options": [], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGC4S9P", "worker_id": "A345TDMHP3DQ3G"}], "B08QVM52CQ": [{"asin": "B08QVM52CQ", "instruction": "i need a cake topper for a birthday party", "attributes": ["baby shower", "birthday party", "cupcake picks", "party supplies"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q4SII9", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B9WRP24": [{"asin": "B09B9WRP24", "instruction": "i want to find a pair of pink women's sneakers with good arch support. they need to come in a size 8.5.", "attributes": ["non slip", "arch support", "ankle strap"], "options": ["color: z6-pink", "size: 8.5"], "instruction_attributes": ["arch support"], "instruction_options": ["z6-pink", "8.5"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZQK3K5", "worker_id": "A345TDMHP3DQ3G"}], "B016B10NAS": [{"asin": "B016B10NAS", "instruction": "i would like a extra round 53mm brush for hair styling.", "attributes": ["hair styling", "hair growth"], "options": ["style: extra round brush 53mm"], "instruction_attributes": ["hair styling"], "instruction_options": ["extra round brush 53mm"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0WICCX", "worker_id": "A1WS884SI0SLO4"}], "B092V9RY16": [{"asin": "B092V9RY16", "instruction": "i want to find a silver case with a glass screen protector for my phone.", "attributes": ["case cover", "glass screen", "tempered glass"], "options": ["color: silver"], "instruction_attributes": ["case cover", "glass screen"], "instruction_options": ["silver"], "assignment_id": "33TIN5LC0FKDY31374RC144TXX4Y9D", "worker_id": "A345TDMHP3DQ3G"}], "B09DV1GMLP": [{"asin": "B09DV1GMLP", "instruction": "i am looking for gua sha facial tools set which mattifying face roller for oily and acne prone skin, dark circles, fine lines beauty tools and high-pigment, the bold color makeup.", "attributes": ["dark circles", "fine lines"], "options": [""], "instruction_attributes": ["dark circles", "fine lines"], "instruction_options": [], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JYVEG6", "worker_id": "A1DRKZ3SCLAS4V"}], "B09D7TVJKT": [{"asin": "B09D7TVJKT", "instruction": "a bath sponge for bathing remove dead skin easy clean pink color size 8.5*6 inch", "attributes": ["easy clean", "dead skin", "hair growth"], "options": ["color: pink", "size: 8.5x6inch"], "instruction_attributes": ["easy clean", "dead skin"], "instruction_options": ["pink", "8.5x6inch"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0WDPXG", "worker_id": "A3N9ZYQAESNFQH"}], "B07PK1NZY6": [{"asin": "B07PK1NZY6", "instruction": "i want an officially licensed white marvel guardians of the galaxy retro logo tee.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: men", "size: medium"], "instruction_attributes": ["officially licensed"], "instruction_options": ["white"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0USCC3", "worker_id": "A2RBF3IIJP15IH"}], "B07QBPL36R": [{"asin": "B07QBPL36R", "instruction": "i am looking for sugar free beverages with lemonade and 0.14 ounce (pack of 4)", "attributes": ["sugar free", "zero sugar"], "options": ["flavor name: lemonade", "size: 0.14 ounce (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["lemonade", "0.14 ounce (pack of 4)"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRRDBZT", "worker_id": "AX2EWYWZM19AZ"}], "B07JMF85DY": [{"asin": "B07JMF85DY", "instruction": "search the electronics department, computers & tablets for a renewed rugged 11.6 inch screen with 8 gigabytes of data. model number 7202. must be certified refurbished and high performance.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance"], "instruction_options": [], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMOMXEC", "worker_id": "A3RGIKEI8JS2QG"}], "B0962P6LCS": [{"asin": "B0962P6LCS", "instruction": "i am looking for ataiwee women's wide width ballet flats which is well made of soft leather, flexible tpr out-sole, lightweight and comfortable. tan 1905019-5, 9 wide size preferable.", "attributes": ["anti slip", "rubber sole"], "options": ["color: tan 1905019-5", "size: 9 wide"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["9 wide"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNVAH89", "worker_id": "A1DRKZ3SCLAS4V"}], "B07DKVQTXT": [{"asin": "B07DKVQTXT", "instruction": "i'm looking for a solid wood bookcase in espresso color. would prefer it to be in the size of 5-shelf.", "attributes": ["white item", "contemporary design", "white finish", "solid wood", "storage space"], "options": ["color: espresso (new)", "size: 5-shelf"], "instruction_attributes": ["solid wood"], "instruction_options": ["espresso (new)", "5-shelf"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HONWON", "worker_id": "A20DUVEOH6A7KW"}], "B000R30X2A": [{"asin": "B000R30X2A", "instruction": "i want capri sun pacific cooler mixed fruit naturally flavored juice drinks.", "attributes": ["natural ingredients", "artificial colors", "high fructose"], "options": ["flavor name: pacific cooler", "size: 6 fl oz (pack of 10)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["pacific cooler"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQKM314", "worker_id": "A2RBF3IIJP15IH"}], "B07LC6DF3G": [{"asin": "B07LC6DF3G", "instruction": "i want to find high volume 71a mink lashes that are cruelty-free and easy to apply.", "attributes": ["high quality", "easy apply", "cruelty free"], "options": ["style: 71a"], "instruction_attributes": ["easy apply", "cruelty free"], "instruction_options": ["71a"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3RAZ97", "worker_id": "A345TDMHP3DQ3G"}], "B07TB1TCXK": [{"asin": "B07TB1TCXK", "instruction": "i am looking for protein bites by protein power ball organic plant based pumpkin protein powder ideal for healthy, on the go nutrition for men, women, and kids. usda organic, vegan, gluten free, dairy free, lactose free, low net carbs, no added sugar, soy free, kosher, non gmo, carrageenan free, and no artificial ingredients 4.5 ounce (pack of 4) preferable.", "attributes": ["soy free", "dairy free", "gluten free", "protein serving", "keto friendly", "high protein", "plant based", "non gmo", "resealable bag"], "options": ["flavor name: pumpkin", "size: 4.5 ounce (pack of 4)"], "instruction_attributes": ["soy free", "dairy free", "gluten free", "protein serving", "keto friendly", "high protein", "plant based", "non gmo", "resealable bag"], "instruction_options": ["pumpkin", "4.5 ounce (pack of 4)"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0SAAR5", "worker_id": "A1DRKZ3SCLAS4V"}], "B00286361O": [{"asin": "B00286361O", "instruction": "i want to find a six-pack of 32 ounce packages of raisins that have no added artificial flavors.", "attributes": ["non gmo", "low fat", "artificial flavors"], "options": ["size: 32 ounce (pack of 6)"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["32 ounce (pack of 6)"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X5TGPP", "worker_id": "A345TDMHP3DQ3G"}], "B09436HZFC": [{"asin": "B09436HZFC", "instruction": "i am looking for natural flavor clear fruit water 20 ounce bottles non carbonated water beverage which is caffeine free . 6 flavor sampler flavor preferable.", "attributes": ["caffeine free", "natural flavors"], "options": ["flavor name: 6 flavor sampler"], "instruction_attributes": ["caffeine free", "natural flavors"], "instruction_options": ["6 flavor sampler"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYBPIE4", "worker_id": "A1DRKZ3SCLAS4V"}], "B09PV47N89": [{"asin": "B09PV47N89", "instruction": "i am looking for 10x10ft | 3x3m high resolution backdrops for photo studio", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a31", "size: 10x10ft | 3x3m"], "instruction_attributes": ["high resolution"], "instruction_options": ["10x10ft | 3x3m"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBEAJDL", "worker_id": "A258PTOZ3D2TQR"}], "B09QZPKF8N": [{"asin": "B09QZPKF8N", "instruction": "i am looking for twin bunk bed with slide & ladder , assembly required and also color is black", "attributes": ["assembly required", "box spring"], "options": ["color: black", "style: twin size loft bed with desk&shelves"], "instruction_attributes": ["assembly required"], "instruction_options": ["black"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IP4TLH", "worker_id": "AX2EWYWZM19AZ"}], "B08TM1D58H": [{"asin": "B08TM1D58H", "instruction": "i want to find a white security camera that is easy to install.", "attributes": ["easy install", "aaa batteries", "stainless steel"], "options": ["color: 2.white"], "instruction_attributes": ["easy install"], "instruction_options": ["2.white"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUAS9RP", "worker_id": "A345TDMHP3DQ3G"}], "B074W81C8L": [{"asin": "B074W81C8L", "instruction": "i want an xx-large light grey colored jogger pants with zipper pockets.", "attributes": ["light weight", "drawstring closure", "elastic waist", "gym workout"], "options": ["color: 02 light grey", "size: xx-large"], "instruction_attributes": ["light weight"], "instruction_options": ["xx-large"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BLGVJY", "worker_id": "A1NF6PELRKACS9"}]} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/env.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/env.py new file mode 100644 index 00000000..d9ba158a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/env.py @@ -0,0 +1,238 @@ +import sys +import json +import random +from os.path import join, dirname, abspath +from collections import defaultdict + +# connect to WebShop env +MODEL_PATH = dirname(abspath(__file__)) +SITE_PATH = join(MODEL_PATH, '../') +sys.path.insert(0, SITE_PATH) + +from web_agent_site.envs import WebAgentTextEnv +from web_agent_site.utils import * +from web_agent_site.engine.goal import get_reward + + +class WebEnv: + ''' A wrapper of textEnv for models. Returns valid actions at each step of the game. ''' + + def __init__(self, args, split, server=None, id=None): + self.env = WebAgentTextEnv(observation_mode=args.state_format, server=server, + filter_goals=None, limit_goals=-1, + num_products=args.num, human_goals=args.human_goals, + get_image=args.get_image, + num_prev_obs=args.num_prev_obs, num_prev_actions=args.num_prev_actions, + session_prefix=id) + if args.num is None: + if split == 'test': + self.goal_idxs = range(500) + elif split == 'eval': + self.goal_idxs = range(500, 1500) + elif split == 'train': + self.goal_idxs = range(1500, len(self.env.server.goals)) + else: + self.goal_idxs = range(len(self.env.server.goals)) + + print(self.goal_idxs) + + self.steps = 0 + self.step_limit = args.step_limit + self.stats = defaultdict(int) # kept across episodes + self.session = None + self.click_item_name = args.click_item_name + self.asin2name = {k.lower(): v['Title'].lower( + ) for k, v in self.env.server.product_item_dict.items()} + self.name2asin = {v: k for k, v in self.asin2name.items()} + self.attributes_fail = defaultdict(int) + self.attributes_success = defaultdict(int) + self.items_clicked = defaultdict(int) + self.harsh_reward = args.harsh_reward + self.go_to_item = args.go_to_item + self.go_to_search = args.go_to_search + self.ban_buy = args.ban_buy + self.prev_ob = self.cur_ob = None + self.get_image = args.get_image + self.item_rank = -1 + self.reduce_click = 1 + + if args.extra_search_path != "": + self.extra_search = json.load(open(args.extra_search_path)) + self.extra_search = { + k.strip("."): v for k, v in self.extra_search.items()} + else: + self.extra_search = None + + def get_search_texts(self, atts, query, inst): + # TODO: make it more complicated, or replace it with free-form generation + if self.extra_search is not None: + if ", and price lower than" in inst: + idx = inst.find(", and price lower than") + inst_ = inst[:idx] + else: + inst_ = inst + texts = self.extra_search.get(inst_, []) + [inst.lower()] + else: + texts = [query] + \ + [f'{att} {query}' for att in atts] + [inst.lower()] + return texts + + def get_valid_actions(self): + valid_info = self.env.get_available_actions() + if valid_info['has_search_bar']: # only search action available + atts = self.session['goal']['attributes'] + query = self.session['goal']['query'] + inst = self.session['goal']['instruction_text'] + texts = self.get_search_texts(atts, query, inst) + valids = [f'search[{text}]' for text in texts] + else: + valids = [] # and text.startswith('b')] + for text in valid_info['clickables']: + # ban buy when options not completed + if text == 'buy now' and self.ban_buy: + cur_options = len(self.session['options']) + all_options = len( + self.env.server.product_item_dict[self.session["asin"]]['customization_options']) + if cur_options != all_options: + continue + if text != 'search': + if self.click_item_name and text in self.asin2name: + text = 'item - ' + self.asin2name[text] + valids.append(f'click[{text}]') + # do some action space reduction... + if self.reduce_click and len(valids) > 20: + valids = valids[:6] + random.sample(valids[6:], 10) + if len(valids) == 0: + valids = ['finish'] + return valids + + def score(self): + """ + Calculate the score of the current state. + """ + valid_acts = self.get_valid_actions() + if 'click[description]' not in valid_acts: + return 0.0 + product = self.env.server.product_item_dict[self.session["asin"]] + goal = self.session['goal'] + price = self.env.server.product_prices.get(self.session["asin"]) + options = self.session['options'] + return get_reward(product, goal, price, options) + + def estimate_score(self, atts, opts, verify=False): + """ + Calculate the score of the current state. + """ + valid_acts = self.get_valid_actions() + assert 'click[description]' in valid_acts + # estimate r_att + desc = self.step('click[description]')[0].lower() + self.step('click[< prev]') + feat = self.step('click[features]')[0].lower() + ob = self.step('click[< prev]')[0].lower() + n_att = 0 + for att in atts: + if att in desc or att in feat or att in ob: + n_att += 1 + r_att = n_att / len(atts) + # estimate r_opt + n_opt = 0 + for opt in opts: + for act in valid_acts: + if opt in act: + n_opt += 1 + break + r_opt = n_opt / len(opts) + + r = (n_att + n_opt + 1) / (len(atts) + len(opts) + 1) + return r, r_att, r_opt + + def step(self, action): + if self.click_item_name and action.startswith('click[item - ') and action[13:-1] in self.name2asin: + valid_items = [_ for _ in self.get_valid_actions() + if _.startswith('click[item - ')] + if action in valid_items: + self.item_rank = valid_items.index(action) + 1 + else: + self.item_rank = -1 + action = f'click[{self.name2asin[action[13:-1]]}]' + + ob, reward, done, info = self.env.step(action) + + if action.startswith('click[') and action[6:-1] in self.asin2name: + self.items_clicked[action[6:-1]] += 1 + desc = self.env.step('click[description]')[0].lower() + self.env.step('click[< prev]') + feat = self.env.step('click[features]')[0].lower() + self.env.step('click[< prev]') + else: + desc = feat = '' + r_visit = 0.0 + self.cur_ob, self.prev_ob = ob, self.cur_ob + if info is None: + info = {} + self.steps += 1 + if self.step_limit and self.steps >= self.step_limit: + done = True + if done: + info['verbose'] = self.session.get('verbose_info', { + 'r_att': 0.0, 'r_option': 0.0, 'r_price': 0.0, 'r_type': 0.0, 'w_att': 0.0, 'w_option': 0.0, 'w_price': 0.0}) + verbose = info['verbose'] + verbose['r_harsh'] = (reward == 1) + verbose['r_exact'] = (reward == 1) and ( + self.session['goal']['asin'] == self.session['asin']) + verbose['r_norm'] = reward / self.steps + verbose['r_visit'] = r_visit + verbose['rank_item'] = self.item_rank + # log reward with respect to #options + if self.harsh_reward: + reward = verbose['r_harsh'] + for k, v in self.session['actions'].items(): + self.stats[f'action_{k}'] += v + cat = self.session['goal']['category'] + self.stats[f'cat_{cat}'] += 1 + for att in self.session['goal']['attributes']: + if att in info['verbose'].get('purchased_attrs', []): + self.attributes_success[att] += 1 + else: + self.attributes_fail[att] += 1 + + info.update({'valid': self.get_valid_actions(), 'goal': self.env.instruction_text, + 'score': reward * 10, 'estimate_score': self.score(), + 'prev_ob': self.prev_ob, 'desc': desc, 'feat': feat + }) + + if self.get_image: + image_feat = self.env.get_image() + info['image_feat'] = image_feat + + return ob, (reward + r_visit) * 10, done, info + + def reset(self, idx=None): + if idx is None: + idx = random.sample(self.goal_idxs, k=1)[0] + ob, info = self.env.reset(idx) + self.session = self.env.server.user_sessions[self.env.session] + if info is None: + info = {} + self.cur_ob, self.prev_ob = ob, None + info.update({'valid': self.get_valid_actions(), 'goal': self.env.instruction_text, + 'score': 0, 'estimate_score': self.score(), + 'prev_ob': self.prev_ob, 'desc': '', 'feat': '' + }) + self.steps = 0 + if self.go_to_search or self.go_to_item: + name = self.session['goal']['name'].lower() + ob, _, _, info = self.step(f'search[{name}]') + self.stats['action_go_to_search'] += 1 + if self.go_to_item: + asin = self.session['goal']['asin'].lower() + if asin in self.env.get_available_actions()['clickables']: + ob, _, _, info = self.step(f'click[{asin}]') + self.stats['action_go_to_item'] += 1 + + self.item_rank = -1 + return ob, info + + def close(self): + self.env.close() diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/generate_search.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/generate_search.py new file mode 100644 index 00000000..11beb394 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/generate_search.py @@ -0,0 +1,34 @@ +import json +import time + +import torch +from tqdm import tqdm +from transformers import BartForConditionalGeneration + +from train_search import get_data, get_dataset, tokenizer + +if __name__ == "__main__": + model = BartForConditionalGeneration.from_pretrained( + './ckpts/web_search/checkpoint-800') + model.eval() + model = model.to('cuda') + dataset = get_dataset("web_search") + dataloader = torch.utils.data.DataLoader(dataset["all"], batch_size=32) + _, all_goals = get_data("all") + all_dec = [] + for batch in tqdm(dataloader): + output = model.generate( + input_ids=batch["input_ids"].to('cuda'), + attention_mask=batch["attention_mask"].to('cuda'), + num_beams=10, num_return_sequences=10, + max_length=512, early_stopping=True + ) + dec = tokenizer.batch_decode( + output, skip_special_tokens=True, clean_up_tokenization_spaces=False) + assert len(dec) % 10 == 0 + for i in range(len(dec) // 10): + all_dec.append(dec[i*10:(i+1)*10]) + assert len(all_goals) == len(all_dec) + d = {goal: dec for goal, dec in zip(all_goals, all_dec)} + with open('./data/goal_query_predict.json', 'w') as f: + json.dump(d, f) diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/logger.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/logger.py new file mode 100644 index 00000000..d47e7c9c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/logger.py @@ -0,0 +1,542 @@ +import os +import sys +import shutil +import os.path as osp +import json +import time +import datetime +import tempfile +from collections import defaultdict +import wandb + +DEBUG = 10 +INFO = 20 +WARN = 30 +ERROR = 40 + +DISABLED = 50 + + +class KVWriter(object): + def writekvs(self, kvs): + raise NotImplementedError + + +class SeqWriter(object): + def writeseq(self, seq): + raise NotImplementedError + + +class HumanOutputFormat(KVWriter, SeqWriter): + def __init__(self, filename_or_file): + if isinstance(filename_or_file, str): + self.file = open(filename_or_file, 'wt') + self.own_file = True + else: + assert hasattr(filename_or_file, 'read'), 'expected file or str, got %s' % filename_or_file + self.file = filename_or_file + self.own_file = False + + def writekvs(self, kvs): + # Create strings for printing + key2str = {} + for (key, val) in sorted(kvs.items()): + if isinstance(val, float): + valstr = '%-8.3g' % (val,) + else: + valstr = str(val) + key2str[self._truncate(key)] = self._truncate(valstr) + + # Find max widths + if len(key2str) == 0: + print('WARNING: tried to write empty key-value dict') + return + else: + keywidth = max(map(len, key2str.keys())) + valwidth = max(map(len, key2str.values())) + + # Write out the data + dashes = '-' * (keywidth + valwidth + 7) + lines = [dashes] + for (key, val) in sorted(key2str.items()): + lines.append('| %s%s | %s%s |' % ( + key, + ' ' * (keywidth - len(key)), + val, + ' ' * (valwidth - len(val)), + )) + lines.append(dashes) + self.file.write('\n'.join(lines) + '\n') + + # Flush the output to the file + self.file.flush() + + def _truncate(self, s): + return s[:20] + '...' if len(s) > 23 else s + + def writeseq(self, seq): + seq = list(seq) + for (i, elem) in enumerate(seq): + self.file.write(elem) + if i < len(seq) - 1: # add space unless this is the last one + self.file.write(' ') + self.file.write('\n') + self.file.flush() + + def close(self): + if self.own_file: + self.file.close() + + +class JSONOutputFormat(KVWriter): + def __init__(self, filename): + self.file = open(filename, 'wt') + + def writekvs(self, kvs): + for k, v in sorted(kvs.items()): + if hasattr(v, 'dtype'): + v = v.tolist() + kvs[k] = float(v) + self.file.write(json.dumps(kvs) + '\n') + self.file.flush() + + def close(self): + self.file.close() + + +class WandBOutputFormat(KVWriter): + def __init__(self, filename): + group = None + if filename.endswith('trial'): + group = filename[:-6] + wandb.init(project='web_drrn', name=filename, group=group) + + def writekvs(self, kvs): + wandb.log(kvs) + + def close(self): + pass + + +class CSVOutputFormat(KVWriter): + def __init__(self, filename): + self.file = open(filename, 'w+t') + self.keys = [] + self.sep = ',' + + def writekvs(self, kvs): + # Add our current row to the history + extra_keys = kvs.keys() - self.keys + if extra_keys: + self.keys.extend(extra_keys) + self.file.seek(0) + lines = self.file.readlines() + self.file.seek(0) + for (i, k) in enumerate(self.keys): + if i > 0: + self.file.write(',') + self.file.write(k) + self.file.write('\n') + for line in lines[1:]: + self.file.write(line[:-1]) + self.file.write(self.sep * len(extra_keys)) + self.file.write('\n') + for (i, k) in enumerate(self.keys): + if i > 0: + self.file.write(',') + v = kvs.get(k) + if v is not None: + self.file.write(str(v)) + self.file.write('\n') + self.file.flush() + + def close(self): + self.file.close() + + +class TensorBoardOutputFormat(KVWriter): + """ + Dumps key/value pairs into TensorBoard's numeric format. + """ + + def __init__(self, dir): + os.makedirs(dir, exist_ok=True) + self.dir = dir + self.step = 1 + prefix = 'events' + path = osp.join(osp.abspath(dir), prefix) + import tensorflow as tf + from tensorflow.python import pywrap_tensorflow + from tensorflow.core.util import event_pb2 + from tensorflow.python.util import compat + self.tf = tf + self.event_pb2 = event_pb2 + self.pywrap_tensorflow = pywrap_tensorflow + self.writer = pywrap_tensorflow.EventsWriter(compat.as_bytes(path)) + + def writekvs(self, kvs): + def summary_val(k, v): + kwargs = {'tag': k, 'simple_value': float(v)} + return self.tf.Summary.Value(**kwargs) + + summary = self.tf.Summary(value=[summary_val(k, v) for k, v in kvs.items()]) + event = self.event_pb2.Event(wall_time=time.time(), summary=summary) + event.step = self.step # is there any reason why you'd want to specify the step? + self.writer.WriteEvent(event) + self.writer.Flush() + self.step += 1 + + def close(self): + if self.writer: + self.writer.Close() + self.writer = None + + +def make_output_format(format, ev_dir, log_suffix='', args=None): + os.makedirs(ev_dir, exist_ok=True) + if format == 'stdout': + return HumanOutputFormat(sys.stdout) + elif format == 'log': + return HumanOutputFormat(osp.join(ev_dir, 'log%s.txt' % log_suffix)) + elif format == 'json': + return JSONOutputFormat(osp.join(ev_dir, 'progress%s.json' % log_suffix)) + elif format == 'csv': + return CSVOutputFormat(osp.join(ev_dir, 'progress%s.csv' % log_suffix)) + elif format == 'tensorboard': + return TensorBoardOutputFormat(osp.join(ev_dir, 'tb%s' % log_suffix)) + elif format == 'wandb': + return WandBOutputFormat(ev_dir) + else: + raise ValueError('Unknown format specified: %s' % (format,)) + + +# ================================================================ +# API +# ================================================================ + +def logkv(key, val): + """ + Log a value of some diagnostic + Call this once for each diagnostic quantity, each iteration + If called many times, last value will be used. + """ + Logger.CURRENT.logkv(key, val) + + +def logkv_mean(key, val): + """ + The same as logkv(), but if called many times, values averaged. + """ + Logger.CURRENT.logkv_mean(key, val) + + +def logkvs(d): + """ + Log a dictionary of key-value pairs + """ + for (k, v) in d.items(): + logkv(k, v) + + +def dumpkvs(): + """ + Write all of the diagnostics from the current iteration + + level: int. (see logger.py docs) If the global logger level is higher than + the level argument here, don't print to stdout. + """ + Logger.CURRENT.dumpkvs() + + +def getkvs(): + return Logger.CURRENT.name2val + + +def log(*args, level=INFO): + """ + Write the sequence of args, with no separators, to the console and output files (if you've configured an output file). + """ + Logger.CURRENT.log(*args, level=level) + + +def debug(*args): + log(*args, level=DEBUG) + + +def info(*args): + log(*args, level=INFO) + + +def warn(*args): + log(*args, level=WARN) + + +def error(*args): + log(*args, level=ERROR) + + +def set_level(level): + """ + Set logging threshold on current logger. + """ + Logger.CURRENT.set_level(level) + + +def get_dir(): + """ + Get directory that log files are being written to. + will be None if there is no output directory (i.e., if you didn't call start) + """ + return Logger.CURRENT.get_dir() + + +record_tabular = logkv +dump_tabular = dumpkvs + + +class ProfileKV: + """ + Usage: + with logger.ProfileKV("interesting_scope"): + code + """ + + def __init__(self, n): + self.n = "wait_" + n + + def __enter__(self): + self.t1 = time.time() + + def __exit__(self, type, value, traceback): + Logger.CURRENT.name2val[self.n] += time.time() - self.t1 + + +def profile(n): + """ + Usage: + @profile("my_func") + def my_func(): code + """ + + def decorator_with_name(func): + def func_wrapper(*args, **kwargs): + with ProfileKV(n): + return func(*args, **kwargs) + + return func_wrapper + + return decorator_with_name + + +# ================================================================ +# Backend +# ================================================================ + +class Logger(object): + DEFAULT = None # A logger with no output files. (See right below class definition) + # So that you can still log to the terminal without setting up any output files + CURRENT = None # Current logger being used by the free functions above + + def __init__(self, dir, output_formats): + self.name2val = defaultdict(float) # values this iteration + self.name2cnt = defaultdict(int) + self.level = INFO + self.dir = dir + self.output_formats = output_formats + + # Logging API, forwarded + # ---------------------------------------- + def logkv(self, key, val): + self.name2val[key] = val + + def logkv_mean(self, key, val): + if val is None: + self.name2val[key] = None + return + oldval, cnt = self.name2val[key], self.name2cnt[key] + self.name2val[key] = oldval * cnt / (cnt + 1) + val / (cnt + 1) + self.name2cnt[key] = cnt + 1 + + def dumpkvs(self): + if self.level == DISABLED: return + for fmt in self.output_formats: + if isinstance(fmt, KVWriter): + fmt.writekvs(self.name2val) + self.name2val.clear() + self.name2cnt.clear() + + def log(self, *args, level=INFO): + if self.level <= level: + self._do_log(args) + + # Configuration + # ---------------------------------------- + def set_level(self, level): + self.level = level + + def get_dir(self): + return self.dir + + def close(self): + for fmt in self.output_formats: + fmt.close() + + # Misc + # ---------------------------------------- + def _do_log(self, args): + for fmt in self.output_formats: + if isinstance(fmt, SeqWriter): + fmt.writeseq(map(str, args)) + + +def configure(dir=None, format_strs=None): + if dir is None: + dir = os.getenv('OPENAI_LOGDIR') + if dir is None: + dir = osp.join(tempfile.gettempdir(), + datetime.datetime.now().strftime("openai-%Y-%m-%d-%H-%M-%S-%f")) + assert isinstance(dir, str) + os.makedirs(dir, exist_ok=True) + + log_suffix = '' + rank = 0 + # check environment variables here instead of importing mpi4py + # to avoid calling MPI_Init() when this module is imported + for varname in ['PMI_RANK', 'OMPI_COMM_WORLD_RANK']: + if varname in os.environ: + rank = int(os.environ[varname]) + if rank > 0: + log_suffix = "-rank%03i" % rank + + if format_strs is None: + if rank == 0: + format_strs = os.getenv('OPENAI_LOG_FORMAT', 'stdout,log,csv').split(',') + else: + format_strs = os.getenv('OPENAI_LOG_FORMAT_MPI', 'log').split(',') + format_strs = filter(None, format_strs) + output_formats = [make_output_format(f, dir, log_suffix) for f in format_strs] + + Logger.CURRENT = Logger(dir=dir, output_formats=output_formats) + log('Logging to %s' % dir) + + +def _configure_default_logger(): + format_strs = None + # keep the old default of only writing to stdout + if 'OPENAI_LOG_FORMAT' not in os.environ: + format_strs = ['stdout'] + configure(format_strs=format_strs) + Logger.DEFAULT = Logger.CURRENT + + +def reset(): + if Logger.CURRENT is not Logger.DEFAULT: + Logger.CURRENT.close() + Logger.CURRENT = Logger.DEFAULT + log('Reset logger') + + +class scoped_configure(object): + def __init__(self, dir=None, format_strs=None): + self.dir = dir + self.format_strs = format_strs + self.prevlogger = None + + def __enter__(self): + self.prevlogger = Logger.CURRENT + configure(dir=self.dir, format_strs=self.format_strs) + + def __exit__(self, *args): + Logger.CURRENT.close() + Logger.CURRENT = self.prevlogger + + +# ================================================================ + +def _demo(): + info("hi") + debug("shouldn't appear") + set_level(DEBUG) + debug("should appear") + dir = "/tmp/testlogging" + if os.path.exists(dir): + shutil.rmtree(dir) + configure(dir=dir) + logkv("a", 3) + logkv("b", 2.5) + dumpkvs() + logkv("b", -2.5) + logkv("a", 5.5) + dumpkvs() + info("^^^ should see a = 5.5") + logkv_mean("b", -22.5) + logkv_mean("b", -44.4) + logkv("a", 5.5) + dumpkvs() + info("^^^ should see b = 33.3") + + logkv("b", -2.5) + dumpkvs() + + logkv("a", "longasslongasslongasslongasslongasslongassvalue") + dumpkvs() + + +# ================================================================ +# Readers +# ================================================================ + +def read_json(fname): + import pandas + ds = [] + with open(fname, 'rt') as fh: + for line in fh: + ds.append(json.loads(line)) + return pandas.DataFrame(ds) + + +def read_csv(fname): + import pandas + return pandas.read_csv(fname, index_col=None, comment='#') + + +def read_tb(path): + """ + path : a tensorboard file OR a directory, where we will find all TB files + of the form events.* + """ + import pandas + import numpy as np + from glob import glob + from collections import defaultdict + import tensorflow as tf + if osp.isdir(path): + fnames = glob(osp.join(path, "events.*")) + elif osp.basename(path).startswith("events."): + fnames = [path] + else: + raise NotImplementedError("Expected tensorboard file or directory containing them. Got %s" % path) + tag2pairs = defaultdict(list) + maxstep = 0 + for fname in fnames: + for summary in tf.train.summary_iterator(fname): + if summary.step > 0: + for v in summary.summary.value: + pair = (summary.step, v.simple_value) + tag2pairs[v.tag].append(pair) + maxstep = max(summary.step, maxstep) + data = np.empty((maxstep, len(tag2pairs))) + data[:] = np.nan + tags = sorted(tag2pairs.keys()) + for (colidx, tag) in enumerate(tags): + pairs = tag2pairs[tag] + for (step, value) in pairs: + data[step - 1, colidx] = value + return pandas.DataFrame(data, columns=tags) + + +# configure the default logger on import +# _configure_default_logger() + +if __name__ == "__main__": + _demo() diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/models/bert.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/models/bert.py new file mode 100644 index 00000000..ff563275 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/models/bert.py @@ -0,0 +1,118 @@ +import torch +import torch.nn as nn +import torch.nn.functional as F +from transformers import ( + BertModel, + BertConfig, + PretrainedConfig, + PreTrainedModel, +) +from transformers.modeling_outputs import SequenceClassifierOutput +from .modules import EncoderRNN, BiAttention, get_aggregated + + +class BertConfigForWebshop(PretrainedConfig): + model_type = "bert" + + def __init__( + self, + pretrained_bert=True, + image=False, + + **kwargs + ): + self.pretrained_bert = pretrained_bert + self.image = image + super().__init__(**kwargs) + + + +class BertModelForWebshop(PreTrainedModel): + + config_class = BertConfigForWebshop + + def __init__(self, config): + super().__init__(config) + bert_config = BertConfig.from_pretrained('bert-base-uncased') + if config.pretrained_bert: + self.bert = BertModel.from_pretrained('bert-base-uncased') + else: + self.bert = BertModel(config) + self.bert.resize_token_embeddings(30526) + self.attn = BiAttention(768, 0.0) + self.linear_1 = nn.Linear(768 * 4, 768) + self.relu = nn.ReLU() + self.linear_2 = nn.Linear(768, 1) + if config.image: + self.image_linear = nn.Linear(512, 768) + else: + self.image_linear = None + + # for state value prediction, used in RL + self.linear_3 = nn.Sequential( + nn.Linear(768, 128), + nn.LeakyReLU(), + nn.Linear(128, 1), + ) + + def forward(self, state_input_ids, state_attention_mask, action_input_ids, action_attention_mask, sizes, images=None, labels=None): + sizes = sizes.tolist() + # print(state_input_ids.shape, action_input_ids.shape) + state_rep = self.bert(state_input_ids, attention_mask=state_attention_mask)[0] + if images is not None and self.image_linear is not None: + images = self.image_linear(images) + state_rep = torch.cat([images.unsqueeze(1), state_rep], dim=1) + state_attention_mask = torch.cat([state_attention_mask[:, :1], state_attention_mask], dim=1) + action_rep = self.bert(action_input_ids, attention_mask=action_attention_mask)[0] + state_rep = torch.cat([state_rep[i:i+1].repeat(j, 1, 1) for i, j in enumerate(sizes)], dim=0) + state_attention_mask = torch.cat([state_attention_mask[i:i+1].repeat(j, 1) for i, j in enumerate(sizes)], dim=0) + act_lens = action_attention_mask.sum(1).tolist() + state_action_rep = self.attn(action_rep, state_rep, state_attention_mask) + state_action_rep = self.relu(self.linear_1(state_action_rep)) + act_values = get_aggregated(state_action_rep, act_lens, 'mean') + act_values = self.linear_2(act_values).squeeze(1) + + logits = [F.log_softmax(_, dim=0) for _ in act_values.split(sizes)] + + loss = None + if labels is not None: + loss = - sum([logit[label] for logit, label in zip(logits, labels)]) / len(logits) + + return SequenceClassifierOutput( + loss=loss, + logits=logits, + ) + + def rl_forward(self, state_batch, act_batch, value=False, q=False, act=False): + act_values = [] + act_sizes = [] + values = [] + for state, valid_acts in zip(state_batch, act_batch): + with torch.set_grad_enabled(not act): + state_ids = torch.tensor([state.obs]).cuda() + state_mask = (state_ids > 0).int() + act_lens = [len(_) for _ in valid_acts] + act_ids = [torch.tensor(_) for _ in valid_acts] + act_ids = nn.utils.rnn.pad_sequence(act_ids, batch_first=True).cuda() + act_mask = (act_ids > 0).int() + act_size = torch.tensor([len(valid_acts)]).cuda() + if self.image_linear is not None: + images = [state.image_feat] + images = [torch.zeros(512) if _ is None else _ for _ in images] + images = torch.stack(images).cuda() # BS x 512 + else: + images = None + logits = self.forward(state_ids, state_mask, act_ids, act_mask, act_size, images=images).logits[0] + act_values.append(logits) + act_sizes.append(len(valid_acts)) + if value: + v = self.bert(state_ids, state_mask)[0] + values.append(self.linear_3(v[0][0])) + act_values = torch.cat(act_values, dim=0) + act_values = torch.cat([F.log_softmax(_, dim=0) for _ in act_values.split(act_sizes)], dim=0) + # Optionally, output state value prediction + if value: + values = torch.cat(values, dim=0) + return act_values, act_sizes, values + else: + return act_values, act_sizes \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/models/modules.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/models/modules.py new file mode 100644 index 00000000..51b98967 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/models/modules.py @@ -0,0 +1,156 @@ +import itertools +import torch +import torch.nn as nn +import torch.nn.functional as F +from torch.nn.utils import rnn + + +def duplicate(output, mask, lens, act_sizes): + """ + Duplicate the output based on the action sizes. + """ + output = torch.cat([output[i:i+1].repeat(j, 1, 1) for i, j in enumerate(act_sizes)], dim=0) + mask = torch.cat([mask[i:i+1].repeat(j, 1) for i, j in enumerate(act_sizes)], dim=0) + lens = list(itertools.chain.from_iterable([lens[i:i+1] * j for i, j in enumerate(act_sizes)])) + return output, mask, lens + + +def get_aggregated(output, lens, method): + """ + Get the aggregated hidden state of the encoder. + B x D + """ + if method == 'mean': + return torch.stack([output[i, :j, :].mean(0) for i, j in enumerate(lens)], dim=0) + elif method == 'last': + return torch.stack([output[i, j-1, :] for i, j in enumerate(lens)], dim=0) + elif method == 'first': + return output[:, 0, :] + + +class EncoderRNN(nn.Module): + def __init__(self, input_size, num_units, nlayers, concat, + bidir, layernorm, return_last): + super().__init__() + self.layernorm = (layernorm == 'layer') + if layernorm: + self.norm = nn.LayerNorm(input_size) + + self.rnns = [] + for i in range(nlayers): + if i == 0: + input_size_ = input_size + output_size_ = num_units + else: + input_size_ = num_units if not bidir else num_units * 2 + output_size_ = num_units + self.rnns.append( + nn.GRU(input_size_, output_size_, 1, + bidirectional=bidir, batch_first=True)) + + self.rnns = nn.ModuleList(self.rnns) + self.init_hidden = nn.ParameterList( + [nn.Parameter( + torch.zeros(size=(2 if bidir else 1, 1, num_units)), + requires_grad=True) for _ in range(nlayers)]) + self.concat = concat + self.nlayers = nlayers + self.return_last = return_last + + self.reset_parameters() + + def reset_parameters(self): + with torch.no_grad(): + for rnn_layer in self.rnns: + for name, p in rnn_layer.named_parameters(): + if 'weight_ih' in name: + torch.nn.init.xavier_uniform_(p.data) + elif 'weight_hh' in name: + torch.nn.init.orthogonal_(p.data) + elif 'bias' in name: + p.data.fill_(0.0) + else: + p.data.normal_(std=0.1) + + def get_init(self, bsz, i): + return self.init_hidden[i].expand(-1, bsz, -1).contiguous() + + def forward(self, inputs, input_lengths=None): + bsz, slen = inputs.size(0), inputs.size(1) + if self.layernorm: + inputs = self.norm(inputs) + output = inputs + outputs = [] + lens = 0 + if input_lengths is not None: + lens = input_lengths # .data.cpu().numpy() + for i in range(self.nlayers): + hidden = self.get_init(bsz, i) + # output = self.dropout(output) + if input_lengths is not None: + output = rnn.pack_padded_sequence(output, lens, + batch_first=True, + enforce_sorted=False) + output, hidden = self.rnns[i](output, hidden) + if input_lengths is not None: + output, _ = rnn.pad_packed_sequence(output, batch_first=True) + if output.size(1) < slen: + # used for parallel + # padding = Variable(output.data.new(1, 1, 1).zero_()) + padding = torch.zeros( + size=(1, 1, 1), dtype=output.type(), + device=output.device()) + output = torch.cat( + [output, + padding.expand( + output.size(0), + slen - output.size(1), + output.size(2)) + ], dim=1) + if self.return_last: + outputs.append( + hidden.permute(1, 0, 2).contiguous().view(bsz, -1)) + else: + outputs.append(output) + if self.concat: + return torch.cat(outputs, dim=2) + return outputs[-1] + + +class BiAttention(nn.Module): + def __init__(self, input_size, dropout): + super().__init__() + self.dropout = nn.Dropout(dropout) + self.input_linear = nn.Linear(input_size, 1, bias=False) + self.memory_linear = nn.Linear(input_size, 1, bias=False) + self.dot_scale = nn.Parameter( + torch.zeros(size=(input_size,)).uniform_(1. / (input_size ** 0.5)), + requires_grad=True) + self.init_parameters() + + def init_parameters(self): + return + + def forward(self, context, memory, mask): + bsz, input_len = context.size(0), context.size(1) + memory_len = memory.size(1) + context = self.dropout(context) + memory = self.dropout(memory) + + input_dot = self.input_linear(context) + memory_dot = self.memory_linear(memory).view(bsz, 1, memory_len) + cross_dot = torch.bmm( + context * self.dot_scale, + memory.permute(0, 2, 1).contiguous()) + att = input_dot + memory_dot + cross_dot + att = att - 1e30 * (1 - mask[:, None]) + + weight_one = F.softmax(att, dim=-1) + output_one = torch.bmm(weight_one, memory) + weight_two = (F.softmax(att.max(dim=-1)[0], dim=-1) + .view(bsz, 1, input_len)) + output_two = torch.bmm(weight_two, context) + return torch.cat( + [context, output_one, context * output_one, + output_two * output_one], + dim=-1) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/models/rnn.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/models/rnn.py new file mode 100644 index 00000000..7fefbd69 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/models/rnn.py @@ -0,0 +1,121 @@ +# Adapted from https://github.com/XiaoxiaoGuo/rcdqn/blob/master/agents/nn/networks.py +import torch +import torch.nn as nn +import torch.nn.functional as F +from .modules import EncoderRNN, BiAttention, get_aggregated, duplicate + + +class RCDQN(nn.Module): + def __init__(self, vocab_size, embedding_dim, hidden_dim, arch, grad, embs=None, gru_embed='embedding', get_image=0, bert_path=''): + super().__init__() + self.word_dim = embedding_dim + self.word_emb = nn.Embedding(vocab_size, embedding_dim) + if embs is not None: + print('Loading embeddings of shape {}'.format(embs.shape)) + self.word_emb.weight.data.copy_(torch.from_numpy(embs)) + # self.word_emb.weight.requires_grad = False + self.hidden_dim = hidden_dim + self.keep_prob = 1.0 + self.rnn = EncoderRNN(self.word_dim, self.hidden_dim, 1, + concat=True, + bidir=True, + layernorm='None', + return_last=False) + # self.rnn = AutoModelForMaskedLM.from_pretrained("google/bert_uncased_L-4_H-128_A-2").bert + # self.linear_bert = nn.Linear(128, 256) + self.att_1 = BiAttention(self.hidden_dim * 2, 1 - self.keep_prob) + self.att_2 = BiAttention(self.hidden_dim * 2, 1 - self.keep_prob) + self.att_3 = BiAttention(embedding_dim, 1 - self.keep_prob) + + self.linear_1 = nn.Sequential( + nn.Linear(self.hidden_dim * 8, self.hidden_dim), + nn.LeakyReLU()) + + self.rnn_2 = EncoderRNN(self.hidden_dim, self.hidden_dim, 1, + concat=True, + bidir=True, + layernorm='layer', + return_last=False) + # self.self_att = BiAttention(self.hidden_dim * 2, 1 - self.keep_prob) + self.linear_2 = nn.Sequential( + nn.Linear(self.hidden_dim * 12, self.hidden_dim * 2), + nn.LeakyReLU()) + + self.linear_3 = nn.Sequential( + nn.Linear(self.hidden_dim * 2, self.hidden_dim), + nn.LeakyReLU(), + nn.Linear(self.hidden_dim, 1), + ) + + self.get_image = get_image + if self.get_image: + self.linear_image = nn.Linear(512, self.hidden_dim) + + def prepare(self, ids): + """ + Prepare the input for the encoder. Pass it through pad, embedding, and rnn. + """ + lens = [len(_) for _ in ids] + ids = [torch.tensor(_) for _ in ids] + ids = nn.utils.rnn.pad_sequence(ids, batch_first=True).cuda() + mask = (ids > 0).float() + embed = self.word_emb(ids) + output = self.rnn(embed, lens) + return ids, lens, mask, embed, output + + def forward(self, state_batch, act_batch, value=False, q=False, act=False): + if self.arch == 'bert': + return self.bert_forward(state_batch, act_batch, value, q, act) + + # state representation + obs_ids, obs_lens, obs_mask, obs_embed, obs_output = self.prepare([state.obs for state in state_batch]) + goal_ids, goal_lens, goal_mask, goal_embed, goal_output = self.prepare([state.goal for state in state_batch]) + + state_output = self.att_1(obs_output, goal_output, goal_mask) + state_output = self.linear_1(state_output) + if self.get_image: + images = [state.image_feat for state in state_batch] + images = [torch.zeros(512) if _ is None else _ for _ in images] + images = torch.stack([_ for _ in images]).cuda() # BS x 512 + images = self.linear_image(images) + state_output = torch.cat([images.unsqueeze(1), state_output], dim=1) + obs_lens = [_ + 1 for _ in obs_lens] + obs_mask = torch.cat([obs_mask[:, :1], obs_mask], dim=1) + state_output = self.rnn_2(state_output, obs_lens) + + # state value + if value: + values = get_aggregated(state_output, obs_lens, 'mean') + values = self.linear_3(values).squeeze(1) + + # action + act_sizes = [len(_) for _ in act_batch] + act_batch = list(itertools.chain.from_iterable(act_batch)) + act_ids, act_lens, act_mask, act_embed, act_output = self.prepare(act_batch) + + # duplicate based on action sizes + state_output, state_mask, state_lens = duplicate(state_output, obs_mask, obs_lens, act_sizes) + goal_embed, goal_mask, goal_lens = duplicate(goal_embed, goal_mask, goal_lens, act_sizes) + + # full contextualized + state_act_output = self.att_2(act_output, state_output, state_mask) + + # based on goal and action tokens + goal_act_output = self.att_3(act_embed, goal_embed, goal_mask) + + output = torch.cat([state_act_output, goal_act_output], dim=-1) + output = get_aggregated(output, act_lens, 'mean') + output = self.linear_2(output) + act_values = self.linear_3(output).squeeze(1) + # Log softmax + if not q: + act_values = torch.cat([F.log_softmax(_, dim=0) for _ in act_values.split(act_sizes)], dim=0) + + # Optionally, output state value prediction + if value: + return act_values, act_sizes, values + else: + return act_values, act_sizes + + + diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/requirements.txt b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/requirements.txt new file mode 100644 index 00000000..c71eaf92 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/requirements.txt @@ -0,0 +1,5 @@ +accelerate +datasets +faiss-gpu +transformers +wandb \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/test.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/test.py new file mode 100644 index 00000000..e83f5e9a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/test.py @@ -0,0 +1,141 @@ +# load WebEnV +import os +import sys +import json +from train_rl import parse_args as webenv_args +from env import WebEnv # TODO: just use webshopEnv? + +args = webenv_args()[0] +env = WebEnv(args, split='test') +print('env loaded') + + +# load Model +from train_choice_il import * +from transformers import BartForConditionalGeneration, BartTokenizer +bart_tokenizer = BartTokenizer.from_pretrained('facebook/bart-large') + + +import random + +def bart_predict(input, model, skip_special_tokens=True, **kwargs): + input_ids = bart_tokenizer(input)['input_ids'] + input_ids = torch.tensor(input_ids).unsqueeze(0) + output = model.generate(input_ids, max_length=512, **kwargs) + return bart_tokenizer.batch_decode(output.tolist(), skip_special_tokens=skip_special_tokens) + + +def predict(obs, info, model, softmax=False, rule=False, bart_model=None): + valid_acts = info['valid'] + if valid_acts[0].startswith('search['): + if bart_model is None: + return valid_acts[-1] + else: + goal = process_goal(obs) + query = bart_predict(goal, bart_model, num_return_sequences=5, num_beams=5) + # query = random.choice(query) # in the paper, we sample from the top-5 generated results. + query = query[0] #... but use the top-1 generated search will lead to better results than the paper results. + return f'search[{query}]' + + if rule: + item_acts = [act for act in valid_acts if act.startswith('click[item - ')] + if item_acts: + return item_acts[0] + else: + assert 'click[buy now]' in valid_acts + return 'click[buy now]' + + state_encodings = tokenizer(process(obs), max_length=512, truncation=True, padding='max_length') + action_encodings = tokenizer(list(map(process, valid_acts)), max_length=512, truncation=True, padding='max_length') + batch = { + 'state_input_ids': state_encodings['input_ids'], + 'state_attention_mask': state_encodings['attention_mask'], + 'action_input_ids': action_encodings['input_ids'], + 'action_attention_mask': action_encodings['attention_mask'], + 'sizes': len(valid_acts), + 'images': info['image_feat'].tolist(), + 'labels': 0 + } + batch = data_collator([batch]) + # make batch cuda + batch = {k: v.cuda() for k, v in batch.items()} + outputs = model(**batch) + if softmax: + idx = torch.multinomial(F.softmax(outputs.logits[0], dim=0), 1)[0].item() + else: + idx = outputs.logits[0].argmax(0).item() + return valid_acts[idx] + + + +def episode(model, idx=None, verbose=False, softmax=False, rule=False, bart_model=None): + obs, info = env.reset(idx) + if verbose: + print(info['goal']) + for i in range(100): + action = predict(obs, info, model, softmax=softmax, rule=rule, bart_model=bart_model) + if verbose: + print(action) + obs, reward, done, info = env.step(action) + if done: + return reward + return 0 + + + +def parse_args(): + parser = argparse.ArgumentParser(description="Finetune a transformers model on a text classification task") + parser.add_argument("--model_path", type=str, default="./ckpts/web_click/epoch_9/model.pth", help="Where to store the final model.") + parser.add_argument("--mem", type=int, default=0, help="State with memory") + parser.add_argument("--bart_path", type=str, default='./ckpts/web_search/checkpoint-800', help="BART model path if using it") + parser.add_argument("--bart", type=bool, default=True, help="Flag to specify whether to use bart or not (default: True)") + parser.add_argument("--image", type=bool, default=True, help="Flag to specify whether to use image or not (default: True)") + parser.add_argument("--softmax", type=bool, default=True, help="Flag to specify whether to use softmax sampling or not (default: True)") + + args = parser.parse_args() + + return args + + + +if __name__ == "__main__": + args = parse_args() + print(args) + + if args.mem: + env.env.num_prev_obs = 1 + env.env.num_prev_actions = 5 + print('memory') + else: + env.env.num_prev_obs = 0 + env.env.num_prev_actions = 0 + print('no memory') + + + if args.bart: + bart_model = BartForConditionalGeneration.from_pretrained(args.bart_path) + print('bart model loaded', args.bart_path) + else: + bart_model = None + + + config = BertConfigForWebshop(image=args.image) + model = BertModelForWebshop(config) + model.cuda() + model.load_state_dict(torch.load(args.model_path), strict=False) + print('bert il model loaded', args.model_path) + + print('idx | reward (model), reward (rule)') + scores_softmax, scores_rule = [], [] + for i in range(500): + score_softmax, score_rule = episode(model, idx=i, softmax=args.softmax, bart_model=bart_model), episode(model, idx=i, rule=True) + print(i, '|', score_softmax * 10, score_rule * 10) # env score is 0-10, paper is 0-100 + scores_softmax.append(score_softmax) + scores_rule.append(score_rule) + score_softmax = sum(scores_softmax) / len(scores_softmax) + score_rule = sum(scores_rule) / len(scores_rule) + harsh_softmax = len([s for s in scores_softmax if s == 10.0]) + harsh_rule = len([s for s in scores_rule if s == 10.0]) + print('------') + print('avg test score (model, rule):', score_softmax * 10, score_rule * 10) + print('avg test success rate % (model, rule):', harsh_softmax / 500 * 100, harsh_rule / 500 * 100) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/train_choice_il.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/train_choice_il.py new file mode 100644 index 00000000..757635a0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/train_choice_il.py @@ -0,0 +1,629 @@ +# coding=utf-8 +# Copyright 2021 The HuggingFace Inc. team. All rights reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" Finetuning a 🤗 Transformers model for sequence classification on GLUE.""" +import argparse +import json +import logging +import math +import os +import random +from pathlib import Path + +import datasets +import torch +from datasets import load_dataset, load_metric +from torch.utils.data import DataLoader +from tqdm.auto import tqdm + +import transformers +from accelerate import Accelerator +from accelerate.logging import get_logger +from accelerate.utils import set_seed +from huggingface_hub import Repository +from transformers import ( + AdamW, + AutoConfig, + AutoModelForSequenceClassification, + AutoTokenizer, + BertModel, + BertConfig, + DataCollatorWithPadding, + PretrainedConfig, + PreTrainedModel, + SchedulerType, + default_data_collator, + get_scheduler, +) +from transformers.utils.versions import require_version + + +from datasets import Dataset +from transformers.modeling_outputs import SequenceClassifierOutput +import torch.nn as nn +import torch.nn.functional as F +import wandb + +from models.bert import BertModelForWebshop, BertConfigForWebshop + +logger = get_logger(__name__) + +require_version("datasets>=1.8.0", + "To fix: pip install -r examples/pytorch/text-classification/requirements.txt") + +task_to_keys = { + "cola": ("sentence", None), + "mnli": ("premise", "hypothesis"), + "mrpc": ("sentence1", "sentence2"), + "qnli": ("question", "sentence"), + "qqp": ("question1", "question2"), + "rte": ("sentence1", "sentence2"), + "sst2": ("sentence", None), + "stsb": ("sentence1", "sentence2"), + "wnli": ("sentence1", "sentence2"), +} + +tokenizer = AutoTokenizer.from_pretrained( + 'bert-base-uncased', truncation_side='left') +print(len(tokenizer)) +tokenizer.add_tokens(['[button]', '[button_]', '[clicked button]', + '[clicked button_]'], special_tokens=True) +print(len(tokenizer)) + +PATH = "./data/il_trajs_finalized_images.jsonl" +MEM_PATH = "./data/il_trajs_mem_finalized_images.jsonl" +HUMAN_GOAL_PATH = './data/human_goals.json' + + +def process(s): + s = s.lower().replace('"', '').replace("'", "").strip() + s = s.replace('[sep]', '[SEP]') + return s + + +def process_goal(state): + state = state.lower().replace('"', '').replace("'", "") + state = state.replace('amazon shopping game\ninstruction:', '').replace('webshop\ninstruction:', '') + state = state.replace('\n[button] search [button_]', '').strip() + if ', and price lower than' in state: + state = state.split(', and price lower than')[0] + return state + + +def get_data(split, mem=False, filter_search=True): + path = MEM_PATH if mem else PATH + print('Loading data from {}'.format(path)) + with open(path, 'r') as json_file: + json_list = list(json_file) + + human_goals = json.load(open(HUMAN_GOAL_PATH, 'r')) + + random.seed(233) + random.shuffle(json_list) + + # if split == 'train': + # json_list = json_list[:int(len(json_list) * 0.9)] + # elif split == 'eval': + # json_list = json_list[int(len(json_list) * 0.9):] + # elif split == 'all': + # pass + + # split by human goal index + goal_range = range(len(human_goals)) + if split == 'train': + goal_range = range(1500, len(human_goals)) + elif split == 'eval': + goal_range = range(500, 1500) + elif split == 'test': + goal_range = range(0, 500) + + bad = cnt = 0 + state_list, action_list, idx_list, size_list = [], [], [], [] + image_list = [] + num_trajs = 0 + for json_str in json_list: + result = json.loads(json_str) + s = process_goal(result['states'][0]) + assert s in human_goals, s + goal_idx = human_goals.index(s) + if goal_idx not in goal_range: + continue + num_trajs += 1 + if 'images' not in result: + result['images'] = [0] * len(result['states']) + for state, valid_acts, idx, image in zip(result['states'], result['available_actions'], result['action_idxs'], result['images']): + cnt += 1 + if filter_search and idx == -1: + continue + state_list.append(state) + image_list.append([0.] * 512 if image == 0 else image) + if len(valid_acts) > 20: # do some action space reduction... + bad += 1 + new_idxs = list(range(6)) + \ + random.sample(range(6, len(valid_acts)), 10) + if idx not in new_idxs: + new_idxs += [idx] + new_idxs = sorted(new_idxs) + valid_acts = [valid_acts[i] for i in new_idxs] + idx = new_idxs.index(idx) + # print(valid_acts) + action_list.extend(valid_acts) + idx_list.append(idx) + size_list.append(len(valid_acts)) + print('num of {} trajs: {}'.format(split, num_trajs)) + print('total transitions and bad transitions: {} {}'.format(cnt, bad)) + state_list, action_list = list( + map(process, state_list)), list(map(process, action_list)) + return state_list, action_list, idx_list, size_list, image_list + + +def get_dataset(split, mem=False): + states, actions, idxs, sizes, images = get_data(split, mem) + state_encodings = tokenizer( + states, padding='max_length', max_length=512, truncation=True, return_tensors='pt') + action_encodings = tokenizer( + actions, padding='max_length', max_length=128, truncation=True, return_tensors='pt') + dataset = { + 'state_input_ids': state_encodings['input_ids'], + 'state_attention_mask': state_encodings['attention_mask'], + 'action_input_ids': action_encodings['input_ids'].split(sizes), + 'action_attention_mask': action_encodings['attention_mask'].split(sizes), + 'sizes': sizes, + 'images': torch.tensor(images), + 'labels': idxs, + } + return Dataset.from_dict(dataset) + + +def data_collator(batch): + state_input_ids, state_attention_mask, action_input_ids, action_attention_mask, sizes, labels, images = [ + ], [], [], [], [], [], [] + for sample in batch: + state_input_ids.append(sample['state_input_ids']) + state_attention_mask.append(sample['state_attention_mask']) + action_input_ids.extend(sample['action_input_ids']) + action_attention_mask.extend(sample['action_attention_mask']) + sizes.append(sample['sizes']) + labels.append(sample['labels']) + images.append(sample['images']) + max_state_len = max(sum(x) for x in state_attention_mask) + max_action_len = max(sum(x) for x in action_attention_mask) + return { + 'state_input_ids': torch.tensor(state_input_ids)[:, :max_state_len], + 'state_attention_mask': torch.tensor(state_attention_mask)[:, :max_state_len], + 'action_input_ids': torch.tensor(action_input_ids)[:, :max_action_len], + 'action_attention_mask': torch.tensor(action_attention_mask)[:, :max_action_len], + 'sizes': torch.tensor(sizes), + 'images': torch.tensor(images), + 'labels': torch.tensor(labels), + } + + +def parse_args(): + parser = argparse.ArgumentParser( + description="Finetune a transformers model on a text classification task") + parser.add_argument( + "--task_name", + type=str, + default="mprc", + help="The name of the glue task to train on.", + choices=list(task_to_keys.keys()), + ) + parser.add_argument( + "--train_file", type=str, default=None, help="A csv or a json file containing the training data." + ) + parser.add_argument( + "--validation_file", type=str, default=None, help="A csv or a json file containing the validation data." + ) + parser.add_argument( + "--max_length", + type=int, + default=128, + help=( + "The maximum total input sequence length after tokenization. Sequences longer than this will be truncated," + " sequences shorter will be padded if `--pad_to_max_lengh` is passed." + ), + ) + parser.add_argument( + "--pad_to_max_length", + action="store_true", + help="If passed, pad all samples to `max_length`. Otherwise, dynamic padding is used.", + ) + parser.add_argument( + "--model_name_or_path", + default="bert-base-uncased", + type=str, + help="Path to pretrained model or model identifier from huggingface.co/models.", + ) + parser.add_argument( + "--use_slow_tokenizer", + action="store_true", + help="If passed, will use a slow tokenizer (not backed by the 🤗 Tokenizers library).", + ) + parser.add_argument( + "--per_device_train_batch_size", + type=int, + default=1, + help="Batch size (per device) for the training dataloader.", + ) + parser.add_argument( + "--per_device_eval_batch_size", + type=int, + default=8, + help="Batch size (per device) for the evaluation dataloader.", + ) + parser.add_argument( + "--learning_rate", + type=float, + default=2e-5, + help="Initial learning rate (after the potential warmup period) to use.", + ) + parser.add_argument("--weight_decay", type=float, + default=0.0, help="Weight decay to use.") + parser.add_argument("--num_train_epochs", type=int, default=10, + help="Total number of training epochs to perform.") + parser.add_argument( + "--max_train_steps", + type=int, + default=None, + help="Total number of training steps to perform. If provided, overrides num_train_epochs.", + ) + parser.add_argument( + "--gradient_accumulation_steps", + type=int, + default=32, + help="Number of updates steps to accumulate before performing a backward/update pass.", + ) + parser.add_argument( + "--lr_scheduler_type", + type=SchedulerType, + default="linear", + help="The scheduler type to use.", + choices=["linear", "cosine", "cosine_with_restarts", + "polynomial", "constant", "constant_with_warmup"], + ) + parser.add_argument( + "--num_warmup_steps", type=int, default=0, help="Number of steps for the warmup in the lr scheduler." + ) + parser.add_argument("--output_dir", type=str, default="./ckpts/web_click", + help="Where to store the final model.") + parser.add_argument("--seed", type=int, default=None, + help="A seed for reproducible training.") + parser.add_argument("--push_to_hub", action="store_true", + help="Whether or not to push the model to the Hub.") + parser.add_argument( + "--hub_model_id", type=str, help="The name of the repository to keep in sync with the local `output_dir`." + ) + parser.add_argument("--hub_token", type=str, + help="The token to use to push to the Model Hub.") + parser.add_argument( + "--checkpointing_steps", + type=str, + default="epoch", + help="Whether the various states should be saved at the end of every n steps, or 'epoch' for each epoch.", + ) + parser.add_argument( + "--resume_from_checkpoint", + type=str, + default=None, + help="If the training should continue from a checkpoint folder.", + ) + parser.add_argument( + "--with_tracking", + type=int, + default=1, + help="Whether to load in all available experiment trackers from the environment and use them for logging.", + ) + + parser.add_argument("--mem", type=int, default=0, help="State with memory") + parser.add_argument("--image", type=int, default=1, + help="State with image") + parser.add_argument("--pretrain", type=int, default=1, + help="Pretrained BERT or not") + + parser.add_argument("--logging_steps", type=int, + default=10, help="Logging in training") + + args = parser.parse_args() + + # Sanity checks + if args.task_name is None and args.train_file is None and args.validation_file is None: + raise ValueError( + "Need either a task name or a training/validation file.") + else: + if args.train_file is not None: + extension = args.train_file.split(".")[-1] + assert extension in [ + "csv", "json"], "`train_file` should be a csv or a json file." + if args.validation_file is not None: + extension = args.validation_file.split(".")[-1] + assert extension in [ + "csv", "json"], "`validation_file` should be a csv or a json file." + + if args.push_to_hub: + assert args.output_dir is not None, "Need an `output_dir` to create a repo when `--push_to_hub` is passed." + + return args + + +def main(): + args = parse_args() + + # Initialize the accelerator. We will let the accelerator handle device placement for us in this example. + # If we're using tracking, we also need to initialize it here and it will pick up all supported trackers in the environment + # accelerator = Accelerator(log_with="wandb", logging_dir=args.output_dir) if args.with_tracking else Accelerator() + accelerator = Accelerator() + # Make one log on every process with the configuration for debugging. + + wandb.init(project="bert_il", config=args, name=args.output_dir) + + logging.basicConfig( + format="%(asctime)s - %(levelname)s - %(name)s - %(message)s", + datefmt="%m/%d/%Y %H:%M:%S", + level=logging.INFO, + ) + logger.info(accelerator.state, main_process_only=False) + if accelerator.is_local_main_process: + datasets.utils.logging.set_verbosity_warning() + transformers.utils.logging.set_verbosity_info() + else: + datasets.utils.logging.set_verbosity_error() + transformers.utils.logging.set_verbosity_error() + + # If passed along, set the training seed now. + if args.seed is not None: + set_seed(args.seed) + + # Load pretrained model and tokenizer + # + # In distributed training, the .from_pretrained methods guarantee that only one local process can concurrently + # download model & vocab. + # tokenizer = AutoTokenizer.from_pretrained('bert-base-uncased') + config = BertConfigForWebshop( + image=args.image, pretrain_bert=args.pretrain) + model = BertModelForWebshop(config) + # model.bert.resize_token_embeddings(len(tokenizer)) + + train_dataset = get_dataset("train", mem=args.mem) + eval_dataset = get_dataset("eval", mem=args.mem) + + # Log a few random samples from the training set: + for index in random.sample(range(len(train_dataset)), 3): + logger.info( + f"Sample {index} of the training set: {train_dataset[index]}.") + + # DataLoaders creation: + train_dataloader = DataLoader( + train_dataset, shuffle=True, collate_fn=data_collator, batch_size=args.per_device_train_batch_size + ) + eval_dataloader = DataLoader( + eval_dataset, collate_fn=data_collator, batch_size=args.per_device_eval_batch_size) + + # Optimizer + # Split weights in two groups, one with weight decay and the other not. + no_decay = ["bias", "LayerNorm.weight"] + optimizer_grouped_parameters = [ + { + "params": [p for n, p in model.named_parameters() if not any(nd in n for nd in no_decay)], + "weight_decay": args.weight_decay, + }, + { + "params": [p for n, p in model.named_parameters() if any(nd in n for nd in no_decay)], + "weight_decay": 0.0, + }, + ] + optimizer = AdamW(optimizer_grouped_parameters, lr=args.learning_rate) + + # Scheduler and math around the number of training steps. + num_update_steps_per_epoch = math.ceil( + len(train_dataloader) / args.gradient_accumulation_steps) + if args.max_train_steps is None: + args.max_train_steps = args.num_train_epochs * num_update_steps_per_epoch + else: + args.num_train_epochs = math.ceil( + args.max_train_steps / num_update_steps_per_epoch) + + lr_scheduler = get_scheduler( + name=args.lr_scheduler_type, + optimizer=optimizer, + num_warmup_steps=args.num_warmup_steps, + num_training_steps=args.max_train_steps, + ) + + # Prepare everything with our `accelerator`. + model, optimizer, train_dataloader, eval_dataloader, lr_scheduler = accelerator.prepare( + model, optimizer, train_dataloader, eval_dataloader, lr_scheduler + ) + + # We need to recalculate our total training steps as the size of the training dataloader may have changed. + num_update_steps_per_epoch = math.ceil( + len(train_dataloader) / args.gradient_accumulation_steps) + args.max_train_steps = args.num_train_epochs * num_update_steps_per_epoch + + # Figure out how many steps we should save the Accelerator states + if hasattr(args.checkpointing_steps, "isdigit"): + checkpointing_steps = args.checkpointing_steps + if args.checkpointing_steps.isdigit(): + checkpointing_steps = int(args.checkpointing_steps) + else: + checkpointing_steps = None + + # We need to initialize the trackers we use, and also store our configuration + if args.with_tracking: + experiment_config = vars(args) + # TensorBoard cannot log Enums, need the raw value + experiment_config["lr_scheduler_type"] = experiment_config["lr_scheduler_type"].value + accelerator.init_trackers("glue_no_trainer", experiment_config) + + # Get the metric function + metric = load_metric("accuracy") + + # Train! + total_batch_size = args.per_device_train_batch_size * \ + accelerator.num_processes * args.gradient_accumulation_steps + + logger.info("***** Running training *****") + logger.info(f" Num examples = {len(train_dataset)}") + logger.info(f" Num Epochs = {args.num_train_epochs}") + logger.info( + f" Instantaneous batch size per device = {args.per_device_train_batch_size}") + logger.info( + f" Total train batch size (w. parallel, distributed & accumulation) = {total_batch_size}") + logger.info( + f" Gradient Accumulation steps = {args.gradient_accumulation_steps}") + logger.info(f" Total optimization steps = {args.max_train_steps}") + # Only show the progress bar once on each machine. + progress_bar = tqdm(range(args.max_train_steps), + disable=not accelerator.is_local_main_process) + completed_steps = 0 + starting_epoch = 0 + # Potentially load in the weights and states from a previous save + if args.resume_from_checkpoint: + if args.resume_from_checkpoint is not None or args.resume_from_checkpoint != "": + accelerator.print( + f"Resumed from checkpoint: {args.resume_from_checkpoint}") + accelerator.load_state(args.resume_from_checkpoint) + path = os.path.basename(args.resume_from_checkpoint) + else: + # Get the most recent checkpoint + dirs = [f.name for f in os.scandir(os.getcwd()) if f.is_dir()] + dirs.sort(key=os.path.getctime) + # Sorts folders by date modified, most recent checkpoint is the last + path = dirs[-1] + # Extract `epoch_{i}` or `step_{i}` + training_difference = os.path.splitext(path)[0] + + if "epoch" in training_difference: + starting_epoch = int(training_difference.replace("epoch_", "")) + 1 + resume_step = None + else: + resume_step = int(training_difference.replace("step_", "")) + starting_epoch = resume_step // len(train_dataloader) + resume_step -= starting_epoch * len(train_dataloader) + + for epoch in range(starting_epoch, args.num_train_epochs): + model.train() + if args.with_tracking: + total_loss = total_step = 0 + + for step, batch in enumerate(train_dataloader): + # We need to skip steps until we reach the resumed step + if args.resume_from_checkpoint and epoch == starting_epoch: + if resume_step is not None and step < resume_step: + completed_steps += 1 + continue + outputs = model(**batch) + loss = outputs.loss + # We keep track of the loss at each epoch + if args.with_tracking: + total_loss += loss.detach().float() + total_step += 1 + loss = loss / args.gradient_accumulation_steps + accelerator.backward(loss) + + metric.add_batch( + predictions=torch.stack([logit.argmax(dim=0) + for logit in outputs.logits]), + references=batch["labels"] + ) + + if step % args.gradient_accumulation_steps == 0 or step == len(train_dataloader) - 1: + optimizer.step() + lr_scheduler.step() + optimizer.zero_grad() + progress_bar.update(1) + completed_steps += 1 + + if args.with_tracking and args.logging_steps > 0 and completed_steps % args.logging_steps == 0: + train_metric = metric.compute() + wandb.log( + { + "train_accuracy": train_metric, + "train_loss": total_loss / total_step, + "train_step": completed_steps, + }, + ) + total_loss = total_step = 0 + + if isinstance(checkpointing_steps, int): + if completed_steps % checkpointing_steps == 0: + output_dir = f"step_{completed_steps }" + if args.output_dir is not None: + output_dir = os.path.join(args.output_dir, output_dir) + accelerator.save_state(output_dir) + + if completed_steps >= args.max_train_steps: + break + + model.eval() + samples_seen = 0 + total_loss = total_step = 0 + if len(metric) > 0: + metric.compute() + + for step, batch in enumerate(eval_dataloader): + with torch.no_grad(): + outputs = model(**batch) + predictions = torch.stack([logit.argmax(dim=0) + for logit in outputs.logits]) + predictions, references = accelerator.gather( + (predictions, batch["labels"])) + # If we are in a multiprocess environment, the last batch has duplicates + if accelerator.num_processes > 1: + if step == len(eval_dataloader): + predictions = predictions[: len( + eval_dataloader.dataset) - samples_seen] + references = references[: len( + eval_dataloader.dataset) - samples_seen] + else: + samples_seen += references.shape[0] + metric.add_batch( + predictions=predictions, + references=references, + ) + + total_loss += outputs.loss.detach().float() + total_step += 1 + + eval_metric = metric.compute() + logger.info(f"epoch {epoch}: {eval_metric}") + + if args.with_tracking: + wandb.log( + { + "eval_accuracy": eval_metric, + "eval_loss": total_loss / total_step, + "epoch": epoch, + "epoch_step": completed_steps, + }, + ) + + if args.checkpointing_steps == "epoch": + output_dir = f"epoch_{epoch}" + if args.output_dir is not None: + output_dir = os.path.join(args.output_dir, output_dir) + os.makedirs(output_dir, exist_ok=True) + unwrapped_model = accelerator.unwrap_model(model) + torch.save(unwrapped_model.state_dict(), + os.path.join(output_dir, "model.pth")) + + # accelerator.save_state(output_dir) + + if args.output_dir is not None: + with open(os.path.join(args.output_dir, "all_results.json"), "w") as f: + json.dump({"eval_accuracy": eval_metric["accuracy"]}, f) + + +if __name__ == "__main__": + main() diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/train_rl.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/train_rl.py new file mode 100644 index 00000000..34265c05 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/train_rl.py @@ -0,0 +1,249 @@ +import argparse +import logging +import time +import torch +from collections import defaultdict + +import logger +from agent import Agent, TransitionPG +from env import WebEnv + +logging.getLogger().setLevel(logging.CRITICAL) + + +def configure_logger(log_dir, wandb): + logger.configure(log_dir, format_strs=['log']) + global tb + type_strs = ['json', 'stdout'] + if wandb: type_strs += ['wandb'] + tb = logger.Logger(log_dir, [logger.make_output_format(type_str, log_dir) for type_str in type_strs]) + global log + log = logger.log + + +def evaluate(agent, env, split, nb_episodes=10): + with torch.no_grad(): + total_score = 0 + for method in ['greedy']: + for ep in range(nb_episodes): + log("Starting {} episode {}".format(split, ep)) + if split == 'eval': + score = evaluate_episode(agent, env, split, method) + elif split == 'test': + score = evaluate_episode(agent, env, split, method, idx=ep) + log("{} episode {} ended with score {}\n\n".format(split, ep, score)) + total_score += score + avg_score = total_score / nb_episodes + return avg_score + + +def evaluate_episode(agent, env, split, method='greedy', idx=None): + step = 0 + done = False + ob, info = env.reset(idx) + state = agent.build_state(ob, info) + log('Obs{}: {}'.format(step, ob.encode('utf-8'))) + while not done: + valid_acts = info['valid'] + with torch.no_grad(): + action_str = agent.act([state], [valid_acts], method=method)[0][0] + log('Action{}: {}'.format(step, action_str)) + ob, rew, done, info = env.step(action_str) + log("Reward{}: {}, Score {}, Done {}".format(step, rew, info['score'], done)) + step += 1 + log('Obs{}: {}'.format(step, ob.encode('utf-8'))) + state = agent.build_state(ob, info) + tb.logkv_mean(f'{split}Score', info['score']) + # category = env.session['goal']['category'] + # tb.logkv_mean(f'{split}Score_{category}', rew) + if 'verbose' in info: + for k, v in info['verbose'].items(): + if k.startswith('r'): + tb.logkv_mean(f'{split}_' + k, v) + return info['score'] + + +def agg(envs, attr): + res = defaultdict(int) + for env in envs: + for k, v in getattr(env, attr).items(): + res[k] += v + return res + + +def train(agent, eval_env, test_env, envs, args): + start = time.time() + states, valids, transitions = [], [], [] + state0 = None + for env in envs: + ob, info = env.reset() + if state0 is None: + state0 = (ob, info) + states.append(agent.build_state(ob, info)) + valids.append(info['valid']) + + for step in range(1, args.max_steps + 1): + # get actions from policy + action_strs, action_ids, values = agent.act(states, valids, method=args.exploration_method) + + # log envs[0] + with torch.no_grad(): + action_values, _ = agent.network.rl_forward(states[:1], agent.encode_valids(valids[:1])) + actions = sorted(zip(state0[1]['valid'], action_values.tolist()), key=lambda x: - x[1]) + log('State {}: {}'.format(step, state0[0].lower().encode('utf-8'))) + log('Goal {}: {}'.format(step, state0[1]['goal'].lower().encode('utf-8'))) + log('Actions{}: {}'.format(step, actions)) + log('>> Values{}: {}'.format(step, float(values[0]))) + log('>> Action{}: {}'.format(step, action_strs[0])) + state0 = None + + # step in envs + next_states, next_valids, rewards, dones = [], [], [], [] + for env, action_str, action_id, state in zip(envs, action_strs, action_ids, states): + ob, reward, done, info = env.step(action_str) + if state0 is None: # first state + state0 = (ob, info) + r_att = r_opt = 0 + if 'verbose' in info: + r_att = info['verbose'].get('r_att', 0) + r_option = info['verbose'].get('r_option ', 0) + r_price = info['verbose'].get('r_price', 0) + r_type = info['verbose'].get('r_type', 0) + w_att = info['verbose'].get('w_att', 0) + w_option = info['verbose'].get('w_option', 0) + w_price = info['verbose'].get('w_price', 0) + reward_str = f'{reward/10:.2f} = ({r_att:.2f} * {w_att:.2f} + {r_option:.2f} * {w_option:.2f} + {r_price:.2f} * {w_price:.2f}) * {r_type:.2f}' + else: + reward_str = str(reward) + log('Reward{}: {}, Done {}\n'.format(step, reward_str, done)) + next_state = agent.build_state(ob, info) + next_valid = info['valid'] + next_states, next_valids, rewards, dones = \ + next_states + [next_state], next_valids + [next_valid], rewards + [reward], dones + [done] + if done: + tb.logkv_mean('EpisodeScore', info['score']) + category = env.session['goal']['category'] + tb.logkv_mean(f'EpisodeScore_{category}', info['score']) + if 'verbose' in info: + for k, v in info['verbose'].items(): + if k.startswith('r'): + tb.logkv_mean(k, v) + + # RL update + transitions.append(TransitionPG(states, action_ids, rewards, values, agent.encode_valids(valids), dones)) + if len(transitions) >= args.bptt: + _, _, last_values = agent.act(next_states, next_valids, method='softmax') + stats = agent.update(transitions, last_values, step=step) + for k, v in stats.items(): + tb.logkv_mean(k, v) + del transitions[:] + torch.cuda.empty_cache() + + # handle done + for i, env in enumerate(envs): + if dones[i]: + ob, info = env.reset() + if i == 0: + state0 = (ob, info) + next_states[i] = agent.build_state(ob, info) + next_valids[i] = info['valid'] + states, valids = next_states, next_valids + + if step % args.eval_freq == 0: + evaluate(agent, eval_env, 'eval') + + if step % args.test_freq == 0: + evaluate(agent, test_env, 'test', 500) + + if step % args.log_freq == 0: + tb.logkv('Step', step) + tb.logkv('FPS', int((step * len(envs)) / (time.time() - start))) + for k, v in agg(envs, 'stats').items(): + tb.logkv(k, v) + items_clicked = agg(envs, 'items_clicked') + tb.logkv('ItemsClicked', len(items_clicked)) + tb.dumpkvs() + + if step % args.ckpt_freq == 0: + agent.save() + + +def parse_args(): + parser = argparse.ArgumentParser() + # logging + parser.add_argument('--seed', default=0, type=int) + parser.add_argument('--output_dir', default='logs') + parser.add_argument('--ckpt_freq', default=10000, type=int) + parser.add_argument('--eval_freq', default=500, type=int) + parser.add_argument('--test_freq', default=5000, type=int) + parser.add_argument('--log_freq', default=100, type=int) + parser.add_argument('--wandb', default=1, type=int) + + # rl + parser.add_argument('--num_envs', default=4, type=int) + parser.add_argument('--step_limit', default=100, type=int) + parser.add_argument('--max_steps', default=300000, type=int) + parser.add_argument('--learning_rate', default=1e-5, type=float) + parser.add_argument('--gamma', default=.9, type=float) + parser.add_argument('--clip', default=10, type=float) + parser.add_argument('--bptt', default=8, type=int) + parser.add_argument('--exploration_method', default='softmax', type=str, choices=['eps', 'softmax']) + parser.add_argument('--w_pg', default=1, type=float) + parser.add_argument('--w_td', default=1, type=float) + parser.add_argument('--w_il', default=0, type=float) + parser.add_argument('--w_en', default=1, type=float) + + # model + parser.add_argument('--network', default='bert', type=str, choices=['bert', 'rnn']) + parser.add_argument('--bert_path', default="", type=str, help='which bert to load') + parser.add_argument('--embedding_dim', default=128, type=int) + parser.add_argument('--hidden_dim', default=128, type=int) + parser.add_argument('--grad_encoder', default=1, type=int) + parser.add_argument('--get_image', default=1, type=int, help='use image in models') + + # env + parser.add_argument('--num', default=None, type=int) + parser.add_argument('--click_item_name', default=1, type=int) + parser.add_argument('--state_format', default='text_rich', type=str) + parser.add_argument('--human_goals', default=1, type=int, help='use human goals') + parser.add_argument('--num_prev_obs', default=0, type=int, help='number of previous observations') + parser.add_argument('--num_prev_actions', default=0, type=int, help='number of previous actions') + parser.add_argument('--extra_search_path', default="./data/goal_query_predict.json", type=str, help='path for extra search queries') + + + # experimental + parser.add_argument('--ban_buy', default=0, type=int, help='ban buy action before selecting options') + parser.add_argument('--score_handicap', default=0, type=int, help='provide score in state') + parser.add_argument('--go_to_item', default=0, type=int) + parser.add_argument('--go_to_search', default=0, type=int) + parser.add_argument('--harsh_reward', default=0, type=int) + + + parser.add_argument('--debug', default=0, type=int, help='debug mode') + parser.add_argument("--f", help="a dummy argument to fool ipython", default="1") + + return parser.parse_known_args() + + +def main(): + args, unknown = parse_args() + if args.debug: + args.num_envs = 2 + args.wandb = 0 + args.human_goals = 0 + args.num = 100 + print(unknown) + print(args) + configure_logger(args.output_dir, args.wandb) + agent = Agent(args) + train_env = WebEnv(args, split='train', id='train_') + server = train_env.env.server + eval_env = WebEnv(args, split='eval', id='eval_', server=server) + test_env = WebEnv(args, split='test', id='test_', server=server) + envs = [WebEnv(args, split='train', server=server, id=f'train{i}_') for i in range(args.num_envs)] + print("loaded") + train(agent, eval_env, test_env, envs, args) + + +if __name__ == "__main__": + main() diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/train_search_il.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/train_search_il.py new file mode 100644 index 00000000..b6228cc3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/baseline_models/train_search_il.py @@ -0,0 +1,139 @@ +import json +import os +import random + +from datasets import Dataset, DatasetDict, load_from_disk +from transformers import (BartForConditionalGeneration, BartTokenizer, Trainer, + TrainingArguments) +from transformers.models.bart.modeling_bart import shift_tokens_right + +tokenizer = BartTokenizer.from_pretrained('facebook/bart-large') +BOS_TOKEN_ID = 0 +PAD_TOKEN_ID = 1 +EOS_TOKEN_ID = 2 +UNK_TOKEN_ID = 3 + +PATH = "./data/goal_query_map.json" +HUMAN_GOAL_PATH = './data/human_goals.json' +GOAL_PATH = "./data/items_human_ins.json" + + +def process_str(s): + s = s.lower().replace('"', '').replace("'", "").strip() + return s + + +def process_goal(state): + state = state.lower().replace('"', '').replace("'", "") + state = state.replace('amazon shopping game\ninstruction:', '').replace('webshop\ninstruction:', '') + state = state.replace('\n[button] search [button_]', '').strip() + if ', and price lower than' in state: + state = state.split(', and price lower than')[0] + return state + +def get_data(split): + data = json.load(open(PATH)) + goals, searches = [], [] + for goal, search_list in data.items(): + goal = process_goal(goal) + for search in search_list: + search = process_str(search) + goals.append(goal) + searches.append(search) + n = len(goals) + + human_goals = json.load(open(HUMAN_GOAL_PATH, 'r')) + goal_range = range(len(human_goals)) + if split == 'train': + goal_range = range(500, len(human_goals)) + elif split == 'validation': + goal_range = range(500, 1500) + elif split == 'test': + goal_range = range(0, 500) + elif split == "all": # all human instructions, but without groundtruth search queries + all_data = json.load(open(GOAL_PATH)) + all_goals = [] + all_goals_processed = [] + for ins_list in all_data.values(): + for ins in ins_list: + ins = ins['instruction'] + all_goals.append(ins) + all_goals_processed.append(process_str(ins)) + return all_goals_processed, all_goals + + goals_, searches_ = [], [] + for goal, search in zip(goals, searches): + if goal in human_goals and human_goals.index(goal) in goal_range: + goals_.append(goal) + searches_.append(search) + return goals_, searches_ + + +def get_dataset(name, flip=False, variant=None, size=None): + fname = name + "-flip" if flip else name + fpath = os.path.join(os.path.dirname(__file__), fname) + d = {} + splits = ["train", "validation", "test"] + if name == "web_search": + splits = ["train", "validation", "test", "all"] + for split in splits: + input, output = get_data(split) if name != "nl2bash" else get_data( + split, variant=variant) + l = len(input) if size is None else int(len(input) * size) + print("{} size: {}".format(split, l)) + if flip: + input, output = output, input + input, output = input[:l], output[:l] + d[split] = process_dataset(input, output) + d = DatasetDict(d) + return d + + +def process_dataset(input, output, max_len=256): + input_encodings = tokenizer(input, padding='max_length', + max_length=max_len, truncation=True, return_tensors='pt') + output_encodings = tokenizer( + output, padding='max_length', max_length=max_len, truncation=True, return_tensors='pt') + labels = output_encodings['input_ids'] + decoder_input_ids = shift_tokens_right(labels, PAD_TOKEN_ID, EOS_TOKEN_ID) + labels[labels[:, :] == PAD_TOKEN_ID] = -100 + dataset = Dataset.from_dict({ + 'input_ids': input_encodings['input_ids'], + 'attention_mask': input_encodings['attention_mask'], + 'decoder_input_ids': decoder_input_ids, + 'labels': labels, + }) + dataset.set_format(type='torch', columns=[ + 'input_ids', 'labels', 'decoder_input_ids', 'attention_mask']) + return dataset + + +if __name__ == "__main__": + dataset = get_dataset("web_search", flip=False) + train_dataset = dataset['train'] + print(train_dataset[0]) + model = BartForConditionalGeneration.from_pretrained('facebook/bart-base') + model.resize_token_embeddings(len(tokenizer)) + # model = BartForConditionalGeneration.from_pretrained('./models/qdmr-high-level-base/checkpoint-10000') + training_args = TrainingArguments( + output_dir='./ckpts/web_search', + num_train_epochs=10, + per_device_train_batch_size=4, + per_device_eval_batch_size=4, + warmup_steps=50, + weight_decay=0.01, + evaluation_strategy="steps", + logging_dir='./logs', + logging_steps=50, + eval_steps=20, + save_steps=200 + # eval_accumulation_steps=1 + ) + trainer = Trainer( + model=model, + args=training_args, + train_dataset=train_dataset, + eval_dataset=dataset["validation"], + compute_metrics=None, + ) + trainer.train() diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/conftest.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/conftest.py new file mode 100644 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/data/items_human_ins.json b/openmanus_rl/agentgym/agentenv-webshop/webshop/data/items_human_ins.json new file mode 100644 index 00000000..b2ab7479 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/data/items_human_ins.json @@ -0,0 +1 @@ +{"B09QKP7XQL": [{"asin": "B09QKP7XQL", "instruction": "i'm looking for a blue wireless bluetooth headphones.", "attributes": ["noise cancelling", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3CERYJ", "worker_id": "A9QRQL9CFJBI7"}], "B08Y865MTQ": [{"asin": "B08Y865MTQ", "instruction": "i need 12 inch blue hair extensions that are made from natural hair.", "attributes": ["high quality", "natural hair"], "options": ["color: blue", "size: 12 inch (pack of 1)"], "instruction_attributes": ["natural hair"], "instruction_options": ["blue", "12 inch (pack of 1)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZ7HKLW", "worker_id": "A2ECRNQ3X5LEXD"}], "B01LOUY5M8": [{"asin": "B01LOUY5M8", "instruction": "i'm looking for shampoo & conditioner sets for damaged hair.", "attributes": ["hair treatment", "damaged hair", "dry hair"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLZ8ECN", "worker_id": "A9QRQL9CFJBI7"}], "B00BSY015G": [{"asin": "B00BSY015G", "instruction": "iam looking a steel frame tempered glass drawing table & board colour black", "attributes": ["coated steel", "tempered glass", "clear glass", "steel frame"], "options": ["color: black | clear glass"], "instruction_attributes": ["tempered glass", "steel frame"], "instruction_options": ["black | clear glass"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KQOE75", "worker_id": "A3N9ZYQAESNFQH"}], "B09QGV5PDZ": [{"asin": "B09QGV5PDZ", "instruction": "i need easy to use nurse scrub caps. pick light navy one.", "attributes": ["easy use", "natural hair"], "options": ["color: light navy"], "instruction_attributes": ["easy use"], "instruction_options": ["light navy"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J4FSFL", "worker_id": "A1NF6PELRKACS9"}], "B09DK1P3X8": [{"asin": "B09DK1P3X8", "instruction": "i need one travel bottle that is black and has an opener.", "attributes": ["leak proof", "travel bottles"], "options": ["color: 1 pcs black & opener"], "instruction_attributes": ["travel bottles"], "instruction_options": ["1 pcs black & opener"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB6ZSO2", "worker_id": "A2ECRNQ3X5LEXD"}], "B097JZJTCK": [{"asin": "B097JZJTCK", "instruction": "i'm looking for vanity lights for dining room", "attributes": ["vanity light", "dining room"], "options": [""], "instruction_attributes": ["vanity light", "dining room"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSD48B9", "worker_id": "AR0VJ5XRG16UJ"}], "B07PT3T483": [{"asin": "B07PT3T483", "instruction": "i'm looking for birthday cake toppers for party supplies. also choose 40 years cake topper one.", "attributes": ["birthday cake", "party supplies"], "options": ["color: 40 years cake topper"], "instruction_attributes": ["birthday cake", "party supplies"], "instruction_options": ["40 years cake topper"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40BQXNU", "worker_id": "AR0VJ5XRG16UJ"}], "B01HOMR4AU": [{"asin": "B01HOMR4AU", "instruction": "i need a square shaped turquoise area rug that is easy to clean and is 8 by 8 feet.", "attributes": ["easy clean", "spot clean"], "options": ["color: turquoise", "shape: square", "size: 8 ft 0 x 8 ft 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["turquoise", "square", "8 ft 0 x 8 ft 0"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOZNJGE", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01HOMR4AU", "instruction": "find me a modern shag carpet. something in turquoise and around 8 feet on either side. i speficially want one that's easy to clean, and that's octagonal in shape if available.", "attributes": ["easy clean", "spot clean"], "options": ["color: turquoise", "shape: octagonal", "size: 8 ft 0 x 8 ft 0 square"], "instruction_attributes": ["easy clean"], "instruction_options": ["turquoise", "octagonal", "8 ft 0 x 8 ft 0 square"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKGT1458", "worker_id": "A19UED74G8FXN3"}, {"asin": "B01HOMR4AU", "instruction": "i am looking for a rectangular runner shaped area rug with easy clean. also choose snow white color and 3 ft 3 in x 3 ft 3 in size.", "attributes": ["easy clean", "spot clean"], "options": ["color: snow white", "shape: rectangular runner", "size: 3 ft 3 in x 3 ft 3 in"], "instruction_attributes": ["easy clean"], "instruction_options": ["snow white", "rectangular runner"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU5PZ6RN", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B01HOMR4AU", "instruction": "i need an easy to clean 8x10' shag rug. it needs to be rectangular and navy blue.", "attributes": ["easy clean", "spot clean"], "options": ["color: navy blue", "shape: rectangular", "size: 8 x 10 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["navy blue", "rectangular", "8 x 10 ft"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZI3R7Q", "worker_id": "A2DDPSXH2X96RF"}, {"asin": "B01HOMR4AU", "instruction": "i would like a 7 foot oval turquoise rug that is easy to spot clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: turquoise", "shape: oval", "size: 7 ft"], "instruction_attributes": ["easy clean", "spot clean"], "instruction_options": ["turquoise", "oval", "7 ft"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDAES0L", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01HOMR4AU", "instruction": "show me an easy to clean square shaped terracotta rug with 2 ft 6 in x 10 ft measurement.", "attributes": ["easy clean", "spot clean"], "options": ["color: terracotta", "shape: square", "size: 2 ft 6 in x 10 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["terracotta", "square", "2 ft 6 in x 10 ft"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y1NJ5W", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B01HOMR4AU", "instruction": "i am looking for a spot cleanan round shape area rugs", "attributes": ["easy clean", "spot clean"], "options": ["color: terracotta", "shape: round", "size: 5 ft 0 x 8 ft 0"], "instruction_attributes": ["spot clean"], "instruction_options": ["round"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72APZEOG", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01HOMR4AU", "instruction": "i am looking a area rug soft easy clean in octagon shape size 7ft colour turquoise", "attributes": ["easy clean", "spot clean"], "options": ["color: turquoise", "shape: octagon", "size: 7 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["turquoise", "octagon", "7 ft"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YXAEH5", "worker_id": "A3N9ZYQAESNFQH"}], "B091G8RGQY": [{"asin": "B091G8RGQY", "instruction": "i want a phone case which is easy to install and has a slim design. pick a japan kitty color.", "attributes": ["easy install", "case cover"], "options": ["color: japan kitty"], "instruction_attributes": ["easy install"], "instruction_options": ["japan kitty"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSENULOGS", "worker_id": "A1NF6PELRKACS9"}], "B00006BSTZ": [{"asin": "B00006BSTZ", "instruction": "i'm looking for optical zoom point & shoot digital cameras.", "attributes": ["batteries included", "optical zoom", "usb port"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9OUX54", "worker_id": "A9QRQL9CFJBI7"}], "B09QC6YYHV": [{"asin": "B09QC6YYHV", "instruction": "i need a light grey bed frame that fits a king size bed.", "attributes": ["easy assemble", "box spring", "solid wood", "king size", "memory foam", "wood frame"], "options": ["color: light grey", "size: queen"], "instruction_attributes": ["king size"], "instruction_options": ["light grey", "queen"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67EE4NB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PLBBQK5": [{"asin": "B09PLBBQK5", "instruction": "i am looking for yuanl 2 pcs stainless steel tongue scraper to clear out the white, coated layer on your tongue or maintain better oral hygiene, this effective tongue scraper for adults and kids.", "attributes": ["easy clean", "bpa free", "easy use", "high quality", "stainless steel", "bad breath"], "options": [""], "instruction_attributes": ["easy clean", "bpa free", "easy use", "high quality", "stainless steel", "bad breath"], "instruction_options": [], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG58UIW6", "worker_id": "A1DRKZ3SCLAS4V"}], "B001MKOKH6": [{"asin": "B001MKOKH6", "instruction": "i want a regular fit pea coat with button closure. i need it in black.", "attributes": ["button closure", "regular fit", "classic fit"], "options": ["color: black", "size: x-large tall"], "instruction_attributes": ["button closure", "regular fit"], "instruction_options": ["black"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5KZG218", "worker_id": "A1NF6PELRKACS9"}], "B082ZQ1H8W": [{"asin": "B082ZQ1H8W", "instruction": "i am looking for a cruelty free hair mask.", "attributes": ["cruelty free", "argan oil"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJGXO96", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RWQQ2JS": [{"asin": "B09RWQQ2JS", "instruction": "i'm furnished their house with inexpensive furniture with color green and size 90x4x45cm(35x16x18inch).", "attributes": ["easy clean", "faux leather", "living room"], "options": ["color: green", "size: 90x40x45cm(35x16x18inch)"], "instruction_attributes": ["living room"], "instruction_options": ["green", "90x40x45cm(35x16x18inch)"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYI7XFM", "worker_id": "ASL9LVC97FUCZ"}], "B09H7JB6JZ": [{"asin": "B09H7JB6JZ", "instruction": "i'm looking for a water resistance smartwatch bands of tie dye color.", "attributes": ["quick release", "water resistant"], "options": ["color: tie dye"], "instruction_attributes": ["water resistant"], "instruction_options": ["tie dye"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BO5ONOE", "worker_id": "A9QRQL9CFJBI7"}], "B09C2KVC5K": [{"asin": "B09C2KVC5K", "instruction": "i'm looking for dental flossers which is easy to use and eliminates bad breath.", "attributes": ["easy use", "bad breath"], "options": [""], "instruction_attributes": ["easy use", "bad breath"], "instruction_options": [], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LBPSPD", "worker_id": "AR0VJ5XRG16UJ"}], "B09QRN8FQN": [{"asin": "B09QRN8FQN", "instruction": "i am looking for a gluten free and low calorie sparkling spritz. pick something in coconut passion fruit flavor.", "attributes": ["non alcoholic", "low sugar", "gluten free", "low calorie", "keto friendly"], "options": ["flavor name: coconut passion fruit"], "instruction_attributes": ["gluten free", "low calorie"], "instruction_options": ["coconut passion fruit"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP6V3VDS", "worker_id": "A1NF6PELRKACS9"}], "B07D97VTXR": [{"asin": "B07D97VTXR", "instruction": "i am looking for sand gold nail art glitters which are long lasting and easy to apply. choose microfine 100g /3.5oz size.", "attributes": ["easy apply", "long lasting"], "options": ["color: sand gold", "size: microfine - 100g | 3.5oz"], "instruction_attributes": ["easy apply", "long lasting"], "instruction_options": ["sand gold", "microfine - 100g | 3.5oz"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZER7RM", "worker_id": "AHU9OLV0YKIIW"}], "B09F35WCV5": [{"asin": "B09F35WCV5", "instruction": "i want some casual gym workout pants that are green and come in an x-large.", "attributes": ["daily casual", "slim fit", "elastic waist", "drawstring closure", "relaxed fit", "gym workout"], "options": ["color: green", "size: x-large"], "instruction_attributes": ["gym workout"], "instruction_options": ["green", "x-large"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662O74ME", "worker_id": "A2ECRNQ3X5LEXD"}], "B08WC7XBSL": [{"asin": "B08WC7XBSL", "instruction": "i am looking for some memory foam sneakers in a size 7 that are black, white and red.", "attributes": ["machine washable", "comfortable fit", "synthetic sole", "memory foam"], "options": ["color: black | white | red", "size: 7"], "instruction_attributes": ["memory foam"], "instruction_options": ["black | white | red", "7"], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW61CVVU", "worker_id": "A2ECRNQ3X5LEXD"}], "B097M7TXJD": [{"asin": "B097M7TXJD", "instruction": "i am looking for a pink lave closure sneaker.", "attributes": ["lace closure", "steel toe", "teen girls"], "options": ["color: pink", "size: 9.5-10"], "instruction_attributes": ["lace closure"], "instruction_options": ["pink"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HJDWO3", "worker_id": "A9QRQL9CFJBI7"}], "B08846NCF7": [{"asin": "B08846NCF7", "instruction": "i need a unisex clog made of vinyl acetate. pick a new mint color.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: new mint", "size: 13 women | 11 men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["new mint"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0ICJ84", "worker_id": "A1NF6PELRKACS9"}], "B09SBL979H": [{"asin": "B09SBL979H", "instruction": "i am looking for loose fit cotton shirts for men with short sleeve in white color. medium size preferable.", "attributes": ["loose fit", "slim fit", "short sleeve", "contrast color", "regular fit", "drawstring waist", "gym workout"], "options": ["color: white", "size: medium"], "instruction_attributes": ["loose fit", "short sleeve"], "instruction_options": ["white", "medium"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AB2UYA", "worker_id": "A1DRKZ3SCLAS4V"}], "B09F64NG2P": [{"asin": "B09F64NG2P", "instruction": "i need some hair drying towels that are easy to clean.", "attributes": ["easy clean", "dry hair"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBKXIG0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NBW8RDL": [{"asin": "B09NBW8RDL", "instruction": "i want a home office chair that is white and easy to install.", "attributes": ["heavy duty", "easy install", "easy assemble", "pu leather"], "options": ["color: white"], "instruction_attributes": ["easy install"], "instruction_options": ["white"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCGNBMQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07N7NF4L7": [{"asin": "B07N7NF4L7", "instruction": "i need a navy machine washable twin quilt set.", "attributes": ["queen size", "machine washable"], "options": ["color: navy", "size: twin"], "instruction_attributes": ["machine washable"], "instruction_options": ["navy", "twin"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83EPJIK", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DP1F6GK": [{"asin": "B09DP1F6GK", "instruction": "i would like to buy a black case for iphone 13 pro max which has protection for two screen with tempered glass and which i can easily install myself.", "attributes": ["easy install", "tempered glass", "glass screen"], "options": ["color: black - 13 pro"], "instruction_attributes": ["easy install", "tempered glass"], "instruction_options": ["black - 13 pro"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8TMSSF", "worker_id": "AJY5G987IRT25"}], "B08DHL1YDL": [{"asin": "B08DHL1YDL", "instruction": "find a yubikey 5c usb port security key", "attributes": ["water resistant", "usb port"], "options": ["size: yubikey 5c"], "instruction_attributes": ["usb port"], "instruction_options": ["yubikey 5c"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU43C6RR", "worker_id": "A258PTOZ3D2TQR"}], "B08SJ3V46M": [{"asin": "B08SJ3V46M", "instruction": "i need a weather radio that has batteries included and is black.", "attributes": ["batteries included", "fast charging", "aaa batteries"], "options": ["color: black"], "instruction_attributes": ["batteries included"], "instruction_options": ["black"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2LS4LR", "worker_id": "A2ECRNQ3X5LEXD"}], "B085312K1G": [{"asin": "B085312K1G", "instruction": "i need a alcohol and cruelty free perfume. pick the one with musk scent.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: musk", "size: 3 ml"], "instruction_attributes": ["alcohol free", "cruelty free"], "instruction_options": ["musk"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPI1FWF", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B085312K1G", "instruction": "i want to found 0.1 fluid ounces of alcohol-free perfume oil with a woody scent.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: oud wood", "size: 0.1 fl oz (pack of 1)"], "instruction_attributes": ["alcohol free"], "instruction_options": ["oud wood", "0.1 fl oz (pack of 1)"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JF8CMVG", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B085312K1G", "instruction": "i am looking for a perfume oil in metal packing of 12 ml size which is alcohol free and lasts long.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: warm oud", "size: 12 ml - metal"], "instruction_attributes": ["alcohol free", "long lasting"], "instruction_options": ["12 ml - metal"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3OXZMI", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B085312K1G", "instruction": "i'm looking for alcohol free perfume with an oud wood scent.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: oud wood", "size: 3 ml"], "instruction_attributes": ["alcohol free"], "instruction_options": ["oud wood"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCLEVND6", "worker_id": "A19317A3X87NVM"}, {"asin": "B085312K1G", "instruction": "i am looking for a perfume oil in metal packing of 12 ml size which is alcohol free and lasts long.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: warm oud", "size: 12 ml - metal"], "instruction_attributes": ["alcohol free", "long lasting"], "instruction_options": ["12 ml - metal"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3OXZMI", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B085312K1G", "instruction": "i'm looking for a 12 ml superior egyptian musk.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: vanilla musk", "size: 12 ml"], "instruction_attributes": ["alcohol free", "cruelty free"], "instruction_options": ["vanilla musk", "12 ml"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8N8V2N6", "worker_id": "A1ZGOZQF2VZ0X9"}, {"asin": "B085312K1G", "instruction": "women's eau de parfum red musk paraben free crulty free long lasting size :12 ml", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: red musk", "size: 12 ml"], "instruction_attributes": ["cruelty free", "paraben free", "long lasting"], "instruction_options": ["red musk", "12 ml"], "assignment_id": "33CID5710F37J25O7G1CGJZBORKL3N", "worker_id": "A3N9ZYQAESNFQH"}], "B09Q39KMH4": [{"asin": "B09Q39KMH4", "instruction": "i am looking for medium long sleeves sleep & lounge sets.", "attributes": ["fleece lined", "long sleeve", "short sleeve"], "options": ["color: f1-black", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOA2TC1", "worker_id": "A9QRQL9CFJBI7"}], "B096MJQPX3": [{"asin": "B096MJQPX3", "instruction": "i'm looking for a long lasting jar candles.", "attributes": ["lead free", "long lasting", "soy wax"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEEQZKR", "worker_id": "A9QRQL9CFJBI7"}], "B094XYRY4L": [{"asin": "B094XYRY4L", "instruction": "i need a quick drying skort with pockets. pick a dark grey one.", "attributes": ["daily casual", "quick drying", "nylon spandex", "polyester spandex"], "options": ["color: dark grey", "size: x-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["dark grey"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKLVV7W", "worker_id": "A1NF6PELRKACS9"}], "B00O3202EU": [{"asin": "B00O3202EU", "instruction": "i want to find a gold floor lamp with a glass shade and a nickel finish that i can use for my living room.", "attributes": ["brushed nickel", "nickel finish", "glass shade", "living room"], "options": ["color: gold"], "instruction_attributes": ["nickel finish", "glass shade", "living room"], "instruction_options": ["gold"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NFH2P7", "worker_id": "A345TDMHP3DQ3G"}], "B01MRH3SO3": [{"asin": "B01MRH3SO3", "instruction": "i need a solid wood platform bed with wooden frame. pick something that is natural in color.", "attributes": ["twin size", "box spring", "solid wood", "memory foam", "wood frame"], "options": ["color: natural", "size: king", "style: with headboard"], "instruction_attributes": ["solid wood", "wood frame"], "instruction_options": ["natural"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HSQ1D5", "worker_id": "A1NF6PELRKACS9"}], "B09Q33GJ91": [{"asin": "B09Q33GJ91", "instruction": "i'd like to find a large purple maxi dress made of soft material.", "attributes": ["soft material", "elastic waist", "everyday wear"], "options": ["color: e-purple", "size: large"], "instruction_attributes": ["soft material"], "instruction_options": ["e-purple", "large"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AC9TSE", "worker_id": "A345TDMHP3DQ3G"}], "B091C8PXGR": [{"asin": "B091C8PXGR", "instruction": "i want an easy to use keyboard with number pad and usb port. i want it to be mint green in color.", "attributes": ["batteries included", "easy carry", "easy use", "usb port"], "options": ["color: mint green"], "instruction_attributes": ["easy use", "usb port"], "instruction_options": ["mint green"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2V6G6C", "worker_id": "A1NF6PELRKACS9"}], "B07MZ2CLJY": [{"asin": "B07MZ2CLJY", "instruction": "i'm looking for underwater world backdrop with high resolution digital photography and light weight. also, choose 5*3ft one", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 5x3ft"], "instruction_attributes": ["light weight", "high resolution", "digital photography"], "instruction_options": ["5x3ft"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16YXGNN0", "worker_id": "AR0VJ5XRG16UJ"}], "B005HV4ETK": [{"asin": "B005HV4ETK", "instruction": "i am looking for x-large extra long t-shirts with long sleeves.", "attributes": ["day comfort", "moisture wicking", "machine wash", "polyester cotton", "button closure", "long sleeve"], "options": ["color: silver grey", "size: x-large extra long"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x-large extra long"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOB99LR", "worker_id": "A9QRQL9CFJBI7"}], "B093K8W6MN": [{"asin": "B093K8W6MN", "instruction": "i am looking for a mesh laundry bag with a funny cartoon skull theme and is medium in size.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIXZT3D", "worker_id": "AHU9OLV0YKIIW"}], "B0885RVZFB": [{"asin": "B0885RVZFB", "instruction": "i am looking for natural hair extensions. also, pick something in dark brown.", "attributes": ["hair extensions", "natural hair"], "options": ["color: 2 clips-#613 bleach blonde"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["2 clips-#613 bleach blonde"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9HQTV8", "worker_id": "A1NF6PELRKACS9"}], "B09HNMR1FY": [{"asin": "B09HNMR1FY", "instruction": "i want buy a easy use hair dye hair colouring spray colour should be purple", "attributes": ["long lasting", "easy use", "hair dye", "hair styling"], "options": ["color: purple"], "instruction_attributes": ["easy use", "hair dye"], "instruction_options": ["purple"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LEC09P", "worker_id": "A3N9ZYQAESNFQH"}], "B077JGYFKM": [{"asin": "B077JGYFKM", "instruction": "i'm looking for 1 resealed bag of puffed snacks", "attributes": ["non gmo", "resealable bag"], "options": ["number of items: 1"], "instruction_attributes": ["resealable bag"], "instruction_options": ["1"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7QNSDW", "worker_id": "A9QRQL9CFJBI7"}], "B01N435KPR": [{"asin": "B01N435KPR", "instruction": "i am looking for 30\"x16\"x1.5\", 3pcs wood frame posters & prints.", "attributes": ["ready hang", "wood frame"], "options": ["color: 26 new york skyline", "size: 30\"x16\"x1.5\", 3pcs"], "instruction_attributes": ["wood frame"], "instruction_options": ["30\"x16\"x1.5\", 3pcs"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXDSKWU", "worker_id": "A9QRQL9CFJBI7"}], "B00CHTXLD0": [{"asin": "B00CHTXLD0", "instruction": "i am looking for a dove anti persipirant deodorant for sensitive skin .choose 2.6 ounce (pack of 3).", "attributes": ["anti perspirant", "sensitive skin"], "options": ["scent: powder", "size: 2.6 ounce (pack of 3)"], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": ["2.6 ounce (pack of 3)"], "assignment_id": "3X0H8UUITCYRED22199FX2O3E7PSW3", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B00CHTXLD0", "instruction": "i am looking for some deodorant for sensitive skin that has a herbal scent and comes in a 12 pack.", "attributes": ["anti perspirant", "sensitive skin"], "options": ["scent: herbal", "size: 2.6 ounce (pack of 12)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["herbal", "2.6 ounce (pack of 12)"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCG45SM4", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00CHTXLD0", "instruction": "i am looking for sensitive skin powder", "attributes": ["anti perspirant", "sensitive skin"], "options": ["scent: powder", "size: 2.6 ounce (pack of 4)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["powder"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39TG0MGE", "worker_id": "A16M39T60N60NO"}, {"asin": "B00CHTXLD0", "instruction": "i need a 2.6 ounce(pack of 4) anti-perspirant deodorant that is best for sensitive skin and comes with herbal scent.", "attributes": ["anti perspirant", "sensitive skin"], "options": ["scent: herbal", "size: 2.6 ounce (pack of 4)"], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": ["herbal", "2.6 ounce (pack of 4)"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UQ4ZEZ", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B00CHTXLD0", "instruction": "i am looking for original clean scent deodorant that is anti perspirant.", "attributes": ["anti perspirant", "sensitive skin"], "options": ["scent: original clean", "size: 1.6 ounce (pack of 2)"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["original clean"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPDMCOL", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00CHTXLD0", "instruction": "i will like to have the dove anti-perspirant deodorant, sensitive skin 2.60 oz (pack of 12) with the herbal scent.", "attributes": ["anti perspirant", "sensitive skin"], "options": ["scent: herbal", "size: 2.6 ounce (pack of 12)"], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": ["herbal"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2YARIVH", "worker_id": "A1IL2K0ELYI090"}, {"asin": "B00CHTXLD0", "instruction": "i need an anti perspirant unscented deodorant - 1.6 ounce (pack of 2)", "attributes": ["anti perspirant", "sensitive skin"], "options": ["scent: unscented", "size: 1.6 ounce (pack of 2)"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["unscented"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZS804F", "worker_id": "A258PTOZ3D2TQR"}], "B091NDZ2JX": [{"asin": "B091NDZ2JX", "instruction": "i'm looking for 2 dozen individually wrapped dessert gifts.", "attributes": ["individually wrapped", "baked fresh"], "options": ["size: 2 dozen"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["2 dozen"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ5W91D", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B091NDZ2JX", "instruction": "i am looking for 4 dozen individually wrapped gourmet cookies.", "attributes": ["individually wrapped", "baked fresh"], "options": ["size: 4 dozen"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["4 dozen"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4E4R6Q", "worker_id": "A1EREKSZAA9V7B"}], "B01HPJOW3E": [{"asin": "B01HPJOW3E", "instruction": "i am looking for easy to prepare and ready to eat quaker instant oatmeal breakfast cereal in coconut & caramel flavor.", "attributes": ["easy prepare", "ready eat"], "options": ["flavor name: coconut & caramel"], "instruction_attributes": ["easy prepare", "ready eat"], "instruction_options": ["coconut & caramel"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54ONCEYH", "worker_id": "A1DRKZ3SCLAS4V"}], "B00GJFRQMK": [{"asin": "B00GJFRQMK", "instruction": "i need all natural ingredients gluten gree and vegan red hot sauce 12.5 ounce (pack of 3)", "attributes": ["easy use", "gluten free", "quality ingredients", "natural ingredients"], "options": ["flavor name: hot", "size: 12.5 ounce (pack of 3)"], "instruction_attributes": ["gluten free", "natural ingredients"], "instruction_options": ["hot"], "assignment_id": "31EUONYN26DZ1WA44INARVVOA9IOVQ", "worker_id": "A258PTOZ3D2TQR"}], "B095JTF5DF": [{"asin": "B095JTF5DF", "instruction": "i'm looking for a night table with steel frame for living room. also, choose black colored one.", "attributes": ["steel frame", "living room"], "options": ["color: black", "item package quantity: 1"], "instruction_attributes": ["steel frame", "living room"], "instruction_options": ["black"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AEASTI", "worker_id": "AR0VJ5XRG16UJ"}], "B0037507EE": [{"asin": "B0037507EE", "instruction": "i am looking for wild caught tuna that is ranch flavored and comes in a pack of ten.", "attributes": ["ready eat", "wild caught", "gluten free"], "options": ["flavor name: ranch", "size: 2.6 ounce (pack of 10)"], "instruction_attributes": ["wild caught"], "instruction_options": ["ranch", "2.6 ounce (pack of 10)"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCW73GG4", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0037507EE", "instruction": "i'd like to find a 3-ounce package of ready-to-eat wild-caught tuna salad. the flavor needs to be herb and garlic.", "attributes": ["ready eat", "wild caught", "gluten free"], "options": ["flavor name: herb & garlic", "size: 3 ounce (pack of 1)"], "instruction_attributes": ["ready eat", "wild caught"], "instruction_options": ["herb & garlic", "3 ounce (pack of 1)"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACOENH4", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B0037507EE", "instruction": "i want some ranch flavored tuna salad.", "attributes": ["ready eat", "wild caught", "gluten free"], "options": ["flavor name: ranch", "size: 2.6 ounce (pack of 24)"], "instruction_attributes": ["ready eat"], "instruction_options": ["ranch"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREO3J2W", "worker_id": "A19317A3X87NVM"}, {"asin": "B0037507EE", "instruction": "i am looking for starkist gluten free sweet & spicy tuna salad, 2.6 ounce (pack of 12)", "attributes": ["ready eat", "wild caught", "gluten free"], "options": ["flavor name: sweet & spicy", "size: 2.6 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["sweet & spicy", "2.6 ounce (pack of 12)"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40IQNXY", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B0037507EE", "instruction": "i'm looking for a honey bbq tuna ready to eat 2.6 ounce", "attributes": ["ready eat", "wild caught", "gluten free"], "options": ["flavor name: honey bbq", "size: 2.6 ounce (pack of 24)"], "instruction_attributes": ["ready eat"], "instruction_options": ["honey bbq", "2.6 ounce (pack of 24)"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD38RIP", "worker_id": "A2Y2TURT2VEYZN"}], "B08GK5LX3Q": [{"asin": "B08GK5LX3Q", "instruction": "i want to find a 100-foot long high-speed ethernet cable in an off-white color.", "attributes": ["high speed", "gold plated", "long lasting", "high performance"], "options": ["color: morandi off-white", "size: 100ft"], "instruction_attributes": ["high speed"], "instruction_options": ["morandi off-white", "100ft"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZA9MKY", "worker_id": "A345TDMHP3DQ3G"}], "B01LWKKHU4": [{"asin": "B01LWKKHU4", "instruction": "i'm looking for master cables gold-plated", "attributes": ["gold plated", "1080p hd"], "options": [""], "instruction_attributes": ["gold plated"], "instruction_options": [], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I2XBCM", "worker_id": "A1VMWZ4X201V7H"}], "B092V7C59N": [{"asin": "B092V7C59N", "instruction": "i need a long lasting and high quality nail art kit. it should have all the basic colors.", "attributes": ["long lasting", "easy use", "high quality", "nail art"], "options": ["color: basic colors"], "instruction_attributes": ["long lasting", "high quality", "nail art"], "instruction_options": ["basic colors"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQ6XQSM", "worker_id": "A1NF6PELRKACS9"}], "B07CBKK4CH": [{"asin": "B07CBKK4CH", "instruction": "i am looking for a six pack of wasabi snack mix of mixed nuts.", "attributes": ["low sodium", "protein serving", "low fat", "resealable bag"], "options": ["flavor name: wasabi spicy snack mix", "size: 6 ounce (6 pack)"], "instruction_attributes": ["low sodium"], "instruction_options": ["wasabi spicy snack mix", "6 ounce (6 pack)"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBATEA87", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CBKK4CH", "instruction": "i am looking for a six pack of low sodium wasabi nuts.", "attributes": ["low sodium", "protein serving", "low fat", "resealable bag"], "options": ["flavor name: wasabi spicy snack mix", "size: 7 ounce (6 pack)"], "instruction_attributes": ["low sodium"], "instruction_options": ["wasabi spicy snack mix", "7 ounce (6 pack)"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNI6NTB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09BLV58LQ": [{"asin": "B09BLV58LQ", "instruction": "i'm looking for a over ear bluetooth headphones with stereo sound effect and long lasting battery.", "attributes": ["hands free", "long lasting", "stainless steel", "stereo sound"], "options": [""], "instruction_attributes": ["long lasting", "stereo sound"], "instruction_options": [], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR0S0CL", "worker_id": "AR0VJ5XRG16UJ"}], "B077J12XTH": [{"asin": "B077J12XTH", "instruction": "i need an accent pillow that i can machine wash. get on that is coral blue and is 36\u201d x 36\u201d.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: coral blue", "size: 36\" x 36\""], "instruction_attributes": ["machine washable"], "instruction_options": ["coral blue", "36\" x 36\""], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRMDWPK", "worker_id": "A31PW970Z2PC5P"}], "B09J2G7DD1": [{"asin": "B09J2G7DD1", "instruction": "i need some walking shoes that are non slip and come in a size 7.5.", "attributes": ["non slip", "rubber sole", "comfortable fit", "unique design"], "options": ["size: 7.5"], "instruction_attributes": ["non slip"], "instruction_options": ["7.5"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIB192L", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H2V142R": [{"asin": "B09H2V142R", "instruction": "i want a comfortable fit men's boxers. i am an x-large size.", "attributes": ["comfortable fit", "elastic waistband"], "options": ["color: color21", "size: x-large"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["x-large"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUC13R9", "worker_id": "A1NF6PELRKACS9"}], "B07DFTG99B": [{"asin": "B07DFTG99B", "instruction": "i am looking for a high performance quad core tower computer pc which is certified refurbished.", "attributes": ["certified refurbished", "high performance", "quad core", "core i5", "intel core"], "options": [""], "instruction_attributes": ["certified refurbished", "quad core"], "instruction_options": [], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM9W2I1Q", "worker_id": "A1NF6PELRKACS9"}], "B08DLL59WC": [{"asin": "B08DLL59WC", "instruction": "i want to find a height-adjustable desk chair in the color petal green.", "attributes": ["height adjustable", "mid century", "assembly required", "living room"], "options": ["color: petal green"], "instruction_attributes": ["height adjustable"], "instruction_options": ["petal green"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSENT9GO6", "worker_id": "A345TDMHP3DQ3G"}], "B08P1V6Z83": [{"asin": "B08P1V6Z83", "instruction": "i am looking for a heavy duty and tempered glass screen case cover. choose a red one.", "attributes": ["heavy duty", "tempered glass", "case cover", "glass screen"], "options": ["color: red"], "instruction_attributes": ["heavy duty", "tempered glass", "case cover", "glass screen"], "instruction_options": ["red"], "assignment_id": "3X65QVEQIBXVW21709CD9M35UYFLCR", "worker_id": "A1NF6PELRKACS9"}], "B091JDTFHS": [{"asin": "B091JDTFHS", "instruction": "i need a hand painted vanity light. make sure it is 8.25x33x7 in dimensions.", "attributes": ["hand painted", "vanity light", "glass shade", "living room"], "options": ["size: 8.25x33.00x7.00"], "instruction_attributes": ["hand painted", "vanity light"], "instruction_options": ["8.25x33.00x7.00"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VTUCP32", "worker_id": "A1NF6PELRKACS9"}], "B0758BNGM8": [{"asin": "B0758BNGM8", "instruction": "i want an xx-small sized slim fit button down shirt with long sleeves. pick something in white.", "attributes": ["slim fit", "hand wash", "machine wash", "long sleeve"], "options": ["color: 7#white", "size: xx-small"], "instruction_attributes": ["slim fit", "long sleeve"], "instruction_options": ["7#white", "xx-small"], "assignment_id": "3HPZF4IVNX3FW186JO133U513CSYC3", "worker_id": "A1NF6PELRKACS9"}], "B08PHWFM49": [{"asin": "B08PHWFM49", "instruction": "i am looking for a deep conditioner for natural hair.", "attributes": ["certified organic", "cruelty free", "natural hair"], "options": [""], "instruction_attributes": ["natural hair"], "instruction_options": [], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0UCX76", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BCSFJNN": [{"asin": "B08BCSFJNN", "instruction": "i need a carrying case which is light weight with a mesh pocket. pick a black one.", "attributes": ["water resistant", "light weight", "carrying case", "4g lte"], "options": ["color: black"], "instruction_attributes": ["light weight", "carrying case"], "instruction_options": ["black"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLL803C", "worker_id": "A1NF6PELRKACS9"}], "B08S6LRJGQ": [{"asin": "B08S6LRJGQ", "instruction": "i'm looking for a wall art for living room with ready to hang wood frame which is easy to clean. also, choose art-003m one", "attributes": ["ready hang", "easy clean", "wood frame", "living room"], "options": ["color: art-003m", "size: 16x24"], "instruction_attributes": ["ready hang", "easy clean", "wood frame", "living room"], "instruction_options": ["art-003m"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVFSQ0F", "worker_id": "AR0VJ5XRG16UJ"}], "B07MLHJ6SQ": [{"asin": "B07MLHJ6SQ", "instruction": "i would like some medium brown hair extensions that are 22 inches.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: medium brown", "size: 22 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["medium brown", "22 inch"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BEOX8Z", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07MLHJ6SQ", "instruction": "i am looking for a 16 inch hair extensions storage case.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: platinum blonde mix grey", "size: 16 inch"], "instruction_attributes": ["storage case", "hair extensions"], "instruction_options": ["16 inch"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDPAY88", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07MLHJ6SQ", "instruction": "order me some twelve inch pink hair extensions.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: pink", "size: 12 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["pink", "12 inch"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XOWGNT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07MLHJ6SQ", "instruction": "i would like to buy some 24 inch grey hair extensions.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: grey", "size: 24 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["grey", "24 inch"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6C7BV0I", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07MLHJ6SQ", "instruction": "i want to find some portable 18-inch long hair extensions in the light brown color.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: light brown", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["light brown", "18 inch"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0F91U4L", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07MLHJ6SQ", "instruction": "i am looking to buy grey-body wave, 18 inch hair extensions.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: grey-body wave", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["grey-body wave", "18 inch"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCF4IPW", "worker_id": "A114NK7T5673GK"}, {"asin": "B07MLHJ6SQ", "instruction": "i am looking for a 16 inch hair extensions storage case.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: platinum blonde mix grey", "size: 16 inch"], "instruction_attributes": ["storage case", "hair extensions"], "instruction_options": ["16 inch"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDPAY88", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07MLHJ6SQ", "instruction": "order me some twelve inch pink hair extensions.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: pink", "size: 12 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["pink", "12 inch"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XOWGNT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07MLHJ6SQ", "instruction": "i am looking for this product dustproof non woven portable storage case with wooden hanger for human hair extensions (pink) for dry hair .", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: purple", "size: 20 inch"], "instruction_attributes": ["storage case", "dry hair"], "instruction_options": ["purple"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57IM9I6", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B07MLHJ6SQ", "instruction": "i need to find a dust-proof storage case for my hair extensions that's at least 20 inches long.", "attributes": ["storage case", "hair extensions", "dry hair"], "options": ["color: #2p18t6p18", "size: 20 inch"], "instruction_attributes": ["storage case", "hair extensions"], "instruction_options": ["20 inch"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UYM0YP", "worker_id": "A3LIIE572Z4OG7"}], "B0018P0330": [{"asin": "B0018P0330", "instruction": "i am looking for a denim man short regular fit machine wash size 34 regular colour steel black", "attributes": ["machine wash", "imported zipper", "regular fit"], "options": ["color: steel black", "fit type: 505 regular", "size: 34 regular"], "instruction_attributes": ["machine wash", "regular fit"], "instruction_options": ["steel black", "34 regular"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2VK537", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B0018P0330", "instruction": "i want medium stonewash levi's men's 505 regular fit shorts.", "attributes": ["machine wash", "imported zipper", "regular fit"], "options": ["color: medium stonewash", "fit type: 405 standard", "size: 44"], "instruction_attributes": [], "instruction_options": ["medium stonewash"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34K641E", "worker_id": "A2RBF3IIJP15IH"}], "B097WYZMV6": [{"asin": "B097WYZMV6", "instruction": "i am looking for a high quality, travel size eau de parfum for women.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: calvin klein eternity aqua for men impre..."], "instruction_attributes": ["travel size", "high quality"], "instruction_options": [], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5K75FW", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B097WYZMV6", "instruction": "i looking women's parfume travel size high quality long lasting scent: clinique happy heart impression", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: clinique happy heart impression"], "instruction_attributes": ["travel size", "high quality", "long lasting"], "instruction_options": ["clinique happy heart impression"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR330AR", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B097WYZMV6", "instruction": "i'm looking for the marc jacobs daisy eau so fresh impression perfume in a travel size.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: marc jacobs daisy eau so fresh impressio..."], "instruction_attributes": ["travel size"], "instruction_options": ["marc jacobs daisy eau so fresh impressio..."], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZNKR7H", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B097WYZMV6", "instruction": "i'm looking for alcohol free high quality scent. its contain travel sized.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: escada especially impression"], "instruction_attributes": ["travel size", "alcohol free", "high quality"], "instruction_options": ["escada especially impression"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYIA6L2", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B097WYZMV6", "instruction": "the flowers are chosen for their delicate fragrance hight quality and scent is amber romance perfume", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: amber romance perfume"], "instruction_attributes": ["high quality"], "instruction_options": ["amber romance perfume"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISWROYI", "worker_id": "ASL9LVC97FUCZ"}], "B005KP473Q": [{"asin": "B005KP473Q", "instruction": "i want a quick release tripod with bag. pick the 2 pack option.", "attributes": ["quick release", "carrying case"], "options": ["style: 2-pack"], "instruction_attributes": ["quick release"], "instruction_options": ["2-pack"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BO5GNO6", "worker_id": "A1NF6PELRKACS9"}], "B097KHTHNR": [{"asin": "B097KHTHNR", "instruction": "i need an easy to clean exfoliating back scrubber. pick a pink one.", "attributes": ["easy clean", "dead skin"], "options": ["color: pink", "size: exfoliating back scrubber"], "instruction_attributes": ["easy clean"], "instruction_options": ["pink", "exfoliating back scrubber"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FATLEL", "worker_id": "A1NF6PELRKACS9"}], "B09NKS7WX3": [{"asin": "B09NKS7WX3", "instruction": "i need an easy carry hair ball trimmer for clothes. it should be green in color.", "attributes": ["easy carry", "hair removal"], "options": ["color: green"], "instruction_attributes": ["easy carry"], "instruction_options": ["green"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFMU3ED", "worker_id": "A1NF6PELRKACS9"}], "B07SHWM3BX": [{"asin": "B07SHWM3BX", "instruction": "i am looking for a grey color day comfort golf shoes for men.", "attributes": ["day comfort", "ethylene vinyl", "vinyl acetate"], "options": ["color: grey", "size: 7", "style name: tech response spikeless"], "instruction_attributes": ["day comfort"], "instruction_options": ["grey"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4AO51V", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07SHWM3BX", "instruction": "i'm looking for tech response shoes by adidas in black size 11 for day comfort", "attributes": ["day comfort", "ethylene vinyl", "vinyl acetate"], "options": ["color: black", "size: 11", "style name: tech response golf shoes"], "instruction_attributes": ["day comfort"], "instruction_options": ["black", "11", "tech response golf shoes"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS3UG9H", "worker_id": "A2Y2TURT2VEYZN"}], "B01LY8EQIP": [{"asin": "B01LY8EQIP", "instruction": "i want a non diary snack with caramelized nuts. pick the 2 pound pack.", "attributes": ["non dairy", "non gmo"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["non dairy"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWTCC1G", "worker_id": "A1NF6PELRKACS9"}], "B0764GPB51": [{"asin": "B0764GPB51", "instruction": "i need a plant based, soy free protein shake. pick the smooth vanilla flavor.", "attributes": ["soy free", "non gmo", "low sugar", "gluten free", "shelf stable", "nut free", "plant based", "dairy free", "artificial colors"], "options": ["flavor name: smooth vanilla"], "instruction_attributes": ["soy free", "plant based"], "instruction_options": ["smooth vanilla"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PCXWINN", "worker_id": "A1NF6PELRKACS9"}], "B092JJ1S24": [{"asin": "B092JJ1S24", "instruction": "i would like a desktop tower that has a core i5 processor with 16 gb ddr4 ram, and has 256gb of storage.", "attributes": ["core i5", "intel core"], "options": ["size: 16gb ddr4 ram, 256gb pcie ssd + 1tb hdd"], "instruction_attributes": ["core i5"], "instruction_options": ["16gb ddr4 ram, 256gb pcie ssd + 1tb hdd"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXKHYLS", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B092JJ1S24", "instruction": "i would like a core i5 tower that has 64 gb of ram, and 3tb of storage.", "attributes": ["core i5", "intel core"], "options": ["size: 64gb ddr4 ram, 2tb pcie ssd + 1tb hdd"], "instruction_attributes": ["core i5"], "instruction_options": ["64gb ddr4 ram, 2tb pcie ssd + 1tb hdd"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VGS068", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NM27BY6": [{"asin": "B09NM27BY6", "instruction": "i need a ready to hang portrait art of a dancing lady for the wall. pick one that is 20x20 inch.", "attributes": ["ready hang", "living room"], "options": ["color: dancing lady", "size: 20x20 inch"], "instruction_attributes": ["ready hang"], "instruction_options": ["dancing lady", "20x20 inch"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455RZKTYB", "worker_id": "A1NF6PELRKACS9"}], "B07BCQ6ZCD": [{"asin": "B07BCQ6ZCD", "instruction": "i'm looking for xx-large machine wash sleep & lounge sets.", "attributes": ["wash cold", "machine wash", "relaxed fit", "tumble dry"], "options": ["color: with gray camo pant", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["xx-large"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E395LCZV", "worker_id": "A9QRQL9CFJBI7"}], "B07RWT729V": [{"asin": "B07RWT729V", "instruction": "i want a water resistant carrying case for my hard drive. pick something in teal.", "attributes": ["water resistant", "heavy duty", "carrying case"], "options": ["color: teal"], "instruction_attributes": ["water resistant", "carrying case"], "instruction_options": ["teal"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AJSBWA", "worker_id": "A1NF6PELRKACS9"}], "B08NLC4MKF": [{"asin": "B08NLC4MKF", "instruction": "i am looking for frozen meals that is grass fed and gluten free. i want it in beef variety pack flavor.", "attributes": ["grass fed", "gluten free", "quality ingredients"], "options": ["flavor name: beef variety pack", "size: 11 ounce (pack of 10)"], "instruction_attributes": ["grass fed", "gluten free"], "instruction_options": ["beef variety pack"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YSTHEH", "worker_id": "A1NF6PELRKACS9"}], "B09NYH4HJY": [{"asin": "B09NYH4HJY", "instruction": "i am looking for a blue high waist legging for women.", "attributes": ["butt lifting", "day comfort", "tummy control", "high waist"], "options": ["color: blue", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": [], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SP4TQ7", "worker_id": "A9QRQL9CFJBI7"}], "B08F1V4JTR": [{"asin": "B08F1V4JTR", "instruction": "i need high quality hair extensions that is 18 inches in length.", "attributes": ["high quality", "hair extensions", "hair salon"], "options": ["color: balayage ombre brown to dirty blonde#2 | 6 | 18", "size: 18 inch"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["18 inch"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZC6C71", "worker_id": "A1NF6PELRKACS9"}], "B0843R2PHK": [{"asin": "B0843R2PHK", "instruction": "i'm looking for a 128 ounce (pack of 1) of shelf-stable, keto-friendly, and gluten-free almond milk.", "attributes": ["plant based", "keto friendly", "non dairy", "gluten free", "shelf stable", "non gmo"], "options": ["flavor name: cashew", "size: 128 ounce (pack of 1)"], "instruction_attributes": ["keto friendly", "gluten free", "shelf stable"], "instruction_options": ["128 ounce (pack of 1)"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZRCCND", "worker_id": "A9QRQL9CFJBI7"}], "B086FXMWDM": [{"asin": "B086FXMWDM", "instruction": "look for a caffeine and gluten free herbal drink. i like mixed berry flavor.", "attributes": ["non alcoholic", "caffeine free", "gluten free", "non gmo", "zero sugar"], "options": ["flavor name: mixed berry", "size: 8.5 fl oz (pack of 6)"], "instruction_attributes": ["caffeine free", "gluten free"], "instruction_options": ["mixed berry"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY18T807", "worker_id": "A1NF6PELRKACS9"}], "B088WG813M": [{"asin": "B088WG813M", "instruction": "i am looking for travel size hipster scent 0.5 oz.", "attributes": ["cruelty free", "animal testing", "travel size"], "options": ["scent: hipster"], "instruction_attributes": [], "instruction_options": ["hipster"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZBMMKD", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B088WG813M", "instruction": "i want a socialite scented floral fragrance that comes in travel size. make sure it is a cruelty free product.", "attributes": ["cruelty free", "animal testing", "travel size"], "options": ["scent: socialite"], "instruction_attributes": ["cruelty free", "travel size"], "instruction_options": ["socialite"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFVY3EZ", "worker_id": "A1NF6PELRKACS9"}], "B005OPP2AY": [{"asin": "B005OPP2AY", "instruction": "i need a long lasting fragrance gift set for women.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YWYN4T3", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B005OPP2AY", "instruction": "i am interested in a long lasting perfume set.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2PB5M3", "worker_id": "A2ECRNQ3X5LEXD"}], "B00JJYHPCY": [{"asin": "B00JJYHPCY", "instruction": "get me some low carb sun dried tomatoes. it should have the flavor of plantain chips.", "attributes": ["low carb", "non gmo"], "options": ["flavor: plantain chips", "size: 1 pound (pack of 1)"], "instruction_attributes": ["low carb"], "instruction_options": ["plantain chips"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI7Z7ZGQ", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B00JJYHPCY", "instruction": "i need non gmo sundried tomatoes in a 32 oz container", "attributes": ["low carb", "non gmo"], "options": ["flavor: plantain chips", "size: 32 ounce"], "instruction_attributes": ["non gmo"], "instruction_options": ["32 ounce"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3XJQ78", "worker_id": "A2ECRNQ3X5LEXD"}], "B091TKY6K7": [{"asin": "B091TKY6K7", "instruction": "find me a t shirt dress with ruffle sleeves and elastic closure. pick a green dress.", "attributes": ["hand wash", "elastic closure"], "options": ["color: green", "size: xx-large"], "instruction_attributes": ["elastic closure"], "instruction_options": ["green"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VCC60Q", "worker_id": "A1NF6PELRKACS9"}], "B09KM5FFBG": [{"asin": "B09KM5FFBG", "instruction": "a double sided soft fleence cozy warm light weighted throw blanket also colour is yellow", "attributes": ["double sided", "living room"], "options": ["color: k"], "instruction_attributes": ["double sided"], "instruction_options": ["k"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HRC1DP", "worker_id": "A3N9ZYQAESNFQH"}], "B097F83XBH": [{"asin": "B097F83XBH", "instruction": "i need a golden color cupcake toppers for my wife's birth day party", "attributes": ["birthday party", "cupcake picks"], "options": ["color: gold"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A67UEVU", "worker_id": "A2COCSUGZV28X"}], "B09HC7FPDC": [{"asin": "B09HC7FPDC", "instruction": "i am looking for winter warm ankle boots for women. my size is 7.5.", "attributes": ["knee high", "winter warm", "day comfort", "slip resistant", "anti slip", "high heel", "quality materials"], "options": ["color: z1 pink", "size: 7.5"], "instruction_attributes": ["winter warm"], "instruction_options": ["7.5"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINO7272", "worker_id": "A1NF6PELRKACS9"}], "B007JAY028": [{"asin": "B007JAY028", "instruction": "i would like a low sodium and sugar free grape drink in 10 pack boxes.", "attributes": ["low sodium", "sugar free", "natural flavors"], "options": [""], "instruction_attributes": ["low sodium", "sugar free"], "instruction_options": [], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0MUW5G", "worker_id": "A1NF6PELRKACS9"}], "B099MXGC6W": [{"asin": "B099MXGC6W", "instruction": "i am looking for an iphone case that is wireless charging compatible and is rainbow colored.", "attributes": ["compatible apple", "wireless charging"], "options": ["color: rainbow"], "instruction_attributes": ["wireless charging"], "instruction_options": ["rainbow"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZVLISE", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QPP8J2M": [{"asin": "B09QPP8J2M", "instruction": "i am looking for 6 pack of gluten free and low calorie green tea kelp noodles.", "attributes": ["gluten free", "low calorie", "low carb"], "options": ["flavor name: green tea kelp noodles", "size: 6 pack"], "instruction_attributes": ["gluten free", "low calorie"], "instruction_options": ["green tea kelp noodles", "6 pack"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FAG4UC", "worker_id": "A9QRQL9CFJBI7"}], "B08XVW565D": [{"asin": "B08XVW565D", "instruction": "i am looking for a red-2pcs manual toothbrushes with oral hygiene.", "attributes": ["bpa free", "non slip", "oral hygiene"], "options": ["color: red-2pcs"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["red-2pcs"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WK8427", "worker_id": "A9QRQL9CFJBI7"}], "B078N8NCB9": [{"asin": "B078N8NCB9", "instruction": "i'm looking for a king-sized 8-inch mattress foundation with box springs.", "attributes": ["ready use", "fully assembled", "twin size", "assembly required", "box spring"], "options": ["size: king", "style: 8\" foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["king", "8\" foundation"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJX77JUJ", "worker_id": "A345TDMHP3DQ3G"}], "B01LPCLEWY": [{"asin": "B01LPCLEWY", "instruction": "i am looking for a low carbohydrates protein bar with package of 12 counts.", "attributes": ["low carb", "gluten free"], "options": ["size: 12 count", "style: \"chocolate dessert"], "instruction_attributes": ["low carb"], "instruction_options": ["12 count"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGGEIYP", "worker_id": "A2HMEGTAFO0CS8"}], "B09K7FFJGJ": [{"asin": "B09K7FFJGJ", "instruction": "i need a screen protector that is easy to install and is 41mm in size.", "attributes": ["easy install", "compatible apple", "high resolution", "glass screen", "tempered glass"], "options": ["size: 41 mm"], "instruction_attributes": ["easy install"], "instruction_options": ["41 mm"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOHWX6HH", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HH5311B": [{"asin": "B09HH5311B", "instruction": "i am looking for a size 9.5 casual walking shoes for men, which should have a unique design and should fit comfortably. i will prefer this to have a rubber sole which should be non slippery.", "attributes": ["non slip", "rubber sole", "comfortable fit", "unique design"], "options": ["size: 9.5"], "instruction_attributes": ["non slip", "rubber sole", "comfortable fit", "unique design"], "instruction_options": ["9.5"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0U7R3AD", "worker_id": "ASWFLI3N8X72G"}], "B01N4QXNL5": [{"asin": "B01N4QXNL5", "instruction": "i want to find a dining room wood counter height stool. also, choose the light cherry one.", "attributes": ["wood finish", "contemporary style", "dining room"], "options": ["color: light cherry"], "instruction_attributes": ["dining room"], "instruction_options": ["light cherry"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCW7ZGG0", "worker_id": "A9ZM1P6LBW79"}], "B09MV6XLSL": [{"asin": "B09MV6XLSL", "instruction": "i'm looking for a 1 dozen nut free dessert gifts.", "attributes": ["nut free", "individually wrapped"], "options": ["size: 1 dozen"], "instruction_attributes": ["nut free"], "instruction_options": ["1 dozen"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0QTW45", "worker_id": "A9QRQL9CFJBI7"}], "B000VYP4EW": [{"asin": "B000VYP4EW", "instruction": "i need a rich creamy chai tea that is spicy and gluten free. pick the tortoise green tea flavor.", "attributes": ["rich creamy", "easy prepare", "gluten free"], "options": ["flavor name: tortoise green tea", "size: 48 ounce (pack of 1)"], "instruction_attributes": ["rich creamy", "gluten free"], "instruction_options": ["tortoise green tea"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZ6LKLY", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B000VYP4EW", "instruction": "i am looking for gluten free chai, please choose orca spice flavor.", "attributes": ["rich creamy", "easy prepare", "gluten free"], "options": ["flavor name: orca spice", "size: 64 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["orca spice"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC3TNI1", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B000VYP4EW", "instruction": "i would like a 11.9 ounce maple moose rich and creamy chai tea.", "attributes": ["rich creamy", "easy prepare", "gluten free"], "options": ["flavor name: maple moose", "size: 11.9 ounce (pack of 1)"], "instruction_attributes": ["rich creamy"], "instruction_options": ["maple moose", "11.9 ounce (pack of 1)"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMSS9WJ", "worker_id": "A1WS884SI0SLO4"}], "B089Z47324": [{"asin": "B089Z47324", "instruction": "i want a sugar free paddy syrup that is keto friendly. i like the macadamia nut flavor.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: macadamia nut", "size: 12.7 ounce"], "instruction_attributes": ["sugar free", "keto friendly"], "instruction_options": ["macadamia nut"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BO5WONN", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B089Z47324", "instruction": "i am looking for sugar free madagascar vanilla flavored peppermint paddy syrup, 64 ounce (pack of 6)", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: madagascar vanilla", "size: 64 ounce (pack of 6)"], "instruction_attributes": ["sugar free"], "instruction_options": ["madagascar vanilla", "64 ounce (pack of 6)"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KDBC641", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B089Z47324", "instruction": "i need davinci gourmet sugar-free cherry syrup.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: cherry", "size: 12.7 ounce"], "instruction_attributes": ["sugar free"], "instruction_options": ["cherry"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22JKW8L", "worker_id": "A2RBF3IIJP15IH"}], "B09HDTL3X9": [{"asin": "B09HDTL3X9", "instruction": "i need an iphone case that is easy to install and use. i am looking for something in green marble gold.", "attributes": ["easy install", "easy use", "wireless charging"], "options": ["color: green marble gold", "size: iphone xs max\uff086.5 inch\uff09"], "instruction_attributes": ["easy install", "easy use"], "instruction_options": ["green marble gold"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R12GI27", "worker_id": "A1NF6PELRKACS9"}], "B07MV93XNN": [{"asin": "B07MV93XNN", "instruction": "i am looking for a mid century wood end table lamb with usb charging port .", "attributes": ["mid century", "living room"], "options": ["color: wood"], "instruction_attributes": ["mid century"], "instruction_options": ["wood"], "assignment_id": "31JLPPHS254FPN8LK8H48035JQ83OT", "worker_id": "AHU9OLV0YKIIW"}], "B08Q7W5HZ9": [{"asin": "B08Q7W5HZ9", "instruction": "i want to find a two-pack of white coaxial cables that are plated with gold.", "attributes": ["gold plated", "coaxial cable"], "options": ["color: white", "number of items: 2"], "instruction_attributes": ["gold plated", "coaxial cable"], "instruction_options": ["white", "2"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKC447HY", "worker_id": "A345TDMHP3DQ3G"}], "B09LCDCFNN": [{"asin": "B09LCDCFNN", "instruction": "i need an easy to use breath freshener spray to eliminate bad breath. pick a white one.", "attributes": ["easy use", "tea tree", "natural ingredients", "bad breath"], "options": ["color: white"], "instruction_attributes": ["easy use", "bad breath"], "instruction_options": ["white"], "assignment_id": "3N8OEVH1F204BC17361WW31GEH4OO9", "worker_id": "A1NF6PELRKACS9"}], "B000ILMQL2": [{"asin": "B000ILMQL2", "instruction": "i need a kosher certified popcorn seasoning that has kettle corn flavor. get the pack of 6 of 2.8 ounce each", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: kettle corn", "size: 2.8 ounce (pack of 6)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["kettle corn", "2.8 ounce (pack of 6)"], "assignment_id": "3URFVVM16GSBNLZB11OMB709G54ZU4", "worker_id": "A2COCSUGZV28X"}, {"asin": "B000ILMQL2", "instruction": "i'm looking for gluten free it has high protein and it has health and it is easy to use.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: cheesy jalapeno", "size: 3 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["cheesy jalapeno"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7X0KTZC", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B000ILMQL2", "instruction": "i am looking for popcorn seasoning of popcorn salt flavor that is gluten free.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: popcorn salt", "size: 3 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["popcorn salt"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S34GML", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B000ILMQL2", "instruction": "i want a gluten free popcorn seasoning that has a flavor of sour cream and onion.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: sour cream & onion", "size: 2.8 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["sour cream & onion"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P783VSW", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B000ILMQL2", "instruction": "i want gluten free kernel season's kettle corn popcorn seasoning.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: kettle-corn", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["kettle-corn"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAJ4OVW", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000ILMQL2", "instruction": "looking for kosher certified butter popcorn salt also choose color butter", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: butter", "size: 3.75 ounce (pack of 6)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["butter"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21QLQF5", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B000ILMQL2", "instruction": "i want gluten free kernel season's cheesy caramel corn seasoning.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: cheesy caramel corn", "size: 3.75 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["cheesy caramel corn"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWJNGGC", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000ILMQL2", "instruction": "i would like some butter flavored popcorn salt that comes in a four pack.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: butter", "size: 3.75 ounce (pack of 6)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["butter", "3.75 ounce (pack of 6)"], "assignment_id": "3X08E93BH6SOX0PZ3ET8Y3TY8MU661", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000ILMQL2", "instruction": "i want gluten free kernel season's chili lime popcorn seasoning.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: chili lime", "size: 3.5 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["chili lime"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y6IVID", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000ILMQL2", "instruction": "i need gluten free popcorn seasoning. make it the ranch flavored.", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: ranch", "size: 2.85 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["ranch"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8BHUXP", "worker_id": "A31PW970Z2PC5P"}, {"asin": "B000ILMQL2", "instruction": "i am looking kosher certified gluten free sour cream & onion flavor popcorn seasoning", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: sour cream & onion", "size: variety 1"], "instruction_attributes": ["kosher certified", "gluten free"], "instruction_options": ["sour cream & onion"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIUUTMJ", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B000ILMQL2", "instruction": "i need gluten free kernel season's popcorn seasoning, sour cream & onion, 2.7 ounce (pack of 6).", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: sour cream & onion", "size: 2.7 ounce (pack of 6)"], "instruction_attributes": ["gluten free", "0g trans"], "instruction_options": ["sour cream & onion", "2.7 ounce (pack of 6)"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F20BHO9", "worker_id": "A15IJ20C3R4HUO"}], "B09PHJHJXR": [{"asin": "B09PHJHJXR", "instruction": "i want a red colour loose fit tee top blouse having long sleeve xx -large", "attributes": ["loose fit", "long sleeve", "short sleeve"], "options": ["color: red", "size: xx-large"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["red", "xx-large"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKKGSGN", "worker_id": "A3N9ZYQAESNFQH"}], "B09G78QM39": [{"asin": "B09G78QM39", "instruction": "i am looking for chair provides optimal support throughout your workday with height adjustable and lumbar support of vari essential task chair in grey color.", "attributes": ["height adjustable", "lumbar support"], "options": ["color: grey", "style: essential task chair"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": ["grey", "essential task chair"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCL45QC", "worker_id": "A1DRKZ3SCLAS4V"}, {"asin": "B09G78QM39", "instruction": "i am looking for a black task chair which is height adjustable and has a good lumbar support.", "attributes": ["height adjustable", "lumbar support"], "options": ["color: black", "style: task chair"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": ["black", "task chair"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJGKGDT", "worker_id": "AHU9OLV0YKIIW"}], "B08VFHCPBR": [{"asin": "B08VFHCPBR", "instruction": "i want a twin size comforter for boys with a video game theme. pick a full size one.", "attributes": ["twin size", "machine washable", "easy clean", "printing technology"], "options": ["color: cay127", "size: full"], "instruction_attributes": ["twin size"], "instruction_options": ["full"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME9YN2D6", "worker_id": "A1NF6PELRKACS9"}], "B09CTBHCTM": [{"asin": "B09CTBHCTM", "instruction": "i'm looking for an office file cabinet that's easy to assemble and has a lot of shelves for storage space.", "attributes": ["easy assemble", "storage space"], "options": [""], "instruction_attributes": ["easy assemble", "storage space"], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8NYZT7U", "worker_id": "A345TDMHP3DQ3G"}], "B09NKQYKV2": [{"asin": "B09NKQYKV2", "instruction": "i'd like to buy a 7-inch 1024600 red tablet with a long lasting quad core processor.", "attributes": ["long lasting", "quad core"], "options": ["color: red"], "instruction_attributes": ["long lasting", "quad core"], "instruction_options": ["red"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YALPNY", "worker_id": "A1HMZJ59OPLD1P"}], "B09965PF36": [{"asin": "B09965PF36", "instruction": "i'm looking for women's open toe, slim fit high heels sandals with leather sole. also, choose size 8 with white colored one.", "attributes": ["open toe", "slim fit", "leather sole", "long sleeve"], "options": ["color: white", "size: 8"], "instruction_attributes": ["open toe", "slim fit", "leather sole"], "instruction_options": ["white", "8"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGEU2WG", "worker_id": "AR0VJ5XRG16UJ"}], "B09MRFPDB3": [{"asin": "B09MRFPDB3", "instruction": "i need new clear 1.5mm table pads that are easy to clean and are 20 by 72 inches.", "attributes": ["easy clean", "heavy duty", "dining room"], "options": ["color: new clear 1.5mm", "size: 20 x 72 inch"], "instruction_attributes": ["easy clean"], "instruction_options": ["new clear 1.5mm", "20 x 72 inch"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMCLVXY", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09MRFPDB3", "instruction": "i am looking for 42x60 inch plastic table cover for dining room.", "attributes": ["easy clean", "heavy duty", "dining room"], "options": ["color: clear 1.5mm", "size: 42 x 60 inch"], "instruction_attributes": ["dining room"], "instruction_options": ["42 x 60 inch"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWU9FPD", "worker_id": "A3FG5PQHG5AH3Y"}], "B07CZ5QDDL": [{"asin": "B07CZ5QDDL", "instruction": "i need organic bay leaf that is 4 oz.", "attributes": ["certified organic", "non gmo", "gluten free"], "options": ["flavor name: fennel seed whole", "size: 4 ounce (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["4 ounce (pack of 1)"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRKM2Y3", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CZ5QDDL", "instruction": "i would like a 12 ounce pack of whole fennel seeds that are certified organic.", "attributes": ["certified organic", "non gmo", "gluten free"], "options": ["flavor name: fennel seed whole", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["fennel seed whole", "12 ounce (pack of 1)"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN69NG56", "worker_id": "A1WS884SI0SLO4"}], "B083QDVTFW": [{"asin": "B083QDVTFW", "instruction": "i need a wall mounted table that can be folded. also, the dimensions should be 70x50x30 cm.", "attributes": ["wall mounted", "easy clean"], "options": ["color: a", "size: 70\u00d750\u00d730cm"], "instruction_attributes": ["wall mounted"], "instruction_options": ["70\u00d750\u00d730cm"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1FG6FB", "worker_id": "A1NF6PELRKACS9"}], "B09L8H3BZL": [{"asin": "B09L8H3BZL", "instruction": "i need a nail art pen which is easy to carry and comes in 12 colors. make sure it has gold and silver color too.", "attributes": ["easy carry", "nail polish", "nail art"], "options": ["color: d"], "instruction_attributes": ["easy carry", "nail art"], "instruction_options": [], "assignment_id": "39LNWE0K456PSVA11X00BCXJKS9UI9", "worker_id": "A1NF6PELRKACS9"}], "B089CP2VD9": [{"asin": "B089CP2VD9", "instruction": "i am looking for heavy duty coaxial cables that are 35 feet long.", "attributes": ["heavy duty", "4g lte"], "options": ["size: 35ft"], "instruction_attributes": ["heavy duty"], "instruction_options": ["35ft"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDS3ICO", "worker_id": "A2ECRNQ3X5LEXD"}], "B074W2L1YN": [{"asin": "B074W2L1YN", "instruction": "i am looking fluoride free plant based natural ingredient coconut mint toothpaste size 5 oz", "attributes": ["fluoride free", "plant based", "sulfate free", "natural ingredients", "bad breath"], "options": ["color: coconut mint 5oz (3-pack)", "size: 2 ounce"], "instruction_attributes": ["fluoride free", "plant based", "natural ingredients", "bad breath"], "instruction_options": ["coconut mint 5oz (3-pack)"], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YGRY55K", "worker_id": "A3N9ZYQAESNFQH"}], "B07HFLFLWS": [{"asin": "B07HFLFLWS", "instruction": "i am looking for a king size headboards & footboards.", "attributes": ["solid wood", "king size"], "options": ["color: summer mix", "size: king"], "instruction_attributes": ["king size"], "instruction_options": ["king"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L445RQQ", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07HFLFLWS", "instruction": "i want to find king size headboard, hanger style, in summer mix color for a double bedroom.", "attributes": ["solid wood", "king size"], "options": ["color: summer mix", "size: sample"], "instruction_attributes": ["king size"], "instruction_options": ["summer mix"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKXPDNR", "worker_id": "A15IJ20C3R4HUO"}], "B09QPN339F": [{"asin": "B09QPN339F", "instruction": "i am looking for open toe sandals with an ankle strap. i want it in size 10.", "attributes": ["open toe", "leather sole", "ankle strap"], "options": ["color: sandals 06 khaki", "size: 10"], "instruction_attributes": ["open toe", "ankle strap"], "instruction_options": ["10"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MG2OFC", "worker_id": "A1NF6PELRKACS9"}], "B08R5R1239": [{"asin": "B08R5R1239", "instruction": "i'd like to find 22-inch long wavy hair extensions. the color needs to be ash blonde mixed with beach blonde.", "attributes": ["double sided", "sulfate free", "hair extensions"], "options": ["color: wavy ash blonde mixed bleach blonde #18&613", "size: 22 inch (30 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["wavy ash blonde mixed bleach blonde #18&613", "22 inch (30 gram)"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ3EUWN", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08R5R1239", "instruction": "i'm looking for black hair double sided hair extensions need to buy.", "attributes": ["double sided", "sulfate free", "hair extensions"], "options": ["color: wavy off black #1b", "size: 18 inch(30 gram)"], "instruction_attributes": ["double sided", "hair extensions"], "instruction_options": ["wavy off black #1b"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCI6SJC", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08R5R1239", "instruction": "i am looking for a tape in hair extension human hair 16\u201d and it should be ash blonde -mixed bleach blonde.", "attributes": ["double sided", "sulfate free", "hair extensions"], "options": ["color: ash blonde mixed bleach blonde #18&613", "size: 16 inch(100 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["ash blonde mixed bleach blonde #18&613", "16 inch(100 gram)"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VKZ06N", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B08R5R1239", "instruction": "i am looking for 12 inch double sided hair extensions. also pick a dark brown color.", "attributes": ["double sided", "sulfate free", "hair extensions"], "options": ["color: dark brown #2", "size: 12 inch(40 gram)"], "instruction_attributes": ["double sided", "hair extensions"], "instruction_options": ["dark brown #2", "12 inch(40 gram)"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF5SLD6", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B08R5R1239", "instruction": "i am looking for dark brown human hair extensions with double sided tap.", "attributes": ["double sided", "sulfate free", "hair extensions"], "options": ["color: wavy dark brown #2", "size: 14 inch(80 gram)"], "instruction_attributes": ["double sided", "hair extensions"], "instruction_options": ["wavy dark brown #2"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTGH5DT", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B08R5R1239", "instruction": "i am looking for 22 inch seamless hair extensions.", "attributes": ["double sided", "sulfate free", "hair extensions"], "options": ["color: dark brown to light brown #2-6", "size: 22 inch(50 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["22 inch(50 gram)"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X5NPGS", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08R5R1239", "instruction": "i want to find hair extensions that are 12 inches long in a medium brown color.", "attributes": ["double sided", "sulfate free", "hair extensions"], "options": ["color: medium brown #4", "size: 12 inch(80 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["medium brown #4", "12 inch(80 gram)"], "assignment_id": "3634BBTX0Z409DDB6851PCWGACZFIE", "worker_id": "A345TDMHP3DQ3G"}], "B005IYRY16": [{"asin": "B005IYRY16", "instruction": "i would like some straight leg jeans that are ric and are in the size 46w by 29l.", "attributes": ["straight leg", "loose fit", "machine wash", "imported zipper", "cotton spandex", "button closure"], "options": ["color: ric", "size: 46w x 29l"], "instruction_attributes": ["straight leg"], "instruction_options": ["ric", "46w x 29l"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMS43W2", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PNGYWZ4": [{"asin": "B09PNGYWZ4", "instruction": "i am looking for a 4x-large regular fit henley shirts for men.", "attributes": ["fleece lined", "long sleeve", "short sleeve", "regular fit"], "options": ["color: black", "size: 4x-large"], "instruction_attributes": ["regular fit"], "instruction_options": ["4x-large"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TF23NB", "worker_id": "A9QRQL9CFJBI7"}], "B097WQNRSP": [{"asin": "B097WQNRSP", "instruction": "i am looking for long lasting , high quality spray of ca perfume impression which is alcohol free and easy to carry in purse or travel bag in handy all day long. jo malone velvet rose & oud impression preferable.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: jo malone velvet rose & oud impression"], "instruction_attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "instruction_options": ["jo malone velvet rose & oud impression"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ5YCKCP", "worker_id": "A1DRKZ3SCLAS4V"}, {"asin": "B097WQNRSP", "instruction": "i would like to buy a travel size bottle of gucci bamboo impression perfume.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: gucci bamboo impression"], "instruction_attributes": ["travel size"], "instruction_options": ["gucci bamboo impression"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OD7RTB", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B097WQNRSP", "instruction": "i want to buy a christian dior eau sauvage perfume from 2017 that's alcohol-free and travel size.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: christian dior eau sauvage parfum 2017 i..."], "instruction_attributes": ["travel size", "alcohol free"], "instruction_options": ["christian dior eau sauvage parfum 2017 i..."], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB4AZAQ3", "worker_id": "A2YNPKYEFDZ6C9"}], "B098Q9HTDW": [{"asin": "B098Q9HTDW", "instruction": "i want to find a 16.53 inch wall lamp featuring a brushed nickel finish.", "attributes": ["wall mounted", "brushed nickel", "nickel finish"], "options": ["color: 14w 3000k-nickel-d", "size: 16.53 inches"], "instruction_attributes": ["wall mounted", "brushed nickel", "nickel finish"], "instruction_options": ["14w 3000k-nickel-d", "16.53 inches"], "assignment_id": "39K0FND3ASPR95MUG7H134S6UYFMAJ", "worker_id": "A345TDMHP3DQ3G"}], "B00BM1WO7I": [{"asin": "B00BM1WO7I", "instruction": "i'm looking for a alcohol free concealers & neutralizers of cacao color.", "attributes": ["alcohol free", "fragrance free", "paraben free"], "options": ["color: cacao"], "instruction_attributes": ["alcohol free"], "instruction_options": ["cacao"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHA1ROD2", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B00BM1WO7I", "instruction": "i am looking for honey color alcohol free creamy concealer", "attributes": ["alcohol free", "fragrance free", "paraben free"], "options": ["color: honey"], "instruction_attributes": ["alcohol free"], "instruction_options": ["honey"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFAJVLY", "worker_id": "A258PTOZ3D2TQR"}], "B08P65RN3T": [{"asin": "B08P65RN3T", "instruction": "i need loafers that are a size 12 and have a rubber sole.", "attributes": ["day comfort", "memory foam", "rubber outsole", "rubber sole"], "options": ["size: 12"], "instruction_attributes": ["rubber sole"], "instruction_options": ["12"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TLV5RV3", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BMP61RP": [{"asin": "B08BMP61RP", "instruction": "find me a caffeine free and sugar free herbal tea bags 5 nos for good health", "attributes": ["caffeine free", "non dairy", "low calorie", "sugar free", "plant based", "artificial flavors"], "options": [""], "instruction_attributes": ["sugar free"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P3GUBT", "worker_id": "A258PTOZ3D2TQR"}], "B0038U0XRE": [{"asin": "B0038U0XRE", "instruction": "find me a sulfate free shampoo for repairing my damaged hair.", "attributes": ["certified organic", "sulfate free", "cruelty free", "damaged hair"], "options": [""], "instruction_attributes": ["sulfate free", "damaged hair"], "instruction_options": [], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZAM7AX", "worker_id": "A1NF6PELRKACS9"}], "B001NL3RVO": [{"asin": "B001NL3RVO", "instruction": "looking for a short shleev shirt sunsit colour button closure also size 2x", "attributes": ["short sleeve", "relaxed fit", "button closure"], "options": ["color: sunlit", "size: 2x"], "instruction_attributes": ["short sleeve", "button closure"], "instruction_options": ["sunlit", "2x"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWJ6FPO", "worker_id": "A3N9ZYQAESNFQH"}], "B095SZDXK8": [{"asin": "B095SZDXK8", "instruction": "i want an easy to use pillow speaker for my mp3 phone. it should be 3.5mm in size", "attributes": ["easy carry", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9D06KK", "worker_id": "A1NF6PELRKACS9"}], "B09PZ6TPFL": [{"asin": "B09PZ6TPFL", "instruction": "i am looking for a long lasting highlighters & luminizers. also choose the pattern 03#", "attributes": ["long lasting", "easy carry"], "options": ["pattern name: 03#"], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA0ES25", "worker_id": "A9QRQL9CFJBI7"}], "B097M755ZT": [{"asin": "B097M755ZT", "instruction": "help me buy an easy to use eyes mask that helps to reduce puffy dark circles. please select the red one.", "attributes": ["double sided", "easy use", "dark circles"], "options": ["color: red"], "instruction_attributes": ["easy use", "dark circles"], "instruction_options": ["red"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXKPYL0", "worker_id": "A1HMZJ59OPLD1P"}], "B09SG1DRMT": [{"asin": "B09SG1DRMT", "instruction": "i'd like to find a toothpaste dispenser that is not only non-toxic, but also high quality.", "attributes": ["non toxic", "high quality"], "options": ["color: a"], "instruction_attributes": ["non toxic", "high quality"], "instruction_options": ["a"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2JKL4W", "worker_id": "A345TDMHP3DQ3G"}], "B0892JBZM9": [{"asin": "B0892JBZM9", "instruction": "i am looking for attractive ottoman is particularly strong and durable,breathable,odourless,acid-free,corrosion-resistant and long-lasting, easy to clean,and can be used in office entrances,living rooms,basements,bedrooms,offices,university dormitories,cafes,bars,hotels and other places xmzddz faux leather storage bench.comfortable seat size 80*45*40cm.", "attributes": ["faux leather", "storage space"], "options": ["color: a", "size: 80*45*40cm"], "instruction_attributes": ["faux leather", "storage space"], "instruction_options": ["a", "80*45*40cm"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21HBQFD", "worker_id": "A1DRKZ3SCLAS4V"}], "B07SM7VKQJ": [{"asin": "B07SM7VKQJ", "instruction": "i need an easy to use pen drive with usb port. pick one that is 16 gb in capacity", "attributes": ["easy use", "usb port"], "options": ["color: glass crystal", "size: 16gb"], "instruction_attributes": ["easy use", "usb port"], "instruction_options": ["16gb"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E0WHXM", "worker_id": "A1NF6PELRKACS9"}], "B0875WDVYH": [{"asin": "B0875WDVYH", "instruction": "can i get a super soft burgundy fleece cosy throw for a couch which is 50\u201dx60\u201d in size?", "attributes": ["super soft", "exquisite workmanship", "living room"], "options": ["color: burgundy", "size: throw(50\"x60\")"], "instruction_attributes": ["super soft"], "instruction_options": ["burgundy", "throw(50\"x60\")"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PCY1INU", "worker_id": "AHU9OLV0YKIIW"}], "B09K7YPLZD": [{"asin": "B09K7YPLZD", "instruction": "i'm looking for a iphone 13 skateboard wood case with glass screen. also choose real walnut wood-13 pro for iphone 13 mini.", "attributes": ["easy use", "glass screen"], "options": ["color: real walnut wood - 13 pro", "size: iphone 13 mini"], "instruction_attributes": ["glass screen"], "instruction_options": ["real walnut wood - 13 pro", "iphone 13 mini"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCLWONSC", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B09K7YPLZD", "instruction": "i'm looking for colorful striped patterned protective cover for iphone 13.", "attributes": ["easy use", "glass screen"], "options": ["color: real skateboard wood - 13 mini", "size: for iphone 13 pro max (6.7\")"], "instruction_attributes": ["glass screen"], "instruction_options": ["real skateboard wood - 13 mini"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVRDKJD", "worker_id": "A21IUUHBSEVB56"}], "B09CRBLP56": [{"asin": "B09CRBLP56", "instruction": "i am looking for a i7-7700 3.60ghz size of intel core i5 desktops.", "attributes": ["core i5", "intel core"], "options": ["size: i7-7700 3.60ghz", "style: 16gb | 256gb nvme m.2"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["i7-7700 3.60ghz"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CH7INBP", "worker_id": "A9QRQL9CFJBI7"}], "B092VL4RC6": [{"asin": "B092VL4RC6", "instruction": "i need comfy casual loose elastic waist 2#multicolor pocketed shorts. its size should be 3x-large.", "attributes": ["elastic waist", "high waist", "gym workout"], "options": ["color: 2#multicolor", "size: 3x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": [], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLAZLR8J", "worker_id": "A258PTOZ3D2TQR"}], "B09BPYBD11": [{"asin": "B09BPYBD11", "instruction": "i am looking for a professional white color hair salon rolling swivel chair", "attributes": ["heavy duty", "hair salon"], "options": ["color: white"], "instruction_attributes": ["hair salon"], "instruction_options": ["white"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMRP3WL", "worker_id": "A258PTOZ3D2TQR"}], "B01MRBAPTR": [{"asin": "B01MRBAPTR", "instruction": "i'm looking for a hyaluronic acid serum which should be certified organic and cruelty free.", "attributes": ["certified organic", "cruelty free", "hyaluronic acid"], "options": [""], "instruction_attributes": ["certified organic", "cruelty free", "hyaluronic acid"], "instruction_options": [], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRMU2YF", "worker_id": "AR0VJ5XRG16UJ"}], "B000UGUQLM": [{"asin": "B000UGUQLM", "instruction": "i am looking for one oil free foundation in the shade n10 milk chocolate.", "attributes": ["oil free", "fine lines"], "options": ["color: n10 milk chocolate", "size: 1 count"], "instruction_attributes": ["oil free"], "instruction_options": ["n10 milk chocolate", "1 count"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIF885U", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000UGUQLM", "instruction": "i am looking for a 1 fl oz oil free super-blendable liquid foundation.", "attributes": ["oil free", "fine lines"], "options": ["color: c1 alabaster", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["1 fl oz (pack of 1)"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FA18KN", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B000UGUQLM", "instruction": "i am looking for a 1 fl oz oil free super-blendable liquid foundation.", "attributes": ["oil free", "fine lines"], "options": ["color: c1 alabaster", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["1 fl oz (pack of 1)"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FA18KN", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B000UGUQLM", "instruction": "i'm looking for super-blendable liquid foundation that is oil free and for fine lines. also, it should be 1 fl oz.", "attributes": ["oil free", "fine lines"], "options": ["color: c9 deep cool", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["oil free", "fine lines"], "instruction_options": ["1 fl oz (pack of 1)"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53Y1GK8", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B000UGUQLM", "instruction": "i want a vanilla and oil free l'oreal paris true match liquid foundation.", "attributes": ["oil free", "fine lines"], "options": ["color: w2.5 vanilla", "size: 1 count (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["w2.5 vanilla"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UX90YA", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000UGUQLM", "instruction": "i would like a single perfect beige foundation that is oil free.", "attributes": ["oil free", "fine lines"], "options": ["color: w5.5 perfect beige", "size: 1 count"], "instruction_attributes": ["oil free"], "instruction_options": ["w5.5 perfect beige", "1 count"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YO4T8S", "worker_id": "A1WS884SI0SLO4"}], "B005X7IXTK": [{"asin": "B005X7IXTK", "instruction": "i need cruelty free deodorant that has a woody scent and is 1.6 oz.", "attributes": ["anti perspirant", "cruelty free"], "options": ["scent: woody scent", "size: 1.6 ounce (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["woody scent", "1.6 ounce (pack of 1)"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2W353S", "worker_id": "A2ECRNQ3X5LEXD"}], "B099WHJBXD": [{"asin": "B099WHJBXD", "instruction": "i need a hard drive carrying case bag that is light pink", "attributes": ["water resistant", "carrying case"], "options": ["color: light pink"], "instruction_attributes": ["carrying case"], "instruction_options": ["light pink"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP20DQQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07V25G5GJ": [{"asin": "B07V25G5GJ", "instruction": "i'm looking for a 2.82 ounce (pack of 12) non gmo bagel chips.", "attributes": ["artificial ingredients", "non gmo", "artificial flavors"], "options": ["flavor: variety (garlic, pizza, everything)", "size: 2.82 ounce (pack of 12)"], "instruction_attributes": ["non gmo"], "instruction_options": ["2.82 ounce (pack of 12)"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50QV1GWB", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07V25G5GJ", "instruction": "i need some salty, non-gmo bagel crisps.", "attributes": ["artificial ingredients", "non gmo", "artificial flavors"], "options": ["flavor: salted", "size: 2.82 ounce (pack of 12)"], "instruction_attributes": ["non gmo"], "instruction_options": ["salted"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBPRKAOY", "worker_id": "A19317A3X87NVM"}], "B07WWX2ZWL": [{"asin": "B07WWX2ZWL", "instruction": "i would like a ready hang poster that has blue roads.", "attributes": ["hand painted", "ready hang", "living room"], "options": ["style: blue roads"], "instruction_attributes": ["ready hang"], "instruction_options": ["blue roads"], "assignment_id": "37TRT2X24116R7L1JO45INKV8O5BJ3", "worker_id": "A2ECRNQ3X5LEXD"}], "B07DFZ34RM": [{"asin": "B07DFZ34RM", "instruction": "i'm looking for a earbud earphones with srereo sound effect. also choose black colored one.", "attributes": ["hands free", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["stereo sound"], "instruction_options": ["black"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCC50EE", "worker_id": "AR0VJ5XRG16UJ"}], "B092W4L2YB": [{"asin": "B092W4L2YB", "instruction": "i want a super soft throw blanket. i am looking for strawberry cow color.", "attributes": ["super soft", "machine washable"], "options": ["color: strawberry cow", "size: 40 in x 30 in for pets"], "instruction_attributes": ["super soft"], "instruction_options": ["strawberry cow"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7Q4P5T", "worker_id": "A1NF6PELRKACS9"}], "B097J3P249": [{"asin": "B097J3P249", "instruction": "i need a height adjustable standing desk with steel frame. make it gray in color with an antique oak top.", "attributes": ["height adjustable", "heavy duty", "steel frame"], "options": ["color: grey frame | antique oak top"], "instruction_attributes": ["height adjustable", "steel frame"], "instruction_options": ["grey frame | antique oak top"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323D3SWDO", "worker_id": "A1NF6PELRKACS9"}], "B089NS8VWF": [{"asin": "B089NS8VWF", "instruction": "i am looking for the bathroom mirror with lights is with full-sealing box , protects safety use in bathroom long lasting and easy to install sunzoom 24\"x36\" black framed led lighted bathroom mirror.size preferable hilton-2436.", "attributes": ["wall mounted", "long lasting", "easy install"], "options": ["size: sz-hilton-2436"], "instruction_attributes": ["wall mounted", "long lasting", "easy install"], "instruction_options": [], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QJYOXZ", "worker_id": "A1DRKZ3SCLAS4V"}], "B07GGXP2FC": [{"asin": "B07GGXP2FC", "instruction": "i want to find a 34x72 inch round table protector that is 2 millimeters thick. it needs to be made of stainless steel.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: round new clear 2mm", "size: 34 x 72 inches"], "instruction_attributes": ["stainless steel"], "instruction_options": ["round new clear 2mm", "34 x 72 inches"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISPXYOK", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07GGXP2FC", "instruction": "i'm looking for heavy duty table pads made of stainless steel which is easy to clean. also, choose new version clear 1.5 mm pads with size 39.4* 94.5 inches.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: new version clear 1.5mm", "size: 39.4 x 94.5 inches"], "instruction_attributes": ["heavy duty", "easy clean", "stainless steel"], "instruction_options": ["new version clear 1.5mm", "39.4 x 94.5 inches"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQ8FSQA", "worker_id": "AR0VJ5XRG16UJ"}], "B07BC7NQ4R": [{"asin": "B07BC7NQ4R", "instruction": "i need dining room table pads that are 22 by 54 inches and are round new frosted.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: round new frosted 1.5mm", "size: 22 x 54 inches"], "instruction_attributes": ["dining room"], "instruction_options": ["round new frosted 1.5mm", "22 x 54 inches"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH241E7", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07BC7NQ4R", "instruction": "i'm looking for a ostep decor custom table cover.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: round new frosted 2mm", "size: 12 x 36 inches"], "instruction_attributes": ["dining room"], "instruction_options": ["round new frosted 2mm", "12 x 36 inches"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT3HYJB", "worker_id": "A1ZGOZQF2VZ0X9"}, {"asin": "B07BC7NQ4R", "instruction": "i would like a 44 by 108 inch round new clear table pad for my dining room.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: round new clear 1.5mm", "size: 44 x 108 inches"], "instruction_attributes": ["dining room"], "instruction_options": ["round new clear 1.5mm", "44 x 108 inches"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7LH5NB", "worker_id": "A1WS884SI0SLO4"}], "B093JXQPCM": [{"asin": "B093JXQPCM", "instruction": "i am looking for 42 | 44 | 45mm(s | m) smartwatch bands, compatible with apple.", "attributes": ["compatible apple", "easy install"], "options": ["color: fog | black | white | stone", "size: 42 | 44 | 45mm(s | m)"], "instruction_attributes": ["compatible apple"], "instruction_options": ["42 | 44 | 45mm(s | m)"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZAWCC8O", "worker_id": "A9QRQL9CFJBI7"}], "B00T6HMVDW": [{"asin": "B00T6HMVDW", "instruction": "i need a conditioner for dry hair that comes in 1.8 fl oz and will give me ultra volume.", "attributes": ["cruelty free", "paraben free", "certified organic", "sulfate free", "dry hair"], "options": ["color: ultra-volume (papaya + tangerine butter)", "size: 1.8 fl oz (pack of 1)", "style: hair oil serum - 1 pack"], "instruction_attributes": ["dry hair"], "instruction_options": ["ultra-volume (papaya + tangerine butter)", "1.8 fl oz (pack of 1)"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U870R5T", "worker_id": "A2ECRNQ3X5LEXD"}], "B09M7C4726": [{"asin": "B09M7C4726", "instruction": "i would like a dental pick that is yellow for bad breath.", "attributes": ["teeth whitening", "stainless steel", "bad breath"], "options": ["color: yellow"], "instruction_attributes": ["bad breath"], "instruction_options": ["yellow"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIE0EF2", "worker_id": "A2ECRNQ3X5LEXD"}], "B08XXG9N1Q": [{"asin": "B08XXG9N1Q", "instruction": "i am looking a charging adpter fot fast charging jetpack 4g lte mobile hotspot", "attributes": ["fast charging", "4g lte"], "options": [""], "instruction_attributes": ["fast charging", "4g lte"], "instruction_options": [], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DL74K8", "worker_id": "A3N9ZYQAESNFQH"}], "B07X6JL45J": [{"asin": "B07X6JL45J", "instruction": "i am looking for a power amplifier which is easy to use.", "attributes": ["power amplifier", "easy use"], "options": [""], "instruction_attributes": ["power amplifier", "easy use"], "instruction_options": [], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0O0XPV", "worker_id": "A9QRQL9CFJBI7"}], "B078JKD43Y": [{"asin": "B078JKD43Y", "instruction": "a dining room table cover table protecter size 42 *90 inches can be clean easily", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: round new frosted 1.5mm", "size: 42 x 90 inches"], "instruction_attributes": ["easy clean", "dining room"], "instruction_options": ["42 x 90 inches"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB372QNN", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B078JKD43Y", "instruction": "i am looking for a crystal clear 2mm table cover protector size 32x48 \u201c and it should easy to clean.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: crystal clear 2mm", "size: 32 x 48 inches"], "instruction_attributes": ["easy clean"], "instruction_options": ["crystal clear 2mm", "32 x 48 inches"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME945D2B", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B078JKD43Y", "instruction": "i am looking for 48 x 60 inches size desk cover protector for my dining room.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: clear 1.5mm", "size: 48 x 60 inches"], "instruction_attributes": ["dining room"], "instruction_options": ["48 x 60 inches"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVP0LX8", "worker_id": "A1Q8PPQQCWGY0D"}], "B09J8F5HSS": [{"asin": "B09J8F5HSS", "instruction": "i need coasters that are easy to clean and come in a set of six with cup holders.", "attributes": ["easy clean", "living room"], "options": ["color: pugcbu2862", "size: set of 6 with cup holder"], "instruction_attributes": ["easy clean"], "instruction_options": ["set of 6 with cup holder"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOQBO7W", "worker_id": "A2ECRNQ3X5LEXD"}], "B07D5MV2X3": [{"asin": "B07D5MV2X3", "instruction": "i'm looking for a retractable stereo sound in -ear headphone which is compatible for apple iphone.", "attributes": ["compatible apple", "stereo sound"], "options": [""], "instruction_attributes": ["compatible apple", "stereo sound"], "instruction_options": [], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWIC52Q", "worker_id": "AR0VJ5XRG16UJ"}], "B09584LKHV": [{"asin": "B09584LKHV", "instruction": "get me a keto friendly and sugar free cereal that is also plant-based. i want the cinnamon toast and dark chocolate flavor.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: cinnamon toast & dark chocolate", "size: 9 ounce (pack of 4)"], "instruction_attributes": ["keto friendly", "sugar free", "plant based"], "instruction_options": ["cinnamon toast & dark chocolate"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV3P8VG", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09584LKHV", "instruction": "i need 9 ounce catalina crunch cinnamon toast & maple waffle cereal that is keto friendly.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: cinnamon toast & maple waffle", "size: 9 ounce (pack of 1)"], "instruction_attributes": ["keto friendly"], "instruction_options": ["cinnamon toast & maple waffle", "9 ounce (pack of 1)"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EAOB1O", "worker_id": "A2RBF3IIJP15IH"}], "B08KXZSVKS": [{"asin": "B08KXZSVKS", "instruction": "i need soaps for dry skin that are made with argan oil.", "attributes": ["oil free", "cruelty free", "dead skin", "dry skin", "sensitive skin"], "options": ["scent: argan oil"], "instruction_attributes": ["dry skin"], "instruction_options": ["argan oil"], "assignment_id": "354P56DE9VDCOY11T1135MPMLFD7SB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09N6XZN52": [{"asin": "B09N6XZN52", "instruction": "i am looking for 1x cotton spandex yoga pants.", "attributes": ["machine wash", "cotton spandex"], "options": ["color: ash rose", "size: 1x"], "instruction_attributes": ["cotton spandex"], "instruction_options": [], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH373ZSE2", "worker_id": "A9QRQL9CFJBI7"}], "B07QMMYQ3N": [{"asin": "B07QMMYQ3N", "instruction": "i am looking for a easy install 4g band 5/13 signall booster", "attributes": ["easy install", "4g lte"], "options": ["color: 4g lte band 5 | 13"], "instruction_attributes": ["easy install", "4g lte"], "instruction_options": ["4g lte band 5 | 13"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YWYXT42", "worker_id": "A3N9ZYQAESNFQH"}], "B000P22TIY": [{"asin": "B000P22TIY", "instruction": "i am looking for a long lasting 3.38 fl oz (pack of 1) eau de toilette for men.", "attributes": ["design house", "long lasting"], "options": ["size: 3.38 fl oz (pack of 1)", "style: voyage"], "instruction_attributes": ["long lasting"], "instruction_options": ["3.38 fl oz (pack of 1)"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRBUSY5F", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B000P22TIY", "instruction": "i would like a perfume that is long lasting and comes in a pack of two.", "attributes": ["design house", "long lasting"], "options": ["size: 3.4 fl oz (pack of 2)", "style: 3.4 fl oz voyage + 1.6 oz blue sail"], "instruction_attributes": ["long lasting"], "instruction_options": ["3.4 fl oz (pack of 2)"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT06UVNUG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000P22TIY", "instruction": "i want to buy a voyage-style, 3.38 fl oz men's perfume that is long lasting.", "attributes": ["design house", "long lasting"], "options": ["size: 3.38 fl oz (pack of 1)", "style: voyage"], "instruction_attributes": ["long lasting"], "instruction_options": ["3.38 fl oz (pack of 1)", "voyage"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IC2BCB", "worker_id": "A114NK7T5673GK"}, {"asin": "B000P22TIY", "instruction": "i would like a long lasting 3.38 fluid out voyage perfume.", "attributes": ["design house", "long lasting"], "options": ["size: 3.38 fl oz (pack of 1)", "style: 3.4 fl oz voyage + 3.4 oz classic"], "instruction_attributes": ["long lasting"], "instruction_options": ["3.38 fl oz (pack of 1)", "3.4 fl oz voyage + 3.4 oz classic"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQF1SQA", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000P22TIY", "instruction": "i would like a 1.6 fluid ounce bottle of voyage perfume that is long lasting.", "attributes": ["design house", "long lasting"], "options": ["size: 1.6 fl oz (pack of 1)", "style: voyage"], "instruction_attributes": ["long lasting"], "instruction_options": ["1.6 fl oz (pack of 1)", "voyage"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCR2MB2", "worker_id": "A1WS884SI0SLO4"}], "B09PVJ7ZZY": [{"asin": "B09PVJ7ZZY", "instruction": "i am looking for a slim fit men's sweatpants. also, choose the y1-black", "attributes": ["loose fit", "straight leg", "slim fit", "winter warm", "quality polyester", "gym workout"], "options": ["color: y1-black", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["y1-black"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHUXQHG", "worker_id": "A9QRQL9CFJBI7"}], "B09NLF9XPN": [{"asin": "B09NLF9XPN", "instruction": "find some kosher certified, gluten free gummy candy. choose the blue raspberry color.", "attributes": ["kosher certified", "individually wrapped", "old fashioned", "gluten free", "valentine day", "birthday party"], "options": ["color: blue raspberry", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["kosher certified", "gluten free"], "instruction_options": ["blue raspberry"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJMXJZHK", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09NLF9XPN", "instruction": "i need lemon flavored gummi candies that are gluten free. also, pick a kosher certified one.", "attributes": ["kosher certified", "individually wrapped", "old fashioned", "gluten free", "valentine day", "birthday party"], "options": ["color: lemon", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["kosher certified", "gluten free"], "instruction_options": ["lemon"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9JTK63", "worker_id": "A1NF6PELRKACS9"}], "B094D32937": [{"asin": "B094D32937", "instruction": "i am looking for pink elephant cupcake picks for birthday cake decorations.", "attributes": ["birthday cake", "cupcake picks", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["birthday cake", "cupcake picks"], "instruction_options": ["pink"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOCC0FM", "worker_id": "AHU9OLV0YKIIW"}], "B009G74E1O": [{"asin": "B009G74E1O", "instruction": "i need 16 ounce gluten free bottle lorann cream cheese bakery emulsion over the butter-vanilla variety.", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: variety", "size: 16 ounce"], "instruction_attributes": ["gluten free"], "instruction_options": ["variety", "16 ounce"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHTCB73", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B009G74E1O", "instruction": "i need 1 pound of pumpkin spice cream cheese bakery emulsion that is gluten free.", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: pumpkin spice", "size: 1 pound (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["pumpkin spice", "1 pound (pack of 1)"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L5UERM", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B009G74E1O", "instruction": "i am looking for a gluten free buttery sweet bakery emulsion.", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: buttery sweet dough", "size: 4 fl oz, 3 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["buttery sweet dough"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X2H3YI", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B009G74E1O", "instruction": "i am looking for a 4 fluid ounce cherry cream cheeset emulsion that is shelf stable and in a container that does not contain bpa.", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: cherry", "size: 4 fl oz.."], "instruction_attributes": ["bpa free", "shelf stable"], "instruction_options": ["cherry", "4 fl oz.."], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40HWFYR", "worker_id": "A1E235KE3CSO7H"}, {"asin": "B009G74E1O", "instruction": "i need 1 pound of pumpkin spice cream cheese bakery emulsion that is gluten free.", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: pumpkin spice", "size: 1 pound (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["pumpkin spice", "1 pound (pack of 1)"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L5UERM", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B009G74E1O", "instruction": "looking for cream cheeset bakery emulsion that is gluten free and also choose size 4 fl oz", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: rum", "size: 4 fl oz."], "instruction_attributes": ["gluten free"], "instruction_options": ["4 fl oz."], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79SIH19", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B009G74E1O", "instruction": "i am looking for imitation vanilla that is shelf stable and is 4 fl oz", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: princess cake and cookie", "size: 4 fl oz\u2026"], "instruction_attributes": ["shelf stable"], "instruction_options": ["4 fl oz\u2026"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PCOBU0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B009G74E1O", "instruction": "i am looking for bpa free, gluten free lorann cream cheeset with size : 1gallon", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: pumpkin spice", "size: 1 gallon"], "instruction_attributes": ["bpa free", "gluten free"], "instruction_options": ["1 gallon"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIE8RB2", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B009G74E1O", "instruction": "i want a bpa free and almond lorann cream cheeset bakery emulsion.", "attributes": ["bpa free", "shelf stable", "gluten free"], "options": ["flavor name: almond", "size: 4 ounce, 6 pack"], "instruction_attributes": ["bpa free"], "instruction_options": ["almond"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VIN60D", "worker_id": "A2RBF3IIJP15IH"}], "B07K6315FW": [{"asin": "B07K6315FW", "instruction": "i want to find 25 grams of iridescent purple edible glitter. it needs to be dairy free.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: purple iridescent", "size: 25g"], "instruction_attributes": ["dairy free"], "instruction_options": ["purple iridescent", "25g"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN20IY7P", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07K6315FW", "instruction": "i'd like to find 25 grams of edible maroon glitter that is kosher and nut-free.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: maroon red", "size: 25g"], "instruction_attributes": ["kosher certified", "nut free"], "instruction_options": ["maroon red", "25g"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7TZHMJ", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07K6315FW", "instruction": "i need some bronze colored edible glitter for cocktails. it should be kosher certified and nut free.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: bronze", "size: 45g shaker"], "instruction_attributes": ["kosher certified", "nut free"], "instruction_options": ["bronze"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB40GYXH", "worker_id": "A1NF6PELRKACS9"}], "B07MXZT9NL": [{"asin": "B07MXZT9NL", "instruction": "i am looking for an 8 by 12 background that is for digital photography.", "attributes": ["easy carry", "digital photography"], "options": ["size: 8x12ft(250x360cm)"], "instruction_attributes": ["digital photography"], "instruction_options": ["8x12ft(250x360cm)"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRPCJXZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MKJVX9D": [{"asin": "B09MKJVX9D", "instruction": "i want a long sleeved tunic top in small size. pick a hot pink one.", "attributes": ["long sleeve", "fashion design", "short sleeve"], "options": ["color: 09-hot pink", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["09-hot pink", "small"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS3540132UM2", "worker_id": "A1NF6PELRKACS9"}], "B09B6LMVR7": [{"asin": "B09B6LMVR7", "instruction": "i am looking for super comfortable for walking dogs, road running, daily wear, casual, gym, training, light trekking, theme park travel, urban recreation, jogging in the road and path, basketball, cycling, workout, camping and other outdoor multisports or lite indoor exercise at home women's road running shoes in a4-khaki color. size 8.5 wide preferable.", "attributes": ["winter warm", "slip resistant", "leather sole"], "options": ["color: a4-khaki", "size: 8.5 wide"], "instruction_attributes": ["slip resistant", "leather sole"], "instruction_options": ["a4-khaki", "8.5 wide"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9G9TVP", "worker_id": "A1DRKZ3SCLAS4V"}, {"asin": "B09B6LMVR7", "instruction": "i am looking for slip resistant women running shoes.please choose black one.", "attributes": ["winter warm", "slip resistant", "leather sole"], "options": ["color: a1-black", "size: 6.5 wide"], "instruction_attributes": ["slip resistant"], "instruction_options": ["a1-black"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEKN86Y", "worker_id": "A3FG5PQHG5AH3Y"}], "B01N128GRV": [{"asin": "B01N128GRV", "instruction": "i'm looking for ac power cord cable socket plug for sony cfd series with output protection and blu ray", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["output protection", "blu ray"], "instruction_options": [], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPATV6F", "worker_id": "AR0VJ5XRG16UJ"}], "B0812B8WXH": [{"asin": "B0812B8WXH", "instruction": "i'm looking for jar candles with soy way that is long lasting. also, choose illinois colored one.", "attributes": ["long lasting", "soy wax", "living room"], "options": ["color: illinois"], "instruction_attributes": ["long lasting", "soy wax", "living room"], "instruction_options": ["illinois"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8QPPZF", "worker_id": "AR0VJ5XRG16UJ"}], "B09P89Z11V": [{"asin": "B09P89Z11V", "instruction": "find me a high performance cooling fan with usb port. pick me 1 pack.", "attributes": ["high performance", "usb port"], "options": ["size: cooling fan-40mm*10mm", "style: 1 pack"], "instruction_attributes": ["high performance", "usb port"], "instruction_options": ["1 pack"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20GIZ0J", "worker_id": "A1NF6PELRKACS9"}], "B087Q9SSPR": [{"asin": "B087Q9SSPR", "instruction": "i'm looking for 2 pcs detangling hair brush for natural hair. also it's color should be in green-black", "attributes": ["dry hair", "natural hair"], "options": ["color: green-black", "size: 2 pcs"], "instruction_attributes": ["natural hair"], "instruction_options": ["green-black", "2 pcs"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG13DU9J", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B087Q9SSPR", "instruction": "i want a 3 pack of beige brushes for natural hair.", "attributes": ["dry hair", "natural hair"], "options": ["color: beige-beige", "size: 3 count (pack of 1)"], "instruction_attributes": ["natural hair"], "instruction_options": ["beige-beige", "3 count (pack of 1)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZHYKLX", "worker_id": "A1WS884SI0SLO4"}], "B08FZYYTFZ": [{"asin": "B08FZYYTFZ", "instruction": "i am looking for basic solid army green t shirt top,super stretchy and silky fabric,soft and comfortable for spring,winter wear yobecho womens long sleeve scoop neck tops blouse in xx large size.", "attributes": ["cotton spandex", "button closure", "long sleeve", "everyday wear"], "options": ["color: army green", "size: xx-large"], "instruction_attributes": ["long sleeve", "everyday wear"], "instruction_options": ["army green", "xx-large"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3FAZLB", "worker_id": "A1DRKZ3SCLAS4V"}], "B08DJ7RZF3": [{"asin": "B08DJ7RZF3", "instruction": "i am looking for smell good,feel good,pay less,long last, travel size ca perfume impression of euphoria for women fragrance body oils alcohol-free. good to go, bottles fit in handbag or purse. convenient for travel. donna karan cashmere mist impression preferable.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: donna karan cashmere mist impression"], "instruction_attributes": ["travel size", "alcohol free", "long lasting"], "instruction_options": ["donna karan cashmere mist impression"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MFKOFS", "worker_id": "A1DRKZ3SCLAS4V"}, {"asin": "B08DJ7RZF3", "instruction": "looking for sandalwood dark intense perfume for women that is alchol free", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: sandalwood dark intense perfume"], "instruction_attributes": ["alcohol free"], "instruction_options": ["sandalwood dark intense perfume"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1GYRXB", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B08DJ7RZF3", "instruction": "i would like some viktor and rolf perfume that is travel sized.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: viktor & rolf spicebomb extreme impressi..."], "instruction_attributes": ["travel size"], "instruction_options": ["viktor & rolf spicebomb extreme impressi..."], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUL5R3J", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08DJ7RZF3", "instruction": "i am interested in perfume oil that is cedarwood scented and travel sized", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: cedarwood perfume oil"], "instruction_attributes": ["travel size"], "instruction_options": ["cedarwood perfume oil"], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWR9525", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PY8LYR6": [{"asin": "B09PY8LYR6", "instruction": "i am looking for a long sleeve trench coat with pockets. pick a green one.", "attributes": ["faux fur", "long sleeve"], "options": ["color: zb1_green", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["zb1_green"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBM0GI5", "worker_id": "A1NF6PELRKACS9"}], "B06ZXSMRQY": [{"asin": "B06ZXSMRQY", "instruction": "i need a salmon slim fitting dress shirt that is in a size small.", "attributes": ["slim fit", "hand wash", "nylon spandex", "short sleeve", "tumble dry"], "options": ["color: kmtsts0132-salmon2", "size: small"], "instruction_attributes": ["slim fit"], "instruction_options": ["kmtsts0132-salmon2", "small"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWQR1CE", "worker_id": "A2ECRNQ3X5LEXD"}], "B074SQKP3T": [{"asin": "B074SQKP3T", "instruction": "i'm looking for a original non gmo margarita with natural ingredients.", "attributes": ["non gmo", "gluten free", "high fructose", "natural ingredients", "artificial flavors"], "options": ["flavor: original"], "instruction_attributes": ["non gmo", "natural ingredients"], "instruction_options": ["original"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3KC9Z5", "worker_id": "A9QRQL9CFJBI7"}], "B09C91R8Q8": [{"asin": "B09C91R8Q8", "instruction": "i am looking for 8 size flats with leather sole for women.", "attributes": ["leather sole", "high heel"], "options": ["color: khaki", "size: 8"], "instruction_attributes": ["leather sole"], "instruction_options": ["8"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9MQ87Y", "worker_id": "A9QRQL9CFJBI7"}], "B09NPW7ZDF": [{"asin": "B09NPW7ZDF", "instruction": "i am looking for some valentine's day cupcake toppers.", "attributes": ["valentine day", "cupcake picks"], "options": [""], "instruction_attributes": ["valentine day"], "instruction_options": [], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTQU7MY", "worker_id": "A2ECRNQ3X5LEXD"}], "B08723759H": [{"asin": "B08723759H", "instruction": "i am looking high resolution high performance oneplus 8 cell phone having 256 gb storage capacity", "attributes": ["hands free", "fast charging", "high resolution", "high performance"], "options": ["color: interstellar glow", "size: 256gb", "style: oneplus 8"], "instruction_attributes": ["high resolution", "high performance"], "instruction_options": ["256gb", "oneplus 8"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMIT6B0", "worker_id": "A3N9ZYQAESNFQH"}], "B09LC5FR69": [{"asin": "B09LC5FR69", "instruction": "i want a swivel desk chair with lumbar support and backrest. pick something in blue.", "attributes": ["high density", "lumbar support", "living room"], "options": ["color: blue-936"], "instruction_attributes": ["lumbar support"], "instruction_options": ["blue-936"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP4HQDO", "worker_id": "A1NF6PELRKACS9"}], "B09PG5W2RL": [{"asin": "B09PG5W2RL", "instruction": "i am looking for a dark gray polo that is long sleeved and in a medium size.", "attributes": ["slim fit", "loose fit", "short sleeve", "polyester cotton", "long sleeve"], "options": ["color: dark gray", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["dark gray", "medium"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35HW98UK", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JJN66YM": [{"asin": "B09JJN66YM", "instruction": "i am looking a green tea shampoo have anti hair loss and for good hair growth moisturizing -for normal dry scalp", "attributes": ["oil free", "green tea", "hair growth", "hair loss", "hair salon", "sensitive skin"], "options": ["style: moisturizing(renewal) - for normal | dry scalp"], "instruction_attributes": ["green tea", "hair growth", "hair loss"], "instruction_options": ["moisturizing(renewal) - for normal | dry scalp"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MCVQYZG", "worker_id": "A3N9ZYQAESNFQH"}], "B08R8TFHDG": [{"asin": "B08R8TFHDG", "instruction": "i need a small size t-shirt for my wife. i would prefer classic fit with olive color", "attributes": ["needle sleeve", "classic fit", "star wars"], "options": ["color: olive", "fit type: women", "size: small"], "instruction_attributes": ["classic fit"], "instruction_options": ["olive", "women", "small"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW028SK", "worker_id": "A2COCSUGZV28X"}, {"asin": "B08R8TFHDG", "instruction": "i'm looking for a classic fit women t-shirt with needle sleeve and star wars design. also, choose medium size white colored one.", "attributes": ["needle sleeve", "classic fit", "star wars"], "options": ["color: white", "fit type: women", "size: medium"], "instruction_attributes": ["needle sleeve", "classic fit", "star wars"], "instruction_options": ["white", "women", "medium"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEJTQ83", "worker_id": "AR0VJ5XRG16UJ"}], "B01676307A": [{"asin": "B01676307A", "instruction": "i see the 15 ounce size of chocolate cover", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: scooby-doo licensed", "size: 15 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["15 ounce (pack of 1)"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB1W2ULM", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B01676307A", "instruction": "i would like a 8 ounce mom heart hand made sandwich.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: mom heart", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["mom heart", "8 ounce (pack of 1)"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUT8WF1Q", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01676307A", "instruction": "i would like a 8 ounce mom heart hand made sandwich.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: mom heart", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["mom heart", "8 ounce (pack of 1)"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUT8WF1Q", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01676307A", "instruction": "i am looking for hand crafted disney frozen licensed flavor cookies.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: disney frozen licensed", "size: 15 ounce (pack of 1)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["disney frozen licensed"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGIXHJW1", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B01676307A", "instruction": "i am looking for wedding bride and groom flavor hand crafted cookies.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: wedding bride and groom", "size: 15 ounce (pack of 1)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["wedding bride and groom"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKM81TY", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B01676307A", "instruction": "i'm looking for philadelphia candies covered oreo cookies.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: happy birthday gift | dark chocolate", "size: 1.87 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["happy birthday gift | dark chocolate"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602W795N", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B01676307A", "instruction": "i am looking for an 8 ounce pack of chocolate covered cookies.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: mom heart", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XDXFR7", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01676307A", "instruction": "i'm locking for candies milk chocolate covered oreo cookies.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: father's day gift", "size: 15 ounce (pack of 15)"], "instruction_attributes": ["chocolate covered"], "instruction_options": [], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83O1JIG", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B01676307A", "instruction": "looking for chocolate covered oreo cookies that pack size 8 ounce (pack of 8)", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: mom heart", "size: 8 ounce (pack of 8)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["8 ounce (pack of 8)"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QVAOXZ", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B01676307A", "instruction": "i would like a 15 ounce package of blue stork it's a boy gift chocolate covered cookies.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: blue stork it's a boy gift", "size: 15 ounce (pack of 15)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["blue stork it's a boy gift", "15 ounce (pack of 15)"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8KPZNC", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01676307A", "instruction": "i need an 8 ounce pack of chocolate covered oreo cookies candies for a birthday gift.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: easter cross with flower", "size: 8 ounce (pack of 8)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["8 ounce (pack of 8)"], "assignment_id": "354P56DE9VDCOY11T1135MPMLMKS7H", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01676307A", "instruction": "i want a 15 ounce pack of chocolate oreo cookies.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: pink stork it's a girl gift", "size: 15 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["15 ounce (pack of 1)"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N447TP", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01676307A", "instruction": "i want some chocolate covered gift cookies for a birthday gift. pick the 15 ounce pack.", "attributes": ["hand crafted", "chocolate covered"], "options": ["flavor name: st. patrick's day | dark chocolate", "size: 15 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["15 ounce (pack of 1)"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1LVF6B", "worker_id": "A1NF6PELRKACS9"}], "B09QQQGXW3": [{"asin": "B09QQQGXW3", "instruction": "i am looking for a one piece tummy control swimsuit that is small in size and the fabric should be cotton spandex.", "attributes": ["low rise", "loose fit", "tummy control", "cotton spandex", "tumble dry"], "options": ["color: summer bathing suits-a218-yellow", "size: small"], "instruction_attributes": ["tummy control", "cotton spandex"], "instruction_options": ["small"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQN3C016", "worker_id": "AHU9OLV0YKIIW"}], "B09BQ3QWXV": [{"asin": "B09BQ3QWXV", "instruction": "i need long sleeved pullover shirt for teenage girls. pick something in small size.", "attributes": ["wash cold", "hand wash", "long sleeve", "polyester spandex", "teen girls"], "options": ["color: x01-white", "size: small"], "instruction_attributes": ["long sleeve", "teen girls"], "instruction_options": ["small"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61M5ZWV", "worker_id": "A1NF6PELRKACS9"}], "B000ILMQF8": [{"asin": "B000ILMQF8", "instruction": "i need some low sodium popcorn salt that is cheesy caramel corn in a pack of six.", "attributes": ["low sodium", "gluten free"], "options": ["flavor: cheesy caramel corn", "size: 2.6 ounce (pack of 6)"], "instruction_attributes": ["low sodium"], "instruction_options": ["cheesy caramel corn", "2.6 ounce (pack of 6)"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUPCJQV", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000ILMQF8", "instruction": "can you find the gluten free caramel milk chocolate seasoning that comes in a pack of 6?", "attributes": ["low sodium", "gluten free"], "options": ["flavor: milk chocolate caramel", "size: 3 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["milk chocolate caramel", "3 ounce (pack of 6)"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQCD13D", "worker_id": "A36LOA6VLJU157"}, {"asin": "B000ILMQF8", "instruction": "i want low sodium popcorn salt that is frosted sugar cookie and comes in a pack of six.", "attributes": ["low sodium", "gluten free"], "options": ["flavor: frosted sugar cookie", "size: 3 ounce (pack of 6)"], "instruction_attributes": ["low sodium"], "instruction_options": ["frosted sugar cookie", "3 ounce (pack of 6)"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2XHG6R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000ILMQF8", "instruction": "i'm looking for popcorn seasoning that is gluten-free, low-sodium, cheddar-flavored.", "attributes": ["low sodium", "gluten free"], "options": ["flavor: cheddar-cheese", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["low sodium", "gluten free"], "instruction_options": ["cheddar-cheese"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUH0DZN", "worker_id": "ARJDD0Z3R65BD"}, {"asin": "B000ILMQF8", "instruction": "i would like a 2.7 ounce bottle of caramel hot chocolate popcorn salt that is low sodium.", "attributes": ["low sodium", "gluten free"], "options": ["flavor: caramel hot chocolate", "size: 2.7 ounce (pack of 6)"], "instruction_attributes": ["low sodium"], "instruction_options": ["caramel hot chocolate", "2.7 ounce (pack of 6)"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7K0V7EP", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000ILMQF8", "instruction": "i am looking for 2.85 ounce gluten free bacon cheddar flavored popcorn seasoning", "attributes": ["low sodium", "gluten free"], "options": ["flavor: bacon cheddar", "size: 2.85 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["2.85 ounce (pack of 1)"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EAA8S2J", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B000ILMQF8", "instruction": "i am interested in some low sodium popcorn salt that is cheddar flavored and 2.6 oz.", "attributes": ["low sodium", "gluten free"], "options": ["flavor: cheddar-cheese", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["cheddar-cheese", "2.6 ounce (pack of 1)"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWY3R1X", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R7K5SPG": [{"asin": "B08R7K5SPG", "instruction": "i would like a soft cotton spandex cargo pants with zipper pockets. pick the one with 28\" inseam.", "attributes": ["cotton spandex", "drawstring closure", "tummy control", "high waist"], "options": ["color: fleece lined, black", "fit type: 28\" inseam (petite)", "size: medium tall"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["28\" inseam (petite)"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZCSO8Y", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B08R7K5SPG", "instruction": "i need xx-large tall , charcoal color lightweight women's cotton spandex soft jogger pants with zipper", "attributes": ["cotton spandex", "drawstring closure", "tummy control", "high waist"], "options": ["color: charcoal", "fit type: 36\" inseam (extra tall)", "size: xx-large tall"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["charcoal", "xx-large tall"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVP8Q0F", "worker_id": "A258PTOZ3D2TQR"}], "B089NSW5CS": [{"asin": "B089NSW5CS", "instruction": "i want ready to eat snacks with quality ingredients. pick one with salty cheese flavor.", "attributes": ["ready eat", "quality ingredients"], "options": ["flavor name: salty cheese flavor"], "instruction_attributes": ["ready eat"], "instruction_options": ["salty cheese flavor"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQBFRJ5", "worker_id": "A1NF6PELRKACS9"}], "B089LJDFNG": [{"asin": "B089LJDFNG", "instruction": "i want to find a high-definition spy camera that can detect motion.", "attributes": ["high performance", "high definition", "motion detection"], "options": [""], "instruction_attributes": ["high definition", "motion detection"], "instruction_options": [], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDGVRHE", "worker_id": "A345TDMHP3DQ3G"}], "B06X99QGND": [{"asin": "B06X99QGND", "instruction": "i want to find a fleece-lined women's jacket that features the san francisco 49ers. the color must be colt gray and i wear a size 3x.", "attributes": ["fleece lined", "polyester spandex", "imported zipper"], "options": ["color: indianapolis colts, gray", "size: 3x", "team name: san francisco 49ers"], "instruction_attributes": ["fleece lined"], "instruction_options": ["indianapolis colts, gray", "3x", "san francisco 49ers"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJKDBXG", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B06X99QGND", "instruction": "i would like a gray 2xl philadelphia eagles fleece lined jacket.", "attributes": ["fleece lined", "polyester spandex", "imported zipper"], "options": ["color: kansas city chiefs, gray", "size: xx-large", "team name: philadelphia eagles"], "instruction_attributes": ["fleece lined"], "instruction_options": ["kansas city chiefs, gray", "xx-large", "philadelphia eagles"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQEB6SD", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B06X99QGND", "instruction": "i am looking for a women's medium size gray fleece lined jacket.", "attributes": ["fleece lined", "polyester spandex", "imported zipper"], "options": ["color: gray", "size: medium", "team name: new england patriots"], "instruction_attributes": ["fleece lined"], "instruction_options": ["gray", "medium"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIR785H", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B06X99QGND", "instruction": "i need a baltimore ravens fleece lined jacket with imported zippers.", "attributes": ["fleece lined", "polyester spandex", "imported zipper"], "options": ["color: new orleans saints, black", "size: 4x", "team name: baltimore ravens"], "instruction_attributes": ["fleece lined", "imported zipper"], "instruction_options": ["baltimore ravens"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDMBK5C", "worker_id": "A1NF6PELRKACS9"}], "B000HDOOL6": [{"asin": "B000HDOOL6", "instruction": "i want a caffeine and sugar free chai latte powdered mix. it should be of vanilla flavor.", "attributes": ["caffeine free", "sugar free"], "options": ["flavor name: vanilla", "size: 10 ounce (pack of 1)"], "instruction_attributes": ["caffeine free", "sugar free"], "instruction_options": ["vanilla"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPRYJP8", "worker_id": "A1NF6PELRKACS9"}], "B082SVLKCT": [{"asin": "B082SVLKCT", "instruction": "i want a 16 inch case cover with touch bar. pick a dark blue leather one.", "attributes": ["easy carry", "case cover"], "options": ["color: dark blue leather", "size: macbook pro 16 m1"], "instruction_attributes": ["case cover"], "instruction_options": ["dark blue leather"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJI5O9I", "worker_id": "A1NF6PELRKACS9"}], "B09P7Z3LCR": [{"asin": "B09P7Z3LCR", "instruction": "i am looking for a fast charging docking stations.", "attributes": ["fast charging", "high resolution", "plug play"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQ9GRJ2", "worker_id": "A9QRQL9CFJBI7"}], "B07XJCZ817": [{"asin": "B07XJCZ817", "instruction": "i want a pair of faux fur slippers. pick a size between 10.5 and 11.", "attributes": ["faux fur", "ethylene vinyl", "vinyl acetate"], "options": ["color: faux raccoon fur original color", "size: 10.5-11"], "instruction_attributes": ["faux fur"], "instruction_options": ["faux raccoon fur original color"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35HOUGS", "worker_id": "A1NF6PELRKACS9"}], "B09B7D8W1J": [{"asin": "B09B7D8W1J", "instruction": "i need a slim fit active shirt that is brown and that is large.", "attributes": ["daily casual", "quick drying", "slim fit", "long sleeve", "short sleeve", "relaxed fit"], "options": ["color: 12-brown", "size: large"], "instruction_attributes": ["slim fit"], "instruction_options": ["12-brown", "large"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQ8AEKT", "worker_id": "A2ECRNQ3X5LEXD"}], "B08JLQT4FX": [{"asin": "B08JLQT4FX", "instruction": "i want to find a synthetic wig that features pink and black hair.", "attributes": ["high quality", "synthetic hair"], "options": ["color: pink&black"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["pink&black"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1AHU3E", "worker_id": "A345TDMHP3DQ3G"}], "B08MWQNPXF": [{"asin": "B08MWQNPXF", "instruction": "i am interested in black and white fashion sneakers for everyday wear that come in a 6.5 size for women.", "attributes": ["ethylene vinyl", "vinyl acetate", "everyday wear"], "options": ["color: black white", "size: 6.5 women | 5 men"], "instruction_attributes": ["everyday wear"], "instruction_options": ["black white", "6.5 women | 5 men"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61LPZWD", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q2YMM14": [{"asin": "B09Q2YMM14", "instruction": "i am in ineed of women quick drying small size yoga shorts with high waist and a-dark grey color", "attributes": ["quick drying", "moisture wicking", "machine wash", "high waist", "tummy control"], "options": ["color: a-dark grey", "size: small"], "instruction_attributes": ["quick drying", "high waist"], "instruction_options": ["small"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGQ1WTU", "worker_id": "A258PTOZ3D2TQR"}], "B07S22PTB3": [{"asin": "B07S22PTB3", "instruction": "i am looking for a map 3 coloured make up travel bag which is easy to carry .", "attributes": ["travel size", "easy carry"], "options": ["color: map 3"], "instruction_attributes": ["travel size", "easy carry"], "instruction_options": ["map 3"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOQ239T", "worker_id": "AHU9OLV0YKIIW"}], "B01LZ2I7EZ": [{"asin": "B01LZ2I7EZ", "instruction": "i want a non toxic mouthwash which is fluoride and alcohol free. pick a 2 pack 16 fluid ounces one.", "attributes": ["non toxic", "fluoride free", "alcohol free", "bpa free", "fresh breath", "sensitive teeth"], "options": ["size: 16 fl oz (pack of 2)"], "instruction_attributes": ["non toxic", "fluoride free", "alcohol free"], "instruction_options": ["16 fl oz (pack of 2)"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS17FCXU", "worker_id": "A1NF6PELRKACS9"}], "B08D7JM1X2": [{"asin": "B08D7JM1X2", "instruction": "get me some gluten free chips. look for the 3 flavor variety pack.", "attributes": ["gluten free", "simple ingredients"], "options": ["flavor name: 3 flavor variety pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["3 flavor variety pack"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35HWEU8B", "worker_id": "A1NF6PELRKACS9"}], "B00JD20DTO": [{"asin": "B00JD20DTO", "instruction": "find me a low sodium, sugar free, thickened coffee. i will need a pack of 24.", "attributes": ["low sodium", "sugar free", "gluten free"], "options": ["flavor: coffee", "size: pack of 24", "style: nectar"], "instruction_attributes": ["low sodium", "sugar free"], "instruction_options": ["pack of 24"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMA21JU", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B00JD20DTO", "instruction": "i want sugar free decaffeinated coffee that comes in an 8 fluid oz pack. it should have a mildly thick consistency.", "attributes": ["low sodium", "sugar free", "gluten free"], "options": ["flavor: coffee decaf", "size: 8 fl oz (pack of 1)", "style: mildly thick."], "instruction_attributes": ["sugar free"], "instruction_options": ["coffee decaf", "8 fl oz (pack of 1)", "mildly thick."], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZQF050", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B00JD20DTO", "instruction": "i want to find one 8.01 fluid ounce bottle of a decaf coffee-flavored drink. it can't have any sugar in it and i want it to have some honey.", "attributes": ["low sodium", "sugar free", "gluten free"], "options": ["flavor: coffee decaf", "size: 8.01 fl oz (pack of 1)", "style: honey"], "instruction_attributes": ["sugar free"], "instruction_options": ["coffee decaf", "8.01 fl oz (pack of 1)", "honey"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE21CGQD", "worker_id": "A345TDMHP3DQ3G"}], "B09QL53Z3Q": [{"asin": "B09QL53Z3Q", "instruction": "i am lookinf for pink hair rollers for natural hair.", "attributes": ["high quality", "easy use", "natural hair", "hair styling", "dry hair"], "options": ["color: pink"], "instruction_attributes": ["natural hair"], "instruction_options": ["pink"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUF3AVLB", "worker_id": "A2ECRNQ3X5LEXD"}], "B078WXXKV5": [{"asin": "B078WXXKV5", "instruction": "i need gluten free and low sodium seasoning which is all-purpose. make sure they are organic seasonings.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: organic seasonings", "size: 5 ounce (pack of 1)", "style: 20 ounce (pack of 1)"], "instruction_attributes": ["gluten free", "low sodium"], "instruction_options": ["organic seasonings"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50QXZWGT", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B078WXXKV5", "instruction": "i am looking for a low sodium and gluten free seasoning. look for spice gift sets.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: spice gift sets", "size: 1 pound (pack of 1)", "style: small - original flavor"], "instruction_attributes": ["gluten free", "low sodium"], "instruction_options": ["spice gift sets"], "assignment_id": "3V26SBZTBOOS9KTL7ONUSZFOIQ9ZZP", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B078WXXKV5", "instruction": "i am looking for gluten free spice gift sets that come in 3 ounces.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: spice gift sets", "size: 3 ounce (pack of 1)", "style: organic pack - standard size"], "instruction_attributes": ["gluten free"], "instruction_options": ["spice gift sets", "3 ounce (pack of 1)"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7WQMHL", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B078WXXKV5", "instruction": "i'm looking for a 3 ounce, small food gift that is gluten free and is flavored everyday seasonings.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 3 ounce (pack of 1)", "style: small - original flavor"], "instruction_attributes": ["gluten free"], "instruction_options": ["everyday seasonings", "3 ounce (pack of 1)", "small - original flavor"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YT7Q39", "worker_id": "ABS83QIWSMZ9"}, {"asin": "B078WXXKV5", "instruction": "i am looking for gluten free seasoning in organic", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: organic seasonings", "size: 3 ounce (pack of 1)", "style: 3 ounce (pack of 3)"], "instruction_attributes": ["gluten free"], "instruction_options": ["organic seasonings"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1U70MPV", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B078WXXKV5", "instruction": "i'm looking for low sodium, gluten free everyday seasonings, 2.01 ounce (pack of 1)", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 2.01 ounce (pack of 1)", "style: everyday seasonings"], "instruction_attributes": ["low sodium"], "instruction_options": ["2.01 ounce (pack of 1)", "everyday seasonings"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3IBBV1", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B078WXXKV5", "instruction": "i am looking for a gluten free food seasoning set for my paleo diet. and i would prefer 2 ounce pack", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: paleo seasoning set", "size: 2 ounce (pack of 1)", "style: 2 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["paleo seasoning set", "2 ounce (pack of 1)"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCR7BMW", "worker_id": "A2COCSUGZV28X"}, {"asin": "B078WXXKV5", "instruction": "i'm looking for a four ounce low sodium paleo seasoning set.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: paleo seasoning set", "size: 2.01 ounce (pack of 1)", "style: 4 ounce (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["paleo seasoning set", "4 ounce (pack of 1)"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI803TA", "worker_id": "AR9AU5FY1S3RO"}], "B09QHKPGSX": [{"asin": "B09QHKPGSX", "instruction": "i want nail clippers that are easy to carry.", "attributes": ["easy carry", "dead skin"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4QTH03", "worker_id": "A2ECRNQ3X5LEXD"}], "B07BZ4KQ1T": [{"asin": "B07BZ4KQ1T", "instruction": "i am looking for delicious flavor starkist chicken creations, chicken salad, 2.6 oz pouch,pack of 12 which is soy free and gluten free easy to prepare, perfect fit for today\u2019s active lifestyle. buffalo style flavor preferable.", "attributes": ["soy free", "ready eat", "gluten free"], "options": ["flavor name: buffalo style", "size: 2.6 ounce (pack of 12)"], "instruction_attributes": ["soy free", "ready eat", "gluten free"], "instruction_options": ["2.6 ounce (pack of 12)"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTJ2E5X", "worker_id": "A1DRKZ3SCLAS4V"}], "B07D9DMD1D": [{"asin": "B07D9DMD1D", "instruction": "find me a running shoe that is regular fit and has a rubber outsole. pick a size 10 one.", "attributes": ["lace closure", "rubber outsole", "regular fit"], "options": ["color: base green | real magenta | night cargo", "size: 10"], "instruction_attributes": ["rubber outsole", "regular fit"], "instruction_options": ["10"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE191XR6", "worker_id": "A1NF6PELRKACS9"}], "B01DJH8K3Y": [{"asin": "B01DJH8K3Y", "instruction": "i need a 10 pound bag of sour watermelon slices that are non-dairy.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: sour watermelon slices", "size: 10 pound"], "instruction_attributes": ["non dairy"], "instruction_options": ["sour watermelon slices", "10 pound"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQ36VK9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01DJH8K3Y", "instruction": "i am looking for a large bag of chocolate covered raisins 3-4 pound bag.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: assorted salt water taffy", "size: 4 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["4 pound"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFH3E9A", "worker_id": "A2KW17G25L25R8"}, {"asin": "B01DJH8K3Y", "instruction": "get me three pounds of white chocolate covered raisins. make sure they're non-dairy.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: white chocolate nonpareils", "size: 3 pound (pack of 1)"], "instruction_attributes": ["non dairy", "chocolate covered"], "instruction_options": ["white chocolate nonpareils", "3 pound (pack of 1)"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEGBQ8F", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B01DJH8K3Y", "instruction": "i want to find a pound of chocolate covered peach hearts.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: peach hearts", "size: 1 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["peach hearts", "1 pound (pack of 1)"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK3LVNY", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01DJH8K3Y", "instruction": "i am looking for chocolate covered raisins.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: chocolate covered raisins", "size: 4 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["chocolate covered raisins"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGDL9SP", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B01DJH8K3Y", "instruction": "i am looking for 10 pound bulk candy with chocolate covered raisins", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: dark chocolate nonpareils", "size: 10 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["10 pound"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1BYU9K", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01DJH8K3Y", "instruction": "i am looking for a non diary hard candy of gummy cherries flavour.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: gummy cherries", "size: gift box"], "instruction_attributes": ["non dairy"], "instruction_options": ["gummy cherries"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X6LY3P", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01DJH8K3Y", "instruction": "i'm looking for chocolate covered for gifted to someone.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: fini tornado tubereoos", "size: 3 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["fini tornado tubereoos"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOQOVYT", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01DJH8K3Y", "instruction": "i would like to order a pink chocolate confetti candy and should be non dairy.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: chocolate confetti - pink", "size: 5 pound"], "instruction_attributes": ["non dairy"], "instruction_options": ["chocolate confetti - pink"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVQ5JK2", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B01DJH8K3Y", "instruction": "i would like a three pound bag of hard candy that is chocolate covered", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: chocolate rocks - assorted", "size: 3 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["3 pound (pack of 1)"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YTJ8TW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01DJH8K3Y", "instruction": "i would like a 9 pound bag of white chocolate covered nonpareils.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: white chocolate nonpareils", "size: 9 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["white chocolate nonpareils", "9 pound"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSZULG6", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01DJH8K3Y", "instruction": "i would like a 4 pound bag of chocolate covered eda's sugar free hard candy.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: eda's sugar free hard candy", "size: 4 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["eda's sugar free hard candy", "4 pound"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHSU0J8", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01DJH8K3Y", "instruction": "i'm looking for a 10 pound blend gelee chocolate covered with candy", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: blend gelee", "size: 10 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["blend gelee", "10 pound"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTVYP9D", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B01DJH8K3Y", "instruction": "i'm looking for a non dairy, chocolate covered raisins. also, choose sampler size chocolate rocks- gray one", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: chocolate rocks - gray", "size: *sampler size*"], "instruction_attributes": ["non dairy", "chocolate covered"], "instruction_options": ["chocolate rocks - gray", "*sampler size*"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD3MCIN", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B01DJH8K3Y", "instruction": "i would like hard candy that is in a gift box and is chocolate covered", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: assorted sour bricks", "size: gift box"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["gift box"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66TIZFK", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01DJH8K3Y", "instruction": "i am looking for a chocolated covered candy having size 5 pound.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: blue raspberry & strawberry sour belts", "size: 5 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["5 pound"], "assignment_id": "3N8OEVH1F204BC17361WW31GEQKOO7", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B01DJH8K3Y", "instruction": "find non dairy candies.", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: cocoa dusted almonds", "size: 5 pound"], "instruction_attributes": ["non dairy"], "instruction_options": [], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LCWREF", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B01DJH8K3Y", "instruction": "i would like a pound of non dairy jelly filled strawberry gummies", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: jelly filled strawberry gummies", "size: 1 pound (pack of 1)"], "instruction_attributes": ["non dairy"], "instruction_options": ["jelly filled strawberry gummies", "1 pound (pack of 1)"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCOWI7T", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01DJH8K3Y", "instruction": "may you give me a sour strawberry gummies by love of candy? *sampler size*pack please", "attributes": ["non dairy", "chocolate covered"], "options": ["flavor name: sour strawberry gummies", "size: *sampler size*"], "instruction_attributes": ["chocolate covered"], "instruction_options": [], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CPV2TJ", "worker_id": "A15IJ20C3R4HUO"}], "B08ZY474JW": [{"asin": "B08ZY474JW", "instruction": "i am looking for a women's vest that is padded and machine washable. pick an x-small size.", "attributes": ["wash cold", "machine wash", "unique design", "tumble dry"], "options": ["color: multi2", "size: x-small"], "instruction_attributes": ["machine wash"], "instruction_options": ["x-small"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMQ32GG", "worker_id": "A1NF6PELRKACS9"}], "B099MP2HQJ": [{"asin": "B099MP2HQJ", "instruction": "i want a recliner sofa for my living room and it should have storage space.", "attributes": ["mid century", "pu leather", "wood frame", "storage space", "living room"], "options": [""], "instruction_attributes": ["storage space", "living room"], "instruction_options": [], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7OHUC1", "worker_id": "A1NF6PELRKACS9"}], "B07Y2WGPNV": [{"asin": "B07Y2WGPNV", "instruction": "i am looking a cotton spandex low rise men's briefs medium size colour should be black", "attributes": ["low rise", "cotton spandex"], "options": ["color: black", "size: medium"], "instruction_attributes": ["low rise", "cotton spandex"], "instruction_options": ["black", "medium"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GORW39P", "worker_id": "A3N9ZYQAESNFQH"}], "B09H74TPKB": [{"asin": "B09H74TPKB", "instruction": "i'm looking for a black tempered glass smartwatch bands for men", "attributes": ["tempered glass", "carbon fiber", "glass screen"], "options": ["color: black", "size: for 44mm only"], "instruction_attributes": ["tempered glass"], "instruction_options": ["black"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTIKE5D", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09H74TPKB", "instruction": "i'm looking for black tempered smart watches. the glass screen is perfectly look so nice.", "attributes": ["tempered glass", "carbon fiber", "glass screen"], "options": ["color: black", "size: for 44mm only"], "instruction_attributes": ["tempered glass", "glass screen"], "instruction_options": ["black"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZJD9KD", "worker_id": "A16IQOX0DK14OJ"}], "B000ILLX3Y": [{"asin": "B000ILLX3Y", "instruction": "i am looking for a 2.6 ounce, pack of 1, low calorie popcorn seasoning.", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: popcorn salt", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["low calorie"], "instruction_options": ["2.6 ounce (pack of 1)"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0QCW4O", "worker_id": "A3UUH3632AI3ZX"}, {"asin": "B000ILLX3Y", "instruction": "iam looking for rich and creamy, low calorie kernel popcorn with butter seasoning and kettle corn flavor", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: kettle corn", "size: 1 count"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZDLKD0L", "worker_id": "A1VMWZ4X201V7H"}, {"asin": "B000ILLX3Y", "instruction": "i am looking for a 1 count of gluten free popcorn salt", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: movie theater butter", "size: 1 count"], "instruction_attributes": ["gluten free"], "instruction_options": ["1 count"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODOVEWJ", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B000ILLX3Y", "instruction": "i would like some low calorie birthday cake flavor popcorn topping.", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: birthday cake", "size: 3 ounce (pack of 6)"], "instruction_attributes": ["low calorie"], "instruction_options": ["birthday cake"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ5ASIX", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000ILLX3Y", "instruction": "i am looking for some gluten free parmesan garlic flavored popcorn seasoning.", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: parmesan garlic", "size: 2.6 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["parmesan garlic"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6MB2BH", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B000ILLX3Y", "instruction": "i am looking for kernel season's popcorn season in 2.85 ounce packs of 6.", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: movie theater butter", "size: 3.5 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["3.5 ounce (pack of 6)"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYTWFXF", "worker_id": "A2KW17G25L25R8"}, {"asin": "B000ILLX3Y", "instruction": "i am looking for some gluten free kettle corn seasoning.", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: kettle-corn", "size: 2.4 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["kettle-corn"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q400OYF4", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B000ILLX3Y", "instruction": "i am looking for a six pack of popcorn salt that has a rich and creamy white cheddar flavor.", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: white cheddar", "size: 2.7 ounce (pack of 6)"], "instruction_attributes": ["rich creamy"], "instruction_options": ["white cheddar", "2.7 ounce (pack of 6)"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUJJS4K", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000ILLX3Y", "instruction": "i am looking for popcorn seasoning in chili lime flavor, 2.6 ounce (pack of 1)", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: chili lime", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["low calorie"], "instruction_options": ["2.6 ounce (pack of 1)"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOXJO7I", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B000ILLX3Y", "instruction": "i need rich creamy popcorn seasoning in chili lime flavor. make sure that it is gluten free.", "attributes": ["rich creamy", "low calorie", "gluten free"], "options": ["flavor: chili lime", "size: 3.5 ounce (pack of 6)"], "instruction_attributes": ["rich creamy", "gluten free"], "instruction_options": ["chili lime"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4I289A", "worker_id": "A1NF6PELRKACS9"}], "B076PK255Q": [{"asin": "B076PK255Q", "instruction": "i want some snack bites that is gluten free and high protein. it should be beef flavored.", "attributes": ["high protein", "gluten free"], "options": ["flavor: beef", "size: 4 ounce (pack of 4)"], "instruction_attributes": ["high protein", "gluten free"], "instruction_options": ["beef"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P4YUBD", "worker_id": "A1NF6PELRKACS9"}], "B011V56KTC": [{"asin": "B011V56KTC", "instruction": "show me flip flops that are unisex and made of ethylene vinyl. i am a size 6.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: desert sage celandine", "size: 6 women | 6 men"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["6 women | 6 men"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RUXARLR", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B011V56KTC", "instruction": "look for puma unisex epic v2 flip flop sandal in size 8 that is made of ethylene vinyl in sun kissed coral rosewater.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: sun kissed coral rosewater", "size: 8"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["sun kissed coral rosewater", "8"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI7QPGZ7", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B011V56KTC", "instruction": "i'm looking for a unisex flip flops in the brand of puma.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: puma black-high rise", "size: 15.5 women | 14 men"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["puma black-high rise"], "assignment_id": "3HOSI13XHAYM3IJTNO90AFDI6Y2DDY", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B011V56KTC", "instruction": "i want a size 4 uk light lavender cloud pink sandal made of vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: light lavender cloud pink", "size: 4 uk"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["light lavender cloud pink", "4 uk"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXQO2ZG", "worker_id": "A1WS884SI0SLO4"}], "B08BG5NDKY": [{"asin": "B08BG5NDKY", "instruction": "i am looking for a fleece throw that is super soft to go in my living room. it should be shark colored.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: shark", "size: large 80\"x60"], "instruction_attributes": ["super soft", "fleece throw", "living room"], "instruction_options": ["shark"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0IFJ87", "worker_id": "A1NF6PELRKACS9"}], "B087N9KJ89": [{"asin": "B087N9KJ89", "instruction": "i would like a high gloss coffee table.", "attributes": ["high gloss", "white finish", "living room"], "options": [""], "instruction_attributes": ["high gloss"], "instruction_options": [], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYM2VH5", "worker_id": "A2ECRNQ3X5LEXD"}], "B0957J68LT": [{"asin": "B0957J68LT", "instruction": "i need a yellow home office chair that is easy to assemble.", "attributes": ["high density", "easy assemble", "living room"], "options": ["color: yellow"], "instruction_attributes": ["easy assemble"], "instruction_options": ["yellow"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY17Y082", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GHHHWLP": [{"asin": "B08GHHHWLP", "instruction": "i'm looking for a 39\"w x 72\"h roller shades for living room.", "attributes": ["easy install", "living room"], "options": ["color: beige", "size: 39\"w x 72\"h"], "instruction_attributes": ["living room"], "instruction_options": ["39\"w x 72\"h"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC5X3RKM", "worker_id": "A9QRQL9CFJBI7"}], "B078N3XL2D": [{"asin": "B078N3XL2D", "instruction": "i'm looking for a twin xl, fully assembled mattresses.", "attributes": ["ready use", "fully assembled", "queen size", "assembly required", "box spring"], "options": ["size: twin xl", "style: 4\" split foundation"], "instruction_attributes": ["fully assembled"], "instruction_options": ["twin xl"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7ABKYUW", "worker_id": "A9QRQL9CFJBI7"}], "B01DVLB1I4": [{"asin": "B01DVLB1I4", "instruction": "i want to find a 10-foot long usb cable with a usb port in rose gold color.", "attributes": ["fast charging", "gold plated", "aluminum alloy", "usb port"], "options": ["color: rose gold", "number of items: 1", "size: 10ft"], "instruction_attributes": ["usb port"], "instruction_options": ["rose gold"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXLWQEAO", "worker_id": "A345TDMHP3DQ3G"}], "B09MD8XBXB": [{"asin": "B09MD8XBXB", "instruction": "i want a pair of memory foam slippers that are winter warm. i want it in red.", "attributes": ["winter warm", "anti slip", "machine washable", "non slip", "memory foam", "rubber sole"], "options": ["color: red", "size: 8 wide"], "instruction_attributes": ["winter warm", "memory foam"], "instruction_options": ["red"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LCWI5X", "worker_id": "A1NF6PELRKACS9"}], "B09DCXCK2G": [{"asin": "B09DCXCK2G", "instruction": "i'm looking for a professional makeup train storage case that has separate space for nail art materials and eye shadow palette.", "attributes": ["storage case", "nail art", "eye shadow"], "options": [""], "instruction_attributes": ["storage case", "nail art", "eye shadow"], "instruction_options": [], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN3O8II", "worker_id": "AR0VJ5XRG16UJ"}], "B09PB819S6": [{"asin": "B09PB819S6", "instruction": "i am looking for medical grade silicone scar removal sheets scar removal is reusable and completely washable. washing them renews their sticking ability, easy to use waterproof and very sticky. 1.6\u201d x 120\u201dsize preferable", "attributes": ["clinically proven", "water resistant", "non toxic", "easy use"], "options": ["size: 1.6\u201d x 120\u201d"], "instruction_attributes": ["clinically proven", "water resistant", "non toxic", "easy use"], "instruction_options": [], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPW720KV", "worker_id": "A1DRKZ3SCLAS4V"}], "B09RP2P6CQ": [{"asin": "B09RP2P6CQ", "instruction": "i am looking for a loose fit large t-shirt in a gray color.", "attributes": ["light weight", "loose fit", "short sleeve", "long sleeve"], "options": ["color: llds-a053-gray", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["llds-a053-gray", "large"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS153CXE", "worker_id": "A2ECRNQ3X5LEXD"}], "B0010XRVR6": [{"asin": "B0010XRVR6", "instruction": "i would like a chicken broccoli rice mix that comes in a pack of 12 and is easy to prepare.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: chicken broccoli", "size: 5.5 ounce (pack of 12)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["chicken broccoli", "5.5 ounce (pack of 12)"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGC40O7", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0010XRVR6", "instruction": "i am looking for knorr rice sides for a tasty rice side dish creamy chicken with no artificial flavors,easily prepare on the stove or in a microwave, goodness of a chicken flavored sauce. pack of 12 preferable.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: chicken", "size: pack of 12"], "instruction_attributes": ["easy prepare"], "instruction_options": ["chicken", "pack of 12"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XK40NEU", "worker_id": "A1DRKZ3SCLAS4V"}, {"asin": "B0010XRVR6", "instruction": "i need some easy to prepare chicken broccoli meals.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: chicken broccoli", "size: 5.29 ounce (pack of 12)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["chicken broccoli"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB31SOY", "worker_id": "A19317A3X87NVM"}], "B088MG2TWQ": [{"asin": "B088MG2TWQ", "instruction": "i am looking for a core i5 tablet.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WN3A1I", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QDVJC5F": [{"asin": "B07QDVJC5F", "instruction": "i need footprints in the sand necklace and earrings sized long lasting candle 21oz", "attributes": ["lead free", "long lasting"], "options": ["scent: footprints in the sand", "size: earrings"], "instruction_attributes": [], "instruction_options": ["footprints in the sand", "earrings"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFIN3VB", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07QDVJC5F", "instruction": "i need long lasting bedtime spa candles", "attributes": ["lead free", "long lasting"], "options": ["scent: bedtime spa", "size: earrings"], "instruction_attributes": ["long lasting"], "instruction_options": ["bedtime spa"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHCRE1R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07QDVJC5F", "instruction": "i would like a lead free amazon rainforest bracelet candle.", "attributes": ["lead free", "long lasting"], "options": ["scent: amazon rainforest", "size: bracelet"], "instruction_attributes": ["lead free"], "instruction_options": ["amazon rainforest", "bracelet"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP8BAON", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07QDVJC5F", "instruction": "i want by a candle. pisces | zodiac star signs jewelry candle with necklace lead free inside ! scent vanilla lavender .", "attributes": ["lead free", "long lasting"], "options": ["scent: vanilla lavender", "size: earrings"], "instruction_attributes": ["lead free"], "instruction_options": ["vanilla lavender"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7VPURO", "worker_id": "A15IJ20C3R4HUO"}], "B07MFYH5Y6": [{"asin": "B07MFYH5Y6", "instruction": "i want to find a pair of black and magnet colored men's hiking boots with rubber soles, they need to be in size 15.", "attributes": ["long lasting", "arch support", "rubber outsole", "rubber sole"], "options": ["color: black | magnet", "size: 15"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black | magnet", "15"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3H686I0", "worker_id": "A345TDMHP3DQ3G"}], "B09Q2TD1V4": [{"asin": "B09Q2TD1V4", "instruction": "i am looking for a 11 women | 9.5 men shoes of rubber sole", "attributes": ["non slip", "slip resistant", "arch support", "rubber sole"], "options": ["color: purple mardi gras skull b", "size: 11 women | 9.5 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["11 women | 9.5 men"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CH7GNBN", "worker_id": "A9QRQL9CFJBI7"}], "B09H2WLRW3": [{"asin": "B09H2WLRW3", "instruction": "i need a high quality human hair. pick a straight 3 bundle with closure.", "attributes": ["high quality", "hair loss"], "options": ["color: straight 3 bundles with closure", "size: 20 22 24 26"], "instruction_attributes": ["high quality"], "instruction_options": ["straight 3 bundles with closure"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX3WFCL", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09H2WLRW3", "instruction": "i need high quality hair extensions that are loose waves", "attributes": ["high quality", "hair loss"], "options": ["color: loose wave 3 bundles with closure", "size: 20 | 22 | 24 | 26"], "instruction_attributes": ["high quality"], "instruction_options": ["loose wave 3 bundles with closure"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LOU900", "worker_id": "A2ECRNQ3X5LEXD"}], "B08KFD77MF": [{"asin": "B08KFD77MF", "instruction": "i'm looking for a water resistant red on black cosmetic bags for women.", "attributes": ["water resistant", "high quality"], "options": ["color: red on black"], "instruction_attributes": ["water resistant"], "instruction_options": ["red on black"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49S2X42", "worker_id": "A9QRQL9CFJBI7"}], "B07TTJDVMS": [{"asin": "B07TTJDVMS", "instruction": "i need a night stand with a width of 24 and height of 30. pick a white one.", "attributes": ["white item", "white finish"], "options": [""], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVMD9XB", "worker_id": "A1NF6PELRKACS9"}], "B07GX4G5GQ": [{"asin": "B07GX4G5GQ", "instruction": "i search the vanity light including satin nickel", "attributes": ["vanity light", "light fixture"], "options": ["color: satin nickel", "size: 1-light"], "instruction_attributes": ["vanity light"], "instruction_options": ["satin nickel"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS409HXNH", "worker_id": "A226L9F2AZ38CL"}], "B01LW1R1QU": [{"asin": "B01LW1R1QU", "instruction": "i am looking for a non gmo popcorn with simple ingredients.", "attributes": ["non gmo", "simple ingredients", "artificial flavors"], "options": [""], "instruction_attributes": ["non gmo", "simple ingredients"], "instruction_options": [], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB687D4AP", "worker_id": "A2HMEGTAFO0CS8"}], "B09RQS6CLC": [{"asin": "B09RQS6CLC", "instruction": "i want to find a small green lace pajama set for daily wear.", "attributes": ["quality polyester", "polyester cotton", "teen girls", "daily wear"], "options": ["color: g", "size: small"], "instruction_attributes": ["daily wear"], "instruction_options": ["g", "small"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3ENLZ8", "worker_id": "A345TDMHP3DQ3G"}], "B097J4D79Y": [{"asin": "B097J4D79Y", "instruction": "i'm looking for a optical zoom dome cameras.", "attributes": ["heavy duty", "optical zoom", "motion detection"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P22BUU", "worker_id": "A9QRQL9CFJBI7"}], "B07TSWKZ6Y": [{"asin": "B07TSWKZ6Y", "instruction": "i need some hair cutting shears that are gold and six inches.", "attributes": ["stainless steel", "hair cutting"], "options": ["color: gold", "size: 6 inch"], "instruction_attributes": ["hair cutting"], "instruction_options": ["gold", "6 inch"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATZE37F", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07TSWKZ6Y", "instruction": "i am looking for a pair of 6 inch stainless steel hair cutting scissors.", "attributes": ["stainless steel", "hair cutting"], "options": ["color: rainbow", "size: 6 inch"], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": ["6 inch"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPEFQD6", "worker_id": "A1EREKSZAA9V7B"}], "B09Q38V92J": [{"asin": "B09Q38V92J", "instruction": "i am looking for a blue tie and dye printed small blouse with a unique design that is short sleeved for teen girls.", "attributes": ["slim fit", "short sleeve", "long sleeve", "unique design", "polyester spandex", "teen girls"], "options": ["color: 0a94- blue", "size: small"], "instruction_attributes": ["short sleeve", "unique design", "teen girls"], "instruction_options": ["0a94- blue", "small"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWTG1RA", "worker_id": "AHU9OLV0YKIIW"}], "B08295DTX4": [{"asin": "B08295DTX4", "instruction": "i'm looking for a case cover hard shell cases of rock ash color.", "attributes": ["easy install", "case cover"], "options": ["color: rock ash"], "instruction_attributes": ["case cover"], "instruction_options": ["rock ash"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCHO7IW", "worker_id": "A9QRQL9CFJBI7"}], "B074338PG3": [{"asin": "B074338PG3", "instruction": "i want to find a pack of nine low-carb cheese bites from trader joe's.", "attributes": ["trader joe", "low carb", "gluten free"], "options": ["size: pack of 9"], "instruction_attributes": ["trader joe", "low carb"], "instruction_options": ["pack of 9"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI32ADBP", "worker_id": "A345TDMHP3DQ3G"}], "B00MFQJR60": [{"asin": "B00MFQJR60", "instruction": "i am looking for an easy care shirt. pick a soft black one.", "attributes": ["easy care", "button closure"], "options": ["color: soft black", "size: 4x-large"], "instruction_attributes": ["easy care"], "instruction_options": ["soft black"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VAME8K", "worker_id": "A1NF6PELRKACS9"}], "B071DV6H98": [{"asin": "B071DV6H98", "instruction": "i am looking for a gluten free peanut butter that comes in a vanilla flavor and is .85 oz.", "attributes": ["non gmo", "gluten free", "protein serving", "0g trans", "high fructose"], "options": ["flavor name: vanilla sample", "size: 0.85 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["vanilla sample", "0.85 ounce (pack of 1)"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV499TDTY", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B071DV6H98", "instruction": "i would like some non gmo peanut butter that is vanilla flavored and is 0.85 ounces", "attributes": ["non gmo", "gluten free", "protein serving", "0g trans", "high fructose"], "options": ["flavor name: vanilla sample", "size: 0.85 ounce (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["vanilla sample", "0.85 ounce (pack of 1)"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7XXWZTO", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B071DV6H98", "instruction": "i'm looking for a multi-pack of original peanut butter powder in the 6.5 ounce size; it must suit my gluten-free diet.", "attributes": ["non gmo", "gluten free", "protein serving", "0g trans", "high fructose"], "options": ["flavor name: original", "size: 6.5 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["original", "6.5 ounce (pack of 6)"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QQLXO9", "worker_id": "A3LIIE572Z4OG7"}], "B09QHJSCSJ": [{"asin": "B09QHJSCSJ", "instruction": "i need black flats in a size 9 that have arch support.", "attributes": ["open toe", "leather sole", "arch support"], "options": ["color: black", "size: 9"], "instruction_attributes": ["arch support"], "instruction_options": ["black", "9"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT3ZVHJ6", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HCLN583": [{"asin": "B09HCLN583", "instruction": "i want a non slip futon mattress which is soft and thick. i need it in 150*200 cm size.", "attributes": ["non slip", "living room"], "options": ["color: a", "size: 150*200cm"], "instruction_attributes": ["non slip"], "instruction_options": ["150*200cm"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5J76XV", "worker_id": "A1NF6PELRKACS9"}], "B09P5LHPC4": [{"asin": "B09P5LHPC4", "instruction": "i need a hair treatment detangler that comes in two bottles.", "attributes": ["hair extensions", "hair treatment", "dry hair"], "options": ["size: 2 bottles"], "instruction_attributes": ["hair treatment"], "instruction_options": ["2 bottles"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGY4LIEM", "worker_id": "A2ECRNQ3X5LEXD"}], "B01MRNDYVF": [{"asin": "B01MRNDYVF", "instruction": "i'm looking for a comfortable fit 38w x 30l jeans for men.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: san antonio", "fit type: slim", "size: 38w x 30l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["38w x 30l"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5KZP21H", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01MRNDYVF", "instruction": "i need a long lasting cowboy cut jeans that is slim fit.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: dax", "fit type: slim", "size: 48w x 32l"], "instruction_attributes": ["long lasting"], "instruction_options": ["slim"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53VSGKT", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01MRNDYVF", "instruction": "i am looking for a long lasting jean with comfortable fit in regular size. also choose smoky color and 28w x 30l size.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: smoke storm", "fit type: regular", "size: 28w x 30l"], "instruction_attributes": ["long lasting", "comfortable fit"], "instruction_options": ["smoke storm", "regular", "28w x 30l"], "assignment_id": "37TRT2X24116R7L1JO45INKV8TZJBF", "worker_id": "A2HMEGTAFO0CS8"}], "B087CM8ZJQ": [{"asin": "B087CM8ZJQ", "instruction": "i need a fast charging usb cable that is black and 6.6 feet long.", "attributes": ["gold plated", "fast charging", "aluminum alloy", "usb port"], "options": ["color: black", "size: 6.6ft"], "instruction_attributes": ["fast charging"], "instruction_options": ["black", "6.6ft"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBPYDAO5", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B087CM8ZJQ", "instruction": "i'm looking for gold plated grey usb cables.", "attributes": ["gold plated", "fast charging", "aluminum alloy", "usb port"], "options": ["color: grey", "size: 16ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["grey"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6G6YS3K", "worker_id": "A19317A3X87NVM"}], "B07KQNG859": [{"asin": "B07KQNG859", "instruction": "l want a roasted almonds colour 4 count low carbo and sugar free chocolate", "attributes": ["low carb", "sugar free", "artificial ingredients", "keto friendly", "individually wrapped", "dairy free", "quality ingredients"], "options": ["color: roasted almonds", "size: 4 count (pack of 4)"], "instruction_attributes": ["low carb", "sugar free"], "instruction_options": ["roasted almonds", "4 count (pack of 4)"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP8V57ZA", "worker_id": "A3N9ZYQAESNFQH"}], "B00EQD8022": [{"asin": "B00EQD8022", "instruction": "i am searching for a delicious dairy free unsweetened coconutmilk, 1 quart", "attributes": ["dairy free", "shelf stable", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["dairy free"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLTYAVZ", "worker_id": "A258PTOZ3D2TQR"}], "B01M183PGP": [{"asin": "B01M183PGP", "instruction": "i need a bpa free bag that is purple with flowers.", "attributes": ["bpa free", "travel bottles"], "options": ["color: purple with black disc, floral labels"], "instruction_attributes": ["bpa free"], "instruction_options": ["purple with black disc, floral labels"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBNHIGQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07T3RBK48": [{"asin": "B07T3RBK48", "instruction": "i need a classic fit t-shirt. pick the royal blue one.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: men", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["royal blue"], "assignment_id": "3VW04L3ZL4GEZUTR5OBOYTJ22OCXXO", "worker_id": "A1NF6PELRKACS9"}], "B08Z46HP2J": [{"asin": "B08Z46HP2J", "instruction": "i am searching for a queen size 7 inch cooling gel memory foam mattress certipur-us certified.", "attributes": ["memory foam", "king size"], "options": ["size: queen"], "instruction_attributes": [], "instruction_options": ["queen"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14L9L0LG", "worker_id": "A258PTOZ3D2TQR"}], "B085DGY66W": [{"asin": "B085DGY66W", "instruction": "i'm looking for a gluten free, non gmo vegetable powder refill pouch with organic winter squash. also, choose three beet flavor one.", "attributes": ["non gmo", "gluten free", "dietary fiber"], "options": ["flavor: three beet"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["three beet"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7RI5PP", "worker_id": "AR0VJ5XRG16UJ"}], "B09PZ6KCQ2": [{"asin": "B09PZ6KCQ2", "instruction": "i am looking for a x- large casual dresses with long sleeves", "attributes": ["hand wash", "long sleeve", "quality polyester", "daily wear"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x-large"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PFIX2K", "worker_id": "A9QRQL9CFJBI7"}], "B09RPDTM1K": [{"asin": "B09RPDTM1K", "instruction": "i want a small sexy pajama lingerie that is made of quality polyester. pick a yellow one.", "attributes": ["quality polyester", "polyester cotton", "teen girls", "daily wear"], "options": ["color: yellow", "size: small"], "instruction_attributes": ["quality polyester"], "instruction_options": ["yellow", "small"], "assignment_id": "3BGYGHDBB8UCXYNXTA52IDVAC71220", "worker_id": "A1NF6PELRKACS9"}], "B082WYL1FR": [{"asin": "B082WYL1FR", "instruction": "i am looking for a usb c female to usb male adapter made up of aluminum alloy also in purple color.", "attributes": ["aluminum alloy", "usb port"], "options": ["color: purple"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["purple"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB1WXULH", "worker_id": "A2HMEGTAFO0CS8"}], "B091G46DJV": [{"asin": "B091G46DJV", "instruction": "get me a wine tote that is bpa free and easy to use to hold wine bottles. pick something in swankey blue moon color.", "attributes": ["bpa free", "easy use", "great gift", "perfect gift"], "options": ["color: swankey blue moon"], "instruction_attributes": ["bpa free", "easy use"], "instruction_options": ["swankey blue moon"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJKHXB6", "worker_id": "A1NF6PELRKACS9"}], "B09FYT7V8G": [{"asin": "B09FYT7V8G", "instruction": "i need an ac adapter that has wireless charging.", "attributes": ["output protection", "wireless charging"], "options": [""], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MCILWH", "worker_id": "A2ECRNQ3X5LEXD"}], "B076BYM91L": [{"asin": "B076BYM91L", "instruction": "i would like some high protein jerky that is bbq and 8 ounces.", "attributes": ["low fat", "high protein"], "options": ["flavor name: bbq", "size: 8 ounce"], "instruction_attributes": ["high protein"], "instruction_options": ["bbq", "8 ounce"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ5S191", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B076BYM91L", "instruction": "i am looking for a 4 ounce pack of low fat turkey jerky with sweet heat flavor.", "attributes": ["low fat", "high protein"], "options": ["flavor name: sweet heat", "size: 4 ounce"], "instruction_attributes": ["low fat"], "instruction_options": ["sweet heat", "4 ounce"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X5IY3K", "worker_id": "AJDQGOTMB2D80"}], "B09729K3M4": [{"asin": "B09729K3M4", "instruction": "i am looking for an easy clean computer desk that is white in color. pick a size 47\" desk.", "attributes": ["heavy duty", "white item", "easy clean", "easy assemble", "coated steel", "metal legs"], "options": ["color: rustic brown + black frame", "size: 47\""], "instruction_attributes": ["white item", "easy clean"], "instruction_options": ["47\""], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYIN7NL", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09729K3M4", "instruction": "i want a 39 inch easy to clean computer desk that is also heavy duty.", "attributes": ["heavy duty", "white item", "easy clean", "easy assemble", "coated steel", "metal legs"], "options": ["color: rustic brown + black frame", "size: 39\u2018\u2019"], "instruction_attributes": ["heavy duty", "easy clean"], "instruction_options": ["39\u2018\u2019"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JZFEGS", "worker_id": "A1NF6PELRKACS9"}], "B09KGGD8NN": [{"asin": "B09KGGD8NN", "instruction": "i'm searching for a rechargeable plug play powerpoint presenter remote. also its color is green light one.", "attributes": ["plug play", "usb port"], "options": ["color: green light", "size: x16"], "instruction_attributes": ["plug play"], "instruction_options": ["x16"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK60KYYL", "worker_id": "A258PTOZ3D2TQR"}], "B09P1QKG2T": [{"asin": "B09P1QKG2T", "instruction": "i am looking for a glitters nail polish. also, choose the 04# color.", "attributes": ["nail art", "nail polish"], "options": ["color: 04#"], "instruction_attributes": ["nail polish"], "instruction_options": ["04#"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV67OPU2", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09P1QKG2T", "instruction": "i need a 05# nail powder pen for nail art.", "attributes": ["nail art", "nail polish"], "options": ["color: 05#"], "instruction_attributes": ["nail art"], "instruction_options": ["05#"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7WFDSL", "worker_id": "A2RBF3IIJP15IH"}], "B00005Q7DG": [{"asin": "B00005Q7DG", "instruction": "i'm looking for a digital camera with optical zoom lens and should have usb port.", "attributes": ["optical zoom", "usb port"], "options": [""], "instruction_attributes": ["optical zoom", "usb port"], "instruction_options": [], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQFL31T", "worker_id": "AR0VJ5XRG16UJ"}], "B0000533G9": [{"asin": "B0000533G9", "instruction": "i need a cruelty free hand wash that is 8 ounces.", "attributes": ["plant based", "cruelty free", "tea tree"], "options": ["size: 8 ounce (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHRYM0CB", "worker_id": "A2ECRNQ3X5LEXD"}], "B07N49M3J7": [{"asin": "B07N49M3J7", "instruction": "i want to find a 3-pack of grape-mango fruit leather buttons that are usda organic. the brand must be trader joe's.", "attributes": ["trader joe", "usda organic", "gluten free", "natural flavors"], "options": ["flavor name: grape-mango", "size: 3 pack"], "instruction_attributes": ["trader joe", "usda organic"], "instruction_options": ["grape-mango", "3 pack"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9ALK6D", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07N49M3J7", "instruction": "trader joe want to buy an organic fruit with leather buttons and natural flavors (6 pack). also choose the mango and size is 12 pack.", "attributes": ["trader joe", "usda organic", "gluten free", "natural flavors"], "options": ["flavor name: mango", "size: 12 pack"], "instruction_attributes": ["trader joe", "usda organic", "natural flavors"], "instruction_options": ["mango", "12 pack"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD4V3AYI", "worker_id": "A59DVED5S9N9Y"}, {"asin": "B07N49M3J7", "instruction": "i'm looking for gluten free that flavor was mango it looks so good.", "attributes": ["trader joe", "usda organic", "gluten free", "natural flavors"], "options": ["flavor name: mango", "size: 6 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["mango"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDUSZQD", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07N49M3J7", "instruction": "i\u2019m looking for a 6-pack of the trader joes fruit leather buttons; i like the natural strawberry-mango flavour.", "attributes": ["trader joe", "usda organic", "gluten free", "natural flavors"], "options": ["flavor name: strawberry-mango", "size: 6 pack"], "instruction_attributes": ["trader joe", "natural flavors"], "instruction_options": ["6 pack"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746Y5BTX", "worker_id": "A3LIIE572Z4OG7"}], "B01M4RU1G2": [{"asin": "B01M4RU1G2", "instruction": "i need fruit snacks are that are both fat and gluten free.", "attributes": ["fat free", "non gmo", "gluten free", "dietary fiber"], "options": [""], "instruction_attributes": ["fat free", "gluten free"], "instruction_options": [], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMO9FCTV", "worker_id": "A2ECRNQ3X5LEXD"}], "B08S3S7Y6S": [{"asin": "B08S3S7Y6S", "instruction": "i am looking for 3.3 ft usb cables compatible with apple.", "attributes": ["compatible apple", "fast charging"], "options": ["color: black - 2 pack", "size: 3.3 ft"], "instruction_attributes": ["compatible apple"], "instruction_options": ["3.3 ft"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZF9B9VA", "worker_id": "A9QRQL9CFJBI7"}], "B09225PZDX": [{"asin": "B09225PZDX", "instruction": "i'm looking for multicolor cupcake toppers with cupcake picks for baby shower.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["cupcake picks", "baby shower"], "instruction_options": [], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL95S2V6", "worker_id": "AR0VJ5XRG16UJ"}], "B01HFHK26C": [{"asin": "B01HFHK26C", "instruction": "i want a fully assembled file cabinet for home and office use. pick something in gray and black.", "attributes": ["ready use", "fully assembled"], "options": ["color: gray black", "style: 2-drawer, all-steel lock & key"], "instruction_attributes": ["fully assembled"], "instruction_options": ["gray black"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P4AUBP", "worker_id": "A1NF6PELRKACS9"}], "B07Z4ZSKP4": [{"asin": "B07Z4ZSKP4", "instruction": "i need a vinyl acetate narrow fit sandals with big buckle. i am a size 8.5.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: stardust rose", "size: 8.5"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["8.5"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQRAB47", "worker_id": "A1NF6PELRKACS9"}], "B07Y848YHD": [{"asin": "B07Y848YHD", "instruction": "i am looking for gorgeous color black in the stainless steel metal watchband surface, the innovation design, looks more fashionable rabuzi band compatible for fitbit ionic band smartwatch.", "attributes": ["quick release", "stainless steel"], "options": ["color: black"], "instruction_attributes": ["stainless steel"], "instruction_options": ["black"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIYP3TF", "worker_id": "A1DRKZ3SCLAS4V"}], "B09Q2LHXS9": [{"asin": "B09Q2LHXS9", "instruction": "i am looking for fashion comfortable flats for women with the durable slip on outsole withlight weight lyhomean handmade women linen cotton slip on loafers in grey color. size 6.5 preferable.", "attributes": ["light weight", "fashion design"], "options": ["color: grey", "size: 6.5"], "instruction_attributes": ["light weight", "fashion design"], "instruction_options": ["grey", "6.5"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMK3W91", "worker_id": "A1DRKZ3SCLAS4V"}], "B09LZ3B5CB": [{"asin": "B09LZ3B5CB", "instruction": "i am looking for a long lasting highly pigmented eye shadow for senstive skin", "attributes": ["highly pigmented", "long lasting", "eye shadow", "sensitive skin"], "options": [""], "instruction_attributes": ["highly pigmented", "long lasting", "eye shadow", "sensitive skin"], "instruction_options": [], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G70C475", "worker_id": "A3N9ZYQAESNFQH"}], "B094Y4C2ZM": [{"asin": "B094Y4C2ZM", "instruction": "i'm looking for a #9 silver open toe women flat sandals, size-11", "attributes": ["open toe", "closed toe"], "options": ["color: #9 silver", "size: 11"], "instruction_attributes": ["open toe"], "instruction_options": ["#9 silver", "11"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXCHWKT", "worker_id": "A9QRQL9CFJBI7"}], "B0848FR6YM": [{"asin": "B0848FR6YM", "instruction": "i am looking for a ready to use cocktail mixer that is authentic michelada mix and is 33.8 fl oz.", "attributes": ["ready use", "non gmo", "high fructose"], "options": ["flavor name: authentic michelada mix", "size: 33.81 fl oz (pack of 3)"], "instruction_attributes": ["ready use"], "instruction_options": ["authentic michelada mix", "33.81 fl oz (pack of 3)"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FAE3D5", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0848FR6YM", "instruction": "i am looking for a 16 fl oz cocktail mixer that is ready to use and is ginger lemonade flavored.", "attributes": ["ready use", "non gmo", "high fructose"], "options": ["flavor name: skinny ginger lemonade mixer", "size: 16 fl oz (pack of 1)"], "instruction_attributes": ["ready use"], "instruction_options": ["skinny ginger lemonade mixer", "16 fl oz (pack of 1)"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMKUWMM", "worker_id": "A2ECRNQ3X5LEXD"}], "B0933HSCRS": [{"asin": "B0933HSCRS", "instruction": "i'm looking for a 18 inch double sided hair extensions", "attributes": ["double sided", "hair extensions"], "options": ["size: 18 inch"], "instruction_attributes": ["double sided"], "instruction_options": ["18 inch"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIFL584", "worker_id": "A9QRQL9CFJBI7"}], "B07C2DXQTP": [{"asin": "B07C2DXQTP", "instruction": "i need some prewashed comfortable fit jeans that are relaxed and a size 36w by 31l", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: prewash", "fit type: relaxed", "size: 36w x 31l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["prewash", "relaxed", "36w x 31l"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYXXJ4G", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07C2DXQTP", "instruction": "i want banjo blue and machine washable wrangler cowboy cut jeans.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: banjo blue", "fit type: regular", "size: 36"], "instruction_attributes": ["machine wash"], "instruction_options": ["banjo blue"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39ISCLTN", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07C2DXQTP", "instruction": "i want long lasting and slim wrangler mens cowboy jeans.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: smoke storm", "fit type: slim", "size: 52w x 30l"], "instruction_attributes": ["long lasting"], "instruction_options": ["slim"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2ONI99W", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07C2DXQTP", "instruction": "i want big & tall and comfortable fit wrangler mens cowboy cut jeans.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: worn in", "fit type: big & tall", "size: 40w x 40l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["big & tall"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W8WUO6", "worker_id": "A2RBF3IIJP15IH"}], "B08Y917SDN": [{"asin": "B08Y917SDN", "instruction": "i want a long lasting shower gel gift set for sensitive skin. pick something with cherry blossom scent.", "attributes": ["long lasting", "seed oil", "natural ingredients", "sensitive skin"], "options": [""], "instruction_attributes": ["long lasting", "sensitive skin"], "instruction_options": [], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXNXYLE", "worker_id": "A1NF6PELRKACS9"}], "B007PY8M9A": [{"asin": "B007PY8M9A", "instruction": "i am looking for zero sugar sparkling water which is peach flovoured and should be 15.99 fl oz in size (pack of 12.", "attributes": ["certified organic", "zero sugar"], "options": ["flavor name: peach", "size: 15.99 fl oz (pack of 12)"], "instruction_attributes": ["zero sugar"], "instruction_options": ["peach", "15.99 fl oz (pack of 12)"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQ5N6S7", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B007PY8M9A", "instruction": "i would like a 12 pack of 16 fluid ounce bottles of zero sugar wild berry energy drinks.", "attributes": ["certified organic", "zero sugar"], "options": ["flavor name: wild berry", "size: 16 fl oz (pack of 12)"], "instruction_attributes": ["zero sugar"], "instruction_options": ["wild berry", "16 fl oz (pack of 12)"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMZN3WZ", "worker_id": "A1WS884SI0SLO4"}], "B07RPZHP79": [{"asin": "B07RPZHP79", "instruction": "i am looking for a .4 fl oz concealer that is good for dark circles and is in the shade 12.0 light sand.", "attributes": ["anti aging", "highly pigmented", "travel size", "long lasting", "hyaluronic acid", "dark circles"], "options": ["color: 12.0 light sand (w)", "size: 0.4 fl oz"], "instruction_attributes": ["dark circles"], "instruction_options": ["12.0 light sand (w)", "0.4 fl oz"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJK3BX6", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NSF1Z7R": [{"asin": "B09NSF1Z7R", "instruction": "i am looking for blue high waist casual pants for women.", "attributes": ["straight leg", "wide leg", "loose fit", "high waist"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["blue"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFMUJOJ", "worker_id": "A9QRQL9CFJBI7"}], "B09RMHDH39": [{"asin": "B09RMHDH39", "instruction": "i'm looking for a red hand washed tanks & camis for women.", "attributes": ["wash cold", "hand wash", "polyester spandex"], "options": ["color: red", "size: small"], "instruction_attributes": ["hand wash"], "instruction_options": ["red"], "assignment_id": "3634BBTX0Z409DDB6851PCWGA5BFIC", "worker_id": "A9QRQL9CFJBI7"}], "B00WBB0D4E": [{"asin": "B00WBB0D4E", "instruction": "i'm looking for a cocktail mixer that is gluten free, nut free and has no artificial colors. also, choose wine freezer sangria with pack of 4.", "attributes": ["non alcoholic", "nut free", "gluten free", "artificial colors"], "options": ["flavor name: wine freezer sangria", "size: pack of 4"], "instruction_attributes": ["nut free", "gluten free", "artificial colors"], "instruction_options": ["wine freezer sangria", "pack of 4"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LFP094", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00WBB0D4E", "instruction": "i would like a non alcoholic eggnog mixer that comes in a four pack", "attributes": ["non alcoholic", "nut free", "gluten free", "artificial colors"], "options": ["flavor name: eggnog", "size: pack of 4"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["eggnog", "pack of 4"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXQ4YLR", "worker_id": "A2ECRNQ3X5LEXD"}], "B07JKY5SJQ": [{"asin": "B07JKY5SJQ", "instruction": "i am looking for a medium adult sized unisex hoodie which is machine washable. pick the navy blue one.", "attributes": ["wash cold", "machine wash", "dry clean", "tumble dry"], "options": ["color: navy blue", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy blue"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOSMO7B", "worker_id": "A1NF6PELRKACS9"}], "B093ZNDMMS": [{"asin": "B093ZNDMMS", "instruction": "i want a body wash that is dermatologist tested. it should have a cucumber and aloe scent.", "attributes": ["dermatologist tested", "sensitive skin"], "options": ["scent: cucumber + aloe", "size: 24.5 fl oz"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["cucumber + aloe"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXQXYMM", "worker_id": "A1NF6PELRKACS9"}], "B01G5VEX3W": [{"asin": "B01G5VEX3W", "instruction": "i want to find green tea lip gloss that comes in the color \"kiss me pink.\"", "attributes": ["green tea", "seed oil", "natural ingredients"], "options": ["color: kiss me pink"], "instruction_attributes": ["green tea"], "instruction_options": ["kiss me pink"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MI3RRBZ", "worker_id": "A345TDMHP3DQ3G"}], "B08D9NK2TL": [{"asin": "B08D9NK2TL", "instruction": "i am looking for itch relief balm for sensitive skin.", "attributes": ["sulfate free", "clinically proven", "dry skin", "sensitive skin"], "options": ["style: itch relief balm"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["itch relief balm"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4BA985", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B08D9NK2TL", "instruction": "i am looking for a repairing cream sulfate free body washes for dry skin", "attributes": ["sulfate free", "clinically proven", "dry skin", "sensitive skin"], "options": ["style: repairing cream"], "instruction_attributes": ["sulfate free", "dry skin"], "instruction_options": ["repairing cream"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI85ASSR", "worker_id": "A9QRQL9CFJBI7"}], "B00MRNQT8A": [{"asin": "B00MRNQT8A", "instruction": "i would like three traditional vanity lights that are in a satin bronze finish.", "attributes": ["bronze finish", "vanity light"], "options": ["color: satin bronze finish", "size: three - light", "style: traditional"], "instruction_attributes": ["vanity light"], "instruction_options": ["satin bronze finish", "three - light", "traditional"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227CCF8G", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00MRNQT8A", "instruction": "i'm looking for a three light vanity style light fixture that can hang on the wall and has chrome finish.", "attributes": ["bronze finish", "vanity light"], "options": ["color: chrome finish", "size: nine light", "style: wall | bath sconce"], "instruction_attributes": ["vanity light"], "instruction_options": ["chrome finish", "wall | bath sconce"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDKS5KA", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B00MRNQT8A", "instruction": "i am looking for bronze finish chrome color vanity lights", "attributes": ["bronze finish", "vanity light"], "options": ["color: chrome", "size: three light", "style: mini-pendant"], "instruction_attributes": ["bronze finish"], "instruction_options": ["chrome"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9JGZS1W", "worker_id": "A16M39T60N60NO"}, {"asin": "B00MRNQT8A", "instruction": "i'm looking for a three light vanity style light fixture that can hang on the wall and has chrome finish.", "attributes": ["bronze finish", "vanity light"], "options": ["color: chrome finish", "size: nine light", "style: wall | bath sconce"], "instruction_attributes": ["vanity light"], "instruction_options": ["chrome finish", "wall | bath sconce"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDKS5KA", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B00MRNQT8A", "instruction": "i would like a nine light vanity light wall sconce with chrome finish", "attributes": ["bronze finish", "vanity light"], "options": ["color: chrome finish", "size: nine light", "style: wall | bath sconce"], "instruction_attributes": ["vanity light"], "instruction_options": ["chrome finish", "nine light", "wall | bath sconce"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9Y1X5V", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00MRNQT8A", "instruction": "can i get some chandelier vanity lights with a bronze finish?", "attributes": ["bronze finish", "vanity light"], "options": ["color: satin brass", "size: five light", "style: chandelier"], "instruction_attributes": ["bronze finish"], "instruction_options": ["chandelier"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8YC8GM", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B00MRNQT8A", "instruction": "i want to buy vanity lights which have bronze finish and the color of which is satin bronze, and with a size of nine light, while it's style should be mini-pendant.", "attributes": ["bronze finish", "vanity light"], "options": ["color: satin bronze", "size: nine light", "style: mini-pendant"], "instruction_attributes": ["bronze finish", "vanity light"], "instruction_options": ["satin bronze", "nine light", "mini-pendant"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD3QICX", "worker_id": "AJY5G987IRT25"}, {"asin": "B00MRNQT8A", "instruction": "i need four contemporary vanity lights.", "attributes": ["bronze finish", "vanity light"], "options": ["color: satin bronze finish", "size: four light", "style: contemporary"], "instruction_attributes": ["vanity light"], "instruction_options": ["four light", "contemporary"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VIS8E0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00MRNQT8A", "instruction": "i want to get a three light, wall scone style vanity light that has a brushed nickel finish.", "attributes": ["bronze finish", "vanity light"], "options": ["color: brushed nickel finish", "size: three light", "style: wall | bath sconce"], "instruction_attributes": ["vanity light"], "instruction_options": ["brushed nickel finish", "three light", "wall | bath sconce"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWZS5TT", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B00MRNQT8A", "instruction": "i need to buy a vanity light in brushed nickel with two lights.", "attributes": ["bronze finish", "vanity light"], "options": ["color: brushed nickel", "size: two light", "style: wall | bath sconce"], "instruction_attributes": ["vanity light"], "instruction_options": ["brushed nickel", "two light"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ53TCK8", "worker_id": "AR9AU5FY1S3RO"}], "B018ZL0820": [{"asin": "B018ZL0820", "instruction": "i'd like to find a 2-pack of 16 ounce bags of chocolate covered cherries. ideally the flavors will be variety white and imperial.", "attributes": ["chocolate covered", "valentine day", "gift basket"], "options": ["flavor name: variety white & imperial", "size: 16 ounce (pack of 2)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["variety white & imperial", "16 ounce (pack of 2)"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTMJ4ES", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B018ZL0820", "instruction": "i am looking a valentine day chocolate gift basket of imperial chocolate flavour size :8 ounce (pack of 2)", "attributes": ["chocolate covered", "valentine day", "gift basket"], "options": ["flavor name: imperial chocolate", "size: 8 ounce (pack of 2)"], "instruction_attributes": ["valentine day", "gift basket"], "instruction_options": ["imperial chocolate", "8 ounce (pack of 2)"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23TB7QTG", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B018ZL0820", "instruction": "i am looking for cherry republic brand chocolate covered cherries, 2 of the 8 ounce packages.", "attributes": ["chocolate covered", "valentine day", "gift basket"], "options": ["flavor name: variety all", "size: 8 ounce (pack of 2)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["8 ounce (pack of 2)"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1JK08C", "worker_id": "AK3JMCIGU8MLU"}], "B07C55SZW3": [{"asin": "B07C55SZW3", "instruction": "i looking a gluten free peanut butter dark chocolate", "attributes": ["gluten free", "0g trans"], "options": ["flavor name: peanut butter dark chocolate", "size: 40 bars"], "instruction_attributes": ["gluten free"], "instruction_options": ["peanut butter dark chocolate"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZC87CY", "worker_id": "A3N9ZYQAESNFQH"}], "B01N5T2UGJ": [{"asin": "B01N5T2UGJ", "instruction": "i'm looking for lumbar support adjustable height wheel chair without arms rest. also tan color one.", "attributes": ["pu leather", "lumbar support"], "options": ["color: tan"], "instruction_attributes": ["lumbar support"], "instruction_options": ["tan"], "assignment_id": "354P56DE9VDCOY11T1135MPMLG4S7P", "worker_id": "A258PTOZ3D2TQR"}], "B07HQS5JN1": [{"asin": "B07HQS5JN1", "instruction": "i need usb cables that have fast charging capabilities.", "attributes": ["output protection", "fast charging"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCY1D0R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07HQS5JN1", "instruction": "i would like to have a usb cable with output protection.", "attributes": ["output protection", "fast charging"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA93YNZ3B", "worker_id": "A15ERD4HOFEPHM"}], "B09K4WJ974": [{"asin": "B09K4WJ974", "instruction": "i am looking for a memory foam slipper that is suitable for 5-6 size leg . and i would go for white color", "attributes": ["non slip", "memory foam", "ethylene vinyl", "vinyl acetate", "faux fur", "rubber sole"], "options": ["color: white", "size: 5-6"], "instruction_attributes": ["memory foam"], "instruction_options": ["white", "5-6"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662PPM4G", "worker_id": "A2COCSUGZV28X"}], "B09JCBWVZV": [{"asin": "B09JCBWVZV", "instruction": "i need a high power amplifier adapter for home audio.", "attributes": ["power amplifier", "high power", "easy carry"], "options": ["color: amp-power adapter"], "instruction_attributes": ["power amplifier", "high power"], "instruction_options": ["amp-power adapter"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLSAYBG", "worker_id": "A1NF6PELRKACS9"}], "B09N72B4GK": [{"asin": "B09N72B4GK", "instruction": "i am looking for a height adjustable, steel frame desks & desk sets of blue color.", "attributes": ["height adjustable", "steel frame"], "options": ["color: blue"], "instruction_attributes": ["height adjustable", "steel frame"], "instruction_options": [], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM963EG43", "worker_id": "A9QRQL9CFJBI7"}], "B08NK4SHXY": [{"asin": "B08NK4SHXY", "instruction": "i need a fluoride free toothpaste that ensures fresh breath and removes stain. pick a purple colored one.", "attributes": ["fluoride free", "long lasting", "fresh breath"], "options": ["color: purple"], "instruction_attributes": ["fluoride free", "fresh breath"], "instruction_options": ["purple"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VB9BJDC", "worker_id": "A1NF6PELRKACS9"}], "B00GYDBWD6": [{"asin": "B00GYDBWD6", "instruction": "i am looking for some eye shadow in the midnight sky shade.", "attributes": ["dermatologist tested", "eye shadow"], "options": ["color: midnight sky"], "instruction_attributes": ["eye shadow"], "instruction_options": ["midnight sky"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TLVZVR1", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CQB2FZK": [{"asin": "B07CQB2FZK", "instruction": "i will need a high speed coaxial cable made of aluminum alloy. pick the black one.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: dual - black", "size: 25ft"], "instruction_attributes": ["high speed", "aluminum alloy"], "instruction_options": ["dual - black"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PE8X28", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07CQB2FZK", "instruction": "look for a high speed coaxial cable that is about 1 foot. three per pack would be nice.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: dual - black", "size: 1ft - 3 pack"], "instruction_attributes": ["high speed"], "instruction_options": ["1ft - 3 pack"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HG8THYZ", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B07CQB2FZK", "instruction": "i want for a video cables a coaxial cable and aluminum alloy and to be a usa made trishield black", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: usa made trishield - black", "size: 2ft - 3 pack"], "instruction_attributes": ["coaxial cable", "aluminum alloy"], "instruction_options": ["usa made trishield - black"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YK696D", "worker_id": "A19Q021KR28CS8"}, {"asin": "B07CQB2FZK", "instruction": "i need a high speed coaxial cable that is 85 feet in size.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: burial 3ghz rg11, weather seal - orange", "size: 85ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["85ft"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y36IVI", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07CQB2FZK", "instruction": "i'm looking for 210ft of high speed rg-6 coaxial cable that is ready to bury with an orange weather boot.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: direct burial w | weather boot - orange", "size: 210ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["direct burial w | weather boot - orange", "210ft"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGHZW2L", "worker_id": "A2DDPSXH2X96RF"}, {"asin": "B07CQB2FZK", "instruction": "i would like a three pack of 4 ft quad rg11 weather boot high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quad rg11 aerial w | weather boot - black", "size: 4ft - 3 pack"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["quad rg11 aerial w | weather boot - black", "4ft - 3 pack"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHN70JB", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07CQB2FZK", "instruction": "look for a high speed coaxial cable that is about 1 foot. three per pack would be nice.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: dual - black", "size: 1ft - 3 pack"], "instruction_attributes": ["high speed"], "instruction_options": ["1ft - 3 pack"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HG8THYZ", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B07CQB2FZK", "instruction": "can you find me a two pack coaxial cable that's high speed, made of aluminum alloy, and is 15 feet long?", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield nickel plated fitting - black", "size: 15ft - 2 pack"], "instruction_attributes": ["high speed", "aluminum alloy"], "instruction_options": ["15ft - 2 pack"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OWP3MM", "worker_id": "A2CJFO19NY4T5R"}, {"asin": "B07CQB2FZK", "instruction": "i'm looking for coaxial cable for video accessories for electronics.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: burial 3ghz rg11, weather seal - orange", "size: 60 ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["burial 3ghz rg11, weather seal - orange"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OOKMM1", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07CQB2FZK", "instruction": "i'm looking for high speed net it has quashield-black material type.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield - black", "size: 250ft"], "instruction_attributes": ["high speed"], "instruction_options": ["quadshield - black"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA8TS20", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07CQB2FZK", "instruction": "i need to buy a twenty foot high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: copper, at&t directv fitting - white", "size: 20 ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["20 ft"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXA3CF3", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07CQB2FZK", "instruction": "i am looking for 2 pack of 20ft long quadshield solid copper black color indoor and outdoor coaxial cable", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield solid copper - black", "size: 20ft - 2 pack"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["quadshield solid copper - black", "20ft - 2 pack"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A21CBTHY", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07CQB2FZK", "instruction": "i am looking for a high speed coaxial cable that is 135 ft long.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: burial 3ghz rg11, weather seal - orange", "size: 135ft"], "instruction_attributes": ["high speed"], "instruction_options": ["135ft"], "assignment_id": "38F71OA9G46M5W32RN3TH53XROXMFL", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CQB2FZK", "instruction": "i'm looking for coaxial cable for video accessories it can intall at any", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: 3ghz dual w | ground - black", "size: 105ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["3ghz dual w | ground - black"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q5GWGQ", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07CQB2FZK", "instruction": "i need a high speed coaxial cable that is 50ft.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: copper, at&t directv fitting - white", "size: 50 ft"], "instruction_attributes": ["high speed"], "instruction_options": ["50 ft"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5IJWIT", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CQB2FZK", "instruction": "i'm looking for 6ft - 3packs of high speed coaxial cable with aluminum alloy.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: solid copper - white", "size: 6ft - 3 pack"], "instruction_attributes": ["high speed", "coaxial cable", "aluminum alloy"], "instruction_options": ["6ft - 3 pack"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA932X3ZX", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B07CQB2FZK", "instruction": "i would like a 10 foot long copper coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: copper, weather boot - white", "size: 10ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["copper, weather boot - white", "10ft"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQDO0N3", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07CQB2FZK", "instruction": "buy a 20ft video cable that has aluminum alloy.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield rg11 aerial weather boot - bla...", "size: 20ft"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["20ft"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUMR3RJ", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B07CQB2FZK", "instruction": "i am looking for a high speed 150 ft coaxial cable", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: 3ghz dual w | ground - black", "size: 150 ft"], "instruction_attributes": ["high speed"], "instruction_options": ["150 ft"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR4B5FUD", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CQB2FZK", "instruction": "i would like a 3 ft long copper coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: copper, weather boot - black", "size: 3ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["copper, weather boot - black", "3ft"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2Z6495", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07CQB2FZK", "instruction": "i am looking for a 200ft coaxial cable black in color. indoor/outdoor use.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: direct burial rg-11 - black", "size: 3ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["3ft"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3TLZMG", "worker_id": "A2KW17G25L25R8"}, {"asin": "B07CQB2FZK", "instruction": "i am looking for a 10 foot high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: burial 3ghz rg11, weather seal - orange", "size: 10ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["10ft"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTCUNLW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07CQB2FZK", "instruction": "i'm looking for a high speed 180 foot coaxial cable with a trishield nickel-plated fitting.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield nickel-plated fitting -black", "size: 180ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["trishield nickel-plated fitting -black", "180ft"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG67GB7", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07CQB2FZK", "instruction": "i would like a 200 foot long coaxial cable made of burial 3ghz rg6..", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: burial 3ghz rg6, directv fitting - orang...", "size: 200ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["burial 3ghz rg6, directv fitting - orang...", "200ft"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZOGHS6", "worker_id": "A1WS884SI0SLO4"}], "B003Z4UKGM": [{"asin": "B003Z4UKGM", "instruction": "i'm looking for a oil free cleansers for acne spot.", "attributes": ["oil free", "sulfate free", "paraben free", "cruelty free"], "options": ["style: acne spot"], "instruction_attributes": ["oil free"], "instruction_options": ["acne spot"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YIAT8M", "worker_id": "A9QRQL9CFJBI7"}], "B093YT5TL6": [{"asin": "B093YT5TL6", "instruction": "i want a laundry bag for my blouse and hosiery.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7CJ5NV", "worker_id": "A1NF6PELRKACS9"}], "B09KDLJV6C": [{"asin": "B09KDLJV6C", "instruction": "i intrested natural flavors pure chocolate extract gluten free 8fl oz", "attributes": ["non gmo", "gluten free", "natural flavors", "quality ingredients"], "options": ["flavor name: pure chocolate extract", "size: 8 fl oz (pack of 1)"], "instruction_attributes": ["natural flavors"], "instruction_options": ["pure chocolate extract", "8 fl oz (pack of 1)"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEBH86A", "worker_id": "A3N9ZYQAESNFQH"}], "B00VBNQJLY": [{"asin": "B00VBNQJLY", "instruction": "i'm looking for a sd card with h1080p hd resolution. also, choose single style 32 gb capacity.", "attributes": ["high speed", "1080p hd"], "options": ["capacity: 32gb", "style: single"], "instruction_attributes": ["high speed"], "instruction_options": ["32gb", "single"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ807YQ1I", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00VBNQJLY", "instruction": "i would like a 25 pack of 256gig high speed sd cards.", "attributes": ["high speed", "1080p hd"], "options": ["capacity: 256gb", "style: 25-pack"], "instruction_attributes": ["high speed"], "instruction_options": ["256gb", "25-pack"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQ0F4BN", "worker_id": "A1WS884SI0SLO4"}], "B081DFZRPX": [{"asin": "B081DFZRPX", "instruction": "i am looking for a high performance usb flash drive. pick a gold one.", "attributes": ["high performance", "plug play"], "options": ["color: gold", "size: 1tb"], "instruction_attributes": ["high performance"], "instruction_options": ["gold"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXN0YLH", "worker_id": "A1NF6PELRKACS9"}], "B085D4W8C7": [{"asin": "B085D4W8C7", "instruction": "i am looking for a wood finish posters for my living room. and i would go for 30 x 40 size", "attributes": ["ready hang", "wood finish"], "options": ["size: 30 x 40", "style name: white framed"], "instruction_attributes": ["wood finish"], "instruction_options": ["30 x 40"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0SUK11A", "worker_id": "A2COCSUGZV28X"}, {"asin": "B085D4W8C7", "instruction": "i need a bubble bath sticker that is ready to hang.", "attributes": ["ready hang", "wood finish"], "options": ["size: 24 x 30", "style name: gray framed"], "instruction_attributes": ["ready hang"], "instruction_options": ["24 x 30"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJK0BX3", "worker_id": "A19317A3X87NVM"}], "B00451W378": [{"asin": "B00451W378", "instruction": "i would like a non-dairy coffee creamer that is the cinnamon vanilla cream flavor and that comes in a pack of three 150 single servings.", "attributes": ["non dairy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: cinnamon vanilla cream", "size: box of 150 singles (pack of 3)"], "instruction_attributes": ["non dairy"], "instruction_options": ["cinnamon vanilla cream", "box of 150 singles (pack of 3)"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0WS7X0", "worker_id": "A2ECRNQ3X5LEXD"}], "B07536HD18": [{"asin": "B07536HD18", "instruction": "i'm looking for a 19\" neck 38\" sleeve classic fit dress shirts for men.", "attributes": ["machine wash", "classic fit", "relaxed fit", "button closure", "long sleeve"], "options": ["color: french blue", "size: 19\" neck 38\" sleeve"], "instruction_attributes": ["classic fit"], "instruction_options": ["19\" neck 38\" sleeve"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDTIRIF", "worker_id": "A9QRQL9CFJBI7"}], "B07BGYT1WD": [{"asin": "B07BGYT1WD", "instruction": "i need a non gmo salad topper with glazed pecans.", "attributes": ["artificial ingredients", "non gmo"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL95VV22", "worker_id": "A1NF6PELRKACS9"}], "B07DFY4Z39": [{"asin": "B07DFY4Z39", "instruction": "i want red shears that are stainless steel and are 5.5 inches long.", "attributes": ["stainless steel", "hair cutting"], "options": ["color: red", "size: 5.5 inches"], "instruction_attributes": ["stainless steel"], "instruction_options": ["red", "5.5 inches"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2TJ532", "worker_id": "A2ECRNQ3X5LEXD"}], "B08K756ZGR": [{"asin": "B08K756ZGR", "instruction": "i am looking for gold plated rca cables.", "attributes": ["power amplifier", "gold plated", "plug play", "easy use"], "options": [""], "instruction_attributes": ["gold plated"], "instruction_options": [], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBKUIGX", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08K756ZGR", "instruction": "i am looking for lightning to rca cable audio aux adapter, stereo y splitter adapter with gold plated and plug play", "attributes": ["power amplifier", "gold plated", "plug play", "easy use"], "options": [""], "instruction_attributes": ["gold plated", "plug play", "easy use"], "instruction_options": [], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GK03SP", "worker_id": "AX2EWYWZM19AZ"}], "B09NC8PLND": [{"asin": "B09NC8PLND", "instruction": "i need a loose fit blouse that is green and in an xx-large.", "attributes": ["loose fit", "long sleeve", "short sleeve", "faux fur"], "options": ["color: a-green", "size: xx-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["a-green", "xx-large"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZAXMKM", "worker_id": "A2ECRNQ3X5LEXD"}], "B0086GDPD4": [{"asin": "B0086GDPD4", "instruction": "i am looking for a 5x long sleeve casual button-down shirts for men.", "attributes": ["easy care", "button closure", "long sleeve"], "options": ["color: teal green", "size: 5x"], "instruction_attributes": ["long sleeve"], "instruction_options": ["5x"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPBJNJ0", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B0086GDPD4", "instruction": "i am looking for medium size long sleeve orange color easy care shirt", "attributes": ["easy care", "button closure", "long sleeve"], "options": ["color: orange", "size: medium"], "instruction_attributes": ["easy care", "long sleeve"], "instruction_options": ["orange", "medium"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7ZQY62", "worker_id": "A258PTOZ3D2TQR"}], "B09NMRJZYL": [{"asin": "B09NMRJZYL", "instruction": "i'm looking for a intel core i5 desktops with 32gb ram | 1tb ssd size.", "attributes": ["core i5", "intel core"], "options": ["size: 32gb ram | 1tb ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["32gb ram | 1tb ssd"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z42SQC7", "worker_id": "A9QRQL9CFJBI7"}], "B098TCLMH7": [{"asin": "B098TCLMH7", "instruction": "i want hair extensions that is easy to apply. the size should be 20 inches long.", "attributes": ["easy apply", "high quality", "hair extensions"], "options": ["color: 4h27#---#straight", "size: 20 inch#"], "instruction_attributes": ["easy apply", "hair extensions"], "instruction_options": ["20 inch#"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G71Y74W", "worker_id": "A1NF6PELRKACS9"}], "B003VTHYK6": [{"asin": "B003VTHYK6", "instruction": "i am looking for a 1000 count french vanilla coffee creamer that is non-dairy.", "attributes": ["non dairy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: french vanilla", "size: 1000 count"], "instruction_attributes": ["non dairy"], "instruction_options": ["french vanilla", "1000 count"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXKEYLP", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R6Q7XBJ": [{"asin": "B08R6Q7XBJ", "instruction": "i need stainless steel tongue cleaners to rid of bad breath.", "attributes": ["stainless steel", "bad breath", "oral hygiene"], "options": [""], "instruction_attributes": ["stainless steel", "bad breath"], "instruction_options": [], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHUZQHI", "worker_id": "A1NF6PELRKACS9"}], "B08WJ8BYXT": [{"asin": "B08WJ8BYXT", "instruction": "i would like to order a tom and jerry 4xlarge sweatshirt . the material should be royal blue polyester cotton.", "attributes": ["machine wash", "wash cold", "polyester cotton", "tumble dry"], "options": ["color: royal blue", "size: 4x-large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["royal blue", "4x-large"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ7991U", "worker_id": "AHU9OLV0YKIIW"}], "B08LPBLZD4": [{"asin": "B08LPBLZD4", "instruction": "i am looking for an 8 gb ram mini computer with 256 ssd with intel core and dual band wifi. also, pick one with a 1 tb hdd.", "attributes": ["dual band", "intel core"], "options": ["color: core i5-8250u ddr4", "size: 8gb ram 256gb ssd 1tb hdd"], "instruction_attributes": ["dual band", "intel core"], "instruction_options": ["8gb ram 256gb ssd 1tb hdd"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CKPT2U", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B08LPBLZD4", "instruction": "i need an intel core i7 desktop that has 32 gb of ram and 256 ssd.", "attributes": ["dual band", "intel core"], "options": ["color: core i7-8550u ddr4", "size: 32gb ram+256gb ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["core i7-8550u ddr4", "32gb ram+256gb ssd"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWU3DR9E", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08LPBLZD4", "instruction": "i want a baieyu mini computer with intel core i7-8550u ddr4.", "attributes": ["dual band", "intel core"], "options": ["color: core i7-8550u ddr4", "size: 8gb ram 128gb ssd 1tb hdd"], "instruction_attributes": ["intel core"], "instruction_options": ["core i7-8550u ddr4"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NM8X03C", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08LPBLZD4", "instruction": "i am looking for dual band computer windows in 16gb ram 512 ssd", "attributes": ["dual band", "intel core"], "options": ["color: core i7-8550u ddr4", "size: 16gb ram 512gb ssd"], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDT0QZA", "worker_id": "A16M39T60N60NO"}], "B09SQ68L4N": [{"asin": "B09SQ68L4N", "instruction": "i am looking for a teeth whitening toothbrush with silicone brush head. it should be in pink color.", "attributes": ["easy use", "teeth whitening"], "options": ["color: pink", "size: aged 8-12"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["pink"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGI7YI2", "worker_id": "A1NF6PELRKACS9"}], "B09J98XC79": [{"asin": "B09J98XC79", "instruction": "i need a peaky blinder season 1 poster mural which is 36x54in .should be in a wood frame and easy to hang.", "attributes": ["ready hang", "wood frame"], "options": ["color: stretched canvas", "size: poster mural 36x54 in."], "instruction_attributes": ["ready hang", "wood frame"], "instruction_options": ["poster mural 36x54 in."], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8L5FO15", "worker_id": "AHU9OLV0YKIIW"}], "B08S6X7G8B": [{"asin": "B08S6X7G8B", "instruction": "i want a tempered glass screen protector that is compatible with an apple ipad.", "attributes": ["compatible apple", "easy install", "tempered glass"], "options": [""], "instruction_attributes": ["compatible apple", "tempered glass"], "instruction_options": [], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLU7OZDD", "worker_id": "A1NF6PELRKACS9"}], "B098NB1V2X": [{"asin": "B098NB1V2X", "instruction": "i want purchase a long sleev daily wear hand wash denim short having elastic waist and colour should be blue 4", "attributes": ["hand wash", "long lasting", "wash cold", "fashion design", "long sleeve", "elastic waist", "daily wear"], "options": ["color: blue 4", "size: 33"], "instruction_attributes": ["hand wash", "long sleeve", "elastic waist", "daily wear"], "instruction_options": ["blue 4"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F2UYHOK", "worker_id": "A3N9ZYQAESNFQH"}], "B09QQK4HHH": [{"asin": "B09QQK4HHH", "instruction": "i need a 5x large tracksuit that is long sleeve and that is blue.", "attributes": ["wash cold", "slim fit", "hand wash", "polyester spandex", "long sleeve", "everyday wear", "dry clean"], "options": ["color: 3-blue", "size: 5x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["3-blue", "5x-large"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH372MES9", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LLBW8ZC": [{"asin": "B08LLBW8ZC", "instruction": "i am looking for one pack of dental picks for fresh breath that are in a citrus flavor.", "attributes": ["long lasting", "tea tree", "fresh breath", "bad breath"], "options": ["scent name: citrus", "size: 1 pack"], "instruction_attributes": ["fresh breath"], "instruction_options": ["citrus", "1 pack"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLS31CWP", "worker_id": "A2ECRNQ3X5LEXD"}], "B095P581S3": [{"asin": "B095P581S3", "instruction": "i want to find a pair of blue women's walking shoes with memory foam in a size 8.", "attributes": ["non slip", "anti slip", "memory foam", "high heel"], "options": ["color: z05-blue", "size: 8"], "instruction_attributes": ["memory foam"], "instruction_options": ["z05-blue", "8"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWRZ1RP", "worker_id": "A345TDMHP3DQ3G"}], "B09Q5XPMHB": [{"asin": "B09Q5XPMHB", "instruction": "i want faux fur slippers with arch support. choose the one that is red.", "attributes": ["day comfort", "anti slip", "open toe", "faux fur", "arch support", "quality materials", "memory foam"], "options": ["color: a-03 red", "size: 8.5"], "instruction_attributes": ["faux fur", "arch support"], "instruction_options": ["a-03 red"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN20B7YR", "worker_id": "A1NF6PELRKACS9"}], "B08NWJHZDM": [{"asin": "B08NWJHZDM", "instruction": "i am looking for a gift basket with margarita glasses and snacks.", "attributes": ["gift set", "great gift", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTRE7MK", "worker_id": "A1NF6PELRKACS9"}], "B0786DRRHQ": [{"asin": "B0786DRRHQ", "instruction": "i need hair extensions that are 16 inches long in the color 27.", "attributes": ["double sided", "hair extensions"], "options": ["color: 27#", "size: 16 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["27#", "16 inch"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJI7V2LS", "worker_id": "A2ECRNQ3X5LEXD"}], "B016OPV3GO": [{"asin": "B016OPV3GO", "instruction": "i need a soap that is for sensitive skin and that comes in a pack of two.", "attributes": ["tea tree", "natural ingredients", "sensitive skin"], "options": ["size: 5 ounce (pack of 2)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["5 ounce (pack of 2)"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH374UESL", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QCTSSMN": [{"asin": "B09QCTSSMN", "instruction": "i'm looking for a men's red button down casual shirt that is a large slim fit.", "attributes": ["loose fit", "slim fit", "short sleeve", "contrast color", "drawstring waist", "regular fit", "gym workout"], "options": ["color: red", "size: large"], "instruction_attributes": ["slim fit"], "instruction_options": ["red", "large"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2YZJIVN", "worker_id": "A2YNPKYEFDZ6C9"}], "B09RJZ5RX7": [{"asin": "B09RJZ5RX7", "instruction": "i want to find a computer speakers that have a usb port.", "attributes": ["plug play", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UHREZJ", "worker_id": "A345TDMHP3DQ3G"}], "B09NXKWB92": [{"asin": "B09NXKWB92", "instruction": "i'm looking for long lasting clack teakwood jar candles.", "attributes": ["lead free", "long lasting", "soy wax"], "options": ["color: black teakwood"], "instruction_attributes": ["long lasting"], "instruction_options": ["black teakwood"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRPRJXE", "worker_id": "A9QRQL9CFJBI7"}], "B07NGSSSJS": [{"asin": "B07NGSSSJS", "instruction": "i need some toothpaste that is flouride free and is extra whitening natural mint", "attributes": ["fluoride free", "long lasting"], "options": ["flavor name: extra whitening natural mint"], "instruction_attributes": ["fluoride free"], "instruction_options": ["extra whitening natural mint"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHKA0J8", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07NGSSSJS", "instruction": "i want to buy some fluoride free mixed berry flavored toothpaste.", "attributes": ["fluoride free", "long lasting"], "options": ["flavor name: natural mixed berry"], "instruction_attributes": ["fluoride free"], "instruction_options": ["natural mixed berry"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVQVJKS", "worker_id": "AR9AU5FY1S3RO"}], "B08DVF4LF4": [{"asin": "B08DVF4LF4", "instruction": "find me a coated steel laptop workstation desk with wood finish. it should be white.", "attributes": ["white item", "coated steel", "wood finish", "living room"], "options": [""], "instruction_attributes": ["white item", "coated steel", "wood finish"], "instruction_options": [], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6473T3H2", "worker_id": "A1NF6PELRKACS9"}], "B09PD5YDC9": [{"asin": "B09PD5YDC9", "instruction": "i'm looking for size medium men's boxer briefs with a comfortable fit. choose the multi color.", "attributes": ["comfortable fit", "elastic waistband"], "options": ["color: multi 2", "size: medium"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["multi 2", "medium"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UO6J1WX", "worker_id": "A1B1J0BQ44ZV72"}], "B08NPJ6Q94": [{"asin": "B08NPJ6Q94", "instruction": "i am looking for a 12 pack of gluten free almonds.", "attributes": ["non gmo", "gluten free", "source vitamin"], "options": ["flavor name: natural", "size: 12 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["12 pack"], "assignment_id": "36ZN444YT28UFQQ45BORC65U261OI6", "worker_id": "A9QRQL9CFJBI7"}], "B08PCJ5594": [{"asin": "B08PCJ5594", "instruction": "i am looking for a lemon scented candle made from soy wax.", "attributes": ["long lasting", "lead free", "soy wax"], "options": ["scent: lemon"], "instruction_attributes": ["soy wax"], "instruction_options": ["lemon"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OHB99D", "worker_id": "A2ECRNQ3X5LEXD"}], "B08PB8643G": [{"asin": "B08PB8643G", "instruction": "i am looking for bubble bee themed cupcake toppers for my daughter's birthday part decorations.", "attributes": ["birthday party", "baby shower"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSENUOOGV", "worker_id": "AHU9OLV0YKIIW"}], "B07SGR4RY9": [{"asin": "B07SGR4RY9", "instruction": "i am looking for a wireless bluetooth earpads.", "attributes": ["easy install", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBLHGIK", "worker_id": "A9QRQL9CFJBI7"}], "B08VVYNXYF": [{"asin": "B08VVYNXYF", "instruction": "i am looking for 4 ounce (pack of 1) quality ingredients snack foods.", "attributes": ["baked fresh", "quality ingredients"], "options": ["size: 4 ounce (pack of 1)"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["4 ounce (pack of 1)"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OB4RT4", "worker_id": "A9QRQL9CFJBI7"}], "B09P3QC6DX": [{"asin": "B09P3QC6DX", "instruction": "i'm looking for a high quality, easy to use shaving brush.", "attributes": ["easy use", "high quality", "quality materials", "hair salon"], "options": [""], "instruction_attributes": ["easy use", "high quality"], "instruction_options": [], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANAYSX1", "worker_id": "AR0VJ5XRG16UJ"}], "B0816LBYLN": [{"asin": "B0816LBYLN", "instruction": "i want yellow pumps that have a rubber sole and are in a size 12.5.", "attributes": ["long lasting", "slip resistant", "rubber outsole", "rubber sole"], "options": ["color: yellow", "size: 12.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["yellow", "12.5"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163LZPQC", "worker_id": "A2ECRNQ3X5LEXD"}], "B00267AETM": [{"asin": "B00267AETM", "instruction": "i'm looking for 8 ounce (pack of 1) oil for dry hair.", "attributes": ["cruelty free", "dry hair"], "options": ["scent: marula", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["dry hair"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8GH6QV", "worker_id": "A9QRQL9CFJBI7"}], "B08WPLJG8N": [{"asin": "B08WPLJG8N", "instruction": "i'm looking for gluten free herb.", "attributes": ["low sodium", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJG6O9F", "worker_id": "A9QRQL9CFJBI7"}], "B09Q1SBPL1": [{"asin": "B09Q1SBPL1", "instruction": "i am looking for a small short sleeves gaiters.", "attributes": ["loose fit", "quick drying", "machine washable", "long sleeve", "short sleeve", "laundry bag", "daily wear"], "options": ["color: facai-bd0579-black", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["small"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZPXJ7JG", "worker_id": "A9QRQL9CFJBI7"}], "B075CVJS1S": [{"asin": "B075CVJS1S", "instruction": "get me a perfume spray that has fine mist and is long lasting.", "attributes": ["design house", "long lasting", "fine mist"], "options": [""], "instruction_attributes": ["long lasting", "fine mist"], "instruction_options": [], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGHZCV1G", "worker_id": "A1NF6PELRKACS9"}], "B09FKYM8D7": [{"asin": "B09FKYM8D7", "instruction": "i am looking for a 84\"wx70\"h machine washable shower curtain sets with dark grey color.", "attributes": ["machine washable", "printing technology"], "options": ["color: dark grey", "size: 84\"wx70\"h"], "instruction_attributes": ["machine washable"], "instruction_options": ["dark grey", "84\"wx70\"h"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHJG0JC", "worker_id": "A9QRQL9CFJBI7"}], "B09QXFBJXL": [{"asin": "B09QXFBJXL", "instruction": "i was looking for a loose fit sweatshirt that has short sleeves and chest pocket. i really like green color.", "attributes": ["loose fit", "hand wash", "long sleeve", "drawstring waist", "elastic waist", "short sleeve"], "options": ["color: green", "size: large"], "instruction_attributes": ["loose fit", "short sleeve"], "instruction_options": ["green"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZS0NRF", "worker_id": "A1NF6PELRKACS9"}], "B09N9YQZZ3": [{"asin": "B09N9YQZZ3", "instruction": "i am looking for white pull-out organizers with nickel finish and size must be 15\" wide.", "attributes": ["nickel finish", "coated steel"], "options": ["color: white", "size: 15\" wide"], "instruction_attributes": ["nickel finish"], "instruction_options": [], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA93TA3ZS", "worker_id": "A9QRQL9CFJBI7"}], "B083R2DBPV": [{"asin": "B083R2DBPV", "instruction": "i need some gluten free and wild caught fish fillets in extra virgin olive oil. i will need a pack of 6 weighing 4.4 ounce.", "attributes": ["wild caught", "non gmo", "gluten free"], "options": ["flavor name: sardines marinara", "size: 4.4 ounce (pack of 6)"], "instruction_attributes": ["wild caught", "gluten free"], "instruction_options": ["4.4 ounce (pack of 6)"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8BK4RG", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B083R2DBPV", "instruction": "wild caught yellowtail fillets size: 4.4 ounce (pack of 12)", "attributes": ["wild caught", "non gmo", "gluten free"], "options": ["flavor name: water", "size: 4.4 ounce (pack of 12)"], "instruction_attributes": ["wild caught"], "instruction_options": ["4.4 ounce (pack of 12)"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBV2IGR", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B083R2DBPV", "instruction": "i'm looking for organic extra virgin olive oil.", "attributes": ["wild caught", "non gmo", "gluten free"], "options": ["flavor name: extra virgin olive oil", "size: 4.4 ounce (pack of 1)"], "instruction_attributes": ["wild caught"], "instruction_options": ["extra virgin olive oil", "4.4 ounce (pack of 1)"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQW2HIE", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B083R2DBPV", "instruction": "i want to find wild caught sardine fillets packed in extra virgin olive oil. the tins should be 4.4 ounces each and i want a package of 12 tins.", "attributes": ["wild caught", "non gmo", "gluten free"], "options": ["flavor name: sardines evoo", "size: 4.4 ounce (pack of 12)"], "instruction_attributes": ["wild caught"], "instruction_options": ["sardines evoo", "4.4 ounce (pack of 12)"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQF2RJ0", "worker_id": "A345TDMHP3DQ3G"}], "B09FZL19KF": [{"asin": "B09FZL19KF", "instruction": "i am looking for the perfect girft of fruit and nuts", "attributes": ["easy use", "perfect gift"], "options": [""], "instruction_attributes": ["perfect gift"], "instruction_options": [], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLU5HDZG", "worker_id": "A2ECRNQ3X5LEXD"}], "B087V4J58N": [{"asin": "B087V4J58N", "instruction": "i'm looking for a long lasting eau de toilette for women.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1ECITG", "worker_id": "A9QRQL9CFJBI7"}], "B07HHKYNX4": [{"asin": "B07HHKYNX4", "instruction": "i need gmo free sesame seeds that come in 1.8 oz.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural lentil soup masala", "size: 1.8 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["1.8 ounce (pack of 1)"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6T51MNQ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07HHKYNX4", "instruction": "i would like to get a gmo 3.1 ounce bottle of himalayan black salt with a fine grind.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: himalayan black salt fine grind", "size: 3.1 ounce (pack of 1)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3YTXJ5Q", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07HHKYNX4", "instruction": "i am looking for gmo free sesame seeds that are natural cinnamon flavor.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural cinnamon (indian) ground", "size: 2.4 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["natural cinnamon (indian) ground"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQSHB4G", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07HHKYNX4", "instruction": "i'm looking for gluten free it was contain high protein and it was healthy natural black mustard seed ground.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural black mustard seed ground", "size: 1.3 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["natural black mustard seed ground"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQDES60", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07HHKYNX4", "instruction": "i am looking for a 0.8 ounce (pack of 1) gluten free sesame seeds", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural black mustard seed ground", "size: 0.8 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["0.8 ounce (pack of 1)"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3FQ6NO", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07HHKYNX4", "instruction": "i am looking for chana masala seasoning that is gluten free", "attributes": ["gmo free", "gluten free"], "options": ["flavor: indian chat masala sesaoning spice", "size: 3.1 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["indian chat masala sesaoning spice"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPIM6VZ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07HHKYNX4", "instruction": "i need a three ounce package of ground cumin seeds that are gmo free.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural cumin seed ground", "size: 3.1 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["natural cumin seed ground", "3.1 ounce (pack of 1)"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66SNZFN", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07HHKYNX4", "instruction": "i am looking for gluten free black rock salt made by himalayan . and i choose the 2.8 ounce pack with himalayan pink salt coarse grind", "attributes": ["gmo free", "gluten free"], "options": ["flavor: himalayan pink salt coarse grind", "size: 2.8 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["himalayan pink salt coarse grind", "2.8 ounce (pack of 1)"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQAR1L2", "worker_id": "A2COCSUGZV28X"}, {"asin": "B07HHKYNX4", "instruction": "i would like a 0.15 ounce pack of natural brown mustard seeds that are gluten free.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural brown mustard seed whole", "size: 0.15 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["natural brown mustard seed whole", "0.15 ounce (pack of 1)"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG4Z45S", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07HHKYNX4", "instruction": "i'm looking for a himalayan black rock salt which is free from gmo and gluten. also, choose a pack of 1 weighting 0.8 ounce, natural turmeric minced whole.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural turmeric minced whole", "size: 0.8 ounce (pack of 1)"], "instruction_attributes": ["gmo free", "gluten free"], "instruction_options": ["natural turmeric minced whole", "0.8 ounce (pack of 1)"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXSBAWAN", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B07HHKYNX4", "instruction": "i want to buy himalayan salt which is gmo free and has natural coriander seed ground flavor, and comes in pack of 1 of 0.8 ounces.", "attributes": ["gmo free", "gluten free"], "options": ["flavor: natural coriander seed ground", "size: 0.8 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["natural coriander seed ground", "0.8 ounce (pack of 1)"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9C6N8L", "worker_id": "AJY5G987IRT25"}], "B0009XNWVC": [{"asin": "B0009XNWVC", "instruction": "i am looking for a paraben free lip gloss with vitamin e and aloe. choose the pink pearl one.", "attributes": ["paraben free", "green tea"], "options": ["color: pink pearl"], "instruction_attributes": ["paraben free"], "instruction_options": ["pink pearl"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZBBKM0", "worker_id": "A1NF6PELRKACS9"}], "B09KV4Y9J1": [{"asin": "B09KV4Y9J1", "instruction": "i am looking for a large tunic that is 2-pink and short sleeve.", "attributes": ["machine wash", "short sleeve", "dry clean"], "options": ["color: 2-pink", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["2-pink", "large"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CH6TNBY", "worker_id": "A2ECRNQ3X5LEXD"}], "B087GBBN1C": [{"asin": "B087GBBN1C", "instruction": "i looking gluten free italian ground sausage", "attributes": ["artificial ingredients", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQ78CJA", "worker_id": "A3N9ZYQAESNFQH"}], "B074FHTGJ3": [{"asin": "B074FHTGJ3", "instruction": "i'm looking for 7 count (pack of 4) low sugar, low carb, & keto friendly candy & chocolate bars.", "attributes": ["low sugar", "keto friendly", "low carb", "plant based", "lactose free", "soy free", "non gmo", "gluten free", "resealable bag"], "options": ["flavor name: keto bundle", "size: 7 count (pack of 4)"], "instruction_attributes": ["low sugar", "keto friendly", "low carb"], "instruction_options": ["7 count (pack of 4)"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VUJ1NA", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B074FHTGJ3", "instruction": "i would like a box of 12 raspberry dream non-gmo chocolate bars.", "attributes": ["low sugar", "keto friendly", "low carb", "plant based", "lactose free", "soy free", "non gmo", "gluten free", "resealable bag"], "options": ["flavor name: raspberry dream", "size: 12 count (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["raspberry dream", "12 count (pack of 1)"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTN4E57", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B074FHTGJ3", "instruction": "i would like a box of 12 raspberry dream non-gmo chocolate bars.", "attributes": ["low sugar", "keto friendly", "low carb", "plant based", "lactose free", "soy free", "non gmo", "gluten free", "resealable bag"], "options": ["flavor name: raspberry dream", "size: 12 count (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["raspberry dream", "12 count (pack of 1)"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTN4E57", "worker_id": "A1WS884SI0SLO4"}], "B086PXHMSV": [{"asin": "B086PXHMSV", "instruction": "i need some eco friendly blackout curtains. it should be 52x45 inches in size.", "attributes": ["eco friendly", "machine washable", "dining room"], "options": ["size: 52x45in"], "instruction_attributes": ["eco friendly"], "instruction_options": ["52x45in"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0SUU11K", "worker_id": "A1NF6PELRKACS9"}], "B09MMCHHYP": [{"asin": "B09MMCHHYP", "instruction": "i want a loose fit, long sleeved flannel shirt. i am xx-large in size.", "attributes": ["loose fit", "machine wash", "long sleeve", "short sleeve", "teen girls", "daily wear"], "options": ["color: wine", "size: xx-large"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7ZX9GX6", "worker_id": "A1NF6PELRKACS9"}], "B07FD3Z753": [{"asin": "B07FD3Z753", "instruction": "i'd like to find a king-sized faux lather platform bed in the camel color.", "attributes": ["button tufted", "queen size", "white item", "faux leather", "metal legs"], "options": ["color: camel", "size: king", "style: bed"], "instruction_attributes": ["faux leather"], "instruction_options": ["camel", "king", "bed"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227958FW", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07FD3Z753", "instruction": "i would like a king sized camel bed with metal legs.", "attributes": ["button tufted", "queen size", "white item", "faux leather", "metal legs"], "options": ["color: camel", "size: king", "style: bed"], "instruction_attributes": ["metal legs"], "instruction_options": ["camel", "king", "bed"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8GDR5O", "worker_id": "A1WS884SI0SLO4"}], "B07JFCQ32Z": [{"asin": "B07JFCQ32Z", "instruction": "i'm looking for a rubber plastic light weight 11colorful map case cover for (a1502 | a1425) macbook pro 13\" retina", "attributes": ["light weight", "case cover"], "options": ["color: 11colorful map", "size: (a1502 | a1425) macbook pro 13\" retina"], "instruction_attributes": ["light weight", "case cover"], "instruction_options": ["11colorful map", "(a1502 | a1425) macbook pro 13\" retina"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ6Q191", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07JFCQ32Z", "instruction": "i need a light weight case cover compatible with macbook air in size a1706, a1708, a1989, a2159, mac pro 13\"2019|18. the color should be 11creative lamp.", "attributes": ["light weight", "case cover"], "options": ["color: 11creative lamp", "size: a1706 | a1708 | a1989 | a2159 mac pro 13\"2019 | 18"], "instruction_attributes": ["light weight", "case cover"], "instruction_options": ["11creative lamp", "a1706 | a1708 | a1989 | a2159 mac pro 13\"2019 | 18"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJSTBXC", "worker_id": "ASWFLI3N8X72G"}, {"asin": "B07JFCQ32Z", "instruction": "i would like a a1706 good night giraffe light weight case for my laptop.", "attributes": ["light weight", "case cover"], "options": ["color: 24 good night giraffe", "size: a1706 | a1708 | a1989 | a2159 mac pro 13\"2019 | 18"], "instruction_attributes": ["light weight"], "instruction_options": ["24 good night giraffe", "a1706 | a1708 | a1989 | a2159 mac pro 13\"2019 | 18"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68IHA4L", "worker_id": "A1WS884SI0SLO4"}], "B09P1CF764": [{"asin": "B09P1CF764", "instruction": "i need an easy use cocktail smoker kit for infusing cocktail, whiskey, wine, meat and salad", "attributes": ["easy use", "great gift"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3RPU1A", "worker_id": "A258PTOZ3D2TQR"}], "B09PH817FC": [{"asin": "B09PH817FC", "instruction": "i want a solid wood cupboard with a modern design. pick a white one.", "attributes": ["wall mounted", "white finish", "solid wood"], "options": [""], "instruction_attributes": ["white finish", "solid wood"], "instruction_options": [], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQ5JVKQ", "worker_id": "A1NF6PELRKACS9"}], "B09ST7RWVK": [{"asin": "B09ST7RWVK", "instruction": "i am looking for a hair growth treatment in the color 3pc.", "attributes": ["hair loss", "hair growth"], "options": ["color: 3pc"], "instruction_attributes": ["hair growth"], "instruction_options": ["3pc"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCGOMB2", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FY4NJ3J": [{"asin": "B09FY4NJ3J", "instruction": "can i get a hair salon spa beauty trolley which is easy to clean and of high quality?", "attributes": ["easy use", "high quality", "easy clean", "hair salon", "beauty salon", "damaged hair"], "options": ["color: j"], "instruction_attributes": ["high quality", "easy clean", "hair salon"], "instruction_options": [], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TMJPMA", "worker_id": "AHU9OLV0YKIIW"}], "B08QVQ84FB": [{"asin": "B08QVQ84FB", "instruction": "i need some wall mounted mirrors for the living room.", "attributes": ["wall mounted", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WPMF73", "worker_id": "A2ECRNQ3X5LEXD"}], "B01N97KZLN": [{"asin": "B01N97KZLN", "instruction": "i am looking for a comfertable fit 34w*331 jeans colour should be acron", "attributes": ["long lasting", "comfortable fit"], "options": ["color: acorn", "fit type: relaxed", "size: 34w x 33l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["acorn", "34w x 33l"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8H9Q69", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B01N97KZLN", "instruction": "i'm looking for mens jeans that are slim but comfortable fitting, size 33w and 44l.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: woodburn", "fit type: slim", "size: 33w x 44l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["slim", "33w x 44l"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGUWTWU", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B01N97KZLN", "instruction": "i need slim fitting comfortable jeans that are woodburn color and in a size 31w by 40l.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: woodburn", "fit type: slim", "size: 31w x 40l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["woodburn", "slim", "31w x 40l"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06H7XKD", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01N97KZLN", "instruction": "i am looking for rigid indigo comfortable fit men's wrangler jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: rigid indigo", "fit type: regular", "size: 44w x 38l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["rigid indigo"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW4NS8X", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01N97KZLN", "instruction": "i am looking for big and tall wrangler cowboy cut, comfortable fit original jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: blue | worn in", "fit type: big & tall", "size: 31w x 29l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["big & tall"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL8417MAXO", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01N97KZLN", "instruction": "i'm looking for mens jeans that are slim but comfortable fitting, size 33w and 44l.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: woodburn", "fit type: slim", "size: 33w x 44l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["slim", "33w x 44l"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGUWTWU", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B01N97KZLN", "instruction": "i would like a pair of 44w x 30l slim fit lavon jeans that are long lasting.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: lavon", "fit type: slim", "size: 44w x 30l"], "instruction_attributes": ["long lasting"], "instruction_options": ["lavon", "slim", "44w x 30l"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q730H9A", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01N97KZLN", "instruction": "looking for slim comfortable fit mens jean also choose colour black chocolate", "attributes": ["long lasting", "comfortable fit"], "options": ["color: black chocolate", "fit type: slim", "size: 35w x 36l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["black chocolate", "slim"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95UVXQF", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B01N97KZLN", "instruction": "i am looking for wrangler mens 13mwz cowboy cut , comfortable fit (big & tall ) jean with size 30w x36i", "attributes": ["long lasting", "comfortable fit"], "options": ["color: prewashed indigo", "fit type: big & tall", "size: 30w x 36l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["big & tall", "30w x 36l"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPLUYSP", "worker_id": "AX2EWYWZM19AZ"}], "B094CXMSB6": [{"asin": "B094CXMSB6", "instruction": "i'm looking for a 1 pack of paraben free deodorant.", "attributes": ["paraben free", "cruelty free"], "options": ["size: 1 pack", "style: difference is night and day"], "instruction_attributes": ["paraben free"], "instruction_options": ["1 pack"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XJZNGT", "worker_id": "A9QRQL9CFJBI7"}], "B07GVB34N6": [{"asin": "B07GVB34N6", "instruction": "i am looking for 22\u201dx 22 double sided throw pillow cases for my living room. choose multi 02 color.", "attributes": ["double sided", "living room"], "options": ["color: multi 02", "size: 22\"x22\""], "instruction_attributes": ["double sided", "living room"], "instruction_options": ["multi 02", "22\"x22\""], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI33XDBE", "worker_id": "AHU9OLV0YKIIW"}], "B09DLB7W2D": [{"asin": "B09DLB7W2D", "instruction": "i need gold cupcake toppers for a birthday party.", "attributes": ["birthday party", "party supplies"], "options": ["color: gold"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOBBYD8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PYV6B4B": [{"asin": "B09PYV6B4B", "instruction": "i am looking for a silver quad core tablets.", "attributes": ["long lasting", "quad core"], "options": ["color: silver"], "instruction_attributes": ["quad core"], "instruction_options": ["silver"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZQWZJ0", "worker_id": "A9QRQL9CFJBI7"}], "B07G7G5C4V": [{"asin": "B07G7G5C4V", "instruction": "i want some non gmo organic tomato powder. i will need a 1 pound packet.", "attributes": ["non gmo", "source vitamin"], "options": ["size: 1 pound (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKDEVPC", "worker_id": "A1NF6PELRKACS9"}], "B07GRT6GPS": [{"asin": "B07GRT6GPS", "instruction": "i am looking for peach coloured zebra roller blinds for my living room which are easy to install and should be w57xh55(inch) in size.", "attributes": ["easy install", "living room"], "options": ["color: 03.peach", "size: w57 x h55 (inch)"], "instruction_attributes": ["living room"], "instruction_options": ["03.peach", "w57 x h55 (inch)"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB688L4AZ", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B07GRT6GPS", "instruction": "i need foiresoft basic, white color, w 28 x h 55 inch zebra roller blinds", "attributes": ["easy install", "living room"], "options": ["color: 01.white", "size: w58 1 | 4 x h55 (inch)"], "instruction_attributes": ["easy install"], "instruction_options": ["01.white"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFEGVL3", "worker_id": "A1IL2K0ELYI090"}], "B09NY92KRC": [{"asin": "B09NY92KRC", "instruction": "i need long lasting tooth paste with natural ingredients to remove bad breath, pick a tooth whitening one.", "attributes": ["teeth whitening", "long lasting", "natural ingredients", "fresh breath", "bad breath"], "options": ["color: tooth whitening"], "instruction_attributes": ["long lasting", "natural ingredients", "bad breath"], "instruction_options": ["tooth whitening"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJFGMOF", "worker_id": "A1NF6PELRKACS9"}], "B07Y2JQP93": [{"asin": "B07Y2JQP93", "instruction": "i am looking for whitening face sheet mask which is dermatologically tested and alcohol free with natural ingredients .which is suitable for all skin types procure rosacare soothing sheet face mask pack of 1 gel preferable.", "attributes": ["hyaluronic acid", "coconut oil", "natural ingredients"], "options": ["style: gel 1 pack"], "instruction_attributes": ["hyaluronic acid", "coconut oil", "natural ingredients"], "instruction_options": ["gel 1 pack"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTRXOA0A", "worker_id": "A1DRKZ3SCLAS4V"}], "B078Z151Y6": [{"asin": "B078Z151Y6", "instruction": "i want a solid wood platform bed with box spring. pick one in dark brown.", "attributes": ["box spring", "wood frame", "solid wood"], "options": ["color: dark brown", "pattern name: platform bed + 12 inch mattress", "size: twin", "style: deluxe"], "instruction_attributes": ["box spring", "solid wood"], "instruction_options": ["dark brown"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2VYYU2O", "worker_id": "A1NF6PELRKACS9"}], "B09MHKJHLB": [{"asin": "B09MHKJHLB", "instruction": "i need a winter warm hoodie with long sleeves. it should be white in color.", "attributes": ["winter warm", "long sleeve", "faux fur", "teen girls"], "options": ["color: white", "size: 3x-large"], "instruction_attributes": ["winter warm", "long sleeve"], "instruction_options": ["white"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98L2KY3", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09MHKJHLB", "instruction": "looking for a fleece hoodie oversized size x-large long sleeve for teen girls womens in brown", "attributes": ["winter warm", "long sleeve", "faux fur", "teen girls"], "options": ["color: brown-e", "size: x-large"], "instruction_attributes": ["long sleeve", "teen girls"], "instruction_options": ["brown-e", "x-large"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTKUO6A", "worker_id": "A2Y2TURT2VEYZN"}], "B08N424KPN": [{"asin": "B08N424KPN", "instruction": "i want to buy a birthday cake topper.", "attributes": ["ready use", "birthday cake", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ805T1QK", "worker_id": "A2YNPKYEFDZ6C9"}], "B082L5GRHS": [{"asin": "B082L5GRHS", "instruction": "i'm looking for a flat black vanity light that comes with glass shades.", "attributes": ["vanity light", "glass shade"], "options": ["color: flat black", "size: 1-light"], "instruction_attributes": ["vanity light", "glass shade"], "instruction_options": ["flat black", "1-light"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M45JL86", "worker_id": "A345TDMHP3DQ3G"}], "B082934G44": [{"asin": "B082934G44", "instruction": "i need a pink toddler bed that is height adjustable and is in the size 180x76-96 cm.", "attributes": ["height adjustable", "steel frame"], "options": ["color: pink", "size: 180x76-96cm"], "instruction_attributes": ["height adjustable"], "instruction_options": ["pink", "180x76-96cm"], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLI1CIK1", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B082934G44", "instruction": "i'd like to find a pink crib safety barrier that features a steel frame.", "attributes": ["height adjustable", "steel frame"], "options": ["color: pink", "size: 180x76-96cm"], "instruction_attributes": ["steel frame"], "instruction_options": ["pink"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0Y8I961", "worker_id": "A345TDMHP3DQ3G"}], "B088219FP7": [{"asin": "B088219FP7", "instruction": "i'm looking for 3-wall vanity light.", "attributes": ["nickel finish", "vanity light"], "options": ["color: brushed polished nickel", "size: 3-light"], "instruction_attributes": ["vanity light"], "instruction_options": ["3-light"], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8HTQQC", "worker_id": "A9QRQL9CFJBI7"}], "B07HHMNFP1": [{"asin": "B07HHMNFP1", "instruction": "i need 1 pack of gluten free natural fennel seed ground that has natural garlic minced whole", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: natural garlic minced whole", "size: 0.4 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["0.4 ounce (pack of 1)"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYVT4JT", "worker_id": "A2COCSUGZV28X"}, {"asin": "B07HHMNFP1", "instruction": "i need a 1.9 oz jar of ground mustard seed that is gmo free.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: natural yellow mustard seed ground", "size: 1.9 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["natural yellow mustard seed ground", "1.9 ounce (pack of 1)"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWSVT56", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07HHMNFP1", "instruction": "i would like to get some gmo free 3.1 ounce himalayan pink salt with a coarse grind.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: himalayan pink salt coarse grind", "size: 3.1 ounce (pack of 1)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9IW61S7", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07HHMNFP1", "instruction": "i want a 0.15 ounce bottle of gmo free himalayan pink salt with a medium grind.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: himalayan pink salt medium grind", "size: 0.15 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["himalayan pink salt medium grind", "0.15 ounce (pack of 1)"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LEU5IM", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07HHMNFP1", "instruction": "i am looking for gluten free organic bean chili rajma indian seasoning spice that is gmo free.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: organic bean chili rajma seasoning", "size: 1 ounce (pack of 1)"], "instruction_attributes": ["gmo free", "gluten free"], "instruction_options": ["organic bean chili rajma seasoning"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLVSOZDK", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07HHMNFP1", "instruction": "i am looking for a gluten free fennel seed with no gmo. also choose natural mint leaf whole flavor and 2.4 ounce (pack of 1) size.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: natural mint leaf whole", "size: 2.4 ounce (pack of 1)"], "instruction_attributes": ["gmo free", "gluten free"], "instruction_options": ["natural mint leaf whole"], "assignment_id": "3AAJC4I4FR2295OHP2K845RY0C1ZJE", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B07HHMNFP1", "instruction": "i'm looking for a ground natural fennel seed which is free from bpa, gmo, fat and gluten. also choose a pack of 1 weighting 2.8 ounce with natural kebab seasoning one.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: natural chicken kebab seasoning", "size: 2.8 ounce (pack of 1)"], "instruction_attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "instruction_options": ["natural chicken kebab seasoning", "2.8 ounce (pack of 1)"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCD38MBX", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B07HHMNFP1", "instruction": "i would like a 1.7 ounce bottle of natural curry leaf spice that is gmo free.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: natural curry leaf powder ground", "size: 1.7 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["natural curry leaf powder ground", "1.7 ounce (pack of 1)"], "assignment_id": "3HPZF4IVNX3FW186JO133U513LLCYS", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07HHMNFP1", "instruction": "i am interested in buying ground seeds which are gmo free, and fat free which have himalayan pink salt fine grind flavor and are in pack of 1 of 2.6 ounce.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: himalayan pink salt fine grind", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["gmo free", "fat free"], "instruction_options": ["himalayan pink salt fine grind", "2.6 ounce (pack of 1)"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF7WLDE", "worker_id": "AJY5G987IRT25"}, {"asin": "B07HHMNFP1", "instruction": "i want a 2.6 ounce bottle of himalayan pink salt of a medium grind that is gmo free.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: himalayan pink salt medium grind", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["himalayan pink salt medium grind", "2.6 ounce (pack of 1)"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFF6LVL", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07HHMNFP1", "instruction": "i would like sesame seeds that are gluten free and ginger flavored as well as being .8 oz", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: natural ginger minced whole", "size: 0.8 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["natural ginger minced whole"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP7AD6R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07HHMNFP1", "instruction": "i am interested in gmo free sesame seeds that have indian rock sugar and are 2.8 ounces", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: indian rock sugar whole", "size: 2.8 ounce (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["indian rock sugar whole", "2.8 ounce (pack of 1)"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMOTW9Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JCLQ293": [{"asin": "B09JCLQ293", "instruction": "i need a large log sleeve sweatshirt for daily use. i would prefer z08 red color", "attributes": ["machine wash", "long sleeve", "short sleeve", "button closure", "everyday wear", "gym workout", "daily wear"], "options": ["color: z08 red", "size: large"], "instruction_attributes": ["long sleeve", "daily wear"], "instruction_options": ["z08 red", "large"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YQQ3QZ", "worker_id": "A2COCSUGZV28X"}], "B09BJDLWDW": [{"asin": "B09BJDLWDW", "instruction": "i want to buy a bed frame that requires assembly and is white and full size.", "attributes": ["assembly required", "wood frame", "box spring"], "options": ["color: white (storage)", "size: full"], "instruction_attributes": ["assembly required"], "instruction_options": ["white (storage)", "full"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OOAM3A", "worker_id": "A2YNPKYEFDZ6C9"}], "B0876Z82WY": [{"asin": "B0876Z82WY", "instruction": "i want to get a dye kit for my hair.", "attributes": ["hair dye", "hair styling", "hair salon"], "options": [""], "instruction_attributes": ["hair dye"], "instruction_options": [], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHUTKLAB", "worker_id": "A345TDMHP3DQ3G"}], "B09SD1SDDM": [{"asin": "B09SD1SDDM", "instruction": "help me purchase a blue men's shorts that is machine washable and its size is 38.", "attributes": ["machine washable", "wash cold", "everyday wear", "dry clean", "tumble dry"], "options": ["color: blue", "size: 38"], "instruction_attributes": ["machine washable"], "instruction_options": ["blue", "38"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFE2E93", "worker_id": "A1HMZJ59OPLD1P"}], "B07SXSTQ6Y": [{"asin": "B07SXSTQ6Y", "instruction": "i need some area rugs for the living room that are ivory and grey that are 2'3\" by 12'/", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: ivory | grey", "size: 2'3\" x 12'"], "instruction_attributes": ["living room"], "instruction_options": ["ivory | grey", "2'3\" x 12'"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6C550VD", "worker_id": "A2ECRNQ3X5LEXD"}], "B096XLV4BH": [{"asin": "B096XLV4BH", "instruction": "i want to find a small, sky-blue summer dress that i can wear every day.", "attributes": ["daily casual", "loose fit", "comfortable fit", "elastic waist", "short sleeve"], "options": ["color: e-1 sky blue", "size: small"], "instruction_attributes": ["daily casual"], "instruction_options": ["e-1 sky blue", "small"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTIWTKX", "worker_id": "A345TDMHP3DQ3G"}], "B09JZ58VGS": [{"asin": "B09JZ58VGS", "instruction": "i am trying wallscone light fixture i can use as a reading light in my living room. pick out one that is amber colored.", "attributes": ["glass shade", "light fixture", "living room"], "options": ["color: amber"], "instruction_attributes": ["light fixture", "living room"], "instruction_options": [], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZL240Z", "worker_id": "A31PW970Z2PC5P"}], "B09QRXFB5Z": [{"asin": "B09QRXFB5Z", "instruction": "i am looking for a white classic fit tanks & camis for girl.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: women", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["white"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7Q86YA", "worker_id": "A9QRQL9CFJBI7"}], "B0872HMTXX": [{"asin": "B0872HMTXX", "instruction": "i need a sofa made of solid wood with memory foam. it should be graphite oxford weave in color.", "attributes": ["mid century", "high density", "memory foam", "solid wood", "wood frame"], "options": ["color: graphite oxford weave", "size: sofa"], "instruction_attributes": ["memory foam", "solid wood"], "instruction_options": ["graphite oxford weave"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OICU299", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B0872HMTXX", "instruction": "i am looking for a mid century chair that is a sectional loveseat and is a peppercorn linen weave color.", "attributes": ["mid century", "high density", "memory foam", "solid wood", "wood frame"], "options": ["color: peppercorn linen weave", "size: sectional loveseat"], "instruction_attributes": ["mid century"], "instruction_options": ["peppercorn linen weave", "sectional loveseat"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIJA48I", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SP144VQ": [{"asin": "B09SP144VQ", "instruction": "i am looking for a type a color of binoculars and comes with high power.", "attributes": ["high power", "bird watching"], "options": ["color: type a"], "instruction_attributes": ["high power"], "instruction_options": ["type a"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCZKD0C", "worker_id": "A9QRQL9CFJBI7"}], "B098NRQHJ6": [{"asin": "B098NRQHJ6", "instruction": "i want a twin sized bunk bed with storage space. pick a white one with slide.", "attributes": ["twin size", "white item", "assembly required", "easy assemble", "storage space"], "options": ["color: white with slide", "size: twin over pull out bunk bed"], "instruction_attributes": ["twin size", "white item", "storage space"], "instruction_options": ["white with slide"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYO9PTAB", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B098NRQHJ6", "instruction": "i am looking for twin size twin over pull out bunk bed with trundle and drawers, also grey color with slide", "attributes": ["twin size", "white item", "assembly required", "easy assemble", "storage space"], "options": ["color: grey with slide", "size: twin over pull out bunk bed"], "instruction_attributes": ["twin size"], "instruction_options": ["grey with slide", "twin over pull out bunk bed"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR7KA0Q", "worker_id": "A258PTOZ3D2TQR"}], "B0987MNFM6": [{"asin": "B0987MNFM6", "instruction": "i want easy apply nail tips. i am looking for this particular color called l6041-1", "attributes": ["easy apply", "nail art"], "options": ["color: l6041-1"], "instruction_attributes": ["easy apply"], "instruction_options": ["l6041-1"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7ZYRGXQ", "worker_id": "A1NF6PELRKACS9"}], "B08P4CV11L": [{"asin": "B08P4CV11L", "instruction": "i need a 32 gb usb flash drive that is a pistol color.", "attributes": ["light weight", "plug play", "high speed"], "options": ["color: pistol a", "size: 32gb"], "instruction_attributes": ["high speed"], "instruction_options": ["pistol a", "32gb"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69FGP84", "worker_id": "A2ECRNQ3X5LEXD"}], "B083QQ6M99": [{"asin": "B083QQ6M99", "instruction": "i'm looking for cruelty free tan concealers & neutralizers.", "attributes": ["cruelty free", "fine lines"], "options": ["color: tan"], "instruction_attributes": ["cruelty free"], "instruction_options": ["tan"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4T5NK20", "worker_id": "A9QRQL9CFJBI7"}], "B08GSR75ZG": [{"asin": "B08GSR75ZG", "instruction": "i am looking for large causal top for women's with long sleeve and elastic closure with keep comfortable and fashionable in red tie-dye color of longyuan 2022 women's.", "attributes": ["elastic closure", "long sleeve"], "options": ["color: red tie-dye", "size: large"], "instruction_attributes": ["elastic closure", "long sleeve"], "instruction_options": ["red tie-dye", "large"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGU49RM6", "worker_id": "A1DRKZ3SCLAS4V"}], "B084SZZP4J": [{"asin": "B084SZZP4J", "instruction": "i need a travel size and easy use denture storage box with mirror", "attributes": ["heavy duty", "travel size", "easy use"], "options": [""], "instruction_attributes": ["travel size", "easy use"], "instruction_options": [], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2VXDU21", "worker_id": "A258PTOZ3D2TQR"}], "B093YSCJDM": [{"asin": "B093YSCJDM", "instruction": "i am looking for travel laundry bag for underwear ,bra lingeries", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7PACUE", "worker_id": "A3N9ZYQAESNFQH"}], "B08VGJ6XW8": [{"asin": "B08VGJ6XW8", "instruction": "i'm looking for machine washable twin size electric blanket.", "attributes": ["twin size", "machine washable"], "options": ["size: twin"], "instruction_attributes": ["twin size", "machine washable"], "instruction_options": ["twin"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7AKN5A", "worker_id": "A9QRQL9CFJBI7"}], "B09NKLMWL6": [{"asin": "B09NKLMWL6", "instruction": "i'm looking for a daily wear, long sleeve with high waist night gown. also, choose medium sixe red colored one.", "attributes": ["long sleeve", "high waist", "daily wear"], "options": ["color: red", "size: medium"], "instruction_attributes": ["long sleeve", "high waist", "daily wear"], "instruction_options": ["red", "medium"], "assignment_id": "3X0H8UUITCYRED22199FX2O3E8SSW8", "worker_id": "AR0VJ5XRG16UJ"}], "B08R7MQ6BH": [{"asin": "B08R7MQ6BH", "instruction": "i need glass bottles which are leak proof. pick a pack of 40.", "attributes": ["leak proof", "travel bottles"], "options": [""], "instruction_attributes": ["leak proof", "travel bottles"], "instruction_options": [], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNQF8HV", "worker_id": "A1NF6PELRKACS9"}], "B09CFXLLWM": [{"asin": "B09CFXLLWM", "instruction": "i am looking for jungle powders freeze dried watermelon powder 3.5oz and also 5oz with gmo free", "attributes": ["freeze dried", "gmo free", "easy use"], "options": ["flavor name: apricot", "size: 5oz"], "instruction_attributes": ["gmo free"], "instruction_options": ["5oz"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZC37CT", "worker_id": "AX2EWYWZM19AZ"}], "B07S5Q2Y3B": [{"asin": "B07S5Q2Y3B", "instruction": "i am looking for a certified organic body butters moisturizers for dry skin.", "attributes": ["certified organic", "anti aging", "fine lines", "dry skin"], "options": [""], "instruction_attributes": ["certified organic", "dry skin"], "instruction_options": [], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR025TMKAE", "worker_id": "A9QRQL9CFJBI7"}], "B007JV7EUM": [{"asin": "B007JV7EUM", "instruction": "i'm looking for 1600 watt high power bass surround stereo sound component subwoffers.", "attributes": ["high power", "stereo sound"], "options": ["speakers maximum output power: 1600 watts", "vehicle speaker size: 6.5 in", "voice coil: 2-inch single voice coil 4-ohm"], "instruction_attributes": ["high power", "stereo sound"], "instruction_options": ["1600 watts"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EAZZS2O", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B007JV7EUM", "instruction": "i would like a 15 inch 600 watt speaker with a 2 inch dual voice coil in stereo sound.", "attributes": ["high power", "stereo sound"], "options": ["speakers maximum output power: 600 watts", "vehicle speaker size: 15-inch", "voice coil: 2-inch dual voice coil 4-ohm"], "instruction_attributes": ["stereo sound"], "instruction_options": ["600 watts", "15-inch", "2-inch dual voice coil 4-ohm"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRURJXO", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B007JV7EUM", "instruction": "i am looking for a high powered 12 inch car subwoofer system.", "attributes": ["high power", "stereo sound"], "options": ["speakers maximum output power: 1600 watts", "vehicle speaker size: 12-inch", "voice coil: 2.5-inch single voice coil 4-ohm"], "instruction_attributes": ["high power"], "instruction_options": ["12-inch"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CA7V0K", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B007JV7EUM", "instruction": "i would like a 15 inch 600 watt speaker with a 2 inch dual voice coil in stereo sound.", "attributes": ["high power", "stereo sound"], "options": ["speakers maximum output power: 600 watts", "vehicle speaker size: 15-inch", "voice coil: 2-inch dual voice coil 4-ohm"], "instruction_attributes": ["stereo sound"], "instruction_options": ["600 watts", "15-inch", "2-inch dual voice coil 4-ohm"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRURJXO", "worker_id": "A1WS884SI0SLO4"}], "B09FDPV25C": [{"asin": "B09FDPV25C", "instruction": "i need a i-blue color sleeved pullover sweater of 5x-large size. and it should be machine washable", "attributes": ["easy care", "daily casual", "hand wash", "machine wash", "dry clean"], "options": ["color: i-blue", "size: 5x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["i-blue", "5x-large"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGHYPV1R", "worker_id": "A2COCSUGZV28X"}], "B08TVTGM12": [{"asin": "B08TVTGM12", "instruction": "i need a high gloss wall plate cover. pick a single toggle one.", "attributes": ["heavy duty", "high gloss"], "options": ["style: single toggle"], "instruction_attributes": ["high gloss"], "instruction_options": ["single toggle"], "assignment_id": "351SEKWQSBRP7CP60H83T50CF3JMDW", "worker_id": "A1NF6PELRKACS9"}], "B08QJLH4J5": [{"asin": "B08QJLH4J5", "instruction": "i am looking for a wireless bluetooth speaker bundle. look for black color, please.", "attributes": ["wireless bluetooth", "stereo sound"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC5YNRK8", "worker_id": "A1NF6PELRKACS9"}], "B09PYRDRR8": [{"asin": "B09PYRDRR8", "instruction": "i'm looking for leather sole black color loafers pumps for women high chunky heels, size 8.", "attributes": ["leather sole", "rubber sole"], "options": ["color: black", "size: 8"], "instruction_attributes": ["leather sole"], "instruction_options": ["black", "8"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3MKZ97", "worker_id": "A258PTOZ3D2TQR"}], "B09QPRTV1M": [{"asin": "B09QPRTV1M", "instruction": "i need straight leg and fleece lined chef pants. it should be gray in color.", "attributes": ["straight leg", "loose fit", "water resistant", "fleece lined", "quality polyester", "gym workout"], "options": ["color: gray", "size: xx-large"], "instruction_attributes": ["straight leg", "fleece lined"], "instruction_options": ["gray"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RSK7W1", "worker_id": "A1NF6PELRKACS9"}], "B08V5JQV3W": [{"asin": "B08V5JQV3W", "instruction": "i'm looking for wireless bluetooth clock radios. also, choose the grey one.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: gray"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["gray"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSA362H", "worker_id": "A9QRQL9CFJBI7"}], "B08J98S99V": [{"asin": "B08J98S99V", "instruction": "i need an 27 piece set of lip glosses that are fragrance free.", "attributes": ["oil free", "fragrance free"], "options": ["size: 27 piece set"], "instruction_attributes": ["fragrance free"], "instruction_options": ["27 piece set"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4BW98R", "worker_id": "A2ECRNQ3X5LEXD"}], "B00HUCGPNC": [{"asin": "B00HUCGPNC", "instruction": "i'm looking for a 12-ounce package of blueberry harvest granola clusters that are gluten free and high in protein.", "attributes": ["gluten free", "non gmo", "usda organic", "high protein"], "options": ["flavor name: blueberry harvest", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["gluten free", "high protein"], "instruction_options": ["blueberry harvest", "12 ounce (pack of 1)"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNFWFDL3", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B00HUCGPNC", "instruction": "i need a non gmo and usda organic granola cereal. i like the honey nuts and cinnamon flavor.", "attributes": ["gluten free", "non gmo", "usda organic", "high protein"], "options": ["flavor name: honey nuts and cinnamon", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["non gmo", "usda organic"], "instruction_options": ["honey nuts and cinnamon"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBENOKZS", "worker_id": "A1NF6PELRKACS9"}], "B0924DW7YM": [{"asin": "B0924DW7YM", "instruction": "i am looking storage basket for living room having steel frame and can clean easily at large size", "attributes": ["spot clean", "easy clean", "steel frame", "living room"], "options": ["size: l"], "instruction_attributes": ["easy clean", "steel frame", "living room"], "instruction_options": ["l"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAI8QFVU", "worker_id": "A3N9ZYQAESNFQH"}], "B098DS4CJK": [{"asin": "B098DS4CJK", "instruction": "i am looking for high quality full lace black hair wigs for men suffering from hair loss. it should be \u201c7x9\u201d 120% light medium density.", "attributes": ["high quality", "hair loss"], "options": ["color: 630# light brown with 30% gray", "size: 7''x9''120% light medium density"], "instruction_attributes": ["high quality", "hair loss"], "instruction_options": ["7''x9''120% light medium density"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A67BVES", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B098DS4CJK", "instruction": "i am looking for a high quality toupee 120 light medium density 6x8.", "attributes": ["high quality", "hair loss"], "options": ["color: 1b90# natural black with 90% gray", "size: 6''x8' 120%light medium density"], "instruction_attributes": ["high quality"], "instruction_options": ["6''x8' 120%light medium density"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VUTYWZ", "worker_id": "A2KW17G25L25R8"}, {"asin": "B098DS4CJK", "instruction": "i am looking for a high quality lhc full french lace mens toupee european virgin human hair bleached knots hair systen, also color is 720# very light brown with 20% gray", "attributes": ["high quality", "hair loss"], "options": ["color: 720# very light brown with 20% gray", "size: 7''x9''120% light medium density"], "instruction_attributes": ["high quality"], "instruction_options": ["720# very light brown with 20% gray"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOYXONA", "worker_id": "A3RBCGB309WPOC"}, {"asin": "B098DS4CJK", "instruction": "i'm looking for a 7''x9''100%light medium density hair extension with high quality and its color should be 240# darkest brown with 40% gray.", "attributes": ["high quality", "hair loss"], "options": ["color: 240# darkest brown with 40% gray", "size: 7''x9''100%light medium density"], "instruction_attributes": ["high quality"], "instruction_options": ["7''x9''100%light medium density"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0K9HLJG", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B098DS4CJK", "instruction": "i am looking for a high quality hair piece that is medium brown", "attributes": ["high quality", "hair loss"], "options": ["color: 440 medium brown with 40% gray", "size: 6''x9''120% light medium density"], "instruction_attributes": ["high quality"], "instruction_options": ["440 medium brown with 40% gray"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA74CMHN", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B098DS4CJK", "instruction": "you will find this men's wig brand lhc, virgin human hair 550# medium light brown with 50% gray, high quality", "attributes": ["high quality", "hair loss"], "options": ["color: 550# medium light brown with 50% gray", "size: 7''x9''110%light medium density"], "instruction_attributes": ["high quality"], "instruction_options": ["550# medium light brown with 50% gray"], "assignment_id": "3N8OEVH1F204BC17361WW31GEQ7OOU", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B098DS4CJK", "instruction": "i am looking for a 7''x10''100%light density high quality hairpieces", "attributes": ["high quality", "hair loss"], "options": ["color: 365# dark brown with 65% gray", "size: 7''x10''100%light density"], "instruction_attributes": ["high quality"], "instruction_options": ["7''x10''100%light density"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7Q33IA", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B098DS4CJK", "instruction": "i want dark brown and high quality full french lace mens toupee.", "attributes": ["high quality", "hair loss"], "options": ["color: 2# darkest brown", "size: 7''x9''100% light medium density"], "instruction_attributes": ["high quality"], "instruction_options": ["2# darkest brown"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWOL6W0", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B098DS4CJK", "instruction": "i would like a high quality hair piece that is medium brown.", "attributes": ["high quality", "hair loss"], "options": ["color: 450# medium brown with 50% gray", "size: 7''x9''80%light density"], "instruction_attributes": ["high quality"], "instruction_options": ["450# medium brown with 50% gray"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBRNF0", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HWT771K": [{"asin": "B08HWT771K", "instruction": "i am looking for a silver galaxy watch 3 45mm sm r840 women bands which is easy to install and stainless steel.", "attributes": ["easy install", "quick release", "stainless steel"], "options": ["color: silver"], "instruction_attributes": ["easy install", "stainless steel"], "instruction_options": ["silver"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6C92BV", "worker_id": "AHU9OLV0YKIIW"}], "B01IH8KHMW": [{"asin": "B01IH8KHMW", "instruction": "i am looking for low carb flavor syrup that comes in a six pack of 32 ounces.", "attributes": ["non alcoholic", "low calorie", "low carb", "gluten free", "artificial flavors"], "options": ["size: 32 ounce (6 count)"], "instruction_attributes": ["low carb"], "instruction_options": ["32 ounce (6 count)"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2P094K", "worker_id": "A2ECRNQ3X5LEXD"}], "B08FJ464SN": [{"asin": "B08FJ464SN", "instruction": "i am looking for decorative cupcake picks for my party. pick red ones.", "attributes": ["cupcake picks", "party supplies"], "options": ["color: as shown"], "instruction_attributes": ["cupcake picks", "party supplies"], "instruction_options": ["as shown"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JTZGE2", "worker_id": "A1NF6PELRKACS9"}], "B092MH5RFM": [{"asin": "B092MH5RFM", "instruction": "i need a double sided shower brush with long handle. pick something in pink.", "attributes": ["double sided", "long handle"], "options": ["color: pink"], "instruction_attributes": ["double sided", "long handle"], "instruction_options": ["pink"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDIAHRN", "worker_id": "A1NF6PELRKACS9"}], "B07GP8JXT5": [{"asin": "B07GP8JXT5", "instruction": "i am looking for a high performance pink color on-ear headphones.", "attributes": ["gold plated", "high performance", "hands free", "stereo sound"], "options": ["color: pink"], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3URFVVM16GSBNLZB11OMB709G60ZU2", "worker_id": "A9QRQL9CFJBI7"}], "B0018C5KTU": [{"asin": "B0018C5KTU", "instruction": "i need some shoes that are peony colored with a rubber sole and are a size 6 for kids.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: peony", "size: 6 big kid", "special size: little kid (4-8 years)"], "instruction_attributes": ["rubber sole"], "instruction_options": ["peony", "6 big kid"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXSNMY4", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0018C5KTU", "instruction": "i would like a 2.5 or 3.5 in the uk kids shoe with a rubber sole. can i also get them with a black zebra shimmer.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black zebra shimmer", "size: 2.5 little kid", "special size: 3.5 uk"], "instruction_attributes": ["rubber outsole", "rubber sole"], "instruction_options": ["black zebra shimmer", "2.5 little kid", "3.5 uk"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB93I8N0", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0018C5KTU", "instruction": "i would like some girls shoes that are in a size 7 and have a watermelon print.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: spanish villa watermelon palms print", "size: 7", "special size: 9.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["spanish villa watermelon palms print", "7"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPBVOC2", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0018C5KTU", "instruction": "i want to find women's black canvas shoes in a size 9. the shoes must have rubber soles.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black canvas", "size: 9", "special size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black canvas", "9"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YUU8T9", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B0018C5KTU", "instruction": "i'm looking for tom's classic alpargata shoes with rubber soles, in the color cabernet glitter and size 11 toddler.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: cabernet glitter nkt", "size: 11 toddler", "special size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["cabernet glitter nkt", "11 toddler"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUEJRM0", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B0018C5KTU", "instruction": "i am looking for classic alpargata of pink color having rubber sole.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: pink", "size: 5 big kid", "special size: 5.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["pink"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJON3YDO", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B0018C5KTU", "instruction": "i want to find a pair of silver toddlers' toms with rubber soles. they either need to be a size 10 for us sizing or a size 3.5 for uk sizing.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: silver", "size: 10 toddler", "special size: 3.5 uk"], "instruction_attributes": ["rubber sole"], "instruction_options": ["silver", "10 toddler", "3.5 uk"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCOHB96", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B0018C5KTU", "instruction": "i am looking for girl alpargata with rubber sole.please choose 10 size.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: silver iridescent glimmer", "size: 10", "special size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["10"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBWNF5", "worker_id": "A3FG5PQHG5AH3Y"}], "B00FBCZCWS": [{"asin": "B00FBCZCWS", "instruction": "i'm looking for gluten free 1.4 ounce (pack of 12) bars.", "attributes": ["gluten free", "individually wrapped"], "options": ["flavor name: honey roasted nuts & sea salt", "size: 1.4 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["1.4 ounce (pack of 12)"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS409UXNU", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B00FBCZCWS", "instruction": "i need to buy some gluten-free snack bars that are blueberry vanilla and cashew flavored and come in a 60 count.", "attributes": ["gluten free", "individually wrapped"], "options": ["flavor name: blueberry vanilla & cashew", "size: 60 count"], "instruction_attributes": ["gluten free"], "instruction_options": ["blueberry vanilla & cashew", "60 count"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UI51GA", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B00FBCZCWS", "instruction": "im looking for gluten free kind bars in the extra dark chocolate and sea salt flavor.", "attributes": ["gluten free", "individually wrapped"], "options": ["flavor name: extra dark chocolate nuts & sea salt", "size: 1.4 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["extra dark chocolate nuts & sea salt"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTRW4VS", "worker_id": "AK3JMCIGU8MLU"}], "B09PRPZMBX": [{"asin": "B09PRPZMBX", "instruction": "i need a long lasting blush in the color a.", "attributes": ["easy apply", "long lasting", "eye shadow"], "options": ["color: a"], "instruction_attributes": ["long lasting"], "instruction_options": ["a"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTOS4E5", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GQMP765": [{"asin": "B07GQMP765", "instruction": "i am looming for a bags & cases for eye shadow.", "attributes": ["bpa free", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06ESXKS", "worker_id": "A9QRQL9CFJBI7"}], "B07KW3KCNV": [{"asin": "B07KW3KCNV", "instruction": "hello! order for me caraway seed savory crisps which is sugar free, high protein content and keto friendly.", "attributes": ["grain free", "low carb", "sugar free", "gluten free", "keto friendly", "high protein"], "options": ["flavor name: caraway", "size: 6 ounce (pack of 5)"], "instruction_attributes": ["keto friendly", "high protein"], "instruction_options": ["caraway"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS3540129MUZ", "worker_id": "AHU9OLV0YKIIW"}], "B07D6GFNG8": [{"asin": "B07D6GFNG8", "instruction": "i want some grass fed and low carb jerky. make sure they are original beef sticks.", "attributes": ["grass fed", "low carb", "protein serving"], "options": ["flavor name: original beef sticks"], "instruction_attributes": ["grass fed", "low carb"], "instruction_options": ["original beef sticks"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q7VDH97", "worker_id": "A1NF6PELRKACS9"}], "B08287C795": [{"asin": "B08287C795", "instruction": "i'm looking for a high quality girls accessories and color should be frozen elsa.", "attributes": ["high quality", "rose gold"], "options": ["color: frozen elsa"], "instruction_attributes": ["high quality"], "instruction_options": ["frozen elsa"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA577G9IE", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B08287C795", "instruction": "i would like some rose gold minnie ears", "attributes": ["high quality", "rose gold"], "options": ["color: gold minnie"], "instruction_attributes": ["rose gold"], "instruction_options": ["gold minnie"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V25YWR", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RQ8FVQJ": [{"asin": "B07RQ8FVQJ", "instruction": "i am looking for hands free headphones in the color mint.", "attributes": ["hands free", "stainless steel"], "options": ["color: mint"], "instruction_attributes": ["hands free"], "instruction_options": ["mint"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFKHT0I", "worker_id": "A2ECRNQ3X5LEXD"}], "B00D5KS0DQ": [{"asin": "B00D5KS0DQ", "instruction": "i am looking for non gmo salmon that is ready to eat. pick a 1 pack size.", "attributes": ["ready eat", "fully cooked", "non gmo"], "options": ["flavor name: smoked sockeye", "size: 1 pack"], "instruction_attributes": ["ready eat", "non gmo"], "instruction_options": ["1 pack"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG15ZYGU", "worker_id": "A1NF6PELRKACS9"}], "B06ZXZC8DQ": [{"asin": "B06ZXZC8DQ", "instruction": "i need an alcohol free hair fragrance that is island vanilla scent.", "attributes": ["alcohol free", "cruelty free"], "options": ["style: island vanilla - pack of 1"], "instruction_attributes": ["alcohol free"], "instruction_options": ["island vanilla - pack of 1"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMHKBQD", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZZRTSKM": [{"asin": "B07ZZRTSKM", "instruction": "i need a long lasting fleece jacket in regular fit. it should be sea salt in color.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: dc - sea salt", "size: 3x-large plus", "team name: north carolina tar heels"], "instruction_attributes": ["long lasting", "regular fit"], "instruction_options": ["dc - sea salt"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YRDQ3B", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07ZZRTSKM", "instruction": "i need a fleece jacket that is regular fit size 3x in the color of sea salt.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: dc - sea salt", "size: 3x", "team name: texas a&m aggies"], "instruction_attributes": ["regular fit"], "instruction_options": ["dc - sea salt", "3x"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKX1UIB", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07ZZRTSKM", "instruction": "i need a fleece jacket that is regular fit size 3x in the color of sea salt.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: dc - sea salt", "size: 3x", "team name: texas a&m aggies"], "instruction_attributes": ["regular fit"], "instruction_options": ["dc - sea salt", "3x"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKX1UIB", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07ZZRTSKM", "instruction": "i'm looking for women jacket for regular fit and classic fit.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: osu - black", "size: 3x-large plus", "team name: notre dame fighting irish"], "instruction_attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "instruction_options": ["osu - black"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8WNZPZ", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07ZZRTSKM", "instruction": "i am looking for regular fit fleece women jacket. please select vivid purple color.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: cle - vivid purple", "size: 1x", "team name: florida gators"], "instruction_attributes": ["regular fit"], "instruction_options": ["cle - vivid purple"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCYT4Q8", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07ZZRTSKM", "instruction": "i'm looking for jacket classic fit for quality materials.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: ark - red velvet", "size: medium", "team name: kentucky wildcats"], "instruction_attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "instruction_options": ["ark - red velvet"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4D6BSJ", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07ZZRTSKM", "instruction": "i want a fleece jacket that is in regular fit and is long lasting. choose an x-small size.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: dc - sea salt", "size: x-small", "team name: michigan state spartans"], "instruction_attributes": ["long lasting", "regular fit"], "instruction_options": ["x-small"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKUBMJJ", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07ZZRTSKM", "instruction": "i would like a large navy penn state nittany lions fleece jacket made from quality materials.", "attributes": ["long lasting", "quality materials", "regular fit", "classic fit"], "options": ["color: um - collegiate navy", "size: large", "team name: penn state nittany lions"], "instruction_attributes": ["quality materials"], "instruction_options": ["um - collegiate navy", "large", "penn state nittany lions"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96CF4GA", "worker_id": "A1WS884SI0SLO4"}], "B00VVHZZHO": [{"asin": "B00VVHZZHO", "instruction": "i need a three pack of heavy duty swivel clips for my phone.", "attributes": ["compatible apple", "heavy duty"], "options": ["style: swivel clip 3 pack"], "instruction_attributes": ["heavy duty"], "instruction_options": ["swivel clip 3 pack"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGFRO0O", "worker_id": "A2ECRNQ3X5LEXD"}], "B00N8KT1J0": [{"asin": "B00N8KT1J0", "instruction": "i'm looking for gluten free and low calorie tasty apple strawberry flavored apple sauce snacks- 3.2 ounce (pack of 4)", "attributes": ["dairy free", "bpa free", "gluten free", "nut free", "low calorie", "kosher certified", "plant based", "non gmo", "high fructose"], "options": ["flavor name: apple strawberry", "size: 3.2 ounce (pack of 4)"], "instruction_attributes": ["gluten free", "low calorie"], "instruction_options": ["apple strawberry"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ48WUL", "worker_id": "A258PTOZ3D2TQR"}], "B09JNXFRTF": [{"asin": "B09JNXFRTF", "instruction": "i'm looking for blush palette that is easy to carry, long lasting and easy to apply. also, look for color a one", "attributes": ["easy apply", "easy carry", "long lasting", "eye shadow"], "options": ["color: a"], "instruction_attributes": ["easy apply", "easy carry", "long lasting"], "instruction_options": ["a"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKLDV7E", "worker_id": "AR0VJ5XRG16UJ"}], "B09CGHW1CP": [{"asin": "B09CGHW1CP", "instruction": "i am looking for 96\"w x 72\"h roller shades of gray color and it is east to install.", "attributes": ["white item", "easy install", "easy clean"], "options": ["color: gray", "size: 96\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["gray", "96\"w x 72\"h"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TF73NG", "worker_id": "A9QRQL9CFJBI7"}], "B0894STBLG": [{"asin": "B0894STBLG", "instruction": "i need matcha and green tea bags that are organics and are 36 count.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: matcha + green tea", "size: 36 count (pack of 1)", "style: tea bags"], "instruction_attributes": ["usda organic"], "instruction_options": ["matcha + green tea", "36 count (pack of 1)"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB4Z2QA0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0894STBLG", "instruction": "looking for iced tea bags pu'erh tea bags certified organic, flavor darjeeling, pack of 1 with 20 count", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: darjeeling", "size: 20 count (pack of 1)", "style: iced tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["darjeeling", "20 count (pack of 1)", "iced tea bags"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9TNX57", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B0894STBLG", "instruction": "(i need some usda certified organic green tea and matcha.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: matcha + green tea", "size: 20 count (pack of 1)", "style: iced tea bags"], "instruction_attributes": ["usda organic"], "instruction_options": ["matcha + green tea"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YKRHEZ", "worker_id": "A19317A3X87NVM"}, {"asin": "B0894STBLG", "instruction": "looking for iced tea bags pu'erh tea bags certified organic, flavor darjeeling, pack of 1 with 20 count", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: darjeeling", "size: 20 count (pack of 1)", "style: iced tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["darjeeling", "20 count (pack of 1)", "iced tea bags"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9TNX57", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B0894STBLG", "instruction": "i'm looking for certified organic for tea bags for peppermint leaf.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: peppermint leaf", "size: 1 pound (pack of 1)", "style: tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["peppermint leaf"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZKHK9U", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B0894STBLG", "instruction": "i am looking for organic sencha flavored tea bags. tea bags must be usda organic.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: sencha", "size: 36 count (pack of 1)", "style: loose leaf"], "instruction_attributes": [], "instruction_options": ["sencha"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y8EIV0", "worker_id": "A3FG5PQHG5AH3Y"}], "B07DY9LLR7": [{"asin": "B07DY9LLR7", "instruction": "i want to find a set of 24 blue jars that are bpa free.", "attributes": ["leak proof", "bpa free"], "options": ["color: blue", "size: 24 jars"], "instruction_attributes": ["bpa free"], "instruction_options": ["blue", "24 jars"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17XY23YV", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07DY9LLR7", "instruction": "i am looking for a blue leak proof bags & cases.", "attributes": ["leak proof", "bpa free"], "options": ["color: blue", "size: 12 jars"], "instruction_attributes": ["leak proof"], "instruction_options": ["blue"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RHOLFV", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07DY9LLR7", "instruction": "i want bpa free and silver plastic container jars with black flat top lids.", "attributes": ["leak proof", "bpa free"], "options": ["color: silver", "size: 24 jars"], "instruction_attributes": ["bpa free"], "instruction_options": ["silver"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3GANQA", "worker_id": "A2RBF3IIJP15IH"}], "B078HW45S6": [{"asin": "B078HW45S6", "instruction": "i want some low rise active shorts that are in a medium and are black charcoal colored.", "attributes": ["low rise", "cotton spandex"], "options": ["color: 2pk - black charcoal", "size: medium"], "instruction_attributes": ["low rise"], "instruction_options": ["2pk - black charcoal", "medium"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8A3C44", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PH3V5XV": [{"asin": "B09PH3V5XV", "instruction": "i am looking for a x- large long fit hoodies & sweatshirts for daily wear.", "attributes": ["loose fit", "quick drying", "machine washable", "long sleeve", "short sleeve", "laundry bag", "daily wear"], "options": ["color: baodan-a179-black", "size: x-large"], "instruction_attributes": ["long sleeve", "daily wear"], "instruction_options": ["x-large"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BFUJVO", "worker_id": "A9QRQL9CFJBI7"}], "B08ZQC14PN": [{"asin": "B08ZQC14PN", "instruction": "i'm looking for a portable wireless bluetooth speakers made of carbon fiber with long lasting battery.", "attributes": ["long lasting", "carbon fiber", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["long lasting", "carbon fiber", "wireless bluetooth"], "instruction_options": [], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZAY48CG", "worker_id": "AR0VJ5XRG16UJ"}], "B07GRX4R2W": [{"asin": "B07GRX4R2W", "instruction": "i want to find peach-colored roller blinds for my living room that are easy to install. they need to be 58 inches in width and 64 inches in height.", "attributes": ["easy install", "living room"], "options": ["color: 03.peach", "size: w58 1 | 4 x h64 (inch)"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["03.peach", "w58 1 | 4 x h64 (inch)"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXLWHAEB", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07GRX4R2W", "instruction": "i need w28 x h64 pastel blue roller blinds that are easy to install.", "attributes": ["easy install", "living room"], "options": ["color: 07.pastel_blue", "size: w28 x h64 (inch) custom"], "instruction_attributes": ["easy install"], "instruction_options": ["07.pastel_blue", "w28 x h64 (inch) custom"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFEIV9D", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07GRX4R2W", "instruction": "i need w28 x h64 pastel blue roller blinds that are easy to install.", "attributes": ["easy install", "living room"], "options": ["color: 07.pastel_blue", "size: w28 x h64 (inch) custom"], "instruction_attributes": ["easy install"], "instruction_options": ["07.pastel_blue", "w28 x h64 (inch) custom"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFEIV9D", "worker_id": "A2RBF3IIJP15IH"}], "B01MZ1MKHK": [{"asin": "B01MZ1MKHK", "instruction": "i'd like to find a pair of sage and valencia colored men's hiking boots with rubber soles. i need them in a size 15.", "attributes": ["long lasting", "rubber sole", "lace closure"], "options": ["color: sage | valencia", "size: 15 regular us"], "instruction_attributes": ["rubber sole"], "instruction_options": ["sage | valencia", "15 regular us"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3Q51UV", "worker_id": "A345TDMHP3DQ3G"}], "B06Y4585VQ": [{"asin": "B06Y4585VQ", "instruction": "i want a ready to use storage basket that saves space. pick a large bronze colored one.", "attributes": ["space saving", "ready use"], "options": ["color: bronze"], "instruction_attributes": ["space saving", "ready use"], "instruction_options": ["bronze"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39SVOGMP", "worker_id": "A1NF6PELRKACS9"}], "B07MWT9GKP": [{"asin": "B07MWT9GKP", "instruction": "i want a comfortable fit cowboy cut jeans. it should be black in color.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: shadow black", "fit type: slim", "size: 31w x 32l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["shadow black"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN3NI8R", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07MWT9GKP", "instruction": "i want long lasting wrangler mens smoke storm cowboy cut jeans.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: smoke storm", "fit type: regular", "size: 32w x 40l"], "instruction_attributes": ["long lasting"], "instruction_options": ["smoke storm"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYWWUP1F", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07MWT9GKP", "instruction": "looking for jean which comfortable fit and colour must be dax", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: dax", "fit type: relaxed", "size: 33w x 36l"], "instruction_attributes": ["machine wash", "comfortable fit"], "instruction_options": ["dax"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HT5BP9", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B07MWT9GKP", "instruction": "i'm looking for original fit jeans for men.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: oakdale", "fit type: relaxed", "size: 40w x 40l"], "instruction_attributes": ["long lasting", "comfortable fit"], "instruction_options": ["relaxed"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYQNHD3", "worker_id": "A21IUUHBSEVB56"}], "B07ZX3R5LS": [{"asin": "B07ZX3R5LS", "instruction": "i am looking for a pendant light to go in my dining room with dimmer switch.", "attributes": ["pendant light", "dining room"], "options": [""], "instruction_attributes": ["pendant light", "dining room"], "instruction_options": [], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XXZ7FAD", "worker_id": "A1NF6PELRKACS9"}], "B099Z1R6SQ": [{"asin": "B099Z1R6SQ", "instruction": "find me an 8\" sized mattress with full gel memory. it should have a white finish.", "attributes": ["white item", "white finish"], "options": [""], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WOO1AW", "worker_id": "A1NF6PELRKACS9"}], "B07YXW5M4L": [{"asin": "B07YXW5M4L", "instruction": "i want a solid wood, ivory colored bar stool. look for a 26\" metal footrest.", "attributes": ["fully assembled", "assembly required", "solid wood"], "options": ["color: pu leather in creamy gray", "size: 26\" metal footrest"], "instruction_attributes": ["solid wood"], "instruction_options": ["26\" metal footrest"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKUSUIW", "worker_id": "A1NF6PELRKACS9"}], "B088PL8Z6F": [{"asin": "B088PL8Z6F", "instruction": "i would like some over the toilet storage space in the color style-13.", "attributes": ["easy assemble", "storage space", "living room"], "options": ["color: style-13"], "instruction_attributes": ["storage space"], "instruction_options": ["style-13"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39SVRMGY", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RKLJFYC": [{"asin": "B07RKLJFYC", "instruction": "i need a square shaped area rug that is easy to clean. it should be in aqua color.", "attributes": ["easy clean", "spot clean"], "options": ["color: aqua", "item shape: square", "size: 10 ft x 14 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["aqua", "square"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTHIPLX", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07RKLJFYC", "instruction": "i need a 10 foot rug for my living room. make sure it's easy to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: sunglow", "item shape: runner", "size: 10 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["10 ft"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WS6A1V", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07RKLJFYC", "instruction": "i am looking for an oval shaped easy to clean shag area rug.", "attributes": ["easy clean", "spot clean"], "options": ["color: sunglow", "item shape: oval", "size: 5 ft x 8 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["oval"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7S9BRWR", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07RKLJFYC", "instruction": "i need a 10 foot rug for my living room. make sure it's easy to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: sunglow", "item shape: runner", "size: 10 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["10 ft"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WS6A1V", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07RKLJFYC", "instruction": "i'm looking for marine blue colored kitchen rugs for kitchen uses.", "attributes": ["easy clean", "spot clean"], "options": ["color: marine blue", "item shape: rectangular", "size: 2 ft 7 in x 13 ft"], "instruction_attributes": ["easy clean", "spot clean"], "instruction_options": ["marine blue"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0251YAKW", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07RKLJFYC", "instruction": "i am looking for area rugs that is of size 4 ft x 4 ft and is easy to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: dusty rose", "item shape: rectangular", "size: 4 ft x 4 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["4 ft x 4 ft"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746ZIBTC", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07RKLJFYC", "instruction": "i am looking for modern easy clean luxuriously soft round area rug of size 7 ft x 7 ft", "attributes": ["easy clean", "spot clean"], "options": ["color: poppy", "item shape: round", "size: 7 ft x 7 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["round", "7 ft x 7 ft"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK4YIUA", "worker_id": "A258PTOZ3D2TQR"}], "B09MVN8K1P": [{"asin": "B09MVN8K1P", "instruction": "i need a hair styling comb.", "attributes": ["hair styling", "hair dye", "hair salon"], "options": [""], "instruction_attributes": ["hair styling"], "instruction_options": [], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7V3MHW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07R9666W3": [{"asin": "B07R9666W3", "instruction": "i'm looking for a machine washable men's shorts with classic fit stretchable fabric and has button closure. also, choose cool grey colored one", "attributes": ["machine wash", "classic fit", "stretch fabric", "elastic waist", "button closure"], "options": ["color: city grey | cool grey", "size: 48x10"], "instruction_attributes": ["machine wash", "classic fit", "button closure"], "instruction_options": ["city grey | cool grey"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VAH8E9", "worker_id": "AR0VJ5XRG16UJ"}], "B01LW2NFZX": [{"asin": "B01LW2NFZX", "instruction": "i'm looking for a tablet with usb support and support 4g lte.", "attributes": ["long lasting", "usb port", "4g lte"], "options": [""], "instruction_attributes": ["usb port", "4g lte"], "instruction_options": [], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNECWXIE", "worker_id": "AR0VJ5XRG16UJ"}], "B09M8H129Q": [{"asin": "B09M8H129Q", "instruction": "i want to find an xx-large black men's pullover made of soft, warm material.", "attributes": ["winter warm", "long sleeve", "short sleeve", "soft material"], "options": ["color: e04#black", "size: xx-large"], "instruction_attributes": ["winter warm", "soft material"], "instruction_options": ["e04#black", "xx-large"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X1TFRF", "worker_id": "A345TDMHP3DQ3G"}], "B000W5MWR2": [{"asin": "B000W5MWR2", "instruction": "i'm looking for a highly pigmented green body paint.", "attributes": ["highly pigmented", "paraben free", "cruelty free"], "options": ["color: green"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["green"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH372YESL", "worker_id": "A9QRQL9CFJBI7"}], "B09SCXL1K4": [{"asin": "B09SCXL1K4", "instruction": "i need open toe wedge sandals with ankle strap. pick a black one.", "attributes": ["non slip", "fleece lined", "open toe", "memory foam", "high waist", "high heel", "closed toe", "ankle strap", "arch support", "tummy control", "rubber sole", "long sleeve"], "options": ["color: a11 - black", "size: 11.5 wide"], "instruction_attributes": ["open toe", "ankle strap"], "instruction_options": ["a11 - black"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9AP2E0", "worker_id": "A1NF6PELRKACS9"}], "B09M92PLHF": [{"asin": "B09M92PLHF", "instruction": "i am looking for 4 pounds (pack of 1) old fashioned hard candy.", "attributes": ["individually wrapped", "old fashioned"], "options": ["size: 4 pounds (pack of 1)", "style: strawberry"], "instruction_attributes": ["old fashioned"], "instruction_options": ["4 pounds (pack of 1)"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOCC9LW", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09M92PLHF", "instruction": "i need two pounds of strawberry hard candy that is individually wrapped.", "attributes": ["individually wrapped", "old fashioned"], "options": ["size: 2 pounds (pack of 1)", "style: strawberry"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["2 pounds (pack of 1)", "strawberry"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PCZXNIX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GXZZHVD": [{"asin": "B09GXZZHVD", "instruction": "i need a square table that is easy to clean and has a steel frame. the size should be 100*60*74", "attributes": ["easy clean", "steel frame"], "options": ["color: eijia+heimuwen13", "size: 100*60*74gao"], "instruction_attributes": ["steel frame"], "instruction_options": ["100*60*74gao"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHK70J5", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09GXZZHVD", "instruction": "i would like a 70*70*74gao ijia+zhumuwen6 table cloth that is easy to clean.", "attributes": ["easy clean", "steel frame"], "options": ["color: ijia+zhumuwen6", "size: 70*70*74gao"], "instruction_attributes": ["easy clean"], "instruction_options": ["ijia+zhumuwen6", "70*70*74gao"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMXZSAN", "worker_id": "A1WS884SI0SLO4"}], "B07F33RYBG": [{"asin": "B07F33RYBG", "instruction": "i'm looking for a gluten free flavor syrups.", "attributes": ["sugar free", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017TXP4A", "worker_id": "A9QRQL9CFJBI7"}], "B09LGXJY5Q": [{"asin": "B09LGXJY5Q", "instruction": "i would like some super soft throw pillow covers that are baby green and come in pack of 2.", "attributes": ["spot clean", "super soft", "living room"], "options": ["color: baby green", "size: 16\"x 16\", pack of 2"], "instruction_attributes": ["super soft"], "instruction_options": ["baby green", "16\"x 16\", pack of 2"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98KCKYB", "worker_id": "A2ECRNQ3X5LEXD"}], "B00BCG0OB6": [{"asin": "B00BCG0OB6", "instruction": "i am looking for no artificial flavors or preservatives and is non-gmo healthy snacks compatible with keto, vegan, vegetarian, gluten free and low carb diets, gimme\u2019s organic roasted seaweed superfood in teriyaki flavor. pack of 12 0.17 ounce preferable.", "attributes": ["gluten free", "low carb", "non gmo", "artificial flavors"], "options": ["flavor: teriyaki", "size: 0.17 ounce (pack of 12)"], "instruction_attributes": ["gluten free", "low carb"], "instruction_options": ["teriyaki", "0.17 ounce (pack of 12)"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYW84JA", "worker_id": "A1DRKZ3SCLAS4V"}], "B00VEELQOA": [{"asin": "B00VEELQOA", "instruction": "i am looking for a wireless bluetooth speakers.", "attributes": ["long lasting", "hands free", "easy use", "stereo sound", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ5W6KCF", "worker_id": "A9QRQL9CFJBI7"}], "B09CDBTMS3": [{"asin": "B09CDBTMS3", "instruction": "iam looking a leather sole day comfort men's construction boot color also 6\" sft toe wheat", "attributes": ["day comfort", "leather sole"], "options": ["color: 6\" soft toe wheat", "size: 7"], "instruction_attributes": ["day comfort", "leather sole"], "instruction_options": ["6\" soft toe wheat"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJODEDYU", "worker_id": "A3N9ZYQAESNFQH"}], "B00ASJKXSM": [{"asin": "B00ASJKXSM", "instruction": "i'm looking for a whitewashed media chest with a wood finish.", "attributes": ["wood finish", "bronze finish", "solid wood"], "options": ["color: ella - white wash", "style: media chest"], "instruction_attributes": ["wood finish"], "instruction_options": ["ella - white wash", "media chest"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34DJ41D", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B00ASJKXSM", "instruction": "i would like a sahara tan five drawer dresser made of solid wood.", "attributes": ["wood finish", "bronze finish", "solid wood"], "options": ["color: hearst - sahara tan", "style: 5-drawer chest"], "instruction_attributes": ["solid wood"], "instruction_options": ["hearst - sahara tan", "5-drawer chest"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P7OUB9", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00ASJKXSM", "instruction": "i'm looking for wood finish bronze finish furniture the color was mckinney-espresso pine.", "attributes": ["wood finish", "bronze finish", "solid wood"], "options": ["color: mckinney - espresso pine", "style: 5-drawer sweater chest"], "instruction_attributes": ["wood finish", "bronze finish", "solid wood"], "instruction_options": ["mckinney - espresso pine", "5-drawer sweater chest"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS3FG92", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00ASJKXSM", "instruction": "i want paragon black solid wood", "attributes": ["wood finish", "bronze finish", "solid wood"], "options": ["color: paragon - black", "style: 4-drawer wardrobe chest"], "instruction_attributes": ["solid wood"], "instruction_options": ["paragon - black"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1DSGYL", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B00ASJKXSM", "instruction": "i'm looking for a solid wood dresser with bronze finish. also choose 4-drawer wardrobe chest with boho chic- white washed one.", "attributes": ["wood finish", "bronze finish", "solid wood"], "options": ["color: boho chic - washed white", "style: 4-drawer wardrobe chest"], "instruction_attributes": ["bronze finish", "solid wood"], "instruction_options": ["boho chic - washed white", "4-drawer wardrobe chest"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DYLOTD", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00ASJKXSM", "instruction": "i need to buy a four drawer wardrobe with a wood finish.", "attributes": ["wood finish", "bronze finish", "solid wood"], "options": ["color: meadow - graphite", "style: 4-drawer wardrobe chest"], "instruction_attributes": ["wood finish"], "instruction_options": ["4-drawer wardrobe chest"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANFVXSD", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B00ASJKXSM", "instruction": "i need to buy a five drawer dresser made out of solid wood.", "attributes": ["wood finish", "bronze finish", "solid wood"], "options": ["color: ocean - natural sengon", "style: 5-drawer chest"], "instruction_attributes": ["solid wood"], "instruction_options": ["5-drawer chest"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V3HU2H", "worker_id": "AR9AU5FY1S3RO"}], "B08C9VSFX2": [{"asin": "B08C9VSFX2", "instruction": "i need a high quality hairpiece for men with light density. it should be in 3# dark brown color.", "attributes": ["high quality", "hair loss"], "options": ["color: 3# dark brown", "size: 7''x9''120% light medium density"], "instruction_attributes": ["high quality"], "instruction_options": ["3# dark brown"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJKV63JG", "worker_id": "A1NF6PELRKACS9"}], "B075K5TXCL": [{"asin": "B075K5TXCL", "instruction": "i want a dust proof keyboard skin which is really thin. it should fit my apple wired keyboard.", "attributes": ["dust proof", "compatible apple"], "options": ["color: ombre purple", "size: for apple wired keyboard (mb110ll | b)"], "instruction_attributes": ["dust proof"], "instruction_options": ["for apple wired keyboard (mb110ll | b)"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0U8CA37", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B075K5TXCL", "instruction": "i am looking for an ombre pink dust proof keyboard skin", "attributes": ["dust proof", "compatible apple"], "options": ["color: ombre pink", "size: for magic keyboard (mla22ll | a)"], "instruction_attributes": ["dust proof"], "instruction_options": ["ombre pink"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0UNCAN", "worker_id": "A2ECRNQ3X5LEXD"}], "B009RB1UNY": [{"asin": "B009RB1UNY", "instruction": "i want a hand crafted gift basket for a new baby arrival event.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["hand crafted", "gift basket"], "instruction_options": [], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YWY74TN", "worker_id": "A1NF6PELRKACS9"}], "B076JLFJSX": [{"asin": "B076JLFJSX", "instruction": "find for me croc flip flops size 13 women with vinyl acetate material. also neo mint almost white in color.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: neo mint almost white", "size: 13 women | 11 men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["neo mint almost white", "13 women | 11 men"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VB84DJX", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B076JLFJSX", "instruction": "i need some white vinyl flip flops in size 8 for women.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: white", "size: 8 women | 6 men"], "instruction_attributes": ["ethylene vinyl", "vinyl acetate"], "instruction_options": ["white", "8 women | 6 men"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B17TF6H", "worker_id": "A19317A3X87NVM"}], "B093BMWTPG": [{"asin": "B093BMWTPG", "instruction": "i am looking for a x-large hoodies & sweatshirts quality of polyester.", "attributes": ["wash cold", "hand wash", "machine wash", "quality polyester"], "options": ["color: logo brown", "size: x-large"], "instruction_attributes": ["quality polyester"], "instruction_options": ["x-large"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZW8IS3", "worker_id": "A9QRQL9CFJBI7"}], "B08FDCTL68": [{"asin": "B08FDCTL68", "instruction": "i am looking for a 46.5\" solid wood for ottomans and color should be dark gray.", "attributes": ["solid wood", "storage space"], "options": ["color: dark gray", "size: 46.5\""], "instruction_attributes": ["solid wood"], "instruction_options": ["dark gray", "46.5\""], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2U453P", "worker_id": "A9QRQL9CFJBI7"}], "B09PDDZ17X": [{"asin": "B09PDDZ17X", "instruction": "i want a teeth whitening toothpaste that removes plaque stains.", "attributes": ["teeth whitening", "oral hygiene"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3Z4AIRP3CHN69T8YYVQH3KF1X8PX1M", "worker_id": "A1NF6PELRKACS9"}], "B096H133FZ": [{"asin": "B096H133FZ", "instruction": "i am looking for hair cutting scissors in a storage case and should made of stainless steel.", "attributes": ["storage case", "stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["storage case", "stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRBVN5YJ", "worker_id": "AHU9OLV0YKIIW"}], "B07NY5HTB8": [{"asin": "B07NY5HTB8", "instruction": "i'm looking for a stainless steel pair of tweezers for hair removal.", "attributes": ["easy carry", "stainless steel", "hair removal"], "options": [""], "instruction_attributes": ["stainless steel", "hair removal"], "instruction_options": [], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VJJXMT", "worker_id": "A345TDMHP3DQ3G"}], "B01DN401DK": [{"asin": "B01DN401DK", "instruction": "i need an oval soft rug that is easy to clean. also, it should be in eggplant purple color.", "attributes": ["easy clean", "spot clean"], "options": ["color: eggplant purple", "shape: oval", "size: 2 ft 6 in x 13 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["eggplant purple", "oval"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZ7ECPC", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01DN401DK", "instruction": "i am looking for a square 10 by 13 ft area rug that is easy to clean. all white in color", "attributes": ["easy clean", "spot clean"], "options": ["color: snow white", "shape: square", "size: 10 x 13 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["snow white", "square", "10 x 13 ft"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NAMKBM", "worker_id": "A36LOA6VLJU157"}, {"asin": "B01DN401DK", "instruction": "i need an easy to clean lilac rug in a rectangular runner shape.", "attributes": ["easy clean", "spot clean"], "options": ["color: lilac", "shape: rectangular runner", "size: 7 ft 0 x 7 ft 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["lilac", "rectangular runner"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B99WTVY", "worker_id": "A19317A3X87NVM"}, {"asin": "B01DN401DK", "instruction": "i want to find an oval-shaped plush rog that is 4 feet by 4 feet and ivory colored. it needs to be easy to spot clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: ivory", "shape: oval", "size: 4 ft 0 x 4 ft 0"], "instruction_attributes": ["easy clean", "spot clean"], "instruction_options": ["ivory", "oval", "4 ft 0 x 4 ft 0"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTIP5VM", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01DN401DK", "instruction": "i need a rectangular runner that is easy to clean. pick a cherry red one.", "attributes": ["easy clean", "spot clean"], "options": ["color: cherry red", "shape: rectangular runner", "size: 3 ft 3 in x 3 ft 3 in"], "instruction_attributes": ["easy clean"], "instruction_options": ["cherry red", "rectangular runner"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XAHRFX", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01DN401DK", "instruction": "i'm looking for shag collection area modern spot clean oval shaped rug of size 8 ft x 11 ft", "attributes": ["easy clean", "spot clean"], "options": ["color: taupe", "shape: oval", "size: 8 ft x 11 ft"], "instruction_attributes": ["spot clean"], "instruction_options": ["oval", "8 ft x 11 ft"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFBOD9E", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01DN401DK", "instruction": "using cocoa it's easy clean to rectangular shape room", "attributes": ["easy clean", "spot clean"], "options": ["color: cocoa", "shape: rectangular", "size: 10 ft 0 x 13 ft 11 rectangular"], "instruction_attributes": ["easy clean"], "instruction_options": ["cocoa", "rectangular"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5W9F4E", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B01DN401DK", "instruction": "i am looking for a 7 ft 0 x 7 ft 0 spot clean area rugs", "attributes": ["easy clean", "spot clean"], "options": ["color: jet black", "shape: rectangular", "size: 7 ft 0 x 7 ft 0"], "instruction_attributes": ["spot clean"], "instruction_options": ["7 ft 0 x 7 ft 0"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBGXHG3", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01DN401DK", "instruction": "i'm looking for an easy-to-clean snow-white rug.", "attributes": ["easy clean", "spot clean"], "options": ["color: snow white", "shape: round", "size: 2 ft 6 x 13 ft 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["snow white"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z5JXGD", "worker_id": "A13PVNQT2WWWVL"}, {"asin": "B01DN401DK", "instruction": "i'm looking for a unique loom solo solid shag collection area.", "attributes": ["easy clean", "spot clean"], "options": ["color: chocolate brown", "shape: octagon", "size: 8 ft x 11 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["chocolate brown", "octagon", "8 ft x 11 ft"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFW33E6", "worker_id": "A1ZGOZQF2VZ0X9"}, {"asin": "B01DN401DK", "instruction": "i need a easy clean solo solid modern round shaped snow white plush rug of 8 ft x 8 ft size", "attributes": ["easy clean", "spot clean"], "options": ["color: snow white", "shape: round", "size: 8 ft 0 x 8 ft 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["snow white", "round", "8 ft 0 x 8 ft 0"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BDBQUF", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01DN401DK", "instruction": "i am looking for an easy to clean ivory colored plush area rug.", "attributes": ["easy clean", "spot clean"], "options": ["color: ivory", "shape: rectangular runner", "size: 7 ft 0 x 7 ft 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["ivory"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8M94RR", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01DN401DK", "instruction": "i am looking for an octagon shaped easy to clean plush area rug.", "attributes": ["easy clean", "spot clean"], "options": ["color: terracotta", "shape: octagon", "size: 2 ft 6 in x 16 ft 5 in"], "instruction_attributes": ["easy clean"], "instruction_options": ["octagon"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67W0TF7W", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01DN401DK", "instruction": "i am looking for 5 ft easy clean sun yellow modern plush rug square shaped", "attributes": ["easy clean", "spot clean"], "options": ["color: tuscan sun yellow", "shape: square", "size: 5 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["tuscan sun yellow", "square", "5 ft"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB179LU6", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01DN401DK", "instruction": "i am interested in buying modern rugs which are easy to clean, and are in aqua blue color, their shape should be rectangular runner and are of a size of 7 ft x 10 ft.", "attributes": ["easy clean", "spot clean"], "options": ["color: aqua blue", "shape: rectangular runner", "size: 7 ft x 10 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["aqua blue", "rectangular runner", "7 ft x 10 ft"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCMIE0P", "worker_id": "AJY5G987IRT25"}, {"asin": "B01DN401DK", "instruction": "i'm looking for a snow white colored oval area rug that is easy for me to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: snow white", "shape: oval", "size: 2 ft 6 x 13 ft 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["snow white", "oval"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OWFOPP", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B01DN401DK", "instruction": "i want to buy a unique lom solo easy to clean that is in taupe color with rectangular shape", "attributes": ["easy clean", "spot clean"], "options": ["color: taupe", "shape: rectangular", "size: 9 x 12 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["taupe", "rectangular"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISVDOY2", "worker_id": "ADOV0TU2G016A"}, {"asin": "B01DN401DK", "instruction": "i'm looking for jet black rug. the size should be around 6 x 10 ft and i want it to be very easy to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: jet black", "shape: octagonal", "size: 2 ft 6 x 10 ft 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["jet black", "2 ft 6 x 10 ft 0"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRDAWNY", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B01DN401DK", "instruction": "i am looking for a slate blue plush rug that is easy to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: slate blue", "shape: rectangular runner", "size: 10 ft 2 in"], "instruction_attributes": ["easy clean"], "instruction_options": ["slate blue"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R18O2IB", "worker_id": "A1EREKSZAA9V7B"}], "B09J8FXDK6": [{"asin": "B09J8FXDK6", "instruction": "i'm looking for a optical zoom night vision binoculars & goggles.", "attributes": ["high definition", "optical zoom", "bird watching"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BO5SONJ", "worker_id": "A9QRQL9CFJBI7"}], "B07BQ5B2B1": [{"asin": "B07BQ5B2B1", "instruction": "i need some caffeine free fruit juice. pick a pack of 12.", "attributes": ["caffeine free", "natural ingredients"], "options": ["flavor name: watermelon strawberry", "size: 16 fl oz (pack of 12)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["16 fl oz (pack of 12)"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HRV1D8", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07BQ5B2B1", "instruction": "i need a 12 pack of caffeine free nantucket nectars pomegranate cherry juice.", "attributes": ["caffeine free", "natural ingredients"], "options": ["flavor name: pomegranate cherry", "size: 16 fl oz (pack of 12)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["pomegranate cherry", "16 fl oz (pack of 12)"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXPFO5Q", "worker_id": "A2RBF3IIJP15IH"}], "B099972W26": [{"asin": "B099972W26", "instruction": "i am looking for standing baker's racks kitchen shelf which is superior strength and durability,with universal wheelswhich is easy to move it allow for easy positioning in the kitchen, multipurpose shelves rack in gold color preferable.", "attributes": ["easy clean", "easy assemble", "storage space"], "options": ["color: gold"], "instruction_attributes": ["easy clean", "easy assemble", "storage space"], "instruction_options": ["gold"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJKWJ3JV", "worker_id": "A1DRKZ3SCLAS4V"}], "B0924Y8CWX": [{"asin": "B0924Y8CWX", "instruction": "i am looking for easy to prepare and easy to use shan kashmiri rogan josh recipe and seasoning mix 1.76 oz (50g) spice powder pack of 6 in murgh cholay flavor.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: murgh cholay", "size: pack of 6"], "instruction_attributes": ["easy prepare", "easy use"], "instruction_options": ["pack of 6"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGCWW28", "worker_id": "A1DRKZ3SCLAS4V"}, {"asin": "B0924Y8CWX", "instruction": "i'm looking for meat and vegetable flavored seasoning mix -1.76 oz (pack of 6)", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: meat & vegetable", "size: 1.76 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["meat & vegetable", "1.76 ounce (pack of 6)"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB5GAXY7", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B0924Y8CWX", "instruction": "i'm looking for a pav bhaji flavored spice powder. choose the one that comes with pack of 4 and are easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: pav bhaji", "size: pack of 4"], "instruction_attributes": ["easy use"], "instruction_options": ["pav bhaji", "pack of 4"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7V5D60D", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B0924Y8CWX", "instruction": "i'd like to buy a three pack of one point seventy-six ounce fenugreek seasonings. make sure they're easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: kofta", "size: 1.76 ounce (pack of 3)"], "instruction_attributes": ["easy use"], "instruction_options": ["1.76 ounce (pack of 3)"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BJBJVD", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B0924Y8CWX", "instruction": "i would like a 6 pack of 2.1 ounce easy to use and prepare chicken masala.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chicken masala", "size: 2.1 ounce (pack of 6)"], "instruction_attributes": ["easy prepare", "easy use"], "instruction_options": ["chicken masala", "2.1 ounce (pack of 6)"], "assignment_id": "33F859I56HNA01QBVO1K6A4GVZQBHT", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0924Y8CWX", "instruction": "i would like two packs of chicken white korma spices that are easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chicken white korma", "size: pack of 2"], "instruction_attributes": ["easy use"], "instruction_options": ["chicken white korma", "pack of 2"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXNYZ2H", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0924Y8CWX", "instruction": "i am looking for easy to prepare chana masala recipe.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chana masala", "size: 3.5 ounce"], "instruction_attributes": ["easy prepare"], "instruction_options": ["chana masala"], "assignment_id": "3634BBTX0Z409DDB6851PCWGACAFIP", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B0924Y8CWX", "instruction": "i need a six pack of fenugreek", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chicken white karahi", "size: 1.76 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["1.76 ounce (pack of 6)"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VMO06G", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0924Y8CWX", "instruction": "i need some indian spices that are easy to use for chana masala", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chana masala", "size: pack of 4"], "instruction_attributes": ["easy use"], "instruction_options": ["chana masala"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP4UAOY", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0924Y8CWX", "instruction": "i'm looking for shan kashmiri rogan josh recipe and seasoning mix 1.76 oz (50g) pack of 3 easy prepare.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: curry powder 200g", "size: pack of 3"], "instruction_attributes": ["easy prepare"], "instruction_options": ["pack of 3"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGJ3O08", "worker_id": "A15IJ20C3R4HUO"}], "B09QGQW4JW": [{"asin": "B09QGQW4JW", "instruction": "i am looking for ready use, birthday cake toppers with a golf theme.", "attributes": ["ready use", "birthday cake", "cupcake picks", "birthday party"], "options": [""], "instruction_attributes": ["ready use", "birthday cake"], "instruction_options": [], "assignment_id": "3BXQMRHWKA8BOE0SMCYS3540114MUS", "worker_id": "A1NF6PELRKACS9"}], "B01NAOQO2B": [{"asin": "B01NAOQO2B", "instruction": "i want tropical moringa oil & honey daily moisturiser for my natural hair and that can used for hair treatment .pick 8 ounces.", "attributes": ["hair growth", "natural hair", "hair treatment"], "options": [""], "instruction_attributes": ["natural hair", "hair treatment"], "instruction_options": [], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JF9YMV4", "worker_id": "AHU9OLV0YKIIW"}], "B01ESX3G50": [{"asin": "B01ESX3G50", "instruction": "i need a fast charging cable with usb port for an ipad. pick one in gold.", "attributes": ["fast charging", "gold plated", "high speed", "aluminum alloy", "usb port"], "options": ["color: gold", "number of items: 3", "size: 10ft 5a"], "instruction_attributes": ["fast charging", "usb port"], "instruction_options": ["gold"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4VTXYJ", "worker_id": "A1NF6PELRKACS9"}], "B09Q3NVJNM": [{"asin": "B09Q3NVJNM", "instruction": "i am looking for a gry engineered wood for living room.", "attributes": ["engineered wood", "living room"], "options": ["color: gry", "size: nightstands"], "instruction_attributes": ["engineered wood", "living room"], "instruction_options": ["gry"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DY5082C", "worker_id": "A9QRQL9CFJBI7"}], "B08JTT7HJZ": [{"asin": "B08JTT7HJZ", "instruction": "i need a mother of pearl and diamond shaped sparkle glitter that is easy to apply.", "attributes": ["easy apply", "long lasting"], "options": ["color: mother of pearl", "size: diamond shaped"], "instruction_attributes": ["easy apply"], "instruction_options": ["mother of pearl", "diamond shaped"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJLRO9A", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08JTT7HJZ", "instruction": "i need a mother of pearl and diamond shaped sparkle glitter that is easy to apply.", "attributes": ["easy apply", "long lasting"], "options": ["color: mother of pearl", "size: diamond shaped"], "instruction_attributes": ["easy apply"], "instruction_options": ["mother of pearl", "diamond shaped"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJLRO9A", "worker_id": "A2RBF3IIJP15IH"}], "B0919MJH8G": [{"asin": "B0919MJH8G", "instruction": "i am looking for a blue color wireless bluetooth mouse that is plug and play.", "attributes": ["plug play", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["plug play", "wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1Z81PA3", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B0919MJH8G", "instruction": "i am looking for a blue color wireless bluetooth mouse that is plug and play.", "attributes": ["plug play", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["plug play", "wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1Z81PA3", "worker_id": "A1Q8PPQQCWGY0D"}], "B09SCWP1GS": [{"asin": "B09SCWP1GS", "instruction": "i am looking for a 9 piece hair growth herbal spray.", "attributes": ["hair growth", "hair loss"], "options": ["color: 9pcs"], "instruction_attributes": ["hair growth"], "instruction_options": ["9pcs"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRUBJX8", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09SCWP1GS", "instruction": "i am looking for a 9 piece hair growth herbal spray.", "attributes": ["hair growth", "hair loss"], "options": ["color: 9pcs"], "instruction_attributes": ["hair growth"], "instruction_options": ["9pcs"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRUBJX8", "worker_id": "A1EREKSZAA9V7B"}], "B08BLFQXRV": [{"asin": "B08BLFQXRV", "instruction": "buy a white henley with a slim fit.", "attributes": ["hand wash", "slim fit", "machine wash", "short sleeve", "polyester cotton", "daily wear"], "options": ["color: white", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["white"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84636CN", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08BLFQXRV", "instruction": "buy a white henley with a slim fit.", "attributes": ["hand wash", "slim fit", "machine wash", "short sleeve", "polyester cotton", "daily wear"], "options": ["color: white", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["white"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84636CN", "worker_id": "AR9AU5FY1S3RO"}], "B004JRHE8Q": [{"asin": "B004JRHE8Q", "instruction": "i'm looking for a long lasting cologne by perry ellis.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "326O153BMT8RVOXTJJKKGXV364UED7", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B004JRHE8Q", "instruction": "i'm looking for a long lasting cologne by perry ellis.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "326O153BMT8RVOXTJJKKGXV364UED7", "worker_id": "A2JP9IKRHNLRPI"}], "B093VB1HSV": [{"asin": "B093VB1HSV", "instruction": "i need a variety pack of keto friendly and gluten free fudge mix.", "attributes": ["keto friendly", "gluten free", "shelf stable", "plant based", "non gmo", "dietary fiber"], "options": ["flavor: variety pack", "size: 3.5 ounce (pack of 3)"], "instruction_attributes": ["keto friendly", "gluten free"], "instruction_options": ["variety pack"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUFZ3CC", "worker_id": "A19317A3X87NVM"}, {"asin": "B093VB1HSV", "instruction": "i need a variety pack of keto friendly and gluten free fudge mix.", "attributes": ["keto friendly", "gluten free", "shelf stable", "plant based", "non gmo", "dietary fiber"], "options": ["flavor: variety pack", "size: 3.5 ounce (pack of 3)"], "instruction_attributes": ["keto friendly", "gluten free"], "instruction_options": ["variety pack"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUFZ3CC", "worker_id": "A19317A3X87NVM"}], "B001MS6PO4": [{"asin": "B001MS6PO4", "instruction": "i am looking for a metallic gray coat rack that is easy to assemble.", "attributes": ["easy assemble", "contemporary design"], "options": ["color: metallic gray | black"], "instruction_attributes": ["easy assemble"], "instruction_options": ["metallic gray | black"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV888V9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B001MS6PO4", "instruction": "i am looking for a metallic gray coat rack that is easy to assemble.", "attributes": ["easy assemble", "contemporary design"], "options": ["color: metallic gray | black"], "instruction_attributes": ["easy assemble"], "instruction_options": ["metallic gray | black"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV888V9", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JZ3Q2DD": [{"asin": "B09JZ3Q2DD", "instruction": "i am looking for a fleece throw that is maroon and 50\" by 60\"", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: maroon", "size: throw(50\"x60\")"], "instruction_attributes": ["fleece throw"], "instruction_options": ["maroon", "throw(50\"x60\")"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB44SQA0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09JZ3Q2DD", "instruction": "i am looking for a fleece throw that is maroon and 50\" by 60\"", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: maroon", "size: throw(50\"x60\")"], "instruction_attributes": ["fleece throw"], "instruction_options": ["maroon", "throw(50\"x60\")"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB44SQA0", "worker_id": "A2ECRNQ3X5LEXD"}], "B009M4M6NE": [{"asin": "B009M4M6NE", "instruction": "buy me some freeze dried bananas & strawberries.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: bananas & strawberries", "size: 1.3 ounce (pack of 8)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["bananas & strawberries"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBCEGHB", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B009M4M6NE", "instruction": "i want organic freeze-dried mangoes.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: mangoes", "size: strawberries 1.2 ounce & raspberries 1.3...", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["mangoes"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HY1DZ2P", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B009M4M6NE", "instruction": "i want freeze-dried fruits, about 1.5 ounces should be enough. i like blueberries but i don't want anything with gmo.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: bananas & strawberries", "size: 1.5 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["non gmo", "freeze dried"], "instruction_options": ["1.5 ounce (pack of 1)"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2NEM5J", "worker_id": "A1OPJ5I9BF44QH"}, {"asin": "B009M4M6NE", "instruction": "buy me a bag of low calorie, low fat mango strips.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: mango strips", "size: strawberries 1.2 ounce & mangoes 1.5 oun...", "style: bag"], "instruction_attributes": ["low calorie", "fat free"], "instruction_options": ["mango strips", "bag"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWV21CZ", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B009M4M6NE", "instruction": "buy me some freeze dried bananas & strawberries.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: bananas & strawberries", "size: 1.3 ounce (pack of 8)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["bananas & strawberries"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBCEGHB", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B009M4M6NE", "instruction": "i want a bundle of freeze-dried strawberries & bananas beets", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: beets", "size: strawberries 1.2 ounce & bananas 2.5 oun...", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["beets", "strawberries 1.2 ounce & bananas 2.5 oun...", "bundle"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK487A6O", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B009M4M6NE", "instruction": "i am looking for a bag of freeze dried blueberries that are chocolate and banana slice flavored. make sure to pick a non gmo and plant based product.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: chocolate banana slices", "size: strawberries 1.2 ounce & mangoes 1.5 oun...", "style: bag"], "instruction_attributes": ["non gmo", "freeze dried", "plant based"], "instruction_options": ["chocolate banana slices", "bag"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVCL8VU", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B009M4M6NE", "instruction": "i am looking for non gmo, low calorie and plant based organic foods which has flavor: strawberries & corn", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + corn", "size: 1 count (pack of 1)", "style: bag"], "instruction_attributes": ["non gmo", "low calorie", "plant based"], "instruction_options": ["strawberries + corn"], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWNN52B", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B009M4M6NE", "instruction": "i am looking for a 1.2 ounce (pack of 4) non gmo dried berries", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + raspberries", "size: 1.2 ounce (pack of 4)", "style: bag"], "instruction_attributes": ["non gmo"], "instruction_options": ["1.2 ounce (pack of 4)"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDBE0SV", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B009M4M6NE", "instruction": "i want freeze dried low calorie fat free dried berries size:8 ounce", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + peas", "size: 8 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["freeze dried", "low calorie", "fat free"], "instruction_options": ["8 ounce (pack of 1)", "bundle"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOFYLLS", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B009M4M6NE", "instruction": "i'm looking for a 1.2 ounce bag of freeze-dried strawberries and bananas; they must suit my low-calorie, fat-free diet.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + bananas", "size: 1.2 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["low calorie", "fat free"], "instruction_options": ["strawberries + bananas", "1.2 ounce (pack of 1)", "bag"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBT3JEC", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B009M4M6NE", "instruction": "i would like some non gmo chocolate mango slices", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: chocolate mango slices", "size: 2.2 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["non gmo"], "instruction_options": ["chocolate mango slices"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBILGHU", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B009M4M6NE", "instruction": "i need mango strips that are non gmo", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: mango strips", "size: 2.2 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["non gmo"], "instruction_options": ["mango strips"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227K5F8P", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B009M4M6NE", "instruction": "find fat free dried berries.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + tropical fruits", "size: 1.3 ounce (pack of 12)", "style: bag"], "instruction_attributes": ["fat free"], "instruction_options": [], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCNTBL8", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B009M4M6NE", "instruction": "i want a bag of natierra freeze dried strawberries + apples.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + apples", "size: 1.6 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries + apples"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79H4QKZ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B009M4M6NE", "instruction": "i would like some freeze dried chocolate mango slices that are in a bundle.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: chocolate mango slices", "size: 1.8 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["chocolate mango slices", "bundle"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9HF6K7", "worker_id": "A2ECRNQ3X5LEXD"}], "B07D7SMMX1": [{"asin": "B07D7SMMX1", "instruction": "can you find a navy blue men's cotton heather shirt in medium that has a heart made by a figure skater.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: navy", "fit type: men", "size: medium"], "instruction_attributes": ["cotton heather"], "instruction_options": ["navy", "men", "medium"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YUG3QX", "worker_id": "A2DDPSXH2X96RF"}, {"asin": "B07D7SMMX1", "instruction": "can you find a navy blue men's cotton heather shirt in medium that has a heart made by a figure skater.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: navy", "fit type: men", "size: medium"], "instruction_attributes": ["cotton heather"], "instruction_options": ["navy", "men", "medium"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YUG3QX", "worker_id": "A2DDPSXH2X96RF"}], "B096X55VYR": [{"asin": "B096X55VYR", "instruction": "i need tv antennas that are easy to install.", "attributes": ["easy install", "coaxial cable"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH21V1B", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B096X55VYR", "instruction": "i need tv antennas that are easy to install.", "attributes": ["easy install", "coaxial cable"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH21V1B", "worker_id": "A2ECRNQ3X5LEXD"}], "B07JWC2624": [{"asin": "B07JWC2624", "instruction": "i need to buy a casette recorder. get the one that in style \"convert player\" with included batteries.", "attributes": ["easy use", "batteries included", "plug play"], "options": ["style: convert player"], "instruction_attributes": ["batteries included"], "instruction_options": ["convert player"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8EMNZL", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07JWC2624", "instruction": "i need to buy a casette recorder. get the one that in style \"convert player\" with included batteries.", "attributes": ["easy use", "batteries included", "plug play"], "options": ["style: convert player"], "instruction_attributes": ["batteries included"], "instruction_options": ["convert player"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8EMNZL", "worker_id": "AR9AU5FY1S3RO"}], "B07C2DXR19": [{"asin": "B07C2DXR19", "instruction": "i need a pair of big and tall, long lasting, and comfortable wrangler jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: athens", "fit type: big & tall", "size: 46w x 34l"], "instruction_attributes": ["long lasting", "comfortable fit"], "instruction_options": ["big & tall"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGAVS9C", "worker_id": "A19317A3X87NVM"}, {"asin": "B07C2DXR19", "instruction": "i'm looking for a comfortable pair of big and tall jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: falls city", "fit type: big & tall", "size: 40w x 36l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["big & tall"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYOGPPM", "worker_id": "A19317A3X87NVM"}, {"asin": "B07C2DXR19", "instruction": "i need a pair of big and tall, long lasting, and comfortable wrangler jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: athens", "fit type: big & tall", "size: 46w x 34l"], "instruction_attributes": ["long lasting", "comfortable fit"], "instruction_options": ["big & tall"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGAVS9C", "worker_id": "A19317A3X87NVM"}, {"asin": "B07C2DXR19", "instruction": "i am looking for a comfortable fit jeans for men of tan color.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: tan", "fit type: relaxed", "size: 29w x 33l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["tan"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU5QRLN", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07C2DXR19", "instruction": "i'm searching for a mustang island colored long lasting regular fit jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: mustang island", "fit type: regular", "size: 36w x 38l"], "instruction_attributes": ["long lasting"], "instruction_options": ["regular"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC1QYZS", "worker_id": "A9ZM1P6LBW79"}, {"asin": "B07C2DXR19", "instruction": "add to my list a wrangler mens cowboy cut relaxed jeans and should be a comfortable fit.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: straw", "fit type: relaxed", "size: 32w x 36l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["relaxed"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BMUX8L", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B07C2DXR19", "instruction": "i would like some relaxed comfortable fit jeans", "attributes": ["long lasting", "comfortable fit"], "options": ["color: rocky mount", "fit type: relaxed", "size: 32w x 40l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["relaxed"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUOTS44", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07C2DXR19", "instruction": "i am looking for long lasting mens jeans of woodburn color.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: woodburn", "fit type: big & tall", "size: 37w x 36l"], "instruction_attributes": ["long lasting"], "instruction_options": ["woodburn"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF82LDM", "worker_id": "A1Q8PPQQCWGY0D"}], "B099VCHJ2T": [{"asin": "B099VCHJ2T", "instruction": "i need a nail polish carrying case.", "attributes": ["storage case", "nail polish", "nail art"], "options": [""], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYFLL6M", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B099VCHJ2T", "instruction": "i need a nail polish carrying case.", "attributes": ["storage case", "nail polish", "nail art"], "options": [""], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYFLL6M", "worker_id": "A2RBF3IIJP15IH"}], "B09PRK9BS6": [{"asin": "B09PRK9BS6", "instruction": "i am looking for a purple butt lifting thong for women.", "attributes": ["hand wash", "butt lifting", "quality polyester"], "options": ["color: purple", "size: medium"], "instruction_attributes": ["butt lifting"], "instruction_options": ["purple"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGISWJW6", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09PRK9BS6", "instruction": "i am looking for a purple butt lifting thong for women.", "attributes": ["hand wash", "butt lifting", "quality polyester"], "options": ["color: purple", "size: medium"], "instruction_attributes": ["butt lifting"], "instruction_options": ["purple"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGISWJW6", "worker_id": "A1EREKSZAA9V7B"}], "B00BXJCFR8": [{"asin": "B00BXJCFR8", "instruction": "i am looking to purchase a light buff and cruelty free manufactured makeup.", "attributes": ["highly pigmented", "cruelty free"], "options": ["color: light buff"], "instruction_attributes": ["cruelty free"], "instruction_options": ["light buff"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZUYZJA", "worker_id": "A114NK7T5673GK"}, {"asin": "B00BXJCFR8", "instruction": "i am looking to purchase a light buff and cruelty free manufactured makeup.", "attributes": ["highly pigmented", "cruelty free"], "options": ["color: light buff"], "instruction_attributes": ["cruelty free"], "instruction_options": ["light buff"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZUYZJA", "worker_id": "A114NK7T5673GK"}], "B09J1ZWZX1": [{"asin": "B09J1ZWZX1", "instruction": "i would like some gray heavy duty spa chairs that look like they belong in a hair salon.", "attributes": ["heavy duty", "hair salon"], "options": ["color: gray 2"], "instruction_attributes": ["heavy duty", "hair salon"], "instruction_options": ["gray 2"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYU1PPJ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09J1ZWZX1", "instruction": "i would like some gray heavy duty spa chairs that look like they belong in a hair salon.", "attributes": ["heavy duty", "hair salon"], "options": ["color: gray 2"], "instruction_attributes": ["heavy duty", "hair salon"], "instruction_options": ["gray 2"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYU1PPJ", "worker_id": "A1WS884SI0SLO4"}], "B005M4G23S": [{"asin": "B005M4G23S", "instruction": "i am looking for organic blueberries.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: blueberries", "size: 1 count (pack of 1)", "style: bundle"], "instruction_attributes": ["usda organic"], "instruction_options": ["blueberries", "1 count (pack of 1)"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602QS95W", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B005M4G23S", "instruction": "i am looking for organic blueberries.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: blueberries", "size: 1 count (pack of 1)", "style: bundle"], "instruction_attributes": ["usda organic"], "instruction_options": ["blueberries", "1 count (pack of 1)"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602QS95W", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B005M4G23S", "instruction": "i am looking for freeze dried in bananas and strawberries", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: bananas and strawberries", "size: 1.3 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["bananas and strawberries"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMQBEXM", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B005M4G23S", "instruction": "i'm looking for a plant based, freeze dried fruits which should be usda organic and free from fat and also low in calories. also, choose a pack of 8 which weighs 1.3 ounce bundle with strawberry and pineapple flavored one.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + pineapple", "size: 1.3 ounce (pack of 8)", "style: bundle"], "instruction_attributes": ["freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "instruction_options": ["strawberries + pineapple", "1.3 ounce (pack of 8)", "bundle"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0250NAKJ", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B005M4G23S", "instruction": "i'm looking for a plant based, freeze dried usda organic fruits which should be free from fat and has low calories. also, choose a pack of 4 weights 0.7 ounce bundle with mango flavored one.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: mango strips", "size: 0.7 ounce (pack of 4)", "style: bundle"], "instruction_attributes": ["freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "instruction_options": ["mango strips", "0.7 ounce (pack of 4)", "bundle"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO7P2C2", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B005M4G23S", "instruction": "i want a bag of natierra freeze-dried pineapples.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: beets", "size: 1.2 ounce", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["bag"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG5GBG9", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B005M4G23S", "instruction": "i'm looking for non-gmo freeze dried organic dried banana chips.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: bananas and strawberries", "size: 1.2 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["non gmo", "freeze dried", "usda organic"], "instruction_options": ["bananas and strawberries"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYZW637", "worker_id": "A62B826XMLK7K"}, {"asin": "B005M4G23S", "instruction": "i want natierra freeze-dried strawberries and mangos.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + mangos", "size: 1.2 ounce (pack of 4)", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries + mangos"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNPSTNH", "worker_id": "A2RBF3IIJP15IH"}], "B09S6RYMJ7": [{"asin": "B09S6RYMJ7", "instruction": "i need an exquisite pair of 63 inch long curtains that are also machine washable.", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: b006c13", "size: rod pocket-w 31.5 l 63"], "instruction_attributes": ["machine washable", "exquisite workmanship"], "instruction_options": ["rod pocket-w 31.5 l 63"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISUDYOA", "worker_id": "A19317A3X87NVM"}, {"asin": "B09S6RYMJ7", "instruction": "i need an exquisite pair of 63 inch long curtains that are also machine washable.", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: b006c13", "size: rod pocket-w 31.5 l 63"], "instruction_attributes": ["machine washable", "exquisite workmanship"], "instruction_options": ["rod pocket-w 31.5 l 63"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISUDYOA", "worker_id": "A19317A3X87NVM"}, {"asin": "B09S6RYMJ7", "instruction": "i want to buy some machine washable curtain panels and color b006c22. it needs to have a rod pocket and be size 36 width and 84 length.", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: b006c22", "size: rod pocket-w 36 l 84"], "instruction_attributes": ["machine washable"], "instruction_options": ["b006c22", "rod pocket-w 36 l 84"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7WXHLL", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B09S6RYMJ7", "instruction": "i'm looking for some machine washable window coverings with a 31 and a half inch width. they should come in color \"b006c14.\"", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: b006c14", "size: rod pocket-w 31.5 l 63"], "instruction_attributes": ["machine washable"], "instruction_options": ["b006c14", "rod pocket-w 31.5 l 63"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWEENFT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09S6RYMJ7", "instruction": "i would like a machine washable window treatment that is in the color b006c33", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: b006c33", "size: grommet-w 36 l 84"], "instruction_attributes": ["machine washable"], "instruction_options": ["b006c33"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X5HY3J", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QM85QH6": [{"asin": "B09QM85QH6", "instruction": "i am looking for white solid wood bunk beds with drawers.", "attributes": ["solid wood", "living room"], "options": ["color: white", "size: full", "style: twin over full bunk bed with ladder"], "instruction_attributes": ["solid wood"], "instruction_options": ["white"], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CU93BF", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09QM85QH6", "instruction": "i am looking for white solid wood bunk beds with drawers.", "attributes": ["solid wood", "living room"], "options": ["color: white", "size: full", "style: twin over full bunk bed with ladder"], "instruction_attributes": ["solid wood"], "instruction_options": ["white"], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CU93BF", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09QM85QH6", "instruction": "can you direct me to a bunk bed that's solid wood and comes in silver? thanks", "attributes": ["solid wood", "living room"], "options": ["color: silver", "size: full", "style: metal triple bunk bed with desk and shel..."], "instruction_attributes": ["solid wood"], "instruction_options": ["silver", "metal triple bunk bed with desk and shel..."], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQSY0P8", "worker_id": "A2TRV8SEM003GG"}], "B07CQ96G4F": [{"asin": "B07CQ96G4F", "instruction": "order a three pack of high speed coaxial cables, please.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: solid copper w | weather boot - white", "size: 5ft - 3 pack"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["5ft - 3 pack"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO4GJGH", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07CQ96G4F", "instruction": "i would like a black 80 foot high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: rg-59, bnc to bnc brass fitting - black", "size: 80ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["rg-59, bnc to bnc brass fitting - black", "80ft"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MT9Y9NO", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07CQ96G4F", "instruction": "i need a high speed 3 pack of coaxial cables", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield weather boot - black", "size: 10ft - 3 pack"], "instruction_attributes": ["high speed"], "instruction_options": ["10ft - 3 pack"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJYUNJUA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for indoor outdoor rg-6 coaxial cable of aluminum alloy and size:95ft", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield nickel-plated fitting -black", "size: 95ft"], "instruction_attributes": ["coaxial cable", "aluminum alloy"], "instruction_options": ["95ft"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96G0FONRE", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B07CQ96G4F", "instruction": "i'm looking for a high-speed coaxial cable that's 15 feet long. it should have a plated fitting.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: burial 3ghz rg11 ni-plated fitting - ora...", "size: 15 ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["burial 3ghz rg11 ni-plated fitting - ora...", "15 ft"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPE3U685", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07CQ96G4F", "instruction": "i'm looking for black quadshield weather boot fitting tri-shield indoor outdoor rg-6 coaxial nickel plated brass connecter 75 ohm cable of size 150ft.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield weather boot fitting - black", "size: 165ft"], "instruction_attributes": ["high speed", "coaxial cable", "aluminum alloy"], "instruction_options": ["quadshield weather boot fitting - black"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RUQDLRA", "worker_id": "A3AGXTSAHA2AFL"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for a 50ft coaxial cable that is black.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: usa made trishield - black", "size: 50 ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["usa made trishield - black", "50 ft"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISUTOYG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CQ96G4F", "instruction": "order a three pack of high speed coaxial cables, please.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: solid copper w | weather boot - white", "size: 5ft - 3 pack"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["5ft - 3 pack"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO4GJGH", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07CQ96G4F", "instruction": "i'm looking for a 5ft high speed coaxial cable aluminum alloy and quadshield nickel plated fitting", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield nickel plated fitting - white", "size: 5 ft"], "instruction_attributes": ["high speed", "coaxial cable", "aluminum alloy"], "instruction_options": ["quadshield nickel plated fitting - white", "5 ft"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR7CC0V", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for a 3ft high speed coaxial cable made up of aluminum alloy. i need 3 pack of it.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield at&t directv fitting - black", "size: 3ft - 3 pack"], "instruction_attributes": ["high speed", "coaxial cable", "aluminum alloy"], "instruction_options": ["3ft - 3 pack"], "assignment_id": "31JLPPHS254FPN8LK8H48035JW2O3K", "worker_id": "A1V2JTEEBCXR20"}, {"asin": "B07CQ96G4F", "instruction": "i need a long trishield coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield - white", "size: 240ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["240ft"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLVCRDT", "worker_id": "A19317A3X87NVM"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for a 25 ft f-pin-coaxial tip coaxial cable", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: solid copper - black", "size: 25 ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["25 ft"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V53U27", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07CQ96G4F", "instruction": "i'm looking for coaxial code for video accessories it was easy to use.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: copper, nickel plated fitting - white", "size: 140ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["copper, nickel plated fitting - white"], "assignment_id": "351SEKWQSBRP7CP60H83T50CFADDMV", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for a 75 ohm brass connector for coaxial cable nickel . i choose 39ft size cable made with copper", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: copper, at&t directv fitting - black", "size: 390ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["copper, at&t directv fitting - black", "390ft"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8Z2PZA", "worker_id": "A2COCSUGZV28X"}, {"asin": "B07CQ96G4F", "instruction": "i would like a 15 ft direct burial coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: direct burial - orange", "size: 15ft - 2 pack"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["direct burial - orange", "15ft - 2 pack"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA6W8CO", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for a white coaxial cable made of quadshield nickel plated fitting and of high speed.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield nickel plated fitting - white", "size: 270ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["quadshield nickel plated fitting - white"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3TEMZW", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B07CQ96G4F", "instruction": "i need an 80 feet long coaxial cable that is high speed.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield nickel-plated fitting -black", "size: 80ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["80ft"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9H1S1DP", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07CQ96G4F", "instruction": "i would like a 40 foot long trishield nickel plated coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield nickel-plated fitting -white", "size: 40ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["trishield nickel-plated fitting -white", "40ft"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1AOK1K", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for 140 feet of high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quadshield solid copper - black", "size: 140ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["140ft"], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36C12B3U", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for an 85 foot coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: quad shield rg-6 w | weather boot - black", "size: 85ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["85ft"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYSFQMW", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B07CQ96G4F", "instruction": "i want a 175ft white tri-shield rg-6 coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: dual - white", "size: 175ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["dual - white", "175ft"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJMUO9F", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07CQ96G4F", "instruction": "i need a 230 foot sized high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: burial 3ghz rg11 ni-plated fitting - ora...", "size: 230ft"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["230ft"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRFMWNE", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07CQ96G4F", "instruction": "i need a 40ft high speed coaxial cable", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: 1ft - 3 pack", "size: 40 ft"], "instruction_attributes": ["high speed"], "instruction_options": ["40 ft"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0WT4WP", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CQ96G4F", "instruction": "i need a 220 ft high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: copper 3ghz rg11 w | weather boot - black", "size: 220ft"], "instruction_attributes": ["high speed"], "instruction_options": ["220ft"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IODTLO", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07CQ96G4F", "instruction": "i am looking for 150ft trishield rg11 aerial messenger - black type coaxial cable aluminum alloy", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["material type: trishield rg11 aerial messenger - black", "size: 150ft"], "instruction_attributes": ["coaxial cable", "aluminum alloy"], "instruction_options": ["trishield rg11 aerial messenger - black", "150ft"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PAJUBA", "worker_id": "A258PTOZ3D2TQR"}], "B09HV27SXS": [{"asin": "B09HV27SXS", "instruction": "i'm looking for green color 24 pack merry christmas cupcake decorations for christmas party supplies.", "attributes": ["party supplies", "baby shower", "birthday party"], "options": ["color: green"], "instruction_attributes": ["party supplies"], "instruction_options": ["green"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4FM8MI", "worker_id": "A3AGXTSAHA2AFL"}, {"asin": "B09HV27SXS", "instruction": "i'm looking for green color 24 pack merry christmas cupcake decorations for christmas party supplies.", "attributes": ["party supplies", "baby shower", "birthday party"], "options": ["color: green"], "instruction_attributes": ["party supplies"], "instruction_options": ["green"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4FM8MI", "worker_id": "A3AGXTSAHA2AFL"}], "B001B3RFK8": [{"asin": "B001B3RFK8", "instruction": "i need a 8 fl oz lemon tea tree shampoo that has natural ingredients,", "attributes": ["certified organic", "cruelty free", "tea tree", "natural ingredients"], "options": ["scent: lemon tea", "size: 8 fl oz (pack of 2)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["lemon tea", "8 fl oz (pack of 2)"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHBPBNS", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B001B3RFK8", "instruction": "i need a 8 fl oz lemon tea tree shampoo that has natural ingredients,", "attributes": ["certified organic", "cruelty free", "tea tree", "natural ingredients"], "options": ["scent: lemon tea", "size: 8 fl oz (pack of 2)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["lemon tea", "8 fl oz (pack of 2)"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHBPBNS", "worker_id": "A2RBF3IIJP15IH"}], "B095TWK6H7": [{"asin": "B095TWK6H7", "instruction": "i'm looking for a set of makeup brushes in the color peaceful purple to help me with my eyeshadow makeup.", "attributes": ["cruelty free", "synthetic hair", "eye shadow"], "options": ["color: peaceful purple"], "instruction_attributes": ["eye shadow"], "instruction_options": ["peaceful purple"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79GDQK6", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B095TWK6H7", "instruction": "i'm looking for a set of makeup brushes in the color peaceful purple to help me with my eyeshadow makeup.", "attributes": ["cruelty free", "synthetic hair", "eye shadow"], "options": ["color: peaceful purple"], "instruction_attributes": ["eye shadow"], "instruction_options": ["peaceful purple"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79GDQK6", "worker_id": "A2JP9IKRHNLRPI"}], "B09B4CQMRP": [{"asin": "B09B4CQMRP", "instruction": "i'm looking for a mid-century, white queen bed frame.", "attributes": ["mid century", "white item"], "options": [""], "instruction_attributes": ["mid century", "white item"], "instruction_options": [], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZASLKE", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09B4CQMRP", "instruction": "i'm looking for a mid-century, white queen bed frame.", "attributes": ["mid century", "white item"], "options": [""], "instruction_attributes": ["mid century", "white item"], "instruction_options": [], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZASLKE", "worker_id": "A345TDMHP3DQ3G"}], "B081B9RX7R": [{"asin": "B081B9RX7R", "instruction": "i would like navy fleece slippers that are machine washable and are xx-large.", "attributes": ["machine washable", "memory foam", "everyday wear"], "options": ["color: navy fleece", "size: xx-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["navy fleece", "xx-large"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXWICR", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B081B9RX7R", "instruction": "i would like navy fleece slippers that are machine washable and are xx-large.", "attributes": ["machine washable", "memory foam", "everyday wear"], "options": ["color: navy fleece", "size: xx-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["navy fleece", "xx-large"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXWICR", "worker_id": "A2ECRNQ3X5LEXD"}], "B01FUI25OU": [{"asin": "B01FUI25OU", "instruction": "i am looking for a low fat strawberry flavored ultra-filtered milk.", "attributes": ["low fat", "shelf stable", "gluten free", "natural flavors"], "options": ["flavor name: strawberry", "size: 3 pack - 14 fl oz (pack of 12)"], "instruction_attributes": ["low fat"], "instruction_options": ["strawberry"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5D7Z1F", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01FUI25OU", "instruction": "i am looking for a low fat strawberry flavored ultra-filtered milk.", "attributes": ["low fat", "shelf stable", "gluten free", "natural flavors"], "options": ["flavor name: strawberry", "size: 3 pack - 14 fl oz (pack of 12)"], "instruction_attributes": ["low fat"], "instruction_options": ["strawberry"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5D7Z1F", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01FUI25OU", "instruction": "i am looking for a low fat and gluten free classic white flavoured milk.", "attributes": ["low fat", "shelf stable", "gluten free", "natural flavors"], "options": ["flavor name: classic white", "size: 14 fl oz (pack of 24)"], "instruction_attributes": ["low fat", "gluten free"], "instruction_options": ["classic white"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0ZBW45", "worker_id": "A1V2JTEEBCXR20"}, {"asin": "B01FUI25OU", "instruction": "i'm looking for this brand : fairlife yup! low fat, ultra-filtered milk, rich chocolate flavor, all natural flavors), 14 fl oz, (pack of 4).", "attributes": ["low fat", "shelf stable", "gluten free", "natural flavors"], "options": ["flavor name: rich chocolate", "size: 14 fl oz (pack of 4)"], "instruction_attributes": ["low fat"], "instruction_options": ["rich chocolate", "14 fl oz (pack of 4)"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBHNFQ", "worker_id": "A15IJ20C3R4HUO"}], "B07QJDJL8J": [{"asin": "B07QJDJL8J", "instruction": "i would like a 7 pack of 1.23 ounce gluten free barbecue chips.", "attributes": ["low carb", "gluten free", "keto friendly", "high protein", "sugar free"], "options": ["flavor name: barbecue", "size: 1.23 ounce (pack of 7)"], "instruction_attributes": ["gluten free"], "instruction_options": ["barbecue", "1.23 ounce (pack of 7)"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THTD5Z4", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07QJDJL8J", "instruction": "i would like a 7 pack of 1.23 ounce gluten free barbecue chips.", "attributes": ["low carb", "gluten free", "keto friendly", "high protein", "sugar free"], "options": ["flavor name: barbecue", "size: 1.23 ounce (pack of 7)"], "instruction_attributes": ["gluten free"], "instruction_options": ["barbecue", "1.23 ounce (pack of 7)"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THTD5Z4", "worker_id": "A1WS884SI0SLO4"}], "B06X9YWQT8": [{"asin": "B06X9YWQT8", "instruction": "i am looking for a hot buttered rum cocktail, 12.7 fl oz (pack of 1) to present as perfect gift", "attributes": ["natural ingredients", "perfect gift"], "options": ["flavor name: hot buttered rum", "size: 12.7 fl oz (pack of 1)"], "instruction_attributes": ["perfect gift"], "instruction_options": ["hot buttered rum"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYL8QMB", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B06X9YWQT8", "instruction": "i am looking for a hot buttered rum cocktail, 12.7 fl oz (pack of 1) to present as perfect gift", "attributes": ["natural ingredients", "perfect gift"], "options": ["flavor name: hot buttered rum", "size: 12.7 fl oz (pack of 1)"], "instruction_attributes": ["perfect gift"], "instruction_options": ["hot buttered rum"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYL8QMB", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B06X9YWQT8", "instruction": "show me your concentrated drink mixes with natural ingredients, i'm looking for wild ginger flavor.", "attributes": ["natural ingredients", "perfect gift"], "options": ["flavor name: wild ginger", "size: 25.36 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["wild ginger"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79OSH1B", "worker_id": "A3EDFA8UQT5GG8"}], "B078WFSCMN": [{"asin": "B078WFSCMN", "instruction": "i want nightsky vintage wash toad & co mission ridge pants with button closure in size 33w x 32l.", "attributes": ["moisture wicking", "button closure"], "options": ["color: nightsky vintage wash", "size: 33w x 32l"], "instruction_attributes": ["button closure"], "instruction_options": ["nightsky vintage wash", "33w x 32l"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMHYXVN", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B078WFSCMN", "instruction": "i want nightsky vintage wash toad & co mission ridge pants with button closure in size 33w x 32l.", "attributes": ["moisture wicking", "button closure"], "options": ["color: nightsky vintage wash", "size: 33w x 32l"], "instruction_attributes": ["button closure"], "instruction_options": ["nightsky vintage wash", "33w x 32l"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMHYXVN", "worker_id": "A2RBF3IIJP15IH"}], "B01N3KGXB8": [{"asin": "B01N3KGXB8", "instruction": "looking for one coloring beard with coconut oil and a real black color", "attributes": ["easy use", "coconut oil"], "options": ["size: pack of 3", "style: real black"], "instruction_attributes": ["coconut oil"], "instruction_options": ["pack of 3", "real black"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT34HJH4", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B01N3KGXB8", "instruction": "looking for one coloring beard with coconut oil and a real black color", "attributes": ["easy use", "coconut oil"], "options": ["size: pack of 3", "style: real black"], "instruction_attributes": ["coconut oil"], "instruction_options": ["pack of 3", "real black"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT34HJH4", "worker_id": "A2Y2TURT2VEYZN"}], "B08JYGZZ8C": [{"asin": "B08JYGZZ8C", "instruction": "i am looking for camo colored women's running shorts with an elastic waistband.", "attributes": ["nylon spandex", "elastic waistband"], "options": ["color: camo", "size: 3x-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["camo"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL4NECC", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08JYGZZ8C", "instruction": "i am looking for camo colored women's running shorts with an elastic waistband.", "attributes": ["nylon spandex", "elastic waistband"], "options": ["color: camo", "size: 3x-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["camo"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL4NECC", "worker_id": "A1EREKSZAA9V7B"}], "B07PPH74SH": [{"asin": "B07PPH74SH", "instruction": "i would like a six pack of 20 inch black mix light auburn high quality hair extensions.", "attributes": ["high quality", "easy apply", "hair extensions"], "options": ["color: faux straight-black mix light auburn", "size: 20 inch (pack of 6)"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["faux straight-black mix light auburn", "20 inch (pack of 6)"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYKKCG9", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07PPH74SH", "instruction": "i would like a six pack of 20 inch black mix light auburn high quality hair extensions.", "attributes": ["high quality", "easy apply", "hair extensions"], "options": ["color: faux straight-black mix light auburn", "size: 20 inch (pack of 6)"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["faux straight-black mix light auburn", "20 inch (pack of 6)"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYKKCG9", "worker_id": "A1WS884SI0SLO4"}], "B009D5546S": [{"asin": "B009D5546S", "instruction": "i am looking for a single pack 6.6 ounce size low calorie chocolate.", "attributes": ["low carb", "low sugar", "low calorie", "keto friendly"], "options": ["flavor name: dipped", "size: 6.6 ounce (pack of 1)"], "instruction_attributes": ["low calorie"], "instruction_options": ["6.6 ounce (pack of 1)"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6GL2BF", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B009D5546S", "instruction": "i am looking for a single pack 6.6 ounce size low calorie chocolate.", "attributes": ["low carb", "low sugar", "low calorie", "keto friendly"], "options": ["flavor name: dipped", "size: 6.6 ounce (pack of 1)"], "instruction_attributes": ["low calorie"], "instruction_options": ["6.6 ounce (pack of 1)"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6GL2BF", "worker_id": "A1Q8PPQQCWGY0D"}], "B09BF2F9ST": [{"asin": "B09BF2F9ST", "instruction": "i am looking for 20 inch natural hair extensions with a scandinavian blonde color.", "attributes": ["double sided", "hair extensions", "natural hair"], "options": ["color: #sb scandinavian blonde", "size: 20 inch"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["#sb scandinavian blonde", "20 inch"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG17BU9P", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09BF2F9ST", "instruction": "i am looking for 20 inch natural hair extensions with a scandinavian blonde color.", "attributes": ["double sided", "hair extensions", "natural hair"], "options": ["color: #sb scandinavian blonde", "size: 20 inch"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["#sb scandinavian blonde", "20 inch"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG17BU9P", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09BF2F9ST", "instruction": "i am looking for a color: #27 hair extensions", "attributes": ["double sided", "hair extensions", "natural hair"], "options": ["color: #27", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#27"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IS0LTB", "worker_id": "A9QRQL9CFJBI7"}], "B07QRMS7PW": [{"asin": "B07QRMS7PW", "instruction": "i'm looking for a pair of leather soled, memory foam loafers that are red and in a size 9.", "attributes": ["leather sole", "memory foam"], "options": ["color: red", "size: 9"], "instruction_attributes": ["leather sole", "memory foam"], "instruction_options": ["red", "9"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINQ1270", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B07QRMS7PW", "instruction": "i'm looking for a pair of leather soled, memory foam loafers that are red and in a size 9.", "attributes": ["leather sole", "memory foam"], "options": ["color: red", "size: 9"], "instruction_attributes": ["leather sole", "memory foam"], "instruction_options": ["red", "9"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINQ1270", "worker_id": "A2JP9IKRHNLRPI"}], "B09LLXSGSX": [{"asin": "B09LLXSGSX", "instruction": "i'm looking for color a recliner chair for hair salon.", "attributes": ["stainless steel", "hair salon"], "options": ["color: a"], "instruction_attributes": ["hair salon"], "instruction_options": ["a"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09161M", "worker_id": "A3AGXTSAHA2AFL"}, {"asin": "B09LLXSGSX", "instruction": "i'm looking for color a recliner chair for hair salon.", "attributes": ["stainless steel", "hair salon"], "options": ["color: a"], "instruction_attributes": ["hair salon"], "instruction_options": ["a"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09161M", "worker_id": "A3AGXTSAHA2AFL"}, {"asin": "B09LLXSGSX", "instruction": "i need a hydraulic recliner barber chair for hair salon.", "attributes": ["stainless steel", "hair salon"], "options": ["color: a"], "instruction_attributes": ["hair salon"], "instruction_options": ["a"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRM99FM", "worker_id": "A2RBF3IIJP15IH"}], "B007Y8YZHU": [{"asin": "B007Y8YZHU", "instruction": "help me find some hand crafted gourmet crab stuffed mushrooms. i need about 36 appetizers.", "attributes": ["ready use", "hand crafted"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "39O5D9O8742EGYBIU38DD09OUFF3CS", "worker_id": "A2DDPSXH2X96RF"}, {"asin": "B007Y8YZHU", "instruction": "help me find some hand crafted gourmet crab stuffed mushrooms. i need about 36 appetizers.", "attributes": ["ready use", "hand crafted"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "39O5D9O8742EGYBIU38DD09OUFF3CS", "worker_id": "A2DDPSXH2X96RF"}], "B09R1XKN1D": [{"asin": "B09R1XKN1D", "instruction": "i am looking for wide leg pants that are pink in a size small.", "attributes": ["wide leg", "butt lifting", "tummy control", "short sleeve", "elastic waist", "high waist", "long sleeve"], "options": ["color: pink", "size: small"], "instruction_attributes": ["wide leg"], "instruction_options": ["pink", "small"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQUTB4W", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09R1XKN1D", "instruction": "i am looking for wide leg pants that are pink in a size small.", "attributes": ["wide leg", "butt lifting", "tummy control", "short sleeve", "elastic waist", "high waist", "long sleeve"], "options": ["color: pink", "size: small"], "instruction_attributes": ["wide leg"], "instruction_options": ["pink", "small"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQUTB4W", "worker_id": "A2ECRNQ3X5LEXD"}], "B08Z74Q2L7": [{"asin": "B08Z74Q2L7", "instruction": "i need a gingko light and 20\"x20\" pillow cover that is hand painted.", "attributes": ["hand painted", "living room"], "options": ["color: nudes (gingko light)", "size: 20\"x20\""], "instruction_attributes": ["hand painted"], "instruction_options": ["nudes (gingko light)", "20\"x20\""], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UM2ZEP", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08Z74Q2L7", "instruction": "i need a gingko light and 20\"x20\" pillow cover that is hand painted.", "attributes": ["hand painted", "living room"], "options": ["color: nudes (gingko light)", "size: 20\"x20\""], "instruction_attributes": ["hand painted"], "instruction_options": ["nudes (gingko light)", "20\"x20\""], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UM2ZEP", "worker_id": "A2RBF3IIJP15IH"}], "B0869KB734": [{"asin": "B0869KB734", "instruction": "i need a 52'' x 84'' x 2 panels window curtain for the living room.", "attributes": ["eco friendly", "living room", "dining room"], "options": ["size: 52'' x 84'' x 2 panels"], "instruction_attributes": ["living room"], "instruction_options": ["52'' x 84'' x 2 panels"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZF9O8L", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B0869KB734", "instruction": "i need a 52'' x 84'' x 2 panels window curtain for the living room.", "attributes": ["eco friendly", "living room", "dining room"], "options": ["size: 52'' x 84'' x 2 panels"], "instruction_attributes": ["living room"], "instruction_options": ["52'' x 84'' x 2 panels"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZF9O8L", "worker_id": "A2RBF3IIJP15IH"}], "B08P4FQWS9": [{"asin": "B08P4FQWS9", "instruction": "i am looking for an eco friendly bookcase that has four tiers.", "attributes": ["eco friendly", "wall mounted", "long lasting", "heavy duty", "solid wood", "coated steel", "living room"], "options": ["size: 4-tier"], "instruction_attributes": ["eco friendly"], "instruction_options": ["4-tier"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTBJD5T", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08P4FQWS9", "instruction": "i am looking for an eco friendly bookcase that has four tiers.", "attributes": ["eco friendly", "wall mounted", "long lasting", "heavy duty", "solid wood", "coated steel", "living room"], "options": ["size: 4-tier"], "instruction_attributes": ["eco friendly"], "instruction_options": ["4-tier"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTBJD5T", "worker_id": "A2ECRNQ3X5LEXD"}], "B09T2Y3MCL": [{"asin": "B09T2Y3MCL", "instruction": "i need large pink board shorts that are a classic fit.", "attributes": ["straight leg", "slim fit", "loose fit", "wash cold", "hand wash", "machine wash", "classic fit", "elastic waist", "elastic waistband", "relaxed fit", "comfortable fit", "drawstring closure", "regular fit", "tumble dry"], "options": ["color: 03-pink", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["03-pink", "large"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPIB6EB", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09T2Y3MCL", "instruction": "i need large pink board shorts that are a classic fit.", "attributes": ["straight leg", "slim fit", "loose fit", "wash cold", "hand wash", "machine wash", "classic fit", "elastic waist", "elastic waistband", "relaxed fit", "comfortable fit", "drawstring closure", "regular fit", "tumble dry"], "options": ["color: 03-pink", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["03-pink", "large"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPIB6EB", "worker_id": "A2ECRNQ3X5LEXD"}], "B003DNL9XI": [{"asin": "B003DNL9XI", "instruction": "i am looking for a caffeine free raspberry ice flavored drink mix.", "attributes": ["caffeine free", "low sodium", "gluten free"], "options": ["flavor name: raspberry ice", "size: 1.3 ounce (pack of 4)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["raspberry ice"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2UT94N", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B003DNL9XI", "instruction": "i am looking for a caffeine free raspberry ice flavored drink mix.", "attributes": ["caffeine free", "low sodium", "gluten free"], "options": ["flavor name: raspberry ice", "size: 1.3 ounce (pack of 4)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["raspberry ice"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2UT94N", "worker_id": "A1EREKSZAA9V7B"}], "B09Q8LFXB7": [{"asin": "B09Q8LFXB7", "instruction": "i am interested in a pink high definition portable bluetooth speaker.", "attributes": ["power amplifier", "high power", "high definition"], "options": ["color: pink"], "instruction_attributes": ["high definition"], "instruction_options": ["pink"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9IUB0X", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09Q8LFXB7", "instruction": "i am interested in a pink high definition portable bluetooth speaker.", "attributes": ["power amplifier", "high power", "high definition"], "options": ["color: pink"], "instruction_attributes": ["high definition"], "instruction_options": ["pink"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9IUB0X", "worker_id": "A2ECRNQ3X5LEXD"}], "B06XGR5NDY": [{"asin": "B06XGR5NDY", "instruction": "i'm looking for 36 ounce fragrance free camile beckman", "attributes": ["animal testing", "fragrance free", "coconut oil"], "options": ["scent name: wellness plus", "size: 36 ounce"], "instruction_attributes": ["fragrance free"], "instruction_options": ["36 ounce"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40TERC3", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B06XGR5NDY", "instruction": "i'm looking for 36 ounce fragrance free camile beckman", "attributes": ["animal testing", "fragrance free", "coconut oil"], "options": ["scent name: wellness plus", "size: 36 ounce"], "instruction_attributes": ["fragrance free"], "instruction_options": ["36 ounce"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40TERC3", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B06XGR5NDY", "instruction": "i'm looking for bathing free accessories for fragrance free.", "attributes": ["animal testing", "fragrance free", "coconut oil"], "options": ["scent name: full relaxation", "size: 36 ounce"], "instruction_attributes": ["fragrance free"], "instruction_options": ["full relaxation"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTJO4DN", "worker_id": "A16IQOX0DK14OJ"}], "B07VMKMY8G": [{"asin": "B07VMKMY8G", "instruction": "i'm looking for rose gold hair dye in a 70 ml bottle.", "attributes": ["cruelty free", "rose gold", "hair dye", "permanent hair"], "options": ["color: fuchsia", "size: 70 ml"], "instruction_attributes": ["rose gold"], "instruction_options": ["70 ml"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV8YV8M", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B07VMKMY8G", "instruction": "i'm looking for rose gold hair dye in a 70 ml bottle.", "attributes": ["cruelty free", "rose gold", "hair dye", "permanent hair"], "options": ["color: fuchsia", "size: 70 ml"], "instruction_attributes": ["rose gold"], "instruction_options": ["70 ml"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV8YV8M", "worker_id": "A2JP9IKRHNLRPI"}], "B09RVVYVPX": [{"asin": "B09RVVYVPX", "instruction": "i need a wall mounted floating tv stand.", "attributes": ["wall mounted", "space saving", "easy install", "easy clean", "solid wood", "living room"], "options": ["color: a"], "instruction_attributes": ["wall mounted"], "instruction_options": ["a"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNIPNTU", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09RVVYVPX", "instruction": "i need a wall mounted floating tv stand.", "attributes": ["wall mounted", "space saving", "easy install", "easy clean", "solid wood", "living room"], "options": ["color: a"], "instruction_attributes": ["wall mounted"], "instruction_options": ["a"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNIPNTU", "worker_id": "A2RBF3IIJP15IH"}], "B07PMV8LZ3": [{"asin": "B07PMV8LZ3", "instruction": "buy me a machine washable button down shirt in 3x large.", "attributes": ["slim fit", "hand wash", "wash cold", "machine wash", "cotton spandex", "button closure", "long sleeve", "tumble dry"], "options": ["color: jzs001_navy", "size: 3x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["3x-large"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3DAAYO", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07PMV8LZ3", "instruction": "buy me a machine washable button down shirt in 3x large.", "attributes": ["slim fit", "hand wash", "wash cold", "machine wash", "cotton spandex", "button closure", "long sleeve", "tumble dry"], "options": ["color: jzs001_navy", "size: 3x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["3x-large"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3DAAYO", "worker_id": "AR9AU5FY1S3RO"}], "B09FXG949K": [{"asin": "B09FXG949K", "instruction": "i need some skin care tools for dark circles with xiuyan jade.", "attributes": ["dark circles", "fine lines"], "options": ["color: xiuyan jade"], "instruction_attributes": ["dark circles"], "instruction_options": ["xiuyan jade"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OP4PO1", "worker_id": "A19317A3X87NVM"}, {"asin": "B09FXG949K", "instruction": "i need some skin care tools for dark circles with xiuyan jade.", "attributes": ["dark circles", "fine lines"], "options": ["color: xiuyan jade"], "instruction_attributes": ["dark circles"], "instruction_options": ["xiuyan jade"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OP4PO1", "worker_id": "A19317A3X87NVM"}], "B075FCVZ9J": [{"asin": "B075FCVZ9J", "instruction": "i am looking for a table and chair set that is white and easy to assemble.", "attributes": ["white item", "easy assemble", "white finish", "steel frame"], "options": ["color: white"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCM5I7Y", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B075FCVZ9J", "instruction": "i am looking for a table and chair set that is white and easy to assemble.", "attributes": ["white item", "easy assemble", "white finish", "steel frame"], "options": ["color: white"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCM5I7Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B08C7BGKF4": [{"asin": "B08C7BGKF4", "instruction": "i am looking for a sugar free energy drink of zero ultra flavor.", "attributes": ["sugar free", "zero sugar"], "options": ["flavor name: zero ultra", "size: 16 fl oz (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["zero ultra"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYNQFXX", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08C7BGKF4", "instruction": "i am looking for a sugar free energy drink of zero ultra flavor.", "attributes": ["sugar free", "zero sugar"], "options": ["flavor name: zero ultra", "size: 16 fl oz (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["zero ultra"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYNQFXX", "worker_id": "A1Q8PPQQCWGY0D"}], "B000EP8D7I": [{"asin": "B000EP8D7I", "instruction": "i'm looking for a pair of classic brown, long lasting boat shoes in a size 14 wide with a synthetic sole.", "attributes": ["long lasting", "synthetic sole"], "options": ["color: classic brown", "size: 14 wide"], "instruction_attributes": ["long lasting", "synthetic sole"], "instruction_options": ["classic brown", "14 wide"], "assignment_id": "33F859I56HNA01QBVO1K6A4GVZABHD", "worker_id": "AFU00NU09CFXE"}, {"asin": "B000EP8D7I", "instruction": "can you find me a pair of long lasting boat shoes with a synthetic sole? get the ones in a brown varsity color and in 8.5 x narrow.", "attributes": ["long lasting", "synthetic sole"], "options": ["color: brown varsity", "size: 8.5 x-narrow"], "instruction_attributes": ["long lasting", "synthetic sole"], "instruction_options": ["brown varsity", "8.5 x-narrow"], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38GVVJJH", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B000EP8D7I", "instruction": "i'm looking for a pair of classic brown, long lasting boat shoes in a size 14 wide with a synthetic sole.", "attributes": ["long lasting", "synthetic sole"], "options": ["color: classic brown", "size: 14 wide"], "instruction_attributes": ["long lasting", "synthetic sole"], "instruction_options": ["classic brown", "14 wide"], "assignment_id": "33F859I56HNA01QBVO1K6A4GVZABHD", "worker_id": "AFU00NU09CFXE"}, {"asin": "B000EP8D7I", "instruction": "i am looking for a long lasting shoe with synthetic sole in 8.5 wide. also choose navy or red.", "attributes": ["long lasting", "synthetic sole"], "options": ["color: navy | red", "size: 8.5 wide"], "instruction_attributes": ["long lasting", "synthetic sole"], "instruction_options": ["navy | red", "8.5 wide"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPWMG0L", "worker_id": "A2HMEGTAFO0CS8"}], "B0186F92JU": [{"asin": "B0186F92JU", "instruction": "i am looking for a grain free granola cereal.", "attributes": ["grain free", "gluten free"], "options": [""], "instruction_attributes": ["grain free"], "instruction_options": [], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC52AKRW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B0186F92JU", "instruction": "i am looking for a grain free granola cereal.", "attributes": ["grain free", "gluten free"], "options": [""], "instruction_attributes": ["grain free"], "instruction_options": [], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC52AKRW", "worker_id": "A1EREKSZAA9V7B"}], "B093YDG89M": [{"asin": "B093YDG89M", "instruction": "buy me a package of anti-aging masks.", "attributes": ["anti aging", "fine lines"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9LUTVK", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B093YDG89M", "instruction": "buy me a package of anti-aging masks.", "attributes": ["anti aging", "fine lines"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9LUTVK", "worker_id": "AR9AU5FY1S3RO"}], "B09447F7D9": [{"asin": "B09447F7D9", "instruction": "i need a yellow portable sound box that is easy to carry.", "attributes": ["easy carry", "stereo sound"], "options": ["color: yellow"], "instruction_attributes": ["easy carry"], "instruction_options": ["yellow"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWVK1CH", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09447F7D9", "instruction": "i need a yellow portable sound box that is easy to carry.", "attributes": ["easy carry", "stereo sound"], "options": ["color: yellow"], "instruction_attributes": ["easy carry"], "instruction_options": ["yellow"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWVK1CH", "worker_id": "A2RBF3IIJP15IH"}], "B08JMB7JVC": [{"asin": "B08JMB7JVC", "instruction": "buy me a new flat-packed bed frame.", "attributes": ["mid century", "assembly required", "memory foam", "box spring"], "options": [""], "instruction_attributes": ["assembly required"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLWFVA7", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08JMB7JVC", "instruction": "buy me a new flat-packed bed frame.", "attributes": ["mid century", "assembly required", "memory foam", "box spring"], "options": [""], "instruction_attributes": ["assembly required"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLWFVA7", "worker_id": "AR9AU5FY1S3RO"}], "B083236V15": [{"asin": "B083236V15", "instruction": "i am looking for an end table that is for the living room and is a whitewash color.", "attributes": ["assembly required", "engineered wood", "living room"], "options": ["color: whitewash", "style: end table"], "instruction_attributes": ["living room"], "instruction_options": ["whitewash", "end table"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSENYPGOW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B083236V15", "instruction": "i am looking for an end table that is for the living room and is a whitewash color.", "attributes": ["assembly required", "engineered wood", "living room"], "options": ["color: whitewash", "style: end table"], "instruction_attributes": ["living room"], "instruction_options": ["whitewash", "end table"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSENYPGOW", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QM2MNBQ": [{"asin": "B09QM2MNBQ", "instruction": "i would like a extra small grayed jade workout shorts with pockets and a drawstring.", "attributes": ["polyester spandex", "drawstring closure"], "options": ["color: grayed jade", "size: x-small"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["grayed jade", "x-small"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQI213E", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09QM2MNBQ", "instruction": "i would like a extra small grayed jade workout shorts with pockets and a drawstring.", "attributes": ["polyester spandex", "drawstring closure"], "options": ["color: grayed jade", "size: x-small"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["grayed jade", "x-small"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQI213E", "worker_id": "A1WS884SI0SLO4"}], "B0734JNMSW": [{"asin": "B0734JNMSW", "instruction": "i am looking for a copper eco friendly tongue scraper for bad breath.", "attributes": ["eco friendly", "stainless steel", "bad breath"], "options": ["color: copper"], "instruction_attributes": ["eco friendly", "bad breath"], "instruction_options": ["copper"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6ITPKHC", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B0734JNMSW", "instruction": "i am looking for a copper eco friendly tongue scraper for bad breath.", "attributes": ["eco friendly", "stainless steel", "bad breath"], "options": ["color: copper"], "instruction_attributes": ["eco friendly", "bad breath"], "instruction_options": ["copper"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6ITPKHC", "worker_id": "A1EREKSZAA9V7B"}], "B0866672GG": [{"asin": "B0866672GG", "instruction": "i would like a 18 pack of peanut butter and jelly soy free nut bars.", "attributes": ["soy free", "grain free", "plant based", "dairy free", "gluten free"], "options": ["flavor name: peanut butter & jelly", "size: 18 pack"], "instruction_attributes": ["soy free"], "instruction_options": ["peanut butter & jelly", "18 pack"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOE6TCD", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0866672GG", "instruction": "i would like a 18 pack of peanut butter and jelly soy free nut bars.", "attributes": ["soy free", "grain free", "plant based", "dairy free", "gluten free"], "options": ["flavor name: peanut butter & jelly", "size: 18 pack"], "instruction_attributes": ["soy free"], "instruction_options": ["peanut butter & jelly", "18 pack"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOE6TCD", "worker_id": "A1WS884SI0SLO4"}], "B09DWZH78K": [{"asin": "B09DWZH78K", "instruction": "i need sun canvas women's slip on sneakers in size 12 with arch support.", "attributes": ["machine wash", "arch support", "rubber sole"], "options": ["color: sun canvas", "size: 12"], "instruction_attributes": ["arch support"], "instruction_options": ["sun canvas", "12"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C3OPHB", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09DWZH78K", "instruction": "i need sun canvas women's slip on sneakers in size 12 with arch support.", "attributes": ["machine wash", "arch support", "rubber sole"], "options": ["color: sun canvas", "size: 12"], "instruction_attributes": ["arch support"], "instruction_options": ["sun canvas", "12"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C3OPHB", "worker_id": "A2RBF3IIJP15IH"}], "B08V5JCL3Y": [{"asin": "B08V5JCL3Y", "instruction": "i am looking for a small long sleeve t-shirt that is gray.", "attributes": ["hand wash", "long sleeve", "high waist", "short sleeve", "daily wear"], "options": ["color: 003gray", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["003gray", "small"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TPWPMT", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08V5JCL3Y", "instruction": "i am looking for a small long sleeve t-shirt that is gray.", "attributes": ["hand wash", "long sleeve", "high waist", "short sleeve", "daily wear"], "options": ["color: 003gray", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["003gray", "small"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TPWPMT", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TGF63QG": [{"asin": "B07TGF63QG", "instruction": "i'm looking for a brown runner type rug for my living room.", "attributes": ["spot clean", "living room"], "options": ["color: brown", "item shape: runner", "size: 8 ft. x 10 ft."], "instruction_attributes": ["living room"], "instruction_options": ["brown", "runner"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPVYPJM", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07TGF63QG", "instruction": "i'm looking for a brown runner type rug for my living room.", "attributes": ["spot clean", "living room"], "options": ["color: brown", "item shape: runner", "size: 8 ft. x 10 ft."], "instruction_attributes": ["living room"], "instruction_options": ["brown", "runner"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPVYPJM", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07TGF63QG", "instruction": "i would like to buy a 7 by 9 foot round green rug for my living room.", "attributes": ["spot clean", "living room"], "options": ["color: green", "item shape: round", "size: 7 ft. x 9 ft."], "instruction_attributes": ["living room"], "instruction_options": ["green", "round", "7 ft. x 9 ft."], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL5M5H8", "worker_id": "A1WS884SI0SLO4"}], "B08L828DTL": [{"asin": "B08L828DTL", "instruction": "i am looking for a high performance digital subwoofer power amplifier board.", "attributes": ["power amplifier", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9DDE26", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08L828DTL", "instruction": "i am looking for a high performance digital subwoofer power amplifier board.", "attributes": ["power amplifier", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9DDE26", "worker_id": "A1EREKSZAA9V7B"}], "B01NAER8CP": [{"asin": "B01NAER8CP", "instruction": "i'd like to buy some cinnamon flavored nuts. look for nuts with zero trans fats, please.", "attributes": ["artificial colors", "0g trans"], "options": ["flavor name: cinnamon", "size: 5 ounce (pack of 6)"], "instruction_attributes": ["0g trans"], "instruction_options": ["cinnamon"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO28R21", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B01NAER8CP", "instruction": "i'd like to buy some cinnamon flavored nuts. look for nuts with zero trans fats, please.", "attributes": ["artificial colors", "0g trans"], "options": ["flavor name: cinnamon", "size: 5 ounce (pack of 6)"], "instruction_attributes": ["0g trans"], "instruction_options": ["cinnamon"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO28R21", "worker_id": "AR9AU5FY1S3RO"}], "B06XSDKRF9": [{"asin": "B06XSDKRF9", "instruction": "find me the soy free 3.5 ounce 4-pack of dang thai rice chips, and make sure they are the aged cheddar flavor. i also need the ones in the resealable bags.", "attributes": ["non gmo", "gmo free", "soy free", "gluten free"], "options": ["flavor name: aged cheddar", "size: 3.5 ounce (pack of 4)", "style: rice chips"], "instruction_attributes": ["soy free"], "instruction_options": ["aged cheddar", "3.5 ounce (pack of 4)", "rice chips"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTBWN94", "worker_id": "A1CB72B51L7TKE"}, {"asin": "B06XSDKRF9", "instruction": "find me the soy free 3.5 ounce 4-pack of dang thai rice chips, and make sure they are the aged cheddar flavor. i also need the ones in the resealable bags.", "attributes": ["non gmo", "gmo free", "soy free", "gluten free"], "options": ["flavor name: aged cheddar", "size: 3.5 ounce (pack of 4)", "style: rice chips"], "instruction_attributes": ["soy free"], "instruction_options": ["aged cheddar", "3.5 ounce (pack of 4)", "rice chips"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTBWN94", "worker_id": "A1CB72B51L7TKE"}], "B09DYH8RMQ": [{"asin": "B09DYH8RMQ", "instruction": "go ahead and order that rhinestone top in small, with long sleeves.", "attributes": ["long sleeve", "teen girls"], "options": ["color: c-white", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXYCIN", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09DYH8RMQ", "instruction": "go ahead and order that rhinestone top in small, with long sleeves.", "attributes": ["long sleeve", "teen girls"], "options": ["color: c-white", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXYCIN", "worker_id": "AR9AU5FY1S3RO"}], "B07GT9KYSX": [{"asin": "B07GT9KYSX", "instruction": "i would like a pink ottoman with a solid wooden frame.", "attributes": ["wood frame", "solid wood"], "options": ["color: pink"], "instruction_attributes": ["wood frame", "solid wood"], "instruction_options": ["pink"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HMFWOB", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07GT9KYSX", "instruction": "i would like a pink ottoman with a solid wooden frame.", "attributes": ["wood frame", "solid wood"], "options": ["color: pink"], "instruction_attributes": ["wood frame", "solid wood"], "instruction_options": ["pink"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HMFWOB", "worker_id": "A1WS884SI0SLO4"}], "B085BR7DM2": [{"asin": "B085BR7DM2", "instruction": "i'd like to get wireless earphones that feature stereo sound. the color should be black.", "attributes": ["easy use", "stereo sound", "wireless charging"], "options": ["color: polish black"], "instruction_attributes": ["stereo sound"], "instruction_options": ["polish black"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LS7CD2", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B085BR7DM2", "instruction": "i'd like to get wireless earphones that feature stereo sound. the color should be black.", "attributes": ["easy use", "stereo sound", "wireless charging"], "options": ["color: polish black"], "instruction_attributes": ["stereo sound"], "instruction_options": ["polish black"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LS7CD2", "worker_id": "A345TDMHP3DQ3G"}], "B09CMHXFSP": [{"asin": "B09CMHXFSP", "instruction": "i want to find a black ergonomic office chair that's easy to assemble and offers lumbar support.", "attributes": ["easy assemble", "lumbar support"], "options": ["color: black"], "instruction_attributes": ["easy assemble", "lumbar support"], "instruction_options": ["black"], "assignment_id": "33CID5710F37J25O7G1CGJZBOOWL3T", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09CMHXFSP", "instruction": "i want to find a black ergonomic office chair that's easy to assemble and offers lumbar support.", "attributes": ["easy assemble", "lumbar support"], "options": ["color: black"], "instruction_attributes": ["easy assemble", "lumbar support"], "instruction_options": ["black"], "assignment_id": "33CID5710F37J25O7G1CGJZBOOWL3T", "worker_id": "A345TDMHP3DQ3G"}], "B099DRXNQ1": [{"asin": "B099DRXNQ1", "instruction": "i need a fluoride free maternity toothpaste.", "attributes": ["fluoride free", "natural ingredients", "sensitive teeth"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO2F337", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B099DRXNQ1", "instruction": "i need a fluoride free maternity toothpaste.", "attributes": ["fluoride free", "natural ingredients", "sensitive teeth"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO2F337", "worker_id": "A2RBF3IIJP15IH"}], "B07VL1ZSDP": [{"asin": "B07VL1ZSDP", "instruction": "i am looking for a black, easy to use gameboy case for an iphone.", "attributes": ["dust proof", "easy install", "easy use"], "options": ["color: black", "size: for iphone 12 | 12pro"], "instruction_attributes": ["easy use"], "instruction_options": ["black"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP6MOCJ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07VL1ZSDP", "instruction": "i am looking for a black, easy to use gameboy case for an iphone.", "attributes": ["dust proof", "easy install", "easy use"], "options": ["color: black", "size: for iphone 12 | 12pro"], "instruction_attributes": ["easy use"], "instruction_options": ["black"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP6MOCJ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07VL1ZSDP", "instruction": "i need easy use iphone 6p model phone", "attributes": ["dust proof", "easy install", "easy use"], "options": ["color: black", "size: for iphone 6p | 7p | 8p"], "instruction_attributes": ["easy use"], "instruction_options": ["for iphone 6p | 7p | 8p"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAUCFC9I", "worker_id": "A226L9F2AZ38CL"}], "B01GQ5H8AW": [{"asin": "B01GQ5H8AW", "instruction": "i need 5 ounce basil & garlic mary's gone crackers that is gluten free.", "attributes": ["plant based", "gluten free", "protein serving"], "options": ["flavor name: basil & garlic", "size: 5 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["basil & garlic", "5 ounce (pack of 1)"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTQQ9PF", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01GQ5H8AW", "instruction": "i need 5 ounce basil & garlic mary's gone crackers that is gluten free.", "attributes": ["plant based", "gluten free", "protein serving"], "options": ["flavor name: basil & garlic", "size: 5 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["basil & garlic", "5 ounce (pack of 1)"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTQQ9PF", "worker_id": "A2RBF3IIJP15IH"}], "B0831K16NY": [{"asin": "B0831K16NY", "instruction": "i'm looking for a button down men's shirt with short sleeves and in the size of 3x-large.", "attributes": ["long lasting", "polyester spandex", "short sleeve", "tumble dry"], "options": ["color: muilti 2", "size: 3x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["3x-large"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1TX2H2", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B0831K16NY", "instruction": "i'm looking for a button down men's shirt with short sleeves and in the size of 3x-large.", "attributes": ["long lasting", "polyester spandex", "short sleeve", "tumble dry"], "options": ["color: muilti 2", "size: 3x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["3x-large"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1TX2H2", "worker_id": "A2JP9IKRHNLRPI"}], "B09Q1RZXZ8": [{"asin": "B09Q1RZXZ8", "instruction": "buy me some light weight beige slippers.", "attributes": ["light weight", "fashion design"], "options": ["color: beige", "size: 7.5"], "instruction_attributes": ["light weight"], "instruction_options": ["beige"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3HXYRJ", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09Q1RZXZ8", "instruction": "buy me some light weight beige slippers.", "attributes": ["light weight", "fashion design"], "options": ["color: beige", "size: 7.5"], "instruction_attributes": ["light weight"], "instruction_options": ["beige"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3HXYRJ", "worker_id": "AR9AU5FY1S3RO"}], "B09HKF2KQN": [{"asin": "B09HKF2KQN", "instruction": "i'm looking for a kids toothbrush for ages 6 to 12 that will help with teeth whitening and is easy to use.", "attributes": ["teeth whitening", "easy use"], "options": ["color: a04#green duck", "size: aged 6-12"], "instruction_attributes": ["teeth whitening", "easy use"], "instruction_options": ["aged 6-12"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3A86NW", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B09HKF2KQN", "instruction": "i'm looking for a kids toothbrush for ages 6 to 12 that will help with teeth whitening and is easy to use.", "attributes": ["teeth whitening", "easy use"], "options": ["color: a04#green duck", "size: aged 6-12"], "instruction_attributes": ["teeth whitening", "easy use"], "instruction_options": ["aged 6-12"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3A86NW", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B09HKF2KQN", "instruction": "i'm looking for teeth whitening for teen clesening for prevention of oral care.", "attributes": ["teeth whitening", "easy use"], "options": ["color: a14#blue", "size: aged 2-6"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["a14#blue"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ56CKC5", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09HKF2KQN", "instruction": "i want to find a white donut colored toothbrush that is suitable for kids aged 6-12 and easy to use.", "attributes": ["teeth whitening", "easy use"], "options": ["color: a36#white donut", "size: aged 6-12"], "instruction_attributes": ["easy use"], "instruction_options": ["a36#white donut", "aged 6-12"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LKQ09F", "worker_id": "A345TDMHP3DQ3G"}], "B08W533DQL": [{"asin": "B08W533DQL", "instruction": "i am looking for a light blue, pink, yellow or light green tooth cleaning tool that is easy to carry.", "attributes": ["easy carry", "oral hygiene", "bad breath"], "options": ["color: light blue, pink, yellow, light green"], "instruction_attributes": ["easy carry"], "instruction_options": ["light blue, pink, yellow, light green"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3JCZLL", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08W533DQL", "instruction": "i need a purple braces brush that is easy to carry.", "attributes": ["easy carry", "oral hygiene", "bad breath"], "options": ["color: light blue, yellow, gray, purple"], "instruction_attributes": ["easy carry"], "instruction_options": ["light blue, yellow, gray, purple"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9POETU", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08W533DQL", "instruction": "i am looking for a light blue, pink, yellow or light green tooth cleaning tool that is easy to carry.", "attributes": ["easy carry", "oral hygiene", "bad breath"], "options": ["color: light blue, pink, yellow, light green"], "instruction_attributes": ["easy carry"], "instruction_options": ["light blue, pink, yellow, light green"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3JCZLL", "worker_id": "A1EREKSZAA9V7B"}], "B09MH2SNS7": [{"asin": "B09MH2SNS7", "instruction": "i am interested in a wireless bluetooth clock radio that is red.", "attributes": ["usb port", "wireless bluetooth"], "options": ["color: red"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["red"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP3TOA9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09MH2SNS7", "instruction": "i am interested in a wireless bluetooth clock radio that is red.", "attributes": ["usb port", "wireless bluetooth"], "options": ["color: red"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["red"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP3TOA9", "worker_id": "A2ECRNQ3X5LEXD"}], "B00NVBWG98": [{"asin": "B00NVBWG98", "instruction": "i am looking for a high quality strawberry blonde mix color hairpiece that is easy to use.", "attributes": ["easy use", "high quality"], "options": ["color: strawberry blonde mix #27t613 g13b"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["strawberry blonde mix #27t613 g13b"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQDTKES", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00NVBWG98", "instruction": "i am looking for a high quality strawberry blonde mix color hairpiece that is easy to use.", "attributes": ["easy use", "high quality"], "options": ["color: strawberry blonde mix #27t613 g13b"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["strawberry blonde mix #27t613 g13b"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQDTKES", "worker_id": "A1Q8PPQQCWGY0D"}], "B09P68G3RX": [{"asin": "B09P68G3RX", "instruction": "i'm looking for a size 5.5 women non slip running shoes.", "attributes": ["anti slip", "non slip", "hand wash", "ethylene vinyl", "vinyl acetate", "gym workout"], "options": ["color: plaid3", "size: 5.5 women | 3.5 men"], "instruction_attributes": ["non slip"], "instruction_options": ["5.5 women | 3.5 men"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQMU0PS", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B09P68G3RX", "instruction": "i'm looking for a size 5.5 women non slip running shoes.", "attributes": ["anti slip", "non slip", "hand wash", "ethylene vinyl", "vinyl acetate", "gym workout"], "options": ["color: plaid3", "size: 5.5 women | 3.5 men"], "instruction_attributes": ["non slip"], "instruction_options": ["5.5 women | 3.5 men"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQMU0PS", "worker_id": "ARQ05PDNXPFDI"}], "B0844NPZ65": [{"asin": "B0844NPZ65", "instruction": "i need an easy to install walnut brown living skog mid-century tv stand for tv's up to 48 inches.", "attributes": ["mid century", "easy install", "storage unit", "storage space", "living room"], "options": ["color: walnut brown", "size: for tv's up to 48 inches"], "instruction_attributes": ["easy install"], "instruction_options": ["walnut brown", "for tv's up to 48 inches"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09R61C", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B0844NPZ65", "instruction": "i need an easy to install walnut brown living skog mid-century tv stand for tv's up to 48 inches.", "attributes": ["mid century", "easy install", "storage unit", "storage space", "living room"], "options": ["color: walnut brown", "size: for tv's up to 48 inches"], "instruction_attributes": ["easy install"], "instruction_options": ["walnut brown", "for tv's up to 48 inches"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09R61C", "worker_id": "A2RBF3IIJP15IH"}], "B07B6NM7Q2": [{"asin": "B07B6NM7Q2", "instruction": "i am looking for a milk chocolate of 1 pound size in a single pack for valentine day.", "attributes": ["quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: mixed - milk (65%) & dark (35%)", "size: 1 pound (pack of 1)"], "instruction_attributes": ["valentine day"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAD6OVM", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07B6NM7Q2", "instruction": "i am looking for a milk chocolate of 1 pound size in a single pack for valentine day.", "attributes": ["quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: mixed - milk (65%) & dark (35%)", "size: 1 pound (pack of 1)"], "instruction_attributes": ["valentine day"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAD6OVM", "worker_id": "A1Q8PPQQCWGY0D"}], "B087N61YT8": [{"asin": "B087N61YT8", "instruction": "i'm looking for a french vanilla zero calorie and zero sugarand flavor stevia energy", "attributes": ["shelf stable", "keto friendly", "zero sugar"], "options": ["flavor name: stevia energy", "size: 1.68 fl oz (pack of 3)"], "instruction_attributes": ["keto friendly", "zero sugar"], "instruction_options": ["stevia energy"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVP4X9W", "worker_id": "A19Q021KR28CS8"}, {"asin": "B087N61YT8", "instruction": "i'm looking for a french vanilla zero calorie and zero sugarand flavor stevia energy", "attributes": ["shelf stable", "keto friendly", "zero sugar"], "options": ["flavor name: stevia energy", "size: 1.68 fl oz (pack of 3)"], "instruction_attributes": ["keto friendly", "zero sugar"], "instruction_options": ["stevia energy"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVP4X9W", "worker_id": "A19Q021KR28CS8"}], "B09B2QWWX7": [{"asin": "B09B2QWWX7", "instruction": "i am interested in a brushed nickel light fixture that has two lights.", "attributes": ["heavy duty", "brushed nickel", "vanity light", "glass shade", "light fixture", "clear glass", "living room"], "options": ["color: brushed nickel", "size: 2-light"], "instruction_attributes": ["light fixture"], "instruction_options": ["brushed nickel", "2-light"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z47HCQS", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09B2QWWX7", "instruction": "i am interested in a brushed nickel light fixture that has two lights.", "attributes": ["heavy duty", "brushed nickel", "vanity light", "glass shade", "light fixture", "clear glass", "living room"], "options": ["color: brushed nickel", "size: 2-light"], "instruction_attributes": ["light fixture"], "instruction_options": ["brushed nickel", "2-light"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z47HCQS", "worker_id": "A2ECRNQ3X5LEXD"}], "B096VFHGKX": [{"asin": "B096VFHGKX", "instruction": "i need some nice synthetic hair extensions that are at least 14 inches long.", "attributes": ["long lasting", "synthetic hair"], "options": ["color: 1b", "size: 14 inch"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["14 inch"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4YJXYF", "worker_id": "A19317A3X87NVM"}, {"asin": "B096VFHGKX", "instruction": "i need some nice synthetic hair extensions that are at least 14 inches long.", "attributes": ["long lasting", "synthetic hair"], "options": ["color: 1b", "size: 14 inch"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["14 inch"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4YJXYF", "worker_id": "A19317A3X87NVM"}, {"asin": "B096VFHGKX", "instruction": "i am looking for 18 inch crochet synthetic hair for black women.", "attributes": ["long lasting", "synthetic hair"], "options": ["color: t27", "size: 18 inch"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["18 inch"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIIK92I", "worker_id": "A1EREKSZAA9V7B"}], "B013UKOWAA": [{"asin": "B013UKOWAA", "instruction": "what deodorants do you have that are alcohol free and very long lasting?", "attributes": ["alcohol free", "long lasting"], "options": [""], "instruction_attributes": ["alcohol free", "long lasting"], "instruction_options": [], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNI5NTA", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B013UKOWAA", "instruction": "what deodorants do you have that are alcohol free and very long lasting?", "attributes": ["alcohol free", "long lasting"], "options": [""], "instruction_attributes": ["alcohol free", "long lasting"], "instruction_options": [], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNI5NTA", "worker_id": "A3EDFA8UQT5GG8"}], "B075M661NC": [{"asin": "B075M661NC", "instruction": "i neet 10 quantity of gold plated display port to vga adapter (male to female) compatible with any computer,laptop and projector", "attributes": ["gold plated", "1080p hd"], "options": ["item package quantity: 10"], "instruction_attributes": ["gold plated"], "instruction_options": ["10"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DSNOT3", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B075M661NC", "instruction": "i neet 10 quantity of gold plated display port to vga adapter (male to female) compatible with any computer,laptop and projector", "attributes": ["gold plated", "1080p hd"], "options": ["item package quantity: 10"], "instruction_attributes": ["gold plated"], "instruction_options": ["10"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DSNOT3", "worker_id": "A258PTOZ3D2TQR"}], "B01ENHMKTY": [{"asin": "B01ENHMKTY", "instruction": "i would like a 12 by 12 inch poster in three panels i can hang readily in my living room.", "attributes": ["ready hang", "dining room", "living room"], "options": ["size: 12x12inchx3panles"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["12x12inchx3panles"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMS7SAL", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01ENHMKTY", "instruction": "i would like a 12 by 12 inch poster in three panels i can hang readily in my living room.", "attributes": ["ready hang", "dining room", "living room"], "options": ["size: 12x12inchx3panles"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["12x12inchx3panles"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMS7SAL", "worker_id": "A1WS884SI0SLO4"}], "B07F81Q5F7": [{"asin": "B07F81Q5F7", "instruction": "i am looking for a queen sized multicolored mattress set.", "attributes": ["ready use", "queen size", "double sided", "fully assembled", "twin size", "assembly required", "king size", "box spring"], "options": ["color: multi", "size: queen", "style: includes 4\" split foundation"], "instruction_attributes": ["queen size"], "instruction_options": ["multi"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0SYW11U", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07F81Q5F7", "instruction": "i am looking for a queen sized multicolored mattress set.", "attributes": ["ready use", "queen size", "double sided", "fully assembled", "twin size", "assembly required", "king size", "box spring"], "options": ["color: multi", "size: queen", "style: includes 4\" split foundation"], "instruction_attributes": ["queen size"], "instruction_options": ["multi"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0SYW11U", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07F81Q5F7", "instruction": "i want to buy a king size box spring and 4-in foundation set in the color no.", "attributes": ["ready use", "queen size", "double sided", "fully assembled", "twin size", "assembly required", "king size", "box spring"], "options": ["color: no", "size: king", "style: 4\" foundation"], "instruction_attributes": ["king size", "box spring"], "instruction_options": ["no", "king", "4\" foundation"], "assignment_id": "354P56DE9VDCOY11T1135MPMLN9S78", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B07F81Q5F7", "instruction": "i would like a 8\" foundation split king size blue bed and box spring.", "attributes": ["ready use", "queen size", "double sided", "fully assembled", "twin size", "assembly required", "king size", "box spring"], "options": ["color: blue", "size: king", "style: 8\" foundation split"], "instruction_attributes": ["king size", "box spring"], "instruction_options": ["blue", "king", "8\" foundation split"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKMY7DW", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07F81Q5F7", "instruction": "i am in need of a king sized yellow box spring set", "attributes": ["ready use", "queen size", "double sided", "fully assembled", "twin size", "assembly required", "king size", "box spring"], "options": ["color: yellow", "size: full", "style: 8\" split foundation"], "instruction_attributes": ["king size"], "instruction_options": ["yellow"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTXJ4EE", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BLK4MYR": [{"asin": "B08BLK4MYR", "instruction": "i am looking for a travel tin kit of camouflage color and can be cleaned very easily.", "attributes": ["eco friendly", "easy carry", "easy clean"], "options": ["color: camouflage"], "instruction_attributes": ["easy clean"], "instruction_options": ["camouflage"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL980V2D", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08BLK4MYR", "instruction": "i am looking for a travel tin kit of camouflage color and can be cleaned very easily.", "attributes": ["eco friendly", "easy carry", "easy clean"], "options": ["color: camouflage"], "instruction_attributes": ["easy clean"], "instruction_options": ["camouflage"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL980V2D", "worker_id": "A1Q8PPQQCWGY0D"}], "B09JFFKJP9": [{"asin": "B09JFFKJP9", "instruction": "i'm looking for a black heavy duty barber chair", "attributes": ["heavy duty", "high quality", "hair cutting"], "options": ["color: black"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black"], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZMU057", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B09JFFKJP9", "instruction": "i'm looking for a black heavy duty barber chair", "attributes": ["heavy duty", "high quality", "hair cutting"], "options": ["color: black"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black"], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZMU057", "worker_id": "ARQ05PDNXPFDI"}], "B08WPKFMV9": [{"asin": "B08WPKFMV9", "instruction": "i would like some low sodium spice gifts for some friends.", "attributes": ["low sodium", "gluten free"], "options": [""], "instruction_attributes": ["low sodium"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUF8ZLV0", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08WPKFMV9", "instruction": "i would like some low sodium spice gifts for some friends.", "attributes": ["low sodium", "gluten free"], "options": [""], "instruction_attributes": ["low sodium"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUF8ZLV0", "worker_id": "A1WS884SI0SLO4"}], "B09NXFP57R": [{"asin": "B09NXFP57R", "instruction": "i want a pair of black, closed pointy toe sandals.", "attributes": ["open toe", "steel toe", "closed toe", "memory foam"], "options": ["color: a01 black", "size: 9.5-10"], "instruction_attributes": ["closed toe"], "instruction_options": ["a01 black"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSGY8B9", "worker_id": "A19317A3X87NVM"}, {"asin": "B09NXFP57R", "instruction": "i want a pair of black, closed pointy toe sandals.", "attributes": ["open toe", "steel toe", "closed toe", "memory foam"], "options": ["color: a01 black", "size: 9.5-10"], "instruction_attributes": ["closed toe"], "instruction_options": ["a01 black"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSGY8B9", "worker_id": "A19317A3X87NVM"}], "B09QM4936N": [{"asin": "B09QM4936N", "instruction": "i need a cosmetic bag for my nail polish. get the one in color eleven.", "attributes": ["nail polish", "nail art"], "options": ["color: color11"], "instruction_attributes": ["nail polish"], "instruction_options": ["color11"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22HOW8L", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09QM4936N", "instruction": "i need a cosmetic bag for my nail polish. get the one in color eleven.", "attributes": ["nail polish", "nail art"], "options": ["color: color11"], "instruction_attributes": ["nail polish"], "instruction_options": ["color11"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22HOW8L", "worker_id": "AR9AU5FY1S3RO"}], "B09M6GNPYY": [{"asin": "B09M6GNPYY", "instruction": "i am looking for a natural black color high quality hair extension for women.", "attributes": ["high quality", "hair extensions"], "options": ["color: natural black"], "instruction_attributes": ["high quality"], "instruction_options": ["natural black"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y06NNW", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09M6GNPYY", "instruction": "i am looking for a natural black color high quality hair extension for women.", "attributes": ["high quality", "hair extensions"], "options": ["color: natural black"], "instruction_attributes": ["high quality"], "instruction_options": ["natural black"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y06NNW", "worker_id": "A1Q8PPQQCWGY0D"}], "B07QH94GPK": [{"asin": "B07QH94GPK", "instruction": "i am looking for surveillance video equipment that has motion detection and is 720p.", "attributes": ["easy install", "motion detection"], "options": ["size: 4ch 720p no hdd"], "instruction_attributes": ["motion detection"], "instruction_options": ["4ch 720p no hdd"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K4I12J", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07QH94GPK", "instruction": "i am looking for surveillance video equipment that has motion detection and is 720p.", "attributes": ["easy install", "motion detection"], "options": ["size: 4ch 720p no hdd"], "instruction_attributes": ["motion detection"], "instruction_options": ["4ch 720p no hdd"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K4I12J", "worker_id": "A2ECRNQ3X5LEXD"}], "B085T9XX1V": [{"asin": "B085T9XX1V", "instruction": "i need a chandelier for the dining room that has 12 lights.", "attributes": ["pendant light", "stainless steel", "light fixture", "dining room", "living room"], "options": ["size: 12 lights"], "instruction_attributes": ["dining room"], "instruction_options": ["12 lights"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKGY954R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B085T9XX1V", "instruction": "i need a chandelier for the dining room that has 12 lights.", "attributes": ["pendant light", "stainless steel", "light fixture", "dining room", "living room"], "options": ["size: 12 lights"], "instruction_attributes": ["dining room"], "instruction_options": ["12 lights"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKGY954R", "worker_id": "A2ECRNQ3X5LEXD"}], "B07L6KQ7FW": [{"asin": "B07L6KQ7FW", "instruction": "show me size seven running shoes with laces and rubber soles.", "attributes": ["lace closure", "rubber sole"], "options": ["color: majolica blue beetroot", "size: 7"], "instruction_attributes": ["lace closure", "rubber sole"], "instruction_options": ["7"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLHL0MY", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07L6KQ7FW", "instruction": "show me size seven running shoes with laces and rubber soles.", "attributes": ["lace closure", "rubber sole"], "options": ["color: majolica blue beetroot", "size: 7"], "instruction_attributes": ["lace closure", "rubber sole"], "instruction_options": ["7"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLHL0MY", "worker_id": "A3EDFA8UQT5GG8"}], "B08L9DKZ1Y": [{"asin": "B08L9DKZ1Y", "instruction": "i'm looking for a small gray long-sleeve t-shirt for women.", "attributes": ["loose fit", "soft material", "long sleeve"], "options": ["color: a grey", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a grey", "small"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADHPAHH", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08L9DKZ1Y", "instruction": "i'm looking for a small gray long-sleeve t-shirt for women.", "attributes": ["loose fit", "soft material", "long sleeve"], "options": ["color: a grey", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a grey", "small"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADHPAHH", "worker_id": "A345TDMHP3DQ3G"}], "B09DYF1GSZ": [{"asin": "B09DYF1GSZ", "instruction": "i need a 84inch wall mounted motorized projector screen that displays a 16:9 screen.", "attributes": ["wall mounted", "high definition"], "options": ["color: 16:9 screen", "size: 84inch"], "instruction_attributes": ["wall mounted"], "instruction_options": ["16:9 screen", "84inch"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAY0A83", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09DYF1GSZ", "instruction": "i need a 84inch wall mounted motorized projector screen that displays a 16:9 screen.", "attributes": ["wall mounted", "high definition"], "options": ["color: 16:9 screen", "size: 84inch"], "instruction_attributes": ["wall mounted"], "instruction_options": ["16:9 screen", "84inch"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAY0A83", "worker_id": "A2RBF3IIJP15IH"}], "B08N2ZCC2K": [{"asin": "B08N2ZCC2K", "instruction": "i am looking for a light grey faux leather loveseat.", "attributes": ["spot clean", "faux leather"], "options": ["color: light grey", "style: chair"], "instruction_attributes": ["faux leather"], "instruction_options": ["light grey"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5OG5FD", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08N2ZCC2K", "instruction": "i am looking for a light grey faux leather loveseat.", "attributes": ["spot clean", "faux leather"], "options": ["color: light grey", "style: chair"], "instruction_attributes": ["faux leather"], "instruction_options": ["light grey"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5OG5FD", "worker_id": "A1EREKSZAA9V7B"}], "B09MM1R7VM": [{"asin": "B09MM1R7VM", "instruction": "i am looking for a tattoo machine that is easy to use.", "attributes": ["high quality", "easy carry", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQONAVY9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09MM1R7VM", "instruction": "i am looking for a tattoo machine that is easy to use.", "attributes": ["high quality", "easy carry", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQONAVY9", "worker_id": "A2ECRNQ3X5LEXD"}], "B0842V2TJH": [{"asin": "B0842V2TJH", "instruction": "i am looking for a fluoride free foaming toothpaste with a cinnamon tea tree flavor.", "attributes": ["fluoride free", "tea tree"], "options": ["flavor name: cinnamon tea tree", "size: 1.69 fl oz (pack of 1)"], "instruction_attributes": ["fluoride free"], "instruction_options": ["cinnamon tea tree"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ANUWB5", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B0842V2TJH", "instruction": "i am looking for a fluoride free foaming toothpaste with a cinnamon tea tree flavor.", "attributes": ["fluoride free", "tea tree"], "options": ["flavor name: cinnamon tea tree", "size: 1.69 fl oz (pack of 1)"], "instruction_attributes": ["fluoride free"], "instruction_options": ["cinnamon tea tree"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ANUWB5", "worker_id": "A1EREKSZAA9V7B"}], "B08FX7T8Z4": [{"asin": "B08FX7T8Z4", "instruction": "i need to order a game boy color. make sure that it's green and has stereo sound.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: green"], "instruction_attributes": ["stereo sound"], "instruction_options": ["green"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL98IV2V", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08FX7T8Z4", "instruction": "i need to order a game boy color. make sure that it's green and has stereo sound.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: green"], "instruction_attributes": ["stereo sound"], "instruction_options": ["green"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL98IV2V", "worker_id": "AR9AU5FY1S3RO"}], "B07YWDVBM8": [{"asin": "B07YWDVBM8", "instruction": "i would like a pink face brush for my dead skin.", "attributes": ["long handle", "dead skin"], "options": ["color: pink"], "instruction_attributes": ["dead skin"], "instruction_options": ["pink"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FF5U41", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07YWDVBM8", "instruction": "i would like a pink face brush for my dead skin.", "attributes": ["long handle", "dead skin"], "options": ["color: pink"], "instruction_attributes": ["dead skin"], "instruction_options": ["pink"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FF5U41", "worker_id": "A1WS884SI0SLO4"}], "B09SXMWZJW": [{"asin": "B09SXMWZJW", "instruction": "i'd like to get sulfate free conditioner that promotes hair growth.", "attributes": ["sulfate free", "natural ingredients", "hair loss", "hair growth", "hair treatment", "damaged hair"], "options": [""], "instruction_attributes": ["sulfate free", "hair growth"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHEY4JT6", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09SXMWZJW", "instruction": "i'd like to get sulfate free conditioner that promotes hair growth.", "attributes": ["sulfate free", "natural ingredients", "hair loss", "hair growth", "hair treatment", "damaged hair"], "options": [""], "instruction_attributes": ["sulfate free", "hair growth"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHEY4JT6", "worker_id": "A345TDMHP3DQ3G"}], "B08HN6YTRN": [{"asin": "B08HN6YTRN", "instruction": "i'm looking for a 3 foot micro usb cable that offers high speeds and is colored silver.", "attributes": ["high speed", "usb port"], "options": ["color: silver", "size: 3foot"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBC2GHZ", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B08HN6YTRN", "instruction": "i'm looking for a 3 foot micro usb cable that offers high speeds and is colored silver.", "attributes": ["high speed", "usb port"], "options": ["color: silver", "size: 3foot"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBC2GHZ", "worker_id": "A2JP9IKRHNLRPI"}], "B09NLWZMDW": [{"asin": "B09NLWZMDW", "instruction": "looking for valentine's cupcake toppers for valentine day with pattern name in red", "attributes": ["valentine day", "birthday party"], "options": ["pattern name: design 1 a red"], "instruction_attributes": ["valentine day"], "instruction_options": ["design 1 a red"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P72LVS2", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B09NLWZMDW", "instruction": "looking for valentine's cupcake toppers for valentine day with pattern name in red", "attributes": ["valentine day", "birthday party"], "options": ["pattern name: design 1 a red"], "instruction_attributes": ["valentine day"], "instruction_options": ["design 1 a red"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P72LVS2", "worker_id": "A2Y2TURT2VEYZN"}], "B09LHWT76V": [{"asin": "B09LHWT76V", "instruction": "i am looking for a gold camera lens protector that has tempered glass for an iphone 13 pro or iphone pro max.", "attributes": ["tempered glass", "aluminum alloy"], "options": ["color: gold"], "instruction_attributes": ["tempered glass"], "instruction_options": ["gold"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCFUE0N", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09LHWT76V", "instruction": "i am looking for a gold camera lens protector that has tempered glass for an iphone 13 pro or iphone pro max.", "attributes": ["tempered glass", "aluminum alloy"], "options": ["color: gold"], "instruction_attributes": ["tempered glass"], "instruction_options": ["gold"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCFUE0N", "worker_id": "A1EREKSZAA9V7B"}], "B07JG2QHHY": [{"asin": "B07JG2QHHY", "instruction": "i am looking for a lemon yellow airpod case cover compatible with apple airpods and do wireless charging.", "attributes": ["compatible apple", "case cover", "wireless charging"], "options": ["color: lemon yellow"], "instruction_attributes": ["compatible apple", "wireless charging"], "instruction_options": ["lemon yellow"], "assignment_id": "31JLPPHS254FPN8LK8H48035JTD3O4", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07JG2QHHY", "instruction": "i am looking for a lemon yellow airpod case cover compatible with apple airpods and do wireless charging.", "attributes": ["compatible apple", "case cover", "wireless charging"], "options": ["color: lemon yellow"], "instruction_attributes": ["compatible apple", "wireless charging"], "instruction_options": ["lemon yellow"], "assignment_id": "31JLPPHS254FPN8LK8H48035JTD3O4", "worker_id": "A1Q8PPQQCWGY0D"}], "B09JGVKKP1": [{"asin": "B09JGVKKP1", "instruction": "i am looking for shelf baskets that are eco friendly and are 12.5\"l by 12\"w by 10\" h.", "attributes": ["spot clean", "eco friendly"], "options": ["size: 12.5\"l x 12\"w x 10\"h"], "instruction_attributes": ["eco friendly"], "instruction_options": ["12.5\"l x 12\"w x 10\"h"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX56CFW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09JGVKKP1", "instruction": "i am looking for shelf baskets that are eco friendly and are 12.5\"l by 12\"w by 10\" h.", "attributes": ["spot clean", "eco friendly"], "options": ["size: 12.5\"l x 12\"w x 10\"h"], "instruction_attributes": ["eco friendly"], "instruction_options": ["12.5\"l x 12\"w x 10\"h"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX56CFW", "worker_id": "A2ECRNQ3X5LEXD"}], "B01ECGBI76": [{"asin": "B01ECGBI76", "instruction": "i'd like to view a pair of machine washable regular type denim jeans for men.", "attributes": ["machine wash", "button closure"], "options": ["color: hawthorne closed book - dark indigo", "fit type: regular", "size: 50w x 30l"], "instruction_attributes": ["machine wash"], "instruction_options": ["regular"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDKJHCZ", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B01ECGBI76", "instruction": "i'd like to view a pair of machine washable regular type denim jeans for men.", "attributes": ["machine wash", "button closure"], "options": ["color: hawthorne closed book - dark indigo", "fit type: regular", "size: 50w x 30l"], "instruction_attributes": ["machine wash"], "instruction_options": ["regular"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDKJHCZ", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B01ECGBI76", "instruction": "i would like a 62w by 34l big and tall pair of light indigo jeans that are machine washable.", "attributes": ["machine wash", "button closure"], "options": ["color: good decisions - light indigo", "fit type: big & tall", "size: 62w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["good decisions - light indigo", "big & tall", "62w x 34l"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HNROWH", "worker_id": "A1WS884SI0SLO4"}], "B08T5Z2R23": [{"asin": "B08T5Z2R23", "instruction": "i need a bathroom vanity light that is easy to install.", "attributes": ["easy install", "long lasting", "vanity light", "glass shade"], "options": [""], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": [], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBOXEJR", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08T5Z2R23", "instruction": "i need a bathroom vanity light that is easy to install.", "attributes": ["easy install", "long lasting", "vanity light", "glass shade"], "options": [""], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": [], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBOXEJR", "worker_id": "A2RBF3IIJP15IH"}], "B01N5WESTU": [{"asin": "B01N5WESTU", "instruction": "i want to get a 6 pack of the tom's of maine fresh mint alcohol free mouth wash. i think they are 16 oz bottles.", "attributes": ["alcohol free", "clinically proven", "long lasting", "fresh breath", "bad breath"], "options": ["flavor name: fresh mint", "size: 16 ounce (pack of 6)"], "instruction_attributes": ["alcohol free"], "instruction_options": ["fresh mint", "16 ounce (pack of 6)"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZOQK3O", "worker_id": "A2DDPSXH2X96RF"}, {"asin": "B01N5WESTU", "instruction": "i want to get a 6 pack of the tom's of maine fresh mint alcohol free mouth wash. i think they are 16 oz bottles.", "attributes": ["alcohol free", "clinically proven", "long lasting", "fresh breath", "bad breath"], "options": ["flavor name: fresh mint", "size: 16 ounce (pack of 6)"], "instruction_attributes": ["alcohol free"], "instruction_options": ["fresh mint", "16 ounce (pack of 6)"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZOQK3O", "worker_id": "A2DDPSXH2X96RF"}], "B00LCBTNY0": [{"asin": "B00LCBTNY0", "instruction": "find caraway seeds for dietary fiber, need 1 pack with 8 ounce vegan food", "attributes": ["non gmo", "dietary fiber"], "options": ["size: 8 ounce (pack of 1)"], "instruction_attributes": ["dietary fiber"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH150XHW4", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B00LCBTNY0", "instruction": "find caraway seeds for dietary fiber, need 1 pack with 8 ounce vegan food", "attributes": ["non gmo", "dietary fiber"], "options": ["size: 8 ounce (pack of 1)"], "instruction_attributes": ["dietary fiber"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH150XHW4", "worker_id": "A2Y2TURT2VEYZN"}], "B098DMXZK5": [{"asin": "B098DMXZK5", "instruction": "i need white blackout cellular shades that are easy to install in size 70\"w x 36\"h.", "attributes": ["white item", "easy install"], "options": ["color: make up", "size: 70\"w x 36\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["make up", "70\"w x 36\"h"], "assignment_id": "33UKMF931KU01WBNV49UKNDQC0BTT1", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B098DMXZK5", "instruction": "i need white blackout cellular shades that are easy to install in size 70\"w x 36\"h.", "attributes": ["white item", "easy install"], "options": ["color: make up", "size: 70\"w x 36\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["make up", "70\"w x 36\"h"], "assignment_id": "33UKMF931KU01WBNV49UKNDQC0BTT1", "worker_id": "A2RBF3IIJP15IH"}], "B01IPYHLFY": [{"asin": "B01IPYHLFY", "instruction": "i would like a three pack of 4 fluid ounce green envy hair dye.", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: green envy", "size: 4 fl oz (pack of 3)"], "instruction_attributes": ["hair dye"], "instruction_options": ["green envy", "4 fl oz (pack of 3)"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMM9EXC", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01IPYHLFY", "instruction": "i would like a three pack of 4 fluid ounce green envy hair dye.", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: green envy", "size: 4 fl oz (pack of 3)"], "instruction_attributes": ["hair dye"], "instruction_options": ["green envy", "4 fl oz (pack of 3)"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMM9EXC", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01IPYHLFY", "instruction": "i'm looking for a manic panic ultra violet hair dye .", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: electric amethyst", "size: 4 fl oz (pack of 3)"], "instruction_attributes": ["hair dye"], "instruction_options": ["electric amethyst", "4 fl oz (pack of 3)"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYODHDP", "worker_id": "A1ZGOZQF2VZ0X9"}, {"asin": "B01IPYHLFY", "instruction": "i want to find 3.99 fluid ounces of venus envy hair dye.", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: venus envy", "size: 3.99 fl oz (pack of 1)"], "instruction_attributes": ["hair dye"], "instruction_options": ["venus envy", "3.99 fl oz (pack of 1)"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2GQKFW", "worker_id": "A345TDMHP3DQ3G"}], "B09ST6VY7R": [{"asin": "B09ST6VY7R", "instruction": "i am looking for 2 piece long sleeve blue#b color swimwear for women. also x-large one", "attributes": ["tummy control", "long sleeve", "drawstring closure"], "options": ["color: blue#b", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue#b"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227EXF85", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09ST6VY7R", "instruction": "i am looking for 2 piece long sleeve blue#b color swimwear for women. also x-large one", "attributes": ["tummy control", "long sleeve", "drawstring closure"], "options": ["color: blue#b", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue#b"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227EXF85", "worker_id": "A258PTOZ3D2TQR"}], "B09HWQ4H85": [{"asin": "B09HWQ4H85", "instruction": "i would like a hair brush that's good for damaged hair.", "attributes": ["argan oil", "natural ingredients", "damaged hair"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4ARBSY", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09HWQ4H85", "instruction": "i would like a hair brush that's good for damaged hair.", "attributes": ["argan oil", "natural ingredients", "damaged hair"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4ARBSY", "worker_id": "A1WS884SI0SLO4"}], "B07VHMVXYG": [{"asin": "B07VHMVXYG", "instruction": "i am looking for a certified organic, watermelon frose, lip balm moisturizer made from coconut oil.", "attributes": ["certified organic", "seed oil", "coconut oil"], "options": ["style: watermelon fros\u00e9"], "instruction_attributes": ["certified organic", "coconut oil"], "instruction_options": ["watermelon fros\u00e9"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KKFUHB", "worker_id": "A114NK7T5673GK"}, {"asin": "B07VHMVXYG", "instruction": "i am looking for a certified organic, watermelon frose, lip balm moisturizer made from coconut oil.", "attributes": ["certified organic", "seed oil", "coconut oil"], "options": ["style: watermelon fros\u00e9"], "instruction_attributes": ["certified organic", "coconut oil"], "instruction_options": ["watermelon fros\u00e9"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KKFUHB", "worker_id": "A114NK7T5673GK"}], "B00EV815GU": [{"asin": "B00EV815GU", "instruction": "i need a natural teeth whitening toothpaste.", "attributes": ["fluoride free", "teeth whitening", "sulfate free", "fresh breath"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z476CQH", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B00EV815GU", "instruction": "i need a natural teeth whitening toothpaste.", "attributes": ["fluoride free", "teeth whitening", "sulfate free", "fresh breath"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z476CQH", "worker_id": "A2RBF3IIJP15IH"}], "B09NGSLDXV": [{"asin": "B09NGSLDXV", "instruction": "i am looking for red storage benches that are made of engineered wood and are 90 by 40 by 45.", "attributes": ["button tufted", "pu leather", "engineered wood", "faux leather"], "options": ["color: red", "size: 90x40x45cm(35x16x18inch)"], "instruction_attributes": ["engineered wood"], "instruction_options": ["red", "90x40x45cm(35x16x18inch)"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3V9U12", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09NGSLDXV", "instruction": "i am looking for red storage benches that are made of engineered wood and are 90 by 40 by 45.", "attributes": ["button tufted", "pu leather", "engineered wood", "faux leather"], "options": ["color: red", "size: 90x40x45cm(35x16x18inch)"], "instruction_attributes": ["engineered wood"], "instruction_options": ["red", "90x40x45cm(35x16x18inch)"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3V9U12", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09NGSLDXV", "instruction": "i need to find a khaki-colored storage ottoman bench in either the \"pu\" or \"faux\" leather style.", "attributes": ["button tufted", "pu leather", "engineered wood", "faux leather"], "options": ["color: khaki", "size: 70x40x45cm(28x16x18inch)"], "instruction_attributes": ["pu leather", "faux leather"], "instruction_options": ["khaki"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZHQLKQ", "worker_id": "A3LIIE572Z4OG7"}], "B08N3BYNDN": [{"asin": "B08N3BYNDN", "instruction": "i want to buy an android smartphone. the camera should have optical zoom and it should have at least 128gb of space.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom violet", "size: 128 gb", "style: s21 ultra + case black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["128 gb"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXTEO4F", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B08N3BYNDN", "instruction": "look for an eay to use android cell phone that has 128 gb.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom white", "size: 128 gb", "style: s21 ultra + case - black"], "instruction_attributes": ["easy use"], "instruction_options": ["128 gb"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYWKJ41", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B08N3BYNDN", "instruction": "i am looking for optical zoom samsung galaxy smartphone of style: s21 ultra + case black", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom white", "size: 256gb", "style: s21 ultra + case black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["s21 ultra + case black"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKQDRJPA", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B08N3BYNDN", "instruction": "i am looking for samsung galaxy smartphone with 256 gb memory and 3x optical zoom.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom white", "size: 256gb", "style: s21 + case"], "instruction_attributes": ["optical zoom"], "instruction_options": ["256gb"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DNUK4F", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B08N3BYNDN", "instruction": "i want to find a phantom silver s21 android phone that has a camera with an optical zoom. it needs to be able to store 128 gigabytes of data and it should come with a case.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom silver", "size: 128 gb", "style: s21 + case"], "instruction_attributes": ["optical zoom"], "instruction_options": ["phantom silver", "128 gb", "s21 + case"], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CI03BI", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08N3BYNDN", "instruction": "i want to find a phantom black s21 android smartphone that's easy to use and has 128 gigabytes of storage space. ideally it will come with a black case.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom black", "size: 128gb", "style: s21 ultra + case - black"], "instruction_attributes": ["easy use"], "instruction_options": ["phantom black", "128gb", "s21 ultra + case - black"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KFJJ90", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08N3BYNDN", "instruction": "i want to find an unlocked pink s21 android phone that has a camera with an optical zoom feature. it needs to have 256 gigabytes of storage space and ideally it'll come with a black case.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom pink", "size: 256gb", "style: s21 + case, black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["phantom pink", "256gb", "s21 + case, black"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YWPXT4K", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08N3BYNDN", "instruction": "i want to find a phantom gray colored samsung galaxy s21 phone with 256 gigabytes of storage space. the camera needs to have an optical zoom feature.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom gray", "size: 256gb", "style: s21+"], "instruction_attributes": ["optical zoom"], "instruction_options": ["phantom gray", "256gb", "s21+"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMFDJ1X", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08N3BYNDN", "instruction": "i want to buy an android smartphone. the camera should have optical zoom and it should have at least 128gb of space.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom violet", "size: 128 gb", "style: s21 ultra + case black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["128 gb"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXTEO4F", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B08N3BYNDN", "instruction": "searching for a galaxy s21 ultra 5g factory unlocked android smartphone using 128gb, us version that is easy to use, either in color of phantom black or phantom silver with the added features of pro-grade camera, 8k video, and 108mp high resolution made by samsung.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom black", "size: 128gb", "style: s21 ultra + silicone case"], "instruction_attributes": ["easy use"], "instruction_options": ["phantom black", "128gb"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWPDW6K", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B08N3BYNDN", "instruction": "i am looking for a phantom pink samsung galaxy s21 ultra 5g unlocked phone with optical zoom.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom pink", "size: 512gb", "style: s21 ultra + case - black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["phantom pink"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ22IS9", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08N3BYNDN", "instruction": "i'm looking for optical zoom its for computer accessories for cell phones.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom silver", "size: 128gb", "style: s21 ultra + silicone case"], "instruction_attributes": ["easy use", "optical zoom"], "instruction_options": ["phantom silver"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YQT699", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08N3BYNDN", "instruction": "i would like a violet colored phone that has optical zoom", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom violet", "size: 128gb", "style: s21 + case"], "instruction_attributes": ["optical zoom"], "instruction_options": ["phantom violet"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZMZ7C9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08N3BYNDN", "instruction": "i want a phantom black samsung galaxy s21 with optical zoom.", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom black", "size: 128 gb", "style: s21 + case - black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["phantom black"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALEZH4X", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08N3BYNDN", "instruction": "i am looking for a samsung mobile with 512gb internal memory and phantom gray color which is for easy use. also choose s21 ultra + case black", "attributes": ["easy use", "optical zoom"], "options": ["color: phantom gray", "size: 512gb", "style: s21 ultra + case black"], "instruction_attributes": ["easy use"], "instruction_options": ["phantom gray", "512gb", "s21 ultra + case black"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVR7X93", "worker_id": "A2HMEGTAFO0CS8"}], "B082QHNGY4": [{"asin": "B082QHNGY4", "instruction": "i am looking for a white fast charging usb wall charger for a samsung galaxy.", "attributes": ["fast charging", "usb port"], "options": ["color: white"], "instruction_attributes": ["fast charging"], "instruction_options": ["white"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OF6RTE", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B082QHNGY4", "instruction": "i am looking for a white fast charging usb wall charger for a samsung galaxy.", "attributes": ["fast charging", "usb port"], "options": ["color: white"], "instruction_attributes": ["fast charging"], "instruction_options": ["white"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OF6RTE", "worker_id": "A1EREKSZAA9V7B"}], "B09PL6LMFX": [{"asin": "B09PL6LMFX", "instruction": "i am looking for a 2bottle color floride free teeth whitening toothpaste.", "attributes": ["fluoride free", "teeth whitening", "natural ingredients", "sensitive teeth", "bad breath"], "options": ["color: 2bottle"], "instruction_attributes": ["fluoride free", "teeth whitening"], "instruction_options": ["2bottle"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HQMPBY", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09PL6LMFX", "instruction": "i am looking for a 2bottle color floride free teeth whitening toothpaste.", "attributes": ["fluoride free", "teeth whitening", "natural ingredients", "sensitive teeth", "bad breath"], "options": ["color: 2bottle"], "instruction_attributes": ["fluoride free", "teeth whitening"], "instruction_options": ["2bottle"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HQMPBY", "worker_id": "A1Q8PPQQCWGY0D"}], "B0001W2XSO": [{"asin": "B0001W2XSO", "instruction": "i need party bags of potato chips.", "attributes": ["fat free", "gluten free", "birthday party"], "options": ["flavor name: reduced fat", "size: 5 ounce (pack of 12)"], "instruction_attributes": ["birthday party"], "instruction_options": ["reduced fat"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW488SY", "worker_id": "A19317A3X87NVM"}, {"asin": "B0001W2XSO", "instruction": "i need party bags of potato chips.", "attributes": ["fat free", "gluten free", "birthday party"], "options": ["flavor name: reduced fat", "size: 5 ounce (pack of 12)"], "instruction_attributes": ["birthday party"], "instruction_options": ["reduced fat"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW488SY", "worker_id": "A19317A3X87NVM"}, {"asin": "B0001W2XSO", "instruction": "i would like some fat free potato chips that are salt and vinegar", "attributes": ["fat free", "gluten free", "birthday party"], "options": ["flavor name: sea salt and vinegar", "size: 5 ounce (pack of 12)"], "instruction_attributes": ["fat free"], "instruction_options": ["sea salt and vinegar"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQAZVKG", "worker_id": "A2ECRNQ3X5LEXD"}], "B089M2WWHH": [{"asin": "B089M2WWHH", "instruction": "i am looking for a bed with a steel frame and a twin xl memory foam mattress.", "attributes": ["assembly required", "memory foam", "steel frame"], "options": ["size: twin xl", "style: firm mattress only"], "instruction_attributes": ["memory foam", "steel frame"], "instruction_options": ["twin xl"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39INHTLQ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B089M2WWHH", "instruction": "i am looking for a bed with a steel frame and a twin xl memory foam mattress.", "attributes": ["assembly required", "memory foam", "steel frame"], "options": ["size: twin xl", "style: firm mattress only"], "instruction_attributes": ["memory foam", "steel frame"], "instruction_options": ["twin xl"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39INHTLQ", "worker_id": "A1EREKSZAA9V7B"}], "B09JBMP1YR": [{"asin": "B09JBMP1YR", "instruction": "i am looking for a computer gaming chair that has lumbar support.", "attributes": ["heavy duty", "pu leather", "lumbar support"], "options": [""], "instruction_attributes": ["lumbar support"], "instruction_options": [], "assignment_id": "33TIN5LC0FKDY31374RC144TXVX9YD", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09JBMP1YR", "instruction": "i am looking for a computer gaming chair that has lumbar support.", "attributes": ["heavy duty", "pu leather", "lumbar support"], "options": [""], "instruction_attributes": ["lumbar support"], "instruction_options": [], "assignment_id": "33TIN5LC0FKDY31374RC144TXVX9YD", "worker_id": "A2ECRNQ3X5LEXD"}], "B07JGP6BN3": [{"asin": "B07JGP6BN3", "instruction": "want a security camera system with high definition, motion detection and need to be dust proof", "attributes": ["dust proof", "high definition", "motion detection"], "options": [""], "instruction_attributes": ["dust proof", "high definition", "motion detection"], "instruction_options": [], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOEATCH", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07JGP6BN3", "instruction": "want a security camera system with high definition, motion detection and need to be dust proof", "attributes": ["dust proof", "high definition", "motion detection"], "options": [""], "instruction_attributes": ["dust proof", "high definition", "motion detection"], "instruction_options": [], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOEATCH", "worker_id": "A2Y2TURT2VEYZN"}], "B0979651TX": [{"asin": "B0979651TX", "instruction": "i need white steel toe siilsaa sneakers for women in size 7.5.", "attributes": ["steel toe", "teen girls"], "options": ["color: z03 white", "size: 7.5"], "instruction_attributes": ["steel toe"], "instruction_options": ["z03 white", "7.5"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP6UD69", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B0979651TX", "instruction": "i need white steel toe siilsaa sneakers for women in size 7.5.", "attributes": ["steel toe", "teen girls"], "options": ["color: z03 white", "size: 7.5"], "instruction_attributes": ["steel toe"], "instruction_options": ["z03 white", "7.5"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP6UD69", "worker_id": "A2RBF3IIJP15IH"}], "B09HPMDHZK": [{"asin": "B09HPMDHZK", "instruction": "i am looking for silver cupcake toppers for a birthday party.", "attributes": ["birthday party", "cupcake picks"], "options": ["color: silver"], "instruction_attributes": ["birthday party"], "instruction_options": ["silver"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TV3US3", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09HPMDHZK", "instruction": "i am looking for silver cupcake toppers for a birthday party.", "attributes": ["birthday party", "cupcake picks"], "options": ["color: silver"], "instruction_attributes": ["birthday party"], "instruction_options": ["silver"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TV3US3", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09HPMDHZK", "instruction": "i need some pink cupcake toppers for a birthday party.", "attributes": ["birthday party", "cupcake picks"], "options": ["color: pink"], "instruction_attributes": ["birthday party"], "instruction_options": ["pink"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GM7S3P", "worker_id": "AR9AU5FY1S3RO"}], "B09129MGYK": [{"asin": "B09129MGYK", "instruction": "i am looking for a round, ivory colored ottoman for my living room.", "attributes": ["white item", "living room"], "options": ["color: ivory"], "instruction_attributes": ["living room"], "instruction_options": ["ivory"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWU859RY", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09129MGYK", "instruction": "i am looking for a round, ivory colored ottoman for my living room.", "attributes": ["white item", "living room"], "options": ["color: ivory"], "instruction_attributes": ["living room"], "instruction_options": ["ivory"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWU859RY", "worker_id": "A1EREKSZAA9V7B"}], "B08NTSS463": [{"asin": "B08NTSS463", "instruction": "i want to buy some sandals. get the ones with the ankle straps, and buy them in moonstone, size six and a half.", "attributes": ["ethylene vinyl", "vinyl acetate", "ankle strap"], "options": ["color: moonstone", "size: 6.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["moonstone", "6.5"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EBXWSN", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08NTSS463", "instruction": "i want to buy some sandals. get the ones with the ankle straps, and buy them in moonstone, size six and a half.", "attributes": ["ethylene vinyl", "vinyl acetate", "ankle strap"], "options": ["color: moonstone", "size: 6.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["moonstone", "6.5"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EBXWSN", "worker_id": "AR9AU5FY1S3RO"}], "B099K1KP3N": [{"asin": "B099K1KP3N", "instruction": "looking for one bed for kids in grey color, size twin and of easy assemble in wood.", "attributes": ["white item", "easy assemble", "box spring"], "options": ["color: grey(triangle)", "size: twin"], "instruction_attributes": ["easy assemble"], "instruction_options": ["grey(triangle)", "twin"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X022G34X", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B099K1KP3N", "instruction": "looking for one bed for kids in grey color, size twin and of easy assemble in wood.", "attributes": ["white item", "easy assemble", "box spring"], "options": ["color: grey(triangle)", "size: twin"], "instruction_attributes": ["easy assemble"], "instruction_options": ["grey(triangle)", "twin"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X022G34X", "worker_id": "A2Y2TURT2VEYZN"}], "B0786TZL82": [{"asin": "B0786TZL82", "instruction": "i want a low sodium spice mix that has himalyan salt.", "attributes": ["low sodium", "non gmo", "gluten free", "natural ingredients", "gift set", "great gift"], "options": ["flavor: himalayan salt"], "instruction_attributes": ["low sodium"], "instruction_options": ["himalayan salt"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3D8YAA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0786TZL82", "instruction": "i want a low sodium spice mix that has himalyan salt.", "attributes": ["low sodium", "non gmo", "gluten free", "natural ingredients", "gift set", "great gift"], "options": ["flavor: himalayan salt"], "instruction_attributes": ["low sodium"], "instruction_options": ["himalayan salt"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3D8YAA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0786TZL82", "instruction": "i would like a sweet and savory spices that are low sodium.", "attributes": ["low sodium", "non gmo", "gluten free", "natural ingredients", "gift set", "great gift"], "options": ["flavor: sweet & savory"], "instruction_attributes": ["low sodium"], "instruction_options": ["sweet & savory"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DY7OTZ", "worker_id": "A1WS884SI0SLO4"}], "B093L1QNPT": [{"asin": "B093L1QNPT", "instruction": "i'm looking for a black, digital alarm clock that offers wireless bluetooth functionality.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7XWPTZ9", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B093L1QNPT", "instruction": "i'm looking for a black, digital alarm clock that offers wireless bluetooth functionality.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7XWPTZ9", "worker_id": "A2JP9IKRHNLRPI"}], "B088K9PJQY": [{"asin": "B088K9PJQY", "instruction": "find me cloths towel for exfoliating bath for sensitive skin 11.81 x 11.8 inch with yellow edge", "attributes": ["easy clean", "long lasting", "sensitive skin"], "options": ["size: 11.81 x 11.8 inch", "style: yellow edge"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["11.81 x 11.8 inch", "yellow edge"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJF8OL7", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B088K9PJQY", "instruction": "find me cloths towel for exfoliating bath for sensitive skin 11.81 x 11.8 inch with yellow edge", "attributes": ["easy clean", "long lasting", "sensitive skin"], "options": ["size: 11.81 x 11.8 inch", "style: yellow edge"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["11.81 x 11.8 inch", "yellow edge"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJF8OL7", "worker_id": "A2Y2TURT2VEYZN"}], "B07BMF3FYB": [{"asin": "B07BMF3FYB", "instruction": "i am looking for sugar free unsweetened shredded coconut flakes with large flakes.", "attributes": ["gluten free", "usda organic", "low carb", "sugar free", "plant based", "non gmo"], "options": ["flavor name: unsweetened chips | large flakes", "size: 14 ounce (pack of 2)"], "instruction_attributes": ["sugar free"], "instruction_options": ["unsweetened chips | large flakes"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFQ3OJ5", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07BMF3FYB", "instruction": "i am looking for sugar free unsweetened shredded coconut flakes with large flakes.", "attributes": ["gluten free", "usda organic", "low carb", "sugar free", "plant based", "non gmo"], "options": ["flavor name: unsweetened chips | large flakes", "size: 14 ounce (pack of 2)"], "instruction_attributes": ["sugar free"], "instruction_options": ["unsweetened chips | large flakes"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFQ3OJ5", "worker_id": "A1EREKSZAA9V7B"}], "B019MH122Q": [{"asin": "B019MH122Q", "instruction": "i'm looking for ten high-speed, gold-plated hdmi cables.", "attributes": ["high speed", "gold plated"], "options": ["color: 10 pack", "size: 1.5 feet (4-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C481I00", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B019MH122Q", "instruction": "i'm looking for ten high-speed, gold-plated hdmi cables.", "attributes": ["high speed", "gold plated"], "options": ["color: 10 pack", "size: 1.5 feet (4-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C481I00", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B019MH122Q", "instruction": "i need to buy some hdmi male to female cables. look for a pack of ten three foot cables that are high speed and gold plated.", "attributes": ["high speed", "gold plated"], "options": ["color: 10 pack", "size: 3 feet (3-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "3 feet (3-pack)", "hdmi male to female"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRMAF9T", "worker_id": "AR9AU5FY1S3RO"}], "B09BQ35B69": [{"asin": "B09BQ35B69", "instruction": "i would like a pink size 5 high heel shoe with a rubber sole.", "attributes": ["high heel", "rubber sole"], "options": ["color: pink", "size: 5"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["pink", "5"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJJ6Z8S", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09BQ35B69", "instruction": "i would like a pink size 5 high heel shoe with a rubber sole.", "attributes": ["high heel", "rubber sole"], "options": ["color: pink", "size: 5"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["pink", "5"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJJ6Z8S", "worker_id": "A1WS884SI0SLO4"}], "B089JYCLBG": [{"asin": "B089JYCLBG", "instruction": "i am looking for a pink leak proof bag.", "attributes": ["travel size", "leak proof", "travel bottles", "stainless steel", "hair dye"], "options": ["color: pink", "size: 60 ml"], "instruction_attributes": ["leak proof"], "instruction_options": ["pink"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNX6PT8", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B089JYCLBG", "instruction": "i am looking for a pink leak proof bag.", "attributes": ["travel size", "leak proof", "travel bottles", "stainless steel", "hair dye"], "options": ["color: pink", "size: 60 ml"], "instruction_attributes": ["leak proof"], "instruction_options": ["pink"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNX6PT8", "worker_id": "A2ECRNQ3X5LEXD"}], "B00CWTZ8UY": [{"asin": "B00CWTZ8UY", "instruction": "get me a holiday variety pack of sugar free syrup, please.", "attributes": ["sugar free", "fat free", "keto friendly", "gluten free", "zero sugar"], "options": ["flavor name: sugar free syrup, holiday variety pack", "size: 25.4-ounce (pack of 3)"], "instruction_attributes": ["sugar free"], "instruction_options": ["sugar free syrup, holiday variety pack"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYAJ28Z", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B00CWTZ8UY", "instruction": "get me a holiday variety pack of sugar free syrup, please.", "attributes": ["sugar free", "fat free", "keto friendly", "gluten free", "zero sugar"], "options": ["flavor name: sugar free syrup, holiday variety pack", "size: 25.4-ounce (pack of 3)"], "instruction_attributes": ["sugar free"], "instruction_options": ["sugar free syrup, holiday variety pack"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYAJ28Z", "worker_id": "AR9AU5FY1S3RO"}], "B07PXGC1V2": [{"asin": "B07PXGC1V2", "instruction": "i am interested in a high protein snack pack.", "attributes": ["fully cooked", "easy prepare", "protein serving", "keto friendly", "ready eat", "high protein"], "options": [""], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BJFVJT", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07PXGC1V2", "instruction": "i am interested in a high protein snack pack.", "attributes": ["fully cooked", "easy prepare", "protein serving", "keto friendly", "ready eat", "high protein"], "options": [""], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BJFVJT", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DL8BGGW": [{"asin": "B09DL8BGGW", "instruction": "i need in dash navigation that is hands free.", "attributes": ["compatible apple", "1080p hd", "fast charging", "hands free"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z2RGXY", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09DL8BGGW", "instruction": "i need in dash navigation that is hands free.", "attributes": ["compatible apple", "1080p hd", "fast charging", "hands free"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z2RGXY", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QNF7GVB": [{"asin": "B07QNF7GVB", "instruction": "i'm looking for pink cruelty free himalayan salt water mouth rinse.", "attributes": ["alcohol free", "easy use", "cruelty free", "bpa free"], "options": [""], "instruction_attributes": ["alcohol free", "cruelty free"], "instruction_options": [], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HG8SHYY", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B07QNF7GVB", "instruction": "i'm looking for pink cruelty free himalayan salt water mouth rinse.", "attributes": ["alcohol free", "easy use", "cruelty free", "bpa free"], "options": [""], "instruction_attributes": ["alcohol free", "cruelty free"], "instruction_options": [], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HG8SHYY", "worker_id": "ARQ05PDNXPFDI"}], "B07Z19YMN4": [{"asin": "B07Z19YMN4", "instruction": "i am looking for a 15 pack of individually wrapped gourmet cookies with natural ingredients.", "attributes": ["individually wrapped", "artificial ingredients", "simple ingredients", "natural ingredients"], "options": ["flavor name: milk and hazelnut chocolate", "size: 15 count (pack of 3)"], "instruction_attributes": ["individually wrapped", "natural ingredients"], "instruction_options": ["15 count (pack of 3)"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23ST4TQF", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07Z19YMN4", "instruction": "i am looking for a 15 pack of individually wrapped gourmet cookies with natural ingredients.", "attributes": ["individually wrapped", "artificial ingredients", "simple ingredients", "natural ingredients"], "options": ["flavor name: milk and hazelnut chocolate", "size: 15 count (pack of 3)"], "instruction_attributes": ["individually wrapped", "natural ingredients"], "instruction_options": ["15 count (pack of 3)"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23ST4TQF", "worker_id": "A1EREKSZAA9V7B"}], "B00XNUMYTY": [{"asin": "B00XNUMYTY", "instruction": "i need a non-dairy coffee creamer.", "attributes": ["non dairy", "non gmo", "plant based", "dairy free", "artificial ingredients", "low sugar", "gluten free", "shelf stable", "soy free"], "options": [""], "instruction_attributes": ["non dairy"], "instruction_options": [], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDSZYUV9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00XNUMYTY", "instruction": "i need a non-dairy coffee creamer.", "attributes": ["non dairy", "non gmo", "plant based", "dairy free", "artificial ingredients", "low sugar", "gluten free", "shelf stable", "soy free"], "options": [""], "instruction_attributes": ["non dairy"], "instruction_options": [], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDSZYUV9", "worker_id": "A2ECRNQ3X5LEXD"}], "B07G4HMCR1": [{"asin": "B07G4HMCR1", "instruction": "i am looking for a hair color of lime light color having argan oil in it.", "attributes": ["argan oil", "permanent hair"], "options": ["color: lime light"], "instruction_attributes": ["argan oil"], "instruction_options": ["lime light"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2K6L52", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07G4HMCR1", "instruction": "i am looking for a hair color of lime light color having argan oil in it.", "attributes": ["argan oil", "permanent hair"], "options": ["color: lime light"], "instruction_attributes": ["argan oil"], "instruction_options": ["lime light"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2K6L52", "worker_id": "A1Q8PPQQCWGY0D"}], "B09MTPKW8N": [{"asin": "B09MTPKW8N", "instruction": "i need a blue tongue scraper for bad breath.", "attributes": ["oral hygiene", "fresh breath", "bad breath"], "options": ["color: blue"], "instruction_attributes": ["bad breath"], "instruction_options": ["blue"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4QO7KS", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09MTPKW8N", "instruction": "i need a blue tongue scraper for bad breath.", "attributes": ["oral hygiene", "fresh breath", "bad breath"], "options": ["color: blue"], "instruction_attributes": ["bad breath"], "instruction_options": ["blue"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4QO7KS", "worker_id": "A2RBF3IIJP15IH"}], "B09MRKGG9Q": [{"asin": "B09MRKGG9Q", "instruction": "i need a media player with aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQDYKEX", "worker_id": "A19317A3X87NVM"}, {"asin": "B09MRKGG9Q", "instruction": "i need a media player with aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQDYKEX", "worker_id": "A19317A3X87NVM"}, {"asin": "B09MRKGG9Q", "instruction": "find me a hdmi media players with aaa batteries for streaming", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3X08E93BH6SOX0PZ3ET8Y3TY8QB66Q", "worker_id": "A2Y2TURT2VEYZN"}], "B096YP9W7J": [{"asin": "B096YP9W7J", "instruction": "i would like a 6 pack of 10 ounce kashmir potatoes that are ready to eat.", "attributes": ["ready eat", "fully cooked", "gluten free"], "options": ["flavor: kashmir potatoes", "size: 10 ounce (pack of 6)"], "instruction_attributes": ["ready eat"], "instruction_options": ["kashmir potatoes", "10 ounce (pack of 6)"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SSXUDD", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B096YP9W7J", "instruction": "i need some ready to eat delhi potato entrees.", "attributes": ["ready eat", "fully cooked", "gluten free"], "options": ["flavor: delhi potatoes", "size: 10 ounce (pack of 1)"], "instruction_attributes": ["ready eat"], "instruction_options": ["delhi potatoes"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTB3E5I", "worker_id": "A19317A3X87NVM"}, {"asin": "B096YP9W7J", "instruction": "i would like a 6 pack of 10 ounce kashmir potatoes that are ready to eat.", "attributes": ["ready eat", "fully cooked", "gluten free"], "options": ["flavor: kashmir potatoes", "size: 10 ounce (pack of 6)"], "instruction_attributes": ["ready eat"], "instruction_options": ["kashmir potatoes", "10 ounce (pack of 6)"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SSXUDD", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B096YP9W7J", "instruction": "i need ready to eat gluten free kashmir potatoes that is suitable for the preparation of asian foods. and i would prefer a pack of one", "attributes": ["ready eat", "fully cooked", "gluten free"], "options": ["flavor: delhi lentil", "size: 10 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["10 ounce (pack of 1)"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746Z4BTY", "worker_id": "A2COCSUGZV28X"}, {"asin": "B096YP9W7J", "instruction": "i would like some lentils that are ready to eat", "attributes": ["ready eat", "fully cooked", "gluten free"], "options": ["flavor: delhi lentil", "size: 10 ounce (pack of 6)"], "instruction_attributes": ["ready eat"], "instruction_options": ["delhi lentil"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DYDTOA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B096YP9W7J", "instruction": "i would like a six pack of ready to eat entrees", "attributes": ["ready eat", "fully cooked", "gluten free"], "options": ["flavor: kashmir potatoes", "size: 10 ounce (pack of 6)"], "instruction_attributes": ["ready eat"], "instruction_options": ["10 ounce (pack of 6)"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWT21971", "worker_id": "A2ECRNQ3X5LEXD"}], "B09L1KZ8N2": [{"asin": "B09L1KZ8N2", "instruction": "i would like a milky white chair that's easy to clean.", "attributes": ["non slip", "spot clean", "easy clean"], "options": ["color: milk white -1"], "instruction_attributes": ["easy clean"], "instruction_options": ["milk white -1"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPWUTXF", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09L1KZ8N2", "instruction": "i would like a milky white chair that's easy to clean.", "attributes": ["non slip", "spot clean", "easy clean"], "options": ["color: milk white -1"], "instruction_attributes": ["easy clean"], "instruction_options": ["milk white -1"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPWUTXF", "worker_id": "A1WS884SI0SLO4"}], "B07WYD5LPD": [{"asin": "B07WYD5LPD", "instruction": "i am looking for eye shadow that is a soft brass color.", "attributes": ["nail polish", "eye shadow"], "options": ["color: clear | soft brass"], "instruction_attributes": ["eye shadow"], "instruction_options": ["clear | soft brass"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPDJ6VM", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07WYD5LPD", "instruction": "i am looking for eye shadow that is a soft brass color.", "attributes": ["nail polish", "eye shadow"], "options": ["color: clear | soft brass"], "instruction_attributes": ["eye shadow"], "instruction_options": ["clear | soft brass"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPDJ6VM", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PRN1F5X": [{"asin": "B07PRN1F5X", "instruction": "i am looking for dried coconut that is gluten free", "attributes": ["gluten free", "real fruit"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G741472", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07PRN1F5X", "instruction": "i am looking for dried coconut that is gluten free", "attributes": ["gluten free", "real fruit"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G741472", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RX2753C": [{"asin": "B07RX2753C", "instruction": "i need a 30 pair pack of skin care masks for eyes and wrinkles.", "attributes": ["anti aging", "dark circles", "fine lines"], "options": ["color: 30 pairs gold"], "instruction_attributes": ["anti aging", "dark circles"], "instruction_options": ["30 pairs gold"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907PZAUQ", "worker_id": "A19317A3X87NVM"}, {"asin": "B07RX2753C", "instruction": "i need a 30 pair pack of skin care masks for eyes and wrinkles.", "attributes": ["anti aging", "dark circles", "fine lines"], "options": ["color: 30 pairs gold"], "instruction_attributes": ["anti aging", "dark circles"], "instruction_options": ["30 pairs gold"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907PZAUQ", "worker_id": "A19317A3X87NVM"}], "B07BN5LDJ5": [{"asin": "B07BN5LDJ5", "instruction": "i'd like to buy about 12 ounces of fully cooked steak strips that are ready to eat.", "attributes": ["fully cooked", "ready eat"], "options": ["size: 12 ounce (pack of 1)"], "instruction_attributes": ["fully cooked", "ready eat"], "instruction_options": ["12 ounce (pack of 1)"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLQ103F", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07BN5LDJ5", "instruction": "i'd like to buy about 12 ounces of fully cooked steak strips that are ready to eat.", "attributes": ["fully cooked", "ready eat"], "options": ["size: 12 ounce (pack of 1)"], "instruction_attributes": ["fully cooked", "ready eat"], "instruction_options": ["12 ounce (pack of 1)"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLQ103F", "worker_id": "A3EDFA8UQT5GG8"}], "B07GXTPGVR": [{"asin": "B07GXTPGVR", "instruction": "i am looking for rubber sole shoes of light beige knit color.", "attributes": ["day comfort", "rubber sole"], "options": ["color: light beige knit", "size: 6.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["light beige knit"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WOG42N", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07GXTPGVR", "instruction": "i am looking for rubber sole shoes of light beige knit color.", "attributes": ["day comfort", "rubber sole"], "options": ["color: light beige knit", "size: 6.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["light beige knit"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WOG42N", "worker_id": "A1Q8PPQQCWGY0D"}], "B09H7MFR68": [{"asin": "B09H7MFR68", "instruction": "i want to buy some low-rise ankle booties. look for some in green and in a size seven and a half.", "attributes": ["low rise", "knee high", "steel toe", "rubber sole", "daily wear"], "options": ["color: green", "size: 7.5"], "instruction_attributes": ["low rise"], "instruction_options": ["green", "7.5"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZNISHH", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09H7MFR68", "instruction": "i want to buy some low-rise ankle booties. look for some in green and in a size seven and a half.", "attributes": ["low rise", "knee high", "steel toe", "rubber sole", "daily wear"], "options": ["color: green", "size: 7.5"], "instruction_attributes": ["low rise"], "instruction_options": ["green", "7.5"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZNISHH", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09H7MFR68", "instruction": "i'm looking for ankle boots for women and winter round toe solid color booties.", "attributes": ["low rise", "knee high", "steel toe", "rubber sole", "daily wear"], "options": ["color: grey", "size: 6"], "instruction_attributes": ["daily wear"], "instruction_options": ["grey"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLND0M2", "worker_id": "A21IUUHBSEVB56"}], "B07X63DQ2K": [{"asin": "B07X63DQ2K", "instruction": "i need khaki steel toe shoes in size 11 women.", "attributes": ["steel toe", "ethylene vinyl", "vinyl acetate"], "options": ["color: khaki", "size: 11 women | 9 men"], "instruction_attributes": ["steel toe"], "instruction_options": ["khaki", "11 women | 9 men"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNP7FJ5", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07X63DQ2K", "instruction": "i need khaki steel toe shoes in size 11 women.", "attributes": ["steel toe", "ethylene vinyl", "vinyl acetate"], "options": ["color: khaki", "size: 11 women | 9 men"], "instruction_attributes": ["steel toe"], "instruction_options": ["khaki", "11 women | 9 men"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNP7FJ5", "worker_id": "A2RBF3IIJP15IH"}], "B0933K4XFG": [{"asin": "B0933K4XFG", "instruction": "i need an amplifier that is easy to install.", "attributes": ["easy install", "stereo sound"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746TATBA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0933K4XFG", "instruction": "i need an amplifier that is easy to install.", "attributes": ["easy install", "stereo sound"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746TATBA", "worker_id": "A2ECRNQ3X5LEXD"}], "B082TNGSWD": [{"asin": "B082TNGSWD", "instruction": "i am looking for a heavy duty 25 foot 7.6 meter toslink optical cable.", "attributes": ["blu ray", "heavy duty", "high resolution", "high definition"], "options": ["size: 25ft | 7.6m"], "instruction_attributes": ["heavy duty"], "instruction_options": ["25ft | 7.6m"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXYICT", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B082TNGSWD", "instruction": "i am looking for a heavy duty 25 foot 7.6 meter toslink optical cable.", "attributes": ["blu ray", "heavy duty", "high resolution", "high definition"], "options": ["size: 25ft | 7.6m"], "instruction_attributes": ["heavy duty"], "instruction_options": ["25ft | 7.6m"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXYICT", "worker_id": "A1EREKSZAA9V7B"}], "B09K3WM82N": [{"asin": "B09K3WM82N", "instruction": "i need a faux fur white andeworld swivel barrel chair for my living room.", "attributes": ["mid century", "living room"], "options": ["color: faux fur white"], "instruction_attributes": ["living room"], "instruction_options": ["faux fur white"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKWJNDT", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09K3WM82N", "instruction": "i need a faux fur white andeworld swivel barrel chair for my living room.", "attributes": ["mid century", "living room"], "options": ["color: faux fur white"], "instruction_attributes": ["living room"], "instruction_options": ["faux fur white"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKWJNDT", "worker_id": "A2RBF3IIJP15IH"}], "B07QKVNJTP": [{"asin": "B07QKVNJTP", "instruction": "i am looking for wine red maternity shorts with nylon spandex and pockets.", "attributes": ["low rise", "nylon spandex"], "options": ["color: wine red", "size: x-large"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["wine red"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUURLJQ8", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07QKVNJTP", "instruction": "i am looking for wine red maternity shorts with nylon spandex and pockets.", "attributes": ["low rise", "nylon spandex"], "options": ["color: wine red", "size: x-large"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["wine red"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUURLJQ8", "worker_id": "A1EREKSZAA9V7B"}], "B07WK5PLPN": [{"asin": "B07WK5PLPN", "instruction": "i need a women's shower gel that is purple and long lasting.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLPXAD9", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07WK5PLPN", "instruction": "i need a women's shower gel that is purple and long lasting.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLPXAD9", "worker_id": "A2RBF3IIJP15IH"}], "B07SBG7PZK": [{"asin": "B07SBG7PZK", "instruction": "i am looking for pez toy story 4 themed candy for a birthday party.", "attributes": ["individually wrapped", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LG45I0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07SBG7PZK", "instruction": "i am looking for pez toy story 4 themed candy for a birthday party.", "attributes": ["individually wrapped", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LG45I0", "worker_id": "A1EREKSZAA9V7B"}], "B001D0DMME": [{"asin": "B001D0DMME", "instruction": "i am looking for gluten free blueberry almond pecan flavor bars.", "attributes": ["gluten free", "individually wrapped"], "options": ["flavor name: blueberry almond pecan", "size: 1.4 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["blueberry almond pecan"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9IB0B3", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B001D0DMME", "instruction": "i am looking for gluten free blueberry almond pecan flavor bars.", "attributes": ["gluten free", "individually wrapped"], "options": ["flavor name: blueberry almond pecan", "size: 1.4 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["blueberry almond pecan"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9IB0B3", "worker_id": "A1Q8PPQQCWGY0D"}], "B083ZWKR6S": [{"asin": "B083ZWKR6S", "instruction": "looking for ultraboost adidas size 6.5 color black and rubber sole", "attributes": ["lace closure", "rubber outsole", "rubber sole"], "options": ["color: black | black | gold metallic", "size: 6.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black | black | gold metallic", "6.5"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHXH4ZX", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B083ZWKR6S", "instruction": "looking for ultraboost adidas size 6.5 color black and rubber sole", "attributes": ["lace closure", "rubber outsole", "rubber sole"], "options": ["color: black | black | gold metallic", "size: 6.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black | black | gold metallic", "6.5"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHXH4ZX", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B083ZWKR6S", "instruction": "i chose as a gift a black adidas originals men's ultraboost 12.5 with rubber sole. notify me so i can purchase today.", "attributes": ["lace closure", "rubber outsole", "rubber sole"], "options": ["color: core black | core black | grey six", "size: 12.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["core black | core black | grey six", "12.5"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEMEQ8U", "worker_id": "A15IJ20C3R4HUO"}], "B004BCT7G6": [{"asin": "B004BCT7G6", "instruction": "buy me some lipstick in spicy mauve. get the one with argan oil in it.", "attributes": ["highly pigmented", "argan oil", "eye shadow"], "options": ["color: saucy mauve", "style: pinks"], "instruction_attributes": ["argan oil"], "instruction_options": ["saucy mauve"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34I641A", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B004BCT7G6", "instruction": "buy me some lipstick in spicy mauve. get the one with argan oil in it.", "attributes": ["highly pigmented", "argan oil", "eye shadow"], "options": ["color: saucy mauve", "style: pinks"], "instruction_attributes": ["argan oil"], "instruction_options": ["saucy mauve"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34I641A", "worker_id": "AR9AU5FY1S3RO"}], "B07MK3LBPR": [{"asin": "B07MK3LBPR", "instruction": "i'm looking for a maple bacon gluten free with natural flavor, flavor pure orange and size 2 fl oz 24 pack", "attributes": ["non gmo", "gluten free", "natural flavors", "artificial colors"], "options": ["flavor name: pure orange", "size: 2 fl oz (pack of 24)"], "instruction_attributes": ["gluten free", "natural flavors"], "instruction_options": ["pure orange", "2 fl oz (pack of 24)"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU70R755", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07MK3LBPR", "instruction": "i'm looking for a maple bacon gluten free with natural flavor, flavor pure orange and size 2 fl oz 24 pack", "attributes": ["non gmo", "gluten free", "natural flavors", "artificial colors"], "options": ["flavor name: pure orange", "size: 2 fl oz (pack of 24)"], "instruction_attributes": ["gluten free", "natural flavors"], "instruction_options": ["pure orange", "2 fl oz (pack of 24)"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU70R755", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07MK3LBPR", "instruction": "i'm looking for watkins red velvet 2fl oz (pack of 12) with natural flavors.", "attributes": ["non gmo", "gluten free", "natural flavors", "artificial colors"], "options": ["flavor name: red velvet", "size: 2 fl oz (pack of 12)"], "instruction_attributes": ["natural flavors"], "instruction_options": ["red velvet", "2 fl oz (pack of 12)"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UFUA33", "worker_id": "A1Q0EUNCS50S8M"}], "B01MXL8AVD": [{"asin": "B01MXL8AVD", "instruction": "i am looking for a jack daniels chocolate liquor cake for perfect gift", "attributes": ["quality ingredients", "perfect gift"], "options": ["flavor name: jack daniels chocolate"], "instruction_attributes": [], "instruction_options": ["jack daniels chocolate"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO44JG5", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01MXL8AVD", "instruction": "i am looking for a jack daniels chocolate liquor cake for perfect gift", "attributes": ["quality ingredients", "perfect gift"], "options": ["flavor name: jack daniels chocolate"], "instruction_attributes": [], "instruction_options": ["jack daniels chocolate"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO44JG5", "worker_id": "A258PTOZ3D2TQR"}], "B08DKK9VH6": [{"asin": "B08DKK9VH6", "instruction": "i am looking for a travel size fresh linens impression fragrance body oil.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: fresh linens impression", "size: 0.3 fl oz | 10ml"], "instruction_attributes": ["travel size"], "instruction_options": ["fresh linens impression"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X022A43S", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08DKK9VH6", "instruction": "i would like a 15 ml travel size bottle of christian dior miss dior impression.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: christian dior miss dior impression", "size: 0.5 fl oz | 15ml"], "instruction_attributes": ["travel size"], "instruction_options": ["christian dior miss dior impression", "0.5 fl oz | 15ml"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1074LLIH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08DKK9VH6", "instruction": "i am looking for a travel size fresh linens impression fragrance body oil.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: fresh linens impression", "size: 0.3 fl oz | 10ml"], "instruction_attributes": ["travel size"], "instruction_options": ["fresh linens impression"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X022A43S", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08DKK9VH6", "instruction": "i am looking for a long lasting eau de parfum sprayer in a 10 ml bottle.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: lancome tresor impression", "size: 0.3 fl oz | 10ml"], "instruction_attributes": ["long lasting"], "instruction_options": ["0.3 fl oz | 10ml"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1D8U9Y", "worker_id": "AHXHM1PQTRWIQ"}], "B09SFQ6S8M": [{"asin": "B09SFQ6S8M", "instruction": "i'm looking for women's square toe sandals that are non-slip and beige high heels.", "attributes": ["water resistant", "anti slip", "non slip", "tummy control", "steel toe", "high heel", "memory foam"], "options": ["color: a1 - beige", "size: 6.5 wide"], "instruction_attributes": ["anti slip", "high heel"], "instruction_options": ["a1 - beige"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP6O6DW", "worker_id": "ARJDD0Z3R65BD"}, {"asin": "B09SFQ6S8M", "instruction": "i'm looking for women's square toe sandals that are non-slip and beige high heels.", "attributes": ["water resistant", "anti slip", "non slip", "tummy control", "steel toe", "high heel", "memory foam"], "options": ["color: a1 - beige", "size: 6.5 wide"], "instruction_attributes": ["anti slip", "high heel"], "instruction_options": ["a1 - beige"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP6O6DW", "worker_id": "ARJDD0Z3R65BD"}], "B01N6T8JK9": [{"asin": "B01N6T8JK9", "instruction": "i am looking for a size 3 slim fit women's skinny jeans.", "attributes": ["slim fit", "button closure", "high waist", "polyester spandex"], "options": ["color: high waistdark blue", "size: 3"], "instruction_attributes": ["slim fit"], "instruction_options": ["3"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKNRSG4", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01N6T8JK9", "instruction": "i am looking for a size 3 slim fit women's skinny jeans.", "attributes": ["slim fit", "button closure", "high waist", "polyester spandex"], "options": ["color: high waistdark blue", "size: 3"], "instruction_attributes": ["slim fit"], "instruction_options": ["3"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKNRSG4", "worker_id": "A1EREKSZAA9V7B"}], "B097HH78XG": [{"asin": "B097HH78XG", "instruction": "i am looking for size 9 women's fashion sneakers with vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: hold that posture mijas ii", "size: 9"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["9"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOFLMLI", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B097HH78XG", "instruction": "i am looking for size 9 women's fashion sneakers with vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: hold that posture mijas ii", "size: 9"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["9"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOFLMLI", "worker_id": "A1EREKSZAA9V7B"}], "B09NLRZBGM": [{"asin": "B09NLRZBGM", "instruction": "i am looking for a photography background that is lightweight in the color a16 and that is 7 by 5 ft", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a16", "size: 7x5ft | 2.1x1.5m"], "instruction_attributes": ["light weight"], "instruction_options": ["a16", "7x5ft | 2.1x1.5m"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFENV9I", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09NLRZBGM", "instruction": "i am looking for a photography background that is lightweight in the color a16 and that is 7 by 5 ft", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a16", "size: 7x5ft | 2.1x1.5m"], "instruction_attributes": ["light weight"], "instruction_options": ["a16", "7x5ft | 2.1x1.5m"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFENV9I", "worker_id": "A2ECRNQ3X5LEXD"}], "B07MWSX8Z7": [{"asin": "B07MWSX8Z7", "instruction": "i am looking for slim jeans that are granite color and machine washable.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: granite", "fit type: slim", "size: 38w x 40l"], "instruction_attributes": ["machine wash"], "instruction_options": ["granite", "slim"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYGTLQF", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07MWSX8Z7", "instruction": "i am looking for men's wrangler relaxed fit jeans that are straw colored.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: straw", "fit type: big & tall", "size: 35w x 32l"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["straw"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQ93AJW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07MWSX8Z7", "instruction": "i am looking for slim jeans that are granite color and machine washable.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: granite", "fit type: slim", "size: 38w x 40l"], "instruction_attributes": ["machine wash"], "instruction_options": ["granite", "slim"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYGTLQF", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07MWSX8Z7", "instruction": "i looking a comfertable fit regular machine wash men's jeans size 32w*36l color :crest", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: crest", "fit type: regular", "size: 32w x 36l"], "instruction_attributes": ["machine wash", "comfortable fit"], "instruction_options": ["crest", "32w x 36l"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPZCXT7", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B07MWSX8Z7", "instruction": "i am looking for slim fit men jean.it shoud be machine washable.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: blue | worn in", "fit type: slim", "size: 34w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["slim"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7V4UR3", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07MWSX8Z7", "instruction": "i am looking for a black chocolate colored relaxed fit boot cut jean. also, i would like the waist size and the length to be 34 and 31 respectively.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: black chocolate", "fit type: relaxed", "size: 34w x 31l"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["black chocolate", "34w x 31l"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5UNF56", "worker_id": "AJDQGOTMB2D80"}, {"asin": "B07MWSX8Z7", "instruction": "i need regular mashine wash jeans that are granite colored and are a size 33w by 34l", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: granite", "fit type: regular", "size: 33w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["granite", "regular", "33w x 34l"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLWRBYI", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07MWSX8Z7", "instruction": "i want a long lasting boot cut jean that has a relaxed fit. pick a gunter color one.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit", "relaxed fit"], "options": ["color: gunter", "fit type: regular", "size: 31w x 44l"], "instruction_attributes": ["long lasting", "relaxed fit"], "instruction_options": ["gunter"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVGC1PC", "worker_id": "A1NF6PELRKACS9"}], "B07MDMFDYW": [{"asin": "B07MDMFDYW", "instruction": "i'd like to buy a black touch up dye for covering up roots but with natural ingredients.", "attributes": ["non toxic", "easy use", "natural ingredients"], "options": ["color: black"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["black"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61QGZWE", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07MDMFDYW", "instruction": "i'd like to buy a black touch up dye for covering up roots but with natural ingredients.", "attributes": ["non toxic", "easy use", "natural ingredients"], "options": ["color: black"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["black"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61QGZWE", "worker_id": "A3EDFA8UQT5GG8"}], "B09B3KNP3S": [{"asin": "B09B3KNP3S", "instruction": "i am looking for a round modern end table having 40x55cm size and is easy to clean.", "attributes": ["easy clean", "living room"], "options": ["size: 40x55cm"], "instruction_attributes": ["easy clean"], "instruction_options": ["40x55cm"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q1UKD1", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09B3KNP3S", "instruction": "i am looking for a round modern end table having 40x55cm size and is easy to clean.", "attributes": ["easy clean", "living room"], "options": ["size: 40x55cm"], "instruction_attributes": ["easy clean"], "instruction_options": ["40x55cm"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q1UKD1", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PMKHQDK": [{"asin": "B09PMKHQDK", "instruction": "i am looking for a high definition video projector.", "attributes": ["high definition", "high power"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU482ZBPYK", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09PMKHQDK", "instruction": "i am looking for a high definition video projector.", "attributes": ["high definition", "high power"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU482ZBPYK", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SD9JBY2": [{"asin": "B09SD9JBY2", "instruction": "i need to buy some sandals with arch support in a women's eleven and a half wide.", "attributes": ["slip resistant", "non slip", "quick drying", "closed toe", "arch support"], "options": ["color: a5 - white", "size: 11.5 wide"], "instruction_attributes": ["arch support"], "instruction_options": ["11.5 wide"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI72UGZ0", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09SD9JBY2", "instruction": "i need to buy some sandals with arch support in a women's eleven and a half wide.", "attributes": ["slip resistant", "non slip", "quick drying", "closed toe", "arch support"], "options": ["color: a5 - white", "size: 11.5 wide"], "instruction_attributes": ["arch support"], "instruction_options": ["11.5 wide"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI72UGZ0", "worker_id": "AR9AU5FY1S3RO"}], "B00FWPQB0G": [{"asin": "B00FWPQB0G", "instruction": "i am looking for a shoe rack of satin bronze mesh color that is steel coated.", "attributes": ["coated steel", "storage space"], "options": ["color: satin bronze mesh", "size: 3-tier"], "instruction_attributes": ["coated steel"], "instruction_options": ["satin bronze mesh"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKI4PV6", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00FWPQB0G", "instruction": "i am looking for a shoe rack of satin bronze mesh color that is steel coated.", "attributes": ["coated steel", "storage space"], "options": ["color: satin bronze mesh", "size: 3-tier"], "instruction_attributes": ["coated steel"], "instruction_options": ["satin bronze mesh"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKI4PV6", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00FWPQB0G", "instruction": "i am looking for espresso slat color storage shelf coated with steel.", "attributes": ["coated steel", "storage space"], "options": ["color: espresso slat", "size: 3-tier (2-pack)"], "instruction_attributes": ["coated steel"], "instruction_options": ["espresso slat"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3QELZN", "worker_id": "A1Q8PPQQCWGY0D"}], "B08SVZ6SDM": [{"asin": "B08SVZ6SDM", "instruction": "i want to find a large pair of men's shorts with an elastic waistband. the color should be light khaki.", "attributes": ["elastic waistband", "elastic waist"], "options": ["color: h-light kaki", "size: large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["h-light kaki", "large"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39AJZCQ", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08SVZ6SDM", "instruction": "i want to find a large pair of men's shorts with an elastic waistband. the color should be light khaki.", "attributes": ["elastic waistband", "elastic waist"], "options": ["color: h-light kaki", "size: large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["h-light kaki", "large"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39AJZCQ", "worker_id": "A345TDMHP3DQ3G"}], "B09NM4JZYL": [{"asin": "B09NM4JZYL", "instruction": "i need facial wax strips for hair removal.", "attributes": ["easy use", "hair removal", "beauty salon"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0V64W0", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09NM4JZYL", "instruction": "i need facial wax strips for hair removal.", "attributes": ["easy use", "hair removal", "beauty salon"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0V64W0", "worker_id": "A2RBF3IIJP15IH"}], "B082MTPR2N": [{"asin": "B082MTPR2N", "instruction": "i would like a 1 pound white chocolate covered bag of coffee bean.", "attributes": ["artificial ingredients", "chocolate covered", "baby shower"], "options": ["flavor name: white chocolate", "size: 1 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["white chocolate", "1 pound (pack of 1)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZA8KLT", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B082MTPR2N", "instruction": "i would like a 1 pound white chocolate covered bag of coffee bean.", "attributes": ["artificial ingredients", "chocolate covered", "baby shower"], "options": ["flavor name: white chocolate", "size: 1 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["white chocolate", "1 pound (pack of 1)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZA8KLT", "worker_id": "A1WS884SI0SLO4"}], "B09RMHRGR9": [{"asin": "B09RMHRGR9", "instruction": "looking for triple bunkbeds in wood for kids with space saving in white and with a twin bunk bed with trundle and drawers", "attributes": ["twin size", "space saving"], "options": ["color: white", "style: twin bunk bed with trundle and drawers"], "instruction_attributes": ["space saving"], "instruction_options": ["white", "twin bunk bed with trundle and drawers"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83H0JI1", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B09RMHRGR9", "instruction": "looking for triple bunkbeds in wood for kids with space saving in white and with a twin bunk bed with trundle and drawers", "attributes": ["twin size", "space saving"], "options": ["color: white", "style: twin bunk bed with trundle and drawers"], "instruction_attributes": ["space saving"], "instruction_options": ["white", "twin bunk bed with trundle and drawers"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83H0JI1", "worker_id": "A2Y2TURT2VEYZN"}], "B08SJR7KDF": [{"asin": "B08SJR7KDF", "instruction": "search a perfume body with long lasting and scent impression of love in white and a travel size", "attributes": ["travel size", "long lasting"], "options": ["scent: impression of love in white"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["impression of love in white"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746T5TB5", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B08SJR7KDF", "instruction": "search a perfume body with long lasting and scent impression of love in white and a travel size", "attributes": ["travel size", "long lasting"], "options": ["scent: impression of love in white"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["impression of love in white"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746T5TB5", "worker_id": "A2Y2TURT2VEYZN"}], "B08F28K7VP": [{"asin": "B08F28K7VP", "instruction": "looking for steel toe sneakers no slip with quality materials in green color 6.5 size for men", "attributes": ["non slip", "steel toe", "quality materials", "memory foam", "rubber outsole", "rubber sole"], "options": ["color: green", "size: 8 women | 6.5 men"], "instruction_attributes": ["non slip", "quality materials"], "instruction_options": ["green", "8 women | 6.5 men"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LEJPSA", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B08F28K7VP", "instruction": "looking for steel toe sneakers no slip with quality materials in green color 6.5 size for men", "attributes": ["non slip", "steel toe", "quality materials", "memory foam", "rubber outsole", "rubber sole"], "options": ["color: green", "size: 8 women | 6.5 men"], "instruction_attributes": ["non slip", "quality materials"], "instruction_options": ["green", "8 women | 6.5 men"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LEJPSA", "worker_id": "A2Y2TURT2VEYZN"}], "B08PV5Y6J3": [{"asin": "B08PV5Y6J3", "instruction": "i need a set of 15 bpa free and eco-friendly jars.", "attributes": ["bpa free", "eco friendly", "non toxic", "easy use"], "options": ["size: clear-15pcs"], "instruction_attributes": ["bpa free", "eco friendly"], "instruction_options": ["clear-15pcs"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTQNP9S", "worker_id": "A19317A3X87NVM"}, {"asin": "B08PV5Y6J3", "instruction": "i need a set of 15 bpa free and eco-friendly jars.", "attributes": ["bpa free", "eco friendly", "non toxic", "easy use"], "options": ["size: clear-15pcs"], "instruction_attributes": ["bpa free", "eco friendly"], "instruction_options": ["clear-15pcs"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTQNP9S", "worker_id": "A19317A3X87NVM"}], "B088FNFYPQ": [{"asin": "B088FNFYPQ", "instruction": "i'm looking for a surge protector that is black and offers usb ports.", "attributes": ["fast charging", "usb port"], "options": ["color: black", "size: 4.5ft"], "instruction_attributes": ["usb port"], "instruction_options": ["black"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DSOOT4", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B088FNFYPQ", "instruction": "i'm looking for a surge protector that is black and offers usb ports.", "attributes": ["fast charging", "usb port"], "options": ["color: black", "size: 4.5ft"], "instruction_attributes": ["usb port"], "instruction_options": ["black"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DSOOT4", "worker_id": "A2JP9IKRHNLRPI"}], "B09MFM5LSW": [{"asin": "B09MFM5LSW", "instruction": "i want to buy a manual toothbrush for sensitive teeth that has a multicolored wave design on it.", "attributes": ["oral hygiene", "sensitive teeth"], "options": ["color: (white & black & pink & green) wave"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["(white & black & pink & green) wave"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO2G2RK", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B09MFM5LSW", "instruction": "i want to buy a manual toothbrush for sensitive teeth that has a multicolored wave design on it.", "attributes": ["oral hygiene", "sensitive teeth"], "options": ["color: (white & black & pink & green) wave"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["(white & black & pink & green) wave"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO2G2RK", "worker_id": "A2YNPKYEFDZ6C9"}], "B07Q5157HQ": [{"asin": "B07Q5157HQ", "instruction": "i am looking for a light weight underwater backdrop for a photo studio.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": [""], "instruction_attributes": ["light weight"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30URIY05", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07Q5157HQ", "instruction": "i am looking for a light weight underwater backdrop for a photo studio.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": [""], "instruction_attributes": ["light weight"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30URIY05", "worker_id": "A1EREKSZAA9V7B"}], "B09BRF22MZ": [{"asin": "B09BRF22MZ", "instruction": "i'm looking for long lasting waterproof brow stamp shaping kits, preferably dark brown color.", "attributes": ["cruelty free", "easy carry", "long lasting", "seed oil", "argan oil", "natural ingredients"], "options": ["color: dark brown"], "instruction_attributes": ["long lasting"], "instruction_options": ["dark brown"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1AUXC0", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B09BRF22MZ", "instruction": "i'm looking for long lasting waterproof brow stamp shaping kits, preferably dark brown color.", "attributes": ["cruelty free", "easy carry", "long lasting", "seed oil", "argan oil", "natural ingredients"], "options": ["color: dark brown"], "instruction_attributes": ["long lasting"], "instruction_options": ["dark brown"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1AUXC0", "worker_id": "ARQ05PDNXPFDI"}], "B08DTHB7BV": [{"asin": "B08DTHB7BV", "instruction": "i am loojking for a aluminum alloy single microphone set having black and red color", "attributes": ["batteries included", "plug play", "aluminum alloy"], "options": ["color: black and red", "size: single microphone set"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["black and red", "single microphone set"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJF0LOW", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08DTHB7BV", "instruction": "i am loojking for a aluminum alloy single microphone set having black and red color", "attributes": ["batteries included", "plug play", "aluminum alloy"], "options": ["color: black and red", "size: single microphone set"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["black and red", "single microphone set"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJF0LOW", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08DTHB7BV", "instruction": "i would like a rose gold dual microphone set that comes with batteries included.", "attributes": ["batteries included", "plug play", "aluminum alloy"], "options": ["color: rose gold", "size: dual microphone set"], "instruction_attributes": ["batteries included"], "instruction_options": ["rose gold", "dual microphone set"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZRK04P", "worker_id": "A1WS884SI0SLO4"}], "B09PRGZM4D": [{"asin": "B09PRGZM4D", "instruction": "i need a fashionable zdfer polo with a slim fit in the green color.", "attributes": ["slim fit", "long sleeve", "relaxed fit", "fashion design", "regular fit"], "options": ["color: 112-green", "size: xx-large"], "instruction_attributes": ["slim fit", "fashion design"], "instruction_options": ["112-green"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0PSACG", "worker_id": "A19317A3X87NVM"}, {"asin": "B09PRGZM4D", "instruction": "i need a fashionable zdfer polo with a slim fit in the green color.", "attributes": ["slim fit", "long sleeve", "relaxed fit", "fashion design", "regular fit"], "options": ["color: 112-green", "size: xx-large"], "instruction_attributes": ["slim fit", "fashion design"], "instruction_options": ["112-green"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0PSACG", "worker_id": "A19317A3X87NVM"}], "B000N68ILE": [{"asin": "B000N68ILE", "instruction": "i'm looking to buy a high performance digital camera with optical zoom.", "attributes": ["high performance", "optical zoom"], "options": [""], "instruction_attributes": ["high performance", "optical zoom"], "instruction_options": [], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPSZZ9G7", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B000N68ILE", "instruction": "i'm looking to buy a high performance digital camera with optical zoom.", "attributes": ["high performance", "optical zoom"], "options": [""], "instruction_attributes": ["high performance", "optical zoom"], "instruction_options": [], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPSZZ9G7", "worker_id": "A3EDFA8UQT5GG8"}], "B07L4KJXWL": [{"asin": "B07L4KJXWL", "instruction": "i need a barebone intel core computer system in an aluminum alloy case with an i7-8850h.", "attributes": ["intel core", "aluminum alloy"], "options": ["color: cpu i7-8850h", "size: 8g ram 128g ssd"], "instruction_attributes": ["intel core", "aluminum alloy"], "instruction_options": ["cpu i7-8850h"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907PYAUP", "worker_id": "A19317A3X87NVM"}, {"asin": "B07L4KJXWL", "instruction": "i would like a 8 g of ram 250 ssd desktop mini with a intel core cpu i7.", "attributes": ["intel core", "aluminum alloy"], "options": ["color: cpu i7-8850h", "size: 8g ram 240g ssd"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHMG0JI", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07L4KJXWL", "instruction": "i need a barebone intel core computer system in an aluminum alloy case with an i7-8850h.", "attributes": ["intel core", "aluminum alloy"], "options": ["color: cpu i7-8850h", "size: 8g ram 128g ssd"], "instruction_attributes": ["intel core", "aluminum alloy"], "instruction_options": ["cpu i7-8850h"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907PYAUP", "worker_id": "A19317A3X87NVM"}], "B0723CL3ZJ": [{"asin": "B0723CL3ZJ", "instruction": "i would like a hands free cd dvd car stereo reciever.", "attributes": ["high resolution", "hands free", "usb port"], "options": ["style: single din cd | dvd av bluetooth"], "instruction_attributes": ["hands free"], "instruction_options": ["single din cd | dvd av bluetooth"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJJK8ZF", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0723CL3ZJ", "instruction": "i would like a hands free cd dvd car stereo reciever.", "attributes": ["high resolution", "hands free", "usb port"], "options": ["style: single din cd | dvd av bluetooth"], "instruction_attributes": ["hands free"], "instruction_options": ["single din cd | dvd av bluetooth"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJJK8ZF", "worker_id": "A1WS884SI0SLO4"}], "B085Y48HZM": [{"asin": "B085Y48HZM", "instruction": "i need some concealer for my dark circles that is in shade 03 natural", "attributes": ["easy apply", "dark circles"], "options": ["color: 03.natural"], "instruction_attributes": ["dark circles"], "instruction_options": ["03.natural"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5O2F59", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B085Y48HZM", "instruction": "i need some concealer for my dark circles that is in shade 03 natural", "attributes": ["easy apply", "dark circles"], "options": ["color: 03.natural"], "instruction_attributes": ["dark circles"], "instruction_options": ["03.natural"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5O2F59", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B085Y48HZM", "instruction": "i need a liquid concealer to fix my dark circles. pick a warm natural shade.", "attributes": ["easy apply", "dark circles"], "options": ["color: a-04.warm natural"], "instruction_attributes": ["dark circles"], "instruction_options": ["a-04.warm natural"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602WE59Q", "worker_id": "A1NF6PELRKACS9"}], "B06XPRNQ92": [{"asin": "B06XPRNQ92", "instruction": "i need a machine washable t-shirt that is pink and in a size medium.", "attributes": ["officially licensed", "machine washable", "everyday wear"], "options": ["color: pink", "size: medium"], "instruction_attributes": ["machine washable"], "instruction_options": ["pink", "medium"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6HR7UU", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B06XPRNQ92", "instruction": "i need a machine washable t-shirt that is pink and in a size medium.", "attributes": ["officially licensed", "machine washable", "everyday wear"], "options": ["color: pink", "size: medium"], "instruction_attributes": ["machine washable"], "instruction_options": ["pink", "medium"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6HR7UU", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MCXRWD1": [{"asin": "B09MCXRWD1", "instruction": "i need an eco friendly window film that is multi color and the size 23.6\" x 59\".", "attributes": ["eco friendly", "living room"], "options": ["color: multi-11105", "size: 23.6\" x 59\" x 2 pcs"], "instruction_attributes": ["eco friendly"], "instruction_options": ["multi-11105", "23.6\" x 59\" x 2 pcs"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL3P5H7", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09MCXRWD1", "instruction": "i need an eco friendly window film that is multi color and the size 23.6\" x 59\".", "attributes": ["eco friendly", "living room"], "options": ["color: multi-11105", "size: 23.6\" x 59\" x 2 pcs"], "instruction_attributes": ["eco friendly"], "instruction_options": ["multi-11105", "23.6\" x 59\" x 2 pcs"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL3P5H7", "worker_id": "A2RBF3IIJP15IH"}], "B07YNFJF3V": [{"asin": "B07YNFJF3V", "instruction": "i'd like to buy a ready to hang toilet paper holder for size 24 by 30 rolls.", "attributes": ["ready hang", "wood finish"], "options": ["size: 24x30", "style: gray framed"], "instruction_attributes": ["ready hang"], "instruction_options": ["24x30"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2BQOI5", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07YNFJF3V", "instruction": "i'd like to buy a ready to hang toilet paper holder for size 24 by 30 rolls.", "attributes": ["ready hang", "wood finish"], "options": ["size: 24x30", "style: gray framed"], "instruction_attributes": ["ready hang"], "instruction_options": ["24x30"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2BQOI5", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07YNFJF3V", "instruction": "i want a ready to hang wall plaque with a wood finish.", "attributes": ["ready hang", "wood finish"], "options": ["size: 36x48", "style: wall plaque"], "instruction_attributes": ["ready hang", "wood finish"], "instruction_options": ["wall plaque"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI80ZSS6", "worker_id": "A1NF6PELRKACS9"}], "B087J3LZ87": [{"asin": "B087J3LZ87", "instruction": "i'm looking for black color 1080p hd male to female converter adapter cable for laptop hdtv dvd.", "attributes": ["high power", "1080p hd", "high resolution", "high definition"], "options": ["color: black"], "instruction_attributes": ["1080p hd"], "instruction_options": ["black"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDU2IAG", "worker_id": "A3AGXTSAHA2AFL"}, {"asin": "B087J3LZ87", "instruction": "i'm looking for black color 1080p hd male to female converter adapter cable for laptop hdtv dvd.", "attributes": ["high power", "1080p hd", "high resolution", "high definition"], "options": ["color: black"], "instruction_attributes": ["1080p hd"], "instruction_options": ["black"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDU2IAG", "worker_id": "A3AGXTSAHA2AFL"}], "B0777L4NZW": [{"asin": "B0777L4NZW", "instruction": "i am interested in machine washable throw pillow covers in a size 28\" by 28\"", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["size: 28\" x 28\""], "instruction_attributes": ["machine washable"], "instruction_options": ["28\" x 28\""], "assignment_id": "33F859I56HNA01QBVO1K6A4GVZLBHO", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0777L4NZW", "instruction": "i am interested in machine washable throw pillow covers in a size 28\" by 28\"", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["size: 28\" x 28\""], "instruction_attributes": ["machine washable"], "instruction_options": ["28\" x 28\""], "assignment_id": "33F859I56HNA01QBVO1K6A4GVZLBHO", "worker_id": "A2ECRNQ3X5LEXD"}], "B00S5643SQ": [{"asin": "B00S5643SQ", "instruction": "i'm looking for a 1.18 fluid ounce pack of oil free hydrating gel cream. i want the flavor to be sienna.", "attributes": ["dermatologist tested", "oil free", "hyaluronic acid"], "options": ["flavor name: sienna 10", "size: 1.18 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["sienna 10", "1.18 fl oz (pack of 1)"], "assignment_id": "3N8OEVH1F204BC17361WW31GEKHOOS", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B00S5643SQ", "instruction": "i'm looking for a 1.18 fluid ounce pack of oil free hydrating gel cream. i want the flavor to be sienna.", "attributes": ["dermatologist tested", "oil free", "hyaluronic acid"], "options": ["flavor name: sienna 10", "size: 1.18 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["sienna 10", "1.18 fl oz (pack of 1)"], "assignment_id": "3N8OEVH1F204BC17361WW31GEKHOOS", "worker_id": "A345TDMHP3DQ3G"}], "B09P6983SX": [{"asin": "B09P6983SX", "instruction": "i need a console table for the living room that is size 140 by 15 by 100 cm.", "attributes": ["space saving", "storage unit", "solid wood", "living room", "dining room"], "options": ["size: 140x15x100cm"], "instruction_attributes": ["living room"], "instruction_options": ["140x15x100cm"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX53FCW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09P6983SX", "instruction": "i need a console table for the living room that is size 140 by 15 by 100 cm.", "attributes": ["space saving", "storage unit", "solid wood", "living room", "dining room"], "options": ["size: 140x15x100cm"], "instruction_attributes": ["living room"], "instruction_options": ["140x15x100cm"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX53FCW", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QMN5LD2": [{"asin": "B09QMN5LD2", "instruction": "i'm looking for a tempered glass protector that is easy to install.", "attributes": ["easy install", "glass screen", "tempered glass"], "options": [""], "instruction_attributes": ["easy install", "tempered glass"], "instruction_options": [], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFQVJOS", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B09QMN5LD2", "instruction": "i'm looking for a tempered glass protector that is easy to install.", "attributes": ["easy install", "glass screen", "tempered glass"], "options": [""], "instruction_attributes": ["easy install", "tempered glass"], "instruction_options": [], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFQVJOS", "worker_id": "A34EHWOYRBL6OZ"}], "B07DVXMWHW": [{"asin": "B07DVXMWHW", "instruction": "i am looking for a high quality cosmetic bag of butterfly-1 color.", "attributes": ["high quality", "easy use"], "options": ["color: butterfly-1"], "instruction_attributes": ["high quality"], "instruction_options": ["butterfly-1"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX5QFCJ", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07DVXMWHW", "instruction": "i am looking for a high quality cosmetic bag of butterfly-1 color.", "attributes": ["high quality", "easy use"], "options": ["color: butterfly-1"], "instruction_attributes": ["high quality"], "instruction_options": ["butterfly-1"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX5QFCJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B099DFVXVR": [{"asin": "B099DFVXVR", "instruction": "i'm interested in a variety pack of veggie snacks that offer vitamins, but not artificial flavors.", "attributes": ["source vitamin", "artificial flavors"], "options": ["flavor name: variety pack"], "instruction_attributes": ["source vitamin", "artificial flavors"], "instruction_options": ["variety pack"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2B8IOH", "worker_id": "AFU00NU09CFXE"}, {"asin": "B099DFVXVR", "instruction": "i'm interested in a variety pack of veggie snacks that offer vitamins, but not artificial flavors.", "attributes": ["source vitamin", "artificial flavors"], "options": ["flavor name: variety pack"], "instruction_attributes": ["source vitamin", "artificial flavors"], "instruction_options": ["variety pack"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2B8IOH", "worker_id": "AFU00NU09CFXE"}], "B09QHRCF6M": [{"asin": "B09QHRCF6M", "instruction": "i wuold like a purple 190 by 70cm round head linens for my beauty salon.", "attributes": ["easy clean", "high quality", "beauty salon"], "options": ["color: purple", "size: 190*70cm round head"], "instruction_attributes": ["beauty salon"], "instruction_options": ["purple", "190*70cm round head"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLHVM0U", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09QHRCF6M", "instruction": "i wuold like a purple 190 by 70cm round head linens for my beauty salon.", "attributes": ["easy clean", "high quality", "beauty salon"], "options": ["color: purple", "size: 190*70cm round head"], "instruction_attributes": ["beauty salon"], "instruction_options": ["purple", "190*70cm round head"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLHVM0U", "worker_id": "A1WS884SI0SLO4"}], "B07CR9T4FH": [{"asin": "B07CR9T4FH", "instruction": "i would like a 4g lte phone that's device only.", "attributes": ["quad core", "4g lte"], "options": ["style: device only"], "instruction_attributes": ["4g lte"], "instruction_options": ["device only"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLEX2FH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07CR9T4FH", "instruction": "i would like a 4g lte phone that's device only.", "attributes": ["quad core", "4g lte"], "options": ["style: device only"], "instruction_attributes": ["4g lte"], "instruction_options": ["device only"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLEX2FH", "worker_id": "A1WS884SI0SLO4"}], "B09PYXZM6J": [{"asin": "B09PYXZM6J", "instruction": "i need a black wireless bluetooth soundbar.", "attributes": ["high performance", "wireless bluetooth", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DOW4K3", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09PYXZM6J", "instruction": "i need a black wireless bluetooth soundbar.", "attributes": ["high performance", "wireless bluetooth", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DOW4K3", "worker_id": "A2RBF3IIJP15IH"}], "B09QSWJHJQ": [{"asin": "B09QSWJHJQ", "instruction": "i'm looking for a tempered glass window covering film for privacy in my dining room. it should be 23.6in by 47.2in.", "attributes": ["tempered glass", "dining room"], "options": ["color: 3585883", "size: (width\uff0923.6in x (length)47.2in"], "instruction_attributes": ["tempered glass", "dining room"], "instruction_options": ["(width\uff0923.6in x (length)47.2in"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDUBIAP", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B09QSWJHJQ", "instruction": "i'm looking for a tempered glass window covering film for privacy in my dining room. it should be 23.6in by 47.2in.", "attributes": ["tempered glass", "dining room"], "options": ["color: 3585883", "size: (width\uff0923.6in x (length)47.2in"], "instruction_attributes": ["tempered glass", "dining room"], "instruction_options": ["(width\uff0923.6in x (length)47.2in"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDUBIAP", "worker_id": "A3EDFA8UQT5GG8"}], "B0773TPF7M": [{"asin": "B0773TPF7M", "instruction": "i want to get a 13-ounce pack of mega omega trail mix with no artificial ingredients.", "attributes": ["artificial ingredients", "non gmo", "keto friendly", "gluten free"], "options": ["flavor name: mega omega", "size: 13 ounce (pack of 1)"], "instruction_attributes": ["artificial ingredients"], "instruction_options": ["mega omega", "13 ounce (pack of 1)"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXUGYMD", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B0773TPF7M", "instruction": "i want to get a 13-ounce pack of mega omega trail mix with no artificial ingredients.", "attributes": ["artificial ingredients", "non gmo", "keto friendly", "gluten free"], "options": ["flavor name: mega omega", "size: 13 ounce (pack of 1)"], "instruction_attributes": ["artificial ingredients"], "instruction_options": ["mega omega", "13 ounce (pack of 1)"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXUGYMD", "worker_id": "A345TDMHP3DQ3G"}], "B01B384AZS": [{"asin": "B01B384AZS", "instruction": "i would like oxford shoes that are brown and size 11 x-wide with a rubber sole.", "attributes": ["moisture wicking", "lace closure", "rubber outsole", "rubber sole"], "options": ["color: brown smooth", "size: 11 x-wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown smooth", "11 x-wide"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9DKE2D", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01B384AZS", "instruction": "i would like oxford shoes that are brown and size 11 x-wide with a rubber sole.", "attributes": ["moisture wicking", "lace closure", "rubber outsole", "rubber sole"], "options": ["color: brown smooth", "size: 11 x-wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown smooth", "11 x-wide"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9DKE2D", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q6BWQKW": [{"asin": "B09Q6BWQKW", "instruction": "i need a kids u-shaped toothbrush for sensitive teeth.", "attributes": ["easy use", "teeth whitening", "sensitive teeth"], "options": ["color: f"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["f"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X3NY3L", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09Q6BWQKW", "instruction": "i need a kids u-shaped toothbrush for sensitive teeth.", "attributes": ["easy use", "teeth whitening", "sensitive teeth"], "options": ["color: f"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["f"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X3NY3L", "worker_id": "A2RBF3IIJP15IH"}], "B09P78D1VH": [{"asin": "B09P78D1VH", "instruction": "i am looking for a long sleeve mens hoodie pullover size x-large.", "attributes": ["slim fit", "loose fit", "long sleeve", "elastic waist", "contrast color", "relaxed fit", "short sleeve"], "options": ["color: z1-grey", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x-large"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAAQFI1", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09P78D1VH", "instruction": "i am looking for a long sleeve mens hoodie pullover size x-large.", "attributes": ["slim fit", "loose fit", "long sleeve", "elastic waist", "contrast color", "relaxed fit", "short sleeve"], "options": ["color: z1-grey", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x-large"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAAQFI1", "worker_id": "A1EREKSZAA9V7B"}], "B09BVJ7T8M": [{"asin": "B09BVJ7T8M", "instruction": "i need cupcake toppers for a birthday party that are in the color rg-50th", "attributes": ["cupcake picks", "birthday party"], "options": ["color: rg-50th"], "instruction_attributes": ["birthday party"], "instruction_options": ["rg-50th"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKHWD7Q", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09BVJ7T8M", "instruction": "i need cupcake toppers for a birthday party that are in the color rg-50th", "attributes": ["cupcake picks", "birthday party"], "options": ["color: rg-50th"], "instruction_attributes": ["birthday party"], "instruction_options": ["rg-50th"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKHWD7Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B075L8H2H5": [{"asin": "B075L8H2H5", "instruction": "i need a california king mattress set that has a 4\" foundation", "attributes": ["ready use", "assembly required", "queen size", "fully assembled", "twin size", "king size", "box spring"], "options": ["size: california king", "style name: 4\" foundation"], "instruction_attributes": ["king size"], "instruction_options": ["california king", "4\" foundation"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHNO0JS", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B075L8H2H5", "instruction": "i need a california king mattress set that has a 4\" foundation", "attributes": ["ready use", "assembly required", "queen size", "fully assembled", "twin size", "king size", "box spring"], "options": ["size: california king", "style name: 4\" foundation"], "instruction_attributes": ["king size"], "instruction_options": ["california king", "4\" foundation"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHNO0JS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09J18Q23T": [{"asin": "B09J18Q23T", "instruction": "i'm interested in a table runner that is 72\"x16\"+13\"x19\"x4, easy to clean and machine washable.", "attributes": ["machine washable", "easy clean"], "options": ["size: 72\"x16\"+13\"x19\"x4"], "instruction_attributes": ["machine washable", "easy clean"], "instruction_options": ["72\"x16\"+13\"x19\"x4"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQAB912", "worker_id": "AFU00NU09CFXE"}, {"asin": "B09J18Q23T", "instruction": "i'm interested in a table runner that is 72\"x16\"+13\"x19\"x4, easy to clean and machine washable.", "attributes": ["machine washable", "easy clean"], "options": ["size: 72\"x16\"+13\"x19\"x4"], "instruction_attributes": ["machine washable", "easy clean"], "instruction_options": ["72\"x16\"+13\"x19\"x4"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQAB912", "worker_id": "AFU00NU09CFXE"}], "B00NQFJ42G": [{"asin": "B00NQFJ42G", "instruction": "i need jade johnny mbj women's casual comfy wide leg pants in size medium.", "attributes": ["hand wash", "long lasting", "wide leg", "wash cold", "machine wash"], "options": ["color: wb750_jade", "size: medium"], "instruction_attributes": ["wide leg"], "instruction_options": ["wb750_jade", "medium"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSL60XJ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B00NQFJ42G", "instruction": "i need jade johnny mbj women's casual comfy wide leg pants in size medium.", "attributes": ["hand wash", "long lasting", "wide leg", "wash cold", "machine wash"], "options": ["color: wb750_jade", "size: medium"], "instruction_attributes": ["wide leg"], "instruction_options": ["wb750_jade", "medium"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSL60XJ", "worker_id": "A2RBF3IIJP15IH"}], "B09PH95SSN": [{"asin": "B09PH95SSN", "instruction": "i would like a pair of c clippers for hair cutting.", "attributes": ["heavy duty", "stainless steel", "hair cutting"], "options": ["color: c"], "instruction_attributes": ["hair cutting"], "instruction_options": ["c"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXTU4OB", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09PH95SSN", "instruction": "i would like a pair of c clippers for hair cutting.", "attributes": ["heavy duty", "stainless steel", "hair cutting"], "options": ["color: c"], "instruction_attributes": ["hair cutting"], "instruction_options": ["c"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXTU4OB", "worker_id": "A1WS884SI0SLO4"}], "B0927GRTKG": [{"asin": "B0927GRTKG", "instruction": "i am looking for easy install and ready hang kitchen artwork-04 with size s-(18x12inches)", "attributes": ["ready hang", "easy install", "dining room", "living room"], "options": ["color: kitchen artwork-04", "size: s-(18 x 12 inches)"], "instruction_attributes": ["ready hang", "easy install"], "instruction_options": ["kitchen artwork-04", "s-(18 x 12 inches)"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGNSYIX", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B0927GRTKG", "instruction": "i am looking for easy install and ready hang kitchen artwork-04 with size s-(18x12inches)", "attributes": ["ready hang", "easy install", "dining room", "living room"], "options": ["color: kitchen artwork-04", "size: s-(18 x 12 inches)"], "instruction_attributes": ["ready hang", "easy install"], "instruction_options": ["kitchen artwork-04", "s-(18 x 12 inches)"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGNSYIX", "worker_id": "AX2EWYWZM19AZ"}], "B09MR36WWT": [{"asin": "B09MR36WWT", "instruction": "i'm looking for a desktop pc with an intel core i5 processor alongside 16 gb of ram and a 1 tb nvme ssd for storage.", "attributes": ["core i5", "intel core"], "options": ["size: 16gb ram + 1tb nvme ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["16gb ram + 1tb nvme ssd"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKNVPEU", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09MR36WWT", "instruction": "i'm looking for a desktop pc with an intel core i5 processor alongside 16 gb of ram and a 1 tb nvme ssd for storage.", "attributes": ["core i5", "intel core"], "options": ["size: 16gb ram + 1tb nvme ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["16gb ram + 1tb nvme ssd"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKNVPEU", "worker_id": "A2JP9IKRHNLRPI"}], "B00910O4YS": [{"asin": "B00910O4YS", "instruction": "i am looking for endurance crunch granola that comes in a pack of six and is non gmo.", "attributes": ["baked fresh", "non gmo", "gluten free"], "options": ["flavor name: endurance crunch", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["endurance crunch", "12 ounce (pack of 6)"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QSR07O", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00910O4YS", "instruction": "i am looking for endurance crunch granola that comes in a pack of six and is non gmo.", "attributes": ["baked fresh", "non gmo", "gluten free"], "options": ["flavor name: endurance crunch", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["endurance crunch", "12 ounce (pack of 6)"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QSR07O", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00910O4YS", "instruction": "i am looking for a 12 ounce (pack of 6) of baked fresh granola", "attributes": ["baked fresh", "non gmo", "gluten free"], "options": ["flavor name: coconut chia", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["baked fresh"], "instruction_options": ["12 ounce (pack of 6)"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTR8KTI", "worker_id": "A9QRQL9CFJBI7"}], "B09M3XZKKL": [{"asin": "B09M3XZKKL", "instruction": "i would like a nightstand that is brown with a steel frame.", "attributes": ["space saving", "easy assemble", "storage unit", "steel frame"], "options": ["color: brown8"], "instruction_attributes": ["steel frame"], "instruction_options": ["brown8"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7TMURH", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09M3XZKKL", "instruction": "i need a gray nightstand with a steel frame.", "attributes": ["space saving", "easy assemble", "storage unit", "steel frame"], "options": ["color: grey3"], "instruction_attributes": ["steel frame"], "instruction_options": ["grey3"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFIVEMY", "worker_id": "A19317A3X87NVM"}, {"asin": "B09M3XZKKL", "instruction": "i would like a nightstand that is brown with a steel frame.", "attributes": ["space saving", "easy assemble", "storage unit", "steel frame"], "options": ["color: brown8"], "instruction_attributes": ["steel frame"], "instruction_options": ["brown8"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7TMURH", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09M3XZKKL", "instruction": "i need a gray nightstand with a steel frame.", "attributes": ["space saving", "easy assemble", "storage unit", "steel frame"], "options": ["color: grey3"], "instruction_attributes": ["steel frame"], "instruction_options": ["grey3"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFIVEMY", "worker_id": "A19317A3X87NVM"}], "B08QMXXJ82": [{"asin": "B08QMXXJ82", "instruction": "i need a red k22 phone case that comes with a tempered glass screen protector.", "attributes": ["non slip", "hands free", "glass screen", "tempered glass"], "options": ["color: kj-red"], "instruction_attributes": ["tempered glass"], "instruction_options": ["kj-red"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YWTEHM", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08QMXXJ82", "instruction": "i need a red k22 phone case that comes with a tempered glass screen protector.", "attributes": ["non slip", "hands free", "glass screen", "tempered glass"], "options": ["color: kj-red"], "instruction_attributes": ["tempered glass"], "instruction_options": ["kj-red"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YWTEHM", "worker_id": "A2RBF3IIJP15IH"}], "B000MWFD3U": [{"asin": "B000MWFD3U", "instruction": "i need to order a fully assembled tan chair.", "attributes": ["fully assembled", "steel frame"], "options": ["color: tan"], "instruction_attributes": ["fully assembled"], "instruction_options": ["tan"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQQWB59", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B000MWFD3U", "instruction": "i need to order a fully assembled tan chair.", "attributes": ["fully assembled", "steel frame"], "options": ["color: tan"], "instruction_attributes": ["fully assembled"], "instruction_options": ["tan"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQQWB59", "worker_id": "AR9AU5FY1S3RO"}], "B093WWHRLT": [{"asin": "B093WWHRLT", "instruction": "i am looking for a high speed 50 foot 8k hdmi cable.", "attributes": ["ultra hd", "blu ray", "high speed"], "options": ["size: 50 ft", "style: 8k"], "instruction_attributes": ["high speed"], "instruction_options": ["50 ft", "8k"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSTHGLC", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B093WWHRLT", "instruction": "i am looking for a high speed 50 foot 8k hdmi cable.", "attributes": ["ultra hd", "blu ray", "high speed"], "options": ["size: 50 ft", "style: 8k"], "instruction_attributes": ["high speed"], "instruction_options": ["50 ft", "8k"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSTHGLC", "worker_id": "A1EREKSZAA9V7B"}], "B081YYPFDS": [{"asin": "B081YYPFDS", "instruction": "i'm looking for a size 54w x 29l straight leg levi's men's jean.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: dark stonewash", "size: 54w x 29l"], "instruction_attributes": ["straight leg"], "instruction_options": ["54w x 29l"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJP2XB1", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B081YYPFDS", "instruction": "i'm looking for a size 54w x 29l straight leg levi's men's jean.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: dark stonewash", "size: 54w x 29l"], "instruction_attributes": ["straight leg"], "instruction_options": ["54w x 29l"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJP2XB1", "worker_id": "ARQ05PDNXPFDI"}], "B09M6W62XL": [{"asin": "B09M6W62XL", "instruction": "i want to shop for a wooden bedframe in grey.", "attributes": ["space saving", "easy clean", "white finish", "wood frame", "box spring"], "options": ["color: grey", "style: metal triple twin bunk bed"], "instruction_attributes": ["wood frame"], "instruction_options": ["grey"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCPL56I", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09M6W62XL", "instruction": "i want to shop for a wooden bedframe in grey.", "attributes": ["space saving", "easy clean", "white finish", "wood frame", "box spring"], "options": ["color: grey", "style: metal triple twin bunk bed"], "instruction_attributes": ["wood frame"], "instruction_options": ["grey"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCPL56I", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09M6W62XL", "instruction": "i am looking for space saving bed with slide for kids without box spring.please choose black color.", "attributes": ["space saving", "easy clean", "white finish", "wood frame", "box spring"], "options": ["color: black 2", "style: twin & twin low bunk bed w | slide"], "instruction_attributes": ["space saving", "box spring"], "instruction_options": ["black 2"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZSIHSG", "worker_id": "A3FG5PQHG5AH3Y"}], "B09NDPP6PK": [{"asin": "B09NDPP6PK", "instruction": "i'm looking for a sandals with strap platform size 5 open toe in black", "attributes": ["open toe", "closed toe"], "options": ["color: z4 black", "size: 5"], "instruction_attributes": ["open toe"], "instruction_options": ["z4 black", "5"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMFKZI9", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B09NDPP6PK", "instruction": "i'm looking for a sandals with strap platform size 5 open toe in black", "attributes": ["open toe", "closed toe"], "options": ["color: z4 black", "size: 5"], "instruction_attributes": ["open toe"], "instruction_options": ["z4 black", "5"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMFKZI9", "worker_id": "A2Y2TURT2VEYZN"}], "B09G9KPK18": [{"asin": "B09G9KPK18", "instruction": "i am looking for men's size 13 work shoes with arch support and rubber soles.", "attributes": ["arch support", "rubber sole"], "options": ["size: 13"], "instruction_attributes": ["arch support", "rubber sole"], "instruction_options": ["13"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323D8XWD3", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09G9KPK18", "instruction": "i am looking for men's size 13 work shoes with arch support and rubber soles.", "attributes": ["arch support", "rubber sole"], "options": ["size: 13"], "instruction_attributes": ["arch support", "rubber sole"], "instruction_options": ["13"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323D8XWD3", "worker_id": "A1EREKSZAA9V7B"}], "B08QDRBN5X": [{"asin": "B08QDRBN5X", "instruction": "i need a 9 ounce pack of chocolate peanut butter keto cereal that is grain free.", "attributes": ["keto friendly", "grain free", "low carb", "sugar free", "plant based", "gluten free", "zero sugar"], "options": ["flavor name: chocolate peanut butter", "size: 9 ounce (pack of 4)"], "instruction_attributes": ["grain free"], "instruction_options": ["chocolate peanut butter", "9 ounce (pack of 4)"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XC4XT", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08QDRBN5X", "instruction": "i need a 9 ounce pack of chocolate peanut butter keto cereal that is grain free.", "attributes": ["keto friendly", "grain free", "low carb", "sugar free", "plant based", "gluten free", "zero sugar"], "options": ["flavor name: chocolate peanut butter", "size: 9 ounce (pack of 4)"], "instruction_attributes": ["grain free"], "instruction_options": ["chocolate peanut butter", "9 ounce (pack of 4)"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XC4XT", "worker_id": "A2RBF3IIJP15IH"}], "B0852K8KD7": [{"asin": "B0852K8KD7", "instruction": "i am looking for a tripod that is compatible with apple and that is black and white.", "attributes": ["compatible apple", "wireless bluetooth"], "options": ["color: black | white"], "instruction_attributes": ["compatible apple"], "instruction_options": ["black | white"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8FXC48", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0852K8KD7", "instruction": "i am looking for a tripod that is compatible with apple and that is black and white.", "attributes": ["compatible apple", "wireless bluetooth"], "options": ["color: black | white"], "instruction_attributes": ["compatible apple"], "instruction_options": ["black | white"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8FXC48", "worker_id": "A2ECRNQ3X5LEXD"}], "B08MX4RGBH": [{"asin": "B08MX4RGBH", "instruction": "i need to buy gray synthetic hair extensions. buy the six pack of eight inch extensions.", "attributes": ["high quality", "synthetic hair", "hair extensions"], "options": ["color: m1b | gray#", "size: 8 inch 6packs"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["m1b | gray#", "8 inch 6packs"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR025YJAKB", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08MX4RGBH", "instruction": "i need to buy gray synthetic hair extensions. buy the six pack of eight inch extensions.", "attributes": ["high quality", "synthetic hair", "hair extensions"], "options": ["color: m1b | gray#", "size: 8 inch 6packs"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["m1b | gray#", "8 inch 6packs"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR025YJAKB", "worker_id": "AR9AU5FY1S3RO"}], "B097M88R9W": [{"asin": "B097M88R9W", "instruction": "i am looking for an adult daily wear hoodie sweatshirt size large-x-large.", "attributes": ["machine wash", "polyester spandex", "daily wear"], "options": ["color: donut 10", "size: large-x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["large-x-large"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7TVLHH", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B097M88R9W", "instruction": "i am looking for an adult daily wear hoodie sweatshirt size large-x-large.", "attributes": ["machine wash", "polyester spandex", "daily wear"], "options": ["color: donut 10", "size: large-x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["large-x-large"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7TVLHH", "worker_id": "A1EREKSZAA9V7B"}], "B00182JYZ6": [{"asin": "B00182JYZ6", "instruction": "i am looking for a light cool brown easy to use hair color kit.", "attributes": ["easy apply", "easy use", "coconut oil", "permanent hair"], "options": ["color: 6a light cool brown", "size: pack of 1"], "instruction_attributes": ["easy use"], "instruction_options": ["6a light cool brown"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IFUM2T", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00182JYZ6", "instruction": "i am looking for a light cool brown easy to use hair color kit.", "attributes": ["easy apply", "easy use", "coconut oil", "permanent hair"], "options": ["color: 6a light cool brown", "size: pack of 1"], "instruction_attributes": ["easy use"], "instruction_options": ["6a light cool brown"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IFUM2T", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00182JYZ6", "instruction": "i want a one count pack of brown permanent hair color with coconut oil.", "attributes": ["easy apply", "easy use", "coconut oil", "permanent hair"], "options": ["color: 6g vibrant light golden brown", "size: 1 count (pack of 1)"], "instruction_attributes": ["coconut oil", "permanent hair"], "instruction_options": ["6g vibrant light golden brown", "1 count (pack of 1)"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IVK32F", "worker_id": "AR9AU5FY1S3RO"}], "B08FRM3HRG": [{"asin": "B08FRM3HRG", "instruction": "i'm looking for gluten-free almond flour cookies that contain flaxseed and sunflower seeds in a smoked barbecue cheedar flavor.", "attributes": ["gluten free", "protein serving", "source vitamin", "simple ingredients"], "options": ["flavor: smoky bbq cheddar", "size: 4.25 ounce (pack of 3)", "style: crackers"], "instruction_attributes": ["gluten free"], "instruction_options": ["smoky bbq cheddar"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TVCSUA", "worker_id": "ARJDD0Z3R65BD"}, {"asin": "B08FRM3HRG", "instruction": "i'm looking for gluten-free almond flour cookies that contain flaxseed and sunflower seeds in a smoked barbecue cheedar flavor.", "attributes": ["gluten free", "protein serving", "source vitamin", "simple ingredients"], "options": ["flavor: smoky bbq cheddar", "size: 4.25 ounce (pack of 3)", "style: crackers"], "instruction_attributes": ["gluten free"], "instruction_options": ["smoky bbq cheddar"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TVCSUA", "worker_id": "ARJDD0Z3R65BD"}], "B09G2X4GDX": [{"asin": "B09G2X4GDX", "instruction": "i am looking for a high performance 18 volt charger adapter for beats by dr dre.", "attributes": ["output protection", "high performance", "easy carry"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53TAKGB", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09G2X4GDX", "instruction": "i am looking for a high performance 18 volt charger adapter for beats by dr dre.", "attributes": ["output protection", "high performance", "easy carry"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53TAKGB", "worker_id": "A1EREKSZAA9V7B"}], "B07CLKJ7ZC": [{"asin": "B07CLKJ7ZC", "instruction": "please get me an ac adapter with output protection.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQD0EKT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07CLKJ7ZC", "instruction": "please get me an ac adapter with output protection.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQD0EKT", "worker_id": "AR9AU5FY1S3RO"}], "B09KG8KSRT": [{"asin": "B09KG8KSRT", "instruction": "i need to buy a wall art print for my living room in a natural 16\" x 24\" x 3.", "attributes": ["mid century", "living room"], "options": ["color: b116-2110-17-eva03", "size: 16\" x 24\" x 3 panels natural"], "instruction_attributes": ["living room"], "instruction_options": ["16\" x 24\" x 3 panels natural"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZFNMKM", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B09KG8KSRT", "instruction": "i need to buy a wall art print for my living room in a natural 16\" x 24\" x 3.", "attributes": ["mid century", "living room"], "options": ["color: b116-2110-17-eva03", "size: 16\" x 24\" x 3 panels natural"], "instruction_attributes": ["living room"], "instruction_options": ["16\" x 24\" x 3 panels natural"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZFNMKM", "worker_id": "A15ERD4HOFEPHM"}], "B09LTWYH48": [{"asin": "B09LTWYH48", "instruction": "i need a s20 tv sound bar that comes with a wireless bluetooth speaker.", "attributes": ["non slip", "wireless bluetooth"], "options": ["color: s20"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["s20"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQDXEKQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09LTWYH48", "instruction": "i need a s20 tv sound bar that comes with a wireless bluetooth speaker.", "attributes": ["non slip", "wireless bluetooth"], "options": ["color: s20"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["s20"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQDXEKQ", "worker_id": "A2RBF3IIJP15IH"}], "B087GFN56C": [{"asin": "B087GFN56C", "instruction": "i am looking for wild caught, ready to eat sardines in a tomato sauce.", "attributes": ["wild caught", "protein serving", "ready eat", "high protein", "bpa free", "low carb", "non gmo"], "options": ["flavor name: tomato sauce", "size: 4.41 ounce (pack of 12)"], "instruction_attributes": ["wild caught", "ready eat"], "instruction_options": ["tomato sauce"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I59FDQ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B087GFN56C", "instruction": "i am looking for wild caught, ready to eat sardines in a tomato sauce.", "attributes": ["wild caught", "protein serving", "ready eat", "high protein", "bpa free", "low carb", "non gmo"], "options": ["flavor name: tomato sauce", "size: 4.41 ounce (pack of 12)"], "instruction_attributes": ["wild caught", "ready eat"], "instruction_options": ["tomato sauce"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I59FDQ", "worker_id": "A1EREKSZAA9V7B"}], "B09M74RY5C": [{"asin": "B09M74RY5C", "instruction": "i want to find pink horse-shaped cupcake toppers that i can use for a baby shower.", "attributes": ["baby shower", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["baby shower"], "instruction_options": ["pink"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFRV3EO", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09M74RY5C", "instruction": "i want to find pink horse-shaped cupcake toppers that i can use for a baby shower.", "attributes": ["baby shower", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["baby shower"], "instruction_options": ["pink"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFRV3EO", "worker_id": "A345TDMHP3DQ3G"}], "B08T3QJJRT": [{"asin": "B08T3QJJRT", "instruction": "i am looking for some kosher chocolate bars that are 2 pounds.", "attributes": ["chocolate covered", "kosher certified", "gluten free"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME91S2DH", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08T3QJJRT", "instruction": "i am looking for some kosher chocolate bars that are 2 pounds.", "attributes": ["chocolate covered", "kosher certified", "gluten free"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME91S2DH", "worker_id": "A2ECRNQ3X5LEXD"}], "B08YZ1XLGB": [{"asin": "B08YZ1XLGB", "instruction": "looking for a coffee table with metal legs for living room rustic style", "attributes": ["metal legs", "living room"], "options": [""], "instruction_attributes": ["metal legs", "living room"], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZXQNRF", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B08YZ1XLGB", "instruction": "looking for a coffee table with metal legs for living room rustic style", "attributes": ["metal legs", "living room"], "options": [""], "instruction_attributes": ["metal legs", "living room"], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZXQNRF", "worker_id": "A2Y2TURT2VEYZN"}], "B09QKFB7LL": [{"asin": "B09QKFB7LL", "instruction": "i am looking for a black color radio alarm clock having stereo sound and hands free.", "attributes": ["hands free", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["hands free", "stereo sound"], "instruction_options": ["black"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTQCXW9", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09QKFB7LL", "instruction": "i am looking for a black color radio alarm clock having stereo sound and hands free.", "attributes": ["hands free", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["hands free", "stereo sound"], "instruction_options": ["black"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTQCXW9", "worker_id": "A1Q8PPQQCWGY0D"}], "B000BNG4VU": [{"asin": "B000BNG4VU", "instruction": "i need long lasting honey beige face powder, pack of 1", "attributes": ["long lasting", "fine lines"], "options": ["color: honey beige", "size: pack of 1", "style: face powder"], "instruction_attributes": ["long lasting"], "instruction_options": ["honey beige", "pack of 1", "face powder"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI1QT3C", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B000BNG4VU", "instruction": "i need long lasting honey beige face powder, pack of 1", "attributes": ["long lasting", "fine lines"], "options": ["color: honey beige", "size: pack of 1", "style: face powder"], "instruction_attributes": ["long lasting"], "instruction_options": ["honey beige", "pack of 1", "face powder"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI1QT3C", "worker_id": "A258PTOZ3D2TQR"}], "B09JJX555S": [{"asin": "B09JJX555S", "instruction": "i am looking for a long sleeve men's pullover hoodie, size medium.", "attributes": ["machine wash", "wash cold", "hand wash", "cotton spandex", "long sleeve", "gym workout", "tumble dry", "daily wear"], "options": ["color: burgundy", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2KZYNM", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09JJX555S", "instruction": "i am looking for a long sleeve men's pullover hoodie, size medium.", "attributes": ["machine wash", "wash cold", "hand wash", "cotton spandex", "long sleeve", "gym workout", "tumble dry", "daily wear"], "options": ["color: burgundy", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2KZYNM", "worker_id": "A1EREKSZAA9V7B"}], "B01K0PGUKI": [{"asin": "B01K0PGUKI", "instruction": "i need a theater sized pull-down projector screen.", "attributes": ["ultra hd", "easy install"], "options": ["color: black", "pattern name: projector screen", "size: 100\"", "style: 16:10, aspect ratio"], "instruction_attributes": ["easy install"], "instruction_options": ["projector screen", "16:10, aspect ratio"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9IGB0J", "worker_id": "A19317A3X87NVM"}, {"asin": "B01K0PGUKI", "instruction": "i'm looking for a 109\" ultra hd projector screen that's easy to install. also, make it white.", "attributes": ["ultra hd", "easy install"], "options": ["color: white | white", "pattern name: projector screen + 12\" black projector screen", "size: 109\"", "style: 16:9, aspect ratio"], "instruction_attributes": ["ultra hd", "easy install"], "instruction_options": ["white | white", "109\""], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZE48OY", "worker_id": "A1EM0SFZVHQYDD"}, {"asin": "B01K0PGUKI", "instruction": "i am looking for a pull down manual projector screen with aspect ratio 16:10 and ultra hd. also easy to install.", "attributes": ["ultra hd", "easy install"], "options": ["color: 4:3, black", "pattern name: projector screen", "size: 119\"", "style: 16:10, aspect ratio"], "instruction_attributes": ["ultra hd", "easy install"], "instruction_options": ["16:10, aspect ratio"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA93LCZ3A", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B01K0PGUKI", "instruction": "i need a theater sized pull-down projector screen.", "attributes": ["ultra hd", "easy install"], "options": ["color: black", "pattern name: projector screen", "size: 100\"", "style: 16:10, aspect ratio"], "instruction_attributes": ["easy install"], "instruction_options": ["projector screen", "16:10, aspect ratio"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9IGB0J", "worker_id": "A19317A3X87NVM"}, {"asin": "B01K0PGUKI", "instruction": "i'm looking for ultra hd white color television because it looks so nice.", "attributes": ["ultra hd", "easy install"], "options": ["color: white", "pattern name: projector screen", "size: 120\", 24\" drop", "style: 16:9, aspect ratio"], "instruction_attributes": ["ultra hd"], "instruction_options": ["white"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL3NVR5", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01K0PGUKI", "instruction": "i'm looking for a new screen for my projector. it should be very easy to install and white. i need a screen of at least 113 inches.", "attributes": ["ultra hd", "easy install"], "options": ["color: white", "pattern name: projector screen", "size: 113\"", "style: 4:3, aspect ratio"], "instruction_attributes": ["easy install"], "instruction_options": ["white", "113\""], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40X9RC6", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B01K0PGUKI", "instruction": "i am looking for a ultra hd projection screens of black color", "attributes": ["ultra hd", "easy install"], "options": ["color: black", "pattern name: projector screen + 6\" black projector screen", "size: 142\"", "style: 1:1, apect ratio"], "instruction_attributes": ["ultra hd"], "instruction_options": ["black"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1M9ZGTH", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01K0PGUKI", "instruction": "i'm looking for a black manual projector screen easy to install of 142\" and 1:1 for project screen", "attributes": ["ultra hd", "easy install"], "options": ["color: black", "pattern name: projector screen + 6\" white projector screen", "size: 142\"", "style: 1:1, apect ratio"], "instruction_attributes": ["easy install"], "instruction_options": ["black", "projector screen + 6\" white projector screen", "142\"", "1:1, apect ratio"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HGD6IP", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B01K0PGUKI", "instruction": "i am looking for a ultra hd projection screen that is 80\"", "attributes": ["ultra hd", "easy install"], "options": ["color: black | white", "pattern name: projector screen + 6\" white projector screen", "size: 80\"", "style: 1:1, apect ratio"], "instruction_attributes": ["ultra hd"], "instruction_options": ["80\""], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZWP044", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01K0PGUKI", "instruction": "i am looking for150\" white color 4:3, 4k ultra hd 3d ready projector screen", "attributes": ["ultra hd", "easy install"], "options": ["color: 4:3, white", "pattern name: projector screen", "size: 150\"", "style: 1:1, apect ratio"], "instruction_attributes": ["ultra hd"], "instruction_options": ["4:3, white", "projector screen", "150\""], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP9MOAE", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01K0PGUKI", "instruction": "i am looking for an ultra hd pull down projector screen that is 150\" at least? also, can i request black?", "attributes": ["ultra hd", "easy install"], "options": ["color: white | white", "pattern name: projector screen + 6\" white projector screen", "size: 150\"", "style: 16:9, aspect ratio"], "instruction_attributes": ["ultra hd"], "instruction_options": ["150\""], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEY0C63P", "worker_id": "A2TRV8SEM003GG"}, {"asin": "B01K0PGUKI", "instruction": "i'm looking for a 109-inch black manual projector screen that is easy to install.", "attributes": ["ultra hd", "easy install"], "options": ["color: black", "pattern name: projector screen + 6\" black projector screen", "size: 109\"", "style: manual"], "instruction_attributes": ["easy install"], "instruction_options": ["black", "projector screen + 6\" black projector screen", "109\"", "manual"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NMM2PQ", "worker_id": "A345TDMHP3DQ3G"}], "B074948P23": [{"asin": "B074948P23", "instruction": "i am looking for a classic fit pant of stone color.", "attributes": ["machine wash", "classic fit"], "options": ["color: stone", "size: 40w x 30l"], "instruction_attributes": ["classic fit"], "instruction_options": ["stone"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOEACT0", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B074948P23", "instruction": "i am looking for a classic fit pant of stone color.", "attributes": ["machine wash", "classic fit"], "options": ["color: stone", "size: 40w x 30l"], "instruction_attributes": ["classic fit"], "instruction_options": ["stone"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOEACT0", "worker_id": "A1Q8PPQQCWGY0D"}], "B00B041E0A": [{"asin": "B00B041E0A", "instruction": "i'm looking for a package of green tea mix that has low calories and is zero sugar. i would also like it in a 48 count package.", "attributes": ["low calorie", "zero sugar"], "options": ["flavor: sugar-free peach mango green tea", "size: 48 count"], "instruction_attributes": ["low calorie", "zero sugar"], "instruction_options": ["48 count"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60MZAA6", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B00B041E0A", "instruction": "i'm looking for a package of green tea mix that has low calories and is zero sugar. i would also like it in a 48 count package.", "attributes": ["low calorie", "zero sugar"], "options": ["flavor: sugar-free peach mango green tea", "size: 48 count"], "instruction_attributes": ["low calorie", "zero sugar"], "instruction_options": ["48 count"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60MZAA6", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B00B041E0A", "instruction": "i am looking for low calorie and zero sugar pomegranate green tea drink mix, 48 count", "attributes": ["low calorie", "zero sugar"], "options": ["flavor: sugar-free pomegranate green tea", "size: 48 count"], "instruction_attributes": ["low calorie", "zero sugar"], "instruction_options": ["sugar-free pomegranate green tea", "48 count"], "assignment_id": "32SCWG5HISEW7674IASH43KF3TZ6PQ", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B00B041E0A", "instruction": "i am looking for 72 packets of mango green tea that is low calorie", "attributes": ["low calorie", "zero sugar"], "options": ["flavor: sugar-free peach mango green tea", "size: 72 count"], "instruction_attributes": ["low calorie"], "instruction_options": ["sugar-free peach mango green tea", "72 count"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDYJCIA", "worker_id": "A2ECRNQ3X5LEXD"}], "B0034E5CWK": [{"asin": "B0034E5CWK", "instruction": "i'm looking for 4.2 ounce gluten free matiz sardine.", "attributes": ["wild caught", "ready eat", "non gmo", "gluten free"], "options": ["size: 4.2 ounce (pack of 5)"], "instruction_attributes": ["gluten free"], "instruction_options": ["4.2 ounce (pack of 5)"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KB1DPW", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B0034E5CWK", "instruction": "i'm looking for 4.2 ounce gluten free matiz sardine.", "attributes": ["wild caught", "ready eat", "non gmo", "gluten free"], "options": ["size: 4.2 ounce (pack of 5)"], "instruction_attributes": ["gluten free"], "instruction_options": ["4.2 ounce (pack of 5)"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KB1DPW", "worker_id": "ARQ05PDNXPFDI"}], "B094JJ2J25": [{"asin": "B094JJ2J25", "instruction": "i am looking for a furniture set with 6 inch bun legs and is easy to install.", "attributes": ["hand painted", "easy install"], "options": ["size: 6 inch bun legs"], "instruction_attributes": ["easy install"], "instruction_options": ["6 inch bun legs"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOG20FK", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B094JJ2J25", "instruction": "i am looking for a furniture set with 6 inch bun legs and is easy to install.", "attributes": ["hand painted", "easy install"], "options": ["size: 6 inch bun legs"], "instruction_attributes": ["easy install"], "instruction_options": ["6 inch bun legs"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOG20FK", "worker_id": "A1EREKSZAA9V7B"}], "B07DLS2MKT": [{"asin": "B07DLS2MKT", "instruction": "i need to find 20-60x80 monoculars for some bird watching action.", "attributes": ["non slip", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIGQ29D", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B07DLS2MKT", "instruction": "i need to find 20-60x80 monoculars for some bird watching action.", "attributes": ["non slip", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIGQ29D", "worker_id": "A15ERD4HOFEPHM"}], "B09FF1V6QJ": [{"asin": "B09FF1V6QJ", "instruction": "i am looking for a brush set without a bag that is made from synthetic hair.", "attributes": ["synthetic hair", "eye shadow"], "options": ["color: style9 without bag"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["style9 without bag"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZJ4Y1O", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09FF1V6QJ", "instruction": "i am looking for a brush set without a bag that is made from synthetic hair.", "attributes": ["synthetic hair", "eye shadow"], "options": ["color: style9 without bag"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["style9 without bag"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZJ4Y1O", "worker_id": "A2ECRNQ3X5LEXD"}], "B07XRQJ876": [{"asin": "B07XRQJ876", "instruction": "i need storage cabinets for the living room that are white.", "attributes": ["height adjustable", "storage space", "engineered wood", "living room"], "options": ["color: white", "size: 27.6 in (w)", "style: 3 left shelves"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK34VNH", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07XRQJ876", "instruction": "i need storage cabinets for the living room that are white.", "attributes": ["height adjustable", "storage space", "engineered wood", "living room"], "options": ["color: white", "size: 27.6 in (w)", "style: 3 left shelves"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK34VNH", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HKDHMY6": [{"asin": "B09HKDHMY6", "instruction": "i am looking for a red buffet that is easy to assemble and is 14.96 by 11.81 by 27.76 inches.", "attributes": ["easy assemble", "storage space", "storage unit", "solid wood", "living room"], "options": ["color: red", "size: 14.96 x 11.81 x 27.76 inch"], "instruction_attributes": ["easy assemble"], "instruction_options": ["red", "14.96 x 11.81 x 27.76 inch"], "assignment_id": "326O153BMT8RVOXTJJKKGXV3642EDF", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09HKDHMY6", "instruction": "i am looking for a red buffet that is easy to assemble and is 14.96 by 11.81 by 27.76 inches.", "attributes": ["easy assemble", "storage space", "storage unit", "solid wood", "living room"], "options": ["color: red", "size: 14.96 x 11.81 x 27.76 inch"], "instruction_attributes": ["easy assemble"], "instruction_options": ["red", "14.96 x 11.81 x 27.76 inch"], "assignment_id": "326O153BMT8RVOXTJJKKGXV3642EDF", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09HKDHMY6", "instruction": "i want a blue storage cabinet end table for my living room.", "attributes": ["easy assemble", "storage space", "storage unit", "solid wood", "living room"], "options": ["color: blue", "size: 14.96 x 11.81 x 44.88 inch"], "instruction_attributes": ["living room"], "instruction_options": ["blue"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6M97UM", "worker_id": "A2RBF3IIJP15IH"}], "B07W1ZDHY9": [{"asin": "B07W1ZDHY9", "instruction": "i would like a pair of black binoculars for bird watching.", "attributes": ["easy use", "bird watching"], "options": ["color: black-8x42"], "instruction_attributes": ["bird watching"], "instruction_options": ["black-8x42"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H19U8G", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07W1ZDHY9", "instruction": "i would like a pair of black binoculars for bird watching.", "attributes": ["easy use", "bird watching"], "options": ["color: black-8x42"], "instruction_attributes": ["bird watching"], "instruction_options": ["black-8x42"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H19U8G", "worker_id": "A1WS884SI0SLO4"}], "B09QXBN74Y": [{"asin": "B09QXBN74Y", "instruction": "i want to find a small purple tankini top that teen girls can wear.", "attributes": ["quick drying", "tummy control", "high waist", "teen girls"], "options": ["color: a6-purple", "size: small"], "instruction_attributes": ["teen girls"], "instruction_options": ["a6-purple", "small"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMTB2GU", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09QXBN74Y", "instruction": "i want to find a small purple tankini top that teen girls can wear.", "attributes": ["quick drying", "tummy control", "high waist", "teen girls"], "options": ["color: a6-purple", "size: small"], "instruction_attributes": ["teen girls"], "instruction_options": ["a6-purple", "small"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMTB2GU", "worker_id": "A345TDMHP3DQ3G"}], "B09GLV1HTT": [{"asin": "B09GLV1HTT", "instruction": "i am looking for a chrome sputnik chandelier for my dining room.", "attributes": ["mid century", "contemporary style", "pendant light", "dining room", "living room"], "options": ["color: chrome-2"], "instruction_attributes": ["dining room"], "instruction_options": ["chrome-2"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7LMBOZ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09GLV1HTT", "instruction": "i am interested in a contemporary style chandelier that is black.", "attributes": ["mid century", "contemporary style", "pendant light", "dining room", "living room"], "options": ["color: black"], "instruction_attributes": ["contemporary style"], "instruction_options": ["black"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTL9OQA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09GLV1HTT", "instruction": "i am looking for a chrome sputnik chandelier for my dining room.", "attributes": ["mid century", "contemporary style", "pendant light", "dining room", "living room"], "options": ["color: chrome-2"], "instruction_attributes": ["dining room"], "instruction_options": ["chrome-2"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7LMBOZ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09GLV1HTT", "instruction": "i am interested in a contemporary style chandelier that is black.", "attributes": ["mid century", "contemporary style", "pendant light", "dining room", "living room"], "options": ["color: black"], "instruction_attributes": ["contemporary style"], "instruction_options": ["black"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTL9OQA", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LYN1QM3": [{"asin": "B09LYN1QM3", "instruction": "i would like a charcoal ottoman that's button tufted.", "attributes": ["button tufted", "assembly required"], "options": ["color: charcoal"], "instruction_attributes": ["button tufted"], "instruction_options": ["charcoal"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF7N9D1", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09LYN1QM3", "instruction": "i would like a charcoal ottoman that's button tufted.", "attributes": ["button tufted", "assembly required"], "options": ["color: charcoal"], "instruction_attributes": ["button tufted"], "instruction_options": ["charcoal"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF7N9D1", "worker_id": "A1WS884SI0SLO4"}], "B08WYY37SB": [{"asin": "B08WYY37SB", "instruction": "i need 1.75 ounces of tikkiya kabab fried fish seasoning mix that is easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: tikkiya kabab", "size: 1.75 ounce"], "instruction_attributes": ["easy use"], "instruction_options": ["tikkiya kabab", "1.75 ounce"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OFETRO", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08WYY37SB", "instruction": "i want a 1.76 ounce pack of easy to prepare chicken tikka shan fried fish recipe and seasoning mix.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chicken tikka", "size: 1.76 ounce (pack of 1)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["chicken tikka"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX22FAE", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08WYY37SB", "instruction": "i need 1.75 ounces of tikkiya kabab fried fish seasoning mix that is easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: tikkiya kabab", "size: 1.75 ounce"], "instruction_attributes": ["easy use"], "instruction_options": ["tikkiya kabab", "1.75 ounce"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OFETRO", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08WYY37SB", "instruction": "i'm looking for fish recipe it was easy to prepare and flavor was tikka masala.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: tikka masala", "size: pack of 4"], "instruction_attributes": ["easy prepare", "easy use"], "instruction_options": ["tikka masala"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0WMCC1", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08WYY37SB", "instruction": "i need an easy to use seasoning mix that has a bihari kabab flavor to it.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: bihari kabab", "size: 1.41 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["bihari kabab"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZXNANN", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B08WYY37SB", "instruction": "i am looking for spicy fried fish seasoning that is also suitable for vegetarians and easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: fried fish", "size: 1.41 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["fried fish"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80CFQ19", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B08WYY37SB", "instruction": "look for a 4.4 ounce three pack of shami kabab seasoning that's easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: shami kabab", "size: 4.4 ounce (pack of 3)"], "instruction_attributes": ["easy use"], "instruction_options": ["shami kabab", "4.4 ounce (pack of 3)"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LP9OROV", "worker_id": "AR9AU5FY1S3RO"}], "B09NY4QFVG": [{"asin": "B09NY4QFVG", "instruction": "i am looking for a brown finished wood full size platform bed with box springs.", "attributes": ["button tufted", "box spring"], "options": [""], "instruction_attributes": ["box spring"], "instruction_options": [], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVXF3X6", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09NY4QFVG", "instruction": "i am looking for a brown finished wood full size platform bed with box springs.", "attributes": ["button tufted", "box spring"], "options": [""], "instruction_attributes": ["box spring"], "instruction_options": [], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVXF3X6", "worker_id": "A1EREKSZAA9V7B"}], "B09J1GHX9D": [{"asin": "B09J1GHX9D", "instruction": "i'm looking for ladies shoes with a high heel that are open toed, i wear a size 7 and a half.", "attributes": ["knee high", "open toe", "ankle strap", "high heel", "arch support"], "options": ["color: a-8 black", "size: 7.5"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["7.5"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09N618", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B09J1GHX9D", "instruction": "i'm looking for ladies shoes with a high heel that are open toed, i wear a size 7 and a half.", "attributes": ["knee high", "open toe", "ankle strap", "high heel", "arch support"], "options": ["color: a-8 black", "size: 7.5"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["7.5"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09N618", "worker_id": "A3EDFA8UQT5GG8"}], "B07HLTP65S": [{"asin": "B07HLTP65S", "instruction": "i need a taco seasoning blend that is sugar free.", "attributes": ["sugar free", "gluten free", "dairy free", "quality ingredients"], "options": ["flavor name: taco seasoning blend"], "instruction_attributes": ["sugar free"], "instruction_options": ["taco seasoning blend"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL84176XAV", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07HLTP65S", "instruction": "i need a taco seasoning blend that is sugar free.", "attributes": ["sugar free", "gluten free", "dairy free", "quality ingredients"], "options": ["flavor name: taco seasoning blend"], "instruction_attributes": ["sugar free"], "instruction_options": ["taco seasoning blend"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL84176XAV", "worker_id": "A2RBF3IIJP15IH"}], "B09Q8WCZ42": [{"asin": "B09Q8WCZ42", "instruction": "i need green butt lifting yoga pants in size medium.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: green", "size: medium"], "instruction_attributes": ["butt lifting"], "instruction_options": ["green", "medium"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKHRT1Z", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09Q8WCZ42", "instruction": "i need green butt lifting yoga pants in size medium.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: green", "size: medium"], "instruction_attributes": ["butt lifting"], "instruction_options": ["green", "medium"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKHRT1Z", "worker_id": "A2RBF3IIJP15IH"}], "B08BXMYCZL": [{"asin": "B08BXMYCZL", "instruction": "buy me a pair of extra small men's sweatpants with a drawstring closure.", "attributes": ["hand wash", "quality polyester", "drawstring closure", "daily wear"], "options": ["color: 2", "size: x-small"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["x-small"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGUZTWX", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08BXMYCZL", "instruction": "buy me a pair of extra small men's sweatpants with a drawstring closure.", "attributes": ["hand wash", "quality polyester", "drawstring closure", "daily wear"], "options": ["color: 2", "size: x-small"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["x-small"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGUZTWX", "worker_id": "AR9AU5FY1S3RO"}], "B09P4PP87G": [{"asin": "B09P4PP87G", "instruction": "i need a gray vanity bench with metal legs.", "attributes": ["contemporary design", "metal legs"], "options": ["color: b-gray", "size: 17.5\" (dia) x 16.1\" (h)"], "instruction_attributes": ["metal legs"], "instruction_options": ["b-gray"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZQ340A", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09P4PP87G", "instruction": "i'm looking for a snow white vanity stool that's 16.3 inches in diameter and 13 inches in height. it needs to have a contemporary design.", "attributes": ["contemporary design", "metal legs"], "options": ["color: c-snow white", "size: 16.3\" (dia) x 13.4\" (h)"], "instruction_attributes": ["contemporary design"], "instruction_options": ["c-snow white", "16.3\" (dia) x 13.4\" (h)"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRLNWPS", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09P4PP87G", "instruction": "i need a gray vanity bench with metal legs.", "attributes": ["contemporary design", "metal legs"], "options": ["color: b-gray", "size: 17.5\" (dia) x 16.1\" (h)"], "instruction_attributes": ["metal legs"], "instruction_options": ["b-gray"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZQ340A", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09P4PP87G", "instruction": "i need a vanity bench that is contemporary and white", "attributes": ["contemporary design", "metal legs"], "options": ["color: b-white", "size: 17.5\" (dia) x 16.1\" (h)"], "instruction_attributes": ["contemporary design"], "instruction_options": ["b-white"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8YT8G3", "worker_id": "A2ECRNQ3X5LEXD"}], "B075VSBNQY": [{"asin": "B075VSBNQY", "instruction": "i am looking for a mini pc with an intel core i7 with 8 gigabytes of ram, 32 gigabytes of optane memory and is tall.", "attributes": ["ultra hd", "intel core"], "options": ["style: core i7|tall|8gb ram|32gb optane memory|..."], "instruction_attributes": ["intel core"], "instruction_options": ["core i7|tall|8gb ram|32gb optane memory|..."], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XJ4X0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B075VSBNQY", "instruction": "i am looking for a mini pc with an intel core i7 with 8 gigabytes of ram, 32 gigabytes of optane memory and is tall.", "attributes": ["ultra hd", "intel core"], "options": ["style: core i7|tall|8gb ram|32gb optane memory|..."], "instruction_attributes": ["intel core"], "instruction_options": ["core i7|tall|8gb ram|32gb optane memory|..."], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XJ4X0", "worker_id": "A1EREKSZAA9V7B"}], "B00D25IVVK": [{"asin": "B00D25IVVK", "instruction": "i am looking for an oil-free eye makeup remover.", "attributes": ["oil free", "alcohol free"], "options": [""], "instruction_attributes": ["oil free"], "instruction_options": [], "assignment_id": "37C0GNLMHQDNI94ED11M493QP666DE", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00D25IVVK", "instruction": "i am looking for an oil-free eye makeup remover.", "attributes": ["oil free", "alcohol free"], "options": [""], "instruction_attributes": ["oil free"], "instruction_options": [], "assignment_id": "37C0GNLMHQDNI94ED11M493QP666DE", "worker_id": "A1EREKSZAA9V7B"}], "B07GYLCLHV": [{"asin": "B07GYLCLHV", "instruction": "i am looking ofr a bag that is 1.7 oz and is easy to carry.", "attributes": ["leak proof", "easy carry", "easy clean"], "options": ["size: 50ml | 1.7 ounce"], "instruction_attributes": ["easy carry"], "instruction_options": ["50ml | 1.7 ounce"], "assignment_id": "37TRT2X24116R7L1JO45INKV8R4BJ8", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07GYLCLHV", "instruction": "i am looking ofr a bag that is 1.7 oz and is easy to carry.", "attributes": ["leak proof", "easy carry", "easy clean"], "options": ["size: 50ml | 1.7 ounce"], "instruction_attributes": ["easy carry"], "instruction_options": ["50ml | 1.7 ounce"], "assignment_id": "37TRT2X24116R7L1JO45INKV8R4BJ8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HQ4563F": [{"asin": "B08HQ4563F", "instruction": "i need pink gluten free edible glitter.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: pink"], "instruction_attributes": ["gluten free"], "instruction_options": ["pink"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRSY3FU", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08HQ4563F", "instruction": "i need pink gluten free edible glitter.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: pink"], "instruction_attributes": ["gluten free"], "instruction_options": ["pink"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRSY3FU", "worker_id": "A2RBF3IIJP15IH"}], "B09CTCN6Z2": [{"asin": "B09CTCN6Z2", "instruction": "i am looking for a stainless steel compact pocket makeup mirror.", "attributes": ["rose gold", "stainless steel"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WSS1A8", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09CTCN6Z2", "instruction": "i am looking for a stainless steel compact pocket makeup mirror.", "attributes": ["rose gold", "stainless steel"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WSS1A8", "worker_id": "A1EREKSZAA9V7B"}], "B078HFD38S": [{"asin": "B078HFD38S", "instruction": "i am looking for a gray travel carry case that fits doss soundbox.", "attributes": ["carrying case", "wireless bluetooth"], "options": ["color: gray"], "instruction_attributes": ["carrying case"], "instruction_options": ["gray"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKOZV76", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B078HFD38S", "instruction": "i am looking for a gray travel carry case that fits doss soundbox.", "attributes": ["carrying case", "wireless bluetooth"], "options": ["color: gray"], "instruction_attributes": ["carrying case"], "instruction_options": ["gray"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKOZV76", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B078HFD38S", "instruction": "i need a wireless bluetooth speaker that is blue.", "attributes": ["carrying case", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBBLSOY", "worker_id": "A2ECRNQ3X5LEXD"}], "B08CNH461M": [{"asin": "B08CNH461M", "instruction": "what xx-large short sleeved t-shirts do you have that are loose fitting and for teen girls?", "attributes": ["fleece lined", "loose fit", "long sleeve", "short sleeve", "high waist", "elastic closure", "tummy control", "teen girls"], "options": ["color: heart_white 2", "size: xx-large"], "instruction_attributes": ["loose fit", "short sleeve", "teen girls"], "instruction_options": ["xx-large"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0Z8X7C", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B08CNH461M", "instruction": "what xx-large short sleeved t-shirts do you have that are loose fitting and for teen girls?", "attributes": ["fleece lined", "loose fit", "long sleeve", "short sleeve", "high waist", "elastic closure", "tummy control", "teen girls"], "options": ["color: heart_white 2", "size: xx-large"], "instruction_attributes": ["loose fit", "short sleeve", "teen girls"], "instruction_options": ["xx-large"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0Z8X7C", "worker_id": "A3EDFA8UQT5GG8"}], "B08FZZ6D4Z": [{"asin": "B08FZZ6D4Z", "instruction": "order an office desk that's easy to assemble.", "attributes": ["space saving", "easy assemble", "storage space"], "options": [""], "instruction_attributes": ["easy assemble"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE2Z5QGC", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08FZZ6D4Z", "instruction": "order an office desk that's easy to assemble.", "attributes": ["space saving", "easy assemble", "storage space"], "options": [""], "instruction_attributes": ["easy assemble"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE2Z5QGC", "worker_id": "AR9AU5FY1S3RO"}], "B08WJP82ZT": [{"asin": "B08WJP82ZT", "instruction": "i would like a blue unlocked galaxy a11 that is 128gb and has fast charging.", "attributes": ["fast charging", "4g lte"], "options": ["color: blue", "memory storage capacity: 128 gb", "model name: galaxy a11", "wireless provider: unlocked"], "instruction_attributes": ["fast charging"], "instruction_options": ["blue", "128 gb", "galaxy a11", "unlocked"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ8HUW0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08WJP82ZT", "instruction": "i need a blue phone with 4g lte and charges fast too.", "attributes": ["fast charging", "4g lte"], "options": ["color: blue", "memory storage capacity: 64 gb", "model name: galaxy a51", "wireless provider: simple mobile"], "instruction_attributes": ["fast charging", "4g lte"], "instruction_options": ["blue"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMB09WT", "worker_id": "A1MJVTR0PCKBWW"}, {"asin": "B08WJP82ZT", "instruction": "i would like a blue unlocked galaxy a11 that is 128gb and has fast charging.", "attributes": ["fast charging", "4g lte"], "options": ["color: blue", "memory storage capacity: 128 gb", "model name: galaxy a11", "wireless provider: unlocked"], "instruction_attributes": ["fast charging"], "instruction_options": ["blue", "128 gb", "galaxy a11", "unlocked"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ8HUW0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08WJP82ZT", "instruction": "i am looking for 4g lte samsung galaxy a71 mobile.please choose black one.", "attributes": ["fast charging", "4g lte"], "options": ["color: black", "memory storage capacity: 32 gb", "model name: galaxy a71", "wireless provider: simple mobile"], "instruction_attributes": ["4g lte"], "instruction_options": ["black", "galaxy a71"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPO2E6M", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B08WJP82ZT", "instruction": "i want a fast charging smartphone with 64 gb memory storage capacity. pick a blue one.", "attributes": ["fast charging", "4g lte"], "options": ["color: blue", "memory storage capacity: 64 gb", "model name: galaxy a11", "wireless provider: tracfone"], "instruction_attributes": ["fast charging"], "instruction_options": ["blue", "64 gb"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOH9LM9", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B08WJP82ZT", "instruction": "i need a samsung phone that is blue and is fast charging.", "attributes": ["fast charging", "4g lte"], "options": ["color: blue", "memory storage capacity: 64 gb", "model name: galaxy a51", "wireless provider: unlocked"], "instruction_attributes": ["fast charging"], "instruction_options": ["blue"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYVO36O", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08WJP82ZT", "instruction": "i want a black galaxy a71 from simple mobile which has a 128 gb storage and supports fast charging and 4g lte.", "attributes": ["fast charging", "4g lte"], "options": ["color: black", "memory storage capacity: 128 gb", "model name: galaxy a71", "wireless provider: simple mobile"], "instruction_attributes": ["fast charging", "4g lte"], "instruction_options": ["black", "128 gb", "galaxy a71", "simple mobile"], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YJYAG8", "worker_id": "ASWFLI3N8X72G"}], "B074MK42SN": [{"asin": "B074MK42SN", "instruction": "i need a 26\" x 16\" and blue grey octopus pillow cover that is machine washable.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: blue grey", "size: 26\" x 16\""], "instruction_attributes": ["machine washable"], "instruction_options": ["blue grey", "26\" x 16\""], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8AYUX4", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B074MK42SN", "instruction": "i need a 26\" x 16\" and blue grey octopus pillow cover that is machine washable.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: blue grey", "size: 26\" x 16\""], "instruction_attributes": ["machine washable"], "instruction_options": ["blue grey", "26\" x 16\""], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8AYUX4", "worker_id": "A2RBF3IIJP15IH"}], "B07J5WR4RR": [{"asin": "B07J5WR4RR", "instruction": "i need a panasonic ag-ac30 full hd camcorder with a carrying case.", "attributes": ["high performance", "optical zoom", "carrying case"], "options": [""], "instruction_attributes": ["carrying case"], "instruction_options": [], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXTKO4L", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07J5WR4RR", "instruction": "i need a panasonic ag-ac30 full hd camcorder with a carrying case.", "attributes": ["high performance", "optical zoom", "carrying case"], "options": [""], "instruction_attributes": ["carrying case"], "instruction_options": [], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXTKO4L", "worker_id": "A2RBF3IIJP15IH"}], "B01BINV9P2": [{"asin": "B01BINV9P2", "instruction": "i'm looking for a magnetic phone mount for car with aluminum alloy and small size", "attributes": ["hands free", "heavy duty", "aluminum alloy"], "options": ["size: small"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["small"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMHHVX4", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B01BINV9P2", "instruction": "i'm looking for a magnetic phone mount for car with aluminum alloy and small size", "attributes": ["hands free", "heavy duty", "aluminum alloy"], "options": ["size: small"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["small"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMHHVX4", "worker_id": "A2Y2TURT2VEYZN"}], "B08HJ6RG9S": [{"asin": "B08HJ6RG9S", "instruction": "i'm looking for a pair of red, relaxed fit, pajama bottoms.", "attributes": ["machine wash", "hand wash", "cotton spandex", "drawstring closure", "relaxed fit", "gym workout"], "options": ["color: red", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["red"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWOAFP2", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B08HJ6RG9S", "instruction": "i'm looking for a pair of red, relaxed fit, pajama bottoms.", "attributes": ["machine wash", "hand wash", "cotton spandex", "drawstring closure", "relaxed fit", "gym workout"], "options": ["color: red", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["red"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWOAFP2", "worker_id": "A2JP9IKRHNLRPI"}], "B08LH8B6VW": [{"asin": "B08LH8B6VW", "instruction": "i need water resistant snow boots that are smoky black and are in a size 6 women.", "attributes": ["water resistant", "anti slip", "non slip", "fashion design", "rubber sole"], "options": ["color: smoky black", "size: 6 women | 5 men"], "instruction_attributes": ["water resistant"], "instruction_options": ["smoky black", "6 women | 5 men"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVEITUS", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08LH8B6VW", "instruction": "i need water resistant snow boots that are smoky black and are in a size 6 women.", "attributes": ["water resistant", "anti slip", "non slip", "fashion design", "rubber sole"], "options": ["color: smoky black", "size: 6 women | 5 men"], "instruction_attributes": ["water resistant"], "instruction_options": ["smoky black", "6 women | 5 men"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVEITUS", "worker_id": "A2ECRNQ3X5LEXD"}], "B099XD4G5B": [{"asin": "B099XD4G5B", "instruction": "i am looking for white curtains that are a size 120\"w by 84\"l", "attributes": ["machine washable", "white item"], "options": ["color: color10", "size: 120\" w x 84\" l"], "instruction_attributes": ["white item"], "instruction_options": ["120\" w x 84\" l"], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8MFQQ8", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B099XD4G5B", "instruction": "i am looking for white curtains that are a size 120\"w by 84\"l", "attributes": ["machine washable", "white item"], "options": ["color: color10", "size: 120\" w x 84\" l"], "instruction_attributes": ["white item"], "instruction_options": ["120\" w x 84\" l"], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8MFQQ8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GGZVMHC": [{"asin": "B08GGZVMHC", "instruction": "i am looking for a coconut refresh flavor sports drink that is sugar free.", "attributes": ["sugar free", "zero sugar"], "options": ["flavor name: coconut refresh"], "instruction_attributes": ["sugar free"], "instruction_options": ["coconut refresh"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VZ1N1O", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08GGZVMHC", "instruction": "i am looking for a coconut refresh flavor sports drink that is sugar free.", "attributes": ["sugar free", "zero sugar"], "options": ["flavor name: coconut refresh"], "instruction_attributes": ["sugar free"], "instruction_options": ["coconut refresh"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VZ1N1O", "worker_id": "A1Q8PPQQCWGY0D"}], "B09BDS8NN9": [{"asin": "B09BDS8NN9", "instruction": "i would like a two meter in diameter photo background that is easy to carry.", "attributes": ["easy carry", "digital photography"], "options": ["size: 2m diameter"], "instruction_attributes": ["easy carry"], "instruction_options": ["2m diameter"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQDHJR3", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09BDS8NN9", "instruction": "i would like a two meter in diameter photo background that is easy to carry.", "attributes": ["easy carry", "digital photography"], "options": ["size: 2m diameter"], "instruction_attributes": ["easy carry"], "instruction_options": ["2m diameter"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQDHJR3", "worker_id": "A1WS884SI0SLO4"}], "B001KW0CDC": [{"asin": "B001KW0CDC", "instruction": "i am looking for a queen sized bed that is black.", "attributes": ["queen size", "white item", "solid wood"], "options": ["color: black", "pattern name: platform storage bed + dresser", "size: twin xl", "style: coal harbor"], "instruction_attributes": ["queen size"], "instruction_options": ["black"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TA8K2V", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B001KW0CDC", "instruction": "i am looking for a queen sized bed that is black.", "attributes": ["queen size", "white item", "solid wood"], "options": ["color: black", "pattern name: platform storage bed + dresser", "size: twin xl", "style: coal harbor"], "instruction_attributes": ["queen size"], "instruction_options": ["black"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TA8K2V", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RNB4SVT": [{"asin": "B09RNB4SVT", "instruction": "get me a forty pack of old-fashioned popcorn.", "attributes": ["old fashioned", "easy use"], "options": ["number of items: 40"], "instruction_attributes": ["old fashioned"], "instruction_options": ["40"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJKBOMM", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09RNB4SVT", "instruction": "get me a forty pack of old-fashioned popcorn.", "attributes": ["old fashioned", "easy use"], "options": ["number of items: 40"], "instruction_attributes": ["old fashioned"], "instruction_options": ["40"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJKBOMM", "worker_id": "AR9AU5FY1S3RO"}], "B07Q8VSCW2": [{"asin": "B07Q8VSCW2", "instruction": "i am looking for a hair mask that will treat damaged hair.", "attributes": ["sulfate free", "cruelty free", "seed oil", "hair treatment", "damaged hair", "hair growth"], "options": ["color: hair mask"], "instruction_attributes": ["hair treatment", "damaged hair"], "instruction_options": ["hair mask"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LTGDCE", "worker_id": "A2KW17G25L25R8"}, {"asin": "B07Q8VSCW2", "instruction": "i am looking for a hair mask that will treat damaged hair.", "attributes": ["sulfate free", "cruelty free", "seed oil", "hair treatment", "damaged hair", "hair growth"], "options": ["color: hair mask"], "instruction_attributes": ["hair treatment", "damaged hair"], "instruction_options": ["hair mask"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LTGDCE", "worker_id": "A2KW17G25L25R8"}], "B08VJB28BL": [{"asin": "B08VJB28BL", "instruction": "i am looking for an easy to clean jewelry box with 10 slots.", "attributes": ["easy clean", "clear glass"], "options": ["size: 10 slots"], "instruction_attributes": ["easy clean"], "instruction_options": ["10 slots"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKNWGSX", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08VJB28BL", "instruction": "i am looking for an easy to clean jewelry box with 10 slots.", "attributes": ["easy clean", "clear glass"], "options": ["size: 10 slots"], "instruction_attributes": ["easy clean"], "instruction_options": ["10 slots"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKNWGSX", "worker_id": "A1EREKSZAA9V7B"}], "B01M7M9NXX": [{"asin": "B01M7M9NXX", "instruction": "i am looking for a beige twin sized bed.", "attributes": ["twin size", "box spring", "memory foam"], "options": ["color: beige", "size: queen", "style: platform bed + mattress, 12 inch"], "instruction_attributes": ["twin size"], "instruction_options": ["beige"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95PJQXM", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01M7M9NXX", "instruction": "i am looking for a beige twin sized bed.", "attributes": ["twin size", "box spring", "memory foam"], "options": ["color: beige", "size: queen", "style: platform bed + mattress, 12 inch"], "instruction_attributes": ["twin size"], "instruction_options": ["beige"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95PJQXM", "worker_id": "A2ECRNQ3X5LEXD"}], "B08392XJPV": [{"asin": "B08392XJPV", "instruction": "i'm looking for a heather charcoal or electric blue machine washable athletic polo t-shirt. choose the ones that have short sleeves and in size large.", "attributes": ["wash cold", "machine wash", "short sleeve", "regular fit", "dry clean", "tumble dry"], "options": ["color: heather charcoal | electric\u00a0blue", "size: large"], "instruction_attributes": ["machine wash", "short sleeve"], "instruction_options": ["heather charcoal | electric\u00a0blue", "large"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYAF28V", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B08392XJPV", "instruction": "i'm looking for a heather charcoal or electric blue machine washable athletic polo t-shirt. choose the ones that have short sleeves and in size large.", "attributes": ["wash cold", "machine wash", "short sleeve", "regular fit", "dry clean", "tumble dry"], "options": ["color: heather charcoal | electric\u00a0blue", "size: large"], "instruction_attributes": ["machine wash", "short sleeve"], "instruction_options": ["heather charcoal | electric\u00a0blue", "large"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYAF28V", "worker_id": "A3MNXK3VDK37SN"}], "B07P1Y9C7J": [{"asin": "B07P1Y9C7J", "instruction": "i'm looking for a high resolution digital film & photo scanner that is easy to use. choose the black ones that is 9.4 x 7.9 x 5.1 inch in size.", "attributes": ["high resolution", "easy use", "usb port"], "options": ["color: black", "size: 9.4 x 7.9 x 5.1 inch"], "instruction_attributes": ["high resolution", "easy use"], "instruction_options": ["black", "9.4 x 7.9 x 5.1 inch"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ7N0NQ", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B07P1Y9C7J", "instruction": "i'm looking for a high resolution digital film & photo scanner that is easy to use. choose the black ones that is 9.4 x 7.9 x 5.1 inch in size.", "attributes": ["high resolution", "easy use", "usb port"], "options": ["color: black", "size: 9.4 x 7.9 x 5.1 inch"], "instruction_attributes": ["high resolution", "easy use"], "instruction_options": ["black", "9.4 x 7.9 x 5.1 inch"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ7N0NQ", "worker_id": "A3MNXK3VDK37SN"}], "B08X9WLKV7": [{"asin": "B08X9WLKV7", "instruction": "i need a light fixture that has glass lampshades with a grain finish", "attributes": ["glass shade", "vanity light", "pendant light", "light fixture"], "options": ["color: glass lampshades with grain finish"], "instruction_attributes": ["light fixture"], "instruction_options": ["glass lampshades with grain finish"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8N5D2NI", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08X9WLKV7", "instruction": "i need a light fixture that has glass lampshades with a grain finish", "attributes": ["glass shade", "vanity light", "pendant light", "light fixture"], "options": ["color: glass lampshades with grain finish"], "instruction_attributes": ["light fixture"], "instruction_options": ["glass lampshades with grain finish"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8N5D2NI", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SNTWCK3": [{"asin": "B09SNTWCK3", "instruction": "i want to find a high-resolution mini body camera without a memory version.", "attributes": ["high resolution", "motion detection"], "options": ["color: no memory version"], "instruction_attributes": ["high resolution"], "instruction_options": ["no memory version"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39A3CZN", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09SNTWCK3", "instruction": "i want to find a high-resolution mini body camera without a memory version.", "attributes": ["high resolution", "motion detection"], "options": ["color: no memory version"], "instruction_attributes": ["high resolution"], "instruction_options": ["no memory version"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39A3CZN", "worker_id": "A345TDMHP3DQ3G"}], "B09MRTX572": [{"asin": "B09MRTX572", "instruction": "i would like a high quality shower cap that is in a nautical dog pattern.", "attributes": ["easy carry", "high quality", "hair dye", "hair salon"], "options": ["color: dachshund sailors nautical dog pattern"], "instruction_attributes": ["high quality"], "instruction_options": ["dachshund sailors nautical dog pattern"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFMDV31", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09MRTX572", "instruction": "i would like a high quality shower cap that is in a nautical dog pattern.", "attributes": ["easy carry", "high quality", "hair dye", "hair salon"], "options": ["color: dachshund sailors nautical dog pattern"], "instruction_attributes": ["high quality"], "instruction_options": ["dachshund sailors nautical dog pattern"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFMDV31", "worker_id": "A2ECRNQ3X5LEXD"}], "B0040O4ETU": [{"asin": "B0040O4ETU", "instruction": "i would like a pack of butter cookies from trader joe.", "attributes": ["trader joe", "artificial flavors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2KJYN6", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0040O4ETU", "instruction": "i would like a pack of butter cookies from trader joe.", "attributes": ["trader joe", "artificial flavors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2KJYN6", "worker_id": "A1WS884SI0SLO4"}], "B09682W1GV": [{"asin": "B09682W1GV", "instruction": "i'm looking for a pair of stainless steel barber's scissors for cutting hair.", "attributes": ["stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU67MC2", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09682W1GV", "instruction": "i'm looking for a pair of stainless steel barber's scissors for cutting hair.", "attributes": ["stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU67MC2", "worker_id": "A2JP9IKRHNLRPI"}], "B00TO54PAI": [{"asin": "B00TO54PAI", "instruction": "i am looking for a multigroom beard trimmer kit for my face.", "attributes": ["stainless steel", "hair styling"], "options": ["style: er-gb96-k"], "instruction_attributes": ["hair styling"], "instruction_options": ["er-gb96-k"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGITWWJL", "worker_id": "A2KW17G25L25R8"}, {"asin": "B00TO54PAI", "instruction": "i am looking for a multigroom beard trimmer kit for my face.", "attributes": ["stainless steel", "hair styling"], "options": ["style: er-gb96-k"], "instruction_attributes": ["hair styling"], "instruction_options": ["er-gb96-k"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGITWWJL", "worker_id": "A2KW17G25L25R8"}], "B08H5SYM1M": [{"asin": "B08H5SYM1M", "instruction": "i need a 6 ounce deep conditioner for dry hair that has rose oil and peach scent.", "attributes": ["sulfate free", "paraben free", "dry hair"], "options": ["scent: rose oil + peach", "size: 6 ounce (pack of 2)"], "instruction_attributes": ["dry hair"], "instruction_options": ["rose oil + peach", "6 ounce (pack of 2)"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIEI00L", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08H5SYM1M", "instruction": "i need a 6 ounce deep conditioner for dry hair that has rose oil and peach scent.", "attributes": ["sulfate free", "paraben free", "dry hair"], "options": ["scent: rose oil + peach", "size: 6 ounce (pack of 2)"], "instruction_attributes": ["dry hair"], "instruction_options": ["rose oil + peach", "6 ounce (pack of 2)"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIEI00L", "worker_id": "A2ECRNQ3X5LEXD"}], "B08L5SZWW5": [{"asin": "B08L5SZWW5", "instruction": "i am looking for a light brown color hair dye.", "attributes": ["hair dye", "natural hair"], "options": ["color: light brown"], "instruction_attributes": ["hair dye"], "instruction_options": ["light brown"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J8SSF6", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08L5SZWW5", "instruction": "i am looking for a light brown color hair dye.", "attributes": ["hair dye", "natural hair"], "options": ["color: light brown"], "instruction_attributes": ["hair dye"], "instruction_options": ["light brown"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J8SSF6", "worker_id": "A1Q8PPQQCWGY0D"}], "B09GFRJSKS": [{"asin": "B09GFRJSKS", "instruction": "i'm looking for a large sized sports bra that is comfortable to wear during the day.", "attributes": ["day comfort", "moisture wicking", "nylon spandex"], "options": ["color: flamingo 11", "size: large"], "instruction_attributes": ["day comfort"], "instruction_options": ["large"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB98SOH", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09GFRJSKS", "instruction": "i'm looking for a large sized sports bra that is comfortable to wear during the day.", "attributes": ["day comfort", "moisture wicking", "nylon spandex"], "options": ["color: flamingo 11", "size: large"], "instruction_attributes": ["day comfort"], "instruction_options": ["large"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB98SOH", "worker_id": "A2JP9IKRHNLRPI"}], "B000F5X2WI": [{"asin": "B000F5X2WI", "instruction": "i'm looking for a pair of women's walking shoes that has a synthetic sole and is colored brown.", "attributes": ["lace closure", "synthetic sole"], "options": ["color: brown", "size: 10 aaa"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["brown"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDLDRH6", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B000F5X2WI", "instruction": "i'm looking to buy some walking shoes in size 11 narrow that have a lace closure and are pink multicolored.", "attributes": ["lace closure", "synthetic sole"], "options": ["color: pink multi", "size: 11 n"], "instruction_attributes": ["lace closure"], "instruction_options": ["pink multi", "11 n"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNDHTNI", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B000F5X2WI", "instruction": "i'm looking for a pair of walking shoes in size 12 wide. choose the ones with synthetic sole and in navy-microfiber color.", "attributes": ["lace closure", "synthetic sole"], "options": ["color: navy-microfiber", "size: 12 wide"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["navy-microfiber", "12 wide"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53NRKGG", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B000F5X2WI", "instruction": "i'm looking for a pair of women's walking shoes that has a synthetic sole and is colored brown.", "attributes": ["lace closure", "synthetic sole"], "options": ["color: brown", "size: 10 aaa"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["brown"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDLDRH6", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B000F5X2WI", "instruction": "i am looking for a pair of women's parquet brown walking shoes with a synthetic sole.", "attributes": ["lace closure", "synthetic sole"], "options": ["color: parquet brown", "size: 7 d"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["parquet brown"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOI7L9F", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B000F5X2WI", "instruction": "i would like a pair of size 12.5 natural fabric walking shoes with a synthetic sole.", "attributes": ["lace closure", "synthetic sole"], "options": ["color: natural fabric", "size: 12.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["natural fabric", "12.5"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8SQQ6C", "worker_id": "A1WS884SI0SLO4"}], "B07M7X7F2Q": [{"asin": "B07M7X7F2Q", "instruction": "i am looking for a chocolate colored waterproof bootie for women that has memory foam.", "attributes": ["memory foam", "rubber sole"], "options": ["color: chocolate", "size: 8.5-9"], "instruction_attributes": ["memory foam"], "instruction_options": ["chocolate"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH150QWHC", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07M7X7F2Q", "instruction": "i am looking for a chocolate colored waterproof bootie for women that has memory foam.", "attributes": ["memory foam", "rubber sole"], "options": ["color: chocolate", "size: 8.5-9"], "instruction_attributes": ["memory foam"], "instruction_options": ["chocolate"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH150QWHC", "worker_id": "A1EREKSZAA9V7B"}], "B09P77876R": [{"asin": "B09P77876R", "instruction": "i'm looking for a long sleeved men's hoodie in the size of small.", "attributes": ["slim fit", "long sleeve", "gym workout"], "options": ["color: z3-white", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP10763LI3", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09P77876R", "instruction": "i'm looking for a long sleeved men's hoodie in the size of small.", "attributes": ["slim fit", "long sleeve", "gym workout"], "options": ["color: z3-white", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP10763LI3", "worker_id": "A2JP9IKRHNLRPI"}], "B005M4G4LI": [{"asin": "B005M4G4LI", "instruction": "i am looking for an 8 ounce bag of freeze dried strawberries and bananas", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: strawberries + bananas", "size: 8 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries + bananas", "8 ounce (pack of 1)"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNTX8HJ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B005M4G4LI", "instruction": "i am interested in some bundled size freeze-dried strawberries.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: tropical fruits", "size: strawberries 1.2 ounce & bananas 2.5 oun...", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["bundle"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7K9RDPI", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B005M4G4LI", "instruction": "i am looking for peas flavoured dried strawberries.and also choose gluten free.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: peas", "size: 1.5 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["gluten free"], "instruction_options": ["peas"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN54I8C", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B005M4G4LI", "instruction": "i want some freeze dried mangoes.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: mangoes", "size: 1.8 ounce (pack of 12)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["mangoes"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4M8YXH", "worker_id": "A19317A3X87NVM"}, {"asin": "B005M4G4LI", "instruction": "buy me some freeze dried mangoes. get the bundle.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: mangoes", "size: strawberries 1.2 ounce & roasted corn 1....", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["mangoes", "bundle"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEG88QU", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B005M4G4LI", "instruction": "i am looking for an 8 ounce bag of freeze dried strawberries and bananas", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: strawberries + bananas", "size: 8 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries + bananas", "8 ounce (pack of 1)"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNTX8HJ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B005M4G4LI", "instruction": "i need a bundle of dried mangoes that are gluten free.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: mango strips", "size: 3 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["gluten free"], "instruction_options": ["bundle"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PL9EQ6", "worker_id": "A19317A3X87NVM"}, {"asin": "B005M4G4LI", "instruction": "please find freeze-dried strawberries + peas , gluten free & vegan made by natierra nature's organic", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: strawberries + peas", "size: 1.5 ounce (pack of 12)", "style: bundle"], "instruction_attributes": ["gluten free"], "instruction_options": ["strawberries + peas"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC7PD0X", "worker_id": "A292TFDMNVS0TP"}, {"asin": "B005M4G4LI", "instruction": "help me purchase 1 pack of bundle styled freeze-dried strawberries with mango flavor.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: mangoes", "size: 2.5 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["mangoes", "2.5 ounce (pack of 1)", "bundle"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACSBHN3", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B005M4G4LI", "instruction": "i would like a gmo free 2.5 ounce pack of dried berries.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: strawberries + tropical fruits", "size: 2.5 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["gmo free"], "instruction_options": ["2.5 ounce (pack of 1)"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0VZRAH", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B005M4G4LI", "instruction": "i'm looking for gluten free it has high protein it contains healthy.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: strawberries", "size: 0.7 ounce (pack of 4)", "style: bag"], "instruction_attributes": ["gluten free"], "instruction_options": ["strawberries"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZGOCP4", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B005M4G4LI", "instruction": "i am looking for organic freeze dried blueberries that should be gluten free and vegan, 1.6 ounce (pack of 1)", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: blueberries", "size: 1.6 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried", "gluten free"], "instruction_options": ["blueberries", "1.6 ounce (pack of 1)"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788GNC5I", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B005M4G4LI", "instruction": "looking for freeze-dried strawberries that is gluten free also choose style bag", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: blueberries", "size: 1.8 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried", "gluten free"], "instruction_options": ["bag"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWT3997B", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B005M4G4LI", "instruction": "i need natierra nature's organic freeze-dried strawberries.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: strawberries", "size: 0.7 ounce (pack of 8)", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WU51AP", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B005M4G4LI", "instruction": "look for a bundle containing freeze dried strawberries and peas.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: bananas and strawberries", "size: strawberries 1.2 ounce & peas 2.2 ounce", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries 1.2 ounce & peas 2.2 ounce", "bundle"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUAA9R7", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B005M4G4LI", "instruction": "am looking for organic freeze-dried strawberries that are gluten & vegan free in a 1.2 ounce package made by natierra nature in banana flavor.", "attributes": ["freeze dried", "gmo free", "gluten free", "fat free"], "options": ["flavor: bananas", "size: 0.7 ounce (pack of 4)", "style: bundle"], "instruction_attributes": ["freeze dried", "gluten free"], "instruction_options": ["bananas"], "assignment_id": "3HOSI13XHAYM3IJTNO90AFDI6U8DDW", "worker_id": "A3RGIKEI8JS2QG"}], "B00GM4QXD6": [{"asin": "B00GM4QXD6", "instruction": "i am looking for a height adjustable faux leather barstool.", "attributes": ["height adjustable", "contemporary design", "faux leather"], "options": [""], "instruction_attributes": ["height adjustable", "faux leather"], "instruction_options": [], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKWMNDW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00GM4QXD6", "instruction": "i am looking for a height adjustable faux leather barstool.", "attributes": ["height adjustable", "contemporary design", "faux leather"], "options": [""], "instruction_attributes": ["height adjustable", "faux leather"], "instruction_options": [], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKWMNDW", "worker_id": "A1EREKSZAA9V7B"}], "B0131L2XA4": [{"asin": "B0131L2XA4", "instruction": "i am looking for blue scrub bottoms that are made of polyester cotton and are a size 3x tall.", "attributes": ["polyester cotton", "drawstring closure"], "options": ["color: caribbean blue", "size: 3x tall"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["caribbean blue", "3x tall"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66NSFZY", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0131L2XA4", "instruction": "i am looking for blue scrub bottoms that are made of polyester cotton and are a size 3x tall.", "attributes": ["polyester cotton", "drawstring closure"], "options": ["color: caribbean blue", "size: 3x tall"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["caribbean blue", "3x tall"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66NSFZY", "worker_id": "A2ECRNQ3X5LEXD"}], "B087LSFS6R": [{"asin": "B087LSFS6R", "instruction": "i need a usb cable that is high speed and 32 ft.", "attributes": ["plug play", "high speed", "aluminum alloy", "usb port"], "options": ["size: usb 3.0 - 32ft"], "instruction_attributes": ["high speed"], "instruction_options": ["usb 3.0 - 32ft"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKHHD7B", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B087LSFS6R", "instruction": "i need a usb cable that is high speed and 32 ft.", "attributes": ["plug play", "high speed", "aluminum alloy", "usb port"], "options": ["size: usb 3.0 - 32ft"], "instruction_attributes": ["high speed"], "instruction_options": ["usb 3.0 - 32ft"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKHHD7B", "worker_id": "A2ECRNQ3X5LEXD"}], "B01HJWDQWA": [{"asin": "B01HJWDQWA", "instruction": "need a high speed hdmi cable 2 pack with 100 feet, male to female, pack of 10", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 100 feet (2-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "100 feet (2-pack)", "hdmi male to female"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDP8Y86", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B01HJWDQWA", "instruction": "i'm looking for 1.5 feet (10 pack) high speed hdmi cable male to male with ethernet black", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 1.5 feet (4-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["10 pack", "1.5 feet (4-pack)", "hdmi male to male"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YW090QD", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01HJWDQWA", "instruction": "i'm looking for a 10-pack, of gold-plated, high-speed hdmi male-to-male cables.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 1.5 feet (5-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "hdmi male to male"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVK451TV", "worker_id": "AFU00NU09CFXE"}, {"asin": "B01HJWDQWA", "instruction": "need a high speed hdmi cable 2 pack with 100 feet, male to female, pack of 10", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 100 feet (2-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "100 feet (2-pack)", "hdmi male to female"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDP8Y86", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B01HJWDQWA", "instruction": "i am interested in buying a hdmi male to male ethernet cable which support blu ray streaming and about 1.5 feet in length and high speed communication.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 5 pack", "size: 1.5 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["blu ray"], "instruction_options": ["1.5 feet (single pack)", "hdmi male to male"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XT4NGI", "worker_id": "AHXHM1PQTRWIQ"}, {"asin": "B01HJWDQWA", "instruction": "i want a 2 pack of high speed hdmi male to male cables,", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 12 feet (3-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["2 pack"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BDGQUK", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01HJWDQWA", "instruction": "i'm looking for a 12 feet 4 pack high speed hdmi male to female cable.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 4 pack", "size: 12 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["4 pack", "12 feet (single pack)", "hdmi male to female"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2KZFK8", "worker_id": "A3MNXK3VDK37SN"}], "B005KIUP9I": [{"asin": "B005KIUP9I", "instruction": "i would like a alcohol free fragrance.", "attributes": ["design house", "alcohol free"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT06WZNUO", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B005KIUP9I", "instruction": "i am looking for a fragrance called tous baby cologne spray for kids. it is 3.4 oz and alcohol free.", "attributes": ["design house", "alcohol free"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LEF5I7", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B005KIUP9I", "instruction": "i would like a alcohol free fragrance.", "attributes": ["design house", "alcohol free"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT06WZNUO", "worker_id": "A1WS884SI0SLO4"}], "B08ZBDP1H3": [{"asin": "B08ZBDP1H3", "instruction": "i am looking for a satin brass and frosted hallway light fixtures.", "attributes": ["glass shade", "living room"], "options": ["color: satin brass | frosted", "size: 54\" linear"], "instruction_attributes": ["living room"], "instruction_options": ["satin brass | frosted"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEGUQ8Y", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08ZBDP1H3", "instruction": "i am looking for a black glass shade for my living room", "attributes": ["glass shade", "living room"], "options": ["color: black | clear", "size: 42\" linear"], "instruction_attributes": ["glass shade", "living room"], "instruction_options": ["black | clear"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UOWJ6U", "worker_id": "A13PVNQT2WWWVL"}, {"asin": "B08ZBDP1H3", "instruction": "i'm trying to find 30 inch linear sconces for my living room with frosted glass shades. the sconces should come in brushed nickel and clear colors.", "attributes": ["glass shade", "living room"], "options": ["color: brushed nickel | clear", "size: 30\" linear"], "instruction_attributes": ["glass shade", "living room"], "instruction_options": ["30\" linear"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFVMD9G", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08ZBDP1H3", "instruction": "i am looking for a satin brass and frosted hallway light fixtures.", "attributes": ["glass shade", "living room"], "options": ["color: satin brass | frosted", "size: 54\" linear"], "instruction_attributes": ["living room"], "instruction_options": ["satin brass | frosted"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEGUQ8Y", "worker_id": "A1EREKSZAA9V7B"}], "B07JVMP4DH": [{"asin": "B07JVMP4DH", "instruction": "i am looking for a dead sea skin care mud mask that is cruelty free and contains aloe vera gel.", "attributes": ["anti aging", "animal testing", "cruelty free", "long lasting", "high quality", "fine lines", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXP0O5B", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07JVMP4DH", "instruction": "i am looking for a dead sea skin care mud mask that is cruelty free and contains aloe vera gel.", "attributes": ["anti aging", "animal testing", "cruelty free", "long lasting", "high quality", "fine lines", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXP0O5B", "worker_id": "A1EREKSZAA9V7B"}], "B09QXGQMDG": [{"asin": "B09QXGQMDG", "instruction": "i would like a mint green size 6 dress that's light weight to wear.", "attributes": ["light weight", "lace closure"], "options": ["color: mint green", "size: 6"], "instruction_attributes": ["light weight"], "instruction_options": ["mint green", "6"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI37QDBF", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09QXGQMDG", "instruction": "i would like a mint green size 6 dress that's light weight to wear.", "attributes": ["light weight", "lace closure"], "options": ["color: mint green", "size: 6"], "instruction_attributes": ["light weight"], "instruction_options": ["mint green", "6"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI37QDBF", "worker_id": "A1WS884SI0SLO4"}], "B09R46FK8T": [{"asin": "B09R46FK8T", "instruction": "i want a long sleeved brown shirt that is in a medium.", "attributes": ["machine wash", "long sleeve", "short sleeve", "elastic closure", "unique design", "polyester spandex", "daily wear"], "options": ["color: b-brown", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["b-brown", "medium"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XONNGR", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09R46FK8T", "instruction": "i want a long sleeved brown shirt that is in a medium.", "attributes": ["machine wash", "long sleeve", "short sleeve", "elastic closure", "unique design", "polyester spandex", "daily wear"], "options": ["color: b-brown", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["b-brown", "medium"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XONNGR", "worker_id": "A2ECRNQ3X5LEXD"}], "B08RDHLCP2": [{"asin": "B08RDHLCP2", "instruction": "i'm looking for a color b quick release thumb screw tripod.", "attributes": ["quick release", "easy carry", "aluminum alloy"], "options": ["color: b"], "instruction_attributes": ["quick release"], "instruction_options": ["b"], "assignment_id": "31EUONYN26DZ1WA44INARVVOADDOVT", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B08RDHLCP2", "instruction": "i'm looking for a color b quick release thumb screw tripod.", "attributes": ["quick release", "easy carry", "aluminum alloy"], "options": ["color: b"], "instruction_attributes": ["quick release"], "instruction_options": ["b"], "assignment_id": "31EUONYN26DZ1WA44INARVVOADDOVT", "worker_id": "ARQ05PDNXPFDI"}], "B09N382RP7": [{"asin": "B09N382RP7", "instruction": "i need a new end table for the living room. get me a pink one.", "attributes": ["engineered wood", "storage unit", "living room"], "options": ["color: pink | white", "pattern name: shelving unit + tv stands", "size: 3-tier"], "instruction_attributes": ["living room"], "instruction_options": ["pink | white"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIAJL25", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09N382RP7", "instruction": "i need a new end table for the living room. get me a pink one.", "attributes": ["engineered wood", "storage unit", "living room"], "options": ["color: pink | white", "pattern name: shelving unit + tv stands", "size: 3-tier"], "instruction_attributes": ["living room"], "instruction_options": ["pink | white"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIAJL25", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09N382RP7", "instruction": "i'm looking for a 4-tier shelving unit and tv stand that is espresso and classic black color. also, it should have engineered wood.", "attributes": ["engineered wood", "storage unit", "living room"], "options": ["color: espresso | black classic tube", "pattern name: shelving unit + tv stands", "size: 4-tier"], "instruction_attributes": ["engineered wood"], "instruction_options": ["espresso | black classic tube", "shelving unit + tv stands", "4-tier"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC6AINJ", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B09N382RP7", "instruction": "i am looking for a engineered wood end table for living room in light blue color. also choose pattern of shelving unit + rack display shelf and 3-tier classic tube size.", "attributes": ["engineered wood", "storage unit", "living room"], "options": ["color: light blue | white", "pattern name: shelving unit + rack display shelf", "size: 3-tier classic tube"], "instruction_attributes": ["engineered wood", "living room"], "instruction_options": ["light blue | white", "3-tier classic tube"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40XZCRH", "worker_id": "A2HMEGTAFO0CS8"}], "B08Y8R82HM": [{"asin": "B08Y8R82HM", "instruction": "i am looking for a easy to use beige color shower cap.", "attributes": ["easy use", "dry hair"], "options": ["color: beige"], "instruction_attributes": ["easy use"], "instruction_options": ["beige"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD6W0S3", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08Y8R82HM", "instruction": "i am looking for a easy to use beige color shower cap.", "attributes": ["easy use", "dry hair"], "options": ["color: beige"], "instruction_attributes": ["easy use"], "instruction_options": ["beige"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD6W0S3", "worker_id": "A1Q8PPQQCWGY0D"}], "B08T6B1KNH": [{"asin": "B08T6B1KNH", "instruction": "i am looking for s96 pro black android 10 octa-core ip68 fast charging phone", "attributes": ["fast charging", "wireless charging"], "options": ["color: s96 pro black"], "instruction_attributes": ["fast charging"], "instruction_options": ["s96 pro black"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPEMQVU", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08T6B1KNH", "instruction": "i am looking for s96 pro black android 10 octa-core ip68 fast charging phone", "attributes": ["fast charging", "wireless charging"], "options": ["color: s96 pro black"], "instruction_attributes": ["fast charging"], "instruction_options": ["s96 pro black"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPEMQVU", "worker_id": "A258PTOZ3D2TQR"}], "B07HY8DHQ7": [{"asin": "B07HY8DHQ7", "instruction": "i want a shampoo and conditioner set for damaged hair with coconut oil, size 32 oz 2 pack", "attributes": ["coconut oil", "damaged hair"], "options": ["scent: shampoo", "size: 32 ounce, pack of 2"], "instruction_attributes": ["coconut oil", "damaged hair"], "instruction_options": ["shampoo", "32 ounce, pack of 2"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZTYNA3", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07HY8DHQ7", "instruction": "i want a shampoo and conditioner set for damaged hair with coconut oil, size 32 oz 2 pack", "attributes": ["coconut oil", "damaged hair"], "options": ["scent: shampoo", "size: 32 ounce, pack of 2"], "instruction_attributes": ["coconut oil", "damaged hair"], "instruction_options": ["shampoo", "32 ounce, pack of 2"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZTYNA3", "worker_id": "A2Y2TURT2VEYZN"}], "B093SZ5P7Z": [{"asin": "B093SZ5P7Z", "instruction": "i am looking for 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1Z8BPAD", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B093SZ5P7Z", "instruction": "i am looking for 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1Z8BPAD", "worker_id": "A1EREKSZAA9V7B"}], "B07D3SZWDS": [{"asin": "B07D3SZWDS", "instruction": "i'm looking for a pair of men's shoes made from rubber on the outside in the uk size six and half men's.", "attributes": ["lace closure", "synthetic sole", "rubber outsole"], "options": ["color: core black core black gum 3", "size: 6.5 m uk"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["6.5 m uk"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW9BNFG", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B07D3SZWDS", "instruction": "i'm looking for a pair of men's shoes made from rubber on the outside in the uk size six and half men's.", "attributes": ["lace closure", "synthetic sole", "rubber outsole"], "options": ["color: core black core black gum 3", "size: 6.5 m uk"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["6.5 m uk"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW9BNFG", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B07D3SZWDS", "instruction": "i am looking for rubber outsole men shoes. please choose white color.", "attributes": ["lace closure", "synthetic sole", "rubber outsole"], "options": ["color: white (ftwr white | ftwr white | gum 3)", "size: 6.5 m uk"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["white (ftwr white | ftwr white | gum 3)"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I161SH", "worker_id": "A3FG5PQHG5AH3Y"}], "B09QG9146D": [{"asin": "B09QG9146D", "instruction": "i'm looking for a leather phone wallet case compatible with the iphone 11 pro that supports wireless charging.", "attributes": ["hands free", "tempered glass", "glass screen", "wireless charging"], "options": ["color: 11 pro max-starry night", "size: for iphone 11 pro 5.8\""], "instruction_attributes": ["wireless charging"], "instruction_options": ["for iphone 11 pro 5.8\""], "assignment_id": "3HPZF4IVNX3FW186JO133U513GLYC4", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09QG9146D", "instruction": "i would like aa sea wave phone case of the iphone 6 that supports wireless charging.", "attributes": ["hands free", "tempered glass", "glass screen", "wireless charging"], "options": ["color: xs max-sea wave", "size: for iphone 6 | 6s | 7 | 8 plus 5.5\""], "instruction_attributes": ["wireless charging"], "instruction_options": ["xs max-sea wave", "for iphone 6 | 6s | 7 | 8 plus 5.5\""], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9Y6CNGH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09QG9146D", "instruction": "i'm looking for a leather phone wallet case compatible with the iphone 11 pro that supports wireless charging.", "attributes": ["hands free", "tempered glass", "glass screen", "wireless charging"], "options": ["color: 11 pro max-starry night", "size: for iphone 11 pro 5.8\""], "instruction_attributes": ["wireless charging"], "instruction_options": ["for iphone 11 pro 5.8\""], "assignment_id": "3HPZF4IVNX3FW186JO133U513GLYC4", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09QG9146D", "instruction": "i need an iphone x case with wireless charging in a butterfly color.", "attributes": ["hands free", "tempered glass", "glass screen", "wireless charging"], "options": ["color: x | xs-butterfly 1", "size: for iphone 11 pro max 6.5\""], "instruction_attributes": ["wireless charging"], "instruction_options": ["x | xs-butterfly 1"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54VF83Q", "worker_id": "AVIEE6LDH0BT5"}], "B08VDN1RP9": [{"asin": "B08VDN1RP9", "instruction": "i need an easy to carry travel bag for shampoo.", "attributes": ["easy carry", "travel bottles"], "options": [""], "instruction_attributes": ["easy carry", "travel bottles"], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXCNUJK", "worker_id": "A19317A3X87NVM"}, {"asin": "B08VDN1RP9", "instruction": "i need an easy to carry travel bag for shampoo.", "attributes": ["easy carry", "travel bottles"], "options": [""], "instruction_attributes": ["easy carry", "travel bottles"], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXCNUJK", "worker_id": "A19317A3X87NVM"}], "B083KPNYHF": [{"asin": "B083KPNYHF", "instruction": "i'm looking for a security camera that has motion detection functionality.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXP2O5D", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B083KPNYHF", "instruction": "i'm looking for a security camera that has motion detection functionality.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXP2O5D", "worker_id": "A345TDMHP3DQ3G"}], "B07PKW544C": [{"asin": "B07PKW544C", "instruction": "i am looking for a 50 pack of white non-slip spa headbands.", "attributes": ["non slip", "beauty salon"], "options": ["color: white 50pcs"], "instruction_attributes": ["non slip"], "instruction_options": ["white 50pcs"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDLBRH4", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07PKW544C", "instruction": "i am looking for a 50 pack of white non-slip spa headbands.", "attributes": ["non slip", "beauty salon"], "options": ["color: white 50pcs"], "instruction_attributes": ["non slip"], "instruction_options": ["white 50pcs"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDLBRH4", "worker_id": "A1EREKSZAA9V7B"}], "B09SZ5K381": [{"asin": "B09SZ5K381", "instruction": "i am looking for teeth whitening toothpaste with a passion fruit flavor.", "attributes": ["teeth whitening", "fluoride free", "long lasting", "sensitive teeth", "fresh breath", "bad breath"], "options": ["color: passion fruit"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["passion fruit"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADFBVWB", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09SZ5K381", "instruction": "i am looking for teeth whitening toothpaste with a passion fruit flavor.", "attributes": ["teeth whitening", "fluoride free", "long lasting", "sensitive teeth", "fresh breath", "bad breath"], "options": ["color: passion fruit"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["passion fruit"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADFBVWB", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09SZ5K381", "instruction": "i would like some purple toothpaste that whitens teeth.", "attributes": ["teeth whitening", "fluoride free", "long lasting", "sensitive teeth", "fresh breath", "bad breath"], "options": ["color: purple"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["purple"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MLBOFV", "worker_id": "A2ECRNQ3X5LEXD"}], "B004Z4PMFA": [{"asin": "B004Z4PMFA", "instruction": "i'm looking for a long lasting 3.3 oz edt spray for men.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOUX932", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B004Z4PMFA", "instruction": "i'm looking for a long lasting 3.3 oz edt spray for men.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOUX932", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B004Z4PMFA", "instruction": "im looking for fragrance its for long lasting.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6JZEEA", "worker_id": "A16IQOX0DK14OJ"}], "B01MSHHGFJ": [{"asin": "B01MSHHGFJ", "instruction": "i need a wildlife novelty polyester cotton multi color sock which is suitable for women's 6-11", "attributes": ["cotton spandex", "polyester cotton", "polyester spandex"], "options": ["color: mulit color", "size: youth - 13, 1-5 | women's 6-11 | men's 5..."], "instruction_attributes": ["polyester cotton"], "instruction_options": ["mulit color", "youth - 13, 1-5 | women's 6-11 | men's 5..."], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI37FBD2", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01MSHHGFJ", "instruction": "i need a wildlife novelty polyester cotton multi color sock which is suitable for women's 6-11", "attributes": ["cotton spandex", "polyester cotton", "polyester spandex"], "options": ["color: mulit color", "size: youth - 13, 1-5 | women's 6-11 | men's 5..."], "instruction_attributes": ["polyester cotton"], "instruction_options": ["mulit color", "youth - 13, 1-5 | women's 6-11 | men's 5..."], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI37FBD2", "worker_id": "A258PTOZ3D2TQR"}], "B09N7JTH4Q": [{"asin": "B09N7JTH4Q", "instruction": "i want to find decorative, multi-colored vinyl dots for my living room windows. the size should be 17.7 inches by 23.6 inches.", "attributes": ["eco friendly", "living room"], "options": ["color: multi-003976", "size: 17.7wx23.6l-inch x2 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["multi-003976", "17.7wx23.6l-inch x2 pcs"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW91NF6", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09N7JTH4Q", "instruction": "i want to find decorative, multi-colored vinyl dots for my living room windows. the size should be 17.7 inches by 23.6 inches.", "attributes": ["eco friendly", "living room"], "options": ["color: multi-003976", "size: 17.7wx23.6l-inch x2 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["multi-003976", "17.7wx23.6l-inch x2 pcs"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW91NF6", "worker_id": "A345TDMHP3DQ3G"}], "B077SFNTSC": [{"asin": "B077SFNTSC", "instruction": "buy me ten pounds of low calorie coconut water.", "attributes": ["freeze dried", "low calorie"], "options": ["size: 160 ounce - 10 pound"], "instruction_attributes": ["low calorie"], "instruction_options": ["160 ounce - 10 pound"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADHZAHR", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B077SFNTSC", "instruction": "buy me ten pounds of low calorie coconut water.", "attributes": ["freeze dried", "low calorie"], "options": ["size: 160 ounce - 10 pound"], "instruction_attributes": ["low calorie"], "instruction_options": ["160 ounce - 10 pound"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADHZAHR", "worker_id": "AR9AU5FY1S3RO"}], "B09BNQLMMK": [{"asin": "B09BNQLMMK", "instruction": "i am looking for chocolate scent candles that is long lasting.", "attributes": ["long lasting", "soy wax"], "options": ["scent: chocolate", "size: 12 oz"], "instruction_attributes": ["long lasting"], "instruction_options": ["chocolate"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKNSSG5", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09BNQLMMK", "instruction": "i am looking for chocolate scent candles that is long lasting.", "attributes": ["long lasting", "soy wax"], "options": ["scent: chocolate", "size: 12 oz"], "instruction_attributes": ["long lasting"], "instruction_options": ["chocolate"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKNSSG5", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09BNQLMMK", "instruction": "i'm looking for soy wax for making candles.", "attributes": ["long lasting", "soy wax"], "options": ["scent: cookies & cream milk-shake", "size: 12 oz"], "instruction_attributes": ["soy wax"], "instruction_options": ["12 oz"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEI8XI2", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09BNQLMMK", "instruction": "i'm looking for spy wax it was making for candles.", "attributes": ["long lasting", "soy wax"], "options": ["scent: salted butterscotch", "size: 12 oz"], "instruction_attributes": ["soy wax"], "instruction_options": ["salted butterscotch", "12 oz"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMX12GS", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09BNQLMMK", "instruction": "i want a 16 ounce happy new year candle made from soy.", "attributes": ["long lasting", "soy wax"], "options": ["scent: happy new year", "size: 16 oz"], "instruction_attributes": ["soy wax"], "instruction_options": ["happy new year", "16 oz"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0WUACW", "worker_id": "A1WS884SI0SLO4"}], "B09SDTNYLJ": [{"asin": "B09SDTNYLJ", "instruction": "i am looking for a high quality round head 70x185cm spa bed cover.", "attributes": ["high quality", "beauty salon"], "options": ["size: round head 70x185cm"], "instruction_attributes": ["high quality"], "instruction_options": ["round head 70x185cm"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHZIQHB", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09SDTNYLJ", "instruction": "i am looking for a high quality round head 70x185cm spa bed cover.", "attributes": ["high quality", "beauty salon"], "options": ["size: round head 70x185cm"], "instruction_attributes": ["high quality"], "instruction_options": ["round head 70x185cm"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHZIQHB", "worker_id": "A1EREKSZAA9V7B"}], "B081HZ4D87": [{"asin": "B081HZ4D87", "instruction": "i am interested in a 15.6 inch laptop carrying case that is gray.", "attributes": ["dust proof", "carrying case"], "options": ["color: gray", "size: 15.6 inch"], "instruction_attributes": ["carrying case"], "instruction_options": ["gray", "15.6 inch"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ8FWU0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B081HZ4D87", "instruction": "i am interested in a 15.6 inch laptop carrying case that is gray.", "attributes": ["dust proof", "carrying case"], "options": ["color: gray", "size: 15.6 inch"], "instruction_attributes": ["carrying case"], "instruction_options": ["gray", "15.6 inch"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ8FWU0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B081HZ4D87", "instruction": "i am looking for a gray bags, cases & sleeves \u203a sleeves for carrying case", "attributes": ["dust proof", "carrying case"], "options": ["color: gray", "size: 16 inch"], "instruction_attributes": ["carrying case"], "instruction_options": ["gray"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCKXPI6", "worker_id": "A9QRQL9CFJBI7"}], "B0863YM5B4": [{"asin": "B0863YM5B4", "instruction": "i am looking for plastic refillable spray bottles that are easy to use.", "attributes": ["easy carry", "easy use", "travel bottles"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8OY02AK", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B0863YM5B4", "instruction": "i am looking for plastic refillable spray bottles that are easy to use.", "attributes": ["easy carry", "easy use", "travel bottles"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8OY02AK", "worker_id": "A1Q8PPQQCWGY0D"}], "B08344D945": [{"asin": "B08344D945", "instruction": "i need a 7 layer bookshelf for my living room.", "attributes": ["storage unit", "living room"], "options": ["color: d", "size: 7 layer"], "instruction_attributes": ["living room"], "instruction_options": ["d", "7 layer"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PJSEQL", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08344D945", "instruction": "i need a 7 layer bookshelf for my living room.", "attributes": ["storage unit", "living room"], "options": ["color: d", "size: 7 layer"], "instruction_attributes": ["living room"], "instruction_options": ["d", "7 layer"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PJSEQL", "worker_id": "A2RBF3IIJP15IH"}], "B08K95TC4Q": [{"asin": "B08K95TC4Q", "instruction": "i'd like to buy a cellphone case for my iphone. i want a black one made out of carbon fiber.", "attributes": ["carbon fiber", "tempered glass", "wireless charging"], "options": ["color: black"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["black"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LEFPS6", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08K95TC4Q", "instruction": "i'd like to buy a cellphone case for my iphone. i want a black one made out of carbon fiber.", "attributes": ["carbon fiber", "tempered glass", "wireless charging"], "options": ["color: black"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["black"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LEFPS6", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08K95TC4Q", "instruction": "i'm looking for a carbon fiber iphone 11 case, preferably the red color.", "attributes": ["carbon fiber", "tempered glass", "wireless charging"], "options": ["color: red"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["red"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4DAI0J", "worker_id": "ARQ05PDNXPFDI"}], "B09MRVVWQ3": [{"asin": "B09MRVVWQ3", "instruction": "i want to buy a tea-themed gift basket.", "attributes": ["gift set", "gift basket", "great gift"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CAD0VV", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09MRVVWQ3", "instruction": "i want to buy a tea-themed gift basket.", "attributes": ["gift set", "gift basket", "great gift"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CAD0VV", "worker_id": "AR9AU5FY1S3RO"}], "B09QG4827R": [{"asin": "B09QG4827R", "instruction": "i'm looking for a size 40x30 inch super soft cute cartoon dinosaurs", "attributes": ["super soft", "living room"], "options": ["color: just a boy who loves dinosaurs", "size: 40x30 inch xs for airplane | pet"], "instruction_attributes": ["super soft"], "instruction_options": ["40x30 inch xs for airplane | pet"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCGBIP5", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B09QG4827R", "instruction": "i'm looking for a size 40x30 inch super soft cute cartoon dinosaurs", "attributes": ["super soft", "living room"], "options": ["color: just a boy who loves dinosaurs", "size: 40x30 inch xs for airplane | pet"], "instruction_attributes": ["super soft"], "instruction_options": ["40x30 inch xs for airplane | pet"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCGBIP5", "worker_id": "ARQ05PDNXPFDI"}], "B07THFBCJK": [{"asin": "B07THFBCJK", "instruction": "i'm looking for a black noise cancelling wireless headphones", "attributes": ["noise cancelling", "wireless bluetooth"], "options": ["color: black | yellow alcantara | black metal"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black | yellow alcantara | black metal"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40TOYFQ", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B07THFBCJK", "instruction": "i'm looking for a black noise cancelling wireless headphones", "attributes": ["noise cancelling", "wireless bluetooth"], "options": ["color: black | yellow alcantara | black metal"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black | yellow alcantara | black metal"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40TOYFQ", "worker_id": "ARQ05PDNXPFDI"}], "B01IA961HI": [{"asin": "B01IA961HI", "instruction": "i'm looking for long-lasting anti-perspirant that is unscented.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4776RU", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01IA961HI", "instruction": "i'm looking for long-lasting anti-perspirant that is unscented.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4776RU", "worker_id": "A345TDMHP3DQ3G"}], "B079WSQ7G5": [{"asin": "B079WSQ7G5", "instruction": "i want to buy a high performance s-video cable.", "attributes": ["gold plated", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q1YKD5", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B079WSQ7G5", "instruction": "i want to buy a high performance s-video cable.", "attributes": ["gold plated", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q1YKD5", "worker_id": "AR9AU5FY1S3RO"}], "B09F3N66K9": [{"asin": "B09F3N66K9", "instruction": "i need a slim fit blouse that is a 4x large and is multicolored.", "attributes": ["water resistant", "slim fit", "machine wash", "long sleeve", "drawstring closure"], "options": ["color: 96#multicolor", "size: 4x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["96#multicolor", "4x-large"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIT89TH", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09F3N66K9", "instruction": "i need a slim fit blouse that is a 4x large and is multicolored.", "attributes": ["water resistant", "slim fit", "machine wash", "long sleeve", "drawstring closure"], "options": ["color: 96#multicolor", "size: 4x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["96#multicolor", "4x-large"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIT89TH", "worker_id": "A2ECRNQ3X5LEXD"}], "B06XC5S67Z": [{"asin": "B06XC5S67Z", "instruction": "i need 300 alcohol free cleansing wipes", "attributes": ["alcohol free", "paraben free", "high quality"], "options": ["size: 300 pcs"], "instruction_attributes": ["alcohol free"], "instruction_options": ["300 pcs"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX2FFAR", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B06XC5S67Z", "instruction": "i need 300 alcohol free cleansing wipes", "attributes": ["alcohol free", "paraben free", "high quality"], "options": ["size: 300 pcs"], "instruction_attributes": ["alcohol free"], "instruction_options": ["300 pcs"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX2FFAR", "worker_id": "A2ECRNQ3X5LEXD"}], "B07C2DXSBQ": [{"asin": "B07C2DXSBQ", "instruction": "i am looking for long lasting dusty navy original fit jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: dusty navy", "fit type: regular", "size: 44w x 30l"], "instruction_attributes": ["long lasting"], "instruction_options": ["dusty navy"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADHNHAM", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07C2DXSBQ", "instruction": "i am looking for long lasting dusty navy original fit jeans.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: dusty navy", "fit type: regular", "size: 44w x 30l"], "instruction_attributes": ["long lasting"], "instruction_options": ["dusty navy"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADHNHAM", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07C2DXSBQ", "instruction": "i need slim comfortable fit jeans", "attributes": ["long lasting", "comfortable fit"], "options": ["color: gunter", "fit type: slim", "size: 33w x 44l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["slim"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LHG0LR", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07C2DXSBQ", "instruction": "i need to shop for a comfortable fitting pair of jeans in the \"crest\" color.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: crest", "fit type: regular", "size: 52w x 34l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["crest"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KDFDPE", "worker_id": "AR9AU5FY1S3RO"}], "B09JGSN6ZN": [{"asin": "B09JGSN6ZN", "instruction": "i need a 5 pound bag of birthday candy.", "attributes": ["birthday cake", "birthday party"], "options": ["size: 5-pound"], "instruction_attributes": ["birthday party"], "instruction_options": ["5-pound"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMMTMWF", "worker_id": "A19317A3X87NVM"}, {"asin": "B09JGSN6ZN", "instruction": "i need a 5 pound bag of birthday candy.", "attributes": ["birthday cake", "birthday party"], "options": ["size: 5-pound"], "instruction_attributes": ["birthday party"], "instruction_options": ["5-pound"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMMTMWF", "worker_id": "A19317A3X87NVM"}], "B00Q7N55AY": [{"asin": "B00Q7N55AY", "instruction": "i need a toasted brown wig that is made from natural hair.", "attributes": ["synthetic hair", "natural hair", "hair growth"], "options": ["color: toasted brown"], "instruction_attributes": ["natural hair"], "instruction_options": ["toasted brown"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2O14L6", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B00Q7N55AY", "instruction": "i need a toasted brown wig that is made from natural hair.", "attributes": ["synthetic hair", "natural hair", "hair growth"], "options": ["color: toasted brown"], "instruction_attributes": ["natural hair"], "instruction_options": ["toasted brown"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2O14L6", "worker_id": "A2RBF3IIJP15IH"}], "B09MH59735": [{"asin": "B09MH59735", "instruction": "what face rollers do you have that are easy to use and for dry and sensitive skin? i would prefer it in blue.", "attributes": ["easy use", "bpa free", "high quality", "green tea", "fine lines", "dry skin", "sensitive skin"], "options": ["color: blue"], "instruction_attributes": ["easy use", "dry skin", "sensitive skin"], "instruction_options": ["blue"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09Q166", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B09MH59735", "instruction": "what face rollers do you have that are easy to use and for dry and sensitive skin? i would prefer it in blue.", "attributes": ["easy use", "bpa free", "high quality", "green tea", "fine lines", "dry skin", "sensitive skin"], "options": ["color: blue"], "instruction_attributes": ["easy use", "dry skin", "sensitive skin"], "instruction_options": ["blue"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09Q166", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B09MH59735", "instruction": "i need an easy to use red ice roller.", "attributes": ["easy use", "bpa free", "high quality", "green tea", "fine lines", "dry skin", "sensitive skin"], "options": ["color: red"], "instruction_attributes": ["easy use"], "instruction_options": ["red"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I0S1S1", "worker_id": "A19317A3X87NVM"}], "B019WW2FBS": [{"asin": "B019WW2FBS", "instruction": "i'm looking for a ceiling light fixture with a brushed nickel finish that would suit a dining room.", "attributes": ["brushed nickel", "nickel finish", "light fixture", "dining room"], "options": ["color: brushed nickel", "size: two - light", "style: ceiling fixture"], "instruction_attributes": ["brushed nickel", "nickel finish", "light fixture", "dining room"], "instruction_options": ["brushed nickel", "ceiling fixture"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHXN4Z3", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B019WW2FBS", "instruction": "i'm looking for a chrome wall light fixture with a brushed nickle finished.", "attributes": ["brushed nickel", "nickel finish", "light fixture", "dining room"], "options": ["color: chrome", "size: three - light", "style: ceiling fixture"], "instruction_attributes": ["brushed nickel", "nickel finish"], "instruction_options": ["chrome"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5L979J3", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B019WW2FBS", "instruction": "i'm looking for a ceiling light fixture with a brushed nickel finish that would suit a dining room.", "attributes": ["brushed nickel", "nickel finish", "light fixture", "dining room"], "options": ["color: brushed nickel", "size: two - light", "style: ceiling fixture"], "instruction_attributes": ["brushed nickel", "nickel finish", "light fixture", "dining room"], "instruction_options": ["brushed nickel", "ceiling fixture"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHXN4Z3", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B019WW2FBS", "instruction": "i am looking for a light fixture that is satin brass.", "attributes": ["brushed nickel", "nickel finish", "light fixture", "dining room"], "options": ["color: satin brass", "size: one light", "style: wall bath fixture"], "instruction_attributes": ["light fixture"], "instruction_options": ["satin brass"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84B1C61", "worker_id": "A2ECRNQ3X5LEXD"}], "B08SJBD8CQ": [{"asin": "B08SJBD8CQ", "instruction": "i would like the tom ford cafe rose impression perfume that is in a travel size.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: tom ford cafe rose impression"], "instruction_attributes": ["travel size"], "instruction_options": ["tom ford cafe rose impression"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPV1PJP", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08SJBD8CQ", "instruction": "i would like the tom ford cafe rose impression perfume that is in a travel size.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: tom ford cafe rose impression"], "instruction_attributes": ["travel size"], "instruction_options": ["tom ford cafe rose impression"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPV1PJP", "worker_id": "A2ECRNQ3X5LEXD"}], "B019IOF8PK": [{"asin": "B019IOF8PK", "instruction": "i am looking for a gold plated high speed 75 foot hdmi cable.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 4 pack", "size: 8 feet (10-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["4 pack"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJF0OLZ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B019IOF8PK", "instruction": "i need a ten pack of high speed hdmi cables that are 3 feet long", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 3 feet (2 pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["10 pack", "3 feet (2 pack)"], "assignment_id": "33F859I56HNA01QBVO1K6A4GVUCBH5", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B019IOF8PK", "instruction": "i want to find a package that contains two high speed hdmi cables that are each 100 feet long.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 100 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["2 pack", "100 feet (single pack)", "hdmi male to female"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95DJXQ5", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B019IOF8PK", "instruction": "i am looking for a gold plated high speed 75 foot hdmi cable.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 4 pack", "size: 8 feet (10-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["4 pack"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJF0OLZ", "worker_id": "A1EREKSZAA9V7B"}], "B094JVCT3S": [{"asin": "B094JVCT3S", "instruction": "i need one 10\" computer monitor replacement power cord cable that is long lasting.", "attributes": ["blu ray", "long lasting", "high speed"], "options": ["pattern name: power cord + cable - 10 feet", "size: 10'", "style: 1-pack"], "instruction_attributes": ["long lasting"], "instruction_options": ["power cord + cable - 10 feet", "10'", "1-pack"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK88YA50", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B094JVCT3S", "instruction": "i need one 10\" computer monitor replacement power cord cable that is long lasting.", "attributes": ["blu ray", "long lasting", "high speed"], "options": ["pattern name: power cord + cable - 10 feet", "size: 10'", "style: 1-pack"], "instruction_attributes": ["long lasting"], "instruction_options": ["power cord + cable - 10 feet", "10'", "1-pack"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK88YA50", "worker_id": "A2RBF3IIJP15IH"}], "B08CDWWYZT": [{"asin": "B08CDWWYZT", "instruction": "i'm looking for mens underwear, low rise briefs size extra large.", "attributes": ["low rise", "wide leg", "machine washable", "tumble dry"], "options": ["color: 3-pack amix", "size: x-large"], "instruction_attributes": ["low rise"], "instruction_options": ["x-large"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VZV1NW", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B08CDWWYZT", "instruction": "i'm looking for mens underwear, low rise briefs size extra large.", "attributes": ["low rise", "wide leg", "machine washable", "tumble dry"], "options": ["color: 3-pack amix", "size: x-large"], "instruction_attributes": ["low rise"], "instruction_options": ["x-large"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VZV1NW", "worker_id": "A3EDFA8UQT5GG8"}], "B09KGP4PTN": [{"asin": "B09KGP4PTN", "instruction": "i am looking for a 4 pack of mid century wood side end tables for my living room.", "attributes": ["mid century", "engineered wood", "living room"], "options": ["size: 4-pack"], "instruction_attributes": ["mid century", "living room"], "instruction_options": ["4-pack"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9LJTV9", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09KGP4PTN", "instruction": "i am looking for a 4 pack of mid century wood side end tables for my living room.", "attributes": ["mid century", "engineered wood", "living room"], "options": ["size: 4-pack"], "instruction_attributes": ["mid century", "living room"], "instruction_options": ["4-pack"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9LJTV9", "worker_id": "A1EREKSZAA9V7B"}], "B07V2L16MB": [{"asin": "B07V2L16MB", "instruction": "i need a cell phone case with the flash design and compatible with apple phones.", "attributes": ["compatible apple", "high resolution"], "options": ["color: the flash"], "instruction_attributes": ["compatible apple"], "instruction_options": ["the flash"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMABDXL", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07V2L16MB", "instruction": "i need a cell phone case with the flash design and compatible with apple phones.", "attributes": ["compatible apple", "high resolution"], "options": ["color: the flash"], "instruction_attributes": ["compatible apple"], "instruction_options": ["the flash"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMABDXL", "worker_id": "A2RBF3IIJP15IH"}], "B07L6YH1L4": [{"asin": "B07L6YH1L4", "instruction": "i'm looking for butter pecan flavored coffee that is gluten free and comes in a pack of three 11 ounce packages.", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor name: french vanilla", "size: 11 ounce (pack of 3)"], "instruction_attributes": ["gluten free"], "instruction_options": ["11 ounce (pack of 3)"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0R1W5X", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B07L6YH1L4", "instruction": "i'm looking for butter pecan flavored coffee that is gluten free and comes in a pack of three 11 ounce packages.", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor name: french vanilla", "size: 11 ounce (pack of 3)"], "instruction_attributes": ["gluten free"], "instruction_options": ["11 ounce (pack of 3)"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0R1W5X", "worker_id": "A2JP9IKRHNLRPI"}], "B09KRS2GPJ": [{"asin": "B09KRS2GPJ", "instruction": "i'm hoping to find non-toxic false teeth that are made out of high quality soft silicone.", "attributes": ["non toxic", "high quality"], "options": [""], "instruction_attributes": ["non toxic", "high quality"], "instruction_options": [], "assignment_id": "39JEC75375BYS7D1EDEJWV17LZACV0", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09KRS2GPJ", "instruction": "i'm hoping to find non-toxic false teeth that are made out of high quality soft silicone.", "attributes": ["non toxic", "high quality"], "options": [""], "instruction_attributes": ["non toxic", "high quality"], "instruction_options": [], "assignment_id": "39JEC75375BYS7D1EDEJWV17LZACV0", "worker_id": "A345TDMHP3DQ3G"}], "B07RP5TQB4": [{"asin": "B07RP5TQB4", "instruction": "help me find a 2 pack of stone grey faux leather throw pillows that are 18x18 inches.", "attributes": ["faux leather", "living room"], "options": ["color: stone grey pack of 2"], "instruction_attributes": ["faux leather"], "instruction_options": ["stone grey pack of 2"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU29RL0", "worker_id": "A2DDPSXH2X96RF"}, {"asin": "B07RP5TQB4", "instruction": "help me find a 2 pack of stone grey faux leather throw pillows that are 18x18 inches.", "attributes": ["faux leather", "living room"], "options": ["color: stone grey pack of 2"], "instruction_attributes": ["faux leather"], "instruction_options": ["stone grey pack of 2"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU29RL0", "worker_id": "A2DDPSXH2X96RF"}], "B086H3TL7M": [{"asin": "B086H3TL7M", "instruction": "i am looking for a waterproof ricoh camera with optical zoom.", "attributes": ["high performance", "high speed", "optical zoom"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHEYCJTE", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B086H3TL7M", "instruction": "i am looking for a waterproof ricoh camera with optical zoom.", "attributes": ["high performance", "high speed", "optical zoom"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHEYCJTE", "worker_id": "A1EREKSZAA9V7B"}], "B09MLSM7Z5": [{"asin": "B09MLSM7Z5", "instruction": "i am interested in a dust proof telescope.", "attributes": ["dust proof", "bird watching"], "options": [""], "instruction_attributes": ["dust proof"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB9SOSX", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09MLSM7Z5", "instruction": "i am interested in a dust proof telescope.", "attributes": ["dust proof", "bird watching"], "options": [""], "instruction_attributes": ["dust proof"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB9SOSX", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BNCVRJT": [{"asin": "B08BNCVRJT", "instruction": "i need 2 bottles of 8fl oz vermont maple salted bourbon caramel sauce that is gluten free.", "attributes": ["gluten free", "natural ingredients", "gift set"], "options": ["flavor name: vermont maple", "size: 8 fl oz (pack of 2)"], "instruction_attributes": ["gluten free"], "instruction_options": ["vermont maple", "8 fl oz (pack of 2)"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI15T3R", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08BNCVRJT", "instruction": "i need 2 bottles of 8fl oz vermont maple salted bourbon caramel sauce that is gluten free.", "attributes": ["gluten free", "natural ingredients", "gift set"], "options": ["flavor name: vermont maple", "size: 8 fl oz (pack of 2)"], "instruction_attributes": ["gluten free"], "instruction_options": ["vermont maple", "8 fl oz (pack of 2)"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI15T3R", "worker_id": "A2RBF3IIJP15IH"}], "B098SLBBBC": [{"asin": "B098SLBBBC", "instruction": "i'm looking for a refillable lipstick bottle that is easy to carry and non-toxic.", "attributes": ["eco friendly", "non toxic", "easy carry", "high quality"], "options": [""], "instruction_attributes": ["non toxic", "easy carry"], "instruction_options": [], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A2168THJ", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B098SLBBBC", "instruction": "i'm looking for a refillable lipstick bottle that is easy to carry and non-toxic.", "attributes": ["eco friendly", "non toxic", "easy carry", "high quality"], "options": [""], "instruction_attributes": ["non toxic", "easy carry"], "instruction_options": [], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A2168THJ", "worker_id": "A2JP9IKRHNLRPI"}], "B08HZBXBV1": [{"asin": "B08HZBXBV1", "instruction": "i am looking for a black iphone 12 max case with wireless charging.", "attributes": ["carbon fiber", "wireless charging"], "options": ["color: black 12 pro max"], "instruction_attributes": ["wireless charging"], "instruction_options": ["black 12 pro max"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLPXDAC", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08HZBXBV1", "instruction": "i am looking for a black iphone 12 max case with wireless charging.", "attributes": ["carbon fiber", "wireless charging"], "options": ["color: black 12 pro max"], "instruction_attributes": ["wireless charging"], "instruction_options": ["black 12 pro max"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLPXDAC", "worker_id": "A1EREKSZAA9V7B"}], "B08LMM4SSF": [{"asin": "B08LMM4SSF", "instruction": "i'm looking for soft bed sheets queen size for twin bed in warm taupe", "attributes": ["queen size", "machine washable"], "options": ["color: warm taupe", "size: twin | twin xl"], "instruction_attributes": ["queen size"], "instruction_options": ["warm taupe", "twin | twin xl"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1F93UP", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B08LMM4SSF", "instruction": "i'm looking for soft bed sheets queen size for twin bed in warm taupe", "attributes": ["queen size", "machine washable"], "options": ["color: warm taupe", "size: twin | twin xl"], "instruction_attributes": ["queen size"], "instruction_options": ["warm taupe", "twin | twin xl"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1F93UP", "worker_id": "A2Y2TURT2VEYZN"}], "B09QLYFC3G": [{"asin": "B09QLYFC3G", "instruction": "i'm looking for an orange teeth whitening nhpro enamel care.", "attributes": ["teeth whitening", "long lasting", "natural ingredients", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: orange"], "instruction_attributes": ["teeth whitening", "fresh breath"], "instruction_options": ["orange"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI113TX", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B09QLYFC3G", "instruction": "i'm looking for an orange teeth whitening nhpro enamel care.", "attributes": ["teeth whitening", "long lasting", "natural ingredients", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: orange"], "instruction_attributes": ["teeth whitening", "fresh breath"], "instruction_options": ["orange"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI113TX", "worker_id": "ARQ05PDNXPFDI"}], "B084DSPNV5": [{"asin": "B084DSPNV5", "instruction": "i would like some long lasting anti perspirant.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWCJ0KM", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B084DSPNV5", "instruction": "i would like some long lasting anti perspirant.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWCJ0KM", "worker_id": "A1WS884SI0SLO4"}], "B09MCWDLRL": [{"asin": "B09MCWDLRL", "instruction": "buy me an easy to assemble sideboard for the dining room in antique white, please.", "attributes": ["easy assemble", "storage space", "dining room"], "options": ["color: antique white-5"], "instruction_attributes": ["easy assemble", "dining room"], "instruction_options": ["antique white-5"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907P0UAB", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09MCWDLRL", "instruction": "buy me an easy to assemble sideboard for the dining room in antique white, please.", "attributes": ["easy assemble", "storage space", "dining room"], "options": ["color: antique white-5"], "instruction_attributes": ["easy assemble", "dining room"], "instruction_options": ["antique white-5"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907P0UAB", "worker_id": "AR9AU5FY1S3RO"}], "B09875CD94": [{"asin": "B09875CD94", "instruction": "i am looking for black folding tables that are easy to clean and are 40 by 30.", "attributes": ["wall mounted", "heavy duty", "space saving", "easy clean", "easy assemble", "solid wood"], "options": ["color: black", "size: 40*30cm | 16*12in"], "instruction_attributes": ["easy clean"], "instruction_options": ["black", "40*30cm | 16*12in"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1T6H2Q", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09875CD94", "instruction": "i am looking for black folding tables that are easy to clean and are 40 by 30.", "attributes": ["wall mounted", "heavy duty", "space saving", "easy clean", "easy assemble", "solid wood"], "options": ["color: black", "size: 40*30cm | 16*12in"], "instruction_attributes": ["easy clean"], "instruction_options": ["black", "40*30cm | 16*12in"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1T6H2Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LK4G5G2": [{"asin": "B09LK4G5G2", "instruction": "what sweet and salty hazelnuts do you have that have no artificial flavors or colors?", "attributes": ["non gmo", "artificial flavors", "artificial colors", "quality ingredients"], "options": ["flavor name: sweet & salty hazelnuts", "size: 9 oz"], "instruction_attributes": ["artificial flavors", "artificial colors"], "instruction_options": ["sweet & salty hazelnuts"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L48WRQP", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B09LK4G5G2", "instruction": "what sweet and salty hazelnuts do you have that have no artificial flavors or colors?", "attributes": ["non gmo", "artificial flavors", "artificial colors", "quality ingredients"], "options": ["flavor name: sweet & salty hazelnuts", "size: 9 oz"], "instruction_attributes": ["artificial flavors", "artificial colors"], "instruction_options": ["sweet & salty hazelnuts"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L48WRQP", "worker_id": "A3EDFA8UQT5GG8"}], "B09NF77VZ8": [{"asin": "B09NF77VZ8", "instruction": "i need a red t-shirt that has a classic fit in a size 2t for men.", "attributes": ["officially licensed", "wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: red", "fit type: men", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["red", "men", "2t"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EBFSW1", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09NF77VZ8", "instruction": "i need a red t-shirt that has a classic fit in a size 2t for men.", "attributes": ["officially licensed", "wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: red", "fit type: men", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["red", "men", "2t"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EBFSW1", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PDPSL8F": [{"asin": "B09PDPSL8F", "instruction": "i need 10 inch hair extensions that are a medium brown.", "attributes": ["non toxic", "hair extensions", "natural hair", "hair loss"], "options": ["color: #p4 | 27 medium brown | dark blonde", "size: 10 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#p4 | 27 medium brown | dark blonde", "10 inch (pack of 1)"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP6VCOG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09PDPSL8F", "instruction": "i need 10 inch hair extensions that are a medium brown.", "attributes": ["non toxic", "hair extensions", "natural hair", "hair loss"], "options": ["color: #p4 | 27 medium brown | dark blonde", "size: 10 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#p4 | 27 medium brown | dark blonde", "10 inch (pack of 1)"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP6VCOG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08NK8K3RD": [{"asin": "B08NK8K3RD", "instruction": "i need a madecassoside and 1.69 fl oz of moisture gel cream for sensitive skin.", "attributes": ["easy apply", "dry skin", "sensitive skin"], "options": ["size: 1.69 fl oz (pack of 1)", "style: madecassoside (2x strength)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["1.69 fl oz (pack of 1)", "madecassoside (2x strength)"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MJHFOO", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08NK8K3RD", "instruction": "i need a madecassoside and 1.69 fl oz of moisture gel cream for sensitive skin.", "attributes": ["easy apply", "dry skin", "sensitive skin"], "options": ["size: 1.69 fl oz (pack of 1)", "style: madecassoside (2x strength)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["1.69 fl oz (pack of 1)", "madecassoside (2x strength)"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MJHFOO", "worker_id": "A2RBF3IIJP15IH"}], "B01JA8TU58": [{"asin": "B01JA8TU58", "instruction": "i want to find one red contemporary barstool that would be suitable for my dining room.", "attributes": ["contemporary style", "dining room"], "options": ["color: red", "size: 1 pack"], "instruction_attributes": ["contemporary style", "dining room"], "instruction_options": ["red", "1 pack"], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q2ZIIC", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01JA8TU58", "instruction": "i want to find one red contemporary barstool that would be suitable for my dining room.", "attributes": ["contemporary style", "dining room"], "options": ["color: red", "size: 1 pack"], "instruction_attributes": ["contemporary style", "dining room"], "instruction_options": ["red", "1 pack"], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q2ZIIC", "worker_id": "A345TDMHP3DQ3G"}], "B007QFQJO8": [{"asin": "B007QFQJO8", "instruction": "i need a xtreamer that plays blu ray discs.", "attributes": ["blu ray", "aaa batteries"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYZW4J4", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B007QFQJO8", "instruction": "i need a xtreamer that plays blu ray discs.", "attributes": ["blu ray", "aaa batteries"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYZW4J4", "worker_id": "A2RBF3IIJP15IH"}], "B07NDJHPMJ": [{"asin": "B07NDJHPMJ", "instruction": "i'm looking for a 1 pound package of low calorie nacho cheese dip.", "attributes": ["gluten free", "low calorie", "high fructose"], "options": ["size: 1 pound (pack of 1)", "style: ghost pepper"], "instruction_attributes": ["low calorie"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8T5ZPB", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B07NDJHPMJ", "instruction": "i'm looking for a 1 pound package of low calorie nacho cheese dip.", "attributes": ["gluten free", "low calorie", "high fructose"], "options": ["size: 1 pound (pack of 1)", "style: ghost pepper"], "instruction_attributes": ["low calorie"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8T5ZPB", "worker_id": "A2JP9IKRHNLRPI"}], "B08SSPPL58": [{"asin": "B08SSPPL58", "instruction": "i am looking for size 10 regular fit adidas harden stepback 2.0 basketball shoes.", "attributes": ["regular fit", "rubber sole"], "options": ["color: black | shock pink | team solar yellow", "size: 10 women | 10 men"], "instruction_attributes": ["regular fit"], "instruction_options": ["10 women | 10 men"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTKBO6R", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08SSPPL58", "instruction": "i am looking for size 10 regular fit adidas harden stepback 2.0 basketball shoes.", "attributes": ["regular fit", "rubber sole"], "options": ["color: black | shock pink | team solar yellow", "size: 10 women | 10 men"], "instruction_attributes": ["regular fit"], "instruction_options": ["10 women | 10 men"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTKBO6R", "worker_id": "A1EREKSZAA9V7B"}], "B09QQBHZTH": [{"asin": "B09QQBHZTH", "instruction": "i am looking for a blue, long lasting case for a galaxy s22 5g with wireless charging and tempered glass.", "attributes": ["non slip", "long lasting", "tempered glass", "glass screen", "wireless charging"], "options": ["color: blue"], "instruction_attributes": ["long lasting", "tempered glass", "wireless charging"], "instruction_options": ["blue"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA2LR8P", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09QQBHZTH", "instruction": "i am looking for a blue, long lasting case for a galaxy s22 5g with wireless charging and tempered glass.", "attributes": ["non slip", "long lasting", "tempered glass", "glass screen", "wireless charging"], "options": ["color: blue"], "instruction_attributes": ["long lasting", "tempered glass", "wireless charging"], "instruction_options": ["blue"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA2LR8P", "worker_id": "A1EREKSZAA9V7B"}], "B08LTSPXHJ": [{"asin": "B08LTSPXHJ", "instruction": "i'm looking for a skin & glow bundle gift set that is cruelty free and fragrance free.", "attributes": ["cruelty free", "fragrance free", "high quality", "sensitive skin"], "options": ["color: skin & glow bundle"], "instruction_attributes": ["cruelty free", "fragrance free"], "instruction_options": ["skin & glow bundle"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XGX4Q", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B08LTSPXHJ", "instruction": "i'm looking for a skin & glow bundle gift set that is cruelty free and fragrance free.", "attributes": ["cruelty free", "fragrance free", "high quality", "sensitive skin"], "options": ["color: skin & glow bundle"], "instruction_attributes": ["cruelty free", "fragrance free"], "instruction_options": ["skin & glow bundle"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XGX4Q", "worker_id": "A3MNXK3VDK37SN"}], "B09GVTRLYP": [{"asin": "B09GVTRLYP", "instruction": "i would like a 12\" x 16\" in three pieces blackleaf poster that's ready to hang in my living room.", "attributes": ["ready hang", "printing technology", "living room", "dining room"], "options": ["color: sd2-blackleaf-3", "size: 12\" x 16\" x 3 pcs"], "instruction_attributes": ["ready hang"], "instruction_options": ["sd2-blackleaf-3", "12\" x 16\" x 3 pcs"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI4ZABG", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09GVTRLYP", "instruction": "i would like a 12\" x 16\" in three pieces blackleaf poster that's ready to hang in my living room.", "attributes": ["ready hang", "printing technology", "living room", "dining room"], "options": ["color: sd2-blackleaf-3", "size: 12\" x 16\" x 3 pcs"], "instruction_attributes": ["ready hang"], "instruction_options": ["sd2-blackleaf-3", "12\" x 16\" x 3 pcs"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI4ZABG", "worker_id": "A1WS884SI0SLO4"}], "B07D6DKG5H": [{"asin": "B07D6DKG5H", "instruction": "get a 2 pack of all natural steak seasoning, please.", "attributes": ["non gmo", "gluten free", "natural ingredients"], "options": ["size: 2 pack"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["2 pack"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L48HQR9", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07D6DKG5H", "instruction": "get a 2 pack of all natural steak seasoning, please.", "attributes": ["non gmo", "gluten free", "natural ingredients"], "options": ["size: 2 pack"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["2 pack"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L48HQR9", "worker_id": "AR9AU5FY1S3RO"}], "B09GPF89W1": [{"asin": "B09GPF89W1", "instruction": "i need a kids toothbrush that is orange and good for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: orange"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["orange"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN63C5G8", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09GPF89W1", "instruction": "i need a kids toothbrush that is orange and good for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: orange"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["orange"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN63C5G8", "worker_id": "A2RBF3IIJP15IH"}], "B07TKH5FP2": [{"asin": "B07TKH5FP2", "instruction": "i am looking for a classic fit heather blue color t-shirt.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather blue", "fit type: men", "size: x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["heather blue"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCG9YSM7", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07TKH5FP2", "instruction": "i am looking for a classic fit heather blue color t-shirt.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather blue", "fit type: men", "size: x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["heather blue"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCG9YSM7", "worker_id": "A1Q8PPQQCWGY0D"}], "B09LCNBQT5": [{"asin": "B09LCNBQT5", "instruction": "i am looking for toothbrushes for children aged 6-12 that are pink and easy to use.", "attributes": ["teeth whitening", "easy use"], "options": ["color: a04#pink duck", "size: aged 6-12"], "instruction_attributes": ["easy use"], "instruction_options": ["a04#pink duck", "aged 6-12"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUT8FF19", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09LCNBQT5", "instruction": "i am looking for toothbrushes for children aged 6-12 that are pink and easy to use.", "attributes": ["teeth whitening", "easy use"], "options": ["color: a04#pink duck", "size: aged 6-12"], "instruction_attributes": ["easy use"], "instruction_options": ["a04#pink duck", "aged 6-12"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUT8FF19", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GN2JDRN": [{"asin": "B07GN2JDRN", "instruction": "i need to get the 3 pack of trader joe's gluten free falafel mix.", "attributes": ["trader joe", "gluten free"], "options": ["size: pack of 3"], "instruction_attributes": ["trader joe", "gluten free"], "instruction_options": ["pack of 3"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2YB6GD", "worker_id": "A2DDPSXH2X96RF"}, {"asin": "B07GN2JDRN", "instruction": "i need to get the 3 pack of trader joe's gluten free falafel mix.", "attributes": ["trader joe", "gluten free"], "options": ["size: pack of 3"], "instruction_attributes": ["trader joe", "gluten free"], "instruction_options": ["pack of 3"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2YB6GD", "worker_id": "A2DDPSXH2X96RF"}], "B09HQSGH1Z": [{"asin": "B09HQSGH1Z", "instruction": "i would like a pink toothbrush that is easy to use.", "attributes": ["easy use", "oral hygiene"], "options": ["color: pink"], "instruction_attributes": ["easy use"], "instruction_options": ["pink"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2OR4LW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09HQSGH1Z", "instruction": "i would like a pink toothbrush that is easy to use.", "attributes": ["easy use", "oral hygiene"], "options": ["color: pink"], "instruction_attributes": ["easy use"], "instruction_options": ["pink"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2OR4LW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VQ6PG4T": [{"asin": "B07VQ6PG4T", "instruction": "i need white rajlinen 100% blackout curtains in size w52\" x l54\" for the living room.", "attributes": ["high density", "machine washable", "living room"], "options": ["color: white", "size: w52\" x l54\""], "instruction_attributes": ["living room"], "instruction_options": ["white", "w52\" x l54\""], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC1RINQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07VQ6PG4T", "instruction": "i need white rajlinen 100% blackout curtains in size w52\" x l54\" for the living room.", "attributes": ["high density", "machine washable", "living room"], "options": ["color: white", "size: w52\" x l54\""], "instruction_attributes": ["living room"], "instruction_options": ["white", "w52\" x l54\""], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC1RINQ", "worker_id": "A2RBF3IIJP15IH"}], "B08NR8DH4S": [{"asin": "B08NR8DH4S", "instruction": "i would like a 16 pack variety box of low sugar cookies.", "attributes": ["artificial ingredients", "non gmo", "low carb", "grass fed", "low sugar", "gluten free", "keto friendly"], "options": ["flavor name: variety box", "size: 16 count"], "instruction_attributes": ["low sugar"], "instruction_options": ["variety box", "16 count"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4CZL80", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08NR8DH4S", "instruction": "i would like a 16 pack variety box of low sugar cookies.", "attributes": ["artificial ingredients", "non gmo", "low carb", "grass fed", "low sugar", "gluten free", "keto friendly"], "options": ["flavor name: variety box", "size: 16 count"], "instruction_attributes": ["low sugar"], "instruction_options": ["variety box", "16 count"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4CZL80", "worker_id": "A1WS884SI0SLO4"}], "B01ETZ7KAE": [{"asin": "B01ETZ7KAE", "instruction": "i am looking for semi-permanent hair color that is easy to apply.", "attributes": ["easy apply", "eco friendly", "cruelty free", "long lasting", "easy use", "coconut oil", "natural ingredients", "permanent hair"], "options": [""], "instruction_attributes": ["easy apply"], "instruction_options": [], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPJFSY0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01ETZ7KAE", "instruction": "i am looking for semi-permanent hair color that is easy to apply.", "attributes": ["easy apply", "eco friendly", "cruelty free", "long lasting", "easy use", "coconut oil", "natural ingredients", "permanent hair"], "options": [""], "instruction_attributes": ["easy apply"], "instruction_options": [], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPJFSY0", "worker_id": "A1EREKSZAA9V7B"}], "B07PXT3SLH": [{"asin": "B07PXT3SLH", "instruction": "i need a men's blue t-shirt that is compatible with the machine washer.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: royal blue", "fit type: men", "size: x-small"], "instruction_attributes": ["machine wash"], "instruction_options": ["royal blue", "men"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYGSQLJ", "worker_id": "A19317A3X87NVM"}, {"asin": "B07PXT3SLH", "instruction": "i need a men's blue t-shirt that is compatible with the machine washer.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: royal blue", "fit type: men", "size: x-small"], "instruction_attributes": ["machine wash"], "instruction_options": ["royal blue", "men"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYGSQLJ", "worker_id": "A19317A3X87NVM"}], "B07FXVCZMC": [{"asin": "B07FXVCZMC", "instruction": "looking for a ultra hd satellite, swmdish long mast, 4 piece", "attributes": ["ultra hd", "coaxial cable"], "options": ["color: swmdish long mast", "size: 4 piece"], "instruction_attributes": ["ultra hd"], "instruction_options": ["swmdish long mast", "4 piece"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647743HL", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07FXVCZMC", "instruction": "i am looking for one ultra hd satellite dish package that includes a coaxial cable and a low profile short mast.", "attributes": ["ultra hd", "coaxial cable"], "options": ["color: swm5 rv kit", "size: 1 piece"], "instruction_attributes": ["ultra hd", "coaxial cable"], "instruction_options": ["1 piece"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMK9YVGQ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07FXVCZMC", "instruction": "looking for a ultra hd satellite, swmdish long mast, 4 piece", "attributes": ["ultra hd", "coaxial cable"], "options": ["color: swmdish long mast", "size: 4 piece"], "instruction_attributes": ["ultra hd"], "instruction_options": ["swmdish long mast", "4 piece"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647743HL", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07FXVCZMC", "instruction": "i am looking for 2000 feet of ultra hd coaxial cable.", "attributes": ["ultra hd", "coaxial cable"], "options": ["color: kit rb swm5 low profile", "size: 2000ft"], "instruction_attributes": ["ultra hd", "coaxial cable"], "instruction_options": ["2000ft"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANKJSX6", "worker_id": "A1EREKSZAA9V7B"}], "B0855G7TG4": [{"asin": "B0855G7TG4", "instruction": "i need a meadow faux wrap midi dress in size 10 that is easy to dry clean.", "attributes": ["imported zipper", "polyester spandex", "dry clean"], "options": ["color: meadow", "size: 10"], "instruction_attributes": ["dry clean"], "instruction_options": ["meadow", "10"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZETA7F", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B0855G7TG4", "instruction": "i need a meadow faux wrap midi dress in size 10 that is easy to dry clean.", "attributes": ["imported zipper", "polyester spandex", "dry clean"], "options": ["color: meadow", "size: 10"], "instruction_attributes": ["dry clean"], "instruction_options": ["meadow", "10"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZETA7F", "worker_id": "A2RBF3IIJP15IH"}], "B09M41RMB2": [{"asin": "B09M41RMB2", "instruction": "i would like a high quality blue face kit to help with fine lines and wrinkles.", "attributes": ["bpa free", "high quality", "green tea", "fine lines", "sensitive skin"], "options": ["color: blue"], "instruction_attributes": ["high quality", "fine lines"], "instruction_options": ["blue"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT34SJHF", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09M41RMB2", "instruction": "i would like a high quality blue face kit to help with fine lines and wrinkles.", "attributes": ["bpa free", "high quality", "green tea", "fine lines", "sensitive skin"], "options": ["color: blue"], "instruction_attributes": ["high quality", "fine lines"], "instruction_options": ["blue"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT34SJHF", "worker_id": "A1WS884SI0SLO4"}], "B007EP9APA": [{"asin": "B007EP9APA", "instruction": "i need a bottle of marc anthony argan oil.", "attributes": ["sulfate free", "argan oil"], "options": [""], "instruction_attributes": ["argan oil"], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXCUJUG", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B007EP9APA", "instruction": "i need a bottle of marc anthony argan oil.", "attributes": ["sulfate free", "argan oil"], "options": [""], "instruction_attributes": ["argan oil"], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXCUJUG", "worker_id": "A2RBF3IIJP15IH"}], "B01M2AR64E": [{"asin": "B01M2AR64E", "instruction": "i need a ashley bolanburg display cabinet that requires assembly.", "attributes": ["white item", "assembly required", "white finish", "engineered wood", "dining room"], "options": [""], "instruction_attributes": ["assembly required"], "instruction_options": [], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZU9JZ5", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01M2AR64E", "instruction": "i need a ashley bolanburg display cabinet that requires assembly.", "attributes": ["white item", "assembly required", "white finish", "engineered wood", "dining room"], "options": [""], "instruction_attributes": ["assembly required"], "instruction_options": [], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZU9JZ5", "worker_id": "A2RBF3IIJP15IH"}], "B09PYDY17D": [{"asin": "B09PYDY17D", "instruction": "i'm interested in some machine-washable, men's x-large, low-rise briefs in black with an elastic waistband.", "attributes": ["low rise", "machine wash", "soft material", "elastic waistband"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["low rise", "machine wash", "elastic waistband"], "instruction_options": ["black", "x-large"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602QG95K", "worker_id": "AFU00NU09CFXE"}, {"asin": "B09PYDY17D", "instruction": "i'm interested in some machine-washable, men's x-large, low-rise briefs in black with an elastic waistband.", "attributes": ["low rise", "machine wash", "soft material", "elastic waistband"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["low rise", "machine wash", "elastic waistband"], "instruction_options": ["black", "x-large"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602QG95K", "worker_id": "AFU00NU09CFXE"}], "B01KGEL9KE": [{"asin": "B01KGEL9KE", "instruction": "i need a stainless steel adjustable barstool", "attributes": ["stainless steel", "steel frame"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSG48BF", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01KGEL9KE", "instruction": "i need a stainless steel adjustable barstool", "attributes": ["stainless steel", "steel frame"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSG48BF", "worker_id": "A258PTOZ3D2TQR"}], "B07H2Z173V": [{"asin": "B07H2Z173V", "instruction": "i would like a king size wine red pillowcase with exquisite workmanship.", "attributes": ["queen size", "exquisite workmanship"], "options": ["color: wine red", "size: king (20\" x 40\")"], "instruction_attributes": ["exquisite workmanship"], "instruction_options": ["wine red", "king (20\" x 40\")"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOLG9MK", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07H2Z173V", "instruction": "i would like a king size wine red pillowcase with exquisite workmanship.", "attributes": ["queen size", "exquisite workmanship"], "options": ["color: wine red", "size: king (20\" x 40\")"], "instruction_attributes": ["exquisite workmanship"], "instruction_options": ["wine red", "king (20\" x 40\")"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOLG9MK", "worker_id": "A1WS884SI0SLO4"}], "B00O12MBGO": [{"asin": "B00O12MBGO", "instruction": "looking for freeze-dried raw flavor beef size 3.5 oz grain free", "attributes": ["freeze dried", "wild caught", "grain free"], "options": ["flavor name: beef", "size: 3.5 ounce (pack of 1)"], "instruction_attributes": ["freeze dried", "grain free"], "instruction_options": ["beef", "3.5 ounce (pack of 1)"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3A96NX", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B00O12MBGO", "instruction": "can you find me freeze dried, grain free dog food? i want the single pack in 3.5 ounces.", "attributes": ["freeze dried", "wild caught", "grain free"], "options": ["flavor name: salmon,cod", "size: 3.5 ounce (pack of 1)"], "instruction_attributes": ["freeze dried", "grain free"], "instruction_options": ["3.5 ounce (pack of 1)"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTAJ9NB", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B00O12MBGO", "instruction": "looking for freeze-dried raw flavor beef size 3.5 oz grain free", "attributes": ["freeze dried", "wild caught", "grain free"], "options": ["flavor name: beef", "size: 3.5 ounce (pack of 1)"], "instruction_attributes": ["freeze dried", "grain free"], "instruction_options": ["beef", "3.5 ounce (pack of 1)"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3A96NX", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B00O12MBGO", "instruction": "i want stella & chewy's freeze dried turkey.", "attributes": ["freeze dried", "wild caught", "grain free"], "options": ["flavor name: turkey", "size: 1.12 pound (pack of 1)"], "instruction_attributes": ["freeze dried"], "instruction_options": ["turkey"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC49YZH", "worker_id": "A2RBF3IIJP15IH"}], "B08R7W464K": [{"asin": "B08R7W464K", "instruction": "i need a console table for the living room. look for one in oak brown.", "attributes": ["wood finish", "living room"], "options": ["color: oak brown", "style: chest"], "instruction_attributes": ["living room"], "instruction_options": ["oak brown"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGLSYIT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08R7W464K", "instruction": "i need a console table for the living room. look for one in oak brown.", "attributes": ["wood finish", "living room"], "options": ["color: oak brown", "style: chest"], "instruction_attributes": ["living room"], "instruction_options": ["oak brown"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGLSYIT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08R7W464K", "instruction": "i am looking for a console table with a wood finish that is acacia brown.", "attributes": ["wood finish", "living room"], "options": ["color: acacia brown", "style: acacia brown"], "instruction_attributes": ["wood finish"], "instruction_options": ["acacia brown", "acacia brown"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EGO1BQ", "worker_id": "A114NK7T5673GK"}], "B000JHHEOE": [{"asin": "B000JHHEOE", "instruction": "get me some machine washable stonewash jeans.", "attributes": ["machine wash", "relaxed fit", "button closure"], "options": ["color: stonewash", "size: 42w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["stonewash"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YNST8E", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B000JHHEOE", "instruction": "get me some machine washable stonewash jeans.", "attributes": ["machine wash", "relaxed fit", "button closure"], "options": ["color: stonewash", "size: 42w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["stonewash"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YNST8E", "worker_id": "AR9AU5FY1S3RO"}], "B01FGHY04I": [{"asin": "B01FGHY04I", "instruction": "i would like a beige rectangular rug that is 10' 0 x 13' 0 and is easy to clean.", "attributes": ["easy clean", "contemporary design"], "options": ["color: purple | beige", "size: rectangular 10' 0 x 13' 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["rectangular 10' 0 x 13' 0"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK43IA6P", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01FGHY04I", "instruction": "i would like a beige rectangular rug that is 10' 0 x 13' 0 and is easy to clean.", "attributes": ["easy clean", "contemporary design"], "options": ["color: purple | beige", "size: rectangular 10' 0 x 13' 0"], "instruction_attributes": ["easy clean"], "instruction_options": ["rectangular 10' 0 x 13' 0"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK43IA6P", "worker_id": "A1WS884SI0SLO4"}], "B01138YJKY": [{"asin": "B01138YJKY", "instruction": "i need tan high heel booties in size 9.5", "attributes": ["lace closure", "high heel"], "options": ["color: tan", "size: 9.5"], "instruction_attributes": ["high heel"], "instruction_options": ["9.5"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZJV1YI", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01138YJKY", "instruction": "i need tan high heel booties in size 9.5", "attributes": ["lace closure", "high heel"], "options": ["color: tan", "size: 9.5"], "instruction_attributes": ["high heel"], "instruction_options": ["9.5"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZJV1YI", "worker_id": "A2RBF3IIJP15IH"}], "B09KLN71KJ": [{"asin": "B09KLN71KJ", "instruction": "i am looking for wireless bluetooth headphones with touch control and a wireless charging case.", "attributes": ["high definition", "wireless charging", "stereo sound"], "options": [""], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYM29QW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09KLN71KJ", "instruction": "i am looking for wireless bluetooth headphones with touch control and a wireless charging case.", "attributes": ["high definition", "wireless charging", "stereo sound"], "options": [""], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYM29QW", "worker_id": "A1EREKSZAA9V7B"}], "B00JHD5FC4": [{"asin": "B00JHD5FC4", "instruction": "i am looking for black leather sole fashion sneakers that are in a size 5.", "attributes": ["leather sole", "rubber outsole"], "options": ["color: black pulsar", "size: 5"], "instruction_attributes": ["leather sole"], "instruction_options": ["black pulsar", "5"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LGCI5L", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00JHD5FC4", "instruction": "i am looking for some size 7.5 mens sneakers with a pewter colored rubber outside.", "attributes": ["leather sole", "rubber outsole"], "options": ["color: pewter", "size: 7.5"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["pewter", "7.5"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HAB6IB", "worker_id": "A114NK7T5673GK"}, {"asin": "B00JHD5FC4", "instruction": "i am looking for black leather sole fashion sneakers that are in a size 5.", "attributes": ["leather sole", "rubber outsole"], "options": ["color: black pulsar", "size: 5"], "instruction_attributes": ["leather sole"], "instruction_options": ["black pulsar", "5"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LGCI5L", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00JHD5FC4", "instruction": "i would like a pair of grey size 6 sneakers with a rubber sole.", "attributes": ["leather sole", "rubber outsole"], "options": ["color: grey", "size: 6"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["grey", "6"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC71D09", "worker_id": "A1WS884SI0SLO4"}], "B09HKD9VNG": [{"asin": "B09HKD9VNG", "instruction": "i am looking for a mid century ottoman that is whiskey brown in color and is 16.5 inches.", "attributes": ["button tufted", "mid century", "easy clean", "easy assemble", "storage space", "living room"], "options": ["color: whiskey brown", "size: 16.5inches"], "instruction_attributes": ["mid century"], "instruction_options": ["whiskey brown", "16.5inches"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIT9T92", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09HKD9VNG", "instruction": "i am looking for a mid century ottoman that is whiskey brown in color and is 16.5 inches.", "attributes": ["button tufted", "mid century", "easy clean", "easy assemble", "storage space", "living room"], "options": ["color: whiskey brown", "size: 16.5inches"], "instruction_attributes": ["mid century"], "instruction_options": ["whiskey brown", "16.5inches"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIT9T92", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Y8RWHPF": [{"asin": "B07Y8RWHPF", "instruction": "i need some non gmo, keto friendly ghee butter that is shelf stable.", "attributes": ["non gmo", "shelf stable", "keto friendly", "gluten free"], "options": [""], "instruction_attributes": ["non gmo", "shelf stable", "keto friendly"], "instruction_options": [], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0QWARN", "worker_id": "A19317A3X87NVM"}, {"asin": "B07Y8RWHPF", "instruction": "i need some non gmo, keto friendly ghee butter that is shelf stable.", "attributes": ["non gmo", "shelf stable", "keto friendly", "gluten free"], "options": [""], "instruction_attributes": ["non gmo", "shelf stable", "keto friendly"], "instruction_options": [], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0QWARN", "worker_id": "A19317A3X87NVM"}], "B083ZLXJKW": [{"asin": "B083ZLXJKW", "instruction": "i need hemp shower oil for dry skin.", "attributes": ["seed oil", "dry skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NK82P8", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B083ZLXJKW", "instruction": "i need hemp shower oil for dry skin.", "attributes": ["seed oil", "dry skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NK82P8", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B083ZLXJKW", "instruction": "i would like a body wash made of seed oil.", "attributes": ["seed oil", "dry skin"], "options": [""], "instruction_attributes": ["seed oil"], "instruction_options": [], "assignment_id": "37UQDCYH685SGQI5NW68G99TKU77V2", "worker_id": "A1WS884SI0SLO4"}], "B09MQ7ZZSZ": [{"asin": "B09MQ7ZZSZ", "instruction": "i need bear head cupcake toppers for a birthday party.", "attributes": ["cupcake picks", "baby shower", "birthday party"], "options": ["pattern name: head"], "instruction_attributes": ["birthday party"], "instruction_options": ["head"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL3XH5R", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09MQ7ZZSZ", "instruction": "i need bear head cupcake toppers for a birthday party.", "attributes": ["cupcake picks", "baby shower", "birthday party"], "options": ["pattern name: head"], "instruction_attributes": ["birthday party"], "instruction_options": ["head"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL3XH5R", "worker_id": "A2RBF3IIJP15IH"}], "B08K38RMW7": [{"asin": "B08K38RMW7", "instruction": "i need a blue sherpa wool sweatshirt.", "attributes": ["soft material", "faux fur", "daily wear"], "options": ["color: c-blue", "size: 3x-large"], "instruction_attributes": ["soft material"], "instruction_options": ["c-blue"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBCEHGC", "worker_id": "A19317A3X87NVM"}, {"asin": "B08K38RMW7", "instruction": "i need a blue sherpa wool sweatshirt.", "attributes": ["soft material", "faux fur", "daily wear"], "options": ["color: c-blue", "size: 3x-large"], "instruction_attributes": ["soft material"], "instruction_options": ["c-blue"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBCEHGC", "worker_id": "A19317A3X87NVM"}], "B00DYGQZOC": [{"asin": "B00DYGQZOC", "instruction": "i'm looking for a wild caught chunk light tuna in sunflower oil. choose the ones that comes in 2.6 oz pack of 24.", "attributes": ["wild caught", "soy free", "gluten free"], "options": ["flavor name: chunk light in sunflower oil", "size: 2.6 ounce (pack of 24)"], "instruction_attributes": ["wild caught"], "instruction_options": ["chunk light in sunflower oil", "2.6 ounce (pack of 24)"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTM54VR", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B00DYGQZOC", "instruction": "i'm looking for a wild caught chunk light tuna in sunflower oil. choose the ones that comes in 2.6 oz pack of 24.", "attributes": ["wild caught", "soy free", "gluten free"], "options": ["flavor name: chunk light in sunflower oil", "size: 2.6 ounce (pack of 24)"], "instruction_attributes": ["wild caught"], "instruction_options": ["chunk light in sunflower oil", "2.6 ounce (pack of 24)"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTM54VR", "worker_id": "A3MNXK3VDK37SN"}], "B09Q3F2LB1": [{"asin": "B09Q3F2LB1", "instruction": "i'd like to buy a small white jumpsuit with a relaxed fit.", "attributes": ["straight leg", "fleece lined", "wide leg", "water resistant", "day comfort", "slim fit", "high waist", "tummy control", "elastic waist", "relaxed fit", "classic fit"], "options": ["color: white", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["white", "small"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSF826S", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09Q3F2LB1", "instruction": "i'd like to buy a small white jumpsuit with a relaxed fit.", "attributes": ["straight leg", "fleece lined", "wide leg", "water resistant", "day comfort", "slim fit", "high waist", "tummy control", "elastic waist", "relaxed fit", "classic fit"], "options": ["color: white", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["white", "small"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSF826S", "worker_id": "AR9AU5FY1S3RO"}], "B085DTCP31": [{"asin": "B085DTCP31", "instruction": "i need dog cupcake toppers for a dog party.", "attributes": ["baby shower", "birthday party"], "options": ["color: dog banner"], "instruction_attributes": ["birthday party"], "instruction_options": ["dog banner"], "assignment_id": "3HPZF4IVNX3FW186JO133U513GUYCD", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B085DTCP31", "instruction": "i need dog cupcake toppers for a dog party.", "attributes": ["baby shower", "birthday party"], "options": ["color: dog banner"], "instruction_attributes": ["birthday party"], "instruction_options": ["dog banner"], "assignment_id": "3HPZF4IVNX3FW186JO133U513GUYCD", "worker_id": "A2RBF3IIJP15IH"}], "B00AFYAXEO": [{"asin": "B00AFYAXEO", "instruction": "i am looking for extra strength exfoliator that handles dead skin.", "attributes": ["fine lines", "dead skin"], "options": ["style: extra strength"], "instruction_attributes": ["dead skin"], "instruction_options": ["extra strength"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOA0ON1", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00AFYAXEO", "instruction": "i am looking for extra strength exfoliator that handles dead skin.", "attributes": ["fine lines", "dead skin"], "options": ["style: extra strength"], "instruction_attributes": ["dead skin"], "instruction_options": ["extra strength"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOA0ON1", "worker_id": "A1EREKSZAA9V7B"}], "B00PKHCA0Q": [{"asin": "B00PKHCA0Q", "instruction": "i am looking for a faux leather grey color loveseat for living room", "attributes": ["faux leather", "wood finish", "living room"], "options": ["color: grey", "style: loveseat"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["grey", "loveseat"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADF1VW1", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B00PKHCA0Q", "instruction": "i am looking for a faux leather grey color loveseat for living room", "attributes": ["faux leather", "wood finish", "living room"], "options": ["color: grey", "style: loveseat"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["grey", "loveseat"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADF1VW1", "worker_id": "A258PTOZ3D2TQR"}], "B08PHFZNBY": [{"asin": "B08PHFZNBY", "instruction": "i am looking for individually wrapped bakery gifts.", "attributes": ["individually wrapped", "nut free", "valentine day", "gift basket"], "options": [""], "instruction_attributes": ["individually wrapped"], "instruction_options": [], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCQS5QA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08PHFZNBY", "instruction": "i am looking for individually wrapped bakery gifts.", "attributes": ["individually wrapped", "nut free", "valentine day", "gift basket"], "options": [""], "instruction_attributes": ["individually wrapped"], "instruction_options": [], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCQS5QA", "worker_id": "A2ECRNQ3X5LEXD"}], "B09L7QFVTQ": [{"asin": "B09L7QFVTQ", "instruction": "i need a small red womens fleece jacket that is made of polyester spandex,", "attributes": ["hand wash", "daily casual", "winter warm", "wash cold", "polyester spandex"], "options": ["color: l-red", "size: small"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["l-red", "small"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXCUUJR", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09L7QFVTQ", "instruction": "i need a small red womens fleece jacket that is made of polyester spandex,", "attributes": ["hand wash", "daily casual", "winter warm", "wash cold", "polyester spandex"], "options": ["color: l-red", "size: small"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["l-red", "small"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXCUUJR", "worker_id": "A2RBF3IIJP15IH"}], "B004LKAO2E": [{"asin": "B004LKAO2E", "instruction": "i'm looking for 33.81 fl oz non-gmo gluten free monin raspberry syrup.", "attributes": ["non gmo", "bpa free", "artificial ingredients", "gluten free", "dairy free", "artificial colors", "artificial flavors"], "options": ["size: 33.81 fl oz (pack of 2)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["33.81 fl oz (pack of 2)"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP39AOB", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B004LKAO2E", "instruction": "i'm looking for 33.81 fl oz non-gmo gluten free monin raspberry syrup.", "attributes": ["non gmo", "bpa free", "artificial ingredients", "gluten free", "dairy free", "artificial colors", "artificial flavors"], "options": ["size: 33.81 fl oz (pack of 2)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["33.81 fl oz (pack of 2)"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP39AOB", "worker_id": "ARQ05PDNXPFDI"}], "B07L3PX14F": [{"asin": "B07L3PX14F", "instruction": "i am looking for a white and black heavy duty steel frame computer desk.", "attributes": ["heavy duty", "easy assemble", "coated steel", "metal legs", "steel frame"], "options": ["color: white+black", "size: 47*23.6 inch"], "instruction_attributes": ["heavy duty", "steel frame"], "instruction_options": ["white+black"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAD2OVI", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07L3PX14F", "instruction": "i am looking for a white and black heavy duty steel frame computer desk.", "attributes": ["heavy duty", "easy assemble", "coated steel", "metal legs", "steel frame"], "options": ["color: white+black", "size: 47*23.6 inch"], "instruction_attributes": ["heavy duty", "steel frame"], "instruction_options": ["white+black"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAD2OVI", "worker_id": "A1EREKSZAA9V7B"}], "B08G5RRKK6": [{"asin": "B08G5RRKK6", "instruction": "i am interested in a towel for drying hair that is pink.", "attributes": ["dry hair", "hair styling"], "options": ["color: pink | palms"], "instruction_attributes": ["dry hair"], "instruction_options": ["pink | palms"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUGD3RT", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08G5RRKK6", "instruction": "i am interested in a towel for drying hair that is pink.", "attributes": ["dry hair", "hair styling"], "options": ["color: pink | palms"], "instruction_attributes": ["dry hair"], "instruction_options": ["pink | palms"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUGD3RT", "worker_id": "A2ECRNQ3X5LEXD"}], "B0971SBWGG": [{"asin": "B0971SBWGG", "instruction": "i need to order some certified organic loose leaf tea.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: matcha + green tea", "size: 100 count (pack of 1)", "style: loose leaf"], "instruction_attributes": ["certified organic"], "instruction_options": ["loose leaf"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC3TD0T", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B0971SBWGG", "instruction": "i'm looking for a six-count pack of loose-leaf white tea powder. it needs to be usda certified organic.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: white tea", "size: 6 count (pack of 1)", "style: loose leaf"], "instruction_attributes": ["usda organic", "certified organic"], "instruction_options": ["white tea", "6 count (pack of 1)", "loose leaf"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0JY4W4", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B0971SBWGG", "instruction": "i need to order some certified organic loose leaf tea.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: matcha + green tea", "size: 100 count (pack of 1)", "style: loose leaf"], "instruction_attributes": ["certified organic"], "instruction_options": ["loose leaf"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC3TD0T", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B0971SBWGG", "instruction": "i'm looking for certified usda organic black tea bags. i need a 20 count box.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: black tea (decaf)", "size: 20 count (pack of 1)", "style: tea bags"], "instruction_attributes": ["usda organic", "certified organic"], "instruction_options": ["black tea (decaf)", "20 count (pack of 1)", "tea bags"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4F1I0E", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B0971SBWGG", "instruction": "i am looking for certified organic english breakfast tea bags.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: english breakfast", "size: 20 count (pack of 1)", "style: tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["english breakfast", "tea bags"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVGTUT8", "worker_id": "A1EREKSZAA9V7B"}], "B06X9T6WLP": [{"asin": "B06X9T6WLP", "instruction": "i am looking for high quality dark red synthetic hair extensions.", "attributes": ["high quality", "synthetic hair", "hair extensions"], "options": ["color: dark red", "size: 26 inch straight"], "instruction_attributes": ["high quality", "synthetic hair", "hair extensions"], "instruction_options": ["dark red"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYKWM6A", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B06X9T6WLP", "instruction": "i am looking for high quality dark red synthetic hair extensions.", "attributes": ["high quality", "synthetic hair", "hair extensions"], "options": ["color: dark red", "size: 26 inch straight"], "instruction_attributes": ["high quality", "synthetic hair", "hair extensions"], "instruction_options": ["dark red"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYKWM6A", "worker_id": "A1EREKSZAA9V7B"}], "B08B7MYLXY": [{"asin": "B08B7MYLXY", "instruction": "looking for short lace boots for day comfort, fawn color, size 6.5", "attributes": ["day comfort", "rubber sole", "faux fur"], "options": ["color: blanc | fawn", "size: 6.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["blanc | fawn", "6.5"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPVUPJI", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B08B7MYLXY", "instruction": "looking for short lace boots for day comfort, fawn color, size 6.5", "attributes": ["day comfort", "rubber sole", "faux fur"], "options": ["color: blanc | fawn", "size: 6.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["blanc | fawn", "6.5"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPVUPJI", "worker_id": "A2Y2TURT2VEYZN"}], "B085B29638": [{"asin": "B085B29638", "instruction": "i am interested in a variety pack of fruit snacks that are plant based.", "attributes": ["plant based", "dairy free", "bpa free", "gluten free", "usda organic", "nut free", "low calorie", "kosher certified", "non gmo", "high fructose"], "options": ["flavor name: variety pack (apple mango | apple strawberry)"], "instruction_attributes": ["plant based"], "instruction_options": ["variety pack (apple mango | apple strawberry)"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQIF13R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B085B29638", "instruction": "i am interested in a variety pack of fruit snacks that are plant based.", "attributes": ["plant based", "dairy free", "bpa free", "gluten free", "usda organic", "nut free", "low calorie", "kosher certified", "non gmo", "high fructose"], "options": ["flavor name: variety pack (apple mango | apple strawberry)"], "instruction_attributes": ["plant based"], "instruction_options": ["variety pack (apple mango | apple strawberry)"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQIF13R", "worker_id": "A2ECRNQ3X5LEXD"}], "B08M569G16": [{"asin": "B08M569G16", "instruction": "i need a pack of 18 white cheddar black pepper creole bean + nut snack mix that is gluten free.", "attributes": ["non gmo", "gluten free"], "options": ["flavor name: white cheddar black pepper", "size: 1.25 ounce (pack of 18)"], "instruction_attributes": ["gluten free"], "instruction_options": ["white cheddar black pepper", "1.25 ounce (pack of 18)"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF7K9DY", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08M569G16", "instruction": "i need a pack of 18 white cheddar black pepper creole bean + nut snack mix that is gluten free.", "attributes": ["non gmo", "gluten free"], "options": ["flavor name: white cheddar black pepper", "size: 1.25 ounce (pack of 18)"], "instruction_attributes": ["gluten free"], "instruction_options": ["white cheddar black pepper", "1.25 ounce (pack of 18)"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF7K9DY", "worker_id": "A2RBF3IIJP15IH"}], "B08G8NCR8D": [{"asin": "B08G8NCR8D", "instruction": "i am looking for an easy to clean hair dyeing set with a mixing bowl.", "attributes": ["eco friendly", "easy clean", "high quality", "hair dye", "hair salon"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCTM64A", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08G8NCR8D", "instruction": "i am looking for an easy to clean hair dyeing set with a mixing bowl.", "attributes": ["eco friendly", "easy clean", "high quality", "hair dye", "hair salon"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCTM64A", "worker_id": "A1EREKSZAA9V7B"}], "B08JZC6FZH": [{"asin": "B08JZC6FZH", "instruction": "i would like a 12 ounce cantina party mix with simple ingregients.", "attributes": ["chocolate covered", "simple ingredients"], "options": ["flavor: cantina mix", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["cantina mix", "12 ounce (pack of 1)"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV158DB", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08JZC6FZH", "instruction": "i would like a 12 ounce cantina party mix with simple ingregients.", "attributes": ["chocolate covered", "simple ingredients"], "options": ["flavor: cantina mix", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["cantina mix", "12 ounce (pack of 1)"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV158DB", "worker_id": "A1WS884SI0SLO4"}], "B08BFJLHDK": [{"asin": "B08BFJLHDK", "instruction": "i am looking for machine washable sweatsuits that are pink and in an xx-large.", "attributes": ["machine washable", "polyester spandex", "short sleeve"], "options": ["color: 3147 pink star", "size: xx-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["3147 pink star", "xx-large"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRK3F9I", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08BFJLHDK", "instruction": "i am looking for machine washable sweatsuits that are pink and in an xx-large.", "attributes": ["machine washable", "polyester spandex", "short sleeve"], "options": ["color: 3147 pink star", "size: xx-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["3147 pink star", "xx-large"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRK3F9I", "worker_id": "A2ECRNQ3X5LEXD"}], "B095CP9GD9": [{"asin": "B095CP9GD9", "instruction": "i need a skincare product that will help with the dark circles under my eyes.", "attributes": ["dark circles", "fine lines"], "options": [""], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733JQBE5", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B095CP9GD9", "instruction": "i need a skincare product that will help with the dark circles under my eyes.", "attributes": ["dark circles", "fine lines"], "options": [""], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733JQBE5", "worker_id": "AR9AU5FY1S3RO"}], "B07YK94TDJ": [{"asin": "B07YK94TDJ", "instruction": "i need an outdoor tv cover to dustproof a 51 inch television.", "attributes": ["dust proof", "heavy duty", "easy install"], "options": ["color: chocolate", "size: 52 inch"], "instruction_attributes": ["dust proof"], "instruction_options": ["52 inch"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7UIY6K", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07YK94TDJ", "instruction": "i need an outdoor tv cover to dustproof a 51 inch television.", "attributes": ["dust proof", "heavy duty", "easy install"], "options": ["color: chocolate", "size: 52 inch"], "instruction_attributes": ["dust proof"], "instruction_options": ["52 inch"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7UIY6K", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07YK94TDJ", "instruction": "i'm looking for a outdoor tv cover with 72 inch, need to be dust proof and black color", "attributes": ["dust proof", "heavy duty", "easy install"], "options": ["color: black", "size: 72 inch"], "instruction_attributes": ["dust proof"], "instruction_options": ["black", "72 inch"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEK468D", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07YK94TDJ", "instruction": "i'm looking for a heavy duty, dust proof tv screen protectors which is easy to install. also, choose 46 inch camel colored one.", "attributes": ["dust proof", "heavy duty", "easy install"], "options": ["color: camel", "size: 46 inch"], "instruction_attributes": ["dust proof", "heavy duty", "easy install"], "instruction_options": ["camel", "46 inch"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCSEQ5L", "worker_id": "AR0VJ5XRG16UJ"}], "B09NZJSMQS": [{"asin": "B09NZJSMQS", "instruction": "i am looking for a high quality hair removal wax bottle.", "attributes": ["easy apply", "eco friendly", "easy clean", "high quality", "hair removal", "beauty salon"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDY2IR0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09NZJSMQS", "instruction": "i am looking for a high quality hair removal wax bottle.", "attributes": ["easy apply", "eco friendly", "easy clean", "high quality", "hair removal", "beauty salon"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDY2IR0", "worker_id": "A1EREKSZAA9V7B"}], "B079NY8BF3": [{"asin": "B079NY8BF3", "instruction": "i'm looking to buy a body wash that has tea tree oil as an ingredient that would work well for sensitive skin.", "attributes": ["paraben free", "cruelty free", "tea tree", "sensitive skin"], "options": [""], "instruction_attributes": ["tea tree", "sensitive skin"], "instruction_options": [], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRP5ZB5", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B079NY8BF3", "instruction": "i'm looking to buy a body wash that has tea tree oil as an ingredient that would work well for sensitive skin.", "attributes": ["paraben free", "cruelty free", "tea tree", "sensitive skin"], "options": [""], "instruction_attributes": ["tea tree", "sensitive skin"], "instruction_options": [], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRP5ZB5", "worker_id": "A3EDFA8UQT5GG8"}], "B07B3VCT7X": [{"asin": "B07B3VCT7X", "instruction": "i need a bulk pack of 100 disposable toothbrushes for oral hygeine.", "attributes": ["high quality", "oral hygiene"], "options": ["size: 100 pack"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["100 pack"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JX9E7GW", "worker_id": "A19317A3X87NVM"}, {"asin": "B07B3VCT7X", "instruction": "i need a bulk pack of 100 disposable toothbrushes for oral hygeine.", "attributes": ["high quality", "oral hygiene"], "options": ["size: 100 pack"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["100 pack"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JX9E7GW", "worker_id": "A19317A3X87NVM"}], "B09D39L8P8": [{"asin": "B09D39L8P8", "instruction": "i would like a gold tongue cleaner for my oral hygiene.", "attributes": ["stainless steel", "rose gold", "oral hygiene", "bad breath"], "options": ["color: gold"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["gold"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVPXX9P", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09D39L8P8", "instruction": "i would like a gold tongue cleaner for my oral hygiene.", "attributes": ["stainless steel", "rose gold", "oral hygiene", "bad breath"], "options": ["color: gold"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["gold"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVPXX9P", "worker_id": "A1WS884SI0SLO4"}], "B08T76YM9K": [{"asin": "B08T76YM9K", "instruction": "i'm looking for a hair salon stool that offers height adjustment and is the color blue.", "attributes": ["height adjustable", "hair salon"], "options": ["color: blue", "size: fixed feet"], "instruction_attributes": ["height adjustable", "hair salon"], "instruction_options": ["blue"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UHCOIQN", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B08T76YM9K", "instruction": "i'm looking for a hair salon stool that offers height adjustment and is the color blue.", "attributes": ["height adjustable", "hair salon"], "options": ["color: blue", "size: fixed feet"], "instruction_attributes": ["height adjustable", "hair salon"], "instruction_options": ["blue"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UHCOIQN", "worker_id": "A2JP9IKRHNLRPI"}], "B08GJH2XWJ": [{"asin": "B08GJH2XWJ", "instruction": "i would like a 5\" x 5\" square cake topper for a birthday party.", "attributes": ["dairy free", "gluten free", "birthday party"], "options": ["size: 5\" x 5\" square"], "instruction_attributes": ["birthday party"], "instruction_options": ["5\" x 5\" square"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3AHN6M", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08GJH2XWJ", "instruction": "i would like a 5\" x 5\" square cake topper for a birthday party.", "attributes": ["dairy free", "gluten free", "birthday party"], "options": ["size: 5\" x 5\" square"], "instruction_attributes": ["birthday party"], "instruction_options": ["5\" x 5\" square"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3AHN6M", "worker_id": "A1WS884SI0SLO4"}], "B09S5YDXS2": [{"asin": "B09S5YDXS2", "instruction": "i need to buy a pair of swimming trunks in 3x large. make sure they can be washed on the cold cycle.", "attributes": ["wash cold", "elastic waistband"], "options": ["size: 3x-large"], "instruction_attributes": ["wash cold"], "instruction_options": ["3x-large"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BJLX86", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09S5YDXS2", "instruction": "i need to buy a pair of swimming trunks in 3x large. make sure they can be washed on the cold cycle.", "attributes": ["wash cold", "elastic waistband"], "options": ["size: 3x-large"], "instruction_attributes": ["wash cold"], "instruction_options": ["3x-large"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BJLX86", "worker_id": "AR9AU5FY1S3RO"}], "B08XY8L3KN": [{"asin": "B08XY8L3KN", "instruction": "i need a light wash mid rise slim leg jeans that comes with button closure in size 27 for women.", "attributes": ["machine wash", "button closure"], "options": ["color: light wash soc174", "size: 27"], "instruction_attributes": ["button closure"], "instruction_options": ["light wash soc174", "27"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPWZTXK", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08XY8L3KN", "instruction": "i need a light wash mid rise slim leg jeans that comes with button closure in size 27 for women.", "attributes": ["machine wash", "button closure"], "options": ["color: light wash soc174", "size: 27"], "instruction_attributes": ["button closure"], "instruction_options": ["light wash soc174", "27"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPWZTXK", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08XY8L3KN", "instruction": "i need a jeans with button closure.", "attributes": ["machine wash", "button closure"], "options": ["color: light wash soc174", "size: 31w x 28l"], "instruction_attributes": ["button closure"], "instruction_options": [], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVL0P1Y", "worker_id": "AVIEE6LDH0BT5"}], "B01GE2ZO2G": [{"asin": "B01GE2ZO2G", "instruction": "i'm looking for a tongue scraper that is stainless steel and helps me keep fresh breath.", "attributes": ["stainless steel", "fresh breath"], "options": [""], "instruction_attributes": ["stainless steel", "fresh breath"], "instruction_options": [], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3WF7QJ", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B01GE2ZO2G", "instruction": "i'm looking for a tongue scraper that is stainless steel and helps me keep fresh breath.", "attributes": ["stainless steel", "fresh breath"], "options": [""], "instruction_attributes": ["stainless steel", "fresh breath"], "instruction_options": [], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3WF7QJ", "worker_id": "A34EHWOYRBL6OZ"}], "B000HJ6TT0": [{"asin": "B000HJ6TT0", "instruction": "i am interested in a six inch red candle that is made of soy wax.", "attributes": ["lead free", "soy wax", "living room"], "options": ["color: red", "size: 6 in"], "instruction_attributes": ["soy wax"], "instruction_options": ["red", "6 in"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFQMJOJ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B000HJ6TT0", "instruction": "i am interested in a six inch red candle that is made of soy wax.", "attributes": ["lead free", "soy wax", "living room"], "options": ["color: red", "size: 6 in"], "instruction_attributes": ["soy wax"], "instruction_options": ["red", "6 in"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFQMJOJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B00NB8OJAA": [{"asin": "B00NB8OJAA", "instruction": "i need a blue portable bluetooth speaker that is easy to carry.", "attributes": ["long lasting", "easy carry", "usb port"], "options": ["color: party blue"], "instruction_attributes": ["easy carry"], "instruction_options": ["party blue"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO2N33F", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B00NB8OJAA", "instruction": "i need a blue portable bluetooth speaker that is easy to carry.", "attributes": ["long lasting", "easy carry", "usb port"], "options": ["color: party blue"], "instruction_attributes": ["easy carry"], "instruction_options": ["party blue"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO2N33F", "worker_id": "A2RBF3IIJP15IH"}], "B000ORCFCK": [{"asin": "B000ORCFCK", "instruction": "i need a flamingo pink lacoste short sleeve polo in size 7.", "attributes": ["slim fit", "hand wash", "button closure", "classic fit", "short sleeve"], "options": ["color: flamingo pink", "size: 7"], "instruction_attributes": [], "instruction_options": ["flamingo pink", "7"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9568NS", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000ORCFCK", "instruction": "i need a flamingo pink lacoste short sleeve polo in size 7.", "attributes": ["slim fit", "hand wash", "button closure", "classic fit", "short sleeve"], "options": ["color: flamingo pink", "size: 7"], "instruction_attributes": [], "instruction_options": ["flamingo pink", "7"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9568NS", "worker_id": "A2RBF3IIJP15IH"}], "B00J8U0J4A": [{"asin": "B00J8U0J4A", "instruction": "i am looking for a living room set with two armchairs that are gray in color and mid century style.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: expectation gray", "size: two armchairs"], "instruction_attributes": ["mid century"], "instruction_options": ["expectation gray", "two armchairs"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPETVQ6", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00J8U0J4A", "instruction": "i am looking for a living room set with two armchairs that are gray in color and mid century style.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: expectation gray", "size: two armchairs"], "instruction_attributes": ["mid century"], "instruction_options": ["expectation gray", "two armchairs"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPETVQ6", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00J8U0J4A", "instruction": "mid century leather two armchair set", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: oatmeal", "size: armchair and sofa"], "instruction_attributes": ["mid century"], "instruction_options": ["armchair and sofa"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NC2N26", "worker_id": "A10OGH5CQBXL5N"}], "B08QMC9G4J": [{"asin": "B08QMC9G4J", "instruction": "i am looking for smartwatch bands that are nude in color and are compatible with apple.", "attributes": ["compatible apple", "high performance"], "options": ["color: nude color", "size: 38 | 40 | 41mm m | l"], "instruction_attributes": ["compatible apple"], "instruction_options": ["nude color"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54OH389", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08QMC9G4J", "instruction": "i am looking for smartwatch bands that are nude in color and are compatible with apple.", "attributes": ["compatible apple", "high performance"], "options": ["color: nude color", "size: 38 | 40 | 41mm m | l"], "instruction_attributes": ["compatible apple"], "instruction_options": ["nude color"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54OH389", "worker_id": "A2ECRNQ3X5LEXD"}], "B078N6ZHXP": [{"asin": "B078N6ZHXP", "instruction": "i would like a full size classic 8\" split foundation mattress and box spring.", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": ["color: classic collection", "size: full", "style: 8\" split foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["classic collection", "full", "8\" split foundation"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAY7A8A", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B078N6ZHXP", "instruction": "i would like a full size classic 8\" split foundation mattress and box spring.", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": ["color: classic collection", "size: full", "style: 8\" split foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["classic collection", "full", "8\" split foundation"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAY7A8A", "worker_id": "A1WS884SI0SLO4"}], "B09PT81KY2": [{"asin": "B09PT81KY2", "instruction": "i want to find a desktop computer that features ryz 5 pro 3400ge, 32 gigabytes of storage space and 500 gigabytes on the ssd card. it needs to have a quad core processor.", "attributes": ["dual band", "quad core"], "options": ["size: ryz 5 pro 3400ge | 32gb | 500gb ssd"], "instruction_attributes": ["quad core"], "instruction_options": ["ryz 5 pro 3400ge | 32gb | 500gb ssd"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB95ON8P", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09PT81KY2", "instruction": "i want to find a desktop computer that features ryz 5 pro 3400ge, 32 gigabytes of storage space and 500 gigabytes on the ssd card. it needs to have a quad core processor.", "attributes": ["dual band", "quad core"], "options": ["size: ryz 5 pro 3400ge | 32gb | 500gb ssd"], "instruction_attributes": ["quad core"], "instruction_options": ["ryz 5 pro 3400ge | 32gb | 500gb ssd"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB95ON8P", "worker_id": "A345TDMHP3DQ3G"}], "B08THK9ZSB": [{"asin": "B08THK9ZSB", "instruction": "i need vintage beauty salon chairs.", "attributes": ["easy clean", "hair salon", "beauty salon"], "options": ["color: a"], "instruction_attributes": ["beauty salon"], "instruction_options": ["a"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKAN88K", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08THK9ZSB", "instruction": "i need vintage beauty salon chairs.", "attributes": ["easy clean", "hair salon", "beauty salon"], "options": ["color: a"], "instruction_attributes": ["beauty salon"], "instruction_options": ["a"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKAN88K", "worker_id": "A2RBF3IIJP15IH"}], "B0816448FQ": [{"asin": "B0816448FQ", "instruction": "i am looking for a white feather color large makeup bag which is water resistant.", "attributes": ["water resistant", "storage case"], "options": ["color: white feather"], "instruction_attributes": ["water resistant"], "instruction_options": ["white feather"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BJVVJ9", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B0816448FQ", "instruction": "i am looking for a white feather color large makeup bag which is water resistant.", "attributes": ["water resistant", "storage case"], "options": ["color: white feather"], "instruction_attributes": ["water resistant"], "instruction_options": ["white feather"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BJVVJ9", "worker_id": "A1Q8PPQQCWGY0D"}], "B098W775RF": [{"asin": "B098W775RF", "instruction": "i need a pink blossom colored carrying case for my cell phone.", "attributes": ["carrying case", "wireless charging"], "options": ["color: pink cherry blossom"], "instruction_attributes": ["carrying case"], "instruction_options": ["pink cherry blossom"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JWIGER", "worker_id": "A19317A3X87NVM"}, {"asin": "B098W775RF", "instruction": "i need a pink blossom colored carrying case for my cell phone.", "attributes": ["carrying case", "wireless charging"], "options": ["color: pink cherry blossom"], "instruction_attributes": ["carrying case"], "instruction_options": ["pink cherry blossom"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JWIGER", "worker_id": "A19317A3X87NVM"}], "B07GPM973V": [{"asin": "B07GPM973V", "instruction": "find a sneaker for men with outsole rubber and rubber sole size 4 color in black or white", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black | white", "size: 4"], "instruction_attributes": ["rubber outsole", "rubber sole"], "instruction_options": ["black | white", "4"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS5AAWP", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07GPM973V", "instruction": "find a sneaker for men with outsole rubber and rubber sole size 4 color in black or white", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black | white", "size: 4"], "instruction_attributes": ["rubber outsole", "rubber sole"], "instruction_options": ["black | white", "4"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS5AAWP", "worker_id": "A2Y2TURT2VEYZN"}], "B01GS3NXSI": [{"asin": "B01GS3NXSI", "instruction": "i am interested in a round area rug that is turquoise and ivory and 6 ft by 7 ft long.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: turquoise | ivory", "item shape: round", "size: 6 ft 7 in x 6 ft 7 in"], "instruction_attributes": ["living room"], "instruction_options": ["turquoise | ivory", "round", "6 ft 7 in x 6 ft 7 in"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTB7D5H", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01GS3NXSI", "instruction": "i am interested in a round area rug that is turquoise and ivory and 6 ft by 7 ft long.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: turquoise | ivory", "item shape: round", "size: 6 ft 7 in x 6 ft 7 in"], "instruction_attributes": ["living room"], "instruction_options": ["turquoise | ivory", "round", "6 ft 7 in x 6 ft 7 in"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTB7D5H", "worker_id": "A2ECRNQ3X5LEXD"}], "B07P1CYG3D": [{"asin": "B07P1CYG3D", "instruction": "i need a white coated steel stockpile 3-drawer mobile file cabinet.", "attributes": ["fully assembled", "coated steel"], "options": ["color: white | orange"], "instruction_attributes": ["coated steel"], "instruction_options": ["white | orange"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2KB5LR", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07P1CYG3D", "instruction": "i need a white coated steel stockpile 3-drawer mobile file cabinet.", "attributes": ["fully assembled", "coated steel"], "options": ["color: white | orange"], "instruction_attributes": ["coated steel"], "instruction_options": ["white | orange"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2KB5LR", "worker_id": "A2RBF3IIJP15IH"}], "B09PYHJ249": [{"asin": "B09PYHJ249", "instruction": "i am looking for dark blue color womens jeans having high waist.", "attributes": ["butt lifting", "straight leg", "high waist", "fashion design"], "options": ["color: dark blue", "size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["dark blue"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW9KNFP", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09PYHJ249", "instruction": "i am looking for dark blue color womens jeans having high waist.", "attributes": ["butt lifting", "straight leg", "high waist", "fashion design"], "options": ["color: dark blue", "size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["dark blue"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW9KNFP", "worker_id": "A1Q8PPQQCWGY0D"}], "B0978DR561": [{"asin": "B0978DR561", "instruction": "i want to find one messy synthetic hair bun piece in a light auburn color.", "attributes": ["high quality", "synthetic hair"], "options": ["color: 15# light auburn", "size: 1 pcs"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["15# light auburn", "1 pcs"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOARNOR", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B0978DR561", "instruction": "i want to find one messy synthetic hair bun piece in a light auburn color.", "attributes": ["high quality", "synthetic hair"], "options": ["color: 15# light auburn", "size: 1 pcs"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["15# light auburn", "1 pcs"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOARNOR", "worker_id": "A345TDMHP3DQ3G"}], "B00778CGU0": [{"asin": "B00778CGU0", "instruction": "i am looking for hand crafted snack gifts.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4E115C", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00778CGU0", "instruction": "i am looking for hand crafted snack gifts.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4E115C", "worker_id": "A2ECRNQ3X5LEXD"}], "B01N0YGEQT": [{"asin": "B01N0YGEQT", "instruction": "i need a powerlite 1785w projector that projects 1080p hd.", "attributes": ["1080p hd", "carrying case"], "options": ["style: powerlite 1785w"], "instruction_attributes": ["1080p hd"], "instruction_options": ["powerlite 1785w"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQMV0PT", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01N0YGEQT", "instruction": "i need a powerlite 1785w projector that projects 1080p hd.", "attributes": ["1080p hd", "carrying case"], "options": ["style: powerlite 1785w"], "instruction_attributes": ["1080p hd"], "instruction_options": ["powerlite 1785w"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQMV0PT", "worker_id": "A2RBF3IIJP15IH"}], "B09D77KB16": [{"asin": "B09D77KB16", "instruction": "i want a highly pigmented lip gloss that is in the color r901", "attributes": ["highly pigmented", "high quality"], "options": ["color: r901"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["r901"], "assignment_id": "37TRT2X24116R7L1JO45INKV8RKJBW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09D77KB16", "instruction": "i want a highly pigmented lip gloss that is in the color r901", "attributes": ["highly pigmented", "high quality"], "options": ["color: r901"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["r901"], "assignment_id": "37TRT2X24116R7L1JO45INKV8RKJBW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VSZG1W3": [{"asin": "B07VSZG1W3", "instruction": "i need an indoor ultra hd antenna with an amplifier.", "attributes": ["ultra hd", "coaxial cable", "4g lte"], "options": ["size: indoor smartpass amplified antenna6"], "instruction_attributes": ["ultra hd"], "instruction_options": ["indoor smartpass amplified antenna6"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4ASBSZ", "worker_id": "A19317A3X87NVM"}, {"asin": "B07VSZG1W3", "instruction": "i need an indoor ultra hd antenna with an amplifier.", "attributes": ["ultra hd", "coaxial cable", "4g lte"], "options": ["size: indoor smartpass amplified antenna6"], "instruction_attributes": ["ultra hd"], "instruction_options": ["indoor smartpass amplified antenna6"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4ASBSZ", "worker_id": "A19317A3X87NVM"}], "B07XC7GVRK": [{"asin": "B07XC7GVRK", "instruction": "i need a lenovo chromebook with intel core i3-8130u.", "attributes": ["light weight", "intel core"], "options": [""], "instruction_attributes": ["intel core"], "instruction_options": [], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDK2K5Z", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07XC7GVRK", "instruction": "i need a lenovo chromebook with intel core i3-8130u.", "attributes": ["light weight", "intel core"], "options": [""], "instruction_attributes": ["intel core"], "instruction_options": [], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDK2K5Z", "worker_id": "A2RBF3IIJP15IH"}], "B08VJ6V1VM": [{"asin": "B08VJ6V1VM", "instruction": "i'm looking for a topper for a birthday cake.", "attributes": ["birthday party", "birthday cake", "party supplies"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG4DSLA", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08VJ6V1VM", "instruction": "i'm looking for a topper for a birthday cake.", "attributes": ["birthday party", "birthday cake", "party supplies"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG4DSLA", "worker_id": "AR9AU5FY1S3RO"}], "B09MTYJ85J": [{"asin": "B09MTYJ85J", "instruction": "i need a cell phone signal booster that is compatible with 4g lte.", "attributes": ["coaxial cable", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1ARXCX", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09MTYJ85J", "instruction": "i need a cell phone signal booster that is compatible with 4g lte.", "attributes": ["coaxial cable", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1ARXCX", "worker_id": "A2RBF3IIJP15IH"}], "B09B9SSMQH": [{"asin": "B09B9SSMQH", "instruction": "get me some black sneakers in size five and a half. make sure they're made out of high-quality materials.", "attributes": ["knee high", "day comfort", "non slip", "high heel", "quality materials"], "options": ["color: black", "size: 5.5"], "instruction_attributes": ["quality materials"], "instruction_options": ["black", "5.5"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0P5CAV", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09B9SSMQH", "instruction": "get me some black sneakers in size five and a half. make sure they're made out of high-quality materials.", "attributes": ["knee high", "day comfort", "non slip", "high heel", "quality materials"], "options": ["color: black", "size: 5.5"], "instruction_attributes": ["quality materials"], "instruction_options": ["black", "5.5"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0P5CAV", "worker_id": "AR9AU5FY1S3RO"}], "B098XWSF8B": [{"asin": "B098XWSF8B", "instruction": "i would like a pair of blue medium sized shorts with a elastic waist.", "attributes": ["loose fit", "straight leg", "slim fit", "elastic waist", "short sleeve", "button closure", "everyday wear"], "options": ["color: blue", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["blue", "medium"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPWATXV", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B098XWSF8B", "instruction": "i would like a pair of blue medium sized shorts with a elastic waist.", "attributes": ["loose fit", "straight leg", "slim fit", "elastic waist", "short sleeve", "button closure", "everyday wear"], "options": ["color: blue", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["blue", "medium"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPWATXV", "worker_id": "A1WS884SI0SLO4"}], "B08DWNRVBS": [{"asin": "B08DWNRVBS", "instruction": "i am looking for a clothes rack of 22-inch size that is heavy duty and saves space.", "attributes": ["wall mounted", "heavy duty", "space saving"], "options": ["item package quantity: 1", "size: 22-inch"], "instruction_attributes": ["heavy duty", "space saving"], "instruction_options": ["22-inch"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB9EOSJ", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08DWNRVBS", "instruction": "i am looking for a clothes rack of 22-inch size that is heavy duty and saves space.", "attributes": ["wall mounted", "heavy duty", "space saving"], "options": ["item package quantity: 1", "size: 22-inch"], "instruction_attributes": ["heavy duty", "space saving"], "instruction_options": ["22-inch"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB9EOSJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B089NSX3FR": [{"asin": "B089NSX3FR", "instruction": "i would like some green size 36 shorts that are good for my gym workout.", "attributes": ["drawstring closure", "elastic waistband", "gym workout"], "options": ["color: #17 green", "size: 36"], "instruction_attributes": ["gym workout"], "instruction_options": ["#17 green", "36"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDKAHCQ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B089NSX3FR", "instruction": "i would like some green size 36 shorts that are good for my gym workout.", "attributes": ["drawstring closure", "elastic waistband", "gym workout"], "options": ["color: #17 green", "size: 36"], "instruction_attributes": ["gym workout"], "instruction_options": ["#17 green", "36"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDKAHCQ", "worker_id": "A1WS884SI0SLO4"}], "B084NVN1J6": [{"asin": "B084NVN1J6", "instruction": "i need roasted coffee beans that are dairy free and cinnamon bun flavored.", "attributes": ["keto friendly", "dairy free"], "options": ["flavor name: cinnamon bun", "size: 12 oz whole bean coffee"], "instruction_attributes": ["dairy free"], "instruction_options": ["cinnamon bun"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TPSMPM", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B084NVN1J6", "instruction": "i would like a 12 oz package of whole bean coffee beans that are keto friendly.", "attributes": ["keto friendly", "dairy free"], "options": ["flavor name: cookies 'n dreams", "size: 12 oz whole bean coffee"], "instruction_attributes": ["keto friendly"], "instruction_options": ["cookies 'n dreams", "12 oz whole bean coffee"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W1XUOT", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B084NVN1J6", "instruction": "i need roasted coffee beans that are dairy free and cinnamon bun flavored.", "attributes": ["keto friendly", "dairy free"], "options": ["flavor name: cinnamon bun", "size: 12 oz whole bean coffee"], "instruction_attributes": ["dairy free"], "instruction_options": ["cinnamon bun"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TPSMPM", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GJN7V8R": [{"asin": "B07GJN7V8R", "instruction": "i am looking for a artisan gold color flipflop having rubber sole.", "attributes": ["slip resistant", "rubber sole"], "options": ["color: artisan gold", "size: 9"], "instruction_attributes": ["rubber sole"], "instruction_options": ["artisan gold"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L846YC6O", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07GJN7V8R", "instruction": "i am looking for a artisan gold color flipflop having rubber sole.", "attributes": ["slip resistant", "rubber sole"], "options": ["color: artisan gold", "size: 9"], "instruction_attributes": ["rubber sole"], "instruction_options": ["artisan gold"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L846YC6O", "worker_id": "A1Q8PPQQCWGY0D"}], "B08P4SH2NQ": [{"asin": "B08P4SH2NQ", "instruction": "i need a usb video game capture card for my usb port.", "attributes": ["plug play", "aluminum alloy", "usb port"], "options": [""], "instruction_attributes": ["plug play", "usb port"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P7IUB3", "worker_id": "A19317A3X87NVM"}, {"asin": "B08P4SH2NQ", "instruction": "i need a usb video game capture card for my usb port.", "attributes": ["plug play", "aluminum alloy", "usb port"], "options": [""], "instruction_attributes": ["plug play", "usb port"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P7IUB3", "worker_id": "A19317A3X87NVM"}], "B00G4F22L0": [{"asin": "B00G4F22L0", "instruction": "i'm looking for a pair of classic fit silver gray scrub bottoms in large petite with an elastic waistband and drawstring closure.", "attributes": ["elastic waistband", "polyester cotton", "drawstring closure", "classic fit"], "options": ["color: silver gray", "size: large petite"], "instruction_attributes": ["elastic waistband", "drawstring closure", "classic fit"], "instruction_options": ["silver gray", "large petite"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFGZXBGE", "worker_id": "AFU00NU09CFXE"}, {"asin": "B00G4F22L0", "instruction": "i'm looking for a pair of classic fit silver gray scrub bottoms in large petite with an elastic waistband and drawstring closure.", "attributes": ["elastic waistband", "polyester cotton", "drawstring closure", "classic fit"], "options": ["color: silver gray", "size: large petite"], "instruction_attributes": ["elastic waistband", "drawstring closure", "classic fit"], "instruction_options": ["silver gray", "large petite"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFGZXBGE", "worker_id": "AFU00NU09CFXE"}], "B084R2JGMM": [{"asin": "B084R2JGMM", "instruction": "i'm looking for a 6-pack of salted caramel & dark chocolate nut bars with low sugar and simple ingredients.", "attributes": ["low sugar", "simple ingredients"], "options": ["flavor name: salted caramel & dark chocolate nut", "size: 6 bars"], "instruction_attributes": ["low sugar", "simple ingredients"], "instruction_options": ["salted caramel & dark chocolate nut", "6 bars"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8YDSSG", "worker_id": "AFU00NU09CFXE"}, {"asin": "B084R2JGMM", "instruction": "i'm looking for a 6-pack of salted caramel & dark chocolate nut bars with low sugar and simple ingredients.", "attributes": ["low sugar", "simple ingredients"], "options": ["flavor name: salted caramel & dark chocolate nut", "size: 6 bars"], "instruction_attributes": ["low sugar", "simple ingredients"], "instruction_options": ["salted caramel & dark chocolate nut", "6 bars"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8YDSSG", "worker_id": "AFU00NU09CFXE"}, {"asin": "B084R2JGMM", "instruction": "i would like 6 bars of low sugar chocolates", "attributes": ["low sugar", "simple ingredients"], "options": ["flavor name: milk chocolate peanut butter", "size: 6 bars"], "instruction_attributes": ["low sugar"], "instruction_options": ["6 bars"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOHBW16", "worker_id": "AHXHM1PQTRWIQ"}, {"asin": "B084R2JGMM", "instruction": "get me a dark chocolate and chilli almond snack bar that is low in sugar.", "attributes": ["low sugar", "simple ingredients"], "options": ["flavor name: dark chocolate chili almond", "size: 1.4 ounce (pack of 12)"], "instruction_attributes": ["low sugar"], "instruction_options": ["dark chocolate chili almond"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD05IR7", "worker_id": "A1NF6PELRKACS9"}], "B00EXW2FLI": [{"asin": "B00EXW2FLI", "instruction": "i want to find long-lasting eau de toilette from chanel.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZW9NCV", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B00EXW2FLI", "instruction": "i want to find long-lasting eau de toilette from chanel.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZW9NCV", "worker_id": "A345TDMHP3DQ3G"}], "B001EWEP40": [{"asin": "B001EWEP40", "instruction": "i am looking for a powder fresh mitchum anti-perspirant.", "attributes": ["anti perspirant", "clinically proven"], "options": ["size: 2.25 ounce (63 g) (pack of 6)", "style: powder fresh"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["powder fresh"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPVDG0A", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B001EWEP40", "instruction": "i am looking for a powder fresh mitchum anti-perspirant.", "attributes": ["anti perspirant", "clinically proven"], "options": ["size: 2.25 ounce (63 g) (pack of 6)", "style: powder fresh"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["powder fresh"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPVDG0A", "worker_id": "A1EREKSZAA9V7B"}], "B07G9PNW3X": [{"asin": "B07G9PNW3X", "instruction": "i need a 64 fl oz sugar free bottle of peach chipotle davinci gourmet cake batter syrup.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: peach chipotle", "size: 64 fl oz (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["peach chipotle", "64 fl oz (pack of 1)"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGH50OI", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07G9PNW3X", "instruction": "i need a 64 fl oz sugar free bottle of peach chipotle davinci gourmet cake batter syrup.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: peach chipotle", "size: 64 fl oz (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["peach chipotle", "64 fl oz (pack of 1)"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGH50OI", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07G9PNW3X", "instruction": "i want sugar free davinci black cherry cake batter syrup.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: black cherry", "size: 3 pound (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["black cherry"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U85AMH", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07G9PNW3X", "instruction": "i would like a 64 fluid ounce bottle of sugar free pina colada cocktail flavored syrup.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: pina colada cocktail", "size: 64 fl oz (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["pina colada cocktail", "64 fl oz (pack of 1)"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHAB5OD0", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07G9PNW3X", "instruction": "i would like a 14.1 ounce of toasted hazelnut syrup that is sugar free.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: toasted hazelnut", "size: 14.1 ounce (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["toasted hazelnut", "14.1 ounce (pack of 1)"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKX1NDD", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07G9PNW3X", "instruction": "i need a 3 pound (pack of 1) cane sugar syrup which has natural flavour and is sugar free.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: cane sugar", "size: 3 pound (pack of 1)"], "instruction_attributes": ["sugar free", "natural flavors"], "instruction_options": ["cane sugar", "3 pound (pack of 1)"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY5XU0X", "worker_id": "ASWFLI3N8X72G"}], "B07XCJ6CYY": [{"asin": "B07XCJ6CYY", "instruction": "i need a classic fit and dark heather fish aquarium t-shirt in size 2t for men.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: men", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["dark heather", "men", "2t"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVJDLX9", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07XCJ6CYY", "instruction": "i need a classic fit and dark heather fish aquarium t-shirt in size 2t for men.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: men", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["dark heather", "men", "2t"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVJDLX9", "worker_id": "A2RBF3IIJP15IH"}], "B07DLY278V": [{"asin": "B07DLY278V", "instruction": "i am interested in hand crafted hors d'oeuvres", "attributes": ["ready use", "hand crafted"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TAB2KG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07DLY278V", "instruction": "i'm looking for hand-crafted hors d'oeurves.", "attributes": ["ready use", "hand crafted"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "33LK57MYL4FV8877CWTMW6ILV7QSZM", "worker_id": "A19317A3X87NVM"}, {"asin": "B07DLY278V", "instruction": "i am interested in hand crafted hors d'oeuvres", "attributes": ["ready use", "hand crafted"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TAB2KG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08W9KZSCX": [{"asin": "B08W9KZSCX", "instruction": "i'm looking for extra large high waist leggings that are hand washable and fleece lined.", "attributes": ["fleece lined", "hand wash", "high waist", "elastic waistband", "tummy control"], "options": ["color: 04 gray", "size: x-large"], "instruction_attributes": ["fleece lined", "hand wash", "high waist"], "instruction_options": ["x-large"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1B9XRI", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B08W9KZSCX", "instruction": "i'm looking for extra large high waist leggings that are hand washable and fleece lined.", "attributes": ["fleece lined", "hand wash", "high waist", "elastic waistband", "tummy control"], "options": ["color: 04 gray", "size: x-large"], "instruction_attributes": ["fleece lined", "hand wash", "high waist"], "instruction_options": ["x-large"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1B9XRI", "worker_id": "A3EDFA8UQT5GG8"}], "B07DYTDCGD": [{"asin": "B07DYTDCGD", "instruction": "i need a regular fit machine wash nike gym t-shrit.", "attributes": ["machine wash", "comfortable fit", "regular fit"], "options": ["color: gym red | white", "size: 3x-large-t"], "instruction_attributes": ["machine wash", "regular fit"], "instruction_options": ["gym red | white"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUA4ZDZ", "worker_id": "A19317A3X87NVM"}, {"asin": "B07DYTDCGD", "instruction": "i need a regular fit machine wash nike gym t-shrit.", "attributes": ["machine wash", "comfortable fit", "regular fit"], "options": ["color: gym red | white", "size: 3x-large-t"], "instruction_attributes": ["machine wash", "regular fit"], "instruction_options": ["gym red | white"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUA4ZDZ", "worker_id": "A19317A3X87NVM"}], "B07RYRG19Z": [{"asin": "B07RYRG19Z", "instruction": "i am looking for a medium sized toiletry bag that is denim purple and water resistant.", "attributes": ["water resistant", "oral hygiene"], "options": ["color: denim purple", "size: medium (pack of 1)"], "instruction_attributes": ["water resistant"], "instruction_options": ["denim purple", "medium (pack of 1)"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8EHNZG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07RYRG19Z", "instruction": "i am looking for a medium size travel bag that is water resistant and denim grey in color.", "attributes": ["water resistant", "oral hygiene"], "options": ["color: denim navy blue", "size: medium (pack of 1)"], "instruction_attributes": ["water resistant"], "instruction_options": ["medium (pack of 1)"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH5G1EP", "worker_id": "A2KW17G25L25R8"}, {"asin": "B07RYRG19Z", "instruction": "i am looking for a medium sized toiletry bag that is denim purple and water resistant.", "attributes": ["water resistant", "oral hygiene"], "options": ["color: denim purple", "size: medium (pack of 1)"], "instruction_attributes": ["water resistant"], "instruction_options": ["denim purple", "medium (pack of 1)"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8EHNZG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07RYRG19Z", "instruction": "i would like a black toiletry bag that is water resistant and a medium size.", "attributes": ["water resistant", "oral hygiene"], "options": ["color: black", "size: medium"], "instruction_attributes": ["water resistant"], "instruction_options": ["black", "medium"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS019GB", "worker_id": "A2ECRNQ3X5LEXD"}], "B00A3IFR5C": [{"asin": "B00A3IFR5C", "instruction": "i'm interested in some banana hemp cereal that is dairy - and gluten-free.", "attributes": ["non dairy", "gluten free"], "options": ["flavor name: banana hemp"], "instruction_attributes": ["non dairy", "gluten free"], "instruction_options": ["banana hemp"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40E7NX7", "worker_id": "AFU00NU09CFXE"}, {"asin": "B00A3IFR5C", "instruction": "i'm interested in some banana hemp cereal that is dairy - and gluten-free.", "attributes": ["non dairy", "gluten free"], "options": ["flavor name: banana hemp"], "instruction_attributes": ["non dairy", "gluten free"], "instruction_options": ["banana hemp"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40E7NX7", "worker_id": "AFU00NU09CFXE"}], "B08QTR1Y67": [{"asin": "B08QTR1Y67", "instruction": "i'm looking for a sky blue ring holder for my smartphone, if possible with wireless charging.", "attributes": ["hands free", "wireless charging"], "options": ["color: sky blue"], "instruction_attributes": ["wireless charging"], "instruction_options": ["sky blue"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3D9YAB", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B08QTR1Y67", "instruction": "i'm looking for a sky blue ring holder for my smartphone, if possible with wireless charging.", "attributes": ["hands free", "wireless charging"], "options": ["color: sky blue"], "instruction_attributes": ["wireless charging"], "instruction_options": ["sky blue"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3D9YAB", "worker_id": "A3EDFA8UQT5GG8"}], "B07SBX416H": [{"asin": "B07SBX416H", "instruction": "i want a nikon coolpix a1000 compact digital camera with optical zoom.", "attributes": ["high resolution", "high performance", "optical zoom"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMNAW9E", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07SBX416H", "instruction": "i want a nikon coolpix a1000 compact digital camera with optical zoom.", "attributes": ["high resolution", "high performance", "optical zoom"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMNAW9E", "worker_id": "A2RBF3IIJP15IH"}], "B078HYPVTQ": [{"asin": "B078HYPVTQ", "instruction": "i want to buy some wall sconces with a dark bronze finish.", "attributes": ["easy install", "wood finish", "glass shade", "bronze finish"], "options": ["color: dark bronze"], "instruction_attributes": ["bronze finish"], "instruction_options": ["dark bronze"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W6COUC", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B078HYPVTQ", "instruction": "i want to buy some wall sconces with a dark bronze finish.", "attributes": ["easy install", "wood finish", "glass shade", "bronze finish"], "options": ["color: dark bronze"], "instruction_attributes": ["bronze finish"], "instruction_options": ["dark bronze"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W6COUC", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B078HYPVTQ", "instruction": "globe electric wall sconce 65931 williamsburg 1 light, dark bronze, dark wood finish details, easy to install.i need you to find it in color: dark bronze with gold category", "attributes": ["easy install", "wood finish", "glass shade", "bronze finish"], "options": ["color: dark bronze with gold"], "instruction_attributes": ["easy install", "wood finish"], "instruction_options": ["dark bronze with gold"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0WFPXI", "worker_id": "A15IJ20C3R4HUO"}], "B09M3NG396": [{"asin": "B09M3NG396", "instruction": "i would like a pair of medium navy blue gym shorts that i can machine wash.", "attributes": ["daily casual", "machine wash", "moisture wicking", "wash cold", "drawstring closure", "elastic waistband", "regular fit", "tumble dry"], "options": ["color: navy blue", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy blue", "medium"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYGRLQD", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09M3NG396", "instruction": "i would like a pair of medium navy blue gym shorts that i can machine wash.", "attributes": ["daily casual", "machine wash", "moisture wicking", "wash cold", "drawstring closure", "elastic waistband", "regular fit", "tumble dry"], "options": ["color: navy blue", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy blue", "medium"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYGRLQD", "worker_id": "A1WS884SI0SLO4"}], "B09H6KRM8Q": [{"asin": "B09H6KRM8Q", "instruction": "i'm looking for hair removal with non toxic product and with eco friendly beauty salon", "attributes": ["easy apply", "eco friendly", "non toxic", "high quality", "hair removal", "beauty salon"], "options": [""], "instruction_attributes": ["eco friendly", "non toxic", "hair removal"], "instruction_options": [], "assignment_id": "37M28K1J01N18XG9DA49NC0PP2CJAZ", "worker_id": "A1DYJ7VGMNPTLB"}], "B09SQ4CSH5": [{"asin": "B09SQ4CSH5", "instruction": "i'm looking for a bathing suit for plus size women that is quick drying that comes in xx-large and the color black, if possible.", "attributes": ["quick drying", "hand wash", "polyester spandex"], "options": ["color: white", "color: brown", "color: black", "size: medium", "size: small", "size: xx-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["black", "xx-large"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8VI424W", "worker_id": "A3UWM3KJYEL5XU"}], "B00719X032": [{"asin": "B00719X032", "instruction": "i'm looking for a 2-pack of moisture-wicking black and oxford sweatpants in size medium with an elastic waistband.", "attributes": ["moisture wicking", "machine wash", "elastic closure", "polyester cotton", "elastic waistband"], "options": ["size: medium", "size: x-large", "size: small", "color: 2 pack: black & oxford", "color: 2 pack: black heather& oxford", "color: 2 pack: navy & oxford"], "instruction_attributes": ["moisture wicking", "elastic waistband"], "instruction_options": ["medium", "2 pack"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275016RNP4V", "worker_id": "AFU00NU09CFXE"}], "B09CYH13HB": [{"asin": "B09CYH13HB", "instruction": "i want a set of 2 coffee bar stools which has height adjust ability in it.", "attributes": ["easy clean", "height adjustable", "high density", "pu leather", "metal legs"], "options": [""], "instruction_attributes": ["height adjustable"], "instruction_options": [], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP8J1TE9", "worker_id": "A2Z9HR2IBD75R9"}], "B01L9JSCR8": [{"asin": "B01L9JSCR8", "instruction": "i'm interested in certified organic lip scrub to remove dead skin made from natural ingredients and must be cruelty-free.", "attributes": ["cruelty free", "certified organic", "paraben free", "coconut oil", "natural ingredients", "dead skin"], "options": [""], "instruction_attributes": ["cruelty free", "certified organic", "natural ingredients", "dead skin"], "instruction_options": [], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQNGMVY6", "worker_id": "AFU00NU09CFXE"}], "B072Q7L2FP": [{"asin": "B072Q7L2FP", "instruction": "i want to buy window drapes for my living room that are machine washable. also, pick size: 108\" x 108\".", "attributes": ["machine washable", "printing technology", "living room"], "options": ["size: 108\" x 63\"", "size: 108\" x 96\"", "size: 108\" x 108\""], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["108\" x 108\""], "assignment_id": "32AT8R96GWJEM9DX69UEFE36SPWSUH", "worker_id": "A1198W1SPF1R4"}], "B01K5FNMPY": [{"asin": "B01K5FNMPY", "instruction": "can you please help me to find men's fleece jogger pant of 3x size which has elastic waist.", "attributes": ["machine wash", "drawstring closure", "elastic waist"], "options": ["size: 5x", "size: 3x-large", "size: 3x", "color: navy(marled)", "color: burgundy(marled)", "color: grey(marled)"], "instruction_attributes": ["elastic waist"], "instruction_options": ["3x"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTKAW0MU", "worker_id": "A2Z9HR2IBD75R9"}], "B01JFYGXAM": [{"asin": "B01JFYGXAM", "instruction": "i'm looking for easy to use shinning pearl smudging eye shadow stick that's 1.4g. also, choose the reddish pink one.", "attributes": ["easy use", "eye shadow"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "336YQZE836OU3ZADLBQKVTCK1K65MN", "worker_id": "A1FQDFM7BJ8GTR"}, {"asin": "B01JFYGXAM", "instruction": "i want a eye shadow stick", "attributes": ["easy use", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN2VGOA", "worker_id": "A2Y2TURT2VEYZN"}], "B09CFY8RMK": [{"asin": "B09CFY8RMK", "instruction": "i'm looking for hair styling beauty & personal care and it will be easy to use and safe use", "attributes": ["easy use", "hair styling"], "options": [""], "instruction_attributes": ["hair styling"], "instruction_options": [], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLKX1CE9", "worker_id": "A7H5HF1XL5Z1X"}], "B096RZ5DXK": [{"asin": "B096RZ5DXK", "instruction": "i'm looking for a high quality pink or blue denture bath case that is non-toxic.", "attributes": ["non slip", "non toxic", "high quality"], "options": ["color: blue", "color: pink"], "instruction_attributes": ["non toxic", "high quality"], "instruction_options": ["blue", "pink"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TP1J0N9", "worker_id": "AFU00NU09CFXE"}], "B01LZ4VWVB": [{"asin": "B01LZ4VWVB", "instruction": "i would like to find a brown sofa table with lots of storage space for my living room.", "attributes": ["assembly required", "engineered wood", "storage space", "living room"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXPBK13H", "worker_id": "A14W0AXTJ3R19V"}], "B09KHH2274": [{"asin": "B09KHH2274", "instruction": "i'm looking for a large men's trench coat classic notched collar that have double breasted wool blend pea coat turn-down collar jacket. also, choose the black one.", "attributes": ["slim fit", "long sleeve", "daily wear"], "options": ["color: black", "color: blue", "color: a-black", "size: medium", "size: x-large", "size: large"], "instruction_attributes": ["slim fit", "daily wear"], "instruction_options": ["black", "a-black", "x-large", "large"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLWZ5CFI", "worker_id": "A59DVED5S9N9Y"}], "B09CZ939HD": [{"asin": "B09CZ939HD", "instruction": "i'm interested in black walking shoes in size 6.5 that features memory foam and good arch support.", "attributes": ["arch support", "memory foam"], "options": ["size: 9.5-10", "size: 6.5", "size: 6.5-7", "color: black", "color: pink", "color: green"], "instruction_attributes": ["arch support", "memory foam"], "instruction_options": ["6.5", "black"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7732DFBEH", "worker_id": "AFU00NU09CFXE"}], "B07Q1MXLGL": [{"asin": "B07Q1MXLGL", "instruction": "i'm looking for cotton spandex and buying options to include in large size", "attributes": ["officially licensed", "cotton spandex", "elastic waistband"], "options": ["size: small", "size: x-large", "size: large"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["large"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT745MOTB9", "worker_id": "A2RTFA55W0MBL1"}], "B09R9YFH84": [{"asin": "B09R9YFH84", "instruction": "i am looking for nuccbbly ladies camisole pajamas nightwear lingerie top shorts sleepwear", "attributes": ["hand wash", "wash cold", "machine wash", "short sleeve", "polyester spandex", "long sleeve", "teen girls"], "options": ["size: large", "size: small", "size: x-large", "color: purple", "color: red", "color: blue"], "instruction_attributes": ["short sleeve", "teen girls"], "instruction_options": ["small", "x-large", "purple", "red", "blue"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OOF6FWD", "worker_id": "A37NZ5CUEO3RX7"}], "B0797KQ21Y": [{"asin": "B0797KQ21Y", "instruction": "i am looking for a t-shirt with funny bigfoot yeti asaquatch for fit type: men in the color of slate with large size.", "attributes": ["needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "fit type: youth", "color: heather blue", "color: grass", "color: slate", "size: medium", "size: large", "size: small"], "instruction_attributes": ["classic fit"], "instruction_options": ["men", "slate", "large"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKOCDJWE2", "worker_id": "A3TMVVOMNK6Y96"}], "B09GRT76VP": [{"asin": "B09GRT76VP", "instruction": "i'm interested in knee high socks for teen girls in hot pink or light blue.", "attributes": ["knee high", "teen girls"], "options": ["color: hot pink", "color: light blue", "color: sky blue"], "instruction_attributes": ["knee high", "teen girls"], "instruction_options": ["hot pink", "light blue"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040BGAT26", "worker_id": "AFU00NU09CFXE"}], "B09RSSC2D5": [{"asin": "B09RSSC2D5", "instruction": "i want a short sleeved slim fit casual shirt in white and size large.", "attributes": ["slim fit", "fleece lined", "long sleeve", "short sleeve", "regular fit", "gym workout"], "options": ["color: blue", "color: white", "size: large", "size: x-large", "size: xx-large"], "instruction_attributes": ["slim fit", "short sleeve"], "instruction_options": ["white", "large"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKB9OIP3", "worker_id": "A3GWRDHAURRNK6"}], "B0119FXTOS": [{"asin": "B0119FXTOS", "instruction": "i need a dove bodywash suitable for senstive skin and must be plant based product.", "attributes": ["plant based", "cruelty free"], "options": ["style: deep moisture", "style: sensitive skin", "style: cucumber and green tea"], "instruction_attributes": ["plant based"], "instruction_options": ["sensitive skin"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CSDMPLS", "worker_id": "A2Z9HR2IBD75R9"}], "B09M8286VM": [{"asin": "B09M8286VM", "instruction": "i trying to find a apple 7 watch screen protector with high defintion.", "attributes": ["compatible apple", "ultra hd", "easy install", "high definition", "tempered glass"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA6RXMHH", "worker_id": "A2Z9HR2IBD75R9"}], "B09K7CDLL8": [{"asin": "B09K7CDLL8", "instruction": "i'm looking for a console table for the living room with a solid wood frame that can double as a storage unit.", "attributes": ["assembly required", "storage space", "wood frame", "solid wood", "storage unit", "living room"], "options": [""], "instruction_attributes": ["wood frame", "solid wood", "storage unit", "living room"], "instruction_options": [], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M1N494J", "worker_id": "AFU00NU09CFXE"}], "B07KC694D4": [{"asin": "B07KC694D4", "instruction": "i'm looking for strong box spring beds and i take dark gray color with king size beds", "attributes": ["assembly required", "box spring"], "options": ["color: beige", "color: dark gray", "size: full", "size: queen", "size: king"], "instruction_attributes": ["box spring"], "instruction_options": ["dark gray", "king"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0NMFM3A", "worker_id": "A2RTFA55W0MBL1"}], "B09KTNXLPX": [{"asin": "B09KTNXLPX", "instruction": "i'm looking for home & kitchen furniture with height adjustable in living room", "attributes": ["height adjustable", "pu leather", "living room"], "options": [""], "instruction_attributes": ["height adjustable", "living room"], "instruction_options": [], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBOWMOAN", "worker_id": "A1DYJ7VGMNPTLB"}], "B0771L6DB1": [{"asin": "B0771L6DB1", "instruction": "i'm working for light fixture of tools & home improvement with color black", "attributes": ["glass shade", "clear glass", "light fixture"], "options": ["color: chrome", "color: antique", "color: black"], "instruction_attributes": ["light fixture"], "instruction_options": ["black"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0UQAFG6", "worker_id": "ACU8RTAZQU1GP"}], "B09CV7BZLX": [{"asin": "B09CV7BZLX", "instruction": "i'm interested in some low-carb, high protein jerky with zero sugar and no artificial flavors.", "attributes": ["high protein", "low carb", "artificial flavors", "zero sugar"], "options": [""], "instruction_attributes": ["high protein", "low carb", "artificial flavors", "zero sugar"], "instruction_options": [], "assignment_id": "3NGMS9VZTWSGZMBL50ZGMFJOTBAFF7", "worker_id": "AFU00NU09CFXE"}], "B09F9BRYBW": [{"asin": "B09F9BRYBW", "instruction": "i'm looking for a green, x-large flannel with button closure that can be machine washed.", "attributes": ["machine wash", "button closure"], "options": ["size: small", "size: medium", "size: x-large", "color: green", "color: workwear brown"], "instruction_attributes": ["machine wash", "button closure"], "instruction_options": ["x-large", "green"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C32QI0C", "worker_id": "AFU00NU09CFXE"}], "B09D7KPP6X": [{"asin": "B09D7KPP6X", "instruction": "i'd like to purchase a pink or black wig storage bag for hair extensions.", "attributes": ["hair extensions", "dry hair"], "options": ["color: black", "color: pink"], "instruction_attributes": ["hair extensions"], "instruction_options": ["black", "pink"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADWNAMYG", "worker_id": "AFU00NU09CFXE"}], "B09QXGQZ7J": [{"asin": "B09QXGQZ7J", "instruction": "i'd like to purchase a red or black short-sleeved jumpsuit in size medium with an elastic closure.", "attributes": ["hand wash", "long sleeve", "short sleeve", "elastic closure"], "options": ["color: a black", "color: a red", "color: a yellow", "size: xx-large", "size: x-large", "size: medium"], "instruction_attributes": ["short sleeve", "elastic closure"], "instruction_options": ["a black", "a red", "medium"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWBU6UKN", "worker_id": "AFU00NU09CFXE"}], "B08LKFM7T5": [{"asin": "B08LKFM7T5", "instruction": "the glitter mascara wands make me look pretty, pink is the one to go with.", "attributes": ["easy carry", "beauty salon"], "options": ["color: black", "color: pink"], "instruction_attributes": ["easy carry"], "instruction_options": ["pink"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7J65PD1", "worker_id": "A30CGO77OY7WP0"}], "B09J4VCNY5": [{"asin": "B09J4VCNY5", "instruction": "i'm looking for a long-lasting living room set made of a wood frame and faux leather with generous lumbar support.", "attributes": ["long lasting", "lumbar support", "faux leather", "wood frame", "living room"], "options": [""], "instruction_attributes": ["long lasting", "lumbar support", "faux leather", "wood frame", "living room"], "instruction_options": [], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR39289R", "worker_id": "AFU00NU09CFXE"}], "B00VQTIZ7O": [{"asin": "B00VQTIZ7O", "instruction": "i want some flouride free toothpaste", "attributes": ["fluoride free", "alcohol free", "sulfate free"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8BSR4B", "worker_id": "A2ECRNQ3X5LEXD"}], "B01K55WVMO": [{"asin": "B01K55WVMO", "instruction": "i would like to buy a high speed point and shoot digital camera with a carrying case.", "attributes": ["high speed", "carrying case"], "options": [""], "instruction_attributes": ["high speed", "carrying case"], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZ99RPR", "worker_id": "A1WS884SI0SLO4"}], "B07X57RFW3": [{"asin": "B07X57RFW3", "instruction": "i would like a officially licensed large black men's t-shirt made of heather cotton.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: black", "fit type: men", "size: large"], "instruction_attributes": ["officially licensed", "heathers cotton", "cotton heather"], "instruction_options": ["black", "men", "large"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3S0U1N", "worker_id": "A1WS884SI0SLO4"}], "B06XS1WCSN": [{"asin": "B06XS1WCSN", "instruction": "i'm looking for a 150 foot plug play hdmi cable.", "attributes": ["high speed", "plug play"], "options": ["size: 150ft", "style: cmp"], "instruction_attributes": ["plug play"], "instruction_options": ["150ft"], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWEG52M", "worker_id": "A19317A3X87NVM"}], "B09B1B1DZ3": [{"asin": "B09B1B1DZ3", "instruction": "i am looking for size 12 sneakers that are black and have a rubber sole.", "attributes": ["lace closure", "rubber outsole", "rubber sole"], "options": ["color: black mono 1 arano", "size: 12"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black mono 1 arano", "12"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N1XT7Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B0176XTVTY": [{"asin": "B0176XTVTY", "instruction": "i'm looking for a plant based pancake mix which should be gluten freeand also non gmo with simple ingredients. also, choose pack of 3, 12 ounce almond flour pumpkin flavoured one.", "attributes": ["grain free", "gluten free", "shelf stable", "plant based", "non gmo", "simple ingredients"], "options": ["flavor name: almond flour pumpkin", "size: 12 ounce (pack of 3)"], "instruction_attributes": ["gluten free", "plant based", "non gmo", "simple ingredients"], "instruction_options": ["almond flour pumpkin", "12 ounce (pack of 3)"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU4FMC6", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B0176XTVTY", "instruction": "i am looking for a gluten free almond flour pancake mix that has simple ingredients.", "attributes": ["grain free", "gluten free", "shelf stable", "plant based", "non gmo", "simple ingredients"], "options": ["flavor name: almond flour original", "size: 10.7 ounce (pack of 3)"], "instruction_attributes": ["gluten free", "simple ingredients"], "instruction_options": ["almond flour original"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8VMG8Y", "worker_id": "A1EREKSZAA9V7B"}], "B097NFT33B": [{"asin": "B097NFT33B", "instruction": "i need a black dress with an imported zipper.", "attributes": ["imported zipper", "dry clean"], "options": ["color: black", "size: 0"], "instruction_attributes": ["imported zipper"], "instruction_options": ["black"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPDTSY2", "worker_id": "A19317A3X87NVM"}], "B00ESXQVAI": [{"asin": "B00ESXQVAI", "instruction": "i want to have ahi tuna jerky -lemon salt flavour made in usa , wild caught and packed in resealable bag.", "attributes": ["wild caught", "resealable bag"], "options": ["flavor name: ahi tuna \u2013 lemon salt", "size: 1.75 ounce (pack of 1)"], "instruction_attributes": ["wild caught", "resealable bag"], "instruction_options": ["ahi tuna \u2013 lemon salt"], "assignment_id": "37TRT2X24116R7L1JO45INKV8NJJBN", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B00ESXQVAI", "instruction": "i would like to buy a wild caught 1.75 ounce honey glazed ahi tuna in a resealable bag.", "attributes": ["wild caught", "resealable bag"], "options": ["flavor name: ahi tuna \u2013 honey glazed", "size: 1.75 ounce (pack of 1)"], "instruction_attributes": ["wild caught", "resealable bag"], "instruction_options": ["ahi tuna \u2013 honey glazed", "1.75 ounce (pack of 1)"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455RZ5TYW", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00ESXQVAI", "instruction": "i'm looking for some wild caught tuna jerky. can you get me the one that comes in a 1.75 ounce pack?", "attributes": ["wild caught", "resealable bag"], "options": ["flavor name: hawaiian warrior", "size: 1.75 ounce (pack of 1)"], "instruction_attributes": ["wild caught"], "instruction_options": ["1.75 ounce (pack of 1)"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA0KC84", "worker_id": "A34QZDSTKZ3JO9"}], "B07P7NH7FP": [{"asin": "B07P7NH7FP", "instruction": "i am really looking for a coaxial cable that is 3 meters long.", "attributes": ["coaxial cable", "4g lte"], "options": ["size: 3m | 10 feet"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["3m | 10 feet"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ3YWU9", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BYWCYBW": [{"asin": "B08BYWCYBW", "instruction": "i'd like to find a personalized compact mirror that's easy to carry.", "attributes": ["easy carry", "rose gold"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRL8PW6", "worker_id": "A345TDMHP3DQ3G"}], "B08H279VBZ": [{"asin": "B08H279VBZ", "instruction": "i would like to get a heavy duty brown spa stool that looks like it comes right from the beauty salon.", "attributes": ["height adjustable", "heavy duty", "beauty salon"], "options": ["color: brown"], "instruction_attributes": ["heavy duty", "beauty salon"], "instruction_options": ["brown"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9OKETO", "worker_id": "A1WS884SI0SLO4"}], "B01HLEAJJE": [{"asin": "B01HLEAJJE", "instruction": "i am looking for plant based chocolate chip cookies that have peanut butter and come in a pack of 16.", "attributes": ["plant based", "non gmo", "high fructose", "birthday cake"], "options": ["flavor name: peanut butter", "size: 4 ounce (pack of 16)"], "instruction_attributes": ["plant based"], "instruction_options": ["peanut butter", "4 ounce (pack of 16)"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GGQ3S7", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01HLEAJJE", "instruction": "i need snickerdoodle cookies that are plant based and are part of a starter pack", "attributes": ["plant based", "non gmo", "high fructose", "birthday cake"], "options": ["flavor name: snickerdoodle", "size: starter pack"], "instruction_attributes": ["plant based"], "instruction_options": ["snickerdoodle", "starter pack"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2UN5MP", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01HLEAJJE", "instruction": "i want a non gmo lenny & larry's the complete cookie starter pack.", "attributes": ["plant based", "non gmo", "high fructose", "birthday cake"], "options": ["flavor name: complete cookie starter pack", "size: starter pack"], "instruction_attributes": ["non gmo"], "instruction_options": ["complete cookie starter pack"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKOTD71", "worker_id": "A2RBF3IIJP15IH"}], "B00NLLUMOE": [{"asin": "B00NLLUMOE", "instruction": "i would like a cal king sized with extra deep pockets beige and white striped sheet and pillow case set.", "attributes": ["queen size", "white item"], "options": ["color: striped \u2013 beige", "size: extra deep pocket - cal king size"], "instruction_attributes": ["white item"], "instruction_options": ["striped \u2013 beige", "extra deep pocket - cal king size"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHVNZ4U", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00NLLUMOE", "instruction": "i am looking for queen size pillowcases that are in the color persimmon.", "attributes": ["queen size", "white item"], "options": ["color: persimmon", "size: extra deep pocket - king size"], "instruction_attributes": ["queen size"], "instruction_options": ["persimmon"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTDJ4D6", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00NLLUMOE", "instruction": "can you get me a queen sized pillowcase set in lavender?", "attributes": ["queen size", "white item"], "options": ["color: lavender", "size: twin"], "instruction_attributes": ["queen size"], "instruction_options": ["lavender"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YE5PNQ", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B00NLLUMOE", "instruction": "i am looking for a bed sheet for a queen size bed. also choose laced sky blue color.", "attributes": ["queen size", "white item"], "options": ["color: laced sky blue", "size: rv | short queen"], "instruction_attributes": ["queen size"], "instruction_options": ["laced sky blue"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI3R3TR", "worker_id": "A2HMEGTAFO0CS8"}], "B08RDH5JZ3": [{"asin": "B08RDH5JZ3", "instruction": "i need a printed backdrop for digital photography that is 3 by 5 feet.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 15", "size: 3x5 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 15", "3x5 ft"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIAJFVR", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08RDH5JZ3", "instruction": "i am looking for a printed backdrop 07 colored lightweight backgrounds for digital photography. also, choose a 5x7 ft size.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 07", "size: 5x7 ft"], "instruction_attributes": ["light weight", "digital photography"], "instruction_options": ["printed backdrop 07", "5x7 ft"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA742SJ", "worker_id": "A9ZM1P6LBW79"}, {"asin": "B08RDH5JZ3", "instruction": "i'm looking for vinyl digital photography with more art work.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 01", "size: 6x9 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 01"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDPFK5M", "worker_id": "A21IUUHBSEVB56"}], "B01HSFN3QM": [{"asin": "B01HSFN3QM", "instruction": "i am looking for some dining room barstools that are gray vinyl and have a gold base.", "attributes": ["contemporary style", "dining room"], "options": ["color: gray vinyl", "style: gold base"], "instruction_attributes": ["dining room"], "instruction_options": ["gray vinyl", "gold base"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWQL1C8", "worker_id": "A2ECRNQ3X5LEXD"}], "B083BL6W3V": [{"asin": "B083BL6W3V", "instruction": "i am looking for a double sided home office desk.", "attributes": ["double sided", "living room"], "options": [""], "instruction_attributes": ["double sided"], "instruction_options": [], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYMWHVL", "worker_id": "A2ECRNQ3X5LEXD"}], "B0953JW5CQ": [{"asin": "B0953JW5CQ", "instruction": "i would like to buy a x-large purple cardigan that i can hand wash in the sink.", "attributes": ["hand wash", "short sleeve", "high heel"], "options": ["color: purple", "size: x-large"], "instruction_attributes": ["hand wash"], "instruction_options": ["purple", "x-large"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTJPOQM", "worker_id": "A1WS884SI0SLO4"}], "B08SQHTMPR": [{"asin": "B08SQHTMPR", "instruction": "i am looking for a kahuna colored capri pant that has a relaxed fit and is in a size 20 plus.", "attributes": ["long lasting", "day comfort", "machine wash", "relaxed fit", "imported zipper", "cotton spandex", "button closure"], "options": ["color: kahuna", "size: 20 plus"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["kahuna", "20 plus"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUB23R8", "worker_id": "A2ECRNQ3X5LEXD"}], "B01N1IZEXC": [{"asin": "B01N1IZEXC", "instruction": "i want some relaxed jeans that are a comfortable fit in a size 46w by 34l and are in the color victoria", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: victoria", "fit type: relaxed", "size: 46w x 34l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["victoria", "relaxed", "46w x 34l"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1052IC", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B2SJZZF": [{"asin": "B09B2SJZZF", "instruction": "i would like super soft throw pillows in the color frydek alocasia obsidian.", "attributes": ["super soft", "living room"], "options": ["color: frydek alocasia obsidian"], "instruction_attributes": ["super soft"], "instruction_options": ["frydek alocasia obsidian"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL8412FAX7", "worker_id": "A2ECRNQ3X5LEXD"}], "B07DZ3PKYT": [{"asin": "B07DZ3PKYT", "instruction": "i would like a 3 pack of classic long lasting soap that's cruelty free.", "attributes": ["plant based", "cruelty free", "sulfate free", "paraben free", "long lasting"], "options": ["scent: classics", "size: 5.8 ounce (pack of 3)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["classics", "5.8 ounce (pack of 3)"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB422AQQ", "worker_id": "A1WS884SI0SLO4"}], "B09RSFNQL6": [{"asin": "B09RSFNQL6", "instruction": "i am looking for some light weight boxers that are multicolored and in a large size", "attributes": ["light weight", "hand wash", "fashion design"], "options": ["color: b multicolor", "size: large"], "instruction_attributes": ["light weight"], "instruction_options": ["b multicolor", "large"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATYS37R", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PV6XG98": [{"asin": "B09PV6XG98", "instruction": "i need cupcake toppers for a birthday party.", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZHP05S", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZHMJDG8": [{"asin": "B07ZHMJDG8", "instruction": "i would like to buy a travel size cicaronic variety pack that comes with nourishing hyaluronic acid.", "attributes": ["travel size", "hyaluronic acid"], "options": ["color: cicaronic variety pack", "style name: vitaronic (nourishing)"], "instruction_attributes": ["travel size", "hyaluronic acid"], "instruction_options": ["cicaronic variety pack", "vitaronic (nourishing)"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTFGV5X", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07ZHMJDG8", "instruction": "i am looking for cream hyaluronic acid in peptaronic cream", "attributes": ["travel size", "hyaluronic acid"], "options": ["color: peptaronic cream", "style name: peptaronic (hydrating)"], "instruction_attributes": ["hyaluronic acid"], "instruction_options": ["peptaronic cream"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1O0ITO", "worker_id": "A2MSIFDLOHI1UT"}], "B078XRDP54": [{"asin": "B078XRDP54", "instruction": "i'm looking for a medium sized loose fit tank top. also, look for tie dye navy one", "attributes": ["loose fit", "gym workout"], "options": ["color: tie dye navy", "size: medium"], "instruction_attributes": ["loose fit"], "instruction_options": ["tie dye navy", "medium"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADDHHA8", "worker_id": "AR0VJ5XRG16UJ"}], "B098K1NFFM": [{"asin": "B098K1NFFM", "instruction": "i am looking for a grey box spring bed that is a twin size.", "attributes": ["queen size", "box spring", "wood frame", "living room"], "options": ["color: grey", "size: twin"], "instruction_attributes": ["box spring"], "instruction_options": ["grey", "twin"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HKUWOM", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MTTT87L": [{"asin": "B09MTTT87L", "instruction": "i am looking for a christmas top that is long sleeved and is a size small.", "attributes": ["quick drying", "machine washable", "short sleeve", "long sleeve", "laundry bag", "daily wear"], "options": ["color: snk-xmas tops a151-pink", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["snk-xmas tops a151-pink", "small"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YUSEHH", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SF1XHMM": [{"asin": "B09SF1XHMM", "instruction": "i'm looking for black closed toe women's sandals.", "attributes": ["closed toe", "ankle strap"], "options": ["color: a3 - black", "size: 7.5 wide"], "instruction_attributes": ["closed toe"], "instruction_options": ["a3 - black"], "assignment_id": "3URFVVM16GSBNLZB11OMB709G4FUZ8", "worker_id": "A19317A3X87NVM"}, {"asin": "B09SF1XHMM", "instruction": "i need some black ankle strap flats that are in a size 9 wide.", "attributes": ["closed toe", "ankle strap"], "options": ["color: a11 - black", "size: 9 wide"], "instruction_attributes": ["ankle strap"], "instruction_options": ["a11 - black", "9 wide"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1Z64PA2", "worker_id": "A2ECRNQ3X5LEXD"}], "B095BNV8FY": [{"asin": "B095BNV8FY", "instruction": "i am looking for living room throws that are a rose color and are in 50\" by 60\".", "attributes": ["machine washable", "living room"], "options": ["color: rose2", "size: 50\"x60\""], "instruction_attributes": ["living room"], "instruction_options": ["rose2", "50\"x60\""], "assignment_id": "3HSYG7LRBU82VUVD7MHAI53YA8SKKB", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GDS8XRQ": [{"asin": "B07GDS8XRQ", "instruction": "i would like an oil free foundation in the shade 175 natural ochre that is one ounce.", "attributes": ["oil free", "long lasting", "high quality"], "options": ["color: 175 natural ochre", "size: 1.0 fluid ounce"], "instruction_attributes": ["oil free"], "instruction_options": ["175 natural ochre", "1.0 fluid ounce"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIVIT3S", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07GDS8XRQ", "instruction": "i want to get to get long lasting foundation that is in color 380 rich ginger.", "attributes": ["oil free", "long lasting", "high quality"], "options": ["color: 380 rich ginger", "size: 1.0 fluid ounce"], "instruction_attributes": ["long lasting"], "instruction_options": ["380 rich ginger"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4XX1GPH", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B07GDS8XRQ", "instruction": "i need shell colored and oil free revlon colorstay liquid foundation makeup.", "attributes": ["oil free", "long lasting", "high quality"], "options": ["color: 285 shell", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["285 shell"], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROKQ4WWH", "worker_id": "A2RBF3IIJP15IH"}], "B0127XRALY": [{"asin": "B0127XRALY", "instruction": "i would like some bath salts that are for sensitive skin and that are eucalyptus.", "attributes": ["fragrance free", "sensitive skin"], "options": ["scent: eucalyptus"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["eucalyptus"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6T8UNMQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07XZ8MDQ5": [{"asin": "B07XZ8MDQ5", "instruction": "i would like a loose fit tunic that is lavender in the size 6x.", "attributes": ["machine washable", "loose fit", "daily wear"], "options": ["color: lavender", "size: 6x"], "instruction_attributes": ["loose fit"], "instruction_options": ["lavender", "6x"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CH9QNB1", "worker_id": "A2ECRNQ3X5LEXD"}], "B081376463": [{"asin": "B081376463", "instruction": "i need glitter cupcake picks in rose gold for my daughter's birthday party.", "attributes": ["baby shower", "cupcake picks"], "options": ["color: rose gold"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["rose gold"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WOV92CY", "worker_id": "A19317A3X87NVM"}], "B082KWFV79": [{"asin": "B082KWFV79", "instruction": "i need a high quality skin care tool.", "attributes": ["non toxic", "high quality", "hyaluronic acid"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40CJNXF", "worker_id": "A2ECRNQ3X5LEXD"}], "B0794RJW4K": [{"asin": "B0794RJW4K", "instruction": "i'm looking for a certified refurbished hd 8 tablet with quad core processor. also, choose 32 gb storage capacity, yellow colored one with 1 year of amazon kids+ subscription.", "attributes": ["certified refurbished", "hands free", "quad core"], "options": ["color: yellow", "digital storage capacity: 32 gb", "style: with 1 year of amazon kids+"], "instruction_attributes": ["certified refurbished", "quad core"], "instruction_options": ["yellow", "32 gb"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLCQF2J", "worker_id": "AR0VJ5XRG16UJ"}], "B09NTKVL5J": [{"asin": "B09NTKVL5J", "instruction": "i would like a b-pink bomber jacket that has a relaxed fit and is a size small.", "attributes": ["quality materials", "relaxed fit", "long sleeve"], "options": ["color: b-pink", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["b-pink", "small"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BEE8X0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09D8RX28J": [{"asin": "B09D8RX28J", "instruction": "i'm looking for a long lasting silver laptop.", "attributes": ["long lasting", "core i5", "intel core"], "options": ["capacity: 512gb", "color: silver", "configuration: 15.6\" | i5 11th gen | mystic blue"], "instruction_attributes": ["long lasting"], "instruction_options": ["silver"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AB9TSC", "worker_id": "A19317A3X87NVM"}], "B07D5ZJFQV": [{"asin": "B07D5ZJFQV", "instruction": "i am looking for gluten free popcorn in an 8 pack that is a savory variety pack", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": ["flavor: savory variety pack", "size: 0.9 ounce (pack of 8)", "style: popcorn"], "instruction_attributes": ["gluten free"], "instruction_options": ["savory variety pack", "0.9 ounce (pack of 8)"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQ7JKE6", "worker_id": "A2ECRNQ3X5LEXD"}], "B09M8L7G7V": [{"asin": "B09M8L7G7V", "instruction": "i would like to get a four drawer linen night stand with a lot of storage space.", "attributes": ["easy assemble", "steel frame", "storage space"], "options": ["color: linen", "size: 4 teir (4-drawer)"], "instruction_attributes": ["storage space"], "instruction_options": ["linen", "4 teir (4-drawer)"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21I0QF4", "worker_id": "A1WS884SI0SLO4"}], "B074NMGP2P": [{"asin": "B074NMGP2P", "instruction": "i would like to buy a blu ray ac adapter.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW63OVVA", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B074NMGP2P", "instruction": "i'm looking for ac adapter with blu ray and has output protection.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["output protection", "blu ray"], "instruction_options": [], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQSCB4B", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B074NMGP2P", "instruction": "i am interested in ac adapters with output protection.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N3RT7W", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FZ8B61T": [{"asin": "B09FZ8B61T", "instruction": "i would like to get a size 8.5 women's rubber sole running shoe preferably in a black purple.", "attributes": ["anti slip", "day comfort", "rubber sole"], "options": ["color: black purple plaid b", "size: 8.5 women | 7 men"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YWZ0T47", "worker_id": "A1WS884SI0SLO4"}], "B09C5HBXNS": [{"asin": "B09C5HBXNS", "instruction": "i need a living room end table that is 20.91 by 24 inches.", "attributes": ["space saving", "easy clean", "living room"], "options": ["size: 20x9.1x24 inch"], "instruction_attributes": ["living room"], "instruction_options": ["20x9.1x24 inch"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTCTV54", "worker_id": "A2ECRNQ3X5LEXD"}], "B00IS5V1SE": [{"asin": "B00IS5V1SE", "instruction": "i'm looking for 8.12 fluid ounces of sulfate-free shampoo that helps prevent hair loss.", "attributes": ["clinically proven", "sulfate free", "dry hair", "hair loss", "natural hair", "hair growth"], "options": ["size: 8.12 fl oz (pack of 1)"], "instruction_attributes": ["sulfate free", "hair loss"], "instruction_options": ["8.12 fl oz (pack of 1)"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZOLZJL", "worker_id": "A345TDMHP3DQ3G"}], "B074K2BYWX": [{"asin": "B074K2BYWX", "instruction": "i am looking for some hair pins that are rose gold.", "attributes": ["high quality", "rose gold"], "options": [""], "instruction_attributes": ["rose gold"], "instruction_options": [], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV6A8V7", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q2TDFWV": [{"asin": "B09Q2TDFWV", "instruction": "i am looking for a blue and green bluetooth wireless ps3 controller with a charger cable.", "attributes": ["high performance", "wireless bluetooth"], "options": ["color: blue+green"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["blue+green"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HLFWO9", "worker_id": "A1EREKSZAA9V7B"}], "B0722SK15V": [{"asin": "B0722SK15V", "instruction": "i would like a 18 x24 nero black mirror that can be mounted on my bathroom wall.", "attributes": ["wall mounted", "wood frame"], "options": ["color: nero black", "size: glass size 18x24"], "instruction_attributes": ["wall mounted"], "instruction_options": ["nero black", "glass size 18x24"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVCTTUZ", "worker_id": "A1WS884SI0SLO4"}], "B09CQ1X43J": [{"asin": "B09CQ1X43J", "instruction": "i want to find an led light strip that also features a usb port.", "attributes": ["plug play", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVYRADIC", "worker_id": "A345TDMHP3DQ3G"}], "B07CRKFF9C": [{"asin": "B07CRKFF9C", "instruction": "i would like to get some portable bluetooth speakers with stereo sound.", "attributes": ["easy carry", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0JVJ8P", "worker_id": "A1WS884SI0SLO4"}], "B0823W298C": [{"asin": "B0823W298C", "instruction": "i am looking for a bookcase that is made of engineered wood.", "attributes": ["assembly required", "white finish", "engineered wood"], "options": [""], "instruction_attributes": ["engineered wood"], "instruction_options": [], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM9V4I1Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B008KM9BW8": [{"asin": "B008KM9BW8", "instruction": "i want to buy a hair brush for dry hair that is small size.", "attributes": ["long lasting", "hair styling", "dry hair", "hair growth", "hair loss"], "options": ["color: c-blue", "size: small (pack of 1)"], "instruction_attributes": ["dry hair"], "instruction_options": ["small (pack of 1)"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFLUE3M", "worker_id": "A2YNPKYEFDZ6C9"}], "B09MZQV3QB": [{"asin": "B09MZQV3QB", "instruction": "i'm trying to find a 30-count package of strawberry beet snack bars that my toddler would love. the bars must be nut and dairy free.", "attributes": ["gluten free", "non gmo", "bpa free", "shelf stable", "nut free", "dairy free"], "options": ["flavor name: strawberry beet", "size: 30 count"], "instruction_attributes": ["nut free", "dairy free"], "instruction_options": ["strawberry beet", "30 count"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2E3L5N", "worker_id": "A345TDMHP3DQ3G"}], "B07Z5H7CYX": [{"asin": "B07Z5H7CYX", "instruction": "i would like to buy to some fat free non gmo original beef jerky.", "attributes": ["plant based", "non gmo", "gluten free", "fat free", "ready eat"], "options": ["flavor name: beef - original"], "instruction_attributes": ["non gmo", "fat free"], "instruction_options": ["beef - original"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYCU6LA", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07Z5H7CYX", "instruction": "i would like a bag of original beef jerky that is non gmo.", "attributes": ["plant based", "non gmo", "gluten free", "fat free", "ready eat"], "options": ["flavor name: beef - original"], "instruction_attributes": ["non gmo"], "instruction_options": ["beef - original"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CE90VZ", "worker_id": "A1WS884SI0SLO4"}], "B09PTZYPDZ": [{"asin": "B09PTZYPDZ", "instruction": "i would like to buy a a34 colored 9x6 foot photo background that's light weight to move.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a34", "size: 9x6ft | 2.7x1.8m"], "instruction_attributes": ["light weight"], "instruction_options": ["a34", "9x6ft | 2.7x1.8m"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW2IS8O", "worker_id": "A1WS884SI0SLO4"}], "B08VF32TK7": [{"asin": "B08VF32TK7", "instruction": "i would like to buy three chairs for my dining room that i can assemble at home.", "attributes": ["button tufted", "assembly required", "living room", "dining room"], "options": ["item package quantity: 3"], "instruction_attributes": ["assembly required", "dining room"], "instruction_options": ["3"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKC62H7A", "worker_id": "A1WS884SI0SLO4"}], "B08QFZ7L6X": [{"asin": "B08QFZ7L6X", "instruction": "i would like to buy a bronze table lamp for my living room.", "attributes": ["bronze finish", "living room"], "options": [""], "instruction_attributes": ["bronze finish", "living room"], "instruction_options": [], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSDN263", "worker_id": "A1WS884SI0SLO4"}], "B08VJ2JV5S": [{"asin": "B08VJ2JV5S", "instruction": "i need teeth whitening strips that are a size 1.2 by 1.5 mm.", "attributes": ["teeth whitening", "easy carry", "oral hygiene"], "options": ["color: size1.2-1.5mm"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["size1.2-1.5mm"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJYJ7GRZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B0839MQ8Y8": [{"asin": "B0839MQ8Y8", "instruction": "i need a quad core white tablet that has 64gb of storage.", "attributes": ["dual band", "hands free", "quad core"], "options": ["color: white", "digital storage capacity: 64 gb", "offer type: without lockscreen ads", "style: with case & screen protector (2-pack)"], "instruction_attributes": ["quad core"], "instruction_options": ["white", "64 gb"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7K63DPO", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VS7S6NN": [{"asin": "B07VS7S6NN", "instruction": "i need anti slip sneakers that are leopard in a size 7.", "attributes": ["anti slip", "rubber sole"], "options": ["color: leopard", "size: 7"], "instruction_attributes": ["anti slip"], "instruction_options": ["leopard", "7"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZRNCNO", "worker_id": "A2ECRNQ3X5LEXD"}], "B099J3NKC3": [{"asin": "B099J3NKC3", "instruction": "i'm looking for some hair cutting shears.", "attributes": ["hair salon", "hair cutting", "dry hair"], "options": ["pattern name: 6\" thinning"], "instruction_attributes": ["hair cutting"], "instruction_options": ["6\" thinning"], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38GQ7JJJ", "worker_id": "A19317A3X87NVM"}], "B07QH7TX43": [{"asin": "B07QH7TX43", "instruction": "i am looking for dried strawberries and pineapple that are organic", "attributes": ["non gmo", "usda organic", "low calorie"], "options": ["flavor: strawberries + pineapple", "size: strawberries 1.2 ounce & roasted corn 1....", "style: bundle"], "instruction_attributes": ["usda organic"], "instruction_options": ["strawberries + pineapple"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0RWPXP", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07QH7TX43", "instruction": "i want to buy some dried strawberries with corn. get the twelve pack bundle of 1.2 ounce bags. make sure it's low calorie, usda organic, and non-gmo.", "attributes": ["non gmo", "usda organic", "low calorie"], "options": ["flavor: strawberries + corn", "size: 1.2 ounce (pack of 12)", "style: bundle"], "instruction_attributes": ["non gmo", "usda organic", "low calorie"], "instruction_options": ["strawberries + corn", "1.2 ounce (pack of 12)", "bundle"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733J6EBO", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07QH7TX43", "instruction": "i want some dried bananas and strawberries. make sure they're usda organic.", "attributes": ["non gmo", "usda organic", "low calorie"], "options": ["flavor: bananas and strawberries", "size: 1 count (pack of 1)", "style: bag"], "instruction_attributes": ["usda organic"], "instruction_options": ["bananas and strawberries"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWXW5TT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07QH7TX43", "instruction": "i want low calories usda organic", "attributes": ["non gmo", "usda organic", "low calorie"], "options": ["flavor: mangoes", "size: 1.3 ounce (pack of 8)", "style: bag"], "instruction_attributes": ["usda organic"], "instruction_options": ["mangoes"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJOIZ8E", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B07QH7TX43", "instruction": "i would like a bundle of 1.2 ounce bag of usda organic pomegranate arils.", "attributes": ["non gmo", "usda organic", "low calorie"], "options": ["flavor: pomegranate arils", "size: 1.2 ounce (pack of 12)", "style: bundle"], "instruction_attributes": ["usda organic"], "instruction_options": ["pomegranate arils", "1.2 ounce (pack of 12)", "bundle"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOODVYE", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07QH7TX43", "instruction": "i want a bundle of non gmo natierra organic dried mango cheeks.", "attributes": ["non gmo", "usda organic", "low calorie"], "options": ["flavor: chocolate strawberry slices", "size: 1.8 ounce (pack of 12)", "style: bundle"], "instruction_attributes": ["non gmo"], "instruction_options": ["bundle"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKK4VPG", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07QH7TX43", "instruction": "look for this snack natierra organic dried strawberries + pomegranate arils, low calorie if is possible.", "attributes": ["non gmo", "usda organic", "low calorie"], "options": ["flavor: strawberries + pomegranate arils", "size: 1.3 ounce (pack of 4)", "style: bag"], "instruction_attributes": ["low calorie"], "instruction_options": ["strawberries + pomegranate arils"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BLCJVI", "worker_id": "A15IJ20C3R4HUO"}], "B08V8VJF6L": [{"asin": "B08V8VJF6L", "instruction": "i would like to get a 8 + 256 gig quad core desktop mini computer.", "attributes": ["dual band", "ultra hd", "easy carry", "high definition", "quad core"], "options": ["size: j4125 | 8gb+256gb"], "instruction_attributes": ["quad core"], "instruction_options": ["j4125 | 8gb+256gb"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DQTTOA", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08V8VJF6L", "instruction": "i am looking for dual band desktops in size j4125", "attributes": ["dual band", "ultra hd", "easy carry", "high definition", "quad core"], "options": ["size: j4125 | 8gb+256gb"], "instruction_attributes": ["dual band"], "instruction_options": ["j4125 | 8gb+256gb"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA8GDMHD", "worker_id": "A16M39T60N60NO"}], "B074SQXBPW": [{"asin": "B074SQXBPW", "instruction": "i would like to get a 25.36 ounce passion fruit syrup made from natural ingredients.", "attributes": ["natural ingredients", "perfect gift"], "options": ["flavor name: passion fruit", "size: 25.36 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["passion fruit", "25.36 fl oz (pack of 1)"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKLLGSI", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B074SQXBPW", "instruction": "i would like a 25.4 fluid ounce bottle of hot butter rum syrup made from natural ingredients.", "attributes": ["natural ingredients", "perfect gift"], "options": ["flavor name: hot buttered rum", "size: 25.4 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["hot buttered rum", "25.4 fl oz (pack of 1)"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LA7O17", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B074SQXBPW", "instruction": "i need a 25.4 fl oz paradise blend flavor syrup that has natural ingredients", "attributes": ["natural ingredients", "perfect gift"], "options": ["flavor name: paradise blend", "size: 25.4 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["paradise blend", "25.4 fl oz (pack of 1)"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQA3KV9", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NNWGJMY": [{"asin": "B07NNWGJMY", "instruction": "i'm looking for a wood frame dining chair with solid wood legs.", "attributes": ["wood frame", "solid wood"], "options": ["color: grey", "size: dining side chair"], "instruction_attributes": ["wood frame", "solid wood"], "instruction_options": ["dining side chair"], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVYS7IDG", "worker_id": "A19317A3X87NVM"}], "B00IAYFD0K": [{"asin": "B00IAYFD0K", "instruction": "i'm looking for a high speed compact card for the usb reader.", "attributes": ["1080p hd", "high speed"], "options": ["capacity: 64 gb", "style: cfexpress + usb reader"], "instruction_attributes": ["high speed"], "instruction_options": ["cfexpress + usb reader"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0J2ACE", "worker_id": "A19317A3X87NVM"}], "B09S9Z9CNN": [{"asin": "B09S9Z9CNN", "instruction": "i need a nail drill for dead skin that comes in a size c.", "attributes": ["nail polish", "dead skin"], "options": ["color: nail drill bits set 2", "size: c"], "instruction_attributes": ["dead skin"], "instruction_options": ["nail drill bits set 2", "c"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR437UFE", "worker_id": "A2ECRNQ3X5LEXD"}], "B093FZ2SGF": [{"asin": "B093FZ2SGF", "instruction": "i am looking for some ready to eat jerky that is very hot and comes in a ten pack.", "attributes": ["ready eat", "great gift"], "options": ["flavor name: new thick & juicy extremely hot beef jerky", "size: 10 pack"], "instruction_attributes": ["ready eat"], "instruction_options": ["new thick & juicy extremely hot beef jerky", "10 pack"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRKXBZZ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B093FZ2SGF", "instruction": "i would like a pack of spicy sriracha bacon jerky that is ready to eat.", "attributes": ["ready eat", "great gift"], "options": ["flavor name: spicy sriracha bacon jerky", "size: 1 pack"], "instruction_attributes": ["ready eat"], "instruction_options": ["spicy sriracha bacon jerky", "1 pack"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1PGTIH", "worker_id": "A1WS884SI0SLO4"}], "B09QFJY8N1": [{"asin": "B09QFJY8N1", "instruction": "i'd like a stainless steel piercing kit.", "attributes": ["stainless steel", "beauty salon"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60GYAAT", "worker_id": "A22VGT2F28LTWC"}], "B07RLVXV5B": [{"asin": "B07RLVXV5B", "instruction": "i am looking for a headphones case that is apple compatible and is navy blue colored.", "attributes": ["dust proof", "compatible apple"], "options": ["color: a-navy blue"], "instruction_attributes": ["compatible apple"], "instruction_options": ["a-navy blue"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9L3788", "worker_id": "A2ECRNQ3X5LEXD"}], "B075TGSSSS": [{"asin": "B075TGSSSS", "instruction": "i am looking for a pack of six one ounce vegetable crisps that are plant based and cheddar flavor.", "attributes": ["nut free", "plant based", "gluten free", "non gmo", "low calorie"], "options": ["flavor name: cheddar cheese", "size: 1 ounce (pack of 6)"], "instruction_attributes": ["plant based"], "instruction_options": ["cheddar cheese", "1 ounce (pack of 6)"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNE97XIJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B094N33C2S": [{"asin": "B094N33C2S", "instruction": "i want to buy cupcake toppers that are for a birthday party.", "attributes": ["baby shower", "party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6X0G5V", "worker_id": "A2YNPKYEFDZ6C9"}], "B08597FCCC": [{"asin": "B08597FCCC", "instruction": "i would like to buy a heavy duty gray carrying case for my x box controller.", "attributes": ["heavy duty", "carrying case"], "options": ["color: grey"], "instruction_attributes": ["heavy duty", "carrying case"], "instruction_options": ["grey"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6474F3HQ", "worker_id": "A1WS884SI0SLO4"}], "B09Q23Z72W": [{"asin": "B09Q23Z72W", "instruction": "i'm looking for a mid century coffee table for my living room.", "attributes": ["mid century", "living room"], "options": [""], "instruction_attributes": ["mid century", "living room"], "instruction_options": [], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ5VTKC0", "worker_id": "A36LOA6VLJU157"}], "B083J8SQD2": [{"asin": "B083J8SQD2", "instruction": "i'm looking for a burgundy colored small men's tank top with a relaxed fit.", "attributes": ["machine wash", "polyester spandex", "relaxed fit"], "options": ["color: burgundy", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["burgundy", "small"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TDY3N3", "worker_id": "A345TDMHP3DQ3G"}], "B071Y1WJK5": [{"asin": "B071Y1WJK5", "instruction": "i would like to have two of a fine mist long lasting beauty case.", "attributes": ["bpa free", "long lasting", "travel bottles"], "options": ["color: fine mist", "size: pack of 2"], "instruction_attributes": ["long lasting"], "instruction_options": ["fine mist", "pack of 2"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y2MVI9", "worker_id": "A1WS884SI0SLO4"}], "B096P4161Q": [{"asin": "B096P4161Q", "instruction": "i need a fast charging 10 foot charger for my car that is in the color tarnish.", "attributes": ["fast charging", "high speed"], "options": ["color: tarnish", "size: 10foot"], "instruction_attributes": ["fast charging"], "instruction_options": ["tarnish", "10foot"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYPVVH4", "worker_id": "A2ECRNQ3X5LEXD"}], "B08ZMH7PM3": [{"asin": "B08ZMH7PM3", "instruction": "i need a freezed dried meal kit that is veggie chili.", "attributes": ["freeze dried", "shelf stable", "ready eat"], "options": ["flavor name: f.d.z #14 veggie chili"], "instruction_attributes": ["freeze dried"], "instruction_options": ["f.d.z #14 veggie chili"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGIQ9JWF", "worker_id": "A2ECRNQ3X5LEXD"}], "B001A7IJA0": [{"asin": "B001A7IJA0", "instruction": "i want to get some straight leg jeans in 36 waist and 32 length. the color needs to be medium stone washed with an art deco stitch back pocket embroidery.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: medium stone wash with art deco stitch back pocket embroidery", "size: 36w x 32l"], "instruction_attributes": ["straight leg"], "instruction_options": ["medium stone wash with art deco stitch back pocket embroidery", "36w x 32l"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATZ0371", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B001A7IJA0", "instruction": "i am looking for a straight leg jean. i prefer it to be blue.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: blue", "size: 32w x 30l"], "instruction_attributes": ["straight leg"], "instruction_options": ["blue"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KSO7E2", "worker_id": "A1NF6PELRKACS9"}], "B09NMFCSV8": [{"asin": "B09NMFCSV8", "instruction": "i need a tempered glass window film two pack in the color 91768059675860000 and 23.6 in by 23.6 in", "attributes": ["tempered glass", "dining room"], "options": ["color: 917680596758560000", "size: (width\uff0923.6in x (length)23.6in x 2pcs"], "instruction_attributes": ["tempered glass"], "instruction_options": ["917680596758560000", "(width\uff0923.6in x (length)23.6in x 2pcs"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOHSPH6C", "worker_id": "A2ECRNQ3X5LEXD"}], "B096KGGKQ5": [{"asin": "B096KGGKQ5", "instruction": "i am looking for a case for my smartwatch that is tempered glass and pink rose gold in a 41 mm size.", "attributes": ["compatible apple", "easy install", "glass screen", "tempered glass"], "options": ["color: pinkroseglod | redroseglod", "size: 41mm"], "instruction_attributes": ["tempered glass"], "instruction_options": ["pinkroseglod | redroseglod", "41mm"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNREPT4", "worker_id": "A2ECRNQ3X5LEXD"}], "B00CA6X50Y": [{"asin": "B00CA6X50Y", "instruction": "i'm looking for a straight leg, button closure type jeans. also choose nail loop knot designed big and tall fit type with size 33w*32l one.", "attributes": ["straight leg", "button closure", "cotton spandex"], "options": ["color: (new) nail loop knot", "fit type: big & tall", "size: 33w x 32l"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTRYTA0H", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00CA6X50Y", "instruction": "i'm looking for a straight leg men's jeans made of cotton spandex material with button closure. also choose big and tall, 443 * 32l with shooting star one.", "attributes": ["straight leg", "button closure", "cotton spandex"], "options": ["color: shooting star", "fit type: big & tall", "size: 44w x 32l"], "instruction_attributes": ["straight leg", "button closure", "cotton spandex"], "instruction_options": ["shooting star", "big & tall", "44w x 32l"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1PJF67", "worker_id": "AR0VJ5XRG16UJ"}], "B07CCHTLJD": [{"asin": "B07CCHTLJD", "instruction": "i am looking for a variety pack of dairy free granola bars that are 48 in count.", "attributes": ["dairy free", "gluten free", "0g trans"], "options": ["flavor name: variety pack", "size: 48 count (pack of 1)"], "instruction_attributes": ["dairy free"], "instruction_options": ["variety pack", "48 count (pack of 1)"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXLZOEAS", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TB2PQP8": [{"asin": "B07TB2PQP8", "instruction": "i am looking for a background for photography that is easy to carry.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3KV9ZO", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DDG1ZJB": [{"asin": "B08DDG1ZJB", "instruction": "i would like a green tea long lasting lip balm.", "attributes": ["long lasting", "certified organic", "plant based", "green tea"], "options": ["flavor name: chai spice, green tea, coffee bean - bun..."], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSG7AS9L", "worker_id": "A1WS884SI0SLO4"}], "B08XM81S7M": [{"asin": "B08XM81S7M", "instruction": "i would like to buy a four pack of easy use 1.75 ounce pasanda spice bottles", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: pasanda", "size: 1.76 ounce (pack of 4)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9AV2E6", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08XM81S7M", "instruction": "i want to find a 2-pack of achar recipe seasoning mix that's easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: achar recipe", "size: pack of 2"], "instruction_attributes": ["easy use"], "instruction_options": ["achar recipe", "pack of 2"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQXBAJG", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08XM81S7M", "instruction": "i am interested in a kashmiri indian seasoning that is easy to prepare and only 2.1 ounces.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: kashmiri rogan josh", "size: 2.1 ounce (pack of 4)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["kashmiri rogan josh", "2.1 ounce (pack of 4)"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI37VBDI", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08XM81S7M", "instruction": "i am looking for a 3.5 ounce hot and spicy pickle seasoning mix that is easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: kat a kat", "size: 3.5 ounce"], "instruction_attributes": ["easy use"], "instruction_options": ["3.5 ounce"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPVJPJ7", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08XM81S7M", "instruction": "i want 100g shan achar easy prepare paya flavor spice powder", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: paya", "size: 1.41 ounce (pack of 6)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["paya"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMYM2GF", "worker_id": "A1V2C99HEV3F14"}, {"asin": "B08XM81S7M", "instruction": "i am looking for spice powder of liver curry flavor that is easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: liver curry", "size: pack of 6"], "instruction_attributes": ["easy use"], "instruction_options": ["liver curry"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY869F181", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08XM81S7M", "instruction": "i need traditional ready to use pickle . and i choose a pack of 6", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: daal", "size: 1.75 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["1.75 ounce (pack of 6)"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS5T9GD", "worker_id": "A2COCSUGZV28X"}, {"asin": "B08XM81S7M", "instruction": "find an easy to prepare chicken masala seasoning.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chicken masala", "size: 1.76 ounce (pack of 2)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["chicken masala"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNR1AXJZ", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B08XM81S7M", "instruction": "look for a four pack of white karahi spice mix that's easy to use.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: chicken white karahi", "size: pack of 4"], "instruction_attributes": ["easy use"], "instruction_options": ["chicken white karahi", "pack of 4"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X5M3YT", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08XM81S7M", "instruction": "i need an easy to prepare stew mix that comes in a six pack.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: stew | dopiaza", "size: 3.52 ounce (pack of 6)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["stew | dopiaza", "3.52 ounce (pack of 6)"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6D1UPW", "worker_id": "A2ECRNQ3X5LEXD"}], "B09ND1WX3G": [{"asin": "B09ND1WX3G", "instruction": "i would like to buy size 8.5 grey faux fur loafers.", "attributes": ["knee high", "open toe", "winter warm", "steel toe", "closed toe", "faux fur"], "options": ["color: grey", "size: 8.5"], "instruction_attributes": ["faux fur"], "instruction_options": ["grey", "8.5"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCM156S", "worker_id": "A1WS884SI0SLO4"}], "B09QPXLJ31": [{"asin": "B09QPXLJ31", "instruction": "i would like a 60x40x43cm solid wood ottoman for my living room.", "attributes": ["button tufted", "non slip", "solid wood", "pu leather", "faux leather", "living room"], "options": ["size: 60x40x43cm"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["60x40x43cm"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1H6ITG", "worker_id": "A1WS884SI0SLO4"}], "B083YZ99PM": [{"asin": "B083YZ99PM", "instruction": "i need blue golf shoes made of vinyl that are in a size 8.5 wide.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: navy", "size: 8.5 wide"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["navy", "8.5 wide"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XJKGN7", "worker_id": "A2ECRNQ3X5LEXD"}], "B089GYNB54": [{"asin": "B089GYNB54", "instruction": "i would like a large grey shorts made of cotton spandex for working out.", "attributes": ["butt lifting", "elastic closure", "cotton spandex", "polyester cotton"], "options": ["color: 066 gray", "size: large"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["066 gray", "large"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWCZ3KUL", "worker_id": "A1WS884SI0SLO4"}], "B077D5N474": [{"asin": "B077D5N474", "instruction": "i'm looking for fur lined vinyl slippers.", "attributes": ["ethylene vinyl", "vinyl acetate", "faux fur", "synthetic sole"], "options": ["color: rosered", "size: 9.5 women | 8 men"], "instruction_attributes": ["ethylene vinyl", "vinyl acetate", "faux fur"], "instruction_options": ["9.5 women | 8 men"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PCW9INY", "worker_id": "A19317A3X87NVM"}], "B07P5C5GTS": [{"asin": "B07P5C5GTS", "instruction": "i need a polyester cotton polo shirt in size 6x-large. find me a blue one with a gray stripe.", "attributes": ["moisture wicking", "polyester cotton"], "options": ["color: 12129# blue (with gray stripe)", "size: 6x-large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["12129# blue (with gray stripe)", "6x-large"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PDXEQE", "worker_id": "A36LOA6VLJU157"}], "B08SW27HGH": [{"asin": "B08SW27HGH", "instruction": "i am looking for a silver tablet that is lightweight.", "attributes": ["light weight", "easy carry", "quad core"], "options": ["color: silver"], "instruction_attributes": ["light weight"], "instruction_options": ["silver"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5B5MUQE", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LF3LZCH": [{"asin": "B08LF3LZCH", "instruction": "i would like to buy some wild caught sardines.", "attributes": ["wild caught", "sugar free", "gluten free"], "options": [""], "instruction_attributes": ["wild caught"], "instruction_options": [], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJIC9OA", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08LF3LZCH", "instruction": "i want sugar free gluten free seafood sardines wild caught", "attributes": ["wild caught", "sugar free", "gluten free"], "options": [""], "instruction_attributes": ["wild caught", "sugar free", "gluten free"], "instruction_options": [], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVOP17S", "worker_id": "A3N9ZYQAESNFQH"}], "B099HSFGQP": [{"asin": "B099HSFGQP", "instruction": "find me a white bookshelf that requires assembly.", "attributes": ["assembly required", "white finish"], "options": [""], "instruction_attributes": ["assembly required", "white finish"], "instruction_options": [], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4SOXY8", "worker_id": "A36LOA6VLJU157"}], "B08QHT5RMH": [{"asin": "B08QHT5RMH", "instruction": "i need some power dental flossers that are for bad breath.", "attributes": ["clinically proven", "bad breath"], "options": [""], "instruction_attributes": ["bad breath"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB7FOSG", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CTRSKXB": [{"asin": "B07CTRSKXB", "instruction": "i want a rich protein bar.", "attributes": ["high protein", "gluten free", "birthday cake"], "options": [""], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISOUYOF", "worker_id": "A19317A3X87NVM"}], "B088GVPJBB": [{"asin": "B088GVPJBB", "instruction": "i want to buy some pink wireless bluetooth speakers that can switch between pairing and aux by the call button.", "attributes": ["stereo sound", "wireless bluetooth"], "options": ["color: pink-switch between \"bluetooth pairing\"&\"aux-in\" mode by \"call\" button"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["pink-switch between \"bluetooth pairing\"&\"aux-in\" mode by \"call\" button"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0RDPX6", "worker_id": "A1WS884SI0SLO4"}], "B09BJR3LQ2": [{"asin": "B09BJR3LQ2", "instruction": "i want to find a 4-pack of energy drinks that are gluten free and have no artificial colors.", "attributes": ["non gmo", "gluten free", "source vitamin", "artificial colors"], "options": ["size: pack of 4"], "instruction_attributes": ["gluten free", "artificial colors"], "instruction_options": ["pack of 4"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKR0IUM", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09BJR3LQ2", "instruction": "i am looking for a pack of 4 energy drinks with vitamins, that is also gluten free", "attributes": ["non gmo", "gluten free", "source vitamin", "artificial colors"], "options": ["size: pack of 4"], "instruction_attributes": ["gluten free", "source vitamin"], "instruction_options": ["pack of 4"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVDF8VQ", "worker_id": "A2NSS746CFCT4M"}], "B00DQ2B8UA": [{"asin": "B00DQ2B8UA", "instruction": "i would like to see over the ear headphones with batteries included.", "attributes": ["batteries included", "light weight"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHTJHQR", "worker_id": "A19317A3X87NVM"}], "B0183RU25O": [{"asin": "B0183RU25O", "instruction": "i want an easy to use instant beverage mix in hazelnut flavor, just one pound.", "attributes": ["rich creamy", "easy use"], "options": ["flavor name: hazelnut", "size: 1 pound (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["hazelnut", "1 pound (pack of 6)"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUULNQJ5", "worker_id": "A36LOA6VLJU157"}, {"asin": "B0183RU25O", "instruction": "i looking easy use rich creamy instant coffee double mocha flavor ,14 ounce", "attributes": ["rich creamy", "easy use"], "options": ["flavor name: double mocha", "size: 14 ounce (pack of 1)"], "instruction_attributes": ["rich creamy", "easy use"], "instruction_options": ["double mocha", "14 ounce (pack of 1)"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIN1580", "worker_id": "A3N9ZYQAESNFQH"}], "B078FBVJ7H": [{"asin": "B078FBVJ7H", "instruction": "i would like to get some women's size 13 vinyl acetate clogs with blossoms.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: blossom", "size: 13 b(m) us women | 11 d(m) us men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["blossom", "13 b(m) us women | 11 d(m) us men"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH4HE11", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B078FBVJ7H", "instruction": "i would like a pair of pomegranate women's size 4 clogs made of vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: pomegranate", "size: 4 women | 2 men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["pomegranate", "4 women | 2 men"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V5DU2H", "worker_id": "A1WS884SI0SLO4"}], "B08731VV8F": [{"asin": "B08731VV8F", "instruction": "i would like to buy a heather slate pebble weave loveseat with a solid wood frame.", "attributes": ["mid century", "high density", "memory foam", "solid wood", "wood frame"], "options": ["color: heathered slate pebble weave", "size: loveseat"], "instruction_attributes": ["solid wood", "wood frame"], "instruction_options": ["heathered slate pebble weave", "loveseat"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THR5Z5M", "worker_id": "A1WS884SI0SLO4"}], "B0977H69D1": [{"asin": "B0977H69D1", "instruction": "i want a variety pack of jerkey ready to eat.", "attributes": ["protein serving", "ready eat"], "options": ["flavor name: variety pack", "size: 3.25 ounce (pack of 4)"], "instruction_attributes": ["ready eat"], "instruction_options": ["variety pack"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z42CQCR", "worker_id": "A19317A3X87NVM"}, {"asin": "B0977H69D1", "instruction": "i am looking for a 3.25 ounce (pack of 3) of protein serving jerky", "attributes": ["protein serving", "ready eat"], "options": ["flavor name: sweet teriyaki", "size: 3.25 ounce (pack of 3)"], "instruction_attributes": ["protein serving"], "instruction_options": ["3.25 ounce (pack of 3)"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IUETL1", "worker_id": "A9QRQL9CFJBI7"}], "B09R4FW2HP": [{"asin": "B09R4FW2HP", "instruction": "i would like to get some extra large light blue high waisted jeans with a loose fit.", "attributes": ["fleece lined", "wide leg", "loose fit", "high waist", "relaxed fit", "drawstring closure", "tummy control", "elastic waist", "long sleeve", "daily wear"], "options": ["color: a2-light blue", "size: x-large"], "instruction_attributes": ["loose fit", "high waist"], "instruction_options": ["a2-light blue", "x-large"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKLYEPI", "worker_id": "A1WS884SI0SLO4"}], "B00I5ELBA6": [{"asin": "B00I5ELBA6", "instruction": "i would like to buy a black glider and ottoman set that is easy to clean.", "attributes": ["easy clean", "easy assemble"], "options": ["color: black | light gray"], "instruction_attributes": ["easy clean"], "instruction_options": ["black | light gray"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFB3V9S", "worker_id": "A1WS884SI0SLO4"}], "B01MYDIBAC": [{"asin": "B01MYDIBAC", "instruction": "buy as many kay's chips as possible when of the ones with french vanilla flavors drops the price drops", "attributes": ["gluten free", "protein serving", "low fat", "high protein", "natural flavors"], "options": ["flavor: french vanilla", "size: 9.5 ounces (pack of 6)"], "instruction_attributes": ["low fat", "natural flavors"], "instruction_options": ["french vanilla", "9.5 ounces (pack of 6)"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRSYUEUA", "worker_id": "A2NF3B9O8ZKLLZ"}, {"asin": "B01MYDIBAC", "instruction": "i am looking for a 1.2 ounce (pack of 6) gluten-free, low fat chips & crisps", "attributes": ["gluten free", "protein serving", "low fat", "high protein", "natural flavors"], "options": ["flavor: protein cereal - honey almond", "size: 1.2 ounce (pack of 6)"], "instruction_attributes": ["gluten free", "low fat"], "instruction_options": ["1.2 ounce (pack of 6)"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107ARILW", "worker_id": "A9QRQL9CFJBI7"}], "B08R7PRV85": [{"asin": "B08R7PRV85", "instruction": "i need a leak proof bag that is black.", "attributes": ["leak proof", "easy use"], "options": ["color: black"], "instruction_attributes": ["leak proof"], "instruction_options": ["black"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHUGB79", "worker_id": "A2ECRNQ3X5LEXD"}], "B005CGOMZQ": [{"asin": "B005CGOMZQ", "instruction": "i am looking for some flats with memory foam in a size nine and the color picante.", "attributes": ["synthetic sole", "memory foam"], "options": ["color: picante", "size: 9"], "instruction_attributes": ["memory foam"], "instruction_options": ["picante", "9"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVDWXLS", "worker_id": "A2ECRNQ3X5LEXD"}], "B01M1VI9W8": [{"asin": "B01M1VI9W8", "instruction": "i would like to buy some size 16 rubber sole work shoes.", "attributes": ["slip resistant", "rubber sole"], "options": ["size: 16"], "instruction_attributes": ["rubber sole"], "instruction_options": ["16"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN3UI8Y", "worker_id": "A1WS884SI0SLO4"}], "B07NVB9ZC4": [{"asin": "B07NVB9ZC4", "instruction": "i would like to get some l5036 nail tips that are easy to put on.", "attributes": ["easy apply", "high quality", "nail art"], "options": ["color: l5036"], "instruction_attributes": ["easy apply"], "instruction_options": ["l5036"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PHGX2M", "worker_id": "A1WS884SI0SLO4"}], "B01APTZH1W": [{"asin": "B01APTZH1W", "instruction": "i would like to get a paraben free oil moisturizer.", "attributes": ["animal testing", "paraben free"], "options": [""], "instruction_attributes": ["paraben free"], "instruction_options": [], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7WJHM9", "worker_id": "A1WS884SI0SLO4"}], "B07Z9VGZMH": [{"asin": "B07Z9VGZMH", "instruction": "i would like to get some orange wireless bluetooth speakers.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: orange"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["orange"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61OEZW8", "worker_id": "A1WS884SI0SLO4"}], "B09DSXCB6D": [{"asin": "B09DSXCB6D", "instruction": "i would like to buy a size 42 white smartwatch band that works with my apple watch.", "attributes": ["compatible apple", "high performance"], "options": ["color: white | black | navy bule", "size: 42 | 44mm s | m"], "instruction_attributes": ["compatible apple"], "instruction_options": ["white | black | navy bule", "42 | 44mm s | m"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U1OAMM", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09DSXCB6D", "instruction": "i need an apple compatible smart watch band in blue, green, and red.", "attributes": ["compatible apple", "high performance"], "options": ["color: bule | green | red", "size: 42 | 44mm m | l"], "instruction_attributes": ["compatible apple"], "instruction_options": ["bule | green | red"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZZXPCS", "worker_id": "A19317A3X87NVM"}], "B08JTLCT5C": [{"asin": "B08JTLCT5C", "instruction": "i want to find a blue home office chair that's easy to assemble.", "attributes": ["height adjustable", "high density", "easy install", "easy assemble", "living room"], "options": ["color: a-type blue"], "instruction_attributes": ["easy assemble"], "instruction_options": ["a-type blue"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTE7PLG", "worker_id": "A345TDMHP3DQ3G"}], "B092PRRNXL": [{"asin": "B092PRRNXL", "instruction": "i would like to buy a four pack of medium machine washable boxer briefs.", "attributes": ["machine wash", "quick drying", "polyester spandex"], "options": ["color: 4-pack(n1168)02", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["4-pack(n1168)02", "medium"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZD49KS", "worker_id": "A1WS884SI0SLO4"}], "B09PZ4VF7K": [{"asin": "B09PZ4VF7K", "instruction": "i would like a toothbrush that works well with sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": [""], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQBYRJO", "worker_id": "A1WS884SI0SLO4"}], "B08GYF3H6N": [{"asin": "B08GYF3H6N", "instruction": "i need an old fashioned rope sausage without gluten.", "attributes": ["old fashioned", "gluten free", "keto friendly"], "options": ["flavor name: old world style"], "instruction_attributes": ["old fashioned", "gluten free"], "instruction_options": ["old world style"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P11BUR", "worker_id": "A19317A3X87NVM"}, {"asin": "B08GYF3H6N", "instruction": "i want keto friendly old world kielbasa rope sausage.", "attributes": ["old fashioned", "gluten free", "keto friendly"], "options": ["flavor name: old world style"], "instruction_attributes": ["keto friendly"], "instruction_options": ["old world style"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0144WA", "worker_id": "A2RBF3IIJP15IH"}], "B07P67D59M": [{"asin": "B07P67D59M", "instruction": "i'm looking for some non-gmo pistachios.", "attributes": ["non gmo", "dietary fiber"], "options": ["size: 25 lb"], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROKICWW9", "worker_id": "A19317A3X87NVM"}], "B09SGZ536L": [{"asin": "B09SGZ536L", "instruction": "i would like a slim fit khaki tank top that is in a size medium.", "attributes": ["moisture wicking", "slim fit", "short sleeve", "contrast color", "quality materials", "daily wear"], "options": ["color: khaki", "size: medium"], "instruction_attributes": ["slim fit"], "instruction_options": ["khaki", "medium"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RUXSLR3", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QG5DKTF": [{"asin": "B07QG5DKTF", "instruction": "i would like to get some 29 x 12 galatic machine washable denim shorts.", "attributes": ["easy care", "moisture wicking", "machine washable", "machine wash"], "options": ["color: galactic", "size: 29w x 12l"], "instruction_attributes": ["machine washable", "machine wash"], "instruction_options": ["galactic", "29w x 12l"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5BCIWU", "worker_id": "A1WS884SI0SLO4"}], "B0948XCDCJ": [{"asin": "B0948XCDCJ", "instruction": "i would like to get some medium grey shorts that i can machine wash.", "attributes": ["butt lifting", "moisture wicking", "machine wash", "high waist", "nylon spandex", "elastic closure", "tummy control"], "options": ["color: 4# gray", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["4# gray", "medium"], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6E1EE2", "worker_id": "A1WS884SI0SLO4"}], "B08W3HQNKF": [{"asin": "B08W3HQNKF", "instruction": "i'm looking for a blue hair brush for removing hair danfruss..", "attributes": ["hair removal", "hair growth", "hair loss"], "options": ["color: blue"], "instruction_attributes": ["hair removal"], "instruction_options": ["blue"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHESMTJM", "worker_id": "A19317A3X87NVM"}], "B09Q57MYVF": [{"asin": "B09Q57MYVF", "instruction": "i would like to buy a high gloss walnut entertainment center for a 51 inch tv that has a lot of storage space.", "attributes": ["white item", "high gloss", "storage space", "tempered glass"], "options": ["color: walnet,black", "size: 51inch"], "instruction_attributes": ["high gloss", "storage space"], "instruction_options": ["walnet,black", "51inch"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UO8D1WV", "worker_id": "A1WS884SI0SLO4"}], "B00ODEW87C": [{"asin": "B00ODEW87C", "instruction": "i am looking for icelandic yogurt that is rich and creamy.", "attributes": ["rich creamy", "protein serving"], "options": [""], "instruction_attributes": ["rich creamy"], "instruction_options": [], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP40COH", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BNGNKW7": [{"asin": "B08BNGNKW7", "instruction": "i would like a 5 shelf oak bookcase and mount for my living room.", "attributes": ["wall mounted", "engineered wood", "living room"], "options": ["color: oak | black", "pattern name: bookcase + mount", "size: 5-shelf"], "instruction_attributes": ["living room"], "instruction_options": ["oak | black", "bookcase + mount", "5-shelf"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NEDKBL", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08BNGNKW7", "instruction": "nathan james theo 3 shelf white bookcase, open wall industrial shelving unit, engineered wood for my living room, find it at a discounted price", "attributes": ["wall mounted", "engineered wood", "living room"], "options": ["color: gray oak wood | white", "pattern name: bookcase", "size: 3-shelf"], "instruction_attributes": ["engineered wood", "living room"], "instruction_options": ["3-shelf"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCFJH79", "worker_id": "A15IJ20C3R4HUO"}], "B0817MVS98": [{"asin": "B0817MVS98", "instruction": "i need puffed snacks that are grain free in a spicy salsa flavor and come in a 24 pack.", "attributes": ["grain free", "artificial ingredients", "ready eat", "non gmo", "gluten free"], "options": ["color: spicy salsa", "size: 1.5 ounce (pack of 24)"], "instruction_attributes": ["grain free"], "instruction_options": ["spicy salsa", "1.5 ounce (pack of 24)"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0T8W4Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B099KWKY36": [{"asin": "B099KWKY36", "instruction": "i would like a citrus yao conditioner made with natural ingredients.", "attributes": ["sulfate free", "eco friendly", "paraben free", "cruelty free", "natural ingredients"], "options": ["size: conditioner", "style: citrus yao"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["conditioner", "citrus yao"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5M06XU", "worker_id": "A1WS884SI0SLO4"}], "B09RG13J2N": [{"asin": "B09RG13J2N", "instruction": "i would like to buy 2 pounds of milk chocolate hershey's with almonds for valentine's day.", "attributes": ["kosher certified", "individually wrapped", "valentine day"], "options": ["flavor name: hershey's milk chocolate with almonds", "size: 2 pound"], "instruction_attributes": ["valentine day"], "instruction_options": ["hershey's milk chocolate with almonds", "2 pound"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8ND3KB9", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09RG13J2N", "instruction": "i want 5 pound valentine day special kosher certified hershey's special dark chocolate", "attributes": ["kosher certified", "individually wrapped", "valentine day"], "options": ["flavor name: hershey's special dark chocolate", "size: 5 pound"], "instruction_attributes": ["kosher certified", "valentine day"], "instruction_options": ["5 pound"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ATKWB7", "worker_id": "A3N9ZYQAESNFQH"}], "B07QC8LFQP": [{"asin": "B07QC8LFQP", "instruction": "i would like some teeth whitening strips that are a grape flavor.", "attributes": ["teeth whitening", "non slip", "sensitive teeth"], "options": ["flavor name: grape"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["grape"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5B71ZD", "worker_id": "A2ECRNQ3X5LEXD"}], "B073TYNJG4": [{"asin": "B073TYNJG4", "instruction": "i am looking for a vinyl home office chair that has lumbar support and has a mesh back with synchro-tilt.", "attributes": ["height adjustable", "lumbar support"], "options": ["size: mesh back | vinyl", "style: sychro-tilt w | seat slider"], "instruction_attributes": ["lumbar support"], "instruction_options": ["mesh back | vinyl", "sychro-tilt w | seat slider"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTA84DP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GRQCRJG": [{"asin": "B07GRQCRJG", "instruction": "i am looking for a grey faux leather sofa.", "attributes": ["assembly required", "faux leather", "living room"], "options": ["color: grey", "style: sofa"], "instruction_attributes": ["faux leather"], "instruction_options": ["grey", "sofa"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJK2XBR", "worker_id": "A2ECRNQ3X5LEXD"}], "B09KRCZLXP": [{"asin": "B09KRCZLXP", "instruction": "i want to find a set of two vanity lights with glass shades.", "attributes": ["vanity light", "glass shade", "light fixture"], "options": ["size: 2 light"], "instruction_attributes": ["vanity light", "glass shade"], "instruction_options": ["2 light"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7PVYQ6", "worker_id": "A345TDMHP3DQ3G"}], "B08RCVK9NF": [{"asin": "B08RCVK9NF", "instruction": "i want to see the non-alcoholic drink options that are made of natural ingredients.", "attributes": ["non alcoholic", "natural ingredients"], "options": [""], "instruction_attributes": ["non alcoholic", "natural ingredients"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHTU7BH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08RCVK9NF", "instruction": "i am looking for natural ingredients brewing", "attributes": ["non alcoholic", "natural ingredients"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L5Q8RQ2", "worker_id": "A16M39T60N60NO"}], "B08TLKFL5B": [{"asin": "B08TLKFL5B", "instruction": "i need a baby throw that is multicolored and super soft.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 44", "size: baby"], "instruction_attributes": ["super soft"], "instruction_options": ["multi 44", "baby"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFPAE3A", "worker_id": "A2ECRNQ3X5LEXD"}], "B0828Q5FJR": [{"asin": "B0828Q5FJR", "instruction": "i'm looking for a wood framed mounted shark.", "attributes": ["hand painted", "ready hang", "wood frame", "living room", "dining room"], "options": ["color: shark", "size: 20x60in"], "instruction_attributes": ["ready hang", "wood frame"], "instruction_options": ["shark"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PD1EQI", "worker_id": "A19317A3X87NVM"}], "B07QH2YM12": [{"asin": "B07QH2YM12", "instruction": "i need an argan oil moisturizer that is 8 ounces and is the scent desert date.", "attributes": ["anti aging", "cruelty free", "argan oil", "damaged hair", "dry hair"], "options": ["scent: desert date", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["argan oil"], "instruction_options": ["desert date", "8 ounce (pack of 1)"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5ME5F7", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07QH2YM12", "instruction": "i'm looking for all natural and organic moringa oil with anti aging vitamin a and e, 4 ounce", "attributes": ["anti aging", "cruelty free", "argan oil", "damaged hair", "dry hair"], "options": ["scent: moringa", "size: 4 ounce"], "instruction_attributes": ["anti aging"], "instruction_options": ["moringa", "4 ounce"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O2RA2R", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07QH2YM12", "instruction": "i would like a 2 fluid ounce bottle of tamanu argan oil for damaged hair.", "attributes": ["anti aging", "cruelty free", "argan oil", "damaged hair", "dry hair"], "options": ["scent: tamanu", "size: 2 fl oz (pack of 1)"], "instruction_attributes": ["argan oil", "damaged hair"], "instruction_options": ["tamanu", "2 fl oz (pack of 1)"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDKPO20", "worker_id": "A1WS884SI0SLO4"}], "B09PVCWL4W": [{"asin": "B09PVCWL4W", "instruction": "i would like a 100 inch 16:9 protection screen that's easy to put on.", "attributes": ["easy use", "heavy duty"], "options": ["size: 100 inch 16:9"], "instruction_attributes": ["easy use"], "instruction_options": ["100 inch 16:9"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDJ4HRJ", "worker_id": "A1WS884SI0SLO4"}], "B07FXR9NMK": [{"asin": "B07FXR9NMK", "instruction": "i need some gluten free nori.", "attributes": ["gluten free", "resealable bag"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMJVB69", "worker_id": "A2ECRNQ3X5LEXD"}], "B09152JTB6": [{"asin": "B09152JTB6", "instruction": "i'm looking for a high quality stainless steel foot scrubber which is effective to remove dead skin. also, choose a pack of 16 pcs black one.", "attributes": ["high quality", "stainless steel", "dead skin"], "options": ["style: 16 pcs black"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDJJHRY", "worker_id": "AR0VJ5XRG16UJ"}], "B075BL7XR4": [{"asin": "B075BL7XR4", "instruction": "i would like to buy some unsweetened hazelnut dairy and gluten free milk.", "attributes": ["shelf stable", "soy free", "keto friendly", "plant based", "dairy free", "gluten free"], "options": ["flavor name: unsweetened hazelnut - original"], "instruction_attributes": ["dairy free", "gluten free"], "instruction_options": ["unsweetened hazelnut - original"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV68EUPZ", "worker_id": "A1WS884SI0SLO4"}], "B09CMHXWWM": [{"asin": "B09CMHXWWM", "instruction": "i need a black brush set for sensitive skin.", "attributes": ["cruelty free", "sensitive skin"], "options": ["color: black"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["black"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVFFJKQ", "worker_id": "A19317A3X87NVM"}], "B095WZDZN8": [{"asin": "B095WZDZN8", "instruction": "i would like to get a heavy duty office desk with a coated steel frame.", "attributes": ["heavy duty", "coated steel", "metal legs", "steel frame"], "options": [""], "instruction_attributes": ["heavy duty", "coated steel", "steel frame"], "instruction_options": [], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6ULCG12", "worker_id": "A1WS884SI0SLO4"}], "B0968TLTS8": [{"asin": "B0968TLTS8", "instruction": "i'm looking for a 10-pack of pepperoni and cheese pizzas that contain 0 grams of trans fat.", "attributes": ["0g trans", "natural ingredients"], "options": ["flavor: pepperoni & cheese", "size: 10 pack"], "instruction_attributes": ["0g trans"], "instruction_options": ["pepperoni & cheese", "10 pack"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U86DR54", "worker_id": "A345TDMHP3DQ3G"}], "B09SYKQ2DH": [{"asin": "B09SYKQ2DH", "instruction": "i would like to buy a 90x200 cm pink futon mattress with memory foam for my living room.", "attributes": ["twin size", "super soft", "memory foam", "living room"], "options": ["color: pink", "size: 90x200cm"], "instruction_attributes": ["living room"], "instruction_options": ["pink", "90x200cm"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUPFJQY", "worker_id": "A1WS884SI0SLO4"}], "B089KQRQCC": [{"asin": "B089KQRQCC", "instruction": "i would like a dual band ac adapter with output protection.", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["output protection", "dual band"], "instruction_options": [], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP8XIZ7J", "worker_id": "A1WS884SI0SLO4"}], "B086W378KL": [{"asin": "B086W378KL", "instruction": "i really need a hair comb for hair styling.", "attributes": ["easy use", "hair styling", "hair cutting", "hair growth"], "options": [""], "instruction_attributes": ["hair styling"], "instruction_options": [], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR025W0AKO", "worker_id": "A2ECRNQ3X5LEXD"}], "B081D9PS49": [{"asin": "B081D9PS49", "instruction": "i am looking for a lychee energy drink that has no sugar.", "attributes": ["zero sugar", "artificial flavors"], "options": ["flavor name: lilikoi lychee"], "instruction_attributes": ["zero sugar"], "instruction_options": ["lilikoi lychee"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZD8O8G", "worker_id": "A2ECRNQ3X5LEXD"}], "B00DR5H364": [{"asin": "B00DR5H364", "instruction": "i am looking for remote triggers that come with batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7F8WK8Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B089Z3T8G6": [{"asin": "B089Z3T8G6", "instruction": "i am looking for sugar free flavor syrups that come in a three pack and are amaretto.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: amaretto", "size: 25.4 ounce (pack of 3)"], "instruction_attributes": ["sugar free"], "instruction_options": ["amaretto", "25.4 ounce (pack of 3)"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXRA4ON", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B089Z3T8G6", "instruction": "i am looking for a sugar free irish creme syrup.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: irish cream", "size: 15.89 ounce"], "instruction_attributes": ["sugar free"], "instruction_options": ["irish cream"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IM5M2I", "worker_id": "A1EREKSZAA9V7B"}], "B09MKBHSR5": [{"asin": "B09MKBHSR5", "instruction": "i am looking for a black and gold bag that is easy to carry.", "attributes": ["easy carry", "high quality", "fine mist"], "options": ["color: black+gold"], "instruction_attributes": ["easy carry"], "instruction_options": ["black+gold"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455RW0YTQ", "worker_id": "A19317A3X87NVM"}], "B08WKGZ4SW": [{"asin": "B08WKGZ4SW", "instruction": "i'm looing for an asphalt colored youth extra-large t-shirt that's machine washable.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: asphalt", "fit type: youth", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["asphalt", "youth", "x-large"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDFMHRT", "worker_id": "A345TDMHP3DQ3G"}], "B08WWSD4R8": [{"asin": "B08WWSD4R8", "instruction": "i would like a heavy duty wall outlet.", "attributes": ["heavy duty", "high gloss"], "options": ["style: outlet"], "instruction_attributes": ["heavy duty"], "instruction_options": ["outlet"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49C8TDZ", "worker_id": "A1WS884SI0SLO4"}], "B09JRWRMW6": [{"asin": "B09JRWRMW6", "instruction": "i am looking for a jacket for daily wear that is a blue and in a size small.", "attributes": ["fleece lined", "daily wear"], "options": ["color: a#blue", "size: small"], "instruction_attributes": ["daily wear"], "instruction_options": ["a#blue", "small"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCEOBLL", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DCTKR8Z": [{"asin": "B09DCTKR8Z", "instruction": "i need a light red area rug for the living room that is a 4 by 6.", "attributes": ["dining room", "living room"], "options": ["color: light red", "size: 4x6"], "instruction_attributes": ["living room"], "instruction_options": ["light red", "4x6"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8NYMT7H", "worker_id": "A2ECRNQ3X5LEXD"}], "B07XZ4QL11": [{"asin": "B07XZ4QL11", "instruction": "i would like to get a 35 x 12 canvas print of manhattan, new york to hang in my living room.", "attributes": ["ready hang", "living room"], "options": ["color: new york #08", "size: 35\"wx12\"h canvas print"], "instruction_attributes": ["living room"], "instruction_options": ["new york #08", "35\"wx12\"h canvas print"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB42XAQL", "worker_id": "A1WS884SI0SLO4"}], "B08YXLGT4S": [{"asin": "B08YXLGT4S", "instruction": "i would like to buy some high quality long lasting eyeliner.", "attributes": ["long lasting", "easy apply", "high quality"], "options": [""], "instruction_attributes": ["long lasting", "high quality"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKFQD7G", "worker_id": "A1WS884SI0SLO4"}], "B096FVMNDK": [{"asin": "B096FVMNDK", "instruction": "i want to get some massage linens that are easy to clean and color 4 and 70x190 cm", "attributes": ["eco friendly", "easy clean", "beauty salon"], "options": ["color: 4", "size: 70x190cm"], "instruction_attributes": ["easy clean"], "instruction_options": ["4", "70x190cm"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN12I82", "worker_id": "A2YNPKYEFDZ6C9"}], "B09Q8VZFVT": [{"asin": "B09Q8VZFVT", "instruction": "i want to find a pair of blue hiking shoes for men with both arch support and memory foam. the shoes need to be a size 13.", "attributes": ["open toe", "steel toe", "arch support", "memory foam", "relaxed fit", "rubber sole", "teen girls"], "options": ["color: blue b", "size: 13"], "instruction_attributes": ["arch support", "memory foam"], "instruction_options": ["blue b", "13"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733DQEBW", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09Q8VZFVT", "instruction": "i need running shoes that are dark grey with arch support and are in a size 13.5", "attributes": ["open toe", "steel toe", "arch support", "memory foam", "relaxed fit", "rubber sole", "teen girls"], "options": ["color: dark gray", "size: 13.5"], "instruction_attributes": ["arch support"], "instruction_options": ["dark gray", "13.5"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9DCZRQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08KH4B9C1": [{"asin": "B08KH4B9C1", "instruction": "i am looking for sand gold nail art that is 0.35 oz", "attributes": ["animal testing", "nail art"], "options": ["color: sand gold", "size: super chunky - 10g | 0.35oz sample"], "instruction_attributes": ["nail art"], "instruction_options": ["sand gold", "super chunky - 10g | 0.35oz sample"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQ7NJCW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08KH4B9C1", "instruction": "i am looking for some super chunky nail art gllitter that is peach colored.", "attributes": ["animal testing", "nail art"], "options": ["color: fluorescent peach", "size: super chunky - 10g | 0.35oz sample"], "instruction_attributes": ["nail art"], "instruction_options": ["fluorescent peach", "super chunky - 10g | 0.35oz sample"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJJDGDS", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08KH4B9C1", "instruction": "get me the ten gram sample sized body glitter, but only if it hasn't been tested on animals, please.", "attributes": ["animal testing", "nail art"], "options": ["color: gold silver holographic", "size: super chunky - 10g | 0.35oz sample"], "instruction_attributes": ["animal testing"], "instruction_options": ["super chunky - 10g | 0.35oz sample"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTMP4VB", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08KH4B9C1", "instruction": "i want glitter for body make up for nail art decoration size 10 g color bronze holographic", "attributes": ["animal testing", "nail art"], "options": ["color: bronze brown holographic", "size: extra chunky - 10g | 0.35oz sample"], "instruction_attributes": ["nail art"], "instruction_options": ["bronze brown holographic", "extra chunky - 10g | 0.35oz sample"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVIVZSK", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B08KH4B9C1", "instruction": "i am looking for rose gold colored glitter for nail art.", "attributes": ["animal testing", "nail art"], "options": ["color: rose gold", "size: extra chunky - 100g | 3.5oz"], "instruction_attributes": ["nail art"], "instruction_options": ["rose gold"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9S9TE0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08KH4B9C1", "instruction": "i need a 3.5 oz jar of pink nail art glitter.", "attributes": ["animal testing", "nail art"], "options": ["color: fluorescent pink", "size: microfine - 100g | 3.5oz"], "instruction_attributes": ["nail art"], "instruction_options": ["fluorescent pink", "microfine - 100g | 3.5oz"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7Z1MH2", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08KH4B9C1", "instruction": "i'd like to find 3.5 ounces of ultrafine, fluorescent yellow glitter for my nail art.", "attributes": ["animal testing", "nail art"], "options": ["color: fluorescent yellow", "size: ultrafine - 100g | 3.5oz"], "instruction_attributes": ["nail art"], "instruction_options": ["fluorescent yellow", "ultrafine - 100g | 3.5oz"], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0WWRRS", "worker_id": "A345TDMHP3DQ3G"}], "B07BZ17VH4": [{"asin": "B07BZ17VH4", "instruction": "i would like lactose free coffee drinks that are mocha and come in a four pack.", "attributes": ["lactose free", "gluten free"], "options": ["flavor name: mocha", "size: 9 fl oz (pack of 4)"], "instruction_attributes": ["lactose free"], "instruction_options": ["mocha", "9 fl oz (pack of 4)"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEF9SU5U", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZTX18ZJ": [{"asin": "B07ZTX18ZJ", "instruction": "i'm looking for a 3 pound pack of individually wrapped snickers candy bars that i can hand out on valentine's day.", "attributes": ["individually wrapped", "resealable bag", "valentine day", "birthday party"], "options": ["size: 3 pound (pack of 1)"], "instruction_attributes": ["individually wrapped", "valentine day"], "instruction_options": ["3 pound (pack of 1)"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50QU0WGO", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07ZTX18ZJ", "instruction": "i'm looking for a 1-pound pack of individually wrapped candy bars for a birthday party or valentines day in a resealable bag.", "attributes": ["individually wrapped", "resealable bag", "valentine day", "birthday party"], "options": ["size: 1 pound (pack of 1)"], "instruction_attributes": ["individually wrapped", "resealable bag", "valentine day", "birthday party"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733QNBEG", "worker_id": "AFU00NU09CFXE"}], "B082QDKRCP": [{"asin": "B082QDKRCP", "instruction": "i would like a living room sofa chair in cognanc leather", "attributes": ["wood frame", "solid wood", "living room"], "options": ["color: cognac leather", "style: sofa"], "instruction_attributes": ["living room"], "instruction_options": ["cognac leather", "sofa"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR4ZUUFT", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PRCHC48": [{"asin": "B09PRCHC48", "instruction": "there's a hands free car stereo receiver with 2g+32g.", "attributes": ["hands free", "high definition"], "options": ["color: v3por 2g+32g"], "instruction_attributes": ["hands free"], "instruction_options": ["v3por 2g+32g"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4T4LK2W", "worker_id": "A19317A3X87NVM"}], "B07X31F54M": [{"asin": "B07X31F54M", "instruction": "i'm looking for a brozers which is alcohol free and paraben free used for sensitive skin.", "attributes": ["cruelty free", "alcohol free", "paraben free", "sensitive skin"], "options": [""], "instruction_attributes": ["alcohol free", "paraben free", "sensitive skin"], "instruction_options": [], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRQQF3U", "worker_id": "AR0VJ5XRG16UJ"}], "B08G6NFGTW": [{"asin": "B08G6NFGTW", "instruction": "i am looking for x-large pajama bottoms that have a drawstring.", "attributes": ["officially licensed", "drawstring closure"], "options": ["size: x-large"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["x-large"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB1WZLUA", "worker_id": "A2ECRNQ3X5LEXD"}], "B07XYH1P1Z": [{"asin": "B07XYH1P1Z", "instruction": "i am looking for a queen size white bed.", "attributes": ["queen size", "white item", "assembly required", "high gloss"], "options": ["color: oak country | white"], "instruction_attributes": ["queen size"], "instruction_options": ["oak country | white"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOJO9MO", "worker_id": "A2ECRNQ3X5LEXD"}], "B00J51MCPQ": [{"asin": "B00J51MCPQ", "instruction": "i want to find a 3-count pack of 4-ounce deodorant sprays that are certified organic.", "attributes": ["certified organic", "cruelty free"], "options": ["scent: 4 ounce, 1 count", "size: 4 ounce, 3 count"], "instruction_attributes": ["certified organic"], "instruction_options": ["4 ounce, 3 count"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC5W9RKQ", "worker_id": "A345TDMHP3DQ3G"}], "B00KDWJY8E": [{"asin": "B00KDWJY8E", "instruction": "i want to check out the techni mobili l-shaped desks that are made of coated steel.", "attributes": ["space saving", "coated steel"], "options": [""], "instruction_attributes": ["coated steel"], "instruction_options": [], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGE70OE", "worker_id": "A1WS884SI0SLO4"}], "B072LD256N": [{"asin": "B072LD256N", "instruction": "i'm looking for a synthetic hair and rose gold mermaid makeup brush set which should be certified cruelty free. also, choose 3d rainbow pattern one.", "attributes": ["cruelty free", "rose gold", "synthetic hair"], "options": ["color: 3d rainbow"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZFKC7L", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B072LD256N", "instruction": "i am looking for a 10pcs rose gold brush set.", "attributes": ["cruelty free", "rose gold", "synthetic hair"], "options": ["color: 10pcs rose gold brushes"], "instruction_attributes": ["rose gold"], "instruction_options": [], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907SNUA4", "worker_id": "A9QRQL9CFJBI7"}], "B0019RDLZE": [{"asin": "B0019RDLZE", "instruction": "find me a wall sconce with a nickel finish and a glass shade.", "attributes": ["nickel finish", "glass shade"], "options": [""], "instruction_attributes": ["nickel finish", "glass shade"], "instruction_options": [], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2J2M5Z", "worker_id": "A36LOA6VLJU157"}], "B0759B3WYP": [{"asin": "B0759B3WYP", "instruction": "i am looking for a mid century couch.", "attributes": ["mid century", "assembly required"], "options": [""], "instruction_attributes": ["mid century"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M44OL89", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P4YQZVM": [{"asin": "B09P4YQZVM", "instruction": "i would like a size 8.5 sneakers with a highly fashionable white and blue floral design.", "attributes": ["non slip", "rubber sole", "contrast color", "fashion design", "quality materials"], "options": ["color: white and blue flowers", "size: 8.5"], "instruction_attributes": ["fashion design"], "instruction_options": ["white and blue flowers", "8.5"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCJOBMX", "worker_id": "A1WS884SI0SLO4"}], "B097BHDYZD": [{"asin": "B097BHDYZD", "instruction": "i'm looking to buy some gold vanity lights with two lights on it.", "attributes": ["easy install", "vanity light", "stainless steel"], "options": ["color: gold", "size: 2-light"], "instruction_attributes": ["vanity light"], "instruction_options": ["gold", "2-light"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKIVPEK", "worker_id": "A2YNPKYEFDZ6C9"}], "B086TVW3PM": [{"asin": "B086TVW3PM", "instruction": "i need a bottle of fresh breath mouth wash for bad breath and oral hygeine.", "attributes": ["clinically proven", "fresh breath", "bad breath", "oral hygiene"], "options": [""], "instruction_attributes": ["fresh breath", "bad breath", "oral hygiene"], "instruction_options": [], "assignment_id": "3DIP6YHAPN2FET122B94U5H2V84E8Y", "worker_id": "A19317A3X87NVM"}], "B01MG1FQBW": [{"asin": "B01MG1FQBW", "instruction": "i'm looking for a high density memory foam mattress in full size.", "attributes": ["double sided", "high density", "memory foam"], "options": ["size: full"], "instruction_attributes": ["high density", "memory foam"], "instruction_options": ["full"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLKD03F", "worker_id": "A19317A3X87NVM"}], "B08N6MLMDT": [{"asin": "B08N6MLMDT", "instruction": "i need a space saving ottoman that is brown and 15 by 15 by 15 inches.", "attributes": ["space saving", "faux leather", "storage space", "living room"], "options": ["color: brown color", "size: 15 x 15 x 15 inch"], "instruction_attributes": ["space saving"], "instruction_options": ["brown color", "15 x 15 x 15 inch"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3HELZ5", "worker_id": "A2ECRNQ3X5LEXD"}], "B087N4G883": [{"asin": "B087N4G883", "instruction": "i am looking for a pack of candy that has natural ingredients.", "attributes": ["natural ingredients", "valentine day"], "options": ["flavor name: hazelnut butter, blueberries, pistachios...", "size: 1 pack"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["1 pack"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL96E2VU", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B087N4G883", "instruction": "can you find me some turkish delights that have natural ingredients and are for valentines day. get the 2 pack.", "attributes": ["natural ingredients", "valentine day"], "options": ["flavor name: pomegranate, double pistachios- 7 oz", "size: 2 pack"], "instruction_attributes": ["natural ingredients", "valentine day"], "instruction_options": ["2 pack"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPSXNG9Y", "worker_id": "A1MJVTR0PCKBWW"}, {"asin": "B087N4G883", "instruction": "i would like three bags of natural pineapple candy.", "attributes": ["natural ingredients", "valentine day"], "options": ["flavor name: pineapple, pistachios- 7 oz", "size: 3 pack"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["pineapple, pistachios- 7 oz", "3 pack"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMRC6B1", "worker_id": "A1WS884SI0SLO4"}], "B09DY8ZXTQ": [{"asin": "B09DY8ZXTQ", "instruction": "i am looking for black stainless steel wristbands.", "attributes": ["easy use", "case cover", "stainless steel"], "options": ["color: black"], "instruction_attributes": ["stainless steel"], "instruction_options": ["black"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3CWYR8", "worker_id": "A2ECRNQ3X5LEXD"}], "B00F3KP7T6": [{"asin": "B00F3KP7T6", "instruction": "i am looking for one case of vegetable patties that are fully cooked.", "attributes": ["individually wrapped", "fully cooked"], "options": ["flavor: vegetable", "size: 1 case"], "instruction_attributes": ["fully cooked"], "instruction_options": ["vegetable", "1 case"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PDA2XD", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00F3KP7T6", "instruction": "i am looking for a 1 case of fully cooked baked patties", "attributes": ["individually wrapped", "fully cooked"], "options": ["flavor: spicy beef", "size: 1 case"], "instruction_attributes": ["fully cooked"], "instruction_options": ["1 case"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R80SK7", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B00F3KP7T6", "instruction": "i am looking fully cooked spicy beef patties 50 count", "attributes": ["individually wrapped", "fully cooked"], "options": ["flavor: spicy beef", "size: 50 count"], "instruction_attributes": ["fully cooked"], "instruction_options": ["spicy beef", "50 count"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADM2AH4", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B00F3KP7T6", "instruction": "i want fully cooked mild beef patties size 12 count", "attributes": ["individually wrapped", "fully cooked"], "options": ["flavor: mild beef", "size: 12 count (pack of 1)"], "instruction_attributes": ["fully cooked"], "instruction_options": ["mild beef", "12 count (pack of 1)"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7LSN54", "worker_id": "A3N9ZYQAESNFQH"}], "B077H41BP7": [{"asin": "B077H41BP7", "instruction": "i am looking for light weight wall speakers that are 8' carbon fiber and have a center channel.", "attributes": ["light weight", "carbon fiber"], "options": ["pattern name: speaker + surround speaker 5.25 inch", "size: 8\" carbon fiber", "style: center channel"], "instruction_attributes": ["light weight"], "instruction_options": ["8\" carbon fiber", "center channel"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VUZ1NQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B091G44S71": [{"asin": "B091G44S71", "instruction": "i need 16 ounces of an oil free moisturizer that works on dry skin, it should be white not tinted.", "attributes": ["oil free", "paraben free", "dry skin"], "options": ["color: white", "size: 16 ounce"], "instruction_attributes": ["oil free", "dry skin"], "instruction_options": ["white", "16 ounce"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJYF9GRT", "worker_id": "A36LOA6VLJU157"}], "B089W3JQC5": [{"asin": "B089W3JQC5", "instruction": "i would like a 16 ram with a 10th ddr4 core i5 high def mini desktop.", "attributes": ["dual band", "high definition"], "options": ["color: 10th ddr4 core i5-10210u", "size: 16gb ram ddr4 256gb m.2 ssd 1tb hdd"], "instruction_attributes": ["high definition"], "instruction_options": ["10th ddr4 core i5-10210u", "16gb ram ddr4 256gb m.2 ssd 1tb hdd"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P5TUBA", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B089W3JQC5", "instruction": "i am interested in acquiring mini desktop with high definition and dual band, and also have ddr4 core i5 8250u, and 32gb ram ddr4 512gb m.2 ssd 1tb hdd", "attributes": ["dual band", "high definition"], "options": ["color: newly ddr4 core i5 8250u", "size: 32gb ram ddr4 512gb m.2 ssd 1tb hdd"], "instruction_attributes": ["dual band", "high definition"], "instruction_options": ["newly ddr4 core i5 8250u", "32gb ram ddr4 512gb m.2 ssd 1tb hdd"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTRVSEKM", "worker_id": "AJY5G987IRT25"}, {"asin": "B089W3JQC5", "instruction": "i need a dual band 10th gen desktop that is a core i5", "attributes": ["dual band", "high definition"], "options": ["color: 10th ddr4 core i5-10210u", "size: 64gb ram ddr4 512gb m.2 ssd 2tb hdd"], "instruction_attributes": ["dual band"], "instruction_options": ["10th ddr4 core i5-10210u"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD3JCIK", "worker_id": "A2ECRNQ3X5LEXD"}], "B073H2QQKK": [{"asin": "B073H2QQKK", "instruction": "i am looking for throw pillow covers that are machine washable in yellow white and are 26\" by 16\"", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: yellow white", "size: 26\" x 16\""], "instruction_attributes": ["machine washable"], "instruction_options": ["yellow white", "26\" x 16\""], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0PSW5K", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B073H2QQKK", "instruction": "i'm looking for machine washable pillows scarlet color.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: scarlet", "size: 40\" x 40\""], "instruction_attributes": ["machine washable"], "instruction_options": ["scarlet"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYI76LZ", "worker_id": "A16IQOX0DK14OJ"}], "B0034Q8FJK": [{"asin": "B0034Q8FJK", "instruction": "i need some hair dye that is shocking blue and is 4 ounces.", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: shocking blue", "size: 4 fl oz (pack of 1)"], "instruction_attributes": ["hair dye"], "instruction_options": ["shocking blue", "4 fl oz (pack of 1)"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMAHIZF", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0034Q8FJK", "instruction": "i am looking for classic raven colored hair dye.", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: raven", "size: 4 fl oz (pack of 2)"], "instruction_attributes": ["hair dye"], "instruction_options": ["raven"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYMKM62", "worker_id": "A1EREKSZAA9V7B"}], "B01460C2I2": [{"asin": "B01460C2I2", "instruction": "i am looking for grey hair extensions that are 22 inches long.", "attributes": ["hair extensions", "hair styling", "hair cutting"], "options": ["color: #grey", "size: 22 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#grey", "22 inch"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZCJC7E", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01460C2I2", "instruction": "i'm shopping for number 4, medium brown hair extensions that i can use for hair styling. they should be about 14 inches long.", "attributes": ["hair extensions", "hair styling", "hair cutting"], "options": ["color: #4 medium brown", "size: 14 inch"], "instruction_attributes": ["hair extensions", "hair styling"], "instruction_options": ["#4 medium brown", "14 inch"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH6UV1C", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B01460C2I2", "instruction": "i am looking for a 20 inch hair clip for my wife. and i would prefer the #4t27 medium brown ombre dark blonde", "attributes": ["hair extensions", "hair styling", "hair cutting"], "options": ["color: #4t27 medium brown ombre dark blonde", "size: 20 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#4t27 medium brown ombre dark blonde", "20 inch"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTQAO62", "worker_id": "A2COCSUGZV28X"}, {"asin": "B01460C2I2", "instruction": "i am looking for hair extensions that are human hair and double weft 20 inch.", "attributes": ["hair extensions", "hair styling", "hair cutting"], "options": ["color: #33 dark auburn", "size: 12 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["12 inch"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMLYJ1U", "worker_id": "A2KW17G25L25R8"}], "B09HZRJNJJ": [{"asin": "B09HZRJNJJ", "instruction": "i'm looking for a slim fit , high waist women formal dress made of light weight good quality polyester material. also, choose medium size red colored one.", "attributes": ["light weight", "slim fit", "quality polyester", "high waist"], "options": ["color: a-red", "size: medium"], "instruction_attributes": ["light weight", "slim fit", "quality polyester", "high waist"], "instruction_options": ["a-red", "medium"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JX7C7GQ", "worker_id": "AR0VJ5XRG16UJ"}], "B09CGZC5ZV": [{"asin": "B09CGZC5ZV", "instruction": "i would like an aluminum alloy tripod.", "attributes": ["quick release", "aluminum alloy"], "options": [""], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK82S5AD", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LQW6JKF": [{"asin": "B09LQW6JKF", "instruction": "i am looking for silver birthday cake toppers.", "attributes": ["birthday cake", "party supplies"], "options": ["color: silver"], "instruction_attributes": ["birthday cake"], "instruction_options": ["silver"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHXLQHA", "worker_id": "A2ECRNQ3X5LEXD"}], "B07WPZ3YDD": [{"asin": "B07WPZ3YDD", "instruction": "i need a tablet that has a 1080p hd resolution.", "attributes": ["1080p hd", "quad core"], "options": [""], "instruction_attributes": ["1080p hd"], "instruction_options": [], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXPYYML", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q5V4GLZ": [{"asin": "B09Q5V4GLZ", "instruction": "i would like to buy some xxl navy high waisted yoga pants.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: navy", "size: xx-large"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X02Z343F", "worker_id": "A1WS884SI0SLO4"}], "B08XXGZNXP": [{"asin": "B08XXGZNXP", "instruction": "i'm looking for a lip and hand care gift set that is plant based and cruelty free.", "attributes": ["plant based", "animal testing", "paraben free", "cruelty free", "green tea", "seed oil", "argan oil"], "options": ["color: lip&hand care gift set (agave+untamed nature)"], "instruction_attributes": ["plant based", "cruelty free"], "instruction_options": ["lip&hand care gift set (agave+untamed nature)"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWRB5TW", "worker_id": "A345TDMHP3DQ3G"}], "B083W3Q9Q4": [{"asin": "B083W3Q9Q4", "instruction": "i need hair extensions that are a medium brown and that come in two pieces that are an updo.", "attributes": ["easy apply", "hair extensions"], "options": ["color: medium brown(8#)", "size: 2pcs tousled updo"], "instruction_attributes": ["hair extensions"], "instruction_options": ["medium brown(8#)", "2pcs tousled updo"], "assignment_id": "36ZN444YT28UFQQ45BORC65U29FOIQ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B083W3Q9Q4", "instruction": "i want 2pcs of tousled updo hair extensions. it should be easy to apply.", "attributes": ["easy apply", "hair extensions"], "options": ["color: light brown mix ash blonde-55 gram", "size: 2pcs tousled updo"], "instruction_attributes": ["easy apply", "hair extensions"], "instruction_options": ["2pcs tousled updo"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F20FOHK", "worker_id": "A1NF6PELRKACS9"}], "B00ADR6M2U": [{"asin": "B00ADR6M2U", "instruction": "i'm looking for sulfate and paraben free conditioner.", "attributes": ["sulfate free", "paraben free"], "options": ["size: 4 pack"], "instruction_attributes": ["sulfate free", "paraben free"], "instruction_options": [], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPQZTX8", "worker_id": "A19317A3X87NVM"}], "B096DSH2VL": [{"asin": "B096DSH2VL", "instruction": "i am looking for an eye balm face moisturizer for my dry skin.", "attributes": ["seed oil", "dry skin"], "options": ["color: eye balm"], "instruction_attributes": ["dry skin"], "instruction_options": ["eye balm"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6C4E0VK", "worker_id": "A2ECRNQ3X5LEXD"}], "B075MNJ4PS": [{"asin": "B075MNJ4PS", "instruction": "i need a button tufted couch preferably in emerald color.", "attributes": ["button tufted", "contemporary design"], "options": ["color: emerald"], "instruction_attributes": ["button tufted"], "instruction_options": ["emerald"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRM02YL", "worker_id": "A15ERD4HOFEPHM"}], "B0839CS5BV": [{"asin": "B0839CS5BV", "instruction": "i would like to get a size 7 white loafer with a rubber sole.", "attributes": ["anti slip", "rubber sole"], "options": ["color: t-white", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["t-white", "7"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISS8YO1", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0839CS5BV", "instruction": "i would like to buy casual work shoes with a rubber sole and of size 8.5", "attributes": ["anti slip", "rubber sole"], "options": ["color: z-grass green", "size: 8.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["8.5"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUAH9A2", "worker_id": "AHXHM1PQTRWIQ"}], "B07B3RL5DY": [{"asin": "B07B3RL5DY", "instruction": "i would like a 30 count of gmo free banana trail mix.", "attributes": ["low calorie", "low sugar", "high protein", "low carb", "gmo free", "gluten free"], "options": ["flavor name: bananas for chocolate", "size: 30 count"], "instruction_attributes": ["gmo free"], "instruction_options": ["bananas for chocolate", "30 count"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTRY8A0W", "worker_id": "A1WS884SI0SLO4"}], "B07BBW6X2L": [{"asin": "B07BBW6X2L", "instruction": "i want to find sugar free shortbread cookies that are ready to eat.", "attributes": ["sugar free", "ready eat"], "options": [""], "instruction_attributes": ["sugar free", "ready eat"], "instruction_options": [], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSAF2Q8", "worker_id": "A345TDMHP3DQ3G"}], "B07BMBKNF4": [{"asin": "B07BMBKNF4", "instruction": "i want a natural lip bam contain vagan oil containt", "attributes": ["coconut oil", "seed oil"], "options": ["color: coral pink \"allison\""], "instruction_attributes": ["coconut oil", "seed oil"], "instruction_options": ["coral pink \"allison\""], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWF525A", "worker_id": "A3N9ZYQAESNFQH"}], "B07238WLLT": [{"asin": "B07238WLLT", "instruction": "i would like to get a six pack of low calorie energy drinks.", "attributes": ["plant based", "non gmo", "low calorie", "certified organic", "artificial colors"], "options": ["size: 6 count"], "instruction_attributes": ["low calorie"], "instruction_options": ["6 count"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVGC0QB", "worker_id": "A1WS884SI0SLO4"}], "B019EQIFHA": [{"asin": "B019EQIFHA", "instruction": "i want to find a pack of 3 three-ounce bags of sweet and hot, ready-to-eat beef jerky.", "attributes": ["protein serving", "ready eat"], "options": ["flavor name: sweet & hot", "size: 3 ounce (pack of 3)"], "instruction_attributes": ["ready eat"], "instruction_options": ["sweet & hot", "3 ounce (pack of 3)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZ4XLK7", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B019EQIFHA", "instruction": "i want teriyaki flavor protein serving ready eat jerky 7.2 ounce pouches", "attributes": ["protein serving", "ready eat"], "options": ["flavor name: teriyaki", "size: 7.2-ounce pouches (pack of 2)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4C7R6P", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B019EQIFHA", "instruction": "i want ready to eat bridgford sweet baby ray's original 99% fat free honey barbecue beef jerky.", "attributes": ["protein serving", "ready eat"], "options": ["flavor name: original 99% fat free", "size: 3 ounce (pack of 4)"], "instruction_attributes": ["ready eat"], "instruction_options": ["original 99% fat free"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKKDVPP", "worker_id": "A2RBF3IIJP15IH"}], "B00RJEU3L6": [{"asin": "B00RJEU3L6", "instruction": "i would like to buy a 12 pack of 2.6 ounces ginger sesame wild caught tuna.", "attributes": ["wild caught", "protein serving", "soy free", "gluten free"], "options": ["flavor name: ginger sesame", "size: 2.6 ounce (pack of 12)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TTUUSQ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00RJEU3L6", "instruction": "i want buy 11 ounce, gluten free ,protein serving tuna also fresh", "attributes": ["wild caught", "protein serving", "soy free", "gluten free"], "options": ["flavor name: ranch", "size: 11 ounce (pack of 12)"], "instruction_attributes": ["protein serving", "gluten free"], "instruction_options": ["11 ounce (pack of 12)"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCIYEBAK", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B00RJEU3L6", "instruction": "i need some wild caught, hickory smoked tuna.", "attributes": ["wild caught", "protein serving", "soy free", "gluten free"], "options": ["flavor name: hickory smoked", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["wild caught"], "instruction_options": ["hickory smoked"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFV7IXL2", "worker_id": "A19317A3X87NVM"}, {"asin": "B00RJEU3L6", "instruction": "i want a gluten free starkist tuna variety pack.", "attributes": ["wild caught", "protein serving", "soy free", "gluten free"], "options": ["flavor name: variety pack", "size: 3 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["variety pack"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLWE307", "worker_id": "A2RBF3IIJP15IH"}], "B09PNH7BSN": [{"asin": "B09PNH7BSN", "instruction": "i ned a height adjustable pink office chair.", "attributes": ["height adjustable", "non slip", "steel frame", "storage space"], "options": ["color: pink"], "instruction_attributes": ["height adjustable"], "instruction_options": ["pink"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AHBWBA", "worker_id": "A19317A3X87NVM"}], "B09PVJTPVS": [{"asin": "B09PVJTPVS", "instruction": "i'm looking for a yellow casual sports blazer.", "attributes": ["daily casual", "machine wash"], "options": ["color: yellow", "size: xx-large"], "instruction_attributes": ["daily casual"], "instruction_options": ["yellow"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86YB81I", "worker_id": "A19317A3X87NVM"}], "B083FLYWSW": [{"asin": "B083FLYWSW", "instruction": "i would like to get a women's large pink heather cotton t-shirt.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: pink", "fit type: women", "size: large"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["pink", "women", "large"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P5HUBY", "worker_id": "A1WS884SI0SLO4"}], "B09H5X7PG1": [{"asin": "B09H5X7PG1", "instruction": "i would like an 8 pack of waffles of two different flavors that are easy to prepare", "attributes": ["easy prepare", "artificial colors"], "options": ["size: 8 - pack (2 flavors, 4 boxes of each)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["8 - pack (2 flavors, 4 boxes of each)"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ1C0N3", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CPRKX3M": [{"asin": "B07CPRKX3M", "instruction": "i'm looking for a facial scrub that has both anti aging properties and helps with fine lines.", "attributes": ["anti aging", "cruelty free", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "fine lines"], "instruction_options": [], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCKV5Q1", "worker_id": "A36LOA6VLJU157"}], "B017QFA02Y": [{"asin": "B017QFA02Y", "instruction": "i am looking for a black bikini that has an elastic waistband and is in a size small.", "attributes": ["machine wash", "elastic waistband"], "options": ["color: black, honey almond, nymph's thigh, speakeasy, white, grey heather", "number of items: 7", "size: small"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["black, honey almond, nymph's thigh, speakeasy, white, grey heather", "small"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATZA37B", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SYXW2PB": [{"asin": "B09SYXW2PB", "instruction": "i would like a easy to use carrying case for my camera.", "attributes": ["easy use", "case cover", "carrying case"], "options": [""], "instruction_attributes": ["easy use", "carrying case"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZU3CNA", "worker_id": "A1WS884SI0SLO4"}], "B09KNB2SVM": [{"asin": "B09KNB2SVM", "instruction": "i would like to get a high def hdmi to vga adapter that works with blu ray.", "attributes": ["gold plated", "blu ray", "1080p hd", "heavy duty", "high definition"], "options": [""], "instruction_attributes": ["blu ray", "high definition"], "instruction_options": [], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98ID92MK", "worker_id": "A1WS884SI0SLO4"}], "B079NFMV97": [{"asin": "B079NFMV97", "instruction": "i would like to get some argan oil to treat my damaged hair.", "attributes": ["argan oil", "hair treatment", "damaged hair", "fine lines", "hair loss"], "options": [""], "instruction_attributes": ["argan oil", "hair treatment", "damaged hair"], "instruction_options": [], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTIVPLC", "worker_id": "A1WS884SI0SLO4"}], "B01GSGDV1Y": [{"asin": "B01GSGDV1Y", "instruction": "i am looking for non gmo sesame pretzels that come in a 12 pack.", "attributes": ["non gmo", "resealable bag", "quality ingredients"], "options": ["flavor name: sesame", "size: 7.2 ounce (pack of 12)"], "instruction_attributes": ["non gmo"], "instruction_options": ["sesame", "7.2 ounce (pack of 12)"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DM0K4J", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Y3X6GW7": [{"asin": "B07Y3X6GW7", "instruction": "i would like to get a heather blue cotton t shirt for my youth size 2t child.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather blue", "fit type: youth", "size: 2t"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["heather blue", "youth", "2t"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21IBQFF", "worker_id": "A1WS884SI0SLO4"}], "B07Y972SSM": [{"asin": "B07Y972SSM", "instruction": "i would like a fully cooked cut of spiced meat.", "attributes": ["fully cooked", "protein serving"], "options": [""], "instruction_attributes": ["fully cooked"], "instruction_options": [], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L844BC6X", "worker_id": "A1WS884SI0SLO4"}], "B091J1F94T": [{"asin": "B091J1F94T", "instruction": "i would like to get a black noise cancelling headset to play video games.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8WFSSE", "worker_id": "A1WS884SI0SLO4"}], "B08CKZTB12": [{"asin": "B08CKZTB12", "instruction": "i need some metallic pumps that have a rubber sole and are in an 8.5 wide.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: metallic synthetic combination", "size: 8.5 wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["metallic synthetic combination", "8.5 wide"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LP5WROV", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LDM11F4": [{"asin": "B08LDM11F4", "instruction": "i need a wall mounted mirror in the color d.", "attributes": ["wall mounted", "high density", "wood frame"], "options": ["color: d"], "instruction_attributes": ["wall mounted"], "instruction_options": ["d"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXASJUA", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NBZ2VGX": [{"asin": "B09NBZ2VGX", "instruction": "i would like to buy a red radio with wireless bluetooth and stereo sound.", "attributes": ["high performance", "high definition", "wireless bluetooth", "stereo sound"], "options": ["color: red"], "instruction_attributes": ["wireless bluetooth", "stereo sound"], "instruction_options": ["red"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746QVBT7", "worker_id": "A1WS884SI0SLO4"}], "B07QNDGM8H": [{"asin": "B07QNDGM8H", "instruction": "i am looking for a height adjustable office chair in white gold.", "attributes": ["height adjustable", "mid century", "stainless steel", "lumbar support", "faux leather"], "options": ["color: white | gold"], "instruction_attributes": ["height adjustable"], "instruction_options": ["white | gold"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKCMT1K", "worker_id": "A2ECRNQ3X5LEXD"}], "B003Q4TWF6": [{"asin": "B003Q4TWF6", "instruction": "can you find some chai tea that is both sugar and caffeine free? i need 3 pounds of it.", "attributes": ["sugar free", "caffeine free", "usda organic", "non gmo", "natural ingredients"], "options": ["flavor name: sugar free", "size: 3 pound"], "instruction_attributes": ["sugar free", "caffeine free"], "instruction_options": ["sugar free", "3 pound"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GCNS3L", "worker_id": "A36LOA6VLJU157"}, {"asin": "B003Q4TWF6", "instruction": "i would like a 3 pound box of original sugar free tea.", "attributes": ["sugar free", "caffeine free", "usda organic", "non gmo", "natural ingredients"], "options": ["flavor name: original", "size: 3 pound"], "instruction_attributes": ["sugar free"], "instruction_options": ["original", "3 pound"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA78C86", "worker_id": "A1WS884SI0SLO4"}], "B095HPJFM6": [{"asin": "B095HPJFM6", "instruction": "i would like to get some size 6.5 yellow non slip flip flops.", "attributes": ["non slip", "ankle strap"], "options": ["color: 0 # yellow", "size: 6.5"], "instruction_attributes": ["non slip"], "instruction_options": ["0 # yellow", "6.5"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPSXW9G0", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B095HPJFM6", "instruction": "i would like a pair of size 7 black sandals that are non slip.", "attributes": ["non slip", "ankle strap"], "options": ["color: 6 # black", "size: 7"], "instruction_attributes": ["non slip"], "instruction_options": ["6 # black", "7"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5JNWIZ", "worker_id": "A1WS884SI0SLO4"}], "B0891SX6XN": [{"asin": "B0891SX6XN", "instruction": "i want to find an intel core i5-10400f desktop pc that i can use to play games on. it needs to be omen 25l and configured with nvidia rtx 3090.", "attributes": ["intel core", "tempered glass"], "options": ["configuration: nvidia rtx 3090", "size: omen 25l", "style: intel i5-10400f"], "instruction_attributes": ["intel core"], "instruction_options": ["nvidia rtx 3090", "omen 25l", "intel i5-10400f"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQ7DKE0", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B0891SX6XN", "instruction": "i am looking for desktop pc having intel core processor with nvidia rtx 3080 configuration.", "attributes": ["intel core", "tempered glass"], "options": ["configuration: nvidia rtx 3080", "size: omen 30l", "style: intel i7-10700f"], "instruction_attributes": ["intel core"], "instruction_options": ["nvidia rtx 3080"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z8KGX3", "worker_id": "A1Q8PPQQCWGY0D"}], "B072J9SPMR": [{"asin": "B072J9SPMR", "instruction": "i am looking for professional airbrush foundation made by photo finish in the color of primer. believe it is 1.0 ounce found in the beauty & personal care section. should say water resistant, fragrance and oil free.", "attributes": ["animal testing", "oil free", "fragrance free", "water resistant", "fine mist"], "options": ["color: primer", "size: 0.2 ounce"], "instruction_attributes": ["oil free", "fragrance free", "water resistant"], "instruction_options": ["primer"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8RMZPO", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B072J9SPMR", "instruction": "i want a medium matte and oil free professional airbrush foundation makeup.", "attributes": ["animal testing", "oil free", "fragrance free", "water resistant", "fine mist"], "options": ["color: medium matte", "size: 1 ounce"], "instruction_attributes": ["oil free"], "instruction_options": ["medium matte"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9NP0BR", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B072J9SPMR", "instruction": "i need a medium colored matte foundation that's oil and fragrance free. make sure it hasn't been tested on animals. i want the one ounce bottle.", "attributes": ["animal testing", "oil free", "fragrance free", "water resistant", "fine mist"], "options": ["color: medium matte", "size: 1 fl oz"], "instruction_attributes": ["animal testing", "oil free", "fragrance free"], "instruction_options": ["medium matte", "1 fl oz"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N5UT73", "worker_id": "AR9AU5FY1S3RO"}], "B0919TK46H": [{"asin": "B0919TK46H", "instruction": "i'm looking for a 13.3 inch carrying case for my laptop.", "attributes": ["case cover", "carrying case"], "options": ["size: 13.3-inch"], "instruction_attributes": ["carrying case"], "instruction_options": ["13.3-inch"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJDX0WB", "worker_id": "A19317A3X87NVM"}], "B00WFDK8L6": [{"asin": "B00WFDK8L6", "instruction": "i am looking for a 12 count package of pomegranate fruit bars that do not have nuts or dairy in them.", "attributes": ["gluten free", "low sodium", "nut free", "plant based", "dairy free", "non gmo", "0g trans", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: pomegranate", "size: 12 count (pack of 1)"], "instruction_attributes": ["nut free", "dairy free"], "instruction_options": ["pomegranate", "12 count (pack of 1)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZ5ZKLA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00WFDK8L6", "instruction": "i am looking for a gluten free fig flavored snack bar.", "attributes": ["gluten free", "low sodium", "nut free", "plant based", "dairy free", "non gmo", "0g trans", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: fig", "size: 12 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["fig"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY866O184", "worker_id": "A1EREKSZAA9V7B"}], "B00RBU6JMU": [{"asin": "B00RBU6JMU", "instruction": "i would like a size 11 navy fashionable shoe with a rubber sole.", "attributes": ["slip resistant", "relaxed fit", "memory foam", "rubber sole"], "options": ["color: navy | gray", "size: 11"], "instruction_attributes": ["rubber sole"], "instruction_options": ["navy | gray", "11"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP52QDB", "worker_id": "A1WS884SI0SLO4"}], "B09C85PRKX": [{"asin": "B09C85PRKX", "instruction": "i would like to get a medium black long sleeve hoodie that's pretty loose.", "attributes": ["hand wash", "long sleeve", "polyester cotton"], "options": ["color: black loose", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black loose", "medium"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW7EFN7", "worker_id": "A1WS884SI0SLO4"}], "B07R9M1GJM": [{"asin": "B07R9M1GJM", "instruction": "i need basic nylon high waist pants that are xx-large with a 37 inch inseam.", "attributes": ["nylon spandex", "tummy control", "high waist"], "options": ["color: basic nylon_heathernavy", "size: xx-large | 37\" inseam"], "instruction_attributes": ["high waist"], "instruction_options": ["basic nylon_heathernavy", "xx-large | 37\" inseam"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAT48AV", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07R9M1GJM", "instruction": "i would like a large heather gray pair of high waisted yoga pants.", "attributes": ["nylon spandex", "tummy control", "high waist"], "options": ["color: basic cotton_heathergray(1)", "size: large | 37\" inseam"], "instruction_attributes": ["high waist"], "instruction_options": ["basic cotton_heathergray(1)", "large | 37\" inseam"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVKVLXT", "worker_id": "A1WS884SI0SLO4"}], "B073QZJZVG": [{"asin": "B073QZJZVG", "instruction": "i'm looking for a ware resistant flip flop sandal made of rubber outsole and rubber sole. also choose navy blue colored sandals with size 10-11, and special size of 3.5-4.5.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: blue (navy | silver)", "size: 10-11", "special size type: 3.5-4.5"], "instruction_attributes": ["water resistant", "rubber outsole", "rubber sole"], "instruction_options": ["blue (navy | silver)", "10-11", "3.5-4.5"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS354014MMUG", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B073QZJZVG", "instruction": "i am looking for water resistant and rubber sole type havaianas women's slim little birds flip flop sandal also color is light lilac and size is 8.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: light lilac", "size: 8", "special size type: 5.5-6.5"], "instruction_attributes": ["water resistant", "rubber sole"], "instruction_options": ["light lilac", "8"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRD6Y25", "worker_id": "A3RBCGB309WPOC"}, {"asin": "B073QZJZVG", "instruction": "i am looking for a women's little bird (slim) flip flop/sandal with a rubber outsole in the color blueblue, and a size 4 | 5 uk (or special size type 8 made by havaianas.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: blueblue)", "size: 4 | 5 uk", "special size type: 8"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["blueblue)", "4 | 5 uk", "8"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EE9WS5", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B073QZJZVG", "instruction": "i want a pair of size 3 type 10 gold sandgrey lightgolden flip flops with a rubber sole.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: gold sandgrey lightgolden 2719", "size: 3-4", "special size type: 9-10"], "instruction_attributes": ["rubber sole"], "instruction_options": ["gold sandgrey lightgolden 2719", "3-4", "9-10"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUJES5X", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B073QZJZVG", "instruction": "i need water resistant flip flops that are a size 10 little kid", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: gold sandgrey lightgolden 2719", "size: 10 little kid", "special size type: 39 eu"], "instruction_attributes": ["water resistant"], "instruction_options": ["10 little kid"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT3AAHJ7", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B073QZJZVG", "instruction": "i want navy and water resistant havaianas women's flip flop sandals.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: blue(navy blue)", "size: 5", "special size type: 3.5-4.5"], "instruction_attributes": ["water resistant"], "instruction_options": ["blue(navy blue)"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53VQGKR", "worker_id": "A2RBF3IIJP15IH"}], "B07Q73Y6BY": [{"asin": "B07Q73Y6BY", "instruction": "i need some vanity lights that are clear glass", "attributes": ["clear glass", "glass shade"], "options": [""], "instruction_attributes": ["clear glass"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZH91YS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09F6C3XGC": [{"asin": "B09F6C3XGC", "instruction": "i am looking for an iphone case that is easy to install and is metallic gun metal.", "attributes": ["hands free", "easy install"], "options": ["color: metallic gun metal"], "instruction_attributes": ["easy install"], "instruction_options": ["metallic gun metal"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUD73CG", "worker_id": "A2ECRNQ3X5LEXD"}], "B0861SJPCV": [{"asin": "B0861SJPCV", "instruction": "i want to find one pack of freeze-dried, shelf-stable s'mores cookies made with quality ingredients.", "attributes": ["fully cooked", "freeze dried", "shelf stable", "ready eat", "gluten free", "quality ingredients"], "options": ["size: 1 pack"], "instruction_attributes": ["freeze dried", "shelf stable", "quality ingredients"], "instruction_options": ["1 pack"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UH6XIQK", "worker_id": "A345TDMHP3DQ3G"}], "B08R6X3BPF": [{"asin": "B08R6X3BPF", "instruction": "i need high quality size 23 makeup brushes.", "attributes": ["high quality", "synthetic hair"], "options": ["size: 23"], "instruction_attributes": ["high quality"], "instruction_options": ["23"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7F3OBH", "worker_id": "A36LOA6VLJU157"}], "B092KX93Z9": [{"asin": "B092KX93Z9", "instruction": "i would like to get a 1080p hd camera with a carrying case.", "attributes": ["water resistant", "1080p hd", "carrying case"], "options": [""], "instruction_attributes": ["1080p hd", "carrying case"], "instruction_options": [], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E0THXJ", "worker_id": "A1WS884SI0SLO4"}], "B015NBTAOW": [{"asin": "B015NBTAOW", "instruction": "i am looking for a plug and play red mouse.", "attributes": ["batteries included", "plug play"], "options": ["color: red"], "instruction_attributes": ["plug play"], "instruction_options": ["red"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH2Z1E2", "worker_id": "A2ECRNQ3X5LEXD"}], "B001TSK3AY": [{"asin": "B001TSK3AY", "instruction": "i am looking for an anti-perspirant", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOFW9MO", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PG6YSMS": [{"asin": "B09PG6YSMS", "instruction": "i need a long lasting cell phone that is 128 gb.", "attributes": ["long lasting", "fast charging"], "options": ["size: 128gb"], "instruction_attributes": ["long lasting"], "instruction_options": ["128gb"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7SN6YT", "worker_id": "A2ECRNQ3X5LEXD"}], "B01B9A3U6A": [{"asin": "B01B9A3U6A", "instruction": "i need a living room area rug thare is silver and blue and is a 9' square.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: silver | blue", "size: 9' square"], "instruction_attributes": ["living room"], "instruction_options": ["silver | blue", "9' square"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQ65HHD", "worker_id": "A2ECRNQ3X5LEXD"}], "B00KSLX4AO": [{"asin": "B00KSLX4AO", "instruction": "i would like a high performance outdoor speaker.", "attributes": ["power amplifier", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH0D1VP", "worker_id": "A1WS884SI0SLO4"}], "B07J4ZKB44": [{"asin": "B07J4ZKB44", "instruction": "i need a glass shade that is chrome colored.", "attributes": ["glass shade", "clear glass"], "options": ["color: chrome"], "instruction_attributes": ["glass shade"], "instruction_options": ["chrome"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEDD688", "worker_id": "A2ECRNQ3X5LEXD"}], "B0010NYC3M": [{"asin": "B0010NYC3M", "instruction": "can i get a 4 fluid ounce bottle of violet night hair dye.", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: violet night", "size: 4 fl oz (pack of 1)"], "instruction_attributes": ["hair dye"], "instruction_options": ["violet night", "4 fl oz (pack of 1)"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYI6DH2", "worker_id": "A1WS884SI0SLO4"}], "B08169JG35": [{"asin": "B08169JG35", "instruction": "i would like to buy a 14 inch rose gold throw pillow cover for my living room.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: rose gold", "size: 14 inch (pack of 1)"], "instruction_attributes": ["living room"], "instruction_options": ["rose gold", "14 inch (pack of 1)"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K2112Y", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08169JG35", "instruction": "i need a 14 inch pillow cover that fits for my sofa in living room. and please select the peach pink one", "attributes": ["exquisite workmanship", "living room"], "options": ["color: peach pink", "size: 14 inch (pack of 1)"], "instruction_attributes": ["living room"], "instruction_options": ["peach pink", "14 inch (pack of 1)"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI8UABJ", "worker_id": "A2COCSUGZV28X"}], "B09MWDNSJL": [{"asin": "B09MWDNSJL", "instruction": "i would like to buy a high quality hair regrowth treatment made from natural ingredients.", "attributes": ["high quality", "natural ingredients", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["high quality", "natural ingredients", "hair growth"], "instruction_options": [], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QLVOX0", "worker_id": "A1WS884SI0SLO4"}], "B09KNWQ36B": [{"asin": "B09KNWQ36B", "instruction": "i would like to buy some lotion for my dry skin.", "attributes": ["sensitive skin", "dry skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZEB9K1", "worker_id": "A1WS884SI0SLO4"}], "B07GF3B95T": [{"asin": "B07GF3B95T", "instruction": "i need 14 inch hair extensions that are a medium brown to dark blonde.", "attributes": ["double sided", "hair extensions"], "options": ["color: medium brown to dark blonde", "size: 14 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["medium brown to dark blonde", "14 inch"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWU3CR9D", "worker_id": "A2ECRNQ3X5LEXD"}], "B08KHN1MPZ": [{"asin": "B08KHN1MPZ", "instruction": "i'm looking to get some fluorescent purple nail art glitter.", "attributes": ["animal testing", "cruelty free", "easy use", "nail art"], "options": ["color: fluorescent purple", "size: super chunky - 100g | 3.5oz"], "instruction_attributes": ["nail art"], "instruction_options": ["fluorescent purple"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDST7VU7", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B08KHN1MPZ", "instruction": "i'm looking for body make up for skin care accessories.", "attributes": ["animal testing", "cruelty free", "easy use", "nail art"], "options": ["color: rose gold holographic", "size: microfine - 10g | 0.35oz sample"], "instruction_attributes": ["animal testing", "easy use", "nail art"], "instruction_options": ["rose gold holographic"], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZQP05A", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08KHN1MPZ", "instruction": "i am looking for arts craft turquoise blue nails.", "attributes": ["animal testing", "cruelty free", "easy use", "nail art"], "options": ["color: turquoise blue", "size: microfine - 10g | 0.35oz sample"], "instruction_attributes": ["nail art"], "instruction_options": ["turquoise blue"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQECQSH", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B08KHN1MPZ", "instruction": "i am looking for a fluorescent pink color microfine body glitter which is animal tested and cruelty free.", "attributes": ["animal testing", "cruelty free", "easy use", "nail art"], "options": ["color: fluorescent pink", "size: ultrafine - 10g | 0.35oz sample"], "instruction_attributes": ["animal testing", "cruelty free"], "instruction_options": ["fluorescent pink"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRN2FMH", "worker_id": "A1V2JTEEBCXR20"}, {"asin": "B08KHN1MPZ", "instruction": "i am looking for a turquoise blue color of body glitter nail art", "attributes": ["animal testing", "cruelty free", "easy use", "nail art"], "options": ["color: turquoise blue", "size: chunky - 100g | 3.5oz"], "instruction_attributes": ["nail art"], "instruction_options": ["turquoise blue"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HUMPB6", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B08KHN1MPZ", "instruction": "i am looking for a gold body glitter for nail art", "attributes": ["animal testing", "cruelty free", "easy use", "nail art"], "options": ["color: gold", "size: fine - 100g | 3.5oz"], "instruction_attributes": ["nail art"], "instruction_options": ["fine - 100g | 3.5oz"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS32G9P", "worker_id": "A9QRQL9CFJBI7"}], "B07V2NTJCD": [{"asin": "B07V2NTJCD", "instruction": "i am looking for a floor lamp that has a bronze finish.", "attributes": ["bronze finish", "living room"], "options": [""], "instruction_attributes": ["bronze finish"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSEU8B1", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FJW2L94": [{"asin": "B09FJW2L94", "instruction": "i need a hard shell case cover for my macbook 12 retina that is sosuke and ponyo colored.", "attributes": ["non slip", "case cover"], "options": ["color: sosuke & ponyo", "size: a1534 (macbook 12 retina)"], "instruction_attributes": ["case cover"], "instruction_options": ["sosuke & ponyo", "a1534 (macbook 12 retina)"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYRN36F", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09FJW2L94", "instruction": "i am looking for a a2442(pro 14\" 2021 m1 pro | max touch id) size of hard shell cases over.", "attributes": ["non slip", "case cover"], "options": ["color: colored graffiti", "size: a2442(pro 14\" 2021 m1 pro | max touch id)"], "instruction_attributes": ["case cover"], "instruction_options": ["a2442(pro 14\" 2021 m1 pro | max touch id)"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54S2837", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09FJW2L94", "instruction": "i'm looking for computer accessories for bag and cases its easy to use.", "attributes": ["non slip", "case cover"], "options": ["color: retro pattern", "size: a2141(pro 16\" touch bar 2019)"], "instruction_attributes": ["case cover"], "instruction_options": ["retro pattern"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FKWU42", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09FJW2L94", "instruction": "i'm looking for a non-slip laptop case with a color that has animal colors.", "attributes": ["non slip", "case cover"], "options": ["color: animal", "size: a2141(pro 16\" touch bar 2019)"], "instruction_attributes": ["non slip", "case cover"], "instruction_options": ["animal"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0XIARN", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09FJW2L94", "instruction": "i want a pink marble bandless case cover that is compatible with macbook pros.", "attributes": ["non slip", "case cover"], "options": ["color: pink marble", "size: a2442(pro 14\" 2021 m1 pro | max touch id)"], "instruction_attributes": ["case cover"], "instruction_options": ["pink marble"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOHHYDQ", "worker_id": "A2RBF3IIJP15IH"}], "B07MHYH619": [{"asin": "B07MHYH619", "instruction": "i am interested in some noise cancelling earbud headphones.", "attributes": ["water resistant", "noise cancelling", "easy use"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXLZ2EA6", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GNQF1TF": [{"asin": "B09GNQF1TF", "instruction": "i am looking for a steel frame that is light pink and for a full sized bed.", "attributes": ["easy clean", "box spring", "king size", "memory foam", "steel frame"], "options": ["color: light pink", "size: full"], "instruction_attributes": ["steel frame"], "instruction_options": ["light pink", "full"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KIMUHE", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BXJJSH5": [{"asin": "B08BXJJSH5", "instruction": "i need a gold storage case.", "attributes": ["long lasting", "storage case"], "options": ["color: gold"], "instruction_attributes": ["storage case"], "instruction_options": ["gold"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQ66CJ6", "worker_id": "A19317A3X87NVM"}], "B09DCZHF6S": [{"asin": "B09DCZHF6S", "instruction": "i am looking for a green home office chair that is height adjustable.", "attributes": ["height adjustable", "high density", "easy clean", "pu leather"], "options": ["color: green"], "instruction_attributes": ["height adjustable"], "instruction_options": ["green"], "assignment_id": "3R2PKQ87N7I6FN5SSV9EK2GP762MI5", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HGC3QTJ": [{"asin": "B09HGC3QTJ", "instruction": "i need a lightweight sweatshirt that is grey and in a small.", "attributes": ["light weight", "hand wash", "long sleeve", "short sleeve", "faux fur", "tumble dry", "daily wear"], "options": ["color: 08 # gray", "size: small"], "instruction_attributes": ["light weight"], "instruction_options": ["08 # gray", "small"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFBQVM9", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NM2XSDC": [{"asin": "B07NM2XSDC", "instruction": "i would like to get two assorted non-gmo powdered cheeses.", "attributes": ["low calorie", "non gmo", "old fashioned", "gluten free"], "options": ["size: 2 piece assortment"], "instruction_attributes": ["non gmo"], "instruction_options": ["2 piece assortment"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69I18PE", "worker_id": "A1WS884SI0SLO4"}], "B01MUEYBDN": [{"asin": "B01MUEYBDN", "instruction": "i am looking for comfortable fit sneakers that are in a size 4.5 and are black and white chambray.", "attributes": ["comfortable fit", "rubber outsole", "rubber sole"], "options": ["color: black | white chambray", "size: 4.5"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["black | white chambray", "4.5"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXHH2ZR", "worker_id": "A2ECRNQ3X5LEXD"}], "B01GCGKI3O": [{"asin": "B01GCGKI3O", "instruction": "i want to buy a single 3ft black hdmi cable that works with my 4k high definition tv.", "attributes": ["high speed", "high definition"], "options": ["color: black", "size: 3ft", "style: single"], "instruction_attributes": ["high definition"], "instruction_options": ["black", "3ft", "single"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU3QCM5", "worker_id": "A1WS884SI0SLO4"}], "B095HQCQMK": [{"asin": "B095HQCQMK", "instruction": "i am looking for a sweater that is machine washable in an xx-large and is in the color 22.", "attributes": ["machine washable", "machine wash", "quality polyester", "long sleeve", "polyester cotton", "teen girls"], "options": ["color: 22", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["22", "xx-large"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKS5UI5", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PG8G4G8": [{"asin": "B09PG8G4G8", "instruction": "i want to find an oral patch that i can use to control bad breath odor.", "attributes": ["fresh breath", "bad breath"], "options": [""], "instruction_attributes": ["bad breath"], "instruction_options": [], "assignment_id": "38F71OA9G46M5W32RN3TH53XRD8FM3", "worker_id": "A345TDMHP3DQ3G"}], "B07GYZZBRK": [{"asin": "B07GYZZBRK", "instruction": "i would like a cupcake topper that would be appropriate for a baby shower.", "attributes": ["easy use", "party supplies", "baby shower"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3C1VBZ", "worker_id": "A1WS884SI0SLO4"}], "B07RL3B6BC": [{"asin": "B07RL3B6BC", "instruction": "i would like a grey bed made of solid wood.", "attributes": ["white item", "assembly required", "white finish", "box spring", "solid wood"], "options": ["color: grey"], "instruction_attributes": ["solid wood"], "instruction_options": ["grey"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BHCJVA", "worker_id": "A1WS884SI0SLO4"}], "B08LQSCBCW": [{"asin": "B08LQSCBCW", "instruction": "i would like a core i5 desktop that has 8gb of ram and an ssd of 256gb.", "attributes": ["core i5", "intel core"], "options": ["configuration: 8gb ram | 256gb ssd"], "instruction_attributes": ["core i5"], "instruction_options": ["8gb ram | 256gb ssd"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z989E2S", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LY9SRXN": [{"asin": "B09LY9SRXN", "instruction": "i am looking for a light weight hard shell case that is 14 inches and is in the color yellow tansy.", "attributes": ["light weight", "case cover"], "options": ["color: 14inch-yellow tansy"], "instruction_attributes": ["light weight"], "instruction_options": ["14inch-yellow tansy"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35FBGUX", "worker_id": "A2ECRNQ3X5LEXD"}], "B083RYJT6M": [{"asin": "B083RYJT6M", "instruction": "i am looking for a paleo seasoning set that is 2.5 ounces and is low sodium.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: paleo seasoning set", "size: 2.5 ounce (pack of 1)", "style: 5 ounce (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["paleo seasoning set", "2.5 ounce (pack of 1)"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP6U3VDQ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B083RYJT6M", "instruction": "i am looking for gluten free paleo seasoning food .", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: paleo seasoning set", "size: 1.5 pound (pack of 1)", "style: lifestyle pack - standard size"], "instruction_attributes": ["gluten free"], "instruction_options": ["paleo seasoning set"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OL499E", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B083RYJT6M", "instruction": "i want to find low sodium everyday seasoning that i can use, in both a 2 ounce bottle and a 2.5 ounce bottle.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 2 ounce (pack of 1)", "style: 2.5 ounce (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["everyday seasonings", "2 ounce (pack of 1)", "2.5 ounce (pack of 1)"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVNBKJ3", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B083RYJT6M", "instruction": "hello ! i need paleo everyday seasonings powder which is gluten free and has low sodium.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 1 pound (pack of 1)", "style: 1.5 pound (pack of 1)"], "instruction_attributes": ["low sodium", "gluten free"], "instruction_options": ["everyday seasonings"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IQ4TLJ", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B083RYJT6M", "instruction": "i am searching for low sodium food, gluten free everyday seasonings, 2.5 ounce (pack of 1)", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 2.5 ounce (pack of 1)", "style: 2.01 ounce (pack of 1)"], "instruction_attributes": ["low sodium", "gluten free"], "instruction_options": ["everyday seasonings", "2.5 ounce (pack of 1)"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RJXFL2", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B083RYJT6M", "instruction": "i want a 1.5 pound box of 2 ounce paleo seasoning bottles that are low sodium..", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: paleo seasoning set", "size: 2 ounce (pack of 1)", "style: 1.5 pound (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["paleo seasoning set", "2 ounce (pack of 1)", "1.5 pound (pack of 1)"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6AJ5GT", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B083RYJT6M", "instruction": "i need everyday seasoning in a 4 piece assortment pack which should have low sodium and is gluten free.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 4 piece assortment", "style: 2.01 ounce (pack of 1)"], "instruction_attributes": ["low sodium", "gluten free"], "instruction_options": ["everyday seasonings", "4 piece assortment"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HG9LHYT", "worker_id": "ASWFLI3N8X72G"}], "B09SP83RFP": [{"asin": "B09SP83RFP", "instruction": "i would like to buy some hair growth treatments made from natural ingredients.", "attributes": ["easy use", "natural ingredients", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["natural ingredients", "hair growth"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYD3L60", "worker_id": "A1WS884SI0SLO4"}], "B09SKGVDWZ": [{"asin": "B09SKGVDWZ", "instruction": "i am looking for tempered glass screen protectors for the iphone 12 mini.", "attributes": ["high definition", "glass screen", "tempered glass"], "options": ["color: iphone 12 mini"], "instruction_attributes": ["tempered glass"], "instruction_options": ["iphone 12 mini"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS152CXD", "worker_id": "A2ECRNQ3X5LEXD"}], "B00PNMFH80": [{"asin": "B00PNMFH80", "instruction": "i am looking for fruit snacks that are fat free.", "attributes": ["fat free", "gluten free", "source vitamin"], "options": [""], "instruction_attributes": ["fat free"], "instruction_options": [], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZFYC7Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B0815YKZSP": [{"asin": "B0815YKZSP", "instruction": "i would like to buy some orange office chairs that have great lumbar support..", "attributes": ["height adjustable", "lumbar support"], "options": ["color: orange"], "instruction_attributes": ["lumbar support"], "instruction_options": ["orange"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSIK0XR", "worker_id": "A1WS884SI0SLO4"}], "B008XDPCQI": [{"asin": "B008XDPCQI", "instruction": "i'm looking for a rich and creamy crab, clam, and corn chowder bisque. choose the ones that comes in 10.5 oz canes of 6.", "attributes": ["rich creamy", "hand crafted"], "options": ["size: 10.5 ounce (pack of 6)", "style: clam and corn chowder"], "instruction_attributes": ["rich creamy"], "instruction_options": ["10.5 ounce (pack of 6)", "clam and corn chowder"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH5ME18", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B008XDPCQI", "instruction": "i am purchasing for rich creamy type bar harbor soup bisque crab also size is 10.5 ounce", "attributes": ["rich creamy", "hand crafted"], "options": ["size: 10.5 ounce (pack of 6)", "style: crab bisque"], "instruction_attributes": ["rich creamy"], "instruction_options": ["10.5 ounce (pack of 6)"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUVBRMQ", "worker_id": "A3RBCGB309WPOC"}, {"asin": "B008XDPCQI", "instruction": "i'm looking for bar harbor soup crab.", "attributes": ["rich creamy", "hand crafted"], "options": ["size: 10.5 ounce (pack of 1)", "style: clam and corn chowder"], "instruction_attributes": ["hand crafted"], "instruction_options": ["10.5 ounce (pack of 1)"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWRYW69", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B008XDPCQI", "instruction": "i need a good doup bisque that's hand crafted. select the manhatten clam chowder variety.", "attributes": ["rich creamy", "hand crafted"], "options": ["size: 10.5 ounce (pack of 1)", "style: manhatten clam chowder"], "instruction_attributes": ["hand crafted"], "instruction_options": ["manhatten clam chowder"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUGAC3Y", "worker_id": "A31PW970Z2PC5P"}], "B0868DCGK3": [{"asin": "B0868DCGK3", "instruction": "i would like to buy a three pack of fine combs good for styling dry hair.", "attributes": ["hair styling", "dry hair"], "options": ["color: 3 pack(fine comb)"], "instruction_attributes": ["hair styling", "dry hair"], "instruction_options": ["3 pack(fine comb)"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8AP5R2", "worker_id": "A1WS884SI0SLO4"}], "B09PBR8NS9": [{"asin": "B09PBR8NS9", "instruction": "i would like to buy some colorful medium long sleeve pajamas from quality fabrics that i can wear every day.", "attributes": ["long sleeve", "quality materials", "daily wear"], "options": ["color: a4-colorful", "size: medium"], "instruction_attributes": ["long sleeve", "quality materials", "daily wear"], "instruction_options": ["a4-colorful", "medium"], "assignment_id": "37TRT2X24116R7L1JO45INKV8OWBJU", "worker_id": "A1WS884SI0SLO4"}], "B09C3SD83Q": [{"asin": "B09C3SD83Q", "instruction": "i want a cruelty free lip gloss that is in shimmy glossy and comes in a pack of 8.", "attributes": ["cruelty free", "dry skin", "sensitive skin"], "options": ["color: (shimmer glossy, 8pcs-b)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["(shimmer glossy, 8pcs-b)"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J3QFSH", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R95Z7BF": [{"asin": "B08R95Z7BF", "instruction": "i want to find a strawberry scented foot peel mask that has argan oil as a key ingredient.", "attributes": ["high quality", "argan oil", "natural ingredients", "dead skin", "dry skin"], "options": ["scent: strawberry"], "instruction_attributes": ["argan oil"], "instruction_options": ["strawberry"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMNRG2C", "worker_id": "A345TDMHP3DQ3G"}], "B00IQCRTXU": [{"asin": "B00IQCRTXU", "instruction": "i need a compact flaschard that is high speed and has a 512gb capacity.", "attributes": ["1080p hd", "high speed"], "options": ["capacity: 512gb", "style: cfexpress + usb reader"], "instruction_attributes": ["high speed"], "instruction_options": ["512gb"], "assignment_id": "354P56DE9VDCOY11T1135MPMLF8S7R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00IQCRTXU", "instruction": "i am looking for a high speed compactflash card with128gb 2 -pack capacity. also choose cfexpress + usb reader style.", "attributes": ["1080p hd", "high speed"], "options": ["capacity: 128gb 2-pack", "style: cfexpress + usb reader"], "instruction_attributes": ["high speed"], "instruction_options": ["128gb 2-pack", "cfexpress + usb reader"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292X5PWQC", "worker_id": "A2HMEGTAFO0CS8"}], "B09RFM8Q7G": [{"asin": "B09RFM8Q7G", "instruction": "i want to find a yellow manual toothbrush suitable for 7-14 year old kids with sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: yellow-f", "size: 7-14 year"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["yellow-f", "7-14 year"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJDY8ZH", "worker_id": "A345TDMHP3DQ3G"}], "B09QQ16D9H": [{"asin": "B09QQ16D9H", "instruction": "i'd like to find a green toothbrush suitable for 7-12 year old kids with sensitive teeth.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: green#6", "size: 7-12 year old"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["green#6", "7-12 year old"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZ4WLK6", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09QQ16D9H", "instruction": "i would like a red tooth brush for my 7 -12 year old's sensitive teeth.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: red#3", "size: 7-12 year old"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["red#3", "7-12 year old"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC07NI9", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09QQ16D9H", "instruction": "i'm looking for a easy to use manual toothbrush for sensitive teeth. also choose 7-12 year old kids usable blue colored one.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: blue#2", "size: 7-12 year old"], "instruction_attributes": ["easy use", "sensitive teeth"], "instruction_options": ["blue#2", "7-12 year old"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95V2QXH", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B09QQ16D9H", "instruction": "i need to find an easy to use toothbrush for a seven year old. look for a yellow one.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: yellow#2", "size: 7-14 year old"], "instruction_attributes": ["easy use"], "instruction_options": ["yellow#2", "7-14 year old"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXJ8WKY", "worker_id": "AR9AU5FY1S3RO"}], "B002OEPJK6": [{"asin": "B002OEPJK6", "instruction": "i'm looking for a black colored king sized bed with night stand and chest made of engineered wood.", "attributes": ["assembly required", "engineered wood"], "options": ["color: black", "size: king", "style: bed | night stand & chest"], "instruction_attributes": ["engineered wood"], "instruction_options": ["black", "king", "bed | night stand & chest"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C46YI0T", "worker_id": "AR0VJ5XRG16UJ"}], "B09LVV68PS": [{"asin": "B09LVV68PS", "instruction": "i need a usb flash drive that can carry 512gb and is in the style of istorage miscrosd card and datashur sd drive", "attributes": ["easy use", "usb port"], "options": ["capacity: 512gb", "style: datashur sd drive + istorage microsd card"], "instruction_attributes": ["usb port"], "instruction_options": ["512gb", "datashur sd drive + istorage microsd card"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17XYDY31", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09LVV68PS", "instruction": "i would like a 3 pack of istorage 0gb microsd cards that are easy to use.", "attributes": ["easy use", "usb port"], "options": ["capacity: 0gb", "style: istorage microsd card | 3 pack"], "instruction_attributes": ["easy use"], "instruction_options": ["0gb", "istorage microsd card | 3 pack"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMH0QB7V", "worker_id": "A1WS884SI0SLO4"}], "B07CG6N4K7": [{"asin": "B07CG6N4K7", "instruction": "i would like to get some size 10 red pumps with a rubber sole.", "attributes": ["day comfort", "rubber sole"], "options": ["color: black-red", "size: 10"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black-red", "10"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTP74EM", "worker_id": "A1WS884SI0SLO4"}], "B07JX7QM8G": [{"asin": "B07JX7QM8G", "instruction": "i'm looking for a high performance paint contrast projector.", "attributes": ["high performance", "high definition"], "options": ["model: projection paint contrast"], "instruction_attributes": ["high performance"], "instruction_options": ["projection paint contrast"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR4ZOUFN", "worker_id": "A19317A3X87NVM"}], "B08FXNWKYV": [{"asin": "B08FXNWKYV", "instruction": "i want to get some photo studio backgrounds that are dust proof and for high resolution.", "attributes": ["dust proof", "high resolution"], "options": [""], "instruction_attributes": ["dust proof", "high resolution"], "instruction_options": [], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXPPYMC", "worker_id": "A2YNPKYEFDZ6C9"}], "B09D2ZKB99": [{"asin": "B09D2ZKB99", "instruction": "i would like to buy a 16 x 36 inch round clear table pad for my dining room table that's easy to clean.", "attributes": ["eco friendly", "easy clean", "dining room"], "options": ["color: round new clear", "size: 16x36 inch"], "instruction_attributes": ["easy clean", "dining room"], "instruction_options": ["round new clear", "16x36 inch"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C1NPH6", "worker_id": "A1WS884SI0SLO4"}], "B01FTZYWJK": [{"asin": "B01FTZYWJK", "instruction": "find me a carbon fiber tripod stand.", "attributes": ["quick release", "easy carry", "carbon fiber"], "options": [""], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJDXW07", "worker_id": "A36LOA6VLJU157"}], "B093CXPS8D": [{"asin": "B093CXPS8D", "instruction": "i need an led video light that is l6000a. some batteries would be nice.", "attributes": ["batteries included", "easy use"], "options": ["color: rgb light for photography", "size: l6000a"], "instruction_attributes": ["batteries included"], "instruction_options": ["l6000a"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDMKQZG", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B093CXPS8D", "instruction": "i need an easy to use warm light for photography", "attributes": ["batteries included", "easy use"], "options": ["color: white + warm light for photography", "size: l5000r"], "instruction_attributes": ["easy use"], "instruction_options": ["white + warm light for photography"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJPO0WQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B001VNGOAA": [{"asin": "B001VNGOAA", "instruction": "i need one pound of kosher echinacea.", "attributes": ["easy prepare", "kosher certified"], "options": ["size: 1 pound (pack of 1)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4BO89I", "worker_id": "A2ECRNQ3X5LEXD"}], "B098XC1XZP": [{"asin": "B098XC1XZP", "instruction": "i need a long sleeved hoodie that is an xx-large and is in the color gray.", "attributes": ["hand wash", "machine washable", "long sleeve", "drawstring closure", "polyester spandex", "daily wear"], "options": ["color: s-aa-gray", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["s-aa-gray", "xx-large"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8L45O1T", "worker_id": "A2ECRNQ3X5LEXD"}], "B07MG55SJB": [{"asin": "B07MG55SJB", "instruction": "i need a protective ac output cable cord.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3IZ0DF3", "worker_id": "A19317A3X87NVM"}, {"asin": "B07MG55SJB", "instruction": "i would like a ac adapter with output protection.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFDSLV3", "worker_id": "A1WS884SI0SLO4"}], "B085T9CWGD": [{"asin": "B085T9CWGD", "instruction": "i would like to get some 20 mm c-0.10 made from high quality materials false lashes.", "attributes": ["cruelty free", "high quality", "quality materials"], "options": ["scent: c-0.10", "size: 20-25 mm"], "instruction_attributes": ["high quality", "quality materials"], "instruction_options": ["c-0.10", "20-25 mm"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU482X4PY9", "worker_id": "A1WS884SI0SLO4"}], "B09854W487": [{"asin": "B09854W487", "instruction": "i'm looking for a 6-count pack of birthday cake flavored donuts that are keto friendly.", "attributes": ["soy free", "keto friendly", "low sugar", "gluten free", "ready eat", "low carb", "quality ingredients", "birthday cake"], "options": ["flavor: birthday cake", "size: 6 count"], "instruction_attributes": ["keto friendly", "birthday cake"], "instruction_options": ["birthday cake", "6 count"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0KFARU", "worker_id": "A345TDMHP3DQ3G"}], "B09RF8CHQK": [{"asin": "B09RF8CHQK", "instruction": "i would like to buy a medium blue short sleeve t-shirt appropriate for a teenage girl.", "attributes": ["loose fit", "polyester cotton", "short sleeve", "long sleeve", "teen girls", "daily wear"], "options": ["color: a03-blue", "size: medium"], "instruction_attributes": ["short sleeve", "teen girls"], "instruction_options": ["a03-blue", "medium"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR0UC0Z", "worker_id": "A1WS884SI0SLO4"}], "B092CP85HK": [{"asin": "B092CP85HK", "instruction": "i need a long lasting white eye shadow.", "attributes": ["highly pigmented", "easy apply", "easy clean", "cruelty free", "long lasting", "eye shadow"], "options": ["color: white 1"], "instruction_attributes": ["long lasting"], "instruction_options": ["white 1"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYK89QY", "worker_id": "A2ECRNQ3X5LEXD"}], "B00A74HZN4": [{"asin": "B00A74HZN4", "instruction": "i want some chincilla 29w x 32l regular straight leg jeans.", "attributes": ["straight leg", "machine wash", "imported zipper"], "options": ["color: chinchilla - soft washed twill", "fit type: regular", "size: 29w x 32l"], "instruction_attributes": ["straight leg"], "instruction_options": ["chinchilla - soft washed twill", "regular", "29w x 32l"], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW64KVV8", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00A74HZN4", "instruction": "i am looking for levi's 514 straight fit jeans for men with straight legs and a regular fit.", "attributes": ["straight leg", "machine wash", "imported zipper"], "options": ["color: native cali - advanced stretch", "fit type: regular", "size: 36w x 30l"], "instruction_attributes": ["straight leg"], "instruction_options": ["regular"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQTN4BH", "worker_id": "A1EREKSZAA9V7B"}], "B084C23QZD": [{"asin": "B084C23QZD", "instruction": "i'm looking for a pair of ivory-colored noise-cancelling headphones.", "attributes": ["noise cancelling", "carrying case"], "options": ["color: ivory"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["ivory"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J2PFSE", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B084C23QZD", "instruction": "i want a on-ear headphone with noise cancelling", "attributes": ["noise cancelling", "carrying case"], "options": ["color: dark blue"], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASIAB75X0", "worker_id": "AVIEE6LDH0BT5"}], "B08BDLWRG8": [{"asin": "B08BDLWRG8", "instruction": "i would like to buy a pack of 6 individually wrapped cookie gift basket.", "attributes": ["baked fresh", "individually wrapped", "gift basket"], "options": ["number of items: 6"], "instruction_attributes": ["individually wrapped", "gift basket"], "instruction_options": ["6"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8DD4RD", "worker_id": "A1WS884SI0SLO4"}], "B09RJ4T8FR": [{"asin": "B09RJ4T8FR", "instruction": "i would like to buy a large black short short sleeve polo shirt.", "attributes": ["slim fit", "long sleeve", "regular fit", "short sleeve"], "options": ["color: black", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["black", "large"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6475WH3N", "worker_id": "A1WS884SI0SLO4"}], "B08888J18H": [{"asin": "B08888J18H", "instruction": "i need sneakers that have a rubber sole and are a grey blue color in a size 7.", "attributes": ["non slip", "rubber sole"], "options": ["color: grey_blue", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["grey_blue", "7"], "assignment_id": "37Z929RLGKIZMWY86444AIH4ACYTS3", "worker_id": "A2ECRNQ3X5LEXD"}], "B01HJW7AHC": [{"asin": "B01HJW7AHC", "instruction": "i want to buy a two pack of high-speed gold-plated hdmi cables.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 10 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["2 pack"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZK604X", "worker_id": "A2YNPKYEFDZ6C9"}], "B09JKCX4WH": [{"asin": "B09JKCX4WH", "instruction": "keego window blinds will they block out all the sun light or will there be cracks?", "attributes": ["easy install", "living room"], "options": ["color: white - blackout", "size: 64\"w x 64\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["white - blackout"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYEJHDB", "worker_id": "A2NF3B9O8ZKLLZ"}], "B00P1Q5JHW": [{"asin": "B00P1Q5JHW", "instruction": "i want to find 5.3 ounces of plant-based organic hair dye in a dark chocolate color.", "attributes": ["plant based", "easy use", "hair dye"], "options": ["color: dark chocolate", "size: 5.3 ounce (pack of 1)"], "instruction_attributes": ["plant based", "hair dye"], "instruction_options": ["dark chocolate", "5.3 ounce (pack of 1)"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNFVIDL4", "worker_id": "A345TDMHP3DQ3G"}], "B07V6HF7QF": [{"asin": "B07V6HF7QF", "instruction": "i would like a stainless steel coaxial car speaker.", "attributes": ["quick release", "stainless steel"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYIP6MJ", "worker_id": "A1WS884SI0SLO4"}], "B07L43RN73": [{"asin": "B07L43RN73", "instruction": "find me 1 bar of orange blossom honey soap that is made with natural ingredients.", "attributes": ["cruelty free", "natural ingredients", "coconut oil"], "options": ["scent: orange blossom honey", "size: 6 ounce (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["orange blossom honey", "6 ounce (pack of 1)"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ4M19T", "worker_id": "A36LOA6VLJU157"}], "B09FZNQ75H": [{"asin": "B09FZNQ75H", "instruction": "i would like to get a perfect fruit gift basket.", "attributes": ["easy use", "perfect gift"], "options": [""], "instruction_attributes": ["perfect gift"], "instruction_options": [], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LQUCDL", "worker_id": "A1WS884SI0SLO4"}], "B08M4FR5D7": [{"asin": "B08M4FR5D7", "instruction": "i need a king sized bed that has metal legs.", "attributes": ["contemporary design", "metal legs"], "options": ["size: king"], "instruction_attributes": ["metal legs"], "instruction_options": ["king"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDK8Y8W", "worker_id": "A2ECRNQ3X5LEXD"}], "B09L6YPVT9": [{"asin": "B09L6YPVT9", "instruction": "i would like a cosmetic bag for my eye shadow decorated with a lot of lip prints.", "attributes": ["nail polish", "eye shadow"], "options": ["color: many lip prints"], "instruction_attributes": ["eye shadow"], "instruction_options": ["many lip prints"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MCW0ZYT", "worker_id": "A1WS884SI0SLO4"}], "B08NP6WYKN": [{"asin": "B08NP6WYKN", "instruction": "i would like a yellow 42mm band for a apple watch that is easy to put on.", "attributes": ["compatible apple", "easy install"], "options": ["color: yellow", "size: 42mm | 44mm | 45mm-s"], "instruction_attributes": ["compatible apple", "easy install"], "instruction_options": ["yellow", "42mm | 44mm | 45mm-s"], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW64FVV3", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08NP6WYKN", "instruction": "i would like a midnight blue 38 mm applewatch band.", "attributes": ["compatible apple", "easy install"], "options": ["color: midnight blue", "size: 38mm | 40mm | 41mm-s"], "instruction_attributes": ["compatible apple"], "instruction_options": ["midnight blue", "38mm | 40mm | 41mm-s"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O4K2AG", "worker_id": "A1WS884SI0SLO4"}], "B007FAOW5M": [{"asin": "B007FAOW5M", "instruction": "i would like a tinted moisturizer that is made for dry skin and is in the color annapurna.", "attributes": ["dermatologist tested", "dry skin"], "options": ["color: annapurna - medium with a neutral peachy undertone"], "instruction_attributes": ["dry skin"], "instruction_options": ["annapurna - medium with a neutral peachy undertone"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1M13TGI", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B007FAOW5M", "instruction": "i need a tinted moisturizer that is effective for dry skin . and choose the annapurna - medium with a neutral peachy undertone", "attributes": ["dermatologist tested", "dry skin"], "options": ["color: annapurna - medium with a neutral peachy undertone"], "instruction_attributes": ["dry skin"], "instruction_options": ["annapurna - medium with a neutral peachy undertone"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZKHO83", "worker_id": "A2COCSUGZV28X"}], "B07DXHRNFS": [{"asin": "B07DXHRNFS", "instruction": "i would like to buy some size 36 orange elastic waist flat front shorts.", "attributes": ["machine washable", "elastic waistband", "elastic waist"], "options": ["color: orange", "size: 36"], "instruction_attributes": ["elastic waist"], "instruction_options": ["orange", "36"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC5Z9RKW", "worker_id": "A1WS884SI0SLO4"}], "B08X6K9XN3": [{"asin": "B08X6K9XN3", "instruction": "i'm looking for a non slip trekking shoes with rubber outsole and should be moisture wicking. also choose black colored with size 14 for women", "attributes": ["day comfort", "moisture wicking", "non slip", "memory foam", "rubber outsole"], "options": ["color: black", "size: 14 women | 13 men"], "instruction_attributes": ["moisture wicking", "rubber outsole"], "instruction_options": ["black", "14 women | 13 men"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN4AI8G", "worker_id": "AR0VJ5XRG16UJ"}], "B00BJY64KG": [{"asin": "B00BJY64KG", "instruction": "i need a standard 23\" by 52\" green toddler bed that is heavy duty.", "attributes": ["heavy duty", "space saving", "assembly required", "coated steel"], "options": ["color: green", "pattern name: cot", "size: standard (23\" x 52\")", "style: with sheets"], "instruction_attributes": ["heavy duty"], "instruction_options": ["green", "standard (23\" x 52\")"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0Q8W4K", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00BJY64KG", "instruction": "i want to find a space-saving yellow naptime cot for toddlers. it should come in a standard size and i don't want it to come with sheets.", "attributes": ["heavy duty", "space saving", "assembly required", "coated steel"], "options": ["color: yellow", "pattern name: cot + bookshelf", "size: standard (23\" x 52\")", "style: without sheets"], "instruction_attributes": ["space saving"], "instruction_options": ["yellow", "cot + bookshelf", "standard (23\" x 52\")", "without sheets"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95D2XQO", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B00BJY64KG", "instruction": "i need to buy a heavy duty daycare sleeping cot. find one in red without sheets.", "attributes": ["heavy duty", "space saving", "assembly required", "coated steel"], "options": ["color: red", "pattern name: cot + crew", "size: standard (23\" x 52\")", "style: without sheets"], "instruction_attributes": ["heavy duty"], "instruction_options": ["red", "without sheets"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFE702E", "worker_id": "AR9AU5FY1S3RO"}], "B07QMFTT6J": [{"asin": "B07QMFTT6J", "instruction": "i am looking for an original dry skin moisturizer that comes in a three pack.", "attributes": ["cruelty free", "fragrance free", "natural ingredients", "dry skin"], "options": ["color: original", "size: 3 pack"], "instruction_attributes": ["dry skin"], "instruction_options": ["original", "3 pack"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7SGP59", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07QMFTT6J", "instruction": "i would like a two pack of cruelty free lip balm in orange.", "attributes": ["cruelty free", "fragrance free", "natural ingredients", "dry skin"], "options": ["color: outrageous orange", "size: 2 pack"], "instruction_attributes": ["cruelty free"], "instruction_options": ["outrageous orange", "2 pack"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV8QV8E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JKW21YF": [{"asin": "B09JKW21YF", "instruction": "i would like to buy a 12x16 inch white poster that has a solid wood frame and easy to install in my living room.", "attributes": ["easy install", "wood frame", "solid wood", "living room"], "options": ["color: white 4", "size: 12x16 inch"], "instruction_attributes": ["easy install", "wood frame", "solid wood", "living room"], "instruction_options": ["white 4", "12x16 inch"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMPMSAU", "worker_id": "A1WS884SI0SLO4"}], "B07PR9D43Q": [{"asin": "B07PR9D43Q", "instruction": "i would like yellow flats that have memory foam that are a size 9.5.", "attributes": ["memory foam", "rubber sole"], "options": ["color: yellow", "size: 9.5"], "instruction_attributes": ["memory foam"], "instruction_options": ["yellow", "9.5"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MELFOI", "worker_id": "A2ECRNQ3X5LEXD"}], "B01HJWAMKE": [{"asin": "B01HJWAMKE", "instruction": "i'm looking for a high speed hdmi male to male cable.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 4 pack", "size: 30-feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["hdmi male to male"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9KQETM", "worker_id": "A19317A3X87NVM"}, {"asin": "B01HJWAMKE", "instruction": "i want to find a 10-pack of male-to-female hdmi cables that are 20 feet long and plated with gold.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 20 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["gold plated"], "instruction_options": ["10 pack", "20 feet (single pack)", "hdmi male to female"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW4O8SE", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01HJWAMKE", "instruction": "i want a high speed hdmi cable male to female.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 12 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["hdmi male to female"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLS92CW2", "worker_id": "A2RBF3IIJP15IH"}], "B08X216Z6H": [{"asin": "B08X216Z6H", "instruction": "i would like to get a high quality black white lotion pump case.", "attributes": ["bpa free", "high quality", "fine mist"], "options": ["color: black bottle", "size: white lotion pump"], "instruction_attributes": ["high quality"], "instruction_options": ["black bottle", "white lotion pump"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NIAP2T", "worker_id": "A1WS884SI0SLO4"}], "B07KP1M97Z": [{"asin": "B07KP1M97Z", "instruction": "i would like to get a refurbished printer.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZUWCN3", "worker_id": "A1WS884SI0SLO4"}], "B00CWTZ8SQ": [{"asin": "B00CWTZ8SQ", "instruction": "i need sugar free flavor syrup for soda that is 25.4 fl oz.", "attributes": ["sugar free", "fat free", "keto friendly", "gluten free", "zero sugar"], "options": ["flavor name: sugar free syrup, variety pack, soda fla...", "size: 25.4 fl oz (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["sugar free syrup, variety pack, soda fla...", "25.4 fl oz (pack of 1)"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVGQKJ4", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00CWTZ8SQ", "instruction": "i\u2019m looking for a large multi-pack of sweetener that contains no sugar; please pick the blue raspberry flavour.", "attributes": ["sugar free", "fat free", "keto friendly", "gluten free", "zero sugar"], "options": ["flavor name: sugar free blue raspberry", "size: 25.4 fl oz (pack of 12)"], "instruction_attributes": ["sugar free", "zero sugar"], "instruction_options": ["sugar free blue raspberry"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8KVQ61", "worker_id": "A3LIIE572Z4OG7"}], "B07J6SVGKY": [{"asin": "B07J6SVGKY", "instruction": "i would like to get a 16 x 24 inch poster with a ready to hang white frame.", "attributes": ["ready hang", "wood frame"], "options": ["size: 16 in x 24 in", "style: white frame"], "instruction_attributes": ["ready hang"], "instruction_options": ["16 in x 24 in", "white frame"], "assignment_id": "36ZN444YT28UFQQ45BORC65U297IOC", "worker_id": "A1WS884SI0SLO4"}], "B07XT6GKWV": [{"asin": "B07XT6GKWV", "instruction": "i need an intel core i3 cpu pc that has 16gb of ram and 24gb of ssd space.", "attributes": ["dual band", "intel core", "quad core", "core i5"], "options": ["color: cpu i3 8145u", "size: 16g ram 240g ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["cpu i3 8145u", "16g ram 240g ssd"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RCGFL7", "worker_id": "A2ECRNQ3X5LEXD"}], "B005W0LRUA": [{"asin": "B005W0LRUA", "instruction": "i would like to buy a small cyan bra that i can hand wash in the sink.", "attributes": ["hand wash", "nylon spandex"], "options": ["color: cyan blue", "size: small"], "instruction_attributes": ["hand wash"], "instruction_options": ["cyan blue", "small"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI344BDL", "worker_id": "A1WS884SI0SLO4"}], "B004EMLLXU": [{"asin": "B004EMLLXU", "instruction": "i would like to buy a 6 pack of 15 ounce fat free oyster sauce.", "attributes": ["easy prepare", "fat free"], "options": ["flavor name: oyster", "size: 15 ounce (pack of 6)"], "instruction_attributes": ["fat free"], "instruction_options": ["oyster", "15 ounce (pack of 6)"], "assignment_id": "3BGYGHDBB8UCXYNXTA52IDVAC72221", "worker_id": "A1WS884SI0SLO4"}], "B07MXCYKLX": [{"asin": "B07MXCYKLX", "instruction": "i would like a cosmetics bag that is water resistant and pineapple colored.", "attributes": ["water resistant", "non toxic", "easy carry", "easy clean", "high quality"], "options": ["color: pineapple 1"], "instruction_attributes": ["water resistant"], "instruction_options": ["pineapple 1"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7QHUC5", "worker_id": "A2ECRNQ3X5LEXD"}], "B087BHY3D3": [{"asin": "B087BHY3D3", "instruction": "i would like six individually wrapped dessert gifts.", "attributes": ["baked fresh", "individually wrapped"], "options": ["number of items: 6"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["6"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZBEK99", "worker_id": "A2ECRNQ3X5LEXD"}], "B00VEJ6GHM": [{"asin": "B00VEJ6GHM", "instruction": "i would like a 48 pack of 5 ounce wild caught albacore in water tuna.", "attributes": ["wild caught", "gluten free"], "options": ["flavor name: albacore in water", "size: 5 ounce (pack of 48)"], "instruction_attributes": ["wild caught"], "instruction_options": ["albacore in water", "5 ounce (pack of 48)"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG166GYL", "worker_id": "A1WS884SI0SLO4"}], "B07KQHV9SF": [{"asin": "B07KQHV9SF", "instruction": "i would like thierry mugler angel impression in a travel size bottle.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: thierry mugler angel impression"], "instruction_attributes": ["travel size"], "instruction_options": ["thierry mugler angel impression"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0JACAO", "worker_id": "A2ECRNQ3X5LEXD"}], "B098933HD8": [{"asin": "B098933HD8", "instruction": "i want to find date-sweetened pancake mix that is gluten free and includes only simple ingredients.", "attributes": ["gluten free", "simple ingredients"], "options": [""], "instruction_attributes": ["gluten free", "simple ingredients"], "instruction_options": [], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98I9NM2A", "worker_id": "A345TDMHP3DQ3G"}], "B009JBFLH8": [{"asin": "B009JBFLH8", "instruction": "i am looking for a dome camera that has motion detection and is hd 360 degree.", "attributes": ["dust proof", "motion detection"], "options": ["style: hd 360-degree"], "instruction_attributes": ["motion detection"], "instruction_options": ["hd 360-degree"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHXSQHH", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DT9G2FR": [{"asin": "B09DT9G2FR", "instruction": "find me a long handled body brush that is double sided.", "attributes": ["double sided", "easy use", "long handle", "dead skin", "sensitive skin"], "options": [""], "instruction_attributes": ["double sided", "long handle"], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZR1RNI", "worker_id": "A36LOA6VLJU157"}], "B004VMGTY4": [{"asin": "B004VMGTY4", "instruction": "i am looking for a sensitive night cream that does not have a fragrance.", "attributes": ["fragrance free", "dermatologist tested", "sensitive skin"], "options": ["style: sensitive night cream"], "instruction_attributes": ["fragrance free"], "instruction_options": ["sensitive night cream"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746OCTB2", "worker_id": "A2ECRNQ3X5LEXD"}], "B00N2JMYKU": [{"asin": "B00N2JMYKU", "instruction": "i am looking for a castor oil with tee tree oils for black natural hair that can stimulate follicles and hair growth . it should be 4 ounce.", "attributes": ["tea tree", "natural hair", "hair growth"], "options": ["size: 4 ounce", "style name: lavender palma christi"], "instruction_attributes": ["natural hair", "hair growth"], "instruction_options": ["4 ounce"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746P9BTJ", "worker_id": "AHU9OLV0YKIIW"}], "B09NQDV4N8": [{"asin": "B09NQDV4N8", "instruction": "i would like to buy a white floor lamp for my living room.", "attributes": ["easy assemble", "living room"], "options": ["color: white"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMKIEXH", "worker_id": "A1WS884SI0SLO4"}], "B083ZJ87W2": [{"asin": "B083ZJ87W2", "instruction": "i need an alarm clock that is mint colored and has batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": ["color: mint"], "instruction_attributes": ["batteries included"], "instruction_options": ["mint"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746RABTO", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B083ZJ87W2", "instruction": "seeking to find a mini reversible travel lcd alarm clock-radio controlled touch sensor light using aaa batteries included in color white or pink that is made by lexon flip plus.", "attributes": ["batteries included", "aaa batteries"], "options": ["color: white"], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": ["white"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN66C5GE", "worker_id": "A3RGIKEI8JS2QG"}], "B08S741NQG": [{"asin": "B08S741NQG", "instruction": "i would like to buy some greeley size 28 slim fit jeans.", "attributes": ["slim fit", "quality materials"], "options": ["color: greeley", "size: 28"], "instruction_attributes": ["slim fit"], "instruction_options": ["greeley", "28"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P5BUBS", "worker_id": "A1WS884SI0SLO4"}], "B006M5SG5I": [{"asin": "B006M5SG5I", "instruction": "i am looking for 12 cookies that are in a gift basket and are cherry flavored with white chips.", "attributes": ["perfect gift", "gift basket"], "options": ["flavor name: cherry w | white chips", "size: 12 count (pack of 1)"], "instruction_attributes": ["gift basket"], "instruction_options": ["cherry w | white chips", "12 count (pack of 1)"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U15MAF", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B006M5SG5I", "instruction": "i am looking for a perfect gift of cookies having flavor name assorted flavors.", "attributes": ["perfect gift", "gift basket"], "options": ["flavor name: assorted flavors", "size: 12 count"], "instruction_attributes": ["perfect gift"], "instruction_options": ["assorted flavors"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOL0LM8", "worker_id": "A1Q8PPQQCWGY0D"}], "B09BQRRRHZ": [{"asin": "B09BQRRRHZ", "instruction": "i want to find a black car charger with a usb port.", "attributes": ["fast charging", "usb port"], "options": ["color: black"], "instruction_attributes": ["usb port"], "instruction_options": ["black"], "assignment_id": "37Z929RLGKIZMWY86444AIH4ABCTSF", "worker_id": "A345TDMHP3DQ3G"}], "B082NNKT5C": [{"asin": "B082NNKT5C", "instruction": "i am looking for a classic candle that has soy wax", "attributes": ["eco friendly", "long lasting", "soy wax"], "options": ["color: sea salt cardamom & musk", "size: classic candle"], "instruction_attributes": ["soy wax"], "instruction_options": ["classic candle"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YU5HEX", "worker_id": "A2ECRNQ3X5LEXD"}], "B07MZ3Z2TY": [{"asin": "B07MZ3Z2TY", "instruction": "i need a lightweight photography background that is 8 by 6 feet.", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 8x6ft"], "instruction_attributes": ["light weight"], "instruction_options": ["8x6ft"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IA42M9", "worker_id": "A2ECRNQ3X5LEXD"}], "B088DS3SP9": [{"asin": "B088DS3SP9", "instruction": "i would like a pair of high quality hair clippers.", "attributes": ["high quality", "hair cutting"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQB1JRJ", "worker_id": "A1WS884SI0SLO4"}], "B09F3HQV85": [{"asin": "B09F3HQV85", "instruction": "i need a lake blue colored storage bench that is made of faux leather and is 60.40.42cm.", "attributes": ["pu leather", "faux leather"], "options": ["color: lake blue", "size: 60.40.42cm"], "instruction_attributes": ["faux leather"], "instruction_options": ["lake blue", "60.40.42cm"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVDF0Q8", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CRVWTWP": [{"asin": "B07CRVWTWP", "instruction": "i would like to get a queen pink linen daybed with a wood frame.", "attributes": ["king size", "metal legs", "wood frame"], "options": ["color: pink linen", "size: queen", "style: daybed and trundle"], "instruction_attributes": ["wood frame"], "instruction_options": ["pink linen", "queen", "daybed and trundle"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N1R7T6", "worker_id": "A1WS884SI0SLO4"}], "B07QJ3GS1G": [{"asin": "B07QJ3GS1G", "instruction": "i would like a water resistant usb flash drive that has 32 gb of storage and is a05 color.", "attributes": ["water resistant", "easy carry"], "options": ["color: a05", "size: 32gb"], "instruction_attributes": ["water resistant"], "instruction_options": ["a05", "32gb"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8TFSS8", "worker_id": "A2ECRNQ3X5LEXD"}], "B0978P7D27": [{"asin": "B0978P7D27", "instruction": "i need a case for my phone that is turquoise and has wireless charging capabilities.", "attributes": ["hands free", "wireless charging"], "options": ["color: turquoise"], "instruction_attributes": ["wireless charging"], "instruction_options": ["turquoise"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK41G6AF", "worker_id": "A2ECRNQ3X5LEXD"}], "B07DPG7MV4": [{"asin": "B07DPG7MV4", "instruction": "i am looking for some pants with an elastic waist that are x-small size and are khaki colored.", "attributes": ["hand wash", "water resistant", "moisture wicking", "wash cold", "button closure", "elastic waist", "relaxed fit"], "options": ["color: khaki-10", "size: x-small | 29\" inseam"], "instruction_attributes": ["elastic waist"], "instruction_options": ["khaki-10", "x-small | 29\" inseam"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKBGD7Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B071L2B6BN": [{"asin": "B071L2B6BN", "instruction": "i'm looking for a sofa table with wood finish for the living room.", "attributes": ["wood finish", "living room"], "options": [""], "instruction_attributes": ["wood finish", "living room"], "instruction_options": [], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTDIVZ69", "worker_id": "A36LOA6VLJU157"}], "B07J3Y6LVY": [{"asin": "B07J3Y6LVY", "instruction": "i'm looking for a tempered glass cell phone case.", "attributes": ["long lasting", "case cover", "tempered glass"], "options": ["color: crystal ab-12 pro max", "size: iphone se 2020 | iphone 7 | 8"], "instruction_attributes": ["tempered glass"], "instruction_options": ["crystal ab-12 pro max"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60G6AA1", "worker_id": "A19317A3X87NVM"}], "B086QNNL78": [{"asin": "B086QNNL78", "instruction": "i am looking for some cookies that are plant based and peanut butter flavor, and would like a pack of 16.", "attributes": ["plant based", "non gmo", "individually wrapped", "high fructose"], "options": ["flavor name: peanut butter", "size: 4 ounce (pack of 16)"], "instruction_attributes": ["plant based"], "instruction_options": ["peanut butter", "4 ounce (pack of 16)"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQK9B5A", "worker_id": "A2ECRNQ3X5LEXD"}], "B00HJXD7EM": [{"asin": "B00HJXD7EM", "instruction": "i would like to buy a six pack of 12 ounce apricot dairy free bake mix.", "attributes": ["baked fresh", "nut free", "dairy free"], "options": ["flavor name: apricot", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["dairy free"], "instruction_options": ["apricot", "12 ounce (pack of 6)"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVBISZM", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00HJXD7EM", "instruction": "i am looking for freshly baked nut free kosher cookie pastry which is 12ounce in size.", "attributes": ["baked fresh", "nut free", "dairy free"], "options": ["flavor name: apricot - sugar free", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["baked fresh", "nut free"], "instruction_options": ["12 ounce (pack of 6)"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8OIQ6W", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B00HJXD7EM", "instruction": "i would like a 12 ounce strawberry baking mix that is nut free.", "attributes": ["baked fresh", "nut free", "dairy free"], "options": ["flavor name: strawberry", "size: 12 ounce (pack of 2)"], "instruction_attributes": ["nut free"], "instruction_options": ["strawberry", "12 ounce (pack of 2)"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPM1E6H", "worker_id": "A1WS884SI0SLO4"}], "B09RHSP5K6": [{"asin": "B09RHSP5K6", "instruction": "i would like to buy some size 7.5 gold high heeled shoes with a ankle strap.", "attributes": ["open toe", "non slip", "light weight", "anti slip", "ankle strap", "high heel", "arch support", "memory foam"], "options": ["color: gold", "size: 7.5 wide"], "instruction_attributes": ["ankle strap", "high heel"], "instruction_options": ["gold", "7.5 wide"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYCV6LB", "worker_id": "A1WS884SI0SLO4"}], "B09DYSRQLC": [{"asin": "B09DYSRQLC", "instruction": "i'm looking for some gluten free jelly with black sesames.", "attributes": ["lactose free", "gluten free"], "options": ["flavor name: black sesame 1 kg"], "instruction_attributes": ["gluten free"], "instruction_options": ["black sesame 1 kg"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCG3FMS6", "worker_id": "A19317A3X87NVM"}, {"asin": "B09DYSRQLC", "instruction": "i want a peanut butter with date spread that is gluten free.", "attributes": ["lactose free", "gluten free"], "options": ["flavor name: peanut butter with dates"], "instruction_attributes": ["gluten free"], "instruction_options": ["peanut butter with dates"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8JS5RN", "worker_id": "A1WS884SI0SLO4"}], "B004VWL39A": [{"asin": "B004VWL39A", "instruction": "i am looking for steel toe shoes for men that are a size 8.5 wide.", "attributes": ["steel toe", "rubber sole"], "options": ["size: 8.5 wide"], "instruction_attributes": ["steel toe"], "instruction_options": ["8.5 wide"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DY8Q828", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FF3KS1F": [{"asin": "B09FF3KS1F", "instruction": "i need matte black pumps that have a rubber sole and that are in a us size 6.5.", "attributes": ["long lasting", "rubber outsole", "rubber sole"], "options": ["color: matteblk", "size: us6.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["matteblk", "us6.5"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM0WZH3", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GM6TS1F": [{"asin": "B09GM6TS1F", "instruction": "i would like a linen 33x31x33 centimeter ottoman for my living room.", "attributes": ["spot clean", "mid century", "high density", "solid wood", "living room"], "options": ["color: e(linen)", "size: 33x31x33cm(13x12x13inch)"], "instruction_attributes": ["living room"], "instruction_options": ["e(linen)", "33x31x33cm(13x12x13inch)"], "assignment_id": "31EUONYN26DZ1WA44INARVVOABMVO5", "worker_id": "A1WS884SI0SLO4"}], "B09R46MB1Y": [{"asin": "B09R46MB1Y", "instruction": "i want a size 8 pink high heeled shoe with a ankle strap.", "attributes": ["anti slip", "high heel", "ankle strap"], "options": ["color: a-1 pink", "size: 8"], "instruction_attributes": ["high heel", "ankle strap"], "instruction_options": ["a-1 pink", "8"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJDQOLL", "worker_id": "A1WS884SI0SLO4"}], "B09HMMH7F4": [{"asin": "B09HMMH7F4", "instruction": "i would like to get some second 5 sand long lasting foundation made from seed oil.", "attributes": ["long lasting", "seed oil"], "options": ["color: 5 sand", "size: 2nd"], "instruction_attributes": ["long lasting", "seed oil"], "instruction_options": ["5 sand", "2nd"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQKPP08", "worker_id": "A1WS884SI0SLO4"}], "B09M6Z6S7H": [{"asin": "B09M6Z6S7H", "instruction": "i'm looking for a smart watch bands which is compatible for apple and easy to install. also choose black-red colored one.", "attributes": ["compatible apple", "easy install"], "options": ["color: black-red"], "instruction_attributes": ["compatible apple", "easy install"], "instruction_options": ["black-red"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEF9WU5Y", "worker_id": "AR0VJ5XRG16UJ"}], "B0977MNS6P": [{"asin": "B0977MNS6P", "instruction": "i need a king size bedroom set with a wood finish.", "attributes": ["queen size", "wood finish"], "options": ["color: king bed a468c"], "instruction_attributes": ["wood finish"], "instruction_options": ["king bed a468c"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G7YM74E", "worker_id": "A19317A3X87NVM"}, {"asin": "B0977MNS6P", "instruction": "i'm looking for bedroom furniture with wood finish. choose ones that come in queen size and color of a475c.", "attributes": ["queen size", "wood finish"], "options": ["color: queen bed a475c"], "instruction_attributes": ["queen size", "wood finish"], "instruction_options": ["queen bed a475c"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUYMJQN", "worker_id": "A3MNXK3VDK37SN"}], "B07ZJBGV5M": [{"asin": "B07ZJBGV5M", "instruction": "i would like to get some 52'' x 63'' x 2 christmas panels for my dining room.", "attributes": ["eco friendly", "living room", "dining room"], "options": ["color: christmas-091zse7297", "size: 52'' x 63'' x 2 panels"], "instruction_attributes": ["dining room"], "instruction_options": ["christmas-091zse7297", "52'' x 63'' x 2 panels"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL0AH5Y", "worker_id": "A1WS884SI0SLO4"}], "B09824ZV3X": [{"asin": "B09824ZV3X", "instruction": "i need some toppers for cupcakes that are good for a birthday party and are gold.", "attributes": ["cupcake picks", "birthday party"], "options": ["color: gold"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGHWL1VP", "worker_id": "A2ECRNQ3X5LEXD"}], "B096BD6LP6": [{"asin": "B096BD6LP6", "instruction": "i need a long lasting box spring set in a queen size with an 8\" foundation.", "attributes": ["ready use", "high density", "long lasting", "assembly required", "box spring"], "options": ["size: queen", "style: 8\" foundation"], "instruction_attributes": ["long lasting"], "instruction_options": ["queen", "8\" foundation"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTRVWA0E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B7SZQCR": [{"asin": "B09B7SZQCR", "instruction": "i would like a grey heeled sandal with a ankle strap for my 8.5 foot.", "attributes": ["arch support", "ankle strap", "closed toe"], "options": ["color: grey", "size: 8.5"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53RPKGM", "worker_id": "A1WS884SI0SLO4"}], "B09FG8KTNK": [{"asin": "B09FG8KTNK", "instruction": "i want to find a smartwatch band that is compatible with my apple watch. it needs to come in 10 colors and i want it to be 38 millimeters long.", "attributes": ["compatible apple", "easy install", "quick release"], "options": ["color: 10 colors", "size: 38mm | 40mm | 41mm"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVDEXLA", "worker_id": "A345TDMHP3DQ3G"}], "B09J2J3HBD": [{"asin": "B09J2J3HBD", "instruction": "i'm looking for a loose fit and machine washable women's christmas t-shirt. i'm looking for a large blue t-shirt.", "attributes": ["loose fit", "machine wash", "elastic closure", "unique design", "polyester spandex"], "options": ["color: blue", "size: large"], "instruction_attributes": ["loose fit", "machine wash"], "instruction_options": ["blue", "large"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BHF8X7", "worker_id": "A3MNXK3VDK37SN"}], "B095NZBRT1": [{"asin": "B095NZBRT1", "instruction": "i need a pack of 2 apple compatible fast chargers in white.", "attributes": ["compatible apple", "fast charging"], "options": ["color: white 2pack"], "instruction_attributes": ["compatible apple", "fast charging"], "instruction_options": ["white 2pack"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X02WO43U", "worker_id": "A36LOA6VLJU157"}], "B07B69784T": [{"asin": "B07B69784T", "instruction": "i would like some curtains for my living room that are blue orange and are 108\" by 90\".", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: blue orange", "size: 108\" x 90\""], "instruction_attributes": ["living room"], "instruction_options": ["blue orange", "108\" x 90\""], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZM93KM", "worker_id": "A2ECRNQ3X5LEXD"}], "B0924MY197": [{"asin": "B0924MY197", "instruction": "i want to find a 5-piece nail art set with a variety of polishes.", "attributes": ["nail art", "nail polish"], "options": [""], "instruction_attributes": ["nail art", "nail polish"], "instruction_options": [], "assignment_id": "3DIP6YHAPN2FET122B94U5H2V7P8EB", "worker_id": "A345TDMHP3DQ3G"}], "B07QWWB6FN": [{"asin": "B07QWWB6FN", "instruction": "i'm looking for a pair of water resistant brown pants.", "attributes": ["water resistant", "machine washable", "comfortable fit", "elastic waist"], "options": ["color: nomad brown\uff08convertible\uff09", "size: large | 32\" inseam"], "instruction_attributes": ["water resistant"], "instruction_options": ["nomad brown\uff08convertible\uff09"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYE6M68", "worker_id": "A19317A3X87NVM"}], "B09HPNLRGS": [{"asin": "B09HPNLRGS", "instruction": "i'd like to find gold cupcake toppers that i can use for a birthday party.", "attributes": ["baby shower", "birthday party", "cupcake picks"], "options": ["color: gold"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q7TEH94", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09HPNLRGS", "instruction": "i'm looking for a 24 pack of rose gold cupcake picks for my upcoming baby shower.", "attributes": ["baby shower", "birthday party", "cupcake picks"], "options": ["color: rose gold"], "instruction_attributes": ["baby shower", "cupcake picks"], "instruction_options": ["rose gold"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ58OCKD", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B09HPNLRGS", "instruction": "i need to buy some pink cupcake toppers for a baby shower.", "attributes": ["baby shower", "birthday party", "cupcake picks"], "options": ["color: pink"], "instruction_attributes": ["baby shower"], "instruction_options": ["pink"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL1NNSL", "worker_id": "AR9AU5FY1S3RO"}], "B07MHYPFZG": [{"asin": "B07MHYPFZG", "instruction": "i want to buy a small ponytail made up of synthetic hair, colour 6tr. thanks.", "attributes": ["easy carry", "synthetic hair"], "options": ["color: 6tr"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["6tr"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40N4FYB", "worker_id": "A1WAWEY2810TFN"}], "B07XYG5JF2": [{"asin": "B07XYG5JF2", "instruction": "i want to find a 6-count pack of thyme leaf tea bags that are usda certified organic.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: thyme leaf", "size: 6 count (pack of 1)", "style: iced tea bags"], "instruction_attributes": ["usda organic", "certified organic"], "instruction_options": ["6 count (pack of 1)", "iced tea bags"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VRHGFH", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07XYG5JF2", "instruction": "i am looking for organic india tea bags . it should be usda organic certified.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: white tea", "size: 36 count (pack of 1)", "style: tea bags"], "instruction_attributes": ["usda organic"], "instruction_options": ["tea bags"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35JZUG7", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07XYG5JF2", "instruction": "i want certified organic irish breakfast iced tea bags in the 1 pound pack, and they need to be mint flavor. they are also by fgo and blended in the usa.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: mint", "size: 1 pound (pack of 1)", "style: iced tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["mint", "1 pound (pack of 1)", "iced tea bags"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMEMJ14", "worker_id": "A1CB72B51L7TKE"}, {"asin": "B07XYG5JF2", "instruction": "i'd like to order some darjeeling tea. make sure it's certified organic.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: darjeeling", "size: 20 count (pack of 1)", "style: tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["darjeeling"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKHNT1V", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07XYG5JF2", "instruction": "i'm looking for certified organic it is easy to use and it is for grocery.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: matcha", "size: 6 count (pack of 1)", "style: tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["matcha"], "assignment_id": "31JLPPHS254FPN8LK8H48035JYD3OE", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07XYG5JF2", "instruction": "i would like 36 packets of black tea bags that are usda certified organic.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: black tea (decaf)", "size: 36 count (pack of 1)", "style: tea bags"], "instruction_attributes": ["usda organic", "certified organic"], "instruction_options": ["black tea (decaf)", "36 count (pack of 1)", "tea bags"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXO0Z2L", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07XYG5JF2", "instruction": "i want usda organic black tea bags.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: black tea (decaf)", "size: 4 ounce (pack of 1)", "style: iced tea bags"], "instruction_attributes": ["usda organic"], "instruction_options": ["black tea (decaf)"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYLEQLF", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07XYG5JF2", "instruction": "i want to find 1 lb of organic breakfast tea bags in raspberry flavor.", "attributes": ["usda organic", "certified organic"], "options": ["flavor name: raspberry", "size: 1 pound (pack of 1)", "style: tea bags"], "instruction_attributes": ["certified organic"], "instruction_options": ["raspberry", "1 pound (pack of 1)"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5J7WIJ", "worker_id": "AK3JMCIGU8MLU"}], "B09KS5F3SB": [{"asin": "B09KS5F3SB", "instruction": "i want to find a black king-sized mattress foundation that is 4 inches in width. it needs to come fully assembled already.", "attributes": ["fully assembled", "box spring"], "options": ["color: black", "size: king", "style: 4\" foundation"], "instruction_attributes": ["fully assembled"], "instruction_options": ["black", "king", "4\" foundation"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACIWNHA", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09KS5F3SB", "instruction": "i need a fully assembled black box spring set that is queen sized.", "attributes": ["fully assembled", "box spring"], "options": ["color: black", "size: queen", "style: 4\" foundation"], "instruction_attributes": ["fully assembled"], "instruction_options": ["black", "queen"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWP2FPW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07D3643N8": [{"asin": "B07D3643N8", "instruction": "i would like to buy some size 30 dark blue 405 slim fit jeans.", "attributes": ["slim fit", "cotton spandex", "button closure"], "options": ["color: dark blue 405", "size: 30"], "instruction_attributes": ["slim fit"], "instruction_options": ["dark blue 405", "30"], "assignment_id": "33CID5710F37J25O7G1CGJZBOLS3L1", "worker_id": "A1WS884SI0SLO4"}], "B09KRB8Q1R": [{"asin": "B09KRB8Q1R", "instruction": "i need an xx-large tunic that is made of polyester spandex.", "attributes": ["wash cold", "hand wash", "machine wash", "polyester spandex"], "options": ["color: multicolor 2 plaid", "size: xx-large"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["multicolor 2 plaid", "xx-large"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9IT6S1S", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09KRB8Q1R", "instruction": "i want a xx-large st. jubileens women roll-up plaid shirt that is machine washable.", "attributes": ["wash cold", "hand wash", "machine wash", "polyester spandex"], "options": ["color: multicolor 3 plaid", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["xx-large"], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSZST6W", "worker_id": "A2RBF3IIJP15IH"}], "B08P3D184H": [{"asin": "B08P3D184H", "instruction": "i would like some blue noise cancelling headphones", "attributes": ["noise cancelling", "wireless bluetooth", "stereo sound"], "options": ["color: blue"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["blue"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IA3M2S", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NSCYLMZ": [{"asin": "B09NSCYLMZ", "instruction": "will you find me a long sleeve sweater in dark blue? size medium.", "attributes": ["quality materials", "button closure", "long sleeve", "daily wear"], "options": ["color: e9-eark blue", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["e9-eark blue", "medium"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTC7V5I", "worker_id": "A36LOA6VLJU157"}], "B09HSG4ZB7": [{"asin": "B09HSG4ZB7", "instruction": "i'm looking for a teeth whitening toothpaste with natural ingredients that gives fresh breath and used for sensitive teeth.", "attributes": ["teeth whitening", "natural ingredients", "fresh breath", "sensitive teeth"], "options": [""], "instruction_attributes": ["teeth whitening", "natural ingredients", "fresh breath", "sensitive teeth"], "instruction_options": [], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8ODETRK", "worker_id": "AR0VJ5XRG16UJ"}], "B07Z84PP57": [{"asin": "B07Z84PP57", "instruction": "i would like to get a 10 inch sea salt and ginger jar candle for my living room.", "attributes": ["white item", "soy wax", "living room"], "options": ["scent: sea salt & ginger", "size: 10 in"], "instruction_attributes": ["living room"], "instruction_options": ["sea salt & ginger", "10 in"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69I58PI", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07Z84PP57", "instruction": "i am looking for a teal scented soy wax jar candle for my living room. also, choose the size 15 oz.", "attributes": ["white item", "soy wax", "living room"], "options": ["scent: teal", "size: 15 oz"], "instruction_attributes": ["soy wax", "living room"], "instruction_options": ["teal", "15 oz"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT6Q375", "worker_id": "A9ZM1P6LBW79"}], "B09QCZ8X76": [{"asin": "B09QCZ8X76", "instruction": "i am looking for open toe sandals in z3 black that are size 6.5-7.", "attributes": ["open toe", "ankle strap", "teen girls", "daily wear"], "options": ["color: z3 black", "size: 6.5-7"], "instruction_attributes": ["open toe"], "instruction_options": ["z3 black", "6.5-7"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP1XCO8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NLRJ6Q5": [{"asin": "B09NLRJ6Q5", "instruction": "i would like to get a a1 10 x 10 ft high def photo background.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a1", "size: 10x10ft | 3x3m"], "instruction_attributes": ["high definition"], "instruction_options": ["a1", "10x10ft | 3x3m"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCD8LBD", "worker_id": "A1WS884SI0SLO4"}], "B087D7HNNF": [{"asin": "B087D7HNNF", "instruction": "i'm looking for a can of wild caught sardines in tomato sauce.", "attributes": ["wild caught", "protein serving", "ready eat", "high protein", "bpa free", "low carb", "non gmo"], "options": ["flavor name: tomato sauce", "size: 4.4 ounce (pack of 12)"], "instruction_attributes": ["wild caught"], "instruction_options": ["tomato sauce"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYE86MU", "worker_id": "A19317A3X87NVM"}], "B08XMJBYTV": [{"asin": "B08XMJBYTV", "instruction": "i am looking for a gray body brush that is easy to clean.", "attributes": ["easy clean", "long handle"], "options": ["color: gray"], "instruction_attributes": ["easy clean"], "instruction_options": ["gray"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4T85K2O", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P5BMMQB": [{"asin": "B09P5BMMQB", "instruction": "i would like to buy a xxl red loose fit hoodie.", "attributes": ["loose fit", "long sleeve", "polyester cotton", "teen girls", "daily wear"], "options": ["color: a01-red", "size: xx-large"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN616G59", "worker_id": "A1WS884SI0SLO4"}], "B08LD1TTF1": [{"asin": "B08LD1TTF1", "instruction": "i need a high power sound bar that is black.", "attributes": ["high power", "coaxial cable"], "options": ["color: black"], "instruction_attributes": ["high power"], "instruction_options": ["black"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWTVYYJC", "worker_id": "A2ECRNQ3X5LEXD"}], "B00GNW1PBC": [{"asin": "B00GNW1PBC", "instruction": "i would like a brown desk chair that has lumbar support for my back.", "attributes": ["mid century", "white item", "lumbar support"], "options": ["color: brown"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU209A5", "worker_id": "A1WS884SI0SLO4"}], "B095KC38LG": [{"asin": "B095KC38LG", "instruction": "i am looking for a green table lamp for the living room.", "attributes": ["glass shade", "living room"], "options": ["color: green2"], "instruction_attributes": ["living room"], "instruction_options": ["green2"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDD952O8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B3PWGPX": [{"asin": "B09B3PWGPX", "instruction": "i am looking for white day comfort walking shoes that are in a size 8.", "attributes": ["knee high", "day comfort", "high heel", "quality materials"], "options": ["color: white", "size: 8"], "instruction_attributes": ["day comfort"], "instruction_options": ["white", "8"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5NMF49", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LD3LKCN": [{"asin": "B09LD3LKCN", "instruction": "i'm looking for a mini 11th gen core i7-11700 desktop pc. it needs to have a usb port and 64 gigabytes of storage space on the ram.", "attributes": ["dual band", "usb port"], "options": ["color: 11th gen core i7-11700", "size: 64gb ram 1tb ssd+2tb hdd"], "instruction_attributes": ["usb port"], "instruction_options": ["11th gen core i7-11700", "64gb ram 1tb ssd+2tb hdd"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8AD9PWVE", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09LD3LKCN", "instruction": "i'm looking for a desktop computer with the following configuration: 16gb ram 1tb ssd and a usb port.", "attributes": ["dual band", "usb port"], "options": ["color: amd ryzen 7 3700u", "size: 16gb ram 1tb ssd"], "instruction_attributes": ["usb port"], "instruction_options": ["16gb ram 1tb ssd"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THOI5ZZ", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B09LD3LKCN", "instruction": "i'm looking for a mini desktop pc with windows 11, double display 4k resolution.", "attributes": ["dual band", "usb port"], "options": ["color: amd ryzen 7 3700u", "size: 16gb ram 512gb ssd+1tb hdd"], "instruction_attributes": ["dual band"], "instruction_options": ["amd ryzen 7 3700u"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEOJKZP", "worker_id": "A21IUUHBSEVB56"}], "B09KX93DS7": [{"asin": "B09KX93DS7", "instruction": "i would like some pink noise cancelling earbuds that work with my iphone.", "attributes": ["noise cancelling", "compatible apple", "stereo sound"], "options": ["color: pink"], "instruction_attributes": ["noise cancelling", "compatible apple"], "instruction_options": ["pink"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR1Q0CL", "worker_id": "A1WS884SI0SLO4"}], "B08S77S42N": [{"asin": "B08S77S42N", "instruction": "i need a light weight printed backdrop to use with digital photography. it should be 8 by 12 feet in size.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 02", "size: 8x12 ft"], "instruction_attributes": ["light weight", "digital photography"], "instruction_options": ["printed backdrop 02", "8x12 ft"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J2SFSH", "worker_id": "A36LOA6VLJU157"}, {"asin": "B08S77S42N", "instruction": "i am looking for a 6 foot by 9 foot light weight vinyl backdrop with different size fish motifs.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 16", "size: 6x9 ft"], "instruction_attributes": ["light weight"], "instruction_options": ["6x9 ft"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT023PI", "worker_id": "A1EREKSZAA9V7B"}], "B078MZPZ8K": [{"asin": "B078MZPZ8K", "instruction": "i want to get a bundle of freeze dried pineapples that are 8 oz.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: pineapples", "size: 8 ounce (pack of 6)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["pineapples", "8 ounce (pack of 6)", "bundle"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJEP0W5", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B078MZPZ8K", "instruction": "i want to buy a bag of organic, chocolate covered, freeze dried strawberry slices, vegan ones please.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: strawberries + mangos", "size: strawberries 1.2 ounce & pineapples 1.5 ...", "style: bag"], "instruction_attributes": ["freeze dried", "chocolate covered", "usda organic"], "instruction_options": ["bag"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUF3VLVM", "worker_id": "A249LDVPG27XCE"}, {"asin": "B078MZPZ8K", "instruction": "find me freeze dried chocolate covered strawberries and mango, need a bag with 2.5 ounce", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: strawberries + mangos", "size: 2.5 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried", "chocolate covered"], "instruction_options": ["strawberries + mangos", "2.5 ounce (pack of 1)", "bag"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJVKVGJ", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B078MZPZ8K", "instruction": "i am looking for a bundle of freeze dried fruits", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: chocolate covered mango slices", "size: 1.2 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["bundle"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF50LDE", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B078MZPZ8K", "instruction": "i need a bag of freeze dried strawberries.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: strawberries + pineapple", "size: 1.2 ounce (pack of 8)", "style: bundle"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries + pineapple"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R193I28", "worker_id": "A19317A3X87NVM"}, {"asin": "B078MZPZ8K", "instruction": "i want natierra freeze dried strawberry slices.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: bananas & strawberries", "size: strawberries 1.2 ounce & peas 2.2 ounce", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries 1.2 ounce & peas 2.2 ounce"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH7KV14", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B078MZPZ8K", "instruction": "i would like non gmo mango slices", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: chocolate mango slices", "size: 0.7 ounce (pack of 4)", "style: bag"], "instruction_attributes": ["non gmo"], "instruction_options": ["chocolate mango slices"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8K7C4S", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B078MZPZ8K", "instruction": "i'm looking for a usda organic freeze dried fruits which should be covered in chocolate. also, choose a pack of 1 weighing 1.5 ounce bag with pomegranate arils flavored one.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: pomegranate arils", "size: 1.5 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried", "chocolate covered", "usda organic"], "instruction_options": ["pomegranate arils", "1.5 ounce (pack of 1)", "bag"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBCYU6L", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B078MZPZ8K", "instruction": "i am looking for a bag of chocolate covered strawberry slices.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: strawberries + mangos", "size: 1.2 ounce (pack of 12)", "style: bag"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["bag"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVO0Q05", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B078MZPZ8K", "instruction": "i'm looking for freeze dried chocolate covered dried fruit with bananas and strawberries flavor in a 1 ounce sized bag.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: bananas and strawberries", "size: 1 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried", "chocolate covered"], "instruction_options": ["bananas and strawberries", "1 ounce (pack of 1)", "bag"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLVTRDA", "worker_id": "A20DUVEOH6A7KW"}, {"asin": "B078MZPZ8K", "instruction": "i am looking for a bag of usda organic freeze dried chocolate covered strawberry slices.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: bananas and strawberries", "size: 2.5 ounce (pack of 12)", "style: bag"], "instruction_attributes": ["freeze dried", "chocolate covered", "usda organic"], "instruction_options": ["bag"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOIE0F0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B078MZPZ8K", "instruction": "i would like a bag of chocolate covered streawberries and blueberries.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: strawberries + blueberries", "size: 2.5 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["strawberries + blueberries", "bag"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM969TG4U", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B078MZPZ8K", "instruction": "i want to buy a bundle of freeze dried mangoes and strawberries. they should be organic and non-gmo.", "attributes": ["freeze dried", "non gmo", "chocolate covered", "usda organic"], "options": ["flavor: beets", "size: strawberries 1.2 ounce & mangoes 1.5 oun...", "style: bundle"], "instruction_attributes": ["freeze dried", "non gmo", "usda organic"], "instruction_options": ["strawberries 1.2 ounce & mangoes 1.5 oun...", "bundle"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZA7UWU", "worker_id": "AR9AU5FY1S3RO"}], "B07BGHK1VQ": [{"asin": "B07BGHK1VQ", "instruction": "i would like a high performance black tablet that has a 9.7 inch screen.", "attributes": ["certified refurbished", "high performance"], "options": ["color: black", "size: 9.7\""], "instruction_attributes": ["high performance"], "instruction_options": ["black", "9.7\""], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDTWIRK", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FP3Y42D": [{"asin": "B09FP3Y42D", "instruction": "i'm looking for a height adjustable with pendant light chandelier for living room and dining room. also, choose 8008pl-10light in size.", "attributes": ["height adjustable", "pendant light", "light fixture", "dining room", "living room"], "options": ["size: 8008pl-10light"], "instruction_attributes": ["height adjustable", "pendant light", "dining room", "living room"], "instruction_options": ["8008pl-10light"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWTKC1O", "worker_id": "AR0VJ5XRG16UJ"}], "B094QNTTH2": [{"asin": "B094QNTTH2", "instruction": "i need a stainless steel watch with a blue camo top.", "attributes": ["quick release", "stainless steel"], "options": ["color: blue camo"], "instruction_attributes": ["stainless steel"], "instruction_options": ["blue camo"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEF5F5UK", "worker_id": "A19317A3X87NVM"}, {"asin": "B094QNTTH2", "instruction": "i am looking for a painted stainless steel 20mm replacement watch band.", "attributes": ["quick release", "stainless steel"], "options": ["color: paint"], "instruction_attributes": ["stainless steel"], "instruction_options": ["paint"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163S3PQU", "worker_id": "A1EREKSZAA9V7B"}], "B002LMBBLW": [{"asin": "B002LMBBLW", "instruction": "i would like a cruelty-free coconut scented shampoo.", "attributes": ["cruelty free", "tea tree"], "options": ["scent: coconut", "size: 8 fl oz (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["coconut"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQ3JAJ0", "worker_id": "A2ECRNQ3X5LEXD"}], "B086DKSHQ4": [{"asin": "B086DKSHQ4", "instruction": "i need a blink outdoor camera kit that has motion detection.", "attributes": ["batteries included", "long lasting", "motion detection"], "options": ["configuration: 2 camera kit", "style: blink outdoor"], "instruction_attributes": ["motion detection"], "instruction_options": ["2 camera kit", "blink outdoor"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB48U6F", "worker_id": "A2ECRNQ3X5LEXD"}], "B095JSFQKN": [{"asin": "B095JSFQKN", "instruction": "i need a four piece shower cap that is for natural hair.", "attributes": ["non slip", "natural hair", "hair loss"], "options": ["color: 4pcs style a"], "instruction_attributes": ["natural hair"], "instruction_options": ["4pcs style a"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKOSJML", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PV9L7P8": [{"asin": "B09PV9L7P8", "instruction": "i would like to buy some easy to install pendant lights for my living room.", "attributes": ["easy install", "pendant light", "light fixture", "solid wood", "dining room", "living room"], "options": [""], "instruction_attributes": ["easy install", "pendant light", "living room"], "instruction_options": [], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2C9KF7", "worker_id": "A1WS884SI0SLO4"}], "B000SKP2B4": [{"asin": "B000SKP2B4", "instruction": "i'm looking for some keto friendly peas and beans.", "attributes": ["keto friendly", "low carb", "dietary fiber"], "options": [""], "instruction_attributes": ["keto friendly"], "instruction_options": [], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7F4BK8X", "worker_id": "A19317A3X87NVM"}], "B0794J9TBP": [{"asin": "B0794J9TBP", "instruction": "i would like a big fit new cranberry 16.5 neck and 35-35 sleeve shirt that i can take care of in the washing machine.", "attributes": ["easy care", "machine wash", "stretch fabric", "regular fit", "button closure"], "options": ["color: new cranberry", "fit type: big fit", "size: 16.5\" neck 35\"-36\" sleeve"], "instruction_attributes": ["machine wash"], "instruction_options": ["new cranberry", "big fit", "16.5\" neck 35\"-36\" sleeve"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSJH0XQ", "worker_id": "A1WS884SI0SLO4"}], "B072YYHYGB": [{"asin": "B072YYHYGB", "instruction": "find me a brushed nickel wall sconce.", "attributes": ["brushed nickel", "nickel finish"], "options": [""], "instruction_attributes": ["brushed nickel"], "instruction_options": [], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS408JNX7", "worker_id": "A36LOA6VLJU157"}], "B00Y3C225M": [{"asin": "B00Y3C225M", "instruction": "i would like a 12 ounce bag of automatic drip coffee beans that are also gluten free.", "attributes": ["lactose free", "sugar free", "gluten free"], "options": ["size: 12 ounce (pack of 1)", "style: automatic drip"], "instruction_attributes": ["gluten free"], "instruction_options": ["12 ounce (pack of 1)", "automatic drip"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IR2HKI", "worker_id": "A1WS884SI0SLO4"}], "B085ZFZZGD": [{"asin": "B085ZFZZGD", "instruction": "i want to find a silver gray bluetooth projector that has blu ray.", "attributes": ["dust proof", "dual band", "high power", "blu ray", "plug play"], "options": ["color: silver grey"], "instruction_attributes": ["blu ray"], "instruction_options": ["silver grey"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OLXG5HM", "worker_id": "A345TDMHP3DQ3G"}], "B09PR5QRN1": [{"asin": "B09PR5QRN1", "instruction": "i would like a slim fit t-shirt that is xx-large and is the color blue2.", "attributes": ["fleece lined", "loose fit", "slim fit", "nylon spandex", "long sleeve", "drawstring waist", "high waist"], "options": ["color: blue2", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["blue2", "xx-large"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCLUBSN0", "worker_id": "A2ECRNQ3X5LEXD"}], "B091KJDJD3": [{"asin": "B091KJDJD3", "instruction": "i am looking a 8.5-9 woman non slip thick sole bathroom slipper with open toe also colour should be blue", "attributes": ["non slip", "quick drying", "open toe", "ethylene vinyl", "vinyl acetate"], "options": ["color: navy", "size: 8.5-9 women | 7-8 men"], "instruction_attributes": ["non slip", "open toe"], "instruction_options": ["navy", "8.5-9 women | 7-8 men"], "assignment_id": "351SEKWQSBRP7CP60H83T50CF1KDMK", "worker_id": "A3N9ZYQAESNFQH"}], "B07QW31DK1": [{"asin": "B07QW31DK1", "instruction": "i'd like to find 3 pairs of navy socks that are made of nylon spandex.", "attributes": ["long lasting", "nylon spandex"], "options": ["color: 3 pairs of navy"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["3 pairs of navy"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKIFV7A", "worker_id": "A345TDMHP3DQ3G"}], "B08M9CK173": [{"asin": "B08M9CK173", "instruction": "i need a ottoman for my living room in a primary color.", "attributes": ["storage space", "wood frame", "solid wood", "living room"], "options": ["color: primary color"], "instruction_attributes": ["living room"], "instruction_options": ["primary color"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSENW4GO7", "worker_id": "A1WS884SI0SLO4"}], "B000R2Z6AA": [{"asin": "B000R2Z6AA", "instruction": "i would like some spaghetti that is kosher.", "attributes": ["fully cooked", "kosher certified"], "options": [""], "instruction_attributes": ["kosher certified"], "instruction_options": [], "assignment_id": "39LNWE0K456PSVA11X00BCXJKS2IUQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08PKQ1ZVR": [{"asin": "B08PKQ1ZVR", "instruction": "i am looking for a purple high definition tablet.", "attributes": ["high definition", "high resolution", "hands free", "quad core"], "options": ["color: purple"], "instruction_attributes": ["high definition"], "instruction_options": ["purple"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20JBZ0I", "worker_id": "A2ECRNQ3X5LEXD"}], "B099521SST": [{"asin": "B099521SST", "instruction": "i would like to get a 16 gig black tablet with a usb port.", "attributes": ["high definition", "usb port"], "options": ["color: black", "size: 1+16g"], "instruction_attributes": ["usb port"], "instruction_options": ["black", "1+16g"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXF9KWF", "worker_id": "A1WS884SI0SLO4"}], "B081F733F9": [{"asin": "B081F733F9", "instruction": "i want to get a three pack of lead free tea light candles.", "attributes": ["lead free", "white item"], "options": ["size: (3-pack)", "style: mega tealight candles"], "instruction_attributes": ["lead free"], "instruction_options": ["(3-pack)"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VB65DJU", "worker_id": "A2YNPKYEFDZ6C9"}], "B09JLPBSCS": [{"asin": "B09JLPBSCS", "instruction": "i am looking for a storage case in the color 1", "attributes": ["storage case", "stainless steel"], "options": ["color: #1.0"], "instruction_attributes": ["storage case"], "instruction_options": ["#1.0"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD37VAYX", "worker_id": "A2ECRNQ3X5LEXD"}], "B08M3LT2X4": [{"asin": "B08M3LT2X4", "instruction": "i need a height adjustable blue office chair.", "attributes": ["height adjustable", "high density", "easy assemble", "lumbar support"], "options": ["color: blue"], "instruction_attributes": ["height adjustable"], "instruction_options": ["blue"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PESQEN", "worker_id": "A2ECRNQ3X5LEXD"}], "B000IB0FGU": [{"asin": "B000IB0FGU", "instruction": "i am looking for an antiperspirant.", "attributes": ["anti perspirant", "alcohol free"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3UOQ77", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LDH87YJ": [{"asin": "B08LDH87YJ", "instruction": "i am looking for esay appluing extra shine and long lasting cosmetics in kit 1 color.", "attributes": ["easy apply", "easy carry", "long lasting"], "options": ["color: kit 1"], "instruction_attributes": ["easy apply"], "instruction_options": ["kit 1"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXNJO5Q", "worker_id": "A2DQZHJHF45NDT"}], "B0751MZBGL": [{"asin": "B0751MZBGL", "instruction": "i need some gluten and dairy free fruit snacks.", "attributes": ["gluten free", "nut free", "dairy free", "non gmo", "dietary fiber", "simple ingredients"], "options": ["flavor name: fruit variety pack", "size: 2 large bags"], "instruction_attributes": ["gluten free", "dairy free"], "instruction_options": ["fruit variety pack"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDSHIR3", "worker_id": "A19317A3X87NVM"}], "B004D8Q9YG": [{"asin": "B004D8Q9YG", "instruction": "i would like a wine cabinet that's more in a contemporary modern style.", "attributes": ["bronze finish", "contemporary style"], "options": [""], "instruction_attributes": ["contemporary style"], "instruction_options": [], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP99EZRK", "worker_id": "A1WS884SI0SLO4"}], "B09SZP2LTP": [{"asin": "B09SZP2LTP", "instruction": "i would like to buy a dual band repeater able to work with high speed internet.", "attributes": ["dual band", "high speed"], "options": [""], "instruction_attributes": ["dual band", "high speed"], "instruction_options": [], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LC5SPV", "worker_id": "A1WS884SI0SLO4"}], "B016S52L2U": [{"asin": "B016S52L2U", "instruction": "find me a zero sugar grape flavored water.", "attributes": ["source vitamin", "zero sugar"], "options": ["flavor name: grape"], "instruction_attributes": ["zero sugar"], "instruction_options": ["grape"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIV2T3C", "worker_id": "A36LOA6VLJU157"}], "B07HWLYSP6": [{"asin": "B07HWLYSP6", "instruction": "i would get to get a women's large cranberry t-shirt made from cotton heather .", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: cranberry", "fit type: women", "size: large"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["cranberry", "women", "large"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR1EC0L", "worker_id": "A1WS884SI0SLO4"}], "B00478A1TG": [{"asin": "B00478A1TG", "instruction": "i would like to buy some size 5 mocha birkibuc slides with arch support.", "attributes": ["easy care", "arch support"], "options": ["color: mocha birkibuc", "size: 5"], "instruction_attributes": ["arch support"], "instruction_options": ["mocha birkibuc", "5"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUF5HLVC", "worker_id": "A1WS884SI0SLO4"}], "B09MLWWLXG": [{"asin": "B09MLWWLXG", "instruction": "i am looking for a manual toothbrush that is for sensitive teeth and is in the color f.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: f"], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6C8F0VT", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CT9LC6Y": [{"asin": "B07CT9LC6Y", "instruction": "i would like a living room wall lamp that is in antique silver and has one light.", "attributes": ["clear glass", "dining room", "living room"], "options": ["color: antique silver", "size: 1-light"], "instruction_attributes": ["living room"], "instruction_options": ["antique silver", "1-light"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY862Y81D", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LCKWKQM": [{"asin": "B09LCKWKQM", "instruction": "i need a desk for my home office that is easy to assemble and is white.", "attributes": ["space saving", "easy assemble", "storage space"], "options": ["color: white"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIIU480", "worker_id": "A2ECRNQ3X5LEXD"}], "B08TVTQ8N6": [{"asin": "B08TVTQ8N6", "instruction": "i am looking for heavy duto wall plates that are an outlet combo.", "attributes": ["heavy duty", "high gloss"], "options": ["style: rocker | outlet combo"], "instruction_attributes": ["heavy duty"], "instruction_options": ["rocker | outlet combo"], "assignment_id": "33F859I56HNA01QBVO1K6A4GVXTHBY", "worker_id": "A2ECRNQ3X5LEXD"}], "B000VWKILI": [{"asin": "B000VWKILI", "instruction": "i want a two pack of hair dye that is in the shade 8rb medium reddish blonde.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 8rb medium reddish blonde", "size: 1 count (pack of 2)"], "instruction_attributes": ["hair dye"], "instruction_options": ["8rb medium reddish blonde", "1 count (pack of 2)"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZB5C7Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B08TLX32NB": [{"asin": "B08TLX32NB", "instruction": "i am looking for an orange bag that is easy to carry", "attributes": ["leak proof", "easy carry"], "options": ["color: orange"], "instruction_attributes": ["easy carry"], "instruction_options": ["orange"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHA4IODZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B078SJV72L": [{"asin": "B078SJV72L", "instruction": "i would like to get a r9 b75+core pentium g2020 with 16 gigs of ram and a intel core i5 processer router.", "attributes": ["core i5", "intel core"], "options": ["color: r9 b75+intel pentium g2020", "size: 16g ram 512g ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["r9 b75+intel pentium g2020", "16g ram 512g ssd"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8N3C2ND", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B078SJV72L", "instruction": ", i want a router pc core i5 with intel core support 8g ram 128g ssd 1 tb hdd", "attributes": ["core i5", "intel core"], "options": ["color: r4 cpu d525", "size: 8g ram 128g ssd 1tb hdd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["8g ram 128g ssd 1tb hdd"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB192W5Z", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B078SJV72L", "instruction": "i'm looking for a router for i5 inter core processor. also, choose 8g ram, 128g ssd and 1td hdd with intel i3 3220, r9 b75 one.", "attributes": ["core i5", "intel core"], "options": ["color: r9 b75+intel i3 3220", "size: 8g ram 128g ssd 1tb hdd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["r9 b75+intel i3 3220", "8g ram 128g ssd 1tb hdd"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDH5O2A", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B078SJV72L", "instruction": "i need a router that has 8gb of ram and 240 ssd", "attributes": ["core i5", "intel core"], "options": ["color: r9 b75+intel i7 3770", "size: 8g ram 240g ssd"], "instruction_attributes": ["core i5"], "instruction_options": ["8g ram 240g ssd"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIIUFE5", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B078SJV72L", "instruction": "i need an intel core router with 8g ram and 512g ssd.", "attributes": ["core i5", "intel core"], "options": ["color: r9 b75+intel i3 3220", "size: 8g ram 512g ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["8g ram 512g ssd"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGBGSMT", "worker_id": "A1NF6PELRKACS9"}], "B093KC44SM": [{"asin": "B093KC44SM", "instruction": "i would like a wallet that can be washed in my laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YSK3QX", "worker_id": "A1WS884SI0SLO4"}], "B0736R9BM2": [{"asin": "B0736R9BM2", "instruction": "i am looking for gold noise cancelling headphones.", "attributes": ["noise cancelling", "long lasting", "hands free"], "options": ["color: gold"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["gold"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G728748", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LM7FRS4": [{"asin": "B09LM7FRS4", "instruction": "i am looking for large leggings that are butt lifting in fog grey.", "attributes": ["butt lifting", "moisture wicking", "nylon spandex", "elastic closure", "tummy control"], "options": ["color: fog grey", "size: large"], "instruction_attributes": ["butt lifting"], "instruction_options": ["fog grey", "large"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTK7P90", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GGWRRGM": [{"asin": "B07GGWRRGM", "instruction": "i'm looking for a gold professional hair styling barber gown.", "attributes": ["hair cutting", "hair styling"], "options": ["color: gold"], "instruction_attributes": ["hair styling"], "instruction_options": ["gold"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZF8A9V7", "worker_id": "A345TDMHP3DQ3G"}], "B014KZL3II": [{"asin": "B014KZL3II", "instruction": "could you get me listerine toothpaste that takes care of bad breath?", "attributes": ["bad breath", "oral hygiene"], "options": [""], "instruction_attributes": ["bad breath"], "instruction_options": [], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJO4VGP", "worker_id": "A15ERD4HOFEPHM"}], "B01G8DYX96": [{"asin": "B01G8DYX96", "instruction": "i'm looking for a ready to hag wall art for dining room and living room. also, choose 3 pcs/set 16*24 inch*3 framed with beach colored one.", "attributes": ["ready hang", "dining room", "living room"], "options": ["color: beach three 12x16inchx3", "size: 3 pcs | set 16x24inchx3 framed"], "instruction_attributes": ["ready hang", "dining room", "living room"], "instruction_options": ["beach three 12x16inchx3", "3 pcs | set 16x24inchx3 framed"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7JUOBG", "worker_id": "AR0VJ5XRG16UJ"}], "B00GDIMCKE": [{"asin": "B00GDIMCKE", "instruction": "i am looking for individually wrapped chocolate bars.", "attributes": ["individually wrapped", "gift basket"], "options": [""], "instruction_attributes": ["individually wrapped"], "instruction_options": [], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W14OUU", "worker_id": "A2ECRNQ3X5LEXD"}], "B079R9R7LJ": [{"asin": "B079R9R7LJ", "instruction": "i need a pack of variety ranch nacho flavorings with low sodium and natural ingredients.", "attributes": ["low sodium", "non gmo", "gluten free", "natural ingredients", "gift set", "great gift"], "options": ["flavor name: 2 pk - ranch, nacho"], "instruction_attributes": ["low sodium", "natural ingredients"], "instruction_options": ["2 pk - ranch, nacho"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEAG867", "worker_id": "A19317A3X87NVM"}], "B07MDZS3JB": [{"asin": "B07MDZS3JB", "instruction": "i need to buy some oils that are gluten free and keto friendly.", "attributes": ["keto friendly", "gluten free"], "options": [""], "instruction_attributes": ["keto friendly", "gluten free"], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH2Q1ET", "worker_id": "A2YNPKYEFDZ6C9"}], "B097RGWN48": [{"asin": "B097RGWN48", "instruction": "i would like to buy some high power binoculars that are good for bird watching.", "attributes": ["high power", "light weight", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYH9DH3", "worker_id": "A1WS884SI0SLO4"}], "B08P3HZZ7Z": [{"asin": "B08P3HZZ7Z", "instruction": "i'm looking for a unique designed, daily wear boxer briefs with elastic waistband. also choose medium size with waistband-stars flag printed one.", "attributes": ["unique design", "elastic waistband", "daily wear"], "options": ["color: waistband-stars flag", "size: medium"], "instruction_attributes": ["unique design", "elastic waistband", "daily wear"], "instruction_options": ["waistband-stars flag", "medium"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I5BCB7", "worker_id": "AR0VJ5XRG16UJ"}], "B01BHCERTO": [{"asin": "B01BHCERTO", "instruction": "i am looking for some maternity skin care that has natural ingredients.", "attributes": ["clinically proven", "high quality", "natural ingredients"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7A35NB", "worker_id": "A2ECRNQ3X5LEXD"}], "B091CXV8PL": [{"asin": "B091CXV8PL", "instruction": "i would like some cupcake toppers that would good at both a birthday party and a baby shower.", "attributes": ["baby shower", "birthday party"], "options": [""], "instruction_attributes": ["baby shower", "birthday party"], "instruction_options": [], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL8414TXAC", "worker_id": "A1WS884SI0SLO4"}], "B08V59PYQC": [{"asin": "B08V59PYQC", "instruction": "i need a home office desk chair that is green and made of pu leather", "attributes": ["pu leather", "living room"], "options": ["color: green,chrome"], "instruction_attributes": ["pu leather"], "instruction_options": ["green,chrome"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCSPQ4E", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HLZG1L5": [{"asin": "B08HLZG1L5", "instruction": "i need a light, short sleeve v-neck shirt in wine red.", "attributes": ["light weight", "machine wash", "elastic closure", "short sleeve"], "options": ["color: v-short-wine red", "size: 3x-large"], "instruction_attributes": ["light weight", "short sleeve"], "instruction_options": ["v-short-wine red"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746NVBT1", "worker_id": "A19317A3X87NVM"}], "B09KBVFNTZ": [{"asin": "B09KBVFNTZ", "instruction": "i would like a medium sized long sleeved buttons up polyester cardigan that is able to be machined washed. if they have one in khaki, that'd be great.", "attributes": ["machine wash", "wash cold", "quality polyester", "long sleeve", "button closure"], "options": ["color: khaki", "size: medium"], "instruction_attributes": ["machine wash", "quality polyester", "long sleeve", "button closure"], "instruction_options": ["khaki", "medium"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMENXV6", "worker_id": "A1WS884SI0SLO4"}], "B00ECU8IAI": [{"asin": "B00ECU8IAI", "instruction": "i would like a wall lamp with a nickel finish.", "attributes": ["nickel finish", "glass shade"], "options": [""], "instruction_attributes": ["nickel finish"], "instruction_options": [], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDNKY8E", "worker_id": "A1WS884SI0SLO4"}], "B015D7BLWK": [{"asin": "B015D7BLWK", "instruction": "i need a high speed usb flash drive that is 32 gb", "attributes": ["plug play", "high speed"], "options": ["color: 32gb"], "instruction_attributes": ["high speed"], "instruction_options": ["32gb"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTQK7MO", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NQLC9KN": [{"asin": "B07NQLC9KN", "instruction": "i would like to get a 5 pack of 4 ounce tea tree soap.", "attributes": ["tea tree", "natural ingredients"], "options": ["size: 4 ounce (pack of 5)"], "instruction_attributes": ["tea tree"], "instruction_options": ["4 ounce (pack of 5)"], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6E0EE1", "worker_id": "A1WS884SI0SLO4"}], "B09GXZJLB1": [{"asin": "B09GXZJLB1", "instruction": "i am looking for light blonde hair extensions that are 18 inches long.", "attributes": ["easy use", "hair extensions", "natural hair"], "options": ["color: ba#16 | 22 light blonde highlighted golden blonde", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["ba#16 | 22 light blonde highlighted golden blonde", "18 inch"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIZZ3TR", "worker_id": "A2ECRNQ3X5LEXD"}], "B0892HTXP7": [{"asin": "B0892HTXP7", "instruction": "i want to buy a faux leather ottoman that are 80 by 45 by 40 cm.", "attributes": ["storage space", "faux leather"], "options": ["color: e", "size: 80*45*40cm"], "instruction_attributes": ["faux leather"], "instruction_options": ["80*45*40cm"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CH58BNZ", "worker_id": "A2YNPKYEFDZ6C9"}], "B09K5CDZQN": [{"asin": "B09K5CDZQN", "instruction": "i need pendant lights that are a size a18", "attributes": ["pendant light", "dining room"], "options": ["size: a18"], "instruction_attributes": ["pendant light"], "instruction_options": ["a18"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9E8PB1L", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FKCTDPS": [{"asin": "B09FKCTDPS", "instruction": "i'm trying to find an 8 oz bag of sprinkles for a birthday party.", "attributes": ["baby shower", "birthday party"], "options": ["size: 8 oz"], "instruction_attributes": ["birthday party"], "instruction_options": ["8 oz"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQAEKE7", "worker_id": "A15ERD4HOFEPHM"}], "B096FF85FB": [{"asin": "B096FF85FB", "instruction": "i would like a twin sizes grey bed made of solid wood.", "attributes": ["assembly required", "box spring", "solid wood"], "options": ["color: grey", "size: twin"], "instruction_attributes": ["solid wood"], "instruction_options": ["grey", "twin"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LP5BOR7", "worker_id": "A1WS884SI0SLO4"}], "B0082JO8SG": [{"asin": "B0082JO8SG", "instruction": "get me a solid wood king bed with a box spring.", "attributes": ["solid wood", "box spring"], "options": ["color: saint pierre - toast linen", "size: king"], "instruction_attributes": ["box spring"], "instruction_options": ["king"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE18AXRD", "worker_id": "A15ERD4HOFEPHM"}], "B0836N74PN": [{"asin": "B0836N74PN", "instruction": "i am looking for a high quality hair brush.", "attributes": ["high quality", "hair cutting"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNED3IX8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NSBPS7F": [{"asin": "B09NSBPS7F", "instruction": "i would like to buy small blue toothbrushes for my toddler's sensitive teeth.", "attributes": ["teeth whitening", "easy use", "sensitive teeth"], "options": ["color: blue", "size: small(age1-8)"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["blue", "small(age1-8)"], "assignment_id": "32SCWG5HISEW7674IASH43KF3M36PG", "worker_id": "A1WS884SI0SLO4"}], "B09NKN53K1": [{"asin": "B09NKN53K1", "instruction": "i am looking for black power amplifier speakerphones.", "attributes": ["power amplifier", "high power"], "options": ["color: black"], "instruction_attributes": ["power amplifier"], "instruction_options": ["black"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMHZWML", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QJ9BDSJ": [{"asin": "B08QJ9BDSJ", "instruction": "i would like to buy a black stainless steel heavy duty file cabinet with two drawers.", "attributes": ["heavy duty", "assembly required", "stainless steel"], "options": ["color: black", "size: 2 drawers"], "instruction_attributes": ["heavy duty", "stainless steel"], "instruction_options": ["black", "2 drawers"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q7WT9HH", "worker_id": "A1WS884SI0SLO4"}], "B078SX7N2Z": [{"asin": "B078SX7N2Z", "instruction": "i want to purchase from men's clothing a pair of men's retro jeans with the relaxed fit and boot cut. needs to be long lasting, comfortable fitting and in a relaxed fit. must be a size 35 waist and 36 long in rockdale color.", "attributes": ["long lasting", "comfortable fit", "relaxed fit"], "options": ["color: rockdale", "fit type: regular", "size: 35w x 36l"], "instruction_attributes": ["long lasting", "comfortable fit", "relaxed fit"], "instruction_options": ["rockdale", "35w x 36l"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4I6KPK", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B078SX7N2Z", "instruction": "i would like a pair of 32w x 33l rocky top regular fit jeans that are long lasting.", "attributes": ["long lasting", "comfortable fit", "relaxed fit"], "options": ["color: rocky top", "fit type: regular", "size: 32w x 33l"], "instruction_attributes": ["long lasting"], "instruction_options": ["rocky top", "regular", "32w x 33l"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUEIZDL", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B078SX7N2Z", "instruction": "i would like a pair of bryson slim fit jeans with a comfortable relaxed fit. my size is 30w x 34l", "attributes": ["long lasting", "comfortable fit", "relaxed fit"], "options": ["color: bryson", "fit type: slim", "size: 30w x 34l"], "instruction_attributes": ["comfortable fit", "relaxed fit"], "instruction_options": ["bryson", "slim", "30w x 34l"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0WKCCZ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B078SX7N2Z", "instruction": "i need men's boot cut jeans that has a relaxed fit. it should be 36 wide and 30 long.", "attributes": ["long lasting", "comfortable fit", "relaxed fit"], "options": ["color: atlanta", "fit type: slim", "size: 36w x 30l"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["36w x 30l"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX61FAL", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B078SX7N2Z", "instruction": "i would like comfortable fit jeans in the lakeport color", "attributes": ["long lasting", "comfortable fit", "relaxed fit"], "options": ["color: lakeport", "fit type: regular", "size: 32w x 31l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["lakeport"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G79Q744", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B078SX7N2Z", "instruction": "i am looking for a pair of long lasting placid blue men's jeans.", "attributes": ["long lasting", "comfortable fit", "relaxed fit"], "options": ["color: placid blue", "fit type: big & tall", "size: 44w x 30l"], "instruction_attributes": ["long lasting"], "instruction_options": ["placid blue"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q7BGW9", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B078SX7N2Z", "instruction": "i want to find men's jeans with a relaxed, big and tall fit. the jeans should be in size 34 and have an antique wash.", "attributes": ["long lasting", "comfortable fit", "relaxed fit"], "options": ["color: antique wash", "fit type: big & tall", "size: 34"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["antique wash", "big & tall", "34"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTICD50", "worker_id": "A345TDMHP3DQ3G"}], "B084TJLG4C": [{"asin": "B084TJLG4C", "instruction": "i would like to buy a 70 by 70 inch pattern 4 table cloth that's easy to clean.", "attributes": ["machine washable", "super soft", "eco friendly", "easy clean"], "options": ["color: pattern04", "size: 70\"x70\"(diameter 178cm)"], "instruction_attributes": ["easy clean"], "instruction_options": ["pattern04", "70\"x70\"(diameter 178cm)"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YWZMT4T", "worker_id": "A1WS884SI0SLO4"}], "B087CYM49L": [{"asin": "B087CYM49L", "instruction": "i would like to get a 24 pack of 7.5 ounce bottles of non-gmo classic tonic.", "attributes": ["non gmo", "high fructose", "artificial flavors"], "options": ["flavor name: classic tonic", "size: 7.5 fl oz (pack of 24)"], "instruction_attributes": ["non gmo"], "instruction_options": ["classic tonic", "7.5 fl oz (pack of 24)"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ4C0N9", "worker_id": "A1WS884SI0SLO4"}], "B082NWZD2B": [{"asin": "B082NWZD2B", "instruction": "i need a cosmetic bag for my nail polish.", "attributes": ["nail polish", "nail art"], "options": [""], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZ7RRP5", "worker_id": "A2ECRNQ3X5LEXD"}], "B089LP3TJD": [{"asin": "B089LP3TJD", "instruction": "i am looking for an alcohol free mouthwash", "attributes": ["non toxic", "clinically proven", "alcohol free"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR025W3KA1", "worker_id": "A2ECRNQ3X5LEXD"}], "B08Y3XH857": [{"asin": "B08Y3XH857", "instruction": "i would like to buy a valentine's day party bag with 60 chocolate individually wrapped candies.", "attributes": ["individually wrapped", "valentine day"], "options": [""], "instruction_attributes": ["individually wrapped", "valentine day"], "instruction_options": [], "assignment_id": "31EUONYN26DZ1WA44INARVVOAAUOV4", "worker_id": "A1WS884SI0SLO4"}], "B09CGV29FK": [{"asin": "B09CGV29FK", "instruction": "i need a high quality pink toiletry bag.", "attributes": ["easy clean", "bpa free", "high quality", "travel bottles"], "options": ["color: pink"], "instruction_attributes": ["high quality"], "instruction_options": ["pink"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH49Z514", "worker_id": "A19317A3X87NVM"}], "B08KSRV6RX": [{"asin": "B08KSRV6RX", "instruction": "i would like a travel size 0.27 fluid ounce of lanvin eclat d'arpege impression perfume.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: lanvin eclat d'arpege impression", "size: 0.27 fl oz (pack of 1)"], "instruction_attributes": ["travel size"], "instruction_options": ["lanvin eclat d'arpege impression", "0.27 fl oz (pack of 1)"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFAA20B", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08KSRV6RX", "instruction": "i need a travel size perfume with a frederic malle scent.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: frederic malle music for a while impress...", "size: 0.27 fl oz | 8ml"], "instruction_attributes": ["travel size"], "instruction_options": ["frederic malle music for a while impress..."], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGD8X5KR", "worker_id": "A19317A3X87NVM"}, {"asin": "B08KSRV6RX", "instruction": "i am looking for a travel sized bottle of chanel number 5.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: chanel no:5 eau premiere impression", "size: 0.27 fl oz (pack of 1)"], "instruction_attributes": ["travel size"], "instruction_options": ["chanel no:5 eau premiere impression"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LJ3PS4", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08KSRV6RX", "instruction": "show me a high quality long lasting travel size christian dior ambre nuit impression perfume in 5ml size.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: christian dior ambre nuit impression", "size: 0.17 fl oz | 5ml"], "instruction_attributes": ["travel size", "long lasting", "high quality"], "instruction_options": ["christian dior ambre nuit impression", "0.17 fl oz | 5ml"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYQBQMO", "worker_id": "A3AYHESLQSDY5T"}], "B08WKC5NQV": [{"asin": "B08WKC5NQV", "instruction": "i need a table that is easy to assemble and that is honey pine", "attributes": ["easy assemble", "solid wood", "dining room", "living room"], "options": ["color: 02 honey pine", "size: catalog + pine samples"], "instruction_attributes": ["easy assemble"], "instruction_options": ["02 honey pine"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GICO00N", "worker_id": "A2ECRNQ3X5LEXD"}], "B0071K49JA": [{"asin": "B0071K49JA", "instruction": "i am looking for a light fixture that is brushed nickel.", "attributes": ["brushed nickel", "nickel finish", "light fixture"], "options": ["color: brushed nickel"], "instruction_attributes": ["light fixture"], "instruction_options": ["brushed nickel"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2VW72U1", "worker_id": "A2ECRNQ3X5LEXD"}], "B08NDPZBLK": [{"asin": "B08NDPZBLK", "instruction": "i am looking for solid wood chairs in a dusty pink color", "attributes": ["super soft", "mid century", "easy assemble", "solid wood", "wood frame", "living room", "dining room"], "options": ["color: dusty pink"], "instruction_attributes": ["solid wood"], "instruction_options": ["dusty pink"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB39UNQG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08L6LR44Q": [{"asin": "B08L6LR44Q", "instruction": "i would like a kronos phone case that supports wireless charging.", "attributes": ["high definition", "wireless charging"], "options": ["color: kronos"], "instruction_attributes": ["wireless charging"], "instruction_options": ["kronos"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXEQWK6", "worker_id": "A1WS884SI0SLO4"}], "B00B1H8VMU": [{"asin": "B00B1H8VMU", "instruction": "i need an original orzo that is low carb and is 1.3 pounds.", "attributes": ["low carb", "dietary fiber"], "options": ["flavor name: original", "size: 1.3 pound (pack of 1)"], "instruction_attributes": ["low carb"], "instruction_options": ["original", "1.3 pound (pack of 1)"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPT8G01", "worker_id": "A2ECRNQ3X5LEXD"}], "B076B52CFD": [{"asin": "B076B52CFD", "instruction": "i am looking for low fat jalapeno jerky that is 4 ounces.", "attributes": ["low fat", "high protein"], "options": ["flavor name: jalapeno", "size: 4 ounce (pack of 1)"], "instruction_attributes": ["low fat"], "instruction_options": ["jalapeno", "4 ounce (pack of 1)"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKS1IUP", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B076B52CFD", "instruction": "get me some triple dog dare jerky. it should be high in protein and low in fat.", "attributes": ["low fat", "high protein"], "options": ["flavor name: triple dog dare", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["low fat", "high protein"], "instruction_options": ["triple dog dare"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVCKV8G", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B076B52CFD", "instruction": "i am looking for low fat in honey chipotle bbg", "attributes": ["low fat", "high protein"], "options": ["flavor name: honey chipotle bbq", "size: 4 ounce"], "instruction_attributes": ["low fat"], "instruction_options": ["honey chipotle bbq"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMXOG2T", "worker_id": "A2MSIFDLOHI1UT"}], "B07SSJQ7VK": [{"asin": "B07SSJQ7VK", "instruction": "i would like to buy a 2'3\" x 22' green rug for my living room.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: green | ivory", "size: 2'3\" x 22'"], "instruction_attributes": ["living room"], "instruction_options": ["green | ivory", "2'3\" x 22'"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU45WR60", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07SSJQ7VK", "instruction": "i need an area rug for the dining room that is 3ft by 5ft and is ivory and brown.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: ivory | brown", "size: 3' x 5'"], "instruction_attributes": ["dining room"], "instruction_options": ["ivory | brown", "3' x 5'"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MCZEZYD", "worker_id": "A2ECRNQ3X5LEXD"}], "B09J14SLPH": [{"asin": "B09J14SLPH", "instruction": "i need a men's size 13 and a half casual walking show with a rubber sole, and it needs to fit comfortably. i want a unique design like a turtle or elephant doodle.", "attributes": ["non slip", "rubber sole", "comfortable fit", "unique design"], "options": ["size: 13.5"], "instruction_attributes": ["rubber sole", "comfortable fit", "unique design"], "instruction_options": ["13.5"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY89LUXP", "worker_id": "A2DDPSXH2X96RF"}], "B096ZZXGSQ": [{"asin": "B096ZZXGSQ", "instruction": "i need a button down shirt with a long sleeve for a evereday wear medium size with v neck", "attributes": ["machine washable", "loose fit", "hand wash", "button closure", "long sleeve", "everyday wear", "laundry bag"], "options": ["color: haze blue-long sleeve", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP1XQDY", "worker_id": "A2Y2TURT2VEYZN"}], "B08DTWTKTY": [{"asin": "B08DTWTKTY", "instruction": "i am looking for a bathroom light with farmhouse vanity light", "attributes": ["wall mounted", "bronze finish", "vanity light", "light fixture"], "options": [""], "instruction_attributes": ["bronze finish", "vanity light", "light fixture"], "instruction_options": [], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQ4ES6I", "worker_id": "A356LXGP5Z6D75"}], "B08LYHHYJ8": [{"asin": "B08LYHHYJ8", "instruction": "i want to find some hair growth oil that can treat dry and damaged hair. it must have long-lasting effects.", "attributes": ["long lasting", "tea tree", "natural ingredients", "hair growth", "hair treatment", "hair loss", "damaged hair", "natural hair", "dry hair"], "options": [""], "instruction_attributes": ["long lasting", "damaged hair", "dry hair"], "instruction_options": [], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3Q3ZM1J", "worker_id": "A345TDMHP3DQ3G"}], "B07TSMXFSZ": [{"asin": "B07TSMXFSZ", "instruction": "i am looking for a vidaxl sheesham wood dining table of light brown color with coated steel for dining room.", "attributes": ["coated steel", "white finish", "dining room"], "options": ["color: light brown", "size: 55.1\""], "instruction_attributes": ["coated steel", "dining room"], "instruction_options": ["light brown"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5I5X6I", "worker_id": "A1Q8PPQQCWGY0D"}], "B08QDRTNCS": [{"asin": "B08QDRTNCS", "instruction": "i'm looking for a sound bar that fits a honda 2016-2022 with a pioneer 5 utv", "attributes": ["high power", "plug play", "usb port"], "options": [""], "instruction_attributes": ["high power", "plug play"], "instruction_options": [], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO3GJGF", "worker_id": "A2EIQYUSCVZTML"}], "B073H4R7V8": [{"asin": "B073H4R7V8", "instruction": "i'm looking for a 2 ounce bag of kool ranch kale chips that are non-gmo and gluten free.", "attributes": ["non gmo", "hand crafted", "gluten free", "simple ingredients"], "options": ["flavor name: kool ranch", "size: 2 ounce (pack of 1)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["kool ranch", "2 ounce (pack of 1)"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGHWBV19", "worker_id": "A39SK1E6IMQBD5"}], "B071GVXG5C": [{"asin": "B071GVXG5C", "instruction": "i'm looking for a deep conditioning hair mask for dry hair that contains argan oil.", "attributes": ["argan oil", "dry hair"], "options": [""], "instruction_attributes": ["argan oil", "dry hair"], "instruction_options": [], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVBTTUX", "worker_id": "A1UYU9PV266WTT"}], "B09PF39V68": [{"asin": "B09PF39V68", "instruction": "i want to get a box of chocolates that's handcrafted and a gift set.", "attributes": ["hand crafted", "gift set"], "options": [""], "instruction_attributes": ["hand crafted", "gift set"], "instruction_options": [], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HPF1DO", "worker_id": "A2YNPKYEFDZ6C9"}], "B01FRP21K4": [{"asin": "B01FRP21K4", "instruction": "i'm looking for low sodium tuna fish in a 6.3 ounce container , preferably in a 6 pack . please also select the ones that have been flavored with tomato & olives.", "attributes": ["gluten free", "wild caught", "low sodium", "low calorie", "non gmo", "great gift"], "options": ["flavor name: tomato & olives", "size: 6.3 ounce (pack of 6)"], "instruction_attributes": ["low sodium"], "instruction_options": ["tomato & olives", "6.3 ounce (pack of 6)"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PEGEQZ", "worker_id": "A20DUVEOH6A7KW"}, {"asin": "B01FRP21K4", "instruction": "i would like some wild caught tuna fish that is a jalapeno flavor.", "attributes": ["gluten free", "wild caught", "low sodium", "low calorie", "non gmo", "great gift"], "options": ["flavor name: jalapeno", "size: 6.7 ounce (pack of 1)"], "instruction_attributes": ["wild caught"], "instruction_options": ["jalapeno"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1K6F6K", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Y7XTHCT": [{"asin": "B07Y7XTHCT", "instruction": "i would to have 12 piece cake topper for a birthday party.", "attributes": ["birthday party", "party supplies", "baby shower"], "options": ["color: toy"], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9F0TVE", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B07Y7XTHCT", "instruction": "i am looking for a trolls themed cupcake topper for a birthday party.", "attributes": ["birthday party", "party supplies", "baby shower"], "options": ["color: trolls"], "instruction_attributes": ["birthday party"], "instruction_options": ["trolls"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDJ6RHV", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07Y7XTHCT", "instruction": "i would like some toy cupcake toppers for a baby shower.", "attributes": ["birthday party", "party supplies", "baby shower"], "options": ["color: toy"], "instruction_attributes": ["baby shower"], "instruction_options": ["toy"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEO4ZKP", "worker_id": "A1WS884SI0SLO4"}], "B00RXUKSSO": [{"asin": "B00RXUKSSO", "instruction": "i want a contemporary style solid wood fabric ottoman colour should be light grey", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: light gray", "size: sofa"], "instruction_attributes": ["contemporary style", "solid wood"], "instruction_options": ["light gray"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYYU4J0", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B00RXUKSSO", "instruction": "look for chairs that have a contemporary style and come in azure.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: azure", "size: ottoman"], "instruction_attributes": ["contemporary style"], "instruction_options": ["azure"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3B2QNV", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B00RXUKSSO", "instruction": "i would like a mid century oatmeal sofa ottoman made with solid wood.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: oatmeal", "size: sofa"], "instruction_attributes": ["mid century", "solid wood"], "instruction_options": ["oatmeal", "sofa"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MMFWL9", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00RXUKSSO", "instruction": "i need a mid-century ottoman that's upholstered in oatmeal fabric.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: oatmeal", "size: teal"], "instruction_attributes": ["mid century"], "instruction_options": ["oatmeal"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RLBFLK", "worker_id": "A3LIIE572Z4OG7"}], "B08Y6T1TYN": [{"asin": "B08Y6T1TYN", "instruction": "i am looking super soft speed sports car fleece throw blanket for boys girls extreme sports theme plush blanket cool tie dye decor fuzzy blanket for sofa bed couch for living room.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 26", "size: throw"], "instruction_attributes": ["super soft", "fleece throw", "living room"], "instruction_options": ["throw"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AC1YUF", "worker_id": "A1W06GIYOJMSAK"}], "B093YSPPVX": [{"asin": "B093YSPPVX", "instruction": "set of 3 blouse hosiery normal-1, tradional-1, modern-1including matching clothes.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery"], "instruction_options": [], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKRSNDS", "worker_id": "A226L9F2AZ38CL"}], "B005OLG5XG": [{"asin": "B005OLG5XG", "instruction": "i just ran out of my foundation. i need you to buy me another one. make sure it is the mehron brand, is cruelty free, and oh! make sure it is the small one. i think it is .75 ounce size.", "attributes": ["paraben free", "cruelty free"], "options": ["color: dark 0", "size: 0.75 ounce"], "instruction_attributes": ["cruelty free"], "instruction_options": ["0.75 ounce"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9NWETY", "worker_id": "A33B85TN97HQ33"}], "B091GQTPT5": [{"asin": "B091GQTPT5", "instruction": "i am looking for some colorful life canvas art for the living room.", "attributes": ["ready hang", "living room"], "options": ["color: colorful life", "size: 47\"w x 31\"h"], "instruction_attributes": ["living room"], "instruction_options": ["colorful life"], "assignment_id": "3634BBTX0Z409DDB6851PCWGA5PIFT", "worker_id": "A3CR9XJAL7U5JW"}], "B09B7GFR12": [{"asin": "B09B7GFR12", "instruction": "find light weight running shoes that can be worn for general outdoor activities and on hiking trails. my size is 40 m eu and i want the color to be 8-4 red.", "attributes": ["light weight", "comfortable fit"], "options": ["color: 8-4 red", "size: 40 m eu"], "instruction_attributes": ["light weight"], "instruction_options": ["8-4 red", "40 m eu"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KQSJ9V", "worker_id": "AOT2BJVBU7JGW"}, {"asin": "B09B7GFR12", "instruction": "i am looking for some lightweight hiking shoes that are yellow and a size 39m", "attributes": ["light weight", "comfortable fit"], "options": ["color: 8-4 gray yellow40", "size: 39 m eu"], "instruction_attributes": ["light weight"], "instruction_options": ["8-4 gray yellow40", "39 m eu"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWT1R97P", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CJL35KV": [{"asin": "B07CJL35KV", "instruction": "i am looking for sea salt body skin scrub consisting of natural ingredients with pack size of 3.4 fl oz.", "attributes": ["natural ingredients", "dead skin"], "options": ["scent: mango coconut", "size: 3.4 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["3.4 fl oz (pack of 1)"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDSTEUVD", "worker_id": "A1V2JTEEBCXR20"}], "B00GJBI1GY": [{"asin": "B00GJBI1GY", "instruction": "i want to purchase a machine washable maroon-colored long sleeve men's t-shirt. my size is 3x-large.", "attributes": ["machine wash", "needle sleeve", "long sleeve"], "options": ["color: maroon | cardinal(2 pack)", "size: 3x-large"], "instruction_attributes": ["machine wash", "long sleeve"], "instruction_options": ["maroon | cardinal(2 pack)", "3x-large"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPASQVS", "worker_id": "A1MWCDBGZLHJPI"}, {"asin": "B00GJBI1GY", "instruction": "i am looking for irish-gold color men's t-shirt having long sleeve.", "attributes": ["machine wash", "needle sleeve", "long sleeve"], "options": ["color: irish-gold", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["irish-gold"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GENQ8QQ", "worker_id": "A1Q8PPQQCWGY0D"}], "B09P1CWJTM": [{"asin": "B09P1CWJTM", "instruction": "i am looking for a water flosser and toothbrush combo in one, specifically one that is clinically proven to help with bad breath.", "attributes": ["clinically proven", "bad breath"], "options": [""], "instruction_attributes": ["clinically proven", "bad breath"], "instruction_options": [], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40NTFY0", "worker_id": "A2OVOVZBJYUO"}], "B0829QW29B": [{"asin": "B0829QW29B", "instruction": "i want to get a fruit snack pack from the bare baked company. it should be both fat free and coconut flavored. i also prefer the 16-pack of the 0.53 ounce size.", "attributes": ["non gmo", "gluten free", "fat free", "real fruit", "simple ingredients"], "options": ["flavor name: coconut", "size: 1.4 ounce (pack of 6)"], "instruction_attributes": ["fat free"], "instruction_options": ["coconut"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWU329RL", "worker_id": "A3JUPCWYN6N6H4"}], "B078HYQQBD": [{"asin": "B078HYQQBD", "instruction": "i am looking for silicone body scrubber for sink care massage", "attributes": ["easy clean", "dry skin", "sensitive skin"], "options": ["color: light blue+green", "size: 1st generation"], "instruction_attributes": ["easy clean", "sensitive skin"], "instruction_options": ["light blue+green", "1st generation"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL0OEC5", "worker_id": "ADZQIBZTP9N78"}, {"asin": "B078HYQQBD", "instruction": "i want to find a gray-colored body scrubber that i can use on sensitive skin. if you can find me something that's second generation that would be helpful.", "attributes": ["easy clean", "dry skin", "sensitive skin"], "options": ["color: gray", "size: 2nd generation"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["gray"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0U0F3AN", "worker_id": "A345TDMHP3DQ3G"}], "B093J2HCY5": [{"asin": "B093J2HCY5", "instruction": "could you find me a cruelty and paraben free fragrance? i'm hoping to find one with the sofia isabel scent.", "attributes": ["paraben free", "cruelty free", "coconut oil"], "options": ["scent: sofia isabel"], "instruction_attributes": ["paraben free", "cruelty free"], "instruction_options": ["sofia isabel"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MT769NS", "worker_id": "A2CJFO19NY4T5R"}], "B095J6LNX5": [{"asin": "B095J6LNX5", "instruction": "i'd like to purchase a men's sweater in a size 5x, long-sleeved and with a tonal design.", "attributes": ["classic fit", "long sleeve", "dry clean"], "options": ["color: wine", "size: 5x-large"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0NMPX7", "worker_id": "A3UJSDFJ9LBQ6Z"}], "B094HWX388": [{"asin": "B094HWX388", "instruction": "i am looking for a camera lens protector case in silver color for samsung mobile , also easy to install.", "attributes": ["easy install", "high definition"], "options": ["color: silver", "size: for samsung galaxy s20 ultra"], "instruction_attributes": ["easy install"], "instruction_options": ["silver"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJYGYGRK", "worker_id": "A2HMEGTAFO0CS8"}], "B07QL5DZ3W": [{"asin": "B07QL5DZ3W", "instruction": "i am looking for a high quality healifty dental floss oral tooth brush kit which is easy to carry.", "attributes": ["easy carry", "high quality"], "options": [""], "instruction_attributes": ["easy carry", "high quality"], "instruction_options": [], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2JA5MQ", "worker_id": "A1V2JTEEBCXR20"}], "B01N8WV4EQ": [{"asin": "B01N8WV4EQ", "instruction": "i'm looking for an easy to use roofull external cd dvd +/-rw drive usb 3.0 protable usb dvd/cd rom burner optical drive player reader writer for windows carrying case in silver.", "attributes": ["easy use", "carrying case", "usb port"], "options": ["color: silver"], "instruction_attributes": ["easy use", "carrying case"], "instruction_options": ["silver"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI70LGZN", "worker_id": "AOMFEAWQHU3D8"}], "B08ZHGYXZ2": [{"asin": "B08ZHGYXZ2", "instruction": "i'm looking for a shampoo paraben free and a conditioner same as shampoo", "attributes": ["plant based", "paraben free", "cruelty free", "tea tree"], "options": ["size: conditioner"], "instruction_attributes": ["paraben free"], "instruction_options": ["conditioner"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R10TYV", "worker_id": "A19Q021KR28CS8"}], "B09R3XL9WW": [{"asin": "B09R3XL9WW", "instruction": "can you find me a hair growth serum that is made from natural ingredients, that will aid in hair growth and also aid in restoring damaged hair to it's healthiest state. i would like one individually-sized package.", "attributes": ["natural ingredients", "hair growth", "damaged hair", "hair loss", "dry hair"], "options": [""], "instruction_attributes": ["natural ingredients", "hair growth", "damaged hair"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHQX7BE", "worker_id": "AMI0SOF51O3FW"}], "B09MFR5LBR": [{"asin": "B09MFR5LBR", "instruction": "i need a long lasting eyebrow shaping kit for brown eyebrows.", "attributes": ["long lasting", "easy use", "eye shadow"], "options": ["color: light brown"], "instruction_attributes": ["long lasting"], "instruction_options": ["light brown"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQ8FJCQ", "worker_id": "A3AK3UL0UCNVKE"}], "B09Q963B2M": [{"asin": "B09Q963B2M", "instruction": "i'm looking for medium sized workout and yoga leggings or tights in green, with butt lifting and high waist.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: green", "size: medium"], "instruction_attributes": ["butt lifting", "high waist"], "instruction_options": ["green", "medium"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNYYYU0K", "worker_id": "A19KWRLD7P57VJ"}], "B06XQXG52M": [{"asin": "B06XQXG52M", "instruction": "i am looking for 8 fluid oz. of a women's body mist by vera wang called embrace that's a green tea & pear blossom.", "attributes": ["green tea", "fine mist"], "options": ["color: marigold & gardenia", "size: 8 fl oz green tea & pear + 8 fl oz periw...", "style: body spray"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YQ3HEN", "worker_id": "ABYRAWL4BGD3C"}, {"asin": "B06XQXG52M", "instruction": "i'm looking for fine mist body spray the bottle continues the warm of water.", "attributes": ["green tea", "fine mist"], "options": ["color: marigold & gardenia", "size: 8.12 fl oz (pack of 1)", "style: body spray"], "instruction_attributes": ["fine mist"], "instruction_options": ["body spray"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I8FFD2", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B06XQXG52M", "instruction": "i'm looking for fine mist body spray fragrance it produces continues stream of water.", "attributes": ["green tea", "fine mist"], "options": ["color: green tea & pear blossom", "size: 8 fl oz green tea & pear + 8 fl oz periw...", "style: body spray"], "instruction_attributes": ["fine mist"], "instruction_options": ["8 fl oz green tea & pear + 8 fl oz periw...", "body spray"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPHNQV1", "worker_id": "A16IQOX0DK14OJ"}], "B09Q15T1R5": [{"asin": "B09Q15T1R5", "instruction": "can you help me find a st. patrick's day themed cupcake topper? i need a shamrock design, and 24-60 of them.", "attributes": ["cupcake picks", "party supplies"], "options": ["color: 24pcs"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["24pcs"], "assignment_id": "3P4MQ7TPP8M09ONPVWROKZ1I0GJBBZ", "worker_id": "A2QX3YJXAAHHVV"}], "B097CBRG67": [{"asin": "B097CBRG67", "instruction": "i want to purchase dental tools and equipment's such as oral care dental tools, tarter scraper , professional dental picks, plaque remover, dentist pick stainless steel design as tarter scraper", "attributes": ["stainless steel", "oral hygiene"], "options": ["design: tarter scraper"], "instruction_attributes": ["stainless steel"], "instruction_options": ["tarter scraper"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLMSFTU", "worker_id": "A3RBCGB309WPOC"}], "B07TMFCFF5": [{"asin": "B07TMFCFF5", "instruction": "i have choose size 38 to high heel for the summer", "attributes": ["open toe", "ankle strap", "memory foam", "high heel"], "options": ["color: z4-grey", "size: 38"], "instruction_attributes": ["high heel"], "instruction_options": ["38"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGC5O0W", "worker_id": "A1SJ6E71TEWQEQ"}], "B093KY48TK": [{"asin": "B093KY48TK", "instruction": "i need a wood sculpture or a statue of a casual woman for home, living room, or wine cabinet.", "attributes": ["hand painted", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2SN534", "worker_id": "A39VVWV1GHLMFD"}], "B00E4MJ0A6": [{"asin": "B00E4MJ0A6", "instruction": "i am looking to buy a fragrance free deodrant. it would be great if it comes in a pack of 12.", "attributes": ["anti perspirant", "fragrance free"], "options": ["size: 2.25 ounce (pack of 12)"], "instruction_attributes": ["fragrance free"], "instruction_options": ["2.25 ounce (pack of 12)"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILV85ZSA", "worker_id": "AHXHM1PQTRWIQ"}], "B077ZKVC9C": [{"asin": "B077ZKVC9C", "instruction": "i am looking for white color reebok men's sneaker with rubber sole.", "attributes": ["daily casual", "rubber outsole", "rubber sole"], "options": ["color: white | light solid grey", "size: 10"], "instruction_attributes": ["rubber sole"], "instruction_options": ["white | light solid grey"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB1J6UW", "worker_id": "A3FG5PQHG5AH3Y"}], "B09P59GGXN": [{"asin": "B09P59GGXN", "instruction": "i'm looking for a pair of women's high heel with closed toe. i want pink and in size 9.", "attributes": ["closed toe", "high heel"], "options": ["color: pink", "size: 9"], "instruction_attributes": ["closed toe", "high heel"], "instruction_options": ["pink", "9"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWPZC1V", "worker_id": "A3MNXK3VDK37SN"}], "B09RKHSBSC": [{"asin": "B09RKHSBSC", "instruction": "i am searching for some men's briefs but something fun. maybe you could find some with some elephants on them. i want them to be red and a large in size. also, it is important for convenience that they be machine washable as well.", "attributes": ["quick drying", "machine washable"], "options": ["color: red", "size: large"], "instruction_attributes": ["machine washable"], "instruction_options": ["red", "large"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HQXD1K", "worker_id": "A3GMRPF5MCQVGV"}], "B08149X85L": [{"asin": "B08149X85L", "instruction": "i am looking for a nacho flavored tortilla chip dip, preferably in a grain free version.", "attributes": ["grain free", "high fructose"], "options": ["flavor name: nacho", "size: 5 ounce (pack of 12)"], "instruction_attributes": ["grain free"], "instruction_options": ["nacho"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6T7NMNG", "worker_id": "A2NSS746CFCT4M"}, {"asin": "B08149X85L", "instruction": "i'm looking for a siete chip tortilla", "attributes": ["grain free", "high fructose"], "options": ["flavor name: no salt", "size: 5 ounce (pack of 6)"], "instruction_attributes": ["grain free"], "instruction_options": ["no salt", "5 ounce (pack of 6)"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDO2HRR", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09C6NCGWZ": [{"asin": "B09C6NCGWZ", "instruction": "i'm looking for a desktop computer with intel core i5 processor which includes of 8gb ram, 512gb nvme ssd + 500gb hdd", "attributes": ["core i5", "intel core"], "options": ["size: 8gb ram | 512gb nvme ssd + 500gb hdd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["8gb ram | 512gb nvme ssd + 500gb hdd"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733G4BED", "worker_id": "A21IUUHBSEVB56"}], "B00CWTT73I": [{"asin": "B00CWTT73I", "instruction": "i want a french vanilla flavor lactose free coffee creamer ,16 fl oz", "attributes": ["lactose free", "gluten free"], "options": ["flavor name: french vanilla", "size: 16 fl oz (pack of 1)"], "instruction_attributes": ["lactose free"], "instruction_options": ["french vanilla", "16 fl oz (pack of 1)"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYJUM66", "worker_id": "A3N9ZYQAESNFQH"}], "B08W2JDWQZ": [{"asin": "B08W2JDWQZ", "instruction": "i want you to buy me a vanity light which should have 4 led lights, i prefer it to be black and it should be dimmable.", "attributes": ["easy install", "vanity light", "living room"], "options": ["color: dimmable-black", "size: 4-light"], "instruction_attributes": ["vanity light"], "instruction_options": ["dimmable-black", "4-light"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAU3A8Y", "worker_id": "A1OPJ5I9BF44QH"}], "B09MTCCBLK": [{"asin": "B09MTCCBLK", "instruction": "i want a large tracksuit with long sleeves for my gym workout. get it in gray.", "attributes": ["long sleeve", "gym workout"], "options": ["color: 06 gray", "size: large"], "instruction_attributes": ["long sleeve", "gym workout"], "instruction_options": ["06 gray", "large"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMS9162D", "worker_id": "A2IMAGGCST8170"}], "B09C5XB6NL": [{"asin": "B09C5XB6NL", "instruction": "i am looking lightweight non slip breathable runner shoe for woman size-37 i", "attributes": ["non slip", "quality materials"], "options": ["color: i", "size: 37 i"], "instruction_attributes": ["non slip"], "instruction_options": ["37 i"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1A5RX6", "worker_id": "A3N9ZYQAESNFQH"}], "B09GBKX685": [{"asin": "B09GBKX685", "instruction": "i'm looking for a 4g-lte blue 16gb unlocked alcatel 1 5in quad core", "attributes": ["quad core", "4g lte"], "options": ["color: blue", "size: 16gb"], "instruction_attributes": ["4g lte"], "instruction_options": ["blue", "16gb"], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWJM522", "worker_id": "A26GGA2GMB4Z3A"}], "B095HHW5BM": [{"asin": "B095HHW5BM", "instruction": "i am looking for a pendant light with a merlin's beard color that is easy to install.", "attributes": ["easy install", "pendant light", "dining room"], "options": ["color: merlin's beard"], "instruction_attributes": ["easy install", "pendant light"], "instruction_options": ["merlin's beard"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCGM9BT", "worker_id": "A1HMZJ59OPLD1P"}], "B082DKQGRR": [{"asin": "B082DKQGRR", "instruction": "i am looking for a de-stressing/calming tea that is sugar free, decaf, gluten free, non-gmo, and includes 20 bags.", "attributes": ["sugar free", "non gmo", "caffeine free", "gluten free"], "options": ["flavor name: calming"], "instruction_attributes": ["sugar free", "non gmo", "caffeine free", "gluten free"], "instruction_options": ["calming"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72ACHEO8", "worker_id": "A2X135IX70LYH5"}], "B003I567W4": [{"asin": "B003I567W4", "instruction": "place order for a pack of 12 blue diamond almonds that is gluten free and has the pecan flavor", "attributes": ["gluten free", "protein serving"], "options": ["flavor name: pecan", "size: 4.25 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["pecan"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUT561FG", "worker_id": "A1EPULU6LCCBMV"}], "B08R9Y462N": [{"asin": "B08R9Y462N", "instruction": "i am looking for a powerful, double sided, silicone back scrubber in the color orange.", "attributes": ["double sided", "dead skin", "sensitive skin"], "options": ["color: orange", "size: 30''x4.7''"], "instruction_attributes": ["double sided"], "instruction_options": ["orange"], "assignment_id": "33F859I56HNA01QBVO1K6A4GVYWHB3", "worker_id": "AK3JMCIGU8MLU"}], "B01MT5PQ9L": [{"asin": "B01MT5PQ9L", "instruction": "i'm looking for a car amp/speaker combo with 8 gauge amp wiring kit with four 450 watt kickers cs series with 2 way car coaxials and a 4 channel bluetooth amp included.", "attributes": ["high power", "heavy duty"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9AG6KU", "worker_id": "A7G6TFAYTV2FC"}], "B07B2W2Z5Z": [{"asin": "B07B2W2Z5Z", "instruction": "i am looking for a cotton sheet set for a light blue king size bed", "attributes": ["long lasting", "king size"], "options": ["color: b. light blue", "size: full"], "instruction_attributes": ["king size"], "instruction_options": ["b. light blue"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3S4W3GL", "worker_id": "A13PVNQT2WWWVL"}, {"asin": "B07B2W2Z5Z", "instruction": "i would like a moon rock gray standard sized pillow case that long lasting.", "attributes": ["long lasting", "king size"], "options": ["color: i. moon rock grey", "size: standard pillowcases"], "instruction_attributes": ["long lasting"], "instruction_options": ["i. moon rock grey", "standard pillowcases"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLE92FT", "worker_id": "A1WS884SI0SLO4"}], "B083GRHCNT": [{"asin": "B083GRHCNT", "instruction": "i'd like to some lands' end men's 11 inches chino shorts that i can machine wash. the size i'm looking for is a 38 regular.", "attributes": ["machine wash", "cotton spandex", "button closure"], "options": ["color: surfside blue", "size: 38 regular"], "instruction_attributes": ["machine wash"], "instruction_options": ["38 regular"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JQOEGJ", "worker_id": "A3O0NNIW4KA2PV"}], "B00VB1WWB2": [{"asin": "B00VB1WWB2", "instruction": "i am looking for some fat free snacks size of 2.85", "attributes": ["fat free", "0g trans"], "options": ["size: 2.85 ounce (pack of 4)"], "instruction_attributes": ["fat free"], "instruction_options": ["2.85 ounce (pack of 4)"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADEZWVY", "worker_id": "A2MSIFDLOHI1UT"}], "B07Z84DVDG": [{"asin": "B07Z84DVDG", "instruction": "i am looking for a teal scented jar candle, it should be white in color and at least 10inch long.", "attributes": ["white item", "soy wax"], "options": ["scent: teal", "size: 10 in"], "instruction_attributes": ["white item"], "instruction_options": ["teal", "10 in"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB1WFLUQ", "worker_id": "A14BSOU2Y5JNT0"}, {"asin": "B07Z84DVDG", "instruction": "i am searching for orange scented soy wax jar candle, 15 oz", "attributes": ["white item", "soy wax"], "options": ["scent: orange", "size: 15 oz"], "instruction_attributes": [], "instruction_options": ["orange", "15 oz"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP9ED6Z", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07Z84DVDG", "instruction": "i am looking for a 15oz white jar candles", "attributes": ["white item", "soy wax"], "options": ["scent: bamboo waters", "size: 15 oz"], "instruction_attributes": ["white item"], "instruction_options": ["15 oz"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBBJ6UG", "worker_id": "A9QRQL9CFJBI7"}], "B09BKKFY87": [{"asin": "B09BKKFY87", "instruction": "i'm looking for mens sport casual thong sandals, open toe, and better color black .", "attributes": ["open toe", "leather sole", "arch support"], "options": ["color: 3#black", "size: 10.5"], "instruction_attributes": ["open toe"], "instruction_options": ["3#black"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZR4NA5", "worker_id": "ADJ2R4LULHDXB"}], "B07V3GG42F": [{"asin": "B07V3GG42F", "instruction": "get me a low fat bacon jerky. make sure it is of maple flavour.", "attributes": ["old fashioned", "low fat"], "options": ["flavor name: maple"], "instruction_attributes": ["low fat"], "instruction_options": ["maple"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK82QA5G", "worker_id": "A1NF6PELRKACS9"}], "B016QAYRJW": [{"asin": "B016QAYRJW", "instruction": "i want to find some white, size 9, elan - leather sandals for men.", "attributes": ["leather sole", "synthetic sole"], "options": ["color: white", "size: 9"], "instruction_attributes": [], "instruction_options": ["white", "9"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNOJH84", "worker_id": "AE861G0AY5RGT"}], "B000T5QN5M": [{"asin": "B000T5QN5M", "instruction": "i'm looking for a 1 fl oz package high quality, long-lasting liquid foundation with spf that is oil-free. also, choose shade 460 - macadamia", "attributes": ["oil free", "long lasting", "high quality", "dry skin"], "options": ["color: 460 macadamia", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["oil free", "long lasting", "high quality"], "instruction_options": ["460 macadamia", "1 fl oz (pack of 1)"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO1CJG7", "worker_id": "AENE0ASEDKQB3"}, {"asin": "B000T5QN5M", "instruction": "colorstay makeup for normal/dry skin which is oil free and in 1.0 fluid ounce", "attributes": ["oil free", "long lasting", "high quality", "dry skin"], "options": ["color: beige", "size: 1.0 fluid ounce"], "instruction_attributes": ["oil free", "high quality", "dry skin"], "instruction_options": ["1.0 fluid ounce"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4NHPKA", "worker_id": "A10OGH5CQBXL5N"}], "B07F282LLM": [{"asin": "B07F282LLM", "instruction": "i want to find a pair of green camo size 40w x 34l slim-fit men\u2019s cargo pants", "attributes": ["slim fit", "machine wash", "cotton spandex", "button closure"], "options": ["color: green, camo", "size: 40w x 34l"], "instruction_attributes": ["slim fit"], "instruction_options": ["green, camo", "40w x 34l"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJKYXVN0", "worker_id": "AJKA9BKC011F2"}, {"asin": "B07F282LLM", "instruction": "men's slim-fit stretch cargo pant in dark khaki brown color with size 32wx34i and button closure suitable for machine wash", "attributes": ["slim fit", "machine wash", "cotton spandex", "button closure"], "options": ["color: dark khaki brown", "size: 32w x 34l"], "instruction_attributes": ["machine wash", "button closure"], "instruction_options": ["dark khaki brown", "32w x 34l"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRRABZQ", "worker_id": "AX2EWYWZM19AZ"}], "B09N9HR1RF": [{"asin": "B09N9HR1RF", "instruction": "buy rockville marine gauge bluetooth receiver with 2 way coaxial black speakers", "attributes": ["power amplifier", "water resistant", "easy use", "stainless steel"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3X65QVEQIBXVW21709CD9M35U01LCH", "worker_id": "ADOV0TU2G016A"}], "B00ZEBG8CY": [{"asin": "B00ZEBG8CY", "instruction": "low sodium pink salt", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 20 ounce (pack of 1)", "style: everyday seasonings"], "instruction_attributes": ["low sodium"], "instruction_options": [], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRSYFEUV", "worker_id": "A3TTGSUBIK1YCL"}, {"asin": "B00ZEBG8CY", "instruction": "i need some gluten free special diet seasonings.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: special diet seasonings", "size: 3 piece assortment", "style: lifestyle pack - standard size"], "instruction_attributes": ["gluten free"], "instruction_options": ["special diet seasonings"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UH0XQIG", "worker_id": "A19317A3X87NVM"}, {"asin": "B00ZEBG8CY", "instruction": "buy me a twenty ounce pack of low-sodium everyday seasonings.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 6 ounce (pack of 1)", "style: 20 ounce (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["everyday seasonings", "20 ounce (pack of 1)"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9IYJS1F", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B00ZEBG8CY", "instruction": "i'm looking for a gluten free all purpose seasoning with himalayan pink salt that is mow in sodium and has no artificial colors. also, choose a pack of 1 weighing 4 ounce in standard size lifestyle pack for everyday seasoning one.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 4 ounce (pack of 1)", "style: lifestyle pack - standard size"], "instruction_attributes": ["gluten free", "low sodium", "artificial colors"], "instruction_options": ["everyday seasonings", "4 ounce (pack of 1)", "lifestyle pack - standard size"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQFGJC5", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00ZEBG8CY", "instruction": "i'm looking for gluten free high protein organic products to buy a groceries shop.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: organic seasonings", "size: 2 ounce (pack of 1)", "style: small - herbed salt free flavor"], "instruction_attributes": ["gluten free"], "instruction_options": ["organic seasonings", "2 ounce (pack of 1)"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FN0FBS", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00ZEBG8CY", "instruction": "i am looking for a gluten free paleo seasoning salt set. i need a pack of 1 containing 20 ounce.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: paleo seasoning set", "size: 20 ounce (pack of 1)", "style: 20 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["paleo seasoning set", "20 ounce (pack of 1)"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRSALEUP", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B00ZEBG8CY", "instruction": "i would like a standard size three ounce spice gift set that is gluten free.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: spice gift sets", "size: 3 ounce (pack of 1)", "style: lifestyle pack - standard size"], "instruction_attributes": ["gluten free"], "instruction_options": ["spice gift sets", "3 ounce (pack of 1)", "lifestyle pack - standard size"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGFDMSS", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00ZEBG8CY", "instruction": "i would like a pound of 2.01 ounce everyday seasoning bottles that are gluten free.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 1 pound (pack of 1)", "style: 2.01 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["everyday seasonings", "1 pound (pack of 1)", "2.01 ounce (pack of 1)"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUL0S5N", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00ZEBG8CY", "instruction": "i am looking for a everyday seasonings flavor of gluten free food & beverage gifts", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 6 ounce (pack of 1)", "style: 2 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["everyday seasonings"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINXX27A", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B00ZEBG8CY", "instruction": "i am interested in some low sodium organic seasonings", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: organic seasonings", "size: 20 ounce (pack of 1)", "style: lifestyle pack - standard size"], "instruction_attributes": ["low sodium"], "instruction_options": ["organic seasonings"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFJ8VM7", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00ZEBG8CY", "instruction": "i want low sodium paleo powder spice gift sets.", "attributes": ["gluten free", "low sodium", "artificial colors"], "options": ["flavor name: spice gift sets", "size: 4.02 ounce (pack of 1)", "style: everyday seasonings"], "instruction_attributes": ["low sodium"], "instruction_options": ["spice gift sets"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1AOGYB", "worker_id": "A2RBF3IIJP15IH"}], "B093BD5L3T": [{"asin": "B093BD5L3T", "instruction": "hello, i'm looking for a decently sized (preferably 80-83cm) bookshelf for my living room and is eco-friendly? thanks", "attributes": ["eco friendly", "storage unit", "living room"], "options": ["size: 80*83cm"], "instruction_attributes": ["eco friendly", "storage unit", "living room"], "instruction_options": ["80*83cm"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9P1TEM", "worker_id": "A2TRV8SEM003GG"}], "B09KNNNSB8": [{"asin": "B09KNNNSB8", "instruction": "i would like to check out size 6 pink open toe fashionable high heeled shoes. would like them also to have a non-slip rubber sole for comfort.", "attributes": ["open toe", "non slip", "fashion design", "high heel", "rubber outsole", "rubber sole"], "options": ["color: pink", "size: 6"], "instruction_attributes": ["open toe", "non slip", "fashion design", "high heel", "rubber sole"], "instruction_options": ["pink", "6"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6Y65GS", "worker_id": "A1WS884SI0SLO4"}], "B09P175BGR": [{"asin": "B09P175BGR", "instruction": "photography studio vintage house corridor a 16 10x10ft/3x3m features: high resolution size 7x5ft l 2.1x1.5m", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a38", "size: 7x5ft | 2.1x1.5m"], "instruction_attributes": ["high resolution"], "instruction_options": ["a38"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GC1S3Z", "worker_id": "A3LUETNYKSGBFY"}], "B09PDVSSV2": [{"asin": "B09PDVSSV2", "instruction": "blue color simayixx baby toothbrush made of silicone.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: blue1"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["blue1"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4MOK7X", "worker_id": "A2FQYXUQ7F8IKK"}], "B09NMXFPQV": [{"asin": "B09NMXFPQV", "instruction": "i need an extra-large multi-colored set of machine-washable men's pajamas with an elastic waistband.", "attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "dry clean"], "options": ["color: multi 3", "size: x-large"], "instruction_attributes": ["machine wash", "elastic waistband"], "instruction_options": ["multi 3", "x-large"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMGUEXL", "worker_id": "A2VUF0V7HT51Q3"}], "B09MCFKM8J": [{"asin": "B09MCFKM8J", "instruction": "i'm looking for a easy to clean table linens for the dining room in a valentine's day", "attributes": ["non slip", "eco friendly", "easy clean", "dining room"], "options": ["color: valentine's dayidt8658", "size: 13\"x90\" runner+4 pcs placemats"], "instruction_attributes": ["easy clean", "dining room"], "instruction_options": ["valentine's dayidt8658"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEIAZKJ", "worker_id": "A19Q021KR28CS8"}], "B07CSRYF9K": [{"asin": "B07CSRYF9K", "instruction": "500pcs by a box portable makeup facial soft cotton pads soft hypoallergenic and lint free cotton wipes for applying lotion removing face makeup eye makeup and nail polish", "attributes": ["eco friendly", "nail polish"], "options": [""], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL8411XXAA", "worker_id": "AMP43R3RISC1J"}], "B07QNS56JS": [{"asin": "B07QNS56JS", "instruction": "i am looking for natural magnesium gel deodorant for muscles aches and pains", "attributes": ["cruelty free", "fresh breath"], "options": ["scent: coconut"], "instruction_attributes": ["cruelty free"], "instruction_options": ["coconut"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXKH5OZ", "worker_id": "A10OGH5CQBXL5N"}], "B07Z5XL9G2": [{"asin": "B07Z5XL9G2", "instruction": "search for a 10 foot, apple mfi certified, usb c fast charging lightning cable that is grey.", "attributes": ["fast charging", "usb port"], "options": ["color: grey", "size: 10ft"], "instruction_attributes": ["fast charging"], "instruction_options": ["grey", "10ft"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83BEJI3", "worker_id": "A334XVDF4AIYQS"}, {"asin": "B07Z5XL9G2", "instruction": "i want a grey fast charging usb c to lightning cable.", "attributes": ["fast charging", "usb port"], "options": ["color: grey", "size: 4ft"], "instruction_attributes": ["fast charging"], "instruction_options": ["grey"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N827TV", "worker_id": "A2RBF3IIJP15IH"}], "B08Z89WJL1": [{"asin": "B08Z89WJL1", "instruction": "i want a silver color pillow shams set for king and queen size 20 by 30 inches.", "attributes": ["machine washable", "king size"], "options": ["color: silver", "size: queen 20\" x 30\""], "instruction_attributes": ["king size"], "instruction_options": ["silver", "queen 20\" x 30\""], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIOI9TH", "worker_id": "A1XARUPXWKL2KY"}], "B086YLCFHH": [{"asin": "B086YLCFHH", "instruction": "i'm looking for some hair extensions. i want ones that are a medium brown shade.", "attributes": ["hair extensions", "dry hair"], "options": ["color: medium brown", "size: 23 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["medium brown"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH001VC", "worker_id": "AGZ4MDF3G7BL7"}], "B08LL72999": [{"asin": "B08LL72999", "instruction": "i am looking for an ottoman that gives me storage space, and would look nice in my living room. prefer black in color.", "attributes": ["button tufted", "easy clean", "storage space", "living room"], "options": ["color: black"], "instruction_attributes": ["storage space", "living room"], "instruction_options": ["black"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LAV5IF", "worker_id": "A2KW17G25L25R8"}], "B08N7WFY1K": [{"asin": "B08N7WFY1K", "instruction": "i would like to buy a 5.3fl oz bottle of shampoo that is certified cruelty free, please.", "attributes": ["sulfate free", "cruelty free"], "options": ["size: 5.3 fl oz (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["5.3 fl oz (pack of 1)"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH371LSEK", "worker_id": "A1WAWEY2810TFN"}], "B092VKXNZV": [{"asin": "B092VKXNZV", "instruction": "i would like a purple phone case that's compatible with an iphone 13 pro that has tempered glass and wireless charging.", "attributes": ["tempered glass", "wireless charging"], "options": ["color: purple", "size: for iphone 13 pro"], "instruction_attributes": ["tempered glass", "wireless charging"], "instruction_options": ["purple", "for iphone 13 pro"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7PF5PI", "worker_id": "A3LA5P3N3KI8U7"}], "B08HJ1YQP5": [{"asin": "B08HJ1YQP5", "instruction": "i am looking for high quality hair tie and ponytail holder which is used for hair styling for women and girls.", "attributes": ["high quality", "hair styling"], "options": ["color: white"], "instruction_attributes": ["high quality", "hair styling"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCPMQ45", "worker_id": "A1V2JTEEBCXR20"}], "B083TV2LD4": [{"asin": "B083TV2LD4", "instruction": "i want a decorative wine rack ornament for living room wine cabinate", "attributes": ["exquisite workmanship", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YT13QG", "worker_id": "A3N9ZYQAESNFQH"}], "B09BN9QC14": [{"asin": "B09BN9QC14", "instruction": "i am looking for a nice faux leather couch sofa bed with metal legs for my living room. i want the black one.", "attributes": ["white item", "faux leather", "metal legs", "living room"], "options": ["color: black"], "instruction_attributes": ["faux leather", "metal legs", "living room"], "instruction_options": ["black"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPE9P68C", "worker_id": "A3UUH3632AI3ZX"}], "B00NC2HKQK": [{"asin": "B00NC2HKQK", "instruction": "i am looking for a 2 ft 3 in (10 ft) rugs and pads for my living room that is more beautiful for my dining room also. and i choose dark grey color.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: dark grey", "item shape: round", "size: 2 ft 3 in x 10 ft"], "instruction_attributes": ["dining room", "living room"], "instruction_options": ["dark grey"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2C6FKZ", "worker_id": "A9UBPUEWAMA06"}], "B08H58MZNQ": [{"asin": "B08H58MZNQ", "instruction": "i am looking for an inexpensive tv stand for our 60 inch tv with huge storage space and that should be in ashland pine color", "attributes": ["tempered glass", "storage space"], "options": ["color: ashland pine", "style name: 50\" kenton w | fireplace"], "instruction_attributes": ["storage space"], "instruction_options": ["ashland pine"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJHTOMY", "worker_id": "A2DQZHJHF45NDT"}], "B087R97MM2": [{"asin": "B087R97MM2", "instruction": "i am looking for a convertible noisecancelling wireless headset", "attributes": ["noise cancelling", "hands free"], "options": ["pattern name: headset", "size: convertible", "style: b450-xt"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["headset", "convertible"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTARN9X", "worker_id": "A3N9ZYQAESNFQH"}], "B004PFUQR8": [{"asin": "B004PFUQR8", "instruction": "i'm looking for a certified organic lip balm that is plant based. please find a green tea flavor.", "attributes": ["long lasting", "certified organic", "plant based", "green tea", "natural ingredients"], "options": ["flavor: green tea"], "instruction_attributes": ["certified organic", "plant based"], "instruction_options": ["green tea"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9CPB0G", "worker_id": "A394JO4NEPCY3M"}], "B003S2QVQY": [{"asin": "B003S2QVQY", "instruction": "i am looking for gluten free in a jamaican style", "attributes": ["sugar free", "non gmo", "gluten free", "natural ingredients", "great gift"], "options": ["flavor name: jamaican style", "size: 7 ounce (pack of 1)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYJIN7Y", "worker_id": "A16M39T60N60NO"}], "B08WTTMFBY": [{"asin": "B08WTTMFBY", "instruction": "i am looking for a caffeine free fruit tea with natural flavours of mango and passion fruit with pack size of 8 ounce.", "attributes": ["caffeine free", "natural flavors", "quality ingredients", "artificial flavors"], "options": ["flavor name: mango-passion fruit", "size: 8 ounce"], "instruction_attributes": ["caffeine free", "natural flavors"], "instruction_options": ["mango-passion fruit", "8 ounce"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8OSU2A2", "worker_id": "A1V2JTEEBCXR20"}, {"asin": "B08WTTMFBY", "instruction": "i am looking for a 1 pound quality ingredients of herbal tea", "attributes": ["caffeine free", "natural flavors", "quality ingredients", "artificial flavors"], "options": ["flavor name: apple pancake", "size: 1 pound"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["1 pound"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKTC7V5", "worker_id": "A9QRQL9CFJBI7"}], "B078N5GNJ3": [{"asin": "B078N5GNJ3", "instruction": "i am looking for long sleeve shirt with 100 percent cotton, it should be washable in machine and particularly solid paper white color.", "attributes": ["easy care", "machine wash", "button closure", "long sleeve"], "options": ["color: paper white - solid", "fit type: big & tall", "size: 4x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["paper white - solid"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMJ3MWJ", "worker_id": "A2DQZHJHF45NDT"}], "B09FVY55TZ": [{"asin": "B09FVY55TZ", "instruction": "i'm looking for a non-toxic concealer than contains argan oil, with rich color.", "attributes": ["non toxic", "cruelty free", "argan oil"], "options": ["color: rich"], "instruction_attributes": ["non toxic", "argan oil"], "instruction_options": ["rich"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CH55BNW", "worker_id": "A320QA9HJFUOZO"}], "B08VHJ7QQJ": [{"asin": "B08VHJ7QQJ", "instruction": "i am looking for a valentine day gift basket for women from assortments & variety gifts category.", "attributes": ["valentine day", "gift basket"], "options": [""], "instruction_attributes": ["valentine day", "gift basket"], "instruction_options": [], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTLGE4X", "worker_id": "A7R4F8BRS8ET0"}], "B08KWLZ3FJ": [{"asin": "B08KWLZ3FJ", "instruction": "i want to buy 1 dagostino handmade pasta pack of 3 12oz old fashioned rotini from the pasta and noodles for dinner tonight.", "attributes": ["old fashioned", "natural ingredients"], "options": ["flavor name: rotini", "size: 12 ounce (pack of 3)"], "instruction_attributes": ["old fashioned"], "instruction_options": ["rotini", "12 ounce (pack of 3)"], "assignment_id": "3R2PKQ87N7I6FN5SSV9EK2GP79ZIM4", "worker_id": "A118RTS8BOFIH7"}, {"asin": "B08KWLZ3FJ", "instruction": "na", "attributes": ["old fashioned", "natural ingredients"], "options": ["flavor name: rotini", "size: 8 ounce (pack of 3)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4XRKGPO", "worker_id": "A1EI8Z972FIFJ3"}], "B0767DXJST": [{"asin": "B0767DXJST", "instruction": "toroton dummy security camera in red colour.", "attributes": ["batteries included", "easy install"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQT7XD5Z", "worker_id": "A2FQYXUQ7F8IKK"}], "B08WY87NG5": [{"asin": "B08WY87NG5", "instruction": "i want long curly synthetic hair wig 26\" colour darkest brown", "attributes": ["synthetic hair", "natural hair", "hair growth"], "options": ["color: 2 darkest brown"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["2 darkest brown"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UL1ZEM", "worker_id": "A3N9ZYQAESNFQH"}], "B07WWHQ5TV": [{"asin": "B07WWHQ5TV", "instruction": "i need white cheddar corn puffs from trader joe's,", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNN78HH", "worker_id": "A2RBF3IIJP15IH"}], "B002NEPRJA": [{"asin": "B002NEPRJA", "instruction": "i looking a hair growth treatment based on tea tree suitable with coconut oil", "attributes": ["tea tree", "coconut oil"], "options": [""], "instruction_attributes": ["tea tree", "coconut oil"], "instruction_options": [], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVKIJK3", "worker_id": "A3N9ZYQAESNFQH"}], "B08DHXZF2P": [{"asin": "B08DHXZF2P", "instruction": "im looking for a travel sized long lasting scent from tom ford. preferably from the jasmine musk impression line.", "attributes": ["travel size", "long lasting"], "options": ["scent: tom ford jasmine musk impression"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["tom ford jasmine musk impression"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VR3GF3", "worker_id": "A39PLWU3RFII1S"}], "B08DY392W9": [{"asin": "B08DY392W9", "instruction": "i'm looking for a t-rex birthday cake for a birthday party.", "attributes": ["birthday cake", "baby shower", "birthday party", "cupcake picks"], "options": [""], "instruction_attributes": ["birthday cake", "birthday party"], "instruction_options": [], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVF4KJG", "worker_id": "A2NAKIXS3DVGAA"}], "B07YN7MB5X": [{"asin": "B07YN7MB5X", "instruction": "open amazon and get labena eye patches to moisturize the dark circules in large size and blue color", "attributes": ["great gift", "gift basket"], "options": ["style: square"], "instruction_attributes": ["great gift"], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8NX5T7Y", "worker_id": "A2G9X9TG2XIUDO"}], "B09G1CYSWP": [{"asin": "B09G1CYSWP", "instruction": "i am looking for the king size laojee chunky knit throw blanket in red.", "attributes": ["queen size", "king size", "living room"], "options": ["color: black", "size: 40\"x60\" (100x150cm)"], "instruction_attributes": ["king size"], "instruction_options": ["black"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH1B1VP", "worker_id": "A26GGA2GMB4Z3A"}], "B09MJ7XSNB": [{"asin": "B09MJ7XSNB", "instruction": "i am looking island lights pendant light fixture colour black", "attributes": ["light fixture", "pendant light"], "options": ["color: black", "size: 3-light vanity light"], "instruction_attributes": ["light fixture", "pendant light"], "instruction_options": ["black"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQBLCJV", "worker_id": "A3N9ZYQAESNFQH"}], "B09Q8WCN78": [{"asin": "B09Q8WCN78", "instruction": "i'm looking for a soft and luxury cot", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: blue", "size: large"], "instruction_attributes": ["tummy control"], "instruction_options": ["blue"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFIN9ER", "worker_id": "A19Q021KR28CS8"}], "B01N52Z39P": [{"asin": "B01N52Z39P", "instruction": "i'm looking for a high speed and high definition laptop", "attributes": ["1080p hd", "high speed", "high definition"], "options": [""], "instruction_attributes": ["high speed", "high definition"], "instruction_options": [], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTM55EX", "worker_id": "A19Q021KR28CS8"}], "B07K75LPVL": [{"asin": "B07K75LPVL", "instruction": "i am looking for long-sleeved, polyester cotton, matching christmas dresses for my size 11-12 years daughter and i.", "attributes": ["long sleeve", "polyester cotton", "daily wear"], "options": ["color: black&gray", "size: 11-12 years"], "instruction_attributes": ["long sleeve", "polyester cotton"], "instruction_options": ["11-12 years"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VREYWE", "worker_id": "AKZ1KRMTFUPRB"}], "B01NBF0HI3": [{"asin": "B01NBF0HI3", "instruction": "i'm looking for a 2 pack speex dp to hdmi cable. also, choose the gold plated option.", "attributes": ["gold plated", "plug play", "output protection", "1080p hd", "usb port"], "options": ["size: 10ft\uff082-pack\uff09"], "instruction_attributes": ["gold plated"], "instruction_options": ["10ft\uff082-pack\uff09"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP6XZVDS", "worker_id": "A3HFKFJ5UDWAMC"}, {"asin": "B01NBF0HI3", "instruction": "i need a 10ft 4k hdmi cable that is 1080p hd and is gold plated.", "attributes": ["gold plated", "plug play", "output protection", "1080p hd", "usb port"], "options": ["size: 10ft 4k"], "instruction_attributes": ["gold plated", "1080p hd"], "instruction_options": ["10ft 4k"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3ENNQJ", "worker_id": "A1NF6PELRKACS9"}], "B09MKQM8S7": [{"asin": "B09MKQM8S7", "instruction": "i want to get a desktop tower with tempered glass. it also needs to be 8 gb ddr3 ram and 1 tb hdd.", "attributes": ["core i5", "quad core", "tempered glass"], "options": ["size: 8gb ddr3 ram, 1tb hdd"], "instruction_attributes": ["tempered glass"], "instruction_options": ["8gb ddr3 ram, 1tb hdd"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1070SILD", "worker_id": "A2YNPKYEFDZ6C9"}], "B004C0I8ZS": [{"asin": "B004C0I8ZS", "instruction": "i am looking for hair dye for permanent hair and choose 4 dark brown color in size 1 count pack of 3", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 4 dark brown", "size: 1 count (pack of 3)"], "instruction_attributes": ["permanent hair", "hair dye"], "instruction_options": ["4 dark brown", "1 count (pack of 3)"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMHJXEV", "worker_id": "A1WZKCP5TXFM9D"}], "B07MGXZRS3": [{"asin": "B07MGXZRS3", "instruction": "i'm looking for a rfiver swivel wood tv stand on wheels with a height adjustable for 32 65 inch flat screen tvs and shoud have a storage space with tempered glass style", "attributes": ["height adjustable", "heavy duty", "storage space"], "options": ["style: tempered glass"], "instruction_attributes": ["height adjustable", "storage space"], "instruction_options": ["tempered glass"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH15Z8HWD", "worker_id": "A19Q021KR28CS8"}], "B091D87QMM": [{"asin": "B091D87QMM", "instruction": "i'm looking for lead free luxury scented candle which last for 25+ hours, it should be in tin voyager.", "attributes": ["lead free", "soy wax"], "options": ["scent: voyager", "size: 25+ hour"], "instruction_attributes": ["lead free"], "instruction_options": ["voyager", "25+ hour"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1DGF6G", "worker_id": "A3AGXTSAHA2AFL"}], "B09S8SV4PM": [{"asin": "B09S8SV4PM", "instruction": "i looking open toe knee high pump colour shoud be black", "attributes": ["knee high", "open toe", "closed toe"], "options": ["color: sandals shoes a02- black", "size: 6.5"], "instruction_attributes": ["knee high", "open toe"], "instruction_options": ["sandals shoes a02- black"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OQUEY5", "worker_id": "A3N9ZYQAESNFQH"}], "B08FY3WDDJ": [{"asin": "B08FY3WDDJ", "instruction": "i want to purchase synthetic hair topper that are 18 inch long and have 4 clips of dark blonde hair with bangs.", "attributes": ["synthetic hair", "hair loss"], "options": ["color: 4 clips-dark blonde w | bangs", "size: 18 inch"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["4 clips-dark blonde w | bangs", "18 inch"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IHYTLV", "worker_id": "A25AYMSZNDW1VJ"}, {"asin": "B08FY3WDDJ", "instruction": "i'm looking for synthetic hair care for hair loss .", "attributes": ["synthetic hair", "hair loss"], "options": ["color: 3 clips-jet black", "size: 6 inch"], "instruction_attributes": ["synthetic hair", "hair loss"], "instruction_options": [], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3I1AYP", "worker_id": "A16IQOX0DK14OJ"}], "B07TYJ6RK6": [{"asin": "B07TYJ6RK6", "instruction": "please, look for a couple table lamps for my living room, elegant and finished in wood. also look if a black hardback shade model is available.", "attributes": ["wood finish", "living room"], "options": ["color: black hardback shade"], "instruction_attributes": ["wood finish", "living room"], "instruction_options": ["black hardback shade"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYTI4JE", "worker_id": "ABVP1XX3ZOMKL"}], "B09NN9FK8H": [{"asin": "B09NN9FK8H", "instruction": "i want a cordless noise-cancelling phone system with volume control and dual keypad. pick the black one.", "attributes": ["noise cancelling", "hands free"], "options": ["color: black", "pattern name: phone system + accessory", "size: 3 handsets", "style: dual keypad"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black", "dual keypad"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWP6C12", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09NN9FK8H", "instruction": "i want to get a computer headset with noise cancelling and hands free accessibility. get the silver one.", "attributes": ["noise cancelling", "hands free"], "options": ["color: silver", "pattern name: phone system + accessory", "size: 3 handsets", "style: dual keypad + link2cell+ hd voice"], "instruction_attributes": ["noise cancelling", "hands free"], "instruction_options": ["silver"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IMQLTP", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B09NN9FK8H", "instruction": "i am looking for a black | silver color noise cancelling audio & video accessories.", "attributes": ["noise cancelling", "hands free"], "options": ["color: black | silver", "pattern name: phone system + phone system", "size: 4 handsets", "style: dual keypad + link2cell"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black | silver"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME94O2DJ", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09NN9FK8H", "instruction": "i would like some black phone system and a size 4 handset with a dual keypad for my computer. it also needs to be noise cancelling.", "attributes": ["noise cancelling", "hands free"], "options": ["color: black | silver", "pattern name: phone system + accessory", "size: 4 handsets", "style: dual keypad + link2cell"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black | silver", "phone system + accessory", "4 handsets", "dual keypad + link2cell"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCD3H7P", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09NN9FK8H", "instruction": "i would like to find noise cancelling headphones, preferably bluetooth. find a silver pair, please.", "attributes": ["noise cancelling", "hands free"], "options": ["color: silver", "pattern name: phone system + accessory", "size: 3 handsets", "style: dual keypad + link2cell+ hd voice"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["silver"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFKE9VZ", "worker_id": "A2TRV8SEM003GG"}], "B096NJBMNT": [{"asin": "B096NJBMNT", "instruction": "for my daily wear .i am looking for a daily casual and long sleeve woman shirt in brown color with small size.", "attributes": ["daily casual", "loose fit", "machine wash", "long sleeve", "stretch fabric", "unique design", "relaxed fit", "polyester spandex", "daily wear", "everyday wear", "tumble dry"], "options": ["color: brown", "size: small"], "instruction_attributes": ["daily casual", "long sleeve", "daily wear"], "instruction_options": ["brown", "small"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVE4Q0P", "worker_id": "A3R8PQCD99H61E"}], "B07424S7NM": [{"asin": "B07424S7NM", "instruction": "i\u2019m looking for a men\u2019s mesh long sleeve shirt in medium. i prefer white as the color and it must be machine washable.", "attributes": ["hand wash", "machine wash", "nylon spandex"], "options": ["color: white", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["white", "medium"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86YH81O", "worker_id": "A3MV3PT4TOO69P"}], "B00VGE809C": [{"asin": "B00VGE809C", "instruction": "i'm looking for a hair treatment product that will repair my damaged hair.", "attributes": ["hair treatment", "damaged hair"], "options": [""], "instruction_attributes": ["hair treatment", "damaged hair"], "instruction_options": [], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHT2BLNR", "worker_id": "A3EDFA8UQT5GG8"}], "B07M5RPW13": [{"asin": "B07M5RPW13", "instruction": "i would like to buy size 7.5 walking shoes for men which are machine washable and have a rubber sole, as for the color i prefer to have them khaki.", "attributes": ["machine washable", "rubber sole"], "options": ["color: khaki", "size: 7.5"], "instruction_attributes": ["machine washable", "rubber sole"], "instruction_options": ["khaki", "7.5"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R10ZI2M", "worker_id": "AJY5G987IRT25"}], "B07Z44WYGC": [{"asin": "B07Z44WYGC", "instruction": "i'm looking for a salted caramel syrup to mix with water. i want it to have natural flavors and i want an item over 20 oz.", "attributes": ["gmo free", "natural flavors", "artificial colors"], "options": ["flavor name: maple", "size: 25.4 fl oz. (pack of 4)"], "instruction_attributes": ["natural flavors"], "instruction_options": ["25.4 fl oz. (pack of 4)"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163OQQPA", "worker_id": "A411ZZABHZUNA"}, {"asin": "B07Z44WYGC", "instruction": "i need a pack of gmo free caramel syrup in cane sugar flavor", "attributes": ["gmo free", "natural flavors", "artificial colors"], "options": ["flavor name: cane sugar", "size: 25.4 fl oz (pack of 1)"], "instruction_attributes": ["gmo free"], "instruction_options": ["cane sugar", "25.4 fl oz (pack of 1)"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINU972L", "worker_id": "A2COCSUGZV28X"}], "B073Q7RGCS": [{"asin": "B073Q7RGCS", "instruction": "i'm looking for an easy to install bronze shower curtain rod.", "attributes": ["easy install", "white finish"], "options": ["color: bronze", "size: 24-36\"", "style: dots"], "instruction_attributes": ["easy install"], "instruction_options": ["bronze"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXZJCFX", "worker_id": "A3AJJHOAV7WIUQ"}, {"asin": "B073Q7RGCS", "instruction": "i want an easy to install amazon basics tension curtain rod made from nickel.", "attributes": ["easy install", "white finish"], "options": ["color: nickel", "size: 24-36\"", "style: tiers"], "instruction_attributes": ["easy install"], "instruction_options": ["nickel"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MJQ7RBQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B073Q7RGCS", "instruction": "i am looking for shower curtain rods that are nickel.", "attributes": ["easy install", "white finish"], "options": ["color: nickel", "size: 42-72\"", "style: tiers"], "instruction_attributes": ["white finish"], "instruction_options": ["nickel"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEG9Q8D", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B073Q7RGCS", "instruction": "i am looking for a black curtain rod that is 54\"-90\" in size and easy to install.", "attributes": ["easy install", "white finish"], "options": ["color: black", "size: 54-90\"", "style: rings"], "instruction_attributes": ["easy install"], "instruction_options": ["black", "54-90\""], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZMSK99", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B073Q7RGCS", "instruction": "i want an easy to install curtain rod with a white finish. make it 36-62\" in size.", "attributes": ["easy install", "white finish"], "options": ["color: bronze", "size: 36-62\"", "style: dots"], "instruction_attributes": ["easy install", "white finish"], "instruction_options": ["36-62\""], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCOB9BY", "worker_id": "A1NF6PELRKACS9"}], "B096G78S2Y": [{"asin": "B096G78S2Y", "instruction": "i'm looking for a product compatible with apple watch se series 6 5 4 3 2 1 40mm 44mm 42mm 38mm leopard/floral hard with tempered glass screen protector cover resistant. also, choose the flowered color", "attributes": ["compatible apple", "glass screen", "tempered glass"], "options": ["color: flower", "size: 44mm"], "instruction_attributes": ["compatible apple", "tempered glass"], "instruction_options": ["flower"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZMESHB", "worker_id": "A4AYXBQNKPA6I"}], "B07YDWSKJK": [{"asin": "B07YDWSKJK", "instruction": "i'm looking for a black color hair dye that is a pack of 3.5 ounce which is easy to use/apply.", "attributes": ["easy apply", "easy use", "seed oil", "hair dye", "permanent hair"], "options": ["color: 10 black", "size: 3.5 ounce (pack of 1)"], "instruction_attributes": ["easy apply", "easy use", "hair dye"], "instruction_options": ["10 black", "3.5 ounce (pack of 1)"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7R7P5Y", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B07YDWSKJK", "instruction": "i would like three light golden blonde boxes of hair dye.", "attributes": ["easy apply", "easy use", "seed oil", "hair dye", "permanent hair"], "options": ["color: 93 light golden blonde", "size: 1 count (pack of 3)"], "instruction_attributes": ["hair dye"], "instruction_options": ["93 light golden blonde", "1 count (pack of 3)"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODOUWE0", "worker_id": "A1WS884SI0SLO4"}], "B07D33WVG4": [{"asin": "B07D33WVG4", "instruction": "i'm looking for a flannel fleece blanket for a bed that is super soft and also light purple.", "attributes": ["super soft", "living room"], "options": ["color: light purple", "size: 40x50 inch"], "instruction_attributes": ["super soft"], "instruction_options": ["light purple"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OMVOPL", "worker_id": "A34EHWOYRBL6OZ"}], "B09NMVT3VD": [{"asin": "B09NMVT3VD", "instruction": "i am looking a easy assemble space saving ottomas having storage space for living room brown color size - 60x36x36cm(24x14x14inch)", "attributes": ["space saving", "easy assemble", "storage space", "living room"], "options": ["color: brown", "size: 60x36x36cm(24x14x14inch)"], "instruction_attributes": ["space saving", "easy assemble", "storage space", "living room"], "instruction_options": ["brown"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIS39TA", "worker_id": "A3N9ZYQAESNFQH"}], "B07D6G7P76": [{"asin": "B07D6G7P76", "instruction": "i am looking for a food and beverage gift basket having item low carbo high protine grain free", "attributes": ["hand crafted", "grain free", "high protein", "low carb", "artificial colors", "gift basket", "perfect gift"], "options": [""], "instruction_attributes": ["grain free", "high protein", "low carb", "gift basket"], "instruction_options": [], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3IILZB", "worker_id": "A3N9ZYQAESNFQH"}], "B07R4T3ZWN": [{"asin": "B07R4T3ZWN", "instruction": "i am looking for a busy raising ballers softball tank top for mom that is 100% cotton heather that can be washed in a washing machine.should be large in size and dark in colour.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: women", "size: large"], "instruction_attributes": ["machine wash", "cotton heather"], "instruction_options": ["dark heather", "large"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTLM4ET", "worker_id": "AHU9OLV0YKIIW"}], "B078NGY37Y": [{"asin": "B078NGY37Y", "instruction": "i need a king size box spring mattress with an 8\" split foundation with a frame", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": ["size: king size", "style: 8\" split foundation with frame"], "instruction_attributes": ["box spring"], "instruction_options": ["king size", "8\" split foundation with frame"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JX7MG79", "worker_id": "A6717SDXOR1OP"}], "B00GUY6GH6": [{"asin": "B00GUY6GH6", "instruction": "i need you to find some handcrafted driving mocs that are comfortable for every day wear. i need size 8", "attributes": ["rubber outsole", "everyday wear"], "options": ["color: copper", "size: 8", "special size: 11-d"], "instruction_attributes": ["everyday wear"], "instruction_options": ["8"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYHF9QZ", "worker_id": "A8C51OIOH1EUG"}], "B003VTHY74": [{"asin": "B003VTHY74", "instruction": "i am looking a box of non dairy coffee creamer singles. go ahead and get a 50 count box of vanilla.", "attributes": ["non dairy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: vanilla", "size: box of 50 singles"], "instruction_attributes": ["non dairy"], "instruction_options": ["vanilla", "box of 50 singles"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB0IU6H", "worker_id": "A31PW970Z2PC5P"}, {"asin": "B003VTHY74", "instruction": "i looking cafe mocha flavor non dairy gluten free lactose free coffee creamer box of 180 singles", "attributes": ["non dairy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: cafe mocha", "size: box of 180 singles"], "instruction_attributes": ["non dairy", "lactose free", "gluten free"], "instruction_options": ["cafe mocha"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8W5G8J", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B003VTHY74", "instruction": "i need a box of 360 singles vanilla caramel nestle coffee and shelf stable.", "attributes": ["non dairy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: vanilla caramel", "size: box of 360 singles"], "instruction_attributes": ["shelf stable"], "instruction_options": ["vanilla caramel", "box of 360 singles"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C492I03", "worker_id": "A1Q0EUNCS50S8M"}], "B08NC68N41": [{"asin": "B08NC68N41", "instruction": "i'm looking for 45mm stainless steel galaxy watch 3. also the mystic bronze color is preferable.", "attributes": ["quick release", "easy install", "stainless steel", "glass screen", "tempered glass"], "options": ["color: mystic bronze", "size: 45mm | 46mm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["mystic bronze", "45mm | 46mm"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK61MYYP", "worker_id": "ARQ05PDNXPFDI"}], "B08MBM3RNB": [{"asin": "B08MBM3RNB", "instruction": "i want a blue 100 cm x 70 cm ready to hang print to hang on my living room wall.", "attributes": ["ready hang", "wood frame", "living room"], "options": ["color: blue1-10", "size: 40 in x 28 in (100 cm x 70 cm)"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["blue1-10"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39SUIGMH", "worker_id": "AVNP1F3CADQRW"}], "B09C8VJ55X": [{"asin": "B09C8VJ55X", "instruction": "i would like to buy a 12-pack of low sugar oatmeal cups that are high in protein.", "attributes": ["high protein", "plant based", "gluten free", "low calorie", "low carb", "non gmo", "low sugar", "low fat", "ready eat", "dairy free"], "options": ["flavor name: lemon ginger pepita", "size: 12-pack"], "instruction_attributes": ["high protein", "low sugar"], "instruction_options": ["12-pack"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUATC35", "worker_id": "AV4584AQEQAEN"}], "B09HC1X1N2": [{"asin": "B09HC1X1N2", "instruction": "i am looking for a hidden camera for surveillance. i want something hd with at least 1080p", "attributes": ["1080p hd", "easy install", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": [], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VFG600", "worker_id": "A32JEH06T23HDF"}], "B07CHVLRLZ": [{"asin": "B07CHVLRLZ", "instruction": "i am looking for best toothpaste for my sensitive teeth", "attributes": ["fluoride free", "sensitive teeth"], "options": ["flavor name: natural chocolate"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["natural chocolate"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8N0M2NH", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B07CHVLRLZ", "instruction": "i am looking for a fluoride free toothpaste for sensitive teeth of natural mixed berry flavour.", "attributes": ["fluoride free", "sensitive teeth"], "options": ["flavor name: natural mixed berry"], "instruction_attributes": ["fluoride free", "sensitive teeth"], "instruction_options": ["natural mixed berry"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLU3TFZ", "worker_id": "A9QRQL9CFJBI7"}], "B07Z9MSKY2": [{"asin": "B07Z9MSKY2", "instruction": "i am looking for a portable surge protector power strip that is easy to carry. the surge protector should have a usb port with fast charge capability.", "attributes": ["fast charging", "easy carry", "usb port"], "options": [""], "instruction_attributes": ["easy carry", "usb port"], "instruction_options": [], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6B3B2W", "worker_id": "AJDQGOTMB2D80"}], "B07R63J13M": [{"asin": "B07R63J13M", "instruction": "i am looking to purchase a short sleeved, button down shirt for my husband. i need something in size 3x, perhaps in black.", "attributes": ["long lasting", "day comfort", "regular fit", "short sleeve", "quality materials", "button closure"], "options": ["color: black", "size: 3x"], "instruction_attributes": ["day comfort", "regular fit", "short sleeve", "button closure"], "instruction_options": ["black", "3x"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2VZ22U2", "worker_id": "A1TDRS435B884O"}], "B09RV2KXB4": [{"asin": "B09RV2KXB4", "instruction": "i want to buy long sleeve daily wear clothing of 95% cotton, 5% polyester particularly in black color.", "attributes": ["winter warm", "loose fit", "long sleeve", "elastic closure", "daily wear"], "options": ["color: black_c008", "size: xx-large"], "instruction_attributes": ["long sleeve", "daily wear"], "instruction_options": ["black_c008", "xx-large"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017VD4P9", "worker_id": "A2DQZHJHF45NDT"}], "B08QDSM2SM": [{"asin": "B08QDSM2SM", "instruction": "i am looking for a dust proof speaker system for my motorcycle with high power.", "attributes": ["dust proof", "high power"], "options": [""], "instruction_attributes": ["dust proof", "high power"], "instruction_options": [], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4P4H0C", "worker_id": "A182YKPS46KE9F"}], "B091D6252Y": [{"asin": "B091D6252Y", "instruction": "i'm searching for oil hair growth. i would like one with black rice and peppermint.", "attributes": ["hair growth", "natural hair"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "34J10VATJQ8X023KKOGV1B0UH8LQIK", "worker_id": "A35TUIBF05DKM4"}], "B08J2MWLR3": [{"asin": "B08J2MWLR3", "instruction": "i'm looking for a black color super soft bedroom rug size 8 feet x 10 feet rectangular in shape and it should be anti-slip.", "attributes": ["super soft", "living room"], "options": ["color: white", "size: 8 feet x 10 feet"], "instruction_attributes": ["super soft"], "instruction_options": [], "assignment_id": "33F859I56HNA01QBVO1K6A4GVTPHBM", "worker_id": "A2BEEFRJ9U6Y5U"}], "B01LZSM2RW": [{"asin": "B01LZSM2RW", "instruction": "i'm choosing the kamik women's momentum with their snow boot which include faux fur attribute. also, the color charcoal ii and the size 6.5 wide.", "attributes": ["moisture wicking", "faux fur"], "options": ["color: charcoal ii", "size: 6.5 wide"], "instruction_attributes": ["faux fur"], "instruction_options": ["charcoal ii", "6.5 wide"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J4ISFO", "worker_id": "A59DVED5S9N9Y"}], "B0921FPJND": [{"asin": "B0921FPJND", "instruction": "i'm looking for a two pack of 5 calorie, non-alcoholic margarita mix. i want 24.5 ounce bottles.", "attributes": ["non alcoholic", "low calorie", "real fruit"], "options": ["flavor: 5 calorie margarita"], "instruction_attributes": ["non alcoholic", "low calorie"], "instruction_options": ["5 calorie margarita"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R0LYTJ", "worker_id": "A3OLRWACCCCUTU"}], "B01N1K5RCF": [{"asin": "B01N1K5RCF", "instruction": "i need an eli mason old fashioned cocktail mixer of 20 fl oz in size", "attributes": ["old fashioned", "natural ingredients"], "options": ["flavor: variety mint julep & peach", "size: 20 fl oz (pack of 2)"], "instruction_attributes": ["old fashioned"], "instruction_options": ["20 fl oz (pack of 2)"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IKC23K", "worker_id": "A1IL2K0ELYI090"}, {"asin": "B01N1K5RCF", "instruction": "i am looking to buy old fashioned and naturally-flavored bitters that come in a pack of two.", "attributes": ["old fashioned", "natural ingredients"], "options": ["flavor: grenadine", "size: 10 fl oz (pack of 2)"], "instruction_attributes": ["old fashioned", "natural ingredients"], "instruction_options": ["10 fl oz (pack of 2)"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3YE6NE", "worker_id": "A114NK7T5673GK"}], "B07XG695XV": [{"asin": "B07XG695XV", "instruction": "i am looking for mumumi foldable stool that can be carried for fishing travel, mountaineering camping adventure outing outdoor as well as indoor uses for domestic purpose. red color preferable", "attributes": ["dining room", "living room"], "options": ["color: red"], "instruction_attributes": ["dining room", "living room"], "instruction_options": ["red"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UH4ZEH", "worker_id": "A1DRKZ3SCLAS4V"}], "B09NMDB4D9": [{"asin": "B09NMDB4D9", "instruction": "i need a large size slimfit t shirt for men and blouse with short sleeve and crew neck for women for the occassion of valentine's day. color preferred is white.", "attributes": ["easy care", "slim fit", "hand wash", "short sleeve"], "options": ["color: 12 white", "size: large"], "instruction_attributes": ["slim fit", "short sleeve"], "instruction_options": ["12 white", "large"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9E411BF", "worker_id": "A1V2JTEEBCXR20"}], "B08MB5WC38": [{"asin": "B08MB5WC38", "instruction": "i want to buy a high definition projector that also has a version for a 5.7 inch phone.", "attributes": ["1080p hd", "high definition"], "options": ["size: 5.7 inches phone version (720p play mobi..."], "instruction_attributes": ["high definition"], "instruction_options": ["5.7 inches phone version (720p play mobi..."], "assignment_id": "37C0GNLMHQDNI94ED11M493QP0N6DJ", "worker_id": "A1PBRKFHSF1OF8"}], "B09D9DH7YM": [{"asin": "B09D9DH7YM", "instruction": "i want buy a leakage proof travel size bag case size -30 ml, 50 ml, 100 ml", "attributes": ["leak proof", "travel size"], "options": ["item package quantity: 27", "size: 30 ml, 50 ml, 100 ml"], "instruction_attributes": ["leak proof", "travel size"], "instruction_options": [], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ72UWJ", "worker_id": "A3N9ZYQAESNFQH"}], "B07BGFTQ4Z": [{"asin": "B07BGFTQ4Z", "instruction": "i'm looking for an apple macbook that has an i5 processor and an ssd of at least 128gb, renewed looks nice too.", "attributes": ["certified refurbished", "high performance", "core i5", "intel core"], "options": [""], "instruction_attributes": ["certified refurbished", "core i5"], "instruction_options": [], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK34NN6G", "worker_id": "A18V8FRN40LJ4J"}], "B09JSQ3FBZ": [{"asin": "B09JSQ3FBZ", "instruction": "i'm looking for a halloweenboo and a x small long sleeve and should be for a daily wear and comfortable", "attributes": ["machine wash", "long sleeve", "button closure", "daily wear"], "options": ["color: halloweenboo", "size: x-small"], "instruction_attributes": ["long sleeve", "daily wear"], "instruction_options": ["halloweenboo", "x-small"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVKWJKH", "worker_id": "A19Q021KR28CS8"}], "B0015KBM0Q": [{"asin": "B0015KBM0Q", "instruction": "i want to find a long lasting perfume for women. if possible, can you get something that is 2 ounces?", "attributes": ["design house", "long lasting"], "options": ["size: 2 fl oz"], "instruction_attributes": ["long lasting"], "instruction_options": ["2 fl oz"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40NORC1", "worker_id": "A34QZDSTKZ3JO9"}], "B09LVG9WWJ": [{"asin": "B09LVG9WWJ", "instruction": "i'm looking for a front and rear dual 1080p dash cam with night vision and motion detection that is easy to install.", "attributes": ["easy install", "motion detection"], "options": [""], "instruction_attributes": ["easy install", "motion detection"], "instruction_options": [], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJLTGVT", "worker_id": "A1EREKSZAA9V7B"}], "B085M7NQM4": [{"asin": "B085M7NQM4", "instruction": "i'd like to get some sugar free cake toppers, preferably ones that are a mutin color.", "attributes": ["sugar free", "birthday cake"], "options": ["color: mutin"], "instruction_attributes": ["sugar free"], "instruction_options": ["mutin"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUC2S4P", "worker_id": "A1SX8IVV82M0LW"}], "B095Z5V1HT": [{"asin": "B095Z5V1HT", "instruction": "i'm looking for a sugarolly - big flavored cotton candy sized box (15) for a birthday party", "attributes": ["individually wrapped", "birthday party"], "options": ["flavor name: sugarolly - big", "size: box (15)"], "instruction_attributes": ["birthday party"], "instruction_options": ["sugarolly - big", "box (15)"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AC9UYJ", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B095Z5V1HT", "instruction": "i would like a lemon cube sugarolloy candy for a birthday party.", "attributes": ["individually wrapped", "birthday party"], "options": ["flavor name: sugarolly cup - lemon", "size: cube (7)"], "instruction_attributes": ["birthday party"], "instruction_options": ["sugarolly cup - lemon", "cube (7)"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V18FGR", "worker_id": "A1WS884SI0SLO4"}], "B08D3VKKCB": [{"asin": "B08D3VKKCB", "instruction": "i am looking to purchase bpa free containers with lids to use for storing beauty products and kitchen items. a 24 pack would suffice.", "attributes": ["leak proof", "bpa free"], "options": ["item package quantity: 24"], "instruction_attributes": ["bpa free"], "instruction_options": ["24"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PDYQER", "worker_id": "A3T9WZOUQGE2UW"}], "B07MDV3XQJ": [{"asin": "B07MDV3XQJ", "instruction": "i'm looking for organic gluten free fruit and vegetable sticks that are made of real fruit. i would like the variety flavor.", "attributes": ["gmo free", "gluten free", "real fruit", "artificial colors", "high fructose"], "options": ["flavor name: variety (mango & apple)", "size: adult 1 ounce (value pack) - 1 box of 16..."], "instruction_attributes": ["gluten free", "real fruit"], "instruction_options": ["variety (mango & apple)"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4S3YXO", "worker_id": "A1PHWAX1BY6C3A"}, {"asin": "B07MDV3XQJ", "instruction": "i would like a variety box of 0,6 ounce packs of fruit snacks made with real fruit.", "attributes": ["gmo free", "gluten free", "real fruit", "artificial colors", "high fructose"], "options": ["flavor name: variety (4 flavors)", "size: kid\u2019s 0.6 ounce (value pack) - 6 boxes o..."], "instruction_attributes": ["artificial colors"], "instruction_options": ["variety (4 flavors)", "kid\u2019s 0.6 ounce (value pack) - 6 boxes o..."], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AJMOE1", "worker_id": "A1WS884SI0SLO4"}], "B08HLPQ8YB": [{"asin": "B08HLPQ8YB", "instruction": "find an light brown organic hair dye that is also usda certified organic and is also cruelty free.", "attributes": ["certified organic", "cruelty free", "hair dye"], "options": ["color: organic dark brown", "size: 3.5 ounce (pack of 1)"], "instruction_attributes": ["certified organic", "cruelty free", "hair dye"], "instruction_options": [], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTPCE41", "worker_id": "A1UQ4MC5J2WIY8"}], "B07VPD4BB8": [{"asin": "B07VPD4BB8", "instruction": "i'm looking for a security home camera to see the motion detection at 5 pm", "attributes": ["high definition", "1080p hd", "motion detection"], "options": ["style: 5mp"], "instruction_attributes": ["motion detection"], "instruction_options": ["5mp"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7STRUJ", "worker_id": "A19Q021KR28CS8"}], "B00RKNNGUQ": [{"asin": "B00RKNNGUQ", "instruction": "i'm looking for a canon power shot sx610 hs with optical zoom and black colour", "attributes": ["1080p hd", "optical zoom"], "options": ["color: black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["black"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI0E3T8", "worker_id": "A19Q021KR28CS8"}], "B0007SMLUM": [{"asin": "B0007SMLUM", "instruction": "please select a 1 pound, certified organic sea salt shaker in the flavor triple blend flakes.", "attributes": ["certified organic", "dietary fiber"], "options": ["flavor: triple blend flakes", "size: 1 pound (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["triple blend flakes", "1 pound (pack of 1)"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VR5GF5", "worker_id": "A9HQ3E0F2AGVO"}], "B08SSG514G": [{"asin": "B08SSG514G", "instruction": "i am looking for samsung galaxy tab s7 with the features like 12.4-inch in size, mystic navy color, 128gb wi-fi bluetooth s pen fast-charging usb-c port, android tablet", "attributes": ["fast charging", "usb port"], "options": ["color: bronze", "size: 512gb", "style: s7 tablet + keyboard"], "instruction_attributes": ["fast charging", "usb port"], "instruction_options": ["s7 tablet + keyboard"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KN0J9X", "worker_id": "A2HV9CYJH2IQYE"}, {"asin": "B08SSG514G", "instruction": "i want a 512gb samsung galaxy tab s7 with usb port.", "attributes": ["fast charging", "usb port"], "options": ["color: mystic navy", "size: 512gb", "style: s7+ tablet"], "instruction_attributes": ["usb port"], "instruction_options": ["512gb"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7TSUCM", "worker_id": "A2RBF3IIJP15IH"}], "B08FKXJ8N3": [{"asin": "B08FKXJ8N3", "instruction": "i'm looking for a slip resistant sneaker suitable for working in a kitchen, and i want it with a rubber sole, and in size 12.", "attributes": ["slip resistant", "rubber outsole", "rubber sole"], "options": ["size: 12 wide"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["12 wide"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGY51IE4", "worker_id": "A35BY30TC8WCL4"}], "B08DBGLFZC": [{"asin": "B08DBGLFZC", "instruction": "please find a dell inspiron i3880 desktop pc with 1t hardrive in black. an i5 10th generation intel processor is preferred.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLAY08RD", "worker_id": "A1ZAK79QAHNW2J"}], "B09M9JM4DY": [{"asin": "B09M9JM4DY", "instruction": "i want a 15 cupcake toppers for a birthday and to be decorated with rose and gold", "attributes": ["cupcake picks", "baby shower"], "options": ["color: rose gold 100th"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["rose gold 100th"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6C93V0E", "worker_id": "A19Q021KR28CS8"}], "B09NDFLVKC": [{"asin": "B09NDFLVKC", "instruction": "i'm looking for water resistant telescope for bird watching.", "attributes": ["easy use", "dust proof", "water resistant", "high power", "high resolution", "hands free", "easy carry", "aluminum alloy", "bird watching"], "options": [""], "instruction_attributes": ["water resistant", "bird watching"], "instruction_options": [], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZLV056", "worker_id": "A62B826XMLK7K"}], "B00C2LBGI0": [{"asin": "B00C2LBGI0", "instruction": "i'm looking for an xx-large plus elastic closure pants for women. the color can be steel.", "attributes": ["machine wash", "stretch fabric", "elastic closure", "polyester spandex"], "options": ["color: steel", "size: xx-large plus"], "instruction_attributes": ["elastic closure"], "instruction_options": ["steel", "xx-large plus"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUMRJQ4", "worker_id": "AOBO2UBJ4M7ET"}], "B09N1HSDV2": [{"asin": "B09N1HSDV2", "instruction": "i'm looking for a large t-shirt style dress with long sleeves. i'd like one that is loose fitting and gold in color.", "attributes": ["loose fit", "daily casual", "short sleeve", "long sleeve", "faux fur", "everyday wear"], "options": ["color: gold", "size: large"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["gold", "large"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WI4WQG", "worker_id": "ATR6RB1RULOC0"}], "B017NWL3I0": [{"asin": "B017NWL3I0", "instruction": "can you get a squeeze snack that is gluten free and non gmo, blackberry bliss.", "attributes": ["usda organic", "non gmo", "gluten free", "dietary fiber", "quality ingredients"], "options": ["flavor name: blackberry bliss", "size: 3.49 ounce (pack of 16)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["blackberry bliss"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQ6TKVR", "worker_id": "ARLGZWN6W91WD"}], "B07MQT5S5D": [{"asin": "B07MQT5S5D", "instruction": "i'm looking for ready to hang wall art with dimension 12*12 inches 3 pcs for living room. also look for red rose one.", "attributes": ["ready hang", "dining room", "living room"], "options": ["color: red rose", "size: 12x12inches*3pcs"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["red rose", "12x12inches*3pcs"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KPL7ET", "worker_id": "AR0VJ5XRG16UJ"}], "B08QGP2NWQ": [{"asin": "B08QGP2NWQ", "instruction": "i am looking for quick release black color tripods", "attributes": ["quick release", "aluminum alloy"], "options": ["color: black"], "instruction_attributes": ["quick release"], "instruction_options": ["black"], "assignment_id": "3URFVVM16GSBNLZB11OMB709HSXUZ3", "worker_id": "A16M39T60N60NO"}], "B07XVRZR4P": [{"asin": "B07XVRZR4P", "instruction": "i am looking for odelia vintage bohemian area living room and dining room in navy sky blue", "attributes": ["easy clean", "dining room", "living room"], "options": ["color: navy | sky blue", "size: 3' x 5' oval"], "instruction_attributes": ["dining room", "living room"], "instruction_options": ["navy | sky blue"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYE2MHC3", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B07XVRZR4P", "instruction": "get me a nine by twelve and a half foot easy clean rug for my dining room. look for the garnet color.", "attributes": ["easy clean", "dining room", "living room"], "options": ["color: garnet | navy", "size: 9' x 12'6\""], "instruction_attributes": ["easy clean", "dining room"], "instruction_options": ["garnet | navy", "9' x 12'6\""], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSI52QE", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07XVRZR4P", "instruction": "i am looking for a sky blue easy to clean vintage area rug.", "attributes": ["easy clean", "dining room", "living room"], "options": ["color: navy | sky blue", "size: 6'7\" square"], "instruction_attributes": ["easy clean"], "instruction_options": ["navy | sky blue"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA70XHMV", "worker_id": "A1EREKSZAA9V7B"}], "B0738H72SJ": [{"asin": "B0738H72SJ", "instruction": "i'm looking for refillable purple spray bottles with fine mist settings.", "attributes": ["bpa free", "fine mist"], "options": ["color: purple with white cap", "size: 12 bottles (4 ounce)"], "instruction_attributes": ["fine mist"], "instruction_options": ["purple with white cap"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZRVGJR3", "worker_id": "A19317A3X87NVM"}, {"asin": "B0738H72SJ", "instruction": "i would like a bpa free green bag", "attributes": ["bpa free", "fine mist"], "options": ["color: green with black cap", "size: 6 bottles (4 ounce)"], "instruction_attributes": ["bpa free"], "instruction_options": ["green with black cap"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6MS2BY", "worker_id": "A2ECRNQ3X5LEXD"}], "B0746SNMQD": [{"asin": "B0746SNMQD", "instruction": "i want unscented sunscreen lotion for dry skin.", "attributes": ["natural ingredients", "coconut oil", "dry skin"], "options": ["scent: unscented sunscreen"], "instruction_attributes": ["dry skin"], "instruction_options": ["unscented sunscreen"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6H0FS3Q", "worker_id": "A2RBF3IIJP15IH"}], "B08KWLTT6P": [{"asin": "B08KWLTT6P", "instruction": "i am looking for natural ingredients handmade pasta linguine of size : 1 pound (pack of 5)", "attributes": ["old fashioned", "natural ingredients"], "options": ["flavor name: rotini", "size: 1 pound (pack of 5)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["1 pound (pack of 5)"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKDRH7HM", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B08KWLTT6P", "instruction": "i want old fashioned dagostino alligator cut pasta.", "attributes": ["old fashioned", "natural ingredients"], "options": ["flavor name: alligator cut", "size: 1 pound (pack of 3)"], "instruction_attributes": ["old fashioned"], "instruction_options": ["alligator cut"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA933EZ3C", "worker_id": "A2RBF3IIJP15IH"}], "B01N5QBRPK": [{"asin": "B01N5QBRPK", "instruction": "i am looking for living room in celosia orange", "attributes": ["nickel finish", "brushed nickel", "living room"], "options": ["color: celosia orange"], "instruction_attributes": ["living room"], "instruction_options": ["celosia orange"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23TB5TQH", "worker_id": "A2MSIFDLOHI1UT"}], "B06XTF4ZWS": [{"asin": "B06XTF4ZWS", "instruction": "find a chair for home office with memory foam seat", "attributes": ["height adjustable", "memory foam", "stainless steel"], "options": ["color: inviting graphite", "style: twill"], "instruction_attributes": ["memory foam"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN7LAG5I", "worker_id": "AVIEE6LDH0BT5"}], "B097F9L5TQ": [{"asin": "B097F9L5TQ", "instruction": "i am searching for black color cupcake toppers for the birthday party.", "attributes": ["birthday party", "cupcake picks"], "options": ["color: black"], "instruction_attributes": ["birthday party"], "instruction_options": ["black"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG2P4U9J", "worker_id": "A9ZM1P6LBW79"}], "B08937VJLZ": [{"asin": "B08937VJLZ", "instruction": "i need plastic hair masks for my hair salon", "attributes": ["hair salon", "hair cutting"], "options": [""], "instruction_attributes": ["hair salon"], "instruction_options": [], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLMMEEC4", "worker_id": "AVIEE6LDH0BT5"}], "B09P3F2FJC": [{"asin": "B09P3F2FJC", "instruction": "i want to buy mini projector which is high definition and is of q2 pink color", "attributes": ["1080p hd", "high definition"], "options": ["color: q2 pink"], "instruction_attributes": ["high definition"], "instruction_options": ["q2 pink"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY9S1XUB", "worker_id": "AJY5G987IRT25"}], "B08RG81CT6": [{"asin": "B08RG81CT6", "instruction": "i want a coat rack with white finish", "attributes": ["white item", "white finish"], "options": ["color: black"], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "3IXEICO79DTUZY0BZR119DLCTAU6TY", "worker_id": "AVIEE6LDH0BT5"}], "B096FWZTSM": [{"asin": "B096FWZTSM", "instruction": "i would like a white mirror for hair cutting.", "attributes": ["high quality", "quality materials", "hair cutting"], "options": ["color: white(without led)"], "instruction_attributes": ["hair cutting"], "instruction_options": ["white(without led)"], "assignment_id": "3N8OEVH1F204BC17361WW31GF26OOI", "worker_id": "A1WS884SI0SLO4"}], "B09NC2ZXDT": [{"asin": "B09NC2ZXDT", "instruction": "i am looking for daily wear pink color lounge", "attributes": ["elastic closure", "daily wear"], "options": ["color: a24 pink", "size: 4x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["a24 pink"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRND9W37", "worker_id": "A16M39T60N60NO"}], "B08YN43PXK": [{"asin": "B08YN43PXK", "instruction": "i am looking for water resistant bone flower pants", "attributes": ["water resistant", "moisture wicking", "elastic waist", "high waist", "polyester spandex", "daily wear"], "options": ["color: bone flower style 5.1", "size: medium"], "instruction_attributes": ["water resistant"], "instruction_options": ["bone flower style 5.1"], "assignment_id": "326O153BMT8RVOXTJJKKGXV37MVED9", "worker_id": "A16M39T60N60NO"}], "B06Y96MXJV": [{"asin": "B06Y96MXJV", "instruction": "i am looking for gluten free foodie spices", "attributes": ["non gmo", "soy free", "sugar free", "dairy free", "gluten free"], "options": ["flavor: foodie gift", "size: 4 ounce (3 count)"], "instruction_attributes": ["gluten free"], "instruction_options": ["foodie gift"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU483H1YPK", "worker_id": "A16M39T60N60NO"}, {"asin": "B06Y96MXJV", "instruction": "i need gluten free vegetarian smoked peppered bacon - 4 ounce (pack of 2)", "attributes": ["non gmo", "soy free", "sugar free", "dairy free", "gluten free"], "options": ["flavor: vegetarian smoked", "size: 4 ounce (pack of 2)"], "instruction_attributes": ["gluten free"], "instruction_options": ["vegetarian smoked", "4 ounce (pack of 2)"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YXJNT4Z", "worker_id": "A258PTOZ3D2TQR"}], "B07WW8XWXC": [{"asin": "B07WW8XWXC", "instruction": "i am looking for 0.81 ounce (pack of 80) of gluten free chewy bar with flavored dark chocolate cherry cashew", "attributes": ["low sodium", "low sugar", "gluten free", "0g trans"], "options": ["flavor name: dark chocolate cherry cashew", "size: 0.81 ounce (pack of 80)"], "instruction_attributes": ["gluten free"], "instruction_options": ["dark chocolate cherry cashew", "0.81 ounce (pack of 80)"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4WE6YWH", "worker_id": "A258PTOZ3D2TQR"}], "B07Y2STMKS": [{"asin": "B07Y2STMKS", "instruction": "i am looking for dust proof pink color headphones", "attributes": ["dust proof", "compatible apple", "easy carry", "case cover", "wireless charging"], "options": ["color: a-light pink"], "instruction_attributes": ["dust proof"], "instruction_options": ["a-light pink"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36UDXUSY", "worker_id": "A16M39T60N60NO"}], "B06XHVZDKF": [{"asin": "B06XHVZDKF", "instruction": "i am looking for a eye mask sheet for dark circles. also choose 120 count size.", "attributes": ["dark circles", "fine lines"], "options": ["size: 120 count"], "instruction_attributes": ["dark circles"], "instruction_options": ["120 count"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U9XQ4CU", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B06XHVZDKF", "instruction": "i want to find a package of 10 eye masks that treat dark circles.", "attributes": ["dark circles", "fine lines"], "options": ["size: 10 pair (pack of 1)"], "instruction_attributes": ["dark circles"], "instruction_options": ["10 pair (pack of 1)"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7XJDSR", "worker_id": "A345TDMHP3DQ3G"}], "B01GS1QRQK": [{"asin": "B01GS1QRQK", "instruction": "i want a grey safavieh evoke rug for my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: grey | ivory", "item shape: square", "size: 6 ft 7 in x 9 ft"], "instruction_attributes": ["living room"], "instruction_options": ["grey | ivory"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7MNKREQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01GS1QRQK", "instruction": "i am interested in buying area rug for dining room which is in black or grey color, and is in shape of runner, while the size should be 4 ft x 6 ft", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: black | grey", "item shape: runner", "size: 4 ft x 6 ft"], "instruction_attributes": ["dining room"], "instruction_options": ["black | grey", "runner", "4 ft x 6 ft"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DW2P17L", "worker_id": "AJY5G987IRT25"}, {"asin": "B01GS1QRQK", "instruction": "i am looking for a square area rug that is grey and ivory and measures 2 feet by 2 inch by 17 feet.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: grey | ivory", "item shape: square", "size: 2 ft 2 in x 17 ft"], "instruction_attributes": ["living room"], "instruction_options": ["grey | ivory", "square", "2 ft 2 in x 17 ft"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2WZ35M", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01GS1QRQK", "instruction": "i am looking for a blue runner rug that is 8 x 10 ft and would work in either my living or dining room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: blue | ivory", "item shape: runner", "size: 8 ft x 10 ft"], "instruction_attributes": ["living room", "dining room"], "instruction_options": ["blue | ivory", "runner", "8 ft x 10 ft"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M493L8Y", "worker_id": "A114NK7T5673GK"}], "B09PSJ2X8W": [{"asin": "B09PSJ2X8W", "instruction": "i am seraching for energy drink with natural berry flavors which was low in calorie and sugar - 4 packet - drink mix", "attributes": ["gmo free", "low sugar", "low calorie", "natural flavors", "artificial flavors"], "options": ["flavor name: mixed berry", "size: 4 pack"], "instruction_attributes": ["low sugar", "low calorie", "natural flavors"], "instruction_options": ["mixed berry", "4 pack"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVG0WU7AE", "worker_id": "A3R8PQCD99H61E"}], "B07JFRBHB8": [{"asin": "B07JFRBHB8", "instruction": "i'm looking for a black hair styling product that is made from natural ingredients and easy to use.", "attributes": ["easy use", "natural ingredients", "hair dye", "hair styling", "natural hair"], "options": ["color: black"], "instruction_attributes": ["easy use", "natural ingredients", "hair styling"], "instruction_options": ["black"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX6AG4F3", "worker_id": "AFU00NU09CFXE"}], "B07GF22SG5": [{"asin": "B07GF22SG5", "instruction": "i am looking for grass fed and gluten free pure indian foods madras curry", "attributes": ["grass fed", "gluten free", "certified organic"], "options": [""], "instruction_attributes": ["grass fed", "gluten free"], "instruction_options": [], "assignment_id": "39LOEL67O3FC4VL5DRS8BED5565833", "worker_id": "AX2EWYWZM19AZ"}], "B0855C9FMW": [{"asin": "B0855C9FMW", "instruction": "easy application hair filling in black and brown color", "attributes": ["easy apply", "hair loss"], "options": ["color: black | dark brown"], "instruction_attributes": ["easy apply"], "instruction_options": ["black | dark brown"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OFAP7AZ9", "worker_id": "A3TTGSUBIK1YCL"}], "B0761VXK2D": [{"asin": "B0761VXK2D", "instruction": "i am interested in buying makeup brush which is of high quality and is rose gold.", "attributes": ["high quality", "rose gold"], "options": [""], "instruction_attributes": ["high quality", "rose gold"], "instruction_options": [], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI8D4SDO", "worker_id": "AJY5G987IRT25"}], "B075G2D96J": [{"asin": "B075G2D96J", "instruction": "i am looking for machine washable and with printing technology of ambesonne popstar party throw pillow cushion cover with size 20\"x20\"", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: salmon lilac and white", "size: 20\" x 20\""], "instruction_attributes": ["machine washable", "printing technology"], "instruction_options": ["20\" x 20\""], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN7LA5G7", "worker_id": "AX2EWYWZM19AZ"}], "B088F55SJJ": [{"asin": "B088F55SJJ", "instruction": "i am looking for a 9x6 ft universe background digital photography which is easy to carry.", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 9x6ft"], "instruction_attributes": ["easy carry", "digital photography"], "instruction_options": ["9x6ft"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366P74OP1", "worker_id": "AHU9OLV0YKIIW"}], "B07PSM5F54": [{"asin": "B07PSM5F54", "instruction": "i would like a button tufted ottoman.", "attributes": ["button tufted", "brushed nickel"], "options": [""], "instruction_attributes": ["button tufted"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8SM0KSS", "worker_id": "A1WS884SI0SLO4"}], "B07Q7PT467": [{"asin": "B07Q7PT467", "instruction": "i am looking for star wars navy color cute cartoon style graphic hoodie of unisex small size", "attributes": ["officially licensed", "machine wash", "classic fit", "star wars"], "options": ["color: navy", "size: unisex small"], "instruction_attributes": ["star wars"], "instruction_options": ["navy", "unisex small"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XQV9V62", "worker_id": "A258PTOZ3D2TQR"}], "B08GL6R84G": [{"asin": "B08GL6R84G", "instruction": "i am looking for a eco friendly floating shelves made up of solid wood. also choose bourbon color and 48\" l x 6\"d size.", "attributes": ["eco friendly", "solid wood"], "options": ["color: bourbon", "size: 48\"l x 6\"d"], "instruction_attributes": ["eco friendly", "solid wood"], "instruction_options": ["bourbon", "48\"l x 6\"d"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54PA1YE1", "worker_id": "A2HMEGTAFO0CS8"}], "B014JW58MY": [{"asin": "B014JW58MY", "instruction": "i am looking for baked fresh cookies", "attributes": ["baked fresh", "kosher certified", "great gift"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWQESXTI", "worker_id": "A16M39T60N60NO"}], "B085ZLFSYB": [{"asin": "B085ZLFSYB", "instruction": "i would like to buy a computer which is quad core", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ1CCRR5", "worker_id": "AJY5G987IRT25"}], "B07BQ36L48": [{"asin": "B07BQ36L48", "instruction": "i would like a six boxes of 20 individually wrapped caffeine free tea.", "attributes": ["caffeine free", "certified organic", "individually wrapped", "gluten free"], "options": ["size: 20 count (pack of 6)"], "instruction_attributes": ["caffeine free", "individually wrapped"], "instruction_options": ["20 count (pack of 6)"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRTMREUK", "worker_id": "A1WS884SI0SLO4"}], "B093LMVJCG": [{"asin": "B093LMVJCG", "instruction": "i'm looking for a wireless, hands free bluetooth speaker.", "attributes": ["hands free", "usb port"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASIAB2X5N", "worker_id": "A2JP9IKRHNLRPI"}], "B08659G11H": [{"asin": "B08659G11H", "instruction": "i am looking for gluten free, non gmo and dietary fiber organic green banana flour with size: 1 pound (pack of 2)", "attributes": ["gluten free", "certified organic", "low carb", "non gmo", "dietary fiber", "artificial colors"], "options": ["size: 1 pound (pack of 2)"], "instruction_attributes": ["gluten free", "non gmo", "dietary fiber"], "instruction_options": ["1 pound (pack of 2)"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD320YNO", "worker_id": "AX2EWYWZM19AZ"}], "B003VBA33E": [{"asin": "B003VBA33E", "instruction": "i'm looking for a gold plated coaxial cable. also, choose 3ft, white colored one.", "attributes": ["gold plated", "coaxial cable"], "options": ["color: white", "size: 3ft"], "instruction_attributes": ["gold plated", "coaxial cable"], "instruction_options": ["white", "3ft"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2P4Z99C", "worker_id": "AR0VJ5XRG16UJ"}], "B07XCJMSVS": [{"asin": "B07XCJMSVS", "instruction": "i'm looking for an extra large, navy blue women's cardigan with long sleeves.", "attributes": ["slim fit", "contrast color", "long sleeve"], "options": ["color: navy blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["navy blue", "x-large"], "assignment_id": "3AAJC4I4FR2295OHP2K845RY0CVZJ8", "worker_id": "A2JP9IKRHNLRPI"}], "B09GBMYCQ8": [{"asin": "B09GBMYCQ8", "instruction": "i am looking for quad core mxq pro 5g android 10.1 tv box ram 2gb rom 16gb h.265 hd 3d", "attributes": ["dual band", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43XARA1H", "worker_id": "AX2EWYWZM19AZ"}], "B00FGINOZ4": [{"asin": "B00FGINOZ4", "instruction": "i'm looking for an 8 ounce bag of chocolate covered sandwich cookies.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: halloween assortment | milk chocolate", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP93V6QK", "worker_id": "A19317A3X87NVM"}, {"asin": "B00FGINOZ4", "instruction": "i'm looking for cholate covered cookies for valentines day to gifted for my partner.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: my little pony licensed", "size: 15 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered", "valentine day"], "instruction_options": ["15 ounce (pack of 1)"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U83B4CQ", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00FGINOZ4", "instruction": "i am looking for an 8oz. philadelphia candies milk chocolate covered oreo cookies for a valentine's day gift.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: spongebob licensed", "size: 15 ounce (pack of 15)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "37UQDCYH685SGQI5NW68G99TKCWV7F", "worker_id": "ABYRAWL4BGD3C"}, {"asin": "B00FGINOZ4", "instruction": "i would like to find a valentines day gift with chocolate included. a pack sounds ideal", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: pink stork it's a girl gift", "size: 8 ounce (pack of 8)"], "instruction_attributes": ["chocolate covered", "valentine day", "perfect gift"], "instruction_options": ["8 ounce (pack of 8)"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPO2YS3", "worker_id": "A2TRV8SEM003GG"}, {"asin": "B00FGINOZ4", "instruction": "i would like a 8 ounce thanksgiving assortment that's a great gift.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: thanksgiving assortment | dark chocolate", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["perfect gift"], "instruction_options": ["thanksgiving assortment | dark chocolate", "8 ounce (pack of 1)"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFWF3EI", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00FGINOZ4", "instruction": "i want a 15 ounce sized chocolate covered cookies. it is for a valentine's day gift.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: christmas greeting assortment", "size: 15 ounce (pack of 15)"], "instruction_attributes": ["chocolate covered", "valentine day"], "instruction_options": ["15 ounce (pack of 15)"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67W077F2", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B00FGINOZ4", "instruction": "i'm looking for a perfect gift for valentines day that should be covered in chocolate. also, choose a pack of 1 weighing 8 ounce, easter cross with flower designed one.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: easter cross with flower", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered", "valentine day", "perfect gift"], "instruction_options": ["easter cross with flower", "8 ounce (pack of 1)"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNELLIX6", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00FGINOZ4", "instruction": "i'm looking for a perfect gift for valentine day that should be covered in chocolate. also, choose a pack of 1 weighing 1.87 pounds, easter faces assortment designed one.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: easter faces assortment", "size: 1.87 pound (pack of 1)"], "instruction_attributes": ["chocolate covered", "valentine day", "perfect gift"], "instruction_options": ["easter faces assortment", "1.87 pound (pack of 1)"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK97NVO", "worker_id": "AR0VJ5XRG16UJ"}], "B07DW7TM71": [{"asin": "B07DW7TM71", "instruction": "i am looking for ethylene vinyl dr.martens women's nartilla sandal of size:10", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: black", "size: 10"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["10"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3G2VFBI", "worker_id": "AX2EWYWZM19AZ"}], "B01MT0PETV": [{"asin": "B01MT0PETV", "instruction": "i want shade sails made with stainless steel", "attributes": ["high density", "stainless steel"], "options": ["color: blue white", "size: 16'5''x16'5''x16'5''"], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6P2FMMP", "worker_id": "AVIEE6LDH0BT5"}], "B09FQDJ3L7": [{"asin": "B09FQDJ3L7", "instruction": "i want a sunset solawave 4-in-1 facial wand and serum bundle for dark circles.", "attributes": ["anti aging", "clinically proven", "rose gold", "hyaluronic acid", "natural ingredients", "dark circles", "fine lines"], "options": ["color: sunset"], "instruction_attributes": ["dark circles"], "instruction_options": ["sunset"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3ITE6IH", "worker_id": "A2RBF3IIJP15IH"}], "B0953Q9DVP": [{"asin": "B0953Q9DVP", "instruction": "i would like a pink cake topper for a birthday party.", "attributes": ["birthday cake", "baby shower", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["birthday cake", "birthday party"], "instruction_options": ["pink"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT07EPNUF", "worker_id": "A1WS884SI0SLO4"}], "B09GFQZXNX": [{"asin": "B09GFQZXNX", "instruction": "i'm interested in a wireless bluetooth alarm clock that offers stereo sound.", "attributes": ["wireless bluetooth", "stereo sound"], "options": [""], "instruction_attributes": ["wireless bluetooth", "stereo sound"], "instruction_options": [], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0TGP11O", "worker_id": "AFU00NU09CFXE"}], "B09FZLYK3H": [{"asin": "B09FZLYK3H", "instruction": "i am looking for easy to use nut gifts", "attributes": ["easy use", "perfect gift"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI5SQSBF", "worker_id": "A2MSIFDLOHI1UT"}], "B09FYRTQ5G": [{"asin": "B09FYRTQ5G", "instruction": "i am looking for a long lasting eye mask for dark circles with cruelty free.", "attributes": ["cruelty free", "sulfate free", "anti aging", "long lasting", "hyaluronic acid", "natural ingredients", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["cruelty free", "sulfate free", "long lasting", "dark circles"], "instruction_options": [], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ1CARR3", "worker_id": "A2HMEGTAFO0CS8"}], "B088KLGCHX": [{"asin": "B088KLGCHX", "instruction": "i am looking for anti-aging rose quartz face roller", "attributes": ["anti aging", "fine lines", "dark circles"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "39K0FND3ASPR95MUG7H134S6VL0MAF", "worker_id": "A258PTOZ3D2TQR"}], "B01KMDWKD4": [{"asin": "B01KMDWKD4", "instruction": "find a gluten free popcorn salt", "attributes": ["kosher certified", "gluten free", "0g trans"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3WMINLGALMDE0JA33INN08NU17GCA7", "worker_id": "AVIEE6LDH0BT5"}], "B0925SHCWK": [{"asin": "B0925SHCWK", "instruction": "i need 2 packs of 10.6 inch 30w dimmable bi-color soft light panel with batteries included", "attributes": ["batteries included", "easy use"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUGQYLV0", "worker_id": "A258PTOZ3D2TQR"}], "B09KVF53B4": [{"asin": "B09KVF53B4", "instruction": "i am in need of khaki color, x-large size hooded fleece lined sweatshirts for men", "attributes": ["winter warm", "fleece lined", "machine wash", "daily wear"], "options": ["color: khaki", "size: x-large"], "instruction_attributes": ["fleece lined"], "instruction_options": ["khaki", "x-large"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8ON82NE", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09KVF53B4", "instruction": "i'm looking for a camouflage white and gray, fleece-lined hoodie for daily wear in a size 3x-large that is machine washable.", "attributes": ["winter warm", "fleece lined", "machine wash", "daily wear"], "options": ["color: camouflage white gray", "size: 3x-large"], "instruction_attributes": ["fleece lined", "machine wash", "daily wear"], "instruction_options": ["camouflage white gray", "3x-large"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GE3C8Q8", "worker_id": "AFU00NU09CFXE"}], "B08RHNKL28": [{"asin": "B08RHNKL28", "instruction": "i am looking for a long sleeve sleepwear for a man with high waist. also choose light gray color and xx-large size.", "attributes": ["contrast color", "long sleeve", "elastic waist", "short sleeve"], "options": ["color: b-light gray", "size: xx-large"], "instruction_attributes": ["long sleeve", "elastic waist"], "instruction_options": ["b-light gray", "xx-large"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBQ08E6H", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B08RHNKL28", "instruction": "i am looking for men\u2019s pajamas with contrast color also choose size x large", "attributes": ["contrast color", "long sleeve", "elastic waist", "short sleeve"], "options": ["color: army green", "size: x-large"], "instruction_attributes": ["contrast color"], "instruction_options": ["x-large"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647DQH3X", "worker_id": "A10OGH5CQBXL5N"}], "B09QFW7H9D": [{"asin": "B09QFW7H9D", "instruction": "i am looking a high resolution easy install and easy use 60x usb microphone", "attributes": ["high resolution", "easy install", "easy use"], "options": ["color: a"], "instruction_attributes": ["high resolution", "easy install", "easy use"], "instruction_options": ["a"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFW16XLF", "worker_id": "A3N9ZYQAESNFQH"}], "B07KBJNGT6": [{"asin": "B07KBJNGT6", "instruction": "i'm looking for a kosher certified premium salt which is free from gluten. also, choose mediterranean flake one.", "attributes": ["kosher certified", "non gmo", "gluten free"], "options": ["style: mediterranean flake"], "instruction_attributes": ["kosher certified", "gluten free"], "instruction_options": ["mediterranean flake"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPM284IU", "worker_id": "AR0VJ5XRG16UJ"}], "B0794RHPZD": [{"asin": "B0794RHPZD", "instruction": "i'm looking for a yellow hands-free tablet.", "attributes": ["dual band", "hands free", "quad core"], "options": ["color: canary yellow", "digital storage capacity: 32 gb", "offer type: without special offers"], "instruction_attributes": ["hands free"], "instruction_options": ["canary yellow"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO84ZXJIZ", "worker_id": "A19317A3X87NVM"}], "B07MCCDZ62": [{"asin": "B07MCCDZ62", "instruction": "i'm looking for a cruelty free certified bronzer which is fragrance free. also choose palm beach ready one.", "attributes": ["fragrance free", "cruelty free"], "options": ["color: 1- palm beach ready"], "instruction_attributes": ["fragrance free", "cruelty free"], "instruction_options": ["1- palm beach ready"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2C1TJVW", "worker_id": "AR0VJ5XRG16UJ"}], "B011DJ19MY": [{"asin": "B011DJ19MY", "instruction": "i am looking for soft toe work shoe slip resistant in 10.5", "attributes": ["slip resistant", "arch support"], "options": ["size: 10.5"], "instruction_attributes": ["slip resistant"], "instruction_options": ["10.5"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT747B5BTO", "worker_id": "A2MSIFDLOHI1UT"}], "B07FBGWTHN": [{"asin": "B07FBGWTHN", "instruction": "i need hiking shoes in a size 10 that have a lace closure", "attributes": ["lace closure", "rubber outsole", "regular fit", "rubber sole"], "options": ["color: night cargo | black | raw khaki", "size: 10"], "instruction_attributes": ["lace closure"], "instruction_options": ["10"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SJJUT3H", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CTMG7S4": [{"asin": "B09CTMG7S4", "instruction": "i need 6ft red color usb fast charging led lightning cables -1 pack", "attributes": ["fast charging", "aluminum alloy"], "options": ["color: red", "size: 6ft"], "instruction_attributes": ["fast charging"], "instruction_options": ["red", "6ft"], "assignment_id": "36ZN444YT28UFQQ45BORC65U3T7OIN", "worker_id": "A258PTOZ3D2TQR"}], "B086HHD7JD": [{"asin": "B086HHD7JD", "instruction": "i want to buy high waist yoga pants whcih are in azec - black color and are in large size", "attributes": ["quick drying", "machine washable", "tummy control", "high waist", "polyester spandex", "everyday wear"], "options": ["color: aztec - black", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": ["aztec - black", "large"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0NDTCS9", "worker_id": "AJY5G987IRT25"}], "B01CH9LTFG": [{"asin": "B01CH9LTFG", "instruction": "i would like to buy face moisturizer suitable for women which is cruelty free and serves for anti aging", "attributes": ["anti aging", "paraben free", "cruelty free", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "cruelty free"], "instruction_options": [], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54AD6PNHG", "worker_id": "AJY5G987IRT25"}], "B09QX7NSN4": [{"asin": "B09QX7NSN4", "instruction": "i want buy an external hard drive hdd 0.2tb which for pc, mac, desktop, laptop, macbook, chromebook, xbox one, xbox 360 (2tb, silver). it is covered with aluminum alloy. also, i choose the b-red color.", "attributes": ["plug play", "aluminum alloy"], "options": ["color: b-red"], "instruction_attributes": ["plug play", "aluminum alloy"], "instruction_options": ["b-red"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKK16Z8T", "worker_id": "A59DVED5S9N9Y"}], "B002HKHLDK": [{"asin": "B002HKHLDK", "instruction": "i'm looking for a 2-pack of 12-feet hdmi male-to-female gold-plated cables designed for high speed data transfers.", "attributes": ["high speed", "gold plated"], "options": ["color: 2 pack", "size: 12 feet (10-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["2 pack", "12 feet (10-pack)", "hdmi male to female"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4WE4YWF", "worker_id": "AFU00NU09CFXE"}], "B09PD7CP9J": [{"asin": "B09PD7CP9J", "instruction": "i am looking fort a travel size skincare kit with tea tree toner.", "attributes": ["travel size", "tea tree", "sensitive skin"], "options": [""], "instruction_attributes": ["travel size", "tea tree"], "instruction_options": [], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RVK7RLZ", "worker_id": "A1EREKSZAA9V7B"}], "B00T8I56FY": [{"asin": "B00T8I56FY", "instruction": "i looking for blueberry nut free in raspberry", "attributes": ["baked fresh", "nut free", "dairy free"], "options": ["flavor name: raspberry", "size: 1 pack"], "instruction_attributes": ["nut free"], "instruction_options": ["raspberry"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455SKMYTP", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B00T8I56FY", "instruction": "i'm looking for 6 pack of strawberry with nut free", "attributes": ["baked fresh", "nut free", "dairy free"], "options": ["flavor name: strawberry", "size: 6 pack"], "instruction_attributes": ["nut free"], "instruction_options": ["strawberry", "6 pack"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JCLSF7", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B00T8I56FY", "instruction": "i am looking for a 12 ounce (pack of 3) of nut free baking mixes", "attributes": ["baked fresh", "nut free", "dairy free"], "options": ["flavor name: raspberry", "size: 12 ounce (pack of 3)"], "instruction_attributes": ["nut free"], "instruction_options": ["12 ounce (pack of 3)"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK4IJ3Q", "worker_id": "A9QRQL9CFJBI7"}], "B01IQX5E7G": [{"asin": "B01IQX5E7G", "instruction": "i need 24 count, long-lasting alkaline battery", "attributes": ["long lasting", "aaa batteries"], "options": ["color: 24 count"], "instruction_attributes": ["long lasting"], "instruction_options": ["24 count"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GFYKQ8P", "worker_id": "A258PTOZ3D2TQR"}], "B07R4D5B4V": [{"asin": "B07R4D5B4V", "instruction": "i am looking for high performance jelly fish color smartwatch", "attributes": ["compatible apple", "high performance", "easy install"], "options": ["color: colorful jellyfish", "size: 42 | 44 | 45mm m | l"], "instruction_attributes": ["high performance"], "instruction_options": ["colorful jellyfish"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z675IZF9", "worker_id": "A2MSIFDLOHI1UT"}], "B00CNWY1YY": [{"asin": "B00CNWY1YY", "instruction": "i want a microdermabrasion face mask with anti aging properties", "attributes": ["anti aging", "dry skin", "dead skin"], "options": ["color: 8 oz salicylic acid with microdermabrasion crystals", "size: 8 ounce"], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23KQLFSN", "worker_id": "AVIEE6LDH0BT5"}], "B09CQ9T9NH": [{"asin": "B09CQ9T9NH", "instruction": "i want to buy sandals for women which have closed toe, and rubber sole, i want them to be a-wine color, and of 4.5 size", "attributes": ["closed toe", "arch support", "rubber sole"], "options": ["color: a-wine", "size: 4.5"], "instruction_attributes": ["closed toe", "rubber sole"], "instruction_options": ["a-wine", "4.5"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGZR3EIB", "worker_id": "AJY5G987IRT25"}], "B019IOIS8Y": [{"asin": "B019IOIS8Y", "instruction": "i am looking for 40 feet high speed cables", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 5 pack", "size: 40 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["40 feet (single pack)"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MDGBYZ8", "worker_id": "A16M39T60N60NO"}, {"asin": "B019IOIS8Y", "instruction": "i'm looking for video accessories and it was high speed need to buy it.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 3 pack", "size: 80 feet (2-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "blu ray"], "instruction_options": ["3 pack"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCK3IP5", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B019IOIS8Y", "instruction": "i'm looking for high speed hdmi cable with ethernet signal booster.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 1 pack", "size: 75 feet (2-pack)", "style: hdmi male to male"], "instruction_attributes": ["blu ray"], "instruction_options": ["75 feet (2-pack)"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0254TKA7", "worker_id": "A21IUUHBSEVB56"}], "B08HXC8TYW": [{"asin": "B08HXC8TYW", "instruction": "i am looking for gluten free turmeric chai", "attributes": ["bpa free", "gmo free", "low fat", "gluten free", "artificial colors"], "options": ["flavor name: golden turmeric chai latte", "size: 8.81 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["golden turmeric chai latte"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPHCMTWL", "worker_id": "A16M39T60N60NO"}], "B07DTFWCN3": [{"asin": "B07DTFWCN3", "instruction": "i would like to buy water shoes which are anti slip and are in black color while the size should be 11.5 for women and 9.5 for men", "attributes": ["anti slip", "quick drying", "non slip", "rubber sole"], "options": ["color: black", "size: 11.5 women | 9.5 men"], "instruction_attributes": ["anti slip"], "instruction_options": ["black", "11.5 women | 9.5 men"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G9YT4R0", "worker_id": "AJY5G987IRT25"}], "B07LBMY1DC": [{"asin": "B07LBMY1DC", "instruction": "looking for machine washable pillow covers for couch bed also choose colour dark blue", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: dark blue", "size: 22 x 22"], "instruction_attributes": ["machine washable"], "instruction_options": ["dark blue"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGIKU1VB", "worker_id": "A10OGH5CQBXL5N"}], "B010647EJO": [{"asin": "B010647EJO", "instruction": "i am looking for acqua di gio for men impression", "attributes": ["travel size", "long lasting"], "options": ["scent name: acqua di gio for men impression", "size: 0.34 fl oz (pack of 1)"], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8TIB4Z5Q", "worker_id": "A16M39T60N60NO"}], "B09BNNQWKL": [{"asin": "B09BNNQWKL", "instruction": "i need a easy to assemble white colored desk for home office", "attributes": ["easy assemble", "white item", "easy clean", "engineered wood", "steel frame"], "options": ["color: natural and white"], "instruction_attributes": ["easy assemble"], "instruction_options": ["natural and white"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FIF64ZN", "worker_id": "AVIEE6LDH0BT5"}], "B0882WCN5W": [{"asin": "B0882WCN5W", "instruction": "i would like to buy mid calf boots which have synthetic sole, and are in insignia blue color, as for the size i want them 10", "attributes": ["faux fur", "synthetic sole"], "options": ["color: insignia blue", "size: 10"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["insignia blue", "10"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI5SRSBG", "worker_id": "AJY5G987IRT25"}], "B073P2DNTD": [{"asin": "B073P2DNTD", "instruction": "i'm looking for a mid century style table lamp", "attributes": ["mid century", "contemporary style"], "options": ["style: table lamp"], "instruction_attributes": ["mid century"], "instruction_options": ["table lamp"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70JP4BC4", "worker_id": "A19317A3X87NVM"}], "B08F3KZGW9": [{"asin": "B08F3KZGW9", "instruction": "kit 3 machine washable elastic nylon boxer panties", "attributes": ["machine washable", "machine wash", "polyester spandex", "nylon spandex", "quality polyester", "comfortable fit"], "options": ["color: e-green(6-inch)", "size: large"], "instruction_attributes": ["machine wash", "nylon spandex"], "instruction_options": [], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK9QXA50", "worker_id": "A3TTGSUBIK1YCL"}], "B081VY6GGL": [{"asin": "B081VY6GGL", "instruction": "i am interested in buying bar stools which have metal legs, are in blue colors, and have a size of 45cm", "attributes": ["non slip", "metal legs"], "options": ["color: blue", "size: 45cm"], "instruction_attributes": ["metal legs"], "instruction_options": ["blue", "45cm"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUFAKUUG", "worker_id": "AJY5G987IRT25"}], "B08VJ83DF3": [{"asin": "B08VJ83DF3", "instruction": "i'm looking for 22 inch long hair extensions having dark auturn brown color (pack of 1)", "attributes": ["easy apply", "hair extensions", "natural hair"], "options": ["color: #33 dark auturn brown", "size: 22 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#33 dark auturn brown", "22 inch (pack of 1)"], "assignment_id": "3X0H8UUITCYRED22199FX2O3FT8SWV", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08VJ83DF3", "instruction": "i want to buy hair extension tape which i can easily apply and can fit to natural hair, it's color should be dark brown to chocolate brown, and the size i am interested in should be 22 inch (pack of 1).", "attributes": ["easy apply", "hair extensions", "natural hair"], "options": ["color: t#2 | 4 dark brown to chocolate brown", "size: 22 inch (pack of 1)"], "instruction_attributes": ["easy apply", "natural hair"], "instruction_options": ["t#2 | 4 dark brown to chocolate brown", "22 inch (pack of 1)"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAGIFI5", "worker_id": "AJY5G987IRT25"}, {"asin": "B08VJ83DF3", "instruction": "i'm looking for a easy to apply hair extensions which looks like natural hair. also, choose a pack of 1, 16 inch with #33 dark auturn brown colored one", "attributes": ["easy apply", "hair extensions", "natural hair"], "options": ["color: #33 dark auturn brown", "size: 16 inch (pack of 1)"], "instruction_attributes": ["easy apply", "hair extensions", "natural hair"], "instruction_options": ["#33 dark auturn brown", "16 inch (pack of 1)"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL75EAP", "worker_id": "AR0VJ5XRG16UJ"}], "B095RK71N7": [{"asin": "B095RK71N7", "instruction": "i want a 1080hd a dome surveillance camera with motion detection", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": [], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CXFK5TI", "worker_id": "A3N9ZYQAESNFQH"}], "B081SSB2NF": [{"asin": "B081SSB2NF", "instruction": "i would like some 22 inch ombre brown synthetic hair extensions.", "attributes": ["high quality", "synthetic hair"], "options": ["color: ombre brown", "size: 22 inch"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["ombre brown", "22 inch"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA8GEHM9", "worker_id": "A1WS884SI0SLO4"}], "B00QGWLZGY": [{"asin": "B00QGWLZGY", "instruction": "i need 5 litre of quality ingredients contained roasted pecan oil bottle for cooking", "attributes": ["non gmo", "quality ingredients"], "options": ["flavor name: pecan", "size: 5 l", "style: bottle"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["pecan", "5 l", "bottle"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG2PL9UF", "worker_id": "A258PTOZ3D2TQR"}], "B07B32DCCQ": [{"asin": "B07B32DCCQ", "instruction": "i'm interested in a pack of 4, 3.17 ounce lightly salted, but unsweetened coconut chips that are non-gmo and gluten-free.", "attributes": ["non gmo", "gluten free"], "options": ["flavor name: lightly salted, unsweetened", "size: 3.17 ounce (pack of 4)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["lightly salted, unsweetened", "3.17 ounce (pack of 4)"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCUX04DS", "worker_id": "AFU00NU09CFXE"}], "B084D93KC7": [{"asin": "B084D93KC7", "instruction": "i want to buy crisps which are low carb and sugar free", "attributes": ["keto friendly", "low carb", "sugar free", "low sugar", "gluten free", "high protein", "non gmo"], "options": [""], "instruction_attributes": ["low carb", "sugar free"], "instruction_options": [], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJZ31RG9", "worker_id": "AJY5G987IRT25"}], "B08N4GNPRP": [{"asin": "B08N4GNPRP", "instruction": "i am looking for soft fuzzy blanket super soft in multi 49", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 49", "size: king"], "instruction_attributes": ["super soft"], "instruction_options": ["multi 49"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJYUXJUK", "worker_id": "A2MSIFDLOHI1UT"}], "B011W4CTM4": [{"asin": "B011W4CTM4", "instruction": "i want jeans with button closure", "attributes": ["straight leg", "machine wash", "button closure", "classic fit"], "options": ["color: light wash whiskered and sanded", "size: 44w x 34l"], "instruction_attributes": ["button closure"], "instruction_options": [], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXR0113E", "worker_id": "AVIEE6LDH0BT5"}], "B01AWMAC4O": [{"asin": "B01AWMAC4O", "instruction": "i'm looking for a easy to carry essential oil roller for coconut oil. also choose coconut scented one.", "attributes": ["easy carry", "coconut oil"], "options": ["scent name: coconut"], "instruction_attributes": ["easy carry", "coconut oil"], "instruction_options": ["coconut"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7BYTYUG", "worker_id": "AR0VJ5XRG16UJ"}], "B00GHMP7JE": [{"asin": "B00GHMP7JE", "instruction": "i am looking for brushed nickel pegandrail oak coat rack of size: 41\"x3.5\" with 8 hooks", "attributes": ["nickel finish", "brushed nickel"], "options": ["color: chestnut", "size: 41\" x 3.5\" with 8 hooks"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["41\" x 3.5\" with 8 hooks"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E9BAG8J", "worker_id": "AX2EWYWZM19AZ"}], "B09FYGVF24": [{"asin": "B09FYGVF24", "instruction": "find a dress suitable for hand wash", "attributes": ["hand wash", "nylon spandex"], "options": ["color: metallic navy", "size: 16"], "instruction_attributes": ["hand wash"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHU8D9P3", "worker_id": "AVIEE6LDH0BT5"}], "B08K8WHB7K": [{"asin": "B08K8WHB7K", "instruction": "i am looking for super soft in multi 18", "attributes": ["super soft", "living room"], "options": ["color: multi 18", "size: twin(60\"x80\")"], "instruction_attributes": ["super soft"], "instruction_options": ["multi 18"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZT08R40Z", "worker_id": "A2MSIFDLOHI1UT"}], "B08DDKLPS5": [{"asin": "B08DDKLPS5", "instruction": "i am looking for long lasting 14 color pressed powder palette of color: fiesta all day", "attributes": ["highly pigmented", "long lasting"], "options": ["color: fiesta all day"], "instruction_attributes": ["long lasting"], "instruction_options": ["fiesta all day"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDS2SF98", "worker_id": "AX2EWYWZM19AZ"}], "B004PYF11U": [{"asin": "B004PYF11U", "instruction": "i want a gluten free packaged meal", "attributes": ["ready eat", "gluten free", "fully cooked", "easy prepare", "bpa free", "certified organic", "non gmo", "natural ingredients", "artificial colors"], "options": ["flavor: vegetable tikka masala"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "30OG32W0S5L0H0O68DYNC27XLQSENM", "worker_id": "AVIEE6LDH0BT5"}], "B093T17GH1": [{"asin": "B093T17GH1", "instruction": "i want a set of 2 mesh laundry bags with a pink flamingo dress with roses design.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OJYP92K", "worker_id": "A2RBF3IIJP15IH"}], "B09P82Y1MB": [{"asin": "B09P82Y1MB", "instruction": "i am looking for a purple daycare teacher tshirt made of heather cotton and should be a classic fit.", "attributes": ["wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: purple", "fit type: men", "size: 3x-large"], "instruction_attributes": ["cotton heather", "classic fit"], "instruction_options": ["purple"], "assignment_id": "352YTHGRO6NQF252G9RXYWYAMPU4H2", "worker_id": "AHU9OLV0YKIIW"}], "B07RKVY1KG": [{"asin": "B07RKVY1KG", "instruction": "i am looking for men suits slim fit with button closure of size: 50", "attributes": ["slim fit", "button closure"], "options": ["color: red-090", "size: 50"], "instruction_attributes": ["button closure"], "instruction_options": ["50"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP7HYDVE", "worker_id": "AX2EWYWZM19AZ"}], "B07BDQ5GJQ": [{"asin": "B07BDQ5GJQ", "instruction": "i am looking for sensodyne toothpaste in sensitive teeth", "attributes": ["clinically proven", "sensitive teeth"], "options": [""], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGZ2YHD3", "worker_id": "A2MSIFDLOHI1UT"}], "B09F374PTJ": [{"asin": "B09F374PTJ", "instruction": "i am looking for non slip pink color shoes", "attributes": ["non slip", "arch support"], "options": ["color: pink", "size: 7.5 wide"], "instruction_attributes": ["non slip"], "instruction_options": ["pink"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK37PM5Z", "worker_id": "A2MSIFDLOHI1UT"}], "B018UJLIOE": [{"asin": "B018UJLIOE", "instruction": "i need shoe mounts made with aluminium alloy", "attributes": ["easy use", "aluminum alloy"], "options": ["color: shoe mount combo pack"], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDN5G9WY", "worker_id": "AVIEE6LDH0BT5"}], "B09KGJQQ4B": [{"asin": "B09KGJQQ4B", "instruction": "i would like to buy cell phone signal booster which has high speed", "attributes": ["light weight", "high speed", "coaxial cable", "4g lte"], "options": [""], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJYUMUJK", "worker_id": "AJY5G987IRT25"}], "B07MFPHSNH": [{"asin": "B07MFPHSNH", "instruction": "i'm looking for a three piece, wall mounted, stainless steel spice rack.", "attributes": ["wall mounted", "stainless steel"], "options": [""], "instruction_attributes": ["wall mounted", "stainless steel"], "instruction_options": [], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6Q1BX2M", "worker_id": "A2JP9IKRHNLRPI"}], "B086DJ4TF4": [{"asin": "B086DJ4TF4", "instruction": "i want a 5 pack of amber glass fine mist spray bottles.", "attributes": ["leak proof", "high quality", "fine mist"], "options": ["color: 10ml", "size: 5 pack"], "instruction_attributes": ["fine mist"], "instruction_options": ["5 pack"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MDGAZY8", "worker_id": "A2RBF3IIJP15IH"}], "B09JBL4FQG": [{"asin": "B09JBL4FQG", "instruction": "i am looking for a camera lens protector for iphone 13 made up of aluminum alloy. also choose pink color.", "attributes": ["aluminum alloy", "tempered glass"], "options": ["color: pink"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["pink"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDTYT2QZ", "worker_id": "A2HMEGTAFO0CS8"}], "B082QWR677": [{"asin": "B082QWR677", "instruction": "i am interested in buying clips for hair which are of high quality and rose gold, while the style should be the kiss", "attributes": ["high quality", "rose gold"], "options": ["style: the kiss"], "instruction_attributes": ["high quality", "rose gold"], "instruction_options": ["the kiss"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KE3ERH8", "worker_id": "AJY5G987IRT25"}], "B0947LFNGB": [{"asin": "B0947LFNGB", "instruction": "i am looking for hand lotion cruelty free in lemongrass & ginger", "attributes": ["animal testing", "cruelty free"], "options": ["color: lemongrass & ginger", "style: liquid soap"], "instruction_attributes": ["cruelty free"], "instruction_options": ["lemongrass & ginger"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOIGZ6HO", "worker_id": "A2MSIFDLOHI1UT"}], "B088722H6W": [{"asin": "B088722H6W", "instruction": "i am looking for day comport shoe in pure grey color", "attributes": ["day comfort", "synthetic sole"], "options": ["color: pure grey | white white", "size: 5.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["pure grey | white white"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQZON77M", "worker_id": "A16M39T60N60NO"}], "B074MHWYWF": [{"asin": "B074MHWYWF", "instruction": "i am looking for low sugar drink mixes in paloma flavor", "attributes": ["low sugar", "zero sugar", "real fruit"], "options": ["flavor: paloma", "size: 32 fl oz (pack of 3)"], "instruction_attributes": ["low sugar"], "instruction_options": ["paloma"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URXDEC1N", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B074MHWYWF", "instruction": "i need a bloody mary flavored cocktail mix that is low on sugar.", "attributes": ["low sugar", "zero sugar", "real fruit"], "options": ["flavor: bloody mary", "size: 32 fl oz (pack of 3)"], "instruction_attributes": ["low sugar"], "instruction_options": ["bloody mary"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIYITMF", "worker_id": "A1NF6PELRKACS9"}], "B083K4LXVJ": [{"asin": "B083K4LXVJ", "instruction": "i am looking for black color machine wash d shirt", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "star wars"], "options": ["color: black", "fit type: men", "size: 4t"], "instruction_attributes": ["machine wash"], "instruction_options": ["black"], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROL64WWE", "worker_id": "A16M39T60N60NO"}], "B07L45DLCS": [{"asin": "B07L45DLCS", "instruction": "i am looking for plant based 2.3 ounce", "attributes": ["alcohol free", "plant based"], "options": ["size: 2.3 ounce"], "instruction_attributes": ["plant based"], "instruction_options": ["2.3 ounce"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KE7RQZU", "worker_id": "A2MSIFDLOHI1UT"}], "B097KXCWP7": [{"asin": "B097KXCWP7", "instruction": "i am looking for easy to install home decor products in blackout color", "attributes": ["white item", "easy install"], "options": ["color: cordless bottom up-blackout-creamy", "size: 28\"w x 40\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["cordless bottom up-blackout-creamy"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUFAIUUE", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B097KXCWP7", "instruction": "i want to buy shades which are easy to install and have a color of cordless bottom up-blackout-white and with a size of 23\"w x 66\"h", "attributes": ["white item", "easy install"], "options": ["color: cordless bottom up-blackout-white", "size: 23\"w x 66\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["cordless bottom up-blackout-white", "23\"w x 66\"h"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVZX86LV", "worker_id": "AJY5G987IRT25"}, {"asin": "B097KXCWP7", "instruction": "i am looking for a white item 40\"w x 48\"h size of home d\u00e9cor products", "attributes": ["white item", "easy install"], "options": ["color: cordless bottom up-blackout-creamy", "size: 40\"w x 48\"h"], "instruction_attributes": ["white item"], "instruction_options": ["40\"w x 48\"h"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1XW2H9", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B097KXCWP7", "instruction": "i am looking for an easy to install blackout blinds for my kitchen. make sure it is white and has a cordless bottom up feature.", "attributes": ["white item", "easy install"], "options": ["color: cordless bottom up-blackout-gray", "size: 50\"w x 56\"h"], "instruction_attributes": ["white item", "easy install"], "instruction_options": ["cordless bottom up-blackout-gray"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3R2ZMT", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B097KXCWP7", "instruction": "i'm looking for cordless bottom up-blackout-white window blinds that are easy to install and are 55\"w x 56\"h.", "attributes": ["white item", "easy install"], "options": ["color: cordless bottom up-blackout-white", "size: 55\"w x 56\"h"], "instruction_attributes": ["white item", "easy install"], "instruction_options": ["cordless bottom up-blackout-white", "55\"w x 56\"h"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI77TGZ9", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B097KXCWP7", "instruction": "i want to find white blackout shades that are 66 inches in width and 66 inches in height. they need to be easy to install.", "attributes": ["white item", "easy install"], "options": ["color: cordless bottom up-blackout-white", "size: 66\"w x 66\"h"], "instruction_attributes": ["white item", "easy install"], "instruction_options": ["cordless bottom up-blackout-white", "66\"w x 66\"h"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FMLD3A", "worker_id": "A345TDMHP3DQ3G"}], "B01HJWARWW": [{"asin": "B01HJWARWW", "instruction": "i am looking for a male to male style gold plated high speed hdmi cable. also, choose 10 feet length.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 10 feet (10-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 feet (10-pack)", "hdmi male to male"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQVW45SR", "worker_id": "A9ZM1P6LBW79"}], "B08313YQTH": [{"asin": "B08313YQTH", "instruction": "i am interested in buying gaming controllers which are non slip and can be carried by case", "attributes": ["non slip", "carrying case"], "options": [""], "instruction_attributes": ["non slip", "carrying case"], "instruction_options": [], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX6AGF4E", "worker_id": "AJY5G987IRT25"}], "B09964628J": [{"asin": "B09964628J", "instruction": "i need bar stool and table set", "attributes": ["solid wood", "pu leather"], "options": ["color: bar chair+table"], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0Z3O69V", "worker_id": "A1V2C99HEV3F14"}], "B08LVJ2JXY": [{"asin": "B08LVJ2JXY", "instruction": "i'm looking for a women's v-neck tunic with a relaxed fit in the size of large.", "attributes": ["long sleeve", "relaxed fit", "everyday wear", "teen girls"], "options": ["color: yz-pink", "size: large"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["large"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPI0Y79K2", "worker_id": "A2JP9IKRHNLRPI"}], "B08GL27RXJ": [{"asin": "B08GL27RXJ", "instruction": "i want a 15 pack of volume and nourish conditioner for damaged hair.", "attributes": ["cruelty free", "seed oil", "damaged hair"], "options": ["size: 15 pack", "style name: volume & nourish"], "instruction_attributes": ["damaged hair"], "instruction_options": ["15 pack", "volume & nourish"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB5MNAQG", "worker_id": "A1WS884SI0SLO4"}], "B09DGRX9H8": [{"asin": "B09DGRX9H8", "instruction": "i am looking for brittle color organic chocolate", "attributes": ["soy free", "certified organic", "individually wrapped", "non gmo"], "options": ["color: nutcracker brittle", "size: 3 ounce (pack of 10)"], "instruction_attributes": ["certified organic"], "instruction_options": ["nutcracker brittle"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYD78657", "worker_id": "A16M39T60N60NO"}, {"asin": "B09DGRX9H8", "instruction": "i want a non gmo soy free certified organic gift pack of candy and chocolate bar of holiday variety pack size :3 ounce", "attributes": ["soy free", "certified organic", "individually wrapped", "non gmo"], "options": ["color: holiday variety pack", "size: 3 ounce (pack of 12)"], "instruction_attributes": ["soy free", "certified organic", "non gmo"], "instruction_options": ["holiday variety pack", "3 ounce (pack of 12)"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDPATTZR4", "worker_id": "A3N9ZYQAESNFQH"}], "B09FQ19M1N": [{"asin": "B09FQ19M1N", "instruction": "i'm looking for brown color upholstered faux leather footrest stool for living room, its size should be 100x42x45cm", "attributes": ["button tufted", "non slip", "pu leather", "faux leather", "solid wood", "living room"], "options": ["color: brown", "size: 100x42x45cm"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["brown", "100x42x45cm"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOR4ZP0N", "worker_id": "A258PTOZ3D2TQR"}], "B08L3NP2X4": [{"asin": "B08L3NP2X4", "instruction": "i need a amplifier with stereo sound", "attributes": ["power amplifier", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R2O82IS", "worker_id": "AVIEE6LDH0BT5"}], "B07WNPT6ZD": [{"asin": "B07WNPT6ZD", "instruction": "i am interested in sandals which have arch support are in tan color and have a size of 11", "attributes": ["ethylene vinyl", "vinyl acetate", "arch support"], "options": ["color: tan", "size: 11"], "instruction_attributes": ["arch support"], "instruction_options": ["tan", "11"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7WZZ60O", "worker_id": "AJY5G987IRT25"}], "B08KJHKDWP": [{"asin": "B08KJHKDWP", "instruction": "i would like to buy mixed nuts which are non gmo, and have a roasted crunchy mix flavor while the size should be 2 pound.", "attributes": ["kosher certified", "non gmo", "resealable bag"], "options": ["flavor name: roasted crunchy mix", "size: 2 pound"], "instruction_attributes": ["non gmo"], "instruction_options": ["roasted crunchy mix", "2 pound"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPQYTJNH", "worker_id": "AJY5G987IRT25"}], "B07RT28DLG": [{"asin": "B07RT28DLG", "instruction": "i want a super soft jay franco disney minnie mouse twin bed set.", "attributes": ["super soft", "machine washable"], "options": ["color: multi - marvel", "size: twin"], "instruction_attributes": ["super soft"], "instruction_options": ["twin"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6TANUD4", "worker_id": "A2RBF3IIJP15IH"}], "B0872TSFCL": [{"asin": "B0872TSFCL", "instruction": "i need a vanity light with clear glass", "attributes": ["vanity light", "clear glass", "light fixture"], "options": ["color: brushed nickel", "size: 3 light"], "instruction_attributes": ["clear glass"], "instruction_options": [], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQOOJ01K", "worker_id": "AVIEE6LDH0BT5"}], "B09CDN7QBP": [{"asin": "B09CDN7QBP", "instruction": "i'm looking for an easy to install pink chair for the living room that offers lumbar support and is height adjustable.", "attributes": ["height adjustable", "easy install", "lumbar support", "living room"], "options": ["color: pink"], "instruction_attributes": ["height adjustable", "easy install", "lumbar support", "living room"], "instruction_options": ["pink"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TRPO0NS", "worker_id": "AFU00NU09CFXE"}], "B08L98TC39": [{"asin": "B08L98TC39", "instruction": "i need 0.5m long fast charging hdmi male charger cord splitter adapter", "attributes": ["gold plated", "fast charging", "usb port"], "options": ["size: 0.5m"], "instruction_attributes": ["fast charging"], "instruction_options": ["0.5m"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X5DCH0X", "worker_id": "A258PTOZ3D2TQR"}], "B09PZ6SWCX": [{"asin": "B09PZ6SWCX", "instruction": "i am looking for quick release underwater photography", "attributes": ["dust proof", "quick release", "easy install"], "options": [""], "instruction_attributes": ["quick release"], "instruction_options": [], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF46UZMG", "worker_id": "A16M39T60N60NO"}], "B09JWC3T93": [{"asin": "B09JWC3T93", "instruction": "i'm looking for a high quality salon and spa desk chair with adjustable rolling swivel stool chair for a beauty salon. also choose pulley styled black colored one.", "attributes": ["high quality", "beauty salon"], "options": ["color: black", "size: pulley style"], "instruction_attributes": ["high quality", "beauty salon"], "instruction_options": ["black", "pulley style"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY87MT186", "worker_id": "AR0VJ5XRG16UJ"}], "B07YF6DVNJ": [{"asin": "B07YF6DVNJ", "instruction": "i am looking for argan oil", "attributes": ["argan oil", "hair treatment"], "options": [""], "instruction_attributes": ["argan oil"], "instruction_options": [], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LS7QZBR", "worker_id": "A16M39T60N60NO"}], "B07P8B13MC": [{"asin": "B07P8B13MC", "instruction": "i am looking a anti aging eyes gels for removing dark circles under eyes", "attributes": ["anti aging", "dark circles"], "options": [""], "instruction_attributes": ["anti aging", "dark circles"], "instruction_options": [], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L8BOHL7", "worker_id": "A3N9ZYQAESNFQH"}], "B09PD5H65X": [{"asin": "B09PD5H65X", "instruction": "i am looking for pink color short sleeve t shirts", "attributes": ["loose fit", "long sleeve", "short sleeve", "daily wear"], "options": ["color: a3-pink", "size: 5x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["a3-pink"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39TG2MGG", "worker_id": "A2MSIFDLOHI1UT"}], "B07Y26SPZK": [{"asin": "B07Y26SPZK", "instruction": "find high quality toothpaste", "attributes": ["high quality", "fresh breath"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X03KB34T", "worker_id": "AVIEE6LDH0BT5"}], "B082ZSX8W8": [{"asin": "B082ZSX8W8", "instruction": "i am looking for a chocolate covered dates for perfect gift. also choose assorted container one.", "attributes": ["chocolate covered", "perfect gift"], "options": ["color: assorted container"], "instruction_attributes": ["chocolate covered", "perfect gift"], "instruction_options": ["assorted container"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XPYI9LB", "worker_id": "A2HMEGTAFO0CS8"}], "B01DTGF6WI": [{"asin": "B01DTGF6WI", "instruction": "i want a medium sized t-shirt with long sleeves", "attributes": ["long lasting", "machine washable", "long sleeve", "tumble dry"], "options": ["color: light gray - back print", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3X65QVEQIBXVW21709CD9M35VJFCLP", "worker_id": "AVIEE6LDH0BT5"}], "B07Q55YDF5": [{"asin": "B07Q55YDF5", "instruction": "i need a high quality hair extension", "attributes": ["high quality", "hair extensions"], "options": ["color: dark brown ombre brown"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": [], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YO0LNTR", "worker_id": "AVIEE6LDH0BT5"}], "B08B1MCFKL": [{"asin": "B08B1MCFKL", "instruction": "i am looking for dark denim color ethylene vinyl ultra train of size 10, 3rd generation for men", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: dark denim | red orange", "size: 10"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["dark denim | red orange", "10"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NHM7LSY", "worker_id": "A258PTOZ3D2TQR"}], "B07SRYMNXF": [{"asin": "B07SRYMNXF", "instruction": "i want a black folding chair with a steel frame", "attributes": ["coated steel", "steel frame"], "options": ["color: black", "size: 2-pack"], "instruction_attributes": ["steel frame"], "instruction_options": ["black"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAK7OXBO", "worker_id": "AVIEE6LDH0BT5"}], "B08STYKF65": [{"asin": "B08STYKF65", "instruction": "i'm looking for a fruit snacks that is in freeze dried form of a real fruit.", "attributes": ["freeze dried", "real fruit"], "options": [""], "instruction_attributes": ["freeze dried", "real fruit"], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L5Q8QR1", "worker_id": "AR0VJ5XRG16UJ"}], "B071SF41Y9": [{"asin": "B071SF41Y9", "instruction": "find a tablet with a core i5 processor", "attributes": ["intel core", "core i5"], "options": ["size: intel core i5, 8gb ram, 128gb", "style: with black type cover"], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBQ076E8", "worker_id": "AVIEE6LDH0BT5"}], "B00BBWBOQA": [{"asin": "B00BBWBOQA", "instruction": "i am looking for poly-cotton in digital blue", "attributes": ["polyester cotton", "cotton heather"], "options": ["color: digital blue", "size: large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["digital blue"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSWWBTUM", "worker_id": "A2MSIFDLOHI1UT"}], "B093WNLZ67": [{"asin": "B093WNLZ67", "instruction": "i am looking for blackout brown color roller shades", "attributes": ["high density", "living room"], "options": ["color: blackout brown 3911", "size: 37\"w x 64\"h"], "instruction_attributes": ["living room"], "instruction_options": ["blackout brown 3911"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG6V9IWW", "worker_id": "A16M39T60N60NO"}, {"asin": "B093WNLZ67", "instruction": "i'm looking for make a decor products for living room. the color blackout light grey.", "attributes": ["high density", "living room"], "options": ["color: blackout light grey 3908", "size: 23\"w x 72\"h"], "instruction_attributes": ["high density", "living room"], "instruction_options": ["blackout light grey 3908"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLOG4I9", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B093WNLZ67", "instruction": "i would like a 20 wide by 72 tall blackout beige roller shade for the living room.", "attributes": ["high density", "living room"], "options": ["color: blackout beige 3902", "size: 20\"w x 72\"h"], "instruction_attributes": ["living room"], "instruction_options": ["blackout beige 3902", "20\"w x 72\"h"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFSX3V5", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B093WNLZ67", "instruction": "i want to find blackout baby blue window shades for my living room that are 23 inches in width and 64 inches in height.", "attributes": ["high density", "living room"], "options": ["color: blackout baby blue 3913", "size: 23\"w x 64\"h"], "instruction_attributes": ["living room"], "instruction_options": ["blackout baby blue 3913", "23\"w x 64\"h"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0S48J5", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B093WNLZ67", "instruction": "i want blackout brown roller shades for my living room.", "attributes": ["high density", "living room"], "options": ["color: blackout brown 3911", "size: 84\"w x 72\"h"], "instruction_attributes": ["living room"], "instruction_options": ["blackout brown 3911"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALEZ4HK", "worker_id": "A2RBF3IIJP15IH"}], "B086Z2BPKJ": [{"asin": "B086Z2BPKJ", "instruction": "i am looking for crazy monkey baking with low sodium and natural ingredients of size 7.5 ounce", "attributes": ["low sodium", "resealable bag", "natural ingredients", "artificial flavors"], "options": ["flavor name: cranberry almond", "size: 7.5 ounce"], "instruction_attributes": ["low sodium", "natural ingredients"], "instruction_options": ["7.5 ounce"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3ZDS5JC", "worker_id": "AX2EWYWZM19AZ"}], "B07H5VF96G": [{"asin": "B07H5VF96G", "instruction": "i am looking for high performance refurbished hp laserjet m3035xs m3035 cc477a laser printer", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHQPGDQH", "worker_id": "AX2EWYWZM19AZ"}], "B000AOFVZK": [{"asin": "B000AOFVZK", "instruction": "i'm looking for a high speed digital camera with optical zoom lens and should include batteries.", "attributes": ["batteries included", "high speed", "optical zoom"], "options": [""], "instruction_attributes": ["batteries included", "high speed", "optical zoom"], "instruction_options": [], "assignment_id": "3TMSXRD2XHARKT38OQUV111UPTVW1F", "worker_id": "AR0VJ5XRG16UJ"}], "B07DJB31RD": [{"asin": "B07DJB31RD", "instruction": "i am looking for a ballet flat with rubber sole for comfortable fit. also choose silver white color and 6.5 in size.", "attributes": ["comfortable fit", "rubber sole"], "options": ["color: silver silver white c0434", "size: 6.5"], "instruction_attributes": ["comfortable fit", "rubber sole"], "instruction_options": ["silver silver white c0434", "6.5"], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89ZZBGAO", "worker_id": "A2HMEGTAFO0CS8"}], "B0971VV99P": [{"asin": "B0971VV99P", "instruction": "i'm looking for strawberry lemonade that is free of caffeine and sugar.", "attributes": ["caffeine free", "sugar free", "source vitamin"], "options": ["flavor name: strawberry lemonade"], "instruction_attributes": ["caffeine free", "sugar free"], "instruction_options": ["strawberry lemonade"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q414LZ0", "worker_id": "AFU00NU09CFXE"}, {"asin": "B0971VV99P", "instruction": "pink lemonade flavored juice drink mix, please. it needs to be sugar-free and caffeine-free.", "attributes": ["caffeine free", "sugar free", "source vitamin"], "options": ["flavor name: pink lemonade"], "instruction_attributes": ["caffeine free", "sugar free"], "instruction_options": ["pink lemonade"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39SMWMGL", "worker_id": "AHTWQSOY6HTJI"}], "B083WDX378": [{"asin": "B083WDX378", "instruction": "i want a mini desktop with intel core i5 4200u", "attributes": ["dual band", "high speed", "quad core", "intel core"], "options": ["color: cpu i5 4200u", "size: 8g ram 240g ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["cpu i5 4200u"], "assignment_id": "32SCWG5HISEW7674IASH43KF47C6PW", "worker_id": "AVIEE6LDH0BT5"}], "B077TYBD6X": [{"asin": "B077TYBD6X", "instruction": "i need a table lamp with bronze finish for my living room", "attributes": ["bronze finish", "living room"], "options": ["color: yukon slate"], "instruction_attributes": ["bronze finish"], "instruction_options": [], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDG1BE9N", "worker_id": "AVIEE6LDH0BT5"}], "B09NCTZNG8": [{"asin": "B09NCTZNG8", "instruction": "i want a slim fit jeans", "attributes": ["slim fit", "straight leg", "wide leg", "classic fit", "elastic waist"], "options": ["color: black", "size: medium"], "instruction_attributes": ["slim fit"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRU8UL7B", "worker_id": "AVIEE6LDH0BT5"}], "B0745LSBN9": [{"asin": "B0745LSBN9", "instruction": "i am interested in buying area rugs which are suitable for living room, have chocolate color, and the site of 2.6 ft. x 10ft.", "attributes": ["spot clean", "mid century", "living room"], "options": ["color: chocolate", "item shape: runner", "size: 2.6 ft. x 10 ft."], "instruction_attributes": ["living room"], "instruction_options": ["chocolate", "2.6 ft. x 10 ft."], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDXEJ1RK", "worker_id": "AJY5G987IRT25"}, {"asin": "B0745LSBN9", "instruction": "i need a chocolate covered runner rug for the living room that is 9 by 12 ft", "attributes": ["spot clean", "mid century", "living room"], "options": ["color: a chocolate", "item shape: runner", "size: 9 ft x 12 ft"], "instruction_attributes": ["living room"], "instruction_options": ["a chocolate", "runner", "9 ft x 12 ft"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZGOA7E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MCT2C4B": [{"asin": "B09MCT2C4B", "instruction": "i am looking for dining room in grey adjustable swivel barstools-2", "attributes": ["easy assemble", "metal legs", "dining room"], "options": ["color: grey", "size: adjustable swivel barstools-2"], "instruction_attributes": ["dining room"], "instruction_options": ["grey", "adjustable swivel barstools-2"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNSCEJXC", "worker_id": "A2MSIFDLOHI1UT"}], "B07SGZ4QM8": [{"asin": "B07SGZ4QM8", "instruction": "i want a neon pink tank top suitable for machine wash", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: neon pink", "fit type: women", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["neon pink"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSL5TEPI", "worker_id": "AVIEE6LDH0BT5"}], "B0979KBDV4": [{"asin": "B0979KBDV4", "instruction": "i need a shirt with regular fit", "attributes": ["easy care", "machine wash", "regular fit", "stretch fabric", "button closure", "classic fit"], "options": ["color: coral reef", "size: 20\" neck 37\"-38' sleeve"], "instruction_attributes": ["regular fit"], "instruction_options": [], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8PG7A20", "worker_id": "AVIEE6LDH0BT5"}], "B072R2Z7RH": [{"asin": "B072R2Z7RH", "instruction": "i would like bottle of pink sprinkles for a birthday cake.", "attributes": ["non gmo", "gluten free", "artificial colors", "birthday party"], "options": ["flavor name: pink"], "instruction_attributes": ["birthday party"], "instruction_options": ["pink"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TMINRVW", "worker_id": "A1WS884SI0SLO4"}], "B071CPPYMC": [{"asin": "B071CPPYMC", "instruction": "i would like a wirefree pink amethyst 36c bra that is machine washable.", "attributes": ["machine wash", "nylon spandex", "stretch fabric"], "options": ["color: wirefree - pink amethyst", "fit type: wirefree", "size: 36c"], "instruction_attributes": ["machine wash"], "instruction_options": ["wirefree - pink amethyst", "wirefree", "36c"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6QPDUBZ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B071CPPYMC", "instruction": "i am interested in buying a back smoothing bra which is machine washable in size 38c.", "attributes": ["machine wash", "nylon spandex", "stretch fabric"], "options": ["color: underwire - steele", "fit type: underwire", "size: 38c"], "instruction_attributes": ["machine wash"], "instruction_options": ["38c"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0Y1PX8", "worker_id": "AHXHM1PQTRWIQ"}], "B09B3DZ96H": [{"asin": "B09B3DZ96H", "instruction": "i need heavy duty beauty salon reclining hair chair", "attributes": ["heavy duty", "beauty salon"], "options": [""], "instruction_attributes": ["heavy duty", "beauty salon"], "instruction_options": [], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPD8JQ5N", "worker_id": "A258PTOZ3D2TQR"}], "B07NFDBYQQ": [{"asin": "B07NFDBYQQ", "instruction": "i'm looking for sugar free premium assorted chocolate bar with crunchy almonds (1.76 oz)", "attributes": ["keto friendly", "sugar free", "natural ingredients"], "options": ["flavor name: premium assorted chocolate", "size: crunchy almonds (1.76 oz)"], "instruction_attributes": ["sugar free"], "instruction_options": ["premium assorted chocolate"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3Z5JT86", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07NFDBYQQ", "instruction": "i am looking for keto friendly chocolate bar containing crunchy almonds of 1.76 oz.", "attributes": ["keto friendly", "sugar free", "natural ingredients"], "options": ["flavor name: milk chocolate bar", "size: crunchy almonds (1.76 oz)"], "instruction_attributes": ["keto friendly"], "instruction_options": ["crunchy almonds (1.76 oz)"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53Y0GK7", "worker_id": "A1Q8PPQQCWGY0D"}], "B08T1RX1NZ": [{"asin": "B08T1RX1NZ", "instruction": "i'm looking for a brown button down shirt with long sleeves.", "attributes": ["machine washable", "relaxed fit", "button closure", "long sleeve"], "options": ["color: brown", "size: medium"], "instruction_attributes": ["button closure", "long sleeve"], "instruction_options": ["brown"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CIO81726", "worker_id": "A19317A3X87NVM"}], "B07SH9R9PW": [{"asin": "B07SH9R9PW", "instruction": "i am looking for bpa free lavender lip care kit", "attributes": ["clinically proven", "bpa free", "long lasting"], "options": ["color: lavender"], "instruction_attributes": ["bpa free"], "instruction_options": ["lavender"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4L2GUHD", "worker_id": "A16M39T60N60NO"}], "B07ZQT6SZQ": [{"asin": "B07ZQT6SZQ", "instruction": "i want grey dearfoams memory foam clogs.", "attributes": ["slip resistant", "machine washable", "memory foam"], "options": ["color: medium grey", "size: 5-6"], "instruction_attributes": ["memory foam"], "instruction_options": ["medium grey"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QR8LB5Z", "worker_id": "A2RBF3IIJP15IH"}], "B08LDBFKMS": [{"asin": "B08LDBFKMS", "instruction": "i want pink cupcake toppers for my baby shower", "attributes": ["baby shower", "cupcake picks", "party supplies", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["baby shower"], "instruction_options": ["pink"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDG1HE9T", "worker_id": "AVIEE6LDH0BT5"}], "B09NMRVMZV": [{"asin": "B09NMRVMZV", "instruction": "i am looking for long lasting cool water candles", "attributes": ["long lasting", "soy wax"], "options": ["scent: cool water", "size: faith family friends"], "instruction_attributes": ["long lasting"], "instruction_options": ["cool water"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CU2XLPF", "worker_id": "A16M39T60N60NO"}], "B07GWJ8P6D": [{"asin": "B07GWJ8P6D", "instruction": "i want a black colored eco friendly curtain for my living room", "attributes": ["height adjustable", "eco friendly", "living room"], "options": ["color: black", "size: 84wx96l"], "instruction_attributes": ["eco friendly"], "instruction_options": ["black"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZGWE9VO", "worker_id": "AVIEE6LDH0BT5"}], "B0030ZRS98": [{"asin": "B0030ZRS98", "instruction": "i need a 13 oz package of wax for hair removal", "attributes": ["cruelty free", "hair removal", "dead skin"], "options": ["color: creme", "size: 13 ounce (pack of 1)"], "instruction_attributes": ["hair removal"], "instruction_options": ["13 ounce (pack of 1)"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3Z5H8TJ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0030ZRS98", "instruction": "i need a 13 ounce lavender cr\u00e8me hair removal wax by gigi.", "attributes": ["cruelty free", "hair removal", "dead skin"], "options": ["color: lavender cr\u00e8me", "size: 13 ounce (pack of 1)"], "instruction_attributes": ["hair removal"], "instruction_options": ["lavender cr\u00e8me", "13 ounce (pack of 1)"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN62GG5L", "worker_id": "A2RBF3IIJP15IH"}], "B09312YTQH": [{"asin": "B09312YTQH", "instruction": "i am looking for 3 pack easy clean natural skin massager for face", "attributes": ["easy clean", "easy use"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0PBVM36", "worker_id": "A258PTOZ3D2TQR"}], "B0832VZGX1": [{"asin": "B0832VZGX1", "instruction": "i am looking for a makeup pouch with high quality. also choose wine red color.", "attributes": ["high quality", "rose gold"], "options": ["color: wine red"], "instruction_attributes": ["high quality"], "instruction_options": ["wine red"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC41B8CRJ", "worker_id": "A2HMEGTAFO0CS8"}], "B0758FXDS7": [{"asin": "B0758FXDS7", "instruction": "i would like a 14 ounce bag of roasted almonds and other nuts that are gluten free.", "attributes": ["low sodium", "gluten free", "non gmo", "artificial flavors"], "options": ["flavor name: roasted almonds,cashew,peanuts", "size: 14 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["roasted almonds,cashew,peanuts", "14 ounce (pack of 6)"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I350X14Z", "worker_id": "A1WS884SI0SLO4"}], "B07NPHN1HH": [{"asin": "B07NPHN1HH", "instruction": "i am looking for grey color rugs for dining room", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: grey | gold", "item shape: rectangular", "size: 9' square"], "instruction_attributes": ["dining room"], "instruction_options": ["grey | gold"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBX4C6WO", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B07NPHN1HH", "instruction": "i would like a grey area rug that is for the living room", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: grey | green", "item shape: square", "size: 2'3\" x 10'"], "instruction_attributes": ["living room"], "instruction_options": ["grey | green"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LZKDCU", "worker_id": "A2ECRNQ3X5LEXD"}], "B091GV5PLL": [{"asin": "B091GV5PLL", "instruction": "i want a blue berry baking soda press toothpaste for bad breath.", "attributes": ["fresh breath", "bad breath"], "options": ["color: blue berry"], "instruction_attributes": ["bad breath"], "instruction_options": ["blue berry"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6USMMNM", "worker_id": "A2RBF3IIJP15IH"}], "B01ND0ZZQI": [{"asin": "B01ND0ZZQI", "instruction": "i am searching for long lasting refreshing, light fragrance mist for women", "attributes": ["design house", "long lasting", "fine mist"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEOGFOGV", "worker_id": "A258PTOZ3D2TQR"}], "B00IOTPVS0": [{"asin": "B00IOTPVS0", "instruction": "i am looking for gluten free cookies", "attributes": ["gluten free", "birthday cake"], "options": ["flavor name: cookies & cream", "size: 20 servings (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["cookies & cream"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LQPQROU", "worker_id": "A16M39T60N60NO"}], "B005IHVZHW": [{"asin": "B005IHVZHW", "instruction": "i'm looking for a clinically proven topical solution for hair regrowth treatments which should be easy to apply and also promotes hair growth and reduces hair loss.", "attributes": ["clinically proven", "easy apply", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["clinically proven", "easy apply", "hair growth", "hair loss"], "instruction_options": [], "assignment_id": "31EUONYN26DZ1WA44INARVVOBV3OVK", "worker_id": "AR0VJ5XRG16UJ"}], "B09QMS7YZD": [{"asin": "B09QMS7YZD", "instruction": "i am looking for a twin size bed with easy assemble made up of steel frame. also choose black color and twin-over-twin bunk beds style.", "attributes": ["twin size", "space saving", "easy assemble", "steel frame", "storage space"], "options": ["color: black", "style: \u200etwin-over-twin bunk beds"], "instruction_attributes": ["twin size", "easy assemble", "steel frame"], "instruction_options": [], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXN4SMWF", "worker_id": "A2HMEGTAFO0CS8"}], "B08YRWB3TR": [{"asin": "B08YRWB3TR", "instruction": "chair with adjustable height, backrest and lumbar support.", "attributes": ["height adjustable", "lumbar support"], "options": ["color: white"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": [], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLG7A0TT", "worker_id": "A3TTGSUBIK1YCL"}], "B08CZPZF17": [{"asin": "B08CZPZF17", "instruction": "i would like to buy computer desk which has steel frame and is in black color while it's size is large", "attributes": ["space saving", "easy assemble", "steel frame"], "options": ["color: black", "size: large"], "instruction_attributes": ["steel frame"], "instruction_options": ["black", "large"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WPJUC26", "worker_id": "AJY5G987IRT25"}], "B08783WFTL": [{"asin": "B08783WFTL", "instruction": "i want individually wrapped candy & chocolate assortment for baby shower", "attributes": ["individually wrapped", "baby shower"], "options": [""], "instruction_attributes": ["individually wrapped", "baby shower"], "instruction_options": [], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPEC4AIB", "worker_id": "A3N9ZYQAESNFQH"}], "B09Q6579W5": [{"asin": "B09Q6579W5", "instruction": "i am looking for colorful stereo wireless bluetooth easy use in g2", "attributes": ["easy carry", "easy use", "wireless bluetooth"], "options": ["color: g2"], "instruction_attributes": ["easy use", "wireless bluetooth"], "instruction_options": ["g2"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAVP29CT", "worker_id": "A2MSIFDLOHI1UT"}], "B09PJXZBSQ": [{"asin": "B09PJXZBSQ", "instruction": "i would like a #4 bath sponge that is non toxic and easy to keep clean.", "attributes": ["non toxic", "easy clean", "dead skin"], "options": ["color: 4"], "instruction_attributes": ["non toxic", "easy clean"], "instruction_options": ["4"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHQPHDQI", "worker_id": "A1WS884SI0SLO4"}], "B08G155272": [{"asin": "B08G155272", "instruction": "i would like a rectangular coffee table made of steel.", "attributes": ["assembly required", "coated steel"], "options": ["size: rectangle"], "instruction_attributes": ["coated steel"], "instruction_options": ["rectangle"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZEGRIRQ", "worker_id": "A1WS884SI0SLO4"}], "B06X973HJ3": [{"asin": "B06X973HJ3", "instruction": "i am looking for gluten free cookies", "attributes": ["low fat", "gluten free", "nut free", "low calorie"], "options": ["flavor name: toasted coconut"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JGVRVMF", "worker_id": "A16M39T60N60NO"}], "B07MWML5S1": [{"asin": "B07MWML5S1", "instruction": "i am looking for comfortable fit slim jeans", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: bozeman", "fit type: slim", "size: 46w x 30l"], "instruction_attributes": ["comfortable fit"], "instruction_options": [], "assignment_id": "3QIYRE09YER1XZUUWP385IO3WHS1NU", "worker_id": "A16M39T60N60NO"}, {"asin": "B07MWML5S1", "instruction": "i want to buy a pair of machine washable jeans with a 33 inch waist and a 30 inch length. they should come in a \"granite\" color.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: granite", "fit type: big & tall", "size: 33w x 30l"], "instruction_attributes": ["machine wash"], "instruction_options": ["granite", "33w x 30l"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LHN0LY", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07MWML5S1", "instruction": "i want to find a pair of cowboy cut jeans with a relaxed, comfortable fit. the jeans need to be 31 inches in width and 38 inches in length.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: error:#n | a", "fit type: relaxed", "size: 31w x 38l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["relaxed", "31w x 38l"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS1C9GO", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07MWML5S1", "instruction": "i want a big & tall machine washable wrangler mens cowboy jeans.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: portland", "fit type: big & tall", "size: 36w x 31l"], "instruction_attributes": ["machine wash"], "instruction_options": ["big & tall"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU72775P", "worker_id": "A2RBF3IIJP15IH"}], "B01N97KVM8": [{"asin": "B01N97KVM8", "instruction": "i am looking for a pair of long lasting men's wrangler cowboy cut jeans that are machine washable.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: blue mount", "fit type: relaxed", "size: 29w x 33l"], "instruction_attributes": ["long lasting", "machine wash"], "instruction_options": ["relaxed"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8NZMWL7", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01N97KVM8", "instruction": "i have a request for you. men's wrangler 13mwz cowboy cut original fit jean, comfortable fit. i hope you find this gift for my boyfriend who has a birthday the size is size: 38w x 29l, and the color atlanta. i look forward to your return as soon as possible.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: atlanta", "fit type: regular", "size: 38w x 29l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["atlanta", "38w x 29l"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS4QUVB", "worker_id": "A15IJ20C3R4HUO"}], "B000HJB2NS": [{"asin": "B000HJB2NS", "instruction": "i would like a 6 inch long white soy candle.", "attributes": ["lead free", "white item", "soy wax", "living room"], "options": ["color: white", "size: 6 in"], "instruction_attributes": ["soy wax"], "instruction_options": ["white", "6 in"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E1H2X77", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000HJB2NS", "instruction": "i'm looking for a lead free colonial candle made of soy wax for living room. also choose 10 in limoncello colored one", "attributes": ["lead free", "white item", "soy wax", "living room"], "options": ["color: limoncello", "size: 10 in"], "instruction_attributes": ["lead free", "soy wax", "living room"], "instruction_options": ["limoncello", "10 in"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR70KY6Y", "worker_id": "AR0VJ5XRG16UJ"}], "B09MPNDRSJ": [{"asin": "B09MPNDRSJ", "instruction": "i am in need of 20 pcs high quality black color crown dreadlock hair jewelry for women braid", "attributes": ["high quality", "hair extensions"], "options": ["color: b"], "instruction_attributes": ["high quality"], "instruction_options": ["b"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBQ06E6F", "worker_id": "A258PTOZ3D2TQR"}], "B084SK7GGV": [{"asin": "B084SK7GGV", "instruction": "i am looking for along lasting t-shirt for a adult with quality material which washable in machine. also choose depaul- navy color and x-large size.", "attributes": ["officially licensed", "long lasting", "machine wash", "quality materials", "long sleeve"], "options": ["color: depaul - navy", "size: x-large"], "instruction_attributes": ["long lasting", "machine wash", "quality materials"], "instruction_options": ["depaul - navy", "x-large"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT747B2TB3", "worker_id": "A2HMEGTAFO0CS8"}], "B09B2VF4RD": [{"asin": "B09B2VF4RD", "instruction": "i want 1 solawave renew complex serum for dark circles.", "attributes": ["clinically proven", "anti aging", "cruelty free", "hyaluronic acid", "natural ingredients", "dark circles"], "options": ["size: pack of 1"], "instruction_attributes": ["dark circles"], "instruction_options": ["pack of 1"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XQVC6VG", "worker_id": "A2RBF3IIJP15IH"}], "B09FQ8TN1L": [{"asin": "B09FQ8TN1L", "instruction": "i am looking for birthday party cupcake toppers, decorations supplies of pattern name : gold 30", "attributes": ["cupcake picks", "birthday party"], "options": ["pattern name: gold 30"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold 30"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8OYCKBP", "worker_id": "AX2EWYWZM19AZ"}], "B09KV97TW2": [{"asin": "B09KV97TW2", "instruction": "i would like a cowlop 52 by 84 inch window panel for my living room.", "attributes": ["easy clean", "living room", "dining room"], "options": ["color: cowlop9951", "size: 52x84in"], "instruction_attributes": ["living room"], "instruction_options": ["cowlop9951", "52x84in"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G9YSR4M", "worker_id": "A1WS884SI0SLO4"}], "B075V2MJ9F": [{"asin": "B075V2MJ9F", "instruction": "i am looking for studio photography digital photography in grey", "attributes": ["light weight", "digital photography"], "options": ["color: grey"], "instruction_attributes": ["digital photography"], "instruction_options": ["grey"], "assignment_id": "3HSYG7LRBU82VUVD7MHAI53YBS0KKO", "worker_id": "A16M39T60N60NO"}], "B071D7Z9YN": [{"asin": "B071D7Z9YN", "instruction": "i am looking for a rubber sole clog shoe with arc support. also choose 9.5 size.", "attributes": ["rubber sole", "arch support"], "options": ["size: 9.5"], "instruction_attributes": ["rubber sole", "arch support"], "instruction_options": ["9.5"], "assignment_id": "39LNWE0K456PSVA11X00BCXJLFXUI8", "worker_id": "A2HMEGTAFO0CS8"}], "B094JXZX2L": [{"asin": "B094JXZX2L", "instruction": "i am looking for gluten free mooala banana milk", "attributes": ["shelf stable", "nut free", "plant based", "non dairy", "gluten free", "usda organic", "dairy free"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZD40I7U", "worker_id": "A16M39T60N60NO"}], "B08TG8KFQQ": [{"asin": "B08TG8KFQQ", "instruction": "i want a white geak compatible with apple watch case.", "attributes": ["compatible apple", "easy install"], "options": ["color: white | rosegold", "size: 38 mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["white | rosegold"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FIF9Z4L", "worker_id": "A2RBF3IIJP15IH"}], "B001NQWDLO": [{"asin": "B001NQWDLO", "instruction": "i need to get some sulfate free hair spray", "attributes": ["sulfate free", "paraben free"], "options": ["color: spray"], "instruction_attributes": ["sulfate free"], "instruction_options": ["spray"], "assignment_id": "3TR2532VI040LV46NXNX77Y3V846JU", "worker_id": "A19317A3X87NVM"}], "B07XVQSGKP": [{"asin": "B07XVQSGKP", "instruction": "i'm looking for a white tv tray table that can help save me space.", "attributes": ["height adjustable", "space saving"], "options": ["color: white"], "instruction_attributes": ["space saving"], "instruction_options": ["white"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H1R561R", "worker_id": "A345TDMHP3DQ3G"}], "B08SQBV1F9": [{"asin": "B08SQBV1F9", "instruction": "i am looking for gluten free plant based cerals", "attributes": ["plant based", "gluten free", "soy free", "dairy free", "non gmo", "artificial colors"], "options": ["size: 8 ounce (3 count)"], "instruction_attributes": ["plant based", "gluten free"], "instruction_options": ["8 ounce (3 count)"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTSINA0G", "worker_id": "A16M39T60N60NO"}], "B08SCFN6ZG": [{"asin": "B08SCFN6ZG", "instruction": "i'm looking for freeze dried gluten free sliced strawberries and fresh vegetables", "attributes": ["freeze dried", "ready eat", "ready use", "gmo free", "gluten free", "artificial flavors"], "options": ["flavor: sliced strawberries"], "instruction_attributes": ["freeze dried", "gluten free"], "instruction_options": ["sliced strawberries"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQUTVD56", "worker_id": "A258PTOZ3D2TQR"}], "B08P8SLTLP": [{"asin": "B08P8SLTLP", "instruction": "i want a god for my best friend who sent me my son father's day t-shirt with classic fit and needle sleeve. also, i choose size 4t and cranberry color.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: cranberry", "fit type: men", "size: 4t"], "instruction_attributes": ["needle sleeve", "classic fit"], "instruction_options": ["cranberry", "4t"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVZX96LW", "worker_id": "A59DVED5S9N9Y"}], "B0773QFLQG": [{"asin": "B0773QFLQG", "instruction": "i am in need of high protein gluten free jaipur millet & lentil, 2.3 ounce (pack of 8)", "attributes": ["ready eat", "plant based", "freeze dried", "high protein", "nut free", "soy free", "kosher certified", "dairy free", "non gmo", "gluten free", "artificial flavors"], "options": ["flavor: jaipur millet & lentil", "size: 2.3 ounce (pack of 8)"], "instruction_attributes": ["high protein", "gluten free"], "instruction_options": ["jaipur millet & lentil", "2.3 ounce (pack of 8)"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB5XNM8Y", "worker_id": "A258PTOZ3D2TQR"}], "B07C881V3Z": [{"asin": "B07C881V3Z", "instruction": "i need a easy to apply temporary tattoo", "attributes": ["easy apply", "non toxic", "long lasting", "high quality", "coconut oil", "dry skin", "sensitive skin"], "options": ["pattern name: skull rose"], "instruction_attributes": ["easy apply"], "instruction_options": [], "assignment_id": "3DOCMVPBTYO4B61J1C162P16ZI0NNR", "worker_id": "AVIEE6LDH0BT5"}], "B003VMVL0M": [{"asin": "B003VMVL0M", "instruction": "looking for rich creamy cocoa classics also choose flavor raspberry", "attributes": ["rich creamy", "gluten free"], "options": ["flavor: raspberry", "size: 1.25 ounce packets (pack of 72)"], "instruction_attributes": ["rich creamy"], "instruction_options": ["raspberry"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYGAX46KT", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B003VMVL0M", "instruction": "i am looking for a 1.25 ounce (pack of 36) of rich creamy cocoa", "attributes": ["rich creamy", "gluten free"], "options": ["flavor: mint", "size: 1.25 ounce (pack of 36)"], "instruction_attributes": ["rich creamy"], "instruction_options": ["1.25 ounce (pack of 36)"], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM96W1IN", "worker_id": "A9QRQL9CFJBI7"}], "B08YJN9S26": [{"asin": "B08YJN9S26", "instruction": "i'm looking for a contemporary designed, hand painted vase for living room and should be made of eco friendly materials. also, choose medium sunburst colored one.", "attributes": ["hand painted", "non slip", "eco friendly", "contemporary design", "living room"], "options": ["color: sunburst (medium)"], "instruction_attributes": ["hand painted", "eco friendly", "contemporary design", "living room"], "instruction_options": ["sunburst (medium)"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTRV3EKX", "worker_id": "AR0VJ5XRG16UJ"}], "B0922HT4PV": [{"asin": "B0922HT4PV", "instruction": "i need a ottoman made from solid color", "attributes": ["non slip", "high density", "solid wood"], "options": ["color: a5"], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDRUACJN", "worker_id": "AVIEE6LDH0BT5"}], "B08BFPDQ8R": [{"asin": "B08BFPDQ8R", "instruction": "i want a easy to carry mirror", "attributes": ["easy carry", "rose gold", "stainless steel"], "options": ["color: sugar skull"], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV32W5LD", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B08BFPDQ8R", "instruction": "looking for rose gold travel purse mirror easy to carry also choose colour unicorn", "attributes": ["easy carry", "rose gold", "stainless steel"], "options": ["color: unicorn"], "instruction_attributes": ["easy carry", "rose gold"], "instruction_options": ["unicorn"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW72T4P", "worker_id": "A10OGH5CQBXL5N"}], "B07WRSP8FH": [{"asin": "B07WRSP8FH", "instruction": "i'm looking for a pokemon toothbrush", "attributes": ["bpa free", "oral hygiene"], "options": [""], "instruction_attributes": ["oral hygiene"], "instruction_options": [], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8MRWO1V", "worker_id": "A19317A3X87NVM"}], "B09RWVJZF7": [{"asin": "B09RWVJZF7", "instruction": "i'm looking for a slim fit women's jumpsuits with long sleeve. also, choose large, 001-hot pink one.", "attributes": ["hand wash", "slim fit", "long sleeve", "dry clean"], "options": ["color: 001-hot pink", "size: large"], "instruction_attributes": ["slim fit", "long sleeve"], "instruction_options": ["001-hot pink", "large"], "assignment_id": "345LHZDED82A2SSIGUTD76VU2XZ3UG", "worker_id": "AR0VJ5XRG16UJ"}], "B086ZGK88G": [{"asin": "B086ZGK88G", "instruction": "i'm looking for 20 inch double sided tape hair extensions of balayage color", "attributes": ["double sided", "sulfate free", "high quality", "hair extensions"], "options": ["color: balayage#8 | 60", "size: 20 inch"], "instruction_attributes": ["double sided", "hair extensions"], "instruction_options": ["balayage#8 | 60", "20 inch"], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW7O0VVT", "worker_id": "A258PTOZ3D2TQR"}], "B08NZD172N": [{"asin": "B08NZD172N", "instruction": "i want a 10ft micro usb fast charging cable.", "attributes": ["fast charging", "usb port"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "31N2WW6R920LJAVSL5YEL6URSAMF3V", "worker_id": "A2RBF3IIJP15IH"}], "B09CMKK5BN": [{"asin": "B09CMKK5BN", "instruction": "i'm looking for a blue wall-mounted, spacing-saving console shelf for the living room.", "attributes": ["wall mounted", "space saving", "storage space", "living room"], "options": ["color: blue"], "instruction_attributes": ["wall mounted", "space saving", "living room"], "instruction_options": ["blue"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R2OE2IY", "worker_id": "AFU00NU09CFXE"}], "B09Q93MT44": [{"asin": "B09Q93MT44", "instruction": "i'm looking for x-large yellow high-waisted tights that provide butt lifting and tummy control.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: yellow", "size: x-large"], "instruction_attributes": ["butt lifting", "tummy control", "high waist"], "instruction_options": ["yellow", "x-large"], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMX2552O", "worker_id": "AFU00NU09CFXE"}], "B08NWBT9T1": [{"asin": "B08NWBT9T1", "instruction": "i am looking for sugar free, soy free, high protein and non gmo keto bread crumbs plain of size: 2 count(pack of 2)", "attributes": ["low carb", "low sodium", "sugar free", "protein serving", "soy free", "high protein", "non gmo"], "options": ["color: everything seasoned", "size: 2 count (pack of 2)"], "instruction_attributes": ["sugar free", "soy free", "high protein", "non gmo"], "instruction_options": ["2 count (pack of 2)"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7GSRK8Q", "worker_id": "AX2EWYWZM19AZ"}], "B09KNDLCXN": [{"asin": "B09KNDLCXN", "instruction": "find a easy to install vanity light", "attributes": ["easy install", "vanity light", "clear glass"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEGTLU5S", "worker_id": "AVIEE6LDH0BT5"}], "B08H5898QC": [{"asin": "B08H5898QC", "instruction": "i want a television stand with storage space", "attributes": ["tempered glass", "storage space"], "options": ["color: sargent oak", "style name: 52\" cori"], "instruction_attributes": ["storage space"], "instruction_options": [], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50RIGWGH", "worker_id": "AVIEE6LDH0BT5"}], "B093YTB1SH": [{"asin": "B093YTB1SH", "instruction": "i'm looking for a vintage laundry bag for blouse hosiery.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MNXN1JQ", "worker_id": "AR0VJ5XRG16UJ"}], "B09DTK5SR5": [{"asin": "B09DTK5SR5", "instruction": "i need black colored shoes with arch support", "attributes": ["non slip", "unique design", "arch support"], "options": ["color: black", "size: 13 women | 13 men"], "instruction_attributes": ["arch support"], "instruction_options": ["black"], "assignment_id": "39K0FND3ASPR95MUG7H134S6VLOAMR", "worker_id": "AVIEE6LDH0BT5"}], "B09PHS56TB": [{"asin": "B09PHS56TB", "instruction": "find a high quality makeup brush", "attributes": ["high quality", "hair removal", "eye shadow"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKK1Q0WH", "worker_id": "AVIEE6LDH0BT5"}], "B08QFHCD4P": [{"asin": "B08QFHCD4P", "instruction": "i am looking for memory foam dinosaur color slipppers", "attributes": ["non slip", "memory foam", "rubber sole"], "options": ["color: dinosaur-x-92", "size: 6-7 women | 4-5 men"], "instruction_attributes": ["memory foam"], "instruction_options": ["dinosaur-x-92"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3WHU1NW", "worker_id": "A16M39T60N60NO"}], "B084TVJR42": [{"asin": "B084TVJR42", "instruction": "i have a kamiao printed tablecloth live laugh love which have a cartoon style line art figures stars, cubes, circles, hearts with multicolor round tablecloth which is an eco friendly and easy to clean. also, i have the size 36x36 and pattern19 color.", "attributes": ["machine washable", "super soft", "eco friendly", "easy clean"], "options": ["color: pattern19", "size: 36\"x36\"(diameter 92cm)"], "instruction_attributes": ["super soft", "eco friendly", "easy clean"], "instruction_options": ["pattern19", "36\"x36\"(diameter 92cm)"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G8MY743", "worker_id": "A59DVED5S9N9Y"}], "B098SV868M": [{"asin": "B098SV868M", "instruction": "i am looking for an easy to install battery storage case with the batteries included.", "attributes": ["batteries included", "easy install"], "options": ["color: 3x18560"], "instruction_attributes": ["batteries included", "easy install"], "instruction_options": [], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E3ASCZCK", "worker_id": "A1EREKSZAA9V7B"}], "B07WF9N78Y": [{"asin": "B07WF9N78Y", "instruction": "i am looking for outlook sneaker rubber sole in navy light blue", "attributes": ["memory foam", "rubber sole"], "options": ["color: navy | light blue", "size: 12"], "instruction_attributes": ["rubber sole"], "instruction_options": ["navy | light blue"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKHG245K", "worker_id": "A2MSIFDLOHI1UT"}], "B0030ZRS8Y": [{"asin": "B0030ZRS8Y", "instruction": "i am looking for a cruelty free soft wax for a sensitive skin. also choose tea tree oil wax 14 oz and 5 ounce ( pack of 1 ) size.", "attributes": ["cruelty free", "hair removal", "sensitive skin"], "options": ["color: tea tree oil wax 14 oz", "size: 5 ounce (pack of 1)"], "instruction_attributes": ["cruelty free", "sensitive skin"], "instruction_options": ["tea tree oil wax 14 oz", "5 ounce (pack of 1)"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDEFPCIF", "worker_id": "A2HMEGTAFO0CS8"}], "B07PMLZN14": [{"asin": "B07PMLZN14", "instruction": "i am looking for anti aging masks in artemisia color", "attributes": ["anti aging", "cruelty free", "fine lines"], "options": ["color: artemisia"], "instruction_attributes": ["anti aging"], "instruction_options": ["artemisia"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKHG254L", "worker_id": "A16M39T60N60NO"}], "B094ZN66Z5": [{"asin": "B094ZN66Z5", "instruction": "i am looking for", "attributes": ["twin size", "machine washable"], "options": ["color: black white", "size: twin | twin xl"], "instruction_attributes": ["machine washable"], "instruction_options": ["black white"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6P2CMMM", "worker_id": "A16M39T60N60NO"}], "B09KX9TV4F": [{"asin": "B09KX9TV4F", "instruction": "i want chinese new year good luck cake picks.", "attributes": ["party supplies", "cupcake picks"], "options": ["color: good luck"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["good luck"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSPM8JGA", "worker_id": "A2RBF3IIJP15IH"}], "B093K5MLRX": [{"asin": "B093K5MLRX", "instruction": "i need a wallet that goes with my blouse", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery"], "instruction_options": [], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB6675F5", "worker_id": "A2ECRNQ3X5LEXD"}], "B08N5DXTFQ": [{"asin": "B08N5DXTFQ", "instruction": "i am looking for a eco friendly horoscope candle with soy wax. also choose sagittarius one", "attributes": ["eco friendly", "soy wax"], "options": ["color: sagittarius"], "instruction_attributes": ["eco friendly", "soy wax"], "instruction_options": ["sagittarius"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J70KKXG9", "worker_id": "A2HMEGTAFO0CS8"}], "B08DJ6D8X5": [{"asin": "B08DJ6D8X5", "instruction": "i am looking for alcohol free perfumes for galloway impression", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: perfums de marly galloway impression"], "instruction_attributes": ["alcohol free"], "instruction_options": ["perfums de marly galloway impression"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQRRFS6U", "worker_id": "A16M39T60N60NO"}], "B08RL96WH2": [{"asin": "B08RL96WH2", "instruction": "i want non gmo freeze dried fruit and vegetables carrot flavor 1.5 ounce (pack of 1)", "attributes": ["freeze dried", "kosher certified", "non gmo", "resealable bag"], "options": ["flavor: carrot", "size: 1.5 ounce (pack of 1)"], "instruction_attributes": ["freeze dried", "non gmo"], "instruction_options": ["carrot", "1.5 ounce (pack of 1)"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJPY0YD8", "worker_id": "A3N9ZYQAESNFQH"}], "B08J6H6BKJ": [{"asin": "B08J6H6BKJ", "instruction": "find a black remote with batteries included", "attributes": ["batteries included", "aaa batteries"], "options": ["color: black"], "instruction_attributes": ["batteries included"], "instruction_options": ["black"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAVPYC9S", "worker_id": "AVIEE6LDH0BT5"}], "B09K8D4JRX": [{"asin": "B09K8D4JRX", "instruction": "i am looking a hyaluronic acid deep conditioner for hair treatment of dry har to improve smoothness", "attributes": ["hyaluronic acid", "hair treatment", "dry hair"], "options": [""], "instruction_attributes": ["hyaluronic acid", "hair treatment", "dry hair"], "instruction_options": [], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRNDBW39", "worker_id": "A3N9ZYQAESNFQH"}], "B09DL9TQ6R": [{"asin": "B09DL9TQ6R", "instruction": "i am looking for birthday party , cupcake picks of pattern name: pattern 5", "attributes": ["birthday party", "cupcake picks", "baby shower"], "options": ["pattern name: pattern 5"], "instruction_attributes": ["birthday party", "cupcake picks"], "instruction_options": ["pattern 5"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZBJKC87", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B09DL9TQ6R", "instruction": "i am looking for cupcake toppers for a birthday party. also, i prefer the pattern 2 over others.", "attributes": ["birthday party", "cupcake picks", "baby shower"], "options": ["pattern name: pattern 2"], "instruction_attributes": ["birthday party"], "instruction_options": ["pattern 2"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7X4QYN", "worker_id": "AJDQGOTMB2D80"}], "B08NJGPH9M": [{"asin": "B08NJGPH9M", "instruction": "i would like to buy blanket, which is super soft, and is of multi 20 color, and king size", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 20", "size: king"], "instruction_attributes": ["super soft"], "instruction_options": ["multi 20", "king"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPL8JJMH", "worker_id": "AJY5G987IRT25"}], "B09D3MFKF6": [{"asin": "B09D3MFKF6", "instruction": "i want a super soft fleece thrown for living for room size 50\"*40\"", "attributes": ["super soft", "fleece throw"], "options": ["color: cute sloth and donut", "size: 50\"x40\""], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["50\"x40\""], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDEFRICN", "worker_id": "A3N9ZYQAESNFQH"}], "B07Z9918BC": [{"asin": "B07Z9918BC", "instruction": "i am looking a space saving easy to assamble sofa table for lliving room", "attributes": ["eco friendly", "space saving", "easy assemble", "living room"], "options": [""], "instruction_attributes": ["space saving", "easy assemble", "living room"], "instruction_options": [], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67XC67FQ", "worker_id": "A3N9ZYQAESNFQH"}], "B01HEXEHWC": [{"asin": "B01HEXEHWC", "instruction": "i want tangerine colored crocs made with vinyl acetate for kids.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: tangerine", "size: 13 little kid", "special size: little kid (4-8 years)"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["tangerine"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX6AIF4G", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B01HEXEHWC", "instruction": "i am looking for candy pink and black toddler clogs with vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: candy pink | black", "size: 12-13 little kid", "special size: little kid (4-8 years)"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["candy pink | black"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3W37Q7", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01HEXEHWC", "instruction": "i am looking for a 5 toddler size vinyl acetate of clogs & mules", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: powder blue", "size: 5 toddler", "special size: toddler (1-4 years)"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["5 toddler"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCKCIPE", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01HEXEHWC", "instruction": "i am looking for vinyl acetate clog for child.please choose army green color.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: army green", "size: 4 toddler", "special size: toddler (1-4 years)"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["army green"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6HNUPQ", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B01HEXEHWC", "instruction": "i need bright cobalt clogs that are made of vinyl and are a size 5 toddler.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: bright cobalt", "size: 5 toddler", "special size: little kid (4-8 years)"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["bright cobalt", "5 toddler"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKJ4VPE", "worker_id": "A2ECRNQ3X5LEXD"}], "B07V9MQWZQ": [{"asin": "B07V9MQWZQ", "instruction": "i want a screen protector made with tempered glass", "attributes": ["glass screen", "tempered glass"], "options": [""], "instruction_attributes": ["tempered glass"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDN5M9W4", "worker_id": "AVIEE6LDH0BT5"}], "B08BRGF84C": [{"asin": "B08BRGF84C", "instruction": "universal remote control with battery included", "attributes": ["batteries included", "aaa batteries"], "options": ["size: 1 pack"], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5XOWOUX", "worker_id": "A3TTGSUBIK1YCL"}], "B079B3266S": [{"asin": "B079B3266S", "instruction": "i want 36 jars of a rose gold bpa free makeup bottles.", "attributes": ["leak proof", "bpa free"], "options": ["color: rose gold", "size: 36 jars"], "instruction_attributes": ["bpa free"], "instruction_options": ["rose gold", "36 jars"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMW0633KL", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B079B3266S", "instruction": "i need 36 beauticom 60 gram leak proof plastic jars with white lids. i want them in amber.", "attributes": ["leak proof", "bpa free"], "options": ["color: amber", "size: 36 jars"], "instruction_attributes": ["leak proof"], "instruction_options": ["amber", "36 jars"], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVYLIDI8", "worker_id": "A1CB72B51L7TKE"}, {"asin": "B079B3266S", "instruction": "travel storage white color leak proof for makeup cosmetic lotion scrubs creams oil size 12 jar", "attributes": ["leak proof", "bpa free"], "options": ["color: white", "size: 12 jars"], "instruction_attributes": ["leak proof"], "instruction_options": [], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3MQLZR", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B079B3266S", "instruction": "i need a leak proof, bpa free cosmetic bag that can fit 12 jars inside. look for a pink one.", "attributes": ["leak proof", "bpa free"], "options": ["color: pink", "size: 12 jars"], "instruction_attributes": ["leak proof", "bpa free"], "instruction_options": ["pink", "12 jars"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E01L7X3", "worker_id": "AR9AU5FY1S3RO"}], "B09T3PYRH9": [{"asin": "B09T3PYRH9", "instruction": "i am looking for gold color high definition tablets", "attributes": ["high definition", "quad core"], "options": ["color: gold"], "instruction_attributes": ["high definition"], "instruction_options": ["gold"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72B02OEG", "worker_id": "A16M39T60N60NO"}], "B092VMNRC1": [{"asin": "B092VMNRC1", "instruction": "i'm interested in a rose gold makeup mirror that is double-sided and easy to carry.", "attributes": ["double sided", "easy carry", "rose gold"], "options": [""], "instruction_attributes": ["double sided", "easy carry", "rose gold"], "instruction_options": [], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YO0INTO", "worker_id": "AFU00NU09CFXE"}], "B07NB11WCT": [{"asin": "B07NB11WCT", "instruction": "i want a sound bar with stereo sound", "attributes": ["aaa batteries", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XPYC9L5", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B07NB11WCT", "instruction": "i want a stereo sound soundbar+wireless subwoofer home theater system.", "attributes": ["aaa batteries", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PK1X2D", "worker_id": "A2RBF3IIJP15IH"}], "B08NSX1MM6": [{"asin": "B08NSX1MM6", "instruction": "i am looking for hair salon trolley, of color silver 27.5\"-43 height", "attributes": ["height adjustable", "hair salon", "beauty salon"], "options": ["color: silver"], "instruction_attributes": ["hair salon"], "instruction_options": ["silver"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1U7MMPH", "worker_id": "AX2EWYWZM19AZ"}], "B09NMJR882": [{"asin": "B09NMJR882", "instruction": "find a moisturizer with natural ingredients for dead skin", "attributes": ["natural ingredients", "dead skin"], "options": ["color: a05#grapes"], "instruction_attributes": ["natural ingredients", "dead skin"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4ZAV32EL", "worker_id": "AVIEE6LDH0BT5"}], "B00LR7CO04": [{"asin": "B00LR7CO04", "instruction": "i'm looking for a everyday wear chukka with rubber outsole. also choose 11.5-d with 11 wide bomber colored one.", "attributes": ["rubber outsole", "everyday wear"], "options": ["color: bomber | bomber", "size: 11 wide", "special size: 11.5-d"], "instruction_attributes": ["rubber outsole", "everyday wear"], "instruction_options": ["bomber | bomber", "11 wide", "11.5-d"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SJJS3TP", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00LR7CO04", "instruction": "i want a pair of extra wide rubber chukka shoes.", "attributes": ["rubber outsole", "everyday wear"], "options": ["color: bomber", "size: 8 wide", "special size: 10.5-ee"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["8 wide"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E4MXH0", "worker_id": "A19317A3X87NVM"}, {"asin": "B00LR7CO04", "instruction": "my order is : a pair of twisted x men's chukka riding mocs - handmade riding mocs in full grain leather with special size 14-d. let me know if you can find it in bombe/neon orange. i'm also looking for a rubber sole", "attributes": ["rubber outsole", "everyday wear"], "options": ["color: bomber | neon orange", "size: 9.5 wide", "special size: 14-d"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["bomber | neon orange", "14-d"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTK14D2", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B00LR7CO04", "instruction": "i am looking for a pair of men's size 10 everyday wear mocs.", "attributes": ["rubber outsole", "everyday wear"], "options": ["color: bomber", "size: 10", "special size: 7.5-ee"], "instruction_attributes": ["everyday wear"], "instruction_options": ["10"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68J44A4", "worker_id": "A1EREKSZAA9V7B"}], "B079KCFTZ9": [{"asin": "B079KCFTZ9", "instruction": "i need a remote control for my blue-ray", "attributes": ["blu ray", "aaa batteries"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BJ6584S", "worker_id": "AVIEE6LDH0BT5"}], "B08ZXXJL6N": [{"asin": "B08ZXXJL6N", "instruction": "i am looking for quad core 128gb emmc mini computer with windows 10 pro of size : intel n4020 4gb|128gb", "attributes": ["dual band", "quad core"], "options": ["size: intel n4020 4gb | 128gb"], "instruction_attributes": ["quad core"], "instruction_options": ["intel n4020 4gb | 128gb"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJMEYVAR", "worker_id": "AX2EWYWZM19AZ"}], "B08LBMXBNF": [{"asin": "B08LBMXBNF", "instruction": "i am in need of matte screen protector tempered glass for iphone 12 pro max (6.7\")", "attributes": ["easy install", "tempered glass"], "options": ["size: 6.7\""], "instruction_attributes": ["tempered glass"], "instruction_options": ["6.7\""], "assignment_id": "34PGFRQONZLYFAJCEF0151XGJAVJW6", "worker_id": "A258PTOZ3D2TQR"}], "B09RB2JZ6D": [{"asin": "B09RB2JZ6D", "instruction": "i am looking for a portable high-power wireless bluetooth speaker. also choose gray color.", "attributes": ["high power", "wireless bluetooth"], "options": ["color: gray"], "instruction_attributes": ["high power"], "instruction_options": ["gray"], "assignment_id": "3URFVVM16GSBNLZB11OMB709HSXZU8", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B09RB2JZ6D", "instruction": "i need a black wireless bluetooth speaker.", "attributes": ["high power", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZKNR7E", "worker_id": "A2ECRNQ3X5LEXD"}], "B092JFXKLS": [{"asin": "B092JFXKLS", "instruction": "i am looking for daily wear shorts in dark blue color", "attributes": ["drawstring closure", "elastic waist", "daily wear"], "options": ["color: dark blue", "size: x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["dark blue"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KE7UQZX", "worker_id": "A16M39T60N60NO"}], "B08RXZFJCB": [{"asin": "B08RXZFJCB", "instruction": "i am looking for a short for a pregnant woman with high waist and able to do quick drying. also choose dark purple color and x-large size.", "attributes": ["quick drying", "elastic closure", "high waist"], "options": ["color: 2pcs - black + dark purple", "size: x-large"], "instruction_attributes": ["quick drying", "high waist"], "instruction_options": ["2pcs - black + dark purple", "x-large"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0VU7A3B", "worker_id": "A2HMEGTAFO0CS8"}], "B08R92G3DR": [{"asin": "B08R92G3DR", "instruction": "i am looking for a light weight photography backdrop for a digital photography. also choose printed backdrop 11 color and 5x7 size.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 11", "size: 5x7 ft"], "instruction_attributes": ["light weight", "digital photography"], "instruction_options": ["printed backdrop 11", "5x7 ft"], "assignment_id": "33UKMF931KU01WBNV49UKNDQDI6TTX", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B08R92G3DR", "instruction": "i need a printed backdrop for digital photography that is 7 by 10 ft", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 03", "size: 7x10 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 03", "7x10 ft"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB4A4AQ8", "worker_id": "A2ECRNQ3X5LEXD"}], "B098R1LMGC": [{"asin": "B098R1LMGC", "instruction": "i want baralonly non slip slippers in size 9.5 for men.", "attributes": ["open toe", "non slip"], "options": ["color: 16#_coffee", "size: 9.5-10"], "instruction_attributes": ["non slip"], "instruction_options": ["9.5-10"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGU3QOQS", "worker_id": "A2RBF3IIJP15IH"}], "B09B27HLGV": [{"asin": "B09B27HLGV", "instruction": "i am looking for a sweater with long sleeve also able to quick drying. also choose black kids 05 color and 4-5t size.", "attributes": ["quick drying", "long sleeve"], "options": ["color: black kids 05", "size: 4-5t"], "instruction_attributes": ["quick drying", "long sleeve"], "instruction_options": ["black kids 05", "4-5t"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZGWI9VS", "worker_id": "A2HMEGTAFO0CS8"}], "B08XK4R9TH": [{"asin": "B08XK4R9TH", "instruction": "i want vanity lights made with brushed nickel.", "attributes": ["mid century", "easy install", "easy assemble", "brushed nickel", "glass shade", "nickel finish", "vanity light", "clear glass"], "options": ["color: brushed nickel", "size: 40.0 inch"], "instruction_attributes": ["vanity light"], "instruction_options": ["brushed nickel"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1663BS4MA", "worker_id": "A2RBF3IIJP15IH"}], "B01NAQTN1T": [{"asin": "B01NAQTN1T", "instruction": "i am looking for fresh breath tooth paste", "attributes": ["fresh breath", "bad breath"], "options": [""], "instruction_attributes": ["fresh breath"], "instruction_options": [], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N4ZPRY5", "worker_id": "A2MSIFDLOHI1UT"}], "B0936DMW9S": [{"asin": "B0936DMW9S", "instruction": "i am looking for long lasting, non toxic glossy nail polish of color : tuscany", "attributes": ["non toxic", "long lasting", "easy use", "nail polish"], "options": ["color: tuscany"], "instruction_attributes": ["non toxic", "long lasting"], "instruction_options": ["tuscany"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJZ3ZRG7", "worker_id": "AX2EWYWZM19AZ"}], "B086PCKRBV": [{"asin": "B086PCKRBV", "instruction": "i am looking for easy assemble white color beds", "attributes": ["white item", "easy assemble", "box spring", "storage space"], "options": ["color: white", "size: queen"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "3NGMS9VZTWSGZMBL50ZGMFJOV0QFF3", "worker_id": "A16M39T60N60NO"}], "B08BHB6GMK": [{"asin": "B08BHB6GMK", "instruction": "find a 0.8 ounce fruit snack pack made from simple ingredients", "attributes": ["individually wrapped", "non gmo", "simple ingredients"], "options": ["flavor name: variety pack", "size: 0.8 ounce (pack of 8)"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["0.8 ounce (pack of 8)"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGANS0XDV", "worker_id": "AVIEE6LDH0BT5"}], "B09MT7WSBJ": [{"asin": "B09MT7WSBJ", "instruction": "i am looking for 2 pieces of machine wash large size adult nightgown pajama sleep sets", "attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "dry clean"], "options": ["color: multi 9", "size: large"], "instruction_attributes": ["machine wash"], "instruction_options": ["multi 9", "large"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JGVOVMC", "worker_id": "A258PTOZ3D2TQR"}], "B09GNY9N38": [{"asin": "B09GNY9N38", "instruction": "i want a xx-large shegnsi plus size womens high waist trench coat.", "attributes": ["wide leg", "hand wash", "machine wash", "high waist", "quality materials", "elastic waistband", "short sleeve", "long sleeve"], "options": ["size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["xx-large"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ76038G95L", "worker_id": "A2RBF3IIJP15IH"}], "B08B5ML5YF": [{"asin": "B08B5ML5YF", "instruction": "i am interested in buying wall art which is suitable for dining room, has color of artwork-26 and with a size of 32\"wx16\"hx1pcs", "attributes": ["ready hang", "living room", "dining room"], "options": ["color: artwork-26", "size: 32\"wx16\"hx1pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["artwork-26", "32\"wx16\"hx1pcs"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SD449BO", "worker_id": "AJY5G987IRT25"}], "B00JKUPP74": [{"asin": "B00JKUPP74", "instruction": "i am looking for digital camera high resolution in white", "attributes": ["high resolution", "optical zoom"], "options": ["color: white"], "instruction_attributes": ["high resolution"], "instruction_options": ["white"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G9YR4RY", "worker_id": "A2MSIFDLOHI1UT"}], "B07K8STW37": [{"asin": "B07K8STW37", "instruction": "i'm looking for a pair of low rise boyfriend jeans in antic charcoal. i need a 28 waist and 32 length.", "attributes": ["low rise", "slim fit", "machine wash", "imported zipper"], "options": ["color: antic charcoal", "size: 28w x 32l"], "instruction_attributes": ["low rise"], "instruction_options": ["antic charcoal", "28w x 32l"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0MAHCDD", "worker_id": "A3OLRWACCCCUTU"}], "B09P4RK8LY": [{"asin": "B09P4RK8LY", "instruction": "i'm looking for a white nightstand with a 1 shelf storage space.", "attributes": ["easy clean", "storage space", "high gloss", "living room"], "options": ["color: white"], "instruction_attributes": ["storage space"], "instruction_options": ["white"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q414ZLE", "worker_id": "A19317A3X87NVM"}], "B093KGC7RW": [{"asin": "B093KGC7RW", "instruction": "i am looking for in travel laundry bag", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "37Z929RLGKIZMWY86444AIH4BZQTS6", "worker_id": "A2MSIFDLOHI1UT"}], "B08BR4HCPV": [{"asin": "B08BR4HCPV", "instruction": "i'm looking for a easy to assemble showcase cabinet with good storage space and has tempered glass countertop. also choose 47.2\"h * 15.7\" w sized one.", "attributes": ["easy assemble", "tempered glass", "storage space"], "options": ["size: 47.2\u201dh x 15.7\u201dw"], "instruction_attributes": ["easy assemble", "tempered glass", "storage space"], "instruction_options": ["47.2\u201dh x 15.7\u201dw"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOIGBH6B", "worker_id": "AR0VJ5XRG16UJ"}], "B09L1JYY7R": [{"asin": "B09L1JYY7R", "instruction": "i am interested in buying pullover for women which is machine washable and have women christmas gifts-a153-khaki color, and of size 3x-large", "attributes": ["quick drying", "machine washable", "long sleeve", "short sleeve", "laundry bag", "daily wear"], "options": ["color: women christmas gifts-a153-khaki", "size: 3x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["women christmas gifts-a153-khaki", "3x-large"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5XOWUO3", "worker_id": "AJY5G987IRT25"}], "B000MICPWQ": [{"asin": "B000MICPWQ", "instruction": "i want a campbell's soup that has vitamins and are made of chicken & star shaped pasta.", "attributes": ["source vitamin", "artificial colors"], "options": ["flavor name: chicken & star shaped pasta"], "instruction_attributes": ["source vitamin"], "instruction_options": ["chicken & star shaped pasta"], "assignment_id": "351SEKWQSBRP7CP60H83T50CGOLDMW", "worker_id": "A2RBF3IIJP15IH"}], "B079YDY7P2": [{"asin": "B079YDY7P2", "instruction": "i want a high performance ps4.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDCL7Y4V", "worker_id": "A1WS884SI0SLO4"}], "B09S6STSTZ": [{"asin": "B09S6STSTZ", "instruction": "i want a high quality dental floss to improve my oral hygiene", "attributes": ["easy use", "easy clean", "high quality", "stainless steel", "oral hygiene"], "options": [""], "instruction_attributes": ["high quality", "oral hygiene"], "instruction_options": [], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292X5QQW7", "worker_id": "AVIEE6LDH0BT5"}], "B07Y64XJ33": [{"asin": "B07Y64XJ33", "instruction": "i want a 16x16 painting for my living room", "attributes": ["ready hang", "living room"], "options": ["color: boat decoration pattern prints", "size: 16x16 inches*4pcs"], "instruction_attributes": ["living room"], "instruction_options": ["16x16 inches*4pcs"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72B0XEO1", "worker_id": "AVIEE6LDH0BT5"}], "B01HU10MSG": [{"asin": "B01HU10MSG", "instruction": "i want a shilo dark chocolate wig made from natural hair.", "attributes": ["natural hair", "synthetic hair", "hair growth"], "options": ["color: darkchocolate"], "instruction_attributes": ["natural hair"], "instruction_options": ["darkchocolate"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZBJL8C4", "worker_id": "A2RBF3IIJP15IH"}], "B07SZ9Q7WF": [{"asin": "B07SZ9Q7WF", "instruction": "i'm looking for a machine washable, classic fit tank tops made of heathers cotton and has needle sleeve. also, choose women's small, red colored one", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: red", "fit type: women", "size: small"], "instruction_attributes": ["machine wash", "heathers cotton", "needle sleeve", "classic fit"], "instruction_options": ["red", "women", "small"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K3623UGE", "worker_id": "AR0VJ5XRG16UJ"}], "B000AMUL9S": [{"asin": "B000AMUL9S", "instruction": "need a projection screen that is ultra hd and is easy to install. i'm looking for black/white version with 113\" size. aspect ratio needs to be 1:1 and pattern is projector screen + 6\" white screen.", "attributes": ["ultra hd", "easy install"], "options": ["color: black | white", "pattern name: projector screen + 6\" white projector screen", "size: 113\"", "style: 1:1, apect ratio"], "instruction_attributes": ["ultra hd", "easy install"], "instruction_options": ["black | white", "projector screen + 6\" white projector screen", "113\"", "1:1, apect ratio"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPL8XJMV", "worker_id": "A1MJVTR0PCKBWW"}, {"asin": "B000AMUL9S", "instruction": "i would like a black 84\" projection screen with a 16:9 ultra hd aspect ratio.", "attributes": ["ultra hd", "easy install"], "options": ["color: black | white", "pattern name: projector screen", "size: 84\"", "style: 16:9, aspect ratio"], "instruction_attributes": ["ultra hd"], "instruction_options": ["black | white", "projector screen", "84\"", "16:9, aspect ratio"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZZCZJY", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000AMUL9S", "instruction": "i am looking for 150\" white color 4k ultra hd 3d ready projector screen", "attributes": ["ultra hd", "easy install"], "options": ["color: black | white", "pattern name: projector screen + 12\" black projector screen", "size: 150\"", "style: 1:1, apect ratio"], "instruction_attributes": ["ultra hd"], "instruction_options": ["black | white", "150\""], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4LN8MV", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B000AMUL9S", "instruction": "i am looking for projector screens of size 106\" that are easy to install.", "attributes": ["ultra hd", "easy install"], "options": ["color: black | white", "pattern name: projector screen + 6\" white projector screen", "size: 106\"", "style: 16:10, aspect ratio"], "instruction_attributes": ["easy install"], "instruction_options": ["106\""], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOMTL99", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B000AMUL9S", "instruction": "i'm looking for a easy to install ultra hd manual projector screen in size 136 inch. choose the ones that come in color white.", "attributes": ["ultra hd", "easy install"], "options": ["color: white", "pattern name: projector screen + 6\" white projector screen", "size: 136\"", "style: manual"], "instruction_attributes": ["ultra hd", "easy install"], "instruction_options": ["white", "projector screen + 6\" white projector screen", "136\"", "manual"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZIS1EOYF", "worker_id": "A3MNXK3VDK37SN"}], "B09SNPM6XX": [{"asin": "B09SNPM6XX", "instruction": "dermatologically tested waterproof eyeliner", "attributes": ["dermatologist tested", "long lasting"], "options": ["color: d"], "instruction_attributes": ["dermatologist tested"], "instruction_options": [], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO23Z1W8Z", "worker_id": "A3TTGSUBIK1YCL"}], "B074D96PLL": [{"asin": "B074D96PLL", "instruction": "i am searching for fluoride free toothpaste scented with coconut chamomile, 4.2 oz", "attributes": ["fluoride free", "oil free", "coconut oil"], "options": ["scent: coconut chamomile"], "instruction_attributes": ["fluoride free"], "instruction_options": ["coconut chamomile"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50RIEGWZ", "worker_id": "A258PTOZ3D2TQR"}], "B08LW5QSR4": [{"asin": "B08LW5QSR4", "instruction": "i am interested in buying machine washable throws which are in magenta green color and the size should be 60\" x 80\" for adults.", "attributes": ["machine washable", "printing technology"], "options": ["color: magenta green", "size: 60\" x 80\" for adults"], "instruction_attributes": ["machine washable"], "instruction_options": ["magenta green", "60\" x 80\" for adults"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8SM1SK1", "worker_id": "AJY5G987IRT25"}], "B08L3868VD": [{"asin": "B08L3868VD", "instruction": "i want a stainless steel minkissy eyebrow trimming tool.", "attributes": ["high quality", "storage case", "stainless steel"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLBKMR8R", "worker_id": "A2RBF3IIJP15IH"}], "B098F2FPS1": [{"asin": "B098F2FPS1", "instruction": "i would like a pair of size 8.5 black sandals with a open toe.", "attributes": ["open toe", "closed toe", "ankle strap", "arch support"], "options": ["color: black", "size: 8.5"], "instruction_attributes": ["open toe"], "instruction_options": ["black", "8.5"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDG1EE9Q", "worker_id": "A1WS884SI0SLO4"}], "B09MQLXKX2": [{"asin": "B09MQLXKX2", "instruction": "i need a a31 light weight background", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a31", "size: 10x7ft | 3x2.2m"], "instruction_attributes": ["light weight"], "instruction_options": ["a31"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EBMD2SN", "worker_id": "AVIEE6LDH0BT5"}], "B09FJS23PM": [{"asin": "B09FJS23PM", "instruction": "i am in need of insulated wine tumbler and natural soy wax candles -4 packs", "attributes": ["lead free", "soy wax", "stainless steel"], "options": [""], "instruction_attributes": ["soy wax"], "instruction_options": [], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SJJRT3E", "worker_id": "A258PTOZ3D2TQR"}], "B08KSR21TM": [{"asin": "B08KSR21TM", "instruction": "i'm looking for travel size men's perfume in a 0.27 fl oz bottle size.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: paco rabanne one million impression", "size: 0.27 fl oz (pack of 1)"], "instruction_attributes": ["travel size"], "instruction_options": ["0.27 fl oz (pack of 1)"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I350X412", "worker_id": "A19317A3X87NVM"}, {"asin": "B08KSR21TM", "instruction": "i am looking for a refillable perfume sprayer for travelling purposes. look for an 8 ml size.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: tiziana terenzi bianco puro impression", "size: 0.17 fl oz | 5ml"], "instruction_attributes": ["travel size"], "instruction_options": [], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98DJKY4", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B08KSR21TM", "instruction": "i'm looking for fragrance for travel size and its for long lasting and need to buy it.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: chanel chance impression", "size: 0.27 fl oz | 8ml"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["chanel chance impression"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMDVXDV", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08KSR21TM", "instruction": "azzaro wanted gil impression perfume travel size refillable and quality should be high", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: azzaro wanted girl impression", "size: 0.17 fl oz | 5ml"], "instruction_attributes": ["travel size", "high quality"], "instruction_options": [], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUBVDZ6", "worker_id": "A3N9ZYQAESNFQH"}], "B08R6NCZ95": [{"asin": "B08R6NCZ95", "instruction": "i am looking for a gluten free snacking avocado with non gmo.", "attributes": ["freeze dried", "sugar free", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": [], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMP37M9P", "worker_id": "A2HMEGTAFO0CS8"}], "B08NT3YW86": [{"asin": "B08NT3YW86", "instruction": "i'm looking for an aluminum alloy, ultra hd hdmi cable that is designed for plug and play.", "attributes": ["ultra hd", "plug play", "aluminum alloy"], "options": [""], "instruction_attributes": ["ultra hd", "plug play", "aluminum alloy"], "instruction_options": [], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RZ449QZ", "worker_id": "AFU00NU09CFXE"}], "B0017645AM": [{"asin": "B0017645AM", "instruction": "i am looking for gold plated video cables", "attributes": ["blu ray", "gold plated"], "options": [""], "instruction_attributes": ["gold plated"], "instruction_options": [], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RG953EZ", "worker_id": "A16M39T60N60NO"}], "B09SLPNPJ2": [{"asin": "B09SLPNPJ2", "instruction": "i am looking for women fashion sneakers with anti slip, steel toe, high heel, memory foam of size :10", "attributes": ["anti slip", "steel toe", "high heel", "quality materials", "arch support", "memory foam", "rubber sole"], "options": ["size: 10"], "instruction_attributes": ["anti slip", "steel toe", "high heel", "memory foam"], "instruction_options": ["10"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455SKOTYM", "worker_id": "AX2EWYWZM19AZ"}], "B07X7M89C2": [{"asin": "B07X7M89C2", "instruction": "i'm looking for a high performance and high definition bluetooth speakers with stereo sound effect. also, choose golden colored one.", "attributes": ["high performance", "high definition", "aluminum alloy", "stereo sound", "wireless bluetooth"], "options": ["color: golden"], "instruction_attributes": ["high performance", "high definition", "stereo sound", "wireless bluetooth"], "instruction_options": ["golden"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7SFVW7C", "worker_id": "AR0VJ5XRG16UJ"}], "B0741RSZTQ": [{"asin": "B0741RSZTQ", "instruction": "i wanna purchase quadshield black color 50ft coaxial cable for broadband internet connection", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["color: quadshield - black", "size: 100 ft"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["quadshield - black"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTRVNEKH", "worker_id": "A3RBCGB309WPOC"}], "B09KT3S2HF": [{"asin": "B09KT3S2HF", "instruction": "i am looking for white color high power speaker", "attributes": ["high power", "stereo sound"], "options": ["color: white"], "instruction_attributes": ["high power"], "instruction_options": ["white"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96G0FLRNF", "worker_id": "A2MSIFDLOHI1UT"}], "B07WYFCZH7": [{"asin": "B07WYFCZH7", "instruction": "i am looking for super soft fastupda fleece throw blanket of size (50\"x80\")", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: style 5", "size: 50\" x 80\""], "instruction_attributes": ["super soft"], "instruction_options": ["50\" x 80\""], "assignment_id": "3VE8AYVF8X77K71YXMTACN228WAF8J", "worker_id": "AX2EWYWZM19AZ"}], "B09C7NSC1K": [{"asin": "B09C7NSC1K", "instruction": "i am looking a cosmetic display cases for lipstick eyeshadow highliter blushes brushes", "attributes": ["storage case", "eye shadow"], "options": [""], "instruction_attributes": ["storage case", "eye shadow"], "instruction_options": [], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY9S1UX8", "worker_id": "A3N9ZYQAESNFQH"}], "B08SBZPV6D": [{"asin": "B08SBZPV6D", "instruction": "i want to buy famous tik-tok leggings, yoga pants for women which have high waist tummy control booty bubble and hip lifting with running tights. which is the size x-small and a-red color.", "attributes": ["quick drying", "moisture wicking", "butt lifting", "tummy control", "high waist", "polyester spandex"], "options": ["color: a-red", "size: x-small"], "instruction_attributes": ["butt lifting", "tummy control", "high waist"], "instruction_options": ["a-red", "x-small"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV47OZ9I", "worker_id": "A59DVED5S9N9Y"}], "B09LHDGJ4G": [{"asin": "B09LHDGJ4G", "instruction": "i am in need of large sized wine color long sleeve shirts for women", "attributes": ["slim fit", "long sleeve", "short sleeve", "teen girls"], "options": ["color: z04-wine", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["z04-wine", "large"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBDC14Q9", "worker_id": "A258PTOZ3D2TQR"}], "B09MCMWHHR": [{"asin": "B09MCMWHHR", "instruction": "i am looking for eco friendly water ripple multicolor glass window film of size : 17.7\"x47.2\"x2pcs", "attributes": ["eco friendly", "living room"], "options": ["color: multi-01046", "size: 17.7\" x 47.2\" x 2 pcs"], "instruction_attributes": ["eco friendly"], "instruction_options": ["17.7\" x 47.2\" x 2 pcs"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB669F5H", "worker_id": "AX2EWYWZM19AZ"}], "B098D2ZY3J": [{"asin": "B098D2ZY3J", "instruction": "i am interested in buying a cookies which can be perfect gift, and the flavor of which is of donut", "attributes": ["gift basket", "gift set", "perfect gift"], "options": ["flavor name: donut"], "instruction_attributes": ["perfect gift"], "instruction_options": ["donut"], "assignment_id": "3EG49X3515M1GF9V412YYG6I66K6XJ", "worker_id": "AJY5G987IRT25"}], "B094CG6VJF": [{"asin": "B094CG6VJF", "instruction": "i would like a white 42 by 72 inch window panel for my living room.", "attributes": ["machine washable", "easy install", "exquisite workmanship", "living room"], "options": ["color: white", "size: 42''wx72''l"], "instruction_attributes": ["living room"], "instruction_options": ["white", "42''wx72''l"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPHCOWTQ", "worker_id": "A1WS884SI0SLO4"}], "B09NNKB863": [{"asin": "B09NNKB863", "instruction": "i am looking for photo background high resolution in 15*10ft", "attributes": ["light weight", "high resolution", "high definition", "digital photography"], "options": ["size: 15x10ft"], "instruction_attributes": ["high resolution"], "instruction_options": ["15x10ft"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSPMJJGL", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B09NNKB863", "instruction": "i need a six by four foot backdrop for digital photography. it should be high resolution and light weight.", "attributes": ["light weight", "high resolution", "high definition", "digital photography"], "options": ["size: 6x4ft"], "instruction_attributes": ["light weight", "high resolution", "digital photography"], "instruction_options": ["6x4ft"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6OT7UA", "worker_id": "AR9AU5FY1S3RO"}], "B09BZWDPYR": [{"asin": "B09BZWDPYR", "instruction": "i want notmilk chocolate plant-based milk.", "attributes": ["plant based", "lactose free", "shelf stable", "non gmo", "soy free", "gluten free"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKDY3PI5", "worker_id": "A2RBF3IIJP15IH"}], "B08P5Y825J": [{"asin": "B08P5Y825J", "instruction": "i want a book case made from solid to use as a decoration in my living room", "attributes": ["mid century", "heavy duty", "easy assemble", "storage unit", "solid wood", "living room"], "options": ["color: black", "size: 6 shelf"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": [], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0WFRGF4", "worker_id": "AVIEE6LDH0BT5"}], "B09FZ9X3S1": [{"asin": "B09FZ9X3S1", "instruction": "i am looking for a cat paw pink kid\u2019s toothbrush that is easy to use.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: cat paw,pink", "size: age 2-6"], "instruction_attributes": ["easy use"], "instruction_options": ["cat paw,pink"], "assignment_id": "3X0H8UUITCYRED22199FX2O3FT8WSZ", "worker_id": "AHU9OLV0YKIIW"}], "B093D82CN7": [{"asin": "B093D82CN7", "instruction": "i want machine washable pajamas", "attributes": ["machine wash", "quick drying", "moisture wicking", "machine washable", "elastic waistband", "long sleeve"], "options": ["color: dark blue", "size: small"], "instruction_attributes": ["machine washable"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBDCRQ4L", "worker_id": "AVIEE6LDH0BT5"}], "B07PHVWYYY": [{"asin": "B07PHVWYYY", "instruction": "i am looking for a tampered glass screen protector which is bubble free.", "attributes": ["tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["tempered glass", "glass screen"], "instruction_options": [], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9M0309P", "worker_id": "AHU9OLV0YKIIW"}], "B07SQ6846S": [{"asin": "B07SQ6846S", "instruction": "i would like to buy a pencil backdrop which is of high resolution, it is easy carry, and has a size of 6x4ft-vinyl", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 6x4ft-vinyl"], "instruction_attributes": ["high resolution", "easy carry"], "instruction_options": ["6x4ft-vinyl"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYJAAMTP", "worker_id": "AJY5G987IRT25"}], "B09GLVLL82": [{"asin": "B09GLVLL82", "instruction": "i need 17 pcs of space saving porcelain ceramic tea sets", "attributes": ["lead free", "space saving"], "options": [""], "instruction_attributes": ["space saving"], "instruction_options": [], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JQ18SYU", "worker_id": "A258PTOZ3D2TQR"}], "B09Q28265S": [{"asin": "B09Q28265S", "instruction": "i am seraching for eco friendly candles and clean cotton holders for my home & kitchen.", "attributes": ["lead free", "eco friendly"], "options": ["scent: clean cotton"], "instruction_attributes": ["eco friendly"], "instruction_options": ["clean cotton"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XQVM6VQ", "worker_id": "A3R8PQCD99H61E"}, {"asin": "B09Q28265S", "instruction": "i want a autumn spice jar candle that is eco friendly.", "attributes": ["lead free", "eco friendly"], "options": ["scent: autumn spice"], "instruction_attributes": ["eco friendly"], "instruction_options": ["autumn spice"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRZSF3E", "worker_id": "A1WS884SI0SLO4"}], "B093YRM6FL": [{"asin": "B093YRM6FL", "instruction": "i want a set of 2 mesh laundry bags with green leaves design.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCNA6SAL", "worker_id": "A2RBF3IIJP15IH"}], "B08XH5G5DG": [{"asin": "B08XH5G5DG", "instruction": "i am looking for non gmo, nut free, gluten free and real fruit , all natural fruit snacks with flaovr name : passion fruit power pals", "attributes": ["gluten free", "low fat", "certified organic", "low carb", "non gmo", "nut free", "low calorie", "real fruit"], "options": ["flavor name: passion fruit power pals"], "instruction_attributes": ["gluten free", "non gmo", "nut free", "real fruit"], "instruction_options": ["passion fruit power pals"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZGWGV9C", "worker_id": "AX2EWYWZM19AZ"}], "B09MMYY1WG": [{"asin": "B09MMYY1WG", "instruction": "find a toothpaste with natural ingredients", "attributes": ["teeth whitening", "natural ingredients"], "options": ["color: d"], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBF1VZK7", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B09MMYY1WG", "instruction": "i would like a color a toothpaste made from natural ingredients.", "attributes": ["teeth whitening", "natural ingredients"], "options": ["color: a"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["a"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98UQKY9", "worker_id": "A1WS884SI0SLO4"}], "B08BSWZJ4G": [{"asin": "B08BSWZJ4G", "instruction": "i am looking for ready eat in coconut & kale", "attributes": ["ready eat", "fully cooked"], "options": ["flavor name: coconut & kale"], "instruction_attributes": ["ready eat"], "instruction_options": ["coconut & kale"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URXDE1CC", "worker_id": "A2MSIFDLOHI1UT"}], "B073JBV926": [{"asin": "B073JBV926", "instruction": "i am looking for ivory color rugs for dining room", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: ivory | gold", "item shape: square", "size: 8 ft x 10 ft"], "instruction_attributes": ["dining room"], "instruction_options": ["ivory | gold"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DZS928Q", "worker_id": "A16M39T60N60NO"}, {"asin": "B073JBV926", "instruction": "i need a living room rug that is gold and ivory in the shape of a square.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: gold | ivory", "item shape: square", "size: 2 ft x 3 ft"], "instruction_attributes": ["living room"], "instruction_options": ["gold | ivory", "square"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEKL86W", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B073JBV926", "instruction": "i am looking for rectangular shaped dark grey color entryway plush thick area rug of size 2 ft 3 in x 6 ft for living room", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: dark grey | ivory", "item shape: rectangular", "size: 2 ft 3 in x 6 ft"], "instruction_attributes": ["living room"], "instruction_options": ["dark grey | ivory", "2 ft 3 in x 6 ft"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPR6FW2", "worker_id": "A258PTOZ3D2TQR"}], "B08N52H4T2": [{"asin": "B08N52H4T2", "instruction": "i am looking for super soft multi color duvet cover sets", "attributes": ["super soft", "machine washable", "king size"], "options": ["color: multi 20", "size: full"], "instruction_attributes": ["super soft"], "instruction_options": ["multi 20"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FIFA4ZR", "worker_id": "A16M39T60N60NO"}, {"asin": "B08N52H4T2", "instruction": "i'm looking for a super soft leopard pattern duvet with multi 3 colors. king and queen size please thanks.", "attributes": ["super soft", "machine washable", "king size"], "options": ["color: multi 3", "size: queen"], "instruction_attributes": ["super soft", "king size"], "instruction_options": ["multi 3", "queen"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIWN9T2", "worker_id": "A1Q0EUNCS50S8M"}], "B07DVTNWND": [{"asin": "B07DVTNWND", "instruction": "i am looking a gift set of jams and jellies gluten free variety-favorites size 1.25 pound", "attributes": ["gluten free", "natural ingredients", "gift set"], "options": ["flavor: variety - favorites", "size: 1.25 pound (pack of 2)"], "instruction_attributes": ["gluten free", "gift set"], "instruction_options": ["variety - favorites", "1.25 pound (pack of 2)"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053MY35I0", "worker_id": "A3N9ZYQAESNFQH"}], "B09QGL58LF": [{"asin": "B09QGL58LF", "instruction": "complete, easy-to-carry orthodontic storage case", "attributes": ["easy carry", "storage case"], "options": ["color: assorted color 1"], "instruction_attributes": ["easy carry", "storage case"], "instruction_options": [], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YXJQ4TD", "worker_id": "A3TTGSUBIK1YCL"}], "B082LK92B2": [{"asin": "B082LK92B2", "instruction": "i want to buy hair color which is dermatologist test, is oil free, and is of dark chocolate color", "attributes": ["dermatologist tested", "oil free", "long lasting", "argan oil", "permanent hair", "hair dye"], "options": ["color: dark chocolate"], "instruction_attributes": ["dermatologist tested", "oil free"], "instruction_options": ["dark chocolate"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VGUX203", "worker_id": "AJY5G987IRT25"}], "B09913B3WZ": [{"asin": "B09913B3WZ", "instruction": "i'm looking for a 32 ounce package of gluten free almond flour.", "attributes": ["grain free", "gluten free", "non gmo", "low carb", "plant based", "resealable bag"], "options": ["flavor name: almond coconut", "size: 32 ounce"], "instruction_attributes": ["gluten free"], "instruction_options": ["32 ounce"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZBJGC83", "worker_id": "A2JP9IKRHNLRPI"}], "B08GCJYF4M": [{"asin": "B08GCJYF4M", "instruction": "i'm looking for a mini desktop pc with an intel core i7-9750h processor.", "attributes": ["dual band", "intel core"], "options": ["color: core i7-9750h", "size: 4gb ddr4 ram 256gb nvme ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["core i7-9750h"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF46QZMC", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B08GCJYF4M", "instruction": "i am looking for a windows 10 pro mini computer with an intel core i7-10750h, 32 gigabytes of ram, a 256 gigabyte ssd and gigabyte ethernet.", "attributes": ["dual band", "intel core"], "options": ["color: core i7-10750h", "size: 16gb ram+256gb ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["core i7-10750h"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDARGXZX", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08GCJYF4M", "instruction": "i need an intel core i7 mini computer.", "attributes": ["dual band", "intel core"], "options": ["color: core i7-7820hk ddr4", "size: 8gb ddr4 ram 128gb nvme ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["core i7-7820hk ddr4"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107UFLIR", "worker_id": "A19317A3X87NVM"}, {"asin": "B08GCJYF4M", "instruction": "i need a dual band computer with intel core, 64 gb ram and 1tb ssd.", "attributes": ["dual band", "intel core"], "options": ["color: core i7-10750h", "size: 64gb ram+1tb ssd"], "instruction_attributes": ["dual band", "intel core"], "instruction_options": ["64gb ram+1tb ssd"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK1LJ3N", "worker_id": "A1NF6PELRKACS9"}], "B09J8B4HF8": [{"asin": "B09J8B4HF8", "instruction": "i am looking for a high quality glossy pink nail polish storage case that is easy to clean.", "attributes": ["easy clean", "high quality", "storage case", "nail polish"], "options": ["color: glossy pink"], "instruction_attributes": ["easy clean", "high quality", "storage case", "nail polish"], "instruction_options": ["glossy pink"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22Q1WEQQ", "worker_id": "A1EREKSZAA9V7B"}], "B07BQJ4ZY3": [{"asin": "B07BQJ4ZY3", "instruction": "i am looking for gluten free cinnamon crisps", "attributes": ["gluten free", "keto friendly", "low carb", "non gmo"], "options": ["flavor name: cinnamon crisps", "size: 3.95 ounce (pack of 4)"], "instruction_attributes": ["gluten free"], "instruction_options": ["cinnamon crisps"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJPYYYD6", "worker_id": "A16M39T60N60NO"}], "B08Z43RZH5": [{"asin": "B08Z43RZH5", "instruction": "i am looking for a portable wireless bluetooth speaker with high performance. also choose green color.", "attributes": ["high performance", "stereo sound", "wireless bluetooth"], "options": ["color: green"], "instruction_attributes": ["high performance", "wireless bluetooth"], "instruction_options": ["green"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV4AWITDE", "worker_id": "A2HMEGTAFO0CS8"}], "B097NMV9LS": [{"asin": "B097NMV9LS", "instruction": "i want a gentle facial cleanser for acne prone & sensitive skin.", "attributes": ["oil free", "animal testing", "sensitive skin"], "options": ["style: gentle facial cleanser for acne-prone & sensitive skin"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["gentle facial cleanser for acne-prone & sensitive skin"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOJZCEFL", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B097NMV9LS", "instruction": "i'm interested in calming gel acne facial moisturizer for sensitive skin that is oil-free and not tested on animals.", "attributes": ["oil free", "animal testing", "sensitive skin"], "options": ["style: calming gel acne facial moisturizer"], "instruction_attributes": ["oil free", "animal testing", "sensitive skin"], "instruction_options": ["calming gel acne facial moisturizer"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZ2UO8G", "worker_id": "AFU00NU09CFXE"}], "B07MTNSZRG": [{"asin": "B07MTNSZRG", "instruction": "i am looking for red color short sleeve shirts", "attributes": ["easy care", "day comfort", "moisture wicking", "hand wash", "short sleeve", "daily wear"], "options": ["color: red", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["red"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XPYG9L9", "worker_id": "A2MSIFDLOHI1UT"}], "B0195UTJ48": [{"asin": "B0195UTJ48", "instruction": "i'm looking for a toothpaste that clears bad breath and gives fresh breath.", "attributes": ["fresh breath", "bad breath"], "options": [""], "instruction_attributes": ["fresh breath", "bad breath"], "instruction_options": [], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3RRI1MU", "worker_id": "AR0VJ5XRG16UJ"}], "B07N8JDZ1R": [{"asin": "B07N8JDZ1R", "instruction": "i want a light gray oliver king size arched tufted platform bed.", "attributes": ["button tufted", "king size", "box spring"], "options": ["color: light gray", "size: twin"], "instruction_attributes": ["king size"], "instruction_options": ["light gray"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZEOW0S4", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07N8JDZ1R", "instruction": "i would like a queen sized black bed with a box spring.", "attributes": ["button tufted", "king size", "box spring"], "options": ["color: black", "size: queen"], "instruction_attributes": ["box spring"], "instruction_options": ["black", "queen"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1B0I29", "worker_id": "A1WS884SI0SLO4"}], "B099RNR9YY": [{"asin": "B099RNR9YY", "instruction": "i am looking for fuzzy sandals open toe fox fur slippers in khaki", "attributes": ["open toe", "knee high", "arch support", "ankle strap", "closed toe", "memory foam", "rubber sole"], "options": ["color: khaki", "size: 9 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["khaki"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97ECOZU6B", "worker_id": "A2MSIFDLOHI1UT"}], "B086BLTNF6": [{"asin": "B086BLTNF6", "instruction": "i want a easy to clean bag", "attributes": ["easy carry", "non toxic", "easy clean", "fine mist"], "options": ["size: 6 size"], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMKX3LO0", "worker_id": "AVIEE6LDH0BT5"}], "B07CYJ5RR8": [{"asin": "B07CYJ5RR8", "instruction": "find cookies made with high fructose", "attributes": ["non gmo", "artificial flavors", "artificial colors", "high fructose"], "options": ["flavor name: chocolate, vanilla & strawberry", "size: 4.23 ounce (pack of 3)"], "instruction_attributes": ["high fructose"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHQPHQDV", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B07CYJ5RR8", "instruction": "i would like a six pack of 34.92 ounce non-gmo cookies.", "attributes": ["non gmo", "artificial flavors", "artificial colors", "high fructose"], "options": ["flavor name: vanilla", "size: 34.92 oz (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["vanilla", "34.92 oz (pack of 6)"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME9052DS", "worker_id": "A1WS884SI0SLO4"}], "B08XVVWBZB": [{"asin": "B08XVVWBZB", "instruction": "i am looking for pink color hair removal razors", "attributes": ["easy use", "hair removal"], "options": ["color: pink"], "instruction_attributes": ["hair removal"], "instruction_options": ["pink"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA58UM9IV", "worker_id": "A2MSIFDLOHI1UT"}], "B087R7CNGV": [{"asin": "B087R7CNGV", "instruction": "i am looking for easy to install video player", "attributes": ["plug play", "easy install", "quad core"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CV0A4SM", "worker_id": "A2MSIFDLOHI1UT"}], "B096ZHCL38": [{"asin": "B096ZHCL38", "instruction": "i want cake toppers for a baby shower.", "attributes": ["easy use", "baby shower", "party supplies"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "38F71OA9G46M5W32RN3TH53XS11FM9", "worker_id": "A2RBF3IIJP15IH"}], "B087WVQBY1": [{"asin": "B087WVQBY1", "instruction": "i am looking for gluten free doodles wavy corn chips, 1.37 ounce (pack of 36)", "attributes": ["gluten free", "0g trans"], "options": ["size: 1.37 ounce (pack of 36)"], "instruction_attributes": ["gluten free"], "instruction_options": ["1.37 ounce (pack of 36)"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGC6QJEQ", "worker_id": "A258PTOZ3D2TQR"}], "B07N7C3NY4": [{"asin": "B07N7C3NY4", "instruction": "i'm looking for a high waist boxer brief for men made of stretchable polyester spandex fabric. also choose x-large style 1.", "attributes": ["stretch fabric", "high waist", "polyester spandex"], "options": ["color: style 1", "size: x-large"], "instruction_attributes": ["stretch fabric", "high waist", "polyester spandex"], "instruction_options": ["style 1", "x-large"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDS269FG", "worker_id": "AR0VJ5XRG16UJ"}], "B08KPDBL5H": [{"asin": "B08KPDBL5H", "instruction": "find a lactose free cake topper", "attributes": ["lactose free", "easy use", "sugar free", "dairy free"], "options": ["pattern name: edible poker"], "instruction_attributes": ["lactose free"], "instruction_options": [], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFHHWGBJ", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B08KPDBL5H", "instruction": "i am looking to purchase a dollar-patterned cake topper that has to be lactose and dairy free.", "attributes": ["lactose free", "easy use", "sugar free", "dairy free"], "options": ["pattern name: new dollar"], "instruction_attributes": ["lactose free", "dairy free"], "instruction_options": ["new dollar"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQCCRJ4", "worker_id": "A114NK7T5673GK"}], "B018RMJD3M": [{"asin": "B018RMJD3M", "instruction": "i am looking for a coconut oil for hair growth. also choose 8 fl oz ( pack 1)", "attributes": ["coconut oil", "hair growth"], "options": ["size: 8 fl oz (pack of 1)"], "instruction_attributes": ["coconut oil", "hair growth"], "instruction_options": ["8 fl oz (pack of 1)"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6DSNV01", "worker_id": "A2HMEGTAFO0CS8"}], "B072J9W4R9": [{"asin": "B072J9W4R9", "instruction": "i want a vanguard veo 2 204ab black carbon fiber tripod.", "attributes": ["long lasting", "carbon fiber"], "options": ["style: veo 2 204ab black"], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275018G64P9", "worker_id": "A2RBF3IIJP15IH"}], "B000GG0BPW": [{"asin": "B000GG0BPW", "instruction": "i want six boxes of earl grey decaf with 20 individually wrapper bags.", "attributes": ["individually wrapped", "kosher certified", "gluten free"], "options": ["flavor name: earl grey decaf", "size: 20 count (pack of 6)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["earl grey decaf", "20 count (pack of 6)"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M10QYPA1", "worker_id": "A1WS884SI0SLO4"}], "B074LBXWK5": [{"asin": "B074LBXWK5", "instruction": "i am looking for high quality pink color bags", "attributes": ["bpa free", "high quality", "travel bottles"], "options": ["color: pink", "size: pack of 12"], "instruction_attributes": ["high quality"], "instruction_options": ["pink"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54PA2YE2", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B074LBXWK5", "instruction": "i need a bpa free bag that is blue", "attributes": ["bpa free", "high quality", "travel bottles"], "options": ["color: blue", "size: pack of 30"], "instruction_attributes": ["bpa free"], "instruction_options": ["blue"], "assignment_id": "37C0GNLMHQDNI94ED11M493QPCWD6N", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GSSDYVV": [{"asin": "B09GSSDYVV", "instruction": "carbamide peroxide whitening pen, easy to use", "attributes": ["teeth whitening", "easy use", "high quality", "sensitive teeth"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWMEAJ62DW", "worker_id": "A3TTGSUBIK1YCL"}], "B06XRXHKBN": [{"asin": "B06XRXHKBN", "instruction": "i am looking for machine washable ambesonne ocean kitchen curtains of color : green yellow", "attributes": ["machine washable", "printing technology"], "options": ["color: green yellow"], "instruction_attributes": ["machine washable"], "instruction_options": ["green yellow"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZD4W7IF", "worker_id": "AX2EWYWZM19AZ"}], "B097Q8F6C4": [{"asin": "B097Q8F6C4", "instruction": "i want a easy to use eyeshadow", "attributes": ["easy use", "eye shadow"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG6V8WI9", "worker_id": "AVIEE6LDH0BT5"}], "B09LSBCVQT": [{"asin": "B09LSBCVQT", "instruction": "i would like a brown dining set that is easy to install.", "attributes": ["non slip", "easy install", "dining room", "living room"], "options": ["color: brown"], "instruction_attributes": ["easy install"], "instruction_options": ["brown"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM97PI4G4", "worker_id": "A1WS884SI0SLO4"}], "B01BY04QIG": [{"asin": "B01BY04QIG", "instruction": "i would like ten 100 ft long gold plated hdmi male male cable.", "attributes": ["high speed", "gold plated"], "options": ["configuration: hdmi male-male", "pattern name: 10 pack", "size: 100ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["hdmi male-male", "10 pack", "100ft"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8OYEKBR", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01BY04QIG", "instruction": "look for 100ft high speed hdmi cable male to male with ethernet black (50 feet/15.2 meters). show me the price .", "attributes": ["high speed", "gold plated"], "options": ["configuration: hdmi 2.1", "pattern name: 4 pack", "size: 100ft"], "instruction_attributes": ["high speed"], "instruction_options": ["100ft"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C57HPQ", "worker_id": "A15IJ20C3R4HUO"}], "B09LV4XQ28": [{"asin": "B09LV4XQ28", "instruction": "find a leak proof bag", "attributes": ["leak proof", "travel bottles"], "options": ["color: coral reef", "size: 20 oz"], "instruction_attributes": ["leak proof"], "instruction_options": [], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHVGYALP", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B09LV4XQ28", "instruction": "i'm looking for white colored travel bottles easy to carry.", "attributes": ["leak proof", "travel bottles"], "options": ["color: white marble", "size: 20 oz"], "instruction_attributes": ["travel bottles"], "instruction_options": ["white marble"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK0GUIW", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09LV4XQ28", "instruction": "i'm looking for light weighted travel bottles and the color was pink bottles.", "attributes": ["leak proof", "travel bottles"], "options": ["color: pink topaz", "size: 16 oz"], "instruction_attributes": ["travel bottles"], "instruction_options": ["pink topaz"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPGV6V4", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09LV4XQ28", "instruction": "i want a s'well 12 oz travel bottle set.", "attributes": ["leak proof", "travel bottles"], "options": ["color: onyx, white marble, silver living", "size: 12 oz"], "instruction_attributes": ["travel bottles"], "instruction_options": ["12 oz"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8I55RY", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09LV4XQ28", "instruction": "i want a leak proof and blonde s'well travel bottle set.", "attributes": ["leak proof", "travel bottles"], "options": ["color: blonde wood", "size: 3.4 oz"], "instruction_attributes": ["leak proof"], "instruction_options": ["blonde wood"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE20AQGJ", "worker_id": "A2RBF3IIJP15IH"}], "B0041VVEWW": [{"asin": "B0041VVEWW", "instruction": "i am looking for birkenstock gizeh synthetic sole in navy oiled leather", "attributes": ["synthetic sole", "arch support"], "options": ["color: navy oiled leather", "size: 5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["navy oiled leather"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275018G34P6", "worker_id": "A2MSIFDLOHI1UT"}, {"asin": "B0041VVEWW", "instruction": "i like synthetic sole in graceful antique lace", "attributes": ["synthetic sole", "arch support"], "options": ["color: graceful antique lace", "size: 7-7.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["graceful antique lace"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WX6A15", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B0041VVEWW", "instruction": "i'm looking for birkenstock gizeh.", "attributes": ["synthetic sole", "arch support"], "options": ["color: sandcastle nubuck", "size: 9.5"], "instruction_attributes": ["arch support"], "instruction_options": ["sandcastle nubuck"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME97VD27", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B0041VVEWW", "instruction": "i need some taupe flip flops that have arch support", "attributes": ["synthetic sole", "arch support"], "options": ["color: taupe", "size: 2-2.5 narrow little kid"], "instruction_attributes": ["arch support"], "instruction_options": ["taupe"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQG2915", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0041VVEWW", "instruction": "i need 5 size synthetic sole brown color gizeh sandals", "attributes": ["synthetic sole", "arch support"], "options": ["color: copper,metallic,brown", "size: 5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["5"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ4KRNR", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B0041VVEWW", "instruction": "i would like a size 5 narrow tobacco brown flip flops with a synthetic sole.", "attributes": ["synthetic sole", "arch support"], "options": ["color: tabacco brown", "size: 5-5.5 narrow"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["tabacco brown", "5-5.5 narrow"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQNZP0O", "worker_id": "A1WS884SI0SLO4"}], "B087YVBDT5": [{"asin": "B087YVBDT5", "instruction": "i am looking for non gmo, gluten free and artificial colors o2 oxygenated recovery drink with flavor name: lemon lime", "attributes": ["keto friendly", "non gmo", "gluten free", "artificial colors"], "options": ["flavor name: lemon lime"], "instruction_attributes": ["non gmo", "gluten free", "artificial colors"], "instruction_options": ["lemon lime"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGU3NQOR", "worker_id": "AX2EWYWZM19AZ"}], "B08TKLPXSB": [{"asin": "B08TKLPXSB", "instruction": "i am looking for a slip loafer with vinyl acetate. also choose dark khaki suede color and 7 narrow size.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: dark khaki suede", "size: 7 narrow"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["dark khaki suede"], "assignment_id": "38F71OA9G46M5W32RN3TH53XS12MFH", "worker_id": "A2HMEGTAFO0CS8"}], "B098D1Z5HM": [{"asin": "B098D1Z5HM", "instruction": "i need sugar free low carb, barbecue flavored marinade for meats, 102 ounce (pack of 3)", "attributes": ["low carb", "sugar free", "zero sugar", "natural ingredients"], "options": ["flavor name: barbecue", "size: 102 ounce (pack of 3)"], "instruction_attributes": ["low carb", "sugar free"], "instruction_options": ["barbecue", "102 ounce (pack of 3)"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17YL9Y38", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B098D1Z5HM", "instruction": "i am looking for low carb, sugar free barbecue marinade in the 18 ounce size.", "attributes": ["low carb", "sugar free", "zero sugar", "natural ingredients"], "options": ["flavor name: barbecue", "size: 18 ounce"], "instruction_attributes": ["low carb", "sugar free"], "instruction_options": ["barbecue", "18 ounce"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY614JN", "worker_id": "AK3JMCIGU8MLU"}], "B07Q38NGLJ": [{"asin": "B07Q38NGLJ", "instruction": "i am looking for gluten free, non gmo and soy free b.fine foods snack mix with size: 4 ounce (pack of 3)", "attributes": ["grain free", "gluten free", "non gmo", "artificial ingredients", "soy free", "keto friendly", "dairy free"], "options": ["flavor name: montreal chophouse", "size: 4 ounce (pack of 3)"], "instruction_attributes": ["gluten free", "non gmo", "soy free"], "instruction_options": ["4 ounce (pack of 3)"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96G0FKNRA", "worker_id": "AX2EWYWZM19AZ"}], "B08QTQZYFV": [{"asin": "B08QTQZYFV", "instruction": "i want a bagel made from high quality ingredients", "attributes": ["quality ingredients", "high fructose", "artificial flavors"], "options": [""], "instruction_attributes": ["quality ingredients"], "instruction_options": [], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8X6D42L", "worker_id": "AVIEE6LDH0BT5"}], "B09BJ2H8FP": [{"asin": "B09BJ2H8FP", "instruction": "i am looking for black color hair dye", "attributes": ["easy use", "natural ingredients", "hair dye", "damaged hair"], "options": [""], "instruction_attributes": ["hair dye"], "instruction_options": [], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI997VYKJ", "worker_id": "A2MSIFDLOHI1UT"}], "B09PV3LHTQ": [{"asin": "B09PV3LHTQ", "instruction": "i need a a23 colored light weight background", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a23", "size: 5x3ft | 1.5x1m"], "instruction_attributes": ["light weight"], "instruction_options": ["a23"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU5PZR68", "worker_id": "AVIEE6LDH0BT5"}], "B093KFVZZT": [{"asin": "B093KFVZZT", "instruction": "purse set for washing blouse and underwear bra and panties", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCNA5SAK", "worker_id": "A3TTGSUBIK1YCL"}], "B0868CP39L": [{"asin": "B0868CP39L", "instruction": "i am looking a long lasting hair cutting kits for hair salon color :sugur skull and flower", "attributes": ["long lasting", "hair salon", "hair cutting", "dry hair"], "options": ["color: sugar skull and flowers"], "instruction_attributes": ["long lasting", "hair salon", "hair cutting"], "instruction_options": ["sugar skull and flowers"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8NZ2LWC", "worker_id": "A3N9ZYQAESNFQH"}], "B09SZM3FZP": [{"asin": "B09SZM3FZP", "instruction": "i am interested in buying shampoo for hair treatment.", "attributes": ["hair treatment", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hair treatment"], "instruction_options": [], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPXUIK06", "worker_id": "AJY5G987IRT25"}], "B09NYG6X57": [{"asin": "B09NYG6X57", "instruction": "i am looking for long lasting and nail polish cute blushs makecup palettes of color:c", "attributes": ["cruelty free", "long lasting", "nail polish"], "options": ["color: c"], "instruction_attributes": ["long lasting", "nail polish"], "instruction_options": ["c"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366P72OPZ", "worker_id": "AX2EWYWZM19AZ"}], "B08NFDW21H": [{"asin": "B08NFDW21H", "instruction": "i want a bpa free autobrush brush head replacement for kids.", "attributes": ["bpa free", "cruelty free", "oral hygiene"], "options": ["color: kids", "style: ages 3-4 (2-pack)"], "instruction_attributes": ["bpa free"], "instruction_options": ["kids"], "assignment_id": "37C0GNLMHQDNI94ED11M493QQO8D6O", "worker_id": "A2RBF3IIJP15IH"}], "B08CR8WHD9": [{"asin": "B08CR8WHD9", "instruction": "i want a dual band beelink u59 mini pc with u59 8+256g.", "attributes": ["wall mounted", "dual band"], "options": ["size: u59 8+256g"], "instruction_attributes": ["dual band"], "instruction_options": ["u59 8+256g"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8AEX2WV4", "worker_id": "A2RBF3IIJP15IH"}], "B086Q83NQP": [{"asin": "B086Q83NQP", "instruction": "i want a gluten free cake snack", "attributes": ["gluten free", "nut free", "soy free", "dairy free", "simple ingredients"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGVPEMRD", "worker_id": "AVIEE6LDH0BT5"}], "B07JH1CRTB": [{"asin": "B07JH1CRTB", "instruction": "i want a gluten free gourmet popcorn", "attributes": ["gluten free", "resealable bag"], "options": ["flavor name: original canister"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWUE779U", "worker_id": "AVIEE6LDH0BT5"}], "B01I4WNGM4": [{"asin": "B01I4WNGM4", "instruction": "i am interested in buying hdmi adapter cable which is compatible with apple, and is of white color while the size should be 6ft", "attributes": ["compatible apple", "1080p hd"], "options": ["color: white 1080p", "size: 6ft"], "instruction_attributes": ["compatible apple"], "instruction_options": ["white 1080p", "6ft"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDPATVRZY", "worker_id": "AJY5G987IRT25"}], "B081XFTW4K": [{"asin": "B081XFTW4K", "instruction": "i am looking for ready to eat peanut butter and jelly", "attributes": ["gmo free", "ready eat", "non gmo"], "options": ["flavor name: peanut butter & jelly", "size: 2.65 ounce (pack of 24)"], "instruction_attributes": ["ready eat"], "instruction_options": ["peanut butter & jelly"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI8DNYQB", "worker_id": "A16M39T60N60NO"}], "B00LMHD160": [{"asin": "B00LMHD160", "instruction": "i want a low carb cake", "attributes": ["low carb", "low calorie", "fat free", "sugar free"], "options": ["flavor: cheddar cheese", "size: 0.17 ounce (pack of 6)"], "instruction_attributes": ["low carb"], "instruction_options": [], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUVOBCMX", "worker_id": "AVIEE6LDH0BT5"}], "B09KGR7K6Q": [{"asin": "B09KGR7K6Q", "instruction": "i am looking for a grey bunk bed with slats made of solid wood.", "attributes": ["space saving", "solid wood"], "options": ["color: grey"], "instruction_attributes": ["solid wood"], "instruction_options": ["grey"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB1915W7", "worker_id": "AHU9OLV0YKIIW"}], "B096XF18FL": [{"asin": "B096XF18FL", "instruction": "i am looking for ultra hd surveillance dvr kits", "attributes": ["ultra hd", "plug play", "motion detection"], "options": [""], "instruction_attributes": ["ultra hd"], "instruction_options": [], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GD0SUKLG", "worker_id": "A2MSIFDLOHI1UT"}], "B00JWJEYCU": [{"asin": "B00JWJEYCU", "instruction": "i want a red ergonomic office chair with lumbar support.", "attributes": ["high density", "lumbar support"], "options": ["color: red", "size: 2"], "instruction_attributes": ["lumbar support"], "instruction_options": ["red"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YO0LTNX", "worker_id": "A2RBF3IIJP15IH"}], "B09KBD72NV": [{"asin": "B09KBD72NV", "instruction": "i'm looking for a plant based, non-dairy milk maker. also choose white milkmade with 6 storage glass one.", "attributes": ["non dairy", "plant based"], "options": ["style: white milkmade with 6 storage glass cara..."], "instruction_attributes": ["non dairy", "plant based"], "instruction_options": ["white milkmade with 6 storage glass cara..."], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI1AHCCP", "worker_id": "AR0VJ5XRG16UJ"}], "B097CC8FNN": [{"asin": "B097CC8FNN", "instruction": "i am looking for oral hygiene dental tools of design: set of 4", "attributes": ["stainless steel", "oral hygiene"], "options": ["design: set of 4 (dental hygiene kit)"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["set of 4 (dental hygiene kit)"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBNBIG2G", "worker_id": "AX2EWYWZM19AZ"}], "B09423373K": [{"asin": "B09423373K", "instruction": "i am looking for oily skin to instantly remove excess oil & shine in easy use", "attributes": ["oil free", "easy use"], "options": [""], "instruction_attributes": ["oil free", "easy use"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33O26P2U", "worker_id": "A2MSIFDLOHI1UT"}], "B09DYK18MN": [{"asin": "B09DYK18MN", "instruction": "find boots with arch support", "attributes": ["knee high", "high heel", "arch support"], "options": ["color: z6-white", "size: 7"], "instruction_attributes": ["arch support"], "instruction_options": [], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK7M7YYH", "worker_id": "AVIEE6LDH0BT5"}], "B07PWVF9W8": [{"asin": "B07PWVF9W8", "instruction": "i want to buy dual usb 3.0 male to usb 3.0 female auxiliary which is fast charging and is square dual usb 3.0", "attributes": ["heavy duty", "fast charging", "easy install", "usb port"], "options": ["style: square dual usb3.0"], "instruction_attributes": ["fast charging"], "instruction_options": ["square dual usb3.0"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9R6DOXP", "worker_id": "AJY5G987IRT25"}], "B09NNXGPDN": [{"asin": "B09NNXGPDN", "instruction": "i am looking for a cupcake topper for a birthday party. also choose gold with 35th pattern name.", "attributes": ["cupcake picks", "birthday party"], "options": ["pattern name: gold 35th"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold 35th"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RZ439QY", "worker_id": "A2HMEGTAFO0CS8"}], "B0915MFNJ5": [{"asin": "B0915MFNJ5", "instruction": "i'm looking for a daily casual wear gym shorts with elastic waistband for men. also, choose small, army green colored one.", "attributes": ["daily casual", "elastic waistband"], "options": ["color: army green", "size: small"], "instruction_attributes": ["daily casual", "elastic waistband"], "instruction_options": ["army green", "small"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM97PS4GE", "worker_id": "AR0VJ5XRG16UJ"}], "B07ZJBRDYC": [{"asin": "B07ZJBRDYC", "instruction": "i'm looking for eco friendly window curtain panels for living room and dining room. also, choose 27.5\" * 39\" *2 panels with christmas-049zse9572 colored one.", "attributes": ["eco friendly", "living room", "dining room"], "options": ["color: christmas-049zse9572", "size: 27.5'' x 39'' x 2 panels"], "instruction_attributes": ["eco friendly", "living room", "dining room"], "instruction_options": ["christmas-049zse9572", "27.5'' x 39'' x 2 panels"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34GL41L", "worker_id": "AR0VJ5XRG16UJ"}], "B0969ZRVJP": [{"asin": "B0969ZRVJP", "instruction": "i'm looking for personalized photo and name flip flops that are non slip and have memory foam. also, i need them in black.", "attributes": ["open toe", "non slip", "memory foam"], "options": ["color: black", "size: 6 women | 6 men"], "instruction_attributes": ["non slip", "memory foam"], "instruction_options": ["black"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OJ8MMF", "worker_id": "A34EHWOYRBL6OZ"}], "B08C2FVNQ9": [{"asin": "B08C2FVNQ9", "instruction": "i am looking for an easy to use hair dye that is natural and coffee colored.", "attributes": ["easy use", "hair dye"], "options": ["color: coffee"], "instruction_attributes": ["easy use", "hair dye"], "instruction_options": ["coffee"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREK8J2T", "worker_id": "A114NK7T5673GK"}], "B07KZSKGCX": [{"asin": "B07KZSKGCX", "instruction": "i am looking for a certified refurbished inkjet printer.", "attributes": ["certified refurbished", "dual band", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3UP56JS", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KRTFSD2": [{"asin": "B07KRTFSD2", "instruction": "i'm searching for natural permanent hair dye , 6g light golden brown color, 1 count", "attributes": ["permanent hair", "hair dye"], "options": ["color: 6g light golden brown", "size: 1 count"], "instruction_attributes": ["hair dye"], "instruction_options": ["1 count"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJICZ8W", "worker_id": "A258PTOZ3D2TQR"}], "B09N8PQHRK": [{"asin": "B09N8PQHRK", "instruction": "i need high quality perm rod curlers for natural hair styling. pick one in orange color.", "attributes": ["easy use", "non slip", "long lasting", "high quality", "hair styling", "natural hair"], "options": ["color: orange color", "size: 0.98 inch"], "instruction_attributes": ["high quality", "hair styling", "natural hair"], "instruction_options": ["orange color"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35J6GU0", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09N8PQHRK", "instruction": "i would like a 0.28 inch gray hair rollers for natural hair.", "attributes": ["easy use", "non slip", "long lasting", "high quality", "hair styling", "natural hair"], "options": ["color: gray color", "size: 0.28 inch"], "instruction_attributes": ["natural hair"], "instruction_options": ["gray color", "0.28 inch"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBH3DJE", "worker_id": "A1WS884SI0SLO4"}], "B09B94Q73Z": [{"asin": "B09B94Q73Z", "instruction": "i would like to search for a tennis fashioned women running sneakers in black color preferably with ankle strap.", "attributes": ["arch support", "ankle strap"], "options": ["color: z3-black", "size: 6"], "instruction_attributes": ["ankle strap"], "instruction_options": ["z3-black"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5BM1ZS", "worker_id": "A14BSOU2Y5JNT0"}], "B07HPBFS5S": [{"asin": "B07HPBFS5S", "instruction": "i'm looking for some easy to use body paint. get the one in rose gold.", "attributes": ["easy use", "high quality"], "options": ["color: rose gold"], "instruction_attributes": ["easy use"], "instruction_options": ["rose gold"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6T9VNMT", "worker_id": "A34QZDSTKZ3JO9"}], "B093GK3SS8": [{"asin": "B093GK3SS8", "instruction": "i need dusty pink mid century bar stools that don't have open backs.", "attributes": ["mid century", "easy assemble", "metal legs"], "options": ["color: dusty pink", "size: no open back"], "instruction_attributes": ["mid century"], "instruction_options": ["dusty pink", "no open back"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDEH2OU", "worker_id": "A2RBF3IIJP15IH"}], "B09NRZ5KGB": [{"asin": "B09NRZ5KGB", "instruction": "i'm looking for a heavy duty queen sized bed frame in a rustic brown color.", "attributes": ["space saving", "queen size", "heavy duty", "easy assemble", "box spring", "storage space"], "options": ["color: rustic brown", "size: full"], "instruction_attributes": ["queen size", "heavy duty"], "instruction_options": ["rustic brown"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3CCBVQ", "worker_id": "A34QZDSTKZ3JO9"}], "B00GJ782FI": [{"asin": "B00GJ782FI", "instruction": "i am looking for high quality nail polish of fijji color.", "attributes": ["long lasting", "high quality", "rose gold", "nail polish"], "options": ["color: fiji", "size: 2-count"], "instruction_attributes": ["high quality"], "instruction_options": ["fiji"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QNFXOX", "worker_id": "A3FG5PQHG5AH3Y"}], "B097T1434V": [{"asin": "B097T1434V", "instruction": "can you find me a pair of men's slippers with memory foam and rubber soles? i want the ones that are khaki and either 10.5 or 11.", "attributes": ["anti slip", "non slip", "memory foam", "rubber sole", "faux fur", "arch support"], "options": ["color: khaki", "size: 10.5-11"], "instruction_attributes": ["memory foam", "rubber sole"], "instruction_options": ["khaki", "10.5-11"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4X8XY2", "worker_id": "A34QZDSTKZ3JO9"}], "B098NCCPPC": [{"asin": "B098NCCPPC", "instruction": "i am looking for a clear glass shade, vanity light with black and brushed nickel finish.", "attributes": ["easy install", "easy assemble", "glass shade", "nickel finish", "brushed nickel", "vanity light", "clear glass"], "options": ["color: black and brushed nickel", "size: 2-light"], "instruction_attributes": ["glass shade", "nickel finish", "brushed nickel", "vanity light", "clear glass"], "instruction_options": ["black and brushed nickel"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQLIP03", "worker_id": "A1NF6PELRKACS9"}], "B08J5QX1WS": [{"asin": "B08J5QX1WS", "instruction": "i'm looking for a lactose free and gluten free nutrition bar. i want to get the one that is available in the 24 count.", "attributes": ["lactose free", "gluten free", "high protein"], "options": ["size: 24 count (3 packs of 8)"], "instruction_attributes": ["lactose free", "gluten free"], "instruction_options": ["24 count (3 packs of 8)"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOAX1WJ", "worker_id": "A34QZDSTKZ3JO9"}], "B09NVD36XN": [{"asin": "B09NVD36XN", "instruction": "i am looking for some purple, woman's shoes in size 8 that have an anti-slip, rubber sole.", "attributes": ["anti slip", "quality materials", "rubber sole"], "options": ["color: purple", "size: 8"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["purple", "8"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK875A55", "worker_id": "A114NK7T5673GK"}], "B08BZXG337": [{"asin": "B08BZXG337", "instruction": "i am looking for purple accent side table end which is easy to clean.", "attributes": ["assembly required", "easy clean"], "options": ["color: purple"], "instruction_attributes": ["easy clean"], "instruction_options": ["purple"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UA03AS", "worker_id": "A3FG5PQHG5AH3Y"}], "B09S3RBNNG": [{"asin": "B09S3RBNNG", "instruction": "i'm looking for a easy to install ottoman bench with handle made of faux leather. also, choose grey colored one.", "attributes": ["easy install", "faux leather"], "options": ["color: grey"], "instruction_attributes": ["easy install", "faux leather"], "instruction_options": ["grey"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G72L74L", "worker_id": "AR0VJ5XRG16UJ"}], "B098PH8LVY": [{"asin": "B098PH8LVY", "instruction": "i would like a color 15 72\" w x 63\" panel that is machine washable.", "attributes": ["hand painted", "machine washable", "long lasting"], "options": ["color: color15", "size: 72\" w x 63\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["72\" w x 63\" l"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4JZPKK", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B098PH8LVY", "instruction": "i'm looking for curtains for machinable products.", "attributes": ["hand painted", "machine washable", "long lasting"], "options": ["color: color03", "size: 72\" w x 84\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["color03"], "assignment_id": "3P4MQ7TPP8M09ONPVWROKZ1I0P3BB1", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B098PH8LVY", "instruction": "i am looking for 2 window panels that are 108\" wide and 84\" in length that are machine washable.", "attributes": ["hand painted", "machine washable", "long lasting"], "options": ["color: color21", "size: 108\" w x 84\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["108\" w x 84\" l"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK6Z3JV", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B098PH8LVY", "instruction": "i want machine washable dream catcher light proof curtains that is 55\" w x 45\" l.", "attributes": ["hand painted", "machine washable", "long lasting"], "options": ["color: color31", "size: 55\" w x 45\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["55\" w x 45\" l"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4WN0HS", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B098PH8LVY", "instruction": "i want hand painted window covering curtain panels. the size should be 52\" wide and 63\" in length.", "attributes": ["hand painted", "machine washable", "long lasting"], "options": ["color: color11", "size: 52\" w x 63\" l"], "instruction_attributes": ["hand painted"], "instruction_options": ["52\" w x 63\" l"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUI0R38", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B098PH8LVY", "instruction": "i am looking for some machine washable curtains in the side 52\" by 63\"", "attributes": ["hand painted", "machine washable", "long lasting"], "options": ["color: color02", "size: 52\" w x 63\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["52\" w x 63\" l"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCGUJSN", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B098PH8LVY", "instruction": "i saw hand painted with size 96\" w x 90\"", "attributes": ["hand painted", "machine washable", "long lasting"], "options": ["color: color03", "size: 96\" w x 90\" l"], "instruction_attributes": ["hand painted"], "instruction_options": [], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWXPC11", "worker_id": "A226L9F2AZ38CL"}], "B0944C6L42": [{"asin": "B0944C6L42", "instruction": "i would like some medium brown hair building fibers for my hair loss.", "attributes": ["cruelty free", "hair loss", "natural hair"], "options": ["color: medium brown"], "instruction_attributes": ["hair loss"], "instruction_options": ["medium brown"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMMVWRSR", "worker_id": "A1WS884SI0SLO4"}], "B006H7YNNA": [{"asin": "B006H7YNNA", "instruction": "find me the 2-pack of trader joe's chocolate covered peppermint joe's cookies.", "attributes": ["trader joe", "chocolate covered"], "options": [""], "instruction_attributes": ["chocolate covered"], "instruction_options": [], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZCI7AX", "worker_id": "A1CB72B51L7TKE"}], "B079B43M9T": [{"asin": "B079B43M9T", "instruction": "i want to get some baked fresh pretzels. can you get me 6 of them?", "attributes": ["baked fresh", "artificial colors"], "options": ["number of items: 6"], "instruction_attributes": ["baked fresh"], "instruction_options": ["6"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXOYYLH", "worker_id": "A34QZDSTKZ3JO9"}], "B084P6N9MN": [{"asin": "B084P6N9MN", "instruction": "i want an elastic waist beach shorts that is xx-large in size.", "attributes": ["loose fit", "elastic waist", "elastic closure", "drawstring closure", "daily wear"], "options": ["color: 6721_lilac", "size: xx-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["xx-large"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N2AT7D", "worker_id": "A1NF6PELRKACS9"}], "B08MJRJDNT": [{"asin": "B08MJRJDNT", "instruction": "i would like a 10x8ft light weight photo background for my studio that looks good on digital photography.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 10x8ft"], "instruction_attributes": ["light weight", "digital photography"], "instruction_options": ["10x8ft"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AGNSTZ", "worker_id": "A1WS884SI0SLO4"}], "B09QPN25MK": [{"asin": "B09QPN25MK", "instruction": "i'm looking for a short sleeve shirt with a button down closure. get the one in 3xl.", "attributes": ["long lasting", "button closure", "polyester spandex", "short sleeve", "tumble dry"], "options": ["color: multi10", "size: 3x-large"], "instruction_attributes": ["button closure", "short sleeve"], "instruction_options": ["3x-large"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPV0XTN", "worker_id": "A34QZDSTKZ3JO9"}], "B081CRX2WY": [{"asin": "B081CRX2WY", "instruction": "can you find me a stainless steel band for my smartwatch? i need it to be 24 mm.", "attributes": ["quick release", "stainless steel"], "options": ["color: croc grey band", "size: 24mm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["24mm"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69ITP8N", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B081CRX2WY", "instruction": "i want a 20mm stainless steel handmade alligator leather watch band.", "attributes": ["quick release", "stainless steel"], "options": ["color: croc navy blue band + white hand stitching", "size: 20mm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["20mm"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP85U7ZJ", "worker_id": "A2RBF3IIJP15IH"}], "B08TCD5LNW": [{"asin": "B08TCD5LNW", "instruction": "i would like a color12 hair cutting kit that is easy to clean.", "attributes": ["easy clean", "hair cutting"], "options": ["color: color12"], "instruction_attributes": ["easy clean"], "instruction_options": ["color12"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJOQBX1", "worker_id": "A1WS884SI0SLO4"}], "B00JKK43AO": [{"asin": "B00JKK43AO", "instruction": "i am looking for a certified organic and caffeine free tea that is licorice root flavored and comes in pack of 16.", "attributes": ["caffeine free", "certified organic", "non gmo"], "options": ["flavor name: licorice root", "size: 16 count (pack of 4)"], "instruction_attributes": ["caffeine free", "certified organic"], "instruction_options": ["licorice root", "16 count (pack of 4)"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS19WXC0", "worker_id": "A114NK7T5673GK"}, {"asin": "B00JKK43AO", "instruction": "i am looking for caffeine free herbal leaf tea having hibiscus flavor.", "attributes": ["caffeine free", "certified organic", "non gmo"], "options": ["flavor name: hibiscus", "size: 16 count (pack of 4)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["hibiscus"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLU8DAX", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00JKK43AO", "instruction": "i would like a 32 count box of individually wrapped moringa with spearmint and sage tea bags that are certified organic.", "attributes": ["caffeine free", "certified organic", "non gmo"], "options": ["flavor name: moringa with spearmint & sage", "size: 32 count (pack of 3)"], "instruction_attributes": ["certified organic"], "instruction_options": ["moringa with spearmint & sage", "32 count (pack of 3)"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OVFOPN", "worker_id": "A1WS884SI0SLO4"}], "B09JPJX8RS": [{"asin": "B09JPJX8RS", "instruction": "i am looking for hair growth treatment for damaged hair. find me a pack of 2.", "attributes": ["natural ingredients", "hair growth", "hair treatment", "damaged hair"], "options": [""], "instruction_attributes": ["hair growth", "hair treatment", "damaged hair"], "instruction_options": [], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBMFEJ5", "worker_id": "A1NF6PELRKACS9"}], "B07ZDM9HBC": [{"asin": "B07ZDM9HBC", "instruction": "need a flavor syrup that is gluten free and comes in a 12oz size.", "attributes": ["non alcoholic", "artificial ingredients", "non gmo", "gluten free"], "options": ["flavor name: peach", "size: 12 fl oz (pack of 1)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V0U2UW", "worker_id": "A1MJVTR0PCKBWW"}, {"asin": "B07ZDM9HBC", "instruction": "i want non gmo liquid alchemist blood orange for cocktails.", "attributes": ["non alcoholic", "artificial ingredients", "non gmo", "gluten free"], "options": ["flavor name: blood orange", "size: 12 ounce"], "instruction_attributes": ["non gmo"], "instruction_options": ["blood orange"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7K037EX", "worker_id": "A2RBF3IIJP15IH"}], "B08JCRSWH6": [{"asin": "B08JCRSWH6", "instruction": "i am looking for a power amplifier that is silver.", "attributes": ["power amplifier", "high power", "high performance", "aluminum alloy"], "options": ["color: silver"], "instruction_attributes": ["power amplifier"], "instruction_options": ["silver"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7U9SDQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B0922YSW2X": [{"asin": "B0922YSW2X", "instruction": "i'm looking for 3x-large women's top which will be a great gift for plus size women. ensure to pick the one with blakc color.", "attributes": ["great gift", "perfect gift"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["great gift"], "instruction_options": ["black", "3x-large"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB94YN8X", "worker_id": "A1HMZJ59OPLD1P"}], "B07SBCQXXG": [{"asin": "B07SBCQXXG", "instruction": "i would like a small blue blazer that can be dry cleaned.", "attributes": ["button closure", "dry clean"], "options": ["color: blue", "size: small"], "instruction_attributes": ["button closure"], "instruction_options": ["blue", "small"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OE6TRE", "worker_id": "A1WS884SI0SLO4"}], "B08BX7GW4N": [{"asin": "B08BX7GW4N", "instruction": "i need 2-pack dark chocolate almond bars that are gluten free.", "attributes": ["low carb", "gluten free", "sugar free", "individually wrapped", "grain free", "chocolate covered", "low sugar", "low calorie", "keto friendly"], "options": ["flavor name: 2-pack dark chocolate almond"], "instruction_attributes": ["gluten free"], "instruction_options": ["2-pack dark chocolate almond"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XK72ENT", "worker_id": "A2RBF3IIJP15IH"}], "B08DQSR5N6": [{"asin": "B08DQSR5N6", "instruction": "i am looking for a kerating detangler spray that is effective at stimulating hair growth.", "attributes": ["hair treatment", "dry hair", "hair growth"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOU4O7X", "worker_id": "A1HMZJ59OPLD1P"}], "B09FZKCTVV": [{"asin": "B09FZKCTVV", "instruction": "i need a perfect sugar fruit gift basket for halloween party. it should be easy to use.", "attributes": ["easy use", "perfect gift"], "options": [""], "instruction_attributes": ["easy use", "perfect gift"], "instruction_options": [], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98O1KY8", "worker_id": "A1NF6PELRKACS9"}], "B0927MLTZZ": [{"asin": "B0927MLTZZ", "instruction": "i need a stainless steel gua sha set that includes the roller and box.", "attributes": ["stainless steel", "dark circles", "fine lines"], "options": ["color: roller and box"], "instruction_attributes": ["stainless steel"], "instruction_options": ["roller and box"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AH7EO8", "worker_id": "A2RBF3IIJP15IH"}], "B09DGV3RC7": [{"asin": "B09DGV3RC7", "instruction": "can you find me a pair of open toe rubber sole pumps? get me the black one in 5.5.", "attributes": ["open toe", "rubber sole"], "options": ["color: black", "size: 5.5"], "instruction_attributes": ["open toe", "rubber sole"], "instruction_options": ["black", "5.5"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LROOBZY", "worker_id": "A34QZDSTKZ3JO9"}], "B09PBL7FCR": [{"asin": "B09PBL7FCR", "instruction": "i am looking for grey color women sandals.it must have steel toe.", "attributes": ["quick drying", "day comfort", "open toe", "steel toe", "memory foam"], "options": ["color: grey", "size: 10.5"], "instruction_attributes": ["steel toe"], "instruction_options": ["grey"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAXYA8Z", "worker_id": "A3FG5PQHG5AH3Y"}], "B09PG8VYL8": [{"asin": "B09PG8VYL8", "instruction": "i am looking for valentine d\u00e9cor for my living room.", "attributes": ["exquisite workmanship", "living room"], "options": ["size: 52x90inx2"], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP6XLDVW", "worker_id": "A2KW17G25L25R8"}, {"asin": "B09PG8VYL8", "instruction": "i am looking for window treatment panels for living room and size should be 52x84 inx2.", "attributes": ["exquisite workmanship", "living room"], "options": ["size: 52x84inx2"], "instruction_attributes": ["living room"], "instruction_options": ["52x84inx2"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU75H573", "worker_id": "A3FG5PQHG5AH3Y"}], "B09P6CDSG5": [{"asin": "B09P6CDSG5", "instruction": "i need a box spring bunk bed. pick a grey one with slide.", "attributes": ["white item", "box spring"], "options": ["color: grey with slide", "size: twin over twin"], "instruction_attributes": ["box spring"], "instruction_options": ["grey with slide"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYFKLQ4", "worker_id": "A1NF6PELRKACS9"}], "B09CZBG4RW": [{"asin": "B09CZBG4RW", "instruction": "i am looking for variety pack of gluten free energy drinks.", "attributes": ["low calorie", "soy free", "keto friendly", "plant based", "non gmo", "gluten free", "artificial flavors"], "options": ["flavor name: variety pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["variety pack"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKC8K7HM", "worker_id": "A3FG5PQHG5AH3Y"}], "B01NBVCWP8": [{"asin": "B01NBVCWP8", "instruction": "i want to update the living room and need a bronze light fixture. i want you to buy one that is a sconce in the industrial style with clear glass globe shade.", "attributes": ["clear glass", "light fixture"], "options": ["color: bronze"], "instruction_attributes": ["light fixture"], "instruction_options": ["bronze"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8ODVTR1", "worker_id": "A33B85TN97HQ33"}], "B01D9HSULQ": [{"asin": "B01D9HSULQ", "instruction": "i need a hyaluronic acid lotion that is unscented.", "attributes": ["paraben free", "hyaluronic acid"], "options": ["style: unscented"], "instruction_attributes": ["hyaluronic acid"], "instruction_options": ["unscented"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L4RERH", "worker_id": "A2RBF3IIJP15IH"}], "B09N8HH539": [{"asin": "B09N8HH539", "instruction": "i'm searching for blue color autumn winter shoes of open toe style and size 8.", "attributes": ["knee high", "open toe", "steel toe"], "options": ["color: blue", "size: 8"], "instruction_attributes": ["open toe"], "instruction_options": ["blue", "8"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IE3M20", "worker_id": "A258PTOZ3D2TQR"}], "B08TMN2DVH": [{"asin": "B08TMN2DVH", "instruction": "i want a low fat cereal that is also sugar free.", "attributes": ["low fat", "0g trans"], "options": [""], "instruction_attributes": ["low fat"], "instruction_options": [], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLUJBY6", "worker_id": "A1NF6PELRKACS9"}], "B07MBD86WN": [{"asin": "B07MBD86WN", "instruction": "i'm looking for an anti aging face mask with jojoba seed oil to restore my skin's vitality.", "attributes": ["anti aging", "cruelty free", "seed oil"], "options": ["color: vitality"], "instruction_attributes": ["anti aging", "seed oil"], "instruction_options": ["vitality"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS354015BMU7", "worker_id": "A3EDFA8UQT5GG8"}], "B078N2XRNB": [{"asin": "B078N2XRNB", "instruction": "i would like a pound of non gmo oatmeal", "attributes": ["non gmo", "old fashioned", "dietary fiber"], "options": ["size: 1 pound (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP6EQDP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07FYPSNH8": [{"asin": "B07FYPSNH8", "instruction": "i am looking for a gluten free, 100% vegan plant based protein shake that is soy-free.", "attributes": ["nut free", "soy free", "plant based", "lactose free", "low sugar", "gluten free", "shelf stable", "dairy free", "non gmo", "artificial colors"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKGXD7P", "worker_id": "A1EREKSZAA9V7B"}], "B07QLJXLKX": [{"asin": "B07QLJXLKX", "instruction": "i would like a floor lamp light fixture for my living room.", "attributes": ["light fixture", "living room"], "options": [""], "instruction_attributes": ["light fixture", "living room"], "instruction_options": [], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4PM7KO", "worker_id": "A1WS884SI0SLO4"}], "B08ND3NK5C": [{"asin": "B08ND3NK5C", "instruction": "i need a white maxax feather pendant light for the living room.", "attributes": ["pendant light", "living room"], "options": ["color: white"], "instruction_attributes": ["pendant light", "living room"], "instruction_options": ["white"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLJD4IW", "worker_id": "A2RBF3IIJP15IH"}], "B09Q3DSP3Y": [{"asin": "B09Q3DSP3Y", "instruction": "find me a women's 3 piece brazilian thong bikini set that is machine washable and size large. i need it in color a01#purple.", "attributes": ["wide leg", "butt lifting", "slim fit", "winter warm", "machine wash", "elastic waist", "high waist", "tummy control", "relaxed fit"], "options": ["color: a01#purple", "size: large"], "instruction_attributes": ["machine wash"], "instruction_options": ["a01#purple", "large"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366ONSPOL", "worker_id": "A1CB72B51L7TKE"}], "B00YJG4GVU": [{"asin": "B00YJG4GVU", "instruction": "i'm searching for a black color 150-inch | 16:9, ultra hd and light weight projector screen", "attributes": ["ultra hd", "light weight"], "options": ["color: black", "size: 150-inch | 16:9", "style: ezframe cg5d"], "instruction_attributes": ["ultra hd", "light weight"], "instruction_options": ["black", "150-inch | 16:9"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTJK6OG", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B00YJG4GVU", "instruction": "i am looking for a cinewhite sable frame series ultra hd projection material .i prefer light weight.", "attributes": ["ultra hd", "light weight"], "options": ["color: cinewhite", "size: 115\" | 2.35:1", "style: sable frame series"], "instruction_attributes": ["ultra hd", "light weight"], "instruction_options": ["cinewhite", "sable frame series"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM5HZHY", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B00YJG4GVU", "instruction": "i'm looking for a 135 inch light weight projection screen.", "attributes": ["ultra hd", "light weight"], "options": ["color: powergain", "size: 135-inch | 2.35:1", "style: sable frame"], "instruction_attributes": ["light weight"], "instruction_options": ["135-inch | 2.35:1"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401BKUM0", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B00YJG4GVU", "instruction": "i would like a 92\" powergain ezframe cg5d series projection screen that is ultra hd.", "attributes": ["ultra hd", "light weight"], "options": ["color: powergain", "size: 92\" | 16:9", "style: ezframe cg5d series"], "instruction_attributes": ["ultra hd"], "instruction_options": ["powergain", "92\" | 16:9", "ezframe cg5d series"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R9UR0X", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00YJG4GVU", "instruction": "i am interested in an ultra hd projection screen that is 92\"", "attributes": ["ultra hd", "light weight"], "options": ["color: cinegrey 5d", "size: 92\" | 16:9", "style: cinegrey 3d"], "instruction_attributes": ["ultra hd"], "instruction_options": ["92\" | 16:9"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYH1LQP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NZML351": [{"asin": "B07NZML351", "instruction": "i am looking for contemporary design featuring clean lines and smooth upholstery, storage ottoman offers the look, feel, and design of a truly contemporary piece. with a minimalistic yet refined structure, this piece brings out a simplistic style that emphasizes comfort and functionality of christopher knight home bancroft lift-top storage ottoman.", "attributes": ["storage space", "contemporary design"], "options": [""], "instruction_attributes": ["storage space", "contemporary design"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKGVD7N", "worker_id": "A1DRKZ3SCLAS4V"}], "B0966FVJ5N": [{"asin": "B0966FVJ5N", "instruction": "i need easy to install window films that are multicolored and are 123.6\" by 78.7\".", "attributes": ["hand painted", "easy install"], "options": ["color: multi-19818", "size: l23.6\" x h 78.7\""], "instruction_attributes": ["easy install"], "instruction_options": ["multi-19818", "l23.6\" x h 78.7\""], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZMV3K8", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0966FVJ5N", "instruction": "i need a hand psychedelic painted window cover that is multi-19818 color and about l23.6\" x h 35.4\".", "attributes": ["hand painted", "easy install"], "options": ["color: multi-19818", "size: l23.6\" x h 35.4\""], "instruction_attributes": ["hand painted"], "instruction_options": ["multi-19818", "l23.6\" x h 35.4\""], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7XVWZTK", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B0966FVJ5N", "instruction": "i need some multicolored window films that are easy to install.", "attributes": ["hand painted", "easy install"], "options": ["color: multi-19826", "size: l23.6\" x h 35.4\""], "instruction_attributes": ["easy install"], "instruction_options": ["multi-19826"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK88NVN", "worker_id": "A2ECRNQ3X5LEXD"}], "B083SRWLJD": [{"asin": "B083SRWLJD", "instruction": "i am looking for an intel core i5 desktop pc.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5", "intel core"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1EVU30", "worker_id": "A1NF6PELRKACS9"}], "B09M8TSCXP": [{"asin": "B09M8TSCXP", "instruction": "i am looking for a blue toothbrush for kids that is easy to use for ages 2-6.", "attributes": ["teeth whitening", "easy use", "long handle"], "options": ["color: a02#blue", "size: age 2-6"], "instruction_attributes": ["easy use"], "instruction_options": ["a02#blue", "age 2-6"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUG3S4Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B07V5FHPWR": [{"asin": "B07V5FHPWR", "instruction": "can you get me a machine washable throw? get me one that is 30x40 inches.", "attributes": ["super soft", "machine washable", "easy clean"], "options": ["color: a627", "size: 30 in x 40 in"], "instruction_attributes": ["machine washable"], "instruction_options": ["30 in x 40 in"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYFFQL4", "worker_id": "A34QZDSTKZ3JO9"}], "B005GPWCPA": [{"asin": "B005GPWCPA", "instruction": "i'm looking for 16 plus petite women pant with regular fit and easy to care. also, choose vivid blue colored one", "attributes": ["easy care", "regular fit"], "options": ["color: vivid blue", "size: 16 plus petite"], "instruction_attributes": ["easy care", "regular fit"], "instruction_options": ["vivid blue", "16 plus petite"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK38VN6W", "worker_id": "AR0VJ5XRG16UJ"}], "B093Y7Q1RR": [{"asin": "B093Y7Q1RR", "instruction": "i need a heavy duty desk chair for my office. get me one that is easy to assemble though.", "attributes": ["heavy duty", "easy assemble", "pu leather"], "options": [""], "instruction_attributes": ["heavy duty", "easy assemble"], "instruction_options": [], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2IUNY2", "worker_id": "A34QZDSTKZ3JO9"}], "B08B51Q53Z": [{"asin": "B08B51Q53Z", "instruction": "i am looking for a vegan gourmet food gift basket with 4 bars.", "attributes": ["individually wrapped", "high fructose", "natural ingredients", "gift basket"], "options": ["size: 4 bars"], "instruction_attributes": ["gift basket"], "instruction_options": ["4 bars"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWTVC79W", "worker_id": "A1EREKSZAA9V7B"}], "B08YRH7DJR": [{"asin": "B08YRH7DJR", "instruction": "i am looking for a long lasting perfume.", "attributes": ["design house", "long lasting", "fine mist"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZUCNCU", "worker_id": "A2ECRNQ3X5LEXD"}], "B08YK7NVGD": [{"asin": "B08YK7NVGD", "instruction": "i need a liwin black wireless 3 in 1 qi-certified 15w fast charging station", "attributes": ["compatible apple", "fast charging", "non slip", "wireless charging"], "options": ["color: black"], "instruction_attributes": ["fast charging", "wireless charging"], "instruction_options": ["black"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2NF5M3", "worker_id": "A1HMZJ59OPLD1P"}], "B08VHM34R6": [{"asin": "B08VHM34R6", "instruction": "i am looking for shoes that are grey and light blue with a rubber sole in a size 11-11.5 women.", "attributes": ["non slip", "moisture wicking", "rubber sole", "rubber outsole"], "options": ["color: grey | light blue", "size: 11-11.5 women | 9.5-10 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["grey | light blue", "11-11.5 women | 9.5-10 men"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9P178E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PL9FJRH": [{"asin": "B09PL9FJRH", "instruction": "i need a pink peach colored cruelty free blush.", "attributes": ["cruelty free", "eye shadow", "nail polish"], "options": ["color: d", "size: d"], "instruction_attributes": ["cruelty free"], "instruction_options": ["d"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1BO080", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09PL9FJRH", "instruction": "i would like a size a color f face cruelty free brush.", "attributes": ["cruelty free", "eye shadow", "nail polish"], "options": ["color: f", "size: a"], "instruction_attributes": ["cruelty free"], "instruction_options": ["f", "a"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO9A33G", "worker_id": "A1WS884SI0SLO4"}], "B07GW9Q8FH": [{"asin": "B07GW9Q8FH", "instruction": "i would like to purchase a 0.4 ounce hyaluronic acid water proof concealer that can help to improve the appearance of dark circles. the one with the 20.0 medium (n) color is preferable.", "attributes": ["anti aging", "highly pigmented", "long lasting", "hyaluronic acid", "dark circles"], "options": ["color: 20.0 medium (n)", "size: 0.4 ounce"], "instruction_attributes": ["hyaluronic acid", "dark circles"], "instruction_options": ["20.0 medium (n)", "0.4 ounce"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSK4X0C", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B07GW9Q8FH", "instruction": "i need long lasting concealer that is in a light natural and is a pack of one.", "attributes": ["anti aging", "highly pigmented", "long lasting", "hyaluronic acid", "dark circles"], "options": ["color: 13.0 light natural (n)", "size: 0.4 fl oz (pack of 1)"], "instruction_attributes": ["long lasting"], "instruction_options": ["13.0 light natural (n)", "0.4 fl oz (pack of 1)"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34N941N", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07GW9Q8FH", "instruction": "i am looking for anti ageing concealer with hyaluronic acid for dark circles and should be 0.11floz.", "attributes": ["anti aging", "highly pigmented", "long lasting", "hyaluronic acid", "dark circles"], "options": ["color: 20.5 medium sand (w)", "size: 0.11 fl oz"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZI9RP9", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B07GW9Q8FH", "instruction": "my skin included 0.4 size dark circle", "attributes": ["anti aging", "highly pigmented", "long lasting", "hyaluronic acid", "dark circles"], "options": ["color: 15.5 light bronze (c)", "size: 0.4 fl oz"], "instruction_attributes": ["dark circles"], "instruction_options": ["0.4 fl oz"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HS3BP5", "worker_id": "A226L9F2AZ38CL"}], "B093H9TCF8": [{"asin": "B093H9TCF8", "instruction": "i want to buy a pair of but lifting grey skinny jean shorts.", "attributes": ["butt lifting", "button closure"], "options": ["color: gray", "size: xx-large"], "instruction_attributes": ["butt lifting"], "instruction_options": ["gray"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOA3W1K", "worker_id": "A3EDFA8UQT5GG8"}], "B09NNDWMDG": [{"asin": "B09NNDWMDG", "instruction": "i am looking for a long sleeved graphic shirt that is large in size.", "attributes": ["quick drying", "machine washable", "long sleeve", "short sleeve", "laundry bag", "daily wear"], "options": ["color: spring tees-a089-black", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["large"], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YGTS55I", "worker_id": "A1NF6PELRKACS9"}], "B08BZB7F14": [{"asin": "B08BZB7F14", "instruction": "i need a black barber blade cleaning brush with a long handle.", "attributes": ["non slip", "easy carry", "easy clean", "long handle", "hair salon"], "options": ["color: black"], "instruction_attributes": ["long handle"], "instruction_options": ["black"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK39DN6G", "worker_id": "A2RBF3IIJP15IH"}], "B08254Z9ZZ": [{"asin": "B08254Z9ZZ", "instruction": "i need a super soft brown color llama storage ottoman for living room", "attributes": ["spot clean", "super soft", "living room"], "options": ["color: brown", "style: llama"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["brown", "llama"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EAFWS3", "worker_id": "A258PTOZ3D2TQR"}], "B09B22X8TN": [{"asin": "B09B22X8TN", "instruction": "i'd like to buy a queen size bed frame with a dark grey linen headboard.", "attributes": ["queen size", "pu leather", "faux leather", "box spring"], "options": ["color: dark gray linen", "size: king"], "instruction_attributes": ["queen size"], "instruction_options": ["dark gray linen"], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVYW6DII", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B09B22X8TN", "instruction": "i am looking for full size , faux leather and box sping pezzola led bed frame", "attributes": ["queen size", "pu leather", "faux leather", "box spring"], "options": ["color: black pu", "size: full"], "instruction_attributes": ["faux leather", "box spring"], "instruction_options": ["full"], "assignment_id": "37TRT2X24116R7L1JO45INKV8UNJB5", "worker_id": "AX2EWYWZM19AZ"}], "B01M65AA2V": [{"asin": "B01M65AA2V", "instruction": "i want an alcohol and sulfate free perfume for women. look for the poised clean breeze scent.", "attributes": ["alcohol free", "sulfate free", "paraben free", "cruelty free", "long lasting"], "options": ["scent: poised (clean breeze)"], "instruction_attributes": ["alcohol free", "sulfate free"], "instruction_options": ["poised (clean breeze)"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZE6O8G", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01M65AA2V", "instruction": "i'm looking for a women's roll-on perfume from mixologie, called assured. also it needs to be a natural fragrance.", "attributes": ["alcohol free", "sulfate free", "paraben free", "cruelty free", "long lasting"], "options": ["scent: daring (spiked punch)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OLR1H57", "worker_id": "ABYRAWL4BGD3C"}], "B06X17CLQX": [{"asin": "B06X17CLQX", "instruction": "i\u2019d like to find a core i5 micro tower desktop computer; it must have 8 gig of ram and have a 500 gig hard drive.", "attributes": ["core i5", "intel core"], "options": ["style: micro tower | 500 gb hdd | 8g ram | i5 |..."], "instruction_attributes": ["core i5"], "instruction_options": ["micro tower | 500 gb hdd | 8g ram | i5 |..."], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYISM62", "worker_id": "A3LIIE572Z4OG7"}], "B00TJ0PGDS": [{"asin": "B00TJ0PGDS", "instruction": "i am looking for a headset that is certified refurbished.", "attributes": ["certified refurbished", "high performance", "wireless bluetooth"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BINA48Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B076PNSLTT": [{"asin": "B076PNSLTT", "instruction": "i want you to find me a mini desktop computer with intel core. i want the one with no ram, no ssd, and no wifi.", "attributes": ["core i5", "intel core"], "options": ["size: no ram, no ssd, no wifi"], "instruction_attributes": ["intel core"], "instruction_options": ["no ram, no ssd, no wifi"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCFBIP3", "worker_id": "A34QZDSTKZ3JO9"}], "B077LQMF5Y": [{"asin": "B077LQMF5Y", "instruction": "can you find me a formal dress with a lace closure? i'm looking for something in ocean blue in size 24 plus.", "attributes": ["lace closure", "laundry bag"], "options": ["color: ocean blue", "size: 24 plus"], "instruction_attributes": ["lace closure"], "instruction_options": ["ocean blue", "24 plus"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP10753LI1", "worker_id": "A34QZDSTKZ3JO9"}], "B01IAA1O60": [{"asin": "B01IAA1O60", "instruction": "i would like a coffee latte rooted wig made of natural hair.", "attributes": ["synthetic hair", "natural hair"], "options": ["color: coffee latte rooted"], "instruction_attributes": ["natural hair"], "instruction_options": ["coffee latte rooted"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTPS7LS", "worker_id": "A1WS884SI0SLO4"}], "B09NDR2N1Y": [{"asin": "B09NDR2N1Y", "instruction": "find me a loose fitting, long sleeve hoodie for teenage girls. i want the one that is green and in xxl.", "attributes": ["loose fit", "long sleeve", "teen girls"], "options": ["color: b5-green", "size: xx-large"], "instruction_attributes": ["loose fit", "long sleeve", "teen girls"], "instruction_options": ["b5-green", "xx-large"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOUZO7S", "worker_id": "A34QZDSTKZ3JO9"}], "B089T11DM4": [{"asin": "B089T11DM4", "instruction": "i need a z6-black and small short sleeve crop top for women.", "attributes": ["long sleeve", "short sleeve", "elastic closure"], "options": ["color: z6-black", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["z6-black", "small"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z1QXGC", "worker_id": "A2RBF3IIJP15IH"}], "B09DVKC4MV": [{"asin": "B09DVKC4MV", "instruction": "i'm looking for a khaki - light filtering cellular shades of size 67\"w x 39\"h for living room", "attributes": ["easy install", "white item", "easy clean", "living room"], "options": ["color: khaki - light filtering", "size: 67\"w x 39\"h"], "instruction_attributes": ["living room"], "instruction_options": ["khaki - light filtering", "67\"w x 39\"h"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB2H4Y8", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09DVKC4MV", "instruction": "i would like a 88 inch wide by 56 inch tall set of blinds for my living room preferably coffee colored.", "attributes": ["easy install", "white item", "easy clean", "living room"], "options": ["color: coffee - light filtering", "size: 88\"w x 56\"h"], "instruction_attributes": ["living room"], "instruction_options": ["coffee - light filtering", "88\"w x 56\"h"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP52OAM", "worker_id": "A1WS884SI0SLO4"}], "B09QSSCJPZ": [{"asin": "B09QSSCJPZ", "instruction": "i am looking for a dairy free, and soy free vegan mac and cheese, id like to get a four pack of them.", "attributes": ["nut free", "rich creamy", "plant based", "dairy free", "soy free", "non gmo"], "options": [""], "instruction_attributes": ["dairy free", "soy free"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQBFEK4", "worker_id": "A2KW17G25L25R8"}], "B019IOH5F6": [{"asin": "B019IOH5F6", "instruction": "i am looking for a high speed hdmi male to male cable that is gold plated. i need it in a 10 pack.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 3 feet (3-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "hdmi male to male"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KA4PD9", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B019IOH5F6", "instruction": "i am looking for a 1 pack of high speed hdmi cables", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 1 pack", "size: 1.5 feet (5-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["1 pack"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYJO6LI", "worker_id": "A9QRQL9CFJBI7"}], "B0968SKYCF": [{"asin": "B0968SKYCF", "instruction": "i want to get a fully cooked meat pizza. pick out the one that comes in the five pack.", "attributes": ["fully cooked", "0g trans", "natural ingredients"], "options": ["flavor: cheese", "size: 5 pack"], "instruction_attributes": ["fully cooked"], "instruction_options": ["5 pack"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINPW72Y", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B0968SKYCF", "instruction": "ilooking a fully cooked 6 pack meat natural ingredient with sausage supreme flavour", "attributes": ["fully cooked", "0g trans", "natural ingredients"], "options": ["flavor: sausage supreme", "size: 6 pack"], "instruction_attributes": ["fully cooked", "natural ingredients"], "instruction_options": ["sausage supreme", "6 pack"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU1VALR", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B0968SKYCF", "instruction": "i need a bag of pizza pepperoni with natural pizza ingredients.", "attributes": ["fully cooked", "0g trans", "natural ingredients"], "options": ["flavor: sausage supreme", "size: 1.68 pound (pack of 5)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["sausage supreme"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTILD4R", "worker_id": "A19317A3X87NVM"}, {"asin": "B0968SKYCF", "instruction": "i am looking for well cooked frozen chicken pizza with double cheese in a size of 6 pack.", "attributes": ["fully cooked", "0g trans", "natural ingredients"], "options": ["flavor: cheese", "size: 6 pack"], "instruction_attributes": ["fully cooked"], "instruction_options": ["cheese", "6 pack"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP9LDQP", "worker_id": "A2DQZHJHF45NDT"}], "B08Q3TXGFK": [{"asin": "B08Q3TXGFK", "instruction": "i am looking for non-toxic eyelashes that are purple.", "attributes": ["non toxic", "easy carry"], "options": ["color: purple"], "instruction_attributes": ["non toxic"], "instruction_options": ["purple"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39SWUGMX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NVPNVM6": [{"asin": "B09NVPNVM6", "instruction": "i need wireless bluetooth speakers that are red.", "attributes": ["stereo sound", "wireless bluetooth"], "options": ["color: red"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["red"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LBO0LN", "worker_id": "A2ECRNQ3X5LEXD"}], "B08Q41YX7C": [{"asin": "B08Q41YX7C", "instruction": "please help me find a phoenix single cup and saucer that is made of bone china and is easy to clean.", "attributes": ["lead free", "easy clean"], "options": ["color: phoenix single cup and saucer"], "instruction_attributes": ["easy clean"], "instruction_options": ["phoenix single cup and saucer"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKMHSGS", "worker_id": "A3LIIE572Z4OG7"}], "B08Y7YT94L": [{"asin": "B08Y7YT94L", "instruction": "i'm looking for a fruit king crispy tofu stick that is freeze dried and high in protein.", "attributes": ["freeze dried", "high protein"], "options": [""], "instruction_attributes": ["freeze dried", "high protein"], "instruction_options": [], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFO30TJ", "worker_id": "A34EHWOYRBL6OZ"}], "B07KWLQJ53": [{"asin": "B07KWLQJ53", "instruction": "show me a ready to hang horse33 wall art in 16''w x 24''h size for my living room.", "attributes": ["ready hang", "living room", "dining room"], "options": ["color: horse33", "size: 16''w x 24''h"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["horse33", "16''w x 24''h"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN4R8IN", "worker_id": "A3AYHESLQSDY5T"}], "B0829QD7J1": [{"asin": "B0829QD7J1", "instruction": "i'm looking for high heels with open toe and has ankle strap. also choose size 6 with black colored one.", "attributes": ["open toe", "ankle strap"], "options": ["color: black", "size: 6"], "instruction_attributes": ["open toe", "ankle strap"], "instruction_options": ["black", "6"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZD6KMZ", "worker_id": "AR0VJ5XRG16UJ"}], "B0778WH8SD": [{"asin": "B0778WH8SD", "instruction": "i am looking for hand crafted food decoration toopers for birthday parties.", "attributes": ["hand crafted", "baby shower"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4DN510", "worker_id": "A3FG5PQHG5AH3Y"}], "B08RXX825P": [{"asin": "B08RXX825P", "instruction": "i tore my walking shoes today and need new ones. i'd like you to buy me a new pair. my size is 16 wide and the only other thing i care about is that they are made of ethylene vinyl.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: vicuna", "size: 16 wide"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["16 wide"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q7X1H9Z", "worker_id": "A33B85TN97HQ33"}, {"asin": "B08RXX825P", "instruction": "buy a pair of size nine waterproof lace-up walking shoes. they should be made out of vinyl acetate .", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: vicuna", "size: 9 wide"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["9 wide"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTSTL7D", "worker_id": "AR9AU5FY1S3RO"}], "B08X1YXPZM": [{"asin": "B08X1YXPZM", "instruction": "i'm looking for some open toe flats for teen girls. i want the pink one in size 7.", "attributes": ["open toe", "ankle strap", "teen girls"], "options": ["color: z1-hot pink", "size: 7"], "instruction_attributes": ["open toe", "teen girls"], "instruction_options": ["z1-hot pink", "7"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZENMKK", "worker_id": "A34QZDSTKZ3JO9"}], "B08RS6FRVM": [{"asin": "B08RS6FRVM", "instruction": "i would like a 40x120cm roller shade for my living room that's easy to install.", "attributes": ["easy install", "exquisite workmanship", "living room"], "options": ["size: 40x120cm | 16x47in"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["40x120cm | 16x47in"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40SCFYT", "worker_id": "A1WS884SI0SLO4"}], "B0085T88NE": [{"asin": "B0085T88NE", "instruction": "i need a stainless steel pot rack.", "attributes": ["coated steel", "stainless steel"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3YWRV122C39W3PYOSBO9YN35HZKU8N", "worker_id": "A2ECRNQ3X5LEXD"}], "B07MYQH91L": [{"asin": "B07MYQH91L", "instruction": "i am looking for a 12\" darkest brown #2 synthetic hair hair extensions", "attributes": ["hair extensions", "synthetic hair", "hair growth"], "options": ["color: darkest brown #2", "size: 12 inch"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["darkest brown #2", "12 inch"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG2YSLR", "worker_id": "A3N9ZYQAESNFQH"}], "B095PM7DKX": [{"asin": "B095PM7DKX", "instruction": "show me a ready to hang wooden framed wall art poster of nude man or women in 20 x 30 in size.", "attributes": ["ready hang", "living room"], "options": ["color: a-wooden framed", "size: 20 x 30 in"], "instruction_attributes": [], "instruction_options": ["20 x 30 in"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1H96F8", "worker_id": "A3AYHESLQSDY5T"}], "B08B5K6BW5": [{"asin": "B08B5K6BW5", "instruction": "i need a gift set of cookies for the perfect gift that has oreos.", "attributes": ["baked fresh", "perfect gift"], "options": ["flavor name: oreos\u00ae, m&ms\u00ae, and reese\u2019s peanut butter..."], "instruction_attributes": ["perfect gift"], "instruction_options": ["oreos\u00ae, m&ms\u00ae, and reese\u2019s peanut butter..."], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDNLZQS", "worker_id": "A2ECRNQ3X5LEXD"}], "B08SJGT3GL": [{"asin": "B08SJGT3GL", "instruction": "i am looking for a specific perfume fragrance called impression of a poison girl that comes in a travel size.", "attributes": ["travel size", "long lasting"], "options": ["scent: impression of poison girl"], "instruction_attributes": ["travel size"], "instruction_options": ["impression of poison girl"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVOM9XO", "worker_id": "A114NK7T5673GK"}], "B09NKRK5YJ": [{"asin": "B09NKRK5YJ", "instruction": "i am looking for a kids u shaped toothbrush that is high quality and blue or orange in color.", "attributes": ["high quality", "sensitive teeth"], "options": ["color: blue+orange", "size: 6-12 year old"], "instruction_attributes": ["high quality"], "instruction_options": ["blue+orange"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP6YTVDO", "worker_id": "A2KW17G25L25R8"}], "B08BXJ1P9S": [{"asin": "B08BXJ1P9S", "instruction": "i'm looking for space saving storage bins made of pu leather. also, choose 16.5\" thickened in size with burgundy stripe pattern.", "attributes": ["space saving", "pu leather", "storage space"], "options": ["color: burgundy stripe", "size: 16.5\" | thickened"], "instruction_attributes": ["space saving", "pu leather"], "instruction_options": ["burgundy stripe", "16.5\" | thickened"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH0HV1N", "worker_id": "AR0VJ5XRG16UJ"}], "B08M5V1DGG": [{"asin": "B08M5V1DGG", "instruction": "snow white water glow mask cream", "attributes": ["clinically proven", "oil free", "anti aging", "hyaluronic acid"], "options": ["pattern name: 4th generation"], "instruction_attributes": ["oil free"], "instruction_options": ["4th generation"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SQCUDO", "worker_id": "A10OGH5CQBXL5N"}], "B07QFZ6Z8X": [{"asin": "B07QFZ6Z8X", "instruction": "can you find me a pair of men's pleated golf shorts with a button closure and a high waist? i want them in khaki and in size 38.", "attributes": ["button closure", "high waist"], "options": ["color: khaki", "size: 38"], "instruction_attributes": ["button closure", "high waist"], "instruction_options": ["khaki", "38"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0OJAC5", "worker_id": "A34QZDSTKZ3JO9"}], "B09PNRGYNQ": [{"asin": "B09PNRGYNQ", "instruction": "i want to buy a pair of closed toe sandals in size 6. it should have high heels.", "attributes": ["closed toe", "high heel", "ankle strap"], "options": ["color: z1 brown", "size: 6"], "instruction_attributes": ["closed toe", "high heel"], "instruction_options": ["6"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRI7FMC", "worker_id": "A1NF6PELRKACS9"}], "B07VTM5TWH": [{"asin": "B07VTM5TWH", "instruction": "i'm looking for a non slip spotting scopes for bird watching.", "attributes": ["non slip", "bird watching"], "options": [""], "instruction_attributes": ["non slip", "bird watching"], "instruction_options": [], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRPPPWV", "worker_id": "AR0VJ5XRG16UJ"}], "B082M7W64J": [{"asin": "B082M7W64J", "instruction": "find me a high quality 613 bundle with closure hair extension in 14 14 16+12 size.", "attributes": ["high quality", "hair extensions"], "options": ["color: 613 bundles with closure", "size: 14 14 16+12"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["613 bundles with closure", "14 14 16+12"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYPDHV8", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B082M7W64J", "instruction": "i would like a bundle of hair extensions that are 20 inches", "attributes": ["high quality", "hair extensions"], "options": ["color: 613 bundles with closure", "size: 18 | 20 | 20+16 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["613 bundles with closure", "18 | 20 | 20+16 inch"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2AGY77", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QM39K2F": [{"asin": "B09QM39K2F", "instruction": "find me some non-slip steel toe platform shoes for women. i want something in pink in the size 10.5.", "attributes": ["slip resistant", "non slip", "steel toe"], "options": ["color: pink", "size: 10.5"], "instruction_attributes": ["slip resistant", "non slip", "steel toe"], "instruction_options": ["pink", "10.5"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TOSMPK", "worker_id": "A34QZDSTKZ3JO9"}], "B01IEK23A2": [{"asin": "B01IEK23A2", "instruction": "i am looking for an easy clean rug that is red in color.", "attributes": ["spot clean", "easy clean"], "options": ["size: 2 ft x 5 ft"], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3UOXJ6V", "worker_id": "A1NF6PELRKACS9"}], "B07MBVNFXS": [{"asin": "B07MBVNFXS", "instruction": "i need some new yoga wide leg yoga pants. make sure you get me the wocachi brand and that they are plaid. oh, also make sure they are from this years spring/summer collection.", "attributes": ["low rise", "wide leg"], "options": ["color: i-yellow", "size: 4x-large"], "instruction_attributes": ["wide leg"], "instruction_options": ["4x-large"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLIW4ID", "worker_id": "A33B85TN97HQ33"}], "B09GFL5G1G": [{"asin": "B09GFL5G1G", "instruction": "i am looking for a high quality nylon strap for my galaxy phone.", "attributes": ["non toxic", "high quality"], "options": ["color: 02bhl"], "instruction_attributes": ["high quality"], "instruction_options": ["02bhl"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZ8GLKY", "worker_id": "A2KW17G25L25R8"}], "B087D53LM1": [{"asin": "B087D53LM1", "instruction": "i am looking for natural looking hair extensions 18 inch.", "attributes": ["hair extensions", "natural hair"], "options": ["color: #6 | 8 | 14", "size: 10 inch"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["10 inch"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2IPNYX", "worker_id": "A2KW17G25L25R8"}, {"asin": "B087D53LM1", "instruction": "my sister have natural hair in 12 inch", "attributes": ["hair extensions", "natural hair"], "options": ["color: #1b | 6 | 27", "size: 12 inch"], "instruction_attributes": ["natural hair"], "instruction_options": ["12 inch"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZMRC76", "worker_id": "A226L9F2AZ38CL"}], "B09FG43X5Q": [{"asin": "B09FG43X5Q", "instruction": "i am looking for an eco friendly 35 by 59 inch waterproof clear plastic table mat.", "attributes": ["eco friendly", "stainless steel"], "options": ["size: 35x59in | 90x150cm"], "instruction_attributes": ["eco friendly", "stainless steel"], "instruction_options": ["35x59in | 90x150cm"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWNGFP6", "worker_id": "A1EREKSZAA9V7B"}], "B09MVYD2R4": [{"asin": "B09MVYD2R4", "instruction": "i am looking for some birthday party supplies to go on a plane-themed birthday cake.", "attributes": ["party supplies", "baby shower", "birthday party"], "options": ["color: airplane"], "instruction_attributes": ["party supplies", "birthday party"], "instruction_options": ["airplane"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB27Y4S", "worker_id": "A114NK7T5673GK"}], "B0924JWYGM": [{"asin": "B0924JWYGM", "instruction": "can you find me some rose gold eyeshadow, please?", "attributes": ["long lasting", "easy carry", "rose gold", "eye shadow"], "options": ["color: rose gold"], "instruction_attributes": ["rose gold", "eye shadow"], "instruction_options": ["rose gold"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZF57C1", "worker_id": "A34QZDSTKZ3JO9"}], "B004Q85JV2": [{"asin": "B004Q85JV2", "instruction": "i am looking for a high quality perfume.", "attributes": ["design house", "high quality"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSKZ0XA", "worker_id": "A2ECRNQ3X5LEXD"}], "B07MNW2KV4": [{"asin": "B07MNW2KV4", "instruction": "i would like a size 10 black long sleeve sweatshirt.", "attributes": ["long sleeve", "elastic closure"], "options": ["color: z05-black", "size: size:m_us:10"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CMST21", "worker_id": "A1WS884SI0SLO4"}], "B07NNTC257": [{"asin": "B07NNTC257", "instruction": "i need contemporary style and granite counter stools for the dining room.", "attributes": ["contemporary style", "dining room"], "options": ["color: granite", "size: counter stool"], "instruction_attributes": ["contemporary style", "dining room"], "instruction_options": ["granite", "counter stool"], "assignment_id": "3V26SBZTBOOS9KTL7ONUSZFOIRLZZ3", "worker_id": "A2RBF3IIJP15IH"}], "B00DVFHZFE": [{"asin": "B00DVFHZFE", "instruction": "can you find me a tablet charger with ouput protection, please?", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20KPZ0Y", "worker_id": "A34QZDSTKZ3JO9"}], "B08DR3KHXG": [{"asin": "B08DR3KHXG", "instruction": "please help me find a pair of white men\u2019s sneaker in a size 13; it must be the \u201cu-throat\u201d type with a rubber sole.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: white", "size: 13"], "instruction_attributes": ["rubber sole"], "instruction_options": ["white", "13"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAM94XDW", "worker_id": "A3LIIE572Z4OG7"}], "B09Q57WQ9G": [{"asin": "B09Q57WQ9G", "instruction": "i am looking for 16\" natural human hair extensions that is a mix of brown and dark blonde.", "attributes": ["hair loss", "hair extensions", "natural hair"], "options": ["color: #4t27 medium brown ombre dark blonde", "size: 16\""], "instruction_attributes": ["natural hair"], "instruction_options": ["16\""], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MG3LWA", "worker_id": "A1EREKSZAA9V7B"}], "B09SQ5ZCGK": [{"asin": "B09SQ5ZCGK", "instruction": "i am looking for a high quality reusable facial treatment.", "attributes": ["high quality", "green tea", "fine lines"], "options": ["color: b"], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHW6Z4F", "worker_id": "A114NK7T5673GK"}], "B09HHP2J5L": [{"asin": "B09HHP2J5L", "instruction": "i want a gray dzquy men striped knit sweater in x-large. i want one that is fleece lined and water resistant.", "attributes": ["fleece lined", "water resistant", "daily casual", "light weight", "slim fit", "faux fur"], "options": ["color: gray", "size: x-large"], "instruction_attributes": ["fleece lined", "water resistant"], "instruction_options": ["gray", "x-large"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLNPADX", "worker_id": "A1CB72B51L7TKE"}], "B09NMDXK5J": [{"asin": "B09NMDXK5J", "instruction": "i am looking for a window film for the dining room in the color 917730770571231000 in the size 23.6 by 23.6.", "attributes": ["tempered glass", "dining room"], "options": ["color: 917730770571231000", "size: (width\uff0923.6in x (length)23.6in x 2pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["917730770571231000", "(width\uff0923.6in x (length)23.6in x 2pcs"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN244Y7J", "worker_id": "A2ECRNQ3X5LEXD"}], "B08CKZBLYN": [{"asin": "B08CKZBLYN", "instruction": "i am looking for a 2 light vanity light with glass shade.", "attributes": ["vanity light", "glass shade"], "options": ["size: 2 light"], "instruction_attributes": ["vanity light", "glass shade"], "instruction_options": ["2 light"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4DZ51C", "worker_id": "A1NF6PELRKACS9"}], "B08L9C3MDF": [{"asin": "B08L9C3MDF", "instruction": "i am looking for a desktop that is a core intel i7 that has 8gb of ram and 512 ssd of storage.", "attributes": ["dual band", "easy carry", "intel core"], "options": ["color: ddr3l core i7 4500u", "size: 8gb ram 512gb ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["ddr3l core i7 4500u", "8gb ram 512gb ssd"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H07W61D", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08L9C3MDF", "instruction": "i would like to buy a desktop computer with windows 10, intel core processor. additionally i would like 8gb of ram and a 512gb ssd.", "attributes": ["dual band", "easy carry", "intel core"], "options": ["color: new ddr4l core i5 8250u", "size: 8gb ram 512gb ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["new ddr4l core i5 8250u", "8gb ram 512gb ssd"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLJDF2K", "worker_id": "AHXHM1PQTRWIQ"}], "B08STVQLVR": [{"asin": "B08STVQLVR", "instruction": "i am looking for a fast charging charger in mystic navy color.", "attributes": ["fast charging", "usb port"], "options": ["color: bronze", "size: 256gb", "style: s7 tablet + bookcover"], "instruction_attributes": ["fast charging"], "instruction_options": ["bronze"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U1CMAM", "worker_id": "A2KW17G25L25R8"}], "B08Z3K789Q": [{"asin": "B08Z3K789Q", "instruction": "i need one ounce of keto friendly vanilla flavor.", "attributes": ["non gmo", "easy use", "keto friendly", "gluten free", "artificial flavors"], "options": ["flavor name: cake batter", "size: 1 oz"], "instruction_attributes": ["keto friendly"], "instruction_options": ["1 oz"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9DXK6V", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QZPM2TB": [{"asin": "B09QZPM2TB", "instruction": "can you look and find me some water resistant eyeliner?", "attributes": ["highly pigmented", "water resistant"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40R1CR7", "worker_id": "A34QZDSTKZ3JO9"}], "B09J8673JD": [{"asin": "B09J8673JD", "instruction": "do you have any long lasting eye shadow? something with 2 colors would be the best.", "attributes": ["long lasting", "travel size", "eye shadow"], "options": ["color: 2"], "instruction_attributes": ["long lasting", "eye shadow"], "instruction_options": ["2"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KJJLJ2", "worker_id": "A34QZDSTKZ3JO9"}], "B01GE2ZOT4": [{"asin": "B01GE2ZOT4", "instruction": "i want to buy a tongue scraper that will give me fresh breath and is made from stainless steel.", "attributes": ["stainless steel", "fresh breath"], "options": [""], "instruction_attributes": ["stainless steel", "fresh breath"], "instruction_options": [], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OR2EYF", "worker_id": "A114NK7T5673GK"}], "B09BQRTH7L": [{"asin": "B09BQRTH7L", "instruction": "i am looking for a blue long sleeve quarter zip hoodie.", "attributes": ["machine washable", "machine wash", "fashion design", "cotton spandex", "polyester cotton", "polyester spandex", "long sleeve"], "options": ["color: blue", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YUBEH0", "worker_id": "A2KW17G25L25R8"}], "B09BC92CVS": [{"asin": "B09BC92CVS", "instruction": "i need 26\" metal bar stools that are distressed teal with modern wooden seats and are easy to assemble.", "attributes": ["white item", "easy assemble"], "options": ["color: distressed teal with modern wooden seat", "size: 26\""], "instruction_attributes": ["easy assemble"], "instruction_options": ["distressed teal with modern wooden seat", "26\""], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WNK42P", "worker_id": "A2RBF3IIJP15IH"}], "B097XFZ2LM": [{"asin": "B097XFZ2LM", "instruction": "i am looking for a good travel size cologne small 0.27 ounce.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: john varvatos artisan impression", "size: 0.27 fl oz (pack of 1)"], "instruction_attributes": ["travel size"], "instruction_options": ["0.27 fl oz (pack of 1)"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYDW6LE", "worker_id": "A2KW17G25L25R8"}, {"asin": "B097XFZ2LM", "instruction": "i am looking for a travel size eau de parfum for men of sandalwood & white musk perfume scent.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: sandalwood & white musk perfume", "size: 0.17 fl oz | 5ml"], "instruction_attributes": ["travel size"], "instruction_options": ["sandalwood & white musk perfume"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMIAJ10", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B097XFZ2LM", "instruction": "i'm looking for a men's fragrance or cologne with a long lasting scent. i need a travel size bottle of about 8ml.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: dior blooming bouquet impression", "size: 0.27 fl oz | 8ml"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["0.27 fl oz | 8ml"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFGU025", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B097XFZ2LM", "instruction": "i will like to get a high quality, long lasting ca perfume club impression of bad boy for men, size 0.17 fl oz | 5ml", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: paco rabanne one million lucky impressio...", "size: 0.17 fl oz | 5ml"], "instruction_attributes": ["travel size", "high quality"], "instruction_options": ["0.17 fl oz | 5ml"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2UNL4L", "worker_id": "A1IL2K0ELYI090"}], "B094H3QJ8R": [{"asin": "B094H3QJ8R", "instruction": "do you have a high quality tool bag? i need something at least 5ml.", "attributes": ["non toxic", "high quality"], "options": ["size: 5ml"], "instruction_attributes": ["high quality"], "instruction_options": ["5ml"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X13PG0", "worker_id": "A34QZDSTKZ3JO9"}], "B00MJW4HYW": [{"asin": "B00MJW4HYW", "instruction": "find me a non gmo banana and strawberry meal.", "attributes": ["bpa free", "certified organic", "non gmo"], "options": ["flavor: strawberry & banana"], "instruction_attributes": ["non gmo"], "instruction_options": ["strawberry & banana"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDOYZQ7", "worker_id": "A1NF6PELRKACS9"}], "B08SQPYY1F": [{"asin": "B08SQPYY1F", "instruction": "i am looking for a happy birthday cake for a party.", "attributes": ["birthday cake", "birthday party"], "options": ["color: 19"], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY863O18Y", "worker_id": "AHXHM1PQTRWIQ"}], "B072C64JZR": [{"asin": "B072C64JZR", "instruction": "i want a double sided pillow cover. it should be orange blue in color.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: orange blue", "size: 20\" x 20\""], "instruction_attributes": ["double sided"], "instruction_options": ["orange blue"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SRNUD1", "worker_id": "A1NF6PELRKACS9"}], "B07DCP65HD": [{"asin": "B07DCP65HD", "instruction": "i need 300 cotton rounds for my nail polish", "attributes": ["nail polish", "nail art"], "options": ["size: 300pcs"], "instruction_attributes": ["nail polish"], "instruction_options": ["300pcs"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VTXFP3B", "worker_id": "A2ECRNQ3X5LEXD"}], "B001VJ70UC": [{"asin": "B001VJ70UC", "instruction": "locate the 12 pouch option of gogo squeez fruit on the go applesauce that is non gmo. i want the apple cinnamon flavor.", "attributes": ["dairy free", "bpa free", "nut free", "low calorie", "kosher certified", "plant based", "non gmo", "gluten free", "high fructose"], "options": ["flavor name: apple cinnamon", "size: 12 pouches"], "instruction_attributes": ["non gmo"], "instruction_options": ["apple cinnamon", "12 pouches"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8N3X2NY", "worker_id": "A1CB72B51L7TKE"}], "B08G4NKG7T": [{"asin": "B08G4NKG7T", "instruction": "i'm looking for a living room light set. i want the one in gold with three lights.", "attributes": ["easy install", "vanity light", "living room"], "options": ["color: gold", "size: 3-light"], "instruction_attributes": ["living room"], "instruction_options": ["gold", "3-light"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AFSUY8", "worker_id": "A34QZDSTKZ3JO9"}], "B00O84PEWS": [{"asin": "B00O84PEWS", "instruction": "i am looking for 4g lte wifi router.it should be of black color.", "attributes": ["dual band", "4g lte"], "options": ["color: black"], "instruction_attributes": ["4g lte"], "instruction_options": ["black"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQCTKEQ", "worker_id": "A3FG5PQHG5AH3Y"}], "B09J2L1DM5": [{"asin": "B09J2L1DM5", "instruction": "i am looking for a black high performance smart watch.", "attributes": ["high performance", "4g lte"], "options": ["color: black"], "instruction_attributes": ["high performance"], "instruction_options": ["black"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL84151AXZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08PC5R8N2": [{"asin": "B08PC5R8N2", "instruction": "i need a desk lamp with brushed nickle finish.", "attributes": ["assembly required", "brushed nickel", "nickel finish"], "options": ["color: brushed nickel"], "instruction_attributes": ["brushed nickel", "nickel finish"], "instruction_options": ["brushed nickel"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FCSLEO", "worker_id": "A1NF6PELRKACS9"}], "B07RT73KP5": [{"asin": "B07RT73KP5", "instruction": "i am looking for 8 channel pyle bluetooth stereo amplifier receiver is perfect for your pa/ home theater acoustic sound system with wireless bluetooth-compatible the professional compact rack mount home theater system of amplifier - 4000w rack mount multi zone sound mixer set of 1 pack.", "attributes": ["power amplifier", "wireless bluetooth"], "options": ["size: 1-pack"], "instruction_attributes": ["power amplifier", "wireless bluetooth"], "instruction_options": ["1-pack"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZP0041", "worker_id": "A1DRKZ3SCLAS4V"}], "B09QHR7BZ6": [{"asin": "B09QHR7BZ6", "instruction": "i'm looking for a pair of open toe women's sandals with a leather sole. i want the green ones in size six.", "attributes": ["open toe", "leather sole"], "options": ["color: green-26#", "size: 6"], "instruction_attributes": ["open toe", "leather sole"], "instruction_options": ["green-26#", "6"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFO90TP", "worker_id": "A34QZDSTKZ3JO9"}], "B09SHZZBQH": [{"asin": "B09SHZZBQH", "instruction": "i am looking for a men's medium size slim fit long sleeve button down floral dress shirt.", "attributes": ["loose fit", "hand wash", "daily casual", "winter warm", "fleece lined", "wide leg", "wash cold", "slim fit", "machine wash", "long sleeve", "drawstring waist", "high waist"], "options": ["color: white", "size: medium"], "instruction_attributes": ["slim fit", "long sleeve"], "instruction_options": ["medium"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIS3T9U", "worker_id": "A2KW17G25L25R8"}], "B01N3TDQJ0": [{"asin": "B01N3TDQJ0", "instruction": "i need a sugar free 5 pound pack of coconut flakes. it should be plant based.", "attributes": ["sugar free", "soy free", "kosher certified", "plant based", "non gmo", "gluten free"], "options": ["size: 5 pound (pack of 1)"], "instruction_attributes": ["sugar free", "plant based"], "instruction_options": ["5 pound (pack of 1)"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3GYRYB", "worker_id": "A1NF6PELRKACS9"}], "B08F9FGDK7": [{"asin": "B08F9FGDK7", "instruction": "i need black 20g makeup sample containers that are leak proof.", "attributes": ["leak proof", "easy clean"], "options": ["color: black", "size: 20g"], "instruction_attributes": ["leak proof"], "instruction_options": ["black", "20g"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZGK7CI", "worker_id": "A2RBF3IIJP15IH"}], "B08LDQGYVH": [{"asin": "B08LDQGYVH", "instruction": "get me a high power bird watching monocular that is 10x50 in size", "attributes": ["high power", "high definition", "bird watching"], "options": ["size: 10x50"], "instruction_attributes": ["high power", "bird watching"], "instruction_options": ["10x50"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQA3HHJ", "worker_id": "A1NF6PELRKACS9"}], "B09J22PJ6Y": [{"asin": "B09J22PJ6Y", "instruction": "i need a slipper anti slip in white color size 9.5-11 for women and 9-10 for men", "attributes": ["anti slip", "non slip", "memory foam", "ethylene vinyl", "vinyl acetate", "rubber sole"], "options": ["color: white-purple", "size: 9.5-11 women | 9-10 men"], "instruction_attributes": ["anti slip"], "instruction_options": ["white-purple", "9.5-11 women | 9-10 men"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9IWO1SP", "worker_id": "A2Y2TURT2VEYZN"}], "B086X6M1W2": [{"asin": "B086X6M1W2", "instruction": "i'm looking to buy a high resolution marine animal themed backdrop. the size should be 12x10ft.", "attributes": ["light weight", "high resolution"], "options": ["size: 12x10ft"], "instruction_attributes": ["high resolution"], "instruction_options": ["12x10ft"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZZISIT", "worker_id": "A3EDFA8UQT5GG8"}], "B09J6FKBNM": [{"asin": "B09J6FKBNM", "instruction": "i need a coconut hair loss serum.", "attributes": ["hair growth", "hair loss"], "options": ["style: wil+gain_coconut+flaxseed oil (moisturizing)"], "instruction_attributes": ["hair loss"], "instruction_options": ["wil+gain_coconut+flaxseed oil (moisturizing)"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTRZO0A4", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SWDZ9HZ": [{"asin": "B09SWDZ9HZ", "instruction": "i need to get a new photography background. pick out the one that is 2m in diameter.", "attributes": ["easy carry", "digital photography"], "options": ["size: 6.5ft | 2m diameter"], "instruction_attributes": ["easy carry"], "instruction_options": ["6.5ft | 2m diameter"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPSXO9GS", "worker_id": "A34QZDSTKZ3JO9"}], "B07FDL284N": [{"asin": "B07FDL284N", "instruction": "i would like a 6 pack of 5.5 ounce non gmo sundried tomatoes.", "attributes": ["non gmo", "gluten free", "0g trans", "high fructose"], "options": ["flavor name: sundried tomato", "size: 5.5 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["sundried tomato", "5.5 ounce (pack of 6)"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFHJEMK", "worker_id": "A1WS884SI0SLO4"}], "B091DG574T": [{"asin": "B091DG574T", "instruction": "i want to find a barstool made out of faux leather and stainless steel. i want the one in black.", "attributes": ["faux leather", "stainless steel"], "options": ["color: black | stainless steel", "size: 30"], "instruction_attributes": ["faux leather", "stainless steel"], "instruction_options": ["black | stainless steel"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7TZ5PA", "worker_id": "A34QZDSTKZ3JO9"}], "B09MZ4VGLR": [{"asin": "B09MZ4VGLR", "instruction": "i am looking for a core i5 laptop that has 64 gb of ram and 2tb of storage.", "attributes": ["core i5", "intel core", "quad core"], "options": ["capacity: 64gb ddr4 ram, 2tb pcie ssd"], "instruction_attributes": ["core i5"], "instruction_options": ["64gb ddr4 ram, 2tb pcie ssd"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ5Z7KCM", "worker_id": "A2ECRNQ3X5LEXD"}], "B078H4GBC6": [{"asin": "B078H4GBC6", "instruction": "can you find me a wireless bluetooth speaker that comes with a carrying case? i want you to get me the one in blue.", "attributes": ["carrying case", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["carrying case", "wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU46Z6RK", "worker_id": "A34QZDSTKZ3JO9"}], "B07Z11QCDP": [{"asin": "B07Z11QCDP", "instruction": "i need a keto friendly and non gmo variety pack can. it should be cranberry and raspberry flavored.", "attributes": ["keto friendly", "sugar free", "non gmo", "gluten free", "zero sugar"], "options": ["flavor name: cran-raspberry"], "instruction_attributes": ["keto friendly", "non gmo"], "instruction_options": ["cran-raspberry"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5Q9F42", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07Z11QCDP", "instruction": "i'd like to shop for sparkling watermelon juice that's non-gmo and sugar free.", "attributes": ["keto friendly", "sugar free", "non gmo", "gluten free", "zero sugar"], "options": ["flavor name: watermelon"], "instruction_attributes": ["sugar free", "non gmo"], "instruction_options": ["watermelon"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYR36MF", "worker_id": "AR9AU5FY1S3RO"}], "B096LNNZRY": [{"asin": "B096LNNZRY", "instruction": "i'm looking for beauty pro 30 capsules which should be clinically proven for anti aging, hair growth, works on dry skin and has natural ingredients.", "attributes": ["clinically proven", "anti aging", "natural ingredients", "damaged hair", "dry skin", "hair growth"], "options": [""], "instruction_attributes": ["clinically proven", "anti aging", "natural ingredients", "dry skin", "hair growth"], "instruction_options": [], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWMYPFW", "worker_id": "AR0VJ5XRG16UJ"}], "B017JX5456": [{"asin": "B017JX5456", "instruction": "i am looking for great for normal to oily skin, the non-comedogenic cosmetic features skin-soothing aloe vera and lavender plus anti-aging antioxidants and skin-smoothing peptides selected with effective natural ingredients and ensure our products are free of gluten, parabens, talc, artificial colors, synthetic fragrances, sls and phthalates. never conduct animal testing mineral fusion liquid foundation, warm 2, 1 fl ounce in deep 1 color.", "attributes": ["animal testing", "anti aging", "natural ingredients", "nail polish"], "options": ["color: deep 1"], "instruction_attributes": ["anti aging", "natural ingredients"], "instruction_options": ["deep 1"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLDT2FB", "worker_id": "A1DRKZ3SCLAS4V"}], "B08WCTV9CF": [{"asin": "B08WCTV9CF", "instruction": "can you find a black dining table set? i'm looking for something that is easy to clean.", "attributes": ["easy clean", "metal legs", "white finish", "living room"], "options": ["color: white double layer console table", "size: black dining table set"], "instruction_attributes": ["easy clean"], "instruction_options": ["black dining table set"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N17T78", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B08WCTV9CF", "instruction": "i'm looking for sofa wall side table.", "attributes": ["easy clean", "metal legs", "white finish", "living room"], "options": ["color: white c shape side table", "size: black nesting table"], "instruction_attributes": ["white finish", "living room"], "instruction_options": ["white c shape side table"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCGH7HZ", "worker_id": "A21IUUHBSEVB56"}], "B095NKLWVJ": [{"asin": "B095NKLWVJ", "instruction": "i am looking for a black and gold chandelier for my dining room that has six lights", "attributes": ["mid century", "pendant light", "contemporary style", "light fixture", "dining room"], "options": ["color: black&gold", "size: 6 lights"], "instruction_attributes": ["dining room"], "instruction_options": ["black&gold", "6 lights"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU3OA9W", "worker_id": "A2ECRNQ3X5LEXD"}], "B08P4JN9MX": [{"asin": "B08P4JN9MX", "instruction": "i'm looking for a solid wood coatrack with a round base. i want color b as well.", "attributes": ["easy assemble", "eco friendly", "solid wood"], "options": ["color: b"], "instruction_attributes": ["solid wood"], "instruction_options": ["b"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YML8TK", "worker_id": "A3OLRWACCCCUTU"}], "B019MGTHFQ": [{"asin": "B019MGTHFQ", "instruction": "i'm looking for gold plated, high speed hdmi cable . also, choose 12 feet hdmi male to female cable in pack of 1.", "attributes": ["high speed", "gold plated"], "options": ["color: 1 pack", "size: 12 feet (4 pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["1 pack", "12 feet (4 pack)", "hdmi male to female"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMDZIZ3", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B019MGTHFQ", "instruction": "i'm looking for a single high speed gold plated hdmi cable.", "attributes": ["high speed", "gold plated"], "options": ["color: 1 pack", "size: 12 feet (3 pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["1 pack"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLV9BYY", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B019MGTHFQ", "instruction": "i'm looking for high speed 3 feet hdmi cable male to female with ethernet black", "attributes": ["high speed", "gold plated"], "options": ["color: 5 pack", "size: 3 feet (10 pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["3 feet (10 pack)", "hdmi male to female"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57J29IO", "worker_id": "A258PTOZ3D2TQR"}], "B0842Y5Y5Z": [{"asin": "B0842Y5Y5Z", "instruction": "i am looking for a solid wood dining table with a barn wood finish.", "attributes": ["easy clean", "wood finish", "solid wood"], "options": ["color: barn wood finish", "size: 84\" x 37\""], "instruction_attributes": ["solid wood"], "instruction_options": ["barn wood finish"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHAMNBZ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B0842Y5Y5Z", "instruction": "i want a modern turned leg solid wood dining table with tuscany finish.", "attributes": ["easy clean", "wood finish", "solid wood"], "options": ["color: tuscany finish", "size: 96\" x 37\""], "instruction_attributes": ["solid wood"], "instruction_options": ["tuscany finish"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZJT7CX", "worker_id": "A2RBF3IIJP15IH"}], "B09N98D1KN": [{"asin": "B09N98D1KN", "instruction": "i am looking for an easy to use three piece set of hair growth treatment that works on damaged hair.", "attributes": ["easy use", "hair growth", "damaged hair", "hair loss"], "options": ["size: 3pcs"], "instruction_attributes": ["easy use", "damaged hair"], "instruction_options": ["3pcs"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWUBC1H", "worker_id": "A114NK7T5673GK"}], "B07Q4819L1": [{"asin": "B07Q4819L1", "instruction": "i cook beef so added artificial flavors 12 pack", "attributes": ["wild caught", "artificial flavors"], "options": ["style: beef 12 pack"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["beef 12 pack"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOLVYVT", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B07Q4819L1", "instruction": "looking for wild caught coho salmon with organic butternut squash and beets in beef 6 pack", "attributes": ["wild caught", "artificial flavors"], "options": ["style: beef 6 pack"], "instruction_attributes": ["wild caught"], "instruction_options": ["beef 6 pack"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTPNV46", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B07Q4819L1", "instruction": "i want a 12 pack of serenity kids baby food pouches, wild caught salmon.", "attributes": ["wild caught", "artificial flavors"], "options": ["style: salmon 12 pack"], "instruction_attributes": ["wild caught"], "instruction_options": ["salmon 12 pack"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R45TY6", "worker_id": "A2RBF3IIJP15IH"}], "B00C2DZAIU": [{"asin": "B00C2DZAIU", "instruction": "i need cat 6 cables that are gold plated, black and 1 ft.", "attributes": ["gold plated", "high performance", "high speed", "high definition"], "options": ["color: black", "size: 1 ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["black", "1 ft"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AMJBW7", "worker_id": "A1MJVTR0PCKBWW"}], "B095FMPLN3": [{"asin": "B095FMPLN3", "instruction": "i want to find a plant based party mix gift set. get me the one in old bay flavor.", "attributes": ["protein serving", "plant based", "non gmo", "gift set"], "options": ["flavor name: old bay duo", "size: 2 piece assortment"], "instruction_attributes": ["plant based", "gift set"], "instruction_options": ["old bay duo"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSG9RS96", "worker_id": "A34QZDSTKZ3JO9"}], "B08M9MHZHQ": [{"asin": "B08M9MHZHQ", "instruction": "i'm looking for an easy to install living room celling light with a 2-light capacity", "attributes": ["mid century", "easy install", "light fixture", "pendant light", "dining room", "living room"], "options": ["size: 2-light"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["2-light"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG17HGYY", "worker_id": "A3EDFA8UQT5GG8"}], "B01MY97UM3": [{"asin": "B01MY97UM3", "instruction": "i am looking for a brushed nickel floor lamp. i believe the color is called great falls.", "attributes": ["nickel finish", "brushed nickel"], "options": ["color: great falls"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["great falls"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8OX2A2S", "worker_id": "A114NK7T5673GK"}], "B08BCS7GSL": [{"asin": "B08BCS7GSL", "instruction": "i would like some orange fluoride free toothpaste.", "attributes": ["fluoride free", "cruelty free"], "options": ["scent: orange"], "instruction_attributes": ["fluoride free"], "instruction_options": ["orange"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTAD9N5", "worker_id": "A1WS884SI0SLO4"}], "B015SJ7RYY": [{"asin": "B015SJ7RYY", "instruction": "i need pure white curtains that are machine washable and are 66 in by 54 in.", "attributes": ["machine washable", "easy install"], "options": ["color: pure white", "size: 66 in x 54 in (w x l)"], "instruction_attributes": ["machine washable"], "instruction_options": ["pure white", "66 in x 54 in (w x l)"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227C68F3", "worker_id": "A2ECRNQ3X5LEXD"}], "B01EVUAFAY": [{"asin": "B01EVUAFAY", "instruction": "i am looking for long lasting princess dreaming edp perfume spray.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHYDHQV", "worker_id": "A1EREKSZAA9V7B"}], "B09PV8NYXC": [{"asin": "B09PV8NYXC", "instruction": "i need a virtual reality gaming popgrip with wireless charging.", "attributes": ["compatible apple", "wireless charging"], "options": [""], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRB1WNL", "worker_id": "A1NF6PELRKACS9"}], "B09CTM4CWK": [{"asin": "B09CTM4CWK", "instruction": "i'm looking for a relaxed fit, long sleeve women's blouse with animal print or polka dots. the color should be a-gray and the size 4x-large.", "attributes": ["hand wash", "machine wash", "long sleeve", "quality materials", "relaxed fit"], "options": ["color: a-gray", "size: 4x-large"], "instruction_attributes": ["long sleeve", "relaxed fit"], "instruction_options": ["a-gray", "4x-large"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1BM08Y", "worker_id": "A3EDFA8UQT5GG8"}], "B09P86GCLP": [{"asin": "B09P86GCLP", "instruction": "i would like a small multicolor button down shirt that i can machine wash.", "attributes": ["slim fit", "long lasting", "quick drying", "machine wash"], "options": ["color: multicolor a", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["multicolor a", "small"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AH8OEJ", "worker_id": "A1WS884SI0SLO4"}], "B082NW3WQZ": [{"asin": "B082NW3WQZ", "instruction": "i need dining room chairs that is in mustard color.", "attributes": ["assembly required", "pu leather", "dining room", "living room"], "options": ["color: mustard"], "instruction_attributes": ["dining room"], "instruction_options": ["mustard"], "assignment_id": "37TRT2X24116R7L1JO45INKV8QIJBS", "worker_id": "A1NF6PELRKACS9"}], "B085FYTFYB": [{"asin": "B085FYTFYB", "instruction": "i'm looking for a pair of high heeled, rubber soled pumps. pick the black suede ones in 9.", "attributes": ["high heel", "rubber sole"], "options": ["color: black-suede", "size: 9"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["black-suede", "9"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60L2AA7", "worker_id": "A34QZDSTKZ3JO9"}], "B08CMXQJZC": [{"asin": "B08CMXQJZC", "instruction": "find me a quick drying hawaiin shirt with short sleeves and a front pocket. get me a large size.", "attributes": ["machine wash", "quick drying", "button closure", "short sleeve", "relaxed fit", "daily wear"], "options": ["color: dark cyan, tall branch", "size: large"], "instruction_attributes": ["quick drying", "short sleeve"], "instruction_options": ["large"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWAIGGP", "worker_id": "A1NF6PELRKACS9"}], "B007PK85K0": [{"asin": "B007PK85K0", "instruction": "i would like to purchase 10 packs of trader joe's pretzels. also make sure they contain no artificial flavors.", "attributes": ["trader joe", "artificial flavors"], "options": ["size: 10 pack"], "instruction_attributes": ["trader joe", "artificial flavors"], "instruction_options": ["10 pack"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA93WCZ3W", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B007PK85K0", "instruction": "i am looking for a 4 pack of trader joe's pretzels.", "attributes": ["trader joe", "artificial flavors"], "options": ["size: 4 pack"], "instruction_attributes": ["trader joe"], "instruction_options": ["4 pack"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZK4A72", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B007PK85K0", "instruction": "i would like a one pound bag of trader joes pretzels.", "attributes": ["trader joe", "artificial flavors"], "options": ["size: 1 pound (pack of 1)"], "instruction_attributes": ["trader joe"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYRMMQX", "worker_id": "A1WS884SI0SLO4"}], "B07BHH3RJ2": [{"asin": "B07BHH3RJ2", "instruction": "i need a leak proof travel bottle that is reusable and comes in 6 pack.", "attributes": ["leak proof", "travel bottles"], "options": [""], "instruction_attributes": ["leak proof", "travel bottles"], "instruction_options": [], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJI8V2LU", "worker_id": "A1NF6PELRKACS9"}], "B09QWZCPK4": [{"asin": "B09QWZCPK4", "instruction": "i would like a extra small multi green boxer brief that i can hand wash in the sink.", "attributes": ["machine washable", "hand wash", "comfortable fit", "elastic waistband"], "options": ["color: multi 35 green", "size: x-small"], "instruction_attributes": ["hand wash"], "instruction_options": ["multi 35 green", "x-small"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2NYL4I", "worker_id": "A1WS884SI0SLO4"}], "B008Y253N0": [{"asin": "B008Y253N0", "instruction": "i want to find some dairy free sprinkles. something with nuts would be great.", "attributes": ["non dairy", "dairy free"], "options": ["flavor name: nut"], "instruction_attributes": ["dairy free"], "instruction_options": ["nut"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP4FCOW", "worker_id": "A34QZDSTKZ3JO9"}], "B07L2M5C9C": [{"asin": "B07L2M5C9C", "instruction": "do you think you can find me a fluoride free toothpaste for sensitive teeth? i want something that comes in a 3.5 ounce size.", "attributes": ["fluoride free", "cruelty free", "long lasting", "seed oil", "sensitive teeth", "fresh breath"], "options": ["size: 3.5 ounce (pack of 2)"], "instruction_attributes": ["fluoride free", "sensitive teeth"], "instruction_options": [], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H08016E", "worker_id": "A34QZDSTKZ3JO9"}], "B086JM3CGY": [{"asin": "B086JM3CGY", "instruction": "can you find me a 4g lte coaxial cable? i need the 3 foot one.", "attributes": ["coaxial cable", "4g lte"], "options": ["color: rg316", "size: 100cm | 3ft"], "instruction_attributes": ["coaxial cable", "4g lte"], "instruction_options": ["100cm | 3ft"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFBU02V", "worker_id": "A34QZDSTKZ3JO9"}], "B07WVH54JP": [{"asin": "B07WVH54JP", "instruction": "i am looking for hair extensions black storage bag.it should be of high quality.", "attributes": ["high quality", "easy use", "hair extensions"], "options": ["color: black-storage bag#"], "instruction_attributes": ["high quality"], "instruction_options": ["black-storage bag#"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYKGMQD", "worker_id": "A3FG5PQHG5AH3Y"}], "B08BZTCDXT": [{"asin": "B08BZTCDXT", "instruction": "i would like a women's size 11 azure walking shoe made of vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: azure", "size: 11 women | 8.5 men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["azure", "11 women | 8.5 men"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWN8PF8", "worker_id": "A1WS884SI0SLO4"}], "B0816GY2BD": [{"asin": "B0816GY2BD", "instruction": "i'm looking for a sythetic hair extensions. also, choose black colored one.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: black"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["black"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5Q4F4X", "worker_id": "AR0VJ5XRG16UJ"}], "B019IOGFDY": [{"asin": "B019IOGFDY", "instruction": "i want a hdmi cable with high speed and 1.5 feet size.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 1.5 feet (10-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["1.5 feet (10-pack)"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR43QUFX", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B019IOGFDY", "instruction": "i am interested in a high speed hdmi cable that is 10 feet long and comes in a 2 pack.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 10 feet (3-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["2 pack", "10 feet (3-pack)"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VZ5N1S", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B019IOGFDY", "instruction": "i'm looking for an high speed hdmi cable which is gold plated. also, choose a pack of 4 hdmi male to male cable of size 3 feet one.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 4 pack", "size: 3 feet (3-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["4 pack", "3 feet (3-pack)", "hdmi male to male"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UP0G1Y", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B019IOGFDY", "instruction": "i am looking for high speed hdmi cable of size 75 feet.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 75 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["75 feet (single pack)"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLZXDR8", "worker_id": "A1Q8PPQQCWGY0D"}], "B093YS65BV": [{"asin": "B093YS65BV", "instruction": "i'm trying to find a laundry bag for women.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVAGBIT", "worker_id": "A34QZDSTKZ3JO9"}], "B09CNNJZJH": [{"asin": "B09CNNJZJH", "instruction": "i want a loose fit pullover. pick out the one in gray, please.", "attributes": ["machine washable", "loose fit", "hand wash", "high waist", "long sleeve", "laundry bag"], "options": ["color: a gray", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["a gray"], "assignment_id": "326O153BMT8RVOXTJJKKGXV362MEDV", "worker_id": "A34QZDSTKZ3JO9"}], "B003VP5TPW": [{"asin": "B003VP5TPW", "instruction": "i want a sonoma oak or white 3 tier classic tube that comprises of shelving units and a tv stand in my living room. also choose the one designed with engineered wood.", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: sonoma oak | white", "pattern name: shelving unit + tv stands", "size: 3-tier classic tube"], "instruction_attributes": ["engineered wood", "living room"], "instruction_options": ["sonoma oak | white", "shelving unit + tv stands", "3-tier classic tube"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z45ZCQ6", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B003VP5TPW", "instruction": "i am looking for a french oak grey | black corner shelves for living room", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: french oak grey | black", "pattern name: shelving unit + display rack", "size: 5-tier"], "instruction_attributes": ["living room"], "instruction_options": ["french oak grey | black"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPP3WFC", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B003VP5TPW", "instruction": "i am searching for 3-tier classic tube white color corner shelf for living room", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: beech | white", "pattern name: shelving unit + end table", "size: 3-tier classic tube"], "instruction_attributes": ["living room"], "instruction_options": ["beech | white", "3-tier classic tube"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A4CHFP", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B003VP5TPW", "instruction": "i need a 5-tier corner shelf for my living room.", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: cream faux marble | white", "pattern name: shelving unit + tv stands", "size: 5-tier"], "instruction_attributes": ["living room"], "instruction_options": ["5-tier"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PLEEQB", "worker_id": "A1NF6PELRKACS9"}], "B07TTSM7RN": [{"asin": "B07TTSM7RN", "instruction": "i am in search of a black printed heavy duty toiletry bags which will be able to resist the water damage.", "attributes": ["heavy duty", "water resistant", "easy carry", "high quality"], "options": ["color: black print"], "instruction_attributes": ["heavy duty", "water resistant"], "instruction_options": ["black print"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017WP4PN", "worker_id": "A14BSOU2Y5JNT0"}, {"asin": "B07TTSM7RN", "instruction": "i am looking for an off-white toiletry bag that is easy to carry.", "attributes": ["heavy duty", "water resistant", "easy carry", "high quality"], "options": ["color: off-white printing"], "instruction_attributes": ["easy carry"], "instruction_options": ["off-white printing"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3ICLZ5", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GBZB5X8": [{"asin": "B08GBZB5X8", "instruction": "i want help getting an open toe, non-slip sandal. get the ones in blue in women's size 6.", "attributes": ["open toe", "non slip", "ankle strap", "memory foam"], "options": ["color: z1_blue", "size: 6"], "instruction_attributes": ["open toe", "non slip"], "instruction_options": ["z1_blue", "6"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDT6IAI", "worker_id": "A34QZDSTKZ3JO9"}], "B012JD9X26": [{"asin": "B012JD9X26", "instruction": "i am looking for butter from grass fed cows i need something non gmo, and gluten free. glass jar 16 oz if possible.", "attributes": ["grass fed", "trader joe", "artificial ingredients", "keto friendly", "low carb", "non gmo", "gluten free"], "options": ["size: 16 fl oz (pack of 1)"], "instruction_attributes": ["grass fed", "non gmo", "gluten free"], "instruction_options": ["16 fl oz (pack of 1)"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OI1MM6", "worker_id": "A2KW17G25L25R8"}], "B07FCRDYMP": [{"asin": "B07FCRDYMP", "instruction": "i need a 4.7 ounce paraben free makeup remover.", "attributes": ["paraben free", "cruelty free", "sensitive skin"], "options": ["size: 4.7 fl oz (pack of 1)"], "instruction_attributes": ["paraben free"], "instruction_options": ["4.7 fl oz (pack of 1)"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K3W21W", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KZSK9CP": [{"asin": "B07KZSK9CP", "instruction": "i need to get a new high performance printer for my office.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49CBTD2", "worker_id": "A34QZDSTKZ3JO9"}], "B083MYW6QY": [{"asin": "B083MYW6QY", "instruction": "i am looking for king sized platform bed.it should be made of solid wood.", "attributes": ["button tufted", "box spring", "solid wood"], "options": ["color: white", "size: king", "style: metal bed w | headboard"], "instruction_attributes": ["solid wood"], "instruction_options": ["king"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66MFZF3", "worker_id": "A3FG5PQHG5AH3Y"}], "B09BKH4DMM": [{"asin": "B09BKH4DMM", "instruction": "i'm looking for jeans that are machine washable and are in size 27.", "attributes": ["machine washable", "machine wash"], "options": ["size: 27"], "instruction_attributes": ["machine washable"], "instruction_options": ["27"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDE72OK", "worker_id": "A1MJVTR0PCKBWW"}], "B09N1HXD28": [{"asin": "B09N1HXD28", "instruction": "i need a tv stand that is wall mounted and is walnut colored. size should be 51\"w x 14\"d x 18\"h.", "attributes": ["wall mounted", "easy clean", "easy assemble", "storage space", "living room"], "options": ["color: walnut 013", "size: 51\"w x 14\"d x 18\"h"], "instruction_attributes": [], "instruction_options": ["51\"w x 14\"d x 18\"h"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MIBFOG", "worker_id": "A1MJVTR0PCKBWW"}], "B09BYXC5Z7": [{"asin": "B09BYXC5Z7", "instruction": "i'm looking for a white, solid wood bar stool. i just need to make sure that it's about 45 inches high.", "attributes": ["high density", "white item", "easy assemble", "faux leather", "solid wood", "living room"], "options": ["color: white", "size: 45'' high"], "instruction_attributes": ["white item", "solid wood"], "instruction_options": ["white", "45'' high"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXFQWK8", "worker_id": "A34QZDSTKZ3JO9"}], "B079PSXB8B": [{"asin": "B079PSXB8B", "instruction": "please find a dust poof red color bluetooth speaker", "attributes": ["dust proof", "hands free"], "options": ["color: red"], "instruction_attributes": ["dust proof"], "instruction_options": ["red"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW0VT44", "worker_id": "A258PTOZ3D2TQR"}], "B07W92ZMZN": [{"asin": "B07W92ZMZN", "instruction": "i am looking for a remote control for an lg blu-ray dvd home theater system.", "attributes": ["batteries included", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG36LSU", "worker_id": "A2KW17G25L25R8"}, {"asin": "B07W92ZMZN", "instruction": "i want a remote control for lg blu ray", "attributes": ["batteries included", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSKP8B8", "worker_id": "A2Y2TURT2VEYZN"}], "B09286DYTK": [{"asin": "B09286DYTK", "instruction": "i need a wifi ip surveillance camera and stainless steel waterproof junction box with external speaker", "attributes": ["easy install", "stainless steel"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3ARQNI", "worker_id": "A258PTOZ3D2TQR"}], "B08QZCDRYH": [{"asin": "B08QZCDRYH", "instruction": "i need a durable 13\u201d lightweight case for my macbook; i\u2019d prefer a red one.", "attributes": ["light weight", "case cover"], "options": ["color: matte red"], "instruction_attributes": ["light weight"], "instruction_options": ["matte red"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNRJ8H1", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B08QZCDRYH", "instruction": "i want to find a lightweight macbook pro case cover that has a matte blue color.", "attributes": ["light weight", "case cover"], "options": ["color: matte blue"], "instruction_attributes": ["light weight", "case cover"], "instruction_options": ["matte blue"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUBYA9M", "worker_id": "A345TDMHP3DQ3G"}], "B07JH27T27": [{"asin": "B07JH27T27", "instruction": "i'm looking for a deborah lippman gel lab pro nail polish. ensure the color is the full coverage bright red cr\u00e8me", "attributes": ["animal testing", "nail polish"], "options": ["color: she's a rebel - full coverage bright red cr\u00e8me"], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSD526L", "worker_id": "A1HMZJ59OPLD1P"}], "B004QVVJ7M": [{"asin": "B004QVVJ7M", "instruction": "i want to get a high resolution and high performance hdmi cable.", "attributes": ["high resolution", "high performance"], "options": [""], "instruction_attributes": ["high resolution", "high performance"], "instruction_options": [], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW8BNFE", "worker_id": "A34QZDSTKZ3JO9"}], "B09D3M46H2": [{"asin": "B09D3M46H2", "instruction": "i need a high performance smartwatch band compatible with apple. pick something in black gray color.", "attributes": ["dust proof", "compatible apple", "high performance", "stainless steel"], "options": ["color: 5-gray teal | black gray | lightblue teal | black blue", "size: 42mm | 44mm | 45mm | ml"], "instruction_attributes": ["compatible apple", "high performance"], "instruction_options": ["5-gray teal | black gray | lightblue teal | black blue"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NFGKBQ", "worker_id": "A1NF6PELRKACS9"}], "B09NVVQCN8": [{"asin": "B09NVVQCN8", "instruction": "i buy a solid wood in white color", "attributes": ["twin size", "assembly required", "box spring", "solid wood"], "options": ["color: white", "size: twin with slide+fence"], "instruction_attributes": ["solid wood"], "instruction_options": ["white"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFK13VT", "worker_id": "A226L9F2AZ38CL"}], "B07Q6C1BRG": [{"asin": "B07Q6C1BRG", "instruction": "i need a multipack of living room curtains that are 29\" by 45\"", "attributes": ["printing technology", "living room", "dining room"], "options": ["color: multi 10", "size: 29\" w x 45\" l"], "instruction_attributes": ["living room"], "instruction_options": ["multi 10", "29\" w x 45\" l"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AFWUYC", "worker_id": "A2ECRNQ3X5LEXD"}], "B085NXXD8J": [{"asin": "B085NXXD8J", "instruction": "i need a face mask that is for dark circles and is clinically proven to work.", "attributes": ["clinically proven", "dark circles"], "options": [""], "instruction_attributes": ["clinically proven", "dark circles"], "instruction_options": [], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VUYWY2", "worker_id": "A1MJVTR0PCKBWW"}], "B01GZI0JMY": [{"asin": "B01GZI0JMY", "instruction": "i am looking for 9 ounce packs of 12 certified organic, non gmo, and gluten free organic brown rice cakes.", "attributes": ["certified organic", "non gmo", "gluten free"], "options": ["flavor name: apple cinnamon", "size: 9 ounce (pack of 12)"], "instruction_attributes": ["certified organic", "non gmo", "gluten free"], "instruction_options": ["9 ounce (pack of 12)"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSO9YLLG", "worker_id": "A2KW17G25L25R8"}, {"asin": "B01GZI0JMY", "instruction": "i am hoping to find some tamari with seaweed flavored rice cakes. i want them to be gluten free and non gmo", "attributes": ["certified organic", "non gmo", "gluten free"], "options": ["flavor name: tamari with seaweed", "size: 9.5 ounce (pack of 12)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["tamari with seaweed"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP56OAQ", "worker_id": "A32JEH06T23HDF"}], "B099KRPB3M": [{"asin": "B099KRPB3M", "instruction": "i am looking for a pack of 12 cafe mocha in plant based form.", "attributes": ["plant based", "soy free", "dairy free", "non gmo", "gluten free", "artificial flavors"], "options": ["flavor name: caf\u00e9 mocha", "size: pack of 12"], "instruction_attributes": ["plant based"], "instruction_options": ["caf\u00e9 mocha", "pack of 12"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB10RLUA", "worker_id": "A2KW17G25L25R8"}], "B091JGLW4G": [{"asin": "B091JGLW4G", "instruction": "i need an usda organic jinxuan oolong tea bag that is hand crafted.", "attributes": ["usda organic", "hand crafted"], "options": ["flavor name: jinxuan oolong", "size: unwrapped (40 count sachets)"], "instruction_attributes": ["usda organic", "hand crafted"], "instruction_options": ["jinxuan oolong"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLJH4I0", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B091JGLW4G", "instruction": "i want t secretea oolong tea bags, taiwan jinxuan 100% organic.", "attributes": ["usda organic", "hand crafted"], "options": ["flavor name: jinxuan oolong", "size: unwrapped sachets (40 count)"], "instruction_attributes": ["usda organic"], "instruction_options": ["jinxuan oolong"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKABEN8", "worker_id": "A2RBF3IIJP15IH"}], "B0829NNZPL": [{"asin": "B0829NNZPL", "instruction": "i am looking for a hair styling mirror.", "attributes": ["easy use", "hair styling"], "options": [""], "instruction_attributes": ["hair styling"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC2LD0J", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QCYJ2QM": [{"asin": "B09QCYJ2QM", "instruction": "get a tongue cleaner that is easy clean and use, and is also stainless steel.", "attributes": ["bpa free", "easy clean", "easy use", "high quality", "stainless steel", "bad breath"], "options": [""], "instruction_attributes": ["easy clean", "easy use", "stainless steel"], "instruction_options": [], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7F8MK8G", "worker_id": "A1MJVTR0PCKBWW"}], "B01M0XSD38": [{"asin": "B01M0XSD38", "instruction": "can you find me a face moisturizer for dead and dry skin? i want the one that comes in the 5.07 ounces.", "attributes": ["dry skin", "dead skin"], "options": ["color: the first treatment essence intensive moist", "size: 5.07 fl oz (pack of 1)"], "instruction_attributes": ["dry skin", "dead skin"], "instruction_options": [], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YVIHEC", "worker_id": "A34QZDSTKZ3JO9"}], "B09M6KRDK1": [{"asin": "B09M6KRDK1", "instruction": "i need a black twin sized bed.", "attributes": ["twin size", "white item", "easy assemble", "box spring"], "options": ["color: d black", "size: twin | twin | full"], "instruction_attributes": ["twin size"], "instruction_options": ["d black", "twin | twin | full"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVIH71E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LR3WFLR": [{"asin": "B09LR3WFLR", "instruction": "i\u2019d like to find a super soft luxurious fleece throw that\u2019s about 50\u201d x 40\u201d in size. it should look good in my living room.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: black ultra-soft micro fleece blanket mario kart tour ultra-soft micro fleece blanket 12", "size: 50\"x40\""], "instruction_attributes": ["super soft", "fleece throw", "living room"], "instruction_options": ["50\"x40\""], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NFHBKI", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B09LR3WFLR", "instruction": "i am looking for a 60\"x 50\" super soft throws", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: black ultra-soft micro fleece blanket mario kart tour1 ultra-soft micro fleece blanket 14", "size: 60\"x50\""], "instruction_attributes": ["super soft"], "instruction_options": ["60\"x50\""], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2I1FK6", "worker_id": "A9QRQL9CFJBI7"}], "B08XJF919X": [{"asin": "B08XJF919X", "instruction": "i need a 1.0mm braces brush that is easy to clean.", "attributes": ["non slip", "easy clean", "easy use", "oral hygiene"], "options": ["size: 1.0mm"], "instruction_attributes": ["easy clean"], "instruction_options": ["1.0mm"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SSEQTK", "worker_id": "A2RBF3IIJP15IH"}], "B07FRM6MLX": [{"asin": "B07FRM6MLX", "instruction": "i want the easy to use seasoning spice mix. look for the garlic butter option.", "attributes": ["hand crafted", "easy use"], "options": ["flavor name: garlic butter", "size: 2 pound refill bag"], "instruction_attributes": ["easy use"], "instruction_options": ["garlic butter"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MCWWZYP", "worker_id": "A1NF6PELRKACS9"}], "B08RJ2FPPM": [{"asin": "B08RJ2FPPM", "instruction": "i am looking for low sugar, low carb and gluten free cookies that has flavored chocolate cake", "attributes": ["low sugar", "gluten free", "low carb"], "options": ["flavor name: chocolate cake"], "instruction_attributes": ["low sugar", "gluten free", "low carb"], "instruction_options": ["chocolate cake"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODJ8WE4", "worker_id": "A258PTOZ3D2TQR"}], "B09PFVG2ND": [{"asin": "B09PFVG2ND", "instruction": "i need a henleys shirt, slim fit and fleece lined. color needs to be white and x-large in size.", "attributes": ["slim fit", "fleece lined", "long sleeve", "short sleeve", "polyester cotton", "gym workout"], "options": ["color: white", "size: x-large"], "instruction_attributes": ["slim fit", "fleece lined"], "instruction_options": ["white", "x-large"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPH2E68", "worker_id": "A1MJVTR0PCKBWW"}], "B092VGFJY3": [{"asin": "B092VGFJY3", "instruction": "hey i need some new press on nails. get me babalal cat eye ones that aren't toxic and make sure the color you get is purple.", "attributes": ["high quality", "non toxic", "nail art"], "options": ["pattern name: purple"], "instruction_attributes": ["non toxic"], "instruction_options": ["purple"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY88TXUY", "worker_id": "A33B85TN97HQ33"}], "B09HC9W6FK": [{"asin": "B09HC9W6FK", "instruction": "i would like a desktop mini computer with16 gig of ram and a intel core i9.", "attributes": ["dual band", "intel core"], "options": ["color: core i9-11900", "size: 16gb ram 512gb ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["core i9-11900", "16gb ram 512gb ssd"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGG6W2Q", "worker_id": "A1WS884SI0SLO4"}], "B09HR1DWBR": [{"asin": "B09HR1DWBR", "instruction": "i'm searching for sunkist\u00ae omega 3+6 trail mix , low sodium and gluten free snack with almonds, yogurt raisins, banana chips", "attributes": ["low sodium", "gluten free", "resealable bag"], "options": ["flavor name: sunkist\u00ae omega 3+6 trail mix"], "instruction_attributes": ["low sodium", "gluten free"], "instruction_options": ["sunkist\u00ae omega 3+6 trail mix"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKC8RH73", "worker_id": "A258PTOZ3D2TQR"}], "B07TYS4L2Q": [{"asin": "B07TYS4L2Q", "instruction": "i am looking for an old fashioned and gluten free rolled oats. i would need about 400 ounces of it.", "attributes": ["gluten free", "non gmo", "old fashioned"], "options": ["size: 400 ounce (pack of 1)", "style: resealable"], "instruction_attributes": ["gluten free", "old fashioned"], "instruction_options": ["400 ounce (pack of 1)"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2IUYND", "worker_id": "A1NF6PELRKACS9"}], "B00G7U29KQ": [{"asin": "B00G7U29KQ", "instruction": "i need a dermatologist tested instantly warm clay mask- 1 count (6 masks)", "attributes": ["dermatologist tested", "oil free"], "options": ["size: 1 count (6 masks)", "style: instantly warm clay mask"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["1 count (6 masks)", "instantly warm clay mask"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOHX7H64", "worker_id": "A258PTOZ3D2TQR"}], "B08JTPPFC3": [{"asin": "B08JTPPFC3", "instruction": "i would like to find raspberry jam snacks with real fruit combined with almond spread.", "attributes": ["non gmo", "real fruit", "high fructose"], "options": ["flavor name: almond spread", "size: 0.8 ounce (pack of 40)"], "instruction_attributes": ["real fruit"], "instruction_options": ["almond spread"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADE5WV4", "worker_id": "A3EDFA8UQT5GG8"}], "B00VMDDDT4": [{"asin": "B00VMDDDT4", "instruction": "i need area rugs in the color french cellar that i can easily spot clean.", "attributes": ["spot clean", "easy clean"], "options": ["color: french cellar", "size: set"], "instruction_attributes": ["spot clean"], "instruction_options": ["french cellar"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OSXM35", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PPVLKTQ": [{"asin": "B09PPVLKTQ", "instruction": "i am looking for a high quality purple ice roller skin care tool kit.", "attributes": ["high quality", "bpa free", "anti aging", "long lasting", "easy use", "green tea", "fine lines"], "options": ["color: purple"], "instruction_attributes": ["high quality", "easy use"], "instruction_options": ["purple"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163PLQP7", "worker_id": "A1EREKSZAA9V7B"}], "B08936CZHQ": [{"asin": "B08936CZHQ", "instruction": "i want a facial serum with antioxidants, oil free, clinically proven, in a 1.7 ounce just one pack.", "attributes": ["oil free", "clinically proven", "alcohol free", "hyaluronic acid", "dry skin"], "options": ["size: 1.7 ounce (pack of 1)", "style: water gel with trial cleanser"], "instruction_attributes": ["oil free", "clinically proven"], "instruction_options": ["1.7 ounce (pack of 1)"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR120CX", "worker_id": "AXIH2UZ6NNMRE"}, {"asin": "B08936CZHQ", "instruction": "i'd like to shop for a three piece set of eye creams that have hyaluronic acid and are oil free.", "attributes": ["oil free", "clinically proven", "alcohol free", "hyaluronic acid", "dry skin"], "options": ["size: 3 piece set", "style: eye cream"], "instruction_attributes": ["oil free", "hyaluronic acid"], "instruction_options": ["3 piece set", "eye cream"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PQO2XH", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08936CZHQ", "instruction": "i would like a 0.5 fluid ounce bottle of water gel eye cream that is clinically proven.", "attributes": ["oil free", "clinically proven", "alcohol free", "hyaluronic acid", "dry skin"], "options": ["size: 0.5 fl oz (pack of 1)", "style: water gel"], "instruction_attributes": ["clinically proven"], "instruction_options": ["0.5 fl oz (pack of 1)", "water gel"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOC3NO7", "worker_id": "A1WS884SI0SLO4"}], "B0018CK0EU": [{"asin": "B0018CK0EU", "instruction": "i am looking for a good freeze dried food for my dog.", "attributes": ["freeze dried", "grass fed", "grain free"], "options": ["color: chicken", "size: 14 ounce (pack of 1)"], "instruction_attributes": ["freeze dried"], "instruction_options": ["14 ounce (pack of 1)"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMTY3WY", "worker_id": "A2KW17G25L25R8"}], "B09NVS922B": [{"asin": "B09NVS922B", "instruction": "like to buy a high speed fast charging green usb type c cable 3.1a in 3.3ft size length .", "attributes": ["fast charging", "high speed"], "options": ["color: green", "size: 3.3ft"], "instruction_attributes": ["fast charging", "high speed"], "instruction_options": ["green", "3.3ft"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79E2KQL", "worker_id": "A3AYHESLQSDY5T"}], "B08NYJQQJG": [{"asin": "B08NYJQQJG", "instruction": "i would like a black dual band repeater.", "attributes": ["dual band", "high speed"], "options": ["color: black uk"], "instruction_attributes": ["dual band"], "instruction_options": ["black uk"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMR5ASZ", "worker_id": "A1WS884SI0SLO4"}], "B09RQN7LW3": [{"asin": "B09RQN7LW3", "instruction": "i am looking for large sized men tank.it shoud be made of polyester heather.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: men", "size: large"], "instruction_attributes": ["polyester heathers"], "instruction_options": ["large"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRI8FMD", "worker_id": "A3FG5PQHG5AH3Y"}], "B089Z2S9XT": [{"asin": "B089Z2S9XT", "instruction": "i would like a german chocolate flavored syrup that is sugar free and 15.89 oz.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: german chocolate", "size: 15.89 ounce"], "instruction_attributes": ["sugar free"], "instruction_options": ["german chocolate", "15.89 ounce"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733IKEB0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B089Z2S9XT", "instruction": "i am looking for a sugar free drink syrup. get the one in the egg nog flavor.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: egg nog", "size: 25.4 fl ounce (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["egg nog"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR025XUKAU", "worker_id": "A34QZDSTKZ3JO9"}], "B09FQ44D2B": [{"asin": "B09FQ44D2B", "instruction": "i am looking for a super soft, fleece throw blanket that has to be at least 80\"x60\" and ideally have a sloth on it.", "attributes": ["super soft", "machine washable", "fleece throw"], "options": ["color: sloth", "size: l 80\"x60\" for adults"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["sloth", "l 80\"x60\" for adults"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME901D2Z", "worker_id": "A114NK7T5673GK"}, {"asin": "B09FQ44D2B", "instruction": "i want to get a fleece throw that's machine washable. it needs to be extra small 40 by 30 in and strawberry cow 2 color.", "attributes": ["super soft", "machine washable", "fleece throw"], "options": ["color: strawberry cow 2", "size: xs 40\"x30\" for pets"], "instruction_attributes": ["machine washable", "fleece throw"], "instruction_options": ["strawberry cow 2", "xs 40\"x30\" for pets"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TDI2KT", "worker_id": "A2YNPKYEFDZ6C9"}], "B09PTRF18Z": [{"asin": "B09PTRF18Z", "instruction": "i am looking for sweatpants and short pants for gym workout", "attributes": ["daily casual", "elastic closure", "elastic waist", "gym workout"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["daily casual"], "instruction_options": ["black"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3C8VB6", "worker_id": "A10OGH5CQBXL5N"}], "B09QCRHF47": [{"asin": "B09QCRHF47", "instruction": "i want to get a birthday party themed cake topper. get the one with the purple butterfly on it.", "attributes": ["birthday cake", "birthday party"], "options": ["color: purple butterfly"], "instruction_attributes": ["birthday party"], "instruction_options": ["purple butterfly"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BHNVJX", "worker_id": "A34QZDSTKZ3JO9"}], "B08CV7F984": [{"asin": "B08CV7F984", "instruction": "i'm searching for a toothpick oral hygiene pink color brush", "attributes": ["oral hygiene", "bad breath"], "options": ["color: pink", "size: 0.7mm"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["pink"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYJ5M6H", "worker_id": "A258PTOZ3D2TQR"}], "B083Z8JXF3": [{"asin": "B083Z8JXF3", "instruction": "i need a 2.6 ounce deodorant that is cruelty free and smells of mandarin woods.", "attributes": ["dermatologist tested", "alcohol free", "cruelty free", "sensitive skin"], "options": ["scent: mandarin woods", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["mandarin woods", "2.6 ounce (pack of 1)"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKVPUIV", "worker_id": "A2ECRNQ3X5LEXD"}], "B071W9JN82": [{"asin": "B071W9JN82", "instruction": "i am looking to buy a high powered car cd receiver with bluetooth.", "attributes": ["power amplifier", "high power"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0KP8JA", "worker_id": "A114NK7T5673GK"}], "B07C4NSKVJ": [{"asin": "B07C4NSKVJ", "instruction": "i am looking for high speed 4k hdmi cable of 6 feet.i need 80 pcs.", "attributes": ["ultra hd", "heavy duty", "gold plated", "high speed"], "options": ["size: 6ft-80pcs"], "instruction_attributes": ["high speed"], "instruction_options": ["6ft-80pcs"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WNE24H", "worker_id": "A3FG5PQHG5AH3Y"}], "B0972QDW7H": [{"asin": "B0972QDW7H", "instruction": "i'm looking for twin bunk beds with box spring. also, choose black colored one.", "attributes": ["white item", "box spring"], "options": ["color: black(house)"], "instruction_attributes": ["box spring"], "instruction_options": ["black(house)"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163O8PQR", "worker_id": "AR0VJ5XRG16UJ"}], "B08NPHTDGH": [{"asin": "B08NPHTDGH", "instruction": "i am looking for a wall mounted mid-century sconce that preferably has a plug in 2 pack.", "attributes": ["wall mounted", "mid century", "glass shade"], "options": ["color: plug in-2pack"], "instruction_attributes": ["wall mounted", "mid century"], "instruction_options": ["plug in-2pack"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2TK94C", "worker_id": "A114NK7T5673GK"}], "B09HS75C7D": [{"asin": "B09HS75C7D", "instruction": "i need a elephant11lbg8852 valentine's fleece throw that is 50x60in.", "attributes": ["super soft", "fleece throw"], "options": ["color: elephant11lbg8852", "size: 50x60in"], "instruction_attributes": ["fleece throw"], "instruction_options": ["elephant11lbg8852", "50x60in"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTPOP9R", "worker_id": "A2RBF3IIJP15IH"}], "B005GEZGSQ": [{"asin": "B005GEZGSQ", "instruction": "i am looking for restore & repair oil.which is effective for anti aging.", "attributes": ["anti aging", "natural hair"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPH2SYJ", "worker_id": "A3FG5PQHG5AH3Y"}], "B08D6YC8W9": [{"asin": "B08D6YC8W9", "instruction": "can you find me a clear screen protector for glass screens?", "attributes": ["glass screen", "tempered glass"], "options": ["color: clear", "size: samsung a32 5g", "style: defender"], "instruction_attributes": ["glass screen"], "instruction_options": ["clear"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MFSWL8", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B08D6YC8W9", "instruction": "i would like a clear performance glass screen protector for a samsung s21.", "attributes": ["glass screen", "tempered glass"], "options": ["color: clear | blue", "size: samsung s21 5g", "style: performance glass"], "instruction_attributes": ["glass screen"], "instruction_options": ["clear | blue", "samsung s21 5g", "performance glass"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FPTFBP", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08D6YC8W9", "instruction": "i would like a clear value glass screen samsung a32 5g phone.", "attributes": ["glass screen", "tempered glass"], "options": ["color: clear | black", "size: samsung a32 5g", "style: value glass"], "instruction_attributes": ["glass screen"], "instruction_options": ["clear | black", "samsung a32 5g", "value glass"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68I2A46", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08D6YC8W9", "instruction": "i am looking for a tempered glass screen protector for an iphone 12 mini.", "attributes": ["glass screen", "tempered glass"], "options": ["color: black | clear", "size: iphone 12 mini", "style: symmetry"], "instruction_attributes": ["tempered glass"], "instruction_options": ["iphone 12 mini"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GGJUZ0", "worker_id": "A1EREKSZAA9V7B"}], "B07SX57P6P": [{"asin": "B07SX57P6P", "instruction": "i'm looking for desktop computer with intel core processor.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["intel core"], "instruction_options": [], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK243GKNZ", "worker_id": "AR0VJ5XRG16UJ"}], "B08KT61CYV": [{"asin": "B08KT61CYV", "instruction": "i am shopping for a ready use syrup that is lemon lime in flavor.", "attributes": ["ready use", "quality ingredients", "birthday cake"], "options": ["flavor name: lemon lime", "size: 128 fl oz (gallon)"], "instruction_attributes": ["ready use"], "instruction_options": ["lemon lime"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49DDDTQ", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B08KT61CYV", "instruction": "i'm looking for a 32 ounce bottle of peach flavored ready to use syrup.", "attributes": ["ready use", "quality ingredients", "birthday cake"], "options": ["flavor name: peach", "size: 32 fl oz (quart)"], "instruction_attributes": ["ready use"], "instruction_options": ["peach", "32 fl oz (quart)"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1HO08C", "worker_id": "AR9AU5FY1S3RO"}], "B09MZ5RBRT": [{"asin": "B09MZ5RBRT", "instruction": "i'm looking for a camouflage colored leggings which is high at the waist.", "attributes": ["butt lifting", "fleece lined", "wide leg", "quick drying", "moisture wicking", "tummy control", "high waist"], "options": ["color: camouflage", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["camouflage"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HK0WOS", "worker_id": "A15ERD4HOFEPHM"}], "B08P365RJW": [{"asin": "B08P365RJW", "instruction": "do you think you can find me a power amp that is easy to install?", "attributes": ["power amplifier", "easy install"], "options": [""], "instruction_attributes": ["power amplifier", "easy install"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLV3AV8", "worker_id": "A34QZDSTKZ3JO9"}], "B08XNSPPTK": [{"asin": "B08XNSPPTK", "instruction": "i am looking for remote controls that include batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7SWLHG", "worker_id": "A2ECRNQ3X5LEXD"}], "B088S15MCJ": [{"asin": "B088S15MCJ", "instruction": "i want to buy a moisturizing milk purifying gel cleanser that is sulfate and alcohol free.", "attributes": ["sulfate free", "paraben free", "alcohol free"], "options": ["style: moisturizing milk cleanser"], "instruction_attributes": ["sulfate free", "alcohol free"], "instruction_options": ["moisturizing milk cleanser"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9C3E2U", "worker_id": "A114NK7T5673GK"}], "B072C9CB54": [{"asin": "B072C9CB54", "instruction": "i need a small yellow polyester spandex lingerie sleepwear.", "attributes": ["unique design", "polyester spandex"], "options": ["color: yellow", "size: small"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["yellow", "small"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXG3KWB", "worker_id": "A1NF6PELRKACS9"}], "B0848BNQFD": [{"asin": "B0848BNQFD", "instruction": "i am looking for black magic seasoning that is gluten free and 1.37 pounds.", "attributes": ["gluten free", "gift set"], "options": ["flavor name: black magic", "size: 1.37 pound (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["black magic", "1.37 pound (pack of 1)"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIQ2MTC", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0848BNQFD", "instruction": "i want variety pack gluten free meat seasoning spices gift set size :5.5 ounce (pack of 4)", "attributes": ["gluten free", "gift set"], "options": ["flavor name: variety pack", "size: 5.5 ounce (pack of 4)"], "instruction_attributes": ["gluten free", "gift set"], "instruction_options": ["variety pack", "5.5 ounce (pack of 4)"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKQVPE0", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B0848BNQFD", "instruction": "variety pack seasoning, gluten free 5.5oz gift set (pack of 4.)i'm cooking for friends, need to gift the couple something gourmet. mis rubins magic seems to be ideal.", "attributes": ["gluten free", "gift set"], "options": ["flavor name: creole magic", "size: 5.5 ounce (pack of 4)"], "instruction_attributes": ["gluten free", "gift set"], "instruction_options": ["5.5 ounce (pack of 4)"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OLAUH52", "worker_id": "A15IJ20C3R4HUO"}], "B078JFX823": [{"asin": "B078JFX823", "instruction": "i want an ontario furniture 5 foot solid plastic folding table. if possible i need it to be heavy duty with the steel frame.", "attributes": ["heavy duty", "coated steel", "steel frame"], "options": ["size: 5 foot solid"], "instruction_attributes": ["heavy duty", "steel frame"], "instruction_options": ["5 foot solid"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WM2425", "worker_id": "A1CB72B51L7TKE"}], "B09HPP4YZX": [{"asin": "B09HPP4YZX", "instruction": "do you think you can find me some long lasting women's nail polish? i want the one in the color a-07.", "attributes": ["eco friendly", "easy carry", "long lasting", "high quality", "nail polish", "nail art"], "options": ["color: a-07"], "instruction_attributes": ["long lasting", "nail polish"], "instruction_options": ["a-07"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBNOEJG", "worker_id": "A34QZDSTKZ3JO9"}], "B0917L2DBN": [{"asin": "B0917L2DBN", "instruction": "i need a 60 silver mist wig that is made from natural hair.", "attributes": ["synthetic hair", "natural hair", "hair growth"], "options": ["color: rl56 | 60 silver mist"], "instruction_attributes": ["natural hair"], "instruction_options": ["rl56 | 60 silver mist"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DN34K8", "worker_id": "A2RBF3IIJP15IH"}], "B09H6QRWJ6": [{"asin": "B09H6QRWJ6", "instruction": "i'm searching for daily wear men loafers with size 11 and black | 01 color", "attributes": ["rubber sole", "daily wear"], "options": ["color: black | 01", "size: 11"], "instruction_attributes": ["daily wear"], "instruction_options": ["black | 01", "11"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOHX76HT", "worker_id": "A258PTOZ3D2TQR"}], "B08QJJX71B": [{"asin": "B08QJJX71B", "instruction": "i am looking for an all in one bluetooth record player and carrying case in brown.", "attributes": ["heavy duty", "easy carry", "carrying case"], "options": ["color: black", "style: player"], "instruction_attributes": ["carrying case"], "instruction_options": ["black", "player"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3HTZLY", "worker_id": "A2KW17G25L25R8"}], "B000V1JVAI": [{"asin": "B000V1JVAI", "instruction": "can you find me a shelf stable potato side dish? i want something that i can cook in the microwave.", "attributes": ["shelf stable", "artificial ingredients", "protein serving", "quality ingredients"], "options": ["style: microwave meals"], "instruction_attributes": ["shelf stable"], "instruction_options": ["microwave meals"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IM923L", "worker_id": "A34QZDSTKZ3JO9"}], "B07PLF2WW5": [{"asin": "B07PLF2WW5", "instruction": "i need you to find me a high definition bullet camera that has 1080p hd.", "attributes": ["high definition", "1080p hd"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEE5682", "worker_id": "A34QZDSTKZ3JO9"}], "B085TN7R2X": [{"asin": "B085TN7R2X", "instruction": "i'm looking for a portable bluetooth speakers with plug play and has usb port. also, choose mini mamba sized black colored one.", "attributes": ["plug play", "usb port"], "options": ["color: black", "style: mini mamba"], "instruction_attributes": ["plug play", "usb port"], "instruction_options": ["black", "mini mamba"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVCZUT6", "worker_id": "AR0VJ5XRG16UJ"}], "B08B3K4YHZ": [{"asin": "B08B3K4YHZ", "instruction": "i need a two pack of hdmi cables that are high speed and 35 feet.", "attributes": ["ultra hd", "high speed", "blu ray", "gold plated"], "options": ["color: 2 pack - nylon braided", "size: 35 feet (cl3) | 10.6 meter"], "instruction_attributes": ["high speed"], "instruction_options": ["2 pack - nylon braided", "35 feet (cl3) | 10.6 meter"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMKLWMD", "worker_id": "A2ECRNQ3X5LEXD"}], "B00FDXY2WG": [{"asin": "B00FDXY2WG", "instruction": "i need a water resistant pager that has a transmitter set.", "attributes": ["wall mounted", "water resistant", "aaa batteries"], "options": ["style: 1 transmitter set"], "instruction_attributes": ["water resistant"], "instruction_options": ["1 transmitter set"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ8519K", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DCL3LH2": [{"asin": "B09DCL3LH2", "instruction": "i want a vogu twin platform wood trudle bed for teens. i need it in white-6 color.", "attributes": ["twin size", "white item", "easy assemble", "box spring", "white finish", "wood frame", "solid wood"], "options": ["color: white-6"], "instruction_attributes": ["white finish"], "instruction_options": ["white-6"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCG7JSMO", "worker_id": "A1CB72B51L7TKE"}], "B082FJSZHK": [{"asin": "B082FJSZHK", "instruction": "i would like wide leg black jeans that are small", "attributes": ["wide leg", "low rise", "straight leg", "tummy control", "high waist", "elastic waist", "short sleeve"], "options": ["color: black", "size: small"], "instruction_attributes": ["wide leg"], "instruction_options": ["black", "small"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2TM499", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GLWQ6T3": [{"asin": "B09GLWQ6T3", "instruction": "i am looking for a wireless mini 1080p spy camera with motion detection and night vision.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7SFRU5", "worker_id": "A1EREKSZAA9V7B"}], "B082ZYLXKQ": [{"asin": "B082ZYLXKQ", "instruction": "i need 30ml travel bottles.", "attributes": ["eco friendly", "fine mist", "travel bottles"], "options": ["size: 30ml"], "instruction_attributes": ["travel bottles"], "instruction_options": ["30ml"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIZL3TD", "worker_id": "A226L9F2AZ38CL"}], "B09QC9H4S6": [{"asin": "B09QC9H4S6", "instruction": "i would like a women's xl dark heather cotton tank top that's machine washable.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: women", "size: x-large"], "instruction_attributes": ["machine wash", "heathers cotton", "cotton heather"], "instruction_options": ["dark heather", "women", "x-large"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYMQFXV", "worker_id": "A1WS884SI0SLO4"}], "B00WAKAEQS": [{"asin": "B00WAKAEQS", "instruction": "i'm looking for a pack of butter cookies made with quality ingredients. get me the 3 pound package.", "attributes": ["baked fresh", "quality ingredients"], "options": ["size: 3 pound"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["3 pound"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTUDM74", "worker_id": "A34QZDSTKZ3JO9"}], "B07ZYDBNH5": [{"asin": "B07ZYDBNH5", "instruction": "i am looking for light brown hair extensions for women.", "attributes": ["double sided", "hair extensions"], "options": ["color: light brown-body wave", "size: 14 inch (60 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["light brown-body wave"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOHX06HM", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07ZYDBNH5", "instruction": "find me an 18 inch long double sided human hair extensions that is golden brown and beach blonde in color.", "attributes": ["double sided", "hair extensions"], "options": ["color: golden brown&bleach blonde", "size: 18 inch (60 gram)"], "instruction_attributes": ["double sided", "hair extensions"], "instruction_options": ["golden brown&bleach blonde", "18 inch (60 gram)"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KOAHU1", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07ZYDBNH5", "instruction": "i need some 12 inch white blonde hair extensions", "attributes": ["double sided", "hair extensions"], "options": ["color: white blonde-body wave", "size: 12 inch (60 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["white blonde-body wave", "12 inch (60 gram)"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVJD1PJ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07ZYDBNH5", "instruction": "i am interested in 24 inch hair extensions", "attributes": ["double sided", "hair extensions"], "options": ["color: b18p22t60", "size: 24 inch (60 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["24 inch (60 gram)"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907VBAUE", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KP16BSQ": [{"asin": "B07KP16BSQ", "instruction": "i need a certified refurbished hp laser printer.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFHSEMT", "worker_id": "A2RBF3IIJP15IH"}], "B01J1PUN92": [{"asin": "B01J1PUN92", "instruction": "i want to find some keto friendly salsa made with quality ingredients.", "attributes": ["keto friendly", "dietary fiber", "quality ingredients"], "options": [""], "instruction_attributes": ["keto friendly", "quality ingredients"], "instruction_options": [], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROKN4WWB", "worker_id": "A34QZDSTKZ3JO9"}], "B01M2ZXXL6": [{"asin": "B01M2ZXXL6", "instruction": "let's see some long lasting moose that is about 250ml.", "attributes": ["paraben free", "long lasting", "natural ingredients", "hair styling"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3H986I6", "worker_id": "A15ERD4HOFEPHM"}], "B007EZ8SHQ": [{"asin": "B007EZ8SHQ", "instruction": "i need to find a sugar free, fruit flavoured powdered drink.", "attributes": ["low calorie", "sugar free", "zero sugar"], "options": [""], "instruction_attributes": ["sugar free"], "instruction_options": [], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZM3HSP", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B007EZ8SHQ", "instruction": "i am looking for sugar free soft drink mixes with fruit punch", "attributes": ["low calorie", "sugar free", "zero sugar"], "options": [""], "instruction_attributes": ["sugar free"], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR4VA0V", "worker_id": "A16M39T60N60NO"}], "B08CBS1Z2Q": [{"asin": "B08CBS1Z2Q", "instruction": "i am looking for a good hair salon.", "attributes": ["hair salon", "hair dye"], "options": [""], "instruction_attributes": ["hair salon"], "instruction_options": [], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW2U8SG", "worker_id": "A2KW17G25L25R8"}], "B09GK63B91": [{"asin": "B09GK63B91", "instruction": "i'm looking for a heavy duty case for my phone. can you get me one in black and orange?", "attributes": ["compatible apple", "heavy duty", "easy install", "glass screen"], "options": ["color: black orange+clip", "size: xs max"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black orange+clip"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WT5F7U", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B09GK63B91", "instruction": "i am looking for an easy to install iphone case that is pink and blue and xs max in size.", "attributes": ["compatible apple", "heavy duty", "easy install", "glass screen"], "options": ["color: pink+blue", "size: xs max"], "instruction_attributes": ["easy install"], "instruction_options": ["pink+blue", "xs max"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBIAHGK", "worker_id": "A114NK7T5673GK"}], "B08FZ1RGNC": [{"asin": "B08FZ1RGNC", "instruction": "i would like 6 bottles of non alcoholic harry potter butterscotch beer.", "attributes": ["non alcoholic", "gluten free"], "options": ["size: 6 bottles"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAXZ8AY", "worker_id": "A1WS884SI0SLO4"}], "B07BF5MRJK": [{"asin": "B07BF5MRJK", "instruction": "can you find me a face mask for dry skin? i want something that comes in 1.0 fl oz.", "attributes": ["certified organic", "alcohol free", "seed oil", "dry skin"], "options": ["scent: rose hip & black seed", "size: 1.0 fl oz"], "instruction_attributes": ["dry skin"], "instruction_options": ["1.0 fl oz"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IET2M6", "worker_id": "A34QZDSTKZ3JO9"}], "B07B616217": [{"asin": "B07B616217", "instruction": "i need a wall lamp that is a vanity lamp with a white finish.", "attributes": ["white item", "white finish"], "options": ["color: matte black", "style: vanity light"], "instruction_attributes": ["white finish"], "instruction_options": ["vanity light"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEHTZK0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HYZH871": [{"asin": "B09HYZH871", "instruction": "i'm looking for an anti-aging serum that helps to reduce fine lines and moisturizes dry skin.", "attributes": ["anti aging", "fine lines", "dry skin"], "options": [""], "instruction_attributes": ["anti aging", "fine lines", "dry skin"], "instruction_options": [], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JUYGE3", "worker_id": "AR0VJ5XRG16UJ"}], "B000VV5XY6": [{"asin": "B000VV5XY6", "instruction": "do you think you can find me a long lasting women's perfume?", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BI8X8R", "worker_id": "A34QZDSTKZ3JO9"}], "B08PFL4K7L": [{"asin": "B08PFL4K7L", "instruction": "i need purple eyeshadow applicators that are easy to clean.", "attributes": ["easy use", "easy clean", "hair removal"], "options": ["color: purple"], "instruction_attributes": ["easy clean"], "instruction_options": ["purple"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTE64DV", "worker_id": "A2RBF3IIJP15IH"}], "B07KXVGHTV": [{"asin": "B07KXVGHTV", "instruction": "can you find me a bath scrubber for dead skin with a long handle? i want the one that is white with the bath ball.", "attributes": ["long handle", "dead skin"], "options": ["material type: white with bath ball"], "instruction_attributes": ["long handle", "dead skin"], "instruction_options": [], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9PMTE7", "worker_id": "A34QZDSTKZ3JO9"}], "B08FM6347F": [{"asin": "B08FM6347F", "instruction": "i am looking for a man's size 6, black, non-slip working shoe with a rubber sole.", "attributes": ["non slip", "anti slip", "steel toe", "rubber sole"], "options": ["color: f black", "size: 7.5 women | 6 men"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["f black", "7.5 women | 6 men"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IMPLTO", "worker_id": "A114NK7T5673GK"}], "B09PBLBWB5": [{"asin": "B09PBLBWB5", "instruction": "i need hdmi cables that are high speed and 1m long.", "attributes": ["high speed", "blu ray", "1080p hd", "gold plated", "high definition"], "options": ["size: 1m"], "instruction_attributes": ["high speed"], "instruction_options": ["1m"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5NIX65", "worker_id": "A2ECRNQ3X5LEXD"}], "B00K5WG30Y": [{"asin": "B00K5WG30Y", "instruction": "i would like three 3.5 fluid ounce long lasting hair dye preferably in dark warm brown.", "attributes": ["highly pigmented", "long lasting", "permanent hair"], "options": ["color: dark warm brown", "size: 3.5 fl oz (pack of 3)"], "instruction_attributes": ["long lasting"], "instruction_options": ["dark warm brown", "3.5 fl oz (pack of 3)"], "assignment_id": "3TE22NPXPMMW3QH7127E47P6G13448", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00K5WG30Y", "instruction": "i looh for this brand i need exactly this kiss express semi-permanent hair color 100ml (3.5 us fl.oz) long lasting, color cobalt blue.", "attributes": ["highly pigmented", "long lasting", "permanent hair"], "options": ["color: cobalt blue", "size: 3.5 fl oz (pack of 3)"], "instruction_attributes": ["long lasting"], "instruction_options": ["cobalt blue"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KV97ET", "worker_id": "A15IJ20C3R4HUO"}], "B07Z1RWD8Z": [{"asin": "B07Z1RWD8Z", "instruction": "i am looking for graphic tees for men highest quality fabrics, are 100% cotton and machine washable classic fit willy wonka and the chocolate factory music makers t-shirt in heather grey color. size 4t preferable.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: heather grey", "fit type: men", "size: 4t"], "instruction_attributes": ["officially licensed", "needle sleeve", "classic fit"], "instruction_options": ["heather grey", "men", "4t"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO012C0", "worker_id": "A1DRKZ3SCLAS4V"}], "B089K2CS7Z": [{"asin": "B089K2CS7Z", "instruction": "i am looking for easy install hanging lamp dome pendant light, color b", "attributes": ["easy install", "pendant light", "light fixture", "dining room", "living room"], "options": ["color: b"], "instruction_attributes": ["easy install", "pendant light"], "instruction_options": ["b"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTKXOQW", "worker_id": "A258PTOZ3D2TQR"}], "B01N5H9DIM": [{"asin": "B01N5H9DIM", "instruction": "i want a soy wax candle that has a terra cotta scent.", "attributes": ["white item", "soy wax"], "options": ["scent: terra cotta", "size: king size"], "instruction_attributes": ["soy wax"], "instruction_options": ["terra cotta"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z12H1KE", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01N5H9DIM", "instruction": "i'm interested in a 10-inch soy jar candle with a sea salt & ginger scent.", "attributes": ["white item", "soy wax"], "options": ["scent: sea salt & ginger", "size: 10 in"], "instruction_attributes": ["soy wax"], "instruction_options": ["sea salt & ginger", "10 in"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLYUTFY", "worker_id": "AFU00NU09CFXE"}, {"asin": "B01N5H9DIM", "instruction": "i would like a moss green candle that is made from soy", "attributes": ["white item", "soy wax"], "options": ["scent: moss green", "size: 8 in"], "instruction_attributes": ["soy wax"], "instruction_options": ["moss green"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQWWHI8", "worker_id": "A2ECRNQ3X5LEXD"}], "B093YT997C": [{"asin": "B093YT997C", "instruction": "i would like to buy a colorful blouse hosiery laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E0LHXB", "worker_id": "A3AYHESLQSDY5T"}], "B08MN8CYT8": [{"asin": "B08MN8CYT8", "instruction": "i am looking for long lasting winter candle with green jar.", "attributes": ["long lasting", "soy wax"], "options": ["color: green jar", "scent: winter balsam"], "instruction_attributes": ["long lasting"], "instruction_options": ["green jar"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVHGQ07", "worker_id": "A3FG5PQHG5AH3Y"}], "B07QBY4387": [{"asin": "B07QBY4387", "instruction": "i am looking for a 6 foot by 4 foot underwater photography backdrop.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 6x4ft"], "instruction_attributes": ["light weight"], "instruction_options": ["6x4ft"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBNZJEW", "worker_id": "A1EREKSZAA9V7B"}], "B09B1NY84G": [{"asin": "B09B1NY84G", "instruction": "find me a samsung galaxy smartphone with a long lasting battery and its t-mobile is already unlocked.", "attributes": ["long lasting", "4g lte"], "options": ["style: t-mobile unlocked"], "instruction_attributes": ["long lasting"], "instruction_options": ["t-mobile unlocked"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ8291P", "worker_id": "A1HMZJ59OPLD1P"}], "B07SFZQFRQ": [{"asin": "B07SFZQFRQ", "instruction": "i am looking for snickerdoodles that have been baked fresh.", "attributes": ["baked fresh", "perfect gift"], "options": ["flavor: snickerdoodle"], "instruction_attributes": ["baked fresh"], "instruction_options": ["snickerdoodle"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G72Q47N", "worker_id": "A2ECRNQ3X5LEXD"}], "B07YDZPYLQ": [{"asin": "B07YDZPYLQ", "instruction": "i want 81 medium ash blonde color hair dye", "attributes": ["easy apply", "easy use", "seed oil", "hair dye", "permanent hair"], "options": ["color: 81 medium ash blonde", "size: 10.2 ounce (pack of 3)"], "instruction_attributes": ["hair dye"], "instruction_options": ["81 medium ash blonde"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PCZWINR", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B07YDZPYLQ", "instruction": "i'm looking for hair dye for permanent hair it was easy to use.", "attributes": ["easy apply", "easy use", "seed oil", "hair dye", "permanent hair"], "options": ["color: 50 medium natural brown", "size: 10.2 ounce (pack of 3)"], "instruction_attributes": ["hair dye", "permanent hair"], "instruction_options": ["50 medium natural brown"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HUBBPH", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07YDZPYLQ", "instruction": "i need a easy to apply hair coloring product on the black color..", "attributes": ["easy apply", "easy use", "seed oil", "hair dye", "permanent hair"], "options": ["color: 10 black", "size: 3 count (pack of 1)"], "instruction_attributes": ["easy apply"], "instruction_options": ["10 black"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DZUOTO", "worker_id": "AVIEE6LDH0BT5"}], "B096ZFGXMJ": [{"asin": "B096ZFGXMJ", "instruction": "i am looking for hair care conditioner for damaged hair having scent tea tree rosemary 33.8 fl", "attributes": ["seed oil", "argan oil", "damaged hair", "hair treatment", "dry hair"], "options": ["scent: tea tree rosemary 33.8 fl", "size: conditioner"], "instruction_attributes": ["damaged hair"], "instruction_options": ["tea tree rosemary 33.8 fl", "conditioner"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHWGZ4P", "worker_id": "A258PTOZ3D2TQR"}], "B09NM1GW5W": [{"asin": "B09NM1GW5W", "instruction": "i am looking for lightweight men's size 7.5 non slip german shepherd shoes with mesh.", "attributes": ["non slip", "slip resistant", "arch support", "rubber sole"], "options": ["color: black yellow boho sunflower b", "size: 9 women | 7.5 men"], "instruction_attributes": ["non slip"], "instruction_options": ["9 women | 7.5 men"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z13LK13", "worker_id": "A1EREKSZAA9V7B"}], "B08L7KXKM6": [{"asin": "B08L7KXKM6", "instruction": "i would like some white noise cancelling earbud headphones that charge as fast as possible.", "attributes": ["noise cancelling", "fast charging"], "options": ["color: white"], "instruction_attributes": ["noise cancelling", "fast charging"], "instruction_options": ["white"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I6CBC9", "worker_id": "A1WS884SI0SLO4"}], "B00FGDGYXS": [{"asin": "B00FGDGYXS", "instruction": "do you think you can find me an alcohol free mouthwash for bad breath?", "attributes": ["alcohol free", "bad breath"], "options": [""], "instruction_attributes": ["alcohol free", "bad breath"], "instruction_options": [], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD5R0SW", "worker_id": "A34QZDSTKZ3JO9"}], "B0791H84G3": [{"asin": "B0791H84G3", "instruction": "i need some fruit snacks that come in a variety pack. make sure that they are gluten free.", "attributes": ["gluten free", "source vitamin", "artificial flavors"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL8416GXA3", "worker_id": "A1NF6PELRKACS9"}], "B093YSNJGF": [{"asin": "B093YSNJGF", "instruction": "i am looking to buy a mesh laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61PHWZA", "worker_id": "A114NK7T5673GK"}], "B01BRTBUEC": [{"asin": "B01BRTBUEC", "instruction": "i would like chocolate that is individually wrapped and are fun sized.", "attributes": ["individually wrapped", "resealable bag"], "options": ["style: fun size"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["fun size"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLQSFT2", "worker_id": "A2ECRNQ3X5LEXD"}], "B01HJWCB3U": [{"asin": "B01HJWCB3U", "instruction": "can you find me some high speed hdmi cables? i really want the ones that come in a 3 pack.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 3 pack", "size: 3 feet (4 pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["3 pack"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WSZ7FE", "worker_id": "A34QZDSTKZ3JO9"}], "B08C9FC94G": [{"asin": "B08C9FC94G", "instruction": "i am looking for grey color mens polyester hoodie.", "attributes": ["quality polyester", "polyester cotton"], "options": ["color: grey", "size: xx-large"], "instruction_attributes": ["quality polyester"], "instruction_options": ["grey"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PIHEQ8", "worker_id": "A3FG5PQHG5AH3Y"}], "B09KXSGRKG": [{"asin": "B09KXSGRKG", "instruction": "i'm looking for a pair of men's beach sandals with a leather sole, arch support, and non-slip grip. get the ones that are light brown in 9 or 9.5 in size.", "attributes": ["non slip", "daily casual", "arch support", "leather sole", "daily wear"], "options": ["color: light&brown", "size: 9-9.5"], "instruction_attributes": ["non slip", "arch support", "leather sole"], "instruction_options": ["light&brown", "9-9.5"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPFTNJI", "worker_id": "A34QZDSTKZ3JO9"}], "B0026NS2T0": [{"asin": "B0026NS2T0", "instruction": "i need to get some batteries for my two way radio. the one that i have takes aaa batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8DIC4P", "worker_id": "A34QZDSTKZ3JO9"}], "B08Y976Y4D": [{"asin": "B08Y976Y4D", "instruction": "i need xx-large wide leg jumpsuits that are wine colored.", "attributes": ["wide leg", "machine washable", "loose fit", "hand wash", "machine wash", "soft material", "button closure", "short sleeve", "long sleeve", "daily wear"], "options": ["color: wine", "size: xx-large"], "instruction_attributes": ["wide leg"], "instruction_options": ["wine", "xx-large"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3VA7QC", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GXLG5W6": [{"asin": "B07GXLG5W6", "instruction": "i am looking for a nightstand with drawers. it should have a nickle finish.", "attributes": ["assembly required", "nickel finish"], "options": ["style: nightstand"], "instruction_attributes": ["nickel finish"], "instruction_options": ["nightstand"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBOCIGN", "worker_id": "A1NF6PELRKACS9"}], "B0971SMH99": [{"asin": "B0971SMH99", "instruction": "i am looking for cactus colored vinyl shoes in a size 8.5-9.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: cactus", "size: 8.5-9"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["cactus", "8.5-9"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DY8082I", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RXMK2PN": [{"asin": "B07RXMK2PN", "instruction": "i am looking for a tea gift set that is in rose gold.", "attributes": ["bpa free", "individually wrapped", "gift set", "gift basket"], "options": ["color: coffee gifts- rose gold"], "instruction_attributes": ["gift set"], "instruction_options": ["coffee gifts- rose gold"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF01LD5", "worker_id": "A2ECRNQ3X5LEXD"}], "B073JH3VPX": [{"asin": "B073JH3VPX", "instruction": "can you find a gluten free flatbread cracker with multi-seeds on it?", "attributes": ["gluten free", "protein serving"], "options": ["flavor name: multi-seeds", "size: 4.25 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["multi-seeds"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYE3L62", "worker_id": "A34QZDSTKZ3JO9"}], "B08RDBGV4Z": [{"asin": "B08RDBGV4Z", "instruction": "i\u2019m interested in nail art; can you help me find a really high quality nail gel polish with a metallic purple effect?", "attributes": ["long lasting", "easy apply", "high quality", "rose gold", "nail polish", "nail art"], "options": ["color: purple"], "instruction_attributes": ["high quality", "nail polish", "nail art"], "instruction_options": ["purple"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSEJ261", "worker_id": "A3LIIE572Z4OG7"}], "B08Q8SRFNN": [{"asin": "B08Q8SRFNN", "instruction": "i need a water resistant snow boot in caramel brown color.", "attributes": ["water resistant", "rubber sole"], "options": ["color: caramel brown", "size: 10.5"], "instruction_attributes": ["water resistant"], "instruction_options": ["caramel brown"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79FHQK8", "worker_id": "A1NF6PELRKACS9"}], "B08155VDDT": [{"asin": "B08155VDDT", "instruction": "i am looking for an oil free hyaluronic acid.", "attributes": ["oil free", "clinically proven", "hyaluronic acid"], "options": [""], "instruction_attributes": ["oil free", "hyaluronic acid"], "instruction_options": [], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADDRVWN", "worker_id": "A2KW17G25L25R8"}], "B08QDPGHBL": [{"asin": "B08QDPGHBL", "instruction": "i\u2019m looking for some keto-friendly breakfast waffles in cinnamon toast and maple flavour. please make sure it\u2019s gluten free.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: cinnamon toast & maple waffle", "size: 9 ounce (pack of 8)"], "instruction_attributes": ["keto friendly", "gluten free"], "instruction_options": ["cinnamon toast & maple waffle"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7K9PDPG", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B08QDPGHBL", "instruction": "i am looking for plant based,sugar free and gluten free maple waffle.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: maple waffle", "size: 9 ounce (pack of 4)"], "instruction_attributes": ["sugar free", "plant based", "gluten free"], "instruction_options": ["maple waffle"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9ANN8Y", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B08QDPGHBL", "instruction": "i want to buy a 9 ounce, maple waffle flavored keto friendly snack that is sugar and grain free.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: maple waffle", "size: 9 ounce (pack of 8)"], "instruction_attributes": ["keto friendly", "sugar free", "grain free"], "instruction_options": ["maple waffle", "9 ounce (pack of 8)"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E04YX7C", "worker_id": "A114NK7T5673GK"}], "B08SRDBQZD": [{"asin": "B08SRDBQZD", "instruction": "i would like a quad core tablet.", "attributes": ["high performance", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R30SKX", "worker_id": "A1WS884SI0SLO4"}], "B098JR7D8X": [{"asin": "B098JR7D8X", "instruction": "i would like a 12\"x20\" grey throw pillow cover that has exquisite sewing and technique.", "attributes": ["high density", "exquisite workmanship"], "options": ["color: grey", "size: 12\"x20\""], "instruction_attributes": ["exquisite workmanship"], "instruction_options": ["12\"x20\""], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MG0LW7", "worker_id": "A1WS884SI0SLO4"}], "B09R6VDHJ4": [{"asin": "B09R6VDHJ4", "instruction": "my mom wear 11 size high heel", "attributes": ["open toe", "arch support", "ankle strap", "closed toe", "high heel"], "options": ["color: z7-black", "size: 11"], "instruction_attributes": ["high heel"], "instruction_options": ["11"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788AKC53", "worker_id": "A226L9F2AZ38CL"}], "B09JT2BF5M": [{"asin": "B09JT2BF5M", "instruction": "i am looking to buy an ultra hd, motion detection hidden camera charger.", "attributes": ["ultra hd", "easy use", "motion detection"], "options": [""], "instruction_attributes": ["ultra hd", "motion detection"], "instruction_options": [], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8L7LO1F", "worker_id": "A2KW17G25L25R8"}], "B094ZBVWK9": [{"asin": "B094ZBVWK9", "instruction": "i need a butterfly print slippers which is 13 wide. it should be non slip and light weight.", "attributes": ["non slip", "light weight", "ethylene vinyl", "vinyl acetate", "synthetic sole"], "options": ["color: just a girl who loves butterfly", "size: 13 wide"], "instruction_attributes": ["non slip", "light weight"], "instruction_options": ["just a girl who loves butterfly", "13 wide"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNWKTPO", "worker_id": "A1NF6PELRKACS9"}], "B004A7CC32": [{"asin": "B004A7CC32", "instruction": "i am looking for some size 7 wide open toe shoes that have a heel and come in black.", "attributes": ["open toe", "synthetic sole"], "options": ["color: black", "size: 7 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["black", "7 wide"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZWINR5", "worker_id": "A114NK7T5673GK"}], "B09LVQ3T86": [{"asin": "B09LVQ3T86", "instruction": "find me a machine washable long sleeved pullover with a loose fit. i want the one in green in small.", "attributes": ["machine washable", "loose fit", "machine wash", "button closure", "long sleeve"], "options": ["color: x01-green", "size: small"], "instruction_attributes": ["machine washable", "loose fit", "machine wash", "long sleeve"], "instruction_options": ["x01-green", "small"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYSJ63G", "worker_id": "A34QZDSTKZ3JO9"}], "B08FXTGNGY": [{"asin": "B08FXTGNGY", "instruction": "i am looking for a gluten free, low carb, flavored fyr salt shaker.", "attributes": ["gluten free", "keto friendly", "low carb", "natural ingredients", "artificial flavors"], "options": ["flavor name: fyr salt"], "instruction_attributes": ["gluten free", "low carb"], "instruction_options": ["fyr salt"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FE34U7", "worker_id": "A114NK7T5673GK"}], "B098XBFPF4": [{"asin": "B098XBFPF4", "instruction": "i need an easy to clean bedroom bench footstool seat. show me something in white.", "attributes": ["button tufted", "easy clean", "living room"], "options": ["color: white"], "instruction_attributes": ["easy clean"], "instruction_options": ["white"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPH76E5", "worker_id": "A1NF6PELRKACS9"}], "B07SZB6VQH": [{"asin": "B07SZB6VQH", "instruction": "i wish to buy a tempered glass screen protector which must be easy to instal on an 8.4 inch touchscreen of a 2019 dodge ram.", "attributes": ["easy install", "high definition", "tempered glass"], "options": ["color: for 2019 dodge ram 8.4 inch"], "instruction_attributes": ["easy install", "tempered glass"], "instruction_options": ["for 2019 dodge ram 8.4 inch"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIFL92D", "worker_id": "A1HMZJ59OPLD1P"}], "B001CMRVH0": [{"asin": "B001CMRVH0", "instruction": "i need ten 12 foot high speed hdmi male to male cables.", "attributes": ["high speed", "gold plated"], "options": ["product packaging: 10 pack", "size: 12 feet (10-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["10 pack", "12 feet (10-pack)", "hdmi male to male"], "assignment_id": "352YTHGRO6NQF252G9RXYWYAL61H4J", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B001CMRVH0", "instruction": "i'm looking for product packaging it is easy to use", "attributes": ["high speed", "gold plated"], "options": ["product packaging: 4 pack", "size: 8 feet (3-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["4 pack", "8 feet (3-pack)"], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0ZDRRF", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B001CMRVH0", "instruction": "i would like two packs of 12 feet high speed hdmi male to male cables.", "attributes": ["high speed", "gold plated"], "options": ["product packaging: 2 pack", "size: 12 feet (10-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["2 pack", "12 feet (10-pack)", "hdmi male to male"], "assignment_id": "33TIN5LC0FKDY31374RC144TXWQY9X", "worker_id": "A1WS884SI0SLO4"}], "B075G2XTBW": [{"asin": "B075G2XTBW", "instruction": "i would like a remote control that already comes with aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7SMHL2", "worker_id": "A1WS884SI0SLO4"}], "B07JMWDK4J": [{"asin": "B07JMWDK4J", "instruction": "i am looking for a slip resistant black water shoe in size 12 that is also quick drying.", "attributes": ["slip resistant", "quick drying", "open toe", "non slip", "rubber sole", "relaxed fit"], "options": ["color: black", "size: 12"], "instruction_attributes": ["slip resistant", "quick drying"], "instruction_options": ["black", "12"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UL3EZ3", "worker_id": "A114NK7T5673GK"}], "B078YFWC2R": [{"asin": "B078YFWC2R", "instruction": "can you get me a whitening toothpaste that is for sensitive teeth?", "attributes": ["teeth whitening", "sensitive teeth"], "options": [""], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": [], "assignment_id": "3EG49X3515M1GF9V412YYG6I5NJ6XF", "worker_id": "A34QZDSTKZ3JO9"}], "B085TKNL9R": [{"asin": "B085TKNL9R", "instruction": "i'm setting up for a birthday party and i'm looking for some party supplies. can you find me a cake topper?", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["party supplies", "birthday party"], "instruction_options": [], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCL5I7W", "worker_id": "A34QZDSTKZ3JO9"}], "B09JWM3Y7X": [{"asin": "B09JWM3Y7X", "instruction": "i'm searching for small high gloss nightstand for living room", "attributes": ["white item", "high gloss", "living room"], "options": [""], "instruction_attributes": ["high gloss", "living room"], "instruction_options": [], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWWQT59", "worker_id": "A258PTOZ3D2TQR"}], "B094ZNX8HY": [{"asin": "B094ZNX8HY", "instruction": "i am an african woman looking for a barber to cut my hair.", "attributes": ["easy clean", "hair cutting", "hair dye"], "options": [""], "instruction_attributes": ["hair cutting"], "instruction_options": [], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8ODWRT0", "worker_id": "A2KW17G25L25R8"}], "B09LCRPSG9": [{"asin": "B09LCRPSG9", "instruction": "my 6 years old child like teeth whitening", "attributes": ["teeth whitening", "easy use"], "options": ["color: b03#pink penguin", "size: aged 6-12"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["aged 6-12"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC0MKU6", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B09LCRPSG9", "instruction": "i am looking for toothbrush of b04#yellow penguin color that is easy to use.", "attributes": ["teeth whitening", "easy use"], "options": ["color: b04#yellow penguin", "size: aged 6-12"], "instruction_attributes": ["easy use"], "instruction_options": ["b04#yellow penguin"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0Y8XPN", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PGHT496": [{"asin": "B09PGHT496", "instruction": "i am looking for long sleeve men t-shirt.and please also choose the black one.", "attributes": ["light weight", "machine wash", "short sleeve", "long sleeve"], "options": ["color: d_black", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["d_black"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA0M8C2", "worker_id": "A3FG5PQHG5AH3Y"}], "B07GSPLN9N": [{"asin": "B07GSPLN9N", "instruction": "i need a wall lamp that is easy to install.", "attributes": ["easy install", "bronze finish", "living room"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA93WEZ3Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RT9X4PM": [{"asin": "B07RT9X4PM", "instruction": "i want to find a vanity light that is easy to install. my walls are black and i want something the same color.", "attributes": ["easy install", "contemporary design", "vanity light", "light fixture"], "options": ["color: black (natural white)", "size: non dimmable 47.2 inch"], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": ["black (natural white)"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRNZY2I", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B07RT9X4PM", "instruction": "find a black colored wall lamp thats easy to install", "attributes": ["easy install", "contemporary design", "vanity light", "light fixture"], "options": ["color: black (cool white)", "size: non dimmable 39.37 inch"], "instruction_attributes": ["easy install"], "instruction_options": ["black (cool white)"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GHAUZT", "worker_id": "AVIEE6LDH0BT5"}], "B08GNS58PQ": [{"asin": "B08GNS58PQ", "instruction": "please help me find an 8oz pack of medical body scrub exfolient that is suitable for sensitive skin.", "attributes": ["dermatologist tested", "oil free", "cruelty free", "dead skin", "sensitive skin"], "options": ["size: 8 ounce (pack of 1)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7ULYQ6", "worker_id": "A3LIIE572Z4OG7"}], "B09NSN6FWS": [{"asin": "B09NSN6FWS", "instruction": "get me a headset that is high resolution and is red in color.", "attributes": ["noise cancelling", "high resolution", "wireless bluetooth"], "options": ["color: red"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3URFVVM16GSBNLZB11OMB709G9TUZW", "worker_id": "A1MJVTR0PCKBWW"}], "B094MRG3NG": [{"asin": "B094MRG3NG", "instruction": "i need a small hawaiian shirt with short sleeves, lasts long and has a button closure.", "attributes": ["long lasting", "polyester spandex", "button closure", "short sleeve", "tumble dry"], "options": ["color: multi016", "size: small"], "instruction_attributes": ["long lasting", "button closure", "short sleeve"], "instruction_options": ["small"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G73S47R", "worker_id": "A1NF6PELRKACS9"}], "B07NMG2MBV": [{"asin": "B07NMG2MBV", "instruction": "i'm looking for some highly pigmented seed oil lipstick. find the one in rich berry that is .14 fl oz.", "attributes": ["highly pigmented", "green tea", "seed oil"], "options": ["color: 13 rich berry", "size: 0.14 fl oz"], "instruction_attributes": ["highly pigmented", "seed oil"], "instruction_options": ["13 rich berry", "0.14 fl oz"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2N04L3", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B07NMG2MBV", "instruction": "i need a highly pigment lip tint. pick a 0.14 fl oz bottle.", "attributes": ["highly pigmented", "green tea", "seed oil"], "options": ["color: 02 selfie orange brown (ad)", "size: 0.14 fl oz"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["0.14 fl oz"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6IFB2M", "worker_id": "A1NF6PELRKACS9"}], "B08W4DHZ1M": [{"asin": "B08W4DHZ1M", "instruction": "i need cake toppers that are dairy free and are 2\".", "attributes": ["dairy free", "gluten free", "birthday party"], "options": ["size: 2\" | 12 cupcakes toppers"], "instruction_attributes": ["dairy free"], "instruction_options": ["2\" | 12 cupcakes toppers"], "assignment_id": "3X65QVEQIBXVW21709CD9M35U0FLCV", "worker_id": "A1MJVTR0PCKBWW"}], "B006GRKQ0K": [{"asin": "B006GRKQ0K", "instruction": "i am looking for rich taste and color of classic red velvet cake, packaged in bpa free and gluten free lorann red velvet bakery emulsion in hazelnut flavour in 4 fl oz, 3 pack size.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: hazelnut", "size: 4 fl oz, 3 pack"], "instruction_attributes": ["bpa free", "gluten free"], "instruction_options": ["hazelnut", "4 fl oz, 3 pack"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z1TXGF", "worker_id": "A1DRKZ3SCLAS4V"}], "B089YDCJYL": [{"asin": "B089YDCJYL", "instruction": "i am looking for a pair of women's high waisted active shorts. get me the pink ones.", "attributes": ["quality materials", "high waist"], "options": ["color: a pink", "size: 5x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["a pink"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBOCGIL", "worker_id": "A34QZDSTKZ3JO9"}], "B0781VL2JZ": [{"asin": "B0781VL2JZ", "instruction": "i need some argan oil that is free of parabens. get me the 2 ounce pack.", "attributes": ["paraben free", "argan oil"], "options": ["size: 2 ounce", "style name: argan original dark"], "instruction_attributes": ["paraben free", "argan oil"], "instruction_options": ["2 ounce"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MI73BR3", "worker_id": "A1NF6PELRKACS9"}], "B083VZWXLM": [{"asin": "B083VZWXLM", "instruction": "i'm looking for men's daily wear shirt with long sleeves and button closure type. also, choose black colored tall shirt with size 20\" neck and 34\"-35\" sleeves.", "attributes": ["button closure", "long sleeve", "daily wear"], "options": ["color: black 015", "size: 20\" neck 34\"-35\" sleeve", "special size: tall"], "instruction_attributes": ["button closure", "long sleeve", "daily wear"], "instruction_options": ["black 015", "20\" neck 34\"-35\" sleeve", "tall"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J66SFG", "worker_id": "AR0VJ5XRG16UJ"}], "B08VDLHDY7": [{"asin": "B08VDLHDY7", "instruction": "i need daily casual and gym workout large size yoga pants with classic dark gray color and special size- 02 sweatpants", "attributes": ["easy care", "daily casual", "moisture wicking", "wash cold", "machine wash", "relaxed fit", "gym workout", "dry clean"], "options": ["color: classic dark gray", "size: large", "special size: 02 sweatpants"], "instruction_attributes": ["daily casual", "gym workout"], "instruction_options": ["classic dark gray", "large", "02 sweatpants"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7XKMHH", "worker_id": "A258PTOZ3D2TQR"}], "B09MRGSLGY": [{"asin": "B09MRGSLGY", "instruction": "i am looking for a product that i can use for hair cutting dry hair.", "attributes": ["dry hair", "hair cutting", "hair extensions", "hair styling"], "options": ["color: b"], "instruction_attributes": ["dry hair", "hair cutting"], "instruction_options": ["b"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNFZJDLD", "worker_id": "A2KW17G25L25R8"}], "B015R09D8M": [{"asin": "B015R09D8M", "instruction": "i need a 9.5 rubber soled hiking shoe made of light weight vinyl acetate.", "attributes": ["light weight", "ethylene vinyl", "vinyl acetate", "memory foam", "rubber sole"], "options": ["size: 9.5"], "instruction_attributes": ["light weight", "vinyl acetate", "rubber sole"], "instruction_options": ["9.5"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HUZ1DI", "worker_id": "A1WS884SI0SLO4"}], "B08BZFMN1F": [{"asin": "B08BZFMN1F", "instruction": "i would like a 47.2\" x 11.8\" x 11.8\" white and sonoma oak tv center for my living room.", "attributes": ["high gloss", "living room"], "options": ["color: white and sonoma oak", "size: 47.2\" x 11.8\" x 11.8\""], "instruction_attributes": ["living room"], "instruction_options": ["white and sonoma oak", "47.2\" x 11.8\" x 11.8\""], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK87UA5U", "worker_id": "A1WS884SI0SLO4"}], "B00BGNI6IS": [{"asin": "B00BGNI6IS", "instruction": "i'm looking for a corner shelf unit for the living room made out of engineered wood. get the one in light cherry and black color.", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: light cherry | black", "pattern name: shelving unit + display rack", "size: 5-tier"], "instruction_attributes": ["engineered wood", "living room"], "instruction_options": ["light cherry | black"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5C21ZA", "worker_id": "A34QZDSTKZ3JO9"}, {"asin": "B00BGNI6IS", "instruction": "i am looking for engineered wood 3-tier corner shelf in color : walnut|brown", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: walnut | brown", "pattern name: shelving unit + tv stands", "size: 3-tier"], "instruction_attributes": ["engineered wood"], "instruction_options": ["walnut | brown", "3-tier"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNVI8H8", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B00BGNI6IS", "instruction": "i am looking for a dark cherry | black corner shelves for living room", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: dark cherry | black", "pattern name: shelving unit + end table", "size: 3-tier classic tube"], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH37AYSEF", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B00BGNI6IS", "instruction": "i am looking for corner shelf of size 5-tier for my living room.", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: dark brown grain | black", "pattern name: shelving unit + tv stands", "size: 5-tier"], "instruction_attributes": ["living room"], "instruction_options": ["5-tier"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XU4NGK", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00BGNI6IS", "instruction": "i am looking for 3-tier size corner shelf for my living room.", "attributes": ["storage unit", "engineered wood", "living room"], "options": ["color: beech | white", "pattern name: shelving unit + end table", "size: 3-tier"], "instruction_attributes": ["living room"], "instruction_options": ["3-tier"], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YG12558", "worker_id": "A1Q8PPQQCWGY0D"}], "B09DG3NRK3": [{"asin": "B09DG3NRK3", "instruction": "i am looking for a pair of anti slip womens sneakers spot color.", "attributes": ["anti slip", "rubber sole"], "options": ["color: spot", "size: 7"], "instruction_attributes": ["anti slip"], "instruction_options": ["spot"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NIVP2E", "worker_id": "A2KW17G25L25R8"}], "B07MQ9S96H": [{"asin": "B07MQ9S96H", "instruction": "i am looking for high quality glass spray bottle of 3.40 ounce.", "attributes": ["leak proof", "bpa free", "long lasting", "high quality", "fine mist", "quality materials"], "options": ["color: silver frosted", "size: 3.4 ounce x 2"], "instruction_attributes": ["high quality"], "instruction_options": ["3.4 ounce x 2"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FE3U4X", "worker_id": "A3FG5PQHG5AH3Y"}], "B09SCX4WBW": [{"asin": "B09SCX4WBW", "instruction": "i am looking for a pair of mens shorts that are machine washable for my everyday wear. id like a light grey color.", "attributes": ["machine washable", "wash cold", "everyday wear", "dry clean", "tumble dry"], "options": ["color: light grey", "size: 30"], "instruction_attributes": ["machine washable", "everyday wear"], "instruction_options": ["light grey"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68AS4AA", "worker_id": "A2KW17G25L25R8"}], "B088TP7Z5J": [{"asin": "B088TP7Z5J", "instruction": "i need window blinds that are easy to install that have a java brown light filtering.", "attributes": ["easy install", "white item"], "options": ["color: java brown(light filtering)", "size: 61 1 | 2\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["java brown(light filtering)"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM0PZHW", "worker_id": "AXIH2UZ6NNMRE"}, {"asin": "B088TP7Z5J", "instruction": "i'm looking for an easy-to-install, light-filtering window curtain in java brown.", "attributes": ["easy install", "white item"], "options": ["color: java brown(light filtering)", "size: 14\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["java brown(light filtering)"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVWY8VB", "worker_id": "ARJDD0Z3R65BD"}, {"asin": "B088TP7Z5J", "instruction": "i would like a 14\"w x 60\"h snow white roller shade that is easy to install.", "attributes": ["easy install", "white item"], "options": ["color: snow white(light filtering)", "size: 14\"w x 60\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["snow white(light filtering)", "14\"w x 60\"h"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDKR2OG", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B088TP7Z5J", "instruction": "i need some white window blinds that are 60 inches tall.", "attributes": ["easy install", "white item"], "options": ["color: cheese milk(light filtering)", "size: 58 1 | 2\"w x 60\"h"], "instruction_attributes": ["white item"], "instruction_options": ["58 1 | 2\"w x 60\"h"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AKQTSB", "worker_id": "A19317A3X87NVM"}, {"asin": "B088TP7Z5J", "instruction": "i would like a 21\"w x 36\"h cheese milk roller shade that is easy to install on a window.", "attributes": ["easy install", "white item"], "options": ["color: cheese milk(light filtering)", "size: 21\"w x 36\"h"], "instruction_attributes": [], "instruction_options": ["21\"w x 36\"h"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4JN158", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B088TP7Z5J", "instruction": "i am looking for a size: 20\"w x 64\"h roller shades white item which is easy to install.", "attributes": ["easy install", "white item"], "options": ["color: nama chocolate(light filtering)", "size: 20\"w x 64\"h"], "instruction_attributes": ["easy install", "white item"], "instruction_options": ["20\"w x 64\"h"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WR5QWT", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B088TP7Z5J", "instruction": "i would like a 2\"w x 36\"h cheese milk colored roller shade that is easy to install.", "attributes": ["easy install", "white item"], "options": ["color: cheese milk(light filtering)", "size: 48 1 | 2\"w x 36\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["cheese milk(light filtering)", "48 1 | 2\"w x 36\"h"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCVR5QJ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B088TP7Z5J", "instruction": "im looking for white window blinds that are easy to install and measure 35\u201d wide with a 48\u201d height.", "attributes": ["easy install", "white item"], "options": ["color: hudson hemp(light filtering)", "size: 48 1 | 2\"w x 72\"h"], "instruction_attributes": ["easy install", "white item"], "instruction_options": ["48 1 | 2\"w x 72\"h"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYPCHDQ", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B088TP7Z5J", "instruction": "i'm looking for a size 34\"w x 72\"h easy install window blinds.", "attributes": ["easy install", "white item"], "options": ["color: snow white(light filtering)", "size: 34\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["34\"w x 72\"h"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSYXGL2", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B088TP7Z5J", "instruction": "i am looking for shades of size 54\"w x 72\"h that are easy to install.", "attributes": ["easy install", "white item"], "options": ["color: antique white(light filtering)", "size: 54\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["54\"w x 72\"h"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCL1JS4", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B088TP7Z5J", "instruction": "i would like purple blinds that are easy to install", "attributes": ["easy install", "white item"], "options": ["color: lilac purple(light filtering)", "size: 59 1 | 2\"w x 64\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["lilac purple(light filtering)"], "assignment_id": "32SCWG5HISEW7674IASH43KF3V9P6N", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B088TP7Z5J", "instruction": "i am looking for an easy to install light filtering contrast grey window blind.", "attributes": ["easy install", "white item"], "options": ["color: contrast grey(light filtering)", "size: 56\"w x 60\"h"], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWT96WY", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B088TP7Z5J", "instruction": "i am interested in blinds that are 34\"w by 56\"h and that are light filtering.", "attributes": ["easy install", "white item"], "options": ["color: hudson hemp(light filtering)", "size: 34\"w x 56\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["hudson hemp(light filtering)", "34\"w x 56\"h"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9SA78T", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B088TP7Z5J", "instruction": "i need some white window treatments that are easy to install and size 58\"w by 48\"h", "attributes": ["easy install", "white item"], "options": ["color: antique white(light filtering)", "size: 58\"w x 48\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["antique white(light filtering)", "58\"w x 48\"h"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYMYHD6", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CZH31LM": [{"asin": "B09CZH31LM", "instruction": "i am looking for hen of the woods potato chips with all natural ingredients would like sea salt pack of 6, 6 ounce.", "attributes": ["artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: sea salt 6 ounce (pack of 6)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["sea salt 6 ounce (pack of 6)"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG15XU97", "worker_id": "A2KW17G25L25R8"}], "B07XY3XFC5": [{"asin": "B07XY3XFC5", "instruction": "polyester bag with trolley belt,", "attributes": ["carrying case", "case cover"], "options": ["color: red", "size: 13.3-inch"], "instruction_attributes": ["carrying case"], "instruction_options": ["13.3-inch"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWCZBKUT", "worker_id": "A10OGH5CQBXL5N"}], "B0977WW7JZ": [{"asin": "B0977WW7JZ", "instruction": "i would like a youth size 3t dark heather cotton t shirt.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: youth", "size: 3t"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["dark heather", "youth", "3t"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHYFQH6", "worker_id": "A1WS884SI0SLO4"}], "B0141TMYV8": [{"asin": "B0141TMYV8", "instruction": "i'm looking for some women's sneakers with rubber soles. make sure they are fabric and in a size 6.5.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: lake blue wash canvas", "material type: fabric", "size: 6.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["fabric", "6.5"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGU56MR0", "worker_id": "A34QZDSTKZ3JO9"}], "B075V5JK36": [{"asin": "B075V5JK36", "instruction": "can you find me a long lasting hdmi cable? i only need one that is fifteen foot long.", "attributes": ["non slip", "long lasting", "plug play", "aluminum alloy"], "options": ["number of items: 1", "size: 15ft"], "instruction_attributes": ["long lasting"], "instruction_options": ["1", "15ft"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKVSND0", "worker_id": "A34QZDSTKZ3JO9"}], "B071WYXY6B": [{"asin": "B071WYXY6B", "instruction": "i am looking for a red high performance bluetooth speaker.", "attributes": ["high performance", "hands free", "aluminum alloy", "wireless bluetooth"], "options": ["color: red"], "instruction_attributes": ["high performance"], "instruction_options": ["red"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB1Z4YO", "worker_id": "A2ECRNQ3X5LEXD"}], "B071XHWM4Z": [{"asin": "B071XHWM4Z", "instruction": "i am looking for a women's natural blonde, 16 inch, synthetic hair wig to buy.", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: natural blonde", "size: 16 inch (pack of 1)"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["natural blonde", "16 inch (pack of 1)"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH1T1V7", "worker_id": "A114NK7T5673GK"}, {"asin": "B071XHWM4Z", "instruction": "i'm looking for reecho 20 inch (pack of 1) of 3/4 full head curly wave clips on synthetic hair extensions pieces for women and choose the color ombre dark brown to dirty blonde", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: ombre dark brown to dirty blonde", "size: 20 inch (pack of 1)"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": [], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A651U73", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B071XHWM4Z", "instruction": "i want jet black hair extensions that is synthetic.", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: jet black", "size: 14 inch (pack of 1)"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["jet black"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CDTV0C", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B071XHWM4Z", "instruction": "i want light purple synthetic hair extensions.", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: light purple", "size: 14 inch (pack of 1)"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["light purple"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMNRVXQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B071XHWM4Z", "instruction": "i'm looking for a pack of synthetic hair extensions to clip onto my curly hair; please choose the 24\" length.", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: light ash brown with highlights", "size: 24 inch (pack of 1)"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["24 inch (pack of 1)"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPD18IA0", "worker_id": "A3LIIE572Z4OG7"}], "B091B1ZTX5": [{"asin": "B091B1ZTX5", "instruction": "what kind of cupcake toppers do you see that you can use for a birthday party?", "attributes": ["cupcake picks", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3HYZL3", "worker_id": "A34QZDSTKZ3JO9"}], "B08C543HDX": [{"asin": "B08C543HDX", "instruction": "i would like a women's size 9 brown high heeled shoe with a closed toe.", "attributes": ["open toe", "knee high", "anti slip", "ankle strap", "high heel", "closed toe", "memory foam"], "options": ["color: zr7-brown", "size: 9"], "instruction_attributes": ["high heel", "closed toe"], "instruction_options": ["zr7-brown", "9"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOEOLMI", "worker_id": "A1WS884SI0SLO4"}], "B09MSN7WX8": [{"asin": "B09MSN7WX8", "instruction": "i'm looking for a cookie that replaces a meal in varying flavors with macadamia nuts and is low in calories.", "attributes": ["high protein", "low calorie", "low sugar", "gluten free", "individually wrapped", "quality ingredients"], "options": ["flavor name: variety pack", "size: 4 pack"], "instruction_attributes": ["low calorie"], "instruction_options": ["variety pack"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTP07L0", "worker_id": "ARJDD0Z3R65BD"}, {"asin": "B09MSN7WX8", "instruction": "i need some low calorie chocolate chip pecan snacks.", "attributes": ["high protein", "low calorie", "low sugar", "gluten free", "individually wrapped", "quality ingredients"], "options": ["flavor name: chocolate chip pecan", "size: 18 pack"], "instruction_attributes": ["low calorie"], "instruction_options": ["chocolate chip pecan"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1ALEFHN", "worker_id": "A19317A3X87NVM"}], "B094417XSZ": [{"asin": "B094417XSZ", "instruction": "i'm looking for a white bookcase for my office. make sure it has a white finish.", "attributes": ["white item", "white finish"], "options": [""], "instruction_attributes": ["white item", "white finish"], "instruction_options": [], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGTKWTJ", "worker_id": "A34QZDSTKZ3JO9"}], "B0773YNFTJ": [{"asin": "B0773YNFTJ", "instruction": "i would like a perfect gift basket for a happy birthday.", "attributes": ["perfect gift", "gift basket"], "options": ["flavor name: e - happy birthday"], "instruction_attributes": ["perfect gift", "gift basket"], "instruction_options": ["e - happy birthday"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH3764SED", "worker_id": "A1WS884SI0SLO4"}], "B07G358Y3W": [{"asin": "B07G358Y3W", "instruction": "can you find me an alcohol free mouthwash for bad breath? i want the one in energizing mint flavor.", "attributes": ["alcohol free", "bad breath"], "options": ["size: pack of 4", "style: energizing mint"], "instruction_attributes": ["alcohol free", "bad breath"], "instruction_options": ["energizing mint"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z13V1KU", "worker_id": "A34QZDSTKZ3JO9"}], "B085F2HS8S": [{"asin": "B085F2HS8S", "instruction": "i need an animal themed and seafoam multicolor office chair slipcover that is machine washable.", "attributes": ["machine washable", "easy install", "printing technology"], "options": ["color: seafoam multicolor"], "instruction_attributes": ["machine washable"], "instruction_options": ["seafoam multicolor"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EAESWY", "worker_id": "A2RBF3IIJP15IH"}], "B09MVK8CYY": [{"asin": "B09MVK8CYY", "instruction": "my face included small sizes of dark circles", "attributes": ["fine lines", "dark circles", "dead skin", "sensitive skin"], "options": [""], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6145GW", "worker_id": "A226L9F2AZ38CL"}], "B00LW3RC4Q": [{"asin": "B00LW3RC4Q", "instruction": "can you find me an easy to clean coffee table made out of solid wood and tempered glass?", "attributes": ["easy clean", "tempered glass", "solid wood"], "options": [""], "instruction_attributes": ["easy clean", "tempered glass", "solid wood"], "instruction_options": [], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKGM1T0", "worker_id": "A34QZDSTKZ3JO9"}], "B099KGG78L": [{"asin": "B099KGG78L", "instruction": "i want party supplies for decorations that are easy to use. make sure there are cupcake toppers.", "attributes": ["easy use", "party supplies"], "options": [""], "instruction_attributes": ["easy use", "party supplies"], "instruction_options": [], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADGSAHI", "worker_id": "A1NF6PELRKACS9"}], "B07T6JK232": [{"asin": "B07T6JK232", "instruction": "i'm looking for large melinda slippers for women that have faux fur and rubber soles.", "attributes": ["faux fur", "rubber sole"], "options": ["color: oxford", "size: large m us"], "instruction_attributes": ["faux fur", "rubber sole"], "instruction_options": ["large m us"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8S7G8D", "worker_id": "A34EHWOYRBL6OZ"}, {"asin": "B07T6JK232", "instruction": "i am ordering grey women faux fur slippers .", "attributes": ["faux fur", "rubber sole"], "options": ["color: grey | mint", "size: small"], "instruction_attributes": ["faux fur"], "instruction_options": ["grey | mint"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3G3NQ3", "worker_id": "AHU9OLV0YKIIW"}], "B09GFHDTPD": [{"asin": "B09GFHDTPD", "instruction": "i'm looking for some eco friendly dental floss. can you pick out the white one?", "attributes": ["eco friendly", "oral hygiene"], "options": ["color: white"], "instruction_attributes": ["eco friendly"], "instruction_options": ["white"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT3X376", "worker_id": "A34QZDSTKZ3JO9"}], "B098DXFRSD": [{"asin": "B098DXFRSD", "instruction": "can you find me a pair of men's non-slip beach sandals with arch support? i want a pair in size 14.", "attributes": ["non slip", "arch support", "rubber sole"], "options": ["color: military color", "size: 14"], "instruction_attributes": ["non slip", "arch support"], "instruction_options": ["14"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9H7B08", "worker_id": "A34QZDSTKZ3JO9"}], "B01693D2ZG": [{"asin": "B01693D2ZG", "instruction": "i like gold gift basket", "attributes": ["caffeine free", "gift set", "gift basket"], "options": ["flavor name: warming joy - red | gold"], "instruction_attributes": ["gift basket"], "instruction_options": ["warming joy - red | gold"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FDXD34", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B01693D2ZG", "instruction": "i'm looking to buy a gift set filled with wellness tea samples that are caffeine free.", "attributes": ["caffeine free", "gift set", "gift basket"], "options": ["flavor name: wellbeing wellness tea"], "instruction_attributes": ["caffeine free", "gift set"], "instruction_options": ["wellbeing wellness tea"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NTC2NT", "worker_id": "A345TDMHP3DQ3G"}], "B09G6L7L72": [{"asin": "B09G6L7L72", "instruction": "i need 3.52 ounce funky choco pineapple biscuits that are soy free.", "attributes": ["soy free", "gluten free"], "options": ["flavor name: funky choco", "size: 3.52 ounce (pack of 6)"], "instruction_attributes": ["soy free"], "instruction_options": ["funky choco", "3.52 ounce (pack of 6)"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMMV1RSW", "worker_id": "A2RBF3IIJP15IH"}], "B09MCPL8N4": [{"asin": "B09MCPL8N4", "instruction": "find for me a set of yarnow birthday party supplies", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["party supplies", "birthday party"], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTRYG0AU", "worker_id": "A1CB72B51L7TKE"}], "B09MLM996X": [{"asin": "B09MLM996X", "instruction": "i need super soft throws that have butterflies and are 30 by 40 inches.", "attributes": ["super soft", "fleece throw"], "options": ["color: i just really like butterflies", "size: 30x40in for 1-5 toddler | pet"], "instruction_attributes": ["super soft"], "instruction_options": ["i just really like butterflies", "30x40in for 1-5 toddler | pet"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMT4W3X", "worker_id": "A2ECRNQ3X5LEXD"}], "B084GN82K7": [{"asin": "B084GN82K7", "instruction": "looking for a keyboard that is long lasting and use aaa batteries. needs to have color of cherry mx brown.", "attributes": ["long lasting", "plug play", "aaa batteries", "usb port"], "options": ["color: cherry mx brown"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1RRH27", "worker_id": "A1MJVTR0PCKBWW"}], "B08RY2D8LQ": [{"asin": "B08RY2D8LQ", "instruction": "i'm looking for hershey's kisses chocolates that can serve as a perfect gift for valentine's day.", "attributes": ["valentine day", "perfect gift"], "options": [""], "instruction_attributes": ["valentine day", "perfect gift"], "instruction_options": [], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCFZPIY", "worker_id": "A1HMZJ59OPLD1P"}], "B07YFF9CL7": [{"asin": "B07YFF9CL7", "instruction": "i am looking for a men's classic fit t shirt that is x-large and white.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: men", "size: x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["white", "men", "x-large"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0PRRAX", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TW4HN5W": [{"asin": "B07TW4HN5W", "instruction": "find me some light weight, noise cancelling headphones. i want the white and black ones.", "attributes": ["noise cancelling", "light weight"], "options": ["color: white black"], "instruction_attributes": ["noise cancelling", "light weight"], "instruction_options": ["white black"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VWXGF7", "worker_id": "A34QZDSTKZ3JO9"}], "B07VZTDDM1": [{"asin": "B07VZTDDM1", "instruction": "i am looking for a candle in a clear glass jar (19 ounce) that smells like orange.", "attributes": ["soy wax", "clear glass"], "options": ["scent: hibiscus & melon", "size: large jar"], "instruction_attributes": ["clear glass"], "instruction_options": ["hibiscus & melon"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C1DHPO", "worker_id": "A2KW17G25L25R8"}, {"asin": "B07VZTDDM1", "instruction": "i would like a apple & oak three wick candle made of soy wax.", "attributes": ["soy wax", "clear glass"], "options": ["scent: apple & oak", "size: 3-wick"], "instruction_attributes": ["soy wax"], "instruction_options": ["apple & oak", "3-wick"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VIW8E4", "worker_id": "A1WS884SI0SLO4"}], "B07N13NKV8": [{"asin": "B07N13NKV8", "instruction": "i really need a long lasting deodorant.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4EB89B", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DSZBVKX": [{"asin": "B09DSZBVKX", "instruction": "i want to buy an easy to clean and assemble entertainment center.", "attributes": ["easy clean", "easy assemble", "living room"], "options": [""], "instruction_attributes": ["easy clean", "easy assemble"], "instruction_options": [], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUH84SH", "worker_id": "A114NK7T5673GK"}], "B08MQBH63T": [{"asin": "B08MQBH63T", "instruction": "i am looking for some pink high quality makeup brush sets.", "attributes": ["easy clean", "high quality", "sensitive skin"], "options": ["color: pink"], "instruction_attributes": ["high quality"], "instruction_options": ["pink"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY89WXU3", "worker_id": "A2KW17G25L25R8"}], "B09SKN22ST": [{"asin": "B09SKN22ST", "instruction": "i need elbow pads for teen girls that are small and black.", "attributes": ["tummy control", "teen girls"], "options": ["color: black", "size: small"], "instruction_attributes": ["teen girls"], "instruction_options": ["black", "small"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU482XVYP9", "worker_id": "A2ECRNQ3X5LEXD"}], "B09KQZGZWQ": [{"asin": "B09KQZGZWQ", "instruction": "i would like round bottles that are bpa free and have fine mist spray caps. pick the clear one.", "attributes": ["bpa free", "fine mist"], "options": ["color: clear"], "instruction_attributes": ["bpa free", "fine mist"], "instruction_options": ["clear"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R2UKSH", "worker_id": "A1NF6PELRKACS9"}], "B09PDSMYJW": [{"asin": "B09PDSMYJW", "instruction": "i looking a short sleeve bridemaid gown satin tumble dry colour should be coral", "attributes": ["hand wash", "wash cold", "drawstring closure", "short sleeve", "tumble dry"], "options": ["color: coral", "size: 18"], "instruction_attributes": ["short sleeve", "tumble dry"], "instruction_options": ["coral"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZ6HWUY", "worker_id": "A3N9ZYQAESNFQH"}], "B095LD9RJH": [{"asin": "B095LD9RJH", "instruction": "i would like to buy a deer statue for display in my living room.", "attributes": ["exquisite workmanship", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KQC9J5", "worker_id": "A114NK7T5673GK"}], "B09N9GMXB9": [{"asin": "B09N9GMXB9", "instruction": "i need cake toppers that are red for valentine's day.", "attributes": ["valentine day", "birthday party"], "options": ["color: red"], "instruction_attributes": ["valentine day"], "instruction_options": ["red"], "assignment_id": "3X65QVEQIBXVW21709CD9M35UZDCLI", "worker_id": "A2ECRNQ3X5LEXD"}], "B08FBGGP37": [{"asin": "B08FBGGP37", "instruction": "i need a high speed hdmi cable with an extension cord. pick a white one.", "attributes": ["high speed", "blu ray", "plug play"], "options": ["pattern name: cable + extension cord", "size: 3 feet"], "instruction_attributes": ["high speed"], "instruction_options": ["cable + extension cord"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DY8W288", "worker_id": "A1NF6PELRKACS9"}], "B09P58XZ16": [{"asin": "B09P58XZ16", "instruction": "i'm trying to find a one piece swimsuit with tummy control. i need one in size small.", "attributes": ["tummy control", "cotton spandex", "high waist", "short sleeve", "tumble dry"], "options": ["color: swimsuits-a411-green", "size: small"], "instruction_attributes": ["tummy control"], "instruction_options": ["small"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHVZP8DR", "worker_id": "A34QZDSTKZ3JO9"}], "B09LK3PN6M": [{"asin": "B09LK3PN6M", "instruction": "i am looking for corn that is non gmo and spicy toasted as well as 16 oz.", "attributes": ["non gmo", "artificial flavors", "resealable bag", "artificial colors", "quality ingredients"], "options": ["flavor name: spicy toasted corn", "size: 16 oz"], "instruction_attributes": ["non gmo"], "instruction_options": ["spicy toasted corn", "16 oz"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIJ385X", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QHKHN59": [{"asin": "B08QHKHN59", "instruction": "i am looking for easy to use movie themed cake toppers.", "attributes": ["easy use", "cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXTWMYF", "worker_id": "A1EREKSZAA9V7B"}], "B098BJVT82": [{"asin": "B098BJVT82", "instruction": "i would like a white contemporary modern style bed.", "attributes": ["white item", "box spring", "contemporary style"], "options": [""], "instruction_attributes": ["white item", "contemporary style"], "instruction_options": [], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C2OPH9", "worker_id": "A1WS884SI0SLO4"}], "B098FGDCDS": [{"asin": "B098FGDCDS", "instruction": "i need a white high definition dome camera.", "attributes": ["high definition", "optical zoom"], "options": ["color: white", "size: 20x"], "instruction_attributes": ["high definition"], "instruction_options": ["white"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0MTLSCC", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B098FGDCDS", "instruction": "i'm looking for optical zoom electronics want to buy a white color.", "attributes": ["high definition", "optical zoom"], "options": ["color: white", "size: 12x"], "instruction_attributes": ["optical zoom"], "instruction_options": ["white", "12x"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANGLXS5", "worker_id": "A16IQOX0DK14OJ"}], "B08YYYDMKD": [{"asin": "B08YYYDMKD", "instruction": "i am looking for grey color smartwatch band.it should be compatible with apple watch.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: grey", "size: 42mm | 44mm | 45mm-large"], "instruction_attributes": ["compatible apple"], "instruction_options": ["grey"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67IA4NF", "worker_id": "A3FG5PQHG5AH3Y"}], "B09D3X58V1": [{"asin": "B09D3X58V1", "instruction": "i'm going hiking so i'm looking for a pair of slip resistant rubber soled boots. i want something in 8.5.", "attributes": ["knee high", "slip resistant", "steel toe", "high heel", "rubber sole"], "options": ["color: m2-army green", "size: 8.5"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["8.5"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNFZNDLH", "worker_id": "A34QZDSTKZ3JO9"}], "B07XW113LC": [{"asin": "B07XW113LC", "instruction": "i want round shape home furniture", "attributes": ["contemporary design", "home furnishings"], "options": ["color: lavender | ivory", "item shape: round", "size: 4 ft x 6 ft"], "instruction_attributes": ["home furnishings"], "instruction_options": ["round"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM9659G42", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B07XW113LC", "instruction": "i want a square shaped area rug for my home. pick a contemporary design in lavender or ivory color.", "attributes": ["contemporary design", "home furnishings"], "options": ["color: lavender | ivory", "item shape: square", "size: 4 ft x 6 ft"], "instruction_attributes": ["contemporary design", "home furnishings"], "instruction_options": ["lavender | ivory", "square"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGW8WTD", "worker_id": "A1NF6PELRKACS9"}], "B01MYZMIHB": [{"asin": "B01MYZMIHB", "instruction": "i am looking for a round, non-shedding, boho chic medallion distressed area rug for my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: ivory | navy", "item shape: round", "size: 3' x 5'"], "instruction_attributes": ["living room"], "instruction_options": ["round"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06IYKXT", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B01MYZMIHB", "instruction": "i need a pink colored area rug for my living room area.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: pink | multi", "item shape: runner", "size: 2' 2\" x 16'"], "instruction_attributes": ["home furnishings", "living room"], "instruction_options": ["pink | multi"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB067IXK4", "worker_id": "A19317A3X87NVM"}, {"asin": "B01MYZMIHB", "instruction": "i am looking for a rectangular shaped area rug for living room with orange or light blue color. also choose 2ft 2in x 4ft in size.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: orange | light blue", "item shape: rectangular", "size: 2' 2\" x 4'"], "instruction_attributes": ["living room"], "instruction_options": ["orange | light blue", "rectangular", "2' 2\" x 4'"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFVL3EM", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B01MYZMIHB", "instruction": "i am looking for boho chic medallion non shedding area rug 6'7''x9'2'' for my living room. in forest green, or light blue.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: forest green | light blue", "item shape: square", "size: 2' 2\" x 20'"], "instruction_attributes": ["living room"], "instruction_options": ["forest green | light blue"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UL8KOH", "worker_id": "A2KW17G25L25R8"}, {"asin": "B01MYZMIHB", "instruction": "i would like a 8 by 8 round rug preferably in fuchsia for the living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: light blue | fuchsia", "item shape: round", "size: 8' x 8'"], "instruction_attributes": ["living room"], "instruction_options": ["light blue | fuchsia", "round", "8' x 8'"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTO24VS", "worker_id": "A1WS884SI0SLO4"}], "B07NBZJZDP": [{"asin": "B07NBZJZDP", "instruction": "i'm looking for an oil free concealer. can you get the one in shade 9?", "attributes": ["oil free", "cruelty free"], "options": ["color: 6nt (shade 9)"], "instruction_attributes": ["oil free"], "instruction_options": ["6nt (shade 9)"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I33DFE", "worker_id": "A34QZDSTKZ3JO9"}], "B09RZRCWCD": [{"asin": "B09RZRCWCD", "instruction": "i need a black full size metal bed frame that doesn't take up too much storage space.", "attributes": ["twin size", "storage space", "box spring"], "options": ["color: black | silver", "size: full"], "instruction_attributes": ["storage space"], "instruction_options": ["black | silver", "full"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZFJ9KB", "worker_id": "A2RBF3IIJP15IH"}], "B07MRH3BQ1": [{"asin": "B07MRH3BQ1", "instruction": "do you think you can find me a dustproof phone case? i'll take one in white.", "attributes": ["dust proof", "compatible apple", "case cover"], "options": ["color: white", "size: iphone 12 pro max"], "instruction_attributes": ["dust proof"], "instruction_options": ["white"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTIRLP4", "worker_id": "A34QZDSTKZ3JO9"}], "B09QKTVJV8": [{"asin": "B09QKTVJV8", "instruction": "i'm trying to find an office chair with metal legs. i really want one that is black.", "attributes": ["height adjustable", "easy assemble", "metal legs", "living room"], "options": ["color: black2"], "instruction_attributes": ["metal legs"], "instruction_options": ["black2"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC50ARKZ", "worker_id": "A34QZDSTKZ3JO9"}], "B09724XN6P": [{"asin": "B09724XN6P", "instruction": "can you get me a white bookshelf with a white finish? i want to get the one with one door.", "attributes": ["white item", "assembly required", "white finish"], "options": ["color: white with 1 door", "size: 23.54''w*13.98''d*70.87\u2018\u2019h"], "instruction_attributes": ["white item", "white finish"], "instruction_options": ["white with 1 door"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZALPC2", "worker_id": "A34QZDSTKZ3JO9"}], "B07F79DFCT": [{"asin": "B07F79DFCT", "instruction": "i am looking for a peppermint alcohol free mouthwash for bad breath.", "attributes": ["fluoride free", "alcohol free", "plant based", "teeth whitening", "bad breath"], "options": ["flavor name: peppermint"], "instruction_attributes": ["alcohol free", "bad breath"], "instruction_options": ["peppermint"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366ONROPJ", "worker_id": "A2KW17G25L25R8"}], "B00P5FGRMA": [{"asin": "B00P5FGRMA", "instruction": "i am looking for a long lasting matte lipstick in darling damask color.", "attributes": ["paraben free", "long lasting"], "options": ["color: darling damask"], "instruction_attributes": ["long lasting"], "instruction_options": ["darling damask"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F2XXOHW", "worker_id": "A114NK7T5673GK"}], "B08238WZGG": [{"asin": "B08238WZGG", "instruction": "i am looking for a heavy duty purple case with a screen protector and kickstand for a samsung galaxy tablet.", "attributes": ["heavy duty", "easy install", "easy use", "tempered glass", "case cover", "glass screen"], "options": ["color: purple"], "instruction_attributes": ["heavy duty"], "instruction_options": ["purple"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCLYCNS4", "worker_id": "A1EREKSZAA9V7B"}], "B08L89KVGW": [{"asin": "B08L89KVGW", "instruction": "i would like a 1 fluid ounce green apple lip gloss that's cruelty free to animals.", "attributes": ["alcohol free", "cruelty free", "easy use"], "options": ["scent: green apple", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["green apple", "1 fl oz (pack of 1)"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOD1CTP", "worker_id": "A1WS884SI0SLO4"}], "B093GVC697": [{"asin": "B093GVC697", "instruction": "i need portable speakers that are bluetooth, high powered, and have stereo sound. i'm looking for k9 2ng gen color.", "attributes": ["high power", "stereo sound"], "options": ["color: k9 2nd gen"], "instruction_attributes": ["high power", "stereo sound"], "instruction_options": ["k9 2nd gen"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU2AA9G", "worker_id": "A1MJVTR0PCKBWW"}], "B0859F614M": [{"asin": "B0859F614M", "instruction": "i am looking for a styling tool that is black that one would find in a salon.", "attributes": ["hair treatment", "hair salon"], "options": ["color: black jacquard", "size: average"], "instruction_attributes": ["hair salon"], "instruction_options": ["black jacquard"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HAL6IL", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0859F614M", "instruction": "i want a hair treatment steamer thermal heat cap.", "attributes": ["hair treatment", "hair salon"], "options": ["color: leaf print", "size: heat cap"], "instruction_attributes": ["hair treatment"], "instruction_options": ["heat cap"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNDK10Z", "worker_id": "A2RBF3IIJP15IH"}], "B07WYHZ4NL": [{"asin": "B07WYHZ4NL", "instruction": "need a hair extension that is synthetic and long lasting, and get the 8 pack of 18 inch size.", "attributes": ["long lasting", "synthetic hair", "hair extensions"], "options": ["color: t27 | 613#", "size: 18 inch (pack of 8)"], "instruction_attributes": ["long lasting", "synthetic hair"], "instruction_options": ["18 inch (pack of 8)"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL961V2A", "worker_id": "A1MJVTR0PCKBWW"}], "B09FS7Y48C": [{"asin": "B09FS7Y48C", "instruction": "i\u2019m looking for a nice outdoor loveseat sofa that is easy to clean in all weather; please choose the navy blue one.", "attributes": ["high density", "easy clean", "steel frame"], "options": ["color: navy blue"], "instruction_attributes": ["easy clean"], "instruction_options": ["navy blue"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZWJNR6", "worker_id": "A3LIIE572Z4OG7"}], "B09JKSZM5C": [{"asin": "B09JKSZM5C", "instruction": "i am looking for stylish, comfortable women's mid calf boots in leather shoes, knee-height boots in gt51-brown color. 6.5 size preferable..", "attributes": ["knee high", "leather sole", "memory foam"], "options": ["color: gde51-brown", "size: 6.5"], "instruction_attributes": ["knee high", "leather sole", "memory foam"], "instruction_options": ["gde51-brown", "6.5"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLO3ADD", "worker_id": "A1DRKZ3SCLAS4V"}], "B075F5TYW8": [{"asin": "B075F5TYW8", "instruction": "i need 3 packs tempered glass that is lcd compatible for canon eos 1500d 1300d 1200d models", "attributes": ["easy install", "tempered glass"], "options": [""], "instruction_attributes": ["tempered glass"], "instruction_options": [], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB10YLUH", "worker_id": "A258PTOZ3D2TQR"}], "B099NQX48P": [{"asin": "B099NQX48P", "instruction": "i am looking for a gourmet buffalo chicken snack with simple ingredients.", "attributes": ["individually wrapped", "simple ingredients"], "options": ["flavor name: buffalo chicken"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["buffalo chicken"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98O3YKO", "worker_id": "A114NK7T5673GK"}], "B092MP7JL1": [{"asin": "B092MP7JL1", "instruction": "i am looking for high quality clear bass computer speakers of vaensong jt009 wooden multimedia. compatible with pc,tv,laptop,mac,smartphones,mp3 player, perfect for home,party etc.easy to set up,usb port in green color.", "attributes": ["plug play", "usb port"], "options": ["color: green"], "instruction_attributes": ["plug play", "usb port"], "instruction_options": ["green"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I68CB6", "worker_id": "A1DRKZ3SCLAS4V"}], "B08R5PXSJM": [{"asin": "B08R5PXSJM", "instruction": "find me a lead free, eco friendly, long lasting candle. i want the fragrance to be cinnamon delight", "attributes": ["lead free", "eco friendly", "long lasting", "soy wax"], "options": ["color: cinnamon delight"], "instruction_attributes": ["lead free", "eco friendly", "long lasting"], "instruction_options": ["cinnamon delight"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50QZDWGB", "worker_id": "A34QZDSTKZ3JO9"}], "B09P1NHM7S": [{"asin": "B09P1NHM7S", "instruction": "i'm searching for womens leather angle strap platform slip on of size 6.5 and c brown color", "attributes": ["open toe", "fleece lined", "ankle strap", "closed toe", "faux fur", "steel toe", "high heel", "memory foam", "rubber sole"], "options": ["color: c brown", "size: 6.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["c brown", "6.5"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XK73ENU", "worker_id": "A258PTOZ3D2TQR"}], "B09QC4NG39": [{"asin": "B09QC4NG39", "instruction": "i need 2 panels easy clean window curtains of size 39.5\"w x 63\"l x2 for living room", "attributes": ["eco friendly", "machine washable", "easy clean", "stainless steel", "dining room", "living room"], "options": ["color: style-08", "size: 39.5\"w x 63\"l x2"], "instruction_attributes": ["easy clean", "living room"], "instruction_options": ["39.5\"w x 63\"l x2"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPHF6ED", "worker_id": "A258PTOZ3D2TQR"}], "B08YDPQ7G3": [{"asin": "B08YDPQ7G3", "instruction": "i'm looking for some nail polish. i really need something that is burgundy, please.", "attributes": ["long lasting", "nail polish", "nail art"], "options": ["color: burgundy collection"], "instruction_attributes": ["nail polish"], "instruction_options": ["burgundy collection"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54MW83P", "worker_id": "A34QZDSTKZ3JO9"}], "B075WNW39J": [{"asin": "B075WNW39J", "instruction": "i want light weight polyster back", "attributes": ["water resistant", "light weight", "carrying case"], "options": ["color: polyster black"], "instruction_attributes": ["light weight"], "instruction_options": [], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7F8M8K4", "worker_id": "A226L9F2AZ38CL"}], "B08XM348SC": [{"asin": "B08XM348SC", "instruction": "i would like a basic phone case that has wireless charging.", "attributes": ["compatible apple", "wireless charging"], "options": [""], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPC9V6Z", "worker_id": "A1WS884SI0SLO4"}], "B01N1V7ER0": [{"asin": "B01N1V7ER0", "instruction": "i need a 15 ft 1080p hd vga cable,", "attributes": ["1080p hd", "gold plated", "easy use"], "options": ["size: 15feet"], "instruction_attributes": ["1080p hd"], "instruction_options": ["15feet"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A215HTHQ", "worker_id": "A1WS884SI0SLO4"}], "B073L11212": [{"asin": "B073L11212", "instruction": "i am looking for a high speed coaxial cable that is 3 feet in size.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 3ft", "style: trishield - black"], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["3ft"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAU649CS", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B073L11212", "instruction": "i am looking for a high speed coaxial cable that is 5 feet long and is solid copper.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 5ft", "style: solid copper w | weather boot - black"], "instruction_attributes": ["high speed"], "instruction_options": ["5ft", "solid copper w | weather boot - black"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1AF80X", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B073L11212", "instruction": "i am looking for a 200 ft size high-speed coaxial cable and the cable material is aluminum alloy.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 200ft", "style: direct burial w | rg-11 weather boot - bl..."], "instruction_attributes": ["high speed", "coaxial cable", "aluminum alloy"], "instruction_options": ["200ft"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPGW6V5", "worker_id": "A9ZM1P6LBW79"}, {"asin": "B073L11212", "instruction": "i am looking for a high speed 250 foot long 75 ohm coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 250ft", "style: plenum rg-11 - white"], "instruction_attributes": ["high speed"], "instruction_options": ["250ft"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQW55BO", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B073L11212", "instruction": "i would like a black 90 foot coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 90ft", "style: w | ground - black"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["90ft", "w | ground - black"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY865D81Y", "worker_id": "A1WS884SI0SLO4"}], "B07P9TTWPD": [{"asin": "B07P9TTWPD", "instruction": "i would like a 3xl grey scrub bottoms that are easily machine washable.", "attributes": ["easy care", "day comfort", "wash cold", "machine wash", "elastic waistband"], "options": ["color: grey", "size: 3x-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["grey", "3x-large"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8705AV", "worker_id": "A1WS884SI0SLO4"}], "B08BTTH66J": [{"asin": "B08BTTH66J", "instruction": "i am looking for slim fit men jean of black color.", "attributes": ["slim fit", "machine wash", "imported zipper", "button closure", "polyester spandex", "everyday wear"], "options": ["color: black", "size: 38w x 32l"], "instruction_attributes": ["slim fit"], "instruction_options": ["black"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY863S182", "worker_id": "A3FG5PQHG5AH3Y"}], "B09NVDJXCT": [{"asin": "B09NVDJXCT", "instruction": "can you find me a high quality spa linen in green?", "attributes": ["high quality", "beauty salon"], "options": ["color: green", "size: 190*80cm"], "instruction_attributes": ["high quality"], "instruction_options": ["green"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWU81R4", "worker_id": "A34QZDSTKZ3JO9"}], "B08GK773VS": [{"asin": "B08GK773VS", "instruction": "can you find me a high definition hdmi cable that is gold plated?", "attributes": ["high definition", "gold plated", "plug play"], "options": [""], "instruction_attributes": ["high definition", "gold plated"], "instruction_options": [], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFL73V1", "worker_id": "A34QZDSTKZ3JO9"}], "B0989NQ7RD": [{"asin": "B0989NQ7RD", "instruction": "i am looking for human hair toppers for hair loss. i would like something in a medium brown.", "attributes": ["easy use", "hair loss"], "options": ["color: dark brown ombre light brown-e", "size: 16 inch-120% density"], "instruction_attributes": ["hair loss"], "instruction_options": ["dark brown ombre light brown-e"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRBXNW8", "worker_id": "A2KW17G25L25R8"}], "B01M35RC7N": [{"asin": "B01M35RC7N", "instruction": "get me a face moisturizer that is for dry skin and fine lines.", "attributes": ["fragrance free", "hyaluronic acid", "dry skin", "fine lines", "dead skin"], "options": [""], "instruction_attributes": ["dry skin", "fine lines"], "instruction_options": [], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C47N0I2", "worker_id": "A1MJVTR0PCKBWW"}], "B09LQQXGK1": [{"asin": "B09LQQXGK1", "instruction": "i would like a lip balm that has natural ingredients and is the color a.", "attributes": ["easy apply", "natural ingredients", "dead skin"], "options": ["color: a"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["a"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HODHMLA", "worker_id": "A2ECRNQ3X5LEXD"}], "B0791RWM8M": [{"asin": "B0791RWM8M", "instruction": "i need a 3.4 fl oz glass bottle of toothgel that is plant based and made of fennel & baking soda.", "attributes": ["cruelty free", "plant based", "paraben free"], "options": ["color: fennel & baking soda", "size: 3.4 fl oz glass bottle"], "instruction_attributes": ["plant based"], "instruction_options": ["fennel & baking soda", "3.4 fl oz glass bottle"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0OQCAE", "worker_id": "A2RBF3IIJP15IH"}], "B08SMNM3QY": [{"asin": "B08SMNM3QY", "instruction": "i am looking for the perfect gift, with quality ingredients like jack daniel's pecan.", "attributes": ["quality ingredients", "perfect gift"], "options": ["flavor name: jack daniels pecan"], "instruction_attributes": ["quality ingredients", "perfect gift"], "instruction_options": ["jack daniels pecan"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AGPOEY", "worker_id": "A2KW17G25L25R8"}], "B0861QDWT8": [{"asin": "B0861QDWT8", "instruction": "i am looking for active shorts with an elastic waistband that are red and 3x large.", "attributes": ["hand wash", "machine wash", "polyester spandex", "elastic waistband"], "options": ["color: red", "size: 3x-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["red", "3x-large"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHVLB7G", "worker_id": "A2ECRNQ3X5LEXD"}], "B000Z61MSS": [{"asin": "B000Z61MSS", "instruction": "i'm looking for some long lasting deodorant.", "attributes": ["alcohol free", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGGUO0T", "worker_id": "A34QZDSTKZ3JO9"}], "B003SD83GE": [{"asin": "B003SD83GE", "instruction": "i am looking for a pound of instant coffee that is gluten free and english toffee.", "attributes": ["rich creamy", "easy use", "gluten free"], "options": ["flavor name: english toffee", "size: 1 pound (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["english toffee", "1 pound (pack of 1)"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP6Y2DVF", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B003SD83GE", "instruction": "i am looking for a rich creamy instant coffee of hazelnut flavor", "attributes": ["rich creamy", "easy use", "gluten free"], "options": ["flavor name: hazelnut", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["rich creamy"], "instruction_options": ["hazelnut"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWDDFNI", "worker_id": "A9QRQL9CFJBI7"}], "B092DYRWV3": [{"asin": "B092DYRWV3", "instruction": "i am looking for a stainless steel foot scraper.", "attributes": ["high quality", "non slip", "stainless steel", "dead skin"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA22S2X", "worker_id": "A2KW17G25L25R8"}], "B08HCDGN25": [{"asin": "B08HCDGN25", "instruction": "i am looking for square shaped swival bar stools with adjustable heights. a set of 2 in gray is preferred.", "attributes": ["height adjustable", "pu leather", "dining room"], "options": ["color: fabric gray"], "instruction_attributes": ["height adjustable"], "instruction_options": ["fabric gray"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOTQO7H", "worker_id": "A3T9WZOUQGE2UW"}], "B074FDCNDK": [{"asin": "B074FDCNDK", "instruction": "i want to buy a special himalayan salt diet seasoning pack, around 3 ounces and it has to be gluten free.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: special diet seasonings", "size: 3 ounce (pack of 1)", "style: 3 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["special diet seasonings", "3 ounce (pack of 1)"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WMJQWX", "worker_id": "A114NK7T5673GK"}, {"asin": "B074FDCNDK", "instruction": "i want to buy some gluten free gourmet seasonings.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 3 ounce (pack of 3)", "style: 5 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["everyday seasonings"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XR4X8", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B074FDCNDK", "instruction": "looking for organic paleo food seasoning which is gluten free of 1 pound pack", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 1 pound (pack of 1)", "style: 4 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MLGWL8", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B074FDCNDK", "instruction": "i would like a 1.5 pound box of 3 oz bottles of organic seasonings that are low sodium.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: organic seasonings", "size: 3 ounce (pack of 1)", "style: 1.5 pound (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["organic seasonings", "3 ounce (pack of 1)", "1.5 pound (pack of 1)"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IULTL8", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B074FDCNDK", "instruction": "i need everyday seasoning which should be gluten free and have low sodium. i will prefer a pack of 1 with 20 ounce or a pack of 3 with 3 ounce each.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 20 ounce (pack of 1)", "style: 3 ounce (pack of 3)"], "instruction_attributes": ["low sodium", "gluten free"], "instruction_options": ["everyday seasonings", "20 ounce (pack of 1)", "3 ounce (pack of 3)"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MCZVZYU", "worker_id": "ASWFLI3N8X72G"}, {"asin": "B074FDCNDK", "instruction": "i need some special diet seasonings that are low sodium and 4 ounces.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: special diet seasonings", "size: 4.02 ounce (pack of 1)", "style: 4 ounce (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["special diet seasonings", "4 ounce (pack of 1)"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X88FR8", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B074FDCNDK", "instruction": "i want to find some all-purpose everyday seasoning that is low sodium. i want both a 1.5 pound package and a 2 ounce package.", "attributes": ["low sodium", "gluten free", "artificial colors"], "options": ["flavor name: everyday seasonings", "size: 1.5 pound (pack of 1)", "style: 2 ounce (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["everyday seasonings", "1.5 pound (pack of 1)", "2 ounce (pack of 1)"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E20M53J", "worker_id": "A345TDMHP3DQ3G"}], "B09KH4N2BG": [{"asin": "B09KH4N2BG", "instruction": "i'm looking for some slim fit gym workout clothing. i wear a size small.", "attributes": ["slim fit", "wash cold", "machine wash", "long sleeve", "drawstring closure", "short sleeve", "everyday wear", "gym workout", "tumble dry"], "options": ["color: j-navy", "size: small"], "instruction_attributes": ["slim fit", "gym workout"], "instruction_options": ["small"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LEV5IN", "worker_id": "A34QZDSTKZ3JO9"}], "B075FGWGB8": [{"asin": "B075FGWGB8", "instruction": "do you think you can find me an ac adapter with output protection?", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GH93SS", "worker_id": "A34QZDSTKZ3JO9"}], "B08SQZMQJZ": [{"asin": "B08SQZMQJZ", "instruction": "i am looking for a gray non-slip case for a moto g power 2021 that has a screen protector.", "attributes": ["non slip", "carbon fiber", "case cover"], "options": ["color: motorola moto g power 2021 gray brushed tpu case"], "instruction_attributes": ["non slip"], "instruction_options": ["motorola moto g power 2021 gray brushed tpu case"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8FZ4R3", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08SQZMQJZ", "instruction": "i'm looking for moto g phone with dual camera.", "attributes": ["non slip", "carbon fiber", "case cover"], "options": ["color: motorola moto g power 2021 red brushed tpu case"], "instruction_attributes": ["case cover"], "instruction_options": ["motorola moto g power 2021 red brushed tpu case"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KW0J9F", "worker_id": "A21IUUHBSEVB56"}], "B07V5YQN93": [{"asin": "B07V5YQN93", "instruction": "i am looking for a 24 pack of pink glitter cupcake toppers for a kids birthday party.", "attributes": ["cupcake picks", "baby shower", "birthday party"], "options": ["color: pink"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQ9991Y", "worker_id": "A1EREKSZAA9V7B"}], "B093QG743V": [{"asin": "B093QG743V", "instruction": "i need cupcake picks for birthday party decoration.", "attributes": ["cupcake picks", "birthday party"], "options": ["color: 20th"], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": [], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H08516J", "worker_id": "A1NF6PELRKACS9"}], "B07MLVMV93": [{"asin": "B07MLVMV93", "instruction": "i need a quick drying clog shoes that is light weight and pink in color.", "attributes": ["light weight", "non slip", "quick drying", "ethylene vinyl", "vinyl acetate", "comfortable fit"], "options": ["color: pink", "size: 6 women | 4.5 men"], "instruction_attributes": ["light weight", "quick drying"], "instruction_options": ["pink"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZASPC9", "worker_id": "A1NF6PELRKACS9"}], "B09QFX5BG7": [{"asin": "B09QFX5BG7", "instruction": "i\u2019m looking for a toothbrush that is easy to use for travel and will give me fresh breath. the sky blue one would be good.", "attributes": ["easy use", "fresh breath"], "options": ["color: sky blue"], "instruction_attributes": ["easy use", "fresh breath"], "instruction_options": ["sky blue"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3Q8JM1D", "worker_id": "A3LIIE572Z4OG7"}], "B0957588XQ": [{"asin": "B0957588XQ", "instruction": "i am looking for a white bookcase that is easy to assemble.", "attributes": ["eco friendly", "easy assemble", "steel frame", "storage space", "living room"], "options": ["color: white"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLDQF2L", "worker_id": "A2ECRNQ3X5LEXD"}], "B09927SY88": [{"asin": "B09927SY88", "instruction": "i would like a grey 35\"x20\"x29\" home desk that's easy to clean.", "attributes": ["easy clean", "high gloss"], "options": ["color: grey", "size: 35.4\"x19.7\"x29.1\""], "instruction_attributes": ["easy clean"], "instruction_options": ["35.4\"x19.7\"x29.1\""], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLGIM0F", "worker_id": "A1WS884SI0SLO4"}], "B09MQRPL77": [{"asin": "B09MQRPL77", "instruction": "i an looking for designed with a button-tufted back, hand-crafted upholstery details & espresso wooden legs rosevera pottery tufted upholstered fine linen accent armchair set it in living room, bedroom or sitting room in muticolor.", "attributes": ["button tufted", "contemporary style", "solid wood", "living room"], "options": ["color: muticolor"], "instruction_attributes": ["button tufted", "contemporary style", "solid wood", "living room"], "instruction_options": ["muticolor"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6476ZH3S", "worker_id": "A1DRKZ3SCLAS4V"}], "B08CSLQ85D": [{"asin": "B08CSLQ85D", "instruction": "i would like to buy a navy star wars top in a small men's size that is also machine washable.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: navy", "fit type: men", "size: small"], "instruction_attributes": ["machine wash", "star wars"], "instruction_options": ["navy", "men", "small"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEEA869", "worker_id": "A114NK7T5673GK"}], "B07S8TWCYX": [{"asin": "B07S8TWCYX", "instruction": "i am looking for roxy vista flip flops for women, size 11 with a synthetic sole.", "attributes": ["synthetic sole", "rubber outsole"], "options": ["color: black 3", "size: 11"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["11"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRT1XJA", "worker_id": "A1EREKSZAA9V7B"}], "B085B3TNKT": [{"asin": "B085B3TNKT", "instruction": "i\u2019m looking for a bunny rabbit cupcake topper for theme kids birthday party supplies", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["party supplies", "birthday party"], "instruction_options": [], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHB50JL", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07GQP86J5": [{"asin": "B07GQP86J5", "instruction": "i need 2 pcs of non toxic 12ml atomizer perfume spray travel bottle in gold color", "attributes": ["non toxic", "high quality"], "options": ["color: gold+gold"], "instruction_attributes": ["non toxic"], "instruction_options": ["gold+gold"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQXJJAX", "worker_id": "A1V2C99HEV3F14"}], "B09NDJV2R6": [{"asin": "B09NDJV2R6", "instruction": "find me the fomiyes 4pcs silicone travel bottles that are easy to carry.", "attributes": ["easy carry", "travel bottles"], "options": [""], "instruction_attributes": ["easy carry", "travel bottles"], "instruction_options": [], "assignment_id": "3DIP6YHAPN2FET122B94U5H2V168EG", "worker_id": "A1CB72B51L7TKE"}], "B09LZ1LCDG": [{"asin": "B09LZ1LCDG", "instruction": "i am looking for queen size velvet upholstered platform bed with contemporary design. also choose black one.", "attributes": ["queen size", "contemporary design", "box spring", "solid wood"], "options": ["color: black"], "instruction_attributes": ["queen size"], "instruction_options": ["black"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPL87I4I", "worker_id": "A80XRGJXN2D22"}], "B07CB3Y399": [{"asin": "B07CB3Y399", "instruction": "i'm looking for a gluten-free thick & easy clear thickened apple juice, honey consistency, 4 ounces.", "attributes": ["lactose free", "gluten free"], "options": ["flavor name: sugar free peach mango", "size: 4 fl oz (pack of 1)", "style: honey"], "instruction_attributes": ["gluten free"], "instruction_options": ["4 fl oz (pack of 1)", "honey"], "assignment_id": "3VW04L3ZL4GEZUTR5OBOYTJ22G8XX4", "worker_id": "A1VBPG20HPQBH4"}], "B0842YD1CX": [{"asin": "B0842YD1CX", "instruction": "i need a sulfate and paraben free bottle of shampoo.", "attributes": ["sulfate free", "paraben free"], "options": ["size: 6.8 fl. oz", "style: shampoo"], "instruction_attributes": ["sulfate free", "paraben free"], "instruction_options": ["shampoo"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FY1K8B", "worker_id": "A19317A3X87NVM"}], "B09BXZKNDB": [{"asin": "B09BXZKNDB", "instruction": "i need a long lasting pearl headset.", "attributes": ["long lasting", "wireless bluetooth"], "options": ["color: pearl", "pattern name: headset + stand", "style: xt"], "instruction_attributes": ["long lasting"], "instruction_options": ["pearl"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9L6R09O", "worker_id": "A19317A3X87NVM"}], "B0058HNT4O": [{"asin": "B0058HNT4O", "instruction": "i'm searching for a rubber soled men's loafer that has memory foam and is size 13 extra wide. preferred color is birch.", "attributes": ["ethylene vinyl", "vinyl acetate", "memory foam", "rubber outsole", "rubber sole"], "options": ["color: birch", "size: 13 x-wide"], "instruction_attributes": ["memory foam", "rubber sole"], "instruction_options": ["birch", "13 x-wide"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2YRZVI0", "worker_id": "AHTWQSOY6HTJI"}], "B09KXLDQT4": [{"asin": "B09KXLDQT4", "instruction": "i want to find an orthodontic model that is portable and easy to carry so i can use it to teach oral hygiene.", "attributes": ["easy carry", "high quality", "oral hygiene"], "options": [""], "instruction_attributes": ["easy carry", "oral hygiene"], "instruction_options": [], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HZEI64", "worker_id": "A345TDMHP3DQ3G"}], "B09B27GBVM": [{"asin": "B09B27GBVM", "instruction": "i want to find a 2-piece pool alarm that's remote controlled. it needs to be easy to install and ideally the batteries will be included.", "attributes": ["easy install", "batteries included", "aaa batteries"], "options": ["color: 2pcs"], "instruction_attributes": ["easy install", "batteries included"], "instruction_options": ["2pcs"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9IMLS1T", "worker_id": "A345TDMHP3DQ3G"}], "B07TFX29TQ": [{"asin": "B07TFX29TQ", "instruction": "i need some keto friendly, non-gmo potato chips in the sour cream & onion flavor.", "attributes": ["keto friendly", "sugar free", "non gmo", "gluten free", "artificial flavors"], "options": ["flavor name: sour cream & onion", "size: 1.75 ounce (pack of 1)"], "instruction_attributes": ["keto friendly", "non gmo"], "instruction_options": ["sour cream & onion"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38F14LEE", "worker_id": "A19317A3X87NVM"}], "B09PDWKPX4": [{"asin": "B09PDWKPX4", "instruction": "i'm looking for a cotton long sleeve sleepwear set having elastic waist, 3x-large sized for men. also choose the color yk9672#", "attributes": ["straight leg", "loose fit", "elastic waistband", "elastic waist", "long sleeve"], "options": ["color: yk9672#", "size: 3x-large"], "instruction_attributes": ["elastic waist", "long sleeve"], "instruction_options": ["3x-large"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLH0RDP", "worker_id": "A258PTOZ3D2TQR"}], "B094D7SF73": [{"asin": "B094D7SF73", "instruction": "i want to buy a dual band phone signal booster and want it to be booster 2 | 5.", "attributes": ["dual band", "4g lte"], "options": ["color: booster 2 | 5 signal booster"], "instruction_attributes": ["dual band"], "instruction_options": ["booster 2 | 5 signal booster"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PU4UBZ", "worker_id": "A114NK7T5673GK"}], "B01J43HCFO": [{"asin": "B01J43HCFO", "instruction": "i need some black and white fashion sneakers in size 11 with a rubber sole.", "attributes": ["memory foam", "rubber sole"], "options": ["color: black | white", "size: 11"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black | white", "11"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI7QMZGN", "worker_id": "A19317A3X87NVM"}], "B08ZHZCS3Y": [{"asin": "B08ZHZCS3Y", "instruction": "i am looking to buy a bathroom vanity light that has three lights. brushed nickel, please.", "attributes": ["brushed nickel", "clear glass", "light fixture", "vanity light"], "options": ["size: 3 light"], "instruction_attributes": ["brushed nickel", "vanity light"], "instruction_options": ["3 light"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F81YNZ7", "worker_id": "AHTWQSOY6HTJI"}], "B09HWS67T8": [{"asin": "B09HWS67T8", "instruction": "i'm looking for hair treatments that are sulfate and paraben free and are of high quality too. i need it in bottle for with 60 capsules.", "attributes": ["sulfate free", "paraben free", "high quality", "green tea", "natural ingredients", "hair growth", "hair loss"], "options": ["size: 1 bottle + 60 capsules"], "instruction_attributes": ["sulfate free", "paraben free", "high quality"], "instruction_options": [], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFFLE31", "worker_id": "A1MJVTR0PCKBWW"}], "B092PH81NS": [{"asin": "B092PH81NS", "instruction": "i'm looking for a large pink travel makeup bag that's not only high-quality but also easy to carry and clean.", "attributes": ["easy carry", "easy clean", "high quality"], "options": ["color: pink d", "size: l"], "instruction_attributes": ["easy carry", "easy clean", "high quality"], "instruction_options": ["pink d", "l"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZKRNCP", "worker_id": "A345TDMHP3DQ3G"}], "B09RPYK5PL": [{"asin": "B09RPYK5PL", "instruction": "i'm looking for an android tv box that comes in ultra hd with dual band wi-fi.", "attributes": ["dual band", "ultra hd"], "options": [""], "instruction_attributes": ["dual band", "ultra hd"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33N8Z2PB", "worker_id": "A345TDMHP3DQ3G"}], "B017TI2I2S": [{"asin": "B017TI2I2S", "instruction": "i want to find a usb headset that's certifiably refurbished and has a plug to play.", "attributes": ["certified refurbished", "plug play"], "options": [""], "instruction_attributes": ["certified refurbished", "plug play"], "instruction_options": [], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRS940XT", "worker_id": "A345TDMHP3DQ3G"}], "B087ZKY4XQ": [{"asin": "B087ZKY4XQ", "instruction": "i want to find a gift set that includes a variety of four instant coffees from nescafe to sample in it.", "attributes": ["fat free", "gift set"], "options": ["flavor name: nescafe instant coffee 4 mix set"], "instruction_attributes": ["gift set"], "instruction_options": ["nescafe instant coffee 4 mix set"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIOM3TS", "worker_id": "A345TDMHP3DQ3G"}], "B0978Q1KK9": [{"asin": "B0978Q1KK9", "instruction": "i would like a bundle of crackers, spicy beef and cheese which is shelf stable. it also needs to be keto and gluten free.", "attributes": ["shelf stable", "keto friendly", "gluten free"], "options": ["flavor name: spicy beef backpack bundle"], "instruction_attributes": ["shelf stable", "keto friendly", "gluten free"], "instruction_options": ["spicy beef backpack bundle"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOZYATH", "worker_id": "A36F8PDK1DMAN1"}, {"asin": "B0978Q1KK9", "instruction": "im looking for keto friendly, gluten free backpacking snacks including cheese, crackers and summer sausage.", "attributes": ["shelf stable", "keto friendly", "gluten free"], "options": ["flavor name: original beef backpack bundle"], "instruction_attributes": ["keto friendly", "gluten free"], "instruction_options": ["original beef backpack bundle"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVPG71R", "worker_id": "AK3JMCIGU8MLU"}], "B00PGAP3DS": [{"asin": "B00PGAP3DS", "instruction": "i want to find fragrance-free pure moroccan argan oil for my hair and face.", "attributes": ["fragrance free", "anti aging", "easy use", "argan oil", "sensitive skin"], "options": [""], "instruction_attributes": ["fragrance free", "argan oil"], "instruction_options": [], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHUMQLA3", "worker_id": "A345TDMHP3DQ3G"}], "B08B4ZTX93": [{"asin": "B08B4ZTX93", "instruction": "i'm looking for grass-fed gluten free beef jerky meat stick flavored wild ginger. i need 16 sticks (size)", "attributes": ["grass fed", "artificial ingredients", "individually wrapped", "gluten free"], "options": ["flavor name: wild ginger", "size: 16"], "instruction_attributes": ["grass fed", "gluten free"], "instruction_options": ["16"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIHWMTO", "worker_id": "A258PTOZ3D2TQR"}], "B09QCSHVWZ": [{"asin": "B09QCSHVWZ", "instruction": "i'm looking for teeth cleansing toothpaste for teeth whitening.", "attributes": ["fluoride free", "teeth whitening", "long lasting", "sensitive teeth", "fresh breath", "bad breath"], "options": ["color: whitening"], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": ["whitening"], "assignment_id": "37C0GNLMHQDNI94ED11M493QPUWD6N", "worker_id": "A16IQOX0DK14OJ"}], "B091XW25T7": [{"asin": "B091XW25T7", "instruction": "i am looking for a canvas for living room with size of 12x18 inch. also ready to hang", "attributes": ["ready hang", "living room"], "options": ["color: child abstract canvas", "size: 12x18 inch"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["12x18 inch"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWTKD79B", "worker_id": "A2HMEGTAFO0CS8"}], "B07WDCXSX1": [{"asin": "B07WDCXSX1", "instruction": "i am looking for a six piece peppermint bark holiday cookie that is gluten, vegan and dairy free.", "attributes": ["gluten free", "nut free", "soy free", "dairy free"], "options": ["flavor name: apple cider donut"], "instruction_attributes": ["gluten free", "dairy free"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE2N0QGJ", "worker_id": "A1KZ0KE93WNN5O"}], "B09D8HF94V": [{"asin": "B09D8HF94V", "instruction": "i would like a casual tie dye crewneck sweatshirt. it needs to be long sleeve and have a side splits.", "attributes": ["long sleeve", "unique design", "daily wear"], "options": ["color: b-gray leopard", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLDZDAQ", "worker_id": "A21SVM7079V6OP"}], "B01GS1Q7SS": [{"asin": "B01GS1Q7SS", "instruction": "i want to find an ivory area rug for my dining room. it should have a square shape and be 6 feet by 7 inches.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: ivory | fuchsia", "item shape: square", "size: 6 ft 7 in x 6 ft 7 in"], "instruction_attributes": ["dining room"], "instruction_options": ["ivory | fuchsia", "square", "6 ft 7 in x 6 ft 7 in"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZVTPA5", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01GS1Q7SS", "instruction": "i need an area rug for the living room that is navy", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: navy | ivory", "item shape: rectangular", "size: 8 ft x 10 ft"], "instruction_attributes": ["living room"], "instruction_options": ["navy | ivory"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WYL1AD", "worker_id": "A2ECRNQ3X5LEXD"}], "B0894X4LRQ": [{"asin": "B0894X4LRQ", "instruction": "i need a leak proof purple bag for travel bottles.", "attributes": ["leak proof", "bpa free", "travel size", "non toxic", "easy carry", "high quality", "travel bottles", "fine mist"], "options": ["color: purple"], "instruction_attributes": ["leak proof", "travel bottles"], "instruction_options": ["purple"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKC4QPI3", "worker_id": "A19317A3X87NVM"}], "B00H3T5DDA": [{"asin": "B00H3T5DDA", "instruction": "i want a pack of old fashioned pretzel rods, look for chocolate covered too.", "attributes": ["non gmo", "old fashioned", "chocolate covered", "nut free"], "options": ["flavor name: old fashion rods", "size: 2.5 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["old fashion rods", "2.5 pound (pack of 1)"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXT655VE", "worker_id": "A36LOA6VLJU157"}], "B001FXPNY4": [{"asin": "B001FXPNY4", "instruction": "i'm looking for cinnamon almond cereal that has cookie flavor and high protein serving. also, i want a pack of 12 at 1.2 ounce each.", "attributes": ["gluten free", "protein serving", "high protein", "natural flavors"], "options": ["flavor: protein cookie bites - cinnamon almond", "size: 1.2 ounce (pack of 12)"], "instruction_attributes": ["protein serving"], "instruction_options": ["protein cookie bites - cinnamon almond", "1.2 ounce (pack of 12)"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88QOHDKR", "worker_id": "A1198W1SPF1R4"}, {"asin": "B001FXPNY4", "instruction": "i'm looking for gluten free it contains many proteins.", "attributes": ["gluten free", "protein serving", "high protein", "natural flavors"], "options": ["flavor: french vanilla", "size: 1.2 ounce (pack of 60)"], "instruction_attributes": ["gluten free", "high protein"], "instruction_options": ["french vanilla"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW4M4TE", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B001FXPNY4", "instruction": "i would like a high protein cereal that is honey almond.", "attributes": ["gluten free", "protein serving", "high protein", "natural flavors"], "options": ["flavor: protein breakfast cereal - honey almond", "size: 1.2 ounce (pack of 60)"], "instruction_attributes": ["high protein"], "instruction_options": ["protein breakfast cereal - honey almond"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMO1MWR", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RXNWD5Y": [{"asin": "B07RXNWD5Y", "instruction": "na", "attributes": ["heavy duty", "height adjustable", "high density", "lumbar support", "pu leather", "memory foam", "steel frame"], "options": ["color: blue"], "instruction_attributes": ["steel frame"], "instruction_options": ["blue"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPE3H68S", "worker_id": "A1EI8Z972FIFJ3"}], "B07KQ4X112": [{"asin": "B07KQ4X112", "instruction": "i'd love some help finding some organic beard growth oil that can treat hair loss.", "attributes": ["seed oil", "hair loss"], "options": [""], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS4026XNS", "worker_id": "A345TDMHP3DQ3G"}], "B098KY87FJ": [{"asin": "B098KY87FJ", "instruction": "can you pick a tapered leg jean for men that is comfortable to wear? i'm looking for harbor blue color and size 32w x 29l.", "attributes": ["long lasting", "day comfort", "machine wash", "relaxed fit", "imported zipper", "cotton spandex", "button closure"], "options": ["color: harbor blue", "size: 32w x 29l"], "instruction_attributes": ["day comfort"], "instruction_options": ["harbor blue", "32w x 29l"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VKGGF2", "worker_id": "A1198W1SPF1R4"}], "B07NGQ2TWQ": [{"asin": "B07NGQ2TWQ", "instruction": "i need some face powder in a banana color that is long lasting and free of animal cruelty.", "attributes": ["cruelty free", "animal testing", "paraben free", "long lasting"], "options": ["color: banana deep", "size: 1.12 ounce (pack of 1)"], "instruction_attributes": ["cruelty free", "animal testing", "long lasting"], "instruction_options": ["banana deep"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMY4OQLR", "worker_id": "A19317A3X87NVM"}, {"asin": "B07NGQ2TWQ", "instruction": "i'm looing for a cruelty free certified loose baking face powder that is paraben free and long lasting. also, choose a pack of 1 weights 32g and banana light colored one.", "attributes": ["cruelty free", "animal testing", "paraben free", "long lasting"], "options": ["color: banana light", "size: 32 g (pack of 1)"], "instruction_attributes": ["cruelty free", "paraben free", "long lasting"], "instruction_options": ["banana light", "32 g (pack of 1)"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHQPJ0I", "worker_id": "AR0VJ5XRG16UJ"}], "B09HT124QJ": [{"asin": "B09HT124QJ", "instruction": "i am looking for a white oak dining room chandelier with 4 foyer pendant light", "attributes": ["assembly required", "pendant light", "dining room"], "options": [""], "instruction_attributes": ["assembly required"], "instruction_options": [], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0H6XPN", "worker_id": "ARJDD0Z3R65BD"}], "B08HNXVXXL": [{"asin": "B08HNXVXXL", "instruction": "i want some golden brown hair dye.", "attributes": ["permanent hair", "hair dye"], "options": ["color: 6g light golden brown", "size: 1 count (pack of 1)"], "instruction_attributes": ["hair dye"], "instruction_options": ["6g light golden brown"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPP4RNJU", "worker_id": "A19317A3X87NVM"}], "B09FTF3JTN": [{"asin": "B09FTF3JTN", "instruction": "i am looking for a black shower cap for natural hair.", "attributes": ["natural hair", "dry hair"], "options": ["color: black+navy flower"], "instruction_attributes": ["natural hair"], "instruction_options": ["black+navy flower"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGT9UOQ7", "worker_id": "A114NK7T5673GK"}], "B08XQL4CPC": [{"asin": "B08XQL4CPC", "instruction": "i'm looking for a large sea team round cotton rope storage basket with lid and decorative woven storage bin, pot, caddy, organizer, container for snacks, towels and plants 10 x 7.5 inches. also, choose the white one.", "attributes": ["space saving", "storage space"], "options": ["color: black", "size: large | shallow(pack of 1)"], "instruction_attributes": ["storage space"], "instruction_options": ["large | shallow(pack of 1)"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQV80NN", "worker_id": "AWBUPIF8N4DBA"}], "B077D7TRS3": [{"asin": "B077D7TRS3", "instruction": "i want to find a set of leak-proof, bpa-free travel bottles for my toiletries. ideally the set will have four 3-ounce bottles and the color should be #02.", "attributes": ["leak proof", "bpa free", "travel bottles"], "options": ["color: #02 color 4*3 oz"], "instruction_attributes": ["leak proof", "bpa free", "travel bottles"], "instruction_options": ["#02 color 4*3 oz"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFGN5GB3", "worker_id": "A345TDMHP3DQ3G"}], "B088871Y22": [{"asin": "B088871Y22", "instruction": "i need a 8.5 fl oz cool girl aromatherapy candle for my living room. i want the nectarine + coral scent.", "attributes": ["eco friendly", "long lasting", "soy wax", "living room"], "options": ["scent: nectarine + coral"], "instruction_attributes": ["living room"], "instruction_options": ["nectarine + coral"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXR0EWNC", "worker_id": "A1CB72B51L7TKE"}], "B0859P9F6C": [{"asin": "B0859P9F6C", "instruction": "i want blue chamomile scented deep hair conditioner that has tea tree oil, is sulfate free and weighs six ounces.", "attributes": ["sulfate free", "paraben free", "tea tree"], "options": ["scent: blue chamomile", "size: 6 ounce (pack of 2)"], "instruction_attributes": ["sulfate free", "tea tree"], "instruction_options": ["blue chamomile"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6Z3EVN", "worker_id": "A1KZ0KE93WNN5O"}], "B01CX4U7J4": [{"asin": "B01CX4U7J4", "instruction": "i am looking for braven brv-xxl a large portable wireless bluetooth speaker, that is for the outdoors and waterproof, with a built-in 15,000mah power bank usb charger. also, i need it in black/titanium.", "attributes": ["water resistant", "wireless bluetooth"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR4T6UFT", "worker_id": "ABYRAWL4BGD3C"}], "B000SX4HGM": [{"asin": "B000SX4HGM", "instruction": "i want to find a 7.6 ounce package of hair removal wax that's easy to use. the color should be \"all purpose honey.\"", "attributes": ["easy use", "hair removal"], "options": ["color: all purpose honee", "size: 7.6 ounce (pack of 1)"], "instruction_attributes": ["easy use", "hair removal"], "instruction_options": ["all purpose honee", "7.6 ounce (pack of 1)"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKB4PEF", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B000SX4HGM", "instruction": "i want to find a 7.6 ounce package of hair removal wax that's easy to use. the wax should be brazilian style and the primary ingredients should be beeswax and soybean oil.", "attributes": ["easy use", "hair removal"], "options": ["color: brazilian w | beeswax and soybean oil", "size: 7.6 ounce (pack of 1)"], "instruction_attributes": ["easy use", "hair removal"], "instruction_options": ["brazilian w | beeswax and soybean oil", "7.6 ounce (pack of 1)"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPJ80G1", "worker_id": "A345TDMHP3DQ3G"}], "B0042R7WXK": [{"asin": "B0042R7WXK", "instruction": "i want to buy a 32-count pack of hand-crafted, chocolate dessert cups. they need to be gluten free!", "attributes": ["hand crafted", "gluten free"], "options": ["flavor name: chocolate", "size: 32 count (pack of 1)"], "instruction_attributes": ["hand crafted", "gluten free"], "instruction_options": ["chocolate", "32 count (pack of 1)"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30T7E3N7", "worker_id": "A345TDMHP3DQ3G"}], "B0784JSQ6G": [{"asin": "B0784JSQ6G", "instruction": "i need a gold colored birthday cake ornament.", "attributes": ["birthday cake", "birthday party"], "options": ["color: 40-gold"], "instruction_attributes": ["birthday cake"], "instruction_options": ["40-gold"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZZPPCK", "worker_id": "A19317A3X87NVM"}, {"asin": "B0784JSQ6G", "instruction": "get me a gold birthday cake topper.", "attributes": ["birthday cake", "birthday party"], "options": ["color: 60-gold2"], "instruction_attributes": ["birthday cake"], "instruction_options": ["60-gold2"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67JO4NV", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B0784JSQ6G", "instruction": "i need a birthday cake topper that is gold", "attributes": ["birthday cake", "birthday party"], "options": ["color: 25-gold"], "instruction_attributes": ["birthday cake"], "instruction_options": ["25-gold"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HH46II", "worker_id": "A2ECRNQ3X5LEXD"}], "B08ZJQFYZ7": [{"asin": "B08ZJQFYZ7", "instruction": "i'm looking for fully cooked dry rubbed st. louis style ribs.", "attributes": ["fully cooked", "quality ingredients"], "options": ["flavor name: dry rubbed (seasoned) st louis style", "size: four half slabs"], "instruction_attributes": ["fully cooked"], "instruction_options": ["dry rubbed (seasoned) st louis style"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKKSNDE", "worker_id": "A19317A3X87NVM"}], "B083ZG2RZL": [{"asin": "B083ZG2RZL", "instruction": "i need a vanity light with a classic bronze finish.", "attributes": ["vanity light", "clear glass"], "options": ["color: classic bronze", "size: 3-light"], "instruction_attributes": ["vanity light"], "instruction_options": ["classic bronze"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOJ5O7C", "worker_id": "A19317A3X87NVM"}], "B09391JQ43": [{"asin": "B09391JQ43", "instruction": "i want to find a small pair of men's pajama pants that's officially licensed with the joker.", "attributes": ["officially licensed", "drawstring waist"], "options": ["size: small"], "instruction_attributes": ["officially licensed"], "instruction_options": ["small"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XXQ1FAP", "worker_id": "A345TDMHP3DQ3G"}], "B09N9JKMLW": [{"asin": "B09N9JKMLW", "instruction": "i wanna find a wireless soundbar with stereo sound for my tv, color black and with support for u disk tf and sd card.", "attributes": ["high power", "stereo sound"], "options": ["color: black2"], "instruction_attributes": ["stereo sound"], "instruction_options": ["black2"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHLHZ44", "worker_id": "A1YJZS6HXX8AMK"}], "B00U9WP17Q": [{"asin": "B00U9WP17Q", "instruction": "i need some non-gmo chocolate pretzels.", "attributes": ["kosher certified", "non gmo"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2Z3OKMX", "worker_id": "A19317A3X87NVM"}], "B096YD2L7Q": [{"asin": "B096YD2L7Q", "instruction": "i would like a large, low carb drink alternative that is a red flavor such as cherry or strawberry.", "attributes": ["non alcoholic", "low carb"], "options": [""], "instruction_attributes": ["low carb"], "instruction_options": [], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJ8EO97", "worker_id": "AJQGWGESKQT4Y"}], "B000ER1RCY": [{"asin": "B000ER1RCY", "instruction": "i want a keds champion women's for day comfort, choose a white with a especial size 9", "attributes": ["day comfort", "synthetic sole", "memory foam", "rubber outsole"], "options": ["color: white", "size: 5", "special size: 9 med"], "instruction_attributes": ["day comfort"], "instruction_options": ["white", "9 med"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO834PIJZ", "worker_id": "A2Y2TURT2VEYZN"}], "B07V1Y5MRL": [{"asin": "B07V1Y5MRL", "instruction": "i want to find a 15.99 fluid ounce can of an energy drink without any sugar, artificial colors or flavors. my flavor of preference is called shoc wave.", "attributes": ["zero sugar", "artificial colors", "artificial flavors"], "options": ["flavor name: shoc wave", "size: 15.99 fl oz (pack of 1)"], "instruction_attributes": ["zero sugar", "artificial colors", "artificial flavors"], "instruction_options": ["shoc wave", "15.99 fl oz (pack of 1)"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHUM6LAJ", "worker_id": "A345TDMHP3DQ3G"}], "B081S81FT6": [{"asin": "B081S81FT6", "instruction": "i want to find a 2-ounce bottle of sulfate-free conditioner that's compatible with damaged hair.", "attributes": ["sulfate free", "paraben free", "cruelty free", "damaged hair"], "options": ["size: 2 ounce"], "instruction_attributes": ["sulfate free", "damaged hair"], "instruction_options": ["2 ounce"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7JBDSR", "worker_id": "A345TDMHP3DQ3G"}], "B09P1NSXN4": [{"asin": "B09P1NSXN4", "instruction": "i need a manual toothbrush which has teeth whitening strips and is good for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: d"], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": [], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WG9CYIP", "worker_id": "A19317A3X87NVM"}, {"asin": "B09P1NSXN4", "instruction": "i want to find an f-colored toothbrush that can help whiten my teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: f"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["f"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCAU0DV", "worker_id": "A345TDMHP3DQ3G"}], "B09JJS8F4B": [{"asin": "B09JJS8F4B", "instruction": "i need cupcake picks for my son's birthday party.", "attributes": ["baby shower", "cupcake picks", "party supplies", "birthday party"], "options": [""], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": [], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTZT9NZ", "worker_id": "A19317A3X87NVM"}], "B00F4YS85G": [{"asin": "B00F4YS85G", "instruction": "i'm looking for l'oreal paris true match super-blendable liquid foundation, oil free in c2 natural ivory. i want a 1 fl oz pack of 1.", "attributes": ["oil free", "fine lines"], "options": ["color: c2 natural ivory", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["c2 natural ivory", "1 fl oz (pack of 1)"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9L65092", "worker_id": "A1CB72B51L7TKE"}, {"asin": "B00F4YS85G", "instruction": "i'm looking for a single bottle of bone colored foundation that's oil free and covers fine lines.", "attributes": ["oil free", "fine lines"], "options": ["color: c1.5 bone", "size: 1 count"], "instruction_attributes": ["oil free", "fine lines"], "instruction_options": ["c1.5 bone", "1 count"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4F68L0", "worker_id": "AR9AU5FY1S3RO"}], "B00PUEV4CE": [{"asin": "B00PUEV4CE", "instruction": "i want to find wheat crackers that have no gmos and no high-fructose corn syrup.", "attributes": ["non gmo", "high fructose"], "options": ["flavor: wheat crackers"], "instruction_attributes": ["non gmo", "high fructose"], "instruction_options": ["wheat crackers"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OP9LWFY", "worker_id": "A345TDMHP3DQ3G"}], "B0995NN39Z": [{"asin": "B0995NN39Z", "instruction": "i'm looking for easy to apply, high quality hair extensions in medium light brown.", "attributes": ["easy apply", "high quality"], "options": ["color: #560 medium light brown+60%gray", "size: 8\"x10\""], "instruction_attributes": ["easy apply", "high quality"], "instruction_options": ["#560 medium light brown+60%gray"], "assignment_id": "3G2UL9A02OO71034MOY04HTU3J067U", "worker_id": "A19317A3X87NVM"}], "B00T7JEX44": [{"asin": "B00T7JEX44", "instruction": "i like traditional , old and individually wrapped albert's chocolate ice cubes 60 count tray chocolate", "attributes": ["old fashioned", "individually wrapped"], "options": [""], "instruction_attributes": ["old fashioned", "individually wrapped"], "instruction_options": [], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVL83XB", "worker_id": "A1W06GIYOJMSAK"}], "B073C1K3GZ": [{"asin": "B073C1K3GZ", "instruction": "i need women's loafers with arch support. find something in black.", "attributes": ["arch support", "rubber sole"], "options": ["color: black", "size: 11.0 n us"], "instruction_attributes": ["arch support"], "instruction_options": ["black"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6F3TD3G", "worker_id": "A1NF6PELRKACS9"}], "B08M4YVD3S": [{"asin": "B08M4YVD3S", "instruction": "i'm looking for some usda organic chocolate bars.", "attributes": ["usda organic", "gift set"], "options": ["flavor name: chocolate", "size: 6 count (pack of 1)"], "instruction_attributes": ["usda organic"], "instruction_options": ["chocolate"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6F31D3O", "worker_id": "A19317A3X87NVM"}], "B06XHDT44G": [{"asin": "B06XHDT44G", "instruction": "i want to get a blue 100-foot-long high-speed ethernet cable that's easy to install.", "attributes": ["high speed", "easy install", "high definition"], "options": ["color: blue", "size: 100ft"], "instruction_attributes": ["high speed", "easy install"], "instruction_options": ["blue", "100ft"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJKNT3JN", "worker_id": "A345TDMHP3DQ3G"}], "B07KWW4QKD": [{"asin": "B07KWW4QKD", "instruction": "i need burgundy colored high heels in size us5.5.", "attributes": ["high heel", "rubber sole"], "options": ["color: burgundy", "size: us5.5"], "instruction_attributes": ["high heel"], "instruction_options": ["burgundy", "us5.5"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCDE65O", "worker_id": "A19317A3X87NVM"}], "B00FAQKILA": [{"asin": "B00FAQKILA", "instruction": "i'm looking for chairs for the dining room that are button-tufted and easy-to-assemble.", "attributes": ["button tufted", "easy assemble", "living room", "dining room"], "options": [""], "instruction_attributes": ["button tufted", "easy assemble", "dining room"], "instruction_options": [], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JP60SYV", "worker_id": "AFU00NU09CFXE"}], "B08ZHT9CRK": [{"asin": "B08ZHT9CRK", "instruction": "find me a fragrance free mineral powder foundation set in a medium color and with mascara.", "attributes": ["fragrance free", "easy apply", "fine lines"], "options": ["color: medium"], "instruction_attributes": ["fragrance free"], "instruction_options": ["medium"], "assignment_id": "351SEKWQSBRP7CP60H83T50CFUMMDH", "worker_id": "AE9M4Z1NCYSDM"}], "B09KV7GX8S": [{"asin": "B09KV7GX8S", "instruction": "i'm looking for an easy to clean halloween set for the dining room.", "attributes": ["easy clean", "living room", "dining room"], "options": ["color: cartoon halloween scenelop1361", "size: 52x24in"], "instruction_attributes": ["easy clean", "dining room"], "instruction_options": ["cartoon halloween scenelop1361"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79BG1HT", "worker_id": "A19317A3X87NVM"}], "B0865TZ3B4": [{"asin": "B0865TZ3B4", "instruction": "i am looking for a pair of grey running shorts that are light weight with an elastic waistband and have moisture wicking technology in a size small", "attributes": ["light weight", "moisture wicking", "polyester spandex", "elastic closure", "elastic waistband"], "options": ["color: grey", "size: small"], "instruction_attributes": ["light weight", "moisture wicking", "elastic waistband"], "instruction_options": ["grey", "small"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOXRLLL", "worker_id": "A1E235KE3CSO7H"}], "B097BVKF24": [{"asin": "B097BVKF24", "instruction": "i want to purchase a manual toothbrush that whitens teeth and prefer ones with stars and either pink, blue, purple or yellow.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: pink, blue, purple, yellow,", "style: star shape style"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["pink, blue, purple, yellow,", "star shape style"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XTSFRY", "worker_id": "A114NK7T5673GK"}], "B00GY0CK26": [{"asin": "B00GY0CK26", "instruction": "i need an antique walnut bed frame in a walnut color", "attributes": ["lead free", "white item"], "options": ["color: antique walnut", "size: twin | full"], "instruction_attributes": ["lead free"], "instruction_options": ["antique walnut"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKEQJMZ", "worker_id": "A19317A3X87NVM"}], "B075K15ZKB": [{"asin": "B075K15ZKB", "instruction": "i want to buy some ash blonde hair color with argan oil in it.", "attributes": ["argan oil", "permanent hair"], "options": ["color: high lift ash blonde 100.10"], "instruction_attributes": ["argan oil"], "instruction_options": ["high lift ash blonde 100.10"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPL8L4II", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B075K15ZKB", "instruction": "i need to buy some permanent hair dye. it should be deep ash brown and contain argan oil.", "attributes": ["argan oil", "permanent hair"], "options": ["color: deep ash brown 4aa | 4.11"], "instruction_attributes": ["argan oil", "permanent hair"], "instruction_options": ["deep ash brown 4aa | 4.11"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWZM5TN", "worker_id": "AR9AU5FY1S3RO"}], "B09PY89B1S": [{"asin": "B09PY89B1S", "instruction": "show me an one organic hair growth serum roller set for all hair types.", "attributes": ["hair growth", "hair loss"], "options": ["size: 1pcs"], "instruction_attributes": ["hair growth"], "instruction_options": ["1pcs"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3F8HFBF", "worker_id": "A3AYHESLQSDY5T"}], "B08JV996XH": [{"asin": "B08JV996XH", "instruction": "i want the men's mesh sissy pouch lace see through pajama pants that are low rise and slim fit in x-large. i want the black ones.", "attributes": ["low rise", "slim fit", "unique design", "elastic waist"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["low rise", "slim fit"], "instruction_options": ["black", "x-large"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907DQAUT", "worker_id": "A1CB72B51L7TKE"}], "B00QWT4S56": [{"asin": "B00QWT4S56", "instruction": "i need a bpa and gmo free pack of moringia leaf ground.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: moringa leaf ground", "size: 1 count (pack of 1)"], "instruction_attributes": ["bpa free", "gmo free"], "instruction_options": ["moringa leaf ground", "1 count (pack of 1)"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYM3JIZ3", "worker_id": "A19317A3X87NVM"}, {"asin": "B00QWT4S56", "instruction": "i'm looking for a natural whole bay leaf which should be free from bpa, gmo, fat and gluten. also choose a pack of 1 weighing 3.53 ounce with organic senna flavored one.", "attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "options": ["flavor: organic senna", "size: 3.53 ounce (pack of 1)"], "instruction_attributes": ["bpa free", "gmo free", "fat free", "gluten free"], "instruction_options": ["organic senna", "3.53 ounce (pack of 1)"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACULHNH", "worker_id": "AR0VJ5XRG16UJ"}], "B095X62PKW": [{"asin": "B095X62PKW", "instruction": "i'm looking for some cupcake picks that are suitable for a baby shower.", "attributes": ["baby shower", "cupcake picks", "birthday party"], "options": [""], "instruction_attributes": ["baby shower", "cupcake picks"], "instruction_options": [], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPT74O6U", "worker_id": "AFU00NU09CFXE"}], "B08155MLPZ": [{"asin": "B08155MLPZ", "instruction": "i want to find an adult tank top that's machine washable and features the italian stallion from rocky.", "attributes": ["easy care", "officially licensed", "machine wash", "tumble dry"], "options": [""], "instruction_attributes": ["machine wash"], "instruction_options": [], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTDC7Z69", "worker_id": "A345TDMHP3DQ3G"}], "B07X8NMX57": [{"asin": "B07X8NMX57", "instruction": "i am interested in buying a x-small size purple colored classic fit birthday t-shirt.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: purple", "fit type: men", "size: x-small"], "instruction_attributes": ["classic fit"], "instruction_options": ["purple", "x-small"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3SVTG3D", "worker_id": "A3QZMGTVA4VO44"}], "B07VP4KL4S": [{"asin": "B07VP4KL4S", "instruction": "locate a emme 3-piece king bed in a bag comforter set that is machine washable. i also need the color to be blue stripe.", "attributes": ["queen size", "machine washable"], "options": ["color: blue stripe", "size: 3-piece king"], "instruction_attributes": ["machine washable"], "instruction_options": ["blue stripe", "3-piece king"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI7QWZGX", "worker_id": "A1CB72B51L7TKE"}], "B07KSMB6FT": [{"asin": "B07KSMB6FT", "instruction": "i want to buy some plant-based tuna.", "attributes": ["plant based", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZCT3KM", "worker_id": "A2YNPKYEFDZ6C9"}], "B09743DFJC": [{"asin": "B09743DFJC", "instruction": "im looking for a earbud headphones for stereo sound quality of style je-04b which will be more comfortable for me to use without disturbing others .", "attributes": ["noise cancelling", "stereo sound"], "options": ["style: je-04b"], "instruction_attributes": ["stereo sound"], "instruction_options": ["je-04b"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQX4915", "worker_id": "A1ZGQ2I0RQ9OD5"}], "B07CZSWR7P": [{"asin": "B07CZSWR7P", "instruction": "3 sugar free fruit syrup packs of different flavors ie cherry, raspberry, watermelon flavors", "attributes": ["sugar free", "easy use", "gluten free"], "options": ["flavor name: cherry, blue raspberry, watermelon"], "instruction_attributes": ["sugar free"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3DF6PA", "worker_id": "AL8NYDL4JOYL3"}], "B07S1RSYMC": [{"asin": "B07S1RSYMC", "instruction": "hello, i am looking for some cupcake picks, i want to use them on my mom's birthday party.", "attributes": ["cupcake picks", "birthday party"], "options": [""], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": [], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGIIWTV", "worker_id": "ARW1TCHCLEK1W"}], "B098DNCN3D": [{"asin": "B098DNCN3D", "instruction": "i need some white inline skates in size 40.", "attributes": ["light weight", "unique design"], "options": ["color: f-new white", "size: 40"], "instruction_attributes": ["light weight"], "instruction_options": ["f-new white", "40"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2M8G6W", "worker_id": "A19317A3X87NVM"}], "B09FLCK3PT": [{"asin": "B09FLCK3PT", "instruction": "#4 medium brown color hair pieces of 8 inch length as hair extension.", "attributes": ["hair loss", "natural hair"], "options": ["color: #4medium brown", "size: 8 inch"], "instruction_attributes": ["hair loss", "natural hair"], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZ0SPRQ", "worker_id": "AL8NYDL4JOYL3"}], "B09RH1525C": [{"asin": "B09RH1525C", "instruction": "i need a large, gray long sleeve hoodie.", "attributes": ["long sleeve", "contrast color"], "options": ["color: 51#gray", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["51#gray", "3x-large"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFDGT03", "worker_id": "A19317A3X87NVM"}], "B08L1MT2DH": [{"asin": "B08L1MT2DH", "instruction": "i need a 1080p hd hidden camera which is motion activated.", "attributes": ["1080p hd", "long lasting", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": [], "assignment_id": "39O5D9O8742EGYBIU38DD09OU30C3Y", "worker_id": "A19317A3X87NVM"}], "B016WDNAJ6": [{"asin": "B016WDNAJ6", "instruction": "i need a white mirror with a with a brushed nickel finish in window style.", "attributes": ["brushed nickel", "nickel finish"], "options": ["color: white", "size: 15 inch", "style name: window"], "instruction_attributes": ["brushed nickel", "nickel finish"], "instruction_options": ["white", "window"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6O8MMM7", "worker_id": "A19317A3X87NVM"}, {"asin": "B016WDNAJ6", "instruction": "i am looking for a white brushed nickel for wall-mounted mirrors", "attributes": ["brushed nickel", "nickel finish"], "options": ["color: white", "size: 8 inch", "style name: mirror"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["white"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQGAHH2", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B016WDNAJ6", "instruction": "i'm looking for brushed nickel decorative ship porthole nautical mirror.", "attributes": ["brushed nickel", "nickel finish"], "options": ["color: chrome", "size: 8 inch", "style name: mirror"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["mirror"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AMCTS1", "worker_id": "A21IUUHBSEVB56"}], "B09K3SXTJ1": [{"asin": "B09K3SXTJ1", "instruction": "i'm trying to find a six-pack of kids' toothbrushes for sensitive teeth. i need the toothbrushes to have long handles and they should come in assorted colors, like blue, pink and yellow.", "attributes": ["long handle", "sensitive teeth"], "options": ["color: blue pink yellow", "style: long handle"], "instruction_attributes": ["long handle", "sensitive teeth"], "instruction_options": ["blue pink yellow", "long handle"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33N8FP2E", "worker_id": "A345TDMHP3DQ3G"}], "B01CX3Y3EA": [{"asin": "B01CX3Y3EA", "instruction": "i'm looking for a 50 piece candy gift basket.", "attributes": ["gift basket", "perfect gift"], "options": ["size: 50 piece set"], "instruction_attributes": ["gift basket"], "instruction_options": ["50 piece set"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7H8HL2", "worker_id": "A19317A3X87NVM"}], "B01D0DY4B4": [{"asin": "B01D0DY4B4", "instruction": "i'm looking for low-fat, hot and spicy beef jerky that's also high in protein.", "attributes": ["old fashioned", "low fat", "high protein"], "options": ["flavor name: hot", "size: 7.5"], "instruction_attributes": ["low fat", "high protein"], "instruction_options": ["hot"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXT5RV5O", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01D0DY4B4", "instruction": "i'd like to find a 3-ounce pack of whiskey barbeque flavored beef jerky. i'm on a diet, so the jerky needs to be low fat.", "attributes": ["old fashioned", "low fat", "high protein"], "options": ["flavor name: whiskey barbecue", "size: 3 ounce (pack of 1)"], "instruction_attributes": ["low fat"], "instruction_options": ["whiskey barbecue", "3 ounce (pack of 1)"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGY8DHDT", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01D0DY4B4", "instruction": "i would like a black pepper 3 ounce bag of jerky that's high protein.", "attributes": ["old fashioned", "low fat", "high protein"], "options": ["flavor name: black pepper", "size: 3 ounce (pack of 1)"], "instruction_attributes": ["high protein"], "instruction_options": ["black pepper", "3 ounce (pack of 1)"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH155AWH6", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01D0DY4B4", "instruction": "i want to order some low fat whiskey barbecue jerky. look for the three pack.", "attributes": ["old fashioned", "low fat", "high protein"], "options": ["flavor name: whiskey barbecue", "size: 3 ounce (pack of 3)"], "instruction_attributes": ["low fat"], "instruction_options": ["whiskey barbecue", "3 ounce (pack of 3)"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNDN102", "worker_id": "AR9AU5FY1S3RO"}], "B09SFYKXD4": [{"asin": "B09SFYKXD4", "instruction": "i'm looking for a gray faux fur height adjustable vanity chair with gold round base for a study room dorm.", "attributes": ["height adjustable", "white item"], "options": ["color: grey"], "instruction_attributes": ["height adjustable"], "instruction_options": ["grey"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EAS9S2K", "worker_id": "A37XVDGVAEI7F"}], "B08GFKXBF9": [{"asin": "B08GFKXBF9", "instruction": "i am looking for a mist water bottle in white color with leak proof. also delivery fine mist", "attributes": ["leak proof", "fine mist", "hair salon"], "options": ["color: white", "size: 10 oz"], "instruction_attributes": ["leak proof", "fine mist"], "instruction_options": ["white"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9EGTEF", "worker_id": "A2HMEGTAFO0CS8"}], "B09DCNHNFH": [{"asin": "B09DCNHNFH", "instruction": "looking for a soft fleece blanket 50\"x60\" that is super soft and machine washable. color 8.", "attributes": ["super soft", "machine washable"], "options": ["color: color8"], "instruction_attributes": ["super soft", "machine washable"], "instruction_options": ["color8"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8W3A5H", "worker_id": "A3RGIKEI8JS2QG"}], "B07P5G65HR": [{"asin": "B07P5G65HR", "instruction": "i want to find a 3 foot by 3 foot wine rack that i can mount on my wall. it must be easy to install as well.", "attributes": ["wall mounted", "easy install"], "options": ["size: 3 foot 3 deep"], "instruction_attributes": ["wall mounted", "easy install"], "instruction_options": ["3 foot 3 deep"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5C9X6A", "worker_id": "A345TDMHP3DQ3G"}], "B06XRXLN77": [{"asin": "B06XRXLN77", "instruction": "i'm looking for pale blush living room window drapes, 2 panel set measuring 108\" x 84\"", "attributes": ["machine washable", "white item", "printing technology", "living room"], "options": ["color: pale blush", "size: 108\" x 84\""], "instruction_attributes": ["living room"], "instruction_options": ["pale blush"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBPRYAOC", "worker_id": "A292TFDMNVS0TP"}], "B0794VBL18": [{"asin": "B0794VBL18", "instruction": "i need a purple body brush for sensitive, dry skin.", "attributes": ["bpa free", "eco friendly", "non slip", "dry skin", "sensitive skin"], "options": ["color: purple"], "instruction_attributes": ["dry skin", "sensitive skin"], "instruction_options": ["purple"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHKQ7BV", "worker_id": "A19317A3X87NVM"}], "B09R9ZC859": [{"asin": "B09R9ZC859", "instruction": "i need a manual toothbrush for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: #10"], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPVTDQ5", "worker_id": "A19317A3X87NVM"}], "B09BQL3828": [{"asin": "B09BQL3828", "instruction": "i ned some hands free white earbuds.", "attributes": ["hands free", "stereo sound"], "options": ["color: white"], "instruction_attributes": ["hands free"], "instruction_options": ["white"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VLTGFH", "worker_id": "A19317A3X87NVM"}], "B07FYL95K5": [{"asin": "B07FYL95K5", "instruction": "i need an alcohol free face mist in peppermint scent.", "attributes": ["alcohol free", "long lasting"], "options": ["scent: peppermint", "size: 4 fl oz (pack of 1)"], "instruction_attributes": ["alcohol free"], "instruction_options": ["peppermint"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2YS9VIC", "worker_id": "A19317A3X87NVM"}, {"asin": "B07FYL95K5", "instruction": "i want a fragrance and alcohol free tropical waters rose water face mist make up setting spray.", "attributes": ["alcohol free", "long lasting"], "options": ["scent: fragrance-free", "size: 8 fl oz (pack of 1)"], "instruction_attributes": ["alcohol free"], "instruction_options": ["fragrance-free"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFF2VMT", "worker_id": "A2RBF3IIJP15IH"}], "B09QG85ZGK": [{"asin": "B09QG85ZGK", "instruction": "i need a metal framed dining room stool with a pink center.", "attributes": ["high density", "metal legs", "dining room", "living room"], "options": ["color: pink", "size: 25.6inch"], "instruction_attributes": ["metal legs", "dining room"], "instruction_options": ["pink"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTEYWX6", "worker_id": "A19317A3X87NVM"}], "B00CD24MXO": [{"asin": "B00CD24MXO", "instruction": "i'm looking for dental picks with no break & no shred floss, count should be 150 & with pack of 6", "attributes": ["oral hygiene", "bad breath"], "options": ["size: pack of 6", "style: 90 count"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["pack of 6"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJY9GRGZ", "worker_id": "A3D6VE1HYFEP9Z"}, {"asin": "B00CD24MXO", "instruction": "i'm looking for oral hygiene because the bad breath affect our whole body.", "attributes": ["oral hygiene", "bad breath"], "options": ["size: 75 count (pack of 3)", "style: 20 count"], "instruction_attributes": ["oral hygiene", "bad breath"], "instruction_options": ["75 count (pack of 3)"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EECWS8", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00CD24MXO", "instruction": "i'm looking for oral hygiene its prevention of bad breathe.", "attributes": ["oral hygiene", "bad breath"], "options": ["size: 90 count (pack of 1)", "style: 75 count"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746Y4TBE", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00CD24MXO", "instruction": "i want a 6 pack of dentek triple clean floss picks for bad breath.", "attributes": ["oral hygiene", "bad breath"], "options": ["size: pack of 6", "style: 150 count"], "instruction_attributes": ["bad breath"], "instruction_options": ["pack of 6"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSVOLGS", "worker_id": "A2RBF3IIJP15IH"}], "B07FTC477C": [{"asin": "B07FTC477C", "instruction": "i need the yongquiang 26\" set of 4 metal bar height stools in black. i want the ones for a dining room.", "attributes": ["space saving", "assembly required", "dining room"], "options": ["color: black", "size: 26 inch"], "instruction_attributes": ["dining room"], "instruction_options": ["black", "26 inch"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7HNHLH", "worker_id": "A1CB72B51L7TKE"}], "B09RGT38YF": [{"asin": "B09RGT38YF", "instruction": "na", "attributes": ["day comfort", "moisture wicking", "fashion design"], "options": ["color: black", "size: medium"], "instruction_attributes": ["day comfort"], "instruction_options": ["medium"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFGN5BGY", "worker_id": "A1EI8Z972FIFJ3"}], "B09Q8LKKKY": [{"asin": "B09Q8LKKKY", "instruction": "find me a gray men's button down work shirt that is machine washable but also gives me some tummy control. size x-large.", "attributes": ["loose fit", "daily casual", "winter warm", "slim fit", "machine wash", "long sleeve", "short sleeve", "drawstring waist", "tummy control", "high waist", "everyday wear", "daily wear"], "options": ["color: gray", "size: x-large"], "instruction_attributes": ["machine wash", "tummy control"], "instruction_options": ["gray", "x-large"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7I35PS", "worker_id": "A36LOA6VLJU157"}], "B08NF5JL3F": [{"asin": "B08NF5JL3F", "instruction": "find me 150 ml wella professional oil free hair color with the pink style.", "attributes": ["oil free", "argan oil"], "options": ["style: pink"], "instruction_attributes": ["oil free"], "instruction_options": ["pink"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YB4T82", "worker_id": "A258PTOZ3D2TQR"}], "B09Q6B2LPG": [{"asin": "B09Q6B2LPG", "instruction": "i'd like to find a large pink tankini swimsuit that's loose-fitting.", "attributes": ["loose fit", "machine wash", "drawstring closure", "elastic waistband"], "options": ["color: pink-5", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["pink-5", "large"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATST73K", "worker_id": "A345TDMHP3DQ3G"}], "B07W57ZT82": [{"asin": "B07W57ZT82", "instruction": "i am looking for a mattress that gives me core support and is medium plush. i want an 8\" twin xl sized one.", "attributes": ["high density", "memory foam"], "options": ["size: cal_king"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI3VSDBT", "worker_id": "A1NF6PELRKACS9"}], "B08D6RRSB4": [{"asin": "B08D6RRSB4", "instruction": "i'd like help finding a pack of 500 wooden wax sticks that i can use for hair removal.", "attributes": ["eco friendly", "hair removal"], "options": ["size: pack of 500"], "instruction_attributes": ["hair removal"], "instruction_options": ["pack of 500"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AU433RV", "worker_id": "A345TDMHP3DQ3G"}], "B07KYZ93SL": [{"asin": "B07KYZ93SL", "instruction": "show me a 3x large sized machine washable boxer brief made with polyester spandex in black color.", "attributes": ["wash cold", "machine wash", "elastic waistband", "polyester spandex", "tumble dry"], "options": ["color: black | team red | team blue", "size: 3x-large"], "instruction_attributes": ["machine wash", "polyester spandex"], "instruction_options": ["black | team red | team blue", "3x-large"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6F3PD3C", "worker_id": "A3AYHESLQSDY5T"}], "B0933C4F8L": [{"asin": "B0933C4F8L", "instruction": "i need some baked breadcrumbs in a classic french flavor.", "attributes": ["baked fresh", "0g trans", "dietary fiber"], "options": ["flavor name: classic french", "size: 2 pack"], "instruction_attributes": ["baked fresh"], "instruction_options": ["classic french"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RL27W5", "worker_id": "A19317A3X87NVM"}], "B001KYRLIO": [{"asin": "B001KYRLIO", "instruction": "i would like to have a n6 honey beige and oil free liquid foundation suitable for fine lines and sold on pack of 2 with 1fl oz each.", "attributes": ["oil free", "fine lines"], "options": ["color: n6 honey beige", "size: 1 fl oz (pack of 2)"], "instruction_attributes": ["oil free", "fine lines"], "instruction_options": ["n6 honey beige", "1 fl oz (pack of 2)"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PCPKNI0", "worker_id": "A182YKPS46KE9F"}, {"asin": "B001KYRLIO", "instruction": "i am looking for a oil free c3 creamy natural color face foundation.", "attributes": ["oil free", "fine lines"], "options": ["color: c3 creamy natural", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["c3 creamy natural"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBFIHGM", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B001KYRLIO", "instruction": "i'm looking for foundation make up by l\u00f3real. i want oil free liquid foundation. my color is w1 porcelain. check for pack of 1 in stock.", "attributes": ["oil free", "fine lines"], "options": ["color: w1 porcelain", "size: 1 count (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["w1 porcelain"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TWISUI", "worker_id": "A15IJ20C3R4HUO"}], "B07HJG6NMR": [{"asin": "B07HJG6NMR", "instruction": "i'd like to find a digital camera that's water resistant. the color needs to be graphite silver and i want the configuration to be the international version.", "attributes": ["certified refurbished", "water resistant", "high performance"], "options": ["color: graphite silver", "configuration: international version"], "instruction_attributes": ["water resistant"], "instruction_options": ["graphite silver", "international version"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJ7XZ8V", "worker_id": "A345TDMHP3DQ3G"}], "B09R6KC45H": [{"asin": "B09R6KC45H", "instruction": "i am looking for hair dry shampoo ammonia free ,chestnut brown", "attributes": ["argan oil", "hair dye"], "options": ["color: chestnut brown"], "instruction_attributes": ["hair dye"], "instruction_options": ["chestnut brown"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQD5HIF", "worker_id": "A3N9ZYQAESNFQH"}], "B09L41ZP46": [{"asin": "B09L41ZP46", "instruction": "i'm looking for a mid century home office desk chair that is easy to assemble. please choose the grey velvet one.", "attributes": ["height adjustable", "mid century", "easy assemble", "metal legs"], "options": ["color: grey"], "instruction_attributes": ["mid century", "easy assemble"], "instruction_options": ["grey"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2DJM54", "worker_id": "A3LIIE572Z4OG7"}], "B09FHNYL3T": [{"asin": "B09FHNYL3T", "instruction": "i want to find white scented candles that are eco-friendly and made of soy wax.", "attributes": ["eco friendly", "soy wax"], "options": ["color: white"], "instruction_attributes": ["eco friendly", "soy wax"], "instruction_options": ["white"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1V0U9Q", "worker_id": "A345TDMHP3DQ3G"}], "B08J4GBZB3": [{"asin": "B08J4GBZB3", "instruction": "i want to get a 9-pack of veggie lasagna entrees that are easy to prepare and high in protein.", "attributes": ["easy prepare", "shelf stable", "low calorie", "high protein"], "options": ["flavor: vegetable lasagna", "size: 9 pack"], "instruction_attributes": ["easy prepare", "high protein"], "instruction_options": ["vegetable lasagna", "9 pack"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXT6QV5P", "worker_id": "A345TDMHP3DQ3G"}], "B000UV4KUK": [{"asin": "B000UV4KUK", "instruction": "i'm looking for men's kiltie dress loafers with leather sole and rubber heel. also, choose the black and brown option in a size 11 narrow.", "attributes": ["leather sole", "rubber sole"], "options": ["color: black | brown", "size: 11 narrow"], "instruction_attributes": [], "instruction_options": ["black | brown", "11 narrow"], "assignment_id": "3HPZF4IVNX3FW186JO133U5134PYCK", "worker_id": "A1TWVJS27CL3KT"}], "B083X5CPXN": [{"asin": "B083X5CPXN", "instruction": "i need a spread dress shirt with a slim fit in the color blue, and it needs to be available for machine wash.", "attributes": ["slim fit", "machine wash", "stretch fabric", "cotton spandex", "button closure"], "options": ["collar style: spread", "color: petrol blue", "size: 18.5\" neck 36\"-37\" sleeve"], "instruction_attributes": ["slim fit", "machine wash"], "instruction_options": ["spread", "petrol blue"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H79SOBU", "worker_id": "A19317A3X87NVM"}], "B09PD2MFGN": [{"asin": "B09PD2MFGN", "instruction": "i'm looking for a long handle stainless steel nail clipper set with color 8592 black", "attributes": ["non slip", "easy clean", "long handle", "stainless steel"], "options": ["color: 8592 black"], "instruction_attributes": ["long handle", "stainless steel"], "instruction_options": [], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWYGFNR", "worker_id": "A258PTOZ3D2TQR"}], "B083M11BV8": [{"asin": "B083M11BV8", "instruction": "i need some easy to apply body glitter for halloween.", "attributes": ["easy apply", "long lasting"], "options": [""], "instruction_attributes": ["easy apply"], "instruction_options": [], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2MA53F", "worker_id": "A19317A3X87NVM"}], "B08BV21ZG2": [{"asin": "B08BV21ZG2", "instruction": "can you help me find organic chicken broth that is gluten free and contains high protein? i'm looking for a pack of 2 pound.", "attributes": ["gluten free", "low calorie", "certified organic", "high protein", "quality ingredients"], "options": ["flavor name: variety", "size: 2 pound (pack of 1)"], "instruction_attributes": ["gluten free", "certified organic", "high protein"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5B45FB", "worker_id": "A1198W1SPF1R4"}], "B09P58FMJY": [{"asin": "B09P58FMJY", "instruction": "i need a heavy duty dust proof tempered glass for iphone 13 pro max 6.7 inch and its size is case+4 protectors with redblack color", "attributes": ["heavy duty", "dust proof", "non slip", "easy install", "glass screen", "tempered glass"], "options": ["color: redblack", "size: case+4 protectors"], "instruction_attributes": ["heavy duty", "dust proof"], "instruction_options": ["redblack"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTFGWXQ", "worker_id": "A258PTOZ3D2TQR"}], "B07K8728Y5": [{"asin": "B07K8728Y5", "instruction": "i'd like to find dark black faux dreadlock extenders. ideally they'll come 10 to a pack and i want two packs.", "attributes": ["easy apply", "high quality"], "options": ["color: faux locs-dark black", "size: 10 count (pack of 2)"], "instruction_attributes": ["easy apply"], "instruction_options": ["faux locs-dark black", "10 count (pack of 2)"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQVU0N9", "worker_id": "A345TDMHP3DQ3G"}], "B09776JNLW": [{"asin": "B09776JNLW", "instruction": "i'm looking for blue slip-on women's fashion sneakers in a size 7, and they must feature good arch support.", "attributes": ["open toe", "arch support", "ankle strap", "high heel", "closed toe"], "options": ["color: d-blue", "size: 7"], "instruction_attributes": ["arch support"], "instruction_options": ["d-blue", "7"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HO2EMLL", "worker_id": "A345TDMHP3DQ3G"}], "B07X8RMCVW": [{"asin": "B07X8RMCVW", "instruction": "i need a bag of valentine day candies full of 25 units.", "attributes": ["hand crafted", "artificial flavors", "valentine day"], "options": ["size: 25"], "instruction_attributes": ["valentine day"], "instruction_options": ["25"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR4TCUFZ", "worker_id": "A19317A3X87NVM"}], "B084FWQF1F": [{"asin": "B084FWQF1F", "instruction": "i want to find a pair of white and thyme men's blaster pants with an elastic waistband. the size needs to be 5x-large.", "attributes": ["machine wash", "elastic closure", "elastic waistband", "regular fit"], "options": ["color: thyme | white", "size: 5x-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["thyme | white", "5x-large"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDF913V7", "worker_id": "A345TDMHP3DQ3G"}], "B07ZCKGHHY": [{"asin": "B07ZCKGHHY", "instruction": "i want to buy a photography background that is lightweight and 9x6 ft..", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 9x6ft"], "instruction_attributes": ["light weight"], "instruction_options": ["9x6ft"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BICV48P", "worker_id": "A2YNPKYEFDZ6C9"}], "B09NBSNLFH": [{"asin": "B09NBSNLFH", "instruction": "i need a pair of high quality black hair clippers.", "attributes": ["high quality", "non slip", "easy use", "hair extensions", "hair styling"], "options": ["color: black", "size: 14 inch (pack of 1)"], "instruction_attributes": ["high quality"], "instruction_options": ["black"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2IX943", "worker_id": "A19317A3X87NVM"}], "B07CHWMXJS": [{"asin": "B07CHWMXJS", "instruction": "i am looking for a red area rug, 9 by 12 feet, that i can put in the living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: red | multi", "item shape: square", "size: 9 ft x 12 ft"], "instruction_attributes": ["living room"], "instruction_options": ["red | multi", "9 ft x 12 ft"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6Q55GB", "worker_id": "A22VGT2F28LTWC"}], "B09D9JJ5FX": [{"asin": "B09D9JJ5FX", "instruction": "i want to find a natural-colored twin-sized kids' bed that's easy to assemble.", "attributes": ["twin size", "easy assemble"], "options": ["color: natural"], "instruction_attributes": ["twin size", "easy assemble"], "instruction_options": ["natural"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40G0RCZ", "worker_id": "A345TDMHP3DQ3G"}], "B093D27QC3": [{"asin": "B093D27QC3", "instruction": "i'm looking for a birthday cake topper that i can use for a party.", "attributes": ["birthday party", "birthday cake", "perfect gift", "baby shower"], "options": [""], "instruction_attributes": ["birthday party", "birthday cake"], "instruction_options": [], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P7P1SVP", "worker_id": "A345TDMHP3DQ3G"}], "B09SLD687X": [{"asin": "B09SLD687X", "instruction": "i want to find a pair of yellow high heeled stilettos with ankle straps, in a size 8.5.", "attributes": ["arch support", "leather sole", "ankle strap", "memory foam"], "options": ["color: fada-076-yellow", "size: 8.5"], "instruction_attributes": ["arch support"], "instruction_options": [], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0U083AG", "worker_id": "A345TDMHP3DQ3G"}], "B08QHVV16X": [{"asin": "B08QHVV16X", "instruction": "i need a black colored birthday party cupcake topper.", "attributes": ["cupcake picks", "birthday party"], "options": ["color: black"], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": ["black"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4V36R2", "worker_id": "A19317A3X87NVM"}], "B09Q8WKXVC": [{"asin": "B09Q8WKXVC", "instruction": "i am looking for a full wood, white king size bed frame with headboard.", "attributes": ["solid wood", "king size"], "options": ["color: wthite", "size: full wood"], "instruction_attributes": ["king size"], "instruction_options": ["wthite", "full wood"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNHVH82", "worker_id": "A114NK7T5673GK"}], "B08SMGVNJP": [{"asin": "B08SMGVNJP", "instruction": "i'm looking for a tongue scraper for adult and children for a oral hygiene and a fresh breath with 4pcs", "attributes": ["high quality", "stainless steel", "bad breath", "oral hygiene", "fresh breath"], "options": ["color: \uff084pcs\uff09"], "instruction_attributes": ["oral hygiene", "fresh breath"], "instruction_options": ["\uff084pcs\uff09"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5F84F4", "worker_id": "A2Y2TURT2VEYZN"}], "B07ZJNB6T7": [{"asin": "B07ZJNB6T7", "instruction": "i would like to get some high protein beef jerky in the resealable bag in original flavoring.", "attributes": ["protein serving", "low calorie", "high protein", "0g trans", "resealable bag"], "options": ["flavor name: original"], "instruction_attributes": ["high protein", "resealable bag"], "instruction_options": ["original"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2HF49E", "worker_id": "AIIOT9A7ARQZW"}], "B09R7Z4B3N": [{"asin": "B09R7Z4B3N", "instruction": "i'm looking for the block striped t shirts for women in loose fit and long sleeve. i need the 1/4 zipper collared in 3x-large in the gxfc-s330-white color.", "attributes": ["quick drying", "machine washable", "loose fit", "long sleeve", "arch support", "short sleeve", "laundry bag", "daily wear"], "options": ["color: gxfc-s330-white", "size: 3x-large"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["gxfc-s330-white", "3x-large"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXT67V56", "worker_id": "A1CB72B51L7TKE"}], "B09KC85389": [{"asin": "B09KC85389", "instruction": "i need a height adjustable swivel chair with lumbar support for gaming. i would like it in grey.", "attributes": ["height adjustable", "long lasting", "easy assemble", "pu leather", "lumbar support"], "options": ["color: grey", "style: fixed armrest"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": ["grey"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PCPUIN5", "worker_id": "A1NF6PELRKACS9"}], "B09NF1722F": [{"asin": "B09NF1722F", "instruction": "i am looking for toyota corolla android dash navigation with bt, wifi mirror link, fm , backup camera, 8 inch touch display, models can from 2006 - 2012", "attributes": ["hands free", "plug play", "high speed", "quad core", "tempered glass", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOY9LL5", "worker_id": "AUJBZFT6JM16L"}], "B075F5CV2W": [{"asin": "B075F5CV2W", "instruction": "i need a mouse colored ottoman in a contemporary design.", "attributes": ["long lasting", "assembly required", "contemporary design"], "options": ["color: mouse"], "instruction_attributes": ["contemporary design"], "instruction_options": ["mouse"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2YSBIV1", "worker_id": "A19317A3X87NVM"}], "B07MCN1NGK": [{"asin": "B07MCN1NGK", "instruction": "i am looking for women's active pants for walking. also, choose the medium size.", "attributes": ["machine wash", "nylon spandex"], "options": ["color: balsam", "size: medium"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["balsam", "medium"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P7P0SVO", "worker_id": "A2Z8N4TQ3ELICA"}], "B084VP13PN": [{"asin": "B084VP13PN", "instruction": "i'm looking for a high resolution wireless headphones with charging case, earphones should be in-ear, built-in mic, easy-pair, voice control sports and gaming earbuds. also choose the black one.", "attributes": ["high resolution", "stereo sound"], "options": [""], "instruction_attributes": ["high resolution"], "instruction_options": [], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIGOTML", "worker_id": "A3D6VE1HYFEP9Z"}], "B08XX18DKL": [{"asin": "B08XX18DKL", "instruction": "i'm looking for a silver radio antenna that's made of carbon fiber.", "attributes": ["long lasting", "carbon fiber"], "options": ["color: silver"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["silver"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGY8LHD1", "worker_id": "A345TDMHP3DQ3G"}], "B09HGYZD76": [{"asin": "B09HGYZD76", "instruction": "i'm looking for a white, pu leather office chair that offers good lumbar support.", "attributes": ["lumbar support", "pu leather"], "options": ["color: white"], "instruction_attributes": ["lumbar support", "pu leather"], "instruction_options": ["white"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7IEYQB", "worker_id": "AFU00NU09CFXE"}], "B09QHPGM14": [{"asin": "B09QHPGM14", "instruction": "i need some purple eye shadow brushes for easy application.", "attributes": ["high quality", "easy apply", "easy carry", "eye shadow"], "options": ["color: purple"], "instruction_attributes": ["easy apply", "eye shadow"], "instruction_options": ["purple"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEGZUU6", "worker_id": "A19317A3X87NVM"}], "B093L4HYR1": [{"asin": "B093L4HYR1", "instruction": "i am looking for a laundry bag in medium size", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFZOU56", "worker_id": "A2HMEGTAFO0CS8"}], "B073SZHTVT": [{"asin": "B073SZHTVT", "instruction": "i need an easy to use carbon fiber tripod.", "attributes": ["easy use", "carbon fiber"], "options": ["size: 75mm", "style: carbon fiber tripod"], "instruction_attributes": ["easy use"], "instruction_options": ["carbon fiber tripod"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EASJS2U", "worker_id": "A19317A3X87NVM"}], "B0797MJB63": [{"asin": "B0797MJB63", "instruction": "i want to find a super soft 50x80 inch throw that i can leave in my living room.", "attributes": ["super soft", "machine washable", "exquisite workmanship", "living room"], "options": ["size: 50x80inch"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["50x80inch"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N35FRY6", "worker_id": "A345TDMHP3DQ3G"}], "B09KC4Q2RH": [{"asin": "B09KC4Q2RH", "instruction": "i'm looking for a carrying case for hair cutting accessories.", "attributes": ["easy carry", "hair cutting"], "options": [""], "instruction_attributes": ["easy carry", "hair cutting"], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X02QD346", "worker_id": "A1TWVJS27CL3KT"}], "B07XC5LJV1": [{"asin": "B07XC5LJV1", "instruction": "i need a core i5 desktop tower.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K733N5F", "worker_id": "A19317A3X87NVM"}], "B01LN63SUI": [{"asin": "B01LN63SUI", "instruction": "i'm looking to get a pack of 24 cans of the starkist white tuna that's packed in water.", "attributes": ["low sodium", "wild caught", "soy free", "gluten free"], "options": ["flavor name: albacore in water", "size: 5 ounce (pack of 4)"], "instruction_attributes": ["low sodium"], "instruction_options": ["albacore in water"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RUPGLRB", "worker_id": "A1GC6CN3F0IHWN"}, {"asin": "B01LN63SUI", "instruction": "i am interested in acquiring tuna which is wild caught, and has low sodium, while it has a flavor of albacore in oil and it's in a pack of 8 of 5 ounces.", "attributes": ["low sodium", "wild caught", "soy free", "gluten free"], "options": ["flavor name: albacore in oil", "size: 5 ounce (pack of 8)"], "instruction_attributes": ["low sodium", "wild caught"], "instruction_options": ["albacore in oil", "5 ounce (pack of 8)"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AMVUYP", "worker_id": "AJY5G987IRT25"}], "B08RHWNKCH": [{"asin": "B08RHWNKCH", "instruction": "i need an accessory for the ultra hd system.", "attributes": ["ultra hd", "high speed"], "options": [""], "instruction_attributes": ["ultra hd"], "instruction_options": [], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1WNYG0", "worker_id": "A19317A3X87NVM"}], "B07FLHLBT4": [{"asin": "B07FLHLBT4", "instruction": "i'd like to find a 10-pack of black usb flash drives that can store 512 megabytes of data. the usbs must be easy to carry and use.", "attributes": ["easy carry", "plug play", "easy use"], "options": ["color: black", "size: 512mb"], "instruction_attributes": ["easy carry", "easy use"], "instruction_options": ["black", "512mb"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9TON81", "worker_id": "A345TDMHP3DQ3G"}], "B08KGHJFXT": [{"asin": "B08KGHJFXT", "instruction": "i am looking for high quality and freshed baked desserts, please include the corn muffins as well.", "attributes": ["kosher certified", "individually wrapped", "baked fresh", "quality ingredients"], "options": ["flavor: corn muffins"], "instruction_attributes": ["baked fresh", "quality ingredients"], "instruction_options": ["corn muffins"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVLX3X0", "worker_id": "A3VPD34C23PQTQ"}], "B07Y7T3WGZ": [{"asin": "B07Y7T3WGZ", "instruction": "i want to find some casual black women's penny loafers. i wear a size 9 and need good arch support!", "attributes": ["anti slip", "arch support", "rubber outsole", "rubber sole"], "options": ["color: black", "size: 9"], "instruction_attributes": ["arch support"], "instruction_options": ["black", "9"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMB9W9P", "worker_id": "A345TDMHP3DQ3G"}], "B08QJL3F1N": [{"asin": "B08QJL3F1N", "instruction": "i need a hand wash blue jump suit for daily wear.", "attributes": ["hand wash", "butt lifting", "wash cold", "long sleeve", "daily wear"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["hand wash", "daily wear"], "instruction_options": ["blue"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFGN8BG1", "worker_id": "A19317A3X87NVM"}], "B00KKSAWG4": [{"asin": "B00KKSAWG4", "instruction": "i'm looking for a heavy duty barstool with a steel frame in a natural maple color.", "attributes": ["heavy duty", "coated steel", "steel frame"], "options": ["color: natural maple"], "instruction_attributes": ["heavy duty", "steel frame"], "instruction_options": ["natural maple"], "assignment_id": "32SCWG5HISEW7674IASH43KF3C06PT", "worker_id": "AFU00NU09CFXE"}, {"asin": "B00KKSAWG4", "instruction": "i want to find a heavy duty bar stool that is rein bay colored.", "attributes": ["heavy duty", "coated steel", "steel frame"], "options": ["color: rein bay"], "instruction_attributes": ["heavy duty"], "instruction_options": ["rein bay"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFDC5UX", "worker_id": "A345TDMHP3DQ3G"}], "B09KH7MCD1": [{"asin": "B09KH7MCD1", "instruction": "i am looking forward to buy a high speed, high definition mini pc with windows 10 pro equip with intel celeron", "attributes": ["wall mounted", "dual band", "high speed", "high definition", "quad core"], "options": ["color: 8+256 | celeron j4125"], "instruction_attributes": ["high speed", "high definition"], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X02P343V", "worker_id": "A1RQN6MIJOU5DY"}], "B08ZCRXBP2": [{"asin": "B08ZCRXBP2", "instruction": "i want to find a pink 10-inch android touch tablet with a quad core processor.", "attributes": ["easy carry", "quad core"], "options": ["color: pink"], "instruction_attributes": ["quad core"], "instruction_options": ["pink"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6RJG52", "worker_id": "A345TDMHP3DQ3G"}], "B009089FP4": [{"asin": "B009089FP4", "instruction": "i want a variety pack of fat free apple mango real fruit bars. i want a 12 pack.", "attributes": ["non gmo", "nut free", "fat free", "soy free", "gluten free", "real fruit"], "options": ["flavor name: variety"], "instruction_attributes": ["fat free"], "instruction_options": ["variety"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4L1YX8", "worker_id": "A1CB72B51L7TKE"}, {"asin": "B009089FP4", "instruction": "i would like a fig fruit bar that is gluten and soy free.", "attributes": ["non gmo", "nut free", "fat free", "soy free", "gluten free", "real fruit"], "options": ["flavor name: fig"], "instruction_attributes": ["soy free", "gluten free"], "instruction_options": ["fig"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQV25BJ", "worker_id": "A1WS884SI0SLO4"}], "B08L8LGMG3": [{"asin": "B08L8LGMG3", "instruction": "i'd like to find a medium-sized, long-sleeve women's maternity gown that's purple.", "attributes": ["slim fit", "long sleeve", "stretch fabric", "comfortable fit"], "options": ["color: purple", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["purple", "medium"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLARKR82", "worker_id": "A345TDMHP3DQ3G"}], "B07VYJMDHT": [{"asin": "B07VYJMDHT", "instruction": "na", "attributes": ["steel frame", "storage space"], "options": ["color: black oak", "size: large"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHZRBN6", "worker_id": "A1EI8Z972FIFJ3"}], "B08234W29V": [{"asin": "B08234W29V", "instruction": "i want to find usda organic tomato basil marinara sauce. ideally i want a pack of three 1.5 pound jars.", "attributes": ["usda organic", "non gmo", "gluten free", "low calorie", "low carb"], "options": ["flavor name: marinara", "size: 1.5 pound (pack of 3)"], "instruction_attributes": ["usda organic"], "instruction_options": ["marinara", "1.5 pound (pack of 3)"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYM3UIZE", "worker_id": "A345TDMHP3DQ3G"}], "B09BBDPRC3": [{"asin": "B09BBDPRC3", "instruction": "i need some long-lasting snowboots with no slip soles in size 7.5 and the color black.", "attributes": ["long lasting", "anti slip", "non slip"], "options": ["color: a-black", "size: 7.5"], "instruction_attributes": ["long lasting", "non slip"], "instruction_options": ["a-black", "7.5"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMYBXDH", "worker_id": "A19317A3X87NVM"}], "B07CQT3D7T": [{"asin": "B07CQT3D7T", "instruction": "i'm looking for a pair of women's casual moccasin flats with rubber soles. i wear a size 8 and prefer the color champagne.", "attributes": ["rubber sole", "fashion design"], "options": ["color: champagne.2", "size: 8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["champagne.2", "8"], "assignment_id": "3G2UL9A02OO71034MOY04HTU3JN67H", "worker_id": "A345TDMHP3DQ3G"}], "B09PBMC8S3": [{"asin": "B09PBMC8S3", "instruction": "i'm looking for a women ladies cross angle strap roman slides sandal of size 9 and black color", "attributes": ["non slip", "soft material", "ankle strap", "rubber outsole", "rubber sole"], "options": ["color: black", "size: 9 wide"], "instruction_attributes": ["ankle strap"], "instruction_options": ["black", "9 wide"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LT1ER5", "worker_id": "A258PTOZ3D2TQR"}], "B01LYL5CZL": [{"asin": "B01LYL5CZL", "instruction": "i need an omega-3 deluxe mix with artificial ingredients in a resealable bag.", "attributes": ["artificial ingredients", "resealable bag"], "options": ["flavor name: omega-3 deluxe mix", "size: 1.2 ounce (pack of 7)"], "instruction_attributes": ["artificial ingredients", "resealable bag"], "instruction_options": ["omega-3 deluxe mix"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQ6931Z", "worker_id": "A19317A3X87NVM"}, {"asin": "B01LYL5CZL", "instruction": "i'm looking for a snack called nature's garden, it's a heart healthy trail mix in single servings. it should be a 7 count 1.2-ounce package that weights 8.4 ounces.", "attributes": ["artificial ingredients", "resealable bag"], "options": ["flavor name: berry nutty mix", "size: 1.2 ounce (pack of 24)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFFJ3EO", "worker_id": "ABYRAWL4BGD3C"}], "B09NVD3XLF": [{"asin": "B09NVD3XLF", "instruction": "i'm looking for high quality and long lasting microfiber massage table sheets set with a size 60x180cm(24x71inch). also choose the large one", "attributes": ["easy clean", "long lasting", "high quality"], "options": ["color: large", "size: 60x180cm(24x71inch)"], "instruction_attributes": ["long lasting", "high quality"], "instruction_options": ["large", "60x180cm(24x71inch)"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN218IFQR", "worker_id": "A258PTOZ3D2TQR"}], "B07TN3W1KX": [{"asin": "B07TN3W1KX", "instruction": "i need a 3 pack of ethique solid deodorant bar for men and women. i want the oil-free variety.", "attributes": ["eco friendly", "oil free", "sulfate free", "cruelty free", "coconut oil", "natural ingredients"], "options": ["scent: rustic", "size: 3 pack"], "instruction_attributes": ["oil free"], "instruction_options": ["3 pack"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VK3YWP", "worker_id": "A1CB72B51L7TKE"}], "B09KX8R3K1": [{"asin": "B09KX8R3K1", "instruction": "i want a green stool that would be suitable to use for a haircut at a beauty salon.", "attributes": ["beauty salon", "hair cutting"], "options": ["color: green"], "instruction_attributes": ["beauty salon", "hair cutting"], "instruction_options": ["green"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMJC3WS", "worker_id": "A345TDMHP3DQ3G"}], "B08Z4K991J": [{"asin": "B08Z4K991J", "instruction": "i need a high-performance tablet for dual-band wifi.", "attributes": ["dual band", "high performance", "core i5", "intel core"], "options": [""], "instruction_attributes": ["dual band", "high performance"], "instruction_options": [], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66BPFZ7", "worker_id": "A19317A3X87NVM"}], "B09NFQBBKJ": [{"asin": "B09NFQBBKJ", "instruction": "i want to find a pair of non-slip women's running shoes in a size 8. they need to have rubber soles and i want them in black and red.", "attributes": ["non slip", "rubber sole"], "options": ["color: black red b2", "size: 8 women | 6 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black red b2", "8 women | 6 men"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXHZ4OS", "worker_id": "A345TDMHP3DQ3G"}], "B07K1QXRM4": [{"asin": "B07K1QXRM4", "instruction": "i am looking for a dark spot solution serum without fragrance and paraben.", "attributes": ["dermatologist tested", "fragrance free", "paraben free"], "options": [""], "instruction_attributes": ["fragrance free", "paraben free"], "instruction_options": [], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EASS2SD", "worker_id": "A3QZMGTVA4VO44"}], "B07RXQWB3G": [{"asin": "B07RXQWB3G", "instruction": "i want to find a universal remote control replacement that comes with aaa batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "352YTHGRO6NQF252G9RXYWYALVL4H4", "worker_id": "A345TDMHP3DQ3G"}], "B01EMA3TX8": [{"asin": "B01EMA3TX8", "instruction": "i'm looking fo a large faux leather even path that's effective for dark circles also.choose the blue one.", "attributes": ["faux leather", "lumbar support", "steel frame"], "options": ["color: black", "size: pu faux leather"], "instruction_attributes": ["faux leather", "steel frame"], "instruction_options": ["black"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2M96GN", "worker_id": "A1OBVJEE06AOYQ"}], "B00GAQ2EG6": [{"asin": "B00GAQ2EG6", "instruction": "i need rich, creamy coconut biscuits.", "attributes": ["rich creamy", "artificial colors", "high fructose", "artificial flavors"], "options": ["flavor name: coconut", "size: 8.85 ounce (pack of 1)"], "instruction_attributes": ["rich creamy"], "instruction_options": ["coconut"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTX57WK5", "worker_id": "A19317A3X87NVM"}], "B09N1BWH8F": [{"asin": "B09N1BWH8F", "instruction": "i'm trying to find a tempered glass screen protector that i can use for my iphone 13 pro max.", "attributes": ["tempered glass", "glass screen"], "options": ["color: iphone 13 pro max"], "instruction_attributes": ["tempered glass", "glass screen"], "instruction_options": ["iphone 13 pro max"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSWWCW6", "worker_id": "A345TDMHP3DQ3G"}], "B085TCPF68": [{"asin": "B085TCPF68", "instruction": "i'm looking for a black phone case that is apple compatible with a black screen.", "attributes": ["compatible apple", "glass screen", "tempered glass"], "options": ["color: black", "size: 38 mm"], "instruction_attributes": ["compatible apple", "glass screen"], "instruction_options": ["black"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOIM39X", "worker_id": "A19317A3X87NVM"}, {"asin": "B085TCPF68", "instruction": "i need a smartwatch case that is apple compatible and is silver", "attributes": ["compatible apple", "glass screen", "tempered glass"], "options": ["color: silver", "size: 42 mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["silver"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB4ABQAV", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B085TCPF68", "instruction": "i want to buy case for apple watch which has tempered glass and is for rose pink color, and it's size should be 42 mm.", "attributes": ["compatible apple", "glass screen", "tempered glass"], "options": ["color: rose pink", "size: 42 mm"], "instruction_attributes": ["tempered glass"], "instruction_options": ["rose pink", "42 mm"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDRAHC4", "worker_id": "AJY5G987IRT25"}], "B09J2G581P": [{"asin": "B09J2G581P", "instruction": "i want 4 pcs of bpa free oral hygiene tongue scraper for fresh breath.", "attributes": ["bpa free", "double sided", "easy use", "fresh breath", "oral hygiene", "bad breath"], "options": [""], "instruction_attributes": ["bpa free", "fresh breath", "oral hygiene"], "instruction_options": [], "assignment_id": "3Z4AIRP3CHN69T8YYVQH3KF1X1U1XH", "worker_id": "A1V2C99HEV3F14"}], "B08FD5WHDX": [{"asin": "B08FD5WHDX", "instruction": "please help me find a pair of soft plush women's house shoes that would be cozy and warm for winter. my favorite color is khaki and i normally wear anywhere between a size 9.5 to a 10.5.", "attributes": ["non slip", "winter warm", "machine washable", "memory foam", "rubber sole"], "options": ["color: khaki", "size: 9.5-10.5"], "instruction_attributes": ["winter warm"], "instruction_options": ["khaki", "9.5-10.5"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUWX9R2", "worker_id": "A345TDMHP3DQ3G"}], "B095HZ9WQM": [{"asin": "B095HZ9WQM", "instruction": "i'm trying to find a 4-xl collegiate unc charlotte polo that is officially licensed.", "attributes": ["officially licensed", "machine washable", "everyday wear"], "options": ["color: university of north carolina at charlott...", "size: 4x-large"], "instruction_attributes": ["officially licensed"], "instruction_options": ["university of north carolina at charlott...", "4x-large"], "assignment_id": "33F859I56HNA01QBVO1K6A4GVNIBHX", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B095HZ9WQM", "instruction": "i'm looking for clothing it can use for machinable uses.", "attributes": ["officially licensed", "machine washable", "everyday wear"], "options": ["color: texas a&m university-corpus christi", "size: 4x-large"], "instruction_attributes": ["machine washable", "everyday wear"], "instruction_options": ["texas a&m university-corpus christi"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW79S8P", "worker_id": "A16IQOX0DK14OJ"}], "B0787KFYMJ": [{"asin": "B0787KFYMJ", "instruction": "i want some long-lasting snow boots with faux fur in black or khaki at size 7.5.", "attributes": ["long lasting", "faux fur", "rubber outsole", "rubber sole"], "options": ["color: black | khaki ii", "size: 7.5"], "instruction_attributes": ["long lasting", "faux fur"], "instruction_options": ["black | khaki ii", "7.5"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU482NZYPT", "worker_id": "A19317A3X87NVM"}], "B07WHCJRVF": [{"asin": "B07WHCJRVF", "instruction": "i'm looking for a 70cm wall mounted mirror for bathroom", "attributes": ["wall mounted", "living room"], "options": ["size: 70cm"], "instruction_attributes": ["wall mounted"], "instruction_options": ["70cm"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZWNPA1", "worker_id": "A9QRQL9CFJBI7"}], "B005Z6LGYS": [{"asin": "B005Z6LGYS", "instruction": "i need some high fructose citrus tonic water.", "attributes": ["high fructose", "natural ingredients"], "options": ["flavor name: citrus", "size: 16.9 fl oz (pack of 1)"], "instruction_attributes": ["high fructose"], "instruction_options": ["citrus"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PVOUBL", "worker_id": "A19317A3X87NVM"}], "B093KLFGVH": [{"asin": "B093KLFGVH", "instruction": "i'm looking for blouse hosiery travel laundry bag set of 2 mesh", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZG5V2WZ", "worker_id": "A258PTOZ3D2TQR"}], "B07TLBM7DJ": [{"asin": "B07TLBM7DJ", "instruction": "i need a pack of fine line remover.", "attributes": ["hyaluronic acid", "fine lines"], "options": ["size: 1 count (pack of 1)"], "instruction_attributes": ["fine lines"], "instruction_options": ["1 count (pack of 1)"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLK7AVQ", "worker_id": "A19317A3X87NVM"}], "B09GZR1GT6": [{"asin": "B09GZR1GT6", "instruction": "i want to find some spray that i can use to treat hot flashes, and it should be suitable for sensitive skin.", "attributes": ["dermatologist tested", "easy use", "dry skin", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0IIRRM", "worker_id": "A345TDMHP3DQ3G"}], "B08T5WTP2T": [{"asin": "B08T5WTP2T", "instruction": "i'd like to find some noise cancelling headphones that are hands-free. they should be compatible with bluetooth version 5.0.", "attributes": ["noise cancelling", "long lasting", "hands free", "high definition", "wireless bluetooth"], "options": [""], "instruction_attributes": ["noise cancelling", "hands free"], "instruction_options": [], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49L74X0", "worker_id": "A3LIIE572Z4OG7"}], "B09R74G1JF": [{"asin": "B09R74G1JF", "instruction": "i am looking to purchase a hand or machine wash women's classic plain bikini swimsuit with high waist, tummy control in an x-large. prefer color yellow.", "attributes": ["wash cold", "hand wash", "machine wash", "tummy control", "high waist", "teen girls"], "options": ["color: yellow", "size: x-large"], "instruction_attributes": ["hand wash", "machine wash", "tummy control", "high waist"], "instruction_options": ["yellow", "x-large"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WG9AYIN", "worker_id": "A3RGIKEI8JS2QG"}], "B09LGX8FK6": [{"asin": "B09LGX8FK6", "instruction": "i'm looking for black color medium size puweer straight leg slacks for women to business work casual.", "attributes": ["straight leg", "moisture wicking", "wash cold", "machine wash", "nylon spandex", "tummy control", "elastic waist"], "options": ["color: black", "size: medium"], "instruction_attributes": ["straight leg"], "instruction_options": ["black", "medium"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHVIE1K", "worker_id": "A3AGXTSAHA2AFL"}], "B09JWTPGM2": [{"asin": "B09JWTPGM2", "instruction": "i'm looking for easy-to-use cake toppers for a birthday party.", "attributes": ["easy use", "birthday party", "party supplies", "baby shower"], "options": [""], "instruction_attributes": ["easy use", "birthday party"], "instruction_options": [], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0K8JLJG", "worker_id": "AFU00NU09CFXE"}], "B016S52Q7U": [{"asin": "B016S52Q7U", "instruction": "i am looking for a water beverage with source of vitamin and zero sugar. also in kiwi strawberry flavor.", "attributes": ["source vitamin", "zero sugar"], "options": ["flavor name: kiwi strawberry"], "instruction_attributes": ["source vitamin", "zero sugar"], "instruction_options": ["kiwi strawberry"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD28ZYNY", "worker_id": "A2HMEGTAFO0CS8"}], "B08P797L5K": [{"asin": "B08P797L5K", "instruction": "i'm looking for a high-quality manicure set made from stainless steel that is designed for removing dead skin.", "attributes": ["high quality", "stainless steel", "dead skin"], "options": [""], "instruction_attributes": ["high quality", "stainless steel", "dead skin"], "instruction_options": [], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZN2ISF", "worker_id": "AFU00NU09CFXE"}], "B083XK3VQX": [{"asin": "B083XK3VQX", "instruction": "i would like to buy a sugar free powder drink mix that is a nice source of vitamin.", "attributes": ["sugar free", "source vitamin"], "options": [""], "instruction_attributes": ["sugar free", "source vitamin"], "instruction_options": [], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMANEX2", "worker_id": "A182YKPS46KE9F"}], "B09SXQFM4V": [{"asin": "B09SXQFM4V", "instruction": "i want to find a set of high-power binoculars that i can use for birdwatching.", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPW08K07", "worker_id": "A345TDMHP3DQ3G"}], "B085W93XWY": [{"asin": "B085W93XWY", "instruction": "looking for men classic slip on with anti slip grips and back heel square toe, with quality leather.", "attributes": ["anti slip", "rubber outsole", "rubber sole"], "options": ["color: grey", "size: 10"], "instruction_attributes": ["anti slip"], "instruction_options": [], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZB8HS8", "worker_id": "AUJBZFT6JM16L"}], "B08R115KB1": [{"asin": "B08R115KB1", "instruction": "i want the 8 pack of pork king good seasoning. i need the 8 pack of the gluten free variety.", "attributes": ["gluten free", "keto friendly", "natural ingredients", "great gift"], "options": ["flavor name: dill pickle", "pattern name: 8 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["dill pickle", "8 pack"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KZ7DPE", "worker_id": "A1CB72B51L7TKE"}], "B094XWSQDT": [{"asin": "B094XWSQDT", "instruction": "i'm looking for rose gold hair salon bags.", "attributes": ["rose gold", "hair salon"], "options": ["size: 50ml | 1.7 ounce"], "instruction_attributes": ["rose gold", "hair salon"], "instruction_options": [], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4XR9PGM", "worker_id": "A19317A3X87NVM"}], "B07HMVN5HZ": [{"asin": "B07HMVN5HZ", "instruction": "i want a 2-in-one shampoo and conditioner for damaged hair.", "attributes": ["hair treatment", "damaged hair", "dry hair"], "options": ["style: shampoo+conditioner"], "instruction_attributes": ["damaged hair"], "instruction_options": ["shampoo+conditioner"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQWSVKH", "worker_id": "A19317A3X87NVM"}], "B07XZ1VW78": [{"asin": "B07XZ1VW78", "instruction": "i'm looking for an armchair for my living room that features solid wood legs. i only need one chair and the color should be brown.", "attributes": ["high density", "solid wood", "dining room", "living room"], "options": ["color: brown", "item package quantity: 1"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["brown", "1"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNC4RLBE", "worker_id": "A345TDMHP3DQ3G"}], "B08YRDPZKY": [{"asin": "B08YRDPZKY", "instruction": "i'd like to get a 3d, high-resolution personal mobile cinema. it needs to come with a carrying case too.", "attributes": ["high resolution", "plug play", "carrying case"], "options": [""], "instruction_attributes": ["high resolution", "carrying case"], "instruction_options": [], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1ZJRXY", "worker_id": "A345TDMHP3DQ3G"}], "B09NVBS2W1": [{"asin": "B09NVBS2W1", "instruction": "i want to find a tempered glass covering film that i can use on my dining room windows. the dimensions should be 23.6 inches by 47.2 inches and film should come in a set of two.", "attributes": ["tempered glass", "dining room"], "options": ["color: 1011558265438600000", "size: (width\uff0923.6in x (length)47.2in x 2pcs"], "instruction_attributes": ["tempered glass", "dining room"], "instruction_options": ["(width\uff0923.6in x (length)47.2in x 2pcs"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DCP4K8", "worker_id": "A345TDMHP3DQ3G"}], "B08P766SNC": [{"asin": "B08P766SNC", "instruction": "i need a space saving coat rack in solid wood.", "attributes": ["space saving", "solid wood"], "options": ["color: b"], "instruction_attributes": ["space saving", "solid wood"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVY3E6LC", "worker_id": "A19317A3X87NVM"}], "B099RQDNVN": [{"asin": "B099RQDNVN", "instruction": "i'm looking for a stool that could be used by a beauty salon to cut hair.", "attributes": ["beauty salon", "hair cutting"], "options": [""], "instruction_attributes": ["beauty salon", "hair cutting"], "instruction_options": [], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1RFK19", "worker_id": "A345TDMHP3DQ3G"}], "B09SXRG46H": [{"asin": "B09SXRG46H", "instruction": "i'm looking for a way to watch birds from far away and have my smartphone involved.", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7F3UC5", "worker_id": "AMG9Y1YLBTKIV"}], "B09GY857SW": [{"asin": "B09GY857SW", "instruction": "i am looking for a high quality, black spa equipment wall mount that is eco friendly.", "attributes": ["high quality", "water resistant", "eco friendly", "hair salon", "beauty salon", "hair styling"], "options": ["color: style7 black"], "instruction_attributes": ["high quality", "eco friendly"], "instruction_options": ["style7 black"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKC4AIPG", "worker_id": "A114NK7T5673GK"}], "B09QXB34BD": [{"asin": "B09QXB34BD", "instruction": "i\u2019m looking for a small tummy control swimwear for teen girls. and i would prefer the a3-green color", "attributes": ["tummy control", "high waist", "teen girls"], "options": ["color: a3-green", "size: small"], "instruction_attributes": ["tummy control", "teen girls"], "instruction_options": ["a3-green", "small"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4K8FHUA", "worker_id": "A2COCSUGZV28X"}], "B099Z7ZNDK": [{"asin": "B099Z7ZNDK", "instruction": "i'm looking for a queen size bed with a box spring.", "attributes": ["queen size", "contemporary design", "box spring"], "options": [""], "instruction_attributes": ["queen size", "box spring"], "instruction_options": [], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKBKGSX", "worker_id": "A19317A3X87NVM"}], "B09PLC2QV8": [{"asin": "B09PLC2QV8", "instruction": "na", "attributes": ["hair extensions", "synthetic hair"], "options": ["color: black blue"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["black blue"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YI1Q3H", "worker_id": "A1EI8Z972FIFJ3"}], "B01M9B4YOA": [{"asin": "B01M9B4YOA", "instruction": "i'm hoping to find a purple, xx-large batman shirt that's officially licensed.", "attributes": ["officially licensed", "machine washable", "everyday wear"], "options": ["color: purple", "size: xx-large"], "instruction_attributes": ["officially licensed"], "instruction_options": ["purple", "xx-large"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1V19U6", "worker_id": "A345TDMHP3DQ3G"}], "B09NXS598S": [{"asin": "B09NXS598S", "instruction": "show me long sleeved daily wear sweater for teen girls in white color and 4x large size.", "attributes": ["long sleeve", "unique design", "relaxed fit", "teen girls", "daily wear"], "options": ["color: z4 white", "size: 4x-large"], "instruction_attributes": ["long sleeve", "teen girls", "daily wear"], "instruction_options": ["z4 white", "4x-large"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKGML45E", "worker_id": "A3AYHESLQSDY5T"}], "B081811MTB": [{"asin": "B081811MTB", "instruction": "i'm looking for easy to install mounted wall hooks to hang towels and clothes also, choose the 1 piece set with 2 hooks.", "attributes": ["wall mounted", "easy install"], "options": ["color: 1pcs", "size: 2 hooks"], "instruction_attributes": ["wall mounted", "easy install"], "instruction_options": [], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKEKMJW", "worker_id": "A1TWVJS27CL3KT"}], "B09N3C1MZZ": [{"asin": "B09N3C1MZZ", "instruction": "i'm looking for white noise cancelling, wireless headphones that have bluetooth capabilites.", "attributes": ["noise cancelling", "hands free", "wireless bluetooth"], "options": ["color: white"], "instruction_attributes": ["noise cancelling", "hands free", "wireless bluetooth"], "instruction_options": ["white"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTBEE5T", "worker_id": "A29H4I8OMI2A4Q"}], "B076RFDSBG": [{"asin": "B076RFDSBG", "instruction": "i'm looking for an 8-pack of 8-inch portable hair extensions. the color needs to be wine red.", "attributes": ["hair extensions", "dry hair"], "options": ["color: wine red", "size: 8 inch (pack of 8)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["wine red", "8 inch (pack of 8)"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK4RHA60", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B076RFDSBG", "instruction": "looking for a hair extension for grey dry hair and 18 in long", "attributes": ["hair extensions", "dry hair"], "options": ["color: grey", "size: 18 inch (pack of 8)"], "instruction_attributes": ["hair extensions", "dry hair"], "instruction_options": ["grey", "18 inch (pack of 8)"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4I60HJ", "worker_id": "A1MJVTR0PCKBWW"}, {"asin": "B076RFDSBG", "instruction": "i need a pack of storage bag for my hair extension . and i would prefer the white blonde color", "attributes": ["hair extensions", "dry hair"], "options": ["color: white blonde", "size: 1 count"], "instruction_attributes": ["hair extensions"], "instruction_options": ["white blonde", "1 count"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBDVSOC", "worker_id": "A2COCSUGZV28X"}, {"asin": "B076RFDSBG", "instruction": "i would like a 18 inch medium brown hair extension.", "attributes": ["hair extensions", "dry hair"], "options": ["color: medium brown", "size: 18 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["medium brown", "18 inch (pack of 1)"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZESWUP", "worker_id": "A1WS884SI0SLO4"}], "B07TFJBQFL": [{"asin": "B07TFJBQFL", "instruction": "i want some anti-slip water shoes in size 7.5 and the color khaki.", "attributes": ["anti slip", "quick drying", "rubber sole"], "options": ["color: kahaki", "size: 7.5"], "instruction_attributes": ["anti slip"], "instruction_options": ["kahaki", "7.5"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22508WL", "worker_id": "A19317A3X87NVM"}], "B09RQ79JRR": [{"asin": "B09RQ79JRR", "instruction": "i'm interested in jar candles made from soy with a lead-free wick.", "attributes": ["lead free", "soy wax"], "options": [""], "instruction_attributes": ["lead free", "soy wax"], "instruction_options": [], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJKMT3JL", "worker_id": "AFU00NU09CFXE"}], "B08N8LDND2": [{"asin": "B08N8LDND2", "instruction": "i'm looking for a pair of adidas unisex adult harden vol. 5 futurenatural basketball athletic shoes.", "attributes": ["lace closure", "regular fit", "rubber sole"], "options": ["color: black | white | team dark grey", "size: 19 women | 19 men"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z91KE2P", "worker_id": "ABYRAWL4BGD3C"}], "B0947BLY8N": [{"asin": "B0947BLY8N", "instruction": "i'am looking for sulfate free argan oil for the hair treatment of my wife", "attributes": ["sulfate free", "animal testing", "argan oil", "hair treatment", "dry hair"], "options": [""], "instruction_attributes": ["sulfate free", "argan oil", "hair treatment"], "instruction_options": [], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVK5ET1Y", "worker_id": "A2COCSUGZV28X"}], "B09C2RM9XT": [{"asin": "B09C2RM9XT", "instruction": "i need some wild caught spring water tuna fish.", "attributes": ["gluten free", "wild caught", "low sodium", "low calorie", "non gmo", "great gift"], "options": ["flavor name: spring water", "size: 6.7 ounce (pack of 2)"], "instruction_attributes": ["wild caught"], "instruction_options": ["spring water"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJX0VJUT", "worker_id": "A19317A3X87NVM"}, {"asin": "B09C2RM9XT", "instruction": "i want to find a two-pack of jarred wild-caught tuna filets that are low calorie. the jars need to be 6.7 ounces, and ideally the flavor should be very garlicky.", "attributes": ["gluten free", "wild caught", "low sodium", "low calorie", "non gmo", "great gift"], "options": ["flavor name: garlic", "size: 6.7 ounce (pack of 2)"], "instruction_attributes": ["wild caught", "low calorie"], "instruction_options": ["garlic", "6.7 ounce (pack of 2)"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1YHXCZ", "worker_id": "A345TDMHP3DQ3G"}], "B075FZMXGS": [{"asin": "B075FZMXGS", "instruction": "locate the ambesonne harbour stripe throw pillow cover, 18 x 18 inch, double sided. i want the salmon brown color.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: salmon brown", "size: 18 x 18-inch"], "instruction_attributes": ["double sided"], "instruction_options": ["salmon brown", "18 x 18-inch"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCA77I1", "worker_id": "A1CB72B51L7TKE"}], "B08LDY73WQ": [{"asin": "B08LDY73WQ", "instruction": "i want some low fat orange mousse cookies.", "attributes": ["low fat", "artificial colors", "quality ingredients", "natural ingredients", "artificial flavors"], "options": ["flavor: orange mousse", "size: 4 piece assortment"], "instruction_attributes": ["low fat"], "instruction_options": ["orange mousse"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40HRYF5", "worker_id": "A19317A3X87NVM"}], "B08K1PWRLD": [{"asin": "B08K1PWRLD", "instruction": "i want a hair remover for face and body including the bikini area. pick the lilac one.", "attributes": ["hair removal", "hair growth"], "options": ["color: lipstick red"], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6P7R2XI", "worker_id": "A1NF6PELRKACS9"}], "B08YWW48JC": [{"asin": "B08YWW48JC", "instruction": "i need ready use hand-knitted ottoman pouf for living room. and choose the purple one.", "attributes": ["ready use", "assembly required", "living room"], "options": ["color: purple"], "instruction_attributes": ["ready use", "living room"], "instruction_options": ["purple"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8NRYT7F", "worker_id": "A258PTOZ3D2TQR"}], "B08CJZ4B8M": [{"asin": "B08CJZ4B8M", "instruction": "i'm looking for a gray wash colored living room console table with a wood frame.", "attributes": ["wood frame", "solid wood", "living room"], "options": ["color: gray wash"], "instruction_attributes": ["wood frame", "living room"], "instruction_options": ["gray wash"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP8NX7ZM", "worker_id": "A19317A3X87NVM"}], "B082XGZ455": [{"asin": "B082XGZ455", "instruction": "i need some hands free gold earbuds.", "attributes": ["hands free", "stereo sound", "wireless bluetooth"], "options": ["color: gold"], "instruction_attributes": ["hands free"], "instruction_options": ["gold"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKC3PE0U", "worker_id": "A19317A3X87NVM"}], "B089FMW6ZV": [{"asin": "B089FMW6ZV", "instruction": "remote control for emerson led lcd tv lf501em4a lf320em4a lc391em4", "attributes": ["batteries included", "easy use", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXD85OC", "worker_id": "AL8NYDL4JOYL3"}], "B00R4R084K": [{"asin": "B00R4R084K", "instruction": "i need a slate blue, big and tall t-shirt that is good for machine wash.", "attributes": ["machine wash", "relaxed fit"], "options": ["color: heather slate blue", "size: 8x-large big"], "instruction_attributes": ["machine wash"], "instruction_options": ["heather slate blue", "8x-large big"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJY94RGN", "worker_id": "A19317A3X87NVM"}], "B08PJ86CJD": [{"asin": "B08PJ86CJD", "instruction": "i'm looking for a 10 pack of hydrating sheet masks with anti aging properties. i would like to select the spa hairband option.", "attributes": ["anti aging", "cruelty free"], "options": ["color: full collection w | spa hairband", "size: pack of 10"], "instruction_attributes": ["anti aging"], "instruction_options": ["full collection w | spa hairband", "pack of 10"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGSMSLV", "worker_id": "A2QAS9E29H1UCP"}], "B08DQSV61J": [{"asin": "B08DQSV61J", "instruction": "i need some easy to apply 18mm eyelashes.", "attributes": ["easy apply", "high quality"], "options": ["color: dd-0.05", "size: 18mm"], "instruction_attributes": ["easy apply"], "instruction_options": ["18mm"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRS96X0S", "worker_id": "A19317A3X87NVM"}, {"asin": "B08DQSV61J", "instruction": "i need high quality lashes in size 21mm that are easy to apply.", "attributes": ["easy apply", "high quality"], "options": ["color: c-0.05", "size: 21mm"], "instruction_attributes": ["easy apply", "high quality"], "instruction_options": ["21mm"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGX6WTD", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B08DQSV61J", "instruction": "look for supplies for eyelash extension dd curl 0.05 show me with easy apply.color: dd-0.03. please", "attributes": ["easy apply", "high quality"], "options": ["color: dd-0.03", "size: 13-20mm"], "instruction_attributes": ["easy apply"], "instruction_options": ["dd-0.03"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH4ZH6A", "worker_id": "A15IJ20C3R4HUO"}], "B09SZJHN5N": [{"asin": "B09SZJHN5N", "instruction": "i am looking for a high quality wig that is sky blue colored.", "attributes": ["high quality", "quality materials"], "options": ["color: sky blue"], "instruction_attributes": ["high quality"], "instruction_options": ["sky blue"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VKJYW5", "worker_id": "A2ECRNQ3X5LEXD"}], "B005Z6AK2C": [{"asin": "B005Z6AK2C", "instruction": "i want to buy an easy to use instant coffee that comes in a decaf french vanilla.", "attributes": ["rich creamy", "easy use"], "options": ["flavor name: decaf french vanilla", "size: 16 ounce (pack of 3)"], "instruction_attributes": ["easy use"], "instruction_options": ["decaf french vanilla"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXST8AWZ", "worker_id": "A114NK7T5673GK"}, {"asin": "B005Z6AK2C", "instruction": "i would like a 3 piece assortment of salted caramel instant coffee that's rich and creamy.", "attributes": ["rich creamy", "easy use"], "options": ["flavor name: salted caramel", "size: 3 piece assortment"], "instruction_attributes": ["rich creamy"], "instruction_options": ["salted caramel", "3 piece assortment"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOKDMLK", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B005Z6AK2C", "instruction": "i would like some easy to use salted caramel instant coffee", "attributes": ["rich creamy", "easy use"], "options": ["flavor name: salted caramel", "size: 14 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["salted caramel"], "assignment_id": "354P56DE9VDCOY11T1135MPMLQNS7S", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B005Z6AK2C", "instruction": "i would like a 12 ounce box of classic cappuccino instant coffee mix that is easy to make.", "attributes": ["rich creamy", "easy use"], "options": ["flavor name: classic cappuccino", "size: 12 ounce (pack of 2)"], "instruction_attributes": ["easy use"], "instruction_options": ["classic cappuccino", "12 ounce (pack of 2)"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFP5E9S", "worker_id": "A1WS884SI0SLO4"}], "B081TYSS5S": [{"asin": "B081TYSS5S", "instruction": "i want to buy some men's construction boots with steel toe. they need to be slip resistant and size 15.", "attributes": ["slip resistant", "steel toe", "rubber sole"], "options": ["size: 15"], "instruction_attributes": ["slip resistant", "steel toe"], "instruction_options": ["15"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80YRQ1T", "worker_id": "A2YNPKYEFDZ6C9"}], "B09STZH768": [{"asin": "B09STZH768", "instruction": "i want the fast charging hands free amzstar ipx0 waterproof headset. i want the grey ones.", "attributes": ["fast charging", "hands free"], "options": ["color: grey"], "instruction_attributes": ["fast charging", "hands free"], "instruction_options": ["grey"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXCU5OW", "worker_id": "A1CB72B51L7TKE"}, {"asin": "B09STZH768", "instruction": "fast charging wireless headphones with waterproof and bluetooth 5.0 facility and 16gb mp3 player and also color is red", "attributes": ["fast charging", "hands free"], "options": ["color: red"], "instruction_attributes": ["fast charging"], "instruction_options": ["red"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTSAL7U", "worker_id": "AX2EWYWZM19AZ"}], "B08Z8MHWVS": [{"asin": "B08Z8MHWVS", "instruction": "i am interested in 2 pints eggless raw edible cookie dough with natural ingredients with chocochip & cherrychoco flavor.", "attributes": ["ready eat", "natural ingredients"], "options": ["flavor: 2 pints-chocochip & cherrychoco"], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHWSX8SZ", "worker_id": "A3QZMGTVA4VO44"}], "B08L6M9SK5": [{"asin": "B08L6M9SK5", "instruction": "i am looking for a lantern pendant light with 4 lights. find me something in black and gold.", "attributes": ["easy install", "pendant light"], "options": [""], "instruction_attributes": ["pendant light"], "instruction_options": [], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A21UKHTV", "worker_id": "A1NF6PELRKACS9"}], "B01N6YD5PL": [{"asin": "B01N6YD5PL", "instruction": "seeking to buy a jar candle that is eco friendly. i want it to be 8 ounces and hazelnut latte color. soy candle wax.", "attributes": ["lead free", "eco friendly", "easy clean"], "options": ["color: hazelnut latte", "size: 8 ounce"], "instruction_attributes": ["eco friendly"], "instruction_options": ["hazelnut latte", "8 ounce"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EYJ1BL", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B01N6YD5PL", "instruction": "i want to find a gift set of soy candles that are eco friendly. the color should ideally be fresh linen.", "attributes": ["lead free", "eco friendly", "easy clean"], "options": ["color: fresh linen", "size: gift set"], "instruction_attributes": ["eco friendly"], "instruction_options": ["fresh linen", "gift set"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TJPUS1", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01N6YD5PL", "instruction": "i am looking for eco friendly candle wax. please choose vanilla lavender.", "attributes": ["lead free", "eco friendly", "easy clean"], "options": ["color: stress relief & vanilla lavender", "size: 20 ounce"], "instruction_attributes": ["eco friendly"], "instruction_options": ["stress relief & vanilla lavender"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDROO9F5", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B01N6YD5PL", "instruction": "i would like a jar candle that is eco friendly and cinnamon vanilla", "attributes": ["lead free", "eco friendly", "easy clean"], "options": ["color: cinnamon vanilla", "size: 20 ounce"], "instruction_attributes": ["eco friendly"], "instruction_options": ["cinnamon vanilla"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCK2MND8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09J2KSTLN": [{"asin": "B09J2KSTLN", "instruction": "throw of size 40\"x50\" and color blankets 13", "attributes": ["super soft", "fleece throw"], "options": ["color: blankets 13", "size: 40\"x50\""], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": [], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OH2M3O", "worker_id": "AL8NYDL4JOYL3"}], "B07L63JWVK": [{"asin": "B07L63JWVK", "instruction": "i need a ready to use and fully assembled sewing kit.", "attributes": ["ready use", "fully assembled"], "options": [""], "instruction_attributes": ["ready use", "fully assembled"], "instruction_options": [], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZZOPCJ", "worker_id": "A19317A3X87NVM"}], "B00IZ8L3LY": [{"asin": "B00IZ8L3LY", "instruction": "i need some pre-cooked honey barbque wings with the bone in, having at least 14 grams of protein per serving, contains 5 servings and is preferably frozen.", "attributes": ["fully cooked", "protein serving", "ready eat"], "options": [""], "instruction_attributes": ["fully cooked", "protein serving", "ready eat"], "instruction_options": [], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7ZPDGXU", "worker_id": "A1E235KE3CSO7H"}], "B0968SML8V": [{"asin": "B0968SML8V", "instruction": "i need a travel sized shampoo for damaged hair in a mini-discovery kit.", "attributes": ["travel size", "damaged hair"], "options": ["color: mini discovery kit", "size: 2.02 fl oz-1"], "instruction_attributes": ["travel size", "damaged hair"], "instruction_options": ["mini discovery kit"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXHE4O7", "worker_id": "A19317A3X87NVM"}], "B074CZW6CZ": [{"asin": "B074CZW6CZ", "instruction": "i'm looking for a quad core, high performance desktop which has core i5.", "attributes": ["high performance", "core i5", "quad core"], "options": [""], "instruction_attributes": ["high performance", "core i5", "quad core"], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZG512W5", "worker_id": "A9QRQL9CFJBI7"}], "B08S6PGBLT": [{"asin": "B08S6PGBLT", "instruction": "i'd like to find some brown fur-lined women's boots; they should be warm in the winter and work well in snow.", "attributes": ["winter warm", "rubber sole", "memory foam"], "options": ["color: brown", "size: 13"], "instruction_attributes": ["winter warm"], "instruction_options": ["brown"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SH2TQP", "worker_id": "A3LIIE572Z4OG7"}], "B09BYQFM1Z": [{"asin": "B09BYQFM1Z", "instruction": "i need high quality makeup remover pads for my sensitive skin. i like it to be 12 pack and gray in color.", "attributes": ["long lasting", "easy use", "high quality", "dead skin", "sensitive skin"], "options": ["color: grayx12pack", "size: 8inchx8 inch"], "instruction_attributes": ["high quality", "sensitive skin"], "instruction_options": ["grayx12pack"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG51WWI8", "worker_id": "A1NF6PELRKACS9"}], "B081VL1NVS": [{"asin": "B081VL1NVS", "instruction": "locate for me a sweatyrocks women's high waist pu leather midi skirt. i want it in brown.", "attributes": ["high waist", "everyday wear"], "options": ["color: brown", "size: medium"], "instruction_attributes": ["high waist"], "instruction_options": ["brown", "medium"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q7NK9HQ", "worker_id": "A1CB72B51L7TKE"}], "B07DYT5VS3": [{"asin": "B07DYT5VS3", "instruction": "i need a hands free fm transmitter with a fast charge time.", "attributes": ["hands free", "fast charging", "high performance", "usb port"], "options": [""], "instruction_attributes": ["hands free", "fast charging"], "instruction_options": [], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXF6TMEG", "worker_id": "A19317A3X87NVM"}], "B09M9QX1M9": [{"asin": "B09M9QX1M9", "instruction": "i need some extra large butt lifting leggings in mint green.", "attributes": ["butt lifting", "tummy control"], "options": ["color: mint green", "size: x-large"], "instruction_attributes": ["butt lifting"], "instruction_options": ["mint green", "x-large"], "assignment_id": "358010RM5P3MV5OW59A6A8MHM5GVXF", "worker_id": "A19317A3X87NVM"}], "B09CZMMLC8": [{"asin": "B09CZMMLC8", "instruction": "i'm looking for a dark blue fleece throw that i can use to decorate my living room.", "attributes": ["fleece throw", "living room"], "options": ["color: dark blue- \"good vibes only\""], "instruction_attributes": ["fleece throw", "living room"], "instruction_options": ["dark blue- \"good vibes only\""], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HX7L2ZB", "worker_id": "A345TDMHP3DQ3G"}], "B09M72Z43M": [{"asin": "B09M72Z43M", "instruction": "i need a small rotating book shelf made of wood with 3 tier storage. pick a white one.", "attributes": ["white item", "storage unit", "storage space", "living room"], "options": [""], "instruction_attributes": ["white item", "storage unit", "storage space"], "instruction_options": [], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39YFZCY", "worker_id": "A1NF6PELRKACS9"}], "B09D2T5HVK": [{"asin": "B09D2T5HVK", "instruction": "i:need a mirrored wooden cabinet with one drawer two doors with round ring handle, style28 size and solid wood legs", "attributes": ["easy assemble", "solid wood", "storage space", "living room"], "options": ["size: style28"], "instruction_attributes": ["solid wood"], "instruction_options": ["style28"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUVSRM7", "worker_id": "A258PTOZ3D2TQR"}], "B08PVCY57Z": [{"asin": "B08PVCY57Z", "instruction": "i want to find a 39.4 inch storage bench for shoes that i can put in my living room entryway.", "attributes": ["long lasting", "easy clean", "living room"], "options": ["size: 39.4\"w"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IVDBCO", "worker_id": "A345TDMHP3DQ3G"}], "B08CJLXVMZ": [{"asin": "B08CJLXVMZ", "instruction": "find me 9oz bags of sugar free catalina crunch honey graham keto cereal. i want the low carb gluten free kind.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "non gmo", "gluten free"], "options": ["flavor name: honey graham & dark chocolate", "size: pack of 4"], "instruction_attributes": ["sugar free"], "instruction_options": ["honey graham & dark chocolate"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3F7OFBK", "worker_id": "A1CB72B51L7TKE"}], "B07CZ37V8N": [{"asin": "B07CZ37V8N", "instruction": "i am looking for a organic cold brew coffee with straight black flavor. choose shelf stable product.", "attributes": ["shelf stable", "sugar free", "dairy free"], "options": ["flavor name: straight black", "size: 128 fl oz (pack of 1)"], "instruction_attributes": ["shelf stable"], "instruction_options": ["straight black"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO2250W89", "worker_id": "A2HMEGTAFO0CS8"}], "B09R8VK3Q3": [{"asin": "B09R8VK3Q3", "instruction": "i am looking for a non-diary and sugar free cookie baking mix. it should have soft chocolate chips.", "attributes": ["grain free", "non dairy", "low carb", "sugar free", "dairy free", "gluten free"], "options": ["flavor name: soft chocolate chip"], "instruction_attributes": ["non dairy", "sugar free"], "instruction_options": ["soft chocolate chip"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQVEN0G", "worker_id": "A1NF6PELRKACS9"}], "B07KC127M7": [{"asin": "B07KC127M7", "instruction": "i'd like to find a plastic body brush with a long handle that can slough off dead skin.", "attributes": ["long handle", "dead skin"], "options": [""], "instruction_attributes": ["long handle", "dead skin"], "instruction_options": [], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0NTX79", "worker_id": "A345TDMHP3DQ3G"}], "B07FLJNFM8": [{"asin": "B07FLJNFM8", "instruction": "i need some paraben free conditioner to promote hair growht.", "attributes": ["paraben free", "natural ingredients", "hair growth"], "options": [""], "instruction_attributes": ["paraben free", "hair growth"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMBRW97", "worker_id": "A19317A3X87NVM"}], "B07M9YKV87": [{"asin": "B07M9YKV87", "instruction": "i am looking for slimpointoe red color anti slip flat sandal.", "attributes": ["anti slip", "rubber sole"], "options": ["color: slimpointoe red", "size: 8.5"], "instruction_attributes": ["anti slip"], "instruction_options": ["slimpointoe red"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZ3UO8I", "worker_id": "A3QZMGTVA4VO44"}, {"asin": "B07M9YKV87", "instruction": "shop for a pair of size six jelly sandals with rubber soles and snap closures. by the silver ones in size six.", "attributes": ["anti slip", "rubber sole"], "options": ["color: snapclosure silver", "size: 6"], "instruction_attributes": ["rubber sole"], "instruction_options": ["snapclosure silver", "6"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVLGXLS", "worker_id": "AR9AU5FY1S3RO"}], "B097TKMBPN": [{"asin": "B097TKMBPN", "instruction": "i want to find a blue electric shower brush with a long handle.", "attributes": ["high quality", "long handle", "sensitive skin"], "options": ["size: blue"], "instruction_attributes": ["long handle"], "instruction_options": ["blue"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8OM8A2C", "worker_id": "A345TDMHP3DQ3G"}], "B09D34D2FV": [{"asin": "B09D34D2FV", "instruction": "i need some hair growth formula.", "attributes": ["coconut oil", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IOQM2R2", "worker_id": "A19317A3X87NVM"}], "B09JWL2HP5": [{"asin": "B09JWL2HP5", "instruction": "i\u2019m looking for refreshing advanced purifying mouth wash mouth spray for instant fresh breath.", "attributes": ["easy carry", "fresh breath", "bad breath"], "options": ["color: mint"], "instruction_attributes": ["fresh breath"], "instruction_options": ["mint"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKO4MF0V", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09SF2BHYJ": [{"asin": "B09SF2BHYJ", "instruction": "i need a 6-wide jogging shoes that has arch support. and i would prefer the a4-black", "attributes": ["closed toe", "arch support"], "options": ["color: a4 - black", "size: 6 wide"], "instruction_attributes": ["arch support"], "instruction_options": ["a4 - black", "6 wide"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILV1FSZZ", "worker_id": "A2COCSUGZV28X"}], "B09L7QXNCR": [{"asin": "B09L7QXNCR", "instruction": "i am looking for a blue video gaming chair with lumbar support please.", "attributes": ["lumbar support", "pu leather"], "options": ["color: blue"], "instruction_attributes": ["lumbar support"], "instruction_options": ["blue"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNUZ01B", "worker_id": "A182YKPS46KE9F"}], "B01N58JX21": [{"asin": "B01N58JX21", "instruction": "get me a non alcoholic bread mix made with natural ingredients.", "attributes": ["non alcoholic", "natural ingredients"], "options": [""], "instruction_attributes": ["non alcoholic", "natural ingredients"], "instruction_options": [], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ5PYCKL", "worker_id": "A3AYHESLQSDY5T"}], "B018P3KPNA": [{"asin": "B018P3KPNA", "instruction": "i want a tempered glass screen protector that i can use for my iphone se.", "attributes": ["tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["tempered glass", "glass screen"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHK67BB", "worker_id": "A345TDMHP3DQ3G"}], "B092M7K146": [{"asin": "B092M7K146", "instruction": "i'd like some black cupcake topper picks that i can use for a birthday party.", "attributes": ["birthday party", "cupcake picks"], "options": ["color: black"], "instruction_attributes": ["birthday party", "cupcake picks"], "instruction_options": ["black"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0GXCCG", "worker_id": "A345TDMHP3DQ3G"}], "B00ALTXFUC": [{"asin": "B00ALTXFUC", "instruction": "find me thai healthy gluten free mixed real fruit chips", "attributes": ["gluten free", "real fruit"], "options": [""], "instruction_attributes": ["real fruit"], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZL7RNC", "worker_id": "A258PTOZ3D2TQR"}], "B08FHPD83P": [{"asin": "B08FHPD83P", "instruction": "i need highly pigmented eyeshadow that is suitable for sensitive skin. metallic grey color is my preference.", "attributes": ["highly pigmented", "sensitive skin"], "options": ["color: 23 galaxy grey metallic"], "instruction_attributes": ["highly pigmented", "sensitive skin"], "instruction_options": ["23 galaxy grey metallic"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YHLQ3Z", "worker_id": "AHTWQSOY6HTJI"}], "B01GS46GL8": [{"asin": "B01GS46GL8", "instruction": "looking for safavieh hudson shag collection area rug in dark grey | ivory rectangular shaped that is 2 ft 3 in x 6 ft for my living or dining room.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: dark grey | ivory", "item shape: rectangular", "size: 2 ft 3 in x 6 ft"], "instruction_attributes": ["dining room", "living room"], "instruction_options": ["dark grey | ivory", "rectangular", "2 ft 3 in x 6 ft"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UBC1G3", "worker_id": "A3RGIKEI8JS2QG"}], "B08T1D4PPL": [{"asin": "B08T1D4PPL", "instruction": "i want to find an extra large, long-sleeve two-piece outfit for daily wear. please find me something in coffee color.", "attributes": ["high waist", "polyester spandex", "long sleeve", "daily wear"], "options": ["color: 28231-coffee", "size: x-large"], "instruction_attributes": ["long sleeve", "daily wear"], "instruction_options": ["28231-coffee", "x-large"], "assignment_id": "32SCWG5HISEW7674IASH43KF3DP6PK", "worker_id": "A345TDMHP3DQ3G"}], "B09R73K1JK": [{"asin": "B09R73K1JK", "instruction": "i want to find a 4-piece set of haircare products for damaged hair, including essential oils and herbal spray.", "attributes": ["easy use", "damaged hair", "hair growth", "hair loss", "natural hair"], "options": ["color: 4pcs"], "instruction_attributes": ["damaged hair"], "instruction_options": ["4pcs"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCW0XGGK", "worker_id": "A345TDMHP3DQ3G"}], "B0731B56FJ": [{"asin": "B0731B56FJ", "instruction": "i want to get a 3.5 ounce bag of snackable thai rice cake chips, in the original flavor. i'm a celiac so these must be gluten free.", "attributes": ["non gmo", "gluten free", "soy free", "dairy free"], "options": ["flavor name: original", "size: 3.5 ounce (pack of 1)", "style: thai rice chips"], "instruction_attributes": [], "instruction_options": ["original", "3.5 ounce (pack of 1)", "thai rice chips"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBXXSOI", "worker_id": "A345TDMHP3DQ3G"}], "B01N7DHJ8V": [{"asin": "B01N7DHJ8V", "instruction": "i'm looking for some non gmo honey roasted and chopped pecans.", "attributes": ["non gmo", "gluten free", "plant based", "resealable bag"], "options": ["flavor name: honey roasted and chopped", "size: 1.5 pound (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["honey roasted and chopped"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXIBMY8", "worker_id": "A19317A3X87NVM"}], "B094MYWRBX": [{"asin": "B094MYWRBX", "instruction": "i want to find a pink pair of women's casual wedge, anti-slip slippers in a size 9.", "attributes": ["anti slip", "high heel"], "options": ["color: 0 # pink", "size: 9"], "instruction_attributes": ["anti slip"], "instruction_options": ["0 # pink", "9"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IVSCB4", "worker_id": "A345TDMHP3DQ3G"}], "B08QW2HK8Z": [{"asin": "B08QW2HK8Z", "instruction": "i'd like to find a pair of extra-large cargo shorts in british khaki. ideally, it'll have an elastic waist.", "attributes": ["machine wash", "elastic waist", "relaxed fit"], "options": ["color: british khaki", "size: x-large big"], "instruction_attributes": ["elastic waist"], "instruction_options": ["british khaki", "x-large big"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUSJA95", "worker_id": "A345TDMHP3DQ3G"}], "B074KD7T93": [{"asin": "B074KD7T93", "instruction": "please find me a heavy duty pvc table cover protector that is about 36 x 60 inches. ideally, it should be waterproof and easy clean.", "attributes": ["easy clean", "double sided", "eco friendly", "heavy duty", "dining room"], "options": ["color: 2.0mm clear", "size: 36 x 60 inches"], "instruction_attributes": ["easy clean", "heavy duty"], "instruction_options": ["36 x 60 inches"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9UZZAZ", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B074KD7T93", "instruction": "i am looking for a 44 x 122.2 inches - customized size double sided table pads", "attributes": ["easy clean", "double sided", "eco friendly", "heavy duty", "dining room"], "options": ["color: 1.5mm frosted", "size: 44 x 122.2 inches - customized"], "instruction_attributes": ["double sided"], "instruction_options": ["44 x 122.2 inches - customized"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH4MH6X", "worker_id": "A9QRQL9CFJBI7"}], "B07P1BSPF2": [{"asin": "B07P1BSPF2", "instruction": "i'm looking for gluten-free beanfields bean chips, jalapeno lime 4-pack.", "attributes": ["gluten free", "high protein", "plant based", "non gmo"], "options": ["flavor name: jalapeno lime", "size: 5.5 ounce (pack of 4)"], "instruction_attributes": ["gluten free"], "instruction_options": ["5.5 ounce (pack of 4)"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYY228U", "worker_id": "A292TFDMNVS0TP"}], "B01CKI9A5A": [{"asin": "B01CKI9A5A", "instruction": "i am looking for a face oil serum that is cruelty free produced and has anti aging properties.", "attributes": ["anti aging", "cruelty free", "seed oil", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "cruelty free"], "instruction_options": [], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUFKJQJ", "worker_id": "A114NK7T5673GK"}], "B07X2VFG42": [{"asin": "B07X2VFG42", "instruction": "i need a easy to use high quality self piercing ear gun in light grey colour", "attributes": ["easy use", "high quality"], "options": ["color: lightgrey"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["lightgrey"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYD8NCHA", "worker_id": "ASWFLI3N8X72G"}], "B09LXDB5W4": [{"asin": "B09LXDB5W4", "instruction": "i'm looking for a remote control for my ultra hd tv.", "attributes": ["ultra hd", "aaa batteries"], "options": [""], "instruction_attributes": ["ultra hd"], "instruction_options": [], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3K07QG", "worker_id": "A345TDMHP3DQ3G"}], "B08BC4LRJX": [{"asin": "B08BC4LRJX", "instruction": "i'm looking for a neck cushion for a hair salon shampoo bowl .", "attributes": ["high quality", "hair salon", "beauty salon"], "options": [""], "instruction_attributes": ["hair salon"], "instruction_options": [], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9E878Z", "worker_id": "A3MNXK3VDK37SN"}], "B07JFWG8L5": [{"asin": "B07JFWG8L5", "instruction": "i'm looking for a candie potato chips covered by chocolate and with 1 pound pack", "attributes": ["chocolate covered", "perfect gift"], "options": ["flavor name: kettle cooked | milk chocolate", "size: 1 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0DGRAY", "worker_id": "A2Y2TURT2VEYZN"}], "B08216Z7RW": [{"asin": "B08216Z7RW", "instruction": "i want to find grey 30 by 45 inch blackout curtains that i can use for my living room. they must be machine washable.", "attributes": ["super soft", "eco friendly", "high density", "machine washable", "living room"], "options": ["color: grey", "size: w30\"xl45\""], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["grey", "w30\"xl45\""], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8AD35VWH", "worker_id": "A345TDMHP3DQ3G"}], "B00LFCEXWI": [{"asin": "B00LFCEXWI", "instruction": "i need some vinyl sandals in ochre colors.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: ochre", "size: 10-10.5 women | 8-8.5 men"], "instruction_attributes": ["ethylene vinyl", "vinyl acetate"], "instruction_options": ["ochre"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCRO0DN", "worker_id": "A19317A3X87NVM"}], "B09BJC4JHD": [{"asin": "B09BJC4JHD", "instruction": "i'm looking for a w 47in x h 75in cooling bamboo mattress pad that is double sided.", "attributes": ["double sided", "exquisite workmanship"], "options": ["size: w 47in x h 75 in"], "instruction_attributes": ["double sided"], "instruction_options": ["w 47in x h 75 in"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THGYZ5T", "worker_id": "A9NGV92NLT3BM"}], "B09PFKWRTH": [{"asin": "B09PFKWRTH", "instruction": "search for women wedding wedges with slingback shoes and summer ankle strap must be leopard print.", "attributes": ["eco friendly", "high quality"], "options": ["color: brown", "size: 9"], "instruction_attributes": ["high quality"], "instruction_options": ["brown"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMHWG25", "worker_id": "AUJBZFT6JM16L"}], "B00HQUSPMW": [{"asin": "B00HQUSPMW", "instruction": "i need some fully cooked canned meats with a long shelf life.", "attributes": ["fully cooked", "shelf stable"], "options": [""], "instruction_attributes": ["fully cooked", "shelf stable"], "instruction_options": [], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYBNFX6", "worker_id": "A19317A3X87NVM"}], "B07LD885TY": [{"asin": "B07LD885TY", "instruction": "i'm looking for a highly pigmented eye shadow kit. also, choose the nude pallet kit with brush.", "attributes": ["highly pigmented", "long lasting", "eye shadow", "sensitive skin"], "options": [""], "instruction_attributes": ["highly pigmented", "eye shadow"], "instruction_options": [], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGD8UK53", "worker_id": "A1TWVJS27CL3KT"}], "B07ZLZPN1N": [{"asin": "B07ZLZPN1N", "instruction": "i need a new quad core 4gb 32gb support usb port 1080p hd android tv box.", "attributes": ["ultra hd", "1080p hd", "quad core", "usb port"], "options": [""], "instruction_attributes": ["1080p hd", "quad core", "usb port"], "instruction_options": [], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4JY0HD", "worker_id": "A258PTOZ3D2TQR"}], "B09KLPLGNX": [{"asin": "B09KLPLGNX", "instruction": "i want a fully assembled queen size mattress.", "attributes": ["ready use", "fully assembled", "high density"], "options": ["size: twin", "style name: matt + 5\" unassembled box spring"], "instruction_attributes": ["fully assembled"], "instruction_options": ["twin"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1WRYG4", "worker_id": "A19317A3X87NVM"}, {"asin": "B09KLPLGNX", "instruction": "i would like a twin size bed with a 8\" unassembled box string high density mattress.", "attributes": ["ready use", "fully assembled", "high density"], "options": ["size: twin", "style name: matt + 8\" unassembled box spring"], "instruction_attributes": ["high density"], "instruction_options": ["twin", "matt + 8\" unassembled box spring"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXSAGAW5", "worker_id": "A1WS884SI0SLO4"}], "B00BK54GWW": [{"asin": "B00BK54GWW", "instruction": "i am looking 2 bathbar marblezied having nickel finish vanity light", "attributes": ["nickel finish", "brushed nickel", "glass shade", "vanity light"], "options": [""], "instruction_attributes": ["nickel finish", "glass shade"], "instruction_options": [], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAMDA8S", "worker_id": "A3N9ZYQAESNFQH"}], "B09GFLJ4S8": [{"asin": "B09GFLJ4S8", "instruction": "i want to find a high-speed, fast-charging portable iphone charger that's black.", "attributes": ["high speed", "fast charging"], "options": ["color: black"], "instruction_attributes": ["high speed", "fast charging"], "instruction_options": ["black"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPYN5J44", "worker_id": "A345TDMHP3DQ3G"}], "B00S6J0188": [{"asin": "B00S6J0188", "instruction": "i am looking for faceworks hypoallergenic lipstick for sensitive skin in the color matte nude hollywood.", "attributes": ["anti aging", "paraben free", "sensitive skin"], "options": ["color: frosted dupont circle"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZI1ZJP", "worker_id": "ABYRAWL4BGD3C"}], "B07WCNFJVC": [{"asin": "B07WCNFJVC", "instruction": "i need a beauty salon chair.", "attributes": ["heavy duty", "beauty salon"], "options": [""], "instruction_attributes": ["beauty salon"], "instruction_options": [], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40H1FYW", "worker_id": "A19317A3X87NVM"}], "B09T32NH5L": [{"asin": "B09T32NH5L", "instruction": "i'm looking for a men's loose fit shirt in xx-large for daily wear.", "attributes": ["slim fit", "loose fit", "long sleeve", "regular fit", "contrast color", "daily wear"], "options": ["size: xx-large"], "instruction_attributes": ["loose fit", "daily wear"], "instruction_options": ["xx-large"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455RPDYTP", "worker_id": "AFU00NU09CFXE"}], "B07416G244": [{"asin": "B07416G244", "instruction": "i'm looking for a 6 count, 9oz. simple mills gluten free almond flour baking bread mix in pumpkin flavor. it needs to be muffin pan ready and nutrient dense.", "attributes": ["grain free", "gluten free", "shelf stable", "plant based", "non gmo", "simple ingredients"], "options": ["flavor name: muffins variety pack", "size: 9 ounce (pack of 1)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CYS0VM", "worker_id": "ABYRAWL4BGD3C"}], "B005LBD76C": [{"asin": "B005LBD76C", "instruction": "i'm looking for a two-ounce stick of anti-perspirant that will be long-lasting.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OFUEYJ", "worker_id": "A345TDMHP3DQ3G"}], "B06XG8WKGM": [{"asin": "B06XG8WKGM", "instruction": "i need a machine washable ottoman seat that is contemporary and white navy colored.", "attributes": ["machine washable", "contemporary style"], "options": ["color: white navy", "style: coffee table"], "instruction_attributes": ["machine washable", "contemporary style"], "instruction_options": ["white navy"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG698Y8PR", "worker_id": "A19317A3X87NVM"}, {"asin": "B06XG8WKGM", "instruction": "i would like a white beige armless chair in a contemporary modern style.", "attributes": ["machine washable", "contemporary style"], "options": ["color: white beige", "style: armless chair"], "instruction_attributes": ["contemporary style"], "instruction_options": ["white beige", "armless chair"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DXKOTA", "worker_id": "A1WS884SI0SLO4"}], "B0773FVPXQ": [{"asin": "B0773FVPXQ", "instruction": "i need a long sleeve shirt with a red contrast color.", "attributes": ["slim fit", "contrast color", "long sleeve", "cotton spandex"], "options": ["color: z-red", "size: xx-large"], "instruction_attributes": ["contrast color", "long sleeve"], "instruction_options": ["z-red"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DV8071D", "worker_id": "A19317A3X87NVM"}], "B09QCZNZN8": [{"asin": "B09QCZNZN8", "instruction": "i need a medium size lovers casual round neck valentine's day print short sleeve tummy control v-neck t-shirt top, also, choose the \u8d2248 - wine color one.", "attributes": ["winter warm", "fleece lined", "slim fit", "short sleeve", "tummy control"], "options": ["color: \u8d2248 - wine", "size: medium"], "instruction_attributes": ["short sleeve", "tummy control"], "instruction_options": ["medium"], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPW0XK0W", "worker_id": "A258PTOZ3D2TQR"}], "B08QYJW5T5": [{"asin": "B08QYJW5T5", "instruction": "i need an eco friendly soy candle with an english pear scent.", "attributes": ["eco friendly", "soy wax", "living room"], "options": ["color: freesias & english pear"], "instruction_attributes": ["eco friendly", "soy wax"], "instruction_options": ["freesias & english pear"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0N6X7M", "worker_id": "A19317A3X87NVM"}], "B000WHZFHE": [{"asin": "B000WHZFHE", "instruction": "i'm looking for mccormick easy to prepare turkey gravy mix in a 0.87oz package.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: au jus gravy", "size: 1 ounce (pack of 12)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE2NCQGV", "worker_id": "ABYRAWL4BGD3C"}, {"asin": "B000WHZFHE", "instruction": "i'm looking for a size 0.75 ounce easy prepare turkey gravy mix.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: beef and herb", "size: 0.75 ounce (pack of 24)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["0.75 ounce (pack of 24)"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1BV2IO", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B000WHZFHE", "instruction": "i want an easy to prepare mccormick turkey brown gravy mix.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: premium brown", "size: 1.31 pound (pack of 1)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["premium brown"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AO3STV", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000WHZFHE", "instruction": "can you find me a pack of turkey gravy mix that is easy to prepare?", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: turkey gravy mix", "size: 0.75 ounce (pack of 1)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["turkey gravy mix", "0.75 ounce (pack of 1)"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HGFOYHP", "worker_id": "A3LIIE572Z4OG7"}], "B09LCYXFWX": [{"asin": "B09LCYXFWX", "instruction": "i'm looking for a cell phone case for my new iphone 13 mini, i want the case to have the non slip and wireless charging feature, also, the color should be in clear green and blue.", "attributes": ["non slip", "glass screen", "tempered glass", "wireless charging"], "options": ["color: clear green & blue"], "instruction_attributes": ["non slip", "wireless charging"], "instruction_options": ["clear green & blue"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQ1DJRB", "worker_id": "ARW1TCHCLEK1W"}], "B09DFFVJMQ": [{"asin": "B09DFFVJMQ", "instruction": "i'm looking for soft, blue plaid throw pillows for the living room, also machine washable.", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: blue ,plaid", "size: 16 x 16 inch"], "instruction_attributes": ["super soft", "machine washable", "living room"], "instruction_options": ["blue ,plaid"], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSGR6T6", "worker_id": "A19317A3X87NVM"}], "B07Q6PCRWP": [{"asin": "B07Q6PCRWP", "instruction": "i want to find a pair of women's ankle boots in an ice blue color. i wear a size 5 and need good arch support.", "attributes": ["leather sole", "arch support"], "options": ["color: ice blue nubuck", "size: 5"], "instruction_attributes": ["arch support"], "instruction_options": ["ice blue nubuck", "5"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EY5B1H", "worker_id": "A345TDMHP3DQ3G"}], "B07HBDV8Z5": [{"asin": "B07HBDV8Z5", "instruction": "find me a 2 ft 3 in x 14 ft sized living room square rug in either navy or cream color.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: cream | navy", "item shape: square", "size: 2 ft 3 in x 14 ft"], "instruction_attributes": ["living room"], "instruction_options": ["cream | navy", "square", "2 ft 3 in x 14 ft"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALVD4HW", "worker_id": "A3AYHESLQSDY5T"}], "B07MZ353XV": [{"asin": "B07MZ353XV", "instruction": "i need a large high resolution photography background in 10x7ft.", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 10x7ft"], "instruction_attributes": ["high resolution", "digital photography"], "instruction_options": ["10x7ft"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLAQUR8A", "worker_id": "A19317A3X87NVM"}], "B07D4BFKYB": [{"asin": "B07D4BFKYB", "instruction": "i'm looking for a solid wood, full size low platform storage bed.", "attributes": ["solid wood", "box spring"], "options": ["color: royal - dolphin linen", "size: full"], "instruction_attributes": ["solid wood"], "instruction_options": ["full"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7JJQYA", "worker_id": "A292TFDMNVS0TP"}, {"asin": "B07D4BFKYB", "instruction": "i am interested in a bos spring storage bed which is king sized.", "attributes": ["solid wood", "box spring"], "options": ["color: hadley - onyx", "size: king"], "instruction_attributes": ["box spring"], "instruction_options": ["king"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYPFHDT", "worker_id": "AHXHM1PQTRWIQ"}], "B01HJWEE4O": [{"asin": "B01HJWEE4O", "instruction": "i'd like to find a 3-pack of male to female high-speed hdmi cables. ideally these cables should be 12 feet long.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 3 pack", "size: 12 feet (4 pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["3 pack", "12 feet (4 pack)", "hdmi male to female"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHN4HQ0", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B01HJWEE4O", "instruction": "i want to buy hdmi cable which is gold plated and comes in 10 pack with a length of 1.5 feet and is an hdmi male to male.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 1.5 feet (3 pack)", "style: hdmi male to male"], "instruction_attributes": ["gold plated"], "instruction_options": ["10 pack", "1.5 feet (3 pack)", "hdmi male to male"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTR5LP0", "worker_id": "AJY5G987IRT25"}], "B07T1WNB1B": [{"asin": "B07T1WNB1B", "instruction": "please help me find a cozy and warm fleece throw blanket. it should be quite large, about 50 by 80 inches.", "attributes": ["long lasting", "fleece throw"], "options": ["color: follow your dreamssan8295", "size: 50 in x 80 in"], "instruction_attributes": ["fleece throw"], "instruction_options": ["50 in x 80 in"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9W3V2S", "worker_id": "A3LIIE572Z4OG7"}], "B06XFVZWQF": [{"asin": "B06XFVZWQF", "instruction": "i want to find an ac adapter that features a dual-band cradle signal booster kit.", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZL2JF2S", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B06XFVZWQF", "instruction": "i am looking for an ac adapter that has output protection.", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NPJ2PT", "worker_id": "A2ECRNQ3X5LEXD"}], "B07S975Y8V": [{"asin": "B07S975Y8V", "instruction": "i want to find a pair of women's classic side sandals in black and red. i wear a size 7, and the shoes need to feature ethylene vinyl.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: black | red", "size: 7 women | 5 men"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["black | red", "7 women | 5 men"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401U4UMM", "worker_id": "A345TDMHP3DQ3G"}], "B08ZJWG6JM": [{"asin": "B08ZJWG6JM", "instruction": "i'd like to find a pair of size-12 men's waterproof sneakers. it should have ethylene vinyl and ideally i want the color to be breen.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: breen", "size: 12"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["breen", "12"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVDHX9L", "worker_id": "A345TDMHP3DQ3G"}], "B08THJRWHK": [{"asin": "B08THJRWHK", "instruction": "i need a 70\" portable, easy to install, and easy to use projector screen.", "attributes": ["easy install", "easy use"], "options": ["color: 70\""], "instruction_attributes": ["easy install", "easy use"], "instruction_options": ["70\""], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIWGRBA", "worker_id": "A19317A3X87NVM"}], "B08SPX44X3": [{"asin": "B08SPX44X3", "instruction": "i need some medium white casual shorts in a regular size.", "attributes": ["daily casual", "moisture wicking", "wash cold", "machine wash", "elastic waistband", "regular fit", "tumble dry"], "options": ["color: white", "size: medium"], "instruction_attributes": ["daily casual", "regular fit"], "instruction_options": ["white", "medium"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTZWN9G", "worker_id": "A19317A3X87NVM"}], "B00JJ5BPYM": [{"asin": "B00JJ5BPYM", "instruction": "i'm looking for a 12-pack of individually wrapped, spicy beef jamaican style patties.", "attributes": ["fully cooked", "individually wrapped"], "options": ["flavor: spicy beef", "size: 12 count (pack of 1)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["spicy beef", "12 count (pack of 1)"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXDZYLW", "worker_id": "A345TDMHP3DQ3G"}], "B09MYRB37Q": [{"asin": "B09MYRB37Q", "instruction": "i need a heavy duty beauty salon chair in black.", "attributes": ["heavy duty", "easy clean", "high quality", "beauty salon", "hair salon"], "options": ["color: black", "size: 2"], "instruction_attributes": ["heavy duty", "beauty salon"], "instruction_options": ["black"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILV1GZS7", "worker_id": "A19317A3X87NVM"}], "B07HJW43PF": [{"asin": "B07HJW43PF", "instruction": "i'm looking for a pair of men's adidas shoes with lace closure and rubber sole, and i need size seven.", "attributes": ["lace closure", "rubber sole"], "options": ["color: collegiate navy | white | core black", "size: 7"], "instruction_attributes": ["lace closure"], "instruction_options": ["7"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC5P8RKB", "worker_id": "ARW1TCHCLEK1W"}], "B095BV6LP8": [{"asin": "B095BV6LP8", "instruction": "i want a bling smartwatch case, apple series 6/5/4/3/2/1, with tempered glass, to fit a 44mm watch.", "attributes": ["compatible apple", "tempered glass", "glass screen"], "options": ["color: rose gold with tempered glass screen protector", "size: 44mm"], "instruction_attributes": ["compatible apple", "tempered glass"], "instruction_options": ["rose gold with tempered glass screen protector"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQX1S6R", "worker_id": "A13XQ3ZQLWYR72"}], "B08SHVTZ5Z": [{"asin": "B08SHVTZ5Z", "instruction": "i'm looking for a pair of turbo regular men's slippers with soft rubber floaters.", "attributes": ["long lasting", "ethylene vinyl", "vinyl acetate", "arch support", "rubber sole"], "options": ["color: royal blue black", "size: 10 m uk"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJX00UJ9", "worker_id": "ABYRAWL4BGD3C"}], "B07KWTYZJN": [{"asin": "B07KWTYZJN", "instruction": "i need an officially plated iron armor t-shirt which is medium, and also navy blue.", "attributes": ["officially licensed", "wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: women", "size: medium"], "instruction_attributes": ["officially licensed"], "instruction_options": ["navy", "medium"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9HAX56", "worker_id": "A19317A3X87NVM"}], "B081QN8R8D": [{"asin": "B081QN8R8D", "instruction": "i'd like to find a six-piece haircare gift set that includes items specifically meant to promote hair growth.", "attributes": ["tea tree", "hair growth"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDU20SL", "worker_id": "A345TDMHP3DQ3G"}], "B07Q4SBPP4": [{"asin": "B07Q4SBPP4", "instruction": "i'd like a brown wire-framed coffee table that i can put in my living room, fully assembled.", "attributes": ["fully assembled", "assembly required", "wood finish", "living room"], "options": [""], "instruction_attributes": ["fully assembled", "living room"], "instruction_options": [], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LV8EJKB", "worker_id": "A345TDMHP3DQ3G"}], "B08MMQH84M": [{"asin": "B08MMQH84M", "instruction": "i'm looking for some non-slip black vinyls.", "attributes": ["non slip", "ethylene vinyl", "vinyl acetate"], "options": ["color: new black", "size: 8.5 women | 8 men"], "instruction_attributes": ["non slip", "ethylene vinyl", "vinyl acetate"], "instruction_options": ["new black"], "assignment_id": "33CID5710F37J25O7G1CGJZBOCQL3Z", "worker_id": "A19317A3X87NVM"}], "B09R37C1G7": [{"asin": "B09R37C1G7", "instruction": "bragg premium nutritional yeast seasoning - vegan, gluten free cheese flakes \u2013 good source of protein & vitamins \u2013 nutritious savory parmesan cheese substitute \u2013 non gmo verified (variety, 3.0 ounce (pack of 2))", "attributes": ["low calorie", "low sodium", "dairy free", "non gmo", "gluten free"], "options": ["flavor: smoky bbq", "size: 4.5 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["smoky bbq"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAGCXZ7", "worker_id": "A3LIIE572Z4OG7"}], "B07JFD7D32": [{"asin": "B07JFD7D32", "instruction": "i'm looking for permanent hair coloring in a smoky pink color.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: smokey pink", "size: pack of 2", "style: silver & pinks"], "instruction_attributes": ["permanent hair"], "instruction_options": ["smokey pink"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRHUXJF", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07JFD7D32", "instruction": "i am looking for l'oreal paris feria hair dye in the color tropical teal.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 517 tropical teal", "size: pack of 1", "style: blues"], "instruction_attributes": ["hair dye"], "instruction_options": ["517 tropical teal"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LKRSPX", "worker_id": "AK3JMCIGU8MLU"}], "B074PB6F5J": [{"asin": "B074PB6F5J", "instruction": "i need some high performance speakers that are easy to install.", "attributes": ["high performance", "high speed", "easy install"], "options": [""], "instruction_attributes": ["high performance", "easy install"], "instruction_options": [], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TYONM0", "worker_id": "A19317A3X87NVM"}], "B07DQS31BW": [{"asin": "B07DQS31BW", "instruction": "i'm looking for the harklinikken balancing shampoo in 2.54 oz. it must be plant based and comprised of seed oil.", "attributes": ["plant based", "seed oil"], "options": [""], "instruction_attributes": ["plant based", "seed oil"], "instruction_options": [], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4W1I0C", "worker_id": "A1CB72B51L7TKE"}], "B00I83XF76": [{"asin": "B00I83XF76", "instruction": "i need high-speed usb cables with gold plates in a simple packaging.", "attributes": ["high speed", "gold plated"], "options": ["product packaging: frustration-free packaging", "size: 6 feet", "style: 1-pack + cable - 16 feet"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["frustration-free packaging"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPVXOR9", "worker_id": "A19317A3X87NVM"}], "B00KXDW4EE": [{"asin": "B00KXDW4EE", "instruction": "i need a 35-quart top mount pullout kitchen waste trash container easy install bin for 1.63 inch wood frame cabinet", "attributes": ["white item", "easy install", "wood frame"], "options": [""], "instruction_attributes": ["easy install", "wood frame"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3DPP63", "worker_id": "A258PTOZ3D2TQR"}], "B09DBRRC2J": [{"asin": "B09DBRRC2J", "instruction": "i want to find nontoxic eye shadow in white gold, as part of a blending brush set.", "attributes": ["non toxic", "eye shadow"], "options": ["color: white gold"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZLSNRT", "worker_id": "A345TDMHP3DQ3G"}], "B081KQTYZQ": [{"asin": "B081KQTYZQ", "instruction": "i need a quick release camera mount made of aluminum alloy.", "attributes": ["quick release", "aluminum alloy"], "options": [""], "instruction_attributes": ["quick release", "aluminum alloy"], "instruction_options": [], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SGWDU7", "worker_id": "A19317A3X87NVM"}], "B08MTQ1156": [{"asin": "B08MTQ1156", "instruction": "i need a machine washable jogger outfit in a red color.", "attributes": ["easy care", "machine washable"], "options": ["color: bling glitter-wine red", "size: large"], "instruction_attributes": ["easy care", "machine washable"], "instruction_options": ["bling glitter-wine red"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1AL8FHH", "worker_id": "A19317A3X87NVM"}], "B08G1995C3": [{"asin": "B08G1995C3", "instruction": "i want to buy a double-sided shower brush.", "attributes": ["double sided", "non toxic"], "options": [""], "instruction_attributes": ["double sided"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVY3F6LD", "worker_id": "A114NK7T5673GK"}], "B08ZLK16RR": [{"asin": "B08ZLK16RR", "instruction": "i want to find a straight spotting scope that i can use for bird-watching.", "attributes": ["non slip", "bird watching"], "options": ["shape: straight"], "instruction_attributes": ["bird watching"], "instruction_options": ["straight"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UEBJ6P", "worker_id": "A345TDMHP3DQ3G"}], "B09P5BJBML": [{"asin": "B09P5BJBML", "instruction": "i want to find some whitening toothpaste for sensitive teeth. the color should be orange and ideally it'll come in a set of two.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: orange", "size: 2bottle"], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": ["orange", "2bottle"], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38GKXJJX", "worker_id": "A345TDMHP3DQ3G"}], "B08NWSR8VL": [{"asin": "B08NWSR8VL", "instruction": "i am looking down jacket ,long sleeve pedded coat insulated thick puffer jacket", "attributes": ["winter warm", "long sleeve", "short sleeve", "faux fur"], "options": ["color: black-faux fur", "size: x-large"], "instruction_attributes": ["winter warm", "long sleeve"], "instruction_options": ["black-faux fur"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2YSHIV7", "worker_id": "A3N9ZYQAESNFQH"}], "B00NTR9B6A": [{"asin": "B00NTR9B6A", "instruction": "i'm looking for a skincare set including a snail gel cream. choose the ones that are fragrance and paraben free and comes in a size of 1.52 fl oz.", "attributes": ["fragrance free", "paraben free", "green tea", "hyaluronic acid"], "options": ["size: 1.52 fl oz (pack of 1)"], "instruction_attributes": ["fragrance free", "paraben free"], "instruction_options": ["1.52 fl oz (pack of 1)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZY8LK6", "worker_id": "A3MNXK3VDK37SN"}], "B017BE451M": [{"asin": "B017BE451M", "instruction": "i'm looking for some easy to install center channel speakers.", "attributes": ["easy install", "carbon fiber"], "options": ["size: 10 in", "style: center channel"], "instruction_attributes": ["easy install"], "instruction_options": ["center channel"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZYCKL9", "worker_id": "A19317A3X87NVM"}], "B01MQENV0C": [{"asin": "B01MQENV0C", "instruction": "i need a paraben free blow out mist serum.", "attributes": ["sulfate free", "paraben free", "natural hair"], "options": ["style: blow out mist"], "instruction_attributes": ["paraben free"], "instruction_options": ["blow out mist"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IVKBCV", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QQ8TVC2": [{"asin": "B09QQ8TVC2", "instruction": "i want to find a men's wine-colored long sleeve dress shirt in size xx-large.", "attributes": ["slim fit", "wash cold", "hand wash", "machine wash", "long sleeve", "regular fit", "short sleeve", "stretch fabric", "unique design", "button closure", "tumble dry"], "options": ["color: wine", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["wine", "xx-large"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILV06SZO", "worker_id": "A345TDMHP3DQ3G"}], "B095HCT8CK": [{"asin": "B095HCT8CK", "instruction": "i'm trying to find a black and walnut standing desk. it should be electric and height adjustable with memory presets as well.", "attributes": ["height adjustable", "white item", "steel frame"], "options": ["color: walnut and black", "size: 63"], "instruction_attributes": ["height adjustable"], "instruction_options": ["walnut and black"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NTXN2Z", "worker_id": "A3A9UHGEZBQBQP"}], "B09HRZ8V4P": [{"asin": "B09HRZ8V4P", "instruction": "i need a high quality elastic tie for my hair with a light blue band.", "attributes": ["high quality", "rose gold"], "options": ["color: light blue"], "instruction_attributes": ["high quality"], "instruction_options": ["light blue"], "assignment_id": "33CID5710F37J25O7G1CGJZBOCC3L3", "worker_id": "A19317A3X87NVM"}], "B07Y2FYGTN": [{"asin": "B07Y2FYGTN", "instruction": "i want to buy a keto deluxe trail mix that is made with natural flavors.", "attributes": ["artificial ingredients", "natural ingredients", "artificial flavors"], "options": ["flavor name: keto deluxe mix", "size: 18 ounce (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["keto deluxe mix"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJ7HW0F", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B07Y2FYGTN", "instruction": "i am interested in buying snacks which have natural ingredients, and have a flavor of keto choconut mix and the size of which is 16 ounce and come in pack of 1.", "attributes": ["artificial ingredients", "natural ingredients", "artificial flavors"], "options": ["flavor name: keto choconut mix", "size: 16 ounce (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["keto choconut mix", "16 ounce (pack of 1)"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH5W6HY", "worker_id": "AJY5G987IRT25"}, {"asin": "B07Y2FYGTN", "instruction": "i need a 1.5 pound box of trail mix that is keto and has natural ingredients.", "attributes": ["artificial ingredients", "natural ingredients", "artificial flavors"], "options": ["flavor name: keto variety snack packs", "size: 1.5 pound (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["keto variety snack packs", "1.5 pound (pack of 1)"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW2F4T3", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q98WCJQ": [{"asin": "B09Q98WCJQ", "instruction": "i need an easy carry headset in gray.", "attributes": ["easy carry", "carrying case"], "options": ["color: gray small"], "instruction_attributes": ["easy carry"], "instruction_options": ["gray small"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBPRAOA2", "worker_id": "A19317A3X87NVM"}], "B086WM1LQK": [{"asin": "B086WM1LQK", "instruction": "i'm looking for unicorn sprinkle surprise cereal bars which coms with 15 count (pack of 1), also gluten free and non gmo.", "attributes": ["individually wrapped", "gluten free", "non gmo", "nut free", "quality ingredients"], "options": ["flavor name: unicorn sprinkle surprise", "size: 15 count (pack of 1)"], "instruction_attributes": ["gluten free", "non gmo"], "instruction_options": ["unicorn sprinkle surprise", "15 count (pack of 1)"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCIFQ4K", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B086WM1LQK", "instruction": "i am looking gluten free non gmo nut free cereal bar size 40 count", "attributes": ["individually wrapped", "gluten free", "non gmo", "nut free", "quality ingredients"], "options": ["flavor name: dragon's dream cookies n' cream", "size: 40 count (pack of 1)"], "instruction_attributes": ["gluten free", "non gmo", "nut free"], "instruction_options": ["40 count (pack of 1)"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA932TZ3P", "worker_id": "A3N9ZYQAESNFQH"}], "B09MFL33Z2": [{"asin": "B09MFL33Z2", "instruction": "i need to buy a power charger for my car that is fast charging. it also needs to be black blue.", "attributes": ["fast charging", "high speed", "usb port"], "options": ["color: black blue(pd+qc)"], "instruction_attributes": ["fast charging"], "instruction_options": ["black blue(pd+qc)"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MK5I7DI", "worker_id": "A2YNPKYEFDZ6C9"}], "B09DK2QTMF": [{"asin": "B09DK2QTMF", "instruction": "i am looking for quad core video game console with high definition. pick a 256 gb one that is yellow in color.", "attributes": ["plug play", "high definition", "quad core"], "options": ["size: 256g-yellow"], "instruction_attributes": ["high definition", "quad core"], "instruction_options": ["256g-yellow"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUUU0MC7", "worker_id": "A1NF6PELRKACS9"}], "B09Q89DYTJ": [{"asin": "B09Q89DYTJ", "instruction": "i'm looking for some black high heeled sandals for my mom. she wears size 5.5.", "attributes": ["day comfort", "anti slip", "open toe", "non slip", "hand wash", "lace closure", "high heel", "faux fur"], "options": ["color: black", "size: 5.5"], "instruction_attributes": ["high heel"], "instruction_options": ["black", "5.5"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXR06WN4", "worker_id": "A36LOA6VLJU157"}], "B07VDMFW5D": [{"asin": "B07VDMFW5D", "instruction": "chocolatefilledcandy", "attributes": ["old fashioned", "non gmo"], "options": ["style: butterscotch"], "instruction_attributes": ["old fashioned"], "instruction_options": ["butterscotch"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCAI7IC", "worker_id": "A2EF88OYJ2OX19"}], "B00DYQ3Z5E": [{"asin": "B00DYQ3Z5E", "instruction": "i'm looking for gluten free which has a protein found in a wheat.", "attributes": ["nut free", "gluten free"], "options": ["flavor: peach preserve", "size: 12 ounce (pack of 2)", "style: preserve + morello cherry preserve"], "instruction_attributes": ["gluten free"], "instruction_options": ["peach preserve", "12 ounce (pack of 2)"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCC9VMBV", "worker_id": "A16IQOX0DK14OJ"}], "B09RWJWH4V": [{"asin": "B09RWJWH4V", "instruction": "find me the large loose fit towmus mens polo t shirt.", "attributes": ["slim fit", "loose fit", "moisture wicking", "short sleeve", "long sleeve", "regular fit", "classic fit"], "options": ["color: white", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["large"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU08L8JI", "worker_id": "A1CB72B51L7TKE"}], "B00J2APBZI": [{"asin": "B00J2APBZI", "instruction": "i want a oil-free concealer for dark circles for medium color.", "attributes": ["oil free", "dark circles"], "options": ["color: medium | deep", "size: 1 count (pack of 1)"], "instruction_attributes": ["oil free", "dark circles"], "instruction_options": ["medium | deep"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OHV3MY", "worker_id": "A19317A3X87NVM"}], "B08MDH6DPS": [{"asin": "B08MDH6DPS", "instruction": "i'd like to find a four-pack of low-carb chocolate chip cookies.", "attributes": ["low carb", "keto friendly", "high protein", "sugar free"], "options": ["flavor name: chocolate chip", "size: 4 pack"], "instruction_attributes": ["low carb"], "instruction_options": ["chocolate chip", "4 pack"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A65T7U8", "worker_id": "A345TDMHP3DQ3G"}], "B08QCY2B72": [{"asin": "B08QCY2B72", "instruction": "i want a power inverter with dual ac outlets and usb for my car. it should be 900 watts.", "attributes": ["high speed", "usb port", "aluminum alloy"], "options": ["size: 900watt"], "instruction_attributes": ["usb port"], "instruction_options": ["900watt"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TYAMNL", "worker_id": "A1NF6PELRKACS9"}], "B09QQL392H": [{"asin": "B09QQL392H", "instruction": "i need some purple polyester robes.", "attributes": ["hand wash", "machine wash", "drawstring waist", "elastic waist", "polyester spandex", "short sleeve"], "options": ["color: 2 purple", "size: xx-large"], "instruction_attributes": ["elastic waist", "polyester spandex"], "instruction_options": ["2 purple"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VLBGFZ", "worker_id": "A19317A3X87NVM"}], "B09534QLNF": [{"asin": "B09534QLNF", "instruction": "i need a steel framed dining set with a black and blue coating.", "attributes": ["high density", "coated steel", "tempered glass", "steel frame"], "options": ["color: black and blue", "size: 4 pieces"], "instruction_attributes": ["coated steel", "steel frame"], "instruction_options": ["black and blue"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB1P0LUX", "worker_id": "A19317A3X87NVM"}], "B07MS8XZPH": [{"asin": "B07MS8XZPH", "instruction": "i'm looking for a waterproof hiking sandals with arch support. also, choose the red color in a size 6.", "attributes": ["anti slip", "arch support"], "options": ["color: red-2", "size: 6"], "instruction_attributes": ["arch support"], "instruction_options": ["red-2", "6"], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM9O01IR", "worker_id": "A1TWVJS27CL3KT"}, {"asin": "B07MS8XZPH", "instruction": "i need an anti slip pair of sandals with arch support. pick something in purple, grey or green.", "attributes": ["anti slip", "arch support"], "options": ["color: purple grey green", "size: 11"], "instruction_attributes": ["anti slip", "arch support"], "instruction_options": ["purple grey green"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5S45F9", "worker_id": "A1NF6PELRKACS9"}], "B00CBM1EYG": [{"asin": "B00CBM1EYG", "instruction": "i want to find some bpa-free bottles of strawberry flavored emulsion extract. please find a package of six 4-ounce bottles.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: strawberry", "size: 4 ounce, 6 pack"], "instruction_attributes": ["bpa free"], "instruction_options": ["strawberry", "4 ounce, 6 pack"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OA799V", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B00CBM1EYG", "instruction": "i would like a 16 fluid ounce rum imitation extract that is bpa free.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: rum", "size: 16 fl oz."], "instruction_attributes": ["bpa free"], "instruction_options": ["rum", "16 fl oz."], "assignment_id": "352YTHGRO6NQF252G9RXYWYAL9TH4H", "worker_id": "A1WS884SI0SLO4"}], "B09NN95T7F": [{"asin": "B09NN95T7F", "instruction": "i need a bundle of red shower caps that are used for hair treatment.", "attributes": ["hair treatment", "hair salon"], "options": ["color: red"], "instruction_attributes": ["hair treatment"], "instruction_options": ["red"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTEZP9G", "worker_id": "AMG9Y1YLBTKIV"}], "B096LRK34W": [{"asin": "B096LRK34W", "instruction": "i want to find a black xx-large men's jean jacket that i can throw in the washing machine.", "attributes": ["slim fit", "machine wash", "day comfort", "button closure", "tumble dry"], "options": ["color: black 3106", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["black 3106", "xx-large"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017MV4P9", "worker_id": "A345TDMHP3DQ3G"}], "B08NHBJP12": [{"asin": "B08NHBJP12", "instruction": "i'm looking for non gmo kettle corn in the flavors of dark chocolate, marshmallow, and frosted sugar cookie. also, choose the set of three", "attributes": ["non gmo", "gluten free", "high fructose"], "options": ["flavor name: chocolate-covered raspberry & dark choco...", "size: 3 piece assortment"], "instruction_attributes": ["non gmo"], "instruction_options": ["chocolate-covered raspberry & dark choco...", "3 piece assortment"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGT9KOQX", "worker_id": "A1TWVJS27CL3KT"}], "B09LCQZZG4": [{"asin": "B09LCQZZG4", "instruction": "i need some compact space saving bookcases.", "attributes": ["space saving", "living room"], "options": [""], "instruction_attributes": ["space saving"], "instruction_options": [], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZCF3K8", "worker_id": "A19317A3X87NVM"}], "B07PNRXGZ8": [{"asin": "B07PNRXGZ8", "instruction": "i'm interested in a lightweight, easy to carry background for digital photography that is 9 x 6 feet.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 9x6ft"], "instruction_attributes": ["light weight", "easy carry", "digital photography"], "instruction_options": ["9x6ft"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKC2CE0F", "worker_id": "AFU00NU09CFXE"}], "B07V3HC86K": [{"asin": "B07V3HC86K", "instruction": "i want a super soft, yellow rug for the living room area.", "attributes": ["super soft", "living room"], "options": ["color: yellow", "size: 2 x 3 ft rectangle"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["yellow"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNYRDU0L", "worker_id": "A19317A3X87NVM"}], "B07SKCDWB1": [{"asin": "B07SKCDWB1", "instruction": "i'm looking for a tempered glass iphone 11 screen protector", "attributes": ["tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["tempered glass"], "instruction_options": [], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SIPNT3L", "worker_id": "A292TFDMNVS0TP"}], "B09CYTXQPQ": [{"asin": "B09CYTXQPQ", "instruction": "large size white colored 1/4 zip golf shirt long sleeve athletic pullover with brushed fleece lining", "attributes": ["moisture wicking", "polyester spandex", "long sleeve"], "options": ["color: white", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XO4N9LR", "worker_id": "AL8NYDL4JOYL3"}], "B081H93CSY": [{"asin": "B081H93CSY", "instruction": "i am looking for dukal toothpastes of size :2.75 ounce |144 pack with oral hygiene.", "attributes": ["oral hygiene", "sensitive teeth"], "options": ["size: 2.75 ounce | 144 pack."], "instruction_attributes": ["oral hygiene"], "instruction_options": ["2.75 ounce | 144 pack."], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YIH3QA", "worker_id": "AX2EWYWZM19AZ"}], "B08NR5SJSW": [{"asin": "B08NR5SJSW", "instruction": "i need a face mask for dead skin removal with a peppermint scent.", "attributes": ["dead skin", "sensitive skin"], "options": ["scent: peppermint"], "instruction_attributes": ["dead skin"], "instruction_options": ["peppermint"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLK5VA9", "worker_id": "A19317A3X87NVM"}], "B08TZZP8MN": [{"asin": "B08TZZP8MN", "instruction": "i'm looking for an extra large boxer briefs with customizable multi face prints. choose the machine washable ones.", "attributes": ["machine washable", "machine wash", "comfortable fit"], "options": ["color: multi face", "size: x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["multi face", "x-large"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z4VLQCM", "worker_id": "A3MNXK3VDK37SN"}], "B08L4C63YF": [{"asin": "B08L4C63YF", "instruction": "i want to find a women's gift set that contains long-lasting edt spray and body cream.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZAPSHY", "worker_id": "A345TDMHP3DQ3G"}], "B09MMWY57X": [{"asin": "B09MMWY57X", "instruction": "large size black 44410 color snowflake graphic flowy vintage loose tunic tops for women", "attributes": ["hand wash", "short sleeve", "long sleeve", "tumble dry", "teen girls", "daily wear"], "options": ["color: black 44410", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8M56LWR", "worker_id": "AL8NYDL4JOYL3"}], "B08R5L5H8F": [{"asin": "B08R5L5H8F", "instruction": "i'm looking for a professional photography turntable with electric motorized 360-degree rotating display stand and soft touch button to control speed in white.", "attributes": ["batteries included", "long lasting", "aaa batteries"], "options": ["color: white"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72A61OEQ", "worker_id": "ABYRAWL4BGD3C"}], "B00S560WPE": [{"asin": "B00S560WPE", "instruction": "i need a dermatologist tested moisturizer with a buttercream scent.", "attributes": ["dermatologist tested", "oil free", "hyaluronic acid"], "options": ["flavor name: buttercream 03", "size: 1.18 fl oz (pack of 1)"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["buttercream 03"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMBVW9B", "worker_id": "A19317A3X87NVM"}], "B08QV6FVNP": [{"asin": "B08QV6FVNP", "instruction": "i need some grey living room pillow covers.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: grey 2 | linen band", "size: 2 pieces, 12\" x20\""], "instruction_attributes": ["living room"], "instruction_options": ["grey 2 | linen band"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGY8YDHA", "worker_id": "A19317A3X87NVM"}], "B0014C2NKS": [{"asin": "B0014C2NKS", "instruction": "i want some vinyl acetate clogs in women's size 8.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: pool", "size: 8 women | 7 men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["8 women | 7 men"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNFPSLDA", "worker_id": "A19317A3X87NVM"}], "B07PX8S57X": [{"asin": "B07PX8S57X", "instruction": "i am looking lightweight backgrounds for my digital photography that has 15x10ft size", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 15x10ft"], "instruction_attributes": ["light weight", "digital photography"], "instruction_options": ["15x10ft"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUFJQJP", "worker_id": "A2COCSUGZV28X"}], "B08TVSCDKC": [{"asin": "B08TVSCDKC", "instruction": "find me a heavy duty wall plate that is 1-gang blank style.", "attributes": ["heavy duty", "high gloss"], "options": ["style: 1-gang blank"], "instruction_attributes": ["heavy duty"], "instruction_options": ["1-gang blank"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q37ALZH", "worker_id": "A36LOA6VLJU157"}], "B007TDNS3M": [{"asin": "B007TDNS3M", "instruction": "i'm interested in a pair of rubber-soled, non-slip snakeskin shoes in a size medium.", "attributes": ["non slip", "high heel", "rubber sole"], "options": ["color: snakeskin (black | silver)", "size: medium (6.5 - 8)"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["snakeskin (black | silver)", "medium (6.5 - 8)"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISHWYO3", "worker_id": "AFU00NU09CFXE"}], "B00KYOMIDY": [{"asin": "B00KYOMIDY", "instruction": "i'm looking for a pair of navy pants for men in a size 36w x 34l for daily wear made from a polyester-cotton blend.", "attributes": ["polyester cotton", "stretch fabric", "daily wear"], "options": ["color: navy", "size: 36w x 34l"], "instruction_attributes": ["polyester cotton", "daily wear"], "instruction_options": ["navy", "36w x 34l"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LZE0LP", "worker_id": "AFU00NU09CFXE"}], "B09CSTXGQ5": [{"asin": "B09CSTXGQ5", "instruction": "i want 50g of green brew edible glitter in bronze. it must be nut and dairy free.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: bronze", "size: 50g"], "instruction_attributes": ["nut free", "dairy free"], "instruction_options": ["bronze", "50g"], "assignment_id": "38F71OA9G46M5W32RN3TH53XR7DFMW", "worker_id": "A1CB72B51L7TKE"}, {"asin": "B09CSTXGQ5", "instruction": "i want a nut free brew glitter in the maroon red color.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: maroon red", "size: 45g shaker"], "instruction_attributes": ["nut free"], "instruction_options": ["maroon red"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHC11EO", "worker_id": "AVIEE6LDH0BT5"}], "B09KTYCG98": [{"asin": "B09KTYCG98", "instruction": "i am looking for an easy to assemble sofa with metal legs and preferably grey in color.", "attributes": ["button tufted", "easy assemble", "metal legs", "solid wood", "living room"], "options": ["color: grey"], "instruction_attributes": ["easy assemble", "metal legs"], "instruction_options": ["grey"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDF679EN", "worker_id": "A114NK7T5673GK"}], "B08PCNXQJH": [{"asin": "B08PCNXQJH", "instruction": "i want the n!ck's swedish chocolate variety pack ice cream but i want the bakery flavor. it must be keto friendly.", "attributes": ["keto friendly", "zero sugar"], "options": ["flavor name: bakery"], "instruction_attributes": ["keto friendly"], "instruction_options": ["bakery"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXX67G0", "worker_id": "A1CB72B51L7TKE"}], "B07XS6W35B": [{"asin": "B07XS6W35B", "instruction": "i want to find 0.9 ounce packets of old-fashioned, harvest raspberry flavored oatmeal. they should come in a pack of 8.", "attributes": ["old fashioned", "artificial colors"], "options": ["flavor: harvest raspberry", "size: 0.9 ounce (pack of 8)"], "instruction_attributes": ["old fashioned"], "instruction_options": ["harvest raspberry", "0.9 ounce (pack of 8)"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96V84G5", "worker_id": "A345TDMHP3DQ3G"}], "B081KWP6N5": [{"asin": "B081KWP6N5", "instruction": "i want to find a hand-crafted care package box filled with the best meats, cheeses and savory snacks.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWAC6WZ", "worker_id": "A345TDMHP3DQ3G"}], "B09DGG7H6H": [{"asin": "B09DGG7H6H", "instruction": "i need a clear glass wall mounting lamp for my bath room. and i would prefer 2-light size", "attributes": ["vanity light", "clear glass", "glass shade", "light fixture"], "options": ["size: 2-light"], "instruction_attributes": ["clear glass"], "instruction_options": ["2-light"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X02QD437", "worker_id": "A2COCSUGZV28X"}], "B09P8HZ15L": [{"asin": "B09P8HZ15L", "instruction": "please help me find a monocular telescope with good high power and zoom. it needs to work at night for bird watching.", "attributes": ["non slip", "high power", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8RSWKSZ", "worker_id": "A3LIIE572Z4OG7"}], "B08TVWK24W": [{"asin": "B08TVWK24W", "instruction": "i need heavy duty electrical outlets with high gloss.", "attributes": ["heavy duty", "high gloss"], "options": ["style: outlet"], "instruction_attributes": ["heavy duty", "high gloss"], "instruction_options": ["outlet"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0ETRAD", "worker_id": "A19317A3X87NVM"}], "B01N6MGRFE": [{"asin": "B01N6MGRFE", "instruction": "i want to find a pair of dark gray, slip resistant women's work shoes. i wear a size 9.5, usually.", "attributes": ["slip resistant", "synthetic sole"], "options": ["color: dark gray", "size: 9.5"], "instruction_attributes": ["slip resistant"], "instruction_options": ["dark gray"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KF39JA", "worker_id": "A345TDMHP3DQ3G"}], "B07C9JMLWL": [{"asin": "B07C9JMLWL", "instruction": "i want to get some lemon sesame and ginger tuna salad that is wild caught.", "attributes": ["ready eat", "high protein", "wild caught", "gluten free"], "options": ["flavor name: lemon sesame & ginger"], "instruction_attributes": ["wild caught"], "instruction_options": ["lemon sesame & ginger"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4M2XYA", "worker_id": "A2YNPKYEFDZ6C9"}], "B08V4WTKGK": [{"asin": "B08V4WTKGK", "instruction": "i'm looking for a blu-ray and dvd player in ultra hd.", "attributes": ["blu ray", "ultra hd", "dual band"], "options": [""], "instruction_attributes": ["blu ray", "ultra hd"], "instruction_options": [], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6YREV9", "worker_id": "A345TDMHP3DQ3G"}], "B09SV1V24L": [{"asin": "B09SV1V24L", "instruction": "i'm looking for a hair growth serum designed to combat hair loss and repair damaged hair.", "attributes": ["hair growth", "damaged hair", "hair loss"], "options": [""], "instruction_attributes": ["hair growth", "damaged hair", "hair loss"], "instruction_options": [], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2SNY7E", "worker_id": "AFU00NU09CFXE"}], "B09QS66QTZ": [{"asin": "B09QS66QTZ", "instruction": "i'm looking for some mid-century style grey chairs.", "attributes": ["mid century", "easy assemble", "button tufted", "high density", "easy install", "easy clean", "wood frame", "solid wood", "living room"], "options": ["color: grey"], "instruction_attributes": ["mid century"], "instruction_options": ["grey"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84UEC6G", "worker_id": "A19317A3X87NVM"}], "B08KRW147K": [{"asin": "B08KRW147K", "instruction": "i want to find a camel-colored tissue box cover that is made of pu leather.", "attributes": ["pu leather", "living room"], "options": ["color: camel"], "instruction_attributes": ["pu leather"], "instruction_options": ["camel"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788YB5CZ", "worker_id": "A345TDMHP3DQ3G"}], "B09R9M7B76": [{"asin": "B09R9M7B76", "instruction": "i'm looking for dark gray button down short-sleeve shirts.", "attributes": ["machine washable", "loose fit", "hand wash", "short sleeve", "everyday wear"], "options": ["color: a-dark gray", "size: xx-large"], "instruction_attributes": ["short sleeve", "everyday wear"], "instruction_options": ["a-dark gray"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUFZQJ5", "worker_id": "A19317A3X87NVM"}], "B09NY9TVQJ": [{"asin": "B09NY9TVQJ", "instruction": "i'm looking for teeth cleansing toothpaste which is idol for fresh breath,stain removal and longlasting. i need 2pcs in purple color.", "attributes": ["long lasting", "natural ingredients", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: 2pcs purple"], "instruction_attributes": ["long lasting", "fresh breath"], "instruction_options": ["2pcs purple"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TJDUSP", "worker_id": "A3KAF6CU2BYVLG"}], "B09NSSG2GG": [{"asin": "B09NSSG2GG", "instruction": "looking for a very powerful range extender antenna with high performance.", "attributes": ["high performance", "dual band"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZ6T7R8", "worker_id": "A2NF3B9O8ZKLLZ"}], "B0987XMJMF": [{"asin": "B0987XMJMF", "instruction": "i need some non-slip black walking shoes in the color black and size 7.5 for women.", "attributes": ["non slip", "lace closure", "teen girls", "daily wear"], "options": ["color: black", "size: 7.5"], "instruction_attributes": ["non slip", "teen girls"], "instruction_options": ["black", "7.5"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7XK4ZT6", "worker_id": "A19317A3X87NVM"}], "B01A87UAF4": [{"asin": "B01A87UAF4", "instruction": "i need a gift basket for welcoming.", "attributes": ["great gift", "gift basket"], "options": ["color: welcome cottage gift box"], "instruction_attributes": ["gift basket"], "instruction_options": ["welcome cottage gift box"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB680EA4I", "worker_id": "A19317A3X87NVM"}, {"asin": "B01A87UAF4", "instruction": "i am looking for a gift basket of candy & chocolate gifts. also, choose the welcome cottage gift box.", "attributes": ["great gift", "gift basket"], "options": ["color: welcome cottage gift box"], "instruction_attributes": ["gift basket"], "instruction_options": ["welcome cottage gift box"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IRC23Y", "worker_id": "A9QRQL9CFJBI7"}], "B077NXMB8B": [{"asin": "B077NXMB8B", "instruction": "you need to come up with an instruction for a virtual shopping assistant (ai with human-level smartness) to buy a product on amazon. you will be given a product's title along with some of its background information, such as the product's tags, buying options, and its category on the amazon website. you need write an instruction that tells a virtual assistant what you want to buy. include at least one tag in your instruction. when suitable, more tags is better. include at least one buying option in your instruction. check the tag boxes that you included in the instruction. avoid including too much information from \"product title\". this is only to provide a better context (see example page). a good instruction should allow the ai assistant to find the intended product. the instruction should be natural sounding text. imagine you are talking to a smart ai. diversify language use when viable.", "attributes": ["polyester spandex", "elastic closure", "comfortable fit", "tummy control", "gym workout"], "options": ["color: spacedye mattblack", "size: large"], "instruction_attributes": ["tummy control", "gym workout"], "instruction_options": ["spacedye mattblack", "large"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAGRXZM", "worker_id": "ASL9LVC97FUCZ"}], "B01K5BFFQW": [{"asin": "B01K5BFFQW", "instruction": "i need some fresh baked rye.", "attributes": ["baked fresh", "perfect gift"], "options": [""], "instruction_attributes": ["baked fresh"], "instruction_options": [], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQS5L10", "worker_id": "A19317A3X87NVM"}], "B099S9VLGN": [{"asin": "B099S9VLGN", "instruction": "i want buy a string backpack with small woman kids travel bag", "attributes": ["high quality", "eye shadow"], "options": ["color: elephant sunflower"], "instruction_attributes": ["high quality"], "instruction_options": ["elephant sunflower"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EK5UPV6", "worker_id": "A3N9ZYQAESNFQH"}], "B00UJGXSDG": [{"asin": "B00UJGXSDG", "instruction": "i am looking for 9'x 12' size modern ombre that fits for my living room. and i would prefer the purple one", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: cream | purple", "size: 9' x 12'"], "instruction_attributes": ["living room"], "instruction_options": ["cream | purple", "9' x 12'"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMA4XE2", "worker_id": "A2COCSUGZV28X"}], "B007XAHUHQ": [{"asin": "B007XAHUHQ", "instruction": "i want to get some satin nickel wall sconces that are 40 inches in width. they also need to have a bronze finish.", "attributes": ["bronze finish", "glass shade"], "options": ["color: satin nickel", "size: 40\" width"], "instruction_attributes": ["bronze finish"], "instruction_options": ["satin nickel", "40\" width"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3RS2R07", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B007XAHUHQ", "instruction": "this brand eurofase 23271-036 zuma frosted tube glass with cast metal frame sconce wall mount lighting, 2-light 80 total watts, 13\"h x 5\"w, bronze finish for my living room, help me", "attributes": ["bronze finish", "glass shade"], "options": ["color: satin nickel", "size: 5\" width"], "instruction_attributes": ["bronze finish"], "instruction_options": ["5\" width"], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6N1EEK", "worker_id": "A15IJ20C3R4HUO"}], "B073GJN22W": [{"asin": "B073GJN22W", "instruction": "i need a 9 channel power amplifier.", "attributes": ["power amplifier", "high resolution"], "options": ["size: 9 ch."], "instruction_attributes": ["power amplifier"], "instruction_options": ["9 ch."], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZKUCNH", "worker_id": "A19317A3X87NVM"}], "B0868PWFRR": [{"asin": "B0868PWFRR", "instruction": "i need a lorex ultra hd indoor wired dvr security camera system with motion detection", "attributes": ["ultra hd", "high definition", "motion detection"], "options": [""], "instruction_attributes": ["ultra hd", "motion detection"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZ4RK98", "worker_id": "A258PTOZ3D2TQR"}], "B08BF8TLFN": [{"asin": "B08BF8TLFN", "instruction": "i need some straight legged levi jeans in big and tall, with a button and not a zipper.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: the ben big & tall", "size: 56w x 32l"], "instruction_attributes": ["straight leg", "button closure"], "instruction_options": ["the ben big & tall"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95CRTHPK", "worker_id": "A19317A3X87NVM"}, {"asin": "B08BF8TLFN", "instruction": "i would like a pair of 58 w and 32 long dark stonewash straight leg jeans.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: dark stonewash (waterless)", "size: 58w x 32l"], "instruction_attributes": ["straight leg"], "instruction_options": ["dark stonewash (waterless)", "58w x 32l"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4F1BSI", "worker_id": "A1WS884SI0SLO4"}], "B093YT9DVH": [{"asin": "B093YT9DVH", "instruction": "two wolf bags one large and one small bra and panty set jeans white blouse and a zipper jacket", "attributes": ["blouse hosiery", "imported zipper", "laundry bag"], "options": [""], "instruction_attributes": ["imported zipper"], "instruction_options": [], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401UBUMT", "worker_id": "A3TTGSUBIK1YCL"}], "B01MYX0CPW": [{"asin": "B01MYX0CPW", "instruction": "i'm looking for a large package of micro applicator brushes that has it's own storage case and comes in purple, blue, pink, and white.", "attributes": ["storage case", "nail art"], "options": ["color: purple+blue+pink+white (400pcs)"], "instruction_attributes": ["storage case"], "instruction_options": ["purple+blue+pink+white (400pcs)"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UOQK33O", "worker_id": "A3DCXIXXYOO8QL"}], "B08QHX6692": [{"asin": "B08QHX6692", "instruction": "i'm looking for a pair of women's workout shorts with a drawstring waist. i need them to be extra large and in light gray.", "attributes": ["loose fit", "drawstring waist", "drawstring closure", "daily wear"], "options": ["color: light grey", "size: x-large"], "instruction_attributes": ["drawstring waist"], "instruction_options": ["light grey", "x-large"], "assignment_id": "354P56DE9VDCOY11T1135MPML8Y7SI", "worker_id": "A345TDMHP3DQ3G"}], "B07QPVJKYR": [{"asin": "B07QPVJKYR", "instruction": "i want to find strawberry mango fruit spread that's fat free.", "attributes": ["fat free", "high fructose"], "options": ["flavor name: strawberry mango"], "instruction_attributes": ["fat free"], "instruction_options": ["strawberry mango"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP8NLZ72", "worker_id": "A345TDMHP3DQ3G"}], "B08JBMFCXC": [{"asin": "B08JBMFCXC", "instruction": "find me a dual band signal booster.", "attributes": ["dual band", "4g lte"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPI8485C", "worker_id": "A36LOA6VLJU157"}], "B09P13MCCQ": [{"asin": "B09P13MCCQ", "instruction": "i need a light weight photo studio wall prop in 100 square feet for a high resolution image.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a26", "size: 10x10ft | 3x3m"], "instruction_attributes": ["light weight", "high resolution"], "instruction_options": ["10x10ft | 3x3m"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGY9ZN7V", "worker_id": "A19317A3X87NVM"}], "B08CBVV28M": [{"asin": "B08CBVV28M", "instruction": "i'd love help finding a square ottoman coffee table made of solid wood. it should come in gray.", "attributes": ["button tufted", "solid wood"], "options": ["color: grey-pu square ottoman", "size: square ottoman with casters"], "instruction_attributes": ["solid wood"], "instruction_options": ["grey-pu square ottoman", "square ottoman with casters"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHLA4Z2", "worker_id": "A345TDMHP3DQ3G"}], "B01FRGFOHK": [{"asin": "B01FRGFOHK", "instruction": "i'm looking for coconut oil body butters.", "attributes": ["coconut oil", "dry hair"], "options": [""], "instruction_attributes": ["coconut oil"], "instruction_options": [], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XXQ9FAX", "worker_id": "A19317A3X87NVM"}], "B085YFRM74": [{"asin": "B085YFRM74", "instruction": "i'm trying to find white bluetooth speakers that are not only water resistant but also come with stereo sound.", "attributes": ["water resistant", "long lasting", "stereo sound"], "options": ["color: white"], "instruction_attributes": ["water resistant", "stereo sound"], "instruction_options": ["white"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGSELSG", "worker_id": "A345TDMHP3DQ3G"}], "B094JH14C9": [{"asin": "B094JH14C9", "instruction": "i'm looking for a teal blue watch band that's easy to install.", "attributes": ["easy install", "stainless steel"], "options": ["color: teal blue"], "instruction_attributes": ["easy install"], "instruction_options": ["teal blue"], "assignment_id": "39K0FND3ASPR95MUG7H134S6UQGAMS", "worker_id": "A345TDMHP3DQ3G"}], "B095C9YLM2": [{"asin": "B095C9YLM2", "instruction": "i'm looking for some high heeled sandals in size 9. also, in the color red.", "attributes": ["open toe", "closed toe", "ankle strap", "memory foam", "high heel", "arch support"], "options": ["color: #07-red", "size: 9"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["#07-red", "9"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY10708X", "worker_id": "A19317A3X87NVM"}], "B011M8UDA0": [{"asin": "B011M8UDA0", "instruction": "i am looking for an exfoliating and soothing skin cream for keratosis pilaris and would like a two pack of four oz containers", "attributes": ["dermatologist tested", "green tea"], "options": ["size: two pack"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["two pack"], "assignment_id": "3BGYGHDBB8UCXYNXTA52IDVACYI22Z", "worker_id": "A21SVM7079V6OP"}], "B08LGK3SXL": [{"asin": "B08LGK3SXL", "instruction": "i'm hoping to find a stainless steel set of wireless headphones that comes with a carrying case. ideally the metal on the headphones should be black and the leather should be olive colored.", "attributes": ["gold plated", "carrying case", "stainless steel"], "options": ["color: black metal | olive leather"], "instruction_attributes": ["carrying case", "stainless steel"], "instruction_options": ["black metal | olive leather"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163ESPQR", "worker_id": "A345TDMHP3DQ3G"}], "B003RWVFEI": [{"asin": "B003RWVFEI", "instruction": "i'm searching for canned skinless and boneless pink salmon which is ready to eat. also, i want sweet and spicy flavor.", "attributes": ["wild caught", "fat free", "ready eat"], "options": ["flavor name: sweet & spicy"], "instruction_attributes": ["ready eat"], "instruction_options": ["sweet & spicy"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFGMPGBL", "worker_id": "A1198W1SPF1R4"}], "B0924JK3Z6": [{"asin": "B0924JK3Z6", "instruction": "i need some open toe women's sandals in size 10.5.", "attributes": ["open toe", "closed toe", "ankle strap", "everyday wear"], "options": ["color: #2", "size: 10.5"], "instruction_attributes": ["open toe"], "instruction_options": ["10.5"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2M7SFOB", "worker_id": "A19317A3X87NVM"}], "B0749QT7GQ": [{"asin": "B0749QT7GQ", "instruction": "i am looking for a gluten free almond flour with 32 ounce (pack of 4)", "attributes": ["gluten free", "non gmo", "source vitamin"], "options": ["size: 32 ounce (pack of 4)", "style: regular"], "instruction_attributes": ["gluten free"], "instruction_options": ["32 ounce (pack of 4)"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OP95FW1", "worker_id": "A3QZMGTVA4VO44"}], "B08YCWF272": [{"asin": "B08YCWF272", "instruction": "i want to find a signal booster for my 4g lte phone, and it needs to have a dual-band cell signal repeater.", "attributes": ["dual band", "4g lte"], "options": [""], "instruction_attributes": ["dual band", "4g lte"], "instruction_options": [], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1AL0HFB", "worker_id": "A345TDMHP3DQ3G"}], "B09M6S8GNB": [{"asin": "B09M6S8GNB", "instruction": "i'm hoping to find a 4g lte tablet that i can use for my work.", "attributes": ["dual band", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBDMGI9", "worker_id": "A345TDMHP3DQ3G"}], "B088T8FWSJ": [{"asin": "B088T8FWSJ", "instruction": "i need a super soft throw pillow in coral for my living room.", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: coral", "size: 16''x16''"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["coral"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VC1MXM", "worker_id": "A19317A3X87NVM"}], "B07QC3KYRN": [{"asin": "B07QC3KYRN", "instruction": "i need a modern wall mount for light led in bronze with a 36\" wide.", "attributes": ["bronze finish", "glass shade"], "options": ["color: nickel", "size: 36\" wide"], "instruction_attributes": ["bronze finish"], "instruction_options": ["36\" wide"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVM9YEXB", "worker_id": "A2Y2TURT2VEYZN"}], "B07C39RCNZ": [{"asin": "B07C39RCNZ", "instruction": "i\u2019m looking for a dht blocking anti hair loss set with hyaluronic acid as pure hair growth support shampoo", "attributes": ["hyaluronic acid", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hyaluronic acid", "hair growth"], "instruction_options": [], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0GSCCB", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08BCGZC4M": [{"asin": "B08BCGZC4M", "instruction": "i need a long high speed and aluminum alloy usb 3.0 extension cable of male-male style and 3.3ft long size", "attributes": ["gold plated", "high performance", "plug play", "high speed", "aluminum alloy"], "options": ["size: 3.3ft", "style: male-male"], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CBD2T9", "worker_id": "A258PTOZ3D2TQR"}], "B084LHV2M1": [{"asin": "B084LHV2M1", "instruction": "i need an oil and paraben free shampoo for my hair. it should be 29.2 fluid ounces in size.", "attributes": ["dermatologist tested", "oil free", "paraben free", "cruelty free"], "options": [""], "instruction_attributes": ["oil free", "paraben free"], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OLRFH5L", "worker_id": "A1NF6PELRKACS9"}], "B07QC96VV9": [{"asin": "B07QC96VV9", "instruction": "blue color velvet upholstered suitable for large living room.", "attributes": ["metal legs", "living room"], "options": [""], "instruction_attributes": ["metal legs", "living room"], "instruction_options": [], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39YVCZR", "worker_id": "AL8NYDL4JOYL3"}], "B08LVXD5Z3": [{"asin": "B08LVXD5Z3", "instruction": "i want to find a gray twin-sized daybed with a trundle made out of solid wood.", "attributes": ["twin size", "space saving", "easy assemble", "box spring", "solid wood", "living room"], "options": ["color: grey", "size: with trundle"], "instruction_attributes": ["twin size", "solid wood"], "instruction_options": ["grey", "with trundle"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXD0O5N", "worker_id": "A345TDMHP3DQ3G"}], "B000XESVO0": [{"asin": "B000XESVO0", "instruction": "i need a black, rubber sole workboot in size 11.5.", "attributes": ["moisture wicking", "steel toe", "rubber sole"], "options": ["color: black", "size: 11.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black", "11.5"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGSILSK", "worker_id": "A19317A3X87NVM"}], "B005LURBFQ": [{"asin": "B005LURBFQ", "instruction": "get me sugar free water drink mix. i like half iced tea and half lemonade flavor.", "attributes": ["sugar free", "source vitamin"], "options": ["flavor name: half iced tea | half lemonade"], "instruction_attributes": ["sugar free"], "instruction_options": ["half iced tea | half lemonade"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSH3GLA", "worker_id": "A1NF6PELRKACS9"}], "B092M6NZNS": [{"asin": "B092M6NZNS", "instruction": "i'd like to find aa batteries that are fast-charging and compatible with my xbox controller.", "attributes": ["fast charging", "aaa batteries"], "options": ["size: aa battery"], "instruction_attributes": ["fast charging"], "instruction_options": ["aa battery"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJD1BXQ", "worker_id": "A345TDMHP3DQ3G"}], "B07NSWJ1G7": [{"asin": "B07NSWJ1G7", "instruction": "i want a size 6 donna morgan women's knotted crepe sheath dress that is machine washable. i want it in viridian green.", "attributes": ["machine wash", "imported zipper", "polyester spandex"], "options": ["color: viridian green", "size: 6"], "instruction_attributes": ["machine wash"], "instruction_options": ["viridian green", "6"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02ICE236", "worker_id": "A1CB72B51L7TKE"}], "B09J2WGRHW": [{"asin": "B09J2WGRHW", "instruction": "i want to find a long-lasting tempered glass phone screen protector that i can use. the color needs to be liquid purple and blue.", "attributes": ["long lasting", "glass screen", "tempered glass"], "options": ["color: ring liquid purple | blue"], "instruction_attributes": ["long lasting", "glass screen", "tempered glass"], "instruction_options": ["ring liquid purple | blue"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88QPYDKA", "worker_id": "A345TDMHP3DQ3G"}], "B096M1D621": [{"asin": "B096M1D621", "instruction": "i want to buy a gray a gray color daybed in twin size with a wooden frame.", "attributes": ["twin size", "white item", "easy assemble", "king size", "wood frame", "box spring", "solid wood", "living room"], "options": ["color: grey"], "instruction_attributes": ["twin size", "wood frame"], "instruction_options": ["grey"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNE34IXP", "worker_id": "A2YNPKYEFDZ6C9"}], "B0966CMX16": [{"asin": "B0966CMX16", "instruction": "i'm looking for some temporary hair chalk for my teenage niece; it should be easy to apply to dry hair.", "attributes": ["easy apply", "dry hair"], "options": [""], "instruction_attributes": ["easy apply", "dry hair"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCRHD0T", "worker_id": "A3LIIE572Z4OG7"}], "B073JC1M93": [{"asin": "B073JC1M93", "instruction": "i'd like to find a large, navy-colored women's skater dress that's machine washable.", "attributes": ["machine washable", "hand wash", "polyester spandex", "daily wear"], "options": ["color: navy", "size: large"], "instruction_attributes": ["machine washable"], "instruction_options": ["navy", "large"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXHU4ON", "worker_id": "A345TDMHP3DQ3G"}], "B09CLHRQGW": [{"asin": "B09CLHRQGW", "instruction": "find an electric spa body brush with a long handle that comes in stainless steel for me please", "attributes": ["long handle", "stainless steel"], "options": [""], "instruction_attributes": ["long handle", "stainless steel"], "instruction_options": [], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KD9QRHV", "worker_id": "AH3PIENWVI58N"}], "B08DTQ7YZM": [{"asin": "B08DTQ7YZM", "instruction": "i need a digital photography background that is lightweight, easy to carry, and 8 by 6 feet in size.", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 8x6ft"], "instruction_attributes": ["light weight", "easy carry", "digital photography"], "instruction_options": ["8x6ft"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29B62X8X", "worker_id": "AHTWQSOY6HTJI"}], "B07MZ2W5T7": [{"asin": "B07MZ2W5T7", "instruction": "i want to find a 7x5 foot underwater world backdrop that's high resolution and also lightweight.", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 7x5ft"], "instruction_attributes": ["light weight", "high resolution"], "instruction_options": ["7x5ft"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9HYX5U", "worker_id": "A345TDMHP3DQ3G"}], "B07VMYLG81": [{"asin": "B07VMYLG81", "instruction": "i want to find snickerdoodle cookie bites that are dairy free and low carb.", "attributes": ["plant based", "low carb", "non gmo", "dairy free"], "options": ["flavor name: snickerdoodle"], "instruction_attributes": ["low carb", "dairy free"], "instruction_options": ["snickerdoodle"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNC47BLK", "worker_id": "A345TDMHP3DQ3G"}], "B08ZMKVT1N": [{"asin": "B08ZMKVT1N", "instruction": "i need a motion-activated black bullet camera in 1080p hd.", "attributes": ["1080p hd", "motion detection"], "options": ["color: black", "size: 1 count (pack of 1)"], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": ["black"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJO40DYY", "worker_id": "A19317A3X87NVM"}], "B0000WLVGU": [{"asin": "B0000WLVGU", "instruction": "i want some navy blue straight leg pants.", "attributes": ["long lasting", "easy care", "straight leg", "machine wash", "polyester cotton"], "options": ["color: navy", "size: 33w x 34l"], "instruction_attributes": ["straight leg"], "instruction_options": ["navy", "33w x 34l"], "assignment_id": "39K0FND3ASPR95MUG7H134S6URDAMR", "worker_id": "A19317A3X87NVM"}], "B07H28D7J5": [{"asin": "B07H28D7J5", "instruction": "i want to find a microdermabrasion machine that can treat sensitive dead skin.", "attributes": ["dead skin", "sensitive skin"], "options": [""], "instruction_attributes": ["dead skin", "sensitive skin"], "instruction_options": [], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY864J812", "worker_id": "A345TDMHP3DQ3G"}], "B09QHLZVXG": [{"asin": "B09QHLZVXG", "instruction": "i am looking for cupcake toppers for a birthday party that are dino shaped.", "attributes": ["baby shower", "party supplies", "birthday party"], "options": ["model: dino cake topper-3"], "instruction_attributes": ["birthday party"], "instruction_options": ["dino cake topper-3"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB6E6U1", "worker_id": "A2ECRNQ3X5LEXD"}], "B092ZL4VTQ": [{"asin": "B092ZL4VTQ", "instruction": "i need to buy a toothbrush travel container. make sure it's easy to clean and buy color five.", "attributes": ["easy clean", "double sided", "storage case"], "options": ["color: 5"], "instruction_attributes": ["easy clean"], "instruction_options": ["5"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NKTP2G", "worker_id": "AR9AU5FY1S3RO"}], "B09PV3KH7J": [{"asin": "B09PV3KH7J", "instruction": "i am looking for a high resolution natural scenery.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a4", "size: 7x5ft | 2.1x1.5m"], "instruction_attributes": ["high resolution"], "instruction_options": ["7x5ft | 2.1x1.5m"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH8U1E9", "worker_id": "A2KW17G25L25R8"}], "B07D8X7VNM": [{"asin": "B07D8X7VNM", "instruction": "i'm looking for a size 14.9 ounce wabry organic syrup", "attributes": ["bpa free", "certified organic", "gluten free", "artificial colors"], "options": ["flavor name: variety 4 pack", "size: 14.9 ounce (pack of 4)"], "instruction_attributes": ["certified organic"], "instruction_options": ["14.9 ounce (pack of 4)"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AIBEOE", "worker_id": "ARQ05PDNXPFDI"}], "B00NCCSIRK": [{"asin": "B00NCCSIRK", "instruction": "i need to buy some decaffeinated lavender tea.", "attributes": ["certified organic", "bpa free", "caffeine free"], "options": ["flavor name: lavender", "size: regular"], "instruction_attributes": ["caffeine free"], "instruction_options": ["lavender"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTVSM7L", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B00NCCSIRK", "instruction": "i am looking for a certified organic herbal tea which has a rose flavor.", "attributes": ["certified organic", "bpa free", "caffeine free"], "options": ["flavor name: rose", "size: 2.82 ounce (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["rose"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJMXW0P", "worker_id": "A1NF6PELRKACS9"}], "B09DP9C125": [{"asin": "B09DP9C125", "instruction": "need one toothbrush holder easy to clean and non toxic in white", "attributes": ["non toxic", "easy clean"], "options": ["color: w"], "instruction_attributes": ["non toxic", "easy clean"], "instruction_options": ["w"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWXZT5K", "worker_id": "A2Y2TURT2VEYZN"}], "B01GV0PR0A": [{"asin": "B01GV0PR0A", "instruction": "i need a black yaheetech home office computer desk that is easy to assemble.", "attributes": ["white item", "easy assemble", "storage space"], "options": ["color: black"], "instruction_attributes": ["easy assemble"], "instruction_options": ["black"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMT8G25", "worker_id": "A2RBF3IIJP15IH"}], "B08DJ5VY8V": [{"asin": "B08DJ5VY8V", "instruction": "i am interested in the travel sized version of gucci bamboo impression.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: gucci bamboo impression"], "instruction_attributes": ["travel size"], "instruction_options": ["gucci bamboo impression"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X3JY3H", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08DJ5VY8V", "instruction": "i'm looking travel size alcohol free fragrance body oil which should be long lasting. also choose chanel coco impression one.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: chanel coco impression"], "instruction_attributes": ["travel size", "alcohol free", "long lasting"], "instruction_options": ["chanel coco impression"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAJ1OVT", "worker_id": "AR0VJ5XRG16UJ"}], "B08DJ7LBNR": [{"asin": "B08DJ7LBNR", "instruction": "i am interested in a travel sized bottle of kilian good girl gone bad.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: by kilian good girl gone bad impression"], "instruction_attributes": ["travel size"], "instruction_options": ["by kilian good girl gone bad impression"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRK7F9M", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08DJ7LBNR", "instruction": "i am looking for alcohol free women versace dreamer impression scent.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: versace dreamer impression"], "instruction_attributes": ["alcohol free"], "instruction_options": ["versace dreamer impression"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQM031M", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B08DJ7LBNR", "instruction": "i am looking for a travel sized bottle of jean paul gaultier scandal impression perfume.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: jean paul gaultier scandal impression"], "instruction_attributes": ["travel size"], "instruction_options": ["jean paul gaultier scandal impression"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0250UKA0", "worker_id": "A1EREKSZAA9V7B"}], "B08YR79P5T": [{"asin": "B08YR79P5T", "instruction": "i am looking for a women's short sleeve honey bee t shirt size x-large.", "attributes": ["short sleeve", "long sleeve", "button closure", "daily wear"], "options": ["color: beige-o", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["x-large"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL45CES", "worker_id": "A1EREKSZAA9V7B"}], "B09P14213F": [{"asin": "B09P14213F", "instruction": "i am looking for a lightweight photography background in a size 10ft by 7ft.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a20", "size: 10x7ft | 3x2.2m"], "instruction_attributes": ["light weight"], "instruction_options": ["10x7ft | 3x2.2m"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2KAYNX", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09P14213F", "instruction": "i am looking for loght weight photography background.size should be 10x7 ft", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a6", "size: 10x7ft | 3x2.2m"], "instruction_attributes": ["light weight"], "instruction_options": ["10x7ft | 3x2.2m"], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLIBIKIT", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B09P14213F", "instruction": "i need a lightweight background for the photo studio that is 10 by 7 ft.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a39", "size: 10x7ft | 3x2.2m"], "instruction_attributes": ["light weight"], "instruction_options": ["10x7ft | 3x2.2m"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPXDG0E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09BBM1CLR": [{"asin": "B09BBM1CLR", "instruction": "i want to get an 8 fluid ounce pack of 24 sweet and sour margarita and daquiri mix packets made with only natural ingredients.", "attributes": ["non alcoholic", "artificial ingredients", "natural ingredients", "high fructose"], "options": ["flavor: sweet & sour", "size: 8 fl oz (pack of 24)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["sweet & sour", "8 fl oz (pack of 24)"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7Y6MH5", "worker_id": "A345TDMHP3DQ3G"}], "B098NRMH19": [{"asin": "B098NRMH19", "instruction": "i want rose gold cupcake picks that say we will miss you for a retirement party i'm throwing.", "attributes": ["cupcake picks", "baby shower"], "options": ["color: rose gold"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["rose gold"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPWFTX0", "worker_id": "A2DDPSXH2X96RF"}], "B00VGMLHY4": [{"asin": "B00VGMLHY4", "instruction": "i would like a chocolate gift basket.", "attributes": ["kosher certified", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDFNO2O", "worker_id": "A1WS884SI0SLO4"}], "B08M3SGYDQ": [{"asin": "B08M3SGYDQ", "instruction": "i need to buy an iphone case in midnight grey. make sure it supports wireless charging.", "attributes": ["aluminum alloy", "wireless charging"], "options": ["color: midnight grey"], "instruction_attributes": ["wireless charging"], "instruction_options": ["midnight grey"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UHC5IQ4", "worker_id": "AR9AU5FY1S3RO"}], "B09HQ6BYK8": [{"asin": "B09HQ6BYK8", "instruction": "i would like some soft drink mixes that have low sugar.", "attributes": ["low sugar", "gluten free", "artificial colors", "artificial flavors"], "options": [""], "instruction_attributes": ["low sugar"], "instruction_options": [], "assignment_id": "39K0FND3ASPR95MUG7H134S6U31AM3", "worker_id": "A1WS884SI0SLO4"}], "B0756ZYS4D": [{"asin": "B0756ZYS4D", "instruction": "i would like a size 7 narrow non slip sneaker with a storm blue snake color.", "attributes": ["non slip", "synthetic sole"], "options": ["color: storm blue snake", "size: 7 narrow"], "instruction_attributes": ["non slip"], "instruction_options": ["storm blue snake", "7 narrow"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YLF69L", "worker_id": "A1WS884SI0SLO4"}], "B097QRTLBJ": [{"asin": "B097QRTLBJ", "instruction": "i want a multicolor spandex top for summer.", "attributes": ["hand wash", "wash cold", "polyester spandex"], "options": ["color: d3-multicolor", "size: large"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["d3-multicolor"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788B65CK", "worker_id": "A19317A3X87NVM"}], "B07FZ6XX2T": [{"asin": "B07FZ6XX2T", "instruction": "i am looking for caffeine free coconut almond flavored carob bars.", "attributes": ["caffeine free", "gluten free", "non gmo", "rich creamy", "non dairy", "soy free", "dairy free"], "options": ["flavor name: coconut almond", "size: 2 pack"], "instruction_attributes": ["caffeine free"], "instruction_options": ["coconut almond"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUER5SD", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07FZ6XX2T", "instruction": "i am looking for caffeine free and gluten free chocolate. please choose peanut butter flavor.", "attributes": ["caffeine free", "gluten free", "non gmo", "rich creamy", "non dairy", "soy free", "dairy free"], "options": ["flavor name: peanut butter", "size: 2pk"], "instruction_attributes": ["caffeine free", "gluten free"], "instruction_options": ["peanut butter"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G76K47P", "worker_id": "A3FG5PQHG5AH3Y"}], "B09R7QWXB5": [{"asin": "B09R7QWXB5", "instruction": "i want to find an extra-large black women's blouse that is loose-fitting.", "attributes": ["loose fit", "short sleeve", "long sleeve", "teen girls", "daily wear"], "options": ["color: a02 fashion 2022 loose fit tops black", "size: x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["a02 fashion 2022 loose fit tops black", "x-large"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30URG0Y5", "worker_id": "A345TDMHP3DQ3G"}], "B08D9MGFN3": [{"asin": "B08D9MGFN3", "instruction": "i want to find 8 ounces of instant coffee sticks that are easy to prepare. they must come with 12 sticks in a box.", "attributes": ["easy prepare", "non dairy", "low sugar"], "options": ["color: g7 3 in 1", "size: 8oz (12 sticks | box)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["g7 3 in 1", "8oz (12 sticks | box)"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UFKKOH", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B08D9MGFN3", "instruction": "i am looking for 14 oz (200 sachets) strong and pure easy prepare coffee of cappucino hazelnut color", "attributes": ["easy prepare", "non dairy", "low sugar"], "options": ["color: cappucino hazelnut", "size: 14 oz (200 sachets | bag)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["cappucino hazelnut", "14 oz (200 sachets | bag)"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OR9MMW", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08D9MGFN3", "instruction": "i am looking for some special edition instant coffee that is easy to prepare and has 12 sticks.", "attributes": ["easy prepare", "non dairy", "low sugar"], "options": ["color: special edition", "size: 8oz (12 sticks | box)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["special edition", "8oz (12 sticks | box)"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BKMVJ2", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08D9MGFN3", "instruction": "i am looking for cappucino coconut and low sugar instant coffee for energy boost", "attributes": ["easy prepare", "non dairy", "low sugar"], "options": ["color: cappucino coconut", "size: 0.88 ounce (pack of 18)"], "instruction_attributes": ["low sugar"], "instruction_options": ["cappucino coconut"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPG6VQN", "worker_id": "A258PTOZ3D2TQR"}], "B08B1M9D96": [{"asin": "B08B1M9D96", "instruction": "i am looking for khaki color summer pants for women that can be washed by hands.", "attributes": ["wide leg", "wash cold", "hand wash", "machine wash", "elastic closure", "drawstring waist", "elastic waist"], "options": ["color: khaki", "size: large"], "instruction_attributes": ["hand wash"], "instruction_options": ["khaki"], "assignment_id": "3V26SBZTBOOS9KTL7ONUSZFOISMZZ6", "worker_id": "A1Q8PPQQCWGY0D"}], "B09BZ3DTPS": [{"asin": "B09BZ3DTPS", "instruction": "i'm looking for size ten ladies shoes with a closed toe and leather soles.", "attributes": ["leather sole", "closed toe"], "options": ["color: white logo", "size: 10"], "instruction_attributes": ["leather sole", "closed toe"], "instruction_options": ["10"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF71D9J", "worker_id": "A3EDFA8UQT5GG8"}], "B000IDV3UA": [{"asin": "B000IDV3UA", "instruction": "i am looking for a nickel finished one light wall sconce.", "attributes": ["nickel finish", "glass shade"], "options": ["color: brass", "size: 1 light"], "instruction_attributes": ["nickel finish"], "instruction_options": ["1 light"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOGSF0P", "worker_id": "A1EREKSZAA9V7B"}], "B01ERGEB34": [{"asin": "B01ERGEB34", "instruction": "i would like a 3.4 oz dry shampoo that is paraben free.", "attributes": ["paraben free", "sulfate free", "cruelty free", "dry hair"], "options": ["style: dry shampoo - fl oz 3.4"], "instruction_attributes": ["paraben free"], "instruction_options": ["dry shampoo - fl oz 3.4"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFI7EMA", "worker_id": "A2ECRNQ3X5LEXD"}], "B000QSPX4O": [{"asin": "B000QSPX4O", "instruction": "buy some baby food. make sure it's certified organic.", "attributes": ["bpa free", "certified organic", "non gmo", "artificial flavors"], "options": [""], "instruction_attributes": ["certified organic"], "instruction_options": [], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C3BHPQ", "worker_id": "AR9AU5FY1S3RO"}], "B098SKK3BX": [{"asin": "B098SKK3BX", "instruction": "buy me a black flip case for my phone with a glass screen.", "attributes": ["glass screen", "tempered glass"], "options": ["color: black"], "instruction_attributes": ["glass screen"], "instruction_options": ["black"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WOL42S", "worker_id": "AR9AU5FY1S3RO"}], "B00KL19J4Q": [{"asin": "B00KL19J4Q", "instruction": "i would like a 100 count friends bunny grahams party mix with simple ingredients.", "attributes": ["individually wrapped", "simple ingredients", "high fructose", "artificial flavors"], "options": ["flavor name: friends bunny grahams", "size: 100 count (pack of 1)"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["friends bunny grahams", "100 count (pack of 1)"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGU6TW4", "worker_id": "A1WS884SI0SLO4"}], "B082257WQ6": [{"asin": "B082257WQ6", "instruction": "i want a 12 ounce bag of gluten free pecan flavored ground coffee.", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor name: decaffeinated house blend", "size: 12 ounce"], "instruction_attributes": ["gluten free"], "instruction_options": ["12 ounce"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LJO90K", "worker_id": "A2RBF3IIJP15IH"}], "B08L796942": [{"asin": "B08L796942", "instruction": "i want to get a grey wireless headset with stereo sound.", "attributes": ["high performance", "stereo sound"], "options": ["color: grey"], "instruction_attributes": ["stereo sound"], "instruction_options": ["grey"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPL5FWP", "worker_id": "A345TDMHP3DQ3G"}], "B07M8JT8PZ": [{"asin": "B07M8JT8PZ", "instruction": "i'm looking for a 12-count box of european cookies in holiday flavors that i can give as a valentine's day gift.", "attributes": ["natural ingredients", "valentine day", "great gift", "perfect gift"], "options": ["flavor name: holiday flavors", "size: box of 12"], "instruction_attributes": ["valentine day", "great gift", "perfect gift"], "instruction_options": ["holiday flavors", "box of 12"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUT8S1F8", "worker_id": "A345TDMHP3DQ3G"}], "B09QHZDXRT": [{"asin": "B09QHZDXRT", "instruction": "i am looking for pink cake toppers for a birthday party.", "attributes": ["birthday party", "party supplies", "baby shower"], "options": ["color: pink"], "instruction_attributes": ["birthday party"], "instruction_options": ["pink"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNI7TNI", "worker_id": "A1EREKSZAA9V7B"}], "B00DY2TG7E": [{"asin": "B00DY2TG7E", "instruction": "i'm looking for a pair of mens sneakers with a synthetic sole, i'm a size 7 and a half.", "attributes": ["synthetic sole", "rubber outsole", "rubber sole"], "options": ["color: blu nero", "size: 7.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["7.5"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X3YPGZ", "worker_id": "A3EDFA8UQT5GG8"}], "B07GDH89Y3": [{"asin": "B07GDH89Y3", "instruction": "i want to find a wireless bluetooth sound bar featuring blu ray.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8FC4CF", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07GDH89Y3", "instruction": "i am looking for a power cord for a blu ray player with output protection.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["output protection", "blu ray"], "instruction_options": [], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY869Z81S", "worker_id": "A2HMEGTAFO0CS8"}], "B07H2LG414": [{"asin": "B07H2LG414", "instruction": "i am looking for a certified refurbished intel core mini desktop computer with windows 10 pro.", "attributes": ["certified refurbished", "core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["certified refurbished", "intel core"], "instruction_options": [], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCLJMB7", "worker_id": "A1EREKSZAA9V7B"}], "B09N74SXQZ": [{"asin": "B09N74SXQZ", "instruction": "i am interested in a high quality cosmetic bag.", "attributes": ["double sided", "high quality"], "options": ["color: bonus daughter gifts makeup bag"], "instruction_attributes": ["high quality"], "instruction_options": ["bonus daughter gifts makeup bag"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMLK6BX", "worker_id": "A2ECRNQ3X5LEXD"}], "B0895X475B": [{"asin": "B0895X475B", "instruction": "looking for hiking shoes non slip and waterproof in orange size 7.5", "attributes": ["long lasting", "day comfort", "slip resistant", "non slip", "rubber outsole"], "options": ["color: orange", "size: 7.5"], "instruction_attributes": ["non slip"], "instruction_options": ["orange", "7.5"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUURRJQE", "worker_id": "A2Y2TURT2VEYZN"}], "B07JKX54RT": [{"asin": "B07JKX54RT", "instruction": "need a mini computer with a intel core 5 4200u, 8gb ram, 64g ssd", "attributes": ["core i5", "intel core"], "options": ["color: i5 4200u", "size: 8g ram 64g ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["i5 4200u", "8g ram 64g ssd"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UNI1GX", "worker_id": "A2Y2TURT2VEYZN"}], "B07R6W51S5": [{"asin": "B07R6W51S5", "instruction": "i am interested in a dual colored headset that is noise cancelling.", "attributes": ["noise cancelling", "light weight"], "options": ["color: duo 510dsp"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["duo 510dsp"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ44L1N", "worker_id": "A2ECRNQ3X5LEXD"}], "B096FPCTYS": [{"asin": "B096FPCTYS", "instruction": "i am looking for black 18th birthday cake toppers.", "attributes": ["birthday cake", "birthday party", "cupcake picks", "party supplies"], "options": ["color: black"], "instruction_attributes": ["birthday cake"], "instruction_options": ["black"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCF9E02", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B096FPCTYS", "instruction": "i want pink 18th birthday cake toppers.", "attributes": ["birthday cake", "birthday party", "cupcake picks", "party supplies"], "options": ["color: pink"], "instruction_attributes": ["birthday cake"], "instruction_options": ["pink"], "assignment_id": "3HPZF4IVNX3FW186JO133U513HWYCH", "worker_id": "A2RBF3IIJP15IH"}], "B07NPM7BMS": [{"asin": "B07NPM7BMS", "instruction": "i need a grey square shaped rug that is 2'3\" x 18' for my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: grey | silver", "item shape: square", "size: 2'3\" x 18'"], "instruction_attributes": ["living room"], "instruction_options": ["grey | silver", "square", "2'3\" x 18'"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUROQJI", "worker_id": "A2RBF3IIJP15IH"}], "B004989EGK": [{"asin": "B004989EGK", "instruction": "i want a 36 pack of applesauce that is non gmo.", "attributes": ["bpa free", "non gmo", "gluten free", "dairy free", "real fruit"], "options": ["flavor name: apple", "size: 3.2 ounce (pack of 36)"], "instruction_attributes": ["non gmo"], "instruction_options": ["apple", "3.2 ounce (pack of 36)"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5O8X6X", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GWDXWRH": [{"asin": "B07GWDXWRH", "instruction": "i night some light tan anti-aging cream for dark circles under my eyes.", "attributes": ["anti aging", "highly pigmented", "long lasting", "hyaluronic acid", "dark circles"], "options": ["color: 14.0 light tan (w)", "size: 0.4 fl oz"], "instruction_attributes": ["anti aging", "dark circles"], "instruction_options": ["14.0 light tan (w)"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35KGGUC", "worker_id": "A19317A3X87NVM"}], "B08R3KFFMW": [{"asin": "B08R3KFFMW", "instruction": "i want to find a heavy duty writing table that has a steel coating.", "attributes": ["heavy duty", "coated steel"], "options": [""], "instruction_attributes": ["heavy duty", "coated steel"], "instruction_options": [], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20LGZ0R", "worker_id": "A345TDMHP3DQ3G"}], "B09K49DTTZ": [{"asin": "B09K49DTTZ", "instruction": "i need a loose fit, long sleeved hoodie in green. buy the size medium.", "attributes": ["slim fit", "loose fit", "long sleeve", "contrast color", "relaxed fit", "button closure"], "options": ["color: green", "size: medium"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["green", "medium"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW4X8SN", "worker_id": "AR9AU5FY1S3RO"}], "B09KNFM2Q7": [{"asin": "B09KNFM2Q7", "instruction": "i want blue faux leather 26\" watson & whitely bar stools.", "attributes": ["fully assembled", "assembly required", "faux leather", "solid wood"], "options": ["color: pu-blue", "size: 26\"-memory swivel"], "instruction_attributes": ["faux leather"], "instruction_options": ["pu-blue"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI1JT35", "worker_id": "A2RBF3IIJP15IH"}], "B07W4JWKXW": [{"asin": "B07W4JWKXW", "instruction": "do you have any old fashioned taffy that is sugar free in apple flavour?", "attributes": ["old fashioned", "soy free", "kosher certified", "sugar free", "individually wrapped"], "options": ["flavor name: apple"], "instruction_attributes": ["old fashioned", "sugar free"], "instruction_options": ["apple"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCG4LBF", "worker_id": "A3EDFA8UQT5GG8"}], "B08C42HNN9": [{"asin": "B08C42HNN9", "instruction": "i'm looking for eye serum for anti aging and clinically proven", "attributes": ["anti aging", "clinically proven", "stainless steel", "fine lines", "dark circles"], "options": [""], "instruction_attributes": ["anti aging", "clinically proven"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHEYQTJ2", "worker_id": "A2Y2TURT2VEYZN"}], "B08YY632H4": [{"asin": "B08YY632H4", "instruction": "get me a green iphone 12 case that supports wireless charging.", "attributes": ["easy install", "glass screen", "tempered glass", "wireless charging"], "options": ["color: midle green"], "instruction_attributes": ["wireless charging"], "instruction_options": ["midle green"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM2KHZD", "worker_id": "AR9AU5FY1S3RO"}], "B093KMVLFG": [{"asin": "B093KMVLFG", "instruction": "i am looking for 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HRMPB0", "worker_id": "A1EREKSZAA9V7B"}], "B008L532XI": [{"asin": "B008L532XI", "instruction": "i would like a shampoo to help my dry hair.", "attributes": ["sulfate free", "cruelty free", "dry hair"], "options": [""], "instruction_attributes": ["dry hair"], "instruction_options": [], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUEG5S2", "worker_id": "A1WS884SI0SLO4"}], "B09F52WW6W": [{"asin": "B09F52WW6W", "instruction": "i am looking for women's size 5.5 athletic sneakers with rubber soles.", "attributes": ["rubber sole", "lace closure"], "options": ["color: white | almond | marble", "size: 5.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["5.5"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTBA5DC", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09F52WW6W", "instruction": "i am looking for a pair of women's size 5 athletic sneakers with a rubber sole.", "attributes": ["rubber sole", "lace closure"], "options": ["color: caramel | almond | melange", "size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["5"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HW2PBQ", "worker_id": "A1EREKSZAA9V7B"}], "B08P8SM79P": [{"asin": "B08P8SM79P", "instruction": "i would like a 50 inch high speed tv.", "attributes": ["dual band", "high speed"], "options": ["size: 50 inches"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOEITCP", "worker_id": "A1WS884SI0SLO4"}], "B07SJB7T8M": [{"asin": "B07SJB7T8M", "instruction": "i would like some 16 inch hair extensions in color 60.", "attributes": ["long lasting", "hair extensions"], "options": ["color: #60", "size: 16 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#60", "16 inch"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIKP85L", "worker_id": "A1WS884SI0SLO4"}], "B086ST5T8J": [{"asin": "B086ST5T8J", "instruction": "i need a beige or green shower brush with a long handle.", "attributes": ["eco friendly", "non slip", "long handle"], "options": ["color: beige"], "instruction_attributes": ["long handle"], "instruction_options": ["beige"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1AJCX4", "worker_id": "A19317A3X87NVM"}], "B093CLC753": [{"asin": "B093CLC753", "instruction": "can you find me 1 pack of low calorie wheat flour sandwich crackers that are lemon, chocolate, and cream cheese flavored?", "attributes": ["low calorie", "baby shower", "birthday party"], "options": ["flavor name: lemon,chocolate,cream cheese", "size: 1 pack"], "instruction_attributes": ["low calorie"], "instruction_options": ["lemon,chocolate,cream cheese", "1 pack"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40T1YF3", "worker_id": "A2DDPSXH2X96RF"}], "B078RQ51M8": [{"asin": "B078RQ51M8", "instruction": "i need black dodoing curly messy hair bun extensions.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: natural black"], "instruction_attributes": ["hair extensions"], "instruction_options": ["natural black"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTKQO66", "worker_id": "A2RBF3IIJP15IH"}], "B07XHD17PB": [{"asin": "B07XHD17PB", "instruction": "i am looking for a white mesh height adjustable drafting chair.", "attributes": ["height adjustable", "contemporary style", "lumbar support"], "options": ["color: white mesh", "style: mid back"], "instruction_attributes": ["height adjustable"], "instruction_options": ["white mesh"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VHM064", "worker_id": "A1EREKSZAA9V7B"}], "B077JH57XG": [{"asin": "B077JH57XG", "instruction": "i'm looking for a mens slipper that has a water resistant rubber outer sole. size thirteen and extra wide.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: china tea leather", "size: 13 x-wide"], "instruction_attributes": ["water resistant", "rubber sole"], "instruction_options": ["13 x-wide"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3VZ8N1V", "worker_id": "A3EDFA8UQT5GG8"}], "B098LDD49Z": [{"asin": "B098LDD49Z", "instruction": "i am looking for a women's short sleeve playsuit size medium.", "attributes": ["wash cold", "hand wash", "machine wash", "button closure", "short sleeve", "everyday wear"], "options": ["color: a-green", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["medium"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WNCWQY", "worker_id": "A1EREKSZAA9V7B"}], "B07ZFBMM45": [{"asin": "B07ZFBMM45", "instruction": "i want to buy the rattan wicker sofa set with machine washable burgandy cusions.", "attributes": ["machine washable", "tempered glass", "coated steel"], "options": ["color: burgundy"], "instruction_attributes": ["machine washable"], "instruction_options": ["burgundy"], "assignment_id": "3X65QVEQIBXVW21709CD9M35U19CLI", "worker_id": "AR9AU5FY1S3RO"}], "B01GNFZ5H8": [{"asin": "B01GNFZ5H8", "instruction": "i'd like to find a highly pigmented eyeshadow palette that is long-lasting. it needs to have a daring color.", "attributes": ["highly pigmented", "long lasting"], "options": ["color: daring"], "instruction_attributes": ["highly pigmented", "long lasting"], "instruction_options": ["daring"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN25J7Y9", "worker_id": "A345TDMHP3DQ3G"}], "B09MT3NH6Z": [{"asin": "B09MT3NH6Z", "instruction": "i am looking for an apple watch compatible lavender grey silicone band with quick release.", "attributes": ["compatible apple", "quick release", "easy install"], "options": ["color: lavender grey", "size: 38 | 40 | 41mm"], "instruction_attributes": ["quick release"], "instruction_options": ["lavender grey"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P73BU5", "worker_id": "A1EREKSZAA9V7B"}], "B076CKJ4YX": [{"asin": "B076CKJ4YX", "instruction": "i want gluten free classic chili chicharrones.", "attributes": ["protein serving", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOLW9M0", "worker_id": "A2RBF3IIJP15IH"}], "B07RQKXNHR": [{"asin": "B07RQKXNHR", "instruction": "i am interested in a high quality brush set.", "attributes": ["high quality", "synthetic hair"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PJ3X2D", "worker_id": "A2ECRNQ3X5LEXD"}], "B077D1BVHW": [{"asin": "B077D1BVHW", "instruction": "i'm looking for throw pillow covers for the pillows for my living room, they should be super soft and about 22 by 22 inches.", "attributes": ["double sided", "super soft", "living room"], "options": ["size: 22 x 22 inchs"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["22 x 22 inchs"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVJSXL0", "worker_id": "A3EDFA8UQT5GG8"}], "B074847M44": [{"asin": "B074847M44", "instruction": "i'm looking for a standard pair of straight legged jeans in noir heather.", "attributes": ["straight leg", "imported zipper", "classic fit"], "options": ["color: noir heather (waterless)", "fit type: standard", "size: 30w x 29l"], "instruction_attributes": ["straight leg"], "instruction_options": ["noir heather (waterless)", "standard"], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YHQGA2", "worker_id": "A19317A3X87NVM"}], "B08JVJJD3T": [{"asin": "B08JVJJD3T", "instruction": "i would like some clinically proven power dental flossers.", "attributes": ["clinically proven", "storage case"], "options": [""], "instruction_attributes": ["clinically proven"], "instruction_options": [], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7TELH0", "worker_id": "A1WS884SI0SLO4"}], "B09HNKW6RN": [{"asin": "B09HNKW6RN", "instruction": "i am looking for a women's long sleeve sherpa fleece jacket.", "attributes": ["loose fit", "faux fur", "long sleeve", "quality materials", "daily wear"], "options": ["color: b- khaki", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["3x-large"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2BYOID", "worker_id": "A1EREKSZAA9V7B"}], "B08FC4RS18": [{"asin": "B08FC4RS18", "instruction": "i would like four flatbreads from trader joes.", "attributes": ["trader joe", "gluten free"], "options": ["number of items: 4"], "instruction_attributes": ["trader joe"], "instruction_options": ["4"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTRL4E4", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08FC4RS18", "instruction": "i need 3 trader joe's gluten free crackers.", "attributes": ["trader joe", "gluten free"], "options": ["number of items: 3"], "instruction_attributes": ["trader joe", "gluten free"], "instruction_options": ["3"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZIR7RU", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08FC4RS18", "instruction": "i want to buy crackers which are gluten free and i want 2 of them.", "attributes": ["trader joe", "gluten free"], "options": ["number of items: 2"], "instruction_attributes": ["gluten free"], "instruction_options": ["2"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAK6VO7", "worker_id": "AJY5G987IRT25"}], "B01MZ2CH6O": [{"asin": "B01MZ2CH6O", "instruction": "i am looking for fuchsia colored comfortable fit levi's bomber jacket for women.", "attributes": ["machine wash", "imported zipper", "comfortable fit"], "options": ["color: fuchsia", "size: xx-large", "special size type: standard"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["fuchsia"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UO11GI", "worker_id": "A1EREKSZAA9V7B"}], "B00J1ZNSN6": [{"asin": "B00J1ZNSN6", "instruction": "i would like plant based meatballs.", "attributes": ["plant based", "protein serving"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMNB9WS", "worker_id": "A2ECRNQ3X5LEXD"}], "B07D9LVGM8": [{"asin": "B07D9LVGM8", "instruction": "i want a regular fit dark green pair of adidas men's pro bounce shoes in size 14.", "attributes": ["lace closure", "rubber outsole", "regular fit", "rubber sole"], "options": ["color: dark green | white | active green", "size: 14"], "instruction_attributes": ["regular fit"], "instruction_options": ["dark green | white | active green", "14"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUATDZ2", "worker_id": "A2RBF3IIJP15IH"}], "B09PFKP5DP": [{"asin": "B09PFKP5DP", "instruction": "i need brown eco friendly cenglings women slingback sandals in size 7.", "attributes": ["eco friendly", "high quality"], "options": ["color: brown", "size: 7"], "instruction_attributes": ["eco friendly"], "instruction_options": ["brown", "7"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM9674G41", "worker_id": "A2RBF3IIJP15IH"}], "B07S49NQQ5": [{"asin": "B07S49NQQ5", "instruction": "i'd like to buy some board shorts in size twenty-nine. get the ones with the button closure.", "attributes": ["hand wash", "regular fit", "button closure"], "options": ["color: captains blue", "size: 29"], "instruction_attributes": ["button closure"], "instruction_options": ["29"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEFT68S", "worker_id": "AR9AU5FY1S3RO"}], "B097NGDB64": [{"asin": "B097NGDB64", "instruction": "i need a x-large machine washable men's evan scrub pant in ceil color.", "attributes": ["straight leg", "machine washable", "machine wash", "drawstring closure", "elastic waistband"], "options": ["color: ceil", "size: x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["ceil", "x-large"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UCL3AH", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B097NGDB64", "instruction": "i am interested in straight leg scrub buttoms in an x-large that are ceil colored", "attributes": ["straight leg", "machine washable", "machine wash", "drawstring closure", "elastic waistband"], "options": ["color: ceil", "size: x-large"], "instruction_attributes": ["straight leg"], "instruction_options": ["ceil", "x-large"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOMH9LL", "worker_id": "A2ECRNQ3X5LEXD"}], "B08SJ9JM97": [{"asin": "B08SJ9JM97", "instruction": "i want to get a grey counter stool that is made of solid wood.", "attributes": ["button tufted", "long lasting", "solid wood"], "options": ["color: grey"], "instruction_attributes": ["solid wood"], "instruction_options": ["grey"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TAEMND", "worker_id": "A345TDMHP3DQ3G"}], "B09MD3PZYS": [{"asin": "B09MD3PZYS", "instruction": "i want to find a glass screen protector for my high definition s20 samsung galaxy ultra.", "attributes": ["high definition", "tempered glass", "glass screen"], "options": ["color: hd s20 ultra screen protector"], "instruction_attributes": ["high definition", "glass screen"], "instruction_options": ["hd s20 ultra screen protector"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GI23SN", "worker_id": "A345TDMHP3DQ3G"}], "B09Q8THWGR": [{"asin": "B09Q8THWGR", "instruction": "i would like a backdrop for digital photography that is 10 by 8 ft.", "attributes": ["high resolution", "digital photography"], "options": ["size: 10x8ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["10x8ft"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GI03SL", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09Q8THWGR", "instruction": "i am looking for a 8x6ft backgrounds for digital photography.", "attributes": ["high resolution", "digital photography"], "options": ["size: 8x6ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["8x6ft"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A219OHTT", "worker_id": "A9QRQL9CFJBI7"}], "B07NB7SJ1Y": [{"asin": "B07NB7SJ1Y", "instruction": "i am looking for easy to use marula oil hydrating shampoo.", "attributes": ["sulfate free", "easy use", "seed oil", "natural ingredients"], "options": ["size: 16.9 fl oz (pack of 1)", "style: marula oil hydrating shampoo"], "instruction_attributes": ["easy use"], "instruction_options": ["marula oil hydrating shampoo"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDZUIRU", "worker_id": "A1EREKSZAA9V7B"}], "B09SGJP3LP": [{"asin": "B09SGJP3LP", "instruction": "i'm looking for a slim-fit, short-sleeved, slim-fit men's compression t-shirt in i-silver.", "attributes": ["slim fit", "long sleeve", "short sleeve", "contrast color", "regular fit"], "options": ["color: i-silver", "size: medium"], "instruction_attributes": ["slim fit", "short sleeve"], "instruction_options": ["i-silver"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FFAU46", "worker_id": "ARJDD0Z3R65BD"}], "B085W5VF39": [{"asin": "B085W5VF39", "instruction": "i would like a brown wig made of natural hair.", "attributes": ["easy use", "natural hair"], "options": ["color: f-brown"], "instruction_attributes": ["natural hair"], "instruction_options": ["f-brown"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JXQEGZ", "worker_id": "A1WS884SI0SLO4"}], "B09SBFH2NC": [{"asin": "B09SBFH2NC", "instruction": "i need new york style strawberry swirl cheesecake that is ready to eat.", "attributes": ["ready eat", "kosher certified", "great gift"], "options": ["flavor name: new york style"], "instruction_attributes": ["ready eat"], "instruction_options": ["new york style"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPVOG0L", "worker_id": "A2RBF3IIJP15IH"}], "B01M34Z8YW": [{"asin": "B01M34Z8YW", "instruction": "buy me some paraben free coconut oil lip balm.", "attributes": ["paraben free", "cruelty free", "dermatologist tested", "sulfate free", "coconut oil", "natural ingredients", "sensitive skin"], "options": [""], "instruction_attributes": ["paraben free", "coconut oil"], "instruction_options": [], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L5AREF", "worker_id": "AR9AU5FY1S3RO"}], "B09FJLKPDL": [{"asin": "B09FJLKPDL", "instruction": "i would like some blue non toxic bath brushes.", "attributes": ["non slip", "non toxic", "high quality"], "options": ["color: blue"], "instruction_attributes": ["non toxic"], "instruction_options": ["blue"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKWIDNI", "worker_id": "A1WS884SI0SLO4"}], "B085VB9Y1V": [{"asin": "B085VB9Y1V", "instruction": "i need jane grey pink vanity fair women's nylon spandex hi cut panties in plus size 5.", "attributes": ["machine wash", "nylon spandex", "elastic closure"], "options": ["color: jane grey pink", "fit type: plus size", "size: 5"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["jane grey pink", "plus size", "5"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS5QAW5", "worker_id": "A2RBF3IIJP15IH"}], "B07HJNBCX4": [{"asin": "B07HJNBCX4", "instruction": "i am interested in a memory foam queen sized mattress.", "attributes": ["ready use", "queen size", "memory foam"], "options": ["size: queen", "style: 12-inch mattress"], "instruction_attributes": ["memory foam"], "instruction_options": ["queen"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFD2VMP", "worker_id": "A2ECRNQ3X5LEXD"}], "B09N75GRYM": [{"asin": "B09N75GRYM", "instruction": "i need to shop for a high performance tablet. i'd really like a blue one.", "attributes": ["high performance", "quad core"], "options": ["color: blue"], "instruction_attributes": ["high performance", "quad core"], "instruction_options": ["blue"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWVO1CL", "worker_id": "AR9AU5FY1S3RO"}], "B07J2VD4XS": [{"asin": "B07J2VD4XS", "instruction": "i want to get a white wooden coat rack.", "attributes": ["white item", "white finish"], "options": [""], "instruction_attributes": ["white item", "white finish"], "instruction_options": [], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R410R3", "worker_id": "A345TDMHP3DQ3G"}], "B09B1ZLZMH": [{"asin": "B09B1ZLZMH", "instruction": "i want to find a dip powder kit for my nails that's easy to use. the color of the powder must be gentle nude.", "attributes": ["water resistant", "long lasting", "easy use", "nail art"], "options": ["color: gentle nudes"], "instruction_attributes": ["easy use"], "instruction_options": ["gentle nudes"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYT7363", "worker_id": "A345TDMHP3DQ3G"}], "B07WRV3NFX": [{"asin": "B07WRV3NFX", "instruction": "i am interested in a black shirt that is short sleeved.", "attributes": ["moisture wicking", "machine wash", "short sleeve", "stretch fabric", "button closure"], "options": ["color: black on black", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["black on black", "small"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZHYC73", "worker_id": "A2ECRNQ3X5LEXD"}], "B09BV632MQ": [{"asin": "B09BV632MQ", "instruction": "i am looking for a plug and play ps2 to hdmi converter adapter.", "attributes": ["easy carry", "plug play", "usb port"], "options": [""], "instruction_attributes": ["plug play"], "instruction_options": [], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HBW6IY", "worker_id": "A1EREKSZAA9V7B"}], "B07JQ4T9N6": [{"asin": "B07JQ4T9N6", "instruction": "i need a lightweight navy pullover in a large.", "attributes": ["light weight", "hand wash", "long sleeve", "daily wear"], "options": ["color: navy", "size: large"], "instruction_attributes": ["light weight"], "instruction_options": ["navy", "large"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPSZJ9GR", "worker_id": "A2ECRNQ3X5LEXD"}], "B072WFY47F": [{"asin": "B072WFY47F", "instruction": "i am interested in wedges that are teal with memory foam in a size 9.5-10.", "attributes": ["day comfort", "memory foam"], "options": ["color: teal", "size: 9.5-10"], "instruction_attributes": ["memory foam"], "instruction_options": ["teal", "9.5-10"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEJEZKP", "worker_id": "A2ECRNQ3X5LEXD"}], "B093RJNQDM": [{"asin": "B093RJNQDM", "instruction": "i want to find a high quality 5 pcs makeup brush set with the stitch 2 color theme", "attributes": ["high quality", "eye shadow"], "options": ["color: stitch 2"], "instruction_attributes": ["high quality"], "instruction_options": ["stitch 2"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YLG69M", "worker_id": "A2DDPSXH2X96RF"}], "B001OC75GK": [{"asin": "B001OC75GK", "instruction": "i need to buy a four pack of fully assembled dining room chairs.", "attributes": ["fully assembled", "heavy duty"], "options": ["color: distressed black", "size: 4 pack"], "instruction_attributes": ["fully assembled"], "instruction_options": ["4 pack"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWVOC1W", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B001OC75GK", "instruction": "i am looking for heavy duty chair. please choose kelly red color.", "attributes": ["fully assembled", "heavy duty"], "options": ["color: distressed kelly red", "size: 1 pack"], "instruction_attributes": ["heavy duty"], "instruction_options": ["distressed kelly red"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V3M2UU", "worker_id": "A3FG5PQHG5AH3Y"}], "B004Q8TFJ4": [{"asin": "B004Q8TFJ4", "instruction": "get me a heavy duty office chair with lumbar support. look for dillon black fabric.", "attributes": ["heavy duty", "lumbar support"], "options": ["color: dillon black fabric"], "instruction_attributes": ["heavy duty", "lumbar support"], "instruction_options": ["dillon black fabric"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1AXOHFN", "worker_id": "AR9AU5FY1S3RO"}], "B08XZ31PVL": [{"asin": "B08XZ31PVL", "instruction": "i'm looking for a portable beauty salon manicure table.", "attributes": ["easy clean", "nail polish", "beauty salon"], "options": [""], "instruction_attributes": ["beauty salon"], "instruction_options": [], "assignment_id": "39O5D9O8742EGYBIU38DD09OUF33CG", "worker_id": "ARQ05PDNXPFDI"}], "B09JWNS4S2": [{"asin": "B09JWNS4S2", "instruction": "i need a toothbrush container with holes.", "attributes": ["easy carry", "high quality", "quality materials"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3L4D84MILA2GIKONJGE14YNT346HJR", "worker_id": "A19317A3X87NVM"}], "B09C4PDL5S": [{"asin": "B09C4PDL5S", "instruction": "i want to buy some living room curtain panels that are pattern 6 and 55x46 inches.", "attributes": ["ready use", "living room"], "options": ["color: pattern-6", "size: 55 x 46 inch(27.5 x 46 inch*2pes)"], "instruction_attributes": ["living room"], "instruction_options": ["pattern-6", "55 x 46 inch(27.5 x 46 inch*2pes)"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTN7E5A", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B09C4PDL5S", "instruction": "i would like a pattern-4 colored window curtain panel for the living room.", "attributes": ["ready use", "living room"], "options": ["color: pattern-4", "size: 104 x 107.8 inch(52 x 107.8 inch*2pes)"], "instruction_attributes": ["living room"], "instruction_options": ["pattern-4"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHTPJ0O", "worker_id": "AHXHM1PQTRWIQ"}], "B07JFT17Q2": [{"asin": "B07JFT17Q2", "instruction": "buy a flat-packed nightstand in marble black with a white frame.", "attributes": ["assembly required", "steel frame", "white finish"], "options": ["color: marble black \u2013 white frame"], "instruction_attributes": ["assembly required"], "instruction_options": ["marble black \u2013 white frame"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LEJSPD", "worker_id": "AR9AU5FY1S3RO"}], "B07RRJTRTC": [{"asin": "B07RRJTRTC", "instruction": "get me some low-carb plant based lemon cookies.", "attributes": ["low carb", "grain free", "plant based", "great gift"], "options": ["flavor name: lemon"], "instruction_attributes": ["low carb", "plant based"], "instruction_options": ["lemon"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X6MFRI", "worker_id": "AR9AU5FY1S3RO"}], "B07CWWTHN9": [{"asin": "B07CWWTHN9", "instruction": "i am looking for a three pack of hand crafted cheese squares,", "attributes": ["hand crafted", "non gmo", "0g trans", "quality ingredients", "artificial flavors"], "options": ["flavor name: asiago & cheddar squares", "size: 4.5 ounce (pack of 3)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["asiago & cheddar squares", "4.5 ounce (pack of 3)"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9Q1TEO", "worker_id": "A2ECRNQ3X5LEXD"}], "B000XEX11I": [{"asin": "B000XEX11I", "instruction": "get me some steel-toed workboots in size eleven and a half.", "attributes": ["moisture wicking", "steel toe", "rubber sole"], "options": ["color: brown | brown", "size: 11.5"], "instruction_attributes": ["steel toe"], "instruction_options": ["11.5"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOLPM96", "worker_id": "AR9AU5FY1S3RO"}], "B08V4N63K9": [{"asin": "B08V4N63K9", "instruction": "i want to get a super soft blue fleece throw that's 50 inches by 63 inches.", "attributes": ["super soft", "machine washable", "fleece throw", "living room"], "options": ["color: blue", "size: 50\"x63\""], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["blue", "50\"x63\""], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733JABEP", "worker_id": "A345TDMHP3DQ3G"}], "B088YWBL47": [{"asin": "B088YWBL47", "instruction": "i would like a deep brown clog with a rubber sole for my size 8 foot.", "attributes": ["open toe", "high heel", "rubber sole"], "options": ["color: deep brown", "size: 8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["deep brown", "8"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIEN00Q", "worker_id": "A1WS884SI0SLO4"}], "B007AS4YSO": [{"asin": "B007AS4YSO", "instruction": "i'm looking for a wax hair removal kit for very sensitive skin.", "attributes": ["natural ingredients", "hair removal", "sensitive skin"], "options": [""], "instruction_attributes": ["hair removal", "sensitive skin"], "instruction_options": [], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOLGM9X", "worker_id": "A3EDFA8UQT5GG8"}], "B08JTMVZKS": [{"asin": "B08JTMVZKS", "instruction": "i want to find a gold v shaped facial roller for anti aging massage.", "attributes": ["anti aging", "fine lines", "sensitive skin"], "options": ["color: gold"], "instruction_attributes": ["anti aging"], "instruction_options": ["gold"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCQAQ5D", "worker_id": "A2DDPSXH2X96RF"}], "B004AW4370": [{"asin": "B004AW4370", "instruction": "i would like a black schwarz size 6-6.5 shoe made of vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: black schwarz skull black", "size: 6-6.5"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["black schwarz skull black", "6-6.5"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7FBN5B", "worker_id": "A1WS884SI0SLO4"}], "B08QDR81K6": [{"asin": "B08QDR81K6", "instruction": "i'm looking for a high power sound bar.", "attributes": ["dust proof", "high power"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVX23XT", "worker_id": "A19317A3X87NVM"}], "B00278G99O": [{"asin": "B00278G99O", "instruction": "i want to find a wooden bar stool that features faux leather.", "attributes": ["assembly required", "faux leather"], "options": [""], "instruction_attributes": ["faux leather"], "instruction_options": [], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SSEDUD", "worker_id": "A345TDMHP3DQ3G"}], "B09P4P4H25": [{"asin": "B09P4P4H25", "instruction": "i want to find engraved cheetah-white bands for my apple watch. the bands need to be 38 millimeters long.", "attributes": ["compatible apple", "quick release"], "options": ["color: cheetah-white | green | lavender gray | black", "size: 38mm | 40mm | 41mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["cheetah-white | green | lavender gray | black", "38mm | 40mm | 41mm"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KLILJ5", "worker_id": "A345TDMHP3DQ3G"}], "B09GR8JT1W": [{"asin": "B09GR8JT1W", "instruction": "i am looking for a king size platform bed.", "attributes": ["button tufted", "long lasting", "faux leather", "king size", "box spring"], "options": ["color: grey", "size: full", "style: bed with storage drawers"], "instruction_attributes": ["king size"], "instruction_options": ["grey"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA19C8V", "worker_id": "A2KW17G25L25R8"}, {"asin": "B09GR8JT1W", "instruction": "i'm looking for upholstered platform bed.", "attributes": ["button tufted", "long lasting", "faux leather", "king size", "box spring"], "options": ["color: black", "size: king", "style: bed"], "instruction_attributes": ["king size"], "instruction_options": ["king", "bed"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLZ9RDY", "worker_id": "A21IUUHBSEVB56"}], "B09SD2KGX9": [{"asin": "B09SD2KGX9", "instruction": "i want to get some sandals with high heels and open toe in the color black and size 9 wide.", "attributes": ["open toe", "high heel", "ankle strap", "closed toe"], "options": ["color: a10 - black", "size: 9 wide"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["a10 - black", "9 wide"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79NV1HW", "worker_id": "A2YNPKYEFDZ6C9"}], "B08CHFJ7BQ": [{"asin": "B08CHFJ7BQ", "instruction": "i am looking for a pink leak proof bag.", "attributes": ["leak proof", "non toxic"], "options": ["color: pink-100g"], "instruction_attributes": ["leak proof"], "instruction_options": ["pink-100g"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVEMUTX", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08CHFJ7BQ", "instruction": "looking for leak proof refillable plastic cosmetic jars 50g", "attributes": ["leak proof", "non toxic"], "options": ["color: clear-50g"], "instruction_attributes": ["leak proof"], "instruction_options": ["clear-50g"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQZ2B4F", "worker_id": "A10OGH5CQBXL5N"}], "B08BYS9RT5": [{"asin": "B08BYS9RT5", "instruction": "get me some non-toxic nail glitter in twelve colors.", "attributes": ["non toxic", "nail art"], "options": ["color: 12 colors"], "instruction_attributes": ["non toxic", "nail art"], "instruction_options": ["12 colors"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPDY6V1", "worker_id": "AR9AU5FY1S3RO"}], "B09L6CL783": [{"asin": "B09L6CL783", "instruction": "show me all your non-slip size ten ladies ankle boots in grey.", "attributes": ["non slip", "soft material"], "options": ["color: gray a", "size: 10"], "instruction_attributes": ["non slip"], "instruction_options": ["gray a", "10"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM9672G4Z", "worker_id": "A3EDFA8UQT5GG8"}], "B09BJFBZKT": [{"asin": "B09BJFBZKT", "instruction": "i want to find a 30-count pack of non-dairy, salted caramel flavored hot chocolate mix.", "attributes": ["non dairy", "dairy free", "lactose free"], "options": ["flavor name: salted caramel", "size: 30 count (pack of 1)"], "instruction_attributes": ["non dairy"], "instruction_options": ["salted caramel", "30 count (pack of 1)"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEF3IXC", "worker_id": "A345TDMHP3DQ3G"}], "B09SHHN9D9": [{"asin": "B09SHHN9D9", "instruction": "i need a yellow xx-large floral print tank sleeveless dress that is quick drying.", "attributes": ["quick drying", "quality polyester"], "options": ["color: yellow", "size: xx-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["yellow", "xx-large"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4YOXYK", "worker_id": "A2RBF3IIJP15IH"}], "B00VO4KYV6": [{"asin": "B00VO4KYV6", "instruction": "i want gluten free tasty teriyaki perky jerky turkey jerky.", "attributes": ["low fat", "low sodium", "protein serving", "non gmo", "gluten free", "resealable bag"], "options": ["flavor name: plant based - tasty teriyaki"], "instruction_attributes": ["gluten free"], "instruction_options": ["plant based - tasty teriyaki"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQ8KVKX", "worker_id": "A2RBF3IIJP15IH"}], "B08DCGPRKK": [{"asin": "B08DCGPRKK", "instruction": "i'm looking for a ready to eat goya guisadas preferable white beans in sauce.", "attributes": ["low fat", "ready eat"], "options": ["flavor name: white beans in sauce"], "instruction_attributes": ["ready eat"], "instruction_options": ["white beans in sauce"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPIJ6EJ", "worker_id": "ARQ05PDNXPFDI"}], "B071NV1CRV": [{"asin": "B071NV1CRV", "instruction": "i am interested in permanent hair color that is dark blonde tobacco.", "attributes": ["easy use", "permanent hair"], "options": ["color: dark blonde tobacco"], "instruction_attributes": ["permanent hair"], "instruction_options": ["dark blonde tobacco"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVXU3XL", "worker_id": "A2ECRNQ3X5LEXD"}], "B00EECI9A8": [{"asin": "B00EECI9A8", "instruction": "i would like some long lasting eau de toilette.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8OYKA2C", "worker_id": "A1WS884SI0SLO4"}], "B01HJWDWP6": [{"asin": "B01HJWDWP6", "instruction": "i'm looking for high speed, gold plated hdmi cables that are male to male.", "attributes": ["high speed", "gold plated"], "options": ["color: 10 pack", "size: 15 feet (4 pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["hdmi male to male"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG4OLSE", "worker_id": "A3EDFA8UQT5GG8"}], "B097DM97CS": [{"asin": "B097DM97CS", "instruction": "what scented candles that are lead free are available in wild lavender scent?", "attributes": ["lead free", "soy wax"], "options": ["scent: wild lavender"], "instruction_attributes": ["lead free"], "instruction_options": ["wild lavender"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MJQFOX", "worker_id": "A3EDFA8UQT5GG8"}], "B09RQ6D2XX": [{"asin": "B09RQ6D2XX", "instruction": "i want to get a six-count package of white karahi flavored mix. the mix shouldn't have any artificial flavors.", "attributes": ["easy use", "artificial flavors"], "options": ["flavor name: white karahi 1.41 oz (40g)", "size: pack of 6"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["white karahi 1.41 oz (40g)", "pack of 6"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG4WSLT", "worker_id": "A345TDMHP3DQ3G"}], "B093YRY22W": [{"asin": "B093YRY22W", "instruction": "get me a mesh laundry bag in any color, please.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZHO7CO", "worker_id": "AR9AU5FY1S3RO"}], "B07GXDNMCP": [{"asin": "B07GXDNMCP", "instruction": "i am looking for a stainless steel tongue cleaner.", "attributes": ["stainless steel", "bad breath"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ7X0N0", "worker_id": "A1EREKSZAA9V7B"}], "B09PB9NFWJ": [{"asin": "B09PB9NFWJ", "instruction": "i am looking for a cat with ears cupcake toppers for a baby shower.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4A3BSA", "worker_id": "A1EREKSZAA9V7B"}], "B07VPSW334": [{"asin": "B07VPSW334", "instruction": "i want a small black women's blouse with long sleeves.", "attributes": ["hand wash", "elastic closure", "long sleeve", "polyester spandex", "dry clean", "teen girls"], "options": ["color: #1 black", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["#1 black", "small"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1076QLIQ", "worker_id": "A345TDMHP3DQ3G"}], "B083QFB8L5": [{"asin": "B083QFB8L5", "instruction": "i want to find an 80x50 centimeter desk that can be mounted to my wall.", "attributes": ["wall mounted", "easy clean"], "options": ["color: c", "size: 80\u00d750 cm | 31.5\u00d719.7 in"], "instruction_attributes": ["wall mounted"], "instruction_options": ["80\u00d750 cm | 31.5\u00d719.7 in"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VO9MXI", "worker_id": "A345TDMHP3DQ3G"}], "B09S31L7LB": [{"asin": "B09S31L7LB", "instruction": "i am looking for x-large mint green snow boots that have a rubber outsole.", "attributes": ["slip resistant", "soft material", "rubber outsole"], "options": ["color: b32 - mint green", "size: x-large"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["b32 - mint green", "x-large"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q10DK0", "worker_id": "A2ECRNQ3X5LEXD"}], "B01GQU0HMS": [{"asin": "B01GQU0HMS", "instruction": "i am looking for low fat beef jerky.", "attributes": ["low fat", "high protein", "gluten free"], "options": [""], "instruction_attributes": ["low fat"], "instruction_options": [], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ78N0Y", "worker_id": "A1EREKSZAA9V7B"}], "B08YNFX8P8": [{"asin": "B08YNFX8P8", "instruction": "i am looking for a body brush that has a long handle.", "attributes": ["easy clean", "long handle"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSGA2QF", "worker_id": "A2ECRNQ3X5LEXD"}], "B078VDBGJK": [{"asin": "B078VDBGJK", "instruction": "i want to find a pair of purple women's boots in a size 8. the boots need to have rubber soles.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: purple sage", "size: 8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["purple sage", "8"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOBAATH", "worker_id": "A345TDMHP3DQ3G"}], "B09R1XFNKW": [{"asin": "B09R1XFNKW", "instruction": "i need a black leopard print polyester-cotton shirt with long sleeves.", "attributes": ["slim fit", "short sleeve", "long sleeve", "polyester cotton", "regular fit", "gym workout"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["long sleeve", "polyester cotton"], "instruction_options": ["black"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ANWWB7", "worker_id": "A19317A3X87NVM"}], "B09228DH3M": [{"asin": "B09228DH3M", "instruction": "i am interested in a high quality hair cutting kit.", "attributes": ["easy carry", "easy clean", "easy use", "high quality", "hair cutting"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGLHIY2", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VHGV3XW": [{"asin": "B07VHGV3XW", "instruction": "i want 8 pcs of water resistant tattoo grip tape.", "attributes": ["water resistant", "easy use"], "options": ["color: tattoo grip tape 8pcs"], "instruction_attributes": ["water resistant"], "instruction_options": ["tattoo grip tape 8pcs"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IN8LT9", "worker_id": "A2RBF3IIJP15IH"}], "B097P8M6MB": [{"asin": "B097P8M6MB", "instruction": "i need to buy a fake security camera. get the one that comes with batteries. buy it in silver.", "attributes": ["easy install", "batteries included"], "options": ["color: silver", "item package quantity: 1"], "instruction_attributes": ["batteries included"], "instruction_options": ["silver"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDPR8YZ", "worker_id": "AR9AU5FY1S3RO"}], "B009DU4QYE": [{"asin": "B009DU4QYE", "instruction": "i want a sulfate free shampoo that is 8 fl oz.", "attributes": ["sulfate free", "paraben free", "natural ingredients", "natural hair"], "options": ["size: 8 fl oz (pack of 1)"], "instruction_attributes": ["sulfate free"], "instruction_options": ["8 fl oz (pack of 1)"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNT3H8Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B071RGNKD2": [{"asin": "B071RGNKD2", "instruction": "i am looking for a usda organic cacao flavored instant cup of oatmeal .", "attributes": ["non gmo", "protein serving", "usda organic", "plant based", "simple ingredients", "artificial flavors"], "options": ["flavor name: cacao", "size: 1.94 ounce (pack of 12)"], "instruction_attributes": ["usda organic"], "instruction_options": ["cacao"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0MVESC9", "worker_id": "A1EREKSZAA9V7B"}], "B07PYDRYWP": [{"asin": "B07PYDRYWP", "instruction": "i am looking for a pack of 4 non gmo flatbread crackers that are sesame", "attributes": ["non gmo", "0g trans"], "options": ["flavor name: sesame and sea salt", "size: 6.7 ounce (pack of 4)"], "instruction_attributes": ["non gmo"], "instruction_options": ["sesame and sea salt", "6.7 ounce (pack of 4)"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ7C0NF", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QJ7J993": [{"asin": "B07QJ7J993", "instruction": "i want a mother's love scented long lasting jewelry jar candle with a size 9 ring.", "attributes": ["lead free", "long lasting"], "options": ["scent: mother's love", "size: ring (size 9)"], "instruction_attributes": ["long lasting"], "instruction_options": ["mother's love", "ring (size 9)"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBCGDJH", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07QJ7J993", "instruction": "i need long lasting lead free candle with a smoky mountains cabin scent.", "attributes": ["lead free", "long lasting"], "options": ["scent: smoky mountains cabin", "size: earrings"], "instruction_attributes": ["lead free", "long lasting"], "instruction_options": ["smoky mountains cabin"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWO16WG", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07QJ7J993", "instruction": "i'm looking for a long lasting jewelry candle with a cotton candy scent; please pick the one with earrings inside.", "attributes": ["lead free", "long lasting"], "options": ["scent: cotton candy", "size: earrings"], "instruction_attributes": ["long lasting"], "instruction_options": ["cotton candy", "earrings"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOG3ONG", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B07QJ7J993", "instruction": "i would like a lead free bracelet birthday cake jar candle.", "attributes": ["lead free", "long lasting"], "options": ["scent: birthday cake", "size: bracelet"], "instruction_attributes": ["lead free"], "instruction_options": ["birthday cake", "bracelet"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCIAKBAE", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07QJ7J993", "instruction": "i want a size 8 black raspberry vanilla candle that is long lasting.", "attributes": ["lead free", "long lasting"], "options": ["scent: black raspberry vanilla", "size: ring (size 8)"], "instruction_attributes": ["long lasting"], "instruction_options": ["black raspberry vanilla", "ring (size 8)"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXJSJUS", "worker_id": "A1WS884SI0SLO4"}], "B07CZS5SM7": [{"asin": "B07CZS5SM7", "instruction": "i am looking for a mint green twin size adult weighted blanket.", "attributes": ["twin size", "super soft", "king size"], "options": ["color: mint green", "size: 41\" x 60\" 10 lbs"], "instruction_attributes": ["twin size"], "instruction_options": ["mint green"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR3SC03", "worker_id": "A1EREKSZAA9V7B"}], "B0000645C9": [{"asin": "B0000645C9", "instruction": "i need a canon powershot s200 with optical zoom.", "attributes": ["optical zoom", "usb port"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIAUL2G", "worker_id": "A2RBF3IIJP15IH"}], "B08FCXCD93": [{"asin": "B08FCXCD93", "instruction": "i want to buy a high speed, high resolution mirrorless camera. get the one with the standard lens kit.", "attributes": ["high resolution", "dust proof", "high speed"], "options": ["style: standard lens kit"], "instruction_attributes": ["high resolution", "high speed"], "instruction_options": ["standard lens kit"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CAB0VT", "worker_id": "AR9AU5FY1S3RO"}], "B07YZL99M8": [{"asin": "B07YZL99M8", "instruction": "i am looking for a slim fit t-shirt of black-5 color.", "attributes": ["slim fit", "short sleeve", "polyester spandex"], "options": ["color: black-5", "size: x-small"], "instruction_attributes": ["slim fit"], "instruction_options": ["black-5"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06JUXK4", "worker_id": "A1Q8PPQQCWGY0D"}], "B09SGBKXB9": [{"asin": "B09SGBKXB9", "instruction": "get me a hand-washable swimsuit in size small.", "attributes": ["hand wash", "nylon spandex", "tummy control", "high waist", "polyester spandex", "tumble dry"], "options": ["color: a2#black", "size: small"], "instruction_attributes": ["hand wash"], "instruction_options": ["small"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRPR2YI", "worker_id": "AR9AU5FY1S3RO"}], "B07Y497YYL": [{"asin": "B07Y497YYL", "instruction": "i need to shop for a heavy duty cell phone case. i'd like one that's black with blue accents.", "attributes": ["dust proof", "compatible apple", "heavy duty"], "options": ["color: black&blue"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black&blue"], "assignment_id": "37TRT2X24116R7L1JO45INKV8RRJB3", "worker_id": "AR9AU5FY1S3RO"}], "B09PMZD9TB": [{"asin": "B09PMZD9TB", "instruction": "i want a pink coat that is 3x large and machine washable.", "attributes": ["quick drying", "machine washable", "laundry bag"], "options": ["color: pink", "size: 3x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["pink", "3x-large"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSFU26E", "worker_id": "A2ECRNQ3X5LEXD"}], "B000EITYUU": [{"asin": "B000EITYUU", "instruction": "i need 2 pack 5 pound resealable bags of fine ground celtic sea salt.", "attributes": ["non gmo", "gluten free", "resealable bag"], "options": ["pattern name: 2-pack", "size: 5 pound (pack of 1)", "style: 2-pack"], "instruction_attributes": ["resealable bag"], "instruction_options": ["2-pack", "5 pound (pack of 1)", "2-pack"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2KAL56", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000EITYUU", "instruction": "i'm looking for gluten free it was high protein and healthy need to buy.", "attributes": ["non gmo", "gluten free", "resealable bag"], "options": ["pattern name: sea salt + light grey celtic sea salt", "size: 1 pound (pack of 1)", "style: 2-pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["sea salt + light grey celtic sea salt"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKM2VPI", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B000EITYUU", "instruction": "i am looking for sea salt of 2-pack size which is gluten free.", "attributes": ["non gmo", "gluten free", "resealable bag"], "options": ["pattern name: sea salt", "size: 2-pack", "style: 2-pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["2-pack"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSK3621", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B000EITYUU", "instruction": "i'm looking for a 2 pack of sea salt in a resealable bag and gluten free", "attributes": ["non gmo", "gluten free", "resealable bag"], "options": ["pattern name: sea salt", "size: 2-pack", "style: 2-pack"], "instruction_attributes": ["gluten free", "resealable bag"], "instruction_options": ["sea salt", "2-pack", "2-pack"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4JL156", "worker_id": "A2Y2TURT2VEYZN"}], "B09QL71Q7B": [{"asin": "B09QL71Q7B", "instruction": "i am looking for a women's short sleeve tank top size 3x-large.", "attributes": ["quick drying", "machine washable", "loose fit", "long sleeve", "short sleeve", "laundry bag", "daily wear"], "options": ["color: facai-a234-hot pink", "size: 3x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["3x-large"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTV5M7Y", "worker_id": "A1EREKSZAA9V7B"}], "B08G6NGY1J": [{"asin": "B08G6NGY1J", "instruction": "i need a can of ready to eat vegan duck.", "attributes": ["easy use", "shelf stable", "ready eat"], "options": [""], "instruction_attributes": ["ready eat"], "instruction_options": [], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZTMNAR", "worker_id": "A2RBF3IIJP15IH"}], "B09T3BML8K": [{"asin": "B09T3BML8K", "instruction": "i am looking for a solid wood vertical file cabinet that is easy to assemble.", "attributes": ["easy assemble", "engineered wood", "solid wood", "living room"], "options": [""], "instruction_attributes": ["easy assemble", "solid wood"], "instruction_options": [], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3VD1UD", "worker_id": "A1EREKSZAA9V7B"}], "B09CQ2QHHT": [{"asin": "B09CQ2QHHT", "instruction": "i am looking for 1 pack of 14 inch tape in hair extensions.", "attributes": ["double sided", "hair extensions"], "options": ["color: #2 kc", "size: 14 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["14 inch (pack of 1)"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ4E1LD", "worker_id": "A1EREKSZAA9V7B"}], "B08LND5CJZ": [{"asin": "B08LND5CJZ", "instruction": "i need a rose gold cell phone case with a tempered glass screen.", "attributes": ["hands free", "glass screen", "tempered glass"], "options": ["color: rose gold"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["rose gold"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z29XGX", "worker_id": "AR9AU5FY1S3RO"}], "B096V6LFW9": [{"asin": "B096V6LFW9", "instruction": "i am looking for high quality 18 inch hair extensions", "attributes": ["high quality", "synthetic hair", "hair extensions"], "options": ["color: tt1b | 30", "size: 18 in"], "instruction_attributes": ["high quality"], "instruction_options": ["18 in"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRUNXJY", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LMLN5YH": [{"asin": "B08LMLN5YH", "instruction": "i'd like to buy a black bullet camera with motion detection.", "attributes": ["1080p hd", "motion detection"], "options": ["color: black"], "instruction_attributes": ["motion detection"], "instruction_options": ["black"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q0YWGY", "worker_id": "AR9AU5FY1S3RO"}], "B07S3Z2N18": [{"asin": "B07S3Z2N18", "instruction": "i would like a woman's large cotton heather t shirt preferably in slate gray.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "star wars"], "options": ["color: slate", "fit type: women", "size: large"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["slate", "women", "large"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JX9K7G2", "worker_id": "A1WS884SI0SLO4"}], "B099MQDKXM": [{"asin": "B099MQDKXM", "instruction": "i need to buy a new laptop. look for one with a core i5 intel processor, 64 gigabytes of ram, and a 2 terrabyte ssd.", "attributes": ["core i5", "intel core"], "options": ["size: 64gb ddr4 i 2tb ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["64gb ddr4 i 2tb ssd"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOV97ON", "worker_id": "AR9AU5FY1S3RO"}], "B098KYNNF1": [{"asin": "B098KYNNF1", "instruction": "buy me any long sleeve polo as long as it's a size medium.", "attributes": ["classic fit", "long sleeve"], "options": ["color: jade frost", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HG82YHP", "worker_id": "AR9AU5FY1S3RO"}], "B01BY04QQS": [{"asin": "B01BY04QQS", "instruction": "i am looking for a 40ft hdmi cable that is gold plated.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["configuration: hdmi male-male", "pattern name: 1 pack", "size: 40 ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["1 pack", "40 ft"], "assignment_id": "352YTHGRO6NQF252G9RXYWYAL7A4HH", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01BY04QQS", "instruction": "i would like a single 25 foot hdmi 2.1 cable for my blu ray player.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["configuration: hdmi 2.1", "pattern name: 1 pack", "size: 25 ft"], "instruction_attributes": ["blu ray"], "instruction_options": ["hdmi 2.1", "1 pack", "25 ft"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20L5Z0G", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01BY04QQS", "instruction": "i am looking for a 3ft high speed hdmi male-male cable with gold plated.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["configuration: hdmi male-male", "pattern name: 3 pack", "size: 3ft"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["hdmi male-male", "3ft"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X7E3YP", "worker_id": "A1V2JTEEBCXR20"}], "B072PZ683F": [{"asin": "B072PZ683F", "instruction": "add some non-gmo popcorn to my order.", "attributes": ["old fashioned", "non gmo", "0g trans", "high fructose"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSGV8B6", "worker_id": "AR9AU5FY1S3RO"}], "B08PC7RDVF": [{"asin": "B08PC7RDVF", "instruction": "i want to get a 12-pack of 14 ounce boxes of hand-crafted fettucine.", "attributes": ["low sodium", "hand crafted", "fat free"], "options": ["flavor name: fettucine", "size: 14 ounce (pack of 12)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["fettucine", "14 ounce (pack of 12)"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CNIT2T", "worker_id": "A345TDMHP3DQ3G"}], "B07YCJCLRH": [{"asin": "B07YCJCLRH", "instruction": "i want to find a case for my iphone 11 pro that is easy to install.", "attributes": ["easy install", "wireless charging"], "options": ["color: a05", "size: apple iphone 11 pro"], "instruction_attributes": ["easy install"], "instruction_options": ["apple iphone 11 pro"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G74I47J", "worker_id": "A345TDMHP3DQ3G"}], "B01KLLGE9I": [{"asin": "B01KLLGE9I", "instruction": "i need a rainfall colored and high quality reusable shower cap.", "attributes": ["high quality", "hair treatment"], "options": ["color: rainfall"], "instruction_attributes": ["high quality"], "instruction_options": ["rainfall"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLPKDAZ", "worker_id": "A2RBF3IIJP15IH"}], "B09LTRP7HW": [{"asin": "B09LTRP7HW", "instruction": "i want to find a tv stand made of solid wood for my living room.", "attributes": ["high density", "white item", "high gloss", "solid wood", "storage space", "living room"], "options": [""], "instruction_attributes": ["solid wood", "living room"], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGH2W2O", "worker_id": "A345TDMHP3DQ3G"}], "B08YNG2BWW": [{"asin": "B08YNG2BWW", "instruction": "i need a new watchband for my apple watch se. buy one that's sky blue and waterproof.", "attributes": ["water resistant", "quick release", "compatible apple", "stainless steel"], "options": ["color: sky blue", "size: 38mm | 40mm"], "instruction_attributes": ["water resistant"], "instruction_options": ["sky blue"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YW3HEZ", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08YNG2BWW", "instruction": "i need a water proof watch band for a 42 millimeter apple watch. i want a green one.", "attributes": ["water resistant", "quick release", "compatible apple", "stainless steel"], "options": ["color: facebook green", "size: 42mm | 44mm"], "instruction_attributes": ["water resistant", "compatible apple"], "instruction_options": ["facebook green", "42mm | 44mm"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYYYVHP", "worker_id": "AR9AU5FY1S3RO"}], "B09KBRDLQ5": [{"asin": "B09KBRDLQ5", "instruction": "looking for a coat with hood and long sleeve in black size large for women", "attributes": ["light weight", "fleece lined", "faux fur", "long sleeve"], "options": ["color: black 2", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black 2", "large"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4Q27K6", "worker_id": "A2Y2TURT2VEYZN"}], "B09P8H2C92": [{"asin": "B09P8H2C92", "instruction": "i would like a monocular for my bird watching.", "attributes": ["dust proof", "easy use", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7T0LHM", "worker_id": "A1WS884SI0SLO4"}], "B08PCJFYZX": [{"asin": "B08PCJFYZX", "instruction": "buy a steel framed end table for the living room.", "attributes": ["steel frame", "living room"], "options": [""], "instruction_attributes": ["steel frame", "living room"], "instruction_options": [], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95PFXQP", "worker_id": "AR9AU5FY1S3RO"}], "B09R1TRCMC": [{"asin": "B09R1TRCMC", "instruction": "i am looking for gold+purple color remote controller for playstation 3 having wireless bluetooth.", "attributes": ["high performance", "wireless bluetooth"], "options": ["color: gold+purple"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["gold+purple"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJR5VGW", "worker_id": "A1Q8PPQQCWGY0D"}], "B09H5NK549": [{"asin": "B09H5NK549", "instruction": "i am looking for swivel bar stools with adjustable height, 1pc.", "attributes": ["height adjustable", "dining room", "living room"], "options": ["color: 2pcs-pu grey-black base", "size: 1pc"], "instruction_attributes": ["height adjustable"], "instruction_options": ["1pc"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5OXF54", "worker_id": "A1EREKSZAA9V7B"}], "B08BZF2945": [{"asin": "B08BZF2945", "instruction": "buy some gray machine washable shorts.", "attributes": ["wash cold", "machine wash", "elastic closure", "elastic waistband", "elastic waist"], "options": ["color: gray", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["gray"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H09J16Z", "worker_id": "AR9AU5FY1S3RO"}], "B08G1C28J9": [{"asin": "B08G1C28J9", "instruction": "i'm looking for a lip gloss base that is non-toxic. it comes in a pink tube.", "attributes": ["non toxic", "long lasting", "easy use"], "options": ["color: pink tube"], "instruction_attributes": ["non toxic"], "instruction_options": ["pink tube"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQP8HI6", "worker_id": "A3EDFA8UQT5GG8"}], "B08P7Y189P": [{"asin": "B08P7Y189P", "instruction": "i'm looking for a set of 6 midcentury desert prints in 11x14\" beige frames. they are a terra cotta color.", "attributes": ["mid century", "living room"], "options": ["color: midcentury terracotta", "size: 11x14 beige framed"], "instruction_attributes": ["mid century"], "instruction_options": ["midcentury terracotta", "11x14 beige framed"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0Q9RAH", "worker_id": "A2DDPSXH2X96RF"}], "B06XCT3QY4": [{"asin": "B06XCT3QY4", "instruction": "i would like a 6 pack of 5 count boxes of gluten free peanut butter fudge crisp bars.", "attributes": ["keto friendly", "low carb", "gluten free"], "options": ["flavor name: peanut butter fudge crisp", "size: 5 count (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["peanut butter fudge crisp", "5 count (pack of 6)"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNT28HO", "worker_id": "A1WS884SI0SLO4"}], "B0876WGZRL": [{"asin": "B0876WGZRL", "instruction": "i am interested in a long sleeved large button down shirt.", "attributes": ["officially licensed", "long sleeve"], "options": ["size: large", "team name: kyle busch"], "instruction_attributes": ["long sleeve"], "instruction_options": ["large"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLVZYBB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B6RF1VM": [{"asin": "B09B6RF1VM", "instruction": "i am interested in a heavy duty coat rack that is rice white colored.", "attributes": ["wall mounted", "heavy duty", "easy assemble"], "options": ["color: rice white"], "instruction_attributes": ["heavy duty"], "instruction_options": ["rice white"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUFEC30", "worker_id": "A2ECRNQ3X5LEXD"}], "B08C2N8BVB": [{"asin": "B08C2N8BVB", "instruction": "i would like some non gmo strawberries that are 2.5 ounces", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries", "size: 2.5 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["non gmo"], "instruction_options": ["strawberries", "2.5 ounce (pack of 1)"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNX5TPB", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08C2N8BVB", "instruction": "i am looking for a freeze dried bag of beets.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: roasted corn", "size: 2.5 ounce (pack of 1)", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["bag"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOJJTC0", "worker_id": "A2NSS746CFCT4M"}, {"asin": "B08C2N8BVB", "instruction": "i am looking for 1 ounce bag of non-gmo freeze-dried beets.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + tropical fruits", "size: 1 ounce (pack of 12)", "style: bag"], "instruction_attributes": ["non gmo", "freeze dried"], "instruction_options": ["1 ounce (pack of 12)"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ3WSIF", "worker_id": "AJDQGOTMB2D80"}, {"asin": "B08C2N8BVB", "instruction": "need me an organic freeze dried beets in strawberries and apples flavor", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + apples", "size: strawberries 1.2 ounce & raspberries 1.3...", "style: bag"], "instruction_attributes": ["freeze dried"], "instruction_options": ["strawberries + apples"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7XYUR1", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08C2N8BVB", "instruction": "i am looking a non gmo freeze dried low calorie fat free peas 1.8 ounce", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: peas", "size: 1.8 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["non gmo", "freeze dried", "low calorie", "fat free"], "instruction_options": ["peas", "1.8 ounce (pack of 1)"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8LZ4RF", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B08C2N8BVB", "instruction": "i am looking for low calorie dried vegetables of chocolate banana slices flavor.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: chocolate banana slices", "size: 1.2 ounce (pack of 8)", "style: bundle"], "instruction_attributes": ["low calorie"], "instruction_options": ["chocolate banana slices"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0YKPXR", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08C2N8BVB", "instruction": "i would like a 2.5 ounce bundle of blueberries that are usda organic.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: blueberries", "size: 2.5 ounce (pack of 12)", "style: bundle"], "instruction_attributes": ["usda organic"], "instruction_options": ["blueberries", "2.5 ounce (pack of 12)", "bundle"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFIF20W", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08C2N8BVB", "instruction": "i'm looking for a plant based, usda organic freeze dried fruits which is fat free. also choose a pack of 12 weighting 1.5 ounce bundle with strawberries + banana flavored one.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: strawberries + bananas", "size: 1.5 ounce (pack of 12)", "style: bundle"], "instruction_attributes": ["freeze dried", "usda organic", "fat free", "plant based"], "instruction_options": ["strawberries + bananas", "1.5 ounce (pack of 12)", "bundle"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJLAOLL", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B08C2N8BVB", "instruction": "i'm looking for organic freeze-dried beets.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: raspberries", "size: 3 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["non gmo", "freeze dried"], "instruction_options": [], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZPER7F", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B08C2N8BVB", "instruction": "i'm looking for a 1.2 ounce package of freeze dried, non gmo, beets.", "attributes": ["non gmo", "freeze dried", "usda organic", "low calorie", "fat free", "plant based"], "options": ["flavor: bananas and strawberries", "size: 1.2 ounce (pack of 1)", "style: bundle"], "instruction_attributes": ["non gmo", "freeze dried"], "instruction_options": ["1.2 ounce (pack of 1)"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M21X945", "worker_id": "A2JP9IKRHNLRPI"}], "B017M3IXZG": [{"asin": "B017M3IXZG", "instruction": "i am looking for a long lasting edp spray for women.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "37Z929RLGKIZMWY86444AIH4AHCSTQ", "worker_id": "A1EREKSZAA9V7B"}], "B09CV289F8": [{"asin": "B09CV289F8", "instruction": "i am looking for a yellow short sleeve men's hawaiian shirt.", "attributes": ["machine washable", "short sleeve", "button closure", "dry clean"], "options": ["color: yellow", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["yellow"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCFSJSJ", "worker_id": "A1EREKSZAA9V7B"}], "B086VNCP37": [{"asin": "B086VNCP37", "instruction": "i am looking for a solid wood light golden brown stained bookcase.", "attributes": ["wood finish", "solid wood"], "options": ["color: light golden brown | stained"], "instruction_attributes": ["solid wood"], "instruction_options": ["light golden brown | stained"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N3QT7V", "worker_id": "A1EREKSZAA9V7B"}], "B09Q9CSX6M": [{"asin": "B09Q9CSX6M", "instruction": "i am looking for a computer desk with a steel frame and a wood finish that is easy to clean.", "attributes": ["easy clean", "wood finish", "steel frame"], "options": [""], "instruction_attributes": ["easy clean", "wood finish", "steel frame"], "instruction_options": [], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGH4O05", "worker_id": "A1EREKSZAA9V7B"}], "B09MLNQM9R": [{"asin": "B09MLNQM9R", "instruction": "i am looking for a dust proof travel bag.", "attributes": ["dust proof", "easy carry"], "options": [""], "instruction_attributes": ["dust proof"], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR0GA08", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PBXS1XZ": [{"asin": "B09PBXS1XZ", "instruction": "i am interested in orange flats with arch support that are a size 11.5", "attributes": ["open toe", "ankle strap", "high heel", "arch support", "closed toe"], "options": ["color: z92-orange", "size: 11.5"], "instruction_attributes": ["arch support"], "instruction_options": ["z92-orange", "11.5"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYLSQMV", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MW1MRCH": [{"asin": "B09MW1MRCH", "instruction": "i am looking for a gold colored bpa free beauty case.", "attributes": ["bpa free", "fine mist"], "options": ["size: transparent gold"], "instruction_attributes": ["bpa free"], "instruction_options": ["transparent gold"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y0ENN4", "worker_id": "A2ECRNQ3X5LEXD"}], "B096V4P7PK": [{"asin": "B096V4P7PK", "instruction": "i would like a extra large fushia and leopard tunic that i can machine wash.", "attributes": ["hand wash", "wash cold", "machine wash", "unique design"], "options": ["color: fuchsia&leopard", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["fuchsia&leopard", "x-large"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOLV9MZ", "worker_id": "A1WS884SI0SLO4"}], "B07JZWV8WF": [{"asin": "B07JZWV8WF", "instruction": "i want to find a pair of blue men's work shoes in size 10. the shoes must be made of high quality materials.", "attributes": ["lace closure", "quality materials"], "options": ["color: blue", "size: 10 us"], "instruction_attributes": ["quality materials"], "instruction_options": ["blue", "10 us"], "assignment_id": "3X65QVEQIBXVW21709CD9M35U19LCR", "worker_id": "A345TDMHP3DQ3G"}], "B096RZF13X": [{"asin": "B096RZF13X", "instruction": "i need a peacock blue halter lace short homecoming dress in size 2 that can be hand washed.", "attributes": ["hand wash", "lace closure", "drawstring closure"], "options": ["color: peacock blue", "size: 2"], "instruction_attributes": ["hand wash"], "instruction_options": ["peacock blue", "2"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FFI3DJ", "worker_id": "A2RBF3IIJP15IH"}], "B01HSFND6W": [{"asin": "B01HSFND6W", "instruction": "i want to get a two-count package of gray barstools that i can put in my dining room.", "attributes": ["contemporary style", "dining room"], "options": ["color: grey", "style: 2 pack"], "instruction_attributes": ["dining room"], "instruction_options": ["grey", "2 pack"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LCEL00", "worker_id": "A345TDMHP3DQ3G"}], "B07B8BBFKL": [{"asin": "B07B8BBFKL", "instruction": "i need a shampoo set that is sulfate free and is 16 fl oz.", "attributes": ["sulfate free", "paraben free", "damaged hair", "dry hair"], "options": ["size: 16 fl oz (pack of 1)"], "instruction_attributes": ["sulfate free"], "instruction_options": ["16 fl oz (pack of 1)"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWCFGGQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B01K6CHVKI": [{"asin": "B01K6CHVKI", "instruction": "i would like a charcoal oval rug thats 10 ft x 13 ft and easy to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: charcoal", "item shape: oval", "size: 10 ft x 13 ft"], "instruction_attributes": ["easy clean"], "instruction_options": ["charcoal", "oval", "10 ft x 13 ft"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOV9O74", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01K6CHVKI", "instruction": "i want an octagonal area right that is light green in color and is easy to clean.", "attributes": ["easy clean", "spot clean"], "options": ["color: light green", "item shape: octagonal", "size: 3 ft 3 in x 5 ft 3 in"], "instruction_attributes": ["easy clean"], "instruction_options": ["light green", "octagonal"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIKDFES", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01K6CHVKI", "instruction": "i am looking for a red easy to clean area rugs", "attributes": ["easy clean", "spot clean"], "options": ["color: red", "item shape: oval", "size: 7 ft x 10 ft"], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UQHEZR", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01K6CHVKI", "instruction": "i am looking for a light green octagonal plush area rug.", "attributes": ["easy clean", "spot clean"], "options": ["color: light green", "item shape: octagonal", "size: 5 ft x 7 ft 7 in"], "instruction_attributes": ["easy clean"], "instruction_options": ["light green", "octagonal"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DU1OTL", "worker_id": "A1EREKSZAA9V7B"}], "B07GL3PWQ1": [{"asin": "B07GL3PWQ1", "instruction": "get some shelf stable baguettes.", "attributes": ["shelf stable", "simple ingredients"], "options": [""], "instruction_attributes": ["shelf stable"], "instruction_options": [], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOB6ATD", "worker_id": "AR9AU5FY1S3RO"}], "B084YV58DJ": [{"asin": "B084YV58DJ", "instruction": "i would like some long lasting perfume.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZIU7RX", "worker_id": "A1WS884SI0SLO4"}], "B07R1HDL4M": [{"asin": "B07R1HDL4M", "instruction": "buy some cotton rounds that are appropriate for sensitive skin, okay?", "attributes": ["non toxic", "high quality", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNPJFJH", "worker_id": "AR9AU5FY1S3RO"}], "B095KSSZ48": [{"asin": "B095KSSZ48", "instruction": "i am looking for an eco friendly cruelty free orange ylang shampoo and conditioner combo pack.", "attributes": ["plant based", "eco friendly", "cruelty free", "tea tree", "hair growth"], "options": ["style: orange ylang shampoo & conditioner combo pack"], "instruction_attributes": ["eco friendly", "cruelty free"], "instruction_options": ["orange ylang shampoo & conditioner combo pack"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49E9DTO", "worker_id": "A1EREKSZAA9V7B"}], "B089SXDC1N": [{"asin": "B089SXDC1N", "instruction": "i am looking for loose fitting men's cargo pants with an elastic waist size 32.", "attributes": ["loose fit", "machine wash", "elastic waist", "elastic closure", "elastic waistband"], "options": ["color: 2011 grey", "size: 32"], "instruction_attributes": ["loose fit", "elastic waist"], "instruction_options": ["32"], "assignment_id": "31EUONYN26DZ1WA44INARVVOADQVOD", "worker_id": "A1EREKSZAA9V7B"}], "B09R9MWSG7": [{"asin": "B09R9MWSG7", "instruction": "i'd like to see large bathing suits for women that are quick drying and loose fitting.", "attributes": ["quick drying", "loose fit", "tummy control", "high waist", "polyester spandex", "short sleeve"], "options": ["color: hot pink", "size: large"], "instruction_attributes": ["quick drying", "loose fit"], "instruction_options": ["large"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG4ILS8", "worker_id": "A3EDFA8UQT5GG8"}], "B08MKTY3J9": [{"asin": "B08MKTY3J9", "instruction": "can you find me a rose hydrations set to take care of my skin that has natural ingredients like green tea?", "attributes": ["seed oil", "green tea", "natural ingredients"], "options": [""], "instruction_attributes": ["green tea", "natural ingredients"], "instruction_options": [], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7TDHLV", "worker_id": "A2DDPSXH2X96RF"}], "B09HHDBKWG": [{"asin": "B09HHDBKWG", "instruction": "buy me a non-slip razor stand.", "attributes": ["non slip", "hair removal"], "options": [""], "instruction_attributes": ["non slip"], "instruction_options": [], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN6R8IR", "worker_id": "AR9AU5FY1S3RO"}], "B07F43F67Z": [{"asin": "B07F43F67Z", "instruction": "i need a dermatologist tested honest beauty elevated hydration mist.", "attributes": ["dermatologist tested", "cruelty free", "hyaluronic acid"], "options": [""], "instruction_attributes": ["dermatologist tested"], "instruction_options": [], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQPIIHH", "worker_id": "A2RBF3IIJP15IH"}], "B07TTXZS9Z": [{"asin": "B07TTXZS9Z", "instruction": "i am looking for an easy to use meat masala flavored seasoning mix for a traditional meat stew.", "attributes": ["easy use", "artificial flavors"], "options": ["flavor name: meat masala", "size: 1.76 ounce (pack of 2)"], "instruction_attributes": ["easy use"], "instruction_options": ["meat masala"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYMWQ97", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07TTXZS9Z", "instruction": "i am looking for spice powder with some artificial flavor such as meat masala", "attributes": ["easy use", "artificial flavors"], "options": ["flavor name: meat masala", "size: 3.5 ounce"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["meat masala"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFNKME5", "worker_id": "A16M39T60N60NO"}, {"asin": "B07TTXZS9Z", "instruction": "i would like a 3.52 ounce packet of kat a kat seasoning that's easy to use.", "attributes": ["easy use", "artificial flavors"], "options": ["flavor name: kat a kat", "size: 3.52 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["kat a kat", "3.52 ounce (pack of 6)"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9DM2VG", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07TTXZS9Z", "instruction": "i am looking for some easy to use chicken handi indian seasoning mix.", "attributes": ["easy use", "artificial flavors"], "options": ["flavor name: chicken handi", "size: pack of 4"], "instruction_attributes": ["easy use"], "instruction_options": ["chicken handi"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK49O6A3", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07TTXZS9Z", "instruction": "i want a 2.1 ounce package of chicken masala seasoning that's easy to use.", "attributes": ["easy use", "artificial flavors"], "options": ["flavor name: chicken masala", "size: 2.1 ounce (pack of 1)"], "instruction_attributes": ["easy use"], "instruction_options": ["chicken masala", "2.1 ounce (pack of 1)"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUUDICMH", "worker_id": "A1WS884SI0SLO4"}], "B09BDDB9HF": [{"asin": "B09BDDB9HF", "instruction": "i'd like to buy a nightsand that's made out of engineered wood.", "attributes": ["assembly required", "engineered wood"], "options": [""], "instruction_attributes": ["engineered wood"], "instruction_options": [], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1J16F4", "worker_id": "AR9AU5FY1S3RO"}], "B08BR9YDMK": [{"asin": "B08BR9YDMK", "instruction": "looking for temporary tattoos easy apply and waterproof with pattern name fluttery", "attributes": ["plant based", "easy apply", "cruelty free", "long lasting"], "options": ["pattern name: fluttery"], "instruction_attributes": ["easy apply"], "instruction_options": ["fluttery"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCF8E01", "worker_id": "A2Y2TURT2VEYZN"}], "B07Z1HD9C5": [{"asin": "B07Z1HD9C5", "instruction": "i am looking for a three piece assortment of individually wrapped bakery gifts that are chocolate caramels.", "attributes": ["individually wrapped", "artificial ingredients", "simple ingredients", "natural ingredients"], "options": ["flavor name: dark and milk chocolate caramel", "size: 3 piece assortment"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["dark and milk chocolate caramel", "3 piece assortment"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBC2JD9", "worker_id": "A2ECRNQ3X5LEXD"}], "B086HDW5T5": [{"asin": "B086HDW5T5", "instruction": "i am looking for hair extensions that are gray and 26 inches.", "attributes": ["double sided", "hair extensions", "hair loss"], "options": ["color: x-#gray", "size: 26 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["x-#gray", "26 inch"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQA119K", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B086HDW5T5", "instruction": "i want an 18 inch sunny human hair extensions tape.", "attributes": ["double sided", "hair extensions", "hair loss"], "options": ["color: #4 | 27 | 4 brown mix caramel blonde", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["18 inch"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTTR5EX", "worker_id": "A2RBF3IIJP15IH"}], "B086ZCTH3P": [{"asin": "B086ZCTH3P", "instruction": "get me some twenty four inch natural hair extensions. buy color number eight.", "attributes": ["hair extensions", "natural hair"], "options": ["color: #8 | 60 | 18", "size: 24 inch"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["#8 | 60 | 18", "24 inch"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NKY2PY", "worker_id": "AR9AU5FY1S3RO"}], "B083K37BSD": [{"asin": "B083K37BSD", "instruction": "i am interested in a large short sleeved shirt that is multicolored.", "attributes": ["long lasting", "button closure", "polyester spandex", "short sleeve", "tumble dry"], "options": ["color: multi010", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["multi010", "large"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54OL83I", "worker_id": "A2ECRNQ3X5LEXD"}], "B08NRMRDTM": [{"asin": "B08NRMRDTM", "instruction": "i am looking for 1 pound of nut free christmas candy.", "attributes": ["nut free", "non gmo", "great gift", "party supplies"], "options": ["size: 1 pound (pack of 1)"], "instruction_attributes": ["nut free"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLWNAVU", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08NRMRDTM", "instruction": "i am looking for 1 pound of nut free christmas candy.", "attributes": ["nut free", "non gmo", "great gift", "party supplies"], "options": ["size: 1 pound (pack of 1)"], "instruction_attributes": ["nut free"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9NCTV6", "worker_id": "A1EREKSZAA9V7B"}], "B09PHCMGRR": [{"asin": "B09PHCMGRR", "instruction": "i am interested in rose gold eyebrow trimmers.", "attributes": ["rose gold", "stainless steel", "hair removal"], "options": [""], "instruction_attributes": ["rose gold"], "instruction_options": [], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZOB3KS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PJ72WM1": [{"asin": "B09PJ72WM1", "instruction": "i need white womens high waist bell-bottomed pants in size x-large.", "attributes": ["wide leg", "tummy control", "high waist", "button closure", "gym workout"], "options": ["color: white", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["white", "x-large"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQ8IKVK", "worker_id": "A2RBF3IIJP15IH"}], "B09KH8VTW8": [{"asin": "B09KH8VTW8", "instruction": "i am interested in a lightweight hoodie that is red and x-large.", "attributes": ["light weight", "fleece lined", "hand wash", "long sleeve", "faux fur", "short sleeve", "teen girls"], "options": ["color: red", "size: x-large"], "instruction_attributes": ["light weight"], "instruction_options": ["red", "x-large"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4YVYXS", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NDLGGS1": [{"asin": "B07NDLGGS1", "instruction": "i am interested in a synthetic wig that is silver.", "attributes": ["synthetic hair", "natural hair"], "options": ["color: rl56 | 60 silver mist"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["rl56 | 60 silver mist"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YW8HE4", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QNR3PN1": [{"asin": "B07QNR3PN1", "instruction": "i need a pair of shorts. make sure they're made out of quality materials and buy them in a size extra small.", "attributes": ["hand wash", "fashion design", "quality materials"], "options": ["color: w-navy", "size: x-small"], "instruction_attributes": ["quality materials"], "instruction_options": ["x-small"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHUYBLAC", "worker_id": "AR9AU5FY1S3RO"}], "B09SZ8YHQN": [{"asin": "B09SZ8YHQN", "instruction": "i need a pair of sandles with an ankle strap in size eight wide, please.", "attributes": ["open toe", "closed toe", "ankle strap"], "options": ["color: 01-black", "size: 8 wide"], "instruction_attributes": ["ankle strap"], "instruction_options": ["8 wide"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT34XHJI", "worker_id": "AR9AU5FY1S3RO"}], "B09PDTSB4K": [{"asin": "B09PDTSB4K", "instruction": "i would like some black tongue cleaners for my bad breath.", "attributes": ["easy clean", "easy use", "high quality", "stainless steel", "bad breath", "fresh breath"], "options": ["color: black"], "instruction_attributes": ["bad breath"], "instruction_options": ["black"], "assignment_id": "3TE22NPXPMMW3QH7127E47P6G2H44O", "worker_id": "A1WS884SI0SLO4"}], "B07CL8ZHXS": [{"asin": "B07CL8ZHXS", "instruction": "i want some hand cream for dry and sensitive hands in a grapefruit scent.", "attributes": ["fragrance free", "cruelty free", "sensitive skin"], "options": ["scent: honeyed grapefruit", "size: 3.4 fl oz (pack of 1)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["honeyed grapefruit"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9BJZRT", "worker_id": "A19317A3X87NVM"}], "B08228LTKC": [{"asin": "B08228LTKC", "instruction": "get me some twin-sized flat sheets in gray.", "attributes": ["twin size", "super soft"], "options": ["color: gray", "size: king (flat sheets only)"], "instruction_attributes": ["twin size"], "instruction_options": ["gray"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGHN2WF", "worker_id": "AR9AU5FY1S3RO"}], "B08PP8QK5M": [{"asin": "B08PP8QK5M", "instruction": "looking for flexible curling rods in blue for natural and dry hair easy to use in size 9.45 x 0.55", "attributes": ["easy use", "natural hair", "dry hair"], "options": ["color: blue", "size: 9.45 x 0.55"], "instruction_attributes": ["easy use", "natural hair", "dry hair"], "instruction_options": ["blue", "9.45 x 0.55"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZI5R7S", "worker_id": "A2Y2TURT2VEYZN"}], "B09N8T4QNV": [{"asin": "B09N8T4QNV", "instruction": "find me a clear ultra hd tempered glass screen protector for my samsung galaxy s22 ultra 5g. it has a 6.8\" screen, and i'll need a 3 pack.", "attributes": ["ultra hd", "easy install", "tempered glass"], "options": ["color: clear"], "instruction_attributes": ["ultra hd", "tempered glass"], "instruction_options": ["clear"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IFIM2H", "worker_id": "A2DDPSXH2X96RF"}], "B092VRBMN3": [{"asin": "B092VRBMN3", "instruction": "i would like a medium sized dress with a elastic waist.", "attributes": ["elastic waist", "tumble dry"], "options": ["size: medium"], "instruction_attributes": ["elastic waist"], "instruction_options": ["medium"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7KPI3Z", "worker_id": "A1WS884SI0SLO4"}], "B07H432DKS": [{"asin": "B07H432DKS", "instruction": "i am looking for a certified refurbished laser printer.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3P1P63", "worker_id": "A1Q8PPQQCWGY0D"}], "B016MDQ6B0": [{"asin": "B016MDQ6B0", "instruction": "i'm looking for hyaluronic acid serum for face -1 fl oz (pack of 1)", "attributes": ["anti aging", "hyaluronic acid"], "options": ["size: 1 fl oz (pack of 1)"], "instruction_attributes": ["hyaluronic acid"], "instruction_options": ["1 fl oz (pack of 1)"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWOXPFZ", "worker_id": "A258PTOZ3D2TQR"}], "B001JO4O80": [{"asin": "B001JO4O80", "instruction": "i want to get gluten free chicken and apple sausages that are organic.", "attributes": ["non gmo", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NKXP2K", "worker_id": "A345TDMHP3DQ3G"}], "B08YNRD68R": [{"asin": "B08YNRD68R", "instruction": "i am looking for an easy to carry bluetooth speaker that is black.", "attributes": ["easy carry", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["easy carry"], "instruction_options": ["black"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HMPOWD", "worker_id": "A1EREKSZAA9V7B"}], "B07QD4WHMZ": [{"asin": "B07QD4WHMZ", "instruction": "i'd like to find a 1-pack of hdmi and dp cables that are three feet long. they need to have gold plating.", "attributes": ["1080p hd", "gold plated", "usb port"], "options": ["pattern name: cable + dp cable - 6 feet, 10-pack", "size: 3 feet", "style: 1-pack"], "instruction_attributes": ["gold plated"], "instruction_options": ["cable + dp cable - 6 feet, 10-pack", "3 feet", "1-pack"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXDIC8", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07QD4WHMZ", "instruction": "i am looking for a uni-directional displayport to hdmi cable for usb port which capable of 1080p hd quality. also choose 25 feet in length and 10-pack", "attributes": ["1080p hd", "gold plated", "usb port"], "options": ["pattern name: cable + cable - 10 feet", "size: 25 feet", "style: 10-pack"], "instruction_attributes": ["1080p hd", "usb port"], "instruction_options": ["25 feet", "10-pack"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCUK5QA", "worker_id": "A2HMEGTAFO0CS8"}, {"asin": "B07QD4WHMZ", "instruction": "i need a display usb port for 1080p hd to hdmi. pick one that is 10ft", "attributes": ["1080p hd", "gold plated", "usb port"], "options": ["pattern name: cable", "size: 10 feet", "style: 5-pack"], "instruction_attributes": ["1080p hd", "usb port"], "instruction_options": ["10 feet"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCRP5Q9", "worker_id": "A31PW970Z2PC5P"}, {"asin": "B07QD4WHMZ", "instruction": "i am looking for a ten foot gold plated displayport to hdmi cable.", "attributes": ["1080p hd", "gold plated", "usb port"], "options": ["pattern name: cable + desk chair", "size: 10 feet", "style: 5-pack"], "instruction_attributes": ["gold plated"], "instruction_options": ["10 feet"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAC1IFJ", "worker_id": "A1EREKSZAA9V7B"}], "B08N5NQ869": [{"asin": "B08N5NQ869", "instruction": "i would like a venetian bronze doorbell only motion detector for my door.", "attributes": ["1080p hd", "motion detection"], "options": ["color: venetian bronze", "configuration: doorbell only"], "instruction_attributes": ["motion detection"], "instruction_options": ["venetian bronze", "doorbell only"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TA6NM6", "worker_id": "A1WS884SI0SLO4"}], "B09RDXT5G8": [{"asin": "B09RDXT5G8", "instruction": "i am looking for chocolate gifts for valentine's day.", "attributes": ["hand crafted", "valentine day"], "options": [""], "instruction_attributes": ["valentine day"], "instruction_options": [], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWWZ1RZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B01K8T6V0A": [{"asin": "B01K8T6V0A", "instruction": "i would like some gnocchi that is easy to prepare.", "attributes": ["easy prepare", "gmo free", "shelf stable", "quality ingredients", "natural ingredients"], "options": [""], "instruction_attributes": ["easy prepare"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1FHU3O", "worker_id": "A2ECRNQ3X5LEXD"}], "B08NZ512GL": [{"asin": "B08NZ512GL", "instruction": "i am looking for a gift basket that has pancakes, muffins, jam and syrup.", "attributes": ["hand crafted", "gift basket", "perfect gift"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYMD9Q7", "worker_id": "A1EREKSZAA9V7B"}], "B081R831MX": [{"asin": "B081R831MX", "instruction": "i am looking for silver cake toppers for a baby shower.", "attributes": ["cupcake picks", "party supplies", "baby shower", "birthday party"], "options": ["color: silver"], "instruction_attributes": ["baby shower"], "instruction_options": ["silver"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7VDSDW", "worker_id": "A2ECRNQ3X5LEXD"}], "B072NFDZ8K": [{"asin": "B072NFDZ8K", "instruction": "i need a red pair of skechers men's performance shoes with synthetic soles in size 9.5.", "attributes": ["machine washable", "synthetic sole"], "options": ["color: red", "size: 9.5 x-wide"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["red", "9.5 x-wide"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSG88BJ", "worker_id": "A2RBF3IIJP15IH"}], "B07K56587S": [{"asin": "B07K56587S", "instruction": "i want to find an xxl sized granite heather colored champion crew neck sweatshirt that is a poly cotton blend.", "attributes": ["polyester cotton", "tumble dry"], "options": ["color: granite heather", "size: xx-large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["granite heather", "xx-large"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7FMN5M", "worker_id": "A2DDPSXH2X96RF"}], "B08L215MCC": [{"asin": "B08L215MCC", "instruction": "i am interested in highly pigmented eyeshadow in the color sienna.", "attributes": ["highly pigmented", "easy apply", "long lasting", "eye shadow"], "options": ["color: sienna"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["sienna"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACO1NHR", "worker_id": "A2ECRNQ3X5LEXD"}], "B00CF3OZ4M": [{"asin": "B00CF3OZ4M", "instruction": "i'd like to see double sided box spring mattresses.", "attributes": ["double sided", "box spring"], "options": [""], "instruction_attributes": ["double sided", "box spring"], "instruction_options": [], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS5PWAQ", "worker_id": "A3EDFA8UQT5GG8"}], "B0979DKSDS": [{"asin": "B0979DKSDS", "instruction": "i am looking for a truffle oil and mushroom pizza with artificial flavors.", "attributes": ["high fructose", "artificial flavors"], "options": [""], "instruction_attributes": ["artificial flavors"], "instruction_options": [], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OPWOPS", "worker_id": "A1EREKSZAA9V7B"}], "B07FD4XRJB": [{"asin": "B07FD4XRJB", "instruction": "i need a 10 foot high speed tnp hdmi cable left angle.", "attributes": ["blu ray", "high speed"], "options": ["size: 10 feet", "style: left angle"], "instruction_attributes": ["high speed"], "instruction_options": ["10 feet", "left angle"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFBE5UV", "worker_id": "A2RBF3IIJP15IH"}], "B07VNPHTB2": [{"asin": "B07VNPHTB2", "instruction": "i would like a remote control that has batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHB9USO3", "worker_id": "A2ECRNQ3X5LEXD"}], "B083QB5YYV": [{"asin": "B083QB5YYV", "instruction": "i want to buy some hair extensions in color 613 bleach blonde in a two pack.", "attributes": ["hair extensions", "hair loss"], "options": ["color: 613# bleach blonde", "size: 2 count (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["613# bleach blonde", "2 count (pack of 1)"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49E2DTH", "worker_id": "A2YNPKYEFDZ6C9"}], "B082HD292M": [{"asin": "B082HD292M", "instruction": "i need small boxer briefs that have an elastic waistband", "attributes": ["wash cold", "machine wash", "elastic waistband", "polyester spandex"], "options": ["size: small"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["small"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VXFFGQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Q5XRMLD": [{"asin": "B07Q5XRMLD", "instruction": "i would like a faux leather light brown chair.", "attributes": ["easy assemble", "faux leather"], "options": ["color: light brown"], "instruction_attributes": ["faux leather"], "instruction_options": ["light brown"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTFL4DC", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LFZ6LGZ": [{"asin": "B08LFZ6LGZ", "instruction": "i need a set of non slip eyebrow epilator.", "attributes": ["non slip", "hair removal"], "options": ["color: style 1"], "instruction_attributes": ["non slip"], "instruction_options": ["style 1"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHW07BT", "worker_id": "A19317A3X87NVM"}], "B0915TJYRJ": [{"asin": "B0915TJYRJ", "instruction": "i need a stainless steel black and large easuny watch band.", "attributes": ["quick release", "easy install", "stainless steel"], "options": ["color: black | white | light gray", "size: large"], "instruction_attributes": ["stainless steel"], "instruction_options": ["black | white | light gray", "large"], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0ULRRD", "worker_id": "A2RBF3IIJP15IH"}], "B087LNZ7P4": [{"asin": "B087LNZ7P4", "instruction": "get me some gluten free tortilla chips with sea salt.", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor name: sea salt tortilla", "size: 0.77 ounce (pack of 24)"], "instruction_attributes": ["gluten free"], "instruction_options": ["sea salt tortilla"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS3540160UM6", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B087LNZ7P4", "instruction": "i would like 10 sweet and savory variety packs of gluten free potato sticks.", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor name: sweet & savory variety pack", "size: pack of 10"], "instruction_attributes": ["gluten free"], "instruction_options": ["sweet & savory variety pack", "pack of 10"], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVHQIBO", "worker_id": "A1WS884SI0SLO4"}], "B073H4LFF4": [{"asin": "B073H4LFF4", "instruction": "i am interested in closed toe muels that are blue and size 10 narrow.", "attributes": ["ethylene vinyl", "vinyl acetate", "closed toe"], "options": ["color: blue", "size: 10 narrow women | 8 narrow men"], "instruction_attributes": ["closed toe"], "instruction_options": ["blue", "10 narrow women | 8 narrow men"], "assignment_id": "3N8OEVH1F204BC17361WW31GEKKOOV", "worker_id": "A2ECRNQ3X5LEXD"}], "B083PJWR17": [{"asin": "B083PJWR17", "instruction": "i need women's olive leather moccasins in size 9.5 wide.", "attributes": ["day comfort", "synthetic sole"], "options": ["color: olive", "size: 9.5 wide"], "instruction_attributes": ["day comfort"], "instruction_options": [], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQM10PZ", "worker_id": "A2RBF3IIJP15IH"}], "B09QBY9R4M": [{"asin": "B09QBY9R4M", "instruction": "i am looking for a high power monocular with phone holder.", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME91X2DM", "worker_id": "A1Q8PPQQCWGY0D"}], "B072M4L644": [{"asin": "B072M4L644", "instruction": "i am looking for organic snacks with real fruit.", "attributes": ["certified organic", "gluten free", "real fruit", "high fructose", "artificial flavors"], "options": [""], "instruction_attributes": ["real fruit"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4AL8L5", "worker_id": "A1EREKSZAA9V7B"}], "B07M77GMQD": [{"asin": "B07M77GMQD", "instruction": "i want to find a spinning facial brush that is water resistant and comes with a storage case. make sure it's the mint green one from touchbeauty.", "attributes": ["water resistant", "storage case"], "options": ["color: mint green"], "instruction_attributes": ["water resistant", "storage case"], "instruction_options": ["mint green"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V1LU2H", "worker_id": "A2DDPSXH2X96RF"}], "B07NX259SR": [{"asin": "B07NX259SR", "instruction": "get some barbecue vegetable chips. make sure they're nut-free.", "attributes": ["nut free", "plant based", "gluten free", "non gmo", "low calorie"], "options": ["flavor name: barbecue", "size: 4 ounce (pack of 12)"], "instruction_attributes": ["nut free"], "instruction_options": ["barbecue"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC520RKT", "worker_id": "AR9AU5FY1S3RO"}], "B08H8K6VCJ": [{"asin": "B08H8K6VCJ", "instruction": "i am interested in a tempered glass iphone case that is blue", "attributes": ["hands free", "glass screen", "tempered glass"], "options": ["color: blue"], "instruction_attributes": ["tempered glass"], "instruction_options": ["blue"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCLZVSNU", "worker_id": "A2ECRNQ3X5LEXD"}], "B08T66H3KS": [{"asin": "B08T66H3KS", "instruction": "i need a pair of shoes with rubber soles. remember to get size seven and a half women's.", "attributes": ["anti slip", "rubber outsole", "rubber sole"], "options": ["color: black", "size: 7.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["7.5"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFRJE3N", "worker_id": "AR9AU5FY1S3RO"}], "B081RP76FY": [{"asin": "B081RP76FY", "instruction": "i am looking for cake toppers for a birthday party.", "attributes": ["birthday party", "party supplies"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21KDQFL", "worker_id": "A2ECRNQ3X5LEXD"}], "B09J2FYN62": [{"asin": "B09J2FYN62", "instruction": "i am looking for a phone case for iphone 13 of sunflower america flag color that is easy to install.", "attributes": ["easy install", "easy use", "tempered glass"], "options": ["color: sunflower america flag", "size: iphone 13\uff086.1inch\uff09"], "instruction_attributes": ["easy install"], "instruction_options": ["sunflower america flag", "iphone 13\uff086.1inch\uff09"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5OAX6Z", "worker_id": "A1Q8PPQQCWGY0D"}], "B07VL2H8KN": [{"asin": "B07VL2H8KN", "instruction": "i'm looking for a gameboy should to be easy to instal and to use for an iphone11 pro", "attributes": ["dust proof", "easy install", "easy use"], "options": ["color: black", "size: for iphone 11 pro"], "instruction_attributes": ["easy install", "easy use"], "instruction_options": ["for iphone 11 pro"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6G5B28", "worker_id": "A19Q021KR28CS8"}, {"asin": "B07VL2H8KN", "instruction": "i want a dust proof case for my iphone 11. it should be black and easy to install.", "attributes": ["dust proof", "easy install", "easy use"], "options": ["color: black", "size: for iphone 11"], "instruction_attributes": ["dust proof", "easy install"], "instruction_options": ["black", "for iphone 11"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98UQYKN", "worker_id": "A1NF6PELRKACS9"}], "B097Q3XVY8": [{"asin": "B097Q3XVY8", "instruction": "i am interested in a loose fit t-shirt that is blue and 4x large.", "attributes": ["loose fit", "wash cold", "hand wash", "soft material", "short sleeve", "long sleeve"], "options": ["color: blue", "size: 4x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["blue", "4x-large"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDPEY8C", "worker_id": "A2ECRNQ3X5LEXD"}], "B07FRCH7QL": [{"asin": "B07FRCH7QL", "instruction": "i want a hair loss and thinning hair product for a hair treatment, water based", "attributes": ["hair loss", "hair growth", "hair treatment"], "options": [""], "instruction_attributes": ["hair treatment"], "instruction_options": [], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VWHWYP", "worker_id": "A2Y2TURT2VEYZN"}], "B08F18QL36": [{"asin": "B08F18QL36", "instruction": "i want a eco friendly xiao jian swivel computer chair.", "attributes": ["eco friendly", "pu leather"], "options": ["color: f"], "instruction_attributes": ["eco friendly"], "instruction_options": ["f"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCUG4QN", "worker_id": "A2RBF3IIJP15IH"}], "B09JWZXCD3": [{"asin": "B09JWZXCD3", "instruction": "i would like a red cupcake topper for a baby shower.", "attributes": ["hand crafted", "party supplies", "baby shower"], "options": ["color: red"], "instruction_attributes": ["baby shower"], "instruction_options": ["red"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEITQT9J", "worker_id": "A1WS884SI0SLO4"}], "B09MP3SDL2": [{"asin": "B09MP3SDL2", "instruction": "i want a queen size upholstered platform bed.", "attributes": ["button tufted", "queen size", "assembly required", "easy assemble", "box spring", "solid wood"], "options": [""], "instruction_attributes": ["queen size"], "instruction_options": [], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9M3VTX", "worker_id": "A2RBF3IIJP15IH"}], "B09HC9NXDF": [{"asin": "B09HC9NXDF", "instruction": "find counter height table set with socket space saving for dining room in brawn/beige colors", "attributes": ["space saving", "assembly required", "wood frame", "dining room"], "options": ["color: brown table+beige stool"], "instruction_attributes": ["space saving", "dining room"], "instruction_options": ["brown table+beige stool"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQP7IH6", "worker_id": "A2Y2TURT2VEYZN"}], "B08B485FBV": [{"asin": "B08B485FBV", "instruction": "i need a 1 fl oz bottle of organic neem oil for hair growth.", "attributes": ["long lasting", "natural ingredients", "hair growth", "hair loss", "fine lines", "dry skin"], "options": ["size: 1 fl oz (pack of 1)"], "instruction_attributes": ["hair growth"], "instruction_options": ["1 fl oz (pack of 1)"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7TYHLG", "worker_id": "A2RBF3IIJP15IH"}], "B08BLGXXJH": [{"asin": "B08BLGXXJH", "instruction": "i am interested in a plug and play hdmi to vga adapter.", "attributes": ["power amplifier", "plug play"], "options": [""], "instruction_attributes": ["plug play"], "instruction_options": [], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C484I03", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FJCXRKW": [{"asin": "B09FJCXRKW", "instruction": "i am interested in cake topper party supplies.", "attributes": ["easy use", "party supplies"], "options": [""], "instruction_attributes": ["party supplies"], "instruction_options": [], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPE2VQF", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZGVV9Z6": [{"asin": "B07ZGVV9Z6", "instruction": "looking for grand court adidas for everyday wear size 9 in white", "attributes": ["regular fit", "rubber sole", "everyday wear"], "options": ["color: white | white | white", "size: 9"], "instruction_attributes": ["everyday wear"], "instruction_options": ["white | white | white", "9"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20L80ZK", "worker_id": "A2Y2TURT2VEYZN"}], "B0859MT52F": [{"asin": "B0859MT52F", "instruction": "i'm looking for a red carbon fiber decal for my xbox.", "attributes": ["high resolution", "carbon fiber"], "options": ["color: red carbon fiber"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["red carbon fiber"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1JATIZ", "worker_id": "A19317A3X87NVM"}, {"asin": "B0859MT52F", "instruction": "i am looking for a red carbon fiber faceplates, protectors & skins with high resolution.", "attributes": ["high resolution", "carbon fiber"], "options": ["color: red carbon fiber"], "instruction_attributes": ["high resolution"], "instruction_options": ["red carbon fiber"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U6ZMAJ", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B0859MT52F", "instruction": "i am looking for an xbox compatible vinyl skin that has a black carbon fiber design.", "attributes": ["high resolution", "carbon fiber"], "options": ["color: mts black"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["mts black"], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6IQEEZ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B0859MT52F", "instruction": "that video game is really high resolution, so room background color is silver.", "attributes": ["high resolution", "carbon fiber"], "options": ["color: mts #2 (silver)"], "instruction_attributes": [], "instruction_options": ["mts #2 (silver)"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7N9OB3", "worker_id": "ASL9LVC97FUCZ"}], "B09MMBHZ98": [{"asin": "B09MMBHZ98", "instruction": "i want to find a pink orthodontic retainer storage case that's easy to carry.", "attributes": ["easy carry", "non toxic", "high quality", "storage case"], "options": ["color: pink"], "instruction_attributes": ["easy carry", "storage case"], "instruction_options": ["pink"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39ABZCI", "worker_id": "A345TDMHP3DQ3G"}], "B007TVSUUK": [{"asin": "B007TVSUUK", "instruction": "i want to find a 12-pack of 4.2 ounce low-carb lentil-flavored rice cakes.", "attributes": ["low carb", "low calorie", "fat free", "sugar free"], "options": ["flavor: lentil", "size: 4.2 ounce (pack of 12)"], "instruction_attributes": ["low carb"], "instruction_options": ["lentil", "4.2 ounce (pack of 12)"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS5RAW6", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B007TVSUUK", "instruction": "i need to buy some rice cakes that are sugar free, fat free, low calorie, and low carb. they should contain whole wheat. get the pack of twelve.", "attributes": ["low carb", "low calorie", "fat free", "sugar free"], "options": ["flavor: whole wheat", "size: 4.2 ounce (pack of 12)"], "instruction_attributes": ["low carb", "low calorie", "fat free", "sugar free"], "instruction_options": ["whole wheat", "4.2 ounce (pack of 12)"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35M7UGL", "worker_id": "AR9AU5FY1S3RO"}], "B07NGNNNH4": [{"asin": "B07NGNNNH4", "instruction": "i am looking for a living room curtain that is machine washable and multi color", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: multi color", "size: 108\" x 108\""], "instruction_attributes": ["machine washable"], "instruction_options": ["multi color"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA4XS2W", "worker_id": "ARJDD0Z3R65BD"}], "B06ZZ68SBZ": [{"asin": "B06ZZ68SBZ", "instruction": "i am looking for a white color hdmi cable having high speed.", "attributes": ["blu ray", "high speed"], "options": ["color: white", "pattern name: cable", "size: 15 feet", "style: side angle"], "instruction_attributes": ["high speed"], "instruction_options": ["white"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKC9C7HG", "worker_id": "A1Q8PPQQCWGY0D"}], "B08DXQ2H8K": [{"asin": "B08DXQ2H8K", "instruction": "i'd like to buy a small hair cutting kit.", "attributes": ["water resistant", "bpa free", "hair cutting", "hair styling"], "options": ["size: small"], "instruction_attributes": ["hair cutting"], "instruction_options": ["small"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJKXDGB", "worker_id": "AR9AU5FY1S3RO"}], "B07W21XY7H": [{"asin": "B07W21XY7H", "instruction": "can you help me find the replacement power cord made by afkt for my yamaha bd-s681 blue ray player?", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6477M3H3", "worker_id": "A2DDPSXH2X96RF"}], "B0821B3XLC": [{"asin": "B0821B3XLC", "instruction": "i need a five by three foot background for digitial photography. make sure it's light weight and easy to carry.", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 5x3ft"], "instruction_attributes": ["light weight", "easy carry", "digital photography"], "instruction_options": ["5x3ft"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323D8LDW8", "worker_id": "AR9AU5FY1S3RO"}], "B07B7BV15N": [{"asin": "B07B7BV15N", "instruction": "i am looking for a individual wrapped birthday cakes and chocolate chip blondies that come in a 12 pack.", "attributes": ["plant based", "gluten free", "non gmo", "individually wrapped", "natural ingredients", "birthday cake"], "options": ["flavor name: birthday cake & chocolate chip blondie", "size: 1.9 ounce (pack of 12)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["birthday cake & chocolate chip blondie"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1BJXRS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PRF5KX5": [{"asin": "B09PRF5KX5", "instruction": "get me some sandals with an ankle strap. buy them in size seven and a half, please.", "attributes": ["closed toe", "ankle strap"], "options": ["color: z1 blue", "size: 7.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["7.5"], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY0DP7U", "worker_id": "AR9AU5FY1S3RO"}], "B0845FL6FD": [{"asin": "B0845FL6FD", "instruction": "help me find the alcohol free listerine tartar control mouthwash.", "attributes": ["alcohol free", "bad breath", "fresh breath"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "3BXQMRHWKA8BOE0SMCYS3540165MU3", "worker_id": "A2DDPSXH2X96RF"}], "B01LYP9LQ2": [{"asin": "B01LYP9LQ2", "instruction": "i need a long lasting 7 oz rosemary candle.", "attributes": ["lead free", "long lasting", "soy wax"], "options": ["color: rosemary (double wick - white box)", "size: 7 oz"], "instruction_attributes": ["long lasting"], "instruction_options": ["rosemary (double wick - white box)", "7 oz"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAYN8AO", "worker_id": "A2RBF3IIJP15IH"}], "B09SLDMH3S": [{"asin": "B09SLDMH3S", "instruction": "i am interested in a high quality shower cap", "attributes": ["easy carry", "high quality", "hair salon"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINQQ27P", "worker_id": "A2ECRNQ3X5LEXD"}], "B082VL45Z5": [{"asin": "B082VL45Z5", "instruction": "i want a 89\" stone & beam dark grey leather sofa with a wood frame.", "attributes": ["heavy duty", "wood frame", "solid wood"], "options": ["color: dark grey leather", "size: 89\" sofa"], "instruction_attributes": ["wood frame"], "instruction_options": ["dark grey leather", "89\" sofa"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PJ8EQ1", "worker_id": "A2RBF3IIJP15IH"}], "B08636QNKY": [{"asin": "B08636QNKY", "instruction": "i am looking for 1 pack of 8 fl oz style balm for hair with natural ingredients.", "attributes": ["cruelty free", "natural ingredients"], "options": ["size: 8 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["8 fl oz (pack of 1)"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIAVL2H", "worker_id": "A1EREKSZAA9V7B"}], "B08Y8DB8H4": [{"asin": "B08Y8DB8H4", "instruction": "i need a high speed, high performance fifteen foot hdmi cable. make sure it's gold plated, and buy it in blue.", "attributes": ["gold plated", "high performance", "high speed"], "options": ["color: bluehousing", "size: 4k_15ft_blackcable"], "instruction_attributes": ["gold plated", "high performance", "high speed"], "instruction_options": ["bluehousing", "4k_15ft_blackcable"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4Y1YXY", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08Y8DB8H4", "instruction": "i need a highspeed hdmi cable that is purple", "attributes": ["gold plated", "high performance", "high speed"], "options": ["color: purplehousing", "size: 4k_3ft_blackcable"], "instruction_attributes": ["high speed"], "instruction_options": ["purplehousing"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34JE14H", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HC1FWD3": [{"asin": "B09HC1FWD3", "instruction": "i am looking for high quality travel size glass spray bottles", "attributes": ["travel size", "high quality"], "options": [""], "instruction_attributes": ["travel size", "high quality"], "instruction_options": [], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3Q9WM1S", "worker_id": "A1EREKSZAA9V7B"}], "B09B5V7781": [{"asin": "B09B5V7781", "instruction": "i want to get a pack of 10 different food flavors that are dairy and sugar free.", "attributes": ["gmo free", "sugar free", "dairy free", "gluten free"], "options": ["flavor name: 10 flavors"], "instruction_attributes": ["sugar free", "dairy free"], "instruction_options": ["10 flavors"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AINOE0", "worker_id": "A345TDMHP3DQ3G"}], "B07FL4RQXM": [{"asin": "B07FL4RQXM", "instruction": "i'm looking for a men's velvet coat with a button closure in purple.", "attributes": ["button closure", "dry clean"], "options": ["color: purple", "size: 3x-large"], "instruction_attributes": ["button closure"], "instruction_options": ["purple"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R4OR0H", "worker_id": "ARJDD0Z3R65BD"}], "B09MRXN2DT": [{"asin": "B09MRXN2DT", "instruction": "i want to buy a casual performance fleece jacket in black.", "attributes": ["daily casual", "winter warm", "long sleeve", "soft material", "faux fur", "teen girls"], "options": ["color: black", "size: medium"], "instruction_attributes": ["daily casual"], "instruction_options": ["black"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU479R6H", "worker_id": "AR9AU5FY1S3RO"}], "B07JFQMJMK": [{"asin": "B07JFQMJMK", "instruction": "i want a pair of black men's work shoes that are slip resistant. they must come in a size 9.5 and be extra wide.", "attributes": ["slip resistant", "moisture wicking", "steel toe", "memory foam", "rubber outsole"], "options": ["color: black", "size: 9.5 x-wide"], "instruction_attributes": ["slip resistant"], "instruction_options": ["black", "9.5 x-wide"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49XQ4X7", "worker_id": "A345TDMHP3DQ3G"}], "B08PB7L82H": [{"asin": "B08PB7L82H", "instruction": "i am interested in curtains that are eco friendly with geometric patterns and is size 42w by 63 h.", "attributes": ["eco friendly", "printing technology", "living room"], "options": ["color: geometric\u00a0games", "size: 42(w) x 63(h)"], "instruction_attributes": ["eco friendly"], "instruction_options": ["geometric\u00a0games", "42(w) x 63(h)"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1076HILE", "worker_id": "A2ECRNQ3X5LEXD"}], "B077QX86MN": [{"asin": "B077QX86MN", "instruction": "i am interested in grass fed protein bars that are vanilla shortbread flavor.", "attributes": ["grass fed", "grain free", "non gmo", "gluten free"], "options": ["flavor name: vanilla shortbread"], "instruction_attributes": ["grass fed"], "instruction_options": ["vanilla shortbread"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z29GXG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08H5T5T3V": [{"asin": "B08H5T5T3V", "instruction": "i am looking for a pack of 2 hemp seed oil deep conditioner treatments.", "attributes": ["sulfate free", "paraben free", "seed oil", "damaged hair"], "options": ["scent: curl care", "size: 2"], "instruction_attributes": ["seed oil"], "instruction_options": ["2"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJL69OA", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08H5T5T3V", "instruction": "i want hask hemp seed oil deep conditioner treatments for all hair types, it should be sulfate free and have a tea tree scent.", "attributes": ["sulfate free", "paraben free", "seed oil", "damaged hair"], "options": ["scent: tea tree", "size: 6 ounce (pack of 2)"], "instruction_attributes": ["sulfate free"], "instruction_options": ["tea tree"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRUKBZ6", "worker_id": "A1IL2K0ELYI090"}], "B089D8K91K": [{"asin": "B089D8K91K", "instruction": "i would like some stainless steel sheers to cut my hair.", "attributes": ["easy clean", "stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "3Z4AIRP3CHN69T8YYVQH3KF1XDC1XN", "worker_id": "A1WS884SI0SLO4"}], "B08R42CJMD": [{"asin": "B08R42CJMD", "instruction": "i am interested in grass fed jerky that is chili lime.", "attributes": ["grass fed", "artificial ingredients", "gluten free", "simple ingredients"], "options": ["flavor name: chili lime (pack of 4)"], "instruction_attributes": ["grass fed"], "instruction_options": ["chili lime (pack of 4)"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788BU5C8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08RDH5HBV": [{"asin": "B08RDH5HBV", "instruction": "i am looking for a light weight background of size 9x16 ft.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 14", "size: 9x16 ft"], "instruction_attributes": ["light weight"], "instruction_options": ["9x16 ft"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W6NUOT", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PHFZSCZ": [{"asin": "B09PHFZSCZ", "instruction": "i need laser ipl hair removal.", "attributes": ["easy use", "hair removal", "permanent hair", "hair growth"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY864381M", "worker_id": "A2RBF3IIJP15IH"}], "B09PH67195": [{"asin": "B09PH67195", "instruction": "i want to buy that window film for the dining room. make sure to get the one that's 59 inches in length.", "attributes": ["tempered glass", "dining room"], "options": ["color: 908854335891570000", "size: (width\uff0935.4in x (length)59in x 2pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["(width\uff0935.4in x (length)59in x 2pcs"], "assignment_id": "39JEC75375BYS7D1EDEJWV17LZVCVL", "worker_id": "AR9AU5FY1S3RO"}], "B08B6D39FM": [{"asin": "B08B6D39FM", "instruction": "can you find some carol wright men's lounge pants in a 5xl? i want the ones with a draw string closure that are charcoal colored.", "attributes": ["machine wash", "drawstring closure"], "options": ["color: charcoal", "size: 5x-large"], "instruction_attributes": ["machine wash", "drawstring closure"], "instruction_options": ["charcoal", "5x-large"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP6AOC7", "worker_id": "A2DDPSXH2X96RF"}], "B094JNNX1G": [{"asin": "B094JNNX1G", "instruction": "i would like a 26 inch black brown natural hairpiece.", "attributes": ["hair extensions", "natural hair"], "options": ["color: black brown", "size: 26 inch (pack of 1)"], "instruction_attributes": ["natural hair"], "instruction_options": ["black brown", "26 inch (pack of 1)"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9B8ZRI", "worker_id": "A1WS884SI0SLO4"}], "B09FPQTY4M": [{"asin": "B09FPQTY4M", "instruction": "i want to find eco-friendly candles made out of soy wax in the ms. coco color.", "attributes": ["lead free", "eco friendly", "long lasting", "soy wax"], "options": ["color: ms coco"], "instruction_attributes": ["eco friendly", "soy wax"], "instruction_options": ["ms coco"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40EVNXV", "worker_id": "A345TDMHP3DQ3G"}], "B019RKX31Q": [{"asin": "B019RKX31Q", "instruction": "i would like a 24\" x 24\" blackish green pillow throw cover for my living room.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: blackish green", "size: 24\" x 24\""], "instruction_attributes": ["living room"], "instruction_options": ["blackish green", "24\" x 24\""], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGUXWTY", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B019RKX31Q", "instruction": "i want to find gray throw pillow covers for my living room that are 18 inches by 18 inches.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: gray", "size: 18\u201c x 18\u201c"], "instruction_attributes": ["living room"], "instruction_options": ["gray", "18\u201c x 18\u201c"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O1AA28", "worker_id": "A345TDMHP3DQ3G"}], "B07B54NHW8": [{"asin": "B07B54NHW8", "instruction": "i'm looking for a pair of size sixteen nylon spandex pants.", "attributes": ["nylon spandex", "tummy control"], "options": ["color: khaki", "size: 16"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["16"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW4G8S6", "worker_id": "A3EDFA8UQT5GG8"}], "B001EWEP04": [{"asin": "B001EWEP04", "instruction": "buy me some antiperspirant. make sure it's clinically proven.", "attributes": ["anti perspirant", "clinically proven"], "options": [""], "instruction_attributes": ["anti perspirant", "clinically proven"], "instruction_options": [], "assignment_id": "3X65QVEQIBXVW21709CD9M35U18LCQ", "worker_id": "AR9AU5FY1S3RO"}], "B09MFSBCKK": [{"asin": "B09MFSBCKK", "instruction": "i am interested in a bullet camera that has motion detection.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2YAG6M", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NZ2NP9W": [{"asin": "B07NZ2NP9W", "instruction": "i am interested in a bookcase that has a steel frame.", "attributes": ["metal legs", "steel frame"], "options": [""], "instruction_attributes": ["steel frame"], "instruction_options": [], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOU1936", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P63GLR4": [{"asin": "B09P63GLR4", "instruction": "i'm looking for a pair of blue noise cancelling headphones with stereo sound.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: blue"], "instruction_attributes": ["noise cancelling", "stereo sound"], "instruction_options": ["blue"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZGQ9KK", "worker_id": "A3EDFA8UQT5GG8"}], "B086HNCWFR": [{"asin": "B086HNCWFR", "instruction": "i need white chocolate andy anand malt balls with natural ingredients.", "attributes": ["natural ingredients", "great gift"], "options": ["flavor name: white chocolate"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["white chocolate"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDYGIRE", "worker_id": "A2RBF3IIJP15IH"}], "B0892GRB9N": [{"asin": "B0892GRB9N", "instruction": "i want to buy a navy blue ottomon for the living room. get the one with tufted buttons.", "attributes": ["button tufted", "storage unit", "storage space", "living room"], "options": ["color: navy blue", "size: 80x45x40cm"], "instruction_attributes": ["button tufted", "living room"], "instruction_options": ["navy blue"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5S3F40", "worker_id": "AR9AU5FY1S3RO"}], "B08T5SBG7K": [{"asin": "B08T5SBG7K", "instruction": "i want to find italian herb-flavored parmesan cheese crisps that are low in carbs.", "attributes": ["keto friendly", "low carb", "high protein", "gluten free", "zero sugar"], "options": ["flavor name: italian herb"], "instruction_attributes": ["low carb"], "instruction_options": ["italian herb"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJPIBXV", "worker_id": "A345TDMHP3DQ3G"}], "B07D7FBCZ2": [{"asin": "B07D7FBCZ2", "instruction": "i am looking for a high performance laptop with 1tb,16 gb ram, intel core i7. nvidia.", "attributes": ["certified refurbished", "high performance", "intel core"], "options": ["capacity: 1tb, 16 gb ram, intel core i7, nvidia"], "instruction_attributes": ["high performance", "intel core"], "instruction_options": ["1tb, 16 gb ram, intel core i7, nvidia"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y5UIVA", "worker_id": "A2HMEGTAFO0CS8"}], "B08DHD6J8T": [{"asin": "B08DHD6J8T", "instruction": "i am interested in a living room chandelier that is black with eight lights.", "attributes": ["mid century", "light fixture", "living room"], "options": ["color: black", "size: 8 lights-black"], "instruction_attributes": ["living room"], "instruction_options": ["black", "8 lights-black"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602Q1955", "worker_id": "A2ECRNQ3X5LEXD"}], "B08CZKMDNX": [{"asin": "B08CZKMDNX", "instruction": "i am looking for iced coffee that is shelf stable and mocha flavor that is 96 fl oz.", "attributes": ["shelf stable", "sugar free", "dairy free"], "options": ["flavor name: mocha", "size: 96 fl oz (pack of 1)"], "instruction_attributes": ["shelf stable"], "instruction_options": ["mocha", "96 fl oz (pack of 1)"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMMHBQK", "worker_id": "A2ECRNQ3X5LEXD"}], "B07YDZC838": [{"asin": "B07YDZC838", "instruction": "i would like a 4 ounce volume plus hair care bottle thats made from natural ingredients.", "attributes": ["paraben free", "clinically proven", "natural ingredients", "seed oil"], "options": ["color: volume plus", "size: 8 ounce | 4 ounce"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["volume plus", "8 ounce | 4 ounce"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVJOLXK", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07YDZC838", "instruction": "i would like a 8 ounce bottle of scalp therapy spray made with natural ingredients.", "attributes": ["paraben free", "clinically proven", "natural ingredients", "seed oil"], "options": ["color: scalp therapy spray", "size: 8 ounce"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["scalp therapy spray", "8 ounce"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFRF3E8", "worker_id": "A1WS884SI0SLO4"}], "B08HT4NLH5": [{"asin": "B08HT4NLH5", "instruction": "do you have any gluten free cheese spreads with 0g of trans fat?", "attributes": ["gluten free", "0g trans"], "options": [""], "instruction_attributes": ["gluten free", "0g trans"], "instruction_options": [], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2KLNYX", "worker_id": "A3EDFA8UQT5GG8"}], "B08F6HWPLJ": [{"asin": "B08F6HWPLJ", "instruction": "i need a foamma memory foam mattress in size 5\" x 36\" x 84\".", "attributes": ["high density", "memory foam"], "options": ["size: 5\" x 36\" x 84\""], "instruction_attributes": ["memory foam"], "instruction_options": ["5\" x 36\" x 84\""], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPV3PJR", "worker_id": "A2RBF3IIJP15IH"}], "B09LRLP7WM": [{"asin": "B09LRLP7WM", "instruction": "i'm looking for a tempered glass screen protector for my phone that comes with a black case.", "attributes": ["hands free", "glass screen", "tempered glass"], "options": ["color: black"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["black"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9IYB1SG", "worker_id": "A3EDFA8UQT5GG8"}], "B000B2JWMY": [{"asin": "B000B2JWMY", "instruction": "i am looking for men's reebok leather sneakers size 3.5.", "attributes": ["daily casual", "rubber outsole", "rubber sole"], "options": ["color: white | carbon | red | grey", "size: 5 women | 3.5 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["5 women | 3.5 men"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R17F2I0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B000B2JWMY", "instruction": "please add to my list a pair of reebok men\u2019s classic daily casual sneaker size 8 .", "attributes": ["daily casual", "rubber outsole", "rubber sole"], "options": ["color: chalk | cobalt | utility yellow", "size: 9.5 women | 8 men"], "instruction_attributes": ["daily casual"], "instruction_options": ["9.5 women | 8 men"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TE1K2W", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B000B2JWMY", "instruction": "i need a pair of sneakers that have a rubber sole and come in black. get the size five and a half.", "attributes": ["daily casual", "rubber outsole", "rubber sole"], "options": ["color: black | cold grey | fierce gold", "size: 5.5"], "instruction_attributes": ["rubber outsole", "rubber sole"], "instruction_options": ["black | cold grey | fierce gold", "5.5"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQROP0L", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B000B2JWMY", "instruction": "i need leather sneakers with rubber sole. i am a size 11.", "attributes": ["daily casual", "rubber outsole", "rubber sole"], "options": ["color: horizon blue | white | white", "size: 11"], "instruction_attributes": ["rubber sole"], "instruction_options": ["11"], "assignment_id": "326O153BMT8RVOXTJJKKGXV369OEDB", "worker_id": "A1NF6PELRKACS9"}], "B09SZ3KRHN": [{"asin": "B09SZ3KRHN", "instruction": "i am looking for quick drying x- large women's bathing suit.", "attributes": ["hand wash", "quick drying", "nylon spandex"], "options": ["color: 01*black", "size: x-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["x-large"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISUSOYF", "worker_id": "A1EREKSZAA9V7B"}], "B0861D628Y": [{"asin": "B0861D628Y", "instruction": "i'd like to order another one of those soy wax candles that smells like a flower market.", "attributes": ["lead free", "soy wax"], "options": ["scent: flower market"], "instruction_attributes": ["soy wax"], "instruction_options": ["flower market"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2EGKFI", "worker_id": "AR9AU5FY1S3RO"}], "B0896JP8CG": [{"asin": "B0896JP8CG", "instruction": "i'm looking for a moisturizing shave oil for dry skin scent vanilla", "attributes": ["argan oil", "coconut oil", "dry skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWMRW6S", "worker_id": "A2Y2TURT2VEYZN"}], "B08GFDG5QT": [{"asin": "B08GFDG5QT", "instruction": "buy me the bluetooth soundbar in size mb-3220.", "attributes": ["stereo sound", "wireless bluetooth"], "options": ["size: mb-3220"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["mb-3220"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0ZNX7R", "worker_id": "AR9AU5FY1S3RO"}], "B099XBMPLZ": [{"asin": "B099XBMPLZ", "instruction": "get me some black lounge pants with an elastic waistband.", "attributes": ["wide leg", "elastic waist"], "options": ["color: black", "size: large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["black"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P72QSV4", "worker_id": "AR9AU5FY1S3RO"}], "B094ZQ349N": [{"asin": "B094ZQ349N", "instruction": "i am looking for high performance night vision binoculars with batteries included.", "attributes": ["batteries included", "high performance"], "options": [""], "instruction_attributes": ["batteries included", "high performance"], "instruction_options": [], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFE3V9Y", "worker_id": "A1EREKSZAA9V7B"}], "B09NXJJ2KQ": [{"asin": "B09NXJJ2KQ", "instruction": "get the heavy duty bed frame in espresso.", "attributes": ["heavy duty", "white item", "storage space"], "options": ["color: espresso", "size: twin over twin[metal] + slide"], "instruction_attributes": ["heavy duty"], "instruction_options": ["espresso"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YU2Q36", "worker_id": "AR9AU5FY1S3RO"}], "B07DD9Z6ZB": [{"asin": "B07DD9Z6ZB", "instruction": "i would like a mickey mouse toy chest made of solid wood.", "attributes": ["engineered wood", "solid wood"], "options": ["color: disney mickey mouse"], "instruction_attributes": ["solid wood"], "instruction_options": ["disney mickey mouse"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT4S373", "worker_id": "A1WS884SI0SLO4"}], "B09H35WZDV": [{"asin": "B09H35WZDV", "instruction": "i am looking for a low sugar garlic flavor sauce.", "attributes": ["low sugar", "low sodium", "gluten free", "low carb", "non gmo", "natural ingredients", "gift set", "perfect gift"], "options": ["flavor name: garlic", "size: 1.56 pound (pack of 6)"], "instruction_attributes": ["low sugar"], "instruction_options": ["garlic"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSGLQ2E", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PH34GXC": [{"asin": "B09PH34GXC", "instruction": "i would like a 2xl gray short sleeve button down shirt.", "attributes": ["loose fit", "long sleeve", "short sleeve"], "options": ["color: gray8", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["gray8", "xx-large"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRBZD5YH", "worker_id": "A1WS884SI0SLO4"}], "B09Q93XK5S": [{"asin": "B09Q93XK5S", "instruction": "i am looking for a loose fit tee that is army green and in an xx-large.", "attributes": ["loose fit", "hand wash", "short sleeve", "long sleeve", "drawstring closure"], "options": ["color: army green", "size: xx-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["army green", "xx-large"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZDY7RIE", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KX9Y4XZ": [{"asin": "B07KX9Y4XZ", "instruction": "i am interested in a closed toe mule that is light tan suede and in a size 6.5", "attributes": ["memory foam", "closed toe", "synthetic sole"], "options": ["color: light tan suede", "size: 6.5"], "instruction_attributes": ["closed toe"], "instruction_options": ["light tan suede", "6.5"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFJ0E9B", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PBC1QH4": [{"asin": "B09PBC1QH4", "instruction": "i am looking for a water resistant cosmetic bag", "attributes": ["water resistant", "hair extensions"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602R3959", "worker_id": "A2ECRNQ3X5LEXD"}], "B0943RPSB2": [{"asin": "B0943RPSB2", "instruction": "i am looking for a dark blue daily wear women's jumpsuit.", "attributes": ["wide leg", "daily wear"], "options": ["color: dark blue", "size: x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["dark blue"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNTB8HX", "worker_id": "A1EREKSZAA9V7B"}], "B09DPJB2QP": [{"asin": "B09DPJB2QP", "instruction": "i am looking in day comfort walking shoes that are pink and in a size 5 wide.", "attributes": ["day comfort", "moisture wicking"], "options": ["color: pink-01", "size: 5 wide"], "instruction_attributes": ["day comfort"], "instruction_options": ["pink-01", "5 wide"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBCCGH9", "worker_id": "A2ECRNQ3X5LEXD"}], "B073WCD5Z1": [{"asin": "B073WCD5Z1", "instruction": "i would like double sided throw pillow covers that are scarlet orange and are 20\" by 20\".", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: scarlet orange", "size: 20\" x 20\""], "instruction_attributes": ["double sided"], "instruction_options": ["scarlet orange", "20\" x 20\""], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTNA5E4", "worker_id": "A2ECRNQ3X5LEXD"}], "B0739KF1S1": [{"asin": "B0739KF1S1", "instruction": "i am interested in an intel core computer that has 4gb of ram and 64gb of ssd.", "attributes": ["high speed", "intel core", "aluminum alloy"], "options": ["color: i3+2 com+i3 4005u | 5005u", "size: 4g ram 64g ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["4g ram 64g ssd"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BJ6JV8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P6CRT57": [{"asin": "B09P6CRT57", "instruction": "i would like some color 5 hairpieces that are easy to put on.", "attributes": ["easy apply", "hair extensions"], "options": ["color: 5"], "instruction_attributes": ["easy apply"], "instruction_options": ["5"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6H1U7R", "worker_id": "A1WS884SI0SLO4"}], "B09QXN2FH3": [{"asin": "B09QXN2FH3", "instruction": "i'd like to look at high resolution backdrops with pictures of marine animals. the size should be around seven by five foot.", "attributes": ["high resolution", "digital photography"], "options": ["size: 7x5ft"], "instruction_attributes": ["high resolution"], "instruction_options": ["7x5ft"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINQM27L", "worker_id": "A3EDFA8UQT5GG8"}], "B000RNNI0O": [{"asin": "B000RNNI0O", "instruction": "i am interested in a long lasting perfume.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOAQNOQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09F63MDV2": [{"asin": "B09F63MDV2", "instruction": "i am looking for a loose fitting x-large women's cardigan.", "attributes": ["machine washable", "loose fit", "hand wash", "long sleeve", "everyday wear", "laundry bag"], "options": ["color: 01 brown", "size: x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["x-large"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMFX1JZ", "worker_id": "A1EREKSZAA9V7B"}], "B09GKD4XQ4": [{"asin": "B09GKD4XQ4", "instruction": "get me an easy to install phone case in blue.", "attributes": ["easy install", "tempered glass", "aluminum alloy", "wireless charging"], "options": ["color: blue", "size: 13pro"], "instruction_attributes": ["easy install"], "instruction_options": ["blue"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UQPJ6R", "worker_id": "AR9AU5FY1S3RO"}], "B089QBNCC5": [{"asin": "B089QBNCC5", "instruction": "i need some aaa batteries.", "attributes": ["high performance", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJJ9W0V", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QMCQMMY": [{"asin": "B09QMCQMMY", "instruction": "i need an open toe summer gladiator strap sandle. get me size 6.5", "attributes": ["knee high", "open toe"], "options": ["color: brown", "size: 6.5"], "instruction_attributes": ["open toe"], "instruction_options": ["6.5"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMBAXD6", "worker_id": "A31PW970Z2PC5P"}], "B07VVFF4DM": [{"asin": "B07VVFF4DM", "instruction": "i am looking for a heavy duty phone holster.", "attributes": ["heavy duty", "carrying case"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRPK2YB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RGW1KKN": [{"asin": "B09RGW1KKN", "instruction": "i am looking for a gift of sriracha peanuts.", "attributes": ["hand crafted", "great gift"], "options": ["flavor name: sriracha"], "instruction_attributes": ["great gift"], "instruction_options": ["sriracha"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3Q921MD", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09RGW1KKN", "instruction": "i need some chocolate covered peanuts that would be a great gift", "attributes": ["hand crafted", "great gift"], "options": ["flavor name: chocolate"], "instruction_attributes": ["great gift"], "instruction_options": ["chocolate"], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8R0QQ3", "worker_id": "A2ECRNQ3X5LEXD"}], "B019IOI8OS": [{"asin": "B019IOI8OS", "instruction": "i am interested in a high speed hdmi cable that is 10 feet long.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 1 pack", "size: 10 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["1 pack", "10 feet (single pack)"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39ADCZX", "worker_id": "A2ECRNQ3X5LEXD"}], "B088BYPPYW": [{"asin": "B088BYPPYW", "instruction": "i am looking for a large women's skirt with an elastic waistband and pockets.", "attributes": ["elastic waistband", "drawstring waist", "drawstring closure"], "options": ["color: camouflage", "size: large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["large"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR025YNAKF", "worker_id": "A1EREKSZAA9V7B"}], "B082WS53GT": [{"asin": "B082WS53GT", "instruction": "i would like a 3xl black broken cover long sleeve sweatshirt.", "attributes": ["soft material", "long sleeve"], "options": ["color: black broken clover", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black broken clover", "3x-large"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOHYBH6A", "worker_id": "A1WS884SI0SLO4"}], "B07PH99HMB": [{"asin": "B07PH99HMB", "instruction": "i need to buy an officially licenced marvel t-shirt for women.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: baby blue", "fit type: women", "size: small"], "instruction_attributes": ["officially licensed"], "instruction_options": ["women"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM967QG4N", "worker_id": "AR9AU5FY1S3RO"}], "B07HCVL762": [{"asin": "B07HCVL762", "instruction": "i'm looking for lounge style pants that are machine washable and they should have a drawstring waist. the size should be small.", "attributes": ["machine wash", "drawstring waist", "elastic waistband"], "options": ["size: small"], "instruction_attributes": ["machine wash", "drawstring waist"], "instruction_options": ["small"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XOYGNV", "worker_id": "A3EDFA8UQT5GG8"}], "B09NN9HDQ3": [{"asin": "B09NN9HDQ3", "instruction": "i am looking for a 3 color alarm clock having wireless bluetooth.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: 3"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["3"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YULQ3P", "worker_id": "A1Q8PPQQCWGY0D"}], "B0924Y7RN1": [{"asin": "B0924Y7RN1", "instruction": "i would like a pink toothbrush for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: pink"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["pink"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UNNG1H", "worker_id": "A1WS884SI0SLO4"}], "B079KHGNFR": [{"asin": "B079KHGNFR", "instruction": "i am looking for a black history classic fit shirt size medium.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather blue", "fit type: youth", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["medium"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFHZ0HQK", "worker_id": "A1EREKSZAA9V7B"}], "B09MFGRR97": [{"asin": "B09MFGRR97", "instruction": "i want to get cartoon themed cupcake toppers that i can use for a birthday party.", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSGJ2QO", "worker_id": "A345TDMHP3DQ3G"}], "B07VBLHD8C": [{"asin": "B07VBLHD8C", "instruction": "i am interested in single serve coffee that is cinnamon roll flavored and is a 24 count.", "attributes": ["dairy free", "gluten free", "quality ingredients"], "options": ["flavor name: cinnamon roll", "size: 24 count (pack of 1)"], "instruction_attributes": ["dairy free"], "instruction_options": ["cinnamon roll", "24 count (pack of 1)"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA16C8S", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07VBLHD8C", "instruction": "i'm looking for gluten free high protein for coffee.", "attributes": ["dairy free", "gluten free", "quality ingredients"], "options": ["flavor name: french roast", "size: 18 count (pack of 1)"], "instruction_attributes": ["dairy free", "gluten free"], "instruction_options": ["french roast"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQY94778", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B07VBLHD8C", "instruction": "get me a pack of 16 count hot chocolate pack. it should be dairy and gluten free.", "attributes": ["dairy free", "gluten free", "quality ingredients"], "options": ["flavor name: holiday winter variety pack", "size: 16 count (pack of 1)"], "instruction_attributes": ["dairy free", "gluten free"], "instruction_options": ["16 count (pack of 1)"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KH6PDP", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07VBLHD8C", "instruction": "look for gluten free dairy free hot cocoa pods 16 count (pack of 1) with quality ingredients and also choose", "attributes": ["dairy free", "gluten free", "quality ingredients"], "options": ["flavor name: french roast", "size: 16 count (pack of 1)"], "instruction_attributes": ["dairy free", "gluten free", "quality ingredients"], "instruction_options": ["16 count (pack of 1)"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQJFCJ5", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B07VBLHD8C", "instruction": "i want 16 pieces of dairy free maud's dark hot chocolate.", "attributes": ["dairy free", "gluten free", "quality ingredients"], "options": ["flavor name: 12 blend bulk coffee variety pack", "size: 16 count (pack of 1)"], "instruction_attributes": ["dairy free"], "instruction_options": ["16 count (pack of 1)"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCGPSJR", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07VBLHD8C", "instruction": "sumatra sensation included the quality ingretidents", "attributes": ["dairy free", "gluten free", "quality ingredients"], "options": ["flavor name: sumatra sensation", "size: 16 count (pack of 1)"], "instruction_attributes": ["quality ingredients"], "instruction_options": [], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWXX1CY", "worker_id": "A226L9F2AZ38CL"}], "B08FRV8QLN": [{"asin": "B08FRV8QLN", "instruction": "i am interested in old fashioned caramels.", "attributes": ["old fashioned", "individually wrapped", "natural ingredients", "high fructose"], "options": [""], "instruction_attributes": ["old fashioned"], "instruction_options": [], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7VFSDY", "worker_id": "A2ECRNQ3X5LEXD"}], "B093YSKFKF": [{"asin": "B093YSKFKF", "instruction": "i need 2 pink flamingo rose mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3BXQNQ", "worker_id": "A2RBF3IIJP15IH"}], "B09686THJK": [{"asin": "B09686THJK", "instruction": "i need to find the 10 pack of easy to use lankiz magnetic eyelashes that come with the micellar water, tweezers, and the tubes of magnetism.", "attributes": ["oil free", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X022034H", "worker_id": "A2DDPSXH2X96RF"}], "B07SGG9YJQ": [{"asin": "B07SGG9YJQ", "instruction": "i need 5 ounce flawless eye cream for dark circles.", "attributes": ["plant based", "cruelty free", "dark circles"], "options": ["size: 5 ounce", "style name: flawless eye cream"], "instruction_attributes": ["dark circles"], "instruction_options": ["5 ounce", "flawless eye cream"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMNXW91", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07SGG9YJQ", "instruction": "i need a 1.7 ounce eye cream for dark circles.", "attributes": ["plant based", "cruelty free", "dark circles"], "options": ["size: 1.7 ounce", "style name: no filter face serum"], "instruction_attributes": ["dark circles"], "instruction_options": ["1.7 ounce"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3CFN6O", "worker_id": "A2ECRNQ3X5LEXD"}], "B076VYP83L": [{"asin": "B076VYP83L", "instruction": "buy me some cotton pajama pants in size extra extra large, please. make sure they have an elastic waistband.", "attributes": ["elastic waistband", "drawstring waist"], "options": ["color: rusty brown plaid", "size: xx-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["xx-large"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOGUL9Y", "worker_id": "AR9AU5FY1S3RO"}], "B007R58WI8": [{"asin": "B007R58WI8", "instruction": "i am interested in a waxing kit for sensitive skin.", "attributes": ["cruelty free", "hair removal", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCMHI7A", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NM5MTJ5": [{"asin": "B09NM5MTJ5", "instruction": "get me some long sleeve pajamas. look for blue ones.", "attributes": ["quality polyester", "long sleeve"], "options": ["color: blue", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907P1AUS", "worker_id": "AR9AU5FY1S3RO"}], "B09QSRNP3T": [{"asin": "B09QSRNP3T", "instruction": "i am looking for a blue long sleeve men's linen shirt.", "attributes": ["soft material", "long sleeve"], "options": ["color: blue", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GAPZUZ", "worker_id": "A1EREKSZAA9V7B"}], "B00N1GG62G": [{"asin": "B00N1GG62G", "instruction": "i would like 10 pounds of chocolate covered nuts.", "attributes": ["chocolate covered", "non dairy"], "options": ["size: 10 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["10 pound (pack of 1)"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTFJD4J", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00N1GG62G", "instruction": "i'm looking for chocolates covered for parties.", "attributes": ["chocolate covered", "non dairy"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66SJZFJ", "worker_id": "A16IQOX0DK14OJ"}], "B07QPS3GR8": [{"asin": "B07QPS3GR8", "instruction": "i need a decor therapy white fnished bailey bead board, sized 14x17x26.5, in color sahara.", "attributes": ["white item", "white finish"], "options": ["color: sahara", "size: 14x17x26.5"], "instruction_attributes": ["white finish"], "instruction_options": ["sahara", "14x17x26.5"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9IVB0Y", "worker_id": "A1CB72B51L7TKE"}], "B095BYSN17": [{"asin": "B095BYSN17", "instruction": "buy me a pink synthetic wig.", "attributes": ["easy use", "high quality", "synthetic hair", "hair extensions", "hair loss"], "options": ["color: pink", "size: 2pcs"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["pink"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H188UT", "worker_id": "AR9AU5FY1S3RO"}], "B00AQMLFNI": [{"asin": "B00AQMLFNI", "instruction": "looking for spicy sea salt with low sodium and smoked & infused", "attributes": ["low sodium", "gift set"], "options": ["flavor name: smoked & infused"], "instruction_attributes": ["low sodium"], "instruction_options": ["smoked & infused"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGA9S9Q", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B00AQMLFNI", "instruction": "i want a smoked and infused spicy sea salt gift set.", "attributes": ["low sodium", "gift set"], "options": ["flavor name: smoked & infused"], "instruction_attributes": ["gift set"], "instruction_options": ["smoked & infused"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907W1AU6", "worker_id": "A2RBF3IIJP15IH"}], "B08SWWVD2G": [{"asin": "B08SWWVD2G", "instruction": "i am interested in a height adjustable spa tool that is color a8 and is 40 by 45-63cm.", "attributes": ["height adjustable", "beauty salon"], "options": ["color: a8", "size: 40*45-63cm"], "instruction_attributes": ["height adjustable"], "instruction_options": ["a8", "40*45-63cm"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA1YC8K", "worker_id": "A2ECRNQ3X5LEXD"}], "B0015S1DZW": [{"asin": "B0015S1DZW", "instruction": "i need a small stick of antiperspirant that is fragrance free.", "attributes": ["anti perspirant", "fragrance free", "sensitive skin"], "options": ["size: 2.25 ounce (pack of 1)"], "instruction_attributes": ["anti perspirant", "fragrance free"], "instruction_options": ["2.25 ounce (pack of 1)"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1T9H2T", "worker_id": "A19317A3X87NVM"}], "B0799Y3QCN": [{"asin": "B0799Y3QCN", "instruction": "get me a quad core tablet with 64 gigabytes of storage.", "attributes": ["high performance", "quad core"], "options": ["color: blue", "size: 64gb", "style: tablet"], "instruction_attributes": ["quad core"], "instruction_options": ["64gb", "tablet"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5O36X1", "worker_id": "AR9AU5FY1S3RO"}], "B001KYNTLC": [{"asin": "B001KYNTLC", "instruction": "i want to get a single-count pack of oil-free liquid foundation that has a natural buff color.", "attributes": ["oil free", "fine lines"], "options": ["color: n3 natural buff", "size: 1 count (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["n3 natural buff", "1 count (pack of 1)"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3YVKJ5H", "worker_id": "A345TDMHP3DQ3G"}], "B09DFP2HMB": [{"asin": "B09DFP2HMB", "instruction": "i want to buy a fully assembled faux leather nightstand. i want the one that's white and has a contemporary design.", "attributes": ["fully assembled", "white item", "faux leather", "contemporary design"], "options": [""], "instruction_attributes": ["fully assembled", "white item", "faux leather", "contemporary design"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZGY9KS", "worker_id": "AR9AU5FY1S3RO"}], "B08S7K5DQK": [{"asin": "B08S7K5DQK", "instruction": "i am looking for a printed backdrop that is 6 by 9 feet for digital photography.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 07", "size: 6x9 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 07", "6x9 ft"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB959N8A", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08S7K5DQK", "instruction": "i'm looking for a 3' x 5', light weight, aquatic wildlife back drop.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 02", "size: 3x5 ft"], "instruction_attributes": ["light weight"], "instruction_options": ["3x5 ft"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4826DYP9", "worker_id": "AK3JMCIGU8MLU"}], "B07KC9T27Y": [{"asin": "B07KC9T27Y", "instruction": "i am looking for a high quality black bag that is 6.7 oz.", "attributes": ["bpa free", "high quality"], "options": ["color: black cap - 5 oz", "size: 6.7 oz"], "instruction_attributes": [], "instruction_options": ["black cap - 5 oz", "6.7 oz"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRP2BZE", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NBKNJG5": [{"asin": "B09NBKNJG5", "instruction": "i want a top hairpiece in dark blonde to conceal hair loss.", "attributes": ["damaged hair", "hair loss"], "options": ["color: #27 dark blonde", "size: 6 inch"], "instruction_attributes": ["hair loss"], "instruction_options": ["#27 dark blonde"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVE1UTC", "worker_id": "A19317A3X87NVM"}, {"asin": "B09NBKNJG5", "instruction": "find my-lady silk base top , updated 120% density remy human hair clip in fringe-free topper. it has to be this one and i will for sure cover up a friend's hair loss. register the color : #18p613 so that the order is correct.", "attributes": ["damaged hair", "hair loss"], "options": ["color: #18p613", "size: 6 inch"], "instruction_attributes": ["hair loss"], "instruction_options": ["#18p613"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVHHTUX", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B09NBKNJG5", "instruction": "i am looking for 12 inch size women hairpiece for my damaged hair.", "attributes": ["damaged hair", "hair loss"], "options": ["color: #1 jet black", "size: 12 inch"], "instruction_attributes": ["damaged hair"], "instruction_options": ["12 inch"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPL4NJ5", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09NBKNJG5", "instruction": "i need a jet black hair piece for hair loss", "attributes": ["damaged hair", "hair loss"], "options": ["color: #1 jet black", "size: 16 inch"], "instruction_attributes": ["hair loss"], "instruction_options": ["#1 jet black"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72APWEOD", "worker_id": "A2ECRNQ3X5LEXD"}], "B096RD2FBZ": [{"asin": "B096RD2FBZ", "instruction": "i am looking for a canvas poster for the living room that shows sunny zakynthos island.", "attributes": ["ready hang", "living room"], "options": ["color: sunny zakynthos island", "size: only canvas"], "instruction_attributes": ["living room"], "instruction_options": ["sunny zakynthos island", "only canvas"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2YL53E", "worker_id": "A2ECRNQ3X5LEXD"}], "B0985T17YV": [{"asin": "B0985T17YV", "instruction": "i am interested in a white dinnerware set that has a contemporary design.", "attributes": ["white item", "contemporary design"], "options": ["color: white", "style: soho mugs"], "instruction_attributes": ["contemporary design"], "instruction_options": ["white"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTRKE4D", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P51CZZN": [{"asin": "B09P51CZZN", "instruction": "i am looking for stainless steel hair removal tweezers.", "attributes": ["stainless steel", "hair removal"], "options": [""], "instruction_attributes": ["stainless steel", "hair removal"], "instruction_options": [], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UNH1GW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09P51CZZN", "instruction": "i want a set of tweezers for hair removal.", "attributes": ["stainless steel", "hair removal"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTU1E5I", "worker_id": "A1WS884SI0SLO4"}], "B08RJZ16P1": [{"asin": "B08RJZ16P1", "instruction": "i am looking for men's adidas hiking shoes size 9 with rubber soles.", "attributes": ["lace closure", "rubber sole"], "options": ["color: beige tone | victory gold | flash orange", "size: 9"], "instruction_attributes": ["rubber sole"], "instruction_options": ["9"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VWSYW2", "worker_id": "A1EREKSZAA9V7B"}], "B094QPCJ9H": [{"asin": "B094QPCJ9H", "instruction": "i am interested in a high definition streaming media player.", "attributes": ["high definition", "quad core"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68CR4AD", "worker_id": "A2ECRNQ3X5LEXD"}], "B015ETINHS": [{"asin": "B015ETINHS", "instruction": "i'm looking for a charcoal and walnut colored summer chair that has a wood finish.", "attributes": ["mid century", "wood finish"], "options": ["color: charcoal | walnut", "pattern name: chair"], "instruction_attributes": ["wood finish"], "instruction_options": ["charcoal | walnut", "chair"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWWS1RS", "worker_id": "A345TDMHP3DQ3G"}], "B0972P4GJP": [{"asin": "B0972P4GJP", "instruction": "i want to find a black portable bluetooth speaker with stereo sound.", "attributes": ["hands free", "stereo sound", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["stereo sound"], "instruction_options": ["black"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QOXXOH", "worker_id": "A345TDMHP3DQ3G"}], "B07RMK36GG": [{"asin": "B07RMK36GG", "instruction": "i need a 2 pack of lemon cookie mini bars that have high protein.", "attributes": ["high protein", "artificial flavors"], "options": ["flavor name: lemon cookie", "size: 12 count (pack of 2)"], "instruction_attributes": ["high protein"], "instruction_options": ["lemon cookie", "12 count (pack of 2)"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODK9WE7", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07RMK36GG", "instruction": "i am looking for 36 high protein chocolate caramel snack bars.", "attributes": ["high protein", "artificial flavors"], "options": ["flavor name: chocolate caramel", "size: 36 count (pack of 3)"], "instruction_attributes": ["high protein"], "instruction_options": ["chocolate caramel", "36 count (pack of 3)"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XONIL90", "worker_id": "A1EREKSZAA9V7B"}], "B0079IYUYS": [{"asin": "B0079IYUYS", "instruction": "i'm looking for a vanity wall light with a brushed nickel finish. it should be around 15 inches big.", "attributes": ["mid century", "nickel finish", "brushed nickel"], "options": ["color: burnished brass - double light", "size: 15 inch"], "instruction_attributes": ["nickel finish", "brushed nickel"], "instruction_options": ["15 inch"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9DR2E8", "worker_id": "A3EDFA8UQT5GG8"}], "B09SL5S4Y4": [{"asin": "B09SL5S4Y4", "instruction": "i want to find a women's long-sleeve jumpsuit in a medium size with the 13 color.", "attributes": ["long sleeve", "quality polyester", "unique design", "polyester spandex", "daily wear"], "options": ["color: color13", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["color13", "medium"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEFZ860", "worker_id": "A345TDMHP3DQ3G"}], "B091TZTD5G": [{"asin": "B091TZTD5G", "instruction": "i would like a 16.9 fluid ounce amber bottle that could be used in a hair salon.", "attributes": ["long lasting", "fine mist", "hair salon", "natural hair"], "options": ["color: amber", "size: 16.9 fl oz (pack of 1)"], "instruction_attributes": ["hair salon"], "instruction_options": ["amber", "16.9 fl oz (pack of 1)"], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVC7BIO", "worker_id": "A1WS884SI0SLO4"}], "B092Q2QGQF": [{"asin": "B092Q2QGQF", "instruction": "i want a bezel-less vizio 43-inch d-series full hd 1080p smart tv.", "attributes": ["1080p hd", "high definition"], "options": ["configuration: bezel-less", "size: 32 in", "style: 720p"], "instruction_attributes": ["1080p hd"], "instruction_options": ["bezel-less"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFLF9EP", "worker_id": "A2RBF3IIJP15IH"}], "B07PYPGQ8B": [{"asin": "B07PYPGQ8B", "instruction": "i'm trying to find high quality eyelash extensions that are 0.15 millimeters in diameter and 13-20 millimeters long.", "attributes": ["high quality", "easy use"], "options": ["scent name: 0.15-d-mix-13-20mm"], "instruction_attributes": ["high quality"], "instruction_options": ["0.15-d-mix-13-20mm"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CAE0VW", "worker_id": "A345TDMHP3DQ3G"}], "B09KTVWQ5V": [{"asin": "B09KTVWQ5V", "instruction": "i need to buy some slim fit yoga pants. get the ones that are multicolered in xx large.", "attributes": ["quick drying", "moisture wicking", "slim fit", "drawstring closure", "daily wear"], "options": ["color: multicolor", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["multicolor", "xx-large"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDXCIC7", "worker_id": "AR9AU5FY1S3RO"}], "B08FQSSTQ5": [{"asin": "B08FQSSTQ5", "instruction": "i am looking for an easy to carry 4-tier black cosmetic box.", "attributes": ["travel size", "easy carry", "nail polish"], "options": ["color: 4-tier black"], "instruction_attributes": ["easy carry"], "instruction_options": ["4-tier black"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8L7Q6F", "worker_id": "A1EREKSZAA9V7B"}], "B0932W5W2N": [{"asin": "B0932W5W2N", "instruction": "i want a vintage beige twin size metal platform bed frame.", "attributes": ["twin size", "heavy duty", "easy install", "steel frame", "box spring", "storage space"], "options": ["color: beige", "size: vintage bed"], "instruction_attributes": ["twin size"], "instruction_options": ["beige", "vintage bed"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC3B0DY", "worker_id": "A2RBF3IIJP15IH"}], "B082L53NSB": [{"asin": "B082L53NSB", "instruction": "i am looking for a brushed polished nickel color vanity light having glass shade.", "attributes": ["vanity light", "glass shade"], "options": ["color: brushed polished nickel", "size: 3-light"], "instruction_attributes": ["glass shade"], "instruction_options": ["brushed polished nickel"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZIA7RD", "worker_id": "A1Q8PPQQCWGY0D"}], "B07F5M8YPD": [{"asin": "B07F5M8YPD", "instruction": "buy a two pack of whitening toothpaste.", "attributes": ["teeth whitening", "fresh breath"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HMIOW6", "worker_id": "AR9AU5FY1S3RO"}], "B091F3RWX8": [{"asin": "B091F3RWX8", "instruction": "i need brown eco friendly nikahoo small storage baskets.", "attributes": ["eco friendly", "space saving", "easy assemble", "pu leather", "storage space", "living room"], "options": ["color: 06 brown-2pcs"], "instruction_attributes": ["eco friendly"], "instruction_options": ["06 brown-2pcs"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCGSIPM", "worker_id": "A2RBF3IIJP15IH"}], "B01F8T9LMA": [{"asin": "B01F8T9LMA", "instruction": "i need a new dresser. look for one made from engineered wood with lots of storage space.", "attributes": ["engineered wood", "storage space"], "options": [""], "instruction_attributes": ["engineered wood", "storage space"], "instruction_options": [], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHT5LLN7", "worker_id": "AR9AU5FY1S3RO"}], "B09HZV14ND": [{"asin": "B09HZV14ND", "instruction": "buy me some coffee brown hair dye. make sure it only contains natural ingredients.", "attributes": ["easy carry", "green tea", "natural ingredients", "hair dye"], "options": ["color: coffee"], "instruction_attributes": ["natural ingredients", "hair dye"], "instruction_options": ["coffee"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IO232J", "worker_id": "AR9AU5FY1S3RO"}], "B07VPCPY1X": [{"asin": "B07VPCPY1X", "instruction": "i'm looking for protein snacks that are very high in protein and contain pumpkin seeds. i'm lactose intolerant.", "attributes": ["soy free", "dairy free", "gluten free", "protein serving", "keto friendly", "high protein", "plant based", "non gmo"], "options": ["flavor name: pumpkin", "size: 4.5 ounce (pack of 1)"], "instruction_attributes": ["dairy free", "high protein"], "instruction_options": ["pumpkin"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QS5072", "worker_id": "A3EDFA8UQT5GG8"}], "B07C2F29CP": [{"asin": "B07C2F29CP", "instruction": "i'm looking for a comfortable pair of mens jeans. they should be shadow black and slim fitting.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: shadow black", "fit type: slim", "size: 40w x 40l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["shadow black", "slim"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4820IJ", "worker_id": "A3EDFA8UQT5GG8"}, {"asin": "B07C2F29CP", "instruction": "i am looking for slim comfortable fit jeans that is long lasting.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: cottonwood", "fit type: slim", "size: 32w x 32l"], "instruction_attributes": ["long lasting", "comfortable fit"], "instruction_options": ["slim"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZPX1YW", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07C2F29CP", "instruction": "i'm looking for comfortable fit regular jean which must be machine wash with long lasting imported zipper", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: worn in", "fit type: regular", "size: 31w x 36l"], "instruction_attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "instruction_options": ["regular"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YKHPNE", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B07C2F29CP", "instruction": "i would like a 28 wide by 34 long big and tall pair of dax jeans that can be machine washed.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: dax", "fit type: big & tall", "size: 28w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["dax", "big & tall", "28w x 34l"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZ0UZJI", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07C2F29CP", "instruction": "i would like a 30 wide by 40 long big and tall pair of acorn jeans with a comfortable fit.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: acorn", "fit type: big & tall", "size: 31w x 40l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["acorn", "big & tall", "31w x 40l"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GGQZUC", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07C2F29CP", "instruction": "i'm locking for a cowboy cut original fit jean for men's.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: hubbard", "fit type: slim", "size: 33w x 32l"], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R9SYT8", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B07C2F29CP", "instruction": "i'm looking for a pair of comfortably fitting men's jeans in the size of 33 wide by 34 length.", "attributes": ["long lasting", "machine wash", "imported zipper", "comfortable fit"], "options": ["color: true blue", "fit type: big & tall", "size: 33w x 34l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["33w x 34l"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3IFNQJ", "worker_id": "A2JP9IKRHNLRPI"}], "B08RHLN3DK": [{"asin": "B08RHLN3DK", "instruction": "i would like some low carb elbow noodles that come in a six pack.", "attributes": ["low carb", "soy free", "kosher certified"], "options": ["flavor name: elbows", "size: 8 ounce (pack of 6)"], "instruction_attributes": ["low carb"], "instruction_options": ["elbows", "8 ounce (pack of 6)"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINQM72Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QGQVXWX": [{"asin": "B09QGQVXWX", "instruction": "i'm looking for an extra-large women's swimsuit that is moisture-wicking. it needs to be green.", "attributes": ["daily casual", "moisture wicking", "cotton spandex", "gym workout"], "options": ["color: egreen", "size: x-large"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["egreen", "x-large"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKWLDNL", "worker_id": "A345TDMHP3DQ3G"}], "B081YB76BF": [{"asin": "B081YB76BF", "instruction": "i want machine washable christmas scene white decorative pillow covers in size square 22 x 22 inches.", "attributes": ["double sided", "machine washable"], "options": ["color: christmas scene white", "size: square 22 x 22 inches"], "instruction_attributes": ["machine washable"], "instruction_options": ["christmas scene white", "square 22 x 22 inches"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6315GX", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B081YB76BF", "instruction": "i want to buy pillow covers which are machine washable and have ombre blue grey color and have a size of square 20 x 20 inches.", "attributes": ["double sided", "machine washable"], "options": ["color: ombre blue grey", "size: square 20 x 20 inches"], "instruction_attributes": ["machine washable"], "instruction_options": ["ombre blue grey", "square 20 x 20 inches"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IVA325", "worker_id": "AJY5G987IRT25"}], "B09JP2LYMH": [{"asin": "B09JP2LYMH", "instruction": "i am looking for a folding mattress of size 90cm\u00d7190cm for my living room.", "attributes": ["memory foam", "living room"], "options": ["size: 90cm\u00d7190cm"], "instruction_attributes": ["living room"], "instruction_options": ["90cm\u00d7190cm"], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY0LP72", "worker_id": "A1Q8PPQQCWGY0D"}], "B098QBHNQ3": [{"asin": "B098QBHNQ3", "instruction": "i am interested in a black travel sized cosmetic bag.", "attributes": ["travel size", "easy clean", "high quality"], "options": ["color: a-black"], "instruction_attributes": ["travel size"], "instruction_options": ["a-black"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPJLSY6", "worker_id": "A2ECRNQ3X5LEXD"}], "B096ZGR1JX": [{"asin": "B096ZGR1JX", "instruction": "i need a xmarto wireless home security camera system with motion detection.", "attributes": ["easy use", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPLOWFP", "worker_id": "A2RBF3IIJP15IH"}], "B09FXVS6QB": [{"asin": "B09FXVS6QB", "instruction": "i am looking for a dual band streaming player that has 4gb of ram and 64gb of storage.", "attributes": ["dual band", "ultra hd", "quad core"], "options": ["color: 4gb+64gb"], "instruction_attributes": ["dual band"], "instruction_options": ["4gb+64gb"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMMW3SR1", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DK41PGJ": [{"asin": "B08DK41PGJ", "instruction": "i am looking for a 3 cheese wine country gift basket with italian salame.", "attributes": ["gift basket", "perfect gift"], "options": ["style: 3 cheese"], "instruction_attributes": ["gift basket"], "instruction_options": ["3 cheese"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FETLET", "worker_id": "A1EREKSZAA9V7B"}], "B08LVQTPJN": [{"asin": "B08LVQTPJN", "instruction": "i am interested in earth tone blinds that are easy to install and are 43\" by 56\"", "attributes": ["easy install", "home furnishings"], "options": ["color: earth tone - 100% blackout", "size: 43\"w x 56\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["earth tone - 100% blackout", "43\"w x 56\"h"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602Q5959", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08LVQTPJN", "instruction": "i am looking for a light brown - 100% blackout 50\"w x 72\"h roller shades which is easy to install.", "attributes": ["easy install", "home furnishings"], "options": ["color: light brown - 100% blackout", "size: 50\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["light brown - 100% blackout", "50\"w x 72\"h"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VKA06Y", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B08LVQTPJN", "instruction": "i am looking for easy install blackout roller shades no tools needed. 12'w x 48\"h", "attributes": ["easy install", "home furnishings"], "options": ["color: light brown - 100% blackout", "size: 38\"w x 60\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["38\"w x 60\"h"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E0057XL", "worker_id": "A2KW17G25L25R8"}], "B08RZF6YWF": [{"asin": "B08RZF6YWF", "instruction": "i want to find a two-pack of 2-ounce beef jerky bags that are high in protein and come in a variety of flavors.", "attributes": ["high protein", "low carb", "sugar free", "old fashioned", "gluten free", "protein serving", "low calorie", "artificial flavors", "natural ingredients", "zero sugar"], "options": ["flavor name: variety", "size: 2 ounce (pack of 2)"], "instruction_attributes": ["high protein"], "instruction_options": ["variety", "2 ounce (pack of 2)"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZUAJZ6", "worker_id": "A345TDMHP3DQ3G"}], "B00HB55PKM": [{"asin": "B00HB55PKM", "instruction": "i am looking for size 13 evergreen clogs with vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: evergreen", "size: 13 women | 13 men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["evergreen", "13 women | 13 men"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2Z335W", "worker_id": "A1EREKSZAA9V7B"}], "B07HKB2VF1": [{"asin": "B07HKB2VF1", "instruction": "i want to find an emergency radio that's water resistant and includes aaa batteries.", "attributes": ["water resistant", "batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["water resistant", "batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JX9WG7N", "worker_id": "A345TDMHP3DQ3G"}], "B08P5481L1": [{"asin": "B08P5481L1", "instruction": "i'd like to get men's straight-legged jeans that are 38 centimeters in width and 30 centimeters in length. the color should be waterless rose.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: the rose (waterless) big & tall", "size: 48w x 30l"], "instruction_attributes": ["straight leg"], "instruction_options": ["the rose (waterless) big & tall", "48w x 30l"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOAJLL3", "worker_id": "A345TDMHP3DQ3G"}], "B003GU0TIO": [{"asin": "B003GU0TIO", "instruction": "i am looking for gluten free chili bean sauce.", "attributes": ["gluten free", "perfect gift"], "options": ["flavor name: chil bean sauce"], "instruction_attributes": ["gluten free"], "instruction_options": ["chil bean sauce"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVIUQ0N", "worker_id": "A1EREKSZAA9V7B"}], "B09BLHVV47": [{"asin": "B09BLHVV47", "instruction": "i need white non slip working shoes that in a size 10.5 for women", "attributes": ["non slip", "water resistant", "light weight", "faux fur", "rubber sole"], "options": ["color: white camo", "size: 10.5 women | 9.5 men"], "instruction_attributes": ["non slip"], "instruction_options": ["white camo", "10.5 women | 9.5 men"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E2PHXJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PTXWC42": [{"asin": "B09PTXWC42", "instruction": "i am looking for a high quality makeup mirror.", "attributes": ["easy carry", "high quality"], "options": ["color: i"], "instruction_attributes": ["high quality"], "instruction_options": ["i"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLS9PCWP", "worker_id": "A2KW17G25L25R8"}], "B096QDXYXG": [{"asin": "B096QDXYXG", "instruction": "i would like some pink wedges that provide all day comfort and are a size 8.5.", "attributes": ["knee high", "day comfort", "open toe", "high heel", "quality materials", "ankle strap"], "options": ["color: z5-pink", "size: 8.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["z5-pink", "8.5"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI37ZBDM", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B096QDXYXG", "instruction": "i need a high heel 8.5 sized , z92-purple wedge platform sandals for women", "attributes": ["knee high", "day comfort", "open toe", "high heel", "quality materials", "ankle strap"], "options": ["color: z92-purple", "size: 8.5"], "instruction_attributes": ["high heel"], "instruction_options": ["z92-purple", "8.5"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOKA0F0", "worker_id": "A258PTOZ3D2TQR"}], "B083TJ99G3": [{"asin": "B083TJ99G3", "instruction": "i am interested in hdmi cables that have output protection.", "attributes": ["output protection", "1080p hd"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGH0W2M", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZK98Y9Y": [{"asin": "B07ZK98Y9Y", "instruction": "i would like a white size 6 sandal with a rubber sole.", "attributes": ["open toe", "ankle strap", "rubber sole", "fashion design", "arch support"], "options": ["color: white 1", "size: 6"], "instruction_attributes": ["rubber sole"], "instruction_options": ["white 1", "6"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVJKLXG", "worker_id": "A1WS884SI0SLO4"}], "B07YT6ZSRG": [{"asin": "B07YT6ZSRG", "instruction": "i would like a standard sofa table that has a wood finish.", "attributes": ["assembly required", "wood finish", "contemporary design", "engineered wood", "living room"], "options": ["size: sofa table", "style: standard"], "instruction_attributes": ["wood finish"], "instruction_options": ["sofa table", "standard"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7S9AWRV", "worker_id": "A2ECRNQ3X5LEXD"}], "B093PNF328": [{"asin": "B093PNF328", "instruction": "get me a hands free two way radio. get the two pack charging station option.", "attributes": ["hands free", "high power"], "options": ["color: b 1green & 1purple & 1red & 1yellow with noaa | usb charger | usb cable | battery | earpiece | lanyard", "size: charging station option(two pack only)"], "instruction_attributes": ["hands free"], "instruction_options": ["charging station option(two pack only)"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPJWYSN", "worker_id": "AR9AU5FY1S3RO"}], "B08YJYZSX7": [{"asin": "B08YJYZSX7", "instruction": "i would like a desk set with a steel frame.", "attributes": ["steel frame", "storage space"], "options": [""], "instruction_attributes": ["steel frame"], "instruction_options": [], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I5YDFD", "worker_id": "A1WS884SI0SLO4"}], "B09NVSN43G": [{"asin": "B09NVSN43G", "instruction": "i want to find a birthday cake topper that i can use for my birthday party.", "attributes": ["birthday cake", "birthday party", "baby shower"], "options": [""], "instruction_attributes": ["birthday cake", "birthday party"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTQ9P9E", "worker_id": "A345TDMHP3DQ3G"}], "B089DLMN63": [{"asin": "B089DLMN63", "instruction": "i am looking for a 36 count pack of soy free fruit and nut bars.", "attributes": ["soy free", "plant based", "grain free", "dairy free", "gluten free"], "options": ["flavor name: skout bar sample pack", "size: 36 count"], "instruction_attributes": ["soy free"], "instruction_options": ["36 count"], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWCZ0K2", "worker_id": "A2ECRNQ3X5LEXD"}], "B00JVB5QTE": [{"asin": "B00JVB5QTE", "instruction": "i want to find a pair of wireless bluetooth headphones.", "attributes": ["high performance", "hands free", "high definition", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJKZR3J9", "worker_id": "A345TDMHP3DQ3G"}], "B01MU7OTU6": [{"asin": "B01MU7OTU6", "instruction": "i would like a lotion that is mango scented and cruelty free that comes in 32 ounces.", "attributes": ["alcohol free", "sulfate free", "cruelty free", "seed oil"], "options": ["scent: mango", "size: 32 ounce"], "instruction_attributes": ["cruelty free"], "instruction_options": ["mango", "32 ounce"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3WTQ7G", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CLP2DL4": [{"asin": "B07CLP2DL4", "instruction": "looking for one snack of jalapeno n cheddar smoked gluten free with high protein", "attributes": ["ready eat", "high protein", "gluten free"], "options": [""], "instruction_attributes": ["high protein", "gluten free"], "instruction_options": [], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZQ540C", "worker_id": "A2Y2TURT2VEYZN"}], "B08DG6C2WW": [{"asin": "B08DG6C2WW", "instruction": "i want to buy some hair growth shampoo that is bamboo and charcoal scented in a 10 ounce bottle.", "attributes": ["natural ingredients", "hair growth"], "options": ["scent: bamboo & charcoal shampoo", "size: 10.14 fl oz"], "instruction_attributes": ["hair growth"], "instruction_options": ["bamboo & charcoal shampoo", "10.14 fl oz"], "assignment_id": "3TR2532VI040LV46NXNX77Y3USC6J5", "worker_id": "A2YNPKYEFDZ6C9"}], "B09MFFGQX3": [{"asin": "B09MFFGQX3", "instruction": "i'm looking for a lip balm that would help minimize dead skin caused by dry lips in the winter.", "attributes": ["seed oil", "dead skin"], "options": ["color: d"], "instruction_attributes": ["dead skin"], "instruction_options": ["d"], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0UNRRF", "worker_id": "A3EDFA8UQT5GG8"}], "B0181DGCWM": [{"asin": "B0181DGCWM", "instruction": "i would like a black 3'11'' x 5'3'' rug for my dining room.", "attributes": ["easy clean", "dining room"], "options": ["color: black", "size: 3'11'' x 5'3''"], "instruction_attributes": ["dining room"], "instruction_options": ["3'11'' x 5'3''"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB119LUU", "worker_id": "A1WS884SI0SLO4"}], "B09PV4HGFN": [{"asin": "B09PV4HGFN", "instruction": "i am looking for a high resolution portrait of green forest natural scenery.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a38", "size: 5x3ft | 1.5x1m"], "instruction_attributes": ["high resolution"], "instruction_options": ["5x3ft | 1.5x1m"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXVTYMS", "worker_id": "A2KW17G25L25R8"}, {"asin": "B09PV4HGFN", "instruction": "i'm looking for a photo studio background that's light weight and has a high definition image. it should be five by three feet.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a12", "size: 5x3ft | 1.5x1m"], "instruction_attributes": ["light weight", "high definition"], "instruction_options": ["5x3ft | 1.5x1m"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKSMSG9", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09PV4HGFN", "instruction": "i want a high resolution portrait background that is 10x7ft in size.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a6", "size: 10x7ft | 3x2.2m"], "instruction_attributes": ["high resolution"], "instruction_options": ["10x7ft | 3x2.2m"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IZKHKG", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09PV4HGFN", "instruction": "i am looking for a high definition a19 color background.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a19", "size: 9x6ft | 2.7x1.8m"], "instruction_attributes": ["high definition"], "instruction_options": ["a19"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXVOO5B", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09PV4HGFN", "instruction": "searching in the photo studio, i am looking for green forest natural scenery landscape portrait background studio prop that is of high resolution and definition. the approximate size is 9x6ft|2.7x1.8m.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a39", "size: 9x6ft | 2.7x1.8m"], "instruction_attributes": ["high resolution", "high definition"], "instruction_options": ["9x6ft | 2.7x1.8m"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMUT2GE", "worker_id": "A3RGIKEI8JS2QG"}], "B09J1HDKV2": [{"asin": "B09J1HDKV2", "instruction": "i am looking for small long sleeve women's christmas cardigan with pockets.", "attributes": ["hand wash", "long sleeve", "tumble dry", "daily wear"], "options": ["color: 09 # black", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIGI295", "worker_id": "A1EREKSZAA9V7B"}], "B082MMS2YZ": [{"asin": "B082MMS2YZ", "instruction": "i am looking for wall mounted security camera for home security", "attributes": ["wall mounted", "aaa batteries"], "options": [""], "instruction_attributes": ["wall mounted"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3PSP6U", "worker_id": "A258PTOZ3D2TQR"}], "B08LNTD4K3": [{"asin": "B08LNTD4K3", "instruction": "i am looking for a clear glass office desk that is white.", "attributes": ["assembly required", "clear glass"], "options": ["color: white"], "instruction_attributes": ["clear glass"], "instruction_options": ["white"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TJVN3W", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MJXTXY3": [{"asin": "B09MJXTXY3", "instruction": "i need a fast charging usb c wall charger.", "attributes": ["fast charging", "usb port"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL325HK", "worker_id": "A2RBF3IIJP15IH"}], "B09PGQ7TV8": [{"asin": "B09PGQ7TV8", "instruction": "i want to find an 8 ounce soy wax candle that is unscented.", "attributes": ["eco friendly", "soy wax"], "options": ["scent: unscented", "size: 8oz"], "instruction_attributes": ["soy wax"], "instruction_options": ["unscented", "8oz"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1076TLIT", "worker_id": "A345TDMHP3DQ3G"}], "B01GUKR4GQ": [{"asin": "B01GUKR4GQ", "instruction": "i am looking for gluten free sea salt.", "attributes": ["fat free", "non gmo", "gluten free", "artificial colors", "great gift"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRPJZBJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B082FVNHWH": [{"asin": "B082FVNHWH", "instruction": "get me a high-quality cosmetic bag with palm trees on it.", "attributes": ["high quality", "nail art"], "options": ["color: palm trees"], "instruction_attributes": ["high quality"], "instruction_options": ["palm trees"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRPY2YP", "worker_id": "AR9AU5FY1S3RO"}], "B082WM6X9R": [{"asin": "B082WM6X9R", "instruction": "looking for a soap that is antifugal and antibacterial with natural ingredients to wash the body", "attributes": ["paraben free", "tea tree", "natural ingredients"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1076PILM", "worker_id": "A2Y2TURT2VEYZN"}], "B075CF6VCR": [{"asin": "B075CF6VCR", "instruction": "i am looking for an xx-large short sleeve casual v-neck t-shirt.", "attributes": ["slim fit", "contrast color", "long sleeve", "short sleeve", "tumble dry"], "options": ["color: b2 long sleeve- black", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK64ZYY8", "worker_id": "A1EREKSZAA9V7B"}], "B00YEU96GQ": [{"asin": "B00YEU96GQ", "instruction": "i am looking for a carbon fiber tripod.", "attributes": ["carbon fiber", "stainless steel"], "options": ["size: 3 series | 4 section", "style: carbon fiber tripod"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["carbon fiber tripod"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8AQUXW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00YEU96GQ", "instruction": "i am looking for stainless steel long carbon fiber 3 series| 3 section long tripod", "attributes": ["carbon fiber", "stainless steel"], "options": ["size: 3 series | 3 section long", "style: aluminum tripod"], "instruction_attributes": ["stainless steel"], "instruction_options": ["3 series | 3 section long"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G79R472", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B00YEU96GQ", "instruction": "i want a benro mach3 long carbon fiber aluminum tripod.", "attributes": ["carbon fiber", "stainless steel"], "options": ["size: 4 series | 4 section extra long", "style: aluminum tripod"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["aluminum tripod"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QB4M14", "worker_id": "A2RBF3IIJP15IH"}], "B0741SYMHT": [{"asin": "B0741SYMHT", "instruction": "i need a supershieldz glass screen protector for samsung galaxy tab s2 8.0.", "attributes": ["tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["glass screen"], "instruction_options": [], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1CX08B", "worker_id": "A2RBF3IIJP15IH"}], "B07B8TWFKS": [{"asin": "B07B8TWFKS", "instruction": "i am looking for a gluten free chicken sticks with high protein. also choose pepper flavor and 6 stick pack.", "attributes": ["artificial ingredients", "low sugar", "gluten free", "low calorie", "keto friendly", "high protein", "low carb"], "options": ["flavor name: pepper", "size: 6 stick"], "instruction_attributes": ["gluten free", "high protein"], "instruction_options": ["pepper", "6 stick"], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW68YVVU", "worker_id": "A2HMEGTAFO0CS8"}], "B09L775HFG": [{"asin": "B09L775HFG", "instruction": "get me a seventy centimeter wall mounted mirror that's easy to install.", "attributes": ["wall mounted", "easy install"], "options": ["size: 70cm"], "instruction_attributes": ["wall mounted", "easy install"], "instruction_options": ["70cm"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH7D1EQ", "worker_id": "AR9AU5FY1S3RO"}], "B09MLQGHSY": [{"asin": "B09MLQGHSY", "instruction": "i'd like to get coaxial cables that are plated with gold.", "attributes": ["gold plated", "coaxial cable"], "options": [""], "instruction_attributes": ["gold plated", "coaxial cable"], "instruction_options": [], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU70K57W", "worker_id": "A345TDMHP3DQ3G"}], "B09DGL37KN": [{"asin": "B09DGL37KN", "instruction": "i am interested in a mattress pad that is the color e and is 180 by 200 cm.", "attributes": ["non slip", "space saving"], "options": ["color: e", "size: 180x200cm"], "instruction_attributes": ["non slip"], "instruction_options": ["e", "180x200cm"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCMFB90", "worker_id": "A2ECRNQ3X5LEXD"}], "B07P5JRGXW": [{"asin": "B07P5JRGXW", "instruction": "i'm looking for a small mens t-shirt that is machine washable and made of polyester or cotton.", "attributes": ["machine wash", "polyester cotton"], "options": ["size: small"], "instruction_attributes": ["machine wash", "polyester cotton"], "instruction_options": ["small"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQADSQC", "worker_id": "A3EDFA8UQT5GG8"}], "B00GMM1CF2": [{"asin": "B00GMM1CF2", "instruction": "i am interested in hand crafted snack gifts.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG18PYGQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B078NGJPM9": [{"asin": "B078NGJPM9", "instruction": "i'm looking for a 50-pack of black usb plugs that last for a long time.", "attributes": ["long lasting", "easy use", "usb port", "wireless charging"], "options": ["color: black, 50 pack", "size: 50 pack"], "instruction_attributes": ["long lasting"], "instruction_options": ["black, 50 pack", "50 pack"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFP0T0B", "worker_id": "A345TDMHP3DQ3G"}], "B09FPNLS69": [{"asin": "B09FPNLS69", "instruction": "i would like a clear glass screen protector for my galaxy watch 4.", "attributes": ["tempered glass", "glass screen"], "options": ["color: clear + black", "size: for galaxy watch 4 - 40mm"], "instruction_attributes": ["glass screen"], "instruction_options": ["clear + black", "for galaxy watch 4 - 40mm"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80AW1QX", "worker_id": "A1WS884SI0SLO4"}], "B07TBGP54C": [{"asin": "B07TBGP54C", "instruction": "i am looking for an easy to use sonic toothbrush for kids, 1 pack.", "attributes": ["easy use", "fresh breath"], "options": ["color: sonic toothbrush 1 pack"], "instruction_attributes": ["easy use"], "instruction_options": ["sonic toothbrush 1 pack"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUSBQJ7", "worker_id": "A1EREKSZAA9V7B"}], "B09PL63TF9": [{"asin": "B09PL63TF9", "instruction": "buy me some hiking boots with rubber soles. get them in red, size eight.", "attributes": ["open toe", "knee high", "slip resistant", "non slip", "ankle strap", "memory foam", "rubber sole", "daily wear"], "options": ["color: red", "size: 8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["red", "8"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3Q97M13", "worker_id": "AR9AU5FY1S3RO"}], "B0785YLFQX": [{"asin": "B0785YLFQX", "instruction": "i need 16 inch long dark brown goo goo remy hair extensions tape.", "attributes": ["high quality", "hair extensions", "natural hair"], "options": ["color: dark brown mixed chestnut brown #2 | 6 | 2", "size: 16 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["dark brown mixed chestnut brown #2 | 6 | 2", "16 inch (pack of 1)"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXW9ZNF4", "worker_id": "A2RBF3IIJP15IH"}], "B073KYYVTR": [{"asin": "B073KYYVTR", "instruction": "i am looking for coaxial cable brass connector of size 195ft having high speed.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 195ft", "style: w | messenger - black"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHRELU2J0", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B073KYYVTR", "instruction": "i am looking for a 400 foot long high speed coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 400ft", "style: direct burial 3ghz w | weather boot - ora..."], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": ["400ft"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRSVBZD", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B073KYYVTR", "instruction": "i'm looking for high speed accessories for video cables.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 70ft", "style: trishield - black"], "instruction_attributes": ["high speed", "aluminum alloy"], "instruction_options": ["70ft"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZFQPRI", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B073KYYVTR", "instruction": "i want a 280ft black tri-shield weather seal indoor outdoor rg-6 coaxial cable.", "attributes": ["high speed", "coaxial cable", "aluminum alloy"], "options": ["size: 280ft", "style: direct burial w | rg-11 weather boot - bl..."], "instruction_attributes": ["coaxial cable"], "instruction_options": ["280ft"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8YTPZZ", "worker_id": "A2RBF3IIJP15IH"}], "B01H6NZ45E": [{"asin": "B01H6NZ45E", "instruction": "i'm looking for men's swiftwater river relaxed fit sandal of size 9", "attributes": ["synthetic sole", "relaxed fit"], "options": ["color: blue navy slate grey", "size: 9"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["9"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N307TJ", "worker_id": "A258PTOZ3D2TQR"}], "B07C91Q25B": [{"asin": "B07C91Q25B", "instruction": "i'm looking for a volleyball shorts in low rise and in a 02navy colour and large size", "attributes": ["low rise", "loose fit"], "options": ["color: a02-navy", "size: large"], "instruction_attributes": ["low rise"], "instruction_options": ["a02-navy", "large"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8L9AO18", "worker_id": "A19Q021KR28CS8"}], "B09P9ZR7KF": [{"asin": "B09P9ZR7KF", "instruction": "i am looking for a high quality stainless steel set of hair cutting scissors.", "attributes": ["high quality", "easy use", "stainless steel", "hair cutting"], "options": ["size: 6.4\"", "style: dhc-63"], "instruction_attributes": ["high quality", "stainless steel"], "instruction_options": ["6.4\""], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKW8NDI", "worker_id": "A1EREKSZAA9V7B"}], "B08PNY8LT3": [{"asin": "B08PNY8LT3", "instruction": "i would like a dark brown fabric chair with a more contemporary design.", "attributes": ["button tufted", "contemporary design"], "options": ["color: dark brown + natural", "style: fabric"], "instruction_attributes": ["contemporary design"], "instruction_options": ["dark brown + natural", "fabric"], "assignment_id": "3X65QVEQIBXVW21709CD9M35U1SLCA", "worker_id": "A1WS884SI0SLO4"}], "B09NCB2NC4": [{"asin": "B09NCB2NC4", "instruction": "i want a heavy duty splice board design computer office desk.", "attributes": ["easy clean", "heavy duty", "easy assemble", "coated steel"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R2DTYA", "worker_id": "A2RBF3IIJP15IH"}], "B0017J22OK": [{"asin": "B0017J22OK", "instruction": "i'm looking for a dermatologist tested hair remover that comes in a spray and is size large.", "attributes": ["dermatologist tested", "long lasting"], "options": [""], "instruction_attributes": ["dermatologist tested"], "instruction_options": [], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70ILCCB4", "worker_id": "A28BSMU0QCS69S"}], "B07ZJWJH8Q": [{"asin": "B07ZJWJH8Q", "instruction": "i'm trying to find a chrome, stainless steel storage organizer to put over my kitchen cabinet doors.", "attributes": ["ready hang", "storage space", "stainless steel"], "options": ["color: chrome", "color: graphite", "color: bronze"], "instruction_attributes": ["stainless steel"], "instruction_options": ["chrome"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC5GQRKB", "worker_id": "A345TDMHP3DQ3G"}], "B08FRKT4FZ": [{"asin": "B08FRKT4FZ", "instruction": "i want an electric callus remover that's not only easy to clean, but also rechargeable.", "attributes": ["high quality", "easy clean", "dead skin"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9RJE24", "worker_id": "A345TDMHP3DQ3G"}], "B09NYC15NL": [{"asin": "B09NYC15NL", "instruction": "find me a white and black wooden etagere bookcase that needs assembly.", "attributes": ["assembly required", "wood frame"], "options": ["color: antique blue | black", "color: white | black"], "instruction_attributes": ["assembly required", "wood frame"], "instruction_options": ["white | black"], "assignment_id": "3EG49X3515M1GF9V412YYG6I52M6XC", "worker_id": "A3AJJHOAV7WIUQ"}], "B07TJ9VNHQ": [{"asin": "B07TJ9VNHQ", "instruction": "i'm looking for a men's classic fit shirt containing a jamaican woman.", "attributes": ["needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "color: asphalt", "color: purple", "color: black", "size: x-large", "size: large", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["men"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2JZY78", "worker_id": "A2JP9IKRHNLRPI"}], "B09M3K9LPH": [{"asin": "B09M3K9LPH", "instruction": "i want a large white storage shoe bench for the entryway to my living room. please find one that's 63 inches in height.", "attributes": ["white item", "living room"], "options": ["color: white w | doors", "color: white-63\"h", "color: black-70.8\"-h", "style: larger", "style: normal"], "instruction_attributes": ["white item", "living room"], "instruction_options": ["white-63\"h", "larger"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YWF04TE", "worker_id": "A345TDMHP3DQ3G"}], "B0961G4KFP": [{"asin": "B0961G4KFP", "instruction": "hey i am looking for an open toe, size 9 women's slipper made with fax fur.", "attributes": ["open toe", "day comfort", "non slip", "faux fur", "memory foam"], "options": ["size: 5-6", "size: 11-12", "size: 9-10", "color: blush", "color: leopard", "color: ivory"], "instruction_attributes": ["open toe", "faux fur"], "instruction_options": ["9-10"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXQPJU3", "worker_id": "AXY0D2AMLKE2A"}], "B09DTJXZ6K": [{"asin": "B09DTJXZ6K", "instruction": "i want to find edible black glitter that i can easily use on desserts.", "attributes": ["easy use", "dairy free", "gluten free"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWQCGGF", "worker_id": "A345TDMHP3DQ3G"}], "B08P7KK2F3": [{"asin": "B08P7KK2F3", "instruction": "i'm looking for a tempered glass coffee table for my living room that has a wooden frame.", "attributes": ["tempered glass", "clear glass", "wood frame", "living room"], "options": [""], "instruction_attributes": ["tempered glass", "wood frame", "living room"], "instruction_options": [], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9Q2FXOR", "worker_id": "A2JP9IKRHNLRPI"}], "B099VDWX8H": [{"asin": "B099VDWX8H", "instruction": "i want to find a blonde-colored, full-sized standard futon mattress. it must be easy to clean!", "attributes": ["spot clean", "easy clean"], "options": ["color: textured light gray", "color: pink", "color: blonde", "size: full", "size: queen", "style: contemporary", "style: casual"], "instruction_attributes": ["easy clean"], "instruction_options": ["blonde"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNYHS0UM", "worker_id": "A345TDMHP3DQ3G"}], "B07KYLGXY9": [{"asin": "B07KYLGXY9", "instruction": "i'm looking for an extra small black women's t-shirt that's machine washable and features origami paper cranes.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["fit type: men", "fit type: women", "fit type: youth", "color: brown", "color: black", "color: asphalt", "size: 3t", "size: x-small", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["women", "black", "x-small"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLAGAR86", "worker_id": "A345TDMHP3DQ3G"}], "B074PWBRF9": [{"asin": "B074PWBRF9", "instruction": "i'm in need of a large, 32 ounce bottle of conditioner that is both sulfate and paraben free. i would also like it be completely non-toxic.", "attributes": ["cruelty free", "sulfate free", "paraben free", "non toxic"], "options": ["size: 2 fl oz (pack of 1)", "size: 32 fl oz (pack of 1)", "size: 32 ounce"], "instruction_attributes": ["sulfate free", "paraben free", "non toxic"], "instruction_options": ["32 ounce"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEUP8Q3", "worker_id": "A2JP9IKRHNLRPI"}], "B08XVP8DST": [{"asin": "B08XVP8DST", "instruction": "give me a long lasting 8 pieces false lashes set.", "attributes": ["long lasting", "high quality"], "options": ["size: 13 piece set", "size: 8 piece set", "size: 7pairs"], "instruction_attributes": ["long lasting"], "instruction_options": ["8 piece set"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BXYJVS", "worker_id": "A3AJJHOAV7WIUQ"}], "B0963QSX1Q": [{"asin": "B0963QSX1Q", "instruction": "i'm looking for fast charging, waterproof earbuds.", "attributes": ["dust proof", "fast charging"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9ZOTV6", "worker_id": "A2JP9IKRHNLRPI"}], "B07J6NSJPT": [{"asin": "B07J6NSJPT", "instruction": "i'm in need of a hands free pair of earbud headphones that work with bluetooth and offer noise reduction technology.", "attributes": ["hands free", "carrying case"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NYB2P3", "worker_id": "A2JP9IKRHNLRPI"}], "B09MHT7M54": [{"asin": "B09MHT7M54", "instruction": "i want some vanity lights with a cylindrical shape and a metal base. the shades must feature clear glass.", "attributes": ["mid century", "vanity light", "clear glass", "light fixture", "living room"], "options": ["size: cup shape", "size: cylindrical", "size: globe"], "instruction_attributes": ["vanity light", "clear glass"], "instruction_options": ["cylindrical"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOX3CLYC", "worker_id": "A345TDMHP3DQ3G"}], "B09QHPJ29G": [{"asin": "B09QHPJ29G", "instruction": "order a women's tank top made from blue polyester spandex in size medium.", "attributes": ["loose fit", "slim fit", "hand wash", "polyester spandex", "short sleeve", "teen girls"], "options": ["color: pink", "color: navy", "color: red", "size: medium", "size: x-large", "size: small"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["navy", "medium"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17XHOY3E", "worker_id": "AR9AU5FY1S3RO"}], "B08F6ZLW5T": [{"asin": "B08F6ZLW5T", "instruction": "i'm trying to find 52\" x 84\" sheer linen curtains for my living room, and ideally they'll be sky blue.", "attributes": ["machine washable", "living room"], "options": ["size: 52\" x 84\"", "size: 52\" x 63\"", "size: 52\" x 108\"", "color: natural", "color: sky blue", "color: navy blue"], "instruction_attributes": ["living room"], "instruction_options": ["52\" x 84\"", "sky blue"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTP3N93", "worker_id": "A345TDMHP3DQ3G"}], "B074G4578G": [{"asin": "B074G4578G", "instruction": "i'd love to find a pair of women's faux fur slippers in size 8.5.", "attributes": ["faux fur", "rubber sole"], "options": [""], "instruction_attributes": ["faux fur"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6HO5GC", "worker_id": "A345TDMHP3DQ3G"}], "B07C3HDGF8": [{"asin": "B07C3HDGF8", "instruction": "i need a purple tee shirt in medium i can wear at the gym.", "attributes": ["wash cold", "gym workout", "daily wear"], "options": ["size: small", "size: medium", "size: large", "color: dusty rose", "color: purple", "color: navy blue"], "instruction_attributes": ["gym workout"], "instruction_options": ["medium", "purple"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKVUD7G", "worker_id": "A3AJJHOAV7WIUQ"}], "B07ZZT7HBT": [{"asin": "B07ZZT7HBT", "instruction": "find me some gluten free fruit snacks made from real fruit. they must be certified organic as well.", "attributes": ["gluten free", "certified organic", "artificial flavors", "real fruit", "high fructose"], "options": [""], "instruction_attributes": ["gluten free", "certified organic", "real fruit"], "instruction_options": [], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR793OH11", "worker_id": "A36F8PDK1DMAN1"}], "B09JP6GNTC": [{"asin": "B09JP6GNTC", "instruction": "i'm looking for a classic fitting, needle-sleeved t-shirt that is machine washable.", "attributes": ["wash cold", "machine wash", "cotton heather", "needle sleeve", "classic fit"], "options": [""], "instruction_attributes": ["machine wash", "needle sleeve", "classic fit"], "instruction_options": [], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YACHE0", "worker_id": "AFU00NU09CFXE"}], "B07KD7GNZB": [{"asin": "B07KD7GNZB", "instruction": "i'd like a set of two 12x20 decorative pillow covers that are machine-washable and ideally double sided.", "attributes": ["double sided", "machine washable"], "options": ["size: 12x20 set of 2", "size: 18x18 set of 2", "size: 20x20 set of 2"], "instruction_attributes": ["double sided", "machine washable"], "instruction_options": ["12x20 set of 2"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUWJS4A", "worker_id": "A345TDMHP3DQ3G"}], "B083J7385L": [{"asin": "B083J7385L", "instruction": "i'm interested in a stainless steel portable salon sink that is easy to clean.", "attributes": ["easy clean", "stainless steel"], "options": [""], "instruction_attributes": ["easy clean", "stainless steel"], "instruction_options": [], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPZ4WFX", "worker_id": "AFU00NU09CFXE"}], "B07WFMZH69": [{"asin": "B07WFMZH69", "instruction": "i'd love some help locating a pair of men's slim fit, ripped skinny jeans in a size 34. it would be awesome if you can find a pair in black.", "attributes": ["slim fit", "machine wash", "cotton spandex"], "options": ["size: 34", "size: 38", "size: 28", "color: white1", "color: black", "color: white"], "instruction_attributes": ["slim fit"], "instruction_options": ["34", "black"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQ0Z0PP", "worker_id": "A345TDMHP3DQ3G"}], "B07TYRGCH2": [{"asin": "B07TYRGCH2", "instruction": "i'm looking for a ursula neon t-shirt for girls from disney that is a classic fit, machine washable and in the size of medium.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "size: x-large", "size: 3x-large", "size: medium"], "instruction_attributes": ["machine wash", "classic fit"], "instruction_options": ["medium"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR78FY69", "worker_id": "A2JP9IKRHNLRPI"}], "B07CF4CF27": [{"asin": "B07CF4CF27", "instruction": "i want to find a short-sleeve, classic fit men's polo that comes in size small. see if any in white are available.", "attributes": ["machine wash", "button closure", "classic fit", "short sleeve"], "options": [""], "instruction_attributes": ["classic fit", "short sleeve"], "instruction_options": [], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJKHDNVA", "worker_id": "A345TDMHP3DQ3G"}], "B087Z21SD2": [{"asin": "B087Z21SD2", "instruction": "i'm looking for a pair of large men's ankle strap sandals.", "attributes": ["open toe", "ankle strap"], "options": ["size: large", "size: x-large"], "instruction_attributes": ["ankle strap"], "instruction_options": ["large"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VRA8E0", "worker_id": "A345TDMHP3DQ3G"}], "B07W5SK4VS": [{"asin": "B07W5SK4VS", "instruction": "i'm interested in a pair of moss nappa pumps in a size 7 with a rubber sole.", "attributes": ["leather sole", "rubber sole"], "options": ["size: 7", "size: 10.5", "size: 6.5", "color: moss nappa", "color: navy nappa", "color: rouge nappa"], "instruction_attributes": ["rubber sole"], "instruction_options": ["7", "moss nappa"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWP940GD", "worker_id": "AFU00NU09CFXE"}], "B099RC7F69": [{"asin": "B099RC7F69", "instruction": "i'm looking for a package of 16 stainless steel lip razors for women.", "attributes": ["non slip", "easy carry", "stainless steel", "hair removal"], "options": ["item package quantity: 16", "item package quantity: 32", "item package quantity: 64"], "instruction_attributes": ["stainless steel"], "instruction_options": ["16"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWY8CPPM", "worker_id": "A345TDMHP3DQ3G"}], "B07HFHDJNN": [{"asin": "B07HFHDJNN", "instruction": "i'm interested in a pair of hunter green scrub bottoms with a straight leg and drawstring waist in size medium tall.", "attributes": ["straight leg", "drawstring waist"], "options": ["size: xx-large plus", "size: xx-large plus petite", "size: medium tall", "color: eggplant", "color: hunter green", "color: royal"], "instruction_attributes": ["straight leg", "drawstring waist"], "instruction_options": ["medium tall", "hunter green"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4YIPKX", "worker_id": "AFU00NU09CFXE"}], "B09DY1SSGR": [{"asin": "B09DY1SSGR", "instruction": "i'm looking for a solid wood sofa table in order to get some extra storage space in my living room.", "attributes": ["storage space", "wood frame", "solid wood", "living room"], "options": [""], "instruction_attributes": ["storage space", "solid wood", "living room"], "instruction_options": [], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73D6RTO4", "worker_id": "A2JP9IKRHNLRPI"}], "B08GW8JSJJ": [{"asin": "B08GW8JSJJ", "instruction": "i'm in need of a night cream for the dry skin on my face that has been tested by dermatologists.", "attributes": ["dermatologist tested", "dry skin"], "options": [""], "instruction_attributes": ["dermatologist tested", "dry skin"], "instruction_options": [], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZT6O8A", "worker_id": "A2JP9IKRHNLRPI"}], "B01CPE15SO": [{"asin": "B01CPE15SO", "instruction": "i'm looking to find a pair of cropped women's pants with an elastic waist and wide legs. see if you can find a pair in navy that runs small to medium.", "attributes": ["wide leg", "machine washable", "elastic waistband", "elastic waist"], "options": ["size: small-medium", "size: medium-large", "size: large-x-large", "color: white", "color: tiedye blue", "color: navy"], "instruction_attributes": ["wide leg", "elastic waist"], "instruction_options": ["small-medium", "navy"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANRPXSV", "worker_id": "A345TDMHP3DQ3G"}], "B0821Z4MHL": [{"asin": "B0821Z4MHL", "instruction": "i want to find a black ink refill set for temporary tattoos that is not only easy to use but high quality.", "attributes": ["cruelty free", "easy use", "high quality"], "options": ["color: device with black + color ink", "color: black ink refill", "color: full color ink refill"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["black ink refill"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXJMFC7", "worker_id": "A345TDMHP3DQ3G"}], "B09R25LLRY": [{"asin": "B09R25LLRY", "instruction": "i'm looking for a black short-sleeve men's v-neck shirt that i can wear to the gym for my workouts. it would be great if the size were a medium.", "attributes": ["slim fit", "wash cold", "hand wash", "machine wash", "long sleeve", "short sleeve", "polyester cotton", "elastic waistband", "gym workout", "daily wear"], "options": ["color: black", "color: gray", "color: khaki", "size: xx-large", "size: medium", "size: small"], "instruction_attributes": ["short sleeve", "gym workout"], "instruction_options": ["black", "medium"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KZFLJU", "worker_id": "A345TDMHP3DQ3G"}], "B08SCGJKVW": [{"asin": "B08SCGJKVW", "instruction": "i'm looking for a pack of gluten free cocoa vanilla bunny-shaped cookies.", "attributes": ["gluten free", "high fructose", "artificial flavors"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VWJ06V", "worker_id": "A39SK1E6IMQBD5"}], "B01FNB7CVA": [{"asin": "B01FNB7CVA", "instruction": "i need a long sleeve men's chef coat with button closure in size 3x-large. i want a white one.", "attributes": ["machine wash", "long sleeve", "button closure"], "options": ["size: small", "size: 4x-large", "size: 3x-large", "color: black", "color: white"], "instruction_attributes": ["long sleeve", "button closure"], "instruction_options": ["3x-large", "white"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJKD5J3V", "worker_id": "A1CB72B51L7TKE"}], "B09PQFMFB2": [{"asin": "B09PQFMFB2", "instruction": "i want some puffed snacks that are both gluten and fat free.", "attributes": ["gluten free", "fat free", "kosher certified"], "options": [""], "instruction_attributes": ["gluten free", "fat free"], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZQRRP7", "worker_id": "A3AJJHOAV7WIUQ"}], "B09P7Z7VCD": [{"asin": "B09P7Z7VCD", "instruction": "please buy an office desk chair with lumbar support in green.", "attributes": ["non slip", "high density", "lumbar support"], "options": ["color: pink", "color: yellow", "color: green"], "instruction_attributes": ["lumbar support"], "instruction_options": ["green"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0SCA110", "worker_id": "AR9AU5FY1S3RO"}], "B09CN417QQ": [{"asin": "B09CN417QQ", "instruction": "i want to find cruelty free organic lip balm that's made with natural ingredients.", "attributes": ["oil free", "cruelty free", "natural ingredients"], "options": [""], "instruction_attributes": ["cruelty free", "natural ingredients"], "instruction_options": [], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPL5KTF2", "worker_id": "A345TDMHP3DQ3G"}], "B0073DOPOO": [{"asin": "B0073DOPOO", "instruction": "i need a pair of lightweight flip flops in a size 5 or 6 that have a rubber sole.", "attributes": ["light weight", "rubber sole"], "options": ["size: 5", "size: 6"], "instruction_attributes": ["light weight", "rubber sole"], "instruction_options": ["5", "6"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCHO0D3", "worker_id": "AFU00NU09CFXE"}], "B002UDITGM": [{"asin": "B002UDITGM", "instruction": "i'm looking for an 11 ounce bag of caffeine-free, acid-free, prebiotic chicory coffee alternative. also, include vanilla nut flavor. additionally, include medium roast.", "attributes": ["caffeine free", "non gmo", "artificial flavors"], "options": [""], "instruction_attributes": ["caffeine free", "artificial flavors"], "instruction_options": [], "assignment_id": "3BDCF01OG848Z52CW1U26DVOX35LY5", "worker_id": "AENE0ASEDKQB3"}], "B087BPKHSD": [{"asin": "B087BPKHSD", "instruction": "i am looking for a small padded bench, preferably easy to assemble and in beige, please.", "attributes": ["easy assemble", "memory foam", "living room"], "options": ["color: 1 seat beige", "color: 3 seat beige-18.5\u201ch", "color: 3 seat grey-18.5\u201ch"], "instruction_attributes": ["easy assemble"], "instruction_options": ["1 seat beige"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49SSTDF", "worker_id": "A1WAWEY2810TFN"}], "B07JJFVLBR": [{"asin": "B07JJFVLBR", "instruction": "help me find some clogs in size 9.5 made of ethylene vinyl.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["size: 8", "size: 9.5", "size: 10"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["9.5"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCH1L0JH", "worker_id": "A3AJJHOAV7WIUQ"}], "B09KBYJKXD": [{"asin": "B09KBYJKXD", "instruction": "go ahead and find me a dining room sideboard table that has a bottom shelf. it needs to be easy to assemble.", "attributes": ["easy assemble", "dining room"], "options": [""], "instruction_attributes": ["easy assemble", "dining room"], "instruction_options": [], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPU3NJM", "worker_id": "A345TDMHP3DQ3G"}], "B09NVYC1MX": [{"asin": "B09NVYC1MX", "instruction": "i'm looking for an easily assembled and cleaned storage chest for my shoes that would fit well in my living room.", "attributes": ["long lasting", "easy clean", "easy assemble", "faux leather", "storage space", "living room"], "options": [""], "instruction_attributes": ["easy clean", "easy assemble", "living room"], "instruction_options": [], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7T15NB", "worker_id": "A2JP9IKRHNLRPI"}], "B09PNJ73YZ": [{"asin": "B09PNJ73YZ", "instruction": "i want to buy a navy blue casual short-sleeve t-shirt. it should have an ombre gradient on it, and i'll need a medium.", "attributes": ["slim fit", "long sleeve", "short sleeve"], "options": ["size: xx-large", "size: 3x-large", "size: medium", "color: orange", "color: navy", "color: blue"], "instruction_attributes": ["short sleeve"], "instruction_options": ["medium", "navy"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVZYJKD", "worker_id": "A345TDMHP3DQ3G"}], "B08RF3JJ85": [{"asin": "B08RF3JJ85", "instruction": "i want to find a mirrorless digital camera that produces high resolution photos, and comes with a color filter kit.", "attributes": ["ultra hd", "high resolution", "high performance", "high speed"], "options": [""], "instruction_attributes": ["high resolution"], "instruction_options": [], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXM04WMS", "worker_id": "A345TDMHP3DQ3G"}], "B00PGOBWPW": [{"asin": "B00PGOBWPW", "instruction": "can you find a seed oil based face wash that is cruelty free with no fragrance and good for sensitive skin?", "attributes": ["fragrance free", "paraben free", "cruelty free", "seed oil", "sensitive skin"], "options": [""], "instruction_attributes": ["fragrance free", "cruelty free", "seed oil", "sensitive skin"], "instruction_options": [], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNR86JXV", "worker_id": "A3AJJHOAV7WIUQ"}], "B09CT2QY8L": [{"asin": "B09CT2QY8L", "instruction": "find a hanging pendant light fixture for my living room with a plug-in cord. it should have a diamond lampshade along with hemp rope.", "attributes": ["pendant light", "light fixture", "dining room", "living room"], "options": ["size: diamond lampshade with hemp rope", "size: metal cage lampshade with hemp rope"], "instruction_attributes": ["pendant light", "light fixture", "living room"], "instruction_options": [], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANRSSXT", "worker_id": "A345TDMHP3DQ3G"}], "B07TZW2XFL": [{"asin": "B07TZW2XFL", "instruction": "i'd like to find a large brown ottoman for my living room that's easy to spot clean.", "attributes": ["spot clean", "living room"], "options": [""], "instruction_attributes": ["spot clean", "living room"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30U520YJ", "worker_id": "A345TDMHP3DQ3G"}], "B09P137JZR": [{"asin": "B09P137JZR", "instruction": "help me find an electric razor for men that's easy to clean with a digital display.", "attributes": ["high quality", "easy clean", "long lasting"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANRSXSY", "worker_id": "A345TDMHP3DQ3G"}], "B09PDCNCPM": [{"asin": "B09PDCNCPM", "instruction": "i'm looking for a long sleeve green or yellow plaid shirt with button closure in a size medium.", "attributes": ["long sleeve", "button closure", "daily wear"], "options": ["color: green", "color: yellow", "size: large", "size: small", "size: medium"], "instruction_attributes": ["long sleeve", "button closure"], "instruction_options": ["green", "yellow", "medium"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADTSWVL", "worker_id": "AFU00NU09CFXE"}], "B086GF7VWJ": [{"asin": "B086GF7VWJ", "instruction": "i'm looking for a dust brush that i can use for my nail art which is easy to use and clean.", "attributes": ["easy clean", "easy use", "nail art"], "options": [""], "instruction_attributes": ["easy clean", "easy use", "nail art"], "instruction_options": [], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEY7T36H", "worker_id": "A345TDMHP3DQ3G"}], "B08PZ47C1R": [{"asin": "B08PZ47C1R", "instruction": "i'm looking for a record player and stereo speaker that is not only high power, but also high performance. i don't have a preference for the color.", "attributes": ["high power", "high performance"], "options": [""], "instruction_attributes": ["high power", "high performance"], "instruction_options": [], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUU2R3Y", "worker_id": "A345TDMHP3DQ3G"}], "B09PCY5H8N": [{"asin": "B09PCY5H8N", "instruction": "i'd love to find a compact magnified mirror that's easy to carry and travel sized.", "attributes": ["travel size", "easy carry"], "options": [""], "instruction_attributes": ["travel size", "easy carry"], "instruction_options": [], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI3L4BDJ", "worker_id": "A345TDMHP3DQ3G"}], "B092VWYQKC": [{"asin": "B092VWYQKC", "instruction": "help me find a small console table for my living room. a wall mounted one will be great.", "attributes": ["wall mounted", "space saving", "living room"], "options": [""], "instruction_attributes": ["wall mounted", "living room"], "instruction_options": [], "assignment_id": "37C0GNLMHQDNI94ED11M493QPKLD6S", "worker_id": "A16184N1RO5OJV"}], "B09HXRFYP7": [{"asin": "B09HXRFYP7", "instruction": "l am looking for a pair of non-slip, rubber-soled black shoes in a size 8.5.", "attributes": ["non slip", "rubber sole"], "options": ["size: 7", "size: 8.5", "size: 9", "color: beige", "color: black", "color: green"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["8.5", "black"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRYJF9Q", "worker_id": "AFU00NU09CFXE"}], "B07VNGN9HG": [{"asin": "B07VNGN9HG", "instruction": "i'm trying to find an extra large men's tank top with a classic fit. it needs to be sapphire colored and say \"i play bocce & i know things\" on it.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "color: heather grey", "color: sapphire", "color: neon pink", "size: medium", "size: x-large", "size: xx-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["men", "sapphire", "x-large"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPSDH9GH", "worker_id": "A345TDMHP3DQ3G"}], "B09GT8JY8H": [{"asin": "B09GT8JY8H", "instruction": "i'm looking for a freeze-dried fruit snacks that are sugar - and gluten-free.", "attributes": ["freeze dried", "sugar free", "gluten free"], "options": [""], "instruction_attributes": ["freeze dried", "sugar free", "gluten free"], "instruction_options": [], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VT42XWR", "worker_id": "AFU00NU09CFXE"}], "B06XQ6SHT6": [{"asin": "B06XQ6SHT6", "instruction": "i'm hoping to buy a pair of men's slip-on penny loafers with rubber soles. find a pair for me that's black in size 8.", "attributes": ["memory foam", "rubber sole"], "options": ["size: 12", "size: 8", "size: 13", "color: black", "color: cognac"], "instruction_attributes": ["rubber sole"], "instruction_options": ["8", "black"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUOEDZF", "worker_id": "A345TDMHP3DQ3G"}], "B08ZM5BJNX": [{"asin": "B08ZM5BJNX", "instruction": "i'd like a twin-pack of gold wall sconces that i can put in my living room hallways. they should have clear glass shades.", "attributes": ["easy install", "clear glass", "glass shade", "light fixture", "living room"], "options": ["size: 2 pack", "size: 1 pack", "size: 2-light"], "instruction_attributes": ["clear glass", "glass shade", "living room"], "instruction_options": ["2 pack"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39SCEGMD", "worker_id": "A345TDMHP3DQ3G"}], "B08N476LRT": [{"asin": "B08N476LRT", "instruction": "i'd like to find a desk for my home office that i can use for my computer. it should be easy to assemble and i'd like something in white.", "attributes": ["white item", "easy assemble", "living room"], "options": [""], "instruction_attributes": ["white item", "easy assemble"], "instruction_options": [], "assignment_id": "33TIN5LC0FKDY31374RC144TX9T9Y1", "worker_id": "A345TDMHP3DQ3G"}], "B09LH9DCQK": [{"asin": "B09LH9DCQK", "instruction": "i'm interested in a blue or gray high performance tablet that offers fast charging capabilities.", "attributes": ["high performance", "high definition", "fast charging"], "options": ["color: blue", "color: gray", "color: orange"], "instruction_attributes": ["high performance", "fast charging"], "instruction_options": ["blue", "gray"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1MK1GT5", "worker_id": "AFU00NU09CFXE"}], "B09MTJ92V2": [{"asin": "B09MTJ92V2", "instruction": "give me a slim fit machine washable blazer that is gold.", "attributes": ["light weight", "loose fit", "wash cold", "slim fit", "machine wash", "short sleeve", "long sleeve", "daily wear"], "options": ["color: black", "color: gold", "color: silver", "size: x-large", "size: large", "size: xx-large"], "instruction_attributes": ["slim fit", "machine wash"], "instruction_options": ["gold"], "assignment_id": "37C0GNLMHQDNI94ED11M493QPKAD6H", "worker_id": "A3AJJHOAV7WIUQ"}], "B07KFYCK4F": [{"asin": "B07KFYCK4F", "instruction": "i'm looking for an officially licensed youth t-shirt featuring russell and carl from pixar's movie up. it should be extra-small and ideally come in baby blue.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "fit type: youth", "color: grass", "color: silver", "color: baby blue", "size: 3t", "size: x-small", "size: medium"], "instruction_attributes": ["officially licensed"], "instruction_options": ["youth", "baby blue", "x-small"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6VAU7S", "worker_id": "A345TDMHP3DQ3G"}], "B09S9X3MZG": [{"asin": "B09S9X3MZG", "instruction": "i'm looking for a slim-fitting women's button-up henley. it should be large and ideally the color will be army green.", "attributes": ["slim fit", "hand wash", "long sleeve", "stretch fabric", "memory foam", "polyester spandex", "short sleeve", "daily wear"], "options": ["color: caishen-a132-blue", "color: caishen-a129-army green", "color: caishen-a143-orange", "size: xx-large", "size: large", "size: x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["caishen-a129-army green", "large"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTJKLNY", "worker_id": "A345TDMHP3DQ3G"}], "B09KGW43WR": [{"asin": "B09KGW43WR", "instruction": "i'm in need of a four-piece set of christmas coasters with non-slip technology.", "attributes": ["non slip", "long lasting", "printing technology"], "options": ["size: 8-piece set", "size: 6-piece set+holder", "size: 4-piece set"], "instruction_attributes": ["non slip"], "instruction_options": ["4-piece set"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4O28LE", "worker_id": "A2JP9IKRHNLRPI"}], "B0978KR99V": [{"asin": "B0978KR99V", "instruction": "i'm looking for a white, twin sized bed frame which will allow me to save space in my child's bedroom.", "attributes": ["twin size", "space saving", "white item"], "options": ["color: grey", "color: white"], "instruction_attributes": ["twin size", "space saving"], "instruction_options": ["white"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTYGO6O", "worker_id": "A2JP9IKRHNLRPI"}], "B075M6GJC7": [{"asin": "B075M6GJC7", "instruction": "i want to find 16x16 inch decorative pillows that i can put in my living room, ideally with the color that is 05 red.", "attributes": ["machine washable", "living room"], "options": ["size: 1 count (pack of 1)", "size: 16x16 inches", "color: #pattern 30", "color: #pattern 05", "color: #pattern 17"], "instruction_attributes": [], "instruction_options": ["16x16 inches", "#pattern 05"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FYKBFU", "worker_id": "A345TDMHP3DQ3G"}], "B09J8YN9N7": [{"asin": "B09J8YN9N7", "instruction": "i want to find a pink women's quilted puffy vest that i can machine wash. the size needs to be extra large.", "attributes": ["loose fit", "hand wash", "machine wash", "long sleeve", "faux fur", "elastic waist", "polyester spandex", "teen girls"], "options": ["color: green", "color: pink", "color: white", "size: 3x-large", "size: x-large", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["pink", "x-large"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6S6DUDL", "worker_id": "A345TDMHP3DQ3G"}], "B093R27X9G": [{"asin": "B093R27X9G", "instruction": "i'm looking for an officially licensed minecraft alex with bow taking aim tshirt in youth size and heather grey color", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "fit type: youth", "color: kelly green", "color: heather grey", "color: purple", "size: 4t", "size: 3x-large", "size: 3t"], "instruction_attributes": ["officially licensed"], "instruction_options": ["youth", "heather grey"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFWTMEW", "worker_id": "A28BSMU0QCS69S"}], "B09GTWJS8X": [{"asin": "B09GTWJS8X", "instruction": "help me find a standing four-tiered baker's rack that's heavy duty.", "attributes": ["heavy duty", "living room"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "39O5D9O8742EGYBIU38DD09OUT43C9", "worker_id": "A345TDMHP3DQ3G"}], "B093SY1VL3": [{"asin": "B093SY1VL3", "instruction": "find me a set of cute mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401KKMUA", "worker_id": "A3AJJHOAV7WIUQ"}], "B09SHQXRK6": [{"asin": "B09SHQXRK6", "instruction": "i need a long sleeve button up shirt that has a casual style and slim fit.", "attributes": ["hand wash", "water resistant", "easy care", "daily casual", "fleece lined", "loose fit", "wash cold", "slim fit", "machine wash", "long sleeve", "short sleeve", "drawstring waist", "faux fur", "regular fit", "star wars"], "options": ["size: x-large", "size: large", "size: medium", "color: army green", "color: navy", "color: white"], "instruction_attributes": ["daily casual", "slim fit", "long sleeve"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZUYK9V", "worker_id": "A2RBF3IIJP15IH"}], "B001E6GFR6": [{"asin": "B001E6GFR6", "instruction": "i'm looking for healthy granola bars that lack artificial coloring, flavoring and don't include high fructose corn syrup as an ingredient.", "attributes": ["artificial colors", "high fructose", "artificial flavors"], "options": [""], "instruction_attributes": ["artificial colors", "high fructose", "artificial flavors"], "instruction_options": [], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPAWXTD", "worker_id": "A2JP9IKRHNLRPI"}], "B09NV9PTBZ": [{"asin": "B09NV9PTBZ", "instruction": "i want to find a pair of brown loose-fitting men's pants in a medium size.", "attributes": ["easy care", "fleece lined", "machine washable", "loose fit", "machine wash", "drawstring closure"], "options": ["size: medium", "size: x-large", "size: xx-large", "color: brown", "color: khaki", "color: green"], "instruction_attributes": ["loose fit"], "instruction_options": ["medium", "brown"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQQ3HHF", "worker_id": "A345TDMHP3DQ3G"}], "B01GRQLS38": [{"asin": "B01GRQLS38", "instruction": "would you get me a work polo, has to have buttons, preferably orange and a medium.", "attributes": ["machine wash", "button closure"], "options": ["size: xx-large", "size: small", "size: medium", "color: black", "color: yelow", "color: orang"], "instruction_attributes": ["button closure"], "instruction_options": ["medium", "orang"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VT4HWX5", "worker_id": "A3O1I9MATO3ZZN"}], "B08PJ5LMXM": [{"asin": "B08PJ5LMXM", "instruction": "i need to buy women's leggings for yoga. i need slim fit with tummy control in a large size.", "attributes": ["slim fit", "tummy control", "polyester spandex"], "options": ["size: large", "size: 4x-large", "size: xx-large"], "instruction_attributes": ["slim fit", "tummy control"], "instruction_options": ["large"], "assignment_id": "3BEFOD78WH3C7G6D767AQ16627W4M5", "worker_id": "AXIH2UZ6NNMRE"}], "B08NP71DGW": [{"asin": "B08NP71DGW", "instruction": "what is a simulated camera that takes aaa batteries?", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTPZD51", "worker_id": "A3AJJHOAV7WIUQ"}], "B08C9S7K81": [{"asin": "B08C9S7K81", "instruction": "i need help finding a twin set of gold coffee tables that's easy to clean.", "attributes": ["assembly required", "easy clean"], "options": ["color: gold-set of 2", "color: black", "color: glass top"], "instruction_attributes": ["easy clean"], "instruction_options": ["gold-set of 2"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79UQQKB", "worker_id": "A345TDMHP3DQ3G"}], "B09PR9WQLZ": [{"asin": "B09PR9WQLZ", "instruction": "i want to find a long-sleeve sweatshirt that features the charlie vaggie anime character on it.", "attributes": ["wash cold", "long sleeve"], "options": [""], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGVLW2Z", "worker_id": "A345TDMHP3DQ3G"}], "B08LG89H3J": [{"asin": "B08LG89H3J", "instruction": "order a round black side table with storage space.", "attributes": ["easy clean", "storage space"], "options": ["size: round", "size: square", "style: beige", "style: black", "style: white"], "instruction_attributes": ["storage space"], "instruction_options": ["round", "black"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCH14J0J", "worker_id": "AR9AU5FY1S3RO"}], "B07KDX6TJN": [{"asin": "B07KDX6TJN", "instruction": "i'm hoping to find a twin pack of hydrating body lotion that's cruelty free and certified organic.", "attributes": ["certified organic", "plant based", "cruelty free"], "options": [""], "instruction_attributes": ["certified organic", "cruelty free"], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHL2E1K", "worker_id": "A345TDMHP3DQ3G"}], "B07ZBS2W4V": [{"asin": "B07ZBS2W4V", "instruction": "find me a classic-fitting women's tank top in navy that says \"why yes they're real boobs\" on it.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "color: dark heather", "color: neon pink", "color: navy", "size: medium", "size: x-large", "size: xx-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["women", "navy"], "assignment_id": "31JLPPHS254FPN8LK8H48035J7MO3Q", "worker_id": "A345TDMHP3DQ3G"}], "B09RH6LR1F": [{"asin": "B09RH6LR1F", "instruction": "i'm looking for a men's classic fit button-down shirt for special occasions.", "attributes": ["machine wash", "wash cold", "unique design", "classic fit", "tumble dry"], "options": [""], "instruction_attributes": ["classic fit"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLA4AV3", "worker_id": "A2JP9IKRHNLRPI"}], "B09QMN8742": [{"asin": "B09QMN8742", "instruction": "i'm hoping to find a pair of g-string thong underwear for men. ideally, the underwear will have a high waist, and i need it in a medium size.", "attributes": ["hand wash", "high waist", "daily wear"], "options": ["size: medium", "size: large", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["medium"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3RAYA4", "worker_id": "A345TDMHP3DQ3G"}], "B09QYRV21T": [{"asin": "B09QYRV21T", "instruction": "i'd like to find a twin sized bed with drawers for extra storage.", "attributes": ["twin size", "space saving", "storage space"], "options": [""], "instruction_attributes": ["twin size", "storage space"], "instruction_options": [], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RUGXLRA", "worker_id": "A345TDMHP3DQ3G"}], "B07WYDVDZ3": [{"asin": "B07WYDVDZ3", "instruction": "i want an easy to carry lighting background for my studio.", "attributes": ["light weight", "easy carry"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1T3SMPE", "worker_id": "A3AJJHOAV7WIUQ"}], "B004K40ZYS": [{"asin": "B004K40ZYS", "instruction": "i'm looking for a provocative set of small women's polyester spandex.", "attributes": ["hand wash", "quality materials", "polyester spandex"], "options": ["size: small", "size: medium", "size: large"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["small"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPXKSYX", "worker_id": "A345TDMHP3DQ3G"}], "B08FDNRDYH": [{"asin": "B08FDNRDYH", "instruction": "i'm looking for an ornament sculpted from iron of a mother and child that i can put in my living room.", "attributes": ["living room", "dining room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDZOHRZ", "worker_id": "A345TDMHP3DQ3G"}], "B08W1Y9PJ7": [{"asin": "B08W1Y9PJ7", "instruction": "i need a plug and play high definition video converter.", "attributes": ["plug play", "high definition"], "options": [""], "instruction_attributes": ["plug play", "high definition"], "instruction_options": [], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSK11EPH", "worker_id": "A3AJJHOAV7WIUQ"}], "B09NGWXMDQ": [{"asin": "B09NGWXMDQ", "instruction": "i'm looking for a silicone band compatible with my apple watch that's 40 mm and white.", "attributes": ["compatible apple", "quick release", "easy install", "stainless steel"], "options": ["size: 38 | 40 | 41mm", "size: 42 | 44 | 45mm", "color: sand pink | light blue | stone", "color: light blue | stone | light green", "color: white | stone | sand pink"], "instruction_attributes": ["compatible apple"], "instruction_options": ["38 | 40 | 41mm", "white | stone | sand pink"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL614EZW4", "worker_id": "A39SK1E6IMQBD5"}, {"asin": "B09NGWXMDQ", "instruction": "i want to find 38 millimeter silicone bands that are compatible with my apple watch. the bands can be either dark green, black, or olive green.", "attributes": ["compatible apple", "quick release", "easy install", "stainless steel"], "options": ["color: dark green | black | olive green", "size: 38 | 40 | 41mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["dark green | black | olive green", "38 | 40 | 41mm"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7X7YQY", "worker_id": "A345TDMHP3DQ3G"}], "B09FZ7RDZ2": [{"asin": "B09FZ7RDZ2", "instruction": "i want to find a blue bedside table unit that comes with extra shelf storage space.", "attributes": ["steel frame", "storage space"], "options": ["color: white", "color: green", "color: blue"], "instruction_attributes": ["storage space"], "instruction_options": ["blue"], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTD236ZS", "worker_id": "A345TDMHP3DQ3G"}], "B07FYWZZRM": [{"asin": "B07FYWZZRM", "instruction": "help me locate a pair of women's angelfish stripe boat shoes with rubber soles in a size 6.", "attributes": ["arch support", "memory foam", "rubber sole"], "options": ["size: 5.5", "size: 6", "size: 5", "color: navy | red", "color: navy"], "instruction_attributes": ["rubber sole"], "instruction_options": ["6"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8COSSJ", "worker_id": "A345TDMHP3DQ3G"}], "B082WSKPKR": [{"asin": "B082WSKPKR", "instruction": "i'm hoping to buy a medium pair of women's cropped jeans with an elastic waist for everyday wear.", "attributes": ["machine wash", "wash cold", "hand wash", "elastic waist", "relaxed fit", "short sleeve", "everyday wear"], "options": ["size: 3x-large", "size: medium", "size: xx-large"], "instruction_attributes": ["elastic waist", "everyday wear"], "instruction_options": ["medium"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTYBPLO", "worker_id": "A345TDMHP3DQ3G"}], "B07942XCKN": [{"asin": "B07942XCKN", "instruction": "i'm looking for a men's slip-on in a size 10 that has a rubber sole.", "attributes": ["rubber outsole", "rubber sole"], "options": ["size: 11.5", "size: 10", "size: 9.5", "color: fox | bone", "color: kona coffee | tapa"], "instruction_attributes": ["rubber sole"], "instruction_options": ["10"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPSPVQU", "worker_id": "A2JP9IKRHNLRPI"}], "B09CKY4TGN": [{"asin": "B09CKY4TGN", "instruction": "i'm looking to buy a large adjustable blue bathrobe towel wrap that's good for drying hair after a shower.", "attributes": ["easy clean", "dry hair"], "options": [""], "instruction_attributes": ["dry hair"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3U4Q6J7", "worker_id": "ALDKDKRBR4LXD"}], "B098XJ3XLC": [{"asin": "B098XJ3XLC", "instruction": "find me a navy blue wooden sideboard storage cabinet that comes with a height-adjustable shelf.", "attributes": ["height adjustable", "wood frame", "storage space", "living room"], "options": ["color: brown", "color: grey", "color: navy blue"], "instruction_attributes": ["height adjustable", "wood frame", "storage space"], "instruction_options": ["navy blue"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB1F1ULN", "worker_id": "A345TDMHP3DQ3G"}], "B09NRLPG4Y": [{"asin": "B09NRLPG4Y", "instruction": "i am looking to buy a stainless steel mens hair trimmer", "attributes": ["high quality", "long lasting", "stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRSWP7L2", "worker_id": "A38C7CA3AYLO1"}], "B08FSZLW8C": [{"asin": "B08FSZLW8C", "instruction": "i am in the need of an end table that has to be put together.", "attributes": ["assembly required", "home furnishings"], "options": [""], "instruction_attributes": ["assembly required"], "instruction_options": [], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLN1YO74", "worker_id": "A1MJVTR0PCKBWW"}], "B07MYYNDLN": [{"asin": "B07MYYNDLN", "instruction": "i'm looking for a women's swimsuit that is quick drying and size large and color black", "attributes": ["quick drying", "elastic waistband"], "options": ["size: small-medium", "size: large-x-large", "size: xx-large-3x-large", "color: 33-black-short", "color: 30-coral orange-middle", "color: 14-lilac-long"], "instruction_attributes": ["quick drying"], "instruction_options": ["large-x-large", "33-black-short"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMIXBGVY", "worker_id": "A1VMWZ4X201V7H"}], "B07YNFDGW4": [{"asin": "B07YNFDGW4", "instruction": "you are viewing one of the trendiest products vintage yellowstone national park wolf retro graphic art tank top for men black belong theme vintage yellowstone national park tank tops at printerval:", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "color: dark heather", "color: royal blue", "color: black", "size: large", "size: x-large", "size: xx-large"], "instruction_attributes": ["polyester heathers", "heathers cotton", "cotton heather", "needle sleeve"], "instruction_options": ["men", "women", "dark heather", "royal blue", "large", "x-large"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0U2FFGZ", "worker_id": "A1BUFDU8KZSXFU"}], "B07KWNMHZC": [{"asin": "B07KWNMHZC", "instruction": "i want a nesting table that will last a long time and is gray. it has to be small and space saving too.", "attributes": ["long lasting", "space saving"], "options": ["style: nesting coffee and end tables", "style: nesting tables", "color: graphite gray", "color: white marble"], "instruction_attributes": ["long lasting", "space saving"], "instruction_options": ["nesting tables", "graphite gray"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHODJDQU", "worker_id": "A1MJVTR0PCKBWW"}], "B08JJ2SD8N": [{"asin": "B08JJ2SD8N", "instruction": "i'm looking for blackout curtains for living room which should be thermal insulated. also, choose 52w*84l size mustard yellow one.", "attributes": ["spot clean", "living room"], "options": ["size: 52w x 84l", "size: 52w x 54l", "size: 52w x 63l", "color: greyish white", "color: mustard yellow", "color: navy blue"], "instruction_attributes": ["living room"], "instruction_options": ["52w x 84l", "mustard yellow"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C3ET0IL", "worker_id": "AR0VJ5XRG16UJ"}], "B094X12P3V": [{"asin": "B094X12P3V", "instruction": "i need a basketball of size 9. it needs to have a lace closure and and rubber sole and outsole.", "attributes": ["lace closure", "rubber outsole", "rubber sole"], "options": ["size: 9", "size: 14"], "instruction_attributes": ["lace closure", "rubber outsole", "rubber sole"], "instruction_options": ["9"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKOCQ8EWZ", "worker_id": "A1MJVTR0PCKBWW"}], "B09LYMKLDN": [{"asin": "B09LYMKLDN", "instruction": "i need a grey button down dhirt that is hand wash and has a longer sleeve.", "attributes": ["hand wash", "long sleeve"], "options": ["color: grey", "color: grey1", "size: x-large", "size: large", "size: medium"], "instruction_attributes": ["hand wash", "long sleeve"], "instruction_options": ["grey"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LURVJKT", "worker_id": "A1MJVTR0PCKBWW"}], "B075PFGT15": [{"asin": "B075PFGT15", "instruction": "show me an easy carry high definition body cam which can be used for spying or security.", "attributes": ["easy carry", "high speed", "high definition"], "options": [""], "instruction_attributes": ["easy carry", "high definition"], "instruction_options": [], "assignment_id": "3N1FSUEFLGA93M00UD877BJCSLX4DZ", "worker_id": "A3AYHESLQSDY5T"}], "B09FRJPSRV": [{"asin": "B09FRJPSRV", "instruction": "i need some cheese that is ready to eat and has good quality to it. an 8 pack that is individually wrapped is what i need.", "attributes": ["ready eat", "individually wrapped", "quality ingredients"], "options": ["size: 8 pack", "size: 4 pack", "size: 3 pack"], "instruction_attributes": ["ready eat", "individually wrapped", "quality ingredients"], "instruction_options": ["8 pack"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R0CCI2M", "worker_id": "A1MJVTR0PCKBWW"}, {"asin": "B09FRJPSRV", "instruction": "i want a 12-pack of bourbon gouda that's individually wrapped.", "attributes": ["ready eat", "individually wrapped", "quality ingredients"], "options": ["size: 12 pack"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["12 pack"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QVI70S", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B09FRJPSRV", "instruction": "i am interested in buying cheese which is made of quality ingredients and comes in a pack of 12.", "attributes": ["ready eat", "individually wrapped", "quality ingredients"], "options": ["size: 12 pack"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["12 pack"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTY24EZ", "worker_id": "AJY5G987IRT25"}], "B09BCFH9ZK": [{"asin": "B09BCFH9ZK", "instruction": "i'm looking for machine wasable savannan burlap placemat with compatible table runner with dahlia flower print table set of 6 pcs. also choose color golden circlesan4455 with size 13x70inch+13x19inch*4.", "attributes": ["non slip", "machine washable"], "options": ["size: 13x70inch+13x19inch*6", "size: 13x70inch+13x19inch*4", "size: 16x72inch+13x19inch*4", "color: golden circlesan4455", "color: halloweensan4471", "color: christmassan6643"], "instruction_attributes": ["machine washable"], "instruction_options": ["golden circlesan4455"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGCQO5KH", "worker_id": "A1DRKZ3SCLAS4V"}], "B082RTMQF3": [{"asin": "B082RTMQF3", "instruction": "i need some serum that is for anti aging and doesn't have smell. cruelty free is necessary. i only need a 1 oz portion.", "attributes": ["anti aging", "fragrance free", "cruelty free", "hyaluronic acid", "fine lines", "dry skin"], "options": ["size: 1 fl oz (pack of 1)", "size: 2 fl oz (pack of 1)"], "instruction_attributes": ["anti aging", "fragrance free", "cruelty free"], "instruction_options": ["1 fl oz (pack of 1)"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEM4KOGA", "worker_id": "A1MJVTR0PCKBWW"}], "B09KJJCWZF": [{"asin": "B09KJJCWZF", "instruction": "i'm looking for a sturdy and solid dummy camera that's portable and made of stainless steel. also, choose the one that's easy to install.", "attributes": ["easy install", "stainless steel"], "options": [""], "instruction_attributes": ["easy install", "stainless steel"], "instruction_options": [], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUTCIMCO", "worker_id": "A1A3UNA5ZCTTVJ"}], "B0963K7YRQ": [{"asin": "B0963K7YRQ", "instruction": "i want buy a large wall mounted storage organizer basket .", "attributes": ["wall mounted", "living room"], "options": [""], "instruction_attributes": ["wall mounted"], "instruction_options": [], "assignment_id": "3I02618YABGH9HX5ESQKK9YV5HQPUN", "worker_id": "A3N9ZYQAESNFQH"}], "B08J5LMZB7": [{"asin": "B08J5LMZB7", "instruction": "i'm looking for 4g lte prepaid flip phone with quad core processor which should include sim card. also, choose color black", "attributes": ["quad core", "4g lte"], "options": [""], "instruction_attributes": ["quad core", "4g lte"], "instruction_options": [], "assignment_id": "3P59JYT76WU6HXHACPPYJ040BTQ2TL", "worker_id": "AR0VJ5XRG16UJ"}], "B085PYKR67": [{"asin": "B085PYKR67", "instruction": "i am looking for a black color tv stick remote that should be non slip and easy to install.", "attributes": ["non slip", "easy install"], "options": [""], "instruction_attributes": ["non slip", "easy install"], "instruction_options": [], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z3CWQCU", "worker_id": "A9ZM1P6LBW79"}], "B099JRSMCV": [{"asin": "B099JRSMCV", "instruction": "i need a hoodie with a loose fit. sky blue and large is preferred.", "attributes": ["loose fit", "long sleeve", "daily wear"], "options": ["color: 2 sky blue(runs small, order one size up)", "color: 2 black(runs small, order one size up)", "color: a sky blue", "size: large", "size: xx-large", "size: small"], "instruction_attributes": ["loose fit"], "instruction_options": ["a sky blue", "large"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23RZETQ0", "worker_id": "A1MJVTR0PCKBWW"}], "B071NW1J6P": [{"asin": "B071NW1J6P", "instruction": "i am looking for a lip plumper with cruelty free, also long lasting", "attributes": ["cruelty free", "long lasting", "hyaluronic acid"], "options": [""], "instruction_attributes": ["cruelty free", "long lasting"], "instruction_options": [], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDAIBHGK", "worker_id": "A2HMEGTAFO0CS8"}], "B09J1FK9HN": [{"asin": "B09J1FK9HN", "instruction": "i need a camera that is fast and has high definition capabilities", "attributes": ["high speed", "high definition"], "options": [""], "instruction_attributes": ["high speed", "high definition"], "instruction_options": [], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7RFVRWM", "worker_id": "A1MJVTR0PCKBWW"}], "B08YTY6B8J": [{"asin": "B08YTY6B8J", "instruction": "i am looking for a dental flosser that is eco friendly for my oral hygiene", "attributes": ["eco friendly", "oral hygiene"], "options": [""], "instruction_attributes": ["eco friendly", "oral hygiene"], "instruction_options": [], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCFFYSMI", "worker_id": "A1MJVTR0PCKBWW"}], "B09HX5CD2D": [{"asin": "B09HX5CD2D", "instruction": "i need some draw string shorts that are official cleveland university. the need to be small and charcoal along with being machine washable.", "attributes": ["officially licensed", "machine wash", "drawstring closure", "elastic waistband"], "options": ["color: heather charcoal", "color: heather grey", "size: small", "size: medium", "size: large"], "instruction_attributes": ["officially licensed", "machine wash", "drawstring closure"], "instruction_options": ["heather charcoal", "small"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXEOUMEG", "worker_id": "A1MJVTR0PCKBWW"}], "B09SHXFH3X": [{"asin": "B09SHXFH3X", "instruction": "i'm looking for high-waisted lace women's lingerie in red. choose the x-large size.", "attributes": ["elastic waist", "high waist"], "options": ["color: red", "color: black", "color: blue", "size: x-large", "size: medium", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": ["red", "x-large"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLRDDCWK", "worker_id": "A1B1J0BQ44ZV72"}], "B093TGY82Q": [{"asin": "B093TGY82Q", "instruction": "looking for a 2 pack of granola that is gluten free. it needs to be non gmo and shelf stable.", "attributes": ["shelf stable", "non gmo", "gluten free"], "options": ["size: 2 pack", "size: 3 pack", "size: 4 pack"], "instruction_attributes": ["shelf stable", "non gmo", "gluten free"], "instruction_options": ["2 pack"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OORNWFZ", "worker_id": "A1MJVTR0PCKBWW"}], "B09K41TKGS": [{"asin": "B09K41TKGS", "instruction": "i need something for hair growth.", "attributes": ["hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC4J8Z1R", "worker_id": "A1MJVTR0PCKBWW"}], "B081RDNB65": [{"asin": "B081RDNB65", "instruction": "i'm looking for high quality phone cord hair ties. also, choose size 18, matte color.", "attributes": ["easy carry", "high quality"], "options": ["size: 10", "size: 18", "color: matte dark", "color: noctilucent color", "color: matte color"], "instruction_attributes": ["high quality"], "instruction_options": ["18", "matte color"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MGZVBRAS", "worker_id": "A292TFDMNVS0TP"}], "B09327XGT6": [{"asin": "B09327XGT6", "instruction": "i am looking for a fast charging adapter with fast charging support in high speed", "attributes": ["fast charging", "high speed", "stainless steel"], "options": [""], "instruction_attributes": ["fast charging", "high speed"], "instruction_options": [], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A20C9THV", "worker_id": "A2HMEGTAFO0CS8"}], "B08FHMZHQ6": [{"asin": "B08FHMZHQ6", "instruction": "i'm looking for a scoop neck long sleeve medium size tunic top that's fit for everyday wear. also, choose the grey color one.", "attributes": ["hand wash", "machine wash", "polyester spandex", "long sleeve", "everyday wear"], "options": ["size: medium", "size: xx-large", "size: large", "color: b-black", "color: grey", "color: green printed"], "instruction_attributes": ["long sleeve", "everyday wear"], "instruction_options": ["medium", "grey"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK2G7N6N", "worker_id": "A258PTOZ3D2TQR"}], "B09RF4KJ1J": [{"asin": "B09RF4KJ1J", "instruction": "i need a bikini that is low rise and quick drying, in a size small", "attributes": ["low rise", "quick drying", "tummy control", "high waist", "polyester spandex", "short sleeve"], "options": ["size: small", "size: medium", "size: large", "color: a-blue", "color: black", "color: a-pink"], "instruction_attributes": ["low rise", "quick drying"], "instruction_options": ["small"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMKZSRDG", "worker_id": "A1MJVTR0PCKBWW"}], "B07MXP2ZBZ": [{"asin": "B07MXP2ZBZ", "instruction": "i am looking for a non toxic bag that has great quality to it, along with being for nail art.", "attributes": ["non toxic", "high quality", "nail art"], "options": [""], "instruction_attributes": ["non toxic", "high quality", "nail art"], "instruction_options": [], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVLS4XE1", "worker_id": "A1MJVTR0PCKBWW"}], "B09DBQ36P1": [{"asin": "B09DBQ36P1", "instruction": "i need a button down shirt that is slim fit and hand washable. the fabric needs to be stretch and be large and black.", "attributes": ["hand wash", "daily casual", "wash cold", "slim fit", "machine wash", "long sleeve", "stretch fabric", "regular fit"], "options": ["color: black", "color: navy", "color: wine", "size: large", "size: small", "size: x-large"], "instruction_attributes": ["hand wash", "slim fit", "stretch fabric"], "instruction_options": ["black", "large"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJXR8RGQ", "worker_id": "A1MJVTR0PCKBWW"}], "B085P21LC3": [{"asin": "B085P21LC3", "instruction": "i am looking for cruelty free long lasting lip lacquer with the color option moody.", "attributes": ["cruelty free", "long lasting"], "options": ["color: mauve glitz", "color: bubbles", "color: moody"], "instruction_attributes": ["cruelty free", "long lasting"], "instruction_options": ["moody"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A20C6HTG", "worker_id": "A3AYHESLQSDY5T"}], "B097RDQTGL": [{"asin": "B097RDQTGL", "instruction": "i need an easy to carry headset for audio.", "attributes": ["easy carry", "wireless bluetooth"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTYWX40F", "worker_id": "A1MJVTR0PCKBWW"}], "B096B813X6": [{"asin": "B096B813X6", "instruction": "i'm looking for sheer window covering rod pocket 2 panels for living room with size 52\" x 63\" inch. also choose the color plaid red black.", "attributes": ["super soft", "living room"], "options": ["size: 52 \" wide x 63\" long x 2 panels", "size: 52 \" wide x 72\" long x 2 panels", "size: 52 \" wide x 96\" long x 2 panels"], "instruction_attributes": ["living room"], "instruction_options": ["52 \" wide x 63\" long x 2 panels"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L83CTC6U", "worker_id": "A1DRKZ3SCLAS4V"}], "B096YHMGQ9": [{"asin": "B096YHMGQ9", "instruction": "looking for a beverage that is non alcoholic and low carb please.", "attributes": ["non alcoholic", "low carb"], "options": [""], "instruction_attributes": ["non alcoholic", "low carb"], "instruction_options": [], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT745ZATBL", "worker_id": "A1MJVTR0PCKBWW"}], "B008VCXOZM": [{"asin": "B008VCXOZM", "instruction": "i am in search of a cover-up that is easy to care for, machine washable and is quick drying. the waist needs to be elastic and of relaxed fit.", "attributes": ["easy care", "machine wash", "quick drying", "elastic waist", "relaxed fit"], "options": [""], "instruction_attributes": ["easy care", "machine wash", "quick drying", "elastic waist", "relaxed fit"], "instruction_options": [], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCGTOJ0M", "worker_id": "A1MJVTR0PCKBWW"}], "B09NVT21W2": [{"asin": "B09NVT21W2", "instruction": "i am looking for some pajamas that use good materials and has long sleeves. i will be wearing it daily and need a large size.", "attributes": ["quality materials", "long sleeve", "daily wear"], "options": ["color: d3-white", "color: a2-orange", "color: c2-hot pink", "size: 3x-large", "size: xx-large", "size: large"], "instruction_attributes": ["quality materials", "long sleeve", "daily wear"], "instruction_options": ["large"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILUJDSZW", "worker_id": "A1MJVTR0PCKBWW"}], "B09R3JPH1D": [{"asin": "B09R3JPH1D", "instruction": "looking for a white medium casual shirt. i am slim and it needs to be button down. long sleeves and machine washable needed as well.", "attributes": ["slim fit", "machine wash", "button closure", "long sleeve"], "options": ["size: medium", "size: x-large", "size: xx-large", "color: navy", "color: white"], "instruction_attributes": ["slim fit", "machine wash", "button closure", "long sleeve"], "instruction_options": ["medium", "white"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50P6NWGY", "worker_id": "A1MJVTR0PCKBWW"}], "B09HP4NVYG": [{"asin": "B09HP4NVYG", "instruction": "i'm looking for a pair of women's jeans in a size 33 regular which wash cold and dry clean.", "attributes": ["wash cold", "dry clean"], "options": ["size: 33 regular", "size: 27 regular", "size: 28 regular"], "instruction_attributes": ["wash cold", "dry clean"], "instruction_options": ["33 regular"], "assignment_id": "3J88R45B2R89QLR0JX174GXZZYYPX4", "worker_id": "A2JP9IKRHNLRPI"}], "B01EUZWTMW": [{"asin": "B01EUZWTMW", "instruction": "i am looking for a folding chair with steel frame. also with space saving.", "attributes": ["space saving", "coated steel", "contemporary design", "pu leather", "steel frame"], "options": [""], "instruction_attributes": ["space saving", "steel frame"], "instruction_options": [], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3PFHM1O", "worker_id": "A2HMEGTAFO0CS8"}], "B09JV9N6RS": [{"asin": "B09JV9N6RS", "instruction": "i'm looking for a pair of high quality, stainless steel nail clippers that also function as a pedicure tool.", "attributes": ["high quality", "stainless steel"], "options": [""], "instruction_attributes": ["high quality", "stainless steel"], "instruction_options": [], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YUNZQ01", "worker_id": "A2JP9IKRHNLRPI"}], "B096MPYVPT": [{"asin": "B096MPYVPT", "instruction": ": i'm looking for a funny dad beer tank top. also men's size large classic fit in royal blue,", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "color: purple", "color: sapphire", "color: royal blue", "size: x-large", "size: large", "size: xx-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["men", "royal blue", "large"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKIP2Z8Z", "worker_id": "A292TFDMNVS0TP"}], "B08PTQFM2V": [{"asin": "B08PTQFM2V", "instruction": "i am looking for a heavy duty spa bed made-up of stainless steel", "attributes": ["heavy duty", "stainless steel"], "options": [""], "instruction_attributes": ["heavy duty", "stainless steel"], "instruction_options": [], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLREWWCP", "worker_id": "A2HMEGTAFO0CS8"}], "B07D7J41W8": [{"asin": "B07D7J41W8", "instruction": "i need a woman's t-shirt that has a classic fit and a needle type sleeve.", "attributes": ["needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "color: heather grey", "color: dark heather", "color: black", "size: small", "size: x-large", "size: 3x-large"], "instruction_attributes": ["needle sleeve", "classic fit"], "instruction_options": ["women"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CKVXDAN", "worker_id": "A1MJVTR0PCKBWW"}], "B09MKGT2QN": [{"asin": "B09MKGT2QN", "instruction": "i am looking for a metal coat rack for my entryway. i need it to be heavy duty and i want it silver in color.", "attributes": ["heavy duty", "easy install", "easy clean"], "options": ["color: black", "color: silvery", "color: white"], "instruction_attributes": ["heavy duty"], "instruction_options": ["silvery"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0JRQJLM", "worker_id": "AZ8NBOTCBCLKG"}], "B075GWQL5Z": [{"asin": "B075GWQL5Z", "instruction": "i'm looking for a 4 pack of teeth whitening trays,bpa free, that comes with a free storage case.", "attributes": ["teeth whitening", "bpa free", "long lasting", "high quality", "storage case"], "options": [""], "instruction_attributes": ["teeth whitening", "storage case"], "instruction_options": [], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI610DSF", "worker_id": "A292TFDMNVS0TP"}], "B005B9LWV6": [{"asin": "B005B9LWV6", "instruction": "i am looking for a shoe with rubber sole and vinyl acetate also size 11.", "attributes": ["ethylene vinyl", "vinyl acetate", "rubber sole"], "options": ["size: 6", "size: 11"], "instruction_attributes": ["vinyl acetate", "rubber sole"], "instruction_options": ["11"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KCQ1RH3", "worker_id": "A2HMEGTAFO0CS8"}], "B09KYH4H84": [{"asin": "B09KYH4H84", "instruction": "i'm looking for a women soon to be dad pregnancy tank top with classic fit, needle sleeve, cotton heather and should be machine washable. also, choose medium size, royal blue", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["fit type: men", "fit type: women", "color: neon pink", "color: royal blue", "color: navy", "size: x-large", "size: medium", "size: small"], "instruction_attributes": ["machine wash", "cotton heather", "needle sleeve", "classic fit"], "instruction_options": ["women", "royal blue", "medium"], "assignment_id": "3VE8AYVF8X77K71YXMTACN226KB8FN", "worker_id": "AR0VJ5XRG16UJ"}], "B08Q9SCL49": [{"asin": "B08Q9SCL49", "instruction": "find me a high speed dual style package with 12\" power amplifier car subwoofer", "attributes": ["power amplifier", "high speed"], "options": ["style: dual 12\u201d with amplifier", "style: single 8\u201d with amplifier", "style: dual 10\u201d with amplifier"], "instruction_attributes": ["power amplifier", "high speed"], "instruction_options": ["dual 12\u201d with amplifier"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TK6LRV4", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B08Q9SCL49", "instruction": "i would like a single 15\" power amplifier car subwoofer/", "attributes": ["power amplifier", "high speed"], "options": ["style: single 15\u201d with amplifier"], "instruction_attributes": ["power amplifier"], "instruction_options": ["single 15\u201d with amplifier"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUTDAF1E", "worker_id": "A1WS884SI0SLO4"}], "B09QBSFFSL": [{"asin": "B09QBSFFSL", "instruction": "i am looking for a lace closure water booties & socks of red color.", "attributes": ["non slip", "hand wash", "lace closure"], "options": ["color: red", "size: 6"], "instruction_attributes": ["lace closure"], "instruction_options": ["red"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0TPARM", "worker_id": "A9QRQL9CFJBI7"}], "B07XF8M51P": [{"asin": "B07XF8M51P", "instruction": "i am looking for a letter y size monogram coaster set that fits for my living room . and i prefer the 22-lights color", "attributes": ["non slip", "living room"], "options": ["color: 22-lights", "size: letter y"], "instruction_attributes": ["living room"], "instruction_options": ["22-lights", "letter y"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6FLEV1", "worker_id": "A2COCSUGZV28X"}], "B08B3KGC31": [{"asin": "B08B3KGC31", "instruction": "i'm looking for the wall arts for hanging through the wall to the living room and dinning room.", "attributes": ["ready hang", "wood frame", "living room", "dining room"], "options": ["color: plum blossom 1", "size: 40x30in"], "instruction_attributes": ["living room", "dining room"], "instruction_options": ["plum blossom 1"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR49LUF4", "worker_id": "A16IQOX0DK14OJ"}], "B09HPX192V": [{"asin": "B09HPX192V", "instruction": "i am looking owl statue eco friendly soy wax jar candle color black", "attributes": ["eco friendly", "soy wax"], "options": ["color: black", "size: owl statue"], "instruction_attributes": ["eco friendly", "soy wax"], "instruction_options": ["black", "owl statue"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95SXQX6", "worker_id": "A3N9ZYQAESNFQH"}], "B00MQ9QVOM": [{"asin": "B00MQ9QVOM", "instruction": "i am looking for a super comfy x-large palazzo pants with elastic waist and wide legs.", "attributes": ["wide leg", "machine washable", "wash cold", "machine wash", "elastic waist", "tumble dry"], "options": ["color: heathergrey", "size: x-large"], "instruction_attributes": ["wide leg", "elastic waist"], "instruction_options": ["x-large"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBGDJDS", "worker_id": "A1V2JTEEBCXR20"}], "B07MTPV3GR": [{"asin": "B07MTPV3GR", "instruction": "i am looking for rose gold and phoenix colored makeup powder.", "attributes": ["cruelty free", "long lasting", "rose gold"], "options": ["color: phoenix (warm copper)"], "instruction_attributes": ["rose gold"], "instruction_options": ["phoenix (warm copper)"], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVY1UDIG", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07MTPV3GR", "instruction": "looking for highlighting makeup powder in the highlighting & luminizers section of beauty & personal care. long lasting, metallic shimmer, venus (pearlescent white.) made by aesthetica starlite", "attributes": ["cruelty free", "long lasting", "rose gold"], "options": ["color: venus (pearlescent white)"], "instruction_attributes": ["long lasting"], "instruction_options": ["venus (pearlescent white)"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVJ2Q0X", "worker_id": "A3RGIKEI8JS2QG"}], "B08QPRZ4HP": [{"asin": "B08QPRZ4HP", "instruction": "i am looking for a gluten free mixed nuts of all-in-one mix flavours", "attributes": ["kosher certified", "non gmo", "gluten free"], "options": ["flavor name: all-in-one mix", "size: 24 oz, 3 pouches (8 oz each)"], "instruction_attributes": ["gluten free"], "instruction_options": ["all-in-one mix"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7VPUCN", "worker_id": "A9QRQL9CFJBI7"}], "B08MBLRLZG": [{"asin": "B08MBLRLZG", "instruction": "i am looking for size: \u00f870cm | 28inch size tempered glass lazy susans", "attributes": ["easy clean", "tempered glass"], "options": ["size: \u00f870cm | 28inch"], "instruction_attributes": ["tempered glass"], "instruction_options": ["\u00f870cm | 28inch"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCTW652", "worker_id": "A9QRQL9CFJBI7"}], "B07Q2SQR8V": [{"asin": "B07Q2SQR8V", "instruction": "earphone earbuds comfortable ear noise cancelling with mic", "attributes": ["noise cancelling", "aluminum alloy"], "options": ["color: purple", "style: with mic"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["with mic"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQA7N03", "worker_id": "A10OGH5CQBXL5N"}], "B09PJY11X3": [{"asin": "B09PJY11X3", "instruction": "i need a gift basket with milk chocolate covered peanuts", "attributes": ["sugar free", "chocolate covered", "low carb", "keto friendly", "gift basket"], "options": ["flavor name: milk chocolate covered peanuts"], "instruction_attributes": ["gift basket"], "instruction_options": ["milk chocolate covered peanuts"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TYSSUW", "worker_id": "ASWFLI3N8X72G"}], "B09PVF9VXP": [{"asin": "B09PVF9VXP", "instruction": "i'm looking for a men's slim fit athletic long sleeve shirts with printed graphic tees top by jspoyou .", "attributes": ["slim fit", "moisture wicking", "long sleeve", "short sleeve", "polyester cotton", "regular fit", "gym workout"], "options": ["color: b-black", "size: large"], "instruction_attributes": ["slim fit", "long sleeve"], "instruction_options": ["b-black", "large"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MK4LWJ", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07S4DVKZ3": [{"asin": "B07S4DVKZ3", "instruction": "i want long lasting king size headbord color : white queen wingback", "attributes": ["button tufted", "long lasting", "king size"], "options": ["color: white queen wingback", "size: queen | full wingback"], "instruction_attributes": ["long lasting", "king size"], "instruction_options": ["white queen wingback"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNSVJF3", "worker_id": "A3N9ZYQAESNFQH"}], "B09J8CDPWJ": [{"asin": "B09J8CDPWJ", "instruction": "i'm searching for cork base coaster for home living room - a set of 4 with cup holder", "attributes": ["easy clean", "living room"], "options": ["color: elephantcbu2422", "size: set of 4 with cup holder"], "instruction_attributes": ["living room"], "instruction_options": ["set of 4 with cup holder"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1AMI2T", "worker_id": "A258PTOZ3D2TQR"}], "B007GBXMBA": [{"asin": "B007GBXMBA", "instruction": "i want a small dress shirt made of polyester cotton. it should be navy in color.", "attributes": ["machine wash", "polyester cotton", "button closure"], "options": ["color: navy", "size: small"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["navy", "small"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662WCM4H", "worker_id": "A1NF6PELRKACS9"}], "B071ZZJ99N": [{"asin": "B071ZZJ99N", "instruction": "i am looking for a espresso color home office desks with steel frame.", "attributes": ["easy assemble", "coated steel", "steel frame"], "options": ["color: espresso"], "instruction_attributes": ["steel frame"], "instruction_options": ["espresso"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKLDVPR", "worker_id": "A9QRQL9CFJBI7"}], "B098QQGJ48": [{"asin": "B098QQGJ48", "instruction": "i am looking for a denim for daily wear , size 28.", "attributes": ["hand wash", "long lasting", "moisture wicking", "wash cold", "fashion design", "daily wear"], "options": ["color: light blue 2", "size: 28"], "instruction_attributes": ["daily wear"], "instruction_options": ["28"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBC8SON", "worker_id": "A9QRQL9CFJBI7"}], "B08QPHB6LC": [{"asin": "B08QPHB6LC", "instruction": "i am searching for an engorgement style breast mask suitable for dry skin.", "attributes": ["tea tree", "dry skin"], "options": ["style: engorgement"], "instruction_attributes": ["dry skin"], "instruction_options": ["engorgement"], "assignment_id": "3634BBTX0Z409DDB6851PCWGADVIFF", "worker_id": "A9ZM1P6LBW79"}], "B093GNXNX4": [{"asin": "B093GNXNX4", "instruction": "i am looking for cupcake toppers for baby shower birthday party. please choose pink color.", "attributes": ["baby shower", "cupcake picks", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["baby shower", "birthday party"], "instruction_options": ["pink"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4ZZ0HA", "worker_id": "A3FG5PQHG5AH3Y"}], "B09NYHLYN6": [{"asin": "B09NYHLYN6", "instruction": "i need pink tennis shoes for my daily wear. it should be a size 8.", "attributes": ["lace closure", "teen girls", "daily wear"], "options": ["color: z04-pink", "size: 8"], "instruction_attributes": ["daily wear"], "instruction_options": ["z04-pink", "8"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7XCLH6", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09NYHLYN6", "instruction": "i want size 8 aodong walking shoes for women with lace closure.", "attributes": ["lace closure", "teen girls", "daily wear"], "options": ["color: z04-pink", "size: 8"], "instruction_attributes": ["lace closure"], "instruction_options": ["8"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQKNJRN", "worker_id": "A2RBF3IIJP15IH"}], "B097442F4B": [{"asin": "B097442F4B", "instruction": "i am looking for blue color wireless charger", "attributes": ["heavy duty", "case cover", "wireless charging"], "options": ["color: purple marble"], "instruction_attributes": ["wireless charging"], "instruction_options": ["purple marble"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL6ACE1", "worker_id": "A16M39T60N60NO"}], "B081R2JC38": [{"asin": "B081R2JC38", "instruction": "i'm looking for wall mounted for furniture need to buy it.", "attributes": ["wall mounted", "storage space"], "options": [""], "instruction_attributes": ["wall mounted"], "instruction_options": [], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83KKIJQ", "worker_id": "A16IQOX0DK14OJ"}], "B07BCRWR2F": [{"asin": "B07BCRWR2F", "instruction": "i am looking a large pajama set machine wash cold wash relaxed fit color: with checker pant", "attributes": ["wash cold", "machine wash", "relaxed fit", "tumble dry"], "options": ["color: with checker pant", "size: large"], "instruction_attributes": ["wash cold", "machine wash", "relaxed fit"], "instruction_options": ["with checker pant", "large"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FD3K87", "worker_id": "A3N9ZYQAESNFQH"}], "B01M4IJHRC": [{"asin": "B01M4IJHRC", "instruction": "i am looking for a 9 ft. x 12 ft area rugs for living room.", "attributes": ["spot clean", "living room"], "options": ["color: cool grey", "item shape: round", "size: 9 ft. x 12 ft."], "instruction_attributes": ["living room"], "instruction_options": ["9 ft. x 12 ft."], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3G4YAC", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B01M4IJHRC", "instruction": "i would like a 8 ft. by 10 ft. chocolate brown runner rug for my living room.", "attributes": ["spot clean", "living room"], "options": ["color: a chocolate", "item shape: runner", "size: 8 ft. x 10 ft."], "instruction_attributes": ["living room"], "instruction_options": ["a chocolate", "runner", "8 ft. x 10 ft."], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKX4NDG", "worker_id": "A1WS884SI0SLO4"}], "B07XR88QNL": [{"asin": "B07XR88QNL", "instruction": "i am looking for a rose gold high quality oral care", "attributes": ["easy use", "high quality", "rose gold"], "options": ["color: rose gold"], "instruction_attributes": ["high quality"], "instruction_options": ["rose gold"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L9CREP", "worker_id": "A9QRQL9CFJBI7"}], "B07G81QFKG": [{"asin": "B07G81QFKG", "instruction": "i want a easy care hair styling irons straighteners", "attributes": ["easy carry", "hair styling"], "options": [""], "instruction_attributes": ["easy carry", "hair styling"], "instruction_options": [], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPAGCO9", "worker_id": "A3N9ZYQAESNFQH"}], "B09FG22K7Z": [{"asin": "B09FG22K7Z", "instruction": "i'm looking for oral hygiene to prevent the dental care problems.", "attributes": ["eco friendly", "easy carry", "oral hygiene"], "options": [""], "instruction_attributes": ["oral hygiene"], "instruction_options": [], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSI526V", "worker_id": "A16IQOX0DK14OJ"}], "B09HS8HG7H": [{"asin": "B09HS8HG7H", "instruction": "i'm looking for a foothill farms cream pie filling mix.", "attributes": ["ready use", "easy prepare"], "options": ["flavor name: whipped topping", "size: 13.05 ounce bag (pack of 12)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["whipped topping", "13.05 ounce bag (pack of 12)"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FNKFBC", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09R1KJYT5": [{"asin": "B09R1KJYT5", "instruction": "i am looking for a small size cotton heather tank top with classic fit which is machine washable. also choose the royal blue color.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: men", "size: small"], "instruction_attributes": ["machine wash", "cotton heather", "classic fit"], "instruction_options": ["royal blue", "small"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMMZMSRQ", "worker_id": "A1V2JTEEBCXR20"}], "B09MYZ4F19": [{"asin": "B09MYZ4F19", "instruction": "i would like a 64 gig ddr 4 ram laptop with a intel core.", "attributes": ["core i5", "intel core", "quad core"], "options": ["capacity: 64gb ddr4 ram, 2tb pcie ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["64gb ddr4 ram, 2tb pcie ssd"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVIB1PF", "worker_id": "A1WS884SI0SLO4"}], "B09B9YGLD7": [{"asin": "B09B9YGLD7", "instruction": "i would like some cake toppers for a baby shower.", "attributes": ["easy use", "birthday cake", "baby shower"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQB1N0Z", "worker_id": "A1WS884SI0SLO4"}], "B0891SD2JQ": [{"asin": "B0891SD2JQ", "instruction": "i am looking for a hair removal device for home use.", "attributes": ["hair removal", "permanent hair", "beauty salon"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2HRKFZ", "worker_id": "AJDQGOTMB2D80"}], "B0862MDKDW": [{"asin": "B0862MDKDW", "instruction": "i am looking for fragrance free eye cream effective for dark circle.", "attributes": ["fragrance free", "paraben free", "hyaluronic acid"], "options": ["color: dark c7-8"], "instruction_attributes": ["fragrance free"], "instruction_options": ["dark c7-8"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QVX707", "worker_id": "A3FG5PQHG5AH3Y"}], "B0948FKFNW": [{"asin": "B0948FKFNW", "instruction": "i am looking for a pink/blue switch gaming keyboard that is non-slip", "attributes": ["dust proof", "non slip", "plug play"], "options": ["color: pink | blue switch"], "instruction_attributes": ["non slip"], "instruction_options": ["pink | blue switch"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG1NGBD", "worker_id": "A22VGT2F28LTWC"}], "B082X1PDZK": [{"asin": "B082X1PDZK", "instruction": "i am looking for water resistant camera housing.", "attributes": ["water resistant", "stainless steel"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBBYOS7", "worker_id": "A3FG5PQHG5AH3Y"}], "B08P5SDYST": [{"asin": "B08P5SDYST", "instruction": "i am looking for a white moisture wicking briefs for men", "attributes": ["low rise", "moisture wicking"], "options": ["color: white", "size: medium"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["white"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKMHVPX", "worker_id": "A9QRQL9CFJBI7"}], "B09SG3LJLK": [{"asin": "B09SG3LJLK", "instruction": "i'm looking for a twin size bed that soft beds for bedroom.", "attributes": ["twin size", "space saving"], "options": [""], "instruction_attributes": ["twin size"], "instruction_options": [], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL23NS3", "worker_id": "A16IQOX0DK14OJ"}], "B000KOUGJ6": [{"asin": "B000KOUGJ6", "instruction": "i am looking for a pack of 3 long lasting champagne blonde hair dye.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 8.5a champagne blonde", "size: pack of 3"], "instruction_attributes": ["long lasting"], "instruction_options": ["8.5a champagne blonde", "pack of 3"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHRENV2J5", "worker_id": "A1EREKSZAA9V7B"}], "B0759WR4Y9": [{"asin": "B0759WR4Y9", "instruction": "i am looking for long lasting eyeliner in charcoal color", "attributes": ["highly pigmented", "cruelty free", "long lasting"], "options": ["color: continuous charcoal"], "instruction_attributes": ["long lasting"], "instruction_options": ["continuous charcoal"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQM731T", "worker_id": "A16M39T60N60NO"}], "B009B1LZBM": [{"asin": "B009B1LZBM", "instruction": "i am looking for a solid wood display & curio cabinets", "attributes": ["assembly required", "wood finish", "solid wood"], "options": [""], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJTVBXG", "worker_id": "A9QRQL9CFJBI7"}], "B09GR3H5Q6": [{"asin": "B09GR3H5Q6", "instruction": "i would like a versa3 furry beige black fitbit band that has a quick release.", "attributes": ["quick release", "easy install", "stainless steel"], "options": ["color: furry beige black", "size: versa3 | sense black adapters"], "instruction_attributes": ["quick release"], "instruction_options": ["furry beige black", "versa3 | sense black adapters"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66SHFZX", "worker_id": "A1WS884SI0SLO4"}], "B08HHRCV7H": [{"asin": "B08HHRCV7H", "instruction": "i'm looking for a easy to assemble dresser storage organizer with steel frame. also, choose small size black grey colored one.", "attributes": ["easy assemble", "steel frame"], "options": ["color: black grey", "size: small"], "instruction_attributes": ["easy assemble", "steel frame"], "instruction_options": ["black grey", "small"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNLRNT2", "worker_id": "AR0VJ5XRG16UJ"}], "B09B9ZVYV4": [{"asin": "B09B9ZVYV4", "instruction": "baggy jeans for women high waisted daily casuals in colour blue-6", "attributes": ["daily casual", "straight leg", "button closure", "high waist", "teen girls", "everyday wear"], "options": ["color: blue-6", "size: medium"], "instruction_attributes": ["daily casual", "high waist", "teen girls"], "instruction_options": ["blue-6"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788E65CQ", "worker_id": "A10OGH5CQBXL5N"}], "B07T59DKT9": [{"asin": "B07T59DKT9", "instruction": "i am looking for a 5 no. rubber sole of road running shoes", "attributes": ["slip resistant", "moisture wicking", "rubber outsole", "rubber sole"], "options": ["color: triple black-2021", "size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["5"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UG03A4", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07T59DKT9", "instruction": "i am looking for 9 size , true red color and rubber sole running shoes for men", "attributes": ["slip resistant", "moisture wicking", "rubber outsole", "rubber sole"], "options": ["color: true red", "size: 9"], "instruction_attributes": ["rubber sole"], "instruction_options": ["true red", "9"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3LQBVM", "worker_id": "A258PTOZ3D2TQR"}], "B08656N5YT": [{"asin": "B08656N5YT", "instruction": "i'm looking for a winsome element 2pc bar stool.", "attributes": ["assembly required", "white finish", "solid wood"], "options": [""], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57G3I9S", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09G2XJRGC": [{"asin": "B09G2XJRGC", "instruction": "i am looking for an easy to carry charger with wireless bluetooth features.", "attributes": ["output protection", "easy carry", "wireless bluetooth"], "options": [""], "instruction_attributes": ["easy carry", "wireless bluetooth"], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHAYE1U", "worker_id": "A1NF6PELRKACS9"}], "B0843J7ZP6": [{"asin": "B0843J7ZP6", "instruction": "i want to buy a faux fur snow boots with rubber soles. it should be size 9 in width.", "attributes": ["faux fur", "rubber outsole", "rubber sole"], "options": ["color: black quilt", "size: 9 wide"], "instruction_attributes": ["faux fur", "rubber sole"], "instruction_options": ["9 wide"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP9R6D5", "worker_id": "A1NF6PELRKACS9"}], "B081TY83PX": [{"asin": "B081TY83PX", "instruction": "i'm looking for groceries shop for high protein ingredients.", "attributes": ["kosher certified", "high protein", "source vitamin", "dietary fiber", "perfect gift", "gift basket"], "options": [""], "instruction_attributes": ["high protein", "source vitamin", "dietary fiber"], "instruction_options": [], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7X15PK", "worker_id": "A16IQOX0DK14OJ"}], "B09KWZGR96": [{"asin": "B09KWZGR96", "instruction": "i'm looking for a contemporary style dresser made of solid wood.", "attributes": ["contemporary style", "solid wood"], "options": [""], "instruction_attributes": ["contemporary style", "solid wood"], "instruction_options": [], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN1IGOV", "worker_id": "AR0VJ5XRG16UJ"}], "B08T1QVF28": [{"asin": "B08T1QVF28", "instruction": "i need a blanket with lighthouse printing with 70x90\" in grey brown", "attributes": ["machine washable", "fleece throw", "printing technology"], "options": ["color: grey brown", "size: 70\" x 90\""], "instruction_attributes": ["printing technology"], "instruction_options": ["grey brown", "70\" x 90\""], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUVWJQR", "worker_id": "A2Y2TURT2VEYZN"}], "B07GGP87JS": [{"asin": "B07GGP87JS", "instruction": "i would like a 2xl black and white hoodie that i can machine wash.", "attributes": ["machine wash", "polyester cotton"], "options": ["color: sky-black+white", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["sky-black+white", "xx-large"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BN9VJV", "worker_id": "A1WS884SI0SLO4"}], "B08R617FRZ": [{"asin": "B08R617FRZ", "instruction": "i would like a bottle of coffee time romance nail polish.", "attributes": ["highly pigmented", "non toxic", "nail polish", "nail art"], "options": ["color: a-coffee time romance"], "instruction_attributes": ["nail polish"], "instruction_options": ["a-coffee time romance"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYK1LQV", "worker_id": "A1WS884SI0SLO4"}], "B08ZH4R64F": [{"asin": "B08ZH4R64F", "instruction": "i'm looking for a organic certified garbanzo beans that contains dietary fiber and low sodium level. also, choose a pack of 1 weights 15 pounds with conventional one.", "attributes": ["low sodium", "certified organic", "non gmo", "gluten free", "dietary fiber"], "options": ["flavor name: conventional", "size: 15 pound (pack of 1)"], "instruction_attributes": ["low sodium", "certified organic", "gluten free", "dietary fiber"], "instruction_options": ["conventional", "15 pound (pack of 1)"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREO9J22", "worker_id": "AR0VJ5XRG16UJ"}], "B0108L1GBC": [{"asin": "B0108L1GBC", "instruction": "i want a gluten free apple strawberry snack gift.", "attributes": ["trader joe", "gluten free", "source vitamin"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THW8Z5Z", "worker_id": "A1NF6PELRKACS9"}], "B0978YWGM2": [{"asin": "B0978YWGM2", "instruction": "i'm searching for 650 pcs nail art gel polish remover", "attributes": ["nail polish", "nail art"], "options": ["size: 650 pcs"], "instruction_attributes": ["nail art"], "instruction_options": ["650 pcs"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK68UYYB", "worker_id": "A258PTOZ3D2TQR"}], "B00FBO8FF2": [{"asin": "B00FBO8FF2", "instruction": "i'm looking for a blue diamond almonds nut .", "attributes": ["gluten free", "protein serving"], "options": ["flavor name: sesame seeds", "size: 4.25 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["sesame seeds", "4.25 ounce (pack of 12)"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KEZDP0", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07XPRVK7F": [{"asin": "B07XPRVK7F", "instruction": "i am looking for a turquoise color turquoise", "attributes": ["double sided", "fleece throw"], "options": ["color: turquoise", "size: queen"], "instruction_attributes": ["fleece throw"], "instruction_options": ["turquoise"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG80LSY", "worker_id": "A9QRQL9CFJBI7"}], "B08M6FCPH2": [{"asin": "B08M6FCPH2", "instruction": "find for gift: comfortable women's pink drawstring sweatpants high waist with pockets aragone my friend's favorite brand to train at the gym workout.", "attributes": ["elastic waist", "relaxed fit", "gym workout"], "options": ["color: pink", "size: xx-large"], "instruction_attributes": ["gym workout"], "instruction_options": ["pink"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YQUT8M", "worker_id": "A15IJ20C3R4HUO"}], "B093YT1D4W": [{"asin": "B093YT1D4W", "instruction": "i am looking for 2 sets of mesh laundry bags and should be medium sized.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD1XRIA", "worker_id": "AHU9OLV0YKIIW"}], "B08G1H75XN": [{"asin": "B08G1H75XN", "instruction": "i would like a blue 2.95 foot wire pendent light for my living room.", "attributes": ["white item", "pendant light", "living room"], "options": ["color: blue", "size: 2.95ft wire,3-pack"], "instruction_attributes": ["living room"], "instruction_options": ["blue", "2.95ft wire,3-pack"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMYPG2W", "worker_id": "A1WS884SI0SLO4"}], "B08YRJYQV2": [{"asin": "B08YRJYQV2", "instruction": "i am looking for a wooden storage rack that is easy to assemble and has exquisite workmanship.", "attributes": ["easy assemble", "exquisite workmanship"], "options": ["color: c"], "instruction_attributes": ["easy assemble", "exquisite workmanship"], "instruction_options": [], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB983N8A", "worker_id": "A1NF6PELRKACS9"}], "B09DFJ8YHC": [{"asin": "B09DFJ8YHC", "instruction": "for dry skin, i need three pack of foot scrub which also contains coconut oil.", "attributes": ["coconut oil", "dry skin"], "options": ["size: three pack"], "instruction_attributes": ["coconut oil", "dry skin"], "instruction_options": ["three pack"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZTS405", "worker_id": "ASWFLI3N8X72G"}], "B09K7J8C7Q": [{"asin": "B09K7J8C7Q", "instruction": "i am looking for modern vanity lighting for bathroom. please choose chrome color.", "attributes": ["mid century", "easy install", "easy assemble", "glass shade", "clear glass", "vanity light"], "options": ["color: chrome", "size: 23.6 inch"], "instruction_attributes": ["vanity light"], "instruction_options": ["chrome"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YJ7PN2", "worker_id": "A3FG5PQHG5AH3Y"}], "B08JZ275FK": [{"asin": "B08JZ275FK", "instruction": "looking for one merry christmas cake toppers for a birthday party", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOEKLLC", "worker_id": "A2Y2TURT2VEYZN"}], "B010NBE6HI": [{"asin": "B010NBE6HI", "instruction": "i'm looking for groceries for simple ingredients need to buy it for house usage.", "attributes": ["rich creamy", "simple ingredients"], "options": ["flavor name: light", "size: 30 ounce (pack of 6)"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["light", "30 ounce (pack of 6)"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TM6N3D", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B010NBE6HI", "instruction": "i am looking for 30 fl oz (pack of 1) - set of 2 new (two... size simple ingredients mayonnaise", "attributes": ["rich creamy", "simple ingredients"], "options": ["flavor name: regular", "size: 30 fl oz (pack of 1) - set of 2 new (two..."], "instruction_attributes": ["simple ingredients"], "instruction_options": ["30 fl oz (pack of 1) - set of 2 new (two..."], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHB01EL", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B010NBE6HI", "instruction": "i would like a bottle of 30 fluid ounce regular mayo with simple ingredients.", "attributes": ["rich creamy", "simple ingredients"], "options": ["flavor name: regular", "size: 30 fl oz (pack of 1)"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["regular", "30 fl oz (pack of 1)"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9CWZAW", "worker_id": "A1WS884SI0SLO4"}], "B07GDJQFMY": [{"asin": "B07GDJQFMY", "instruction": "i am looking for 0.34 fluid ounce of medium colored concealer. also, please make sure that it is suitable for sensitive skin.", "attributes": ["dark circles", "sensitive skin"], "options": ["color: medium", "size: 0.34 fl oz (pack of 1)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["medium", "0.34 fl oz (pack of 1)"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60PLAAY", "worker_id": "AJDQGOTMB2D80"}, {"asin": "B07GDJQFMY", "instruction": "i would like a 0.34 fluid ounce bottle of bisque concealer for my dark circles.", "attributes": ["dark circles", "sensitive skin"], "options": ["color: bisque", "size: 0.34 fl oz (pack of 1)"], "instruction_attributes": ["dark circles"], "instruction_options": ["bisque", "0.34 fl oz (pack of 1)"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH52H6F", "worker_id": "A1WS884SI0SLO4"}], "B092W45FY9": [{"asin": "B092W45FY9", "instruction": "i am looking for foldable wireless bluetooth headphones", "attributes": ["noise cancelling", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9MC0BC", "worker_id": "A16M39T60N60NO"}], "B08TDPMSBY": [{"asin": "B08TDPMSBY", "instruction": "i am looking for a great gift of breakfast & cereal bars of newtella crispies flavor.", "attributes": ["great gift", "gift basket"], "options": ["flavor: newtella crispies", "size: 5.6 ounce (pack of 1)"], "instruction_attributes": ["great gift"], "instruction_options": ["newtella crispies"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMP7QBV", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B08TDPMSBY", "instruction": "i want lemon berry crispies in a gift basket.", "attributes": ["great gift", "gift basket"], "options": ["flavor: lemon berry crispies", "size: 3.46 ounce (pack of 1)"], "instruction_attributes": ["gift basket"], "instruction_options": ["lemon berry crispies"], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWDR0KW", "worker_id": "A2RBF3IIJP15IH"}], "B07PM8LPWQ": [{"asin": "B07PM8LPWQ", "instruction": "i am looking for a pack of 1 antiseptic mouthwash that is effective at eliminating bad breath.", "attributes": ["oral hygiene", "bad breath"], "options": ["size: 50.7 fl oz (pack of 1)"], "instruction_attributes": ["bad breath"], "instruction_options": ["50.7 fl oz (pack of 1)"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPZ7PJ3", "worker_id": "A1HMZJ59OPLD1P"}], "B09MTYJ4YV": [{"asin": "B09MTYJ4YV", "instruction": "find me a large cardigan sweater for men in long sleeve and machine wash", "attributes": ["slim fit", "fleece lined", "wash cold", "hand wash", "machine wash", "long sleeve", "daily wear"], "options": ["color: gray", "size: large"], "instruction_attributes": ["machine wash", "long sleeve"], "instruction_options": [], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYEK288", "worker_id": "A2Y2TURT2VEYZN"}], "B084GRYF1C": [{"asin": "B084GRYF1C", "instruction": "i am looking for a table + 4 grey chairs of clear glass and faux leather.", "attributes": ["easy clean", "pu leather", "tempered glass", "clear glass", "faux leather", "metal legs", "dining room"], "options": ["size: table + 4 grey chairs"], "instruction_attributes": ["clear glass", "faux leather"], "instruction_options": ["table + 4 grey chairs"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZTY047", "worker_id": "A9QRQL9CFJBI7"}], "B09PYL51D3": [{"asin": "B09PYL51D3", "instruction": "i'm looking for a wide leg, daily wear women's baggy jeans with high waist, button closure type made of polyester spandex. also choose x-large, aa-dark blue colored one.", "attributes": ["wide leg", "straight leg", "high waist", "button closure", "polyester spandex", "teen girls", "daily wear"], "options": ["color: aa-dark blue", "size: x-large"], "instruction_attributes": ["wide leg", "high waist", "button closure", "polyester spandex", "daily wear"], "instruction_options": ["aa-dark blue", "x-large"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUB79R6", "worker_id": "AR0VJ5XRG16UJ"}], "B07L75Y8MD": [{"asin": "B07L75Y8MD", "instruction": "i'm looking for peanut butter chocolate chip protein bars. they need to be both dairy free and gluten free.", "attributes": ["dairy free", "gluten free"], "options": ["flavor name: peanut butter chocolate chip"], "instruction_attributes": ["dairy free", "gluten free"], "instruction_options": ["peanut butter chocolate chip"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREQZ2JF", "worker_id": "A3OLRWACCCCUTU"}], "B09JSWM642": [{"asin": "B09JSWM642", "instruction": "multi stick trio cream that is easy to apply also choose sweet pink rose", "attributes": ["cruelty free", "easy apply"], "options": ["color: sweet pink rose"], "instruction_attributes": ["easy apply"], "instruction_options": ["sweet pink rose"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OXM3ML", "worker_id": "A10OGH5CQBXL5N"}], "B098B8M9P7": [{"asin": "B098B8M9P7", "instruction": "i am looking for a medium size low rise underwear string for men.", "attributes": ["low rise", "fleece lined", "tummy control", "short sleeve", "daily wear"], "options": ["color: color", "size: medium"], "instruction_attributes": ["low rise"], "instruction_options": ["medium"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZZBRN8", "worker_id": "AJDQGOTMB2D80"}], "B09G65YNVN": [{"asin": "B09G65YNVN", "instruction": "i am looking for santa red color birthday cake", "attributes": ["easy use", "party supplies", "birthday cake"], "options": ["color: santa claus-red"], "instruction_attributes": ["birthday cake"], "instruction_options": ["santa claus-red"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRV6PWO", "worker_id": "A16M39T60N60NO"}], "B08FR3BGFW": [{"asin": "B08FR3BGFW", "instruction": "1 pacj of deep nourishing hair mask for hair treatment", "attributes": ["seed oil", "hair treatment"], "options": ["size: pack of 1"], "instruction_attributes": ["hair treatment"], "instruction_options": ["pack of 1"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95TQXQ8", "worker_id": "A10OGH5CQBXL5N"}], "B0984HCLKB": [{"asin": "B0984HCLKB", "instruction": "i am looking for green beans pickle in a jar. it should be made of natural infredients.", "attributes": ["old fashioned", "ready eat", "natural ingredients"], "options": ["flavor: green beans", "size: 1 pound (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["green beans"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA4DR8L", "worker_id": "A3FG5PQHG5AH3Y"}], "B08R9YKM5S": [{"asin": "B08R9YKM5S", "instruction": "get me height adjustable pendant light with easy installation feature for dining room and in large wood chandelier size", "attributes": ["height adjustable", "easy install", "pendant light", "light fixture", "dining room"], "options": ["size: large wood chandelier"], "instruction_attributes": ["height adjustable", "easy install", "pendant light", "dining room"], "instruction_options": ["large wood chandelier"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7Y5DSF", "worker_id": "A3AYHESLQSDY5T"}], "B09P9XNWDQ": [{"asin": "B09P9XNWDQ", "instruction": "i need a gluten free popped veggie chips of 10 packs", "attributes": ["gluten free", "low fat", "nut free", "plant based", "non gmo", "dietary fiber"], "options": ["size: 0.75 ounce (pack of 10)"], "instruction_attributes": ["gluten free"], "instruction_options": ["0.75 ounce (pack of 10)"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1X6H2Y", "worker_id": "A2COCSUGZV28X"}], "B09FK3D6KY": [{"asin": "B09FK3D6KY", "instruction": "i am looking for a light blue color anti slip boots with rubber sole for women. also choose size 9.5.", "attributes": ["anti slip", "rubber sole"], "options": ["color: 4light blue", "size: 9.5"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["4light blue", "9.5"], "assignment_id": "33CID5710F37J25O7G1CGJZBOS1L36", "worker_id": "A1V2JTEEBCXR20"}], "B09DJY3N7N": [{"asin": "B09DJY3N7N", "instruction": "i am trying to find carolina herrera good girl impression scent and it should be in travel size long lasting and high quality.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: carolina herrera good girl impression"], "instruction_attributes": ["travel size", "alcohol free", "long lasting"], "instruction_options": [], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83KVIJ1", "worker_id": "A9ZM1P6LBW79"}, {"asin": "B09DJY3N7N", "instruction": "i am looking for a travel size, alcohol free eau de parfum for women of estee lauder beautiful impression scent.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: estee lauder beautiful impression"], "instruction_attributes": ["travel size", "alcohol free"], "instruction_options": ["estee lauder beautiful impression"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJUHVGE", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09DJY3N7N", "instruction": "i am looking for a long lasting travel size bottle of michael kors sexy amber impression perfume.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: michael kors sexy amber impression"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["michael kors sexy amber impression"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFKDEMK", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B09DJY3N7N", "instruction": "i am looking for le labo bergamote 22 impression and alcohol-free travel size concentrated hypoallergenic vegan attar roll-on for women", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: le labo bergamote 22 impression"], "instruction_attributes": ["travel size", "alcohol free"], "instruction_options": ["le labo bergamote 22 impression"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0WKRA4", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09DJY3N7N", "instruction": "i am looking for ca perfume impression of anais anais which is esay to carry with high quality , long lasting, alcohol free. nina ricci l'air du temps impression scent preferable.", "attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "options": ["scent: nina ricci l'air du temps impression"], "instruction_attributes": ["travel size", "alcohol free", "high quality", "long lasting"], "instruction_options": ["nina ricci l'air du temps impression"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTTM4E9", "worker_id": "A1DRKZ3SCLAS4V"}], "B09PTNHZ5P": [{"asin": "B09PTNHZ5P", "instruction": "i'm looking for teeth cleansing for teeth whitening and the fresh breathe.", "attributes": ["teeth whitening", "long lasting", "fresh breath", "bad breath", "sensitive teeth"], "options": [""], "instruction_attributes": ["teeth whitening", "fresh breath", "sensitive teeth"], "instruction_options": [], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL8CEC9", "worker_id": "A16IQOX0DK14OJ"}], "B09FL11QF8": [{"asin": "B09FL11QF8", "instruction": "i want to buy a red watch band for my 42 millimeter apple watch.", "attributes": ["compatible apple", "easy install"], "options": ["color: red", "size: 42mm | 44mm | 45mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["red", "42mm | 44mm | 45mm"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTJS4DR", "worker_id": "AR9AU5FY1S3RO"}], "B01KHSV0TE": [{"asin": "B01KHSV0TE", "instruction": "i'm looking for eye shadow to use for eye makeup the needed color was caramel.", "attributes": ["easy apply", "long lasting", "eye shadow"], "options": ["color: caramel", "size: 0.18 ounce (pack of 2)"], "instruction_attributes": ["eye shadow"], "instruction_options": ["caramel"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLY6YBO", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01KHSV0TE", "instruction": "i want a .18 ounce pack of revlon colorstay creme eye shadow.", "attributes": ["easy apply", "long lasting", "eye shadow"], "options": ["color: tuxedo", "size: 0.18 ounce (pack of 1)"], "instruction_attributes": ["eye shadow"], "instruction_options": ["0.18 ounce (pack of 1)"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZPMK3M", "worker_id": "A2RBF3IIJP15IH"}], "B09NY1YLKM": [{"asin": "B09NY1YLKM", "instruction": "i'm looking for computer accessories and its easy to carry and it need to buy it.", "attributes": ["easy carry", "plug play"], "options": ["color: 2"], "instruction_attributes": ["easy carry"], "instruction_options": ["2"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MM7OFT", "worker_id": "A16IQOX0DK14OJ"}], "B09R1M9SRV": [{"asin": "B09R1M9SRV", "instruction": "i am searching for a high definition stereo sound hands free portable bluetooth speaker. also, choose the b color.", "attributes": ["hands free", "high definition", "stereo sound"], "options": ["color: b"], "instruction_attributes": ["hands free", "high definition", "stereo sound"], "instruction_options": ["b"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67MVN4R", "worker_id": "A9ZM1P6LBW79"}], "B09RJYR8WC": [{"asin": "B09RJYR8WC", "instruction": "i am looking for a long sleeve women's jumpsuits of small size.", "attributes": ["hand wash", "slim fit", "long sleeve", "dry clean"], "options": ["color: 001-pink", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N21SG6A", "worker_id": "A9QRQL9CFJBI7"}], "B09J4PY9C9": [{"asin": "B09J4PY9C9", "instruction": "i am looking for brown colored kitchen table and chair set with storage space.", "attributes": ["metal legs", "storage space"], "options": ["color: drift brown"], "instruction_attributes": ["storage space"], "instruction_options": ["drift brown"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI8OBAE", "worker_id": "A3FG5PQHG5AH3Y"}], "B01DEDTZ28": [{"asin": "B01DEDTZ28", "instruction": "i'm searching for men's stan smith rubber sole sneaker of size 5.5", "attributes": ["regular fit", "rubber sole"], "options": ["color: core black | black | black", "size: 5.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["5.5"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKS47VV", "worker_id": "A258PTOZ3D2TQR"}], "B08KWJ2GT5": [{"asin": "B08KWJ2GT5", "instruction": "i'm looking for a bath brush that is easy to clean and has a long handle for easy use. oh and it should be blue.", "attributes": ["non slip", "bpa free", "easy clean", "long handle"], "options": ["color: blue"], "instruction_attributes": ["easy clean", "long handle"], "instruction_options": ["blue"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMWN2GC", "worker_id": "A3AK3UL0UCNVKE"}], "B099XC5XYK": [{"asin": "B099XC5XYK", "instruction": "i want a plant based, dairy free oat milk of about 4.4lb.", "attributes": ["non dairy", "plant based", "dairy free", "ready use", "lactose free", "low fat"], "options": ["size: 4.4 lb"], "instruction_attributes": ["plant based", "dairy free"], "instruction_options": ["4.4 lb"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UGAA3L", "worker_id": "A1HMZJ59OPLD1P"}], "B08ZDJZ5JD": [{"asin": "B08ZDJZ5JD", "instruction": "i'm looking for women's clothing it was long sleeve the color was hot pink.", "attributes": ["daily casual", "short sleeve", "elastic waist", "button closure", "long sleeve"], "options": ["color: z3-hot pink", "size: 3x-large"], "instruction_attributes": ["daily casual", "elastic waist", "button closure", "long sleeve"], "instruction_options": ["z3-hot pink"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU74C57W", "worker_id": "A16IQOX0DK14OJ"}], "B09BZFSTNM": [{"asin": "B09BZFSTNM", "instruction": "i need a 3 panel african art for my living room wall.", "attributes": ["printing technology", "living room"], "options": ["color: african wall art - 14", "size: 3panel-s-(12x18inches x3pcs)"], "instruction_attributes": ["living room"], "instruction_options": ["african wall art - 14", "3panel-s-(12x18inches x3pcs)"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NMWP2N", "worker_id": "A19317A3X87NVM"}], "B08RBZYY97": [{"asin": "B08RBZYY97", "instruction": "i'm looking for fine mist and the bottles was continues that stream of water.", "attributes": ["leak proof", "fine mist"], "options": ["size: 9ml-5pack"], "instruction_attributes": ["leak proof", "fine mist"], "instruction_options": ["9ml-5pack"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMQCW9M", "worker_id": "A16IQOX0DK14OJ"}], "B07YKG5J6L": [{"asin": "B07YKG5J6L", "instruction": "i am looking for 5mp ptz poe camera with 20x optical zoom lens.", "attributes": ["optical zoom", "motion detection"], "options": ["color: 5mp ptz poe 20x camera"], "instruction_attributes": ["optical zoom"], "instruction_options": ["5mp ptz poe 20x camera"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R027WZ", "worker_id": "A3FG5PQHG5AH3Y"}], "B09MHG8DD6": [{"asin": "B09MHG8DD6", "instruction": "i need a pink pair of winter warm boots for a 9 year old kid. it has to be non slip ones.", "attributes": ["winter warm", "non slip", "long sleeve", "short sleeve"], "options": ["color: b~pink", "size: 9-9.5 years"], "instruction_attributes": ["winter warm", "non slip"], "instruction_options": ["b~pink", "9-9.5 years"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67NVN4T", "worker_id": "A1NF6PELRKACS9"}], "B08R34DR16": [{"asin": "B08R34DR16", "instruction": "i am looking for an easy to assemble blue home office desk chair with lumbar support.", "attributes": ["easy assemble", "lumbar support", "living room"], "options": ["color: blue"], "instruction_attributes": ["easy assemble", "lumbar support"], "instruction_options": ["blue"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OI3RTH", "worker_id": "A1EREKSZAA9V7B"}], "B0091F0XR0": [{"asin": "B0091F0XR0", "instruction": "i am looking for 5p deep pink color concealer that is anti aging and cruelty free.", "attributes": ["oil free", "anti aging", "cruelty free", "dermatologist tested", "plant based", "leak proof", "paraben free", "hyaluronic acid", "dark circles"], "options": ["color: 5p deep pink"], "instruction_attributes": ["anti aging", "cruelty free"], "instruction_options": [], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V21FGM", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B0091F0XR0", "instruction": "i want light pink veil cosmetics complexion fix oil-free concealer.", "attributes": ["oil free", "anti aging", "cruelty free", "dermatologist tested", "plant based", "leak proof", "paraben free", "hyaluronic acid", "dark circles"], "options": ["color: 2p light pink"], "instruction_attributes": ["oil free"], "instruction_options": ["2p light pink"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOB4GJG", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B0091F0XR0", "instruction": "i want to find oil-free concealer that has a light, neutral color.", "attributes": ["oil free", "anti aging", "cruelty free", "dermatologist tested", "plant based", "leak proof", "paraben free", "hyaluronic acid", "dark circles"], "options": ["color: 2n light neutral"], "instruction_attributes": ["oil free"], "instruction_options": ["2n light neutral"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCI1LBG", "worker_id": "A345TDMHP3DQ3G"}], "B08WHXNRY4": [{"asin": "B08WHXNRY4", "instruction": "i'm looking for intel core was computer accessories it was install at any.", "attributes": ["core i5", "intel core", "quad core", "usb port"], "options": ["capacity: 32gb ram |512gb ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["32gb ram |512gb ssd"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSCAWC0", "worker_id": "A16IQOX0DK14OJ"}], "B07GBGZZLC": [{"asin": "B07GBGZZLC", "instruction": "i'd like a certfied organic 36 pack of 2 ounce vitality shot drink flavored lemon ginger", "attributes": ["certified organic", "non gmo", "simple ingredients"], "options": ["flavor: lemon ginger", "size: 2 ounce (pack of 36)"], "instruction_attributes": ["certified organic"], "instruction_options": ["lemon ginger", "2 ounce (pack of 36)"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOINYDY", "worker_id": "A22VGT2F28LTWC"}, {"asin": "B07GBGZZLC", "instruction": "i am looking for tulua apple cider vinegar lemon ginger flavored fruit juice that is certified organic.", "attributes": ["certified organic", "non gmo", "simple ingredients"], "options": ["flavor: tulua apple cider vinegar lemon ginger", "size: 2 ounce (pack of 12)"], "instruction_attributes": ["certified organic"], "instruction_options": ["tulua apple cider vinegar lemon ginger"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G7A874O", "worker_id": "A1EREKSZAA9V7B"}], "B07WHYSQ5W": [{"asin": "B07WHYSQ5W", "instruction": "i'm looking for a 80 miles signal amplifier booster for hd tv.", "attributes": ["high power", "plug play", "easy install"], "options": ["color: xh-black"], "instruction_attributes": ["high power"], "instruction_options": ["xh-black"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBSGGIX", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08ZN3Q4DN": [{"asin": "B08ZN3Q4DN", "instruction": "i am looking for 3mp motion detection security camera.", "attributes": ["easy install", "motion detection"], "options": ["color: 3mp"], "instruction_attributes": ["motion detection"], "instruction_options": ["3mp"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LK45I8", "worker_id": "A3FG5PQHG5AH3Y"}], "B07D9WKMDG": [{"asin": "B07D9WKMDG", "instruction": "i'm looking for clothing for machinable wash and it makes confortable.", "attributes": ["wash cold", "machine wash", "relaxed fit", "tumble dry"], "options": ["color: with gray camo pant", "size: large"], "instruction_attributes": ["machine wash", "relaxed fit", "tumble dry"], "instruction_options": ["with gray camo pant"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C6FPH8", "worker_id": "A16IQOX0DK14OJ"}], "B07S316QK8": [{"asin": "B07S316QK8", "instruction": "i want pure certified organic bpa free coconut oil for baking and cooking purpose size :128 fl oz", "attributes": ["gluten free", "bpa free", "non dairy", "easy use", "certified organic"], "options": ["size: 128 fl oz (pack of 1)"], "instruction_attributes": ["bpa free", "certified organic"], "instruction_options": ["128 fl oz (pack of 1)"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYP99Q9", "worker_id": "A3N9ZYQAESNFQH"}], "B09SQ7SG2L": [{"asin": "B09SQ7SG2L", "instruction": "i looking a heavy duty height adjustable professional salon spa stool color:beige", "attributes": ["height adjustable", "heavy duty"], "options": ["color: beige", "size: 2"], "instruction_attributes": ["height adjustable", "heavy duty"], "instruction_options": ["beige"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMQ0W9A", "worker_id": "A3N9ZYQAESNFQH"}], "B08N6LB8MH": [{"asin": "B08N6LB8MH", "instruction": "i am looking for arms lumbar support in grey", "attributes": ["high density", "heavy duty", "white item", "easy install", "lumbar support"], "options": ["color: grey"], "instruction_attributes": ["lumbar support"], "instruction_options": ["grey"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC2DYZH", "worker_id": "A2MSIFDLOHI1UT"}], "B08Q642VRV": [{"asin": "B08Q642VRV", "instruction": "want to buy some peanut butter flavored cereal that is grain free and keto friendly. it needs to come in a 9 oz pack of four.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: peanut butter", "size: 9 ounce (pack of 4)"], "instruction_attributes": ["keto friendly", "grain free"], "instruction_options": ["peanut butter", "9 ounce (pack of 4)"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LFK0LR", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B08Q642VRV", "instruction": "i would like some maple waffle 1.27 ounce sugar free cereal.", "attributes": ["keto friendly", "sugar free", "grain free", "low carb", "plant based", "artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: maple waffle", "size: 1.27 ounce (pack of 6)"], "instruction_attributes": ["sugar free"], "instruction_options": ["maple waffle", "1.27 ounce (pack of 6)"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP7G6DQ", "worker_id": "A1WS884SI0SLO4"}], "B08SH3J22Q": [{"asin": "B08SH3J22Q", "instruction": "i'm looking for groceries shop for buying zero sugar and the flavor was french vanilla.", "attributes": ["lactose free", "shelf stable", "keto friendly", "plant based", "dairy free", "non gmo", "zero sugar"], "options": ["flavor name: french vanilla", "size: 12 pack"], "instruction_attributes": ["lactose free", "dairy free", "zero sugar"], "instruction_options": ["french vanilla"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA7Y2SD", "worker_id": "A16IQOX0DK14OJ"}], "B08NX3695X": [{"asin": "B08NX3695X", "instruction": "i want a non slip case cover for my motorola one phone.", "attributes": ["non slip", "carbon fiber", "case cover"], "options": ["color: motorola one 5g ace black brushed tpu case"], "instruction_attributes": ["non slip", "case cover"], "instruction_options": [], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2IZKF9", "worker_id": "A1NF6PELRKACS9"}], "B09JWT9VVX": [{"asin": "B09JWT9VVX", "instruction": "i'm looking for need to clean my teeth adn it was prevention of oral care.", "attributes": ["teeth whitening", "non slip", "sensitive teeth"], "options": ["flavor name: coconut"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["coconut"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMPFMW7", "worker_id": "A16IQOX0DK14OJ"}], "B0895CV637": [{"asin": "B0895CV637", "instruction": "i'm in need of a stereo sound, pink color alarm clock radio", "attributes": ["high power", "stereo sound"], "options": ["color: pink"], "instruction_attributes": ["stereo sound"], "instruction_options": ["pink"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ARDBWB", "worker_id": "A258PTOZ3D2TQR"}], "B087CXMMQM": [{"asin": "B087CXMMQM", "instruction": "i need a big rug with a fuzzy non-stick surface.", "attributes": ["spot clean", "non slip", "memory foam", "living room"], "options": ["color: hot pink", "size: 4x5.9 feet"], "instruction_attributes": ["non slip"], "instruction_options": ["4x5.9 feet"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PAJBUR", "worker_id": "A19317A3X87NVM"}], "B08Y6NSWS4": [{"asin": "B08Y6NSWS4", "instruction": "i need a high performance bluetooth speakers that can be used for indoor parties. please choose the gray one.", "attributes": ["high performance", "stereo sound"], "options": ["color: gray"], "instruction_attributes": ["high performance", "stereo sound"], "instruction_options": ["gray"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH154QHW5", "worker_id": "A1HMZJ59OPLD1P"}], "B07QK2FTWT": [{"asin": "B07QK2FTWT", "instruction": "i want lead free long lasting scented candle scent : cinnamon apple", "attributes": ["lead free", "long lasting"], "options": ["scent: cinnamon apple", "size: ring (size 5)"], "instruction_attributes": ["lead free", "long lasting"], "instruction_options": ["cinnamon apple", "ring (size 5)"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZR9HS5", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B07QK2FTWT", "instruction": "i am looking for long lasting candle. please choose creme brulee scent.", "attributes": ["lead free", "long lasting"], "options": ["scent: creme brulee", "size: ring (size 5)"], "instruction_attributes": ["long lasting"], "instruction_options": ["creme brulee"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7VZURY", "worker_id": "A3FG5PQHG5AH3Y"}], "B000XEF5OO": [{"asin": "B000XEF5OO", "instruction": "i am looking for a travel size moschino miniature eau de toilette.", "attributes": ["design house", "travel size"], "options": [""], "instruction_attributes": ["travel size"], "instruction_options": [], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YOI69U", "worker_id": "AHU9OLV0YKIIW"}], "B083XPLGC3": [{"asin": "B083XPLGC3", "instruction": "i want to buy a box of savory fava bean snacks that are non-gmo. find the pack that has 21 bags.", "attributes": ["high protein", "plant based", "low sugar", "gluten free", "low fat", "non gmo"], "options": ["flavor: the savory box", "size: 1 ounce (pack of 21)"], "instruction_attributes": ["non gmo"], "instruction_options": ["the savory box", "1 ounce (pack of 21)"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCKVPI4", "worker_id": "AR9AU5FY1S3RO"}], "B0719R1WZ7": [{"asin": "B0719R1WZ7", "instruction": "i need an area rug for my living room in wineberry color.", "attributes": ["spot clean", "dining room", "living room"], "options": ["color: wineberry", "size: 1'8 x 5"], "instruction_attributes": ["living room"], "instruction_options": ["wineberry"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMRR9WG", "worker_id": "A1NF6PELRKACS9"}], "B00PYUS4PY": [{"asin": "B00PYUS4PY", "instruction": "i'm looking for an oil free fine mist makeup foundation. also, choose the buff beige color.", "attributes": ["oil free", "fragrance free", "fine mist"], "options": ["color: buff beige"], "instruction_attributes": ["oil free"], "instruction_options": [], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRS75EU3", "worker_id": "A9ZM1P6LBW79"}], "B09RFDWPX9": [{"asin": "B09RFDWPX9", "instruction": "i'm looking for a relax fit fashion designed long sleeve lapel coats for women. also, choose xx-large size z4 black colored one.", "attributes": ["long sleeve", "fashion design", "relaxed fit"], "options": ["color: z4-black", "size: xx-large"], "instruction_attributes": ["long sleeve", "fashion design", "relaxed fit"], "instruction_options": ["z4-black", "xx-large"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB14YLUP", "worker_id": "AR0VJ5XRG16UJ"}], "B09M7PMKJP": [{"asin": "B09M7PMKJP", "instruction": "i am looking for a classic fit t-shirt for a youth girl. also choose asphalt color and x-small size.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: asphalt", "fit type: youth", "size: x-small"], "instruction_attributes": ["classic fit"], "instruction_options": ["asphalt", "youth", "x-small"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4J98MD", "worker_id": "A2HMEGTAFO0CS8"}], "B07P1Z265L": [{"asin": "B07P1Z265L", "instruction": "i am looking for a black rose high speed automobile chargers", "attributes": ["fast charging", "high speed"], "options": ["color: black rose"], "instruction_attributes": ["high speed"], "instruction_options": ["black rose"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUV0JQV", "worker_id": "A9QRQL9CFJBI7"}], "B09LZ6DN9L": [{"asin": "B09LZ6DN9L", "instruction": "i am looking for a pair of men's size 48 blue winter shoes with memory foam.", "attributes": ["winter warm", "anti slip", "knee high", "memory foam"], "options": ["color: blue", "size: 48"], "instruction_attributes": ["memory foam"], "instruction_options": ["blue", "48"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I9YBC1", "worker_id": "A1EREKSZAA9V7B"}], "B08GY8HNL9": [{"asin": "B08GY8HNL9", "instruction": "i want a bedside table with a wooden cabinet in my living room. it should be green in color.", "attributes": ["dining room", "living room"], "options": ["color: green", "size: 57x31.5x83cm"], "instruction_attributes": ["living room"], "instruction_options": ["green"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QVL07O", "worker_id": "A1NF6PELRKACS9"}], "B085W67P7L": [{"asin": "B085W67P7L", "instruction": "i am looking for travel foaming dispenser for hand soap. please choose rose gold and silver pump head.", "attributes": ["eco friendly", "rose gold"], "options": ["color: silver pump head"], "instruction_attributes": ["rose gold"], "instruction_options": ["silver pump head"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMM0XRS2", "worker_id": "A3FG5PQHG5AH3Y"}], "B09MMFQFZJ": [{"asin": "B09MMFQFZJ", "instruction": "i would like a op99 phone case cover.", "attributes": ["tempered glass", "case cover"], "options": ["color: op99"], "instruction_attributes": ["case cover"], "instruction_options": ["op99"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NABN2B", "worker_id": "A1WS884SI0SLO4"}], "B01MZWL5Y3": [{"asin": "B01MZWL5Y3", "instruction": "i want a fully assembled desk converter that would fit 2 monitors.", "attributes": ["fully assembled", "assembly required"], "options": [""], "instruction_attributes": ["fully assembled"], "instruction_options": [], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIA0RBM", "worker_id": "A1NF6PELRKACS9"}], "B00J4OTK9A": [{"asin": "B00J4OTK9A", "instruction": "get me a body scrub to remove dead skin. pick a 3.4 fl oz pack that is meant for sensitive skin.", "attributes": ["dermatologist tested", "cruelty free", "dead skin", "sensitive skin"], "options": ["size: 3.4 fl oz (pack of 1)"], "instruction_attributes": ["dead skin", "sensitive skin"], "instruction_options": ["3.4 fl oz (pack of 1)"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841BRXAO", "worker_id": "A1NF6PELRKACS9"}], "B09NKV2PYS": [{"asin": "B09NKV2PYS", "instruction": "i need an easy use but high quality beauty ice contour mold skin care tool. pink color will work for me.", "attributes": ["easy use", "high quality", "green tea", "fine lines"], "options": ["color: pink"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["pink"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4NIPKB", "worker_id": "A39VVWV1GHLMFD"}], "B079S8B9SF": [{"asin": "B079S8B9SF", "instruction": "get me a gluten and nut free ready to eat plant based vegan meal variety pack in size 2.29 ounce (pack of 4).", "attributes": ["freeze dried", "ready eat", "plant based", "gluten free", "shelf stable", "nut free", "dairy free", "non gmo", "simple ingredients", "artificial flavors"], "options": ["flavor: variety pack", "size: 2.29 ounce (pack of 4)"], "instruction_attributes": ["ready eat", "gluten free", "nut free"], "instruction_options": ["variety pack", "2.29 ounce (pack of 4)"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R600R6", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B079S8B9SF", "instruction": "i am looking for a 2.3 ounce (pack of 4) size of plant based, gluten free and non gmo side dishes", "attributes": ["freeze dried", "ready eat", "plant based", "gluten free", "shelf stable", "nut free", "dairy free", "non gmo", "simple ingredients", "artificial flavors"], "options": ["flavor: madras quinoa & lentil", "size: 2.3 ounce (pack of 4)"], "instruction_attributes": ["plant based", "gluten free", "non gmo"], "instruction_options": ["2.3 ounce (pack of 4)"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVPTJKO", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B079S8B9SF", "instruction": "i am interested in a ready to eat millet and lentil packet that comes in a pack of 8", "attributes": ["freeze dried", "ready eat", "plant based", "gluten free", "shelf stable", "nut free", "dairy free", "non gmo", "simple ingredients", "artificial flavors"], "options": ["flavor: jaipur millet & lentil", "size: 2.3 ounce (pack of 8)"], "instruction_attributes": ["ready eat"], "instruction_options": ["jaipur millet & lentil", "2.3 ounce (pack of 8)"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQEXKEY", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GNR9BS1": [{"asin": "B09GNR9BS1", "instruction": "i need a long lasting perfume that is unisex and alcohol free.", "attributes": ["long lasting", "alcohol free", "bpa free", "paraben free", "non toxic", "cruelty free"], "options": [""], "instruction_attributes": ["long lasting", "alcohol free"], "instruction_options": [], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFSC0T0", "worker_id": "A1NF6PELRKACS9"}], "B07X2T33Q4": [{"asin": "B07X2T33Q4", "instruction": "i an looking for electric hair cream mixer, automatic hair dye mixing bowl, usb rechargeable hair dyeing, color diy mixer for salon home use which is durable and lightweight. will not mold, peel, crack, warp, absorb odors, or fade. portable size, convenient to carry..suitable for professional salon hairstylist or home personal use.2 in 1 includes a bowl and a dyestuff whisk, meeting basic demands on hair dying.", "attributes": ["easy clean", "high quality", "hair dye"], "options": ["color: 1#"], "instruction_attributes": ["easy clean", "high quality", "hair dye"], "instruction_options": ["1#"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662XYM45", "worker_id": "A1DRKZ3SCLAS4V"}], "B01H6PX8AK": [{"asin": "B01H6PX8AK", "instruction": "i want lumabase 30748 votive candles in clear glass holders - set of 12", "attributes": ["lead free", "clear glass"], "options": [""], "instruction_attributes": ["clear glass"], "instruction_options": [], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFUKOJU", "worker_id": "A1IL2K0ELYI090"}], "B0913HN2QV": [{"asin": "B0913HN2QV", "instruction": "i am looking for a makeup chair with metal legs for my living room. pick something in blue.", "attributes": ["exquisite workmanship", "metal legs", "living room"], "options": ["color: blue"], "instruction_attributes": ["metal legs", "living room"], "instruction_options": ["blue"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDXPAI1", "worker_id": "A1NF6PELRKACS9"}], "B07LFT8MFW": [{"asin": "B07LFT8MFW", "instruction": "i am looking for gluten free strawberry juicy gels.", "attributes": ["gluten free", "high fructose"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPHEVQX", "worker_id": "A3FG5PQHG5AH3Y"}], "B08LN5YSLR": [{"asin": "B08LN5YSLR", "instruction": "please find an easy use shower scalp scrubber tool in the color pink for hair care", "attributes": ["easy use", "dry hair", "hair growth", "hair loss", "dead skin"], "options": ["color: pink"], "instruction_attributes": ["easy use"], "instruction_options": ["pink"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2O6YN1", "worker_id": "A292TFDMNVS0TP"}], "B004K025J0": [{"asin": "B004K025J0", "instruction": "i am looking high speed hdmi cable. size should be 3 feet.", "attributes": ["ultra hd", "gold plated", "high speed"], "options": ["size: 3 ft. slim"], "instruction_attributes": ["high speed"], "instruction_options": ["3 ft. slim"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMP8QBW", "worker_id": "A3FG5PQHG5AH3Y"}], "B082G4HM4S": [{"asin": "B082G4HM4S", "instruction": "i want a swappable top for my phone with wireless charging. it should have jacksonville jaguars logo.", "attributes": ["hands free", "wireless charging"], "options": ["color: jacksonville jaguars logo"], "instruction_attributes": ["wireless charging"], "instruction_options": ["jacksonville jaguars logo"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVHFUTW", "worker_id": "A1NF6PELRKACS9"}], "B09MTYKWTR": [{"asin": "B09MTYKWTR", "instruction": "i am looking for whitening massage manual easy use toothbrush with handle for boy with color d", "attributes": ["easy use", "bad breath"], "options": ["color: d"], "instruction_attributes": ["easy use"], "instruction_options": ["d"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK2489KN2", "worker_id": "A258PTOZ3D2TQR"}], "B06XH86JBZ": [{"asin": "B06XH86JBZ", "instruction": "i want to find 6 ounces of goji colored blueberry powder that is high in dietary fiber.", "attributes": ["shelf stable", "non gmo", "gluten free", "dietary fiber", "artificial colors"], "options": ["color: goji", "size: 6 ounce"], "instruction_attributes": ["dietary fiber"], "instruction_options": ["goji", "6 ounce"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFJ39VM", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B06XH86JBZ", "instruction": "i'm looking for a nubeleaf blackberry powder.", "attributes": ["shelf stable", "non gmo", "gluten free", "dietary fiber", "artificial colors"], "options": ["color: banana", "size: 6 ounce (pack of 1)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["banana", "6 ounce (pack of 1)"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7NC3ID", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08WCM5XT3": [{"asin": "B08WCM5XT3", "instruction": "i'm looking for easy apply for hair removal in natural ingredients. it can easily apply.", "attributes": ["easy apply", "natural ingredients", "hair removal"], "options": [""], "instruction_attributes": ["natural ingredients", "hair removal"], "instruction_options": [], "assignment_id": "3V26SBZTBOOS9KTL7ONUSZFOIWJZZB", "worker_id": "A16IQOX0DK14OJ"}], "B00487L2Y4": [{"asin": "B00487L2Y4", "instruction": "i need some spacedye spandex leggings.", "attributes": ["nylon spandex", "high waist"], "options": ["color: skystorm spacedye", "size: large"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["skystorm spacedye"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIFIVFG", "worker_id": "A19317A3X87NVM"}, {"asin": "B00487L2Y4", "instruction": "i'm looking for a high waist shapewear leggings in heather charcoal color and in size large.", "attributes": ["nylon spandex", "high waist"], "options": ["color: heather charcoal", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": ["heather charcoal", "large"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFXJE3Z", "worker_id": "A3MNXK3VDK37SN"}], "B09KV1BXST": [{"asin": "B09KV1BXST", "instruction": "i'm looking for a lace silk pajama lingerie for women with long sleeves and made of good quality polyester material. also, choose large size wine colored one.", "attributes": ["quality polyester", "long sleeve", "laundry bag"], "options": ["color: wine", "size: large"], "instruction_attributes": ["quality polyester", "long sleeve"], "instruction_options": ["wine", "large"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X025K347", "worker_id": "AR0VJ5XRG16UJ"}], "B084ZHHY5H": [{"asin": "B084ZHHY5H", "instruction": "i would like a size 11 women's slate colored clog with a rubber sole.", "attributes": ["water resistant", "slip resistant", "arch support", "rubber outsole"], "options": ["color: slate", "size: 11 women | 9 men"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["slate", "11 women | 9 men"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9PEVTE", "worker_id": "A1WS884SI0SLO4"}], "B01IDDRDRI": [{"asin": "B01IDDRDRI", "instruction": "i am looking for a pack of 6 12 ounce gluten free coffee creamer.", "attributes": ["non dairy", "gluten free", "low carb", "dairy free"], "options": ["size: 12 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["12 ounce (pack of 6)"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGU93MR5", "worker_id": "A1EREKSZAA9V7B"}], "B09CDCH6GW": [{"asin": "B09CDCH6GW", "instruction": "let me have kasrou 3-tier stackable wire baskets, wall mounted, easy install, hanging basket kitchen pantry storage", "attributes": ["wall mounted", "easy install"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80ERQ1P", "worker_id": "A1IL2K0ELYI090"}], "B06W5BQ95C": [{"asin": "B06W5BQ95C", "instruction": "i would like a 1.25 ounce container of probiotics from natural ingredients. i would like 24 of them.", "attributes": ["plant based", "non gmo", "gluten free", "kosher certified", "dairy free", "natural ingredients"], "options": ["size: 1.25 ounce (pack of 24)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["1.25 ounce (pack of 24)"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0DL61E", "worker_id": "A1WS884SI0SLO4"}], "B07N3NN79M": [{"asin": "B07N3NN79M", "instruction": "looking for a black 28\" inseam 3 x-large machine wash, drawstring closure men's straight fit modern stretch pant made by goodthreads.", "attributes": ["machine wash", "drawstring closure"], "options": ["color: black", "size: 3x-large | 28\" inseam"], "instruction_attributes": ["machine wash", "drawstring closure"], "instruction_options": ["black", "3x-large | 28\" inseam"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB14TLUK", "worker_id": "A3RGIKEI8JS2QG"}], "B00ICSCDW0": [{"asin": "B00ICSCDW0", "instruction": "i am looking for cruelty free beard oil with sandalwood", "attributes": ["cruelty free", "seed oil", "argan oil", "natural ingredients", "hair growth"], "options": ["scent: sandalwood"], "instruction_attributes": ["cruelty free"], "instruction_options": ["sandalwood"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0VWXP5", "worker_id": "A22VGT2F28LTWC"}], "B08X3R2V9S": [{"asin": "B08X3R2V9S", "instruction": "i'm looking for a gourmet food gift basket that is perfect for valentine's day", "attributes": ["gift basket", "valentine day"], "options": [""], "instruction_attributes": ["gift basket", "valentine day"], "instruction_options": [], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAWZZXS", "worker_id": "A1HMZJ59OPLD1P"}], "B09K5SWKWK": [{"asin": "B09K5SWKWK", "instruction": "i'm looking for strawberry & yogurt pretzels artificial flavors snacks", "attributes": ["rich creamy", "high fructose", "artificial flavors"], "options": [""], "instruction_attributes": ["artificial flavors"], "instruction_options": [], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCDA7HM", "worker_id": "A2Y2TURT2VEYZN"}], "B095VX97GN": [{"asin": "B095VX97GN", "instruction": "i want an easy to carry storage case for my cosmetics that is multi-colored.", "attributes": ["easy carry", "storage case", "eye shadow"], "options": ["color: multi 7"], "instruction_attributes": ["easy carry", "storage case"], "instruction_options": ["multi 7"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPXS0GD", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B095VX97GN", "instruction": "i'm looking for native american indian dream catcher feathers talisman.", "attributes": ["easy carry", "storage case", "eye shadow"], "options": ["color: multi 20"], "instruction_attributes": ["storage case"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGBDLSH", "worker_id": "A21IUUHBSEVB56"}], "B07ZJC7G3N": [{"asin": "B07ZJC7G3N", "instruction": "i'm looking for an ottoman cover made of beige faux leather.", "attributes": ["easy clean", "faux leather", "living room"], "options": ["color: beige", "size: small 1 (20\"diax12\"h)"], "instruction_attributes": ["faux leather"], "instruction_options": ["beige"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X63PGA", "worker_id": "A19317A3X87NVM"}], "B08Y8YNMRP": [{"asin": "B08Y8YNMRP", "instruction": "i need a short sleeved top for a teen girl. it should be xx-large in size.", "attributes": ["short sleeve", "long sleeve", "teen girls"], "options": ["color: z05- long-sleeved", "size: xx-large"], "instruction_attributes": ["short sleeve", "teen girls"], "instruction_options": ["xx-large"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTZZM70", "worker_id": "A1NF6PELRKACS9"}], "B073B57CQZ": [{"asin": "B073B57CQZ", "instruction": "find me a backdrop vertical striped easy carry for digital photography in 5x7 ft", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 5x7ft"], "instruction_attributes": ["easy carry", "digital photography"], "instruction_options": ["5x7ft"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYEN28B", "worker_id": "A2Y2TURT2VEYZN"}], "B01N4LEQE5": [{"asin": "B01N4LEQE5", "instruction": "i need a twin size fully assembled plush mattress, which should have 8' split foundation with frame.", "attributes": ["ready use", "queen size", "fully assembled", "assembly required", "king size"], "options": ["size: twin", "style: 8' split foundation with frame"], "instruction_attributes": ["fully assembled"], "instruction_options": ["twin", "8' split foundation with frame"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIDTL2L", "worker_id": "ASWFLI3N8X72G"}], "B0992D6BFT": [{"asin": "B0992D6BFT", "instruction": "i am looking for a light brown color faux leather storage benches for living room", "attributes": ["faux leather", "pu leather", "storage space", "living room"], "options": ["color: light brown", "size: 60x40x45cm(24x16x18inch)"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["light brown"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z59GXM", "worker_id": "A9QRQL9CFJBI7"}], "B07CR9MGLG": [{"asin": "B07CR9MGLG", "instruction": "i'm looking for curtains for living room and it color was white.", "attributes": ["easy install", "living room"], "options": ["color: white", "size: w52 x l95"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYQAQ9T", "worker_id": "A16IQOX0DK14OJ"}], "B075YM97NK": [{"asin": "B075YM97NK", "instruction": "i am looking for wood split box spring of california king sized.", "attributes": ["ready use", "assembly required", "fully assembled", "box spring"], "options": ["size: california king", "style name: 8\" split foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["california king"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LC01OH", "worker_id": "A3FG5PQHG5AH3Y"}], "B00V5KRF66": [{"asin": "B00V5KRF66", "instruction": "i'm looking for god plated converter for combo kit and need to buy it.", "attributes": ["gold plated", "high speed"], "options": ["size: 6 piece", "style: combo kit"], "instruction_attributes": ["gold plated"], "instruction_options": ["combo kit"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWTZZ79R", "worker_id": "A16IQOX0DK14OJ"}], "B09Q6B974T": [{"asin": "B09Q6B974T", "instruction": "find me a small long sleeve sweatshirt in green", "attributes": ["quick drying", "machine washable", "loose fit", "long sleeve", "memory foam", "short sleeve", "teen girls", "laundry bag", "daily wear"], "options": ["color: new dressy - b133 -green", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["new dressy - b133 -green", "small"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRS8CEUC", "worker_id": "A2Y2TURT2VEYZN"}], "B09LGXTKSH": [{"asin": "B09LGXTKSH", "instruction": "i'm looking for a smart remote control included with batteries. also, that battery type should be aaa size.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1WDH23", "worker_id": "A9ZM1P6LBW79"}], "B08QMDM179": [{"asin": "B08QMDM179", "instruction": "i am looking for lace closure men sneaker. please select 16 size.", "attributes": ["lace closure", "ethylene vinyl", "vinyl acetate", "memory foam"], "options": ["color: magnet canvas | nbk", "size: 16"], "instruction_attributes": ["lace closure"], "instruction_options": ["16"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP73OAR", "worker_id": "A3FG5PQHG5AH3Y"}], "B07ZR8KF4C": [{"asin": "B07ZR8KF4C", "instruction": "i need an easy to use tofu drainer for tofu bricks.", "attributes": ["bpa free", "easy use"], "options": ["size: 8-12 oz bricks of tofu"], "instruction_attributes": ["easy use"], "instruction_options": ["8-12 oz bricks of tofu"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCP4B9V", "worker_id": "A19317A3X87NVM"}], "B097R6HS3G": [{"asin": "B097R6HS3G", "instruction": "i would like a medium snickers tracksuit for my gym workout.", "attributes": ["machine wash", "elastic closure", "high waist", "polyester spandex", "gym workout"], "options": ["color: snickers", "size: medium"], "instruction_attributes": ["gym workout"], "instruction_options": ["snickers", "medium"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WABUOP", "worker_id": "A1WS884SI0SLO4"}], "B097H8C87M": [{"asin": "B097H8C87M", "instruction": "i am looking for high density tri-fold full memory foam mattress with size :twin xl and 3\" blue", "attributes": ["high density", "memory foam", "storage space"], "options": ["size: twin xl", "style: 3\" blue"], "instruction_attributes": ["high density"], "instruction_options": ["twin xl", "3\" blue"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMNNB69", "worker_id": "AX2EWYWZM19AZ"}], "B09K813WBQ": [{"asin": "B09K813WBQ", "instruction": "i am looking for a cupcake topper for a family birthday party.", "attributes": ["party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFFUU58", "worker_id": "A2HMEGTAFO0CS8"}], "B09QKZ1GSS": [{"asin": "B09QKZ1GSS", "instruction": "i'm looking for daily wear open toe shoes that was blue in color.", "attributes": ["open toe", "ankle strap", "teen girls", "daily wear"], "options": ["color: blue", "size: 6.5-7"], "instruction_attributes": ["open toe", "teen girls", "daily wear"], "instruction_options": ["blue"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YJ8NP1", "worker_id": "A16IQOX0DK14OJ"}], "B07GVBWL3Q": [{"asin": "B07GVBWL3Q", "instruction": "i'm looking for a 84 inch green lazzzy blackout velvet curtains.", "attributes": ["machine washable", "living room"], "options": ["color: gold brown", "size: 63 inch"], "instruction_attributes": ["living room"], "instruction_options": ["gold brown", "63 inch"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OIGRTU", "worker_id": "A1ZGOZQF2VZ0X9"}], "B00J1NGCF4": [{"asin": "B00J1NGCF4", "instruction": "i am looking for a skin brush with natural bristles and a long handle.", "attributes": ["long handle", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IPATLN", "worker_id": "A1EREKSZAA9V7B"}], "B07L1R7YQ9": [{"asin": "B07L1R7YQ9", "instruction": "i am looking bpa free fine mist high quality case color silver color size 3.4 ounce", "attributes": ["bpa free", "high quality", "fine mist", "quality materials"], "options": ["color: silver frosted", "size: 3.4 ounce (pack of 2)"], "instruction_attributes": ["bpa free", "high quality", "fine mist"], "instruction_options": ["silver frosted", "3.4 ounce (pack of 2)"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQEL91K", "worker_id": "A3N9ZYQAESNFQH"}], "B07PTT1PW4": [{"asin": "B07PTT1PW4", "instruction": "i am looking for a 180w x 5 power amplifier.", "attributes": ["wall mounted", "power amplifier", "high resolution"], "options": ["size: 180w x 5", "style: class d"], "instruction_attributes": ["power amplifier"], "instruction_options": ["180w x 5"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40WCRC7", "worker_id": "A9QRQL9CFJBI7"}], "B09L1MPCY9": [{"asin": "B09L1MPCY9", "instruction": "i would like to buy a machine washable quick drying butt lifting tummy controlling women legging in ywhite color and small size made from quality polyester .", "attributes": ["moisture wicking", "butt lifting", "quick drying", "machine wash", "quality polyester", "polyester cotton", "tummy control", "elastic waist"], "options": ["color: ywhite", "size: small"], "instruction_attributes": ["butt lifting", "quick drying", "machine wash", "quality polyester", "tummy control"], "instruction_options": ["ywhite", "small"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOIQF0R", "worker_id": "A3AYHESLQSDY5T"}], "B01LWUENY1": [{"asin": "B01LWUENY1", "instruction": "i need a 10' round area rug for my living room. it should be ivory colored.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: red | ivory", "size: 10' round"], "instruction_attributes": ["living room"], "instruction_options": ["red | ivory", "10' round"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IBMCBU", "worker_id": "A1NF6PELRKACS9"}], "B00DQJYL2K": [{"asin": "B00DQJYL2K", "instruction": "liquid water identifier strawberry watermelon flavor and natural flavor", "attributes": ["sugar free", "natural flavors", "zero sugar"], "options": ["flavor name: sugar-free cherry blackberry"], "instruction_attributes": ["natural flavors"], "instruction_options": [], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUTD61FW", "worker_id": "A3TTGSUBIK1YCL"}, {"asin": "B00DQJYL2K", "instruction": "i am looking a natural flavor sugar free straberry kiwi water enhancer", "attributes": ["sugar free", "natural flavors", "zero sugar"], "options": ["flavor name: sugar-free strawberry kiwi"], "instruction_attributes": ["sugar free", "natural flavors"], "instruction_options": ["sugar-free strawberry kiwi"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9L2B0B", "worker_id": "A3N9ZYQAESNFQH"}], "B081J2PSXK": [{"asin": "B081J2PSXK", "instruction": "i am looking for a dome cameras of 1080p hd", "attributes": ["1080p hd", "easy install", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd"], "instruction_options": [], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1B89U9", "worker_id": "A9QRQL9CFJBI7"}], "B00FDM5NAM": [{"asin": "B00FDM5NAM", "instruction": "i am looking for a real fruit juice of cranberry cocktail juice drink flavor", "attributes": ["real fruit", "artificial flavors"], "options": ["flavor name: cranberry cocktail juice drink"], "instruction_attributes": ["real fruit"], "instruction_options": ["cranberry cocktail juice drink"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFCBVLU", "worker_id": "A9QRQL9CFJBI7"}], "B06XV4LYZC": [{"asin": "B06XV4LYZC", "instruction": "i need a janet color low rise women's jeans with quality material in size 7-36", "attributes": ["low rise", "quality materials"], "options": ["color: janet", "size: 7-36"], "instruction_attributes": ["low rise", "quality materials"], "instruction_options": ["janet", "7-36"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO4Q2CX", "worker_id": "ASWFLI3N8X72G"}], "B07JJDXFJL": [{"asin": "B07JJDXFJL", "instruction": "i am looking for home decor products for living room in a ivory /aqua color", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: ivory | aqua", "item shape: runner", "size: 9 ft x 9 ft"], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPXIPJA", "worker_id": "A16M39T60N60NO"}], "B09Q25X4NJ": [{"asin": "B09Q25X4NJ", "instruction": "i would like a pair of size 7 black oxfords with a anti slip rubber sole.", "attributes": ["anti slip", "ankle strap", "rubber sole"], "options": ["color: black-2", "size: 7"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["black-2", "7"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IXCHK4", "worker_id": "A1WS884SI0SLO4"}], "B008BZSXEG": [{"asin": "B008BZSXEG", "instruction": "i am looking for low fat pasta options", "attributes": ["fat free", "low fat"], "options": [""], "instruction_attributes": ["low fat"], "instruction_options": [], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDI12OM", "worker_id": "ASWFLI3N8X72G"}], "B07ZK5QW3P": [{"asin": "B07ZK5QW3P", "instruction": "i'm looking for a machine washable window curtains for living room. also choose 52\"w by 90\"l and lace4lbg0839 designed one.", "attributes": ["machine washable", "living room"], "options": ["color: lace4lbg0839", "size: 52\" w by 90\" l"], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["lace4lbg0839", "52\" w by 90\" l"], "assignment_id": "37TRT2X24116R7L1JO45INKV8UGJBY", "worker_id": "AR0VJ5XRG16UJ"}], "B0794T7QHW": [{"asin": "B0794T7QHW", "instruction": "i need a king sized, white coloured contemporary style wooden frame bed with memory foam.", "attributes": ["contemporary style", "memory foam", "wood frame", "box spring"], "options": ["color: white", "size: king"], "instruction_attributes": ["contemporary style", "memory foam", "wood frame"], "instruction_options": ["white", "king"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LH3PS0", "worker_id": "ASWFLI3N8X72G"}], "B097MRL84T": [{"asin": "B097MRL84T", "instruction": "i'm looking for living room furniture and kitchen furniture and need to buy it.", "attributes": ["assembly required", "wood frame", "solid wood", "living room"], "options": ["color: grey", "size: 2 seats"], "instruction_attributes": ["wood frame", "living room"], "instruction_options": ["grey"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMXK2GB", "worker_id": "A16IQOX0DK14OJ"}], "B00T3IQUDG": [{"asin": "B00T3IQUDG", "instruction": "i am looking for a pair of long lasting men's size 10 steel toe work boots.", "attributes": ["long lasting", "slip resistant", "steel toe", "rubber sole"], "options": ["color: black | black", "size: 10 wide"], "instruction_attributes": ["long lasting", "steel toe"], "instruction_options": ["10 wide"], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY2M7PP", "worker_id": "A1EREKSZAA9V7B"}], "B07PYQN77F": [{"asin": "B07PYQN77F", "instruction": "i'm looking for a 24 pcs arrow cupcake topper .", "attributes": ["hand crafted", "birthday cake", "baby shower", "birthday party"], "options": ["color: gold"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IRU23G", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09QLL279P": [{"asin": "B09QLL279P", "instruction": "i am looking for chocolate covered wafers for valentine day.", "attributes": ["chocolate covered", "valentine day"], "options": [""], "instruction_attributes": ["chocolate covered", "valentine day"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0Z44W6", "worker_id": "A3FG5PQHG5AH3Y"}], "B08KW5D1HG": [{"asin": "B08KW5D1HG", "instruction": "i am looking for a large sized makeup case that is easy to clean.", "attributes": ["high quality", "easy clean"], "options": ["color: rolling backpack", "size: large"], "instruction_attributes": ["easy clean"], "instruction_options": ["large"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIN7586", "worker_id": "A1NF6PELRKACS9"}], "B019EGM90O": [{"asin": "B019EGM90O", "instruction": "get me 6 bars of gluten free low sodium 0g trans in flavor of dark chocolate nuts & sea salt.", "attributes": ["low sodium", "gluten free", "0g trans"], "options": ["flavor name: dark chocolate nuts & sea salt", "size: 6 bars"], "instruction_attributes": ["low sodium", "gluten free", "0g trans"], "instruction_options": ["dark chocolate nuts & sea salt", "6 bars"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMKAVX3", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B019EGM90O", "instruction": "i would like 60 milk chocolate peanut butter bars that are low sodium.", "attributes": ["low sodium", "gluten free", "0g trans"], "options": ["flavor name: milk chocolate peanut butter", "size: 60 count (pack of 1)"], "instruction_attributes": ["low sodium"], "instruction_options": ["milk chocolate peanut butter", "60 count (pack of 1)"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GM5S3N", "worker_id": "A1WS884SI0SLO4"}], "B089HY61CM": [{"asin": "B089HY61CM", "instruction": "i am looking for a low soda cream soda flavor chocolate drink mixes", "attributes": ["lactose free", "low sugar", "shelf stable", "bpa free", "non gmo", "natural flavors", "artificial colors"], "options": ["flavor name: cream soda"], "instruction_attributes": ["low sugar"], "instruction_options": ["cream soda"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOFV1WR", "worker_id": "A9QRQL9CFJBI7"}], "B09SB86W2G": [{"asin": "B09SB86W2G", "instruction": "i am looking for a professional make up brush with easy use. also choose color b.", "attributes": ["easy use", "hair removal"], "options": ["color: b"], "instruction_attributes": ["easy use"], "instruction_options": ["b"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMZE3WQ", "worker_id": "A2HMEGTAFO0CS8"}], "B003YFLT0S": [{"asin": "B003YFLT0S", "instruction": "i am searching for heavy duty complete tripods.", "attributes": ["heavy duty", "quick release"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4IT51G", "worker_id": "A9ZM1P6LBW79"}], "B09NR6SYTV": [{"asin": "B09NR6SYTV", "instruction": "i'm looking for a wireless bluetooth speaker, preferable blue color.", "attributes": ["plug play", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU27AL5", "worker_id": "ARQ05PDNXPFDI"}], "B09CKVPQZF": [{"asin": "B09CKVPQZF", "instruction": "i need some easy to install 76 inch blinds for my living room. look for them in light grey.", "attributes": ["easy install", "living room"], "options": ["color: light grey", "size: 15 3 | 4\"w x 76\"h"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["light grey", "15 3 | 4\"w x 76\"h"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFVZ3E0", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09CKVPQZF", "instruction": "shop for some easy install living room shades. get the fifty two inch ones with top brackets.", "attributes": ["easy install", "living room"], "options": ["color: top brackets", "size: 64 1 | 4\"w x 52\"h"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["top brackets", "64 1 | 4\"w x 52\"h"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9V6X5U", "worker_id": "AR9AU5FY1S3RO"}], "B09MK2BWKX": [{"asin": "B09MK2BWKX", "instruction": "i need noise cancelling headphones for my daily running routine.", "attributes": ["noise cancelling", "fast charging"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRYQJXV", "worker_id": "A1NF6PELRKACS9"}], "B08FSSZXV9": [{"asin": "B08FSSZXV9", "instruction": "i want a gray colored lightweight throw for the living room. i would prefer it to be double sided.", "attributes": ["machine washable", "double sided", "living room"], "options": ["color: grey", "size: 59'' x 79''"], "instruction_attributes": ["double sided", "living room"], "instruction_options": ["grey"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227HB8FI", "worker_id": "AHXHM1PQTRWIQ"}], "B09PKTZ1JR": [{"asin": "B09PKTZ1JR", "instruction": "i want to buy a shoe cabinet for my living room which is in pink color.", "attributes": ["space saving", "storage space", "living room"], "options": ["color: pink 3", "size: 23x14x70inch"], "instruction_attributes": ["living room"], "instruction_options": ["pink 3"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z4A4QCZ", "worker_id": "AHXHM1PQTRWIQ"}], "B097K5Q32R": [{"asin": "B097K5Q32R", "instruction": "i'm looking for plug play electronics for computer components and need to buy it.", "attributes": ["high performance", "plug play"], "options": ["pattern name: 3600 mhz", "size: 16 gb", "style: single module"], "instruction_attributes": ["high performance", "plug play"], "instruction_options": ["3600 mhz"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCK7IP9", "worker_id": "A16IQOX0DK14OJ"}], "B09J29BV3V": [{"asin": "B09J29BV3V", "instruction": "i am looking for a foldable tatami mattress to reduce on my storage space. the best size would be 90x200 cm (35.4*78.7 in).", "attributes": ["exquisite workmanship", "storage space"], "options": ["color: c", "size: 90x200 cm (35.4*78.7 in)"], "instruction_attributes": ["storage space"], "instruction_options": ["90x200 cm (35.4*78.7 in)"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKRKV7X", "worker_id": "A39VVWV1GHLMFD"}], "B097R6WTWX": [{"asin": "B097R6WTWX", "instruction": "i looking wooden frame mid century sofa couch for leaving room colour :blue", "attributes": ["mid century", "high density", "metal legs", "wood frame", "living room"], "options": ["color: navy", "size: type-2"], "instruction_attributes": ["mid century", "wood frame", "living room"], "instruction_options": ["navy"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH1Z6HT", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B097R6WTWX", "instruction": "i would like a beige type 4 sofa for my living room.", "attributes": ["mid century", "high density", "metal legs", "wood frame", "living room"], "options": ["color: beige", "size: type-4"], "instruction_attributes": ["living room"], "instruction_options": ["beige", "type-4"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS3OG9B", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B097R6WTWX", "instruction": "i need grey color wood frame", "attributes": ["mid century", "high density", "metal legs", "wood frame", "living room"], "options": ["color: grey", "size: type-1"], "instruction_attributes": ["wood frame"], "instruction_options": ["grey"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCVO46E", "worker_id": "A226L9F2AZ38CL"}], "B08V96ZSKJ": [{"asin": "B08V96ZSKJ", "instruction": "i'm looking for cell phone accessories the color was red brushed tpu. it was need to buy.", "attributes": ["non slip", "carbon fiber"], "options": ["color: red brushed tpu"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["red brushed tpu"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFMEMEX", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08V96ZSKJ", "instruction": "i would like a blue brush tpu case that is non slip.", "attributes": ["non slip", "carbon fiber"], "options": ["color: blue brushed tpu"], "instruction_attributes": ["non slip"], "instruction_options": ["blue brushed tpu"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRWEY2F", "worker_id": "A1WS884SI0SLO4"}], "B09NQ4LHV7": [{"asin": "B09NQ4LHV7", "instruction": "find me a pair of non slip sneakers with rubber soles. i am a woman of size 13.", "attributes": ["non slip", "rubber outsole", "rubber sole"], "options": ["color: white black sunflower b", "size: 13 women | 11 men"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["13 women | 11 men"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH3RQHS", "worker_id": "A1NF6PELRKACS9"}], "B01MT7DMLK": [{"asin": "B01MT7DMLK", "instruction": "i'm looking for pendant lights for hanging through the wall that color was chrome finish.", "attributes": ["bronze finish", "pendant light"], "options": ["color: chrome finish", "size: one light", "style: pendant"], "instruction_attributes": ["bronze finish", "pendant light"], "instruction_options": ["chrome finish"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E67XHP", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01MT7DMLK", "instruction": "i need a pendant light wall fixture for my bathroom. it should have a bronze finish.", "attributes": ["bronze finish", "pendant light"], "options": ["color: chrome finish", "size: one - light", "style: wall bath fixture"], "instruction_attributes": ["bronze finish", "pendant light"], "instruction_options": ["wall bath fixture"], "assignment_id": "3X08E93BH6SOX0PZ3ET8Y3TY8NR660", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01MT7DMLK", "instruction": "where can i find this product? seagull lighting 65625-782 wheaton transitional a pendant light hanging light fixture modern, bronze finish", "attributes": ["bronze finish", "pendant light"], "options": ["color: brushed nickel finish", "size: one - light", "style: wall bath fixture"], "instruction_attributes": ["bronze finish"], "instruction_options": ["one - light"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUJFVZ5", "worker_id": "A15IJ20C3R4HUO"}], "B09J35VQXQ": [{"asin": "B09J35VQXQ", "instruction": "i'm looking for natural jar candles with grapefruit and mangosteen scents and which are made with 100% soy wax.", "attributes": ["lead free", "soy wax"], "options": ["scent: grapefruit & mangosteen", "size: natural"], "instruction_attributes": ["soy wax"], "instruction_options": ["grapefruit & mangosteen", "natural"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO5D2CM", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B09J35VQXQ", "instruction": "i'm looking for a lead free jar candles made of soy wax. also choose natural, coconut milk and mango scented one", "attributes": ["lead free", "soy wax"], "options": ["scent: coconut milk and mango", "size: natural"], "instruction_attributes": ["lead free", "soy wax"], "instruction_options": ["coconut milk and mango", "natural"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFIM021", "worker_id": "AR0VJ5XRG16UJ"}], "B0982XLQVB": [{"asin": "B0982XLQVB", "instruction": "i am looking for a blue coated steel backyard furniture set.", "attributes": ["high density", "coated steel", "storage space"], "options": ["color: blue"], "instruction_attributes": ["coated steel"], "instruction_options": ["blue"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOXOO7N", "worker_id": "A1EREKSZAA9V7B"}], "B09NYD8KN9": [{"asin": "B09NYD8KN9", "instruction": "i need fluoride free 2 pcs purple toothpaste which is good for sensitive teeth and teeth whitening.", "attributes": ["fluoride free", "teeth whitening", "long lasting", "natural ingredients", "sensitive teeth"], "options": ["color: purple 2pcs"], "instruction_attributes": ["fluoride free", "teeth whitening", "sensitive teeth"], "instruction_options": ["purple 2pcs"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UHPOKU", "worker_id": "ASWFLI3N8X72G"}, {"asin": "B09NYD8KN9", "instruction": "i want a purple and orange toothpaste that is fluoride free and whitens teeth.", "attributes": ["fluoride free", "teeth whitening", "long lasting", "natural ingredients", "sensitive teeth"], "options": ["color: purple+orange"], "instruction_attributes": ["fluoride free", "teeth whitening"], "instruction_options": ["purple+orange"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBPAAAOQ", "worker_id": "A1WS884SI0SLO4"}], "B08F9VJ7FV": [{"asin": "B08F9VJ7FV", "instruction": "i'm looking for a black guitar cable with usb port and it should be 10ft long.", "attributes": ["gold plated", "plug play", "usb port"], "options": ["color: black"], "instruction_attributes": ["usb port"], "instruction_options": ["black"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MICCRB2", "worker_id": "A1Q0EUNCS50S8M"}], "B00IWVEJUG": [{"asin": "B00IWVEJUG", "instruction": "i am looking for eco friendly scented candles", "attributes": ["eco friendly", "soy wax"], "options": [""], "instruction_attributes": ["eco friendly"], "instruction_options": [], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3SYZMR", "worker_id": "A16M39T60N60NO"}], "B08P7YXY4C": [{"asin": "B08P7YXY4C", "instruction": "i need a quad core hd streaming player with enhanced voice remote", "attributes": ["dual band", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEJT8QL", "worker_id": "A258PTOZ3D2TQR"}], "B07N98D4C6": [{"asin": "B07N98D4C6", "instruction": "i would like a fluoride free toothpaste.", "attributes": ["certified organic", "fluoride free"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFTS0TI", "worker_id": "A1WS884SI0SLO4"}], "B07MMTQYGL": [{"asin": "B07MMTQYGL", "instruction": "i am looking for a color: blue zebra water resistant , wireless bluetooth for portable bluetooth speakers", "attributes": ["water resistant", "wireless bluetooth"], "options": ["color: blue zebra"], "instruction_attributes": ["water resistant", "wireless bluetooth"], "instruction_options": ["blue zebra"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XSIGNN", "worker_id": "A9QRQL9CFJBI7"}], "B08PJHS91C": [{"asin": "B08PJHS91C", "instruction": "i am looking for some grass fed and grain free bread and muffin mix.", "attributes": ["grain free", "grass fed"], "options": ["style: grain free bread"], "instruction_attributes": ["grain free", "grass fed"], "instruction_options": ["grain free bread"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P75AVSX", "worker_id": "A1NF6PELRKACS9"}], "B08DG8ZHDT": [{"asin": "B08DG8ZHDT", "instruction": "i'm looking for electronics accessories that aluminum alloy tripod. need to buy it.", "attributes": ["quick release", "aluminum alloy"], "options": [""], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBA9U6S", "worker_id": "A16IQOX0DK14OJ"}], "B09M3LBGVG": [{"asin": "B09M3LBGVG", "instruction": "i am looking for a grey wireless charging earbud headphones with stereo sound", "attributes": ["fast charging", "hands free", "wireless charging", "stereo sound"], "options": ["color: grey"], "instruction_attributes": ["wireless charging", "stereo sound"], "instruction_options": [], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A21ATHT0", "worker_id": "A9QRQL9CFJBI7"}], "B09MJXZ9PQ": [{"asin": "B09MJXZ9PQ", "instruction": "i'm looking for a classic styling salon chair, hydraulic barber chair with wider seat & heavy duty hydraulic pump, also it should have beauty salon spa shampoo equipment, choose the gold color.", "attributes": ["heavy duty", "easy clean", "high quality", "hair salon", "beauty salon"], "options": ["color: black+silver 1"], "instruction_attributes": ["heavy duty", "easy clean", "high quality", "hair salon", "beauty salon"], "instruction_options": [], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A219GTHX", "worker_id": "A3D6VE1HYFEP9Z"}], "B09H6S736V": [{"asin": "B09H6S736V", "instruction": "i'm looking for a storage unit which is easy to clean for a living room.", "attributes": ["easy clean", "storage unit", "living room"], "options": [""], "instruction_attributes": ["easy clean", "storage unit", "living room"], "instruction_options": [], "assignment_id": "31EUONYN26DZ1WA44INARVVOAGCVO5", "worker_id": "AR0VJ5XRG16UJ"}], "B01MQS07BG": [{"asin": "B01MQS07BG", "instruction": "i'm looking for the pant have straight leg and the drawstring waist.", "attributes": ["straight leg", "moisture wicking", "drawstring waist"], "options": ["color: wisteria", "size: 3x-large plus"], "instruction_attributes": ["straight leg", "moisture wicking", "drawstring waist"], "instruction_options": ["wisteria"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQDCAJD", "worker_id": "A16IQOX0DK14OJ"}], "B09Q56WQGH": [{"asin": "B09Q56WQGH", "instruction": "i'm looking for highly pigmented makeup products it can use long lasting.", "attributes": ["long lasting", "highly pigmented"], "options": ["color: k", "size: i"], "instruction_attributes": ["long lasting", "highly pigmented"], "instruction_options": ["k"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZKHC7S", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09Q56WQGH", "instruction": "i am interested in purchasing a lip gloss set which is long lasting and comes in the size g.", "attributes": ["long lasting", "highly pigmented"], "options": ["color: a", "size: g"], "instruction_attributes": ["long lasting"], "instruction_options": ["g"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3G2AYM", "worker_id": "AHXHM1PQTRWIQ"}], "B08P59RBQ4": [{"asin": "B08P59RBQ4", "instruction": "looking for tooth powder for teeth whitening", "attributes": ["teeth whitening", "easy use", "bad breath"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS41VUN", "worker_id": "A10OGH5CQBXL5N"}], "B078YYVN2F": [{"asin": "B078YYVN2F", "instruction": "i am looking for large size regular fit polo.", "attributes": ["moisture wicking", "hand wash", "regular fit"], "options": ["color: blackout", "size: large"], "instruction_attributes": ["regular fit"], "instruction_options": ["large"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1VQH2E", "worker_id": "AJDQGOTMB2D80"}], "B09NFJWJYP": [{"asin": "B09NFJWJYP", "instruction": "i am looking a easy install smartwatch band compatible with apple color:midnight blue /cantaloupe size: 38mm/40mm/41mm", "attributes": ["compatible apple", "easy install"], "options": ["color: midnight blue | cantaloupe", "size: 38mm | 40mm | 41mm"], "instruction_attributes": ["compatible apple", "easy install"], "instruction_options": ["midnight blue | cantaloupe", "38mm | 40mm | 41mm"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8W6PZ8", "worker_id": "A3N9ZYQAESNFQH"}], "B09SV2GLZW": [{"asin": "B09SV2GLZW", "instruction": "i am looking for small sized and tummy control women workout legging.", "attributes": ["light weight", "elastic waistband", "drawstring closure", "tummy control"], "options": ["color: x03c-black", "size: small"], "instruction_attributes": ["tummy control"], "instruction_options": ["small"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q5SKD7", "worker_id": "A3FG5PQHG5AH3Y"}], "B0861DHT1J": [{"asin": "B0861DHT1J", "instruction": "i am looking for mlide men's summer quick dry fit performance short surf swim trunk drawstring with pockets. swim trunk featuring elasticized waistband with drawstring and contrast in green in xxl size.", "attributes": ["drawstring closure", "polyester spandex"], "options": ["color: green", "size: xx-large"], "instruction_attributes": ["drawstring closure", "polyester spandex"], "instruction_options": ["green", "xx-large"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQYA0776", "worker_id": "A1DRKZ3SCLAS4V"}], "B01FA1BMSW": [{"asin": "B01FA1BMSW", "instruction": "i am looking for texas style flank steak beef jerky that has a resealable bag.", "attributes": ["high protein", "resealable bag"], "options": ["flavor name: texas style flank steak", "size: 10 ounce (pack of 1)"], "instruction_attributes": ["resealable bag"], "instruction_options": ["texas style flank steak"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSV2GL1", "worker_id": "A1EREKSZAA9V7B"}], "B09PLB5JYK": [{"asin": "B09PLB5JYK", "instruction": "i am looking for a blue loose fit sleep bottoms for men", "attributes": ["loose fit", "straight leg", "moisture wicking", "slim fit", "short sleeve", "elastic waist", "stretch fabric", "classic fit", "long sleeve", "daily wear"], "options": ["color: blue", "size: 3x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["blue"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39ENZC2", "worker_id": "A9QRQL9CFJBI7"}], "B07CZC9Z3S": [{"asin": "B07CZC9Z3S", "instruction": "i'm looking for a pack of 3 cheese crisps with 10 ounce need to be gluten and lactose free, savory seed flavor", "attributes": ["keto friendly", "gluten free", "high protein", "low carb", "lactose free", "natural ingredients"], "options": ["flavor name: savory seed", "size: 10 ounce (pack of 3)"], "instruction_attributes": ["gluten free", "lactose free"], "instruction_options": ["savory seed", "10 ounce (pack of 3)"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU2MALK", "worker_id": "A2Y2TURT2VEYZN"}], "B076C8KB1Z": [{"asin": "B076C8KB1Z", "instruction": "i am looking for a blue stripe classic fit dress shirts", "attributes": ["machine wash", "classic fit", "relaxed fit", "long sleeve"], "options": ["color: blue stripe", "size: 15.5\" neck 34\" sleeve"], "instruction_attributes": ["classic fit"], "instruction_options": ["blue stripe"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAUB19CZ", "worker_id": "A9QRQL9CFJBI7"}], "B081R4NL12": [{"asin": "B081R4NL12", "instruction": "i am looking for women\u2019s long pajama sleep pants with elastic waistband and small in size.", "attributes": ["elastic waistband", "relaxed fit"], "options": ["color: dusty jade green - my resolutions", "size: small"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["small"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI3B1DBY", "worker_id": "AHU9OLV0YKIIW"}], "B08WJFNJ29": [{"asin": "B08WJFNJ29", "instruction": "i'm looking for a plant based healthy snacks which is gmo free and gluten free. also, choose a pack of 2 with coconut cashew pineapple mix and banana flavored one.", "attributes": ["gmo free", "plant based", "gluten free"], "options": ["flavor name: coconut cashew pineapple mix and banana", "size: 2 pack"], "instruction_attributes": ["gmo free", "plant based", "gluten free"], "instruction_options": ["coconut cashew pineapple mix and banana", "2 pack"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH0T6HL", "worker_id": "AR0VJ5XRG16UJ"}], "B07D6RZQD3": [{"asin": "B07D6RZQD3", "instruction": "i am looking for a women's xx-large oatmeal | navy iowa state cyclones relaxed fit , fleece lined asym redux hoodie made by ouray sportswear.", "attributes": ["fleece lined", "button closure", "relaxed fit"], "options": ["color: oatmeal | navy", "size: xx-large", "team name: iowa state cyclones"], "instruction_attributes": ["fleece lined", "relaxed fit"], "instruction_options": ["oatmeal | navy", "xx-large", "iowa state cyclones"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPY0G03", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B07D6RZQD3", "instruction": "i would like a fleece lined extra large navy mississippi state bulldog sweatshirt.", "attributes": ["fleece lined", "button closure", "relaxed fit"], "options": ["color: navy heather", "size: x-large", "team name: mississippi state bulldogs"], "instruction_attributes": ["fleece lined"], "instruction_options": ["navy heather", "x-large", "mississippi state bulldogs"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83NQJI3", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07D6RZQD3", "instruction": "i am looking for relaxed fit small size hood.", "attributes": ["fleece lined", "button closure", "relaxed fit"], "options": ["color: charcoal heather", "size: small", "team name: navy midshipmen"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["small"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLW3DAW", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07D6RZQD3", "instruction": "i am looking for medium sized and relaxed fitted men hoddie.", "attributes": ["fleece lined", "button closure", "relaxed fit"], "options": ["color: premium heather | royal heather", "size: medium", "team name: purdue boilermakers"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["medium"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80DCQ18", "worker_id": "A3FG5PQHG5AH3Y"}], "B0963DN2YZ": [{"asin": "B0963DN2YZ", "instruction": "i am looking for queen size , super soft terracotta comforter set with 2 pillowcases and its color is 2-white chevron", "attributes": ["machine washable", "queen size", "super soft"], "options": ["color: 2-white chevron", "size: twin"], "instruction_attributes": ["queen size", "super soft"], "instruction_options": ["2-white chevron"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYCOEI1", "worker_id": "AX2EWYWZM19AZ"}], "B09JLG556W": [{"asin": "B09JLG556W", "instruction": "i am looking for a rechargeable and portable hair removal device which is easy to carry. also choose white color.", "attributes": ["easy carry", "hair removal"], "options": [""], "instruction_attributes": ["easy carry", "hair removal"], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4C7RQ8", "worker_id": "A1V2JTEEBCXR20"}], "B076HN7HY7": [{"asin": "B076HN7HY7", "instruction": "i am looking a king size box spring bed with metal leg colour black", "attributes": ["metal legs", "box spring"], "options": ["color: black", "size: king"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXS1YLS", "worker_id": "A3N9ZYQAESNFQH"}], "B09LXMCTN9": [{"asin": "B09LXMCTN9", "instruction": "i am looking for deluxe faux leather, box spring, easy assemble , wood bed frame with led headboard and color is black and queen size", "attributes": ["assembly required", "easy assemble", "box spring", "faux leather", "king size", "memory foam", "wood frame"], "options": ["color: black", "size: queen"], "instruction_attributes": ["easy assemble", "box spring", "faux leather", "wood frame"], "instruction_options": ["black", "queen"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BODCONJ", "worker_id": "AX2EWYWZM19AZ"}], "B07ZHGYP5C": [{"asin": "B07ZHGYP5C", "instruction": "i want an easy to use cd player that has batteries included.", "attributes": ["batteries included", "easy use"], "options": [""], "instruction_attributes": ["batteries included", "easy use"], "instruction_options": [], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4Z60HH", "worker_id": "A1NF6PELRKACS9"}], "B093YS5HNS": [{"asin": "B093YS5HNS", "instruction": "i'm looking for clothing need to buy it .", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGXZTW3", "worker_id": "A16IQOX0DK14OJ"}], "B01CPVOVNS": [{"asin": "B01CPVOVNS", "instruction": "i'm looking for white finish for kitchen and it was assembly required.", "attributes": ["assembly required", "white finish"], "options": [""], "instruction_attributes": ["assembly required", "white finish"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLZTVAR", "worker_id": "A16IQOX0DK14OJ"}], "B09BCFFSGL": [{"asin": "B09BCFFSGL", "instruction": "i am looking for a queen size foam mattress that has 9 inch desnsity. please choose the black & white color", "attributes": ["queen size", "high density", "memory foam"], "options": ["color: black & white", "size: twin xl", "style: 9 inch"], "instruction_attributes": ["queen size", "memory foam"], "instruction_options": ["black & white", "9 inch"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WW4A11", "worker_id": "A2COCSUGZV28X"}], "B0915NK2BY": [{"asin": "B0915NK2BY", "instruction": "i am looking for women hair removal rechargeable razor. please select white color.", "attributes": ["long lasting", "easy use", "stainless steel", "hair removal"], "options": ["color: white"], "instruction_attributes": ["hair removal"], "instruction_options": ["white"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4822SYPG", "worker_id": "A3FG5PQHG5AH3Y"}], "B08LR49S3W": [{"asin": "B08LR49S3W", "instruction": "i am lookin g for a nut free, gluten free cake toppers", "attributes": ["nut free", "gluten free"], "options": [""], "instruction_attributes": ["nut free", "gluten free"], "instruction_options": [], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G78674I", "worker_id": "A9QRQL9CFJBI7"}], "B07MJRWZD3": [{"asin": "B07MJRWZD3", "instruction": "i want to get a black twin size bed frame.", "attributes": ["twin size", "white item", "engineered wood", "box spring"], "options": ["color: black"], "instruction_attributes": ["twin size"], "instruction_options": ["black"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX5LFA3", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B07MJRWZD3", "instruction": "i am looking for a twin size bed that has storage. pick a cherry color.", "attributes": ["twin size", "white item", "engineered wood", "box spring"], "options": ["color: cherry"], "instruction_attributes": ["twin size"], "instruction_options": ["cherry"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMZU3W6", "worker_id": "A1NF6PELRKACS9"}], "B092S9J53G": [{"asin": "B092S9J53G", "instruction": "i'm looking for teeth whitening for oral care whitening kits.", "attributes": ["teeth whitening", "easy use"], "options": ["color: 1 tooth whitening trays"], "instruction_attributes": ["teeth whitening", "easy use"], "instruction_options": ["1 tooth whitening trays"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR02518AK6", "worker_id": "A16IQOX0DK14OJ"}], "B08J846WMR": [{"asin": "B08J846WMR", "instruction": "i am looking for a faux leather storage ottoman.", "attributes": ["high density", "faux leather"], "options": [""], "instruction_attributes": ["faux leather"], "instruction_options": [], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CYP3B3", "worker_id": "A9ZM1P6LBW79"}], "B081PKZTY6": [{"asin": "B081PKZTY6", "instruction": "i'm looking for rubber sole hiking shoe and it was grey steel in clor.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: ti grey steel | koi", "size: 13"], "instruction_attributes": ["rubber outsole", "rubber sole"], "instruction_options": ["ti grey steel | koi"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSJY62U", "worker_id": "A16IQOX0DK14OJ"}], "B09JJ9SF5C": [{"asin": "B09JJ9SF5C", "instruction": "i'm looking for short sleeve clothing it makes feel comfortable.", "attributes": ["long sleeve", "short sleeve"], "options": ["color: christmas pjs - 26 - red", "size: 6-12 months", "special size type: kid"], "instruction_attributes": ["short sleeve"], "instruction_options": ["christmas pjs - 26 - red", "6-12 months"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NJFBKO", "worker_id": "A16IQOX0DK14OJ"}], "B09QPZS86G": [{"asin": "B09QPZS86G", "instruction": "i'm looking for clothing for water resistant and fleece lined.", "attributes": ["straight leg", "loose fit", "water resistant", "fleece lined", "quality polyester", "gym workout"], "options": ["color: clear", "size: medium"], "instruction_attributes": ["straight leg", "water resistant", "fleece lined"], "instruction_options": ["clear"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4CCRQD", "worker_id": "A16IQOX0DK14OJ"}], "B08YFKCG9Q": [{"asin": "B08YFKCG9Q", "instruction": "i'm looking for a tea tree oil shampoo.", "attributes": ["sulfate free", "tea tree", "natural hair", "hair treatment", "damaged hair", "hair growth"], "options": [""], "instruction_attributes": ["tea tree"], "instruction_options": [], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AM9OEU", "worker_id": "ARQ05PDNXPFDI"}], "B083JZFDD3": [{"asin": "B083JZFDD3", "instruction": "i want easy to install blackout curtains for my living room. i need it in tribeca indigo color.", "attributes": ["machine washable", "easy install", "living room"], "options": ["color: tribeca indigo", "size: 2x42x45in"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["tribeca indigo"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUJLC3F", "worker_id": "A1NF6PELRKACS9"}], "B09BHZXV44": [{"asin": "B09BHZXV44", "instruction": "i am looking for wooden bed frame of gray color.", "attributes": ["twin size", "space saving", "wood frame", "box spring", "solid wood", "storage space"], "options": ["color: gray-3"], "instruction_attributes": ["wood frame"], "instruction_options": ["gray-3"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH379WSEB", "worker_id": "A3FG5PQHG5AH3Y"}], "B09S131KBS": [{"asin": "B09S131KBS", "instruction": "i am looking for a g_pink short sleeves shirts for man", "attributes": ["machine wash", "short sleeve", "button closure", "long sleeve"], "options": ["color: g_pink", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["g_pink"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N22H6GR", "worker_id": "A9QRQL9CFJBI7"}], "B0743WP62Q": [{"asin": "B0743WP62Q", "instruction": "i am looking for a nv4108e-hs size of motion detection surveillance video recorders", "attributes": ["plug play", "motion detection"], "options": ["size: nv4108e-hs"], "instruction_attributes": ["motion detection"], "instruction_options": ["nv4108e-hs"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TNJ3N8", "worker_id": "A9QRQL9CFJBI7"}], "B0922DVVD9": [{"asin": "B0922DVVD9", "instruction": "i'm looking for natural ingredients for tattoo cleansing product.", "attributes": ["easy use", "natural ingredients"], "options": [""], "instruction_attributes": ["easy use", "natural ingredients"], "instruction_options": [], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UP4ZEX", "worker_id": "A16IQOX0DK14OJ"}], "B09QXJ2TP5": [{"asin": "B09QXJ2TP5", "instruction": "i'm looking for hair growth and solutions for damaged hair for hair extenisons.", "attributes": ["natural ingredients", "hair growth", "hair loss", "damaged hair"], "options": ["size: 5 pcs"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB149UL9", "worker_id": "A16IQOX0DK14OJ"}], "B07Z37GJCD": [{"asin": "B07Z37GJCD", "instruction": "i am looking for a halloween jacko lantern gift basket with handles to put candy chocolates.", "attributes": ["valentine day", "great gift", "gift basket"], "options": ["style: halloween jackolantern"], "instruction_attributes": ["gift basket"], "instruction_options": ["halloween jackolantern"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH2OH6V", "worker_id": "AHU9OLV0YKIIW"}], "B08KGFBJDF": [{"asin": "B08KGFBJDF", "instruction": "i am looking high quality long lasting travel size parfum prada luna rossa impression", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: prada luna rossa impression"], "instruction_attributes": ["travel size", "long lasting", "high quality"], "instruction_options": ["prada luna rossa impression"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y7WIVG", "worker_id": "A3N9ZYQAESNFQH"}], "B09RQQ3BBS": [{"asin": "B09RQQ3BBS", "instruction": "i want a thin and light weight men's boxers that is black in color.", "attributes": ["light weight", "hand wash", "fashion design"], "options": ["color: a black", "size: large"], "instruction_attributes": ["light weight"], "instruction_options": ["a black"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYOVN7L", "worker_id": "A1NF6PELRKACS9"}], "B07J4RH99Y": [{"asin": "B07J4RH99Y", "instruction": "i'm looking for a toothpaste vegan with coconut oil", "attributes": ["fluoride free", "paraben free", "cruelty free", "tea tree", "coconut oil", "bad breath"], "options": [""], "instruction_attributes": ["coconut oil"], "instruction_options": [], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW8QS88", "worker_id": "A2Y2TURT2VEYZN"}], "B07JCS7ZJ4": [{"asin": "B07JCS7ZJ4", "instruction": "i am looking for a white usb cables with high performance", "attributes": ["gold plated", "high performance", "plug play", "high speed", "usb port"], "options": ["color: white", "size: 2ft"], "instruction_attributes": ["high performance"], "instruction_options": ["white"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5SM5FR", "worker_id": "A9QRQL9CFJBI7"}], "B08GKQ1JZ4": [{"asin": "B08GKQ1JZ4", "instruction": "i am looking for a hands free z-floral color flip cases", "attributes": ["hands free", "wireless charging"], "options": ["color: z-floral"], "instruction_attributes": ["hands free"], "instruction_options": ["z-floral"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBFGGHJ", "worker_id": "A9QRQL9CFJBI7"}], "B08WWRCK83": [{"asin": "B08WWRCK83", "instruction": "i am looking for a double locker outlet wall plate cover and should be of a high gloss.", "attributes": ["heavy duty", "high gloss"], "options": ["style: double rocker | gfci"], "instruction_attributes": ["high gloss"], "instruction_options": ["double rocker | gfci"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIID00O", "worker_id": "AHU9OLV0YKIIW"}], "B078YFJXM3": [{"asin": "B078YFJXM3", "instruction": "i'm looking for long sleeve sweater dry cleaned caramel cafe colored because its easy to dry.", "attributes": ["hand wash", "long sleeve", "dry clean"], "options": ["color: caramel cafe", "size: small"], "instruction_attributes": ["long sleeve", "dry clean"], "instruction_options": ["caramel cafe"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPINA589", "worker_id": "A16IQOX0DK14OJ"}], "B00H7OVW2C": [{"asin": "B00H7OVW2C", "instruction": "i need a small intel desktop.", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["core i5", "intel core"], "instruction_options": [], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWCSFNV", "worker_id": "A19317A3X87NVM"}], "B08PDTPKZS": [{"asin": "B08PDTPKZS", "instruction": "i would like a 6 ounce package of non gmo basil pesto seasoned rice.", "attributes": ["high protein", "plant based", "dairy free", "non gmo", "low sugar", "gluten free", "nut free", "soy free"], "options": ["flavor name: basil pesto", "size: 6 ounce (pack of 3)"], "instruction_attributes": ["non gmo"], "instruction_options": ["basil pesto", "6 ounce (pack of 3)"], "assignment_id": "33TIN5LC0FKDY31374RC144TX0FY9U", "worker_id": "A1WS884SI0SLO4"}], "B09L7W3DSQ": [{"asin": "B09L7W3DSQ", "instruction": "i am looking for a super soft fleece throw & blankets of multicolor.", "attributes": ["super soft", "fleece throw"], "options": ["color: multicolor", "size: 60x80inch"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["multicolor"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZIKKMN", "worker_id": "A9QRQL9CFJBI7"}], "B084MN7WRR": [{"asin": "B084MN7WRR", "instruction": "i am searching for a wall mounted floating shelf for my living room. it should be 24 inch size and natural color.", "attributes": ["wall mounted", "easy assemble", "storage space", "living room"], "options": ["color: natural", "size: 24 inch"], "instruction_attributes": ["wall mounted", "living room"], "instruction_options": ["24 inch"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1Y0QHEU", "worker_id": "A9ZM1P6LBW79"}], "B08JZGZXGC": [{"asin": "B08JZGZXGC", "instruction": "i am looking a coconut flavor gmo free chocolate", "attributes": ["gmo free", "artificial colors"], "options": ["flavor name: coconut", "size: 5.53 ounce (pack of 1)"], "instruction_attributes": [], "instruction_options": ["coconut"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPNLYSK", "worker_id": "A3N9ZYQAESNFQH"}], "B07T1N2R4W": [{"asin": "B07T1N2R4W", "instruction": "i am looking for bpa free tongue scrubber with cap.", "attributes": ["bpa free", "easy use", "bad breath"], "options": ["size: 1 count (pack of 1)", "style: with cap"], "instruction_attributes": ["bpa free"], "instruction_options": ["with cap"], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW6A6VV6", "worker_id": "A3FG5PQHG5AH3Y"}], "B00IYTQKOO": [{"asin": "B00IYTQKOO", "instruction": "i'm looking for gluten free it contains high protein need to buy a nut free.", "attributes": ["gluten free", "nut free", "non gmo"], "options": ["flavor: whole eggs", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["gluten free", "nut free"], "instruction_options": ["whole eggs"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4I08M2", "worker_id": "A16IQOX0DK14OJ"}], "B077VWRYX2": [{"asin": "B077VWRYX2", "instruction": "i am looking a small size regular fit machine wash active hoodies color :crew blue", "attributes": ["machine wash", "regular fit"], "options": ["color: crew blue", "size: small"], "instruction_attributes": ["machine wash", "regular fit"], "instruction_options": ["crew blue", "small"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVMCXLQ", "worker_id": "A3N9ZYQAESNFQH"}], "B07G8PHGTX": [{"asin": "B07G8PHGTX", "instruction": "i need a power cord cable for blu ray player sound bar", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLZ8VA6", "worker_id": "A258PTOZ3D2TQR"}], "B00004RDMR": [{"asin": "B00004RDMR", "instruction": "i'm looking for a nikon coolpix 990 3.34mp digital camera .", "attributes": ["optical zoom", "usb port"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB3H5YT", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07669T46Z": [{"asin": "B07669T46Z", "instruction": "i'm looking for lumbar support for home office desk chairs.", "attributes": ["heavy duty", "lumbar support"], "options": ["color: bonded leather gray", "style: microfiber"], "instruction_attributes": ["heavy duty"], "instruction_options": ["bonded leather gray", "microfiber"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCJKIPK", "worker_id": "A16IQOX0DK14OJ"}], "B07RHRYHDM": [{"asin": "B07RHRYHDM", "instruction": "i am looking 5 no. rubber sole of trail running", "attributes": ["lace closure", "rubber sole"], "options": ["color: light aluminum | black | team carolina", "size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["5"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY78U0C", "worker_id": "A9QRQL9CFJBI7"}], "B09SHJKB1R": [{"asin": "B09SHJKB1R", "instruction": "i'm looking to buy a quick drying bathing suit in brown and medium size.", "attributes": ["quick drying", "quality polyester"], "options": ["color: brown", "size: medium"], "instruction_attributes": ["quick drying"], "instruction_options": ["brown", "medium"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8FKR5T", "worker_id": "A2YNPKYEFDZ6C9"}], "B09PN85JYS": [{"asin": "B09PN85JYS", "instruction": "i'm looking for home decor products it was in living room.", "attributes": ["ready use", "living room"], "options": ["color: pattern-2", "size: 83.8 x 63 inch(41.9 x 63 inch*2pes)"], "instruction_attributes": ["living room"], "instruction_options": ["pattern-2"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OWSEYF", "worker_id": "A16IQOX0DK14OJ"}], "B0744MQDVZ": [{"asin": "B0744MQDVZ", "instruction": "i am looking for high quality bathing accessories in white color", "attributes": ["high quality", "long handle", "dead skin"], "options": ["color: white"], "instruction_attributes": ["high quality"], "instruction_options": ["white"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IQ632R", "worker_id": "A2MSIFDLOHI1UT"}], "B092Z86J79": [{"asin": "B092Z86J79", "instruction": "i'm looking for wood framed wall art through the wall.", "attributes": ["ready hang", "wood frame", "solid wood"], "options": ["color: slh-4031", "size: 36\"wx48\"hx3pcs"], "instruction_attributes": ["ready hang", "wood frame"], "instruction_options": ["slh-4031"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2XV94V", "worker_id": "A16IQOX0DK14OJ"}], "B01EUZV5Z4": [{"asin": "B01EUZV5Z4", "instruction": "i am looking for a gluten free, plant based and non gmo classic chocolate & hazelnut spreads", "attributes": ["gluten free", "usda organic", "plant based", "non gmo", "dietary fiber"], "options": ["style: classic chocolate"], "instruction_attributes": ["gluten free", "plant based", "non gmo"], "instruction_options": ["classic chocolate"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIS584Z", "worker_id": "A9QRQL9CFJBI7"}], "B06WVC3FXV": [{"asin": "B06WVC3FXV", "instruction": "i'm looking for a nail treatment kit that is easy to use and certified cruelty free. also choose a pack of 2 which weighs 0.5 fl oz with bamboo & biotin 5 in 1 nail treatment kit.", "attributes": ["travel size", "cruelty free", "easy use"], "options": ["color: bamboo & biotin 5 in 1 nail treatment", "size: 0.5 fl oz (pack of 2)"], "instruction_attributes": ["cruelty free", "easy use"], "instruction_options": [], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZVSANO", "worker_id": "AR0VJ5XRG16UJ"}], "B08PP69X95": [{"asin": "B08PP69X95", "instruction": "i'm looking for clothing for unique design need to buy a lace pink color.", "attributes": ["slim fit", "quality polyester", "unique design"], "options": ["color: lace pink", "size: medium"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU9ECM5", "worker_id": "A16IQOX0DK14OJ"}], "B09QHFV7Q7": [{"asin": "B09QHFV7Q7", "instruction": "i would like a b002c30 rod pocket window panel that is machine washable.", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: b002c30", "size: rod pocket-w 42 l 84"], "instruction_attributes": ["machine washable"], "instruction_options": ["b002c30", "rod pocket-w 42 l 84"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SD6WRZ", "worker_id": "A1WS884SI0SLO4"}], "B09NC669P3": [{"asin": "B09NC669P3", "instruction": "i want a white colored pair of sandals that has high heels with an ankle strap.", "attributes": ["open toe", "knee high", "high heel", "ankle strap", "closed toe"], "options": ["color: white", "size: 9"], "instruction_attributes": ["high heel", "ankle strap"], "instruction_options": ["white"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX9QFCR", "worker_id": "A1NF6PELRKACS9"}], "B09S5QZHVL": [{"asin": "B09S5QZHVL", "instruction": "i am looking for a starlight band compatible with apple watch size 38/40/421mm.", "attributes": ["compatible apple", "high definition"], "options": ["color: starlight", "size: 38 | 40 | 41mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["starlight", "38 | 40 | 41mm"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V42U24", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B09S5QZHVL", "instruction": "i'm looking for green color 44mm sized smart watch band compatible with apple watch", "attributes": ["compatible apple", "high definition"], "options": ["color: green", "size: 42 | 44 | 45mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["green"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9BVN88", "worker_id": "A258PTOZ3D2TQR"}], "B08443XV9W": [{"asin": "B08443XV9W", "instruction": "i am looking for sulfate free, paraben free , tea tree triple treat invigorating shampoo & conditioner set", "attributes": ["sulfate free", "cruelty free", "paraben free", "tea tree", "hair treatment"], "options": ["color: tea tree triple treat (tea tree botanicals)", "size: 24 fl oz (pack of 2)"], "instruction_attributes": ["sulfate free", "paraben free"], "instruction_options": ["tea tree triple treat (tea tree botanicals)"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KEIDPJ", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B08443XV9W", "instruction": "i'm looking for a giovanni tea tree shampoo and conditioner set that helps with dry scalp and hair treatment. i would like it in the 8.5 fl oz two pack, with the 505:50 ph balance with aloe and sunflower oil.", "attributes": ["sulfate free", "cruelty free", "paraben free", "tea tree", "hair treatment"], "options": ["color: 50:50 ph balance (aloe + sunflower oil)", "size: 8.5 fl oz (pack of 2)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVQKLXU", "worker_id": "AMI0SOF51O3FW"}], "B07W311PVT": [{"asin": "B07W311PVT", "instruction": "i'm looking for nickel finish for ceiling fan for home improvement.", "attributes": ["clear glass", "nickel finish", "light fixture"], "options": [""], "instruction_attributes": ["nickel finish"], "instruction_options": [], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYX663D", "worker_id": "A16IQOX0DK14OJ"}], "B08BDZQRWG": [{"asin": "B08BDZQRWG", "instruction": "i need a straight leg jeans that is original fit. it should be medium stonewash in color.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: medium stonewash", "size: 34w x 32l"], "instruction_attributes": ["straight leg"], "instruction_options": ["medium stonewash"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AKYTSJ", "worker_id": "A1NF6PELRKACS9"}], "B09PL6DG3V": [{"asin": "B09PL6DG3V", "instruction": "buy me a 4x-large sized long sleeved shirt made from soft material in g05#black color.", "attributes": ["long sleeve", "contrast color", "soft material"], "options": ["color: g05#black", "size: 4x-large"], "instruction_attributes": ["long sleeve", "soft material"], "instruction_options": ["g05#black", "4x-large"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E031X7D", "worker_id": "A3AYHESLQSDY5T"}], "B07KJXY6R1": [{"asin": "B07KJXY6R1", "instruction": "i am looking for a 16inch x 16inch x 3 panels of posters & prints for dining room", "attributes": ["ready hang", "dining room", "living room"], "options": ["color: calla lily", "size: 16inch x 16inch x 3 panels"], "instruction_attributes": ["dining room"], "instruction_options": ["16inch x 16inch x 3 panels"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QSGXO8", "worker_id": "A9QRQL9CFJBI7"}], "B01HJWDNKA": [{"asin": "B01HJWDNKA", "instruction": "i am looking high speed blu ray hdmi cable vedio cable 8 feet color:5 pack", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 5 pack", "size: 8 feet (3-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "blu ray"], "instruction_options": ["5 pack", "8 feet (3-pack)"], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTDRR6ZU", "worker_id": "A3N9ZYQAESNFQH"}], "B08TR8N884": [{"asin": "B08TR8N884", "instruction": "leak prrof free refillable plastic containers of 2 count pack of 1", "attributes": ["bpa free", "leak proof"], "options": ["size: 2 count (pack of 1)"], "instruction_attributes": ["leak proof"], "instruction_options": ["2 count (pack of 1)"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBENWZKF", "worker_id": "A10OGH5CQBXL5N"}], "B083S43TLD": [{"asin": "B083S43TLD", "instruction": "i'm looking for storage case for toothbrush travel containers and need to buy it.", "attributes": ["high quality", "storage case"], "options": [""], "instruction_attributes": ["high quality", "storage case"], "instruction_options": [], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUHU5SM", "worker_id": "A16IQOX0DK14OJ"}], "B003LZN6O8": [{"asin": "B003LZN6O8", "instruction": "i'm looking for black clothing out because it can easily machine wahsable.", "attributes": ["water resistant", "machine washable", "arch support", "rubber sole"], "options": ["color: black", "size: 9-10 narrow"], "instruction_attributes": ["machine washable"], "instruction_options": ["black"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TSNMPN", "worker_id": "A16IQOX0DK14OJ"}], "B08SVZFFPP": [{"asin": "B08SVZFFPP", "instruction": "i'm looking for usb port for computer accessories.", "attributes": ["high speed", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYNMHDW", "worker_id": "A16IQOX0DK14OJ"}], "B09R1T4VWW": [{"asin": "B09R1T4VWW", "instruction": "i am looking for a c color toothpaste for teeth whitening and sensitive teeth", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: c"], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": ["c"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9FPRZZ", "worker_id": "A9QRQL9CFJBI7"}], "B0888NJ8QL": [{"asin": "B0888NJ8QL", "instruction": "i am looking for a gray color hdmi cables with high speed and blu ray", "attributes": ["high speed", "blu ray", "ultra hd", "gold plated"], "options": ["color: gray", "size: 3 feet"], "instruction_attributes": ["high speed", "blu ray"], "instruction_options": ["gray"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4IN156", "worker_id": "A9QRQL9CFJBI7"}], "B004D6044O": [{"asin": "B004D6044O", "instruction": "i'm looking for a vegetable snacks that is free from nuts and gluten. also, choose pack of 24 weighing 1 ounce with mixed (variety) flavored one.", "attributes": ["nut free", "non gmo", "gluten free", "0g trans"], "options": ["flavor name: variety pack", "size: 1 ounce (pack of 24)"], "instruction_attributes": ["nut free", "gluten free"], "instruction_options": ["variety pack", "1 ounce (pack of 24)"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53W8GKB", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B004D6044O", "instruction": "this simply 7 lentil chips product is delicious and also non-gmo, gluten-free and nut-free. i'm looking for a creamy dill flavor, 4 oz bag (pack of 12).", "attributes": ["nut free", "non gmo", "gluten free", "0g trans"], "options": ["flavor name: creamy dill", "size: 4 piece assortment"], "instruction_attributes": ["nut free", "non gmo", "gluten free"], "instruction_options": ["creamy dill"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZBWPA4", "worker_id": "A15IJ20C3R4HUO"}], "B09MZ7L3S3": [{"asin": "B09MZ7L3S3", "instruction": "i am looking for red color bath & body brushes for dry skin", "attributes": ["high quality", "dead skin", "dry skin"], "options": ["color: red"], "instruction_attributes": ["dry skin"], "instruction_options": ["red"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ARUWBD", "worker_id": "A9QRQL9CFJBI7"}], "B0746FSYRB": [{"asin": "B0746FSYRB", "instruction": "i would like a boom box with stereo sound.", "attributes": ["output protection", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP83NZ70", "worker_id": "A1WS884SI0SLO4"}], "B09Q93ZRQ6": [{"asin": "B09Q93ZRQ6", "instruction": "i need a pair of gray workout pants with a butt lift.", "attributes": ["butt lifting", "high waist", "tummy control", "gym workout"], "options": ["color: gray", "size: medium"], "instruction_attributes": ["butt lifting", "gym workout"], "instruction_options": ["gray"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163S9PQ0", "worker_id": "A19317A3X87NVM"}], "B09RFHRZJB": [{"asin": "B09RFHRZJB", "instruction": "i am looking green color wireless bluetooth speaker", "attributes": ["long lasting", "hands free", "high definition", "wireless bluetooth", "stereo sound"], "options": ["color: green"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["green"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LI9PS8", "worker_id": "A16M39T60N60NO"}], "B08F2QT47F": [{"asin": "B08F2QT47F", "instruction": "i am looking for a low sugar granola bar that is soy and diary free. pick the pack of 3 weighing 10 ounces.", "attributes": ["low sugar", "soy free", "dairy free", "non gmo"], "options": ["flavor name: cacao crisp", "size: 10 ounce (pack of 3)"], "instruction_attributes": ["low sugar", "soy free", "dairy free"], "instruction_options": ["10 ounce (pack of 3)"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN67T5GX", "worker_id": "A1NF6PELRKACS9"}], "B0982SCLBG": [{"asin": "B0982SCLBG", "instruction": "i'm looking for a couple of laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFGSMVC", "worker_id": "A19317A3X87NVM"}], "B09FL2CYP9": [{"asin": "B09FL2CYP9", "instruction": "i need a stainless steel nail dust collector machine for creating nail art.", "attributes": ["easy clean", "stainless steel", "nail art"], "options": [""], "instruction_attributes": ["stainless steel", "nail art"], "instruction_options": [], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD1CIRG", "worker_id": "A1NF6PELRKACS9"}], "B07QGFDMTM": [{"asin": "B07QGFDMTM", "instruction": "i am looking for a large size men's t-shirt for gym workout with classic fit. also choose purple in color.", "attributes": ["needle sleeve", "classic fit", "gym workout"], "options": ["color: purple", "fit type: men", "size: large"], "instruction_attributes": ["classic fit", "gym workout"], "instruction_options": ["purple", "men", "large"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYRTXFQ", "worker_id": "A2HMEGTAFO0CS8"}], "B01BF6UWTQ": [{"asin": "B01BF6UWTQ", "instruction": "i'm looking for anti aging beauty personal products that facial moisturizer skin.", "attributes": ["anti aging", "clinically proven", "fine lines"], "options": ["color: 10 ivory fair"], "instruction_attributes": ["anti aging"], "instruction_options": ["10 ivory fair"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM490E4X1", "worker_id": "A16IQOX0DK14OJ"}], "B09MBKD392": [{"asin": "B09MBKD392", "instruction": "please can i have one skinny pina colada which is sugar free and non gmo?", "attributes": ["sugar free", "non gmo"], "options": ["flavor: pina colada", "size: pack of 1"], "instruction_attributes": ["sugar free", "non gmo"], "instruction_options": ["pina colada", "pack of 1"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S10MGJ", "worker_id": "AHU9OLV0YKIIW"}], "B0009NZQRU": [{"asin": "B0009NZQRU", "instruction": "i'm looking for a bench style farmhouse in white color", "attributes": ["assembly required", "white finish"], "options": [""], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB15PULR", "worker_id": "A2Y2TURT2VEYZN"}], "B07R8WZR55": [{"asin": "B07R8WZR55", "instruction": "certified organic 100% pure & natural sweet almond oil", "attributes": ["certified organic", "dark circles"], "options": ["scent: almond"], "instruction_attributes": ["certified organic"], "instruction_options": ["almond"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KU19J2", "worker_id": "A10OGH5CQBXL5N"}], "B09RJMTVP6": [{"asin": "B09RJMTVP6", "instruction": "i am looking for tempered glass for samsung galaxy s22 ultra.", "attributes": ["high definition", "glass screen", "tempered glass"], "options": ["color: s22 ultra"], "instruction_attributes": ["tempered glass"], "instruction_options": ["s22 ultra"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A219PHTU", "worker_id": "A3FG5PQHG5AH3Y"}], "B09FG2F7S7": [{"asin": "B09FG2F7S7", "instruction": "i would like a epilator for hair removal.", "attributes": ["hair removal", "permanent hair"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKL7D79", "worker_id": "A1WS884SI0SLO4"}], "B07X344YLM": [{"asin": "B07X344YLM", "instruction": "i'm looking for a foundation brush that i can use on very sensitive skin. i would also like it to be a coloured brush.", "attributes": ["easy carry", "easy clean", "sensitive skin"], "options": ["color: a"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["a"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0D316R", "worker_id": "A3EDFA8UQT5GG8"}], "B0068VW22E": [{"asin": "B0068VW22E", "instruction": "i'm looking for gluten free, fat free and sugar free natural strawberry jel dessert", "attributes": ["sugar free", "fat free", "keto friendly", "non gmo", "lactose free", "gluten free", "low fat", "artificial colors"], "options": [""], "instruction_attributes": ["sugar free", "fat free", "gluten free"], "instruction_options": [], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIGMVFM", "worker_id": "A258PTOZ3D2TQR"}], "B08MWSHXLX": [{"asin": "B08MWSHXLX", "instruction": "i want paraben free hair treatment hair mask for healthy hair size: 120ml+cs", "attributes": ["paraben free", "hair treatment"], "options": ["size: 120ml+cs+mask"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733N2EBS", "worker_id": "A3N9ZYQAESNFQH"}], "B09QVDMJN2": [{"asin": "B09QVDMJN2", "instruction": "i am looking for a non-slip sandals for my wife that is blue in color. and please choose the 5.5 size", "attributes": ["non slip", "leather sole"], "options": ["color: light blue", "size: 5.5"], "instruction_attributes": ["non slip"], "instruction_options": ["light blue", "5.5"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA931YZ3S", "worker_id": "A2COCSUGZV28X"}], "B076HZF1K2": [{"asin": "B076HZF1K2", "instruction": "i would like to buy a full sized box spring bed that has storage drawers.", "attributes": ["twin size", "contemporary design", "box spring"], "options": ["color: ivory velvet", "size: full", "style: bed"], "instruction_attributes": ["box spring"], "instruction_options": ["full", "bed"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOEV1WP", "worker_id": "AHXHM1PQTRWIQ"}, {"asin": "B076HZF1K2", "instruction": "i am searching for contemporary design, black linen king size tufted upholstered platform bed with storage drawers", "attributes": ["twin size", "contemporary design", "box spring"], "options": ["color: black linen", "size: king", "style: bed with storage drawers"], "instruction_attributes": ["contemporary design"], "instruction_options": ["black linen", "king"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC7HUKP", "worker_id": "A258PTOZ3D2TQR"}], "B09QM21BVR": [{"asin": "B09QM21BVR", "instruction": "i would like a medium sized with sleep set that i can hand wash.", "attributes": ["hand wash", "slim fit", "long sleeve", "dry clean"], "options": ["color: 001-white", "size: medium"], "instruction_attributes": ["hand wash"], "instruction_options": ["001-white", "medium"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67NT4N8", "worker_id": "A1WS884SI0SLO4"}], "B097DCP8Q1": [{"asin": "B097DCP8Q1", "instruction": "i am looking for double rod silver color professional hair cutting kit for men", "attributes": ["easy use", "hair cutting"], "options": ["color: double rod silver"], "instruction_attributes": ["hair cutting"], "instruction_options": ["double rod silver"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTORLPG", "worker_id": "A258PTOZ3D2TQR"}], "B09MT7PLFZ": [{"asin": "B09MT7PLFZ", "instruction": "i'm looking for clothing for elastic waisted it will use for machine wash need to buy it.", "attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "dry clean"], "options": ["color: multi 7", "size: large"], "instruction_attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "dry clean"], "instruction_options": ["multi 7"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDPFHR6", "worker_id": "A16IQOX0DK14OJ"}], "B08QGM82GC": [{"asin": "B08QGM82GC", "instruction": "i'm looking for bags for travel usage. it easy to carry .", "attributes": ["travel size", "high quality", "easy use", "fine mist"], "options": ["color: su.s-brown"], "instruction_attributes": ["travel size", "easy use"], "instruction_options": ["su.s-brown"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJN70W5", "worker_id": "A16IQOX0DK14OJ"}], "B08KDM37FK": [{"asin": "B08KDM37FK", "instruction": "i am looking for a pair of women's high heel stilettos in a size 7.", "attributes": ["high heel", "ankle strap", "rubber sole"], "options": ["color: light blue suede", "size: 7"], "instruction_attributes": ["high heel"], "instruction_options": ["7"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXL5Z2K", "worker_id": "A1EREKSZAA9V7B"}], "B08XW7K2BQ": [{"asin": "B08XW7K2BQ", "instruction": "i'm looking for apple watch brands it can easily install any.", "attributes": ["compatible apple", "easy install"], "options": ["color: b tie dye", "size: 42mm | 44mm | 45mm s | m"], "instruction_attributes": ["compatible apple", "easy install"], "instruction_options": ["b tie dye"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54R6384", "worker_id": "A16IQOX0DK14OJ"}], "B08FZT1XSC": [{"asin": "B08FZT1XSC", "instruction": "i'm looking for a keto friendly kassumay strawberry hibiscus sabddariffa spread.", "attributes": ["keto friendly", "non gmo"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3137ONMDKRFU787KL9LSMIY0J0HEGW", "worker_id": "A1Q0EUNCS50S8M"}], "B09QXH784K": [{"asin": "B09QXH784K", "instruction": "i am looking for a 11\" sized walking boots for outdoor activities. and i would go for the black one", "attributes": ["anti slip", "open toe", "non slip", "quality materials", "closed toe", "memory foam", "rubber sole"], "options": ["color: black", "size: 11"], "instruction_attributes": ["anti slip"], "instruction_options": ["black", "11"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPB9ROK", "worker_id": "A2COCSUGZV28X"}], "B09Q348M72": [{"asin": "B09Q348M72", "instruction": "i want a light beige full platform bed with a headboard. it should be easy to assemble.", "attributes": ["non slip", "easy assemble", "box spring", "metal legs", "memory foam"], "options": ["color: light beige", "size: queen"], "instruction_attributes": ["easy assemble"], "instruction_options": ["light beige"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRF4WNW", "worker_id": "A1NF6PELRKACS9"}], "B009P452VO": [{"asin": "B009P452VO", "instruction": "i am looking or a 12 ounce (pack of 1) non gmo gluten free granola", "attributes": ["non gmo", "gluten free", "fat free"], "options": ["flavor name: cranberry pecan", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["12 ounce (pack of 1)"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49IUTDX", "worker_id": "A9QRQL9CFJBI7"}], "B08R89VRFB": [{"asin": "B08R89VRFB", "instruction": "i'm looking for sliver smart watch made from 20mm stainless steel.", "attributes": ["quick release", "easy install", "stainless steel"], "options": ["color: silver"], "instruction_attributes": ["stainless steel"], "instruction_options": ["silver"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OQ799R", "worker_id": "A1Q0EUNCS50S8M"}], "B01HXV90BS": [{"asin": "B01HXV90BS", "instruction": "i am looking for an anti-aging serum based on hyaluronic acid in a 1 fl oz bottle", "attributes": ["anti aging", "high quality", "hyaluronic acid", "fine lines"], "options": ["size: 1 fl oz (pack of 1)"], "instruction_attributes": ["anti aging", "hyaluronic acid"], "instruction_options": ["1 fl oz (pack of 1)"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW758S1", "worker_id": "A13PVNQT2WWWVL"}], "B07P8KDPJF": [{"asin": "B07P8KDPJF", "instruction": "i want avocado extract flover paraben free hair mask for treatment of dry hair", "attributes": ["paraben free", "dry hair"], "options": ["scent: avocado extract"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRVHPWZ", "worker_id": "A3N9ZYQAESNFQH"}], "B08TX29T65": [{"asin": "B08TX29T65", "instruction": "i am looking for a 5x7 ft backgrounds for digital photography", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 01", "size: 5x7 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["5x7 ft"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3HKAY6", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B08TX29T65", "instruction": "i want to buy a lightweight photography backdrop that has a print color 03 and is 9x16 ft.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 03", "size: 9x16 ft"], "instruction_attributes": ["light weight"], "instruction_options": ["printed backdrop 03", "9x16 ft"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1DQXC2", "worker_id": "A2YNPKYEFDZ6C9"}], "B08G87W2B9": [{"asin": "B08G87W2B9", "instruction": "i am looking for a size 13 sandal for women which has an open toe and a high heel.", "attributes": ["open toe", "high heel", "ankle strap"], "options": ["color: silver", "size: 13"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["13"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHP60JE", "worker_id": "AJDQGOTMB2D80"}], "B08M6JS7SM": [{"asin": "B08M6JS7SM", "instruction": "i am looking for a high quality bag that has a cartoon image.", "attributes": ["leak proof", "easy carry", "high quality"], "options": ["color: cartoon"], "instruction_attributes": ["high quality"], "instruction_options": ["cartoon"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DT54KM", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NDQYJ3G": [{"asin": "B09NDQYJ3G", "instruction": "i need an open toe, high heel, ankle strap wedge sandals in color white and size 9.5-10.", "attributes": ["open toe", "closed toe", "high heel", "ankle strap"], "options": ["color: white", "size: 9.5-10"], "instruction_attributes": ["open toe", "high heel", "ankle strap"], "instruction_options": ["white", "9.5-10"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXC7G74", "worker_id": "ASWFLI3N8X72G"}], "B09LYSJB8Z": [{"asin": "B09LYSJB8Z", "instruction": "i intend to buy a queen sized easy to assemble black metal platform bed.", "attributes": ["twin size", "easy assemble", "box spring"], "options": ["color: black", "size: queen"], "instruction_attributes": ["easy assemble"], "instruction_options": ["black", "queen"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPBJDQR", "worker_id": "A3AYHESLQSDY5T"}], "B079QJD2FG": [{"asin": "B079QJD2FG", "instruction": "i need to buy an 104 square foot piece of eco-friendly synthetic turf.", "attributes": ["eco friendly", "high density"], "options": ["size: 8 ft x 13 ft (104 square ft)"], "instruction_attributes": ["eco friendly"], "instruction_options": ["8 ft x 13 ft (104 square ft)"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H6NU84", "worker_id": "AR9AU5FY1S3RO"}], "B09JFQR4DC": [{"asin": "B09JFQR4DC", "instruction": "i am looking for a blue stretch fabric dress shirts for regular fit", "attributes": ["easy care", "daily casual", "regular fit", "stretch fabric", "long sleeve", "button closure"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["regular fit", "stretch fabric"], "instruction_options": [], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8FX5RK", "worker_id": "A9QRQL9CFJBI7"}], "B08Q7V8P6Q": [{"asin": "B08Q7V8P6Q", "instruction": "i'm looking for a large sweatpants fleece lined for sports in dark gray", "attributes": ["fleece lined", "hand wash", "daily casual", "winter warm", "straight leg", "wash cold", "machine wash", "comfortable fit", "drawstring closure", "elastic waist", "polyester spandex"], "options": ["color: 02 dark gray", "size: large"], "instruction_attributes": ["fleece lined"], "instruction_options": ["02 dark gray", "large"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFTDT0W", "worker_id": "A2Y2TURT2VEYZN"}], "B07W7VW47Y": [{"asin": "B07W7VW47Y", "instruction": "i would like a pair of size 9.5 wheat work boots that have a steel toe.", "attributes": ["slip resistant", "moisture wicking", "steel toe"], "options": ["color: wheat", "size: 9.5 wide"], "instruction_attributes": ["steel toe"], "instruction_options": ["wheat", "9.5 wide"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB99LN8U", "worker_id": "A1WS884SI0SLO4"}], "B085HY41GN": [{"asin": "B085HY41GN", "instruction": "i am looking for a 8.5 size ankle strap flat sandals", "attributes": ["open toe", "ankle strap", "steel toe", "high heel"], "options": ["color: z5-brown", "size: 8.5"], "instruction_attributes": ["ankle strap"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5GUZ18", "worker_id": "A9QRQL9CFJBI7"}], "B09CYFD5BX": [{"asin": "B09CYFD5BX", "instruction": "i'm looking for beauty salon need buy a blue colored chairs.", "attributes": ["heavy duty", "high quality", "beauty salon"], "options": ["color: blue", "size: 1"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OSBPOE", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09CYFD5BX", "instruction": "i am looking for a heavy duty barber chair thats high quality bar stool. go ahead and get a brown color.", "attributes": ["heavy duty", "high quality", "beauty salon"], "options": ["color: brown", "size: 2"], "instruction_attributes": ["heavy duty", "high quality"], "instruction_options": ["brown"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYMFQMK", "worker_id": "A31PW970Z2PC5P"}], "B016N62TXA": [{"asin": "B016N62TXA", "instruction": "i'm looking for coaxial cable for cell phone accessories.", "attributes": ["coaxial cable", "4g lte"], "options": [""], "instruction_attributes": ["coaxial cable"], "instruction_options": [], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQE0SQ7", "worker_id": "A16IQOX0DK14OJ"}], "B089W8BMRT": [{"asin": "B089W8BMRT", "instruction": "i'm looking for a leather sole high heel sandal in dark rose gold.", "attributes": ["leather sole", "high heel"], "options": ["color: dark rose gold", "size: 11.5"], "instruction_attributes": ["leather sole", "high heel"], "instruction_options": ["dark rose gold"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJSMBX5", "worker_id": "A2CJFO19NY4T5R"}], "B08LTCVMQG": [{"asin": "B08LTCVMQG", "instruction": "i'm looking for brown industrial size 10 boots made with vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: brown", "size: 10"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["brown", "10"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UQ4EZE", "worker_id": "A1HMZJ59OPLD1P"}], "B09JC29RSY": [{"asin": "B09JC29RSY", "instruction": "i am looking for large nightstand end table for living room.", "attributes": ["mid century", "easy install", "easy assemble", "living room"], "options": ["size: large"], "instruction_attributes": ["living room"], "instruction_options": ["large"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOIALMC", "worker_id": "A3FG5PQHG5AH3Y"}], "B06XSGZKC7": [{"asin": "B06XSGZKC7", "instruction": "i'm looking for certifies organic groceries the flavor was cacao bits", "attributes": ["certified organic", "non gmo"], "options": ["flavor: cacao nibs", "size: 4 pound (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["cacao nibs"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FHFELE", "worker_id": "A16IQOX0DK14OJ"}], "B08R8HKCHN": [{"asin": "B08R8HKCHN", "instruction": "i need green colored headphones with superior stereo sound and comes with a convenient carrying case.", "attributes": ["carrying case", "stereo sound"], "options": ["color: green"], "instruction_attributes": ["carrying case", "stereo sound"], "instruction_options": ["green"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDN9CHQ", "worker_id": "ASWFLI3N8X72G"}], "B08XJ2MV9V": [{"asin": "B08XJ2MV9V", "instruction": "i'm looking for a 10 lights stepeak w23.6\" crystal golden chandelier pendant lighting .", "attributes": ["light fixture", "dining room", "living room"], "options": ["color: 24lights 4-tier grey dia39\""], "instruction_attributes": ["dining room", "living room"], "instruction_options": ["24lights 4-tier grey dia39\""], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZTR404", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07VGP44B2": [{"asin": "B07VGP44B2", "instruction": "i need to buy a solid wood console table for my living room. look for one in grey.", "attributes": ["solid wood", "living room"], "options": ["color: distressed grey"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["distressed grey"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGDOMSZ", "worker_id": "AR9AU5FY1S3RO"}], "B09FT4RLLS": [{"asin": "B09FT4RLLS", "instruction": "i'm looking for one aluminum alloy magnetic case phor iphone 13 mini in black", "attributes": ["aluminum alloy", "wireless charging"], "options": ["color: black", "size: iphone 13 mini"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["black", "iphone 13 mini"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSKLQ2M", "worker_id": "A2Y2TURT2VEYZN"}], "B01N9C9AT6": [{"asin": "B01N9C9AT6", "instruction": "i'm looking for stainless steel accessories and need to buy it.", "attributes": ["carrying case", "stainless steel"], "options": ["color: purple"], "instruction_attributes": ["carrying case", "stainless steel"], "instruction_options": ["purple"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF4MDLQ", "worker_id": "A16IQOX0DK14OJ"}], "B09M87JDMM": [{"asin": "B09M87JDMM", "instruction": "i am looking for 1080p security camera with motion detection feature.", "attributes": ["1080p hd", "easy install", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": [], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUA1MR5", "worker_id": "A3FG5PQHG5AH3Y"}], "B09PYVM1NK": [{"asin": "B09PYVM1NK", "instruction": "i am looking for a size 9.5 brown open toed heeled sandal with an ankle strip", "attributes": ["open toe", "high heel", "ankle strap", "teen girls", "daily wear"], "options": ["color: a11-brown", "size: 9.5-10"], "instruction_attributes": ["open toe", "ankle strap"], "instruction_options": ["a11-brown", "9.5-10"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z4FXG7", "worker_id": "A22VGT2F28LTWC"}], "B08FC8DZRJ": [{"asin": "B08FC8DZRJ", "instruction": "i would like a grey 100x40x40cm ottoman for my living room.", "attributes": ["high density", "storage space", "living room"], "options": ["color: grey", "size: 100x40x40cm"], "instruction_attributes": ["living room"], "instruction_options": ["grey", "100x40x40cm"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFF2U5G", "worker_id": "A1WS884SI0SLO4"}], "B07ZKLZC26": [{"asin": "B07ZKLZC26", "instruction": "i am looking for 60 pieces of farm themed cupcake toppers for a birthday party.", "attributes": ["baby shower", "birthday party", "party supplies"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFP33V5", "worker_id": "A1EREKSZAA9V7B"}], "B09LVBN1QT": [{"asin": "B09LVBN1QT", "instruction": "get me a high performance coaxial cable connector.", "attributes": ["high performance", "coaxial cable"], "options": [""], "instruction_attributes": ["high performance", "coaxial cable"], "instruction_options": [], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQDFS61", "worker_id": "A3AYHESLQSDY5T"}], "B09MLFHLVS": [{"asin": "B09MLFHLVS", "instruction": "i'm looking for high heel boost the color was wine.", "attributes": ["knee high", "open toe", "non slip", "high heel", "high waist", "rubber sole"], "options": ["color: wine", "size: 6"], "instruction_attributes": ["knee high", "high heel", "rubber sole"], "instruction_options": ["wine"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKLU1TI", "worker_id": "A16IQOX0DK14OJ"}], "B00M2XDHY4": [{"asin": "B00M2XDHY4", "instruction": "i need some dark gray cotton trousers.", "attributes": ["water resistant", "polyester cotton", "regular fit"], "options": ["color: dark grey", "size: 44"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["dark grey"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL4UEA8", "worker_id": "A19317A3X87NVM"}], "B01DZV37VY": [{"asin": "B01DZV37VY", "instruction": "i am looking for a heavy duty rca cables.", "attributes": ["heavy duty", "high performance"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EDKB1Q", "worker_id": "A9QRQL9CFJBI7"}], "B01N9PYL3A": [{"asin": "B01N9PYL3A", "instruction": "i am looking 25 pound high protein dietary fiber wheat flours & meals", "attributes": ["non gmo", "high protein", "dietary fiber"], "options": ["size: 25 pound (pack of 1)"], "instruction_attributes": ["high protein", "dietary fiber"], "instruction_options": ["25 pound (pack of 1)"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP487JJ", "worker_id": "A3N9ZYQAESNFQH"}], "B09G9LGHC8": [{"asin": "B09G9LGHC8", "instruction": "i want a light weight high resolution background for photography purpose of baby sower party size :5*3ft", "attributes": ["light weight", "high resolution"], "options": ["size: 5x3ft"], "instruction_attributes": ["light weight", "high resolution"], "instruction_options": ["5x3ft"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRSSBZA", "worker_id": "A3N9ZYQAESNFQH"}], "B093YS37ST": [{"asin": "B093YS37ST", "instruction": "i'm looking for clothing accessories for carry a laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UFL3AN", "worker_id": "A16IQOX0DK14OJ"}], "B08J1D47RV": [{"asin": "B08J1D47RV", "instruction": "looking for vegan sweet potato puffs non gmo product", "attributes": ["plant based", "gluten free", "non gmo"], "options": ["flavor name: 4. vegan cheesy cheddar"], "instruction_attributes": ["non gmo"], "instruction_options": ["4. vegan cheesy cheddar"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79K0KQV", "worker_id": "A2Y2TURT2VEYZN"}], "B00A8MYSTY": [{"asin": "B00A8MYSTY", "instruction": "i looking a relaxed fit nylon spandex camping everyday wear hiking woman pant color :thistle", "attributes": ["nylon spandex", "imported zipper", "relaxed fit", "everyday wear"], "options": ["color: thistle", "size: 16 short"], "instruction_attributes": ["nylon spandex", "relaxed fit", "everyday wear"], "instruction_options": ["thistle"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22K98WO", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B00A8MYSTY", "instruction": "i need everyday wear pants for hiking that are flax colored in a size 20.", "attributes": ["nylon spandex", "imported zipper", "relaxed fit", "everyday wear"], "options": ["color: flax", "size: 20"], "instruction_attributes": ["everyday wear"], "instruction_options": ["flax", "20"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8ABA5H", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DWVK8LC": [{"asin": "B08DWVK8LC", "instruction": "i want a high quality acrylic nail kit that is long lasting and clear pink nude in color.", "attributes": ["high quality", "long lasting", "nail art"], "options": ["color: acrylic clear | pink | nude"], "instruction_attributes": ["high quality", "long lasting"], "instruction_options": ["acrylic clear | pink | nude"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4BUQRS", "worker_id": "A1NF6PELRKACS9"}], "B07Y98Y4L6": [{"asin": "B07Y98Y4L6", "instruction": "i would like a black race style video game chair with good lumbar support.", "attributes": ["white item", "lumbar support", "memory foam", "steel frame"], "options": ["color: black | white", "style: race"], "instruction_attributes": ["lumbar support"], "instruction_options": ["black | white", "race"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647BEH3H", "worker_id": "A1WS884SI0SLO4"}], "B093YSDS5S": [{"asin": "B093YSDS5S", "instruction": "i am looking for a medium sized laundry bag for my travel on christmas holidays", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEKSQ84", "worker_id": "A2COCSUGZV28X"}], "B091FBFNBF": [{"asin": "B091FBFNBF", "instruction": "i'm looking for open toe pillow slippers that can drying shower.", "attributes": ["non slip", "quick drying", "open toe", "ethylene vinyl", "vinyl acetate"], "options": ["color: pink", "size: 9.5-10 women | 8-9 men"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LJBI5Q", "worker_id": "A16IQOX0DK14OJ"}], "B08Y98ZBKX": [{"asin": "B08Y98ZBKX", "instruction": "i am looking for an intel core i5 workstation pc with windows 10 pro.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5", "intel core"], "instruction_options": [], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNZ8PTE", "worker_id": "A1EREKSZAA9V7B"}], "B09NJL8M8C": [{"asin": "B09NJL8M8C", "instruction": "i want a pair of orange non slip shoes with memory foam for jogging.", "attributes": ["non slip", "day comfort", "slip resistant", "memory foam", "steel toe", "arch support", "rubber sole"], "options": ["color: orange", "size: 6.5-7"], "instruction_attributes": ["non slip", "memory foam"], "instruction_options": ["orange"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFHLV9M", "worker_id": "A1NF6PELRKACS9"}], "B09SCVRT52": [{"asin": "B09SCVRT52", "instruction": "i'm looking for women's clothing for it was soft material it can wear everyday wear.", "attributes": ["soft material", "arch support", "everyday wear"], "options": ["color: a10 - black", "size: 9.5 wide"], "instruction_attributes": ["soft material", "everyday wear"], "instruction_options": ["a10 - black"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FE28KW", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09SCVRT52", "instruction": "i want to find a pair of black women's platform wedges for everyday wear. they need to be a size 9 and be on the wider side.", "attributes": ["soft material", "arch support", "everyday wear"], "options": ["color: a10 - black", "size: 9 wide"], "instruction_attributes": ["everyday wear"], "instruction_options": ["a10 - black", "9 wide"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH152BHWM", "worker_id": "A345TDMHP3DQ3G"}], "B0852ZWWS9": [{"asin": "B0852ZWWS9", "instruction": "i need a alcohol free perfume oil of 12ml meal size . and i would prefer the green musk scent", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: green musk", "size: 12 ml - metal"], "instruction_attributes": ["alcohol free"], "instruction_options": ["green musk", "12 ml - metal"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IR6LTF", "worker_id": "A2COCSUGZV28X"}, {"asin": "B0852ZWWS9", "instruction": "seeking as premium perfume oil containing attar oil, that is vegan, cruelty, and alcohol free, long lasting, 3ml bottle, violet scent, named amber romance by amuze fragrance", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: violet", "size: 0.41 fl oz (pack of 1)"], "instruction_attributes": ["alcohol free", "cruelty free", "long lasting"], "instruction_options": ["violet"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VMO60M", "worker_id": "A3RGIKEI8JS2QG"}, {"asin": "B0852ZWWS9", "instruction": "i want to buy a perfume which is alcohol free and lasts long, the scent should be of egyptian musk and it should be 3 ml.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: egyptian musk", "size: 3 ml"], "instruction_attributes": ["alcohol free", "long lasting"], "instruction_options": ["egyptian musk", "3 ml"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBI3GHC", "worker_id": "AJY5G987IRT25"}, {"asin": "B0852ZWWS9", "instruction": "i want a 12 ml bottle of turkish rose long lasting fragrance.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: turkish rose", "size: 12 ml"], "instruction_attributes": ["long lasting"], "instruction_options": ["turkish rose", "12 ml"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZU4HS6", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0852ZWWS9", "instruction": "i am looking for alcohol and cruelty free vanilla musk perfume oil.", "attributes": ["alcohol free", "cruelty free", "paraben free", "long lasting"], "options": ["scent: vanilla musk", "size: 0.1 fl oz (pack of 1)"], "instruction_attributes": ["alcohol free", "cruelty free"], "instruction_options": ["vanilla musk"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4XQ0HX", "worker_id": "A1EREKSZAA9V7B"}], "B07Y5HLQSP": [{"asin": "B07Y5HLQSP", "instruction": "i am looking for gluten free chocolate bars.", "attributes": ["trader joe", "gluten free", "natural flavors"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCY6Q47", "worker_id": "A3FG5PQHG5AH3Y"}], "B087LSWCM8": [{"asin": "B087LSWCM8", "instruction": "i am looking for a 46 inches table pads of stainless steel", "attributes": ["easy clean", "stainless steel"], "options": ["color: frosted 1.5mm", "size: 46 inch"], "instruction_attributes": ["stainless steel"], "instruction_options": ["46 inch"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YJ2NPV", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B087LSWCM8", "instruction": "i'm looking for stainless steel for for kitchen and dinning room.", "attributes": ["easy clean", "stainless steel"], "options": ["color: clear 1.5mm", "size: 30 x 48 inch"], "instruction_attributes": ["stainless steel"], "instruction_options": ["clear 1.5mm"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7YLSDA", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B087LSWCM8", "instruction": "i need a desk cover protector that's 30 by 60 inches. it should be easy to clean.", "attributes": ["easy clean", "stainless steel"], "options": ["color: clear 1.5mm", "size: 30 x 60 inch"], "instruction_attributes": ["easy clean"], "instruction_options": ["30 x 60 inch"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LEY1OJ", "worker_id": "AR9AU5FY1S3RO"}], "B08W7X86D4": [{"asin": "B08W7X86D4", "instruction": "i am looking for plant based,gluten free and sugar free seedbars.please choose mulberry cacao flavour.", "attributes": ["plant based", "dairy free", "non gmo", "artificial ingredients", "gluten free", "soy free", "certified organic", "sugar free", "quality ingredients"], "options": ["flavor name: mulberry cacao + spirulina"], "instruction_attributes": ["plant based", "gluten free", "sugar free"], "instruction_options": ["mulberry cacao + spirulina"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06LQKXR", "worker_id": "A3FG5PQHG5AH3Y"}], "B097YHD3PS": [{"asin": "B097YHD3PS", "instruction": "i'm looking for resealable bag red color.", "attributes": ["non gmo", "resealable bag"], "options": ["color: red pitaya 250g"], "instruction_attributes": ["resealable bag"], "instruction_options": ["red pitaya 250g"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG2UGBM", "worker_id": "A16IQOX0DK14OJ"}], "B08CNMQV8Z": [{"asin": "B08CNMQV8Z", "instruction": "i need chocolate filled snack cookies with low calories,low sugar and dairy free.", "attributes": ["low sugar", "low calorie", "fat free", "low carb", "dairy free", "gluten free"], "options": ["flavor name: chocolate filled", "size: 2.4 ounce (pack of 2)"], "instruction_attributes": ["low sugar", "low calorie", "gluten free"], "instruction_options": ["chocolate filled"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1NCTI9", "worker_id": "AHU9OLV0YKIIW"}], "B09HPFRPD3": [{"asin": "B09HPFRPD3", "instruction": "i'm looking for a size 9 woman denim high heel.", "attributes": ["slip resistant", "leather sole", "high heel", "ankle strap"], "options": ["color: qb1- e5-blue", "size: 9"], "instruction_attributes": ["high heel"], "instruction_options": ["9"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP5W7J9", "worker_id": "ARQ05PDNXPFDI"}], "B0845Y6ZDV": [{"asin": "B0845Y6ZDV", "instruction": "i need a pair of high speed usb-c cables.", "attributes": ["fast charging", "high speed"], "options": ["style: 2 pack - type g"], "instruction_attributes": ["high speed"], "instruction_options": ["2 pack - type g"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTNEOQJ", "worker_id": "A19317A3X87NVM"}], "B09SXYCCC1": [{"asin": "B09SXYCCC1", "instruction": "i want a office chair for heavy duty easy assemble with lumber support", "attributes": ["heavy duty", "easy assemble", "lumbar support"], "options": [""], "instruction_attributes": ["heavy duty", "easy assemble", "lumbar support"], "instruction_options": [], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCP1I70", "worker_id": "A3N9ZYQAESNFQH"}], "B000PW7N2Q": [{"asin": "B000PW7N2Q", "instruction": "i need 3-light vanity light in brushed nickel", "attributes": ["vanity light", "brushed nickel"], "options": ["color: brushed nickel", "size: 3-light"], "instruction_attributes": ["vanity light", "brushed nickel"], "instruction_options": ["3-light"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2967Y4", "worker_id": "A258PTOZ3D2TQR"}], "B0796M28ST": [{"asin": "B0796M28ST", "instruction": "i'm looking for hair loss to prevention of hair extensions.", "attributes": ["cruelty free", "tea tree", "hair loss"], "options": [""], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WW61AU", "worker_id": "A16IQOX0DK14OJ"}], "B0113JAN8K": [{"asin": "B0113JAN8K", "instruction": "i'm looking for a splitter for high speed coaxial cable.", "attributes": ["high speed", "coaxial cable"], "options": [""], "instruction_attributes": ["high speed", "coaxial cable"], "instruction_options": [], "assignment_id": "39O5D9O8742EGYBIU38DD09OUIUC3M", "worker_id": "AR0VJ5XRG16UJ"}], "B071YPLTYP": [{"asin": "B071YPLTYP", "instruction": "i need small size men's boxer brief, with elastic waistband in black air cool color for everyday wear. it should also feature quick drying and machine wash.", "attributes": ["quick drying", "wash cold", "machine wash", "elastic waistband", "everyday wear", "tumble dry"], "options": ["color: black air cool", "size: small"], "instruction_attributes": ["quick drying", "machine wash", "elastic waistband", "everyday wear"], "instruction_options": ["black air cool", "small"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXW74OU", "worker_id": "ASWFLI3N8X72G"}], "B097YWSYBJ": [{"asin": "B097YWSYBJ", "instruction": "i am looking for high performance gamer computer with 64gb ram", "attributes": ["high performance", "intel core"], "options": ["size: 64gb ram | 1tb ssd | 2tb hdd", "style: 10th gen i9-10900kf"], "instruction_attributes": ["high performance"], "instruction_options": ["64gb ram | 1tb ssd | 2tb hdd"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5H31ZL", "worker_id": "A16M39T60N60NO"}, {"asin": "B097YWSYBJ", "instruction": "i am looking for a high performance gaming computer with intel core, 64gb ram and 1tb ssd. also look for 2tb hdd.", "attributes": ["high performance", "intel core"], "options": ["size: 64gb ram | 1tb ssd | 2tb hdd", "style: 11th gen i7-11700kf"], "instruction_attributes": ["high performance", "intel core"], "instruction_options": ["64gb ram | 1tb ssd | 2tb hdd"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1GUCXR", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B097YWSYBJ", "instruction": "i am looking for a high performance computer that has 32 gb of ram and 3tb of storage.", "attributes": ["high performance", "intel core"], "options": ["size: 32gb ram | 1tb ssd | 2tb hdd", "style: 10th gen i9-10900kf"], "instruction_attributes": ["high performance"], "instruction_options": ["32gb ram | 1tb ssd | 2tb hdd"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KVXE7O", "worker_id": "A2ECRNQ3X5LEXD"}], "B092ZJ8V8R": [{"asin": "B092ZJ8V8R", "instruction": "i am looking for black nail polish.", "attributes": ["easy carry", "high quality", "storage case", "nail polish", "nail art"], "options": ["color: black", "size: large"], "instruction_attributes": ["nail polish"], "instruction_options": ["black"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X69GP7", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B092ZJ8V8R", "instruction": "i want a black ethereal nail polish organizer case.", "attributes": ["easy carry", "high quality", "storage case", "nail polish", "nail art"], "options": ["color: black", "size: extra large"], "instruction_attributes": ["nail polish"], "instruction_options": ["black"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUSOJQD", "worker_id": "A2RBF3IIJP15IH"}], "B09J7XX5W3": [{"asin": "B09J7XX5W3", "instruction": "i'm looking for future mattress for living room it can make decor a living area.", "attributes": ["non slip", "living room"], "options": ["color: a", "size: 100*200cm(39*79in)"], "instruction_attributes": ["living room"], "instruction_options": ["a"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YY23QR", "worker_id": "A16IQOX0DK14OJ"}], "B08JV582PQ": [{"asin": "B08JV582PQ", "instruction": "i am looking for a black nubuck | mesh shoes of memory foam for men.", "attributes": ["ethylene vinyl", "vinyl acetate", "memory foam"], "options": ["color: black nubuck | mesh", "size: 12"], "instruction_attributes": ["memory foam"], "instruction_options": ["black nubuck | mesh"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD9W0S9", "worker_id": "A9QRQL9CFJBI7"}], "B08D696W62": [{"asin": "B08D696W62", "instruction": "order for me a high speed data sync charge cable for my playstation 4 and should be silver in color.", "attributes": ["high speed", "usb port"], "options": ["color: silver"], "instruction_attributes": ["high speed"], "instruction_options": ["silver"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1B2GYR", "worker_id": "AHU9OLV0YKIIW"}], "B09PBML1BN": [{"asin": "B09PBML1BN", "instruction": "i am looking for a straight leg fitted shorts for my work out. and i choose the xx-large with black-2 color", "attributes": ["straight leg", "wide leg", "hand wash", "machine wash", "drawstring closure", "elastic waist", "relaxed fit", "daily wear"], "options": ["color: black-2", "size: xx-large"], "instruction_attributes": ["straight leg"], "instruction_options": ["black-2", "xx-large"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9PXTVV", "worker_id": "A2COCSUGZV28X"}], "B002PHI69I": [{"asin": "B002PHI69I", "instruction": "i'm looking for black embossed rose shoes for women's and it will long lasting.", "attributes": ["slip resistant", "arch support"], "options": ["color: black embossed rose", "size: 6 wide"], "instruction_attributes": ["slip resistant", "arch support"], "instruction_options": ["black embossed rose"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WSG24T", "worker_id": "A16IQOX0DK14OJ"}], "B07GDS9461": [{"asin": "B07GDS9461", "instruction": "pick a nutmeg shade concealer that hides dark circle. also remember that i have sensitive skin.", "attributes": ["dark circles", "sensitive skin"], "options": ["color: nutmeg", "size: 0.34 fl oz (pack of 1 )"], "instruction_attributes": ["dark circles", "sensitive skin"], "instruction_options": ["nutmeg"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841BSXAP", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07GDS9461", "instruction": "i am looking for a medium color concealers & neutralizers for sensitive skin", "attributes": ["dark circles", "sensitive skin"], "options": ["color: medium", "size: 0.34 fl oz (pack of 1 )"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["medium"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9U487S", "worker_id": "A9QRQL9CFJBI7"}], "B096NPDJQJ": [{"asin": "B096NPDJQJ", "instruction": "i am looking for a eco friendly window films of 23.6\" x 63\" x 2 pcs( total: 120x160cm ) size.", "attributes": ["eco friendly", "easy install"], "options": ["color: multi-08946", "size: 23.6\" x 63\" x 2 pcs( total: 120x160cm )"], "instruction_attributes": ["eco friendly"], "instruction_options": ["23.6\" x 63\" x 2 pcs( total"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602TJ95T", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B096NPDJQJ", "instruction": "i am looking for a eco friendly window films of 35.4\" x 94.4\" x 2 pcs( total: 180x240cm )", "attributes": ["eco friendly", "easy install"], "options": ["color: multi-08952", "size: 35.4\" x 94.4\" x 2 pcs( total: 180x240cm )"], "instruction_attributes": [], "instruction_options": ["35.4\" x 94.4\" x 2 pcs( total"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG2X45M", "worker_id": "A9QRQL9CFJBI7"}], "B084T7NY3Q": [{"asin": "B084T7NY3Q", "instruction": "i need individually wrapped gluten free oatmeal chocolate chip cookies that is plant based.", "attributes": ["plant based", "individually wrapped", "gluten free", "simple ingredients", "artificial colors"], "options": ["flavor name: oatmeal chocolate chip"], "instruction_attributes": ["plant based", "individually wrapped", "gluten free"], "instruction_options": ["oatmeal chocolate chip"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y7DIVX", "worker_id": "A1NF6PELRKACS9"}], "B09S6HC66Y": [{"asin": "B09S6HC66Y", "instruction": "i am looking for a loofahs for dead skin", "attributes": ["fine lines", "dead skin"], "options": [""], "instruction_attributes": ["dead skin"], "instruction_options": [], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CEC0V2", "worker_id": "A9QRQL9CFJBI7"}], "B08MBFBXJ1": [{"asin": "B08MBFBXJ1", "instruction": "i'm looking for a plant based vegetable crisps made of simple ingredients and should be gluten free.", "attributes": ["gluten free", "plant based", "non gmo", "simple ingredients"], "options": [""], "instruction_attributes": ["gluten free", "plant based", "simple ingredients"], "instruction_options": [], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO4UC2B", "worker_id": "AR0VJ5XRG16UJ"}], "B07S3XVZVB": [{"asin": "B07S3XVZVB", "instruction": "i would like a box of 24 granola bars that are high in protein.", "attributes": ["high protein", "dietary fiber", "gift set"], "options": ["size: 24 servings"], "instruction_attributes": ["high protein"], "instruction_options": ["24 servings"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CR7T2Q", "worker_id": "A1WS884SI0SLO4"}], "B09S9N1VNJ": [{"asin": "B09S9N1VNJ", "instruction": "i looking foco nfl team logo women's moisture wicking arch support size :9 black daily use slipper", "attributes": ["moisture wicking", "arch support", "memory foam"], "options": ["color: 01-black", "size: 9"], "instruction_attributes": ["moisture wicking", "arch support"], "instruction_options": ["01-black", "9"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOIDMLG", "worker_id": "A3N9ZYQAESNFQH"}], "B09DFL8NVF": [{"asin": "B09DFL8NVF", "instruction": "i am looking for a white bed frames", "attributes": ["white item", "easy assemble", "box spring"], "options": ["color: white"], "instruction_attributes": ["white item"], "instruction_options": ["white"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT47JYO", "worker_id": "A9QRQL9CFJBI7"}], "B06XBX38LP": [{"asin": "B06XBX38LP", "instruction": "i'm looking for computer accessories for high speed and gold plated.", "attributes": ["high speed", "gold plated", "long lasting", "high definition"], "options": ["color: purple", "size: 2 feet (5 pack)"], "instruction_attributes": ["high speed", "gold plated", "long lasting"], "instruction_options": ["purple"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TMMN3T", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B06XBX38LP", "instruction": "i need 5 pack of 100 feet high speed internet cable. the color should be yellow and the wire must be gold plated", "attributes": ["high speed", "gold plated", "long lasting", "high definition"], "options": ["color: yellow", "size: 100 feet (5 pack)"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["yellow", "100 feet (5 pack)"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUJQC3K", "worker_id": "ASWFLI3N8X72G"}], "B089F7T791": [{"asin": "B089F7T791", "instruction": "i'm looking for skin care products it can easy to use and it can use for sensitive skin.", "attributes": ["dermatologist tested", "paraben free", "easy use", "sensitive skin"], "options": ["style: gentle cleanser"], "instruction_attributes": ["easy use", "sensitive skin"], "instruction_options": ["gentle cleanser"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9GE2E1", "worker_id": "A16IQOX0DK14OJ"}], "B07ZPSFLPW": [{"asin": "B07ZPSFLPW", "instruction": "i need a casual short sleeve small size flowy dress. also d-sage green one.", "attributes": ["short sleeve", "long sleeve", "daily wear"], "options": ["color: d-sage green", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["d-sage green", "small"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT8B37U", "worker_id": "A258PTOZ3D2TQR"}], "B077YSK7SK": [{"asin": "B077YSK7SK", "instruction": "i am looking for a white item barstools", "attributes": ["white item", "assembly required"], "options": [""], "instruction_attributes": ["white item"], "instruction_options": [], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFBK9D6", "worker_id": "A9QRQL9CFJBI7"}], "B09713XF7Y": [{"asin": "B09713XF7Y", "instruction": "i'm looking for a women's summer adjustable buckle ankle strap cloth sandals.", "attributes": ["high heel", "soft material", "ankle strap", "daily wear"], "options": ["color: red", "size: 9"], "instruction_attributes": ["ankle strap"], "instruction_options": ["red", "9"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCP9B90", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08SGBKV87": [{"asin": "B08SGBKV87", "instruction": "i am looking for a travel size and alcohol free eau de parfum for women of versace dreamer impression scent.", "attributes": ["travel size", "alcohol free", "long lasting", "high quality"], "options": ["scent: versace dreamer impression"], "instruction_attributes": ["travel size", "alcohol free"], "instruction_options": ["versace dreamer impression"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRSTZBZ", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B08SGBKV87", "instruction": "i am looking for a travel sized bottle of christian dior homme intense impression perfume.", "attributes": ["travel size", "alcohol free", "long lasting", "high quality"], "options": ["scent: christian dior homme intense impression"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3XN1UR", "worker_id": "A1EREKSZAA9V7B"}], "B08WQ6NBSL": [{"asin": "B08WQ6NBSL", "instruction": "i am in need of 18 inch high quality human hair wig for women", "attributes": ["high quality", "hair loss"], "options": ["size: 18 inch"], "instruction_attributes": ["high quality"], "instruction_options": ["18 inch"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZC7UWY", "worker_id": "A258PTOZ3D2TQR"}], "B097YLN95R": [{"asin": "B097YLN95R", "instruction": "i am looking for non toxic makeup remover.", "attributes": ["non toxic", "dry skin", "sensitive skin"], "options": [""], "instruction_attributes": ["non toxic"], "instruction_options": [], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC40NIA", "worker_id": "A3FG5PQHG5AH3Y"}], "B08TVGRCRB": [{"asin": "B08TVGRCRB", "instruction": "a heavy duty single gang rocker high gloss electric wall plate cover", "attributes": ["heavy duty", "high gloss"], "options": ["style: single rocker | gfci"], "instruction_attributes": ["heavy duty", "high gloss"], "instruction_options": ["single rocker | gfci"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7XF5PY", "worker_id": "A3N9ZYQAESNFQH"}], "B07H65YQLJ": [{"asin": "B07H65YQLJ", "instruction": "i would like a 12 by 16 inch poster in three pieces of watercolor potted leaves for my living room.", "attributes": ["ready hang", "living room"], "options": ["color: watercolor potted leaves", "size: 12x16inches*3pcs"], "instruction_attributes": ["living room"], "instruction_options": ["watercolor potted leaves", "12x16inches*3pcs"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N7XT7A", "worker_id": "A1WS884SI0SLO4"}], "B08CNG5MTQ": [{"asin": "B08CNG5MTQ", "instruction": "i am looking for a 5 no. rubber sole heeled sandals", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: metallic leather combi", "size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": [], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIKR29M", "worker_id": "A9QRQL9CFJBI7"}], "B01MYDEH3E": [{"asin": "B01MYDEH3E", "instruction": "i'm looking for walnut oil for dead skin for sensitive skin and skin caring.", "attributes": ["oil free", "sensitive skin", "dead skin"], "options": ["size: 16 ounce"], "instruction_attributes": ["oil free", "sensitive skin", "dead skin"], "instruction_options": ["16 ounce"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC67D0D", "worker_id": "A16IQOX0DK14OJ"}], "B0725Q6LQ7": [{"asin": "B0725Q6LQ7", "instruction": "coney island classics butter me up popcorn, brings back memories of my childhood. in addition to having dietary fiber and gluten free. please select for me.", "attributes": ["non gmo", "gluten free", "dietary fiber", "artificial colors"], "options": [""], "instruction_attributes": ["gluten free", "dietary fiber"], "instruction_options": [], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU1ZALV", "worker_id": "A15IJ20C3R4HUO"}], "B08C2LCQ8M": [{"asin": "B08C2LCQ8M", "instruction": "i want comfortable green colored winter boots that is meant for daily wear.", "attributes": ["day comfort", "daily wear"], "options": ["color: green", "size: 10.5"], "instruction_attributes": ["day comfort", "daily wear"], "instruction_options": ["green"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO5JC22", "worker_id": "A1NF6PELRKACS9"}], "B07K2QTS1T": [{"asin": "B07K2QTS1T", "instruction": "i'm looking for gluten free it contains high protein and needed to protein.", "attributes": ["non gmo", "artificial ingredients", "gluten free"], "options": ["flavor name: metabolism oolong tea", "size: 72 count"], "instruction_attributes": ["artificial ingredients", "gluten free"], "instruction_options": ["metabolism oolong tea"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7ZADSM", "worker_id": "A16IQOX0DK14OJ"}], "B096RJ5DRR": [{"asin": "B096RJ5DRR", "instruction": "i'm looking for a 3 pack poyiccot screen protector for suunto 9 peak.", "attributes": ["tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["tempered glass"], "instruction_options": [], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQBTVKC", "worker_id": "A1ZGOZQF2VZ0X9"}], "B075CPG5XT": [{"asin": "B075CPG5XT", "instruction": "i am looking for a keto friendly vanilla syrup with quality ingredients. also choose 25.4 fl oz pack 4", "attributes": ["keto friendly", "quality ingredients"], "options": ["flavor name: vanilla", "size: 25.4 fl oz (pack of 4)"], "instruction_attributes": ["keto friendly", "quality ingredients"], "instruction_options": ["vanilla", "25.4 fl oz (pack of 4)"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TNP3NE", "worker_id": "A2HMEGTAFO0CS8"}], "B08HLD224X": [{"asin": "B08HLD224X", "instruction": "i want a pair of comfortable fit wide leg pants. i need it in 3x-large size.", "attributes": ["wide leg", "drawstring waist", "comfortable fit", "polyester spandex", "laundry bag"], "options": ["color: 27 pot flower", "size: 3x-large"], "instruction_attributes": ["wide leg", "comfortable fit"], "instruction_options": ["3x-large"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMUYASY", "worker_id": "A1NF6PELRKACS9"}], "B08ZN4HFTX": [{"asin": "B08ZN4HFTX", "instruction": "i am looking for a xx-large wide leg and high waist pants for men.", "attributes": ["wide leg", "slim fit", "straight leg", "loose fit", "high waist", "relaxed fit", "button closure", "everyday wear"], "options": ["color: f-light blue", "size: xx-large"], "instruction_attributes": ["wide leg", "high waist"], "instruction_options": ["f-light blue"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TMKN3R", "worker_id": "A9QRQL9CFJBI7"}], "B00P8PKA4S": [{"asin": "B00P8PKA4S", "instruction": "i am searching for gift basket village sweet for giving as a great gift.", "attributes": ["gift basket", "great gift"], "options": [""], "instruction_attributes": ["gift basket", "great gift"], "instruction_options": [], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1GX80R", "worker_id": "A258PTOZ3D2TQR"}], "B093L4LLBD": [{"asin": "B093L4LLBD", "instruction": "i am looking for a laundry, blouse and hosiery wallet", "attributes": ["blouse hosiery", "imported zipper", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEKU8QO", "worker_id": "A9QRQL9CFJBI7"}], "B0922WVZ9X": [{"asin": "B0922WVZ9X", "instruction": "i'm looking for binoculars for bird watching and need to buy it.", "attributes": ["high power", "high performance", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1WP2H0", "worker_id": "A16IQOX0DK14OJ"}], "B0015DA1V4": [{"asin": "B0015DA1V4", "instruction": "i'm looking for gluten free it has contain high protein.", "attributes": ["fat free", "dairy free", "gluten free", "resealable bag"], "options": [""], "instruction_attributes": ["fat free", "dairy free", "gluten free"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMH03B78", "worker_id": "A16IQOX0DK14OJ"}], "B09BJQNNWD": [{"asin": "B09BJQNNWD", "instruction": "i need easy to use plug and play computer speakers with bluetooth. pick one in white color.", "attributes": ["plug play", "easy use", "usb port", "stereo sound"], "options": ["color: white bluetooth | wired"], "instruction_attributes": ["easy use"], "instruction_options": ["white bluetooth | wired"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEKCQ8O", "worker_id": "A1NF6PELRKACS9"}], "B09QBMZJXN": [{"asin": "B09QBMZJXN", "instruction": "a cold wash machine wash classic fit heather cotten baby blue color women t shirt size:3x-large", "attributes": ["wash cold", "machine wash", "drawstring closure", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: baby blue", "fit type: youth", "size: 3x-large"], "instruction_attributes": ["wash cold", "machine wash", "heathers cotton", "classic fit"], "instruction_options": ["baby blue", "3x-large"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1F4XRL", "worker_id": "A3N9ZYQAESNFQH"}], "B09LVWFHWK": [{"asin": "B09LVWFHWK", "instruction": "i want to buy some caffeine-free rooibos tea in a 50 pack.", "attributes": ["caffeine free", "kosher certified"], "options": ["flavor name: rooibos", "size: 50 count"], "instruction_attributes": ["caffeine free"], "instruction_options": ["rooibos", "50 count"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FNEBF2", "worker_id": "A2YNPKYEFDZ6C9"}], "B09492M5DY": [{"asin": "B09492M5DY", "instruction": "i want an easy to install tv antenna with usb port.", "attributes": ["easy install", "usb port"], "options": [""], "instruction_attributes": ["easy install", "usb port"], "instruction_options": [], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RHGLFN", "worker_id": "A1NF6PELRKACS9"}], "B08DTMVK61": [{"asin": "B08DTMVK61", "instruction": "i'm looking for ceiling lights pendent lights for living room.", "attributes": ["pendant light", "dining room", "living room"], "options": ["color: brush nickel", "size: 3 rings"], "instruction_attributes": ["pendant light", "living room"], "instruction_options": ["brush nickel"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQDU19J", "worker_id": "A16IQOX0DK14OJ"}], "B09HBXTJXJ": [{"asin": "B09HBXTJXJ", "instruction": "i would like a eye shadow brush set.", "attributes": ["synthetic hair", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTUAP9N", "worker_id": "A1WS884SI0SLO4"}], "B072MHDHDY": [{"asin": "B072MHDHDY", "instruction": "i am looking for gluten free cookies in chocolate flavor", "attributes": ["grain free", "gluten free", "shelf stable", "plant based", "non gmo", "simple ingredients"], "options": ["flavor name: chocolate chip", "size: 5.5 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["chocolate chip"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61SYWZX", "worker_id": "A16M39T60N60NO"}], "B005FKMUHQ": [{"asin": "B005FKMUHQ", "instruction": "i need a futon and chaise set that is made with faux leather. and i would prefer the navy linen color", "attributes": ["faux leather", "metal legs"], "options": ["color: navy linen", "style: futon and chaise set"], "instruction_attributes": ["faux leather"], "instruction_options": ["navy linen", "futon and chaise set"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q73FH9P", "worker_id": "A2COCSUGZV28X"}], "B09PZ2RL5C": [{"asin": "B09PZ2RL5C", "instruction": "i am looking for teeth whitening toothpaste.", "attributes": ["teeth whitening", "fluoride free", "bad breath"], "options": ["color: teeth whitening"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["teeth whitening"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQTZHI5", "worker_id": "A3FG5PQHG5AH3Y"}], "B08D6GLFZJ": [{"asin": "B08D6GLFZJ", "instruction": "i am looking for a small low rise briefs for men.", "attributes": ["low rise", "wash cold", "machine wash", "comfortable fit", "tumble dry"], "options": ["size: small"], "instruction_attributes": ["low rise"], "instruction_options": [], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40WMRCH", "worker_id": "A9QRQL9CFJBI7"}], "B08R68CDZX": [{"asin": "B08R68CDZX", "instruction": "in hunt for an anti-perspirant deodorant that fights underarm problems in a 40ml size, alcohol free made by the belo essentials in the beauty & personal care aisle.", "attributes": ["anti perspirant", "alcohol free"], "options": [""], "instruction_attributes": ["anti perspirant", "alcohol free"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG8YLSW", "worker_id": "A3RGIKEI8JS2QG"}], "B09PZ7XHK9": [{"asin": "B09PZ7XHK9", "instruction": "i am looking for some blue daily casual jumpsuits that are a medium size.", "attributes": ["daily casual", "hand wash", "elastic waist", "polyester spandex"], "options": ["color: blue", "size: medium"], "instruction_attributes": ["daily casual"], "instruction_options": ["blue", "medium"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTSSE55", "worker_id": "A2ECRNQ3X5LEXD"}], "B07R1PZ2T9": [{"asin": "B07R1PZ2T9", "instruction": "i am looking for a digital coax cable + connector n-female to n-female.", "attributes": ["coaxial cable", "4g lte"], "options": ["color: 50 ft. black low-loss coax cable", "style: coax cable + connector n-female to n-female"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["coax cable + connector n-female to n-female"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCXQ4Q3", "worker_id": "A9QRQL9CFJBI7"}], "B017L20UY0": [{"asin": "B017L20UY0", "instruction": "i am looking for coffee gift trunk with gift basket", "attributes": ["lactose free", "sugar free", "gluten free", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTUKE4J", "worker_id": "A10OGH5CQBXL5N"}], "B09T6STCWR": [{"asin": "B09T6STCWR", "instruction": "can i get an easy use gneric children\u2019s u-shape toothbrush c-green color", "attributes": ["easy use", "sensitive teeth"], "options": ["color: c- green", "size: 2-12t"], "instruction_attributes": ["easy use"], "instruction_options": ["c- green"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1XK2HX", "worker_id": "A1IL2K0ELYI090"}, {"asin": "B09T6STCWR", "instruction": "i'm going to travel and i want this u-shaped toothbrush for kids, 2-6t, easy to use, i need it urgently.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: c- green", "size: 2-6t"], "instruction_attributes": [], "instruction_options": ["2-6t"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYFAEIT", "worker_id": "A15IJ20C3R4HUO"}], "B07PDFKC9V": [{"asin": "B07PDFKC9V", "instruction": "get me a large sized machine washable women's v neck printed top made with polyester spandex and in 2 red-103 color.", "attributes": ["machine wash", "polyester spandex", "laundry bag"], "options": ["color: 2 red-103", "size: large"], "instruction_attributes": ["machine wash", "polyester spandex"], "instruction_options": ["2 red-103", "large"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPYLPJF", "worker_id": "A3AYHESLQSDY5T"}], "B087QB3RZD": [{"asin": "B087QB3RZD", "instruction": "i am searching for space saving brown ottoman for living room, that should have the size 17x13x13 inches", "attributes": ["space saving", "storage space"], "options": ["color: brown", "size: 17x13x13 inches"], "instruction_attributes": ["space saving"], "instruction_options": ["brown", "17x13x13 inches"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40XSCRA", "worker_id": "A258PTOZ3D2TQR"}], "B08JTRJSMM": [{"asin": "B08JTRJSMM", "instruction": "i am looking for a tempered glass screen protector smartwatch cases", "attributes": ["easy install", "compatible apple", "glass screen", "tempered glass"], "options": ["color: clear | rosep | roseg", "size: 44mm"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["44mm"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8I0ZNJ", "worker_id": "A9QRQL9CFJBI7"}], "B00T6R2DDA": [{"asin": "B00T6R2DDA", "instruction": "i'm looking for a jar candle that's eco friendly, lasts a long time, and comes in a citrus scent. look for soy wax candles in a pack of two.", "attributes": ["eco friendly", "long lasting", "soy wax"], "options": ["color: fresh citrus", "size: pack of 2"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDP5RH6", "worker_id": "AR9AU5FY1S3RO"}], "B00C6HF6DQ": [{"asin": "B00C6HF6DQ", "instruction": "i'm looking for ultra hd plug play maxwhite color.", "attributes": ["ultra hd", "plug play"], "options": ["color: maxwhite fg | white housing", "size: 135\" diagonal, 16:9", "style: starling 2"], "instruction_attributes": ["ultra hd", "plug play"], "instruction_options": ["maxwhite fg | white housing"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYWH36J", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00C6HF6DQ", "instruction": "i need a plug and play spectrum projector screen that is white or black.", "attributes": ["ultra hd", "plug play"], "options": ["color: white | black", "size: 128\" diagonal, 16:10", "style: spectrum"], "instruction_attributes": ["plug play"], "instruction_options": ["white | black", "spectrum"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWREFPC", "worker_id": "A1NF6PELRKACS9"}], "B099WC5FQ3": [{"asin": "B099WC5FQ3", "instruction": "i am looking for a non slip and easy to carry tripod for my camera.", "attributes": ["easy carry", "quick release", "non slip"], "options": [""], "instruction_attributes": ["easy carry", "non slip"], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X025N34A", "worker_id": "A1NF6PELRKACS9"}], "B089QGDWR7": [{"asin": "B089QGDWR7", "instruction": "i am looking for style-10 color wall art for my living room.", "attributes": ["ready hang", "dining room", "living room"], "options": ["color: style-10", "size: 70''w x 40''h"], "instruction_attributes": ["living room"], "instruction_options": ["style-10"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QEC1MX", "worker_id": "A1Q8PPQQCWGY0D"}], "B09GY2VV5W": [{"asin": "B09GY2VV5W", "instruction": "i would like a pair of size 10.5 steel toe hiking boots.", "attributes": ["knee high", "slip resistant", "non slip", "steel toe", "high heel", "rubber sole"], "options": ["size: 10.5"], "instruction_attributes": ["steel toe"], "instruction_options": ["10.5"], "assignment_id": "354P56DE9VDCOY11T1135MPMLOD7ST", "worker_id": "A1WS884SI0SLO4"}], "B0969LKS57": [{"asin": "B0969LKS57", "instruction": "i am looking for a x large men's sweatpants for daily wear and color should be gray", "attributes": ["quick drying", "elastic waist", "daily wear"], "options": ["color: grey blue", "size: x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["grey blue", "x-large"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HTFPBX", "worker_id": "A9QRQL9CFJBI7"}], "B08PF9GG23": [{"asin": "B08PF9GG23", "instruction": "i want to buy a facial scrub that is apricot scented, oil-free dermatology tested and comes in 6 oz bottle.", "attributes": ["dermatologist tested", "oil free", "paraben free"], "options": ["scent: apricot", "size: 6 ounce (pack of 1)"], "instruction_attributes": ["dermatologist tested", "oil free"], "instruction_options": ["apricot", "6 ounce (pack of 1)"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHEHBNQ", "worker_id": "A2YNPKYEFDZ6C9"}], "B01LXYHF7T": [{"asin": "B01LXYHF7T", "instruction": "i would like a quad core desktop tower.", "attributes": ["certified refurbished", "high performance", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7Z1YQW", "worker_id": "A1WS884SI0SLO4"}], "B00LN9IWF2": [{"asin": "B00LN9IWF2", "instruction": "i would like a olive 18.5\" neck 35\" sleeve dress shirt that i can machine wash .", "attributes": ["slim fit", "easy care", "machine washable", "regular fit", "long sleeve", "button closure", "tumble dry"], "options": ["color: olive", "size: 18.5\" neck 35\" - 36\" sleeve"], "instruction_attributes": ["machine washable"], "instruction_options": ["olive", "18.5\" neck 35\" - 36\" sleeve"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOILQEF6", "worker_id": "A1WS884SI0SLO4"}], "B07VKZ52ZL": [{"asin": "B07VKZ52ZL", "instruction": "i am looking for a light ash brown mix bleach blonde hair extensions for wigs", "attributes": ["hair extensions", "synthetic hair"], "options": ["color: light ash brown mix bleach blonde", "size: 17 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["light ash brown mix bleach blonde"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841BBAXL", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07VKZ52ZL", "instruction": "i want dark black clip-in hair extensions. it should be 17\" in size when curly.", "attributes": ["hair extensions", "synthetic hair"], "options": ["color: dark black", "size: 17\"-curly"], "instruction_attributes": ["hair extensions"], "instruction_options": ["dark black", "17\"-curly"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UHJOKO", "worker_id": "A1NF6PELRKACS9"}], "B09SYY4L7L": [{"asin": "B09SYY4L7L", "instruction": "i'm looking for a transparent pendant light that comes with 15light", "attributes": ["pendant light", "living room"], "options": ["color: 15light", "size: transparent"], "instruction_attributes": ["pendant light"], "instruction_options": ["15light", "transparent"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW5R4TL", "worker_id": "A1Q0EUNCS50S8M"}], "B09CNWNV7M": [{"asin": "B09CNWNV7M", "instruction": "get me some vintage cupcake picks for a birthday party. it should be in black with a 1992 theme.", "attributes": ["cupcake picks", "birthday party"], "options": ["pattern name: black 1992"], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": ["black 1992"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7X0XZTV", "worker_id": "A1NF6PELRKACS9"}], "B086H69F1T": [{"asin": "B086H69F1T", "instruction": "i am looking for certified organic herbal tea which is caffeine free.", "attributes": ["caffeine free", "certified organic"], "options": [""], "instruction_attributes": ["caffeine free", "certified organic"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE18JTG", "worker_id": "ASWFLI3N8X72G"}], "B07NXMQ987": [{"asin": "B07NXMQ987", "instruction": "find me a grain free, non gmo, and gluten free cake mix bundle with chocolate chip cookie flavor.", "attributes": ["grain free", "non gmo", "gluten free"], "options": ["flavor name: chocolate chip cookie"], "instruction_attributes": ["grain free", "non gmo", "gluten free"], "instruction_options": ["chocolate chip cookie"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYNQGCP", "worker_id": "A2CJFO19NY4T5R"}], "B07N26QLH3": [{"asin": "B07N26QLH3", "instruction": "i want a medium sized classic fit men's shirt that is white in color.", "attributes": ["slim fit", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: men", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["white", "men", "medium"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227HHF8V", "worker_id": "A1NF6PELRKACS9"}], "B013FAAEUW": [{"asin": "B013FAAEUW", "instruction": "i want some low fat pretzel sticks.", "attributes": ["trader joe", "low fat"], "options": [""], "instruction_attributes": ["low fat"], "instruction_options": [], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ3XIS6", "worker_id": "A1NF6PELRKACS9"}], "B096NJ89C2": [{"asin": "B096NJ89C2", "instruction": "i'm looking for home decor products for home accessories.", "attributes": ["eco friendly", "easy install"], "options": ["color: multi-07027", "size: 29.5\" x 78.7\" x 2 pcs( total: 150x200cm )"], "instruction_attributes": ["eco friendly", "easy install"], "instruction_options": [], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDP2HRT", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B096NJ89C2", "instruction": "i am looking for multi colored glass window film that is eco friendly. the installation process should be easy as well.", "attributes": ["eco friendly", "easy install"], "options": ["color: multi-07022", "size: 23.6\" x 47.2\" x 2 pcs( total: 120x120cm )"], "instruction_attributes": ["eco friendly", "easy install"], "instruction_options": ["multi-07022"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3P5LZC", "worker_id": "A1NF6PELRKACS9"}], "B07Y28ZGVJ": [{"asin": "B07Y28ZGVJ", "instruction": "i'm looking for oral care for seed oiul.", "attributes": ["seed oil", "coconut oil"], "options": [""], "instruction_attributes": ["seed oil", "coconut oil"], "instruction_options": [], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0MY0CSL", "worker_id": "A16IQOX0DK14OJ"}], "B09KQWHSJ8": [{"asin": "B09KQWHSJ8", "instruction": "i\u2019m looking for a wireless headset with microphone , water proof, foldable bluetooth earphones", "attributes": ["noise cancelling", "easy use", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TSMMPM", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09Q13K3Z2": [{"asin": "B09Q13K3Z2", "instruction": "i'm looking for a victorian bed frame, twin queen size with storage space.", "attributes": ["queen size", "easy assemble", "box spring", "storage space"], "options": ["size: twin", "style: victorian"], "instruction_attributes": ["queen size", "storage space"], "instruction_options": ["twin", "victorian"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R8GKSF", "worker_id": "A1Q0EUNCS50S8M"}], "B095Y2KCMJ": [{"asin": "B095Y2KCMJ", "instruction": "i'm looking for rubber sole shoes for men women. it is easy to use.", "attributes": ["non slip", "rubber sole"], "options": ["color: american flag paw black-2", "size: 10.5 women | 9 men"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWG2K0X", "worker_id": "A16IQOX0DK14OJ"}], "B0823FF5ZV": [{"asin": "B0823FF5ZV", "instruction": "i am looking for a star wars the mandalorian t-shirt which is machine washable and is in the baby blue color.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: baby blue", "fit type: youth", "size: 2t"], "instruction_attributes": ["machine wash"], "instruction_options": ["baby blue"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSODVLLL", "worker_id": "AHXHM1PQTRWIQ"}], "B086JMT1YY": [{"asin": "B086JMT1YY", "instruction": "i would like a black 5xl tunic with short sleeves.", "attributes": ["long sleeve", "short sleeve", "elastic closure", "teen girls"], "options": ["color: z1-black", "size: 5x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["z1-black", "5x-large"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMQIBQT", "worker_id": "A1WS884SI0SLO4"}], "B08CKJJYVP": [{"asin": "B08CKJJYVP", "instruction": "i ma looking for a wireless charging flip cases of midnight green color.", "attributes": ["hands free", "wireless charging"], "options": ["color: midnight green"], "instruction_attributes": ["wireless charging"], "instruction_options": ["midnight green"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTOTQO2", "worker_id": "A9QRQL9CFJBI7"}], "B09JYQS7B4": [{"asin": "B09JYQS7B4", "instruction": "i want dailywear long sleeves big shirt with 20\" neck and 34\" sleeve. the color should be lavender 012(pink)", "attributes": ["long sleeve", "daily wear"], "options": ["color: lt lavender 012 (pink)", "size: 20\" neck 34\" sleeve", "special size: big"], "instruction_attributes": ["long sleeve", "daily wear"], "instruction_options": ["lt lavender 012 (pink)", "20\" neck 34\" sleeve", "big"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4822UYPI", "worker_id": "ASWFLI3N8X72G"}], "B084YYXLWG": [{"asin": "B084YYXLWG", "instruction": "i would like a 66 inch matte black lamp floor lamp for my living room. i would also like a remote for the lamp.", "attributes": ["long lasting", "easy assemble", "glass shade", "living room"], "options": ["color: matte black", "size: 66inch with remote control"], "instruction_attributes": ["living room"], "instruction_options": ["matte black", "66inch with remote control"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DSC4KR", "worker_id": "A1WS884SI0SLO4"}], "B0872R4BPK": [{"asin": "B0872R4BPK", "instruction": "i am looking for a 1.6 ounce (pack of 6) of cookies which is low carb, high protein, low sugar and gluten free.", "attributes": ["low carb", "high protein", "low sugar", "gluten free", "grain free", "low calorie", "quality ingredients"], "options": ["color: chocolate chip pecan", "size: 1.6 ounce (pack of 6)"], "instruction_attributes": ["low carb", "high protein", "low sugar", "gluten free"], "instruction_options": ["1.6 ounce (pack of 6)"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83KZJI6", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B0872R4BPK", "instruction": "i want low carb chipmonk keto lemon poppyseed cookies.", "attributes": ["low carb", "high protein", "low sugar", "gluten free", "grain free", "low calorie", "quality ingredients"], "options": ["color: lemon poppyseed", "size: 1.7 ounce (pack of 4)"], "instruction_attributes": ["low carb"], "instruction_options": ["lemon poppyseed"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IP3TLG", "worker_id": "A2RBF3IIJP15IH"}], "B07SJRN65L": [{"asin": "B07SJRN65L", "instruction": "order for me a walnut computer desk 39.4 inches made of a solid wood and easy to clean.", "attributes": ["easy install", "easy clean", "steel frame", "solid wood"], "options": ["color: walnut", "size: 39.4 inches"], "instruction_attributes": ["easy clean", "solid wood"], "instruction_options": ["walnut", "39.4 inches"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH186H2", "worker_id": "AHU9OLV0YKIIW"}], "B09H2S4WJ5": [{"asin": "B09H2S4WJ5", "instruction": "i am looking for a large size nylon spandex breathable underwear with elastic waistband .", "attributes": ["nylon spandex", "elastic waistband"], "options": ["color: a3-grey-2157", "size: large"], "instruction_attributes": ["nylon spandex", "elastic waistband"], "instruction_options": ["large"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O112AR", "worker_id": "A1V2JTEEBCXR20"}], "B09D8ZTYND": [{"asin": "B09D8ZTYND", "instruction": "i'm looking for a heavy duty table pads made of ecofriendly materials and also easy to clean for dining room. also, choose 48*60 inch in size new version clear 1.5 mm one.", "attributes": ["heavy duty", "eco friendly", "easy clean", "dining room"], "options": ["color: new version clear 1.5mm", "size: 48x60 inch"], "instruction_attributes": ["heavy duty", "eco friendly", "easy clean", "dining room"], "instruction_options": ["new version clear 1.5mm", "48x60 inch"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSWDGLE", "worker_id": "AR0VJ5XRG16UJ"}], "B01HJWDOPE": [{"asin": "B01HJWDOPE", "instruction": "i am looking for a 1 pack of high speed hdmi cables.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["pattern name: 1 pack", "size: 60 feet", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["1 pack"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP6VOAH", "worker_id": "A9QRQL9CFJBI7"}], "B082D827W8": [{"asin": "B082D827W8", "instruction": "i need to buy two dozen individually wrapped gourmet cookies.", "attributes": ["baked fresh", "individually wrapped"], "options": ["size: 1 | 2 dozen"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["1 | 2 dozen"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4LF89T", "worker_id": "AR9AU5FY1S3RO"}], "B07H3ZCTR2": [{"asin": "B07H3ZCTR2", "instruction": "i am looking for a non gmo gluten free spicy salad dressing ketchup", "attributes": ["non gmo", "gluten free"], "options": [""], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": [], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R13W7R", "worker_id": "A3N9ZYQAESNFQH"}], "B094CWXTJM": [{"asin": "B094CWXTJM", "instruction": "i'm looking for hair extensions for hair loss for dark blonde.", "attributes": ["non slip", "easy use", "hair loss", "hair extensions"], "options": ["color: dark blonde", "size: 6 inch(no bangs)"], "instruction_attributes": ["easy use", "hair loss", "hair extensions"], "instruction_options": ["dark blonde"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZBFPAN", "worker_id": "A16IQOX0DK14OJ"}], "B01F6AQXCM": [{"asin": "B01F6AQXCM", "instruction": "i am looking for fluoride free and sulfate free toothpaste. please choose spearmint flavor..", "attributes": ["fluoride free", "sulfate free", "high quality", "tea tree"], "options": ["flavor name: spearmint"], "instruction_attributes": ["fluoride free", "sulfate free", "tea tree"], "instruction_options": ["spearmint"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4HW15D", "worker_id": "A3FG5PQHG5AH3Y"}], "B000P257CO": [{"asin": "B000P257CO", "instruction": "i am looking for a long lasting parfume gift set", "attributes": ["design house", "long lasting"], "options": ["size: 2 pc gift set", "style: gift set"], "instruction_attributes": ["long lasting"], "instruction_options": ["gift set"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0TJACF", "worker_id": "A9QRQL9CFJBI7"}], "B015SAX8ZA": [{"asin": "B015SAX8ZA", "instruction": "i would like a sugar free bottle of syrup.", "attributes": ["low carb", "non gmo", "gluten free", "keto friendly", "sugar free", "dietary fiber"], "options": [""], "instruction_attributes": ["sugar free"], "instruction_options": [], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOIUTC9", "worker_id": "A1WS884SI0SLO4"}], "B097LVNXLB": [{"asin": "B097LVNXLB", "instruction": "i looking yoga day classic fit ,machine wash ,heathers cotten women t-shirt color:royal blue size 3t", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "button closure", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: women", "size: 3t"], "instruction_attributes": ["machine wash", "heathers cotton", "classic fit"], "instruction_options": ["royal blue", "women", "3t"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLN7I4C", "worker_id": "A3N9ZYQAESNFQH"}], "B07Q33QSYT": [{"asin": "B07Q33QSYT", "instruction": "i'm looking for computer accessories it was silver in color.", "attributes": ["quick release", "heavy duty"], "options": ["color: silver"], "instruction_attributes": ["heavy duty"], "instruction_options": ["silver"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN1VPT5", "worker_id": "A16IQOX0DK14OJ"}], "B08MBRJPDQ": [{"asin": "B08MBRJPDQ", "instruction": "i need a five by four foot light weight, easy to carry background for digital photography.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 5x4ft"], "instruction_attributes": ["light weight", "easy carry", "digital photography"], "instruction_options": ["5x4ft"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TF72KM", "worker_id": "AR9AU5FY1S3RO"}], "B07KKH48DG": [{"asin": "B07KKH48DG", "instruction": "i am looking for 3 piece decorative quilted bedspread set with 2 pillow shams of violet color, that is fit for queen size bed.", "attributes": ["queen size", "high density", "machine washable"], "options": ["color: violet", "size: queen size"], "instruction_attributes": ["queen size"], "instruction_options": ["violet"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTRXKT7", "worker_id": "A258PTOZ3D2TQR"}], "B017ILW1OG": [{"asin": "B017ILW1OG", "instruction": "i am looking for a fully assembled twin box spring and mattress set in king size", "attributes": ["ready use", "fully assembled", "assembly required", "box spring", "king size"], "options": ["size: twin", "style name: 4\" split foundation"], "instruction_attributes": ["fully assembled", "king size"], "instruction_options": ["twin"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7WNHLB", "worker_id": "A13PVNQT2WWWVL"}], "B093YSF315": [{"asin": "B093YSF315", "instruction": "i'm looking for travel laundry bag it will use for travel usage.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIO2583", "worker_id": "A16IQOX0DK14OJ"}], "B08TWXQ5HN": [{"asin": "B08TWXQ5HN", "instruction": "langwolf kids camera, 1080p hd digital camera with 32gb sd card, kids selfie video camera for 3 4 5 6 7 8 9 year olds boys tell me the best option of digital camera hd1080p with an sd card with at least 32gb for boys and girls in the range of 3 to 9 years. i saw a \"langwolf\" brand on tv. send me her features.", "attributes": ["1080p hd", "high definition"], "options": [""], "instruction_attributes": ["1080p hd"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPAEDQK", "worker_id": "A15IJ20C3R4HUO"}], "B09293PTPM": [{"asin": "B09293PTPM", "instruction": "i'm looking for a ottoman 6 seater sofa.", "attributes": ["button tufted", "non slip", "heavy duty", "living room"], "options": ["color: deep grey", "size: love seat couch"], "instruction_attributes": ["living room"], "instruction_options": ["deep grey", "love seat couch"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH2HQHG", "worker_id": "A1ZGOZQF2VZ0X9"}], "B0892RWN9Y": [{"asin": "B0892RWN9Y", "instruction": "i am looking for a sunstone color eyeshadow with paraben free non toxic", "attributes": ["paraben free", "non toxic", "cruelty free", "long lasting", "nail polish"], "options": ["color: sunstone"], "instruction_attributes": ["paraben free", "non toxic"], "instruction_options": ["sunstone"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT0601NUY", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B0892RWN9Y", "instruction": "i'm looking for gypsy amber eyeshadow.", "attributes": ["paraben free", "non toxic", "cruelty free", "long lasting", "nail polish"], "options": ["color: gypsy amber"], "instruction_attributes": ["non toxic", "long lasting"], "instruction_options": ["gypsy amber"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQGQCJA", "worker_id": "A16IQOX0DK14OJ"}], "B07YD5PL4Y": [{"asin": "B07YD5PL4Y", "instruction": "i need king size, machine washable, super soft duvet cover set in multi 41 color.", "attributes": ["super soft", "machine washable", "king size"], "options": ["color: multi 41", "size: king"], "instruction_attributes": ["super soft", "machine washable"], "instruction_options": ["multi 41", "king"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRTOBZ8", "worker_id": "ASWFLI3N8X72G"}, {"asin": "B07YD5PL4Y", "instruction": "i want a twin size and machine washable feelyou blue rose floral duvet cover.", "attributes": ["super soft", "machine washable", "king size"], "options": ["color: multi 4", "size: twin"], "instruction_attributes": ["machine washable"], "instruction_options": ["twin"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVE2SZC", "worker_id": "A2RBF3IIJP15IH"}], "B07V8L4R61": [{"asin": "B07V8L4R61", "instruction": "need me an electric blue, gluten free cake color gel, 1.06 ounces", "attributes": ["nut free", "easy use", "gluten free"], "options": ["color: electric blue"], "instruction_attributes": ["gluten free"], "instruction_options": ["electric blue"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907TGUAZ", "worker_id": "A258PTOZ3D2TQR"}], "B07HRNGS3Q": [{"asin": "B07HRNGS3Q", "instruction": "i am looking for a black power dental flossers for bad breath", "attributes": ["leak proof", "sensitive teeth", "bad breath"], "options": ["color: black"], "instruction_attributes": ["bad breath"], "instruction_options": ["black"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRVKPW2", "worker_id": "A9QRQL9CFJBI7"}], "B09L6B6HGN": [{"asin": "B09L6B6HGN", "instruction": "find me a case with tempered glass for apple watch 45mm color variety", "attributes": ["high performance", "glass screen", "tempered glass"], "options": ["color: black+silver+pink+rose gold+white+classic leopard", "size: only for 45mm"], "instruction_attributes": ["tempered glass"], "instruction_options": ["black+silver+pink+rose gold+white+classic leopard", "only for 45mm"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT2GP3M", "worker_id": "A2Y2TURT2VEYZN"}], "B001UMV18M": [{"asin": "B001UMV18M", "instruction": "i need a deep chestnut brown hair dye that is permanent.", "attributes": ["easy use", "permanent hair", "hair dye", "natural hair"], "options": ["color: 434 deep chestnut brown (chocolate chesnut)"], "instruction_attributes": ["permanent hair", "hair dye"], "instruction_options": ["434 deep chestnut brown (chocolate chesnut)"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHCME1M", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B001UMV18M", "instruction": "i need a dark brown permanent hair dye. it should be easy to use.", "attributes": ["easy use", "permanent hair", "hair dye", "natural hair"], "options": ["color: 40 dark brown (dark chocolate)"], "instruction_attributes": ["easy use", "permanent hair", "hair dye"], "instruction_options": ["40 dark brown (dark chocolate)"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE10TJI", "worker_id": "A1NF6PELRKACS9"}], "B083GGC2N9": [{"asin": "B083GGC2N9", "instruction": "i am looking for modern high performance 3-way tower speaker, it should have left & right pair d17 speaker (black)", "attributes": ["high performance", "carbon fiber"], "options": ["style: left & right pair d17 speaker (black)"], "instruction_attributes": ["high performance"], "instruction_options": ["left & right pair d17 speaker (black)"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7W3UC3", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B083GGC2N9", "instruction": "i'm looking for d17(dedicated right, back) high performance 3-way tower speaker made with carbon fiber", "attributes": ["high performance", "carbon fiber"], "options": ["style: d17\u00a0(dedicated right, black)"], "instruction_attributes": ["high performance", "carbon fiber"], "instruction_options": ["d17\u00a0(dedicated right, black)"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NO8P23", "worker_id": "A1Q0EUNCS50S8M"}], "B09P56Q9FQ": [{"asin": "B09P56Q9FQ", "instruction": "i would like a large pair of multicolored boxer briefs that are machine washable.", "attributes": ["machine washable", "hand wash", "comfortable fit", "elastic waistband"], "options": ["color: multi *18", "size: large"], "instruction_attributes": ["machine washable"], "instruction_options": ["multi *18", "large"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVCGV8C", "worker_id": "A1WS884SI0SLO4"}], "B00H9V37Q2": [{"asin": "B00H9V37Q2", "instruction": "i am looking for a long lasting eau de parfum", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCKPLB8", "worker_id": "A9QRQL9CFJBI7"}], "B08R7W8QRK": [{"asin": "B08R7W8QRK", "instruction": "i need a valentines day chocolate gift box.", "attributes": ["valentine day", "gift basket"], "options": ["style: chocolate gift box"], "instruction_attributes": ["valentine day"], "instruction_options": ["chocolate gift box"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI3L3TL", "worker_id": "A19317A3X87NVM"}], "B07X7HPYNS": [{"asin": "B07X7HPYNS", "instruction": "i need some special hair conditioner for damaged hair.", "attributes": ["paraben free", "damaged hair"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1A4YG9", "worker_id": "A19317A3X87NVM"}], "B01LMMZY6O": [{"asin": "B01LMMZY6O", "instruction": "i am looking for a 2.53 fl oz hyaluronic acid cc creams", "attributes": ["hyaluronic acid", "dark circles"], "options": ["color: rich honey (w)", "size: 2.53 fl oz"], "instruction_attributes": ["hyaluronic acid"], "instruction_options": ["2.53 fl oz"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UU3J6D", "worker_id": "A9QRQL9CFJBI7"}], "B09M91MRZS": [{"asin": "B09M91MRZS", "instruction": "i'm looking for clothing its was short sleeve and regular fit. its easily to wear.", "attributes": ["regular fit", "short sleeve"], "options": ["color: hi bite size | black", "size: x-large"], "instruction_attributes": ["regular fit", "short sleeve"], "instruction_options": ["hi bite size | black"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY868N81E", "worker_id": "A16IQOX0DK14OJ"}], "B007K649KO": [{"asin": "B007K649KO", "instruction": "i need to satisfy my desire to eat g.h. cretors popcorn, the mix, 1.5 oz. (pack of 12). i prefer this brand because it is a healthy, gluten-free and non-gmo option. find the 8 ounce pack", "attributes": ["non gmo", "gluten free", "quality ingredients"], "options": ["flavor name: buffalo & ranch", "size: 8 ounce (pack of 12)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["buffalo & ranch", "8 ounce (pack of 12)"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQL613O", "worker_id": "A15IJ20C3R4HUO"}], "B07RML64XD": [{"asin": "B07RML64XD", "instruction": "i am looking for trader joe's apple sauce crushers.", "attributes": ["trader joe", "usda organic", "gluten free"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO4K2CR", "worker_id": "A39VVWV1GHLMFD"}], "B004JLGC12": [{"asin": "B004JLGC12", "instruction": "i am looking for a paraben free and dermatologist tested exfoliating body wash with pink lemon and mandarin orange extracts.", "attributes": ["dermatologist tested", "paraben free"], "options": ["size: 13.5 fl oz (pack of 1)", "style: pink lemon and mandarin orange"], "instruction_attributes": ["dermatologist tested", "paraben free"], "instruction_options": ["pink lemon and mandarin orange"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FJUU4Y", "worker_id": "A1V2JTEEBCXR20"}, {"asin": "B004JLGC12", "instruction": "i am looking fir paraben free body wash.please choose vanilla style.", "attributes": ["dermatologist tested", "paraben free"], "options": ["size: 13.5 fl oz (pack of 6)", "style: vanilla"], "instruction_attributes": ["paraben free"], "instruction_options": ["vanilla"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU80MCZ", "worker_id": "A3FG5PQHG5AH3Y"}], "B0744ZJP2M": [{"asin": "B0744ZJP2M", "instruction": "find me a gold plated stereo audio cable that works well with a power amplifier and is 5ft long.", "attributes": ["power amplifier", "gold plated"], "options": ["color: 5ft"], "instruction_attributes": ["power amplifier", "gold plated"], "instruction_options": ["5ft"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL0CVAC", "worker_id": "A1HMZJ59OPLD1P"}], "B08YDRBP2J": [{"asin": "B08YDRBP2J", "instruction": "i'm looking for a high density gaming chair with lumbar support which is made of pu leather. also, choose cool blue colored one.", "attributes": ["high density", "white item", "lumbar support", "pu leather"], "options": ["color: cool blue"], "instruction_attributes": ["high density", "lumbar support", "pu leather"], "instruction_options": ["cool blue"], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q43IIK", "worker_id": "AR0VJ5XRG16UJ"}], "B00AY351OI": [{"asin": "B00AY351OI", "instruction": "i'm looking for a oil free, fragrance free pressed powder that should be long lasting when applied. also choose 290 natural ochre one.", "attributes": ["oil free", "fragrance free", "long lasting"], "options": ["color: 290 natural ochre"], "instruction_attributes": ["oil free", "fragrance free", "long lasting"], "instruction_options": ["290 natural ochre"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R6UKSP", "worker_id": "AR0VJ5XRG16UJ"}], "B08P3P4KP9": [{"asin": "B08P3P4KP9", "instruction": "i need ready to shake high protein mocktail which is lactose, soy & gluten free.", "attributes": ["lactose free", "soy free", "high protein", "gluten free"], "options": [""], "instruction_attributes": ["lactose free", "soy free", "high protein", "gluten free"], "instruction_options": [], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53X7KGG", "worker_id": "ASWFLI3N8X72G"}], "B00TB3QJ7U": [{"asin": "B00TB3QJ7U", "instruction": "i need a ten pack of male to female hdmi cables that are three feet long, high speed, and gold plated.", "attributes": ["high speed", "gold plated"], "options": ["pattern name: 10 pack", "size: hdmi male to female", "style: 3 ft"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "hdmi male to female", "3 ft"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYWYHV7", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B00TB3QJ7U", "instruction": "i am looking for high speed 8ft style hdmi cable.", "attributes": ["high speed", "gold plated"], "options": ["pattern name: 1 pack", "size: hdmi male to female", "style: 8 ft"], "instruction_attributes": ["high speed"], "instruction_options": ["8 ft"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW8UT4J", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00TB3QJ7U", "instruction": "i am looking for a 30 foot gold plated high speed hdmi cable.", "attributes": ["high speed", "gold plated"], "options": ["pattern name: 1 pack", "size: hdmi male to male", "style: 30 ft"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["30 ft"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W81UOB", "worker_id": "A1EREKSZAA9V7B"}], "B09MW7P4PH": [{"asin": "B09MW7P4PH", "instruction": "i'm looking for binoculars for bird watching even at so far.", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK2VJ3Z", "worker_id": "A16IQOX0DK14OJ"}], "B07GR317N3": [{"asin": "B07GR317N3", "instruction": "i\u2019m looking for rockport lace up shoes for men", "attributes": ["day comfort", "comfortable fit", "synthetic sole", "rubber outsole"], "options": ["color: dark brown tumbled leather", "size: 12 narrow"], "instruction_attributes": ["comfortable fit", "synthetic sole"], "instruction_options": ["dark brown tumbled leather", "12 narrow"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KOQLJJ", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08Y5YY53J": [{"asin": "B08Y5YY53J", "instruction": "i am in need of a sunflower piggy printed protection case cover for iphone 6 plus", "attributes": ["high definition", "case cover", "wireless charging"], "options": ["color: sunflower piggy", "size: iphone 6 plus | 6s plus"], "instruction_attributes": ["case cover"], "instruction_options": ["sunflower piggy", "iphone 6 plus | 6s plus"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRS89EU9", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08Y5YY53J", "instruction": "i need iphone 11 wireless charging", "attributes": ["high definition", "case cover", "wireless charging"], "options": ["color: cute owl", "size: iphone 11"], "instruction_attributes": ["wireless charging"], "instruction_options": ["iphone 11"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBE1JDC", "worker_id": "A226L9F2AZ38CL"}], "B07QFZ4FVH": [{"asin": "B07QFZ4FVH", "instruction": "i want easy use high quality nail art equipment for nail art", "attributes": ["easy use", "nail art"], "options": [""], "instruction_attributes": ["easy use", "nail art"], "instruction_options": [], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EEU1BS", "worker_id": "A3N9ZYQAESNFQH"}], "B094F7PR1C": [{"asin": "B094F7PR1C", "instruction": "please re order a 9188 -red brown leather duo motor recliner chair and should be of high density and easy to clean.", "attributes": ["high density", "easy clean", "faux leather", "wood frame", "solid wood"], "options": ["color: 9188-red-brown leather"], "instruction_attributes": ["high density", "easy clean"], "instruction_options": ["9188-red-brown leather"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X99RFN", "worker_id": "AHU9OLV0YKIIW"}], "B093YSSQ4W": [{"asin": "B093YSSQ4W", "instruction": "i am looking for a wallets for blouse hosiery & laundry bag", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXXFO4O", "worker_id": "A9QRQL9CFJBI7"}], "B08JCJ2KFB": [{"asin": "B08JCJ2KFB", "instruction": "i would like a plant based shampoo.", "attributes": ["design house", "plant based"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBDRSO8", "worker_id": "A1WS884SI0SLO4"}], "B08FJ4H5LS": [{"asin": "B08FJ4H5LS", "instruction": "i am looking for a travel size perfume with long lasting fragrance. also choose coco mademoiselle + j'adore impression scent.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: coco mademoiselle + j'adore impression"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["coco mademoiselle + j'adore impression"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOZ37OP", "worker_id": "A2HMEGTAFO0CS8"}], "B09HW6VVVR": [{"asin": "B09HW6VVVR", "instruction": "i am looking for a tan memory foam slipper", "attributes": ["non slip", "anti slip", "moisture wicking", "machine washable", "machine wash", "rubber sole", "memory foam", "laundry bag", "daily wear"], "options": ["color: tan", "size: 12"], "instruction_attributes": ["memory foam"], "instruction_options": ["tan"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK47CA6R", "worker_id": "A9QRQL9CFJBI7"}], "B085NK43LF": [{"asin": "B085NK43LF", "instruction": "power cord cable outlet plug lead for fm stereo sound rider with output protection", "attributes": ["output protection", "stereo sound"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "352YTHGRO6NQF252G9RXYWYALB7H4Z", "worker_id": "A10OGH5CQBXL5N"}], "B08PN4HT3W": [{"asin": "B08PN4HT3W", "instruction": "in the last order i bought the sauce from the brand org\u00e2nicville organic, caesar sauce, the taste is very good .no dairy, 8 fz i want to repeat this order .", "attributes": ["non dairy", "high fructose"], "options": [""], "instruction_attributes": ["non dairy"], "instruction_options": [], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD10RID", "worker_id": "A15IJ20C3R4HUO"}], "B08PNNV9K8": [{"asin": "B08PNNV9K8", "instruction": "i looking hair styling fine mist sprayers refillable bottles color :pink", "attributes": ["fine mist", "hair styling"], "options": ["color: pink | 10 ounce"], "instruction_attributes": ["fine mist", "hair styling"], "instruction_options": ["pink | 10 ounce"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK467A6K", "worker_id": "A3N9ZYQAESNFQH"}], "B07MP1QM5Y": [{"asin": "B07MP1QM5Y", "instruction": "i'm looking for a rca 3-device universal remote control for repacement.", "attributes": ["batteries included", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61U0ZW6", "worker_id": "A1ZGOZQF2VZ0X9"}], "B088FLL9JY": [{"asin": "B088FLL9JY", "instruction": "i am looking for a 50 ml leak proof bags & cases", "attributes": ["leak proof", "non toxic", "easy carry", "fine mist"], "options": ["color: silver1", "size: 50ml"], "instruction_attributes": ["leak proof"], "instruction_options": ["50ml"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUVUJQP", "worker_id": "A9QRQL9CFJBI7"}], "B09FDW71SF": [{"asin": "B09FDW71SF", "instruction": "i am looking for a black knee high mid-calf", "attributes": ["knee high", "non slip", "rubber sole"], "options": ["color: black", "size: 8"], "instruction_attributes": ["knee high"], "instruction_options": [], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTRX5EZ", "worker_id": "A9QRQL9CFJBI7"}], "B09SQ79S1R": [{"asin": "B09SQ79S1R", "instruction": "i'm looking for skin buttock lifting clothing it can use for machine washing.", "attributes": ["butt lifting", "low rise", "wide leg", "machine wash", "elastic closure", "tumble dry"], "options": ["size: medium"], "instruction_attributes": ["wide leg", "machine wash", "elastic closure"], "instruction_options": ["medium"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZW9AN7", "worker_id": "A16IQOX0DK14OJ"}], "B01M278GOF": [{"asin": "B01M278GOF", "instruction": "find me natural hair gels that use seed oil as a main ingredient.", "attributes": ["seed oil", "natural ingredients"], "options": [""], "instruction_attributes": ["seed oil", "natural ingredients"], "instruction_options": [], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRF3NWM", "worker_id": "A3AK3UL0UCNVKE"}], "B07ZFGY6H9": [{"asin": "B07ZFGY6H9", "instruction": "i'm looking for palazzo pants its easy to wear and it was straight leg.", "attributes": ["wide leg", "straight leg", "wash cold", "hand wash", "machine wash", "elastic closure", "elastic waist", "high waist", "polyester spandex"], "options": ["color: blacklittledot", "size: x-large"], "instruction_attributes": ["wide leg", "straight leg", "hand wash", "machine wash", "elastic waist", "high waist", "polyester spandex"], "instruction_options": ["blacklittledot"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU6DLR6", "worker_id": "A16IQOX0DK14OJ"}], "B0773T5G7Y": [{"asin": "B0773T5G7Y", "instruction": "i am looking for gluten free almond cranberry crunch.", "attributes": ["artificial ingredients", "non gmo", "gluten free", "simple ingredients", "quality ingredients"], "options": ["flavor name: almond cranberry crunch", "size: 78 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["almond cranberry crunch"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCSA56D", "worker_id": "A3FG5PQHG5AH3Y"}], "B097PNKNSM": [{"asin": "B097PNKNSM", "instruction": "i am looking for a nail art for practice hands & fingers.", "attributes": ["high quality", "nail art"], "options": ["pattern name: practice hand"], "instruction_attributes": ["nail art"], "instruction_options": ["practice hand"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IWZKHS", "worker_id": "A9QRQL9CFJBI7"}], "B07V5G1RRB": [{"asin": "B07V5G1RRB", "instruction": "i'm looking for blankets it was super soft and it is easy to clean.", "attributes": ["super soft", "machine washable", "easy clean"], "options": ["color: a657", "size: 50\" x 60\""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9MTB04", "worker_id": "A16IQOX0DK14OJ"}], "B08YDNMW8S": [{"asin": "B08YDNMW8S", "instruction": "i'm looking for a 2.75 inch partywoo birthday blue candles .", "attributes": ["birthday cake", "party supplies", "birthday party"], "options": ["color: rose gold", "size: number 1"], "instruction_attributes": ["party supplies", "birthday party"], "instruction_options": ["rose gold", "number 1"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCJ3PIA", "worker_id": "A1ZGOZQF2VZ0X9"}], "B093YSDRGB": [{"asin": "B093YSDRGB", "instruction": "i am looking for a wallets of blouse hosiery and laundry bag", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3X65QVEQIBXVW21709CD9M35U4CCLR", "worker_id": "A9QRQL9CFJBI7"}], "B08VRCCK9V": [{"asin": "B08VRCCK9V", "instruction": "i need a 1 pack of high quality hair piece shaped like donuts . an i would prefer 30# color", "attributes": ["high quality", "natural hair", "synthetic hair", "hair extensions"], "options": ["color: 30#", "size: 1 count (pack of 1)"], "instruction_attributes": ["high quality"], "instruction_options": ["30#", "1 count (pack of 1)"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FEZK85", "worker_id": "A2COCSUGZV28X"}], "B08TLVTW38": [{"asin": "B08TLVTW38", "instruction": "i will like to have the low fat silver hills steady eddie bread, made with organic sprouted grains, non-gmo, the big 16", "attributes": ["plant based", "non gmo", "low fat", "nut free"], "options": ["flavor name: the big 16", "size: 5 piece assortment"], "instruction_attributes": ["non gmo", "low fat"], "instruction_options": [], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6F8EVO", "worker_id": "A1IL2K0ELYI090"}], "B0035Q2Q12": [{"asin": "B0035Q2Q12", "instruction": "i am looking for flower glass shade floor lamp", "attributes": ["bronze finish", "glass shade"], "options": [""], "instruction_attributes": ["glass shade"], "instruction_options": [], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VHP8EV", "worker_id": "A258PTOZ3D2TQR"}], "B09FSSFPR7": [{"asin": "B09FSSFPR7", "instruction": "i am looking for a 4g lte coaxial cable.", "attributes": ["heavy duty", "coaxial cable", "4g lte"], "options": [""], "instruction_attributes": ["coaxial cable", "4g lte"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3UUYJ68", "worker_id": "A39VVWV1GHLMFD"}], "B08KJGG1TY": [{"asin": "B08KJGG1TY", "instruction": "i would like a 3 pound bag of unsalted deluxe nut mix that are in a resealable bag.", "attributes": ["kosher certified", "non gmo", "resealable bag"], "options": ["flavor name: unsalted deluxe mix", "size: 3 pound"], "instruction_attributes": ["resealable bag"], "instruction_options": ["unsalted deluxe mix", "3 pound"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSK7B8T", "worker_id": "A1WS884SI0SLO4"}], "B095CGDBX3": [{"asin": "B095CGDBX3", "instruction": "i am looking for small sized with eastic waist men short.", "attributes": ["daily casual", "drawstring waist", "drawstring closure", "elastic waist", "classic fit"], "options": ["color: green bottom", "size: small"], "instruction_attributes": ["elastic waist"], "instruction_options": ["small"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFDFVL0", "worker_id": "A3FG5PQHG5AH3Y"}], "B097H8P7MN": [{"asin": "B097H8P7MN", "instruction": "i am looking for tempered glass screen protector for iphone xr.", "attributes": ["heavy duty", "non slip", "high definition", "tempered glass", "glass screen"], "options": ["color: black"], "instruction_attributes": ["tempered glass", "glass screen"], "instruction_options": ["black"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK71NVE", "worker_id": "A3FG5PQHG5AH3Y"}], "B09MLNM1T3": [{"asin": "B09MLNM1T3", "instruction": "i am looking for a breathable and slip resistant shoe with rubber sole for men. also choose size 8.", "attributes": ["non slip", "slip resistant", "rubber sole"], "options": ["color: black-lace up", "size: 8"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["8"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOFMTAK", "worker_id": "A1V2JTEEBCXR20"}], "B09MN9BTFC": [{"asin": "B09MN9BTFC", "instruction": "am looking for a long lasting reddhoon metallic nail polish blue and purple colors", "attributes": ["long lasting", "easy apply", "easy use", "nail art", "nail polish"], "options": ["color: blue purple"], "instruction_attributes": ["long lasting"], "instruction_options": ["blue purple"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMJZIZF", "worker_id": "A1IL2K0ELYI090"}], "B088LVQZ8M": [{"asin": "B088LVQZ8M", "instruction": "i am looking for a high-quality facial table bed that will be effective for giving clients massages and tattoos in my beauty salon", "attributes": ["high quality", "beauty salon"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0W9CCO", "worker_id": "A1HMZJ59OPLD1P"}], "B08QHX9ZGK": [{"asin": "B08QHX9ZGK", "instruction": "i am looking for a metal legs chair for living room which is east to assemble. also choose velvet black color.", "attributes": ["easy clean", "easy assemble", "metal legs", "living room", "dining room"], "options": ["color: velvet black"], "instruction_attributes": ["easy assemble", "metal legs", "living room"], "instruction_options": ["velvet black"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU6NRLM", "worker_id": "A2HMEGTAFO0CS8"}], "B08VW7Y2B8": [{"asin": "B08VW7Y2B8", "instruction": "find me a watch band in hyper grape color that is made of stainless steel and goes with my apple iwatch.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: hyper grape", "size: 38 | 40 | 41mm"], "instruction_attributes": ["compatible apple", "stainless steel"], "instruction_options": ["hyper grape"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUTCZF11", "worker_id": "A1NF6PELRKACS9"}], "B01N9VRK5O": [{"asin": "B01N9VRK5O", "instruction": "i am looking for a single pack of 8 ounce dried cherries that are gluten free.", "attributes": ["non gmo", "gluten free", "dietary fiber"], "options": ["flavor name: dried organic wild bilberries", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2T6L42", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B01N9VRK5O", "instruction": "i need wild blueberries that are dried and non gmo that is 8 oz.", "attributes": ["non gmo", "gluten free", "dietary fiber"], "options": ["flavor name: dried organic wild blueberries", "size: 8 ounce"], "instruction_attributes": ["non gmo"], "instruction_options": ["dried organic wild blueberries", "8 ounce"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49F2TDZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PZC19WJ": [{"asin": "B09PZC19WJ", "instruction": "i'm looking for furniture to make my living room and dinning room so nice.", "attributes": ["long lasting", "metal legs", "dining room", "living room"], "options": [""], "instruction_attributes": ["dining room", "living room"], "instruction_options": [], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69NUP8Y", "worker_id": "A16IQOX0DK14OJ"}], "B07DRPSWX6": [{"asin": "B07DRPSWX6", "instruction": "i am looking for king size pillows in plum", "attributes": ["super soft", "king size"], "options": ["color: plum", "size: queen"], "instruction_attributes": ["king size"], "instruction_options": ["plum"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A14HFB", "worker_id": "A2MSIFDLOHI1UT"}], "B019EGM8FU": [{"asin": "B019EGM8FU", "instruction": "i am looking for a 12 count (pack of 1) of gluten free raspberry cashew & chia", "attributes": ["low sodium", "gluten free", "0g trans"], "options": ["flavor name: milk chocolate almond", "size: 12 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["12 count (pack of 1)"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYOM6MS", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B019EGM8FU", "instruction": "i am looking for a 12 pack of gluten free bars that are dark chocolate almond", "attributes": ["low sodium", "gluten free", "0g trans"], "options": ["flavor name: dark chocolate chili almond", "size: 12 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["dark chocolate chili almond", "12 count (pack of 1)"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57H4I9V", "worker_id": "A2ECRNQ3X5LEXD"}], "B074YN5HNL": [{"asin": "B074YN5HNL", "instruction": "i'm looking for a memias premium window sheer voile curtains", "attributes": ["machine washable", "long lasting", "white item", "brushed nickel"], "options": ["color: butter cream", "size: 54\"w x 63\"l"], "instruction_attributes": ["white item"], "instruction_options": ["butter cream", "54\"w x 63\"l"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVND71K", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09MHJSG85": [{"asin": "B09MHJSG85", "instruction": "i'm looking for a portable nail clippers.", "attributes": ["stainless steel", "nail art", "dead skin"], "options": ["color: 02"], "instruction_attributes": ["stainless steel", "dead skin"], "instruction_options": ["02"], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YKXAG9", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09D59L59Y": [{"asin": "B09D59L59Y", "instruction": "i am looking for a grey mules & clogs for day comfert", "attributes": ["day comfort", "ethylene vinyl", "vinyl acetate", "arch support"], "options": ["color: grey", "size: 8.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["grey"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R890RJ", "worker_id": "A9QRQL9CFJBI7"}], "B09K4575MQ": [{"asin": "B09K4575MQ", "instruction": "i am looking for birthday cake toppers of black 65 pattern.", "attributes": ["birthday cake", "cupcake picks", "birthday party"], "options": ["pattern name: black 65"], "instruction_attributes": ["birthday cake"], "instruction_options": ["black 65"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I9VBCY", "worker_id": "A3FG5PQHG5AH3Y"}], "B09DGR2TJC": [{"asin": "B09DGR2TJC", "instruction": "i would like some cake toppers for a baby shower or birthday party.", "attributes": ["baby shower", "birthday party", "party supplies"], "options": [""], "instruction_attributes": ["baby shower", "birthday party"], "instruction_options": [], "assignment_id": "34PGFRQONZLYFAJCEF0151XGIW8WJ3", "worker_id": "A1WS884SI0SLO4"}], "B07WS7VZQJ": [{"asin": "B07WS7VZQJ", "instruction": "i am in need of some cupcake toppers that have a birthday party theme and is meant for a baby shower.", "attributes": ["birthday party", "party supplies", "baby shower"], "options": [""], "instruction_attributes": ["birthday party", "baby shower"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHZLB7O", "worker_id": "A1NF6PELRKACS9"}], "B09NDWTV9B": [{"asin": "B09NDWTV9B", "instruction": "i want a hoodie for couple with quality polyester in size medium black", "attributes": ["long lasting", "quality polyester"], "options": ["color: black", "size: medium", "special size type: men"], "instruction_attributes": ["quality polyester"], "instruction_options": ["black", "medium"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPPLFWD", "worker_id": "A2Y2TURT2VEYZN"}], "B08CDP994X": [{"asin": "B08CDP994X", "instruction": "i'm looking for keto friendly it has low sugar its good for health.", "attributes": ["low carb", "grain free", "non gmo", "low sugar", "gluten free", "soy free", "keto friendly", "dairy free"], "options": ["color: coconut, almond & pecan", "size: 4 count (pack of 4)"], "instruction_attributes": ["grain free", "low sugar", "gluten free", "soy free", "keto friendly", "dairy free"], "instruction_options": ["coconut, almond & pecan"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49I0TD3", "worker_id": "A16IQOX0DK14OJ"}], "B078SRYXM8": [{"asin": "B078SRYXM8", "instruction": "i am looking for a general colored floor lamp for my living room. it should be easy to clean and assemble.", "attributes": ["long lasting", "easy clean", "easy assemble", "living room"], "options": ["color: style-2 general"], "instruction_attributes": ["easy clean", "easy assemble", "living room"], "instruction_options": ["style-2 general"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8B45A7", "worker_id": "A1NF6PELRKACS9"}], "B00BNOQQEG": [{"asin": "B00BNOQQEG", "instruction": "help me find 2 fl oz (pack of 24) gluten free non gmo butter extract made without artificial colors.", "attributes": ["non gmo", "gluten free", "artificial colors"], "options": ["flavor name: butter extract", "size: 2 fl oz (pack of 24)"], "instruction_attributes": ["non gmo", "gluten free", "artificial colors"], "instruction_options": ["butter extract", "2 fl oz (pack of 24)"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB98QN8X", "worker_id": "A3AYHESLQSDY5T"}], "B08LH9PXPZ": [{"asin": "B08LH9PXPZ", "instruction": "i would like a pair of women's size 14.5 black work shoes with a steel toe.", "attributes": ["slip resistant", "steel toe", "rubber outsole", "rubber sole"], "options": ["color: black", "size: 14.5 women | 13 men"], "instruction_attributes": ["steel toe"], "instruction_options": ["black", "14.5 women | 13 men"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKEQ88V", "worker_id": "A1WS884SI0SLO4"}], "B09KZTD2NB": [{"asin": "B09KZTD2NB", "instruction": "i'm looking for decorative pillows and covers for dinning room.", "attributes": ["dining room", "living room"], "options": ["color: wood hockey rose"], "instruction_attributes": ["dining room"], "instruction_options": ["wood hockey rose"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU9OMCP", "worker_id": "A16IQOX0DK14OJ"}], "B095S8341G": [{"asin": "B095S8341G", "instruction": "i need a small spray fine mist with 100 ml amber for travel, makeup etc", "attributes": ["leak proof", "fine mist"], "options": ["color: amber", "size: 100ml"], "instruction_attributes": ["fine mist"], "instruction_options": ["amber", "100ml"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZLY7C6", "worker_id": "A258PTOZ3D2TQR"}], "B06WLPJPDZ": [{"asin": "B06WLPJPDZ", "instruction": "i am looking for a fluoride free, paraben free toothpaste.", "attributes": ["fluoride free", "paraben free"], "options": [""], "instruction_attributes": ["fluoride free", "paraben free"], "instruction_options": [], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQXS4BU", "worker_id": "A9QRQL9CFJBI7"}], "B09S3QKSWW": [{"asin": "B09S3QKSWW", "instruction": "i am looking for 9pcs of hair growth essence spray.", "attributes": ["easy use", "hair growth", "hair loss", "damaged hair", "natural hair"], "options": ["color: 9pcs"], "instruction_attributes": ["hair growth"], "instruction_options": ["9pcs"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2SK5MI", "worker_id": "A3FG5PQHG5AH3Y"}], "B00A2AX4Y2": [{"asin": "B00A2AX4Y2", "instruction": "i am looking for a natural ingredients soap", "attributes": ["animal testing", "natural ingredients"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7Y7P5C", "worker_id": "A9QRQL9CFJBI7"}], "B08P4LL9G2": [{"asin": "B08P4LL9G2", "instruction": "in hunt for a paraben free, weave tea tree and borage seed oil scalp treatment soother oil serum for scalps in a 2 ounce bottle for wigs made by the sheamoisture company.", "attributes": ["paraben free", "tea tree", "seed oil", "hair treatment", "damaged hair", "dry hair"], "options": [""], "instruction_attributes": ["paraben free", "tea tree", "seed oil", "damaged hair"], "instruction_options": [], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YL4AGI", "worker_id": "A3RGIKEI8JS2QG"}], "B07YKBG1FD": [{"asin": "B07YKBG1FD", "instruction": "i would like a pair of size 12 black oxford shoes with a leather sole.", "attributes": ["anti slip", "leather sole"], "options": ["color: 3#black", "size: 12"], "instruction_attributes": ["leather sole"], "instruction_options": ["3#black", "12"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1GE080", "worker_id": "A1WS884SI0SLO4"}], "B007D7DM08": [{"asin": "B007D7DM08", "instruction": "i'm looking for teeth whitening for prevention of oral care.", "attributes": ["teeth whitening", "storage case", "bad breath"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRFTWNL", "worker_id": "A16IQOX0DK14OJ"}], "B09QX7T1PW": [{"asin": "B09QX7T1PW", "instruction": "i am looking for an easy apply concealer foundation makeup cosmetics that can cover dark circles. a light skin tone will work well for me.", "attributes": ["easy apply", "long lasting", "dark circles"], "options": ["color: light skin tone"], "instruction_attributes": ["easy apply", "dark circles"], "instruction_options": ["light skin tone"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJNTW0N", "worker_id": "A39VVWV1GHLMFD"}], "B09QK4LW5H": [{"asin": "B09QK4LW5H", "instruction": "i'm looking for a portable computer speakers that has plug play and power amplifier.", "attributes": ["plug play", "power amplifier"], "options": [""], "instruction_attributes": ["plug play", "power amplifier"], "instruction_options": [], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8V6G8I", "worker_id": "AR0VJ5XRG16UJ"}], "B094F7LXBS": [{"asin": "B094F7LXBS", "instruction": "i'm looking for apple smartwatch acesseries it is easy to use.", "attributes": ["compatible apple", "easy install"], "options": ["color: blue & white porcelain", "size: 44mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["blue & white porcelain"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS4VVUH", "worker_id": "A16IQOX0DK14OJ"}], "B09KG2B4XX": [{"asin": "B09KG2B4XX", "instruction": "i am looking for a high performance 4g lte android tablet.", "attributes": ["high performance", "4g lte"], "options": [""], "instruction_attributes": ["high performance", "4g lte"], "instruction_options": [], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZBHUW6", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09KG2B4XX", "instruction": "i'm looking for 10 inch android tablet with dual 4g lte.", "attributes": ["high performance", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4M498L", "worker_id": "A21IUUHBSEVB56"}], "B08WHQ8SHJ": [{"asin": "B08WHQ8SHJ", "instruction": "i am looking for a low calorie, gluten free tortilla with chia and sesame seeds.", "attributes": ["low calorie", "keto friendly", "gluten free"], "options": [""], "instruction_attributes": ["low calorie", "gluten free"], "instruction_options": [], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6DGUPB", "worker_id": "AJDQGOTMB2D80"}], "B07KG3NLVH": [{"asin": "B07KG3NLVH", "instruction": "find me a long lasting and anti perspirant deodorant", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYEZ82T", "worker_id": "A2Y2TURT2VEYZN"}], "B00J8E93G6": [{"asin": "B00J8E93G6", "instruction": "i'm looking for white colored plug play and it will use for video accesseories.", "attributes": ["plug play", "easy install"], "options": ["color: white", "size: 8gb", "style: ddr3 1600mhz"], "instruction_attributes": ["plug play"], "instruction_options": ["white"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FDGK8K", "worker_id": "A16IQOX0DK14OJ"}], "B08792CRQ6": [{"asin": "B08792CRQ6", "instruction": "universal smart controller with big buttons tool for tv stb dvd with aaa batteries", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN13PTD", "worker_id": "A10OGH5CQBXL5N"}], "B09GFWF132": [{"asin": "B09GFWF132", "instruction": "show me a apple compatible white sport band made from stainless steel and in 40 mm size.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: lavender grey | cactus | black | white | hibiscus", "size: 38 | 40 | 41mm s | m"], "instruction_attributes": ["compatible apple", "stainless steel"], "instruction_options": ["lavender grey | cactus | black | white | hibiscus", "38 | 40 | 41mm s | m"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7V4UC2", "worker_id": "A3AYHESLQSDY5T"}], "B08N4T81LQ": [{"asin": "B08N4T81LQ", "instruction": "i am looking for a pink cupcake toppers, cupcake picks for baby shower birthday party party supplies", "attributes": ["cupcake picks", "baby shower", "birthday party", "party supplies"], "options": ["color: pink"], "instruction_attributes": ["cupcake picks", "baby shower", "birthday party", "party supplies"], "instruction_options": ["pink"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYP57NH", "worker_id": "A9QRQL9CFJBI7"}], "B08HH9R9GM": [{"asin": "B08HH9R9GM", "instruction": "show me a light weight non slipping men's walking shoes with rubber outsole in cuenca split leather burgundy color and 9.5 size.", "attributes": ["light weight", "non slip", "ethylene vinyl", "vinyl acetate", "rubber outsole"], "options": ["color: cuenca split leather burgundy", "size: 9.5"], "instruction_attributes": [], "instruction_options": ["cuenca split leather burgundy"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWTZD795", "worker_id": "A3AYHESLQSDY5T"}], "B08SM9QQJJ": [{"asin": "B08SM9QQJJ", "instruction": "i want to find hair extensions that are strawberry blonde to medium brown, and they need to be 18 inches long.", "attributes": ["hair extensions", "natural hair"], "options": ["color: #4 | 27 strawberry blonde to medium brown", "size: 120g-18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#4 | 27 strawberry blonde to medium brown", "120g-18 inch"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTP2KT8", "worker_id": "A345TDMHP3DQ3G"}], "B09HCRF6RQ": [{"asin": "B09HCRF6RQ", "instruction": "i'm looking for clothing long sleeve its for women's. it was easy to use.", "attributes": ["long sleeve", "polyester spandex", "teen girls"], "options": ["color: a6-yellow", "size: 3x-large"], "instruction_attributes": ["long sleeve", "teen girls"], "instruction_options": ["a6-yellow"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL3JNSL", "worker_id": "A16IQOX0DK14OJ"}], "B09PGFDCZB": [{"asin": "B09PGFDCZB", "instruction": "i am looking for a black valentines day women\u2019s medium jumpsuit and should be a high quality material.", "attributes": ["long sleeve", "quality materials", "polyester spandex"], "options": ["color: black", "size: medium"], "instruction_attributes": ["quality materials"], "instruction_options": [], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPH76VI", "worker_id": "AHU9OLV0YKIIW"}], "B09SYTR26S": [{"asin": "B09SYTR26S", "instruction": "i'm looking for a high quality, non toxic massage table sheets made of quality materials that is easy to clean for a beauty salon. also, choose 70 * 185 cm sized purple colored one.", "attributes": ["high quality", "non toxic", "easy clean", "quality materials", "beauty salon"], "options": ["color: purple", "size: 70*185cm"], "instruction_attributes": ["high quality", "non toxic", "easy clean", "quality materials", "beauty salon"], "instruction_options": ["purple", "70*185cm"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTTJXWM", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B09SYTR26S", "instruction": "i would like a purple 70 by 190 cm linen for my beauty salon that is easy to clean.", "attributes": ["high quality", "non toxic", "easy clean", "quality materials", "beauty salon"], "options": ["color: purple", "size: 70*190cm"], "instruction_attributes": ["easy clean", "beauty salon"], "instruction_options": ["purple", "70*190cm"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVRQX9M", "worker_id": "A1WS884SI0SLO4"}], "B09KM5R2RX": [{"asin": "B09KM5R2RX", "instruction": "i need a warm winter coat for women with faux fur.", "attributes": ["winter warm", "hand wash", "stretch fabric", "long sleeve", "faux fur", "polyester spandex", "short sleeve", "daily wear"], "options": ["color: fall winter women tops new arrivals - c309-blue", "size: large"], "instruction_attributes": ["winter warm", "faux fur"], "instruction_options": ["fall winter women tops new arrivals - c309-blue"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A09HFE", "worker_id": "A19317A3X87NVM"}], "B09JP4M2WW": [{"asin": "B09JP4M2WW", "instruction": "i'm looking for a 3 boho wall decor mid century modern wall art by gubiyu", "attributes": ["mid century", "ready hang", "living room", "dining room"], "options": ["color: teal and pink", "size: 24x36 inch (60x90cm)*3pcs"], "instruction_attributes": ["mid century", "living room"], "instruction_options": ["teal and pink", "24x36 inch (60x90cm)*3pcs"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40ILXN3", "worker_id": "A1ZGOZQF2VZ0X9"}], "B094Q1893G": [{"asin": "B094Q1893G", "instruction": "i am looking for eco friendly scented candles", "attributes": ["lead free", "eco friendly", "long lasting", "soy wax"], "options": ["color: scented candles gift set - c"], "instruction_attributes": ["eco friendly"], "instruction_options": ["scented candles gift set - c"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UTI0YB", "worker_id": "A2MSIFDLOHI1UT"}], "B086JQS639": [{"asin": "B086JQS639", "instruction": "i am looking for a 1082 white sports bras for daily casual.", "attributes": ["moisture wicking", "daily casual"], "options": ["color: 1082 white", "size: large"], "instruction_attributes": ["daily casual"], "instruction_options": ["1082 white"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ0SNRN", "worker_id": "A9QRQL9CFJBI7"}], "B09RWRKNGM": [{"asin": "B09RWRKNGM", "instruction": "i am looking for a medium short sleeve control slips", "attributes": ["fleece lined", "long sleeve", "short sleeve"], "options": ["color: a11 - purple", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["medium"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIWAMTW", "worker_id": "A9QRQL9CFJBI7"}], "B08BW4HZ7R": [{"asin": "B08BW4HZ7R", "instruction": "i'm looking for protein crunch bars that are grain free, high in protein, and keto friendly. also they should be peanut cinnamon hemp flavor.", "attributes": ["grain free", "keto friendly", "gluten free", "soy free", "high protein", "quality ingredients"], "options": ["flavor name: peanut cinnamon hemp", "size: 1.89 ounce (pack of 12)"], "instruction_attributes": ["grain free", "keto friendly", "high protein"], "instruction_options": ["peanut cinnamon hemp"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA932CZ38", "worker_id": "A34EHWOYRBL6OZ"}], "B00940MS5C": [{"asin": "B00940MS5C", "instruction": "i am looking for a craft table with steel frame that comes with a padded stool.", "attributes": ["coated steel", "steel frame"], "options": [""], "instruction_attributes": ["steel frame"], "instruction_options": [], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPLSE66", "worker_id": "AJDQGOTMB2D80"}], "B003G84QWQ": [{"asin": "B003G84QWQ", "instruction": "parmcrisps - all parm crisps cheese, made simply with 100% real cheese | healthy keto snacks, low carb, high protein, gluten free, oven baked, keto-friendly find for me, parm crisps brand, as it is oven baked, gluten free, low carb. excellent product that helps me maintain my low carb diet. my favorite flavor is italian herb. find this flavor.", "attributes": ["keto friendly", "low carb", "sugar free", "gluten free", "low sugar", "high protein", "non gmo"], "options": ["flavor name: italian herb"], "instruction_attributes": ["low carb", "gluten free"], "instruction_options": ["italian herb"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X6E3YN", "worker_id": "A15IJ20C3R4HUO"}], "B099N65WM4": [{"asin": "B099N65WM4", "instruction": "i need a dense cotton mattress cover.", "attributes": ["high density", "long lasting", "heavy duty"], "options": ["material type: cotton", "size: 4\" x 24\" x78\""], "instruction_attributes": ["high density"], "instruction_options": ["cotton"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTM2O6M", "worker_id": "A19317A3X87NVM"}], "B0861RT8HC": [{"asin": "B0861RT8HC", "instruction": "i would like 18 bags of 1.25 croele party mix that is gluten free.", "attributes": ["protein serving", "non gmo", "gluten free"], "options": ["flavor name: creole", "size: 1.25 ounce (pack of 18)"], "instruction_attributes": ["gluten free"], "instruction_options": ["creole", "1.25 ounce (pack of 18)"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQU15BG", "worker_id": "A1WS884SI0SLO4"}], "B07BJ1DGCP": [{"asin": "B07BJ1DGCP", "instruction": "i looking a dark chocolate gift basket pack for valentine day size -2 pound", "attributes": ["chocolate covered", "quality ingredients", "valentine day", "gift basket"], "options": ["flavor name: dark chocolate", "size: 2 pound"], "instruction_attributes": ["valentine day", "gift basket"], "instruction_options": ["dark chocolate", "2 pound"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDIB2OW", "worker_id": "A3N9ZYQAESNFQH"}], "B01LZI0UK9": [{"asin": "B01LZI0UK9", "instruction": "i need plant based and sulfate free shampoo which prevents hair loss and regenerates hair growth.", "attributes": ["plant based", "sulfate free", "hair loss", "hair growth"], "options": [""], "instruction_attributes": ["plant based", "sulfate free", "hair loss", "hair growth"], "instruction_options": [], "assignment_id": "369J354OFOKQUTE5FR2UAU6N21LG63", "worker_id": "ASWFLI3N8X72G"}], "B07P5QJGYB": [{"asin": "B07P5QJGYB", "instruction": "i am searching for beige color memory foam upholstered fabric platform bed", "attributes": ["box spring", "memory foam"], "options": ["color: beige"], "instruction_attributes": ["memory foam"], "instruction_options": ["beige"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMWYAS2", "worker_id": "A258PTOZ3D2TQR"}], "B082BHTXKJ": [{"asin": "B082BHTXKJ", "instruction": "i'm looking for clothing jeans it will use for easy to machinable wash.", "attributes": ["machine wash", "imported zipper"], "options": [": traditional jeans", "color: on that mountain", "fit type: regular", "size: 36w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["traditional jeans", "on that mountain"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK46NA60", "worker_id": "A16IQOX0DK14OJ"}], "B08YJTZQ3R": [{"asin": "B08YJTZQ3R", "instruction": "i'm looking for butt lifting and the clothing for quick drying and high waist.", "attributes": ["butt lifting", "quick drying", "moisture wicking", "tummy control", "high waist", "polyester spandex"], "options": ["color: z-zxzblue", "size: small"], "instruction_attributes": ["butt lifting", "quick drying", "high waist"], "instruction_options": ["z-zxzblue"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I1Q1S1", "worker_id": "A16IQOX0DK14OJ"}], "B00PYUS4IQ": [{"asin": "B00PYUS4IQ", "instruction": "i am looking a dark olive color oil free fine mist foundation", "attributes": ["oil free", "fragrance free", "fine mist"], "options": ["color: dark olive"], "instruction_attributes": ["oil free", "fine mist"], "instruction_options": ["dark olive"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8PU6QQ", "worker_id": "A3N9ZYQAESNFQH"}], "B01M5AU5DH": [{"asin": "B01M5AU5DH", "instruction": "i'm looking for buy a rugs for kitchen rugs.", "attributes": ["mid century", "long lasting", "contemporary design", "living room"], "options": ["color: blue-taupe", "item shape: rectangular", "size: 7 ft. x 9 ft."], "instruction_attributes": ["long lasting", "contemporary design"], "instruction_options": ["blue-taupe"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTIDD4J", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01M5AU5DH", "instruction": "i would like a 5 by 8 ft light blue runner rug for the living room.", "attributes": ["mid century", "long lasting", "contemporary design", "living room"], "options": ["color: light blue | ivory", "item shape: runner", "size: 5 ft x 8 ft"], "instruction_attributes": ["living room"], "instruction_options": ["light blue | ivory", "runner", "5 ft x 8 ft"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQ9MKVQ", "worker_id": "A1WS884SI0SLO4"}], "B000R4JHZS": [{"asin": "B000R4JHZS", "instruction": "i am looking for a 0g trans bagels.", "attributes": ["0g trans", "high fructose"], "options": [""], "instruction_attributes": ["0g trans"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R70KSX", "worker_id": "A9QRQL9CFJBI7"}], "B07ZNTM2L5": [{"asin": "B07ZNTM2L5", "instruction": "please re order deep conditioning hair treatment for my natural hair and should be 4.06 fl oz.", "attributes": ["hair treatment", "natural hair", "hair growth"], "options": ["size: 4.06 fl oz (pack of 1)"], "instruction_attributes": ["hair treatment", "natural hair"], "instruction_options": ["4.06 fl oz (pack of 1)"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ3VSIE", "worker_id": "AHU9OLV0YKIIW"}], "B07SXDCJ8Y": [{"asin": "B07SXDCJ8Y", "instruction": "i'm looking for optical zoom camera it contains stereo sound.", "attributes": ["ultra hd", "optical zoom", "stereo sound"], "options": [""], "instruction_attributes": ["ultra hd", "optical zoom", "stereo sound"], "instruction_options": [], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q6PIIA", "worker_id": "A16IQOX0DK14OJ"}], "B09H4YFG3T": [{"asin": "B09H4YFG3T", "instruction": "i want to find a matte black hair removal trimmer.", "attributes": ["high quality", "hair removal"], "options": ["color: matte black"], "instruction_attributes": ["hair removal"], "instruction_options": ["matte black"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK0YIU2", "worker_id": "A345TDMHP3DQ3G"}], "B095PXPXY7": [{"asin": "B095PXPXY7", "instruction": "i'm looking for a long lasting hydrating lip gloss that contains hyaluronic acid. also, choose name drop one.", "attributes": ["long lasting", "hyaluronic acid"], "options": ["color: name drop"], "instruction_attributes": ["long lasting", "hyaluronic acid"], "instruction_options": ["name drop"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2N9NYR", "worker_id": "AR0VJ5XRG16UJ"}], "B07KGNDN6Q": [{"asin": "B07KGNDN6Q", "instruction": "i would like a black nightstand for my kid that is made of engineered wood.", "attributes": ["assembly required", "engineered wood"], "options": ["color: black", "size: childrens"], "instruction_attributes": ["engineered wood"], "instruction_options": ["black", "childrens"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT0607UNB", "worker_id": "A1WS884SI0SLO4"}], "B086CXB31T": [{"asin": "B086CXB31T", "instruction": "hey !order for me women\u2019s sun sandals size 10 and should come with a synthetic sole and a open toe.", "attributes": ["open toe", "synthetic sole"], "options": ["color: blush reflective", "size: 10"], "instruction_attributes": ["open toe", "synthetic sole"], "instruction_options": ["10"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F21DOHK", "worker_id": "AHU9OLV0YKIIW"}], "B08HHLN3V4": [{"asin": "B08HHLN3V4", "instruction": "i am looking for a 1.5mm anti aging cotton swabs", "attributes": ["anti aging", "fine lines"], "options": ["size: 1.5mm"], "instruction_attributes": ["anti aging"], "instruction_options": ["1.5mm"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA6N8RG", "worker_id": "A9QRQL9CFJBI7"}], "B09HJ9L74K": [{"asin": "B09HJ9L74K", "instruction": "i want bowl to have in a bowl, soy wax scented candle which is lead free.", "attributes": ["lead free", "soy wax"], "options": ["scent: bowl to have in a bowl"], "instruction_attributes": ["lead free", "soy wax"], "instruction_options": ["bowl to have in a bowl"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79KFQKG", "worker_id": "ASWFLI3N8X72G"}, {"asin": "B09HJ9L74K", "instruction": "i need some candles that are made with soy wax and that have a pretty scent.", "attributes": ["lead free", "soy wax"], "options": ["scent: pretty is as pretty does"], "instruction_attributes": ["soy wax"], "instruction_options": ["pretty is as pretty does"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRT8PWM", "worker_id": "A2ECRNQ3X5LEXD"}], "B003K15U2Y": [{"asin": "B003K15U2Y", "instruction": "i'm looking for clothing accessories for women's.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": [""], "instruction_attributes": ["vinyl acetate"], "instruction_options": [], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q48GW0", "worker_id": "A16IQOX0DK14OJ"}], "B09J8FXQKG": [{"asin": "B09J8FXQKG", "instruction": "i'm looking for a high quality salon and spa chair for hair and beauty salon. also, choose grey colored one.", "attributes": ["high quality", "hair salon", "beauty salon"], "options": ["color: grey"], "instruction_attributes": ["high quality", "hair salon", "beauty salon"], "instruction_options": ["grey"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKKS7DM", "worker_id": "AR0VJ5XRG16UJ"}], "B07T94Q186": [{"asin": "B07T94Q186", "instruction": "looking for a cream | gray which is easy to clean.", "attributes": ["spot clean", "easy clean", "living room", "dining room"], "options": ["color: cream | gray", "size: 3 x 5"], "instruction_attributes": ["easy clean"], "instruction_options": ["cream | gray"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYRKZOB", "worker_id": "A9QRQL9CFJBI7"}], "B09LM1ZTM8": [{"asin": "B09LM1ZTM8", "instruction": "i want a pink color easy assemble height adjustable 26\"h -2 chair bar stool", "attributes": ["height adjustable", "high density", "easy assemble"], "options": ["color: pink", "size: 26\"h-2 chairs"], "instruction_attributes": ["height adjustable", "easy assemble"], "instruction_options": [], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IB5CBD", "worker_id": "A3N9ZYQAESNFQH"}], "B09KBWR214": [{"asin": "B09KBWR214", "instruction": "i'm looking for a blue, 10.1 inch android tablet that has dual cameras and a long-lasting battery.", "attributes": ["high performance", "long lasting", "high definition"], "options": ["color: blue"], "instruction_attributes": ["long lasting"], "instruction_options": ["blue"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQEAQSF", "worker_id": "A3HFKFJ5UDWAMC"}], "B075SWK9DV": [{"asin": "B075SWK9DV", "instruction": "i am looking for a blue classic fit shirts for men.", "attributes": ["machine wash", "classic fit", "relaxed fit", "long sleeve"], "options": ["color: blue", "pocket description: no pocket", "size: 18\" neck 34\" sleeve"], "instruction_attributes": ["classic fit"], "instruction_options": ["blue"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG1445R", "worker_id": "A9QRQL9CFJBI7"}], "B09JC2MQMF": [{"asin": "B09JC2MQMF", "instruction": "i would like a some black camera batteries that are easy to install.", "attributes": ["quick release", "plug play", "easy install", "easy use"], "options": ["color: b-black"], "instruction_attributes": ["easy install"], "instruction_options": ["b-black"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q55KDK", "worker_id": "A1WS884SI0SLO4"}], "B09PBKBPCT": [{"asin": "B09PBKBPCT", "instruction": "i would like a women's 3xl black blouse that is long sleeved.", "attributes": ["easy care", "loose fit", "hand wash", "long sleeve", "drawstring waist", "short sleeve", "daily wear"], "options": ["color: black", "size: 3x-large", "special size: women"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black", "3x-large", "women"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5WZF44", "worker_id": "A1WS884SI0SLO4"}], "B07NHZSPY8": [{"asin": "B07NHZSPY8", "instruction": "hi there, can you search the web for the price of a 30 pack of sugar-free limon to drink while on my low-carb diet.", "attributes": ["low carb", "gluten free", "zero sugar"], "options": ["flavor name: limon", "size: 0.38 ounce (pack of 30)"], "instruction_attributes": ["low carb", "zero sugar"], "instruction_options": ["limon", "0.38 ounce (pack of 30)"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB906UT", "worker_id": "A1ZAK79QAHNW2J"}], "B08C2NJYPJ": [{"asin": "B08C2NJYPJ", "instruction": "i am looking for flat open toe slipper in z1-02 black", "attributes": ["open toe", "arch support"], "options": ["color: z1-02 black", "size: 42=us:10"], "instruction_attributes": ["open toe"], "instruction_options": ["z1-02 black"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH24H6B", "worker_id": "A2MSIFDLOHI1UT"}], "B096PGWDYN": [{"asin": "B096PGWDYN", "instruction": "i am looking for eco friendly roller shades for windows in charcoal gray color", "attributes": ["eco friendly", "easy clean"], "options": ["color: charcoal gray", "size: 40\" w x 68\""], "instruction_attributes": ["eco friendly"], "instruction_options": ["charcoal gray"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTPMOQV", "worker_id": "A16M39T60N60NO"}], "B092J8JNQ1": [{"asin": "B092J8JNQ1", "instruction": "i'm looking for a 40 pieces hair satin foam rollers perm rods.", "attributes": ["easy use", "hair styling"], "options": ["size: 0.6 inch (pack of 40)"], "instruction_attributes": ["hair styling"], "instruction_options": ["0.6 inch (pack of 40)"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8N8L2NW", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09QJJPNMB": [{"asin": "B09QJJPNMB", "instruction": "i'm looking for a closed toe sandals with arch support and lace closure. also, choose 5.5 size black colored one.", "attributes": ["non slip", "hand wash", "lace closure", "high heel", "closed toe", "arch support"], "options": ["color: black", "size: 5.5"], "instruction_attributes": ["lace closure", "closed toe", "arch support"], "instruction_options": ["black", "5.5"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANGNSX2", "worker_id": "AR0VJ5XRG16UJ"}], "B08DW5G5JX": [{"asin": "B08DW5G5JX", "instruction": "please order for me 6 packs of black eye peas that are gluten free and non gmo.", "attributes": ["gluten free", "non gmo"], "options": ["flavor name: black eye peas", "size: 1 pound (pack of 6)"], "instruction_attributes": ["gluten free", "non gmo"], "instruction_options": ["black eye peas", "1 pound (pack of 6)"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSCFWC5", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B08DW5G5JX", "instruction": "i'm looking for camellia brand dried field peas.", "attributes": ["gluten free", "non gmo"], "options": ["flavor name: green split peas", "size: 1 pound (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["1 pound (pack of 12)"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907W0UAP", "worker_id": "A21IUUHBSEVB56"}], "B09KCJQ88D": [{"asin": "B09KCJQ88D", "instruction": "i would like a 30 x 40 inches multicolored super soft fleece throw.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 2", "size: 30 x 40 inches"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["multi 2", "30 x 40 inches"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP50J7P", "worker_id": "A1WS884SI0SLO4"}], "B095HDHRWV": [{"asin": "B095HDHRWV", "instruction": "i want a solid wood sofa bed that goes in my living room. pick a 2 seater.", "attributes": ["wood frame", "solid wood", "living room"], "options": ["size: 2 seat"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["2 seat"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWZMR1I", "worker_id": "A1NF6PELRKACS9"}], "B0081E6YX4": [{"asin": "B0081E6YX4", "instruction": "i'm looking for a clincally proven hyaluronic acid 20% vitamin c serum that helps with fine lines.", "attributes": ["clinically proven", "hyaluronic acid", "fine lines"], "options": ["style: 20% vitamin c serum"], "instruction_attributes": ["clinically proven", "hyaluronic acid", "fine lines"], "instruction_options": ["20% vitamin c serum"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSOPX05", "worker_id": "A2CJFO19NY4T5R"}], "B09M6TRN3W": [{"asin": "B09M6TRN3W", "instruction": "i'm looking for engineered wood it was white finish grey in color.", "attributes": ["space saving", "white item", "easy clean", "white finish", "wood frame", "box spring"], "options": ["color: grey", "style: loft bed w | long desk & bookcase"], "instruction_attributes": ["white item", "easy clean", "white finish"], "instruction_options": ["grey"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1EVCXO", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09M6TRN3W", "instruction": "i want gray startogoo twin low bunk bed with wood frame.", "attributes": ["space saving", "white item", "easy clean", "white finish", "wood frame", "box spring"], "options": ["color: gray 2", "style: twin size loft bed w | desk"], "instruction_attributes": ["wood frame"], "instruction_options": ["gray 2"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU6J9AW", "worker_id": "A2RBF3IIJP15IH"}], "B07B5VSTNR": [{"asin": "B07B5VSTNR", "instruction": "i am looking for chocolate gift set.", "attributes": ["old fashioned", "quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: chocolate", "size: 2 lb"], "instruction_attributes": ["gift set"], "instruction_options": ["chocolate"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QVE07H", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07B5VSTNR", "instruction": "i am looking for chocolate flavor milk chocolate for valentine day.", "attributes": ["old fashioned", "quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: chocolate", "size: 5 lb"], "instruction_attributes": ["valentine day"], "instruction_options": ["chocolate"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR7L0AH", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07B5VSTNR", "instruction": "i want a 2lb box of old fashioned milk and dark chocolate nuts.", "attributes": ["old fashioned", "quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: mixed - milk (65%) & dark (35%)", "size: 2 lb"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["mixed - milk (65%) & dark (35%)", "2 lb"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YUP8T4", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07B5VSTNR", "instruction": "i am looking for an old fashioned 1 pound peanut cluster milk chocolate", "attributes": ["old fashioned", "quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: dark chocolate", "size: 3 lb"], "instruction_attributes": ["old fashioned"], "instruction_options": ["3 lb"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HRNPB1", "worker_id": "A2KW17G25L25R8"}], "B01IYB6NOS": [{"asin": "B01IYB6NOS", "instruction": "i am looking for a hygiene tongue cleaner for fresh breath. also choose 6 count pack.", "attributes": ["oral hygiene", "fresh breath", "bad breath"], "options": ["size: 6 count (pack of 1)"], "instruction_attributes": ["oral hygiene", "fresh breath"], "instruction_options": ["6 count (pack of 1)"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7YO6Y6", "worker_id": "A2HMEGTAFO0CS8"}], "B07ND51YPC": [{"asin": "B07ND51YPC", "instruction": "i am looking loose leaf green flavor non gmo usda organic herbal tea size:1 pouch (pack of 1)", "attributes": ["usda organic", "non gmo"], "options": ["flavor name: green", "size: 1 pound (pack of 1)", "style: loose leaf"], "instruction_attributes": ["usda organic", "non gmo"], "instruction_options": ["green", "1 pound (pack of 1)", "loose leaf"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSXPLGX", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B07ND51YPC", "instruction": "i want milk thistle tea bags. make sure that it has an usda organic label.", "attributes": ["usda organic", "non gmo"], "options": ["flavor name: milk thistle", "size: 1 pound (pack of 1)", "style: tea bags"], "instruction_attributes": ["usda organic"], "instruction_options": ["milk thistle", "tea bags"], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YNLGA9", "worker_id": "A1NF6PELRKACS9"}], "B09RSXM68P": [{"asin": "B09RSXM68P", "instruction": "i'm looking for a light weight fashion designed pure cotton men's briefs. also, choose medium sized b gray colored one.", "attributes": ["light weight", "hand wash", "fashion design"], "options": ["color: b gray", "size: medium"], "instruction_attributes": ["light weight", "fashion design"], "instruction_options": ["b gray", "medium"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQLA31U", "worker_id": "AR0VJ5XRG16UJ"}], "B07DZW6GQV": [{"asin": "B07DZW6GQV", "instruction": "i need a pack of long lasting argan oil lotion. pick one that is 16.8 fl oz in size.", "attributes": ["long lasting", "dermatologist tested", "argan oil"], "options": ["size: 16.8 fl oz (pack of 1)", "style: hydrating coconut lotion"], "instruction_attributes": ["long lasting", "argan oil"], "instruction_options": ["16.8 fl oz (pack of 1)"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOKT0FJ", "worker_id": "A1NF6PELRKACS9"}], "B09L2C7P75": [{"asin": "B09L2C7P75", "instruction": "i would like a pendant light fixture.", "attributes": ["pendant light", "light fixture"], "options": [""], "instruction_attributes": ["pendant light", "light fixture"], "instruction_options": [], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTOHLP6", "worker_id": "A1WS884SI0SLO4"}], "B08T5PZHM9": [{"asin": "B08T5PZHM9", "instruction": "show me a bright green art wall sculptures for living room made through exquisite workmanship.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: bright green"], "instruction_attributes": ["exquisite workmanship", "living room"], "instruction_options": ["bright green"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGBKSMX", "worker_id": "A3AYHESLQSDY5T"}], "B095Z82R7X": [{"asin": "B095Z82R7X", "instruction": "i would like a cube of individually wrapped sugarolly candy for a birthday party.", "attributes": ["individually wrapped", "birthday party"], "options": ["flavor name: sugarolly - big", "size: cube (7)"], "instruction_attributes": ["individually wrapped", "birthday party"], "instruction_options": ["sugarolly - big", "cube (7)"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WR0QWO", "worker_id": "A1WS884SI0SLO4"}], "B08PCF2428": [{"asin": "B08PCF2428", "instruction": "i'm looking for clothing to wear comfortable and everyday wear.", "attributes": ["comfortable fit", "rubber outsole", "rubber sole", "everyday wear"], "options": ["color: black | white", "size: 15"], "instruction_attributes": ["comfortable fit", "everyday wear"], "instruction_options": ["black | white"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YZ6HE8", "worker_id": "A16IQOX0DK14OJ"}], "B07968GK3T": [{"asin": "B07968GK3T", "instruction": "order for me sour gummies that are dairy free,gluten free and with good quality ingredients.", "attributes": ["dairy free", "gluten free", "nut free", "fat free", "quality ingredients"], "options": ["flavor name: sour", "size: 7.5 ounce (pack of 12)"], "instruction_attributes": ["gluten free", "quality ingredients"], "instruction_options": ["sour"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22LMW8R", "worker_id": "AHU9OLV0YKIIW"}], "B08QYPJMQ3": [{"asin": "B08QYPJMQ3", "instruction": "i'm looking for buy a chocolates and candys gits for valentines day a perfect gift.", "attributes": ["kosher certified", "individually wrapped", "valentine day", "perfect gift"], "options": ["size: 1000 count (25 pound) bulk"], "instruction_attributes": ["valentine day", "perfect gift"], "instruction_options": ["1000 count (25 pound) bulk"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788EWC5N", "worker_id": "A16IQOX0DK14OJ"}], "B07J9Q794H": [{"asin": "B07J9Q794H", "instruction": "crystal rhinestone phone ring and stand hands free in gold colour", "attributes": ["gold plated", "hands free"], "options": ["color: gold | rainbow"], "instruction_attributes": ["hands free"], "instruction_options": ["gold | rainbow"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HGCRHY5", "worker_id": "A10OGH5CQBXL5N"}], "B094D7Y7MS": [{"asin": "B094D7Y7MS", "instruction": "i'm looking for camera for digital photography. the camera was easy to carry at.", "attributes": ["high resolution", "easy carry", "high definition", "digital photography"], "options": ["size: 24x12in | 60x30cm"], "instruction_attributes": ["easy carry", "high definition", "digital photography"], "instruction_options": ["24x12in | 60x30cm"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNLDNTO", "worker_id": "A16IQOX0DK14OJ"}], "B08XMHLGKS": [{"asin": "B08XMHLGKS", "instruction": "i am looking for an easy to use seasoning mix in the green raita flavor.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: green raita", "size: 5.29 ounce (pack of 1)"], "instruction_attributes": ["easy use"], "instruction_options": ["green raita"], "assignment_id": "351SEKWQSBRP7CP60H83T50CF9QMDF", "worker_id": "A1NF6PELRKACS9"}], "B07PPH541B": [{"asin": "B07PPH541B", "instruction": "i am searching for easy to use mascara brushes. also, choose the pink one.", "attributes": ["easy use", "nail art"], "options": ["color: pink"], "instruction_attributes": ["easy use"], "instruction_options": ["pink"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOILHFEY", "worker_id": "A9ZM1P6LBW79"}], "B08QZM336G": [{"asin": "B08QZM336G", "instruction": "show me some long lasting honeysuckle jasmine colored candles made from soy wax.", "attributes": ["long lasting", "soy wax"], "options": ["color: honeysuckle jasmine"], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": ["honeysuckle jasmine"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKE0885", "worker_id": "A3AYHESLQSDY5T"}], "B004U6TMCM": [{"asin": "B004U6TMCM", "instruction": "i am looking a eye cream for dark circles.", "attributes": ["long lasting", "dark circles", "fine lines", "sensitive skin"], "options": [""], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWNC25X", "worker_id": "A9QRQL9CFJBI7"}], "B01IPZCPXQ": [{"asin": "B01IPZCPXQ", "instruction": "i'm looking for a permanent hair dye which is paraben free and should be cruelty free certified. also choose a pack of 1 with 3.99 fl oz and pillarbox red colored one.", "attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "options": ["color: pillarbox red", "size: 3.99 fl oz (pack of 1)"], "instruction_attributes": ["paraben free", "cruelty free", "hair dye", "permanent hair"], "instruction_options": ["pillarbox red", "3.99 fl oz (pack of 1)"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPATORZ", "worker_id": "AR0VJ5XRG16UJ"}], "B09SGFC3ST": [{"asin": "B09SGFC3ST", "instruction": "i am looking for a hot pink machine washable bikinis sets", "attributes": ["machine washable", "tummy control"], "options": ["color: hot pink", "size: xx-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["hot pink"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA6I8RB", "worker_id": "A9QRQL9CFJBI7"}], "B09PFNQFJY": [{"asin": "B09PFNQFJY", "instruction": "i'm looking for long sleeve tops it can makes feel comfortable.", "attributes": ["loose fit", "long sleeve", "button closure", "short sleeve"], "options": ["color: a02-green", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a02-green"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79QJ1HQ", "worker_id": "A16IQOX0DK14OJ"}], "B07DP8SCK4": [{"asin": "B07DP8SCK4", "instruction": "i am looking for a water resistant minimalist shoe with rubber sole for a man. also choose storm navy color and size no 9.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: storm navy", "size: 10 women | 9 men"], "instruction_attributes": ["water resistant", "rubber sole"], "instruction_options": ["storm navy", "10 women | 9 men"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLZDBYA", "worker_id": "A2HMEGTAFO0CS8"}], "B000YDE46Y": [{"asin": "B000YDE46Y", "instruction": "i'm looking for a day comfort men's boots with synthetic sole. also, choose 12 size burnished gold colored one.", "attributes": ["day comfort", "synthetic sole"], "options": ["color: burnished gold", "size: 12"], "instruction_attributes": ["day comfort", "synthetic sole"], "instruction_options": ["burnished gold", "12"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB41JXYL", "worker_id": "AR0VJ5XRG16UJ"}], "B084TJHF2F": [{"asin": "B084TJHF2F", "instruction": "find me a super soft round table cloth that is 70\"x70\" in size.", "attributes": ["machine washable", "super soft", "eco friendly", "easy clean"], "options": ["color: pattern02", "size: 70\"x70\"(diameter 178cm)"], "instruction_attributes": ["super soft"], "instruction_options": ["70\"x70\"(diameter 178cm)"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMKBXV6", "worker_id": "A1NF6PELRKACS9"}], "B07R9LPVK9": [{"asin": "B07R9LPVK9", "instruction": "i am looking for non gmo chopped pecan nuts of 4 pound size.", "attributes": ["non gmo", "dietary fiber"], "options": ["size: 4 pound"], "instruction_attributes": ["non gmo"], "instruction_options": ["4 pound"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7Y56YN", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07R9LPVK9", "instruction": "i would like a 8 ounce pack of non gmo pecans.", "attributes": ["non gmo", "dietary fiber"], "options": ["size: 8 ounce (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHD3E15", "worker_id": "A1WS884SI0SLO4"}], "B082Q61BS5": [{"asin": "B082Q61BS5", "instruction": "i need a pre shampoo treatment for damaged hair.", "attributes": ["damaged hair", "natural hair"], "options": ["scent: pre-shampoo"], "instruction_attributes": ["damaged hair"], "instruction_options": ["pre-shampoo"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIII299", "worker_id": "A19317A3X87NVM"}], "B07JVBSCWJ": [{"asin": "B07JVBSCWJ", "instruction": "i am searching for a certified refurbished all-in-one printer with high performance.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5GE1ZU", "worker_id": "A9ZM1P6LBW79"}], "B09LQ9SZPH": [{"asin": "B09LQ9SZPH", "instruction": "i'm looking for furniture for living room that wood framed furniture is easy to use.", "attributes": ["assembly required", "faux leather", "wood frame", "storage space", "living room"], "options": ["color: red"], "instruction_attributes": ["assembly required", "wood frame", "storage space", "living room"], "instruction_options": ["red"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401A8UMM", "worker_id": "A16IQOX0DK14OJ"}], "B07SG76JPK": [{"asin": "B07SG76JPK", "instruction": "i'm looking for a keratin hair treatment kit which has anti aging property and made of natural ingredients. also, choose 3.4 fl oz one", "attributes": ["anti aging", "natural ingredients", "hair treatment"], "options": ["style name: 3.4 fl oz kit"], "instruction_attributes": ["anti aging", "natural ingredients", "hair treatment"], "instruction_options": ["3.4 fl oz kit"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8B0A58", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B07SG76JPK", "instruction": "i use mostly natural ingredients for my skin in 10.1 fl oz", "attributes": ["anti aging", "natural ingredients", "hair treatment"], "options": ["style name: 10.1 fl oz kit"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["10.1 fl oz kit"], "assignment_id": "326O153BMT8RVOXTJJKKGXV3697EDU", "worker_id": "A226L9F2AZ38CL"}], "B098QFDZDH": [{"asin": "B098QFDZDH", "instruction": "i am looking for oil free foundation for dry skin. please choose mocha color.", "attributes": ["oil free", "easy carry", "long lasting", "easy use"], "options": ["color: mocha"], "instruction_attributes": ["oil free"], "instruction_options": ["mocha"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOZI7O4", "worker_id": "A3FG5PQHG5AH3Y"}], "B07V4LPY51": [{"asin": "B07V4LPY51", "instruction": "i am interested in purchasing a cruelty free lip enhancer with natural ingredients in the color teal.", "attributes": ["clinically proven", "cruelty free", "natural ingredients", "fine lines"], "options": ["color: teal"], "instruction_attributes": ["cruelty free", "natural ingredients"], "instruction_options": ["teal"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRSQBZ8", "worker_id": "AHXHM1PQTRWIQ"}], "B07WF7ZYP6": [{"asin": "B07WF7ZYP6", "instruction": "i want some headphone amplifiers with a power adapter.", "attributes": ["high power", "power amplifier"], "options": [""], "instruction_attributes": ["high power", "power amplifier"], "instruction_options": [], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FNYFBQ", "worker_id": "A345TDMHP3DQ3G"}], "B09C5RCSN5": [{"asin": "B09C5RCSN5", "instruction": "i am looking non slip glass screen heavy duty protective case cover -purple", "attributes": ["heavy duty", "non slip", "case cover", "glass screen", "tempered glass"], "options": ["color: purple"], "instruction_attributes": ["non slip", "case cover"], "instruction_options": ["purple"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7V5CUL", "worker_id": "A3N9ZYQAESNFQH"}], "B00P4GFA3C": [{"asin": "B00P4GFA3C", "instruction": "i want cacao powder 3 pound pack sugar free and certified organic", "attributes": ["sugar free", "certified organic", "non gmo", "plant based", "keto friendly"], "options": ["flavor name: cacao powder", "size: 3 pound (pack of 1)"], "instruction_attributes": ["sugar free", "certified organic"], "instruction_options": ["cacao powder", "3 pound (pack of 1)"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDW0I1RQ", "worker_id": "A2Y2TURT2VEYZN"}], "B09GN891PR": [{"asin": "B09GN891PR", "instruction": "i'm looking for a glass case with fashion cute pattern design for iphone 13.", "attributes": ["non slip", "dust proof", "easy install", "tempered glass"], "options": ["color: colorful starry pineapple", "size: iphone 13 pro(6.1-inch)"], "instruction_attributes": ["non slip", "tempered glass"], "instruction_options": ["colorful starry pineapple", "iphone 13 pro(6.1-inch)"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35N6GU8", "worker_id": "A1ZGOZQF2VZ0X9"}, {"asin": "B09GN891PR", "instruction": "i'm looking for an easy to install iphone 13 case with a colorful cactus pattern.", "attributes": ["non slip", "dust proof", "easy install", "tempered glass"], "options": ["color: colorful cactus", "size: iphone 13 pro max(6.7-inch)"], "instruction_attributes": ["easy install"], "instruction_options": ["colorful cactus", "iphone 13 pro max(6.7-inch)"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL4FSNO", "worker_id": "AR9AU5FY1S3RO"}], "B097SLKSD3": [{"asin": "B097SLKSD3", "instruction": "i am looking for a 3 vanity lights with with clear glass shade.", "attributes": ["clear glass", "glass shade", "dining room"], "options": ["size: 3 lights"], "instruction_attributes": ["clear glass"], "instruction_options": ["3 lights"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQSVIH0", "worker_id": "A9QRQL9CFJBI7"}], "B07MWTMFX1": [{"asin": "B07MWTMFX1", "instruction": "i'm looking for clothing jeans for women's and the it was comfortable fit.", "attributes": ["long lasting", "comfortable fit"], "options": ["color: dark stone", "fit type: big & tall", "size: 33w x 36l"], "instruction_attributes": ["long lasting", "comfortable fit"], "instruction_options": ["dark stone"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBGEJDT", "worker_id": "A16IQOX0DK14OJ"}], "B09CM422VM": [{"asin": "B09CM422VM", "instruction": "i'm looking for a hair shaving, household neck hair removal brush with rope for men", "attributes": ["high quality", "hair removal"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BME8XG", "worker_id": "A3D6VE1HYFEP9Z"}], "B09B45XJB9": [{"asin": "B09B45XJB9", "instruction": "i'm looking for made for cupcakes to birthday party it is easy to make.", "attributes": ["easy use", "cupcake picks", "baby shower", "birthday party"], "options": ["color: rose gold"], "instruction_attributes": ["easy use", "cupcake picks", "birthday party"], "instruction_options": ["rose gold"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJOVGDK", "worker_id": "A16IQOX0DK14OJ"}], "B09R4318ZY": [{"asin": "B09R4318ZY", "instruction": "i'm looking for pants for sports with a fleece lining and a relaxed fit in sky blue", "attributes": ["butt lifting", "fleece lined", "wide leg", "high waist", "tummy control", "relaxed fit"], "options": ["color: sky blue", "size: 5x-large"], "instruction_attributes": ["fleece lined", "relaxed fit"], "instruction_options": ["sky blue"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQFCCJU", "worker_id": "A13PVNQT2WWWVL"}], "B095VMXFTV": [{"asin": "B095VMXFTV", "instruction": "i would like a pair of size 46 black shoes made from quality materials.", "attributes": ["steel toe", "quality materials"], "options": ["color: black", "size: 46"], "instruction_attributes": ["quality materials"], "instruction_options": ["black", "46"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNXG8HA", "worker_id": "A1WS884SI0SLO4"}], "B00XMZCOAY": [{"asin": "B00XMZCOAY", "instruction": "i'm looking for rice shaped pasta it contains low fiber fat it good for health.", "attributes": ["non gmo", "low fat", "dietary fiber"], "options": ["size: 26.5 ounce (pack of 4)", "style: traditional"], "instruction_attributes": ["low fat", "dietary fiber"], "instruction_options": ["26.5 ounce (pack of 4)"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UQLEZV", "worker_id": "A16IQOX0DK14OJ"}], "B08LQ6SY18": [{"asin": "B08LQ6SY18", "instruction": "i am looking for a storage benches for living room of espresso color.", "attributes": ["fully assembled", "wood frame", "living room"], "options": ["color: espresso"], "instruction_attributes": ["living room"], "instruction_options": ["espresso"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3G5YAD", "worker_id": "A9QRQL9CFJBI7"}], "B084NFNNBH": [{"asin": "B084NFNNBH", "instruction": "i'm looking for trader joe for buying groceries products.", "attributes": ["trader joe", "non gmo", "great gift", "perfect gift"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UIZKO2", "worker_id": "A16IQOX0DK14OJ"}], "B07G51W951": [{"asin": "B07G51W951", "instruction": "i'm looking for oral care the prevention of dental care.", "attributes": ["easy use", "fresh breath"], "options": [""], "instruction_attributes": ["easy use", "fresh breath"], "instruction_options": [], "assignment_id": "358010RM5P3MV5OW59A6A8MHMLTXVQ", "worker_id": "A16IQOX0DK14OJ"}], "B093VQSY12": [{"asin": "B093VQSY12", "instruction": "i am looking for a high definition 24 inch tv", "attributes": ["high definition", "high resolution"], "options": ["size: 24in"], "instruction_attributes": ["high definition"], "instruction_options": ["24in"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXEC7G4", "worker_id": "A2ECRNQ3X5LEXD"}], "B094DKJ6ZS": [{"asin": "B094DKJ6ZS", "instruction": "i am looking for a blue rubber outsole sneaker for men.", "attributes": ["lace closure", "rubber outsole", "rubber sole"], "options": ["color: blue", "size: 16"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["blue"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKRTV76", "worker_id": "A9QRQL9CFJBI7"}], "B079K9XTSV": [{"asin": "B079K9XTSV", "instruction": "i am looking for a jet black #1 hair extensions.", "attributes": ["hair extensions", "natural hair"], "options": ["color: jet black #1", "size: 14 inch (120 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["jet black #1"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3EYQNX", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B079K9XTSV", "instruction": "i would like a 18 inch natural black hair extension.", "attributes": ["hair extensions", "natural hair"], "options": ["color: natural black #1b", "size: 18 inch (120 gram)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["natural black #1b", "18 inch (120 gram)"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUN3ZV5", "worker_id": "A1WS884SI0SLO4"}], "B09GPJVQNT": [{"asin": "B09GPJVQNT", "instruction": "i need a relaxed fit daily wear gym pants for daily wear. pick an xx-large one.", "attributes": ["polyester cotton", "elastic waist", "relaxed fit", "daily wear"], "options": ["color: 25-green", "size: xx-large"], "instruction_attributes": ["relaxed fit", "daily wear"], "instruction_options": ["xx-large"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8BL5AO", "worker_id": "A1NF6PELRKACS9"}], "B08SQ88C1G": [{"asin": "B08SQ88C1G", "instruction": "i'm looking for a wooden upholstered daybed twin with trundle and backrest.", "attributes": ["twin size", "easy assemble", "box spring", "solid wood", "living room"], "options": ["color: beige", "size: twin with drawers"], "instruction_attributes": ["twin size"], "instruction_options": ["twin with drawers"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJOK9OU", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09PDP2SKW": [{"asin": "B09PDP2SKW", "instruction": "i would like some 22 inch hair extensions made of natural hair.", "attributes": ["easy use", "high quality", "hair extensions", "natural hair"], "options": ["size: 22 inch"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["22 inch"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO8NGJT", "worker_id": "A1WS884SI0SLO4"}], "B07CS4CBGM": [{"asin": "B07CS4CBGM", "instruction": "i'm looking for a italian ice fat free", "attributes": ["fat free", "real fruit"], "options": [""], "instruction_attributes": ["fat free"], "instruction_options": [], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR49FFUJ", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07CS4CBGM", "instruction": "i want to buy some fat free freezer bars with real fruit.", "attributes": ["fat free", "real fruit"], "options": [""], "instruction_attributes": ["fat free", "real fruit"], "instruction_options": [], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1L46FB", "worker_id": "AR9AU5FY1S3RO"}], "B09RN5LG2B": [{"asin": "B09RN5LG2B", "instruction": "i'm looking for a open toe slip resistant sneakers with arch support and ankle strap. also, choose 7.5 size black one.", "attributes": ["open toe", "slip resistant", "non slip", "arch support", "high heel", "ankle strap", "memory foam"], "options": ["color: black", "size: 7.5"], "instruction_attributes": ["open toe", "slip resistant", "arch support", "ankle strap"], "instruction_options": ["black", "7.5"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQN9Q10X", "worker_id": "AR0VJ5XRG16UJ"}], "B09921NBD4": [{"asin": "B09921NBD4", "instruction": "i am looking for a black faux leather bed frames.", "attributes": ["button tufted", "queen size", "height adjustable", "faux leather", "box spring"], "options": ["color: black", "size: king"], "instruction_attributes": ["faux leather"], "instruction_options": ["black"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLURFT9", "worker_id": "A9QRQL9CFJBI7"}], "B0924LVZ21": [{"asin": "B0924LVZ21", "instruction": "i am looking for a 1 pack of cooling pads with high performance", "attributes": ["high performance", "usb port"], "options": ["size: stand cooling fan", "style: 1 pack"], "instruction_attributes": ["high performance"], "instruction_options": ["1 pack"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDROB9FS", "worker_id": "A9QRQL9CFJBI7"}], "B06Y254L9J": [{"asin": "B06Y254L9J", "instruction": "i would like a aqua blue applewatch charger.", "attributes": ["compatible apple", "easy use"], "options": ["color: aqua blue"], "instruction_attributes": ["compatible apple"], "instruction_options": ["aqua blue"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUCS9RT", "worker_id": "A1WS884SI0SLO4"}], "B09P1BN2CD": [{"asin": "B09P1BN2CD", "instruction": "i'm looking for a high-quality toothbrush in straw color(for 2-6 years) for sensitive teeth.", "attributes": ["high quality", "sensitive teeth"], "options": ["color: straw color(for 2-6 years)"], "instruction_attributes": ["high quality", "sensitive teeth"], "instruction_options": ["straw color(for 2-6 years)"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1812IO", "worker_id": "A20DUVEOH6A7KW"}], "B09F6HYVT6": [{"asin": "B09F6HYVT6", "instruction": "i am looking for a water proof outdoor ultra hd projector, also the color should be sport color.", "attributes": ["water resistant", "ultra hd", "usb port"], "options": ["color: sport", "size: ar115-clr3+oms120h2"], "instruction_attributes": ["water resistant", "ultra hd"], "instruction_options": ["sport"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQG5CJP", "worker_id": "A14BSOU2Y5JNT0"}, {"asin": "B09F6HYVT6", "instruction": "i need a sporty water resistant portable projector with usb port.", "attributes": ["water resistant", "ultra hd", "usb port"], "options": ["color: sport", "size: ar115-clr3+oms120h2"], "instruction_attributes": ["water resistant", "usb port"], "instruction_options": ["sport"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWY0C1E", "worker_id": "A1NF6PELRKACS9"}], "B08RZBK8XD": [{"asin": "B08RZBK8XD", "instruction": "i am looking for a white storage benches of grey wash color", "attributes": ["white item", "easy assemble", "living room"], "options": ["color: grey wash"], "instruction_attributes": ["white item"], "instruction_options": ["grey wash"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE223QGG", "worker_id": "A9QRQL9CFJBI7"}], "B092TNX1HL": [{"asin": "B092TNX1HL", "instruction": "i am looking for a stainless steel shears.", "attributes": ["non slip", "stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7NQ3IR", "worker_id": "A9QRQL9CFJBI7"}], "B09H67CSK6": [{"asin": "B09H67CSK6", "instruction": "i would like a eye shadow makeup palette.", "attributes": ["easy clean", "nail polish", "beauty salon", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IBXCB5", "worker_id": "A1WS884SI0SLO4"}], "B09ND9FLJ2": [{"asin": "B09ND9FLJ2", "instruction": "i am looking for a sleep sets of medium size for daily wear.", "attributes": ["elastic waistband", "long sleeve", "daily wear"], "options": ["color: multi 9", "size: medium"], "instruction_attributes": ["daily wear"], "instruction_options": ["medium"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SVQUDC", "worker_id": "A9QRQL9CFJBI7"}], "B009R8D5QC": [{"asin": "B009R8D5QC", "instruction": "i need a bag of alaska caught salmon jerkey.", "attributes": ["wild caught", "artificial ingredients", "gluten free"], "options": ["flavor name: garlic-pepper", "size: 6 ounce"], "instruction_attributes": ["wild caught"], "instruction_options": ["garlic-pepper"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L8DERB", "worker_id": "A19317A3X87NVM"}], "B08DKWFB9K": [{"asin": "B08DKWFB9K", "instruction": "i am looking for computer desk drawing table that is easy to install", "attributes": ["heavy duty", "easy install"], "options": [""], "instruction_attributes": ["heavy duty", "easy install"], "instruction_options": [], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCJ5E06", "worker_id": "A10OGH5CQBXL5N"}], "B08314WBRN": [{"asin": "B08314WBRN", "instruction": "i am looking for a double sided stainless steel foot files for cleaning of dry skin.", "attributes": ["high quality", "double sided", "long lasting", "stainless steel", "dead skin", "dry skin"], "options": [""], "instruction_attributes": ["double sided", "stainless steel", "dead skin"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1IH3U3", "worker_id": "A9QRQL9CFJBI7"}], "B07BVVPMVX": [{"asin": "B07BVVPMVX", "instruction": "i am looking for a 9.3 color for permanent hair color", "attributes": ["easy use", "rose gold", "hair dye", "permanent hair", "natural hair"], "options": ["color: 9.3"], "instruction_attributes": ["permanent hair"], "instruction_options": [], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLV2FTM", "worker_id": "A9QRQL9CFJBI7"}], "B093YRJDBF": [{"asin": "B093YRJDBF", "instruction": "i'm looking for laundry bags for it can use for move to another place.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NOQP2L", "worker_id": "A16IQOX0DK14OJ"}], "B00E86YKCG": [{"asin": "B00E86YKCG", "instruction": "add to my list 6 packs of raspberry snackbar and should be nut free and has low sodium.", "attributes": ["low sodium", "nut free", "plant based", "dairy free", "non gmo", "0g trans", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: raspberry", "size: 6 count (pack of 6)"], "instruction_attributes": ["low sodium", "nut free"], "instruction_options": ["raspberry", "6 count (pack of 6)"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96BX4GQ", "worker_id": "AHU9OLV0YKIIW"}], "B082SZDTBD": [{"asin": "B082SZDTBD", "instruction": "i'm looking for a wide leg jeans with regular fit and tummy control. also, choose 3x large zz-zm black colored one.", "attributes": ["wide leg", "tummy control", "long sleeve", "regular fit", "relaxed fit", "short sleeve"], "options": ["color: zz-zmblack", "size: 3x-large"], "instruction_attributes": ["wide leg", "tummy control", "regular fit"], "instruction_options": ["zz-zmblack", "3x-large"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJM3GDO", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B082SZDTBD", "instruction": "i am looking for wide leg black color bell bottom flare jegging sweatpants, but size in small", "attributes": ["wide leg", "tummy control", "long sleeve", "regular fit", "relaxed fit", "short sleeve"], "options": ["color: black", "size: small"], "instruction_attributes": ["wide leg"], "instruction_options": ["black"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUWSQJW", "worker_id": "A258PTOZ3D2TQR"}], "B08G5CQZ4B": [{"asin": "B08G5CQZ4B", "instruction": "i'm looking for a rickaroons coconut energy bars with chocolate.", "attributes": ["grain free", "gluten free", "soy free", "certified organic", "non gmo"], "options": ["flavor name: mocha"], "instruction_attributes": ["gluten free", "certified organic"], "instruction_options": ["mocha"], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLI9LIKQ", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09D7RDLZM": [{"asin": "B09D7RDLZM", "instruction": "i need a ninety inch table runner. look for one that's eco-friendly and available in color \"poppie slop.\"", "attributes": ["eco friendly", "long lasting", "printing technology"], "options": ["color: poppieslop5025", "size: (90''x13''+13''x19''*6)229x33cm+33x48cm*6"], "instruction_attributes": ["eco friendly"], "instruction_options": ["poppieslop5025", "(90''x13''+13''x19''*6)229x33cm+33x48cm*6"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOYH93U", "worker_id": "AR9AU5FY1S3RO"}], "B07XDP1RFL": [{"asin": "B07XDP1RFL", "instruction": "i want a wooden dining table that is multi color with a white finish. it will go in my dining room.", "attributes": ["coated steel", "white finish", "dining room"], "options": ["color: multi color", "size: 78.7\""], "instruction_attributes": ["white finish", "dining room"], "instruction_options": ["multi color"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMKCVX5", "worker_id": "A1NF6PELRKACS9"}], "B09BXYG4Z6": [{"asin": "B09BXYG4Z6", "instruction": "i would like a mint scent dental chewy that is bpa free.", "attributes": ["bpa free", "storage case"], "options": ["color: mint scent"], "instruction_attributes": ["bpa free"], "instruction_options": ["mint scent"], "assignment_id": "326O153BMT8RVOXTJJKKGXV368CDEW", "worker_id": "A1WS884SI0SLO4"}], "B09G3FT4CY": [{"asin": "B09G3FT4CY", "instruction": "winter warm long sleeves jackets for women which is hand washable and in yellow colour", "attributes": ["fleece lined", "winter warm", "machine washable", "hand wash", "long sleeve", "faux fur", "quality polyester", "elastic closure"], "options": ["color: yellow", "size: x-large"], "instruction_attributes": ["winter warm", "machine washable", "hand wash", "long sleeve"], "instruction_options": ["yellow"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVNNXL3", "worker_id": "A10OGH5CQBXL5N"}], "B09CD32CBP": [{"asin": "B09CD32CBP", "instruction": "i am looking for a iphone 11 pro 5.8 inches basic cases which is easy to install", "attributes": ["easy install", "wireless charging"], "options": ["color: petrol blue and aqua_8", "size: iphone 11 pro 5.8 inches"], "instruction_attributes": ["easy install"], "instruction_options": ["iphone 11 pro 5.8 inches"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AK3TSO", "worker_id": "A9QRQL9CFJBI7"}], "B07KDXLQ3B": [{"asin": "B07KDXLQ3B", "instruction": "i need a high power charger that charges fast and is white.", "attributes": ["high power", "fast charging"], "options": ["color: white"], "instruction_attributes": ["high power", "fast charging"], "instruction_options": ["white"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OVSYEX", "worker_id": "A2CJFO19NY4T5R"}], "B08L7DRLXN": [{"asin": "B08L7DRLXN", "instruction": "i am looking for manual toothbrush for sensitive teeth. please choose blue color.", "attributes": ["sensitive teeth", "bad breath"], "options": ["color: pink, blue, green, beige"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["pink, blue, green, beige"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMIC1JK", "worker_id": "A3FG5PQHG5AH3Y"}], "B091Q1Y26G": [{"asin": "B091Q1Y26G", "instruction": "i want to buy some vanity lights with brushed nickel trim and black color. it needs to be a two light style.", "attributes": ["brushed nickel", "vanity light", "clear glass", "glass shade", "light fixture", "dining room", "living room"], "options": ["color: black", "size: 2 lights"], "instruction_attributes": ["brushed nickel", "vanity light"], "instruction_options": ["black", "2 lights"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CULJS4O", "worker_id": "A2YNPKYEFDZ6C9"}], "B07JHL2T8X": [{"asin": "B07JHL2T8X", "instruction": "i'm looking for a gray blue, apple compatible, case for apple airpods that also charges.", "attributes": ["compatible apple", "case cover", "wireless charging"], "options": ["color: gray blue"], "instruction_attributes": ["compatible apple"], "instruction_options": ["gray blue"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNX8H8B", "worker_id": "A3HFKFJ5UDWAMC"}], "B093F94SZK": [{"asin": "B093F94SZK", "instruction": "i want a heavy duty fine wood bookcase for living room color white", "attributes": ["heavy duty", "storage unit", "living room"], "options": ["color: white"], "instruction_attributes": ["heavy duty", "storage unit", "living room"], "instruction_options": ["white"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X40RH0L", "worker_id": "A3N9ZYQAESNFQH"}], "B08R3HR7PN": [{"asin": "B08R3HR7PN", "instruction": "i'm looking for rubber sole for shoe for men's the color was blue.", "attributes": ["non slip", "steel toe", "rubber sole"], "options": ["color: blue", "size: 15.5 women | 14 men"], "instruction_attributes": ["steel toe", "rubber sole"], "instruction_options": ["blue"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602UX959", "worker_id": "A16IQOX0DK14OJ"}], "B0833XSMM4": [{"asin": "B0833XSMM4", "instruction": "i am looking for a multi purpose tripod for camera made up of aluminum alloy with quick release. also choose but2664 color and but2287 size.", "attributes": ["quick release", "aluminum alloy"], "options": ["color: but2664", "size: but2287"], "instruction_attributes": ["quick release", "aluminum alloy"], "instruction_options": ["but2664", "but2287"], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6K5EEI", "worker_id": "A2HMEGTAFO0CS8"}], "B09Q65XZ7J": [{"asin": "B09Q65XZ7J", "instruction": "i'm looking for black colored high quality hair removal cream it easy to use", "attributes": ["high quality", "stainless steel", "hair removal"], "options": ["color: black", "size: double cutter head"], "instruction_attributes": ["high quality", "hair removal"], "instruction_options": ["black"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYWJ36L", "worker_id": "A16IQOX0DK14OJ"}], "B092VVMMBK": [{"asin": "B092VVMMBK", "instruction": "i am looking for a golden g cake toppers for birthday party", "attributes": ["party supplies", "birthday party"], "options": ["color: golden 9"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9B1AZA", "worker_id": "A9QRQL9CFJBI7"}], "B09JLQVW41": [{"asin": "B09JLQVW41", "instruction": "i'm looking for a clear glass wall lamps with glass shade for living room. also, choose the lamp that has 3 lights and bronze colored one.", "attributes": ["clear glass", "glass shade", "light fixture", "living room"], "options": ["color: bronze", "size: 3-lights"], "instruction_attributes": ["clear glass", "glass shade", "living room"], "instruction_options": ["bronze", "3-lights"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXS3LYH", "worker_id": "AR0VJ5XRG16UJ"}], "B09CZ67T77": [{"asin": "B09CZ67T77", "instruction": "i need apple compatible smartwatch band made of carbon fiber in elephant grey color and black buckle.", "attributes": ["compatible apple", "carbon fiber"], "options": ["color: elephant grey-black buckle"], "instruction_attributes": ["compatible apple", "carbon fiber"], "instruction_options": ["elephant grey-black buckle"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SWQDUX", "worker_id": "ASWFLI3N8X72G"}], "B09JG66DXC": [{"asin": "B09JG66DXC", "instruction": "i'm searching for super soft happy fall gnome orange plaid blanket", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: happy fall gnome orange plaid", "size: 60\"x50\" m for teen"], "instruction_attributes": ["super soft"], "instruction_options": ["happy fall gnome orange plaid"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB48DAQD", "worker_id": "A258PTOZ3D2TQR"}], "B075JN83TX": [{"asin": "B075JN83TX", "instruction": "i need black flats that are slip resistant. they should also have leather soles.", "attributes": ["slip resistant", "leather sole"], "options": ["color: black", "size: 7-7.5"], "instruction_attributes": ["slip resistant", "leather sole"], "instruction_options": ["black"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0ZV4WX", "worker_id": "A1NF6PELRKACS9"}], "B08S47NGNJ": [{"asin": "B08S47NGNJ", "instruction": "i am looking for rubber sole men sneaker.please choose grey and navy color.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: grey | navy", "size: 8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["grey | navy"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OWT3MQ", "worker_id": "A3FG5PQHG5AH3Y"}], "B08TQQ982S": [{"asin": "B08TQQ982S", "instruction": "i am looking for king size pillowcases in leopard print color", "attributes": ["queen size", "machine washable", "king size"], "options": ["color: leopard print", "size: 20x30in"], "instruction_attributes": ["king size"], "instruction_options": ["leopard print"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67N24NH", "worker_id": "A16M39T60N60NO"}], "B09JNS2BNK": [{"asin": "B09JNS2BNK", "instruction": "i would like a beige bookcase with a lot of storage space.", "attributes": ["easy clean", "high gloss", "storage space"], "options": ["color: beige"], "instruction_attributes": ["storage space"], "instruction_options": ["beige"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOFYATD", "worker_id": "A1WS884SI0SLO4"}], "B09P1FB6LF": [{"asin": "B09P1FB6LF", "instruction": "i'm looking for a compact wireless bluetooth speaker.", "attributes": ["water resistant", "long lasting", "high performance", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["water resistant", "wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8F05RN", "worker_id": "A1ZGOZQF2VZ0X9"}], "B095XSTRVZ": [{"asin": "B095XSTRVZ", "instruction": "i'm looking for a set of 3 nesting end tables.", "attributes": ["space saving", "metal legs", "living room", "dining room"], "options": ["color: gray marble | gold"], "instruction_attributes": ["living room"], "instruction_options": ["gray marble | gold"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OWH3ME", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09GB2LF8R": [{"asin": "B09GB2LF8R", "instruction": "i am looking for a surveillance camera cables for output protection.", "attributes": ["output protection", "easy carry"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2R34LE", "worker_id": "A9QRQL9CFJBI7"}], "B07KLZVCS3": [{"asin": "B07KLZVCS3", "instruction": "i am looking for a 7 wide synthetic sole of platforms & wedges", "attributes": ["synthetic sole", "arch support"], "options": ["color: vintage slate lthr", "size: 7 wide"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["vintage slate lthr"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYEZ28N", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07KLZVCS3", "instruction": "i'd like to buy a pair of sandals with a synthetic sole and arch support. look for a pair that's size four, in slate.", "attributes": ["synthetic sole", "arch support"], "options": ["color: vintage slate lthr", "size: 4"], "instruction_attributes": ["synthetic sole", "arch support"], "instruction_options": ["vintage slate lthr", "4"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP8657ZW", "worker_id": "AR9AU5FY1S3RO"}], "B09J7VZL38": [{"asin": "B09J7VZL38", "instruction": "i would like a 64 gig dd4 ram mini desktop computer that has a dual band i7 core processor.", "attributes": ["dual band", "wireless bluetooth"], "options": ["color: core i7 1165g7", "size: 64g ddr4 ram 1tb ssd"], "instruction_attributes": ["dual band"], "instruction_options": ["core i7 1165g7", "64g ddr4 ram 1tb ssd"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM4911X4J", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09J7VZL38", "instruction": "im looking for a mini dual band desktop pc that uses wireless bluetooth connectivity and has windows 11.", "attributes": ["dual band", "wireless bluetooth"], "options": ["color: core i7 10750h", "size: 32g ddr4 ram 1tb ssd"], "instruction_attributes": ["dual band", "wireless bluetooth"], "instruction_options": [], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YSU8T5", "worker_id": "AK3JMCIGU8MLU"}], "B09N349WJ1": [{"asin": "B09N349WJ1", "instruction": "i'm looking for grow a hair that was gives a hair extensions.", "attributes": ["natural hair", "hair loss"], "options": ["color: #1b off black"], "instruction_attributes": ["natural hair", "hair loss"], "instruction_options": ["#1b off black"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR49FUFY", "worker_id": "A16IQOX0DK14OJ"}], "B07D1CBVXY": [{"asin": "B07D1CBVXY", "instruction": "i am looking for a heavy duty foot soaking tub for dead skin removal. also choose blue one.", "attributes": ["heavy duty", "tea tree", "dead skin"], "options": ["color: blue"], "instruction_attributes": ["heavy duty", "dead skin"], "instruction_options": ["blue"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZKRK94", "worker_id": "A2HMEGTAFO0CS8"}], "B09HXLGWBY": [{"asin": "B09HXLGWBY", "instruction": "i am looking for lead free candles for home, made up of soy wax. also choose lavender & geranium scented", "attributes": ["lead free", "soy wax"], "options": ["scent: lavender & geranium"], "instruction_attributes": ["lead free", "soy wax"], "instruction_options": ["lavender & geranium"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSKSQ2T", "worker_id": "A2HMEGTAFO0CS8"}], "B084QXKRS5": [{"asin": "B084QXKRS5", "instruction": "i'm looking for a hair conditioner for dry hair that stimulates hair growth. also, choose a pack of 1 contains 32 fl oz.", "attributes": ["dry hair", "hair growth"], "options": ["size: 32 fl oz (pack of 1)"], "instruction_attributes": ["dry hair", "hair growth"], "instruction_options": ["32 fl oz (pack of 1)"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK29J3D", "worker_id": "AR0VJ5XRG16UJ"}], "B09HGCRV4F": [{"asin": "B09HGCRV4F", "instruction": "i am looking for a high performace tv antenna having usb port.", "attributes": ["high performance", "usb port", "4g lte"], "options": [""], "instruction_attributes": ["high performance", "usb port"], "instruction_options": [], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98UVKYE", "worker_id": "A1Q8PPQQCWGY0D"}], "B09BB4MBC2": [{"asin": "B09BB4MBC2", "instruction": "i want a 16 colour eyeshadow palette higly pigmented high quality long lasting eyeshadow pallet matte", "attributes": ["long lasting", "highly pigmented", "high quality"], "options": [""], "instruction_attributes": ["long lasting", "highly pigmented", "high quality"], "instruction_options": [], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXTFYL8", "worker_id": "A3N9ZYQAESNFQH"}], "B08RS11SB6": [{"asin": "B08RS11SB6", "instruction": "i am looking for a 41mm | 42mm smartwatch bands which is easy install.", "attributes": ["quick release", "easy install"], "options": ["color: colorful", "size: 41mm | 42mm"], "instruction_attributes": ["easy install"], "instruction_options": ["41mm | 42mm"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUIT3CC", "worker_id": "A9QRQL9CFJBI7"}], "B01MS5NP2G": [{"asin": "B01MS5NP2G", "instruction": "show me a digital camera, by panasonic is good for me. i need a high performance. i want memory card about 64gb , try this model: lumix 4k dmc-zs100", "attributes": ["high performance", "high speed"], "options": [""], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BL18X1", "worker_id": "A15IJ20C3R4HUO"}], "B081RXQ8XG": [{"asin": "B081RXQ8XG", "instruction": "i'm looking for star wars for clothing for navy white colored.", "attributes": ["officially licensed", "machine wash", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: navy | white", "fit type: women", "size: large"], "instruction_attributes": ["officially licensed", "machine wash", "needle sleeve", "classic fit", "star wars"], "instruction_options": ["navy | white"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YO569H", "worker_id": "A16IQOX0DK14OJ"}], "B08TR5SG7B": [{"asin": "B08TR5SG7B", "instruction": "i would like a 5xl a color blouse with long sleeves.", "attributes": ["unique design", "long sleeve"], "options": ["color: a", "size: 5x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a", "5x-large"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20PI0Z2", "worker_id": "A1WS884SI0SLO4"}], "B07WSFDSQF": [{"asin": "B07WSFDSQF", "instruction": "i am looking for a solid black duvet cover set that is queen size.", "attributes": ["queen size", "machine washable"], "options": ["color: solid-black", "size: queen(90\"\u00d790\")"], "instruction_attributes": ["queen size"], "instruction_options": ["solid-black", "queen(90\"\u00d790\")"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS2CUVT", "worker_id": "A1NF6PELRKACS9"}], "B08SQR474L": [{"asin": "B08SQR474L", "instruction": "i am looking for grain and gluten free chips.", "attributes": ["grain free", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["grain free", "gluten free"], "instruction_options": [], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3YZL5JC", "worker_id": "A1NF6PELRKACS9"}], "B078SZCPK8": [{"asin": "B078SZCPK8", "instruction": "let me have grocery & gourmet food dietary fibre", "attributes": ["non gmo", "dietary fiber"], "options": [""], "instruction_attributes": ["dietary fiber"], "instruction_options": [], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SXTTQC", "worker_id": "A1IL2K0ELYI090"}], "B09LRSJVCF": [{"asin": "B09LRSJVCF", "instruction": "i am looking for a high quality dark gray reclining barber chair for a hair salon.", "attributes": ["high quality", "hair salon", "beauty salon"], "options": ["color: dark gray"], "instruction_attributes": ["high quality", "hair salon"], "instruction_options": ["dark gray"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLSRAD9", "worker_id": "A1EREKSZAA9V7B"}], "B093Q5DCH6": [{"asin": "B093Q5DCH6", "instruction": "i am looking for a xx-large casual print shirt for women for gifting purpose. also choose wine color.", "attributes": ["valentine day", "great gift"], "options": ["color: wine", "size: xx-large"], "instruction_attributes": ["great gift"], "instruction_options": ["wine", "xx-large"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1GT08F", "worker_id": "A1V2JTEEBCXR20"}], "B0925PXXNL": [{"asin": "B0925PXXNL", "instruction": "i am looking for sulfate free in redwood", "attributes": ["sulfate free", "sensitive skin"], "options": ["material type: extra-strength antiperspirant", "scent: redwood"], "instruction_attributes": ["sulfate free"], "instruction_options": ["redwood"], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVY16IDX", "worker_id": "A2MSIFDLOHI1UT"}], "B08D36NGX6": [{"asin": "B08D36NGX6", "instruction": "i need a gold plated, high definition digital optical cable that's five feet long.", "attributes": ["gold plated", "high resolution", "high definition"], "options": ["size: 5ft | 1.5m"], "instruction_attributes": ["gold plated", "high definition"], "instruction_options": ["5ft | 1.5m"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MID5RBX", "worker_id": "AR9AU5FY1S3RO"}], "B003EWPKGA": [{"asin": "B003EWPKGA", "instruction": "i'm looking for a 60in (150cm) pro studio softbox with heavy duty construction. also ensure its style is broncolor impact.", "attributes": ["high power", "heavy duty"], "options": ["size: 60in (150cm)", "style: broncolor impact"], "instruction_attributes": ["heavy duty"], "instruction_options": ["60in (150cm)", "broncolor impact"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCU15QR", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B003EWPKGA", "instruction": "i'm looking for a heavy duty soft box, specifically with a quantum qflash lighting setting.", "attributes": ["high power", "heavy duty"], "options": ["size: 12x56in (30x140cm)", "style: quantum qflash"], "instruction_attributes": ["heavy duty"], "instruction_options": ["quantum qflash"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3KZYAF", "worker_id": "A3LIIE572Z4OG7"}], "B08K2ML6WX": [{"asin": "B08K2ML6WX", "instruction": "i am looking for unicorn collection nail polish with glossy and matte top", "attributes": ["long lasting", "nail polish"], "options": ["color: unicorn"], "instruction_attributes": ["nail polish"], "instruction_options": ["unicorn"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PMREQQ", "worker_id": "A258PTOZ3D2TQR"}], "B07JGZWVKX": [{"asin": "B07JGZWVKX", "instruction": "show me a king sized machine washable super soft pillow in yellow coral pattern and 30\" x 20\" size.", "attributes": ["super soft", "machine washable", "king size"], "options": ["color: yellow coral", "size: 30\" x 20\""], "instruction_attributes": ["super soft", "machine washable", "king size"], "instruction_options": ["yellow coral", "30\" x 20\""], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDX6AII", "worker_id": "A3AYHESLQSDY5T"}], "B09BGGLY51": [{"asin": "B09BGGLY51", "instruction": "i want hydration undereye & smile line jelly patches fragrance free cruelty free cream for eyes", "attributes": ["fragrance free", "cruelty free", "dermatologist tested", "plant based", "sensitive skin", "dry skin"], "options": ["style: hydration undereye & smile line jelly patches"], "instruction_attributes": ["fragrance free", "cruelty free"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3TR6PI", "worker_id": "A3N9ZYQAESNFQH"}], "B003VTGBC8": [{"asin": "B003VTGBC8", "instruction": "i am looking for a box of 50 singles non-dairy coffee creamers that will add sugar-free hazelnut flavor to coffee drinks.", "attributes": ["non dairy", "rich creamy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: sugar free hazelnut", "size: box of 50 singles"], "instruction_attributes": ["non dairy"], "instruction_options": ["sugar free hazelnut", "box of 50 singles"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9NTB06", "worker_id": "A1HMZJ59OPLD1P"}], "B088WN9NMS": [{"asin": "B088WN9NMS", "instruction": "i am looking for a high performance home surveillance security camera that is certified refurbished.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance"], "instruction_options": [], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC4OKUG", "worker_id": "A1NF6PELRKACS9"}], "B086ZFMFCF": [{"asin": "B086ZFMFCF", "instruction": "i am looking for a purple double-sided, eco friendly, and long handle bath body brush scrubber.", "attributes": ["double sided", "eco friendly", "non toxic", "long handle"], "options": ["color: purple"], "instruction_attributes": ["double sided", "eco friendly", "long handle"], "instruction_options": ["purple"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3SBTG39", "worker_id": "A39VVWV1GHLMFD"}], "B07GDL839C": [{"asin": "B07GDL839C", "instruction": "i want an oil free foundation that is high in quality. find me the 410 caoouccino color.", "attributes": ["oil free", "long lasting", "high quality"], "options": ["color: 410 cappuccino", "size: 1.0 fluid ounce"], "instruction_attributes": ["oil free", "high quality"], "instruction_options": ["410 cappuccino"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VLQ06G", "worker_id": "A1NF6PELRKACS9"}], "B09KRBSG36": [{"asin": "B09KRBSG36", "instruction": "i would like to buy a cupcake topper which has a laser gold pattern and is suitable for birthday parties.", "attributes": ["birthday party", "valentine day", "party supplies", "baby shower"], "options": ["size: laser gold pattern"], "instruction_attributes": ["birthday party"], "instruction_options": ["laser gold pattern"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFADD91", "worker_id": "AHXHM1PQTRWIQ"}, {"asin": "B09KRBSG36", "instruction": "i'm looking for a 10 pcs jinxiao snowflake glitter cupcake topper.", "attributes": ["birthday party", "valentine day", "party supplies", "baby shower"], "options": ["size: glitter gold"], "instruction_attributes": ["birthday party", "party supplies"], "instruction_options": ["glitter gold"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39DTZC6", "worker_id": "A1ZGOZQF2VZ0X9"}, {"asin": "B09KRBSG36", "instruction": "i want pearl white cake toppers for a birthday party.", "attributes": ["birthday party", "valentine day", "party supplies", "baby shower"], "options": ["size: pearl white"], "instruction_attributes": ["birthday party"], "instruction_options": ["pearl white"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6NF7UU", "worker_id": "A2RBF3IIJP15IH"}], "B09SF2PKSF": [{"asin": "B09SF2PKSF", "instruction": "i'm looking for open and close toe sandals for women's. need to buy it.", "attributes": ["open toe", "high heel", "closed toe", "ankle strap"], "options": ["color: a4 - black", "size: 11.5 wide"], "instruction_attributes": ["open toe", "high heel", "closed toe"], "instruction_options": ["a4 - black"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40IBNXJ", "worker_id": "A16IQOX0DK14OJ"}], "B09M36VJZ3": [{"asin": "B09M36VJZ3", "instruction": "i want an easy to assemble shoe rack that goes in my living room. pick a white one.", "attributes": ["high density", "space saving", "easy clean", "easy assemble", "living room"], "options": ["color: white", "size: 60cm"], "instruction_attributes": ["easy assemble", "living room"], "instruction_options": ["white"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK249LKNG", "worker_id": "A1NF6PELRKACS9"}], "B093TPRQS3": [{"asin": "B093TPRQS3", "instruction": "i am looking for a 5 gram non alcoholic for cocktail mixers", "attributes": ["non alcoholic", "gmo free"], "options": ["size: 5 gram"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["5 gram"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCJAJS9", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B093TPRQS3", "instruction": "i would like a non alcoholic cocktail mixer that is one ounce.", "attributes": ["non alcoholic", "gmo free"], "options": ["size: 1 ounce (28 gram)"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["1 ounce (28 gram)"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVLFLXF", "worker_id": "A2ECRNQ3X5LEXD"}], "B09KT8L94B": [{"asin": "B09KT8L94B", "instruction": "i'm looking for beauty care accessories it is easy to clean and it was helpful for deadly skin.", "attributes": ["double sided", "easy clean", "dead skin"], "options": ["color: yellow"], "instruction_attributes": ["double sided", "easy clean", "dead skin"], "instruction_options": ["yellow"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVIWTUE", "worker_id": "A16IQOX0DK14OJ"}], "B007HRLNJG": [{"asin": "B007HRLNJG", "instruction": "i am looking for dried fruits in artificial colors with size 8 ounce", "attributes": ["trader joe", "artificial colors"], "options": ["size: 8 ounce (pack of 3)"], "instruction_attributes": ["artificial colors"], "instruction_options": ["8 ounce (pack of 3)"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU49M6RD", "worker_id": "A16M39T60N60NO"}, {"asin": "B007HRLNJG", "instruction": "i am looking for single pack of 8 ounce size containing artificial colors cherries.", "attributes": ["trader joe", "artificial colors"], "options": ["size: 8 ounce (pack of 1)"], "instruction_attributes": ["artificial colors"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CF9V0W", "worker_id": "A1Q8PPQQCWGY0D"}], "B074SQBWLY": [{"asin": "B074SQBWLY", "instruction": "i am looking far a 3 pack bloody mary non gmo margarita", "attributes": ["non gmo", "gluten free", "high fructose", "natural ingredients", "artificial flavors"], "options": ["flavor: 3 pack bloody mary"], "instruction_attributes": ["non gmo"], "instruction_options": ["3 pack bloody mary"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746XWTB4", "worker_id": "A9QRQL9CFJBI7"}], "B002HEXNU6": [{"asin": "B002HEXNU6", "instruction": "i'm looking for a nuvo vanity", "attributes": ["vanity light", "brushed nickel"], "options": ["color: mahogany bronze | frosted glass", "style: 3-light d73"], "instruction_attributes": ["vanity light", "brushed nickel"], "instruction_options": ["mahogany bronze | frosted glass", "3-light d73"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYX4PPS", "worker_id": "A1ZGOZQF2VZ0X9"}, {"asin": "B002HEXNU6", "instruction": "to improve my home lighting i'm searching for wall lights and 4lt brushed nickel vanity strip lights .", "attributes": ["vanity light", "brushed nickel"], "options": ["color: mahogany bronze", "style: 4lt vanity strip"], "instruction_attributes": ["vanity light", "brushed nickel"], "instruction_options": ["4lt vanity strip"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLVG034", "worker_id": "A3R8PQCD99H61E"}, {"asin": "B002HEXNU6", "instruction": "i would like a mahogany bronze pendant with frosted glass for my vanity light.", "attributes": ["vanity light", "brushed nickel"], "options": ["color: mahogany bronze | champagne glass", "style: pendant with frosted glass,"], "instruction_attributes": ["vanity light"], "instruction_options": ["mahogany bronze | champagne glass", "pendant with frosted glass,"], "assignment_id": "33TIN5LC0FKDY31374RC144TX1B9Y3", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B002HEXNU6", "instruction": "i need a vanity light that is mahogany bronze", "attributes": ["vanity light", "brushed nickel"], "options": ["color: mahogany bronze | frosted glass", "style: 3lt chandelier | ballerina"], "instruction_attributes": ["vanity light"], "instruction_options": ["mahogany bronze | frosted glass"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IU8KHX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09R1PMDCC": [{"asin": "B09R1PMDCC", "instruction": "i'm looking for long sleeve and slim fit for dry clean for women's clothing.", "attributes": ["hand wash", "slim fit", "long sleeve", "dry clean"], "options": ["color: 001-white", "size: 3x-large"], "instruction_attributes": ["slim fit", "long sleeve", "dry clean"], "instruction_options": ["001-white"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSOO0X7", "worker_id": "A16IQOX0DK14OJ"}], "B09MLCQCWP": [{"asin": "B09MLCQCWP", "instruction": "i want a non slip pair of sport shoes that has rubber soles. i am a woman and my size is 15.", "attributes": ["non slip", "rubber sole"], "options": ["color: note melody", "size: 15 women | 12 men"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["15 women | 12 men"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WRHQW5", "worker_id": "A1NF6PELRKACS9"}], "B09MH8LFGC": [{"asin": "B09MH8LFGC", "instruction": "i want a belt-clip heavy duty holster case for my galaxy s22 plus in the color dark blue | pink+belt", "attributes": ["heavy duty", "hands free"], "options": ["color: dark blue | pink+belt"], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3QIYRE09YER1XZUUWP385IO3V3X1N6", "worker_id": "A292TFDMNVS0TP"}], "B07CT5Q656": [{"asin": "B07CT5Q656", "instruction": "i want a clear glass mystic sand colored wall sconce. it will go in my living room.", "attributes": ["clear glass", "dining room", "living room"], "options": ["color: mystic sand", "size: 1-light orb"], "instruction_attributes": ["clear glass", "living room"], "instruction_options": ["mystic sand"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV2VBH4", "worker_id": "A1NF6PELRKACS9"}], "B09K7YCMYK": [{"asin": "B09K7YCMYK", "instruction": "i'm looking for a clip in hair extensions for hair styling. also choose f one.", "attributes": ["hair extensions", "hair styling"], "options": ["color: f"], "instruction_attributes": ["hair extensions", "hair styling"], "instruction_options": ["f"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UUYY0R", "worker_id": "AR0VJ5XRG16UJ"}], "B098DL4XG9": [{"asin": "B098DL4XG9", "instruction": "i am looking for a black wall lamps & sconces for living room", "attributes": ["long lasting", "brushed nickel", "contemporary style", "living room"], "options": ["color: black"], "instruction_attributes": ["living room"], "instruction_options": ["black"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQG1CJL", "worker_id": "A9QRQL9CFJBI7"}], "B0823JRTJM": [{"asin": "B0823JRTJM", "instruction": "i am looking for a candy & chocolate gifts box", "attributes": ["old fashioned", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY7E0UO", "worker_id": "A9QRQL9CFJBI7"}], "B08ZS6M1T7": [{"asin": "B08ZS6M1T7", "instruction": "i'm looking for a hollywood style vanity lights which is easy to install.", "attributes": ["assembly required", "easy install"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYP59Q5", "worker_id": "AR0VJ5XRG16UJ"}], "B07TVRDP96": [{"asin": "B07TVRDP96", "instruction": "i am looking for am/fm radio with digital frequency display of hannlomax hx-506r portable am/fm radio which could play my favourite music from the smartphone or bluetooth enabled device on boombox by bluetooth streaming.suitable for indoor and outdoor.", "attributes": ["batteries included", "usb port", "stereo sound"], "options": [""], "instruction_attributes": ["batteries included", "usb port", "stereo sound"], "instruction_options": [], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWT0N79H", "worker_id": "A1DRKZ3SCLAS4V"}], "B00BECJIYW": [{"asin": "B00BECJIYW", "instruction": "i am looking for rubber soled men loafer. please choose size of 13.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black waterproof", "size: 13-14"], "instruction_attributes": ["rubber sole"], "instruction_options": ["13-14"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SVZTQE", "worker_id": "A3FG5PQHG5AH3Y"}], "B09BQWG3DW": [{"asin": "B09BQWG3DW", "instruction": "i am looking for cupcake picks for baby shower birthday.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["cupcake picks", "baby shower"], "instruction_options": [], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXVZ4OK", "worker_id": "A3FG5PQHG5AH3Y"}], "B09KNHG351": [{"asin": "B09KNHG351", "instruction": "i need a large button closure shirt that is charcoal grey in color. pick the regular fit one.", "attributes": ["hand wash", "easy care", "machine washable", "long sleeve", "cotton spandex", "regular fit", "button closure", "tumble dry", "daily wear"], "options": ["color: charcoalgrey", "size: large"], "instruction_attributes": ["regular fit", "button closure"], "instruction_options": ["charcoalgrey", "large"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOILCTJ", "worker_id": "A1NF6PELRKACS9"}], "B09QQ9WPMM": [{"asin": "B09QQ9WPMM", "instruction": "i need a mens hairline hairpiece that can be used as replacement for hair lose. and please choose the medium brown with 130 desnsity", "attributes": ["natural hair", "hair loss"], "options": ["color: 130 density #4 medium brown", "size: mens hairline"], "instruction_attributes": ["hair loss"], "instruction_options": ["130 density #4 medium brown", "mens hairline"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDJLO2U", "worker_id": "A2COCSUGZV28X"}], "B09PKY9Q6R": [{"asin": "B09PKY9Q6R", "instruction": "i'm looking for a natural hair cap to hide my hair loss", "attributes": ["natural hair", "hair loss"], "options": ["color: 6#"], "instruction_attributes": ["natural hair", "hair loss"], "instruction_options": [], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733MGBE1", "worker_id": "A13PVNQT2WWWVL"}], "B09PHBN21C": [{"asin": "B09PHBN21C", "instruction": "find me a round table non slip with storage basket", "attributes": ["easy clean", "non slip", "coated steel", "living room"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DWSTOL", "worker_id": "A2Y2TURT2VEYZN"}], "B08LP4T5GN": [{"asin": "B08LP4T5GN", "instruction": "i am shopping for a non alcoholic slush mix that is non alcoholic. i like the cherry flavor.", "attributes": ["non alcoholic", "high fructose"], "options": ["flavor: cherry"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["cherry"], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTDS8Z66", "worker_id": "A1NF6PELRKACS9"}], "B09G2GNCPF": [{"asin": "B09G2GNCPF", "instruction": "i am looking for a 3x-large long sleeved sweatshirt that is hooded for everyday wear.", "attributes": ["slim fit", "machine wash", "long sleeve", "relaxed fit", "everyday wear", "daily wear"], "options": ["color: z10-gray", "size: 3x-large"], "instruction_attributes": ["long sleeve", "everyday wear"], "instruction_options": ["3x-large"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXS0O5H", "worker_id": "A1NF6PELRKACS9"}], "B07F8PVCBQ": [{"asin": "B07F8PVCBQ", "instruction": "i would like a extra large pair of peach butt purple shorts with a high waist.", "attributes": ["butt lifting", "quality materials", "elastic waistband", "high waist", "polyester spandex"], "options": ["color: b-peach butt purple", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["b-peach butt purple", "x-large"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4UDK72", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07F8PVCBQ", "instruction": "i would like some peach high waisted shorts", "attributes": ["butt lifting", "quality materials", "elastic waistband", "high waist", "polyester spandex"], "options": ["color: b-peach butt blue", "size: small"], "instruction_attributes": ["high waist"], "instruction_options": ["b-peach butt blue"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OZMM38", "worker_id": "A2ECRNQ3X5LEXD"}], "B083ZG5KTG": [{"asin": "B083ZG5KTG", "instruction": "i would like a pair of women's 6.5 black powder water shoes with a rubber sole.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: 47 black powder", "size: 6.5 women | 5 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["47 black powder", "6.5 women | 5 men"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEK98Q3", "worker_id": "A1WS884SI0SLO4"}], "B07C9BT98C": [{"asin": "B07C9BT98C", "instruction": "i'm looking for a ready to use, fully assembled mattresses with box spring. also, choose beige colored california kig sized bed with 4\" split foundation one.", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": ["color: beige", "size: california king", "style: 4\" split foundation"], "instruction_attributes": ["ready use", "fully assembled", "box spring"], "instruction_options": ["beige", "california king", "4\" split foundation"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2R44LF", "worker_id": "AR0VJ5XRG16UJ"}], "B07HH5XPZ9": [{"asin": "B07HH5XPZ9", "instruction": "i would like some 18 inch 1b hair extensions made from synthetic hair.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: 1b", "size: 18 inch (pack of 6)"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["1b", "18 inch (pack of 6)"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJW8VG9", "worker_id": "A1WS884SI0SLO4"}], "B09QL66D1G": [{"asin": "B09QL66D1G", "instruction": "i am looking for long sleeve henley shirt. please choose orange color.", "attributes": ["winter warm", "long sleeve", "short sleeve", "contrast color"], "options": ["color: orange", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["orange"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHD9NBS", "worker_id": "A3FG5PQHG5AH3Y"}], "B082VQPQFT": [{"asin": "B082VQPQFT", "instruction": "i am looking a heavy duty hdmi vedio cable size: 6-feet", "attributes": ["gold plated", "heavy duty"], "options": ["size: 6-foot"], "instruction_attributes": ["heavy duty"], "instruction_options": ["6-foot"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHEVNBG", "worker_id": "A3N9ZYQAESNFQH"}], "B08DYGBLBF": [{"asin": "B08DYGBLBF", "instruction": "i am looking for dermatologist tested and paraben free body cream with green tea extracts which is suitable for dry and sensitive skin.", "attributes": ["paraben free", "dermatologist tested", "fragrance free", "green tea", "dry skin", "sensitive skin"], "options": [""], "instruction_attributes": ["paraben free", "dermatologist tested", "green tea", "dry skin", "sensitive skin"], "instruction_options": [], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHT9WLNQ", "worker_id": "A1V2JTEEBCXR20"}], "B09NVWFD91": [{"asin": "B09NVWFD91", "instruction": "please re order a happy easter flannel fleece throw blanket for my coach.it should be super soft and easy to clean.", "attributes": ["super soft", "easy clean", "fleece throw", "living room"], "options": ["color: happy eastersgd0761", "size: 39\" x 49\""], "instruction_attributes": ["super soft", "easy clean", "fleece throw"], "instruction_options": ["happy eastersgd0761"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH154AWH4", "worker_id": "AHU9OLV0YKIIW"}], "B08Z312Q1L": [{"asin": "B08Z312Q1L", "instruction": "i am looking for non slip shoes in 10 size", "attributes": ["non slip", "rubber sole", "comfortable fit", "unique design"], "options": ["size: 10"], "instruction_attributes": ["non slip"], "instruction_options": ["10"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0S2N11T", "worker_id": "A16M39T60N60NO"}], "B08N5NCY6X": [{"asin": "B08N5NCY6X", "instruction": "i'm looking for regular outfit it can make feel comfortab;e.", "attributes": ["rubber outsole", "regular fit", "rubber sole"], "options": ["color: halo silver | carbon | grey three", "size: 6.5"], "instruction_attributes": ["regular fit"], "instruction_options": ["halo silver | carbon | grey three", "6.5"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXSYYLP", "worker_id": "A16IQOX0DK14OJ"}], "B0143NQVP2": [{"asin": "B0143NQVP2", "instruction": "are there any gluten free protein bars with very high protein content available in chocolate raspberry flavour?", "attributes": ["gluten free", "high protein"], "options": ["flavor name: chocolate raspberry", "size: 1.83 ounce (pack of 12)"], "instruction_attributes": ["gluten free", "high protein"], "instruction_options": ["chocolate raspberry"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZGNRPJ", "worker_id": "A3EDFA8UQT5GG8"}], "B0851CHGVF": [{"asin": "B0851CHGVF", "instruction": "i would like a stained glass wall lamp with a bronze finish.", "attributes": ["bronze finish", "dining room", "living room"], "options": ["color: stained glass"], "instruction_attributes": ["bronze finish"], "instruction_options": ["stained glass"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPHS6V3", "worker_id": "A1WS884SI0SLO4"}], "B09LRS6MPF": [{"asin": "B09LRS6MPF", "instruction": "i am looking for a loose fit vest that is red and a 4-xlarge", "attributes": ["loose fit", "short sleeve", "long sleeve", "faux fur"], "options": ["color: 03#red", "size: 4x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["03#red", "4x-large"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPAIOCN", "worker_id": "A2ECRNQ3X5LEXD"}], "B0954WPWWY": [{"asin": "B0954WPWWY", "instruction": "i want to buy an air purifier candle that's soy wax. it should be falling leaves colored and in a 3 pack.", "attributes": ["eco friendly", "soy wax"], "options": ["color: falling leaves", "size: 3 pack"], "instruction_attributes": ["soy wax"], "instruction_options": ["falling leaves", "3 pack"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L21VCG", "worker_id": "A2YNPKYEFDZ6C9"}], "B08F5L5XLH": [{"asin": "B08F5L5XLH", "instruction": "i am looking for lock screen ad supported tablet in 1080p hd", "attributes": ["1080p hd", "long lasting", "hands free"], "options": ["color: denim", "digital storage capacity: 64 gb", "offer type: lockscreen ad-supported", "style: with luna cloud gaming controller"], "instruction_attributes": ["1080p hd"], "instruction_options": ["lockscreen ad-supported"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WAZUOD", "worker_id": "A16M39T60N60NO"}], "B082G4QXDW": [{"asin": "B082G4QXDW", "instruction": "i want something that will let me use my cell phone hands free and has the kansas city chiefs' logo on it. it should allow for wireless charging.", "attributes": ["hands free", "wireless charging"], "options": ["color: kansas city chiefs logo"], "instruction_attributes": ["hands free", "wireless charging"], "instruction_options": ["kansas city chiefs logo"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJOLOM4", "worker_id": "AR9AU5FY1S3RO"}], "B07Z1KJ1NS": [{"asin": "B07Z1KJ1NS", "instruction": "i am looking for small sized women t-shirt. it should be machine washable.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather grey", "fit type: women", "size: x-small"], "instruction_attributes": ["machine wash"], "instruction_options": ["women", "x-small"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q3JDKN", "worker_id": "A3FG5PQHG5AH3Y"}], "B08BR58B2V": [{"asin": "B08BR58B2V", "instruction": "i would like a purple storage case for my nail polish.", "attributes": ["storage case", "nail polish"], "options": ["color: purple"], "instruction_attributes": ["storage case", "nail polish"], "instruction_options": ["purple"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0VS5W5", "worker_id": "A1WS884SI0SLO4"}], "B01M71YUW3": [{"asin": "B01M71YUW3", "instruction": "i'm looking for a bronze finish pendant light for high ceiling in dining room.", "attributes": ["bronze finish", "pendant light", "dining room"], "options": [""], "instruction_attributes": ["bronze finish", "pendant light", "dining room"], "instruction_options": [], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSO50XO", "worker_id": "AR0VJ5XRG16UJ"}], "B09PYWJJH4": [{"asin": "B09PYWJJH4", "instruction": "i'm looking for stereo sound it was outside of noise pollution.", "attributes": ["wireless charging", "stereo sound"], "options": [""], "instruction_attributes": ["wireless charging", "stereo sound"], "instruction_options": [], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HGCGHYU", "worker_id": "A16IQOX0DK14OJ"}], "B09F3QFR2M": [{"asin": "B09F3QFR2M", "instruction": "i am looking for a white02 high quality hair cutting kits", "attributes": ["easy clean", "easy use", "high quality", "hair cutting"], "options": ["color: white01"], "instruction_attributes": ["high quality"], "instruction_options": ["white01"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNXEH8H", "worker_id": "A9QRQL9CFJBI7"}], "B09PYKMRCQ": [{"asin": "B09PYKMRCQ", "instruction": "i am looking for long lasting 11oz ceramic tea cup", "attributes": ["lead free", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3X0H8UUITCYRED22199FX2O3EEIWSE", "worker_id": "AX2EWYWZM19AZ"}], "B08FJ45JPS": [{"asin": "B08FJ45JPS", "instruction": "i would like a cat sparkly cosmetic bag that is high quality and water resistant.", "attributes": ["water resistant", "travel size", "high quality", "storage case"], "options": ["color: cat sparkly"], "instruction_attributes": ["water resistant", "high quality"], "instruction_options": ["cat sparkly"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BNAVJW", "worker_id": "A1WS884SI0SLO4"}], "B08R6FZK5V": [{"asin": "B08R6FZK5V", "instruction": "seeking a men's tech pique botanical polo that is short-sleeved, moisture wickering in a size medium showing navy blazer-ocean depths color made by puma.", "attributes": ["moisture wicking", "short sleeve"], "options": ["color: navy blazer-ocean depths", "size: medium"], "instruction_attributes": ["moisture wicking", "short sleeve"], "instruction_options": ["navy blazer-ocean depths", "medium"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOJ0YDD", "worker_id": "A3RGIKEI8JS2QG"}], "B0882RZ4JC": [{"asin": "B0882RZ4JC", "instruction": "i'm looking for a ready-to-eat mild flavor seasoned pork meat with quality ingredients, choose 8.8 ounce (pack of 3)", "attributes": ["ready eat", "shelf stable", "quality ingredients"], "options": ["flavor name: mild", "size: 8.8 ounce (pack of 3)"], "instruction_attributes": ["ready eat", "quality ingredients"], "instruction_options": ["8.8 ounce (pack of 3)"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCT865E", "worker_id": "A1Q0EUNCS50S8M"}], "B0849Q9GPL": [{"asin": "B0849Q9GPL", "instruction": "i'm looking for a oat milk creamer by califia farms .", "attributes": ["plant based", "non gmo", "artificial ingredients", "non dairy", "low sugar", "dairy free", "gluten free"], "options": [""], "instruction_attributes": ["plant based", "non gmo", "non dairy", "low sugar", "gluten free"], "instruction_options": [], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOEUON3", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09FYCSJ87": [{"asin": "B09FYCSJ87", "instruction": "i am looking for a hair mask and a hair conditioner that promotes hair growth and helps repair damaged hair.", "attributes": ["damaged hair", "dry hair", "hair treatment", "hair salon", "hair growth"], "options": [""], "instruction_attributes": ["damaged hair", "hair growth"], "instruction_options": [], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDWTIAB", "worker_id": "AJDQGOTMB2D80"}], "B0727Z2B2P": [{"asin": "B0727Z2B2P", "instruction": "i want an xx-large gonxaga bulldogs sweatshirt. it should be officially licensed.", "attributes": ["officially licensed", "hand wash", "machine wash"], "options": ["color: florida state seminoles garnet", "size: xx-large", "team name: gonzaga bulldogs"], "instruction_attributes": ["officially licensed"], "instruction_options": ["xx-large", "gonzaga bulldogs"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746XUBTK", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B0727Z2B2P", "instruction": "find the officially licensed top of the world fit light heather arch men's crew neck sweater. my son wants it with the team name: wisconsin badgers.", "attributes": ["officially licensed", "hand wash", "machine wash"], "options": ["color: west virginia mountaineers dark heather", "size: large", "team name: wisconsin badgers"], "instruction_attributes": ["officially licensed"], "instruction_options": ["wisconsin badgers"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QVQ07T", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B0727Z2B2P", "instruction": "i want a medium machine washable top of the world men's fit sweatshirt.", "attributes": ["officially licensed", "hand wash", "machine wash"], "options": ["color: wyoming cowboys dark heather", "size: medium", "team name: indiana hoosiers"], "instruction_attributes": ["machine wash"], "instruction_options": ["medium"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSA5WCR", "worker_id": "A2RBF3IIJP15IH"}], "B09J2RZ26Q": [{"asin": "B09J2RZ26Q", "instruction": "i looking a super soft fleece throw for small pets size;40*30 inch", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: monkey", "size: 40\"x30\" extra small for pet"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["40\"x30\" extra small for pet"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U7VAM5", "worker_id": "A3N9ZYQAESNFQH"}], "B08RYT36YW": [{"asin": "B08RYT36YW", "instruction": "i want to find a 42 millimeter long baby pink loop strap compatible with my apple watch band.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: baby pink", "size: 42mm | 44mm | 45mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["baby pink", "42mm | 44mm | 45mm"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVMALXC", "worker_id": "A345TDMHP3DQ3G"}], "B0184JRW1I": [{"asin": "B0184JRW1I", "instruction": "i am shopping for a height adjustable blue desk with drawers.", "attributes": ["height adjustable", "lead free"], "options": ["color: blue desk only", "size: desk"], "instruction_attributes": ["height adjustable"], "instruction_options": ["blue desk only", "desk"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UI2KO5", "worker_id": "A1NF6PELRKACS9"}], "B00LLGSY82": [{"asin": "B00LLGSY82", "instruction": "i would like a single spring 4mm jaw nail clippers made of stainless steel.", "attributes": ["stainless steel", "dead skin"], "options": ["pattern name: single spring 4mm jaw"], "instruction_attributes": ["stainless steel"], "instruction_options": ["single spring 4mm jaw"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCKWIPY", "worker_id": "A1WS884SI0SLO4"}], "B08X1V7V92": [{"asin": "B08X1V7V92", "instruction": "i am looking for a hands free earbud headphones and color should be light grey or blue.", "attributes": ["water resistant", "hands free"], "options": ["color: light grey | blue"], "instruction_attributes": ["hands free"], "instruction_options": ["light grey | blue"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4Y9H0Z", "worker_id": "A9QRQL9CFJBI7"}], "B08P572SR5": [{"asin": "B08P572SR5", "instruction": "i want a pair of non slip ballet flats with rubber sole. i need it in size 11.", "attributes": ["non slip", "rubber outsole", "rubber sole"], "options": ["color: white lace", "size: 11"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["11"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR49TFUX", "worker_id": "A1NF6PELRKACS9"}], "B09B9CX9N1": [{"asin": "B09B9CX9N1", "instruction": "i am looking for a cruelty free makeup blender sponge which is easy to clean. also choose green color.", "attributes": ["easy clean", "cruelty free"], "options": ["color: green"], "instruction_attributes": ["easy clean", "cruelty free"], "instruction_options": ["green"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB3I5YU", "worker_id": "A2HMEGTAFO0CS8"}], "B09MHVS36T": [{"asin": "B09MHVS36T", "instruction": "i am looking for high quality rainbow9 color hair cap.", "attributes": ["high quality", "natural hair"], "options": ["color: rainbow9"], "instruction_attributes": ["high quality"], "instruction_options": ["rainbow9"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9UH875", "worker_id": "A3FG5PQHG5AH3Y"}], "B08ZRYFXZC": [{"asin": "B08ZRYFXZC", "instruction": "i'm looking for clothing easy to machinable washes and it has unique design.", "attributes": ["machine wash", "wash cold", "unique design", "tumble dry"], "options": ["color: multi4", "size: x-large"], "instruction_attributes": ["machine wash", "unique design", "tumble dry"], "instruction_options": ["multi4"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCWY46Q", "worker_id": "A16IQOX0DK14OJ"}], "B07N13MK4G": [{"asin": "B07N13MK4G", "instruction": "im looking for women\u2019s beige skechers go walk 5-lucky sneaker in a size 10.", "attributes": ["machine washable", "synthetic sole"], "options": ["color: beige taupe textile trim tpe", "size: 10"], "instruction_attributes": ["machine washable"], "instruction_options": ["beige taupe textile trim tpe", "10"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ASQBWQ", "worker_id": "AK3JMCIGU8MLU"}], "B0891NDH4B": [{"asin": "B0891NDH4B", "instruction": "i am looking for easy to use bath shower scrubber for men. please choose blue one.", "attributes": ["bpa free", "easy use"], "options": ["color: blue"], "instruction_attributes": ["easy use"], "instruction_options": ["blue"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV1IX3B", "worker_id": "A3FG5PQHG5AH3Y"}], "B09R3TJ4ZZ": [{"asin": "B09R3TJ4ZZ", "instruction": "find me a pair of anti slip high heel sandals in black. i am a size 6.", "attributes": ["knee high", "day comfort", "anti slip", "non slip", "hand wash", "lace closure", "high heel"], "options": ["color: black", "size: 6"], "instruction_attributes": ["anti slip", "high heel"], "instruction_options": ["black", "6"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2OGYNB", "worker_id": "A1NF6PELRKACS9"}], "B09FQZ8VW1": [{"asin": "B09FQZ8VW1", "instruction": "i am looking for a alcohol free face wash for makeup removal which is easy to use. also choose eco friendly one.", "attributes": ["alcohol free", "eco friendly", "easy use"], "options": [""], "instruction_attributes": ["alcohol free", "eco friendly", "easy use"], "instruction_options": [], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4J3M8L", "worker_id": "A2HMEGTAFO0CS8"}], "B07KJQDVM4": [{"asin": "B07KJQDVM4", "instruction": "i'm looking for rose gold hair coloring products for permanent hair.", "attributes": ["easy use", "rose gold", "hair dye", "permanent hair", "natural hair"], "options": ["color: 4.15", "size: 1 count (pack of 1)"], "instruction_attributes": ["easy use", "rose gold", "hair dye", "permanent hair"], "instruction_options": ["4.15"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VZHWYV", "worker_id": "A16IQOX0DK14OJ"}], "B09S8KNGZ3": [{"asin": "B09S8KNGZ3", "instruction": "i'm looking for open and closed toe sandals for buy it.", "attributes": ["open toe", "closed toe"], "options": ["color: w1 - green", "size: 8 wide"], "instruction_attributes": ["open toe", "closed toe"], "instruction_options": ["w1 - green"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCWY64S", "worker_id": "A16IQOX0DK14OJ"}], "B009G74AXG": [{"asin": "B009G74AXG", "instruction": "this brand lorann blueberry ss (with natural flavors) is the one i always use, find the 16 oz bottle, for me the gluten free version.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: blueberry", "size: 16 ounce"], "instruction_attributes": ["gluten free"], "instruction_options": ["blueberry"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT33YJX", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B009G74AXG", "instruction": "i am looking for gluten free foods with hazelnut flavor", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: hazelnut", "size: 4 fl oz, 3 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["hazelnut"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL1WNSU", "worker_id": "A16M39T60N60NO"}, {"asin": "B009G74AXG", "instruction": "i would like a 4 fluid ounce bottle of bpa free cookie butter extract.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: cookie butter", "size: 4 fl oz"], "instruction_attributes": ["bpa free"], "instruction_options": ["cookie butter", "4 fl oz"], "assignment_id": "354P56DE9VDCOY11T1135MPMLPAS7D", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B009G74AXG", "instruction": "i'm looking for a bakery emulsion which should be free from bpa and gluten. also, choose 1 gallon maple flavored one.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: maple", "size: 1 gallon"], "instruction_attributes": ["bpa free", "gluten free"], "instruction_options": ["maple", "1 gallon"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRQRF9I", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B009G74AXG", "instruction": "i need some gluten free orange extract", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: orange", "size: 4 fl oz (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["orange"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2BG7YI", "worker_id": "A2ECRNQ3X5LEXD"}], "B09162G91K": [{"asin": "B09162G91K", "instruction": "i am looking for a cupcake toppers for the birth day party of my daughter", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL08AVN", "worker_id": "A2COCSUGZV28X"}], "B07N33D4TH": [{"asin": "B07N33D4TH", "instruction": "i am looking for a pack of 5 dark blonde hair dye touch up spray.", "attributes": ["cruelty free", "permanent hair", "hair dye", "beauty salon"], "options": ["color: dark blonde", "size: pack of 5"], "instruction_attributes": ["hair dye"], "instruction_options": ["dark blonde", "pack of 5"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U5IMA0", "worker_id": "A1EREKSZAA9V7B"}], "B09GYMZ7Y2": [{"asin": "B09GYMZ7Y2", "instruction": "i would like a pair of yellow size 8.5 boots that are comfortable during the day.", "attributes": ["day comfort", "non slip", "quality materials"], "options": ["color: yellow", "size: 8.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["yellow", "8.5"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXTGYL9", "worker_id": "A1WS884SI0SLO4"}], "B07DP7WNS9": [{"asin": "B07DP7WNS9", "instruction": "i am looking for gluten free snacks with strawberry flavor", "attributes": ["non gmo", "gluten free"], "options": ["flavor name: strawberry", "size: 12 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["strawberry"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBELPKZP", "worker_id": "A16M39T60N60NO"}], "B09NKWML4K": [{"asin": "B09NKWML4K", "instruction": "i am looking for a short sleeve top for a teenage girl. it should in xx-large size.", "attributes": ["loose fit", "day comfort", "hand wash", "short sleeve", "polyester spandex", "teen girls"], "options": ["size: xx-large"], "instruction_attributes": ["short sleeve", "teen girls"], "instruction_options": ["xx-large"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZI88OA", "worker_id": "A1NF6PELRKACS9"}], "B09DY4KL7F": [{"asin": "B09DY4KL7F", "instruction": "cosmetic craft glitter set for nail art in green colour", "attributes": ["non toxic", "easy clean", "nail art"], "options": ["color: green"], "instruction_attributes": ["nail art"], "instruction_options": ["green"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLLPM0W", "worker_id": "A10OGH5CQBXL5N"}], "B09JF3D6D3": [{"asin": "B09JF3D6D3", "instruction": "i need grey memory foam slippers with open toes.", "attributes": ["open toe", "water resistant", "memory foam", "arch support"], "options": ["color: c-gray", "size: 11.5"], "instruction_attributes": ["open toe", "memory foam"], "instruction_options": ["c-gray"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL2GRVS", "worker_id": "A1NF6PELRKACS9"}], "B000KPO99I": [{"asin": "B000KPO99I", "instruction": "i am searching for an anti aging and dermatologist tested night cream. also, choose the 3.4 ounce size.", "attributes": ["dermatologist tested", "anti aging"], "options": ["size: 3.4 ounce"], "instruction_attributes": ["dermatologist tested", "anti aging"], "instruction_options": ["3.4 ounce"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79J3QK2", "worker_id": "A9ZM1P6LBW79"}], "B00RHH51P8": [{"asin": "B00RHH51P8", "instruction": "show me twin sized bronze colored day bed made in canopy bed style.", "attributes": ["twin size", "white item"], "options": ["color: bronze", "size: twin", "style: canopy bed"], "instruction_attributes": ["twin size"], "instruction_options": ["bronze", "twin", "canopy bed"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8E3XUK", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B00RHH51P8", "instruction": "i want to find a white and gold king-sized daybed.", "attributes": ["twin size", "white item"], "options": ["color: gold", "size: king", "style: bed"], "instruction_attributes": ["white item"], "instruction_options": ["gold", "king", "bed"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCOD7IZ", "worker_id": "A345TDMHP3DQ3G"}], "B093XKPQSJ": [{"asin": "B093XKPQSJ", "instruction": "i am looking for a suckers & lollipops of spiderman pop ups flavor for birthday party.", "attributes": ["individually wrapped", "party supplies", "birthday party"], "options": ["flavor name: spiderman pop ups"], "instruction_attributes": ["birthday party"], "instruction_options": ["spiderman pop ups"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEVKUUL", "worker_id": "A9QRQL9CFJBI7"}], "B009PQB0KE": [{"asin": "B009PQB0KE", "instruction": "i'm looking for hair removal of men's it was personal care in beauty.", "attributes": ["high quality", "stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFTV0TL", "worker_id": "A16IQOX0DK14OJ"}], "B085NDWSZW": [{"asin": "B085NDWSZW", "instruction": "i'm looking for makeup accessories for deadly skin and easy to clean to skin.", "attributes": ["double sided", "easy clean", "dead skin"], "options": [""], "instruction_attributes": ["easy clean", "dead skin"], "instruction_options": [], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RHALFH", "worker_id": "A16IQOX0DK14OJ"}], "B07YGLDGZV": [{"asin": "B07YGLDGZV", "instruction": "i am looking for men's machine washable alloy colored dress pants.", "attributes": ["machine washable", "slim fit", "machine wash", "imported zipper"], "options": ["color: alloy", "size: 36w x 30l"], "instruction_attributes": ["machine washable"], "instruction_options": ["alloy"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE05TJL", "worker_id": "A1EREKSZAA9V7B"}], "B005ME1PHQ": [{"asin": "B005ME1PHQ", "instruction": "i'm looking for need to buy a cookie butter and it was gluten free and it contains high protein.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: cookie butter", "size: 4 fl oz (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["cookie butter"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQG5JRX", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B005ME1PHQ", "instruction": "i would like a 128 fluid ounce bottle of princess cake and cookie that is bpa free.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: princess cake and cookie", "size: 128 fl oz (pack of 1)"], "instruction_attributes": ["bpa free"], "instruction_options": ["princess cake and cookie", "128 fl oz (pack of 1)"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZG5LK3", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B005ME1PHQ", "instruction": "show me lorann coffee bakery emulsion, red velvet flavor and gluten free. i need to add an order for this week.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: red velvet", "size: 4 fl oz\u2026."], "instruction_attributes": ["gluten free"], "instruction_options": ["red velvet"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATBX37M", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B005ME1PHQ", "instruction": "i'm looking for 4 ounce bottle of coffee bakery emulsion.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: strawberry", "size: 16 fl oz."], "instruction_attributes": ["bpa free"], "instruction_options": ["16 fl oz."], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9DQAZ3", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B005ME1PHQ", "instruction": "i would like a 1 gallon bottle of blueberry imitation extract that is bpa free.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: blueberry", "size: 1 gallon"], "instruction_attributes": ["bpa free"], "instruction_options": ["blueberry", "1 gallon"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU32RLV", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B005ME1PHQ", "instruction": "i want to get some cherry flavored imitation flavoring that is in a 4 oz six pack size.", "attributes": ["bpa free", "gluten free"], "options": ["flavor name: cherry", "size: 4 ounce, 6 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["cherry", "4 ounce, 6 pack"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THVEZ53", "worker_id": "A2YNPKYEFDZ6C9"}], "B08PKGFW3L": [{"asin": "B08PKGFW3L", "instruction": "i am looking for birthday party gift supplies. she is a 15 year old girl.", "attributes": ["individually wrapped", "birthday party", "party supplies", "perfect gift"], "options": [""], "instruction_attributes": ["birthday party", "party supplies", "perfect gift"], "instruction_options": [], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38GZWJJQ", "worker_id": "A1NF6PELRKACS9"}], "B09RZN1YYP": [{"asin": "B09RZN1YYP", "instruction": "i'm looking for cellphone accessories for tempered glass. it was long lasting time.", "attributes": ["high definition", "easy install", "tempered glass"], "options": ["color: iphone 12 pro"], "instruction_attributes": ["tempered glass"], "instruction_options": ["iphone 12 pro"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LICPSB", "worker_id": "A16IQOX0DK14OJ"}], "B09SCYZ17V": [{"asin": "B09SCYZ17V", "instruction": "i'm looking for a open toe slippers with ankle strap. also, choose 6 size wide, a8 white colored one", "attributes": ["open toe", "ankle strap", "closed toe"], "options": ["color: a8 - white", "size: 6 wide"], "instruction_attributes": ["open toe", "ankle strap"], "instruction_options": ["a8 - white", "6 wide"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTM7O6R", "worker_id": "AR0VJ5XRG16UJ"}], "B08QVLQ7VQ": [{"asin": "B08QVLQ7VQ", "instruction": "i am looking to buy pillow covers for my living room. i would like them to be 2 pieces of dimension 18\" x 18\"", "attributes": ["exquisite workmanship", "faux leather", "living room"], "options": ["color: navy3 | 8# leather", "size: 2 pieces, 18\" x 18\""], "instruction_attributes": ["living room"], "instruction_options": ["2 pieces, 18\" x 18\""], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPAQORW", "worker_id": "AHXHM1PQTRWIQ"}], "B09MCWQHB6": [{"asin": "B09MCWQHB6", "instruction": "i am looking for eco friendly window films that are multicolored.", "attributes": ["eco friendly", "living room"], "options": ["color: multi-05711", "size: 17.7\" x 23.6\" x 2 pcs"], "instruction_attributes": ["eco friendly"], "instruction_options": ["multi-05711"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQF7918", "worker_id": "A2ECRNQ3X5LEXD"}], "B08L86MM2W": [{"asin": "B08L86MM2W", "instruction": "i am looking for a heavy duty bedroom sets of full xl size", "attributes": ["heavy duty", "assembly required", "king size"], "options": ["size: full xl", "style: heavy duty"], "instruction_attributes": ["heavy duty"], "instruction_options": ["full xl", "heavy duty"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRY7XJQ", "worker_id": "A9QRQL9CFJBI7"}], "B09KV8YFY9": [{"asin": "B09KV8YFY9", "instruction": "szitop women's yoga pants crossover yoga pants flare crossover high waist workout leggings yoga pants with stretch belly control bootcut do you know a szitop brand? i need flare yoga pants. for everyday wear, machine washable, high waist. look for size .xx-large.", "attributes": ["hand wash", "machine wash", "tummy control", "high waist", "stretch fabric", "elastic closure", "cotton spandex", "elastic waist", "daily wear"], "options": ["color: f-navy", "size: xx-large"], "instruction_attributes": ["machine wash", "high waist", "daily wear"], "instruction_options": ["xx-large"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54R4837", "worker_id": "A15IJ20C3R4HUO"}], "B003YCN7B0": [{"asin": "B003YCN7B0", "instruction": "find me an oil free dermatologist tested exfoliating facial scrub for dry skin with shien control feature and in 4.2 ounce (pack of 3) size.", "attributes": ["oil free", "dermatologist tested", "dry skin"], "options": ["size: 4.2 ounce (pack of 3)", "style: shine control"], "instruction_attributes": ["oil free", "dermatologist tested", "dry skin"], "instruction_options": ["4.2 ounce (pack of 3)", "shine control"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BM0X8R", "worker_id": "A3AYHESLQSDY5T"}], "B085QMTTSC": [{"asin": "B085QMTTSC", "instruction": "i need a chocolate coated wafers with a 4.41 ounce size. and i choose the caramel flavor", "attributes": ["kosher certified", "artificial colors", "artificial flavors"], "options": ["flavor name: caramel", "size: 4.41 ounce"], "instruction_attributes": ["kosher certified"], "instruction_options": ["caramel", "4.41 ounce"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT2RP3X", "worker_id": "A2COCSUGZV28X"}], "B097SL3X81": [{"asin": "B097SL3X81", "instruction": "i am looking for a white tempered glass screen smartwatch bands which is compatible to apple", "attributes": ["compatible apple", "tempered glass", "glass screen"], "options": ["color: white", "size: 40mm"], "instruction_attributes": ["compatible apple", "tempered glass", "glass screen"], "instruction_options": ["white"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ10NRX", "worker_id": "A9QRQL9CFJBI7"}], "B09H6K6SZT": [{"asin": "B09H6K6SZT", "instruction": "i am looking for a blue color tablets with high performance.", "attributes": ["ultra hd", "high performance"], "options": ["color: blue"], "instruction_attributes": ["high performance"], "instruction_options": ["blue"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5GAWIG", "worker_id": "A9QRQL9CFJBI7"}], "B0989N4SWC": [{"asin": "B0989N4SWC", "instruction": "i'm looking for high definition 5 in 1 carrying case kit that has separate compartments for case cover, tempered glass and glass screen. also choose large blue colored one.", "attributes": ["high definition", "glass screen", "tempered glass", "case cover", "carrying case"], "options": ["color: blue", "size: large"], "instruction_attributes": ["high definition", "glass screen", "tempered glass", "case cover", "carrying case"], "instruction_options": ["blue", "large"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF3PDLR", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B0989N4SWC", "instruction": "i would like a large blue switch case with a glass screen.", "attributes": ["high definition", "glass screen", "tempered glass", "case cover", "carrying case"], "options": ["color: blue", "size: large"], "instruction_attributes": ["glass screen"], "instruction_options": ["blue", "large"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJQLGDE", "worker_id": "A1WS884SI0SLO4"}], "B07ZK5YRBM": [{"asin": "B07ZK5YRBM", "instruction": "i am looking for a curtain for living room which is washable in machine. also choose 52\" wide by 90\" length in size.", "attributes": ["machine washable", "living room"], "options": ["color: mandala27lbg2100", "size: 52\" w by 90\" l"], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["52\" w by 90\" l"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE2FJTP", "worker_id": "A2HMEGTAFO0CS8"}], "B08FTKG5HS": [{"asin": "B08FTKG5HS", "instruction": "a am looking vinyl acetate rose gold women sandal size 10", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: rose gold suede interest", "size: 10"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["rose gold suede interest", "10"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R6BYTL", "worker_id": "A3N9ZYQAESNFQH"}], "B09SHRB1KG": [{"asin": "B09SHRB1KG", "instruction": "i am looking for a high definition android car stereo of quad core color.", "attributes": ["plug play", "high definition", "4g lte"], "options": ["color: quad core", "size: 2g+32g"], "instruction_attributes": ["high definition"], "instruction_options": ["quad core"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LC31OK", "worker_id": "A9QRQL9CFJBI7"}], "B074VFLXWN": [{"asin": "B074VFLXWN", "instruction": "i'm looking for high pigmented for long lasting beauty skin care.", "attributes": ["highly pigmented", "long lasting"], "options": ["color: 140 light tan", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["highly pigmented", "long lasting"], "instruction_options": ["140 light tan"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSOB0XU", "worker_id": "A16IQOX0DK14OJ"}], "B08ZNCX4WB": [{"asin": "B08ZNCX4WB", "instruction": "i'm looking for wall art pictures for hanging through the wall.", "attributes": ["ready hang", "easy clean", "living room"], "options": ["color: red rose", "size: 12x12inx4"], "instruction_attributes": ["ready hang", "easy clean"], "instruction_options": [], "assignment_id": "3NGMS9VZTWSGZMBL50ZGMFJOULZFFH", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08ZNCX4WB", "instruction": "im looking for ready to hang, beach themed art work in size 14\u201d x 14\u201d.", "attributes": ["ready hang", "easy clean", "living room"], "options": ["color: yellow rose", "size: 14x14inx4"], "instruction_attributes": ["ready hang"], "instruction_options": ["14x14inx4"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNNCTNX", "worker_id": "AK3JMCIGU8MLU"}], "B0787R6C51": [{"asin": "B0787R6C51", "instruction": "i'm looking for fragrance for men's its for long lasting.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBCCSOR", "worker_id": "A16IQOX0DK14OJ"}], "B07KX9Y57X": [{"asin": "B07KX9Y57X", "instruction": "i am looking for a ready to hang print that is of sea and glass", "attributes": ["ready hang", "living room"], "options": ["color: sea & glass (1)", "size: 16x16"], "instruction_attributes": ["ready hang"], "instruction_options": ["sea & glass (1)"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7K0N5A", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NNT5XCJ": [{"asin": "B07NNT5XCJ", "instruction": "earthy fragrance for women", "attributes": ["animal testing", "high quality"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "33F859I56HNA01QBVO1K6A4GV2RHB6", "worker_id": "A10OGH5CQBXL5N"}], "B0876G6Z9P": [{"asin": "B0876G6Z9P", "instruction": "i am looking for low carb, gluten free keto red velvet brownie cookies", "attributes": ["low carb", "high protein", "gluten free", "low sugar", "low calorie", "quality ingredients"], "options": ["flavor name: red velvet brownie", "size: 6.4 ounce (pack of 1)"], "instruction_attributes": ["low carb", "gluten free"], "instruction_options": ["red velvet brownie"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O3QA2S", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B0876G6Z9P", "instruction": "i want a 6 ounce peanut butter low carb snacks.", "attributes": ["low carb", "high protein", "gluten free", "low sugar", "low calorie", "quality ingredients"], "options": ["flavor name: peanut butter", "size: 6 ounce (pack of 5)"], "instruction_attributes": ["low carb"], "instruction_options": ["peanut butter", "6 ounce (pack of 5)"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK4VUIJ", "worker_id": "A1WS884SI0SLO4"}], "B09FLH9RFF": [{"asin": "B09FLH9RFF", "instruction": "i'm looking for super soft blankets and throws.", "attributes": ["super soft", "living room"], "options": ["color: wolf grey sky", "size: xl - 51.2\"x59.1\""], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["wolf grey sky"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788EZ5CJ", "worker_id": "A16IQOX0DK14OJ"}], "B009ZKZEDO": [{"asin": "B009ZKZEDO", "instruction": "i am looking for a glass shade candle sconces.", "attributes": ["assembly required", "easy install", "easy clean", "glass shade"], "options": [""], "instruction_attributes": ["glass shade"], "instruction_options": [], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746WSTBY", "worker_id": "A9QRQL9CFJBI7"}], "B09MZFY93T": [{"asin": "B09MZFY93T", "instruction": "i'm looking for cupcake decorations for parties and need to buy it.", "attributes": ["hand crafted", "party supplies"], "options": [""], "instruction_attributes": ["hand crafted", "party supplies"], "instruction_options": [], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRS8RUE7", "worker_id": "A16IQOX0DK14OJ"}], "B07QLT232B": [{"asin": "B07QLT232B", "instruction": "i'm looking for stretch fabric rubber outsole", "attributes": ["stretch fabric", "memory foam", "rubber outsole", "rubber sole"], "options": ["color: marble", "size: 9-9.5"], "instruction_attributes": ["stretch fabric", "rubber outsole"], "instruction_options": ["marble"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZXLZJ3", "worker_id": "A16IQOX0DK14OJ"}], "B086MQ57DV": [{"asin": "B086MQ57DV", "instruction": "i'm looking for gym workout wear for daily wear uses.", "attributes": ["wash cold", "machine wash", "fashion design", "quality materials", "polyester cotton", "gym workout", "everyday wear", "daily wear"], "options": ["color: salmon", "size: x-large"], "instruction_attributes": ["wash cold", "machine wash", "fashion design", "polyester cotton", "gym workout", "everyday wear"], "instruction_options": ["salmon"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFPLV3F", "worker_id": "A16IQOX0DK14OJ"}], "B09DD313B3": [{"asin": "B09DD313B3", "instruction": "i am looking a long handle bath body brush easy usable quality should be high", "attributes": ["easy use", "high quality", "long handle", "quality materials"], "options": [""], "instruction_attributes": ["easy use", "high quality", "long handle"], "instruction_options": [], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7Y45PP", "worker_id": "A3N9ZYQAESNFQH"}], "B015QHXVI4": [{"asin": "B015QHXVI4", "instruction": "i'm looking for keto friendly have zero sugar.", "attributes": ["certified organic", "non gmo", "keto friendly", "sugar free", "plant based"], "options": ["size: 1 pound"], "instruction_attributes": ["keto friendly", "sugar free"], "instruction_options": ["1 pound"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRS8IEUI", "worker_id": "A16IQOX0DK14OJ"}], "B09S5S2MZZ": [{"asin": "B09S5S2MZZ", "instruction": "i want a high power binoculars with a large eyepiece for bird watching.", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVGFSZT", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09S5S2MZZ", "instruction": "i want a pair of binoculars for bird watching.", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXW85OE", "worker_id": "A1WS884SI0SLO4"}], "B09QCWBPK5": [{"asin": "B09QCWBPK5", "instruction": "i would like a 38 mm smartwatch band for my applewatch that is a transparent black flower.", "attributes": ["compatible apple", "high performance", "easy install", "stainless steel"], "options": ["color: transparent black flower", "size: 38mm | 40mm | 41mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["transparent black flower", "38mm | 40mm | 41mm"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWT0R97N", "worker_id": "A1WS884SI0SLO4"}], "B07XYM11XS": [{"asin": "B07XYM11XS", "instruction": "i'm looking for a adapter for wireless bluetooth speakers with output protection.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection", "wireless bluetooth"], "instruction_options": [], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOJ1DYT", "worker_id": "AR0VJ5XRG16UJ"}], "B00GTQZNDS": [{"asin": "B00GTQZNDS", "instruction": "i am looking for a fully assembled storage unit made from plywood.", "attributes": ["fully assembled", "storage unit"], "options": ["color: assorted colors", "configuration: fully assembled", "style: with bins"], "instruction_attributes": ["storage unit"], "instruction_options": ["fully assembled"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCSU65Y", "worker_id": "AJDQGOTMB2D80"}], "B0751NG9VN": [{"asin": "B0751NG9VN", "instruction": "i need a tuna creations bold, rice and beans in soy free hot sauce flavored tapatio, 2.6 ounce (pack of 1)", "attributes": ["wild caught", "soy free"], "options": ["flavor name: tapatio", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["soy free"], "instruction_options": ["tapatio", "2.6 ounce (pack of 1)"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPZATX1", "worker_id": "A258PTOZ3D2TQR"}], "B093DJDL6T": [{"asin": "B093DJDL6T", "instruction": "i am looking for washable easy clean non toxic hair chalk for girls", "attributes": ["easy apply", "non toxic", "easy clean", "easy use", "dry hair"], "options": [""], "instruction_attributes": ["non toxic", "easy clean"], "instruction_options": [], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYKDLQ7", "worker_id": "A258PTOZ3D2TQR"}], "B07M6LWR7C": [{"asin": "B07M6LWR7C", "instruction": "i nee all natural but no artificial ingredients savory and spicy sauce, 3 pack with sweet kick mustard flavor.", "attributes": ["artificial ingredients", "non gmo"], "options": ["flavor name: sweet kick mustard", "size: 3 pack"], "instruction_attributes": ["artificial ingredients"], "instruction_options": ["sweet kick mustard", "3 pack"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2NFL5H", "worker_id": "A258PTOZ3D2TQR"}], "B081JHXKWG": [{"asin": "B081JHXKWG", "instruction": "i am looking for a cake toppers for birthday party.", "attributes": ["cupcake picks", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCWK64E", "worker_id": "A9QRQL9CFJBI7"}], "B0959MKXBR": [{"asin": "B0959MKXBR", "instruction": "i'm looking for a twin bed frame with light brown color and white finish.", "attributes": ["white item", "assembly required", "white finish", "engineered wood", "box spring"], "options": ["color: light brown", "size: twin"], "instruction_attributes": ["white finish"], "instruction_options": ["light brown", "twin"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GE7ZUP", "worker_id": "A1Q0EUNCS50S8M"}], "B09SSKKG32": [{"asin": "B09SSKKG32", "instruction": "i am looking for a wide leg overall for women with long sleeve and high waist. also choose beige color and 3x large size.", "attributes": ["wide leg", "straight leg", "elastic waist", "high waist", "short sleeve", "long sleeve", "everyday wear"], "options": ["color: beige", "size: 3x-large"], "instruction_attributes": ["wide leg", "high waist", "long sleeve"], "instruction_options": ["beige", "3x-large"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7JEN5M", "worker_id": "A2HMEGTAFO0CS8"}], "B08BR1QRC3": [{"asin": "B08BR1QRC3", "instruction": "i want pecocke print curtain panel machine washable size:120\"w*90\"l", "attributes": ["machine washable", "white item"], "options": ["color: color08", "size: 120\" w x 90\" l"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "369J354OFOKQUTE5FR2UAU6N22U6G4", "worker_id": "A3N9ZYQAESNFQH"}], "B091F5JC1Y": [{"asin": "B091F5JC1Y", "instruction": "large size hand washable silk satin pajamas with elasticwaistband", "attributes": ["hand wash", "quality polyester", "elastic waistband", "polyester spandex", "daily wear"], "options": ["color: teal", "size: large"], "instruction_attributes": ["hand wash", "elastic waistband"], "instruction_options": ["large"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA8F2SW", "worker_id": "A10OGH5CQBXL5N"}], "B08ZQLXCTV": [{"asin": "B08ZQLXCTV", "instruction": "i need black color and 15 ft long heavy duty surge protector power strip", "attributes": ["heavy duty", "usb port"], "options": ["color: black", "size: 15 ft"], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907TIUA1", "worker_id": "A258PTOZ3D2TQR"}], "B083LVF5PM": [{"asin": "B083LVF5PM", "instruction": "i am looking for a wireless bluetooth 4.0 power amplifier board.", "attributes": ["power amplifier", "wireless bluetooth"], "options": [""], "instruction_attributes": ["power amplifier", "wireless bluetooth"], "instruction_options": [], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K6T12Y", "worker_id": "A1EREKSZAA9V7B"}], "B07BGDBMXC": [{"asin": "B07BGDBMXC", "instruction": "i need a mid century faux leather ottoman in walnut brown color.", "attributes": ["mid century", "assembly required", "faux leather"], "options": [""], "instruction_attributes": ["mid century", "faux leather"], "instruction_options": [], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIKIEFW", "worker_id": "A1NF6PELRKACS9"}], "B07DLQ2H98": [{"asin": "B07DLQ2H98", "instruction": "i would like a full sized day bed with a brushed bronze frame that's easy to assemble.", "attributes": ["easy assemble", "box spring"], "options": ["color: brushed bronze", "size: full over twin size", "style: daybed and trundle"], "instruction_attributes": ["easy assemble"], "instruction_options": ["brushed bronze", "full over twin size", "daybed and trundle"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O2L2AD", "worker_id": "A1WS884SI0SLO4"}], "B08ZGZZDCJ": [{"asin": "B08ZGZZDCJ", "instruction": "i'm looking for cakes it contains high protein and the low fat.", "attributes": ["high protein", "low fat"], "options": ["flavor name: gluten free", "size: 5 pound"], "instruction_attributes": ["high protein", "low fat"], "instruction_options": ["gluten free"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662XF4M4", "worker_id": "A16IQOX0DK14OJ"}], "B093BNSSHW": [{"asin": "B093BNSSHW", "instruction": "i am lookin for black stereo sound computer speakers.", "attributes": ["aluminum alloy", "stereo sound"], "options": ["color: black", "size: wired + bluetooth"], "instruction_attributes": ["stereo sound"], "instruction_options": ["black"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2RML4E", "worker_id": "A9QRQL9CFJBI7"}], "B09D7RBGLX": [{"asin": "B09D7RBGLX", "instruction": "i'm looking for hand painted decorative pillows for grey plant colored.", "attributes": ["hand painted", "exquisite workmanship"], "options": ["color: grey plant"], "instruction_attributes": ["hand painted"], "instruction_options": ["grey plant"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ2750171MP4F", "worker_id": "A16IQOX0DK14OJ"}], "B008ZEEDBA": [{"asin": "B008ZEEDBA", "instruction": "i am looking for a x-large jacket fleece that is water resistant. and please get me the red color", "attributes": ["water resistant", "fleece lined"], "options": ["color: red | white | blue", "size: x-large"], "instruction_attributes": ["water resistant"], "instruction_options": ["red | white | blue", "x-large"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40XLYFV", "worker_id": "A2COCSUGZV28X"}], "B09SPWBXNR": [{"asin": "B09SPWBXNR", "instruction": "i'm looking for open toe pillow slippers its make comfortable.", "attributes": ["non slip", "open toe", "hand wash", "lace closure"], "options": ["color: camouflage", "size: 5.5"], "instruction_attributes": ["non slip", "open toe"], "instruction_options": ["camouflage", "5.5"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DB4WDG", "worker_id": "A16IQOX0DK14OJ"}], "B08HWR6C22": [{"asin": "B08HWR6C22", "instruction": "i'm looking for tripoid for electronics needed.", "attributes": ["easy carry", "carbon fiber", "carrying case"], "options": [""], "instruction_attributes": ["easy carry", "carrying case"], "instruction_options": [], "assignment_id": "3X0H8UUITCYRED22199FX2O3EEPSWH", "worker_id": "A16IQOX0DK14OJ"}], "B076BC2CC2": [{"asin": "B076BC2CC2", "instruction": "i would like 72 one ounce bags of bbq and pineapple jerky that is non-gmo.", "attributes": ["sugar free", "grass fed", "non gmo", "low calorie", "keto friendly", "high protein", "individually wrapped"], "options": ["flavor name: bbq & pineapple - natural pork", "size: 1 ounce (pack of 72)"], "instruction_attributes": ["low calorie"], "instruction_options": ["bbq & pineapple - natural pork", "1 ounce (pack of 72)"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EFQWSO", "worker_id": "A1WS884SI0SLO4"}], "B09H8BY27C": [{"asin": "B09H8BY27C", "instruction": "i am looking for a body scrubs for dead skin.", "attributes": ["dead skin", "dark circles"], "options": [""], "instruction_attributes": ["dead skin"], "instruction_options": [], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FDYK82", "worker_id": "A9QRQL9CFJBI7"}], "B00IPQ54KM": [{"asin": "B00IPQ54KM", "instruction": "i'm looking for a gift covered with chocolate and should be in a gift basket.", "attributes": ["chocolate covered", "gift basket"], "options": [""], "instruction_attributes": ["chocolate covered", "gift basket"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCXR4Q4", "worker_id": "AR0VJ5XRG16UJ"}], "B07SGHL6K2": [{"asin": "B07SGHL6K2", "instruction": "looking for travel accessories bottles for travel size", "attributes": ["bpa free", "travel size", "easy clean", "long lasting", "travel bottles"], "options": [""], "instruction_attributes": ["travel size", "travel bottles"], "instruction_options": [], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACSHHN9", "worker_id": "A10OGH5CQBXL5N"}], "B00GTC1HIW": [{"asin": "B00GTC1HIW", "instruction": "i am looking for a paraben free body wash that has a pink lemon and mandarin orange style.", "attributes": ["dermatologist tested", "paraben free"], "options": ["size: 24 fl oz (pack of 2)", "style: pink lemon and mandarin orange"], "instruction_attributes": ["paraben free"], "instruction_options": ["pink lemon and mandarin orange"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7YWYQP", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B00GTC1HIW", "instruction": "i would like a 13.5 fluid ounce bottle of vanilla body wash that is paraben free.", "attributes": ["dermatologist tested", "paraben free"], "options": ["size: 13.5 fl oz (pack of 1)", "style: vanilla"], "instruction_attributes": ["paraben free"], "instruction_options": ["13.5 fl oz (pack of 1)", "vanilla"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4BR6RM", "worker_id": "A1WS884SI0SLO4"}], "B09MLHK36S": [{"asin": "B09MLHK36S", "instruction": "storage cabinet white led buffet cabinet with 3 doors", "attributes": ["high gloss", "exquisite workmanship", "storage space", "contemporary style", "dining room", "living room"], "options": ["color: black 1 door"], "instruction_attributes": ["high gloss", "dining room", "living room"], "instruction_options": ["black 1 door"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FDE8K6", "worker_id": "A10OGH5CQBXL5N"}], "B07L5ZM4YN": [{"asin": "B07L5ZM4YN", "instruction": "i need a high heeled close toe shoes that is in size 9.", "attributes": ["high heel", "closed toe", "rubber sole"], "options": ["color: ivory(5.5cm)", "size: 9"], "instruction_attributes": ["high heel", "closed toe"], "instruction_options": ["9"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXYKMYD", "worker_id": "A1NF6PELRKACS9"}], "B09SPYJJX3": [{"asin": "B09SPYJJX3", "instruction": "i am looking for clinical strength anti perspirant for sensitive skin.", "attributes": ["anti perspirant", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": [], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X8TRF5", "worker_id": "A1EREKSZAA9V7B"}], "B00WLJENOW": [{"asin": "B00WLJENOW", "instruction": "i am looking for a 24 pack of high protein herbal tea", "attributes": ["rich creamy", "high protein"], "options": ["flavor name: mango juice", "size: 24 packs"], "instruction_attributes": ["high protein"], "instruction_options": ["24 packs"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67NX4NC", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B00WLJENOW", "instruction": "i want high protein vitasoy soy milk drink.", "attributes": ["rich creamy", "high protein"], "options": ["flavor name: soy milk", "size: 8.45 ounce (pack of 24)"], "instruction_attributes": ["high protein"], "instruction_options": ["soy milk"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06L6KX7", "worker_id": "A2RBF3IIJP15IH"}], "B07XF1LN9H": [{"asin": "B07XF1LN9H", "instruction": "can i get a large size navy blue lightweight and breathable stretch fabric polo shirt for men?", "attributes": ["moisture wicking", "stretch fabric"], "options": ["color: navy blue", "size: large"], "instruction_attributes": ["stretch fabric"], "instruction_options": ["navy blue", "large"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHQ7J00", "worker_id": "A39VVWV1GHLMFD"}], "B09DT2MSJR": [{"asin": "B09DT2MSJR", "instruction": "i need a hand painted storage case for my living room . it should be book shaped", "attributes": ["hand painted", "living room"], "options": [""], "instruction_attributes": ["hand painted", "living room"], "instruction_options": [], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSCTCWZ", "worker_id": "A2COCSUGZV28X"}], "B08XMZDY39": [{"asin": "B08XMZDY39", "instruction": "i am looking for a long lasting full size metal platform bed.", "attributes": ["high density", "long lasting", "box spring"], "options": ["size: full", "style: 10\" high density foam mattress + frame"], "instruction_attributes": ["long lasting"], "instruction_options": ["full"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMX1W32", "worker_id": "A1EREKSZAA9V7B"}], "B076Z63QBR": [{"asin": "B076Z63QBR", "instruction": "i am looking for a atomic red orange mid century sofas & couches.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: atomic red orange", "size: teal"], "instruction_attributes": ["mid century"], "instruction_options": ["atomic red orange"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWC1NFC", "worker_id": "A9QRQL9CFJBI7"}], "B01J445IUY": [{"asin": "B01J445IUY", "instruction": "i need a six pack of manual toothbrushes that are good for sensitive teeth.", "attributes": ["sensitive teeth", "bad breath"], "options": ["size: 6 count (pack of 1)"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["6 count (pack of 1)"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9XZ5XZ", "worker_id": "AR9AU5FY1S3RO"}], "B09SB3RPJM": [{"asin": "B09SB3RPJM", "instruction": "open toe sexy high heels, non slip fashion for street wearing size 7", "attributes": ["open toe", "knee high", "non slip", "closed toe", "high heel"], "options": ["color: c beige", "size: 7"], "instruction_attributes": ["open toe", "non slip", "high heel"], "instruction_options": ["7"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPMVYSS", "worker_id": "A10OGH5CQBXL5N"}], "B07M9Z1C8M": [{"asin": "B07M9Z1C8M", "instruction": "i am looking for dairy free and apple variety pack of chips", "attributes": ["nut free", "dairy free", "non gmo", "gluten free", "dietary fiber"], "options": ["flavor name: apple variety pack", "size: 3.4 ounce (pack of 6)"], "instruction_attributes": ["dairy free"], "instruction_options": ["apple variety pack"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSJ9261", "worker_id": "A258PTOZ3D2TQR"}], "B09Q2SYZW6": [{"asin": "B09Q2SYZW6", "instruction": "i'm looking for binocular for bird watching.", "attributes": ["high power", "high resolution", "bird watching"], "options": [""], "instruction_attributes": ["high resolution", "bird watching"], "instruction_options": [], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OIMRT0", "worker_id": "A16IQOX0DK14OJ"}], "B09F5MKD6F": [{"asin": "B09F5MKD6F", "instruction": "i need a wash cold, blue hoodies for men's pullover", "attributes": ["wash cold", "machine wash", "cotton spandex", "drawstring closure", "daily wear"], "options": ["color: blue", "size: medium"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95T8XQQ", "worker_id": "A1IL2K0ELYI090"}], "B087TP51X9": [{"asin": "B087TP51X9", "instruction": "encontrar uma linda \u00e9 a sand\u00e1lia de cristal haoricu para mulher. preciso comprar para presente. ache o tamanho 8,5 na cor preta.", "attributes": ["slim fit", "straight leg", "open toe", "high waist", "faux fur", "regular fit", "relaxed fit", "button closure"], "options": ["color: 01-black", "size: 8.5"], "instruction_attributes": ["open toe"], "instruction_options": ["01-black", "8.5"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOD6LLW", "worker_id": "A15IJ20C3R4HUO"}], "B08L3VTNQZ": [{"asin": "B08L3VTNQZ", "instruction": "i'm looking for electronics for wearable technology and it was silver water resistant.", "attributes": ["water resistant", "4g lte"], "options": ["color: silver aluminum case", "size: 40mm", "style: gps"], "instruction_attributes": ["water resistant"], "instruction_options": ["silver aluminum case"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VZZYWF", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08L3VTNQZ", "instruction": "i would like a 44 mm blue sport band smartwatch with gps and cellular. i would also like it to be water resistant.", "attributes": ["water resistant", "4g lte"], "options": ["color: silver aluminium case with abyss blue sport band", "size: 44mm", "style: gps+cellular"], "instruction_attributes": ["water resistant"], "instruction_options": ["silver aluminium case with abyss blue sport band", "44mm", "gps+cellular"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7VK5PZ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08L3VTNQZ", "instruction": "i want to find an apple watch that has a silver aluminum case and a white 40 millimeter band. it needs to be water resistant and come with a gps.", "attributes": ["water resistant", "4g lte"], "options": ["color: silver aluminum case with white sport band", "size: 40mm", "style: gps"], "instruction_attributes": ["water resistant"], "instruction_options": ["silver aluminum case with white sport band", "40mm", "gps"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMCQXDO", "worker_id": "A345TDMHP3DQ3G"}], "B0918YYZBV": [{"asin": "B0918YYZBV", "instruction": "i would like a 40mm black and clear apple watch screen protector made of tempered glass.", "attributes": ["compatible apple", "glass screen", "tempered glass"], "options": ["color: black and clear", "size: 40mm"], "instruction_attributes": ["compatible apple", "tempered glass"], "instruction_options": ["black and clear", "40mm"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83LEIJM", "worker_id": "A1WS884SI0SLO4"}], "B07L1LQBHS": [{"asin": "B07L1LQBHS", "instruction": "i need red pump shoes for party or formal wear with rubber sole and size 7.5", "attributes": ["non slip", "rubber sole"], "options": ["color: red", "size: 7.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["red", "7.5"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W9TOUZ", "worker_id": "ASWFLI3N8X72G"}], "B015RNIF8I": [{"asin": "B015RNIF8I", "instruction": "i'm looking for a target reflections buffet", "attributes": ["white item", "white finish"], "options": ["color: blue"], "instruction_attributes": ["white item"], "instruction_options": ["blue"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLZEVAC", "worker_id": "A1ZGOZQF2VZ0X9"}], "B093G1BD4P": [{"asin": "B093G1BD4P", "instruction": "bacon jerky 15 pack", "attributes": ["ready eat", "great gift"], "options": ["flavor name: original style beef jerky", "size: 15 pack"], "instruction_attributes": ["ready eat"], "instruction_options": ["15 pack"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR49ZUFI", "worker_id": "A10OGH5CQBXL5N"}], "B08YMYLMZJ": [{"asin": "B08YMYLMZJ", "instruction": "i would like a bath brush with a long handle.", "attributes": ["high quality", "non slip", "long handle", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LDI1O1", "worker_id": "A1WS884SI0SLO4"}], "B09PZKBWJ4": [{"asin": "B09PZKBWJ4", "instruction": "i'm looking for camera it was easy to carry and need to buy it.", "attributes": ["easy carry", "carrying case"], "options": ["color: 50cm"], "instruction_attributes": ["easy carry", "carrying case"], "instruction_options": ["50cm"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0X4XPH", "worker_id": "A16IQOX0DK14OJ"}], "B00OGQY8Y8": [{"asin": "B00OGQY8Y8", "instruction": "i need a heavy duty king sized bed frame.", "attributes": ["heavy duty", "king size", "box spring"], "options": ["color: headboard only", "size: king"], "instruction_attributes": ["heavy duty", "king size"], "instruction_options": ["king"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EDDB1J", "worker_id": "A19317A3X87NVM"}], "B003EAC7ZY": [{"asin": "B003EAC7ZY", "instruction": "i need a small easy care shirt with long sleeves . and i prefer the clover color", "attributes": ["easy care", "long sleeve"], "options": ["color: clover", "size: small"], "instruction_attributes": ["easy care", "long sleeve"], "instruction_options": ["clover", "small"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3T6Z97", "worker_id": "A2COCSUGZV28X"}], "B07NW8Q5FY": [{"asin": "B07NW8Q5FY", "instruction": "i am looking for men classic fit t-shirt. please choose black color.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: men", "size: small"], "instruction_attributes": ["classic fit"], "instruction_options": ["black", "men"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GMPS37", "worker_id": "A3FG5PQHG5AH3Y"}], "B088BBSTR1": [{"asin": "B088BBSTR1", "instruction": "i am looking for a loose fit womens shirt with a short sleeve. also, i want the size of the shirt to be xx-large.", "attributes": ["loose fit", "short sleeve", "soft material"], "options": ["color: 04-greenleaf", "size: xx-large"], "instruction_attributes": ["loose fit", "short sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L86ER4", "worker_id": "AJDQGOTMB2D80"}], "B07ZFCWHCF": [{"asin": "B07ZFCWHCF", "instruction": "i am looking for a high quality heeta 2-pack hair shampoo brush specifically for dry hair. i would be more inclined to take a pink & purple.", "attributes": ["high quality", "dry hair"], "options": ["color: pink & purple"], "instruction_attributes": ["high quality", "dry hair"], "instruction_options": ["pink & purple"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662WLM4Q", "worker_id": "A39VVWV1GHLMFD"}], "B083M7B6CJ": [{"asin": "B083M7B6CJ", "instruction": "i am looking for a s-dark black wireless bluetooth earbud headphones.", "attributes": ["noise cancelling", "stereo sound", "wireless bluetooth"], "options": ["color: s-dark black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["s-dark black"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTQTE52", "worker_id": "A9QRQL9CFJBI7"}], "B093YSBNHN": [{"asin": "B093YSBNHN", "instruction": "i would like a laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1AZI26", "worker_id": "A1WS884SI0SLO4"}], "B01647YILE": [{"asin": "B01647YILE", "instruction": "i'm looking for fully cooked the flavor saquatch", "attributes": ["fully cooked", "ready eat", "non gmo"], "options": ["flavor name: sasquatch"], "instruction_attributes": ["fully cooked", "ready eat"], "instruction_options": ["sasquatch"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68G6A46", "worker_id": "A16IQOX0DK14OJ"}], "B08F9BY4P2": [{"asin": "B08F9BY4P2", "instruction": "i'm looking for the hyaluronic acid it was non-toxic acid. it contains petals.", "attributes": ["cruelty free", "paraben free", "non toxic", "hyaluronic acid"], "options": ["color: petals | tropical pink"], "instruction_attributes": ["non toxic", "hyaluronic acid"], "instruction_options": ["petals | tropical pink"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZX3AN3", "worker_id": "A16IQOX0DK14OJ"}], "B094YJFCY7": [{"asin": "B094YJFCY7", "instruction": "i need a large square solid wood coffee table laced with upholstered tufted button linen, an ivory-ottoman color will be most preferred.", "attributes": ["button tufted", "solid wood"], "options": ["color: ivory-ottoman", "size: square ottoman with casters"], "instruction_attributes": ["button tufted", "solid wood"], "instruction_options": ["ivory-ottoman"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DBMDWF", "worker_id": "A39VVWV1GHLMFD"}], "B09D7BZ1L6": [{"asin": "B09D7BZ1L6", "instruction": "please order for me a black pure leather ottoman stool size 100x40x43 cm for my living room.", "attributes": ["non slip", "high density", "pu leather", "living room"], "options": ["color: black", "size: 100x40x43cm"], "instruction_attributes": ["pu leather", "living room"], "instruction_options": ["black", "100x40x43cm"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A219WTHD", "worker_id": "AHU9OLV0YKIIW"}], "B005HV6RJA": [{"asin": "B005HV6RJA", "instruction": "i'm looking for regular fit and the clothing was makes day comfort.", "attributes": ["day comfort", "button closure", "regular fit"], "options": ["color: white | charcoal stripe", "size: 2x-large - 5_pack"], "instruction_attributes": ["day comfort", "regular fit"], "instruction_options": ["white | charcoal stripe"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN29YY7N", "worker_id": "A16IQOX0DK14OJ"}], "B094NQB78B": [{"asin": "B094NQB78B", "instruction": "i'm looking for sandals for a women need to buy a yellow color rubber sole.", "attributes": ["memory foam", "rubber sole"], "options": ["color: yellow 10cm", "size: 11.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["yellow 10cm"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LFT0L0", "worker_id": "A16IQOX0DK14OJ"}], "B09FF7ZSFJ": [{"asin": "B09FF7ZSFJ", "instruction": "i am looking for a multicolor shower caps for hair loss.", "attributes": ["easy carry", "hair loss"], "options": ["color: multicolor"], "instruction_attributes": ["hair loss"], "instruction_options": ["multicolor"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1DYCXP", "worker_id": "A9QRQL9CFJBI7"}], "B08N5DD2CG": [{"asin": "B08N5DD2CG", "instruction": "i'm looking for wild caught seafood with no added genetically modified organisms in the ingredients.", "attributes": ["wild caught", "grass fed", "non gmo"], "options": [""], "instruction_attributes": ["wild caught", "non gmo"], "instruction_options": [], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68G4A44", "worker_id": "A3EDFA8UQT5GG8"}], "B07NZ7YPXB": [{"asin": "B07NZ7YPXB", "instruction": "i am looking for a 2 ounce (pack of 4) of 2 ounce (pack of 4) jerky", "attributes": ["grass fed", "high protein", "sugar free", "simple ingredients"], "options": ["flavor name: wood fired pizza", "size: 2 ounce (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["2 ounce (pack of 4)"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBSGJEN", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07NZ7YPXB", "instruction": "find high protein beef jerky's.", "attributes": ["grass fed", "high protein", "sugar free", "simple ingredients"], "options": ["flavor name: wood fired pizza", "size: 2 ounce (pack of 1)"], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "3G2UL9A02OO71034MOY04HTU32F67B", "worker_id": "AVIEE6LDH0BT5"}], "B0945PXFDT": [{"asin": "B0945PXFDT", "instruction": "i'm looking for moisturizes the skin the green tea gives skin care goodness.", "attributes": ["clinically proven", "green tea", "seed oil"], "options": ["size: .7 fl oz (pack of 1)", "style: strength antioxidant + superfood elixir"], "instruction_attributes": ["green tea", "seed oil"], "instruction_options": [".7 fl oz (pack of 1)"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBG2DJB", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B0945PXFDT", "instruction": "i want .5 fl oz of clinically proven vegan mia organic antioxidant face oil.", "attributes": ["clinically proven", "green tea", "seed oil"], "options": ["size: .5 fl oz (pack of 1)", "style: strength antioxidant + superfood glow serum"], "instruction_attributes": ["clinically proven"], "instruction_options": [".5 fl oz (pack of 1)"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TLI3N3", "worker_id": "A2RBF3IIJP15IH"}], "B07NNXYHNM": [{"asin": "B07NNXYHNM", "instruction": "i'm looking for cruelty free, vitabath brand, bath and shower gel in the 32 ounce size.", "attributes": ["paraben free", "cruelty free", "dry skin"], "options": ["scent: spa skin therapy", "size: 32 ounce"], "instruction_attributes": ["cruelty free"], "instruction_options": ["32 ounce"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFS5V35", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B07NNXYHNM", "instruction": "i am looking for a paraben free and cruelty free moisturizing body cleanser for dry skin. also choose size 32 fl oz.", "attributes": ["paraben free", "cruelty free", "dry skin"], "options": ["scent: plus for dry skin", "size: 32 fl oz (pack of 1)"], "instruction_attributes": ["paraben free", "cruelty free", "dry skin"], "instruction_options": ["32 fl oz (pack of 1)"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DEXDWW", "worker_id": "A1V2JTEEBCXR20"}], "B07KYL4W5P": [{"asin": "B07KYL4W5P", "instruction": "i am looking for a red stereo sound earbud headphones", "attributes": ["easy use", "stereo sound"], "options": ["color: red", "size: blue"], "instruction_attributes": ["stereo sound"], "instruction_options": ["red"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQY92776", "worker_id": "A9QRQL9CFJBI7"}], "B0931675TF": [{"asin": "B0931675TF", "instruction": "i am looking for solid wood gaosoul wall art with wooden frame and size is 36x24in", "attributes": ["wood frame", "solid wood", "living room"], "options": ["color: city", "size: 36x24in"], "instruction_attributes": ["wood frame", "solid wood"], "instruction_options": ["36x24in"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVGM1PM", "worker_id": "AX2EWYWZM19AZ"}], "B07L2K1H47": [{"asin": "B07L2K1H47", "instruction": "i'm looking for a regular fit men's sneakers with rubber sole. also choose 6.5 size black colored one.", "attributes": ["regular fit", "rubber sole"], "options": ["color: black (cblack | ftwwht | cblack cblack | ftwwh...", "size: 6.5"], "instruction_attributes": ["regular fit", "rubber sole"], "instruction_options": ["black (cblack | ftwwht | cblack cblack | ftwwh...", "6.5"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8JTR4S", "worker_id": "AR0VJ5XRG16UJ"}], "B01C2CZWU6": [{"asin": "B01C2CZWU6", "instruction": "i want apple fruit sauce crushers that are certified organic.", "attributes": ["trader joe", "certified organic"], "options": [""], "instruction_attributes": ["certified organic"], "instruction_options": [], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QWA07F", "worker_id": "A1NF6PELRKACS9"}], "B092CTGJTY": [{"asin": "B092CTGJTY", "instruction": "i am looking for a dual band dome cameras.", "attributes": ["dual band", "motion detection"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G77X747", "worker_id": "A9QRQL9CFJBI7"}], "B07SKN25VL": [{"asin": "B07SKN25VL", "instruction": "i'm looking for hair extensions for natural hair and straight hair so need to buy it.", "attributes": ["easy apply", "hair extensions", "synthetic hair", "natural hair"], "options": ["color: ash blonde-straight(new)", "size: 26\" straight - 140g"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["ash blonde-straight(new)"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYN5HDF", "worker_id": "A16IQOX0DK14OJ"}], "B07N97QCX8": [{"asin": "B07N97QCX8", "instruction": "i'm looking for gluten free it was contain high protein and need to buy it.", "attributes": ["low carb", "non gmo", "low sodium", "gluten free", "natural ingredients"], "options": ["flavor name: vodka", "size: 1.56 pound (pack of 6)"], "instruction_attributes": ["low carb", "non gmo", "gluten free"], "instruction_options": ["vodka"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK248LKNE", "worker_id": "A16IQOX0DK14OJ"}], "B07D2W2VZ4": [{"asin": "B07D2W2VZ4", "instruction": "i'm looking for a 60\" floating tv console that will be best as media storage unit and has stone gray color.", "attributes": ["storage unit", "wood finish"], "options": ["color: stone gray", "size: 60\""], "instruction_attributes": ["storage unit"], "instruction_options": ["stone gray", "60\""], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDPIRHJ", "worker_id": "A1HMZJ59OPLD1P"}], "B09SGD4LLC": [{"asin": "B09SGD4LLC", "instruction": "i'm looking for binocular it will use for bird watching.", "attributes": ["high power", "bird watching"], "options": ["color: a"], "instruction_attributes": ["high power", "bird watching"], "instruction_options": ["a"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9LK0BI", "worker_id": "A16IQOX0DK14OJ"}], "B07KRWK5ZJ": [{"asin": "B07KRWK5ZJ", "instruction": "i am searching for a star war graphic tee in white.", "attributes": ["officially licensed", "needle sleeve", "classic fit", "star wars"], "options": ["color: white", "fit type: youth", "size: x-small"], "instruction_attributes": ["star wars"], "instruction_options": ["white"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCPAB91", "worker_id": "A1NF6PELRKACS9"}], "B09DMGQT3Q": [{"asin": "B09DMGQT3Q", "instruction": "i am looking for chocolate covered mint chip", "attributes": ["chocolate covered", "high fructose", "valentine day"], "options": ["flavor name: mint chip", "size: 3 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["mint chip"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQ3NGB", "worker_id": "A2MSIFDLOHI1UT"}], "B00U9WMZ0W": [{"asin": "B00U9WMZ0W", "instruction": "i am looking for vintage white bed in a king size", "attributes": ["white item", "contemporary style"], "options": ["color: vintage white", "size: california king"], "instruction_attributes": ["white item"], "instruction_options": ["vintage white", "california king"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIO1855", "worker_id": "A16M39T60N60NO"}], "B078YFPSNW": [{"asin": "B078YFPSNW", "instruction": "i'm looking for a tippleman's barrel aged cola syrup .", "attributes": ["non alcoholic", "old fashioned", "quality ingredients", "natural ingredients", "artificial flavors"], "options": ["flavor name: burnt sugar"], "instruction_attributes": ["non alcoholic", "natural ingredients"], "instruction_options": ["burnt sugar"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVO9JK2", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09FQ2NGQD": [{"asin": "B09FQ2NGQD", "instruction": "i really appreciate the cheese bros honey sriracha gouda b individually wrapped, royal aged cheese i will gift to my friend with the 6 oz. i want the 8 pack ready to eat she will serve at the party.", "attributes": ["ready eat", "individually wrapped", "quality ingredients", "artificial flavors"], "options": ["size: 8 pack"], "instruction_attributes": ["ready eat", "individually wrapped"], "instruction_options": ["8 pack"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJNQMO5", "worker_id": "A15IJ20C3R4HUO"}], "B09F6Y56TX": [{"asin": "B09F6Y56TX", "instruction": "i looking a men's short sleeve relaxed fit xx- large maroon /white color polo shirt", "attributes": ["officially licensed", "relaxed fit", "short sleeve"], "options": ["color: maroon | white", "size: xx-large", "team name: syracuse orange"], "instruction_attributes": ["relaxed fit", "short sleeve"], "instruction_options": ["maroon | white", "xx-large"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBCWOS7", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B09F6Y56TX", "instruction": "i would like a maroon and white medium nc state wolfpack short sleeved polo shirt.", "attributes": ["officially licensed", "relaxed fit", "short sleeve"], "options": ["color: maroon | white", "size: medium", "team name: north carolina state wolfpack"], "instruction_attributes": ["short sleeve"], "instruction_options": ["maroon | white", "medium", "north carolina state wolfpack"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL5CRVU", "worker_id": "A1WS884SI0SLO4"}], "B07R9RK4X2": [{"asin": "B07R9RK4X2", "instruction": "bluetooth headset for cell phones with noise cancelling in black colour", "attributes": ["noise cancelling", "long lasting"], "options": ["color: black"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BM2X8T", "worker_id": "A10OGH5CQBXL5N"}], "B09KHDQGMV": [{"asin": "B09KHDQGMV", "instruction": "i am looking for a brushed nickel finish floor lamp.", "attributes": ["brushed nickel", "nickel finish"], "options": [""], "instruction_attributes": ["brushed nickel", "nickel finish"], "instruction_options": [], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96AZG42", "worker_id": "A1NF6PELRKACS9"}], "B09QFMRDWC": [{"asin": "B09QFMRDWC", "instruction": "find me a x-large short sleeve dress in white with pockets", "attributes": ["soft material", "polyester cotton", "short sleeve", "daily wear"], "options": ["color: white", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["white", "x-large"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUIF5S9", "worker_id": "A2Y2TURT2VEYZN"}], "B0892JYS9N": [{"asin": "B0892JYS9N", "instruction": "storage ottoman bench with hinged lid which size 40*40*43cm", "attributes": ["storage unit", "storage space", "living room"], "options": ["color: m", "size: 40*40*43cm"], "instruction_attributes": ["storage space"], "instruction_options": ["40*40*43cm"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY868O188", "worker_id": "A10OGH5CQBXL5N"}], "B07GBBCKL7": [{"asin": "B07GBBCKL7", "instruction": "i need surgar free chocolate flavored cheesecake syrup, 3 pound (pack of 1)", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: chocolate", "size: 3 pound (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["chocolate", "3 pound (pack of 1)"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJLZJVAH", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07GBBCKL7", "instruction": "i want davinci gourmet sugar-free hazelnut syrup.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: sugar-free hazelnut", "size: 25.4 fl oz (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["sugar-free hazelnut"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEL4KZ4", "worker_id": "A2RBF3IIJP15IH"}], "B07S14G6N1": [{"asin": "B07S14G6N1", "instruction": "i'm looking for black video play for video acccesseories.", "attributes": ["high speed", "plug play"], "options": ["color: black", "size: 6-foot"], "instruction_attributes": ["plug play"], "instruction_options": ["black"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9W4X5U", "worker_id": "A16IQOX0DK14OJ"}], "B08MVT2WVK": [{"asin": "B08MVT2WVK", "instruction": "i'm looking for a silicone case cover for remote", "attributes": ["easy install", "case cover"], "options": [""], "instruction_attributes": ["case cover"], "instruction_options": [], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBTYGIH", "worker_id": "A2Y2TURT2VEYZN"}], "B09GX4CCW2": [{"asin": "B09GX4CCW2", "instruction": "i'm looking for some permanent blue hair dye that's cruelty free.", "attributes": ["cruelty free", "animal testing", "permanent hair", "hair dye", "natural hair"], "options": ["color: blue smoke"], "instruction_attributes": ["cruelty free", "permanent hair", "hair dye"], "instruction_options": ["blue smoke"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y0Y5JR", "worker_id": "AR9AU5FY1S3RO"}], "B09P8DYFNT": [{"asin": "B09P8DYFNT", "instruction": "i want a high quality dual band streaming media player with warranty,4gb+64gb", "attributes": ["dual band", "quad core"], "options": ["color: 4gb+64gb"], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWOE524", "worker_id": "A3N9ZYQAESNFQH"}], "B08R63QV8P": [{"asin": "B08R63QV8P", "instruction": "i'm looking for hair extensions for wigs and hair care.", "attributes": ["easy apply", "hair extensions"], "options": ["color: 22inch"], "instruction_attributes": ["easy apply", "hair extensions"], "instruction_options": ["22inch"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU17AL3", "worker_id": "A16IQOX0DK14OJ"}], "B07YBM36S1": [{"asin": "B07YBM36S1", "instruction": "i'm looking for a medium color with natural ingredients concealers & neutralizers for dark circle.", "attributes": ["natural ingredients", "dark circles"], "options": ["color: medium"], "instruction_attributes": ["natural ingredients", "dark circles"], "instruction_options": ["medium"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THWI5ZF", "worker_id": "A9QRQL9CFJBI7"}], "B09L1FGCNY": [{"asin": "B09L1FGCNY", "instruction": "i am looking for a high density mattress in full size which is made up of memory foam.", "attributes": ["queen size", "high density", "memory foam"], "options": ["size: full"], "instruction_attributes": ["high density", "memory foam"], "instruction_options": ["full"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1FAXRR", "worker_id": "A2HMEGTAFO0CS8"}], "B095H9BN24": [{"asin": "B095H9BN24", "instruction": "i need a plug and play compatible displayport to hdmi adapter.", "attributes": ["plug play", "usb port"], "options": ["size: mini displayport 1.2 to", "style: 2x displayport 1x hdmi"], "instruction_attributes": ["plug play"], "instruction_options": ["2x displayport 1x hdmi"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU67A9L", "worker_id": "A19317A3X87NVM"}], "B09QQMCJ4W": [{"asin": "B09QQMCJ4W", "instruction": "i need size 8 closed toe sandals with arch support. it should be in beige.", "attributes": ["open toe", "arch support", "ankle strap", "closed toe"], "options": ["color: z3-beige", "size: 8"], "instruction_attributes": ["arch support", "closed toe"], "instruction_options": ["z3-beige", "8"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9O4VT2", "worker_id": "A1NF6PELRKACS9"}], "B08RYTPXT3": [{"asin": "B08RYTPXT3", "instruction": "i'm looking for stereo sound it was outside of noise pollution.", "attributes": ["hands free", "high definition", "stereo sound", "wireless bluetooth"], "options": ["color: red"], "instruction_attributes": ["stereo sound", "wireless bluetooth"], "instruction_options": ["red"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SWDDUK", "worker_id": "A16IQOX0DK14OJ"}], "B09FQGXBFB": [{"asin": "B09FQGXBFB", "instruction": "i want to find hair serum that contains argan oil and treats damaged hair.", "attributes": ["argan oil", "damaged hair", "hair treatment"], "options": [""], "instruction_attributes": ["argan oil", "damaged hair", "hair treatment"], "instruction_options": [], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602TH95R", "worker_id": "A345TDMHP3DQ3G"}], "B073JK81KY": [{"asin": "B073JK81KY", "instruction": "i am looking for a 7.7 ounce box of pecan gluten-free crackers", "attributes": ["gluten free", "protein serving"], "options": ["flavor name: pecan", "size: 7.7 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["pecan", "7.7 ounce (pack of 1)"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIE1FVH", "worker_id": "A22VGT2F28LTWC"}], "B0991MJXM2": [{"asin": "B0991MJXM2", "instruction": "i would like a pair of women's 9.5 sized hot pink running shoes with a rubber outsole.", "attributes": ["knee high", "slip resistant", "steel toe", "rubber outsole"], "options": ["color: hot pink", "size: 9.5-10 women | 9.5-10 men"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["hot pink", "9.5-10 women | 9.5-10 men"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUNB5I8P", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0991MJXM2", "instruction": "i'm looking for shoes of women men kenee high and the color in hot pink.", "attributes": ["knee high", "slip resistant", "steel toe", "rubber outsole"], "options": ["color: hot pink", "size: 9 women | 9 men"], "instruction_attributes": ["knee high", "steel toe", "rubber outsole"], "instruction_options": ["hot pink"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH37BOEST", "worker_id": "A16IQOX0DK14OJ"}], "B0843QGW1Z": [{"asin": "B0843QGW1Z", "instruction": "i'm looking for curved and rounded stainless steel scissors for trimming mustache, nose hair and beard. also silver color one.", "attributes": ["non slip", "stainless steel", "hair cutting"], "options": ["color: silver"], "instruction_attributes": ["stainless steel"], "instruction_options": ["silver"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK47MA61", "worker_id": "A258PTOZ3D2TQR"}], "B09J39R644": [{"asin": "B09J39R644", "instruction": "i am looking a soy wax lead free scented candle for home", "attributes": ["lead free", "long lasting", "soy wax"], "options": [""], "instruction_attributes": ["lead free", "soy wax"], "instruction_options": [], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWS9PFJ", "worker_id": "A3N9ZYQAESNFQH"}], "B09BTZGVVB": [{"asin": "B09BTZGVVB", "instruction": "i am looking for luxurious blanket for bedroom sofa that is machine washable and also choose in colorful bohemian pattern", "attributes": ["super soft", "machine washable", "fleece throw"], "options": ["color: colorful bohemian pattern", "size: 60\"x80\""], "instruction_attributes": ["super soft", "machine washable"], "instruction_options": ["colorful bohemian pattern"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUKD3R1", "worker_id": "A10OGH5CQBXL5N"}], "B08N462C25": [{"asin": "B08N462C25", "instruction": "i need caxxa amber glass fine mist spray bottles, size 12 refillable containers.", "attributes": ["bpa free", "eco friendly", "fine mist"], "options": ["size: 12"], "instruction_attributes": ["bpa free", "eco friendly"], "instruction_options": ["12"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMONXM9I", "worker_id": "A15IJ20C3R4HUO"}], "B00EKLPLU4": [{"asin": "B00EKLPLU4", "instruction": "i want non gmo sugar free keto friendly cocoa chocolate size: 1 pound", "attributes": ["sugar free", "certified organic", "non gmo", "plant based", "keto friendly"], "options": ["flavor name: cacao nibs", "size: 1 pound"], "instruction_attributes": ["sugar free", "non gmo", "keto friendly"], "instruction_options": ["1 pound"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINT527A", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B00EKLPLU4", "instruction": "i want non gmo healthworks cacao butter powder.", "attributes": ["sugar free", "certified organic", "non gmo", "plant based", "keto friendly"], "options": ["flavor name: cacao butter", "size: 32 ounce (pack of 5)"], "instruction_attributes": ["non gmo"], "instruction_options": ["cacao butter"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQOY13M", "worker_id": "A2RBF3IIJP15IH"}], "B004BYSR6K": [{"asin": "B004BYSR6K", "instruction": "i would like two boxes of mocha ash brown hair dye.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 5ab mocha ash brown, 3-pack", "size: 1 count (pack of 2)"], "instruction_attributes": ["hair dye"], "instruction_options": ["5ab mocha ash brown, 3-pack", "1 count (pack of 2)"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95TMQXX", "worker_id": "A1WS884SI0SLO4"}], "B07RLSLZ3P": [{"asin": "B07RLSLZ3P", "instruction": "i am looking for a white finish barstools and color should be antique white finish | black leather seat", "attributes": ["high density", "assembly required", "contemporary design", "white finish"], "options": ["color: antique white finish | black leather seat", "size: 30\" bar height"], "instruction_attributes": ["white finish"], "instruction_options": ["antique white finish | black leather seat"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY868218M", "worker_id": "A9QRQL9CFJBI7"}], "B08DTJCR5M": [{"asin": "B08DTJCR5M", "instruction": "i need a bag of non-toxic refillable lip gloss tubes.", "attributes": ["easy apply", "non toxic", "high quality"], "options": [""], "instruction_attributes": ["non toxic"], "instruction_options": [], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH01Z4I", "worker_id": "A19317A3X87NVM"}], "B07G28S4VV": [{"asin": "B07G28S4VV", "instruction": "looking for long sleeve casual t-shirts that hand washable also choose yellow colour", "attributes": ["wash cold", "hand wash", "high waist", "long sleeve"], "options": ["color: a:yellow", "size: medium"], "instruction_attributes": ["hand wash", "long sleeve"], "instruction_options": ["a:yellow"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU88A9Q", "worker_id": "A10OGH5CQBXL5N"}], "B09578LY5V": [{"asin": "B09578LY5V", "instruction": "i am looking for noise cancelling headphones in a black color", "attributes": ["noise cancelling", "high speed"], "options": ["color: black"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVNDKJ5", "worker_id": "A16M39T60N60NO"}], "B09PQN4F9T": [{"asin": "B09PQN4F9T", "instruction": "i am looking for sandals for high waist women with rubber sole and it color is black 4 and size is 7.5", "attributes": ["non slip", "high waist", "rubber sole"], "options": ["color: black 4", "size: 7.5"], "instruction_attributes": ["high waist", "rubber sole"], "instruction_options": ["black 4", "7.5"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZWCNAN", "worker_id": "AX2EWYWZM19AZ"}], "B08SJ8XVCM": [{"asin": "B08SJ8XVCM", "instruction": "gel nail kit nail polish with 33 piece set", "attributes": ["long lasting", "nail polish"], "options": ["color: mint to be", "size: 33 piece set"], "instruction_attributes": ["nail polish"], "instruction_options": ["33 piece set"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAUAO9CK", "worker_id": "A10OGH5CQBXL5N"}], "B0911J7P7G": [{"asin": "B0911J7P7G", "instruction": "i am looking for high protein yogurt.", "attributes": ["high protein", "artificial flavors"], "options": [""], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NJHKBZ", "worker_id": "A3FG5PQHG5AH3Y"}], "B00IV0ZI1M": [{"asin": "B00IV0ZI1M", "instruction": "i want to buy a shampoo and conditioner set for natural hair. my hair is on the dry side.", "attributes": ["sulfate free", "argan oil", "coconut oil", "natural hair", "dry hair"], "options": ["scent: conditioner", "size: 13 fl oz (pack of 1)"], "instruction_attributes": ["natural hair", "dry hair"], "instruction_options": ["conditioner"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDTJZQ2", "worker_id": "A1NF6PELRKACS9"}], "B08CHGCXLR": [{"asin": "B08CHGCXLR", "instruction": "i'm looking for twin sized bed room for bedroom", "attributes": ["twin size", "space saving", "easy assemble", "box spring"], "options": ["color: espresso-1"], "instruction_attributes": ["twin size", "easy assemble"], "instruction_options": ["espresso-1"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJNJ8ZM", "worker_id": "A16IQOX0DK14OJ"}], "B08NDPSJ4J": [{"asin": "B08NDPSJ4J", "instruction": "i am looking for a green solid wood chairs for living rooms.", "attributes": ["super soft", "mid century", "easy assemble", "solid wood", "wood frame", "living room", "dining room"], "options": ["color: green"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["green"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746WJBT7", "worker_id": "A9QRQL9CFJBI7"}], "B01LXTJUAG": [{"asin": "B01LXTJUAG", "instruction": "find me a polo shirt with short sleeves and stretch fabric. pick something in sundress color.", "attributes": ["moisture wicking", "water resistant", "machine wash", "stretch fabric", "button closure", "short sleeve"], "options": ["color: sundress", "size: 6x-large big"], "instruction_attributes": ["stretch fabric", "short sleeve"], "instruction_options": ["sundress"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZRPHSL", "worker_id": "A1NF6PELRKACS9"}], "B01MR0TR0P": [{"asin": "B01MR0TR0P", "instruction": "i would like a long lasting perfume.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOFNW1E", "worker_id": "A1WS884SI0SLO4"}], "B00PQFK67G": [{"asin": "B00PQFK67G", "instruction": "find me a regular fit machine washable cargo pants with buttoned closure in 6057 apricot color and 29 size.", "attributes": ["straight leg", "machine wash", "regular fit", "button closure"], "options": ["color: 6057 apricot", "size: 29"], "instruction_attributes": ["machine wash", "regular fit", "button closure"], "instruction_options": ["6057 apricot", "29"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFRX0TJ", "worker_id": "A3AYHESLQSDY5T"}], "B07BZ2ZRFY": [{"asin": "B07BZ2ZRFY", "instruction": "i would like six bags of 3.25 ounce traditional snack mix that is low in sodium.", "attributes": ["low sodium", "protein serving", "low fat", "resealable bag"], "options": ["flavor name: traditional snack mix", "size: 3.25 ounce (6 pack)"], "instruction_attributes": ["low sodium"], "instruction_options": ["traditional snack mix", "3.25 ounce (6 pack)"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UUQJ60", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07BZ2ZRFY", "instruction": "i am looking for 6 pack of size 6 ounce snack mix resealable bag.", "attributes": ["low sodium", "protein serving", "low fat", "resealable bag"], "options": ["flavor name: wasabi spicy snack mix", "size: 6 ounce (6 pack)"], "instruction_attributes": ["resealable bag"], "instruction_options": ["6 ounce (6 pack)"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YQL691", "worker_id": "A1Q8PPQQCWGY0D"}], "B002WK1FC8": [{"asin": "B002WK1FC8", "instruction": "i would like a #8 foundation for sensitive skin.", "attributes": ["oil free", "long lasting", "sensitive skin"], "options": ["color: 8"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["8"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40IONXW", "worker_id": "A1WS884SI0SLO4"}], "B082CP4B4M": [{"asin": "B082CP4B4M", "instruction": "i am looking for heavy duty bed frame of black color.", "attributes": ["lead free", "long lasting", "heavy duty", "box spring", "storage space"], "options": ["color: black", "size: full"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LIU5IU", "worker_id": "A3FG5PQHG5AH3Y"}], "B09BC5LJG5": [{"asin": "B09BC5LJG5", "instruction": "i am looking for a dark gray color steel coated bar stool with adjustable height option.", "attributes": ["height adjustable", "coated steel", "steel frame"], "options": ["color: dark gray"], "instruction_attributes": ["height adjustable", "coated steel"], "instruction_options": ["dark gray"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALBQH4I", "worker_id": "A1V2JTEEBCXR20"}], "B08C6YC9F9": [{"asin": "B08C6YC9F9", "instruction": "i am looking for heavy duty clear glass spray bottles that are easy to clean.", "attributes": ["heavy duty", "easy clean"], "options": ["color: clear"], "instruction_attributes": ["heavy duty", "easy clean"], "instruction_options": ["clear"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OUSYEV", "worker_id": "A1EREKSZAA9V7B"}], "B000KPVX0G": [{"asin": "B000KPVX0G", "instruction": "i'm looking for hair coloring products for permanent hair.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 4sm dark soft mahogany brown", "size: pack of 3"], "instruction_attributes": ["permanent hair", "hair dye"], "instruction_options": ["pack of 3"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K71128", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B000KPVX0G", "instruction": "i would like a three pack of hair color that is long lasting and comes in a pack of three that are brown.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 5 medium brown", "size: pack of 3"], "instruction_attributes": ["long lasting"], "instruction_options": ["5 medium brown", "pack of 3"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FKGD31", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SV52TDY": [{"asin": "B09SV52TDY", "instruction": "i need a high quality refillable spray bottle of 50 ml size. and i choose the black one", "attributes": ["leak proof", "high quality"], "options": ["color: b", "size: 50ml"], "instruction_attributes": ["high quality"], "instruction_options": ["b", "50ml"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R8BSKI", "worker_id": "A2COCSUGZV28X"}], "B08XJ2PT2C": [{"asin": "B08XJ2PT2C", "instruction": "i'm looking for a skull king barber cape with hook sucker.", "attributes": ["water resistant", "hair cutting"], "options": ["color: starry sky 5"], "instruction_attributes": ["hair cutting"], "instruction_options": ["starry sky 5"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HQNWOR", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07SG6973V": [{"asin": "B07SG6973V", "instruction": "i am looking for a double sided pocket mirror with a watercolor flower pattern.", "attributes": ["double sided", "rose gold"], "options": ["pattern name: watercolor flower"], "instruction_attributes": ["double sided"], "instruction_options": ["watercolor flower"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0OE8J7", "worker_id": "AJDQGOTMB2D80"}], "B00XREG27G": [{"asin": "B00XREG27G", "instruction": "i want high heel lace closure black color women's pump size: 7.5", "attributes": ["lace closure", "high heel"], "options": ["color: black | black", "size: 7.5"], "instruction_attributes": ["lace closure", "high heel"], "instruction_options": [], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNBI10T", "worker_id": "A3N9ZYQAESNFQH"}], "B0757Y3MF9": [{"asin": "B0757Y3MF9", "instruction": "i am looking for high quality tea tree essential face oil, 4 fl oz (pack of 1)", "attributes": ["high quality", "tea tree"], "options": ["scent: tea tree", "size: 4 fl oz (pack of 1)"], "instruction_attributes": ["high quality"], "instruction_options": ["tea tree", "4 fl oz (pack of 1)"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA2R8A0", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B0757Y3MF9", "instruction": "i would like a small bottle of grapefruit high quality face oil.", "attributes": ["high quality", "tea tree"], "options": ["scent: grapefruit", "size: small"], "instruction_attributes": ["high quality"], "instruction_options": ["grapefruit", "small"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFGA5U1", "worker_id": "A1WS884SI0SLO4"}], "B0747Y61RC": [{"asin": "B0747Y61RC", "instruction": "i need a plant based tea tree face cream for sensitive skin.", "attributes": ["plant based", "tea tree", "seed oil", "dry skin", "sensitive skin"], "options": [""], "instruction_attributes": ["plant based", "tea tree", "sensitive skin"], "instruction_options": [], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC3DKU3", "worker_id": "A1NF6PELRKACS9"}], "B098XG9Y6C": [{"asin": "B098XG9Y6C", "instruction": "looking for pet foam bottle that is easy to carry also choose in 60ml", "attributes": ["easy carry", "fine mist"], "options": ["color: b", "size: 60 ml"], "instruction_attributes": ["easy carry"], "instruction_options": ["60 ml"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTU99P6", "worker_id": "A10OGH5CQBXL5N"}], "B076WNJLLV": [{"asin": "B076WNJLLV", "instruction": "need a 10ft cable usb with rs422/rs485 port", "attributes": ["high speed", "usb port"], "options": ["size: 10ft"], "instruction_attributes": ["usb port"], "instruction_options": ["10ft"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YR58TE", "worker_id": "A2Y2TURT2VEYZN"}], "B095Y62XPR": [{"asin": "B095Y62XPR", "instruction": "i need a double sided sharpening strap", "attributes": ["double sided", "easy use", "high quality"], "options": [""], "instruction_attributes": ["double sided"], "instruction_options": [], "assignment_id": "3HSYG7LRBU82VUVD7MHAI53YAE4KKZ", "worker_id": "A2Y2TURT2VEYZN"}], "B0792T5STF": [{"asin": "B0792T5STF", "instruction": "i'm looking for a plant based protein drink that should be free from soy, gluten and dairy.", "attributes": ["non gmo", "low sugar", "soy free", "plant based", "dairy free", "gluten free"], "options": [""], "instruction_attributes": ["soy free", "plant based", "dairy free", "gluten free"], "instruction_options": [], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3S9EG3Q", "worker_id": "AR0VJ5XRG16UJ"}], "B09HGNFL8G": [{"asin": "B09HGNFL8G", "instruction": "i am looking for a gluten free jerky", "attributes": ["grass fed", "artificial ingredients", "gluten free", "high protein", "zero sugar"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UUKY0D", "worker_id": "A9QRQL9CFJBI7"}], "B07VC8W1NG": [{"asin": "B07VC8W1NG", "instruction": "i am looking for a set of 7.4 inch size white lead free dessert salad plate which is easy to clean.", "attributes": ["easy clean", "lead free", "white item"], "options": ["color: navy", "size: 7.4 inch"], "instruction_attributes": ["easy clean", "lead free", "white item"], "instruction_options": ["7.4 inch"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OW2EYP", "worker_id": "A1V2JTEEBCXR20"}], "B096FH3W7S": [{"asin": "B096FH3W7S", "instruction": "i want an easy to use tongue cleaner for eliminating bad breath.", "attributes": ["easy use", "bad breath", "oral hygiene"], "options": [""], "instruction_attributes": ["easy use", "bad breath"], "instruction_options": [], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL45AEF", "worker_id": "A1NF6PELRKACS9"}], "B08Z8JGF5M": [{"asin": "B08Z8JGF5M", "instruction": "i need open toe sandles in red color for a teenage girl.", "attributes": ["open toe", "ankle strap", "teen girls"], "options": ["color: z5-red", "size: 8.5"], "instruction_attributes": ["open toe", "teen girls"], "instruction_options": ["z5-red"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU11LA8", "worker_id": "A1NF6PELRKACS9"}], "B09CMKSM4V": [{"asin": "B09CMKSM4V", "instruction": "i am looking for a white item coffee tables for living room", "attributes": ["white item", "easy install", "easy assemble", "storage space", "living room"], "options": [""], "instruction_attributes": ["white item", "living room"], "instruction_options": [], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQYQB41", "worker_id": "A9QRQL9CFJBI7"}], "B0828WMRFX": [{"asin": "B0828WMRFX", "instruction": "i am looking for a blue usb port cables", "attributes": ["fast charging", "usb port"], "options": ["color: blue"], "instruction_attributes": ["usb port"], "instruction_options": ["blue"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGDUSMB", "worker_id": "A9QRQL9CFJBI7"}], "B0982X1NJN": [{"asin": "B0982X1NJN", "instruction": "i want a medium sized mini dress that is loose fit. it must be in navy blue color.", "attributes": ["loose fit", "machine wash", "polyester spandex"], "options": ["color: navy blue", "size: medium"], "instruction_attributes": ["loose fit"], "instruction_options": ["navy blue", "medium"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZJBKMG", "worker_id": "A1NF6PELRKACS9"}], "B07HQWQSHF": [{"asin": "B07HQWQSHF", "instruction": "i am looking for high resolution television", "attributes": ["blu ray", "certified refurbished", "ultra hd", "high resolution", "high performance"], "options": [""], "instruction_attributes": ["high resolution"], "instruction_options": [], "assignment_id": "33TIN5LC0FKDY31374RC144TXXAY9J", "worker_id": "A16M39T60N60NO"}], "B08W1GXSRS": [{"asin": "B08W1GXSRS", "instruction": "i'm looking for skin care for sensitive for men's scent citron and driftwood and coconut water.", "attributes": ["non toxic", "cruelty free", "natural ingredients", "sensitive skin"], "options": ["scent: citron + driftwood and coconut water + sandalwood", "size: 3.4 ounce (pack of 2)"], "instruction_attributes": ["non toxic", "natural ingredients", "sensitive skin"], "instruction_options": ["citron + driftwood and coconut water + sandalwood"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB3K5YW", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08W1GXSRS", "instruction": "i need men's non toxic deororizing body spray for sensitive skin. get the 2pack 3.4 ounce size.", "attributes": ["non toxic", "cruelty free", "natural ingredients", "sensitive skin"], "options": ["scent: variety trio pack", "size: 3.4 ounce (pack of 2)"], "instruction_attributes": ["non toxic", "sensitive skin"], "instruction_options": ["3.4 ounce (pack of 2)"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL2EAEK", "worker_id": "A31PW970Z2PC5P"}], "B010T6TQRW": [{"asin": "B010T6TQRW", "instruction": "find me a yellow quick drying sarong wrap.", "attributes": ["machine wash", "quick drying"], "options": ["color: yellow_ad412"], "instruction_attributes": ["quick drying"], "instruction_options": ["yellow_ad412"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPI3VQO", "worker_id": "A1NF6PELRKACS9"}], "B09K44ZHBG": [{"asin": "B09K44ZHBG", "instruction": "i am ordering best dad ever coach fleece throw with super soft features.", "attributes": ["super soft", "fleece throw"], "options": ["color: best dad ever 3", "size: medium 60x50in\uff08travel\uff09 teens"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["best dad ever 3"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFC0VLJ", "worker_id": "AHU9OLV0YKIIW"}], "B07N3YYYQB": [{"asin": "B07N3YYYQB", "instruction": "i am looking for mini computer. it must have 16gb ram,512gd ssd hard disk and core i5 processor.", "attributes": ["core i5", "intel core"], "options": ["color: i3 7167u", "size: 16g ram 512g ssd 1tb hdd"], "instruction_attributes": ["core i5"], "instruction_options": ["16g ram 512g ssd 1tb hdd"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINT0275", "worker_id": "A3FG5PQHG5AH3Y"}], "B07FMR71D7": [{"asin": "B07FMR71D7", "instruction": "i'm looking for engineered wood for living room furniture. it was white finish color furniture.", "attributes": ["assembly required", "white finish", "engineered wood", "living room"], "options": [""], "instruction_attributes": ["white finish", "engineered wood"], "instruction_options": [], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R1V7WU", "worker_id": "A16IQOX0DK14OJ"}], "B09S2RRH1W": [{"asin": "B09S2RRH1W", "instruction": "i buy a 3pcs natural hair", "attributes": ["hair growth", "hair loss", "damaged hair", "natural hair"], "options": ["color: 3pcs"], "instruction_attributes": ["natural hair"], "instruction_options": ["3pcs"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6GBEVT", "worker_id": "A226L9F2AZ38CL"}], "B07GTJ1B7J": [{"asin": "B07GTJ1B7J", "instruction": "i am looking for a high definition filter set with carrying case. it should be easy to install.", "attributes": ["easy install", "high definition", "carrying case"], "options": [""], "instruction_attributes": ["easy install", "high definition", "carrying case"], "instruction_options": [], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQUJB54", "worker_id": "A9ZM1P6LBW79"}], "B09NQ63BJV": [{"asin": "B09NQ63BJV", "instruction": "i'm looking for quality materials it was daily wear and need to buy it.", "attributes": ["quality materials", "high waist", "long sleeve", "daily wear"], "options": ["color: a4-colorful", "size: x-large"], "instruction_attributes": ["quality materials", "long sleeve", "daily wear"], "instruction_options": ["a4-colorful"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZC6UWX", "worker_id": "A16IQOX0DK14OJ"}], "B004YG7LA8": [{"asin": "B004YG7LA8", "instruction": "looking for yellow aaa battery in pack of 2", "attributes": ["batteries included", "easy use", "aaa batteries"], "options": ["color: yellow", "size: 2 pack"], "instruction_attributes": ["aaa batteries"], "instruction_options": ["yellow", "2 pack"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8IDZNW", "worker_id": "A2Y2TURT2VEYZN"}], "B09J8N49YH": [{"asin": "B09J8N49YH", "instruction": "i need some colorful wall dividers to arrange my living room for a holiday.", "attributes": ["assembly required", "easy clean", "living room"], "options": ["color: color15"], "instruction_attributes": ["assembly required", "living room"], "instruction_options": ["color15"], "assignment_id": "33TIN5LC0FKDY31374RC144TXYUY95", "worker_id": "A19317A3X87NVM"}], "B086PW7TWX": [{"asin": "B086PW7TWX", "instruction": "i need some gourmet dining room curtains at around 52 inch width.", "attributes": ["eco friendly", "machine washable", "dining room"], "options": ["size: 52x90in"], "instruction_attributes": ["dining room"], "instruction_options": ["52x90in"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEWZUU2", "worker_id": "A19317A3X87NVM"}], "B00IJGQS30": [{"asin": "B00IJGQS30", "instruction": "i'm looking for a blu ray dvd player with wifi support", "attributes": ["ultra hd", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5SL5FQ", "worker_id": "A258PTOZ3D2TQR"}], "B06XGBZQPY": [{"asin": "B06XGBZQPY", "instruction": "buy me a contemporary style tempered glass arm chair in white grey color.", "attributes": ["white item", "contemporary style", "tempered glass"], "options": ["color: white gray", "style: armchair"], "instruction_attributes": ["contemporary style", "tempered glass"], "instruction_options": ["white gray", "armchair"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK46B6AK", "worker_id": "A3AYHESLQSDY5T"}], "B09B9RHZ1K": [{"asin": "B09B9RHZ1K", "instruction": "i'm looking for steel toe blue in color it was easy to use.", "attributes": ["non slip", "steel toe"], "options": ["color: blue", "size: 40eu"], "instruction_attributes": ["steel toe"], "instruction_options": ["blue"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0TCCAA", "worker_id": "A16IQOX0DK14OJ"}], "B09KBTRC6L": [{"asin": "B09KBTRC6L", "instruction": "i am looking for an easy install home office chair with lumbar support. i would prefer a grey colored one.", "attributes": ["easy install", "lumbar support", "pu leather"], "options": ["color: grey", "style: mia"], "instruction_attributes": ["easy install", "lumbar support"], "instruction_options": ["grey"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2SFM5U", "worker_id": "A39VVWV1GHLMFD"}, {"asin": "B09KBTRC6L", "instruction": "i want to find a yellow cle gaming chair that is easy to install.", "attributes": ["easy install", "lumbar support", "pu leather"], "options": ["color: yellow", "style: cle"], "instruction_attributes": ["easy install"], "instruction_options": ["yellow", "cle"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWY41R8", "worker_id": "A345TDMHP3DQ3G"}], "B081TWKZMC": [{"asin": "B081TWKZMC", "instruction": "i'm looking for a machine washable men's shorts made of nylon spandex stretchable fabric with imported zipper. also choose 32 sized dark ash colored one.", "attributes": ["moisture wicking", "machine wash", "stretch fabric", "nylon spandex", "imported zipper"], "options": ["color: dark ash", "size: 32"], "instruction_attributes": ["machine wash", "stretch fabric", "nylon spandex", "imported zipper"], "instruction_options": ["dark ash", "32"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKTKJMN", "worker_id": "AR0VJ5XRG16UJ"}], "B08P4F727V": [{"asin": "B08P4F727V", "instruction": "i am looking for tv stand made of tempered glass that has fww color. and i would go for a size of 63\u201dwx17.7\u201d h x13.78\u201d d", "attributes": ["high gloss", "tempered glass", "storage space"], "options": ["color: fww", "size: 63\u201dwx17.7\u201d h x13.78\u201d d"], "instruction_attributes": ["tempered glass"], "instruction_options": ["fww", "63\u201dwx17.7\u201d h x13.78\u201d d"], "assignment_id": "3N8OEVH1F204BC17361WW31GEOIOO1", "worker_id": "A2COCSUGZV28X"}, {"asin": "B08P4F727V", "instruction": "i am searching for a high gloss tv stand with additional storage space. also, choose an ob color.", "attributes": ["high gloss", "tempered glass", "storage space"], "options": ["color: ob", "size: 41.34\u201dwx11.81\u201d d x16.93\u201d h"], "instruction_attributes": ["high gloss", "storage space"], "instruction_options": ["ob"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQM513P", "worker_id": "A9ZM1P6LBW79"}, {"asin": "B08P4F727V", "instruction": "looking for high gloss storage space tv stand with led lights also choose colour black brown", "attributes": ["high gloss", "tempered glass", "storage space"], "options": ["color: brown black", "size: 63\u201dwx17.7\u201d h x13.78\u201d d"], "instruction_attributes": ["high gloss", "storage space"], "instruction_options": ["brown black"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALDKH4G", "worker_id": "A10OGH5CQBXL5N"}], "B085RCLWW3": [{"asin": "B085RCLWW3", "instruction": "i am looking for large jar candles of soy wax.", "attributes": ["soy wax", "clear glass"], "options": ["scent: sheer jasmine", "size: large jar"], "instruction_attributes": ["soy wax"], "instruction_options": ["large jar"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP4PJ7C", "worker_id": "A9QRQL9CFJBI7"}], "B09922XCP2": [{"asin": "B09922XCP2", "instruction": "i am looking a white 1 posters & prints for living room", "attributes": ["easy install", "dining room", "living room"], "options": ["color: white 1", "size: 16x24 inch,(40x60cm)framed"], "instruction_attributes": ["living room"], "instruction_options": ["white 1"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z6KXGG", "worker_id": "A9QRQL9CFJBI7"}], "B09JZ84S8D": [{"asin": "B09JZ84S8D", "instruction": "i am looking for a creamy cellular shades for living room", "attributes": ["easy install", "living room"], "options": ["color: creamy", "size: 37\"w x 48\"h"], "instruction_attributes": ["living room"], "instruction_options": ["creamy"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJNV0WT", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09JZ84S8D", "instruction": "i need creamy shades for the living room.", "attributes": ["easy install", "living room"], "options": ["color: creamy", "size: 26\"w x 66\"h"], "instruction_attributes": ["living room"], "instruction_options": ["creamy"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSLTQ2W", "worker_id": "A2ECRNQ3X5LEXD"}], "B09G396CFQ": [{"asin": "B09G396CFQ", "instruction": "i'm looking for spa stainless steel tool for hair salon.", "attributes": ["stainless steel", "hair salon"], "options": ["color: grey", "size: b"], "instruction_attributes": ["stainless steel", "hair salon"], "instruction_options": ["grey"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX93FC4", "worker_id": "A16IQOX0DK14OJ"}], "B09H6M5Q21": [{"asin": "B09H6M5Q21", "instruction": "i am looking for a super soft blankets & throws of 40\u201cx30 \" xsmall for pets.", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: retro deep sea animal ocean whale", "size: 40\u201cx30 \" xsmall for pets"], "instruction_attributes": ["super soft"], "instruction_options": ["40\u201cx30 \" xsmall for pets"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU50LRR", "worker_id": "A9QRQL9CFJBI7"}], "B087LNDPNV": [{"asin": "B087LNDPNV", "instruction": "i am looking for stainless steel grooming set", "attributes": ["easy clean", "stainless steel", "rose gold"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTJ64D5", "worker_id": "A16M39T60N60NO"}], "B08DCX4XGP": [{"asin": "B08DCX4XGP", "instruction": "i need daily wear white c large hoodie, which has a loose fit and made of polyester cotton.", "attributes": ["loose fit", "polyester cotton", "daily wear"], "options": ["color: white c", "size: large"], "instruction_attributes": ["loose fit", "polyester cotton", "daily wear"], "instruction_options": ["white c", "large"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMH0FB7K", "worker_id": "ASWFLI3N8X72G"}], "B09BC6FBG9": [{"asin": "B09BC6FBG9", "instruction": "i am looking for a wireless portable bluetooth speakers", "attributes": ["high definition", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR7F0CM", "worker_id": "A9QRQL9CFJBI7"}], "B06XRW3SYB": [{"asin": "B06XRW3SYB", "instruction": "i am looking for a 3x scrub bottoms for day comfort", "attributes": ["day comfort", "drawstring closure"], "options": ["color: fuchsia utility", "size: 3x"], "instruction_attributes": ["day comfort"], "instruction_options": ["3x"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P76SVSH", "worker_id": "A9QRQL9CFJBI7"}], "B085LS1KZ7": [{"asin": "B085LS1KZ7", "instruction": "i am looking for a hairpiece made up of synthetic hair. also choose swedish blonde hair color one.", "attributes": ["synthetic hair", "natural hair"], "options": ["color: r22 swedish blonde"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["r22 swedish blonde"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKSH7V8", "worker_id": "A2HMEGTAFO0CS8"}], "B09PHGZSC7": [{"asin": "B09PHGZSC7", "instruction": "i am in need of loose hip-hop blue color, x-large sized women's sweatpants that is fit for machine wash.", "attributes": ["machine wash", "unique design"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["blue", "x-large"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRTK2YJ", "worker_id": "A258PTOZ3D2TQR"}], "B099KD34N9": [{"asin": "B099KD34N9", "instruction": "i'm looking for natural ingredients for hair removal.", "attributes": ["high quality", "natural ingredients", "stainless steel", "hair removal"], "options": [""], "instruction_attributes": ["natural ingredients", "hair removal"], "instruction_options": [], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LCF1OW", "worker_id": "A16IQOX0DK14OJ"}], "B08P2RDV24": [{"asin": "B08P2RDV24", "instruction": "i'm looking for a long lasting scented candles made of soy wax.", "attributes": ["long lasting", "soy wax"], "options": [""], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": [], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQD0SQ5", "worker_id": "AR0VJ5XRG16UJ"}], "B0912VD9CH": [{"asin": "B0912VD9CH", "instruction": "i need a gift set of gourmet collection spices & seasoning blends \u2013 hot & spicey collection.", "attributes": ["gift set", "perfect gift"], "options": ["flavor name: hot & spicey"], "instruction_attributes": ["gift set"], "instruction_options": ["hot & spicey"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRYFJXK", "worker_id": "A1IL2K0ELYI090"}], "B07XPFSCL3": [{"asin": "B07XPFSCL3", "instruction": "i'm looking for seed oil it was certified organic good for skin and flavor was organic peppermint.", "attributes": ["certified organic", "seed oil"], "options": ["flavor name: organic peppermint", "size: single flavor - 3 pack"], "instruction_attributes": ["certified organic", "seed oil"], "instruction_options": ["organic peppermint"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPZSPJO", "worker_id": "A16IQOX0DK14OJ"}], "B082W4WNM7": [{"asin": "B082W4WNM7", "instruction": "i'm looking for wheat color kitchen rugs it easy clean.", "attributes": ["non slip", "easy clean", "living room"], "options": ["color: wheat", "size: 17\"x29\"+17\"x59\""], "instruction_attributes": ["easy clean"], "instruction_options": ["wheat"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXXSMYJ", "worker_id": "A16IQOX0DK14OJ"}], "B094P1NHW8": [{"asin": "B094P1NHW8", "instruction": "i am looking for a high definition mirrorless digital camera with optical zoom.", "attributes": ["high definition", "optical zoom"], "options": [""], "instruction_attributes": ["high definition", "optical zoom"], "instruction_options": [], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIVW9T9", "worker_id": "A1EREKSZAA9V7B"}], "B09SPXZF48": [{"asin": "B09SPXZF48", "instruction": "show me a butt lifting tummy controlling high waisted green legging in medium size.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: z05 green", "size: medium"], "instruction_attributes": ["butt lifting", "tummy control", "high waist"], "instruction_options": ["z05 green", "medium"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTUFP9S", "worker_id": "A3AYHESLQSDY5T"}], "B08FMTLWH5": [{"asin": "B08FMTLWH5", "instruction": "in the tools & home improvement department, i am looking for matte black 24 inch vanity light using 14w led 3000k metal wall sconce (modern) that is easy to install, in the color of cool white 6000k.", "attributes": ["easy install", "vanity light", "light fixture"], "options": ["color: cool white 6000k", "size: 15.75 inch"], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": ["cool white 6000k"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X91FR3", "worker_id": "A3RGIKEI8JS2QG"}], "B07BMLMXPP": [{"asin": "B07BMLMXPP", "instruction": "i'm looking for a real fruit bitters with zero sugar. also, choose a pack of 2 weights 32 ounce each with cranberry punch flavored one.", "attributes": ["low sugar", "zero sugar", "real fruit"], "options": ["flavor: cranberry punch", "size: 2pack - 32 ounce ea."], "instruction_attributes": ["zero sugar", "real fruit"], "instruction_options": ["cranberry punch", "2pack - 32 ounce ea."], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT19P3D", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B07BMLMXPP", "instruction": "i'm looking for margarita low sugared real fruit needed.", "attributes": ["low sugar", "zero sugar", "real fruit"], "options": ["flavor: margarita", "size: 6pack - 32 ounce ea."], "instruction_attributes": ["low sugar", "zero sugar", "real fruit"], "instruction_options": ["margarita"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35NFUGV", "worker_id": "A16IQOX0DK14OJ"}], "B0861RQNRM": [{"asin": "B0861RQNRM", "instruction": "i am looking for gluten free sesame edamame bean and nut snack mix in creole flavor, 1.25 ounce (pack of 18)", "attributes": ["protein serving", "non gmo", "gluten free"], "options": ["flavor name: creole", "size: 1.25 ounce (pack of 18)"], "instruction_attributes": ["gluten free"], "instruction_options": ["creole", "1.25 ounce (pack of 18)"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6FAUP9", "worker_id": "A258PTOZ3D2TQR"}], "B09BHZYWDG": [{"asin": "B09BHZYWDG", "instruction": "i am looking for tempered glass screen protector, color should be navy-n10", "attributes": ["glass screen", "tempered glass"], "options": ["color: navy-n10"], "instruction_attributes": ["tempered glass"], "instruction_options": ["navy-n10"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA5C8C2", "worker_id": "A258PTOZ3D2TQR"}], "B07XY4XNQW": [{"asin": "B07XY4XNQW", "instruction": "i am looking for a 1blue & 1green & 1orange with noaa | usb charger | usb cable | battery | lanyard color of two-way radios which is easy to use", "attributes": ["hands free", "easy use"], "options": ["color: 1blue & 1green & 1orange with noaa | usb charger | usb cable | battery | lanyard", "size: 3 or 4 pack"], "instruction_attributes": ["easy use"], "instruction_options": ["3 or 4 pack"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XS3NGF", "worker_id": "A9QRQL9CFJBI7"}], "B08223P86V": [{"asin": "B08223P86V", "instruction": "i would like a medium sized blue windbreaker to keep me warm in the winter.", "attributes": ["winter warm", "quick drying"], "options": ["color: blue", "size: medium"], "instruction_attributes": ["winter warm"], "instruction_options": ["blue", "medium"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFTLT04", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08223P86V", "instruction": "i need a red jacket that is quick drying and in an x-small.", "attributes": ["winter warm", "quick drying"], "options": ["color: red", "size: x-small"], "instruction_attributes": ["quick drying"], "instruction_options": ["red", "x-small"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YXYHEW", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PTBY841": [{"asin": "B09PTBY841", "instruction": "i am looking for a women's small long sleeve jumpsuit.", "attributes": ["wide leg", "slim fit", "long sleeve", "high waist"], "options": ["color: wine", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0TSW5S", "worker_id": "A1EREKSZAA9V7B"}], "B07TTC374M": [{"asin": "B07TTC374M", "instruction": "i'm looking for double sided hair extensions for hair care accessories.", "attributes": ["double sided", "high quality", "hair extensions"], "options": ["color: #ba2 | 60", "size: 22 inch"], "instruction_attributes": ["double sided", "hair extensions"], "instruction_options": ["#ba2 | 60"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPA1OR7", "worker_id": "A16IQOX0DK14OJ"}], "B097PMDGCJ": [{"asin": "B097PMDGCJ", "instruction": "i am looking for a silver non slip hair clip for hair styling.", "attributes": ["non slip", "hair styling"], "options": ["color: silver", "size: 2.75 inch"], "instruction_attributes": ["non slip", "hair styling"], "instruction_options": ["silver"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WR7WQ1", "worker_id": "AHU9OLV0YKIIW"}], "B075WXTQW8": [{"asin": "B075WXTQW8", "instruction": "i'm looking for gluten free snack crackers in 4.25 ounce pack.", "attributes": ["grain free", "gluten free", "shelf stable", "plant based", "non gmo", "simple ingredients"], "options": ["size: 4.25 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["4.25 ounce (pack of 1)"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K6R21X", "worker_id": "A20DUVEOH6A7KW"}], "B097BBYP9G": [{"asin": "B097BBYP9G", "instruction": "i am looking for 4 colors eye shadow.", "attributes": ["easy apply", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU48232PYJ", "worker_id": "A3FG5PQHG5AH3Y"}], "B082WX621J": [{"asin": "B082WX621J", "instruction": "i am looking for a high performance smart watch for unisex with water resistant. also choose 42mm face size and pearl white color.", "attributes": ["water resistant", "light weight", "high performance", "stainless steel"], "options": ["color: pearl white", "size: 42mm | 44mm | 45mm"], "instruction_attributes": ["water resistant", "high performance"], "instruction_options": ["pearl white", "42mm | 44mm | 45mm"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT8137K", "worker_id": "A2HMEGTAFO0CS8"}], "B09B3NWZTV": [{"asin": "B09B3NWZTV", "instruction": "i'm looking for a hair roller for hair styling, it should be easy to use. also, choose 2.8 *2 inch pink colored one.", "attributes": ["easy use", "hair styling", "dry hair"], "options": ["color: 2.8x2inch-pink"], "instruction_attributes": ["easy use", "hair styling"], "instruction_options": ["2.8x2inch-pink"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYOXQ9C", "worker_id": "AR0VJ5XRG16UJ"}], "B09M64JZCL": [{"asin": "B09M64JZCL", "instruction": "i am looking for a overall cover with tempered glass screen protector for my apple watch, preferably in rose gold color", "attributes": ["compatible apple", "easy install", "glass screen", "tempered glass", "wireless charging"], "options": ["color: rose gold | silver | midnight blue | clear", "size: 45mm"], "instruction_attributes": ["compatible apple", "tempered glass"], "instruction_options": ["rose gold | silver | midnight blue | clear"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4DOSBI", "worker_id": "A14BSOU2Y5JNT0"}], "B07QGVJ9HV": [{"asin": "B07QGVJ9HV", "instruction": "i need a high heeled sandals of 6.5 size for daily use . and please get me the gold-2 one", "attributes": ["open toe", "ankle strap", "high heel"], "options": ["color: gold-2", "size: 6.5"], "instruction_attributes": ["high heel"], "instruction_options": ["gold-2", "6.5"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YRT8T2", "worker_id": "A2COCSUGZV28X"}], "B09MTQBBZV": [{"asin": "B09MTQBBZV", "instruction": "i need to buy some gold cupcake toppers for a birthday party.", "attributes": ["party supplies", "birthday party"], "options": ["pattern name: gold 60"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold 60"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY3PJ4K", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09MTQBBZV", "instruction": "i would like a gold 35 cupcake topper for a birthday party.", "attributes": ["party supplies", "birthday party"], "options": ["pattern name: gold 35"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold 35"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98VJYKI", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09MTQBBZV", "instruction": "i'm looking for pack of 24 happy 75th birthday party supplies.", "attributes": ["party supplies", "birthday party"], "options": ["pattern name: gold 15"], "instruction_attributes": ["party supplies"], "instruction_options": ["gold 15"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQJ1KEC", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B09MTQBBZV", "instruction": "i want to find gold cupcake toppers that i can use for a birthday party.", "attributes": ["party supplies", "birthday party"], "options": ["pattern name: gold 70"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold 70"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQHG91L", "worker_id": "A345TDMHP3DQ3G"}], "B0792KXFRV": [{"asin": "B0792KXFRV", "instruction": "i looking a gluten free food and beverage gift pack for dinner party", "attributes": ["gluten free", "perfect gift"], "options": ["flavor name: dinner party"], "instruction_attributes": ["gluten free"], "instruction_options": ["dinner party"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCWV46N", "worker_id": "A3N9ZYQAESNFQH"}], "B07L738NLT": [{"asin": "B07L738NLT", "instruction": "i would like a pair of midnight green earbud headphones made of aluminum alloy.", "attributes": ["carbon fiber", "aluminum alloy"], "options": ["color: midnight green"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["midnight green"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6K5B2G", "worker_id": "A1WS884SI0SLO4"}], "B092BYZSWK": [{"asin": "B092BYZSWK", "instruction": "i am looking for a organic and gluten free almond nut butter with kosher certified. also choose chocolate favor and 4-pack size.", "attributes": ["certified organic", "gluten free", "soy free", "kosher certified", "dairy free", "non gmo"], "options": ["flavor name: chocolate hazelnut", "size: 4 pack"], "instruction_attributes": ["certified organic", "gluten free", "kosher certified"], "instruction_options": ["chocolate hazelnut", "4 pack"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q73GH9Q", "worker_id": "A2HMEGTAFO0CS8"}], "B01AR9V9HG": [{"asin": "B01AR9V9HG", "instruction": "i'm looking for furniture it was in living room the color was pastel blue.", "attributes": ["easy install", "living room"], "options": ["color: 07.pastel_blue", "size: w70 1 | 2 x h47 (inch)"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["07.pastel_blue"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163U1PQW", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01AR9V9HG", "instruction": "i would like a 44 inch wide and 47 inch tall caramel roller shade for the living room.", "attributes": ["easy install", "living room"], "options": ["color: 13.caramel", "size: w44 1 | 2 x h47 (inch)"], "instruction_attributes": ["living room"], "instruction_options": ["13.caramel", "w44 1 | 2 x h47 (inch)"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMFRXDV", "worker_id": "A1WS884SI0SLO4"}], "B06XP49SRM": [{"asin": "B06XP49SRM", "instruction": "i would like a 3.5 ounce variety pack of pretzels that are nut free.", "attributes": ["non gmo", "nut free", "artificial flavors"], "options": ["flavor name: variety pack (100 calorie)", "size: 3.5 ounce (pack of 6)"], "instruction_attributes": ["nut free"], "instruction_options": ["variety pack (100 calorie)", "3.5 ounce (pack of 6)"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH37BOSE7", "worker_id": "A1WS884SI0SLO4"}], "B0963LPXT6": [{"asin": "B0963LPXT6", "instruction": "i'm looking for black elastic waistband for need to use it.", "attributes": ["water resistant", "moisture wicking", "elastic waistband"], "options": ["color: black - 3 inch", "size: medium"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUH65SY", "worker_id": "A16IQOX0DK14OJ"}], "B09G5WH3PR": [{"asin": "B09G5WH3PR", "instruction": "i am looking for a natural wood color floor lamps for living room", "attributes": ["easy install", "wood finish", "solid wood", "living room"], "options": ["color: natural wood color"], "instruction_attributes": ["living room"], "instruction_options": ["natural wood color"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HZPD1U", "worker_id": "A9QRQL9CFJBI7"}], "B09LHMWNW1": [{"asin": "B09LHMWNW1", "instruction": "i am looking for carplay ips touchscreen mirror link with 4 crore wifi 1g+16g", "attributes": ["hands free", "plug play"], "options": ["color: 4 core wifi 1g+16g"], "instruction_attributes": ["plug play"], "instruction_options": ["4 core wifi 1g+16g"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUEADZR", "worker_id": "A16M39T60N60NO"}], "B08HH984SX": [{"asin": "B08HH984SX", "instruction": "i'm looking for green backdrop stand for digital photography", "attributes": ["heavy duty", "carrying case", "aluminum alloy", "digital photography"], "options": ["color: green"], "instruction_attributes": ["digital photography"], "instruction_options": ["green"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR02524KAE", "worker_id": "A2Y2TURT2VEYZN"}], "B09DYH3Y15": [{"asin": "B09DYH3Y15", "instruction": "i want highly pigmented easy apply easy carry face foundation color: white+red+black", "attributes": ["highly pigmented", "easy apply", "easy carry"], "options": ["color: white+red+black stick"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "351SEKWQSBRP7CP60H83T50CFA6DMO", "worker_id": "A3N9ZYQAESNFQH"}], "B00FZGYP1O": [{"asin": "B00FZGYP1O", "instruction": "i want a pineapple flavor caffeine free soft drink size :67.6 fl oz", "attributes": ["caffeine free", "natural flavors"], "options": ["flavor name: pineapple", "size: 67.6 fl oz (pack of 1)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["pineapple", "67.6 fl oz (pack of 1)"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAD3IFN", "worker_id": "A3N9ZYQAESNFQH"}], "B09KCMM4TP": [{"asin": "B09KCMM4TP", "instruction": "i am looking for a 2 bottle set of long lasting holographic glitter that is rose gold in color.", "attributes": ["long lasting", "easy use", "high quality", "rose gold"], "options": ["color: #7 rose gold - (2 bottle)"], "instruction_attributes": ["long lasting", "rose gold"], "instruction_options": ["#7 rose gold - (2 bottle)"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q4YDK4", "worker_id": "A1NF6PELRKACS9"}], "B000QDZ6KU": [{"asin": "B000QDZ6KU", "instruction": "i'm looking for soft sandal for habana oiled leather was fully used.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: habana oiled leather", "size: 7 women | 5 men"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["habana oiled leather"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6ECPU4", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B000QDZ6KU", "instruction": "i would like a pair of size 9.5 mocha sandals made of vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: mocha", "size: 9-9.5"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["mocha", "9-9.5"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZGERPA", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000QDZ6KU", "instruction": "i'm looking for a pair of navy sandals for women that are made with vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: navy", "size: 13-13.5 narrow little kid"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["navy"], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLID8KIN", "worker_id": "A2JP9IKRHNLRPI"}], "B0983XCSRL": [{"asin": "B0983XCSRL", "instruction": "i would like a pair of women's 7.5 black sandals with a open toe.", "attributes": ["open toe", "long sleeve", "tummy control"], "options": ["color: p-black", "size: 7.5"], "instruction_attributes": ["open toe"], "instruction_options": ["p-black", "7.5"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGMF0O2", "worker_id": "A1WS884SI0SLO4"}], "B06WWLNF9V": [{"asin": "B06WWLNF9V", "instruction": "i'm looking for lactose it made for sugar cup packets.", "attributes": ["lactose free", "non dairy"], "options": [""], "instruction_attributes": ["lactose free"], "instruction_options": [], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5HQIWK", "worker_id": "A16IQOX0DK14OJ"}], "B09STB36TK": [{"asin": "B09STB36TK", "instruction": "i am looking for a red slim fit robes for men.", "attributes": ["loose fit", "slim fit", "long sleeve", "elastic waist", "regular fit", "short sleeve", "gym workout"], "options": ["color: red", "size: large"], "instruction_attributes": ["slim fit"], "instruction_options": [], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CULFS4K", "worker_id": "A9QRQL9CFJBI7"}], "B07TNYSSM5": [{"asin": "B07TNYSSM5", "instruction": "i am looking for high speed video cable easy use multicolored size:10ft", "attributes": ["high speed", "plug play", "easy use", "high definition"], "options": ["color: multicolored", "size: 10ft"], "instruction_attributes": ["high speed", "easy use"], "instruction_options": ["multicolored", "10ft"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4DYSBS", "worker_id": "A3N9ZYQAESNFQH"}], "B01NAW0D7B": [{"asin": "B01NAW0D7B", "instruction": "i am looking for a medium - large polyester cotton t shirts for men", "attributes": ["polyester cotton", "tumble dry"], "options": ["color: small,oxford gray", "size: medium-large"], "instruction_attributes": ["polyester cotton"], "instruction_options": [], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V1CGFW", "worker_id": "A9QRQL9CFJBI7"}], "B07CXJNH2S": [{"asin": "B07CXJNH2S", "instruction": "i am looking for a water resistant & carrying case bags, cases & sleeves of purple color.", "attributes": ["water resistant", "carrying case"], "options": ["color: purple", "size: 15-15.6 in"], "instruction_attributes": ["water resistant", "carrying case"], "instruction_options": ["purple"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMP2WM4", "worker_id": "A9QRQL9CFJBI7"}], "B09PV119JX": [{"asin": "B09PV119JX", "instruction": "i need a light weight and high resolution background photo for my studio. it should be in a12 color.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a12", "size: 9x6ft | 2.7x1.8m"], "instruction_attributes": ["light weight", "high resolution"], "instruction_options": ["a12"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W9FOUL", "worker_id": "A1NF6PELRKACS9"}], "B07NDKPK27": [{"asin": "B07NDKPK27", "instruction": "i would like a bag of a bpa free bacon snack.", "attributes": ["fully cooked", "bpa free", "shelf stable"], "options": [""], "instruction_attributes": ["bpa free"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTUU9PR", "worker_id": "A1WS884SI0SLO4"}], "B08JCK2419": [{"asin": "B08JCK2419", "instruction": "i want to buy some long lasting black nail polish.", "attributes": ["heavy duty", "long lasting", "nail polish"], "options": ["color: black"], "instruction_attributes": ["long lasting", "nail polish"], "instruction_options": ["black"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINTI27N", "worker_id": "A2YNPKYEFDZ6C9"}], "B09RWKDMQJ": [{"asin": "B09RWKDMQJ", "instruction": "i am hair cutting tool hair clipper accessories color :silver head", "attributes": ["non slip", "hair cutting"], "options": ["color: silver head"], "instruction_attributes": ["hair cutting"], "instruction_options": ["silver head"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GEYZUG", "worker_id": "A3N9ZYQAESNFQH"}], "B09PYD8R4Z": [{"asin": "B09PYD8R4Z", "instruction": "i would like a football temporary tattoo that is easy to apply.", "attributes": ["easy apply", "non toxic", "easy use", "stainless steel"], "options": ["color: football"], "instruction_attributes": ["easy apply"], "instruction_options": ["football"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1FNXR4", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09PYD8R4Z", "instruction": "i am looking for a non toxic green color temporary tattoos.", "attributes": ["easy apply", "non toxic", "easy use", "stainless steel"], "options": ["color: green"], "instruction_attributes": ["non toxic"], "instruction_options": [], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP90COR", "worker_id": "A9QRQL9CFJBI7"}], "B07SKT8TVB": [{"asin": "B07SKT8TVB", "instruction": "i am looking for 18 inch women synthetic hair extension of 8 packs.", "attributes": ["high quality", "synthetic hair"], "options": ["color: #51", "size: 18 inch,8packs"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["18 inch,8packs"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4AR6RK", "worker_id": "A3FG5PQHG5AH3Y"}], "B07XD7KP9K": [{"asin": "B07XD7KP9K", "instruction": "i'm looking for home decor products and its for dining room.", "attributes": ["machine washable", "contemporary design", "living room", "dining room"], "options": ["color: rvw6200", "size: 52\" w by 84\" l"], "instruction_attributes": ["dining room"], "instruction_options": ["rvw6200"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB14BLU2", "worker_id": "A16IQOX0DK14OJ"}], "B017701FUE": [{"asin": "B017701FUE", "instruction": "i'm looking for queen horizontal sized beds that wood framed structure .", "attributes": ["queen size", "wood frame"], "options": ["size: queen - horizontal"], "instruction_attributes": ["queen size", "wood frame"], "instruction_options": ["queen - horizontal"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQANN0J", "worker_id": "A16IQOX0DK14OJ"}], "B097F9KY3B": [{"asin": "B097F9KY3B", "instruction": "i'm looking for made cup cakes for birthaday parteis.", "attributes": ["birthday party", "cupcake picks", "party supplies", "baby shower"], "options": ["color: black&pink"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["black&pink"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQQQ0PW", "worker_id": "A16IQOX0DK14OJ"}], "B095HFMY55": [{"asin": "B095HFMY55", "instruction": "i'm looking for made a cookies for birthday parties.", "attributes": ["baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y84VI3", "worker_id": "A16IQOX0DK14OJ"}], "B07JM8PKWW": [{"asin": "B07JM8PKWW", "instruction": "i'm looking for vanty lights for bathroom fixtures.", "attributes": ["easy install", "easy clean", "vanity light", "stainless steel"], "options": ["color: chrome", "size: 39.37in"], "instruction_attributes": ["vanity light"], "instruction_options": ["39.37in"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227HG8FN", "worker_id": "A16IQOX0DK14OJ"}], "B07VD9SQRC": [{"asin": "B07VD9SQRC", "instruction": "i would like some gluten free rice flour.", "attributes": ["gluten free", "non gmo", "certified organic"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY7W0U6", "worker_id": "A1WS884SI0SLO4"}], "B0199TEKPS": [{"asin": "B0199TEKPS", "instruction": "can i get arm & hammer ultramax anti-perspirant deodorant with fresh scent", "attributes": ["anti perspirant", "fragrance free"], "options": ["scent: fresh"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["fresh"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQH5KEC", "worker_id": "A1IL2K0ELYI090"}], "B0166LGNWU": [{"asin": "B0166LGNWU", "instruction": "i'm looking for a 6-pack of certified organic herbal mint cool-refresh tea and it should be caffeine-free.", "attributes": ["caffeine free", "certified organic", "individually wrapped"], "options": ["flavor name: organic herbal mint cool-refresh tea (decaf)", "size: 6-pack (150 tea bags)"], "instruction_attributes": ["caffeine free", "certified organic"], "instruction_options": ["organic herbal mint cool-refresh tea (decaf)", "6-pack (150 tea bags)"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JZSEG5", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B0166LGNWU", "instruction": "i am looking for 100 count (pack of 4) tea bags that are caffeine free.", "attributes": ["caffeine free", "certified organic", "individually wrapped"], "options": ["flavor name: organic royal white antioxidant-rich tea", "size: 100 count (pack of 4)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["100 count (pack of 4)"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V23WYN", "worker_id": "A1Q8PPQQCWGY0D"}], "B07MHLL27V": [{"asin": "B07MHLL27V", "instruction": "i need a pair of stainless hair cutting shears that is 6 inches and black in color.", "attributes": ["stainless steel", "hair cutting"], "options": ["pattern name: c-6.0 inch-black"], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": ["c-6.0 inch-black"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM491TX4B", "worker_id": "A1NF6PELRKACS9"}], "B07R71K9F2": [{"asin": "B07R71K9F2", "instruction": "i'm looking for clothing for women's for classic fit and needle sleeve need to buy it.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: neon pink", "fit type: women", "size: xx-large"], "instruction_attributes": ["needle sleeve", "classic fit"], "instruction_options": ["neon pink"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCPS9BH", "worker_id": "A16IQOX0DK14OJ"}], "B09RMSZDN2": [{"asin": "B09RMSZDN2", "instruction": "i need a closed toe khakhi sandal with ankle straps in size 10", "attributes": ["closed toe", "ankle strap"], "options": ["color: khaki", "size: 10"], "instruction_attributes": ["closed toe", "ankle strap"], "instruction_options": ["khaki", "10"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0MZQSCT", "worker_id": "ASWFLI3N8X72G"}], "B09NNB7Z41": [{"asin": "B09NNB7Z41", "instruction": "please add to my list baby boy silver cupcake picks for my son\u2019s birthday party.", "attributes": ["baby shower", "birthday party", "cupcake picks"], "options": ["pattern name: boy silver"], "instruction_attributes": ["birthday party", "cupcake picks"], "instruction_options": ["boy silver"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFIJ9V0", "worker_id": "AHU9OLV0YKIIW"}], "B07TGBYGL3": [{"asin": "B07TGBYGL3", "instruction": "i'm looking for a actloe women hoodie sweatshirt .", "attributes": ["loose fit", "long sleeve", "daily wear"], "options": ["color: coffee", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["coffee", "large"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U69MAT", "worker_id": "A1ZGOZQF2VZ0X9"}], "B084KTYG3M": [{"asin": "B084KTYG3M", "instruction": "i am looking for a console table made up of wooden frame for living room. also choose espresso one.", "attributes": ["storage space", "wood frame", "solid wood", "living room"], "options": ["color: espresso"], "instruction_attributes": ["wood frame", "living room"], "instruction_options": ["espresso"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OJWTRE", "worker_id": "A2HMEGTAFO0CS8"}], "B07Y4V5XGS": [{"asin": "B07Y4V5XGS", "instruction": "i want 18\" high quality hair extensions made with natural hair in color 882.", "attributes": ["high quality", "hair extensions", "natural hair"], "options": ["color: 882", "size: 18\""], "instruction_attributes": ["high quality", "hair extensions", "natural hair"], "instruction_options": ["882", "18\""], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38GZNJJH", "worker_id": "ASWFLI3N8X72G"}], "B09MW3C834": [{"asin": "B09MW3C834", "instruction": "i'm searching for purple color toppers to decorate the birthday cake.", "attributes": ["birthday cake", "birthday party"], "options": ["color: purple"], "instruction_attributes": ["birthday cake"], "instruction_options": ["purple"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLW2DR7", "worker_id": "A9ZM1P6LBW79"}], "B094DRJ1FP": [{"asin": "B094DRJ1FP", "instruction": "i need gluten free pizza with a soft centre and crispy edges.", "attributes": ["gluten free", "trader joe", "keto friendly", "low carb", "natural ingredients"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3TZP69", "worker_id": "A1NF6PELRKACS9"}], "B01IQGHBVK": [{"asin": "B01IQGHBVK", "instruction": "i'm looking for engineered wood that need to white finish furniture.", "attributes": ["white finish", "engineered wood"], "options": [""], "instruction_attributes": ["white finish", "engineered wood"], "instruction_options": [], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788EPC5G", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01IQGHBVK", "instruction": "i want a queen panel bed in white finish.", "attributes": ["white finish", "engineered wood"], "options": [""], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBX0H4OC", "worker_id": "A2RBF3IIJP15IH"}], "B09FGSQYLQ": [{"asin": "B09FGSQYLQ", "instruction": "i'm looking for a hands free navigation system for my car, about 2+32 big and it should have 8 cores.", "attributes": ["hands free", "plug play"], "options": ["color: 8 core", "size: 2+32"], "instruction_attributes": ["hands free"], "instruction_options": ["8 core", "2+32"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE22GQGT", "worker_id": "A3AK3UL0UCNVKE"}], "B08YGLDT3K": [{"asin": "B08YGLDT3K", "instruction": "i am looking for permanent hair color with natural ingredients and color: funky yellow (2 pack)", "attributes": ["argan oil", "natural ingredients", "permanent hair"], "options": ["color: funky yellow (2 pack)"], "instruction_attributes": ["natural ingredients", "permanent hair"], "instruction_options": ["funky yellow (2 pack)"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOXQO7P", "worker_id": "AX2EWYWZM19AZ"}], "B08SHLSN55": [{"asin": "B08SHLSN55", "instruction": "i needed a 5-case gluten free multigrain table crackers.", "attributes": ["gluten free", "lactose free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0X1RRZ", "worker_id": "A39VVWV1GHLMFD"}], "B09GLQFSXG": [{"asin": "B09GLQFSXG", "instruction": "i would like a twin sized espresso bed that is made of solid wood.", "attributes": ["twin size", "white item", "assembly required", "easy assemble", "box spring", "solid wood", "storage space"], "options": ["color: espresso", "size: twin over twin"], "instruction_attributes": ["solid wood"], "instruction_options": ["espresso", "twin over twin"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX65AFK", "worker_id": "A1WS884SI0SLO4"}], "B079CH6STL": [{"asin": "B079CH6STL", "instruction": "i'm looking for clothing for classic fit and needle and color was navy.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: youth", "size: 4t"], "instruction_attributes": ["machine wash", "needle sleeve", "classic fit"], "instruction_options": ["navy"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YOH96W", "worker_id": "A16IQOX0DK14OJ"}], "B0834QQR5F": [{"asin": "B0834QQR5F", "instruction": "i am looking for a electric pink zebra mules & clogs of ethylene vinyl.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: electric pink zebra", "size: 8 women | 6 men"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["electric pink zebra"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66QKZFG", "worker_id": "A9QRQL9CFJBI7"}], "B083JN9J8M": [{"asin": "B083JN9J8M", "instruction": "am looking for a non-alcoholic spirit that comes in a bottle size of 750ml made by the monday company called zero alcohol gin that should be found in the grocery & gourmet food department.", "attributes": ["non alcoholic", "gluten free", "sugar free"], "options": [""], "instruction_attributes": ["non alcoholic"], "instruction_options": [], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCJC0EZ", "worker_id": "A3RGIKEI8JS2QG"}], "B094VSVPZV": [{"asin": "B094VSVPZV", "instruction": "i am looking for a 48 piece nautical themed cupcake toppers for a birthday party.", "attributes": ["birthday party", "baby shower", "party supplies"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7XWSDJ", "worker_id": "A1EREKSZAA9V7B"}], "B073HGKQDC": [{"asin": "B073HGKQDC", "instruction": "i am looking for a 2'6\" x 14' area rugs for living rooms.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: green | ivory", "size: 2'6\" x 14'"], "instruction_attributes": ["living room"], "instruction_options": ["2'6\" x 14'"], "assignment_id": "33CID5710F37J25O7G1CGJZBORJ3L4", "worker_id": "A9QRQL9CFJBI7"}], "B09NM62G51": [{"asin": "B09NM62G51", "instruction": "i'm looking for furnitures for kitchen dinning room the color need to buy pu-red brown.", "attributes": ["button tufted", "non slip", "easy assemble", "dining room"], "options": ["color: pu- red brown", "size: 1 barstool"], "instruction_attributes": ["dining room"], "instruction_options": ["pu- red brown"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH37A9SEQ", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B09NM62G51", "instruction": "i want easy assemble non slip button tufted bar stool color velvet -white", "attributes": ["button tufted", "non slip", "easy assemble", "dining room"], "options": ["color: velvet- white", "size: 1 barstool"], "instruction_attributes": ["button tufted", "non slip", "easy assemble"], "instruction_options": ["velvet- white"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTVPP94", "worker_id": "A3N9ZYQAESNFQH"}], "B093GSXWLK": [{"asin": "B093GSXWLK", "instruction": "i would like a black bottle of nail polish with elastic bands.", "attributes": ["heavy duty", "long lasting", "storage case", "nail polish"], "options": ["color: black | purple", "style: with elastic bands"], "instruction_attributes": ["nail polish"], "instruction_options": ["black | purple", "with elastic bands"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWGAGGT", "worker_id": "A1WS884SI0SLO4"}], "B09FQ8CC79": [{"asin": "B09FQ8CC79", "instruction": "i am looking or grey throw for couch sofa with machine washable feature.", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: grey | white", "size: 50\"x60\""], "instruction_attributes": ["machine washable"], "instruction_options": ["grey | white"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGD9S9W", "worker_id": "A3FG5PQHG5AH3Y"}], "B09LMNKRKX": [{"asin": "B09LMNKRKX", "instruction": "i would like a 8 pack of almond butter dates that are ready to eat.", "attributes": ["low calorie", "ready eat", "great gift"], "options": ["flavor: almond butter dates", "size: 8 pack"], "instruction_attributes": ["ready eat"], "instruction_options": ["almond butter dates", "8 pack"], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0Y4RR4", "worker_id": "A1WS884SI0SLO4"}], "B07N8RRPT1": [{"asin": "B07N8RRPT1", "instruction": "i am looking for a white coffee tables with nickel finish.", "attributes": ["nickel finish", "tempered glass", "steel frame"], "options": ["color: white", "size: 32''"], "instruction_attributes": ["nickel finish"], "instruction_options": ["white"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPLD6EJ", "worker_id": "A9QRQL9CFJBI7"}], "B07FKB9LPH": [{"asin": "B07FKB9LPH", "instruction": "i need multicolored hair bands that are non toxic.", "attributes": ["anti aging", "non toxic"], "options": ["color: b-color"], "instruction_attributes": ["non toxic"], "instruction_options": ["b-color"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3SA3G3H", "worker_id": "A1NF6PELRKACS9"}], "B004QGG45E": [{"asin": "B004QGG45E", "instruction": "i'm looking for shoes for women's sandals and want to buy a black color.", "attributes": ["slip resistant", "rubber sole"], "options": ["color: black", "size: 7 x-wide"], "instruction_attributes": ["slip resistant"], "instruction_options": ["black"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E5LXH1", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B004QGG45E", "instruction": "i'm looking for a slip resistant women clog with 9.5 in dark brown suede", "attributes": ["slip resistant", "rubber sole"], "options": ["color: dark brown suede flower", "size: 9.5 wide"], "instruction_attributes": ["slip resistant"], "instruction_options": ["dark brown suede flower", "9.5 wide"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZL9K9O", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B004QGG45E", "instruction": "i'm looking for modern design shoes with additional features.", "attributes": ["slip resistant", "rubber sole"], "options": ["color: luggage leop", "size: 12"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["luggage leop"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBVIGI5", "worker_id": "A21IUUHBSEVB56"}], "B09CQ8VNM6": [{"asin": "B09CQ8VNM6", "instruction": "i need some grey and white, easy to clean collapsible storage bins in a four pack.", "attributes": ["space saving", "easy clean"], "options": ["color: grey & white", "size: 4-pack"], "instruction_attributes": ["easy clean"], "instruction_options": ["grey & white", "4-pack"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HR8OW6", "worker_id": "AR9AU5FY1S3RO"}], "B09H6YC788": [{"asin": "B09H6YC788", "instruction": "i am looking for a long lasting hair extensions for natural hair. also choose 30# color and 14inch (pack 7) one.", "attributes": ["long lasting", "hair extensions", "natural hair"], "options": ["color: 30#", "size: 14 inch (pack of 7)"], "instruction_attributes": ["long lasting", "hair extensions", "natural hair"], "instruction_options": ["30#", "14 inch (pack of 7)"], "assignment_id": "33CID5710F37J25O7G1CGJZBOSR3LE", "worker_id": "A2HMEGTAFO0CS8"}], "B07PQDFMWR": [{"asin": "B07PQDFMWR", "instruction": "i'm looking for a hyaluronic acid eye cream for dark circles.", "attributes": ["hyaluronic acid", "dark circles"], "options": [""], "instruction_attributes": ["hyaluronic acid", "dark circles"], "instruction_options": [], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9BBV2U", "worker_id": "A9QRQL9CFJBI7"}], "B095JV88NJ": [{"asin": "B095JV88NJ", "instruction": "i am looking for a c type super fast charger for my samsung galaxy s21 mobile", "attributes": ["fast charging", "usb port"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5HKIWE", "worker_id": "A2COCSUGZV28X"}], "B09SFD5HSG": [{"asin": "B09SFD5HSG", "instruction": "i am looking for a rose gold cartridges & refills for hair salon", "attributes": ["high quality", "hair salon", "hair removal"], "options": ["color: rose gold"], "instruction_attributes": ["hair salon"], "instruction_options": ["rose gold"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QS3OXM", "worker_id": "A9QRQL9CFJBI7"}], "B002GD3FU6": [{"asin": "B002GD3FU6", "instruction": "i am interested in nut free bridal shower candy sticks, it should be low in calories and preferably be wrapped in individually.", "attributes": ["old fashioned", "nut free", "low calorie", "individually wrapped", "gluten free"], "options": ["flavor name: red | strawberry", "size: 24 count (pack of 1)"], "instruction_attributes": ["nut free", "individually wrapped"], "instruction_options": [], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLHHF2K", "worker_id": "A14BSOU2Y5JNT0"}], "B07GCHXPDW": [{"asin": "B07GCHXPDW", "instruction": "i need a 5ft black color high speed usb 3.0 extension cable, a-male to a-female for usb flash drive", "attributes": ["gold plated", "high performance", "plug play", "high speed", "usb port"], "options": ["color: black", "size: 5ft"], "instruction_attributes": ["high speed"], "instruction_options": ["black", "5ft"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQLL133", "worker_id": "A258PTOZ3D2TQR"}], "B089SQZ4S3": [{"asin": "B089SQZ4S3", "instruction": "i need eco friendly curtains that are 52\" by 45\"", "attributes": ["super soft", "eco friendly", "machine washable"], "options": ["size: 1 piece, 52\"x45\""], "instruction_attributes": ["eco friendly"], "instruction_options": ["1 piece, 52\"x45\""], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO7F33H", "worker_id": "A2ECRNQ3X5LEXD"}], "B088K6SFZ1": [{"asin": "B088K6SFZ1", "instruction": "iam looking for a grey-grey tempered glass conversation sets", "attributes": ["easy clean", "coated steel", "tempered glass", "steel frame"], "options": ["color: grey-grey"], "instruction_attributes": ["tempered glass"], "instruction_options": ["grey-grey"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2OS5LG", "worker_id": "A9QRQL9CFJBI7"}], "B009F646EQ": [{"asin": "B009F646EQ", "instruction": "i am looking for a teeth whitening toothpaste.", "attributes": ["teeth whitening", "fresh breath", "sensitive teeth"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3UT8J6G", "worker_id": "A9QRQL9CFJBI7"}], "B08R1VZQ9D": [{"asin": "B08R1VZQ9D", "instruction": "i am looking for 16 inch long synthetic hair extensions for women.", "attributes": ["easy apply", "hair extensions", "synthetic hair"], "options": ["color: dark brown with copper highlights", "size: 16 inch (pack of 1)"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["16 inch (pack of 1)"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIXJT9K", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B08R1VZQ9D", "instruction": "i'm interested in one pack of 20-inch hair extensions that are easy to apply.", "attributes": ["easy apply", "hair extensions", "synthetic hair"], "options": ["color: black brown", "size: 20 inch (pack of 1)"], "instruction_attributes": ["easy apply", "hair extensions"], "instruction_options": ["black brown", "20 inch (pack of 1)"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBJAHGM", "worker_id": "AFU00NU09CFXE"}], "B09H3C1PHX": [{"asin": "B09H3C1PHX", "instruction": "i looking for a pepper flavor rich creamy protein serving 36 oz peanut", "attributes": ["rich creamy", "protein serving", "plant based", "non gmo"], "options": ["flavor name: pepper", "size: 36oz"], "instruction_attributes": ["rich creamy", "protein serving"], "instruction_options": ["pepper", "36oz"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQGCCJW", "worker_id": "A3N9ZYQAESNFQH"}], "B09SKCYZ18": [{"asin": "B09SKCYZ18", "instruction": "i am searching for a leather sole sandals. also, choose the size 6 inches.", "attributes": ["ankle strap", "leather sole"], "options": ["size: 6"], "instruction_attributes": [], "instruction_options": ["6"], "assignment_id": "32SCWG5HISEW7674IASH43KF3SUP62", "worker_id": "A9ZM1P6LBW79"}], "B08RJG4QGB": [{"asin": "B08RJG4QGB", "instruction": "help me buy a fog colored shoe with arch support and rubber sole in 12 size.", "attributes": ["arch support", "rubber sole"], "options": ["color: fog", "size: 12"], "instruction_attributes": ["arch support", "rubber sole"], "instruction_options": ["fog", "12"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY868T18D", "worker_id": "A3AYHESLQSDY5T"}], "B07NSCNHSS": [{"asin": "B07NSCNHSS", "instruction": "i need natural hair wig in lighter red color", "attributes": ["natural hair", "hair growth"], "options": ["color: lighter red"], "instruction_attributes": ["natural hair"], "instruction_options": ["lighter red"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4HH512", "worker_id": "ASWFLI3N8X72G"}], "B07L3YMPPK": [{"asin": "B07L3YMPPK", "instruction": "i am looking for a black slip lasting walking shoes.", "attributes": ["long lasting", "slip resistant"], "options": ["color: black", "size: 12 wide"], "instruction_attributes": ["slip resistant"], "instruction_options": ["black"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNLENTP", "worker_id": "A9QRQL9CFJBI7"}], "B08BX7FV5L": [{"asin": "B08BX7FV5L", "instruction": "i'm looking for hd tablets for style with keyboard-case and microsoft the color was black it was comes from long lasting.", "attributes": ["1080p hd", "long lasting", "hands free"], "options": ["color: black", "digital storage capacity: 32 gb", "offer type: lockscreen ad-supported", "style: with keyboard-case & microsoft 365"], "instruction_attributes": ["1080p hd"], "instruction_options": ["black", "with keyboard-case & microsoft 365"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IR0TLH", "worker_id": "A16IQOX0DK14OJ"}], "B09P1K6P4S": [{"asin": "B09P1K6P4S", "instruction": "i would like a men's medium classic fit t-shirt in slate gray.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: slate", "fit type: men", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["slate", "men", "medium"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80EU1Q3", "worker_id": "A1WS884SI0SLO4"}], "B084NVDFXZ": [{"asin": "B084NVDFXZ", "instruction": "i'm looking for a phocus caffeinated sparkling water .", "attributes": ["non dairy", "non gmo", "gluten free"], "options": ["flavor name: yuzu & lime", "size: 11.5 fl oz (pack of 12)"], "instruction_attributes": ["non gmo"], "instruction_options": ["yuzu & lime", "11.5 fl oz (pack of 12)"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTYN7M7", "worker_id": "A1ZGOZQF2VZ0X9"}], "B086MYGX4C": [{"asin": "B086MYGX4C", "instruction": "i'm looking for a cactus cupcake toppers for birthday party", "attributes": ["birthday party", "baby shower"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LMI09B", "worker_id": "A2Y2TURT2VEYZN"}], "B06Y2ML7LG": [{"asin": "B06Y2ML7LG", "instruction": "i'm looking for a rosehip seed oil for face and skin by kate blanc.", "attributes": ["certified organic", "anti aging", "paraben free", "cruelty free", "seed oil", "fine lines", "hair growth"], "options": ["size: 4 fl oz (pack of 1)"], "instruction_attributes": ["certified organic", "seed oil", "hair growth"], "instruction_options": ["4 fl oz (pack of 1)"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O16A24", "worker_id": "A1ZGOZQF2VZ0X9"}], "B082SVDL5K": [{"asin": "B082SVDL5K", "instruction": "i need a easy to use plug and play, power amplifier with bluetooth connectivity.", "attributes": ["power amplifier", "plug play", "easy use"], "options": [""], "instruction_attributes": ["power amplifier", "plug play", "easy use"], "instruction_options": [], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYW563A", "worker_id": "ASWFLI3N8X72G"}], "B094FZ6R3J": [{"asin": "B094FZ6R3J", "instruction": "i'm shopping for memory foam slippers with a rubber sole in a moonlight blue colour.", "attributes": ["moisture wicking", "memory foam", "rubber sole"], "options": ["color: moonlight", "size: 5-6 women | 3-4 men"], "instruction_attributes": ["memory foam", "rubber sole"], "instruction_options": ["moonlight"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IRILTR", "worker_id": "A3EDFA8UQT5GG8"}], "B07R715F4Z": [{"asin": "B07R715F4Z", "instruction": "i want a non slip futon mattress that is in 1.8x2m queen size.", "attributes": ["non slip", "queen size"], "options": ["color: d", "size: 1.8x2m bed"], "instruction_attributes": ["non slip"], "instruction_options": ["1.8x2m bed"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGXUWT1", "worker_id": "A1NF6PELRKACS9"}], "B09HBS38K4": [{"asin": "B09HBS38K4", "instruction": "i am looking for black color light weight long sleeve sweatshirts", "attributes": ["daily casual", "long sleeve", "teen girls"], "options": ["color: black-1", "size: x-large"], "instruction_attributes": [], "instruction_options": ["black-1"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSKSB8E", "worker_id": "A16M39T60N60NO"}, {"asin": "B09HBS38K4", "instruction": "i need to buy a long sleeve sweatshirt in red. look for a size small.", "attributes": ["daily casual", "long sleeve", "teen girls"], "options": ["color: red", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["red", "small"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZZURNR", "worker_id": "AR9AU5FY1S3RO"}], "B09Q5YQXL2": [{"asin": "B09Q5YQXL2", "instruction": "i would like a blue nasal spray that is long lasting.", "attributes": ["long lasting", "fine mist"], "options": ["color: blue"], "instruction_attributes": ["long lasting"], "instruction_options": ["blue"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1MAJTGG", "worker_id": "A1WS884SI0SLO4"}], "B07Z8G98LT": [{"asin": "B07Z8G98LT", "instruction": "i want x- large tall machine wash short sleeve t- shirt for men color:ash plum 554/black", "attributes": ["quick drying", "machine wash", "short sleeve"], "options": ["color: ash plum (554) | black", "size: x-large tall"], "instruction_attributes": ["machine wash", "short sleeve"], "instruction_options": ["ash plum (554) | black", "x-large tall"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCWP64J", "worker_id": "A3N9ZYQAESNFQH"}], "B09ND52DTH": [{"asin": "B09ND52DTH", "instruction": "i am looking for a black winter warm fleece lined hiking boots", "attributes": ["winter warm", "fleece lined", "non slip", "rubber sole"], "options": ["color: black", "size: 6.5"], "instruction_attributes": ["winter warm", "fleece lined"], "instruction_options": ["black"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTZO7MA", "worker_id": "A9QRQL9CFJBI7"}], "B078N4Q4FB": [{"asin": "B078N4Q4FB", "instruction": "i am looking for a twin xl twin size mattresses.", "attributes": ["ready use", "fully assembled", "twin size", "assembly required", "box spring"], "options": ["color: comfort rest collection", "size: twin xl size"], "instruction_attributes": ["twin size"], "instruction_options": ["twin xl size"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X6F3YO", "worker_id": "A9QRQL9CFJBI7"}], "B08R3G2KH7": [{"asin": "B08R3G2KH7", "instruction": "i am searching for a 4g lte signal booster. it should be easy to install.", "attributes": ["easy install", "4g lte"], "options": [""], "instruction_attributes": ["easy install", "4g lte"], "instruction_options": [], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYW5367", "worker_id": "A9ZM1P6LBW79"}], "B07HMDVMFP": [{"asin": "B07HMDVMFP", "instruction": "i am looking for a easy to use and long lasting audio recorded it should be voice activated and have a date and time stamp option.", "attributes": ["long lasting", "easy use"], "options": [""], "instruction_attributes": ["long lasting", "easy use"], "instruction_options": [], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCTH5Q5", "worker_id": "A14BSOU2Y5JNT0"}], "B09NFG5266": [{"asin": "B09NFG5266", "instruction": "i have an order for an android tablet 8 inches, 2gb ram, 32gb rom, quad core and in green color. i await your return.", "attributes": ["high performance", "quad core"], "options": ["color: green"], "instruction_attributes": ["quad core"], "instruction_options": ["green"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNSBFJF", "worker_id": "A15IJ20C3R4HUO"}], "B09SZJJT9X": [{"asin": "B09SZJJT9X", "instruction": "i am looking for home theater projector with high resolution and 1080p hd", "attributes": ["1080p hd", "high resolution"], "options": [""], "instruction_attributes": ["1080p hd", "high resolution"], "instruction_options": [], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I9QFDF", "worker_id": "A10OGH5CQBXL5N"}], "B09DSQ2LYX": [{"asin": "B09DSQ2LYX", "instruction": "i need a pink desk with lamp. it should be height adjustable and have storage space.", "attributes": ["height adjustable", "storage space"], "options": ["color: pink with lamp"], "instruction_attributes": ["height adjustable", "storage space"], "instruction_options": ["pink with lamp"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQBFN0D", "worker_id": "A1NF6PELRKACS9"}], "B08S48K2RB": [{"asin": "B08S48K2RB", "instruction": "i am looking for hdmi cables high speed in 50 feet", "attributes": ["high speed", "ultra hd", "blu ray"], "options": ["size: 50 feet"], "instruction_attributes": ["high speed"], "instruction_options": ["50 feet"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRTUBZE", "worker_id": "A2MSIFDLOHI1UT"}], "B09GVJ6N38": [{"asin": "B09GVJ6N38", "instruction": "i'm looking for plug play for camera electronics to the video and it will buy it.", "attributes": ["hands free", "plug play"], "options": ["color: m100s 4core 1+16g"], "instruction_attributes": ["plug play"], "instruction_options": ["m100s 4core 1+16g"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFM5E9M", "worker_id": "A16IQOX0DK14OJ"}], "B09LV71VNN": [{"asin": "B09LV71VNN", "instruction": "i'm looking for dinning room for kitchen need to buy it.", "attributes": ["tempered glass", "dining room"], "options": ["color: scenery-landscape-forest-tree--(28)", "size: (width\uff0923.6in x (length)23.6in x 2pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["scenery-landscape-forest-tree--(28)"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEV0UU1", "worker_id": "A16IQOX0DK14OJ"}], "B00T2JY6MS": [{"asin": "B00T2JY6MS", "instruction": "i'm looking for electric kick scooter a water resistant.", "attributes": ["output protection", "water resistant"], "options": [""], "instruction_attributes": ["output protection", "water resistant"], "instruction_options": [], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V47U29", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00T2JY6MS", "instruction": "i want a water proof upbright ac/dc adapter compatible with segway ninebot.", "attributes": ["output protection", "water resistant"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3V66P1", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B00T2JY6MS", "instruction": "i want a water resistant upbright ac/dc adapter compatible with segway ninebot.", "attributes": ["output protection", "water resistant"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JYUGE7", "worker_id": "A2RBF3IIJP15IH"}], "B0861MPK17": [{"asin": "B0861MPK17", "instruction": "i'm looking for a remote control replacement for a blu-ray player that's compatible with bdp-s3700.", "attributes": ["blu ray", "aaa batteries"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTP8QOJ", "worker_id": "A3HFKFJ5UDWAMC"}, {"asin": "B0861MPK17", "instruction": "i am looking for a remote control for my blu ray player.", "attributes": ["blu ray", "aaa batteries"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLUBRDQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07B6FFJMG": [{"asin": "B07B6FFJMG", "instruction": "i want to buy some cashew almond flavored chocolate covered gluten-free bars.", "attributes": ["chocolate covered", "gluten free", "non gmo"], "options": ["flavor name: cashew almond"], "instruction_attributes": ["chocolate covered", "gluten free"], "instruction_options": ["cashew almond"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU97MC8", "worker_id": "A2YNPKYEFDZ6C9"}], "B07XSHZMMK": [{"asin": "B07XSHZMMK", "instruction": "find me a 2pcs of human hair with high quality in brown black color", "attributes": ["high quality", "hair loss"], "options": ["color: brown black", "size: 2pcs human hair"], "instruction_attributes": ["high quality"], "instruction_options": ["brown black", "2pcs human hair"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KP6LJ1", "worker_id": "A2Y2TURT2VEYZN"}], "B08HM9Y6V7": [{"asin": "B08HM9Y6V7", "instruction": "i'm looking for gluten free it has contains high protein.", "attributes": ["bpa free", "kosher certified", "plant based", "non gmo", "ready eat", "gluten free"], "options": ["number of items: 9"], "instruction_attributes": ["gluten free"], "instruction_options": ["9"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPIXVQI", "worker_id": "A16IQOX0DK14OJ"}], "B002U58PRI": [{"asin": "B002U58PRI", "instruction": "i am looking for a kiwi strawberry flavored sports drink with zero sugar.", "attributes": ["source vitamin", "zero sugar"], "options": ["flavor name: kiwi strawberry"], "instruction_attributes": ["zero sugar"], "instruction_options": ["kiwi strawberry"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R0S7WP", "worker_id": "A1EREKSZAA9V7B"}], "B08539BRBX": [{"asin": "B08539BRBX", "instruction": "find me a plant based body scrub to remove dead skin and which contains argon oil in toasted coconut coffee scent.", "attributes": ["plant based", "argan oil", "dead skin"], "options": ["scent: toasted coconut coffee"], "instruction_attributes": ["plant based", "argan oil", "dead skin"], "instruction_options": ["toasted coconut coffee"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FJ63DF", "worker_id": "A3AYHESLQSDY5T"}], "B01HIRQ93Y": [{"asin": "B01HIRQ93Y", "instruction": "i am searching for travel size quality fragrance oil for women, 0.34 ounce", "attributes": ["travel size", "long lasting"], "options": ["scent name: creed love in black impression", "size: 0.34 ounce"], "instruction_attributes": ["travel size"], "instruction_options": ["0.34 ounce"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R8PR0Q", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01HIRQ93Y", "instruction": "i am looking for a travel size of quality fragrance oils in the scent named creed vanisia impression.", "attributes": ["travel size", "long lasting"], "options": ["scent name: creed vanisia impression", "size: 0.34 ounce"], "instruction_attributes": ["travel size"], "instruction_options": ["creed vanisia impression"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86AS18G", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B01HIRQ93Y", "instruction": "i am looking for long lasting women's fragrance oil of 0.34 ounce size.", "attributes": ["travel size", "long lasting"], "options": ["scent name: mk for women impression", "size: 0.34 ounce"], "instruction_attributes": ["long lasting"], "instruction_options": ["0.34 ounce"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPP7YSA", "worker_id": "A1Q8PPQQCWGY0D"}], "B075LRR7YG": [{"asin": "B075LRR7YG", "instruction": "i'm looking for a waterloo naturally flavored sparkling water.", "attributes": ["bpa free", "non gmo", "zero sugar"], "options": ["flavor name: original | black cherry | lemon-lime"], "instruction_attributes": ["zero sugar"], "instruction_options": ["original | black cherry | lemon-lime"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22K6W89", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08ZHTWZF3": [{"asin": "B08ZHTWZF3", "instruction": "i'm looking for king sized bed pillows that contains pink color.", "attributes": ["queen size", "king size"], "options": ["color: pink", "size: 18 x 18-inch"], "instruction_attributes": ["king size"], "instruction_options": ["pink"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCJ5PIC", "worker_id": "A16IQOX0DK14OJ"}], "B09PG91G27": [{"asin": "B09PG91G27", "instruction": "i'm looking for home decor products for living room and it can gives nice look.", "attributes": ["exquisite workmanship", "living room"], "options": ["size: 52x90inx2"], "instruction_attributes": ["living room"], "instruction_options": ["52x90inx2"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q50KDF", "worker_id": "A16IQOX0DK14OJ"}], "B08RRZ2F57": [{"asin": "B08RRZ2F57", "instruction": "i'm looking for light weight headset it was outside of noise cancelling.", "attributes": ["noise cancelling", "light weight"], "options": ["color: dual-usb c", "style: uc optimized"], "instruction_attributes": ["noise cancelling", "light weight"], "instruction_options": ["dual-usb c"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQHVRJX", "worker_id": "A16IQOX0DK14OJ"}], "B096DMJDDW": [{"asin": "B096DMJDDW", "instruction": "i'm looking for birthday cakes with superhero theme that is perfect for kids' birthday party.", "attributes": ["birthday cake", "party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake", "birthday party"], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGLBW25", "worker_id": "A1HMZJ59OPLD1P"}], "B08YMT7L52": [{"asin": "B08YMT7L52", "instruction": "i'm looking for cosmetic high quality accessories and it will use for cosmetic bags.", "attributes": ["easy use", "high quality", "nail art"], "options": ["color: cool sunglass cat"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["cool sunglass cat"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q32GWS", "worker_id": "A16IQOX0DK14OJ"}], "B099N4P4D2": [{"asin": "B099N4P4D2", "instruction": "i would like to buy a wallet case for my samsung s21 phone. i would like it to support wireless charging and in the color brown", "attributes": ["hands free", "easy install", "wireless charging"], "options": ["color: brown"], "instruction_attributes": ["wireless charging"], "instruction_options": ["brown"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R5NTYQ", "worker_id": "AHXHM1PQTRWIQ"}], "B003MQR9F8": [{"asin": "B003MQR9F8", "instruction": "i'm looking for grocery for fat free.", "attributes": ["fat free", "low fat"], "options": [""], "instruction_attributes": ["fat free", "low fat"], "instruction_options": [], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC4RKUJ", "worker_id": "A16IQOX0DK14OJ"}], "B093T5WWL8": [{"asin": "B093T5WWL8", "instruction": "i want a laundry bag for my blouse and hosiery.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQEKSQR", "worker_id": "A1NF6PELRKACS9"}], "B07535FBKX": [{"asin": "B07535FBKX", "instruction": "a men's closed toe rubber sole sandle size:11", "attributes": ["closed toe", "rubber sole"], "options": ["size: 11"], "instruction_attributes": ["closed toe", "rubber sole"], "instruction_options": ["11"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTEN5DV", "worker_id": "A3N9ZYQAESNFQH"}], "B093GGRKHS": [{"asin": "B093GGRKHS", "instruction": "i am looking for skin care in hyaluronic acid", "attributes": ["anti aging", "hyaluronic acid", "fine lines", "dead skin"], "options": [""], "instruction_attributes": ["hyaluronic acid"], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4BXQRV", "worker_id": "A2MSIFDLOHI1UT"}], "B0742KPKZD": [{"asin": "B0742KPKZD", "instruction": "i looking flavor syrups french vanilla flavour bpa free non gmo gluten free size 33.8 fl oz", "attributes": ["bpa free", "non gmo", "artificial ingredients", "gluten free", "dairy free", "natural flavors", "artificial colors", "artificial flavors"], "options": ["flavor name: french vanilla", "size: 33.8 fl oz (pack of 1)"], "instruction_attributes": ["bpa free", "non gmo", "gluten free"], "instruction_options": ["french vanilla", "33.8 fl oz (pack of 1)"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95S7QXG", "worker_id": "A3N9ZYQAESNFQH"}], "B01N4MCED7": [{"asin": "B01N4MCED7", "instruction": "i'm looking for a hot sauce gift set with the flavor lazy ass.", "attributes": ["gift set", "perfect gift"], "options": ["flavor name: lazy ass"], "instruction_attributes": ["gift set"], "instruction_options": ["lazy ass"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQGAJR2", "worker_id": "A2CJFO19NY4T5R"}], "B07MJVB31T": [{"asin": "B07MJVB31T", "instruction": "i am looking for a perfect valentine gifting cake containing natural holiday flavor ingredients in 48 count size.", "attributes": ["natural ingredients", "valentine day", "great gift", "perfect gift"], "options": ["flavor name: holiday flavors", "size: 48 count"], "instruction_attributes": ["natural ingredients", "valentine day", "perfect gift"], "instruction_options": ["holiday flavors"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OVKM3Y", "worker_id": "A3AYHESLQSDY5T"}], "B07FSGV3V2": [{"asin": "B07FSGV3V2", "instruction": "i'm looking for buy a binocular for bird watching.", "attributes": ["high power", "easy carry", "bird watching"], "options": ["size: 12x50mm"], "instruction_attributes": ["easy carry", "bird watching"], "instruction_options": ["12x50mm"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMQWW96", "worker_id": "A16IQOX0DK14OJ"}], "B09BD7DJ55": [{"asin": "B09BD7DJ55", "instruction": "i need super king plus 120x120 (3pc duvet set) silver color silk decorative super soft pillow covers", "attributes": ["super soft", "exquisite workmanship"], "options": ["color: silver", "size: super king plus 120x120 (3pc duvet set)"], "instruction_attributes": ["super soft"], "instruction_options": ["silver", "super king plus 120x120 (3pc duvet set)"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LMF098", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09BD7DJ55", "instruction": "i want silver and super soft european pillow shams.", "attributes": ["super soft", "exquisite workmanship"], "options": ["color: silver", "size: queen | full 20x26 (2pcs pillow shams)"], "instruction_attributes": ["super soft"], "instruction_options": ["silver"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1VU2H3", "worker_id": "A2RBF3IIJP15IH"}], "B09DVFZYKL": [{"asin": "B09DVFZYKL", "instruction": "i want anti slip tennis shoes with rubber soles in size 13. it is for a man.", "attributes": ["anti slip", "rubber sole"], "options": ["color: rasta space galaxy w", "size: 15.5 women | 13 men"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["15.5 women | 13 men"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HYZ1DQ", "worker_id": "A1NF6PELRKACS9"}], "B002F3QYZA": [{"asin": "B002F3QYZA", "instruction": "i am looking for oil free toner", "attributes": ["oil free", "green tea"], "options": [""], "instruction_attributes": ["oil free"], "instruction_options": [], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9X9X51", "worker_id": "A2MSIFDLOHI1UT"}], "B01HHRRDTO": [{"asin": "B01HHRRDTO", "instruction": "i am looking for multi purpose for face in charcoal", "attributes": ["cruelty free", "plant based", "animal testing", "dry skin"], "options": ["scent: charcoal", "size: 1.15 pound"], "instruction_attributes": ["dry skin"], "instruction_options": ["charcoal"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OJBRTR", "worker_id": "A2MSIFDLOHI1UT"}], "B098SMFB4Y": [{"asin": "B098SMFB4Y", "instruction": "i need a pair of black eyebrow trimmers.", "attributes": ["easy carry", "easy clean", "hair removal"], "options": ["color: black"], "instruction_attributes": ["hair removal"], "instruction_options": ["black"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8HEC4T", "worker_id": "A19317A3X87NVM"}], "B07HB8F4XF": [{"asin": "B07HB8F4XF", "instruction": "i'm looking for a fruit snacks that is free from gluten and fat, also made of real fruits.", "attributes": ["fat free", "gluten free", "real fruit"], "options": [""], "instruction_attributes": ["fat free", "gluten free", "real fruit"], "instruction_options": [], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3DENQ8", "worker_id": "AR0VJ5XRG16UJ"}], "B07DFSHP3J": [{"asin": "B07DFSHP3J", "instruction": "i am looking for relaxed fit women clogs of size 13.", "attributes": ["ethylene vinyl", "vinyl acetate", "relaxed fit"], "options": ["color: barely pink | white 1", "size: 13 women | 13 men"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["13 women | 13 men"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9C6V2R", "worker_id": "A3FG5PQHG5AH3Y"}], "B09984KFL2": [{"asin": "B09984KFL2", "instruction": "i want to buy a bundle of peanut butter cups for valentine day.", "attributes": ["valentine day", "baby shower"], "options": [""], "instruction_attributes": ["valentine day"], "instruction_options": [], "assignment_id": "352YTHGRO6NQF252G9RXYWYALA24HF", "worker_id": "A1NF6PELRKACS9"}], "B09Q8XK81W": [{"asin": "B09Q8XK81W", "instruction": "i need butt lifting yoga pants that also has a high waist. pick a blue one.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["butt lifting", "high waist"], "instruction_options": ["blue"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI3A4DBZ", "worker_id": "A1NF6PELRKACS9"}], "B07J9K68QK": [{"asin": "B07J9K68QK", "instruction": "i need some baby food that is non gmo and has no artificial flavors.", "attributes": ["non gmo", "artificial flavors", "quality ingredients"], "options": [""], "instruction_attributes": ["non gmo", "artificial flavors"], "instruction_options": [], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO5IC21", "worker_id": "A1NF6PELRKACS9"}], "B09LC171P8": [{"asin": "B09LC171P8", "instruction": "i'm looking for wireless bluetooth and it will easy to use.", "attributes": ["hands free", "easy use", "high definition", "wireless bluetooth"], "options": [""], "instruction_attributes": ["easy use", "wireless bluetooth"], "instruction_options": [], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9BX2VN", "worker_id": "A16IQOX0DK14OJ"}], "B07QYGZ5WC": [{"asin": "B07QYGZ5WC", "instruction": "i looking heathers cotton machine wash men's classic fit x-large heater grey color t-shirt", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather grey", "fit type: men", "size: x-large"], "instruction_attributes": ["machine wash", "heathers cotton", "classic fit"], "instruction_options": ["heather grey", "men", "x-large"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746XUTB2", "worker_id": "A3N9ZYQAESNFQH"}], "B07FKHP9HQ": [{"asin": "B07FKHP9HQ", "instruction": "i am looking for 4g lte android phone. please choose silver color.", "attributes": ["easy use", "4g lte"], "options": ["color: silver"], "instruction_attributes": ["4g lte"], "instruction_options": ["silver"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTOSV49", "worker_id": "A3FG5PQHG5AH3Y"}], "B081FBJ25N": [{"asin": "B081FBJ25N", "instruction": "i am looking for a tempered glass of basic cases for iphone 11 pro", "attributes": ["heavy duty", "easy use", "tempered glass"], "options": ["color: american flag eagle", "size: iphone 11 pro"], "instruction_attributes": ["tempered glass"], "instruction_options": ["iphone 11 pro"], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q69IIU", "worker_id": "A9QRQL9CFJBI7"}], "B07D3PD31P": [{"asin": "B07D3PD31P", "instruction": "help me purchase black wireless headphones with high definition audio and quality stereo sound.", "attributes": ["hands free", "high definition", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["high definition", "stereo sound"], "instruction_options": ["black"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEWKUUN", "worker_id": "A1HMZJ59OPLD1P"}], "B07BXWR3NJ": [{"asin": "B07BXWR3NJ", "instruction": "i'm looking for a light weight backdrop with high resolution image for digital photography. also, choose 7*5 ft one.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 7x5ft"], "instruction_attributes": ["light weight", "high resolution", "digital photography"], "instruction_options": ["7x5ft"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907RLAUG", "worker_id": "AR0VJ5XRG16UJ"}], "B08VJJBX1L": [{"asin": "B08VJJBX1L", "instruction": "i need a valentine's day candy box", "attributes": ["individually wrapped", "valentine day"], "options": [""], "instruction_attributes": ["valentine day"], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGKIW2A", "worker_id": "A258PTOZ3D2TQR"}], "B07K7HZ5BD": [{"asin": "B07K7HZ5BD", "instruction": "find me a makeup case for travel, need to be easy to carry and choose the marble black color", "attributes": ["easy carry", "nail polish", "nail art"], "options": ["color: marble black"], "instruction_attributes": ["easy carry"], "instruction_options": ["marble black"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34MQ14Z", "worker_id": "A2Y2TURT2VEYZN"}], "B07L581MNW": [{"asin": "B07L581MNW", "instruction": "i want high quality hair extensions that is 26 inches long.", "attributes": ["high quality", "hair extensions"], "options": ["color: 86613 | short ponytail", "size: 26 inch"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["26 inch"], "assignment_id": "3HSYG7LRBU82VUVD7MHAI53YAEGKKB", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07L581MNW", "instruction": "i am looking for sandy blonde extensions for my hair that are 24 inches long.", "attributes": ["high quality", "hair extensions"], "options": ["color: sandy blonde & bleach blonde | curly", "size: 24 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["sandy blonde & bleach blonde | curly", "24 inch (pack of 1)"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCVF4QO", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BS13S6M": [{"asin": "B08BS13S6M", "instruction": "women's slip on sneakers that size 5.5", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: las meninas", "size: 5.5"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["5.5"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7Y5Y6F", "worker_id": "A10OGH5CQBXL5N"}], "B09MSL36VK": [{"asin": "B09MSL36VK", "instruction": "i am looking for high definition and clear tempered glass for iphone.", "attributes": ["high definition", "glass screen", "tempered glass"], "options": ["color: clear", "size: case + protector"], "instruction_attributes": ["high definition", "tempered glass"], "instruction_options": ["clear"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X024234N", "worker_id": "A3FG5PQHG5AH3Y"}], "B07ZTTZP5N": [{"asin": "B07ZTTZP5N", "instruction": "i am looking for a low sugar, non gmo seaweed snacks of 1.13 ounce (pack of 6) size.", "attributes": ["low sugar", "non gmo", "0g trans"], "options": ["flavor: variety", "size: 1.13 ounce (pack of 6)"], "instruction_attributes": ["low sugar", "non gmo"], "instruction_options": ["1.13 ounce (pack of 6)"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK00UIG", "worker_id": "A9QRQL9CFJBI7"}], "B018GXGSBW": [{"asin": "B018GXGSBW", "instruction": "i am looking for long lasting high definition dark cocoa concealer for dark circles coverage.", "attributes": ["long lasting", "dark circles"], "options": ["color: dark cocoa"], "instruction_attributes": ["long lasting", "dark circles"], "instruction_options": ["dark cocoa"], "assignment_id": "31JLPPHS254FPN8LK8H48035JXT3OS", "worker_id": "A1V2JTEEBCXR20"}], "B08SHLLTVH": [{"asin": "B08SHLLTVH", "instruction": "i'm looking for steel toes shoes for construction working the color was black.", "attributes": ["non slip", "steel toe", "rubber sole"], "options": ["color: 616black", "size: 6.5 women | 5 men"], "instruction_attributes": ["non slip", "steel toe"], "instruction_options": ["616black"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L85ER3", "worker_id": "A16IQOX0DK14OJ"}], "B07ZG4WNPM": [{"asin": "B07ZG4WNPM", "instruction": "i'm looking for a perfect gifts that contains high protein preferably nuts . also choose a pack of 4 weights 7 ounce with savory flavored one.", "attributes": ["high protein", "perfect gift"], "options": ["flavor name: savory", "size: 7 ounce (pack of 4)"], "instruction_attributes": ["high protein", "perfect gift"], "instruction_options": ["savory", "7 ounce (pack of 4)"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AKZSTJ", "worker_id": "AR0VJ5XRG16UJ"}], "B004HO58L6": [{"asin": "B004HO58L6", "instruction": "i'm looking for finepix 14 mp digital camera with optical zoom len, also purple one.", "attributes": ["high speed", "optical zoom"], "options": ["color: purple"], "instruction_attributes": ["optical zoom"], "instruction_options": ["purple"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB2JY5M", "worker_id": "A258PTOZ3D2TQR"}], "B08MJ86NTG": [{"asin": "B08MJ86NTG", "instruction": "i'm looking for a medium floral long sleeve shirt in purple", "attributes": ["drawstring closure", "relaxed fit", "polyester spandex", "long sleeve"], "options": ["color: b purple", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["b purple", "medium"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AREBWC", "worker_id": "A2Y2TURT2VEYZN"}], "B0861CRGQV": [{"asin": "B0861CRGQV", "instruction": "i am looking for individually wrapped cakes for a birthday party.", "attributes": ["individually wrapped", "birthday party"], "options": [""], "instruction_attributes": ["individually wrapped", "birthday party"], "instruction_options": [], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZDDKL4", "worker_id": "A1NF6PELRKACS9"}], "B07YJ9Z8Z5": [{"asin": "B07YJ9Z8Z5", "instruction": "i am looking for a gluten free musk melon drink.", "attributes": ["low sodium", "fat free", "gluten free"], "options": ["flavor name: musk melon", "size: 16.9 fl oz (pack of 20)"], "instruction_attributes": ["gluten free"], "instruction_options": ["musk melon"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4821WYPI", "worker_id": "A1EREKSZAA9V7B"}], "B09PNL7JRN": [{"asin": "B09PNL7JRN", "instruction": "i am looking for ladies large size black06 colored jeans with straight leg fit.", "attributes": ["wide leg", "low rise", "butt lifting", "straight leg", "fleece lined", "slim fit", "high waist", "long sleeve", "short sleeve", "daily wear"], "options": ["color: black06", "size: large"], "instruction_attributes": ["straight leg"], "instruction_options": ["black06", "large"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUN9PI85", "worker_id": "AJDQGOTMB2D80"}], "B08N9QCM2F": [{"asin": "B08N9QCM2F", "instruction": "i am looking for a leakproof travel bottle . and i choose the one with keychain", "attributes": ["easy carry", "travel bottles"], "options": [""], "instruction_attributes": ["travel bottles"], "instruction_options": [], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8XKZPY", "worker_id": "A2COCSUGZV28X"}], "B08NSYTYNX": [{"asin": "B08NSYTYNX", "instruction": "order for me cupcake toppers decorations for celebrating a baby shower.", "attributes": ["party supplies", "baby shower"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVNVXLB", "worker_id": "AHU9OLV0YKIIW"}], "B07PLPRNMS": [{"asin": "B07PLPRNMS", "instruction": "i am looking for a 10.5 size non slip flip-flops", "attributes": ["non slip", "rubber sole"], "options": ["color: silver4", "size: 10.5"], "instruction_attributes": ["non slip"], "instruction_options": ["10.5"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9HH2E6", "worker_id": "A9QRQL9CFJBI7"}], "B09DCN6S39": [{"asin": "B09DCN6S39", "instruction": "metal pendant light that is height adjustable also choose in metal", "attributes": ["height adjustable", "light fixture", "pendant light", "dining room", "living room"], "options": ["size: metal"], "instruction_attributes": ["height adjustable", "pendant light"], "instruction_options": ["metal"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCU4Q5F", "worker_id": "A10OGH5CQBXL5N"}], "B082XVWW57": [{"asin": "B082XVWW57", "instruction": "i'm looking for women's clothing for classic fit and needle fit.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: men", "size: 3t"], "instruction_attributes": ["needle sleeve", "classic fit"], "instruction_options": ["white"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BODBONI", "worker_id": "A16IQOX0DK14OJ"}], "B09T1MR8ZZ": [{"asin": "B09T1MR8ZZ", "instruction": "i want sweet and salty mini popcorn balls that are nut and gluten free.", "attributes": ["nut free", "gluten free", "resealable bag"], "options": [""], "instruction_attributes": ["nut free", "gluten free"], "instruction_options": [], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRNV9FA", "worker_id": "A345TDMHP3DQ3G"}], "B08HQXX3C4": [{"asin": "B08HQXX3C4", "instruction": "i am looking for silver cupcake toppers for baby shower birthday party.", "attributes": ["birthday party", "party supplies", "baby shower"], "options": ["color: silver", "size: 7x7x3cm"], "instruction_attributes": ["birthday party", "baby shower"], "instruction_options": ["silver"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNWE8H6", "worker_id": "A3FG5PQHG5AH3Y"}], "B091DLJ4B5": [{"asin": "B091DLJ4B5", "instruction": "i'm looking for a meals with zero added sugar and also free from gluten and bpa. also, choose applesauce flavored one.", "attributes": ["bpa free", "non gmo", "gluten free", "zero sugar"], "options": ["flavor: applesauce"], "instruction_attributes": ["bpa free", "gluten free", "zero sugar"], "instruction_options": ["applesauce"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E21F35C", "worker_id": "AR0VJ5XRG16UJ"}], "B00BOEEX04": [{"asin": "B00BOEEX04", "instruction": "i am looking for permanent hair color with color 5.12", "attributes": ["easy use", "rose gold", "hair dye", "permanent hair", "natural hair"], "options": ["color: 5.12"], "instruction_attributes": ["permanent hair"], "instruction_options": ["5.12"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3YYG5J5", "worker_id": "A16M39T60N60NO"}], "B08JKFMQD9": [{"asin": "B08JKFMQD9", "instruction": "i would like to order a pink harajuku 3x-large unisex printed hoodie that is made of polyester cotton.", "attributes": ["hand wash", "quality polyester", "polyester cotton"], "options": ["color: pink", "size: 3x-large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["pink", "3x-large"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66QNFZZ", "worker_id": "AHU9OLV0YKIIW"}], "B019IOEQQ2": [{"asin": "B019IOEQQ2", "instruction": "i am looking for high speed hdmi cable male to male .", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 1 pack", "size: 3 feet (5-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["hdmi male to male"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJN2GDP", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B019IOEQQ2", "instruction": "i am looking for a 5 pack of 12 foot gold plated hdmi cables.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 5 pack", "size: 12 feet (3 pack)", "style: hdmi male to male"], "instruction_attributes": ["gold plated"], "instruction_options": ["5 pack", "12 feet (3 pack)"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIQB841", "worker_id": "A1EREKSZAA9V7B"}], "B001B2N3QE": [{"asin": "B001B2N3QE", "instruction": "i would like a old version of a 3 count ultra light sun blonde hair dye.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 03 ultra light sun blonde", "size: 3 count (pack of 1)", "style: old version"], "instruction_attributes": ["hair dye"], "instruction_options": ["03 ultra light sun blonde", "3 count (pack of 1)", "old version"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7W4CUM", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B001B2N3QE", "instruction": "i am looking for a long lasting permanent hair dye in light auburn color.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 053 light auburn", "size: 3 count (pack of 1)", "style: new version"], "instruction_attributes": ["long lasting", "hair dye", "permanent hair"], "instruction_options": ["053 light auburn"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN05TPH", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B001B2N3QE", "instruction": "i'm looking for a permanent hair dye with keratin in the brand of revlon.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 073 champagne blonde", "size: pack of 1", "style: old version"], "instruction_attributes": ["hair dye", "permanent hair"], "instruction_options": ["pack of 1"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIPJ85P", "worker_id": "A21IUUHBSEVB56"}], "B0816WX3B7": [{"asin": "B0816WX3B7", "instruction": "i am looking for an intel quad core i5 tower pc with windows 10 pro.", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["core i5", "intel core", "quad core"], "instruction_options": [], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FFNELI", "worker_id": "A1EREKSZAA9V7B"}], "B0824CD7K7": [{"asin": "B0824CD7K7", "instruction": "i want to find pink floral pillow covers for the pillows in my living room that are 22 inches by 22 inches.", "attributes": ["double sided", "machine washable", "living room"], "options": ["color: flower pink", "size: 22 x 22 inches"], "instruction_attributes": ["living room"], "instruction_options": ["flower pink", "22 x 22 inches"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8IPC46", "worker_id": "A345TDMHP3DQ3G"}], "B07TGDQLVJ": [{"asin": "B07TGDQLVJ", "instruction": "i am looking for memory foam canvas slip in a black color size 14", "attributes": ["memory foam", "classic fit"], "options": ["color: black", "size: 14"], "instruction_attributes": ["memory foam"], "instruction_options": ["black", "14"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXY5O4G", "worker_id": "A16M39T60N60NO"}], "B07YY2ZCFF": [{"asin": "B07YY2ZCFF", "instruction": "i am looking for cupcake toppers for baby shower birthday party.", "attributes": ["cupcake picks", "party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["baby shower", "birthday party"], "instruction_options": [], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66PCZF6", "worker_id": "A3FG5PQHG5AH3Y"}], "B00J1NO5CG": [{"asin": "B00J1NO5CG", "instruction": "i'm looking for a keto friendly sugar free chocolate syrup which should be fat and gluten free. also, choose a pack of 1 contains 25.4 fl oz with sugar free s'mores one.", "attributes": ["sugar free", "keto friendly", "fat free", "gluten free", "zero sugar"], "options": ["flavor name: sugar free s'mores", "size: 25.4 fl oz (pack of 1)"], "instruction_attributes": ["sugar free", "keto friendly", "fat free", "gluten free"], "instruction_options": ["sugar free s'mores", "25.4 fl oz (pack of 1)"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK46BA6O", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B00J1NO5CG", "instruction": "i'm looking for a pack of 4 in 25.4 ounce sugar and gluten free chocolate syrup", "attributes": ["sugar free", "keto friendly", "fat free", "gluten free", "zero sugar"], "options": ["flavor name: sugar free irish cream", "size: 25.4 ounce (pack of 4)"], "instruction_attributes": ["sugar free", "gluten free"], "instruction_options": ["sugar free irish cream", "25.4 ounce (pack of 4)"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCL4LBP", "worker_id": "A2Y2TURT2VEYZN"}], "B0823M3GTC": [{"asin": "B0823M3GTC", "instruction": "i would like to buy a pink makeup brush that is high quality and easy to clean and carry.", "attributes": ["easy carry", "easy clean", "high quality", "storage case", "sensitive skin"], "options": ["color: 1-pink"], "instruction_attributes": ["easy carry", "easy clean", "high quality"], "instruction_options": ["1-pink"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A21B7THS", "worker_id": "A114NK7T5673GK"}, {"asin": "B0823M3GTC", "instruction": "i would like a crimson brush set that is high quality.", "attributes": ["easy carry", "easy clean", "high quality", "storage case", "sensitive skin"], "options": ["color: 2-crimson"], "instruction_attributes": ["high quality"], "instruction_options": ["2-crimson"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49K9DT0", "worker_id": "A1WS884SI0SLO4"}], "B076X189T6": [{"asin": "B076X189T6", "instruction": "i'm looking for kitchen curtains it easy to use for machinable washes.", "attributes": ["machine washable", "printing technology"], "options": ["color: blue and dark orange", "size: 108\" x 96\""], "instruction_attributes": ["machine washable", "printing technology"], "instruction_options": ["blue and dark orange"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTIF4DC", "worker_id": "A16IQOX0DK14OJ"}], "B00JL248RY": [{"asin": "B00JL248RY", "instruction": "i'm looking for home audio that contain batteries included. it was blue in color.", "attributes": ["batteries included", "usb port"], "options": ["color: blue"], "instruction_attributes": ["batteries included"], "instruction_options": ["blue"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCXS46M", "worker_id": "A16IQOX0DK14OJ"}], "B000LWCR26": [{"asin": "B000LWCR26", "instruction": "i am looking for caffeine free organic tea flavored chocolate rooibos", "attributes": ["caffeine free", "individually wrapped"], "options": ["flavor name: chocolate rooibos", "size: 16 count (pack of 3)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["chocolate rooibos"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKER88W", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B000LWCR26", "instruction": "i would like a a box of 18 bags of caffeine free green rooibos herbal tea", "attributes": ["caffeine free", "individually wrapped"], "options": ["flavor name: green rooibos", "size: 18 count (pack of 3)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYW0HV9", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000LWCR26", "instruction": "i would like a box of 18 de tress herbal tea bags that are individually wrapped.", "attributes": ["caffeine free", "individually wrapped"], "options": ["flavor name: de-stress", "size: 18 count (pack of 3)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["de-stress", "18 count (pack of 3)"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q58GW2", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000LWCR26", "instruction": "i am looking for a 18 count (pack of 1) caffeine free herbal tea", "attributes": ["caffeine free", "individually wrapped"], "options": ["flavor name: mint", "size: 18 count (pack of 1)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["18 count (pack of 1)"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F24KOHX", "worker_id": "A9QRQL9CFJBI7"}], "B07W98K1Y2": [{"asin": "B07W98K1Y2", "instruction": "i'm looking for rubber stole shoes for light wearing it was brown in color", "attributes": ["steel toe", "rubber sole"], "options": ["color: brown", "size: 13.5 women | 12 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOKG0F6", "worker_id": "A16IQOX0DK14OJ"}], "B085WB9KBK": [{"asin": "B085WB9KBK", "instruction": "i am looking a varity pack seafood tuna fish high protein gluten free non gmo bpa free size 4.25 ounce", "attributes": ["high protein", "wild caught", "bpa free", "ready eat", "non gmo", "gluten free", "simple ingredients"], "options": ["flavor name: variety pack", "size: 4.25 ounce (pack of 4)"], "instruction_attributes": ["high protein", "bpa free", "non gmo", "gluten free"], "instruction_options": ["variety pack", "4.25 ounce (pack of 4)"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRS1BZJ", "worker_id": "A3N9ZYQAESNFQH"}], "B09CTHQLZ1": [{"asin": "B09CTHQLZ1", "instruction": "i am looking for a 46\" x 16\" x 25\" vanities & vanity benches for living rooms.", "attributes": ["spot clean", "super soft", "living room"], "options": ["color: burnished lilac", "size: 46\" x 16\" x 25\""], "instruction_attributes": ["living room"], "instruction_options": ["46\" x 16\" x 25\""], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE1QJTY", "worker_id": "A9QRQL9CFJBI7"}], "B07CYKYVW7": [{"asin": "B07CYKYVW7", "instruction": "i'm looking for furniture in engineered wood for living room and it was in white in color.", "attributes": ["long lasting", "engineered wood"], "options": ["color: white & anthracite"], "instruction_attributes": ["engineered wood"], "instruction_options": ["white & anthracite"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F228OHH", "worker_id": "A16IQOX0DK14OJ"}], "B09GYCPCJ4": [{"asin": "B09GYCPCJ4", "instruction": "i am looking for high gloss buffet sideboard for kitchen with white led light.", "attributes": ["white item", "high gloss", "living room"], "options": ["color: white"], "instruction_attributes": ["high gloss"], "instruction_options": ["white"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGCZMS8", "worker_id": "A3FG5PQHG5AH3Y"}], "B0759B7KLH": [{"asin": "B0759B7KLH", "instruction": "i'm looking for certified organic seeds pack of six.", "attributes": ["certified organic", "artificial colors"], "options": ["size: 8.5 ounce (pack of 6)", "style: spanish style rice"], "instruction_attributes": ["certified organic"], "instruction_options": ["8.5 ounce (pack of 6)"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMP5QBT", "worker_id": "A16IQOX0DK14OJ"}], "B0078DV1XW": [{"asin": "B0078DV1XW", "instruction": "i am looking for sulfate free hair oil serum pack", "attributes": ["cruelty free", "sulfate free", "argan oil", "dry hair"], "options": ["color: frizz be gone serum", "size: 2.75 fl oz (pack of 3)", "style: hair oil serum - 1 pack"], "instruction_attributes": ["sulfate free"], "instruction_options": ["hair oil serum - 1 pack"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG33GBX", "worker_id": "A16M39T60N60NO"}], "B07H519QRK": [{"asin": "B07H519QRK", "instruction": "i'm looking for certified refurbished for office electronics it easy to ues.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDOIK5N", "worker_id": "A16IQOX0DK14OJ"}], "B077GWCCC8": [{"asin": "B077GWCCC8", "instruction": "i want sugar free, 10 pound classic flavour chocolate discs", "attributes": ["non dairy", "sugar free", "easy use", "dairy free"], "options": ["flavor name: classic", "size: 10 pound"], "instruction_attributes": ["sugar free"], "instruction_options": ["classic", "10 pound"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZTJ04S", "worker_id": "ASWFLI3N8X72G"}], "B09FY2C67G": [{"asin": "B09FY2C67G", "instruction": "looking for ceramic drink coasters that is set of 6 with cup holder", "attributes": ["easy clean", "living room"], "options": ["color: flowercbu3335", "size: set of 6 with cup holder"], "instruction_attributes": ["living room"], "instruction_options": ["set of 6 with cup holder"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKCMNEW", "worker_id": "A10OGH5CQBXL5N"}], "B07XM8TFP4": [{"asin": "B07XM8TFP4", "instruction": "i am looking for gluten free potato chips.", "attributes": ["fat free", "gluten free"], "options": ["flavor name: kettle-style original chips"], "instruction_attributes": ["gluten free"], "instruction_options": ["kettle-style original chips"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W9MOUS", "worker_id": "A19317A3X87NVM"}], "B09QRVRZKK": [{"asin": "B09QRVRZKK", "instruction": "i would like a pair of black earbud headphones that are fast charging.", "attributes": ["long lasting", "fast charging", "hands free"], "options": ["color: black"], "instruction_attributes": ["fast charging"], "instruction_options": ["black"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB158ULA", "worker_id": "A1WS884SI0SLO4"}], "B08MFCQK96": [{"asin": "B08MFCQK96", "instruction": "i am looking for non slip, steel toe women shoe. also, choose the black b color and 42 size.", "attributes": ["non slip", "steel toe", "arch support"], "options": ["color: blackb", "size: 42"], "instruction_attributes": ["non slip", "steel toe"], "instruction_options": ["blackb", "42"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8FK5R7", "worker_id": "A9ZM1P6LBW79"}], "B07K726RVQ": [{"asin": "B07K726RVQ", "instruction": "i want to buy a fifty-two pack of fava bean snacks that are low in sugar and fat. they should also be non-gmo.", "attributes": ["high protein", "plant based", "low sugar", "gluten free", "low fat", "non gmo"], "options": ["flavor: the game day box", "size: 1 ounce (pack of 52)"], "instruction_attributes": ["low sugar", "low fat", "non gmo"], "instruction_options": ["1 ounce (pack of 52)"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBAU6UP", "worker_id": "AR9AU5FY1S3RO"}], "B09LJXXCYJ": [{"asin": "B09LJXXCYJ", "instruction": "i'm looking for clothing for classic fit for women classic fit.", "attributes": ["needle sleeve", "classic fit", "star wars"], "options": ["color: asphalt", "fit type: youth", "size: small"], "instruction_attributes": ["needle sleeve", "classic fit"], "instruction_options": ["asphalt"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYQ49Q6", "worker_id": "A16IQOX0DK14OJ"}], "B08TVFLHNK": [{"asin": "B08TVFLHNK", "instruction": "i need a heavy duty wall plate cover that is high gloss. i want something in a rocker combo style.", "attributes": ["heavy duty", "high gloss"], "options": ["style: outlet | rocker combo"], "instruction_attributes": ["heavy duty", "high gloss"], "instruction_options": ["outlet | rocker combo"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMMZGRSJ", "worker_id": "A1NF6PELRKACS9"}], "B07K4WQXB8": [{"asin": "B07K4WQXB8", "instruction": "i am looking for a 3 pink long sleeve fashion hoodies & sweatshirts.", "attributes": ["loose fit", "machine wash", "long sleeve", "polyester cotton"], "options": ["color: 3 pink", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["3 pink"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQC56S3", "worker_id": "A9QRQL9CFJBI7"}], "B001Q1FRZ0": [{"asin": "B001Q1FRZ0", "instruction": "i want to buy a bronze finish pendant light, in brushed nickle color.", "attributes": ["bronze finish", "pendant light"], "options": ["color: brushed nickel"], "instruction_attributes": ["bronze finish", "pendant light"], "instruction_options": ["brushed nickel"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZWKANI", "worker_id": "ASWFLI3N8X72G"}], "B08X6Y1SVV": [{"asin": "B08X6Y1SVV", "instruction": "search and add 20\"x20\" throw pillow covers used as decorative cushion covers in my living room to my shopping cart. make sure they are dark green.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: dark green", "size: 20\"x20\""], "instruction_attributes": ["living room"], "instruction_options": ["dark green", "20\"x20\""], "assignment_id": "37M28K1J01N18XG9DA49NC0PQDSJA2", "worker_id": "A1HMZJ59OPLD1P"}, {"asin": "B08X6Y1SVV", "instruction": "i want a set of solid wine red throw pillow covers for my living room.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: wine red", "size: 20\"x20\""], "instruction_attributes": ["living room"], "instruction_options": ["wine red"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY65J46", "worker_id": "A2RBF3IIJP15IH"}], "B074N44TTT": [{"asin": "B074N44TTT", "instruction": "i want skateboarding shoes that have rubber outsoles. pick something in blue color.", "attributes": ["lace closure", "rubber outsole"], "options": ["color: blue", "size: 9.5"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["blue"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPP5FWX", "worker_id": "A1NF6PELRKACS9"}], "B09B25LW1P": [{"asin": "B09B25LW1P", "instruction": "i'm looking for women's clothing need to buy medium sized dresses.", "attributes": ["wide leg", "quality materials", "high waist", "daily wear"], "options": ["color: heart a1", "size: medium"], "instruction_attributes": ["wide leg", "quality materials", "high waist", "daily wear"], "instruction_options": ["heart a1"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBSNGI4", "worker_id": "A16IQOX0DK14OJ"}], "B075FSHGVB": [{"asin": "B075FSHGVB", "instruction": "throw pillows cover spot clean lumbar support color beach house cotton coastal blue", "attributes": ["spot clean", "lumbar support"], "options": ["color: beach house, cotton coastal blue", "size: oblong pillow"], "instruction_attributes": ["spot clean", "lumbar support"], "instruction_options": ["beach house, cotton coastal blue"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA71NHMN", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B075FSHGVB", "instruction": "i need a bolster pillow hypoallergenic for lombar support in cotton blue", "attributes": ["spot clean", "lumbar support"], "options": ["color: coastline, cotton blue", "size: bolster pillow"], "instruction_attributes": ["lumbar support"], "instruction_options": ["coastline, cotton blue", "bolster pillow"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMR8XE4", "worker_id": "A2Y2TURT2VEYZN"}], "B07BNZ8PR3": [{"asin": "B07BNZ8PR3", "instruction": "i am looking for a blue ottomans for living room", "attributes": ["wood finish", "living room"], "options": ["color: blue"], "instruction_attributes": ["living room"], "instruction_options": ["blue"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FJLD34", "worker_id": "A9QRQL9CFJBI7"}], "B09P754R7V": [{"asin": "B09P754R7V", "instruction": "i need a replacement remote control for the blue ray disk player.", "attributes": ["blu ray", "batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCJPPIW", "worker_id": "ASWFLI3N8X72G"}], "B07FPC4F39": [{"asin": "B07FPC4F39", "instruction": "i want a certified organic clear lip balm made with coconut oil.", "attributes": ["certified organic", "cruelty free", "hyaluronic acid", "coconut oil"], "options": ["color: clear"], "instruction_attributes": ["certified organic", "coconut oil"], "instruction_options": ["clear"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4IS51F", "worker_id": "ASWFLI3N8X72G"}], "B092PDJLH1": [{"asin": "B092PDJLH1", "instruction": "i would like a pair of size 10.5 dark brown cheetah clogs with a non slip rubber sole.", "attributes": ["day comfort", "non slip", "rubber sole"], "options": ["color: dark brown cheetah", "size: 10.5"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["dark brown cheetah", "10.5"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4823UPYB", "worker_id": "A1WS884SI0SLO4"}], "B086LGB4QV": [{"asin": "B086LGB4QV", "instruction": "i need a clear fine mist spray bottle for essential oils which is easy to carry during travel.", "attributes": ["easy carry", "fine mist"], "options": ["color: clear"], "instruction_attributes": ["easy carry", "fine mist"], "instruction_options": ["clear"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNWN8HF", "worker_id": "ASWFLI3N8X72G"}], "B0933MGT9J": [{"asin": "B0933MGT9J", "instruction": "i need an ultra hd security camera which comes with plug and play option.", "attributes": ["ultra hd", "plug play"], "options": [""], "instruction_attributes": ["ultra hd", "plug play"], "instruction_options": [], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK67VYYA", "worker_id": "ASWFLI3N8X72G"}], "B07T1GX1JY": [{"asin": "B07T1GX1JY", "instruction": "pick a pack of long lasting scented candles made of soy wax. it should be of teakwood color.", "attributes": ["lead free", "long lasting", "soy wax"], "options": ["color: teakwood", "size: 1 pack"], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": ["teakwood", "1 pack"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVPGKJC", "worker_id": "A1NF6PELRKACS9"}], "B08QGPCZDS": [{"asin": "B08QGPCZDS", "instruction": "i am looking for a 9.5 sized men's running shoes with synthetic sole . and i choose the 7-black red color", "attributes": ["synthetic sole", "daily wear"], "options": ["color: 7-black red", "size: 9.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["7-black red", "9.5"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OWHEY4", "worker_id": "A2COCSUGZV28X"}], "B071LLSKLF": [{"asin": "B071LLSKLF", "instruction": "hey, can you find me that high quality anti-aging cream that is a special blend made by dr. lancer? and please get the largest tube they make! if the tube comes in different colors, i want purple!", "attributes": ["anti aging", "long lasting", "plant based", "high quality"], "options": [""], "instruction_attributes": ["anti aging", "high quality"], "instruction_options": [], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1A79U6", "worker_id": "A1ZAK79QAHNW2J"}], "B08LNSS2L5": [{"asin": "B08LNSS2L5", "instruction": "i want a black fast charging and high speed usb cable.", "attributes": ["fast charging", "high speed"], "options": ["color: black", "size: 6ft+6ft+6ft"], "instruction_attributes": ["fast charging", "high speed"], "instruction_options": ["black"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSO4X0K", "worker_id": "A1NF6PELRKACS9"}], "B07WDTD26G": [{"asin": "B07WDTD26G", "instruction": "i am looking for steel frame coffee table in pewter color", "attributes": ["clear glass", "coated steel", "steel frame"], "options": ["color: pewter", "style name: nesting tables 20 in. + end table"], "instruction_attributes": ["steel frame"], "instruction_options": ["pewter"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163UPQPL", "worker_id": "A16M39T60N60NO"}], "B07N7TXD25": [{"asin": "B07N7TXD25", "instruction": "i'm looking for queen size and twin sized furniture need to buy it.", "attributes": ["queen size", "twin size"], "options": ["color: brown", "size: chair size (6 x 27 x 75)"], "instruction_attributes": ["queen size", "twin size"], "instruction_options": ["brown"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLYYYBG", "worker_id": "A16IQOX0DK14OJ"}], "B09SD6P473": [{"asin": "B09SD6P473", "instruction": "i'm looking for grocery snacks for make great and perfect gifts.", "attributes": ["great gift", "perfect gift"], "options": [""], "instruction_attributes": ["great gift", "perfect gift"], "instruction_options": [], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKKP1TB", "worker_id": "A16IQOX0DK14OJ"}], "B09K3WY267": [{"asin": "B09K3WY267", "instruction": "i'm looking for blankets the color was boho colorful geometric pattern decor.", "attributes": ["super soft", "machine washable"], "options": ["color: boho colorful geometric pattern decor", "size: 80x60 large for adult"], "instruction_attributes": ["machine washable"], "instruction_options": ["boho colorful geometric pattern decor"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68GQA4Q", "worker_id": "A16IQOX0DK14OJ"}], "B08YDYMV23": [{"asin": "B08YDYMV23", "instruction": "i want a quad core 7\" android kids tablet with iwawa ls, dc, bt, wifi etc", "attributes": ["high performance", "easy carry", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT061PUNV", "worker_id": "A1V2C99HEV3F14"}], "B08NTH3ZSF": [{"asin": "B08NTH3ZSF", "instruction": "i'm looking for a 2 in 1 hair masks that helps to heal damaged hair and also promotes hair growth, should contain argan oil.", "attributes": ["argan oil", "damaged hair", "hair growth"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE220GQ3", "worker_id": "AR0VJ5XRG16UJ"}], "B09H3ND94G": [{"asin": "B09H3ND94G", "instruction": "i am looking for a 32gb 1tb ssd pcle nvme m.2 size intel core minis.", "attributes": ["high resolution", "intel core"], "options": ["size: 32gb 1tb ssd pcle nvme m.2"], "instruction_attributes": ["intel core"], "instruction_options": ["32gb 1tb ssd pcle nvme m.2"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUUA7MCA", "worker_id": "A9QRQL9CFJBI7"}], "B08HLHJCV7": [{"asin": "B08HLHJCV7", "instruction": "find me a regular fitting short sleeved casual shirt with breathable-4 pockets-white in 4x-large sizing.", "attributes": ["machine washable", "hand wash", "short sleeve", "regular fit", "button closure"], "options": ["color: breathable-4 pockets-white", "size: 4x-large"], "instruction_attributes": [], "instruction_options": ["breathable-4 pockets-white"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q24GWS", "worker_id": "A3AYHESLQSDY5T"}], "B08FG98N4P": [{"asin": "B08FG98N4P", "instruction": "i'm looking for a 6ft usb to hdmi adapter cable.", "attributes": ["high performance", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMIIZID", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07TQZPJK8": [{"asin": "B07TQZPJK8", "instruction": "i am looking for disney frozen machine wash, heathers cotton kristoff olaf premium t-shirt for women", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: black", "fit type: women", "size: medium"], "instruction_attributes": ["machine wash", "heathers cotton"], "instruction_options": ["women"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXXCYMF", "worker_id": "AX2EWYWZM19AZ"}], "B09JS19BSF": [{"asin": "B09JS19BSF", "instruction": "i'm looking for a tablet with a high performance 8 inch screen", "attributes": ["high performance", "non slip", "quad core"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB99L8NF", "worker_id": "A2Y2TURT2VEYZN"}], "B01FV5KX2S": [{"asin": "B01FV5KX2S", "instruction": "i'm looking for organic, gluten free dutch cocoa chocolate sauce with a syrup pump", "attributes": ["certified organic", "hand crafted", "non gmo", "gluten free"], "options": ["flavor name: organic simply sugar", "size: 25.4 fl oz (pack of 1)", "style: syrup pump"], "instruction_attributes": ["gluten free"], "instruction_options": ["syrup pump"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZUX40C", "worker_id": "A292TFDMNVS0TP"}, {"asin": "B01FV5KX2S", "instruction": "i would like one organic raspberry syrup pump that is certified organic.", "attributes": ["certified organic", "hand crafted", "non gmo", "gluten free"], "options": ["flavor name: organic raspberry", "size: pack of 1", "style: syrup pump"], "instruction_attributes": ["certified organic"], "instruction_options": ["organic raspberry", "pack of 1", "syrup pump"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVPZXLJ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01FV5KX2S", "instruction": "i need dark chocolate organic syrup", "attributes": ["certified organic", "hand crafted", "non gmo", "gluten free"], "options": ["flavor name: organic dutch cocoa dark chocolate", "size: pack of 1", "style: syrup"], "instruction_attributes": ["certified organic"], "instruction_options": ["organic dutch cocoa dark chocolate"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVF9V8B", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01FV5KX2S", "instruction": "i would like a peach syrup that is organic", "attributes": ["certified organic", "hand crafted", "non gmo", "gluten free"], "options": ["flavor name: organic peach", "size: 25.4 fl oz (pack of 1)", "style: syrup"], "instruction_attributes": ["certified organic"], "instruction_options": ["organic peach"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLO207OS", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01FV5KX2S", "instruction": "i would like a 25.4 fluid ounce bottle of chocolate syrup made with non gmo organic candy cane mint.", "attributes": ["certified organic", "hand crafted", "non gmo", "gluten free"], "options": ["flavor name: organic candy cane mint", "size: 25.4 fl oz (pack of 1)", "style: syrup"], "instruction_attributes": ["non gmo"], "instruction_options": ["organic candy cane mint", "25.4 fl oz (pack of 1)", "syrup"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH152UWHK", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01FV5KX2S", "instruction": "i'm looking for a pack of three non-gmo organic flavor syrups with a pump. look for the pumpkin pie spice flavor.", "attributes": ["certified organic", "hand crafted", "non gmo", "gluten free"], "options": ["flavor name: organic pumpkin pie spice", "size: pack of 3", "style: syrup pump"], "instruction_attributes": ["certified organic", "non gmo"], "instruction_options": ["organic pumpkin pie spice", "pack of 3", "syrup pump"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q2XWG1", "worker_id": "AR9AU5FY1S3RO"}], "B098JPBMPP": [{"asin": "B098JPBMPP", "instruction": "i'm looking for clothing has long sleeve it was dry cleaned it was ed in color.", "attributes": ["loose fit", "wash cold", "hand wash", "machine wash", "long sleeve", "dry clean"], "options": ["color: 7-red", "size: medium"], "instruction_attributes": ["wash cold", "hand wash", "machine wash", "long sleeve", "dry clean"], "instruction_options": ["7-red"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20PA0ZU", "worker_id": "A16IQOX0DK14OJ"}], "B075FGY7G2": [{"asin": "B075FGY7G2", "instruction": "i'm looking for a 37 inch metal and wood platform bed frame with chestnut brown, queen by zinus suzanne", "attributes": ["twin size", "box spring", "solid wood", "steel frame"], "options": ["pattern name: bed frame + mattress, queen", "size: full", "style: 37 inch (chestnut brown)"], "instruction_attributes": ["box spring", "solid wood"], "instruction_options": ["bed frame + mattress, queen", "37 inch (chestnut brown)"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34LW416", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09QV7VDBX": [{"asin": "B09QV7VDBX", "instruction": "i am looking for a black color dust proof and heavy duty protection phone case cover for samsung galaxy s22.", "attributes": ["heavy duty", "dust proof", "case cover", "wireless charging"], "options": ["color: black"], "instruction_attributes": ["heavy duty", "dust proof", "case cover"], "instruction_options": ["black"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS3SVUC", "worker_id": "A1V2JTEEBCXR20"}], "B08NX177PT": [{"asin": "B08NX177PT", "instruction": "i'm looking for cellphone accessories for wireless charging.", "attributes": ["easy install", "tempered glass", "aluminum alloy", "wireless charging"], "options": ["color: green", "size: 12pro"], "instruction_attributes": ["easy install", "wireless charging"], "instruction_options": ["green"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K8H21R", "worker_id": "A16IQOX0DK14OJ"}], "B0989RT3L7": [{"asin": "B0989RT3L7", "instruction": "get me a slim fit hand washable black long sleeved men's suit's jacket in 4x size.", "attributes": ["slim fit", "hand wash", "long sleeve"], "options": ["color: black1", "size: 4x"], "instruction_attributes": ["slim fit", "hand wash", "long sleeve"], "instruction_options": ["black1", "4x"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3FRAY9", "worker_id": "A3AYHESLQSDY5T"}], "B08BXTQX6R": [{"asin": "B08BXTQX6R", "instruction": "i'm looking for a soft gray women's shirt.", "attributes": ["elastic waist", "relaxed fit", "short sleeve"], "options": ["color: soft grey", "size: 2x"], "instruction_attributes": ["short sleeve"], "instruction_options": ["soft grey"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQGXEKW", "worker_id": "A19317A3X87NVM"}], "B07WTW4X4R": [{"asin": "B07WTW4X4R", "instruction": "i am looking for dual band computers", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MJRLW4", "worker_id": "A16M39T60N60NO"}, {"asin": "B07WTW4X4R", "instruction": "i need dual band computer accessories.", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA73RMH0", "worker_id": "A2ECRNQ3X5LEXD"}], "B0777CTZF6": [{"asin": "B0777CTZF6", "instruction": "i would like a purple barstool that is easy to clean and assemble.", "attributes": ["easy clean", "easy assemble", "pu leather", "faux leather"], "options": ["color: purple"], "instruction_attributes": ["easy clean", "easy assemble"], "instruction_options": ["purple"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTMG5VL", "worker_id": "A1WS884SI0SLO4"}], "B09LM8RF2G": [{"asin": "B09LM8RF2G", "instruction": "i need a long lasting walnut curio cabinet with adjustable tempered glass to grace my room.", "attributes": ["long lasting", "tempered glass"], "options": ["color: walnut"], "instruction_attributes": ["long lasting", "tempered glass"], "instruction_options": ["walnut"], "assignment_id": "33TIN5LC0FKDY31374RC144TXYDY9O", "worker_id": "A39VVWV1GHLMFD"}], "B08XX95LLV": [{"asin": "B08XX95LLV", "instruction": "i would like a 6 pack of dental floss good for my oral hygiene.", "attributes": ["stainless steel", "oral hygiene"], "options": ["style: pack of 6, essential"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["pack of 6, essential"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5HXWI5", "worker_id": "A1WS884SI0SLO4"}], "B09FJCV7ZV": [{"asin": "B09FJCV7ZV", "instruction": "a throw pillow covers set for living room color natural-w", "attributes": ["exquisite workmanship", "living room"], "options": ["color: natural-w"], "instruction_attributes": ["living room"], "instruction_options": ["natural-w"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIST84N", "worker_id": "A3N9ZYQAESNFQH"}], "B082D3D9DW": [{"asin": "B082D3D9DW", "instruction": "i'm looking for a wall mobile bookshelf .", "attributes": ["exquisite workmanship", "solid wood", "living room"], "options": [""], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPGSV6Q", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09LQ8V928": [{"asin": "B09LQ8V928", "instruction": "i need wine colored winter warm boxers. pick something in wine color.", "attributes": ["winter warm", "fleece lined", "high waist", "tummy control", "polyester spandex"], "options": ["color: wine", "size: x-large"], "instruction_attributes": ["winter warm"], "instruction_options": ["wine", "x-large"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV153X4", "worker_id": "A1NF6PELRKACS9"}], "B097FGJ473": [{"asin": "B097FGJ473", "instruction": "i want a keto friendly, white chocolate spread which is sugar and gluten free.", "attributes": ["keto friendly", "low carb", "low sugar", "soy free", "sugar free", "non gmo", "gluten free"], "options": ["flavor name: white chocolate"], "instruction_attributes": ["keto friendly", "sugar free", "gluten free"], "instruction_options": ["white chocolate"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907SEAUB", "worker_id": "ASWFLI3N8X72G"}], "B07PW4KZBW": [{"asin": "B07PW4KZBW", "instruction": "i am looking for a posters & prints for living rooms", "attributes": ["ready hang", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34LC41M", "worker_id": "A9QRQL9CFJBI7"}], "B09KLCZPXR": [{"asin": "B09KLCZPXR", "instruction": "i am looking for easy to clean double sided velvet pads.", "attributes": ["double sided", "easy carry", "easy clean", "easy use"], "options": ["color: velvet"], "instruction_attributes": ["double sided", "easy clean"], "instruction_options": ["velvet"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OVWEYH", "worker_id": "A1EREKSZAA9V7B"}], "B09BK6K6XB": [{"asin": "B09BK6K6XB", "instruction": "find me a twin size bunk bed that's white and made from engineered wood.", "attributes": ["twin size", "white item", "engineered wood"], "options": ["color: spider-man tent", "size: white bunk bed", "style: bunk bed"], "instruction_attributes": ["twin size", "white item", "engineered wood"], "instruction_options": ["bunk bed"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIRW48K", "worker_id": "A2CJFO19NY4T5R"}], "B07C7KQQN9": [{"asin": "B07C7KQQN9", "instruction": "i need a slip resistant tactical boot with rubber soles. it should be in size 6.", "attributes": ["slip resistant", "moisture wicking", "rubber outsole", "rubber sole"], "options": ["size: 6"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["6"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH1QZ49", "worker_id": "A1NF6PELRKACS9"}], "B09R4JVD58": [{"asin": "B09R4JVD58", "instruction": "i would like a w35.4\" x l78.7\" hunter green window film that is easy to install.", "attributes": ["white item", "easy install"], "options": ["color: hunter and green 13", "size: w35.4\" x l78.7\""], "instruction_attributes": ["easy install"], "instruction_options": ["hunter and green 13", "w35.4\" x l78.7\""], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBAS6UN", "worker_id": "A1WS884SI0SLO4"}], "B0992DN2BK": [{"asin": "B0992DN2BK", "instruction": "i am looking for golden edge storage bench of faux leather for living room.", "attributes": ["faux leather", "living room"], "options": ["color: golden edge bench", "size: 35x35x35cm(14x14x14inch)"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["golden edge bench"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0Y6W4Y", "worker_id": "A9QRQL9CFJBI7"}], "B07BP14H9C": [{"asin": "B07BP14H9C", "instruction": "i'm looking for want to buy a camera for digital photography. it also easy to carry.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 10x8ft"], "instruction_attributes": ["easy carry", "digital photography"], "instruction_options": ["10x8ft"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06MXXKD", "worker_id": "A16IQOX0DK14OJ"}], "B09QD1G4JC": [{"asin": "B09QD1G4JC", "instruction": "i am looking for a long sleeve t-shirts of large size.", "attributes": ["loose fit", "long sleeve"], "options": ["color: \u720637 - black", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["large"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREO52JH", "worker_id": "A9QRQL9CFJBI7"}], "B09P1NQDFZ": [{"asin": "B09P1NQDFZ", "instruction": "i would like a extra large yellow button down shirt that is machine washable.", "attributes": ["loose fit", "hand wash", "daily casual", "light weight", "fleece lined", "wash cold", "machine wash", "long sleeve", "drawstring waist", "regular fit", "high waist"], "options": ["color: #06-yellow", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["#06-yellow", "x-large"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZSR3KG", "worker_id": "A1WS884SI0SLO4"}], "B09PG9R7TX": [{"asin": "B09PG9R7TX", "instruction": "i am looking for a 52x84inx2 panels for living room.", "attributes": ["exquisite workmanship", "living room"], "options": ["size: 52x84inx2"], "instruction_attributes": ["living room"], "instruction_options": ["52x84inx2"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGKH0O0", "worker_id": "A9QRQL9CFJBI7"}], "B07YMW9BYH": [{"asin": "B07YMW9BYH", "instruction": "i'm looking for a double size, super soft blanket. also, choose 90*90\" black colored one.", "attributes": ["double sided", "super soft"], "options": ["color: black", "size: 90x90\""], "instruction_attributes": ["double sided", "super soft"], "instruction_options": ["black", "90x90\""], "assignment_id": "3TR2532VI040LV46NXNX77Y3USX6JQ", "worker_id": "AR0VJ5XRG16UJ"}], "B09DVQY1RT": [{"asin": "B09DVQY1RT", "instruction": "i am looking for light fixture hanging pendant light with color is black-a", "attributes": ["easy install", "pendant light", "light fixture"], "options": ["color: black-a"], "instruction_attributes": ["pendant light", "light fixture"], "instruction_options": ["black-a"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP8ZD6I", "worker_id": "AX2EWYWZM19AZ"}], "B09285ZVMV": [{"asin": "B09285ZVMV", "instruction": "i want double horn bluetooth wireless speakers which is portable and easy to carry", "attributes": ["easy carry", "wireless bluetooth"], "options": ["color: double horn"], "instruction_attributes": ["easy carry", "wireless bluetooth"], "instruction_options": ["double horn"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TDEMNJ", "worker_id": "ASWFLI3N8X72G"}], "B094663P3J": [{"asin": "B094663P3J", "instruction": "i am looking for a 6 pack of cookie assortments which is keto friendly grain free and sugar free", "attributes": ["keto friendly", "grain free", "low carb", "sugar free", "natural ingredients"], "options": ["flavor name: peanut butter", "size: 6 pack"], "instruction_attributes": ["keto friendly", "grain free", "sugar free"], "instruction_options": ["6 pack"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVCV8V4", "worker_id": "A9QRQL9CFJBI7"}], "B09PC1WJBJ": [{"asin": "B09PC1WJBJ", "instruction": "i am looking for a long sleeved medium sized sweatshirt.", "attributes": ["slim fit", "long sleeve", "soft material", "daily wear"], "options": ["color: h05-white", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXK3WKV", "worker_id": "A1NF6PELRKACS9"}], "B06ZZ5ZNDQ": [{"asin": "B06ZZ5ZNDQ", "instruction": "my sister have natural hair in 15 inch", "attributes": ["stainless steel", "hair extensions", "natural hair"], "options": ["color: #4 | 8a", "size: 15 inch"], "instruction_attributes": ["natural hair"], "instruction_options": ["15 inch"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LW8DCC", "worker_id": "A226L9F2AZ38CL"}], "B005S4J2OS": [{"asin": "B005S4J2OS", "instruction": "i want a 10 ounce bottle of low calorie fries seasonings.", "attributes": ["low sugar", "low calorie", "ready eat", "kosher certified", "gluten free"], "options": ["size: 10 ounce (pack of 1)", "style: wild buffalo"], "instruction_attributes": ["low calorie"], "instruction_options": ["10 ounce (pack of 1)"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKLLVPZ", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B005S4J2OS", "instruction": "i want a ready to eat 9 ounce pack of fries seasoning bottle. it should be low in calories.", "attributes": ["low sugar", "low calorie", "ready eat", "kosher certified", "gluten free"], "options": ["size: 9 ounce (pack of 1)", "style: wild buffalo"], "instruction_attributes": ["low calorie", "ready eat"], "instruction_options": ["9 ounce (pack of 1)"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFHS5UL", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B005S4J2OS", "instruction": "i am really looking for a low sugar flame grilled bbq meat seasoning that comes in 8 ounces", "attributes": ["low sugar", "low calorie", "ready eat", "kosher certified", "gluten free"], "options": ["size: 8 ounce (pack of 1)", "style: flame grilled bbq"], "instruction_attributes": ["low sugar"], "instruction_options": ["8 ounce (pack of 1)", "flame grilled bbq"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCG6SJ8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08PG3FKPY": [{"asin": "B08PG3FKPY", "instruction": "i'm looking for open toe shoes for women's it was blue in color.", "attributes": ["open toe", "faux fur", "synthetic sole"], "options": ["color: blue", "size: 8"], "instruction_attributes": ["open toe"], "instruction_options": ["blue"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZLQ7CY", "worker_id": "A16IQOX0DK14OJ"}], "B00IHO11FE": [{"asin": "B00IHO11FE", "instruction": "i am looking for trader joe and chocolate covered blueberries", "attributes": ["trader joe", "chocolate covered"], "options": [""], "instruction_attributes": ["trader joe", "chocolate covered"], "instruction_options": [], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUT8QJ6", "worker_id": "AX2EWYWZM19AZ"}, {"asin": "B00IHO11FE", "instruction": "i would like a chocolate covered fruit from trader joes.", "attributes": ["trader joe", "chocolate covered"], "options": [""], "instruction_attributes": ["trader joe", "chocolate covered"], "instruction_options": [], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGT0CM7F", "worker_id": "A1WS884SI0SLO4"}], "B09QPKTKP6": [{"asin": "B09QPKTKP6", "instruction": "a men's winter warm loose fit made from quality polyester xx- large casual pant color: gray", "attributes": ["loose fit", "winter warm", "straight leg", "water resistant", "fleece lined", "slim fit", "quality polyester", "gym workout"], "options": ["color: gray", "size: xx-large"], "instruction_attributes": ["loose fit", "winter warm", "quality polyester"], "instruction_options": ["gray", "xx-large"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQFJJC8", "worker_id": "A3N9ZYQAESNFQH"}], "B09N9LKT3L": [{"asin": "B09N9LKT3L", "instruction": "i am looking for high definition high power pink colour portable bluetooth speakers", "attributes": ["high definition", "power amplifier", "high power"], "options": ["color: pink"], "instruction_attributes": ["high definition", "high power"], "instruction_options": ["pink"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI83OSS1", "worker_id": "A3N9ZYQAESNFQH"}], "B082W1GZVL": [{"asin": "B082W1GZVL", "instruction": "i am looking for leak proof soap dispenser. please select white one.", "attributes": ["leak proof", "travel bottles"], "options": ["color: white", "size: 250ml"], "instruction_attributes": ["leak proof"], "instruction_options": ["white"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A1DHFK", "worker_id": "A3FG5PQHG5AH3Y"}], "B091N91BZ8": [{"asin": "B091N91BZ8", "instruction": "i am looking for a white power dental flossers for bad breath.", "attributes": ["leak proof", "bad breath"], "options": ["color: white"], "instruction_attributes": ["bad breath"], "instruction_options": ["white"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CDR0VF", "worker_id": "A9QRQL9CFJBI7"}], "B09LMC456K": [{"asin": "B09LMC456K", "instruction": "i'm looking for bench it can easily assemble a living room.", "attributes": ["heavy duty", "easy assemble", "storage space", "pu leather", "living room"], "options": ["color: pink"], "instruction_attributes": ["easy assemble", "living room"], "instruction_options": ["pink"], "assignment_id": "326O153BMT8RVOXTJJKKGXV3683EDO", "worker_id": "A16IQOX0DK14OJ"}], "B09LYMF164": [{"asin": "B09LYMF164", "instruction": "i am looking for an easy to use yellow children's toothbrush.", "attributes": ["teeth whitening", "easy use"], "options": ["color: yellow", "size: 2-6 year"], "instruction_attributes": ["easy use"], "instruction_options": ["yellow"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5G3IWV", "worker_id": "A1EREKSZAA9V7B"}], "B07ZXMXZF6": [{"asin": "B07ZXMXZF6", "instruction": "i'm looking for a tea bags which is sugar free and gluten free and also of good quality ingredients. also choose a pack of 1 weights 1.32 ounce, coconut with green tea flavored one.", "attributes": ["sugar free", "non gmo", "gluten free", "quality ingredients"], "options": ["flavor name: coconut with green tea", "size: 1.32 ounce (pack of 1)"], "instruction_attributes": ["sugar free", "gluten free", "quality ingredients"], "instruction_options": ["coconut with green tea", "1.32 ounce (pack of 1)"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MK9LWO", "worker_id": "AR0VJ5XRG16UJ"}], "B00VC3681O": [{"asin": "B00VC3681O", "instruction": "i am searching for individually wrapped gummy candies.", "attributes": ["individually wrapped", "party supplies"], "options": [""], "instruction_attributes": ["individually wrapped"], "instruction_options": [], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFFWU5A", "worker_id": "A9ZM1P6LBW79"}], "B08PL59YNK": [{"asin": "B08PL59YNK", "instruction": "i want a long lasting comforter that is super soft and paw patrol colored.", "attributes": ["twin size", "super soft", "long lasting"], "options": ["color: paw patrol", "size: 5 piece twin size"], "instruction_attributes": ["super soft", "long lasting"], "instruction_options": ["paw patrol"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOKSF0X", "worker_id": "A1NF6PELRKACS9"}], "B09KY9P8CD": [{"asin": "B09KY9P8CD", "instruction": "i'm looking for nail polish for nail art to make our nail look beautiful.", "attributes": ["long lasting", "nail polish", "nail art"], "options": ["color: pink"], "instruction_attributes": ["nail polish", "nail art"], "instruction_options": ["pink"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1AXU9H", "worker_id": "A16IQOX0DK14OJ"}], "B09NXV65LV": [{"asin": "B09NXV65LV", "instruction": "i am looking for a long sleeve jumpsuits of 001-red.", "attributes": ["hand wash", "slim fit", "long sleeve", "dry clean"], "options": ["color: 001-red", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["001-red"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8WR8GX", "worker_id": "A9QRQL9CFJBI7"}], "B094W12V1M": [{"asin": "B094W12V1M", "instruction": "i'm looking for a nightstand with tempered glass for living room, size 19.7x11.8x23\" in retro brown color", "attributes": ["easy assemble", "tempered glass", "storage space", "living room"], "options": ["color: retro brown", "size: 19.7\"x11.8\"x23.6\""], "instruction_attributes": ["tempered glass", "living room"], "instruction_options": ["retro brown", "19.7\"x11.8\"x23.6\""], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOFULLO", "worker_id": "A2Y2TURT2VEYZN"}], "B099RSZNWJ": [{"asin": "B099RSZNWJ", "instruction": "i am looking for a fully cooked bow-tie of spaghetti pasta flavor", "attributes": ["fully cooked", "ready eat"], "options": ["flavor name: spaghetti pasta"], "instruction_attributes": ["fully cooked"], "instruction_options": ["spaghetti pasta"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GEIUZV", "worker_id": "A9QRQL9CFJBI7"}], "B07VJLBD4J": [{"asin": "B07VJLBD4J", "instruction": "i am looking for gluten free turquoise edible glitter for cakes.", "attributes": ["kosher certified", "dairy free", "gluten free"], "options": ["color: turquoise", "size: 454g (1lb)"], "instruction_attributes": ["gluten free"], "instruction_options": ["turquoise"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1LGITY", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07VJLBD4J", "instruction": "i need a one pound bag of pink glitter that is kosher.", "attributes": ["kosher certified", "dairy free", "gluten free"], "options": ["color: deep pink", "size: 454g (1lb)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["deep pink", "454g (1lb)"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G76A47F", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GQ711QJ": [{"asin": "B07GQ711QJ", "instruction": "i'm looking for a waterproof carrying case that can help secure my binoculars while bird watching.", "attributes": ["carrying case", "bird watching"], "options": [""], "instruction_attributes": ["carrying case", "bird watching"], "instruction_options": [], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH2E6HA", "worker_id": "A1HMZJ59OPLD1P"}], "B09LM1WPPS": [{"asin": "B09LM1WPPS", "instruction": "i'm looking for made a cup cakes for birthday parties.", "attributes": ["cupcake picks", "party supplies", "baby shower", "birthday party"], "options": ["style: rose gold hello 2022"], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": ["rose gold hello 2022"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGTZYM7Z", "worker_id": "A16IQOX0DK14OJ"}], "B08L5716H4": [{"asin": "B08L5716H4", "instruction": "i am looking for lake blue ridge parkway artwork-14 paintings for living room and its size is 48''wx24''h", "attributes": ["ready hang", "living room"], "options": ["color: artwork-14", "size: 48''wx24''h"], "instruction_attributes": ["living room"], "instruction_options": ["artwork-14", "48''wx24''h"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69NFP8J", "worker_id": "A258PTOZ3D2TQR"}], "B075WR97Q1": [{"asin": "B075WR97Q1", "instruction": "i'm looking for a standard plug and play computer mouse that is wired, preferably black.", "attributes": ["compatible apple", "plug play"], "options": ["color: gmaergbt15 black", "size: wired"], "instruction_attributes": ["plug play"], "instruction_options": ["gmaergbt15 black", "wired"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUBDMRJ", "worker_id": "A3EDFA8UQT5GG8"}], "B001EAYN44": [{"asin": "B001EAYN44", "instruction": "i want to buy a bronze wall scone with a bronze finish also. i would like it in the large size.", "attributes": ["bronze finish", "glass shade"], "options": ["color: bronze", "size: large", "style: flush mount"], "instruction_attributes": ["bronze finish"], "instruction_options": ["bronze", "large"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W9UUO6", "worker_id": "AHXHM1PQTRWIQ"}], "B098VVZ7F7": [{"asin": "B098VVZ7F7", "instruction": "show me a day comfort knee high open toe z8-khaki open toe boots in 5.5 size made with quality materials.", "attributes": ["knee high", "day comfort", "open toe", "quality materials"], "options": ["color: z8-khaki", "size: 5.5"], "instruction_attributes": ["knee high", "day comfort", "open toe"], "instruction_options": ["z8-khaki", "5.5"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WPCQWW", "worker_id": "A3AYHESLQSDY5T"}], "B073RG7HYZ": [{"asin": "B073RG7HYZ", "instruction": "i need high quality hair extensions that are 18 inches in size.", "attributes": ["high quality", "hair extensions"], "options": ["color: #bala8 | 60", "size: 18 inch (pack of 1)"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["18 inch (pack of 1)"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQDVS6H", "worker_id": "A1NF6PELRKACS9"}], "B07CMBP6W2": [{"asin": "B07CMBP6W2", "instruction": "i'm interested in this product, show me eye makeup remover, earth science, 4 fl oz (pack of 1), with green tea, hyaluronic acid.", "attributes": ["alcohol free", "fragrance free", "eco friendly", "cruelty free", "green tea", "hyaluronic acid", "natural ingredients"], "options": ["size: 4 fl oz (pack of 1)"], "instruction_attributes": ["green tea", "hyaluronic acid"], "instruction_options": ["4 fl oz (pack of 1)"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C5HPH8", "worker_id": "A15IJ20C3R4HUO"}], "B07KYK1KCK": [{"asin": "B07KYK1KCK", "instruction": "i'm looking for a usb rechargeable lithium d batteries.", "attributes": ["fast charging", "usb port"], "options": ["size: d cell 2 pack"], "instruction_attributes": ["usb port"], "instruction_options": ["d cell 2 pack"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VGK8EO", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09MF9SMHM": [{"asin": "B09MF9SMHM", "instruction": "i am looking for black-1029 coaxial cable for smart tv.", "attributes": ["easy install", "high definition", "coaxial cable", "4g lte"], "options": ["color: us flag", "size: black-1029"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["black-1029"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR48AUFR", "worker_id": "A3FG5PQHG5AH3Y"}], "B01HJW66RW": [{"asin": "B01HJW66RW", "instruction": "i am looking for gold plated cables with size of 8 feet", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["product packaging: 1 pack", "size: 8 feet (5-pack)", "style: hdmi male to male"], "instruction_attributes": ["gold plated"], "instruction_options": ["8 feet (5-pack)"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUJYZVS", "worker_id": "A16M39T60N60NO"}], "B07DDDHX7J": [{"asin": "B07DDDHX7J", "instruction": "i would like a small midweight beige thermal underwear top that has long sleeves.", "attributes": ["fleece lined", "nylon spandex", "tummy control", "high waist", "long sleeve"], "options": ["color: 3. heavyweight beige 1 top", "size: small", "special size: 200 - midweight"], "instruction_attributes": ["long sleeve"], "instruction_options": ["3. heavyweight beige 1 top", "small", "200 - midweight"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V5F2UR", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07DDDHX7J", "instruction": "i want a small fleece lined long sleeve crew neck shirt.", "attributes": ["fleece lined", "nylon spandex", "tummy control", "high waist", "long sleeve"], "options": ["color: 1. lightweight dark heather gray 1 top", "size: small", "special size: 300 - heavyweight"], "instruction_attributes": ["fleece lined"], "instruction_options": ["small"], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVY3KDIA", "worker_id": "A2RBF3IIJP15IH"}], "B09FQ8GYM5": [{"asin": "B09FQ8GYM5", "instruction": "find me a long sleeve top for my teenage girl. she is x-large.", "attributes": ["long sleeve", "teen girls"], "options": ["color: 4-gray", "size: x-large"], "instruction_attributes": ["long sleeve", "teen girls"], "instruction_options": ["x-large"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT8L738", "worker_id": "A1NF6PELRKACS9"}], "B01N96L9BB": [{"asin": "B01N96L9BB", "instruction": "i am looking for cal 100w eupen metal adjustable floor lamp with assembly required", "attributes": ["assembly required", "bronze finish"], "options": [""], "instruction_attributes": ["assembly required"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZMD1Y6", "worker_id": "AX2EWYWZM19AZ"}], "B075Q4N3T7": [{"asin": "B075Q4N3T7", "instruction": "i am looking for men\u2019s running shoes size 10 which are light weight and slip resisistance.", "attributes": ["light weight", "slip resistant"], "options": ["color: light green", "size: 10"], "instruction_attributes": ["light weight", "slip resistant"], "instruction_options": ["10"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K8V124", "worker_id": "AHU9OLV0YKIIW"}], "B01HYA8V86": [{"asin": "B01HYA8V86", "instruction": "i'm looking for hair products to white strong spray for hair loss products. it can very easy method.", "attributes": ["easy apply", "hair loss"], "options": ["color: white + strong spray"], "instruction_attributes": ["easy apply", "hair loss"], "instruction_options": ["white + strong spray"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX3YIU1H", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B01HYA8V86", "instruction": "i am looking for hair building fibers that are light brown for hair loss.", "attributes": ["easy apply", "hair loss"], "options": ["color: light brown + strong spray"], "instruction_attributes": ["hair loss"], "instruction_options": ["light brown + strong spray"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LFWSPS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CM2NX9N": [{"asin": "B09CM2NX9N", "instruction": "i am looking for non toxic storage case for for travel usage", "attributes": ["non toxic", "storage case"], "options": [""], "instruction_attributes": ["non toxic", "storage case"], "instruction_options": [], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YRP8TY", "worker_id": "A16M39T60N60NO"}], "B07GXYHZ2D": [{"asin": "B07GXYHZ2D", "instruction": "i am looking for apple ipad mini 4, 1080p hd and color is silver", "attributes": ["1080p hd", "quad core"], "options": ["color: silver", "size: 128gb wifi + cellular"], "instruction_attributes": ["1080p hd"], "instruction_options": ["silver"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZWFAND", "worker_id": "AX2EWYWZM19AZ"}], "B095J6KZYR": [{"asin": "B095J6KZYR", "instruction": "i'm looking for a ten pack of dairy free, non-gmo plant based sausage breakfast sandwiches.", "attributes": ["plant based", "dairy free", "non gmo"], "options": ["flavor name: veggie", "size: 5.5 ounce (pack of 10)"], "instruction_attributes": ["plant based", "dairy free", "non gmo"], "instruction_options": ["veggie", "5.5 ounce (pack of 10)"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LMX09Q", "worker_id": "AR9AU5FY1S3RO"}], "B01LK0PRUQ": [{"asin": "B01LK0PRUQ", "instruction": "i am looking for fine mist women fragrance.", "attributes": ["design house", "long lasting", "fine mist"], "options": [""], "instruction_attributes": ["fine mist"], "instruction_options": [], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7JHN5P", "worker_id": "A3FG5PQHG5AH3Y"}], "B00EF4G6FK": [{"asin": "B00EF4G6FK", "instruction": "i am looking for a black home office desk chairs for lumbar support.", "attributes": ["heavy duty", "easy assemble", "lumbar support"], "options": ["color: black"], "instruction_attributes": ["lumbar support"], "instruction_options": ["black"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPA3ROC", "worker_id": "A9QRQL9CFJBI7"}], "B08R6XR5DF": [{"asin": "B08R6XR5DF", "instruction": "i am looking for a z-5 green long sleeve women clothing", "attributes": ["machine wash", "slim fit", "long sleeve", "gym workout"], "options": ["color: z-5 green", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["z-5 green"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP62RVDU", "worker_id": "A9QRQL9CFJBI7"}], "B09LDC4N41": [{"asin": "B09LDC4N41", "instruction": "i would like a pair of size 9 grey snow boots that are water resistant.", "attributes": ["water resistant", "winter warm", "light weight", "anti slip", "rubber sole"], "options": ["color: grey", "size: 9"], "instruction_attributes": ["water resistant"], "instruction_options": ["grey", "9"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7YE5PZ", "worker_id": "A1WS884SI0SLO4"}], "B08L1WD434": [{"asin": "B08L1WD434", "instruction": "i'm looking for furniture for kitchen a buy a desk for home office and coated steel and need buy it.", "attributes": ["heavy duty", "easy clean", "coated steel"], "options": ["color: vintage and black", "size: 31 inch"], "instruction_attributes": ["easy clean", "coated steel"], "instruction_options": ["vintage and black"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNSWJF4", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08L1WD434", "instruction": "i need 55 inch , teak color and easy clean modern simple style desk for home office", "attributes": ["heavy duty", "easy clean", "coated steel"], "options": ["color: teak", "size: 55 inch"], "instruction_attributes": ["easy clean"], "instruction_options": ["teak", "55 inch"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4XALPG0", "worker_id": "A258PTOZ3D2TQR"}], "B09MCNYCH1": [{"asin": "B09MCNYCH1", "instruction": "i'm looking for multi colored home decor products.", "attributes": ["eco friendly", "living room"], "options": ["color: multi-01563", "size: 17.7\" x 35.4\" x 2 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["multi-01563"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LCW1OD", "worker_id": "A16IQOX0DK14OJ"}], "B07MBZTLVJ": [{"asin": "B07MBZTLVJ", "instruction": "i would like a bundle set of earbud headphones that are water resistant.", "attributes": ["water resistant", "high performance", "easy use"], "options": ["size: bundle"], "instruction_attributes": ["water resistant"], "instruction_options": ["bundle"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBAL6UG", "worker_id": "A1WS884SI0SLO4"}], "B095NN1RHK": [{"asin": "B095NN1RHK", "instruction": "i am looking for hair trimmer for beauty salon.", "attributes": ["easy use", "non slip", "easy clean", "beauty salon", "hair cutting"], "options": [""], "instruction_attributes": ["beauty salon"], "instruction_options": [], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXN6Z2P", "worker_id": "A3FG5PQHG5AH3Y"}], "B08T1RWS5Q": [{"asin": "B08T1RWS5Q", "instruction": "i need a pair of nice indigo pants for hand wash only.", "attributes": ["hand wash", "elastic closure", "elastic waist", "tumble dry"], "options": ["color: blue fish", "size: one size"], "instruction_attributes": ["hand wash"], "instruction_options": ["blue fish"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTP4TKJ", "worker_id": "A19317A3X87NVM"}], "B07TXLYSRV": [{"asin": "B07TXLYSRV", "instruction": "i'm looking for temporary tattoos for women's and it was sensitive skin and it also with dry skin.", "attributes": ["easy apply", "non toxic", "long lasting", "high quality", "coconut oil", "dry skin", "sensitive skin"], "options": ["pattern name: white henna"], "instruction_attributes": ["easy apply", "long lasting", "coconut oil", "dry skin", "sensitive skin"], "instruction_options": ["white henna"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SWMUDA", "worker_id": "A16IQOX0DK14OJ"}], "B07CRQD2HF": [{"asin": "B07CRQD2HF", "instruction": "looking for women's plus size fineline denim jegging which is machine washable and have regular fit and colour must be radiant purple", "attributes": ["machine wash", "elastic waistband", "regular fit"], "options": ["color: radiant purple", "size: 30 plus petite"], "instruction_attributes": ["machine wash", "regular fit"], "instruction_options": ["radiant purple"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP6SAO0", "worker_id": "A10OGH5CQBXL5N"}], "B09PLGRKBR": [{"asin": "B09PLGRKBR", "instruction": "i want long lasting eye shadow in color c.", "attributes": ["long lasting", "highly pigmented", "eye shadow"], "options": ["color: c"], "instruction_attributes": ["long lasting", "eye shadow"], "instruction_options": ["c"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTF9N9P", "worker_id": "A1NF6PELRKACS9"}], "B07J5S57B9": [{"asin": "B07J5S57B9", "instruction": "i want a desktop computer with intel quad core i5 processor.", "attributes": ["core i5", "quad core"], "options": [""], "instruction_attributes": ["core i5", "quad core"], "instruction_options": [], "assignment_id": "37M28K1J01N18XG9DA49NC0PQCFJAN", "worker_id": "ASWFLI3N8X72G"}], "B07R5C65BW": [{"asin": "B07R5C65BW", "instruction": "i am looking for a low fat low calorie jerky", "attributes": ["low fat", "low calorie"], "options": [""], "instruction_attributes": ["low fat", "low calorie"], "instruction_options": [], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AR5WBO", "worker_id": "A9QRQL9CFJBI7"}], "B09FQ693YW": [{"asin": "B09FQ693YW", "instruction": "i am looking for a round w | glass top coffee tables for living room.", "attributes": ["mid century", "space saving", "living room"], "options": ["color: espresso", "size: round w | glass top"], "instruction_attributes": ["living room"], "instruction_options": ["round w | glass top"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZBZWUQ", "worker_id": "A9QRQL9CFJBI7"}], "B00LYHHE7A": [{"asin": "B00LYHHE7A", "instruction": "i am looking for chocolate covered cream bon in a 8 ounce, holly box", "attributes": ["chocolate covered", "great gift"], "options": ["flavor: holly box", "size: 8 ounce"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["holly box", "8 ounce"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0T3ACZ", "worker_id": "A258PTOZ3D2TQR"}], "B093YVQFH4": [{"asin": "B093YVQFH4", "instruction": "i'm looking for a laundry bag", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMXXG22", "worker_id": "A2Y2TURT2VEYZN"}], "B09H6ZRY27": [{"asin": "B09H6ZRY27", "instruction": "i'm looking for skin care for lip care products want to buy.", "attributes": ["easy carry", "long lasting", "fine lines"], "options": [""], "instruction_attributes": ["easy carry", "long lasting"], "instruction_options": [], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OPF99X", "worker_id": "A16IQOX0DK14OJ"}], "B07GW6PTJN": [{"asin": "B07GW6PTJN", "instruction": "looking for bamboo toothbrush with charcoal bristles", "attributes": ["eco friendly", "bpa free", "cruelty free"], "options": ["color: kids! soft - flat - charcoal bristles", "size: 1 count (pack of 1)"], "instruction_attributes": ["eco friendly"], "instruction_options": ["kids! soft - flat - charcoal bristles"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3K7YRZ", "worker_id": "A10OGH5CQBXL5N"}], "B009GUNDTU": [{"asin": "B009GUNDTU", "instruction": "i want high performance 6 ft usb 2.0 male to male cable color black", "attributes": ["gold plated", "high performance"], "options": ["color: black", "pattern name: cable + 6ft usb 2.0 a male to b male cable", "size: 10 feet"], "instruction_attributes": ["high performance"], "instruction_options": ["black", "cable + 6ft usb 2.0 a male to b male cable"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTQR4VL", "worker_id": "A3N9ZYQAESNFQH"}], "B077JT9MWC": [{"asin": "B077JT9MWC", "instruction": "i am looking for leak proof travel bottle. please choose pack of 50.", "attributes": ["bpa free", "leak proof", "non toxic", "long lasting", "travel bottles"], "options": ["color: clear", "size: pack of 50"], "instruction_attributes": ["leak proof", "travel bottles"], "instruction_options": ["pack of 50"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRSPZBV", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B077JT9MWC", "instruction": "i'm looking for a pack of 96 eight-ounce amber-colored travel bottles that are bpa free.", "attributes": ["bpa free", "leak proof", "non toxic", "long lasting", "travel bottles"], "options": ["color: amber", "size: pack of 96"], "instruction_attributes": ["bpa free", "travel bottles"], "instruction_options": ["amber", "pack of 96"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZJN7CR", "worker_id": "A345TDMHP3DQ3G"}], "B0928MYN4B": [{"asin": "B0928MYN4B", "instruction": "i'm looking for black colored round table accent table for bedroom uses.", "attributes": ["non slip", "space saving", "easy clean", "easy assemble", "solid wood", "living room"], "options": ["color: black walnut"], "instruction_attributes": ["easy clean", "living room"], "instruction_options": ["black walnut"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HY41DV", "worker_id": "A16IQOX0DK14OJ"}], "B00XS4M5NU": [{"asin": "B00XS4M5NU", "instruction": "i am looking for a wild orchid round lip gross which is cruelty free.", "attributes": ["cruelty free", "highly pigmented"], "options": ["color: wild orchid"], "instruction_attributes": ["cruelty free"], "instruction_options": ["wild orchid"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR4BA0B", "worker_id": "AHU9OLV0YKIIW"}], "B09Q91CSQW": [{"asin": "B09Q91CSQW", "instruction": "i'm looking for open toe pillow slippers for need to buy it.", "attributes": ["open toe", "knee high", "high heel", "ankle strap", "closed toe"], "options": ["color: p-aa-khaki", "size: 6.5"], "instruction_attributes": ["open toe", "knee high", "high heel"], "instruction_options": ["p-aa-khaki"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC6V0DO", "worker_id": "A16IQOX0DK14OJ"}], "B083FWFFZ9": [{"asin": "B083FWFFZ9", "instruction": "i'm looking for hair removal for women's for rose gold it easy to use.", "attributes": ["rose gold", "hair growth"], "options": [""], "instruction_attributes": ["rose gold"], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR3CA0A", "worker_id": "A16IQOX0DK14OJ"}], "B00BPBCHEU": [{"asin": "B00BPBCHEU", "instruction": "i'm looking for a pack of towelette deodorant long lasting with 10 in sensitive scent", "attributes": ["anti perspirant", "long lasting", "tea tree"], "options": ["scent: sensitive", "size: 10 count (pack of 1)"], "instruction_attributes": ["long lasting"], "instruction_options": ["sensitive", "10 count (pack of 1)"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB15WULY", "worker_id": "A2Y2TURT2VEYZN"}], "B08LNWS2QJ": [{"asin": "B08LNWS2QJ", "instruction": "i am looking for an assorted chocolate gift set that i can present to a friend.", "attributes": ["individually wrapped", "gift set", "great gift"], "options": [""], "instruction_attributes": ["gift set"], "instruction_options": [], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK673YYI", "worker_id": "AHXHM1PQTRWIQ"}], "B09QHR4TMP": [{"asin": "B09QHR4TMP", "instruction": "i am looking for long lasting disney cinderella kids 3.4oz edt spray", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS22VUK", "worker_id": "AX2EWYWZM19AZ"}], "B000YOU23C": [{"asin": "B000YOU23C", "instruction": "i'm looking for a cruelty free certified body wash which is made of natural ingredients for dry skin. also, choose pack of 1 with 16 fl oz one.", "attributes": ["cruelty free", "natural ingredients", "dry skin"], "options": ["size: 16 fl oz (pack of 1)"], "instruction_attributes": ["cruelty free", "natural ingredients", "dry skin"], "instruction_options": ["16 fl oz (pack of 1)"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJNFO92", "worker_id": "AR0VJ5XRG16UJ"}], "B092VTRBLX": [{"asin": "B092VTRBLX", "instruction": "i need a black colored shower sponge with a long handle.", "attributes": ["easy clean", "long handle"], "options": ["style: black 60g"], "instruction_attributes": ["long handle"], "instruction_options": ["black 60g"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3NLZL2", "worker_id": "A19317A3X87NVM"}], "B081YY68XK": [{"asin": "B081YY68XK", "instruction": "i would like some 54w x 29l rose straight leg jeans.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: the rose (waterless)", "size: 54w x 29l"], "instruction_attributes": ["straight leg"], "instruction_options": ["the rose (waterless)", "54w x 29l"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1MAEGTY", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B081YY68XK", "instruction": "i am looking for men's jeans of unleaded medium indigo color that is machine washable.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: unleaded - medium indigo", "size: 66w x 30l"], "instruction_attributes": ["machine wash"], "instruction_options": ["unleaded - medium indigo"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK22UIM", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B081YY68XK", "instruction": "i would like some straight leg jeans that are a size 52w by 28l", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: the ben", "size: 52w x 28l"], "instruction_attributes": ["straight leg"], "instruction_options": ["52w x 28l"], "assignment_id": "31JLPPHS254FPN8LK8H48035JVMO32", "worker_id": "A2ECRNQ3X5LEXD"}], "B09BJFKS2R": [{"asin": "B09BJFKS2R", "instruction": "i'm looking for skin care products that color black i need to buy.", "attributes": ["easy carry", "easy use"], "options": ["color: black"], "instruction_attributes": ["easy carry", "easy use"], "instruction_options": ["black"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTEZ5D7", "worker_id": "A16IQOX0DK14OJ"}], "B08SJ52X11": [{"asin": "B08SJ52X11", "instruction": "i'm looking for assembly required for home office chairs with wheels and it want to buy it.", "attributes": ["assembly required", "lumbar support"], "options": ["color: blue"], "instruction_attributes": ["assembly required", "lumbar support"], "instruction_options": ["blue"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWY3C1H", "worker_id": "A16IQOX0DK14OJ"}], "B00PG32AZO": [{"asin": "B00PG32AZO", "instruction": "i'm looking for 3.17 ounce coconut chips with tropical mango flavor and it should be soy free", "attributes": ["non gmo", "gluten free", "soy free", "plant based"], "options": ["flavor name: tropical mango", "size: 3.17 ounce (pack of 12)"], "instruction_attributes": ["soy free"], "instruction_options": ["tropical mango", "3.17 ounce (pack of 12)"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7WPUCP", "worker_id": "A1Q0EUNCS50S8M"}], "B08R3MDTTQ": [{"asin": "B08R3MDTTQ", "instruction": "i am looking for an easy to install iphone 12 case with a butterfly orchid design on it.", "attributes": ["easy install", "wireless charging"], "options": ["color: butterfly orchid"], "instruction_attributes": ["easy install"], "instruction_options": ["butterfly orchid"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC0YYZY", "worker_id": "AJDQGOTMB2D80"}], "B0993BSYGB": [{"asin": "B0993BSYGB", "instruction": "i need a dust proof carrying case for my vr head set.", "attributes": ["dust proof", "carrying case"], "options": [""], "instruction_attributes": ["dust proof", "carrying case"], "instruction_options": [], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVY09IDY", "worker_id": "A1NF6PELRKACS9"}], "B07TK36W5Z": [{"asin": "B07TK36W5Z", "instruction": "i am looking for a sulfate & paraben free shampoo", "attributes": ["paraben free", "sulfate free", "cruelty free", "argan oil", "sensitive skin"], "options": ["size: shampoo"], "instruction_attributes": ["paraben free", "sulfate free"], "instruction_options": ["shampoo"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P751SVL", "worker_id": "A9QRQL9CFJBI7"}], "B00MG4X33Y": [{"asin": "B00MG4X33Y", "instruction": "i need a king size bed with faux leather upholstery. pick one in dark brown.", "attributes": ["faux leather", "king size", "contemporary design", "box spring"], "options": ["color: dark brown", "size: full"], "instruction_attributes": ["faux leather", "king size"], "instruction_options": ["dark brown"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYPJN7B", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B00MG4X33Y", "instruction": "i am looking for a contemporary designed california king faux leather bed.", "attributes": ["faux leather", "king size", "contemporary design", "box spring"], "options": ["color: grey", "size: california king"], "instruction_attributes": ["faux leather", "contemporary design"], "instruction_options": ["california king"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7V1P50", "worker_id": "A2KW17G25L25R8"}], "B0851J4RR2": [{"asin": "B0851J4RR2", "instruction": "i'm looking for pink colored rectangular kitchen rugs for dinning table.", "attributes": ["dining room", "living room"], "options": ["color: pink", "item shape: rectangular", "size: 5 ft"], "instruction_attributes": ["dining room"], "instruction_options": ["pink", "rectangular"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN0MPTU", "worker_id": "A16IQOX0DK14OJ"}], "B09DV92FT3": [{"asin": "B09DV92FT3", "instruction": "i am looking for a medium long sleeve shirts for men", "attributes": ["winter warm", "slim fit", "daily casual", "light weight", "fleece lined", "short sleeve", "long sleeve", "faux fur", "gym workout"], "options": ["color: 3 red", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZY7ZJR", "worker_id": "A9QRQL9CFJBI7"}], "B09C8D6JL9": [{"asin": "B09C8D6JL9", "instruction": "i am looking for nickel color pendant lights that are easy to install.", "attributes": ["easy install", "pendant light", "brushed nickel"], "options": ["color: nickel", "size: b style"], "instruction_attributes": ["easy install"], "instruction_options": ["nickel"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21P0FQ7", "worker_id": "A1Q8PPQQCWGY0D"}], "B0831R944X": [{"asin": "B0831R944X", "instruction": "tropical fruit punch drink", "attributes": ["non alcoholic", "source vitamin"], "options": ["flavor name: tropical fruit punch"], "instruction_attributes": ["source vitamin"], "instruction_options": ["tropical fruit punch"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XRSGNV", "worker_id": "A10OGH5CQBXL5N"}], "B08F4S851D": [{"asin": "B08F4S851D", "instruction": "can i get a wireless charging station dock for my iphone xr which is fast charging ?", "attributes": ["fast charging", "aluminum alloy", "wireless charging"], "options": [""], "instruction_attributes": ["fast charging", "wireless charging"], "instruction_options": [], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODN1EWN", "worker_id": "AHU9OLV0YKIIW"}], "B09HBLKBX7": [{"asin": "B09HBLKBX7", "instruction": "i'm looking for a 6pcs amosfun heart cake toppers.", "attributes": ["birthday cake", "cupcake picks", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["birthday party"], "instruction_options": ["pink"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA1J8AQ", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08PDP4LVH": [{"asin": "B08PDP4LVH", "instruction": "looking for phone ring light with aaa batteries", "attributes": ["batteries included", "easy use", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGLJO0S", "worker_id": "A10OGH5CQBXL5N"}], "B07YG49L5F": [{"asin": "B07YG49L5F", "instruction": "i am looking for a women's arch support ankle boots which contain soft memory foam. also choose brown in color and us 9 size.", "attributes": ["non slip", "arch support", "memory foam"], "options": ["color: brown", "size: us:9"], "instruction_attributes": ["arch support", "memory foam"], "instruction_options": ["brown", "us:9"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3SXZMQ", "worker_id": "A2HMEGTAFO0CS8"}], "B08DM4LXJD": [{"asin": "B08DM4LXJD", "instruction": "i am looking for nickel finish floor lamp", "attributes": ["brushed nickel", "nickel finish"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5WO4FI", "worker_id": "A16M39T60N60NO"}], "B09784RRXP": [{"asin": "B09784RRXP", "instruction": "i am looking for a 3x large breeches for wide legs", "attributes": ["wide leg", "elastic waist"], "options": ["color: c", "size: 3x-large"], "instruction_attributes": ["wide leg"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1I5U3I", "worker_id": "A9QRQL9CFJBI7"}], "B096TFX9G3": [{"asin": "B096TFX9G3", "instruction": "i am looking for a long sleeve sweater for a teen girl which is able to do cold wash. also choose red in color and large size.", "attributes": ["wash cold", "hand wash", "long sleeve", "short sleeve", "teen girls", "dry clean"], "options": ["color: 2-red", "size: large"], "instruction_attributes": ["wash cold", "long sleeve", "teen girls"], "instruction_options": ["2-red", "large"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWDGNFT", "worker_id": "A2HMEGTAFO0CS8"}], "B07FYT2X18": [{"asin": "B07FYT2X18", "instruction": "i am searching for 3 dozen baked fresh cookie gifts which should be wrapped individually.", "attributes": ["baked fresh", "individually wrapped"], "options": ["style: 3 dozen"], "instruction_attributes": ["baked fresh", "individually wrapped"], "instruction_options": ["3 dozen"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79QY1H5", "worker_id": "A9ZM1P6LBW79"}], "B09QKL7MNP": [{"asin": "B09QKL7MNP", "instruction": "i'm looking for high heel and sandal for drying shower.", "attributes": ["quick drying", "non slip", "high heel", "rubber sole"], "options": ["color: black", "size: 7"], "instruction_attributes": ["high heel"], "instruction_options": ["black"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTLHV5A", "worker_id": "A16IQOX0DK14OJ"}], "B09SLZ21XY": [{"asin": "B09SLZ21XY", "instruction": "i would like a h color natural hairpiece.", "attributes": ["natural hair", "synthetic hair"], "options": ["color: h"], "instruction_attributes": ["natural hair"], "instruction_options": ["h"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZK18O7", "worker_id": "A1WS884SI0SLO4"}], "B09BVH7353": [{"asin": "B09BVH7353", "instruction": "i'm looking for high definition it was easy to use.", "attributes": ["high definition", "4g lte"], "options": [""], "instruction_attributes": ["high definition", "4g lte"], "instruction_options": [], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ4ZISA", "worker_id": "A16IQOX0DK14OJ"}], "B00AVO4SFI": [{"asin": "B00AVO4SFI", "instruction": "i want to buy a product and i need your help. find this henna brand: henna hair & beard dye also chooses an auburn color.", "attributes": ["plant based", "cruelty free", "hair dye"], "options": ["color: auburn", "size: pack of 1"], "instruction_attributes": ["hair dye"], "instruction_options": ["auburn", "pack of 1"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOHHLMH", "worker_id": "A15IJ20C3R4HUO"}], "B09T31DD3R": [{"asin": "B09T31DD3R", "instruction": "i am looking for ultra hd android box with 4gb ram and 32gb rom.", "attributes": ["ultra hd", "easy use", "high definition", "quad core"], "options": ["color: 4gb+32gb"], "instruction_attributes": ["ultra hd"], "instruction_options": ["4gb+32gb"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG2KBG7", "worker_id": "A3FG5PQHG5AH3Y"}], "B08S7FJ1PR": [{"asin": "B08S7FJ1PR", "instruction": "i would like a 6 by 9 foot printed photo backdrop for digital photography.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 01", "size: 6x9 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 01", "6x9 ft"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVU39XH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08S7FJ1PR", "instruction": "i need a printed backdrop that is for digital photography.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 02", "size: 6x9 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 02"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD3SRI9", "worker_id": "A2ECRNQ3X5LEXD"}], "B0032GMRBO": [{"asin": "B0032GMRBO", "instruction": "i am looking for high fructose chocolate bar. please choose peanut butter flavor.", "attributes": ["artificial colors", "high fructose", "artificial flavors"], "options": ["flavor name: peanut butter", "size: pack of 30"], "instruction_attributes": ["high fructose"], "instruction_options": ["peanut butter"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0UWCC7", "worker_id": "A3FG5PQHG5AH3Y"}], "B09FY3T27X": [{"asin": "B09FY3T27X", "instruction": "i am looking for a pair of women's size 5.5 knee high snow boots.", "attributes": ["knee high", "steel toe", "high heel", "rubber sole"], "options": ["color: f-gray", "size: 5.5"], "instruction_attributes": ["knee high"], "instruction_options": ["5.5"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I72FDN", "worker_id": "A1EREKSZAA9V7B"}], "B07JJF83L3": [{"asin": "B07JJF83L3", "instruction": "i am looking for professional water resistant airbrush makeup foundation having light golden luminous color, .5 fl oz", "attributes": ["water resistant", "fine mist", "dry skin"], "options": ["color: light golden luminous", "size: .5 fl oz"], "instruction_attributes": ["water resistant"], "instruction_options": ["light golden luminous", ".5 fl oz"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYXR36V", "worker_id": "A258PTOZ3D2TQR"}], "B07HHMJJ7G": [{"asin": "B07HHMJJ7G", "instruction": "i want a non toxic sulfate free cruelty free shampoo for healthy hair", "attributes": ["sulfate free", "paraben free", "non toxic", "cruelty free"], "options": [""], "instruction_attributes": ["non toxic", "cruelty free"], "instruction_options": [], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDIN2O8", "worker_id": "A3N9ZYQAESNFQH"}], "B08CD9H351": [{"asin": "B08CD9H351", "instruction": "i am looking for elastics & ties of black color for hair styling", "attributes": ["high quality", "hair styling"], "options": ["color: black", "size: small (pack of 4)"], "instruction_attributes": ["hair styling"], "instruction_options": ["black"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1BFYGM", "worker_id": "A9QRQL9CFJBI7"}], "B00U4KXNR8": [{"asin": "B00U4KXNR8", "instruction": "i want 4 ounce anti ageing kit with bag which is good for face firming and fine lines.", "attributes": ["anti aging", "fine lines"], "options": ["size: 4 ounce kit with bag"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN15GOI", "worker_id": "ASWFLI3N8X72G"}], "B004BCX8JS": [{"asin": "B004BCX8JS", "instruction": "i am looking for highly pigmented lipstick in seine sunset color", "attributes": ["highly pigmented", "argan oil"], "options": ["color: seine sunset", "style: nudes"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["seine sunset"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L3UCVS", "worker_id": "A16M39T60N60NO"}, {"asin": "B004BCX8JS", "instruction": "i am looking for highly pigmented lipstick in golden grape color", "attributes": ["highly pigmented", "argan oil"], "options": ["color: golden grape", "style: nudes"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["golden grape"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEK8XI6", "worker_id": "A16M39T60N60NO"}, {"asin": "B004BCX8JS", "instruction": "i'm looking for a volcanic reds lipstick with argan oil", "attributes": ["highly pigmented", "argan oil"], "options": ["color: volcanic", "style: reds"], "instruction_attributes": ["argan oil"], "instruction_options": ["volcanic", "reds"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8Z1ZPJ", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B004BCX8JS", "instruction": "am looking for highly pigmented l'oreal paris makeup colour riche original creamy, british red color", "attributes": ["highly pigmented", "argan oil"], "options": ["color: british red", "style: nudes"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["british red"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFED9D5", "worker_id": "A1IL2K0ELYI090"}], "B099JH5LW4": [{"asin": "B099JH5LW4", "instruction": "i am looking for bathroom laundry room wood framed decor.", "attributes": ["wood frame", "solid wood"], "options": ["color: bathroom - 1", "size: 6 x 17 inch"], "instruction_attributes": ["wood frame"], "instruction_options": ["bathroom - 1"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINT772H", "worker_id": "A3FG5PQHG5AH3Y"}], "B01MU8Z4FX": [{"asin": "B01MU8Z4FX", "instruction": "i am looking for gluten free chocolate with blueberry flavor", "attributes": ["individually wrapped", "nut free", "low calorie", "gluten free", "baby shower"], "options": ["flavor name: navy blue | blueberry", "size: 24 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1YZ2HE", "worker_id": "A16M39T60N60NO"}], "B09BK48GJZ": [{"asin": "B09BK48GJZ", "instruction": "vegan beard and stache balm paraben free", "attributes": ["paraben free", "cruelty free"], "options": ["color: vegan beard wax"], "instruction_attributes": ["paraben free"], "instruction_options": ["vegan beard wax"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UQS1GD", "worker_id": "A10OGH5CQBXL5N"}], "B0785W9DZJ": [{"asin": "B0785W9DZJ", "instruction": "i am looking for a short sleeve t shirts for men of venom red (690) | black color.", "attributes": ["quick drying", "machine wash", "short sleeve"], "options": ["color: venom red (690) | black", "size: 3x-large tall"], "instruction_attributes": ["short sleeve"], "instruction_options": ["venom red (690) | black"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X6IGPG", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B0785W9DZJ", "instruction": "i am looking for one size t-shirts having short sleeves.", "attributes": ["quick drying", "machine wash", "short sleeve"], "options": ["color: baroque green (311) | black", "size: one size"], "instruction_attributes": ["short sleeve"], "instruction_options": ["one size"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4FCSBA", "worker_id": "A1Q8PPQQCWGY0D"}], "B097HSHC8C": [{"asin": "B097HSHC8C", "instruction": "i am looking for a 2 pack of ready to eat turkey", "attributes": ["ready eat", "fully cooked"], "options": ["flavor name: meatloaf with tomato sauce", "size: 2 pack"], "instruction_attributes": ["ready eat"], "instruction_options": ["2 pack"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJNX0WV", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B097HSHC8C", "instruction": "i'm looking for a fully cooked meat loaf that comes in a four pack and has tomato sauce.", "attributes": ["ready eat", "fully cooked"], "options": ["flavor name: meatloaf with tomato sauce", "size: 4 pack"], "instruction_attributes": ["fully cooked"], "instruction_options": ["meatloaf with tomato sauce", "4 pack"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEXPUUU", "worker_id": "AR9AU5FY1S3RO"}], "B09MS76DBX": [{"asin": "B09MS76DBX", "instruction": "i am looking for makeup remover for sensitive skin.", "attributes": ["double sided", "easy use", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDYWIAI", "worker_id": "A3FG5PQHG5AH3Y"}], "B01HJWDKPI": [{"asin": "B01HJWDKPI", "instruction": "i would like a 12 foot gold plated hdmi male to male cable. and can i have 10 of them.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 12 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["gold plated"], "instruction_options": ["10 pack", "12 feet (single pack)", "hdmi male to female"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAE2IFO", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01HJWDKPI", "instruction": "i need a gold plated hdmi cable.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 30 feet (4-pack)", "style: hdmi male to female"], "instruction_attributes": ["gold plated"], "instruction_options": [], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V3EWY0", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B01HJWDKPI", "instruction": "i need a high speed hdmi male to male cable which is gold plated.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 1.5 feet (10-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["hdmi male to male"], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROKQBWWO", "worker_id": "A1NF6PELRKACS9"}], "B09Q88VLSZ": [{"asin": "B09Q88VLSZ", "instruction": "men's tuxedo t-shirt for daily wear also choose white colour", "attributes": ["long sleeve", "polyester spandex", "daily wear"], "options": ["color: white", "size: x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["white"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMETXDV", "worker_id": "A10OGH5CQBXL5N"}], "B0168IVTN4": [{"asin": "B0168IVTN4", "instruction": "i want a pair of moisture wicking outdoor pants which is also machine washable. get me something in adaptive green versastretch color.", "attributes": ["moisture wicking", "machine wash", "nylon spandex"], "options": ["color: adaptive green versastretch", "size: 42w x 36l"], "instruction_attributes": ["moisture wicking", "machine wash"], "instruction_options": ["adaptive green versastretch"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT36AJH1", "worker_id": "A1NF6PELRKACS9"}], "B09S1591W1": [{"asin": "B09S1591W1", "instruction": "i am looking for a large short sleeve t shirt for women", "attributes": ["wash cold", "slim fit", "hand wash", "machine wash", "short sleeve", "long sleeve"], "options": ["color: 1-green", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3TUZ9V", "worker_id": "A9QRQL9CFJBI7"}], "B09PTH1DRG": [{"asin": "B09PTH1DRG", "instruction": "hp slim tower desktop pc intel core j4025 processor (32gb/1tb hdd/1 tb ssd wired keyboard)", "attributes": ["core i5", "intel core"], "options": ["size: 32gb ram | 1tb hdd + 1tb ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["32gb ram | 1tb hdd + 1tb ssd"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54SO83T", "worker_id": "A3N9ZYQAESNFQH"}], "B097RGR7PF": [{"asin": "B097RGR7PF", "instruction": "i'm looking for smartwatch accessories for compatible apple and glass screen and need to buy it.", "attributes": ["compatible apple", "glass screen", "tempered glass"], "options": ["color: golden&grey&black", "size: 44mm"], "instruction_attributes": ["compatible apple", "glass screen"], "instruction_options": ["golden&grey&black"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKCSENT", "worker_id": "A16IQOX0DK14OJ"}], "B09F574B6R": [{"asin": "B09F574B6R", "instruction": "i am looking for fragrance free lotion for dry skin", "attributes": ["fragrance free", "long lasting", "cruelty free", "sensitive skin", "dry skin"], "options": [""], "instruction_attributes": ["fragrance free", "dry skin"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG7OLSK", "worker_id": "A258PTOZ3D2TQR"}], "B09QPM1MWH": [{"asin": "B09QPM1MWH", "instruction": "i would like a white full size stairway bunk bed with a steel frame.", "attributes": ["heavy duty", "twin size", "space saving", "box spring", "steel frame"], "options": ["color: white", "size: full", "style: twin over full stairway bunk beds with t..."], "instruction_attributes": ["steel frame"], "instruction_options": ["white", "full", "twin over full stairway bunk beds with t..."], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTU7P9K", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09QPM1MWH", "instruction": "i am looking for grey color steel metal bedframe that is heavy duty.", "attributes": ["heavy duty", "twin size", "space saving", "box spring", "steel frame"], "options": ["color: grey", "size: twin-over-full", "style: metal triple bunk bed with desk and shel..."], "instruction_attributes": ["heavy duty"], "instruction_options": ["grey"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MMMWLG", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09QPM1MWH", "instruction": "i'm looking for heavy duty twin solid wood triple bunk bed with 2 drawer.", "attributes": ["heavy duty", "twin size", "space saving", "box spring", "steel frame"], "options": ["color: espresso", "size: twin", "style: solid wood triple bunk bed with 2 drawer..."], "instruction_attributes": ["heavy duty"], "instruction_options": ["twin", "solid wood triple bunk bed with 2 drawer..."], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGN6O0J", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B09QPM1MWH", "instruction": "i want an espresso colored cotoala twin size daybed.", "attributes": ["heavy duty", "twin size", "space saving", "box spring", "steel frame"], "options": ["color: espresso", "size: full with shelf", "style: wood house bunk bed with two drawers and..."], "instruction_attributes": ["twin size"], "instruction_options": ["espresso"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G76C74K", "worker_id": "A2RBF3IIJP15IH"}], "B09BQQ3KMY": [{"asin": "B09BQQ3KMY", "instruction": "i looking foot files for removing dead foot skin stainless steel can clean easly set of 20 pcs", "attributes": ["non slip", "easy clean", "stainless steel", "dead skin"], "options": ["color: 20pcs"], "instruction_attributes": ["easy clean", "stainless steel", "dead skin"], "instruction_options": ["20pcs"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5G6IWY", "worker_id": "A3N9ZYQAESNFQH"}], "B0877PX27D": [{"asin": "B0877PX27D", "instruction": "i am looking for an alcohol free night cream for my face. make sure it is for sensitive skin.", "attributes": ["alcohol free", "fine lines", "sensitive skin"], "options": ["size: 1.7 ounce (pack of 1)", "style: night"], "instruction_attributes": ["alcohol free", "sensitive skin"], "instruction_options": ["night"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAV1ZXS", "worker_id": "A1NF6PELRKACS9"}], "B08HCVLVJ8": [{"asin": "B08HCVLVJ8", "instruction": "i need two lounge chairs for outdoors. it should be in grey, easy to assemble with a steel frame.", "attributes": ["machine washable", "easy assemble", "steel frame"], "options": ["color: grey", "item package quantity: 2"], "instruction_attributes": ["easy assemble", "steel frame"], "instruction_options": ["grey", "2"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TZFUSN", "worker_id": "A1NF6PELRKACS9"}], "B09FW83GBK": [{"asin": "B09FW83GBK", "instruction": "gummy and candy corn 5 pound with resealable bag", "attributes": ["gmo free", "resealable bag"], "options": ["size: 5 pound (bulk)"], "instruction_attributes": ["resealable bag"], "instruction_options": ["5 pound (bulk)"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHB61ER", "worker_id": "A10OGH5CQBXL5N"}], "B01D7SO5AW": [{"asin": "B01D7SO5AW", "instruction": "i'm looking for a anti perspirant deodorant that is long lasting.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UF9A3I", "worker_id": "AR0VJ5XRG16UJ"}], "B09SYT5CX8": [{"asin": "B09SYT5CX8", "instruction": "help me find a high quality, easy clean set of massage table covers in blue.", "attributes": ["high quality", "non toxic", "easy clean", "quality materials", "beauty salon"], "options": ["color: blue", "size: 60*180cm"], "instruction_attributes": ["high quality", "easy clean"], "instruction_options": ["blue"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQCMJAU", "worker_id": "A2CJFO19NY4T5R"}], "B004Y9GY44": [{"asin": "B004Y9GY44", "instruction": "i am looking for a 120 light concealers & neutralizers for dark circles", "attributes": ["anti aging", "dark circles", "fine lines"], "options": ["color: 120 light"], "instruction_attributes": ["dark circles"], "instruction_options": ["120 light"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0MZYSC1", "worker_id": "A9QRQL9CFJBI7"}], "B07B3RJZMJ": [{"asin": "B07B3RJZMJ", "instruction": "i'm looking for eye shadow for eye makeup.", "attributes": ["high quality", "eye shadow", "nail art"], "options": ["color: k"], "instruction_attributes": ["eye shadow"], "instruction_options": ["k"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7XKP5N", "worker_id": "A16IQOX0DK14OJ"}], "B09T2Z324R": [{"asin": "B09T2Z324R", "instruction": "i need a high quality bed cover that is easy to clean. find something in purple.", "attributes": ["high quality", "non toxic", "easy clean", "quality materials", "beauty salon"], "options": ["color: purple", "size: 80*190cm"], "instruction_attributes": ["high quality", "easy clean"], "instruction_options": ["purple"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1N26FD", "worker_id": "A1NF6PELRKACS9"}], "B09NRDMBFB": [{"asin": "B09NRDMBFB", "instruction": "i'm looking for temper glass and glass screen for cell phones acesseries and the color fray need to buy it.", "attributes": ["glass screen", "tempered glass"], "options": ["color: gray"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["gray"], "assignment_id": "3N8OEVH1F204BC17361WW31GENJOO0", "worker_id": "A16IQOX0DK14OJ"}], "B08NTY56S6": [{"asin": "B08NTY56S6", "instruction": "i am looking for hair growth oil with natural ingredients", "attributes": ["cruelty free", "natural ingredients", "hair growth", "hair loss", "hair treatment", "dry hair"], "options": [""], "instruction_attributes": ["natural ingredients", "hair growth", "hair treatment"], "instruction_options": [], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDIZ2OK", "worker_id": "A10OGH5CQBXL5N"}], "B0973JHGNF": [{"asin": "B0973JHGNF", "instruction": "i am looking for a cake toppers for party supplies and flavor must be new cake toy- cheese flavor (girls).", "attributes": ["birthday cake", "party supplies", "birthday party"], "options": ["flavor name: new cake toy- cheese flavor (girls)"], "instruction_attributes": ["party supplies"], "instruction_options": ["new cake toy- cheese flavor (girls)"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIV9MTT", "worker_id": "A9QRQL9CFJBI7"}], "B097F2ZZ2T": [{"asin": "B097F2ZZ2T", "instruction": "i'm looking for soy wax for candles and its for long lasting.", "attributes": ["lead free", "eco friendly", "long lasting", "soy wax"], "options": [""], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": [], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB98R8NJ", "worker_id": "A16IQOX0DK14OJ"}], "B09HJGNLSW": [{"asin": "B09HJGNLSW", "instruction": "i would like a standing shelf unit for my living room.", "attributes": ["space saving", "storage unit", "storage space", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI5G3TK", "worker_id": "A1WS884SI0SLO4"}], "B07HLW5F1L": [{"asin": "B07HLW5F1L", "instruction": "i need a vegan smoothie in chocolate strawberry flavor. it should be soy and lactose free.", "attributes": ["soy free", "dairy free", "lactose free", "gluten free", "low calorie", "plant based", "real fruit", "simple ingredients"], "options": ["flavor name: vegan chocolate strawberry", "size: 4.5 ounce (pack of 18)"], "instruction_attributes": ["soy free", "lactose free"], "instruction_options": ["vegan chocolate strawberry"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YZ6EH5", "worker_id": "A1NF6PELRKACS9"}], "B07DVDQZ8C": [{"asin": "B07DVDQZ8C", "instruction": "i would like a 3.52 ounce bottle of baby blue and pink body glitter that is long lasting.", "attributes": ["easy apply", "long lasting"], "options": ["color: baby blue with pink", "size: 3.52 ounce (pack of 1)"], "instruction_attributes": ["long lasting"], "instruction_options": ["baby blue with pink", "3.52 ounce (pack of 1)"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV30BHB", "worker_id": "A1WS884SI0SLO4"}], "B07GWH4SDR": [{"asin": "B07GWH4SDR", "instruction": "i am looking for 4 packs of fat free chicken meat.", "attributes": ["fully cooked", "fat free"], "options": ["size: 4"], "instruction_attributes": ["fat free"], "instruction_options": ["4"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A2198THP", "worker_id": "A3FG5PQHG5AH3Y"}], "B08HPTTWTT": [{"asin": "B08HPTTWTT", "instruction": "i need a sugar free and gluten free salami pack with a barolo flavor.", "attributes": ["sugar free", "gluten free", "natural flavors"], "options": ["flavor name: barolo", "size: 5.5 ounce (pack of 3)"], "instruction_attributes": ["sugar free", "gluten free"], "instruction_options": ["barolo"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V422UC", "worker_id": "A1NF6PELRKACS9"}], "B00TPLLJMI": [{"asin": "B00TPLLJMI", "instruction": "i'm looking for high speed accessories and three product of packaging.", "attributes": ["high speed", "gold plated"], "options": ["product packaging: 3 pack", "size: 15 feet", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["3 pack"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FOLBFB", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B00TPLLJMI", "instruction": "show me a single pack high speed gold plated hdmi male to female cable with 100 feet length.", "attributes": ["high speed", "gold plated"], "options": ["product packaging: single pack", "size: 100 feet", "style: hdmi male to female"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHA8OODD", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B00TPLLJMI", "instruction": "i want a 2 pack of 80 foot long gold plated hdmi male to male cables.", "attributes": ["high speed", "gold plated"], "options": ["product packaging: 2 pack", "size: 80 feet", "style: hdmi male to female"], "instruction_attributes": ["gold plated"], "instruction_options": ["2 pack", "80 feet", "hdmi male to female"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPEXORB", "worker_id": "A1WS884SI0SLO4"}], "B08M92FCMD": [{"asin": "B08M92FCMD", "instruction": "i am looking for refurbished bluetooth speaker.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISX3OYW", "worker_id": "A3FG5PQHG5AH3Y"}], "B093B59MGM": [{"asin": "B093B59MGM", "instruction": "i am looking for a slide scanner with usb and aaa batteries included. it should be easy to carry as well.", "attributes": ["easy carry", "aaa batteries"], "options": [""], "instruction_attributes": ["easy carry", "aaa batteries"], "instruction_options": [], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1841KD", "worker_id": "A1NF6PELRKACS9"}], "B07D6HRK4X": [{"asin": "B07D6HRK4X", "instruction": "i would like to buy a large poster for the living room of size 70\"wx40\"h that is easy to install.", "attributes": ["ready hang", "easy install", "living room", "dining room"], "options": ["color: 15", "size: 70\"wx40\"h"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["70\"wx40\"h"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQFEJC3", "worker_id": "AHXHM1PQTRWIQ"}], "B08F4YS4H6": [{"asin": "B08F4YS4H6", "instruction": "i want a primer face plant based and oil free", "attributes": ["oil free", "plant based"], "options": [""], "instruction_attributes": ["oil free", "plant based"], "instruction_options": [], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV18X31", "worker_id": "A2Y2TURT2VEYZN"}], "B09GPDV5TY": [{"asin": "B09GPDV5TY", "instruction": "i am searching for high gloss storage cabinet organizer for living room", "attributes": ["high gloss", "living room"], "options": [""], "instruction_attributes": ["high gloss", "living room"], "instruction_options": [], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O1QA2O", "worker_id": "A258PTOZ3D2TQR"}], "B0042JVEVY": [{"asin": "B0042JVEVY", "instruction": "i am looking for a dresser. it should be made of engineered wood and please choose jamocha wood finish.", "attributes": ["wood finish", "engineered wood"], "options": ["color: jamocha wood finish"], "instruction_attributes": ["engineered wood"], "instruction_options": ["jamocha wood finish"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O0WA2S", "worker_id": "A3FG5PQHG5AH3Y"}], "B000HDJXGW": [{"asin": "B000HDJXGW", "instruction": "i am looking for a dairy free soft baked cookies with soy free. also choose gingerbread spice flavor and 1 ounce (pack of 36) one.", "attributes": ["nut free", "gluten free", "soy free", "dairy free", "non gmo"], "options": ["flavor name: gingerbread spice", "size: 1 ounce (pack of 36)"], "instruction_attributes": ["soy free", "dairy free"], "instruction_options": ["gingerbread spice", "1 ounce (pack of 36)"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPBEROP", "worker_id": "A2HMEGTAFO0CS8"}], "B07M68GDP8": [{"asin": "B07M68GDP8", "instruction": "i am looking for a blue linen contemporary design beds.", "attributes": ["twin size", "contemporary design", "box spring"], "options": ["color: blue linen", "size: full", "style: bed with storage drawers"], "instruction_attributes": ["contemporary design"], "instruction_options": ["blue linen"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHZS7BR", "worker_id": "A9QRQL9CFJBI7"}], "B09MH9XB39": [{"asin": "B09MH9XB39", "instruction": "i'm looking for a 4 pounds bag of individually wrapped chocolate candies.", "attributes": ["individually wrapped", "perfect gift", "baby shower"], "options": ["size: 4 pounds"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["4 pounds"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP4L7JW", "worker_id": "A13PVNQT2WWWVL"}], "B07LBY4S4G": [{"asin": "B07LBY4S4G", "instruction": "i need a facial scrub that is anti aging and is made of natural ingredients.", "attributes": ["anti aging", "cruelty free", "animal testing", "non toxic", "natural ingredients", "dead skin"], "options": [""], "instruction_attributes": ["anti aging", "natural ingredients"], "instruction_options": [], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TZHUSP", "worker_id": "A1NF6PELRKACS9"}], "B09R264MPH": [{"asin": "B09R264MPH", "instruction": "i am looking for a non-slip slide sandals shoes that has 8 wide size. ad please get me the black one", "attributes": ["non slip", "rubber sole", "soft material", "ankle strap", "rubber outsole"], "options": ["color: black", "size: 8 wide"], "instruction_attributes": ["non slip"], "instruction_options": ["black", "8 wide"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79RS1H1", "worker_id": "A2COCSUGZV28X"}], "B004QC6VAG": [{"asin": "B004QC6VAG", "instruction": "find me a light weight monopod made of carbon fiber.", "attributes": ["light weight", "carbon fiber"], "options": [""], "instruction_attributes": ["light weight", "carbon fiber"], "instruction_options": [], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIJX29Q", "worker_id": "A1NF6PELRKACS9"}], "B07WQ1VH72": [{"asin": "B07WQ1VH72", "instruction": "i want to find a plum fire hd 8 tablet with a quad core and 32 gigabytes of storage space. it needs to have a lock screen and come with a case and screen protector.", "attributes": ["dual band", "hands free", "quad core"], "options": ["color: plum", "digital storage capacity: 32 gb", "offer type: lockscreen ad-supported", "style: with case & screen protector (2-pack)"], "instruction_attributes": ["quad core"], "instruction_options": ["plum", "32 gb", "lockscreen ad-supported", "with case & screen protector (2-pack)"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIMQ85Q", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07WQ1VH72", "instruction": "i need 8\" hd display, 64 gb quad core tablet with lockscreen ad-supported", "attributes": ["dual band", "hands free", "quad core"], "options": ["color: black", "digital storage capacity: 64 gb", "offer type: lockscreen ad-supported", "style: with luna cloud gaming controller"], "instruction_attributes": ["quad core"], "instruction_options": ["64 gb", "lockscreen ad-supported"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA55A8M", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B07WQ1VH72", "instruction": "i would like a black 64 gigabyte tablet with a case and screen protector. it also needs to be able to be hands free and have a ad supported lockscreen.", "attributes": ["dual band", "hands free", "quad core"], "options": ["color: black", "digital storage capacity: 64 gb", "offer type: lockscreen ad-supported", "style: with case & screen protector (2-pack)"], "instruction_attributes": ["hands free"], "instruction_options": ["black", "64 gb", "lockscreen ad-supported", "with case & screen protector (2-pack)"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB96JN8M", "worker_id": "A1WS884SI0SLO4"}], "B07B51WS9B": [{"asin": "B07B51WS9B", "instruction": "i'm looking for nickel finish for living room.", "attributes": ["brushed nickel", "nickel finish", "living room"], "options": ["color: earth palette"], "instruction_attributes": ["brushed nickel", "nickel finish", "living room"], "instruction_options": ["earth palette"], "assignment_id": "33TIN5LC0FKDY31374RC144TXY09YM", "worker_id": "A16IQOX0DK14OJ"}], "B074Q3H6X7": [{"asin": "B074Q3H6X7", "instruction": "i am looking for an organic shampoo which is effective my hair lose . and i choose the 4 ounce hair treatment", "attributes": ["certified organic", "bpa free", "non toxic", "argan oil", "hair growth", "hair loss"], "options": ["color: hair treatment 4 ounce", "scent name: hormonal balance"], "instruction_attributes": ["certified organic", "hair loss"], "instruction_options": ["hair treatment 4 ounce"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E22J53K", "worker_id": "A2COCSUGZV28X"}, {"asin": "B074Q3H6X7", "instruction": "i am looking for a shampoo 17.5 ounce for hair growth hair loss", "attributes": ["certified organic", "bpa free", "non toxic", "argan oil", "hair growth", "hair loss"], "options": ["color: shampoo 17.5 ounce", "scent name: fertile roots"], "instruction_attributes": ["hair loss"], "instruction_options": ["shampoo 17.5 ounce"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRW3PWN", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B074Q3H6X7", "instruction": "i want a 2 ounce shampoo bottle of hormonal balance made from argan oil.", "attributes": ["certified organic", "bpa free", "non toxic", "argan oil", "hair growth", "hair loss"], "options": ["color: shampoo 2 ounce", "scent name: hormonal balance+hair treatment"], "instruction_attributes": ["argan oil"], "instruction_options": ["shampoo 2 ounce", "hormonal balance+hair treatment"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTRIO6C", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B074Q3H6X7", "instruction": "i want a bottle of flower power laritelle organic shampoo.", "attributes": ["certified organic", "bpa free", "non toxic", "argan oil", "hair growth", "hair loss"], "options": ["color: 17.5 ounce", "scent name: flower power"], "instruction_attributes": ["certified organic"], "instruction_options": ["flower power"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49YXX49", "worker_id": "A2RBF3IIJP15IH"}], "B0086UI2GU": [{"asin": "B0086UI2GU", "instruction": "i am looking healthy crispy chips snacks gluten free low fat high protein size: 4 ounce (pack of 6)", "attributes": ["gluten free", "protein serving", "low fat", "high protein", "natural flavors"], "options": ["flavor: protein breakfast cereal - honey almond", "size: 4 ounce (pack of 6)"], "instruction_attributes": ["gluten free", "low fat", "high protein"], "instruction_options": ["4 ounce (pack of 6)"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6ONRMM6", "worker_id": "A3N9ZYQAESNFQH"}], "B01N2W63JO": [{"asin": "B01N2W63JO", "instruction": "i am looking for a ac adapters for wireless bluetooth", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3WMINLGALMDE0JA33INN08NU0TFACB", "worker_id": "A9QRQL9CFJBI7"}], "B00DQQQOGY": [{"asin": "B00DQQQOGY", "instruction": "i am looking for a white engineered wood for bookcases", "attributes": ["engineered wood", "storage space"], "options": ["color: white", "pattern name: bookcase + 3-shelf bookcase"], "instruction_attributes": ["engineered wood"], "instruction_options": ["white"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DCUDWP", "worker_id": "A9QRQL9CFJBI7"}], "B07D5GQJZG": [{"asin": "B07D5GQJZG", "instruction": "i need chandelier light fixture for dining room which should have bronze finish and glass shades.", "attributes": ["clear glass", "bronze finish", "glass shade", "light fixture", "dining room"], "options": [""], "instruction_attributes": ["bronze finish", "glass shade", "light fixture", "dining room"], "instruction_options": [], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163TMQPG", "worker_id": "ASWFLI3N8X72G"}], "B07YW75RT3": [{"asin": "B07YW75RT3", "instruction": "i am looking for a set of 2 velvet fabric dining chairs for my dining room . and i choose the teal one", "attributes": ["wood frame", "solid wood", "dining room", "living room"], "options": ["color: teal"], "instruction_attributes": ["dining room"], "instruction_options": ["teal"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJP2O9T", "worker_id": "A2COCSUGZV28X"}], "B018F6PGY0": [{"asin": "B018F6PGY0", "instruction": "i need to buy some old fashioned cocktail bitters for a gift. look for the \"mole negro\" flavor.", "attributes": ["old fashioned", "perfect gift"], "options": ["flavor: mole negro"], "instruction_attributes": ["old fashioned", "perfect gift"], "instruction_options": ["mole negro"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW5H4TB", "worker_id": "AR9AU5FY1S3RO"}], "B09H7LSHMY": [{"asin": "B09H7LSHMY", "instruction": "i'm looking for short sleeve outfit large sized.", "attributes": ["long sleeve", "short sleeve", "teen girls"], "options": ["color: a8-blue", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["a8-blue", "large"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYI66LY", "worker_id": "A16IQOX0DK14OJ"}], "B07ZTS8NQP": [{"asin": "B07ZTS8NQP", "instruction": "i am looking for a fragrance free lip glosses of sweet escape color.", "attributes": ["dermatologist tested", "fragrance free", "cruelty free", "sensitive skin"], "options": ["color: sweet escape"], "instruction_attributes": ["fragrance free"], "instruction_options": ["sweet escape"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UI8OKF", "worker_id": "A9QRQL9CFJBI7"}], "B09F5LHLH2": [{"asin": "B09F5LHLH2", "instruction": "i am looking for an oral hygiene toothbrush. it should be easy to carry.", "attributes": ["easy carry", "oral hygiene"], "options": [""], "instruction_attributes": ["easy carry", "oral hygiene"], "instruction_options": [], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CYWB3I", "worker_id": "A9ZM1P6LBW79"}], "B08QVBQ9DP": [{"asin": "B08QVBQ9DP", "instruction": "i am searching for a long lasting high quality hair drying towel to dry my hair.", "attributes": ["easy clean", "long lasting", "high quality", "dry hair"], "options": [""], "instruction_attributes": ["long lasting", "high quality", "dry hair"], "instruction_options": [], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TS8MP8", "worker_id": "A9ZM1P6LBW79"}], "B09QHKSR5W": [{"asin": "B09QHKSR5W", "instruction": "i want a quick release watch band in grey, black, white or blue.", "attributes": ["quick release", "easy install", "easy use"], "options": ["color: grey black white blue"], "instruction_attributes": ["quick release"], "instruction_options": ["grey black white blue"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE1HTJZ", "worker_id": "A1NF6PELRKACS9"}], "B096VD3PRG": [{"asin": "B096VD3PRG", "instruction": "i'm looking for queen sized wood frames for bed frames.", "attributes": ["queen size", "box spring", "pu leather", "metal legs", "memory foam", "wood frame"], "options": ["size: queen"], "instruction_attributes": ["box spring", "metal legs", "memory foam", "wood frame"], "instruction_options": ["queen"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXN5Z2O", "worker_id": "A16IQOX0DK14OJ"}], "B08XWZ8CFC": [{"asin": "B08XWZ8CFC", "instruction": "i am looking for gluten-free, lactose-free, dairy free, non-gmo salami.", "attributes": ["grass fed", "lactose free", "gluten free", "dairy free", "non gmo", "natural ingredients"], "options": [""], "instruction_attributes": ["lactose free", "gluten free", "dairy free", "non gmo"], "instruction_options": [], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R5RYTZ", "worker_id": "A9QRQL9CFJBI7"}], "B07P8YHFHJ": [{"asin": "B07P8YHFHJ", "instruction": "men's small size soft material elastic clouser comfertable briefs", "attributes": ["machine wash", "soft material", "elastic closure", "polyester spandex"], "options": ["color: tiger", "size: small"], "instruction_attributes": ["soft material", "elastic closure"], "instruction_options": ["tiger", "small"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA9308Z30", "worker_id": "A3N9ZYQAESNFQH"}], "B07GW2GQSS": [{"asin": "B07GW2GQSS", "instruction": "i'm looking for a 7 ounce chunk chicken creast in pack of 2 and fat free", "attributes": ["fully cooked", "fat free"], "options": ["size: 7 ounce (pack of 2)"], "instruction_attributes": ["fat free"], "instruction_options": ["7 ounce (pack of 2)"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLI32FV", "worker_id": "A2Y2TURT2VEYZN"}], "B09CLLNY85": [{"asin": "B09CLLNY85", "instruction": "i am looking for sugar cookies in a gift basket", "attributes": ["baked fresh", "perfect gift", "gift basket"], "options": ["flavor name: sugar"], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQWF4BF", "worker_id": "A16M39T60N60NO"}], "B08RBSM3W2": [{"asin": "B08RBSM3W2", "instruction": "i need heavy duty blackout curtains for my living room. pick something in beige.", "attributes": ["machine washable", "heavy duty", "living room"], "options": ["color: beige", "size: 42w x 54l"], "instruction_attributes": ["heavy duty", "living room"], "instruction_options": ["beige"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6745G8", "worker_id": "A1NF6PELRKACS9"}], "B09SL2P135": [{"asin": "B09SL2P135", "instruction": "i want high quality hair in water wave bundles with closure. it should remedy my hair loss.", "attributes": ["high quality", "hair loss"], "options": ["color: water wave bundles with closure", "size: 26 28 30"], "instruction_attributes": ["high quality", "hair loss"], "instruction_options": ["water wave bundles with closure"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A1UFHZ", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B09SL2P135", "instruction": "i am looking for a curly lace frontal that is effective for hair loss. an i choose the 22 24 26+20\"closure with water wave bundles", "attributes": ["high quality", "hair loss"], "options": ["color: water wave bundles with closure", "size: 22 24 26+20\"closure"], "instruction_attributes": ["hair loss"], "instruction_options": ["water wave bundles with closure", "22 24 26+20\"closure"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW1DC1X", "worker_id": "A2COCSUGZV28X"}, {"asin": "B09SL2P135", "instruction": "can you find a high quality brazilian 13x4 curly lace frontal in size 24 24 24?", "attributes": ["high quality", "hair loss"], "options": ["color: curly 13x4 lace frontal", "size: 24 24 24"], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCK37DNL", "worker_id": "AMI0SOF51O3FW"}, {"asin": "B09SL2P135", "instruction": "order me four bundles of high quality curly hair extensions.", "attributes": ["high quality", "hair loss"], "options": ["color: curly hair 4 bundles", "size: 12 14 16+10\"closure"], "instruction_attributes": ["high quality"], "instruction_options": ["curly hair 4 bundles"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IVHHK5", "worker_id": "AR9AU5FY1S3RO"}], "B07TKMGM6R": [{"asin": "B07TKMGM6R", "instruction": "i am looking for a long sleeve hoodies of medium size for men.", "attributes": ["machine washable", "officially licensed", "machine wash", "polyester cotton", "long sleeve", "tumble dry"], "options": ["size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLUZFTH", "worker_id": "A9QRQL9CFJBI7"}], "B07D2HSH4D": [{"asin": "B07D2HSH4D", "instruction": "i'm looking for a high performance hdmi to displayport adapter cable that's easy to use.", "attributes": ["plug play", "high performance", "easy use", "usb port"], "options": [""], "instruction_attributes": ["high performance", "easy use"], "instruction_options": [], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6MG7UT", "worker_id": "AR9AU5FY1S3RO"}], "B08QCCRLTH": [{"asin": "B08QCCRLTH", "instruction": "i am looking for a noise cancelling computer headsets.", "attributes": ["noise cancelling", "plug play", "easy use"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWPZYXTT", "worker_id": "A9QRQL9CFJBI7"}], "B08C9ZCWVW": [{"asin": "B08C9ZCWVW", "instruction": "i looking a maroon color ceiling lights haning pandent fixture for living room", "attributes": ["light fixture", "living room", "dining room"], "options": [""], "instruction_attributes": ["light fixture", "living room"], "instruction_options": [], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KVM9JP", "worker_id": "A3N9ZYQAESNFQH"}], "B09JBVY7JD": [{"asin": "B09JBVY7JD", "instruction": "i want to shop for a two pack of glass lamp shades for pendant lamps.", "attributes": ["glass shade", "clear glass", "pendant light", "light fixture", "living room"], "options": ["color: clear water ripple glass", "size: 2 pack"], "instruction_attributes": ["glass shade", "pendant light"], "instruction_options": ["2 pack"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOHFMLG", "worker_id": "AR9AU5FY1S3RO"}], "B07955HD69": [{"asin": "B07955HD69", "instruction": "i would like a rose gold single wireless bluetooth speaker that is hands free.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: rose gold single"], "instruction_attributes": ["hands free", "wireless bluetooth"], "instruction_options": ["rose gold single"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7JQN5Y", "worker_id": "A1WS884SI0SLO4"}], "B079X4CPKD": [{"asin": "B079X4CPKD", "instruction": "i'm looking for a pack of 24 count of breakfast bars gluten free", "attributes": ["low sodium", "gluten free", "0g trans"], "options": ["flavor name: blueberry almond", "size: 24 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["blueberry almond", "24 count (pack of 1)"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO8XGJ3", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B079X4CPKD", "instruction": "i'm looking for healthy breakfast bars enriched with peanut butter.", "attributes": ["low sodium", "gluten free", "0g trans"], "options": ["flavor name: blueberry almond", "size: 24 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["24 count (pack of 1)"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1B32IW", "worker_id": "A21IUUHBSEVB56"}], "B003Q4TVK2": [{"asin": "B003Q4TVK2", "instruction": "i'm looking for caffeine free for coffee and tea.", "attributes": ["caffeine free", "sugar free"], "options": ["flavor name: turmeric latte", "size: 64 ounce (pack of 4)"], "instruction_attributes": ["caffeine free", "sugar free"], "instruction_options": ["turmeric latte"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AJ4UYS", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B003Q4TVK2", "instruction": "i want to buy chai tea which is caffeine free and has vanilla flavor, and it's in pack of 1 of 64 ounce.", "attributes": ["caffeine free", "sugar free"], "options": ["flavor name: vanilla", "size: 64 ounce (pack of 1)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["vanilla", "64 ounce (pack of 1)"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PPKQE1", "worker_id": "AJY5G987IRT25"}], "B087RDLZSG": [{"asin": "B087RDLZSG", "instruction": "i would like a size 24 brown shelves for my living room wall.", "attributes": ["wall mounted", "easy install", "storage space", "living room"], "options": ["color: brown", "size: 24"], "instruction_attributes": ["living room"], "instruction_options": ["brown", "24"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXXLO4U", "worker_id": "A1WS884SI0SLO4"}], "B001E5D0GQ": [{"asin": "B001E5D0GQ", "instruction": "i am looking for a fluoride free toothpaste", "attributes": ["fluoride free", "cruelty free", "oral hygiene"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9ED81B4", "worker_id": "A9QRQL9CFJBI7"}], "B07VTCL2JV": [{"asin": "B07VTCL2JV", "instruction": "i am looking for a synthetic sole flip flop. also, choose munsell white color and 5 narrow size.", "attributes": ["day comfort", "synthetic sole"], "options": ["color: neo flame | munsell white", "size: 5 narrow"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["neo flame | munsell white", "5 narrow"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX9ZFC0", "worker_id": "A9ZM1P6LBW79"}], "B07DN85MVR": [{"asin": "B07DN85MVR", "instruction": "i would like a pair of small black sleep bottoms that are machine washable.", "attributes": ["machine washable", "elastic waistband"], "options": ["color: black#1-a31", "size: small"], "instruction_attributes": ["machine washable"], "instruction_options": ["black#1-a31", "small"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8ENUX1", "worker_id": "A1WS884SI0SLO4"}], "B07Q5K4V3S": [{"asin": "B07Q5K4V3S", "instruction": "i'm looking for skin care for nail polish that color was aphrdesie neede.", "attributes": ["cruelty free", "nail polish"], "options": ["color: aphrodesie"], "instruction_attributes": ["nail polish"], "instruction_options": ["aphrodesie"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40WUYF2", "worker_id": "A16IQOX0DK14OJ"}], "B07Z4PX5T5": [{"asin": "B07Z4PX5T5", "instruction": "i am looking for a nylon spandex swimsuits & cover ups of 20 plus size.", "attributes": ["quick drying", "hand wash", "nylon spandex", "tummy control"], "options": ["color: hot pink", "size: 20 plus"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["20 plus"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCJ9PIG", "worker_id": "A9QRQL9CFJBI7"}], "B07H3BR9D2": [{"asin": "B07H3BR9D2", "instruction": "men's daily use slip resistance rubber sole shoe color reddish brown size: 8", "attributes": ["slip resistant", "steel toe", "synthetic sole", "rubber sole"], "options": ["color: reddish brown", "size: 8"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["reddish brown", "8"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO6V2R7", "worker_id": "A3N9ZYQAESNFQH"}], "B095CSL3SY": [{"asin": "B095CSL3SY", "instruction": "i am looking for a polyester cotton board short which is washable in machine. also choose grey one and 38 size.", "attributes": ["quick drying", "machine washable", "machine wash", "cotton spandex", "polyester cotton"], "options": ["color: grey - recycled fabric", "size: 38"], "instruction_attributes": ["machine washable", "polyester cotton"], "instruction_options": ["grey - recycled fabric", "38"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GMR3SK", "worker_id": "A2HMEGTAFO0CS8"}], "B099WVV8PM": [{"asin": "B099WVV8PM", "instruction": "i would like a full size grey bunk bed with a wooden frame.", "attributes": ["space saving", "white item", "assembly required", "wood frame", "box spring"], "options": ["color: grey with slide", "size: full"], "instruction_attributes": ["wood frame"], "instruction_options": ["grey with slide", "full"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKDZNEB", "worker_id": "A1WS884SI0SLO4"}], "B00RM5NPPS": [{"asin": "B00RM5NPPS", "instruction": "i am looking for gluten free red dog rub gourmet spice blends.", "attributes": ["gluten free", "great gift"], "options": ["flavor name: red dog rub", "size: 7.75 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["red dog rub"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UULY0E", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00RM5NPPS", "instruction": "i am looking for gluten free wow-a chihuahua gourmet spice blend.", "attributes": ["gluten free", "great gift"], "options": ["flavor name: wow-a chihuahua", "size: 4.5 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["wow-a chihuahua"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC35UK5", "worker_id": "A1EREKSZAA9V7B"}], "B09GF81JCB": [{"asin": "B09GF81JCB", "instruction": "looking for new version of modern glass dining table set for dining room", "attributes": ["long lasting", "heavy duty", "contemporary design", "metal legs", "dining room"], "options": ["color: grey", "style: new version"], "instruction_attributes": ["long lasting", "dining room"], "instruction_options": ["new version"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOQTYV1", "worker_id": "A10OGH5CQBXL5N"}], "B096L8CY62": [{"asin": "B096L8CY62", "instruction": "i am looking for a black fast wireless universal charging stand.", "attributes": ["fast charging", "wireless charging"], "options": ["color: black", "style: 15w stand 2-pack - no psu"], "instruction_attributes": ["fast charging", "wireless charging"], "instruction_options": ["black"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWO3W68", "worker_id": "A1EREKSZAA9V7B"}], "B00H0HBBBI": [{"asin": "B00H0HBBBI", "instruction": "i'm looking for hair extension for hair growth it was high quality and need to buy it.", "attributes": ["easy use", "high quality"], "options": ["color: strawberry blonde mix #26h613 g36a"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["strawberry blonde mix #26h613 g36a"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VHY8E4", "worker_id": "A16IQOX0DK14OJ"}], "B07ZK4J929": [{"asin": "B07ZK4J929", "instruction": "looking for machine washable 52 w by 52 cute pet window curtains", "attributes": ["machine washable", "living room"], "options": ["color: stripe51lbg2426", "size: 52\" w by 52\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["52\" w by 52\" l"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4YX0H6", "worker_id": "A10OGH5CQBXL5N"}], "B09HCRY1F6": [{"asin": "B09HCRY1F6", "instruction": "i'm looking for long sleeve clothing and it was easy to wash the color red is attractive.", "attributes": ["wash cold", "hand wash", "long sleeve", "polyester spandex", "short sleeve", "teen girls"], "options": ["color: red#d01", "size: medium"], "instruction_attributes": ["wash cold", "long sleeve", "short sleeve", "teen girls"], "instruction_options": ["red#d01"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7ZRQYE", "worker_id": "A16IQOX0DK14OJ"}], "B07XP6H6DN": [{"asin": "B07XP6H6DN", "instruction": "i would like a 2xl women's navy tank top with a officially licensed star wars logo.", "attributes": ["officially licensed", "needle sleeve", "classic fit", "star wars"], "options": ["color: navy", "fit type: women", "size: xx-large"], "instruction_attributes": ["officially licensed", "star wars"], "instruction_options": ["navy", "women", "xx-large"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKFU881", "worker_id": "A1WS884SI0SLO4"}], "B077T3SP3V": [{"asin": "B077T3SP3V", "instruction": "i am in a search for sugar free soft drink mixes of fruit punch flavor.", "attributes": ["sugar free", "source vitamin"], "options": ["flavor name: fruit punch"], "instruction_attributes": ["sugar free"], "instruction_options": ["fruit punch"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2OPNY9", "worker_id": "A14BSOU2Y5JNT0"}], "B088D1XNG5": [{"asin": "B088D1XNG5", "instruction": "i'm looking for tablets for my uses and i want red color. it was long lasting.", "attributes": ["long lasting", "quad core"], "options": ["color: red", "style: only wifi"], "instruction_attributes": ["long lasting"], "instruction_options": ["red"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06MZKX2", "worker_id": "A16IQOX0DK14OJ"}], "B07W71VWF7": [{"asin": "B07W71VWF7", "instruction": "i am looking for an intel quad core computer with 16 gb ram, 256 gb ssd and also a 1tb hdd.", "attributes": ["dual band", "high definition", "core i5", "intel core", "quad core"], "options": ["color: ddr4 cpu core i7 8550u", "size: 16gb ram 256gb ssd 1tb hdd"], "instruction_attributes": ["intel core", "quad core"], "instruction_options": ["16gb ram 256gb ssd 1tb hdd"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBCFOSQ", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07W71VWF7", "instruction": "mini pc with intel core i7 processor", "attributes": ["dual band", "high definition", "core i5", "intel core", "quad core"], "options": ["color: ddr3l cpu core i5 4200u", "size: 4gb ram 128gb ssd"], "instruction_attributes": ["intel core"], "instruction_options": [], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96D74G4", "worker_id": "A3TTGSUBIK1YCL"}], "B07L788143": [{"asin": "B07L788143", "instruction": "i need a grey or light blue colored area rug that is suitable for my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: grey | light blue", "size: 12' x 15'"], "instruction_attributes": ["living room"], "instruction_options": ["grey | light blue"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD2HRIW", "worker_id": "A1NF6PELRKACS9"}], "B08RJ7CJG7": [{"asin": "B08RJ7CJG7", "instruction": "i'm looking for soy wax it can use make for candles.", "attributes": ["long lasting", "lead free", "eco friendly", "soy wax"], "options": ["color: jar brown"], "instruction_attributes": ["long lasting", "eco friendly", "soy wax"], "instruction_options": ["jar brown"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKQVSGE", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08RJ7CJG7", "instruction": "i want special glass soy wax scented candles.", "attributes": ["long lasting", "lead free", "eco friendly", "soy wax"], "options": ["color: glass 2"], "instruction_attributes": ["soy wax"], "instruction_options": ["glass 2"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP8P6D1", "worker_id": "A2RBF3IIJP15IH"}], "B0828M96S7": [{"asin": "B0828M96S7", "instruction": "i am looking for a silver water and birch style of anti perspirant deodorant", "attributes": ["anti perspirant", "long lasting"], "options": ["style: silver water and birch"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["silver water and birch"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0J0KGE1", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B0828M96S7", "instruction": "i am looking for long lasting sage and citrus anti perspirant.", "attributes": ["anti perspirant", "long lasting"], "options": ["style: sage and citrus"], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": ["sage and citrus"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK45Q6AX", "worker_id": "A1EREKSZAA9V7B"}], "B079M1L3GN": [{"asin": "B079M1L3GN", "instruction": "i am looking for a 3 inch queen size memory foam mattress toppers.", "attributes": ["queen size", "memory foam"], "options": ["color: 3 inch", "size: california king", "style: topper and cover"], "instruction_attributes": ["queen size", "memory foam"], "instruction_options": ["3 inch"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE23JGQO", "worker_id": "A1V2JTEEBCXR20"}], "B06XVDHJQG": [{"asin": "B06XVDHJQG", "instruction": "i am searching for dark brown synthetic hair extensions with the size of 22 inch and pack of 1.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: dark brown", "size: 22 inch (pack of 1)"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["dark brown", "22 inch (pack of 1)"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJRIXBL", "worker_id": "A9ZM1P6LBW79"}], "B09MQFZT7G": [{"asin": "B09MQFZT7G", "instruction": "i need a white storage cabinet tv stand that is easy to assemble and goes in my living room. it should be highly glossy.", "attributes": ["easy assemble", "high gloss", "tempered glass", "living room"], "options": ["color: 63\" white-2 cabinet"], "instruction_attributes": ["easy assemble", "high gloss", "living room"], "instruction_options": ["63\" white-2 cabinet"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCJCIPC", "worker_id": "A1NF6PELRKACS9"}], "B07QFL1S9C": [{"asin": "B07QFL1S9C", "instruction": "i need a high quality perfume atomizer bottle that is easy to carry and has 1 color.", "attributes": ["easy carry", "high quality", "fine mist"], "options": ["color: 1"], "instruction_attributes": ["easy carry", "high quality"], "instruction_options": ["1"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIOF85J", "worker_id": "A1NF6PELRKACS9"}], "B09FGLB9L8": [{"asin": "B09FGLB9L8", "instruction": "i would like a 20m digital 4g lte coaxial cable that's male to female.", "attributes": ["coaxial cable", "4g lte"], "options": ["color: n male to n female", "size: 20m"], "instruction_attributes": ["coaxial cable", "4g lte"], "instruction_options": ["n male to n female", "20m"], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSX66TJ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09FGLB9L8", "instruction": "i am looking for a cable extension that is male to male and supports 4g lte.", "attributes": ["coaxial cable", "4g lte"], "options": ["color: n male to n male", "size: 15m"], "instruction_attributes": ["4g lte"], "instruction_options": ["n male to n male"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R0V7WS", "worker_id": "AHXHM1PQTRWIQ"}], "B01MCV2G56": [{"asin": "B01MCV2G56", "instruction": "i'm looking for furniture was in living room the color was crystal gray furniture was so good.", "attributes": ["lead free", "living room"], "options": ["color: frosted crystal gray", "size: 35.4 x 78.7 inches"], "instruction_attributes": ["living room"], "instruction_options": ["frosted crystal gray"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3SNZMG", "worker_id": "A16IQOX0DK14OJ"}], "B0049YMA9W": [{"asin": "B0049YMA9W", "instruction": "i'm looking for a great river organic milling flour.", "attributes": ["certified organic", "non gmo", "ready eat"], "options": ["pattern name: flour + dark rye flour", "size: 50 pound (pack of 1)", "style: graham"], "instruction_attributes": ["certified organic"], "instruction_options": ["flour + dark rye flour", "50 pound (pack of 1)", "graham"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OPB99T", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08T6YGGGX": [{"asin": "B08T6YGGGX", "instruction": "i'm looking for a vanity mirror easy to install 40x32 with light led", "attributes": ["wall mounted", "easy install"], "options": ["size: inlaid-40x32"], "instruction_attributes": ["easy install"], "instruction_options": ["inlaid-40x32"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME957D2F", "worker_id": "A2Y2TURT2VEYZN"}], "B08PYG5KJ2": [{"asin": "B08PYG5KJ2", "instruction": "i am looking for an empty lip gloss tube 5ml which is of high quality and leak proof.", "attributes": ["high quality", "leak proof", "easy carry"], "options": [""], "instruction_attributes": ["high quality", "leak proof"], "instruction_options": [], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUH95S1", "worker_id": "AHU9OLV0YKIIW"}], "B07NSFKJFC": [{"asin": "B07NSFKJFC", "instruction": "i am looking for a zero sugar flavor syrups of banana split", "attributes": ["keto friendly", "sugar free", "gluten free", "zero sugar"], "options": ["flavor name: banana split"], "instruction_attributes": ["zero sugar"], "instruction_options": ["banana split"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYPXQ9E", "worker_id": "A9QRQL9CFJBI7"}], "B0843SFXGL": [{"asin": "B0843SFXGL", "instruction": "i am looking for steel frame chairs in grey color", "attributes": ["mid century", "easy install", "easy assemble", "lumbar support", "steel frame"], "options": ["color: 3011-grey"], "instruction_attributes": ["steel frame"], "instruction_options": ["3011-grey"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTUGP9T", "worker_id": "A16M39T60N60NO"}], "B09P3PYJJJ": [{"asin": "B09P3PYJJJ", "instruction": "can i get a green women short sleeve dandelion printed blouse thats is loose fit and desirable for day comfort?", "attributes": ["loose fit", "day comfort", "hand wash", "short sleeve", "polyester spandex", "teen girls"], "options": ["color: z14-green", "size: medium"], "instruction_attributes": ["loose fit", "day comfort", "short sleeve"], "instruction_options": ["z14-green"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLYPBYK", "worker_id": "AHU9OLV0YKIIW"}], "B07RRWQQB9": [{"asin": "B07RRWQQB9", "instruction": "i'm looking for walnut color home accessories its very easy to clean.", "attributes": ["easy install", "easy clean", "easy assemble", "metal legs"], "options": ["color: walnut", "size: 39.4 inches"], "instruction_attributes": ["easy clean", "easy assemble"], "instruction_options": ["walnut"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3ZK7QU", "worker_id": "A16IQOX0DK14OJ"}], "B09MLZ254V": [{"asin": "B09MLZ254V", "instruction": "i am looking for anti slip athletic sneakers in black yellow", "attributes": ["non slip", "slip resistant", "anti slip", "arch support", "rubber sole"], "options": ["color: black yellow black-5", "size: 15 women | 12 men"], "instruction_attributes": ["anti slip"], "instruction_options": ["black yellow black-5"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV3CHBT", "worker_id": "A2MSIFDLOHI1UT"}], "B084LPGQ46": [{"asin": "B084LPGQ46", "instruction": "i'm looking for a fresh baked snack cakes made with good quality ingredients. also choose pack of 1 with weight 4 ounce one.", "attributes": ["baked fresh", "quality ingredients"], "options": ["size: 4 ounce (pack of 1)"], "instruction_attributes": ["baked fresh", "quality ingredients"], "instruction_options": ["4 ounce (pack of 1)"], "assignment_id": "326O153BMT8RVOXTJJKKGXV366ODE4", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B084LPGQ46", "instruction": "i would like two pounds of baked fresh snack cakes.", "attributes": ["baked fresh", "quality ingredients"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["baked fresh"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VF88EA", "worker_id": "A2ECRNQ3X5LEXD"}], "B07JB8FRGT": [{"asin": "B07JB8FRGT", "instruction": "i'm looking for midnight bakck smartwatch accessories. its can long lasting product.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: midnight black & white, black", "size: 38 | 40 - m"], "instruction_attributes": ["compatible apple"], "instruction_options": ["midnight black & white, black"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLKEM0J", "worker_id": "A16IQOX0DK14OJ"}], "B08XN9RKQV": [{"asin": "B08XN9RKQV", "instruction": "i'm looking for short and long sleeve for women men its for slim fit.", "attributes": ["loose fit", "daily casual", "slim fit", "short sleeve", "long sleeve"], "options": ["color: black", "size: small"], "instruction_attributes": ["loose fit", "slim fit", "short sleeve", "long sleeve"], "instruction_options": ["black"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227I3F8J", "worker_id": "A16IQOX0DK14OJ"}], "B08TC36KJL": [{"asin": "B08TC36KJL", "instruction": "i seek a tripod stand that is compatible with my iphone and is easy to carry.", "attributes": ["easy carry", "aluminum alloy"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQCE6SC", "worker_id": "AHXHM1PQTRWIQ"}], "B07QZFKFT9": [{"asin": "B07QZFKFT9", "instruction": "i am searching for a z2 black colored swimsuit cover up wide leg pants. also, choose the loose fit.", "attributes": ["wide leg", "loose fit", "drawstring closure"], "options": ["color: z2-black", "size: medium"], "instruction_attributes": ["wide leg", "loose fit"], "instruction_options": ["z2-black"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPLU6E0", "worker_id": "A9ZM1P6LBW79"}], "B09Q1NWKL8": [{"asin": "B09Q1NWKL8", "instruction": "i am looking for 6 boxes of cookies. these should be individually wrapped.", "attributes": ["individually wrapped", "great gift"], "options": ["flavor name: macadamia nut", "size: 6 boxes"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["6 boxes"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANH2SXJ", "worker_id": "A3FG5PQHG5AH3Y"}], "B07VZVYG4C": [{"asin": "B07VZVYG4C", "instruction": "i am looking for a gluten free nut bars of almond blueberry flavor", "attributes": ["gluten free", "grain free", "low sugar", "soy free", "certified organic", "dairy free", "non gmo", "natural flavors"], "options": ["flavor name: almond blueberry"], "instruction_attributes": ["gluten free"], "instruction_options": ["almond blueberry"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA6OR80", "worker_id": "A9QRQL9CFJBI7"}], "B0953BBDT4": [{"asin": "B0953BBDT4", "instruction": "i saw the butterfly flower nail art.", "attributes": ["high quality", "non toxic", "nail art"], "options": ["style: butterflyflower"], "instruction_attributes": ["nail art"], "instruction_options": ["butterflyflower"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN0CTPO", "worker_id": "A226L9F2AZ38CL"}], "B093B54PCJ": [{"asin": "B093B54PCJ", "instruction": "alex evenings a-line women's long dress is what i want to buy today, with hood draped in the back, help find this model in dark plum, hand wash.", "attributes": ["hand wash", "imported zipper"], "options": ["color: dark plum", "size: 10"], "instruction_attributes": ["hand wash"], "instruction_options": ["dark plum", "10"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VG2E8C", "worker_id": "A15IJ20C3R4HUO"}], "B09Q951VRW": [{"asin": "B09Q951VRW", "instruction": "i'm looking for a butt lifting yoga pants with high waist tummy control band. also, choose large size black colored one.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: black", "size: large"], "instruction_attributes": ["butt lifting", "tummy control", "high waist"], "instruction_options": ["black", "large"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRF9NWS", "worker_id": "AR0VJ5XRG16UJ"}], "B09PXDCS4G": [{"asin": "B09PXDCS4G", "instruction": "i am looking for a black portable bluetooth speakers which is easy carry", "attributes": ["power amplifier", "easy carry"], "options": ["color: black"], "instruction_attributes": ["easy carry"], "instruction_options": ["black"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJT4BXP", "worker_id": "A9QRQL9CFJBI7"}], "B08TX29XY9": [{"asin": "B08TX29XY9", "instruction": "i am looking for an underwater themed 6 foot by 9 foot light weight vinyl photography backdrop.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 11", "size: 6x9 ft"], "instruction_attributes": ["light weight"], "instruction_options": ["6x9 ft"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF96D9S", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08TX29XY9", "instruction": "i am looking for a 6x9 ft backgrounds for digital photography.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 01", "size: 6x9 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["6x9 ft"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIFPFV7", "worker_id": "A9QRQL9CFJBI7"}], "B012H0BI7O": [{"asin": "B012H0BI7O", "instruction": "i am looking for high quality long lasting mudslide colored liquid lipstick.", "attributes": ["cruelty free", "long lasting", "highly pigmented", "high quality"], "options": ["color: mudslide"], "instruction_attributes": ["long lasting", "high quality"], "instruction_options": ["mudslide"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO6XGJZ", "worker_id": "A1EREKSZAA9V7B"}], "B09SV5Z81W": [{"asin": "B09SV5Z81W", "instruction": "i am looking for a antiperspirant deodorant.", "attributes": ["long lasting", "anti perspirant"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM931I13", "worker_id": "A9QRQL9CFJBI7"}], "B086JQP3JN": [{"asin": "B086JQP3JN", "instruction": "i am looking long totally cruelty-free,reusable &handmade high quality color xmz212 size :3 pair", "attributes": ["cruelty free", "high quality"], "options": ["color: xmz212", "size: 3 pair (pack of 1)"], "instruction_attributes": ["cruelty free", "high quality"], "instruction_options": ["xmz212", "3 pair (pack of 1)"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI76OGZ2", "worker_id": "A3N9ZYQAESNFQH"}], "B0091K993O": [{"asin": "B0091K993O", "instruction": "i am looking for paraben free makeup powder. please choose copper color.", "attributes": ["highly pigmented", "paraben free", "cruelty free", "nail art"], "options": ["color: copper", "size: 1 ounce"], "instruction_attributes": ["paraben free"], "instruction_options": ["copper"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZNJ1YE", "worker_id": "A3FG5PQHG5AH3Y"}], "B01451UXUG": [{"asin": "B01451UXUG", "instruction": "i am looking for anti aging serum for dry skin.", "attributes": ["anti aging", "plant based", "fine lines", "dry skin"], "options": [""], "instruction_attributes": ["anti aging", "dry skin"], "instruction_options": [], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8F1R5A", "worker_id": "A3FG5PQHG5AH3Y"}], "B001BCXI14": [{"asin": "B001BCXI14", "instruction": "i'm looking for a 24 pack ro-tel mild diced tomatoes and green chilies.", "attributes": ["low carb", "dietary fiber"], "options": ["flavor: mild"], "instruction_attributes": ["low carb"], "instruction_options": ["mild"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFF902I", "worker_id": "A1ZGOZQF2VZ0X9"}], "B084QHSD15": [{"asin": "B084QHSD15", "instruction": "i am looking for a easy assemble bookcases", "attributes": ["assembly required", "easy assemble"], "options": [""], "instruction_attributes": ["easy assemble"], "instruction_options": [], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROKS5WWM", "worker_id": "A9QRQL9CFJBI7"}], "B0912QMLM6": [{"asin": "B0912QMLM6", "instruction": "i'm looking for a omysalon all purpose hydraulic barber chair .", "attributes": ["heavy duty", "height adjustable", "beauty salon"], "options": ["color: red"], "instruction_attributes": ["heavy duty", "height adjustable", "beauty salon"], "instruction_options": ["red"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL5QAE2", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09GK1QJFW": [{"asin": "B09GK1QJFW", "instruction": "ultra long carbon fiber pole monopod 106\" upgraded selfie stick", "attributes": ["aluminum alloy", "carbon fiber"], "options": ["color: 106\" upgraded selfie stick"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["106\" upgraded selfie stick"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHT86LNY", "worker_id": "A3N9ZYQAESNFQH"}], "B088VRGYLS": [{"asin": "B088VRGYLS", "instruction": "i need 6 fresh baked shortbread cookies that are individually wrapped.", "attributes": ["baked fresh", "individually wrapped", "gift basket"], "options": ["number of items: 6"], "instruction_attributes": ["baked fresh", "individually wrapped"], "instruction_options": ["6"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GLX3SO", "worker_id": "A1NF6PELRKACS9"}], "B08GWS7NY4": [{"asin": "B08GWS7NY4", "instruction": "i am looking for a c- -coffee collection color acrylic nail tools for mnail art", "attributes": ["highly pigmented", "nail art"], "options": ["color: c-coffee collection"], "instruction_attributes": ["nail art"], "instruction_options": ["c-coffee collection"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY868518P", "worker_id": "A9QRQL9CFJBI7"}], "B07PGSRPHY": [{"asin": "B07PGSRPHY", "instruction": "i'm looking for a button-tufted stitched sofa that offers a mid-century look. i would prefer one with a clay gold finish.", "attributes": ["mid century", "button tufted"], "options": ["color: clay, gold finish"], "instruction_attributes": ["mid century", "button tufted"], "instruction_options": [], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2IDFKI", "worker_id": "A1HMZJ59OPLD1P"}], "B08RS1WGV9": [{"asin": "B08RS1WGV9", "instruction": "i'm looking for a breakfast cereal bars in a gift box. also, choose pack of 1 which weighs 5.4 ounce with fluffernutter crispies flavored one.", "attributes": ["great gift", "gift basket"], "options": ["flavor: fluffernutter crispies", "size: 5.4 ounce (pack of 1)"], "instruction_attributes": ["gift basket"], "instruction_options": ["fluffernutter crispies", "5.4 ounce (pack of 1)"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66PDFZN", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B08RS1WGV9", "instruction": "i'm looking for rice crispy treats by bunch of munchies.", "attributes": ["great gift", "gift basket"], "options": ["flavor: chocolit chip crispies", "size: 5.9 ounce (pack of 1)"], "instruction_attributes": ["great gift"], "instruction_options": [], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WCNUO5", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B08RS1WGV9", "instruction": "i want by a gift easter basket with the og crispie - gourmet rice crispy, 5.9 ounce (pack of 1).", "attributes": ["great gift", "gift basket"], "options": ["flavor: the og crispies", "size: 5.9 ounce (pack of 1)"], "instruction_attributes": ["gift basket"], "instruction_options": ["the og crispies", "5.9 ounce (pack of 1)"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL2ZVRF", "worker_id": "A15IJ20C3R4HUO"}], "B07DPVGL5G": [{"asin": "B07DPVGL5G", "instruction": "i need a high protein snack which is gluten and grain free. i really like the smoky serrano flavor.", "attributes": ["high protein", "grain free", "artificial ingredients", "keto friendly", "low carb", "non gmo", "gluten free", "quality ingredients"], "options": ["flavor name: smoky serrano", "size: 4 ounce (pack of 1)"], "instruction_attributes": ["high protein", "grain free", "gluten free"], "instruction_options": ["smoky serrano"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJOGMOX", "worker_id": "A1NF6PELRKACS9"}], "B0192BWQV8": [{"asin": "B0192BWQV8", "instruction": "i'm looking for hair care for hair extenions its for permanent hair.", "attributes": ["long lasting", "permanent hair"], "options": ["color: b05 steel blue"], "instruction_attributes": ["permanent hair"], "instruction_options": ["b05 steel blue"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFQ0V3W", "worker_id": "A16IQOX0DK14OJ"}], "B09L5XKVZC": [{"asin": "B09L5XKVZC", "instruction": "i am looking for a green ottomans for living room.", "attributes": ["easy clean", "faux leather", "dining room", "living room"], "options": ["color: green"], "instruction_attributes": ["living room"], "instruction_options": ["green"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0U7W59", "worker_id": "A9QRQL9CFJBI7"}], "B08GLV1RYQ": [{"asin": "B08GLV1RYQ", "instruction": "i am looking for a nautical color of fruit juice for party supplies", "attributes": ["bpa free", "party supplies"], "options": ["color: nautical"], "instruction_attributes": ["party supplies"], "instruction_options": ["nautical"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU74R57B", "worker_id": "A9QRQL9CFJBI7"}], "B08FBK3N18": [{"asin": "B08FBK3N18", "instruction": "i'm looking for furniture it was for living room furniture.", "attributes": ["solid wood", "contemporary design", "living room"], "options": ["size: sofa, loveseat and 2 ottoman living room..."], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["sofa, loveseat and 2 ottoman living room..."], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N71T7E", "worker_id": "A16IQOX0DK14OJ"}], "B09HLCBY4S": [{"asin": "B09HLCBY4S", "instruction": "i need a rose gold tattoo machine for permanent makeup.", "attributes": ["long lasting", "easy use", "rose gold"], "options": ["color: meraki ii - pink", "style: machine"], "instruction_attributes": ["rose gold"], "instruction_options": ["machine"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O1R2AH", "worker_id": "A1NF6PELRKACS9"}], "B09MVK3JG4": [{"asin": "B09MVK3JG4", "instruction": "i am looking for small sized sweatshirt. it should be machine washable.", "attributes": ["quick drying", "machine washable", "long sleeve", "laundry bag", "daily wear"], "options": ["color: snk-xmas tops a168-green", "size: small"], "instruction_attributes": ["machine washable"], "instruction_options": ["small"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7XHP5K", "worker_id": "A3FG5PQHG5AH3Y"}], "B001M0MN0C": [{"asin": "B001M0MN0C", "instruction": "i need small boxer briefs that are quick dry and white.", "attributes": ["quick drying", "elastic closure"], "options": ["color: white", "size: small"], "instruction_attributes": ["quick drying"], "instruction_options": ["white", "small"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSK28BL", "worker_id": "A1NF6PELRKACS9"}], "B07T43L34M": [{"asin": "B07T43L34M", "instruction": "i am looking for a clinically proven face moisturizer cream which supports anti aging", "attributes": ["clinically proven", "anti aging", "hyaluronic acid", "fine lines"], "options": [""], "instruction_attributes": ["clinically proven", "anti aging"], "instruction_options": [], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWDSNF5", "worker_id": "A2COCSUGZV28X"}], "B0828P658S": [{"asin": "B0828P658S", "instruction": "i am looking for a 4.0 rustic brown 1 color home office desk that is easy to assemble.", "attributes": ["easy assemble", "steel frame"], "options": ["color: 4.0 rustic brown 1"], "instruction_attributes": ["easy assemble"], "instruction_options": ["4.0 rustic brown 1"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4T37KD", "worker_id": "A1Q8PPQQCWGY0D"}], "B09NSPLRC1": [{"asin": "B09NSPLRC1", "instruction": "i'm looking for skin care products for hair styling products.", "attributes": ["hair salon", "hair styling"], "options": ["size: d type | red with leg"], "instruction_attributes": ["hair salon", "hair styling"], "instruction_options": ["d type | red with leg"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVNW713", "worker_id": "A16IQOX0DK14OJ"}], "B09F8WTGQN": [{"asin": "B09F8WTGQN", "instruction": "i am looking for forest green teal blue 6 colors nail polish.", "attributes": ["easy use", "nail polish", "nail art"], "options": ["color: glitter\uff1aforest green teal blue 6 colors"], "instruction_attributes": ["nail polish"], "instruction_options": ["glitter\uff1aforest green teal blue 6 colors"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98SSYKL", "worker_id": "A9QRQL9CFJBI7"}], "B097GYX5VD": [{"asin": "B097GYX5VD", "instruction": "womens like high quality and dark color make up accessories", "attributes": ["high quality", "rose gold"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0DV16J", "worker_id": "A226L9F2AZ38CL"}], "B017DVGX1I": [{"asin": "B017DVGX1I", "instruction": "i want to find a brown wall mounted wall sconce with a bronze finish.", "attributes": ["wall mounted", "bronze finish"], "options": ["color: brown"], "instruction_attributes": ["wall mounted", "bronze finish"], "instruction_options": ["brown"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83K1JI8", "worker_id": "A345TDMHP3DQ3G"}], "B09D2YLDZ9": [{"asin": "B09D2YLDZ9", "instruction": "i am looking for new clear and easy clean tablecloth top protection cover", "attributes": ["eco friendly", "easy clean", "dining room"], "options": ["color: new clear", "size: 36x66 inch"], "instruction_attributes": ["easy clean"], "instruction_options": ["new clear"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LKV5IZ", "worker_id": "A258PTOZ3D2TQR"}], "B01MTRVZ1V": [{"asin": "B01MTRVZ1V", "instruction": "i am looking for a multicolor runner area rug to go in my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: multi", "item shape: runner", "size: 9 ft x 12 ft"], "instruction_attributes": ["living room"], "instruction_options": ["multi", "runner"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98RLYKC", "worker_id": "A1NF6PELRKACS9"}], "B09JHW1HML": [{"asin": "B09JHW1HML", "instruction": "a super soft and warm flash light weight machine washable blanket for leaving room size:80\"60\"", "attributes": ["super soft", "machine washable", "living room"], "options": ["size: 80\"x60\""], "instruction_attributes": ["super soft", "machine washable"], "instruction_options": ["80\"x60\""], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTNDO6Z", "worker_id": "A3N9ZYQAESNFQH"}], "B01MSX5462": [{"asin": "B01MSX5462", "instruction": "i am looking for golden blonde human hair extensions.", "attributes": ["high quality", "hair extensions", "natural hair"], "options": ["color: p-light blonde highlighted golden blonde #16 | 22", "size: 20 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["p-light blonde highlighted golden blonde #16 | 22"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVHVZSI", "worker_id": "A3FG5PQHG5AH3Y"}], "B07XDTGNQL": [{"asin": "B07XDTGNQL", "instruction": "i'm looking for aluminum tripod light weighted products because it can easy to carry.", "attributes": ["carbon fiber", "aluminum alloy"], "options": [""], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZEKPC9", "worker_id": "A16IQOX0DK14OJ"}], "B07BVWFCNH": [{"asin": "B07BVWFCNH", "instruction": "i'm looking for hair rose gold colored products.", "attributes": ["easy use", "rose gold", "hair dye", "permanent hair", "natural hair"], "options": ["color: 7.2"], "instruction_attributes": ["rose gold", "hair dye"], "instruction_options": ["7.2"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWRAPFI", "worker_id": "A16IQOX0DK14OJ"}], "B089QBLHBL": [{"asin": "B089QBLHBL", "instruction": "i need a gift basket of gluten free food items for my family. and i would prefer 16 bars & card size", "attributes": ["gluten free", "individually wrapped", "high fructose", "natural ingredients", "gift basket"], "options": ["size: 16 bars & card"], "instruction_attributes": ["gluten free", "gift basket"], "instruction_options": ["16 bars & card"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTUHWXL", "worker_id": "A2COCSUGZV28X"}], "B07SS5LM81": [{"asin": "B07SS5LM81", "instruction": "i am looking for individually wrapped lollipops jar. it should be in pearl kiwi green and green apple flavor.", "attributes": ["individually wrapped", "baby shower"], "options": ["flavor name: pearl kiwi green - green apple"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["pearl kiwi green - green apple"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIFGFVY", "worker_id": "A1NF6PELRKACS9"}], "B095C9MFHH": [{"asin": "B095C9MFHH", "instruction": "i'm looking for high power monocular telescope with smartphone holder and tripod", "attributes": ["non slip", "high power", "bird watching"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCX346X", "worker_id": "A258PTOZ3D2TQR"}], "B07MKB1HLV": [{"asin": "B07MKB1HLV", "instruction": "i am looking for vanity wall lamp of 2 pack.", "attributes": ["easy install", "glass shade", "vanity light", "light fixture", "dining room", "living room"], "options": ["color: orb,3-lights", "size: 2-pack"], "instruction_attributes": ["vanity light"], "instruction_options": ["2-pack"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQY8D77F", "worker_id": "A3FG5PQHG5AH3Y"}], "B09GB4CSW7": [{"asin": "B09GB4CSW7", "instruction": "i am looking ac adapters with good output production", "attributes": ["output protection", "easy carry"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZQV50L", "worker_id": "A16M39T60N60NO"}, {"asin": "B09GB4CSW7", "instruction": "i would like a ac adapter that is easy to carry.", "attributes": ["output protection", "easy carry"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOMPML0", "worker_id": "A1WS884SI0SLO4"}], "B0992XPRW7": [{"asin": "B0992XPRW7", "instruction": "i'm looking for one cocktail mix gluten free and natural ingredients spicy bloody mary flavor in pack of 2 with 32 fl oz", "attributes": ["old fashioned", "low calorie", "low carb", "gluten free", "high fructose", "natural ingredients"], "options": ["flavor name: spicy bloody mary variety pack", "size: 32 fl oz (pack of 2)"], "instruction_attributes": ["gluten free", "natural ingredients"], "instruction_options": ["spicy bloody mary variety pack", "32 fl oz (pack of 2)"], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSW3T61", "worker_id": "A2Y2TURT2VEYZN"}], "B09368SY2Q": [{"asin": "B09368SY2Q", "instruction": "i need 3v long lasting and high performance batteries in a pack of 6", "attributes": ["long lasting", "high performance"], "options": ["size: 6 pack"], "instruction_attributes": ["long lasting", "high performance"], "instruction_options": ["6 pack"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K70218", "worker_id": "ASWFLI3N8X72G"}], "B0868LDR64": [{"asin": "B0868LDR64", "instruction": "i'm looking for high heeled shoes and open toe it will easy to wear", "attributes": ["open toe", "ankle strap", "arch support", "high heel", "button closure"], "options": ["color: y-03 black", "size: 5.5"], "instruction_attributes": ["open toe", "ankle strap", "high heel"], "instruction_options": ["y-03 black"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOJJDYB", "worker_id": "A16IQOX0DK14OJ"}], "B09LT57M8J": [{"asin": "B09LT57M8J", "instruction": "i am looking for birthday cake in black 40", "attributes": ["birthday cake", "cupcake picks", "birthday party"], "options": ["pattern name: black 40"], "instruction_attributes": ["birthday cake"], "instruction_options": ["black 40"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHBUE1S", "worker_id": "A2MSIFDLOHI1UT"}], "B081J14LT6": [{"asin": "B081J14LT6", "instruction": "i'm looking for wall art for hanging through the wall.", "attributes": ["ready hang", "living room"], "options": ["color: custom metal print h03", "size: 30\" x 40\""], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["custom metal print h03"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7OD3IG", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B081J14LT6", "instruction": "i need a custom metal print poster for my living room", "attributes": ["ready hang", "living room"], "options": ["color: custom metal print h17", "size: 20\" round"], "instruction_attributes": ["living room"], "instruction_options": ["custom metal print h17"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC59QRKX", "worker_id": "AVIEE6LDH0BT5"}], "B08TWPVRNK": [{"asin": "B08TWPVRNK", "instruction": "i'm looking for grey colored men's closed toe sports sandals in size 8 please.", "attributes": ["quick drying", "anti slip", "closed toe", "rubber sole"], "options": ["color: grey", "size: 8"], "instruction_attributes": ["closed toe"], "instruction_options": ["grey", "8"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWY5R1Z", "worker_id": "A20DUVEOH6A7KW"}], "B07CJW395Z": [{"asin": "B07CJW395Z", "instruction": "i looking a solid wood home furnishing 2 drawer nightstand", "attributes": ["engineered wood", "solid wood", "home furnishings"], "options": ["style: 2 drawer nightstand"], "instruction_attributes": ["solid wood", "home furnishings"], "instruction_options": ["2 drawer nightstand"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKB0NE8", "worker_id": "A3N9ZYQAESNFQH"}], "B091G7H187": [{"asin": "B091G7H187", "instruction": "i'm looking for some vinyl women's clogs in taupe color, size 9.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: taupe", "size: 9 women | 7 men"], "instruction_attributes": ["ethylene vinyl", "vinyl acetate"], "instruction_options": ["taupe", "9 women | 7 men"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61TEZWI", "worker_id": "A19317A3X87NVM"}], "B098LHMX6X": [{"asin": "B098LHMX6X", "instruction": "i need a matcha green team exfoliating scrub that is effective for removing dead skin from the surface of the skin.", "attributes": ["fine lines", "dead skin"], "options": ["size: matcha green team"], "instruction_attributes": ["dead skin"], "instruction_options": ["matcha green team"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV5A8DO", "worker_id": "A1HMZJ59OPLD1P"}], "B09GYG7R75": [{"asin": "B09GYG7R75", "instruction": "show me trail running shoes with a rubber sole. it should be 4.5 for men.", "attributes": ["anti slip", "rubber sole"], "options": ["color: black red pumpkin w", "size: 6.5 women | 4.5 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["6.5 women | 4.5 men"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYOEHDQ", "worker_id": "A15ERD4HOFEPHM"}], "B097GVZ2RN": [{"asin": "B097GVZ2RN", "instruction": "i am looking for a 05 red color women sneakers for day comfort", "attributes": ["open toe", "knee high", "day comfort", "ankle strap", "steel toe", "quality materials", "teen girls"], "options": ["color: 05 red", "size: 8"], "instruction_attributes": ["day comfort"], "instruction_options": [], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8F15RO", "worker_id": "A9QRQL9CFJBI7"}], "B08CK6XD3G": [{"asin": "B08CK6XD3G", "instruction": "i'm looking for a yaliaprint dragonfly blackout curtains.", "attributes": ["machine washable", "long lasting", "white item"], "options": ["color: color18", "size: 72\" w x 63\" l"], "instruction_attributes": ["white item"], "instruction_options": ["color18", "72\" w x 63\" l"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841BWXAT", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08JY6ZPSS": [{"asin": "B08JY6ZPSS", "instruction": "i'm looking for navy colored large sized jackets it can use for winter warm.", "attributes": ["fleece lined", "winter warm", "machine wash"], "options": ["color: navy", "size: large"], "instruction_attributes": ["winter warm", "machine wash"], "instruction_options": ["navy", "large"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q4UDK0", "worker_id": "A16IQOX0DK14OJ"}], "B09NLMYPR4": [{"asin": "B09NLMYPR4", "instruction": "i need a golden colored coffee table that is easy to assemble. choose one for my living room.", "attributes": ["easy clean", "easy assemble", "clear glass", "tempered glass", "living room"], "options": ["color: golden", "material type: walnut"], "instruction_attributes": ["easy assemble", "living room"], "instruction_options": ["golden"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HZH1DA", "worker_id": "A1NF6PELRKACS9"}], "B09ST1YZGV": [{"asin": "B09ST1YZGV", "instruction": "i want to buy a hairbrush that increases hair growth.", "attributes": ["hair treatment", "hair growth"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZXXJZZ", "worker_id": "A2YNPKYEFDZ6C9"}], "B084YQXS27": [{"asin": "B084YQXS27", "instruction": "i want to get a high performance security camera with ultra hd resolution.", "attributes": ["certified refurbished", "ultra hd", "heavy duty", "high performance"], "options": [""], "instruction_attributes": ["ultra hd", "high performance"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5GMZ10", "worker_id": "ASWFLI3N8X72G"}], "B00U7BZDFO": [{"asin": "B00U7BZDFO", "instruction": "i am interested in a six pack of non gmo crackers.", "attributes": ["non gmo", "hand crafted", "0g trans", "quality ingredients", "artificial flavors"], "options": ["flavor name: melting parmesan, dijon swiss, cheddar &...", "size: 4 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["4 ounce (pack of 6)"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW9JS83", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LVGMZW4": [{"asin": "B09LVGMZW4", "instruction": "i'm looking for accent furniture for living room.", "attributes": ["mid century", "easy install", "metal legs", "living room"], "options": ["color: beige"], "instruction_attributes": ["mid century", "easy install", "living room"], "instruction_options": ["beige"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7XPY6X", "worker_id": "A16IQOX0DK14OJ"}], "B000WCZN9Y": [{"asin": "B000WCZN9Y", "instruction": "i'm looking for a amy's soup.", "attributes": ["low fat", "easy prepare", "bpa free", "gluten free", "nut free", "soy free", "certified organic", "dairy free"], "options": [""], "instruction_attributes": ["low fat", "gluten free", "certified organic"], "instruction_options": [], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X6I3YR", "worker_id": "A1ZGOZQF2VZ0X9"}], "B083GKZWVX": [{"asin": "B083GKZWVX", "instruction": "i want a doorbell camera that's 1080p and has motion detection.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3UUX6JU", "worker_id": "AR9AU5FY1S3RO"}], "B07B5NKTTG": [{"asin": "B07B5NKTTG", "instruction": "i'm looking for decor room for living room its full of wood finish and want to buy it.", "attributes": ["mid century", "faux leather", "wood finish"], "options": ["color: cream | walnut", "size: 30\" bar height"], "instruction_attributes": ["faux leather", "wood finish"], "instruction_options": ["cream | walnut"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWC3NFE", "worker_id": "A16IQOX0DK14OJ"}], "B08N525ZVS": [{"asin": "B08N525ZVS", "instruction": "find me a kitchen table with metal legs in black oak with 39.37\" for dining room", "attributes": ["heavy duty", "easy clean", "easy assemble", "metal legs", "dining room", "living room"], "options": ["color: black oak", "size: 39.37\u201c"], "instruction_attributes": ["metal legs", "dining room"], "instruction_options": ["black oak", "39.37\u201c"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS3JVU3", "worker_id": "A2Y2TURT2VEYZN"}], "B08PVMTPKG": [{"asin": "B08PVMTPKG", "instruction": "i am looking for a 2 manual toothbrushes for sensitive teeth.", "attributes": ["easy carry", "sensitive teeth"], "options": ["size: 2"], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9TY78J", "worker_id": "A9QRQL9CFJBI7"}], "B09NHVNSM1": [{"asin": "B09NHVNSM1", "instruction": "i'm looking for snacks fully cooked no preservatives and need to buy it.", "attributes": ["fully cooked", "soy free"], "options": ["flavor name: chipotle habanero", "size: 1.5 ounce (pack of 8)"], "instruction_attributes": ["fully cooked"], "instruction_options": ["chipotle habanero"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FGKLEO", "worker_id": "A16IQOX0DK14OJ"}], "B094H3G7V2": [{"asin": "B094H3G7V2", "instruction": "i'm looking for accessories for women's for dead skin adn need to buy it.", "attributes": ["double sided", "rose gold", "dead skin", "beauty salon"], "options": [""], "instruction_attributes": ["double sided", "rose gold", "dead skin", "beauty salon"], "instruction_options": [], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MNLOF9", "worker_id": "A16IQOX0DK14OJ"}], "B09PG876ZQ": [{"asin": "B09PG876ZQ", "instruction": "i'm looking for machine washable, daily wear boxer briefs with elastic waistband and has unique design. also choose x-large, love with hearts black colored one.", "attributes": ["machine wash", "unique design", "elastic waistband", "daily wear"], "options": ["color: love with hearts black", "size: x-large"], "instruction_attributes": ["machine wash", "unique design", "elastic waistband", "daily wear"], "instruction_options": ["love with hearts black", "x-large"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XRDGNG", "worker_id": "AR0VJ5XRG16UJ"}], "B07JBP95WQ": [{"asin": "B07JBP95WQ", "instruction": "i'm looking for intel core has install at any at easy and it will high perfomanced.", "attributes": ["certified refurbished", "high performance", "intel core"], "options": [""], "instruction_attributes": ["high performance", "intel core"], "instruction_options": [], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTEG5DO", "worker_id": "A16IQOX0DK14OJ"}], "B09JRXHZWX": [{"asin": "B09JRXHZWX", "instruction": "i am looking for a medium slim fit tops.", "attributes": ["slim fit", "daily casual", "hand wash", "machine wash", "long sleeve"], "options": ["color: b-lace black", "size: medium"], "instruction_attributes": ["slim fit"], "instruction_options": ["medium"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTTZXW2", "worker_id": "A9QRQL9CFJBI7"}], "B08QDV64XV": [{"asin": "B08QDV64XV", "instruction": "i am looking for a high power soundbar and it should be dust proof.", "attributes": ["dust proof", "high power"], "options": [""], "instruction_attributes": ["dust proof", "high power"], "instruction_options": [], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRW23F6", "worker_id": "AHU9OLV0YKIIW"}], "B077KLT1CT": [{"asin": "B077KLT1CT", "instruction": "i need bacon cheddar crisps that are not only keto friendly but also gluten free and low carb.", "attributes": ["keto friendly", "gluten free", "high protein", "low carb", "lactose free", "natural ingredients"], "options": ["flavor name: bacon cheddar", "size: 10 ounce (pack of 3)"], "instruction_attributes": ["keto friendly", "gluten free", "low carb"], "instruction_options": ["bacon cheddar"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83LIIJQ", "worker_id": "A1NF6PELRKACS9"}], "B07V1CR4HS": [{"asin": "B07V1CR4HS", "instruction": "i am looking orange almond muffin flavour baking mix with low carb,sugar free,gluten free made with natural ingredient", "attributes": ["low carb", "grain free", "gluten free", "keto friendly", "ready eat", "sugar free", "zero sugar", "quality ingredients", "natural ingredients"], "options": ["flavor name: orange almond muffin"], "instruction_attributes": ["low carb", "gluten free", "sugar free", "natural ingredients"], "instruction_options": ["orange almond muffin"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFLOEMX", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B07V1CR4HS", "instruction": "i want to get some keto friendly blueberry baking mix that's made from all-natural ingredients.", "attributes": ["low carb", "grain free", "gluten free", "keto friendly", "ready eat", "sugar free", "zero sugar", "quality ingredients", "natural ingredients"], "options": ["flavor name: blueberry"], "instruction_attributes": ["keto friendly", "natural ingredients"], "instruction_options": ["blueberry"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK4WJ34", "worker_id": "AR9AU5FY1S3RO"}], "B08D7559V3": [{"asin": "B08D7559V3", "instruction": "i'm looking for need to buy a machine washable and it easy to use it.", "attributes": ["machine washable", "easy install"], "options": ["color: deepteal", "size: large"], "instruction_attributes": ["machine washable"], "instruction_options": ["deepteal"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH153JHWW", "worker_id": "A16IQOX0DK14OJ"}], "B07ZNQBNCZ": [{"asin": "B07ZNQBNCZ", "instruction": "i am looking for dual band cellular booster", "attributes": ["dual band", "4g lte"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9B8AZH", "worker_id": "A16M39T60N60NO"}], "B081CDTRPD": [{"asin": "B081CDTRPD", "instruction": "i am looking for a 15 foot gold plated interconnect cable.", "attributes": ["power amplifier", "gold plated"], "options": ["size: 15 feet", "style: xlr female to 1 | 4 ts male"], "instruction_attributes": ["gold plated"], "instruction_options": ["15 feet"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22JTW8U", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B081CDTRPD", "instruction": "i want to find a female to dual cable that is 3.3 feet long. it needs to also come with a power amplifier.", "attributes": ["power amplifier", "gold plated"], "options": ["size: 3.3 feet", "style: xlr female to dual 1 | 4 ts male"], "instruction_attributes": ["power amplifier"], "instruction_options": ["3.3 feet", "xlr female to dual 1 | 4 ts male"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HOPWOP", "worker_id": "A345TDMHP3DQ3G"}], "B08VNG4HJ6": [{"asin": "B08VNG4HJ6", "instruction": "i'm looking for capacity in white plug play it was need to buy it.", "attributes": ["easy use", "plug play"], "options": ["capacity: white", "color: 320gb"], "instruction_attributes": ["plug play"], "instruction_options": ["white"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SULKVZE", "worker_id": "A16IQOX0DK14OJ"}], "B09S9WL9B4": [{"asin": "B09S9WL9B4", "instruction": "i am looking for a pair of women's size 7.5 open toe outdoor sandals.", "attributes": ["open toe", "arch support", "steel toe", "high heel", "ankle strap", "teen girls"], "options": ["color: xiezi-a010-black", "size: 7.5"], "instruction_attributes": ["open toe"], "instruction_options": ["7.5"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AKSOE9", "worker_id": "A1EREKSZAA9V7B"}], "B00VHAW406": [{"asin": "B00VHAW406", "instruction": "i'm looking for bedspreads it was easy to wash it was machine washable", "attributes": ["machine washable", "king size"], "options": ["color: white", "size: full(96\"x110\")"], "instruction_attributes": ["machine washable", "king size"], "instruction_options": ["white"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68GV4AP", "worker_id": "A16IQOX0DK14OJ"}], "B09LS2LS8T": [{"asin": "B09LS2LS8T", "instruction": "i'm looking for a slim fit dress shirt with a button closure. it should come in a 4 x large with a blue plaid pattern.", "attributes": ["slim fit", "quality polyester", "long sleeve", "button closure"], "options": ["color: plaid pattern blue", "size: 4x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["plaid pattern blue", "4x-large"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFU4T0P", "worker_id": "AR9AU5FY1S3RO"}], "B08PPNPJ9Q": [{"asin": "B08PPNPJ9Q", "instruction": "i need a white mid century table for my living room. it should be 15.6x23 inches in size.", "attributes": ["easy assemble", "mid century", "living room"], "options": ["color: white", "size: 15.6x23.5inch"], "instruction_attributes": ["mid century", "living room"], "instruction_options": ["white", "15.6x23.5inch"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY3P4J5", "worker_id": "A1NF6PELRKACS9"}], "B073214G9J": [{"asin": "B073214G9J", "instruction": "i am looking for a dark taupe home office desks with metal legs.", "attributes": ["contemporary design", "metal legs"], "options": ["color: dark taupe"], "instruction_attributes": ["metal legs"], "instruction_options": ["dark taupe"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQCSS6C", "worker_id": "A9QRQL9CFJBI7"}], "B08M3WKJ3W": [{"asin": "B08M3WKJ3W", "instruction": "i need a high speed plug and play external optical drive with usb. pick a black one.", "attributes": ["plug play", "high speed"], "options": ["color: black"], "instruction_attributes": ["plug play", "high speed"], "instruction_options": ["black"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQY9877C", "worker_id": "A1NF6PELRKACS9"}], "B071K4WP3P": [{"asin": "B071K4WP3P", "instruction": "i am looking for machine washable throw pillow cushion cover. please select peach mint color.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: peach mint", "size: 18 x 18-inch"], "instruction_attributes": ["machine washable"], "instruction_options": ["peach mint"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRN1MFN", "worker_id": "A3FG5PQHG5AH3Y"}], "B07NVWVV9R": [{"asin": "B07NVWVV9R", "instruction": "i'm looking for skin care moisturizing seed oil need to buy it.", "attributes": ["cruelty free", "seed oil", "dry skin", "fine lines"], "options": ["color: be bright be you"], "instruction_attributes": ["seed oil", "dry skin"], "instruction_options": [], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZQ7HS1", "worker_id": "A16IQOX0DK14OJ"}], "B08TVCFNPN": [{"asin": "B08TVCFNPN", "instruction": "wall plate cover in toggle combo", "attributes": ["heavy duty", "high gloss"], "options": ["style: outlet | toggle combo"], "instruction_attributes": ["heavy duty"], "instruction_options": ["outlet | toggle combo"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ881LF", "worker_id": "A10OGH5CQBXL5N"}], "B08FZTH28C": [{"asin": "B08FZTH28C", "instruction": "i am looking for white floral scent dab 002 in travel size", "attributes": ["long lasting", "travel size", "easy carry"], "options": ["scent: dab 002"], "instruction_attributes": ["travel size"], "instruction_options": ["dab 002"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SWTDU0", "worker_id": "A16M39T60N60NO"}], "B081GBD1G8": [{"asin": "B081GBD1G8", "instruction": "i want to buy canvas prints for the living room preferably having airplanes on them.", "attributes": ["ready hang", "living room", "dining room"], "options": ["color: 2810 - airplanes"], "instruction_attributes": ["living room"], "instruction_options": ["2810 - airplanes"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMOT6BC", "worker_id": "AHXHM1PQTRWIQ"}], "B09MSLSLNP": [{"asin": "B09MSLSLNP", "instruction": "i want to buy a six pack of snickerdoodle flavored hot chocolate. make sure it's gluten free.", "attributes": ["rich creamy", "gluten free"], "options": ["flavor name: snickerdoodle", "size: 14.8 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["snickerdoodle", "14.8 ounce (pack of 6)"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZILA7F", "worker_id": "AR9AU5FY1S3RO"}], "B07NDKS1X4": [{"asin": "B07NDKS1X4", "instruction": "i'm looking for the furniture for bed room the color was beige.", "attributes": ["button tufted", "mid century"], "options": ["color: beige"], "instruction_attributes": ["button tufted"], "instruction_options": ["beige"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGEBS90", "worker_id": "A16IQOX0DK14OJ"}], "B07QD5NS5V": [{"asin": "B07QD5NS5V", "instruction": "i'm looking for grey colored queen sized pillowcases and want to buy it.", "attributes": ["eco friendly", "queen size", "super soft"], "options": ["color: light grey", "size: queen"], "instruction_attributes": ["queen size", "super soft"], "instruction_options": ["light grey"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YQ28T9", "worker_id": "A16IQOX0DK14OJ"}], "B091HDH5YS": [{"asin": "B091HDH5YS", "instruction": "i'm looking for wall art for living room the color was inspirational.", "attributes": ["ready hang", "long lasting", "living room", "dining room"], "options": ["color: inspirational-14", "size: 24 x 36 inch"], "instruction_attributes": ["living room", "dining room"], "instruction_options": ["inspirational-14"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYJ6LQY", "worker_id": "A16IQOX0DK14OJ"}], "B0987J6TV8": [{"asin": "B0987J6TV8", "instruction": "i need an easy to carry tripod made of carbon fiber for my camera.", "attributes": ["easy carry", "non slip", "easy use", "carbon fiber"], "options": [""], "instruction_attributes": ["easy carry", "carbon fiber"], "instruction_options": [], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1PN6F2", "worker_id": "A1NF6PELRKACS9"}], "B086PFNJ5K": [{"asin": "B086PFNJ5K", "instruction": "find me an easy to carry and easy to use 60cm double sided high quality body brush in green color.", "attributes": ["double sided", "easy carry", "easy use", "high quality", "dead skin"], "options": ["color: 72purple and green", "size: 60cm"], "instruction_attributes": ["double sided", "easy carry", "easy use", "high quality"], "instruction_options": ["72purple and green", "60cm"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4VS7K6", "worker_id": "A3AYHESLQSDY5T"}], "B07J5S5Z9D": [{"asin": "B07J5S5Z9D", "instruction": "i am looking a eco friendly long lasting jar candle 6 oz butteercream vanilla cupcake", "attributes": ["long lasting", "eco friendly", "soy wax"], "options": ["scent: buttercream vanilla cupcake", "size: 6 oz."], "instruction_attributes": ["long lasting", "eco friendly"], "instruction_options": ["buttercream vanilla cupcake", "6 oz."], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DBODWH", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B07J5S5Z9D", "instruction": "i would like a two pack of soy candles", "attributes": ["long lasting", "eco friendly", "soy wax"], "options": ["scent: in the mood", "size: 9 oz. 2 pack"], "instruction_attributes": ["soy wax"], "instruction_options": ["9 oz. 2 pack"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SFPWRM", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FDY7L9Q": [{"asin": "B09FDY7L9Q", "instruction": "i'm looking to buy a rose gold 1-in flat iron.", "attributes": ["rose gold", "hair styling", "hair salon"], "options": ["size: 1 inch"], "instruction_attributes": ["rose gold"], "instruction_options": ["1 inch"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1FW80O", "worker_id": "A2YNPKYEFDZ6C9"}], "B08547BBF5": [{"asin": "B08547BBF5", "instruction": "i am looking for a cleanser and rmakeup remover for my sensitive skin. i want it in travel size.", "attributes": ["travel size", "tea tree", "sensitive skin", "dead skin"], "options": [""], "instruction_attributes": ["travel size", "sensitive skin"], "instruction_options": [], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQDV91S", "worker_id": "A1NF6PELRKACS9"}], "B08JPBQ73S": [{"asin": "B08JPBQ73S", "instruction": "i am searching for a motion detection security camera.", "attributes": ["batteries included", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVGSBIH", "worker_id": "A9ZM1P6LBW79"}], "B07BHLXJM8": [{"asin": "B07BHLXJM8", "instruction": "i am looking for a nail art carrying travel case. it should be easy to clean.", "attributes": ["easy clean", "nail art", "eye shadow"], "options": ["color: style 1"], "instruction_attributes": ["easy clean", "nail art"], "instruction_options": [], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THWDZ54", "worker_id": "A1NF6PELRKACS9"}], "B09M3LNF8P": [{"asin": "B09M3LNF8P", "instruction": "i am looking for easy clean and lumbar support home office chair", "attributes": ["heavy duty", "easy clean", "lumbar support", "dining room"], "options": [""], "instruction_attributes": ["easy clean", "lumbar support"], "instruction_options": [], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7YCDSM", "worker_id": "AX2EWYWZM19AZ"}], "B08V1S29CZ": [{"asin": "B08V1S29CZ", "instruction": "i am looking for gluten free tea.please choose berry flavour.", "attributes": ["freeze dried", "non alcoholic", "non gmo", "gluten free"], "options": ["flavor name: berry"], "instruction_attributes": ["gluten free"], "instruction_options": ["berry"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L9LERL", "worker_id": "A3FG5PQHG5AH3Y"}], "B09SF1YB4V": [{"asin": "B09SF1YB4V", "instruction": "i would like a pair of size 7.5 wide khaki flat sandals with a closed toe.", "attributes": ["closed toe", "arch support"], "options": ["color: a3 - khaki", "size: 7.5 wide"], "instruction_attributes": ["closed toe"], "instruction_options": ["a3 - khaki", "7.5 wide"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OWQYEX", "worker_id": "A1WS884SI0SLO4"}], "B07PB18T74": [{"asin": "B07PB18T74", "instruction": "i looking a beauty product leak proof travel size case for 288 bottles color yellow", "attributes": ["oil free", "leak proof", "travel size", "high quality"], "options": ["color: yellow", "size: 288 bottles"], "instruction_attributes": ["leak proof", "travel size"], "instruction_options": ["yellow", "288 bottles"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8IK4CT", "worker_id": "A3N9ZYQAESNFQH"}], "B09S169XYP": [{"asin": "B09S169XYP", "instruction": "i need an x-large t-shirt blouse that has short sleeves.", "attributes": ["loose fit", "wash cold", "hand wash", "machine wash", "long sleeve", "short sleeve"], "options": ["color: 3-white", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["x-large"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THXQ5ZP", "worker_id": "A1NF6PELRKACS9"}], "B01FQBPOMG": [{"asin": "B01FQBPOMG", "instruction": "need a bag of creamy shake candy with 120 units cappuccino flavor and gluten free", "attributes": ["low sugar", "individually wrapped", "gluten free"], "options": ["flavor name: cappuccino", "size: 120 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["cappuccino", "120 count (pack of 1)"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9BIAZR", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B01FQBPOMG", "instruction": "i would like a bag of 180 honeydew candies that are gluten free and low sugar.", "attributes": ["low sugar", "individually wrapped", "gluten free"], "options": ["flavor name: honeydew", "size: 180 count (pack of 1)"], "instruction_attributes": ["low sugar", "gluten free"], "instruction_options": ["honeydew", "180 count (pack of 1)"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH156IHW1", "worker_id": "A1WS884SI0SLO4"}], "B07FYB92QR": [{"asin": "B07FYB92QR", "instruction": "i'm looking for optical zoom for camera it was in ultra hd camera.", "attributes": ["ultra hd", "optical zoom"], "options": [""], "instruction_attributes": ["ultra hd", "optical zoom"], "instruction_options": [], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRTOY2J", "worker_id": "A16IQOX0DK14OJ"}], "B06XGR98MK": [{"asin": "B06XGR98MK", "instruction": "i am looking for a low calorie non alcoholic drink in the moscow mule flavor.", "attributes": ["non alcoholic", "old fashioned", "low calorie", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor: moscow mule", "size: 32 count"], "instruction_attributes": ["non alcoholic", "low calorie"], "instruction_options": ["moscow mule"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK04UIK", "worker_id": "A1NF6PELRKACS9"}], "B081D973ZF": [{"asin": "B081D973ZF", "instruction": "i am looking for cranberry health mix which contains natural ingredients only, 26 ounce (pack of 4)", "attributes": ["artificial ingredients", "non gmo", "gluten free", "natural ingredients", "artificial flavors"], "options": ["flavor name: cranberry health mix", "size: 26 ounce (pack of 4)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["cranberry health mix", "26 ounce (pack of 4)"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQSCHIG", "worker_id": "A258PTOZ3D2TQR"}], "B096LJXJRD": [{"asin": "B096LJXJRD", "instruction": "i want to find a red standing computer desk that i can adjust the height for.", "attributes": ["height adjustable", "white item"], "options": ["color: red"], "instruction_attributes": ["height adjustable"], "instruction_options": ["red"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQN9J10Q", "worker_id": "A345TDMHP3DQ3G"}], "B099KM511M": [{"asin": "B099KM511M", "instruction": "i would like a 60\"x80\" ref and black fringe fleece throw.", "attributes": ["twin size", "fleece throw"], "options": ["color: c:with pompom fringe:red and black", "size: 60\"x80\""], "instruction_attributes": ["fleece throw"], "instruction_options": ["c:with pompom fringe:red and black", "60\"x80\""], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJONGDC", "worker_id": "A1WS884SI0SLO4"}], "B0924JS3YG": [{"asin": "B0924JS3YG", "instruction": "i am looking for makeup brush set that is suitable for synthetic hair. and i would prefer the pink one", "attributes": ["eco friendly", "cruelty free", "synthetic hair", "sensitive skin"], "options": ["color: pink"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["pink"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQY84BC", "worker_id": "A2COCSUGZV28X"}], "B071166T4K": [{"asin": "B071166T4K", "instruction": "i'm looking for flip flops it will comfort to wear.", "attributes": ["day comfort", "slip resistant"], "options": ["color: grey charcoal grey 189", "size: womens 8"], "instruction_attributes": ["day comfort"], "instruction_options": ["grey charcoal grey 189"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL7TECO", "worker_id": "A16IQOX0DK14OJ"}], "B08HV6Y1N9": [{"asin": "B08HV6Y1N9", "instruction": "women's multi pockets utility cargo pant relaxed fit for daily wear colour must bordeaux", "attributes": ["straight leg", "imported zipper", "relaxed fit", "button closure", "daily wear"], "options": ["color: bordeaux", "size: 4"], "instruction_attributes": ["straight leg", "relaxed fit", "daily wear"], "instruction_options": ["bordeaux"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIK0FEF", "worker_id": "A10OGH5CQBXL5N"}], "B09PVBX674": [{"asin": "B09PVBX674", "instruction": "add to my list cupcake toppers decorations for my birthday party.", "attributes": ["baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANHXSXE", "worker_id": "AHU9OLV0YKIIW"}], "B07FYP14DR": [{"asin": "B07FYP14DR", "instruction": "i am looking for xx-large youth fit black color halloween t-shirt of needle sleeve", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: youth", "size: xx-large"], "instruction_attributes": ["needle sleeve"], "instruction_options": ["black", "youth", "xx-large"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61UYWZ1", "worker_id": "A258PTOZ3D2TQR"}], "B0792N9J4S": [{"asin": "B0792N9J4S", "instruction": "i am looking for a paraben and bpa free cinnamon colored natural tooth gel.", "attributes": ["cruelty free", "plant based", "bpa free", "paraben free"], "options": ["color: cinnamon", "size: 0.5 fl oz glass bottle"], "instruction_attributes": ["bpa free"], "instruction_options": [], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1M36FC", "worker_id": "A9ZM1P6LBW79"}], "B09D93PVFX": [{"asin": "B09D93PVFX", "instruction": "i'm looking for white item make my room look so nice.", "attributes": ["white item", "assembly required", "easy clean", "box spring", "white finish"], "options": ["color: white", "size: twin xl | full xl | queen"], "instruction_attributes": ["white item", "easy clean"], "instruction_options": ["white"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCO5BMO", "worker_id": "A16IQOX0DK14OJ"}], "B07Q7NKCS7": [{"asin": "B07Q7NKCS7", "instruction": "i am looking for anti slip women sandals. please choose black one.", "attributes": ["anti slip", "quick drying", "non slip", "ethylene vinyl", "vinyl acetate"], "options": ["color: black1-women", "size: 9"], "instruction_attributes": ["anti slip"], "instruction_options": ["black1-women"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBAUU6D", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07Q7NKCS7", "instruction": "i want pink and non slip luffymomo womens shower slippers.", "attributes": ["anti slip", "quick drying", "non slip", "ethylene vinyl", "vinyl acetate"], "options": ["color: pink-women", "size: 6"], "instruction_attributes": ["non slip"], "instruction_options": ["pink-women"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841D5AXJ", "worker_id": "A2RBF3IIJP15IH"}], "B09PGZ2VK4": [{"asin": "B09PGZ2VK4", "instruction": "i want a dust proof tempered glass for nintendo switch color five star wings", "attributes": ["dust proof", "tempered glass"], "options": ["color: fivestar wings"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A1TFHY", "worker_id": "A3N9ZYQAESNFQH"}], "B0721QQDC8": [{"asin": "B0721QQDC8", "instruction": "i'm looking for long lasting beauty accessories for making skin glow.", "attributes": ["long lasting", "storage case"], "options": ["color: tie dye", "size: 3 large, 4 small drawers"], "instruction_attributes": ["long lasting"], "instruction_options": ["tie dye"], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVFSBIF", "worker_id": "A16IQOX0DK14OJ"}], "B09D33BXHL": [{"asin": "B09D33BXHL", "instruction": "i need a heavy duty office chair which is easy to install and has lumbar support.", "attributes": ["high density", "heavy duty", "easy install", "lumbar support"], "options": [""], "instruction_attributes": ["heavy duty", "easy install", "lumbar support"], "instruction_options": [], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVFOBIB", "worker_id": "ASWFLI3N8X72G"}], "B09Q9D1K69": [{"asin": "B09Q9D1K69", "instruction": "i am searching for a high quality long handle tongue cleaner.", "attributes": ["eco friendly", "high quality", "long handle"], "options": [""], "instruction_attributes": ["high quality", "long handle"], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4C4QR4", "worker_id": "A9ZM1P6LBW79"}], "B097ZLKZCS": [{"asin": "B097ZLKZCS", "instruction": "i need blue high heels with open toes. the size should be a 10.", "attributes": ["open toe", "non slip", "high heel", "ankle strap", "arch support"], "options": ["color: c1-blue", "size: 10"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["c1-blue", "10"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB7Q4YR", "worker_id": "A1NF6PELRKACS9"}], "B083JNJX1Z": [{"asin": "B083JNJX1Z", "instruction": "i'm looking for a jet-4 bluetooth portable speaker", "attributes": ["compatible apple", "long lasting", "stereo sound"], "options": ["color: grey"], "instruction_attributes": ["stereo sound"], "instruction_options": ["grey"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW7ES8U", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09GV2RJRZ": [{"asin": "B09GV2RJRZ", "instruction": "level 9 unlocked birthday boy game black t shirt machine wash classic fit cotton heater small size", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: women", "size: small"], "instruction_attributes": ["machine wash", "cotton heather", "classic fit"], "instruction_options": ["black", "small"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA71BHMB", "worker_id": "A3N9ZYQAESNFQH"}], "B08176NP1R": [{"asin": "B08176NP1R", "instruction": "i am looking for a intel quad core i5 desktops", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["core i5", "intel core", "quad core"], "instruction_options": [], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMQ1XEV", "worker_id": "A9QRQL9CFJBI7"}], "B000A33KQ8": [{"asin": "B000A33KQ8", "instruction": "i am looking for medium sized women knee high over calf.", "attributes": ["knee high", "nylon spandex"], "options": ["color: black rib knit", "size: medium (1 pair)"], "instruction_attributes": ["knee high"], "instruction_options": ["medium (1 pair)"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HYGD1J", "worker_id": "A3FG5PQHG5AH3Y"}], "B09J2M6GVK": [{"asin": "B09J2M6GVK", "instruction": "i am looking for furniture for living room in black color", "attributes": ["button tufted", "high density", "easy assemble", "wood frame", "solid wood", "living room"], "options": ["color: dark black"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40V7FYU", "worker_id": "A16M39T60N60NO"}, {"asin": "B09J2M6GVK", "instruction": "i need to buy a three piece living room set with a sofa, armchair, and loveseat. make sure it's easy to assemble and has solid wood frames.", "attributes": ["button tufted", "high density", "easy assemble", "wood frame", "solid wood", "living room"], "options": ["color: black"], "instruction_attributes": ["easy assemble", "wood frame", "solid wood"], "instruction_options": [], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMO6QBS", "worker_id": "AR9AU5FY1S3RO"}], "B08XYJQP6N": [{"asin": "B08XYJQP6N", "instruction": "i'm looking for electronics accessories it was long lasting.", "attributes": ["long lasting", "quad core"], "options": ["color: green"], "instruction_attributes": ["long lasting"], "instruction_options": ["green"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV103XZ", "worker_id": "A16IQOX0DK14OJ"}], "B091BK6L57": [{"asin": "B091BK6L57", "instruction": "i would like a mango sparkling water bottle has has low calories.", "attributes": ["bpa free", "gluten free", "low calorie", "real fruit"], "options": ["flavor name: mango"], "instruction_attributes": ["low calorie"], "instruction_options": ["mango"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3YZLJ5Q", "worker_id": "A1WS884SI0SLO4"}], "B09QKYQLKV": [{"asin": "B09QKYQLKV", "instruction": "i am looking for men t-shirt. please choose royal blue color.", "attributes": ["wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: men", "size: 3x-large"], "instruction_attributes": ["heathers cotton"], "instruction_options": ["royal blue"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV3L8DV", "worker_id": "A3FG5PQHG5AH3Y"}], "B07J5LMT7L": [{"asin": "B07J5LMT7L", "instruction": "i am looking for wireless bluetooth noise cancelling over-ear headphones.", "attributes": ["noise cancelling", "wireless bluetooth"], "options": [""], "instruction_attributes": ["noise cancelling", "wireless bluetooth"], "instruction_options": [], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L92REF", "worker_id": "A3N9ZYQAESNFQH"}], "B089YK478M": [{"asin": "B089YK478M", "instruction": "i need a small black short sleeve shirt.", "attributes": ["cotton spandex", "short sleeve"], "options": ["color: 5-black", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["5-black"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIMR58O", "worker_id": "A19317A3X87NVM"}], "B09J4SV6WX": [{"asin": "B09J4SV6WX", "instruction": "i am looking for a x-large high waist tummy control breeches", "attributes": ["high waist", "tummy control", "fashion design", "elastic waist", "long sleeve", "daily wear"], "options": ["color: d green", "size: x-large"], "instruction_attributes": ["high waist", "tummy control"], "instruction_options": ["x-large"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMJHZIE", "worker_id": "A9QRQL9CFJBI7"}], "B076B2QYZZ": [{"asin": "B076B2QYZZ", "instruction": "i want low fat high protein hellfire 8 ounce jerky", "attributes": ["low fat", "high protein"], "options": ["flavor name: hellfire", "size: 8 ounce"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XASRF8", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B076B2QYZZ", "instruction": "i want low fat cajan pit-smoked beef jerky.", "attributes": ["low fat", "high protein"], "options": ["flavor name: cajan", "size: 4 ounce (pack of 1)"], "instruction_attributes": ["low fat"], "instruction_options": ["cajan"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4WMH08", "worker_id": "A2RBF3IIJP15IH"}], "B09NR629D2": [{"asin": "B09NR629D2", "instruction": "i am looking for a wallet case with tempered glass protection. please select the rose gold color", "attributes": ["glass screen", "tempered glass"], "options": ["color: rose gold"], "instruction_attributes": ["tempered glass"], "instruction_options": ["rose gold"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9CS2VK", "worker_id": "A2COCSUGZV28X"}], "B09KCR46RV": [{"asin": "B09KCR46RV", "instruction": "i'm looking for stereo headphones it will use for outside noise cancelling.", "attributes": ["noise cancelling", "stereo sound"], "options": [""], "instruction_attributes": ["noise cancelling", "stereo sound"], "instruction_options": [], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL26NS6", "worker_id": "A16IQOX0DK14OJ"}], "B09KV7CYMX": [{"asin": "B09KV7CYMX", "instruction": "i want window curtain panel for leaving room easy clean size :52*72in color peacock 4lop0447", "attributes": ["easy clean", "living room", "dining room"], "options": ["color: peacock4lop0447", "size: 52x72in"], "instruction_attributes": ["easy clean", "living room"], "instruction_options": ["peacock4lop0447", "52x72in"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCJ5SJD", "worker_id": "A3N9ZYQAESNFQH"}], "B07Z65TZ2Y": [{"asin": "B07Z65TZ2Y", "instruction": "i would like a small mens cranberry t shirt with a classic fit.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: cranberry", "fit type: men", "size: small"], "instruction_attributes": ["classic fit"], "instruction_options": ["cranberry", "men", "small"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT8I735", "worker_id": "A1WS884SI0SLO4"}], "B09QXLSVPX": [{"asin": "B09QXLSVPX", "instruction": "i'm looking for clothing long and short sleeve for women's dresses the color was purple.", "attributes": ["long sleeve", "short sleeve"], "options": ["color: c6-purple", "size: medium"], "instruction_attributes": ["long sleeve", "short sleeve"], "instruction_options": ["c6-purple"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKLVT1B", "worker_id": "A16IQOX0DK14OJ"}], "B09LQVQPNG": [{"asin": "B09LQVQPNG", "instruction": "i am looking for non slip closed toe high heel woman boot color black", "attributes": ["non slip", "memory foam", "steel toe", "closed toe"], "options": ["color: winter shoes for womens - gf04--black", "size: 10.5"], "instruction_attributes": ["non slip", "closed toe"], "instruction_options": ["winter shoes for womens - gf04--black"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8IJ4CS", "worker_id": "A3N9ZYQAESNFQH"}], "B07PXS5L8S": [{"asin": "B07PXS5L8S", "instruction": "i am looking for a pack of birthday cake candles. also, i am looking for a golden colored number 9 shaped candle.", "attributes": ["birthday cake", "birthday party"], "options": ["color: golden number candle9"], "instruction_attributes": ["birthday cake"], "instruction_options": ["golden number candle9"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4CN8LB", "worker_id": "AJDQGOTMB2D80"}], "B093BJK2CS": [{"asin": "B093BJK2CS", "instruction": "i am looking for a rechargable facial cleansing spin brush set for sensitive skin. also choose fuchsia pink color.", "attributes": ["sensitive skin", "dead skin"], "options": ["color: fuchsia pink"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["fuchsia pink"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTUY7L8", "worker_id": "A9ZM1P6LBW79"}], "B09P8G9378": [{"asin": "B09P8G9378", "instruction": "i'm looking for a jean jacket with thicker collar size medium in color pink for daily wear use", "attributes": ["winter warm", "hand wash", "daily wear"], "options": ["color: pink", "size: medium"], "instruction_attributes": ["daily wear"], "instruction_options": ["pink", "medium"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZQKSHP", "worker_id": "A2Y2TURT2VEYZN"}], "B07N1G15Y4": [{"asin": "B07N1G15Y4", "instruction": "i'm looking for a 2 pack push down pump dispenser bottles for nail polish and facial makeup remover", "attributes": ["non toxic", "nail polish"], "options": [""], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCWX46P", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09CT55WJW": [{"asin": "B09CT55WJW", "instruction": "find me a motion detection high definition outdoor camera with 1080p hd definition.", "attributes": ["1080p hd", "high definition", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "high definition", "motion detection"], "instruction_options": [], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7WHHL5", "worker_id": "A2CJFO19NY4T5R"}], "B002VLESHC": [{"asin": "B002VLESHC", "instruction": "i'm looking for a long lasting perfumes.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFB7LVE", "worker_id": "AR0VJ5XRG16UJ"}], "B08LR1PBKD": [{"asin": "B08LR1PBKD", "instruction": "i'm looking for n all-in-one computer. i want one that's high performance and has a 1080p screen. it should also have an intel processor.", "attributes": ["1080p hd", "high performance", "intel core"], "options": [""], "instruction_attributes": ["high performance", "intel core"], "instruction_options": [], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6FJPUD", "worker_id": "AR9AU5FY1S3RO"}], "B09FXPW9LV": [{"asin": "B09FXPW9LV", "instruction": "i am looking for red rose hair dye for women.", "attributes": ["easy clean", "hair dye"], "options": ["color: rose red"], "instruction_attributes": ["hair dye"], "instruction_options": ["rose red"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTP14VT", "worker_id": "A3FG5PQHG5AH3Y"}], "B09HZT5CNG": [{"asin": "B09HZT5CNG", "instruction": "i need anti slip mary jane oxfords with retro round toe size 5 and wine red color wedge heel women shoe", "attributes": ["anti slip", "closed toe", "rubber sole"], "options": ["color: wine red", "size: 5"], "instruction_attributes": ["anti slip"], "instruction_options": ["wine red", "5"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QTJOX4", "worker_id": "A1V2C99HEV3F14"}], "B006YB5S6U": [{"asin": "B006YB5S6U", "instruction": "i am looking for a 30 in solid wood directors chairs", "attributes": ["assembly required", "solid wood"], "options": ["color: natural frame | navy canvas", "size: 30 in", "style: black frame - solid wood"], "instruction_attributes": ["solid wood"], "instruction_options": ["30 in"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EEVB13", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B006YB5S6U", "instruction": "i'm looking for a 18\" directors chair with solid wood and a natural frame.", "attributes": ["assembly required", "solid wood"], "options": ["color: honey oak frame | yellow canvas", "size: 24 in", "style: natural frame - solid wood"], "instruction_attributes": ["solid wood"], "instruction_options": ["natural frame - solid wood"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LFQO10", "worker_id": "A62B826XMLK7K"}], "B09P1J4YJT": [{"asin": "B09P1J4YJT", "instruction": "i'm looking for furniture engineered wood at the living room the color was grey.", "attributes": ["engineered wood", "living room"], "options": ["color: grey"], "instruction_attributes": ["engineered wood", "living room"], "instruction_options": ["grey"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVOGJK9", "worker_id": "A16IQOX0DK14OJ"}], "B09S4SK8V1": [{"asin": "B09S4SK8V1", "instruction": "i'm looking for non alcoholic drink for bottled beverages.", "attributes": ["non alcoholic", "ready use"], "options": ["flavor: margarita"], "instruction_attributes": ["non alcoholic", "ready use"], "instruction_options": ["margarita"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z5VXGP", "worker_id": "A16IQOX0DK14OJ"}], "B09N95HQZM": [{"asin": "B09N95HQZM", "instruction": "i'm looking for a space saving storage cabinets for dining room. also, choose black colored one.", "attributes": ["space saving", "white item", "storage space", "living room"], "options": ["color: black"], "instruction_attributes": ["space saving", "living room"], "instruction_options": ["black"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X6IY3M", "worker_id": "AR0VJ5XRG16UJ"}], "B09SPZ8HC2": [{"asin": "B09SPZ8HC2", "instruction": "i am looking for a size: 7 - pack natural ingredients of jerky", "attributes": ["fully cooked", "easy prepare", "natural ingredients"], "options": ["size: 7 - pack"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["7 - pack"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY3Q4J6", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09SPZ8HC2", "instruction": "i am looking for a 5 pack of fully cooked and easy to prepare chicken breast strips.", "attributes": ["fully cooked", "easy prepare", "natural ingredients"], "options": ["size: 5 - pack"], "instruction_attributes": ["fully cooked"], "instruction_options": ["5 - pack"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQOXP0O", "worker_id": "A1EREKSZAA9V7B"}], "B09B54J7PZ": [{"asin": "B09B54J7PZ", "instruction": "am actually looking for a twin size loft bed with slide, gray color with headboard", "attributes": ["twin size", "space saving", "white item", "easy assemble", "box spring", "solid wood"], "options": ["color: gray with headboard", "size: twin"], "instruction_attributes": ["twin size"], "instruction_options": ["gray with headboard", "twin"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OJWRTC", "worker_id": "A1IL2K0ELYI090"}], "B09QX9S3DB": [{"asin": "B09QX9S3DB", "instruction": "we want a twin over twin kids beds easy assemble box spring color : silver", "attributes": ["heavy duty", "easy assemble", "box spring"], "options": ["color: silver (style d)", "size: twin over twin"], "instruction_attributes": ["easy assemble", "box spring"], "instruction_options": ["silver (style d)", "twin over twin"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0ZCW46", "worker_id": "A3N9ZYQAESNFQH"}], "B09MH7PXZS": [{"asin": "B09MH7PXZS", "instruction": "i am lookig for king size box spring easy assemble heavy duty bed frame", "attributes": ["queen size", "box spring", "king size"], "options": [""], "instruction_attributes": ["box spring", "king size"], "instruction_options": [], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINUD72P", "worker_id": "A3N9ZYQAESNFQH"}], "B09M17NH24": [{"asin": "B09M17NH24", "instruction": "i'm looking for teeth whitening for oral health care.", "attributes": ["teeth whitening", "water resistant"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IQ1LT8", "worker_id": "A16IQOX0DK14OJ"}], "B08NPY23XH": [{"asin": "B08NPY23XH", "instruction": "i am looking for eyelash extension tool set for beauty salon.", "attributes": ["long lasting", "stainless steel", "beauty salon"], "options": [""], "instruction_attributes": ["beauty salon"], "instruction_options": [], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT060IUNM", "worker_id": "A3FG5PQHG5AH3Y"}], "B00V1ILTNM": [{"asin": "B00V1ILTNM", "instruction": "i am looking for non diary rich creamy creamers.", "attributes": ["rich creamy", "non dairy"], "options": [""], "instruction_attributes": ["rich creamy", "non dairy"], "instruction_options": [], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXDB7G1", "worker_id": "A9ZM1P6LBW79"}], "B09PYS81X6": [{"asin": "B09PYS81X6", "instruction": "i am looking for a green long handle bath & body brushes", "attributes": ["non slip", "long handle"], "options": ["size: green"], "instruction_attributes": ["long handle"], "instruction_options": ["green"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R19W7X", "worker_id": "A9QRQL9CFJBI7"}], "B084D5NYQT": [{"asin": "B084D5NYQT", "instruction": "i am looking for crunchy indian snack sticks that have no artificial flavors or colors.", "attributes": ["artificial colors", "artificial flavors"], "options": [""], "instruction_attributes": ["artificial colors", "artificial flavors"], "instruction_options": [], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163U9QP5", "worker_id": "A1NF6PELRKACS9"}], "B08DH5TFCJ": [{"asin": "B08DH5TFCJ", "instruction": "i would like a car in dash gps device that is easy to install.", "attributes": ["compatible apple", "hands free", "easy install", "quad core"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602UZ95B", "worker_id": "A1WS884SI0SLO4"}], "B07B8HKVXR": [{"asin": "B07B8HKVXR", "instruction": "i wanted to get a compatible apple watch with a black carbon fiber buckle to match with my phone's cover.", "attributes": ["compatible apple", "carbon fiber"], "options": ["color: black carbon fiber w | matte black hardware", "size: 45mm | 44mm s | m (5.3-7\")"], "instruction_attributes": ["compatible apple", "carbon fiber"], "instruction_options": ["black carbon fiber w | matte black hardware"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9ED11BX", "worker_id": "A39VVWV1GHLMFD"}], "B09PFPW5VD": [{"asin": "B09PFPW5VD", "instruction": "i'm looking for hair removal its inly used for natural ingredients.", "attributes": ["natural ingredients", "hair removal"], "options": [""], "instruction_attributes": ["natural ingredients", "hair removal"], "instruction_options": [], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2ILFKQ", "worker_id": "A16IQOX0DK14OJ"}], "B08DHDS93Q": [{"asin": "B08DHDS93Q", "instruction": "i'm looking for individually wrapped green raspberry 30 count bulk lollipop pack", "attributes": ["shelf stable", "individually wrapped"], "options": ["color: green"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["green"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I2Q1S3", "worker_id": "A258PTOZ3D2TQR"}], "B07MPTK3GY": [{"asin": "B07MPTK3GY", "instruction": "i'm looking for the pendant lights for ceiling lights for living room.", "attributes": ["glass shade", "clear glass", "pendant light", "light fixture", "living room"], "options": ["color: antique"], "instruction_attributes": ["living room"], "instruction_options": ["antique"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2J8KFK", "worker_id": "A16IQOX0DK14OJ"}], "B0777W3C8B": [{"asin": "B0777W3C8B", "instruction": "i'm looking for a mrs. fields cookies .", "attributes": ["kosher certified", "perfect gift"], "options": ["size: 60 count (pack of 3)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["60 count (pack of 3)"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVHC1PE", "worker_id": "A1ZGOZQF2VZ0X9"}], "B07JVLYV5Z": [{"asin": "B07JVLYV5Z", "instruction": "i need a red allgala 60x45 super soft, machine wash flannel plush light weight throw blanket", "attributes": ["super soft", "machine washable"], "options": ["color: red", "size: 45x60"], "instruction_attributes": ["super soft", "machine washable"], "instruction_options": ["red", "45x60"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGFQS9H", "worker_id": "A1IL2K0ELYI090"}], "B0851GZM55": [{"asin": "B0851GZM55", "instruction": "i am looking for a counter height size barstools of faux leather", "attributes": ["mid century", "assembly required", "faux leather"], "options": ["color: white", "pattern name: barstool", "size: counter height"], "instruction_attributes": ["faux leather"], "instruction_options": ["counter height"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT8W73J", "worker_id": "A9QRQL9CFJBI7"}], "B093362GNX": [{"asin": "B093362GNX", "instruction": "i want a keyboard skin that is dust proof and long lasting. choose a rainbow color.", "attributes": ["dust proof", "long lasting"], "options": ["color: rainbow", "size: k120 | mk120"], "instruction_attributes": ["dust proof", "long lasting"], "instruction_options": ["rainbow"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FOQFBK", "worker_id": "A1NF6PELRKACS9"}], "B0991ZW4R4": [{"asin": "B0991ZW4R4", "instruction": "i want quick release water resistant smart watch band color purple mist", "attributes": ["quick release", "water resistant"], "options": ["color: purple mist"], "instruction_attributes": ["quick release", "water resistant"], "instruction_options": ["purple mist"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7N83I9", "worker_id": "A3N9ZYQAESNFQH"}], "B09SGHZWWV": [{"asin": "B09SGHZWWV", "instruction": "i'm looking for a noldares women's high heel shoes.", "attributes": ["closed toe", "high heel", "ankle strap"], "options": ["color: beige", "size: 6"], "instruction_attributes": ["high heel", "ankle strap"], "instruction_options": ["beige", "6"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTQLTK2", "worker_id": "A1ZGOZQF2VZ0X9"}], "B079W3VRKZ": [{"asin": "B079W3VRKZ", "instruction": "i am looking for a women's beverly pump with leather sole. also choose ruby kid suede color and 5 size.", "attributes": ["leather sole", "rubber sole"], "options": ["color: ruby kid suede", "size: 5"], "instruction_attributes": ["leather sole"], "instruction_options": ["ruby kid suede", "5"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSKR8BA", "worker_id": "A2HMEGTAFO0CS8"}], "B07JFZBP8R": [{"asin": "B07JFZBP8R", "instruction": "i would like a long lasting men's fragrance set.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXTOO57", "worker_id": "A1WS884SI0SLO4"}], "B07FKFJP1Q": [{"asin": "B07FKFJP1Q", "instruction": "i found this bracelet from toyouths which is fitbit versa/versa compatible in stainless steel i need it to match the saddle color brown.", "attributes": ["quick release", "stainless steel"], "options": ["color: saddle brown"], "instruction_attributes": ["stainless steel"], "instruction_options": ["saddle brown"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UI3OKA", "worker_id": "A15IJ20C3R4HUO"}], "B082N5YV7R": [{"asin": "B082N5YV7R", "instruction": "i'm looking for keto friendly double cholate cup cake it was sued in parties.", "attributes": ["keto friendly", "dietary fiber"], "options": ["flavor name: keto friendly double chocolate cake cup"], "instruction_attributes": ["keto friendly"], "instruction_options": ["keto friendly double chocolate cake cup"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7ZESD5", "worker_id": "A16IQOX0DK14OJ"}], "B07DCXCVFM": [{"asin": "B07DCXCVFM", "instruction": "i looking a rose gold orgnizer display for lipstic, eye shadow,lip gloss ,blush color clear /soft brass size 8*4*2", "attributes": ["rose gold", "eye shadow"], "options": ["color: clear | soft brass", "size: 8 x 4 x 2"], "instruction_attributes": ["rose gold", "eye shadow"], "instruction_options": ["clear | soft brass", "8 x 4 x 2"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80C9Q13", "worker_id": "A3N9ZYQAESNFQH"}], "B07R124WRK": [{"asin": "B07R124WRK", "instruction": "show me machine washable officially licensed disney jungle book t-shirt for men in color baby blues and size 3t.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: baby blue", "fit type: men", "size: 3t"], "instruction_attributes": ["officially licensed", "machine wash"], "instruction_options": ["baby blue", "men", "3t"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4NLKP9", "worker_id": "A3AYHESLQSDY5T"}], "B09P582MFG": [{"asin": "B09P582MFG", "instruction": "i am looking for a grey toy chests & organizers for storage space", "attributes": ["easy clean", "high gloss", "engineered wood", "storage space"], "options": ["color: grey"], "instruction_attributes": ["storage space"], "instruction_options": ["grey"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TZGSUM", "worker_id": "A9QRQL9CFJBI7"}], "B01E9HPVUS": [{"asin": "B01E9HPVUS", "instruction": "i am looking for a 1 count (pack of 12) hand masks for anti aging and dry skin.", "attributes": ["anti aging", "easy use", "dry skin"], "options": ["size: 1 count (pack of 12)"], "instruction_attributes": ["anti aging", "dry skin"], "instruction_options": ["1 count (pack of 12)"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N6R7TG", "worker_id": "A9QRQL9CFJBI7"}], "B09QWXVB3T": [{"asin": "B09QWXVB3T", "instruction": "i would like a medium sized black bikini with short sleeves.", "attributes": ["tummy control", "long sleeve", "short sleeve"], "options": ["color: a1-black", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["a1-black", "medium"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIIP000", "worker_id": "A1WS884SI0SLO4"}], "B0734ZVZHP": [{"asin": "B0734ZVZHP", "instruction": "i would like a quad core desktop processor tower.", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "352YTHGRO6NQF252G9RXYWYALBG4HV", "worker_id": "A1WS884SI0SLO4"}], "B095LJRYRY": [{"asin": "B095LJRYRY", "instruction": "i'm looking for tempered glass for phone accessories the color was black and need to buy it.", "attributes": ["glass screen", "tempered glass"], "options": ["color: black"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["black"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQD191Y", "worker_id": "A16IQOX0DK14OJ"}], "B088QTGX5F": [{"asin": "B088QTGX5F", "instruction": "i\u2019m looking for a white window covering that is 72\u201d wide and 63\u201d long. also would prefer the covering had bears on it.", "attributes": ["white item", "living room", "dining room"], "options": ["color: color04", "size: 72\"w x 63\"l"], "instruction_attributes": ["white item"], "instruction_options": ["72\"w x 63\"l"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUB0MR6", "worker_id": "AK3JMCIGU8MLU"}], "B07R6NMPXW": [{"asin": "B07R6NMPXW", "instruction": "i am looking for a gluten free and non gmo bakery & dessert gifts of peanut butter flavour", "attributes": ["gluten free", "individually wrapped", "baked fresh", "grass fed", "non gmo"], "options": ["flavor name: peanut butter"], "instruction_attributes": ["gluten free", "non gmo"], "instruction_options": ["peanut butter"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH154ZT", "worker_id": "A9QRQL9CFJBI7"}], "B07KY3MQ1Y": [{"asin": "B07KY3MQ1Y", "instruction": "i am looking for a gluten-free and usda organic labled fruit juice.", "attributes": ["usda organic", "gluten free"], "options": [""], "instruction_attributes": ["usda organic", "gluten free"], "instruction_options": [], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6EHPU9", "worker_id": "A9ZM1P6LBW79"}], "B07SB464N4": [{"asin": "B07SB464N4", "instruction": "i'm looking for a pexfix full length floor mirror with standing holder .", "attributes": ["wall mounted", "space saving", "living room"], "options": ["color: sliver (arched-top)", "size: 65''x22''"], "instruction_attributes": ["wall mounted"], "instruction_options": ["sliver (arched-top)", "65''x22''"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPJAJN3", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09CZCRLJR": [{"asin": "B09CZCRLJR", "instruction": "i'm looking for cell phone accessories for tempered class and it was high definition.", "attributes": ["high definition", "tempered glass"], "options": ["color: black", "size: 44mm"], "instruction_attributes": ["high definition", "tempered glass"], "instruction_options": ["black"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66ROZFM", "worker_id": "A16IQOX0DK14OJ"}], "B08W4HYRF1": [{"asin": "B08W4HYRF1", "instruction": "i'm looking for make up for eye shadow to skin care products.", "attributes": ["paraben free", "high quality", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OVLEY6", "worker_id": "A16IQOX0DK14OJ"}], "B01M0JY15V": [{"asin": "B01M0JY15V", "instruction": "i am looking for a usb 4g lte wifi modem for internet connection.", "attributes": ["plug play", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYJYL67", "worker_id": "AHU9OLV0YKIIW"}], "B00BIFNTMC": [{"asin": "B00BIFNTMC", "instruction": "wireless vertical ergonomic optical mouse with aaa batteries", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC7YD06", "worker_id": "A10OGH5CQBXL5N"}], "B08TWKLT7N": [{"asin": "B08TWKLT7N", "instruction": "i'm looking for long sleeve lightweight buy a c-blue weather.", "attributes": ["stretch fabric", "long sleeve"], "options": ["color: c-blue heather", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["c-blue heather"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OW4M3K", "worker_id": "A16IQOX0DK14OJ"}], "B09NVTSXPN": [{"asin": "B09NVTSXPN", "instruction": "i am looking for sego mono base hair topper with bangs 100% real human hair which creating the most lustrous and realistic natural effects, the hair extensions clip-in design makes it easier to wear. color platinum blonde-b in size 10 inch-130% density preferable", "attributes": ["easy use", "hair loss"], "options": ["color: platinum blonde-b", "size: 10 inch-130% density"], "instruction_attributes": ["easy use"], "instruction_options": ["platinum blonde-b", "10 inch-130% density"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FE3K89", "worker_id": "A1DRKZ3SCLAS4V"}], "B07TYS4TCR": [{"asin": "B07TYS4TCR", "instruction": "i am looking for high quality nail cleaning brush. please choose color b .", "attributes": ["non toxic", "easy carry", "easy use", "high quality", "long handle", "nail art"], "options": ["color: color b"], "instruction_attributes": ["high quality"], "instruction_options": ["color b"], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWN925U", "worker_id": "A3FG5PQHG5AH3Y"}], "B0967GX3P9": [{"asin": "B0967GX3P9", "instruction": "i'm looking for clothing for closet storage and it was easy to clean.", "attributes": ["easy assemble", "non slip", "space saving", "easy clean", "living room"], "options": ["color: grey", "size: 2pcs"], "instruction_attributes": ["space saving", "easy clean"], "instruction_options": ["grey"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTQEV4Z", "worker_id": "A16IQOX0DK14OJ"}], "B09K6CWZNX": [{"asin": "B09K6CWZNX", "instruction": "i'm looking for grey flannel home and kitchen products for decore it.", "attributes": ["high density", "lumbar support", "dining room", "living room"], "options": ["color: grey flannel"], "instruction_attributes": ["dining room", "living room"], "instruction_options": ["grey flannel"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1BFGY4", "worker_id": "A16IQOX0DK14OJ"}], "B0939SPCFF": [{"asin": "B0939SPCFF", "instruction": "i need a 60 inch projector screen with an aspect ratio of 4:3 that mounts on the wall. it should be easy to install it.", "attributes": ["wall mounted", "ultra hd", "easy install"], "options": ["size: 60in\uff084\uff1a3\uff09"], "instruction_attributes": ["wall mounted", "easy install"], "instruction_options": ["60in\uff084\uff1a3\uff09"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZJJ9KJ", "worker_id": "A1NF6PELRKACS9"}], "B082JGZSMS": [{"asin": "B082JGZSMS", "instruction": "i am looking for a paraben free conditioner for natural hair. also choose leave-in conditioner style", "attributes": ["paraben free", "damaged hair", "dry hair", "natural hair"], "options": ["style: leave in conditioner"], "instruction_attributes": ["paraben free", "natural hair"], "instruction_options": ["leave in conditioner"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD10CIX", "worker_id": "A2HMEGTAFO0CS8"}], "B083ZG9Y7K": [{"asin": "B083ZG9Y7K", "instruction": "i'm looking for a handyulong womens high waist bootcut yoga pants", "attributes": ["wide leg", "butt lifting", "straight leg", "high waist", "long sleeve", "drawstring closure", "tummy control"], "options": ["color: x-zmint green", "size: 3x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["x-zmint green", "3x-large"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP10798ILB", "worker_id": "A1ZGOZQF2VZ0X9"}], "B09JNY3W9D": [{"asin": "B09JNY3W9D", "instruction": "find me a lift top coffee table in cherry for my living room", "attributes": ["space saving", "easy assemble", "living room"], "options": ["color: cherry"], "instruction_attributes": ["living room"], "instruction_options": ["cherry"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OWAYEH", "worker_id": "A2Y2TURT2VEYZN"}], "B07JH4F11B": [{"asin": "B07JH4F11B", "instruction": "i looking a body scrubs eco friendly for removing dead skin", "attributes": ["eco friendly", "dead skin"], "options": [""], "instruction_attributes": ["eco friendly", "dead skin"], "instruction_options": [], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVY1ADIW", "worker_id": "A3N9ZYQAESNFQH"}], "B0897ZFHX2": [{"asin": "B0897ZFHX2", "instruction": "i'm looking for hyaluronic acid for skin care moisturizers.", "attributes": ["animal testing", "cruelty free", "tea tree", "hyaluronic acid"], "options": [""], "instruction_attributes": ["cruelty free", "hyaluronic acid"], "instruction_options": [], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IW0KHT", "worker_id": "A16IQOX0DK14OJ"}], "B08YDHFQ2X": [{"asin": "B08YDHFQ2X", "instruction": "i'm looking for vegetables and dried vegetables for low carb. it is easy to use.", "attributes": ["low carb", "plant based"], "options": ["flavor: hwago - grade s (140g)"], "instruction_attributes": ["low carb"], "instruction_options": ["hwago - grade s (140g)"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OJ2RTI", "worker_id": "A16IQOX0DK14OJ"}], "B09R917TMV": [{"asin": "B09R917TMV", "instruction": "i'm looking for optical zoom electronic for digital cameras need to to buy it.", "attributes": ["optical zoom", "carrying case"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "369J354OFOKQUTE5FR2UAU6N21Y6G6", "worker_id": "A16IQOX0DK14OJ"}], "B07MVKQHBJ": [{"asin": "B07MVKQHBJ", "instruction": "i'm looking for a french macarons cookies birthday gift variety pack .", "attributes": ["natural ingredients", "valentine day", "great gift", "perfect gift"], "options": ["flavor name: holiday flavors", "size: 12 count"], "instruction_attributes": ["perfect gift"], "instruction_options": ["holiday flavors", "12 count"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT3ZJYE", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08CRD99SZ": [{"asin": "B08CRD99SZ", "instruction": "i need a silver fast wireless charger with aluminum alloy frame.", "attributes": ["aluminum alloy", "wireless charging"], "options": ["color: b.sliver*"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N7VT78", "worker_id": "A1Q0EUNCS50S8M"}], "B01DJ6TM8M": [{"asin": "B01DJ6TM8M", "instruction": "i am looking for a dummy surveillance camera for ceiling with batteries included. also choose which is supporting aaa size batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI76KZGH", "worker_id": "A2HMEGTAFO0CS8"}], "B003ZXEBOK": [{"asin": "B003ZXEBOK", "instruction": "i'm looking for a ready to eat baked snacks which should be individually wrapped.", "attributes": ["ready eat", "individually wrapped"], "options": [""], "instruction_attributes": ["ready eat", "individually wrapped"], "instruction_options": [], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO5O33M", "worker_id": "AR0VJ5XRG16UJ"}], "B08FVG2M1J": [{"asin": "B08FVG2M1J", "instruction": "i need a high quality gomu 500 pack - 2 oz / 60 ml clear refillable flip top pet plastic travel bottle container", "attributes": ["leak proof", "bpa free", "non toxic", "high quality"], "options": ["size: 500 pack"], "instruction_attributes": ["high quality"], "instruction_options": ["500 pack"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8PI6QE", "worker_id": "A1IL2K0ELYI090"}], "B07V13MY6X": [{"asin": "B07V13MY6X", "instruction": "i want a pair of ethylene vinyl trainers that is black in color. get me a size 8.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: black", "size: 8"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["black", "8"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFO13V1", "worker_id": "A1NF6PELRKACS9"}], "B09DP9NSP8": [{"asin": "B09DP9NSP8", "instruction": "i'm looking for gray wireless headphones it can reduce outside noise pollution.", "attributes": ["high definition", "wireless bluetooth"], "options": ["color: gray"], "instruction_attributes": ["high definition", "wireless bluetooth"], "instruction_options": ["gray"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHA31EM", "worker_id": "A16IQOX0DK14OJ"}], "B09K7YV36Y": [{"asin": "B09K7YV36Y", "instruction": "i am looking for a medium size winter warm jackets", "attributes": ["winter warm", "light weight", "machine wash", "fleece lined", "wash cold", "long sleeve", "faux fur", "quality polyester", "elastic closure", "teen girls", "dry clean", "daily wear"], "options": ["color: c-blue", "size: medium"], "instruction_attributes": ["winter warm"], "instruction_options": ["medium"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAUB3C94", "worker_id": "A9QRQL9CFJBI7"}], "B08YNPT4CD": [{"asin": "B08YNPT4CD", "instruction": "i am looking for a cupcake toppers for birthday party birthday cake", "attributes": ["birthday party", "birthday cake", "cupcake picks"], "options": [""], "instruction_attributes": ["birthday party", "birthday cake"], "instruction_options": [], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4U1K7Q", "worker_id": "A9QRQL9CFJBI7"}], "B09L7JNKXW": [{"asin": "B09L7JNKXW", "instruction": "i would like some old fashioned bake mix made from natural ingredients.", "attributes": ["old fashioned", "natural ingredients", "gift set"], "options": [""], "instruction_attributes": ["old fashioned", "natural ingredients"], "instruction_options": [], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA9BS2K", "worker_id": "A1WS884SI0SLO4"}], "B09J43KD51": [{"asin": "B09J43KD51", "instruction": "i need a yellow facial sponge for sensitive skin", "attributes": ["eco friendly", "dead skin", "sensitive skin"], "options": ["color: yellow"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["yellow"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7WMCU4", "worker_id": "A2Y2TURT2VEYZN"}], "B09B9B4JNX": [{"asin": "B09B9B4JNX", "instruction": "teeth whitening toothpaste with natural ingredients only 1 pcs", "attributes": ["teeth whitening", "long lasting", "natural ingredients"], "options": ["color: 1pcs"], "instruction_attributes": ["teeth whitening", "natural ingredients"], "instruction_options": ["1pcs"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788FFC58", "worker_id": "A10OGH5CQBXL5N"}], "B07R9KFCKY": [{"asin": "B07R9KFCKY", "instruction": "i am looking set of 4 black velvet mid century chair for dining room", "attributes": ["non slip", "mid century", "high density", "dining room", "living room"], "options": ["color: black velvet", "size: set of 4"], "instruction_attributes": ["mid century", "dining room"], "instruction_options": ["black velvet", "set of 4"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VRVXML", "worker_id": "A3N9ZYQAESNFQH"}], "B08PFJP5S2": [{"asin": "B08PFJP5S2", "instruction": "for my eyes i need a color 10 eyeshadow which should be easy to use.\u2075", "attributes": ["highly pigmented", "easy apply", "cruelty free", "eye shadow"], "options": ["color: 10"], "instruction_attributes": ["easy apply", "eye shadow"], "instruction_options": ["10"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSI7621", "worker_id": "ASWFLI3N8X72G"}], "B08SLRG76Y": [{"asin": "B08SLRG76Y", "instruction": "find me a tempered glass camera lens protector for iphone 12 pro max in blue", "attributes": ["ultra hd", "high resolution", "easy install", "tempered glass", "aluminum alloy"], "options": ["color: blue", "size: iphone 12 pro max"], "instruction_attributes": ["tempered glass"], "instruction_options": ["blue", "iphone 12 pro max"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4Z3H0V", "worker_id": "A2Y2TURT2VEYZN"}], "B07XZ5VPK9": [{"asin": "B07XZ5VPK9", "instruction": "i am looking for hair growth serum for men.", "attributes": ["easy use", "seed oil", "hair growth", "hair loss", "hair dye"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "37Z929RLGKIZMWY86444AIH4AKOTS9", "worker_id": "A3FG5PQHG5AH3Y"}], "B08Y6VZFT6": [{"asin": "B08Y6VZFT6", "instruction": "i'm looking for a light pink long handle back loofah shower brush.", "attributes": ["long handle", "dead skin"], "options": ["scent: light pink"], "instruction_attributes": ["long handle"], "instruction_options": ["light pink"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZNZY1R", "worker_id": "A1Q0EUNCS50S8M"}], "B09DSCTNG1": [{"asin": "B09DSCTNG1", "instruction": "cowboy boots for women non slip choose in brown colour", "attributes": ["knee high", "non slip", "high heel", "ethylene vinyl", "vinyl acetate"], "options": ["color: brown", "size: 6.5 wide"], "instruction_attributes": ["knee high", "non slip"], "instruction_options": ["brown"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0DQ61J", "worker_id": "A10OGH5CQBXL5N"}], "B09MCKF3S7": [{"asin": "B09MCKF3S7", "instruction": "i would like a light weight computer speaker that is easy to carry.", "attributes": ["power amplifier", "light weight", "easy carry"], "options": [""], "instruction_attributes": ["light weight", "easy carry"], "instruction_options": [], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY3NJ4I", "worker_id": "A1WS884SI0SLO4"}], "B07M6T48M7": [{"asin": "B07M6T48M7", "instruction": "i need some high quality blue body paint.", "attributes": ["non toxic", "high quality"], "options": ["color: poseidon deep blue"], "instruction_attributes": ["high quality"], "instruction_options": ["poseidon deep blue"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJSQXBV", "worker_id": "A19317A3X87NVM"}], "B07WZMBRJ4": [{"asin": "B07WZMBRJ4", "instruction": "i am looking for an apple compatible case cover that is clear green or has silver glitter in it.", "attributes": ["compatible apple", "case cover"], "options": ["color: green clear | silver glitter"], "instruction_attributes": ["compatible apple", "case cover"], "instruction_options": ["green clear | silver glitter"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX5HAFU", "worker_id": "A1NF6PELRKACS9"}], "B09434QK1N": [{"asin": "B09434QK1N", "instruction": "i am looking for a 8 size walking shoes for daily wear", "attributes": ["teen girls", "daily wear"], "options": ["color: z01-khaki", "size: 8"], "instruction_attributes": ["daily wear"], "instruction_options": ["8"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1NHF61", "worker_id": "A9QRQL9CFJBI7"}], "B091DCM8YQ": [{"asin": "B091DCM8YQ", "instruction": "i am looking for a women's socks made up of polyester cotton which is washable in machine. also choose black or semi mint rush green color.", "attributes": ["moisture wicking", "machine wash", "cotton spandex", "polyester cotton"], "options": ["color: black | semi turbo pink | semi mint rush green"], "instruction_attributes": ["machine wash", "polyester cotton"], "instruction_options": ["black | semi turbo pink | semi mint rush green"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTRIKTS", "worker_id": "A2HMEGTAFO0CS8"}], "B08D7VZ5GB": [{"asin": "B08D7VZ5GB", "instruction": "i am looking for a media player that is easy to use.", "attributes": ["dual band", "batteries included", "easy use", "quad core"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4FT8LN", "worker_id": "A2ECRNQ3X5LEXD"}], "B00J074W7Q": [{"asin": "B00J074W7Q", "instruction": "i would like a ice coffee flavor protein powder that is usda organic and non gmo.", "attributes": ["plant based", "lactose free", "soy free", "non gmo", "artificial ingredients", "gluten free", "usda organic", "dairy free", "dietary fiber"], "options": ["flavor: iced coffee, 2 lb"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["iced coffee, 2 lb"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX7AAFR", "worker_id": "A1WS884SI0SLO4"}], "B08P54GQZM": [{"asin": "B08P54GQZM", "instruction": "i would like a 2xl white v neck shirt that can be machine washed.", "attributes": ["moisture wicking", "machine wash", "cotton spandex", "classic fit"], "options": ["color: white | black soot | grey flannel (crew 3-pack)", "fit type: v-neck t-shirts", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["white | black soot | grey flannel (crew 3-pack)", "v-neck t-shirts", "xx-large"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO75R28", "worker_id": "A1WS884SI0SLO4"}], "B09PDTL31Y": [{"asin": "B09PDTL31Y", "instruction": "i need a green x-large sweater that comes in a soft material.", "attributes": ["soft material", "tummy control"], "options": ["color: x-05#1green", "size: x-large"], "instruction_attributes": ["soft material"], "instruction_options": ["x-05#1green", "x-large"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPBJCOE", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FLNSZ8G": [{"asin": "B09FLNSZ8G", "instruction": "find me a black red headphone bluetooth and wireless", "attributes": ["noise cancelling", "hands free", "wireless bluetooth"], "options": ["color: black+red"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black+red"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYLLQLM", "worker_id": "A2Y2TURT2VEYZN"}], "B09H15M5MT": [{"asin": "B09H15M5MT", "instruction": "i am looking for dates that are low calorie", "attributes": ["low calorie", "ready eat", "great gift"], "options": ["flavor: variety pack dates", "size: 8 pack"], "instruction_attributes": ["low calorie"], "instruction_options": ["variety pack dates"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UH5A3I", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GPDQWD2": [{"asin": "B09GPDQWD2", "instruction": "i need to find a black gaming headset with stereo sound.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: black blue"], "instruction_attributes": ["stereo sound"], "instruction_options": ["black blue"], "assignment_id": "3P4MQ7TPP8M09ONPVWROKZ1I0R6BB8", "worker_id": "A15ERD4HOFEPHM"}], "B08S33J873": [{"asin": "B08S33J873", "instruction": "i am looking for round shape table top cover for my living room.", "attributes": ["eco friendly", "easy clean", "stainless steel", "dining room", "living room"], "options": ["color: upgraded clear 1.0mm", "shape: round", "size: 12 x 48 inches"], "instruction_attributes": ["living room"], "instruction_options": ["round"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMLM1J0", "worker_id": "A1Q8PPQQCWGY0D"}], "B07THJ72YQ": [{"asin": "B07THJ72YQ", "instruction": "i am looking for long sleeve women tunic of gray color.", "attributes": ["loose fit", "long sleeve", "polyester cotton"], "options": ["color: gray", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["gray"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTBSNLS", "worker_id": "A3FG5PQHG5AH3Y"}], "B09472PX4V": [{"asin": "B09472PX4V", "instruction": "i would like a non toxic nail polish set.", "attributes": ["non toxic", "nail polish"], "options": [""], "instruction_attributes": ["non toxic", "nail polish"], "instruction_options": [], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZSV3KK", "worker_id": "A1WS884SI0SLO4"}], "B08YYLRD89": [{"asin": "B08YYLRD89", "instruction": "i am looking a classic style table lamp for my living room.", "attributes": ["non slip", "glass shade", "living room"], "options": ["style: classic"], "instruction_attributes": ["living room"], "instruction_options": ["classic"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HGD4HYK", "worker_id": "A1Q8PPQQCWGY0D"}], "B08XWF3BHQ": [{"asin": "B08XWF3BHQ", "instruction": "i am looking for barber shop height adjustable beauty salon chair. also green one", "attributes": ["height adjustable", "beauty salon"], "options": ["color: g"], "instruction_attributes": ["height adjustable", "beauty salon"], "instruction_options": ["g"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY9DU0L", "worker_id": "A258PTOZ3D2TQR"}], "B09M31ZFWN": [{"asin": "B09M31ZFWN", "instruction": "i would like a 198 bt power amplifier with wireless bluetooth.", "attributes": ["power amplifier", "easy use", "wireless bluetooth"], "options": ["color: 198bt"], "instruction_attributes": ["power amplifier", "wireless bluetooth"], "instruction_options": ["198bt"], "assignment_id": "354P56DE9VDCOY11T1135MPMLP4S77", "worker_id": "A1WS884SI0SLO4"}], "B01HIX1EHO": [{"asin": "B01HIX1EHO", "instruction": "i'm looking for a large upholstered bench that is contemporary style and has solid wood. also, it should be gray.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: light gray", "size: bench-large"], "instruction_attributes": ["contemporary style", "solid wood"], "instruction_options": ["light gray", "bench-large"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPNF6EP", "worker_id": "A34EHWOYRBL6OZ"}], "B08T24PXZY": [{"asin": "B08T24PXZY", "instruction": "i would like a 2 pound bag of chocolate covered gluten free bars.", "attributes": ["chocolate covered", "gluten free"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["chocolate covered", "gluten free"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBTTJE2", "worker_id": "A1WS884SI0SLO4"}], "B01B7AGX2U": [{"asin": "B01B7AGX2U", "instruction": "i would like to have anti-aging moisturizer which has 10 ivory fair.", "attributes": ["anti aging", "clinically proven", "fine lines"], "options": ["color: 10 ivory fair"], "instruction_attributes": ["anti aging"], "instruction_options": ["10 ivory fair"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06OEKXL", "worker_id": "A15ERD4HOFEPHM"}], "B01N47U1VI": [{"asin": "B01N47U1VI", "instruction": "i need a pair of white bluetooth speakers that have stereo sound.", "attributes": ["water resistant", "stereo sound"], "options": ["color: white"], "instruction_attributes": ["stereo sound"], "instruction_options": ["white"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN686G5N", "worker_id": "A2ECRNQ3X5LEXD"}], "B004W55Y9Q": [{"asin": "B004W55Y9Q", "instruction": "i would like a single pack of rooblos vanilla certified organic tea.", "attributes": ["kosher certified", "certified organic"], "options": ["flavor name: roobios vanilla", "size: pack of 1"], "instruction_attributes": ["kosher certified"], "instruction_options": ["roobios vanilla", "pack of 1"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XBZFR5", "worker_id": "A1WS884SI0SLO4"}], "B00YOSJ4B0": [{"asin": "B00YOSJ4B0", "instruction": "i am looking for a high quality 3g/3ml round clear jar with bpa free. also choose green color and size with 50 jars.", "attributes": ["bpa free", "high quality"], "options": ["color: green", "size: 50 jars"], "instruction_attributes": ["bpa free", "high quality"], "instruction_options": ["green", "50 jars"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOKOLMU", "worker_id": "A2HMEGTAFO0CS8"}], "B07992CMQT": [{"asin": "B07992CMQT", "instruction": "i am looking for body sprays alcohol free in persian rose-pack of 1", "attributes": ["alcohol free", "cruelty free"], "options": ["style: persian rose - pack of 1"], "instruction_attributes": ["alcohol free"], "instruction_options": ["persian rose - pack of 1"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80FT1Q4", "worker_id": "A2MSIFDLOHI1UT"}], "B08QPXD1QK": [{"asin": "B08QPXD1QK", "instruction": "i want something to treat my hair loss that also promotes hair growth.", "attributes": ["hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hair growth", "hair loss"], "instruction_options": [], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40YGCR0", "worker_id": "AR9AU5FY1S3RO"}], "B08HQTD5ND": [{"asin": "B08HQTD5ND", "instruction": "i would like a #6 nail whitener for nail art.", "attributes": ["rose gold", "nail art"], "options": ["color: 6"], "instruction_attributes": ["nail art"], "instruction_options": ["6"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9BZZAX", "worker_id": "A1WS884SI0SLO4"}], "B09P711941": [{"asin": "B09P711941", "instruction": "i need a tripod that is made of carbon fiber.", "attributes": ["quick release", "carbon fiber"], "options": [""], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X006W42", "worker_id": "A2ECRNQ3X5LEXD"}], "B07M9ZM2XB": [{"asin": "B07M9ZM2XB", "instruction": "i want a long lasting remote control with batteries included.", "attributes": ["batteries included", "long lasting"], "options": [""], "instruction_attributes": ["batteries included", "long lasting"], "instruction_options": [], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95UQXQA", "worker_id": "A15ERD4HOFEPHM"}], "B087NCCDN3": [{"asin": "B087NCCDN3", "instruction": "i am looking for women's cover up dress of black color with long sleeve.", "attributes": ["machine wash", "long sleeve"], "options": ["color: black", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYWRVHE", "worker_id": "A1Q8PPQQCWGY0D"}], "B09F6Q2228": [{"asin": "B09F6Q2228", "instruction": "looking for cup cake picks for party supplies of rose gold colour", "attributes": ["valentine day", "cupcake picks", "party supplies", "birthday party"], "options": ["color: rose gold"], "instruction_attributes": ["cupcake picks", "party supplies"], "instruction_options": ["rose gold"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB8M4YP", "worker_id": "A10OGH5CQBXL5N"}], "B092ZHNZ53": [{"asin": "B092ZHNZ53", "instruction": "i am looking for a power amplifier.", "attributes": ["power amplifier", "aluminum alloy"], "options": [""], "instruction_attributes": ["power amplifier"], "instruction_options": [], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOL1L9F", "worker_id": "A2ECRNQ3X5LEXD"}], "B004AI97MA": [{"asin": "B004AI97MA", "instruction": "i'm looking for all skin type body moisturizer oil to prevent body from scars and stretchmarks,etc.,", "attributes": ["clinically proven", "anti aging"], "options": ["style: trial size bundle - oil & gel"], "instruction_attributes": ["clinically proven"], "instruction_options": ["trial size bundle - oil & gel"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733OVBEK", "worker_id": "A21IUUHBSEVB56"}], "B09GX9R9MX": [{"asin": "B09GX9R9MX", "instruction": "i want big size living room", "attributes": ["bronze finish", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHG7NBW", "worker_id": "A226L9F2AZ38CL"}], "B09JWXX6PT": [{"asin": "B09JWXX6PT", "instruction": "i am looking for a black end table for my living room.", "attributes": ["white item", "white finish", "contemporary style", "living room", "home furnishings"], "options": ["color: black"], "instruction_attributes": ["living room"], "instruction_options": ["black"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOFXNO7", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CLGZ7F8": [{"asin": "B09CLGZ7F8", "instruction": "i would like some soy free candles", "attributes": ["lead free", "soy wax"], "options": [""], "instruction_attributes": ["soy wax"], "instruction_options": [], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5Y0BQ3R", "worker_id": "A2ECRNQ3X5LEXD"}], "B0773R4JWX": [{"asin": "B0773R4JWX", "instruction": "i need some slim fitting pants that are desert rose colored and are a size 8 short.", "attributes": ["day comfort", "slim fit", "nylon spandex"], "options": ["color: desert rose", "size: 8 short"], "instruction_attributes": ["slim fit"], "instruction_options": ["desert rose", "8 short"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68HG4AC", "worker_id": "A2ECRNQ3X5LEXD"}], "B00CO8YH5U": [{"asin": "B00CO8YH5U", "instruction": "i am looking for womens size socks that are machine washable.", "attributes": ["knee high", "machine washable", "nylon spandex"], "options": ["color: lime | dark green | white", "size: womens"], "instruction_attributes": ["machine washable"], "instruction_options": ["womens"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21PAFQH", "worker_id": "A1Q8PPQQCWGY0D"}], "B09Q63T5ZF": [{"asin": "B09Q63T5ZF", "instruction": "i am looking for a large, grey, men's pullover sweater with an elastic waist.", "attributes": ["low rise", "elastic waist"], "options": ["color: grey", "size: large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["grey", "large"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTKZ4D0", "worker_id": "A114NK7T5673GK"}], "B08DL6BRT9": [{"asin": "B08DL6BRT9", "instruction": "i would like a 4.22 ounce variety pack of non gmo gluten free smoothie pouches.", "attributes": ["non gmo", "artificial ingredients", "gluten free"], "options": ["flavor name: variety pack", "size: 4.22 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["variety pack", "4.22 ounce (pack of 6)"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34NB41P", "worker_id": "A1WS884SI0SLO4"}], "B07R1VYDRW": [{"asin": "B07R1VYDRW", "instruction": "i'm looking for a long lasting 3 wick candle that has soy wax and is sweet delight scented.", "attributes": ["long lasting", "soy wax"], "options": ["scent: sweet delight", "size: 8oz bundle"], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": ["sweet delight"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFV4JOB", "worker_id": "A34EHWOYRBL6OZ"}], "B09M7BPPCQ": [{"asin": "B09M7BPPCQ", "instruction": "i am looking for xx-large size stylish water resistant padded coat thicken winter warm outerwear. also blue one", "attributes": ["winter warm", "water resistant"], "options": ["color: c-blue", "size: xx-large"], "instruction_attributes": ["winter warm", "water resistant"], "instruction_options": ["c-blue", "xx-large"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQE4JAG", "worker_id": "A258PTOZ3D2TQR"}], "B094FQCRKV": [{"asin": "B094FQCRKV", "instruction": "i'm looking for a black hair loss concealer", "attributes": ["easy apply", "hair loss"], "options": ["color: black"], "instruction_attributes": ["hair loss"], "instruction_options": ["black"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD2YIC3", "worker_id": "A2Y2TURT2VEYZN"}], "B0991FC8BG": [{"asin": "B0991FC8BG", "instruction": "i would like a green tea mask.", "attributes": ["dermatologist tested", "cruelty free", "green tea"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZM97CJ", "worker_id": "A1WS884SI0SLO4"}], "B001B2KXIA": [{"asin": "B001B2KXIA", "instruction": "i'm looking for permanent hair dye in black. i want a three pack.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 020 brown black", "size: 3 count (pack of 1)", "style: new version"], "instruction_attributes": ["hair dye", "permanent hair"], "instruction_options": ["020 brown black", "3 count (pack of 1)"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTG2D5M", "worker_id": "AR9AU5FY1S3RO"}], "B07H1VDWLX": [{"asin": "B07H1VDWLX", "instruction": "i need a red ball gown with a lace closure in a size twelve.", "attributes": ["lace closure", "drawstring closure"], "options": ["color: red", "size: 12"], "instruction_attributes": ["lace closure"], "instruction_options": ["red", "12"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQCPN0P", "worker_id": "AR9AU5FY1S3RO"}], "B07RPQRK3V": [{"asin": "B07RPQRK3V", "instruction": "i am looking for strawberry & apple flavor fruit snack pack that are gluten free.", "attributes": ["gluten free", "non gmo", "fat free", "real fruit", "simple ingredients"], "options": ["flavor name: strawberry & apple", "size: 1.6 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["strawberry & apple"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIJI00V", "worker_id": "A1Q8PPQQCWGY0D"}], "B09NCJ5XWF": [{"asin": "B09NCJ5XWF", "instruction": "i would like a hair trimmer that is stainless steel.", "attributes": ["non slip", "stainless steel", "hair removal", "dead skin", "sensitive skin"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTSQTKB", "worker_id": "A2ECRNQ3X5LEXD"}], "B0018OL2YA": [{"asin": "B0018OL2YA", "instruction": "i need straight leg jeans in a medium that are big and tall.", "attributes": ["straight leg", "relaxed fit", "button closure"], "options": ["color: comfort stretch medium", "fit type: big & tall", "size: 30w x 29l"], "instruction_attributes": ["straight leg"], "instruction_options": ["comfort stretch medium", "big & tall"], "assignment_id": "3G2UL9A02OO71034MOY04HTU30F677", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0018OL2YA", "instruction": "i am looking for levi's men's 550 regular relaxed fit jeans.", "attributes": ["straight leg", "relaxed fit", "button closure"], "options": ["color: rinse - stretch (waterless)", "fit type: regular", "size: 34w x 30l"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["regular"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC550DW", "worker_id": "A1EREKSZAA9V7B"}], "B08LBMYGTL": [{"asin": "B08LBMYGTL", "instruction": "i'm looking for hair care for hair growth for women's to prevention of hair falling.", "attributes": ["coconut oil", "natural hair", "dry hair", "hair growth"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZDTUWM", "worker_id": "A16IQOX0DK14OJ"}], "B00ISAORHQ": [{"asin": "B00ISAORHQ", "instruction": "i would like a 13.25 by 8 inch vanity light with a glass shade and a satin nickel finish.", "attributes": ["bronze finish", "glass shade"], "options": ["color: satin nickel finish", "size: 13.25 by 8-inch"], "instruction_attributes": ["glass shade"], "instruction_options": ["satin nickel finish", "13.25 by 8-inch"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRWMPW6", "worker_id": "A1WS884SI0SLO4"}], "B098N7SGRD": [{"asin": "B098N7SGRD", "instruction": "i'm looking for an easy to install bathroom vanity light in color black.", "attributes": ["easy install", "vanity light", "clear glass", "glass shade", "light fixture", "living room"], "options": ["color: black"], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": ["black"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSL68BR", "worker_id": "A3MNXK3VDK37SN"}], "B09JG2NPSG": [{"asin": "B09JG2NPSG", "instruction": "my mom need wood frame twin size", "attributes": ["assembly required", "wood frame", "box spring"], "options": ["color: espresso(with trundle)", "size: twin"], "instruction_attributes": ["wood frame"], "instruction_options": ["twin"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X40QH0K", "worker_id": "A226L9F2AZ38CL"}], "B08FBL7P7S": [{"asin": "B08FBL7P7S", "instruction": "i am lookig for a light weight clover color womens pullover.", "attributes": ["light weight", "loose fit", "long sleeve"], "options": ["color: clover", "size: 3x"], "instruction_attributes": ["light weight"], "instruction_options": ["clover"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ9RL1K", "worker_id": "A1Q8PPQQCWGY0D"}], "B097FJ9KHT": [{"asin": "B097FJ9KHT", "instruction": "intel core i5-11700, 64gb ram, 1tb ssd + 1tb hdd, destop tower", "attributes": ["core i5", "intel core"], "options": ["size: 64gb ram | 1tb ssd + 2tb hdd"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3R2PKQ87N7I6FN5SSV9EK2GP7G5MIS", "worker_id": "A3N9ZYQAESNFQH"}], "B09NJ39F9R": [{"asin": "B09NJ39F9R", "instruction": "i want a non slip steel toe black men's shoe size :6.5", "attributes": ["slip resistant", "non slip", "steel toe"], "options": ["color: black", "size: 6.5"], "instruction_attributes": ["non slip", "steel toe"], "instruction_options": [], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K9612H", "worker_id": "A3N9ZYQAESNFQH"}], "B01N2N0ZWV": [{"asin": "B01N2N0ZWV", "instruction": "i need to get some gluten free coffee and it should be one pack of 8 ounces.", "attributes": ["freeze dried", "non dairy", "non gmo", "gluten free", "dairy free"], "options": ["flavor name: unsweetened", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLWMTFM", "worker_id": "A15ERD4HOFEPHM"}], "B096DWZGD2": [{"asin": "B096DWZGD2", "instruction": "i would like a sulfate free conditioner", "attributes": ["sulfate free", "argan oil", "hyaluronic acid"], "options": [""], "instruction_attributes": ["sulfate free"], "instruction_options": [], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYTMZOH", "worker_id": "A2ECRNQ3X5LEXD"}], "B082V1QQCM": [{"asin": "B082V1QQCM", "instruction": "i am looking for a 10x6.5ft backgrounds for digital photography", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 10x6.5ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["10x6.5ft"], "assignment_id": "326O153BMT8RVOXTJJKKGXV369DED0", "worker_id": "A9QRQL9CFJBI7"}], "B07W1P8CK2": [{"asin": "B07W1P8CK2", "instruction": "waterproof hair styling cape hairdressing cape for hairdressing salon hairdressing cut adjustable neckline makeup", "attributes": ["beauty salon", "hair styling"], "options": ["color: 3 pack pink (silk-like satin)", "size: 5 count"], "instruction_attributes": ["hair styling"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PCAUB5", "worker_id": "A3TTGSUBIK1YCL"}], "B09H455HTL": [{"asin": "B09H455HTL", "instruction": "i want a screen protector that is easy to install. pick something with leopard patterns.", "attributes": ["easy install", "wireless charging"], "options": ["color: fashion leopard"], "instruction_attributes": ["easy install"], "instruction_options": ["fashion leopard"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OQT99D", "worker_id": "A1NF6PELRKACS9"}], "B008ODE4YI": [{"asin": "B008ODE4YI", "instruction": "i'm looking for vanilla flavored chai tea mix that's sugar free, non-gmo, and gluten free. look for a pack that's around six ounces.", "attributes": ["sugar free", "non gmo", "gluten free"], "options": ["flavor name: vanilla", "size: 5.64 ounce (pack of 1)"], "instruction_attributes": ["sugar free", "non gmo", "gluten free"], "instruction_options": ["vanilla", "5.64 ounce (pack of 1)"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N23O6G0", "worker_id": "AR9AU5FY1S3RO"}], "B07XH6Z9NV": [{"asin": "B07XH6Z9NV", "instruction": "i would like a pair of small leggings with a high waist and tummy control for women.", "attributes": ["slim fit", "high waist", "tummy control", "polyester spandex"], "options": ["size: small"], "instruction_attributes": ["high waist", "tummy control"], "instruction_options": ["small"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXMFKWZ", "worker_id": "A1WS884SI0SLO4"}], "B09SBHLF4H": [{"asin": "B09SBHLF4H", "instruction": "i would like a pair of size 7.5 white sandals with a ankle strap.", "attributes": ["open toe", "ankle strap", "teen girls", "daily wear"], "options": ["color: white", "size: 7.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["white", "7.5"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4KJ8MP", "worker_id": "A1WS884SI0SLO4"}], "B093239RZC": [{"asin": "B093239RZC", "instruction": "i would like two grey chairs and a end table with a steel frame.", "attributes": ["coated steel", "steel frame"], "options": ["color: grey", "size: 2pc 1 seat", "style: 2 chairs end table"], "instruction_attributes": ["steel frame"], "instruction_options": ["grey", "2pc 1 seat", "2 chairs end table"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCQ9BMW", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B093239RZC", "instruction": "i would like a grey ottoman that has a steel frame", "attributes": ["coated steel", "steel frame"], "options": ["color: grey", "size: 5pc 2 seat", "style: 2 chairs end table"], "instruction_attributes": ["steel frame"], "instruction_options": ["grey"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZM19K7", "worker_id": "A2ECRNQ3X5LEXD"}], "B0897J9528": [{"asin": "B0897J9528", "instruction": "i'm looking for a full size platform bed storage with two drawers.", "attributes": ["box spring", "solid wood", "storage space"], "options": ["color: white", "size: full"], "instruction_attributes": ["solid wood", "storage space"], "instruction_options": ["white", "full"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKDTNE5", "worker_id": "A1ZGOZQF2VZ0X9"}], "B08DD91VNS": [{"asin": "B08DD91VNS", "instruction": "i would like a grey twin size bunk bed made of solid wood.", "attributes": ["twin size", "assembly required", "solid wood"], "options": ["color: grey"], "instruction_attributes": ["twin size", "solid wood"], "instruction_options": ["grey"], "assignment_id": "33CID5710F37J25O7G1CGJZBOT4L3B", "worker_id": "A1WS884SI0SLO4"}], "B07Q4DK92V": [{"asin": "B07Q4DK92V", "instruction": "i would like a white face belt that is anti aging.", "attributes": ["clinically proven", "anti aging", "long lasting"], "options": ["color: white"], "instruction_attributes": ["anti aging"], "instruction_options": ["white"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADKNVWX", "worker_id": "A1WS884SI0SLO4"}], "B09PG4Y9CR": [{"asin": "B09PG4Y9CR", "instruction": "i need a pair of low rise yellow briefs in a large.", "attributes": ["low rise", "high waist"], "options": ["color: 122-yellow", "size: large"], "instruction_attributes": ["low rise"], "instruction_options": ["122-yellow", "large"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG9ELSE", "worker_id": "A2ECRNQ3X5LEXD"}], "B00FZGZ6GC": [{"asin": "B00FZGZ6GC", "instruction": "please find me a gluten free coffee creamer.", "attributes": ["lactose free", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD3URIB", "worker_id": "A15ERD4HOFEPHM"}], "B07DWBHBWR": [{"asin": "B07DWBHBWR", "instruction": "i am looking for king size bed with pocket spring mattress", "attributes": ["button tufted", "king size", "contemporary style"], "options": ["color: beige", "size: king", "style: brighton + pocket spring mattress"], "instruction_attributes": ["king size"], "instruction_options": ["brighton + pocket spring mattress"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647CTH3Y", "worker_id": "A16M39T60N60NO"}], "B09RN93XLV": [{"asin": "B09RN93XLV", "instruction": "i am looking for a s size manual toothbrushes for sensitive teeth", "attributes": ["easy use", "sensitive teeth"], "options": ["color: blue-1", "size: s"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["s"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKP0APJ8", "worker_id": "A9QRQL9CFJBI7"}], "B08R1CWC8V": [{"asin": "B08R1CWC8V", "instruction": "i need a living room wall lamp that is in black.", "attributes": ["wall mounted", "vanity light", "glass shade", "dining room", "living room"], "options": ["color: black"], "instruction_attributes": ["living room"], "instruction_options": ["black"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34N541J", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KDWDHKJ": [{"asin": "B07KDWDHKJ", "instruction": "i need a red iphone 7/8 / se 2020 case with card holder and[ screen protector tempered glass", "attributes": ["case cover", "tempered glass"], "options": ["color: red", "size: apple iphone 6s | 6 (4.7\")"], "instruction_attributes": ["tempered glass"], "instruction_options": ["red"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SXNDUW", "worker_id": "A1IL2K0ELYI090"}], "B07G3PXTKT": [{"asin": "B07G3PXTKT", "instruction": "i am looking for a low sugar ans dairy free vanilla flavored creamer, with added collagen.", "attributes": ["dairy free", "grass fed", "non dairy", "low sugar", "keto friendly", "gluten free"], "options": ["flavor name: vanilla"], "instruction_attributes": ["dairy free", "low sugar"], "instruction_options": ["vanilla"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY8697810", "worker_id": "A2NSS746CFCT4M"}], "B07H23LPBB": [{"asin": "B07H23LPBB", "instruction": "i need a 14 inch natural hair hair extension in #2 color.", "attributes": ["hair extensions", "natural hair"], "options": ["color: #2", "size: 14 inch"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["#2", "14 inch"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NL2KBO", "worker_id": "A3AYHESLQSDY5T"}], "B08G1B3LFJ": [{"asin": "B08G1B3LFJ", "instruction": "i'm looking for a flats made of ethylene vinyl. choose the ones in tan color and size 9.5 narrow.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: tan leather metallic synthetic", "size: 9.5 narrow"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["tan leather metallic synthetic", "9.5 narrow"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO602CB", "worker_id": "A3MNXK3VDK37SN"}], "B07ZSFG9CK": [{"asin": "B07ZSFG9CK", "instruction": "i want to find gluten-free sunrise crunchy maple cereal. it needs to be a 10.6 ounce box in a pack of six.", "attributes": ["gluten free", "non gmo", "usda organic", "simple ingredients", "artificial flavors"], "options": ["flavor name: sunrise crunchy maple - gf", "size: 10.6 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["sunrise crunchy maple - gf", "10.6 ounce (pack of 6)"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68HOA4Q", "worker_id": "A345TDMHP3DQ3G"}], "B09NNFT9S2": [{"asin": "B09NNFT9S2", "instruction": "i want a twin size box spring bed for kids made from solid wood brown color", "attributes": ["twin size", "box spring", "solid wood"], "options": ["color: brown", "style: l-shaped twin loft bed w | slide"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KYC7E2", "worker_id": "A3N9ZYQAESNFQH"}], "B077Z4T5VD": [{"asin": "B077Z4T5VD", "instruction": "i am looking for a short sleeve deep v neck solid color crop top.", "attributes": ["short sleeve", "daily wear"], "options": ["color: multicoloured plants", "size: large plus"], "instruction_attributes": ["short sleeve"], "instruction_options": ["multicoloured plants"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KGMPD3", "worker_id": "A2KW17G25L25R8"}], "B07QYWKFLL": [{"asin": "B07QYWKFLL", "instruction": "i need some gym shorts that are black and are in a 3x-large.", "attributes": ["elastic waist", "relaxed fit", "short sleeve", "gym workout"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["gym workout"], "instruction_options": ["black", "3x-large"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E04F7X3", "worker_id": "A2ECRNQ3X5LEXD"}], "B08TH9XBMC": [{"asin": "B08TH9XBMC", "instruction": "i would like a pair of 8.5 wide brown leather shoes with a rubber sole.", "attributes": ["arch support", "rubber outsole", "rubber sole"], "options": ["color: brown leather & tan duck", "size: 8.5 wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown leather & tan duck", "8.5 wide"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X00H4WL", "worker_id": "A1WS884SI0SLO4"}], "B07TPBW1MW": [{"asin": "B07TPBW1MW", "instruction": "i am looking for white color bookcase having exquisite workmanship.", "attributes": ["space saving", "exquisite workmanship"], "options": ["color: white"], "instruction_attributes": ["exquisite workmanship"], "instruction_options": ["white"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI709YQ6", "worker_id": "A1Q8PPQQCWGY0D"}], "B08C5LJ2W9": [{"asin": "B08C5LJ2W9", "instruction": "looking for birthday party baby shower cupcake in colour blue", "attributes": ["baby shower", "birthday party"], "options": ["color: blue"], "instruction_attributes": ["baby shower", "birthday party"], "instruction_options": ["blue"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALC24HJ", "worker_id": "A10OGH5CQBXL5N"}], "B088NPZJ98": [{"asin": "B088NPZJ98", "instruction": "i am looking for a 2-tier chandelier for the dining room", "attributes": ["light fixture", "dining room", "living room"], "options": ["color: 2-tier", "size: 23.6\"+31.5\"+ 39.3\""], "instruction_attributes": ["dining room"], "instruction_options": ["2-tier"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLP8I4H", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LYSV2DT": [{"asin": "B08LYSV2DT", "instruction": "look for high density warm beige curtains for my living room.", "attributes": ["machine washable", "high density", "living room"], "options": ["color: warm beige", "size: w 70 x l 95"], "instruction_attributes": ["high density", "living room"], "instruction_options": ["warm beige"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DEXWDF", "worker_id": "A1NF6PELRKACS9"}], "B09NDT2Q37": [{"asin": "B09NDT2Q37", "instruction": "i would like a water resistant bluetooth headset.", "attributes": ["water resistant", "noise cancelling", "hands free", "stereo sound"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8FBXUU", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PR9C6B7": [{"asin": "B09PR9C6B7", "instruction": "i'm looking for a dining room table that's made out of solid wood and easy to assemble.", "attributes": ["space saving", "easy assemble", "solid wood", "dining room"], "options": [""], "instruction_attributes": ["easy assemble", "solid wood", "dining room"], "instruction_options": [], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRS9PUE7", "worker_id": "AR9AU5FY1S3RO"}], "B07BNH7XMM": [{"asin": "B07BNH7XMM", "instruction": "i am looking for a 3x-large sized 3d digital printed pattern short sleeve t-shirt", "attributes": ["polyester cotton", "short sleeve", "teen girls"], "options": ["color: skull", "size: 3x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["3x-large"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK69HYY0", "worker_id": "A258PTOZ3D2TQR"}], "B01G2B8D7W": [{"asin": "B01G2B8D7W", "instruction": "i'm looking for a snack of protein balls gluten free pack size of 14.5 ounce", "attributes": ["grain free", "gluten free", "protein serving"], "options": ["size: 14.5 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["14.5 ounce (pack of 1)"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOLBYDS", "worker_id": "A2Y2TURT2VEYZN"}], "B095JHKLGD": [{"asin": "B095JHKLGD", "instruction": "look for a pair of open toed sandals with an ankle strap. i want them in beige, size 8.", "attributes": ["open toe", "ankle strap"], "options": ["color: 0 # beige", "size: 8"], "instruction_attributes": ["open toe", "ankle strap"], "instruction_options": ["0 # beige", "8"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UH4A3H", "worker_id": "AR9AU5FY1S3RO"}], "B09PNMMLCS": [{"asin": "B09PNMMLCS", "instruction": "i need to buy a children's toothbrush that's easy to use and appropriate for sensitive teeth. buy the color option \"a.\"", "attributes": ["easy use", "sensitive teeth"], "options": ["color: a"], "instruction_attributes": ["easy use", "sensitive teeth"], "instruction_options": ["a"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ASMBWM", "worker_id": "AR9AU5FY1S3RO"}], "B089W86S39": [{"asin": "B089W86S39", "instruction": "i'm looking for high density of furniture home office chairs.", "attributes": ["high density", "lumbar support"], "options": ["color: black"], "instruction_attributes": ["high density", "lumbar support"], "instruction_options": ["black"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOL40FW", "worker_id": "A16IQOX0DK14OJ"}], "B00ARKH10U": [{"asin": "B00ARKH10U", "instruction": "i'm looking for one red/orange henna hair dye", "attributes": ["plant based", "cruelty free", "hair dye"], "options": ["color: red | orange", "size: pack of 1"], "instruction_attributes": ["hair dye"], "instruction_options": ["red | orange", "pack of 1"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP65J7W", "worker_id": "A2Y2TURT2VEYZN"}], "B0861BLTXS": [{"asin": "B0861BLTXS", "instruction": "i am looking for soy free , gluten free ocean's halo tangy in flavor wasabi-style ranch", "attributes": ["soy free", "certified organic", "gluten free"], "options": ["flavor name: wasabi-style ranch"], "instruction_attributes": ["soy free", "gluten free"], "instruction_options": ["wasabi-style ranch"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODPTEWJ", "worker_id": "AX2EWYWZM19AZ"}], "B07R8218SY": [{"asin": "B07R8218SY", "instruction": "i am looking for men's shirts of small size having short sleeve.", "attributes": ["machine wash", "button closure", "short sleeve"], "options": ["color: fossil multi plaid", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["small"], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWPB250", "worker_id": "A1Q8PPQQCWGY0D"}], "B0963D384N": [{"asin": "B0963D384N", "instruction": "i'm looking for rubber sole its for easy to use high heel shoe for woman's", "attributes": ["anti slip", "water resistant", "winter warm", "faux fur", "rubber sole"], "options": ["color: thick black", "size: 11"], "instruction_attributes": ["water resistant", "rubber sole"], "instruction_options": ["thick black"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R9ER0H", "worker_id": "A16IQOX0DK14OJ"}], "B08BC2WY1Y": [{"asin": "B08BC2WY1Y", "instruction": "i would like a medium gy tank top with a unique design.", "attributes": ["unique design", "daily wear"], "options": ["color: gy", "size: medium"], "instruction_attributes": ["unique design"], "instruction_options": ["gy", "medium"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20QB0ZX", "worker_id": "A1WS884SI0SLO4"}], "B08NDBKVYR": [{"asin": "B08NDBKVYR", "instruction": "i am looking for 30g of organic matcha.", "attributes": ["bpa free", "certified organic"], "options": ["size: 30g"], "instruction_attributes": ["certified organic"], "instruction_options": ["30g"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVPJ71U", "worker_id": "A2ECRNQ3X5LEXD"}], "B092697R22": [{"asin": "B092697R22", "instruction": "i'm looking for size 9 womens beach sandals that are non slip, quick drying and have a rubber sole. also, they should be silver.", "attributes": ["non slip", "quick drying", "rubber sole"], "options": ["color: silver", "size: 9"], "instruction_attributes": ["non slip", "quick drying", "rubber sole"], "instruction_options": ["silver", "9"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRZ8XJT", "worker_id": "A34EHWOYRBL6OZ"}], "B0054YWM1M": [{"asin": "B0054YWM1M", "instruction": "i need some eye cream for anti aging.", "attributes": ["anti aging", "fine lines"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKNDPVP", "worker_id": "A2ECRNQ3X5LEXD"}], "B099RDX3Z3": [{"asin": "B099RDX3Z3", "instruction": "looking for motion detection with 1080p hd wireless mini hidden camera", "attributes": ["1080p hd", "plug play", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": [], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDPCHC2", "worker_id": "A10OGH5CQBXL5N"}], "B07KG93KMK": [{"asin": "B07KG93KMK", "instruction": "i'm looking for a lip pencil high pigmented for long lasting and melrose place color", "attributes": ["cruelty free", "long lasting", "highly pigmented", "high quality"], "options": ["color: melrose place"], "instruction_attributes": ["long lasting", "highly pigmented"], "instruction_options": ["melrose place"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJOM0WM", "worker_id": "A2Y2TURT2VEYZN"}], "B09BYWRDJP": [{"asin": "B09BYWRDJP", "instruction": "i want to buy a pair of honey colored size nine hiking boots with a non-slip rubber sole.", "attributes": ["winter warm", "non slip", "rubber outsole", "rubber sole"], "options": ["color: 3-honey", "size: 9"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["3-honey", "9"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WSPWQL", "worker_id": "AR9AU5FY1S3RO"}], "B09HRSZGCH": [{"asin": "B09HRSZGCH", "instruction": "i would like a queen size blue bed and box spring mattress.", "attributes": ["non slip", "easy clean", "memory foam", "box spring"], "options": ["color: blue", "size: queen"], "instruction_attributes": ["box spring"], "instruction_options": ["blue", "queen"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RJRFLW", "worker_id": "A1WS884SI0SLO4"}], "B09D3HYBB1": [{"asin": "B09D3HYBB1", "instruction": "i would like a black travel size cosmetic bag.", "attributes": ["travel size", "eye shadow"], "options": ["color: black"], "instruction_attributes": ["travel size"], "instruction_options": ["black"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39FXCZR", "worker_id": "A1WS884SI0SLO4"}], "B01L1UR5ZA": [{"asin": "B01L1UR5ZA", "instruction": "i am looking for a rustic gray color home office desks for longlasting", "attributes": ["long lasting", "assembly required"], "options": ["color: rustic gray", "style name: 50-in. tv stand"], "instruction_attributes": ["long lasting"], "instruction_options": ["rustic gray"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZK0KM7", "worker_id": "A9QRQL9CFJBI7"}], "B09K58B3ST": [{"asin": "B09K58B3ST", "instruction": "a light weight high speed usb wall charger for iphone11 color 3pack -back", "attributes": ["high power", "light weight", "high speed"], "options": ["color: 3pack-black"], "instruction_attributes": ["light weight", "high speed"], "instruction_options": ["3pack-black"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDZPAI5", "worker_id": "A3N9ZYQAESNFQH"}], "B091SWM9ZX": [{"asin": "B091SWM9ZX", "instruction": "i am looking for a coconut water birthday party", "attributes": ["great gift", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHFDNB0", "worker_id": "A9QRQL9CFJBI7"}], "B09HZZZCZN": [{"asin": "B09HZZZCZN", "instruction": "i am looking for a 10ml (0.33 ounce) anti oxidant booster size of alcohol free oils", "attributes": ["alcohol free", "cruelty free"], "options": ["size: 10ml (0.33 ounce) anti oxidant booster"], "instruction_attributes": ["alcohol free"], "instruction_options": ["10ml (0.33 ounce) anti oxidant booster"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UHINQI6", "worker_id": "A9QRQL9CFJBI7"}], "B09P8KCQB4": [{"asin": "B09P8KCQB4", "instruction": "i need a teeth whitening kit for sensitive teeth that comes in seven pairs.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: 7 pairs"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["7 pairs"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVO2LX8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CTN88LK": [{"asin": "B09CTN88LK", "instruction": "i would like a white nightstand made of solid wood.", "attributes": ["easy clean", "mid century", "white item", "easy assemble", "solid wood", "storage space", "living room"], "options": ["color: white"], "instruction_attributes": ["white item", "easy assemble"], "instruction_options": ["white"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NAK2NZ", "worker_id": "A1WS884SI0SLO4"}], "B00XK9CN3U": [{"asin": "B00XK9CN3U", "instruction": "i am looking for a flat sheet for a twin size bed. also choose navy color.", "attributes": ["twin size", "white item"], "options": ["color: navy", "size: queen"], "instruction_attributes": ["twin size"], "instruction_options": ["navy"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK8WVNJ", "worker_id": "A2HMEGTAFO0CS8"}], "B098KVHFQD": [{"asin": "B098KVHFQD", "instruction": "let me have the high performance band4u compatible with samsung galaxy watch 3 bands, 20mm size.", "attributes": ["quick release", "high performance"], "options": ["color: 4p-4", "size: 20mm"], "instruction_attributes": ["high performance"], "instruction_options": ["20mm"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X40M0HZ", "worker_id": "A1IL2K0ELYI090"}], "B08W3FLWVL": [{"asin": "B08W3FLWVL", "instruction": "i want to buy a wooden chandelier for my dining room. it should be easy to install. get the 22 inch size.", "attributes": ["easy install", "light fixture", "dining room"], "options": ["size: 22\""], "instruction_attributes": ["easy install", "dining room"], "instruction_options": ["22\""], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107B4LIE", "worker_id": "AR9AU5FY1S3RO"}], "B086HX7L1B": [{"asin": "B086HX7L1B", "instruction": "i am interested in a 12 pack of dill pickle chips that are low carb", "attributes": ["low carb", "grain free", "low sugar", "gluten free", "high protein", "quality ingredients"], "options": ["flavor name: dill pickle", "size: pack of 12"], "instruction_attributes": ["low carb"], "instruction_options": ["dill pickle", "pack of 12"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCR2B9X", "worker_id": "A2ECRNQ3X5LEXD"}], "B0958ZH8X2": [{"asin": "B0958ZH8X2", "instruction": "i need some active shorts that are in the color of equator and are a medium", "attributes": ["moisture wicking", "quick drying", "drawstring waist", "elastic waistband"], "options": ["color: equator", "size: medium"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["equator", "medium"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOFDNON", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TBG89NL": [{"asin": "B07TBG89NL", "instruction": "i am looking for a two pack of deodorant that is clinically proven.", "attributes": ["clinically proven", "easy use"], "options": ["size: 1.69 fl oz (pack of 2)"], "instruction_attributes": ["clinically proven"], "instruction_options": ["1.69 fl oz (pack of 2)"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ56ECKZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B073R3XKJT": [{"asin": "B073R3XKJT", "instruction": "get me a brushed nickel finish 3-light chandelier.", "attributes": ["nickel finish", "brushed nickel"], "options": ["color: brushed nickel", "style: 3-light chandelier"], "instruction_attributes": ["nickel finish", "brushed nickel"], "instruction_options": ["3-light chandelier"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA3NA80", "worker_id": "A3AYHESLQSDY5T"}], "B07G8MMR53": [{"asin": "B07G8MMR53", "instruction": "i would like a clinically proven hair growth treatment.", "attributes": ["clinically proven", "hair growth", "hair loss", "hair treatment"], "options": [""], "instruction_attributes": ["clinically proven", "hair growth", "hair treatment"], "instruction_options": [], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NLRKBD", "worker_id": "A1WS884SI0SLO4"}], "B091FLGF1T": [{"asin": "B091FLGF1T", "instruction": "i need some shorts that are pink, have a high waist, and a drawstring closure. get the size 14.", "attributes": ["drawstring closure", "high waist"], "options": ["color: bpink", "size: 14"], "instruction_attributes": ["drawstring closure", "high waist"], "instruction_options": ["bpink", "14"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCX7643", "worker_id": "AR9AU5FY1S3RO"}], "B09D13H4KQ": [{"asin": "B09D13H4KQ", "instruction": "i would like a quad intel core i5 desktop tower.", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["core i5", "intel core", "quad core"], "instruction_options": [], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSX56TI", "worker_id": "A1WS884SI0SLO4"}], "B0779HP36L": [{"asin": "B0779HP36L", "instruction": "i'm looking for a round accent table for the living room that is fully assembled and ready to use. also, it should be gray and rose gold colored.", "attributes": ["ready use", "fully assembled", "high gloss", "living room"], "options": ["color: gray | rose gold"], "instruction_attributes": ["ready use", "fully assembled", "living room"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X003W4Z", "worker_id": "A34EHWOYRBL6OZ"}], "B0987JP84S": [{"asin": "B0987JP84S", "instruction": "i want to buy wall art decor which is high gloss and suitable for dining room, and the color of which is sword, b.", "attributes": ["high gloss", "dining room", "living room"], "options": ["color: sword,b"], "instruction_attributes": ["high gloss", "dining room"], "instruction_options": ["sword,b"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWUDFPH", "worker_id": "AJY5G987IRT25"}], "B000VCBXN0": [{"asin": "B000VCBXN0", "instruction": "i'm looking for a 8 ounce of quality ingredient ranch dressing.", "attributes": ["artificial colors", "quality ingredients", "high fructose"], "options": ["flavor name: buttermilk", "size: 8 ounce"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["buttermilk"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40YYFYR", "worker_id": "ARQ05PDNXPFDI"}], "B00VMXZXTM": [{"asin": "B00VMXZXTM", "instruction": "i am looking for ultime permanent hair color cream, 5.22 ruby red", "attributes": ["permanent hair", "hair dye"], "options": ["color: 5.22 ruby red"], "instruction_attributes": ["permanent hair"], "instruction_options": ["5.22 ruby red"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGZ6TWE", "worker_id": "A258PTOZ3D2TQR"}], "B09Q177KDP": [{"asin": "B09Q177KDP", "instruction": "get me 2 metal legs barstools with back & arm with easy to assemble function in grey color.", "attributes": ["easy assemble", "metal legs"], "options": ["color: grey", "size: 2 barstools with back & arm"], "instruction_attributes": ["easy assemble", "metal legs"], "instruction_options": ["grey", "2 barstools with back & arm"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP1WXTV", "worker_id": "A3AYHESLQSDY5T"}], "B09F2CMB4T": [{"asin": "B09F2CMB4T", "instruction": "i would like a silver signal converter with a usb port.", "attributes": ["power amplifier", "usb port"], "options": ["color: silver"], "instruction_attributes": ["usb port"], "instruction_options": ["silver"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA9CS2L", "worker_id": "A1WS884SI0SLO4"}], "B07DK4987C": [{"asin": "B07DK4987C", "instruction": "i'm looking for a two pack of tea tree deodorant that's been tested by a dermatologist. it should last a long time and come in the scent \"rise.\"", "attributes": ["dermatologist tested", "long lasting", "tea tree"], "options": ["scent: rise", "size: 2.7 ounce (pack of 2)"], "instruction_attributes": ["dermatologist tested", "long lasting", "tea tree"], "instruction_options": ["rise", "2.7 ounce (pack of 2)"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU75O75C", "worker_id": "AR9AU5FY1S3RO"}], "B09RQ514CM": [{"asin": "B09RQ514CM", "instruction": "i'm looking for clothing for needle sleeve and classic fit for women's it is easy to wear it.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: men", "size: x-large"], "instruction_attributes": ["machine wash", "needle sleeve", "classic fit"], "instruction_options": ["royal blue"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEKC86N", "worker_id": "A16IQOX0DK14OJ"}], "B07Q4QY2B3": [{"asin": "B07Q4QY2B3", "instruction": "i am looking for gluten free, non gmo butter chocolates made with vanilla and cashew. and i choose the 12 count packet with salty chocolate flavor", "attributes": ["artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: 12-pack salty chocolate", "size: 12 count (pack of 1)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["12-pack salty chocolate", "12 count (pack of 1)"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMS7EXM", "worker_id": "A2COCSUGZV28X"}], "B081YWZWQW": [{"asin": "B081YWZWQW", "instruction": "i want to buy a pair of machine washable jeans. look for them in size 33 short with a standard fit. get the \"cast shadows\" color.", "attributes": ["machine wash", "imported zipper"], "options": ["color: cast shadows", "fit type: standard", "size: 33 short"], "instruction_attributes": ["machine wash"], "instruction_options": ["cast shadows", "standard", "33 short"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN3GGOX", "worker_id": "AR9AU5FY1S3RO"}], "B07FDZ7BCD": [{"asin": "B07FDZ7BCD", "instruction": "looking for because it is you perfurme long lasting effect", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2ZM94Q", "worker_id": "A2Y2TURT2VEYZN"}], "B00K8V2QNU": [{"asin": "B00K8V2QNU", "instruction": "i am looking for a 4 pack of long lasting, high performance 12v batteries.", "attributes": ["long lasting", "high performance"], "options": ["size: 4 pack"], "instruction_attributes": ["long lasting", "high performance"], "instruction_options": ["4 pack"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LHIL0E", "worker_id": "A114NK7T5673GK"}], "B00ZS8O4QA": [{"asin": "B00ZS8O4QA", "instruction": "i need a cruelty free face mist", "attributes": ["cruelty free", "hyaluronic acid"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL8O5HG", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MK1L322": [{"asin": "B09MK1L322", "instruction": "i would like a 32 gigabyte desktop computer with a intel core.", "attributes": ["core i5", "intel core"], "options": ["size: 32gb ddr4 i 1tb ssd i 1tb hdd"], "instruction_attributes": ["intel core"], "instruction_options": ["32gb ddr4 i 1tb ssd i 1tb hdd"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB89Y46", "worker_id": "A1WS884SI0SLO4"}], "B09FFW4QWR": [{"asin": "B09FFW4QWR", "instruction": "i need a 4 oz sprinkle for my birthday party.", "attributes": ["resealable bag", "baby shower", "birthday party"], "options": ["size: 4 oz"], "instruction_attributes": ["birthday party"], "instruction_options": ["4 oz"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL7VRVH", "worker_id": "AVIEE6LDH0BT5"}], "B091JCM72C": [{"asin": "B091JCM72C", "instruction": "hunting for a natural deodorant that is aluminum and baking soda free, hypoallergenic, safe for sensitive skin, underarms, and private parts in a 2 pk 3 ounce tube. prefer either clean tangerine or lavender sage scent.", "attributes": ["clinically proven", "paraben free", "sensitive skin"], "options": ["scent: lavender sage"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["lavender sage"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UVJY0E", "worker_id": "A3RGIKEI8JS2QG"}], "B000GCQ04C": [{"asin": "B000GCQ04C", "instruction": "i need a toner for sensitive skin that is 16 fl oz", "attributes": ["fragrance free", "sensitive skin"], "options": ["size: 16 fl oz (pack of 1)", "style: pore perfecting toner"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["16 fl oz (pack of 1)", "pore perfecting toner"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNB210D", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MVWWZWC": [{"asin": "B09MVWWZWC", "instruction": "i am looking for a 2pcs set cosmetic bags which is easy to carry", "attributes": ["easy carry", "eye shadow"], "options": ["color: sparkle silver", "style: 2pcs set"], "instruction_attributes": ["easy carry"], "instruction_options": ["2pcs set"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYQRMQ0", "worker_id": "A9QRQL9CFJBI7"}], "B079HHHQ3S": [{"asin": "B079HHHQ3S", "instruction": "i am looking for nut free and gluten free chocolate.", "attributes": ["nut free", "rich creamy", "ready use", "gluten free"], "options": ["flavor: fair trade, nut free, gluten free", "size: 8 ounce (pack of 4)"], "instruction_attributes": ["nut free", "gluten free"], "instruction_options": ["fair trade, nut free, gluten free"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXMBWK7", "worker_id": "A3FG5PQHG5AH3Y"}], "B087C2R5KL": [{"asin": "B087C2R5KL", "instruction": "i'm looking for an easy-to-clean desk cover protector for my round dining room table; it should be frosted and about 34 x 48 inches in size.", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: round new frosted 2mm", "size: 34 x 48 inches"], "instruction_attributes": ["easy clean", "dining room"], "instruction_options": ["round new frosted 2mm", "34 x 48 inches"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPDRRO6", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B087C2R5KL", "instruction": "i need round table pads that are heavy duty and are a size 33.5 by 55.1 inches", "attributes": ["heavy duty", "easy clean", "stainless steel", "dining room"], "options": ["color: round new clear 2mm", "size: 33.5 x 55.1 inches"], "instruction_attributes": ["heavy duty"], "instruction_options": ["round new clear 2mm", "33.5 x 55.1 inches"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7UTHLD", "worker_id": "A2ECRNQ3X5LEXD"}], "B07N12XY6N": [{"asin": "B07N12XY6N", "instruction": "i need a pair of machine washable black sneakers in a 13 wide.", "attributes": ["machine washable", "rubber sole"], "options": ["color: black | black", "size: 13 wide"], "instruction_attributes": ["machine washable"], "instruction_options": ["black | black", "13 wide"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6LZ2B3", "worker_id": "AR9AU5FY1S3RO"}], "B001SYZXFY": [{"asin": "B001SYZXFY", "instruction": "i am looking for a pack of powder blush that can be applied easily . and i choose the pack of 3 with soft sable color", "attributes": ["easy apply", "easy carry"], "options": ["color: soft sable", "size: 0.12 ounce (pack of 3)"], "instruction_attributes": ["easy apply"], "instruction_options": ["soft sable", "0.12 ounce (pack of 3)"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTGED5Y", "worker_id": "A2COCSUGZV28X"}], "B09F2PGGKW": [{"asin": "B09F2PGGKW", "instruction": "i want to buy an x-large satin sleepwear set made of soft material. also choose the one made in teal color.", "attributes": ["soft material", "drawstring closure"], "options": ["color: teal", "size: x-large"], "instruction_attributes": [], "instruction_options": ["x-large"], "assignment_id": "351SEKWQSBRP7CP60H83T50CFB7MD0", "worker_id": "A1HMZJ59OPLD1P"}], "B08C5LVXPM": [{"asin": "B08C5LVXPM", "instruction": "i'm looking for a fudule sandals for women.", "attributes": ["open toe", "ankle strap", "closed toe"], "options": ["color: y-5 begie", "size: 11.5"], "instruction_attributes": ["open toe"], "instruction_options": ["y-5 begie", "11.5"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2G3IOM", "worker_id": "A1ZGOZQF2VZ0X9"}], "B0964BFQXK": [{"asin": "B0964BFQXK", "instruction": "i am looking for a high density mattress.", "attributes": ["high density", "memory foam"], "options": [""], "instruction_attributes": ["high density"], "instruction_options": [], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BOUJV6", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RKJKJGC": [{"asin": "B07RKJKJGC", "instruction": "i'm looking for a grey 4k gold plated hdmi cable that is high speed and 6.6 feet long.", "attributes": ["high speed", "ultra hd", "blu ray", "gold plated", "aluminum alloy"], "options": ["color: grey", "number of items: 10", "size: 6.6 feet"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["grey", "6.6 feet"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXOMZ27", "worker_id": "A34EHWOYRBL6OZ"}], "B01ANA4T7G": [{"asin": "B01ANA4T7G", "instruction": "i need pink color hair removal", "attributes": ["stainless steel", "hair removal"], "options": ["color: bubblegum pink"], "instruction_attributes": ["hair removal"], "instruction_options": ["bubblegum pink"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDW1U1R4", "worker_id": "A226L9F2AZ38CL"}], "B00ZCL4F6W": [{"asin": "B00ZCL4F6W", "instruction": "i am looking for a food bar of organic blueberry lemon flavor having low sugar.", "attributes": ["grain free", "low sugar", "low carb", "dairy free", "gluten free", "soy free", "plant based", "non gmo", "natural flavors"], "options": ["flavor name: organic blueberry lemon"], "instruction_attributes": ["low sugar"], "instruction_options": ["organic blueberry lemon"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68H7A49", "worker_id": "A1Q8PPQQCWGY0D"}], "B076HVZ1HK": [{"asin": "B076HVZ1HK", "instruction": "i am looking for non gmo certified organic ghee.", "attributes": ["grass fed", "certified organic", "non gmo"], "options": [""], "instruction_attributes": ["certified organic", "non gmo"], "instruction_options": [], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9NUB07", "worker_id": "A1Q8PPQQCWGY0D"}], "B096YKT25N": [{"asin": "B096YKT25N", "instruction": "i would like a wine red stool cover that is machine washable.", "attributes": ["non slip", "super soft", "eco friendly", "machine washable", "living room"], "options": ["color: wine red"], "instruction_attributes": ["machine washable"], "instruction_options": ["wine red"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALCO4H5", "worker_id": "A1WS884SI0SLO4"}], "B086BM7JPL": [{"asin": "B086BM7JPL", "instruction": "i would like a long lasting foundation for my line lines.", "attributes": ["long lasting", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["long lasting", "fine lines"], "instruction_options": [], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EFE1BE", "worker_id": "A1WS884SI0SLO4"}], "B000G7YO2M": [{"asin": "B000G7YO2M", "instruction": "i want fat free and toffee almond nonni's biscottis.", "attributes": ["fat free", "individually wrapped"], "options": ["flavor name: toffee almond", "size: 6.88 ounce (pack of 6)"], "instruction_attributes": ["fat free"], "instruction_options": ["toffee almond"], "assignment_id": "37TRT2X24116R7L1JO45INKV8W7BJL", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B000G7YO2M", "instruction": "i am interested in buying biscotti which are fat free, and individually wrapped while their flavor should be cioccolati and packed as 12 in 8-count boxes.", "attributes": ["fat free", "individually wrapped"], "options": ["flavor name: cioccolati", "size: 8-count boxes (pack of 12)"], "instruction_attributes": ["fat free", "individually wrapped"], "instruction_options": ["cioccolati", "8-count boxes (pack of 12)"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRI2NWR", "worker_id": "AJY5G987IRT25"}], "B076JPZPHH": [{"asin": "B076JPZPHH", "instruction": "i am looking for some gluten free snack foods that are pumpkin pie flavored.", "attributes": ["gluten free", "kosher certified", "high fructose", "artificial flavors"], "options": ["flavor name: pumpkin pie"], "instruction_attributes": ["gluten free"], "instruction_options": ["pumpkin pie"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OK8RTQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SCT1NLY": [{"asin": "B09SCT1NLY", "instruction": "i'd like to buy some open toed, high heeled sandals with an ankle strap. look for 6 wides in khaki.", "attributes": ["open toe", "high heel", "ankle strap", "closed toe"], "options": ["color: a6 - khaki", "size: 6 wide"], "instruction_attributes": ["open toe", "high heel", "ankle strap"], "instruction_options": ["a6 - khaki", "6 wide"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK7TVNE", "worker_id": "AR9AU5FY1S3RO"}], "B07Y5GG5Q2": [{"asin": "B07Y5GG5Q2", "instruction": "i will like to have trader joe's fiberful granola bars rolled oats & chocolate chips", "attributes": ["trader joe", "artificial flavors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9C8AZJ", "worker_id": "A1IL2K0ELYI090"}, {"asin": "B07Y5GG5Q2", "instruction": "i am looking for trader joe's granola bars.", "attributes": ["trader joe", "artificial flavors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VUAXM6", "worker_id": "AJDQGOTMB2D80"}], "B0836HNRKP": [{"asin": "B0836HNRKP", "instruction": "i need some makeup remover pads for sensitive skin. get style two.", "attributes": ["easy carry", "sensitive skin"], "options": ["color: makeup remover pads | style 2"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["makeup remover pads | style 2"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH4DQHG", "worker_id": "AR9AU5FY1S3RO"}], "B09HC76MQF": [{"asin": "B09HC76MQF", "instruction": "i'm looking for twin sized furniture for bedroom furniture.", "attributes": ["twin size", "easy assemble", "metal legs", "box spring"], "options": [""], "instruction_attributes": ["easy assemble"], "instruction_options": [], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFNQMEB", "worker_id": "A16IQOX0DK14OJ"}], "B07VJC71BN": [{"asin": "B07VJC71BN", "instruction": "i'm looking for a queen pillow shams set of 2 pinch and to be super soft and white", "attributes": ["queen size", "super soft", "exquisite workmanship"], "options": ["color: white", "size: queen 20x30"], "instruction_attributes": ["queen size", "super soft"], "instruction_options": ["white"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98URYKO", "worker_id": "A19Q021KR28CS8"}], "B083VZN11N": [{"asin": "B083VZN11N", "instruction": "i would like a 6 ounce variety of grain free cacao granola.", "attributes": ["grain free", "low sugar", "plant based", "gluten free"], "options": ["flavor name: variety of cacao, matcha, original", "size: 6 ounce (pack of 1)"], "instruction_attributes": ["grain free"], "instruction_options": ["variety of cacao, matcha, original", "6 ounce (pack of 1)"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIP485A", "worker_id": "A1WS884SI0SLO4"}], "B079WHF7B9": [{"asin": "B079WHF7B9", "instruction": "i am looking for some non gmo popcorn.", "attributes": ["non gmo", "nut free", "gluten free"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOLVF02", "worker_id": "A2ECRNQ3X5LEXD"}], "B08MWJ1FY1": [{"asin": "B08MWJ1FY1", "instruction": "i'm looking for a party supplies cupcake toppers, preferably red graduation toppers.", "attributes": ["party supplies", "cupcake picks"], "options": ["color: red graduation toppers"], "instruction_attributes": ["party supplies"], "instruction_options": ["red graduation toppers"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL58RVQ", "worker_id": "ARQ05PDNXPFDI"}], "B091YB6MRZ": [{"asin": "B091YB6MRZ", "instruction": "i need to buy some easy to apply nail glitter. get color h8.", "attributes": ["easy apply", "rose gold", "nail art"], "options": ["color: h8"], "instruction_attributes": ["easy apply"], "instruction_options": ["h8"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJQLO9E", "worker_id": "AR9AU5FY1S3RO"}], "B07PRD8LFJ": [{"asin": "B07PRD8LFJ", "instruction": "i am looking for medium sized underwear bottom with machine washable feature.", "attributes": ["fleece lined", "machine wash", "polyester spandex"], "options": ["color: 2. midweight black 2 pack", "fit type: 300 - heavyweight 1 bottom", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["medium"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DDDDWA", "worker_id": "A3FG5PQHG5AH3Y"}], "B09RDVZFT6": [{"asin": "B09RDVZFT6", "instruction": "i am looking for a slim fitting red polo that is in a xx-large.", "attributes": ["slim fit", "hand wash", "machine wash", "short sleeve", "soft material", "long sleeve"], "options": ["color: 1-red", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["1-red", "xx-large"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK8ZVNM", "worker_id": "A2ECRNQ3X5LEXD"}], "B009ZJHEEM": [{"asin": "B009ZJHEEM", "instruction": "i am looking for 7.2 ounce (pack of 1) spicy white chocolate truffle for great gift", "attributes": ["great gift", "perfect gift"], "options": ["flavor name: spice", "size: 7.2 ounce (pack of 1)"], "instruction_attributes": ["great gift"], "instruction_options": ["spice", "7.2 ounce (pack of 1)"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG9VSL2", "worker_id": "A258PTOZ3D2TQR"}], "B09JG87XL1": [{"asin": "B09JG87XL1", "instruction": "i'm looking for cupcakes for birthday parties.", "attributes": ["baby shower", "birthday party", "birthday cake", "party supplies"], "options": [""], "instruction_attributes": ["birthday party", "birthday cake", "party supplies"], "instruction_options": [], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM952I18", "worker_id": "A16IQOX0DK14OJ"}], "B087RWWZ5J": [{"asin": "B087RWWZ5J", "instruction": "i would like a pack of salted butternut squash stalks that is gluten free and contains other plant based ingredients.", "attributes": ["plant based", "non gmo", "gluten free"], "options": ["flavor name: salted"], "instruction_attributes": ["plant based", "gluten free"], "instruction_options": ["salted"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841CRXAQ", "worker_id": "A1HMZJ59OPLD1P"}], "B073X2WRSV": [{"asin": "B073X2WRSV", "instruction": "i am looking for a dermatologist tested foundation that is in the color of soft honey.", "attributes": ["dermatologist tested", "seed oil"], "options": ["color: soft honey", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["soft honey", "1 fl oz (pack of 1)"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017344PG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B073X2WRSV", "instruction": "i want to buy liquid makeup which has been tested by dermatologists and it has honey color, i prefer it to be at 1 fl oz at pack of 1 size.", "attributes": ["dermatologist tested", "seed oil"], "options": ["color: honey", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["honey", "1 fl oz (pack of 1)"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQJSKE3", "worker_id": "AJY5G987IRT25"}, {"asin": "B073X2WRSV", "instruction": "i am looking for a dermatologist tested liquid makeup of chestnut color.", "attributes": ["dermatologist tested", "seed oil"], "options": ["color: chestnut", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["chestnut"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30USUY0J", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B073X2WRSV", "instruction": "i need some foundation in a buff color. look for a two pack of one ounce bottles. it should be dermatologist tested.", "attributes": ["dermatologist tested", "seed oil"], "options": ["color: buff", "size: 1 fl. oz (pack of 2)"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["buff", "1 fl. oz (pack of 2)"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFLSE97", "worker_id": "AR9AU5FY1S3RO"}], "B00JSLKCB4": [{"asin": "B00JSLKCB4", "instruction": "i'm looking for a pair of pants that's easy to care for and come in a classic fit. i need them in black, size 40w x 32l.", "attributes": ["easy care", "moisture wicking", "classic fit"], "options": ["color: black", "size: 40w x 32l"], "instruction_attributes": ["easy care", "classic fit"], "instruction_options": ["black", "40w x 32l"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIMAFET", "worker_id": "AR9AU5FY1S3RO"}], "B09SF217NB": [{"asin": "B09SF217NB", "instruction": "i need a brown 6 wide sandal with ankle strap", "attributes": ["closed toe", "ankle strap"], "options": ["color: a5 - brown", "size: 6 wide"], "instruction_attributes": ["ankle strap"], "instruction_options": ["a5 - brown", "6 wide"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RJOFLT", "worker_id": "A2Y2TURT2VEYZN"}], "B096X1F7VK": [{"asin": "B096X1F7VK", "instruction": "i want a dual band serveillance bullet camera waterproof motion detection", "attributes": ["dual band", "motion detection"], "options": [""], "instruction_attributes": ["dual band", "motion detection"], "instruction_options": [], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TP53NY", "worker_id": "A3N9ZYQAESNFQH"}], "B07DYGT4N5": [{"asin": "B07DYGT4N5", "instruction": "i am looking for a double sided white apron for shaving and trimming.", "attributes": ["double sided", "easy use"], "options": ["color: white"], "instruction_attributes": ["double sided"], "instruction_options": ["white"], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM95CI1I", "worker_id": "A1NF6PELRKACS9"}], "B08PZGFNGC": [{"asin": "B08PZGFNGC", "instruction": "i am looking for an old bronze vanity light", "attributes": ["brushed nickel", "vanity light"], "options": ["color: old bronze"], "instruction_attributes": ["vanity light"], "instruction_options": ["old bronze"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADK3VWD", "worker_id": "A2ECRNQ3X5LEXD"}], "B081B7GHV5": [{"asin": "B081B7GHV5", "instruction": "nikon digital camera with red optical zoom", "attributes": ["1080p hd", "optical zoom", "stereo sound"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKNVVPD", "worker_id": "A3TTGSUBIK1YCL"}], "B07BG65PL3": [{"asin": "B07BG65PL3", "instruction": "i'm looking for a heavy duty mattress with box spring. also choose split king sized mattress + platform bed styled with cool gel designed one.", "attributes": ["heavy duty", "memory foam", "king size", "box spring"], "options": ["design: cool gel", "size: split king", "style name: mattress + platform bed"], "instruction_attributes": ["heavy duty", "box spring"], "instruction_options": ["cool gel", "split king", "mattress + platform bed"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDRAHR5", "worker_id": "AR0VJ5XRG16UJ"}], "B09MFGM4S2": [{"asin": "B09MFGM4S2", "instruction": "i am looking for a network antenna that is easy to install.", "attributes": ["easy install", "4g lte"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SY6TQR", "worker_id": "A2ECRNQ3X5LEXD"}], "B01MQSLK2Z": [{"asin": "B01MQSLK2Z", "instruction": "i want a high performance lenovo yoga book - fhd 10.1\" android tablet - 2 in 1 tablet windows os", "attributes": ["high performance", "high definition"], "options": ["color: champagne gold", "size: windows os"], "instruction_attributes": ["high performance"], "instruction_options": ["windows os"], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVH1BIS", "worker_id": "A1IL2K0ELYI090"}], "B09RMTJTBJ": [{"asin": "B09RMTJTBJ", "instruction": "i would like a full xl 4\" foundation for a box spring and mattress set.", "attributes": ["high density", "ready use", "long lasting", "assembly required", "box spring", "memory foam"], "options": ["size: full xl", "style: 4\" foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["full xl", "4\" foundation"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI77QZGP", "worker_id": "A1WS884SI0SLO4"}], "B0967WDH66": [{"asin": "B0967WDH66", "instruction": "i need to buy a silver eight light chandelier for my living room. i want one that's easy to install.", "attributes": ["height adjustable", "easy install", "pendant light", "living room", "dining room"], "options": ["color: silver-8 light"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["silver-8 light"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JDLSF9", "worker_id": "AR9AU5FY1S3RO"}], "B0744GPMNS": [{"asin": "B0744GPMNS", "instruction": "i want steel frame in grey color", "attributes": ["memory foam", "coated steel", "steel frame"], "options": [""], "instruction_attributes": ["steel frame"], "instruction_options": [], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIPB58E", "worker_id": "A226L9F2AZ38CL"}], "B08TQWXY9B": [{"asin": "B08TQWXY9B", "instruction": "i am looking for a wireless charging cradles of silence phone holder mount color", "attributes": ["easy use", "wireless charging"], "options": ["color: silence phone holder mount"], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69PLP8T", "worker_id": "A9QRQL9CFJBI7"}], "B09P4QBZN8": [{"asin": "B09P4QBZN8", "instruction": "need a large sleepwear pajamas in gray with elastic closure", "attributes": ["elastic closure", "long sleeve"], "options": ["color: gray", "size: large"], "instruction_attributes": ["elastic closure"], "instruction_options": ["gray", "large"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5I7WIH", "worker_id": "A2Y2TURT2VEYZN"}], "B08NW4TVGY": [{"asin": "B08NW4TVGY", "instruction": "i would like a meat substitute flavored with sea salt that is ready to eat.", "attributes": ["plant based", "soy free", "ready eat", "high protein", "non gmo", "gluten free"], "options": ["flavor: sea salt | black pepper"], "instruction_attributes": ["ready eat"], "instruction_options": ["sea salt | black pepper"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWD5FNA", "worker_id": "A1WS884SI0SLO4"}], "B00EO23OKI": [{"asin": "B00EO23OKI", "instruction": "i would like a 2.25 bottle of men's single shower fresh alcohol free antiperspirant.", "attributes": ["dermatologist tested", "alcohol free"], "options": ["color: shower fresh", "configuration: single", "size: 2.25 ounce (pack of 1)", "style: men"], "instruction_attributes": ["alcohol free"], "instruction_options": ["shower fresh", "single", "2.25 ounce (pack of 1)", "men"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVQ1JKY", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00EO23OKI", "instruction": "i'm looking for a stick of men's mountain air scented deodorant that is alcohol free.", "attributes": ["dermatologist tested", "alcohol free"], "options": ["color: mountain air", "configuration: single", "size: 3.4 ounce (pack of 2)", "style: women"], "instruction_attributes": ["alcohol free"], "instruction_options": ["mountain air"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN5QGOB", "worker_id": "A2JP9IKRHNLRPI"}], "B00BQ76XK2": [{"asin": "B00BQ76XK2", "instruction": "i am looking for a green tea makeup brushes & tools", "attributes": ["green tea", "dark circles"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "31EUONYN26DZ1WA44INARVVOAILOVB", "worker_id": "A9QRQL9CFJBI7"}], "B09QHXLZQY": [{"asin": "B09QHXLZQY", "instruction": "i would like a extra large green short sleeve t shirt", "attributes": ["long sleeve", "short sleeve", "teen girls", "daily wear"], "options": ["color: b3-green", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["b3-green", "x-large"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EFW1BW", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09QHXLZQY", "instruction": "i want a gray floral graphic long sleeve shirt for women.", "attributes": ["long sleeve", "short sleeve", "teen girls", "daily wear"], "options": ["color: b2-gray", "size: 5x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["b2-gray"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5KBB21R", "worker_id": "A2RBF3IIJP15IH"}], "B01I1C9F0E": [{"asin": "B01I1C9F0E", "instruction": "i am looking for aluminum alloy video camera tripod", "attributes": ["quick release", "non slip", "carrying case", "aluminum alloy"], "options": [""], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0YDPXK", "worker_id": "A16M39T60N60NO"}], "B00QQKPIC8": [{"asin": "B00QQKPIC8", "instruction": "i am looking for some 18 inch pearl platinum synthetic hair extensions.", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: pearl platinum", "size: 18 inch (pack of 1)"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["pearl platinum", "18 inch (pack of 1)"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE25ZGQ8", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00QQKPIC8", "instruction": "i am looking for 16 inch light golden blonde color synthetic hair extensions hairpieces for women", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: light golden blonde", "size: 16 inch (pack of 1)"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["light golden blonde", "16 inch (pack of 1)"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L5CVCX", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B00QQKPIC8", "instruction": "i am interested in pale blonde hair extensions that are 18 inches long", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: light pale blonde", "size: 18 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["light pale blonde", "18 inch (pack of 1)"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68J6A4C", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H5J9FGZ": [{"asin": "B09H5J9FGZ", "instruction": "i am looking for a camcorder that is easy to carry and have optical zoom.", "attributes": ["easy carry", "optical zoom", "motion detection"], "options": [""], "instruction_attributes": ["easy carry", "optical zoom"], "instruction_options": [], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK40J38", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09H5J9FGZ", "instruction": "i would like a camcorder with optical zoom.", "attributes": ["easy carry", "optical zoom", "motion detection"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9R287K", "worker_id": "A1WS884SI0SLO4"}], "B00JP62FBM": [{"asin": "B00JP62FBM", "instruction": "i need long lasting kenzo l'eau par kenzo toilet spray for women", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTVHXWO", "worker_id": "A1V2C99HEV3F14"}], "B09Q8MQ5FF": [{"asin": "B09Q8MQ5FF", "instruction": "i am looking for a 0.07d-15mm size cruelty free false eyelashes & adhesives", "attributes": ["easy apply", "cruelty free"], "options": ["color: white", "size: 0.07d-15mm"], "instruction_attributes": ["cruelty free"], "instruction_options": ["0.07d-15mm"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNYG8HC", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09Q8MQ5FF", "instruction": "i want to find 0.7-14 millimeter long lash extensions in pink. they must be easy to apply.", "attributes": ["easy apply", "cruelty free"], "options": ["color: pink+red+blue+purple +white+green+brown", "size: 0.07d-14mm"], "instruction_attributes": ["easy apply"], "instruction_options": ["pink+red+blue+purple +white+green+brown", "0.07d-14mm"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBJSDJ7", "worker_id": "A345TDMHP3DQ3G"}], "B0959B21HW": [{"asin": "B0959B21HW", "instruction": "i\u2019m looking for modern and natural platform bed frames for twin beds. i don\u2019t mind if there\u2019s some assembly required.", "attributes": ["queen size", "assembly required", "engineered wood", "box spring"], "options": ["color: natural", "size: twin"], "instruction_attributes": ["assembly required"], "instruction_options": ["natural", "twin"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCQ9MB7", "worker_id": "A3LIIE572Z4OG7"}], "B093SZ7QMH": [{"asin": "B093SZ7QMH", "instruction": "i would like a laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6965GE", "worker_id": "A1WS884SI0SLO4"}], "B09NLRKKHJ": [{"asin": "B09NLRKKHJ", "instruction": "i am looking for a lightweight background that is 10 by 10 ft", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a17", "size: 10x10ft | 3x3m"], "instruction_attributes": ["light weight"], "instruction_options": ["10x10ft | 3x3m"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP1ZTXU", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VB1CGXW": [{"asin": "B07VB1CGXW", "instruction": "i would like a men's extra small navy officially licensed mario shirt.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: men", "size: x-small"], "instruction_attributes": ["cotton heather"], "instruction_options": [], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIMGFEZ", "worker_id": "A1WS884SI0SLO4"}], "B097PJV6CJ": [{"asin": "B097PJV6CJ", "instruction": "i need lightweight navy shoes that are in a size 11", "attributes": ["light weight", "machine washable", "non slip", "relaxed fit"], "options": ["color: navy blue | mix", "size: 11"], "instruction_attributes": ["light weight"], "instruction_options": ["navy blue | mix", "11"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q7479HB", "worker_id": "A2ECRNQ3X5LEXD"}], "B081ZW6KT2": [{"asin": "B081ZW6KT2", "instruction": "i am looking for a men's baby blue classic fit shirt", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: baby blue", "fit type: men", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["baby blue", "men"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8Y9PZF", "worker_id": "A2ECRNQ3X5LEXD"}], "B01MRBW7EO": [{"asin": "B01MRBW7EO", "instruction": "i'm looking for a pair of flat front stretch corduroy pants with a classic fit in dark grey. size needs to be 31 long with a 40 waist.", "attributes": ["easy care", "day comfort", "machine washable", "machine wash", "cotton spandex", "classic fit", "button closure"], "options": ["color: dark grey", "size: 40w x 31l"], "instruction_attributes": ["classic fit"], "instruction_options": ["dark grey", "40w x 31l"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841C8AXK", "worker_id": "A3OLRWACCCCUTU"}], "B07T9QC7RT": [{"asin": "B07T9QC7RT", "instruction": "i am looking for a foundation that is metallic gold and has natural ingredients.", "attributes": ["green tea", "rose gold", "natural ingredients"], "options": ["color: #02 metallic gold"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["#02 metallic gold"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXM2WKY", "worker_id": "A2ECRNQ3X5LEXD"}], "B0992C1J45": [{"asin": "B0992C1J45", "instruction": "i would like a box of individually wrapped chocolate cereal bars.", "attributes": ["dairy free", "individually wrapped", "gluten free", "perfect gift"], "options": ["flavor name: chocolate"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["chocolate"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YSL8TW", "worker_id": "A1WS884SI0SLO4"}], "B0721MGWLC": [{"asin": "B0721MGWLC", "instruction": "i need a black case cover for my iphone", "attributes": ["hands free", "case cover"], "options": ["color: black"], "instruction_attributes": ["case cover"], "instruction_options": ["black"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X8SY30", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DFXSL8Y": [{"asin": "B08DFXSL8Y", "instruction": "i am looking for a automatic rotating styling tool with metallic ionic barrel and smart anti-stuck sensor for long and medium length hair.", "attributes": ["long lasting", "hair styling"], "options": ["color: black"], "instruction_attributes": ["hair styling"], "instruction_options": ["black"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT3FP3N", "worker_id": "A21IUUHBSEVB56"}], "B07BSWXFWY": [{"asin": "B07BSWXFWY", "instruction": "i need a digital camera that has a high optical zoom", "attributes": ["optical zoom", "carrying case"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4DSI01", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Y2QZ191": [{"asin": "B07Y2QZ191", "instruction": "i need to buy a two pack of beige memory foam chair pads for my dining room.", "attributes": ["long lasting", "memory foam", "faux leather", "dining room", "living room"], "options": ["color: bradford beige | brown", "size: 2 count (pack of 1)"], "instruction_attributes": ["memory foam", "dining room"], "instruction_options": ["bradford beige | brown", "2 count (pack of 1)"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YZQ3QH", "worker_id": "AR9AU5FY1S3RO"}], "B000Q5K1O4": [{"asin": "B000Q5K1O4", "instruction": "i am looking for a 24 pack of shelf stable fruit juices.", "attributes": ["shelf stable", "gluten free", "non gmo", "source vitamin"], "options": ["size: 8.4 fl oz (pack of 24)"], "instruction_attributes": ["shelf stable"], "instruction_options": ["8.4 fl oz (pack of 24)"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMXESA2", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NPXWNMY": [{"asin": "B09NPXWNMY", "instruction": "i am looking for light weight safety shoes for men of black color.", "attributes": ["light weight", "non slip", "steel toe"], "options": ["color: black", "size: 47"], "instruction_attributes": ["light weight"], "instruction_options": ["black"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8JBNZK", "worker_id": "A1Q8PPQQCWGY0D"}], "B07X4TQXB3": [{"asin": "B07X4TQXB3", "instruction": "i need a 4-light brushed nickel fixture. it should have a wood finish.", "attributes": ["wood finish", "brushed nickel", "light fixture"], "options": ["size: 4-light"], "instruction_attributes": ["wood finish", "brushed nickel", "light fixture"], "instruction_options": ["4-light"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH8V1VN", "worker_id": "A1NF6PELRKACS9"}], "B00DOVR7ZI": [{"asin": "B00DOVR7ZI", "instruction": "i need an 8 ounce package of freeze dried tomatoes", "attributes": ["freeze dried", "non gmo", "gluten free"], "options": ["flavor name: organic tomato bits", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["freeze dried"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI77QGZ6", "worker_id": "A2ECRNQ3X5LEXD"}], "B08CXFN5QM": [{"asin": "B08CXFN5QM", "instruction": "i need brown flats that are a size 7 and are anti-slip", "attributes": ["anti slip", "open toe", "high heel", "ankle strap"], "options": ["color: z91-brown", "size: 7"], "instruction_attributes": ["anti slip"], "instruction_options": ["z91-brown", "7"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPOGYSH", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QRTXNJC": [{"asin": "B08QRTXNJC", "instruction": "i would like a 3 lights conical lampshade that is easy to put on.", "attributes": ["easy install", "vanity light"], "options": ["color: conical lampshade", "size: 3-lights"], "instruction_attributes": ["easy install"], "instruction_options": ["conical lampshade", "3-lights"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH14Z4N", "worker_id": "A1WS884SI0SLO4"}], "B07BJKYB79": [{"asin": "B07BJKYB79", "instruction": "im looking for light khaki brown men\u2019s jeans that are machine washable.", "attributes": ["machine wash", "button closure"], "options": ["color: light khaki brown", "size: 34w x 29l"], "instruction_attributes": ["machine wash"], "instruction_options": ["light khaki brown"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF61LDH", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B07BJKYB79", "instruction": "i am looking for machine washable athletic fit jeans that are olive in color.", "attributes": ["machine wash", "button closure"], "options": ["color: olive", "size: 42w x 29l"], "instruction_attributes": ["machine wash"], "instruction_options": ["olive"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2G9FKA", "worker_id": "A1EREKSZAA9V7B"}], "B09DYV3YD4": [{"asin": "B09DYV3YD4", "instruction": "i want 1080p hd hidden camera 32 gb memory recorder", "attributes": ["1080p hd", "high speed"], "options": ["size: 32gb"], "instruction_attributes": ["1080p hd"], "instruction_options": ["32gb"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F23BHOF", "worker_id": "A3N9ZYQAESNFQH"}], "B07WH58X7T": [{"asin": "B07WH58X7T", "instruction": "i'm looking a 6.5\" navy blue case for iphone 11 pro max with carbon fiber", "attributes": ["heavy duty", "carbon fiber"], "options": ["color: iphone 11 pro max 6.5\",navy blue"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["iphone 11 pro max 6.5\",navy blue"], "assignment_id": "3Z4AIRP3CHN69T8YYVQH3KF1XISX19", "worker_id": "A2Y2TURT2VEYZN"}], "B09MCWCKYB": [{"asin": "B09MCWCKYB", "instruction": "i would like a high quality cosmetic bag decorated with cow and flowers.", "attributes": ["easy carry", "high quality"], "options": ["color: cow with flowers-blue", "size: bag"], "instruction_attributes": ["easy carry"], "instruction_options": ["cow with flowers-blue", "bag"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1O2F6O", "worker_id": "A1WS884SI0SLO4"}], "B0852XLRMD": [{"asin": "B0852XLRMD", "instruction": "i would like a triple chocolate gluten free keto friendly cake mix.", "attributes": ["low carb", "sugar free", "grain free", "gluten free", "keto friendly", "ready eat", "zero sugar", "quality ingredients"], "options": ["flavor name: triple chocolate"], "instruction_attributes": ["gluten free", "keto friendly"], "instruction_options": ["triple chocolate"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQEXS6L", "worker_id": "A1WS884SI0SLO4"}], "B004R8WJHS": [{"asin": "B004R8WJHS", "instruction": "i would like a long lasting perfume.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22POEEQH", "worker_id": "A1WS884SI0SLO4"}], "B06Y96N1KG": [{"asin": "B06Y96N1KG", "instruction": "i am looking for non gmo sea salt smoked", "attributes": ["non gmo", "gluten free", "soy free", "sugar free", "dairy free"], "options": ["flavor: smoked classics", "size: 4 ounce (pack of 2)"], "instruction_attributes": ["non gmo"], "instruction_options": ["smoked classics"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LX3DC9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B06Y96N1KG", "instruction": "i want to find a 3-count pack of 4-ounce containers of natural sea salt. the salt needs to be non-gmo.", "attributes": ["non gmo", "gluten free", "soy free", "sugar free", "dairy free"], "options": ["flavor: natural salts", "size: 4 ounce (3 count)"], "instruction_attributes": ["non gmo"], "instruction_options": ["natural salts", "4 ounce (3 count)"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XONOL96", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B06Y96N1KG", "instruction": "i want to find a six-pack of 4-ounce bottles of vegetarian, gluten-free smoked sea salt.", "attributes": ["non gmo", "gluten free", "soy free", "sugar free", "dairy free"], "options": ["flavor: vegetarian smoked", "size: 4 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["vegetarian smoked", "4 ounce (pack of 6)"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIQO84E", "worker_id": "A345TDMHP3DQ3G"}], "B08X4J2X2V": [{"asin": "B08X4J2X2V", "instruction": "i'm looking for tousled hair extensions that come two to a pack. they should be light brown and ash blonde.", "attributes": ["high quality", "hair extensions"], "options": ["color: t-light brown & ash blonde", "size: 2 piece tousled (45g)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["t-light brown & ash blonde", "2 piece tousled (45g)"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH25Z4Q", "worker_id": "AR9AU5FY1S3RO"}], "B09JP3ZLQQ": [{"asin": "B09JP3ZLQQ", "instruction": "looking for eco friendly toothbrushes for sensitive teeth also choose paper package super soft", "attributes": ["eco friendly", "sensitive teeth"], "options": ["color: paper package-super soft"], "instruction_attributes": ["eco friendly", "sensitive teeth"], "instruction_options": ["paper package-super soft"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZGKPCD", "worker_id": "A10OGH5CQBXL5N"}], "B09GBBGX3J": [{"asin": "B09GBBGX3J", "instruction": "i would like a pair of women's 8.5 toffee shoe with arch support.", "attributes": ["arch support", "rubber sole"], "options": ["color: toffee", "size: 8.5"], "instruction_attributes": ["arch support"], "instruction_options": ["toffee", "8.5"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU7SLRN", "worker_id": "A1WS884SI0SLO4"}], "B000EY5COG": [{"asin": "B000EY5COG", "instruction": "i am looking for powdered milk that is gluten free and nonfat", "attributes": ["low sodium", "gluten free"], "options": ["flavor name: nonfat powdered", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["nonfat powdered"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO6CC2X", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GY9D56X": [{"asin": "B08GY9D56X", "instruction": "i am looking for rectangular shape shaggy with tassels rug for a living room", "attributes": ["white item", "living room"], "options": ["color: off white", "item shape: rectangular", "size: 10' x 14'"], "instruction_attributes": ["living room"], "instruction_options": ["rectangular"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X0279340", "worker_id": "A16M39T60N60NO"}, {"asin": "B08GY9D56X", "instruction": "i need a blue area rug for the living room", "attributes": ["white item", "living room"], "options": ["color: blue", "item shape: oval", "size: 4 ft"], "instruction_attributes": ["living room"], "instruction_options": ["blue"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIEWRBQ", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08GY9D56X", "instruction": "i want an off-white rectangular area rug for my living room.", "attributes": ["white item", "living room"], "options": ["color: off-white", "item shape: rectangular", "size: 6 ft"], "instruction_attributes": ["living room"], "instruction_options": ["off-white", "rectangular"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCOAI77", "worker_id": "A1NF6PELRKACS9"}], "B08VBN9C3H": [{"asin": "B08VBN9C3H", "instruction": "i need 16 cups of gluten free organic hummus in black olive color.", "attributes": ["shelf stable", "gluten free"], "options": ["style: 16 cups large ripe pitted black olives"], "instruction_attributes": ["gluten free"], "instruction_options": ["16 cups large ripe pitted black olives"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602VF95T", "worker_id": "A1V2C99HEV3F14"}], "B09RHCSPXH": [{"asin": "B09RHCSPXH", "instruction": "i am in need of a royal blue men's classic fit tank that is in a large.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: men", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["royal blue", "men", "large"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZN0R7X", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H3BQRZY": [{"asin": "B09H3BQRZY", "instruction": "i need a 50\" by 40\" living room throw", "attributes": ["super soft", "living room"], "options": ["color: sometimes ya just need a nug funny chicken nuggets", "size: 50\"x40\"\uff08throw\uff09kids"], "instruction_attributes": ["living room"], "instruction_options": ["50\"x40\"\uff08throw\uff09kids"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZEUWUR", "worker_id": "A2ECRNQ3X5LEXD"}], "B082WJ54KG": [{"asin": "B082WJ54KG", "instruction": "i'm looking for a haori jacket that's machine wash and comes in black. i need a size extra small.", "attributes": ["easy care", "wash cold", "machine wash"], "options": ["color: s-black", "size: x-small"], "instruction_attributes": ["machine wash"], "instruction_options": ["s-black", "x-small"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJPYOMJ", "worker_id": "AR9AU5FY1S3RO"}], "B07K46V79T": [{"asin": "B07K46V79T", "instruction": "i'm looking for gluten free and soy free it was contain high protein.", "attributes": ["soy free", "plant based", "dairy free", "non gmo", "gluten free"], "options": ["flavor name: hot chili pepper", "size: 5.3 ounce (pack of 4)"], "instruction_attributes": ["soy free", "dairy free", "gluten free"], "instruction_options": ["hot chili pepper"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQDVVKI", "worker_id": "A16IQOX0DK14OJ"}], "B09BJNFTC1": [{"asin": "B09BJNFTC1", "instruction": "i'm looking for a pair of women's pumps that have an ankle strap and a leather sole. look for them in black, size twelve and a half.", "attributes": ["ankle strap", "rubber sole"], "options": ["color: black", "size: 12.5"], "instruction_attributes": ["ankle strap", "rubber sole"], "instruction_options": ["black", "12.5"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGFXS9O", "worker_id": "AR9AU5FY1S3RO"}], "B083S5CNQ7": [{"asin": "B083S5CNQ7", "instruction": "i need a red phone case that comes with a tempered glass screen protector.", "attributes": ["hands free", "glass screen", "tempered glass"], "options": ["color: red"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["red"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4FWBSD", "worker_id": "AR9AU5FY1S3RO"}], "B0143WCTO0": [{"asin": "B0143WCTO0", "instruction": "i would like a pack of raisin challah bread that is gluten and soy free.", "attributes": ["gluten free", "nut free", "soy free", "dairy free", "non gmo"], "options": ["flavor name: raisin challah", "size: 1 pack"], "instruction_attributes": ["gluten free", "soy free"], "instruction_options": ["raisin challah", "1 pack"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LA0REF", "worker_id": "A1WS884SI0SLO4"}], "B07QD7ZRDV": [{"asin": "B07QD7ZRDV", "instruction": "i need a nine by twelve foot ivory colored rug for my dining room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: ivory | multi", "item shape: square", "size: 9 ft x 12 ft"], "instruction_attributes": ["dining room"], "instruction_options": ["ivory | multi", "9 ft x 12 ft"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8KPC4A", "worker_id": "AR9AU5FY1S3RO"}], "B07MYBVRY2": [{"asin": "B07MYBVRY2", "instruction": "i need a pack of lip balm that is made of coconut oil", "attributes": ["seed oil", "coconut oil"], "options": ["size: 1-pack lip balm"], "instruction_attributes": ["coconut oil"], "instruction_options": ["1-pack lip balm"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OUYPO5", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LYC1254": [{"asin": "B08LYC1254", "instruction": "i want a soft silicone mask for sensitive skin.", "attributes": ["easy apply", "easy clean", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTPRLPI", "worker_id": "A2RBF3IIJP15IH"}], "B088H5CYXF": [{"asin": "B088H5CYXF", "instruction": "i need an executive chair that is black and made of pu leather", "attributes": ["high density", "heavy duty", "easy install", "lumbar support", "pu leather"], "options": ["color: black"], "instruction_attributes": ["pu leather"], "instruction_options": ["black"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQHWJCP", "worker_id": "A2ECRNQ3X5LEXD"}], "B078GR42XX": [{"asin": "B078GR42XX", "instruction": "i am looking for sc665 handset for mobile phone with noise cancelling feature.", "attributes": ["noise cancelling", "hands free", "carrying case", "stainless steel"], "options": ["style: sc665"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["sc665"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZGZPCS", "worker_id": "A3FG5PQHG5AH3Y"}], "B00SKVJK1G": [{"asin": "B00SKVJK1G", "instruction": "i would like a high speed pack of 5 hdmi cables", "attributes": ["high speed", "gold plated"], "options": ["color: 5 pack", "size: 12 feet (10 pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["5 pack"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBHKGHR", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B00SKVJK1G", "instruction": "i am looking for a 10 pack of 10 feet long high speed gold plated hdmi cables.", "attributes": ["high speed", "gold plated"], "options": ["color: 10 pack", "size: 10 feet (10-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "10 feet (10-pack)"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDWD8YZ", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00SKVJK1G", "instruction": "i want a c&e high speed hdmi male to male cable.", "attributes": ["high speed", "gold plated"], "options": ["color: 5 pack", "size: 30 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["hdmi male to male"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6IU2BS", "worker_id": "A2RBF3IIJP15IH"}], "B0013OSK8Q": [{"asin": "B0013OSK8Q", "instruction": "i would like 38 servings of unflavored whey protein that is low in fat.", "attributes": ["low fat", "high protein", "artificial flavors"], "options": ["flavor name: unflavored", "size: 38 servings (pack of 1)"], "instruction_attributes": ["low fat"], "instruction_options": ["unflavored", "38 servings (pack of 1)"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ2LNRK", "worker_id": "A1WS884SI0SLO4"}], "B087K1S6M3": [{"asin": "B087K1S6M3", "instruction": "i'm looking for a size 32x32 living room abstract canvas.", "attributes": ["ready hang", "wood frame", "solid wood", "living room"], "options": ["color: art 14594", "size: 32x32"], "instruction_attributes": ["living room"], "instruction_options": ["32x32"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALC94HQ", "worker_id": "ARQ05PDNXPFDI"}], "B07BH76HZ4": [{"asin": "B07BH76HZ4", "instruction": "i'm looking for a small gift basket of milk chocolate mint truffles for valentine's day; about 4oz.", "attributes": ["quality ingredients", "valentine day", "gift basket"], "options": ["flavor name: chocolate", "size: .25 lb (4 oz)"], "instruction_attributes": ["valentine day", "gift basket"], "instruction_options": ["chocolate", ".25 lb (4 oz)"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFVBOJN", "worker_id": "A3LIIE572Z4OG7"}], "B09QKWFB31": [{"asin": "B09QKWFB31", "instruction": "buy me anti aging long lasting easy to use ice roller for face in aqua blue color.", "attributes": ["anti aging", "long lasting", "easy use", "green tea", "fine lines", "sensitive skin"], "options": ["color: aqua blue"], "instruction_attributes": ["anti aging", "long lasting", "easy use"], "instruction_options": ["aqua blue"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2G9IOS", "worker_id": "A3AYHESLQSDY5T"}], "B01J8A8CBG": [{"asin": "B01J8A8CBG", "instruction": "i would like some wild caught crab.", "attributes": ["wild caught", "easy prepare"], "options": [""], "instruction_attributes": ["wild caught"], "instruction_options": [], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOKQMLX", "worker_id": "A1WS884SI0SLO4"}], "B01M0LOBNV": [{"asin": "B01M0LOBNV", "instruction": "i would like a box of rubine hair dye.", "attributes": ["hair dye", "permanent hair"], "options": ["color: rubine"], "instruction_attributes": ["hair dye"], "instruction_options": ["rubine"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FIULE2", "worker_id": "A1WS884SI0SLO4"}], "B083NN8VRR": [{"asin": "B083NN8VRR", "instruction": "i need blue color 11.5 size long sleeve", "attributes": ["winter warm", "anti slip", "open toe", "short sleeve", "long sleeve", "button closure"], "options": ["color: blue", "size: 11.5"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue", "11.5"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYQH7NV", "worker_id": "A226L9F2AZ38CL"}], "B092CD4Q8K": [{"asin": "B092CD4Q8K", "instruction": "i'm looking for headphones are color it was wireless charging it was outside of noise cancellation.", "attributes": ["noise cancelling", "hands free", "wireless charging"], "options": ["color: pink"], "instruction_attributes": ["noise cancelling", "wireless charging"], "instruction_options": ["pink"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YQQ969", "worker_id": "A16IQOX0DK14OJ"}], "B09MCXBFW1": [{"asin": "B09MCXBFW1", "instruction": "i am looking for a multi-colored blackout window film for my living room.", "attributes": ["eco friendly", "living room"], "options": ["color: multi-13124", "size: 23.6\" x 78.7\" x 2 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["multi-13124"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ATOBWQ", "worker_id": "A1EREKSZAA9V7B"}], "B071S1RR6H": [{"asin": "B071S1RR6H", "instruction": "i am looking for nail polish that is long lasting.", "attributes": ["long lasting", "nail polish"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOKHLMN", "worker_id": "A1Q8PPQQCWGY0D"}], "B07QS369Z7": [{"asin": "B07QS369Z7", "instruction": "i'm looking for a pair of sweatpants with a drawstring waist in space grey. i need them in size large.", "attributes": ["drawstring waist", "gym workout"], "options": ["color: space dye grey", "size: large"], "instruction_attributes": ["drawstring waist"], "instruction_options": ["space dye grey", "large"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2GCOI1", "worker_id": "AR9AU5FY1S3RO"}], "B07YNW1JZJ": [{"asin": "B07YNW1JZJ", "instruction": "looking for gift set of handmade italian biscottis with natural ingredients", "attributes": ["natural flavors", "natural ingredients", "gift set", "perfect gift"], "options": [""], "instruction_attributes": ["natural ingredients", "gift set"], "instruction_options": [], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTGHN9Z", "worker_id": "A10OGH5CQBXL5N"}], "B09F5YS8D2": [{"asin": "B09F5YS8D2", "instruction": "i would like 10 brown coat hooks for my living room.", "attributes": ["wall mounted", "storage space", "living room"], "options": ["color: brown", "size: 10 hook"], "instruction_attributes": ["living room"], "instruction_options": ["brown", "10 hook"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N23UG6G", "worker_id": "A1WS884SI0SLO4"}], "B06WW1MXDZ": [{"asin": "B06WW1MXDZ", "instruction": "i am looking for a high performance dslr camera lenses that are certified refurbished.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance"], "instruction_options": [], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96CJ4GE", "worker_id": "A1Q8PPQQCWGY0D"}], "B07XPJSP2N": [{"asin": "B07XPJSP2N", "instruction": "i need to buy a six pack of sugar free, keto friendly, non-gmo cheese crisps in the original flavor.", "attributes": ["keto friendly", "gluten free", "sugar free", "non gmo", "artificial flavors"], "options": ["flavor name: original", "size: pack of 6"], "instruction_attributes": ["keto friendly", "sugar free", "non gmo"], "instruction_options": ["original", "pack of 6"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163VIQPG", "worker_id": "AR9AU5FY1S3RO"}], "B00QNLS26O": [{"asin": "B00QNLS26O", "instruction": "i would like some old fashioned summer sausage.", "attributes": ["old fashioned", "ready eat"], "options": [""], "instruction_attributes": ["old fashioned"], "instruction_options": [], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8LSR4V", "worker_id": "A1WS884SI0SLO4"}], "B092MZLG4B": [{"asin": "B092MZLG4B", "instruction": "i am looking for an electrolyte drink that is low carb and in the berry flavor.", "attributes": ["low carb", "non gmo", "artificial flavors"], "options": ["flavor name: berry"], "instruction_attributes": ["low carb"], "instruction_options": ["berry"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY869P18B", "worker_id": "A2ECRNQ3X5LEXD"}], "B07FL52HPF": [{"asin": "B07FL52HPF", "instruction": "i would like a 12 ounce bottle of mango conditioner that is paraben free.", "attributes": ["oil free", "paraben free", "argan oil"], "options": ["size: 12 ounce", "style: mango"], "instruction_attributes": ["paraben free"], "instruction_options": ["12 ounce", "mango"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK8KVN7", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07FL52HPF", "instruction": "i need a conditioner that is 12 ounces and is paraben free with a coconut scent.", "attributes": ["oil free", "paraben free", "argan oil"], "options": ["size: 12 ounce", "style: coconut"], "instruction_attributes": ["paraben free"], "instruction_options": ["12 ounce", "coconut"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61SGZWI", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RWDMGSX": [{"asin": "B07RWDMGSX", "instruction": "i am looking for a red blonde natural hair for wigs", "attributes": ["synthetic hair", "natural hair"], "options": ["color: red blonde"], "instruction_attributes": ["natural hair"], "instruction_options": ["red blonde"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZS2HS0", "worker_id": "A9QRQL9CFJBI7"}], "B09BPVM1P5": [{"asin": "B09BPVM1P5", "instruction": "looking for dual band output protection ac adapter", "attributes": ["dual band", "output protection"], "options": [""], "instruction_attributes": ["dual band", "output protection"], "instruction_options": [], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUW4QJ8", "worker_id": "A10OGH5CQBXL5N"}], "B08TKJVY47": [{"asin": "B08TKJVY47", "instruction": "i would like a valentines day snack gift basket.", "attributes": ["valentine day", "gift basket"], "options": [""], "instruction_attributes": ["valentine day", "gift basket"], "instruction_options": [], "assignment_id": "3HPZF4IVNX3FW186JO133U513LPCYW", "worker_id": "A1WS884SI0SLO4"}], "B09GVWK6FX": [{"asin": "B09GVWK6FX", "instruction": "i am looking for some storage cabinets for storage space.", "attributes": ["assembly required", "engineered wood", "storage space"], "options": [""], "instruction_attributes": ["storage space"], "instruction_options": [], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q5OGWI", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BLCBNQ1": [{"asin": "B08BLCBNQ1", "instruction": "i am looking for ultra hd surveillance dvr kits", "attributes": ["ultra hd", "high definition", "motion detection"], "options": [""], "instruction_attributes": ["ultra hd"], "instruction_options": [], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANINSX6", "worker_id": "A2ECRNQ3X5LEXD"}], "B082WZ282J": [{"asin": "B082WZ282J", "instruction": "i am looking a chocolate gift box for valentine day.", "attributes": ["valentine day", "perfect gift"], "options": [""], "instruction_attributes": ["valentine day"], "instruction_options": [], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907U3AU4", "worker_id": "A1Q8PPQQCWGY0D"}], "B082YMS9LN": [{"asin": "B082YMS9LN", "instruction": "i'm looking for a high quality cosmetic bag. also the c mermaid scales color is what i prefer.", "attributes": ["easy use", "high quality", "nail polish", "nail art"], "options": ["color: c mermaid scales"], "instruction_attributes": ["high quality"], "instruction_options": ["c mermaid scales"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YS2T8Y", "worker_id": "ARQ05PDNXPFDI"}, {"asin": "B082YMS9LN", "instruction": "i would like a corgi dog cosmetic bag for my nail art.", "attributes": ["easy use", "high quality", "nail polish", "nail art"], "options": ["color: corgi dog"], "instruction_attributes": ["nail art"], "instruction_options": ["corgi dog"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMZZ2GU", "worker_id": "A1WS884SI0SLO4"}], "B087JD3R9C": [{"asin": "B087JD3R9C", "instruction": "i would like a pair of size 10 grey pumps with a high heel.", "attributes": ["high heel", "rubber outsole"], "options": ["color: grey", "size: 10"], "instruction_attributes": ["high heel"], "instruction_options": ["grey", "10"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFJD9VW", "worker_id": "A1WS884SI0SLO4"}], "B085Y1D9PX": [{"asin": "B085Y1D9PX", "instruction": "find me a anti slip size 6 black color womens platform sandals", "attributes": ["open toe", "knee high", "anti slip", "ankle strap", "high heel", "closed toe", "memory foam"], "options": ["color: z6-black", "size: 6"], "instruction_attributes": ["anti slip"], "instruction_options": [], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SELRWB", "worker_id": "A2Y2TURT2VEYZN"}], "B09JCMW4F6": [{"asin": "B09JCMW4F6", "instruction": "i am looking for a red faux fur jacket that is in a small.", "attributes": ["quality polyester", "long sleeve", "faux fur"], "options": ["color: red", "size: small"], "instruction_attributes": ["faux fur"], "instruction_options": ["red", "small"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X8HY3P", "worker_id": "A2ECRNQ3X5LEXD"}], "B08XPYZ2TH": [{"asin": "B08XPYZ2TH", "instruction": "im looking for a black alarm clock radio that displays the temperature and uses a usb port.", "attributes": ["batteries included", "aaa batteries", "usb port"], "options": ["color: black"], "instruction_attributes": ["usb port"], "instruction_options": ["black"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI9RABI", "worker_id": "AK3JMCIGU8MLU"}], "B09RSSX4C7": [{"asin": "B09RSSX4C7", "instruction": "i would like a peach flavored high fructose margarita mix.", "attributes": ["non alcoholic", "high fructose"], "options": ["flavor: peach"], "instruction_attributes": ["high fructose"], "instruction_options": ["peach"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH1557HWO", "worker_id": "A1WS884SI0SLO4"}], "B09PBPR95R": [{"asin": "B09PBPR95R", "instruction": "i need a green sweatshirt that is loose fit and is a medium", "attributes": ["loose fit", "fleece lined", "hand wash", "daily casual", "light weight", "wide leg", "wash cold", "machine wash", "long sleeve", "drawstring waist", "high waist"], "options": ["color: #03-green", "size: medium"], "instruction_attributes": ["loose fit"], "instruction_options": ["#03-green", "medium"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9VTETB", "worker_id": "A2ECRNQ3X5LEXD"}], "B088SJ4C4X": [{"asin": "B088SJ4C4X", "instruction": "i am looking for root beer flavor syrup that is easy to use.", "attributes": ["shelf stable", "easy use"], "options": ["flavor: root beer"], "instruction_attributes": ["easy use"], "instruction_options": ["root beer"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVROJKN", "worker_id": "A1Q8PPQQCWGY0D"}], "B075QGP9Z1": [{"asin": "B075QGP9Z1", "instruction": "i would like a twin size indigo pink duvet cover set that is machine washable.", "attributes": ["queen size", "super soft", "machine washable", "white item"], "options": ["color: indigo pink", "size: twin size"], "instruction_attributes": ["machine washable"], "instruction_options": ["indigo pink", "twin size"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFCUD9M", "worker_id": "A1WS884SI0SLO4"}], "B08SK39NHH": [{"asin": "B08SK39NHH", "instruction": "i am looking for shell mosaic color pendant light chandeliers", "attributes": ["pendant light", "glass shade", "light fixture", "dining room"], "options": ["color: shell mosaic"], "instruction_attributes": ["pendant light"], "instruction_options": ["shell mosaic"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOMYF07", "worker_id": "A9QRQL9CFJBI7"}], "B07GCV2K39": [{"asin": "B07GCV2K39", "instruction": "i am looking for wild caught smoked fish.", "attributes": ["wild caught", "natural flavors"], "options": [""], "instruction_attributes": ["wild caught"], "instruction_options": [], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTPDO63", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R1MJL3H": [{"asin": "B08R1MJL3H", "instruction": "i am looking for a soy wax candle that is white sage and 14 oz.", "attributes": ["long lasting", "soy wax"], "options": ["color: white sage", "size: 14.1 oz-1 pack"], "instruction_attributes": ["soy wax"], "instruction_options": ["white sage", "14.1 oz-1 pack"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDZCIA0", "worker_id": "A2ECRNQ3X5LEXD"}], "B082166NKL": [{"asin": "B082166NKL", "instruction": "i want a 3 pack of trader joe's cookie thins.", "attributes": ["trader joe", "artificial colors"], "options": ["size: 3 pack"], "instruction_attributes": ["trader joe"], "instruction_options": ["3 pack"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2ZE94I", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B082166NKL", "instruction": "i am looking for a 4 pack of trader joe's ginger cookies.", "attributes": ["trader joe", "artificial colors"], "options": ["size: 4 pack"], "instruction_attributes": ["trader joe"], "instruction_options": ["4 pack"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THV4Z5T", "worker_id": "A1EREKSZAA9V7B"}], "B07RVDW2Z2": [{"asin": "B07RVDW2Z2", "instruction": "i am looking for candles for a birthday cake in the style t.", "attributes": ["birthday cake", "birthday party"], "options": ["style: t"], "instruction_attributes": ["birthday cake"], "instruction_options": ["t"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I3V1SA", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07RVDW2Z2", "instruction": "i need birthday candles for my birthday cake.", "attributes": ["birthday cake", "birthday party"], "options": ["style: q"], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIVB84B", "worker_id": "AVIEE6LDH0BT5"}], "B07JC99BGV": [{"asin": "B07JC99BGV", "instruction": "i am looking for non slip chair pads that are chocolate and come in an 8 pack.", "attributes": ["button tufted", "non slip"], "options": ["color: chocolate", "size: 8 pack"], "instruction_attributes": ["non slip"], "instruction_options": ["chocolate", "8 pack"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BO5X80", "worker_id": "A2ECRNQ3X5LEXD"}], "B08F8K9ZMK": [{"asin": "B08F8K9ZMK", "instruction": "i need some espresso box spring twin beds", "attributes": ["heavy duty", "box spring", "solid wood", "memory foam"], "options": ["color: espresso", "size: twin"], "instruction_attributes": ["box spring"], "instruction_options": ["espresso", "twin"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMRBMW7", "worker_id": "A2ECRNQ3X5LEXD"}], "B07YM1WS37": [{"asin": "B07YM1WS37", "instruction": "i am looking for a conditioner bar for my dry hair that is having kookabara scent.", "attributes": ["sulfate free", "eco friendly", "oil free", "cruelty free", "coconut oil", "dry hair", "damaged hair"], "options": ["scent: kookabara", "size: 2.12 ounce (pack of 2)"], "instruction_attributes": ["dry hair"], "instruction_options": ["kookabara"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADK9WVK", "worker_id": "A1Q8PPQQCWGY0D"}], "B09T2LGNV3": [{"asin": "B09T2LGNV3", "instruction": "i'm looking for a grey 3 seater living room sofa.", "attributes": ["high density", "living room"], "options": ["color: grey", "size: 2-seater sofa"], "instruction_attributes": ["living room"], "instruction_options": ["grey"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG5UGBS", "worker_id": "A62B826XMLK7K"}], "B07W8YKZRL": [{"asin": "B07W8YKZRL", "instruction": "i would like a mens 3xl baby blue t shirt made of heather cotton.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: baby blue", "fit type: men", "size: 3x-large"], "instruction_attributes": ["heathers cotton"], "instruction_options": ["baby blue", "men", "3x-large"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4VKK7B", "worker_id": "A1WS884SI0SLO4"}], "B09L47HSZD": [{"asin": "B09L47HSZD", "instruction": "i am looking for red color hard pc anti-slip phone tempered glass for iphone 11", "attributes": ["non slip", "tempered glass", "carbon fiber", "glass screen"], "options": ["color: red"], "instruction_attributes": ["tempered glass"], "instruction_options": ["red"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOK2TCL", "worker_id": "A258PTOZ3D2TQR"}], "B07P53YMMD": [{"asin": "B07P53YMMD", "instruction": "i want to buy a 12 count package of individually wrapped sour candies for a birthday party.", "attributes": ["individually wrapped", "quality ingredients", "party supplies", "birthday party"], "options": ["size: 12 count (pack of 1)"], "instruction_attributes": ["individually wrapped", "birthday party"], "instruction_options": ["12 count (pack of 1)"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BB7UQB", "worker_id": "AR9AU5FY1S3RO"}], "B087C8CCRT": [{"asin": "B087C8CCRT", "instruction": "i am interested in buying a hairdressing apron which is long lasting and easy to clean in the color ba or pe.", "attributes": ["easy clean", "long lasting", "high quality", "beauty salon", "hair cutting"], "options": ["color: ba | pe"], "instruction_attributes": ["easy clean", "long lasting"], "instruction_options": ["ba | pe"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1C2U9Q", "worker_id": "AHXHM1PQTRWIQ"}], "B0756CYWWD": [{"asin": "B0756CYWWD", "instruction": "i would like a pair of silver noise cancelling headphones with wireless bluetooth.", "attributes": ["noise cancelling", "wireless bluetooth"], "options": ["color: silver"], "instruction_attributes": ["noise cancelling", "wireless bluetooth"], "instruction_options": ["silver"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKSISG5", "worker_id": "A1WS884SI0SLO4"}], "B094L52FKW": [{"asin": "B094L52FKW", "instruction": "i am looking for cranberry almond color cookie that is fat free.", "attributes": ["low calorie", "fat free", "natural ingredients"], "options": ["color: cranberry almond"], "instruction_attributes": ["fat free"], "instruction_options": ["cranberry almond"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8JBZNW", "worker_id": "A1Q8PPQQCWGY0D"}], "B08LNZY1SD": [{"asin": "B08LNZY1SD", "instruction": "i need a machine washable light gray t-shirt", "attributes": ["quick drying", "machine wash"], "options": ["color: jet gray light heather (010) | black", "size: 3x-large big"], "instruction_attributes": ["machine wash"], "instruction_options": ["jet gray light heather (010) | black"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5J01ZM", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HH2ZDPX": [{"asin": "B09HH2ZDPX", "instruction": "order for me clear 2l -brass & glass globe shade for light fixture in my living room.", "attributes": ["clear glass", "brushed nickel", "light fixture", "living room"], "options": ["color: 2l-brass & clear globe", "size: 3-light"], "instruction_attributes": ["clear glass", "light fixture", "living room"], "instruction_options": ["2l-brass & clear globe"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UW7Y04", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B09HH2ZDPX", "instruction": "i'm looking for wall sconces for living room, with clear glass and brushed nickel in 2l-bronze color and clear cone.", "attributes": ["clear glass", "brushed nickel", "light fixture", "living room"], "options": ["color: 2l-brass & clear cone", "size: 1-light"], "instruction_attributes": ["clear glass", "brushed nickel", "living room"], "instruction_options": ["2l-brass & clear cone"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPSBWFQ", "worker_id": "ARJDD0Z3R65BD"}], "B094GG73C7": [{"asin": "B094GG73C7", "instruction": "i'm losing my hair, so i need to buy a bright red wig.", "attributes": ["sulfate free", "hair loss"], "options": ["color: bright red rooted medium brown"], "instruction_attributes": ["hair loss"], "instruction_options": ["bright red rooted medium brown"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6US7G1B", "worker_id": "AR9AU5FY1S3RO"}], "B01J5UC1Q6": [{"asin": "B01J5UC1Q6", "instruction": "i would like a 0.25 fluid ounces of oil free 090 foundation.", "attributes": ["oil free", "fine lines"], "options": ["color: 090", "size: 0.25 fl oz (pack of 1)"], "instruction_attributes": ["oil free"], "instruction_options": ["090", "0.25 fl oz (pack of 1)"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY869U81N", "worker_id": "A1WS884SI0SLO4"}], "B08D6GLL32": [{"asin": "B08D6GLL32", "instruction": "looking for contemporary wingback fabric barstools faux leather", "attributes": ["button tufted", "contemporary design", "contemporary style"], "options": ["color: beige and espresso", "size: faux leather"], "instruction_attributes": ["contemporary style"], "instruction_options": ["faux leather"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG4FGBB", "worker_id": "A10OGH5CQBXL5N"}], "B0196BENJW": [{"asin": "B0196BENJW", "instruction": "can i have pierre's apothecary macadamia hydrating restoring conditioner with omega 7 and coconut oil", "attributes": ["coconut oil", "hair styling", "dry hair"], "options": [""], "instruction_attributes": ["coconut oil"], "instruction_options": [], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXA3FC6", "worker_id": "A1IL2K0ELYI090"}], "B07HKK3PQN": [{"asin": "B07HKK3PQN", "instruction": "i need to buy some running shoes. they should fit comfortably and have a synthetic sole. look for them in white, size 13.", "attributes": ["comfortable fit", "synthetic sole"], "options": ["color: white (100) | white", "size: 13"], "instruction_attributes": ["comfortable fit", "synthetic sole"], "instruction_options": ["white (100) | white", "13"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOZN932", "worker_id": "AR9AU5FY1S3RO"}], "B01M8L3I4E": [{"asin": "B01M8L3I4E", "instruction": "i'm looking for a royal 14 plus denim shorts butt lifting", "attributes": ["butt lifting", "machine wash", "stretch fabric"], "options": ["color: royal", "size: 14 plus"], "instruction_attributes": ["butt lifting"], "instruction_options": ["royal", "14 plus"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1DGGY9", "worker_id": "A2Y2TURT2VEYZN"}], "B01JOKWJF0": [{"asin": "B01JOKWJF0", "instruction": "looking for pack of 1 nail polish", "attributes": ["long lasting", "nail polish"], "options": ["color: 474 can't beet royalty", "size: pack of 1"], "instruction_attributes": ["nail polish"], "instruction_options": ["pack of 1"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYKB6L7", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B01JOKWJF0", "instruction": "i search 550 hunger flames nail polish", "attributes": ["long lasting", "nail polish"], "options": ["color: 529 | 550 hunger flames", "size: pack of 2"], "instruction_attributes": ["nail polish"], "instruction_options": ["529 | 550 hunger flames"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCRR65T", "worker_id": "A226L9F2AZ38CL"}], "B07WTY16LH": [{"asin": "B07WTY16LH", "instruction": "i want a variety pack of grass fed collagen creamers.", "attributes": ["grass fed", "non dairy", "keto friendly", "zero sugar"], "options": ["flavor name: variety"], "instruction_attributes": ["grass fed"], "instruction_options": ["variety"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3P6LZD", "worker_id": "A2RBF3IIJP15IH"}], "B00FL9DFB6": [{"asin": "B00FL9DFB6", "instruction": "i want a queen sized and faux leather platform bed.", "attributes": ["button tufted", "contemporary style", "faux leather", "solid wood"], "options": ["size: queen"], "instruction_attributes": ["faux leather"], "instruction_options": ["queen"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WZX7FQ", "worker_id": "A2RBF3IIJP15IH"}], "B07T55DL33": [{"asin": "B07T55DL33", "instruction": "i would like a high performance memory card reader.", "attributes": ["light weight", "high performance", "plug play"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K9B12M", "worker_id": "A1WS884SI0SLO4"}], "B07CTSFKJL": [{"asin": "B07CTSFKJL", "instruction": "i'm looking for a delicious danish kringle pair a pecan and cream cheesecake.", "attributes": ["baked fresh", "old fashioned", "gift basket"], "options": [""], "instruction_attributes": ["baked fresh", "gift basket"], "instruction_options": [], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP13XT2", "worker_id": "A21IUUHBSEVB56"}], "B09D8MYY7P": [{"asin": "B09D8MYY7P", "instruction": "i'm looking for packaged fruits that flavor name was peaches-vanilla.", "attributes": ["ready eat", "simple ingredients"], "options": ["flavor name: peaches - vanilla", "size: 20 ounce (pack of 1)"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["peaches - vanilla"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68H4A46", "worker_id": "A16IQOX0DK14OJ"}], "B09M956CQG": [{"asin": "B09M956CQG", "instruction": "i want to easy to use and bush blonde l'oreal paris hair gloss.", "attributes": ["paraben free", "easy use", "coconut oil"], "options": ["color: blush blonde"], "instruction_attributes": ["easy use"], "instruction_options": ["blush blonde"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KZP7EH", "worker_id": "A2RBF3IIJP15IH"}], "B00TYPVRTA": [{"asin": "B00TYPVRTA", "instruction": "i would like 250 bags of strawberry sugar free tea.", "attributes": ["caffeine free", "sugar free", "gluten free"], "options": ["flavor name: strawberry", "size: 250 count"], "instruction_attributes": ["sugar free"], "instruction_options": ["strawberry", "250 count"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7ZDRUH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B00TYPVRTA", "instruction": "am searching for the republic of tea peppermint cuppa chocolate tea, 36 tea bags and sugar free", "attributes": ["caffeine free", "sugar free", "gluten free"], "options": ["flavor name: carrot cake", "size: 36 count (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["36 count (pack of 1)"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0254IAKM", "worker_id": "A1IL2K0ELYI090"}], "B099DPQBH9": [{"asin": "B099DPQBH9", "instruction": "i'm looking for double sided nail hand for nail art its easy to use.", "attributes": ["double sided", "easy carry", "easy use", "nail art"], "options": [""], "instruction_attributes": ["double sided", "nail art"], "instruction_options": [], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R2X7WY", "worker_id": "A16IQOX0DK14OJ"}], "B07JMPC8J1": [{"asin": "B07JMPC8J1", "instruction": "i am looking for throw pillow covers of size 18 x 18 inches for my living room.", "attributes": ["double sided", "super soft", "living room"], "options": ["size: 18 x 18 inches"], "instruction_attributes": ["living room"], "instruction_options": ["18 x 18 inches"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB497AQ9", "worker_id": "A1Q8PPQQCWGY0D"}], "B09CTRMZVR": [{"asin": "B09CTRMZVR", "instruction": "i am looking for casual rubber sole hot pink 7 color running shoes for women, 5 sized.", "attributes": ["anti slip", "rubber sole", "rubber outsole"], "options": ["color: h-pink 7", "size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["h-pink 7", "5"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR5SA0U", "worker_id": "A258PTOZ3D2TQR"}], "B09BZN6CBP": [{"asin": "B09BZN6CBP", "instruction": "help me purchase a high definition digital tv antenna with coaxial cable and easy to install.", "attributes": ["easy use", "high definition", "easy install", "coaxial cable"], "options": [""], "instruction_attributes": ["easy install", "coaxial cable"], "instruction_options": [], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISZQYOX", "worker_id": "A1HMZJ59OPLD1P"}], "B09HJJZ4HV": [{"asin": "B09HJJZ4HV", "instruction": "i would like a 50 x 80 inch fleece throw with a valentines day inn design.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: valentine's dayinn4893", "size: 50x80inch"], "instruction_attributes": ["fleece throw"], "instruction_options": ["valentine's dayinn4893", "50x80inch"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREQ3J20", "worker_id": "A1WS884SI0SLO4"}], "B00EMKRPAC": [{"asin": "B00EMKRPAC", "instruction": "i would like a long lasting face toner for dry skin.", "attributes": ["long lasting", "hyaluronic acid", "dry skin", "fine lines"], "options": [""], "instruction_attributes": ["long lasting", "dry skin"], "instruction_options": [], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O392A3", "worker_id": "A1WS884SI0SLO4"}], "B09N7BNH7R": [{"asin": "B09N7BNH7R", "instruction": "i'm looking for 4 color eyeshadow palette colorful matte and shimmer.", "attributes": ["long lasting", "highly pigmented", "eye shadow", "fine lines"], "options": ["color: #01"], "instruction_attributes": ["eye shadow"], "instruction_options": ["#01"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVJM1PS", "worker_id": "A21IUUHBSEVB56"}], "B08NJF2PFP": [{"asin": "B08NJF2PFP", "instruction": "i want a light gray and machine washable 100% blackout window curtain panel.", "attributes": ["super soft", "machine washable", "stainless steel"], "options": ["color: light gray", "size: w52 x l63"], "instruction_attributes": ["machine washable"], "instruction_options": ["light gray"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUUC7MCE", "worker_id": "A2RBF3IIJP15IH"}], "B09DTPGMLC": [{"asin": "B09DTPGMLC", "instruction": "i need a package of one hundred gray zip ties. they should be eco friendly.", "attributes": ["eco friendly", "high density"], "options": ["color: smokey gray 12\"x12\"", "size: 8'' inch ziptie 100 pieces"], "instruction_attributes": ["eco friendly"], "instruction_options": ["smokey gray 12\"x12\"", "8'' inch ziptie 100 pieces"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XB2RFK", "worker_id": "AR9AU5FY1S3RO"}], "B09CLS963D": [{"asin": "B09CLS963D", "instruction": "i want pineapple flavor gluten free nut free 8 ounce cooking and baking powder", "attributes": ["gluten free", "nut free"], "options": ["flavor: pineapple", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["pineapple", "8 ounce (pack of 1)"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3FON63", "worker_id": "A3N9ZYQAESNFQH"}], "B099R8BCTX": [{"asin": "B099R8BCTX", "instruction": "i'm looking for a body hair remover cream.", "attributes": ["easy apply", "easy use", "hair removal", "sensitive skin"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "33TIN5LC0FKDY31374RC144TX0K9YA", "worker_id": "A1ZGOZQF2VZ0X9"}], "B092XBQVSV": [{"asin": "B092XBQVSV", "instruction": "looking for natural flavors whole grain cheddar", "attributes": ["0g trans", "natural flavors"], "options": [""], "instruction_attributes": ["natural flavors"], "instruction_options": [], "assignment_id": "37UQDCYH685SGQI5NW68G99TKTN7VG", "worker_id": "A10OGH5CQBXL5N"}], "B09G983D7Q": [{"asin": "B09G983D7Q", "instruction": "i would like a silver phone case with a glass tempered screen.", "attributes": ["glass screen", "tempered glass"], "options": ["color: silver"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["silver"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOLE0F6", "worker_id": "A1WS884SI0SLO4"}], "B093STM1BR": [{"asin": "B093STM1BR", "instruction": "i need a non slip carpet with 47 inches x 31 inches dimension.", "attributes": ["non slip", "printing technology"], "options": ["color: game30", "size: 47 in x 31 in"], "instruction_attributes": ["non slip"], "instruction_options": ["47 in x 31 in"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP2UTXR", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B093STM1BR", "instruction": "i am interested in a non slip area rug that is 70 by 55 inch", "attributes": ["non slip", "printing technology"], "options": ["color: game9", "size: 70 in x 55 in"], "instruction_attributes": ["non slip"], "instruction_options": ["70 in x 55 in"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KSO9JL", "worker_id": "A2ECRNQ3X5LEXD"}], "B00CWTZ6GU": [{"asin": "B00CWTZ6GU", "instruction": "i need some sugar free gingerbread flavor syrup.", "attributes": ["sugar free", "keto friendly", "fat free", "gluten free", "zero sugar"], "options": ["flavor name: sugar free gingerbread", "size: 25.4 ounce (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["sugar free gingerbread"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1GWXRF", "worker_id": "A2ECRNQ3X5LEXD"}], "B09F8XTR6C": [{"asin": "B09F8XTR6C", "instruction": "i am interested in a paraben free eyeshadow", "attributes": ["paraben free", "green tea"], "options": [""], "instruction_attributes": ["paraben free"], "instruction_options": [], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUMQZVQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B088KHF9S2": [{"asin": "B088KHF9S2", "instruction": "i need a beauty salon makeup palette", "attributes": ["nail art", "beauty salon"], "options": ["size: size 1"], "instruction_attributes": ["beauty salon"], "instruction_options": ["size 1"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4DY0IP", "worker_id": "A2ECRNQ3X5LEXD"}], "B076HH25ZF": [{"asin": "B076HH25ZF", "instruction": "i would like a queen size blue linen bed with drawers with a contemporary design.", "attributes": ["twin size", "contemporary design", "box spring"], "options": ["color: blue linen", "size: queen", "style: bed with storage drawers"], "instruction_attributes": ["contemporary design"], "instruction_options": ["blue linen", "queen", "bed with storage drawers"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SEPWRK", "worker_id": "A1WS884SI0SLO4"}], "B07VXDK4B4": [{"asin": "B07VXDK4B4", "instruction": "i'm looking for a individually wrapped cake topper for birthday party.", "attributes": ["individually wrapped", "baby shower", "birthday cake", "party supplies", "birthday party"], "options": [""], "instruction_attributes": ["individually wrapped", "birthday party"], "instruction_options": [], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDQ7CHU", "worker_id": "AR0VJ5XRG16UJ"}], "B09L7QJ54B": [{"asin": "B09L7QJ54B", "instruction": "looking for high quality silicone body scrubber for sensitive skin also choose colour grey", "attributes": ["easy clean", "double sided", "high quality", "sensitive skin", "dead skin"], "options": ["color: gray"], "instruction_attributes": ["high quality", "sensitive skin"], "instruction_options": ["gray"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGEUSMD", "worker_id": "A10OGH5CQBXL5N"}], "B08GPCY4BJ": [{"asin": "B08GPCY4BJ", "instruction": "i am looking for a black-1 water resistant snow boots", "attributes": ["water resistant", "anti slip", "non slip", "rubber sole"], "options": ["color: black-1", "size: 8 women | 6.5 men"], "instruction_attributes": ["water resistant"], "instruction_options": ["black-1"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H69U8Q", "worker_id": "A9QRQL9CFJBI7"}], "B081DJRTJ1": [{"asin": "B081DJRTJ1", "instruction": "ethylene vinyl women's running shoes also choose size 8", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: design 2", "size: 8"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["8"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZKOO8A", "worker_id": "A10OGH5CQBXL5N"}], "B09NQHBFPF": [{"asin": "B09NQHBFPF", "instruction": "i would like a yellow hair clip for hair styling.", "attributes": ["hair extensions", "hair styling", "natural hair"], "options": ["color: yellow"], "instruction_attributes": ["hair styling"], "instruction_options": ["yellow"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME96ND2X", "worker_id": "A1WS884SI0SLO4"}], "B07DLRD3TG": [{"asin": "B07DLRD3TG", "instruction": "i would like a king sized bed with a 8 inch mattress and storage space.", "attributes": ["queen size", "storage space"], "options": ["size: king", "style name: 8 inch mattress"], "instruction_attributes": ["storage space"], "instruction_options": ["king", "8 inch mattress"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKVKJMR", "worker_id": "A1WS884SI0SLO4"}], "B08FDR688Y": [{"asin": "B08FDR688Y", "instruction": "i am looking for uin smiley slip with size 7", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: women-knitted", "size: 7"], "instruction_attributes": [], "instruction_options": ["7"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPQKFWE", "worker_id": "A16M39T60N60NO"}], "B086Z2QK25": [{"asin": "B086Z2QK25", "instruction": "i am looking for gingerbread and white chocolate granola in resealable bags. it should not contain any artificial flavors.", "attributes": ["low sodium", "resealable bag", "natural ingredients", "artificial flavors"], "options": ["flavor name: gingerbread white chocolate", "size: 7.5 ounce (pack of 3)"], "instruction_attributes": ["resealable bag", "artificial flavors"], "instruction_options": ["gingerbread white chocolate"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWY0XPPR", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B086Z2QK25", "instruction": "find a granola pack with low sodium.", "attributes": ["low sodium", "resealable bag", "natural ingredients", "artificial flavors"], "options": ["flavor name: cranberry almond", "size: 7.5 ounce (pack of 2)"], "instruction_attributes": ["low sodium"], "instruction_options": [], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP8W7JF", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B086Z2QK25", "instruction": "i would like a four pack of mocha granola that has all natural ingredients.", "attributes": ["low sodium", "resealable bag", "natural ingredients", "artificial flavors"], "options": ["flavor name: mocha", "size: 7.5 ounce (pack of 4)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["mocha", "7.5 ounce (pack of 4)"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5PB6XB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09238H1R4": [{"asin": "B09238H1R4", "instruction": "i am looking for low carb hight proteintrue meat snack sticks of southwest verde venison. size is 12 packs of 1 oz", "attributes": ["sugar free", "grass fed", "gluten free", "high protein", "low carb", "natural ingredients", "0g trans"], "options": ["flavor name: southwest verde venison", "size: 1oz-12 pack"], "instruction_attributes": ["high protein", "low carb"], "instruction_options": ["southwest verde venison", "1oz-12 pack"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KQMJLH", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09238H1R4", "instruction": "i am looking for a high protein and low carb beef snack stick. i also need it to be gluten free and be made of natural ingredients.", "attributes": ["sugar free", "grass fed", "gluten free", "high protein", "low carb", "natural ingredients", "0g trans"], "options": ["flavor name: original beef", "size: 8oz-single"], "instruction_attributes": ["gluten free", "high protein", "low carb", "natural ingredients"], "instruction_options": ["original beef"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VQYXMM", "worker_id": "AK3JMCIGU8MLU"}], "B07HPP27S7": [{"asin": "B07HPP27S7", "instruction": "i'm looking for a mary's gone crackers real thin crackers.", "attributes": ["gluten free", "certified organic", "plant based"], "options": ["flavor name: garlic rosemary", "size: 5 ounce (pack of 1)"], "instruction_attributes": ["gluten free", "certified organic"], "instruction_options": ["garlic rosemary", "5 ounce (pack of 1)"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMM1URS1", "worker_id": "A1ZGOZQF2VZ0X9"}], "B0872VP8QR": [{"asin": "B0872VP8QR", "instruction": "i'm looking for some hot cocoa mix that comes in a pack of three and is non-gmo and sugar free.", "attributes": ["dairy free", "sugar free", "low carb", "non gmo", "zero sugar"], "options": ["flavor: hot cocoa mix", "size: 9 ounce (pack of 3)"], "instruction_attributes": ["sugar free", "non gmo"], "instruction_options": ["hot cocoa mix", "9 ounce (pack of 3)"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8Q3Q6L", "worker_id": "AR9AU5FY1S3RO"}], "B08LZ65XF6": [{"asin": "B08LZ65XF6", "instruction": "i am looking for a 12x10 ft high resolution backdrop of spring garden leaves.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 5x3ft"], "instruction_attributes": ["high resolution"], "instruction_options": ["5x3ft"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTV7P9M", "worker_id": "A2KW17G25L25R8"}], "B0943N574G": [{"asin": "B0943N574G", "instruction": "i would like some champagne rhinestones for my nail art.", "attributes": ["easy apply", "high quality", "quality materials", "nail art"], "options": ["color: champagne"], "instruction_attributes": ["nail art"], "instruction_options": ["champagne"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ASOBWO", "worker_id": "A1WS884SI0SLO4"}], "B07NGHB486": [{"asin": "B07NGHB486", "instruction": "i'm looking for a cruelty free eyeshadow palette with division color.", "attributes": ["highly pigmented", "cruelty free", "long lasting", "animal testing", "rose gold"], "options": ["color: division"], "instruction_attributes": ["cruelty free"], "instruction_options": ["division"], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8ROQQR", "worker_id": "ARQ05PDNXPFDI"}], "B008CUVP1I": [{"asin": "B008CUVP1I", "instruction": "i'm looking for a perfect natural hair treatment with rice protein.", "attributes": ["hair treatment", "natural hair"], "options": ["scent: rice protein", "size: 140g"], "instruction_attributes": ["hair treatment", "natural hair"], "instruction_options": ["rice protein"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP6Y7JD", "worker_id": "A21IUUHBSEVB56"}], "B07ZFGMYF1": [{"asin": "B07ZFGMYF1", "instruction": "i would like a color d wall lamp for my living room.", "attributes": ["easy install", "light fixture", "living room"], "options": ["color: d"], "instruction_attributes": ["living room"], "instruction_options": ["d"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZDUPA6", "worker_id": "A1WS884SI0SLO4"}], "B09PF1W3FB": [{"asin": "B09PF1W3FB", "instruction": "i am looking for woman gym workout non slip arch support pink color shoe size :8", "attributes": ["non slip", "arch support", "everyday wear", "gym workout"], "options": ["color: pink", "size: 8"], "instruction_attributes": ["non slip", "arch support", "gym workout"], "instruction_options": ["pink", "8"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YS3T8Z", "worker_id": "A3N9ZYQAESNFQH"}], "B09H3CF2MW": [{"asin": "B09H3CF2MW", "instruction": "looking for hand crafted cranberry pumpkin seed choose pack of 12", "attributes": ["hand crafted", "non gmo"], "options": ["flavor name: rosemary pistachio", "size: pack of 12"], "instruction_attributes": ["hand crafted"], "instruction_options": ["pack of 12"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALCE4HV", "worker_id": "A10OGH5CQBXL5N"}], "B0951CJKB1": [{"asin": "B0951CJKB1", "instruction": "i need some boots in a seven wide that have leather soles. the color should be \"i mocka.\"", "attributes": ["leather sole", "rubber sole"], "options": ["color: l mocka", "size: 7 wide"], "instruction_attributes": ["leather sole"], "instruction_options": ["l mocka", "7 wide"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TF3K20", "worker_id": "AR9AU5FY1S3RO"}], "B075BLC569": [{"asin": "B075BLC569", "instruction": "am looking for a long lasting chanel gabrielle women edp spray 1.7 oz", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJQUO9N", "worker_id": "A1IL2K0ELYI090"}], "B08PKTDP5C": [{"asin": "B08PKTDP5C", "instruction": "looking for a gift for valentines day: custom funny face, comfortable fit kiss me boxer shorts novelty photo printed underwear. its size is 4x bigger.", "attributes": ["machine washable", "machine wash", "comfortable fit"], "options": ["color: name and face", "size: 4x-large"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["4x-large"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V16YWQ", "worker_id": "A15IJ20C3R4HUO"}], "B094D7Y66B": [{"asin": "B094D7Y66B", "instruction": "i am looking for chocolate filled flavor cookies having low sugar and low fat.", "attributes": ["low sugar", "gluten free", "low fat", "low calorie", "low carb"], "options": ["flavor name: chocolate filled", "size: 2.6 ounce (pack of 4)"], "instruction_attributes": ["low sugar", "low fat"], "instruction_options": ["chocolate filled"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDZAIAY", "worker_id": "A1Q8PPQQCWGY0D"}], "B00NTT974E": [{"asin": "B00NTT974E", "instruction": "i am looking for a large size grey color light weight women's sleeveless pullover sweater with unique design.", "attributes": ["light weight", "unique design", "regular fit"], "options": ["color: grey", "size: large"], "instruction_attributes": ["light weight", "unique design"], "instruction_options": ["grey", "large"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJRI9OY", "worker_id": "A1V2JTEEBCXR20"}], "B084Q246B2": [{"asin": "B084Q246B2", "instruction": "i need an engineered wood end table", "attributes": ["engineered wood", "living room"], "options": [""], "instruction_attributes": ["engineered wood"], "instruction_options": [], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFI0VMX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PR67BMX": [{"asin": "B09PR67BMX", "instruction": "i\u2019m looking for a mini dual band desktop computer that supports ultra hd and has at least 16 gigabytes of ram.", "attributes": ["dual band", "ultra hd"], "options": ["color: 16 ram-256 ssd-1thdd"], "instruction_attributes": ["dual band", "ultra hd"], "instruction_options": [], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMYJG2Q", "worker_id": "AK3JMCIGU8MLU"}], "B095NN5K4W": [{"asin": "B095NN5K4W", "instruction": "i would like a oversize 60 x 30 in color a wall posted to hang in the living room.", "attributes": ["hand painted", "ready hang", "dining room", "living room"], "options": ["color: a", "size: oversize 60 x 30 in"], "instruction_attributes": ["living room"], "instruction_options": ["a", "oversize 60 x 30 in"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R9H0RT", "worker_id": "A1WS884SI0SLO4"}], "B085VP8ZDB": [{"asin": "B085VP8ZDB", "instruction": "i am looking for men's slippers of size 8 that are long lasting.", "attributes": ["long lasting", "non slip", "leather sole"], "options": ["size: 8"], "instruction_attributes": ["long lasting"], "instruction_options": ["8"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V63U29", "worker_id": "A1Q8PPQQCWGY0D"}], "B09S5QYF4P": [{"asin": "B09S5QYF4P", "instruction": "tv rack up to 55 inches living room white", "attributes": ["easy assemble", "engineered wood", "storage space", "living room"], "options": ["color: white"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6LRB24", "worker_id": "A3TTGSUBIK1YCL"}], "B09165NLQL": [{"asin": "B09165NLQL", "instruction": "im looking for hair clips and a hair pad for my hair extensions in the color dark brown.", "attributes": ["hair extensions", "hair styling"], "options": ["color: dark brown", "size: 12cm"], "instruction_attributes": ["hair extensions"], "instruction_options": ["dark brown"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXAUCFU", "worker_id": "AK3JMCIGU8MLU"}], "B011B6PHTA": [{"asin": "B011B6PHTA", "instruction": "i need a pack of 12 easy to prepare noodle dishes", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: bacon", "size: pack of 12"], "instruction_attributes": ["easy prepare"], "instruction_options": ["pack of 12"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40Y1RC0", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B011B6PHTA", "instruction": "i want an easy to prepare knorr pasta butter and herb side dish.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: butter & herb", "size: 4.3 ounce (pack of 1)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["butter & herb"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4QNKPH", "worker_id": "A2RBF3IIJP15IH"}], "B00A6S31DO": [{"asin": "B00A6S31DO", "instruction": "i would like a white twin size bed.", "attributes": ["twin size", "eco friendly", "white item"], "options": ["color: white"], "instruction_attributes": ["twin size", "white item"], "instruction_options": ["white"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QXH07O", "worker_id": "A1WS884SI0SLO4"}], "B07TTQNQRQ": [{"asin": "B07TTQNQRQ", "instruction": "i would like a storage case for my dentures.", "attributes": ["easy carry", "storage case"], "options": [""], "instruction_attributes": ["storage case"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPCDDQN", "worker_id": "A1WS884SI0SLO4"}], "B09MFB67P6": [{"asin": "B09MFB67P6", "instruction": "i'm looking for hair extensions to prevention of hair falling its for hair care.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: 183-t1b-30"], "instruction_attributes": ["hair extensions"], "instruction_options": ["183-t1b-30"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1ORTIQ", "worker_id": "A16IQOX0DK14OJ"}], "B09DFN74Y7": [{"asin": "B09DFN74Y7", "instruction": "i'm looking for a super soft throw blanket with skulls on it that's fifty by forty inches.", "attributes": ["super soft", "queen size"], "options": ["color: skull1", "size: 50\"x40\""], "instruction_attributes": ["super soft"], "instruction_options": ["skull1", "50\"x40\""], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVD5V83", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B09DFN74Y7", "instruction": "i am looking for a black queen size blanket for kids.", "attributes": ["super soft", "queen size"], "options": ["color: black", "size: 50\"x40\""], "instruction_attributes": ["queen size"], "instruction_options": ["black"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OVIOPQ", "worker_id": "A1EREKSZAA9V7B"}], "B07PRZF5GM": [{"asin": "B07PRZF5GM", "instruction": "i need green tea pack 1", "attributes": ["fragrance free", "oil free", "water resistant", "paraben free", "hyaluronic acid", "green tea", "sensitive skin"], "options": ["size: 5 fl oz (pack of 1)"], "instruction_attributes": ["green tea"], "instruction_options": ["5 fl oz (pack of 1)"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z7YGXF", "worker_id": "A226L9F2AZ38CL"}], "B073RF8CKX": [{"asin": "B073RF8CKX", "instruction": "i want a black soulaca smart tv with usb port.", "attributes": ["dust proof", "tempered glass", "usb port"], "options": ["color: black", "size: 22 inches"], "instruction_attributes": ["usb port"], "instruction_options": ["black"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA7GR8U", "worker_id": "A2RBF3IIJP15IH"}], "B06XRT9TSM": [{"asin": "B06XRT9TSM", "instruction": "i want solid wood espresso color queen size bed from modus furniture", "attributes": ["mid century", "metal legs", "solid wood"], "options": ["color: nevis veneto - espresso", "size: queen"], "instruction_attributes": ["solid wood"], "instruction_options": ["nevis veneto - espresso", "queen"], "assignment_id": "38F71OA9G46M5W32RN3TH53XROUFMB", "worker_id": "A1V2C99HEV3F14"}], "B08P34YR81": [{"asin": "B08P34YR81", "instruction": "i would like to buy an amplifier that is easy to install.", "attributes": ["power amplifier", "easy install"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDU8Y8G", "worker_id": "A15ERD4HOFEPHM"}], "B09PVC53FP": [{"asin": "B09PVC53FP", "instruction": "i'm looking for clothing quality and high waist for woman's.", "attributes": ["butt lifting", "fleece lined", "wide leg", "machine wash", "straight leg", "slim fit", "hand wash", "high waist", "tummy control", "quality polyester", "relaxed fit", "polyester spandex"], "options": ["color: multicolor", "size: xx-large"], "instruction_attributes": ["fleece lined", "wide leg", "straight leg", "slim fit", "high waist", "tummy control"], "instruction_options": ["multicolor"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKF0887", "worker_id": "A16IQOX0DK14OJ"}], "B07H9HV2JQ": [{"asin": "B07H9HV2JQ", "instruction": "i am looking for a cover that has a glass screen and is blue", "attributes": ["hands free", "glass screen"], "options": ["color: blue | black"], "instruction_attributes": ["glass screen"], "instruction_options": ["blue | black"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U8VAM7", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QQ9GSZY": [{"asin": "B09QQ9GSZY", "instruction": "i am looking for an open toe sandals that has high heel. please choose the 8.5 size with white color", "attributes": ["open toe", "ankle strap", "leather sole", "high heel"], "options": ["color: sandals 17 white", "size: 8.5"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["sandals 17 white", "8.5"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCV1Q5E", "worker_id": "A2COCSUGZV28X"}], "B09SQ74NTW": [{"asin": "B09SQ74NTW", "instruction": "i am looking for a o color shampoos for hair losses", "attributes": ["hair growth", "natural hair", "hair loss", "damaged hair"], "options": ["color: o"], "instruction_attributes": ["hair loss"], "instruction_options": ["o"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20RV0ZJ", "worker_id": "A9QRQL9CFJBI7"}], "B07MW2D7W3": [{"asin": "B07MW2D7W3", "instruction": "i'm looking for hair loss control drops that will help with hair growth.", "attributes": ["green tea", "hair loss", "hair growth"], "options": [""], "instruction_attributes": ["hair loss", "hair growth"], "instruction_options": [], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEXNUUS", "worker_id": "A34EHWOYRBL6OZ"}], "B08CR81GHW": [{"asin": "B08CR81GHW", "instruction": "i am looking for a high definition sound bar that is camouflage.", "attributes": ["high performance", "hands free", "high definition", "stereo sound", "wireless bluetooth"], "options": ["color: camouflage"], "instruction_attributes": ["high definition"], "instruction_options": ["camouflage"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE244QGL", "worker_id": "A2ECRNQ3X5LEXD"}], "B07WL7C1ZM": [{"asin": "B07WL7C1ZM", "instruction": "i would love to buy a 12 count , low carb keto bars made with quality ingredients and keto friendly.", "attributes": ["grass fed", "keto friendly", "low carb", "quality ingredients"], "options": ["color: banana bread", "size: 12 count (pack of 1)"], "instruction_attributes": ["keto friendly", "low carb", "quality ingredients"], "instruction_options": ["12 count (pack of 1)"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQH8HH2", "worker_id": "AHXHM1PQTRWIQ"}], "B07BMNFXRZ": [{"asin": "B07BMNFXRZ", "instruction": "i am looking for 12 pcs bpa free plastic spray bottle of amber color", "attributes": ["travel size", "bpa free", "fine mist"], "options": ["color: amber (12pcs)"], "instruction_attributes": ["bpa free"], "instruction_options": ["amber (12pcs)"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7P63IB", "worker_id": "A1Q8PPQQCWGY0D"}], "B08T1RX4WS": [{"asin": "B08T1RX4WS", "instruction": "i am looking to buy a quick release, non slip, travel tripod stand and it has to be silver.", "attributes": ["quick release", "non slip"], "options": ["color: silver"], "instruction_attributes": ["quick release", "non slip"], "instruction_options": ["silver"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCRY9BR", "worker_id": "A114NK7T5673GK"}], "B079FVQ9J9": [{"asin": "B079FVQ9J9", "instruction": "i need to buy a satin nickel finished vanity light that's thirty inches long.", "attributes": ["nickel finish", "vanity light"], "options": ["color: satin nickel", "size: 9 x 30\""], "instruction_attributes": ["nickel finish", "vanity light"], "instruction_options": ["satin nickel", "9 x 30\""], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TF6K23", "worker_id": "AR9AU5FY1S3RO"}], "B017610BG8": [{"asin": "B017610BG8", "instruction": "i would like a paraben and sulfate free body wash.", "attributes": ["fragrance free", "sulfate free", "paraben free", "hyaluronic acid", "dry skin"], "options": [""], "instruction_attributes": ["sulfate free", "paraben free"], "instruction_options": [], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG40GBW", "worker_id": "A1WS884SI0SLO4"}], "B009P2IUZQ": [{"asin": "B009P2IUZQ", "instruction": "i need a 1.43 ounce (pack of 12) soy free non gmo plant based gluten free original flavored chips.", "attributes": ["non gmo", "soy free", "plant based", "gluten free", "resealable bag", "simple ingredients"], "options": ["flavor name: original", "size: 1.43 ounce (pack of 12)"], "instruction_attributes": ["non gmo", "soy free", "plant based", "gluten free"], "instruction_options": ["original", "1.43 ounce (pack of 12)"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRXQF38", "worker_id": "A3AYHESLQSDY5T"}, {"asin": "B009P2IUZQ", "instruction": "i am looking for dang toasted coconut chips with soy free, gluten free , non gmo and plant based with size 3.17 ounce", "attributes": ["non gmo", "soy free", "plant based", "gluten free", "resealable bag", "simple ingredients"], "options": ["flavor name: variety pack", "size: 3.17 ounce (pack of 1)"], "instruction_attributes": ["soy free", "plant based", "gluten free"], "instruction_options": ["3.17 ounce (pack of 1)"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAFOVOF", "worker_id": "AX2EWYWZM19AZ"}], "B07KLSQGS2": [{"asin": "B07KLSQGS2", "instruction": "i'm interested in contemporary style barstools for the living room that are easy to clean and non-slip.", "attributes": ["non slip", "white item", "easy clean", "contemporary style", "living room"], "options": ["color: black"], "instruction_attributes": ["non slip", "easy clean", "contemporary style", "living room"], "instruction_options": ["black"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4VB7KP", "worker_id": "AFU00NU09CFXE"}], "B08DDFM5GC": [{"asin": "B08DDFM5GC", "instruction": "i am looking for a low fat black bean soup", "attributes": ["low fat", "ready eat"], "options": ["flavor name: black bean soup"], "instruction_attributes": ["low fat"], "instruction_options": ["black bean soup"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHABHDO1", "worker_id": "A2ECRNQ3X5LEXD"}], "B07N8R9WKN": [{"asin": "B07N8R9WKN", "instruction": "i am looking for brass color coffee table for my living room.", "attributes": ["mid century", "tempered glass", "steel frame", "living room"], "options": ["color: brass", "size: 45\""], "instruction_attributes": ["living room"], "instruction_options": ["brass"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OPDMMW", "worker_id": "A1Q8PPQQCWGY0D"}], "B07ZLV1F37": [{"asin": "B07ZLV1F37", "instruction": "i want kerastim pro hair loss treatment for men & women.", "attributes": ["hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPQWFWQ", "worker_id": "A2RBF3IIJP15IH"}], "B07NH3Q1VJ": [{"asin": "B07NH3Q1VJ", "instruction": "i'm looking for a size 2.55 ounce anti aging hydra-nutrition day cream.", "attributes": ["dermatologist tested", "anti aging", "paraben free", "dry skin", "sensitive skin"], "options": ["size: 2.55 ounce (pack of 1)", "style: moisturizing balm"], "instruction_attributes": ["anti aging"], "instruction_options": ["2.55 ounce (pack of 1)"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZYJANL", "worker_id": "ARQ05PDNXPFDI"}], "B09P8B2L8V": [{"asin": "B09P8B2L8V", "instruction": "i am looking women hairpiece of 80cm size that are of high quality and easy to use.", "attributes": ["easy use", "high quality", "hair extensions", "natural hair"], "options": ["color: 41", "size: 80cm"], "instruction_attributes": ["easy use", "high quality"], "instruction_options": ["80cm"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UHHPIQY", "worker_id": "A1Q8PPQQCWGY0D"}], "B07BL31V9T": [{"asin": "B07BL31V9T", "instruction": "i need to buy some work shoes with a slip resistant rubber sole. i want them in gray, size nine wide.", "attributes": ["slip resistant", "rubber sole"], "options": ["color: gray | royal", "size: 9 wide"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["gray | royal", "9 wide"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6US71GW", "worker_id": "AR9AU5FY1S3RO"}], "B097XWJ1KM": [{"asin": "B097XWJ1KM", "instruction": "i need a super soft twin throw that is multicolored", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 15", "size: twin"], "instruction_attributes": ["super soft"], "instruction_options": ["multi 15", "twin"], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIPY581", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SGQZHP4": [{"asin": "B09SGQZHP4", "instruction": "i would like an intel core desktop that has 32gb of ram and 2tb of storage.", "attributes": ["core i5", "intel core"], "options": ["size: 32gb | 1tb ssd + 1tb hdd", "style: windows 10 home"], "instruction_attributes": ["intel core"], "instruction_options": ["32gb | 1tb ssd + 1tb hdd"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4LR986", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RGXDVCV": [{"asin": "B07RGXDVCV", "instruction": "i am interested in buying a demi-permanent hair color which is neon red, and that i can apply easily, also i want it to be cruelty free product.", "attributes": ["long lasting", "easy apply", "cruelty free", "high quality", "hair dye", "permanent hair", "hair treatment", "natural hair", "dry hair"], "options": ["color: neon red"], "instruction_attributes": ["easy apply", "cruelty free"], "instruction_options": ["neon red"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUAIA94", "worker_id": "AJY5G987IRT25"}], "B09SQ5RK1H": [{"asin": "B09SQ5RK1H", "instruction": "i would like a 6 pack of easy to prepare breakfast foods.", "attributes": ["protein serving", "easy prepare"], "options": ["size: 6 - pack"], "instruction_attributes": ["easy prepare"], "instruction_options": ["6 - pack"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8DJA5V", "worker_id": "A1WS884SI0SLO4"}], "B07WNVTV22": [{"asin": "B07WNVTV22", "instruction": "i would like a a monocular for bird watching.", "attributes": ["easy carry", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C89PH6", "worker_id": "A1WS884SI0SLO4"}], "B09FJT52MT": [{"asin": "B09FJT52MT", "instruction": "i am looking for a fits round tables up to 42 diameter size of machine washable tablecloths", "attributes": ["machine washable", "easy clean"], "options": ["color: orange light brown white 3087", "size: fits round tables up to 42 diameter"], "instruction_attributes": ["machine washable"], "instruction_options": ["fits round tables up to 42 diameter"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG1JWTY", "worker_id": "A9QRQL9CFJBI7"}], "B01L0VIN8S": [{"asin": "B01L0VIN8S", "instruction": "i would like a aluminum alloy high speed coaxial tip.", "attributes": ["high speed", "aluminum alloy"], "options": [""], "instruction_attributes": ["high speed", "aluminum alloy"], "instruction_options": [], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN2HTPX", "worker_id": "A1WS884SI0SLO4"}], "B09D9RXRPG": [{"asin": "B09D9RXRPG", "instruction": "i want the pinole project high protein oatmeal.", "attributes": ["high protein", "freeze dried", "gluten free", "non gmo"], "options": [""], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPDFDQR", "worker_id": "A2RBF3IIJP15IH"}], "B083ZRCCXD": [{"asin": "B083ZRCCXD", "instruction": "i need a wall sconce with two lights in brushed nickel.", "attributes": ["brushed nickel", "nickel finish"], "options": ["color: brushed nickel", "size: 2-light"], "instruction_attributes": ["brushed nickel", "nickel finish"], "instruction_options": ["brushed nickel", "2-light"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDQJHRC", "worker_id": "AR9AU5FY1S3RO"}], "B000UD3XJC": [{"asin": "B000UD3XJC", "instruction": "i would like to buy a slip resistant women's clog having rubber sole in size 11.", "attributes": ["slip resistant", "rubber sole"], "options": ["size: 11"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["11"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z19O1KZ", "worker_id": "A3AYHESLQSDY5T"}], "B078JHLSWT": [{"asin": "B078JHLSWT", "instruction": "i need a blue body brush for dry skin.", "attributes": ["non slip", "long handle", "dry skin"], "options": ["color: blue"], "instruction_attributes": ["dry skin"], "instruction_options": ["blue"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOSCVYL", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Z7DBGLZ": [{"asin": "B07Z7DBGLZ", "instruction": "i need a classic fit t-shirt . and i would prefer medium size with purple color", "attributes": ["needle sleeve", "classic fit"], "options": ["color: purple", "fit type: youth", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["purple", "medium"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMS5BQK", "worker_id": "A2COCSUGZV28X"}], "B07SBXXH9Y": [{"asin": "B07SBXXH9Y", "instruction": "i want to buy an easy to use plug and play usb flash drive in black. get the 512 megabyte size.", "attributes": ["plug play", "easy use"], "options": ["color: black", "size: 512mb"], "instruction_attributes": ["plug play"], "instruction_options": ["black", "512mb"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IKY2MN", "worker_id": "AR9AU5FY1S3RO"}], "B01GS1BOK4": [{"asin": "B01GS1BOK4", "instruction": "for home furnishing, i need a rectangular rug in ivory grey color, measuring 11ft x 15ft.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: ivory | grey", "item shape: rectangular", "size: 11 ft x 15 ft"], "instruction_attributes": ["home furnishings"], "instruction_options": ["ivory | grey", "rectangular", "11 ft x 15 ft"], "assignment_id": "3X08E93BH6SOX0PZ3ET8Y3TY8PV668", "worker_id": "ASWFLI3N8X72G"}], "B09Q35XGYF": [{"asin": "B09Q35XGYF", "instruction": "i would like a white twin sized bunk bed with a wood frame.", "attributes": ["twin size", "white item", "easy assemble", "wood frame", "box spring"], "options": ["color: white", "size: twin bunk beds"], "instruction_attributes": ["twin size", "white item", "wood frame"], "instruction_options": ["white", "twin bunk beds"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E8THXZ", "worker_id": "A1WS884SI0SLO4"}], "B09J52HRL8": [{"asin": "B09J52HRL8", "instruction": "i am looking for a high quality trolley cart for a beauty salon, which is in 4tier size.", "attributes": ["high quality", "beauty salon"], "options": ["size: 4tier"], "instruction_attributes": ["high quality", "beauty salon"], "instruction_options": ["4tier"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HVMBPU", "worker_id": "A2HMEGTAFO0CS8"}], "B07X1YS8D7": [{"asin": "B07X1YS8D7", "instruction": "looking for long lasting string curtain window choose colour yellow", "attributes": ["long lasting", "exquisite workmanship"], "options": ["color: yellow"], "instruction_attributes": ["long lasting"], "instruction_options": ["yellow"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V6ZU25", "worker_id": "A10OGH5CQBXL5N"}], "B09LTSRLBX": [{"asin": "B09LTSRLBX", "instruction": "i need 2 pieces anti aging ice face roller gua sha", "attributes": ["anti aging", "long lasting", "green tea", "fine lines"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZK48OA", "worker_id": "A1IL2K0ELYI090"}], "B08XZ7N4NL": [{"asin": "B08XZ7N4NL", "instruction": "i would like some eco friendly nail cleaning brushes.", "attributes": ["eco friendly", "non slip", "dead skin"], "options": [""], "instruction_attributes": ["eco friendly"], "instruction_options": [], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP841Z7G", "worker_id": "A1WS884SI0SLO4"}], "B09HZYGRM9": [{"asin": "B09HZYGRM9", "instruction": "i'm looking for a digital power amplifier board that's high performance and has stereo sound.", "attributes": ["power amplifier", "high performance", "stereo sound"], "options": [""], "instruction_attributes": ["power amplifier", "high performance", "stereo sound"], "instruction_options": [], "assignment_id": "37UQDCYH685SGQI5NW68G99TKT07VT", "worker_id": "AR9AU5FY1S3RO"}], "B0918MVYBC": [{"asin": "B0918MVYBC", "instruction": "i'm looking for a mini pc intel core desktop computer which supports with windows 11.", "attributes": ["intel core", "core i5", "quad core"], "options": ["size: i5-10210u 16gb ddr4 +512g nvme ssd+wifi6"], "instruction_attributes": ["intel core"], "instruction_options": ["i5-10210u 16gb ddr4 +512g nvme ssd+wifi6"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI3C2DB1", "worker_id": "A21IUUHBSEVB56"}], "B09MLY7B9D": [{"asin": "B09MLY7B9D", "instruction": "i would like a pair of small purple jogging pants that are for the gym.", "attributes": ["fleece lined", "drawstring closure", "elastic waist", "polyester spandex", "gym workout"], "options": ["color: purple", "size: small"], "instruction_attributes": ["gym workout"], "instruction_options": ["purple", "small"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZ2KNCI", "worker_id": "A1WS884SI0SLO4"}], "B09JSWXSBZ": [{"asin": "B09JSWXSBZ", "instruction": "i would like a living room poster that is 16 by 20 inches", "attributes": ["dining room", "living room"], "options": ["color: 052 cow", "size: 16x20 inch"], "instruction_attributes": ["living room"], "instruction_options": ["16x20 inch"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WBFOUP", "worker_id": "A2ECRNQ3X5LEXD"}], "B075G3RJDZ": [{"asin": "B075G3RJDZ", "instruction": "i want lubriderm fragrance free body lotion for dry skin", "attributes": ["fragrance free", "clinically proven", "dry skin"], "options": [""], "instruction_attributes": ["fragrance free", "dry skin"], "instruction_options": [], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU9I9A1", "worker_id": "A1V2C99HEV3F14"}], "B09MNHMGJK": [{"asin": "B09MNHMGJK", "instruction": "i need a pink dust-proof cover for my fire stick tv remote.", "attributes": ["non slip", "dust proof"], "options": ["color: pink"], "instruction_attributes": ["dust proof"], "instruction_options": ["pink"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E23753A", "worker_id": "AR9AU5FY1S3RO"}], "B09PPF15NX": [{"asin": "B09PPF15NX", "instruction": "i would like a high speed wireless charging station for my iphone.", "attributes": ["compatible apple", "fast charging", "high speed", "wireless charging"], "options": [""], "instruction_attributes": ["compatible apple", "high speed", "wireless charging"], "instruction_options": [], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH3WH65", "worker_id": "A1WS884SI0SLO4"}], "B0873WY5YG": [{"asin": "B0873WY5YG", "instruction": "i would like a sky blue 12 inch throw pillow for my living room.", "attributes": ["machine washable", "exquisite workmanship", "living room"], "options": ["color: sky blue", "size: 12 inch (pack of 1)"], "instruction_attributes": ["living room"], "instruction_options": ["sky blue", "12 inch (pack of 1)"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8HQR53", "worker_id": "A1WS884SI0SLO4"}], "B09NNV93GR": [{"asin": "B09NNV93GR", "instruction": "i am looking for a body brush for dead skin.", "attributes": ["double sided", "long handle", "dead skin"], "options": ["color: blue"], "instruction_attributes": ["dead skin"], "instruction_options": ["blue"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7ZZ5PM", "worker_id": "A2ECRNQ3X5LEXD"}], "B07D7N4QB8": [{"asin": "B07D7N4QB8", "instruction": "i would like to buy a white colored easy to assemble book case for my living room.", "attributes": ["assembly required", "easy clean", "easy assemble", "exquisite workmanship", "storage space"], "options": ["color: white", "size: 5-shelf(33\"w*11.6\"d*59.8\"h)"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC6WNIA", "worker_id": "AHXHM1PQTRWIQ"}], "B09NX3SMLB": [{"asin": "B09NX3SMLB", "instruction": "i'm looking for computer accessories its easy to use it can install at any", "attributes": ["dual band", "high definition"], "options": [""], "instruction_attributes": ["dual band", "high definition"], "instruction_options": [], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HGHI65", "worker_id": "A16IQOX0DK14OJ"}], "B09RHVVMJM": [{"asin": "B09RHVVMJM", "instruction": "i'm looking for groceries for great gift and gift basket.", "attributes": ["great gift", "gift basket"], "options": [""], "instruction_attributes": ["great gift", "gift basket"], "instruction_options": [], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOF2NOC", "worker_id": "A16IQOX0DK14OJ"}], "B0888H96Q8": [{"asin": "B0888H96Q8", "instruction": "i would like a slim fit black tank that is in a medium", "attributes": ["machine washable", "slim fit", "cotton spandex", "polyester cotton"], "options": ["color: e-black", "size: medium"], "instruction_attributes": ["slim fit"], "instruction_options": ["e-black", "medium"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4PDPKA", "worker_id": "A2ECRNQ3X5LEXD"}], "B081FWD6Q3": [{"asin": "B081FWD6Q3", "instruction": "i need some vanity lights that are brushed nickel", "attributes": ["brushed nickel", "nickel finish", "vanity light"], "options": ["color: brushed nickel", "size: 3 light chandelier"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["brushed nickel"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KRQLJP", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PFGVTGM": [{"asin": "B09PFGVTGM", "instruction": "order for me a black marvel men\u2019s t shirt that is made of cotton heather.", "attributes": ["officially licensed", "wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: black", "fit type: men", "size: x-small"], "instruction_attributes": ["cotton heather"], "instruction_options": ["black", "men"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYFS82O", "worker_id": "AHU9OLV0YKIIW"}], "B09QC7GZZC": [{"asin": "B09QC7GZZC", "instruction": "i am looking for pink color electric tooth brush which is easy to use", "attributes": ["easy use", "fresh breath"], "options": ["color: pink"], "instruction_attributes": ["easy use"], "instruction_options": ["pink"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRS9QUE8", "worker_id": "A16M39T60N60NO"}], "B09LHKTXH2": [{"asin": "B09LHKTXH2", "instruction": "i am looking for a 47 piece farm animal cake topper set for a birthday cake, we are having a birthday party.", "attributes": ["birthday cake", "party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake", "party supplies", "birthday party"], "instruction_options": [], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3UEZ9H", "worker_id": "A2KW17G25L25R8"}], "B06VSXQXPX": [{"asin": "B06VSXQXPX", "instruction": "i would like a blue mk desk and chair that is height adjustable.", "attributes": ["height adjustable", "lead free"], "options": ["color: blue desk only", "size: mk desk + chair"], "instruction_attributes": ["height adjustable"], "instruction_options": ["blue desk only", "mk desk + chair"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V6U2U8", "worker_id": "A1WS884SI0SLO4"}], "B08HJ9X29W": [{"asin": "B08HJ9X29W", "instruction": "i want a twin size box spring bed for kids color black", "attributes": ["twin size", "box spring"], "options": ["color: black"], "instruction_attributes": ["twin size", "box spring"], "instruction_options": ["black"], "assignment_id": "37TRT2X24116R7L1JO45INKV8WSJBE", "worker_id": "A3N9ZYQAESNFQH"}], "B09KQ6TQY5": [{"asin": "B09KQ6TQY5", "instruction": "i want plant based gluten free protein serving burgers & patties size ;5- pack", "attributes": ["plant based", "protein serving", "gluten free"], "options": ["size: 5 - pack"], "instruction_attributes": ["plant based", "protein serving", "gluten free"], "instruction_options": ["5 - pack"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJOQW0M", "worker_id": "A3N9ZYQAESNFQH"}], "B08VND52S2": [{"asin": "B08VND52S2", "instruction": "i would like a floor lamp for my living room.", "attributes": ["glass shade", "contemporary style", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907UYAUZ", "worker_id": "A1WS884SI0SLO4"}], "B08BJVJG1S": [{"asin": "B08BJVJG1S", "instruction": "i'm looking for men hair removal cream.", "attributes": ["easy use", "hair removal", "sensitive skin"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH3FH6O", "worker_id": "ARQ05PDNXPFDI"}], "B0945BPCZL": [{"asin": "B0945BPCZL", "instruction": "i am looking for variety pack sparkling water that is soy and gluten free.", "attributes": ["soy free", "gluten free", "natural ingredients", "natural flavors"], "options": ["flavor name: variety pack", "size: 12 fl oz (pack of 12)"], "instruction_attributes": ["soy free", "gluten free"], "instruction_options": ["variety pack"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z198K12", "worker_id": "A1Q8PPQQCWGY0D"}], "B08F5MXVYL": [{"asin": "B08F5MXVYL", "instruction": "i need to buy a sky blue fire tablet for a child. it should have a 1080p screen and a blue tooth keyboard.", "attributes": ["1080p hd", "usb port"], "options": ["color: sky blue", "style: with kids bluetooth keyboard"], "instruction_attributes": ["1080p hd"], "instruction_options": ["sky blue", "with kids bluetooth keyboard"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66SOZFO", "worker_id": "AR9AU5FY1S3RO"}], "B09NNXGRHX": [{"asin": "B09NNXGRHX", "instruction": "i would like a medium sized black women's top with long sleeves.", "attributes": ["long sleeve", "short sleeve", "cotton spandex", "teen girls"], "options": ["color: z91-black", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["z91-black", "medium"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WX61AW", "worker_id": "A1WS884SI0SLO4"}], "B08P7MN5VS": [{"asin": "B08P7MN5VS", "instruction": "i am looking for an easy to assemble bunk bed full over twin trundle would like gray in color.", "attributes": ["twin size", "heavy duty", "space saving", "easy assemble", "box spring", "solid wood"], "options": ["color: white", "size: twin with headboard trundle"], "instruction_attributes": ["easy assemble", "solid wood"], "instruction_options": ["twin with headboard trundle"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7Y5URA", "worker_id": "A2KW17G25L25R8"}], "B07VL8Z6V9": [{"asin": "B07VL8Z6V9", "instruction": "i'm looking for a pendant light with brushed nickel finish. choose the ones in antique gold color.", "attributes": ["pendant light", "nickel finish", "brushed nickel", "dining room", "living room"], "options": ["color: antique gold"], "instruction_attributes": ["pendant light", "nickel finish", "brushed nickel"], "instruction_options": ["antique gold"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7X1YTZS", "worker_id": "A3MNXK3VDK37SN"}], "B09GJZZDQP": [{"asin": "B09GJZZDQP", "instruction": "i want silver and noise cancelling earbuds.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: white-silver"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["white-silver"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79L9QKC", "worker_id": "A2RBF3IIJP15IH"}], "B0932PMPM2": [{"asin": "B0932PMPM2", "instruction": "i need four mid century green chairs", "attributes": ["height adjustable", "mid century", "metal legs"], "options": ["color: 26\" green", "size: 4 chairs"], "instruction_attributes": ["mid century"], "instruction_options": ["26\" green", "4 chairs"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVINP1F", "worker_id": "A2ECRNQ3X5LEXD"}], "B00WR97BC2": [{"asin": "B00WR97BC2", "instruction": "i would like a yellow 6\" around area rug that is easy to clean.", "attributes": ["spot clean", "easy clean"], "options": ["color: yellow", "size: 6' round"], "instruction_attributes": ["easy clean"], "instruction_options": ["yellow", "6' round"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDUVQZ7", "worker_id": "A1WS884SI0SLO4"}], "B08HGQ484X": [{"asin": "B08HGQ484X", "instruction": "i am looking for steel frame night stand with white finish", "attributes": ["assembly required", "steel frame", "white finish"], "options": ["color: white | gray"], "instruction_attributes": ["steel frame", "white finish"], "instruction_options": ["white | gray"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS4PVUB", "worker_id": "A16M39T60N60NO"}], "B08JCFL127": [{"asin": "B08JCFL127", "instruction": "i would like a cookies gift basket.", "attributes": ["ready eat", "individually wrapped", "gift basket", "perfect gift", "gift set"], "options": ["style: cookies, vanilla halva,cream crackers, orino sesame pasteli"], "instruction_attributes": ["gift basket"], "instruction_options": ["cookies, vanilla halva,cream crackers, orino sesame pasteli"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N23ZG6L", "worker_id": "A1WS884SI0SLO4"}], "B0837SDRNN": [{"asin": "B0837SDRNN", "instruction": "i need an easy to assemble coat rack.", "attributes": ["easy assemble", "storage space"], "options": [""], "instruction_attributes": ["easy assemble"], "instruction_options": [], "assignment_id": "326O153BMT8RVOXTJJKKGXV369YDEK", "worker_id": "AR9AU5FY1S3RO"}], "B09J53L7VT": [{"asin": "B09J53L7VT", "instruction": "i would like a 9 card slots zipper dark green phone flip case cover.", "attributes": ["hands free", "case cover"], "options": ["color: 9 card slots zipper dark green"], "instruction_attributes": ["case cover"], "instruction_options": ["9 card slots zipper dark green"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841CHAXT", "worker_id": "A1WS884SI0SLO4"}], "B0999KX9M6": [{"asin": "B0999KX9M6", "instruction": "can i get an open toe eduavar flat casual sandals for women, size 6.5-7", "attributes": ["open toe", "knee high", "non slip", "memory foam", "high heel", "closed toe", "arch support"], "options": ["color: z2-brown", "size: 6.5-7"], "instruction_attributes": ["open toe"], "instruction_options": ["6.5-7"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7X1GTZA", "worker_id": "A1IL2K0ELYI090"}], "B01FUI7H4I": [{"asin": "B01FUI7H4I", "instruction": "i would like a 400 lb bulk bag of certified organic gluten free oatmeal.", "attributes": ["gluten free", "protein serving", "certified organic"], "options": ["size: 400 ounce (pack of 1)", "style: bulk bag"], "instruction_attributes": ["gluten free", "certified organic"], "instruction_options": ["400 ounce (pack of 1)", "bulk bag"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMKNJ1H", "worker_id": "A1WS884SI0SLO4"}], "B00LX0HPV8": [{"asin": "B00LX0HPV8", "instruction": "i am looking for long sleeve shirt in smoke grey", "attributes": ["polyester cotton", "long sleeve"], "options": ["color: smoke grey", "size: x-large short"], "instruction_attributes": ["long sleeve"], "instruction_options": ["smoke grey"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMR6WMC", "worker_id": "A2MSIFDLOHI1UT"}], "B09H7D62DM": [{"asin": "B09H7D62DM", "instruction": "i am looking for a fully cooked chicken & turkey", "attributes": ["fully cooked", "0g trans"], "options": [""], "instruction_attributes": ["fully cooked"], "instruction_options": [], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2U5M5O", "worker_id": "A9QRQL9CFJBI7"}], "B07TL67TQ7": [{"asin": "B07TL67TQ7", "instruction": "i am looking for an olive machine washable t shirt for youth that is in a xx-large", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: olive", "fit type: youth", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["olive", "youth", "xx-large"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSL12QG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08CV5HKHD": [{"asin": "B08CV5HKHD", "instruction": "i need a black tank top that is classic fit.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: men", "size: xx-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["black"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOFEATT", "worker_id": "A15ERD4HOFEPHM"}], "B08V1J8S36": [{"asin": "B08V1J8S36", "instruction": "i'm looking for a small straight leg women athletic yoga shorts.", "attributes": ["hand wash", "straight leg", "machine wash", "elastic waistband", "cotton spandex"], "options": ["color: 5\"light grey", "size: small"], "instruction_attributes": ["straight leg"], "instruction_options": ["small"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI773ZG2", "worker_id": "ARQ05PDNXPFDI"}], "B07C9HG46D": [{"asin": "B07C9HG46D", "instruction": "i'm looking for high heels shoes for women men it is easy to wear.", "attributes": ["leather sole", "rubber sole"], "options": ["color: navy suede", "size: 14"], "instruction_attributes": ["leather sole"], "instruction_options": ["navy suede"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1HP08D", "worker_id": "A16IQOX0DK14OJ"}], "B00I47QQ9U": [{"asin": "B00I47QQ9U", "instruction": "i am looking for a citron scent deodorant that is non toxic and cruelty free.", "attributes": ["non toxic", "cruelty free"], "options": ["scent: citron", "size: 2 x 2 fl oz"], "instruction_attributes": ["non toxic", "cruelty free"], "instruction_options": ["citron"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACTPNHP", "worker_id": "A1Q8PPQQCWGY0D"}], "B081TX8J78": [{"asin": "B081TX8J78", "instruction": "i need my large dress by machine wash", "attributes": ["machine wash", "dry clean"], "options": ["color: 1109 grey", "size: large"], "instruction_attributes": ["machine wash"], "instruction_options": ["large"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXOQZ2B", "worker_id": "A226L9F2AZ38CL"}], "B0842NKZ44": [{"asin": "B0842NKZ44", "instruction": "i need a heavy duty, height adjustable office chair in pink color", "attributes": ["height adjustable", "high density", "heavy duty", "lumbar support"], "options": ["color: pink"], "instruction_attributes": ["height adjustable", "heavy duty"], "instruction_options": ["pink"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21P7FQE", "worker_id": "ASWFLI3N8X72G"}], "B09LH2827W": [{"asin": "B09LH2827W", "instruction": "i want a easy install roller sades window tretment size w45*h56 in color pastel blue", "attributes": ["easy install", "living room"], "options": ["color: 07.pastel_blue", "size: w45 x h56 (inch)"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["07.pastel_blue", "w45 x h56 (inch)"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7ZZP56", "worker_id": "A3N9ZYQAESNFQH"}], "B07L6Y8C6Q": [{"asin": "B07L6Y8C6Q", "instruction": "i would like a forest green wireless bluetooth speaker.", "attributes": ["carrying case", "wireless bluetooth"], "options": ["color: forest green"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["forest green"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCQRBME", "worker_id": "A1WS884SI0SLO4"}], "B07RTJ5ZLR": [{"asin": "B07RTJ5ZLR", "instruction": "i would like a 24 inch black barstool that is fully assembled.", "attributes": ["fully assembled", "heavy duty", "space saving"], "options": ["color: black", "size: 24 inch"], "instruction_attributes": ["fully assembled"], "instruction_options": ["black", "24 inch"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1CA9UD", "worker_id": "A1WS884SI0SLO4"}], "B01CQD0DC8": [{"asin": "B01CQD0DC8", "instruction": "i would like a high performance label printer.", "attributes": ["light weight", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDP15KT", "worker_id": "A1WS884SI0SLO4"}], "B07NXW1VQP": [{"asin": "B07NXW1VQP", "instruction": "get me a machine washable men's classic fit star wars t-shirt in medium size and royal blue color.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: royal blue", "fit type: men", "size: medium"], "instruction_attributes": ["machine wash", "classic fit", "star wars"], "instruction_options": ["royal blue", "men", "medium"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4FZL86", "worker_id": "A3AYHESLQSDY5T"}], "B003Q4TPAI": [{"asin": "B003Q4TPAI", "instruction": "i'm looking for usda organic and gluten free chai tea that is caffeine and sugar free and also has natural ingredients. it also should be matcha latte flavor.", "attributes": ["caffeine free", "usda organic", "sugar free", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: matcha latte", "size: 20 count (pack of 6)"], "instruction_attributes": ["caffeine free", "usda organic", "sugar free", "gluten free", "natural ingredients"], "instruction_options": ["matcha latte", "20 count (pack of 6)"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0WZ5WE", "worker_id": "A34EHWOYRBL6OZ"}], "B00RWV58J8": [{"asin": "B00RWV58J8", "instruction": "look for butter pasta noodles with no artificial flavors.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: butter pasta", "size: 4.2 ounce (pack of 1)"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["butter pasta"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VT1MXK", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B00RWV58J8", "instruction": "i am looking for an easy to prepare thai sweet chili lo mein flavored pasta.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: thai sweet chili lo mein", "size: 4.3 ounce (pack of 1)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["thai sweet chili lo mein"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLZTDR4", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00RWV58J8", "instruction": "i am looking for knorr pasta sides cheddar broccoli that is easy to prepare and in a 12 pack of the butter and herb flavor.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: butter & herb", "size: pack of 12"], "instruction_attributes": ["easy prepare"], "instruction_options": ["butter & herb"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5Y1W3QR", "worker_id": "AK3JMCIGU8MLU"}], "B084DF85Q2": [{"asin": "B084DF85Q2", "instruction": "i need some perfume that is long lasting and smells like a rainy day", "attributes": ["design house", "long lasting", "fine mist"], "options": ["scent: rain day"], "instruction_attributes": ["long lasting"], "instruction_options": ["rain day"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WZIF7J", "worker_id": "A2ECRNQ3X5LEXD"}], "B07FZYHJGT": [{"asin": "B07FZYHJGT", "instruction": "i am looking for snow boots rubber sole in 6-blue", "attributes": ["water resistant", "long lasting", "light weight", "non slip", "rubber sole", "faux fur"], "options": ["color: 6-blue", "size: 6"], "instruction_attributes": ["rubber sole"], "instruction_options": ["6-blue"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3OHLZM", "worker_id": "A2MSIFDLOHI1UT"}], "B07Z8QGSHR": [{"asin": "B07Z8QGSHR", "instruction": "i'm looking for a womens large lightweight jacket that has soft material and faux fur it should also be red plaid colored.", "attributes": ["winter warm", "soft material", "faux fur"], "options": ["color: p-red plaid", "size: large"], "instruction_attributes": ["soft material", "faux fur"], "instruction_options": ["p-red plaid", "large"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NPFP2C", "worker_id": "A34EHWOYRBL6OZ"}], "B081MCMXSN": [{"asin": "B081MCMXSN", "instruction": "i am looking for a new balance men's sneaker for daily comfort.", "attributes": ["day comfort", "synthetic sole", "rubber outsole"], "options": ["color: lead | workwear | angora", "size: 18 wide"], "instruction_attributes": ["day comfort"], "instruction_options": ["18 wide"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWE1NFG", "worker_id": "A2KW17G25L25R8"}], "B07RZP1S1R": [{"asin": "B07RZP1S1R", "instruction": "i'm looking for a royal blue star wars t-shirt in a youth size double x large. it needs to be machine washable.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: royal blue", "fit type: youth", "size: xx-large"], "instruction_attributes": ["machine wash", "star wars"], "instruction_options": ["royal blue", "youth", "xx-large"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1ORITF", "worker_id": "AR9AU5FY1S3RO"}], "B07P2YQDS3": [{"asin": "B07P2YQDS3", "instruction": "i am looking for 450 mocha color face makeup that is oil free.", "attributes": ["oil free", "fragrance free", "long lasting"], "options": ["color: 450 mocha"], "instruction_attributes": ["oil free"], "instruction_options": ["450 mocha"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMXIASO", "worker_id": "A1Q8PPQQCWGY0D"}], "B09M6NL5F7": [{"asin": "B09M6NL5F7", "instruction": "i would like a pair of wireless bluetooth earbud headphones.", "attributes": ["hands free", "easy use", "stereo sound", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWT1H97F", "worker_id": "A1WS884SI0SLO4"}], "B07MV5B2XB": [{"asin": "B07MV5B2XB", "instruction": "i need a single light brown hair inch extension that's twenty inches long and made from synthetic fibers.", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: light golden brown", "size: 20 inch (pack of 1)"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["light golden brown", "20 inch (pack of 1)"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGQ8YIJ", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B07MV5B2XB", "instruction": "i would like a 18 inch wig that is made of natural blonde synthetic hair.", "attributes": ["hair extensions", "synthetic hair", "dry hair"], "options": ["color: natural blonde", "size: 18 inch (pack of 1)"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["natural blonde", "18 inch (pack of 1)"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3YHQ78", "worker_id": "A1WS884SI0SLO4"}], "B096NGXFM5": [{"asin": "B096NGXFM5", "instruction": "i am looking for vintage style pendant light for a living room", "attributes": ["pendant light", "dining room", "living room"], "options": ["size: a style"], "instruction_attributes": ["pendant light", "living room"], "instruction_options": ["a style"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V6Y2UC", "worker_id": "A16M39T60N60NO"}], "B0792QVCH8": [{"asin": "B0792QVCH8", "instruction": "i'm looking for some antiperspirant for sensitive skin.", "attributes": ["anti perspirant", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": [], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZZ1ZJN", "worker_id": "AR9AU5FY1S3RO"}], "B095YJJ79K": [{"asin": "B095YJJ79K", "instruction": "i am looking for some grey anti slip flats that are 8.5 in size.", "attributes": ["anti slip", "rubber sole"], "options": ["color: 7006-211 grey flats", "size: 8.5"], "instruction_attributes": ["anti slip"], "instruction_options": ["7006-211 grey flats", "8.5"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA932OZ3K", "worker_id": "A2ECRNQ3X5LEXD"}], "B085NW4CKC": [{"asin": "B085NW4CKC", "instruction": "looking for heavy duty wooden frame barstools also choose colour brown", "attributes": ["heavy duty", "faux leather", "wood frame"], "options": ["color: brown", "pattern name: bar stools + bench 19 inch"], "instruction_attributes": ["heavy duty", "wood frame"], "instruction_options": ["brown"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35PSUGC", "worker_id": "A10OGH5CQBXL5N"}], "B000GW67G8": [{"asin": "B000GW67G8", "instruction": "i need to buy some fat free jerky. make it sweet & hot.", "attributes": ["fat free", "high protein"], "options": ["flavor name: sweet & hot", "size: 3.25 ounce (pack of 4)"], "instruction_attributes": ["fat free"], "instruction_options": ["sweet & hot"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3MSRYH", "worker_id": "A15ERD4HOFEPHM"}], "B09BJL1232": [{"asin": "B09BJL1232", "instruction": "i would like a black heavy duty hair cutting kit.", "attributes": ["heavy duty", "easy carry", "hair cutting"], "options": ["size: black"], "instruction_attributes": ["heavy duty", "hair cutting"], "instruction_options": ["black"], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YGZZ551", "worker_id": "A1WS884SI0SLO4"}], "B078Z6T13T": [{"asin": "B078Z6T13T", "instruction": "i am looking for a cargo pant made up of polyester cotton which is washable in machine. also choose coyote brown color and 36w x 32l size.", "attributes": ["machine wash", "cotton spandex", "polyester cotton", "elastic waistband"], "options": ["color: coyote brown", "size: 36w x 32l"], "instruction_attributes": ["machine wash", "polyester cotton"], "instruction_options": ["coyote brown", "36w x 32l"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTR74V3", "worker_id": "A2HMEGTAFO0CS8"}], "B094ZQ4WXZ": [{"asin": "B094ZQ4WXZ", "instruction": "i need some easy to install cellular shades that have beige-light filtering and are a size 61\"w by 72\"h", "attributes": ["easy install", "living room"], "options": ["color: beige-light filtering", "size: 61\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["beige-light filtering", "61\"w x 72\"h"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1OKTIJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07T8PZWQT": [{"asin": "B07T8PZWQT", "instruction": "i need some size ten and a half clogs with arch support and a rubber sole. find them in black.", "attributes": ["day comfort", "arch support", "rubber outsole", "rubber sole"], "options": ["color: black", "size: 10.5"], "instruction_attributes": ["arch support", "rubber sole"], "instruction_options": ["black", "10.5"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDQFHR8", "worker_id": "AR9AU5FY1S3RO"}], "B073SYSBTG": [{"asin": "B073SYSBTG", "instruction": "i am looking for petrol blue. coastal themed drapes that are machine washable.", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: petrol blue", "size: 55\" x 39\""], "instruction_attributes": ["machine washable"], "instruction_options": ["petrol blue"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK9EVN3", "worker_id": "AK3JMCIGU8MLU"}], "B07PXNPMVL": [{"asin": "B07PXNPMVL", "instruction": "i'm looking for nickel finish is for ceiling fan its living room.", "attributes": ["brushed nickel", "nickel finish", "vanity light", "clear glass"], "options": ["color: gold", "size: 6\"w x 6\"d x 13\"h"], "instruction_attributes": ["nickel finish"], "instruction_options": ["gold"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7QROBR", "worker_id": "A16IQOX0DK14OJ"}], "B07MF241KR": [{"asin": "B07MF241KR", "instruction": "i'm looking for low rise in skinny leg in women's", "attributes": ["low rise", "hand wash", "imported zipper", "relaxed fit"], "options": ["color: exgm set sail", "size: 34w x 34l"], "instruction_attributes": ["low rise"], "instruction_options": ["exgm set sail"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OU3POA", "worker_id": "A16IQOX0DK14OJ"}], "B0828QN4TX": [{"asin": "B0828QN4TX", "instruction": "im looking for a synthetic hair ponytail extension in the color ginger brown.", "attributes": ["easy use", "high quality", "synthetic hair"], "options": ["color: ginger brown", "size: 3 pcs"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["ginger brown"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2P2NYO", "worker_id": "AK3JMCIGU8MLU"}], "B09984L72W": [{"asin": "B09984L72W", "instruction": "i would like two lights gold wall mounted vanity light.", "attributes": ["wall mounted", "vanity light", "light fixture", "clear glass", "glass shade", "living room"], "options": ["color: 2 lights gold"], "instruction_attributes": ["wall mounted", "vanity light"], "instruction_options": ["2 lights gold"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H6L8UG", "worker_id": "A1WS884SI0SLO4"}], "B078PL897H": [{"asin": "B078PL897H", "instruction": "i need a box spring california king mattress", "attributes": ["ready use", "fully assembled", "assembly required", "box spring", "king size"], "options": ["size: california king", "style name: 4\" foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["california king"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R7GYTS", "worker_id": "A2ECRNQ3X5LEXD"}], "B01JAXJ5DA": [{"asin": "B01JAXJ5DA", "instruction": "i need to buy some moisturizer that's good for fine lines and has anti-aging properties. find some that's paraben free and cruelty free. it should contain natural ingredients.", "attributes": ["anti aging", "paraben free", "cruelty free", "natural ingredients", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "paraben free", "cruelty free", "natural ingredients", "fine lines"], "instruction_options": [], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTQXV4I", "worker_id": "AR9AU5FY1S3RO"}], "B08Y79GX45": [{"asin": "B08Y79GX45", "instruction": "i'm looking for a night fishing wall art picasso for living room in size 31\"x24\"", "attributes": ["ready hang", "living room"], "options": ["color: night fishing", "size: 31\"w x 24\"h"], "instruction_attributes": ["living room"], "instruction_options": ["night fishing", "31\"w x 24\"h"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1DFGY8", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B08Y79GX45", "instruction": "i would like a 47\"w x 31\"h joie de vivre poster for my living room.", "attributes": ["ready hang", "living room"], "options": ["color: joie-de-vivre", "size: 47\"w x 31\"h"], "instruction_attributes": ["living room"], "instruction_options": ["joie-de-vivre", "47\"w x 31\"h"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI70TQYI", "worker_id": "A1WS884SI0SLO4"}], "B07V5J4494": [{"asin": "B07V5J4494", "instruction": "i am looking for hd quad core 10.1\" android tablet with 16gb storage capacity and alexa enabled charging dock", "attributes": ["hands free", "quad core"], "options": ["pattern name: tablet + laptop sleeve", "size: 2gb | 16gb", "style: m10"], "instruction_attributes": ["quad core"], "instruction_options": ["2gb | 16gb"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKTESG3", "worker_id": "A258PTOZ3D2TQR"}], "B093KPKTBG": [{"asin": "B093KPKTBG", "instruction": "im looking for 1 small and 1 medium mesh laundry bags made specifically for underwear and lingerie.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "39O5D9O8742EGYBIU38DD09OUKWC3S", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B093KPKTBG", "instruction": "i want a set of 2 mesh laundry bags with day of the dead skull designs.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YUIT8I", "worker_id": "A2RBF3IIJP15IH"}], "B09HXCP5GT": [{"asin": "B09HXCP5GT", "instruction": "i'm looking for vanity light for laundry room.", "attributes": ["easy assemble", "glass shade", "vanity light", "light fixture"], "options": ["size: 5 lights"], "instruction_attributes": ["glass shade", "vanity light", "light fixture"], "instruction_options": ["5 lights"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KG0PDH", "worker_id": "A16IQOX0DK14OJ"}], "B08DGRFVPH": [{"asin": "B08DGRFVPH", "instruction": "i need a space saving white full sized bed", "attributes": ["space saving", "white item", "storage space", "box spring"], "options": ["color: white", "size: full", "style: headboard - bookcase"], "instruction_attributes": ["space saving"], "instruction_options": ["white", "full"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRM0AW3H", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RQW3PTY": [{"asin": "B07RQW3PTY", "instruction": "i'm looking for an officially licensed captain marvel tank top in heather grey. i need a size medium.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather grey", "fit type: women", "size: medium"], "instruction_attributes": ["officially licensed"], "instruction_options": ["heather grey", "women", "medium"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXSA8WAJ", "worker_id": "AR9AU5FY1S3RO"}], "B093CVDS6G": [{"asin": "B093CVDS6G", "instruction": "i'm looking for a chair for hair salons in color b.", "attributes": ["hair salon", "beauty salon", "hair cutting"], "options": ["color: b"], "instruction_attributes": ["hair salon"], "instruction_options": ["b"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALCEH48", "worker_id": "A3MNXK3VDK37SN"}], "B08863WYVL": [{"asin": "B08863WYVL", "instruction": "i'm looking for a pair of knee high rubber soled boots in coffee colored microfiber. i need them in a size six.", "attributes": ["knee high", "slip resistant", "anti slip", "rubber sole", "high heel"], "options": ["color: coffee pu_microfiber", "size: 6"], "instruction_attributes": ["knee high", "rubber sole"], "instruction_options": ["coffee pu_microfiber", "6"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XB1RFJ", "worker_id": "AR9AU5FY1S3RO"}], "B002SVNCJK": [{"asin": "B002SVNCJK", "instruction": "i am looking for two pack size shampoo that are good for my hair growth.", "attributes": ["hair growth", "hair loss"], "options": ["size: two pack"], "instruction_attributes": ["hair growth"], "instruction_options": ["two pack"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQGC197", "worker_id": "A1Q8PPQQCWGY0D"}], "B0828D3MMZ": [{"asin": "B0828D3MMZ", "instruction": "i'm looking for a organizer for aaa batteries", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB16BLU6", "worker_id": "A2Y2TURT2VEYZN"}], "B09JV9NH3M": [{"asin": "B09JV9NH3M", "instruction": "i am looking for white cheddar flavor cheese powder that is gluten free.", "attributes": ["gluten free", "nut free"], "options": ["flavor name: white cheddar", "size: 1.5 pound (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["white cheddar"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YZ5Q3J", "worker_id": "A1Q8PPQQCWGY0D"}], "B09SLFSY95": [{"asin": "B09SLFSY95", "instruction": "i would like a high quality shower cap.", "attributes": ["easy carry", "high quality", "hair salon"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR7Y6Y6G", "worker_id": "A1WS884SI0SLO4"}], "B09JL35FSR": [{"asin": "B09JL35FSR", "instruction": "i need a high quality storage case compatible for my infinitipro. please select the extra small oval brush", "attributes": ["high quality", "storage case", "hair styling"], "options": ["style: attachment: extra small oval brush"], "instruction_attributes": ["high quality", "storage case"], "instruction_options": [], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN2YTPE", "worker_id": "A2COCSUGZV28X"}], "B01FGG0BRO": [{"asin": "B01FGG0BRO", "instruction": "i'm looking for kitchen rugs for kitchen its very clean and contemporary design.", "attributes": ["easy clean", "contemporary design"], "options": ["color: purple | beige", "size: runner 2' 7 x 10' 0"], "instruction_attributes": ["easy clean", "contemporary design"], "instruction_options": ["purple | beige"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GF0UZF", "worker_id": "A16IQOX0DK14OJ"}], "B08134QHQS": [{"asin": "B08134QHQS", "instruction": "i would like a hair cutting kit with stainless steel sheers.", "attributes": ["stainless steel", "hair cutting", "dry hair"], "options": [""], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y0VJ52", "worker_id": "A1WS884SI0SLO4"}], "B09JCM6HP8": [{"asin": "B09JCM6HP8", "instruction": "find me a knee high anti slip open toe ankle booties in black color and size 6.5.", "attributes": ["knee high", "anti slip", "open toe", "steel toe", "rubber sole"], "options": ["color: black", "size: 6.5"], "instruction_attributes": ["knee high", "anti slip", "open toe"], "instruction_options": ["black", "6.5"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JDMFSX", "worker_id": "A3AYHESLQSDY5T"}], "B09FFV4CQJ": [{"asin": "B09FFV4CQJ", "instruction": "i looking for 8 oz resealable bag in 4 oz", "attributes": ["resealable bag", "great gift", "baby shower", "birthday party"], "options": ["size: 4 oz"], "instruction_attributes": ["resealable bag"], "instruction_options": ["4 oz"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN2QPT2", "worker_id": "A16M39T60N60NO"}], "B0798LFCHQ": [{"asin": "B0798LFCHQ", "instruction": "i am looking for gmo free peanut butter.size should be 2.65 ounce and pack of 48.", "attributes": ["gmo free", "ready eat", "non gmo"], "options": ["flavor name: vanilla", "size: 2.65 ounce (pack of 48)"], "instruction_attributes": ["gmo free"], "instruction_options": ["2.65 ounce (pack of 48)"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOFGLLA", "worker_id": "A3FG5PQHG5AH3Y"}], "B09RMVQC2S": [{"asin": "B09RMVQC2S", "instruction": "i would like a s blue toothbrush for sensitive teeth.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: blue", "size: s"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["blue", "s"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1GPXR8", "worker_id": "A1WS884SI0SLO4"}], "B07ZW2WP2S": [{"asin": "B07ZW2WP2S", "instruction": "i am looking for fluoride free toothpaste that is made with coconut oil", "attributes": ["fluoride free", "coconut oil"], "options": [""], "instruction_attributes": ["fluoride free", "coconut oil"], "instruction_options": [], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9AC8N8", "worker_id": "A2COCSUGZV28X"}], "B08S7KZVFX": [{"asin": "B08S7KZVFX", "instruction": "i would like a 16 ounce ultra gold sugar free energy drink,", "attributes": ["sugar free", "zero sugar"], "options": ["flavor name: ultra gold", "size: 16 ounce (pack of 24)"], "instruction_attributes": ["sugar free"], "instruction_options": ["ultra gold", "16 ounce (pack of 24)"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TUMMPQ", "worker_id": "A1WS884SI0SLO4"}], "B00LYD49OU": [{"asin": "B00LYD49OU", "instruction": "i am looking for chocolate covered cakes of size 1 pound.", "attributes": ["chocolate covered", "great gift"], "options": ["flavor: homestead box", "size: 1 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["1 pound"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WTG24V", "worker_id": "A1Q8PPQQCWGY0D"}], "B07ZWJP934": [{"asin": "B07ZWJP934", "instruction": "i'm looking for some sulfate free, paraben free conditioner with argan oil for dry hair.", "attributes": ["sulfate free", "paraben free", "argan oil", "hair extensions", "dry hair", "hair loss"], "options": [""], "instruction_attributes": ["sulfate free", "paraben free", "argan oil", "dry hair"], "instruction_options": [], "assignment_id": "3VW04L3ZL4GEZUTR5OBOYTJ22XMXXG", "worker_id": "AR9AU5FY1S3RO"}], "B09CM83LD6": [{"asin": "B09CM83LD6", "instruction": "i'm looking for a two in one multifunctional led wall lamp.", "attributes": ["wall mounted", "living room"], "options": ["color: black-1pcs", "number of items: 1"], "instruction_attributes": ["wall mounted"], "instruction_options": ["black-1pcs"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WTW24B", "worker_id": "A21IUUHBSEVB56"}], "B07YBGFM6S": [{"asin": "B07YBGFM6S", "instruction": "fully cooked shredded chicken taco kit", "attributes": ["fully cooked", "gluten free"], "options": [""], "instruction_attributes": ["fully cooked"], "instruction_options": [], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KGXPDE", "worker_id": "A10OGH5CQBXL5N"}], "B08ZCMJ9J1": [{"asin": "B08ZCMJ9J1", "instruction": "i am looking for a plant based lip balm that is effective for dry lips", "attributes": ["plant based", "animal testing", "paraben free", "cruelty free", "green tea", "seed oil", "argan oil"], "options": ["color: 04 sunset garden (tinted)"], "instruction_attributes": ["plant based"], "instruction_options": ["04 sunset garden (tinted)"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XUCGNL", "worker_id": "A2COCSUGZV28X"}], "B08FT5KP1M": [{"asin": "B08FT5KP1M", "instruction": "i am looking for signal antenna booster stickers that are easy to carry and install.", "attributes": ["easy carry", "easy install"], "options": [""], "instruction_attributes": ["easy carry", "easy install"], "instruction_options": [], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNUIFJQ", "worker_id": "A1Q8PPQQCWGY0D"}], "B00L1ISK48": [{"asin": "B00L1ISK48", "instruction": "i am looking for brushed nickel in amber", "attributes": ["brushed nickel", "glass shade"], "options": ["color: amber | brushed nickel", "style: ws72led"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["amber | brushed nickel"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TOKN3V", "worker_id": "A2MSIFDLOHI1UT"}], "B09CKX151Z": [{"asin": "B09CKX151Z", "instruction": "i'm looking for something that is easily cleaned.", "attributes": ["easy clean", "dry hair"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFQAE9Z", "worker_id": "A2JP9IKRHNLRPI"}], "B08H5SPHMQ": [{"asin": "B08H5SPHMQ", "instruction": "i want a tea tree conditioner that is sulfate and paraben free. pick a pack of 2 containing 6 ounce.", "attributes": ["sulfate free", "paraben free", "tea tree"], "options": ["scent: orchid & white truffle", "size: 6 ounce (pack of 2)"], "instruction_attributes": ["sulfate free", "paraben free", "tea tree"], "instruction_options": ["6 ounce (pack of 2)"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPMNNJQ", "worker_id": "A1NF6PELRKACS9"}], "B081W1D8H7": [{"asin": "B081W1D8H7", "instruction": "i'm looking for a pack of high quality hair extensions that are 20 inches long. can you pick the silver one.", "attributes": ["high quality", "hair extensions"], "options": ["color: #1b | silver | 1b", "size: 20 inch (pack of 1)"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["#1b | silver | 1b", "20 inch (pack of 1)"], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q7KII7", "worker_id": "A3LIIE572Z4OG7"}], "B00CQ7ZAK0": [{"asin": "B00CQ7ZAK0", "instruction": "i would like a conditioner that is made with all natural ingredients.", "attributes": ["natural ingredients", "dry hair"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOSMYVY", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FJFHRYF": [{"asin": "B09FJFHRYF", "instruction": "i would like a gray toiletry bag that is water resistant.", "attributes": ["water resistant", "easy clean", "storage case"], "options": ["color: gray"], "instruction_attributes": ["water resistant"], "instruction_options": ["gray"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WBAOUK", "worker_id": "A1WS884SI0SLO4"}], "B0754DL6N6": [{"asin": "B0754DL6N6", "instruction": "i'm looking for a size 30\" x 20\" king size pillow case.", "attributes": ["super soft", "machine washable", "king size"], "options": ["color: brown black", "size: 30\" x 20\""], "instruction_attributes": ["king size"], "instruction_options": ["30\" x 20\""], "assignment_id": "369J354OFOKQUTE5FR2UAU6N232G6O", "worker_id": "ARQ05PDNXPFDI"}], "B08Q256HCX": [{"asin": "B08Q256HCX", "instruction": "look for a 120 count box of denture cleaning tablets that are easy to use.", "attributes": ["easy use", "bad breath"], "options": ["size: 120 count (pack of 1)"], "instruction_attributes": ["easy use"], "instruction_options": ["120 count (pack of 1)"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZSWSH5", "worker_id": "AR9AU5FY1S3RO"}], "B07PH1WPZ7": [{"asin": "B07PH1WPZ7", "instruction": "i am looking for brown color medium size star wars men's t-shirt. the cloth must be classic fit and needle sleeve.", "attributes": ["officially licensed", "needle sleeve", "classic fit", "star wars"], "options": ["color: brown", "fit type: men", "size: medium"], "instruction_attributes": ["needle sleeve", "classic fit", "star wars"], "instruction_options": ["brown", "men", "medium"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP1BXTA", "worker_id": "A3R8PQCD99H61E"}], "B08PB2MNHY": [{"asin": "B08PB2MNHY", "instruction": "i am searching for a gold color smart watch bands compatible for apple and any one of the sizes 38mm | 40mm | 41mm", "attributes": ["compatible apple", "easy install"], "options": ["color: black red gold", "size: 38mm | 40mm | 41mm-l"], "instruction_attributes": ["compatible apple"], "instruction_options": ["black red gold", "38mm | 40mm | 41mm-l"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUMLZVL", "worker_id": "A258PTOZ3D2TQR"}], "B09NMR2494": [{"asin": "B09NMR2494", "instruction": "i'm looking for a gift basket of cookies which i believe will be a perfect gift for my wife.", "attributes": ["individually wrapped", "perfect gift", "gift basket"], "options": [""], "instruction_attributes": ["perfect gift", "gift basket"], "instruction_options": [], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT9H736", "worker_id": "A1Q0EUNCS50S8M"}], "B0841QLKFN": [{"asin": "B0841QLKFN", "instruction": "i would like a women's vesper perfume in a travel size bottle.", "attributes": ["alcohol free", "travel size"], "options": ["color: vesper \u2640\u2642", "style: women"], "instruction_attributes": ["travel size"], "instruction_options": ["vesper \u2640\u2642", "women"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZVQ043", "worker_id": "A1WS884SI0SLO4"}], "B092MKGSW3": [{"asin": "B092MKGSW3", "instruction": "i'm looking for a size 7 non slip hedgehog running shoes", "attributes": ["non slip", "rubber sole", "unique design"], "options": ["color: anime 05b", "size: 7"], "instruction_attributes": ["non slip"], "instruction_options": ["anime 05b", "7"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJUVBXI", "worker_id": "A2Y2TURT2VEYZN"}], "B09T3BRHBY": [{"asin": "B09T3BRHBY", "instruction": "i want a stainless steel ronyme camera tripod screw.", "attributes": ["quick release", "stainless steel"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMXWSAK", "worker_id": "A2RBF3IIJP15IH"}], "B07ZYSXHX4": [{"asin": "B07ZYSXHX4", "instruction": "i'm looking for a pair of size six high heels with a rubber sole. look for them in black.", "attributes": ["high heel", "rubber sole"], "options": ["color: black-standard pump", "size: 6"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["black-standard pump", "6"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP6S7J7", "worker_id": "AR9AU5FY1S3RO"}], "B083FK5F3G": [{"asin": "B083FK5F3G", "instruction": "i would like a deepgold automobile charger that is fast wireless charging.", "attributes": ["fast charging", "wireless charging"], "options": ["color: deepgold"], "instruction_attributes": ["fast charging", "wireless charging"], "instruction_options": ["deepgold"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG3H549", "worker_id": "A1WS884SI0SLO4"}], "B00AXJA2V0": [{"asin": "B00AXJA2V0", "instruction": "i will love to have the fragrance free almay smart shade mousse makeup with deep color.", "attributes": ["dermatologist tested", "fragrance free"], "options": ["color: deep"], "instruction_attributes": ["fragrance free"], "instruction_options": ["deep"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVUZX91", "worker_id": "A1IL2K0ELYI090"}], "B08PTRVDB5": [{"asin": "B08PTRVDB5", "instruction": "i want a easy to use soundbar with stereo sound.", "attributes": ["plug play", "hands free", "easy use", "high definition", "stereo sound"], "options": [""], "instruction_attributes": ["easy use", "stereo sound"], "instruction_options": [], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRU1BZN", "worker_id": "AVIEE6LDH0BT5"}], "B09BYSRP2V": [{"asin": "B09BYSRP2V", "instruction": "i need to buy a chair for my living room with a solid wood frame and lumbar support. it should have brown fabric.", "attributes": ["lumbar support", "faux leather", "wood frame", "solid wood", "living room"], "options": ["color: cognac brown", "style: fabric"], "instruction_attributes": ["lumbar support", "wood frame", "solid wood", "living room"], "instruction_options": ["cognac brown", "fabric"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1FQXC6", "worker_id": "AR9AU5FY1S3RO"}], "B08BND9C5J": [{"asin": "B08BND9C5J", "instruction": "i am looking for pink running shoes that have a rubber sole and are in a size 14", "attributes": ["lace closure", "rubber sole"], "options": ["color: oxygen blue | pink", "size: 14"], "instruction_attributes": ["rubber sole"], "instruction_options": ["oxygen blue | pink", "14"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYQZN7T", "worker_id": "A2ECRNQ3X5LEXD"}], "B08JJWK856": [{"asin": "B08JJWK856", "instruction": "i am looking for an antioxidant mix of mixed nuts that are non gmo and come in a pack of 15.", "attributes": ["artificial ingredients", "plant based", "non gmo", "protein serving", "gluten free"], "options": ["flavor name: antioxidant mix", "size: 1 ounce (pack of 15)"], "instruction_attributes": ["non gmo"], "instruction_options": ["antioxidant mix", "1 ounce (pack of 15)"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJWLVGM", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08JJWK856", "instruction": "i am looking for some gluten free honey roasted mixed nuts.", "attributes": ["artificial ingredients", "plant based", "non gmo", "protein serving", "gluten free"], "options": ["flavor name: honey roasted mixed nuts", "size: 1 ounce (pack of 8)"], "instruction_attributes": ["gluten free"], "instruction_options": ["honey roasted mixed nuts"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOH7NOL", "worker_id": "A1EREKSZAA9V7B"}], "B08CGXY2XQ": [{"asin": "B08CGXY2XQ", "instruction": "i am looking for a high definition tempered glass screen protector.", "attributes": ["high definition", "tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["high definition", "tempered glass"], "instruction_options": [], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4MI98Z", "worker_id": "A1EREKSZAA9V7B"}], "B07KW3HQLX": [{"asin": "B07KW3HQLX", "instruction": "i am looking for brown color classic fit t-shirt.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: brown", "fit type: men", "size: small"], "instruction_attributes": ["classic fit"], "instruction_options": ["brown"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH155DWH9", "worker_id": "A1Q8PPQQCWGY0D"}], "B0854DBKRB": [{"asin": "B0854DBKRB", "instruction": "i am looking for women's golf skorts of medium size with elastic waistband.", "attributes": ["moisture wicking", "elastic waistband"], "options": ["color: light purple", "size: medium"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["medium"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I36S1C", "worker_id": "A1Q8PPQQCWGY0D"}], "B09NNM44JW": [{"asin": "B09NNM44JW", "instruction": "get me leak proof and easy to carry pump dispenser bottle for nail polish and make up removing.", "attributes": ["leak proof", "easy carry", "nail polish"], "options": [""], "instruction_attributes": ["leak proof", "easy carry", "nail polish"], "instruction_options": [], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM70HZ3", "worker_id": "A3AYHESLQSDY5T"}], "B00RM5NPAS": [{"asin": "B00RM5NPAS", "instruction": "i am looking for some gluten free yellow dog sweet shake flavored gourmet spice blends.", "attributes": ["gluten free", "great gift"], "options": ["flavor name: yellow dog sweet shake", "size: 4.25 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["yellow dog sweet shake"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVQO17V", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00RM5NPAS", "instruction": "gluten-free spice seasonings", "attributes": ["gluten free", "great gift"], "options": ["flavor name: jammin\u2019 salmon rub", "size: 7.75 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3V26SBZTBOOS9KTL7ONUSZFOIZ8ZZ6", "worker_id": "A3TTGSUBIK1YCL"}, {"asin": "B00RM5NPAS", "instruction": "i'm looking for gourmet spice blends and shake.", "attributes": ["gluten free", "great gift"], "options": ["flavor name: jammin\u2019 salmon rub", "size: 3.5 ounce (pack of 1)"], "instruction_attributes": ["great gift"], "instruction_options": ["3.5 ounce (pack of 1)"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAGAIF0", "worker_id": "A21IUUHBSEVB56"}], "B084RRBLJ2": [{"asin": "B084RRBLJ2", "instruction": "i am looking for a argan oil hair color. also choose chrome - 3oz one.", "attributes": ["argan oil", "permanent hair"], "options": ["color: chrome - 3oz"], "instruction_attributes": ["argan oil"], "instruction_options": ["chrome - 3oz"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WTV42C", "worker_id": "A2HMEGTAFO0CS8"}], "B09P2R22LF": [{"asin": "B09P2R22LF", "instruction": "i am looking for high quality hair care center to exten my hair without hair loss. hair extensions must be body wave and 5x5 lace closure .", "attributes": ["high quality", "hair loss"], "options": ["color: body wave 5x5 lace closure", "size: 18\" 18\" 18\""], "instruction_attributes": ["high quality", "hair loss"], "instruction_options": ["body wave 5x5 lace closure"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRUAZBK", "worker_id": "A3R8PQCD99H61E"}, {"asin": "B09P2R22LF", "instruction": "i need some high quality 12 inch extensions", "attributes": ["high quality", "hair loss"], "options": ["color: body wave 13x4 frontal", "size: 12 inch"], "instruction_attributes": ["high quality"], "instruction_options": ["12 inch"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7LY5NS", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09P2R22LF", "instruction": "i need to buy high quality hair extensions. look for them in the pineapple color.", "attributes": ["high quality", "hair loss"], "options": ["color: pineapple deep wave", "size: 26 26 26"], "instruction_attributes": ["high quality"], "instruction_options": ["pineapple deep wave"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMOOWMO", "worker_id": "AR9AU5FY1S3RO"}], "B00KSMJZD8": [{"asin": "B00KSMJZD8", "instruction": "i am looking for outdoor speakers of 300w and with powerful bass.", "attributes": ["power amplifier", "high performance"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZO3Y1X", "worker_id": "A21IUUHBSEVB56"}], "B081SGNY71": [{"asin": "B081SGNY71", "instruction": "i need fluoide free toothpaste for fresh breath.", "attributes": ["animal testing", "fluoride free", "fresh breath"], "options": [""], "instruction_attributes": ["fluoride free", "fresh breath"], "instruction_options": [], "assignment_id": "33PPO7FEC6P3BTZFF2AB1CTVY27ID0", "worker_id": "ASWFLI3N8X72G"}], "B07H6V8Q75": [{"asin": "B07H6V8Q75", "instruction": "i would like a 2xl navy grey shirt i can wash in a machine.", "attributes": ["machine wash", "wash cold", "button closure", "gym workout", "tumble dry", "daily wear"], "options": ["color: navy grey", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy grey", "xx-large"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP5H7JU", "worker_id": "A1WS884SI0SLO4"}], "B01MG9KT77": [{"asin": "B01MG9KT77", "instruction": "i need 18 inch hair extensions", "attributes": ["hair extensions", "natural hair"], "options": ["color: #12-613", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["18 inch"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLJL2FF", "worker_id": "A2ECRNQ3X5LEXD"}], "B096GZ2VPR": [{"asin": "B096GZ2VPR", "instruction": "i would like a vanilla 3.5 oz cupcake soy wax candle.", "attributes": ["lead free", "soy wax"], "options": ["scent: vanilla cupcake", "size: 3.5 oz (silver colored lid)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC57OKRK", "worker_id": "A1WS884SI0SLO4"}], "B09MTYXSBM": [{"asin": "B09MTYXSBM", "instruction": "i am in need of some high quality toothbrushes that are blue for ages 2-6", "attributes": ["travel size", "high quality"], "options": ["color: blue", "size: aged 2-6"], "instruction_attributes": ["high quality"], "instruction_options": ["blue", "aged 2-6"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT3RP3Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B097JLBD2M": [{"asin": "B097JLBD2M", "instruction": "i am looking for 8 cupcake toppers that are black for teen girls", "attributes": ["open toe", "ankle strap", "lace closure", "memory foam", "teen girls"], "options": ["color: z-bo-black", "size: 8"], "instruction_attributes": ["teen girls"], "instruction_options": ["z-bo-black", "8"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX7WFAI", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GV5Y88D": [{"asin": "B09GV5Y88D", "instruction": "i need some high quality stainless steel hair cutting shears that are six inches long.", "attributes": ["high quality", "non slip", "stainless steel", "hair cutting"], "options": ["color: 6inch cutting"], "instruction_attributes": ["high quality", "stainless steel", "hair cutting"], "instruction_options": ["6inch cutting"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKF2889", "worker_id": "AR9AU5FY1S3RO"}], "B08DQX3HXF": [{"asin": "B08DQX3HXF", "instruction": "i am looking to buy a black throw blanket that is 80 in x 60 in for my living room.", "attributes": ["super soft", "living room"], "options": ["color: black11", "size: 80 in x 60 in"], "instruction_attributes": ["living room"], "instruction_options": ["black11", "80 in x 60 in"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH155OHW5", "worker_id": "A114NK7T5673GK"}], "B099LLV3WN": [{"asin": "B099LLV3WN", "instruction": "where can i find this special sauce? please help me .keto barbecue bbq sauce by yo mama's foods. carefully read all the features i need on the label. low carb, low sugar, gluten free, non gmo, classic pizza sauce flavor. if you can't find it let me know soon.", "attributes": ["low carb", "low sugar", "gluten free", "dairy free", "non gmo", "natural ingredients"], "options": ["flavor name: classic pizza sauce", "size: 12.5 ounce (pack of 1)"], "instruction_attributes": ["low carb", "low sugar", "gluten free", "non gmo"], "instruction_options": ["classic pizza sauce"], "assignment_id": "37TRT2X24116R7L1JO45INKV8WFJB1", "worker_id": "A15IJ20C3R4HUO"}], "B00WJY5QA4": [{"asin": "B00WJY5QA4", "instruction": "i need a remote control with aaa betteries", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFIDMV1", "worker_id": "A2Y2TURT2VEYZN"}], "B07MTMZC83": [{"asin": "B07MTMZC83", "instruction": "i would like a tan faux leather armchair.", "attributes": ["contemporary style", "faux leather"], "options": ["color: tan", "size: armchair"], "instruction_attributes": ["faux leather"], "instruction_options": ["tan", "armchair"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTLZ4D2", "worker_id": "A1WS884SI0SLO4"}], "B093FVJ8Z6": [{"asin": "B093FVJ8Z6", "instruction": "i am looking for a dome cameras batteries included", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQH4HHY", "worker_id": "A9QRQL9CFJBI7"}], "B08T1VSSL5": [{"asin": "B08T1VSSL5", "instruction": "i need a purple tie-dyed dresser with a steel frame.", "attributes": ["assembly required", "steel frame", "living room"], "options": ["color: tie-dye purple"], "instruction_attributes": ["steel frame"], "instruction_options": ["tie-dye purple"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QS6XOY", "worker_id": "AR9AU5FY1S3RO"}], "B07CZ7BGGT": [{"asin": "B07CZ7BGGT", "instruction": "i'm looking for perfect men's trail running.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: red", "size: 7.5 m uk"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["7.5 m uk"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XTONG2", "worker_id": "A21IUUHBSEVB56"}], "B095YYL9GJ": [{"asin": "B095YYL9GJ", "instruction": "i would like a blue cupcake topper for a birthday party.", "attributes": ["birthday party", "cupcake picks"], "options": ["color: blue"], "instruction_attributes": ["birthday party"], "instruction_options": ["blue"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPJRVQE", "worker_id": "A1WS884SI0SLO4"}], "B08HH7VTSL": [{"asin": "B08HH7VTSL", "instruction": "add to my cart polo red men by ralph lauren edt spray and should have a long lasting scent.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["design house", "long lasting"], "instruction_options": [], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH3U6HS", "worker_id": "AHU9OLV0YKIIW"}], "B09LR9LHPG": [{"asin": "B09LR9LHPG", "instruction": "i am looking for a sulfate free shampoo set that is 13.5 fl oz", "attributes": ["sulfate free", "cruelty free", "plant based", "paraben free", "coconut oil"], "options": ["size: 13.5 fl oz", "style: shampoo only"], "instruction_attributes": ["sulfate free"], "instruction_options": ["13.5 fl oz"], "assignment_id": "31JLPPHS254FPN8LK8H48035JYN3OO", "worker_id": "A2ECRNQ3X5LEXD"}], "B00FHXH5LC": [{"asin": "B00FHXH5LC", "instruction": "i'm looking for an easy to clean coffee table for my living room. i want one that's in a modern style with natural wood.", "attributes": ["easy clean", "white finish", "living room"], "options": ["color: natural", "style: modern"], "instruction_attributes": ["easy clean", "living room"], "instruction_options": ["natural", "modern"], "assignment_id": "31JLPPHS254FPN8LK8H48035JYEO30", "worker_id": "AR9AU5FY1S3RO"}], "B09SXQJ94X": [{"asin": "B09SXQJ94X", "instruction": "i looking a high power telescope for bird watching with smartphone adapter and tripod", "attributes": ["non slip", "high power", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA9G2SZ", "worker_id": "A3N9ZYQAESNFQH"}], "B09QHL1LDY": [{"asin": "B09QHL1LDY", "instruction": "i'm looking for a 5 pieces metal decorative loops for apple watch series 7/6/5/4/3/2/1 band silicon strap.", "attributes": ["compatible apple", "long lasting", "stainless steel"], "options": ["color: # x"], "instruction_attributes": ["stainless steel"], "instruction_options": ["# x"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4DDRQG", "worker_id": "A21IUUHBSEVB56"}], "B09S8MFC3R": [{"asin": "B09S8MFC3R", "instruction": "i'm looking for 8.5 wide open toe women sandals.", "attributes": ["open toe", "ankle strap", "closed toe"], "options": ["color: v75 - black", "size: 8.5 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["8.5 wide"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAUCN9CN", "worker_id": "ARQ05PDNXPFDI"}], "B005FO8MFG": [{"asin": "B005FO8MFG", "instruction": "i'm looking for a camellia seed oil conditioner, fragance free", "attributes": ["fragrance free", "oil free", "seed oil", "hair treatment", "dry hair"], "options": [""], "instruction_attributes": ["fragrance free", "seed oil"], "instruction_options": [], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA9N2S6", "worker_id": "A2Y2TURT2VEYZN"}], "B08X2QWP6M": [{"asin": "B08X2QWP6M", "instruction": "i would like some peanut butter cookies that are ready to eat.", "attributes": ["ready eat", "simple ingredients", "high fructose"], "options": ["flavor name: peanut butter"], "instruction_attributes": ["ready eat"], "instruction_options": ["peanut butter"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FIZEL0", "worker_id": "A1WS884SI0SLO4"}], "B08C73M2QH": [{"asin": "B08C73M2QH", "instruction": "i would like a bath brush for dead and dry skin.", "attributes": ["high quality", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["dry skin", "dead skin"], "instruction_options": [], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYG8280", "worker_id": "A1WS884SI0SLO4"}], "B0836KS1QC": [{"asin": "B0836KS1QC", "instruction": "i am looking for a mid century metal floor lamp with a brushed nickel finish.", "attributes": ["mid century", "bronze finish"], "options": ["color: brushed nickel", "size: 28.75 inch"], "instruction_attributes": ["mid century"], "instruction_options": ["brushed nickel"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SYOUDG", "worker_id": "A1EREKSZAA9V7B"}], "B0758K4MPX": [{"asin": "B0758K4MPX", "instruction": "i need a 1.7 ounce perfume set that is long lasting.", "attributes": ["design house", "long lasting"], "options": ["size: 1.7 ounce"], "instruction_attributes": ["long lasting"], "instruction_options": ["1.7 ounce"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L5JVC4", "worker_id": "A1NF6PELRKACS9"}], "B098THDLMD": [{"asin": "B098THDLMD", "instruction": "i need a stainless steel pedicure tool to remove dead skin and i would like an 8 piece black set if possible.", "attributes": ["high quality", "long lasting", "stainless steel", "dead skin"], "options": ["color: 8pcs-black"], "instruction_attributes": ["stainless steel", "dead skin"], "instruction_options": ["8pcs-black"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFIQVMN", "worker_id": "AJQGWGESKQT4Y"}], "B09QT1YBXB": [{"asin": "B09QT1YBXB", "instruction": "i would like an xx-large black long sleeve shirt for daily casual wear, thanks", "attributes": ["daily casual", "slim fit", "lace closure", "relaxed fit", "button closure", "long sleeve", "dry clean"], "options": ["color: black", "size: xx-large"], "instruction_attributes": ["daily casual", "long sleeve"], "instruction_options": ["black", "xx-large"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MPRFOA", "worker_id": "A2TRV8SEM003GG"}], "B06Y3Z56DR": [{"asin": "B06Y3Z56DR", "instruction": "i would like a 2.4 ounce bottle of deodorant that is made from natural ingredients.", "attributes": ["long lasting", "plant based", "natural ingredients", "sensitive skin"], "options": ["size: 2.4 ounce (pack of 3)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["2.4 ounce (pack of 3)"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPBCDQK", "worker_id": "A1WS884SI0SLO4"}], "B09N72QX3Z": [{"asin": "B09N72QX3Z", "instruction": "i would like a 4g lte tablet with a high resolution.", "attributes": ["long lasting", "high resolution", "high performance", "easy use", "glass screen", "4g lte"], "options": [""], "instruction_attributes": ["high resolution", "4g lte"], "instruction_options": [], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LL55IB", "worker_id": "A1WS884SI0SLO4"}], "B08SR3JNGT": [{"asin": "B08SR3JNGT", "instruction": "i'm looking for a pair of running shorts made out of polyester spandex with an elastic waistband. i want them in red, size small.", "attributes": ["hand wash", "polyester spandex", "elastic closure", "elastic waistband"], "options": ["color: red", "size: small"], "instruction_attributes": ["polyester spandex", "elastic waistband"], "instruction_options": ["red", "small"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRUXZB7", "worker_id": "AR9AU5FY1S3RO"}], "B09NBZ4LFC": [{"asin": "B09NBZ4LFC", "instruction": "i am looking for wireless bluetooth speakers in the color a.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: a"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["a"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HGDOHY4", "worker_id": "A2ECRNQ3X5LEXD"}], "B077JJ6Q3G": [{"asin": "B077JJ6Q3G", "instruction": "i would like a twin size blue bunk bed.", "attributes": ["twin size", "space saving"], "options": ["color: blue", "size: twin"], "instruction_attributes": ["twin size"], "instruction_options": ["blue", "twin"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G79374H", "worker_id": "A1WS884SI0SLO4"}], "B09J81RMLD": [{"asin": "B09J81RMLD", "instruction": "i am looking for teeth whitening toothbrush in green bear size", "attributes": ["teeth whitening", "easy use"], "options": ["color: b01#green bear", "size: aged 6-12"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["b01#green bear"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG9BLSB", "worker_id": "A16M39T60N60NO"}], "B07Q98YNYF": [{"asin": "B07Q98YNYF", "instruction": "i am looking for some noise cancelling earbud headphones", "attributes": ["noise cancelling", "long lasting", "hands free", "easy carry", "wireless bluetooth"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LATERV", "worker_id": "A2ECRNQ3X5LEXD"}], "B074524C3Y": [{"asin": "B074524C3Y", "instruction": "i'm looking for sheer window curtains that are machine washable and 55 in x 108 in. also, they should be mint color.", "attributes": ["machine washable", "white item"], "options": ["color: mint", "size: 55 in x 108 in"], "instruction_attributes": ["machine washable"], "instruction_options": ["mint", "55 in x 108 in"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJOL0WL", "worker_id": "A34EHWOYRBL6OZ"}], "B094SLNNGD": [{"asin": "B094SLNNGD", "instruction": "i am looking for cruelty free lip balm having 3pk warm flavors scent .", "attributes": ["cruelty free", "coconut oil", "natural ingredients"], "options": ["scent: 3pk warm flavors"], "instruction_attributes": ["cruelty free"], "instruction_options": ["3pk warm flavors"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRWEPWY", "worker_id": "A1Q8PPQQCWGY0D"}], "B099PBZ3WK": [{"asin": "B099PBZ3WK", "instruction": "i'm looking for portable android tablet with dual speaker.", "attributes": ["high definition", "quad core"], "options": ["color: golden"], "instruction_attributes": ["high definition"], "instruction_options": ["golden"], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YNAAGS", "worker_id": "A21IUUHBSEVB56"}], "B09J7NJ2LN": [{"asin": "B09J7NJ2LN", "instruction": "i am looking for a loose fit blue top that is a small.", "attributes": ["loose fit", "hand wash", "long sleeve", "short sleeve", "tumble dry", "daily wear"], "options": ["color: gtp1 - zi7-blue", "size: small"], "instruction_attributes": ["loose fit"], "instruction_options": ["gtp1 - zi7-blue", "small"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEXJUUO", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NV7S8M3": [{"asin": "B07NV7S8M3", "instruction": "i would like a 10 by 8 foot photo backdrop that is light weight and easy to carry.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 10x8ft"], "instruction_attributes": ["light weight", "easy carry"], "instruction_options": ["10x8ft"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LL8I5R", "worker_id": "A1WS884SI0SLO4"}], "B0849Q9FGM": [{"asin": "B0849Q9FGM", "instruction": "i am looking for an intel core all in one pc.", "attributes": ["intel core", "quad core"], "options": [""], "instruction_attributes": ["intel core"], "instruction_options": [], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OUEPOL", "worker_id": "A2ECRNQ3X5LEXD"}], "B000QSOC4Q": [{"asin": "B000QSOC4Q", "instruction": "i need some coconut milk that is rich and creamy", "attributes": ["rich creamy", "non gmo"], "options": [""], "instruction_attributes": ["rich creamy"], "instruction_options": [], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJK9OLI", "worker_id": "A2ECRNQ3X5LEXD"}], "B0986W42KJ": [{"asin": "B0986W42KJ", "instruction": "i am looking for dust proof monoculars having high definition.", "attributes": ["dust proof", "high definition", "bird watching"], "options": [""], "instruction_attributes": ["dust proof"], "instruction_options": [], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTVCWXI", "worker_id": "A1Q8PPQQCWGY0D"}], "B07T75MQTL": [{"asin": "B07T75MQTL", "instruction": "i want glitter crown cupcake picks.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["cupcake picks"], "instruction_options": [], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQFD6SH", "worker_id": "A2RBF3IIJP15IH"}], "B081QXQNVQ": [{"asin": "B081QXQNVQ", "instruction": "i am looking for a tv stand and console that has storage shelves. i choose the sargent oak color for for my 55\" tv", "attributes": ["tempered glass", "storage space"], "options": ["color: sargent oak", "style name: 50\" kenton w | fireplace"], "instruction_attributes": ["tempered glass"], "instruction_options": ["sargent oak", "50\" kenton w | fireplace"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK24AMKNJ", "worker_id": "A2COCSUGZV28X"}], "B09B7B6ZZB": [{"asin": "B09B7B6ZZB", "instruction": "i am looking for a heel booties pump with leather sole . also choose black color and size no 9.", "attributes": ["leather sole", "rubber sole"], "options": ["color: black", "size: 9"], "instruction_attributes": ["leather sole"], "instruction_options": ["black", "9"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMR6XE2", "worker_id": "A2HMEGTAFO0CS8"}], "B07M754CQY": [{"asin": "B07M754CQY", "instruction": "i am looking a light brown natural hair extention 20 inch long", "attributes": ["natural hair", "hair loss"], "options": ["color: #60", "size: 20 inch"], "instruction_attributes": ["natural hair"], "instruction_options": ["20 inch"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647C73HY", "worker_id": "A3N9ZYQAESNFQH"}], "B013ILQ0IS": [{"asin": "B013ILQ0IS", "instruction": "i would like a navy medium short scrub bottoms with a relaxed fit.", "attributes": ["easy care", "machine wash", "relaxed fit", "stretch fabric", "imported zipper", "polyester spandex", "tumble dry"], "options": ["color: navy", "size: medium short"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["navy", "medium short"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68HJ4AF", "worker_id": "A1WS884SI0SLO4"}], "B08S3BPLWX": [{"asin": "B08S3BPLWX", "instruction": "i want grey color lumbar support, pu leather swivel adjustable executive chair with flip-up arms", "attributes": ["heavy duty", "easy install", "pu leather", "lumbar support"], "options": ["color: grey"], "instruction_attributes": ["pu leather", "lumbar support"], "instruction_options": ["grey"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUF6ZDB", "worker_id": "A1V2C99HEV3F14"}], "B09P8GG6JY": [{"asin": "B09P8GG6JY", "instruction": "i'm looking for a toothpaste for teeth whitening", "attributes": ["teeth whitening", "natural ingredients"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2AUY7L", "worker_id": "A2Y2TURT2VEYZN"}], "B083FLHGP5": [{"asin": "B083FLHGP5", "instruction": "i am looking for yellow color hoodies for daily wear.", "attributes": ["daily casual", "daily wear"], "options": ["color: yellow", "size: x-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["yellow"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE3ZJTB", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PH7CTCH": [{"asin": "B09PH7CTCH", "instruction": "i'm looking for a bath brush in beige with a long handle.", "attributes": ["high quality", "long handle"], "options": ["color: beige"], "instruction_attributes": ["long handle"], "instruction_options": ["beige"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HGJ6IV", "worker_id": "AR9AU5FY1S3RO"}], "B07CK3LTB2": [{"asin": "B07CK3LTB2", "instruction": "i would like a pair of size 10 bronze sneakers with a rubber sole.", "attributes": ["arch support", "rubber sole"], "options": ["color: bronze", "size: 10"], "instruction_attributes": ["rubber sole"], "instruction_options": ["bronze", "10"], "assignment_id": "37TRT2X24116R7L1JO45INKV8WBBJP", "worker_id": "A1WS884SI0SLO4"}], "B09N8PRHNG": [{"asin": "B09N8PRHNG", "instruction": "looking for long sleeve and loose fit sweatshirt for women also choose colour gray", "attributes": ["loose fit", "winter warm", "long sleeve", "elastic closure", "everyday wear"], "options": ["color: gray", "size: xx-large"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["gray"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1OQITE", "worker_id": "A10OGH5CQBXL5N"}], "B07GB9MX2J": [{"asin": "B07GB9MX2J", "instruction": "i am looking for french vanilla flavor syrup that is sugar free.", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: french vanilla", "size: 25.4 fl oz (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["french vanilla"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1CUU9I", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B07GB9MX2J", "instruction": "hello, may you direct me to a pack of black cherry syrup? natural is preferable please", "attributes": ["sugar free", "natural flavors"], "options": ["flavor name: toasted marshmallow", "size: 3 pound (pack of 1)"], "instruction_attributes": ["natural flavors"], "instruction_options": ["3 pound (pack of 1)"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQOC312", "worker_id": "A2TRV8SEM003GG"}], "B079K45PSB": [{"asin": "B079K45PSB", "instruction": "i need heeled sandals that have a rubber sole and are a size 6.5 with silver glitter on them", "attributes": ["long lasting", "non slip", "ankle strap", "high heel", "rubber sole"], "options": ["color: silver glitter", "size: 6.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["silver glitter", "6.5"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBUCGIX", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GSTVLNZ": [{"asin": "B08GSTVLNZ", "instruction": "i want a gift box of assorted fresh gourmet nuts and dried fruits.", "attributes": ["perfect gift", "gift basket"], "options": ["style: assorted nuts & fruit bags"], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39F1ZCI", "worker_id": "A1V2C99HEV3F14"}], "B0777LZTTG": [{"asin": "B0777LZTTG", "instruction": "i need some machine washable curtains for my kitchen in white or black.", "attributes": ["machine washable", "printing technology"], "options": ["color: white black"], "instruction_attributes": ["machine washable"], "instruction_options": ["white black"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HRDOWB", "worker_id": "AR9AU5FY1S3RO"}], "B01LVZZQY8": [{"asin": "B01LVZZQY8", "instruction": "i'm looking for a perfect waterproof eyeshadow stick with bronze shimmer", "attributes": ["highly pigmented", "sensitive skin"], "options": ["color: 04 blush pink metallic"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["04 blush pink metallic"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4PYPKV", "worker_id": "A21IUUHBSEVB56"}], "B085CF2ZHB": [{"asin": "B085CF2ZHB", "instruction": "looking for samsung galaxy a11 red brushed tpu case cover also choose non slip quality", "attributes": ["non slip", "carbon fiber", "case cover"], "options": ["color: samsung galaxy a11 red brushed tpu case"], "instruction_attributes": ["non slip", "case cover"], "instruction_options": ["samsung galaxy a11 red brushed tpu case"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINV072E", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B085CF2ZHB", "instruction": "i am looking for a case cover for my samsung galaxy a11", "attributes": ["non slip", "carbon fiber", "case cover"], "options": ["color: samsung galaxy a11 gray brushed tpu case"], "instruction_attributes": ["case cover"], "instruction_options": ["samsung galaxy a11 gray brushed tpu case"], "assignment_id": "3S4AW7T80MSS1YOS7U6VQORH2U0L4Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B09J2CMY2R": [{"asin": "B09J2CMY2R", "instruction": "i need some binoculars for bird watching", "attributes": ["non slip", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4DTRQW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GFPY5Q5": [{"asin": "B07GFPY5Q5", "instruction": "i'm looking for a spa gift set that's good for dry skin and hasn't been tested on animals.", "attributes": ["animal testing", "dry skin"], "options": [""], "instruction_attributes": ["animal testing", "dry skin"], "instruction_options": [], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOF2LLW", "worker_id": "AR9AU5FY1S3RO"}], "B0916HVCC8": [{"asin": "B0916HVCC8", "instruction": "i am looking for earbud headphones in noise cancelling", "attributes": ["noise cancelling", "easy use"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH3EH6N", "worker_id": "A2MSIFDLOHI1UT"}], "B08Y6R25N5": [{"asin": "B08Y6R25N5", "instruction": "i would like a 6.6 foot long gold plated fiber optic cable.", "attributes": ["gold plated", "high resolution"], "options": ["size: 6.6ft | 2m"], "instruction_attributes": ["gold plated"], "instruction_options": ["6.6ft | 2m"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKDPNE1", "worker_id": "A1WS884SI0SLO4"}], "B09NGWMH8Y": [{"asin": "B09NGWMH8Y", "instruction": "i would like a 28x16x18inch yellow storage bench made from engineered wood and a faux leather top.", "attributes": ["button tufted", "pu leather", "faux leather", "engineered wood"], "options": ["color: yellow", "size: 70x40x45cm(28x16x18inch)"], "instruction_attributes": ["faux leather", "engineered wood"], "instruction_options": ["yellow", "70x40x45cm(28x16x18inch)"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL6BEAT", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09NGWMH8Y", "instruction": "i'm interested in a button-tufted, faux leather, dark green bench in size 39x16x18inch.", "attributes": ["button tufted", "pu leather", "faux leather", "engineered wood"], "options": ["color: dark green", "size: 100x40x45cm(39x16x18inch)"], "instruction_attributes": ["button tufted", "faux leather"], "instruction_options": ["dark green", "100x40x45cm(39x16x18inch)"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHAD3OD2", "worker_id": "AFU00NU09CFXE"}, {"asin": "B09NGWMH8Y", "instruction": "i want a grey modern button tufted bed end bench.", "attributes": ["button tufted", "pu leather", "faux leather", "engineered wood"], "options": ["color: grey", "size: 60x40x45cm(24x16x18inch)"], "instruction_attributes": ["button tufted"], "instruction_options": ["grey"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZQ81Y9", "worker_id": "A2RBF3IIJP15IH"}], "B09FQ7W2G3": [{"asin": "B09FQ7W2G3", "instruction": "i would like a pattern 21 cake topper for a birthday party.", "attributes": ["cupcake picks", "birthday party"], "options": ["pattern name: 21"], "instruction_attributes": ["birthday party"], "instruction_options": ["21"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG41GBX", "worker_id": "A1WS884SI0SLO4"}], "B07MP1KSVR": [{"asin": "B07MP1KSVR", "instruction": "i'm looking for a perfect valentine gift for my loved one with this strawberry love cookie cake.", "attributes": ["baked fresh", "valentine day", "perfect gift"], "options": ["flavor name: snickerdoodle"], "instruction_attributes": ["baked fresh"], "instruction_options": ["snickerdoodle"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP8GOA6", "worker_id": "A21IUUHBSEVB56"}], "B08WPBGH6T": [{"asin": "B08WPBGH6T", "instruction": "i would like a pair of 18 plus chocolate regular fit jeans.", "attributes": ["elastic waist", "regular fit", "relaxed fit"], "options": ["color: chocolate", "size: 18 plus"], "instruction_attributes": ["regular fit"], "instruction_options": ["chocolate", "18 plus"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA9P2S8", "worker_id": "A1WS884SI0SLO4"}], "B07WJWBDZ3": [{"asin": "B07WJWBDZ3", "instruction": "i need a refurbished pc that is an i5 and has 8gb of ram", "attributes": ["certified refurbished", "core i5", "intel core"], "options": ["size: 1) i5, 8gb, 256gb ssd"], "instruction_attributes": ["certified refurbished"], "instruction_options": ["1) i5, 8gb, 256gb ssd"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBU2IGP", "worker_id": "A2ECRNQ3X5LEXD"}], "B078GTKVXY": [{"asin": "B078GTKVXY", "instruction": "i would like a 3 ounce bottle of bright citrus deodorant for sensitive skin.", "attributes": ["dermatologist tested", "coconut oil", "sensitive skin"], "options": ["scent: bright citrus", "size: 3 ounce (pack of 1)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["bright citrus", "3 ounce (pack of 1)"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZDPWUK", "worker_id": "A1WS884SI0SLO4"}], "B084Q371NY": [{"asin": "B084Q371NY", "instruction": "i'm looking for a xx-large i hate running black t-shirt for women, machine wash", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: women", "size: xx-large"], "instruction_attributes": [], "instruction_options": ["black", "women", "xx-large"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6URQZEN", "worker_id": "A2Y2TURT2VEYZN"}], "B091K7DN8S": [{"asin": "B091K7DN8S", "instruction": "i need a black wall mouinted mirror for the living room.", "attributes": ["pu leather", "living room"], "options": ["color: black", "size: 70cm"], "instruction_attributes": ["living room"], "instruction_options": ["black"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU48242PYL", "worker_id": "A2ECRNQ3X5LEXD"}], "B01FE73OSS": [{"asin": "B01FE73OSS", "instruction": "i need a high power car stereo receiver.", "attributes": ["high power", "usb port"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZYYNAD", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NMXYMRC": [{"asin": "B09NMXYMRC", "instruction": "i'm looking for pajama pants with an elastic waistband. they should be machine washable and come in a size large.", "attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "dry clean"], "options": ["color: multi 3", "size: large"], "instruction_attributes": ["machine wash", "elastic waistband"], "instruction_options": ["large"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6G4VE3", "worker_id": "AR9AU5FY1S3RO"}], "B072K5197P": [{"asin": "B072K5197P", "instruction": "i need machine washable pillow covers. it should be in turquoise blue.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: turquoise blue", "size: 20\" x 20\""], "instruction_attributes": ["machine washable"], "instruction_options": ["turquoise blue"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLY2RDP", "worker_id": "A15ERD4HOFEPHM"}], "B078N9319K": [{"asin": "B078N9319K", "instruction": "i need to buy a full sized mattress and box spring set. it should come fully assembled. look for style 225zf-4.", "attributes": ["ready use", "assembly required", "queen size", "fully assembled", "twin size", "box spring", "king size"], "options": ["size: full xl", "style: 225zf-4 | 6xl-2s"], "instruction_attributes": ["fully assembled"], "instruction_options": ["full xl", "225zf-4 | 6xl-2s"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI704SDX", "worker_id": "AR9AU5FY1S3RO"}], "B08FRLXKH9": [{"asin": "B08FRLXKH9", "instruction": "i would like fruit and nut bars that are soy free.", "attributes": ["dairy free", "gluten free", "soy free", "non gmo", "simple ingredients", "natural ingredients"], "options": [""], "instruction_attributes": ["soy free"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PCNUBI", "worker_id": "A2ECRNQ3X5LEXD"}], "B08X71XX1N": [{"asin": "B08X71XX1N", "instruction": "smart tv flat screen stereo sound", "attributes": ["plug play", "stereo sound"], "options": ["color: online version", "size: 48in"], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CFOV0B", "worker_id": "A3TTGSUBIK1YCL"}], "B09HH9G6N9": [{"asin": "B09HH9G6N9", "instruction": "looking for roasted carob powder with caffeine free and gluten free choose 1 pack", "attributes": ["caffeine free", "non gmo", "non dairy", "gluten free"], "options": ["size: 1 pack"], "instruction_attributes": ["caffeine free", "gluten free"], "instruction_options": ["1 pack"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSQCX0W", "worker_id": "A10OGH5CQBXL5N"}], "B08LCQHS8V": [{"asin": "B08LCQHS8V", "instruction": "i am looking fore a 24 pack of individually wrapped chocolates.", "attributes": ["individually wrapped", "chocolate covered"], "options": ["flavor name: dark chocolate covered marshmallow", "size: 24 count"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["24 count"], "assignment_id": "351SEKWQSBRP7CP60H83T50CFBSMDL", "worker_id": "A2ECRNQ3X5LEXD"}], "B081GGTX12": [{"asin": "B081GGTX12", "instruction": "i am looking for a wireless charger", "attributes": ["usb port", "wireless charging"], "options": [""], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3NRRYI", "worker_id": "A2ECRNQ3X5LEXD"}], "B06WW7XRFP": [{"asin": "B06WW7XRFP", "instruction": "i'm looking for a king platform bed with solid wood in taylan style", "attributes": ["non slip", "steel frame", "solid wood"], "options": ["size: king", "style: taylan"], "instruction_attributes": ["solid wood"], "instruction_options": ["king", "taylan"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZHCPR8", "worker_id": "A2Y2TURT2VEYZN"}], "B08QD45PHZ": [{"asin": "B08QD45PHZ", "instruction": "i would like a 2.8 mm dome camera that is in ultra hd.", "attributes": ["plug play", "ultra hd", "high performance", "high speed", "optical zoom"], "options": ["pattern name: 2.8mm poe-4k"], "instruction_attributes": ["ultra hd"], "instruction_options": ["2.8mm poe-4k"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCSZ9BU", "worker_id": "A1WS884SI0SLO4"}], "B098Q9MZ83": [{"asin": "B098Q9MZ83", "instruction": "i would like a 52\" w x 84\" white window panel that is machine washable.", "attributes": ["machine washable", "white item", "living room"], "options": ["color: white", "size: 52\" w x 84\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["white", "52\" w x 84\" l"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FK3U49", "worker_id": "A1WS884SI0SLO4"}], "B01H4EX6FA": [{"asin": "B01H4EX6FA", "instruction": "i would like a long lasting eye cruelty free shadow base.", "attributes": ["travel size", "paraben free", "cruelty free", "long lasting"], "options": [""], "instruction_attributes": ["cruelty free", "long lasting"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQIYKE7", "worker_id": "A1WS884SI0SLO4"}], "B08MLLY79Y": [{"asin": "B08MLLY79Y", "instruction": "i am looking for slifm fit adidas women's essentials fleece tapered cuff pants in black color", "attributes": ["slim fit", "elastic waist"], "options": ["color: black", "size: small"], "instruction_attributes": ["slim fit"], "instruction_options": ["black"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPC8QDV", "worker_id": "AX2EWYWZM19AZ"}], "B07NQJD1NN": [{"asin": "B07NQJD1NN", "instruction": "i am looking for banana pecan fruit snacks that are gluten free.", "attributes": ["non gmo", "gluten free", "quality ingredients", "perfect gift"], "options": ["flavor name: banana pecan", "size: 0.8 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["banana pecan"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QTUOXF", "worker_id": "A2ECRNQ3X5LEXD"}], "B019JNH6NM": [{"asin": "B019JNH6NM", "instruction": "i am looking for thai chilli style tuna that has jalapeno flavor. it should be gluten free.", "attributes": ["wild caught", "soy free", "gluten free"], "options": ["flavor name: jalapeno", "size: 2.6 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["jalapeno"], "assignment_id": "354P56DE9VDCOY11T1135MPMLPU7SC", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B019JNH6NM", "instruction": "i need wild caught salmon that comes in a pack of 12", "attributes": ["wild caught", "soy free", "gluten free"], "options": ["flavor name: sriracha", "size: 2.6 ounce (pack of 12)"], "instruction_attributes": ["wild caught"], "instruction_options": ["2.6 ounce (pack of 12)"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTK9V50", "worker_id": "A2ECRNQ3X5LEXD"}], "B082Z6XVLX": [{"asin": "B082Z6XVLX", "instruction": "i am looking for a scalp massager brush for hair growth which is easy to use. also choose black color", "attributes": ["easy use", "hair removal", "hair growth", "hair loss"], "options": ["color: black"], "instruction_attributes": ["easy use", "hair growth"], "instruction_options": ["black"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GFXZUH", "worker_id": "A2HMEGTAFO0CS8"}], "B0838D7YNZ": [{"asin": "B0838D7YNZ", "instruction": "i am looking for a black 24inch size vanity light fixture", "attributes": ["vanity light", "light fixture"], "options": ["size: black 24inch"], "instruction_attributes": ["vanity light", "light fixture"], "instruction_options": ["black 24inch"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACT6HN0", "worker_id": "A9QRQL9CFJBI7"}], "B07ZDVNYXD": [{"asin": "B07ZDVNYXD", "instruction": "i would like a queen sized black bed with a box spring mattress.", "attributes": ["easy assemble", "box spring"], "options": ["color: black", "size: queen"], "instruction_attributes": ["box spring"], "instruction_options": ["black", "queen"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1D0GYT", "worker_id": "A1WS884SI0SLO4"}], "B0179DYV0U": [{"asin": "B0179DYV0U", "instruction": "i am looking for tan colored queen folding mattresses with high density foam.", "attributes": ["twin size", "high density"], "options": ["color: tan", "size: twin size 4x39x75"], "instruction_attributes": ["high density"], "instruction_options": ["tan"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYFV82R", "worker_id": "A3FG5PQHG5AH3Y"}], "B00BDJODWI": [{"asin": "B00BDJODWI", "instruction": "i want aveda scalp benefits balancing shampoo, plant based and size of 33.81 fl oz", "attributes": ["design house", "plant based"], "options": ["scent: clove", "size: 33.81 fl oz (pack of 1)"], "instruction_attributes": ["plant based"], "instruction_options": ["33.81 fl oz (pack of 1)"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3UOZ9R", "worker_id": "A1IL2K0ELYI090"}, {"asin": "B00BDJODWI", "instruction": "i want a bottle of shampoo that's at least thirty ounces, smells like rosemary, and is plant based.", "attributes": ["design house", "plant based"], "options": ["scent: rosemary", "size: 33.8 fl oz (pack of 1)"], "instruction_attributes": ["plant based"], "instruction_options": ["rosemary", "33.8 fl oz (pack of 1)"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPK9E6L", "worker_id": "AR9AU5FY1S3RO"}], "B07WLYKJB6": [{"asin": "B07WLYKJB6", "instruction": "i'm looking for xx-large long sleeve polo shirts for men that are hand washable and regular fit. also, i want it to be grey.", "attributes": ["hand wash", "long sleeve", "regular fit", "button closure"], "options": ["color: grey", "size: xx-large"], "instruction_attributes": ["hand wash", "long sleeve", "regular fit"], "instruction_options": ["grey", "xx-large"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LHQ0L1", "worker_id": "A34EHWOYRBL6OZ"}], "B09B1GDM5G": [{"asin": "B09B1GDM5G", "instruction": "i am interested in a plant based energy drink that is cucumber lime flavor.", "attributes": ["plant based", "non gmo", "gluten free", "zero sugar", "artificial flavors"], "options": ["flavor name: cucumber lime"], "instruction_attributes": ["plant based"], "instruction_options": ["cucumber lime"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIM5FEO", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RZYGLT4": [{"asin": "B09RZYGLT4", "instruction": "i need some slim fitting white jeans that are an x-large.", "attributes": ["daily casual", "slim fit", "machine wash", "imported zipper", "elastic waist", "short sleeve"], "options": ["color: 01-white", "size: x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["01-white", "x-large"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWTOPF0", "worker_id": "A2ECRNQ3X5LEXD"}], "B0792MF532": [{"asin": "B0792MF532", "instruction": "i'm looking for a pack of 12 cans of zesty lemon tuna in olive oil; it must be kosher certified.", "attributes": ["wild caught", "ready eat", "kosher certified"], "options": ["flavor name: zesty lemon", "size: 12-pack"], "instruction_attributes": ["kosher certified"], "instruction_options": ["zesty lemon", "12-pack"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YZ73QY", "worker_id": "A3LIIE572Z4OG7"}], "B08YL39SKQ": [{"asin": "B08YL39SKQ", "instruction": "i'm looking for non toxic personal care for women's it easy to use.", "attributes": ["non toxic", "paraben free", "cruelty free", "high quality"], "options": ["color: glow down"], "instruction_attributes": ["non toxic"], "instruction_options": ["glow down"], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q7BIIY", "worker_id": "A16IQOX0DK14OJ"}], "B09KQF5YL1": [{"asin": "B09KQF5YL1", "instruction": "i need a tempered glass screen protector for my iphone 13 pro. it should be easy to install.", "attributes": ["ultra hd", "easy install", "tempered glass"], "options": ["color: silver", "size: iphone 13 pro"], "instruction_attributes": ["easy install", "tempered glass"], "instruction_options": ["iphone 13 pro"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OUYOP4", "worker_id": "AR9AU5FY1S3RO"}], "B09P4PR2WM": [{"asin": "B09P4PR2WM", "instruction": "i am looking for a high quality gold color eye shadow brush set which is easy to carry.", "attributes": ["easy carry", "high quality", "quality materials", "eye shadow"], "options": ["color: gold"], "instruction_attributes": ["easy carry", "high quality", "eye shadow"], "instruction_options": ["gold"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXPC2Z2", "worker_id": "A1V2JTEEBCXR20"}], "B0982B9JVG": [{"asin": "B0982B9JVG", "instruction": "i'm looking for a small womens solid color long sleeve v neck sweater that has a relaxed fit.", "attributes": ["relaxed fit", "long sleeve", "everyday wear"], "options": ["color: b#39 white", "size: small"], "instruction_attributes": ["relaxed fit", "long sleeve"], "instruction_options": ["small"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMRCQB4", "worker_id": "A34EHWOYRBL6OZ"}], "B08ZJBSLN7": [{"asin": "B08ZJBSLN7", "instruction": "i am interested in buying a laptop carrying case with colorful faces.", "attributes": ["compatible apple", "carrying case"], "options": ["color: colorful faces"], "instruction_attributes": ["carrying case"], "instruction_options": ["colorful faces"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1Y1GHEM", "worker_id": "AHXHM1PQTRWIQ"}], "B0892JGJWB": [{"asin": "B0892JGJWB", "instruction": "im looking for a large, rectangular storage ottoman made out of faux leather.", "attributes": ["faux leather", "solid wood", "storage space", "living room"], "options": ["color: b", "size: 60*40*40cm"], "instruction_attributes": ["faux leather", "storage space"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCZS4Q9", "worker_id": "AK3JMCIGU8MLU"}], "B000R9X6LO": [{"asin": "B000R9X6LO", "instruction": "i am looking for english muffins in high fructose", "attributes": ["low fat", "high fructose"], "options": [""], "instruction_attributes": ["high fructose"], "instruction_options": [], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMRIEXV", "worker_id": "A2MSIFDLOHI1UT"}], "B08J8DJF6S": [{"asin": "B08J8DJF6S", "instruction": "i am looking for a poster of size 12\"x12\" with wood frame.", "attributes": ["wood frame", "solid wood"], "options": ["color: mother and child elephant", "size: 12\"x12\""], "instruction_attributes": ["wood frame"], "instruction_options": ["12\"x12\""], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y59NN9", "worker_id": "A1Q8PPQQCWGY0D"}], "B08V1VTKL6": [{"asin": "B08V1VTKL6", "instruction": "i'm looking for a quad core android tablet in black.", "attributes": ["high speed", "quad core"], "options": ["color: black", "size: 6+64"], "instruction_attributes": ["quad core"], "instruction_options": ["black"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS4UVUG", "worker_id": "AR9AU5FY1S3RO"}], "B09FTZMG9Y": [{"asin": "B09FTZMG9Y", "instruction": "i would like a large black faux fur vest.", "attributes": ["winter warm", "loose fit", "faux fur", "long sleeve", "teen girls"], "options": ["color: $07 black", "size: large"], "instruction_attributes": ["faux fur"], "instruction_options": ["$07 black", "large"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA9YS27", "worker_id": "A1WS884SI0SLO4"}], "B083G5KQ31": [{"asin": "B083G5KQ31", "instruction": "i am looking for hands free car stereo receivers", "attributes": ["fast charging", "hands free"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZ11NCX", "worker_id": "A9QRQL9CFJBI7"}], "B079D51JGR": [{"asin": "B079D51JGR", "instruction": "i'm looking for a pair of black men's oxfords with a rubber outsole. i need a size eleven and a half.", "attributes": ["rubber outsole", "daily wear"], "options": ["color: lk black", "size: 11.5"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["lk black", "11.5"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX30SU1V", "worker_id": "AR9AU5FY1S3RO"}], "B09QXQ6C97": [{"asin": "B09QXQ6C97", "instruction": "i am looking for caramel flavor chocolate candy for valentine day.", "attributes": ["individually wrapped", "kosher certified", "valentine day"], "options": ["flavor name: caramel", "size: 2 pound"], "instruction_attributes": ["valentine day"], "instruction_options": ["caramel"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC69NIN", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09QXQ6C97", "instruction": "i am looking for 2 pounds of individually wrapped milk chocolate candy.", "attributes": ["individually wrapped", "kosher certified", "valentine day"], "options": ["flavor name: dark", "size: 2 pound"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["2 pound"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G761749", "worker_id": "A1EREKSZAA9V7B"}], "B09SF1QP1J": [{"asin": "B09SF1QP1J", "instruction": "i need a black open toe pair of flat sandals. it should be 7.5 in width.", "attributes": ["open toe", "closed toe", "ankle strap", "arch support"], "options": ["color: a9 - black", "size: 7.5 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["a9 - black", "7.5 wide"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDVYY88", "worker_id": "A1NF6PELRKACS9"}], "B08KVX5DPB": [{"asin": "B08KVX5DPB", "instruction": "i'm looking for a space-saving ottoman bench to match my blue living room. pick that one that's 100x45x45cm.", "attributes": ["space saving", "living room"], "options": ["color: blue", "size: 100x45x45cm"], "instruction_attributes": ["space saving", "living room"], "instruction_options": ["blue", "100x45x45cm"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLV803W", "worker_id": "A3LIIE572Z4OG7"}], "B093SNC4Y4": [{"asin": "B093SNC4Y4", "instruction": "i want x-small heynuts hawthorn athletic women's high waist yoga shorts.", "attributes": ["high waist", "nylon spandex"], "options": ["color: denim blue_8\"", "size: x-small"], "instruction_attributes": ["high waist"], "instruction_options": ["x-small"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZDGAPD", "worker_id": "A2RBF3IIJP15IH"}], "B07SCXCP4S": [{"asin": "B07SCXCP4S", "instruction": "i would like a hair growth treatment.", "attributes": ["hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPBHOCO", "worker_id": "A1WS884SI0SLO4"}], "B09QPQPWZD": [{"asin": "B09QPQPWZD", "instruction": "i need a medium low rise thong that is yellow", "attributes": ["low rise", "daily wear"], "options": ["color: yellow", "size: medium"], "instruction_attributes": ["low rise"], "instruction_options": ["yellow", "medium"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4FRBS8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09C7TRDLB": [{"asin": "B09C7TRDLB", "instruction": "i would like a red light high power light string.", "attributes": ["easy use", "high power", "aluminum alloy"], "options": ["color: red, pisa leaning tower type"], "instruction_attributes": ["high power"], "instruction_options": ["red, pisa leaning tower type"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7Y9LH5", "worker_id": "A1WS884SI0SLO4"}], "B09JWHF531": [{"asin": "B09JWHF531", "instruction": "i would like a cupcake pick toppers for a birthday party.", "attributes": ["cupcake picks", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": [], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUL8R3M", "worker_id": "A1WS884SI0SLO4"}], "B09PZG5T25": [{"asin": "B09PZG5T25", "instruction": "i'm looking for a wireless bluetooth speaker that is easy to use and is also black.", "attributes": ["easy use", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["easy use", "wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTW6E49", "worker_id": "A34EHWOYRBL6OZ"}], "B09KTY1MHD": [{"asin": "B09KTY1MHD", "instruction": "i am looking for women nail art decorations that are non toxic.", "attributes": ["non toxic", "nail art"], "options": [""], "instruction_attributes": ["non toxic"], "instruction_options": [], "assignment_id": "388U7OUMFIBM5814TDGP0XA3R9HR0K", "worker_id": "A1Q8PPQQCWGY0D"}], "B092CGQ7MF": [{"asin": "B092CGQ7MF", "instruction": "i would like some black brushes that are made of synthetic hair.", "attributes": ["easy use", "high quality", "synthetic hair", "eye shadow"], "options": ["color: black"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["black"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7ZBP5I", "worker_id": "A2ECRNQ3X5LEXD"}], "B01NBRKJ0N": [{"asin": "B01NBRKJ0N", "instruction": "i am looking for v8 splash with natural pineapple coconut flavor. 64 oz bottles (pack of 6).", "attributes": ["natural flavors", "artificial colors"], "options": ["flavor: mango peach"], "instruction_attributes": ["natural flavors"], "instruction_options": ["mango peach"], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIJ200F", "worker_id": "A2KW17G25L25R8"}], "B085ZF4KM2": [{"asin": "B085ZF4KM2", "instruction": "i'm looking for gluten free that flavor was vanilla cream its so good.", "attributes": ["plant based", "soy free", "non gmo", "gluten free", "artificial flavors"], "options": ["flavor name: vanilla cream", "size: 10 servings"], "instruction_attributes": ["gluten free"], "instruction_options": ["vanilla cream"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95UUXQE", "worker_id": "A16IQOX0DK14OJ"}], "B09QMM4HDH": [{"asin": "B09QMM4HDH", "instruction": "i want to buy a long sleeved lace bodysuit in red. look for size medium.", "attributes": ["hand wash", "long sleeve", "daily wear"], "options": ["color: red", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["red", "medium"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZSVK31", "worker_id": "AR9AU5FY1S3RO"}], "B088H41ZHJ": [{"asin": "B088H41ZHJ", "instruction": "i would like a temporary tattoo that is easy to apply and is in the 06 pattern", "attributes": ["easy apply", "non toxic"], "options": ["pattern name: pattern 06"], "instruction_attributes": ["easy apply"], "instruction_options": ["pattern 06"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8Z7PZF", "worker_id": "A2ECRNQ3X5LEXD"}], "B094FMFL9D": [{"asin": "B094FMFL9D", "instruction": "i am looking for a hollow side console table that is easy to assemble.", "attributes": ["easy assemble", "clear glass", "living room"], "options": ["style: hollow side"], "instruction_attributes": ["easy assemble"], "instruction_options": ["hollow side"], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM9591IY", "worker_id": "A2ECRNQ3X5LEXD"}], "B088LGSRTG": [{"asin": "B088LGSRTG", "instruction": "i am looking for a conditioner that comes in a pack of three for natural hair.", "attributes": ["coconut oil", "natural ingredients", "natural hair", "hair loss"], "options": ["size: 7 fl oz (pack of 3)", "style: conditioner"], "instruction_attributes": ["natural hair"], "instruction_options": ["7 fl oz (pack of 3)", "conditioner"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TUOPMV", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QNBKBVC": [{"asin": "B07QNBKBVC", "instruction": "i'm looking for a size 35 straight leg men denim jeans.", "attributes": ["straight leg", "machine wash", "loose fit", "wash cold", "slim fit", "button closure"], "options": ["color: dark blue 9208", "size: 35"], "instruction_attributes": ["straight leg"], "instruction_options": ["35"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKSEPEN", "worker_id": "ARQ05PDNXPFDI"}], "B06XR72LGR": [{"asin": "B06XR72LGR", "instruction": "i'm looking for some trader joe's gluten free cornbread mix.", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["trader joe", "gluten free"], "instruction_options": [], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTS4E5H", "worker_id": "AR9AU5FY1S3RO"}], "B09GB463Y2": [{"asin": "B09GB463Y2", "instruction": "i'm looking for long sleeve clothing its for blue in clor.", "attributes": ["contrast color", "polyester cotton", "long sleeve", "teen girls"], "options": ["color: blue", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0253XAKZ", "worker_id": "A16IQOX0DK14OJ"}], "B07MGX59S6": [{"asin": "B07MGX59S6", "instruction": "i would like a late night drone right lipstick that is paraben free.", "attributes": ["fragrance free", "paraben free", "cruelty free"], "options": ["color: 13- late night done right"], "instruction_attributes": ["paraben free"], "instruction_options": ["13- late night done right"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3J2YAG", "worker_id": "A1WS884SI0SLO4"}], "B071XXVMX2": [{"asin": "B071XXVMX2", "instruction": "i'm looking for a copper wall mounted sconce with clear glass shades.", "attributes": ["wall mounted", "glass shade", "clear glass", "light fixture"], "options": ["color: copper"], "instruction_attributes": ["wall mounted", "glass shade", "clear glass"], "instruction_options": ["copper"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTVZL7P", "worker_id": "AR9AU5FY1S3RO"}], "B07Z6NG5PG": [{"asin": "B07Z6NG5PG", "instruction": "i would like a 4 ounce bag of regular old fashioned jerky.", "attributes": ["old fashioned", "gluten free"], "options": ["flavor name: regular", "size: 4 oz"], "instruction_attributes": ["old fashioned"], "instruction_options": ["regular", "4 oz"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGM2O0D", "worker_id": "A1WS884SI0SLO4"}], "B00BEV82RC": [{"asin": "B00BEV82RC", "instruction": "find me a high power waterproof binoculars for bird watching.", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LEYO16", "worker_id": "A3AYHESLQSDY5T"}], "B08GQYQ9D1": [{"asin": "B08GQYQ9D1", "instruction": "i need a core i5 computer with gtx1650 graphics and 16g+256gb+1t", "attributes": ["core i5", "aluminum alloy"], "options": ["color: gtx1650", "size: 16g+256g+1t"], "instruction_attributes": ["core i5"], "instruction_options": ["gtx1650", "16g+256g+1t"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVJGP1A", "worker_id": "A2Y2TURT2VEYZN"}], "B0872P6WRB": [{"asin": "B0872P6WRB", "instruction": "i am looking for monoculars that are for bird watching", "attributes": ["non slip", "easy use", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUWCQJG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08Z6TCQTD": [{"asin": "B08Z6TCQTD", "instruction": "i want brushed nickel linea di liara teramo island lighting for my dining room.", "attributes": ["clear glass", "dining room"], "options": ["color: brushed nickel | clear", "size: 42\" linear"], "instruction_attributes": ["dining room"], "instruction_options": ["brushed nickel | clear"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JD0FSB", "worker_id": "A2RBF3IIJP15IH"}], "B07Y59L1Z2": [{"asin": "B07Y59L1Z2", "instruction": "i would like a quad core streaming media player.", "attributes": ["batteries included", "ultra hd", "high definition", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW0IC10", "worker_id": "A1WS884SI0SLO4"}], "B097MM9XDP": [{"asin": "B097MM9XDP", "instruction": "i would like a pair of women's 11.5 colorful sugar skull sneakers with a anti slip sole.", "attributes": ["non slip", "slip resistant", "anti slip", "arch support"], "options": ["color: colourful sugar skull white-2", "size: 11.5 women | 10 men"], "instruction_attributes": ["anti slip"], "instruction_options": ["colourful sugar skull white-2", "11.5 women | 10 men"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV2KX3F", "worker_id": "A1WS884SI0SLO4"}], "B07PP8X2DS": [{"asin": "B07PP8X2DS", "instruction": "i am looking for tripod stand that is non slippable.", "attributes": ["quick release", "non slip", "carrying case"], "options": [""], "instruction_attributes": ["non slip"], "instruction_options": [], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3MBYR7", "worker_id": "A1Q8PPQQCWGY0D"}], "B088X52CZR": [{"asin": "B088X52CZR", "instruction": "i would like a 3 pack set of non gmo tree nuts.", "attributes": ["nut free", "easy use", "non gmo"], "options": ["flavor: tree nut", "size: 3 pack set"], "instruction_attributes": ["non gmo"], "instruction_options": ["tree nut", "3 pack set"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA6LC8H", "worker_id": "A1WS884SI0SLO4"}], "B09PD9N2R2": [{"asin": "B09PD9N2R2", "instruction": "i'm looking for a body brush to remove dead skin", "attributes": ["long handle", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["dead skin"], "instruction_options": [], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIMCFEV", "worker_id": "A2Y2TURT2VEYZN"}], "B08CCT3JN2": [{"asin": "B08CCT3JN2", "instruction": "i need red sneakers that have a leather sole and are a size 7 x-wide", "attributes": ["leather sole", "arch support"], "options": ["color: dark red", "size: 7 x-wide"], "instruction_attributes": ["leather sole"], "instruction_options": ["dark red", "7 x-wide"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKTBV7S", "worker_id": "A2ECRNQ3X5LEXD"}], "B07SLNLB9D": [{"asin": "B07SLNLB9D", "instruction": "i want ready hang living room poster size 61*41cm the bridges of amsterdam", "attributes": ["ready hang", "living room"], "options": ["color: the bridges of amsterdam", "size: 61 x 41 cm (24 x 16 in)"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["the bridges of amsterdam", "61 x 41 cm (24 x 16 in)"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2VLM56", "worker_id": "A3N9ZYQAESNFQH"}], "B08968B883": [{"asin": "B08968B883", "instruction": "i need easy to use, water resistant eye shadow in dark brown color.", "attributes": ["water resistant", "easy use", "eye shadow"], "options": ["color: dark brown"], "instruction_attributes": ["water resistant", "easy use", "eye shadow"], "instruction_options": ["dark brown"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRM0I3WW", "worker_id": "ASWFLI3N8X72G"}], "B07CYK25W8": [{"asin": "B07CYK25W8", "instruction": "i am interested in acquiring a bookcase which will last me a long time and i prefer to have it in anthracite color.", "attributes": ["long lasting", "engineered wood"], "options": ["color: anthracite"], "instruction_attributes": ["long lasting"], "instruction_options": ["anthracite"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0F416W", "worker_id": "AJY5G987IRT25"}], "B07VWR4HT1": [{"asin": "B07VWR4HT1", "instruction": "i am looking for a black video projector that is 1080p", "attributes": ["1080p hd", "high definition", "usb port"], "options": ["color: black"], "instruction_attributes": ["1080p hd"], "instruction_options": ["black"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO7CR2F", "worker_id": "A2ECRNQ3X5LEXD"}], "B09KRP73M2": [{"asin": "B09KRP73M2", "instruction": "i need style 5 hair salon", "attributes": ["easy clean", "high quality", "hair salon", "beauty salon"], "options": ["color: style 5"], "instruction_attributes": ["hair salon"], "instruction_options": ["style 5"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UHKA3X", "worker_id": "A226L9F2AZ38CL"}], "B08QDRKQPL": [{"asin": "B08QDRKQPL", "instruction": "i am looking for high power and dust proof sound bar.", "attributes": ["dust proof", "high power"], "options": [""], "instruction_attributes": ["dust proof", "high power"], "instruction_options": [], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79SN1HY", "worker_id": "A1Q8PPQQCWGY0D"}], "B06WD5R33H": [{"asin": "B06WD5R33H", "instruction": "i'm looking for one hundred and eight inch brown curtains that are machine washable.", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: brown", "size: 108\" x 84\""], "instruction_attributes": ["machine washable"], "instruction_options": ["brown", "108\" x 84\""], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9VPTEM", "worker_id": "AR9AU5FY1S3RO"}], "B097PTCQ44": [{"asin": "B097PTCQ44", "instruction": "i'm looking for a thirty inch mirror for my living room that's easy to install. it should also turn into a lighted lunar picture.", "attributes": ["ready hang", "easy install", "living room", "dining room"], "options": ["color: lunar", "size: 30\""], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["lunar", "30\""], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGM10OO", "worker_id": "AR9AU5FY1S3RO"}], "B01FU0230Y": [{"asin": "B01FU0230Y", "instruction": "i am looking for a 32 inch by 48 inch ready to hang hand painted painting.", "attributes": ["hand painted", "ready hang"], "options": ["size: 32x48inchesx1"], "instruction_attributes": ["hand painted", "ready hang"], "instruction_options": ["32x48inchesx1"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYUAZO7", "worker_id": "A1EREKSZAA9V7B"}], "B09JFNXRDR": [{"asin": "B09JFNXRDR", "instruction": "i need a super soft easy to clean blanket in bible verse trust in the lord color and 50x40 small size for kid.", "attributes": ["super soft", "easy clean", "living room"], "options": ["color: bible verse trust in the lord", "size: 50x40 small for kid"], "instruction_attributes": ["super soft", "easy clean"], "instruction_options": ["bible verse trust in the lord", "50x40 small for kid"], "assignment_id": "37TRT2X24116R7L1JO45INKV8W3JBP", "worker_id": "A3AYHESLQSDY5T"}], "B07HYKGNHN": [{"asin": "B07HYKGNHN", "instruction": "i need lace closure in bliss blue color", "attributes": ["lace closure", "rubber outsole"], "options": ["color: bliss blue hrtg cvs", "size: 9.5 b - medium us"], "instruction_attributes": ["lace closure"], "instruction_options": ["bliss blue hrtg cvs"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALC6H40", "worker_id": "A226L9F2AZ38CL"}], "B09Q6DWRZH": [{"asin": "B09Q6DWRZH", "instruction": "i am looking for a loose fit small size women's t shirt.", "attributes": ["quick drying", "machine washable", "loose fit", "long sleeve", "short sleeve", "laundry bag", "daily wear"], "options": ["color: new dressy - b450 -black", "size: small"], "instruction_attributes": ["loose fit"], "instruction_options": ["small"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCZC46A", "worker_id": "A1Q8PPQQCWGY0D"}], "B06XKBJR74": [{"asin": "B06XKBJR74", "instruction": "buy me a cruelty free solid perfume with a flirt scent.", "attributes": ["cruelty free", "animal testing"], "options": ["scent: flirt"], "instruction_attributes": ["cruelty free"], "instruction_options": ["flirt"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVD98VK", "worker_id": "AVIEE6LDH0BT5"}], "B078KGBP2N": [{"asin": "B078KGBP2N", "instruction": "i am looking for men scrubs pant of pewter color that is machine washable.", "attributes": ["easy care", "moisture wicking", "machine washable", "machine wash", "polyester spandex", "stretch fabric", "imported zipper", "button closure"], "options": ["color: pewter", "size: x-small short"], "instruction_attributes": ["machine washable"], "instruction_options": ["pewter"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVQZKJX", "worker_id": "A1Q8PPQQCWGY0D"}], "B07CKNJ3P7": [{"asin": "B07CKNJ3P7", "instruction": "i'm looking for high waist biker shorts for women with pockets tummy.", "attributes": ["moisture wicking", "high waist", "stretch fabric", "tummy control"], "options": ["color: deep navy-9\" inseam", "size: 3x-large"], "instruction_attributes": ["high waist", "tummy control"], "instruction_options": ["deep navy-9\" inseam"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R76TYD", "worker_id": "A21IUUHBSEVB56"}], "B09HTZZ45V": [{"asin": "B09HTZZ45V", "instruction": "i need to find a strawberry-flavoured toothpaste for my child to keep her breath fresh; make sure it only has natural ingredients.", "attributes": ["fluoride free", "natural ingredients", "fresh breath"], "options": ["color: strawberry"], "instruction_attributes": ["natural ingredients", "fresh breath"], "instruction_options": ["strawberry"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HRIWOO", "worker_id": "A3LIIE572Z4OG7"}], "B07X5K7QB3": [{"asin": "B07X5K7QB3", "instruction": "i want to buy underwear boxer for men which are low rise and are hand washable, as for the color i want them yellow and at 3x-large size.", "attributes": ["low rise", "day comfort", "wash cold", "hand wash", "machine wash", "dry clean"], "options": ["color: yellow 3 pack", "size: 3x-large"], "instruction_attributes": ["low rise", "hand wash"], "instruction_options": ["yellow 3 pack", "3x-large"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODQ1EWT", "worker_id": "AJY5G987IRT25"}], "B00XENXJTO": [{"asin": "B00XENXJTO", "instruction": "i would like a 100 count bamboo charcoal oil free blotting paper.", "attributes": ["easy use", "oil free"], "options": ["color: mirror-pack | bamboo-charcoal", "size: 100 count (pack of 2)"], "instruction_attributes": ["oil free"], "instruction_options": ["mirror-pack | bamboo-charcoal", "100 count (pack of 2)"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH781VY", "worker_id": "A1WS884SI0SLO4"}], "B074J4XDTQ": [{"asin": "B074J4XDTQ", "instruction": "i need some yellow curtains for my living room.", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: dimgray yellow", "size: 108\" x 108\""], "instruction_attributes": ["living room"], "instruction_options": ["dimgray yellow"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7PK3IP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07R4VNCRC": [{"asin": "B07R4VNCRC", "instruction": "i am looking for ethylene vinyl cat color women road running shoes , and size is 6", "attributes": ["non slip", "ethylene vinyl", "vinyl acetate"], "options": ["color: cat-1", "size: 6"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["cat-1", "6"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95VSXQE", "worker_id": "A258PTOZ3D2TQR"}], "B07QCD9W67": [{"asin": "B07QCD9W67", "instruction": "i'm looking for toddler smoothie pouches that are non-gmo, certified organic, and bpa free.", "attributes": ["certified organic", "non gmo", "bpa free"], "options": [""], "instruction_attributes": ["certified organic", "non gmo", "bpa free"], "instruction_options": [], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6LVB28", "worker_id": "AR9AU5FY1S3RO"}], "B07Y2RKJ9G": [{"asin": "B07Y2RKJ9G", "instruction": "i want a large and classic fit phineas and ferb perry the platypus shirt.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: asphalt", "fit type: men", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["large"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL4ZNS3", "worker_id": "A2RBF3IIJP15IH"}], "B09MY498ZT": [{"asin": "B09MY498ZT", "instruction": "i am looking for a manual toothbrush for easy use to oral hygiene. also choose violet color.", "attributes": ["easy use", "oral hygiene"], "options": ["color: violet"], "instruction_attributes": ["easy use", "oral hygiene"], "instruction_options": ["violet"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3V4L1NW", "worker_id": "A2HMEGTAFO0CS8"}], "B09MRYN7WH": [{"asin": "B09MRYN7WH", "instruction": "i am looking for twin sized bunk beds that are white.", "attributes": ["twin size", "space saving", "white item", "assembly required", "easy assemble", "white finish"], "options": ["color: white", "size: triple bunk beds"], "instruction_attributes": ["twin size"], "instruction_options": ["white", "triple bunk beds"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80FNQ1N", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09MRYN7WH", "instruction": "i am looking for an easy to assemble brown triple bunk beds.", "attributes": ["twin size", "space saving", "white item", "assembly required", "easy assemble", "white finish"], "options": ["color: brown", "size: triple bunk beds"], "instruction_attributes": ["easy assemble"], "instruction_options": ["brown", "triple bunk beds"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBQMEJK", "worker_id": "A1EREKSZAA9V7B"}], "B09K432WXZ": [{"asin": "B09K432WXZ", "instruction": "i'm looking for women's bootcut pants in the brand of tapata.", "attributes": ["day comfort", "fashion design", "tummy control", "regular fit", "daily wear"], "options": ["color: black", "fit type: 30 inseam (regular) [fits 5'5\"-5'8\"]", "size: large"], "instruction_attributes": ["fashion design", "regular fit", "daily wear"], "instruction_options": ["30 inseam (regular) [fits 5'5\"-5'8\"]", "large"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYSYXFX", "worker_id": "A21IUUHBSEVB56"}], "B07VBWTZLV": [{"asin": "B07VBWTZLV", "instruction": "i want one pack of paraben free hair styling spray in size 5.5 ounce.", "attributes": ["certified organic", "paraben free", "hair styling"], "options": ["size: 5.5 ounce (pack of 1)"], "instruction_attributes": ["paraben free", "hair styling"], "instruction_options": ["5.5 ounce (pack of 1)"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP646VDD", "worker_id": "ASWFLI3N8X72G"}, {"asin": "B07VBWTZLV", "instruction": "i want to find 5.5 ounces of hair styling spray that is certified organic.", "attributes": ["certified organic", "paraben free", "hair styling"], "options": ["size: 5.5 ounce (pack of 1)"], "instruction_attributes": ["certified organic", "hair styling"], "instruction_options": ["5.5 ounce (pack of 1)"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SU9UDT", "worker_id": "A345TDMHP3DQ3G"}], "B07MQD33ZZ": [{"asin": "B07MQD33ZZ", "instruction": "i would like a 104''w x 84'' l trianglwxf4152 window panel that is machine washable.", "attributes": ["machine washable", "living room"], "options": ["color: trianglewxf4152", "size: 104''w x 84'' l"], "instruction_attributes": ["machine washable"], "instruction_options": ["trianglewxf4152", "104''w x 84'' l"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQNL319", "worker_id": "A1WS884SI0SLO4"}], "B09KH6SS25": [{"asin": "B09KH6SS25", "instruction": "i'm looking for a high performance tablet with quad core processor. also, choose 4g+64gb emmc one.", "attributes": ["high performance", "quad core"], "options": ["capacity: 4g+64gb emmc"], "instruction_attributes": ["high performance", "quad core"], "instruction_options": ["4g+64gb emmc"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPDOOR0", "worker_id": "AR0VJ5XRG16UJ"}], "B07MCMHT7R": [{"asin": "B07MCMHT7R", "instruction": "i am looking for gluten free and crispy potato snacks with barbecue flavour .", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor name: barbecue", "size: 0.67 ounce (pack of 5)"], "instruction_attributes": ["gluten free"], "instruction_options": ["barbecue"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMXISA6", "worker_id": "A3R8PQCD99H61E"}], "B08YR1VP2C": [{"asin": "B08YR1VP2C", "instruction": "i am searching for fluffy faux fur duvet cover set of queen size and aqua color", "attributes": ["queen size", "twin size", "king size"], "options": ["color: tie dye aqua", "size: twin"], "instruction_attributes": ["queen size"], "instruction_options": ["tie dye aqua"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCL2LBN", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08YR1VP2C", "instruction": "i need queen size turquoise color fluffy faux fur duvet cover set", "attributes": ["queen size", "twin size", "king size"], "options": ["color: tie dye turquoise", "size: twin"], "instruction_attributes": ["queen size"], "instruction_options": ["tie dye turquoise"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZZZAN3", "worker_id": "A258PTOZ3D2TQR"}], "B001IZM92I": [{"asin": "B001IZM92I", "instruction": "hi i'm going to barbecue sausage, i want you to find the special summer gluten free sausage old wisconsin beef sausages low carb flavored beef 8oz (pack of 3).", "attributes": ["ready eat", "high protein", "shelf stable", "low carb", "gluten free"], "options": ["flavor name: beef", "size: 8 ounce"], "instruction_attributes": ["high protein", "gluten free"], "instruction_options": ["beef", "8 ounce"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IYFHK9", "worker_id": "A15IJ20C3R4HUO"}], "B09L33P12S": [{"asin": "B09L33P12S", "instruction": "i'm interested in a pair of off-white, rubber-soled sneakers in a size 6 with memory foam.", "attributes": ["memory foam", "rubber sole"], "options": ["color: off white", "size: 6"], "instruction_attributes": ["memory foam", "rubber sole"], "instruction_options": ["off white", "6"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BC0UQ6", "worker_id": "AFU00NU09CFXE"}], "B09SWJLF5M": [{"asin": "B09SWJLF5M", "instruction": "i am looking for a personalized, metal hair and beauty signage or artwork.", "attributes": ["hair salon", "beauty salon"], "options": ["size: 20 inches"], "instruction_attributes": ["hair salon", "beauty salon"], "instruction_options": [], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6HPPUN", "worker_id": "AK3JMCIGU8MLU"}], "B0897T87S2": [{"asin": "B0897T87S2", "instruction": "i am looking for pink non slip shoes that are a 10.5", "attributes": ["light weight", "non slip", "leather sole"], "options": ["color: pink-dm", "size: 10.5"], "instruction_attributes": ["non slip"], "instruction_options": ["pink-dm", "10.5"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3U09ZD", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PGK27KK": [{"asin": "B07PGK27KK", "instruction": "i am looking for canalis 3 mini pendant lighting led hanging light fixture.", "attributes": ["light fixture", "dining room"], "options": ["color: brass", "size: 4 pendant (s4)"], "instruction_attributes": ["light fixture"], "instruction_options": [], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC6BUKH", "worker_id": "A2KW17G25L25R8"}], "B00825IBGU": [{"asin": "B00825IBGU", "instruction": "i'm looking for a ready to hang wall mounted mirror for my living room. it should be round and come in silver brushed nickel.", "attributes": ["ready hang", "brushed nickel", "living room"], "options": ["color: bright silver", "style: round"], "instruction_attributes": ["ready hang", "brushed nickel", "living room"], "instruction_options": ["round"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2J9FKG", "worker_id": "AR9AU5FY1S3RO"}], "B08MBD8573": [{"asin": "B08MBD8573", "instruction": "i'm looking for a height adjustable laptop stand with tempered glass and walnut colored wood.", "attributes": ["height adjustable", "assembly required"], "options": ["color: walnut", "size: tempered glass (24\")"], "instruction_attributes": ["height adjustable"], "instruction_options": ["walnut", "tempered glass (24\")"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2A2Y7T", "worker_id": "AR9AU5FY1S3RO"}], "B09R1X5Y7Q": [{"asin": "B09R1X5Y7Q", "instruction": "i would like a 11.1 by 4.5 by 4.5 cm transparent makeup case for my nail art.", "attributes": ["leak proof", "easy use", "nail polish", "nail art"], "options": ["color: transparent 2", "size: 11.1x4.5x4.5cm"], "instruction_attributes": ["nail art"], "instruction_options": ["transparent 2", "11.1x4.5x4.5cm"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0M1MCSD", "worker_id": "A1WS884SI0SLO4"}], "B07QPC3454": [{"asin": "B07QPC3454", "instruction": "i am looking for gluten free snacks that made up by sea salt", "attributes": ["non gmo", "hand crafted", "gluten free", "simple ingredients"], "options": ["flavor name: sea salt"], "instruction_attributes": ["gluten free"], "instruction_options": ["sea salt"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8DXA59", "worker_id": "A16M39T60N60NO"}], "B08N4YVGBG": [{"asin": "B08N4YVGBG", "instruction": "i am looking for brown black throw pillow case that is double sided and super soft.", "attributes": ["double sided", "super soft", "machine washable", "printing technology", "living room"], "options": ["color: brown black", "size: 16\""], "instruction_attributes": ["double sided", "super soft"], "instruction_options": ["brown black"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCIAIBAC", "worker_id": "A1NF6PELRKACS9"}], "B08V134QWR": [{"asin": "B08V134QWR", "instruction": "i want to buy a waterproof security camera with an optical zoom and motion detection.", "attributes": ["optical zoom", "motion detection"], "options": [""], "instruction_attributes": ["optical zoom", "motion detection"], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X027834Z", "worker_id": "A114NK7T5673GK"}], "B08DYZTSC5": [{"asin": "B08DYZTSC5", "instruction": "i want some margherita pizza that's gluten free.", "attributes": ["rich creamy", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTVY7LA", "worker_id": "AR9AU5FY1S3RO"}], "B072J36KT1": [{"asin": "B072J36KT1", "instruction": "i am looking for a elastic waistband small size active shorts for man", "attributes": ["quick drying", "machine wash", "elastic waistband"], "options": ["color: black (006) | matcha green", "size: small"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["small"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTOX5V6", "worker_id": "A9QRQL9CFJBI7"}], "B00BB683XS": [{"asin": "B00BB683XS", "instruction": "i'm looking for a ultimate hand care cream for dry skin", "attributes": ["dermatologist tested", "fragrance free", "green tea", "seed oil", "dry skin"], "options": ["style: ultimate care hand cream"], "instruction_attributes": ["dry skin"], "instruction_options": ["ultimate care hand cream"], "assignment_id": "33CID5710F37J25O7G1CGJZBOU3L3C", "worker_id": "A2Y2TURT2VEYZN"}], "B09CT74QK2": [{"asin": "B09CT74QK2", "instruction": "i am looking for short sleeve animal graphic t shirts.", "attributes": ["machine washable", "wash cold", "hand wash", "short sleeve", "daily wear", "teen girls"], "options": ["color: z04 beige", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["z04 beige"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X82PGD", "worker_id": "A2KW17G25L25R8"}], "B08521SGW3": [{"asin": "B08521SGW3", "instruction": "i'm looking for short and long sleeve and the elastic waist for women's the color was black.", "attributes": ["short sleeve", "elastic closure", "elastic waist", "teen girls"], "options": ["color: a-black", "size: medium"], "instruction_attributes": ["short sleeve", "elastic closure", "elastic waist"], "instruction_options": ["a-black"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLVRFTB", "worker_id": "A16IQOX0DK14OJ"}, {"asin": "B08521SGW3", "instruction": "i am looking for a xx-large short sleeves sleep & lounge for teen girls", "attributes": ["short sleeve", "elastic closure", "elastic waist", "teen girls"], "options": ["color: a-black", "size: xx-large"], "instruction_attributes": ["short sleeve", "teen girls"], "instruction_options": ["xx-large"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYELEI2", "worker_id": "A9QRQL9CFJBI7"}], "B07FN25TCW": [{"asin": "B07FN25TCW", "instruction": "im looking for men\u2019s small boxer briefs, long leg style that are moisture wicking.", "attributes": ["machine wash", "day comfort", "moisture wicking", "classic fit", "tumble dry"], "options": ["color: andover | red | black", "size: small"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["small"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L4CCVC", "worker_id": "AK3JMCIGU8MLU"}], "B01MSKUTNP": [{"asin": "B01MSKUTNP", "instruction": "i am looking for a six pack of gluten free jerky", "attributes": ["gluten free", "fat free"], "options": ["flavor name: super fun", "size: 6"], "instruction_attributes": ["gluten free"], "instruction_options": ["6"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKNIVP0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JNTH5XL": [{"asin": "B09JNTH5XL", "instruction": "i am looking for a loose fit shirt that is black and in a xx-large.", "attributes": ["loose fit", "long sleeve", "teen girls"], "options": ["color: a1_black", "size: xx-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["a1_black", "xx-large"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TUWPM3", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NTCSB7G": [{"asin": "B09NTCSB7G", "instruction": "i need some knee high boots that are black and in a size 5", "attributes": ["knee high", "anti slip", "steel toe", "high heel", "button closure"], "options": ["color: b-black", "size: 5"], "instruction_attributes": ["knee high"], "instruction_options": ["b-black", "5"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3MAYR6", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09NTCSB7G", "instruction": "am looking for a knee high runmte platform boots for women high boots size 9", "attributes": ["knee high", "anti slip", "steel toe", "high heel", "button closure"], "options": ["color: e-black", "size: 9"], "instruction_attributes": ["knee high"], "instruction_options": ["9"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WYEA1F", "worker_id": "A1IL2K0ELYI090"}], "B08L769ZS8": [{"asin": "B08L769ZS8", "instruction": "i am looking for hemp regular and gluten free vegan granola.", "attributes": ["gluten free", "certified organic", "natural ingredients"], "options": ["flavor name: hemp regular"], "instruction_attributes": ["gluten free"], "instruction_options": ["hemp regular"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0J1VGEE", "worker_id": "A3FG5PQHG5AH3Y"}], "B00VHYE5AO": [{"asin": "B00VHYE5AO", "instruction": "i am looking for distressed gaelic label short sleeve t-shits.", "attributes": ["wash cold", "machine wash", "comfortable fit", "short sleeve", "quality materials", "dry clean", "everyday wear", "tumble dry"], "options": ["color: black-gaelic", "size: large-trademark"], "instruction_attributes": ["short sleeve"], "instruction_options": ["black-gaelic"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAX5ZX0", "worker_id": "A2KW17G25L25R8"}], "B09HBV98LV": [{"asin": "B09HBV98LV", "instruction": "i would like a 3 piece set of natural ingredient hair growth treatments.", "attributes": ["natural ingredients", "hair growth", "hair loss", "dry hair"], "options": ["size: 3pcs"], "instruction_attributes": ["natural ingredients", "hair growth"], "instruction_options": ["3pcs"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP64DDV2", "worker_id": "A1WS884SI0SLO4"}], "B07ZZS34HH": [{"asin": "B07ZZS34HH", "instruction": "i need an elastic waist active short that is an x-large", "attributes": ["long lasting", "quality materials", "drawstring closure", "elastic waist"], "options": ["color: alternate team color", "size: x-large | 8\" inseam", "team name: alabama crimson tide"], "instruction_attributes": ["elastic waist"], "instruction_options": ["x-large | 8\" inseam"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXAECFE", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07ZZS34HH", "instruction": "i want a small and long lasting columbia men's pair of shorts.", "attributes": ["long lasting", "quality materials", "drawstring closure", "elastic waist"], "options": ["color: team color", "size: small x 6\" inseam", "team name: texas a&m aggies 2"], "instruction_attributes": ["long lasting"], "instruction_options": ["small x 6\" inseam"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCMYPIB", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B07ZZS34HH", "instruction": "many engineers choose long lasting, quality materials in alternate team color", "attributes": ["long lasting", "quality materials", "drawstring closure", "elastic waist"], "options": ["color: alternate team color", "size: small x 6\" inseam", "team name: auburn tigers 1"], "instruction_attributes": ["long lasting", "quality materials"], "instruction_options": ["alternate team color"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGW5TW7", "worker_id": "A226L9F2AZ38CL"}], "B004KXH8XK": [{"asin": "B004KXH8XK", "instruction": "i buy a design house in white color", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["design house"], "instruction_options": [], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3U0Z93", "worker_id": "A226L9F2AZ38CL"}], "B09F1S8HL4": [{"asin": "B09F1S8HL4", "instruction": "most people like sensitive skin in red color", "attributes": ["cruelty free", "anti aging", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQHSHHM", "worker_id": "A226L9F2AZ38CL"}], "B008YQEOMM": [{"asin": "B008YQEOMM", "instruction": "i want to buy an argan oil hair treatment for damaged hair.", "attributes": ["alcohol free", "argan oil", "damaged hair"], "options": [""], "instruction_attributes": ["argan oil", "damaged hair"], "instruction_options": [], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0QR8JO", "worker_id": "AR9AU5FY1S3RO"}], "B07L394Q5L": [{"asin": "B07L394Q5L", "instruction": "i am looking for rose gold fine mist, soothing and refreshing face spray, 3 pack - 3.4 fl oz", "attributes": ["paraben free", "cruelty free", "fine mist", "rose gold", "sensitive skin"], "options": ["size: .3 pack - 3.4 fl oz"], "instruction_attributes": ["fine mist", "rose gold"], "instruction_options": [".3 pack - 3.4 fl oz"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EGDB1P", "worker_id": "A258PTOZ3D2TQR"}], "B09Q313XLN": [{"asin": "B09Q313XLN", "instruction": "i want the orange color, 2 pcs of v34 color correction tooth whitening sensitive toothpaste for sensitive teeth and bad breath.", "attributes": ["sensitive teeth", "bad breath"], "options": ["color: orange"], "instruction_attributes": ["sensitive teeth", "bad breath"], "instruction_options": ["orange"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP84QZ75", "worker_id": "A1IL2K0ELYI090"}], "B08HGQMJ7S": [{"asin": "B08HGQMJ7S", "instruction": "i'm looking for furniture for space saving in living room.", "attributes": ["non slip", "space saving"], "options": ["color: rustic brown + black"], "instruction_attributes": ["space saving"], "instruction_options": [], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW94S8O", "worker_id": "A16IQOX0DK14OJ"}], "B09PBN5BVW": [{"asin": "B09PBN5BVW", "instruction": "i want a temporary tooth repair kit for teeth whitening.", "attributes": ["teeth whitening", "high quality"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SXHDUQ", "worker_id": "A2RBF3IIJP15IH"}], "B09BLB3BFM": [{"asin": "B09BLB3BFM", "instruction": "looking for a honiway decorative wall mirror 12.3 inch rustic wood frame for living room. keep in touch", "attributes": ["wall mounted", "wood frame", "solid wood", "living room"], "options": [""], "instruction_attributes": ["wood frame", "living room"], "instruction_options": [], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBUTEJZ", "worker_id": "A15IJ20C3R4HUO"}], "B097XG3P7X": [{"asin": "B097XG3P7X", "instruction": "i am looking to buy a multi color birthday candles for a birthday cake.", "attributes": ["birthday cake", "baby shower", "birthday party"], "options": ["color: multicolor"], "instruction_attributes": ["birthday cake"], "instruction_options": ["multicolor"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4PMKPE", "worker_id": "AHXHM1PQTRWIQ"}], "B09MW563KN": [{"asin": "B09MW563KN", "instruction": "i am looking for blue color toothbrushes that helps to maintain my oral hygiene.", "attributes": ["oral hygiene", "fresh breath"], "options": ["color: blue"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["blue"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1F5CX0", "worker_id": "A1Q8PPQQCWGY0D"}], "B07NB2K1PJ": [{"asin": "B07NB2K1PJ", "instruction": "i need a white classic fit shirt that is in an xx-large for youth", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: youth", "size: xx-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["white", "youth", "xx-large"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SYPTQA", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LYW87WH": [{"asin": "B09LYW87WH", "instruction": "i would like a 40 by 50 inch fleece throw with valentine's day trucks.", "attributes": ["super soft", "machine washable", "fleece throw"], "options": ["color: valentine's day trucks", "size: 40x50 inch"], "instruction_attributes": ["fleece throw"], "instruction_options": ["valentine's day trucks", "40x50 inch"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGQ3IYY", "worker_id": "A1WS884SI0SLO4"}], "B07JKQX4J3": [{"asin": "B07JKQX4J3", "instruction": "i am looking for 40 oz. ready eat triple berry nut trail mix", "attributes": ["ready eat", "resealable bag"], "options": [""], "instruction_attributes": ["ready eat"], "instruction_options": [], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOSEVYN", "worker_id": "A258PTOZ3D2TQR"}], "B09QRVDTG1": [{"asin": "B09QRVDTG1", "instruction": "i'm looking for a orange toothpaste for teeth whitening and color correction", "attributes": ["teeth whitening", "long lasting", "natural ingredients", "sensitive teeth", "fresh breath", "bad breath"], "options": ["color: orange"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["orange"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4LX98C", "worker_id": "A2Y2TURT2VEYZN"}], "B09P47D7X3": [{"asin": "B09P47D7X3", "instruction": "i need a fully cooked two whole slabs with dry rubbed (seasoned) baby backs.", "attributes": ["fully cooked", "quality ingredients"], "options": ["flavor name: dry rubbed (seasoned) baby backs", "size: two whole slabs"], "instruction_attributes": ["fully cooked"], "instruction_options": ["two whole slabs"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRHXWNT", "worker_id": "A1Q0EUNCS50S8M"}, {"asin": "B09P47D7X3", "instruction": "i need four half slabs of seasoned ribs that are fully cooked.", "attributes": ["fully cooked", "quality ingredients"], "options": ["flavor name: dry rubbed (seasoned) st louis style", "size: four half slabs"], "instruction_attributes": ["fully cooked"], "instruction_options": ["dry rubbed (seasoned) st louis style", "four half slabs"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3TIZ9J", "worker_id": "A2ECRNQ3X5LEXD"}], "B092NV1R6G": [{"asin": "B092NV1R6G", "instruction": "i'm looking for a high quality anti-static hair brush", "attributes": ["high quality", "hair growth", "hair styling"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6MX7UA", "worker_id": "A2Y2TURT2VEYZN"}], "B00DU76CHK": [{"asin": "B00DU76CHK", "instruction": "like to buy a memory foam flat with rubber sole in taupe color and 8 wide size.", "attributes": ["memory foam", "rubber sole"], "options": ["color: taupe", "size: 8 wide"], "instruction_attributes": ["memory foam", "rubber sole"], "instruction_options": ["taupe", "8 wide"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9VX87N", "worker_id": "A3AYHESLQSDY5T"}], "B09NM4XQ7W": [{"asin": "B09NM4XQ7W", "instruction": "i am interested in buying a remote control repeater which supports blu ray streaming.", "attributes": ["dual band", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCK1OND8", "worker_id": "AHXHM1PQTRWIQ"}], "B099WCPFJP": [{"asin": "B099WCPFJP", "instruction": "hello, i'm looking for a sweater that's slim fit and comes in black? size medium too, please", "attributes": ["slim fit", "long sleeve", "everyday wear"], "options": ["color: black", "size: medium"], "instruction_attributes": ["slim fit"], "instruction_options": ["black", "medium"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGGKS9D", "worker_id": "A2TRV8SEM003GG"}], "B000QSPX58": [{"asin": "B000QSPX58", "instruction": "find me a jar of baby food that is certified organic. it should also be non gmo.", "attributes": ["bpa free", "certified organic", "non gmo", "artificial flavors"], "options": [""], "instruction_attributes": ["certified organic", "non gmo"], "instruction_options": [], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DUU4KD", "worker_id": "A1NF6PELRKACS9"}], "B07SFX4BPR": [{"asin": "B07SFX4BPR", "instruction": "i need some relaxed fit pants that are gray and are a size 3x.", "attributes": ["relaxed fit", "high waist", "teen girls"], "options": ["color: gray yoga trousers", "size: 3x"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["gray yoga trousers", "3x"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VTBXM5", "worker_id": "A2ECRNQ3X5LEXD"}], "B0954V82WH": [{"asin": "B0954V82WH", "instruction": "i would like some original flavor plant based meat.", "attributes": ["soy free", "plant based", "protein serving"], "options": ["flavor: original"], "instruction_attributes": ["plant based"], "instruction_options": ["original"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHABLDO5", "worker_id": "A1WS884SI0SLO4"}], "B09QGK3M3S": [{"asin": "B09QGK3M3S", "instruction": "i need gold plated red rca cables that are 1.6 feet.", "attributes": ["gold plated", "stereo sound"], "options": ["color: red", "number of items: 2", "size: 1.6 feet"], "instruction_attributes": ["gold plated"], "instruction_options": ["red", "1.6 feet"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0EC162", "worker_id": "A2ECRNQ3X5LEXD"}], "B000E1HVCA": [{"asin": "B000E1HVCA", "instruction": "i am looking for chocolate sugar free fat free pistachio flavored pudding and pie filling mix", "attributes": ["sugar free", "fat free"], "options": ["flavor name: pistachio"], "instruction_attributes": ["sugar free", "fat free"], "instruction_options": ["pistachio"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK24AFKNC", "worker_id": "A258PTOZ3D2TQR"}], "B09CV83TC3": [{"asin": "B09CV83TC3", "instruction": "i am looking for men comfortable fit sweatpants of black color.", "attributes": ["officially licensed", "long lasting", "quality polyester", "comfortable fit", "quality materials", "polyester cotton", "drawstring closure"], "options": ["color: black", "size: large"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["black"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUJW5SS", "worker_id": "A3FG5PQHG5AH3Y"}], "B09GNBMZ8R": [{"asin": "B09GNBMZ8R", "instruction": "i need glass screen grey color", "attributes": ["glass screen", "tempered glass"], "options": ["color: grey"], "instruction_attributes": ["glass screen"], "instruction_options": ["grey"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY4A4JS", "worker_id": "A226L9F2AZ38CL"}], "B09KGT3XVC": [{"asin": "B09KGT3XVC", "instruction": "i want case cover in american flag deer color", "attributes": ["easy install", "easy use", "case cover"], "options": ["color: american flag deer", "size: iphone 13 pro max\uff086.7 inch\uff09"], "instruction_attributes": ["case cover"], "instruction_options": ["american flag deer"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCUL56S", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B09KGT3XVC", "instruction": "i need a cell phone case that is easy to install and is astronaut colored", "attributes": ["easy install", "easy use", "case cover"], "options": ["color: astronaut", "size: iphone 13 pro max\uff086.7 inch\uff09"], "instruction_attributes": ["easy install"], "instruction_options": ["astronaut"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XVKNG2", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HLR225R": [{"asin": "B08HLR225R", "instruction": "i need a bpa free jar that is black", "attributes": ["bpa free", "travel size", "easy clean", "long lasting", "travel bottles"], "options": ["color: black"], "instruction_attributes": ["bpa free"], "instruction_options": ["black"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYLRLQN", "worker_id": "A2ECRNQ3X5LEXD"}], "B01M21KDSN": [{"asin": "B01M21KDSN", "instruction": "find me a 5-pack of natural water enhancer that is keto-friendly and does not contain any sugar. i'll take the skinny orange citrus flavor.", "attributes": ["keto friendly", "sugar free"], "options": ["flavor name: skinny orange citrus", "size: 1.62 fl oz (pack of 5)"], "instruction_attributes": ["keto friendly", "sugar free"], "instruction_options": ["skinny orange citrus", "1.62 fl oz (pack of 5)"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YKCPN9", "worker_id": "A3LIIE572Z4OG7"}], "B07R926VLW": [{"asin": "B07R926VLW", "instruction": "i would like 2 packs and rinse of alcohol free mouthwash and toothpaste.", "attributes": ["alcohol free", "paraben free", "tea tree", "coconut oil", "bad breath"], "options": ["style: 2 pack + rinse"], "instruction_attributes": ["alcohol free"], "instruction_options": ["2 pack + rinse"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VT9XM3", "worker_id": "A1WS884SI0SLO4"}], "B09LLVKS26": [{"asin": "B09LLVKS26", "instruction": "i need an ac adapter that has output protection", "attributes": ["output protection", "easy carry"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LBCRET", "worker_id": "A2ECRNQ3X5LEXD"}], "B071HH7B9T": [{"asin": "B071HH7B9T", "instruction": "i'm looking for a wall mounted mirror with a silver painted wooden frame. the size should be eighteen by twenty-four inches.", "attributes": ["wall mounted", "wood frame"], "options": ["color: vegas silver", "size: glass size 18x24"], "instruction_attributes": ["wall mounted", "wood frame"], "instruction_options": ["vegas silver", "glass size 18x24"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22POEQET", "worker_id": "AR9AU5FY1S3RO"}], "B09J2N4KMC": [{"asin": "B09J2N4KMC", "instruction": "i need a black wireless earbuds bluetooth", "attributes": ["fast charging", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NAP2N4", "worker_id": "A2Y2TURT2VEYZN"}], "B07K9JK92F": [{"asin": "B07K9JK92F", "instruction": "i am looking for a set of 2 easy to install sea teal colored curtains that are machine washable.", "attributes": ["machine washable", "easy install"], "options": ["color: sea teal", "size: 66 in x 90 in (w x l)"], "instruction_attributes": ["machine washable", "easy install"], "instruction_options": ["sea teal"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHDSE1U", "worker_id": "A1EREKSZAA9V7B"}], "B09JB2M7BZ": [{"asin": "B09JB2M7BZ", "instruction": "i am interested in buying a mai tai mix which is ready to use and is not alcoholic.", "attributes": ["ready use", "non alcoholic"], "options": [""], "instruction_attributes": ["ready use", "non alcoholic"], "instruction_options": [], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRXDF3V", "worker_id": "AHXHM1PQTRWIQ"}], "B07NP7JW66": [{"asin": "B07NP7JW66", "instruction": "i need an ac adapter with output protection", "attributes": ["output protection", "4g lte"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7ZA5PX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DSYQMXM": [{"asin": "B09DSYQMXM", "instruction": "i am looking for antislip shoes that are a 6.5 for women", "attributes": ["anti slip", "rubber sole"], "options": ["color: reggae marijuana w", "size: 6.5 women | 4.5 men"], "instruction_attributes": ["anti slip"], "instruction_options": ["6.5 women | 4.5 men"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LE41OP", "worker_id": "A2ECRNQ3X5LEXD"}], "B092FCM7L1": [{"asin": "B092FCM7L1", "instruction": "i would like a gluten free sweet and sour chicken dinner.", "attributes": ["gluten free", "ready eat"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCZT4QA", "worker_id": "A1WS884SI0SLO4"}], "B07XGH1DFM": [{"asin": "B07XGH1DFM", "instruction": "i am looking for brown color ottoman bench for living room.", "attributes": ["button tufted", "non slip", "easy assemble", "solid wood", "living room"], "options": ["color: brown"], "instruction_attributes": ["living room"], "instruction_options": ["brown"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTQ9O61", "worker_id": "A3FG5PQHG5AH3Y"}], "B09G6ZZFXH": [{"asin": "B09G6ZZFXH", "instruction": "i need a solid wood white bed frame.", "attributes": ["white item", "solid wood"], "options": ["color: white"], "instruction_attributes": ["solid wood"], "instruction_options": ["white"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LAVERX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DCS16FJ": [{"asin": "B09DCS16FJ", "instruction": "i want twin size black pants", "attributes": ["twin size", "space saving", "box spring", "storage space", "solid wood"], "options": ["color: black", "style: bunk bed with trundle & staircase"], "instruction_attributes": ["twin size"], "instruction_options": ["black"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1YAH24", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B09DCS16FJ", "instruction": "i am looking for black twin size bunk beds.", "attributes": ["twin size", "space saving", "box spring", "storage space", "solid wood"], "options": ["color: black", "style: bunk bed with drawers&ladder&slat"], "instruction_attributes": ["twin size"], "instruction_options": ["black"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTHLD57", "worker_id": "A1EREKSZAA9V7B"}], "B0946PM7VK": [{"asin": "B0946PM7VK", "instruction": "i'm looking for a pair of women's size seven steel toed boots that are water resistant and come in black.", "attributes": ["water resistant", "steel toe"], "options": ["color: black-80", "size: 7 women | 5.5 men"], "instruction_attributes": ["water resistant", "steel toe"], "instruction_options": ["black-80", "7 women | 5.5 men"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TUVPM2", "worker_id": "AR9AU5FY1S3RO"}], "B000774DQI": [{"asin": "B000774DQI", "instruction": "i want fluoride free ayurvedic herbal toothpaste.", "attributes": ["fluoride free", "cruelty free", "oral hygiene"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40JXXNH", "worker_id": "A2RBF3IIJP15IH"}], "B09P4NKXYH": [{"asin": "B09P4NKXYH", "instruction": "i would like a black pair of earbud headphones that are able to be wirelessly charged.", "attributes": ["noise cancelling", "fast charging", "wireless charging", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["wireless charging"], "instruction_options": ["black"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZH6RP4", "worker_id": "A1WS884SI0SLO4"}], "B07W7S31HC": [{"asin": "B07W7S31HC", "instruction": "i would like a strawberry sunrise lip balm that is paraben and cruelty free.", "attributes": ["certified organic", "paraben free", "cruelty free", "argan oil", "coconut oil"], "options": ["color: strawberry sunrise"], "instruction_attributes": ["paraben free", "cruelty free"], "instruction_options": ["strawberry sunrise"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMLJJ1F", "worker_id": "A1WS884SI0SLO4"}], "B01BZ4D2AO": [{"asin": "B01BZ4D2AO", "instruction": "i am looking for brown hiking boots that are size 10.5 wide with a synthetic sole.", "attributes": ["synthetic sole", "memory foam", "relaxed fit"], "options": ["color: brown", "size: 10.5 wide"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["brown", "10.5 wide"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZCOUWF", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DPG79J2": [{"asin": "B09DPG79J2", "instruction": "i am looking for a replacement tv remote control with the aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907VTAUW", "worker_id": "A1EREKSZAA9V7B"}], "B0008EOGE4": [{"asin": "B0008EOGE4", "instruction": "i'm looking for a pair of straight leg jeans with a button closure that comes in the \"silo\" color. i need them with a forty inch waist and a twenty nine inch length.", "attributes": ["straight leg", "long lasting", "regular fit", "button closure", "classic fit"], "options": ["color: silo", "size: 40w x 29l"], "instruction_attributes": ["straight leg", "button closure"], "instruction_options": ["silo", "40w x 29l"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02ITO32F", "worker_id": "AR9AU5FY1S3RO"}], "B09R9826YV": [{"asin": "B09R9826YV", "instruction": "i am looking for a great gift chocolate box packed in silver foil box color.", "attributes": ["great gift", "gift basket"], "options": ["color: silver foil box"], "instruction_attributes": ["great gift"], "instruction_options": ["silver foil box"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1G2RXF", "worker_id": "A1Q8PPQQCWGY0D"}], "B08KDPSJYK": [{"asin": "B08KDPSJYK", "instruction": "i am looking for a non alcoholic cocktail syrup with coconut flavour.", "attributes": ["non alcoholic", "artificial ingredients", "non gmo", "gluten free"], "options": ["flavor name: coconut", "size: 25 fl oz (pack of 1)"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["coconut"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3V4D1NO", "worker_id": "AHU9OLV0YKIIW"}], "B07DWQ3RWY": [{"asin": "B07DWQ3RWY", "instruction": "i would like a 40 w by 28 l grill pant with a elastic waist.", "attributes": ["classic fit", "elastic waist"], "options": ["color: grill", "size: 40w x 28l"], "instruction_attributes": ["elastic waist"], "instruction_options": ["grill", "40w x 28l"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUMQ3RI", "worker_id": "A1WS884SI0SLO4"}], "B09MWH6FBW": [{"asin": "B09MWH6FBW", "instruction": "i need a space saving ottoman that is purple", "attributes": ["high density", "space saving", "easy clean", "easy assemble", "faux leather", "storage space", "living room"], "options": ["color: purple", "size: 31x31x31cm(12x12x12inch)"], "instruction_attributes": ["space saving"], "instruction_options": ["purple"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV6U8DA", "worker_id": "A2ECRNQ3X5LEXD"}], "B08JY4DGB1": [{"asin": "B08JY4DGB1", "instruction": "i'm looking for a long lasting samsung cell phone.", "attributes": ["long lasting", "4g lte"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPQUFWO", "worker_id": "ARQ05PDNXPFDI"}], "B0068RE8XO": [{"asin": "B0068RE8XO", "instruction": "i would like some non gno amaretto almond biscotti.", "attributes": ["non gmo", "perfect gift"], "options": ["flavor name: amaretto almond biscotti"], "instruction_attributes": ["non gmo"], "instruction_options": ["amaretto almond biscotti"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFG2U5I", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0068RE8XO", "instruction": "i want a creme brulee truffle coffee that is gmo free.", "attributes": ["non gmo", "perfect gift"], "options": ["flavor name: creme brulee truffle"], "instruction_attributes": ["non gmo"], "instruction_options": ["creme brulee truffle"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QZQ708", "worker_id": "A1WS884SI0SLO4"}], "B01LXHXJF9": [{"asin": "B01LXHXJF9", "instruction": "i need an 8 ft navy area rug for the living room that is round.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: navy | teal", "item shape: round", "size: 8 ft"], "instruction_attributes": ["living room"], "instruction_options": ["navy | teal", "round", "8 ft"], "assignment_id": "3P4MQ7TPP8M09ONPVWROKZ1I0REBBG", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01LXHXJF9", "instruction": "i want an area rug to go in my living room. pick something in either white or royal blue.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: white | royal blue", "item shape: runner", "size: 8 ft x 8 ft"], "instruction_attributes": ["living room"], "instruction_options": ["white | royal blue"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1C0XCA", "worker_id": "A1NF6PELRKACS9"}], "B0928MPG7R": [{"asin": "B0928MPG7R", "instruction": "i'm looking for a high definition screen protector for my smart watch.", "attributes": ["high definition", "ultra hd"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL8JH5N", "worker_id": "AR9AU5FY1S3RO"}], "B09NLXNYKZ": [{"asin": "B09NLXNYKZ", "instruction": "i am searching for 3 colors makeup naked long lasting eye shadow", "attributes": ["highly pigmented", "long lasting", "easy use", "eye shadow"], "options": ["color: 03"], "instruction_attributes": ["long lasting", "eye shadow"], "instruction_options": ["03"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FGS8KQ", "worker_id": "A258PTOZ3D2TQR"}], "B08DFTK4WT": [{"asin": "B08DFTK4WT", "instruction": "i would like a pair of extra large darkgrey sweatpants with a elastic waist.", "attributes": ["winter warm", "elastic waist", "gym workout"], "options": ["color: darkgrey (closed bottom)", "size: x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["darkgrey (closed bottom)", "x-large"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40YMRCL", "worker_id": "A1WS884SI0SLO4"}], "B08SJ4HVSY": [{"asin": "B08SJ4HVSY", "instruction": "i am looking for an arabic javy cold brew coffee concentrate.", "attributes": ["sugar free", "non gmo", "gluten free"], "options": ["flavor name: caramel", "size: 12 ounce (pack of 2)"], "instruction_attributes": ["non gmo"], "instruction_options": ["caramel"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB16GULK", "worker_id": "A2KW17G25L25R8"}], "B07CH44FCJ": [{"asin": "B07CH44FCJ", "instruction": "i would like a foot cream made from seed oil.", "attributes": ["easy use", "tea tree", "seed oil", "dead skin"], "options": [""], "instruction_attributes": ["seed oil"], "instruction_options": [], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AL5UYX", "worker_id": "A1WS884SI0SLO4"}], "B08GLM774B": [{"asin": "B08GLM774B", "instruction": "i'm looking for some 3 x large high waisted tummy control leggings in wine red polyester spandex.", "attributes": ["butt lifting", "tummy control", "high waist", "polyester spandex"], "options": ["color: #1 s-melange wine red", "size: 3x-large"], "instruction_attributes": ["tummy control", "high waist", "polyester spandex"], "instruction_options": ["#1 s-melange wine red", "3x-large"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KWL9JQ", "worker_id": "AR9AU5FY1S3RO"}], "B07BMH2TFF": [{"asin": "B07BMH2TFF", "instruction": "i'm looking for a large novelty pajama set for my husband who likes blue stripes; i must be able to machine wash it cold.", "attributes": ["wash cold", "machine wash", "relaxed fit", "tumble dry"], "options": ["color: with blue strpe pant", "size: large"], "instruction_attributes": ["wash cold", "machine wash"], "instruction_options": ["with blue strpe pant", "large"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q5RGWL", "worker_id": "A3LIIE572Z4OG7"}], "B09M8H138L": [{"asin": "B09M8H138L", "instruction": "i'm looking for oral care tooth brushes with accessories.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: c- green", "size: 6-12t"], "instruction_attributes": ["easy use"], "instruction_options": ["c- green"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1CZ9U2", "worker_id": "A21IUUHBSEVB56"}], "B004UT3E82": [{"asin": "B004UT3E82", "instruction": "i'm looking for after wax lotion that is cruelty free and is also an epilating trial pack pattern.", "attributes": ["cruelty free", "hair removal"], "options": ["pattern name: epilating trial pack"], "instruction_attributes": ["cruelty free"], "instruction_options": ["epilating trial pack"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q5LWGV", "worker_id": "A34EHWOYRBL6OZ"}], "B07YQHHK9F": [{"asin": "B07YQHHK9F", "instruction": "i am looking for star wars large size navy color bounty hunter wrap around logo raglan baseball t-shirt", "attributes": ["officially licensed", "machine wash", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: navy | white", "fit type: women", "size: large"], "instruction_attributes": ["star wars"], "instruction_options": ["navy | white", "large"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIHQFVC", "worker_id": "A258PTOZ3D2TQR"}], "B09KBW7Y9L": [{"asin": "B09KBW7Y9L", "instruction": "so i would like to find a men's blazer. it needs to be a size 40 and it has to have buttons for those cold windy days. ideally, make sure it is grey with a slim fit as well.", "attributes": ["slim fit", "hand wash", "button closure", "polyester cotton"], "options": ["color: grey", "size: 40"], "instruction_attributes": ["slim fit", "button closure"], "instruction_options": ["grey", "40"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPJ0VQN", "worker_id": "A3GMRPF5MCQVGV"}], "B09FB1NBWD": [{"asin": "B09FB1NBWD", "instruction": "i am looking for modern mid century droplet accent table lamp for living room", "attributes": ["mid century", "living room"], "options": [""], "instruction_attributes": ["mid century", "living room"], "instruction_options": [], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYPDCGC", "worker_id": "A258PTOZ3D2TQR"}], "B082WLFJPV": [{"asin": "B082WLFJPV", "instruction": "i need medipharma cosmetics eyebrow booster serum paraben & silicon free", "attributes": ["paraben free", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["paraben free"], "instruction_options": [], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFWO3ER", "worker_id": "A1V2C99HEV3F14"}], "B01F7MCTBS": [{"asin": "B01F7MCTBS", "instruction": "i am looking for superfood low carb snack tropical mix cubed of 4 pound (pack of 1)", "attributes": ["non gmo", "keto friendly", "low carb"], "options": ["flavor name: tropical mix cubed", "size: 4 pound (pack of 1)"], "instruction_attributes": ["low carb"], "instruction_options": ["tropical mix cubed", "4 pound (pack of 1)"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOGWTAW", "worker_id": "A258PTOZ3D2TQR"}], "B09NMYSG5G": [{"asin": "B09NMYSG5G", "instruction": "i'm looking for a set of machine washable long sleeved pajamas that come in a men's small.", "attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "long sleeve", "dry clean"], "options": ["color: multi 2", "size: small"], "instruction_attributes": ["machine wash", "long sleeve"], "instruction_options": ["small"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WX21AS", "worker_id": "AR9AU5FY1S3RO"}], "B09ND5W2FR": [{"asin": "B09ND5W2FR", "instruction": "i would like a auto charger with a usb port.", "attributes": ["fast charging", "high speed", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KYCE79", "worker_id": "A1WS884SI0SLO4"}], "B01CU5ZJIU": [{"asin": "B01CU5ZJIU", "instruction": "i would like 72 pieces of a variety of sugar free bubblegum.", "attributes": ["keto friendly", "sugar free", "gluten free", "soy free", "low carb", "non gmo", "resealable bag"], "options": ["flavor name: variety", "size: 72 count (pack of 3)"], "instruction_attributes": ["sugar free"], "instruction_options": ["variety", "72 count (pack of 3)"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMY2G29", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B01CU5ZJIU", "instruction": "i am looking for sugar free wintergreen chewing gum.", "attributes": ["keto friendly", "sugar free", "gluten free", "soy free", "low carb", "non gmo", "resealable bag"], "options": ["flavor name: wintergreen", "size: 55 count (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["wintergreen"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4AWRQT", "worker_id": "A1EREKSZAA9V7B"}], "B07PQJ1PF2": [{"asin": "B07PQJ1PF2", "instruction": "i am looking for string curtain of rose color that are eco friendly and easy to install.", "attributes": ["eco friendly", "easy install", "living room"], "options": ["color: rose"], "instruction_attributes": ["eco friendly", "easy install"], "instruction_options": ["rose"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XTNNG1", "worker_id": "A1Q8PPQQCWGY0D"}], "B08BX7C5BY": [{"asin": "B08BX7C5BY", "instruction": "i want a blue color synthetic sole vinyl acetate women clogs size 6.5", "attributes": ["ethylene vinyl", "vinyl acetate", "synthetic sole"], "options": ["color: blue", "size: 6.5 women | 5 men"], "instruction_attributes": ["vinyl acetate", "synthetic sole"], "instruction_options": ["blue"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKGU883", "worker_id": "A3N9ZYQAESNFQH"}], "B08D6B3CFK": [{"asin": "B08D6B3CFK", "instruction": "i would like a glass screen scanner.", "attributes": ["batteries included", "easy use", "glass screen"], "options": [""], "instruction_attributes": ["glass screen"], "instruction_options": [], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXSA6WAH", "worker_id": "A1WS884SI0SLO4"}], "B07XYXC1Z7": [{"asin": "B07XYXC1Z7", "instruction": "i'm looking for a red folding ottoman bench for the living room that has storage space and is easy to assemble and easy to clean.", "attributes": ["easy assemble", "easy clean", "faux leather", "storage space", "living room"], "options": ["color: red"], "instruction_attributes": ["easy assemble", "easy clean", "storage space", "living room"], "instruction_options": ["red"], "assignment_id": "3X08E93BH6SOX0PZ3ET8Y3TY8PU667", "worker_id": "A34EHWOYRBL6OZ"}], "B09QG84JT4": [{"asin": "B09QG84JT4", "instruction": "i am looking for medium size, white color and short sleeve aloha beach shirt", "attributes": ["slim fit", "short sleeve", "long sleeve", "tummy control", "regular fit", "relaxed fit", "button closure"], "options": ["color: l-white", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["l-white", "medium"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI83RSS4", "worker_id": "A258PTOZ3D2TQR"}], "B0987MDSG3": [{"asin": "B0987MDSG3", "instruction": "i am looking for desktop having 8gb ram and 64gb ssd and core i5 processor.", "attributes": ["core i5", "intel core"], "options": ["color: taiwan high temperature 5 wire resistive", "size: 8g ram 64g ssd"], "instruction_attributes": ["core i5"], "instruction_options": ["8g ram 64g ssd"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNCC01O", "worker_id": "A3FG5PQHG5AH3Y"}], "B083VY7NS5": [{"asin": "B083VY7NS5", "instruction": "i am looking for herbal ginger tea in small packs.", "attributes": ["caffeine free", "kosher certified", "gluten free", "artificial colors", "perfect gift"], "options": ["flavor name: black tea", "size: 15 count (pack of 2)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["15 count (pack of 2)"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNUCFJK", "worker_id": "A21IUUHBSEVB56"}], "B08YNK3KD9": [{"asin": "B08YNK3KD9", "instruction": "i need a 3 ft fast charging lightning cable that is purple.", "attributes": ["fast charging", "high speed"], "options": ["color: purple", "size: 3 ft"], "instruction_attributes": ["fast charging"], "instruction_options": ["purple", "3 ft"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYRB9QF", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KD4CKLP": [{"asin": "B07KD4CKLP", "instruction": "i am looking for carbon fiber monopod", "attributes": ["quick release", "carbon fiber"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBTWJE5", "worker_id": "A16M39T60N60NO"}], "B01J8S6X2I": [{"asin": "B01J8S6X2I", "instruction": "i need six feet of hdmi high performance cables in a ten pack", "attributes": ["gold plated", "high performance"], "options": ["pattern name: cable", "size: 6 feet", "style: 10-pack"], "instruction_attributes": ["high performance"], "instruction_options": ["6 feet", "10-pack"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNR0XJX6", "worker_id": "A2ECRNQ3X5LEXD"}], "B092NH4PT6": [{"asin": "B092NH4PT6", "instruction": "i am looking for women classic fit t-shirt.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: purple", "fit type: women", "size: x-small"], "instruction_attributes": ["classic fit"], "instruction_options": ["women"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OZV3MY", "worker_id": "A3FG5PQHG5AH3Y"}], "B06XCKNR17": [{"asin": "B06XCKNR17", "instruction": "i would like a quad core tablet.", "attributes": ["high performance", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V6P2U3", "worker_id": "A1WS884SI0SLO4"}], "B09P1J4K9Z": [{"asin": "B09P1J4K9Z", "instruction": "i would like a b04 toothbrush for kid's 6-12 sensitive teeth.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: b04", "size: age 6-12"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["b04", "age 6-12"], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ0ZMRRO", "worker_id": "A1WS884SI0SLO4"}], "B09F9RM3LM": [{"asin": "B09F9RM3LM", "instruction": "i want wireless charging in white color", "attributes": ["dust proof", "wireless charging"], "options": [""], "instruction_attributes": ["wireless charging"], "instruction_options": [], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADM2HAB", "worker_id": "A226L9F2AZ38CL"}], "B081SWDLF6": [{"asin": "B081SWDLF6", "instruction": "looking for lumbar support massage gaming chair choose colour yellow", "attributes": ["height adjustable", "lumbar support", "pu leather"], "options": ["color: yellow", "style: d06"], "instruction_attributes": ["lumbar support"], "instruction_options": ["yellow"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCVY5QQ", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B081SWDLF6", "instruction": "i am looking for a grey home office desk chair that is height adjustable and has lumbar support.", "attributes": ["height adjustable", "lumbar support", "pu leather"], "options": ["color: grey", "style: d03"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": ["grey"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA0DA8K", "worker_id": "A1EREKSZAA9V7B"}], "B095XYGKVX": [{"asin": "B095XYGKVX", "instruction": "i am interested in buying a screen protector which is tempered glass, and has rose gold color.", "attributes": ["heavy duty", "hands free", "glass screen", "tempered glass"], "options": ["color: rose gold"], "instruction_attributes": ["tempered glass"], "instruction_options": ["rose gold"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT062RUNZ", "worker_id": "AJY5G987IRT25"}], "B09K3WGHPQ": [{"asin": "B09K3WGHPQ", "instruction": "i'm looking for small high performance silicone watch bands that are quick release.", "attributes": ["quick release", "high performance"], "options": ["color: black blue | black charcoal | black red | black green", "size: small"], "instruction_attributes": ["quick release", "high performance"], "instruction_options": ["small"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LHWL0S", "worker_id": "A34EHWOYRBL6OZ"}], "B09MK8S41Y": [{"asin": "B09MK8S41Y", "instruction": "i am looking for a small long sleeve fashion hoodies & sweatshirts", "attributes": ["long sleeve", "drawstring closure", "short sleeve"], "options": ["color: red#01", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LLL5IR", "worker_id": "A9QRQL9CFJBI7"}], "B08KT687HP": [{"asin": "B08KT687HP", "instruction": "i am interested in buying an artwork for the living room. i would love it in the artwork-02 color.", "attributes": ["ready hang", "wood frame", "solid wood", "living room", "dining room"], "options": ["color: artwork-02", "size: 12x16 inches x 3 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["artwork-02"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV5ABHP", "worker_id": "AHXHM1PQTRWIQ"}], "B000V1LXU4": [{"asin": "B000V1LXU4", "instruction": "i want gluten free valley fresh 100% natural white chicken breast.", "attributes": ["fully cooked", "artificial ingredients", "ready eat", "gluten free"], "options": ["flavor name: chicken breast", "size: 7 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["chicken breast"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2VH5ML", "worker_id": "A2RBF3IIJP15IH"}], "B09C8HN13D": [{"asin": "B09C8HN13D", "instruction": "i would like a pair of size 8 shoes with a leather sole.", "attributes": ["long lasting", "leather sole"], "options": ["size: 8"], "instruction_attributes": ["leather sole"], "instruction_options": ["8"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKSXSGK", "worker_id": "A1WS884SI0SLO4"}], "B09L7WP5TR": [{"asin": "B09L7WP5TR", "instruction": "i want to buy a giant popsicle which is low calorie and fat free with orange flavor and is 51 ounce.", "attributes": ["low calorie", "fat free", "real fruit"], "options": ["flavor name: orange", "pattern name: powder + powder, 51 ounce"], "instruction_attributes": ["low calorie", "fat free"], "instruction_options": ["orange", "powder + powder, 51 ounce"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BPVVJL", "worker_id": "AJY5G987IRT25"}], "B096H8SXS2": [{"asin": "B096H8SXS2", "instruction": "i am looking for gluten free original caramel perfect premium gourmet popcorn", "attributes": ["gluten free", "ready eat", "natural ingredients"], "options": ["flavor name: original caramel"], "instruction_attributes": ["gluten free"], "instruction_options": ["original caramel"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANJDXS3", "worker_id": "A258PTOZ3D2TQR"}], "B09GJXM4DX": [{"asin": "B09GJXM4DX", "instruction": "i need some white bluetooth speakers that are easy to carry", "attributes": ["easy carry", "stereo sound"], "options": ["color: white"], "instruction_attributes": ["easy carry"], "instruction_options": ["white"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODPJWER", "worker_id": "A2ECRNQ3X5LEXD"}], "B0748FN9QT": [{"asin": "B0748FN9QT", "instruction": "i'm looking for trail cameras its is easy to use it can batteries inlcuded.", "attributes": ["batteries included", "easy use"], "options": ["color: grey x1"], "instruction_attributes": ["batteries included"], "instruction_options": ["grey x1"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZHQRPO", "worker_id": "A16IQOX0DK14OJ"}], "B0090OWWYO": [{"asin": "B0090OWWYO", "instruction": "i am looking for sindhi biryani spice powder that is easy to prepare.", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: sindhi biryani", "size: pack of 2"], "instruction_attributes": ["easy prepare"], "instruction_options": ["sindhi biryani"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQR8P05", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B0090OWWYO", "instruction": "i need 6 packs of bombay biryani easy prepare seasoning mix flavored punjabi yakhni pilau", "attributes": ["easy prepare", "easy use"], "options": ["flavor name: punjabi yakhni pilau", "size: pack of 6"], "instruction_attributes": ["easy prepare"], "instruction_options": ["punjabi yakhni pilau", "pack of 6"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5KFWIT", "worker_id": "A258PTOZ3D2TQR"}], "B07DKH94JR": [{"asin": "B07DKH94JR", "instruction": "i am looking for a brown wood finish end table.", "attributes": ["assembly required", "wood finish", "living room"], "options": ["color: brown"], "instruction_attributes": ["wood finish"], "instruction_options": ["brown"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUFIZDN", "worker_id": "A2ECRNQ3X5LEXD"}], "B07WRD84GY": [{"asin": "B07WRD84GY", "instruction": "i am looking for feather color jogging pants having elastic waist.", "attributes": ["drawstring closure", "elastic waist"], "options": ["color: feather", "size: x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["feather"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUFXDZG", "worker_id": "A1Q8PPQQCWGY0D"}], "B09LS3RCZ2": [{"asin": "B09LS3RCZ2", "instruction": "i am looking for a high quality and long lasting makeup kit for women.", "attributes": ["highly pigmented", "long lasting", "high quality", "nail polish"], "options": [""], "instruction_attributes": ["long lasting", "high quality"], "instruction_options": [], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TFTNM3", "worker_id": "A1Q8PPQQCWGY0D"}], "B087PVSGS4": [{"asin": "B087PVSGS4", "instruction": "i need a size 6 closed toe high heel pump shoe. the color should be cheetah leopard red.", "attributes": ["high heel", "closed toe", "unique design", "rubber sole"], "options": ["color: cheetah leopard red", "size: 6"], "instruction_attributes": ["high heel", "closed toe"], "instruction_options": ["cheetah leopard red", "6"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOS9YVL", "worker_id": "ASWFLI3N8X72G"}], "B07CBKJ7TS": [{"asin": "B07CBKJ7TS", "instruction": "i am looking for resealable snak club antioxidant trail mix. 5.5oz packs of six.", "attributes": ["non gmo", "resealable bag", "artificial colors"], "options": ["size: 1.37 pound (pack of 1)"], "instruction_attributes": ["resealable bag"], "instruction_options": ["1.37 pound (pack of 1)"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1B2I2B", "worker_id": "A2KW17G25L25R8"}], "B093KVXNYS": [{"asin": "B093KVXNYS", "instruction": "i want a travel organiser for blouse hosiery underwear lingeries laundry bag", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FP7FB3", "worker_id": "A3N9ZYQAESNFQH"}], "B00CQB2VR6": [{"asin": "B00CQB2VR6", "instruction": "i am looking for warm film video lighting kit for my digital photography. i prefer the 3200k lighting with 2400 watt", "attributes": ["carrying case", "digital photography"], "options": [""], "instruction_attributes": ["digital photography"], "instruction_options": [], "assignment_id": "3X0H8UUITCYRED22199FX2O3EGOWSO", "worker_id": "A2COCSUGZV28X"}], "B095S1MVRG": [{"asin": "B095S1MVRG", "instruction": "look for a long lasting shaving cream that is fragrance free. i also have a sensitive skin.", "attributes": ["dermatologist tested", "fragrance free", "long lasting", "sensitive skin"], "options": [""], "instruction_attributes": ["fragrance free", "long lasting", "sensitive skin"], "instruction_options": [], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKL81TW", "worker_id": "A1NF6PELRKACS9"}], "B098JFR3FK": [{"asin": "B098JFR3FK", "instruction": "i'm looking for an easy to use electric foot grinder in blue.", "attributes": ["high quality", "easy use", "quality materials", "dead skin", "dry skin"], "options": ["color: blue"], "instruction_attributes": ["easy use"], "instruction_options": ["blue"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XTLNGZ", "worker_id": "AR9AU5FY1S3RO"}], "B09MSH8K6T": [{"asin": "B09MSH8K6T", "instruction": "i am ordering a grey plus size women long sleeved t -shirt .", "attributes": ["long sleeve", "soft material"], "options": ["color: x02-gray", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x02-gray"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9Q4TV4", "worker_id": "AHU9OLV0YKIIW"}], "B08PKFH373": [{"asin": "B08PKFH373", "instruction": "i would like a aircraft cake topper for a kids birthday party.", "attributes": ["birthday party", "baby shower", "birthday cake"], "options": ["style: aircraft"], "instruction_attributes": ["birthday party"], "instruction_options": ["aircraft"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DX4TOZ", "worker_id": "A1WS884SI0SLO4"}], "B09CDRDPRX": [{"asin": "B09CDRDPRX", "instruction": "i am looking for a grey full daybed with 2 drawers and should be made of a solid wood.", "attributes": ["space saving", "box spring", "solid wood"], "options": ["color: grey", "size: full daybed with 2 drawers"], "instruction_attributes": ["solid wood"], "instruction_options": ["full daybed with 2 drawers"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX308U1B", "worker_id": "AHU9OLV0YKIIW"}], "B099DQDTN9": [{"asin": "B099DQDTN9", "instruction": "i am looking for a easy to use hair extension that has elastic rubber band. and i choose the curly bun with strawberry blonde color", "attributes": ["easy use", "hair salon"], "options": ["color: 27#(strawberry blonde)", "size: curly bun"], "instruction_attributes": ["easy use"], "instruction_options": ["27#(strawberry blonde)", "curly bun"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9WGTEF", "worker_id": "A2COCSUGZV28X"}, {"asin": "B099DQDTN9", "instruction": "i am looking for a tousled bun hairpieces for hair salon", "attributes": ["easy use", "hair salon"], "options": ["color: 2 | 30#(dark brown & light auburn mixed)", "size: tousled bun"], "instruction_attributes": ["hair salon"], "instruction_options": ["tousled bun"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS6NUVC", "worker_id": "A9QRQL9CFJBI7"}], "B0977NLTWY": [{"asin": "B0977NLTWY", "instruction": "i am looking for a ladder bookshelf having steel frame.", "attributes": ["coated steel", "steel frame"], "options": [""], "instruction_attributes": ["steel frame"], "instruction_options": [], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40YCCRW", "worker_id": "A1Q8PPQQCWGY0D"}], "B09C1D546R": [{"asin": "B09C1D546R", "instruction": "i am looking for a wall mounted mirror for the living room", "attributes": ["white item", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXADCFD", "worker_id": "A2ECRNQ3X5LEXD"}], "B086D53WFX": [{"asin": "B086D53WFX", "instruction": "i need a eco friendly green tea mask for sensitive sikn", "attributes": ["eco friendly", "cruelty free", "green tea", "tea tree", "sensitive skin"], "options": [""], "instruction_attributes": ["eco friendly", "green tea", "sensitive skin"], "instruction_options": [], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5IFWIP", "worker_id": "ASWFLI3N8X72G"}], "B07TVHJ7KY": [{"asin": "B07TVHJ7KY", "instruction": "looking for loose fit medium size casual basic tee shirts", "attributes": ["light weight", "loose fit", "cotton spandex"], "options": ["color: tie dye 27", "size: medium"], "instruction_attributes": ["loose fit"], "instruction_options": ["medium"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGZDWTO", "worker_id": "A10OGH5CQBXL5N"}], "B08BYH6J6Z": [{"asin": "B08BYH6J6Z", "instruction": "i would like a pair of size 5 leather oxfords with a synthetic sole.", "attributes": ["day comfort", "non slip", "synthetic sole"], "options": ["color: porcelain glazed croco | leather", "size: 5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["porcelain glazed croco | leather", "5"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9H1LD1U", "worker_id": "A1WS884SI0SLO4"}], "B0989DND8F": [{"asin": "B0989DND8F", "instruction": "i'm looking for a silicon exfoliating body scrubber which would be easy to use.", "attributes": ["easy clean", "double sided", "dead skin", "sensitive skin"], "options": ["color: blue+yellow"], "instruction_attributes": ["easy clean"], "instruction_options": ["blue+yellow"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35PGGUM", "worker_id": "A21IUUHBSEVB56"}], "B09FPRSY7Q": [{"asin": "B09FPRSY7Q", "instruction": "i need a high power soundbar with stereo sound. it should include the audio line.", "attributes": ["high power", "stereo sound"], "options": ["color: audio line included"], "instruction_attributes": ["high power", "stereo sound"], "instruction_options": ["audio line included"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF5PDLV", "worker_id": "AR9AU5FY1S3RO"}], "B09B6KYFB8": [{"asin": "B09B6KYFB8", "instruction": "i like soy wax in freesia & gardenia", "attributes": ["lead free", "soy wax"], "options": ["scent: freesia & gardenia"], "instruction_attributes": ["soy wax"], "instruction_options": ["freesia & gardenia"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYEFEIW", "worker_id": "A226L9F2AZ38CL"}], "B01DK5GE1U": [{"asin": "B01DK5GE1U", "instruction": "i'm looking for a size 48 in vanity light comtemporary cylinder.", "attributes": ["vanity light", "contemporary design", "brushed nickel", "light fixture", "living room"], "options": ["color: brushed nickel", "size: 48 in", "style: arrow"], "instruction_attributes": ["vanity light"], "instruction_options": ["48 in"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZFHLKD", "worker_id": "ARQ05PDNXPFDI"}], "B0185HLNIW": [{"asin": "B0185HLNIW", "instruction": "i am looking for an easy to clean wobble stool for kids, i would like a 20 inch seat, and black in color.", "attributes": ["fully assembled", "non slip", "easy clean"], "options": ["color: seafoam", "size: 20\" h"], "instruction_attributes": ["easy clean"], "instruction_options": ["20\" h"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCK1LND5", "worker_id": "A2KW17G25L25R8"}], "B08JPVZG7X": [{"asin": "B08JPVZG7X", "instruction": "i am looking for kids blanket of size 50x60 inch for my living room.", "attributes": ["machine washable", "fleece throw", "living room"], "options": ["color: blanket-03", "size: 50x60 inch"], "instruction_attributes": ["living room"], "instruction_options": ["50x60 inch"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCKCSJM", "worker_id": "A1Q8PPQQCWGY0D"}], "B09DDCP3PR": [{"asin": "B09DDCP3PR", "instruction": "i want wildcat leopard impo stretch boots with memory foam.", "attributes": ["memory foam", "leather sole"], "options": ["color: wildcat leopard", "size: 8 wide"], "instruction_attributes": ["memory foam"], "instruction_options": ["wildcat leopard"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWTTFPV", "worker_id": "A2RBF3IIJP15IH"}], "B09P8L6DKB": [{"asin": "B09P8L6DKB", "instruction": "i need red party supplies", "attributes": ["party supplies", "cupcake picks"], "options": ["color: red"], "instruction_attributes": ["party supplies"], "instruction_options": ["red"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFWEE3S", "worker_id": "A2ECRNQ3X5LEXD"}], "B078X4FYKH": [{"asin": "B078X4FYKH", "instruction": "i want a classic fit best cruise director ever shirt for men.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: men", "size: 3t"], "instruction_attributes": ["classic fit"], "instruction_options": ["men"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1ZZ2HG", "worker_id": "A2RBF3IIJP15IH"}], "B001QZZ1J8": [{"asin": "B001QZZ1J8", "instruction": "i would like a pack of six chocolate cake mixes that are non gmo.", "attributes": ["easy use", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: chocolate", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["chocolate", "12 ounce (pack of 6)"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602VT593", "worker_id": "A2ECRNQ3X5LEXD"}], "B07YXYCXSG": [{"asin": "B07YXYCXSG", "instruction": "i am looking for women's sandals of 8 size having leather sole.", "attributes": ["leather sole", "synthetic sole"], "options": ["color: emerald", "size: 8"], "instruction_attributes": ["leather sole"], "instruction_options": ["8"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGZTWT4", "worker_id": "A1Q8PPQQCWGY0D"}], "B08RNCQN19": [{"asin": "B08RNCQN19", "instruction": "i would like a portable bluetooth speaker with stereo sound.", "attributes": ["hands free", "carrying case", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIJP002", "worker_id": "A1WS884SI0SLO4"}], "B089GWSZ56": [{"asin": "B089GWSZ56", "instruction": "i am looking for a wireless hidden camera that can be easily used with shirt's pocket", "attributes": ["easy use", "motion detection"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM95EI1K", "worker_id": "A2COCSUGZV28X"}], "B093KMSTW2": [{"asin": "B093KMSTW2", "instruction": "i'm looking for golden decorated birthday cupcake.", "attributes": ["birthday cake", "party supplies"], "options": ["color: golden"], "instruction_attributes": ["birthday cake"], "instruction_options": ["golden"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG4IGBE", "worker_id": "A21IUUHBSEVB56"}], "B0774GXDMB": [{"asin": "B0774GXDMB", "instruction": "i would like 42 bags of 100% colombian rich and creamy single serve coffee cups.", "attributes": ["rich creamy", "non gmo", "gluten free"], "options": ["flavor name: 100% colombian, donut shop, morning blen...", "size: 42 count (pack of 2)"], "instruction_attributes": ["rich creamy"], "instruction_options": ["100% colombian, donut shop, morning blen...", "42 count (pack of 2)"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDKBO2M", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0774GXDMB", "instruction": "i want a 200 count pack of hot cocoa cups that is rich and creamy. ensure that it is gluten free.", "attributes": ["rich creamy", "non gmo", "gluten free"], "options": ["flavor name: morning blend, 100% colombian, donut sho...", "size: 200 count (pack of 1)"], "instruction_attributes": ["rich creamy", "gluten free"], "instruction_options": ["200 count (pack of 1)"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0Y3CCM", "worker_id": "A1NF6PELRKACS9"}], "B082YZ2M39": [{"asin": "B082YZ2M39", "instruction": "i am looking for a large light blue dress shirt that is long sleeved", "attributes": ["hand wash", "machine wash", "regular fit", "polyester spandex", "long sleeve"], "options": ["color: d-light blue no tie", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["d-light blue no tie", "large"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9LY6KY", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PRNYHKP": [{"asin": "B09PRNYHKP", "instruction": "i want size 7 ankle strap in metal", "attributes": ["non slip", "ankle strap"], "options": ["color: z02# gray", "size: 7"], "instruction_attributes": ["ankle strap"], "instruction_options": ["7"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUNN4S8", "worker_id": "A226L9F2AZ38CL"}], "B09G36DP9B": [{"asin": "B09G36DP9B", "instruction": "i'm looking for a 26cm hand painted wicker woven basket.", "attributes": ["hand painted", "living room"], "options": ["size: 26cm"], "instruction_attributes": ["hand painted"], "instruction_options": ["26cm"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZOJY1D", "worker_id": "ARQ05PDNXPFDI"}], "B09T39SXP5": [{"asin": "B09T39SXP5", "instruction": "i'm looking for a carbon fiber tripods for cameras", "attributes": ["quick release", "carbon fiber"], "options": [""], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8YE8GO", "worker_id": "A2Y2TURT2VEYZN"}], "B073RK32S6": [{"asin": "B073RK32S6", "instruction": "i would like a small rustic brown tv stand made of solid wood.", "attributes": ["mid century", "white item", "solid wood"], "options": ["color: rustic brown", "size: small"], "instruction_attributes": ["solid wood"], "instruction_options": ["rustic brown", "small"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UXN0YO", "worker_id": "A1WS884SI0SLO4"}], "B09SKR3H1J": [{"asin": "B09SKR3H1J", "instruction": "i'm looking for solid wooden furniture for kitchen, dinning and table chair set.", "attributes": ["easy clean", "metal legs", "solid wood", "living room"], "options": ["color: rustic brown", "size: 47.2\"l x 23.6\"w x 33.1\"h"], "instruction_attributes": ["solid wood"], "instruction_options": ["rustic brown"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5J21ZO", "worker_id": "A21IUUHBSEVB56"}], "B092VN7WGH": [{"asin": "B092VN7WGH", "instruction": "i'm looking for some leak proof, easy to clean travel bodies that are non-toxic and have hearts on them.", "attributes": ["leak proof", "non toxic", "easy clean", "travel bottles"], "options": ["style: heart style"], "instruction_attributes": ["leak proof", "non toxic", "easy clean", "travel bottles"], "instruction_options": ["heart style"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV4IHB1", "worker_id": "AR9AU5FY1S3RO"}], "B08Y8HB36D": [{"asin": "B08Y8HB36D", "instruction": "i need some beige storage bins that are easy to clean.", "attributes": ["spot clean", "easy clean", "faux leather"], "options": ["color: beige 16\"", "size: 16\" x 11.8\" x 11.8\"-2pack"], "instruction_attributes": ["easy clean"], "instruction_options": ["beige 16\""], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVQ0KJY", "worker_id": "A2ECRNQ3X5LEXD"}], "B097C7F3PF": [{"asin": "B097C7F3PF", "instruction": "i would like a variety pack of low calorie microwave popcorn.", "attributes": ["low calorie", "non gmo", "artificial ingredients", "gluten free"], "options": ["flavor name: variety pack"], "instruction_attributes": ["low calorie"], "instruction_options": ["variety pack"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9Q6VT8", "worker_id": "A1WS884SI0SLO4"}], "B08PQ792TD": [{"asin": "B08PQ792TD", "instruction": "i am looking for candle having jungle guava scent and should be lead free.", "attributes": ["lead free", "long lasting", "soy wax"], "options": ["scent: jungle guava", "size: 9 oz. | medium single wick"], "instruction_attributes": ["lead free"], "instruction_options": ["jungle guava"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TO73NY", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08PQ792TD", "instruction": "i want a tropic mist lead free single wick candle.", "attributes": ["lead free", "long lasting", "soy wax"], "options": ["scent: tropic mist", "size: 9 oz. | medium single wick"], "instruction_attributes": ["lead free"], "instruction_options": ["tropic mist"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPW2JPM", "worker_id": "A2RBF3IIJP15IH"}], "B08KRQ6JBN": [{"asin": "B08KRQ6JBN", "instruction": "i'm looking for pure mulberry silk underwear for men.", "attributes": ["machine washable", "hand wash", "machine wash", "elastic waistband", "classic fit"], "options": [""], "instruction_attributes": ["elastic waistband", "classic fit"], "instruction_options": [], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXUC5OE", "worker_id": "A21IUUHBSEVB56"}], "B0953QCJ3H": [{"asin": "B0953QCJ3H", "instruction": "looking for tatami floor mat for living room also choose size180x200cm(71*79inch)", "attributes": ["memory foam", "living room"], "options": ["color: c", "size: 180x200cm(71*79inch)"], "instruction_attributes": ["living room"], "instruction_options": ["180x200cm(71*79inch)"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPL2NJ3", "worker_id": "A10OGH5CQBXL5N"}], "B08THG9FDG": [{"asin": "B08THG9FDG", "instruction": "i am looking for ultra hd motion detection surveillance dome camera color black size :6mp wdr 2.8 mm", "attributes": ["ultra hd", "plug play", "motion detection"], "options": ["color: black", "size: 6mp wdr 2.8mm"], "instruction_attributes": ["ultra hd", "motion detection"], "instruction_options": ["black", "6mp wdr 2.8mm"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZJD7A6", "worker_id": "A3N9ZYQAESNFQH"}], "B097C6SVG6": [{"asin": "B097C6SVG6", "instruction": "i need to buy a light weight, machine washable tank top in brown, size small.", "attributes": ["light weight", "machine washable", "machine wash", "relaxed fit", "button closure"], "options": ["color: z5-brown", "size: small"], "instruction_attributes": ["light weight", "machine washable"], "instruction_options": ["z5-brown", "small"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1FSXC8", "worker_id": "AR9AU5FY1S3RO"}], "B01DQ8VYHA": [{"asin": "B01DQ8VYHA", "instruction": "i would like a source vitamin soft drink mix.", "attributes": ["caffeine free", "source vitamin"], "options": [""], "instruction_attributes": ["source vitamin"], "instruction_options": [], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9NJB0W", "worker_id": "A1WS884SI0SLO4"}], "B077V2Q32W": [{"asin": "B077V2Q32W", "instruction": "i would like a 2x poolside sebastion plaid shirt that is easy to take care of.", "attributes": ["easy care", "machine wash", "button closure", "short sleeve"], "options": ["color: poolside sebastion plaid", "size: 2x"], "instruction_attributes": ["easy care"], "instruction_options": ["poolside sebastion plaid", "2x"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y5ANNA", "worker_id": "A1WS884SI0SLO4"}], "B09NBWK214": [{"asin": "B09NBWK214", "instruction": "i am looing for a fog color hair drying towels which is easy to use", "attributes": ["easy use", "dry hair"], "options": ["color: fog"], "instruction_attributes": ["easy use"], "instruction_options": ["fog"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYTROZB", "worker_id": "A9QRQL9CFJBI7"}], "B09129QLGX": [{"asin": "B09129QLGX", "instruction": "i need to buy a queen sized duvet cover. i want one that's machine washable.", "attributes": ["queen size", "machine washable"], "options": ["color: multi 01", "size: queen"], "instruction_attributes": ["queen size", "machine washable"], "instruction_options": ["queen"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G79S473", "worker_id": "AR9AU5FY1S3RO"}], "B00L7S3FJ2": [{"asin": "B00L7S3FJ2", "instruction": "i'm looking for a cruelty free body wash, preferably citrus and mint scent.", "attributes": ["fragrance free", "cruelty free"], "options": ["scent: citrus and mint"], "instruction_attributes": ["cruelty free"], "instruction_options": ["citrus and mint"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TFL2K0", "worker_id": "ARQ05PDNXPFDI"}], "B07HZHJGY7": [{"asin": "B07HZHJGY7", "instruction": "i am looking for a tablet of plum color having quad core processor.", "attributes": ["hands free", "quad core"], "options": ["color: plum", "digital storage capacity: 32 gb", "offer type: without lockscreen ads", "style: with case & screen protector (2-pack)"], "instruction_attributes": ["quad core"], "instruction_options": ["plum"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IYVKHS", "worker_id": "A1Q8PPQQCWGY0D"}], "B095KSXGZX": [{"asin": "B095KSXGZX", "instruction": "i am looking for a roller shade that is gray and for the living room", "attributes": ["white item", "easy clean", "living room"], "options": ["color: blackout classic gray", "size: 20\"w x 64\"h"], "instruction_attributes": ["living room"], "instruction_options": ["blackout classic gray"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLO03O78", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B095KSXGZX", "instruction": "i want to find white blackout window shades that i can put in my living room, and they need to be 2 inches in width and 64 inches in height.", "attributes": ["white item", "easy clean", "living room"], "options": ["color: blackout white", "size: 74 1 | 2\"w x 64\"h"], "instruction_attributes": ["white item", "living room"], "instruction_options": ["blackout white", "74 1 | 2\"w x 64\"h"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF99RZAL", "worker_id": "A345TDMHP3DQ3G"}], "B01NAWGUXD": [{"asin": "B01NAWGUXD", "instruction": "i need a mid century coffee table.", "attributes": ["mid century", "solid wood"], "options": [""], "instruction_attributes": ["mid century"], "instruction_options": [], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWTJPFV", "worker_id": "A2ECRNQ3X5LEXD"}], "B08NSQG7P3": [{"asin": "B08NSQG7P3", "instruction": "i'm looking for a three pack of grey pendant lights for my dining room.", "attributes": ["pendant light", "dining room", "living room"], "options": ["color: grey,3 pack"], "instruction_attributes": ["pendant light", "dining room"], "instruction_options": ["grey,3 pack"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1BMI2V", "worker_id": "AR9AU5FY1S3RO"}], "B09B3Q8T5W": [{"asin": "B09B3Q8T5W", "instruction": "i'm looking for a high definition wireless bluetooth radio with fast charging capacity. also choose white star one.", "attributes": ["fast charging", "high definition", "wireless bluetooth", "wireless charging"], "options": ["color: white star"], "instruction_attributes": ["fast charging", "high definition", "wireless bluetooth"], "instruction_options": ["white star"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LYECDL", "worker_id": "AR0VJ5XRG16UJ"}], "B08DR1NNJ4": [{"asin": "B08DR1NNJ4", "instruction": "i am interested in buying a universal remote control which has batteries included and is compatible with smart tvs.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6HYEVI", "worker_id": "AJY5G987IRT25"}], "B09B2164QM": [{"asin": "B09B2164QM", "instruction": "i would like some 12 inch balayage dark brown mixed with walnut brown and strawberry blonde hair extensions.", "attributes": ["easy apply", "high quality", "hair extensions"], "options": ["color: balayage dark brown mixed with walnut brown and strawberry blonde #b2 | 3 | 27", "size: 12 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["balayage dark brown mixed with walnut brown and strawberry blonde #b2 | 3 | 27", "12 inch"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYZDPP5", "worker_id": "A1WS884SI0SLO4"}], "B07RC19HNW": [{"asin": "B07RC19HNW", "instruction": "i would like a pack of dome cameras that have motion detection.", "attributes": ["1080p hd", "motion detection"], "options": ["size: 1 pack"], "instruction_attributes": ["motion detection"], "instruction_options": ["1 pack"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZTSSH3", "worker_id": "A1WS884SI0SLO4"}], "B09NR8NCTD": [{"asin": "B09NR8NCTD", "instruction": "i want to find a barber cape that can be used in a hair salon. it needs to have a pepperoni pizza pattern to it.", "attributes": ["easy clean", "hair cutting", "hair salon"], "options": ["scent: pepperoni pizza"], "instruction_attributes": ["hair cutting", "hair salon"], "instruction_options": ["pepperoni pizza"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VMI60G", "worker_id": "A345TDMHP3DQ3G"}], "B091MXTQYH": [{"asin": "B091MXTQYH", "instruction": "i would like some travel bottles for my cosmetics.", "attributes": ["bpa free", "easy carry", "travel bottles"], "options": [""], "instruction_attributes": ["travel bottles"], "instruction_options": [], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4JA15V", "worker_id": "A1WS884SI0SLO4"}], "B01HHKB888": [{"asin": "B01HHKB888", "instruction": "i need an ac adapter with output protection", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPCBQDY", "worker_id": "A2ECRNQ3X5LEXD"}], "B06XD34LMS": [{"asin": "B06XD34LMS", "instruction": "i am searching for a bronze finish lighting fixture.", "attributes": ["bronze finish", "light fixture"], "options": ["color: bronze | dark", "size: 3 light pendant"], "instruction_attributes": ["bronze finish", "light fixture"], "instruction_options": ["bronze | dark"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTBYLNW", "worker_id": "A1NF6PELRKACS9"}], "B09DK9G19W": [{"asin": "B09DK9G19W", "instruction": "i'm looking for elastic bands that are easily adjustable, please. something good for beginners", "attributes": ["quick release", "easy install"], "options": ["color: steel blue+night blue"], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9QEVTG", "worker_id": "A2TRV8SEM003GG"}], "B09Q2Z5HBF": [{"asin": "B09Q2Z5HBF", "instruction": "i'm looking for a 4g lte tablet", "attributes": ["high performance", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPIR6V4", "worker_id": "ARQ05PDNXPFDI"}], "B07953TM6H": [{"asin": "B07953TM6H", "instruction": "i would like a extra large dark blue sweatshirt that is long sleeved.", "attributes": ["loose fit", "long sleeve", "short sleeve", "button closure", "teen girls"], "options": ["color: dark blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["dark blue", "x-large"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O432AZ", "worker_id": "A1WS884SI0SLO4"}], "B09965W7GD": [{"asin": "B09965W7GD", "instruction": "i am searching for 2 packs of gluten free chewy chocolate chip granola bars", "attributes": ["gluten free", "nut free", "certified organic", "non gmo", "artificial colors"], "options": ["size: 2 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["2 pack"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6URPEZ1", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09965W7GD", "instruction": "i am looking for 3 packs gluten free chocolate bars.", "attributes": ["gluten free", "nut free", "certified organic", "non gmo", "artificial colors"], "options": ["size: 3 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["3 pack"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH4D1VX", "worker_id": "A3FG5PQHG5AH3Y"}], "B07D3RSVLM": [{"asin": "B07D3RSVLM", "instruction": "i am looking for a contemporary home office chair", "attributes": ["easy clean", "contemporary design"], "options": [""], "instruction_attributes": ["contemporary design"], "instruction_options": [], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYZC63N", "worker_id": "A2ECRNQ3X5LEXD"}], "B071ZRG5DF": [{"asin": "B071ZRG5DF", "instruction": "i'm looking for high heel for women's it was white red in color.", "attributes": ["high heel", "rubber sole"], "options": ["color: white red", "size: 5"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQHDHH7", "worker_id": "A16IQOX0DK14OJ"}], "B0936BZ1Q2": [{"asin": "B0936BZ1Q2", "instruction": "i need some hair extensions that are dark brown and 18 inches", "attributes": ["high quality", "hair extensions"], "options": ["color: dark brown #2", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["dark brown #2", "18 inch"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPBYCOT", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NL3VBYK": [{"asin": "B07NL3VBYK", "instruction": "i'm looking for a rug with contemporary design in black/ivory color sized 10x14 ft", "attributes": ["contemporary design", "home furnishings"], "options": ["color: black | ivory", "size: 10 ft x 14 ft"], "instruction_attributes": ["contemporary design"], "instruction_options": [], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJPBOMW", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B07NL3VBYK", "instruction": "i am looking for contemporary designed rug of 3.ftx 5ft.", "attributes": ["contemporary design", "home furnishings"], "options": ["color: silver | ivory", "size: 3 ft x 5 ft"], "instruction_attributes": ["contemporary design"], "instruction_options": ["3 ft x 5 ft"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCFIH78", "worker_id": "A3FG5PQHG5AH3Y"}, {"asin": "B07NL3VBYK", "instruction": "i need an 8ft round contemporary area rug that is silver and ivory.", "attributes": ["contemporary design", "home furnishings"], "options": ["color: silver | ivory", "size: 8 ft round"], "instruction_attributes": ["contemporary design"], "instruction_options": ["silver | ivory", "8 ft round"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVR79XF", "worker_id": "A2ECRNQ3X5LEXD"}], "B005IGVXRU": [{"asin": "B005IGVXRU", "instruction": "i am looking for blue color digital camera having optical zoom.", "attributes": ["optical zoom", "stereo sound"], "options": ["color: blue"], "instruction_attributes": ["optical zoom"], "instruction_options": ["blue"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLPKI4T", "worker_id": "A1Q8PPQQCWGY0D"}], "B09L1GFM58": [{"asin": "B09L1GFM58", "instruction": "i want a black walnut entryway console table with metal legs and 40 inches long.", "attributes": ["easy install", "bronze finish", "metal legs"], "options": ["size: 40 inches"], "instruction_attributes": ["metal legs"], "instruction_options": ["40 inches"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NM9KBX", "worker_id": "A2RBF3IIJP15IH"}], "B09MVFYD7C": [{"asin": "B09MVFYD7C", "instruction": "i want a pink water dental oral irrigator for bad breath.", "attributes": ["easy use", "bad breath"], "options": ["color: pink"], "instruction_attributes": ["bad breath"], "instruction_options": ["pink"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67OT4NA", "worker_id": "A2RBF3IIJP15IH"}], "B08YF51NZ8": [{"asin": "B08YF51NZ8", "instruction": "i'm looking for a leak proof soap container for kids.", "attributes": ["leak proof", "travel size", "easy carry", "travel bottles"], "options": [""], "instruction_attributes": ["leak proof"], "instruction_options": [], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KP0UH6", "worker_id": "ARQ05PDNXPFDI"}], "B09PRLF1YQ": [{"asin": "B09PRLF1YQ", "instruction": "i am looking for wireless bluethooth for my compact radios and stereos- hands free electronic.", "attributes": ["hands free", "wireless bluetooth"], "options": [""], "instruction_attributes": ["hands free", "wireless bluetooth"], "instruction_options": [], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK48ZA6G", "worker_id": "A3R8PQCD99H61E"}], "B09QPK32M1": [{"asin": "B09QPK32M1", "instruction": "i am looking for a 7.5 no. high heel for women", "attributes": ["anti slip", "open toe", "high heel", "ankle strap", "rubber sole"], "options": ["color: sandals 09 silver", "size: 7.5"], "instruction_attributes": ["high heel"], "instruction_options": ["7.5"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907UAAUB", "worker_id": "A9QRQL9CFJBI7"}], "B0773FVVM4": [{"asin": "B0773FVVM4", "instruction": "i'm looking for coated steel for furniture for living room.", "attributes": ["fully assembled", "coated steel"], "options": ["color: light gray"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1FTXC9", "worker_id": "A16IQOX0DK14OJ"}], "B099F1QYFM": [{"asin": "B099F1QYFM", "instruction": "i am looking for a high quality hairpieces. also choose 250# darkest brown with 50% synthetic grey color and 8x10''-80% light density in size", "attributes": ["high quality", "hair loss"], "options": ["color: 250# darkest brown with 50% synthetic grey", "size: 8x10''-80% light density"], "instruction_attributes": ["high quality"], "instruction_options": ["250# darkest brown with 50% synthetic grey", "8x10''-80% light density"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYQB7NP", "worker_id": "A2HMEGTAFO0CS8"}], "B08DKK753Y": [{"asin": "B08DKK753Y", "instruction": "i'm looking for a black storage case for my hair dryer.", "attributes": ["eco friendly", "long lasting", "storage case"], "options": ["color: black"], "instruction_attributes": ["storage case"], "instruction_options": ["black"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8MN4R5", "worker_id": "A3MNXK3VDK37SN"}], "B08KXXM3QK": [{"asin": "B08KXXM3QK", "instruction": "i am looking for quick drying x-large size leggings.", "attributes": ["quick drying", "moisture wicking", "tummy control", "stretch fabric"], "options": ["color: b rose red", "size: x-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["x-large"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHGDBNQ", "worker_id": "A1Q8PPQQCWGY0D"}], "B09Q31YKPN": [{"asin": "B09Q31YKPN", "instruction": "i need some women's shoes with a non-slip rubber sole. look for them in white, size eleven.", "attributes": ["non slip", "rubber sole", "daily wear"], "options": ["color: white", "size: 11"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["white", "11"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJWCVGD", "worker_id": "AR9AU5FY1S3RO"}], "B08BJCGY82": [{"asin": "B08BJCGY82", "instruction": "i need a shampoo set that is paraben free", "attributes": ["paraben free", "cruelty free", "green tea", "hair growth", "natural hair", "hair loss", "damaged hair"], "options": [""], "instruction_attributes": ["paraben free"], "instruction_options": [], "assignment_id": "39JEC75375BYS7D1EDEJWV17L4WCVW", "worker_id": "A2ECRNQ3X5LEXD"}], "B09L5SHDG9": [{"asin": "B09L5SHDG9", "instruction": "i am interested in buying a grey colored rocking chair with memory foam and lumbar support.", "attributes": ["high density", "heavy duty", "lumbar support", "pu leather", "memory foam"], "options": ["color: grey"], "instruction_attributes": ["lumbar support", "memory foam"], "instruction_options": ["grey"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWE4NFJ", "worker_id": "AHXHM1PQTRWIQ"}], "B07V65SLS7": [{"asin": "B07V65SLS7", "instruction": "i am looking for a chocolate gift basket.", "attributes": ["gift basket", "perfect gift"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9CEAZP", "worker_id": "A2ECRNQ3X5LEXD"}], "B085PL9LP4": [{"asin": "B085PL9LP4", "instruction": "i am looking for clinically proven deodorants . the men's deodorants with anitperspirants -long lasting performance and z-discontinued.", "attributes": ["clinically proven", "long lasting"], "options": ["style: z- discontinued"], "instruction_attributes": ["clinically proven", "long lasting"], "instruction_options": ["z- discontinued"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L49VCS", "worker_id": "A3R8PQCD99H61E"}], "B08G1F4RPC": [{"asin": "B08G1F4RPC", "instruction": "i need a high power sound bar in a natural color", "attributes": ["high power", "high speed"], "options": ["color: natural"], "instruction_attributes": ["high power"], "instruction_options": ["natural"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBHVHG3", "worker_id": "A2ECRNQ3X5LEXD"}], "B095HZJZS2": [{"asin": "B095HZJZS2", "instruction": "i would like a 201 by 153 cm high definition protection screen.", "attributes": ["wall mounted", "high definition"], "options": ["size: 201*153cm"], "instruction_attributes": ["high definition"], "instruction_options": ["201*153cm"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98U2YKZ", "worker_id": "A1WS884SI0SLO4"}], "B07YXG3FX7": [{"asin": "B07YXG3FX7", "instruction": "i would like a women's extra large heather grey cotton tank top.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: heather grey", "fit type: women", "size: x-large"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["heather grey", "women", "x-large"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFOIE93", "worker_id": "A1WS884SI0SLO4"}], "B07MDLKPXY": [{"asin": "B07MDLKPXY", "instruction": "i'm looking for a universal remote control with batteries included", "attributes": ["batteries included", "long lasting"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTKGD4Q", "worker_id": "A2Y2TURT2VEYZN"}], "B09RCHJTN7": [{"asin": "B09RCHJTN7", "instruction": "i am looking for a quad core desktop that has 16gb of ram and 2tb storage", "attributes": ["dual band", "intel core", "quad core"], "options": ["size: 16gb ram | 2tb ssd"], "instruction_attributes": ["quad core"], "instruction_options": ["16gb ram | 2tb ssd"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107BMLIW", "worker_id": "A2ECRNQ3X5LEXD"}], "B01CZVEUIE": [{"asin": "B01CZVEUIE", "instruction": "i need a 1.6ft gold cable usb c for fast charging", "attributes": ["fast charging", "gold plated", "aluminum alloy", "usb port"], "options": ["color: gold", "number of items: 1", "size: 1.6ft"], "instruction_attributes": ["fast charging", "usb port"], "instruction_options": ["gold", "1", "1.6ft"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSYNLGX", "worker_id": "A2Y2TURT2VEYZN"}], "B09QG12W87": [{"asin": "B09QG12W87", "instruction": "i want children's mousse teeth whitening toothpaste.", "attributes": ["teeth whitening", "fresh breath"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9KW6KU", "worker_id": "A2RBF3IIJP15IH"}], "B09JGQZ3VQ": [{"asin": "B09JGQZ3VQ", "instruction": "i'm looking for a outdoor camera with optical zoom and ultra hd", "attributes": ["ultra hd", "optical zoom"], "options": [""], "instruction_attributes": ["ultra hd", "optical zoom"], "instruction_options": [], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA6YC8U", "worker_id": "A2Y2TURT2VEYZN"}], "B09LY9HDNL": [{"asin": "B09LY9HDNL", "instruction": "i drink for red wine quick release for me", "attributes": ["quick release", "hands free"], "options": ["color: wine red"], "instruction_attributes": ["quick release"], "instruction_options": ["wine red"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKMR1TH", "worker_id": "A226L9F2AZ38CL"}], "B08286X2WQ": [{"asin": "B08286X2WQ", "instruction": "i need 12 packs of gluten free cajun rice mix.", "attributes": ["low fat", "gluten free"], "options": ["number of items: 12"], "instruction_attributes": ["gluten free"], "instruction_options": ["12"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA9327Z33", "worker_id": "A1NF6PELRKACS9"}], "B08DMYJMB8": [{"asin": "B08DMYJMB8", "instruction": "i would like a black smartwatch quick release band.", "attributes": ["quick release", "stainless steel"], "options": ["color: black-red"], "instruction_attributes": ["quick release"], "instruction_options": ["black-red"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOFBLL5", "worker_id": "A1WS884SI0SLO4"}], "B07KWHNHF6": [{"asin": "B07KWHNHF6", "instruction": "i am looking for 3t size, olive color cotton heather men shirts .the cloth must be machine wash.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: olive", "fit type: youth", "size: 3t"], "instruction_attributes": ["machine wash", "cotton heather"], "instruction_options": ["olive", "3t"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22MJW8Q", "worker_id": "A3R8PQCD99H61E"}], "B08G1SZVW6": [{"asin": "B08G1SZVW6", "instruction": "i need heavy duty yellow bed frames.", "attributes": ["heavy duty", "easy assemble", "box spring", "storage space"], "options": ["color: yellow"], "instruction_attributes": ["heavy duty"], "instruction_options": ["yellow"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCLEBLP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QQKCQD7": [{"asin": "B07QQKCQD7", "instruction": "i am in need of 8.5 sized pink color rubber sole women round toe lace up oxford shoes", "attributes": ["anti slip", "non slip", "rubber sole", "synthetic sole"], "options": ["color: pink", "size: 8.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["pink", "8.5"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISZVOYS", "worker_id": "A258PTOZ3D2TQR"}], "B09PYRFKT9": [{"asin": "B09PYRFKT9", "instruction": "i want a high quality, eco friendly cart for a beauty salon.", "attributes": ["high quality", "eco friendly", "beauty salon"], "options": [""], "instruction_attributes": ["high quality", "eco friendly", "beauty salon"], "instruction_options": [], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTK84D9", "worker_id": "AR9AU5FY1S3RO"}], "B09445M1TR": [{"asin": "B09445M1TR", "instruction": "i would like some beige throw pillow covers for the living room", "attributes": ["living room", "dining room"], "options": ["color: beige", "size: 12\"*20\""], "instruction_attributes": ["living room"], "instruction_options": ["beige"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP84JZ7Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QJC9D1K": [{"asin": "B08QJC9D1K", "instruction": "i would like a carrying case for my vita.", "attributes": ["easy carry", "carrying case"], "options": [""], "instruction_attributes": ["carrying case"], "instruction_options": [], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BPSVJI", "worker_id": "A1WS884SI0SLO4"}], "B085S7F1DB": [{"asin": "B085S7F1DB", "instruction": "i am interested in buying a desktop pc which is high performance and has a quad core i5 processor.", "attributes": ["certified refurbished", "high performance", "core i5", "quad core"], "options": [""], "instruction_attributes": ["high performance", "core i5", "quad core"], "instruction_options": [], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVN2Q05", "worker_id": "AHXHM1PQTRWIQ"}], "B08CXMCCTQ": [{"asin": "B08CXMCCTQ", "instruction": "im looking for a synthetic hair ponytail in the color ash blonde.", "attributes": ["easy use", "high quality", "synthetic hair"], "options": ["color: ash blonde"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["ash blonde"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V2NGF9", "worker_id": "AK3JMCIGU8MLU"}], "B0855DYXTG": [{"asin": "B0855DYXTG", "instruction": "my grandma use sugar free honey gram flavor", "attributes": ["keto friendly", "grain free", "low carb", "sugar free", "plant based", "gluten free", "zero sugar"], "options": ["flavor name: honey graham", "size: 9 ounce (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["honey graham"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPIN6V0", "worker_id": "A226L9F2AZ38CL"}], "B08CXS6ZZ7": [{"asin": "B08CXS6ZZ7", "instruction": "i am looking for back exfoliating scrubber easy use in purple", "attributes": ["double sided", "easy use", "dead skin"], "options": ["color: purple"], "instruction_attributes": ["easy use"], "instruction_options": ["purple"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21PBFQI", "worker_id": "A2MSIFDLOHI1UT"}], "B09MYF5VVL": [{"asin": "B09MYF5VVL", "instruction": "i need cupcake toppers for a birthday party", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAXWXZP", "worker_id": "A2ECRNQ3X5LEXD"}], "B0731XBXX8": [{"asin": "B0731XBXX8", "instruction": "i am looking for a pair of easy to use stainless steel monitoring headphones.", "attributes": ["easy use", "stainless steel"], "options": [""], "instruction_attributes": ["easy use", "stainless steel"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYL96L7", "worker_id": "A1EREKSZAA9V7B"}], "B0195C0HKQ": [{"asin": "B0195C0HKQ", "instruction": "i would like a high glossy white desk with metal legs.", "attributes": ["white item", "high gloss", "white finish", "metal legs", "living room"], "options": ["color: glossy white"], "instruction_attributes": ["white item", "high gloss", "white finish", "metal legs"], "instruction_options": ["glossy white"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMQVB6N", "worker_id": "A1WS884SI0SLO4"}], "B09P5HZGZF": [{"asin": "B09P5HZGZF", "instruction": "i would like a desktop dual band mini with a intel core i7 and 64 gigs of ram.", "attributes": ["dual band", "high definition"], "options": ["color: intel core i7-9850h", "size: 64g ram 512g ssd 2tb hdd"], "instruction_attributes": ["dual band"], "instruction_options": ["intel core i7-9850h", "64g ram 512g ssd 2tb hdd"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV2ZX3U", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09P5HZGZF", "instruction": "i'm looking for a mini computer with 32g ram, 512gb sdd and 1tb hd with a intel core i9 for high definition", "attributes": ["dual band", "high definition"], "options": ["color: intel core i9-10880h", "size: 32g ram 512g ssd 1tb hdd"], "instruction_attributes": ["high definition"], "instruction_options": ["intel core i9-10880h", "32g ram 512g ssd 1tb hdd"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFEXLVA", "worker_id": "A2Y2TURT2VEYZN"}, {"asin": "B09P5HZGZF", "instruction": "i would like a desktop mini with a dual band intel i7 core and with 128 g of ssd.", "attributes": ["dual band", "high definition"], "options": ["color: intel core i7-9850h", "size: 8g ram 128g ssd"], "instruction_attributes": ["dual band"], "instruction_options": ["intel core i7-9850h", "8g ram 128g ssd"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXZ5O4I", "worker_id": "A1WS884SI0SLO4"}], "B088PHWLNL": [{"asin": "B088PHWLNL", "instruction": "i'm looking for a easy install protective band strap in gray color", "attributes": ["quick release", "easy install"], "options": ["color: gray"], "instruction_attributes": ["easy install"], "instruction_options": ["gray"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UWP6JQ", "worker_id": "A2Y2TURT2VEYZN"}], "B09BB45XYV": [{"asin": "B09BB45XYV", "instruction": "i would like a long lasting minocular for bird watching.", "attributes": ["non slip", "high power", "long lasting", "bird watching"], "options": [""], "instruction_attributes": ["long lasting", "bird watching"], "instruction_options": [], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPLINJJ", "worker_id": "A1WS884SI0SLO4"}], "B09PHLMDHC": [{"asin": "B09PHLMDHC", "instruction": "looking for a x-large in red slim fit pants for valentine's day", "attributes": ["slim fit", "straight leg", "long sleeve"], "options": ["color: red", "size: x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["red", "x-large"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1KQ3UG", "worker_id": "A2Y2TURT2VEYZN"}], "B0831RHZP2": [{"asin": "B0831RHZP2", "instruction": "i would like a 15 count herbal tea pack that is non gmo", "attributes": ["caffeine free", "certified organic", "non gmo", "gluten free"], "options": ["flavor name: palace", "size: 15 count"], "instruction_attributes": ["non gmo"], "instruction_options": ["15 count"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDW111RB", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B0831RHZP2", "instruction": "i would like a box of 15 palace tea that is caffeine free.", "attributes": ["caffeine free", "certified organic", "non gmo", "gluten free"], "options": ["flavor name: palace", "size: 15 count (pack of 1)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["palace", "15 count (pack of 1)"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E00GX7M", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0831RHZP2", "instruction": "i want a 3 pack of gluten free paromi cinnamon chai rooibos.", "attributes": ["caffeine free", "certified organic", "non gmo", "gluten free"], "options": ["flavor name: variety: black teas", "size: 15 count (pack of 3)"], "instruction_attributes": ["gluten free"], "instruction_options": ["15 count (pack of 3)"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSG326P", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B0831RHZP2", "instruction": "i am looking for organic caffeine-free chai blends rich rooibos and a sultry blend of spices.; piquant cloves, nutmeg, and cinnamon mingle with sweet allspice, ginger, and a kiss of cardamom organic paromi cinnamon chai rooibos, a chamomile tea,numi which has the floral, herbaceous, and rich herbal teas that's craving. 15 count pack of 1 preferable.", "attributes": ["caffeine free", "certified organic", "non gmo", "gluten free"], "options": ["flavor name: herbal", "size: 15 count (pack of 1)"], "instruction_attributes": ["caffeine free", "certified organic", "non gmo", "gluten free"], "instruction_options": ["herbal", "15 count (pack of 1)"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4COBSZ", "worker_id": "A1DRKZ3SCLAS4V"}], "B083FTXVYC": [{"asin": "B083FTXVYC", "instruction": "i am looking for multi018 color short sleeve shirts.", "attributes": ["long lasting", "polyester spandex", "button closure", "short sleeve", "tumble dry"], "options": ["color: multi018", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["multi018"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THYR5ZS", "worker_id": "A1Q8PPQQCWGY0D"}], "B09N968TTK": [{"asin": "B09N968TTK", "instruction": "i'm looking for a dual layer window 70% blackout hemp fabric zebra roller shades.", "attributes": ["easy install", "living room"], "options": ["color: 70% blackout-violet", "size: 53\"w x 60\"h"], "instruction_attributes": ["living room"], "instruction_options": ["70% blackout-violet"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK8AVNX", "worker_id": "A21IUUHBSEVB56"}], "B087MD5MYH": [{"asin": "B087MD5MYH", "instruction": "i am looking for a high speed laptop wall charger of black color.", "attributes": ["fast charging", "high speed", "usb port"], "options": ["color: black(100w)", "configuration: charger only", "style: 4-port usb-c, usb-a charger,charger only"], "instruction_attributes": ["high speed"], "instruction_options": ["black(100w)"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163VXPQU", "worker_id": "A1Q8PPQQCWGY0D"}], "B07R18DG65": [{"asin": "B07R18DG65", "instruction": "i am looking for lemon cake perfume body mist, in a 4 fl oz container.", "attributes": ["alcohol free", "cruelty free"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTPOPLJ", "worker_id": "A2KW17G25L25R8"}], "B08LP7K6G7": [{"asin": "B08LP7K6G7", "instruction": "i would like a medium dark pink robe made from a soft material.", "attributes": ["hand wash", "polyester spandex", "soft material", "daily wear"], "options": ["color: dark pink", "size: medium"], "instruction_attributes": ["soft material"], "instruction_options": ["dark pink", "medium"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS4C9GU", "worker_id": "A1WS884SI0SLO4"}], "B09FQ8LHD3": [{"asin": "B09FQ8LHD3", "instruction": "i am looking for a 3x-large long sleeve t shirts for man", "attributes": ["hand wash", "daily casual", "loose fit", "wash cold", "long sleeve", "button closure"], "options": ["color: (#002)navy", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["3x-large"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841CPXAO", "worker_id": "A9QRQL9CFJBI7"}], "B06WLKRWCH": [{"asin": "B06WLKRWCH", "instruction": "i am looking for a quad core tablet that is certified refurbished.", "attributes": ["certified refurbished", "high performance", "quad core"], "options": [""], "instruction_attributes": ["certified refurbished", "quad core"], "instruction_options": [], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWQ452Y", "worker_id": "A1NF6PELRKACS9"}], "B093YSVY9K": [{"asin": "B093YSVY9K", "instruction": "i want a set of 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1HE082", "worker_id": "A2RBF3IIJP15IH"}], "B09FPJ3DLB": [{"asin": "B09FPJ3DLB", "instruction": "i am looking for a height adjustable makeup mirror for cutting hair. it should come with a light.", "attributes": ["height adjustable", "easy carry", "hair cutting"], "options": ["size: with light"], "instruction_attributes": ["height adjustable", "hair cutting"], "instruction_options": ["with light"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WTLWQJ", "worker_id": "A1NF6PELRKACS9"}], "B09N6ZLMRY": [{"asin": "B09N6ZLMRY", "instruction": "i am looking for a nightstand that is easy to install", "attributes": ["easy install", "storage unit"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHACVODS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GM11T53": [{"asin": "B09GM11T53", "instruction": "i am looking for heavy duty flip case for samsung galaxy mobile and color should be olive.", "attributes": ["heavy duty", "wireless charging"], "options": ["color: olive"], "instruction_attributes": ["heavy duty"], "instruction_options": ["olive"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647CMH3R", "worker_id": "A3FG5PQHG5AH3Y"}], "B00RLUQ2YK": [{"asin": "B00RLUQ2YK", "instruction": "i need cruelty free body lotion that is medium dark olive color", "attributes": ["highly pigmented", "cruelty free"], "options": ["color: medium dark olive"], "instruction_attributes": ["cruelty free"], "instruction_options": ["medium dark olive"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL10AVH", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DR6BS9P": [{"asin": "B09DR6BS9P", "instruction": "i am looking for long lasting hair dye if blue and black color.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["style: ash - 1.1 blue black"], "instruction_attributes": ["long lasting", "hair dye"], "instruction_options": ["ash - 1.1 blue black"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYP1HDF", "worker_id": "A3FG5PQHG5AH3Y"}], "B07XJ29K93": [{"asin": "B07XJ29K93", "instruction": "find me a joe west character flash case compatible with apple phone", "attributes": ["compatible apple", "high resolution"], "options": ["color: joe west"], "instruction_attributes": ["compatible apple"], "instruction_options": ["joe west"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOJWCTW", "worker_id": "A2Y2TURT2VEYZN"}], "B09QKSHFCB": [{"asin": "B09QKSHFCB", "instruction": "i want a 9 pack of hairrebirth herbal spray for hair loss.", "attributes": ["hair growth", "hair loss"], "options": ["color: 9pcs"], "instruction_attributes": ["hair loss"], "instruction_options": ["9pcs"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDQCCHZ", "worker_id": "A2RBF3IIJP15IH"}], "B09BKJ813P": [{"asin": "B09BKJ813P", "instruction": "i would like a pair of 38 mens grey hiking shoes with a rubber outsole.", "attributes": ["anti slip", "arch support", "rubber outsole"], "options": ["color: grey", "size: 38 m eu"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["grey", "38 m eu"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OPWMMF", "worker_id": "A1WS884SI0SLO4"}], "B093WNXZZB": [{"asin": "B093WNXZZB", "instruction": "i'm looking for an easy to use stainless steel nail clipper set.", "attributes": ["non slip", "high quality", "easy use", "stainless steel", "dead skin"], "options": [""], "instruction_attributes": ["easy use", "stainless steel"], "instruction_options": [], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V2VGFH", "worker_id": "AR9AU5FY1S3RO"}], "B073Q2PS8Q": [{"asin": "B073Q2PS8Q", "instruction": "i am looking for non toxic lip gloss that has organic certificate. please select the rose one", "attributes": ["certified organic", "non toxic", "cruelty free"], "options": ["color: ros\u00e9"], "instruction_attributes": ["certified organic", "non toxic"], "instruction_options": ["ros\u00e9"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL9XCEU", "worker_id": "A2COCSUGZV28X"}], "B075GFMP3C": [{"asin": "B075GFMP3C", "instruction": "i'm looking for a replacement remote control for my sharp aquos tv that comes with aaa batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38G1XJJV", "worker_id": "AR9AU5FY1S3RO"}], "B09QTWZV8L": [{"asin": "B09QTWZV8L", "instruction": "i am looking for a snowy white high speed wifi booster.", "attributes": ["dual band", "high speed"], "options": ["color: snowy white"], "instruction_attributes": ["high speed"], "instruction_options": ["snowy white"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB964YB", "worker_id": "AHXHM1PQTRWIQ"}], "B0963ZR8VH": [{"asin": "B0963ZR8VH", "instruction": "i want a xyyssm barber chair for my beauty salon.", "attributes": ["heavy duty", "beauty salon"], "options": [""], "instruction_attributes": ["beauty salon"], "instruction_options": [], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY5A7PJ", "worker_id": "A2RBF3IIJP15IH"}], "B09N3RLDK5": [{"asin": "B09N3RLDK5", "instruction": "i am looking for lobsters ready eat and size 2-pack(1 box of each)", "attributes": ["wild caught", "ready eat"], "options": ["size: 2 - pack (1 box of each)"], "instruction_attributes": ["ready eat"], "instruction_options": ["2 - pack (1 box of each)"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LH8L04", "worker_id": "AX2EWYWZM19AZ"}], "B08CD4Y4R1": [{"asin": "B08CD4Y4R1", "instruction": "i would like a high resolution background that is 7 by 5 ft.", "attributes": ["high resolution", "easy carry"], "options": ["color: b08", "size: 7x5ft"], "instruction_attributes": ["high resolution"], "instruction_options": ["7x5ft"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEKPIX8", "worker_id": "A2ECRNQ3X5LEXD"}], "B09M6TR17G": [{"asin": "B09M6TR17G", "instruction": "find me a nightstand in off-white color with storage space", "attributes": ["solid wood", "storage space"], "options": ["color: off-white"], "instruction_attributes": ["storage space"], "instruction_options": ["off-white"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEKZIXI", "worker_id": "A2Y2TURT2VEYZN"}], "B07Q2PC166": [{"asin": "B07Q2PC166", "instruction": "i am looking for earbud headphone having deep bass stereo sound.please choose black color.", "attributes": ["aluminum alloy", "stereo sound"], "options": ["color: black", "style: without mic"], "instruction_attributes": ["stereo sound"], "instruction_options": ["black"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R8IYTW", "worker_id": "A3FG5PQHG5AH3Y"}], "B003U3A428": [{"asin": "B003U3A428", "instruction": "i would like a surveillance camera with aaa batteries included.", "attributes": ["batteries included", "easy install", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y0AJ5H", "worker_id": "A1WS884SI0SLO4"}], "B07MJM2ZKY": [{"asin": "B07MJM2ZKY", "instruction": "i am looking for stainless steel hair cutting scissors of 7 inch size.", "attributes": ["stainless steel", "hair cutting"], "options": ["size: 7 inch"], "instruction_attributes": ["stainless steel"], "instruction_options": ["7 inch"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7YRURW", "worker_id": "A1Q8PPQQCWGY0D"}], "B08MXJXM8L": [{"asin": "B08MXJXM8L", "instruction": "i would like a black lavender candle made from soy.", "attributes": ["lead free", "eco friendly", "long lasting", "soy wax"], "options": ["scent: black lavender"], "instruction_attributes": ["soy wax"], "instruction_options": ["black lavender"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6URJEZV", "worker_id": "A1WS884SI0SLO4"}], "B07RZVLVBV": [{"asin": "B07RZVLVBV", "instruction": "i would like a chrome power amplifier", "attributes": ["power amplifier", "hands free"], "options": ["color: chrome pushbuttons, chrome dot knobs"], "instruction_attributes": ["power amplifier"], "instruction_options": ["chrome pushbuttons, chrome dot knobs"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PODQES", "worker_id": "A2ECRNQ3X5LEXD"}], "B0773RT6TY": [{"asin": "B0773RT6TY", "instruction": "i would like a trail mix that is almond cranberry crunch and is non gmo.", "attributes": ["artificial ingredients", "gluten free", "non gmo"], "options": ["flavor name: almond cranberry crunch", "size: 14 ounce (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["almond cranberry crunch"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJKELOK", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CHBR14C": [{"asin": "B07CHBR14C", "instruction": "i need a high speed black usb cable", "attributes": ["high speed", "aluminum alloy", "usb port"], "options": ["color: black", "size: 3ft"], "instruction_attributes": ["high speed"], "instruction_options": ["black"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVWL9X3", "worker_id": "A2ECRNQ3X5LEXD"}], "B08TQTZYT7": [{"asin": "B08TQTZYT7", "instruction": "i want an easy assemble wampat farmhouse coffee table with storage drawers, modern coffee table for living room, center table with double storage spaces, metal legs, grey,", "attributes": ["easy assemble", "metal legs", "storage space", "living room"], "options": [""], "instruction_attributes": ["easy assemble", "metal legs", "storage space", "living room"], "instruction_options": [], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDK22OR", "worker_id": "A1IL2K0ELYI090"}], "B07K474FMH": [{"asin": "B07K474FMH", "instruction": "i'm looking for nail drill bits for nail art", "attributes": ["easy use", "nail art"], "options": [""], "instruction_attributes": ["nail art"], "instruction_options": [], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X027T43L", "worker_id": "A2Y2TURT2VEYZN"}], "B002NU8W1O": [{"asin": "B002NU8W1O", "instruction": "i'm looking for modern kitchen with the latest design.", "attributes": ["brushed nickel", "nickel finish", "pendant light", "light fixture", "dining room", "living room"], "options": [""], "instruction_attributes": ["brushed nickel", "dining room", "living room"], "instruction_options": [], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6GGPUC", "worker_id": "A21IUUHBSEVB56"}], "B086X5DCDB": [{"asin": "B086X5DCDB", "instruction": "i am looking for amber vanila scented shampoo and conditioner set containing argan oil.", "attributes": ["sulfate free", "argan oil", "natural ingredients", "damaged hair"], "options": ["scent: amber vanila"], "instruction_attributes": ["argan oil"], "instruction_options": ["amber vanila"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQH0CJM", "worker_id": "A1Q8PPQQCWGY0D"}], "B01L9HQ1IM": [{"asin": "B01L9HQ1IM", "instruction": "i am looking for a sulfate free conditioner", "attributes": ["sulfate free", "hair growth"], "options": [""], "instruction_attributes": ["sulfate free"], "instruction_options": [], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJPAOMV", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VY9JYJW": [{"asin": "B07VY9JYJW", "instruction": "i am looking for a linen pants with elastic waist. and i choose the xx-large size with wine color", "attributes": ["quality materials", "elastic waist", "button closure"], "options": ["color: wine", "size: xx-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["wine", "xx-large"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBUQEJW", "worker_id": "A2COCSUGZV28X"}], "B06XT3R53B": [{"asin": "B06XT3R53B", "instruction": "i am looking for aaa batteries remote control for tv.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE24SGQZ", "worker_id": "A1Q8PPQQCWGY0D"}], "B017AHH0IK": [{"asin": "B017AHH0IK", "instruction": "i want to buy ballet shoes which have rubber sole in grey suede color and a size of 6.", "attributes": ["closed toe", "rubber sole"], "options": ["color: grey suede", "size: 6"], "instruction_attributes": ["rubber sole"], "instruction_options": ["grey suede", "6"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SFRRWJ", "worker_id": "AJY5G987IRT25"}], "B08DFRWV7B": [{"asin": "B08DFRWV7B", "instruction": "i am looking for a women's medium long sleeve sweater.", "attributes": ["loose fit", "long sleeve", "daily wear"], "options": ["color: a-sky blue", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDV38YN", "worker_id": "A1EREKSZAA9V7B"}], "B083WNYPFC": [{"asin": "B083WNYPFC", "instruction": "i would like a 2 pound bag of individually wrapped candy.", "attributes": ["individually wrapped", "perfect gift"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIFJ2LW", "worker_id": "A1WS884SI0SLO4"}], "B09MZFPKXZ": [{"asin": "B09MZFPKXZ", "instruction": "find me a paraben free long lasting lip gloss", "attributes": ["cruelty free", "paraben free", "animal testing", "long lasting"], "options": [""], "instruction_attributes": ["paraben free", "long lasting"], "instruction_options": [], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTS8KTK", "worker_id": "A2Y2TURT2VEYZN"}], "B00HKIBEMS": [{"asin": "B00HKIBEMS", "instruction": "i am looking for a gluten free rice ramen & miso soup. choose a pack of 10 with jade pearl color", "attributes": ["gluten free", "low fat", "ready eat"], "options": ["flavor: jade pearl", "size: 2.8 ounce (pack of 10)"], "instruction_attributes": ["gluten free"], "instruction_options": ["jade pearl", "2.8 ounce (pack of 10)"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDU5ZQQ", "worker_id": "A2COCSUGZV28X"}], "B096XJ6N2Z": [{"asin": "B096XJ6N2Z", "instruction": "i want to buy ceiling chandeliers which are stainless steel, and suitable for dining room, while the color should be 345-variable light.", "attributes": ["stainless steel", "pendant light", "dining room", "living room"], "options": ["color: 345-variabel light"], "instruction_attributes": ["stainless steel", "dining room"], "instruction_options": ["345-variabel light"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTHI9NO", "worker_id": "AJY5G987IRT25"}], "B09JMVRXRG": [{"asin": "B09JMVRXRG", "instruction": "i am looking for arabic anti aging coffee scrub.", "attributes": ["anti aging", "seed oil"], "options": ["scent: himalayan salt"], "instruction_attributes": ["anti aging"], "instruction_options": ["himalayan salt"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y5NNNN", "worker_id": "A2KW17G25L25R8"}], "B08FZQQ1BR": [{"asin": "B08FZQQ1BR", "instruction": "i am looking for red leather flat sandals in a size 6.5.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: red leather", "size: 6.5"], "instruction_attributes": [], "instruction_options": ["red leather", "6.5"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUDCRMR", "worker_id": "AK3JMCIGU8MLU"}], "B09SFXQ9QG": [{"asin": "B09SFXQ9QG", "instruction": "i am looking for green tea face masks for adults.", "attributes": ["easy use", "green tea"], "options": ["color: b#-50pc"], "instruction_attributes": ["green tea"], "instruction_options": ["b#-50pc"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZHDRPB", "worker_id": "A2KW17G25L25R8"}], "B093T18DFQ": [{"asin": "B093T18DFQ", "instruction": "looking for laundry bags with imported zipper", "attributes": ["blouse hosiery", "imported zipper", "laundry bag"], "options": [""], "instruction_attributes": ["imported zipper", "laundry bag"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKMI7DG", "worker_id": "A10OGH5CQBXL5N"}], "B09H6MNXFG": [{"asin": "B09H6MNXFG", "instruction": "i am looking for large size sweater pullover having long sleeve.", "attributes": ["long sleeve", "button closure"], "options": ["color: a5-khaki", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["large"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34OW41C", "worker_id": "A1Q8PPQQCWGY0D"}], "B01F1760HS": [{"asin": "B01F1760HS", "instruction": "i am looking for a travel size whitening toothpaste.", "attributes": ["travel size", "fresh breath"], "options": [""], "instruction_attributes": ["travel size"], "instruction_options": [], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38G2OJJO", "worker_id": "A1EREKSZAA9V7B"}], "B087YS6TRY": [{"asin": "B087YS6TRY", "instruction": "i'm looking for a large butt lifting women workout short.", "attributes": ["butt lifting", "wide leg", "tummy control", "high waist"], "options": ["color: gray", "size: large"], "instruction_attributes": ["butt lifting"], "instruction_options": ["large"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PCVBU7", "worker_id": "ARQ05PDNXPFDI"}], "B09JGSWVJH": [{"asin": "B09JGSWVJH", "instruction": "i am looking for a lead free limoncello scented jar candle that uses soy wax.", "attributes": ["lead free", "soy wax"], "options": ["scent: limoncello 21704"], "instruction_attributes": ["lead free", "soy wax"], "instruction_options": ["limoncello 21704"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJL1OBYP", "worker_id": "A1EREKSZAA9V7B"}], "B0788C3L56": [{"asin": "B0788C3L56", "instruction": "i am looking for a dresser that is mid century style", "attributes": ["mid century", "assembly required"], "options": [""], "instruction_attributes": ["mid century"], "instruction_options": [], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC57TKRP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07SS54KX2": [{"asin": "B07SS54KX2", "instruction": "i'm looking for a perfect quality modern wall light sconce led brushed nickel hardwired in the brand of natalya.", "attributes": ["brushed nickel", "nickel finish", "living room"], "options": ["color: chrome"], "instruction_attributes": ["brushed nickel", "living room"], "instruction_options": ["chrome"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC571KRX", "worker_id": "A21IUUHBSEVB56"}], "B07D9835GF": [{"asin": "B07D9835GF", "instruction": "i would like a 100g copper holographic body glitter that is long lasting.", "attributes": ["easy apply", "long lasting"], "options": ["color: copper holographic", "size: chunky - 100g | 3.5oz"], "instruction_attributes": ["long lasting"], "instruction_options": ["copper holographic", "chunky - 100g | 3.5oz"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT062LNUM", "worker_id": "A1WS884SI0SLO4"}], "B0982NGF1H": [{"asin": "B0982NGF1H", "instruction": "i am looking for an easy to use wireless nanny camera that features motion detection and night vision.", "attributes": ["easy use", "motion detection"], "options": [""], "instruction_attributes": ["easy use", "motion detection"], "instruction_options": [], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQDL0N0", "worker_id": "AK3JMCIGU8MLU"}], "B08MTY5BJP": [{"asin": "B08MTY5BJP", "instruction": "i am looking for a pair of 80 inch wide by 84 inch long machine washable curtains for my living room.", "attributes": ["machine washable", "hand painted", "living room"], "options": ["size: 80w x 84l inch"], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["80w x 84l inch"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI78KGZ2", "worker_id": "A1EREKSZAA9V7B"}], "B07YM81LFQ": [{"asin": "B07YM81LFQ", "instruction": "i'm looking for a perfect furniture item.", "attributes": ["twin size", "space saving", "white item", "box spring"], "options": ["color: clay", "pattern name: bed + curtains", "style: low loft + staircase"], "instruction_attributes": ["white item"], "instruction_options": ["low loft + staircase"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC7YNIE", "worker_id": "A21IUUHBSEVB56"}], "B09LLLC65G": [{"asin": "B09LLLC65G", "instruction": "looking for bookshelves and bookcases for living room of vintage black colour", "attributes": ["storage space", "living room"], "options": ["color: vintage black"], "instruction_attributes": ["storage space", "living room"], "instruction_options": ["vintage black"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA738RY", "worker_id": "A10OGH5CQBXL5N"}], "B095MP65P5": [{"asin": "B095MP65P5", "instruction": "i would like some 18 inch high quality synthetic hair extensions that are gray.", "attributes": ["high quality", "synthetic hair"], "options": ["color: 1b | gray", "size: 18 inch"], "instruction_attributes": ["high quality", "synthetic hair"], "instruction_options": ["1b | gray", "18 inch"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVJDZS4", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B095MP65P5", "instruction": "please find a multi-pack of 18\" synthetic hair extensions that are curly enough to be suitable for black women.", "attributes": ["high quality", "synthetic hair"], "options": ["color: 1b | bug", "size: 18 inch"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["18 inch"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK4AG6AX", "worker_id": "A3LIIE572Z4OG7"}], "B006OY1LZ4": [{"asin": "B006OY1LZ4", "instruction": "i would like a old version of a 730 golden caramel foundation that is cruelty free.", "attributes": ["dermatologist tested", "fragrance free", "cruelty free"], "options": ["color: 730 golden caramel", "style: old version"], "instruction_attributes": ["cruelty free"], "instruction_options": ["730 golden caramel", "old version"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFOJEMY", "worker_id": "A1WS884SI0SLO4"}], "B07MFN6KSB": [{"asin": "B07MFN6KSB", "instruction": "i'm looking for a snack with 3 seed mix in 1 pack of 4 pound and non gmo product", "attributes": ["low carb", "non gmo"], "options": ["flavor name: 3 seed mix", "size: 4 pound (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["3 seed mix", "4 pound (pack of 1)"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDP7K5E", "worker_id": "A2Y2TURT2VEYZN"}], "B08L7SCJDR": [{"asin": "B08L7SCJDR", "instruction": "i am looking for an easy to install computer table for my living room.", "attributes": ["non slip", "easy install", "exquisite workmanship", "living room"], "options": ["color: rustic brown", "style: computer table"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["computer table"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34OY14B", "worker_id": "A1EREKSZAA9V7B"}], "B07PTKWRLR": [{"asin": "B07PTKWRLR", "instruction": "looking for fresh breath organic toothpaste", "attributes": ["fluoride free", "fresh breath"], "options": [""], "instruction_attributes": ["fresh breath"], "instruction_options": [], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQFQ19J", "worker_id": "A10OGH5CQBXL5N"}, {"asin": "B07PTKWRLR", "instruction": "i would like a fluoride free toothpaste to give me fresh breath.", "attributes": ["fluoride free", "fresh breath"], "options": [""], "instruction_attributes": ["fluoride free", "fresh breath"], "instruction_options": [], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2607YS", "worker_id": "A1WS884SI0SLO4"}], "B09H4FDQ63": [{"asin": "B09H4FDQ63", "instruction": "i'm looking for a blanket with a shark tooth printed in 60x80\"", "attributes": ["easy clean", "printing technology"], "options": ["color: shark tooth", "size: 60\"x80\""], "instruction_attributes": ["printing technology"], "instruction_options": ["shark tooth", "60\"x80\""], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21PHQFZ", "worker_id": "A2Y2TURT2VEYZN"}], "B09NPJPQCW": [{"asin": "B09NPJPQCW", "instruction": "i am lookinf for high quality scrubbing strap that is easy to use.", "attributes": ["easy carry", "easy use", "high quality"], "options": [""], "instruction_attributes": ["easy use", "high quality"], "instruction_options": [], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO90GJ8", "worker_id": "A1Q8PPQQCWGY0D"}], "B094DD5CM1": [{"asin": "B094DD5CM1", "instruction": "i want windmill birthday cake toppers.", "attributes": ["birthday cake", "cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC9F0DE", "worker_id": "A2RBF3IIJP15IH"}], "B009URK5JK": [{"asin": "B009URK5JK", "instruction": "i want katz gluten free cinnamon donut holes.", "attributes": ["gluten free", "nut free", "soy free", "dairy free"], "options": ["flavor name: cinnamon", "size: 6 ounce"], "instruction_attributes": ["gluten free"], "instruction_options": ["cinnamon"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT5JYJH", "worker_id": "A2RBF3IIJP15IH"}], "B097CMW66M": [{"asin": "B097CMW66M", "instruction": "i am looking for a cell phone that is fast charging and is cream colored", "attributes": ["fast charging", "hands free"], "options": ["color: cream", "size: 128gb", "style: z flip 3 + buds 2"], "instruction_attributes": ["fast charging"], "instruction_options": ["cream"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTKHD4R", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B097CMW66M", "instruction": "i would like a z flip 3 256gb phantom black cell phone that is fast charging.", "attributes": ["fast charging", "hands free"], "options": ["color: phantom black", "size: 256gb", "style: z flip 3 + phone case"], "instruction_attributes": ["fast charging"], "instruction_options": ["phantom black", "256gb", "z flip 3 + phone case"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXFG7GA", "worker_id": "A1WS884SI0SLO4"}], "B09D2T94JT": [{"asin": "B09D2T94JT", "instruction": "i want a green couch for my living room. make sure that it is easy to assemble.", "attributes": ["high density", "easy assemble", "metal legs", "solid wood", "living room"], "options": ["color: green"], "instruction_attributes": ["easy assemble", "living room"], "instruction_options": ["green"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXV15O5", "worker_id": "A1NF6PELRKACS9"}], "B009PCNTPM": [{"asin": "B009PCNTPM", "instruction": "i need dark chocolate made by trader joe", "attributes": ["trader joe", "artificial colors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "33UKMF931KU01WBNV49UKNDQC65TT7", "worker_id": "A2COCSUGZV28X"}], "B07C1VP88H": [{"asin": "B07C1VP88H", "instruction": "i am looking for a cd drive that is silver and easier to use", "attributes": ["easy use", "carrying case"], "options": ["color: silver"], "instruction_attributes": ["easy use"], "instruction_options": ["silver"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCZ6Q49", "worker_id": "A2ECRNQ3X5LEXD"}], "B093FQ8SJ9": [{"asin": "B093FQ8SJ9", "instruction": "i need blue clogs that are made of vinyl and are a size 9", "attributes": ["non slip", "ethylene vinyl", "vinyl acetate"], "options": ["color: blue", "size: 9 women | 8 men"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["blue", "9 women | 8 men"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8YW8G6", "worker_id": "A2ECRNQ3X5LEXD"}], "B0829QZFM7": [{"asin": "B0829QZFM7", "instruction": "i am looking for fruit snack pack having fuji & red apple flavor and are gluten and fat free.", "attributes": ["gluten free", "non gmo", "fat free", "real fruit", "simple ingredients"], "options": ["flavor name: fuji & reds apple", "size: 24 snack bags"], "instruction_attributes": ["gluten free", "fat free"], "instruction_options": ["fuji & reds apple"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V6KU2Q", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B0829QZFM7", "instruction": "i want 24 bags of non gmo bare baked crunchy apple fruit snacks.", "attributes": ["gluten free", "non gmo", "fat free", "real fruit", "simple ingredients"], "options": ["flavor name: fruit variety pack", "size: 24 snack bags"], "instruction_attributes": ["non gmo"], "instruction_options": ["24 snack bags"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMH61JC", "worker_id": "A2RBF3IIJP15IH"}], "B08HX6QMT9": [{"asin": "B08HX6QMT9", "instruction": "i would like a brown phone case with tempered glass.", "attributes": ["glass screen", "tempered glass"], "options": ["color: brown"], "instruction_attributes": ["tempered glass"], "instruction_options": ["brown"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYQAN74", "worker_id": "A1WS884SI0SLO4"}], "B09LS4LYWV": [{"asin": "B09LS4LYWV", "instruction": "i would like to a buy a glass window film of the color multi-020884 for the living room.", "attributes": ["eco friendly", "living room"], "options": ["color: multi-020884", "size: 23.6wx35.4l-inch x2 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["multi-020884"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH8U1VM", "worker_id": "AHXHM1PQTRWIQ"}], "B0086UI36O": [{"asin": "B0086UI36O", "instruction": "i am looking for gluten free, low fat protein chips , chili nacho cheese", "attributes": ["gluten free", "protein serving", "low fat", "high protein", "natural flavors"], "options": ["flavor: protein chips - chili nacho cheese", "size: 1.2 ounce (pack of 6)"], "instruction_attributes": ["gluten free", "low fat"], "instruction_options": ["protein chips - chili nacho cheese"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA3JA8W", "worker_id": "A258PTOZ3D2TQR"}], "B08JHBSFLK": [{"asin": "B08JHBSFLK", "instruction": "im looking for women\u2019s blue, flat propet sandals, in size 6 and the style should be fionna.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: blue", "size: 6"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDK5O2G", "worker_id": "AK3JMCIGU8MLU"}], "B013BZTW22": [{"asin": "B013BZTW22", "instruction": "i want gluten free yummy earth organic fruit lollipops.", "attributes": ["gluten free", "dairy free", "natural flavors"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YM5GAR", "worker_id": "A2RBF3IIJP15IH"}], "B07QRYVRPF": [{"asin": "B07QRYVRPF", "instruction": "i would like a 20 by 26 inch dark green pillow throw cover for my living room.", "attributes": ["king size", "living room"], "options": ["color: dark green", "size: 20\"x26\""], "instruction_attributes": ["living room"], "instruction_options": ["dark green", "20\"x26\""], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733PGEBA", "worker_id": "A1WS884SI0SLO4"}], "B09LSW7DJ1": [{"asin": "B09LSW7DJ1", "instruction": "i am looking for pink color long lasting cube ice face roller for facial treatment to tighten ,tone skin and de-puff the eye area", "attributes": ["anti aging", "long lasting", "easy use", "green tea", "fine lines"], "options": ["color: pink"], "instruction_attributes": ["long lasting"], "instruction_options": ["pink"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4LB89P", "worker_id": "A258PTOZ3D2TQR"}], "B082YPVYX6": [{"asin": "B082YPVYX6", "instruction": "i need some lipstick that is long lasting and is cherry colored", "attributes": ["cruelty free", "fragrance free", "long lasting", "hyaluronic acid", "nail polish"], "options": ["color: 11- cherry bomb"], "instruction_attributes": ["long lasting"], "instruction_options": ["11- cherry bomb"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SX9DUI", "worker_id": "A2ECRNQ3X5LEXD"}], "B09M837LNL": [{"asin": "B09M837LNL", "instruction": "i'm looking for outdoor security camera with audio.", "attributes": ["heavy duty", "motion detection"], "options": ["size: 5mp single bullet"], "instruction_attributes": ["motion detection"], "instruction_options": ["5mp single bullet"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRVB2YE", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B09M837LNL", "instruction": "i am looking for 16 pcs 4k bullet hd outdoor security ip camera with mic/audio and motion detection", "attributes": ["heavy duty", "motion detection"], "options": ["size: 16ch 16pcs 4k bullet"], "instruction_attributes": ["motion detection"], "instruction_options": ["16ch 16pcs 4k bullet"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FR6FB6", "worker_id": "A258PTOZ3D2TQR"}], "B07YT5TRSV": [{"asin": "B07YT5TRSV", "instruction": "i am looking for east west furniture dlt-ana-tp dublin dining table made of acacia ,a beautiful round dining table makes a cozy addition to any kitchen or classic dining room. the remarkable dining table which facilitates an affectionate family emotion. the frame of this dining room table which will increase the beauty of your living area. the wood table which gives high-quality style with a touch of class to add a powerful appeal. measurements of the great hardwood wood kitchen table length 42; width 42; height 29.5 in dmt-wbk-tp color preferable.", "attributes": ["mid century", "easy clean", "solid wood", "dining room"], "options": ["color: dmt-wbk-tp", "pattern name: table + dining chairs"], "instruction_attributes": ["mid century", "easy clean", "solid wood", "dining room"], "instruction_options": ["dmt-wbk-tp", "table + dining chairs"], "assignment_id": "3TE22NPXPMMW3QH7127E47P6G8D44W", "worker_id": "A1DRKZ3SCLAS4V"}], "B08VMYJQBT": [{"asin": "B08VMYJQBT", "instruction": "i am looking for rubber sole backless slip on loafer shoes for women of size :8", "attributes": ["rubber sole", "fashion design"], "options": ["color: blue", "size: 8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["8"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLWKTFK", "worker_id": "AX2EWYWZM19AZ"}], "B016KWUP3I": [{"asin": "B016KWUP3I", "instruction": "i want a 2 pack argan oil shampoo and conditioner set.", "attributes": ["sulfate free", "argan oil", "green tea", "natural ingredients", "damaged hair", "dry hair"], "options": ["size: 10 fl oz (pack of 2)"], "instruction_attributes": ["argan oil"], "instruction_options": ["10 fl oz (pack of 2)"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YRS69A", "worker_id": "A2RBF3IIJP15IH"}], "B0017JVMS2": [{"asin": "B0017JVMS2", "instruction": "i am looking for a plant based peppermint scented soap.", "attributes": ["plant based", "cruelty free"], "options": ["scent: peppermint", "size: 16 fl oz (pack of 2)"], "instruction_attributes": ["plant based"], "instruction_options": ["peppermint"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGS9YIO", "worker_id": "A1EREKSZAA9V7B"}], "B08ZJFWNPH": [{"asin": "B08ZJFWNPH", "instruction": "i would like a pair of size 9 walking shoes with a rubber sole.", "attributes": ["non slip", "rubber sole", "comfortable fit", "unique design"], "options": ["size: 9"], "instruction_attributes": ["rubber sole"], "instruction_options": ["9"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ56WKCP", "worker_id": "A1WS884SI0SLO4"}], "B01NC0O22H": [{"asin": "B01NC0O22H", "instruction": "i want to buy walkie talkie which has batteries included and come in pack of 3 in black color.", "attributes": ["batteries included", "aaa batteries"], "options": ["style: 3 pack - black"], "instruction_attributes": ["batteries included"], "instruction_options": ["3 pack - black"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLQA4I7", "worker_id": "AJY5G987IRT25"}], "B09DFLT1VJ": [{"asin": "B09DFLT1VJ", "instruction": "i want a 24w led light with high power lamp. it should mount on a wall.", "attributes": ["wall mounted", "high power", "stainless steel"], "options": ["size: 24w"], "instruction_attributes": ["wall mounted", "high power"], "instruction_options": ["24w"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4D6I0F", "worker_id": "A1NF6PELRKACS9"}], "B09R7W36Q3": [{"asin": "B09R7W36Q3", "instruction": "i want a small and easy to use u-shaped toothbrush for kids.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: c", "size: s"], "instruction_attributes": ["easy use"], "instruction_options": ["s"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCV965J", "worker_id": "A2RBF3IIJP15IH"}], "B076YTK3FV": [{"asin": "B076YTK3FV", "instruction": "i would like a 2 bottles of flathead cherry jerry gluten free jam.", "attributes": ["hand crafted", "non gmo", "gluten free"], "options": ["flavor: flathead cherry jelly", "size: 2 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["flathead cherry jelly", "2 pack"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB168ULC", "worker_id": "A1WS884SI0SLO4"}], "B09QLSZHCP": [{"asin": "B09QLSZHCP", "instruction": "i would like a brush set for synthetic hair.", "attributes": ["high quality", "rose gold", "synthetic hair"], "options": [""], "instruction_attributes": ["synthetic hair"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPDDDQP", "worker_id": "A1WS884SI0SLO4"}], "B00LI3SBU4": [{"asin": "B00LI3SBU4", "instruction": "i want degree men anti-perspirant.", "attributes": ["anti perspirant", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR96C0T", "worker_id": "A2RBF3IIJP15IH"}], "B09NR7TK9C": [{"asin": "B09NR7TK9C", "instruction": "looking for high density black colour gaming chair", "attributes": ["high density", "pu leather", "steel frame"], "options": ["color: black"], "instruction_attributes": ["high density"], "instruction_options": ["black"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVU4X96", "worker_id": "A10OGH5CQBXL5N"}], "B07N91GKH1": [{"asin": "B07N91GKH1", "instruction": "i want a cottage grey and long lasting 6-drawer double dresser.", "attributes": ["long lasting", "engineered wood"], "options": ["color: cottage grey"], "instruction_attributes": ["long lasting"], "instruction_options": ["cottage grey"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK52J3C", "worker_id": "A2RBF3IIJP15IH"}], "B098KKFQZH": [{"asin": "B098KKFQZH", "instruction": "i would like a sofa with a solid wood frame.", "attributes": ["solid wood", "memory foam"], "options": ["size: sofa, chair, ottoman"], "instruction_attributes": ["solid wood"], "instruction_options": ["sofa, chair, ottoman"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L43VCM", "worker_id": "A1WS884SI0SLO4"}], "B09HCKSXZW": [{"asin": "B09HCKSXZW", "instruction": "i am looking for 03#beige color women shoes having high heels.", "attributes": ["knee high", "open toe", "steel toe", "high heel", "memory foam"], "options": ["color: 03#beige", "size: 9.5-10"], "instruction_attributes": ["high heel"], "instruction_options": ["03#beige"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTTVE5A", "worker_id": "A1Q8PPQQCWGY0D"}], "B00JZYJBIY": [{"asin": "B00JZYJBIY", "instruction": "i would like a pair of 14 short red pants made from nylon spandex.", "attributes": ["wash cold", "machine wash", "nylon spandex"], "options": ["color: red", "size: 14 short"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["red", "14 short"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL85H59", "worker_id": "A1WS884SI0SLO4"}], "B09S6PJ5BF": [{"asin": "B09S6PJ5BF", "instruction": "i am looking for a black bikini set that is an xx-large and a comfortable fit", "attributes": ["wash cold", "hand wash", "stretch fabric", "comfortable fit", "tummy control", "polyester spandex"], "options": ["color: black", "size: xx-large"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["black", "xx-large"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCWHQ5W", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RDXNHYG": [{"asin": "B09RDXNHYG", "instruction": "looking for babydoll mini bodysuit of quality polyester choose size xx large", "attributes": ["quick drying", "quality polyester"], "options": ["color: c-red", "size: xx-large"], "instruction_attributes": ["quality polyester"], "instruction_options": ["xx-large"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW0X1C4", "worker_id": "A10OGH5CQBXL5N"}], "B0871JYQ1J": [{"asin": "B0871JYQ1J", "instruction": "i need a non toxic and high quality empty bottle for cosmetic", "attributes": ["leak proof", "non toxic", "easy carry", "easy use", "high quality", "fine mist"], "options": [""], "instruction_attributes": ["non toxic", "high quality"], "instruction_options": [], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBI0GH9", "worker_id": "A2Y2TURT2VEYZN"}], "B07S7BSPKW": [{"asin": "B07S7BSPKW", "instruction": "i want a machine washable contemporary 52\"w*52\"l curtain panel for living room color mandala 7rvw0093", "attributes": ["machine washable", "contemporary design", "living room", "dining room"], "options": ["color: mandala7rvw0093", "size: 52\" w by 52\" l"], "instruction_attributes": ["machine washable", "contemporary design", "living room"], "instruction_options": ["mandala7rvw0093", "52\" w by 52\" l"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JEFSF5", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B07S7BSPKW", "instruction": "i am looking for contemporary designed window treatment curtains that are 52 inches long.", "attributes": ["machine washable", "contemporary design", "living room", "dining room"], "options": ["color: mandala7rvw0093", "size: 52\" w by 84\" l"], "instruction_attributes": ["contemporary design"], "instruction_options": ["52\" w by 84\" l"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WT224H", "worker_id": "A2KW17G25L25R8"}], "B08M5ZCYBY": [{"asin": "B08M5ZCYBY", "instruction": "i want a white 16.9oz hair dye bottle from segbeauty.", "attributes": ["leak proof", "coconut oil", "hair dye"], "options": ["color: white", "style: tip cap with scale"], "instruction_attributes": ["hair dye"], "instruction_options": ["white"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0253AAKC", "worker_id": "A2RBF3IIJP15IH"}], "B07Z7SZ2JR": [{"asin": "B07Z7SZ2JR", "instruction": "i am looking for a light fixture for my dining room in the weather wood shade.", "attributes": ["easy install", "light fixture", "solid wood", "living room", "dining room"], "options": ["color: weather wood"], "instruction_attributes": ["light fixture", "dining room"], "instruction_options": ["weather wood"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3IB7FD0", "worker_id": "A1NF6PELRKACS9"}], "B08R3FV6P8": [{"asin": "B08R3FV6P8", "instruction": "i need a floral window curtain for my living room . and i choose the 52x72in with skulllop3455", "attributes": ["super soft", "living room"], "options": ["color: skulllop3455", "size: 52x72in"], "instruction_attributes": ["living room"], "instruction_options": ["skulllop3455", "52x72in"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQFF6SJ", "worker_id": "A2COCSUGZV28X"}, {"asin": "B08R3FV6P8", "instruction": "i want to find a 52 x 84 inch set of living room curtains that are snowman colored.", "attributes": ["super soft", "living room"], "options": ["color: snowmangirl1lop5222", "size: 52x84in"], "instruction_attributes": ["living room"], "instruction_options": ["snowmangirl1lop5222", "52x84in"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61SHWZG", "worker_id": "A345TDMHP3DQ3G"}], "B09RKDJ5DR": [{"asin": "B09RKDJ5DR", "instruction": "i need pumps that are black and closed toe in a 7.5 size", "attributes": ["closed toe", "high heel", "arch support"], "options": ["color: black", "size: 7.5"], "instruction_attributes": ["closed toe"], "instruction_options": ["black", "7.5"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FGTK83", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LKV674T": [{"asin": "B08LKV674T", "instruction": "i am looking for stainless steel gold color wall mounted mirror.", "attributes": ["wall mounted", "stainless steel"], "options": ["color: gold"], "instruction_attributes": ["stainless steel"], "instruction_options": ["gold"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40Y0YFC", "worker_id": "A1Q8PPQQCWGY0D"}], "B095J4Q3XC": [{"asin": "B095J4Q3XC", "instruction": "i am searching for modern contemporary high density and left facing sofa with massage vibration and usb port", "attributes": ["high density", "faux leather"], "options": ["material type: leatherette black", "size: left facing"], "instruction_attributes": ["high density"], "instruction_options": ["left facing"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRM18W3H", "worker_id": "A258PTOZ3D2TQR"}], "B002U7YZXY": [{"asin": "B002U7YZXY", "instruction": "i am interested in purchasing keto friendly protein power in creamy vanilla and raspberry lemonade flavor.", "attributes": ["keto friendly", "lactose free", "low carb"], "options": ["flavor name: creamy vanilla & raspberry lemonade", "size: combo"], "instruction_attributes": ["keto friendly"], "instruction_options": ["creamy vanilla & raspberry lemonade"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OSZ99N", "worker_id": "AHXHM1PQTRWIQ"}, {"asin": "B002U7YZXY", "instruction": "i need protein powder that comes in 3 lbs and is keto friendly", "attributes": ["keto friendly", "lactose free", "low carb"], "options": ["flavor name: protein + collagen", "size: 3 pound (pack of 1)"], "instruction_attributes": ["keto friendly"], "instruction_options": ["3 pound (pack of 1)"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRY8F3S", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZWGHFXC": [{"asin": "B07ZWGHFXC", "instruction": "i would like a king size extra firm 12 inch mattress with memory foam.", "attributes": ["heavy duty", "memory foam"], "options": ["color: 12 inch", "size: king", "style: extra firm"], "instruction_attributes": ["memory foam"], "instruction_options": ["12 inch", "king", "extra firm"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR56A08", "worker_id": "A1WS884SI0SLO4"}], "B07S92Q8TB": [{"asin": "B07S92Q8TB", "instruction": "i want non gmo cauliflower bites 1.4 ounce 2 packs", "attributes": ["non gmo", "gluten free", "source vitamin", "simple ingredients"], "options": ["flavor: salted", "size: 5.75 ounce (pack of 2)"], "instruction_attributes": ["non gmo"], "instruction_options": ["salted"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5UH6XR", "worker_id": "A1V2C99HEV3F14"}], "B0836QNTNJ": [{"asin": "B0836QNTNJ", "instruction": "may i please have teal colored curtains ideally for my living room? size 52x63 is fine", "attributes": ["machine washable", "living room"], "options": ["color: purple", "size: 52x63"], "instruction_attributes": ["living room"], "instruction_options": ["52x63"], "assignment_id": "354P56DE9VDCOY11T1135MPMLQWS71", "worker_id": "A2TRV8SEM003GG"}], "B08L7QL9GV": [{"asin": "B08L7QL9GV", "instruction": "i am looking 4g lte antenna that can be wall mounted.", "attributes": ["wall mounted", "4g lte"], "options": [""], "instruction_attributes": ["wall mounted", "4g lte"], "instruction_options": [], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVIOBIH", "worker_id": "A1Q8PPQQCWGY0D"}], "B0816FY959": [{"asin": "B0816FY959", "instruction": "i'm looking for a hair extension anniston hairpiece preferably color 13#", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: 13#"], "instruction_attributes": ["hair extensions"], "instruction_options": ["13#"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907UDAUE", "worker_id": "ARQ05PDNXPFDI"}], "B008NZ88KS": [{"asin": "B008NZ88KS", "instruction": "i am looking for four pounds of protein powder that is chocolate and kosher.", "attributes": ["grass fed", "artificial ingredients", "kosher certified", "non gmo"], "options": ["flavor name: chocolate", "size: 4 pound (pack of 1)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["chocolate", "4 pound (pack of 1)"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC6ONI2", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZPC9SSP": [{"asin": "B07ZPC9SSP", "instruction": "i want a portable wireless bluetooth waterproof speaker.", "attributes": ["certified refurbished", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE24SQG9", "worker_id": "A2RBF3IIJP15IH"}], "B09336C6C5": [{"asin": "B09336C6C5", "instruction": "i'm looking for some women's flat mules that i can wear every day for walking; i'm a size 5.5 and like the colour apricot.", "attributes": ["moisture wicking", "everyday wear"], "options": ["color: apricot", "size: 5.5"], "instruction_attributes": ["everyday wear"], "instruction_options": ["apricot", "5.5"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06P3XKP", "worker_id": "A3LIIE572Z4OG7"}], "B077NTX823": [{"asin": "B077NTX823", "instruction": "i need high quality makeup bag for my eyeshadow. it should be beach pineapple in color.", "attributes": ["easy carry", "high quality", "eye shadow"], "options": ["color: beach pineapple"], "instruction_attributes": ["high quality", "eye shadow"], "instruction_options": ["beach pineapple"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUG2ZD9", "worker_id": "A1NF6PELRKACS9"}], "B09P4V271L": [{"asin": "B09P4V271L", "instruction": "i would like 3 pieces of white and gold bpa free toiletry travel bottles.", "attributes": ["bpa free", "high quality"], "options": ["color: white&gold", "size: 3 pcs"], "instruction_attributes": ["bpa free"], "instruction_options": ["white&gold", "3 pcs"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E7JHXN", "worker_id": "A1WS884SI0SLO4"}], "B09T6W1JLR": [{"asin": "B09T6W1JLR", "instruction": "i would like a 2xl gray romper that has a high drawstring waist.", "attributes": ["wide leg", "hand wash", "machine wash", "drawstring waist", "high waist"], "options": ["color: gray", "size: xx-large"], "instruction_attributes": ["drawstring waist", "high waist"], "instruction_options": ["gray", "xx-large"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSLD2QS", "worker_id": "A1WS884SI0SLO4"}], "B08T9NCP9K": [{"asin": "B08T9NCP9K", "instruction": "please help me find a violet hair dye in a 500ml bottle; pick a herbal one that has only natural ingredients.", "attributes": ["non toxic", "natural ingredients", "damaged hair", "hair dye"], "options": ["color: violet", "size: 500ml"], "instruction_attributes": ["natural ingredients", "hair dye"], "instruction_options": ["violet", "500ml"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY8698811", "worker_id": "A3LIIE572Z4OG7"}], "B077PR9TL4": [{"asin": "B077PR9TL4", "instruction": "i am looking for mn4 color foundation for my sensitive skin.", "attributes": ["hyaluronic acid", "sensitive skin"], "options": ["color: mn4", "size: 1 ounce (pack of 1)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["mn4"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ASGWB1", "worker_id": "A1Q8PPQQCWGY0D"}], "B092V6XL74": [{"asin": "B092V6XL74", "instruction": "i want 200 pieces of crystal color lip gloss applicator disposable brushes", "attributes": ["beauty salon", "eye shadow"], "options": ["color: white", "size: 300"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NQ52PH", "worker_id": "A1V2C99HEV3F14"}], "B0787DBB6G": [{"asin": "B0787DBB6G", "instruction": "i would like some blueberry acai jelly beans in a resealable bag.", "attributes": ["resealable bag", "artificial colors"], "options": ["flavor name: blueberry acai"], "instruction_attributes": ["resealable bag"], "instruction_options": ["blueberry acai"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C8FHP4", "worker_id": "A1WS884SI0SLO4"}], "B09QL3BLPD": [{"asin": "B09QL3BLPD", "instruction": "i would like a #1 lip stain that is paraben and alcohol free.", "attributes": ["long lasting", "alcohol free", "paraben free", "cruelty free"], "options": ["color: 1#"], "instruction_attributes": ["alcohol free", "paraben free"], "instruction_options": ["1#"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZJMA7I", "worker_id": "A1WS884SI0SLO4"}], "B014LMNBUS": [{"asin": "B014LMNBUS", "instruction": "i would like a perfect bread gift.", "attributes": ["rich creamy", "perfect gift"], "options": [""], "instruction_attributes": ["perfect gift"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMH2CB7L", "worker_id": "A1WS884SI0SLO4"}], "B09STKPSQN": [{"asin": "B09STKPSQN", "instruction": "i would like some yellow stainless steel nail clippers", "attributes": ["easy clean", "stainless steel"], "options": ["color: lion"], "instruction_attributes": ["stainless steel"], "instruction_options": ["lion"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3HKQNP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Y66241R": [{"asin": "B07Y66241R", "instruction": "get me fleece lined khaki pants with elastic band in x-large size.", "attributes": ["fleece lined", "elastic waist", "polyester spandex"], "options": ["color: khaki", "size: x-large"], "instruction_attributes": ["fleece lined", "elastic waist"], "instruction_options": ["khaki", "x-large"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U9JMA9", "worker_id": "A3AYHESLQSDY5T"}], "B09NBQ9WG3": [{"asin": "B09NBQ9WG3", "instruction": "i want gray milin 100% blackout roller shades for my living room.", "attributes": ["easy install", "living room"], "options": ["color: gray", "size: 87\"w x 56\"h"], "instruction_attributes": ["living room"], "instruction_options": ["gray"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSD4CWC", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09NBQ9WG3", "instruction": "i am looking for some light brown easy to install roller shades for my living room.", "attributes": ["easy install", "living room"], "options": ["color: light brown", "size: 77\"w x 36\"h"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["light brown"], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY6A7PL", "worker_id": "A1EREKSZAA9V7B"}], "B08NVPGTWT": [{"asin": "B08NVPGTWT", "instruction": "i am looking for a pair of women's size small pants that are machine washable and made of stretch fabric.", "attributes": ["moisture wicking", "machine wash", "stretch fabric"], "options": ["size: small"], "instruction_attributes": ["machine wash", "stretch fabric"], "instruction_options": ["small"], "assignment_id": "33TIN5LC0FKDY31374RC144TX1ZY9G", "worker_id": "A1EREKSZAA9V7B"}], "B00EIMWAE0": [{"asin": "B00EIMWAE0", "instruction": "i want pink and black machine washable nufoot ballet flats.", "attributes": ["easy care", "machine washable"], "options": ["color: pink and black", "size: 6-7 b(m) us"], "instruction_attributes": ["machine washable"], "instruction_options": ["pink and black"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2QS5LK", "worker_id": "A2RBF3IIJP15IH"}], "B07RVCYKVD": [{"asin": "B07RVCYKVD", "instruction": "i would like a island strawberry gluten free drink mix.", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor: island strawberry"], "instruction_attributes": ["gluten free"], "instruction_options": ["island strawberry"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQNR31F", "worker_id": "A1WS884SI0SLO4"}], "B07STZ8LQ2": [{"asin": "B07STZ8LQ2", "instruction": "i would like a pair of 4xl gray pants with a elastic closure.", "attributes": ["quick drying", "elastic closure"], "options": ["color: gray -buttons cuff", "size: 4x-large"], "instruction_attributes": ["elastic closure"], "instruction_options": ["gray -buttons cuff", "4x-large"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGEFSMY", "worker_id": "A1WS884SI0SLO4"}], "B0176GNTU8": [{"asin": "B0176GNTU8", "instruction": "hp all-in-one pc 23.8-inch(60.8 cm) fhd desktop pc intel core i5 4300u with alexa built-in (8gb/256gb ssd + 1tb", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT062NNUO", "worker_id": "A3N9ZYQAESNFQH"}], "B09HSWZ3ZF": [{"asin": "B09HSWZ3ZF", "instruction": "i am looking for a truffle garlic oil gift set", "attributes": ["non gmo", "quality ingredients", "gift set", "perfect gift"], "options": ["flavor name: garlic oil", "size: 5 fl oz (pack of 1)", "style: tin can"], "instruction_attributes": ["gift set"], "instruction_options": ["garlic oil"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVU8X9A", "worker_id": "A2ECRNQ3X5LEXD"}], "B07DBXYCLS": [{"asin": "B07DBXYCLS", "instruction": "i would like a blue green water resistant toiletry bag.", "attributes": ["leak proof", "water resistant"], "options": ["color: blue green (with shoulder strap)"], "instruction_attributes": ["water resistant"], "instruction_options": ["blue green (with shoulder strap)"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJO6W02", "worker_id": "A1WS884SI0SLO4"}], "B07KN925H5": [{"asin": "B07KN925H5", "instruction": "i am looking for low sugar, low carb cocoa flavored peanut butter puffs,1 ounce (pack of 12)", "attributes": ["low sugar", "gluten free", "protein serving", "low carb", "plant based"], "options": ["flavor name: cocoa", "size: 1 ounce (pack of 12)"], "instruction_attributes": ["low sugar", "low carb"], "instruction_options": ["cocoa", "1 ounce (pack of 12)"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCZA468", "worker_id": "A258PTOZ3D2TQR"}], "B07G3RPYLG": [{"asin": "B07G3RPYLG", "instruction": "i am looking for a classic fit medium t-shirt that is cranberry colored", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: cranberry", "fit type: youth", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["cranberry", "medium"], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8GYUXG", "worker_id": "A2ECRNQ3X5LEXD"}], "B099NVLYY3": [{"asin": "B099NVLYY3", "instruction": "i want a sugar free prodough chocolate keto muffin mix.", "attributes": ["keto friendly", "low carb", "gluten free", "low calorie", "high protein", "sugar free", "dairy free", "non gmo"], "options": ["flavor name: chocolate keto", "size: 2 pack"], "instruction_attributes": ["sugar free"], "instruction_options": ["chocolate keto"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36T0LSUT", "worker_id": "A2RBF3IIJP15IH"}], "B08GPWWVT4": [{"asin": "B08GPWWVT4", "instruction": "i'm looking for a light fixture farmhouse pendant light, preferably the white color.", "attributes": ["height adjustable", "pendant light", "light fixture"], "options": ["color: white"], "instruction_attributes": ["light fixture"], "instruction_options": ["white"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPNM6EW", "worker_id": "ARQ05PDNXPFDI"}], "B07VCH69RC": [{"asin": "B07VCH69RC", "instruction": "i'm looking for a vinyl acetate women athletic shoes. preferably the pink color.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: pink", "size: 8.5"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["pink"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH155HHWY", "worker_id": "ARQ05PDNXPFDI"}], "B07FXL6YH9": [{"asin": "B07FXL6YH9", "instruction": "braided synthetic hair bundle", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: rouge pink", "size: 24 inch braiding hair 5pcs"], "instruction_attributes": ["synthetic hair"], "instruction_options": [], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MNYWLU", "worker_id": "A3TTGSUBIK1YCL"}], "B07YJPPMXK": [{"asin": "B07YJPPMXK", "instruction": "i'm looking for a small black t-shirt for women with alpaca design and manchine wash", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: women", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["black", "women", "small"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRPD9FW", "worker_id": "A2Y2TURT2VEYZN"}], "B092W7D67K": [{"asin": "B092W7D67K", "instruction": "i would like a lemonade made with real fruit and natural flavors.", "attributes": ["natural flavors", "real fruit"], "options": [""], "instruction_attributes": ["natural flavors", "real fruit"], "instruction_options": [], "assignment_id": "3WMINLGALMDE0JA33INN08NU0U3AC1", "worker_id": "A1WS884SI0SLO4"}], "B08Z6TCTTM": [{"asin": "B08Z6TCTTM", "instruction": "i'm looking for farmhouse chandelier light with clear glass.", "attributes": ["clear glass", "light fixture", "dining room"], "options": ["color: satin brass | frosted", "size: 30\" linear"], "instruction_attributes": ["clear glass"], "instruction_options": ["satin brass | frosted"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y0J5JC", "worker_id": "A21IUUHBSEVB56"}], "B07ZKMQPV6": [{"asin": "B07ZKMQPV6", "instruction": "i am looking for 2 light grey chairs made of high density solid wood.", "attributes": ["high density", "easy assemble", "wood frame", "solid wood", "living room"], "options": ["color: light grey", "size: 2 chairs"], "instruction_attributes": ["high density", "solid wood"], "instruction_options": ["light grey", "2 chairs"], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q87IIW", "worker_id": "A1V2JTEEBCXR20"}], "B0030Y7MLS": [{"asin": "B0030Y7MLS", "instruction": "i'm looking for a nickel finish valley lightning, preferably the old bronze color.", "attributes": ["nickel finish", "glass shade"], "options": ["color: old bronze"], "instruction_attributes": ["nickel finish"], "instruction_options": ["old bronze"], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTDTYZ6Y", "worker_id": "ARQ05PDNXPFDI"}], "B01NBVOGUJ": [{"asin": "B01NBVOGUJ", "instruction": "i would like a winter white floor lamp made with brushed nickel.", "attributes": ["brushed nickel", "clear glass", "nickel finish", "living room"], "options": ["color: winter white"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["winter white"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKM5T1N", "worker_id": "A1WS884SI0SLO4"}], "B09J8F7JRX": [{"asin": "B09J8F7JRX", "instruction": "i need a bag for my hair styling tools", "attributes": ["fine mist", "hair styling"], "options": [""], "instruction_attributes": ["hair styling"], "instruction_options": [], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79TI1HV", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GNC5FPV": [{"asin": "B07GNC5FPV", "instruction": "i am looking for an easy to assemble 4 light vanity light.", "attributes": ["easy assemble", "vanity light", "nickel finish", "glass shade"], "options": ["color: 4 lights"], "instruction_attributes": ["easy assemble", "nickel finish"], "instruction_options": ["4 lights"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C9RHPI", "worker_id": "A1EREKSZAA9V7B"}], "B0912Y7Z5R": [{"asin": "B0912Y7Z5R", "instruction": "i would like a d20\u201dx h 30\u201d silver chandelier for the dining room.", "attributes": ["height adjustable", "easy install", "dining room", "living room"], "options": ["color: silver", "size: d20\u201dx h 30\u201d"], "instruction_attributes": ["dining room"], "instruction_options": ["silver", "d20\u201dx h 30\u201d"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8RS6QS", "worker_id": "A1WS884SI0SLO4"}], "B09NMFPJGN": [{"asin": "B09NMFPJGN", "instruction": "i'm looking for colorful rainbow gradient lattice window coverings film.", "attributes": ["tempered glass", "dining room"], "options": ["color: 960766437466963000", "size: (width\uff0917.7in x (length)35.4in x 2pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["960766437466963000"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0M1PCSG", "worker_id": "A21IUUHBSEVB56"}], "B097K2QPV8": [{"asin": "B097K2QPV8", "instruction": "i'm looking for a beauty salon table towel.", "attributes": ["high quality", "non toxic", "easy use", "beauty salon"], "options": [""], "instruction_attributes": ["beauty salon"], "instruction_options": [], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVOWXLE", "worker_id": "ARQ05PDNXPFDI"}], "B00LJSGWCW": [{"asin": "B00LJSGWCW", "instruction": "you can help me find on the web men's guide gear cargo joggers sweatpants, jogger pants, straight leg and for a gift. size has to be medium", "attributes": ["straight leg", "drawstring waist", "drawstring closure"], "options": ["color: gray camo", "size: medium"], "instruction_attributes": ["straight leg"], "instruction_options": ["medium"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDVRZQE", "worker_id": "A15IJ20C3R4HUO"}], "B093K3D12G": [{"asin": "B093K3D12G", "instruction": "i want a set of 2 mesh laundry bags sea turtle.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CS92T3", "worker_id": "A2RBF3IIJP15IH"}], "B09QLWV2JX": [{"asin": "B09QLWV2JX", "instruction": "i would like a wired 8 cam motion detection surveillance camera.", "attributes": ["high definition", "plug play", "motion detection"], "options": ["color: wired-8cam+2tb"], "instruction_attributes": ["motion detection"], "instruction_options": ["wired-8cam+2tb"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0V6AR7", "worker_id": "A1WS884SI0SLO4"}], "B08Z35MGD6": [{"asin": "B08Z35MGD6", "instruction": "toothpaste for dental cleaning - 60ml fresh breath freeorr", "attributes": ["easy clean", "easy use", "fresh breath"], "options": [""], "instruction_attributes": ["fresh breath"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSLB8BW", "worker_id": "A3TTGSUBIK1YCL"}], "B07XTNQX7P": [{"asin": "B07XTNQX7P", "instruction": "i am looking for a variety pack of keto friendly energy drinks", "attributes": ["usda organic", "keto friendly", "low carb", "non gmo", "gluten free", "quality ingredients"], "options": ["flavor name: variety"], "instruction_attributes": ["keto friendly"], "instruction_options": ["variety"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OL5TRR", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DPKXRKM": [{"asin": "B09DPKXRKM", "instruction": "i want luxshiny 72pcs halloween cupcake picks.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["cupcake picks"], "instruction_options": [], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYQ97NN", "worker_id": "A2RBF3IIJP15IH"}], "B08S6XVM4R": [{"asin": "B08S6XVM4R", "instruction": "i want navy skechers men's gowalk shoes made with vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: navy | orange 2", "size: 7.5"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["navy | orange 2"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREQS2J8", "worker_id": "A2RBF3IIJP15IH"}], "B09M1HNN22": [{"asin": "B09M1HNN22", "instruction": "i'm looking for a fluoride free toothpaste which is clinically proven for sensitive teeth.", "attributes": ["fluoride free", "clinically proven", "sensitive teeth"], "options": [""], "instruction_attributes": ["fluoride free", "clinically proven", "sensitive teeth"], "instruction_options": [], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C9MHPD", "worker_id": "AR0VJ5XRG16UJ"}], "B09MTFD4KQ": [{"asin": "B09MTFD4KQ", "instruction": "i'm looking for a glass screen protector for samsung galaxy a13 5g.", "attributes": ["dust proof", "glass screen", "case cover", "tempered glass"], "options": ["color: galaxy a13 5g case navy blue"], "instruction_attributes": ["dust proof"], "instruction_options": ["galaxy a13 5g case navy blue"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP64OVDV", "worker_id": "A21IUUHBSEVB56"}], "B082J572X8": [{"asin": "B082J572X8", "instruction": "show me a silver colored 2.4ghz intel core i5 laptop with 1.4ghz processor - 8gb ram 256gb ssd capacity.", "attributes": ["core i5", "intel core", "quad core"], "options": ["capacity: 1.4ghz processor - 8gb ram | 256gb ssd", "color: silver", "style: 2.4ghz intel\u00a0core\u00a0i5"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["1.4ghz processor - 8gb ram | 256gb ssd", "silver", "2.4ghz intel\u00a0core\u00a0i5"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WCQOU2", "worker_id": "A3AYHESLQSDY5T"}], "B09MQFCJ9X": [{"asin": "B09MQFCJ9X", "instruction": "i would like a presentation remote that is easy to use", "attributes": ["easy carry", "plug play", "easy use", "usb port"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2PI5L8", "worker_id": "A2ECRNQ3X5LEXD"}], "B00XN076VA": [{"asin": "B00XN076VA", "instruction": "i am looking for a nut and gluten free wild blueberry preserve.", "attributes": ["nut free", "gluten free"], "options": ["flavor: wild blueberry preserve", "size: 12 ounce (pack of 6)", "style: marmalade"], "instruction_attributes": ["nut free", "gluten free"], "instruction_options": ["wild blueberry preserve"], "assignment_id": "3EJJQNKU92FXG870RLNA6P9KDRARHF", "worker_id": "A1NF6PELRKACS9"}], "B005GP9ECE": [{"asin": "B005GP9ECE", "instruction": "i m looking for a 8 no. vinyl acetate man's sandals", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: navy | blue", "size: 8"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["8"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZVC40T", "worker_id": "A9QRQL9CFJBI7"}], "B000QSOCHS": [{"asin": "B000QSOCHS", "instruction": "i want earth's best organic baby food.", "attributes": ["bpa free", "certified organic", "non gmo", "artificial flavors"], "options": [""], "instruction_attributes": ["certified organic"], "instruction_options": [], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0XXW55", "worker_id": "A2RBF3IIJP15IH"}], "B00D267KMK": [{"asin": "B00D267KMK", "instruction": "i'm looking for perfect waterproof digital camera with 2.5 inch lcd screen.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCE1H7P", "worker_id": "A21IUUHBSEVB56"}], "B09NCJH6D6": [{"asin": "B09NCJH6D6", "instruction": "i would like a ginger boost gluten free bottle.", "attributes": ["low sugar", "non alcoholic", "gluten free", "non gmo", "natural flavors", "artificial colors"], "options": ["flavor name: ginger boost"], "instruction_attributes": ["gluten free"], "instruction_options": ["ginger boost"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZHAPR6", "worker_id": "A1WS884SI0SLO4"}], "B09R4LDMSS": [{"asin": "B09R4LDMSS", "instruction": "i am looking for black color heeled sandals containing rubber sole.", "attributes": ["non slip", "rubber sole", "soft material", "ankle strap", "rubber outsole"], "options": ["color: black", "size: 8.5 wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTARLNN", "worker_id": "A1Q8PPQQCWGY0D"}], "B079YYHVVB": [{"asin": "B079YYHVVB", "instruction": "i need a slip on shoes with rubber sole . and i choose the 14\" size with burgundy color", "attributes": ["synthetic sole", "rubber sole"], "options": ["color: burgundy", "size: 14"], "instruction_attributes": ["rubber sole"], "instruction_options": ["burgundy", "14"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4GQBS9", "worker_id": "A2COCSUGZV28X"}], "B01FV5KVAM": [{"asin": "B01FV5KVAM", "instruction": "i am looking for non gmo , gluten free organic cinnamon syrup", "attributes": ["certified organic", "non gmo", "gluten free"], "options": ["flavor name: organic cinnamon", "size: 25.4 fl oz (pack of 1)", "style: syrup pump"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["organic cinnamon"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8LN4C2", "worker_id": "AX2EWYWZM19AZ"}], "B09HC37HYB": [{"asin": "B09HC37HYB", "instruction": "i want a large and short sleeve womens down vest.", "attributes": ["fleece lined", "short sleeve"], "options": ["color: ra1- k7-black", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G7AZ47C", "worker_id": "A2RBF3IIJP15IH"}], "B08KKZ52F1": [{"asin": "B08KKZ52F1", "instruction": "i am looking for a men's size 14 sneaker with a synthetic sole.", "attributes": ["synthetic sole", "rubber outsole"], "options": ["color: puma white | star sapphire", "size: 14"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["14"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z8MGX5", "worker_id": "A1EREKSZAA9V7B"}], "B07QDK5V1G": [{"asin": "B07QDK5V1G", "instruction": "i would like a long lasting lipstick in the color emma", "attributes": ["long lasting", "highly pigmented"], "options": ["color: color 523 (emma)"], "instruction_attributes": ["long lasting"], "instruction_options": ["color 523 (emma)"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO8DR2I", "worker_id": "A2ECRNQ3X5LEXD"}], "B08SWDDDLX": [{"asin": "B08SWDDDLX", "instruction": "i am looking for a black quad core tablets", "attributes": ["high performance", "quad core"], "options": ["color: black"], "instruction_attributes": ["quad core"], "instruction_options": ["black"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO6B2CM", "worker_id": "A9QRQL9CFJBI7"}], "B0973422R6": [{"asin": "B0973422R6", "instruction": "i would like a galaxy a12 pink phone case with a tempered glass screen.", "attributes": ["glass screen", "tempered glass"], "options": ["color: pink", "size: galaxy a12 | a12 5g"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["pink", "galaxy a12 | a12 5g"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BITR48J", "worker_id": "A1WS884SI0SLO4"}], "B003WM2V4G": [{"asin": "B003WM2V4G", "instruction": "i would like a pair of small olive scrub bottoms with a relaxed fit.", "attributes": ["machine wash", "elastic closure", "polyester cotton", "elastic waistband", "relaxed fit", "classic fit"], "options": ["color: olive", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["olive", "small"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO7TC2G", "worker_id": "A1WS884SI0SLO4"}], "B09LSJW1TR": [{"asin": "B09LSJW1TR", "instruction": "i am interested in some monoculars that have optical zoom", "attributes": ["non slip", "optical zoom"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC65KU1", "worker_id": "A2ECRNQ3X5LEXD"}], "B098DL2LS5": [{"asin": "B098DL2LS5", "instruction": "i would like a fluoride free mouth wash made with natural ingredients.", "attributes": ["fluoride free", "natural ingredients", "fresh breath"], "options": [""], "instruction_attributes": ["fluoride free", "natural ingredients"], "instruction_options": [], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKNE1T6", "worker_id": "AHXHM1PQTRWIQ"}], "B09P83W6PP": [{"asin": "B09P83W6PP", "instruction": "i want a earbud wireless bluetooth", "attributes": ["fast charging", "high speed", "case cover", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFGB5U2", "worker_id": "A2Y2TURT2VEYZN"}], "B07W621KSF": [{"asin": "B07W621KSF", "instruction": "i need a 038 | honey beige long lasting foundation which is cruelty,oil,alcohol and paraben free.", "attributes": ["cruelty free", "oil free", "alcohol free", "paraben free", "long lasting"], "options": ["color: 038 | honey beige"], "instruction_attributes": ["cruelty free", "oil free", "alcohol free", "long lasting"], "instruction_options": ["038 | honey beige"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KQFUHN", "worker_id": "ASWFLI3N8X72G"}], "B09SHZ239R": [{"asin": "B09SHZ239R", "instruction": "i want blue egg gender reveal cupcake toppers for my baby shower.", "attributes": ["baby shower", "birthday party"], "options": ["pattern name: one-blue"], "instruction_attributes": ["baby shower"], "instruction_options": ["one-blue"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67P44NN", "worker_id": "A2RBF3IIJP15IH"}], "B09PH5CP53": [{"asin": "B09PH5CP53", "instruction": "i would like a 2 piece window film set for the dining room", "attributes": ["tempered glass", "dining room"], "options": ["color: 1025576617786990000", "size: (width\uff0935.4in x (length)35.4in x 2pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["(width\uff0935.4in x (length)35.4in x 2pcs"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW081CF", "worker_id": "A2ECRNQ3X5LEXD"}], "B0024WNS0G": [{"asin": "B0024WNS0G", "instruction": "i am looking for a pack of 720 high performance aaa batteries.", "attributes": ["high performance", "aaa batteries"], "options": ["size: 720 count (pack of 1)", "style: aaa"], "instruction_attributes": ["high performance"], "instruction_options": ["720 count (pack of 1)", "aaa"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WUC42V", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B0024WNS0G", "instruction": "i need a high performance 48 count set a batteries", "attributes": ["high performance", "aaa batteries"], "options": ["size: 48 count (pack of 1)", "style: aa"], "instruction_attributes": ["high performance"], "instruction_options": ["48 count (pack of 1)"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC7AKU8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08SLNJVWT": [{"asin": "B08SLNJVWT", "instruction": "let's buy a light weight cell phone case.", "attributes": ["light weight", "carbon fiber", "glass screen", "tempered glass"], "options": ["color: \u7070\u8272"], "instruction_attributes": ["light weight"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMH1WB73", "worker_id": "A15ERD4HOFEPHM"}], "B093YS61WL": [{"asin": "B093YS61WL", "instruction": "i need a wallet that goes with my blouse", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE3XTJJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B0968MW8H3": [{"asin": "B0968MW8H3", "instruction": "i want a red machine washable slow down men's ultra lightweight jacket.", "attributes": ["water resistant", "wash cold", "machine wash", "drawstring closure", "dry clean", "daily wear"], "options": ["color: red", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["red"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLPPI4Y", "worker_id": "A2RBF3IIJP15IH"}], "B09S1CLQYR": [{"asin": "B09S1CLQYR", "instruction": "i am looking for ready to use gluten free tomato stew sauce made with extra virgin olive oil. and i choose a packet of 4 with mama's everything sauce", "attributes": ["shelf stable", "ready use", "low sodium", "gluten free", "sugar free"], "options": ["flavor name: mama's everything sauce - 4 pack"], "instruction_attributes": ["ready use", "gluten free"], "instruction_options": ["mama's everything sauce - 4 pack"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746Z6BT0", "worker_id": "A2COCSUGZV28X"}], "B08TM3LCN8": [{"asin": "B08TM3LCN8", "instruction": "i would like two strawberry and 2 peach lip balms that are made from seed oil.", "attributes": ["animal testing", "long lasting", "seed oil"], "options": ["flavor name: four pack: 2 strawberry | 2 peach"], "instruction_attributes": ["seed oil"], "instruction_options": ["four pack"], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YNAGAY", "worker_id": "A1WS884SI0SLO4"}], "B09GM9C88P": [{"asin": "B09GM9C88P", "instruction": "i would like non toxic press on nails that are the color jp939", "attributes": ["double sided", "non toxic", "nail art"], "options": ["color: jp939"], "instruction_attributes": ["non toxic"], "instruction_options": ["jp939"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT3PP3X", "worker_id": "A2ECRNQ3X5LEXD"}], "B08THNSP6N": [{"asin": "B08THNSP6N", "instruction": "i would like two packs of fluoride free toothpaste.", "attributes": ["fluoride free", "clinically proven", "oral hygiene"], "options": ["size: 2 pack"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRPE9FX", "worker_id": "A1WS884SI0SLO4"}], "B08ZN8G7JV": [{"asin": "B08ZN8G7JV", "instruction": "hello, i want a music stereo for my car. bluetooth please. i would appreciate it being hands free as well", "attributes": ["batteries included", "hands free", "usb port"], "options": [""], "instruction_attributes": ["hands free", "usb port"], "instruction_options": [], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI70HYQE", "worker_id": "A2TRV8SEM003GG"}], "B09S152XNC": [{"asin": "B09S152XNC", "instruction": "i want a large summer o neck women's short sleeve blouse.", "attributes": ["loose fit", "slim fit", "hand wash", "short sleeve", "long sleeve", "polyester spandex"], "options": ["color: 9-black", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602WD95T", "worker_id": "A2RBF3IIJP15IH"}], "B00LVQPDGI": [{"asin": "B00LVQPDGI", "instruction": "i am looking for certified organic regular rolled oats, 25 pound (pack of 1)", "attributes": ["certified organic", "non gmo", "old fashioned"], "options": ["flavor: quick", "size: 25 pound (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["25 pound (pack of 1)"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LLOI57", "worker_id": "A258PTOZ3D2TQR"}], "B01N9JIUAS": [{"asin": "B01N9JIUAS", "instruction": "i would like some wild caught sardines that are in water", "attributes": ["wild caught", "high protein"], "options": ["flavor name: water - pack of 4"], "instruction_attributes": ["wild caught"], "instruction_options": ["water - pack of 4"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQERKV5", "worker_id": "A2ECRNQ3X5LEXD"}], "B08JZ5CPRT": [{"asin": "B08JZ5CPRT", "instruction": "i am looking for a travel mirror that is easy to carry", "attributes": ["double sided", "easy carry"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW0Z1C6", "worker_id": "A2ECRNQ3X5LEXD"}], "B094DPFX6Q": [{"asin": "B094DPFX6Q", "instruction": "i'm looking for a set of 14 inch human hair extensions in #3t613 ombre dark brown to bleach blonde color.", "attributes": ["double sided", "hair extensions", "hair salon"], "options": ["color: #3t613 ombre dark brown to bleach blonde", "size: 14 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["14 inch"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZTJ3KA", "worker_id": "A3MNXK3VDK37SN"}], "B09MJLV1J2": [{"asin": "B09MJLV1J2", "instruction": "find mouthwash, tartar stain removal, fresh breath, for daily life, for my bad breath !", "attributes": ["easy use", "bad breath"], "options": [""], "instruction_attributes": ["bad breath"], "instruction_options": [], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4WN7K3", "worker_id": "A15IJ20C3R4HUO"}], "B099MXRP49": [{"asin": "B099MXRP49", "instruction": "i would like a 12 fluid ounce blonde low calorie non alcoholic drink.", "attributes": ["non alcoholic", "low calorie"], "options": ["flavor name: blonde", "size: 12 fl oz (pack of 24)"], "instruction_attributes": ["non alcoholic", "low calorie"], "instruction_options": ["blonde", "12 fl oz (pack of 24)"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HROOWM", "worker_id": "A1WS884SI0SLO4"}], "B072L1636F": [{"asin": "B072L1636F", "instruction": "i would like to buy a nail buffer to take care of dead skin and in style1.", "attributes": ["high quality", "nail art", "dead skin"], "options": ["style name: style1"], "instruction_attributes": ["dead skin"], "instruction_options": ["style1"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCKTSJ3", "worker_id": "AHXHM1PQTRWIQ"}], "B084R89D4Z": [{"asin": "B084R89D4Z", "instruction": "i'm looking for milk based organic formula for baby.", "attributes": ["usda organic", "non gmo"], "options": [""], "instruction_attributes": ["usda organic"], "instruction_options": [], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WTY24D", "worker_id": "A21IUUHBSEVB56"}], "B07BPV6FPT": [{"asin": "B07BPV6FPT", "instruction": "i need a slim fit t-shirt that is blue and a large", "attributes": ["slim fit", "polyester spandex"], "options": ["color: royal blue a", "size: large"], "instruction_attributes": ["slim fit"], "instruction_options": ["royal blue a", "large"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HV3BPB", "worker_id": "A2ECRNQ3X5LEXD"}], "B005GVEHIO": [{"asin": "B005GVEHIO", "instruction": "i would like to buy machine washable leggings in size 16 plus with an elastic waistband.", "attributes": ["machine wash", "elastic waistband", "regular fit"], "options": ["color: waterfall", "size: 16 plus"], "instruction_attributes": ["machine wash", "elastic waistband"], "instruction_options": ["16 plus"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DUWK4V", "worker_id": "AHXHM1PQTRWIQ"}], "B093FGHNYM": [{"asin": "B093FGHNYM", "instruction": "i would like a cake topper for a birthday party.", "attributes": ["baby shower", "party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOME9LI", "worker_id": "A1WS884SI0SLO4"}], "B08K2V17DD": [{"asin": "B08K2V17DD", "instruction": "i would like some black high heels that are a size 6.5", "attributes": ["high heel", "synthetic sole"], "options": ["color: black", "size: 6.5"], "instruction_attributes": ["high heel"], "instruction_options": ["black", "6.5"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEL68Q2", "worker_id": "A2ECRNQ3X5LEXD"}], "B086JW9KL8": [{"asin": "B086JW9KL8", "instruction": "i am looking for toiletries kit bag with water resistant feature and color should be green.", "attributes": ["water resistant", "easy clean", "leak proof"], "options": ["color: bottle green"], "instruction_attributes": ["water resistant"], "instruction_options": ["bottle green"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7P2I3M", "worker_id": "A3FG5PQHG5AH3Y"}], "B093GV68LQ": [{"asin": "B093GV68LQ", "instruction": "i want 42x84 inch, baby pink and gold color gorgeous unicorn eyelash print curtain for living or bed rooms.", "attributes": ["machine washable", "stainless steel", "living room"], "options": ["color: baby pink and gold", "size: 42x84 in"], "instruction_attributes": ["living room"], "instruction_options": ["baby pink and gold", "42x84 in"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO9VGJ3", "worker_id": "A1V2C99HEV3F14"}], "B086G51TH9": [{"asin": "B086G51TH9", "instruction": "i need 5ft power cord cable for blu ray player and home theater system", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKNPPV1", "worker_id": "A258PTOZ3D2TQR"}], "B08MXZXKQ6": [{"asin": "B08MXZXKQ6", "instruction": "i am looking for a living room poster of fruit", "attributes": ["wood frame", "solid wood", "living room"], "options": ["color: fruit pictures-1", "size: 12\"x16\"x3 panel"], "instruction_attributes": ["living room"], "instruction_options": ["fruit pictures-1"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQHVJCO", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08MXZXKQ6", "instruction": "i am looking for a green plants color wall art for my living room.", "attributes": ["wood frame", "solid wood", "living room"], "options": ["color: green plants", "size: 12\"x16\"x3"], "instruction_attributes": ["living room"], "instruction_options": ["green plants"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXZ0O4D", "worker_id": "A1Q8PPQQCWGY0D"}], "B06X3W4PZ8": [{"asin": "B06X3W4PZ8", "instruction": "i am looking for peanut butter chocolate cookie assortments that are dairy free", "attributes": ["lactose free", "dairy free", "non gmo", "gluten free", "birthday cake"], "options": ["flavor name: peanut butter chocolate", "size: 6 ounce (pack of 1)"], "instruction_attributes": ["dairy free"], "instruction_options": ["peanut butter chocolate"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPDGDQS", "worker_id": "A2ECRNQ3X5LEXD"}], "B01M5ANC4W": [{"asin": "B01M5ANC4W", "instruction": "i would like a desk made from engineered wood.", "attributes": ["assembly required", "engineered wood"], "options": [""], "instruction_attributes": ["engineered wood"], "instruction_options": [], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKTHGSU", "worker_id": "A1WS884SI0SLO4"}], "B082J7BWYJ": [{"asin": "B082J7BWYJ", "instruction": "i'm looking for an individually wrapped bar snack cakes.", "attributes": ["individually wrapped", "nut free", "kosher certified", "dairy free", "0g trans", "birthday party"], "options": [""], "instruction_attributes": ["individually wrapped"], "instruction_options": [], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72ANLEOY", "worker_id": "ARQ05PDNXPFDI"}], "B093Z28QMN": [{"asin": "B093Z28QMN", "instruction": "i am looking for khaki colored house slippers with a non-slip grip in the size 11 wide.", "attributes": ["day comfort", "machine washable", "non slip", "arch support", "rubber sole"], "options": ["color: 03khaki", "size: 11 wide"], "instruction_attributes": ["non slip"], "instruction_options": ["03khaki", "11 wide"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXILJUJ", "worker_id": "AK3JMCIGU8MLU"}], "B0981Y1FLG": [{"asin": "B0981Y1FLG", "instruction": "i am looking for a high resolution car stereo system with mp-800 and the latest phonelink.", "attributes": ["high resolution", "hands free", "usb port"], "options": ["color: mp-800 with latest phonelink"], "instruction_attributes": ["high resolution"], "instruction_options": ["mp-800 with latest phonelink"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQ0P4BX", "worker_id": "A1EREKSZAA9V7B"}], "B08QRVN886": [{"asin": "B08QRVN886", "instruction": "i want to buy frame for bed platform which is eco friendly and with box spring, while the color i would prefer for it to be black and as for the size it should be king size.", "attributes": ["eco friendly", "faux leather", "king size", "box spring"], "options": ["color: black pu", "size: king"], "instruction_attributes": ["eco friendly", "box spring"], "instruction_options": ["black pu", "king"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA74GMHR", "worker_id": "AJY5G987IRT25"}], "B07KVZJGBW": [{"asin": "B07KVZJGBW", "instruction": "i need a classic fir t-shirt that is suitable for my wife. and i choose the orange one", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: orange", "fit type: women", "size: 4t"], "instruction_attributes": ["classic fit"], "instruction_options": ["orange", "women"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4DW6RV", "worker_id": "A2COCSUGZV28X"}], "B07CQ4BZQR": [{"asin": "B07CQ4BZQR", "instruction": "i would like a 40 by 84 inch round frosted table pad for the dining room.", "attributes": ["eco friendly", "easy clean", "stainless steel", "dining room", "living room"], "options": ["color: upgraded frosted 1.5mm", "shape: round", "size: 40 x 84 inches"], "instruction_attributes": ["dining room"], "instruction_options": ["upgraded frosted 1.5mm", "round", "40 x 84 inches"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOMX9L1", "worker_id": "A1WS884SI0SLO4"}], "B09PD6NWCN": [{"asin": "B09PD6NWCN", "instruction": "i would like some flouride free toothpaste", "attributes": ["fluoride free", "teeth whitening", "sensitive teeth", "bad breath"], "options": ["color: 2-2"], "instruction_attributes": ["fluoride free"], "instruction_options": ["2-2"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RK9LFM", "worker_id": "A2ECRNQ3X5LEXD"}], "B085GCJ1YK": [{"asin": "B085GCJ1YK", "instruction": "i am looking for a black bike short that is made of nylon spandex. pick a size 16.", "attributes": ["hand wash", "nylon spandex"], "options": ["color: black", "size: 16"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["black", "16"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P783SVT", "worker_id": "A1NF6PELRKACS9"}], "B09PN95H7B": [{"asin": "B09PN95H7B", "instruction": "looking for leather sole womans sandals with arch support also choose size 7 wide", "attributes": ["arch support", "leather sole", "high heel", "ankle strap"], "options": ["color: 04-white", "size: 7 wide"], "instruction_attributes": ["arch support", "leather sole"], "instruction_options": ["7 wide"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADMIHAR", "worker_id": "A10OGH5CQBXL5N"}], "B08YRGRXDZ": [{"asin": "B08YRGRXDZ", "instruction": "find me a white tablet with high performance with quad core", "attributes": ["high performance", "quad core"], "options": ["color: white"], "instruction_attributes": ["high performance", "quad core"], "instruction_options": ["white"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI71JYQI", "worker_id": "A2Y2TURT2VEYZN"}], "B09KT1ZG57": [{"asin": "B09KT1ZG57", "instruction": "i'm looking for a coral velvet microfiber hair towel wrap for women.", "attributes": ["dry hair", "hair salon"], "options": ["color: aquamarine"], "instruction_attributes": ["dry hair"], "instruction_options": ["aquamarine"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95VRXQD", "worker_id": "A21IUUHBSEVB56"}], "B08KDNRWCD": [{"asin": "B08KDNRWCD", "instruction": "i'm looking for new year cupcake with glitter dessert muffins.", "attributes": ["cupcake picks", "party supplies"], "options": ["color: rose gold"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["rose gold"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z4CYCQJ", "worker_id": "A21IUUHBSEVB56"}], "B006XMHPF2": [{"asin": "B006XMHPF2", "instruction": "i would like a volumizing pomegranate conditioner made from seed oil.", "attributes": ["sulfate free", "seed oil"], "options": ["style: volumizing pomegranate conditioner"], "instruction_attributes": ["seed oil"], "instruction_options": ["volumizing pomegranate conditioner"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2JOFKV", "worker_id": "A1WS884SI0SLO4"}], "B08YBGCBT6": [{"asin": "B08YBGCBT6", "instruction": "i want a white emma + oliver kids 3 piece solid hardwood table and chair set for my dining room.", "attributes": ["white item", "wood finish", "dining room"], "options": ["color: white"], "instruction_attributes": ["dining room"], "instruction_options": ["white"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R2K7WL", "worker_id": "A2RBF3IIJP15IH"}], "B087MSRM1R": [{"asin": "B087MSRM1R", "instruction": "i am looking for women's woodland texapore low rise hiking shoes. also ebony blue one.", "attributes": ["low rise", "ethylene vinyl", "vinyl acetate", "rubber outsole"], "options": ["color: ebony blue", "size: 4 big kid"], "instruction_attributes": ["low rise"], "instruction_options": ["ebony blue"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK24AJNKJ", "worker_id": "A258PTOZ3D2TQR"}], "B00QUKS6NW": [{"asin": "B00QUKS6NW", "instruction": "i would like a 4 ounce face moisturizer made with natural ingredients.", "attributes": ["coconut oil", "natural ingredients", "dark circles", "dry skin", "sensitive skin"], "options": ["size: 4 ounce (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["4 ounce (pack of 1)"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1KK3UA", "worker_id": "A1WS884SI0SLO4"}], "B08TVVVXVG": [{"asin": "B08TVVVXVG", "instruction": "can i get the heavy duty 2-gang, outlet toggle combination wall plate cover.", "attributes": ["heavy duty", "high gloss"], "options": ["style: toggle | outlet combo"], "instruction_attributes": ["heavy duty"], "instruction_options": ["toggle | outlet combo"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBINJD6", "worker_id": "A1IL2K0ELYI090"}], "B096YCWV5H": [{"asin": "B096YCWV5H", "instruction": "hello, i would like a gift set of chocolates with peanut products in it? preferably dusted chocolate toffee flavor", "attributes": ["protein serving", "plant based", "non gmo", "great gift", "gift set"], "options": ["flavor name: dustted chocolate toffee", "size: 20oz"], "instruction_attributes": ["great gift", "gift set"], "instruction_options": ["dustted chocolate toffee"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYSFFXW", "worker_id": "A2TRV8SEM003GG"}], "B06XK5TMTD": [{"asin": "B06XK5TMTD", "instruction": "i am looking for ac dc adapter charger for my wireless bluetooth speaker.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "351SEKWQSBRP7CP60H83T50CFB6MDZ", "worker_id": "A1Q8PPQQCWGY0D"}], "B004M8SVGQ": [{"asin": "B004M8SVGQ", "instruction": "i need a bronze colored high resolution digital camera that also has optical zoom lens.", "attributes": ["high resolution", "optical zoom"], "options": ["color: bronze"], "instruction_attributes": ["high resolution", "optical zoom"], "instruction_options": ["bronze"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH156QHW9", "worker_id": "A1NF6PELRKACS9"}], "B0087N3MOI": [{"asin": "B0087N3MOI", "instruction": "i'm looking for vanilla meringues cookies, fat and gluten free", "attributes": ["trader joe", "fat free", "gluten free", "artificial colors"], "options": [""], "instruction_attributes": ["fat free", "gluten free"], "instruction_options": [], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFC6D9Y", "worker_id": "A2Y2TURT2VEYZN"}], "B09N9QHVHK": [{"asin": "B09N9QHVHK", "instruction": "i'm looking for gyufise glitter mounted butterfly cupcake toppers butterfly cupcake pick, pattern name: 1-multicolor birthday party decorations if you find it let me know soon", "attributes": ["birthday party", "party supplies", "baby shower"], "options": ["pattern name: 1-multicolor"], "instruction_attributes": ["birthday party"], "instruction_options": ["1-multicolor"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ATNBWP", "worker_id": "A15IJ20C3R4HUO"}], "B0842TRS8B": [{"asin": "B0842TRS8B", "instruction": "i want non gmo triscuit dill sea salt and olive oil crackers.", "attributes": ["non gmo", "dietary fiber"], "options": ["flavor name: dill sea salt and olive oil"], "instruction_attributes": ["non gmo"], "instruction_options": ["dill sea salt and olive oil"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7Q93IG", "worker_id": "A2RBF3IIJP15IH"}], "B091SV7HJ7": [{"asin": "B091SV7HJ7", "instruction": "i want a grey 3-piece faux leather tufted sectional sofa.", "attributes": ["faux leather", "metal legs"], "options": ["color: grey"], "instruction_attributes": ["faux leather"], "instruction_options": ["grey"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP84O7ZB", "worker_id": "A2RBF3IIJP15IH"}], "B08SJ16N4D": [{"asin": "B08SJ16N4D", "instruction": "i want a 0.27 fl oz perfume bottle that is high in quality. it should be in travel size.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: creed silver mountain water impression", "size: 0.27 fl oz (pack of 1)"], "instruction_attributes": ["travel size", "high quality"], "instruction_options": ["0.27 fl oz (pack of 1)"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DUY4KH", "worker_id": "A1NF6PELRKACS9"}], "B094687BW9": [{"asin": "B094687BW9", "instruction": "i would like a long lasting men's fragrance.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3MDRY2", "worker_id": "A1WS884SI0SLO4"}], "B075817VBP": [{"asin": "B075817VBP", "instruction": "i would like 10 ml of lavender face oil that's high quality.", "attributes": ["high quality", "tea tree"], "options": ["scent: lavender", "size: 10 ml (pack of 1)"], "instruction_attributes": ["high quality"], "instruction_options": ["lavender", "10 ml (pack of 1)"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662YC4M3", "worker_id": "A1WS884SI0SLO4"}], "B07YQJ68W6": [{"asin": "B07YQJ68W6", "instruction": "i want a silver star wars the mandalorian muted warrior t-shirt.", "attributes": ["needle sleeve", "classic fit", "star wars"], "options": ["color: silver", "fit type: youth", "size: 2t"], "instruction_attributes": ["star wars"], "instruction_options": ["silver"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFRVV3T", "worker_id": "A2RBF3IIJP15IH"}], "B07PNRZ353": [{"asin": "B07PNRZ353", "instruction": "i need easy to install white trim led light in pack of 18. tye color should be daylight 5000k.", "attributes": ["easy install", "brushed nickel"], "options": ["color: daylight 5000k", "size: white trim (18 pack)"], "instruction_attributes": ["easy install"], "instruction_options": ["daylight 5000k", "white trim (18 pack)"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTBVLNT", "worker_id": "ASWFLI3N8X72G"}], "B09QFH1FQC": [{"asin": "B09QFH1FQC", "instruction": "would you find this curtain more easily than i can? fangsosolong dragon bedroom curtains with window cover decoration superior noise blocking reduce , machine washable for my boy's bedroom 63\" rod pocket w 52 l 95", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: b001c21", "size: rod pocket-w 52 l 95"], "instruction_attributes": ["machine washable"], "instruction_options": ["rod pocket-w 52 l 95"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGT1I7M8", "worker_id": "A15IJ20C3R4HUO"}], "B08RZ3B76K": [{"asin": "B08RZ3B76K", "instruction": "get me a 10g protein per serving chocolate and peanut butter bars.", "attributes": ["protein serving", "trader joe"], "options": [""], "instruction_attributes": ["protein serving"], "instruction_options": [], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH37D2SEP", "worker_id": "A1NF6PELRKACS9"}], "B07Y4XM3VZ": [{"asin": "B07Y4XM3VZ", "instruction": "i am looking of a balms & moisturizers for fine lines", "attributes": ["anti aging", "fine lines"], "options": [""], "instruction_attributes": ["fine lines"], "instruction_options": [], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDCS0SB", "worker_id": "A9QRQL9CFJBI7"}], "B09BB2WGGF": [{"asin": "B09BB2WGGF", "instruction": "i would like a l5538-1 nail tip that is easy to apply", "attributes": ["easy apply", "nail art"], "options": ["color: l5538-1"], "instruction_attributes": ["easy apply"], "instruction_options": ["l5538-1"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRPF9FY", "worker_id": "A1WS884SI0SLO4"}], "B07GYJSMW3": [{"asin": "B07GYJSMW3", "instruction": "searching to purchase a men's zerogrand hiker boot that is water resistant with rubber outsole in a size 10 1/2, either dark coffee or black in coloring. cole haan.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: dark coffee | black", "size: 10.5"], "instruction_attributes": ["water resistant", "rubber outsole"], "instruction_options": ["dark coffee | black", "10.5"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3JEBV6", "worker_id": "A3RGIKEI8JS2QG"}], "B09NQ3SVTB": [{"asin": "B09NQ3SVTB", "instruction": "i am interested in a c colored cruelty free blush alongside a nailpolish", "attributes": ["cruelty free", "long lasting", "nail polish"], "options": ["color: c"], "instruction_attributes": ["cruelty free", "nail polish"], "instruction_options": ["c"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCMJBLW", "worker_id": "AHXHM1PQTRWIQ"}], "B09P9W683K": [{"asin": "B09P9W683K", "instruction": "i am interested in a grey solid wood nightstand", "attributes": ["solid wood", "storage space", "living room"], "options": ["color: grey", "size: nightstand"], "instruction_attributes": ["solid wood"], "instruction_options": ["grey", "nightstand"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTGGD50", "worker_id": "A2ECRNQ3X5LEXD"}], "B093JLXRB6": [{"asin": "B093JLXRB6", "instruction": "i am looking for kosher certified ready to eat reese quartered artichoke hearts, in size 7 ounce (pack of 12)", "attributes": ["ready eat", "kosher certified", "non gmo"], "options": ["flavor name: delicate", "size: 7 ounce (pack of 12)"], "instruction_attributes": ["ready eat", "kosher certified"], "instruction_options": ["7 ounce (pack of 12)"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNUSFJ0", "worker_id": "AX2EWYWZM19AZ"}], "B09SPHJXGC": [{"asin": "B09SPHJXGC", "instruction": "i am looking for dining chairs of g-gray color for my living room.", "attributes": ["mid century", "metal legs", "living room"], "options": ["color: g-gray", "size: 1 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["g-gray"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTX0E45", "worker_id": "A1Q8PPQQCWGY0D"}], "B01JTHDPP6": [{"asin": "B01JTHDPP6", "instruction": "i want anti aging collagen boosting serum.", "attributes": ["anti aging", "cruelty free", "animal testing", "plant based", "natural ingredients", "fine lines"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THZ5Z52", "worker_id": "A2RBF3IIJP15IH"}], "B09DKB37BS": [{"asin": "B09DKB37BS", "instruction": "i am looking for a classic fit army green color shirts.", "attributes": ["slim fit", "cotton spandex", "short sleeve", "classic fit"], "options": ["color: army green", "size: xx-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["army green"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q6EGWA", "worker_id": "A1Q8PPQQCWGY0D"}], "B08TB8PCRL": [{"asin": "B08TB8PCRL", "instruction": "i am looking for medium size elastic waist loose fit workout running sweatpants for men", "attributes": ["machine wash", "loose fit", "hand wash", "drawstring closure", "elastic waist", "tumble dry", "daily wear"], "options": ["color: camo", "size: medium"], "instruction_attributes": ["loose fit", "elastic waist"], "instruction_options": ["medium"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3GCNQC", "worker_id": "A258PTOZ3D2TQR"}], "B08M9QFNKC": [{"asin": "B08M9QFNKC", "instruction": "i am looking for a comfortable desk chair without wheels, for my living room, or dining room. i would like for it to have golden legs.", "attributes": ["super soft", "mid century", "assembly required", "living room", "dining room"], "options": ["color: blue, fur&golden legs"], "instruction_attributes": ["living room", "dining room"], "instruction_options": ["blue, fur&golden legs"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80F61QH", "worker_id": "A2KW17G25L25R8"}], "B09QJ2PBMJ": [{"asin": "B09QJ2PBMJ", "instruction": "i want a bag of high protein thailand unique jamaican crickets.", "attributes": ["ready eat", "high protein", "artificial colors"], "options": ["flavor name: jamaican crickets bag", "size: 6 pack 90 g"], "instruction_attributes": ["high protein"], "instruction_options": ["jamaican crickets bag"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGEISM1", "worker_id": "A2RBF3IIJP15IH"}], "B07QQKRHR1": [{"asin": "B07QQKRHR1", "instruction": "find some 5 ounce gluten free herbs.", "attributes": ["certified organic", "non gmo", "gluten free"], "options": ["flavor name: herbs de provence", "size: 5 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["5 ounce (pack of 1)"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXIIUJR", "worker_id": "A15ERD4HOFEPHM"}], "B09JR2KSKZ": [{"asin": "B09JR2KSKZ", "instruction": "i want an intel i5 core desktop with 32 gb ram and 256 gb nvme ssd.", "attributes": ["core i5", "intel core"], "options": ["size: 32gb ram | 256gb nvme ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": [], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9WETED", "worker_id": "A1NF6PELRKACS9"}], "B092Q2WQWW": [{"asin": "B092Q2WQWW", "instruction": "i am looking for 5x-large party casual short sleeve loose tunic dress", "attributes": ["machine wash", "wash cold", "soft material", "short sleeve", "dry clean"], "options": ["color: small", "size: 5x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["5x-large"], "assignment_id": "3G2UL9A02OO71034MOY04HTU31567Z", "worker_id": "A258PTOZ3D2TQR"}], "B07T7399JK": [{"asin": "B07T7399JK", "instruction": "i'm looking for a ultra hd digital camera with optical zoom lens.", "attributes": ["ultra hd", "optical zoom", "stereo sound"], "options": [""], "instruction_attributes": ["ultra hd", "optical zoom"], "instruction_options": [], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA74BHMH", "worker_id": "AR0VJ5XRG16UJ"}], "B09MQVPBKV": [{"asin": "B09MQVPBKV", "instruction": "i need some whitening toothpaste", "attributes": ["alcohol free", "teeth whitening", "coconut oil", "natural ingredients"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTSPE52", "worker_id": "A2ECRNQ3X5LEXD"}], "B083JTJXG7": [{"asin": "B083JTJXG7", "instruction": "i want to buy a brush for facial cleansing which is suitable for sensitive skin and it's blue color.", "attributes": ["sensitive skin", "dead skin"], "options": ["color: blue"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["blue"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A21CBHTM", "worker_id": "AJY5G987IRT25"}], "B09NS3HYLV": [{"asin": "B09NS3HYLV", "instruction": "i am looking for variety truffles style - 4pc. of dairy free chocolate truffles", "attributes": ["dairy free", "hand crafted", "low carb", "sugar free", "non gmo"], "options": ["style: variety truffles - 4pc."], "instruction_attributes": ["dairy free"], "instruction_options": ["variety truffles - 4pc."], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXZ4O4H", "worker_id": "A9QRQL9CFJBI7"}], "B09FL9593D": [{"asin": "B09FL9593D", "instruction": "im looking for the long lasting soy wax jar candles in lavender scent.", "attributes": ["long lasting", "soy wax"], "options": [""], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": [], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG4QBGH", "worker_id": "AK3JMCIGU8MLU"}], "B08HN4MPNH": [{"asin": "B08HN4MPNH", "instruction": "i want a beige colored storage bench for my living room. it should be 40 inches in size.", "attributes": ["button tufted", "assembly required", "living room"], "options": ["color: beige", "size: 40 inches"], "instruction_attributes": ["living room"], "instruction_options": ["beige", "40 inches"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O48A2C", "worker_id": "A1NF6PELRKACS9"}], "B07HGKTMCZ": [{"asin": "B07HGKTMCZ", "instruction": "can i get a hedgehog garden ornament collection which has a longlasting battery .", "attributes": ["batteries included", "long lasting"], "options": ["style: hedgehog"], "instruction_attributes": ["long lasting"], "instruction_options": ["hedgehog"], "assignment_id": "351SEKWQSBRP7CP60H83T50CFB7DMR", "worker_id": "AHU9OLV0YKIIW"}], "B07XBV3VZC": [{"asin": "B07XBV3VZC", "instruction": "i want a lenovo thinkcentre quad core desktop pc.", "attributes": ["core i5", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YKSNPN", "worker_id": "A2RBF3IIJP15IH"}], "B08CTS4P7B": [{"asin": "B08CTS4P7B", "instruction": "i need a bag that can carry my travel bottles", "attributes": ["leak proof", "easy use", "travel bottles"], "options": [""], "instruction_attributes": ["travel bottles"], "instruction_options": [], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYTTOZD", "worker_id": "A2ECRNQ3X5LEXD"}], "B08M47K2VY": [{"asin": "B08M47K2VY", "instruction": "find me a pair of women's jogger sweatpants with an elastic band and drawstring. i want a medium sized black pair.", "attributes": ["machine wash", "drawstring closure", "elastic waistband"], "options": ["color: black", "size: medium"], "instruction_attributes": ["drawstring closure", "elastic waistband"], "instruction_options": ["black", "medium"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WBLUO1", "worker_id": "A2DDPSXH2X96RF"}], "B08H7PJKML": [{"asin": "B08H7PJKML", "instruction": "i am looking for 03 yellow square pattern eco friendly shower caps.", "attributes": ["eco friendly", "hair treatment"], "options": ["pattern name: 03 yellow square"], "instruction_attributes": ["eco friendly"], "instruction_options": ["03 yellow square"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQFX19Q", "worker_id": "A1Q8PPQQCWGY0D"}], "B091D648LZ": [{"asin": "B091D648LZ", "instruction": "i am looking for some long lasting ruby colored lip gloss .", "attributes": ["long lasting", "hyaluronic acid"], "options": ["color: 611 ruby sheen", "style: set"], "instruction_attributes": ["long lasting"], "instruction_options": ["611 ruby sheen"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4GSBSB", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B091D648LZ", "instruction": "i am looking for a french chic color lip gloss that is long lasting.", "attributes": ["long lasting", "hyaluronic acid"], "options": ["color: french chic", "style: set"], "instruction_attributes": ["long lasting"], "instruction_options": ["french chic"], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZTK05B", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B091D648LZ", "instruction": "i am interested in a long lasting lip gloss set", "attributes": ["long lasting", "hyaluronic acid"], "options": ["color: 609 lucid glow", "style: set"], "instruction_attributes": ["long lasting"], "instruction_options": ["set"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL29EAJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PYMQ217": [{"asin": "B09PYMQ217", "instruction": "i am looking for height adjustable blue color children's study desk table chair set with drawer and bookstand.", "attributes": ["height adjustable", "steel frame", "storage space"], "options": ["color: blue-4"], "instruction_attributes": ["height adjustable"], "instruction_options": ["blue-4"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K9M12X", "worker_id": "A258PTOZ3D2TQR"}], "B07KW8MDVZ": [{"asin": "B07KW8MDVZ", "instruction": "i am looking for a 3x large heathers cotton t-shirts for boys", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: baby blue", "fit type: men", "size: 3x-large"], "instruction_attributes": ["heathers cotton"], "instruction_options": [], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV3EX3B", "worker_id": "A9QRQL9CFJBI7"}], "B09N79LQQF": [{"asin": "B09N79LQQF", "instruction": "i would like some non gmo gluten free snack food.", "attributes": ["non gmo", "gluten free"], "options": [""], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4FJL8Q", "worker_id": "A1WS884SI0SLO4"}], "B07VPDDQXV": [{"asin": "B07VPDDQXV", "instruction": "i am interested in buying an ottoman for coffee table which is of high density and solid wood, and i want it's color to be distressed dark blue, and has a 36 inch dimension.", "attributes": ["high density", "faux leather", "solid wood", "living room"], "options": ["color: distressed dark blue", "size: 36 inch"], "instruction_attributes": ["high density", "solid wood"], "instruction_options": ["distressed dark blue", "36 inch"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXNXKWJ", "worker_id": "AJY5G987IRT25"}], "B09KM6MR46": [{"asin": "B09KM6MR46", "instruction": "i want brown pgojuni womens open toe booties.", "attributes": ["knee high", "open toe", "high heel"], "options": ["color: f-1 brown", "size: 8"], "instruction_attributes": ["open toe"], "instruction_options": ["f-1 brown"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E241354", "worker_id": "A2RBF3IIJP15IH"}], "B08KTQGV2H": [{"asin": "B08KTQGV2H", "instruction": "i am looking for long lasting blackout curtains. and i choose the 55\" w x 72\" l with color 17", "attributes": ["machine washable", "long lasting"], "options": ["color: color17", "size: 55\" w x 72\" l"], "instruction_attributes": ["long lasting"], "instruction_options": ["color17", "55\" w x 72\" l"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIN9EFT", "worker_id": "A2COCSUGZV28X"}], "B09KLQ1Q3D": [{"asin": "B09KLQ1Q3D", "instruction": "i'm looking for a high heel stiletto shoes with ankle strap and deep purple color size 10", "attributes": ["ankle strap", "high heel", "rubber outsole"], "options": ["color: deep purple", "size: 10"], "instruction_attributes": ["ankle strap", "high heel"], "instruction_options": ["deep purple", "10"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT5JJY2", "worker_id": "A2Y2TURT2VEYZN"}], "B07S1L3BV5": [{"asin": "B07S1L3BV5", "instruction": "i would like to find gluten free barbecue sauce with flavor of smokey mesquite", "attributes": ["gluten free", "quality ingredients", "high fructose", "artificial colors"], "options": ["flavor name: smokey mesquite", "size: 1.12 pound (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["smokey mesquite"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPO2SYX", "worker_id": "A15ERD4HOFEPHM"}], "B01DCHQMOK": [{"asin": "B01DCHQMOK", "instruction": "i am looking for some oil free baby powder", "attributes": ["oil free", "dry skin"], "options": ["scent: baby powder"], "instruction_attributes": ["oil free"], "instruction_options": ["baby powder"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK8KNVZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07YD83DNZ": [{"asin": "B07YD83DNZ", "instruction": "i am interested in a white alarm clock that has batteries included.", "attributes": ["batteries included", "easy use", "usb port"], "options": ["color: white"], "instruction_attributes": ["batteries included"], "instruction_options": ["white"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GO0Q937", "worker_id": "A2ECRNQ3X5LEXD"}], "B097MYVHHV": [{"asin": "B097MYVHHV", "instruction": "i'm looking for a fluoride free toothpaste that prevents bad breath. also choose a pack of 2, 50g blue colored one.", "attributes": ["fluoride free", "bad breath"], "options": ["color: blue", "size: 50g*2"], "instruction_attributes": ["fluoride free", "bad breath"], "instruction_options": ["blue", "50g*2"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQIBCJZ", "worker_id": "AR0VJ5XRG16UJ"}], "B07QCD9YM6": [{"asin": "B07QCD9YM6", "instruction": "i am looking for a macaroni & cheese with rich creamy and non gmo.", "attributes": ["non gmo", "rich creamy", "artificial flavors"], "options": [""], "instruction_attributes": ["non gmo", "rich creamy"], "instruction_options": [], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZZKZJ6", "worker_id": "A2HMEGTAFO0CS8"}], "B07NPCS939": [{"asin": "B07NPCS939", "instruction": "i am looking for a beige sectional sofa set for my living room.", "attributes": ["spot clean", "wood frame", "living room"], "options": ["color: beige", "size: seating for 4 - 2 ottomans"], "instruction_attributes": ["living room"], "instruction_options": ["beige"], "assignment_id": "3QIYRE09YER1XZUUWP385IO3V5U1N7", "worker_id": "A1EREKSZAA9V7B"}], "B07J4XNCSZ": [{"asin": "B07J4XNCSZ", "instruction": "i would like some non gmo watermelon fruit snacks", "attributes": ["non gmo", "gluten free", "artificial flavors", "natural flavors"], "options": ["flavor name: watermelon", "size: 0.7 ounce (pack of 56)"], "instruction_attributes": ["non gmo"], "instruction_options": ["watermelon"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR8SC0D", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MTQH8MX": [{"asin": "B09MTQH8MX", "instruction": "i want blue travel toothbrushes with long handles.", "attributes": ["non slip", "long handle", "oral hygiene"], "options": ["color: blue"], "instruction_attributes": ["long handle"], "instruction_options": ["blue"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV5BBHQ", "worker_id": "A2RBF3IIJP15IH"}], "B09H79FB9V": [{"asin": "B09H79FB9V", "instruction": "i am looking for easy clean and space saving kitchen trash cabinet of hm-gb01gy model", "attributes": ["space saving", "white item", "easy clean", "easy assemble"], "options": ["style: hm-gb01gy"], "instruction_attributes": ["space saving", "easy clean"], "instruction_options": ["hm-gb01gy"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO8S2R8", "worker_id": "A258PTOZ3D2TQR"}], "B09D8T75XX": [{"asin": "B09D8T75XX", "instruction": "i am looking for non gmo ocean's halo seaweed snacks. 1 case of 20 units.", "attributes": ["certified organic", "non gmo"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R9QSKZ", "worker_id": "A2KW17G25L25R8"}], "B08HWR1D16": [{"asin": "B08HWR1D16", "instruction": "i want a large royal blue golf and bourbon enjoyer tank top for women for machine wash", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: women", "size: large"], "instruction_attributes": ["machine wash"], "instruction_options": ["royal blue", "women", "large"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3VM9Z1", "worker_id": "A2Y2TURT2VEYZN"}], "B015QLCI7A": [{"asin": "B015QLCI7A", "instruction": "i'm looking for the original gypsy color 5 light crystal white flush mount chandelier.", "attributes": ["fully assembled", "easy assemble", "clear glass", "dining room"], "options": ["color: multicolor", "size: 4 light hardwire"], "instruction_attributes": ["easy assemble"], "instruction_options": ["multicolor"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA932Z3ZZ", "worker_id": "A21IUUHBSEVB56"}], "B071HNJ2T7": [{"asin": "B071HNJ2T7", "instruction": "i am seeking a high quality toothpaste which ensure that i have long lasting fresh breath", "attributes": ["high quality", "fresh breath"], "options": [""], "instruction_attributes": ["high quality", "fresh breath"], "instruction_options": [], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4KS51J", "worker_id": "AHXHM1PQTRWIQ"}], "B09NRNNG1Q": [{"asin": "B09NRNNG1Q", "instruction": "i am looking for 2pink color anti slip women sandals.", "attributes": ["anti slip", "open toe", "high heel", "leather sole", "ankle strap"], "options": ["color: 2pink", "size: 7"], "instruction_attributes": ["anti slip"], "instruction_options": ["2pink"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83NZJIC", "worker_id": "A1Q8PPQQCWGY0D"}], "B09CF1YNVX": [{"asin": "B09CF1YNVX", "instruction": "i am looking for a toning treatment that is fragrance free", "attributes": ["dermatologist tested", "fragrance free"], "options": ["style: prox anti-aging tone treatment, 1.3 oz"], "instruction_attributes": ["fragrance free"], "instruction_options": ["prox anti-aging tone treatment, 1.3 oz"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TOR3NI", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CTY29KJ": [{"asin": "B09CTY29KJ", "instruction": "i am looking for white color wood frame triple bunk bed with ladder", "attributes": ["twin size", "white item", "assembly required", "wood frame", "box spring"], "options": ["color: white", "size: twin over full with slide"], "instruction_attributes": ["wood frame"], "instruction_options": ["white"], "assignment_id": "33UKMF931KU01WBNV49UKNDQC63TT5", "worker_id": "A258PTOZ3D2TQR"}], "B07DKHV65Q": [{"asin": "B07DKHV65Q", "instruction": "i am looking for a lavender women's party dress in the size x-large.", "attributes": ["hand wash", "dry clean"], "options": ["color: lavender", "size: x-large"], "instruction_attributes": ["hand wash"], "instruction_options": ["lavender", "x-large"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X028B435", "worker_id": "AK3JMCIGU8MLU"}], "B09B22PC6S": [{"asin": "B09B22PC6S", "instruction": "king size platform bed with rgb led headboard", "attributes": ["pu leather", "faux leather", "box spring"], "options": ["color: burgundy pu", "size: king"], "instruction_attributes": [], "instruction_options": ["king"], "assignment_id": "3G2UL9A02OO71034MOY04HTU31067U", "worker_id": "A3TTGSUBIK1YCL"}], "B09H2QFSKP": [{"asin": "B09H2QFSKP", "instruction": "i want easy clean high quality pink linens for beauty salon size :60*180 cm", "attributes": ["easy clean", "high quality", "beauty salon"], "options": ["color: pink", "size: 60*180cm round head"], "instruction_attributes": ["easy clean", "high quality", "beauty salon"], "instruction_options": ["pink", "60*180cm round head"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCQUBMH", "worker_id": "A3N9ZYQAESNFQH"}, {"asin": "B09H2QFSKP", "instruction": "i am looking for easy clean yellow color beauty bedspreads massage table skirt", "attributes": ["easy clean", "high quality", "beauty salon"], "options": ["color: yellow", "size: 70*180cm round head"], "instruction_attributes": ["easy clean"], "instruction_options": ["yellow"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPO8E6S", "worker_id": "A258PTOZ3D2TQR"}], "B09631NVQT": [{"asin": "B09631NVQT", "instruction": "i am looking for flower fairy giel with pink wing elves pillow cover for living room.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: flower fairy girl with pink wing elves and beautiful butterflies wild plants"], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OILA297", "worker_id": "A3FG5PQHG5AH3Y"}], "B08MN7Y8Y8": [{"asin": "B08MN7Y8Y8", "instruction": "i am looking for venice color lip gloss containing natural ingredients.", "attributes": ["animal testing", "natural ingredients", "nail polish"], "options": ["color: venice", "style: hydro-shine"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["venice"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO7GR2J", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08MN7Y8Y8", "instruction": "i need a liquid lip gloss that has natural ingredients and is in the color rabida.", "attributes": ["animal testing", "natural ingredients", "nail polish"], "options": ["color: rabida", "style: liquid"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["rabida", "liquid"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9EXE2S", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H6VRJYY": [{"asin": "B09H6VRJYY", "instruction": "i need an orange faux leather office chair", "attributes": ["mid century", "faux leather", "pu leather"], "options": ["color: orange", "size: 1 pcs"], "instruction_attributes": ["faux leather"], "instruction_options": ["orange"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN2DPTP", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CZ72MJV": [{"asin": "B09CZ72MJV", "instruction": "i'm looking for a high waisted jeans for women.", "attributes": ["straight leg", "wide leg", "slim fit", "high waist", "button closure", "polyester spandex", "teen girls"], "options": ["color: b03-blue", "size: small"], "instruction_attributes": ["high waist"], "instruction_options": ["b03-blue"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67PZN41", "worker_id": "A21IUUHBSEVB56"}], "B01LR0OOBC": [{"asin": "B01LR0OOBC", "instruction": "i am looking for hands free and dark blue bluetooth stereo wireless music earphones headset", "attributes": ["hands free", "high definition"], "options": ["color: g6: dark blue"], "instruction_attributes": ["hands free"], "instruction_options": ["g6"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R8LTYU", "worker_id": "A258PTOZ3D2TQR"}], "B082J5FK1B": [{"asin": "B082J5FK1B", "instruction": "i am looking for clinical strength solid deodorant for men.it should be paraben free.", "attributes": ["dermatologist tested", "paraben free", "easy clean"], "options": ["style: clinical strength solid (2 pack)"], "instruction_attributes": ["paraben free"], "instruction_options": ["clinical strength solid (2 pack)"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJPFMOY", "worker_id": "A3FG5PQHG5AH3Y"}], "B07BSC84T2": [{"asin": "B07BSC84T2", "instruction": "i need a medium sized classic fit t-shirt. it should be black in color.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: women", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["black", "medium"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN4GOG7", "worker_id": "A1NF6PELRKACS9"}], "B07JGSMJGS": [{"asin": "B07JGSMJGS", "instruction": "i would like a body scrub that is eco friendly.", "attributes": ["eco friendly", "dead skin"], "options": [""], "instruction_attributes": ["eco friendly"], "instruction_options": [], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTXY4ET", "worker_id": "A1WS884SI0SLO4"}], "B07CB94P73": [{"asin": "B07CB94P73", "instruction": "i am looking for nuts & chews milk chocolate with quality ingredients for valentine day. also choose dark-chocolate flavor and 56 pound (9 ounce) size.", "attributes": ["quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: dark-chocolate", "size: .56 pound (9 ounce)"], "instruction_attributes": ["quality ingredients", "valentine day"], "instruction_options": ["dark-chocolate", ".56 pound (9 ounce)"], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPCCORM", "worker_id": "A2HMEGTAFO0CS8"}], "B08781CRRS": [{"asin": "B08781CRRS", "instruction": "i would like a chandelier with pendant lights.", "attributes": ["pendant light", "light fixture", "dining room", "living room"], "options": [""], "instruction_attributes": ["pendant light"], "instruction_options": [], "assignment_id": "3HOSI13XHAYM3IJTNO90AFDI6YUDDQ", "worker_id": "A1WS884SI0SLO4"}], "B08N9XVKWK": [{"asin": "B08N9XVKWK", "instruction": "i am interested in buying a king sized bed with memory foam and which provides lumbar support.", "attributes": ["heavy duty", "memory foam", "lumbar support"], "options": ["size: king", "style: 12\" medium soft + base"], "instruction_attributes": ["memory foam", "lumbar support"], "instruction_options": ["king"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTX1E46", "worker_id": "AHXHM1PQTRWIQ"}], "B09CNHSXDC": [{"asin": "B09CNHSXDC", "instruction": "i need ethylene vinyl slippers in size 8.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: black 1", "size: 8"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["8"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXUUYLP", "worker_id": "A1NF6PELRKACS9"}], "B09NFG77CY": [{"asin": "B09NFG77CY", "instruction": "i would like a purple classic fit t-shirt that is a x-large", "attributes": ["needle sleeve", "classic fit"], "options": ["color: purple", "fit type: men", "size: x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["purple", "x-large"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3IAUFDL", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JMJP427": [{"asin": "B09JMJP427", "instruction": "i am looking for high quality hair cutting scissor make up of thinning shears.", "attributes": ["high quality", "stainless steel", "hair cutting"], "options": ["color: thinning"], "instruction_attributes": ["high quality", "hair cutting"], "instruction_options": ["thinning"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN3HTPZ", "worker_id": "A3FG5PQHG5AH3Y"}], "B09QXXZNDJ": [{"asin": "B09QXXZNDJ", "instruction": "i would like a extra large pair of sleep bottoms with buttons.", "attributes": ["wide leg", "button closure"], "options": ["size: x-large"], "instruction_attributes": ["button closure"], "instruction_options": ["x-large"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0S4O11Y", "worker_id": "A1WS884SI0SLO4"}], "B08DGQDX38": [{"asin": "B08DGQDX38", "instruction": "i am looking for a sconce light with a black metal base and a wood finish.", "attributes": ["clear glass", "wood finish", "vanity light"], "options": [""], "instruction_attributes": ["wood finish"], "instruction_options": [], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66TJZFL", "worker_id": "A1EREKSZAA9V7B"}], "B096VP5JJS": [{"asin": "B096VP5JJS", "instruction": "i am looking for toilet storage cabinet that is easy to clean.", "attributes": ["space saving", "easy clean", "steel frame", "storage unit", "storage space"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3U36PW", "worker_id": "A1Q8PPQQCWGY0D"}], "B07G75YY2F": [{"asin": "B07G75YY2F", "instruction": "i would like 30 bpa free amber travel bottles.", "attributes": ["bpa free", "high quality", "travel bottles"], "options": ["color: amber", "size: pack of 30"], "instruction_attributes": ["travel bottles"], "instruction_options": ["amber", "pack of 30"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5X44F0", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07G75YY2F", "instruction": "i am looking for some high quality clear travel bottles.", "attributes": ["bpa free", "high quality", "travel bottles"], "options": ["color: clear", "size: pack of 6"], "instruction_attributes": ["high quality"], "instruction_options": ["clear"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG1TWT8", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07G75YY2F", "instruction": "i want amber and bpa free moyo natural labs 8 oz boston round travel bottles.", "attributes": ["bpa free", "high quality", "travel bottles"], "options": ["color: amber", "size: pack of 6"], "instruction_attributes": ["bpa free"], "instruction_options": ["amber"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LEQL0G", "worker_id": "A2RBF3IIJP15IH"}], "B08ZCHWBFW": [{"asin": "B08ZCHWBFW", "instruction": "i am interested in buying a rug for the living room with diameter of 6ft, 72 inches and 183 cms.", "attributes": ["machine washable", "contemporary style", "living room"], "options": ["size: round diameter:6ft=72in=183cm"], "instruction_attributes": ["living room"], "instruction_options": ["round diameter:6ft=72in=183cm"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAUD29C4", "worker_id": "AHXHM1PQTRWIQ"}], "B07VPR4HN9": [{"asin": "B07VPR4HN9", "instruction": "i want a gray non slip dining chair cushion.", "attributes": ["button tufted", "non slip"], "options": ["color: gray", "size: 2 pack"], "instruction_attributes": ["non slip"], "instruction_options": ["gray"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YRP96A", "worker_id": "A2RBF3IIJP15IH"}], "B07H8VDQ5K": [{"asin": "B07H8VDQ5K", "instruction": "i am looking for an intel i5 core desktop computer that has 4gb ram and 64gb ssd.", "attributes": ["ultra hd", "core i5", "intel core"], "options": ["color: ddr3 core i3 5005u", "size: 4gb ram 64gb ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["4gb ram 64gb ssd"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NQ4P23", "worker_id": "A1NF6PELRKACS9"}], "B01N21GL66": [{"asin": "B01N21GL66", "instruction": "i need to get a dark beige ottoman for my living room.", "attributes": ["button tufted", "wood frame", "storage space", "living room"], "options": ["color: dark beige"], "instruction_attributes": ["living room"], "instruction_options": ["dark beige"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSLF62F", "worker_id": "A15ERD4HOFEPHM"}], "B00THW4ZB2": [{"asin": "B00THW4ZB2", "instruction": "i need a machine wash, red tooloud italian flag the medium size", "attributes": ["machine wash", "drawstring closure", "elastic waistband", "button closure"], "options": ["color: red", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["red", "medium"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFVMJOT", "worker_id": "A1IL2K0ELYI090"}], "B08NGC1KYS": [{"asin": "B08NGC1KYS", "instruction": "i'm looking for a telescope with high power for bird watching", "attributes": ["high power", "1080p hd", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTNS5VZ", "worker_id": "A2Y2TURT2VEYZN"}], "B08NDYH53P": [{"asin": "B08NDYH53P", "instruction": "i'm looking for wireless bluetooth headphones.", "attributes": ["high performance", "stereo sound"], "options": ["color: dark grey"], "instruction_attributes": ["high performance"], "instruction_options": ["dark grey"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOHLAT4", "worker_id": "A21IUUHBSEVB56"}], "B0777RQR33": [{"asin": "B0777RQR33", "instruction": "i would like a 10.6 ounce coffee crumble that is low calorie.", "attributes": ["low sugar", "low calorie", "individually wrapped", "perfect gift"], "options": ["flavor name: coffee crumble", "size: 10.6 ounce (pack of 2)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["coffee crumble", "10.6 ounce (pack of 2)"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FIILEQ", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B0777RQR33", "instruction": "i want to find a two-pack of 12-count coffee-crumble flavored sweet delights. they need to be individually wrapped.", "attributes": ["low sugar", "low calorie", "individually wrapped", "perfect gift"], "options": ["flavor name: coffee crumble", "size: 12 count (pack of 2)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["coffee crumble", "12 count (pack of 2)"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2CZ7Y3", "worker_id": "A345TDMHP3DQ3G"}], "B074VD1GP5": [{"asin": "B074VD1GP5", "instruction": "i am looking for matte ink long lasting liquid lipstick having 15 lover color", "attributes": ["highly pigmented", "long lasting"], "options": ["color: 15 lover"], "instruction_attributes": ["long lasting"], "instruction_options": ["15 lover"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR6MA0Q", "worker_id": "A258PTOZ3D2TQR"}], "B086533GWT": [{"asin": "B086533GWT", "instruction": "i'm looking for a room divider panel in silver with wood frame", "attributes": ["fully assembled", "long lasting", "wood frame"], "options": ["color: silver"], "instruction_attributes": ["wood frame"], "instruction_options": ["silver"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCZB469", "worker_id": "A2Y2TURT2VEYZN"}], "B00WFDKDIO": [{"asin": "B00WFDKDIO", "instruction": "i am looking for a gluten free non gmo fig bar packet of 7. and i choose the variety pack", "attributes": ["gluten free", "low sodium", "nut free", "plant based", "dairy free", "non gmo", "0g trans", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: variety pack", "size: 12 count (pack of 7)"], "instruction_attributes": ["gluten free", "non gmo"], "instruction_options": ["variety pack", "12 count (pack of 7)"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AMSYUQ", "worker_id": "A2COCSUGZV28X"}], "B085T5HZJV": [{"asin": "B085T5HZJV", "instruction": "i want a tv stand made of wood and has a storage space. it should be suitable for my living room.", "attributes": ["tempered glass", "storage space", "living room"], "options": ["color: wood", "style name: 58\" kenton w | fireplace"], "instruction_attributes": ["storage space", "living room"], "instruction_options": ["wood"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN4EGOX", "worker_id": "A1NF6PELRKACS9"}], "B09GPYFH3C": [{"asin": "B09GPYFH3C", "instruction": "i would like a awesome violet 4g lte cell phone", "attributes": ["fast charging", "optical zoom", "4g lte"], "options": ["color: awesome violet"], "instruction_attributes": ["4g lte"], "instruction_options": ["awesome violet"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHS2J0Z", "worker_id": "A1WS884SI0SLO4"}], "B08NQ3Y9TK": [{"asin": "B08NQ3Y9TK", "instruction": "i want a hp elite desktop pc with intel quad core i5.", "attributes": ["core i5", "quad core"], "options": [""], "instruction_attributes": ["quad core"], "instruction_options": [], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL56NSC", "worker_id": "A2RBF3IIJP15IH"}], "B08LKV9N89": [{"asin": "B08LKV9N89", "instruction": "i am looking for a tabletop decorative mirror size 60cm /24inch for my living room.", "attributes": ["exquisite workmanship", "living room"], "options": ["size: 60cm | 24inch"], "instruction_attributes": ["living room"], "instruction_options": ["60cm | 24inch"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTVDL73", "worker_id": "AHU9OLV0YKIIW"}], "B089TMLFR4": [{"asin": "B089TMLFR4", "instruction": "i am looking for a men's body wash that uses seed oil and is burmese sandalwood scented.", "attributes": ["cruelty free", "seed oil"], "options": ["scent: burmese sandalwood"], "instruction_attributes": ["seed oil"], "instruction_options": ["burmese sandalwood"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q6GGWC", "worker_id": "A1EREKSZAA9V7B"}], "B095C4XZCW": [{"asin": "B095C4XZCW", "instruction": "i want a black playstation 1 console airpods water proof case.", "attributes": ["water resistant", "case cover"], "options": ["color: black-style6"], "instruction_attributes": ["water resistant"], "instruction_options": ["black-style6"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGNSW2Q", "worker_id": "A2RBF3IIJP15IH"}], "B000UI6U8I": [{"asin": "B000UI6U8I", "instruction": "i want da vinci sugar free huckleberry syrup.", "attributes": ["sugar free", "fat free"], "options": ["flavor name: huckleberry"], "instruction_attributes": ["sugar free"], "instruction_options": ["huckleberry"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3ATLBWN", "worker_id": "A2RBF3IIJP15IH"}], "B08PPRK2T8": [{"asin": "B08PPRK2T8", "instruction": "i am looking for beauty soaps that contain cocounut oil.", "attributes": ["coconut oil", "tea tree", "natural ingredients"], "options": [""], "instruction_attributes": ["coconut oil"], "instruction_options": [], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AS8WBT", "worker_id": "A1Q8PPQQCWGY0D"}], "B08BXG1NC8": [{"asin": "B08BXG1NC8", "instruction": "i am looking for fully assembled file cabinets.", "attributes": ["fully assembled", "engineered wood"], "options": [""], "instruction_attributes": ["fully assembled"], "instruction_options": [], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUTE51FX", "worker_id": "A1Q8PPQQCWGY0D"}], "B001F1PV1G": [{"asin": "B001F1PV1G", "instruction": "i would like a 8 pack of original fresh scent coconut oil soap that's fragrance free.", "attributes": ["fragrance free", "high quality", "coconut oil", "natural ingredients", "sensitive skin", "dead skin"], "options": ["scent: original fresh scent", "size: pack of 8"], "instruction_attributes": ["fragrance free", "coconut oil"], "instruction_options": ["original fresh scent", "pack of 8"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUKD3C0", "worker_id": "A1WS884SI0SLO4"}], "B09R4V5J3R": [{"asin": "B09R4V5J3R", "instruction": "am looking for low rise lam kwongy sexy yoga shorts for women, blue color.", "attributes": ["low rise", "water resistant", "straight leg", "wide leg", "tummy control", "daily wear"], "options": ["color: blue", "size: 3x-large"], "instruction_attributes": ["low rise"], "instruction_options": ["blue"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HHE6IS", "worker_id": "A1IL2K0ELYI090"}], "B09HHBDGKV": [{"asin": "B09HHBDGKV", "instruction": "i am interested in a high definition yellow playstation", "attributes": ["plug play", "high definition", "quad core"], "options": ["color: yellow-64g"], "instruction_attributes": ["high definition"], "instruction_options": ["yellow-64g"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJPR0WT", "worker_id": "A2ECRNQ3X5LEXD"}], "B0837JNX9T": [{"asin": "B0837JNX9T", "instruction": "i want a black hands free denon home 250 wireless speaker.", "attributes": ["hands free", "stereo sound"], "options": ["color: black", "style: home 350"], "instruction_attributes": ["hands free"], "instruction_options": ["black"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1D2YGD", "worker_id": "A2RBF3IIJP15IH"}], "B083FTBZ6Q": [{"asin": "B083FTBZ6Q", "instruction": "looking for short sleeve tumble dry shirt for men also choose size large", "attributes": ["long lasting", "button closure", "polyester spandex", "short sleeve", "tumble dry"], "options": ["color: muilti 9", "size: large"], "instruction_attributes": ["short sleeve", "tumble dry"], "instruction_options": ["large"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL1QVAS", "worker_id": "A10OGH5CQBXL5N"}], "B09K41V6QJ": [{"asin": "B09K41V6QJ", "instruction": "i am looking for wall art of size 24\" x 36\" black for my living room.", "attributes": ["mid century", "living room"], "options": ["color: b110-2110-002-na02", "size: 24\" x 36\" black"], "instruction_attributes": ["living room"], "instruction_options": ["24\" x 36\" black"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LAFERH", "worker_id": "A1Q8PPQQCWGY0D"}], "B08ML5LCGD": [{"asin": "B08ML5LCGD", "instruction": "i need an easy to install pendant light for ceiling.", "attributes": ["easy install", "pendant light"], "options": [""], "instruction_attributes": ["easy install", "pendant light"], "instruction_options": [], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UT4G1A", "worker_id": "ASWFLI3N8X72G"}], "B097H6BHL9": [{"asin": "B097H6BHL9", "instruction": "find me a medium sized romper with short sleeves.", "attributes": ["short sleeve", "quality polyester", "teen girls"], "options": ["color: h-blue striped", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["medium"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39GSCZO", "worker_id": "A1NF6PELRKACS9"}], "B079K861JP": [{"asin": "B079K861JP", "instruction": "i would like a 19\" tall floor lamp with a white finish.", "attributes": ["white item", "white finish"], "options": ["size: 19\" height"], "instruction_attributes": ["white finish"], "instruction_options": ["19\" height"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL4SSN1", "worker_id": "A1WS884SI0SLO4"}], "B08TM8DKFR": [{"asin": "B08TM8DKFR", "instruction": "looking for cookie favor gifts with natural ingredients choose size 4 bars", "attributes": ["individually wrapped", "high fructose", "natural ingredients"], "options": ["size: 4 bars"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["4 bars"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUKM3C9", "worker_id": "A10OGH5CQBXL5N"}], "B095C9KMNL": [{"asin": "B095C9KMNL", "instruction": "i would like a pair of size 11.5 dark blue sandals that are open toe.", "attributes": ["open toe", "knee high", "non slip", "memory foam", "high heel", "closed toe", "arch support"], "options": ["color: z#01-dark blue", "size: 11.5"], "instruction_attributes": ["open toe"], "instruction_options": ["z#01-dark blue", "11.5"], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5JV1ZH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B095C9KMNL", "instruction": "i'm looking for women's summer sandals, non-slip, high heels in z#02red color.", "attributes": ["open toe", "knee high", "non slip", "memory foam", "high heel", "closed toe", "arch support"], "options": ["color: z#02red", "size: 8.5"], "instruction_attributes": ["non slip", "high heel"], "instruction_options": ["z#02red"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A21C4THR", "worker_id": "ARJDD0Z3R65BD"}], "B09HWRDK1W": [{"asin": "B09HWRDK1W", "instruction": "i would like a 38 mm gold apple watch band.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: gold", "size: 38 | 40 | 41mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["gold", "38 | 40 | 41mm"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V25WYP", "worker_id": "A1WS884SI0SLO4"}], "B07TTJHC2N": [{"asin": "B07TTJHC2N", "instruction": "i'm looking for a perfect slip-on active sneaker for women.", "attributes": ["arch support", "rubber outsole", "everyday wear"], "options": ["color: blush", "size: 5"], "instruction_attributes": ["arch support"], "instruction_options": ["blush"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRM173WN", "worker_id": "A21IUUHBSEVB56"}], "B09KMYJ6HC": [{"asin": "B09KMYJ6HC", "instruction": "i want a black and heavy duty pots and pans organizer.", "attributes": ["heavy duty", "easy clean"], "options": ["color: black"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDUIZQ3", "worker_id": "A2RBF3IIJP15IH"}], "B09NRFQLRJ": [{"asin": "B09NRFQLRJ", "instruction": "i am looking for a wireless fast charger that goes with my iphone.", "attributes": ["fast charging", "easy carry", "wireless charging"], "options": [""], "instruction_attributes": ["fast charging", "wireless charging"], "instruction_options": [], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841D6XA7", "worker_id": "A1NF6PELRKACS9"}], "B08RWRCZM4": [{"asin": "B08RWRCZM4", "instruction": "i am looking for a 4gb android 10.0 tv box.", "attributes": ["dual band", "batteries included", "ultra hd", "quad core"], "options": [""], "instruction_attributes": ["ultra hd"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCZG4QX", "worker_id": "A2KW17G25L25R8"}], "B09L5FJ1Q5": [{"asin": "B09L5FJ1Q5", "instruction": "i want a spicy beef meat and cheese gift basket.", "attributes": ["shelf stable", "gift basket", "great gift"], "options": ["color: spicy beef"], "instruction_attributes": ["gift basket"], "instruction_options": ["spicy beef"], "assignment_id": "3OB0CAO74SZ6D9JM5GF4EL2HGDFYHC", "worker_id": "A2RBF3IIJP15IH"}], "B09RWP246B": [{"asin": "B09RWP246B", "instruction": "i am looking for slim fit men t-shirts of black color.", "attributes": ["moisture wicking", "slim fit", "loose fit", "short sleeve", "long sleeve", "regular fit", "stretch fabric"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["black"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQUFIHO", "worker_id": "A3FG5PQHG5AH3Y"}], "B095BQG7PM": [{"asin": "B095BQG7PM", "instruction": "i need a large 3-wick bucket mult-color floral print soy wax candle for summer", "attributes": ["easy clean", "soy wax"], "options": ["color: mult-color floral print candle"], "instruction_attributes": ["soy wax"], "instruction_options": ["mult-color floral print candle"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW1F1CO", "worker_id": "A258PTOZ3D2TQR"}], "B09L6QB5FC": [{"asin": "B09L6QB5FC", "instruction": "i'm looking for a wings set of 2 white finish heavy home office desk.", "attributes": ["bronze finish", "white finish", "living room"], "options": ["color: copper"], "instruction_attributes": ["white finish"], "instruction_options": ["copper"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3G6QN9", "worker_id": "A21IUUHBSEVB56"}], "B09P4WGX3Z": [{"asin": "B09P4WGX3Z", "instruction": "i am looking for cimota pu leather dining chairs in a set of 2.", "attributes": ["mid century", "high density", "easy clean", "pu leather", "solid wood", "dining room", "living room"], "options": ["color: velvet-ivory-with ring-4pcs", "size: set of 4"], "instruction_attributes": ["dining room"], "instruction_options": ["set of 4"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSLJQ2M", "worker_id": "A2KW17G25L25R8"}], "B001BBQCRC": [{"asin": "B001BBQCRC", "instruction": "i want tiger lily bareminerals eye shadow.", "attributes": ["easy apply", "long lasting", "eye shadow"], "options": ["color: tiger lily", "size: 0.02 ounce (pack of 1)"], "instruction_attributes": ["eye shadow"], "instruction_options": ["tiger lily"], "assignment_id": "3V26SBZTBOOS9KTL7ONUSZFOIX3ZZX", "worker_id": "A2RBF3IIJP15IH"}], "B09R5R4K7N": [{"asin": "B09R5R4K7N", "instruction": "i'm looking for a tempered glass screen protector that is compatible with a 42 mm size apple watch.", "attributes": ["compatible apple", "tempered glass", "glass screen"], "options": ["size: 42 mm"], "instruction_attributes": ["compatible apple", "tempered glass"], "instruction_options": ["42 mm"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDCSS03", "worker_id": "AK3JMCIGU8MLU"}], "B08N5CCYD6": [{"asin": "B08N5CCYD6", "instruction": "i am looking for a non gmo mojito cocktail mixer", "attributes": ["non gmo", "artificial colors"], "options": ["flavor: mojito", "size: pack of 1"], "instruction_attributes": ["non gmo"], "instruction_options": ["mojito"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJYRVGR3", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MK17G3P": [{"asin": "B09MK17G3P", "instruction": "get football shoes with size 5.5. it should have a rubber sole.", "attributes": ["non slip", "rubber sole"], "options": ["color: blue + dark green", "size: 5.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["5.5"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISZ0OYX", "worker_id": "A15ERD4HOFEPHM"}], "B07GPHFDVS": [{"asin": "B07GPHFDVS", "instruction": "i want seeds of change organic whole grain brown basmati rice.", "attributes": ["certified organic", "artificial colors"], "options": ["size: 8.5 ounce (pack of 12)", "style: whole grain brown basmati rice"], "instruction_attributes": ["certified organic"], "instruction_options": ["whole grain brown basmati rice"], "assignment_id": "3R2PKQ87N7I6FN5SSV9EK2GP7HRMIG", "worker_id": "A2RBF3IIJP15IH"}], "B07WFSTXRP": [{"asin": "B07WFSTXRP", "instruction": "i am looking for casual button-down shirts of burgundy color having long sleeve.", "attributes": ["moisture wicking", "machine wash", "regular fit", "button closure", "polyester spandex", "long sleeve"], "options": ["color: burgundy", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["burgundy"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R2PW7F", "worker_id": "A1Q8PPQQCWGY0D"}], "B072L3ZQ6W": [{"asin": "B072L3ZQ6W", "instruction": "i am looking for a 21 inch high quality hairpiece used for hair extensions.", "attributes": ["high quality", "hair extensions"], "options": ["color: bleach blonde wavy", "size: 21 inch", "style: wavy"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["21 inch"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UXRY0Q", "worker_id": "A1V2JTEEBCXR20"}], "B07WGYLN6G": [{"asin": "B07WGYLN6G", "instruction": "i would like a t6b83a premier edition printer with a usb port.", "attributes": ["certified refurbished", "high performance", "usb port"], "options": ["style: t6b83a - premier edition (w | hp brochure..."], "instruction_attributes": ["usb port"], "instruction_options": ["t6b83a - premier edition (w | hp brochure..."], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BOWX8R", "worker_id": "A1WS884SI0SLO4"}], "B08TB7HMMS": [{"asin": "B08TB7HMMS", "instruction": "i'm looking for tablet pc with 32gb storage, android 9.0, dual sim slots and dual camera.", "attributes": ["high definition", "quad core"], "options": ["color: black"], "instruction_attributes": ["quad core"], "instruction_options": ["black"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80F1Q11", "worker_id": "A21IUUHBSEVB56"}], "B08VWG7WB6": [{"asin": "B08VWG7WB6", "instruction": "i want a black cordless water flosser for bad breath.", "attributes": ["easy use", "bad breath"], "options": ["color: \u3010new\u3011black"], "instruction_attributes": ["bad breath"], "instruction_options": ["\u3010new\u3011black"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98UJYKG", "worker_id": "A2RBF3IIJP15IH"}], "B07NW8RGJ8": [{"asin": "B07NW8RGJ8", "instruction": "i am looking self tanner for removal my dry and dead skin", "attributes": ["dead skin", "dry skin"], "options": [""], "instruction_attributes": ["dead skin", "dry skin"], "instruction_options": [], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2BUY7N", "worker_id": "A3N9ZYQAESNFQH"}], "B0163JJMU0": [{"asin": "B0163JJMU0", "instruction": "i would like an assorted bag of individually wrapped caramels", "attributes": ["individually wrapped", "plant based", "dairy free", "non gmo", "gluten free", "certified organic", "high fructose"], "options": ["flavor name: assorted", "size: 6 pack"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["assorted"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YRQ96B", "worker_id": "A2ECRNQ3X5LEXD"}], "B07H38CYD2": [{"asin": "B07H38CYD2", "instruction": "i would like the perfect jam gift.", "attributes": ["simple ingredients", "perfect gift"], "options": [""], "instruction_attributes": ["perfect gift"], "instruction_options": [], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO8W2RC", "worker_id": "A1WS884SI0SLO4"}], "B09QGGG627": [{"asin": "B09QGGG627", "instruction": "i'm looking for heavy weight paper plates.", "attributes": ["non dairy", "rich creamy", "lactose free", "shelf stable", "gluten free"], "options": ["color: pathways design", "size: 8.5 in", "style: 1000 plates"], "instruction_attributes": ["lactose free"], "instruction_options": ["pathways design"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1LYU3H", "worker_id": "A21IUUHBSEVB56"}], "B09H7MSD9W": [{"asin": "B09H7MSD9W", "instruction": "i am interested in acquiring women shirt which is gray color and x-large size, while also i want it to be machine washable and be a loose fit.", "attributes": ["daily casual", "machine washable", "loose fit", "long sleeve", "unique design", "short sleeve", "laundry bag", "teen girls", "daily wear"], "options": ["color: gray", "size: x-large"], "instruction_attributes": ["machine washable", "loose fit"], "instruction_options": ["gray", "x-large"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIMQ29P", "worker_id": "AJY5G987IRT25"}], "B077L2N9CC": [{"asin": "B077L2N9CC", "instruction": "i looking for strawberry&blueberry artificial flavors in variety pack apple cinnamon &strawberry", "attributes": ["individually wrapped", "high fructose", "artificial flavors"], "options": ["flavor name: variety pack, apple cinnamon & strawberry"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["variety pack, apple cinnamon & strawberry"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW7Q4TO", "worker_id": "A2MSIFDLOHI1UT"}], "B097Y8WNLK": [{"asin": "B097Y8WNLK", "instruction": "i'm looking for disposable razors for hair removal in multiple colors", "attributes": ["easy use", "hair removal"], "options": ["color: rose red, blue, yellow"], "instruction_attributes": ["hair removal"], "instruction_options": ["rose red, blue, yellow"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZDOPA0", "worker_id": "A2Y2TURT2VEYZN"}], "B09LVNHDLT": [{"asin": "B09LVNHDLT", "instruction": "i am looking for a easily cleanable toothbrush with travel case that has extra soft feature. and i choose the white one", "attributes": ["easy clean", "oral hygiene"], "options": ["color: white"], "instruction_attributes": ["easy clean"], "instruction_options": ["white"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD3MIRU", "worker_id": "A2COCSUGZV28X"}], "B01LTHLD9Y": [{"asin": "B01LTHLD9Y", "instruction": "i am looking for 040 medium ash brown color hair dye that is easy to use.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 040 medium ash brown", "size: 3 count (pack of 1)", "style: old version"], "instruction_attributes": ["easy use"], "instruction_options": ["040 medium ash brown"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4CR6RO", "worker_id": "A1Q8PPQQCWGY0D"}], "B0001EL4DC": [{"asin": "B0001EL4DC", "instruction": "i am looking for some honey dark colored paraben free powder foundation.", "attributes": ["paraben free", "green tea"], "options": ["color: honey dark"], "instruction_attributes": ["paraben free"], "instruction_options": ["honey dark"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39GSZCB", "worker_id": "A1EREKSZAA9V7B"}], "B0748DZCZ7": [{"asin": "B0748DZCZ7", "instruction": "i'm looking for a green tea full coverage concealer for dark circles", "attributes": ["paraben free", "coconut oil", "dark circles", "fine lines"], "options": ["color: green tea"], "instruction_attributes": ["dark circles"], "instruction_options": ["green tea"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY4N4J5", "worker_id": "A2Y2TURT2VEYZN"}], "B08R5YH95C": [{"asin": "B08R5YH95C", "instruction": "i'm looking for boxer briefs for men.", "attributes": ["machine washable", "machine wash", "comfortable fit"], "options": ["color: love heart", "size: small"], "instruction_attributes": ["machine washable"], "instruction_options": ["love heart"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL97H5D", "worker_id": "A21IUUHBSEVB56"}], "B09MLYM9YN": [{"asin": "B09MLYM9YN", "instruction": "i'm interested in a long-sleeved, size large hooded sweatshirt made from quality polyester.", "attributes": ["quality polyester", "long sleeve"], "options": ["size: large"], "instruction_attributes": ["quality polyester", "long sleeve"], "instruction_options": ["large"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCZD4QU", "worker_id": "AFU00NU09CFXE"}], "B09J4GSH9J": [{"asin": "B09J4GSH9J", "instruction": "i would like some non toxic body glitter in the color ch138", "attributes": ["non toxic", "nail art"], "options": ["color: ch138"], "instruction_attributes": ["non toxic"], "instruction_options": ["ch138"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUM1ZV1", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H9NDB1S": [{"asin": "B09H9NDB1S", "instruction": "i'm looking for a 2t royal blue t-shirt encanto movie officially licensed for men", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: men", "size: 2t"], "instruction_attributes": ["officially licensed"], "instruction_options": ["royal blue", "men", "2t"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3IA3FDU", "worker_id": "A2Y2TURT2VEYZN"}], "B089VSHQQV": [{"asin": "B089VSHQQV", "instruction": "i want a light blue and funut case cover compatible with the macbook pro.", "attributes": ["heavy duty", "case cover"], "options": ["color: light blue", "size: (a1534) macbook 12\" with retina display"], "instruction_attributes": ["case cover"], "instruction_options": ["light blue"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1II088", "worker_id": "A2RBF3IIJP15IH"}], "B09133G83G": [{"asin": "B09133G83G", "instruction": "i would like some non gmo sugar", "attributes": ["non gmo", "gluten free", "artificial colors", "artificial flavors"], "options": ["flavor: sugarcane", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["sugarcane"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WYTA1U", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B09133G83G", "instruction": "i would like a one pound bag of non-gmo amla.", "attributes": ["non gmo", "gluten free", "artificial colors", "artificial flavors"], "options": ["flavor: amla", "size: 1 pound (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["amla", "1 pound (pack of 1)"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUNCH8IT", "worker_id": "A1WS884SI0SLO4"}], "B099CPDVHK": [{"asin": "B099CPDVHK", "instruction": "find this dynasty mattress fully adjustable bed frame with custom headband, bluetooth & usb ports + memory foam mattress set\u2026 for a fair price", "attributes": ["memory foam", "lumbar support", "steel frame"], "options": [""], "instruction_attributes": ["memory foam"], "instruction_options": [], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HWKBPU", "worker_id": "A15IJ20C3R4HUO"}], "B087Y28XLM": [{"asin": "B087Y28XLM", "instruction": "i am looking fresh scent body lotion for dry skin.", "attributes": ["animal testing", "paraben free", "dry skin"], "options": ["scent: fresh", "size: 8.5 fl oz (pack of 1)"], "instruction_attributes": ["dry skin"], "instruction_options": ["fresh"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJW7GVT", "worker_id": "A1Q8PPQQCWGY0D"}], "B015M8V3ZA": [{"asin": "B015M8V3ZA", "instruction": "i am looking for loose fit small size pajama pant.", "attributes": ["easy care", "machine wash", "loose fit", "elastic closure"], "options": ["color: mens - navy | gold", "size: small"], "instruction_attributes": ["loose fit"], "instruction_options": ["small"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AULGR3U", "worker_id": "A1Q8PPQQCWGY0D"}], "B09QRNQCFL": [{"asin": "B09QRNQCFL", "instruction": "i want hands free and bluetooth headphones.", "attributes": ["hands free", "noise cancelling", "stereo sound"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9WR78I", "worker_id": "A2RBF3IIJP15IH"}], "B087TQFKRF": [{"asin": "B087TQFKRF", "instruction": "i want black and comfortable under armour ansa slide sandals.", "attributes": ["comfortable fit", "rubber sole"], "options": ["color: black (011) | black", "size: 3"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["black (011) | black"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0Y2XPH", "worker_id": "A2RBF3IIJP15IH"}], "B07YJRVW8H": [{"asin": "B07YJRVW8H", "instruction": "i am looking for a long handle red color toothbrush which is eco friendly and long lasting.", "attributes": ["eco friendly", "long lasting", "long handle"], "options": ["color: red"], "instruction_attributes": ["eco friendly", "long lasting", "long handle"], "instruction_options": ["red"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7ZCRUG", "worker_id": "A1V2JTEEBCXR20"}], "B08G8DY2LH": [{"asin": "B08G8DY2LH", "instruction": "i want a qivynsry filter carrying case.", "attributes": ["easy carry", "carrying case"], "options": [""], "instruction_attributes": ["carrying case"], "instruction_options": [], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH7HV11", "worker_id": "A2RBF3IIJP15IH"}], "B07JYTS2DM": [{"asin": "B07JYTS2DM", "instruction": "find a 1 pound bag snowy river holiday cocktail sugar - all natural festive cocktail rimmer gluten free, non gmo, i want to make a good impression on guests.", "attributes": ["gmo free", "gluten free", "real fruit"], "options": ["color: chocolate diamond", "size: 1 pound bag"], "instruction_attributes": ["gmo free", "gluten free"], "instruction_options": ["1 pound bag"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZPW1YV", "worker_id": "A15IJ20C3R4HUO"}], "B07Q9JQQ8H": [{"asin": "B07Q9JQQ8H", "instruction": "i would like wall lamps that have two heads and are made of glass", "attributes": ["clear glass", "glass shade"], "options": ["color: 2 heads"], "instruction_attributes": ["glass shade"], "instruction_options": ["2 heads"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUNC58IH", "worker_id": "A2ECRNQ3X5LEXD"}], "B093YSNS24": [{"asin": "B093YSNS24", "instruction": "i am looking for a medium size laundry bag for my wife", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG5UBGN", "worker_id": "A2COCSUGZV28X"}], "B004EJRU9M": [{"asin": "B004EJRU9M", "instruction": "i would like a long lasting men's perfume.", "attributes": ["long lasting", "design house"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N9E7T9", "worker_id": "A1WS884SI0SLO4"}], "B08TRR5993": [{"asin": "B08TRR5993", "instruction": "i am looking for a mango matic flavored performance drink that has zero sugar.", "attributes": ["zero sugar", "artificial flavors"], "options": ["flavor name: mango matic"], "instruction_attributes": ["zero sugar"], "instruction_options": ["mango matic"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9H1R1DO", "worker_id": "A1EREKSZAA9V7B"}], "B000W5NUV4": [{"asin": "B000W5NUV4", "instruction": "i am looking for a boat shoe that has rubber sole. and i would prefer the 8.5 size with blue color", "attributes": ["ethylene vinyl", "vinyl acetate", "rubber sole"], "options": ["color: blue", "size: 8.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["blue", "8.5"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL2YAVH", "worker_id": "A2COCSUGZV28X"}], "B09RWH7SF6": [{"asin": "B09RWH7SF6", "instruction": "i need to get blue tongue cleaner that is stainless steel.", "attributes": ["stainless steel", "oral hygiene", "bad breath"], "options": ["color: black,blue"], "instruction_attributes": ["stainless steel"], "instruction_options": ["black,blue"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4DM0ID", "worker_id": "A15ERD4HOFEPHM"}], "B003NX8C6K": [{"asin": "B003NX8C6K", "instruction": "i would like a xlarge plus red camellia fleece jacket that can be machine washed.", "attributes": ["machine wash", "classic fit", "imported zipper"], "options": ["color: red camellia", "size: x-large plus"], "instruction_attributes": ["machine wash"], "instruction_options": ["red camellia", "x-large plus"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BOOJV0", "worker_id": "A1WS884SI0SLO4"}], "B01GUIJMO0": [{"asin": "B01GUIJMO0", "instruction": "i need a two pack of peanut butter that is non gmo", "attributes": ["non gmo", "gluten free", "protein serving"], "options": ["flavor name: original", "size: 6.5 ounce (pack of 2)"], "instruction_attributes": ["non gmo"], "instruction_options": ["6.5 ounce (pack of 2)"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6US5EZJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HV8PR1B": [{"asin": "B08HV8PR1B", "instruction": "i need a fast charging charging station that is space black", "attributes": ["fast charging", "non slip", "compatible apple", "wireless charging"], "options": ["color: space black"], "instruction_attributes": ["fast charging"], "instruction_options": ["space black"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96DE4GB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JXQYP1Y": [{"asin": "B09JXQYP1Y", "instruction": "i am looking for queen size beds.", "attributes": ["queen size", "box spring"], "options": [""], "instruction_attributes": ["queen size"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZOQ1YN", "worker_id": "A1Q8PPQQCWGY0D"}], "B09NN5NH1H": [{"asin": "B09NN5NH1H", "instruction": "i want white non slip women's wedges cowboy boots.", "attributes": ["day comfort", "non slip", "memory foam", "steel toe", "rubber sole"], "options": ["color: white", "size: 10.5"], "instruction_attributes": ["non slip"], "instruction_options": ["white"], "assignment_id": "3HPZF4IVNX3FW186JO133U513LAYC3", "worker_id": "A2RBF3IIJP15IH"}], "B09SR165B1": [{"asin": "B09SR165B1", "instruction": "i am looking for home theatres plug connectors that are easy to install.", "attributes": ["easy install", "gold plated", "carbon fiber"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYF1EIK", "worker_id": "A1Q8PPQQCWGY0D"}], "B00EG3XIOM": [{"asin": "B00EG3XIOM", "instruction": "i am looking for a 50 ft | 15m size ultra hd gold plated hdmi cables", "attributes": ["ultra hd", "gold plated", "high speed"], "options": ["size: 50 ft | 15m"], "instruction_attributes": ["ultra hd", "gold plated"], "instruction_options": ["50 ft | 15m"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI833SSG", "worker_id": "A9QRQL9CFJBI7"}], "B08LXP8VCB": [{"asin": "B08LXP8VCB", "instruction": "i need meat seasoning that is made in usa . and i would prefer the one with peppered sea salt", "attributes": ["natural flavors", "quality ingredients"], "options": ["flavor name: peppered sea salt"], "instruction_attributes": ["natural flavors"], "instruction_options": [], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7YACUW", "worker_id": "A2COCSUGZV28X"}], "B093YSFQSX": [{"asin": "B093YSFQSX", "instruction": "i need a laundry bag for my travel", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTW9WXH", "worker_id": "A2COCSUGZV28X"}], "B09899K4L6": [{"asin": "B09899K4L6", "instruction": "i need a bluetooth keyboard with aaa batteries in gold color", "attributes": ["batteries included", "long lasting", "aaa batteries"], "options": ["color: gold"], "instruction_attributes": ["aaa batteries"], "instruction_options": ["gold"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y1QJ5Z", "worker_id": "ASWFLI3N8X72G"}], "B0080DFOG4": [{"asin": "B0080DFOG4", "instruction": "i'm looking for gift basket for teachers.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQIDJC8", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B0080DFOG4", "instruction": "i am looking for a gift basket for teacher which is hand crafted.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["hand crafted", "gift basket"], "instruction_options": [], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0SARAM", "worker_id": "A2HMEGTAFO0CS8"}], "B08MFG44TV": [{"asin": "B08MFG44TV", "instruction": "i am looking for a 5 piece glass dining table with metal legs for my dining room. it should have faux leather dining chairs.", "attributes": ["heavy duty", "easy install", "pu leather", "faux leather", "tempered glass", "metal legs", "dining room"], "options": ["color: marble", "size: 5 piece glass"], "instruction_attributes": ["faux leather", "metal legs", "dining room"], "instruction_options": ["5 piece glass"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E8YHX4", "worker_id": "A1NF6PELRKACS9"}], "B00DB8KKDK": [{"asin": "B00DB8KKDK", "instruction": "i am looking for a grain free pumpkin bread mix", "attributes": ["grain free", "gluten free", "shelf stable", "plant based", "non gmo", "simple ingredients"], "options": ["flavor name: pumpkin muffin & bread mix", "size: 9 ounce (pack of 1)"], "instruction_attributes": ["grain free"], "instruction_options": ["pumpkin muffin & bread mix"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U9MMAC", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JSYTC4Q": [{"asin": "B09JSYTC4Q", "instruction": "i want a khaki phone case for apple phones.", "attributes": ["compatible apple", "easy carry"], "options": ["color: khaki", "size: for i13 pro max"], "instruction_attributes": ["compatible apple"], "instruction_options": ["khaki"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107C4LIG", "worker_id": "A2RBF3IIJP15IH"}], "B08BSV5VM7": [{"asin": "B08BSV5VM7", "instruction": "i am looking for a 3 pack of trader joe's shelf stable whapping cream in 8 fl oz, three pack -set of two.", "attributes": ["trader joe", "shelf stable"], "options": [""], "instruction_attributes": ["trader joe", "shelf stable"], "instruction_options": [], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUNBUI8E", "worker_id": "A2KW17G25L25R8"}], "B017RXMKUA": [{"asin": "B017RXMKUA", "instruction": "looking for drying hair turban choose one size", "attributes": ["long lasting", "hair salon", "dry hair"], "options": ["color: lavender", "size: one size"], "instruction_attributes": ["dry hair"], "instruction_options": ["one size"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY84U0A", "worker_id": "A10OGH5CQBXL5N"}], "B08B12P6CS": [{"asin": "B08B12P6CS", "instruction": "i am looking for a blue computer gaming chair that is height adjustable and has lumbar support.", "attributes": ["height adjustable", "lumbar support", "pu leather", "metal legs"], "options": ["color: blue"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": ["blue"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LO690C", "worker_id": "A1EREKSZAA9V7B"}], "B01MQVD7WQ": [{"asin": "B01MQVD7WQ", "instruction": "i want a 2 pack of fragrance free hair detangler spray.", "attributes": ["fragrance free", "paraben free", "cruelty free", "sensitive skin"], "options": ["size: 2 pack"], "instruction_attributes": ["fragrance free"], "instruction_options": ["2 pack"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YZGQ3U", "worker_id": "A2RBF3IIJP15IH"}], "B083XYZ3GR": [{"asin": "B083XYZ3GR", "instruction": "i'm looking a pocket telescope with high definition for bird watching", "attributes": ["non slip", "high definition", "bird watching"], "options": [""], "instruction_attributes": ["high definition", "bird watching"], "instruction_options": [], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPJ96VO", "worker_id": "A2Y2TURT2VEYZN"}], "B09MJZ7GV4": [{"asin": "B09MJZ7GV4", "instruction": "i need a stereo headset with fast charging capacity. and i choose the green one", "attributes": ["fast charging", "high speed"], "options": ["color: green"], "instruction_attributes": ["fast charging"], "instruction_options": ["green"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADX0PYMY", "worker_id": "A2COCSUGZV28X"}], "B07MXPQFCT": [{"asin": "B07MXPQFCT", "instruction": "i'm looking for a gluten free cauliflower cizza crust", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8IJ5RC", "worker_id": "A2Y2TURT2VEYZN"}], "B0971CHBSM": [{"asin": "B0971CHBSM", "instruction": "i am looking for 100th birthday cake toppers.", "attributes": ["birthday party", "birthday cake", "party supplies"], "options": ["pattern name: 18"], "instruction_attributes": ["birthday party", "birthday cake"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQIHKEQ", "worker_id": "A2KW17G25L25R8"}], "B09DYZ9G64": [{"asin": "B09DYZ9G64", "instruction": "i am looking for watermelon flavored mango dragon fruit tea refresher having high fructose", "attributes": ["quality ingredients", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: watermelon lime"], "instruction_attributes": ["high fructose"], "instruction_options": ["watermelon lime"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR99C0W", "worker_id": "A258PTOZ3D2TQR"}], "B01A99GE8I": [{"asin": "B01A99GE8I", "instruction": "i am looking for kosher certified irish fortune cookies with pattern name :halloween", "attributes": ["kosher certified", "individually wrapped"], "options": ["pattern name: halloween"], "instruction_attributes": ["kosher certified"], "instruction_options": ["halloween"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZUY3KR", "worker_id": "AX2EWYWZM19AZ"}], "B07DK3TDFJ": [{"asin": "B07DK3TDFJ", "instruction": "i am looking for certified organic loose leaf containing spirit herbal herbal tea flavor tea.", "attributes": ["caffeine free", "certified organic"], "options": ["flavor name: spirit herbal herbal tea", "size: 8 oz bag (80-100 servings)"], "instruction_attributes": ["certified organic"], "instruction_options": ["spirit herbal herbal tea"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NL8BKL", "worker_id": "A1Q8PPQQCWGY0D"}], "B084XT44LP": [{"asin": "B084XT44LP", "instruction": "i would like a 18 individually wrapped hunnybrush tea bags.", "attributes": ["caffeine free", "individually wrapped"], "options": ["flavor name: honeybush", "size: 18 count (pack of 3)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["honeybush", "18 count (pack of 3)"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZOC7RR", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B084XT44LP", "instruction": "i need18 count box of tea bags (pack of 3) caffeine free herbal tea", "attributes": ["caffeine free", "individually wrapped"], "options": ["flavor name: throat soother", "size: 18 count (pack of 3)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["18 count (pack of 3)"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39HYCZW", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B084XT44LP", "instruction": "i would like a pack of 3 herbal teas that are immune boosting.", "attributes": ["caffeine free", "individually wrapped"], "options": ["flavor name: immune boost", "size: 18 count (pack of 3)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["immune boost", "18 count (pack of 3)"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMONL9MT", "worker_id": "A2ECRNQ3X5LEXD"}], "B08776TNBT": [{"asin": "B08776TNBT", "instruction": "i would like to have bike shorts with elastic waist which are in bold blue color and x-large in size.", "attributes": ["elastic closure", "elastic waist"], "options": ["color: bold blue | white", "size: x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["bold blue | white", "x-large"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY9H0UV", "worker_id": "AJY5G987IRT25"}], "B08TTWTVQR": [{"asin": "B08TTWTVQR", "instruction": "i would like a african american pretty girl hair kit for home hair cutting.", "attributes": ["long lasting", "hair salon", "hair cutting", "dry hair"], "options": ["color: african american pretty girl"], "instruction_attributes": ["hair cutting"], "instruction_options": ["african american pretty girl"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFVQJOX", "worker_id": "A1WS884SI0SLO4"}], "B09LGX32ZW": [{"asin": "B09LGX32ZW", "instruction": "looking for generic led bedside table set for living room also choose set of 2", "attributes": ["storage space", "living room"], "options": ["size: set of 2"], "instruction_attributes": ["living room"], "instruction_options": ["set of 2"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYK16LX", "worker_id": "A10OGH5CQBXL5N"}], "B08DFH72GP": [{"asin": "B08DFH72GP", "instruction": "i am interested in buying a biege colored diner chai which is easy to assemble and ideal for the dining room.", "attributes": ["button tufted", "assembly required", "easy install", "easy assemble", "solid wood", "dining room"], "options": ["color: beige"], "instruction_attributes": ["easy assemble", "dining room"], "instruction_options": ["beige"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCVDQ5Q", "worker_id": "AHXHM1PQTRWIQ"}], "B09PR7H15R": [{"asin": "B09PR7H15R", "instruction": "i am looking for a super soft fleece throw that has the constellation zodiac scorpio color.", "attributes": ["super soft", "machine washable", "fleece throw", "printing technology"], "options": ["color: constellation zodiac scorpio", "size: 60x50in for teens"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["constellation zodiac scorpio"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LBLERP", "worker_id": "A1NF6PELRKACS9"}], "B098JKB4Y9": [{"asin": "B098JKB4Y9", "instruction": "i am looking for large size soft material women's cardigans with pockets", "attributes": ["hand wash", "soft material"], "options": ["color: heather grey", "size: large"], "instruction_attributes": ["soft material"], "instruction_options": ["large"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4E4QR8", "worker_id": "A258PTOZ3D2TQR"}], "B07WPXV9MD": [{"asin": "B07WPXV9MD", "instruction": "i am looking for black color twisted x men\u2019s rubber outsole slip-on of size 12.", "attributes": ["slip resistant", "moisture wicking", "rubber outsole"], "options": ["color: black", "size: 12 wide"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["black", "12 wide"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAGFIF5", "worker_id": "A258PTOZ3D2TQR"}], "B09S3C8H4B": [{"asin": "B09S3C8H4B", "instruction": "i am interested in buying a xx-large sized onesie pajamas which is ideal for teen girls and is long sleeved.", "attributes": ["long sleeve", "button closure", "polyester spandex", "teen girls"], "options": ["color: a03-red", "size: xx-large"], "instruction_attributes": ["teen girls"], "instruction_options": ["xx-large"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT39CHJ7", "worker_id": "AHXHM1PQTRWIQ"}], "B09377V4Q9": [{"asin": "B09377V4Q9", "instruction": "i am looking for drawstring closure denim pants that have an elastic waist, in the size large.", "attributes": ["elastic waist", "soft material", "drawstring closure", "teen girls"], "options": ["color: p988 blue1", "size: large"], "instruction_attributes": ["elastic waist", "drawstring closure"], "instruction_options": ["large"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QYW70C", "worker_id": "AK3JMCIGU8MLU"}], "B08G3S9TND": [{"asin": "B08G3S9TND", "instruction": "i am looking for long lasting dark navy color noise cancelling headphones.", "attributes": ["noise cancelling", "long lasting", "high resolution"], "options": ["color: dark navy"], "instruction_attributes": ["noise cancelling", "long lasting"], "instruction_options": ["dark navy"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHHIBNX", "worker_id": "A1Q8PPQQCWGY0D"}], "B07MSM9DQN": [{"asin": "B07MSM9DQN", "instruction": "i would like a ultra hd usb hub.", "attributes": ["ultra hd", "easy carry", "plug play"], "options": [""], "instruction_attributes": ["ultra hd"], "instruction_options": [], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3TJMZ1", "worker_id": "A1WS884SI0SLO4"}], "B083XRVRLB": [{"asin": "B083XRVRLB", "instruction": "i want an ivory safavieh tulum rug for my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: turquoise | ivory", "item shape: square", "size: 6 ft 7 in x 6 ft 7 in"], "instruction_attributes": ["living room"], "instruction_options": ["turquoise | ivory"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54U938D", "worker_id": "A2RBF3IIJP15IH"}], "B0855CNSB6": [{"asin": "B0855CNSB6", "instruction": "i want cruelty free good chemistry silver coast body spray.", "attributes": ["paraben free", "cruelty free"], "options": ["size: body spray", "style: jasmine rose"], "instruction_attributes": ["cruelty free"], "instruction_options": ["body spray"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20RVZ0I", "worker_id": "A2RBF3IIJP15IH"}], "B083BWCBCV": [{"asin": "B083BWCBCV", "instruction": "i am looking for a spot clean roman shade window blinds which is easy to install. also choose size 24 w x 48 h.", "attributes": ["spot clean", "easy install"], "options": ["size: 24 w x 48 h"], "instruction_attributes": ["spot clean", "easy install"], "instruction_options": ["24 w x 48 h"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9WHET1", "worker_id": "A1V2JTEEBCXR20"}, {"asin": "B083BWCBCV", "instruction": "i am looking for easy install roman window blinds that are light filtering", "attributes": ["spot clean", "easy install"], "options": ["size: 27 w x 36 h"], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC4RYZZ", "worker_id": "AK3JMCIGU8MLU"}], "B09PGX4H72": [{"asin": "B09PGX4H72", "instruction": "i want gray aodong open toe sandals for women.", "attributes": ["open toe", "knee high", "ankle strap", "high heel", "arch support", "closed toe", "memory foam"], "options": ["color: a04-gray", "size: 8.5"], "instruction_attributes": ["open toe"], "instruction_options": ["a04-gray"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O452A1", "worker_id": "A2RBF3IIJP15IH"}], "B09RZDMDFJ": [{"asin": "B09RZDMDFJ", "instruction": "i am searching for navy color x-large silk smooth slim fit long sleeve shirt for men", "attributes": ["slim fit", "fashion design", "regular fit", "long sleeve"], "options": ["color: navy1", "size: x-large"], "instruction_attributes": ["slim fit", "long sleeve"], "instruction_options": ["navy1", "x-large"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2PP5LF", "worker_id": "A258PTOZ3D2TQR"}], "B092T4BLQM": [{"asin": "B092T4BLQM", "instruction": "i want dalang soy wax scented candles.", "attributes": ["long lasting", "lead free", "eco friendly", "soy wax"], "options": [""], "instruction_attributes": ["soy wax"], "instruction_options": [], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q6DGW9", "worker_id": "A2RBF3IIJP15IH"}], "B07HKK54RY": [{"asin": "B07HKK54RY", "instruction": "i'm looking for a rich creamy, ready to eat buttermilk syrup made from quality ingredients. also, choose a pack of 4 with maple flavored one.", "attributes": ["rich creamy", "ready eat", "quality ingredients"], "options": ["flavor name: maple", "size: 4 pack"], "instruction_attributes": ["rich creamy", "ready eat", "quality ingredients"], "instruction_options": ["maple", "4 pack"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLKHF2Q", "worker_id": "AR0VJ5XRG16UJ"}], "B084DLMXM9": [{"asin": "B084DLMXM9", "instruction": "i am looking for a solid wood bed frames of espresso color", "attributes": ["white item", "assembly required", "solid wood"], "options": ["color: espresso"], "instruction_attributes": ["solid wood"], "instruction_options": ["espresso"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSLI26E", "worker_id": "A9QRQL9CFJBI7"}], "B0847CHSKF": [{"asin": "B0847CHSKF", "instruction": "i need red colored cocktail glitter that is gmo free.", "attributes": ["gmo free", "real fruit"], "options": ["color: red", "style: 12g glitter & 6 ounce sugar pack"], "instruction_attributes": ["gmo free"], "instruction_options": ["red"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9H1RD10", "worker_id": "A1NF6PELRKACS9"}], "B09H7LR8KT": [{"asin": "B09H7LR8KT", "instruction": "i am looking for an anti slip pair of booties with rubber sole. it should be a size 6 and coffee colored.", "attributes": ["knee high", "anti slip", "rubber sole", "daily wear"], "options": ["color: coffee", "size: 6"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["coffee", "6"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUMTR39", "worker_id": "A1NF6PELRKACS9"}], "B09SF2S8TZ": [{"asin": "B09SF2S8TZ", "instruction": "i want beige flip flop open toe slippers.", "attributes": ["slip resistant", "fleece lined", "open toe", "steel toe", "high heel", "arch support", "short sleeve", "long sleeve"], "options": ["color: a2 - beige", "size: 6 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["a2 - beige"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4G08LW", "worker_id": "A2RBF3IIJP15IH"}], "B07XSJS2C3": [{"asin": "B07XSJS2C3", "instruction": "i am looking for long lasting lip balm stick with pack of 2.", "attributes": ["long lasting", "seed oil"], "options": ["size: 2 count (pack of 2)"], "instruction_attributes": ["long lasting"], "instruction_options": ["2 count (pack of 2)"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIM3FEM", "worker_id": "A3FG5PQHG5AH3Y"}], "B09JW1K51V": [{"asin": "B09JW1K51V", "instruction": "i am looking for a universal remote control with the aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PDDBUR", "worker_id": "A1EREKSZAA9V7B"}], "B09P3MCJW3": [{"asin": "B09P3MCJW3", "instruction": "i want a blanket that's quirky and is fleece throw. i would appreciate it if it was easy to clean too please", "attributes": ["twin size", "easy clean", "fleece throw"], "options": ["color: coffee is my favorite language", "size: crib 50 x 40 inch"], "instruction_attributes": ["easy clean", "fleece throw"], "instruction_options": [], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0EX16N", "worker_id": "A2TRV8SEM003GG"}], "B07932ZN6V": [{"asin": "B07932ZN6V", "instruction": "i would like some grey sneakers in a 7.5 that have a rubber sole.", "attributes": ["long lasting", "memory foam", "rubber outsole", "rubber sole"], "options": ["color: dk grey | lt grey", "size: 7.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["dk grey | lt grey", "7.5"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0WNRA7", "worker_id": "A2ECRNQ3X5LEXD"}], "B08H8T2GL3": [{"asin": "B08H8T2GL3", "instruction": "i would like a medium sized classic fit tank top for a girl.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: men", "size: medium"], "instruction_attributes": ["classic fit"], "instruction_options": ["medium"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI78IZGJ", "worker_id": "AHXHM1PQTRWIQ"}], "B09R4GN7P7": [{"asin": "B09R4GN7P7", "instruction": "get me a black t-shirt with short sleeves. i am an xx-large sized man.", "attributes": ["light weight", "loose fit", "short sleeve", "long sleeve", "soft material"], "options": ["color: black", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["black", "xx-large"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZEUPA8", "worker_id": "A1NF6PELRKACS9"}], "B0981TPJ1Z": [{"asin": "B0981TPJ1Z", "instruction": "i want a tree hut sugar body scrub for dry skin.", "attributes": ["dry skin", "dead skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJKVOL4", "worker_id": "A2RBF3IIJP15IH"}], "B07K125Z37": [{"asin": "B07K125Z37", "instruction": "i would like 2 thirty inch barstools with a dark gray tunic cover for the dining room.", "attributes": ["button tufted", "wood finish", "contemporary style", "dining room"], "options": ["color: dark gray fabric", "size: 2 pack", "style: 30 inch"], "instruction_attributes": ["contemporary style"], "instruction_options": ["dark gray fabric", "2 pack", "30 inch"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRPN9F6", "worker_id": "A1WS884SI0SLO4"}], "B08BVTBHFC": [{"asin": "B08BVTBHFC", "instruction": "i want a seabear wild caught alaskan smoked salmon gift box.", "attributes": ["fully cooked", "wild caught", "ready eat"], "options": [""], "instruction_attributes": ["wild caught"], "instruction_options": [], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVNWQ0Z", "worker_id": "A2RBF3IIJP15IH"}], "B08NFDZSYN": [{"asin": "B08NFDZSYN", "instruction": "i am looking for a storage cabinet for the kitchen which has a white finish.", "attributes": ["assembly required", "white finish"], "options": [""], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TFGMNP", "worker_id": "AHXHM1PQTRWIQ"}], "B08R6RYX4J": [{"asin": "B08R6RYX4J", "instruction": "i am looking for central park ombre window curtain panel's in gray 50'' x 84'' set of two for my living room.", "attributes": ["eco friendly", "machine washable", "living room"], "options": ["color: grey", "size: 50\"x95\"x2"], "instruction_attributes": ["living room"], "instruction_options": ["50\"x95\"x2"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCRP7IH", "worker_id": "A2KW17G25L25R8"}], "B000SQQ2D0": [{"asin": "B000SQQ2D0", "instruction": "i am looking for a 450 mocha color oil free fragrance free face makeup", "attributes": ["oil free", "fragrance free", "long lasting"], "options": ["color: 450 mocha"], "instruction_attributes": ["oil free", "fragrance free"], "instruction_options": ["450 mocha"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662ZQ4MJ", "worker_id": "A9QRQL9CFJBI7"}], "B099RPD1Y9": [{"asin": "B099RPD1Y9", "instruction": "i would like a pink body scrub for dry skin.", "attributes": ["dead skin", "dry skin"], "options": ["color: pink"], "instruction_attributes": ["dry skin"], "instruction_options": ["pink"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAIUVOR", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B099RPD1Y9", "instruction": "i'm looking for a body scrub for dead and dry skin. also choose black colored one.", "attributes": ["dead skin", "dry skin"], "options": ["color: black"], "instruction_attributes": ["dead skin", "dry skin"], "instruction_options": ["black"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BDLQUP", "worker_id": "AR0VJ5XRG16UJ"}], "B09DPSQSX2": [{"asin": "B09DPSQSX2", "instruction": "i want to buy phone glass screen protector which is tempered glass and compatible with apple, the color should be clear, and suitable for iphone 11 pro.", "attributes": ["compatible apple", "high definition", "tempered glass", "glass screen"], "options": ["color: clear", "style: iphone 11 pro"], "instruction_attributes": ["compatible apple", "tempered glass"], "instruction_options": ["clear", "iphone 11 pro"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BDEQUI", "worker_id": "AJY5G987IRT25"}], "B09PLDZ4PH": [{"asin": "B09PLDZ4PH", "instruction": "i want a small womens summer short sleeve shirt.", "attributes": ["hand wash", "long sleeve", "short sleeve", "faux fur", "tumble dry", "daily wear"], "options": ["color: tops a4c2 white", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["small"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXPEZ21", "worker_id": "A2RBF3IIJP15IH"}], "B07D7T27T2": [{"asin": "B07D7T27T2", "instruction": "i am looking for 16 size short satin homecoming unique design dress", "attributes": ["lace closure", "unique design"], "options": ["color: baby blue", "size: 16"], "instruction_attributes": ["unique design"], "instruction_options": ["16"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V1ZYWJ", "worker_id": "A258PTOZ3D2TQR"}], "B00AKSCXES": [{"asin": "B00AKSCXES", "instruction": "i want small and machine washable champion men's shorts.", "attributes": ["machine wash", "elastic closure"], "options": ["color: navy-407q88", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["small"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOZI93X", "worker_id": "A2RBF3IIJP15IH"}], "B07QT9M8DL": [{"asin": "B07QT9M8DL", "instruction": "i am looking for classic fit dark heather color tank top.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: men", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["dark heather"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFHP204", "worker_id": "A1Q8PPQQCWGY0D"}], "B08KBTZBRF": [{"asin": "B08KBTZBRF", "instruction": "i want x-large and machine washable leggings depot pajama pants.", "attributes": ["machine washable", "machine wash", "polyester spandex", "drawstring closure", "elastic waistband", "tumble dry"], "options": ["color: perfect admiration", "size: x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["x-large"], "assignment_id": "3G2UL9A02OO71034MOY04HTU31176W", "worker_id": "A2RBF3IIJP15IH"}], "B094QNSQ3V": [{"asin": "B094QNSQ3V", "instruction": "i would like a 8.5 inch wide black non slip platform wedge pair.", "attributes": ["slip resistant", "non slip", "synthetic sole"], "options": ["color: tzz7-3_black", "size: 8.5 wide"], "instruction_attributes": ["non slip"], "instruction_options": ["tzz7-3_black", "8.5 wide"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZNBC7S", "worker_id": "A1WS884SI0SLO4"}], "B073PT96NN": [{"asin": "B073PT96NN", "instruction": "i wan a high speed micro usb cable.", "attributes": ["high speed", "fast charging", "usb port"], "options": [""], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS4NG9C", "worker_id": "A2RBF3IIJP15IH"}], "B09KLVZXZC": [{"asin": "B09KLVZXZC", "instruction": "i want dual band and quad core smart streaming media tv box with high speed ,which is 4gb +64gb storage capacity", "attributes": ["dual band", "high speed", "high definition", "quad core"], "options": ["color: 4gb+64gb"], "instruction_attributes": ["dual band", "high speed", "quad core"], "instruction_options": ["4gb+64gb"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZNDC7U", "worker_id": "ASWFLI3N8X72G"}], "B082DHB26W": [{"asin": "B082DHB26W", "instruction": "i am looking for a chocolate candy suitable for valentine day. and i choose kisses pink style", "attributes": ["baby shower", "valentine day"], "options": ["style: kisses pink"], "instruction_attributes": ["valentine day"], "instruction_options": ["kisses pink"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907VOUAB", "worker_id": "A2COCSUGZV28X"}], "B084Z7CNH9": [{"asin": "B084Z7CNH9", "instruction": "i am looking for noise cancelling on ear headphone of black color.", "attributes": ["noise cancelling", "carrying case"], "options": ["color: black"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["black"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907UJUA4", "worker_id": "A3FG5PQHG5AH3Y"}], "B06XNP64KD": [{"asin": "B06XNP64KD", "instruction": "i want to buy loose leaf tea which is certified organic and has sleepytime bundle flavor and comes in 4 pack of 40 servings.", "attributes": ["individually wrapped", "certified organic", "gift set"], "options": ["flavor name: sleepytime bundle", "size: 4-pack (40 servings)"], "instruction_attributes": ["certified organic"], "instruction_options": ["sleepytime bundle", "4-pack (40 servings)"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK90VNP", "worker_id": "AJY5G987IRT25"}, {"asin": "B06XNP64KD", "instruction": "i want to buy a ten count tea sampler that's certified organic.", "attributes": ["individually wrapped", "certified organic", "gift set"], "options": ["flavor name: get busy trio tea set", "size: 10 count (pack of 3)"], "instruction_attributes": ["certified organic"], "instruction_options": ["10 count (pack of 3)"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40VMRCF", "worker_id": "AR9AU5FY1S3RO"}], "B07LCGV1K8": [{"asin": "B07LCGV1K8", "instruction": "i am looking for a portable artist storage bag for nail polish and makeup things. also choose corgi-1 color.", "attributes": ["nail polish", "nail art"], "options": ["color: corgi-1"], "instruction_attributes": ["nail polish"], "instruction_options": ["corgi-1"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZSLSHU", "worker_id": "A2HMEGTAFO0CS8"}], "B073V9FL3F": [{"asin": "B073V9FL3F", "instruction": "i need an 8 oz coffee substitute that is caffeine free", "attributes": ["caffeine free", "non gmo", "natural ingredients"], "options": ["flavor name: original", "size: 8 ounce (pack of 1)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["8 ounce (pack of 1)"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPJFQVX", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B073V9FL3F", "instruction": "order for me cocoa blend caffein free drink with natural ingredients.", "attributes": ["caffeine free", "non gmo", "natural ingredients"], "options": ["flavor name: cocoa blend", "size: 7 ounce (pack of 1)"], "instruction_attributes": ["caffeine free", "natural ingredients"], "instruction_options": ["cocoa blend"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA4M8AZ", "worker_id": "AHU9OLV0YKIIW"}], "B09575PQ3Y": [{"asin": "B09575PQ3Y", "instruction": "i am looking for a long lasting eye shadow pen having 7#violet color.", "attributes": ["long lasting", "easy carry", "eye shadow"], "options": ["color: 7#violet"], "instruction_attributes": ["long lasting"], "instruction_options": ["7#violet"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDVSZQF", "worker_id": "A1Q8PPQQCWGY0D"}], "B014P0KPZK": [{"asin": "B014P0KPZK", "instruction": "i am looking for some ready to eat graham crackers.", "attributes": ["ready eat", "simple ingredients", "high fructose", "artificial flavors"], "options": [""], "instruction_attributes": ["ready eat"], "instruction_options": [], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X9HGPL", "worker_id": "A1EREKSZAA9V7B"}], "B07YDMRQRT": [{"asin": "B07YDMRQRT", "instruction": "i need a bath brush with a long handle that is green", "attributes": ["non slip", "long handle"], "options": ["color: green"], "instruction_attributes": ["long handle"], "instruction_options": ["green"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMSOWMW", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BJ1RKYM": [{"asin": "B08BJ1RKYM", "instruction": "i would like a 50 by 60 inch fleece throw decorated with a tractor.", "attributes": ["super soft", "fleece throw"], "options": ["color: tractor", "size: 50\" x 60\""], "instruction_attributes": ["fleece throw"], "instruction_options": ["tractor", "50\" x 60\""], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9GNZR7", "worker_id": "A1WS884SI0SLO4"}], "B07T9GKCPC": [{"asin": "B07T9GKCPC", "instruction": "i'm looking for hair care solutions.", "attributes": ["easy use", "fine mist", "tea tree", "natural ingredients"], "options": ["style: treatment"], "instruction_attributes": ["tea tree"], "instruction_options": ["treatment"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LF0O1A", "worker_id": "A21IUUHBSEVB56"}], "B071QZ7RMJ": [{"asin": "B071QZ7RMJ", "instruction": "i want paraben free and oatmeal shampoo.", "attributes": ["paraben free", "coconut oil", "natural ingredients"], "options": ["scent: oatmeal, milk & honey"], "instruction_attributes": ["paraben free"], "instruction_options": ["oatmeal, milk & honey"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ54ISH", "worker_id": "A2RBF3IIJP15IH"}], "B01N0OQMC7": [{"asin": "B01N0OQMC7", "instruction": "i need a high resolution decal sticker skin for my ps4. it should be long lasting.", "attributes": ["long lasting", "high resolution"], "options": [""], "instruction_attributes": ["long lasting", "high resolution"], "instruction_options": [], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9BTN86", "worker_id": "A1NF6PELRKACS9"}], "B09PH88J47": [{"asin": "B09PH88J47", "instruction": "i'm looking for a long sleeve sweatshirts black flower for valentines", "attributes": ["long sleeve", "quality polyester", "unique design", "daily wear"], "options": ["color: black flower", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black flower", "xx-large"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98ILWM27", "worker_id": "A2Y2TURT2VEYZN"}], "B07PJXGY87": [{"asin": "B07PJXGY87", "instruction": "i am looking for always women high waisted capri leggings.", "attributes": ["easy care", "machine washable", "hand wash", "elastic waistband", "high waist", "polyester spandex", "tumble dry"], "options": ["color: cbsl128 | mustard", "size: small"], "instruction_attributes": ["high waist"], "instruction_options": ["small"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTVJ7LV", "worker_id": "A2KW17G25L25R8"}], "B086FP44F4": [{"asin": "B086FP44F4", "instruction": "i am looking for a 12 fl oz (pack of 4) of non alcoholic low calorie soft drinks", "attributes": ["non alcoholic", "low calorie", "low carb", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: mango lime", "size: 12 fl oz (pack of 4)"], "instruction_attributes": ["non alcoholic", "low calorie"], "instruction_options": ["12 fl oz (pack of 4)"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N9BT7S", "worker_id": "A9QRQL9CFJBI7"}], "B01BMP2VBM": [{"asin": "B01BMP2VBM", "instruction": "i would like a 10 gram packet of crimson long lasting nail glitter.", "attributes": ["long lasting", "easy use", "nail art"], "options": ["color: crimson", "size: 10 gram"], "instruction_attributes": ["long lasting"], "instruction_options": ["crimson", "10 gram"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIE8BRM", "worker_id": "A1WS884SI0SLO4"}], "B0935ZKGDQ": [{"asin": "B0935ZKGDQ", "instruction": "i am looking for a height adjustable barstool with footrest. i want something in brown.", "attributes": ["easy clean", "height adjustable", "high density", "easy install", "easy assemble", "pu leather"], "options": ["color: brown"], "instruction_attributes": ["height adjustable"], "instruction_options": ["brown"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V6T2U7", "worker_id": "A1NF6PELRKACS9"}], "B098NWSMVT": [{"asin": "B098NWSMVT", "instruction": "i want to get the elastic waistband mofiz women golf short knee-length lounge shorts, khaki color.", "attributes": ["elastic waistband", "elastic waist", "nylon spandex", "drawstring closure"], "options": ["color: khaki", "size: xx-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["khaki"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0UCACA", "worker_id": "A1IL2K0ELYI090"}], "B09F72DMWB": [{"asin": "B09F72DMWB", "instruction": "i need an easy to use trail camera", "attributes": ["easy use", "4g lte"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSY4GL9", "worker_id": "A2ECRNQ3X5LEXD"}], "B01F5W3IFQ": [{"asin": "B01F5W3IFQ", "instruction": "i am looking for wireless bluetooth speaker.please choose gray one.", "attributes": ["certified refurbished", "stereo sound", "wireless bluetooth"], "options": ["color: gray"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["gray"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7ROOBQ", "worker_id": "A3FG5PQHG5AH3Y"}], "B09PLDNV8N": [{"asin": "B09PLDNV8N", "instruction": "i want to buy knee high boots in color brown and having size 8.5.", "attributes": ["knee high", "anti slip"], "options": ["color: brown", "size: 8.5"], "instruction_attributes": ["knee high"], "instruction_options": ["brown", "8.5"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK24ALKNI", "worker_id": "AHXHM1PQTRWIQ"}], "B09G2YMNLC": [{"asin": "B09G2YMNLC", "instruction": "i would like a ac adapter that has output protection.", "attributes": ["output protection", "easy carry"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTRY4VU", "worker_id": "A1WS884SI0SLO4"}], "B08DK4ZKVM": [{"asin": "B08DK4ZKVM", "instruction": "i am looking for a wall mounted book shelf . ad i would prefer the driftwood color", "attributes": ["wall mounted", "assembly required"], "options": ["color: driftwood", "style: book shelf"], "instruction_attributes": ["wall mounted"], "instruction_options": ["driftwood", "book shelf"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HWJBPT", "worker_id": "A2COCSUGZV28X"}], "B09PGGRFRD": [{"asin": "B09PGGRFRD", "instruction": "get me a hand washable short sleeved loose fit top in army green color and 3x-large size.", "attributes": ["loose fit", "day comfort", "hand wash", "short sleeve", "polyester spandex", "teen girls"], "options": ["color: army\u00a0green", "size: 3x-large"], "instruction_attributes": ["loose fit", "hand wash", "short sleeve"], "instruction_options": ["army\u00a0green", "3x-large"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XCVRFF", "worker_id": "A3AYHESLQSDY5T"}], "B007HQNIFO": [{"asin": "B007HQNIFO", "instruction": "i would like a two pack of chicken that is shelf stable", "attributes": ["shelf stable", "fully cooked", "easy prepare", "gluten free", "ready eat", "kosher certified", "dairy free"], "options": ["style: 2 pack"], "instruction_attributes": ["shelf stable"], "instruction_options": ["2 pack"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9L26K2", "worker_id": "A2ECRNQ3X5LEXD"}], "B07MXPLFSH": [{"asin": "B07MXPLFSH", "instruction": "i would like 100 bags of green usda organic tea.", "attributes": ["usda organic", "real fruit", "artificial flavors"], "options": ["flavor name: green", "size: 100 count (pack of 1)"], "instruction_attributes": ["usda organic"], "instruction_options": ["green", "100 count (pack of 1)"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40K5NXH", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07MXPLFSH", "instruction": "i would like 10 bags of peach green tea usda organic tea.", "attributes": ["usda organic", "real fruit", "artificial flavors"], "options": ["flavor name: peach green", "size: 10 count (pack of 1)"], "instruction_attributes": ["usda organic"], "instruction_options": ["peach green", "10 count (pack of 1)"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCLNSJZ", "worker_id": "A1WS884SI0SLO4"}], "B09Q83RGBW": [{"asin": "B09Q83RGBW", "instruction": "i'm looking for a mini desktop computer with 16 gigs of ram and that comes equipped with intel core i5.", "attributes": ["core i5", "intel core"], "options": ["color: i5 10300h", "size: 16g ram 128g ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["16g ram 128g ssd"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJQ5GDY", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B09Q83RGBW", "instruction": "i want an i5 intel core mini pc. it should be 10300h", "attributes": ["core i5", "intel core"], "options": ["color: i5 10300h", "size: 32g ram 1tb ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["i5 10300h"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6IEB2L", "worker_id": "A1NF6PELRKACS9"}], "B09HNMGGPR": [{"asin": "B09HNMGGPR", "instruction": "i would like a beige concealer for dark circles.", "attributes": ["cruelty free", "green tea", "dark circles"], "options": ["color: 04 beige"], "instruction_attributes": ["dark circles"], "instruction_options": ["04 beige"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUXCJQB", "worker_id": "A1WS884SI0SLO4"}], "B08QRW7T8M": [{"asin": "B08QRW7T8M", "instruction": "i'm looking for this product : qumox wireless pro controller remote control pro gamepad joystick with dual vibration if you find it let me know soon i need wireless bluetooth", "attributes": ["high performance", "high speed", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3K772S5NPJL8742V5F3A7IA1Y2NEHS", "worker_id": "A15IJ20C3R4HUO"}], "B00638B5XE": [{"asin": "B00638B5XE", "instruction": "i'm looking for a high protein meat jerky which should be free from gluten, soy and dairy products.", "attributes": ["grass fed", "gluten free", "low fat", "soy free", "high protein", "dairy free", "non gmo"], "options": [""], "instruction_attributes": ["gluten free", "soy free", "high protein", "dairy free"], "instruction_options": [], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH374ZZ", "worker_id": "AR0VJ5XRG16UJ"}], "B07HN56LFJ": [{"asin": "B07HN56LFJ", "instruction": "i would like a polyester cotton hoodie with flowers on it.", "attributes": ["long lasting", "machine wash", "polyester cotton"], "options": ["color: flower-bk-best", "size: best-xl+friend-2xl"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["flower-bk-best"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPLMJNJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08JCCGYHX": [{"asin": "B08JCCGYHX", "instruction": "i would like some pink birthday candles for a birthday party", "attributes": ["birthday cake", "baby shower", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["birthday party"], "instruction_options": ["pink"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTQEO66", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QX6TZ84": [{"asin": "B09QX6TZ84", "instruction": "find me a black 3x-large mens t-shit with button closure aloha theme", "attributes": ["slim fit", "moisture wicking", "winter warm", "straight leg", "fleece lined", "short sleeve", "long sleeve", "nylon spandex", "regular fit", "button closure", "gym workout"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["button closure"], "instruction_options": ["black", "3x-large"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM493D4X6", "worker_id": "A2Y2TURT2VEYZN"}], "B07HFGJ198": [{"asin": "B07HFGJ198", "instruction": "i need flouride free toothpaste", "attributes": ["fluoride free", "teeth whitening", "fresh breath"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WBOUO4", "worker_id": "A2ECRNQ3X5LEXD"}], "B097QXRFK1": [{"asin": "B097QXRFK1", "instruction": "i'm looking for a medium skirt with side pockets in polyester spandex, choose navy blue color", "attributes": ["polyester spandex", "drawstring closure"], "options": ["color: navy blue", "size: medium"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["navy blue", "medium"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI837SSK", "worker_id": "A2Y2TURT2VEYZN"}], "B08YHMV46N": [{"asin": "B08YHMV46N", "instruction": "i am looking for a wicked hot gluten free salsas", "attributes": ["hand crafted", "gluten free"], "options": ["flavor name: wicked hot"], "instruction_attributes": ["gluten free"], "instruction_options": ["wicked hot"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHACXODU", "worker_id": "A9QRQL9CFJBI7"}], "B00Y7X9WI2": [{"asin": "B00Y7X9WI2", "instruction": "i need a cinewhite projector screen that is ultra hd and light weight.", "attributes": ["ultra hd", "light weight"], "options": ["color: cinewhite", "size: 150\" diagonal, 16:9", "style: sable frame b2"], "instruction_attributes": ["ultra hd", "light weight"], "instruction_options": ["cinewhite"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC9LD0X", "worker_id": "A1NF6PELRKACS9"}], "B0983BYQ5B": [{"asin": "B0983BYQ5B", "instruction": "i am looking for height adjustable, mid century crystal chandelier lighting for living room, gold color, size 23.6\"", "attributes": ["height adjustable", "mid century", "assembly required", "light fixture", "dining room", "living room"], "options": ["size: gold 23.6\""], "instruction_attributes": ["height adjustable", "mid century", "living room"], "instruction_options": [], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PPF2X6", "worker_id": "A258PTOZ3D2TQR"}], "B07DPKKDMT": [{"asin": "B07DPKKDMT", "instruction": "my son needs a mattress, look for the greaton brand, fully assembled, box spring. includes 8\" split base | full xl size...", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": ["size: full xl", "style: includes 8\" split foundation | full xl siz..."], "instruction_attributes": ["fully assembled", "box spring"], "instruction_options": ["includes 8\" split foundation | full xl siz..."], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9HTZRF", "worker_id": "A15IJ20C3R4HUO"}], "B08ZXT2J28": [{"asin": "B08ZXT2J28", "instruction": "i am looking for solo loop dark grey band compatible with apple watch bands 38mm 40mm", "attributes": ["compatible apple", "easy install", "stainless steel"], "options": ["color: dark gray", "size: 38mm | 40mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["dark gray", "38mm | 40mm"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YRS96D", "worker_id": "A258PTOZ3D2TQR"}], "B08523PPK3": [{"asin": "B08523PPK3", "instruction": "i would like a leo candle made of soy wax.", "attributes": ["lead free", "long lasting", "soy wax"], "options": ["size: leo candle"], "instruction_attributes": ["soy wax"], "instruction_options": ["leo candle"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8RQQ6A", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B08523PPK3", "instruction": "i would like a sagittarius candle that has soy wax", "attributes": ["lead free", "long lasting", "soy wax"], "options": ["size: sagittarius candle"], "instruction_attributes": ["soy wax"], "instruction_options": ["sagittarius candle"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733P9BE0", "worker_id": "A2ECRNQ3X5LEXD"}], "B07D5ZYQDD": [{"asin": "B07D5ZYQDD", "instruction": "please look for peet's iced espresso vanilla latte 8 oz can with quality ingredients.", "attributes": ["artificial colors", "quality ingredients"], "options": [""], "instruction_attributes": ["quality ingredients"], "instruction_options": [], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40Z6CRS", "worker_id": "A15IJ20C3R4HUO"}], "B01MYDEK74": [{"asin": "B01MYDEK74", "instruction": "i am looking for 5.9 fl oz eau de parfum - fragrance mist for women", "attributes": ["design house", "long lasting", "fine mist"], "options": ["size: 5.9 fl oz", "style name: 2am kiss"], "instruction_attributes": ["long lasting", "fine mist"], "instruction_options": ["5.9 fl oz"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VNW60W", "worker_id": "A258PTOZ3D2TQR"}], "B00083HDGS": [{"asin": "B00083HDGS", "instruction": "i want a black bellagio european outdoor carriage light fixture.", "attributes": ["bronze finish", "light fixture"], "options": ["color: black - clear - double bridge", "size: 20 1 | 2\" high"], "instruction_attributes": ["light fixture"], "instruction_options": ["black - clear - double bridge"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ2CNRB", "worker_id": "A2RBF3IIJP15IH"}], "B01EFOZHB8": [{"asin": "B01EFOZHB8", "instruction": "i'm looking for pomegranate blueberry flavored energy drinks. preferably with vitamins. i want a pack too", "attributes": ["non gmo", "gluten free", "source vitamin", "artificial colors"], "options": ["flavor name: orange pineapple", "size: 8 fl oz (pack of 6)"], "instruction_attributes": ["source vitamin"], "instruction_options": ["8 fl oz (pack of 6)"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCK1PDNZ", "worker_id": "A2TRV8SEM003GG"}], "B08NXFTJDK": [{"asin": "B08NXFTJDK", "instruction": "i would like to buy men's briefs which is easy care and of stripe color and a unique design.", "attributes": ["easy care", "quality polyester", "unique design", "tumble dry"], "options": ["color: stripe", "size: xx-large"], "instruction_attributes": ["easy care", "unique design"], "instruction_options": ["stripe"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV43HBM", "worker_id": "AHXHM1PQTRWIQ"}], "B093SX96B7": [{"asin": "B093SX96B7", "instruction": "i want a set of 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCLCBLN", "worker_id": "A2RBF3IIJP15IH"}], "B074G399NJ": [{"asin": "B074G399NJ", "instruction": "i want cruelty free illuminating makeup mist.", "attributes": ["cruelty free", "green tea"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602V995N", "worker_id": "A2RBF3IIJP15IH"}], "B076DLGKK9": [{"asin": "B076DLGKK9", "instruction": "i would like a pair of size 6 black luster satin pumps with a open toe.", "attributes": ["open toe", "leather sole"], "options": ["color: black luster satin", "size: 6 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["black luster satin", "6 wide"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53Z4GKD", "worker_id": "A1WS884SI0SLO4"}], "B08HR995R3": [{"asin": "B08HR995R3", "instruction": "i am interested in gray faux leather barstools", "attributes": ["faux leather", "wood finish"], "options": ["color: gray | black", "size: 26\" counter height"], "instruction_attributes": ["faux leather"], "instruction_options": ["gray | black"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788HJ5C9", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08HR995R3", "instruction": "i need a faux leather barstool that is 30\" in height.", "attributes": ["faux leather", "wood finish"], "options": ["color: gray | black", "size: 30\" bar height"], "instruction_attributes": ["faux leather"], "instruction_options": ["30\" bar height"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LET0LY", "worker_id": "A2ECRNQ3X5LEXD"}], "B00NW4QK5A": [{"asin": "B00NW4QK5A", "instruction": "i am looking for certified organic sandwich crackers.", "attributes": ["trader joe", "certified organic"], "options": [""], "instruction_attributes": ["certified organic"], "instruction_options": [], "assignment_id": "3137ONMDKRFU787KL9LSMIY0J14EGL", "worker_id": "A1Q8PPQQCWGY0D"}], "B093YS4MDR": [{"asin": "B093YS4MDR", "instruction": "i want a set of 2 mesh laundry bags with deer floral arrows design.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZNAR77", "worker_id": "A2RBF3IIJP15IH"}], "B07K9C1J7G": [{"asin": "B07K9C1J7G", "instruction": "i am looking for a pc build that's a linux and it is core i5. size: no ram please and thank you", "attributes": ["ultra hd", "high speed", "core i5", "intel core"], "options": ["size: no ram | ssd | hdd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["no ram | ssd | hdd"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVVM9X2", "worker_id": "A2TRV8SEM003GG"}], "B00EE3XEN4": [{"asin": "B00EE3XEN4", "instruction": "i would like to buy individually wrapped hand crafted olive oil tortas. i would prefer them in packs of 10.", "attributes": ["hand crafted", "individually wrapped"], "options": ["size: pack of 10"], "instruction_attributes": ["hand crafted", "individually wrapped"], "instruction_options": ["pack of 10"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662ZR4MK", "worker_id": "AHXHM1PQTRWIQ"}], "B075CSVYBK": [{"asin": "B075CSVYBK", "instruction": "i am looking for some gluten free berries.", "attributes": ["non gmo", "gluten free", "dietary fiber"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBUMEJS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NR8VT9K": [{"asin": "B09NR8VT9K", "instruction": "i want a black hazel velvet king sized bed.", "attributes": ["button tufted", "king size", "contemporary style", "wood frame", "solid wood"], "options": ["color: black", "size: queen"], "instruction_attributes": ["king size"], "instruction_options": ["black"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LNY902", "worker_id": "A2RBF3IIJP15IH"}], "B09N725812": [{"asin": "B09N725812", "instruction": "i am looking for medium size tank tops for women that can be washed through hands.", "attributes": ["hand wash", "wash cold", "polyester spandex"], "options": ["color: moss", "size: medium"], "instruction_attributes": ["hand wash"], "instruction_options": ["medium"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC47YZF", "worker_id": "A1Q8PPQQCWGY0D"}], "B08ZS5C61B": [{"asin": "B08ZS5C61B", "instruction": "i am looking for a stainless steel watch bands for my smart watch. and i choose the 18mm size with black color", "attributes": ["quick release", "easy install", "stainless steel"], "options": ["color: black", "size: 18mm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["black", "18mm"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI71MYQL", "worker_id": "A2COCSUGZV28X"}], "B08F1V39HN": [{"asin": "B08F1V39HN", "instruction": "i need a super soft baby sized blanket throw for my living room.", "attributes": ["super soft", "living room"], "options": ["color: wt3553", "size: baby(30\"x40\")"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["baby(30\"x40\")"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LINL0L", "worker_id": "A1NF6PELRKACS9"}], "B07W7SQN53": [{"asin": "B07W7SQN53", "instruction": "i need a sugar free lemon cream with raspberry lemonade flavor", "attributes": ["old fashioned", "soy free", "kosher certified", "sugar free", "individually wrapped"], "options": ["flavor name: raspberry lemonade"], "instruction_attributes": ["sugar free"], "instruction_options": ["raspberry lemonade"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBC06UZ", "worker_id": "A2COCSUGZV28X"}, {"asin": "B07W7SQN53", "instruction": "i would like a mango flavored salt water taffy that is old fashioned.", "attributes": ["old fashioned", "soy free", "kosher certified", "sugar free", "individually wrapped"], "options": ["flavor name: mango"], "instruction_attributes": ["old fashioned"], "instruction_options": ["mango"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2YAZIVP", "worker_id": "A1WS884SI0SLO4"}], "B09FLSP4J4": [{"asin": "B09FLSP4J4", "instruction": "i need a white queen sized bed with storage space.", "attributes": ["queen size", "space saving", "box spring", "storage space"], "options": ["color: white", "size: queen"], "instruction_attributes": ["queen size", "storage space"], "instruction_options": ["white", "queen"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIYAMT0", "worker_id": "A1NF6PELRKACS9"}], "B07QK461YX": [{"asin": "B07QK461YX", "instruction": "i am looking for blueberry muffin scent candles that are long lasting.", "attributes": ["lead free", "long lasting"], "options": ["scent: blueberry muffin", "size: ring (size 8)"], "instruction_attributes": ["long lasting"], "instruction_options": ["blueberry muffin"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR97C0U", "worker_id": "A1Q8PPQQCWGY0D"}], "B08H8PKF88": [{"asin": "B08H8PKF88", "instruction": "i am interested in a wall mounted candle holder scone which has a glass shade.", "attributes": ["wall mounted", "glass shade"], "options": [""], "instruction_attributes": ["wall mounted", "glass shade"], "instruction_options": [], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WZZF70", "worker_id": "AHXHM1PQTRWIQ"}], "B084VGH8R2": [{"asin": "B084VGH8R2", "instruction": "i need eco friendly fully assembled and red color 3 drawer rolling file cabinet", "attributes": ["fully assembled", "eco friendly", "steel frame", "storage space"], "options": ["color: orange"], "instruction_attributes": ["fully assembled", "eco friendly"], "instruction_options": ["orange"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQSM0PW", "worker_id": "A258PTOZ3D2TQR"}], "B09SKTG812": [{"asin": "B09SKTG812", "instruction": "i am looking for red color, 3x-large pajamas polyester cotton nightgowns for women", "attributes": ["hand wash", "polyester cotton", "quality materials"], "options": ["color: red", "size: 3x-large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["red", "3x-large"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP2RTXO", "worker_id": "A258PTOZ3D2TQR"}], "B09QSZ5KX3": [{"asin": "B09QSZ5KX3", "instruction": "looking for long sleeve regular fit shirts for men that's colour black", "attributes": ["loose fit", "hand wash", "fleece lined", "wash cold", "slim fit", "machine wash", "long sleeve", "regular fit", "short sleeve", "drawstring waist", "high waist"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["machine wash", "long sleeve", "regular fit"], "instruction_options": ["black"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6NHU7J", "worker_id": "A10OGH5CQBXL5N"}], "B091C8JKQQ": [{"asin": "B091C8JKQQ", "instruction": "i am looking for an 18 light chandelier for my dining room.", "attributes": ["light fixture", "pendant light", "dining room", "living room"], "options": ["color: linear chandelier - black", "size: 18-light"], "instruction_attributes": ["dining room"], "instruction_options": ["18-light"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAUD4C99", "worker_id": "A1EREKSZAA9V7B"}], "B00I5437GM": [{"asin": "B00I5437GM", "instruction": "i am looking for some anti aging revitalizing shampoo and conditioner with natural ingredients.", "attributes": ["anti aging", "natural ingredients", "natural hair", "hair loss"], "options": ["size: 2 piece set", "style name: conditioner"], "instruction_attributes": ["anti aging", "natural ingredients"], "instruction_options": ["conditioner"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788HK5CA", "worker_id": "A1EREKSZAA9V7B"}], "B09BQT2899": [{"asin": "B09BQT2899", "instruction": "i am looking for ottomans that are round and made of pu leather", "attributes": ["pu leather", "living room"], "options": ["color: round"], "instruction_attributes": ["pu leather"], "instruction_options": ["round"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMTIW9Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B095Y6LXDV": [{"asin": "B095Y6LXDV", "instruction": "i need tamanu scented vitamin e oil for my face to reduce fine lines. i have dry skin.", "attributes": ["anti aging", "dry hair", "fine lines", "dry skin"], "options": ["scent: tamanu"], "instruction_attributes": ["fine lines", "dry skin"], "instruction_options": ["tamanu"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWU9PFN", "worker_id": "A1NF6PELRKACS9"}], "B09R4RJSFP": [{"asin": "B09R4RJSFP", "instruction": "i need a 120 ml hair mask treatment", "attributes": ["dry hair", "hair treatment", "natural hair", "hair growth"], "options": ["color: 120ml"], "instruction_attributes": ["hair treatment"], "instruction_options": ["120ml"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1GPRX2", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PY394BJ": [{"asin": "B09PY394BJ", "instruction": "i need small black ,one count easy to use dental guard", "attributes": ["bpa free", "easy clean", "easy use"], "options": ["size: small black 1 count"], "instruction_attributes": ["easy use"], "instruction_options": ["small black 1 count"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVKATUW", "worker_id": "A258PTOZ3D2TQR"}], "B0894K3JRR": [{"asin": "B0894K3JRR", "instruction": "i am looking for gluten free norwegian crispbread.", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVJN1PT", "worker_id": "A1Q8PPQQCWGY0D"}], "B098QB8QZD": [{"asin": "B098QB8QZD", "instruction": "i'm looking for stretch jeggings for women.", "attributes": ["butt lifting", "moisture wicking", "slim fit", "machine wash", "nylon spandex", "tummy control", "high waist", "elastic closure", "comfortable fit", "daily wear"], "options": ["size: large"], "instruction_attributes": ["slim fit", "high waist"], "instruction_options": ["large"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA7J8CD", "worker_id": "A21IUUHBSEVB56"}], "B092MR8TWP": [{"asin": "B092MR8TWP", "instruction": "i want to buy a dress for women which i can machine wash and has yellow color, as for the size i want it to be 4x-large.", "attributes": ["machine wash", "wash cold", "soft material", "dry clean"], "options": ["color: z7-yellow", "size: 4x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["z7-yellow", "4x-large"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQGTSQ4", "worker_id": "AJY5G987IRT25"}], "B07Q434SD2": [{"asin": "B07Q434SD2", "instruction": "i'm looking for a organic tea tree oil. also, choose vanilla flavored one.", "attributes": ["tea tree", "argan oil"], "options": ["scent: vanilla"], "instruction_attributes": ["tea tree"], "instruction_options": ["vanilla"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC58ERKJ", "worker_id": "AR0VJ5XRG16UJ"}], "B096ZXYXYZ": [{"asin": "B096ZXYXYZ", "instruction": "i would like a heart sunflower heavy duty phone case.", "attributes": ["heavy duty", "easy install", "wireless charging"], "options": ["color: heart sunflower"], "instruction_attributes": ["heavy duty"], "instruction_options": ["heart sunflower"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTWH9PI", "worker_id": "A1WS884SI0SLO4"}], "B098B35RV4": [{"asin": "B098B35RV4", "instruction": "i need black colored natural hair extensions.", "attributes": ["hair extensions", "natural hair"], "options": ["color: black", "size: 4-10 year old"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["black"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR70B6YX", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B098B35RV4", "instruction": "i need some hair extensions that are blue and pink", "attributes": ["hair extensions", "natural hair"], "options": ["color: blue | pink", "size: kids"], "instruction_attributes": ["hair extensions"], "instruction_options": ["blue | pink"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R4TYTZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q94HNBX": [{"asin": "B09Q94HNBX", "instruction": "hello, i would like to have leggings that could go up to my waist please? also, pick purple", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: purple", "size: medium"], "instruction_attributes": ["high waist"], "instruction_options": ["purple"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUK1S5M", "worker_id": "A2TRV8SEM003GG"}], "B08THCKV97": [{"asin": "B08THCKV97", "instruction": "i would like a 52 inch wide and 63 inch long pair of light grey window panels for the living room.", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: light grey", "size: w 52 x l 63 | pair"], "instruction_attributes": ["living room"], "instruction_options": ["light grey", "w 52 x l 63 | pair"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HHG6IU", "worker_id": "A1WS884SI0SLO4"}], "B089FMKLB9": [{"asin": "B089FMKLB9", "instruction": "i want a 5x7ft vinyl shabby wooden loft background for digital photography.", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 5x7ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["5x7ft"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP1NXTM", "worker_id": "A2RBF3IIJP15IH"}], "B08JKWLXTD": [{"asin": "B08JKWLXTD", "instruction": "i want a gold plated 85ft usb-c to 2 rca stereo audio cable.", "attributes": ["gold plated", "aluminum alloy", "usb port", "stereo sound"], "options": ["color: 3.5mm to 2 rca audio cable-color a", "size: 85ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["85ft"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KQIUHQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08JKWLXTD", "instruction": "gold plated stereo sound cable input usb port", "attributes": ["gold plated", "aluminum alloy", "usb port", "stereo sound"], "options": ["color: 6.35mm to 2 rca audio cable", "size: 15ft"], "instruction_attributes": ["gold plated", "usb port", "stereo sound"], "instruction_options": [], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUN1R3J", "worker_id": "A3TTGSUBIK1YCL"}], "B08R4TGCYJ": [{"asin": "B08R4TGCYJ", "instruction": "i am looking for 6 packs of nut free, soy free, dairy free chocolate candy variety pack", "attributes": ["dairy free", "nut free", "soy free", "gluten free", "individually wrapped", "non gmo"], "options": ["flavor name: variety pack", "size: 15 count (pack of 6)"], "instruction_attributes": ["dairy free", "nut free", "soy free"], "instruction_options": ["variety pack", "15 count (pack of 6)"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOANGJX", "worker_id": "A258PTOZ3D2TQR"}], "B08VVMNDD3": [{"asin": "B08VVMNDD3", "instruction": "i am looking for low calorie gelatin mix.", "attributes": ["low calorie", "source vitamin"], "options": [""], "instruction_attributes": ["low calorie"], "instruction_options": [], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XU8GNH", "worker_id": "A3FG5PQHG5AH3Y"}], "B084NZ2GKF": [{"asin": "B084NZ2GKF", "instruction": "i am looking for the perfect wedding gift of chocolates that has 27 pieces", "attributes": ["quality ingredients", "perfect gift"], "options": ["size: box of 27"], "instruction_attributes": ["perfect gift"], "instruction_options": ["box of 27"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZNF7CR", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QG6QB9K": [{"asin": "B09QG6QB9K", "instruction": "i want a teeth whitening toothpaste that removes bad breath. pick an orange one.", "attributes": ["teeth whitening", "bad breath", "fresh breath"], "options": ["color: orange"], "instruction_attributes": ["teeth whitening", "bad breath"], "instruction_options": ["orange"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZTXHSX", "worker_id": "A1NF6PELRKACS9"}], "B098KN2L32": [{"asin": "B098KN2L32", "instruction": "i would like some grass fed spicy jerky", "attributes": ["grass fed", "keto friendly"], "options": ["flavor name: sweet & spicy beef jerky"], "instruction_attributes": ["grass fed"], "instruction_options": ["sweet & spicy beef jerky"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LO4091", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SH3RXVC": [{"asin": "B09SH3RXVC", "instruction": "i'm looking for monocular telescope tripod phone mount binoculars.", "attributes": ["high power", "easy carry", "easy use", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGFTMS8", "worker_id": "A21IUUHBSEVB56"}], "B07PSSYVJ4": [{"asin": "B07PSSYVJ4", "instruction": "find me a x-small white slipknot t-shirt classic fit for men", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: men", "size: x-small"], "instruction_attributes": ["classic fit"], "instruction_options": ["white", "men", "x-small"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXZ34OW", "worker_id": "A2Y2TURT2VEYZN"}], "B0999D5BKP": [{"asin": "B0999D5BKP", "instruction": "i am looking for a refresher spray for the curl hair of my wife that is suitable for hair growth. and i choose the a pack of 3", "attributes": ["natural ingredients", "hair growth"], "options": ["size: 8.12 fl oz (pack of 3)"], "instruction_attributes": ["hair growth"], "instruction_options": ["8.12 fl oz (pack of 3)"], "assignment_id": "3TE22NPXPMMW3QH7127E47P6G8644P", "worker_id": "A2COCSUGZV28X"}], "B08BJ5RYSD": [{"asin": "B08BJ5RYSD", "instruction": "i need you to get me slip resistant shoes that has open toes and is white in color. pick a size 4.", "attributes": ["slip resistant", "open toe", "rubber sole"], "options": ["color: white", "size: 4"], "instruction_attributes": ["slip resistant", "open toe"], "instruction_options": ["white", "4"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4825YYPS", "worker_id": "A1NF6PELRKACS9"}], "B09HL5PF8X": [{"asin": "B09HL5PF8X", "instruction": "i am looking for non alcoholic sparkling refreshments in the sauvignon blanc flavor.", "attributes": ["non alcoholic", "artificial flavors"], "options": ["flavor name: sauvignon blanc", "size: pack of 12"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["sauvignon blanc"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5KAL21Z", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B09HL5PF8X", "instruction": "i would like a 12 pack of non alcoholic rose seltzer water.", "attributes": ["non alcoholic", "artificial flavors"], "options": ["flavor name: ros\u00e9 (sparkling)", "size: pack of 12"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["ros\u00e9 (sparkling)", "pack of 12"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA2C8CW", "worker_id": "A1WS884SI0SLO4"}], "B074Q2C6ZP": [{"asin": "B074Q2C6ZP", "instruction": "i am looking for anti aging cream with green tea and hyaluronic acid. i want it to be effective for dark circles", "attributes": ["anti aging", "hyaluronic acid", "green tea", "sensitive skin", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "hyaluronic acid", "green tea", "dark circles"], "instruction_options": [], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40Z5RC6", "worker_id": "A2TRV8SEM003GG"}], "B095JYNXS1": [{"asin": "B095JYNXS1", "instruction": "i need a royal blue dress with draw string closure. i am a size 17.", "attributes": ["lace closure", "drawstring closure"], "options": ["color: royal blue", "size: 17"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["royal blue", "17"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LBMRE3", "worker_id": "A1NF6PELRKACS9"}], "B0014CWPQA": [{"asin": "B0014CWPQA", "instruction": "i need 12 ounce hormel spam that is cooked fully", "attributes": ["fully cooked", "shelf stable"], "options": [""], "instruction_attributes": ["fully cooked"], "instruction_options": [], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJQ6DGW", "worker_id": "A2COCSUGZV28X"}], "B07BGS3QYM": [{"asin": "B07BGS3QYM", "instruction": "i want violet and hands free walkie talkies for adults.", "attributes": ["batteries included", "hands free"], "options": ["color: m880 violet"], "instruction_attributes": ["hands free"], "instruction_options": ["m880 violet"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUE5R9S", "worker_id": "A2RBF3IIJP15IH"}], "B09RMKGTC8": [{"asin": "B09RMKGTC8", "instruction": "i want a twin xl long lasting memory form 6 in mattress for bed", "attributes": ["high density", "ready use", "long lasting", "assembly required", "box spring", "memory foam"], "options": ["size: twin xl", "style: mattress only"], "instruction_attributes": ["long lasting", "memory foam"], "instruction_options": ["twin xl"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALDTH4P", "worker_id": "A3N9ZYQAESNFQH"}], "B09QQQWN1R": [{"asin": "B09QQQWN1R", "instruction": "i am looking for women's sandals of a7-green color that are non slippable.", "attributes": ["open toe", "non slip", "ankle strap", "arch support", "high heel", "closed toe"], "options": ["color: a7-green", "size: 8.5"], "instruction_attributes": ["non slip"], "instruction_options": ["a7-green"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKSREPP", "worker_id": "A1Q8PPQQCWGY0D"}], "B01HJWC5FE": [{"asin": "B01HJWC5FE", "instruction": "i am looking for a high speed hdmi male to female cable that is 30 feet long. pick a 2 pack one.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["pattern name: 4 pack", "size: 30-feet (2-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["30-feet (2-pack)", "hdmi male to female"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8LL4C0", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B01HJWC5FE", "instruction": "i would like two packs of three foot long gold plated hdmi male to male cables.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["pattern name: 2 pack", "size: 3 feet (10 pack)", "style: hdmi male to female"], "instruction_attributes": ["gold plated"], "instruction_options": ["2 pack", "3 feet (10 pack)", "hdmi male to female"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8965A5", "worker_id": "A1WS884SI0SLO4"}], "B08X9Q5CPC": [{"asin": "B08X9Q5CPC", "instruction": "i want lundberg organic white chocolate thin stackers.", "attributes": ["certified organic", "non gmo", "chocolate covered", "gluten free"], "options": ["flavor: white chocolate lemon poppy seed"], "instruction_attributes": ["certified organic"], "instruction_options": ["white chocolate lemon poppy seed"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4DU6RT", "worker_id": "A2RBF3IIJP15IH"}], "B09SWGQL2Y": [{"asin": "B09SWGQL2Y", "instruction": "i want 1 biotin thickening herbal serum for hair growth.", "attributes": ["natural ingredients", "hair growth", "hair loss"], "options": ["color: 1 pcs"], "instruction_attributes": ["hair growth"], "instruction_options": ["1 pcs"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKP1RJPL", "worker_id": "A2RBF3IIJP15IH"}], "B00KOUK3SK": [{"asin": "B00KOUK3SK", "instruction": "i need blue and yellow headphones that have batteries included", "attributes": ["batteries included", "aaa batteries"], "options": ["color: blue | yellow", "style: dual source ir"], "instruction_attributes": ["batteries included"], "instruction_options": ["blue | yellow"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LBJRE0", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BS5LW7X": [{"asin": "B08BS5LW7X", "instruction": "i'm looking for a desktop computer with inel core core i5 10th generation.", "attributes": ["core i5", "intel core"], "options": ["graphics description: no odd", "hard disk size: 1 tb", "memory_size: 8 gb", "processor_description: 10th gen intel core i3"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["10th gen intel core i3"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXF37GX", "worker_id": "A62B826XMLK7K"}], "B08BY7S34M": [{"asin": "B08BY7S34M", "instruction": "i'm looking for electric hair clipper for men.", "attributes": ["high quality", "hair cutting"], "options": [""], "instruction_attributes": ["hair cutting"], "instruction_options": [], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSYRT6T", "worker_id": "A21IUUHBSEVB56"}], "B07MZ8T6TK": [{"asin": "B07MZ8T6TK", "instruction": "i am looking for caribbean blue color non slippable silicone cases that are compatible with apple iphone.", "attributes": ["non slip", "compatible apple"], "options": ["color: caribbean blue"], "instruction_attributes": ["non slip", "compatible apple"], "instruction_options": ["caribbean blue"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3G76N7", "worker_id": "A1Q8PPQQCWGY0D"}], "B08PC3KRFT": [{"asin": "B08PC3KRFT", "instruction": "i need a slim fitting short sleeved t-shirt in copper color. pick one in xx-large tall size.", "attributes": ["slim fit", "machine wash", "short sleeve", "everyday wear"], "options": ["color: copper", "pocket description: no pocket", "size: xx-large tall"], "instruction_attributes": ["slim fit", "short sleeve"], "instruction_options": ["copper", "xx-large tall"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227KB8FO", "worker_id": "A1NF6PELRKACS9"}], "B07KXV5WKD": [{"asin": "B07KXV5WKD", "instruction": "i am interested in buying sweatpants for men which can be machine washed have navy color, and are large size.", "attributes": ["machine wash", "drawstring closure"], "options": ["color: navy", "size: large"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy", "large"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OV4OPC", "worker_id": "AJY5G987IRT25"}], "B09KQZ9GTK": [{"asin": "B09KQZ9GTK", "instruction": "i am looking for terrace garden style conditioner that are eco friendly.", "attributes": ["sulfate free", "eco friendly", "paraben free", "natural ingredients"], "options": ["size: shampoo", "style: terrace garden"], "instruction_attributes": ["eco friendly"], "instruction_options": ["terrace garden"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X028A434", "worker_id": "A1Q8PPQQCWGY0D"}], "B075DL8NTG": [{"asin": "B075DL8NTG", "instruction": "i would like a pair of small blue shorts made of nylon spandex.", "attributes": ["polyester spandex", "nylon spandex"], "options": ["color: blue", "size: small"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["blue", "small"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PO9QEO", "worker_id": "A1WS884SI0SLO4"}], "B076MH2RS8": [{"asin": "B076MH2RS8", "instruction": "i would like to purchase gramzero banana suger free fooding mix specially low calorie dessert vanilla flavor .", "attributes": ["sugar free", "low calorie", "keto friendly", "low carb", "non gmo"], "options": ["flavor name: vanilla"], "instruction_attributes": ["low carb"], "instruction_options": [], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S4YGMH", "worker_id": "A3RBCGB309WPOC"}], "B08D8D2Q1N": [{"asin": "B08D8D2Q1N", "instruction": "i'm looking for safety boots for men and women.", "attributes": ["steel toe", "rubber sole"], "options": ["color: blue", "size: 14 women | 12.5 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["blue"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW9Z8SZ", "worker_id": "A21IUUHBSEVB56"}], "B093D3GL6X": [{"asin": "B093D3GL6X", "instruction": "i need long lasting wax candles that is scented with lemon verbera", "attributes": ["long lasting", "soy wax"], "options": ["scent: lemon verbera"], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": [], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS5S9GC", "worker_id": "A2COCSUGZV28X"}], "B098SQRW4Z": [{"asin": "B098SQRW4Z", "instruction": "i would like a 32 gb ram intel i5 core desktop mini.", "attributes": ["dual band", "core i5", "intel core"], "options": ["size: 32gb ram | 1tb ssd + 1tb hdd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["32gb ram | 1tb ssd + 1tb hdd"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADNLHAW", "worker_id": "A1WS884SI0SLO4"}], "B08289BWBK": [{"asin": "B08289BWBK", "instruction": "i'm looking for a contemporary style coffee table with tempered glass.", "attributes": ["contemporary style", "tempered glass"], "options": [""], "instruction_attributes": ["contemporary style", "tempered glass"], "instruction_options": [], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70ID2CBE", "worker_id": "AR0VJ5XRG16UJ"}], "B09NPXFG3L": [{"asin": "B09NPXFG3L", "instruction": "i want to buy usb cable for fast charging iphone, and is high speed, also it should be 3ft long, while the type should be usb c.", "attributes": ["fast charging", "high speed"], "options": ["size: 3ft", "style: usb c"], "instruction_attributes": ["fast charging", "high speed"], "instruction_options": ["3ft", "usb c"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7QE3IL", "worker_id": "AJY5G987IRT25"}], "B09F5Q16WG": [{"asin": "B09F5Q16WG", "instruction": "i'm looking for high waisted denim shorts distressed jeans for women.", "attributes": ["slim fit", "button closure", "teen girls", "daily wear"], "options": ["color: (#012)khaki", "size: large"], "instruction_attributes": ["slim fit", "button closure"], "instruction_options": ["large"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HWIBPS", "worker_id": "A21IUUHBSEVB56"}], "B01326VR0U": [{"asin": "B01326VR0U", "instruction": "i want gold and jade fresh collagen eye roller serum for dark circles.", "attributes": ["dark circles", "dry skin"], "options": ["color: gold + jade, gua sha combo"], "instruction_attributes": ["dark circles"], "instruction_options": ["gold + jade, gua sha combo"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYQ4QMH", "worker_id": "A2RBF3IIJP15IH"}], "B09PH1XZG8": [{"asin": "B09PH1XZG8", "instruction": "i would like a large tops a4c4 army green short sleeve t shirt.", "attributes": ["hand wash", "short sleeve", "long sleeve", "star wars", "tumble dry", "teen girls", "daily wear"], "options": ["color: tops a4c4 army green", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["tops a4c4 army green", "large"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT39DHJ8", "worker_id": "A1WS884SI0SLO4"}], "B09KCB2HVL": [{"asin": "B09KCB2HVL", "instruction": "i am looking for a high quality waterproof makeup bag that can be cleaned easily", "attributes": ["easy clean", "high quality"], "options": [""], "instruction_attributes": ["easy clean", "high quality"], "instruction_options": [], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHTD0JT", "worker_id": "A2COCSUGZV28X"}], "B09PG34T51": [{"asin": "B09PG34T51", "instruction": "i want white wall decoration for my beauty salon.", "attributes": ["hair salon", "beauty salon"], "options": ["color: white 4", "size: 16x24 inch,(40x60cm)framed"], "instruction_attributes": ["beauty salon"], "instruction_options": ["white 4"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTQ1LPU", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B09PG34T51", "instruction": "i need some white nail polish that i would find at a beauty salon.", "attributes": ["hair salon", "beauty salon"], "options": ["color: white 5", "size: 16x24 inch,(40x60cm)framed"], "instruction_attributes": ["beauty salon"], "instruction_options": ["white 5"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1078YLI2", "worker_id": "A2ECRNQ3X5LEXD"}], "B084WTXKYT": [{"asin": "B084WTXKYT", "instruction": "i want medium brown carlxanz hair fibers for hair loss.", "attributes": ["paraben free", "hair loss"], "options": ["color: medium brown", "size: refill 50g"], "instruction_attributes": [], "instruction_options": ["medium brown"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGFQMS5", "worker_id": "A2RBF3IIJP15IH"}], "B096V19HPV": [{"asin": "B096V19HPV", "instruction": "i am interesed in buying a 12 pack travel size storage organizer.", "attributes": ["leak proof", "travel size"], "options": ["style: 12 pack"], "instruction_attributes": ["travel size"], "instruction_options": ["12 pack"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6NKU7M", "worker_id": "AHXHM1PQTRWIQ"}], "B092VRWTC7": [{"asin": "B092VRWTC7", "instruction": "i am looking non slip vinyl acetate women walking shoe size 13.5 color grey _black_white", "attributes": ["non slip", "day comfort", "ethylene vinyl", "vinyl acetate"], "options": ["color: grey_black_white", "size: 13.5 women | 11 men"], "instruction_attributes": ["non slip", "vinyl acetate"], "instruction_options": ["grey_black_white", "13.5 women | 11 men"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7ZGURN", "worker_id": "A3N9ZYQAESNFQH"}], "B07H8KZVGS": [{"asin": "B07H8KZVGS", "instruction": "i like to get a king size bedspread with high density. pick an orange cream one.", "attributes": ["high density", "machine washable", "king size"], "options": ["color: orange cream", "size: king"], "instruction_attributes": ["high density", "king size"], "instruction_options": ["orange cream", "king"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXF77G1", "worker_id": "A1NF6PELRKACS9"}], "B09FVM644T": [{"asin": "B09FVM644T", "instruction": "i need a slim fit gray colored coat that has long sleeves. it should be in x-large size.", "attributes": ["slim fit", "loose fit", "wash cold", "long sleeve", "short sleeve", "elastic waist", "relaxed fit", "daily wear"], "options": ["color: gray", "size: x-large"], "instruction_attributes": ["slim fit", "long sleeve", "daily wear"], "instruction_options": ["gray", "x-large"], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM96V1IM", "worker_id": "A1NF6PELRKACS9"}], "B08HS8PFXK": [{"asin": "B08HS8PFXK", "instruction": "i want a black and easy to use cluster mascara wand.", "attributes": ["alcohol free", "easy use"], "options": ["color: black", "size: 10mm"], "instruction_attributes": ["easy use"], "instruction_options": ["black"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49KEDT5", "worker_id": "A2RBF3IIJP15IH"}], "B08C2BYZ12": [{"asin": "B08C2BYZ12", "instruction": "i want a white tommy hilfiger men's long sleeve button down shirt.", "attributes": ["machine wash", "button closure", "classic fit", "long sleeve"], "options": ["color: white print", "size: 3xl big"], "instruction_attributes": ["long sleeve"], "instruction_options": ["white print"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20RUZ0H", "worker_id": "A2RBF3IIJP15IH"}], "B084JQFVLX": [{"asin": "B084JQFVLX", "instruction": "i am looking for grey color 4 drawers console sofa entry table for living room", "attributes": ["wood frame", "solid wood", "living room"], "options": ["color: grey"], "instruction_attributes": ["living room"], "instruction_options": ["grey"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SZ4QTO", "worker_id": "A258PTOZ3D2TQR"}], "B09NNRN32Y": [{"asin": "B09NNRN32Y", "instruction": "i am interested in buying a blue colored noise cancelling headphones with wireless bluetooth available.", "attributes": ["hands free", "dust proof", "noise cancelling", "wireless bluetooth"], "options": ["color: blue"], "instruction_attributes": ["noise cancelling", "wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE25YGQ7", "worker_id": "AHXHM1PQTRWIQ"}], "B09C2D7VFN": [{"asin": "B09C2D7VFN", "instruction": "i would like a antique gray twin size bed.", "attributes": ["twin size", "easy assemble"], "options": ["color: antique gray+normal white(without ladder)"], "instruction_attributes": ["twin size"], "instruction_options": ["antique gray+normal white(without ladder)"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXZ7O4K", "worker_id": "A1WS884SI0SLO4"}], "B08Z8CBK34": [{"asin": "B08Z8CBK34", "instruction": "i would love to buy a heavy duty dust proof case for my iphone xs in black and gray color.", "attributes": ["heavy duty", "dust proof", "compatible apple", "case cover", "wireless charging"], "options": ["color: black & gray"], "instruction_attributes": ["heavy duty", "dust proof"], "instruction_options": ["black & gray"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOA5JGI", "worker_id": "AHXHM1PQTRWIQ"}], "B097LPYD9Z": [{"asin": "B097LPYD9Z", "instruction": "i'm looking for heels cupcake toppers for gender reveal party baby shower birthday.", "attributes": ["baby shower", "birthday party"], "options": ["style: characters | shape"], "instruction_attributes": ["baby shower"], "instruction_options": ["characters | shape"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8Z4PZC", "worker_id": "A21IUUHBSEVB56"}], "B07YJMPX7T": [{"asin": "B07YJMPX7T", "instruction": "i am looking for long sleeve x-large crew neck caramel color casual pullover", "attributes": ["loose fit", "soft material", "long sleeve", "polyester cotton", "daily wear"], "options": ["color: 01 caramel", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["01 caramel", "x-large"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1EXYGA", "worker_id": "A258PTOZ3D2TQR"}], "B09PD1GNT5": [{"asin": "B09PD1GNT5", "instruction": "i am interested in buying sandals for women which have open toe, are knee high, and are in white color, while the size should be 6.5.", "attributes": ["open toe", "knee high", "ankle strap", "steel toe", "closed toe"], "options": ["color: d white", "size: 6.5"], "instruction_attributes": ["open toe", "knee high"], "instruction_options": ["d white", "6.5"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y6YNN0", "worker_id": "AJY5G987IRT25"}], "B085DP1X9F": [{"asin": "B085DP1X9F", "instruction": "i will like to have a synthetic sole, memory foam cc corso como women's denice, size 5.5 and tan color", "attributes": ["synthetic sole", "memory foam"], "options": ["color: tan", "size: 5.5"], "instruction_attributes": ["synthetic sole", "memory foam"], "instruction_options": ["tan", "5.5"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVEX8VA", "worker_id": "A1IL2K0ELYI090"}], "B07461B3JK": [{"asin": "B07461B3JK", "instruction": "i am looking for women's pants of wine red color with elastic waistband.", "attributes": ["moisture wicking", "elastic waistband"], "options": ["color: wine red", "size: small | 33\" inseam"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["wine red"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79TIH1B", "worker_id": "A1Q8PPQQCWGY0D"}], "B07LCFSV4H": [{"asin": "B07LCFSV4H", "instruction": "i am looking for a prom dresse with unique design. and i choose the 8\" size with plum color", "attributes": ["unique design", "drawstring closure"], "options": ["color: plum", "size: 8"], "instruction_attributes": ["unique design"], "instruction_options": ["plum", "8"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FJVELY", "worker_id": "A2COCSUGZV28X"}], "B08XNHLLBS": [{"asin": "B08XNHLLBS", "instruction": "i need a set of 4 dining chairs for my dining room. it should be light grey in color.", "attributes": ["button tufted", "easy assemble", "dining room", "living room"], "options": ["color: light grey", "size: dining chairs set of 4"], "instruction_attributes": ["dining room"], "instruction_options": ["light grey", "dining chairs set of 4"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FGUK84", "worker_id": "A1NF6PELRKACS9"}], "B07T5B23NB": [{"asin": "B07T5B23NB", "instruction": "i want a 30 ml sized travel bottle which is leak proof.", "attributes": ["leak proof", "bpa free", "easy carry", "travel bottles"], "options": ["style: 30ml | 1 ounce"], "instruction_attributes": ["leak proof", "travel bottles"], "instruction_options": ["30ml | 1 ounce"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOHX1WX", "worker_id": "A1NF6PELRKACS9"}], "B095VRQH5M": [{"asin": "B095VRQH5M", "instruction": "i want to buy workout sets outfits for women which are high waist and machine washable while their color should be grey, and with the size of x-large.", "attributes": ["butt lifting", "machine washable", "hand wash", "high waist", "daily wear"], "options": ["color: grey", "size: x-large"], "instruction_attributes": ["machine washable", "high waist"], "instruction_options": ["grey", "x-large"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCM5PII", "worker_id": "AJY5G987IRT25"}], "B093KDK7V9": [{"asin": "B093KDK7V9", "instruction": "i want a travel friendly imported zipper laundry bag for blouse, hosiery ,lingeries", "attributes": ["blouse hosiery", "imported zipper", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "imported zipper", "laundry bag"], "instruction_options": [], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXY14OS", "worker_id": "A3N9ZYQAESNFQH"}], "B013WHJDGY": [{"asin": "B013WHJDGY", "instruction": "i am looking for gluten free banana flavored original protein shake", "attributes": ["gluten free", "source vitamin"], "options": ["flavor: banana"], "instruction_attributes": ["gluten free"], "instruction_options": ["banana"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMN7VX6", "worker_id": "A258PTOZ3D2TQR"}], "B00BJKPR9Y": [{"asin": "B00BJKPR9Y", "instruction": "looking for freeze dried green fruit snacks also choose size: 0.36 ounce (pack of 24)", "attributes": ["freeze dried", "nut free", "soy free", "dairy free", "gluten free"], "options": ["flavor name: cantaloupe", "size: 0.36 ounce (pack of 24)"], "instruction_attributes": ["freeze dried"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQIBJR7", "worker_id": "A10OGH5CQBXL5N"}], "B019WYQM9M": [{"asin": "B019WYQM9M", "instruction": "i want a herbal magic hair loss treatment for promoting hair growth. make sure that it is non-toxic.", "attributes": ["certified organic", "non toxic", "hair growth", "hair loss"], "options": ["color: body wash 8.5 ounce", "scent name: herbal magic"], "instruction_attributes": ["non toxic", "hair loss"], "instruction_options": ["herbal magic"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57IJI9C", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B019WYQM9M", "instruction": "i want to find a 16 ounce box of certified organic hair loss treatment with an herbal magic scent.", "attributes": ["certified organic", "non toxic", "hair growth", "hair loss"], "options": ["color: 16 ounce", "scent name: herbal magic"], "instruction_attributes": ["certified organic", "hair loss"], "instruction_options": ["16 ounce", "herbal magic"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S59GMU", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B019WYQM9M", "instruction": "i used herbal magi shampoo for hair growth", "attributes": ["certified organic", "non toxic", "hair growth", "hair loss"], "options": ["color: shampoo 2 ounce", "scent name: herbal magic"], "instruction_attributes": ["hair growth"], "instruction_options": ["herbal magic"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP8ZOC0", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B019WYQM9M", "instruction": "i want laritelle organic hair loss treatment.", "attributes": ["certified organic", "non toxic", "hair growth", "hair loss"], "options": ["color: hair treatment", "scent name: diamond strong"], "instruction_attributes": ["certified organic"], "instruction_options": ["hair treatment"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5B8MQUG", "worker_id": "A2RBF3IIJP15IH"}], "B08TW3NHZG": [{"asin": "B08TW3NHZG", "instruction": "i am interested in a fresh breath spray of peppermint flavor.", "attributes": ["fresh breath", "bad breath"], "options": [""], "instruction_attributes": ["fresh breath"], "instruction_options": [], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNV6JFK", "worker_id": "AHXHM1PQTRWIQ"}], "B07TJ9XBFJ": [{"asin": "B07TJ9XBFJ", "instruction": "i need a speaker wireless with usb port in green color", "attributes": ["usb port", "wireless bluetooth"], "options": ["color: green"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["green"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIN5EFP", "worker_id": "A2Y2TURT2VEYZN"}], "B08LQXTWLX": [{"asin": "B08LQXTWLX", "instruction": "i want black skechers sport women's d'lites memory foam shoes.", "attributes": ["leather sole", "memory foam"], "options": ["color: black | multi", "size: 7"], "instruction_attributes": ["memory foam"], "instruction_options": ["black | multi"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907VRUAE", "worker_id": "A2RBF3IIJP15IH"}], "B08NVQSL1L": [{"asin": "B08NVQSL1L", "instruction": "i want an easy to use pair of moisturizing gloves to remedy rough skin.", "attributes": ["easy use", "anti aging", "high quality", "fine lines"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "31JLPPHS254FPN8LK8H48035JZ73OA", "worker_id": "A1NF6PELRKACS9"}], "B09T6LC973": [{"asin": "B09T6LC973", "instruction": "i would like a two piece hair treatment for hair growth", "attributes": ["easy use", "natural ingredients", "hair growth", "hair loss"], "options": ["color: 2pcs"], "instruction_attributes": ["hair growth"], "instruction_options": ["2pcs"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC9J0DI", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QDT3S6Y": [{"asin": "B08QDT3S6Y", "instruction": "i am looking for high power sound bar that is also dust proof.", "attributes": ["dust proof", "high power"], "options": [""], "instruction_attributes": ["dust proof", "high power"], "instruction_options": [], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NMDBKS", "worker_id": "A1NF6PELRKACS9"}], "B09PMF152X": [{"asin": "B09PMF152X", "instruction": "i'm looking for a blue power bank with a usb port and wireless charging", "attributes": ["usb port", "wireless charging"], "options": ["color: blue"], "instruction_attributes": ["usb port", "wireless charging"], "instruction_options": ["blue"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIMP29O", "worker_id": "A2Y2TURT2VEYZN"}], "B07KM6LT41": [{"asin": "B07KM6LT41", "instruction": "i want a black 1080p hd mini projector.", "attributes": ["1080p hd", "easy carry", "stereo sound"], "options": ["color: black-white"], "instruction_attributes": ["1080p hd"], "instruction_options": ["black-white"], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X012W40", "worker_id": "A2RBF3IIJP15IH"}], "B08M9M92HF": [{"asin": "B08M9M92HF", "instruction": "i would like a queen sized multicolored comforter set that's easy to clean.", "attributes": ["twin size", "easy clean"], "options": ["color: multi 47", "size: queen"], "instruction_attributes": ["easy clean"], "instruction_options": ["multi 47", "queen"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4GT8LP", "worker_id": "A1WS884SI0SLO4"}], "B09PDCS3GZ": [{"asin": "B09PDCS3GZ", "instruction": "i am interested in buying a short sleeve blouse for men which i can wash in a washing machine and it's f red in color with a size of 3x-large.", "attributes": ["light weight", "machine washable", "short sleeve", "long sleeve", "button closure"], "options": ["color: f red", "size: 3x-large"], "instruction_attributes": ["machine washable", "short sleeve"], "instruction_options": ["f red", "3x-large"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83NZIJB", "worker_id": "AJY5G987IRT25"}], "B08NP79M17": [{"asin": "B08NP79M17", "instruction": "i need a super soft throw blanket for my living room. it should be 80\"x60\" in size.", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: traditional true love tattoo", "size: 80\"x60"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["80\"x60"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3VP9Z4", "worker_id": "A1NF6PELRKACS9"}], "B071NF45HP": [{"asin": "B071NF45HP", "instruction": "i am looking for optical zoom digital camera with flexible 12\" tripod and hdmi cable", "attributes": ["optical zoom", "carrying case"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36C0R3B9", "worker_id": "A258PTOZ3D2TQR"}], "B09MTSQ9YX": [{"asin": "B09MTSQ9YX", "instruction": "i am looking for men's jacket of white-01 color having short sleeve.", "attributes": ["fleece lined", "long sleeve", "short sleeve", "daily wear"], "options": ["color: white-01", "size: 4x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["white-01"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KXA9JH", "worker_id": "A1Q8PPQQCWGY0D"}], "B002LA7WDU": [{"asin": "B002LA7WDU", "instruction": "i'm looking for a long lasting eye shadow made from natural ingredients which should be fragrance free. also, choose rose gold colored one.", "attributes": ["animal testing", "fragrance free", "long lasting", "natural ingredients", "eye shadow", "nail polish"], "options": ["color: rose gold"], "instruction_attributes": ["fragrance free", "long lasting", "natural ingredients", "eye shadow"], "instruction_options": ["rose gold"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRYHF31", "worker_id": "AR0VJ5XRG16UJ"}], "B004FOU34A": [{"asin": "B004FOU34A", "instruction": "for living room i need brushed nickel finish table lamp in black hardback shade. it should be a set of two and should include wifi smart socket.", "attributes": ["brushed nickel", "nickel finish", "living room"], "options": ["color: black hardback shade", "size: set of two - wifi smart socket included"], "instruction_attributes": ["brushed nickel", "living room"], "instruction_options": ["black hardback shade", "set of two - wifi smart socket included"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKTKSG9", "worker_id": "ASWFLI3N8X72G"}], "B09436PGKF": [{"asin": "B09436PGKF", "instruction": "can you direct me to an office desk that's easy to assemble and the size is 40x24? thank you", "attributes": ["easy assemble", "steel frame"], "options": ["color: black-new", "size: 40x24"], "instruction_attributes": ["easy assemble"], "instruction_options": ["40x24"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLO187OY", "worker_id": "A2TRV8SEM003GG"}], "B09M6BQ4GN": [{"asin": "B09M6BQ4GN", "instruction": "am trying to find an easy install floor lamps with shelves tropical green palm leaves, color 1", "attributes": ["easy install", "solid wood", "living room"], "options": ["color: color1"], "instruction_attributes": ["easy install"], "instruction_options": ["color1"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQOZ31P", "worker_id": "A1IL2K0ELYI090"}], "B085181MVT": [{"asin": "B085181MVT", "instruction": "i would like a 32 inch light good mirror that is wall mounted.", "attributes": ["wall mounted", "easy install", "living room"], "options": ["color: light gold (stainless steel frame)", "size: 32in"], "instruction_attributes": ["wall mounted"], "instruction_options": ["light gold (stainless steel frame)", "32in"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3J3YAH", "worker_id": "A1WS884SI0SLO4"}], "B08ZN23X8Q": [{"asin": "B08ZN23X8Q", "instruction": "i am looking for an easy to use facial cleaning brush that is high quality and double sided.", "attributes": ["easy use", "bpa free", "double sided", "non slip", "easy carry", "high quality"], "options": [""], "instruction_attributes": ["easy use", "double sided", "high quality"], "instruction_options": [], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I4WS14", "worker_id": "A1NF6PELRKACS9"}], "B000M51NRM": [{"asin": "B000M51NRM", "instruction": "i would like a 20 foot long 4 pack of gold plated hdmi male to male cables.", "attributes": ["high speed", "gold plated"], "options": ["pattern name: 4 pack", "size: 20 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["gold plated"], "instruction_options": ["4 pack", "20 feet (single pack)", "hdmi male to female"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY4RJ4O", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B000M51NRM", "instruction": "i am looking for 3 feet (5 pack) size high speed hdmi cable.", "attributes": ["high speed", "gold plated"], "options": ["pattern name: 3 pack", "size: 3 feet (5 pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["3 feet (5 pack)"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5WDZUOJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B07GZK147G": [{"asin": "B07GZK147G", "instruction": "i would like to buy a 5x5 feet easy to clean grass mat for the lawn which is eco friendly.", "attributes": ["eco friendly", "high density", "easy clean"], "options": ["size: 5 x 5 feet"], "instruction_attributes": ["eco friendly", "easy clean"], "instruction_options": ["5 x 5 feet"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E24653B", "worker_id": "AHXHM1PQTRWIQ"}, {"asin": "B07GZK147G", "instruction": "i want to find a 4 x 50 foot artificial glass turf that is easy to clean.", "attributes": ["eco friendly", "high density", "easy clean"], "options": ["size: 4 x 50 feet"], "instruction_attributes": ["easy clean"], "instruction_options": ["4 x 50 feet"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODMMEW6", "worker_id": "A345TDMHP3DQ3G"}], "B07LGYG1MH": [{"asin": "B07LGYG1MH", "instruction": "i am interested in buying brownies which are plant based and gluten free, with a 4 flavor variety pack, and come in pack of 8 of 1.9 ounce.", "attributes": ["plant based", "gluten free", "non gmo", "individually wrapped", "natural ingredients"], "options": ["flavor name: 4 flavor variety pack", "size: 1.9 ounce (pack of 8)"], "instruction_attributes": ["plant based", "gluten free"], "instruction_options": ["4 flavor variety pack", "1.9 ounce (pack of 8)"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662ZTM44", "worker_id": "AJY5G987IRT25"}], "B09SPSFZ1S": [{"asin": "B09SPSFZ1S", "instruction": "i need closed toe flats that are red in a size 5.5", "attributes": ["open toe", "non slip", "hand wash", "lace closure", "high heel", "closed toe"], "options": ["color: red", "size: 5.5"], "instruction_attributes": ["closed toe"], "instruction_options": ["red", "5.5"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTOXV5W", "worker_id": "A2ECRNQ3X5LEXD"}], "B077TTY6D9": [{"asin": "B077TTY6D9", "instruction": "i need a 3x-large porg star wars t-shirt with charcoal heather 070", "attributes": ["machine washable", "machine wash", "star wars"], "options": ["color: charcoal heather 070", "size: 3x-large"], "instruction_attributes": ["star wars"], "instruction_options": ["charcoal heather 070", "3x-large"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYL36L1", "worker_id": "A2Y2TURT2VEYZN"}], "B07Y46SC5W": [{"asin": "B07Y46SC5W", "instruction": "i would like a navy men's classic fit cami.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: men", "size: x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["navy", "men"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZWQ409", "worker_id": "A2ECRNQ3X5LEXD"}], "B077ZBM5NF": [{"asin": "B077ZBM5NF", "instruction": "i'm looking for a rejuvenating oil serum for damaged hair", "attributes": ["argan oil", "damaged hair"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "3HPZF4IVNX3FW186JO133U513MHYCC", "worker_id": "A2Y2TURT2VEYZN"}], "B08513K2H6": [{"asin": "B08513K2H6", "instruction": "i want 4 pack of old fashioned sophia italian crackers.", "attributes": ["old fashioned", "individually wrapped"], "options": ["size: 4-pack"], "instruction_attributes": ["old fashioned"], "instruction_options": ["4-pack"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCLG0E7", "worker_id": "A2RBF3IIJP15IH"}], "B096S7JQ8L": [{"asin": "B096S7JQ8L", "instruction": "i need a machine washable decorative elastic edged square fitted tablecloth fit for square table 42\"x42\"", "attributes": ["machine washable", "easy install"], "options": ["color: square tablecover 15", "size: fitted tablecolth-fit square table 42\"x42\""], "instruction_attributes": ["machine washable"], "instruction_options": ["square tablecover 15", "fitted tablecolth-fit square table 42\"x42\""], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ3MRNR", "worker_id": "A258PTOZ3D2TQR"}], "B09PFYL3TX": [{"asin": "B09PFYL3TX", "instruction": "i am looking glitter eyeshadow long lasting easy apply color #15", "attributes": ["long lasting", "easy apply", "eye shadow"], "options": ["color: color # 15", "size: 1bottle"], "instruction_attributes": ["long lasting", "easy apply", "eye shadow"], "instruction_options": ["color # 15"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ27501744P43", "worker_id": "A3N9ZYQAESNFQH"}], "B09QKVGF9R": [{"asin": "B09QKVGF9R", "instruction": "i am interested in acquiring a mattress which is fully assembled and of high density, and it should be only mattress in twin style.", "attributes": ["ready use", "fully assembled", "high density", "memory foam", "box spring"], "options": ["size: mattress only", "style: twin"], "instruction_attributes": ["fully assembled", "high density"], "instruction_options": ["mattress only", "twin"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP95AOJ", "worker_id": "AJY5G987IRT25"}], "B081RKGG84": [{"asin": "B081RKGG84", "instruction": "i need a storage case for false teeth. make sure that it is leak proof.", "attributes": ["leak proof", "non toxic", "storage case"], "options": [""], "instruction_attributes": ["leak proof", "storage case"], "instruction_options": [], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH3A4Z2", "worker_id": "A1NF6PELRKACS9"}], "B07YB4LXM7": [{"asin": "B07YB4LXM7", "instruction": "i am looking for contemporary design privacy protected panel for living room, its size should be 52\" wide by 90\" length", "attributes": ["machine washable", "contemporary design", "dining room", "living room"], "options": ["color: rvw4613", "size: 52\" w by 90\" l"], "instruction_attributes": ["contemporary design", "living room"], "instruction_options": ["52\" w by 90\" l"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQIDHH9", "worker_id": "A258PTOZ3D2TQR"}], "B07PP7JXBM": [{"asin": "B07PP7JXBM", "instruction": "i am looking for a lavender scented foot peel mask suitable for dry skin which removes dead skin and fine lines.", "attributes": ["easy use", "tea tree", "dead skin", "fine lines", "dry skin"], "options": ["scent: lavender"], "instruction_attributes": ["dead skin", "fine lines", "dry skin"], "instruction_options": ["lavender"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTBXLNV", "worker_id": "A1V2JTEEBCXR20"}], "B08H4SXMWS": [{"asin": "B08H4SXMWS", "instruction": "i am looking for a large women's long sleeve tunic with pockets and is machine washable.", "attributes": ["light weight", "machine washable", "machine wash", "long sleeve", "button closure", "daily wear"], "options": ["color: deep green", "size: large"], "instruction_attributes": ["machine washable", "long sleeve"], "instruction_options": ["large"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYQZ6M9", "worker_id": "A1EREKSZAA9V7B"}], "B07NFRZ7RV": [{"asin": "B07NFRZ7RV", "instruction": "i am looking for x-large navy color lion king jungle trio graphic machine wash t-shirt for men", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: men", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy", "men", "x-large"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6MRB26", "worker_id": "A258PTOZ3D2TQR"}], "B08Q2WDK2B": [{"asin": "B08Q2WDK2B", "instruction": "i need a fragrance free facial wash", "attributes": ["dermatologist tested", "fragrance free", "paraben free", "cruelty free"], "options": [""], "instruction_attributes": ["fragrance free"], "instruction_options": [], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHTF0JV", "worker_id": "A2ECRNQ3X5LEXD"}], "B07R5PTBY2": [{"asin": "B07R5PTBY2", "instruction": "i'm looking for hollister festival nite men spray.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["design house"], "instruction_options": [], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY9E0US", "worker_id": "A21IUUHBSEVB56"}], "B096M5KV1H": [{"asin": "B096M5KV1H", "instruction": "i need a wall mounted white coat hook", "attributes": ["ready use", "eco friendly", "wall mounted", "space saving", "easy install"], "options": ["color: whiteblack2"], "instruction_attributes": ["wall mounted"], "instruction_options": ["whiteblack2"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95VVXQH", "worker_id": "A2ECRNQ3X5LEXD"}], "B096FM43Y4": [{"asin": "B096FM43Y4", "instruction": "i want to buy medium sized hand washable casual trousers which can be used for daily wear.", "attributes": ["wide leg", "straight leg", "loose fit", "wash cold", "hand wash", "machine wash", "high waist", "polyester spandex", "daily wear"], "options": ["color: 1b red", "size: medium"], "instruction_attributes": ["hand wash", "polyester spandex"], "instruction_options": ["medium"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG5XBGQ", "worker_id": "AHXHM1PQTRWIQ"}], "B09S8TQN8N": [{"asin": "B09S8TQN8N", "instruction": "i would like a sparkling dry moscato that is non alcoholic.", "attributes": ["non alcoholic", "artificial flavors"], "options": ["flavor name: sparkling dry moscato"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["sparkling dry moscato"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO7QC2D", "worker_id": "A1WS884SI0SLO4"}], "B09HL6VRRR": [{"asin": "B09HL6VRRR", "instruction": "i want a modern home luxe spyder height adjustable bar stool.", "attributes": ["height adjustable", "easy clean"], "options": [""], "instruction_attributes": ["height adjustable"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL2XAVG", "worker_id": "A2RBF3IIJP15IH"}], "B09QGGQ4Q6": [{"asin": "B09QGGQ4Q6", "instruction": "i want a small sized t-shirt that has long sleeves. it is for a teenage girl.", "attributes": ["loose fit", "day comfort", "hand wash", "short sleeve", "polyester spandex", "long sleeve", "teen girls"], "options": ["color: q23-orange", "size: small"], "instruction_attributes": ["long sleeve", "teen girls"], "instruction_options": ["small"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KZS7EK", "worker_id": "A1NF6PELRKACS9"}], "B09H48GXQ9": [{"asin": "B09H48GXQ9", "instruction": "i'm looking for long sleeve open front chunky knit draped sweaters.", "attributes": ["hand wash", "long sleeve", "short sleeve", "tumble dry", "daily wear"], "options": ["color: 03 # gray", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYXIHVT", "worker_id": "A21IUUHBSEVB56"}], "B09PRLRZ88": [{"asin": "B09PRLRZ88", "instruction": "i am looking for a pink colored body brush with long handle. it should suit my sensitive skin.", "attributes": ["high quality", "long handle", "sensitive skin"], "options": ["color: pink"], "instruction_attributes": ["long handle", "sensitive skin"], "instruction_options": ["pink"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQJQEKV", "worker_id": "A1NF6PELRKACS9"}], "B07PWC3T3T": [{"asin": "B07PWC3T3T", "instruction": "i am looking for a canvas giclee print art suitable for my living room . and i choose the 28\"x40\" size", "attributes": ["ready hang", "dining room", "living room"], "options": ["size: 28\"x40\""], "instruction_attributes": ["living room"], "instruction_options": ["28\"x40\""], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTWG9PH", "worker_id": "A2COCSUGZV28X"}], "B06XWJ4TZC": [{"asin": "B06XWJ4TZC", "instruction": "i am looking for a oil free face wash", "attributes": ["oil free", "fragrance free", "paraben free"], "options": [""], "instruction_attributes": ["oil free"], "instruction_options": [], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOHHTAJ", "worker_id": "A9QRQL9CFJBI7"}], "B00I4WT6QU": [{"asin": "B00I4WT6QU", "instruction": "i'm looking for a heavy duty wall mountable projection screen with ultra hd resolution. also, choose 16:9, 200\", high contrast material one,", "attributes": ["wall mounted", "ultra hd", "heavy duty"], "options": ["color: high contrast material", "size: 16:9, 200\""], "instruction_attributes": ["wall mounted", "ultra hd", "heavy duty"], "instruction_options": ["high contrast material", "16:9, 200\""], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TGKMNV", "worker_id": "AR0VJ5XRG16UJ"}], "B019IOGR4Q": [{"asin": "B019IOGR4Q", "instruction": "i would like two 100 foot long gold plated hdmi male to male cables.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 100-feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["gold plated"], "instruction_options": ["2 pack", "100-feet (single pack)", "hdmi male to male"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95UOQX1", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B019IOGR4Q", "instruction": "i am looking for a high speed male to female hdmi cable.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 1 pack", "size: 3 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["hdmi male to female"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODQOWEY", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B019IOGR4Q", "instruction": "i need a high speed hdmi male to female gold plated cable.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 2 pack", "size: 8-feet (4-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["hdmi male to female"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACQ9HNX", "worker_id": "A1NF6PELRKACS9"}], "B07Y375BJ7": [{"asin": "B07Y375BJ7", "instruction": "i am looking for brown color, sleeveless polyester cotton jumpsuit and size is large", "attributes": ["polyester cotton", "daily wear"], "options": ["color: print#brown", "size: large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["large"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVO80QN", "worker_id": "A258PTOZ3D2TQR"}], "B084C131WS": [{"asin": "B084C131WS", "instruction": "i would like some aluminum alloy binoculars.", "attributes": ["easy carry", "aluminum alloy"], "options": [""], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLQ64I3", "worker_id": "A1WS884SI0SLO4"}], "B07NMTMJNK": [{"asin": "B07NMTMJNK", "instruction": "i would like 30 x 30 x 46 cm blue ottoman with a solid wood frame.", "attributes": ["solid wood", "faux leather"], "options": ["color: blue", "size: 30x30x46cm"], "instruction_attributes": ["solid wood"], "instruction_options": ["blue", "30x30x46cm"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNCC10P", "worker_id": "A1WS884SI0SLO4"}], "B09J2T7GCT": [{"asin": "B09J2T7GCT", "instruction": "i can't find this product, please help! smart remote control, htt381 htct380 htct381 remote control replacement for office with batteries included asap, i'm waiting for your reply in minutes", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTWS7L6", "worker_id": "A15IJ20C3R4HUO"}], "B01K5SBF7I": [{"asin": "B01K5SBF7I", "instruction": "i am looking for low sugar, low calorie, gmo free, gluten free , soy free , vanilla caramel protein bars", "attributes": ["low sugar", "plant based", "low calorie", "low carb", "dairy free", "non gmo", "lactose free", "gmo free", "non dairy", "gluten free", "soy free", "keto friendly", "sugar free", "individually wrapped", "artificial flavors"], "options": ["color: vanilla caramel"], "instruction_attributes": ["low sugar", "low calorie", "gmo free", "gluten free", "soy free"], "instruction_options": ["vanilla caramel"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLWW03M", "worker_id": "AX2EWYWZM19AZ"}], "B093BKNKM3": [{"asin": "B093BKNKM3", "instruction": "i want an army green modos logicos case for apple phones.", "attributes": ["compatible apple", "hands free"], "options": ["color: armygreen(ml002)", "size: ml002"], "instruction_attributes": ["compatible apple"], "instruction_options": ["armygreen(ml002)"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3NMYRK", "worker_id": "A2RBF3IIJP15IH"}], "B07XD615H3": [{"asin": "B07XD615H3", "instruction": "i want a maui moisture shine conditioner for dry hair.", "attributes": ["coconut oil", "dry hair"], "options": ["style: conditioner"], "instruction_attributes": ["dry hair"], "instruction_options": ["conditioner"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M20N94T", "worker_id": "A2RBF3IIJP15IH"}], "B01HZ20R9Y": [{"asin": "B01HZ20R9Y", "instruction": "i want a stereo sound wired gaming headset.", "attributes": ["hands free", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJL1LBYM", "worker_id": "A2RBF3IIJP15IH"}], "B00T90UPAC": [{"asin": "B00T90UPAC", "instruction": "i want a white amanti wall mounted mirror.", "attributes": ["wall mounted", "wood frame", "white finish", "living room"], "options": ["color: sonoma white wash", "size: glass size 16x20"], "instruction_attributes": ["wall mounted"], "instruction_options": ["sonoma white wash"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPOAE6U", "worker_id": "A2RBF3IIJP15IH"}], "B00ON1HJ8S": [{"asin": "B00ON1HJ8S", "instruction": "i would like to buy a peach high 490 colored long lasting lipstick.", "attributes": ["cruelty free", "long lasting"], "options": ["color: peach high 490"], "instruction_attributes": ["long lasting"], "instruction_options": ["peach high 490"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOA6JGJ", "worker_id": "AHXHM1PQTRWIQ"}], "B08VDWHY7X": [{"asin": "B08VDWHY7X", "instruction": "i am looking for a high definition binoculars & scopes", "attributes": ["high definition", "bird watching"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYQJHDZ", "worker_id": "A9QRQL9CFJBI7"}], "B095JH58ZN": [{"asin": "B095JH58ZN", "instruction": "i need a high heel sandal of size 6.5\"", "attributes": ["open toe", "high heel"], "options": ["size: 6.5"], "instruction_attributes": ["high heel"], "instruction_options": ["6.5"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQ0N4BV", "worker_id": "A2COCSUGZV28X"}], "B09NRJKQ84": [{"asin": "B09NRJKQ84", "instruction": "i need a yellow colored slim fit t-shirt that has short sleeves.", "attributes": ["slim fit", "short sleeve", "contrast color", "regular fit", "long sleeve", "gym workout"], "options": ["color: yellow", "size: 3x-large"], "instruction_attributes": ["slim fit", "short sleeve"], "instruction_options": ["yellow"], "assignment_id": "33TIN5LC0FKDY31374RC144TX1HY9Y", "worker_id": "A1NF6PELRKACS9"}], "B09BZSMPX8": [{"asin": "B09BZSMPX8", "instruction": "i am looking for an easy to install high speed 4g lte signal booster.", "attributes": ["easy install", "high speed", "4g lte"], "options": [""], "instruction_attributes": ["easy install", "high speed", "4g lte"], "instruction_options": [], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFIP024", "worker_id": "A1EREKSZAA9V7B"}], "B08BZKS922": [{"asin": "B08BZKS922", "instruction": "i am looking for contemporary design polyester fabric storage ottoman bench with legs in white color", "attributes": ["button tufted", "contemporary design", "living room"], "options": ["color: white"], "instruction_attributes": ["contemporary design"], "instruction_options": ["white"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IUA232", "worker_id": "AX2EWYWZM19AZ"}], "B09NTCCVGX": [{"asin": "B09NTCCVGX", "instruction": "i want to buy a folding storage box ottoman which i can easily install and has faux leather, the size of it should be 60x40x40cm.", "attributes": ["non slip", "easy install", "faux leather"], "options": ["size: 60x40x40cm"], "instruction_attributes": ["easy install", "faux leather"], "instruction_options": ["60x40x40cm"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R3X7W0", "worker_id": "AJY5G987IRT25"}], "B07JMK7Q8H": [{"asin": "B07JMK7Q8H", "instruction": "i am looking for low calorie, gluten free protein smoothie squeeze pouch of variety pack with all five flavors, 4.5 ounce (pack of 9)", "attributes": ["low calorie", "soy free", "gluten free", "real fruit", "simple ingredients"], "options": ["flavor name: variety-all whey flavors", "size: 4.5 ounce (pack of 9)"], "instruction_attributes": ["low calorie", "gluten free"], "instruction_options": ["variety-all whey flavors", "4.5 ounce (pack of 9)"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTTXE5C", "worker_id": "A258PTOZ3D2TQR"}], "B09NP6YFHW": [{"asin": "B09NP6YFHW", "instruction": "i ma interested in buying a pack of 6, gluten free chocolate gems.", "attributes": ["non gmo", "gluten free", "resealable bag"], "options": ["size: 5 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["5 ounce (pack of 6)"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBIQJD9", "worker_id": "AHXHM1PQTRWIQ"}], "B089YTQ21G": [{"asin": "B089YTQ21G", "instruction": "i am looking for a hair scalp brush that stimulates hair growth and exfoliates dandruff.", "attributes": ["easy use", "hair growth", "hair removal"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIZ39TO", "worker_id": "A1NF6PELRKACS9"}], "B07ZK9F9DH": [{"asin": "B07ZK9F9DH", "instruction": "i need a 15 feet coaxial cable that is compatible with apple tv.", "attributes": ["compatible apple", "blu ray", "plug play"], "options": ["size: 15feet"], "instruction_attributes": ["compatible apple"], "instruction_options": ["15feet"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH37Z4U", "worker_id": "A1NF6PELRKACS9"}], "B08XLV5GCK": [{"asin": "B08XLV5GCK", "instruction": "i would like a cosmetic case for my nail polish.", "attributes": ["easy clean", "storage case", "nail polish"], "options": [""], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTWQ7L4", "worker_id": "A1WS884SI0SLO4"}], "B09M74H6QX": [{"asin": "B09M74H6QX", "instruction": "i am looking for a white platform bed that is easy to assemble.", "attributes": ["easy assemble", "box spring"], "options": ["color: white", "size: twin"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUXCQJI", "worker_id": "A1NF6PELRKACS9"}], "B07QW1G8MW": [{"asin": "B07QW1G8MW", "instruction": "i need some kosher sea salt", "attributes": ["kosher certified", "resealable bag", "artificial flavors"], "options": [""], "instruction_attributes": ["kosher certified"], "instruction_options": [], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DYMTOJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07N1CN1FQ": [{"asin": "B07N1CN1FQ", "instruction": "i am looking for a purple toiletry bag that is water resistant", "attributes": ["water resistant", "oral hygiene"], "options": ["color: denim purple", "size: medium"], "instruction_attributes": ["water resistant"], "instruction_options": ["denim purple"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYS19Q7", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LR2JWBG": [{"asin": "B09LR2JWBG", "instruction": "i would like a b type vr headset that has aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": ["color: b type"], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": ["b type"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC58FRKK", "worker_id": "A1WS884SI0SLO4"}], "B07MG8XM7R": [{"asin": "B07MG8XM7R", "instruction": "search for unsalted pretzels that are individually wrapped. it should also be shelf stable.", "attributes": ["individually wrapped", "shelf stable"], "options": ["flavor name: unsalted", "size: 5.99 ounce (pack of 1)"], "instruction_attributes": ["individually wrapped", "shelf stable"], "instruction_options": ["unsalted"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4WOK7H", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B07MG8XM7R", "instruction": "i need some unsalted pretzels that are individually wrapped in a pack of 25.", "attributes": ["individually wrapped", "shelf stable"], "options": ["flavor name: unsalted", "size: 6 ounce (pack of 25)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["unsalted", "6 ounce (pack of 25)"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZJ87RD", "worker_id": "A2ECRNQ3X5LEXD"}], "B0968QW5TN": [{"asin": "B0968QW5TN", "instruction": "i would like a two pack of tempered glass screen protectors", "attributes": ["high definition", "glass screen", "tempered glass"], "options": ["color: 2 pack", "size: samsung galaxy a20e"], "instruction_attributes": ["tempered glass"], "instruction_options": ["2 pack"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UXOY0N", "worker_id": "A2ECRNQ3X5LEXD"}], "B08XXFRVHV": [{"asin": "B08XXFRVHV", "instruction": "i need an all-in-one cleanser that is dermatologist tested.", "attributes": ["dermatologist tested", "easy carry"], "options": ["style: all-in-one cleanser"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["all-in-one cleanser"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH3B4Z3", "worker_id": "A1NF6PELRKACS9"}], "B08H6P5677": [{"asin": "B08H6P5677", "instruction": "i am looking for some gluten free pudina party flavored puffed snacks.", "attributes": ["gluten free", "natural flavors"], "options": ["flavor: pudina party"], "instruction_attributes": ["gluten free"], "instruction_options": ["pudina party"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3RAD0RR", "worker_id": "A1EREKSZAA9V7B"}], "B08JJ8Z6ZQ": [{"asin": "B08JJ8Z6ZQ", "instruction": "i am looking for a pair of women's size 11 sandals with arch support.", "attributes": ["open toe", "closed toe", "arch support"], "options": ["color: blue", "size: 11"], "instruction_attributes": ["arch support"], "instruction_options": ["11"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM8WZHJ", "worker_id": "A1EREKSZAA9V7B"}], "B07NPG61K4": [{"asin": "B07NPG61K4", "instruction": "i would like a 24 inch dark blonde mix hair extension.", "attributes": ["easy apply", "hair extensions", "synthetic hair"], "options": ["color: dark blonde mix bleach blonde", "size: 24 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["dark blonde mix bleach blonde", "24 inch"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFV50TZ", "worker_id": "A1WS884SI0SLO4"}], "B09Q93F425": [{"asin": "B09Q93F425", "instruction": "i am looking for a green colored high definition tablet pc.", "attributes": ["high definition", "aluminum alloy"], "options": ["color: green", "size: european standard"], "instruction_attributes": ["high definition"], "instruction_options": ["green"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQJRKE2", "worker_id": "A1NF6PELRKACS9"}], "B09MDH6FV2": [{"asin": "B09MDH6FV2", "instruction": "i am looking for golden tooth hygiene kit made up of stainless steel.", "attributes": ["high quality", "easy clean", "easy use", "storage case", "stainless steel", "fresh breath"], "options": ["color: golden"], "instruction_attributes": ["stainless steel"], "instruction_options": ["golden"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEMMQ82", "worker_id": "A3FG5PQHG5AH3Y"}], "B002XULCB6": [{"asin": "B002XULCB6", "instruction": "i'm looking for a ready to drink protein shake which should be free from gluten and has low sugar and fat. also choose strawberry cream one.", "attributes": ["protein serving", "keto friendly", "low sugar", "low fat", "high protein", "gluten free"], "options": ["style: strawberry cream"], "instruction_attributes": ["low sugar", "low fat", "gluten free"], "instruction_options": ["strawberry cream"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJYRXRGG", "worker_id": "AR0VJ5XRG16UJ"}], "B07ZCK7PXZ": [{"asin": "B07ZCK7PXZ", "instruction": "i am interested in a 8 by 6ft digital photography background", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 8x6ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["8x6ft"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UHIQQI9", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QSBH418": [{"asin": "B09QSBH418", "instruction": "i am looking for some high quality reusable spray bottles that are easy to clean.", "attributes": ["non toxic", "easy clean", "high quality", "fine mist", "travel bottles"], "options": [""], "instruction_attributes": ["easy clean", "high quality"], "instruction_options": [], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI78JZGK", "worker_id": "A1EREKSZAA9V7B"}], "B07TTLSPTW": [{"asin": "B07TTLSPTW", "instruction": "i want 24\" x 24\" pink purple throw pillow cover for living room sofa", "attributes": ["machine washable", "dining room", "living room"], "options": ["color: pink purple", "size: 24\"x24\""], "instruction_attributes": ["living room"], "instruction_options": ["pink purple", "24\"x24\""], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1IN80L", "worker_id": "ASWFLI3N8X72G"}, {"asin": "B07TTLSPTW", "instruction": "i want to find 24x24 inch dark blue decorative pillow covers that i can use in my living room.", "attributes": ["machine washable", "dining room", "living room"], "options": ["color: dark blue", "size: 24\"x24\""], "instruction_attributes": ["living room"], "instruction_options": ["dark blue", "24\"x24\""], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUJRZVL", "worker_id": "A345TDMHP3DQ3G"}], "B09RWHH1TF": [{"asin": "B09RWHH1TF", "instruction": "i want to buy a cabinet which i can put in living room and it's easy to clean, while it's color should be light brown.", "attributes": ["white item", "easy clean", "living room", "dining room"], "options": ["color: light brown"], "instruction_attributes": ["easy clean", "living room"], "instruction_options": ["light brown"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLO1Y7OO", "worker_id": "AJY5G987IRT25"}], "B09NLTFT8R": [{"asin": "B09NLTFT8R", "instruction": "i need wireless bluetooth noise cancelling headphone in black 2 color", "attributes": ["noise cancelling", "wireless bluetooth"], "options": ["color: black 2"], "instruction_attributes": ["noise cancelling", "wireless bluetooth"], "instruction_options": ["black 2"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTWF9PG", "worker_id": "ASWFLI3N8X72G"}], "B005CN6ORI": [{"asin": "B005CN6ORI", "instruction": "looking for long-wear eyeliner that is easy to apply also choose barrow street", "attributes": ["easy apply", "long lasting"], "options": ["color: barrow street"], "instruction_attributes": ["easy apply"], "instruction_options": ["barrow street"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZPR1YQ", "worker_id": "A10OGH5CQBXL5N"}], "B078TL8M4B": [{"asin": "B078TL8M4B", "instruction": "i want double sided throw pillow cover in blue mustard color.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: blue mustard", "size: 36\" x 16\""], "instruction_attributes": ["double sided"], "instruction_options": ["blue mustard"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL32D7QT", "worker_id": "A1NF6PELRKACS9"}], "B09L7X5B9P": [{"asin": "B09L7X5B9P", "instruction": "i need a laptop with intel quad core i5 processor. it should also have 8gb ddr4 ram and 512 gb pcie ssd.", "attributes": ["core i5", "intel core", "quad core"], "options": ["capacity: 8gb ddr4 ram, 512gb pcie ssd"], "instruction_attributes": ["core i5", "intel core", "quad core"], "instruction_options": ["8gb ddr4 ram, 512gb pcie ssd"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRYL3FT", "worker_id": "ASWFLI3N8X72G"}], "B08H1RRNGK": [{"asin": "B08H1RRNGK", "instruction": "i need black hair cutting shears", "attributes": ["easy clean", "high quality", "hair cutting"], "options": ["color: waterproof black"], "instruction_attributes": ["hair cutting"], "instruction_options": ["waterproof black"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCLLE0Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B08H12XR6B": [{"asin": "B08H12XR6B", "instruction": "i'm looking for professional hair cutting barber scissors.", "attributes": ["easy use", "high quality", "stainless steel", "hair cutting"], "options": ["color: silver"], "instruction_attributes": ["easy use", "hair cutting"], "instruction_options": ["silver"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQGA91D", "worker_id": "A21IUUHBSEVB56"}], "B01HJWDJG8": [{"asin": "B01HJWDJG8", "instruction": "i want to buy a male to male hdmi cable which supports high speed data transfer. it would be good if it is gold plated.", "attributes": ["high speed", "gold plated"], "options": ["color: 10 pack", "size: 8 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["10 pack"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80GUQ1W", "worker_id": "AHXHM1PQTRWIQ"}], "B000IZ8KZ4": [{"asin": "B000IZ8KZ4", "instruction": "i would like anti-dandruff shampoo that is tea tree.", "attributes": ["plant based", "tea tree"], "options": ["style: anti-dandruff"], "instruction_attributes": ["tea tree"], "instruction_options": ["anti-dandruff"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL7TAE9", "worker_id": "A1WS884SI0SLO4"}], "B0999FNKDM": [{"asin": "B0999FNKDM", "instruction": "i need memory foam slippers that are black in a size 11-11.5", "attributes": ["open toe", "unique design", "arch support", "memory foam", "rubber sole"], "options": ["color: black", "size: 11-11.5"], "instruction_attributes": ["memory foam"], "instruction_options": ["black", "11-11.5"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1PNITD", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CTC8F3F": [{"asin": "B07CTC8F3F", "instruction": "i would like a large champagne colored shower cap for natural hair.", "attributes": ["easy use", "natural hair", "dry hair"], "options": ["color: champagne", "size: large"], "instruction_attributes": ["natural hair"], "instruction_options": ["champagne", "large"], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWIE0KT", "worker_id": "A1WS884SI0SLO4"}], "B07CKMBDQQ": [{"asin": "B07CKMBDQQ", "instruction": "i would like a turquoise makeup crayon that is fragrance free.", "attributes": ["animal testing", "dermatologist tested", "fragrance free", "non toxic", "sensitive skin"], "options": ["color: turquoise"], "instruction_attributes": ["fragrance free"], "instruction_options": ["turquoise"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP2UXTV", "worker_id": "A1WS884SI0SLO4"}], "B08DYCQL3M": [{"asin": "B08DYCQL3M", "instruction": "i would like almond butter that is keto friendly and comes in a gift box", "attributes": ["plant based", "low sugar", "gluten free", "soy free", "keto friendly", "dairy free", "natural flavors"], "options": ["flavor name: gift box", "size: 11 ounce (pack of 6)"], "instruction_attributes": ["keto friendly"], "instruction_options": ["gift box"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E050X7G", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KFHH7RX": [{"asin": "B07KFHH7RX", "instruction": "i want a morden art paint throw pillow cover size 20\"*20\" color 02", "attributes": ["eco friendly", "living room"], "options": ["color: color 02", "size: 20\"x20\""], "instruction_attributes": ["living room"], "instruction_options": ["color 02", "20\"x20\""], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI71KQYB", "worker_id": "A3N9ZYQAESNFQH"}], "B089SXR1ZX": [{"asin": "B089SXR1ZX", "instruction": "i need high waisted grey pants.", "attributes": ["high waist", "tummy control", "relaxed fit", "daily wear"], "options": ["color: deep grey", "fit type: 29'' inseam(petitie)", "size: small tall"], "instruction_attributes": ["high waist"], "instruction_options": ["deep grey"], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH4IH6T", "worker_id": "A2ECRNQ3X5LEXD"}], "B08XJWLLKQ": [{"asin": "B08XJWLLKQ", "instruction": "i am looking for a green tea detox & repair shampoo", "attributes": ["green tea", "dry hair"], "options": ["style name: detox & repair shampoo"], "instruction_attributes": ["green tea"], "instruction_options": ["detox & repair shampoo"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8KYNZ9", "worker_id": "A9QRQL9CFJBI7"}], "B0734476MY": [{"asin": "B0734476MY", "instruction": "i would like a king sized grey umbria daybed with a box spring.", "attributes": ["box spring", "faux leather", "memory foam"], "options": ["color: grey (faux leather)", "size: king", "style: umbria (daybed)"], "instruction_attributes": ["box spring"], "instruction_options": ["grey (faux leather)", "king", "umbria (daybed)"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHWA88SA", "worker_id": "A1WS884SI0SLO4"}], "B07RTBG8ZQ": [{"asin": "B07RTBG8ZQ", "instruction": "i want a white anferstore simple modern coffee table for my living room.", "attributes": ["easy assemble", "coated steel", "steel frame", "solid wood", "living room"], "options": ["color: white"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H7RU8A", "worker_id": "A2RBF3IIJP15IH"}], "B088JVB7SD": [{"asin": "B088JVB7SD", "instruction": "get me a ready to eat cheese popcorn bag.", "attributes": ["ready eat", "0g trans"], "options": [""], "instruction_attributes": ["ready eat"], "instruction_options": [], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK4976AM", "worker_id": "A1NF6PELRKACS9"}], "B0744K87NJ": [{"asin": "B0744K87NJ", "instruction": "i am interested in buying a steel bed frame with memory foam.", "attributes": ["memory foam", "coated steel", "steel frame"], "options": [""], "instruction_attributes": ["memory foam", "steel frame"], "instruction_options": [], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWQ6520", "worker_id": "AHXHM1PQTRWIQ"}], "B09SDDHQMW": [{"asin": "B09SDDHQMW", "instruction": "i want a high heel open toe pink color women shoe with ankel strap size :4.5 wide", "attributes": ["open toe", "high heel", "closed toe", "ankle strap"], "options": ["color: a1 - pink", "size: 4.5 wide"], "instruction_attributes": ["open toe", "high heel"], "instruction_options": ["a1 - pink", "4.5 wide"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VNT60T", "worker_id": "A3N9ZYQAESNFQH"}], "B08WYP4H2J": [{"asin": "B08WYP4H2J", "instruction": "i am looking for gluten free protein granola for my keto diet", "attributes": ["grain free", "gmo free", "low sugar", "keto friendly", "high protein", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["keto friendly", "gluten free"], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR6NA0R", "worker_id": "A2COCSUGZV28X"}], "B07H5VZG6M": [{"asin": "B07H5VZG6M", "instruction": "i would like a refurbished laser printer", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCV765H", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GSRNX97": [{"asin": "B07GSRNX97", "instruction": "i am in need of a button tufted sofa for my living room. it should be grey in color.", "attributes": ["button tufted", "high density", "assembly required", "living room"], "options": ["color: gery"], "instruction_attributes": ["button tufted", "living room"], "instruction_options": ["gery"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9WU78L", "worker_id": "A1NF6PELRKACS9"}], "B00AB0MC9Q": [{"asin": "B00AB0MC9Q", "instruction": "i would like a bronze finish table lamp", "attributes": ["heavy duty", "coated steel", "bronze finish"], "options": [""], "instruction_attributes": ["bronze finish"], "instruction_options": [], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK49AA6T", "worker_id": "A2ECRNQ3X5LEXD"}], "B08K4GFDTG": [{"asin": "B08K4GFDTG", "instruction": "i am interested in highly pigmented eyeshadow", "attributes": ["highly pigmented", "long lasting", "easy carry", "rose gold", "eye shadow"], "options": [""], "instruction_attributes": ["highly pigmented"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8RA1SKC", "worker_id": "A2ECRNQ3X5LEXD"}], "B097DZZXGX": [{"asin": "B097DZZXGX", "instruction": "i am interested in buying a rustic brown entertainment center with a steel frame for the living room.", "attributes": ["steel frame", "living room"], "options": ["color: rustic brown"], "instruction_attributes": ["steel frame", "living room"], "instruction_options": ["rustic brown"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q6FGWB", "worker_id": "AHXHM1PQTRWIQ"}], "B07MCH9HPB": [{"asin": "B07MCH9HPB", "instruction": "i am searching for cupcake picks for a birthday party.", "attributes": ["baby shower", "birthday cake", "cupcake picks", "birthday party"], "options": [""], "instruction_attributes": ["cupcake picks", "birthday party"], "instruction_options": [], "assignment_id": "3L4D84MILA2GIKONJGE14YNT3AKJHJ", "worker_id": "A1NF6PELRKACS9"}], "B09N3J4LB9": [{"asin": "B09N3J4LB9", "instruction": "i'm looking for a mini display port adapter with ultra hd high resolution feature. also, choose 0.65 ft one.", "attributes": ["high resolution", "ultra hd"], "options": ["size: 0.65ft"], "instruction_attributes": ["high resolution", "ultra hd"], "instruction_options": ["0.65ft"], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FLS4UA", "worker_id": "AR0VJ5XRG16UJ"}], "B08J4F7S9V": [{"asin": "B08J4F7S9V", "instruction": "i'm looking for screen protection for apple iphone 12.", "attributes": ["glass screen", "tempered glass"], "options": [""], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": [], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRVRBZF", "worker_id": "A21IUUHBSEVB56"}], "B0032HM6JG": [{"asin": "B0032HM6JG", "instruction": "i am looking for a noise cancelling headset.", "attributes": ["noise cancelling", "hands free"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UT51GW", "worker_id": "A1Q8PPQQCWGY0D"}], "B09MVQ7B58": [{"asin": "B09MVQ7B58", "instruction": "i need non-slip lack pillow slippers that is suitable for pool bathing . and i choose the f size with green color", "attributes": ["anti slip", "quick drying", "open toe", "non slip"], "options": ["color: green", "size: f"], "instruction_attributes": ["anti slip"], "instruction_options": ["green", "f"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVKS1P0", "worker_id": "A2COCSUGZV28X"}], "B084ZT7Q8H": [{"asin": "B084ZT7Q8H", "instruction": "i'm looking for a full size heavy duty bed frame.", "attributes": ["heavy duty", "king size", "box spring", "storage space"], "options": ["size: full"], "instruction_attributes": ["heavy duty"], "instruction_options": ["full"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQEQKV4", "worker_id": "A3MNXK3VDK37SN"}], "B005LURDJK": [{"asin": "B005LURDJK", "instruction": "i need some fat free popsicles", "attributes": ["fat free", "low calorie", "real fruit"], "options": [""], "instruction_attributes": ["fat free"], "instruction_options": [], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FL53DI", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GDL1MDQ": [{"asin": "B07GDL1MDQ", "instruction": "i would like a women's medium sized slate gray t shirt made from heather cotton.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: slate", "fit type: women", "size: medium"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["slate", "women", "medium"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ57EKC9", "worker_id": "A1WS884SI0SLO4"}], "B08LN9F4NK": [{"asin": "B08LN9F4NK", "instruction": "i am looking for a multi 6 color super soft throws", "attributes": ["super soft", "living room"], "options": ["color: multi 6", "size: king"], "instruction_attributes": ["super soft"], "instruction_options": ["multi 6"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVEZ8VC", "worker_id": "A9QRQL9CFJBI7"}], "B09PRFGCN3": [{"asin": "B09PRFGCN3", "instruction": "i am looking for a teeth whitening toothpaste in b color. it should be for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth", "bad breath"], "options": ["color: b"], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": ["b"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCV856H", "worker_id": "A1NF6PELRKACS9"}], "B08Y924NQ6": [{"asin": "B08Y924NQ6", "instruction": "i need some x-large dark blue jeans that are straight leg/", "attributes": ["straight leg", "wide leg", "hand wash", "high waist"], "options": ["color: k-dark blue", "size: x-large"], "instruction_attributes": ["straight leg"], "instruction_options": ["k-dark blue", "x-large"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0RS8JR", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZWC2S7G": [{"asin": "B07ZWC2S7G", "instruction": "i want a 2.5 pound pack of sugar free candies.", "attributes": ["sugar free", "nut free", "low calorie", "soy free", "dairy free", "gluten free", "artificial colors"], "options": ["size: 2.5 pound (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["2.5 pound (pack of 1)"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSEOCWY", "worker_id": "A1NF6PELRKACS9"}], "B07H9TZL3Q": [{"asin": "B07H9TZL3Q", "instruction": "i am looking for an easy to use hair dye with natural ingredients.", "attributes": ["easy use", "natural ingredients", "hair dye", "hair salon"], "options": [""], "instruction_attributes": ["easy use", "natural ingredients", "hair dye"], "instruction_options": [], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q7RKDA", "worker_id": "A1NF6PELRKACS9"}], "B00VXQGY1Y": [{"asin": "B00VXQGY1Y", "instruction": "i would like a 9 ounce tub of non gmo grass fed ghee.", "attributes": ["grass fed", "lactose free", "old fashioned", "shelf stable", "ready eat", "non gmo", "gluten free"], "options": ["size: 9 ounce (pack of 1)"], "instruction_attributes": ["grass fed", "non gmo"], "instruction_options": ["9 ounce (pack of 1)"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYQMDHY", "worker_id": "A1WS884SI0SLO4"}], "B002GVJZS4": [{"asin": "B002GVJZS4", "instruction": "i would like to buy kosher certified greek yogurt.", "attributes": ["kosher certified", "non gmo"], "options": [""], "instruction_attributes": ["kosher certified"], "instruction_options": [], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZSM50G", "worker_id": "AHXHM1PQTRWIQ"}], "B00YZ56PGY": [{"asin": "B00YZ56PGY", "instruction": "i need a sleeveless hem that is machine washable . and i choose the 3x size with grey mix color", "attributes": ["machine wash", "wash cold", "tumble dry"], "options": ["color: grey mix", "size: 3x"], "instruction_attributes": ["machine wash"], "instruction_options": ["grey mix", "3x"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X41CH08", "worker_id": "A2COCSUGZV28X"}], "B097T5SF5B": [{"asin": "B097T5SF5B", "instruction": "i want a loft bed for a dorm that saves space.", "attributes": ["space saving", "box spring"], "options": [""], "instruction_attributes": ["space saving"], "instruction_options": [], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TGOMNZ", "worker_id": "A1NF6PELRKACS9"}], "B004225TZS": [{"asin": "B004225TZS", "instruction": "i would like a 32 ounce bag of oatmeal that is resealable and has a good protein serving.", "attributes": ["protein serving", "dietary fiber"], "options": ["size: 32 ounce (pack of 4)", "style: resealable"], "instruction_attributes": ["protein serving"], "instruction_options": ["32 ounce (pack of 4)", "resealable"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLQOI4Z", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B004225TZS", "instruction": "i am looking for a bulk bag of protein serving rolled oats.", "attributes": ["protein serving", "dietary fiber"], "options": ["size: 16 ounce (pack of 1)", "style: bulk bag"], "instruction_attributes": ["protein serving"], "instruction_options": ["bulk bag"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTPZ5VA", "worker_id": "A1EREKSZAA9V7B"}], "B088T329M3": [{"asin": "B088T329M3", "instruction": "i am looking for an easy to use makeup lip brush.", "attributes": ["easy apply", "easy carry", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V7H2UX", "worker_id": "A1EREKSZAA9V7B"}], "B093SZ9BGG": [{"asin": "B093SZ9BGG", "instruction": "i'm looking for a pair of mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UU1G19", "worker_id": "A2JP9IKRHNLRPI"}], "B074PY2PSC": [{"asin": "B074PY2PSC", "instruction": "i am looking for grey-1 color women's t-shirt that are machine washable.", "attributes": ["wash cold", "machine wash", "polyester cotton", "dry clean", "tumble dry"], "options": ["color: grey-1", "size: 3x"], "instruction_attributes": ["machine wash"], "instruction_options": ["grey-1"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JE5FSI", "worker_id": "A1Q8PPQQCWGY0D"}], "B086V49TW3": [{"asin": "B086V49TW3", "instruction": "i am looking for a red 40 foot long gold plated hdmi cable.", "attributes": ["blu ray", "high speed", "ultra hd", "gold plated"], "options": ["color: red", "number of items: 1", "size: 40 feet"], "instruction_attributes": ["gold plated"], "instruction_options": ["red", "40 feet"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EHHSWF", "worker_id": "A1EREKSZAA9V7B"}], "B08HRS8TLC": [{"asin": "B08HRS8TLC", "instruction": "i am looking for an anti-aging facial roller.", "attributes": ["anti aging", "fine lines", "dark circles"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSM82QP", "worker_id": "AJDQGOTMB2D80"}], "B08DJYSQCS": [{"asin": "B08DJYSQCS", "instruction": "i would like a birch bar cabinet for the dining room", "attributes": ["coated steel", "dining room"], "options": ["color: birch", "style: bar cabinet"], "instruction_attributes": ["dining room"], "instruction_options": ["birch", "bar cabinet"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80GQQ1S", "worker_id": "A1WS884SI0SLO4"}], "B094J65TJM": [{"asin": "B094J65TJM", "instruction": "i'm looking for korean roasted job's tears powder.", "attributes": ["dietary fiber", "natural ingredients"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFJXVMW", "worker_id": "A21IUUHBSEVB56"}], "B07KDMD6FD": [{"asin": "B07KDMD6FD", "instruction": "i would like a faux fur sleeveless jacket, also, pick the white color", "attributes": ["wash cold", "hand wash", "faux fur"], "options": ["color: white", "size: small"], "instruction_attributes": ["faux fur"], "instruction_options": ["white"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLW630Z", "worker_id": "A2TRV8SEM003GG"}], "B07KYWGP65": [{"asin": "B07KYWGP65", "instruction": "i am looking for long lasting deep color colorstay concealer", "attributes": ["long lasting", "high quality", "dark circles"], "options": ["color: deep"], "instruction_attributes": ["long lasting"], "instruction_options": ["deep"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB44QYXZ", "worker_id": "A258PTOZ3D2TQR"}], "B07Q4NG5X8": [{"asin": "B07Q4NG5X8", "instruction": "i am looking to buy a 2-pack long lasting wall scones which is easy to assemble.", "attributes": ["easy assemble", "long lasting"], "options": ["size: 2-pack"], "instruction_attributes": ["easy assemble", "long lasting"], "instruction_options": ["2-pack"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21QQFQZ", "worker_id": "AHXHM1PQTRWIQ"}], "B07SVPKBZK": [{"asin": "B07SVPKBZK", "instruction": "i am looking for ivory color living room rug of size 2' x 5'", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: light grey | ivory", "size: 2' x 5'"], "instruction_attributes": ["living room"], "instruction_options": ["light grey | ivory", "2' x 5'"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X9QPG3", "worker_id": "A258PTOZ3D2TQR"}], "B06XSH16S8": [{"asin": "B06XSH16S8", "instruction": "get me a shelf stable snack mix. pick the honey cheddar flavor.", "attributes": ["shelf stable", "kosher certified", "non gmo"], "options": ["flavor name: honey cheddar snack mix", "size: 2 28oz"], "instruction_attributes": ["shelf stable"], "instruction_options": ["honey cheddar snack mix"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADLBWVO", "worker_id": "A1NF6PELRKACS9"}], "B08XJVTCJ4": [{"asin": "B08XJVTCJ4", "instruction": "i am looking for high quality 15 inch hair extensions.", "attributes": ["high quality", "hair extensions"], "options": ["color: #12p613 golden brown to blonde", "size: 15 inch"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["15 inch"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE256GQF", "worker_id": "A1EREKSZAA9V7B"}], "B07QQBM12P": [{"asin": "B07QQBM12P", "instruction": "i want black birthday cupcake picks.", "attributes": ["cupcake picks", "birthday party"], "options": ["color: black"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["black"], "assignment_id": "3HPZF4IVNX3FW186JO133U513MHCYQ", "worker_id": "A2RBF3IIJP15IH"}], "B08BVRNMP5": [{"asin": "B08BVRNMP5", "instruction": "i am looking for men's green tea shampoo and conditioner.", "attributes": ["green tea", "tea tree", "dry skin", "hair growth"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTXI4ED", "worker_id": "A1EREKSZAA9V7B"}], "B08C6ZTZPN": [{"asin": "B08C6ZTZPN", "instruction": "i am interested in buying a power amplifier with wireless capabilities and stereo sound.", "attributes": ["power amplifier", "stereo sound"], "options": [""], "instruction_attributes": ["power amplifier", "stereo sound"], "instruction_options": [], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79MNQKS", "worker_id": "AHXHM1PQTRWIQ"}], "B09P8NMV5M": [{"asin": "B09P8NMV5M", "instruction": "i need long lasting lipstick in the color b", "attributes": ["long lasting", "nail art"], "options": ["color: b"], "instruction_attributes": ["long lasting"], "instruction_options": ["b"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AN3UYZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B004DIJLHI": [{"asin": "B004DIJLHI", "instruction": "i would like to purchase a 3.3 fl oz, long lasting men's perfume.", "attributes": ["design house", "long lasting"], "options": ["size: 3.3 fl oz (pack of 1)"], "instruction_attributes": ["long lasting"], "instruction_options": ["3.3 fl oz (pack of 1)"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I4A1SR", "worker_id": "A114NK7T5673GK"}], "B07NNS9FL8": [{"asin": "B07NNS9FL8", "instruction": "looking for hand painted multicolor flat candle", "attributes": ["hand painted", "easy assemble"], "options": ["color: multicolor"], "instruction_attributes": ["hand painted"], "instruction_options": ["multicolor"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LMKI55", "worker_id": "A10OGH5CQBXL5N"}], "B0769XY12N": [{"asin": "B0769XY12N", "instruction": "i am looking for 3.88 ounce body wash bar for sensitive skin.", "attributes": ["oil free", "eco friendly", "cruelty free", "natural ingredients", "sensitive skin", "dry skin"], "options": ["size: 3.88 ounce (pack of 1)"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["3.88 ounce (pack of 1)"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9EJ2VF", "worker_id": "AJDQGOTMB2D80"}], "B07VBQJT5G": [{"asin": "B07VBQJT5G", "instruction": "i'm looking for brushes set for eye shadow foundation cosmetic tools.", "attributes": ["easy use", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79TSH1L", "worker_id": "A21IUUHBSEVB56"}], "B07K2WVKGD": [{"asin": "B07K2WVKGD", "instruction": "i'm looking for a high definition surveillance camera with 1080p hd resolution.", "attributes": ["1080p hd", "high definition"], "options": [""], "instruction_attributes": ["1080p hd", "high definition"], "instruction_options": [], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB44JYXS", "worker_id": "AR0VJ5XRG16UJ"}], "B09JWMNJGF": [{"asin": "B09JWMNJGF", "instruction": "i am looking for high quality toothbrush containers.", "attributes": ["high quality", "quality materials", "dry hair"], "options": [""], "instruction_attributes": ["high quality", "quality materials"], "instruction_options": [], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG5ABG3", "worker_id": "AK3JMCIGU8MLU"}], "B09MD8DZR1": [{"asin": "B09MD8DZR1", "instruction": "i am looking for a pair of dark blue noise cancelling wireless bluetooth earbuds.", "attributes": ["noise cancelling", "wireless bluetooth"], "options": ["color: dark blue"], "instruction_attributes": ["noise cancelling", "wireless bluetooth"], "instruction_options": ["dark blue"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYQ76MH", "worker_id": "A1EREKSZAA9V7B"}], "B0791WCX84": [{"asin": "B0791WCX84", "instruction": "i would like sunflower butter and chocolate protein bars that are high protein.", "attributes": ["plant based", "soy free", "certified organic", "high protein", "non gmo", "gluten free"], "options": ["flavor name: sunflower butter + chocolate"], "instruction_attributes": ["high protein"], "instruction_options": ["sunflower butter + chocolate"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKONWF07", "worker_id": "A1WS884SI0SLO4"}], "B09T79733X": [{"asin": "B09T79733X", "instruction": "i need an easy to clean tablecloth that is the color of wood", "attributes": ["easy clean", "heavy duty", "faux leather"], "options": ["color: wood grain7"], "instruction_attributes": ["easy clean"], "instruction_options": ["wood grain7"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATAL378", "worker_id": "A2ECRNQ3X5LEXD"}], "B095NYGCW5": [{"asin": "B095NYGCW5", "instruction": "i'm looking for a heavy duty twin size bunk bed made from solid wood with good storage space for space saving. also, choose white colored one.", "attributes": ["space saving", "twin size", "heavy duty", "white item", "solid wood", "storage space"], "options": ["color: white"], "instruction_attributes": ["space saving", "twin size", "heavy duty", "solid wood", "storage space"], "instruction_options": ["white"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3NYYRW", "worker_id": "AR0VJ5XRG16UJ"}], "B07WLS7V2C": [{"asin": "B07WLS7V2C", "instruction": "i would like anti slip boots that are navy", "attributes": ["anti slip", "non slip", "rubber sole"], "options": ["color: navy blue", "size: 10.5women | 9men(10.47inch)"], "instruction_attributes": ["anti slip"], "instruction_options": ["navy blue"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6I0VE3", "worker_id": "A2ECRNQ3X5LEXD"}], "B093QDWQQR": [{"asin": "B093QDWQQR", "instruction": "i am looking for classic fit women's tee shirts of dark gray3 color.", "attributes": ["light weight", "short sleeve", "classic fit"], "options": ["color: dark gray3", "size: x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["dark gray3"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIELBRZ", "worker_id": "A1Q8PPQQCWGY0D"}], "B09H5VFZGX": [{"asin": "B09H5VFZGX", "instruction": "i am looking for a black pu leather desk organizer that is non slip.", "attributes": ["non slip", "pu leather"], "options": ["color: black"], "instruction_attributes": ["non slip", "pu leather"], "instruction_options": ["black"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYQGCGH", "worker_id": "AHU9OLV0YKIIW"}], "B072NHJCDS": [{"asin": "B072NHJCDS", "instruction": "i need a pack of 3 natural labs 8 oz green color travel bottles", "attributes": ["leak proof", "bpa free", "non toxic", "long lasting", "travel bottles"], "options": ["color: green", "size: pack of 3"], "instruction_attributes": ["travel bottles"], "instruction_options": ["green", "pack of 3"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X029C438", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B072NHJCDS", "instruction": "i need a six pack of leak proof, bpa free travel bottles. look for the amber colored ones.", "attributes": ["leak proof", "bpa free", "non toxic", "long lasting", "travel bottles"], "options": ["color: amber", "size: pack of 6"], "instruction_attributes": ["leak proof", "bpa free"], "instruction_options": ["amber", "pack of 6"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4IZ897", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B072NHJCDS", "instruction": "i need black moyo natural labs 8 oz travel bottles.", "attributes": ["leak proof", "bpa free", "non toxic", "long lasting", "travel bottles"], "options": ["color: black", "size: pack of 8"], "instruction_attributes": ["travel bottles"], "instruction_options": ["black"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYMY6M0", "worker_id": "A2RBF3IIJP15IH"}], "B07QPQDJD3": [{"asin": "B07QPQDJD3", "instruction": "i want a dark brown bench seat made of solid wood.", "attributes": ["high density", "assembly required", "solid wood"], "options": ["color: madagascar cocoa | dark brown", "size: bench seat"], "instruction_attributes": ["solid wood"], "instruction_options": ["madagascar cocoa | dark brown", "bench seat"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZ1WJZ6", "worker_id": "A1WS884SI0SLO4"}], "B0824Z7W6C": [{"asin": "B0824Z7W6C", "instruction": "i'm looking for a daily wear sweatshirt made of good quality polyester material with long sleeves. also, choose x-large one.", "attributes": ["hand wash", "quality polyester", "long sleeve", "polyester spandex", "daily wear"], "options": ["color: x11", "size: x-large"], "instruction_attributes": ["quality polyester", "long sleeve", "polyester spandex", "daily wear"], "instruction_options": ["x-large"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQE2VKR", "worker_id": "AR0VJ5XRG16UJ"}], "B08TVT7CMD": [{"asin": "B08TVT7CMD", "instruction": "i'm looking for an outlet toggle wall plate cover.", "attributes": ["heavy duty", "high gloss"], "options": ["style: toggle | outlet combo"], "instruction_attributes": ["high gloss"], "instruction_options": ["toggle | outlet combo"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVR0JKZ", "worker_id": "A21IUUHBSEVB56"}], "B082NLH5YJ": [{"asin": "B082NLH5YJ", "instruction": "i am looking for red popcorn boxes for a baby shower.", "attributes": ["party supplies", "baby shower"], "options": ["color: red", "size: 36 count (pack of 1)"], "instruction_attributes": ["baby shower"], "instruction_options": ["red"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BPHX8E", "worker_id": "A1EREKSZAA9V7B"}], "B08NX18SV4": [{"asin": "B08NX18SV4", "instruction": "i am looking for car overhead player of size cm157a+dwh006x2 having stereo sound.", "attributes": ["usb port", "stereo sound"], "options": ["size: cm157a+dwh006x2"], "instruction_attributes": ["stereo sound"], "instruction_options": ["cm157a+dwh006x2"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1HYCXX", "worker_id": "A1Q8PPQQCWGY0D"}], "B07N33YR5J": [{"asin": "B07N33YR5J", "instruction": "i'm looking for individually wrapped triple chocolate cookie bars. choose the ones that come in pack of 18 with 4 count each.", "attributes": ["individually wrapped", "artificial ingredients", "simple ingredients", "natural ingredients"], "options": ["flavor name: triple chocolate", "size: 4 count (pack of 18)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["triple chocolate", "4 count (pack of 18)"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGOIW2I", "worker_id": "A3MNXK3VDK37SN"}], "B08LBHC8C9": [{"asin": "B08LBHC8C9", "instruction": "i am looking for a red women's long sleeve sweater.", "attributes": ["long sleeve", "teen girls", "daily wear"], "options": ["color: z5-red", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["z5-red"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662Z0M4B", "worker_id": "A1EREKSZAA9V7B"}], "B09PDLWMG6": [{"asin": "B09PDLWMG6", "instruction": "i am looking for light weight a34 color photo background.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a34", "size: 5x3ft | 1.5x1m"], "instruction_attributes": ["light weight"], "instruction_options": ["a34"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1E79UE", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09PDLWMG6", "instruction": "i'm looking for a26 high resolution, light weight spring flower portrait photo background 5x3ft/1.5x1m.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a26", "size: 5x3ft | 1.5x1m"], "instruction_attributes": ["light weight", "high resolution"], "instruction_options": ["a26", "5x3ft | 1.5x1m"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788H15CR", "worker_id": "A1Q0EUNCS50S8M"}], "B07YNRQJGW": [{"asin": "B07YNRQJGW", "instruction": "looking for heavy duty twilight blue colour shock-proof standing cover", "attributes": ["heavy duty", "hands free"], "options": ["color: twilight blue"], "instruction_attributes": ["heavy duty"], "instruction_options": ["twilight blue"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O4RA2V", "worker_id": "A10OGH5CQBXL5N"}], "B08C9G9J7B": [{"asin": "B08C9G9J7B", "instruction": "i want a white and long lasting bellesky eyeshadow primer set.", "attributes": ["long lasting", "oil free", "cruelty free"], "options": ["color: white (6 colors set a)"], "instruction_attributes": ["long lasting"], "instruction_options": ["white (6 colors set a)"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2BEY77", "worker_id": "A2RBF3IIJP15IH"}], "B073MQVYVL": [{"asin": "B073MQVYVL", "instruction": "i am looking for certified organic cream blush", "attributes": ["certified organic", "non toxic", "cruelty free"], "options": ["color: blush"], "instruction_attributes": ["certified organic"], "instruction_options": ["blush"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401DLMUX", "worker_id": "A258PTOZ3D2TQR"}], "B09J6YN4CD": [{"asin": "B09J6YN4CD", "instruction": "i want to find a win10pro desktop minis with high speed.", "attributes": ["high speed", "intel core"], "options": ["size: 32gb ram|512gb ssd|win10pro"], "instruction_attributes": ["high speed"], "instruction_options": ["32gb ram|512gb ssd|win10pro"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OZYEYR", "worker_id": "A15ERD4HOFEPHM"}], "B08XVFNF42": [{"asin": "B08XVFNF42", "instruction": "i'm looking for sexy beach swimsuit with bikini set.", "attributes": ["polyester spandex", "daily wear"], "options": ["color: yellow", "size: large"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["large"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ6XSIM", "worker_id": "A21IUUHBSEVB56"}], "B08KF8S4Z8": [{"asin": "B08KF8S4Z8", "instruction": "i'm looking for iphone 12 pro carbon fiber pattern case.", "attributes": ["carbon fiber", "wireless charging"], "options": ["color: rosegold 11 pro"], "instruction_attributes": ["carbon fiber", "wireless charging"], "instruction_options": ["rosegold 11 pro"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SY7DUI", "worker_id": "A21IUUHBSEVB56"}], "B09MQ77Y1L": [{"asin": "B09MQ77Y1L", "instruction": "i need a gaming pc powered by an core i5", "attributes": ["core i5", "intel core"], "options": ["size: 16gb ram|512gb ssd|win10h", "style: 3060 ti"], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FM74UR", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B09MQ77Y1L", "instruction": "i am looking for matx gaming intel core desktop pc having 128gb ram, 2tb ssd and win10 os installed", "attributes": ["core i5", "intel core"], "options": ["size: 128gb ram|2tb ssd|win10h", "style: 6600 xt"], "instruction_attributes": ["intel core"], "instruction_options": ["128gb ram|2tb ssd|win10h"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEMB86Q", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B09MQ77Y1L", "instruction": "i want to find a core i5 6700 xt gaming desktop with 16 gigabytes of ram.", "attributes": ["core i5", "intel core"], "options": ["size: 16gb ram|512gb ssd|win10pro", "style: 6700 xt"], "instruction_attributes": ["core i5"], "instruction_options": ["16gb ram|512gb ssd|win10pro", "6700 xt"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQCY91T", "worker_id": "A345TDMHP3DQ3G"}], "B07SPVFSXJ": [{"asin": "B07SPVFSXJ", "instruction": "i would like a marble black cosmetic bag that is high quality.", "attributes": ["easy clean", "high quality"], "options": ["color: cmarble black"], "instruction_attributes": ["high quality"], "instruction_options": ["cmarble black"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGG69SG", "worker_id": "A1WS884SI0SLO4"}], "B09DPR6PCT": [{"asin": "B09DPR6PCT", "instruction": "i am looking for a pair of women's size 6.5 open toe and knee high sandals", "attributes": ["knee high", "anti slip", "light weight", "day comfort", "open toe", "high heel", "closed toe", "lace closure", "quality materials"], "options": ["color: z3-winered", "size: 6.5"], "instruction_attributes": ["knee high", "open toe"], "instruction_options": ["6.5"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H77U8Q", "worker_id": "A1EREKSZAA9V7B"}], "B093KBLW7B": [{"asin": "B093KBLW7B", "instruction": "i'm looking for 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TV7PMG", "worker_id": "A21IUUHBSEVB56"}], "B07ZD8NQQX": [{"asin": "B07ZD8NQQX", "instruction": "i want an ultra hd wifi bluetooth projector.", "attributes": ["ultra hd", "blu ray", "quad core"], "options": ["color: wifi bluetooth projector 7200 lumen"], "instruction_attributes": ["ultra hd"], "instruction_options": ["wifi bluetooth projector 7200 lumen"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KS0LJ1", "worker_id": "A2RBF3IIJP15IH"}], "B07QWV75WB": [{"asin": "B07QWV75WB", "instruction": "i'm looking for men's workhog xt coil wide square toe.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: earth | twilight", "size: 8.5"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["earth | twilight"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO772CK", "worker_id": "A21IUUHBSEVB56"}], "B09P3G1794": [{"asin": "B09P3G1794", "instruction": "i am looking for large size khaki color wide leg high waist workout pants", "attributes": ["wide leg", "high waist", "nylon spandex", "tummy control"], "options": ["color: khaki", "size: large"], "instruction_attributes": ["wide leg", "high waist"], "instruction_options": ["khaki", "large"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB442XYA", "worker_id": "A258PTOZ3D2TQR"}], "B00M3ACMMY": [{"asin": "B00M3ACMMY", "instruction": "i'm looking for a pair of men's sandals that provide a leather sole, which are grey and sized a men's 14.", "attributes": ["leather sole", "synthetic sole"], "options": ["color: grey", "size: 14"], "instruction_attributes": ["leather sole"], "instruction_options": ["grey", "14"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQJOJCL", "worker_id": "A2JP9IKRHNLRPI"}], "B08H5CDKPM": [{"asin": "B08H5CDKPM", "instruction": "i'm looking for fast wireless charger for iphone 12.", "attributes": ["fast charging", "non slip", "usb port", "wireless charging"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39GGZCZ", "worker_id": "A21IUUHBSEVB56"}], "B00CJT36AG": [{"asin": "B00CJT36AG", "instruction": "i need some ready to eat snack packs", "attributes": ["protein serving", "ready eat"], "options": [""], "instruction_attributes": ["ready eat"], "instruction_options": [], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841DRAX5", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NZVGVCH": [{"asin": "B09NZVGVCH", "instruction": "i am looking for long sleeved orange pajamas in a size medium.", "attributes": ["long sleeve", "quality materials", "button closure", "daily wear"], "options": ["color: a5-orange", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a5-orange", "medium"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG5EBG7", "worker_id": "AK3JMCIGU8MLU"}], "B0092MLO5W": [{"asin": "B0092MLO5W", "instruction": "i am looking for a fully assembled vintage grey side table.", "attributes": ["fully assembled", "living room"], "options": ["color: vintage grey"], "instruction_attributes": ["fully assembled"], "instruction_options": ["vintage grey"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXV9YL6", "worker_id": "A1EREKSZAA9V7B"}], "B00TJKBT34": [{"asin": "B00TJKBT34", "instruction": "i am looking for 6 ounce pack of high protein almond snacks.", "attributes": ["high protein", "source vitamin"], "options": ["flavor name: salt n' vinegar", "size: 6 ounce (pack of 12)"], "instruction_attributes": ["high protein"], "instruction_options": ["6 ounce (pack of 12)"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6H8VE9", "worker_id": "AJDQGOTMB2D80"}, {"asin": "B00TJKBT34", "instruction": "i am looking for smokehouse flavor snack nuts having high protein content.", "attributes": ["high protein", "source vitamin"], "options": ["flavor name: smokehouse", "size: 6 ounce (pack of 12)"], "instruction_attributes": ["high protein"], "instruction_options": ["smokehouse"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY990UN", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00TJKBT34", "instruction": "can you find me a spicy blue diamonds high protein snack? my friends prefer the smokehouse flavor in the 6.ounce can (pack of 12)", "attributes": ["high protein", "source vitamin"], "options": ["flavor name: smokehouse", "size: 6 ounce (pack of 12)"], "instruction_attributes": ["high protein"], "instruction_options": ["6 ounce (pack of 12)"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9GW6KM", "worker_id": "A15IJ20C3R4HUO"}], "B08PKBPDMB": [{"asin": "B08PKBPDMB", "instruction": "i'm looking for a pair of men's gym workout shorts for daily wear in a camo black and size medium.", "attributes": ["gym workout", "daily wear"], "options": ["color: 1piece camo black", "size: medium"], "instruction_attributes": ["gym workout", "daily wear"], "instruction_options": ["1piece camo black", "medium"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDRX5KT", "worker_id": "AFU00NU09CFXE"}], "B08HCQW5D3": [{"asin": "B08HCQW5D3", "instruction": "i am looking for some highly pigmented neon eyeshadow.", "attributes": ["highly pigmented", "eye shadow"], "options": ["color: neon"], "instruction_attributes": ["highly pigmented", "eye shadow"], "instruction_options": ["neon"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPELN860", "worker_id": "A1EREKSZAA9V7B"}], "B09CD2VL88": [{"asin": "B09CD2VL88", "instruction": "i'm interested in purchasing a black colored easy to apply bun maker", "attributes": ["easy apply", "hair styling"], "options": ["color: black, white, red"], "instruction_attributes": ["easy apply"], "instruction_options": ["black, white, red"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXZFO4S", "worker_id": "AHXHM1PQTRWIQ"}], "B09PBV93P6": [{"asin": "B09PBV93P6", "instruction": "i want to buy a toothbrush for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": [""], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR7QA0W", "worker_id": "A15ERD4HOFEPHM"}], "B00WVLVDP2": [{"asin": "B00WVLVDP2", "instruction": "i am looking for 10 pounds of fine grain non gmo sea salt.", "attributes": ["kosher certified", "non gmo"], "options": ["flavor name: 10 lbs. (qty. 2 x 5lb. bags) - fine grain"], "instruction_attributes": ["non gmo"], "instruction_options": ["10 lbs. (qty. 2 x 5lb. bags) - fine grain"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDVJQZX", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00WVLVDP2", "instruction": "i'm looking for a two pound package of sea salt that is both kosher and non gmo. i would like a two pack of five pound package option.", "attributes": ["kosher certified", "non gmo"], "options": ["flavor name: 10 lbs. (qty. 2 x 5lb. bags) - fine grain"], "instruction_attributes": ["kosher certified", "non gmo"], "instruction_options": ["10 lbs. (qty. 2 x 5lb. bags) - fine grain"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163XWPQX", "worker_id": "A2JP9IKRHNLRPI"}], "B095728DTP": [{"asin": "B095728DTP", "instruction": "i would like to get an xx-small hoodie with polyester quality.", "attributes": ["machine wash", "quality polyester", "daily wear"], "options": ["color: 33", "size: xx-small"], "instruction_attributes": ["machine wash", "quality polyester"], "instruction_options": ["xx-small"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS6RUVG", "worker_id": "A15ERD4HOFEPHM"}], "B09PRGMGTC": [{"asin": "B09PRGMGTC", "instruction": "looking for light weight fitbit versa bands for men women also choose size large", "attributes": ["quick release", "light weight", "easy install", "stainless steel"], "options": ["color: black | gray+black | blue", "size: large"], "instruction_attributes": ["light weight"], "instruction_options": ["large"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXP82ZY", "worker_id": "A10OGH5CQBXL5N"}], "B07N1V56NR": [{"asin": "B07N1V56NR", "instruction": "i am looking for soft marble color anna synthetic sole pump for women", "attributes": ["day comfort", "non slip", "synthetic sole"], "options": ["color: soft marble", "size: 9 wide"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["soft marble"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6HFVEG", "worker_id": "A258PTOZ3D2TQR"}], "B0892J76SM": [{"asin": "B0892J76SM", "instruction": "i am looking for a backlit eco friendly vanity mirror.", "attributes": ["eco friendly", "high density"], "options": ["color: backlit", "size: 48x28"], "instruction_attributes": ["eco friendly"], "instruction_options": ["backlit"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9E12VX", "worker_id": "A1EREKSZAA9V7B"}], "B08W5BN4FK": [{"asin": "B08W5BN4FK", "instruction": "i need a wireless amplifier with bluetooth", "attributes": ["power amplifier", "wireless bluetooth"], "options": ["style: basic features"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401DSMU4", "worker_id": "AVIEE6LDH0BT5"}], "B0878X59RR": [{"asin": "B0878X59RR", "instruction": "i'm looking for a long lasting roll on antiperspirant.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant", "long lasting"], "instruction_options": [], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GO1V93E", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B0878X59RR", "instruction": "i am looking for a long lasting deodorant.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HNNOWD", "worker_id": "A2ECRNQ3X5LEXD"}], "B093YTF2FF": [{"asin": "B093YTF2FF", "instruction": "i am looking for a set of 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9LEK6S", "worker_id": "A2KW17G25L25R8"}], "B07WHL23DC": [{"asin": "B07WHL23DC", "instruction": "i am looking for a christmas balls green & red hand painted seasonal celebration candles", "attributes": ["hand painted", "easy assemble"], "options": ["color: christmas balls green & red"], "instruction_attributes": ["hand painted"], "instruction_options": ["christmas balls green & red"], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95VGXQ2", "worker_id": "A9QRQL9CFJBI7"}], "B002XULCAM": [{"asin": "B002XULCAM", "instruction": "i would like some keto friendly strawberry nutrition drink", "attributes": ["protein serving", "keto friendly", "low sugar", "low fat", "high protein", "gluten free"], "options": ["style: strawberry cream"], "instruction_attributes": ["keto friendly"], "instruction_options": ["strawberry cream"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DUH4K0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09KND6B9K": [{"asin": "B09KND6B9K", "instruction": "i would like a 70 by 185 cm round head massage linens for a beauty salon.", "attributes": ["high quality", "beauty salon"], "options": ["size: 70*185cm round head"], "instruction_attributes": ["beauty salon"], "instruction_options": ["70*185cm round head"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3IBNDFE", "worker_id": "A1WS884SI0SLO4"}], "B07TFKT734": [{"asin": "B07TFKT734", "instruction": "i'm looking for a plant based meal replacement shake that are nut, soy, and gluten free. choose the ones that are chai flavor and come in 12 fl oz and pack of 12.", "attributes": ["low sugar", "nut free", "soy free", "plant based", "gluten free", "shelf stable", "dairy free", "non gmo", "artificial colors"], "options": ["flavor name: chai", "size: 12 fl oz (pack of 12)"], "instruction_attributes": ["nut free", "soy free", "plant based", "gluten free"], "instruction_options": ["chai", "12 fl oz (pack of 12)"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WYIA1J", "worker_id": "A3MNXK3VDK37SN"}], "B08GFG8SV9": [{"asin": "B08GFG8SV9", "instruction": "i am looking to buy a paraben free makeup remover containing hyaluronic acid.", "attributes": ["paraben free", "hyaluronic acid"], "options": [""], "instruction_attributes": ["paraben free", "hyaluronic acid"], "instruction_options": [], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TG2NME", "worker_id": "AHXHM1PQTRWIQ"}], "B08Y6LQYYF": [{"asin": "B08Y6LQYYF", "instruction": "i want a 6 pack of valentine's day stretch chair cover dining room chair covers.", "attributes": ["machine washable", "easy install", "dining room"], "options": ["color: tulipswcs4260", "size: 6 pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["6 pcs"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQGU91X", "worker_id": "A2RBF3IIJP15IH"}], "B0006NXZ7G": [{"asin": "B0006NXZ7G", "instruction": "i would like to buy jojoba oil which is non toxic, and comes in a size of 128 fl oz, and pack of 1.", "attributes": ["animal testing", "non toxic", "cruelty free"], "options": ["size: 128 fl oz (pack of 1)"], "instruction_attributes": ["non toxic"], "instruction_options": ["128 fl oz (pack of 1)"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDW0QZG", "worker_id": "AJY5G987IRT25"}], "B019YT48D2": [{"asin": "B019YT48D2", "instruction": "i want dual band upbright 5v ac/dc adapter compatible with zboost.", "attributes": ["dual band", "output protection"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIZKT9P", "worker_id": "A2RBF3IIJP15IH"}], "B09HC7V35F": [{"asin": "B09HC7V35F", "instruction": "i am looking for a women's navy blue blouse that is machine washable.", "attributes": ["machine wash", "fashion design", "polyester spandex"], "options": ["color: navy blue", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy blue"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LB2REJ", "worker_id": "A1EREKSZAA9V7B"}], "B08ZJNF1S5": [{"asin": "B08ZJNF1S5", "instruction": "can you direct me to minimalism barefoot shoes? preferably with rubber soles... also, i want blue", "attributes": ["non slip", "rubber sole"], "options": ["color: new moon | blue", "size: 12 us women | 10.5 us men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["new moon | blue"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN4FPTV", "worker_id": "A2TRV8SEM003GG"}], "B004CX1QZ4": [{"asin": "B004CX1QZ4", "instruction": "i need a large petite elastic waist pan. and i choose the dark indigo 20", "attributes": ["machine washable", "loose fit", "machine wash", "elastic waist", "button closure"], "options": ["color: dark indigo 20", "size: large petite"], "instruction_attributes": ["elastic waist"], "instruction_options": ["dark indigo 20", "large petite"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHAC9DOV", "worker_id": "A2COCSUGZV28X"}], "B081YYTGH8": [{"asin": "B081YYTGH8", "instruction": "i want black levi's men's 501 straight leg jeans.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: black", "size: 36w x 32l"], "instruction_attributes": ["straight leg"], "instruction_options": ["black"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOHEW19", "worker_id": "A2RBF3IIJP15IH"}], "B09CMX4VB3": [{"asin": "B09CMX4VB3", "instruction": "i would like a dark blue denture storage case.", "attributes": ["easy clean", "storage case"], "options": ["color: dark blue"], "instruction_attributes": ["storage case"], "instruction_options": ["dark blue"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT69JYU", "worker_id": "A1WS884SI0SLO4"}], "B08H53L4B4": [{"asin": "B08H53L4B4", "instruction": "i need high speed hdmi panel mount extension cable with angle down- 0.5m", "attributes": ["gold plated", "blu ray", "high speed"], "options": ["color: angle down-0.5m"], "instruction_attributes": ["high speed"], "instruction_options": ["angle down-0.5m"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4EV6RW", "worker_id": "A258PTOZ3D2TQR"}], "B09MKS4HDV": [{"asin": "B09MKS4HDV", "instruction": "i'm looking for a loose fit vest with long sleeves for teen girls. also choose large size khaki colored one.", "attributes": ["loose fit", "long sleeve", "drawstring waist", "relaxed fit", "teen girls"], "options": ["color: khaki", "size: large"], "instruction_attributes": ["loose fit", "long sleeve", "teen girls"], "instruction_options": ["khaki", "large"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOAEGJO", "worker_id": "AR0VJ5XRG16UJ"}], "B094YHLK42": [{"asin": "B094YHLK42", "instruction": "i am looking for an easy to assemble queen size box spring that has memory foam.", "attributes": ["easy assemble", "memory foam", "box spring"], "options": ["color: brown", "size: queen", "style: 8-inch"], "instruction_attributes": ["easy assemble", "memory foam", "box spring"], "instruction_options": ["queen"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVQ671J", "worker_id": "A1EREKSZAA9V7B"}], "B01FGKEBBW": [{"asin": "B01FGKEBBW", "instruction": "i would like a 4 foot by 6 foot rectangular sage green area rug that is super soft.", "attributes": ["easy clean", "spot clean", "super soft"], "options": ["color: sage green", "item shape: rectangular", "size: 4 ft x 6 ft"], "instruction_attributes": ["super soft"], "instruction_options": ["sage green", "rectangular", "4 ft x 6 ft"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGF6SMR", "worker_id": "A1WS884SI0SLO4"}], "B07QB9JC3C": [{"asin": "B07QB9JC3C", "instruction": "i'm looking for a good quality rugs for living and dining rooms. also choose 8\" round shape, green colored one.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: green | turquoise", "size: 8' round"], "instruction_attributes": ["living room", "dining room"], "instruction_options": ["green | turquoise", "8' round"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFE7LVK", "worker_id": "AR0VJ5XRG16UJ"}], "B016NKJX9Y": [{"asin": "B016NKJX9Y", "instruction": "i would like a brown sugar body scrub for sensitive skin.", "attributes": ["fragrance free", "paraben free", "sensitive skin"], "options": ["scent: brown sugar | fig"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["brown sugar | fig"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTSO4VM", "worker_id": "A1WS884SI0SLO4"}], "B00Q8T5GRO": [{"asin": "B00Q8T5GRO", "instruction": "i'm looking for dora the explore kids edt spray.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMORGM99", "worker_id": "A21IUUHBSEVB56"}], "B01BRIT5WW": [{"asin": "B01BRIT5WW", "instruction": "i would like a 44w by 32l big and tall mocha dress that can be machine washed.", "attributes": ["machine wash", "classic fit"], "options": ["color: mocha", "size: 44w x 32l", "special size: big & tall"], "instruction_attributes": ["machine wash"], "instruction_options": ["mocha", "44w x 32l", "big & tall"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OLRTRD", "worker_id": "A1WS884SI0SLO4"}], "B08P2QL6B3": [{"asin": "B08P2QL6B3", "instruction": "i'm looking for plastic empty mist spray bottles.", "attributes": ["easy use", "fine mist"], "options": ["color: transparent 10pcs", "size: 2.9x10.1cm"], "instruction_attributes": ["fine mist"], "instruction_options": ["transparent 10pcs"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJPZ8Z6", "worker_id": "A21IUUHBSEVB56"}], "B092V5VRMB": [{"asin": "B092V5VRMB", "instruction": "kocota unisex garden clogs options to include in your search : bow support, gray vinyl acetate color. i hope you find", "attributes": ["ethylene vinyl", "vinyl acetate", "arch support"], "options": ["color: grey", "size: 10 women | 8 men"], "instruction_attributes": ["vinyl acetate", "arch support"], "instruction_options": ["grey", "10 women | 8 men"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKXOJMZ", "worker_id": "A15IJ20C3R4HUO"}], "B09NYJ6MT9": [{"asin": "B09NYJ6MT9", "instruction": "i want white professional stereo wireless bluetooth speaker.", "attributes": ["power amplifier", "high power", "wireless bluetooth"], "options": ["color: white"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["white"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXVW5O0", "worker_id": "A2RBF3IIJP15IH"}], "B08TWNMVH6": [{"asin": "B08TWNMVH6", "instruction": "i'm looking for a 4g lte gps antenna which should be easy to install.", "attributes": ["easy install", "4g lte"], "options": [""], "instruction_attributes": ["easy install", "4g lte"], "instruction_options": [], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39ITRLT4", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B08TWNMVH6", "instruction": "i am looking for a adhesive mount aerial connector cable right angle plug for car stereo which is easy to install. also choose which accept 4 g lte", "attributes": ["easy install", "4g lte"], "options": [""], "instruction_attributes": ["easy install", "4g lte"], "instruction_options": [], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQCZ19M", "worker_id": "A2HMEGTAFO0CS8"}], "B01MS5PT4L": [{"asin": "B01MS5PT4L", "instruction": "i would like one wall bath fixture that has a brushed nickel finish.", "attributes": ["pendant light", "bronze finish", "light fixture"], "options": ["color: brushed nickel finish", "size: one - light", "style: wall bath fixture"], "instruction_attributes": ["light fixture"], "instruction_options": ["brushed nickel finish", "one - light", "wall bath fixture"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZUI3KB", "worker_id": "A1WS884SI0SLO4"}], "B0199WNJXY": [{"asin": "B0199WNJXY", "instruction": "i would like a 4.2 fluid ounce bottle of coconut oil shampoo.", "attributes": ["coconut oil", "natural ingredients", "hair treatment", "damaged hair", "dry hair"], "options": ["size: 4.2 fl oz (pack of 1)", "style: oil, damage recovery"], "instruction_attributes": ["coconut oil"], "instruction_options": ["4.2 fl oz (pack of 1)", "oil, damage recovery"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0S4111B", "worker_id": "A1WS884SI0SLO4"}], "B08SWJV16Z": [{"asin": "B08SWJV16Z", "instruction": "i would like a bakers rack that is space saving.", "attributes": ["space saving", "storage space"], "options": [""], "instruction_attributes": ["space saving"], "instruction_options": [], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X933YI", "worker_id": "A1WS884SI0SLO4"}], "B09NFGCF3Q": [{"asin": "B09NFGCF3Q", "instruction": "i am looking for a high perfromance grey quad core tablet.", "attributes": ["high performance", "quad core"], "options": ["color: grey"], "instruction_attributes": ["high performance", "quad core"], "instruction_options": ["grey"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9W678X", "worker_id": "A1EREKSZAA9V7B"}], "B07BT88MC3": [{"asin": "B07BT88MC3", "instruction": "looking for light weight rosy pink colour mens womens water shoes", "attributes": ["light weight", "anti slip", "rubber sole"], "options": ["color: rosy pink", "size: 15 women | 13.5 men"], "instruction_attributes": ["light weight"], "instruction_options": ["rosy pink"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107CKLIW", "worker_id": "A10OGH5CQBXL5N"}], "B07B4KXQZV": [{"asin": "B07B4KXQZV", "instruction": "i'm looking for a queen size bedspread set in the color redwood.", "attributes": ["queen size", "machine washable"], "options": ["color: redwood", "size: twin"], "instruction_attributes": ["queen size"], "instruction_options": ["redwood"], "assignment_id": "3IAS3U3I0QQ6LBNTC3YDJ6YE6M72BD", "worker_id": "AK3JMCIGU8MLU"}], "B08BL9NG94": [{"asin": "B08BL9NG94", "instruction": "i am looking for a sma male to female coaxial cable for 4g lte signal booster.", "attributes": ["coaxial cable", "4g lte"], "options": ["size: 7m | 23ft"], "instruction_attributes": ["coaxial cable", "4g lte"], "instruction_options": [], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT0621NU2", "worker_id": "AJDQGOTMB2D80"}], "B09Q1JG3KJ": [{"asin": "B09Q1JG3KJ", "instruction": "i am looking for a wireless, bluetooth enabled home theatre system.", "attributes": ["high definition", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q75DKH", "worker_id": "AK3JMCIGU8MLU"}], "B09RH4CQYD": [{"asin": "B09RH4CQYD", "instruction": "i am looking for a pair of black men's medium underwear that are light weight and machine washable.", "attributes": ["light weight", "machine washable", "fashion design", "drawstring closure"], "options": ["color: black", "size: medium"], "instruction_attributes": ["light weight", "machine washable"], "instruction_options": ["black", "medium"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7RWOBY", "worker_id": "A1EREKSZAA9V7B"}], "B07ML6CH7P": [{"asin": "B07ML6CH7P", "instruction": "i am looking for a pair of women's size 7.5 camo colored non slip walking shoes.", "attributes": ["non slip", "rubber sole"], "options": ["color: camo", "size: 7.5"], "instruction_attributes": ["non slip"], "instruction_options": ["camo", "7.5"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2QDNY1", "worker_id": "A1EREKSZAA9V7B"}], "B08PPW9QKG": [{"asin": "B08PPW9QKG", "instruction": "i'm looking for a high quality accessory bundle for my canon camera; speed and performance is essential.", "attributes": ["high performance", "high speed"], "options": [""], "instruction_attributes": ["high performance", "high speed"], "instruction_options": [], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E807G8T", "worker_id": "A3LIIE572Z4OG7"}], "B099KMQVP3": [{"asin": "B099KMQVP3", "instruction": "i am looking for a pair of women's size 11 daily wear boots.", "attributes": ["day comfort", "quality materials", "teen girls", "daily wear"], "options": ["color: z07-black", "size: 11"], "instruction_attributes": ["daily wear"], "instruction_options": ["11"], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJYSYGR8", "worker_id": "A1EREKSZAA9V7B"}], "B09R7N338P": [{"asin": "B09R7N338P", "instruction": "find me a nice black relaxed fit linen button up for the beach with short sleeves in size 3xl.", "attributes": ["slim fit", "short sleeve", "long sleeve", "relaxed fit"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["short sleeve", "relaxed fit"], "instruction_options": ["black", "3x-large"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODQCWEM", "worker_id": "A3O1I9MATO3ZZN"}], "B08LVPJFWZ": [{"asin": "B08LVPJFWZ", "instruction": "i am loooking for camera lens protector for iphone 12 mini that is easy to use.", "attributes": ["high resolution", "easy use", "aluminum alloy"], "options": ["color: iphone 12 pro pacific blue", "size: iphone 12 mini"], "instruction_attributes": ["easy use"], "instruction_options": ["iphone 12 mini"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P780VST", "worker_id": "A1Q8PPQQCWGY0D"}], "B005OKZ38K": [{"asin": "B005OKZ38K", "instruction": "i would like a 6.56 ounce dark soft brown box of hair dye.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 33 dark soft brown", "size: 6.56 ounce (pack of 1)"], "instruction_attributes": ["hair dye"], "instruction_options": ["33 dark soft brown", "6.56 ounce (pack of 1)"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPDSQDH", "worker_id": "A1WS884SI0SLO4"}], "B08LDHZLPP": [{"asin": "B08LDHZLPP", "instruction": "i just love the matilde vicenzi brand macaroons and i want to try the amaretto d'italia macaroons flavor. the quality of the ingredients is my requirement, if you find it let me know", "attributes": ["artificial colors", "quality ingredients"], "options": ["flavor name: amaretto d'italia macaroons"], "instruction_attributes": ["quality ingredients"], "instruction_options": [], "assignment_id": "3VFJCI1K4A9JGCCP7F5SLPXJYS0RGL", "worker_id": "A15IJ20C3R4HUO"}], "B09GL9HFT9": [{"asin": "B09GL9HFT9", "instruction": "i would like to buy soundbars which can be operated hands free and are 2.1 soundbar.", "attributes": ["hands free", "high speed"], "options": ["style: 2.1 soundbar w | play-fi"], "instruction_attributes": ["hands free"], "instruction_options": ["2.1 soundbar w | play-fi"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3OUYRU", "worker_id": "AJY5G987IRT25"}], "B09PNBTJVJ": [{"asin": "B09PNBTJVJ", "instruction": "i would like a blue pu leather gaming chair", "attributes": ["high density", "long lasting", "lumbar support", "pu leather", "memory foam"], "options": ["color: blue", "style: flip arm 2"], "instruction_attributes": ["pu leather"], "instruction_options": ["blue"], "assignment_id": "32SCWG5HISEW7674IASH43KF3V0P6E", "worker_id": "A2ECRNQ3X5LEXD"}], "B08L5778PK": [{"asin": "B08L5778PK", "instruction": "i'm looking for dermatologically certified serum skin that contains hyaluronic acid for sensitive skin and is fragrance free.", "attributes": ["cruelty free", "dermatologist tested", "oil free", "plant based", "fragrance free", "non toxic", "hyaluronic acid", "sensitive skin"], "options": ["color: ora st-6"], "instruction_attributes": ["dermatologist tested", "fragrance free", "hyaluronic acid"], "instruction_options": [], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVQ3LXD", "worker_id": "ARJDD0Z3R65BD"}], "B07NXTKYQP": [{"asin": "B07NXTKYQP", "instruction": "i am looking for a rustic brown bookshelf with storage space.", "attributes": ["storage space", "engineered wood", "living room"], "options": ["color: rustic brown", "size: 14.6\"w", "style: bookshelf"], "instruction_attributes": [], "instruction_options": ["rustic brown", "bookshelf"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANJVSXG", "worker_id": "AK3JMCIGU8MLU"}], "B07PMTCQHT": [{"asin": "B07PMTCQHT", "instruction": "i am looking for nut free and fat free gummy candy.", "attributes": ["nut free", "fat free", "dairy free", "gluten free"], "options": [""], "instruction_attributes": ["nut free", "fat free"], "instruction_options": [], "assignment_id": "3P4MQ7TPP8M09ONPVWROKZ1I0SIBBM", "worker_id": "A1Q8PPQQCWGY0D"}], "B093S2LPTM": [{"asin": "B093S2LPTM", "instruction": "i am looking for some high quality nail stickers.", "attributes": ["high quality", "nail art", "nail polish"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P78FVS8", "worker_id": "A1EREKSZAA9V7B"}], "B08RJ3YLKM": [{"asin": "B08RJ3YLKM", "instruction": "i want a 2 pack of green tea & eggplant purifying clay stick masks.", "attributes": ["easy carry", "easy use", "green tea", "natural ingredients"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "3G2UL9A02OO71034MOY04HTU32F76C", "worker_id": "A2RBF3IIJP15IH"}], "B094Y4JQMR": [{"asin": "B094Y4JQMR", "instruction": "i am looking for pink, close-toed sandals that have a rubber sole and come in size 8.5", "attributes": ["open toe", "ankle strap", "closed toe", "rubber sole", "teen girls"], "options": ["color: z2-pink", "size: 8.5"], "instruction_attributes": ["closed toe", "rubber sole"], "instruction_options": ["z2-pink", "8.5"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3H1NQ3", "worker_id": "AK3JMCIGU8MLU"}], "B00IX5M0PW": [{"asin": "B00IX5M0PW", "instruction": "i am looking for a anti-perspirant deodorant that is long lasting.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYR3QMI", "worker_id": "A1Q8PPQQCWGY0D"}], "B081YY84HC": [{"asin": "B081YY84HC", "instruction": "i'm looking for original fit jeans for men.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: thunder moon rocks - light indigo", "size: 31w x 30l"], "instruction_attributes": ["straight leg"], "instruction_options": ["thunder moon rocks - light indigo"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4DG6RF", "worker_id": "A21IUUHBSEVB56"}], "B079JDFPMR": [{"asin": "B079JDFPMR", "instruction": "i'm looking for a long-lasting hydration hair treatment spray.", "attributes": ["long lasting", "hair treatment", "hair growth", "natural hair"], "options": [""], "instruction_attributes": ["long lasting", "hair treatment"], "instruction_options": [], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98VAKYV", "worker_id": "A3MNXK3VDK37SN"}], "B08CWNZ56P": [{"asin": "B08CWNZ56P", "instruction": "i am looking for a standard intel core i5 gaming pc.", "attributes": ["core i5", "intel core"], "options": ["style: standard"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["standard"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHRERFJ2E", "worker_id": "A1EREKSZAA9V7B"}], "B091WP1BT5": [{"asin": "B091WP1BT5", "instruction": "i would like a peach juice that is non gmo and gluten free.", "attributes": ["artificial ingredients", "non gmo", "gluten free", "dairy free", "real fruit", "artificial colors", "artificial flavors"], "options": ["flavor name: peach"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": [], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YTC8TP", "worker_id": "A1WS884SI0SLO4"}], "B08P27813M": [{"asin": "B08P27813M", "instruction": "i want a 1b natural hair wig.", "attributes": ["natural hair", "hair growth"], "options": ["color: 1b"], "instruction_attributes": ["natural hair"], "instruction_options": ["1b"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1QW6FD", "worker_id": "A1WS884SI0SLO4"}], "B07G57NM4T": [{"asin": "B07G57NM4T", "instruction": "i'm looking for a comfortable fit pullover shirts with long sleeves for teen girls. also, choose xx-large size white colored one", "attributes": ["loose fit", "daily casual", "wash cold", "hand wash", "long sleeve", "comfortable fit", "teen girls"], "options": ["color: short sleeve-white", "size: xx-large"], "instruction_attributes": ["long sleeve", "comfortable fit", "teen girls"], "instruction_options": ["short sleeve-white", "xx-large"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVJLSZ5", "worker_id": "AR0VJ5XRG16UJ"}], "B09DPTPQW7": [{"asin": "B09DPTPQW7", "instruction": "i want an oribox clear glass screen protector for iphone 12.", "attributes": ["compatible apple", "high definition", "glass screen", "tempered glass"], "options": ["color: clear", "style: iphone 12 | 12 pro"], "instruction_attributes": ["glass screen"], "instruction_options": ["clear"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYR3CG6", "worker_id": "A2RBF3IIJP15IH"}], "B09RF9GTHZ": [{"asin": "B09RF9GTHZ", "instruction": "i want an army green women's long sleeve tunic.", "attributes": ["quick drying", "machine washable", "short sleeve", "long sleeve", "arch support", "laundry bag", "daily wear"], "options": ["color: mqy-zh1 -army green", "size: 4x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["mqy-zh1 -army green"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QGOM1Y", "worker_id": "A2RBF3IIJP15IH"}], "B07Q5863HF": [{"asin": "B07Q5863HF", "instruction": "i am looking for mens shoes that are of realtree edge color and have rubber sole.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: realtree edge", "size: 9.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["realtree edge"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWSP6WC", "worker_id": "A1Q8PPQQCWGY0D"}], "B08YJ99BGF": [{"asin": "B08YJ99BGF", "instruction": "i'm looking for an intel i5 desk top pc with 32 gigabytes of ram and a two terabyte ssd.", "attributes": ["dual band", "core i5", "intel core", "quad core"], "options": ["size: 32gb ram | 2tb ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["32gb ram | 2tb ssd"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVSXKJZ", "worker_id": "AR9AU5FY1S3RO"}], "B093CRX264": [{"asin": "B093CRX264", "instruction": "help me find a black doorbell that will detect motion and give an excellent 1080p hd video quality.", "attributes": ["dual band", "1080p hd", "motion detection"], "options": ["color: black", "style: with plug-in power (white)"], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": ["black"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACUGHNC", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B093CRX264", "instruction": "looking for the 2021 release of ring video doorbell 4. it has 1080p, motion detection options. floodlight cam wired plus option. prefer white in color, but accept black.", "attributes": ["dual band", "1080p hd", "motion detection"], "options": ["color: black", "style: floodlight cam wired plus"], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": ["black", "floodlight cam wired plus"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X8XFRX", "worker_id": "A3RGIKEI8JS2QG"}], "B09F2HDDKN": [{"asin": "B09F2HDDKN", "instruction": "i am looking for some gluten free soft blue edible brew dust.", "attributes": ["kosher certified", "dairy free", "gluten free"], "options": ["color: soft blue", "size: 1000g (1kg)"], "instruction_attributes": ["gluten free"], "instruction_options": ["soft blue"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS6OUVD", "worker_id": "A1EREKSZAA9V7B"}], "B079KBCBKX": [{"asin": "B079KBCBKX", "instruction": "i'm looking for a hair extensions with natural hair. also choose 120g 14 inch sized natural black mixed chestnut brown colored one.", "attributes": ["hair extensions", "natural hair"], "options": ["color: natural black mixed chestnut brown #1b | 6 | 1b", "size: 14 inch (120 gram)"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["natural black mixed chestnut brown #1b | 6 | 1b", "14 inch (120 gram)"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733PQEBK", "worker_id": "AR0VJ5XRG16UJ"}], "B09BJPSK5Z": [{"asin": "B09BJPSK5Z", "instruction": "i am looking for a white footstool for my living room.", "attributes": ["high density", "pu leather", "solid wood", "living room"], "options": ["color: white", "size: 11.81in\u00d711.41in"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBI9DJM", "worker_id": "A1EREKSZAA9V7B"}], "B093YT7VND": [{"asin": "B093YT7VND", "instruction": "i am interested in buying a laundry bag", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UINA32", "worker_id": "AHXHM1PQTRWIQ"}], "B09DC88HCP": [{"asin": "B09DC88HCP", "instruction": "i am looking for easy clean , red color shower curtain of size 78\"w x 70\"h with hook", "attributes": ["easy clean", "printing technology"], "options": ["color: red", "size: 78\"w x 70\"h | 200x180cm"], "instruction_attributes": ["easy clean"], "instruction_options": ["red", "78\"w x 70\"h | 200x180cm"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2BF7YH", "worker_id": "A258PTOZ3D2TQR"}], "B07R3SP4BM": [{"asin": "B07R3SP4BM", "instruction": "i want to buy a vortex razor hd spotting scope for iphone 12 pro max that has a carrying case.", "attributes": ["compatible apple", "easy use", "carrying case"], "options": ["color: iphone 12 pro max", "size: vortex razor hd | ultra hd gen 1&2 spottin..."], "instruction_attributes": ["carrying case"], "instruction_options": ["iphone 12 pro max", "vortex razor hd | ultra hd gen 1&2 spottin..."], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL7BEAV", "worker_id": "A2YNPKYEFDZ6C9"}], "B07QKFRT2F": [{"asin": "B07QKFRT2F", "instruction": "i need a sugar free liquid water enhancer", "attributes": ["sugar free", "caffeine free", "easy use"], "options": [""], "instruction_attributes": ["sugar free"], "instruction_options": [], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD30CI1", "worker_id": "A2Y2TURT2VEYZN"}], "B004QVPDEC": [{"asin": "B004QVPDEC", "instruction": "i would like a 6 foot long gold plated pink cable.", "attributes": ["high speed", "ultra hd", "gold plated", "high resolution", "high performance", "high definition"], "options": ["color: pink", "size: 6ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["pink", "6ft"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KRDJLA", "worker_id": "A1WS884SI0SLO4"}], "B08LM9FX1X": [{"asin": "B08LM9FX1X", "instruction": "i'm looking for a waterproof hair cutting capes for hair styling. also choose 55\" * 66\" multi color one", "attributes": ["hair cutting", "hair styling"], "options": ["color: multi color 7", "size: 55\" x 66\""], "instruction_attributes": ["hair cutting", "hair styling"], "instruction_options": ["multi color 7", "55\" x 66\""], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCRHMBH", "worker_id": "AR0VJ5XRG16UJ"}], "B000SATGXE": [{"asin": "B000SATGXE", "instruction": "looking for davidson's tea 100 pcs south africa flavored tea bags, spiced rooibos chai is my favorite, please demand certified organic.", "attributes": ["caffeine free", "certified organic"], "options": ["flavor name: rooibos spiced chai"], "instruction_attributes": ["certified organic"], "instruction_options": ["rooibos spiced chai"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLAQECR", "worker_id": "A15IJ20C3R4HUO"}], "B085RNCPZC": [{"asin": "B085RNCPZC", "instruction": "i am interested in buying a beige colored super soft throw for the bedroom.", "attributes": ["super soft", "fleece throw"], "options": ["color: beige", "size: travel | throw(50\"x60\")"], "instruction_attributes": ["super soft"], "instruction_options": ["beige"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADX06YMF", "worker_id": "AHXHM1PQTRWIQ"}], "B086VLYFH8": [{"asin": "B086VLYFH8", "instruction": "i need an easy to clean, easy to assemble computer desk. it should have walnut wood and metal legs.", "attributes": ["heavy duty", "easy clean", "easy assemble", "coated steel", "metal legs"], "options": ["color: 4.0 walnut 2"], "instruction_attributes": ["easy clean", "easy assemble", "metal legs"], "instruction_options": ["4.0 walnut 2"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9MCK6S", "worker_id": "AR9AU5FY1S3RO"}], "B09SB4G9CS": [{"asin": "B09SB4G9CS", "instruction": "looking for high performance quad-core 64bit android tv box 10.0", "attributes": ["dual band", "high performance", "easy use", "quad core"], "options": ["color: 2gb+16gb"], "instruction_attributes": ["high performance", "quad core"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGANLSP", "worker_id": "A10OGH5CQBXL5N"}], "B00SYOUSCO": [{"asin": "B00SYOUSCO", "instruction": "i am looking for a 1.5 foot high speed gold plated hdmi cable.", "attributes": ["high speed", "gold plated"], "options": ["pattern name: 1 pack", "size: 1.5 feet"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["1.5 feet"], "assignment_id": "3BC8WZX3VE6A52L3NQZ4KTBQ00NRRR", "worker_id": "A1EREKSZAA9V7B"}], "B07K8X6JZL": [{"asin": "B07K8X6JZL", "instruction": "i would like a caramel variety pack that is individually wrapped.", "attributes": ["hand crafted", "individually wrapped", "artificial ingredients", "high fructose", "natural ingredients", "artificial flavors"], "options": ["flavor name: variety"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["variety"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49LCTDL", "worker_id": "A1WS884SI0SLO4"}], "B01EO2KP2M": [{"asin": "B01EO2KP2M", "instruction": "i'm looking for a blush brush that should cruelty free certified. also, choose angled liner one.", "attributes": ["cruelty free", "nail polish"], "options": ["color: angled liner brush"], "instruction_attributes": ["cruelty free"], "instruction_options": ["angled liner brush"], "assignment_id": "33TIN5LC0FKDY31374RC144TX1SY99", "worker_id": "AR0VJ5XRG16UJ"}, {"asin": "B01EO2KP2M", "instruction": "i would like a foundation brush for my nail polish.", "attributes": ["cruelty free", "nail polish"], "options": ["color: foundation brush"], "instruction_attributes": ["nail polish"], "instruction_options": ["foundation brush"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC7CKUA", "worker_id": "A1WS884SI0SLO4"}], "B07N7YPR32": [{"asin": "B07N7YPR32", "instruction": "i would like a non gmo container of artichoke hearts.", "attributes": ["dairy free", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSY86TN", "worker_id": "A1WS884SI0SLO4"}], "B083LXGV1K": [{"asin": "B083LXGV1K", "instruction": "i would like a size 34 pair of garden variety shorts that can be machine washed.", "attributes": ["machine wash", "button closure"], "options": ["color: garden variety", "size: 34"], "instruction_attributes": ["machine wash"], "instruction_options": ["garden variety", "34"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRYV3F3", "worker_id": "A1WS884SI0SLO4"}], "B09239MNBY": [{"asin": "B09239MNBY", "instruction": "i am looking for cheese flavored gluten free rice snacks", "attributes": ["gluten free", "natural ingredients"], "options": ["flavor name: cheese x2"], "instruction_attributes": ["gluten free"], "instruction_options": ["cheese x2"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH1571WH1", "worker_id": "A258PTOZ3D2TQR"}], "B092VS43X2": [{"asin": "B092VS43X2", "instruction": "i'm looking for a tv cabinet for living room with high gloss finish and has tempered glass. also, choose a-47\" w* 16\" d* 16\"h in size natural 017 colored one.", "attributes": ["high gloss", "tempered glass", "living room"], "options": ["color: natural 017", "size: a-47 \"w \u00d7 16\" d \u00d7 16 \"h"], "instruction_attributes": ["high gloss", "tempered glass", "living room"], "instruction_options": ["natural 017", "a-47 \"w \u00d7 16\" d \u00d7 16 \"h"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTQLO6D", "worker_id": "AR0VJ5XRG16UJ"}], "B07C8C3JFC": [{"asin": "B07C8C3JFC", "instruction": "i am looking for a ready to hang 24 inch by 30 inch poster of a cow.", "attributes": ["ready hang", "dining room", "living room"], "options": ["size: 24 x 30", "style: wall plaque"], "instruction_attributes": ["ready hang"], "instruction_options": ["24 x 30"], "assignment_id": "37TRT2X24116R7L1JO45INKV8X3BJJ", "worker_id": "A1EREKSZAA9V7B"}], "B08TB6XVY9": [{"asin": "B08TB6XVY9", "instruction": "i am looking for a 3-pack of bpa free fine mist bottles with trigger.", "attributes": ["leak proof", "bpa free", "high quality", "fine mist"], "options": ["size: pack of 3"], "instruction_attributes": ["bpa free", "fine mist"], "instruction_options": ["pack of 3"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVONQ0S", "worker_id": "AK3JMCIGU8MLU"}], "B01IY27IX2": [{"asin": "B01IY27IX2", "instruction": "i would like a unscented body butter that is cruelty free.", "attributes": ["anti aging", "cruelty free", "dry skin"], "options": ["scent: unscented"], "instruction_attributes": ["cruelty free"], "instruction_options": ["unscented"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5YRF40", "worker_id": "A1WS884SI0SLO4"}], "B09JFX86BQ": [{"asin": "B09JFX86BQ", "instruction": "i need a long sleeve casual jacket for women.", "attributes": ["light weight", "long sleeve"], "options": ["color: e2-gray", "size: 5x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5KB912O", "worker_id": "AVIEE6LDH0BT5"}], "B00H4KDZZ6": [{"asin": "B00H4KDZZ6", "instruction": "i'm looking for low carb protein powder.", "attributes": ["low carb", "protein serving", "low fat", "keto friendly", "gluten free"], "options": ["flavor name: chocolate peanut butter cup", "size: variety pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["variety pack"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3PWZLH", "worker_id": "A21IUUHBSEVB56"}], "B08BJ4HYJ9": [{"asin": "B08BJ4HYJ9", "instruction": "i am looking for a navy blue macbook pro 13 inch case cover.", "attributes": ["light weight", "case cover"], "options": ["color: navy blue"], "instruction_attributes": ["case cover"], "instruction_options": ["navy blue"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06PKXK6", "worker_id": "AHU9OLV0YKIIW"}], "B08RJZQYK1": [{"asin": "B08RJZQYK1", "instruction": "i'm looking for track trail running shoe for men.", "attributes": ["lace closure", "rubber outsole", "regular fit"], "options": ["color: core black | core black | bold blue", "size: 12 m uk"], "instruction_attributes": ["regular fit"], "instruction_options": ["core black | core black | bold blue"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRXWWPP", "worker_id": "A21IUUHBSEVB56"}], "B07RMJZTJJ": [{"asin": "B07RMJZTJJ", "instruction": "i would like a 0.4 ounce medium honey concealer that is long lasting.", "attributes": ["anti aging", "highly pigmented", "travel size", "long lasting", "hyaluronic acid", "dark circles"], "options": ["color: 22.5 medium honey (w)", "size: 0.4 ounce (pack of 1)"], "instruction_attributes": ["long lasting"], "instruction_options": ["22.5 medium honey (w)", "0.4 ounce (pack of 1)"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPKFVQ4", "worker_id": "A1WS884SI0SLO4"}], "B08PBP6N38": [{"asin": "B08PBP6N38", "instruction": "i want a grey bellemave bed frame wood platform bed.", "attributes": ["white item", "box spring", "storage space", "wood frame", "solid wood"], "options": ["color: grey", "size: twin"], "instruction_attributes": ["wood frame"], "instruction_options": ["grey"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXWBO50", "worker_id": "A2RBF3IIJP15IH"}], "B07KMJNTY2": [{"asin": "B07KMJNTY2", "instruction": "i am looking for 28 short size women's straight leg jeans", "attributes": ["straight leg", "machine wash", "imported zipper"], "options": ["color: (new) slate ideal clean hem - dark indigo", "fit type: standard", "size: 28 short"], "instruction_attributes": ["straight leg"], "instruction_options": ["standard", "28 short"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UTNG1T", "worker_id": "A258PTOZ3D2TQR"}], "B0956KCDT2": [{"asin": "B0956KCDT2", "instruction": "i am looking for qazpl clip in hair extensions for hair loss.", "attributes": ["high quality", "hair loss"], "options": ["color: kinky curly", "size: 18 inch"], "instruction_attributes": ["hair loss"], "instruction_options": ["18 inch"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQF4AJ9", "worker_id": "A2KW17G25L25R8"}], "B09P12CWD9": [{"asin": "B09P12CWD9", "instruction": "i want a x-large merthy long sleeve camp corduroy shirt.", "attributes": ["slim fit", "loose fit", "hand wash", "winter warm", "fleece lined", "wash cold", "machine wash", "long sleeve", "drawstring waist", "high waist"], "options": ["color: 02 brown", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x-large"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86AN81I", "worker_id": "A2RBF3IIJP15IH"}], "B073WGFRM1": [{"asin": "B073WGFRM1", "instruction": "i need a concealer for dark circles that is in the color sassy", "attributes": ["certified organic", "anti aging", "cruelty free", "long lasting", "natural ingredients", "dark circles"], "options": ["color: sassy"], "instruction_attributes": ["dark circles"], "instruction_options": ["sassy"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYM4LQ2", "worker_id": "A2ECRNQ3X5LEXD"}], "B092YR7R35": [{"asin": "B092YR7R35", "instruction": "i would like a rose gold cupcake topper for a birthday cake.", "attributes": ["cupcake picks", "birthday party"], "options": ["color: rose gold"], "instruction_attributes": ["birthday party"], "instruction_options": ["rose gold"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MP7FOQ", "worker_id": "A1WS884SI0SLO4"}], "B0983MS3T8": [{"asin": "B0983MS3T8", "instruction": "i want a tripod that is easy to carry.", "attributes": ["quick release", "easy carry"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "37Z929RLGKIZMWY86444AIH4AOWSTO", "worker_id": "A15ERD4HOFEPHM"}], "B08DJ7PMV9": [{"asin": "B08DJ7PMV9", "instruction": "i'm looking for a travel size perfume that should be long lasting and free from alcohol. also choose clinique happy for men impression scented one.", "attributes": ["travel size", "alcohol free", "long lasting"], "options": ["scent: clinique happy for men impression"], "instruction_attributes": ["travel size", "alcohol free", "long lasting"], "instruction_options": ["clinique happy for men impression"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK97VNW", "worker_id": "AR0VJ5XRG16UJ"}], "B01KV6SE5U": [{"asin": "B01KV6SE5U", "instruction": "i am looking for a can of ready to eat smoked oysters.", "attributes": ["high protein", "gluten free", "protein serving", "ready eat"], "options": ["flavor name: oysters smoked"], "instruction_attributes": ["ready eat"], "instruction_options": ["oysters smoked"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LIX0LA", "worker_id": "A1EREKSZAA9V7B"}], "B075813R1S": [{"asin": "B075813R1S", "instruction": "i'm looking for a high quality tea tree oil with basil scent. choose the ones that come in 10 ml package.", "attributes": ["high quality", "tea tree"], "options": ["scent: basil", "size: 10 ml (pack of 1)"], "instruction_attributes": ["high quality", "tea tree"], "instruction_options": ["basil", "10 ml (pack of 1)"], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTDU56ZE", "worker_id": "A3MNXK3VDK37SN"}], "B07R83KXYZ": [{"asin": "B07R83KXYZ", "instruction": "i'm looking for an extra large men's valley jacket that will last a long time and is made from high quality materials.", "attributes": ["long lasting", "quality materials"], "options": ["color: crouton", "size: x-large"], "instruction_attributes": ["long lasting", "quality materials"], "instruction_options": ["x-large"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VKS8E4", "worker_id": "A2JP9IKRHNLRPI"}], "B09R7YYJM4": [{"asin": "B09R7YYJM4", "instruction": "i would like a medium green two piece swim suit with moisture wicking.", "attributes": ["loose fit", "moisture wicking", "slim fit", "tummy control", "long sleeve", "cotton spandex", "memory foam", "high waist", "tumble dry"], "options": ["color: hkfg-a390-green", "size: medium"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["hkfg-a390-green", "medium"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJPJZ8H", "worker_id": "A1WS884SI0SLO4"}], "B003O3P9EC": [{"asin": "B003O3P9EC", "instruction": "i'm looking for a pack of 2 guava jelly 1.06 oz jar with 0g trans", "attributes": ["low fat", "fat free", "0g trans"], "options": ["size: .2 pack - 1.06 ounce (pack of 1)"], "instruction_attributes": ["0g trans"], "instruction_options": [".2 pack - 1.06 ounce (pack of 1)"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQJLKEW", "worker_id": "A2Y2TURT2VEYZN"}], "B087D93CRX": [{"asin": "B087D93CRX", "instruction": "i would like a 3 pack of kugel meal kits that are fully cooked.", "attributes": ["fully cooked", "easy prepare", "shelf stable", "ready eat", "kosher certified"], "options": ["flavor name: kugel", "size: pack of 3"], "instruction_attributes": ["fully cooked"], "instruction_options": ["kugel", "pack of 3"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFSI3VQ", "worker_id": "A1WS884SI0SLO4"}], "B09KPCYCSD": [{"asin": "B09KPCYCSD", "instruction": "i would like a 5xl leopard t shirt with a short sleeve.", "attributes": ["hand wash", "machine wash", "contrast color", "fashion design", "relaxed fit", "short sleeve", "long sleeve"], "options": ["color: a13f-leopard", "size: 5x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["a13f-leopard", "5x-large"], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIMJ92P", "worker_id": "A1WS884SI0SLO4"}], "B094VQTWZ7": [{"asin": "B094VQTWZ7", "instruction": "i want to buy some earbuds that are easy to carry and are in color pinky girls.", "attributes": ["fast charging", "easy carry"], "options": ["color: pinky girls"], "instruction_attributes": ["easy carry"], "instruction_options": ["pinky girls"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LKKPSN", "worker_id": "A2YNPKYEFDZ6C9"}], "B07BLRKV7B": [{"asin": "B07BLRKV7B", "instruction": "i would like a glossy red keychain that is made of carbon fiber.", "attributes": ["light weight", "carbon fiber"], "options": ["color: glossy red - metal keychain"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["glossy red - metal keychain"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAJWOVO", "worker_id": "A1WS884SI0SLO4"}], "B08D7CT1XX": [{"asin": "B08D7CT1XX", "instruction": "add to my list a wizard of oz 3xlarge tshirt for men. should be officially licenced..", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: pink", "fit type: men", "size: 3x-large"], "instruction_attributes": ["officially licensed"], "instruction_options": ["men", "3x-large"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMNZVXY", "worker_id": "AHU9OLV0YKIIW"}], "B08GJ6ZLXB": [{"asin": "B08GJ6ZLXB", "instruction": "i am looking for some gluten free did someone say chipotle flavored seafood seasoning.", "attributes": ["gluten free", "non gmo", "usda organic", "low carb", "dairy free", "natural flavors"], "options": ["flavor name: did someone say chipotle", "size: 2.9 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["did someone say chipotle"], "assignment_id": "32SCWG5HISEW7674IASH43KF3VR6PM", "worker_id": "A1EREKSZAA9V7B"}], "B01499R1F4": [{"asin": "B01499R1F4", "instruction": "i would like a black file cabinets what are fully assembled.", "attributes": ["fully assembled", "coated steel"], "options": ["color: black"], "instruction_attributes": ["fully assembled"], "instruction_options": ["black"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIGI2LX", "worker_id": "A1WS884SI0SLO4"}], "B099RJHQZK": [{"asin": "B099RJHQZK", "instruction": "i am looking for a women's grey short sleeve mini dress.", "attributes": ["daily casual", "wash cold", "machine wash", "short sleeve", "relaxed fit"], "options": ["color: grey", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["grey"], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJV3BXS", "worker_id": "A1EREKSZAA9V7B"}], "B08MJ7Q4LM": [{"asin": "B08MJ7Q4LM", "instruction": "i need an easy to carry background that is 7 by 5 ft", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 7x5ft"], "instruction_attributes": ["easy carry"], "instruction_options": ["7x5ft"], "assignment_id": "3KIBXJ1WDG4LLLGS5E93PMK7UMYOKD", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VG8CYTX": [{"asin": "B07VG8CYTX", "instruction": "i want a 64 gig data shur usb port drive.", "attributes": ["water resistant", "easy use", "usb port"], "options": ["size: 64gb", "style: datashur"], "instruction_attributes": ["usb port"], "instruction_options": ["64gb", "datashur"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UML0PRDG", "worker_id": "A1WS884SI0SLO4"}], "B093SYDS21": [{"asin": "B093SYDS21", "instruction": "i want blouse hosiery in white color", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery"], "instruction_options": [], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGROIYL", "worker_id": "A226L9F2AZ38CL"}], "B07XHRRRQ6": [{"asin": "B07XHRRRQ6", "instruction": "i am looking for some high protein salt n' vinegar flavored almonds.", "attributes": ["high protein", "source vitamin"], "options": ["flavor name: salt n' vinegar", "size: 6 ounce (pack of 1)"], "instruction_attributes": ["high protein"], "instruction_options": ["salt n' vinegar"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN4OOGF", "worker_id": "A1EREKSZAA9V7B"}], "B078PLG6MM": [{"asin": "B078PLG6MM", "instruction": "i want a 2 pack of garnier hair care fructis coconut oil conditioner.", "attributes": ["paraben free", "long lasting", "coconut oil"], "options": ["size: 10.2 fl oz (pack of 2)"], "instruction_attributes": ["coconut oil"], "instruction_options": ["10.2 fl oz (pack of 2)"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1IH80F", "worker_id": "A2RBF3IIJP15IH"}], "B08Y8J5ZTR": [{"asin": "B08Y8J5ZTR", "instruction": "i would like a high protein jerky.", "attributes": ["grass fed", "artificial ingredients", "gluten free", "low fat", "high protein", "low carb"], "options": [""], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFJHVMG", "worker_id": "A1WS884SI0SLO4"}], "B08XZQBD3R": [{"asin": "B08XZQBD3R", "instruction": "i want some noise cancelling headset. it should be hands free.", "attributes": ["hands free", "noise cancelling"], "options": ["pattern name: headset", "size: on ear", "style: c300-xt"], "instruction_attributes": ["hands free", "noise cancelling"], "instruction_options": ["headset"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CT1T2O", "worker_id": "A1NF6PELRKACS9"}], "B00KXMJXY4": [{"asin": "B00KXMJXY4", "instruction": "iam looking for gmo free assortment - 38 pc", "attributes": ["gmo free", "artificial flavors"], "options": [""], "instruction_attributes": ["gmo free"], "instruction_options": [], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLICQKI3", "worker_id": "A9QRQL9CFJBI7"}], "B0084EHWDW": [{"asin": "B0084EHWDW", "instruction": "i'm looking for professional animal arco pet clipper kit.", "attributes": ["easy clean", "storage case"], "options": ["color: green apple"], "instruction_attributes": ["storage case"], "instruction_options": ["green apple"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHACNODK", "worker_id": "A21IUUHBSEVB56"}], "B09RJ3B1MF": [{"asin": "B09RJ3B1MF", "instruction": "i'm looking for long lasting eyeshadow pencils for women.", "attributes": ["long lasting", "easy apply", "highly pigmented", "eye shadow"], "options": ["color: 10#sky blue"], "instruction_attributes": ["long lasting", "eye shadow"], "instruction_options": [], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ589KC6", "worker_id": "A21IUUHBSEVB56"}], "B08DJB4MS5": [{"asin": "B08DJB4MS5", "instruction": "i am looking for a 3'x5' size of contemporary style area rugs", "attributes": ["easy clean", "contemporary style", "dining room"], "options": ["color: grey, yellow", "size: 3' x 5'"], "instruction_attributes": ["contemporary style"], "instruction_options": [], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZS150V", "worker_id": "A9QRQL9CFJBI7"}], "B09NNQTVYB": [{"asin": "B09NNQTVYB", "instruction": "i am looking for hands free, noise cancelling earphones in the color blue.", "attributes": ["hands free", "dust proof", "noise cancelling", "wireless bluetooth"], "options": ["color: s_blue"], "instruction_attributes": ["hands free", "noise cancelling"], "instruction_options": ["s_blue"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOHL1WL", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B09NNQTVYB", "instruction": "i am looking for a wireless bluetooth headphone with noise cancelling and dust proof. also in red color", "attributes": ["hands free", "dust proof", "noise cancelling", "wireless bluetooth"], "options": ["color: r_red"], "instruction_attributes": ["dust proof", "noise cancelling", "wireless bluetooth"], "instruction_options": ["r_red"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8ZWSS1", "worker_id": "A2HMEGTAFO0CS8"}], "B094YV3VNZ": [{"asin": "B094YV3VNZ", "instruction": "i'm looking for bookshelf speaker.", "attributes": ["high performance", "plug play", "stereo sound"], "options": ["color: white | white walnut"], "instruction_attributes": ["high performance"], "instruction_options": ["white | white walnut"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5Y06Q3M", "worker_id": "A21IUUHBSEVB56"}], "B07MXS6N5N": [{"asin": "B07MXS6N5N", "instruction": "i am looking for an army green short sleeve polo shirt.", "attributes": ["hand wash", "cotton spandex", "classic fit", "short sleeve"], "options": ["color: a army green", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UWBJ6P", "worker_id": "A1EREKSZAA9V7B"}], "B098WM2956": [{"asin": "B098WM2956", "instruction": "i want blue velvet sectional couches for the living room.", "attributes": ["button tufted", "mid century", "living room"], "options": ["color: blue"], "instruction_attributes": ["living room"], "instruction_options": ["blue"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK4UIU6", "worker_id": "A2RBF3IIJP15IH"}], "B07QNTX6MQ": [{"asin": "B07QNTX6MQ", "instruction": "i am interested in buying a 13.5 inch intel core i5 processor based tablet which has a usb port.", "attributes": ["core i5", "intel core", "usb port"], "options": ["size: 13.5 in"], "instruction_attributes": ["core i5", "intel core", "usb port"], "instruction_options": ["13.5 in"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C9HHP8", "worker_id": "AHXHM1PQTRWIQ"}], "B09RWTPTVC": [{"asin": "B09RWTPTVC", "instruction": "i'm looking for a men's blue slim fit short sleeve shirt in size small.", "attributes": ["slim fit", "daily casual", "fleece lined", "hand wash", "machine wash", "tummy control", "short sleeve", "long sleeve"], "options": ["color: blue", "size: small"], "instruction_attributes": ["slim fit", "short sleeve"], "instruction_options": ["blue", "small"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCSH9BC", "worker_id": "A3MNXK3VDK37SN"}], "B08VVYWJ24": [{"asin": "B08VVYWJ24", "instruction": "i am looking for non-gmo, gluten-free and kosher certified mustard seeds.", "attributes": ["non gmo", "gluten free", "kosher certified", "dietary fiber"], "options": [""], "instruction_attributes": ["non gmo", "gluten free", "kosher certified"], "instruction_options": [], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8SKQQP", "worker_id": "AJDQGOTMB2D80"}], "B093SXGCZH": [{"asin": "B093SXGCZH", "instruction": "i'm in need of a pair of laundry bags made from mesh.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUBR9AE", "worker_id": "A2JP9IKRHNLRPI"}], "B00BIM3JLQ": [{"asin": "B00BIM3JLQ", "instruction": "i want black dunham men's revchase slip-ons with memory foam.", "attributes": ["ethylene vinyl", "vinyl acetate", "memory foam", "rubber sole"], "options": ["color: black", "size: 12"], "instruction_attributes": ["memory foam"], "instruction_options": ["black"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1MCFTGG", "worker_id": "A2RBF3IIJP15IH"}], "B00U3TE9ZU": [{"asin": "B00U3TE9ZU", "instruction": "i'm looking for a long lasting foundation that has spf50+. also, choose the color no. 21.", "attributes": ["long lasting", "dark circles"], "options": ["color: no.21"], "instruction_attributes": ["long lasting"], "instruction_options": ["no.21"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLKZ2FV", "worker_id": "A1TWVJS27CL3KT"}], "B09FXVQ8WN": [{"asin": "B09FXVQ8WN", "instruction": "i am looking for a sugar free starburst cherry flavored energy drink.", "attributes": ["sugar free", "artificial colors", "zero sugar"], "options": ["flavor name: starburst cherry", "size: 16 fl oz (pack of 12)"], "instruction_attributes": ["sugar free"], "instruction_options": ["starburst cherry"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK59J3J", "worker_id": "A1EREKSZAA9V7B"}], "B01LYH3JZR": [{"asin": "B01LYH3JZR", "instruction": "i am looking for ivory color entryway plush 2-inch thick area rug of size 2 ft 3 in x 12 ft for living room", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: ivory | gold", "item shape: square", "size: 2 ft 3 in x 12 ft"], "instruction_attributes": ["living room"], "instruction_options": ["ivory | gold", "2 ft 3 in x 12 ft"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4EQRQV", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B01LYH3JZR", "instruction": "i need to buy a nine foot round rug in ivory and green for my living room.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: ivory | green", "item shape: round", "size: 9 ft"], "instruction_attributes": ["living room"], "instruction_options": ["ivory | green", "round", "9 ft"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOWY937", "worker_id": "AR9AU5FY1S3RO"}], "B08TB67HC2": [{"asin": "B08TB67HC2", "instruction": "i would like a dark green pair of hair cutting sheers.", "attributes": ["easy clean", "hair cutting"], "options": ["color: dark green"], "instruction_attributes": ["hair cutting"], "instruction_options": ["dark green"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FJ6LEG", "worker_id": "A1WS884SI0SLO4"}], "B0073GO7FS": [{"asin": "B0073GO7FS", "instruction": "i'm looking for under armour tech short sleeve t-shirt for men.", "attributes": ["quick drying", "machine wash", "imported zipper", "short sleeve"], "options": ["color: rocket red (984) | black", "size: large tall"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large tall"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8KHZN4", "worker_id": "A21IUUHBSEVB56"}], "B0846WX23D": [{"asin": "B0846WX23D", "instruction": "i am looking for a 4 light vanity light with a contemporary design.", "attributes": ["assembly required", "vanity light", "contemporary design"], "options": [""], "instruction_attributes": ["vanity light", "contemporary design"], "instruction_options": [], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUNCPI8B", "worker_id": "A1EREKSZAA9V7B"}], "B0182YDWS2": [{"asin": "B0182YDWS2", "instruction": "i am looking for betty crocker fruit by the foot with no artificial flavors in a pack of 36.", "attributes": ["source vitamin", "artificial flavors"], "options": ["size: 36 count (pack of 1)"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["36 count (pack of 1)"], "assignment_id": "30LB5CDZNNKV7ZNV3UA2M0C20SS0ZI", "worker_id": "AK3JMCIGU8MLU"}], "B07SZ2Z19Z": [{"asin": "B07SZ2Z19Z", "instruction": "i am looking for open toe women's sandals of size 8.5", "attributes": ["open toe", "closed toe", "high heel", "ankle strap", "arch support"], "options": ["color: z95-hot pink", "size: 8.5"], "instruction_attributes": ["open toe"], "instruction_options": ["8.5"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWP2Y0GT", "worker_id": "A1Q8PPQQCWGY0D"}], "B07WD5TFFT": [{"asin": "B07WD5TFFT", "instruction": "i would like some wild caught oysters.", "attributes": ["wild caught", "natural ingredients"], "options": [""], "instruction_attributes": ["wild caught"], "instruction_options": [], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNR0IJXR", "worker_id": "A1WS884SI0SLO4"}], "B08BNQHLLR": [{"asin": "B08BNQHLLR", "instruction": "i'm looking for flannel throw blanket sherpa microfiber bed sofa.", "attributes": ["super soft", "fleece throw"], "options": ["color: bohemia feathers", "size: 60\"x50\" blanket for teens"], "instruction_attributes": ["super soft"], "instruction_options": ["60\"x50\" blanket for teens"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E05HX7X", "worker_id": "A21IUUHBSEVB56"}], "B09C3XS9N3": [{"asin": "B09C3XS9N3", "instruction": "i need an easy to clean hydraulic chair that is heavy duty. it is for my hair salon.", "attributes": ["easy clean", "heavy duty", "beauty salon", "hair salon"], "options": [""], "instruction_attributes": ["easy clean", "heavy duty", "hair salon"], "instruction_options": [], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNOTNTA", "worker_id": "A1NF6PELRKACS9"}], "B08RN71L4L": [{"asin": "B08RN71L4L", "instruction": "i am interested in buying a green linen arm chair of faux leather for the living room.", "attributes": ["mid century", "assembly required", "easy clean", "faux leather", "living room"], "options": ["color: green linen", "size: c- cute tufted lamb"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["green linen"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2V35M7", "worker_id": "AHXHM1PQTRWIQ"}], "B09N797XCY": [{"asin": "B09N797XCY", "instruction": "i am looking for king size bed having wood frame.", "attributes": ["faux leather", "box spring", "memory foam", "wood frame"], "options": ["color: white", "size: king"], "instruction_attributes": ["wood frame"], "instruction_options": ["king"], "assignment_id": "326O153BMT8RVOXTJJKKGXV36B1EDS", "worker_id": "A1Q8PPQQCWGY0D"}], "B0759ZTCPK": [{"asin": "B0759ZTCPK", "instruction": "i'm looking for a large pack of candles that are honeycomb veriglass scented please? i", "attributes": ["lead free", "long lasting"], "options": ["color: hollyberry", "size: 18-pack"], "instruction_attributes": ["long lasting"], "instruction_options": ["18-pack"], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH37EZSEO", "worker_id": "A2TRV8SEM003GG"}, {"asin": "B0759ZTCPK", "instruction": "please find a root candles honeycomb veriglass scented, lead free, color bayberry .", "attributes": ["lead free", "long lasting"], "options": ["color: bayberry", "size: 8-count"], "instruction_attributes": ["lead free"], "instruction_options": ["bayberry"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZJW7C0", "worker_id": "A15IJ20C3R4HUO"}], "B07V7R8SQN": [{"asin": "B07V7R8SQN", "instruction": "looking for cotton heather t shirt which is machine washable also choose colour dark heather", "attributes": ["machine wash", "drawstring closure", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: dark heather", "fit type: men", "size: 3t"], "instruction_attributes": ["machine wash", "cotton heather"], "instruction_options": ["dark heather", "men"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MML6J12", "worker_id": "A10OGH5CQBXL5N"}], "B08ZXPRPKM": [{"asin": "B08ZXPRPKM", "instruction": "i would like a wolf moon hair cutting kit.", "attributes": ["water resistant", "hair cutting", "hair styling", "hair dye", "hair salon"], "options": ["color: wolf moon"], "instruction_attributes": ["hair cutting"], "instruction_options": ["wolf moon"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCS4BMV", "worker_id": "A1WS884SI0SLO4"}], "B06XF36LSS": [{"asin": "B06XF36LSS", "instruction": "i am looking for a long lasting brown colored liquid eyeliner.", "attributes": ["long lasting", "eye shadow"], "options": ["color: brown", "size: 1 count"], "instruction_attributes": ["long lasting"], "instruction_options": ["brown"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQSZP0Y", "worker_id": "AJDQGOTMB2D80"}], "B0998FBRB9": [{"asin": "B0998FBRB9", "instruction": "i want to buy sneakers for men which have a rubber sole, and are of navy color, while the size should be 13.", "attributes": ["lace closure", "rubber outsole", "rubber sole"], "options": ["color: navy | white", "size: 13"], "instruction_attributes": ["rubber sole"], "instruction_options": ["navy | white", "13"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0WSACU", "worker_id": "AJY5G987IRT25"}], "B09BZ939LC": [{"asin": "B09BZ939LC", "instruction": "i am looking for some high quality 14mm false eyelashes.", "attributes": ["easy apply", "high quality"], "options": ["size: 14mm"], "instruction_attributes": ["high quality"], "instruction_options": ["14mm"], "assignment_id": "3R2PKQ87N7I6FN5SSV9EK2GP7H4IMP", "worker_id": "A1EREKSZAA9V7B"}], "B0771PPM5C": [{"asin": "B0771PPM5C", "instruction": "i am looking for an easy to hang 24 inch by 32 inch floral oil painting for my living room.", "attributes": ["ready hang", "dining room", "living room"], "options": ["size: 24x32inch (60x80cm)"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["24x32inch (60x80cm)"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYSQN7O", "worker_id": "A1EREKSZAA9V7B"}], "B00CWTZ408": [{"asin": "B00CWTZ408", "instruction": "i am looking for some gluten and sugar free irish cream syrup.", "attributes": ["sugar free", "keto friendly", "fat free", "gluten free", "zero sugar"], "options": ["flavor name: sugar free irish cream", "size: 25.4 fl oz (pack of 12)"], "instruction_attributes": ["sugar free", "gluten free"], "instruction_options": ["sugar free irish cream"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOKDTCW", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00CWTZ408", "instruction": "i am looking for sugar free blue raspberry syrup.", "attributes": ["sugar free", "keto friendly", "fat free", "gluten free", "zero sugar"], "options": ["flavor name: sugar free blue raspberry", "size: 25.4-ounce (pack of 3)"], "instruction_attributes": ["sugar free"], "instruction_options": ["sugar free blue raspberry"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3J6YRW", "worker_id": "A1EREKSZAA9V7B"}], "B091MLZ1QX": [{"asin": "B091MLZ1QX", "instruction": "i'm looking for a 198 gram box of crunchy organic breakfast cereal; it must suit my high-protein, gluten-free diet.", "attributes": ["plant based", "dairy free", "non gmo", "low sugar", "gluten free", "protein serving", "soy free", "kosher certified"], "options": ["flavor name: berry", "size: 198 gram"], "instruction_attributes": ["gluten free", "protein serving"], "instruction_options": ["198 gram"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPD10AIK", "worker_id": "A3LIIE572Z4OG7"}], "B089B6814K": [{"asin": "B089B6814K", "instruction": "can you direct me to a pair of women's shorts? i want them to have elastic waist and come in black, please", "attributes": ["fleece lined", "wide leg", "short sleeve", "long sleeve", "closed toe", "elastic waist", "teen girls"], "options": ["color: b-black", "size: 3x-large"], "instruction_attributes": ["short sleeve", "elastic waist", "teen girls"], "instruction_options": ["b-black"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X028M34F", "worker_id": "A2TRV8SEM003GG"}], "B07QB9NBLD": [{"asin": "B07QB9NBLD", "instruction": "i'm looking for a 4oz baked fresh vanilla rum cake", "attributes": ["baked fresh", "quality ingredients", "gift basket"], "options": ["size: 4 ounce (pack of 4)"], "instruction_attributes": ["baked fresh"], "instruction_options": ["4 ounce (pack of 4)"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB44RYX0", "worker_id": "A2Y2TURT2VEYZN"}], "B09RB5K9NL": [{"asin": "B09RB5K9NL", "instruction": "i'm looking for a machine washable, regular fit men's shorts with tummy control elastic waist band and has drawstring closure for gym workout. also choose 3x-large size black colored one.", "attributes": ["loose fit", "wide leg", "wash cold", "hand wash", "machine wash", "elastic waist", "regular fit", "drawstring closure", "elastic waistband", "tummy control", "gym workout"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["machine wash", "regular fit", "drawstring closure", "elastic waistband", "tummy control", "gym workout"], "instruction_options": ["black", "3x-large"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOH4W1Z", "worker_id": "AR0VJ5XRG16UJ"}], "B084BY1GZ4": [{"asin": "B084BY1GZ4", "instruction": "i need aluminum tripod legs", "attributes": ["carbon fiber", "aluminum alloy"], "options": [""], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUP54SU", "worker_id": "A2ECRNQ3X5LEXD"}], "B095W7W8XX": [{"asin": "B095W7W8XX", "instruction": "i am looking for yellow birthday cake candles.", "attributes": ["birthday cake", "birthday party"], "options": ["size: 1"], "instruction_attributes": ["birthday cake"], "instruction_options": ["1"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCIAVABO", "worker_id": "A2KW17G25L25R8"}], "B00DLJ4JE0": [{"asin": "B00DLJ4JE0", "instruction": "i want to buy caffeine free herbal tea in a pack of 1.", "attributes": ["caffeine free", "usda organic"], "options": ["size: pack of 1"], "instruction_attributes": ["caffeine free"], "instruction_options": ["pack of 1"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOKLCTN", "worker_id": "AHXHM1PQTRWIQ"}, {"asin": "B00DLJ4JE0", "instruction": "i'm looking for organic, caffeine free elderberry tea. i want a pack of one.", "attributes": ["caffeine free", "usda organic"], "options": ["size: pack of 1"], "instruction_attributes": ["caffeine free", "usda organic"], "instruction_options": ["pack of 1"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1MD2TG5", "worker_id": "AR9AU5FY1S3RO"}], "B09PLH5ZF6": [{"asin": "B09PLH5ZF6", "instruction": "i want a women slip resistant red color shoes with size 10.5", "attributes": ["slip resistant", "daily wear"], "options": ["color: red", "size: 10.5"], "instruction_attributes": ["slip resistant"], "instruction_options": ["red", "10.5"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L5XCVZ", "worker_id": "A1V2C99HEV3F14"}], "B07GV63JCB": [{"asin": "B07GV63JCB", "instruction": "plus size black velvet cropped and shorts set", "attributes": ["elastic closure", "elastic waist"], "options": ["color: black", "size: large"], "instruction_attributes": [], "instruction_options": ["black", "large"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35QLUG7", "worker_id": "A3TTGSUBIK1YCL"}], "B099QN26PT": [{"asin": "B099QN26PT", "instruction": "i'm looking for a black speaker with a carrying case that is easy to use.", "attributes": ["easy use", "carrying case"], "options": ["color: black"], "instruction_attributes": ["easy use", "carrying case"], "instruction_options": ["black"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNWBJFR", "worker_id": "AFU00NU09CFXE"}], "B08L1VR9KX": [{"asin": "B08L1VR9KX", "instruction": "i am looking for a space saving side table for the living room. also, i would like it to be in blue color.", "attributes": ["space saving", "living room"], "options": ["color: blue"], "instruction_attributes": ["space saving", "living room"], "instruction_options": ["blue"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTSGV45", "worker_id": "AJDQGOTMB2D80"}], "B09MHFT1NS": [{"asin": "B09MHFT1NS", "instruction": "i want a mydrinkbomb cocktail bombs tequila sunrise mix gift set.", "attributes": ["non alcoholic", "hand crafted", "dairy free", "non gmo", "gluten free", "natural flavors", "quality ingredients", "natural ingredients", "gift set", "great gift"], "options": ["flavor name: tequilasunrise"], "instruction_attributes": ["gift set"], "instruction_options": ["tequilasunrise"], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL80AEI", "worker_id": "A2RBF3IIJP15IH"}], "B078MHP88P": [{"asin": "B078MHP88P", "instruction": "i would like a bronze floor lamp with a glass shade.", "attributes": ["glass shade", "living room"], "options": ["color: bronze | red"], "instruction_attributes": ["glass shade"], "instruction_options": ["bronze | red"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTW37LH", "worker_id": "A1WS884SI0SLO4"}], "B09N3MQTZD": [{"asin": "B09N3MQTZD", "instruction": "i am interested in long sleeved white pullovers that are casual", "attributes": ["daily casual", "long sleeve", "unique design", "polyester spandex", "teen girls"], "options": ["color: d1-white", "size: small"], "instruction_attributes": ["daily casual"], "instruction_options": ["d1-white"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANKHXS9", "worker_id": "A2ECRNQ3X5LEXD"}], "B081DWH12M": [{"asin": "B081DWH12M", "instruction": "i am looking for a women's navy t-shirt that is machine washable.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: women", "size: 3t"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy", "women"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GO0C39N", "worker_id": "A1EREKSZAA9V7B"}], "B09LQN4KNL": [{"asin": "B09LQN4KNL", "instruction": "i want a medium gray long leave hoodie.", "attributes": ["faux fur", "button closure", "short sleeve", "long sleeve", "teen girls"], "options": ["color: yingcaier4#gray", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["yingcaier4#gray", "medium"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907WYUAN", "worker_id": "A1WS884SI0SLO4"}], "B08KLJFLVJ": [{"asin": "B08KLJFLVJ", "instruction": "let's see some sandals in vinyl acetate. it should have ponderosa pine puma white as color.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: ponderosa pine puma white", "size: 10"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["ponderosa pine puma white"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOL2TCN", "worker_id": "A15ERD4HOFEPHM"}], "B08DR34W4T": [{"asin": "B08DR34W4T", "instruction": "i am looking for a heavy duty line beige color massage chair.", "attributes": ["heavy duty", "non toxic", "high quality"], "options": ["color: line beige"], "instruction_attributes": ["heavy duty"], "instruction_options": ["line beige"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYUIXFL", "worker_id": "A1Q8PPQQCWGY0D"}], "B07DPS382X": [{"asin": "B07DPS382X", "instruction": "i want to buy tweezers which are stainless steel and have red color.", "attributes": ["stainless steel", "hair removal"], "options": ["color: red"], "instruction_attributes": ["stainless steel"], "instruction_options": ["red"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZTOSHZ", "worker_id": "AJY5G987IRT25"}], "B09R42V2Z9": [{"asin": "B09R42V2Z9", "instruction": "i want gluten free bakell green & gold edible brew glitter.", "attributes": ["kosher certified", "gluten free", "easy use", "dairy free"], "options": ["color: green & gold"], "instruction_attributes": ["gluten free"], "instruction_options": ["green & gold"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBWFGI4", "worker_id": "A2RBF3IIJP15IH"}], "B08HP82QDL": [{"asin": "B08HP82QDL", "instruction": "i am looking for a pacific northwest raspberry flavored syrup that has quality ingredients.", "attributes": ["quality ingredients", "artificial colors"], "options": ["flavor name: pacific northwest raspberry", "size: 12.7 fluid ounce (pack of 6)"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["pacific northwest raspberry"], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVI1BIU", "worker_id": "A1EREKSZAA9V7B"}], "B000LKUZOU": [{"asin": "B000LKUZOU", "instruction": "i would like a 30 ounce bag of quick cook steel cut oats that are usda organic.", "attributes": ["old fashioned", "non gmo", "usda organic", "plant based", "simple ingredients", "artificial colors", "artificial flavors"], "options": ["flavor name: quick cook steel cut oats", "size: 30 ounce (pack of 6)"], "instruction_attributes": ["usda organic"], "instruction_options": ["quick cook steel cut oats", "30 ounce (pack of 6)"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3H3NQ5", "worker_id": "A1WS884SI0SLO4"}], "B07MD7VN92": [{"asin": "B07MD7VN92", "instruction": "i'm interested in a blue long-sleeved sweatshirt in an xx-large that is warm for winter.", "attributes": ["winter warm", "long sleeve"], "options": ["color: blue", "size: xx-large"], "instruction_attributes": ["winter warm", "long sleeve"], "instruction_options": ["blue", "xx-large"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BQWJVC", "worker_id": "AFU00NU09CFXE"}], "B07K2VHZ7B": [{"asin": "B07K2VHZ7B", "instruction": "i would like a 4 ft rectangular pink rug for the living room.", "attributes": ["spot clean", "easy clean", "dining room", "living room"], "options": ["color: light grey | pink", "item shape: rectangular", "size: 4 ft"], "instruction_attributes": ["living room"], "instruction_options": ["light grey | pink", "rectangular", "4 ft"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1HPCXO", "worker_id": "A1WS884SI0SLO4"}], "B00DUIEUIM": [{"asin": "B00DUIEUIM", "instruction": "i'm looking for a fresh baked desserts which is free from dairy and nut. also choose a pack of 6 one.", "attributes": ["baked fresh", "nut free", "dairy free"], "options": ["size: 6 pack"], "instruction_attributes": ["baked fresh", "nut free", "dairy free"], "instruction_options": ["6 pack"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWSKW6X", "worker_id": "AR0VJ5XRG16UJ"}], "B07S6H9KYS": [{"asin": "B07S6H9KYS", "instruction": "i am looking for a long lasting blue caftan dress in the size small-medium.", "attributes": ["long lasting", "easy care"], "options": ["color: blue", "size: small-medium"], "instruction_attributes": ["long lasting"], "instruction_options": ["blue", "small-medium"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALDDH49", "worker_id": "AK3JMCIGU8MLU"}], "B08F3TJDQY": [{"asin": "B08F3TJDQY", "instruction": "i am looking for a non oem replacement tv remote control with the aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": ["style: non-oem"], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": ["non-oem"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P78YVSR", "worker_id": "A1EREKSZAA9V7B"}], "B09NN8KRJW": [{"asin": "B09NN8KRJW", "instruction": "i want a m500 hands free in dash navigation device.", "attributes": ["hands free", "high definition", "high resolution"], "options": ["color: m500s8core4+64"], "instruction_attributes": ["high definition"], "instruction_options": ["m500s8core4+64"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWJXGGM", "worker_id": "A1WS884SI0SLO4"}], "B01MU0IJKG": [{"asin": "B01MU0IJKG", "instruction": "i am looking for 6'7\" round size area rug for my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: cream | light grey", "size: 6'7\" round"], "instruction_attributes": ["living room"], "instruction_options": ["6'7\" round"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXP12ZR", "worker_id": "A1Q8PPQQCWGY0D"}], "B088K6CYHC": [{"asin": "B088K6CYHC", "instruction": "i am looking for a homebeez round storage ottoman with button tuffs in beige.", "attributes": ["button tufted", "storage space", "living room"], "options": ["color: milk"], "instruction_attributes": ["button tufted"], "instruction_options": ["milk"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AM5YU3", "worker_id": "A2KW17G25L25R8"}], "B07XPSC3B7": [{"asin": "B07XPSC3B7", "instruction": "i am looking for a barstool in walnut grey that is faux leather", "attributes": ["faux leather", "wood finish", "wood frame"], "options": ["color: walnut | grey", "size: 26\" counter height"], "instruction_attributes": ["faux leather"], "instruction_options": ["walnut | grey"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP3TXTW", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B07XPSC3B7", "instruction": "shop for twenty eight inch faux leather bar stools in cream.", "attributes": ["faux leather", "wood finish", "wood frame"], "options": ["color: cream", "size: 28.5\" bar height"], "instruction_attributes": ["faux leather"], "instruction_options": ["cream", "28.5\" bar height"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTDSN94", "worker_id": "AR9AU5FY1S3RO"}], "B09CGWQ952": [{"asin": "B09CGWQ952", "instruction": "i am looking for a long lasting sweet pea scented soy wax candle.", "attributes": ["long lasting", "soy wax"], "options": ["scent: sweet pea"], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": ["sweet pea"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107D8LIM", "worker_id": "A1EREKSZAA9V7B"}], "B07KPX1VZR": [{"asin": "B07KPX1VZR", "instruction": "i want to get a large men's classic fit t-shirt with an officially licensed logo on it.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["fit type: men", "size: large"], "instruction_attributes": ["officially licensed", "classic fit"], "instruction_options": ["men", "large"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGNO2WS", "worker_id": "A2YNPKYEFDZ6C9"}], "B0009F3PJ4": [{"asin": "B0009F3PJ4", "instruction": "i want a 16 count of chamomile herbal tea that is certified organic.", "attributes": ["caffeine free", "certified organic", "non gmo"], "options": ["flavor name: chamomile", "size: 16 count (pack of 4)"], "instruction_attributes": ["certified organic"], "instruction_options": ["chamomile", "16 count (pack of 4)"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EIFWSJ", "worker_id": "A1WS884SI0SLO4"}], "B09NKFSTNY": [{"asin": "B09NKFSTNY", "instruction": "i need some rose gold cosmetic bags", "attributes": ["high quality", "rose gold"], "options": ["color: tropical plant 137"], "instruction_attributes": ["rose gold"], "instruction_options": ["tropical plant 137"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHE5FJTV", "worker_id": "A2ECRNQ3X5LEXD"}], "B06ZYGR25T": [{"asin": "B06ZYGR25T", "instruction": "i am looking for faux leather bar stools in black.", "attributes": ["faux leather", "wood finish", "solid wood"], "options": ["color: black bar height stools", "style: black bar height stools"], "instruction_attributes": ["faux leather"], "instruction_options": ["black bar height stools"], "assignment_id": "39O5D9O8742EGYBIU38DD09OUL33CS", "worker_id": "A2KW17G25L25R8"}], "B09CH4DL6X": [{"asin": "B09CH4DL6X", "instruction": "i would like high power amplifier.", "attributes": ["power amplifier", "high power"], "options": [""], "instruction_attributes": ["power amplifier", "high power"], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N9P7TK", "worker_id": "A1WS884SI0SLO4"}], "B07WZRRYWP": [{"asin": "B07WZRRYWP", "instruction": "i am looking for a blue leather sole loafers & slip-ons", "attributes": ["leather sole", "memory foam"], "options": ["color: blue", "size: 8"], "instruction_attributes": ["leather sole"], "instruction_options": ["blue"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU4NALP", "worker_id": "A9QRQL9CFJBI7"}], "B08LV7ZHBM": [{"asin": "B08LV7ZHBM", "instruction": "i am looking for an easy to assemble blue ottoman for my living room.", "attributes": ["long lasting", "easy assemble", "storage space", "contemporary design", "living room"], "options": ["color: blue", "size: 31.9\"l x 18\"w x 18.3\"h"], "instruction_attributes": ["easy assemble", "living room"], "instruction_options": ["blue"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBVMEJU", "worker_id": "A1EREKSZAA9V7B"}], "B09JSKHJ3P": [{"asin": "B09JSKHJ3P", "instruction": "i'm looking for matte white with black finish ceiling light fixture.", "attributes": ["mid century", "easy install", "easy clean", "pendant light", "light fixture", "dining room"], "options": ["color: black", "style: matte"], "instruction_attributes": ["mid century", "dining room"], "instruction_options": ["black", "matte"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIZCT9H", "worker_id": "A21IUUHBSEVB56"}], "B09BR5Q9P6": [{"asin": "B09BR5Q9P6", "instruction": "i would like a grey laptop case that is water resistant.", "attributes": ["easy carry", "water resistant"], "options": ["color: grey"], "instruction_attributes": ["water resistant"], "instruction_options": ["grey"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALD44HN", "worker_id": "A1WS884SI0SLO4"}], "B08C32FKC4": [{"asin": "B08C32FKC4", "instruction": "i need a turntable that is hands free", "attributes": ["hands free", "easy carry"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZO5R74", "worker_id": "A2ECRNQ3X5LEXD"}], "B007C99UN0": [{"asin": "B007C99UN0", "instruction": "i am looking for 1 pound box of easter egg sugar cookies baked fresh", "attributes": ["baked fresh", "quality ingredients"], "options": ["size: 1 pound box"], "instruction_attributes": ["baked fresh"], "instruction_options": ["1 pound box"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZO0R7Z", "worker_id": "A258PTOZ3D2TQR"}], "B009LO30S0": [{"asin": "B009LO30S0", "instruction": "i'm looking for a kosher certified individually wrapped wafers. also choose vanilla flavored one.", "attributes": ["kosher certified", "individually wrapped"], "options": ["flavor name: vanilla"], "instruction_attributes": ["kosher certified", "individually wrapped"], "instruction_options": ["vanilla"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4K115O", "worker_id": "AR0VJ5XRG16UJ"}], "B08K8S615G": [{"asin": "B08K8S615G", "instruction": "i am interested in buying a toothbrush that is easy to carry and useful for sensitive teeth.", "attributes": ["easy carry", "sensitive teeth"], "options": [""], "instruction_attributes": ["easy carry", "sensitive teeth"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFE7VLU", "worker_id": "AHXHM1PQTRWIQ"}], "B093SRHSC4": [{"asin": "B093SRHSC4", "instruction": "i'm interested in a heavy duty adjustable desk in a size 48\" x 30\" with a white frame and walnut top.", "attributes": ["height adjustable", "heavy duty"], "options": ["color: walnut top + white frame", "size: 48\" x 30\""], "instruction_attributes": ["height adjustable", "heavy duty"], "instruction_options": ["walnut top + white frame", "48\" x 30\""], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2CTY7O", "worker_id": "AFU00NU09CFXE"}], "B09FCGL679": [{"asin": "B09FCGL679", "instruction": "i'm looking for zero sugar real ginger ale from reed.", "attributes": ["zero sugar", "natural flavors", "natural ingredients"], "options": ["flavor name: shirley tempting", "size: 12 ounce (pack of 8)"], "instruction_attributes": ["zero sugar"], "instruction_options": ["12 ounce (pack of 8)"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSRA0XZ", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B09FCGL679", "instruction": "i would like a 12 ounce slim cans of zero sugar ginger ale.", "attributes": ["zero sugar", "natural flavors", "natural ingredients"], "options": ["flavor name: zero sugar ginger ale", "size: 12 ounce slim cans (pack of 4)"], "instruction_attributes": ["zero sugar"], "instruction_options": ["zero sugar ginger ale", "12 ounce slim cans (pack of 4)"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8M26QS", "worker_id": "A1WS884SI0SLO4"}], "B087KQ2Y2P": [{"asin": "B087KQ2Y2P", "instruction": "i'm looking for a peanut butter which is fat free with real fruit and should be 0.8ounce (pack of 12).", "attributes": ["fat free", "soy free", "non gmo", "real fruit"], "options": ["flavor name: peanut butter", "size: 0.8 ounce (pack of 12)"], "instruction_attributes": ["fat free", "real fruit"], "instruction_options": ["peanut butter", "0.8 ounce (pack of 12)"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU4FALH", "worker_id": "A1Q0EUNCS50S8M"}], "B097DKFPKC": [{"asin": "B097DKFPKC", "instruction": "can you direct me to an android tablet that has outstanding performance? i'd like a gold one please, and it's 10.1 inches", "attributes": ["high definition", "fast charging", "high performance", "usb port"], "options": ["color: gold", "size: 10.1inch"], "instruction_attributes": ["high performance"], "instruction_options": ["gold", "10.1inch"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60SAAAT", "worker_id": "A2TRV8SEM003GG"}], "B076CPL8MD": [{"asin": "B076CPL8MD", "instruction": "i would like a blackberry bay shampoo for damaged hair.", "attributes": ["sulfate free", "paraben free", "argan oil", "natural ingredients", "damaged hair"], "options": ["scent: blackberry bay"], "instruction_attributes": ["damaged hair"], "instruction_options": ["blackberry bay"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB44WYX5", "worker_id": "A1WS884SI0SLO4"}], "B089GM2W23": [{"asin": "B089GM2W23", "instruction": "i would like a pair of no mic earbud headphones that have stereo sound.", "attributes": ["aluminum alloy", "stereo sound"], "options": ["color: purple", "size: no mic"], "instruction_attributes": ["stereo sound"], "instruction_options": ["purple", "no mic"], "assignment_id": "3HPZF4IVNX3FW186JO133U513M6CYF", "worker_id": "A1WS884SI0SLO4"}], "B09PYXVSWY": [{"asin": "B09PYXVSWY", "instruction": "i need mid century dining furniture in a 35.4 by 13.2 by 32.7 dimension.", "attributes": ["mid century", "dining room", "living room"], "options": ["size: 35.4\" x 13.2\" x 32.7\" (w x d x h)"], "instruction_attributes": ["mid century"], "instruction_options": ["35.4\" x 13.2\" x 32.7\" (w x d x h)"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CGD0V7", "worker_id": "A2ECRNQ3X5LEXD"}], "B07MTMJQDZ": [{"asin": "B07MTMJQDZ", "instruction": "i need an eco friendly black charcoal conditioner", "attributes": ["eco friendly", "dry hair"], "options": ["style: black charcoal"], "instruction_attributes": ["eco friendly"], "instruction_options": ["black charcoal"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSNV2QE", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MQ6GZZS": [{"asin": "B09MQ6GZZS", "instruction": "look for metal full over full bunks, floor bunks with full size bunk frame, silver, space saving is all i need for my new home.", "attributes": ["space saving", "easy assemble", "box spring"], "options": ["color: silver", "size: full over full"], "instruction_attributes": ["space saving"], "instruction_options": ["silver", "full over full"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGADLSF", "worker_id": "A15IJ20C3R4HUO"}], "B086BY6ZJX": [{"asin": "B086BY6ZJX", "instruction": "i want a gold and individually wrapped survive permanent match metal.", "attributes": ["old fashioned", "individually wrapped"], "options": ["color: gold"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["gold"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYQ5DHH", "worker_id": "A2RBF3IIJP15IH"}], "B07RW2YL7S": [{"asin": "B07RW2YL7S", "instruction": "i want to buy a easy to carry and easy to clean water resistant shaving set for a lady.", "attributes": ["water resistant", "easy carry", "easy clean", "hair removal", "sensitive skin"], "options": [""], "instruction_attributes": ["easy carry", "easy clean"], "instruction_options": [], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53ZYKGB", "worker_id": "AHXHM1PQTRWIQ"}], "B07KSGBV2S": [{"asin": "B07KSGBV2S", "instruction": "i would like a eggplant eyeshadow that is for sensitive skin.", "attributes": ["highly pigmented", "water resistant", "easy apply", "cruelty free", "eye shadow", "dry skin", "sensitive skin"], "options": ["color: eggplant"], "instruction_attributes": ["eye shadow", "sensitive skin"], "instruction_options": ["eggplant"], "assignment_id": "351SEKWQSBRP7CP60H83T50CFCVMDQ", "worker_id": "A1WS884SI0SLO4"}], "B08QMXQVBC": [{"asin": "B08QMXQVBC", "instruction": "i'm having a kids birthday party and need a pack of 36 gold cupcake picks.", "attributes": ["birthday party", "cupcake picks"], "options": ["color: gold"], "instruction_attributes": ["birthday party", "cupcake picks"], "instruction_options": ["gold"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHIMBN3", "worker_id": "A3LIIE572Z4OG7"}], "B07V8L7FMH": [{"asin": "B07V8L7FMH", "instruction": "i am looking for a 1/2 dozen cameron's seafood large female maryland crabs.", "attributes": ["fully cooked", "ready eat"], "options": ["style: 1 | 2 bushel"], "instruction_attributes": ["fully cooked"], "instruction_options": ["1 | 2 bushel"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54UI83R", "worker_id": "A2KW17G25L25R8"}], "B09NMYP3YP": [{"asin": "B09NMYP3YP", "instruction": "i would like a g7 plus 2.4 gig streaming media player that is high speed.", "attributes": ["dual band", "high speed"], "options": ["color: g7 plus 2.4g | 5g"], "instruction_attributes": ["high speed"], "instruction_options": ["g7 plus 2.4g | 5g"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PQFQEY", "worker_id": "A1WS884SI0SLO4"}], "B07KRQ3DWJ": [{"asin": "B07KRQ3DWJ", "instruction": "i am interested in a navy blue regular fit polo", "attributes": ["quick drying", "regular fit", "button closure"], "options": ["color: team navy blue | white", "size: medium"], "instruction_attributes": ["regular fit"], "instruction_options": ["team navy blue | white"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7ZYRU2", "worker_id": "A2ECRNQ3X5LEXD"}], "B00MLMRWCE": [{"asin": "B00MLMRWCE", "instruction": "i want a blueberry natural real fruit bar.", "attributes": ["non gmo", "nut free", "fat free", "soy free", "gluten free", "real fruit"], "options": ["flavor name: blueberry"], "instruction_attributes": ["real fruit"], "instruction_options": ["blueberry"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9H1KD1T", "worker_id": "A2RBF3IIJP15IH"}], "B07Q736GWW": [{"asin": "B07Q736GWW", "instruction": "i am looking for 16''x24'' size sky canvas wall art home decor for living room", "attributes": ["ready hang", "living room", "dining room"], "options": ["color: sexy artwork-19", "size: 16''x24''"], "instruction_attributes": ["living room"], "instruction_options": ["16''x24''"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIOBFEY", "worker_id": "A258PTOZ3D2TQR"}], "B073V5F2S4": [{"asin": "B073V5F2S4", "instruction": "i would like a long lasting perfume.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTR9OQM", "worker_id": "A1WS884SI0SLO4"}], "B08DTQY66D": [{"asin": "B08DTQY66D", "instruction": "i want a blue apple watch case with glass screen protector.", "attributes": ["easy install", "compatible apple", "high performance", "glass screen", "tempered glass"], "options": ["color: blue | black | silver", "size: 44mm"], "instruction_attributes": ["glass screen"], "instruction_options": ["blue | black | silver"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCWE5Q8", "worker_id": "A2RBF3IIJP15IH"}], "B09Q5XSLVZ": [{"asin": "B09Q5XSLVZ", "instruction": "i am looking for 2 grey dining room chairs with metal legs.", "attributes": ["easy assemble", "easy install", "metal legs", "living room", "dining room"], "options": ["color: grey-2pcs"], "instruction_attributes": ["metal legs", "dining room"], "instruction_options": ["grey-2pcs"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN4ZGOI", "worker_id": "A2NSS746CFCT4M"}], "B09HK8HQGD": [{"asin": "B09HK8HQGD", "instruction": "i would like a size 38 rainbow applewatch band.", "attributes": ["compatible apple", "water resistant"], "options": ["color: rainbow", "size: 38 | 40 | 41mm s | m"], "instruction_attributes": ["compatible apple"], "instruction_options": ["rainbow", "38 | 40 | 41mm s | m"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z4DYCQL", "worker_id": "A1WS884SI0SLO4"}], "B08SJ2VZ71": [{"asin": "B08SJ2VZ71", "instruction": "i am looking for an easy to assemble green home office chair with lumbar support.", "attributes": ["easy assemble", "lumbar support"], "options": ["color: green"], "instruction_attributes": ["easy assemble", "lumbar support"], "instruction_options": ["green"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOHSTAU", "worker_id": "A1EREKSZAA9V7B"}], "B098NX52GX": [{"asin": "B098NX52GX", "instruction": "i would like a light blue 32cmx32cmx35cm ottoman with a stainless steel frame.", "attributes": ["high density", "easy clean", "pu leather", "faux leather", "stainless steel", "living room"], "options": ["color: light blue", "size: 32cmx32cmx35cm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["light blue", "32cmx32cmx35cm"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGAFSLO", "worker_id": "A1WS884SI0SLO4"}], "B073RJK6LQ": [{"asin": "B073RJK6LQ", "instruction": "the price of this manhattan comfort utopia table is unbelievable. very good! if you can find it in white and solid wood i will buy it.", "attributes": ["mid century", "solid wood"], "options": ["color: off white"], "instruction_attributes": ["solid wood"], "instruction_options": ["off white"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4NF89X", "worker_id": "A15IJ20C3R4HUO"}], "B08KVNKJFL": [{"asin": "B08KVNKJFL", "instruction": "i am looking for 24 inch long synthetic hair extension.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: 16h60", "size: 24 inch (pack of 1)"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["24 inch (pack of 1)"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPOO6E0", "worker_id": "AJDQGOTMB2D80"}], "B08K4K8CX6": [{"asin": "B08K4K8CX6", "instruction": "i am looking for medium size black color long sleeve v neck casual shirts tunic t shirt for women", "attributes": ["wash cold", "hand wash", "machine wash", "long sleeve", "daily wear"], "options": ["color: 2746-green black", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FLN3D0", "worker_id": "A258PTOZ3D2TQR"}], "B098QKQP4B": [{"asin": "B098QKQP4B", "instruction": "i am looking for a blue, fast charging usb cord that is compatible with apple and is 16 feet long.", "attributes": ["compatible apple", "fast charging", "aluminum alloy"], "options": ["color: blue", "size: 16foot"], "instruction_attributes": ["compatible apple", "fast charging"], "instruction_options": ["blue", "16foot"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CG30VX", "worker_id": "AK3JMCIGU8MLU"}], "B08NYBB3ZN": [{"asin": "B08NYBB3ZN", "instruction": "i would like a smartwatch case that has four colors and is easy to install", "attributes": ["easy install", "easy use", "case cover"], "options": ["color: fourcolors*b"], "instruction_attributes": ["easy install"], "instruction_options": ["fourcolors*b"], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VJM8EW", "worker_id": "A2ECRNQ3X5LEXD"}], "B08ZNFXRSD": [{"asin": "B08ZNFXRSD", "instruction": "i'm looking for breastfeeding shits maternity cloths double layer postpartum shirt.", "attributes": ["light weight", "soft material"], "options": ["color: black + wine red + grey", "size: small"], "instruction_attributes": ["light weight", "soft material"], "instruction_options": ["black + wine red + grey"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2IHIO4", "worker_id": "A21IUUHBSEVB56"}], "B01GTO91WI": [{"asin": "B01GTO91WI", "instruction": "i would like a 16 ounce bag of sweet potato gluten free flower.", "attributes": ["low sodium", "non gmo", "gluten free"], "options": ["flavor name: sweet potato", "size: 16 ounce (pack of 24)"], "instruction_attributes": ["gluten free"], "instruction_options": ["sweet potato", "16 ounce (pack of 24)"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIGPL2N", "worker_id": "A1WS884SI0SLO4"}], "B08FF672VG": [{"asin": "B08FF672VG", "instruction": "i would love to find a coffee table ideal for my living room? also, pick white please", "attributes": ["white item", "easy assemble", "storage space", "living room"], "options": ["color: white"], "instruction_attributes": ["white item", "living room"], "instruction_options": ["white"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYFDIE0", "worker_id": "A2TRV8SEM003GG"}], "B087QW1WVV": [{"asin": "B087QW1WVV", "instruction": "i would like a 0.17 ounce pack of gluten free oats.", "attributes": ["nut free", "sugar free", "gluten free", "non gmo", "high protein", "dairy free"], "options": ["flavor name: gluten free oats", "size: 0.17 ounce (pack of 4)"], "instruction_attributes": ["gluten free"], "instruction_options": ["gluten free oats", "0.17 ounce (pack of 4)"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTTDE5S", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B087QW1WVV", "instruction": "i want gluten free sigdal bakeri norwegian crispbread with pumpkin seeds.", "attributes": ["nut free", "sugar free", "gluten free", "non gmo", "high protein", "dairy free"], "options": ["flavor name: pumpkin seeds", "size: 0.17 ounce (pack of 4)"], "instruction_attributes": ["gluten free"], "instruction_options": ["pumpkin seeds"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQCU91P", "worker_id": "A2RBF3IIJP15IH"}], "B09RPFKQKT": [{"asin": "B09RPFKQKT", "instruction": "i'm looking for soft elastic mid-waist breathable boxer briefs.", "attributes": ["low rise", "machine wash"], "options": ["color: 3 pack red", "size: xx-large"], "instruction_attributes": ["low rise"], "instruction_options": ["3 pack red"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYFOEI7", "worker_id": "A21IUUHBSEVB56"}], "B07R9M8S63": [{"asin": "B07R9M8S63", "instruction": "i would like a 7 by 5 foot long photo backdrop that is light weight and easy to carry.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 7x5ft"], "instruction_attributes": ["light weight", "digital photography"], "instruction_options": ["7x5ft"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EG51B7", "worker_id": "A1WS884SI0SLO4"}], "B093SSG6KP": [{"asin": "B093SSG6KP", "instruction": "i am interested in a reticular blue colred non slip rugs for the living room which is easy to clean.", "attributes": ["non slip", "easy clean", "living room"], "options": ["color: reticular blue", "size: 8\u00d710 feet"], "instruction_attributes": ["non slip", "easy clean", "living room"], "instruction_options": ["reticular blue"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK49PA68", "worker_id": "AHXHM1PQTRWIQ"}], "B08252526L": [{"asin": "B08252526L", "instruction": "i am looking for a quad core powered high resolution 7 inch tablet with nfc.", "attributes": ["high resolution", "quad core"], "options": [""], "instruction_attributes": ["high resolution", "quad core"], "instruction_options": [], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUXNQJT", "worker_id": "A1EREKSZAA9V7B"}], "B07N85JD3S": [{"asin": "B07N85JD3S", "instruction": "i am looking for a baby blue colored t-shirt with the star wars logo.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: baby blue", "fit type: youth", "size: 3t"], "instruction_attributes": ["star wars"], "instruction_options": ["baby blue"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GOS3SP", "worker_id": "AJDQGOTMB2D80"}], "B09D6TKG55": [{"asin": "B09D6TKG55", "instruction": "i need a high speed asus pn41 fanless minipc barebone with intel 11th gen dual core celeron n4500 that also has a bluetooth.", "attributes": ["high speed", "usb port"], "options": [""], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPEDQD4", "worker_id": "A1IL2K0ELYI090"}], "B09JQ631H6": [{"asin": "B09JQ631H6", "instruction": "i am loooking for mini business desktop having wireless bluetooth.", "attributes": ["intel core", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGNX2W1", "worker_id": "A1Q8PPQQCWGY0D"}], "B099WZC2BD": [{"asin": "B099WZC2BD", "instruction": "i would like a 108 inch by 84 inch color 27 window panel that is machine washable.", "attributes": ["machine washable", "living room"], "options": ["color: color27", "size: 108\" w x 84\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["color27", "108\" w x 84\" l"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYML2ZI3", "worker_id": "A1WS884SI0SLO4"}], "B07BDQ2413": [{"asin": "B07BDQ2413", "instruction": "i would like a body scrub for dry skin.", "attributes": ["cruelty free", "dry skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WYAA1B", "worker_id": "A1WS884SI0SLO4"}], "B09KMQN4HK": [{"asin": "B09KMQN4HK", "instruction": "i want cupcake toppers for 2022 kids baby shower.", "attributes": ["cupcake picks", "baby shower", "birthday party"], "options": ["style: 2022 e"], "instruction_attributes": ["baby shower"], "instruction_options": ["2022 e"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746ZNTBZ", "worker_id": "A2RBF3IIJP15IH"}], "B09G74B6LD": [{"asin": "B09G74B6LD", "instruction": "i need a fleece jacket for the winter that is warm and gray", "attributes": ["winter warm", "fleece lined", "loose fit", "faux fur", "long sleeve", "teen girls"], "options": ["color: #a2 gray", "size: 4x-large"], "instruction_attributes": ["winter warm"], "instruction_options": ["#a2 gray"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZGGLKE", "worker_id": "A2ECRNQ3X5LEXD"}], "B0932QRZJG": [{"asin": "B0932QRZJG", "instruction": "i'm looking for a stainless steel quick release replacement wristband for fitbit inspire. choose the one that comes in white and in small in size.", "attributes": ["quick release", "stainless steel"], "options": ["color: white", "size: small"], "instruction_attributes": ["quick release", "stainless steel"], "instruction_options": ["white", "small"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TVIMPO", "worker_id": "A3MNXK3VDK37SN"}], "B0831NKRD1": [{"asin": "B0831NKRD1", "instruction": "am searching for low rise handyulong plus size womens jeans size 5x-large", "attributes": ["butt lifting", "low rise", "wide leg", "tummy control", "long sleeve", "regular fit", "relaxed fit", "button closure", "short sleeve"], "options": ["color: z-xgrey", "size: 5x-large"], "instruction_attributes": ["low rise"], "instruction_options": ["5x-large"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107CWLI8", "worker_id": "A1IL2K0ELYI090"}], "B01GQ5WNC0": [{"asin": "B01GQ5WNC0", "instruction": "i am looking for quaker chewy granola bars that are individually wrapped.", "attributes": ["individually wrapped", "artificial colors"], "options": ["flavor name: big chewy variety pack"], "instruction_attributes": ["individually wrapped"], "instruction_options": [], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO7BC2Y", "worker_id": "AK3JMCIGU8MLU"}], "B016OK3LGE": [{"asin": "B016OK3LGE", "instruction": "i would like some green binoculars for bird watching", "attributes": ["non slip", "high power", "carrying case", "bird watching"], "options": ["color: 10x green"], "instruction_attributes": ["bird watching"], "instruction_options": ["10x green"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6USMEZ0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DFLS85N": [{"asin": "B09DFLS85N", "instruction": "i am looking for red black color shower curtains that are easy to clean.", "attributes": ["easy clean", "printing technology"], "options": ["color: red black", "size: 75\"w x 70\"h | 190x180cm"], "instruction_attributes": ["easy clean"], "instruction_options": ["red black"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO82336", "worker_id": "A1Q8PPQQCWGY0D"}], "B09JWY1CG4": [{"asin": "B09JWY1CG4", "instruction": "i'm looking for two flavor energy shots.", "attributes": ["low sugar", "low carb", "real fruit"], "options": ["size: variety 2-pack"], "instruction_attributes": ["low sugar", "low carb"], "instruction_options": ["variety 2-pack"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SZFTQ2", "worker_id": "A21IUUHBSEVB56"}], "B09P3YCNGR": [{"asin": "B09P3YCNGR", "instruction": "i would like a extra large green swimsuit made from cotton spandex.", "attributes": ["long sleeve", "cotton spandex", "high waist", "short sleeve", "tumble dry"], "options": ["color: swimsuits-a225-green", "size: x-large"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["swimsuits-a225-green", "x-large"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYSV9Q1", "worker_id": "A1WS884SI0SLO4"}], "B08MW5H2NF": [{"asin": "B08MW5H2NF", "instruction": "i want to buy brushes which are for nail polish and have galaxy mix color, and come in a blind box.", "attributes": ["beauty salon", "nail polish"], "options": ["color: galaxy mix", "size: blind box"], "instruction_attributes": ["nail polish"], "instruction_options": ["galaxy mix", "blind box"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQBZ1LC", "worker_id": "AJY5G987IRT25"}, {"asin": "B08MW5H2NF", "instruction": "i am interested in buying make up brushes which are for nail polish, and the color of which is bonbon rose powder-50p and comes in blind box.", "attributes": ["beauty salon", "nail polish"], "options": ["color: bonbon rose powder-50p", "size: blind box"], "instruction_attributes": ["nail polish"], "instruction_options": ["bonbon rose powder-50p", "blind box"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BQQJV6", "worker_id": "AJY5G987IRT25"}], "B00CM0XHRE": [{"asin": "B00CM0XHRE", "instruction": "i am looking for a cyan blue wireless bluetooth speaker that has the batteries included.", "attributes": ["batteries included", "wireless bluetooth"], "options": ["color: cyan blue"], "instruction_attributes": ["batteries included", "wireless bluetooth"], "instruction_options": ["cyan blue"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTLCD4O", "worker_id": "A1EREKSZAA9V7B"}], "B013GKG9XM": [{"asin": "B013GKG9XM", "instruction": "hanes women's x-temp seamless waistband, large, nylon spandex. i hope you are successful in your search. it will be very useful for me.", "attributes": ["hand wash", "nylon spandex"], "options": [""], "instruction_attributes": ["nylon spandex"], "instruction_options": [], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADOVHA8", "worker_id": "A15IJ20C3R4HUO"}], "B00YIU7C7W": [{"asin": "B00YIU7C7W", "instruction": "i need plant based protein bars that are of the peanut butter variety", "attributes": ["plant based", "gluten free", "high protein", "birthday cake"], "options": ["flavor name: peanut butter variety", "size: 12 count (pack of 2)"], "instruction_attributes": ["plant based"], "instruction_options": ["peanut butter variety"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9BGN8T", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P3KS3KV": [{"asin": "B09P3KS3KV", "instruction": "i want a medium sized t-shirt that has long sleeves.", "attributes": ["hand wash", "long sleeve", "short sleeve", "tumble dry", "daily wear"], "options": ["color: blouse a4405 white", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADX0ZMYW", "worker_id": "A1NF6PELRKACS9"}], "B07ZWYNPKK": [{"asin": "B07ZWYNPKK", "instruction": "i am looking for a long lasting ncaa south carolina fighting gamecocks jacket that is made of quality materials.", "attributes": ["long lasting", "quality materials"], "options": ["color: team color", "size: xx-large", "team name: south carolina fighting gamecocks"], "instruction_attributes": ["long lasting"], "instruction_options": ["south carolina fighting gamecocks"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YR496P", "worker_id": "A1EREKSZAA9V7B"}], "B086BBDGL5": [{"asin": "B086BBDGL5", "instruction": "i need a 25 pack of herbal tea that is caffeine free", "attributes": ["caffeine free", "non gmo", "gluten free", "certified organic", "sugar free", "individually wrapped", "quality ingredients"], "options": ["flavor name: chocolate", "size: 25 count (pack of 3)"], "instruction_attributes": ["caffeine free"], "instruction_options": ["25 count (pack of 3)"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBCQU6D", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HNJZ14D": [{"asin": "B09HNJZ14D", "instruction": "can you get me a margarita mix, palomas, real fruit and not too much sugar, and i'll need 32 ounces of it.", "attributes": ["low sugar", "zero sugar", "real fruit"], "options": ["flavor: paloma", "size: 32 fl oz (pack of 3)"], "instruction_attributes": ["low sugar", "real fruit"], "instruction_options": ["paloma", "32 fl oz (pack of 3)"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI71ESD9", "worker_id": "A3O1I9MATO3ZZN"}], "B079TFX61M": [{"asin": "B079TFX61M", "instruction": "i'm looking for a military and tactical boot with moisture wicking and rubber sole.", "attributes": ["moisture wicking", "rubber sole"], "options": ["size: 10.5 x-wide"], "instruction_attributes": ["moisture wicking", "rubber sole"], "instruction_options": [], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67W12F77", "worker_id": "ARJDD0Z3R65BD"}], "B07YB5BBL4": [{"asin": "B07YB5BBL4", "instruction": "i need hall trees for the living room that are brown", "attributes": ["space saving", "living room"], "options": ["color: brown"], "instruction_attributes": ["living room"], "instruction_options": ["brown"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EAA82ST", "worker_id": "A2ECRNQ3X5LEXD"}], "B01FFACR4Q": [{"asin": "B01FFACR4Q", "instruction": "i want to update my digital camera. i'm looking for a canon powershot sx620 w/ optical zoom 25x black color, 64gb memory card. i hope it's the best choice for my need.", "attributes": ["1080p hd", "optical zoom"], "options": ["color: black", "style: w | 64gb memory card"], "instruction_attributes": ["optical zoom"], "instruction_options": ["black", "w | 64gb memory card"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQPX13N", "worker_id": "A15IJ20C3R4HUO"}], "B01HDUTJII": [{"asin": "B01HDUTJII", "instruction": "i am looking for pink wireless bluetooth headphones that have the hands free calling feature.", "attributes": ["hands free", "easy carry", "wireless bluetooth"], "options": ["color: pink"], "instruction_attributes": ["hands free", "wireless bluetooth"], "instruction_options": ["pink"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733P8BEZ", "worker_id": "AK3JMCIGU8MLU"}], "B08T8LBSGF": [{"asin": "B08T8LBSGF", "instruction": "i am looking for black quick drying, butt lifting leggings in size large.", "attributes": ["butt lifting", "quick drying", "moisture wicking", "high waist", "tummy control", "polyester spandex"], "options": ["color: #11-scrunch butt black", "size: large"], "instruction_attributes": ["butt lifting", "quick drying"], "instruction_options": ["#11-scrunch butt black", "large"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7YVUCZ", "worker_id": "AK3JMCIGU8MLU"}], "B07YG8RCRD": [{"asin": "B07YG8RCRD", "instruction": "i would like orange mousse cookies that are non gmo", "attributes": ["non gmo", "artificial colors", "quality ingredients", "high fructose", "artificial flavors"], "options": ["flavor: orange mousse", "size: 5.25 ounce (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["orange mousse"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9HMRZ0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DQ5ZNFC": [{"asin": "B09DQ5ZNFC", "instruction": "i am looking for a high speed 3 foot red usb cable.", "attributes": ["high speed", "usb port"], "options": ["color: red", "size: 3ft"], "instruction_attributes": ["high speed"], "instruction_options": ["red", "3ft"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK4AFA60", "worker_id": "A1EREKSZAA9V7B"}], "B01NGZ050U": [{"asin": "B01NGZ050U", "instruction": "i am looking to buy some fully cooked and ready to eat vienna sausage.", "attributes": ["ready eat", "fully cooked"], "options": [""], "instruction_attributes": ["ready eat", "fully cooked"], "instruction_options": [], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FG28K0", "worker_id": "A114NK7T5673GK"}], "B09P58F4SD": [{"asin": "B09P58F4SD", "instruction": "i am looking for pink slide flip flops with arch support in the size 5.5.", "attributes": ["closed toe", "arch support"], "options": ["color: z5 pink", "size: 5.5"], "instruction_attributes": ["arch support"], "instruction_options": ["z5 pink", "5.5"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQFRKV7", "worker_id": "AK3JMCIGU8MLU"}], "B09219DD59": [{"asin": "B09219DD59", "instruction": "i would like a 90 piece assortment of individually wrapped snacks.", "attributes": ["individually wrapped", "great gift"], "options": ["size: 90 piece assortment"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["90 piece assortment"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTWT9PU", "worker_id": "A1WS884SI0SLO4"}], "B091DCQXM6": [{"asin": "B091DCQXM6", "instruction": "i am looking for x-large size socks that contain cotton spandex.", "attributes": ["moisture wicking", "machine wash", "cotton spandex", "polyester cotton"], "options": ["color: black | shadow red | legacy burgundy red", "size: x-large"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["x-large"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UXD0YE", "worker_id": "A1Q8PPQQCWGY0D"}], "B07M7LDGXB": [{"asin": "B07M7LDGXB", "instruction": "oral nano silver mint toothpaste, natural fluoride free tooth whitening toothpaste, 4 oz. (pack of 1). my daughter only uses this one. i didn't find it in the pharmacy, let me know as soon as you find it", "attributes": ["fluoride free", "teeth whitening"], "options": ["size: 4 ounce (pack of 1)"], "instruction_attributes": ["fluoride free"], "instruction_options": ["4 ounce (pack of 1)"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DZKOTE", "worker_id": "A15IJ20C3R4HUO"}], "B08YQZQZW6": [{"asin": "B08YQZQZW6", "instruction": "i am looking for some sweet 16 cupcake toppers for a birthday cake.", "attributes": ["birthday party", "birthday cake", "party supplies"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUP94SY", "worker_id": "A1EREKSZAA9V7B"}], "B01HOI5E9M": [{"asin": "B01HOI5E9M", "instruction": "i am looking for foundation for dry skin having color 20 | natural ivory.", "attributes": ["oil free", "hyaluronic acid", "dry skin"], "options": ["color: 20 | natural ivory"], "instruction_attributes": ["dry skin"], "instruction_options": ["20 | natural ivory"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21QKFQT", "worker_id": "A1Q8PPQQCWGY0D"}], "B077PHG1MV": [{"asin": "B077PHG1MV", "instruction": "i would like a 40 wide by 36 long pair of big and tall pants in charcoal heather that can be machine washed.", "attributes": ["machine wash", "cotton spandex", "button closure", "classic fit"], "options": ["color: charcoal heather", "fit type: big & tall", "size: 40w x 36l"], "instruction_attributes": ["machine wash"], "instruction_options": ["charcoal heather", "big & tall", "40w x 36l"], "assignment_id": "33TIN5LC0FKDY31374RC144TX1YY9F", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B077PHG1MV", "instruction": "i am looking for men's khaki pants in the color olive grove, and they must have a button closure and be machine washable.", "attributes": ["machine wash", "cotton spandex", "button closure", "classic fit"], "options": ["color: olive grove", "fit type: big & tall", "size: 54w x 28l"], "instruction_attributes": ["machine wash", "button closure"], "instruction_options": ["olive grove"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67QZN43", "worker_id": "A2NSS746CFCT4M"}], "B08SJLZD59": [{"asin": "B08SJLZD59", "instruction": "i'm looking for a white case for iphone 12 with american flag printed and wireless charging", "attributes": ["heavy duty", "wireless charging"], "options": ["color: white"], "instruction_attributes": ["wireless charging"], "instruction_options": ["white"], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6NVU7X", "worker_id": "A2Y2TURT2VEYZN"}], "B09S3NGKV2": [{"asin": "B09S3NGKV2", "instruction": "i am looking for a local gold hands free wireless earpiece with mic.", "attributes": ["hands free", "stereo sound"], "options": ["color: local gold"], "instruction_attributes": ["hands free"], "instruction_options": ["local gold"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODQIEWA", "worker_id": "AHU9OLV0YKIIW"}, {"asin": "B09S3NGKV2", "instruction": "i need black color hands free wireless earpiece with mic", "attributes": ["hands free", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["hands free"], "instruction_options": ["black"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQKJJRJ", "worker_id": "A258PTOZ3D2TQR"}], "B09PHGW8BH": [{"asin": "B09PHGW8BH", "instruction": "i am looking for a high performance easy to carry black wireless bluetooth speaker.", "attributes": ["high performance", "easy carry", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["high performance", "easy carry", "wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIUT84R", "worker_id": "A1EREKSZAA9V7B"}], "B09M4B9JYK": [{"asin": "B09M4B9JYK", "instruction": "i want low fat honey bunches of oats.", "attributes": ["low fat", "source vitamin"], "options": [""], "instruction_attributes": ["low fat"], "instruction_options": [], "assignment_id": "3G2UL9A02OO71034MOY04HTU329675", "worker_id": "A2RBF3IIJP15IH"}], "B093SZ32M3": [{"asin": "B093SZ32M3", "instruction": "i want to buy a mesh travel laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSLQ62Q", "worker_id": "A114NK7T5673GK"}], "B09K7VRPPH": [{"asin": "B09K7VRPPH", "instruction": "i am looking for a high performance red speaker with wireless bluetooth.", "attributes": ["high performance", "high definition", "stereo sound", "wireless bluetooth"], "options": ["color: red"], "instruction_attributes": ["high performance", "wireless bluetooth"], "instruction_options": ["red"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6ORFMM2", "worker_id": "A1EREKSZAA9V7B"}], "B09PMGS3X4": [{"asin": "B09PMGS3X4", "instruction": "i need a tonic that is non gmo", "attributes": ["non gmo", "natural flavors", "high fructose", "artificial flavors"], "options": ["flavor name: tonic", "size: 6.7 fluid ounces (pack 24)"], "instruction_attributes": ["non gmo"], "instruction_options": ["tonic"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0VECAG", "worker_id": "A2ECRNQ3X5LEXD"}], "B004WRCU8M": [{"asin": "B004WRCU8M", "instruction": "i need 1 pack of cruelty free hair spray.", "attributes": ["cruelty free", "long lasting", "high quality"], "options": ["color: light blonde", "size: 1 pack"], "instruction_attributes": ["cruelty free"], "instruction_options": ["1 pack"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMM31RSC", "worker_id": "AVIEE6LDH0BT5"}], "B07WGP1W2L": [{"asin": "B07WGP1W2L", "instruction": "help me find a water-resistant sports strap that is compatible with the apple iwatch. also, please choose a teal one.", "attributes": ["water resistant", "compatible apple", "stainless steel"], "options": ["color: teal", "size: 38mm | 40mm | 41mm"], "instruction_attributes": ["water resistant", "compatible apple"], "instruction_options": ["teal"], "assignment_id": "3G2UL9A02OO71034MOY04HTU32B677", "worker_id": "A3LIIE572Z4OG7"}], "B094NP978P": [{"asin": "B094NP978P", "instruction": "i'm locking for wireless bluetooth earpiece for business, office and driving.", "attributes": ["hands free", "carrying case", "wireless bluetooth"], "options": ["color: golden"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "33UKMF931KU01WBNV49UKNDQC7BTTF", "worker_id": "A21IUUHBSEVB56"}], "B08MQMW47K": [{"asin": "B08MQMW47K", "instruction": "i would like a pair of size 13 dark truffle loafers with a rubber sole.", "attributes": ["day comfort", "rubber sole"], "options": ["color: dark truffle | tundra", "size: 13"], "instruction_attributes": ["rubber sole"], "instruction_options": ["dark truffle | tundra", "13"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q73KDM", "worker_id": "A1WS884SI0SLO4"}], "B074J2GW2X": [{"asin": "B074J2GW2X", "instruction": "i would like brown rice that is organic and spanish style", "attributes": ["certified organic", "artificial colors"], "options": ["size: 8.5 ounce (pack of 12)", "style: spanish style rice"], "instruction_attributes": ["certified organic"], "instruction_options": ["spanish style rice"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80G41QH", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GT2GL1N": [{"asin": "B07GT2GL1N", "instruction": "i am looking for noise cancelling earbuds for iphone.", "attributes": ["noise cancelling", "easy use", "stereo sound"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEMWQ8C", "worker_id": "A2KW17G25L25R8"}], "B001HTI3BQ": [{"asin": "B001HTI3BQ", "instruction": "lightly smoked organic lemon flavor wild caught sardines in olive oil", "attributes": ["wild caught", "bpa free"], "options": ["flavor name: organic lemon"], "instruction_attributes": ["wild caught"], "instruction_options": ["organic lemon"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO9YR25", "worker_id": "A258PTOZ3D2TQR"}], "B09ND7C1L2": [{"asin": "B09ND7C1L2", "instruction": "i need a wireless bluetooth speaker compatible for my smart watch", "attributes": ["non slip", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG0VTW5", "worker_id": "A2COCSUGZV28X"}], "B09KZNFD8T": [{"asin": "B09KZNFD8T", "instruction": "i need a grey protective airpods 3 case cover which is compatible with apple.", "attributes": ["compatible apple", "case cover"], "options": ["color: d-grey"], "instruction_attributes": ["compatible apple", "case cover"], "instruction_options": ["d-grey"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH3YZ4L", "worker_id": "AHU9OLV0YKIIW"}], "B01HV9BY5W": [{"asin": "B01HV9BY5W", "instruction": "i am looking for a grey coated steel storage islands & carts", "attributes": ["heavy duty", "coated steel"], "options": ["color: grey"], "instruction_attributes": ["coated steel"], "instruction_options": ["grey"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB5PY5Y", "worker_id": "A9QRQL9CFJBI7"}], "B07WVZCHHG": [{"asin": "B07WVZCHHG", "instruction": "i would like a remote with aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDQ2K5B", "worker_id": "A1WS884SI0SLO4"}], "B07CB8PKD9": [{"asin": "B07CB8PKD9", "instruction": "i am looking for a black, stainless steel bottle.", "attributes": ["lead free", "non slip", "stainless steel"], "options": ["color: black+black"], "instruction_attributes": ["stainless steel"], "instruction_options": ["black+black"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYM8QLB", "worker_id": "AK3JMCIGU8MLU"}], "B00Y7CYBUW": [{"asin": "B00Y7CYBUW", "instruction": "i am looking for 25 ml fluoride free fresh truth toothpaste", "attributes": ["fluoride free", "sulfate free", "paraben free"], "options": ["size: .84 ounce | 25 ml"], "instruction_attributes": ["fluoride free"], "instruction_options": [".84 ounce | 25 ml"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUOOS4Z", "worker_id": "A258PTOZ3D2TQR"}], "B01LWJAXIG": [{"asin": "B01LWJAXIG", "instruction": "i want a pack of 2 32 fl oz original sprout classic shampoos that are non toxic.", "attributes": ["sulfate free", "dermatologist tested", "non toxic"], "options": ["size: 32 fl oz (pack of 2)"], "instruction_attributes": ["non toxic"], "instruction_options": ["32 fl oz (pack of 2)"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HXSBP4", "worker_id": "A2RBF3IIJP15IH"}], "B084CVRFYL": [{"asin": "B084CVRFYL", "instruction": "i would like a carbon fiber car stereo kit.", "attributes": ["easy install", "carbon fiber"], "options": [""], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "33CID5710F37J25O7G1CGJZBOUK3LB", "worker_id": "A1WS884SI0SLO4"}], "B08JSTNKLH": [{"asin": "B08JSTNKLH", "instruction": "i am interested in ocean blue holographic, easy to apply and long lasting sparkle glitter.", "attributes": ["easy apply", "long lasting"], "options": ["color: ocean blue holographic", "size: north star nativity compass shaped"], "instruction_attributes": ["easy apply", "long lasting"], "instruction_options": ["ocean blue holographic"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMSJMWH", "worker_id": "AHXHM1PQTRWIQ"}], "B09K9RRZVK": [{"asin": "B09K9RRZVK", "instruction": "i am looking for real fruit smoothie mix that is easy to use and has the flavor passion fruit.", "attributes": ["shelf stable", "easy use", "kosher certified", "real fruit", "artificial colors", "high fructose", "artificial flavors"], "options": ["flavor name: passion fruit", "size: 1 pack"], "instruction_attributes": ["easy use", "real fruit"], "instruction_options": ["passion fruit"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWTF6W4", "worker_id": "AK3JMCIGU8MLU"}], "B08MJFJJYK": [{"asin": "B08MJFJJYK", "instruction": "i want to get a two pack vanity light with brushed nickel finish in color type 2.", "attributes": ["wall mounted", "light fixture", "brushed nickel", "vanity light"], "options": ["color: type 2", "size: 2 pack"], "instruction_attributes": ["brushed nickel", "vanity light"], "instruction_options": ["type 2", "2 pack"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUMA3R2", "worker_id": "A2YNPKYEFDZ6C9"}], "B001B2S32S": [{"asin": "B001B2S32S", "instruction": "i would like some long lasting hair color in light golden brown", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 054 light golden brown", "size: 3 count (pack of 1)", "style: new version"], "instruction_attributes": ["long lasting"], "instruction_options": ["054 light golden brown"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3SD3G3N", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B001B2S32S", "instruction": "i'm looking for a single pack of old style, brown hair dye.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 054 light golden brown", "size: pack of 1", "style: old version"], "instruction_attributes": ["hair dye"], "instruction_options": ["pack of 1", "old version"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9EHZAL", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B001B2S32S", "instruction": "i'm looking for a three count package of long lasting, brown hair dye.", "attributes": ["long lasting", "easy use", "hair dye", "permanent hair"], "options": ["color: 080 light ash blonde", "size: 3 count (pack of 1)", "style: new version"], "instruction_attributes": ["long lasting", "hair dye"], "instruction_options": ["3 count (pack of 1)"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1JJ08B", "worker_id": "A2JP9IKRHNLRPI"}], "B00XQ3QL24": [{"asin": "B00XQ3QL24", "instruction": "i'm looking for long lasting men's cologne from banana republic.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6IMPUM", "worker_id": "A2JP9IKRHNLRPI"}], "B072BPPSCF": [{"asin": "B072BPPSCF", "instruction": "i need a valentine's day gift", "attributes": ["valentine day", "great gift", "gift basket"], "options": [""], "instruction_attributes": ["valentine day"], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N987T3", "worker_id": "A2ECRNQ3X5LEXD"}], "B09S31W7TD": [{"asin": "B09S31W7TD", "instruction": "i would like a white and green 5 cube bookcase.", "attributes": ["white item", "assembly required"], "options": ["color: white green", "size: 5-cube"], "instruction_attributes": ["white item"], "instruction_options": ["white green", "5-cube"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOLZLM7", "worker_id": "A1WS884SI0SLO4"}], "B00QTUCVAM": [{"asin": "B00QTUCVAM", "instruction": "i would like a chandelier for my dining room.", "attributes": ["brushed nickel", "nickel finish", "light fixture", "dining room", "living room"], "options": [""], "instruction_attributes": ["dining room"], "instruction_options": [], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF77DLH", "worker_id": "A1WS884SI0SLO4"}], "B098TPB85F": [{"asin": "B098TPB85F", "instruction": "i am looking for mens lightweight cargo shorts camo in pattern.", "attributes": ["daily casual", "elastic waist", "elastic waistband", "polyester spandex", "daily wear"], "options": ["color: black", "size: 29"], "instruction_attributes": ["daily wear"], "instruction_options": ["black"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNVHFJR", "worker_id": "A2KW17G25L25R8"}], "B07TJ7D457": [{"asin": "B07TJ7D457", "instruction": "i need a super soft area rug that is white", "attributes": ["super soft", "non slip", "white item", "easy clean", "living room"], "options": ["color: white", "size: 2x4 feet"], "instruction_attributes": ["super soft"], "instruction_options": ["white"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRSAFUEZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07VBZXM7V": [{"asin": "B07VBZXM7V", "instruction": "i'm looking for a low carb gluten free ketchup flavored bbq sauce. choose the ones that comes in 12 ounce bottles and pack of 2.", "attributes": ["low carb", "non gmo", "gluten free", "artificial colors"], "options": ["flavor name: ketchup", "size: 12 ounce (pack of 2)"], "instruction_attributes": ["low carb", "gluten free"], "instruction_options": ["ketchup", "12 ounce (pack of 2)"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UTK1GB", "worker_id": "A3MNXK3VDK37SN"}], "B07DX8FLPN": [{"asin": "B07DX8FLPN", "instruction": "i would like to buy a screen protector which is made with tempered glass and is suitable for iphone 6 and iphone 6s plus 5.5.", "attributes": ["glass screen", "tempered glass"], "options": ["color: iphone 6 | 6s plus 5.5\""], "instruction_attributes": ["tempered glass"], "instruction_options": ["iphone 6 | 6s plus 5.5\""], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PEEUBD", "worker_id": "AJY5G987IRT25"}], "B09J2ZLMC2": [{"asin": "B09J2ZLMC2", "instruction": "i want a hair removal epilator.", "attributes": ["easy carry", "hair removal"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4E2R6O", "worker_id": "A1WS884SI0SLO4"}], "B08CJ2BW1G": [{"asin": "B08CJ2BW1G", "instruction": "looking for an easy to deliver vintage barbecue sauce needle sleeve white women's halloween t-shirt by tomorrow? forgot to machine wash.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: women", "size: large"], "instruction_attributes": ["machine wash", "needle sleeve"], "instruction_options": ["white", "women"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S49GMS", "worker_id": "A15IJ20C3R4HUO"}], "B088GXF6VD": [{"asin": "B088GXF6VD", "instruction": "high quality butterfly hair clip for women", "attributes": ["high quality", "quality materials", "hair salon", "dry hair"], "options": ["color: black", "style: 3.25 inch , 4 inch"], "instruction_attributes": ["quality materials"], "instruction_options": [], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JFOSFG", "worker_id": "A3TTGSUBIK1YCL"}], "B07RPYQCKB": [{"asin": "B07RPYQCKB", "instruction": "i am looking for a pair of machine washable men's levi's 501 blue jeans.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: blue", "size: 36w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["blue"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK5IJ3S", "worker_id": "A1EREKSZAA9V7B"}], "B075GW4GXH": [{"asin": "B075GW4GXH", "instruction": "i am interested in buying a twin sized natural colored full sized bed frame made of solid wood having a headboard.", "attributes": ["twin size", "box spring", "solid wood", "memory foam", "wood frame"], "options": ["color: natural", "size: full", "style: with headboard"], "instruction_attributes": ["twin size", "solid wood"], "instruction_options": ["natural", "full", "with headboard"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8I25RV", "worker_id": "AHXHM1PQTRWIQ"}], "B0944YG6SQ": [{"asin": "B0944YG6SQ", "instruction": "i am interested in buying white color, cruelty free hair building fibers for thinning hair.", "attributes": ["cruelty free", "hair loss", "natural hair"], "options": ["color: white"], "instruction_attributes": ["cruelty free"], "instruction_options": ["white"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPDQQDF", "worker_id": "AHXHM1PQTRWIQ"}], "B07QMGTXQX": [{"asin": "B07QMGTXQX", "instruction": "i'm interested in a pair of orange sport pants with an elastic waist and drawstring closure in a size x-large.", "attributes": ["drawstring closure", "elastic waist"], "options": ["color: r-aa-orange", "size: x-large"], "instruction_attributes": ["drawstring closure", "elastic waist"], "instruction_options": ["r-aa-orange", "x-large"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4HZL8A", "worker_id": "AFU00NU09CFXE"}], "B08FDCD6NW": [{"asin": "B08FDCD6NW", "instruction": "i'm looking for printed window curtain.", "attributes": ["machine washable", "exquisite workmanship", "dining room", "living room"], "options": ["color: 001", "size: 54\"w x18\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["54\"w x18\" l"], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4825EYP8", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B08FDCD6NW", "instruction": "buy me some fifty-four inch machine washable drapes for my dining room.", "attributes": ["machine washable", "exquisite workmanship", "dining room", "living room"], "options": ["color: 003", "size: 54\"w x18\" l"], "instruction_attributes": ["machine washable", "dining room"], "instruction_options": ["54\"w x18\" l"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS1CG9V", "worker_id": "AR9AU5FY1S3RO"}], "B08N5CPD71": [{"asin": "B08N5CPD71", "instruction": "i am looking for hair color that is alcohol free and is having color as 1 hair color: 9-00.", "attributes": ["alcohol free", "permanent hair"], "options": ["color: 1 hair color: 9-00"], "instruction_attributes": ["alcohol free"], "instruction_options": ["1 hair color"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJRYO9T", "worker_id": "A1Q8PPQQCWGY0D"}], "B07FDQD8T8": [{"asin": "B07FDQD8T8", "instruction": "i would like a 5.5 ounce bag of sweet chili chips that are non gmo.", "attributes": ["non gmo", "gluten free", "0g trans", "high fructose"], "options": ["flavor name: sweet chili", "size: 5.5 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["sweet chili", "5.5 ounce (pack of 6)"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GO0893P", "worker_id": "A1WS884SI0SLO4"}], "B092LNSRYV": [{"asin": "B092LNSRYV", "instruction": "i am looking for a beard oil that will help stimulate hair growth.", "attributes": ["natural ingredients", "hair treatment", "hair growth"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW1XC1H", "worker_id": "A2NSS746CFCT4M"}], "B09MFYFTYF": [{"asin": "B09MFYFTYF", "instruction": "i want a modern tall bookcase for my living room.", "attributes": ["easy clean", "storage space", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HIK6I0", "worker_id": "A2RBF3IIJP15IH"}], "B004LU0N70": [{"asin": "B004LU0N70", "instruction": "am hoping to find q-tips cotton swab 375.0 ea nail polish.", "attributes": ["nail polish", "nail art"], "options": [""], "instruction_attributes": ["nail polish"], "instruction_options": [], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V2TYWF", "worker_id": "A1IL2K0ELYI090"}], "B08D9J7LMH": [{"asin": "B08D9J7LMH", "instruction": "i am looking for a gold pendant light for my dining room.", "attributes": ["assembly required", "pendant light", "dining room"], "options": ["color: gold"], "instruction_attributes": ["pendant light", "dining room"], "instruction_options": ["gold"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB4A0QAK", "worker_id": "A1EREKSZAA9V7B"}], "B09HTTSFSG": [{"asin": "B09HTTSFSG", "instruction": "i am looking for a shadow box frame made from solid wood. also, i would like the size to be 10 by 10.", "attributes": ["assembly required", "solid wood", "wood finish", "tempered glass", "wood frame"], "options": ["color: carbonized", "size: 10x10"], "instruction_attributes": ["solid wood"], "instruction_options": ["10x10"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UX30Y4", "worker_id": "AJDQGOTMB2D80"}], "B01M0WKYT7": [{"asin": "B01M0WKYT7", "instruction": "get me some tattoo serum that uses tea tree oil and is paraben free.", "attributes": ["paraben free", "tea tree", "seed oil"], "options": [""], "instruction_attributes": ["paraben free", "tea tree"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X01J4WP", "worker_id": "A3O1I9MATO3ZZN"}], "B0936HMVXB": [{"asin": "B0936HMVXB", "instruction": "i'm looking for a package of cupcake toppers for my brother's birthday party cupcakes.", "attributes": ["party supplies", "perfect gift", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTCSLNS", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B0936HMVXB", "instruction": "i am looking for cupcake topper for a birthday party", "attributes": ["party supplies", "perfect gift", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXLV2ZD", "worker_id": "A258PTOZ3D2TQR"}], "B09FPTKNK4": [{"asin": "B09FPTKNK4", "instruction": "i'm looking for silk bonnet.", "attributes": ["high quality", "hair styling"], "options": ["color: gold"], "instruction_attributes": ["hair styling"], "instruction_options": ["gold"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L5YCV0", "worker_id": "A21IUUHBSEVB56"}], "B08T6CQY1M": [{"asin": "B08T6CQY1M", "instruction": "i would like a living room lead free candle.", "attributes": ["lead free", "living room"], "options": [""], "instruction_attributes": ["lead free", "living room"], "instruction_options": [], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21QDFQM", "worker_id": "A1WS884SI0SLO4"}], "B09KTKTM75": [{"asin": "B09KTKTM75", "instruction": "i would like a fast charging station.", "attributes": ["fast charging", "easy carry"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9W6TE5", "worker_id": "A1WS884SI0SLO4"}], "B07X8YFMWL": [{"asin": "B07X8YFMWL", "instruction": "i would like a pair of 14 wide cognac sandals with a leather sole.", "attributes": ["leather sole", "memory foam"], "options": ["color: cognac", "size: 14 wide"], "instruction_attributes": ["leather sole"], "instruction_options": ["cognac", "14 wide"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQOP31F", "worker_id": "A1WS884SI0SLO4"}], "B09RV3Q1TV": [{"asin": "B09RV3Q1TV", "instruction": "i am looking for a purple short sleeved blouse in the size 3x-large.", "attributes": ["loose fit", "short sleeve", "teen girls"], "options": ["color: #02-purple", "size: 3x-large"], "instruction_attributes": [], "instruction_options": ["#02-purple", "3x-large"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQEAVKZ", "worker_id": "AK3JMCIGU8MLU"}], "B07TSRBKZ6": [{"asin": "B07TSRBKZ6", "instruction": "i want black kmm cotton moisture wicking socks.", "attributes": ["moisture wicking", "machine wash", "arch support", "polyester spandex"], "options": ["color: black blue"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["black blue"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATB937Y", "worker_id": "A2RBF3IIJP15IH"}], "B09JMVK45R": [{"asin": "B09JMVK45R", "instruction": "i would like an intel core desktop that has 64 gb of ram with 4 tb storage", "attributes": ["high speed", "intel core"], "options": ["size: 64gb ram|4tb ssd|win10h"], "instruction_attributes": ["intel core"], "instruction_options": ["64gb ram|4tb ssd|win10h"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHWAPS8B", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MT7QRV5": [{"asin": "B09MT7QRV5", "instruction": "look for wash cold pajama set nightwear that size small", "attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "dry clean"], "options": ["color: multi 3", "size: small"], "instruction_attributes": ["wash cold"], "instruction_options": ["small"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXCXFC4", "worker_id": "A10OGH5CQBXL5N"}], "B09LS6XBNP": [{"asin": "B09LS6XBNP", "instruction": "my grandson asked me for this order. tjs compatible with boost mobile celero 5g case, samsung galaxy a22 5g case, red color glass screen, it has a lot of detail, and i don't know if i can find it without your help.", "attributes": ["non slip", "heavy duty", "hands free", "glass screen", "tempered glass"], "options": ["color: red"], "instruction_attributes": ["glass screen"], "instruction_options": ["red"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXW7LYT", "worker_id": "A15IJ20C3R4HUO"}], "B012POYRL6": [{"asin": "B012POYRL6", "instruction": "i would like a chocolate chip oat bar that's gluten free.", "attributes": ["baked fresh", "gluten free", "dairy free", "non gmo"], "options": ["flavor name: chocolate chip"], "instruction_attributes": ["gluten free"], "instruction_options": ["chocolate chip"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8LB4CQ", "worker_id": "A1WS884SI0SLO4"}], "B095WGG4QR": [{"asin": "B095WGG4QR", "instruction": "i would like a pair of black headphones that have wireless bluetooth.", "attributes": ["noise cancelling", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJLJOLU", "worker_id": "A1WS884SI0SLO4"}], "B07683ZG4B": [{"asin": "B07683ZG4B", "instruction": "i would like a extra large texas orange t shirt with moisture wicking.", "attributes": ["machine wash", "moisture wicking"], "options": ["color: black | texas orange", "size: x-large"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["black | texas orange", "x-large"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TG1NMD", "worker_id": "A1WS884SI0SLO4"}], "B09LDC8WKH": [{"asin": "B09LDC8WKH", "instruction": "i want a pack of wall lamps for a living room.", "attributes": ["easy install", "clear glass", "light fixture", "glass shade", "living room"], "options": ["size: 1 pack"], "instruction_attributes": ["living room"], "instruction_options": ["1 pack"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCT7I7E", "worker_id": "A1WS884SI0SLO4"}], "B09698R81K": [{"asin": "B09698R81K", "instruction": "i want an orange fast charging usb type-c charging cable power cord.", "attributes": ["fast charging", "wireless bluetooth"], "options": ["color: orange"], "instruction_attributes": ["fast charging"], "instruction_options": ["orange"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733P1BES", "worker_id": "A2RBF3IIJP15IH"}], "B09K7RY4ZF": [{"asin": "B09K7RY4ZF", "instruction": "i am looking for a hands free white alarm clock with wireless bluetooth.", "attributes": ["hands free", "wireless bluetooth"], "options": ["color: white"], "instruction_attributes": ["hands free", "wireless bluetooth"], "instruction_options": ["white"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMUM9WH", "worker_id": "A1EREKSZAA9V7B"}], "B07D5ZGY8Z": [{"asin": "B07D5ZGY8Z", "instruction": "i want to buy a t-shirt which is classic fit and can be machine washed, as for the color i want it lemon color, and suitable for women, with a size of x-large.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: lemon", "fit type: women", "size: x-large"], "instruction_attributes": ["machine wash", "classic fit"], "instruction_options": ["lemon", "women", "x-large"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTS0QOH", "worker_id": "AJY5G987IRT25"}], "B09NVVPPQ3": [{"asin": "B09NVVPPQ3", "instruction": "i am looking for women's turtle necks loose oversized sweaters.", "attributes": ["loose fit", "long sleeve", "short sleeve", "teen girls", "star wars"], "options": ["color: d9-dark blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x-large"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R8YYTC", "worker_id": "A2KW17G25L25R8"}], "B09MM37YLN": [{"asin": "B09MM37YLN", "instruction": "i'm looking for a u-shaped toothbrush for my child's sensitive teeth that is aqua colored.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: a"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["a"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKUTEPV", "worker_id": "A2JP9IKRHNLRPI"}], "B09DQ9SN67": [{"asin": "B09DQ9SN67", "instruction": "i would like a 31 wide by 30 long dark williamsburg pair of straight leg jeans.", "attributes": ["straight leg", "machine wash", "relaxed fit"], "options": ["color: dark williamsburg", "size: 31w x 30l"], "instruction_attributes": ["straight leg"], "instruction_options": ["dark williamsburg", "31w x 30l"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA933ZZ3X", "worker_id": "A1WS884SI0SLO4"}], "B084LMXRSJ": [{"asin": "B084LMXRSJ", "instruction": "i would like a 3xl dark green tennessee titan polo that is officially licensed.", "attributes": ["moisture wicking", "officially licensed", "comfortable fit"], "options": ["color: charcoal | dark green", "size: 3x-large tall", "team name: tennessee titans"], "instruction_attributes": ["officially licensed"], "instruction_options": ["charcoal | dark green", "3x-large tall", "tennessee titans"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40KLXN7", "worker_id": "A1WS884SI0SLO4"}], "B09B1DJBRV": [{"asin": "B09B1DJBRV", "instruction": "i would like a pair of black size 8.5 boots with a comfortable fit.", "attributes": ["comfortable fit", "synthetic sole", "rubber outsole", "everyday wear"], "options": ["color: black | black", "size: 8.5"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["black | black", "8.5"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVR9JK8", "worker_id": "A1WS884SI0SLO4"}], "B093RVKB8Z": [{"asin": "B093RVKB8Z", "instruction": "i need some cabernet for a great gift", "attributes": ["quality ingredients", "great gift"], "options": ["flavor name: french cabernet sauvignon"], "instruction_attributes": ["great gift"], "instruction_options": ["french cabernet sauvignon"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z4E1CQQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07XGJBX47": [{"asin": "B07XGJBX47", "instruction": "i am looking for a dolly parton's greatest hits t-shirt.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: cranberry", "fit type: youth", "size: x-small"], "instruction_attributes": ["classic fit"], "instruction_options": ["x-small"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYGI82G", "worker_id": "A2KW17G25L25R8"}], "B00KBOL612": [{"asin": "B00KBOL612", "instruction": "i am looking for 10 wide tan color synthetic sole womens slipper", "attributes": ["faux fur", "synthetic sole"], "options": ["color: tan | black leopard", "size: 10 wide"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["tan | black leopard", "10 wide"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MP7OFZ", "worker_id": "A258PTOZ3D2TQR"}], "B09KPZX6H8": [{"asin": "B09KPZX6H8", "instruction": "i am looking for a super soft throw blanket of pattern 2 color.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: pattern 2", "size: 60x80inch(150x200cm)"], "instruction_attributes": ["super soft"], "instruction_options": ["pattern 2"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OYTYE4", "worker_id": "A1Q8PPQQCWGY0D"}], "B09SL3QDBS": [{"asin": "B09SL3QDBS", "instruction": "i'm looking for massage table sheet sets.", "attributes": ["long lasting", "beauty salon"], "options": ["color: red"], "instruction_attributes": ["beauty salon"], "instruction_options": ["red"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1I108R", "worker_id": "A21IUUHBSEVB56"}], "B01N9YSI29": [{"asin": "B01N9YSI29", "instruction": "i'm looking for tea tree oil soap with a peppermint tea tree scent. i want a 2 pack of 4 ounce bars.", "attributes": ["cruelty free", "tea tree", "sensitive skin"], "options": ["scent: peppermint tea tree", "size: 2-pack of 4 ounce soap bars"], "instruction_attributes": ["tea tree"], "instruction_options": ["peppermint tea tree", "2-pack of 4 ounce soap bars"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVK3P1Z", "worker_id": "A3OLRWACCCCUTU"}], "B07ZGDX4LS": [{"asin": "B07ZGDX4LS", "instruction": "i am looking for a water resistant battery storage containers", "attributes": ["water resistant", "batteries included"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R4T7WY", "worker_id": "A9QRQL9CFJBI7"}], "B085VJBRFS": [{"asin": "B085VJBRFS", "instruction": "i am looking for milk creme chocolate bar with natural ingredients.", "attributes": ["kosher certified", "artificial colors", "natural ingredients", "artificial flavors"], "options": ["flavor name: milk", "size: 1.76 ounce (pack of 12)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["milk"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQA91LK", "worker_id": "AJDQGOTMB2D80"}], "B07BT8JFNT": [{"asin": "B07BT8JFNT", "instruction": "i'm looking for a twelve pack of black cherry cream flavor hand crafted soda in bottles.", "attributes": ["hand crafted", "non alcoholic", "caffeine free"], "options": ["flavor name: black cherry cream", "size: 24 pack"], "instruction_attributes": ["hand crafted"], "instruction_options": ["black cherry cream"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4H1BSM", "worker_id": "A2JP9IKRHNLRPI"}], "B01NAT3AGR": [{"asin": "B01NAT3AGR", "instruction": "i'm looking for casual twill mens shirt.", "attributes": ["machine washable", "long sleeve"], "options": ["color: burgundy", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB17ALU7", "worker_id": "A21IUUHBSEVB56"}], "B01N0XKMP6": [{"asin": "B01N0XKMP6", "instruction": "i am interested in buying a size 15 walking shoes with a rubber sole.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black | white | grey three", "size: 15"], "instruction_attributes": ["rubber sole"], "instruction_options": ["15"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YMTPNU", "worker_id": "AHXHM1PQTRWIQ"}], "B073C45CPQ": [{"asin": "B073C45CPQ", "instruction": "i would like a regular sea glass towel for damaged hair.", "attributes": ["easy use", "damaged hair", "dry hair"], "options": ["color: sea glass", "style: regular (19x39 inches)"], "instruction_attributes": ["damaged hair"], "instruction_options": ["sea glass", "regular (19x39 inches)"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCR2BMR", "worker_id": "A1WS884SI0SLO4"}], "B07HB9R7ZC": [{"asin": "B07HB9R7ZC", "instruction": "i am looking for an i5 quad core computer with 16 gb memory.", "attributes": ["core i5", "quad core"], "options": [""], "instruction_attributes": ["core i5", "quad core"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5JBZ1V", "worker_id": "A1NF6PELRKACS9"}], "B09PTK7CYL": [{"asin": "B09PTK7CYL", "instruction": "i would like to buy easy to clean massage table sheets which are pink in color.", "attributes": ["easy clean", "beauty salon"], "options": ["color: pink 3", "size: 70*190cm square head"], "instruction_attributes": ["easy clean"], "instruction_options": ["pink 3"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54UN83W", "worker_id": "AHXHM1PQTRWIQ"}], "B09JLDJQXX": [{"asin": "B09JLDJQXX", "instruction": "i am looking for a gray long sleeved puffy jacket in size small.", "attributes": ["hand wash", "short sleeve", "long sleeve", "faux fur", "tumble dry", "teen girls", "daily wear"], "options": ["color: 05 # gray", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["05 # gray", "small"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEY4UUB", "worker_id": "AK3JMCIGU8MLU"}], "B09ND72Y7Z": [{"asin": "B09ND72Y7Z", "instruction": "i'm looking for a winter pajama set that my husband can wear every day: it needs to have an elastic waistband because he's a size xxl.", "attributes": ["elastic waistband", "long sleeve", "daily wear"], "options": ["color: multi 10", "size: xx-large"], "instruction_attributes": ["elastic waistband", "daily wear"], "instruction_options": ["xx-large"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT063OUNY", "worker_id": "A3LIIE572Z4OG7"}], "B07WGQFP6V": [{"asin": "B07WGQFP6V", "instruction": "i want asian sesame keto salad dressing.", "attributes": ["low carb", "dairy free", "gluten free", "low sugar", "keto friendly", "natural ingredients"], "options": ["flavor name: asian sesame", "size: 13 ounce (pack of 2)"], "instruction_attributes": ["keto friendly"], "instruction_options": ["asian sesame"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3JKYAY", "worker_id": "A2RBF3IIJP15IH"}], "B09P2P9BKV": [{"asin": "B09P2P9BKV", "instruction": "i am looking for a hydrating stick for face that is suitable for sensitive skin", "attributes": ["tea tree", "sensitive skin"], "options": ["color: 0.8 ounce", "size: tea tree"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["0.8 ounce", "tea tree"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UWDJ6R", "worker_id": "A2COCSUGZV28X"}], "B00HUB2Z46": [{"asin": "B00HUB2Z46", "instruction": "i would like to buy shea butter, which should be cruelty free product and for dry hair.", "attributes": ["cruelty free", "sulfate free", "dry hair"], "options": [""], "instruction_attributes": ["cruelty free", "dry hair"], "instruction_options": [], "assignment_id": "3WMINLGALMDE0JA33INN08NU0WNACP", "worker_id": "AJY5G987IRT25"}], "B09M2L6RDW": [{"asin": "B09M2L6RDW", "instruction": "i am looking for an android 11 tablet with 4g lte.", "attributes": ["1080p hd", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKP15PJ5", "worker_id": "AJDQGOTMB2D80"}], "B09QQ15B5M": [{"asin": "B09QQ15B5M", "instruction": "i am looking for a storage cabinet that is suitable for my living room. pick an espresso color.", "attributes": ["white item", "storage space", "dining room", "living room"], "options": ["color: espresso-3"], "instruction_attributes": ["storage space", "living room"], "instruction_options": ["espresso-3"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4V2DWYX", "worker_id": "A1NF6PELRKACS9"}], "B073WMR9VS": [{"asin": "B073WMR9VS", "instruction": "i am looking for a blue colored, water resistant wireless bluetooth speaker.", "attributes": ["water resistant", "stereo sound", "wireless bluetooth"], "options": ["color: blue", "size: slim"], "instruction_attributes": ["water resistant", "wireless bluetooth"], "instruction_options": ["blue"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36T1BSUL", "worker_id": "AJDQGOTMB2D80"}], "B08NPHTBXB": [{"asin": "B08NPHTBXB", "instruction": "i am looking for an easy to install vanity light for bathroom.", "attributes": ["easy install", "vanity light", "living room"], "options": ["size: 2-light"], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": [], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMLMZIN", "worker_id": "AJDQGOTMB2D80"}], "B09NVCYGZJ": [{"asin": "B09NVCYGZJ", "instruction": "i need 2 pieces of tempered glass film coverings for my dining room windows; they are 17.7\"x35.4\" in size.", "attributes": ["tempered glass", "dining room"], "options": ["color: 1031378586044720000", "size: (width\uff0917.7in x (length)35.4in x 2pcs"], "instruction_attributes": ["tempered glass", "dining room"], "instruction_options": ["(width\uff0917.7in x (length)35.4in x 2pcs"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHIJNBC", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B09NVCYGZJ", "instruction": "i would like a 23.6in by 23.6in in 2pcs set of red window films with tempered glass.", "attributes": ["tempered glass", "dining room"], "options": ["color: 1022157076510930000", "size: (width\uff0923.6in x (length)23.6in x 2pcs"], "instruction_attributes": ["tempered glass"], "instruction_options": ["1022157076510930000", "(width\uff0923.6in x (length)23.6in x 2pcs"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHT6KLN8", "worker_id": "A1WS884SI0SLO4"}], "B08NBDYBJ8": [{"asin": "B08NBDYBJ8", "instruction": "im looking for a blue gift basket.", "attributes": ["gift basket", "gift set", "great gift"], "options": ["color: blue"], "instruction_attributes": ["gift basket"], "instruction_options": ["blue"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCVM56V", "worker_id": "AK3JMCIGU8MLU"}], "B00G8R58QU": [{"asin": "B00G8R58QU", "instruction": "i want to buy some cc cream with hyaluronic acid and color light in size .4 oz.", "attributes": ["hyaluronic acid", "dark circles"], "options": ["color: light", "size: .4 ounce"], "instruction_attributes": ["hyaluronic acid"], "instruction_options": ["light", ".4 ounce"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2BAY73", "worker_id": "A2YNPKYEFDZ6C9"}, {"asin": "B00G8R58QU", "instruction": "look for this brand: it cosmetics your skin but better, full coverage foundation, moisturizing serum and sunscreen spf 50+ - natural finish - for my dark circles .4 oz", "attributes": ["hyaluronic acid", "dark circles"], "options": ["color: light", "size: .4 ounce"], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6M3EEK", "worker_id": "A15IJ20C3R4HUO"}], "B07NVSY9BK": [{"asin": "B07NVSY9BK", "instruction": "i want a moonlight lip glosses that is cruelty free.", "attributes": ["cruelty free", "hyaluronic acid"], "options": ["color: moonlight"], "instruction_attributes": ["cruelty free"], "instruction_options": ["moonlight"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP28XT9", "worker_id": "A1WS884SI0SLO4"}], "B08154NM4M": [{"asin": "B08154NM4M", "instruction": "i want a small sonic toothbrush for bad breath.", "attributes": ["teeth whitening", "easy clean", "bad breath"], "options": ["size: small"], "instruction_attributes": ["bad breath"], "instruction_options": ["small"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57JHI9C", "worker_id": "A1WS884SI0SLO4"}], "B07P72RMKH": [{"asin": "B07P72RMKH", "instruction": "i would like a full size style 8 duvet cover that is machine washable.", "attributes": ["queen size", "machine washable"], "options": ["color: style8", "size: full"], "instruction_attributes": ["machine washable"], "instruction_options": ["style8", "full"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AONSTF", "worker_id": "A1WS884SI0SLO4"}], "B07W3GBBZY": [{"asin": "B07W3GBBZY", "instruction": "i'd like a print of persistence of memory, ready to hang in my living room with dimensions 20\"x16\"x1.5\".", "attributes": ["ready hang", "dining room", "living room"], "options": ["color: 05 i and the village", "size: 20\"x16\"x1.5\""], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["20\"x16\"x1.5\""], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYQM6MW", "worker_id": "A3O1I9MATO3ZZN"}], "B0010C2UK0": [{"asin": "B0010C2UK0", "instruction": "i am looking for low calorie, gluten free organic\\ pasta sauce", "attributes": ["low calorie", "gluten free"], "options": [""], "instruction_attributes": ["low calorie", "gluten free"], "instruction_options": [], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5UUF5D", "worker_id": "A258PTOZ3D2TQR"}], "B07NMD498D": [{"asin": "B07NMD498D", "instruction": "i am looking for peripera velvet lipstick that is long lasting and in the color red.", "attributes": ["highly pigmented", "long lasting"], "options": ["color: 06 sold out red", "size: 0.14 fl oz"], "instruction_attributes": ["long lasting"], "instruction_options": ["06 sold out red"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMTOWMY", "worker_id": "AK3JMCIGU8MLU"}], "B09QLXZYW7": [{"asin": "B09QLXZYW7", "instruction": "i would like a fireplace and tv stand for my living room with lots of storage space.", "attributes": ["easy install", "storage space", "living room"], "options": ["size: fireplace + tv stand"], "instruction_attributes": ["storage space", "living room"], "instruction_options": ["fireplace + tv stand"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBUAEJG", "worker_id": "A1WS884SI0SLO4"}], "B09JKM41ML": [{"asin": "B09JKM41ML", "instruction": "i would like a easy to assemble buffet sideboard.", "attributes": ["mid century", "easy assemble", "storage space"], "options": [""], "instruction_attributes": ["easy assemble"], "instruction_options": [], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM8HZH4", "worker_id": "A1WS884SI0SLO4"}], "B08VGPYGYN": [{"asin": "B08VGPYGYN", "instruction": "i am looking for a high resolution projector screen with stand. also, i would like the item to be made of aluminum alloy.", "attributes": ["ultra hd", "high resolution", "aluminum alloy"], "options": ["size: 120 inch"], "instruction_attributes": ["high resolution", "aluminum alloy"], "instruction_options": [], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PPVQEC", "worker_id": "AJDQGOTMB2D80"}], "B09NF79TD7": [{"asin": "B09NF79TD7", "instruction": "i'm looking for an officially licensed spider-man t-shirt with black needle sleeves.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: youth", "size: x-large"], "instruction_attributes": ["officially licensed", "needle sleeve"], "instruction_options": ["black"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DFVDWW", "worker_id": "ARJDD0Z3R65BD"}], "B09NQZHM14": [{"asin": "B09NQZHM14", "instruction": "i would like some gold living room end tables", "attributes": ["high density", "assembly required", "storage space", "living room"], "options": ["color: gold"], "instruction_attributes": ["living room"], "instruction_options": ["gold"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX8UFAI", "worker_id": "A2ECRNQ3X5LEXD"}], "B073D8VH5S": [{"asin": "B073D8VH5S", "instruction": "i'd like to get some binoculars that are high definition and have a carying case. look for style 8x42.", "attributes": ["high definition", "carrying case"], "options": ["style: 8x42"], "instruction_attributes": ["high definition", "carrying case"], "instruction_options": ["8x42"], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TWXMP5", "worker_id": "AR9AU5FY1S3RO"}], "B07Y7JKQ2G": [{"asin": "B07Y7JKQ2G", "instruction": "i am looking for an easy to use anti aging jade roller.", "attributes": ["anti aging", "easy use", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "easy use"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UXZ0Y0", "worker_id": "A1EREKSZAA9V7B"}], "B01B3IAYEE": [{"asin": "B01B3IAYEE", "instruction": "i am looking for nefertiti's rejuvenating conditioner for dry and damaged hair", "attributes": ["coconut oil", "natural ingredients", "damaged hair", "dry hair"], "options": [""], "instruction_attributes": ["damaged hair", "dry hair"], "instruction_options": [], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A43FHE", "worker_id": "AK3JMCIGU8MLU"}], "B094XK66XL": [{"asin": "B094XK66XL", "instruction": "i am looking for high speed vr headset of size 10ft.", "attributes": ["high speed", "fast charging", "usb port"], "options": ["size: 10ft"], "instruction_attributes": ["high speed"], "instruction_options": ["10ft"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GO1U397", "worker_id": "A1Q8PPQQCWGY0D"}], "B085LSYPYK": [{"asin": "B085LSYPYK", "instruction": "i am looking for men's dark clay color ankle strap sandals.", "attributes": ["ankle strap", "rubber sole"], "options": ["color: dark clay", "size: 6-6.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["dark clay"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53ZJGKS", "worker_id": "A1Q8PPQQCWGY0D"}], "B093PZZQC8": [{"asin": "B093PZZQC8", "instruction": "i am looking for a high quality baby toothbrush that are easy to carry.", "attributes": ["easy carry", "high quality", "sensitive teeth"], "options": [""], "instruction_attributes": ["easy carry", "high quality"], "instruction_options": [], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFPS9EA", "worker_id": "A1Q8PPQQCWGY0D"}], "B002G9MMOA": [{"asin": "B002G9MMOA", "instruction": "i want navy landau essentials straight leg scrub pants.", "attributes": ["straight leg", "machine wash", "relaxed fit", "elastic closure", "polyester cotton", "elastic waistband"], "options": ["color: navy", "size: 3x-large plus tall"], "instruction_attributes": ["straight leg"], "instruction_options": ["navy"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602WZ95F", "worker_id": "A2RBF3IIJP15IH"}], "B0812TLR8P": [{"asin": "B0812TLR8P", "instruction": "i am looking for a kit of teeth whitening & sensitive teeth", "attributes": ["teeth whitening", "long lasting", "sensitive teeth"], "options": [""], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": [], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLO80MZ", "worker_id": "A9QRQL9CFJBI7"}], "B07RV26NQ9": [{"asin": "B07RV26NQ9", "instruction": "i am looking for a heavy duty protective case for iphone of color 2 in 1 red | black.", "attributes": ["compatible apple", "heavy duty"], "options": ["color: 2 in 1 red | black"], "instruction_attributes": ["heavy duty"], "instruction_options": ["2 in 1 red | black"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGT1VM70", "worker_id": "A1Q8PPQQCWGY0D"}], "B07L942Q7B": [{"asin": "B07L942Q7B", "instruction": "i am looking for large size classic fit t-shirt.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: kelly green", "fit type: men", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["large"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYT7FXQ", "worker_id": "A1Q8PPQQCWGY0D"}], "B08411856M": [{"asin": "B08411856M", "instruction": "i am looking for a pair of men's size 7 running shoes with rubber soles.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black | footwear white | footwear white", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["7"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VUPMXA", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08411856M", "instruction": "am searching reebok women's nano x cross trainer running shoes with rubber sole and size 7", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: white | fluid blue | vivid orange", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["7"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3RBDR0K", "worker_id": "A1IL2K0ELYI090"}], "B08BHWKZCK": [{"asin": "B08BHWKZCK", "instruction": "i would like a 5.9 inch pendant light fixture for my living room.", "attributes": ["mid century", "glass shade", "pendant light", "light fixture", "dining room", "living room"], "options": ["color: 5.9 inch"], "instruction_attributes": ["light fixture", "living room"], "instruction_options": ["5.9 inch"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UIO3AW", "worker_id": "A1WS884SI0SLO4"}], "B09NRP6LNX": [{"asin": "B09NRP6LNX", "instruction": "i am looking for keto friendly, certified organic clarified butter in the himalayan pink salt ghee style.", "attributes": ["grass fed", "non gmo", "bpa free", "hand crafted", "keto friendly", "certified organic"], "options": ["flavor name: himalayan pink salt ghee", "size: 16.8 fl oz (pack of 1)"], "instruction_attributes": ["keto friendly", "certified organic"], "instruction_options": ["himalayan pink salt ghee"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYQBM61", "worker_id": "AK3JMCIGU8MLU"}], "B099PS6R7Y": [{"asin": "B099PS6R7Y", "instruction": "i am looking for some easy to install gold plated banana plugs for speaker wire.", "attributes": ["gold plated", "easy install"], "options": [""], "instruction_attributes": ["gold plated", "easy install"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCAFD0T", "worker_id": "A1EREKSZAA9V7B"}], "B09NQ9M14T": [{"asin": "B09NQ9M14T", "instruction": "this brand is the one i have in other rooms, look for it: greaton wood fully assembled traditional box spring/ 4'' split foundation for mattress, queen size, color white. let me know as soon as you find it.", "attributes": ["ready use", "fully assembled", "white item", "assembly required", "box spring"], "options": ["color: white", "size: twin xl", "style: 4\" split foundation"], "instruction_attributes": ["white item", "box spring"], "instruction_options": ["white", "4\" split foundation"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLO15O7C", "worker_id": "A15IJ20C3R4HUO"}], "B00ZLUMAOS": [{"asin": "B00ZLUMAOS", "instruction": "i am looking for some gluten free kool ranch flavored kale chips.", "attributes": ["non gmo", "hand crafted", "gluten free", "simple ingredients"], "options": ["flavor name: kool ranch", "size: 2 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["kool ranch"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTWPWXX", "worker_id": "A1EREKSZAA9V7B"}], "B09KXQ368P": [{"asin": "B09KXQ368P", "instruction": "i'm looking for eye makeup eyeshadow pads professional stencils.", "attributes": ["easy use", "eye shadow"], "options": [""], "instruction_attributes": ["eye shadow"], "instruction_options": [], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQ00B4F", "worker_id": "A21IUUHBSEVB56"}], "B01B22W4OE": [{"asin": "B01B22W4OE", "instruction": "i need some oatmeal chocolate chip cookies that is made from real fruit. make sure that is plant based.", "attributes": ["plant based", "individually wrapped", "gluten free", "real fruit", "simple ingredients", "artificial colors"], "options": ["flavor name: oatmeal chocolate chip"], "instruction_attributes": ["plant based", "real fruit"], "instruction_options": ["oatmeal chocolate chip"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8ZNG87", "worker_id": "A1NF6PELRKACS9"}], "B098BFLRQ2": [{"asin": "B098BFLRQ2", "instruction": "i am interested in buying remove cover which is light weight, and easy to install, and it's color should be red.", "attributes": ["light weight", "easy install", "case cover"], "options": ["color: red"], "instruction_attributes": ["light weight", "easy install"], "instruction_options": ["red"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVPI0QZ", "worker_id": "AJY5G987IRT25"}], "B01C8PBPNU": [{"asin": "B01C8PBPNU", "instruction": "i am looking for amisco club counter stool in grey metal and aqua blue polyurethane that is lead free and easy to clean.", "attributes": ["lead free", "assembly required", "easy clean"], "options": ["color: grey metal | aqua blue polyurethane", "size: counter"], "instruction_attributes": ["lead free", "easy clean"], "instruction_options": ["grey metal | aqua blue polyurethane"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34PY41G", "worker_id": "AK3JMCIGU8MLU"}], "B08QMQ4CNH": [{"asin": "B08QMQ4CNH", "instruction": "i would like a extra large pair of ripped style a jeans with a wide leg.", "attributes": ["wide leg", "machine wash", "loose fit", "high waist", "tumble dry"], "options": ["color: ripped style a", "size: x-large"], "instruction_attributes": ["wide leg"], "instruction_options": ["ripped style a", "x-large"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWSMW6Z", "worker_id": "A1WS884SI0SLO4"}], "B0957PQ9L3": [{"asin": "B0957PQ9L3", "instruction": "i'm looking for a high quality stainless steel tongue cleaners. also, choose assorted color1 one.", "attributes": ["easy carry", "long lasting", "high quality", "stainless steel", "oral hygiene"], "options": ["color: assorted color1"], "instruction_attributes": ["high quality", "stainless steel"], "instruction_options": ["assorted color1"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQIMJCH", "worker_id": "AR0VJ5XRG16UJ"}], "B07GCLX7KN": [{"asin": "B07GCLX7KN", "instruction": "i would like a medium sized black sleep set that is light weight.", "attributes": ["easy care", "light weight", "machine wash"], "options": ["color: style a - 2 pack: black+navy blue", "size: medium"], "instruction_attributes": ["light weight"], "instruction_options": ["style a - 2 pack", "medium"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJLCLOK", "worker_id": "A1WS884SI0SLO4"}], "B08YDBRJW6": [{"asin": "B08YDBRJW6", "instruction": "i'm looking for an easy-to-carry makeup case that contains various types of eyeshadows and is of high quality, in black marble.", "attributes": ["easy carry", "easy clean", "high quality", "eye shadow"], "options": ["color: marble black"], "instruction_attributes": ["easy carry", "high quality", "eye shadow"], "instruction_options": ["marble black"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVKAZS3", "worker_id": "ARJDD0Z3R65BD"}], "B08RD37DPB": [{"asin": "B08RD37DPB", "instruction": "i am looking for butt-lifting, high waisted workout leggings in the color red and the size medium.", "attributes": ["butt lifting", "quick drying", "moisture wicking", "high waist", "tummy control", "nylon spandex", "elastic closure", "polyester spandex"], "options": ["color: (b)-red", "size: medium"], "instruction_attributes": ["butt lifting", "high waist"], "instruction_options": ["(b)-red", "medium"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I4DS1L", "worker_id": "AK3JMCIGU8MLU"}], "B086VZGSF4": [{"asin": "B086VZGSF4", "instruction": "i am looking for a fabric dresser of brown color for my living room.", "attributes": ["easy assemble", "steel frame", "living room"], "options": ["color: brown"], "instruction_attributes": ["living room"], "instruction_options": ["brown"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHHWBNB", "worker_id": "A1Q8PPQQCWGY0D"}], "B09FPQRVC2": [{"asin": "B09FPQRVC2", "instruction": "i am interested in buying a gaming pc which is quad core and has specs of i7, 8gb, and 256 gb ssd.", "attributes": ["dual band", "quad core"], "options": ["size: i7|8gb|256gb ssd"], "instruction_attributes": ["quad core"], "instruction_options": ["i7|8gb|256gb ssd"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9H2MD1X", "worker_id": "AJY5G987IRT25"}], "B09QCYMJ6D": [{"asin": "B09QCYMJ6D", "instruction": "i'm looking for a 7.5 black heeled sandals with open toe", "attributes": ["open toe", "knee high", "arch support", "ankle strap", "closed toe"], "options": ["color: black", "size: 7.5"], "instruction_attributes": ["open toe"], "instruction_options": ["black", "7.5"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RKLLFY", "worker_id": "A2Y2TURT2VEYZN"}], "B08NJPXJ12": [{"asin": "B08NJPXJ12", "instruction": "i'm looking for cute hooded sweatshirts with frog print for women.", "attributes": ["relaxed fit", "long sleeve", "teen girls", "daily wear"], "options": ["color: pink28", "size: 4x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["4x-large"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1A0K1W", "worker_id": "A21IUUHBSEVB56"}], "B08DDJP9BL": [{"asin": "B08DDJP9BL", "instruction": "i'm looking for a gluten free, keto friendly, and vegan granola that is low sugar and low carb. also, choose the pack of 2 in lemon blueberry tart.", "attributes": ["grain free", "keto friendly", "low sugar", "gluten free", "soy free", "low carb", "dairy free", "dietary fiber"], "options": ["flavor name: lemon blueberry tart", "size: 9 ounce (pack of 2)"], "instruction_attributes": ["keto friendly", "gluten free", "low carb", "dairy free"], "instruction_options": ["lemon blueberry tart", "9 ounce (pack of 2)"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3SDYG3I", "worker_id": "A1TWVJS27CL3KT"}], "B08YV6T6M3": [{"asin": "B08YV6T6M3", "instruction": "i want multi colored self grip hair curlers for hair styling.", "attributes": ["easy use", "hair salon", "hair styling", "dry hair"], "options": ["color: e-multi color-36pcs"], "instruction_attributes": ["hair styling"], "instruction_options": ["e-multi color-36pcs"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57JS9IE", "worker_id": "A2RBF3IIJP15IH"}], "B09SKXMFY5": [{"asin": "B09SKXMFY5", "instruction": "i want to find aurgelmir gray women's quick dry running shorts with a unique design in a size small.", "attributes": ["day comfort", "unique design", "daily wear"], "options": ["color: grey", "size: small"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36C1VB3N", "worker_id": "AMI0SOF51O3FW"}], "B087HM63GM": [{"asin": "B087HM63GM", "instruction": "i am looking for some alcohol free spearmint mouthwash for bad breath.", "attributes": ["alcohol free", "bad breath"], "options": ["size: 17.4 fl oz (pack of 6)", "style: spearmint"], "instruction_attributes": ["alcohol free", "bad breath"], "instruction_options": ["spearmint"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PDVUBS", "worker_id": "A1EREKSZAA9V7B"}], "B01MFFYQW3": [{"asin": "B01MFFYQW3", "instruction": "i need a conditioner for damaged hair", "attributes": ["anti aging", "damaged hair"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39G9ZCS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LR824C8": [{"asin": "B09LR824C8", "instruction": "i'm looking for aaa batteries that will serve as replacement for my soundbar controller.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA8F8RC", "worker_id": "A1Q0EUNCS50S8M"}], "B08XWLWZ7P": [{"asin": "B08XWLWZ7P", "instruction": "i am looking for lactose-free non-dairy coffee creamer.", "attributes": ["lactose free", "non dairy", "gluten free"], "options": [""], "instruction_attributes": ["lactose free", "non dairy"], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXIVUJ4", "worker_id": "AJDQGOTMB2D80"}], "B08MQVYDLD": [{"asin": "B08MQVYDLD", "instruction": "i'm looking for all seed savory crisps.", "attributes": ["grain free", "low carb", "sugar free", "gluten free", "keto friendly", "high protein"], "options": ["flavor name: sesame", "size: 6 ounce (pack of 3)"], "instruction_attributes": ["grain free", "low carb", "sugar free", "gluten free"], "instruction_options": [], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXSCXAWQ", "worker_id": "A21IUUHBSEVB56"}], "B01F7K6Y9S": [{"asin": "B01F7K6Y9S", "instruction": "i want a anti-aging hyaluronic acid cream that includes aloe vera and retinol and is all natural.", "attributes": ["anti aging", "long lasting", "hyaluronic acid", "green tea", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "hyaluronic acid"], "instruction_options": [], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTHRN9B", "worker_id": "A3OLRWACCCCUTU"}], "B09SHJHKYN": [{"asin": "B09SHJHKYN", "instruction": "i am looking for white colored, quick drying bathing suits for women.", "attributes": ["quick drying", "quality polyester"], "options": ["color: white", "size: xx-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["white"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYQFM65", "worker_id": "AJDQGOTMB2D80"}], "B06WGQ2MHX": [{"asin": "B06WGQ2MHX", "instruction": "i am looking for sand brown color curtains for my living room.", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: sand brown", "size: 108\" x 108\""], "instruction_attributes": ["living room"], "instruction_options": ["sand brown"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0R6J8G", "worker_id": "A1Q8PPQQCWGY0D"}], "B07SQ2J3BR": [{"asin": "B07SQ2J3BR", "instruction": "i'm looking for a type a male to male magnetic ring data transfer extension cable for usb flash drive that is fast charging.", "attributes": ["plug play", "gold plated", "fast charging", "usb port"], "options": ["color: 1.8m | m"], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XVHNGZ", "worker_id": "AK3JMCIGU8MLU"}], "B09MND53SQ": [{"asin": "B09MND53SQ", "instruction": "i'm looking for led tv stand for 70 inch.", "attributes": ["easy assemble", "easy clean", "high gloss", "storage space", "living room"], "options": ["color: a type-w51\"upgrade"], "instruction_attributes": ["storage space", "living room"], "instruction_options": ["a type-w51\"upgrade"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUAW9AH", "worker_id": "A21IUUHBSEVB56"}], "B08JLYRZG5": [{"asin": "B08JLYRZG5", "instruction": "i would like a polka dot cosmetic bag that is travel size.", "attributes": ["travel size", "high quality"], "options": ["color: polka dot"], "instruction_attributes": ["travel size"], "instruction_options": ["polka dot"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL6AVRY", "worker_id": "A1WS884SI0SLO4"}], "B08ZWVPZBX": [{"asin": "B08ZWVPZBX", "instruction": "i am interested in buying hanging lights which are suitable for dining room and living room, while their color should be smoky gray.", "attributes": ["contemporary style", "pendant light", "light fixture", "dining room", "living room"], "options": ["color: smoky gray"], "instruction_attributes": ["dining room", "living room"], "instruction_options": ["smoky gray"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA57A8O", "worker_id": "AJY5G987IRT25"}], "B07W5RQKCJ": [{"asin": "B07W5RQKCJ", "instruction": "i am looking for a large size classic fit unreleased t-shirt.", "attributes": ["needle sleeve", "classic fit"], "options": ["fit type: youth", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["large"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21QRQFB", "worker_id": "A1Q8PPQQCWGY0D"}], "B08728KCJB": [{"asin": "B08728KCJB", "instruction": "i want non alcoholic andy anand's bulk tiramisu cordials.", "attributes": ["non alcoholic", "natural ingredients", "great gift"], "options": ["flavor name: tiramisu cordials"], "instruction_attributes": ["non alcoholic"], "instruction_options": ["tiramisu cordials"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOMZMLA", "worker_id": "A2RBF3IIJP15IH"}], "B07FM3BHRW": [{"asin": "B07FM3BHRW", "instruction": "i am looking for a family sized package with a variety of savory snacks made with healthy quality ingredients.", "attributes": ["dietary fiber", "quality ingredients"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4K615T", "worker_id": "A1E235KE3CSO7H"}], "B073YNKVZS": [{"asin": "B073YNKVZS", "instruction": "i am looking for womens plus size bootcut jeans.", "attributes": ["regular fit", "button closure"], "options": ["color: indigo", "size: 18 plus petite"], "instruction_attributes": ["button closure"], "instruction_options": ["18 plus petite"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTWMWXU", "worker_id": "A2KW17G25L25R8"}], "B0963GN8D3": [{"asin": "B0963GN8D3", "instruction": "i'm looking for a non toxic body paint scar wax", "attributes": ["non toxic", "easy apply"], "options": ["color: scar wax"], "instruction_attributes": ["non toxic"], "instruction_options": ["scar wax"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYLW6LU", "worker_id": "A2Y2TURT2VEYZN"}], "B07D4G3QY1": [{"asin": "B07D4G3QY1", "instruction": "i need a noise cancelling headset that is panasonic", "attributes": ["noise cancelling", "hands free"], "options": ["size: middle mono rj9 headset for panasonic ye..."], "instruction_attributes": ["noise cancelling"], "instruction_options": ["middle mono rj9 headset for panasonic ye..."], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ62ISH", "worker_id": "A2ECRNQ3X5LEXD"}], "B08PV6DNMJ": [{"asin": "B08PV6DNMJ", "instruction": "i would like a #5 nightstand that has a wood finish.", "attributes": ["easy install", "storage unit", "wood finish", "storage space"], "options": ["size: #5"], "instruction_attributes": ["wood finish"], "instruction_options": ["#5"], "assignment_id": "3Z4AIRP3CHN69T8YYVQH3KF1XK51XU", "worker_id": "A1WS884SI0SLO4"}], "B099MLG9SN": [{"asin": "B099MLG9SN", "instruction": "i am looking for one pound of organic walnuts", "attributes": ["plant based", "ready eat", "certified organic", "non gmo", "gluten free"], "options": ["flavor name: chandler", "size: 1 pound (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["1 pound (pack of 1)"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H7AU8T", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MMKFCY8": [{"asin": "B09MMKFCY8", "instruction": "i want a x-large yeyamei sweater for women that is made of polyester cotton.", "attributes": ["long sleeve", "comfortable fit", "polyester cotton", "teen girls", "daily wear"], "options": ["color: x10c-brown", "size: x-large"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["x-large"], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9XGTEH", "worker_id": "A2RBF3IIJP15IH"}], "B09QSC583Q": [{"asin": "B09QSC583Q", "instruction": "i am looking for rose gold oral care copper tongue cleaner", "attributes": ["easy use", "rose gold", "bad breath"], "options": [""], "instruction_attributes": ["rose gold"], "instruction_options": [], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1BKK1I", "worker_id": "A258PTOZ3D2TQR"}], "B093YS5G3P": [{"asin": "B093YS5G3P", "instruction": "iam looking for a wallets for blouse, hosiery and laundry bag", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOMILMS", "worker_id": "A9QRQL9CFJBI7"}], "B01IAESWES": [{"asin": "B01IAESWES", "instruction": "i would like a argan oil hair treatment.", "attributes": ["argan oil", "hair treatment"], "options": [""], "instruction_attributes": ["argan oil", "hair treatment"], "instruction_options": [], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBFNOS4", "worker_id": "A1WS884SI0SLO4"}], "B09QPPL1V7": [{"asin": "B09QPPL1V7", "instruction": "i am interested in buying a black colored loose fitting medium sized workout pants mainly for gym workouts.", "attributes": ["loose fit", "winter warm", "straight leg", "water resistant", "fleece lined", "slim fit", "quality polyester", "gym workout"], "options": ["color: black", "size: medium"], "instruction_attributes": ["loose fit", "gym workout"], "instruction_options": ["black", "medium"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NQN2PZ", "worker_id": "AHXHM1PQTRWIQ"}], "B01N7PB3L6": [{"asin": "B01N7PB3L6", "instruction": "i need milk chocolate covered peanut butter block", "attributes": ["chocolate covered", "individually wrapped", "high fructose"], "options": [""], "instruction_attributes": ["chocolate covered"], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZJSPRS", "worker_id": "A258PTOZ3D2TQR"}], "B08X9SG8VB": [{"asin": "B08X9SG8VB", "instruction": "i would like to buy a black colored box spring bed.", "attributes": ["box spring", "faux leather"], "options": ["color: black", "size: full", "style: faux leather"], "instruction_attributes": ["box spring"], "instruction_options": ["black"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFVO0TI", "worker_id": "AHXHM1PQTRWIQ"}], "B06XS8KPBF": [{"asin": "B06XS8KPBF", "instruction": "i would like a white bed and nightstand with drawers that saves space.", "attributes": ["space saving", "box spring"], "options": ["color: white", "pattern name: bed + nightstand", "size: drawers"], "instruction_attributes": ["space saving"], "instruction_options": ["white", "bed + nightstand", "drawers"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH5WHQS", "worker_id": "A1WS884SI0SLO4"}], "B093YSPZHZ": [{"asin": "B093YSPZHZ", "instruction": "i am looking for a mesh laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1DLI2Y", "worker_id": "A1EREKSZAA9V7B"}], "B09PMFB9LH": [{"asin": "B09PMFB9LH", "instruction": "i am looking for a freeze dried pear chips and should contain real fruit.", "attributes": ["freeze dried", "real fruit"], "options": ["flavor name: pear"], "instruction_attributes": ["freeze dried", "real fruit"], "instruction_options": ["pear"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDLX2OO", "worker_id": "AHU9OLV0YKIIW"}], "B09B7YP723": [{"asin": "B09B7YP723", "instruction": "i need a living room statue", "attributes": ["hand painted", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZLMO8A", "worker_id": "A2ECRNQ3X5LEXD"}], "B008M4S91S": [{"asin": "B008M4S91S", "instruction": "can i get a 2 light bath vanity lighting set with nickel finish?", "attributes": ["brushed nickel", "nickel finish"], "options": ["size: 2 light"], "instruction_attributes": ["nickel finish"], "instruction_options": ["2 light"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP71J7U", "worker_id": "A3O1I9MATO3ZZN"}], "B00N49FECS": [{"asin": "B00N49FECS", "instruction": "i want indigo zac relaxed fit straight leg jeans.", "attributes": ["straight leg", "machine wash", "imported zipper", "relaxed fit"], "options": ["color: medium indigo ssk290", "size: 44w x 34l"], "instruction_attributes": ["straight leg"], "instruction_options": ["medium indigo ssk290"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ79ISQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B00N49FECS", "instruction": "i am looking for a straight leg jeans in sandblast light color. also in 40w x 34l size.", "attributes": ["straight leg", "machine wash", "imported zipper", "relaxed fit"], "options": ["color: sandblast light", "size: 40w x 34l"], "instruction_attributes": ["straight leg"], "instruction_options": ["sandblast light", "40w x 34l"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZC3CPB", "worker_id": "A2HMEGTAFO0CS8"}], "B081DF9LK8": [{"asin": "B081DF9LK8", "instruction": "i need a 64gb, high performance usb flash drive.", "attributes": ["high performance", "usb port"], "options": ["size: 64gb"], "instruction_attributes": ["high performance"], "instruction_options": ["64gb"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54UQ38U", "worker_id": "A2NSS746CFCT4M"}], "B09MM3TBRJ": [{"asin": "B09MM3TBRJ", "instruction": "i need a manual toothbrush for my sensitive teeth", "attributes": ["easy use", "sensitive teeth"], "options": ["color: c"], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR7ZA05", "worker_id": "AVIEE6LDH0BT5"}], "B0843HBRYC": [{"asin": "B0843HBRYC", "instruction": "i am looking for a ivory color contemporary design area rugs", "attributes": ["contemporary design", "home furnishings"], "options": ["color: ivory", "item shape: round", "size: 2 ft (3 in) x 8 ft"], "instruction_attributes": ["contemporary design"], "instruction_options": ["ivory"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DEIDWH", "worker_id": "A9QRQL9CFJBI7"}], "B093QF29VW": [{"asin": "B093QF29VW", "instruction": "i want a keto high protein snack gift basket.", "attributes": ["low carb", "low sugar", "high protein", "gift basket", "gift set", "perfect gift"], "options": [""], "instruction_attributes": ["high protein", "gift basket"], "instruction_options": [], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8KVZNI", "worker_id": "A1WS884SI0SLO4"}], "B08157ZH8F": [{"asin": "B08157ZH8F", "instruction": "i would like some rubber sole oxfords that are tan and a size 9", "attributes": ["anti slip", "non slip", "rubber outsole", "rubber sole"], "options": ["color: tan", "size: 9"], "instruction_attributes": ["rubber sole"], "instruction_options": ["tan", "9"], "assignment_id": "37TRT2X24116R7L1JO45INKV8X5JBT", "worker_id": "A2ECRNQ3X5LEXD"}], "B095VSRVXW": [{"asin": "B095VSRVXW", "instruction": "i'm looking for crystal roller massager with facial beauty massage stick.", "attributes": ["easy carry", "dark circles"], "options": ["color: fenjinggunlunbaozhuanghe"], "instruction_attributes": ["easy carry"], "instruction_options": ["fenjinggunlunbaozhuanghe"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFHD5U6", "worker_id": "A21IUUHBSEVB56"}], "B09CZ8BMHD": [{"asin": "B09CZ8BMHD", "instruction": "i'm looking for a film screen protector with tempered glass for google pixel 6 pro.", "attributes": ["high definition", "tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["tempered glass"], "instruction_options": [], "assignment_id": "3EJPLAJKEXQQLA9A5JQJV1MTDUAZ6C", "worker_id": "A62B826XMLK7K"}], "B07BPM9WNX": [{"asin": "B07BPM9WNX", "instruction": "i'm looking for an art print for my living room that's ready to hang. look for something with mountains in it that's twelve by sixteen inches.", "attributes": ["ready hang", "living room", "dining room"], "options": ["color: watercolor mountain geometric", "size: 12x16inches*3pcs"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["watercolor mountain geometric", "12x16inches*3pcs"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHAD5DOT", "worker_id": "AR9AU5FY1S3RO"}], "B09JZ9B53Z": [{"asin": "B09JZ9B53Z", "instruction": "i'm need of a black dining chair with solid wood", "attributes": ["easy clean", "solid wood", "memory foam", "wood frame"], "options": ["color: black"], "instruction_attributes": ["solid wood"], "instruction_options": ["black"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNO7TNU", "worker_id": "A2Y2TURT2VEYZN"}], "B09NPKS6PC": [{"asin": "B09NPKS6PC", "instruction": "i am looking for hdmi adapter having usb port.", "attributes": ["high definition", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LIG0LT", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PZ6LLJC": [{"asin": "B09PZ6LLJC", "instruction": "i am looking for women's t-shirt of white color having short sleeve.", "attributes": ["wash cold", "hand wash", "machine wash", "short sleeve", "everyday wear", "dry clean", "teen girls", "daily wear"], "options": ["color: white", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["white"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X9PGPT", "worker_id": "A1Q8PPQQCWGY0D"}], "B09QS65811": [{"asin": "B09QS65811", "instruction": "i am looking for multi10 color lamp for living room.", "attributes": ["space saving", "storage space", "living room"], "options": ["color: multi10"], "instruction_attributes": ["living room"], "instruction_options": ["multi10"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFIO5UJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B08RXZXTV4": [{"asin": "B08RXZXTV4", "instruction": "i am looking for golden blonde with highlights color hair extensions that are easy to apply.", "attributes": ["easy apply", "hair extensions"], "options": ["color: golden blonde with highlights", "size: 24 inch (pack of 1)"], "instruction_attributes": ["easy apply"], "instruction_options": ["golden blonde with highlights"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLXJFT7", "worker_id": "A1Q8PPQQCWGY0D"}], "B08K2ZPQ6G": [{"asin": "B08K2ZPQ6G", "instruction": "i am looking for some easy to use holographic nail art.", "attributes": ["double sided", "easy use", "nail art"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQKHJRH", "worker_id": "A1EREKSZAA9V7B"}], "B07LH2ZK7M": [{"asin": "B07LH2ZK7M", "instruction": "looking for a long lasting ralph love women perfume", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTWYP9F", "worker_id": "A2Y2TURT2VEYZN"}], "B09ND1LQB2": [{"asin": "B09ND1LQB2", "instruction": "i am looking for a twin size low loft bed with storage in grey.", "attributes": ["twin size", "space saving", "assembly required"], "options": ["color: grey with slide, drawers", "size: twin (with storage)"], "instruction_attributes": ["twin size"], "instruction_options": ["grey with slide, drawers"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XUMNG2", "worker_id": "A2KW17G25L25R8"}], "B099WVM374": [{"asin": "B099WVM374", "instruction": "i want a colourful makeup brush set for sensitive skin.", "attributes": ["easy carry", "eye shadow", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WZ4A17", "worker_id": "A2RBF3IIJP15IH"}], "B09SFWYXGD": [{"asin": "B09SFWYXGD", "instruction": "i'm looking for a 2.0 32 gigabyte, guitar shaped memory drive that is easy to use.", "attributes": ["plug play", "easy use"], "options": ["size: 2.0 32gb"], "instruction_attributes": ["easy use"], "instruction_options": ["2.0 32gb"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KS1LJ2", "worker_id": "AK3JMCIGU8MLU"}], "B01CYVYKI0": [{"asin": "B01CYVYKI0", "instruction": "i'm looking for classic cut wig for women.", "attributes": ["natural hair", "hair growth"], "options": ["color: rl32 | 31 cinnabar"], "instruction_attributes": ["hair growth"], "instruction_options": ["rl32 | 31 cinnabar"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPELV868", "worker_id": "A21IUUHBSEVB56"}], "B09JPCLY25": [{"asin": "B09JPCLY25", "instruction": "i'm looking for a kids toothbrush that's easy to use and not hard on the teeth. also, pick yellow", "attributes": ["easy use", "sensitive teeth"], "options": ["color: yellow", "size: bear paw,large"], "instruction_attributes": ["easy use", "sensitive teeth"], "instruction_options": ["yellow"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YR269K", "worker_id": "A2TRV8SEM003GG"}], "B09SFYFZW5": [{"asin": "B09SFYFZW5", "instruction": "i am looking for high knee womens flat sandals of size 8.", "attributes": ["knee high", "open toe", "non slip", "closed toe", "ankle strap"], "options": ["color: sandals shoes a11- black", "size: 8"], "instruction_attributes": ["knee high"], "instruction_options": ["8"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZLGO84", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PDQ1GP5": [{"asin": "B09PDQ1GP5", "instruction": "i want to find a large pair of pink stretchy yoga shorts for teen girls.", "attributes": ["wash cold", "hand wash", "high waist", "teen girls"], "options": ["color: a2-pink", "size: large"], "instruction_attributes": ["teen girls"], "instruction_options": ["a2-pink", "large"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD59IRL", "worker_id": "A345TDMHP3DQ3G"}], "B09PRPDH13": [{"asin": "B09PRPDH13", "instruction": "i would like a white computer speaker with stereo sound.", "attributes": ["high performance", "wireless bluetooth", "stereo sound"], "options": ["color: white"], "instruction_attributes": ["stereo sound"], "instruction_options": ["white"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHTWJ0V", "worker_id": "A1WS884SI0SLO4"}], "B095W1HB2Q": [{"asin": "B095W1HB2Q", "instruction": "i'm looking for a high quality cosmetic container to refill my lip gloss; please choose the rose gold color.", "attributes": ["high quality", "easy apply", "eco friendly", "rose gold"], "options": ["color: gold"], "instruction_attributes": ["high quality", "rose gold"], "instruction_options": ["gold"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO8U2C9", "worker_id": "A3LIIE572Z4OG7"}], "B089NYN7C7": [{"asin": "B089NYN7C7", "instruction": "i am looking for a quick release plate for my camera made of aluminum alloy.", "attributes": ["quick release", "aluminum alloy"], "options": [""], "instruction_attributes": ["quick release"], "instruction_options": [], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSST0XK", "worker_id": "A1EREKSZAA9V7B"}], "B09SL5XJ54": [{"asin": "B09SL5XJ54", "instruction": "i am looking for a 9.5 size steel toe of sandals", "attributes": ["open toe", "steel toe", "high heel"], "options": ["color: fada-110-multicolor", "size: 9.5"], "instruction_attributes": ["steel toe"], "instruction_options": ["9.5"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0G1610", "worker_id": "A9QRQL9CFJBI7"}], "B075733YQZ": [{"asin": "B075733YQZ", "instruction": "i need lipstick that is long lasting and is the color of brick house", "attributes": ["long lasting", "green tea"], "options": ["color: brick-house"], "instruction_attributes": ["long lasting"], "instruction_options": ["brick-house"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDW261RI", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q2SVGMX": [{"asin": "B09Q2SVGMX", "instruction": "i am looking for bed cover table sheet sets for beauty salon also choose colour purple", "attributes": ["high quality", "beauty salon"], "options": ["color: purple", "size: 70*190cm square head"], "instruction_attributes": ["beauty salon"], "instruction_options": ["purple"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PP7X2T", "worker_id": "A10OGH5CQBXL5N"}], "B09SL5KS15": [{"asin": "B09SL5KS15", "instruction": "i would like a portable bluetooth speaker with stereo sound.", "attributes": ["light weight", "high performance", "hands free", "easy carry", "stereo sound", "wireless bluetooth"], "options": [""], "instruction_attributes": ["stereo sound", "wireless bluetooth"], "instruction_options": [], "assignment_id": "39K0FND3ASPR95MUG7H134S6U96AMK", "worker_id": "A1WS884SI0SLO4"}], "B08T9J3G6B": [{"asin": "B08T9J3G6B", "instruction": "i am looking for easy assemble queen size metal bed frame", "attributes": ["easy assemble", "twin size", "box spring"], "options": ["size: queen"], "instruction_attributes": ["easy assemble"], "instruction_options": ["queen"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK6AJ3M", "worker_id": "A258PTOZ3D2TQR"}], "B09C42X8V1": [{"asin": "B09C42X8V1", "instruction": "i am looking for a long lasting lip balm.", "attributes": ["long lasting", "argan oil", "fine lines", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVKIZSB", "worker_id": "A1EREKSZAA9V7B"}], "B01A4B0N92": [{"asin": "B01A4B0N92", "instruction": "i need a 2 oz hair growth treatment", "attributes": ["plant based", "easy use", "hair growth", "hair loss"], "options": ["size: 2 fl oz"], "instruction_attributes": ["hair growth"], "instruction_options": ["2 fl oz"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMLUZIV", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NW7CZXP": [{"asin": "B09NW7CZXP", "instruction": "i'm interested in buying a medium sized high waisted yoga sweatpants for daily wear.", "attributes": ["high waist", "elastic closure", "elastic waistband", "tummy control", "daily wear"], "options": ["color: #03black", "size: medium"], "instruction_attributes": ["high waist", "daily wear"], "instruction_options": ["medium"], "assignment_id": "3UXUOQ9OKP78O2F7C1FCKMVGZK9A77", "worker_id": "AHXHM1PQTRWIQ"}], "B07692PMHF": [{"asin": "B07692PMHF", "instruction": "i'm looking for a high quality plant based vitamin c serum that contains hyaluronic acid and made of natural ingredients for treating dark circles and fine lines.", "attributes": ["certified organic", "animal testing", "plant based", "anti aging", "cruelty free", "high quality", "hyaluronic acid", "natural ingredients", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["plant based", "high quality", "hyaluronic acid", "natural ingredients", "dark circles", "fine lines"], "instruction_options": [], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SZEQTY", "worker_id": "AR0VJ5XRG16UJ"}], "B08FSNMMYR": [{"asin": "B08FSNMMYR", "instruction": "i would like a medium black long sleeved pullover.", "attributes": ["long sleeve", "fashion design"], "options": ["color: a-black", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a-black", "medium"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FQCBF6", "worker_id": "A1WS884SI0SLO4"}], "B09QXW6X8Z": [{"asin": "B09QXW6X8Z", "instruction": "i am looking for a 16gb ram | 2tb nvme ssd size of intel core i5 towers", "attributes": ["core i5", "intel core"], "options": ["size: 16gb ram | 2tb nvme ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["16gb ram | 2tb nvme ssd"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79UG1HV", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09QXW6X8Z", "instruction": "i need to buy a desktop computer that's got an intel i5 core, 32 gigabytes of ram, and a one terabyte ssd.", "attributes": ["core i5", "intel core"], "options": ["size: 32gb ram | 1tb nvme ssd"], "instruction_attributes": ["core i5", "intel core"], "instruction_options": ["32gb ram | 1tb nvme ssd"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHPO0JW", "worker_id": "AR9AU5FY1S3RO"}], "B0893MSLT5": [{"asin": "B0893MSLT5", "instruction": "i would like a style 7 chandelier with a pendant light.", "attributes": ["easy clean", "pendant light"], "options": ["color: style 7"], "instruction_attributes": ["pendant light"], "instruction_options": ["style 7"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIH92LQ", "worker_id": "A1WS884SI0SLO4"}], "B08L136TVK": [{"asin": "B08L136TVK", "instruction": "i would like 12 bowls of peaches in strawberry gel gluten free applesauce.", "attributes": ["gluten free", "shelf stable", "bpa free", "non gmo"], "options": ["flavor name: peaches in strawberry gel", "size: 12 bowls"], "instruction_attributes": ["gluten free"], "instruction_options": ["peaches in strawberry gel", "12 bowls"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAGUFIH", "worker_id": "A1WS884SI0SLO4"}], "B08N5CBMDM": [{"asin": "B08N5CBMDM", "instruction": "i would like a 8.6 ounce box of honey cereal that is gluten free.", "attributes": ["grain free", "non gmo", "low sugar", "gluten free", "protein serving", "kosher certified", "high protein", "plant based", "dairy free", "natural flavors"], "options": ["flavor name: honey", "size: 8.6 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["honey", "8.6 ounce (pack of 1)"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8EE5AN", "worker_id": "A1WS884SI0SLO4"}], "B09PCX8BJY": [{"asin": "B09PCX8BJY", "instruction": "i want a pair of size 7.4 red walking shoes with a anti slip material.", "attributes": ["knee high", "anti slip", "non slip", "steel toe", "quality materials", "arch support", "memory foam", "rubber sole"], "options": ["color: a-red", "size: 7.5"], "instruction_attributes": ["anti slip"], "instruction_options": ["a-red", "7.5"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OW8POJ", "worker_id": "A1WS884SI0SLO4"}], "B09D7NCLNK": [{"asin": "B09D7NCLNK", "instruction": "i'm looking for hair dressing scissors set.", "attributes": ["long lasting", "hair cutting"], "options": [""], "instruction_attributes": ["hair cutting"], "instruction_options": [], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YT38TG", "worker_id": "A21IUUHBSEVB56"}], "B08CXD2VHG": [{"asin": "B08CXD2VHG", "instruction": "i need a clip set hair extensions with stainless steel.", "attributes": ["high quality", "stainless steel", "hair extensions"], "options": ["color: clip set", "size: 20 inch (pack of 1)"], "instruction_attributes": ["stainless steel"], "instruction_options": ["clip set"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H808UZ", "worker_id": "AVIEE6LDH0BT5"}], "B0995Z55M4": [{"asin": "B0995Z55M4", "instruction": "i'm looking for mens peake 23 from fila.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: black | black | metallic silver", "size: 9"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["black | black | metallic silver"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM8HHZM", "worker_id": "A21IUUHBSEVB56"}], "B00IWONE9U": [{"asin": "B00IWONE9U", "instruction": "i am in need of some shelf stable tropical fruit", "attributes": ["shelf stable", "gluten free", "non gmo"], "options": ["flavor name: tropical fruit"], "instruction_attributes": ["shelf stable"], "instruction_options": ["tropical fruit"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841DQXAR", "worker_id": "A2ECRNQ3X5LEXD"}], "B093THM3VQ": [{"asin": "B093THM3VQ", "instruction": "i would like to buy easy to assemble storage baskets which has a lot of storage space.", "attributes": ["white item", "easy assemble", "storage space"], "options": [""], "instruction_attributes": ["easy assemble", "storage space"], "instruction_options": [], "assignment_id": "39JEC75375BYS7D1EDEJWV17L51CV3", "worker_id": "AHXHM1PQTRWIQ"}], "B09J8RWJ4L": [{"asin": "B09J8RWJ4L", "instruction": "i need a large sized coat with long sleeves.", "attributes": ["loose fit", "fleece lined", "hand wash", "wash cold", "machine wash", "long sleeve", "drawstring waist", "memory foam", "high waist", "short sleeve"], "options": ["color: 2-army green", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["large"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUTFFF1N", "worker_id": "AVIEE6LDH0BT5"}], "B06Y664VKD": [{"asin": "B06Y664VKD", "instruction": "i need an easy to cary 128 gb flash drive", "attributes": ["dust proof", "easy carry"], "options": ["color: silver", "size: 128gb"], "instruction_attributes": ["easy carry"], "instruction_options": ["128gb"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AOKEOZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B071YBR54C": [{"asin": "B071YBR54C", "instruction": "i would like a magnifying glass intensive polish serum for damaged hair.", "attributes": ["damaged hair", "dry hair"], "options": ["style: magnifying glass intensive polish serum"], "instruction_attributes": ["damaged hair"], "instruction_options": ["magnifying glass intensive polish serum"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2QGYNF", "worker_id": "A1WS884SI0SLO4"}], "B09CYMXNKH": [{"asin": "B09CYMXNKH", "instruction": "i would like a 17 mm scent cc0.07 high quality perfume bottle.", "attributes": ["cruelty free", "high quality", "quality materials"], "options": ["scent: cc-0.07", "size: 17 mm"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3X0H8UUITCYRED22199FX2O3EHQWSS", "worker_id": "A1WS884SI0SLO4"}], "B09J2FZGVK": [{"asin": "B09J2FZGVK", "instruction": "i want an allewie queen bed frame that requires assembly.", "attributes": ["button tufted", "assembly required", "faux leather", "box spring"], "options": ["color: brown", "size: queen"], "instruction_attributes": ["assembly required"], "instruction_options": ["queen"], "assignment_id": "3P1L2B7ADCZW5RYAQEL44MXMJM0LOA", "worker_id": "A2RBF3IIJP15IH"}], "B00M9NLJWO": [{"asin": "B00M9NLJWO", "instruction": "i'm looking for a low calories popcorn kernels with gluten free. also, choose a pack of 2 weighting 2 pounds one.", "attributes": ["low calorie", "non gmo", "old fashioned", "gluten free"], "options": ["size: 2 pound (pack of 2)"], "instruction_attributes": ["low calorie", "gluten free"], "instruction_options": ["2 pound (pack of 2)"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME97V2DW", "worker_id": "AR0VJ5XRG16UJ"}], "B09Q7VC6V9": [{"asin": "B09Q7VC6V9", "instruction": "i would like to buy sandals for women which are eco friendly, and high quality, as for color they should be pink, and of size 6.5.", "attributes": ["eco friendly", "high quality", "rose gold"], "options": ["color: pink", "size: 6.5"], "instruction_attributes": ["eco friendly", "high quality"], "instruction_options": ["pink", "6.5"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V40FGP", "worker_id": "AJY5G987IRT25"}], "B079JVZHSQ": [{"asin": "B079JVZHSQ", "instruction": "i would like a white foot file for dead skin.", "attributes": ["eco friendly", "paraben free", "cruelty free", "dry skin", "dead skin"], "options": ["color: 001-white"], "instruction_attributes": ["dead skin"], "instruction_options": ["001-white"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU4JLAW", "worker_id": "A1WS884SI0SLO4"}], "B07FSKRLTL": [{"asin": "B07FSKRLTL", "instruction": "i am looking for black leather 7.5 size and day comfort winter snow boots for women", "attributes": ["anti slip", "day comfort", "non slip", "lace closure", "rubber sole"], "options": ["color: black-leather", "size: 7.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["black-leather", "7.5"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68IM4AK", "worker_id": "A258PTOZ3D2TQR"}], "B098RX8416": [{"asin": "B098RX8416", "instruction": "i would like a pair of size 11 gold platform wedges with a ankle strap.", "attributes": ["open toe", "ankle strap", "arch support"], "options": ["color: z99-glod", "size: 11.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["z99-glod", "11.5"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD32IC9", "worker_id": "A1WS884SI0SLO4"}], "B07BFXH2DV": [{"asin": "B07BFXH2DV", "instruction": "i'm looking for a pair of non-slip women's wedge sneakers in pink sequin color and in size 4.5.", "attributes": ["non slip", "rubber sole", "daily wear"], "options": ["color: pink sequin", "size: 4.5"], "instruction_attributes": ["non slip"], "instruction_options": ["pink sequin", "4.5"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZZDANH", "worker_id": "A3MNXK3VDK37SN"}], "B07S7HDC88": [{"asin": "B07S7HDC88", "instruction": "i am looking for a pair of men's size 10.5 black loafers with rubber soles.", "attributes": ["slip resistant", "non slip", "rubber outsole", "rubber sole"], "options": ["color: black1901", "size: 10.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black1901", "10.5"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E96HXE", "worker_id": "A1EREKSZAA9V7B"}], "B085PX3LCN": [{"asin": "B085PX3LCN", "instruction": "i am looking for 32 pack of hyaluronic acid full face facial mask", "attributes": ["green tea", "hyaluronic acid"], "options": ["color: a set (2 x 8 types)", "size: 32 pack"], "instruction_attributes": ["hyaluronic acid"], "instruction_options": ["32 pack"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GOSS3E", "worker_id": "A258PTOZ3D2TQR"}], "B095YXYZ33": [{"asin": "B095YXYZ33", "instruction": "i'm looking for hollow vintage casual wedge ankle strap sandals for women.", "attributes": ["open toe", "high heel", "closed toe", "ankle strap", "button closure"], "options": ["color: 01-black", "size: 7.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["01-black"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SFBRW3", "worker_id": "A21IUUHBSEVB56"}], "B08L5X8R15": [{"asin": "B08L5X8R15", "instruction": "i would like a fresh and clean paraben free men's cologne.", "attributes": ["paraben free", "cruelty free", "easy use"], "options": ["scent: fresh and clean"], "instruction_attributes": ["paraben free"], "instruction_options": ["fresh and clean"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCMYLBL", "worker_id": "A1WS884SI0SLO4"}], "B075DY1CZZ": [{"asin": "B075DY1CZZ", "instruction": "i am looking for a 16 inch size hair extension having synthetic hair.", "attributes": ["hair extensions", "synthetic hair"], "options": ["color: #darkest brown to light brown", "size: 16 inch"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["16 inch"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X9N3Y2", "worker_id": "A1Q8PPQQCWGY0D"}], "B07YLCWZF5": [{"asin": "B07YLCWZF5", "instruction": "i am looking for a queen sized mattress with memory foam.", "attributes": ["high density", "memory foam"], "options": ["color: gel foam + navy cover", "size: queen (60\" x 80\")"], "instruction_attributes": ["memory foam"], "instruction_options": ["queen (60\" x 80\")"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY5L4J5", "worker_id": "A1EREKSZAA9V7B"}], "B09SGXQXRL": [{"asin": "B09SGXQXRL", "instruction": "i want brown women's open toe flats.", "attributes": ["open toe", "knee high", "high heel"], "options": ["color: brown", "size: 6.5-7"], "instruction_attributes": ["open toe"], "instruction_options": ["brown"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E240353", "worker_id": "A2RBF3IIJP15IH"}], "B07B6JSBQ9": [{"asin": "B07B6JSBQ9", "instruction": "i'm looking for a 2 pound jar of dark chocolate cream made of quality ingredients.", "attributes": ["quality ingredients", "gift set", "valentine day", "gift basket"], "options": ["flavor name: dark chocolate", "size: 2 pound (pack of 1)"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["dark chocolate", "2 pound (pack of 1)"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKOO7DQ", "worker_id": "A3MNXK3VDK37SN"}], "B01GKAL67Y": [{"asin": "B01GKAL67Y", "instruction": "i'm looking for liqiud latex makeup.", "attributes": ["paraben free", "cruelty free"], "options": ["color: zombie flesh", "size: 4.5 fl oz (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["4.5 fl oz (pack of 1)"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG06WTJ", "worker_id": "A21IUUHBSEVB56"}], "B09NB7R15K": [{"asin": "B09NB7R15K", "instruction": "i'm looking for a stainless steel patio furniture set in the color navy blue.", "attributes": ["high density", "stainless steel", "steel frame"], "options": ["color: navy blue", "size: outdoor furniture w | fire pit"], "instruction_attributes": ["stainless steel"], "instruction_options": ["navy blue"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRJ9WN9", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B09NB7R15K", "instruction": "i want dark red and stainless steel asjmr outdoor patio furniture.", "attributes": ["high density", "stainless steel", "steel frame"], "options": ["color: dark red", "size: patio sectional furniture"], "instruction_attributes": ["stainless steel"], "instruction_options": ["dark red"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZR604B", "worker_id": "A2RBF3IIJP15IH"}], "B098J9LXGM": [{"asin": "B098J9LXGM", "instruction": "i'm interested in a 4g lte wall-mounted router in aluminum alloy.", "attributes": ["wall mounted", "aluminum alloy", "4g lte"], "options": [""], "instruction_attributes": ["wall mounted", "aluminum alloy", "4g lte"], "instruction_options": [], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADX1OYMZ", "worker_id": "AFU00NU09CFXE"}], "B095W1N4P1": [{"asin": "B095W1N4P1", "instruction": "i would like a 38 mm pink applewatch band.", "attributes": ["compatible apple", "high performance"], "options": ["color: black | pink | purple | wine red", "size: 38mm | 40mm | 41mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["black | pink | purple | wine red", "38mm | 40mm | 41mm"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTH09N6", "worker_id": "A1WS884SI0SLO4"}], "B098BQ962K": [{"asin": "B098BQ962K", "instruction": "i would like a flip flop travel bottles that are bpa free.", "attributes": ["bpa free", "easy use"], "options": ["style: flip top"], "instruction_attributes": ["bpa free"], "instruction_options": ["flip top"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH3PZ4C", "worker_id": "A1WS884SI0SLO4"}], "B09ND769CP": [{"asin": "B09ND769CP", "instruction": "i need a small sleep set that has an elastic waistband", "attributes": ["elastic waistband", "long sleeve", "daily wear"], "options": ["color: multi 2", "size: small"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["small"], "assignment_id": "3FTOP5WARQY57KIRL87GY6OCHT5J04", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LYZW6P8": [{"asin": "B09LYZW6P8", "instruction": "i'm looking for a day and night roller blinds grey/white item.", "attributes": ["white item", "dining room", "living room"], "options": ["color: blue | purple | pink", "size: 39\"w x 78\"h"], "instruction_attributes": ["white item"], "instruction_options": [], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCMDBLQ", "worker_id": "A62B826XMLK7K"}, {"asin": "B09LYZW6P8", "instruction": "i need to buy some purple blinds for my living room. find the ones that are 32 by 78 inches.", "attributes": ["white item", "dining room", "living room"], "options": ["color: purple", "size: 32\"w x 78\"h"], "instruction_attributes": ["living room"], "instruction_options": ["purple", "32\"w x 78\"h"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LEXL0N", "worker_id": "AR9AU5FY1S3RO"}], "B092J9FHMG": [{"asin": "B092J9FHMG", "instruction": "i want a dark black xfyele 20mm quick release watch band.", "attributes": ["quick release", "easy install"], "options": ["color: dark black+china red"], "instruction_attributes": ["quick release"], "instruction_options": ["dark black+china red"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FHW8KW", "worker_id": "A2RBF3IIJP15IH"}], "B0821HJC39": [{"asin": "B0821HJC39", "instruction": "i am looking for coffee colored sneakers that are steel toed and size 11.", "attributes": ["steel toe", "high heel"], "options": ["color: coffee", "size: 11"], "instruction_attributes": ["steel toe"], "instruction_options": ["coffee", "11"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602WX95D", "worker_id": "AK3JMCIGU8MLU"}], "B07VCB9MS7": [{"asin": "B07VCB9MS7", "instruction": "i am looking for a solid wood super king sized bed with a contemporary style.", "attributes": ["contemporary style", "solid wood"], "options": [""], "instruction_attributes": ["contemporary style", "solid wood"], "instruction_options": [], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7K0PE7Q", "worker_id": "A1EREKSZAA9V7B"}], "B08B1G6XBN": [{"asin": "B08B1G6XBN", "instruction": "i want to find a wooden table that i can put in my dining room.", "attributes": ["steel frame", "dining room"], "options": ["color: solid sheesham wood"], "instruction_attributes": ["dining room"], "instruction_options": ["solid sheesham wood"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC59PRKW", "worker_id": "A345TDMHP3DQ3G"}], "B09MR48WLK": [{"asin": "B09MR48WLK", "instruction": "i want to find a gift set of coconut oil shower gels and lotions. the scent needs to be sunshine mimosa.", "attributes": ["dermatologist tested", "coconut oil"], "options": ["scent: sunshine mimosa"], "instruction_attributes": ["coconut oil"], "instruction_options": ["sunshine mimosa"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHWBB8SF", "worker_id": "A345TDMHP3DQ3G"}], "B09HTHVY7Z": [{"asin": "B09HTHVY7Z", "instruction": "i would like a queen sized gray bed without a box spring.", "attributes": ["box spring", "storage space"], "options": ["color: grey+drawers", "size: queen"], "instruction_attributes": ["box spring"], "instruction_options": ["grey+drawers", "queen"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4QEPKD", "worker_id": "A1WS884SI0SLO4"}], "B00N2JN1L6": [{"asin": "B00N2JN1L6", "instruction": "i need a four ounce coconut oil for my hair", "attributes": ["sulfate free", "anti aging", "coconut oil", "hair growth"], "options": ["size: 4 ounce", "style name: lavender palma christi"], "instruction_attributes": ["coconut oil"], "instruction_options": ["4 ounce"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRVY2Y1", "worker_id": "A2ECRNQ3X5LEXD"}], "B09J7YZLSN": [{"asin": "B09J7YZLSN", "instruction": "i'm looking for a cute mushroom fleece throw blanket for couch.", "attributes": ["super soft", "fleece throw", "king size"], "options": ["color: frog and mushrooms", "size: 60x50 inch for teens"], "instruction_attributes": ["fleece throw"], "instruction_options": ["frog and mushrooms"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCN1IP9", "worker_id": "A21IUUHBSEVB56"}], "B018X8C8P0": [{"asin": "B018X8C8P0", "instruction": "i am looking for a sulfate free shampoo of size 8 ounce.", "attributes": ["sulfate free", "argan oil", "hair treatment"], "options": ["size: 8 ounce"], "instruction_attributes": ["sulfate free"], "instruction_options": ["8 ounce"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPR1FWX", "worker_id": "A1Q8PPQQCWGY0D"}], "B075QKJJSS": [{"asin": "B075QKJJSS", "instruction": "i am looking for a men's jacket in down that comes fleece lined, and i would like it in green and standard size.", "attributes": ["fleece lined", "machine wash"], "options": ["color: green color block", "size: xx-large tall", "special size type: standard"], "instruction_attributes": ["fleece lined"], "instruction_options": ["green color block", "standard"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYLQL63", "worker_id": "A411ZZABHZUNA"}], "B08L4WLKQG": [{"asin": "B08L4WLKQG", "instruction": "am hoping to find the heavy duty yaheetech console table with storage.", "attributes": ["heavy duty", "space saving", "living room"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT063QUN0", "worker_id": "A1IL2K0ELYI090"}], "B08BDZQHVC": [{"asin": "B08BDZQHVC", "instruction": "i am looking for men's machine wash original fit jeans, 44w x 34l size", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: (new) higher mountain - destructed", "size: 44w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["44w x 34l"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNR1ZXJO", "worker_id": "A258PTOZ3D2TQR"}], "B07KD181B3": [{"asin": "B07KD181B3", "instruction": "i would like a aluminum tripod that is lightweight.", "attributes": ["quick release", "easy carry", "light weight", "carbon fiber"], "options": ["size: aluminum 7a"], "instruction_attributes": ["light weight"], "instruction_options": ["aluminum 7a"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL7QVRG", "worker_id": "A1WS884SI0SLO4"}], "B09J2K8K9H": [{"asin": "B09J2K8K9H", "instruction": "i would like a red phone heavy duty case.", "attributes": ["heavy duty", "wireless charging"], "options": ["color: red"], "instruction_attributes": ["heavy duty"], "instruction_options": ["red"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQYCX777", "worker_id": "A1WS884SI0SLO4"}], "B08B88XXYJ": [{"asin": "B08B88XXYJ", "instruction": "where can i find a pink stereo sound bluetooth speaker, portable? it has to be 360\u00b0 voice commands, i was told the hjwl brand. if the price is good i will buy it.", "attributes": ["easy use", "stereo sound"], "options": ["color: pink"], "instruction_attributes": ["stereo sound"], "instruction_options": ["pink"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKONXF08", "worker_id": "A15IJ20C3R4HUO"}], "B009SE5LBW": [{"asin": "B009SE5LBW", "instruction": "i'm interested in high protein salt n' vinegar almonds in a resealable bag.", "attributes": ["high protein", "resealable bag", "source vitamin"], "options": ["flavor name: salt n' vinegar"], "instruction_attributes": ["high protein", "resealable bag"], "instruction_options": ["salt n' vinegar"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA75HMHU", "worker_id": "AFU00NU09CFXE"}], "B09PRLWKM1": [{"asin": "B09PRLWKM1", "instruction": "hello, i'm looking for a tuxedo suit that's slim fit and good for winter? size small, please", "attributes": ["slim fit", "winter warm", "long sleeve", "short sleeve", "button closure", "dry clean"], "options": ["color: purple", "size: small"], "instruction_attributes": ["slim fit", "winter warm", "long sleeve"], "instruction_options": ["small"], "assignment_id": "3G2UL9A02OO71034MOY04HTU31E678", "worker_id": "A2TRV8SEM003GG"}], "B09KLS44DG": [{"asin": "B09KLS44DG", "instruction": "i am looking for a high resolution background of size 9x6ftpolyester.", "attributes": ["high resolution", "easy carry", "high definition", "digital photography"], "options": ["size: 9x6ftpolyester"], "instruction_attributes": ["high resolution"], "instruction_options": ["9x6ftpolyester"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MML0J1W", "worker_id": "A1Q8PPQQCWGY0D"}], "B093KXP9WB": [{"asin": "B093KXP9WB", "instruction": "i am interested in buying a bag which is a laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA9W8RV", "worker_id": "AJY5G987IRT25"}], "B0834W3CG9": [{"asin": "B0834W3CG9", "instruction": "i am looking for a 2 layer small bookshelf for my living room.", "attributes": ["storage unit", "living room"], "options": ["color: two layers", "size: 43cm"], "instruction_attributes": ["living room"], "instruction_options": ["two layers"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86BZ18P", "worker_id": "A1EREKSZAA9V7B"}], "B08K4LMJNM": [{"asin": "B08K4LMJNM", "instruction": "find official licensed harry potter t-shirts", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: olive", "fit type: women", "size: large"], "instruction_attributes": ["officially licensed"], "instruction_options": [], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL6GSNT", "worker_id": "AVIEE6LDH0BT5"}], "B089GMNRBD": [{"asin": "B089GMNRBD", "instruction": "i am looking for transparent color kitchen drawer mats that are easy to install.", "attributes": ["easy install", "double sided"], "options": ["color: transparent", "size: 35.4 x 98.4 inches"], "instruction_attributes": ["easy install"], "instruction_options": ["transparent"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E9VXHJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B07F7HWDXZ": [{"asin": "B07F7HWDXZ", "instruction": "i'm looking for a high performance desktop computer with intel core processor.", "attributes": ["certified refurbished", "high performance", "intel core"], "options": [""], "instruction_attributes": ["high performance", "intel core"], "instruction_options": [], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0Y8W5I", "worker_id": "A3MNXK3VDK37SN"}], "B08P4GMWJB": [{"asin": "B08P4GMWJB", "instruction": "i'm locking for a open shelves high gloss entertainment center media console.", "attributes": ["high gloss", "tempered glass", "storage space"], "options": ["color: fww", "size: 63\" w x 16\" d x 14\" h"], "instruction_attributes": ["high gloss"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4H3L8E", "worker_id": "A21IUUHBSEVB56"}], "B00IIU9ELA": [{"asin": "B00IIU9ELA", "instruction": "i'm looking for a desktop pc with an intel core i5 processor.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5", "intel core"], "instruction_options": [], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCGT7HB", "worker_id": "A2JP9IKRHNLRPI"}], "B09D7PKHVD": [{"asin": "B09D7PKHVD", "instruction": "i am looking for maple leaflop9363 color place mats that are eco friendly.", "attributes": ["eco friendly", "long lasting", "printing technology"], "options": ["color: maple leaflop9363", "size: (72\"x16\"+13\"x19\"x4)183x41cm+33x48cmx4"], "instruction_attributes": ["eco friendly"], "instruction_options": ["maple leaflop9363"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YTX8TA", "worker_id": "A1Q8PPQQCWGY0D"}], "B09NMDK42T": [{"asin": "B09NMDK42T", "instruction": "i'm looking for a window film for a dining room that is 23.6 inch wide and 35.4 inch in length in size. choose the ones that comes in the 964074833593106000 color.", "attributes": ["tempered glass", "dining room"], "options": ["color: 964074833593106000", "size: (width\uff0923.6in x (length)35.4in x 2pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["964074833593106000", "(width\uff0923.6in x (length)35.4in x 2pcs"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1AH1KU", "worker_id": "A3MNXK3VDK37SN"}], "B09RHTPG2S": [{"asin": "B09RHTPG2S", "instruction": "i need a yoga shirt that is a loose fit and dark blue", "attributes": ["loose fit", "short sleeve"], "options": ["color: fupo-a193-dark blue", "size: small"], "instruction_attributes": ["loose fit"], "instruction_options": ["fupo-a193-dark blue"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG1DZ9U4", "worker_id": "A2ECRNQ3X5LEXD"}], "B08Z82R1HH": [{"asin": "B08Z82R1HH", "instruction": "i am looking for high definition orange color 10.8 inch android 9.0 tablet of quad-core processor,6000mah battery etc", "attributes": ["high definition", "quad core"], "options": ["color: orange"], "instruction_attributes": ["high definition", "quad core"], "instruction_options": ["orange"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG05WTI", "worker_id": "A258PTOZ3D2TQR"}], "B093YSMHJ3": [{"asin": "B093YSMHJ3", "instruction": "i am looking for a set of 2 mesh laundry bags", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZEAUW5", "worker_id": "A258PTOZ3D2TQR"}], "B00MHTDV26": [{"asin": "B00MHTDV26", "instruction": "i am looking for 6 nut free plant based raspberry snack bars.", "attributes": ["low sodium", "nut free", "soy free", "plant based", "dairy free", "non gmo", "0g trans", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: raspberry", "size: 6 count (pack of 6)"], "instruction_attributes": ["nut free", "plant based"], "instruction_options": ["raspberry", "6 count (pack of 6)"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACV3NH7", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00MHTDV26", "instruction": "i am looking for a 6 count (pack of 6) real fruit, non-gmo fruit bars", "attributes": ["low sodium", "nut free", "soy free", "plant based", "dairy free", "non gmo", "0g trans", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: blueberry", "size: 6 count (pack of 6)"], "instruction_attributes": ["non gmo", "real fruit"], "instruction_options": ["6 count (pack of 6)"], "assignment_id": "3X65QVEQIBXVW21709CD9M35U8FLCB", "worker_id": "A9QRQL9CFJBI7"}], "B075FYF6L5": [{"asin": "B075FYF6L5", "instruction": "i am looking for some ready to eat gluten free red hot spice curry sauce.", "attributes": ["ready eat", "rich creamy", "low sodium", "non gmo", "gluten free"], "options": ["flavor name: red - hot spice"], "instruction_attributes": ["ready eat", "gluten free"], "instruction_options": ["red - hot spice"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCR1BMQ", "worker_id": "A1EREKSZAA9V7B"}], "B09PVGMDKW": [{"asin": "B09PVGMDKW", "instruction": "i want to buy t-shirts which are long sleeved and are in red color, while the size should be large.", "attributes": ["wash cold", "hand wash", "long sleeve", "dry clean"], "options": ["color: 8#red", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["8#red", "large"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8F6A5M", "worker_id": "AJY5G987IRT25"}], "B08QG2T2LX": [{"asin": "B08QG2T2LX", "instruction": "i need some gluten free popped cheddar cheese snacks", "attributes": ["nut free", "low calorie", "low carb", "non gmo", "gluten free"], "options": ["flavor name: cheddar-cheese"], "instruction_attributes": ["gluten free"], "instruction_options": ["cheddar-cheese"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGG6S9Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B08T78Q22X": [{"asin": "B08T78Q22X", "instruction": "i am looking for an ac 220v electric chain hoist crane overhead remote control that is dust proof.", "attributes": ["dust proof", "high performance"], "options": ["color: ac 220v", "size name: 4-key"], "instruction_attributes": ["dust proof"], "instruction_options": ["ac 220v"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV5UBH9", "worker_id": "AHU9OLV0YKIIW"}], "B0006V7Y8Y": [{"asin": "B0006V7Y8Y", "instruction": "i am looking for 1 pack of 1.7 ounce ,anti-perspirant stick for women", "attributes": ["anti perspirant", "sensitive skin"], "options": ["size: 1.7 ounce (pack of 1)"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["1.7 ounce (pack of 1)"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q75QH94", "worker_id": "A258PTOZ3D2TQR"}], "B09QXS3MHQ": [{"asin": "B09QXS3MHQ", "instruction": "i want a 32gig blue cell phone that's 4g lte.", "attributes": ["quad core", "4g lte"], "options": ["color: blue", "size: 32gb"], "instruction_attributes": ["4g lte"], "instruction_options": ["blue", "32gb"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2R6NYW", "worker_id": "A1WS884SI0SLO4"}], "B07YLB9QVP": [{"asin": "B07YLB9QVP", "instruction": "i am looking for a short queen (60\" x 74\") size memory foam", "attributes": ["high density", "memory foam"], "options": ["color: high density foam + mattress cover", "size: short queen (60\" x 74\")"], "instruction_attributes": ["memory foam"], "instruction_options": ["short queen (60\" x 74\")"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYSRQ9E", "worker_id": "A9QRQL9CFJBI7"}], "B09Q5GDSDH": [{"asin": "B09Q5GDSDH", "instruction": "i am looking for a brown colored, large size, loose fit blouse for women.", "attributes": ["daily casual", "loose fit", "elastic waistband"], "options": ["color: brown", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["brown", "large"], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQJVJRT", "worker_id": "AJDQGOTMB2D80"}], "B084BVBT6D": [{"asin": "B084BVBT6D", "instruction": "i want boy elephant sprinkles for baby shower.", "attributes": ["baby shower", "party supplies"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66USZFW", "worker_id": "A2RBF3IIJP15IH"}], "B08HT29Y72": [{"asin": "B08HT29Y72", "instruction": "i am interested in buying a tablet with a quad core processor and a usb port.", "attributes": ["quad core", "usb port"], "options": [""], "instruction_attributes": ["quad core", "usb port"], "instruction_options": [], "assignment_id": "3HPZF4IVNX3FW186JO133U513M3CYC", "worker_id": "AHXHM1PQTRWIQ"}], "B01MDPBUWN": [{"asin": "B01MDPBUWN", "instruction": "i am looking for a pair of sky blue curtains for my living room.", "attributes": ["super soft", "dining room", "living room"], "options": ["color: sky blue", "size: 38w x 63l inch"], "instruction_attributes": ["living room"], "instruction_options": ["sky blue"], "assignment_id": "37C0GNLMHQDNI94ED11M493QPCXD6O", "worker_id": "A1EREKSZAA9V7B"}], "B07FTVF6XH": [{"asin": "B07FTVF6XH", "instruction": "i'm looking for a set of two electric wall sconces that are hand painted with a bronze finish.", "attributes": ["hand painted", "bronze finish", "light fixture"], "options": ["style: set of 2"], "instruction_attributes": ["hand painted", "bronze finish"], "instruction_options": ["set of 2"], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROKVIWW5", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B07FTVF6XH", "instruction": "i need a vanity light fixture that is a set of 2", "attributes": ["hand painted", "bronze finish", "light fixture"], "options": ["style: set of 2"], "instruction_attributes": ["light fixture"], "instruction_options": ["set of 2"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y6DVI8", "worker_id": "A2ECRNQ3X5LEXD"}], "B094F9S82W": [{"asin": "B094F9S82W", "instruction": "i am looking for a sectional with ottoman l-shaped couch that can seat 5 people, and i would like it to be appropriate for the living room and come in light grey.", "attributes": ["high density", "living room"], "options": ["color: light grey d"], "instruction_attributes": ["living room"], "instruction_options": ["light grey d"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYM1QL4", "worker_id": "A411ZZABHZUNA"}], "B08ZJJKHLL": [{"asin": "B08ZJJKHLL", "instruction": "i'm looking for a golden dinosaur cake toppers for a birthday cake", "attributes": ["birthday cake", "birthday party", "party supplies", "baby shower"], "options": ["color: golden 2"], "instruction_attributes": ["birthday cake"], "instruction_options": ["golden 2"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMZ8G2H", "worker_id": "A2Y2TURT2VEYZN"}], "B08V919YGT": [{"asin": "B08V919YGT", "instruction": "i would like a red cupcake topper for a birthday party.", "attributes": ["valentine day", "party supplies", "baby shower", "birthday party"], "options": ["color: red"], "instruction_attributes": ["birthday party"], "instruction_options": ["red"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVQALXK", "worker_id": "A1WS884SI0SLO4"}], "B09PND7S3Q": [{"asin": "B09PND7S3Q", "instruction": "single color short sleeve polo shirt", "attributes": ["slim fit", "moisture wicking", "hand wash", "short sleeve", "long sleeve", "regular fit", "button closure"], "options": ["color: 02-purple", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": [], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADNCHAN", "worker_id": "A3TTGSUBIK1YCL"}], "B08DGY46T3": [{"asin": "B08DGY46T3", "instruction": "i want unscented maxim sensitive antiperspirant towelettes.", "attributes": ["anti perspirant", "long lasting", "tea tree"], "options": ["scent: unscented", "size: 4 pack"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["unscented"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUHCZDL", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08DGY46T3", "instruction": "i need an unscented anti perspirant", "attributes": ["anti perspirant", "long lasting", "tea tree"], "options": ["scent: unscented", "size: 10 count (pack of 1)"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["unscented"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3OZYRZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07S3RVHGT": [{"asin": "B07S3RVHGT", "instruction": "i would like a 10 by 18 foot photo backdrop that is light weight.", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 10x8ft"], "instruction_attributes": ["light weight"], "instruction_options": ["10x8ft"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCMVLBI", "worker_id": "A1WS884SI0SLO4"}], "B08Z73J42G": [{"asin": "B08Z73J42G", "instruction": "i want to find men's black and white walking shoes that feature memory foam. they should be leather and i need them in a size 12.", "attributes": ["machine washable", "comfortable fit", "synthetic sole", "memory foam"], "options": ["color: black | white 2", "material type: leather", "size: 12"], "instruction_attributes": ["memory foam"], "instruction_options": ["black | white 2", "leather", "12"], "assignment_id": "3GM6G9ZBKY7WO1L3M78IY9IYIZETMD", "worker_id": "A345TDMHP3DQ3G"}], "B07BNBYWL8": [{"asin": "B07BNBYWL8", "instruction": "i am looking for a black light weight carbon fiber round keychain.", "attributes": ["light weight", "carbon fiber"], "options": ["color: black - round keychain"], "instruction_attributes": ["light weight", "carbon fiber"], "instruction_options": ["black - round keychain"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A3FHFQ", "worker_id": "A1EREKSZAA9V7B"}], "B08GCNBFX1": [{"asin": "B08GCNBFX1", "instruction": "i am looking for a hair salon capacity spray bottle.", "attributes": ["easy clean", "hair salon", "beauty salon"], "options": [""], "instruction_attributes": ["hair salon"], "instruction_options": [], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163W1PQ0", "worker_id": "AK3JMCIGU8MLU"}], "B08R7FT3MX": [{"asin": "B08R7FT3MX", "instruction": "i would like a small leopard blue blouse that is hand washable.", "attributes": ["machine washable", "hand wash", "polyester spandex", "long sleeve"], "options": ["color: leopard blue", "size: small"], "instruction_attributes": ["hand wash"], "instruction_options": ["leopard blue", "small"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN32PTG", "worker_id": "A1WS884SI0SLO4"}], "B09D8SWV19": [{"asin": "B09D8SWV19", "instruction": "can you look it up on amazon? erika's tea room february birthday scone & gift box - unique english style scones, april color, will make the perfect gift.", "attributes": ["low sodium", "individually wrapped", "birthday cake", "perfect gift", "birthday party"], "options": ["color: april", "size: set of 4"], "instruction_attributes": ["low sodium", "perfect gift"], "instruction_options": ["april"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLWN30G", "worker_id": "A15IJ20C3R4HUO"}], "B08PKQCZ7W": [{"asin": "B08PKQCZ7W", "instruction": "i'm looking for a black tablet with 64gb and a high resolution", "attributes": ["high definition", "high resolution", "hands free"], "options": ["color: black", "size: 64gb"], "instruction_attributes": ["high resolution"], "instruction_options": ["black", "64gb"], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7LB5ER9", "worker_id": "A2Y2TURT2VEYZN"}], "B08K3SW37R": [{"asin": "B08K3SW37R", "instruction": "i'm looking for a small form factor business pc.", "attributes": ["certified refurbished", "high performance", "core i5", "quad core"], "options": [""], "instruction_attributes": ["core i5", "quad core"], "instruction_options": [], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34PX41F", "worker_id": "A21IUUHBSEVB56"}], "B08FFBX4PP": [{"asin": "B08FFBX4PP", "instruction": "i would like a two pack of high quality shower caps", "attributes": ["easy carry", "high quality", "hair salon", "hair cutting"], "options": ["color: clear (2-pack)", "size: 11.6\" x 6.3\""], "instruction_attributes": ["high quality"], "instruction_options": ["clear (2-pack)"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJPI0WK", "worker_id": "A2ECRNQ3X5LEXD"}], "B00J8Y6ZBW": [{"asin": "B00J8Y6ZBW", "instruction": "i would like a 5 pound bag of kosher certified crackers.", "attributes": ["kosher certified", "ready eat"], "options": ["size: 5 pound"], "instruction_attributes": ["kosher certified"], "instruction_options": ["5 pound"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61WVWZ2", "worker_id": "A1WS884SI0SLO4"}], "B08PXW966C": [{"asin": "B08PXW966C", "instruction": "i need hight quality portable golden wing color travel personal mirror for woman", "attributes": ["high quality", "rose gold"], "options": ["color: golden wing"], "instruction_attributes": ["high quality"], "instruction_options": ["golden wing"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKP2ZPJ1", "worker_id": "A258PTOZ3D2TQR"}], "B07FP4X1NX": [{"asin": "B07FP4X1NX", "instruction": "i am interested in buying a long sleeved xx-large sized sweater which is suitable for both men and women.", "attributes": ["officially licensed", "polyester spandex", "long sleeve"], "options": ["color: cats north pole", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7LD5N7", "worker_id": "AHXHM1PQTRWIQ"}], "B07K3DBFX7": [{"asin": "B07K3DBFX7", "instruction": "i'm looking for nourison jubilant floral pink area rug.", "attributes": ["spot clean", "easy clean", "dining room", "living room"], "options": ["color: ivory | pink", "size: 6 ft x 9 ft"], "instruction_attributes": ["living room"], "instruction_options": ["ivory | pink"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKP1DJP7", "worker_id": "A21IUUHBSEVB56"}], "B08KHXYDKC": [{"asin": "B08KHXYDKC", "instruction": "i need plant-based ground beef patties", "attributes": ["plant based", "dietary fiber"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUPKS4X", "worker_id": "A258PTOZ3D2TQR"}], "B00O5ZSEMC": [{"asin": "B00O5ZSEMC", "instruction": "i would like a travel size dark brown hair treatment.", "attributes": ["travel size", "hair loss"], "options": ["color: dark brown"], "instruction_attributes": ["travel size"], "instruction_options": ["dark brown"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IDZCBB", "worker_id": "A1WS884SI0SLO4"}], "B08BFL71VZ": [{"asin": "B08BFL71VZ", "instruction": "i am looking for a pair of men's dark stonewash levi's 501 jeans that are machine washable.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: dark stonewash", "size: 48w x 32l"], "instruction_attributes": ["machine wash"], "instruction_options": ["dark stonewash"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7ZDCU1", "worker_id": "A1EREKSZAA9V7B"}], "B0876G2J22": [{"asin": "B0876G2J22", "instruction": "looking for moisturizing and nourishing cream with multi-vitamin anti-crack foot with argan oil", "attributes": ["argan oil", "dry skin"], "options": ["scent: multi-vitamin anti-crack foot with argan oil"], "instruction_attributes": ["argan oil"], "instruction_options": ["multi-vitamin anti-crack foot with argan oil"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCMWJS1", "worker_id": "A10OGH5CQBXL5N"}], "B07VSNP9RZ": [{"asin": "B07VSNP9RZ", "instruction": "i am looking for black color high definition bluetooth speakers.", "attributes": ["high definition", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["high definition"], "instruction_options": ["black"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4NM894", "worker_id": "A1Q8PPQQCWGY0D"}], "B08DHK9G5X": [{"asin": "B08DHK9G5X", "instruction": "i'm looking for cloths towel for exfoliating in sensitive skin, in size 11.81 x 11.81\" with gray edge color", "attributes": ["easy clean", "long lasting", "sensitive skin"], "options": ["size: 11.81 x 11.8 inch", "style: gray edge"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["11.81 x 11.8 inch", "gray edge"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IZAKH9", "worker_id": "A2Y2TURT2VEYZN"}], "B09K74T4LZ": [{"asin": "B09K74T4LZ", "instruction": "i'm in love with women's mid-calf boots, i want to find one of non-slip vintage embroidered thick heels, size: 9 wide, help me in this mission", "attributes": ["knee high", "slip resistant"], "options": ["color: h-gray", "size: 9 wide"], "instruction_attributes": ["slip resistant"], "instruction_options": ["9 wide"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QZF70X", "worker_id": "A15IJ20C3R4HUO"}], "B08ZG6MNDT": [{"asin": "B08ZG6MNDT", "instruction": "i want gluten free faris gourmet popcorn.", "attributes": ["non gmo", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWRG259", "worker_id": "A2RBF3IIJP15IH"}], "B09PG8PQKY": [{"asin": "B09PG8PQKY", "instruction": "i am interested in knee high shoes that are black", "attributes": ["knee high", "hand wash"], "options": ["color: black", "size: 9"], "instruction_attributes": ["knee high"], "instruction_options": ["black"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLWYDAR", "worker_id": "A2ECRNQ3X5LEXD"}], "B001EJNMR4": [{"asin": "B001EJNMR4", "instruction": "i would like a pair of size 5.5 stone birko sandals with arch support.", "attributes": ["synthetic sole", "arch support"], "options": ["color: stone birko-flor pull up", "size: 5-5.5"], "instruction_attributes": ["arch support"], "instruction_options": ["stone birko-flor pull up", "5-5.5"], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVI7IB7", "worker_id": "A1WS884SI0SLO4"}], "B09FDPMSB4": [{"asin": "B09FDPMSB4", "instruction": "i am looking for a heavy duty red case for a galaxy s21 fe that is easy to install.", "attributes": ["heavy duty", "easy install", "case cover", "wireless charging"], "options": ["color: red"], "instruction_attributes": ["heavy duty", "easy install"], "instruction_options": ["red"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJL1FBYG", "worker_id": "A1EREKSZAA9V7B"}], "B09R7MX43S": [{"asin": "B09R7MX43S", "instruction": "i am looking for black color long sleeve bodysuit for women.", "attributes": ["wide leg", "fleece lined", "tummy control", "high waist", "long sleeve", "teen girls"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40KTXNF", "worker_id": "A1Q8PPQQCWGY0D"}], "B00YCT1C70": [{"asin": "B00YCT1C70", "instruction": "i would like a king sized black faux leather bed.", "attributes": ["long lasting", "assembly required", "faux leather"], "options": ["color: black", "size: king"], "instruction_attributes": ["faux leather"], "instruction_options": ["black", "king"], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YG0O55S", "worker_id": "A1WS884SI0SLO4"}], "B09MR5ZD7L": [{"asin": "B09MR5ZD7L", "instruction": "i'm looking for a desktop mini computer with quad core and 8 gb of ram.", "attributes": ["intel core", "quad core"], "options": ["size: 8gb ddr4 ram, 1tb hdd"], "instruction_attributes": ["quad core"], "instruction_options": ["8gb ddr4 ram, 1tb hdd"], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4H6L8H", "worker_id": "AK3JMCIGU8MLU"}], "B09KXTC3FC": [{"asin": "B09KXTC3FC", "instruction": "i'm looking for wireless bluetooth speaker for home.", "attributes": ["hands free", "stereo sound"], "options": ["color: blue"], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH53QH8", "worker_id": "A21IUUHBSEVB56"}], "B07Y3ZBB1C": [{"asin": "B07Y3ZBB1C", "instruction": "i need 1080p wireless security camera with motion detection and cloud storage support", "attributes": ["optical zoom", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUKL5SJ", "worker_id": "A258PTOZ3D2TQR"}], "B096NYPRXP": [{"asin": "B096NYPRXP", "instruction": "i would like a black purple car charger with a usb port.", "attributes": ["fast charging", "high speed", "usb port"], "options": ["color: black purple"], "instruction_attributes": ["usb port"], "instruction_options": ["black purple"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFXOE34", "worker_id": "A1WS884SI0SLO4"}], "B08TZJKJH4": [{"asin": "B08TZJKJH4", "instruction": "i am looking for a high performance power amplifier", "attributes": ["power amplifier", "high performance"], "options": [""], "instruction_attributes": ["power amplifier", "high performance"], "instruction_options": [], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96ED4GC", "worker_id": "A9QRQL9CFJBI7"}], "B00VREDHM6": [{"asin": "B00VREDHM6", "instruction": "i'm looking for a leather slingback flat sandal.", "attributes": ["leather sole", "synthetic sole"], "options": ["color: white", "size: 39 eu | 8 m us"], "instruction_attributes": ["leather sole"], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OLAV5HR", "worker_id": "A21IUUHBSEVB56"}], "B08RDDNJR2": [{"asin": "B08RDDNJR2", "instruction": "looking for light weight long cord headphones for tv choose colour 3-blue+red", "attributes": ["hands free", "light weight"], "options": ["color: 3-blue+red"], "instruction_attributes": ["light weight"], "instruction_options": ["3-blue+red"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT6CJYX", "worker_id": "A10OGH5CQBXL5N"}], "B00VVRVPNM": [{"asin": "B00VVRVPNM", "instruction": "i need a four seater sofa set in contemporary style. pick something in brown white color.", "attributes": ["machine washable", "contemporary style"], "options": ["color: brown white", "size: seating for four - table"], "instruction_attributes": ["contemporary style"], "instruction_options": ["brown white", "seating for four - table"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79NYQK5", "worker_id": "A1NF6PELRKACS9"}], "B07FPJHPX1": [{"asin": "B07FPJHPX1", "instruction": "i would like a 12 count of assorted paraben free face mask.", "attributes": ["oil free", "sulfate free", "paraben free", "cruelty free", "tea tree", "sensitive skin"], "options": ["scent: assorted 12 pack", "size: 12 count (pack of 4)"], "instruction_attributes": ["paraben free"], "instruction_options": ["assorted 12 pack", "12 count (pack of 4)"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKP1NPJN", "worker_id": "A1WS884SI0SLO4"}], "B0052QL4WA": [{"asin": "B0052QL4WA", "instruction": "i would like a great snack gift basket.", "attributes": ["gift basket", "great gift"], "options": [""], "instruction_attributes": ["gift basket", "great gift"], "instruction_options": [], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602W095G", "worker_id": "A1WS884SI0SLO4"}], "B08JQ4QG5B": [{"asin": "B08JQ4QG5B", "instruction": "i am looking for some long lasting easy to carry eyeshadow.", "attributes": ["long lasting", "highly pigmented", "easy carry", "cruelty free", "sensitive skin"], "options": [""], "instruction_attributes": ["long lasting", "easy carry"], "instruction_options": [], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANJNSX8", "worker_id": "A1EREKSZAA9V7B"}], "B08RDG6S4N": [{"asin": "B08RDG6S4N", "instruction": "i am looking for a pair of grey faux leather mid century dining chairs.", "attributes": ["mid century", "faux leather"], "options": ["color: grey", "size: 1 pcs"], "instruction_attributes": ["mid century", "faux leather"], "instruction_options": ["grey"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34OR144", "worker_id": "A1EREKSZAA9V7B"}], "B09MQDZKPL": [{"asin": "B09MQDZKPL", "instruction": "i am looking for a black samsung galaxy s20 fe case with tempered glass.", "attributes": ["glass screen", "tempered glass"], "options": ["color: black"], "instruction_attributes": ["tempered glass"], "instruction_options": ["black"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YT1T8Z", "worker_id": "AK3JMCIGU8MLU"}], "B00JV4M9AA": [{"asin": "B00JV4M9AA", "instruction": "i want a hair care product that is easy to use.", "attributes": ["easy use", "dry hair"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZMRMK4", "worker_id": "A1WS884SI0SLO4"}], "B07R8XNR81": [{"asin": "B07R8XNR81", "instruction": "i am looking for x-large short white color running gym workout fitness shorts", "attributes": ["elastic closure", "elastic waistband", "polyester spandex", "gym workout"], "options": ["color: owine red | white", "size: x-large short"], "instruction_attributes": ["gym workout"], "instruction_options": ["owine red | white", "x-large short"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFJ420N", "worker_id": "A258PTOZ3D2TQR"}], "B09PMG75M5": [{"asin": "B09PMG75M5", "instruction": "i'm looking for tattoo numbing cream with natural ingredients", "attributes": ["tea tree", "seed oil", "natural ingredients", "hair removal"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4QFKP9", "worker_id": "A2Y2TURT2VEYZN"}], "B0892NQ4QP": [{"asin": "B0892NQ4QP", "instruction": "i want individually wrapped lemon bar cookies.", "attributes": ["baked fresh", "individually wrapped"], "options": ["flavor name: lemon bar"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["lemon bar"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLBGECJ", "worker_id": "A2RBF3IIJP15IH"}], "B07ML9TMTT": [{"asin": "B07ML9TMTT", "instruction": "i would like some non gmo pretzels that are 10 ounces", "attributes": ["non gmo", "lactose free", "kosher certified", "simple ingredients", "artificial flavors"], "options": ["size: 10 ounce (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["10 ounce (pack of 1)"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV7FD82", "worker_id": "A2ECRNQ3X5LEXD"}], "B08JVL3JZS": [{"asin": "B08JVL3JZS", "instruction": "i need brown color, 10 size ethylene vinyl arizona sandal", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: brown", "size: 10"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["brown"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIOGFE3", "worker_id": "A258PTOZ3D2TQR"}, {"asin": "B08JVL3JZS", "instruction": "i want a pair of ethylene vinyl birkenstock arizona sandals in size 9.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: noir", "size: 9"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["9"], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIBL2LQ", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08JVL3JZS", "instruction": "i need to find a unisex sandal that\u2019s made with vinyl acetate; i am a size 11 australian.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: grey iron iron", "size: 11 au"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["11 au"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOC1W1M", "worker_id": "A3LIIE572Z4OG7"}], "B07X9Y42VX": [{"asin": "B07X9Y42VX", "instruction": "i am looking for hair straighteners of color surfing blue&misty mauve that are easy to clean.", "attributes": ["easy clean", "hair styling"], "options": ["color: surfing blue&misty mauve", "size: 1 pack"], "instruction_attributes": ["easy clean"], "instruction_options": ["surfing blue&misty mauve"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8ZZ8GB", "worker_id": "A1Q8PPQQCWGY0D"}], "B07L5ZXML8": [{"asin": "B07L5ZXML8", "instruction": "i would like a gluten free pancake mix.", "attributes": ["low sugar", "gluten free", "high protein", "low carb"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3JGAY6", "worker_id": "A1WS884SI0SLO4"}], "B07KBX1FBN": [{"asin": "B07KBX1FBN", "instruction": "i would like a long sleeved blue blouse that is xx-large", "attributes": ["knee high", "straight leg", "hand wash", "ankle strap", "high waist", "long sleeve"], "options": ["color: blue", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue", "xx-large"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP9UAO8", "worker_id": "A2ECRNQ3X5LEXD"}], "B086QS1S5X": [{"asin": "B086QS1S5X", "instruction": "i would like a 13 inch 512 gig intel core i7 tablet.", "attributes": ["intel core", "quad core"], "options": ["capacity: 512gb", "configuration: i7 | 16gb", "style: 13\""], "instruction_attributes": ["intel core"], "instruction_options": ["512gb", "i7 | 16gb", "13\""], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXVNO5A", "worker_id": "A1WS884SI0SLO4"}], "B07DQH5YXZ": [{"asin": "B07DQH5YXZ", "instruction": "i am looking for a conditioner color shower cream that is sulphate free.", "attributes": ["sulfate free", "anti aging"], "options": ["color: conditioner"], "instruction_attributes": ["sulfate free"], "instruction_options": ["conditioner"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTT7TKU", "worker_id": "A1Q8PPQQCWGY0D"}], "B09LHC2Z4V": [{"asin": "B09LHC2Z4V", "instruction": "i am looking for a chandeliers for my dining room.", "attributes": ["easy install", "easy assemble", "light fixture", "dining room"], "options": [""], "instruction_attributes": ["dining room"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZ3HCN6", "worker_id": "A1Q8PPQQCWGY0D"}], "B08FQFQJN7": [{"asin": "B08FQFQJN7", "instruction": "hello, i am looking for hair dye that will stay in my hair permanently. also, i want the color to be mahogany blonde", "attributes": ["long lasting", "permanent hair"], "options": ["color: 7m | 7.5 mahogany blonde"], "instruction_attributes": ["permanent hair"], "instruction_options": ["7m | 7.5 mahogany blonde"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL3VAVG", "worker_id": "A2TRV8SEM003GG"}], "B07ZCD2JTH": [{"asin": "B07ZCD2JTH", "instruction": "i am looking for individually wrapped, chocolate toffee candy bars in a 24 pack.", "attributes": ["individually wrapped", "birthday party"], "options": ["flavor name: chocolate", "size: 24 count (pack of 1)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["chocolate", "24 count (pack of 1)"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EGXB19", "worker_id": "AK3JMCIGU8MLU"}], "B09MM89KMB": [{"asin": "B09MM89KMB", "instruction": "i want a blue children\u2019s u-shape toothbrush for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: 2-6 years -blue"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["2-6 years -blue"], "assignment_id": "33TIN5LC0FKDY31374RC144TX12Y9J", "worker_id": "A2RBF3IIJP15IH"}], "B071SF272N": [{"asin": "B071SF272N", "instruction": "i am looking for throw pillow covers of taupe orange colors that are machine washable.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: taupe orange", "size: 24\" x 24\""], "instruction_attributes": ["machine washable"], "instruction_options": ["taupe orange"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPPVSYS", "worker_id": "A1Q8PPQQCWGY0D"}], "B09FSS3YXJ": [{"asin": "B09FSS3YXJ", "instruction": "i am interested in buying hoodies which can be machine washed, and are of color 2, and of small size.", "attributes": ["hand wash", "machine wash"], "options": ["color: 2", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["2", "small"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35R8UGW", "worker_id": "AJY5G987IRT25"}], "B09PX62ZJN": [{"asin": "B09PX62ZJN", "instruction": "i would like a long lasting makeup set.", "attributes": ["dermatologist tested", "paraben free", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYR1MQC", "worker_id": "A1WS884SI0SLO4"}], "B07KPGF8DD": [{"asin": "B07KPGF8DD", "instruction": "i'm looking for 2-piece lounge set for women.", "attributes": ["moisture wicking", "drawstring closure", "relaxed fit", "long sleeve", "everyday wear"], "options": ["color: dark heather charcoal", "size: x-small"], "instruction_attributes": ["long sleeve", "everyday wear"], "instruction_options": ["dark heather charcoal"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK5C3J6", "worker_id": "A21IUUHBSEVB56"}], "B089RBK4Q4": [{"asin": "B089RBK4Q4", "instruction": "i am interested in buying a zero sugar gluten free freezer pops.", "attributes": ["sugar free", "gluten free", "zero sugar"], "options": ["flavor name: zero sugar", "size: pack of 150", "style: freezer pops + mixed berry"], "instruction_attributes": ["gluten free", "zero sugar"], "instruction_options": ["zero sugar"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK491A6K", "worker_id": "AHXHM1PQTRWIQ"}], "B08TZW46HS": [{"asin": "B08TZW46HS", "instruction": "help me find a high performance power amplifier to use with my ho n e theater and is3 in 1", "attributes": ["power amplifier", "high performance"], "options": [""], "instruction_attributes": ["power amplifier", "high performance"], "instruction_options": [], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86AA815", "worker_id": "A1E235KE3CSO7H"}], "B07R449NTD": [{"asin": "B07R449NTD", "instruction": "i want to find individually wrapped, 2-ounce packs of omega-3 mix in a 14-count box.", "attributes": ["artificial ingredients", "non gmo", "individually wrapped"], "options": ["flavor name: omega-3 mix", "size: 2 ounce (pack of 14)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["omega-3 mix", "2 ounce (pack of 14)"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH6SQHZ", "worker_id": "A345TDMHP3DQ3G"}], "B09MZCWLH7": [{"asin": "B09MZCWLH7", "instruction": "i am looking for cruelty free lip balm lip scrub (color c)", "attributes": ["cruelty free", "easy use", "natural ingredients", "dead skin"], "options": ["color: c"], "instruction_attributes": ["cruelty free"], "instruction_options": ["c"], "assignment_id": "351SEKWQSBRP7CP60H83T50CFC4DMQ", "worker_id": "A258PTOZ3D2TQR"}], "B0000ZFRD0": [{"asin": "B0000ZFRD0", "instruction": "i am searching for hand wash women's top sandalfoot pantyhose, size e-f", "attributes": ["hand wash", "nylon spandex"], "options": ["color: barely there", "size: e-f"], "instruction_attributes": ["hand wash"], "instruction_options": ["e-f"], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6NCEEV", "worker_id": "A258PTOZ3D2TQR"}], "B087LYGR5T": [{"asin": "B087LYGR5T", "instruction": "i would like a brown two piece living room set made of faux leather.", "attributes": ["mid century", "easy clean", "easy assemble", "faux leather", "living room"], "options": ["color: brown two-piece set"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["brown two-piece set"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AN7STX", "worker_id": "A1WS884SI0SLO4"}], "B07KQ3QJ4Y": [{"asin": "B07KQ3QJ4Y", "instruction": "i'm looking for blue, heart shaped cupcake toppers for my sister's baby shower.", "attributes": ["baby shower", "valentine day", "birthday cake"], "options": ["color: blue1 heart"], "instruction_attributes": ["baby shower"], "instruction_options": ["blue1 heart"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA8F8CB", "worker_id": "A2JP9IKRHNLRPI"}], "B0999L6J9X": [{"asin": "B0999L6J9X", "instruction": "i am looking for gray men's casual sweatpants that are machine washable with an elastic waist.", "attributes": ["loose fit", "wash cold", "hand wash", "machine wash", "elastic waist"], "options": ["color: gray", "size: x-large"], "instruction_attributes": ["machine wash", "elastic waist"], "instruction_options": ["gray"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NQW2P8", "worker_id": "A1EREKSZAA9V7B"}], "B08ZRBTHNL": [{"asin": "B08ZRBTHNL", "instruction": "i am looking for a black crypto currency themed tank top in size large that has a classic fit.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: men", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["black", "large"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVR5KJ5", "worker_id": "AK3JMCIGU8MLU"}], "B09D3JRJ7J": [{"asin": "B09D3JRJ7J", "instruction": "i'm looking for a men's long sleeve shirt with button closure. choose the ones that come in the color c-green and size medium.", "attributes": ["winter warm", "slim fit", "water resistant", "faux fur", "long sleeve", "button closure", "classic fit"], "options": ["color: c-green", "size: medium"], "instruction_attributes": ["long sleeve", "button closure"], "instruction_options": ["c-green", "medium"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4F6RQD", "worker_id": "A3MNXK3VDK37SN"}], "B0886D1X9X": [{"asin": "B0886D1X9X", "instruction": "i would like a office chair with lumbar support.", "attributes": ["high density", "lumbar support"], "options": [""], "instruction_attributes": ["lumbar support"], "instruction_options": [], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MNKWLG", "worker_id": "A1WS884SI0SLO4"}], "B08PKDM93D": [{"asin": "B08PKDM93D", "instruction": "i am looking for a bronze colored wall mounted led sconce for my living room.", "attributes": ["wall mounted", "light fixture", "bronze finish", "brushed nickel", "living room"], "options": ["color: bronze", "size: 1 pack"], "instruction_attributes": ["wall mounted", "living room"], "instruction_options": ["bronze"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V7KU2S", "worker_id": "A1EREKSZAA9V7B"}], "B09P17BXXW": [{"asin": "B09P17BXXW", "instruction": "i need some xx-large boxer briefs that is also low rise.", "attributes": ["low rise", "elastic waistband"], "options": ["color: style1 | 1-pack", "size: xx-large"], "instruction_attributes": ["low rise"], "instruction_options": ["xx-large"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTW27LG", "worker_id": "A1NF6PELRKACS9"}], "B01N24TT0B": [{"asin": "B01N24TT0B", "instruction": "i want a serum made from hyaluronic acid.", "attributes": ["hyaluronic acid", "fine lines"], "options": [""], "instruction_attributes": ["hyaluronic acid"], "instruction_options": [], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODR6EW0", "worker_id": "A1WS884SI0SLO4"}], "B092D6861L": [{"asin": "B092D6861L", "instruction": "i am looking for an easy to clean and easy to carry cosmetic bag.", "attributes": ["easy carry", "easy clean"], "options": [""], "instruction_attributes": ["easy carry", "easy clean"], "instruction_options": [], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647DQ3HJ", "worker_id": "A1EREKSZAA9V7B"}], "B000F9ZG9Q": [{"asin": "B000F9ZG9Q", "instruction": "i would like a pair of size 5.5 blue walking shoes with a rubber sole.", "attributes": ["arch support", "rubber sole"], "options": ["color: blue 400", "size: 5.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["blue 400", "5.5"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8MG4RY", "worker_id": "A1WS884SI0SLO4"}], "B07CGYBVT7": [{"asin": "B07CGYBVT7", "instruction": "i need 5.1 ounce rosemary roasted gluten free garlic seasoning, (pack of 1)", "attributes": ["non gmo", "gluten free", "resealable bag", "great gift"], "options": ["size: 5.1 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA54A8L", "worker_id": "A258PTOZ3D2TQR"}], "B00DQH3LP0": [{"asin": "B00DQH3LP0", "instruction": "i'm looking for long lasting intense eye liner.", "attributes": ["long lasting", "seed oil"], "options": ["color: voyage"], "instruction_attributes": ["long lasting"], "instruction_options": ["voyage"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT4FP3P", "worker_id": "A21IUUHBSEVB56"}], "B0812L17DV": [{"asin": "B0812L17DV", "instruction": "i am looking for 12 size regular fit running shoe.", "attributes": ["lace closure", "regular fit"], "options": ["color: footwear white | footwear white | core black", "size: 12"], "instruction_attributes": ["regular fit"], "instruction_options": ["12"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZV8K3K", "worker_id": "A1Q8PPQQCWGY0D"}], "B09CDSR86M": [{"asin": "B09CDSR86M", "instruction": "i want open toe umiyi sandals for women in size 9.5.", "attributes": ["open toe", "closed toe"], "options": ["color: zz02-black", "size: 9.5-10"], "instruction_attributes": ["open toe"], "instruction_options": ["9.5-10"], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6AEG5Z", "worker_id": "A2RBF3IIJP15IH"}], "B09T1NQN6P": [{"asin": "B09T1NQN6P", "instruction": "i'm looking for the perfect gift basket: it's a s'mores bark snack that contains no dairy.", "attributes": ["hand crafted", "dairy free", "natural ingredients", "perfect gift", "gift basket"], "options": ["flavor name: s'mores bark snack"], "instruction_attributes": ["dairy free", "perfect gift", "gift basket"], "instruction_options": ["s'mores bark snack"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CW4FT5E", "worker_id": "A3LIIE572Z4OG7"}, {"asin": "B09T1NQN6P", "instruction": "i'm looking for a gift basket that has chocolate candy and also offers a peanut chew platter.", "attributes": ["hand crafted", "dairy free", "natural ingredients", "perfect gift", "gift basket"], "options": ["flavor name: peanut chew platter"], "instruction_attributes": ["gift basket"], "instruction_options": ["peanut chew platter"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKUTGS8", "worker_id": "A2JP9IKRHNLRPI"}], "B08RP6V5KZ": [{"asin": "B08RP6V5KZ", "instruction": "i would like a 20 inch dark brown mix light auburn hair extensions.", "attributes": ["high quality", "hair extensions"], "options": ["color: dark brown mix light auburn - straight", "size: 20\""], "instruction_attributes": ["hair extensions"], "instruction_options": ["dark brown mix light auburn - straight", "20\""], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNO4NTL", "worker_id": "A1WS884SI0SLO4"}], "B07SDJB826": [{"asin": "B07SDJB826", "instruction": "i need a fully assembled queen sized mattress set", "attributes": ["ready use", "queen size", "double sided", "fully assembled", "assembly required", "king size", "box spring"], "options": ["color: 53x74", "size: queen"], "instruction_attributes": ["fully assembled"], "instruction_options": ["queen"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9OYB0D", "worker_id": "A2ECRNQ3X5LEXD"}], "B098NLYXLK": [{"asin": "B098NLYXLK", "instruction": "i want a mandala blanket throw fleece blanket for my living room.", "attributes": ["super soft", "living room"], "options": ["color: mandala", "size: 50\"x40\""], "instruction_attributes": ["living room"], "instruction_options": ["mandala"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW2H1CS", "worker_id": "A2RBF3IIJP15IH"}], "B07S2FB9TV": [{"asin": "B07S2FB9TV", "instruction": "i am looking for some nut free red velvet with cream cheese cupcakes in a jar.", "attributes": ["nut free", "great gift"], "options": ["flavor name: red velvet with cream cheese"], "instruction_attributes": ["nut free"], "instruction_options": ["red velvet with cream cheese"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFSVV3V", "worker_id": "A1EREKSZAA9V7B"}], "B096NQYLLV": [{"asin": "B096NQYLLV", "instruction": "i am looking for cognac colored combat boots with rubber soles.", "attributes": ["memory foam", "rubber sole"], "options": ["color: cognac", "size: 7.5 medium us"], "instruction_attributes": ["rubber sole"], "instruction_options": ["cognac"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LFGO1Q", "worker_id": "AK3JMCIGU8MLU"}], "B0843N9YKW": [{"asin": "B0843N9YKW", "instruction": "i am looking for a high quality teal colored compact mirror.", "attributes": ["high quality", "rose gold"], "options": ["color: teal"], "instruction_attributes": ["high quality"], "instruction_options": ["teal"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYRYQMD", "worker_id": "A1EREKSZAA9V7B"}], "B073V4382Z": [{"asin": "B073V4382Z", "instruction": "i would like a pair of 33 wide by 32 long standard signature medium indigo jeans with a relaxed fit.", "attributes": ["straight leg", "day comfort", "machine wash", "imported zipper", "relaxed fit"], "options": ["color: signature medium indigo-waterless", "fit type: standard", "size: 33w x 32l"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["signature medium indigo-waterless", "standard", "33w x 32l"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLA7EC8", "worker_id": "A1WS884SI0SLO4"}], "B08L81FYLV": [{"asin": "B08L81FYLV", "instruction": "i need a pack of 5, 4 inch bowls for mixing my facial masks, and it must be easy to clean.", "attributes": ["easy clean", "hair dye"], "options": ["size: 4 inch (pack of 5)"], "instruction_attributes": ["easy clean"], "instruction_options": ["4 inch (pack of 5)"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOMJ0FD", "worker_id": "A2NSS746CFCT4M"}], "B01IA9B8V2": [{"asin": "B01IA9B8V2", "instruction": "search for antiperspirant deodorant.", "attributes": ["anti perspirant", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QGLM1V", "worker_id": "A15ERD4HOFEPHM"}, {"asin": "B01IA9B8V2", "instruction": "i would like a anti perspirant.", "attributes": ["anti perspirant", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP85RZ78", "worker_id": "A1WS884SI0SLO4"}], "B08FT51FFD": [{"asin": "B08FT51FFD", "instruction": "i would like to buy eyebrow gel which is long lasting, and is of black color.", "attributes": ["long lasting", "beauty salon"], "options": ["color: black"], "instruction_attributes": ["long lasting"], "instruction_options": ["black"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZPQ7R7", "worker_id": "AJY5G987IRT25"}], "B001333EN8": [{"asin": "B001333EN8", "instruction": "i am looking for high quality eau de parfum for women", "attributes": ["design house", "high quality"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCF27HI", "worker_id": "A258PTOZ3D2TQR"}], "B0852X4S6J": [{"asin": "B0852X4S6J", "instruction": "i need a high density area rug that is white", "attributes": ["high density", "non slip", "living room"], "options": ["color: white", "size: 4' x 5.3'"], "instruction_attributes": ["high density"], "instruction_options": ["white"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V7PU2X", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B5GD54B": [{"asin": "B09B5GD54B", "instruction": "i would like a four pack of fully cooked chicken.", "attributes": ["fully cooked", "easy prepare"], "options": ["size: 4 pack"], "instruction_attributes": ["fully cooked"], "instruction_options": ["4 pack"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODQPWEZ", "worker_id": "A1WS884SI0SLO4"}], "B088LW4JKR": [{"asin": "B088LW4JKR", "instruction": "i'm looking for wireless bluetooth 5.0 earbuds.", "attributes": ["long lasting", "stereo sound", "wireless bluetooth"], "options": ["color: pink"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["pink"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO7B2CO", "worker_id": "A21IUUHBSEVB56"}], "B09QCPGNK2": [{"asin": "B09QCPGNK2", "instruction": "am trying to find the long sleeve of zefotim womens summer tops, g-white color.", "attributes": ["long sleeve", "short sleeve"], "options": ["color: g-white", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["g-white"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV7OD8B", "worker_id": "A1IL2K0ELYI090"}], "B08428CDPD": [{"asin": "B08428CDPD", "instruction": "i am looking for a chestnut colored synthetic hair wig.", "attributes": ["synthetic hair", "natural hair", "hair growth"], "options": ["color: chestnut"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["chestnut"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3N9RY0", "worker_id": "A1EREKSZAA9V7B"}], "B07S1K8FNT": [{"asin": "B07S1K8FNT", "instruction": "i'm looking for a high quality anti-aging skincare kit for my dark circles and fine lines.", "attributes": ["anti aging", "high quality", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "high quality", "dark circles", "fine lines"], "instruction_options": [], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LPG90O", "worker_id": "A2JP9IKRHNLRPI"}], "B07Y8VWSBY": [{"asin": "B07Y8VWSBY", "instruction": "i'm looking for soft high waisted leggings for women.", "attributes": ["machine wash", "stretch fabric", "polyester spandex"], "options": ["color: speedy", "fit type: bike shorts", "size: one size plus"], "instruction_attributes": ["machine wash"], "instruction_options": ["one size plus"], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLICNKI0", "worker_id": "A21IUUHBSEVB56"}], "B09MFZMHVP": [{"asin": "B09MFZMHVP", "instruction": "i would like a pair of size 7.5 clogs that are slip resistant.", "attributes": ["slip resistant", "arch support"], "options": ["color: pewter", "size: 7.5-8"], "instruction_attributes": ["slip resistant"], "instruction_options": ["pewter", "7.5-8"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1A3IFHR", "worker_id": "A1WS884SI0SLO4"}], "B08CKG1M5V": [{"asin": "B08CKG1M5V", "instruction": "i'm looking for a bathroom mirror that can be wall mounted and is 60 cm in size.", "attributes": ["wall mounted", "easy install"], "options": ["size: 60cm"], "instruction_attributes": ["wall mounted"], "instruction_options": ["60cm"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SGZRWT", "worker_id": "AK3JMCIGU8MLU"}], "B09P7LNSLD": [{"asin": "B09P7LNSLD", "instruction": "i am interested in buying baseball t-shirts which can be machine washed and are classic fit, while the color should be either navy or white, and i am interested for a medium size for women.", "attributes": ["machine wash", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy | white", "fit type: women", "size: medium"], "instruction_attributes": ["machine wash", "classic fit"], "instruction_options": ["navy | white", "women", "medium"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM9SHZZ", "worker_id": "AJY5G987IRT25"}], "B09BHMPRLT": [{"asin": "B09BHMPRLT", "instruction": "i need a easy to clean hair extension.", "attributes": ["easy clean", "stainless steel", "hair extensions"], "options": ["color: r#12 | 60", "size: 22 inch-140g"], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL3AAVV", "worker_id": "AVIEE6LDH0BT5"}], "B003H7YHUW": [{"asin": "B003H7YHUW", "instruction": "i am interested in sardine lemon flavored wild caught sardines which are gluten free.", "attributes": ["non gmo", "wild caught", "gluten free"], "options": ["flavor name: sardines lemon", "size: 4.4 ounce (pack of 12)"], "instruction_attributes": ["wild caught", "gluten free"], "instruction_options": ["sardines lemon"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53ZEGKN", "worker_id": "AHXHM1PQTRWIQ"}], "B0897B2295": [{"asin": "B0897B2295", "instruction": "i am looking for containers for shampoo of color style 7-40ml that are easy to carry.", "attributes": ["travel size", "easy carry", "travel bottles"], "options": ["color: style 7-40ml"], "instruction_attributes": ["easy carry"], "instruction_options": ["style 7-40ml"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPCAOCJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B083Q4DFLY": [{"asin": "B083Q4DFLY", "instruction": "i want an american flag aomike flannel fleece throw blanket.", "attributes": ["super soft", "machine washable", "fleece throw"], "options": ["color: american flagaoe9847", "size: 49\" x 59\""], "instruction_attributes": ["fleece throw"], "instruction_options": ["american flagaoe9847"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFH95U2", "worker_id": "A2RBF3IIJP15IH"}], "B09SCX7TBD": [{"asin": "B09SCX7TBD", "instruction": "i want a 1080p hd camera.", "attributes": ["1080p hd", "easy install"], "options": [""], "instruction_attributes": ["1080p hd"], "instruction_options": [], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R42W7W", "worker_id": "A1WS884SI0SLO4"}], "B083W82VBW": [{"asin": "B083W82VBW", "instruction": "what do you think of this mtfy tall bedside table with drawer and storage that you recommend? i want two in black if it's good quality. i await your reply .", "attributes": ["eco friendly", "space saving", "easy assemble", "storage space", "living room"], "options": ["color: 2pcs black"], "instruction_attributes": ["storage space"], "instruction_options": ["2pcs black"], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746ZZTBB", "worker_id": "A15IJ20C3R4HUO"}], "B08QZ4FHHN": [{"asin": "B08QZ4FHHN", "instruction": "i need one living room table", "attributes": ["pu leather", "living room"], "options": ["color: paisley flower", "size: 1 pack"], "instruction_attributes": ["living room"], "instruction_options": ["1 pack"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG5HBGA", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RHS8FZ9": [{"asin": "B09RHS8FZ9", "instruction": "i am looking for a men's long sleeve button down light blue shirt.", "attributes": ["slim fit", "moisture wicking", "machine wash", "long sleeve", "short sleeve", "regular fit"], "options": ["color: light blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["light blue"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSL226Y", "worker_id": "A1EREKSZAA9V7B"}], "B00GTQ0TL4": [{"asin": "B00GTQ0TL4", "instruction": "i am looking for bronze finish chandelier for my living room.", "attributes": ["bronze finish", "light fixture", "dining room", "living room"], "options": [""], "instruction_attributes": ["bronze finish", "living room"], "instruction_options": [], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYM6QL9", "worker_id": "A1Q8PPQQCWGY0D"}], "B000VK9YA6": [{"asin": "B000VK9YA6", "instruction": "i am interested in buying pumpkin seeds which are gluten free.", "attributes": ["low sodium", "gluten free", "dietary fiber"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGBDSLO", "worker_id": "AJY5G987IRT25"}], "B01DM76GFK": [{"asin": "B01DM76GFK", "instruction": "i would like a solid wood sideboard.", "attributes": ["fully assembled", "solid wood"], "options": [""], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841DUXAV", "worker_id": "A1WS884SI0SLO4"}], "B08B3ML761": [{"asin": "B08B3ML761", "instruction": "i want an apple punch highly pigmented lip tint.", "attributes": ["highly pigmented", "hyaluronic acid"], "options": ["color: 002 apple punch"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["002 apple punch"], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUKO5SM", "worker_id": "A2RBF3IIJP15IH"}], "B081T7ZCYM": [{"asin": "B081T7ZCYM", "instruction": "i am looking for yellow and flat ankle booties for women for daily wear, and i would like them to come in size 8.5.", "attributes": ["day comfort", "daily wear"], "options": ["color: z4-yellow", "size: 8.5"], "instruction_attributes": ["daily wear"], "instruction_options": ["z4-yellow", "8.5"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKTFEPF", "worker_id": "A411ZZABHZUNA"}], "B09166MBRR": [{"asin": "B09166MBRR", "instruction": "i want a tv stand made from solid wood.", "attributes": ["high density", "high gloss", "solid wood", "living room"], "options": [""], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QZQ071", "worker_id": "A1WS884SI0SLO4"}], "B098BD9PSC": [{"asin": "B098BD9PSC", "instruction": "i am looking for a snacks gift basket.", "attributes": ["individually wrapped", "valentine day", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3N3YR1", "worker_id": "AJDQGOTMB2D80"}], "B01NAYE128": [{"asin": "B01NAYE128", "instruction": "i need oil free 8 ounce walnut body scrub", "attributes": ["oil free", "sensitive skin", "dead skin"], "options": ["size: 8 ounce"], "instruction_attributes": ["oil free"], "instruction_options": ["8 ounce"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYMBQLE", "worker_id": "A258PTOZ3D2TQR"}], "B09BK2WGGX": [{"asin": "B09BK2WGGX", "instruction": "i am looking for heavy duty folding table of black granite color.", "attributes": ["high density", "heavy duty", "steel frame"], "options": ["color: black granite", "size: 30\"x48\""], "instruction_attributes": ["heavy duty"], "instruction_options": ["black granite"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSRJ0X8", "worker_id": "A1Q8PPQQCWGY0D"}], "B07B52CD3W": [{"asin": "B07B52CD3W", "instruction": "i want an orange spencer modern contemporary table lamp for my living room.", "attributes": ["brushed nickel", "nickel finish", "living room"], "options": ["color: robust orange"], "instruction_attributes": ["living room"], "instruction_options": ["robust orange"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5KB412J", "worker_id": "A2RBF3IIJP15IH"}], "B07JBP3151": [{"asin": "B07JBP3151", "instruction": "i need grass fed protein bars that are banana flavored", "attributes": ["grass fed", "keto friendly", "quality ingredients"], "options": ["color: banana bread", "size: 12 count (pack of 1)"], "instruction_attributes": ["grass fed"], "instruction_options": ["banana bread"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QU2OXP", "worker_id": "A2ECRNQ3X5LEXD"}], "B08TX2CWCP": [{"asin": "B08TX2CWCP", "instruction": "seabed wallpaper with octopus size 8x12 ft", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 18", "size: 8x12 ft"], "instruction_attributes": [], "instruction_options": ["8x12 ft"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDDV0SG", "worker_id": "A3TTGSUBIK1YCL"}, {"asin": "B08TX2CWCP", "instruction": "i want a light weight 6x9 ft octopus vinyl photography backdrop.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 06", "size: 6x9 ft"], "instruction_attributes": ["light weight"], "instruction_options": ["6x9 ft"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQBHS6Z", "worker_id": "A2RBF3IIJP15IH"}], "B07NYSLGR9": [{"asin": "B07NYSLGR9", "instruction": "i am looking for a wall art of size 40x20 for my living room.", "attributes": ["hand painted", "dining room", "living room"], "options": ["color: sdyagrayabstract", "size: 40x20"], "instruction_attributes": ["living room"], "instruction_options": ["40x20"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYMDQLG", "worker_id": "A1Q8PPQQCWGY0D"}], "B086LJQNB2": [{"asin": "B086LJQNB2", "instruction": "can i get the new 3ounce size of cetaphil moisturizing cream 20 oz hydrating moisturizer fragrance free", "attributes": ["fragrance free", "clinically proven", "paraben free", "dry skin", "sensitive skin"], "options": ["size: new 3 ounce (pack of 3)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4XW7KE", "worker_id": "A1IL2K0ELYI090"}], "B09BTN8F47": [{"asin": "B09BTN8F47", "instruction": "i need a height adjustable full sized bed frame in black.", "attributes": ["button tufted", "queen size", "height adjustable", "white item", "faux leather", "box spring"], "options": ["color: black", "size: full"], "instruction_attributes": ["height adjustable"], "instruction_options": ["black", "full"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163XTPQU", "worker_id": "AR9AU5FY1S3RO"}], "B07CD5P419": [{"asin": "B07CD5P419", "instruction": "i would like a 4.9 ounce face cream for dry skin.", "attributes": ["easy use", "dry skin"], "options": ["style: 4.9 ounce (new packaging)"], "instruction_attributes": ["dry skin"], "instruction_options": ["4.9 ounce (new packaging)"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCZ046Y", "worker_id": "A1WS884SI0SLO4"}], "B00I3303L2": [{"asin": "B00I3303L2", "instruction": "i am in need of rich creamy peanut butter sauce", "attributes": ["rich creamy", "shelf stable"], "options": [""], "instruction_attributes": ["rich creamy"], "instruction_options": [], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMH3OB7Z", "worker_id": "A258PTOZ3D2TQR"}], "B06ZZHT2WK": [{"asin": "B06ZZHT2WK", "instruction": "i just want a power cord for my blu ray player, please and thank you", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBVSIGH", "worker_id": "A2TRV8SEM003GG"}], "B08YD7DNMK": [{"asin": "B08YD7DNMK", "instruction": "i need a easy to use hair clip with pink leopard pattern.", "attributes": ["non slip", "easy use", "high quality"], "options": ["pattern name: leopard print & pink"], "instruction_attributes": ["easy use"], "instruction_options": ["leopard print & pink"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLBPECS", "worker_id": "AVIEE6LDH0BT5"}], "B08ZYG6RKK": [{"asin": "B08ZYG6RKK", "instruction": "i need a white living room statue", "attributes": ["exquisite workmanship", "living room"], "options": ["color: white"], "instruction_attributes": ["living room"], "instruction_options": ["white"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EHSWSU", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QKH8MV3": [{"asin": "B09QKH8MV3", "instruction": "i'm looking for casual linen cotton loafers slip on ladies walking shoes.", "attributes": ["light weight", "fashion design"], "options": ["color: brown", "size: 9"], "instruction_attributes": ["fashion design"], "instruction_options": ["brown"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAYYXZT", "worker_id": "A21IUUHBSEVB56"}], "B07VV485TM": [{"asin": "B07VV485TM", "instruction": "i am looking for high power monoculars.", "attributes": ["non slip", "high power", "bird watching"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA548AJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B09CTM3SYZ": [{"asin": "B09CTM3SYZ", "instruction": "i am looking for baby shower themed cupcake toppers.", "attributes": ["easy use", "baby shower", "cupcake picks"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXI6UJF", "worker_id": "AK3JMCIGU8MLU"}], "B0924HBQBF": [{"asin": "B0924HBQBF", "instruction": "i need to find a 92mm dual quiet usb fan that has a usb port. must be a high performer.", "attributes": ["high performance", "usb port"], "options": ["size: cooling fan-92mm-dual", "style: 2 pack"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1LEU3X", "worker_id": "A3UJSDFJ9LBQ6Z"}], "B07L2M3LQX": [{"asin": "B07L2M3LQX", "instruction": "i am seraching for wireless charging apple iphone with gradient coral color.", "attributes": ["compatible apple", "wireless charging"], "options": ["color: gradient coral"], "instruction_attributes": ["compatible apple", "wireless charging"], "instruction_options": ["gradient coral"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69QPP8Z", "worker_id": "A3R8PQCD99H61E"}], "B09FHTHBXN": [{"asin": "B09FHTHBXN", "instruction": "i want to buy fully cooked, and ready to eat sausages which come in a pack of 9.", "attributes": ["fully cooked", "protein serving", "ready eat", "high fructose"], "options": ["size: 9 - pack"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3X0H8UUITCYRED22199FX2O3EIHSWH", "worker_id": "AJY5G987IRT25"}], "B08H56VYJC": [{"asin": "B08H56VYJC", "instruction": "i would like a dual band ac adapter.", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR9U0C5", "worker_id": "A1WS884SI0SLO4"}], "B09JZLZBY2": [{"asin": "B09JZLZBY2", "instruction": "i am looking for machine wash waistcoat jackets also choose size 5x-large", "attributes": ["loose fit", "hand wash", "fleece lined", "wash cold", "machine wash", "long sleeve", "drawstring waist"], "options": ["color: red", "size: 5x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["5x-large"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMT3EXK", "worker_id": "A10OGH5CQBXL5N"}], "B0957HZNK3": [{"asin": "B0957HZNK3", "instruction": "i want vanity lights that are easy to install", "attributes": ["easy install", "light fixture", "vanity light", "glass shade"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIGX2LC", "worker_id": "A2ECRNQ3X5LEXD"}], "B00OKXRX8U": [{"asin": "B00OKXRX8U", "instruction": "i'm looking for a highly pigmented hydrating lipstick with matte finish. also, i want the berry smoothie one.", "attributes": ["cruelty free", "highly pigmented", "long lasting", "high quality", "anti aging"], "options": ["color: berry smoothie"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["berry smoothie"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFXY3E3", "worker_id": "A1198W1SPF1R4"}], "B07FMVYFJP": [{"asin": "B07FMVYFJP", "instruction": "i am in need of 6 pairs of small-medium size navy color, knee high compression socks for women & men", "attributes": ["knee high", "hand wash", "dry clean"], "options": ["color: blue | black | navy | black | green | white", "size: small-medium"], "instruction_attributes": ["knee high"], "instruction_options": ["blue | black | navy | black | green | white", "small-medium"], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY737PG", "worker_id": "A258PTOZ3D2TQR"}], "B08NPP1QZ3": [{"asin": "B08NPP1QZ3", "instruction": "i am looking for pink, high quality massage sheets that are oil resistant.", "attributes": ["non toxic", "high quality", "beauty salon"], "options": ["color: pink - 50 sheets"], "instruction_attributes": ["high quality"], "instruction_options": ["pink - 50 sheets"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVEK8VX", "worker_id": "AK3JMCIGU8MLU"}], "B09RQVSMS8": [{"asin": "B09RQVSMS8", "instruction": "i am looking for mens pajamas of size 3xl code having elastic waistband.", "attributes": ["loose fit", "elastic waistband"], "options": ["size: 3xl code"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["3xl code"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602WT959", "worker_id": "A1Q8PPQQCWGY0D"}], "B07RFP29RW": [{"asin": "B07RFP29RW", "instruction": "i want black columbia women's tidal elastic waist pants.", "attributes": ["elastic waist", "button closure"], "options": ["color: black", "size: small"], "instruction_attributes": ["elastic waist"], "instruction_options": ["black"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT063TNUW", "worker_id": "A2RBF3IIJP15IH"}], "B082FJL2KB": [{"asin": "B082FJL2KB", "instruction": "i'm looking for a pair of women's loose fit, gray jeans.", "attributes": ["wide leg", "loose fit", "tummy control", "high waist", "elastic waist"], "options": ["color: gray", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["gray"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJSGO9D", "worker_id": "A2JP9IKRHNLRPI"}], "B09G2X3K15": [{"asin": "B09G2X3K15", "instruction": "i'm looking for storage drawers for cloths, toys, etc.,", "attributes": ["assembly required", "easy clean", "easy assemble", "storage space"], "options": ["color: macaron-1"], "instruction_attributes": ["storage space"], "instruction_options": ["macaron-1"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YRG69Y", "worker_id": "A21IUUHBSEVB56"}], "B09PGDQXVL": [{"asin": "B09PGDQXVL", "instruction": "i am looking for wireless bluetooth headphones that are easy to use.", "attributes": ["fast charging", "hands free", "easy use", "wireless bluetooth"], "options": [""], "instruction_attributes": ["easy use", "wireless bluetooth"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4GBL8K", "worker_id": "A1Q8PPQQCWGY0D"}], "B07QY3BQCG": [{"asin": "B07QY3BQCG", "instruction": "i want a 12 pack of oatmeal cranberry and almond bars that are non gmo and gluten free.", "attributes": ["soy free", "certified organic", "non gmo", "gluten free", "natural flavors", "natural ingredients"], "options": ["flavor name: oatmeal cranberry & almond", "size: 12 count (pack of 1)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["oatmeal cranberry & almond", "12 count (pack of 1)"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3IPQNW", "worker_id": "A1WS884SI0SLO4"}], "B09SZGV366": [{"asin": "B09SZGV366", "instruction": "i would like a black brown to tan hairpiece made from synthetic hair.", "attributes": ["easy use", "synthetic hair"], "options": ["color: black brown to tan"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["black brown to tan"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR718Y6O", "worker_id": "A1WS884SI0SLO4"}], "B09R82SVCG": [{"asin": "B09R82SVCG", "instruction": "i am looking for a masks for damaged hair", "attributes": ["natural ingredients", "argan oil", "damaged hair", "hair treatment", "dry hair"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ35NR6", "worker_id": "A9QRQL9CFJBI7"}], "B09332GKRT": [{"asin": "B09332GKRT", "instruction": "i am looking for small size casual elastic waist sleeveless one pieice burgundy jumpsuit", "attributes": ["wide leg", "loose fit", "elastic waist", "elastic closure"], "options": ["color: y1 one piece burgundy jumpsuit", "size: small"], "instruction_attributes": ["elastic waist"], "instruction_options": ["y1 one piece burgundy jumpsuit", "small"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPC7OCG", "worker_id": "A258PTOZ3D2TQR"}], "B08P3WBXLP": [{"asin": "B08P3WBXLP", "instruction": "i would like a 6 piece organizer that has aaa batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": ["size: 6 pcs organizers"], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": ["6 pcs organizers"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LFNO1X", "worker_id": "A1WS884SI0SLO4"}], "B09R1FFQF8": [{"asin": "B09R1FFQF8", "instruction": "i am looking for a red color fast charging portable charger..", "attributes": ["fast charging", "plug play", "easy use", "carrying case"], "options": ["color: red", "size: 3300 mah"], "instruction_attributes": ["fast charging"], "instruction_options": ["red"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOTWVY7", "worker_id": "A1Q8PPQQCWGY0D"}], "B07MLH8SHQ": [{"asin": "B07MLH8SHQ", "instruction": "find a high protein puffed snack to be made on a brick oven.", "attributes": ["high protein", "low carb", "gluten free", "artificial ingredients", "low sugar", "nut free", "soy free", "non gmo"], "options": ["flavor: brick oven pizza"], "instruction_attributes": ["high protein"], "instruction_options": ["brick oven pizza"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDRHHCB", "worker_id": "AVIEE6LDH0BT5"}], "B092YZ1114": [{"asin": "B092YZ1114", "instruction": "looking for plug and play n64 wired usb pc game pad joystick also choose colour clear red", "attributes": ["plug play", "usb port"], "options": ["color: clear red"], "instruction_attributes": ["plug play"], "instruction_options": ["clear red"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZHNLKN", "worker_id": "A10OGH5CQBXL5N"}], "B07D7GG9DZ": [{"asin": "B07D7GG9DZ", "instruction": "looking for gluten free dairy free protein powder", "attributes": ["dairy free", "gluten free", "baby shower"], "options": [""], "instruction_attributes": ["dairy free", "gluten free"], "instruction_options": [], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JE1SFR", "worker_id": "A10OGH5CQBXL5N"}], "B09L7PVRW8": [{"asin": "B09L7PVRW8", "instruction": "looking for cupcake toppers for baby shower birthday party supplies", "attributes": ["baby shower", "birthday party", "party supplies"], "options": [""], "instruction_attributes": ["baby shower", "birthday party", "party supplies"], "instruction_options": [], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733P4BEV", "worker_id": "A10OGH5CQBXL5N"}], "B09RV3SFJM": [{"asin": "B09RV3SFJM", "instruction": "i am looking for a mini mak spotting scope smart phone adapter that is easy to use and comes with a carrying case.", "attributes": ["easy use", "carrying case"], "options": ["configuration: w | adapter"], "instruction_attributes": ["easy use", "carrying case"], "instruction_options": ["w | adapter"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4L5M8R", "worker_id": "AK3JMCIGU8MLU"}], "B07PGR1T3K": [{"asin": "B07PGR1T3K", "instruction": "i am looking for 4ft black color triple h mist spray needle sleeve t-shirt for youth", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: youth", "size: 4t"], "instruction_attributes": ["needle sleeve"], "instruction_options": ["black", "4t"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCWC56N", "worker_id": "A258PTOZ3D2TQR"}], "B09RHQFJNJ": [{"asin": "B09RHQFJNJ", "instruction": "entatial aluminum alloy ball head, camera tripod ball head. find and let me know", "attributes": ["quick release", "aluminum alloy"], "options": [""], "instruction_attributes": ["aluminum alloy"], "instruction_options": [], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BEIQUO", "worker_id": "A15IJ20C3R4HUO"}], "B07L7H34D8": [{"asin": "B07L7H34D8", "instruction": "i am looking for adidas men's synthetic sole running shoe, also blue one and 5.5 sized", "attributes": ["comfortable fit", "synthetic sole"], "options": ["color: blue | mystery blue", "size: 5.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["blue | mystery blue", "5.5"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UIQ3AY", "worker_id": "A258PTOZ3D2TQR"}], "B09PG9Z97L": [{"asin": "B09PG9Z97L", "instruction": "i am looking for a black women\u2019s loose fit tank top.", "attributes": ["loose fit", "long sleeve"], "options": ["color: b18 - black", "size: 120"], "instruction_attributes": ["loose fit"], "instruction_options": ["b18 - black"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4DN6RM", "worker_id": "AHU9OLV0YKIIW"}], "B09RQT6GC1": [{"asin": "B09RQT6GC1", "instruction": "i would like to buy xx-large men's shorts with an elastic waist and want them to be dark blue.", "attributes": ["machine wash", "drawstring closure", "elastic waist", "daily wear"], "options": ["color: dark blue", "size: xx-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["dark blue", "xx-large"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KZ0E7Z", "worker_id": "A114NK7T5673GK"}], "B079C5SZ5X": [{"asin": "B079C5SZ5X", "instruction": "i would like a four ounce tube of fluoride free toothpaste.", "attributes": ["fluoride free", "long lasting", "bad breath"], "options": ["size: 4 ounce (pack of 1)"], "instruction_attributes": ["fluoride free"], "instruction_options": ["4 ounce (pack of 1)"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZM49KA", "worker_id": "A1WS884SI0SLO4"}], "B01CIVNU3M": [{"asin": "B01CIVNU3M", "instruction": "i need a deodorant anti perspirant in travel size for women", "attributes": ["anti perspirant", "travel size"], "options": [""], "instruction_attributes": ["anti perspirant", "travel size"], "instruction_options": [], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LPDCROR", "worker_id": "A2Y2TURT2VEYZN"}], "B09T38WPBV": [{"asin": "B09T38WPBV", "instruction": "i'm looking for a monopod with carbon fiber", "attributes": ["quick release", "carbon fiber"], "options": [""], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THZS5ZV", "worker_id": "A2Y2TURT2VEYZN"}], "B08WHCWVJW": [{"asin": "B08WHCWVJW", "instruction": "i would like a low carb bagel.", "attributes": ["low carb", "hand crafted", "protein serving", "ready eat", "high protein", "dietary fiber", "quality ingredients", "artificial flavors"], "options": [""], "instruction_attributes": ["low carb"], "instruction_options": [], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OZ2YEF", "worker_id": "A1WS884SI0SLO4"}], "B09MJ6F65M": [{"asin": "B09MJ6F65M", "instruction": "i would like a 5\" navy futon mattress for my living room.", "attributes": ["twin size", "high density", "living room"], "options": ["color: navy", "size: 5\" depth"], "instruction_attributes": ["living room"], "instruction_options": ["navy", "5\" depth"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE260GQB", "worker_id": "A1WS884SI0SLO4"}], "B010JEDXAU": [{"asin": "B010JEDXAU", "instruction": "i would like a single beige spade bed that is water resistant.", "attributes": ["heavy duty", "water resistant"], "options": ["color: beige", "size: 1 count (pack of 1)"], "instruction_attributes": ["water resistant"], "instruction_options": ["beige", "1 count (pack of 1)"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKTIPET", "worker_id": "A1WS884SI0SLO4"}], "B091TYFSPX": [{"asin": "B091TYFSPX", "instruction": "i am looking for shampoo for damaged hair for men and women with argan oil, which is easy to use, with scented cleansing soap.", "attributes": ["easy use", "argan oil", "damaged hair"], "options": ["scent: cleansing soap"], "instruction_attributes": ["easy use", "argan oil", "damaged hair"], "instruction_options": ["cleansing soap"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZXN408", "worker_id": "ARJDD0Z3R65BD"}], "B00E5MDWQS": [{"asin": "B00E5MDWQS", "instruction": "i would like a 14 ounce caramel lovers taffy that is gluten free.", "attributes": ["gluten free", "soy free"], "options": ["flavor name: caramel lovers", "size: 14 oz"], "instruction_attributes": ["gluten free"], "instruction_options": ["caramel lovers", "14 oz"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDM72O0", "worker_id": "A1WS884SI0SLO4"}], "B09FPZWFYY": [{"asin": "B09FPZWFYY", "instruction": "multifunction charger fast charging usb port", "attributes": ["heavy duty", "fast charging", "aluminum alloy", "usb port"], "options": ["color: black"], "instruction_attributes": ["fast charging", "usb port"], "instruction_options": [], "assignment_id": "33TIN5LC0FKDY31374RC144TX10Y9H", "worker_id": "A3TTGSUBIK1YCL"}], "B081B2G43Z": [{"asin": "B081B2G43Z", "instruction": "i am interested in buying body scrubs for dead skin which have bamboo & charcoal acne face wash scent and come at size of 10.14 fl oz.", "attributes": ["tea tree", "dead skin"], "options": ["scent: bamboo & charcoal acne face wash", "size: 10.14 fl oz"], "instruction_attributes": ["dead skin"], "instruction_options": ["bamboo & charcoal acne face wash", "10.14 fl oz"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE261GQC", "worker_id": "AJY5G987IRT25"}], "B09BVM5TJZ": [{"asin": "B09BVM5TJZ", "instruction": "i'm looking for an ottoman for my living room with metal legs and beige upholstery.", "attributes": ["non slip", "metal legs", "living room"], "options": ["color: beige"], "instruction_attributes": ["metal legs", "living room"], "instruction_options": ["beige"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M21V49Y", "worker_id": "AR9AU5FY1S3RO"}], "B09JLGKMLQ": [{"asin": "B09JLGKMLQ", "instruction": "i would like a round vanity light for the living room.", "attributes": ["vanity light", "clear glass", "light fixture", "dining room", "living room"], "options": ["size: round"], "instruction_attributes": ["vanity light", "living room"], "instruction_options": ["round"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCZ0640", "worker_id": "A1WS884SI0SLO4"}], "B07D5K3Y4F": [{"asin": "B07D5K3Y4F", "instruction": "i'm looking for women's over the knee boot.", "attributes": ["knee high", "regular fit"], "options": ["color: olive v. suede", "size: 10"], "instruction_attributes": ["knee high"], "instruction_options": ["olive v. suede"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNOVNTC", "worker_id": "A21IUUHBSEVB56"}], "B092372XPC": [{"asin": "B092372XPC", "instruction": "i would like a five pound bag of non gmo seeds", "attributes": ["non gmo", "source vitamin"], "options": ["size: 5 pound"], "instruction_attributes": ["non gmo"], "instruction_options": ["5 pound"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23S09QTV", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GF5P4LW": [{"asin": "B09GF5P4LW", "instruction": "i am looking for black color heavy duty protective cover for phone 13 pro", "attributes": ["heavy duty", "wireless charging"], "options": ["color: black", "size: iphone 13 pro"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black", "iphone 13 pro"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHRERSJ2R", "worker_id": "A258PTOZ3D2TQR"}], "B00FLZ5MG6": [{"asin": "B00FLZ5MG6", "instruction": "i would like a bookcase that is made of engineered wood", "attributes": ["white finish", "engineered wood"], "options": [""], "instruction_attributes": ["engineered wood"], "instruction_options": [], "assignment_id": "3X0H8UUITCYRED22199FX2O3EHSSWQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B089NVK9GL": [{"asin": "B089NVK9GL", "instruction": "i am looking for hand crafted gourmet frozen appetizer.", "attributes": ["ready use", "hand crafted"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGSBYIQ", "worker_id": "A1Q8PPQQCWGY0D"}], "B09M7KQX11": [{"asin": "B09M7KQX11", "instruction": "i want a new formuler z10 pro max android 10 dual band ring.", "attributes": ["dual band", "high speed"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3B3WTRP3DMCNXI8WEJKHS03OIM892E", "worker_id": "A2RBF3IIJP15IH"}], "B088CY6GZK": [{"asin": "B088CY6GZK", "instruction": "i would like a high definition surveillance dvr kit.", "attributes": ["high definition", "motion detection"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJRBGD6", "worker_id": "A1WS884SI0SLO4"}], "B09JSDBDCC": [{"asin": "B09JSDBDCC", "instruction": "i would like a 29 wide by 63 tall brown roller shade that is easy to install.", "attributes": ["white item", "easy install", "easy clean"], "options": ["color: bottom up-light filtering-brown", "size: 29\"w x 64\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["bottom up-light filtering-brown", "29\"w x 64\"h"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7ZDHL7", "worker_id": "A1WS884SI0SLO4"}], "B084JH55W8": [{"asin": "B084JH55W8", "instruction": "i would like a makeup palette that is easy to clean and is red", "attributes": ["easy clean", "nail art"], "options": ["color: red"], "instruction_attributes": ["easy clean"], "instruction_options": ["red"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LY4CDB", "worker_id": "A2ECRNQ3X5LEXD"}], "B00G4ITP30": [{"asin": "B00G4ITP30", "instruction": "i would like a 8 ft 6 in x 12 ft rectangular navy rug for my living room.", "attributes": ["dining room", "home furnishings", "living room"], "options": ["color: navy", "item shape: rectangular", "size: 8 ft 6 in x 12 ft"], "instruction_attributes": ["living room"], "instruction_options": ["navy", "rectangular", "8 ft 6 in x 12 ft"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1CVI26", "worker_id": "A1WS884SI0SLO4"}], "B0030EYI4C": [{"asin": "B0030EYI4C", "instruction": "i would like a 6 foot long snake cable for blu ray.", "attributes": ["blu ray", "high performance"], "options": ["color: snake", "size: 6 feet"], "instruction_attributes": ["blu ray"], "instruction_options": ["snake", "6 feet"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJQLMO6", "worker_id": "A1WS884SI0SLO4"}], "B08149WQV1": [{"asin": "B08149WQV1", "instruction": "my sister needs a long-sleeve hoodie dress for casual daily wear; she is an extra large size.", "attributes": ["daily casual", "long sleeve"], "options": ["color: multi 10", "size: x-large"], "instruction_attributes": ["daily casual", "long sleeve"], "instruction_options": ["x-large"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0ZFCC0", "worker_id": "A3LIIE572Z4OG7"}], "B0170BHYGE": [{"asin": "B0170BHYGE", "instruction": "i am interested in buying a pack of 1, bpa free dental guard with a storage case.", "attributes": ["bpa free", "storage case"], "options": ["size: 1 count (pack of 1)"], "instruction_attributes": ["bpa free", "storage case"], "instruction_options": ["1 count (pack of 1)"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH53HQZ", "worker_id": "AHXHM1PQTRWIQ"}], "B07CZL3WV5": [{"asin": "B07CZL3WV5", "instruction": "i want a 5 ounce hotter n hot jalapeno kosher certified chips.", "attributes": ["kosher certified", "artificial flavors"], "options": ["flavor name: hotter 'n hot jalapeno", "size: 5 ounce (pack of 8)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["hotter 'n hot jalapeno", "5 ounce (pack of 8)"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR71LY61", "worker_id": "A1WS884SI0SLO4"}], "B09PL3X4PF": [{"asin": "B09PL3X4PF", "instruction": "i need a dresser that is easy to assemble and is the color b", "attributes": ["easy assemble", "storage unit"], "options": ["color: b"], "instruction_attributes": ["easy assemble"], "instruction_options": ["b"], "assignment_id": "3MRNMEIQWGG51U7L057OTSLNF7MLD4", "worker_id": "A2ECRNQ3X5LEXD"}], "B07DMBCVLY": [{"asin": "B07DMBCVLY", "instruction": "i am looking for a 2.1 ounce (pack of 4) of gluten free and non gmo candy & chocolate bars", "attributes": ["artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: gingerbread", "size: 2.1 ounce (pack of 4)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["2.1 ounce (pack of 4)"], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9K3E2A", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B07DMBCVLY", "instruction": "i am looking for a four count variety pack of chocolate bars that are non gmo.", "attributes": ["artificial ingredients", "non gmo", "gluten free", "natural ingredients"], "options": ["flavor name: variety", "size: 4 count (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["variety", "4 count (pack of 1)"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPXDPJ5", "worker_id": "A2ECRNQ3X5LEXD"}], "B073SWCZ62": [{"asin": "B073SWCZ62", "instruction": "i am looking for some nut free raspberry snack bars.", "attributes": ["low sodium", "nut free", "plant based", "dairy free", "non gmo", "0g trans", "real fruit", "high fructose", "artificial flavors"], "options": ["flavor name: raspberry", "size: 6 count (pack of 6)"], "instruction_attributes": ["nut free"], "instruction_options": ["raspberry"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XUYGN7", "worker_id": "A1EREKSZAA9V7B"}], "B0842NXL2W": [{"asin": "B0842NXL2W", "instruction": "i'm looking for a pair of men's golf shoes in a seven and a half size that are easy to care for.", "attributes": ["easy care", "vinyl acetate", "rubber outsole", "rubber sole"], "options": ["size: 7.5"], "instruction_attributes": ["easy care"], "instruction_options": ["7.5"], "assignment_id": "37C0GNLMHQDNI94ED11M493QPD2D6V", "worker_id": "A2JP9IKRHNLRPI"}], "B09NDWF94G": [{"asin": "B09NDWF94G", "instruction": "i want to buy cupcake toppers which are suitable for valentine day and have a red color.", "attributes": ["valentine day", "birthday party", "cupcake picks"], "options": ["color: a red"], "instruction_attributes": ["valentine day"], "instruction_options": ["a red"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH4DZ42", "worker_id": "AJY5G987IRT25"}], "B09K7Q9V57": [{"asin": "B09K7Q9V57", "instruction": "i am looking for a 2-4y size of manual toothbrushes for sensitive teeth", "attributes": ["teeth whitening", "easy clean", "sensitive teeth"], "options": ["color: 2 packs blue toothbrush", "size: 2-4y"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["2-4y"], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61WPWZW", "worker_id": "A9QRQL9CFJBI7"}], "B09LQNSL48": [{"asin": "B09LQNSL48", "instruction": "i would like a pair of size 8.5 red slippers with a rubber sole.", "attributes": ["open toe", "anti slip", "non slip", "memory foam", "faux fur", "rubber sole", "high heel"], "options": ["color: red", "size: 8.5-9"], "instruction_attributes": ["rubber sole"], "instruction_options": ["red", "8.5-9"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V3DGF1", "worker_id": "A1WS884SI0SLO4"}], "B09P3CKRSW": [{"asin": "B09P3CKRSW", "instruction": "i need you to find this women's long-sleeved tie-dye printed pajamas, color: b2-orange, size medium. i want to give it as a gift to a friend.", "attributes": ["loose fit", "long sleeve", "short sleeve"], "options": ["color: b2-orange", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["b2-orange", "medium"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4DHR61", "worker_id": "A15IJ20C3R4HUO"}], "B08XN1T626": [{"asin": "B08XN1T626", "instruction": "i would like a 18 fluid ounce bottle of natural hair gel.", "attributes": ["alcohol free", "high quality", "natural ingredients", "dry hair"], "options": ["size: 18 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["18 fl oz (pack of 1)"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIUT48N", "worker_id": "A1WS884SI0SLO4"}], "B09QCB88QT": [{"asin": "B09QCB88QT", "instruction": "i need a gm workout tee that is pink", "attributes": ["fleece lined", "long sleeve", "short sleeve", "gym workout"], "options": ["color: pink", "size: x-large"], "instruction_attributes": ["gym workout"], "instruction_options": ["pink"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQYCE77O", "worker_id": "A2ECRNQ3X5LEXD"}], "B06VW5J11K": [{"asin": "B06VW5J11K", "instruction": "i need a 2 fl oz alcohol free wash", "attributes": ["alcohol free", "fragrance free", "dry skin"], "options": ["size: 2 fl oz (pack of 1)"], "instruction_attributes": ["alcohol free"], "instruction_options": ["2 fl oz (pack of 1)"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPJ06VF", "worker_id": "A2ECRNQ3X5LEXD"}], "B08ZH7NTGH": [{"asin": "B08ZH7NTGH", "instruction": "am looking for the gluten free louisiana pepper exchange with cayenne pepper puree flavor", "attributes": ["gluten free", "natural ingredients"], "options": ["flavor name: cayenne pepper puree", "size: 4 ounce (pack of 2)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM8NHZS", "worker_id": "A1IL2K0ELYI090"}], "B003U5DDTM": [{"asin": "B003U5DDTM", "instruction": "i would like a 34 wide by 32 long pair of stone straight leg pants.", "attributes": ["straight leg", "comfortable fit", "polyester cotton"], "options": ["color: stone", "size: 34w x 32l"], "instruction_attributes": ["straight leg"], "instruction_options": ["stone", "34w x 32l"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOKQCTS", "worker_id": "A1WS884SI0SLO4"}], "B09FQ9Q2PH": [{"asin": "B09FQ9Q2PH", "instruction": "i want to buy cupcake toppers which are suitable for birthday party cupcakes and with a pattern of rg 80.", "attributes": ["cupcake picks", "birthday party"], "options": ["pattern name: rg 80"], "instruction_attributes": ["birthday party"], "instruction_options": ["rg 80"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXSCCAW5", "worker_id": "AJY5G987IRT25"}], "B07YFX7DKZ": [{"asin": "B07YFX7DKZ", "instruction": "i would like a 42 wide by 63 long blush window panel that is machine washable.", "attributes": ["machine washable", "easy install", "living room"], "options": ["color: blush", "size: 42w x 63l"], "instruction_attributes": ["machine washable"], "instruction_options": ["blush", "42w x 63l"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK49VA6E", "worker_id": "A1WS884SI0SLO4"}], "B09NSCFQCZ": [{"asin": "B09NSCFQCZ", "instruction": "i am looking for an easy to install wall mounted cd player.", "attributes": ["wall mounted", "easy install", "usb port"], "options": [""], "instruction_attributes": ["wall mounted", "easy install"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZQ0Y1Y", "worker_id": "A1EREKSZAA9V7B"}], "B095BWL2GD": [{"asin": "B095BWL2GD", "instruction": "i am looking for medium size men's hiking shorts having elastic waistband.", "attributes": ["elastic waistband", "relaxed fit"], "options": ["color: multi7", "size: medium"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["medium"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI7LT3J", "worker_id": "A1Q8PPQQCWGY0D"}], "B00FREG0PI": [{"asin": "B00FREG0PI", "instruction": "i want to buy a shirt for men which is easy care and has long sleeves, also it should be black color and have a size of x-large big tall.", "attributes": ["easy care", "machine wash", "button closure", "long sleeve"], "options": ["color: black", "size: x-large big tall"], "instruction_attributes": ["easy care", "long sleeve"], "instruction_options": ["black", "x-large big tall"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0M2YCSR", "worker_id": "AJY5G987IRT25"}], "B0727LGC9S": [{"asin": "B0727LGC9S", "instruction": "i want icelandic provisions yogurt with real fruit.", "attributes": ["protein serving", "real fruit", "artificial flavors"], "options": [""], "instruction_attributes": ["real fruit"], "instruction_options": [], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLBOECR", "worker_id": "A2RBF3IIJP15IH"}], "B097RHDQS9": [{"asin": "B097RHDQS9", "instruction": "i want a monocular telescope for bird watching", "attributes": ["non slip", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ6XISC", "worker_id": "A2Y2TURT2VEYZN"}], "B076HGVPN2": [{"asin": "B076HGVPN2", "instruction": "i would like a adult sized 4 pack of hermosa pink chairs for the living room.", "attributes": ["contemporary style", "living room"], "options": ["color: hermosa pink", "size: 4 pack", "style: adult"], "instruction_attributes": ["living room"], "instruction_options": ["hermosa pink", "4 pack", "adult"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZHOLKO", "worker_id": "A1WS884SI0SLO4"}], "B09M2YC61W": [{"asin": "B09M2YC61W", "instruction": "|i am looking for 4x-large men's fashion black color regulat fit suit jackets", "attributes": ["slim fit", "regular fit", "dry clean"], "options": ["color: black-5", "size: 4x-large"], "instruction_attributes": ["regular fit"], "instruction_options": ["black-5", "4x-large"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPPH6EV", "worker_id": "A258PTOZ3D2TQR"}], "B081SLWHXH": [{"asin": "B081SLWHXH", "instruction": "i want a wall mounted europe style round decorative mirror.", "attributes": ["wall mounted", "easy install"], "options": [""], "instruction_attributes": ["wall mounted"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC9ED0Q", "worker_id": "A2RBF3IIJP15IH"}], "B08FHGHRVW": [{"asin": "B08FHGHRVW", "instruction": "i am looking for a large european made lead free candle for my living room.", "attributes": ["lead free", "dining room", "living room"], "options": [""], "instruction_attributes": ["lead free", "living room"], "instruction_options": [], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ6QIS5", "worker_id": "A1EREKSZAA9V7B"}], "B09PQF3XMN": [{"asin": "B09PQF3XMN", "instruction": "i am looking for cruelty free wet n wild lip balm in the color 'no more drama'.", "attributes": ["fragrance free", "paraben free", "cruelty free", "seed oil"], "options": ["color: no more drama"], "instruction_attributes": ["cruelty free"], "instruction_options": ["no more drama"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCM4LBR", "worker_id": "AK3JMCIGU8MLU"}], "B095LC8JT2": [{"asin": "B095LC8JT2", "instruction": "i am looking for wall mounted black metal coat hanger and hat tree rack.", "attributes": ["wall mounted", "space saving", "contemporary style"], "options": [""], "instruction_attributes": ["wall mounted"], "instruction_options": [], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNC101D", "worker_id": "AK3JMCIGU8MLU"}], "B0818ZP6YY": [{"asin": "B0818ZP6YY", "instruction": "i am looking for a pair of women's purple house slippers with memory foam and faux fur.", "attributes": ["fleece lined", "anti slip", "non slip", "memory foam", "faux fur", "rubber sole", "closed toe"], "options": ["color: z5-purple", "size: 8-8.5"], "instruction_attributes": ["memory foam", "faux fur"], "instruction_options": ["z5-purple"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOGBLL7", "worker_id": "A1EREKSZAA9V7B"}], "B01MZAR82R": [{"asin": "B01MZAR82R", "instruction": "i want a living room traditional vintage shabby chic standing floor lamp with a linen shade.", "attributes": ["white finish", "living room"], "options": ["color: linen shade"], "instruction_attributes": ["living room"], "instruction_options": ["linen shade"], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQXHB58", "worker_id": "A2RBF3IIJP15IH"}], "B091QC3SF7": [{"asin": "B091QC3SF7", "instruction": "i am looking for a low carb, high protein meal replacement bar in the flavor of dark chocolate s'mores.", "attributes": ["high protein", "low sugar", "low calorie", "low carb", "individually wrapped"], "options": ["flavor name: dark chocolate s'mores", "size: 1 box - 7 count"], "instruction_attributes": ["high protein", "low carb"], "instruction_options": ["dark chocolate s'mores"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB17ELUB", "worker_id": "AK3JMCIGU8MLU"}, {"asin": "B091QC3SF7", "instruction": "the success of my diet depends on this product!!! bestmed - high protein peaunt nutritional bar - low-carb, 15g protein, low sugar, i need to find help.", "attributes": ["high protein", "low sugar", "low calorie", "low carb", "individually wrapped"], "options": ["flavor name: peanut", "size: 2 box - 14 count"], "instruction_attributes": ["high protein", "low sugar", "low carb"], "instruction_options": ["peanut"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIOGEF2", "worker_id": "A15IJ20C3R4HUO"}], "B09MYNDXXY": [{"asin": "B09MYNDXXY", "instruction": "i would like to buy winter boots for women which are made of quality materials and are in khaki color, as for the size they should be 9.", "attributes": ["day comfort", "quality materials"], "options": ["color: khaki", "size: 9"], "instruction_attributes": ["quality materials"], "instruction_options": ["khaki", "9"], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1BW1KB", "worker_id": "AJY5G987IRT25"}], "B07HF7G5FB": [{"asin": "B07HF7G5FB", "instruction": "i'm looking for organic shampoo for thinning hair and hair loss.", "attributes": ["hair loss", "hair growth"], "options": [""], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQJ7RJD", "worker_id": "A21IUUHBSEVB56"}], "B0046EJQ1K": [{"asin": "B0046EJQ1K", "instruction": "i'm looking for a candy heart shaped covered by chocolate for valentine day", "attributes": ["chocolate covered", "individually wrapped", "gluten free", "valentine day"], "options": [""], "instruction_attributes": ["chocolate covered", "valentine day"], "instruction_options": [], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P78MSVC", "worker_id": "A2Y2TURT2VEYZN"}], "B08RYCHDBV": [{"asin": "B08RYCHDBV", "instruction": "i need a-5 pairs of false eyelashes. it should be easy to apply.", "attributes": ["easy apply", "easy carry", "cruelty free"], "options": ["pattern name: style a-5 pairs"], "instruction_attributes": ["easy apply"], "instruction_options": ["style a-5 pairs"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXCGFCN", "worker_id": "A1NF6PELRKACS9"}], "B088T66N5S": [{"asin": "B088T66N5S", "instruction": "i would like a goddess treasure eyeshadow that is cruelty free.", "attributes": ["highly pigmented", "cruelty free", "long lasting"], "options": ["pattern name: goddess treasure"], "instruction_attributes": ["cruelty free"], "instruction_options": ["goddess treasure"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OVVPO4", "worker_id": "A1WS884SI0SLO4"}], "B08WX4QH5X": [{"asin": "B08WX4QH5X", "instruction": "i'm looking for a scented facial moisturizer anti aging", "attributes": ["anti aging", "natural ingredients", "fine lines", "dry skin"], "options": ["scent: scented"], "instruction_attributes": ["anti aging"], "instruction_options": ["scented"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YST69D", "worker_id": "A2Y2TURT2VEYZN"}], "B08MT567ZS": [{"asin": "B08MT567ZS", "instruction": "i am interested in buying wall mounted lights which have nickel finish and satin nickel color, and i want 5 of them.", "attributes": ["nickel finish", "vanity light"], "options": ["color: satin nickel", "size: 5-light"], "instruction_attributes": ["nickel finish"], "instruction_options": ["satin nickel", "5-light"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHE01ER", "worker_id": "AJY5G987IRT25"}], "B07RGP2LS1": [{"asin": "B07RGP2LS1", "instruction": "i am looking for a pair of women's size 5.5 flat shoes with a synthetic sole.", "attributes": ["anti slip", "synthetic sole", "rubber sole"], "options": ["color: n pink", "size: 5.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["5.5"], "assignment_id": "31Q0U3WYD0PCUE27GIMJ9L2DVQY175", "worker_id": "A1EREKSZAA9V7B"}], "B08L71QGTD": [{"asin": "B08L71QGTD", "instruction": "i am interested in buying a deodorant for body which is paraben free and is suitable for sensitive skin, and has a scent of bay rum.", "attributes": ["clinically proven", "paraben free", "sensitive skin"], "options": ["scent: bay rum"], "instruction_attributes": ["paraben free", "sensitive skin"], "instruction_options": ["bay rum"], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEQ8KZI", "worker_id": "AJY5G987IRT25"}], "B085F3JWD5": [{"asin": "B085F3JWD5", "instruction": "i am looking for low calorie popcorn that is unpopped", "attributes": ["low calorie", "non gmo", "old fashioned", "gluten free"], "options": [""], "instruction_attributes": ["low calorie"], "instruction_options": [], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMMOJ1M", "worker_id": "A2ECRNQ3X5LEXD"}], "B093YTGB24": [{"asin": "B093YTGB24", "instruction": "i want to find a set of two mesh laundry bags that i can wash my delicate items in, such as blouses and hosiery.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODQTWE3", "worker_id": "A3LIIE572Z4OG7"}], "B09P7WWP61": [{"asin": "B09P7WWP61", "instruction": "i am looking for a long handled body brush.", "attributes": ["non slip", "long handle", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0FN16F", "worker_id": "A1EREKSZAA9V7B"}], "B09S6NTYQY": [{"asin": "B09S6NTYQY", "instruction": "i am looking for a pair of women's size 8.5 open toe sandals.", "attributes": ["open toe", "non slip"], "options": ["color: g-1 pink", "size: 8.5"], "instruction_attributes": ["open toe"], "instruction_options": ["8.5"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCFYH7O", "worker_id": "A1EREKSZAA9V7B"}], "B08V4ZPBZH": [{"asin": "B08V4ZPBZH", "instruction": "i need anti slip grey running shoes", "attributes": ["anti slip", "quick drying"], "options": ["color: 133-grey", "size: 12"], "instruction_attributes": ["anti slip"], "instruction_options": ["133-grey"], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8Z0G8K", "worker_id": "A2ECRNQ3X5LEXD"}], "B0764ZSHVC": [{"asin": "B0764ZSHVC", "instruction": "i would like to buy non gmo popcorns which can also be a perfect gift.", "attributes": ["hand crafted", "non gmo", "perfect gift"], "options": [""], "instruction_attributes": ["non gmo", "perfect gift"], "instruction_options": [], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O5G2AE", "worker_id": "AJY5G987IRT25"}], "B07G6124N1": [{"asin": "B07G6124N1", "instruction": "i need some cute heart-shaped glittery cupcake picks as a gift to bring to a baby shower.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["cupcake picks", "baby shower"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFERVLE", "worker_id": "A3LIIE572Z4OG7"}], "B078XPX5Y9": [{"asin": "B078XPX5Y9", "instruction": "i am looking for gluten free pride of india brand lentil crackers in the plain mung bean flavor.", "attributes": ["gmo free", "gluten free", "ready eat"], "options": ["flavor name: plain mung bean (moong dal) sada papadum", "size: 6-boxes"], "instruction_attributes": ["gluten free"], "instruction_options": ["plain mung bean (moong dal) sada papadum"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP8L7J4", "worker_id": "AK3JMCIGU8MLU"}], "B09FPTTJ3X": [{"asin": "B09FPTTJ3X", "instruction": "i'm looking for wireless bluetooth car stereo audio receiver.", "attributes": ["hands free", "usb port", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYQCCGD", "worker_id": "A21IUUHBSEVB56"}], "B09RMM8KX7": [{"asin": "B09RMM8KX7", "instruction": "i'm looking for a short sleeve maxi dress with high waist tummy control band. also choose medium size 11-zc4 light blue one", "attributes": ["short sleeve", "tummy control", "long sleeve", "high waist"], "options": ["color: 11 - zc4 light blue", "size: medium"], "instruction_attributes": ["short sleeve", "tummy control", "high waist"], "instruction_options": ["11 - zc4 light blue", "medium"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL9FH5L", "worker_id": "AR0VJ5XRG16UJ"}], "B09KT21VHL": [{"asin": "B09KT21VHL", "instruction": "i want to find a white pair of one-size-fits-all men's underwear that is loose-fitting.", "attributes": ["low rise", "loose fit", "slim fit", "classic fit", "elastic waist"], "options": ["color: u-ae-white", "size: one size"], "instruction_attributes": ["loose fit"], "instruction_options": ["u-ae-white", "one size"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI90H5XN", "worker_id": "A345TDMHP3DQ3G"}], "B09NP3XKKG": [{"asin": "B09NP3XKKG", "instruction": "i am looking for a 5 pound assorted chocolate candy mix gift basket for a birthday party.", "attributes": ["birthday party", "gift basket"], "options": ["size: 5 lbs"], "instruction_attributes": ["birthday party", "gift basket"], "instruction_options": ["5 lbs"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGIYIJW4", "worker_id": "A1EREKSZAA9V7B"}], "B091MCX28W": [{"asin": "B091MCX28W", "instruction": "i am looking for rockandy peppered beef jerky ready to eat snacks in a 5 pack.", "attributes": ["ready eat", "great gift"], "options": ["flavor name: new thick & juicy extremely hot beef jerky", "size: 5 pack"], "instruction_attributes": ["ready eat"], "instruction_options": ["5 pack"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFIRU5B", "worker_id": "AK3JMCIGU8MLU"}], "B07THG63LT": [{"asin": "B07THG63LT", "instruction": "i need a futon set that is blue velvet", "attributes": ["button tufted", "high density", "easy assemble", "memory foam", "wood frame", "living room"], "options": ["color: blue velvet", "style: futon + desk"], "instruction_attributes": ["living room"], "instruction_options": ["blue velvet"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPNVJNW", "worker_id": "A2ECRNQ3X5LEXD"}], "B09L894DVK": [{"asin": "B09L894DVK", "instruction": "i need a receiver with high definition", "attributes": ["1080p hd", "high definition"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKS0MGLV", "worker_id": "AVIEE6LDH0BT5"}], "B08X732PLR": [{"asin": "B08X732PLR", "instruction": "find me an official pokemon shirt with gengar and mewtwo, has to be washable in the machine, black in a men' large.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: asphalt", "fit type: men", "size: large"], "instruction_attributes": ["officially licensed", "machine wash"], "instruction_options": ["asphalt", "men", "large"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNR0CXJZ", "worker_id": "A3O1I9MATO3ZZN"}], "B08SWFTP5S": [{"asin": "B08SWFTP5S", "instruction": "i am looking for a solid steel frame dressers", "attributes": ["assembly required", "steel frame", "white finish", "living room"], "options": ["color: pastel 2", "style: solid"], "instruction_attributes": ["steel frame"], "instruction_options": ["solid"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMSQ6BH", "worker_id": "A9QRQL9CFJBI7"}], "B07PMQTC2L": [{"asin": "B07PMQTC2L", "instruction": "i'm looking for a protective case for the apple watch that contains a rose pink box cover.", "attributes": ["compatible apple", "case cover"], "options": ["color: rose pink", "size: fit for 38mm watch"], "instruction_attributes": ["case cover"], "instruction_options": ["rose pink"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95CAKHPD", "worker_id": "ARJDD0Z3R65BD"}], "B07YNFMRRX": [{"asin": "B07YNFMRRX", "instruction": "i am looking for a high quality nail polish of size 10x24.", "attributes": ["high quality", "nail polish"], "options": ["size: 10x24", "style name: gallery wrapped canvas"], "instruction_attributes": ["high quality"], "instruction_options": ["10x24"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHWB8S8W", "worker_id": "A1Q8PPQQCWGY0D"}], "B08MH9GDK8": [{"asin": "B08MH9GDK8", "instruction": "i am looking for some long lasting lead free prayer candles.", "attributes": ["lead free", "long lasting"], "options": [""], "instruction_attributes": ["lead free", "long lasting"], "instruction_options": [], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1MCRGTF", "worker_id": "A1EREKSZAA9V7B"}], "B08TQDWWZP": [{"asin": "B08TQDWWZP", "instruction": "i am looking for keen utility men's kansas city kbf composite toe athletic shoes.", "attributes": ["water resistant", "slip resistant", "moisture wicking", "non slip", "rubber sole"], "options": ["color: keen yellow | black", "size: 10 wide"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["10 wide"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HSHWOP", "worker_id": "A2KW17G25L25R8"}], "B003ZYOD6A": [{"asin": "B003ZYOD6A", "instruction": "i need long lasting deodorant", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJL1GBYH", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Z8QJFYC": [{"asin": "B07Z8QJFYC", "instruction": "i am looking for a synthetic hair ponytail extension in the color medium brown.", "attributes": ["easy use", "synthetic hair"], "options": ["color: medium brown", "size: one piece"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["medium brown"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7ANXYUX", "worker_id": "AK3JMCIGU8MLU"}], "B09R7VRZV4": [{"asin": "B09R7VRZV4", "instruction": "i am looking for pink color whitening massage easy use toothbrush that fit for age 2-6", "attributes": ["easy use", "sensitive teeth"], "options": ["color: pink", "size: age 2-6"], "instruction_attributes": ["easy use"], "instruction_options": ["pink", "age 2-6"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR71L6Y9", "worker_id": "A258PTOZ3D2TQR"}], "B06XF385WF": [{"asin": "B06XF385WF", "instruction": "i need black long lasting mascara", "attributes": ["long lasting", "eye shadow"], "options": ["color: washable mystic black", "configuration: 1 count"], "instruction_attributes": ["long lasting"], "instruction_options": ["washable mystic black"], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZTNHSN", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PRCCD3L": [{"asin": "B09PRCCD3L", "instruction": "i need one pair of large sized stockings that is high quality and non toxic for my feet.", "attributes": ["non toxic", "high quality"], "options": ["color: skin toes no bone", "size: one pair of feet"], "instruction_attributes": ["non toxic", "high quality"], "instruction_options": ["one pair of feet"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80GO1Q1", "worker_id": "A1NF6PELRKACS9"}], "B08Q37Z1LZ": [{"asin": "B08Q37Z1LZ", "instruction": "i am looking for a light blue mini dress that is machine washable.", "attributes": ["daily casual", "wash cold", "machine wash"], "options": ["color: light blue", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["light blue"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFJBVMA", "worker_id": "A1EREKSZAA9V7B"}], "B08HKYBTFF": [{"asin": "B08HKYBTFF", "instruction": "i would like a face kit for my fine lines.", "attributes": ["storage case", "stainless steel", "fine lines"], "options": [""], "instruction_attributes": ["fine lines"], "instruction_options": [], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQSGP0F", "worker_id": "A1WS884SI0SLO4"}], "B07JB7VQBY": [{"asin": "B07JB7VQBY", "instruction": "i'd like to shop for some red slim fit jeans with a button closure. i need a size 28.", "attributes": ["slim fit", "button closure"], "options": ["color: red", "size: 28"], "instruction_attributes": ["slim fit", "button closure"], "instruction_options": ["red", "28"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G7B647L", "worker_id": "AR9AU5FY1S3RO"}], "B07HYH327V": [{"asin": "B07HYH327V", "instruction": "i would like a gluten free trader joes flatbread.", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["trader joe", "gluten free"], "instruction_options": [], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662ZJM4U", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07HYH327V", "instruction": "i want to find trader joe's gluten free norwegian crispbreads that i can pack in my lunches.", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["trader joe", "gluten free"], "instruction_options": [], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49GYDTH", "worker_id": "A345TDMHP3DQ3G"}], "B00RIBX3T4": [{"asin": "B00RIBX3T4", "instruction": "i'm looking for violet pigment and blackberry extract sheer silver shampoo.", "attributes": ["paraben free", "sulfate free"], "options": ["style: conditioner - fl oz 10.1"], "instruction_attributes": ["paraben free", "sulfate free"], "instruction_options": ["conditioner - fl oz 10.1"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2VY5M2", "worker_id": "A21IUUHBSEVB56"}], "B085PWT41F": [{"asin": "B085PWT41F", "instruction": "gluten free meatballs", "attributes": ["grass fed", "gluten free", "natural flavors"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMMPJ1N", "worker_id": "A3TTGSUBIK1YCL"}], "B08V9Y3JWH": [{"asin": "B08V9Y3JWH", "instruction": "i'm looking for a machine washable t-shirts made of heather cotton with needle sleeve and button closure type. also, choose men, x-small size white one.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "button closure", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: men", "size: x-small"], "instruction_attributes": ["machine wash", "heathers cotton", "button closure", "needle sleeve"], "instruction_options": ["white", "men", "x-small"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCFA7HQ", "worker_id": "AR0VJ5XRG16UJ"}], "B082MCN2BL": [{"asin": "B082MCN2BL", "instruction": "i want a rolling cart for a beauty salon.", "attributes": ["high quality", "beauty salon"], "options": [""], "instruction_attributes": ["beauty salon"], "instruction_options": [], "assignment_id": "3K4J6M3CXP3RHVQ854J6QZ89YOJGA9", "worker_id": "A1WS884SI0SLO4"}], "B09L87DN8X": [{"asin": "B09L87DN8X", "instruction": "i need a red sports coat that is slim fitting.", "attributes": ["slim fit", "hand wash", "button closure", "soft material"], "options": ["color: red1", "size: small"], "instruction_attributes": ["slim fit"], "instruction_options": ["red1"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH8O1VG", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PHLSFCP": [{"asin": "B09PHLSFCP", "instruction": "i'm looking for a toothpaste for teeth whitening in blueberry scent", "attributes": ["teeth whitening", "travel size", "sensitive teeth"], "options": ["scent: blueberry"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["blueberry"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3H5NQ7", "worker_id": "A2Y2TURT2VEYZN"}], "B08M94Y2G7": [{"asin": "B08M94Y2G7", "instruction": "i would like a black chair with lumbar support.", "attributes": ["heavy duty", "lumbar support", "pu leather"], "options": ["color: black"], "instruction_attributes": ["lumbar support"], "instruction_options": ["black"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3H8QND", "worker_id": "A1WS884SI0SLO4"}], "B07PCZMLFG": [{"asin": "B07PCZMLFG", "instruction": "i'm looking for a woman's navy workout t-shirt that is machine washable and provides a classic fit.", "attributes": ["wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: men", "size: 3x-large"], "instruction_attributes": ["machine wash", "classic fit"], "instruction_options": ["navy"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7XDARFW", "worker_id": "A2JP9IKRHNLRPI"}], "B08BNGMZM8": [{"asin": "B08BNGMZM8", "instruction": "i'm looking for running shoe for women.", "attributes": ["rubber outsole", "rubber sole", "daily wear"], "options": ["color: grey | teal", "size: 9"], "instruction_attributes": ["daily wear"], "instruction_options": ["grey | teal"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0RKJ8U", "worker_id": "A21IUUHBSEVB56"}], "B07PLYFJSY": [{"asin": "B07PLYFJSY", "instruction": "i would like a coral orange basic heavy duty phone case.", "attributes": ["heavy duty", "easy carry", "case cover"], "options": ["color: m834-coral orange"], "instruction_attributes": ["heavy duty"], "instruction_options": ["m834-coral orange"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AODOE2", "worker_id": "A1WS884SI0SLO4"}], "B09P4MVM85": [{"asin": "B09P4MVM85", "instruction": "i would like a power cable for by blu ray player.", "attributes": ["output protection", "blu ray"], "options": [""], "instruction_attributes": ["blu ray"], "instruction_options": [], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q62GWY", "worker_id": "A1WS884SI0SLO4"}], "B0963729NB": [{"asin": "B0963729NB", "instruction": "i need a face kit for dark circles", "attributes": ["easy use", "fine lines", "dark circles"], "options": [""], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UTV1GM", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P3CGSXQ": [{"asin": "B09P3CGSXQ", "instruction": "i am interested in buying beds which are twin size, and of grey color, while their style should be metal triple bunk bed with slide.", "attributes": ["twin size", "space saving", "white item"], "options": ["color: grey", "style: metal triple bunk bed with slide"], "instruction_attributes": ["twin size"], "instruction_options": ["grey", "metal triple bunk bed with slide"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFN0Y8HY", "worker_id": "AJY5G987IRT25"}], "B099SGN3HJ": [{"asin": "B099SGN3HJ", "instruction": "i want a peanut butter cranberry toyou snack that is plant based.", "attributes": ["plant based", "gluten free"], "options": ["flavor name: toyou - peanut butter cranberry - box (1..."], "instruction_attributes": ["plant based"], "instruction_options": ["toyou - peanut butter cranberry - box (1..."], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q9FII6", "worker_id": "A1WS884SI0SLO4"}], "B096MGWMM2": [{"asin": "B096MGWMM2", "instruction": "i'm looking for a replacement remote with batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X416H02", "worker_id": "A62B826XMLK7K"}], "B09J28CKKT": [{"asin": "B09J28CKKT", "instruction": "i am looking for a heavy duty basic cases for iphone 13 size", "attributes": ["heavy duty", "wireless charging"], "options": ["size: iphone 13"], "instruction_attributes": ["heavy duty"], "instruction_options": ["iphone 13"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMO6VX7", "worker_id": "A9QRQL9CFJBI7"}, {"asin": "B09J28CKKT", "instruction": "i need an iphone 7 plus case that has wireless charging capabilities", "attributes": ["heavy duty", "wireless charging"], "options": ["size: iphone 7plus | 8plus"], "instruction_attributes": ["wireless charging"], "instruction_options": ["iphone 7plus | 8plus"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K55219", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QMVR6R7": [{"asin": "B08QMVR6R7", "instruction": "i'm looking for a shimmery eye shadow palette that is long lasting and waterproof. also, choose the fusion palette of 39 colors", "attributes": ["cruelty free", "easy apply", "long lasting", "eye shadow"], "options": ["color: color fusion-39 colors"], "instruction_attributes": ["long lasting", "eye shadow"], "instruction_options": ["color fusion-39 colors"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG4G54A", "worker_id": "A1TWVJS27CL3KT"}], "B0943T7FNN": [{"asin": "B0943T7FNN", "instruction": "i am looking for a pair of easy to carry light blue headphones.", "attributes": ["noise cancelling", "easy carry"], "options": ["color: light blue"], "instruction_attributes": ["easy carry"], "instruction_options": ["light blue"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK3GIUQ", "worker_id": "A1EREKSZAA9V7B"}], "B07S5XRX8X": [{"asin": "B07S5XRX8X", "instruction": "find a water resistant leather jacket", "attributes": ["water resistant", "easy care"], "options": ["color: blush crocodile", "size: large"], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6AL5GV", "worker_id": "AVIEE6LDH0BT5"}], "B09HBV726B": [{"asin": "B09HBV726B", "instruction": "i am looking for a grey sectional sofa for my living room.", "attributes": ["high density", "long lasting", "solid wood", "living room"], "options": ["color: grey", "size: 77x35x28\""], "instruction_attributes": ["living room"], "instruction_options": ["grey"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HH3I6T", "worker_id": "A1EREKSZAA9V7B"}], "B09R7B5VN5": [{"asin": "B09R7B5VN5", "instruction": "i am looking for a white batteries included clock radios", "attributes": ["batteries included", "aaa batteries"], "options": ["color: white"], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907VJUA6", "worker_id": "A9QRQL9CFJBI7"}], "B09GL5Z4N2": [{"asin": "B09GL5Z4N2", "instruction": "i want a size 12 black slipper made of vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate", "faux fur"], "options": ["color: black", "size: 12"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["black", "12"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCTB9B8", "worker_id": "A1WS884SI0SLO4"}], "B0972NGB9Y": [{"asin": "B0972NGB9Y", "instruction": "i'm looking for a daily wear cardigan sweaters with long sleeve and fleece lined. also choose medium size light grey colored one.", "attributes": ["fleece lined", "long sleeve", "daily wear"], "options": ["color: light grey", "size: medium"], "instruction_attributes": ["fleece lined", "long sleeve", "daily wear"], "instruction_options": ["light grey", "medium"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUX6JQ5", "worker_id": "AR0VJ5XRG16UJ"}], "B09SPKW74K": [{"asin": "B09SPKW74K", "instruction": "i would like to buy nail clippers which are easy to clean, and also are made of stainless steel, i also prefer to have them of color 8592 red.", "attributes": ["non slip", "easy clean", "long handle", "stainless steel"], "options": ["color: 8592 red"], "instruction_attributes": ["easy clean", "stainless steel"], "instruction_options": ["8592 red"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7R7I3V", "worker_id": "AJY5G987IRT25"}], "B072HSLKRT": [{"asin": "B072HSLKRT", "instruction": "i am looking for fredd marshall mens skinny jeans in a slim fit.", "attributes": ["slim fit", "imported zipper"], "options": ["color: 347", "size: 32w x 32l"], "instruction_attributes": ["slim fit"], "instruction_options": ["32w x 32l"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84C56C1", "worker_id": "A2KW17G25L25R8"}], "B09NM4T5YJ": [{"asin": "B09NM4T5YJ", "instruction": "i'm looking for a men's long sleeve, yellow track jacket.", "attributes": ["winter warm", "slim fit", "quality polyester", "long sleeve", "polyester cotton", "elastic waistband", "regular fit", "gym workout", "daily wear"], "options": ["color: yellow", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["yellow"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH6MQHT", "worker_id": "A2JP9IKRHNLRPI"}], "B072JBH9BW": [{"asin": "B072JBH9BW", "instruction": "i would like to have a can of rich and creamy cream of potato soup.", "attributes": ["rich creamy", "artificial colors"], "options": ["flavor name: cream of potato soup"], "instruction_attributes": ["rich creamy"], "instruction_options": ["cream of potato soup"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0ZKXP1", "worker_id": "A1WS884SI0SLO4"}], "B08QDKDNLJ": [{"asin": "B08QDKDNLJ", "instruction": "i am looking for white color heavy duty bar stools.", "attributes": ["heavy duty", "easy install", "pu leather", "steel frame"], "options": ["color: white"], "instruction_attributes": ["heavy duty"], "instruction_options": ["white"], "assignment_id": "37TRT2X24116R7L1JO45INKV8X7JBV", "worker_id": "A1Q8PPQQCWGY0D"}], "B07HMJW9Y8": [{"asin": "B07HMJW9Y8", "instruction": "i'm looking for a pair of black and white rubber-soled sneakers in a size 5.5.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: black | white", "size: 5.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black | white", "5.5"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BQRJV7", "worker_id": "AFU00NU09CFXE"}], "B09B331BGP": [{"asin": "B09B331BGP", "instruction": "i want to find a beauty salon mattress that is 60 centimeters by 180 centimeters in dimension.", "attributes": ["non slip", "beauty salon"], "options": ["size: 60*180cm"], "instruction_attributes": ["beauty salon"], "instruction_options": ["60*180cm"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI89T39", "worker_id": "A345TDMHP3DQ3G"}], "B093XWDXTY": [{"asin": "B093XWDXTY", "instruction": "i'm looking for a spa pedicure kit-at-home foot care for baby soft feet.", "attributes": ["natural ingredients", "fine lines"], "options": ["color: 50 set-green tea"], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6OJU7N", "worker_id": "A21IUUHBSEVB56"}], "B09PMJR3BM": [{"asin": "B09PMJR3BM", "instruction": "i am looking for a plant based rose scented moisturizing sunscreen.", "attributes": ["dermatologist tested", "plant based", "cruelty free"], "options": ["scent: rose", "size: 3.5 ounce (pack of 1)"], "instruction_attributes": ["plant based"], "instruction_options": ["rose"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2Q9YN8", "worker_id": "A1EREKSZAA9V7B"}], "B07W7D4SFR": [{"asin": "B07W7D4SFR", "instruction": "i am looking for khaki color long sleeve shirt for men.", "attributes": ["short sleeve", "elastic closure", "long sleeve", "high heel", "high waist"], "options": ["color: khaki", "size: 4x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["khaki"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q68GW4", "worker_id": "A1Q8PPQQCWGY0D"}], "B08PC1TYFR": [{"asin": "B08PC1TYFR", "instruction": "i am looking for a light grey, wood frame sectional sofa.", "attributes": ["space saving", "easy assemble", "wood frame", "living room"], "options": ["color: light grey"], "instruction_attributes": ["wood frame"], "instruction_options": ["light grey"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57IA9IU", "worker_id": "AK3JMCIGU8MLU"}], "B09B7XYWK9": [{"asin": "B09B7XYWK9", "instruction": "i need a blue grey mattress that is easy to clean", "attributes": ["spot clean", "easy clean"], "options": ["color: textured blue gray", "size: queen", "style: contemporary"], "instruction_attributes": ["easy clean"], "instruction_options": ["textured blue gray"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNYAP0U5", "worker_id": "A2ECRNQ3X5LEXD"}], "B075FX1MTL": [{"asin": "B075FX1MTL", "instruction": "i'm looking for a pair of long lasting women's sandals in a size eight or eight and half.", "attributes": ["long lasting", "comfortable fit", "synthetic sole", "rubber outsole"], "options": ["color: multicolor calendula", "size: 8-8.5"], "instruction_attributes": ["long lasting"], "instruction_options": ["8-8.5"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39HNCZL", "worker_id": "A2JP9IKRHNLRPI"}], "B07RP89DMD": [{"asin": "B07RP89DMD", "instruction": "i would like a 2 pound bag of chocolate covered fruit.", "attributes": ["chocolate covered", "certified organic", "natural ingredients", "valentine day", "great gift"], "options": ["size: 2 pound"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["2 pound"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A21C2HTD", "worker_id": "A1WS884SI0SLO4"}], "B078PJWQ46": [{"asin": "B078PJWQ46", "instruction": "i'm looking for a full size fully assembled mattress with 8\" split foundation.", "attributes": ["ready use", "fully assembled", "double sided", "queen size", "twin size", "assembly required", "king size"], "options": ["size: full", "style: 8\" split foundation"], "instruction_attributes": ["fully assembled"], "instruction_options": ["full", "8\" split foundation"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86AN18B", "worker_id": "A3MNXK3VDK37SN"}], "B093XJW7R9": [{"asin": "B093XJW7R9", "instruction": "i am looking for a medium sized machine washable t-shirt.", "attributes": ["officially licensed", "machine washable", "machine wash", "everyday wear"], "options": ["color: shout", "size: medium"], "instruction_attributes": ["machine washable"], "instruction_options": ["medium"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV4B3XG", "worker_id": "A1EREKSZAA9V7B"}], "B0997VM1K4": [{"asin": "B0997VM1K4", "instruction": "i am looking for a pu leather black color heavy duty bed frame.", "attributes": ["queen size", "heavy duty", "white item", "box spring", "pu leather", "solid wood"], "options": ["color: pu leather black"], "instruction_attributes": ["heavy duty"], "instruction_options": ["pu leather black"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH9RV1F", "worker_id": "A1Q8PPQQCWGY0D"}], "B0993Q31VY": [{"asin": "B0993Q31VY", "instruction": "i would like a 32 gig gray tablet with a usb port.", "attributes": ["high definition", "usb port"], "options": ["color: gray", "size: 2+32g"], "instruction_attributes": ["usb port"], "instruction_options": ["gray", "2+32g"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647DP3HI", "worker_id": "A1WS884SI0SLO4"}], "B09K5BRSLN": [{"asin": "B09K5BRSLN", "instruction": "i want a flower pattern fleece throw blanket.", "attributes": ["super soft", "fleece throw"], "options": ["color: flower pattern", "size: 50\"x40\""], "instruction_attributes": ["fleece throw"], "instruction_options": ["flower pattern"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTRWLPR", "worker_id": "A2RBF3IIJP15IH"}], "B000FZU0N2": [{"asin": "B000FZU0N2", "instruction": "i am looking for a low carb carba-nada roasted fettuccine", "attributes": ["hand crafted", "low carb"], "options": [""], "instruction_attributes": ["low carb"], "instruction_options": [], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7M25NY", "worker_id": "A258PTOZ3D2TQR"}], "B07PQT2JFJ": [{"asin": "B07PQT2JFJ", "instruction": "i am looking for a 3 pack of coconut oil hair therapy.", "attributes": ["coconut oil", "dry hair"], "options": ["color: black castor oil", "size: 3 pack"], "instruction_attributes": ["coconut oil"], "instruction_options": ["3 pack"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z9OGX9", "worker_id": "A1EREKSZAA9V7B"}], "B099RNFR1S": [{"asin": "B099RNFR1S", "instruction": "i need fully dimmable led floor lamp for living room", "attributes": ["easy assemble", "clear glass", "glass shade", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVQ5LXF", "worker_id": "A258PTOZ3D2TQR"}], "B00194EQZQ": [{"asin": "B00194EQZQ", "instruction": "i am looking for cherry red softy t color boots that are light weight.", "attributes": ["light weight", "synthetic sole"], "options": ["color: cherry red softy t", "size: 1 little kid", "special size type: 3,4,5,6,7,8,9,10,11,12,13"], "instruction_attributes": ["light weight"], "instruction_options": ["cherry red softy t"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR647DR3HK", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00194EQZQ", "instruction": "i'm looking for an original lightweight lace-up boot for my little toddler; she's a size 7.", "attributes": ["light weight", "synthetic sole"], "options": ["color: black smooth", "size: 7 toddler", "special size type: little kid (4-8 years)"], "instruction_attributes": ["light weight"], "instruction_options": ["7 toddler", "little kid (4-8 years)"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYG082Y", "worker_id": "A3LIIE572Z4OG7"}], "B09FLSNYWQ": [{"asin": "B09FLSNYWQ", "instruction": "i am looking for a king size memory foam mattress.", "attributes": ["queen size", "memory foam"], "options": ["size: king", "style: 12 inches memory foam"], "instruction_attributes": ["memory foam"], "instruction_options": ["king"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB9ZY4Y", "worker_id": "A1Q8PPQQCWGY0D"}], "B09BZHV31Y": [{"asin": "B09BZHV31Y", "instruction": "i want to buy shaver for women which is easy to clean.", "attributes": ["easy clean", "hair removal"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHRADC02", "worker_id": "AJY5G987IRT25"}], "B07DSKWHR5": [{"asin": "B07DSKWHR5", "instruction": "i'm looking for meatless bac'n and cheddar cheese.", "attributes": ["gluten free", "plant based", "dairy free", "soy free", "non gmo", "artificial flavors"], "options": ["size: 10.9 ounce (pack of 1)"], "instruction_attributes": ["gluten free", "dairy free"], "instruction_options": ["10.9 ounce (pack of 1)"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7Y6CUS", "worker_id": "A21IUUHBSEVB56"}], "B09R1JX97F": [{"asin": "B09R1JX97F", "instruction": "i am looking for rose pink color stainless steel bands.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: rose pink", "size: 42mm | 44mm | 45mm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["rose pink"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8S26Q4", "worker_id": "A1Q8PPQQCWGY0D"}], "B09129SHF1": [{"asin": "B09129SHF1", "instruction": "i would like a coated steel filing cabinet.", "attributes": ["fully assembled", "heavy duty", "coated steel"], "options": [""], "instruction_attributes": ["coated steel"], "instruction_options": [], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBC1K4Q5", "worker_id": "A1WS884SI0SLO4"}], "B09RPGV59Z": [{"asin": "B09RPGV59Z", "instruction": "i'm looking for purple daily wear sleepwear made from a polyester/cotton blend in a size large.", "attributes": ["quality polyester", "polyester cotton", "teen girls", "daily wear"], "options": ["color: purple", "size: large"], "instruction_attributes": ["polyester cotton", "daily wear"], "instruction_options": ["purple", "large"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLLM2FK", "worker_id": "AFU00NU09CFXE"}], "B09HQW1HY8": [{"asin": "B09HQW1HY8", "instruction": "i need a anti slip snow boots.", "attributes": ["knee high", "non slip", "anti slip", "high heel", "closed toe", "memory foam", "rubber sole"], "options": ["color: coffee", "size: 8.5"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "358010RM5P3MV5OW59A6A8MHMOIXVL", "worker_id": "AVIEE6LDH0BT5"}], "B09NL166C9": [{"asin": "B09NL166C9", "instruction": "i want a lake blue skin care set that is bpa free.", "attributes": ["leak proof", "bpa free", "high quality", "green tea", "dark circles", "sensitive skin"], "options": ["color: lake blue"], "instruction_attributes": ["bpa free"], "instruction_options": ["lake blue"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1Y3QEHX", "worker_id": "A1WS884SI0SLO4"}], "B08RDLHZTP": [{"asin": "B08RDLHZTP", "instruction": "i am looking for red cupcake toppers for cupcake picks valentine day party supplies birthday party", "attributes": ["cupcake picks", "valentine day", "party supplies", "birthday party"], "options": ["color: red"], "instruction_attributes": ["cupcake picks", "valentine day", "party supplies", "birthday party"], "instruction_options": ["red"], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907VKAUN", "worker_id": "A9QRQL9CFJBI7"}], "B097ZTCX4X": [{"asin": "B097ZTCX4X", "instruction": "i am looking for wall baskets that are easy to install.", "attributes": ["wall mounted", "easy install"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZTR50N", "worker_id": "A1Q8PPQQCWGY0D"}], "B093LLCRLB": [{"asin": "B093LLCRLB", "instruction": "i need a gluten free oil spray bottle.", "attributes": ["gluten free", "non gmo", "quality ingredients"], "options": ["flavor name: sun coco oil", "size: 16.9 fl oz (pack of 1)", "style: bottle"], "instruction_attributes": ["gluten free"], "instruction_options": ["bottle"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRJANW1", "worker_id": "AVIEE6LDH0BT5"}], "B07G4FZ9P4": [{"asin": "B07G4FZ9P4", "instruction": "i want to buy a sofa which is suitable for living room and is of black color, and it should be of size of typical sofa.", "attributes": ["button tufted", "contemporary design", "living room"], "options": ["color: black", "size: sofa"], "instruction_attributes": ["living room"], "instruction_options": ["black", "sofa"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVSSJKT", "worker_id": "AJY5G987IRT25"}], "B09M73DKZG": [{"asin": "B09M73DKZG", "instruction": "i am looking for a white, 7' x 5', light weight photo backdrop.", "attributes": ["light weight", "high resolution", "easy carry"], "options": ["color: white z", "size: 7x5 ft"], "instruction_attributes": ["light weight"], "instruction_options": ["white z", "7x5 ft"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB17DLUA", "worker_id": "AK3JMCIGU8MLU"}], "B07YJGDF7V": [{"asin": "B07YJGDF7V", "instruction": "i'm looking for a plug play usb microphone", "attributes": ["plug play", "noise cancelling", "high performance"], "options": [""], "instruction_attributes": ["plug play"], "instruction_options": [], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LL6PSB", "worker_id": "A2Y2TURT2VEYZN"}], "B09Q74D6T5": [{"asin": "B09Q74D6T5", "instruction": "i am looking for 2 pounds of individually wrapped chocolate hearts in a resealable bag.", "attributes": ["kosher certified", "individually wrapped", "resealable bag", "valentine day", "perfect gift"], "options": ["style: 80 count (2 pounds)"], "instruction_attributes": ["individually wrapped", "resealable bag"], "instruction_options": ["80 count (2 pounds)"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EHXSWV", "worker_id": "A1EREKSZAA9V7B"}], "B093QN8NGV": [{"asin": "B093QN8NGV", "instruction": "i would like a body brush with a long handle.", "attributes": ["easy use", "long handle"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIG0L2Y", "worker_id": "A1WS884SI0SLO4"}], "B09KP78G37": [{"asin": "B09KP78G37", "instruction": "i am looking for x-large, red color women faux fur lined winter warm jacket coat", "attributes": ["winter warm", "long sleeve", "faux fur"], "options": ["color: red", "size: x-large"], "instruction_attributes": ["winter warm"], "instruction_options": ["red", "x-large"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTX1L7V", "worker_id": "A258PTOZ3D2TQR"}], "B09S1C5Q4K": [{"asin": "B09S1C5Q4K", "instruction": "i need a king sized bed", "attributes": ["long lasting", "memory foam", "king size"], "options": ["size: king"], "instruction_attributes": ["king size"], "instruction_options": ["king"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3247QK", "worker_id": "A2ECRNQ3X5LEXD"}], "B07SH347Z1": [{"asin": "B07SH347Z1", "instruction": "find me a mobile with 4g lte and a quad core", "attributes": ["quad core", "4g lte"], "options": [""], "instruction_attributes": ["quad core", "4g lte"], "instruction_options": [], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E24V530", "worker_id": "A2Y2TURT2VEYZN"}], "B09JMV9DHX": [{"asin": "B09JMV9DHX", "instruction": "i am interesting in having denim pants which have high waist and are loose fit, and i prefer to have them with blue color, also size of 10.", "attributes": ["wash cold", "slim fit", "machine wash", "straight leg", "loose fit", "hand wash", "relaxed fit", "high waist", "elastic waist", "button closure", "short sleeve", "tumble dry", "daily wear"], "options": ["color: blue- baggy jeans for teen girls y2k pants", "size: 10"], "instruction_attributes": ["loose fit", "high waist"], "instruction_options": ["blue- baggy jeans for teen girls y2k pants", "10"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXJTUJ4", "worker_id": "AJY5G987IRT25"}], "B09JDCSS8Q": [{"asin": "B09JDCSS8Q", "instruction": "i'm looking for a box of pistachio nip flavored baklava made of natural ingredients.", "attributes": ["natural ingredients", "artificial flavors", "great gift"], "options": ["flavor name: pistachio nip s"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["pistachio nip s"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z4E4CQT", "worker_id": "A3MNXK3VDK37SN"}, {"asin": "B09JDCSS8Q", "instruction": "i am looking for pistachio padishah xl flavor desserts containing artificial flavors.", "attributes": ["natural ingredients", "artificial flavors", "great gift"], "options": ["flavor name: pistachio padishah xl"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["pistachio padishah xl"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4E6R6S", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B09JDCSS8Q", "instruction": "i need to buy a tin of baklava. make sure it has all natural ingredients. get the walnut twister flavor.", "attributes": ["natural ingredients", "artificial flavors", "great gift"], "options": ["flavor name: walnut twister s"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["walnut twister s"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9KKB0R", "worker_id": "AR9AU5FY1S3RO"}], "B09842B57N": [{"asin": "B09842B57N", "instruction": "i'm looking for a double sided silicone exfoliating brush in purple color", "attributes": ["easy clean", "double sided", "hair growth", "dead skin", "sensitive skin"], "options": ["color: purple"], "instruction_attributes": ["double sided"], "instruction_options": ["purple"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZ0OZJC", "worker_id": "A2Y2TURT2VEYZN"}], "B09ND14XW6": [{"asin": "B09ND14XW6", "instruction": "i am looking for a pair of women's size 6.5 grey heeled sandals with memory foam.", "attributes": ["open toe", "ankle strap", "high heel", "memory foam"], "options": ["color: grey", "size: 6.5"], "instruction_attributes": ["memory foam"], "instruction_options": ["grey", "6.5"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXNQKWC", "worker_id": "A1EREKSZAA9V7B"}], "B08Z8LYMMX": [{"asin": "B08Z8LYMMX", "instruction": "i would like a mauve travel size cosmetic bag.", "attributes": ["travel size", "travel bottles"], "options": ["color: mauve"], "instruction_attributes": ["travel size"], "instruction_options": ["mauve"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN45GOO", "worker_id": "A1WS884SI0SLO4"}], "B01IA9BBSM": [{"asin": "B01IA9BBSM", "instruction": "i'm locking for a clinical strength anti-perspirant deodorant.", "attributes": ["anti perspirant", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": [], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8TH085ZD", "worker_id": "A21IUUHBSEVB56"}], "B09FPJDTCX": [{"asin": "B09FPJDTCX", "instruction": "i need to buy a high definition blu ray power amplifier.", "attributes": ["power amplifier", "blu ray", "high definition"], "options": [""], "instruction_attributes": ["power amplifier", "blu ray", "high definition"], "instruction_options": [], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYYWHV9", "worker_id": "AR9AU5FY1S3RO"}], "B00TQV7MQY": [{"asin": "B00TQV7MQY", "instruction": "i would like a chrome napkin holder made of coated steel.", "attributes": ["coated steel", "storage space"], "options": ["color: chrome"], "instruction_attributes": ["coated steel"], "instruction_options": ["chrome"], "assignment_id": "3G2UL9A02OO71034MOY04HTU31W76R", "worker_id": "A1WS884SI0SLO4"}], "B09PJB1WCC": [{"asin": "B09PJB1WCC", "instruction": "i am looking for an easy to assemble navy table with storage for my living room.", "attributes": ["easy assemble", "solid wood", "storage space", "living room"], "options": ["color: navy-31t4"], "instruction_attributes": ["easy assemble", "living room"], "instruction_options": ["navy-31t4"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDRVK56", "worker_id": "A1EREKSZAA9V7B"}], "B00IMX6ZP6": [{"asin": "B00IMX6ZP6", "instruction": "i want mitchum roll-on anti-perspirant.", "attributes": ["anti perspirant", "dermatologist tested"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8IG5R9", "worker_id": "A2RBF3IIJP15IH"}], "B00YCT1DQU": [{"asin": "B00YCT1DQU", "instruction": "i am interested in buying a contemporary bed which has wood finish and is california king size.", "attributes": ["white item", "faux leather", "wood finish"], "options": ["size: california king"], "instruction_attributes": ["wood finish"], "instruction_options": ["california king"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYTFXFG", "worker_id": "AJY5G987IRT25"}], "B092HJZSJ6": [{"asin": "B092HJZSJ6", "instruction": "i am looking for a variety gourmet gift basket for valentine's day.", "attributes": ["hand crafted", "gift basket", "great gift", "valentine day"], "options": [""], "instruction_attributes": ["gift basket", "valentine day"], "instruction_options": [], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIODEFZ", "worker_id": "A1EREKSZAA9V7B"}], "B078XY9B6C": [{"asin": "B078XY9B6C", "instruction": "i'm looking for round modern glass coffee table.", "attributes": ["long lasting", "clear glass", "engineered wood"], "options": ["color: walnut | matte black", "size: table set", "style: chelsea"], "instruction_attributes": ["engineered wood"], "instruction_options": ["table set"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP107CULI6", "worker_id": "A21IUUHBSEVB56"}, {"asin": "B078XY9B6C", "instruction": "i need to get a long lasting coffee table with the style of chelsea.", "attributes": ["long lasting", "clear glass", "engineered wood"], "options": ["color: white | matte black", "size: end table", "style: chelsea"], "instruction_attributes": ["long lasting"], "instruction_options": ["chelsea"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PKQ2X7", "worker_id": "A15ERD4HOFEPHM"}], "B07XKWMYZP": [{"asin": "B07XKWMYZP", "instruction": "i would like a 10.6 ounce combo pack of low carb, keto friendly chips.", "attributes": ["keto friendly", "low sugar", "low fat", "soy free", "low carb"], "options": ["color: combo pack", "size: 10.6 ounce (pack of 1)"], "instruction_attributes": ["keto friendly", "low carb"], "instruction_options": ["combo pack", "10.6 ounce (pack of 1)"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVKFSZ1", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B07XKWMYZP", "instruction": "i want the keto friendly and low carb protein puffs. pick the garlic parmesan one.", "attributes": ["keto friendly", "low sugar", "low fat", "soy free", "low carb"], "options": ["color: garlic parmesan", "size: 2.1 ounce (pack of 12)"], "instruction_attributes": ["keto friendly", "low carb"], "instruction_options": ["garlic parmesan"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3S9FG3R", "worker_id": "A1NF6PELRKACS9"}], "B09MDXNW5F": [{"asin": "B09MDXNW5F", "instruction": "i would like a 6 tier bookcase that is easy to assemble.", "attributes": ["white item", "easy assemble"], "options": ["color: white | 6-tier bookcases"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white | 6-tier bookcases"], "assignment_id": "33IZTU6J8CB63D7SBE51ZL2ANJ3SXO", "worker_id": "A1WS884SI0SLO4"}], "B08JGLPHNV": [{"asin": "B08JGLPHNV", "instruction": "i am looking for black color loop bands that are light weight.", "attributes": ["compatible apple", "light weight", "stainless steel"], "options": ["color: black", "size: for iwatch 41 | 40 | 38mm ( wrist 8\"- 11\")"], "instruction_attributes": ["light weight"], "instruction_options": ["black"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQDG0NV", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B08JGLPHNV", "instruction": "i want to find green, blue and white bands that are compatible with my apple watch 45. the bands should fit my wrist, which is 4.5 inches in circumference.", "attributes": ["compatible apple", "light weight", "stainless steel"], "options": ["color: green | blue | white", "size: for iwatch 45 | 42 | 44mm ( wrist 4.5\"- 8.54\")"], "instruction_attributes": ["compatible apple"], "instruction_options": ["green | blue | white", "for iwatch 45 | 42 | 44mm ( wrist 4.5\"- 8.54\")"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOI29LY", "worker_id": "A345TDMHP3DQ3G"}], "B09T955CJ2": [{"asin": "B09T955CJ2", "instruction": "i need slip ons that are grey and are made of memory foam", "attributes": ["non slip", "memory foam", "arch support", "rubber sole"], "options": ["color: grey", "size: 9"], "instruction_attributes": ["memory foam"], "instruction_options": ["grey"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PP52XW", "worker_id": "A2ECRNQ3X5LEXD"}], "B079Y5V25L": [{"asin": "B079Y5V25L", "instruction": "i would like to buy protein bars which are gluten free, and have chocolate hazelnut crisp flavor, and come in pack of 1 with 8 pieces.", "attributes": ["non gmo", "gluten free"], "options": ["flavor name: chocolate hazelnut crisp", "size: 8 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["chocolate hazelnut crisp", "8 count (pack of 1)"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4ND89V", "worker_id": "AJY5G987IRT25"}], "B09NKJS8LF": [{"asin": "B09NKJS8LF", "instruction": "i want a high power professional stereo bluetooth speaker.", "attributes": ["power amplifier", "high power"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E80F8GT", "worker_id": "A2RBF3IIJP15IH"}], "B083ZQ7T27": [{"asin": "B083ZQ7T27", "instruction": "i want a large zabra patch leggings with a elastic closure.", "attributes": ["hand wash", "nylon spandex", "soft material", "elastic closure", "daily wear"], "options": ["color: 3#zabra-patch", "size: large"], "instruction_attributes": ["elastic closure"], "instruction_options": ["3#zabra-patch", "large"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R9RYT7", "worker_id": "A1WS884SI0SLO4"}], "B09QBY2MF3": [{"asin": "B09QBY2MF3", "instruction": "i am looking for a 49 inch by 59 inch easy to clean fleece throw blanket.", "attributes": ["double sided", "super soft", "machine washable", "easy clean", "fleece throw"], "options": ["color: easterfly3222", "size: 49 x 59 in"], "instruction_attributes": ["easy clean"], "instruction_options": ["49 x 59 in"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL2SAVB", "worker_id": "A1EREKSZAA9V7B"}], "B0872MK42V": [{"asin": "B0872MK42V", "instruction": "i need some small elastic waistband shorts", "attributes": ["machine wash", "elastic closure", "elastic waistband"], "options": ["color: onyx white (112) | onyx white", "size: small tall"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["small tall"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LFOO1Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B0999MCV9T": [{"asin": "B0999MCV9T", "instruction": "i'm looking for a teeth whitening electric toothbrush in the color blue.", "attributes": ["teeth whitening", "oral hygiene"], "options": ["color: blue b13"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["blue b13"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602XN955", "worker_id": "AK3JMCIGU8MLU"}], "B09KTV71R2": [{"asin": "B09KTV71R2", "instruction": "i am looking for easy spirit traveltime529 mule shoes with arch support, rubber soles and in size 7.5 wide.", "attributes": ["arch support", "rubber sole"], "options": ["size: 7.5 x-wide"], "instruction_attributes": ["arch support", "rubber sole"], "instruction_options": ["7.5 x-wide"], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZN4C7L", "worker_id": "AK3JMCIGU8MLU"}], "B00EY9UPI0": [{"asin": "B00EY9UPI0", "instruction": "i want to buy a foundation for makeup which is oil free, non toxic and is of classic beige color, also i want two of those.", "attributes": ["oil free", "non toxic", "long lasting", "eye shadow"], "options": ["color: classic beige", "size: 2 count"], "instruction_attributes": ["oil free", "non toxic"], "instruction_options": ["classic beige", "2 count"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX31FU1K", "worker_id": "AJY5G987IRT25"}], "B019K9VBIG": [{"asin": "B019K9VBIG", "instruction": "i am looking for a anti aging and long lasting lip balm.", "attributes": ["anti aging", "long lasting", "high quality", "dead skin"], "options": [""], "instruction_attributes": ["anti aging", "long lasting"], "instruction_options": [], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGGXMSE", "worker_id": "A1Q8PPQQCWGY0D"}], "B07QVLFMSL": [{"asin": "B07QVLFMSL", "instruction": "i'm looking for a sheet for a beauty salon table. it should be non-toxic, and i want it in color 3.", "attributes": ["non toxic", "beauty salon"], "options": ["color: 03#"], "instruction_attributes": ["non toxic", "beauty salon"], "instruction_options": ["03#"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI79OZGR", "worker_id": "AR9AU5FY1S3RO"}], "B09KW842X3": [{"asin": "B09KW842X3", "instruction": "i am looking for a women's medium size royal blue tank top that is machine washable.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: women", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["royal blue", "women", "medium"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLO1RO7Y", "worker_id": "A1EREKSZAA9V7B"}], "B09GP8Z91F": [{"asin": "B09GP8Z91F", "instruction": "i am looking for knee high, anti-slip, snow boots in the color black and size 10.", "attributes": ["non slip", "knee high", "winter warm", "anti slip", "open toe", "rubber sole", "steel toe", "ankle strap"], "options": ["color: qm1- a7-black", "size: 10"], "instruction_attributes": ["knee high", "anti slip"], "instruction_options": ["qm1- a7-black", "10"], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98ILL2MC", "worker_id": "AK3JMCIGU8MLU"}], "B07T42TZLP": [{"asin": "B07T42TZLP", "instruction": "i would like a 18 inch medium brown hair extensions.", "attributes": ["double sided", "hair extensions", "hair salon"], "options": ["color: 6# medium brown", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["6# medium brown", "18 inch"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS5LG9C", "worker_id": "A1WS884SI0SLO4"}], "B093L52RXG": [{"asin": "B093L52RXG", "instruction": "i would like a laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3VE8AYVF8X77K71YXMTACN227LEF80", "worker_id": "A1WS884SI0SLO4"}], "B09FGJSGXR": [{"asin": "B09FGJSGXR", "instruction": "i am looking for a high performance wireless bluetooth camouflage green game controller.", "attributes": ["non slip", "high performance", "wireless bluetooth"], "options": ["color: camouflage green"], "instruction_attributes": ["high performance", "wireless bluetooth"], "instruction_options": ["camouflage green"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCK3YDNC", "worker_id": "A1EREKSZAA9V7B"}], "B085NH2C7W": [{"asin": "B085NH2C7W", "instruction": "i want a large red sweatshirt with long sleeves.", "attributes": ["light weight", "short sleeve", "long sleeve"], "options": ["color: red", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["red", "large"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VVTMXG", "worker_id": "A1WS884SI0SLO4"}], "B07RWKTZ6L": [{"asin": "B07RWKTZ6L", "instruction": "i am interested in buying men's and women's clog shoes which have ethylene vinyl, and are in black color, also i am interested in sizes 14 for women and 12 for men.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: black", "size: 14 women | 12 men"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["black", "14 women | 12 men"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3Q0LZ9", "worker_id": "AJY5G987IRT25"}], "B08KFS44G1": [{"asin": "B08KFS44G1", "instruction": "i am looking for munk pack keto granola bars that are plant based.", "attributes": ["low carb", "gluten free", "low sugar", "low calorie", "plant based", "non gmo"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NNEBKV", "worker_id": "AK3JMCIGU8MLU"}], "B07YLDTTP1": [{"asin": "B07YLDTTP1", "instruction": "find a mattress with high density foam with cover included.", "attributes": ["high density", "memory foam"], "options": ["color: high density foam + mattress cover", "size: bunk (28\" x 72\")"], "instruction_attributes": ["high density"], "instruction_options": ["high density foam + mattress cover"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFN0WH85", "worker_id": "AVIEE6LDH0BT5"}], "B08562KG6V": [{"asin": "B08562KG6V", "instruction": "i am looking for a contemporary designed coffee table with clear tempered glass.", "attributes": ["contemporary design", "clear glass", "tempered glass"], "options": ["style: coffee table"], "instruction_attributes": ["contemporary design", "clear glass", "tempered glass"], "instruction_options": ["coffee table"], "assignment_id": "32SCWG5HISEW7674IASH43KF3V06PV", "worker_id": "A1EREKSZAA9V7B"}], "B01MSS7GKM": [{"asin": "B01MSS7GKM", "instruction": "i am looking for chopped walnuts that are non gmo, gluten free and in the 2 pound size.", "attributes": ["non gmo", "gluten free", "plant based", "resealable bag"], "options": ["size: 2 pound (pack of 1)", "style: walnut lover's bundle"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG63BGY", "worker_id": "AK3JMCIGU8MLU"}], "B09J89JGPG": [{"asin": "B09J89JGPG", "instruction": "i am looking for a xx-large long sleeve active sweatshirts", "attributes": ["hand wash", "daily casual", "loose fit", "long sleeve", "soft material", "faux fur", "drawstring closure", "polyester spandex", "daily wear"], "options": ["color: e-2 gray", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["xx-large"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATAT73K", "worker_id": "A9QRQL9CFJBI7"}], "B09NBS9JHY": [{"asin": "B09NBS9JHY", "instruction": "i'm looking for a unique thailand seasoned bbq crickets.", "attributes": ["high protein", "low fat", "keto friendly"], "options": ["flavor name: tom yom crickets", "size: single pack"], "instruction_attributes": ["high protein"], "instruction_options": [], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVSLJKM", "worker_id": "A21IUUHBSEVB56"}], "B09PJNRP69": [{"asin": "B09PJNRP69", "instruction": "i want a x-large and machine washable lazy tuxedo t-shirt.", "attributes": ["wash cold", "machine wash", "drawstring closure", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: olive", "fit type: women", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["x-large"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IEBCBP", "worker_id": "A2RBF3IIJP15IH"}], "B085Y271VD": [{"asin": "B085Y271VD", "instruction": "i would like a pair of size 8 brown sandals with a rubber sole.", "attributes": ["non slip", "closed toe", "rubber outsole", "rubber sole"], "options": ["color: brown-2", "size: 8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown-2", "8"], "assignment_id": "3SKEMFQBZEFI0TTCYXK7S0U7FGMK8W", "worker_id": "A1WS884SI0SLO4"}], "B09HZVVCVZ": [{"asin": "B09HZVVCVZ", "instruction": "i would like a sierra blue 13 pro max phone case that has wireless charging.", "attributes": ["stainless steel", "wireless charging"], "options": ["color: sierra blue", "size: 13 pro max"], "instruction_attributes": ["wireless charging"], "instruction_options": ["sierra blue", "13 pro max"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB615YJ", "worker_id": "A1WS884SI0SLO4"}], "B09NC8GJGN": [{"asin": "B09NC8GJGN", "instruction": "i'm interested in cupcake picks suitable for a baby shower or birthday party.", "attributes": ["baby shower", "birthday party", "cupcake picks", "party supplies"], "options": [""], "instruction_attributes": ["baby shower", "birthday party", "cupcake picks"], "instruction_options": [], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68JAA4G", "worker_id": "AFU00NU09CFXE"}], "B09S2YQ1GD": [{"asin": "B09S2YQ1GD", "instruction": "i want to buy short sleeve t-shirts for men which are in yellow color, and of size x-large.", "attributes": ["short sleeve", "long sleeve", "polyester cotton", "dry clean"], "options": ["color: b-yellow", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["b-yellow", "x-large"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMH1XD9", "worker_id": "AJY5G987IRT25"}], "B09PGDMPZV": [{"asin": "B09PGDMPZV", "instruction": "i am looking for short sleeve women t-shirt of xx-large size.", "attributes": ["loose fit", "short sleeve", "long sleeve"], "options": ["color: tee for women - a035-green", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYQRM6H", "worker_id": "A1Q8PPQQCWGY0D"}], "B08ZSDCQ3N": [{"asin": "B08ZSDCQ3N", "instruction": "i would like a 2xl multicolor vest that can be machine washed.", "attributes": ["wash cold", "machine wash", "unique design", "tumble dry"], "options": ["color: multi8", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["multi8", "xx-large"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LNY5I8", "worker_id": "A1WS884SI0SLO4"}], "B0773BD3L4": [{"asin": "B0773BD3L4", "instruction": "i'm looking for 2 packs of peanut butter.", "attributes": ["trader joe", "artificial colors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9BPN82", "worker_id": "A21IUUHBSEVB56"}], "B07RLM48S7": [{"asin": "B07RLM48S7", "instruction": "i want to buy lights which are vanity light chandelier, and in brushed oil rubbed bronze color, also i want to have nine lights.", "attributes": ["vanity light", "light fixture"], "options": ["color: brushed oil rubbed bronze", "size: nine-light", "style: chandelier"], "instruction_attributes": ["vanity light"], "instruction_options": ["brushed oil rubbed bronze", "nine-light", "chandelier"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXG1G76", "worker_id": "AJY5G987IRT25"}], "B077S9R9KT": [{"asin": "B077S9R9KT", "instruction": "i need a variety pack of gmo-free, low carb dessert syrups.", "attributes": ["low carb", "sugar free", "gmo free", "gluten free"], "options": ["flavor name: variety"], "instruction_attributes": ["sugar free", "gmo free"], "instruction_options": ["variety"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2IHOIA", "worker_id": "AR9AU5FY1S3RO"}], "B08XJL8V51": [{"asin": "B08XJL8V51", "instruction": "i want to find one wide-toothed grooming comb for hair styling.", "attributes": ["high quality", "hair styling"], "options": ["style: one"], "instruction_attributes": ["hair styling"], "instruction_options": ["one"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXC8FCF", "worker_id": "A345TDMHP3DQ3G"}], "B07WF8MSS6": [{"asin": "B07WF8MSS6", "instruction": "i am looking for a small polyester cotton costumes", "attributes": ["day comfort", "polyester cotton", "long sleeve"], "options": ["color: 4star", "size: small"], "instruction_attributes": ["polyester cotton"], "instruction_options": ["small"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCGGH78", "worker_id": "A9QRQL9CFJBI7"}], "B082MD69W2": [{"asin": "B082MD69W2", "instruction": "i want a white executive chair with lumbar support.", "attributes": ["high density", "easy clean", "lumbar support", "pu leather"], "options": ["size: white-4 pack"], "instruction_attributes": ["lumbar support"], "instruction_options": ["white-4 pack"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCFB7HR", "worker_id": "A1WS884SI0SLO4"}], "B012JRTWBY": [{"asin": "B012JRTWBY", "instruction": "i want to buy organic ghee which is non gmo and comes in a pack of 2 at 16 ounces.", "attributes": ["grass fed", "trader joe", "certified organic", "non gmo", "gluten free"], "options": ["size: 16 ounce (pack of 2)"], "instruction_attributes": ["non gmo"], "instruction_options": ["16 ounce (pack of 2)"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU52AL6", "worker_id": "AJY5G987IRT25"}], "B07JXSSM6G": [{"asin": "B07JXSSM6G", "instruction": "i want a microsoft surface pro 4 tablet with intel i5-6300u.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["intel core"], "instruction_options": [], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX32T1U7", "worker_id": "A2RBF3IIJP15IH"}], "B07ZYYS5CK": [{"asin": "B07ZYYS5CK", "instruction": "i'm looking for a woman's xx large black hoodie.", "attributes": ["loose fit", "contrast color", "long sleeve", "daily wear"], "options": ["color: z2-black", "size: xx-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["z2-black", "xx-large"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9H2W1DV", "worker_id": "AR9AU5FY1S3RO"}], "B004QQ9LVS": [{"asin": "B004QQ9LVS", "instruction": "i would like to buy vitamins which are non gmo, and gluten free, and they should be organic womens gummy kind.", "attributes": ["wild caught", "gmo free", "non gmo", "gluten free"], "options": ["style: organic womens gummy"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["organic womens gummy"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0255QKA6", "worker_id": "AJY5G987IRT25"}], "B07KPXWS62": [{"asin": "B07KPXWS62", "instruction": "i am looking for black color , 15 size women high heel and pointed toe slip on pumps", "attributes": ["high heel", "rubber outsole", "rubber sole"], "options": ["color: black", "size: 15"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["black", "15"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLN40MT", "worker_id": "A258PTOZ3D2TQR"}], "B09R6ZSDFF": [{"asin": "B09R6ZSDFF", "instruction": "i would like a 3xl blue long sleeve polo.", "attributes": ["slim fit", "long sleeve", "short sleeve", "gym workout"], "options": ["color: 145- blue", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["145- blue", "3x-large"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IE0BCD", "worker_id": "A1WS884SI0SLO4"}], "B077BG8M3Y": [{"asin": "B077BG8M3Y", "instruction": "i am looking for a stool set of size 30 inch for my dining room.", "attributes": ["easy assemble", "space saving", "dining room"], "options": ["color: matte black with wooden seats", "size: 30 inch"], "instruction_attributes": ["dining room"], "instruction_options": ["30 inch"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662ZLM4W", "worker_id": "A1Q8PPQQCWGY0D"}], "B01HJWELG0": [{"asin": "B01HJWELG0", "instruction": "i need a ten pack of male to male hdmi cables that are gold plated and high speed.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["color: 10 pack", "size: 80 feet (2-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["10 pack", "hdmi male to male"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRQ7FMS", "worker_id": "AR9AU5FY1S3RO"}], "B085NLQ6GV": [{"asin": "B085NLQ6GV", "instruction": "i want to buy pillow covers which are suitable for living room, and are in dark blue or light grey colors, and i want to have 2 of them with size 12\" x20\"", "attributes": ["exquisite workmanship", "living room"], "options": ["color: dark blue2 | light grey", "size: 2 pieces, 12\" x20\""], "instruction_attributes": ["living room"], "instruction_options": ["dark blue2 | light grey", "2 pieces, 12\" x20\""], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU77O57E", "worker_id": "AJY5G987IRT25"}], "B09P9XB3W9": [{"asin": "B09P9XB3W9", "instruction": "i want to find a certified organic premium tea gift set.", "attributes": ["certified organic", "sugar free", "gift set"], "options": [""], "instruction_attributes": ["certified organic", "gift set"], "instruction_options": [], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8FFA5V", "worker_id": "A345TDMHP3DQ3G"}], "B08R91N3PT": [{"asin": "B08R91N3PT", "instruction": "i am looking for a 55 inch high definition ultra thin tv.", "attributes": ["wall mounted", "high definition", "high resolution"], "options": ["color: 2k online version", "size: 55 inches"], "instruction_attributes": ["high definition"], "instruction_options": ["55 inches"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQKOKE1", "worker_id": "A1EREKSZAA9V7B"}], "B092QP3PQ8": [{"asin": "B092QP3PQ8", "instruction": "i would like a pink body brush that has a long handle.", "attributes": ["double sided", "non slip", "long handle", "dead skin", "sensitive skin"], "options": ["color: pink"], "instruction_attributes": ["long handle"], "instruction_options": ["pink"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKOMD7U", "worker_id": "A1WS884SI0SLO4"}], "B07CZJZQVT": [{"asin": "B07CZJZQVT", "instruction": "i am looking for some 18 inch medium brown synthetic hair extensions.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: medium brown", "size: 18 inch (pack of 1)"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["medium brown", "18 inch (pack of 1)"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA4N8A0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B07CZJZQVT", "instruction": "i want dark blonde hair extensions.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: dark blonde | beach blonde", "size: 18 inch (pack of 1)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["dark blonde | beach blonde"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXREANWR", "worker_id": "A2RBF3IIJP15IH"}], "B09KNCLX49": [{"asin": "B09KNCLX49", "instruction": "i would like a 2xl khaki cardigan that is machine washable.", "attributes": ["hand wash", "machine wash", "laundry bag"], "options": ["color: khaki", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["khaki", "xx-large"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOGVNO7", "worker_id": "A1WS884SI0SLO4"}], "B08532F8QQ": [{"asin": "B08532F8QQ", "instruction": "i'm looking for unisex garden clogs shoes.", "attributes": ["anti slip", "quick drying", "ethylene vinyl", "vinyl acetate"], "options": ["color: black e", "size: 12.5 women | 11 men"], "instruction_attributes": ["anti slip", "quick drying"], "instruction_options": ["12.5 women | 11 men"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R1C0I2B", "worker_id": "A21IUUHBSEVB56"}], "B08S2ZDLGT": [{"asin": "B08S2ZDLGT", "instruction": "i want a 90 by 30 desk with a solid wood frame.", "attributes": ["wall mounted", "steel frame", "solid wood"], "options": ["size: 90x30cm | 35.5x12in-woodcolor"], "instruction_attributes": ["solid wood"], "instruction_options": ["90x30cm | 35.5x12in-woodcolor"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTM8D4M", "worker_id": "A1WS884SI0SLO4"}], "B08CGY86Z7": [{"asin": "B08CGY86Z7", "instruction": "i need a high power cable that is color3", "attributes": ["power amplifier", "high power", "easy install"], "options": ["color: color3"], "instruction_attributes": ["high power"], "instruction_options": ["color3"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8FZ5AA", "worker_id": "A2ECRNQ3X5LEXD"}], "B0971DXLTT": [{"asin": "B0971DXLTT", "instruction": "i want to find a set of four vanity lights that are easy to install. they must be gold.", "attributes": ["easy install", "vanity light", "living room"], "options": ["color: gold", "size: 4 light"], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": ["gold", "4 light"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7M05NW", "worker_id": "A345TDMHP3DQ3G"}], "B005VP1WA6": [{"asin": "B005VP1WA6", "instruction": "i want a gluten free and blueberry coconut rise energy plus bar.", "attributes": ["soy free", "gluten free"], "options": ["flavor name: blueberry coconut", "size: 12 count (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["blueberry coconut"], "assignment_id": "37C0GNLMHQDNI94ED11M493QPC0D6R", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B005VP1WA6", "instruction": "i need a soy free raspberry pomegranate rise energy plus bar.", "attributes": ["soy free", "gluten free"], "options": ["flavor name: raspberry pomegranate", "size: 2.1 ounce"], "instruction_attributes": ["soy free"], "instruction_options": ["raspberry pomegranate"], "assignment_id": "3X08E93BH6SOX0PZ3ET8Y3TY8M2669", "worker_id": "A2RBF3IIJP15IH"}], "B01M4OCTKU": [{"asin": "B01M4OCTKU", "instruction": "i'm looking for spring coil mattress.", "attributes": ["ready use", "queen size", "fully assembled", "assembly required", "box spring"], "options": ["size: queen", "style name: 4\" split foundation"], "instruction_attributes": ["queen size"], "instruction_options": ["queen"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKVS7VP", "worker_id": "A21IUUHBSEVB56"}], "B091DNHMJS": [{"asin": "B091DNHMJS", "instruction": "i am looking for navy color x-large womens long sleeve open front cardigan sweaters", "attributes": ["loose fit", "wash cold", "machine wash", "long sleeve", "dry clean"], "options": ["color: navy", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["navy"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TPY3NR", "worker_id": "A258PTOZ3D2TQR"}], "B09GTWSFKD": [{"asin": "B09GTWSFKD", "instruction": "i am looking for adjustable and quick release pink color smartwatch strap", "attributes": ["quick release", "easy install"], "options": ["color: pink"], "instruction_attributes": ["quick release"], "instruction_options": ["pink"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOHANOO", "worker_id": "A258PTOZ3D2TQR"}], "B0784F82Q5": [{"asin": "B0784F82Q5", "instruction": "i'm looking for a tower pc with a high performance", "attributes": ["certified refurbished", "high performance", "quad core"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMTBW9R", "worker_id": "A2Y2TURT2VEYZN"}], "B0815KZWN7": [{"asin": "B0815KZWN7", "instruction": "i want a 44wide by 30 long active fit pants made of quality materials.", "attributes": ["long lasting", "quality materials"], "options": ["color: delta - active fit", "size: 44w x 30l big tall"], "instruction_attributes": ["quality materials"], "instruction_options": ["delta - active fit", "44w x 30l big tall"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX32V1U9", "worker_id": "A1WS884SI0SLO4"}], "B08KST6KSS": [{"asin": "B08KST6KSS", "instruction": "i am looking for ca perfume club fragrance in the 0.17 fl oz travel size.", "attributes": ["travel size", "long lasting", "high quality"], "options": ["scent: frederic malle vetiver extraordinaire im...", "size: 0.17 fl oz | 5ml"], "instruction_attributes": ["travel size"], "instruction_options": ["0.17 fl oz | 5ml"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP66YVD9", "worker_id": "AK3JMCIGU8MLU"}], "B08KTR8VX5": [{"asin": "B08KTR8VX5", "instruction": "i'm locking for 3 packs of nutpods coconut macaroon.", "attributes": ["lactose free", "shelf stable", "plant based", "dairy free", "zero sugar"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "351SEKWQSBRP7CP60H83T50CFDODMC", "worker_id": "A21IUUHBSEVB56"}], "B0765VSXPX": [{"asin": "B0765VSXPX", "instruction": "i am looking for a pair of women's size 11 pumps with a rubber sole.", "attributes": ["closed toe", "unique design", "rubber sole"], "options": ["color: black fringe", "size: 11"], "instruction_attributes": ["rubber sole"], "instruction_options": ["11"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU77Y75Q", "worker_id": "A1EREKSZAA9V7B"}], "B093YTKGG5": [{"asin": "B093YTKGG5", "instruction": "i would like a laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL7MAE2", "worker_id": "A1WS884SI0SLO4"}], "B095CJCQ5J": [{"asin": "B095CJCQ5J", "instruction": "i need a remote control that has batteries included", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY7TP7O", "worker_id": "A2ECRNQ3X5LEXD"}], "B07J2NP9D9": [{"asin": "B07J2NP9D9", "instruction": "i would like a 6 inch full size brown bed with a steel frame.", "attributes": ["box spring", "memory foam", "steel frame", "solid wood"], "options": ["color: brown", "size: full", "style: 6 inch"], "instruction_attributes": ["steel frame"], "instruction_options": ["brown", "full", "6 inch"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4XPK7K", "worker_id": "A1WS884SI0SLO4"}], "B07FYTP342": [{"asin": "B07FYTP342", "instruction": "i'm looking for a pair mavi's regular rise, classic fit jeans in smoke blue twill in a size 34.", "attributes": ["straight leg", "classic fit"], "options": ["color: smoke blue twill", "size: 32-36"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TWQMPY", "worker_id": "AMI0SOF51O3FW"}], "B08SQDPWJ2": [{"asin": "B08SQDPWJ2", "instruction": "i want a silver makeup travel storage case.", "attributes": ["easy clean", "high quality", "storage case"], "options": ["color: silver", "style: upgrade"], "instruction_attributes": ["storage case"], "instruction_options": ["silver"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCNRBL6", "worker_id": "A2RBF3IIJP15IH"}], "B08Y99HCQZ": [{"asin": "B08Y99HCQZ", "instruction": "i am looking for a 63 inch wide by 72 inch long white curtain for my living room.", "attributes": ["white item", "living room", "dining room"], "options": ["color: color05", "size: 63\"w x 72\"l"], "instruction_attributes": ["white item", "living room"], "instruction_options": ["63\"w x 72\"l"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMSZEXE", "worker_id": "A1EREKSZAA9V7B"}], "B08ZCV9XVC": [{"asin": "B08ZCV9XVC", "instruction": "i am looking for 36 dirt bike themed cupcake toppers for a birthday party.", "attributes": ["cupcake picks", "birthday party", "birthday cake"], "options": ["pattern name: 36 pcs cupcake toppers"], "instruction_attributes": ["birthday party"], "instruction_options": ["36 pcs cupcake toppers"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYYLHVY", "worker_id": "A1EREKSZAA9V7B"}], "B07SJ8WBQ4": [{"asin": "B07SJ8WBQ4", "instruction": "i would like a light pink cosmetic case that is space saving.", "attributes": ["space saving", "storage unit"], "options": ["color: light pink | clear"], "instruction_attributes": ["space saving"], "instruction_options": ["light pink | clear"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V3EFG1", "worker_id": "A1WS884SI0SLO4"}], "B09NQC61MF": [{"asin": "B09NQC61MF", "instruction": "i want to find a plus-sized medium short-sleeve top for women in navy.", "attributes": ["short sleeve", "long sleeve"], "options": ["color: tops for women -a158-navy", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["tops for women -a158-navy", "medium"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV8DD82", "worker_id": "A345TDMHP3DQ3G"}], "B015OA6FYA": [{"asin": "B015OA6FYA", "instruction": "find this product : gomacro macrobar organic vegan protein bars - oatmeal chocolate chip butter (2.4 oz. bars, 12 count) gluten free high protein.", "attributes": ["plant based", "soy free", "certified organic", "high protein", "non gmo", "gluten free"], "options": ["flavor name: oatmeal chocolate chip"], "instruction_attributes": ["plant based", "high protein", "non gmo"], "instruction_options": ["oatmeal chocolate chip"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWTB6W0", "worker_id": "A15IJ20C3R4HUO"}], "B09MFGFQYZ": [{"asin": "B09MFGFQYZ", "instruction": "i want highlighting caps for dyeing hair. it should be easy to use.", "attributes": ["easy use", "hair dye", "hair salon"], "options": [""], "instruction_attributes": ["easy use", "hair dye"], "instruction_options": [], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FKFLER", "worker_id": "A1NF6PELRKACS9"}], "B07KVDKBP4": [{"asin": "B07KVDKBP4", "instruction": "i am looking for a pack of one heavy duty nail clippers", "attributes": ["heavy duty", "long handle"], "options": ["size: 22 inch (pack of 1)"], "instruction_attributes": ["heavy duty"], "instruction_options": ["22 inch (pack of 1)"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KYEJ9X", "worker_id": "A2ECRNQ3X5LEXD"}], "B08N2WX2ZL": [{"asin": "B08N2WX2ZL", "instruction": "i would like to get a mint and matcha tea lip balm that is certified organic.", "attributes": ["cruelty free", "certified organic"], "options": ["scent: mint & matcha tea caffeinated"], "instruction_attributes": ["certified organic"], "instruction_options": ["mint & matcha tea caffeinated"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT4Y3PM", "worker_id": "A1WS884SI0SLO4"}], "B09P3K78W9": [{"asin": "B09P3K78W9", "instruction": "i am looking for a set of white hands free and fast charging ear buds with a charging case.", "attributes": ["fast charging", "hands free"], "options": ["color: white"], "instruction_attributes": ["fast charging", "hands free"], "instruction_options": ["white"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OZ5EYY", "worker_id": "A1EREKSZAA9V7B"}], "B084GF52VR": [{"asin": "B084GF52VR", "instruction": "i am interested in buying hdmi display cable which is gold plated and provides high speed.", "attributes": ["blu ray", "gold plated", "high speed"], "options": [""], "instruction_attributes": ["gold plated", "high speed"], "instruction_options": [], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VOU06Q", "worker_id": "AJY5G987IRT25"}], "B0046NEY9A": [{"asin": "B0046NEY9A", "instruction": "i'm looking for 1 pack of permanent hair dye for my husband; i want the jet black colour but it must make his hair look natural.", "attributes": ["long lasting", "easy use", "permanent hair", "hair dye", "natural hair"], "options": ["color: jet black", "size: 1 count (pack of 1)"], "instruction_attributes": ["permanent hair", "hair dye", "natural hair"], "instruction_options": ["jet black", "1 count (pack of 1)"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT4Z3PN", "worker_id": "A3LIIE572Z4OG7"}], "B08DY4RS68": [{"asin": "B08DY4RS68", "instruction": "i am looking for a solid wood chaise lounge for my living room.", "attributes": ["button tufted", "solid wood", "living room"], "options": [""], "instruction_attributes": ["solid wood", "living room"], "instruction_options": [], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSSZX0N", "worker_id": "A1EREKSZAA9V7B"}], "B09H64NQRY": [{"asin": "B09H64NQRY", "instruction": "i'm looking for premium chunk chicken fully cooked in 12.5 oz (pack of 6)", "attributes": ["fully cooked", "artificial ingredients", "fat free"], "options": ["color: .3.pack 12.5 ounce (pack of 6)", "size: 12.5 ounce (pack of 6)"], "instruction_attributes": ["fully cooked"], "instruction_options": ["12.5 ounce (pack of 6)"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXVTYLQ", "worker_id": "A62B826XMLK7K"}], "B079TZX2S9": [{"asin": "B079TZX2S9", "instruction": "looking for relaxed fit men's dark pajamas with checker pant", "attributes": ["wash cold", "machine wash", "relaxed fit", "tumble dry"], "options": ["color: with checker pant", "size: large"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["with checker pant"], "assignment_id": "39LNWE0K456PSVA11X00BCXJK3NIUX", "worker_id": "A10OGH5CQBXL5N"}], "B081VZDSFQ": [{"asin": "B081VZDSFQ", "instruction": "i'm looking for a stainless steel dental scaler.", "attributes": ["teeth whitening", "stainless steel", "bad breath"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YG1755D", "worker_id": "AR9AU5FY1S3RO"}], "B085317T22": [{"asin": "B085317T22", "instruction": "i want to buy a black colred heavy duty bok case which is easy to assemble and has ample storage space.", "attributes": ["heavy duty", "easy assemble", "contemporary style", "storage space"], "options": ["color: black"], "instruction_attributes": ["heavy duty", "storage space"], "instruction_options": ["black"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLXPFTD", "worker_id": "AHXHM1PQTRWIQ"}], "B09PBDFYCR": [{"asin": "B09PBDFYCR", "instruction": "i'm looking for a women's long sleeve t-shirt in size medium. choose the ones that come in color n04-black.", "attributes": ["wash cold", "short sleeve", "unique design", "polyester cotton", "long sleeve", "daily wear"], "options": ["color: n04-black", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["n04-black", "medium"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DVUK4V", "worker_id": "A3MNXK3VDK37SN"}], "B07NDJPRQM": [{"asin": "B07NDJPRQM", "instruction": "i'm looking for tov ultra modern furniture barstool.", "attributes": ["metal legs", "wood frame"], "options": ["color: blush", "style: barstool"], "instruction_attributes": ["wood frame"], "instruction_options": ["blush", "barstool"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PE7BUN", "worker_id": "A21IUUHBSEVB56"}], "B09N3411B9": [{"asin": "B09N3411B9", "instruction": "i am looking for panoramic ballhead easy install tripod camera mount", "attributes": ["quick release", "easy install", "aluminum alloy"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRR3F9W", "worker_id": "A258PTOZ3D2TQR"}], "B07CH4CN3M": [{"asin": "B07CH4CN3M", "instruction": "i am looking for 4.69 ounce (pack of 4) hand crafted cinnamon caramel flavoured chewy butter caramel candies", "attributes": ["hand crafted", "old fashioned", "individually wrapped", "quality ingredients"], "options": ["flavor name: cinnamon caramel", "size: 4.69 ounce (pack of 4)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["cinnamon caramel", "4.69 ounce (pack of 4)"], "assignment_id": "3HOSI13XHAYM3IJTNO90AFDI6ZPDDN", "worker_id": "A258PTOZ3D2TQR"}], "B06X1FP7ZC": [{"asin": "B06X1FP7ZC", "instruction": "i am looking for a green tea facial scrub.", "attributes": ["green tea", "natural ingredients", "dry skin"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQULES51", "worker_id": "A1EREKSZAA9V7B"}], "B07Y2BP5KF": [{"asin": "B07Y2BP5KF", "instruction": "i am looking for some sugar free sriracha bacon jerky.", "attributes": ["grass fed", "low carb", "high protein", "hand crafted", "low calorie", "keto friendly", "sugar free", "dairy free", "gift basket"], "options": ["flavor name: sriracha bacon jerky", "size: 2 ounce (pack of 12)"], "instruction_attributes": ["sugar free"], "instruction_options": ["sriracha bacon jerky"], "assignment_id": "3NQL1CS152IBVAE6A5W8TMTQOUZYVF", "worker_id": "A1EREKSZAA9V7B"}], "B078MPXY9Z": [{"asin": "B078MPXY9Z", "instruction": "i would like deep concealer for dark circles.", "attributes": ["anti aging", "hyaluronic acid", "dark circles"], "options": ["color: deep (n)"], "instruction_attributes": ["dark circles"], "instruction_options": ["deep (n)"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBV8GIV", "worker_id": "A1WS884SI0SLO4"}], "B096S1HNZ2": [{"asin": "B096S1HNZ2", "instruction": "i'm looking for mid century sofa sleeper for living room.", "attributes": ["mid century", "high density", "metal legs", "living room"], "options": ["color: pink ii"], "instruction_attributes": ["mid century", "metal legs", "living room"], "instruction_options": ["pink ii"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F24MHOS", "worker_id": "A21IUUHBSEVB56"}], "B083GQMJS3": [{"asin": "B083GQMJS3", "instruction": "i need a purple eyeshadow set", "attributes": ["high quality", "eye shadow"], "options": ["color: florescence+purple"], "instruction_attributes": ["eye shadow"], "instruction_options": ["florescence+purple"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DVSK4T", "worker_id": "A2ECRNQ3X5LEXD"}], "B089QCVX27": [{"asin": "B089QCVX27", "instruction": "i want to find a glass tempered screen protector for my huawei p30 lite.", "attributes": ["tempered glass", "glass screen"], "options": ["color: huawei p30 lite"], "instruction_attributes": ["tempered glass", "glass screen"], "instruction_options": ["huawei p30 lite"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPPPE6B", "worker_id": "A345TDMHP3DQ3G"}], "B08QN2KKFG": [{"asin": "B08QN2KKFG", "instruction": "i want the noise cancelling bluetooth earbuds,kurdene wireless earbuds with wireless charging case and the color should be wathet", "attributes": ["noise cancelling", "wireless charging"], "options": ["color: wathet"], "instruction_attributes": ["noise cancelling", "wireless charging"], "instruction_options": ["wathet"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IE8BCL", "worker_id": "A1IL2K0ELYI090"}], "B08M9Q7987": [{"asin": "B08M9Q7987", "instruction": "i am looking for some pink cupcake toppers for a birthday cake.", "attributes": ["birthday cake", "cupcake picks", "baby shower", "birthday party"], "options": ["color: pink"], "instruction_attributes": ["birthday cake"], "instruction_options": ["pink"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTXNL7H", "worker_id": "A1EREKSZAA9V7B"}], "B09MZFJPNY": [{"asin": "B09MZFJPNY", "instruction": "i want to buy sleepwear for women which have elastic waist and are of black color, while also their size should be large.", "attributes": ["comfortable fit", "unique design", "elastic waist", "daily wear"], "options": ["color: black", "size: large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["black", "large"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67W1A7F7", "worker_id": "AJY5G987IRT25"}], "B071XFS47L": [{"asin": "B071XFS47L", "instruction": "i would like a small short signal green track pant with a elastic waist.", "attributes": ["slim fit", "drawstring closure", "elastic waist"], "options": ["color: legacy blue | signal green", "size: small short"], "instruction_attributes": ["elastic waist"], "instruction_options": ["legacy blue | signal green", "small short"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCAN0DO", "worker_id": "A1WS884SI0SLO4"}], "B09C8BWZMP": [{"asin": "B09C8BWZMP", "instruction": "i'm looking for a mini desktop pc with an aluminum alloy case that also has 8 gb of ram and a 240 gb ssd.", "attributes": ["dual band", "aluminum alloy"], "options": ["color: intel xeon e-2186m", "size: 8g ram 240g ssd"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["8g ram 240g ssd"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23S0HQT3", "worker_id": "A2JP9IKRHNLRPI"}], "B08BNKV89Y": [{"asin": "B08BNKV89Y", "instruction": "i'm looking for a quad-core i5 touchscreen laptop computer; specifically with 16 gig ddr4 and 512 gig pcie ssd.", "attributes": ["core i5", "intel core", "quad core"], "options": ["capacity: 16gb ddr4 ram, 512gb pcie ssd"], "instruction_attributes": ["core i5", "quad core"], "instruction_options": ["16gb ddr4 ram, 512gb pcie ssd"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSLA62A", "worker_id": "A3LIIE572Z4OG7"}], "B07Q4J16Y3": [{"asin": "B07Q4J16Y3", "instruction": "i am looking for video recording camera that is easy to use.", "attributes": ["1080p hd", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OMFRT1", "worker_id": "A1Q8PPQQCWGY0D"}], "B07PP3XY3V": [{"asin": "B07PP3XY3V", "instruction": "i want to find a queen-sized safavieh contemporary navy velvet bed in gray.", "attributes": ["queen size", "home furnishings"], "options": ["color: grey", "size: queen"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTSSQO9", "worker_id": "AMI0SOF51O3FW"}], "B09H7HMN8Y": [{"asin": "B09H7HMN8Y", "instruction": "i'm looking for lumbar tassel tufted pillow covers.", "attributes": ["spot clean", "living room"], "options": ["color: red", "size: 18x18 inch"], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTH89NE", "worker_id": "A21IUUHBSEVB56"}], "B09NNBX2SG": [{"asin": "B09NNBX2SG", "instruction": "i'm looking for a woman's long sleeve shirt in a size 5 extra large.", "attributes": ["loose fit", "slim fit", "day comfort", "short sleeve", "long sleeve"], "options": ["color: a28 button down henley shirts black", "size: 5x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["5x-large"], "assignment_id": "3X65QVEQIBXVW21709CD9M35U8TCLG", "worker_id": "A2JP9IKRHNLRPI"}], "B091BSPMBZ": [{"asin": "B091BSPMBZ", "instruction": "i would like a pink hair cutting kit that is easy to use", "attributes": ["easy use", "easy clean", "hair cutting", "hair dye", "hair styling"], "options": ["color: pink"], "instruction_attributes": ["easy use"], "instruction_options": ["pink"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI71GQY7", "worker_id": "A2ECRNQ3X5LEXD"}], "B08PCMR38S": [{"asin": "B08PCMR38S", "instruction": "i'm looking for a rich and creamy low carb ice cream. choose the ones that are best seller.", "attributes": ["rich creamy", "low carb"], "options": ["flavor name: best seller"], "instruction_attributes": ["rich creamy", "low carb"], "instruction_options": ["best seller"], "assignment_id": "3NGMS9VZTWSGZMBL50ZGMFJOUPYFFO", "worker_id": "A3MNXK3VDK37SN"}], "B09JDN73YG": [{"asin": "B09JDN73YG", "instruction": "i would like a color s tongue cleaner for oral hygiene.", "attributes": ["eco friendly", "stainless steel", "oral hygiene"], "options": ["color: s"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["s"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI71IYQH", "worker_id": "A1WS884SI0SLO4"}], "B01N94VSXH": [{"asin": "B01N94VSXH", "instruction": "i am looking for some high quality glitter nail polish that is paraben free.", "attributes": ["highly pigmented", "sulfate free", "paraben free", "cruelty free", "high quality", "nail polish"], "options": ["color: glitter"], "instruction_attributes": ["paraben free", "high quality"], "instruction_options": ["glitter"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC59DRKK", "worker_id": "A1EREKSZAA9V7B"}], "B087JT4GX1": [{"asin": "B087JT4GX1", "instruction": "gold plated micro hdmi to hdmi cable size 50 cm", "attributes": ["gold plated", "high speed", "easy install"], "options": ["color: a1-d2", "size: 50cm"], "instruction_attributes": ["gold plated"], "instruction_options": ["50cm"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0Y15WK", "worker_id": "A3TTGSUBIK1YCL"}], "B07KPY6BKG": [{"asin": "B07KPY6BKG", "instruction": "i want a silver plug and play usb c headphone & microphone adapter.", "attributes": ["plug play", "aluminum alloy"], "options": ["color: silver", "size: usb c, mic mic"], "instruction_attributes": ["plug play"], "instruction_options": ["silver"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQP9311", "worker_id": "A2RBF3IIJP15IH"}], "B08CDV9Y5D": [{"asin": "B08CDV9Y5D", "instruction": "i'm looking for waterproof wildlife hunting trail camera.", "attributes": ["easy install", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKF4NEK", "worker_id": "A21IUUHBSEVB56"}], "B0756MBLNX": [{"asin": "B0756MBLNX", "instruction": "i want a bottle of handcraft ginger tea tree essential oil.", "attributes": ["high quality", "tea tree"], "options": ["scent: ginger", "size: 10 ml (pack of 1)"], "instruction_attributes": ["tea tree"], "instruction_options": ["ginger"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFLU9VH", "worker_id": "A2RBF3IIJP15IH"}], "B0725MDPPC": [{"asin": "B0725MDPPC", "instruction": "looking for high gloss contemporary night stand with stainless steel base and handles also choose colour white", "attributes": ["high gloss", "stainless steel"], "options": ["color: white"], "instruction_attributes": ["high gloss", "stainless steel"], "instruction_options": ["white"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MOYLWL", "worker_id": "A10OGH5CQBXL5N"}], "B013D2ME9Q": [{"asin": "B013D2ME9Q", "instruction": "i am looking for a men's short sleeve denim blue shirt.", "attributes": ["button closure", "short sleeve", "tumble dry"], "options": ["color: denim blue", "size: 6x-large tall"], "instruction_attributes": ["short sleeve"], "instruction_options": ["denim blue"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVPKQ0R", "worker_id": "A1EREKSZAA9V7B"}], "B00WONI1AW": [{"asin": "B00WONI1AW", "instruction": "i want cecemed stop hair loss shampoo.", "attributes": ["hair loss", "hair growth"], "options": [""], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL841D2AXG", "worker_id": "A2RBF3IIJP15IH"}], "B08LVYMMHF": [{"asin": "B08LVYMMHF", "instruction": "can you find a high quality, easy to use nail art tool set that i can use to remove dead skin?", "attributes": ["high quality", "non toxic", "easy use", "nail art", "dead skin"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z1BZ1KE", "worker_id": "AMI0SOF51O3FW"}], "B0936QYXV4": [{"asin": "B0936QYXV4", "instruction": "i need color corrector for my hair salon", "attributes": ["hair dye", "hair salon"], "options": [""], "instruction_attributes": ["hair salon"], "instruction_options": [], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVSZJK0", "worker_id": "AVIEE6LDH0BT5"}], "B09MQLBLDJ": [{"asin": "B09MQLBLDJ", "instruction": "i am looking for light weight background having color a6.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a6", "size: 10x10ft | 3x3m"], "instruction_attributes": ["light weight"], "instruction_options": ["a6"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL33D7QV", "worker_id": "A1Q8PPQQCWGY0D"}], "B06XYDTR2G": [{"asin": "B06XYDTR2G", "instruction": "i am interested in buying cleansing water which is suitable for dry skin and it's dermatologist tested.", "attributes": ["dermatologist tested", "dry skin", "sensitive skin"], "options": [""], "instruction_attributes": ["dermatologist tested", "dry skin"], "instruction_options": [], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2C57Y9", "worker_id": "AJY5G987IRT25"}], "B099231V35": [{"asin": "B099231V35", "instruction": "hello, i'm looking for a pair of cargo pants for everyday casual wear? but also hiking-friendly. also, i want an orange pair please", "attributes": ["slim fit", "straight leg", "elastic waist", "long sleeve", "relaxed fit", "everyday wear"], "options": ["color: orange", "size: small"], "instruction_attributes": ["relaxed fit", "everyday wear"], "instruction_options": ["orange"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWP2VG06", "worker_id": "A2TRV8SEM003GG"}], "B08THJGF1Z": [{"asin": "B08THJGF1Z", "instruction": "i want a color a cotton pad for eye shadow.", "attributes": ["eco friendly", "high quality", "eye shadow"], "options": ["color: a"], "instruction_attributes": ["eye shadow"], "instruction_options": ["a"], "assignment_id": "3NGMS9VZTWSGZMBL50ZGMFJOUOJFF7", "worker_id": "A1WS884SI0SLO4"}], "B09B12G3TT": [{"asin": "B09B12G3TT", "instruction": "i would like a 28 inch by 44 inch style 24 poster that is ready to hang in the living room.", "attributes": ["ready hang", "living room"], "options": ["color: style_24", "size: 28\" x 44\""], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["style_24", "28\" x 44\""], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8RBWSK9", "worker_id": "A1WS884SI0SLO4"}], "B096RWXX6S": [{"asin": "B096RWXX6S", "instruction": "i would like some party supplies that are cupcake toppers.", "attributes": ["non alcoholic", "party supplies", "cupcake picks"], "options": [""], "instruction_attributes": ["party supplies"], "instruction_options": [], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VV6XM4", "worker_id": "A2ECRNQ3X5LEXD"}], "B07CKT4CKB": [{"asin": "B07CKT4CKB", "instruction": "i want love beauty argan oil and lavender tea tree conditioner.", "attributes": ["plant based", "paraben free", "cruelty free", "tea tree", "coconut oil"], "options": ["color: argan oil and lavender"], "instruction_attributes": ["tea tree"], "instruction_options": ["argan oil and lavender"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7K0ZE70", "worker_id": "A2RBF3IIJP15IH"}], "B0872G9J57": [{"asin": "B0872G9J57", "instruction": "i am looking for resilient memory foam loveseat sofa", "attributes": ["mid century", "high density", "memory foam", "solid wood", "wood frame"], "options": ["color: aubergine cross weave", "size: loveseat"], "instruction_attributes": ["memory foam"], "instruction_options": ["loveseat"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI90D5XJ", "worker_id": "A258PTOZ3D2TQR"}], "B089SFCL8R": [{"asin": "B089SFCL8R", "instruction": "i am looking for light weight backgrounds of size 12x10ft.", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 12x10ft"], "instruction_attributes": ["light weight"], "instruction_options": ["12x10ft"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GHVUZE", "worker_id": "A1Q8PPQQCWGY0D"}], "B09R752WN9": [{"asin": "B09R752WN9", "instruction": "i am looking for a 2 pack of fresh breath whitening toothpaste.", "attributes": ["sensitive teeth", "fresh breath", "bad breath"], "options": ["color: 2pcs"], "instruction_attributes": ["fresh breath"], "instruction_options": ["2pcs"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8ST6QV", "worker_id": "A1EREKSZAA9V7B"}], "B0119ZOERO": [{"asin": "B0119ZOERO", "instruction": "i want a mid century adesso table lamp.", "attributes": ["mid century", "metal legs"], "options": ["size: table lamp"], "instruction_attributes": ["mid century"], "instruction_options": ["table lamp"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEMLIX8", "worker_id": "A2RBF3IIJP15IH"}], "B008QZZ88K": [{"asin": "B008QZZ88K", "instruction": "i'm looking for 67.5 ounce cheez-it snack pack.", "attributes": ["ready eat", "individually wrapped"], "options": [""], "instruction_attributes": ["ready eat"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKNK7DK", "worker_id": "A21IUUHBSEVB56"}], "B09Q8WGZ3P": [{"asin": "B09Q8WGZ3P", "instruction": "i want to find an xx-large pair of green women's leggings with a high waist.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: green", "size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["green", "xx-large"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOBBGJN", "worker_id": "A345TDMHP3DQ3G"}], "B09C6N4FVH": [{"asin": "B09C6N4FVH", "instruction": "i want to find some poster prints that i can put in my living room.", "attributes": ["mid century", "dining room", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3BEFOD78WH3C7G6D767AQ16620UM47", "worker_id": "A345TDMHP3DQ3G"}], "B0049W9M5E": [{"asin": "B0049W9M5E", "instruction": "i'm looking for sugar-free double mocha cappuccino mix.", "attributes": ["sugar free", "rich creamy", "easy use"], "options": ["flavor name: salted caramel", "size: 12 ounce (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["12 ounce (pack of 6)"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQSG0PQ", "worker_id": "A21IUUHBSEVB56"}], "B0718XF1ZZ": [{"asin": "B0718XF1ZZ", "instruction": "i'm looking for a replacement remote for my sound bar that includes triple a batteries. i need the color \"xrt303 mgo.\"", "attributes": ["batteries included", "aaa batteries"], "options": ["color: xrt303 mgo"], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": ["xrt303 mgo"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5ZRF42", "worker_id": "AR9AU5FY1S3RO"}], "B09QX1RW8H": [{"asin": "B09QX1RW8H", "instruction": "i would like a toothpaste for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": [""], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ3ENRF", "worker_id": "A1WS884SI0SLO4"}], "B0929KGQWQ": [{"asin": "B0929KGQWQ", "instruction": "i'm looking for a peanut crunch popcorn that could be a perfect gift for my friend.", "attributes": ["old fashioned", "great gift", "perfect gift"], "options": [""], "instruction_attributes": ["perfect gift"], "instruction_options": [], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOAZGJ9", "worker_id": "A3MNXK3VDK37SN"}], "B01MSELGR6": [{"asin": "B01MSELGR6", "instruction": "i would like a high def gold plated hdmi cable.", "attributes": ["blu ray", "high speed", "gold plated", "high definition"], "options": [""], "instruction_attributes": ["gold plated", "high definition"], "instruction_options": [], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0Z1XPI", "worker_id": "A1WS884SI0SLO4"}], "B08Q3NCBHP": [{"asin": "B08Q3NCBHP", "instruction": "i'm looking for shoot digital camera with inspire digital cloth.", "attributes": ["1080p hd", "optical zoom"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYMELQC", "worker_id": "A21IUUHBSEVB56"}], "B08FDC82VY": [{"asin": "B08FDC82VY", "instruction": "i want to find professional binoculars that are easy to carry for birdwatching.", "attributes": ["easy carry", "bird watching"], "options": [""], "instruction_attributes": ["easy carry", "bird watching"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE267QGS", "worker_id": "A345TDMHP3DQ3G"}], "B0147DG6YE": [{"asin": "B0147DG6YE", "instruction": "i am looking for a tablet with a quad core processor and 4g lte.", "attributes": ["quad core", "4g lte"], "options": [""], "instruction_attributes": ["quad core", "4g lte"], "instruction_options": [], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06Q0KXB", "worker_id": "A1EREKSZAA9V7B"}], "B079VM1R2M": [{"asin": "B079VM1R2M", "instruction": "i'm interested in some gold-plated white patio speakers in size 5'' 8\u03c9 | 70v that are easy to install.", "attributes": ["gold plated", "easy install", "wireless bluetooth"], "options": ["color: white", "size: 5'' 8\u03c9 | 70v"], "instruction_attributes": ["gold plated", "easy install"], "instruction_options": ["white", "5'' 8\u03c9 | 70v"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQKOEKV", "worker_id": "AFU00NU09CFXE"}], "B09M78CSZY": [{"asin": "B09M78CSZY", "instruction": "i am looking for 8.5 size green color low heel day comfort short ankle booties for women", "attributes": ["day comfort", "non slip", "quality materials"], "options": ["color: x02-green", "size: 8.5"], "instruction_attributes": ["day comfort"], "instruction_options": ["x02-green", "8.5"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBJCHGO", "worker_id": "A258PTOZ3D2TQR"}], "B08TB3LLT1": [{"asin": "B08TB3LLT1", "instruction": "i'm looking for a handmade chocolate malt balls.", "attributes": ["resealable bag", "great gift"], "options": ["flavor name: christmas", "size: 16 ounce"], "instruction_attributes": ["resealable bag"], "instruction_options": [], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVSWJKX", "worker_id": "A21IUUHBSEVB56"}], "B08Y6W6VTW": [{"asin": "B08Y6W6VTW", "instruction": "i want a pair of black earbud headphones that are water resistant.", "attributes": ["water resistant", "carbon fiber", "stereo sound"], "options": ["color: black"], "instruction_attributes": ["water resistant"], "instruction_options": ["black"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VO7609", "worker_id": "A1WS884SI0SLO4"}], "B07YZQYBVN": [{"asin": "B07YZQYBVN", "instruction": "i want water proof australian gold continuous spray sunscreen with instant bronzer spf 50.", "attributes": ["water resistant", "cruelty free", "tea tree"], "options": ["color: bronzer - new", "style: spf 50"], "instruction_attributes": ["water resistant"], "instruction_options": ["spf 50"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C9JPHI", "worker_id": "A2RBF3IIJP15IH"}], "B093C69MX2": [{"asin": "B093C69MX2", "instruction": "i'd like a couple of packs of meal replacement shakes to satisfy my high-protein, gluten-free diet; i prefer a natural chocolate flavour.", "attributes": ["soy free", "gluten free", "natural flavors"], "options": ["flavor name: chocolate", "size: 2 pack"], "instruction_attributes": ["gluten free", "natural flavors"], "instruction_options": ["chocolate", "2 pack"], "assignment_id": "326O153BMT8RVOXTJJKKGXV36B3DET", "worker_id": "A3LIIE572Z4OG7"}], "B09NZS1VH9": [{"asin": "B09NZS1VH9", "instruction": "i'm looking for a pair of women's non slip work boots with steel toe cap. choose the ones that come in size 9 us.", "attributes": ["non slip", "anti slip", "steel toe"], "options": ["size: 9 us"], "instruction_attributes": ["non slip", "steel toe"], "instruction_options": ["9 us"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMM8ZIB", "worker_id": "A3MNXK3VDK37SN"}], "B09HH8HK2X": [{"asin": "B09HH8HK2X", "instruction": "i would like a white end table with one drawer and 4 basket cabinet for my living room.", "attributes": ["storage unit", "solid wood", "living room", "dining room"], "options": ["color: white", "size: 1 drawer & 4 baskets cabinet"], "instruction_attributes": ["living room"], "instruction_options": ["white", "1 drawer & 4 baskets cabinet"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17XA53YM", "worker_id": "A1WS884SI0SLO4"}], "B09PNKG7G4": [{"asin": "B09PNKG7G4", "instruction": "i'm looking for a full xl sized, ready to use brown mattress.", "attributes": ["ready use", "fully assembled", "assembly required"], "options": ["color: brown", "size: queen", "style: 8\" foundation"], "instruction_attributes": ["ready use"], "instruction_options": ["brown"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBGKOS3", "worker_id": "A2JP9IKRHNLRPI"}], "B07STLK5DH": [{"asin": "B07STLK5DH", "instruction": "i want to buy an ivory and blue area rug that's eight feet long and has a contemporary design.", "attributes": ["contemporary design", "home furnishings"], "options": ["color: ivory | blue", "size: 2'3\" x 8'"], "instruction_attributes": ["contemporary design"], "instruction_options": ["ivory | blue", "2'3\" x 8'"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4RYPKZ", "worker_id": "AR9AU5FY1S3RO"}], "B08P3YR3TZ": [{"asin": "B08P3YR3TZ", "instruction": "i am looking for long lasting pressed powder in the color ivory.", "attributes": ["long lasting", "easy use", "fine lines"], "options": ["color: 1- pressed powder, ivory"], "instruction_attributes": ["long lasting"], "instruction_options": ["1- pressed powder, ivory"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUBMA9A", "worker_id": "AK3JMCIGU8MLU"}], "B0937GRTF5": [{"asin": "B0937GRTF5", "instruction": "i want princess makeanni the pooh cupcake toppers for a birthday party.", "attributes": ["birthday party", "perfect gift"], "options": ["color: princess"], "instruction_attributes": ["birthday party"], "instruction_options": ["princess"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CW3D5TM", "worker_id": "A2RBF3IIJP15IH"}], "B09PLJMDG2": [{"asin": "B09PLJMDG2", "instruction": "i'm looking for a brown, twin size bed frame.", "attributes": ["twin size", "heavy duty", "assembly required", "box spring"], "options": ["color: brown", "size: full"], "instruction_attributes": ["twin size"], "instruction_options": ["brown"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPD11AIL", "worker_id": "AK3JMCIGU8MLU"}], "B07NP6TDRC": [{"asin": "B07NP6TDRC", "instruction": "i would like a four fluid ounce very dark self tanner that is paraben free.", "attributes": ["easy apply", "paraben free"], "options": ["color: very dark", "size: 4 fl oz (pack of 1)"], "instruction_attributes": ["paraben free"], "instruction_options": ["very dark", "4 fl oz (pack of 1)"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTOSV5R", "worker_id": "A1WS884SI0SLO4"}], "B09JTZ2229": [{"asin": "B09JTZ2229", "instruction": "i am interested in buying make up foundation which is tested by dermatologist, and is of golden beige color.", "attributes": ["dermatologist tested", "fine lines"], "options": ["color: golden beige"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["golden beige"], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKXDMJR", "worker_id": "AJY5G987IRT25"}], "B09MD6V3YM": [{"asin": "B09MD6V3YM", "instruction": "i would like a blue mascara brush that applies easily.", "attributes": ["easy apply", "easy carry"], "options": ["color: blue"], "instruction_attributes": ["easy apply"], "instruction_options": ["blue"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NM8KBW", "worker_id": "A1WS884SI0SLO4"}], "B08H6FZ4PH": [{"asin": "B08H6FZ4PH", "instruction": "i would like a on the rise volume liftscara eyeshadow that is cruelty free.", "attributes": ["cruelty free", "highly pigmented"], "options": ["style name: on the rise volume liftscara"], "instruction_attributes": ["cruelty free"], "instruction_options": ["on the rise volume liftscara"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDCO0S7", "worker_id": "A1WS884SI0SLO4"}], "B0949JWNZ2": [{"asin": "B0949JWNZ2", "instruction": "i want a bpa free bottle for makeup.", "attributes": ["leak proof", "bpa free", "travel bottles"], "options": [""], "instruction_attributes": ["bpa free"], "instruction_options": [], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017594PP", "worker_id": "A1WS884SI0SLO4"}], "B09BQMH7P7": [{"asin": "B09BQMH7P7", "instruction": "i am looking for synthetic black gray 101 color hair extensions wig hairpiece", "attributes": ["easy clean", "hair extensions", "natural hair"], "options": ["color: 101"], "instruction_attributes": ["hair extensions"], "instruction_options": ["101"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AOSOEH", "worker_id": "A258PTOZ3D2TQR"}], "B0011N17RU": [{"asin": "B0011N17RU", "instruction": "i would like a plum point and shoot camera with a optical zoom.", "attributes": ["high resolution", "optical zoom"], "options": ["color: plum"], "instruction_attributes": [], "instruction_options": ["plum"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GO6S3S", "worker_id": "A1WS884SI0SLO4"}], "B0185LC8YG": [{"asin": "B0185LC8YG", "instruction": "i'm looking for permanent hair dye color in #c cool darkest brown.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 6am light amber brown", "size: pack of 3"], "instruction_attributes": ["permanent hair", "hair dye"], "instruction_options": [], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLBDCEE", "worker_id": "A62B826XMLK7K"}, {"asin": "B0185LC8YG", "instruction": "i am looking for a long lasting hair color that is light brown and comes in a pack of three.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 6 light brown", "size: pack of 3"], "instruction_attributes": ["long lasting"], "instruction_options": ["6 light brown", "pack of 3"], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EB4B16", "worker_id": "A2ECRNQ3X5LEXD"}], "B07JVP58VR": [{"asin": "B07JVP58VR", "instruction": "i am looking for a gluten free happy hamlet bacon salt gourmet rub.", "attributes": ["certified organic", "gluten free", "kosher certified", "plant based", "non gmo", "artificial flavors"], "options": ["flavor: happy hamlet bacon salt"], "instruction_attributes": ["gluten free"], "instruction_options": ["happy hamlet bacon salt"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMO7XVA", "worker_id": "A1EREKSZAA9V7B"}], "B09BMXK1WD": [{"asin": "B09BMXK1WD", "instruction": "can i request some high performance speakers? also, can you pick the ones that come in white please?", "attributes": ["gold plated", "high performance"], "options": ["color: white", "style: signature"], "instruction_attributes": ["high performance"], "instruction_options": ["white"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOHXNOB", "worker_id": "A2TRV8SEM003GG"}], "B07B9K659S": [{"asin": "B07B9K659S", "instruction": "i want a 1.5 foot long black gold plated hdmi cable.", "attributes": ["gold plated", "blu ray"], "options": ["color: black", "size: 1.5ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["black", "1.5ft"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7ANZYUZ", "worker_id": "A1WS884SI0SLO4"}], "B09MNLV2NY": [{"asin": "B09MNLV2NY", "instruction": "looking for table sofa table for kitchen dining room and also choose colour antique blue", "attributes": ["white item", "storage space", "dining room", "living room"], "options": ["color: antique blue-5"], "instruction_attributes": ["dining room"], "instruction_options": ["antique blue-5"], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVLETU2", "worker_id": "A10OGH5CQBXL5N"}], "B099MC8XFB": [{"asin": "B099MC8XFB", "instruction": "i want small and cotton spandex men's jogger pants.", "attributes": ["elastic closure", "cotton spandex", "elastic waistband", "polyester spandex"], "options": ["color: black-09", "size: small"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["small"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFPYEMF", "worker_id": "A2RBF3IIJP15IH"}], "B09J3B6XR7": [{"asin": "B09J3B6XR7", "instruction": "i am looking for lemongrass eucalyptus & cinnamon apple color candles that are lead free.", "attributes": ["lead free", "soy wax"], "options": ["color: lemongrass eucalyptus & cinnamon apple"], "instruction_attributes": ["lead free"], "instruction_options": ["lemongrass eucalyptus & cinnamon apple"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHPDBQD0", "worker_id": "A1Q8PPQQCWGY0D"}], "B083Q84GLC": [{"asin": "B083Q84GLC", "instruction": "i am looking for light weight wall backgrounds of size 12x8ft.", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 12x8ft"], "instruction_attributes": ["light weight"], "instruction_options": ["12x8ft"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMLGJ1C", "worker_id": "A1Q8PPQQCWGY0D"}], "B076C1LL7R": [{"asin": "B076C1LL7R", "instruction": "i'm looking for anti-aging face and eye serum in the 1.01 ounce size.", "attributes": ["anti aging", "high quality", "dark circles", "fine lines"], "options": ["size: 1.01 ounce lifting & renewing"], "instruction_attributes": ["anti aging"], "instruction_options": ["1.01 ounce lifting & renewing"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA934J3ZN", "worker_id": "AK3JMCIGU8MLU"}], "B08DR2HW2Y": [{"asin": "B08DR2HW2Y", "instruction": "i need a wireless usb charging cable for my boombox; make sure it has adequate output protection.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection", "wireless bluetooth"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1M13UV", "worker_id": "A3LIIE572Z4OG7"}], "B09JL6P8H6": [{"asin": "B09JL6P8H6", "instruction": "help me find a 3-pack of soft and chewy licorice candy twists; i'd like a variety of flavours but it must be fat-free.", "attributes": ["fat free", "resealable bag", "high fructose"], "options": ["flavor name: variety flavor pack", "size: 10 ounce (pack of 3)"], "instruction_attributes": ["fat free"], "instruction_options": ["variety flavor pack", "10 ounce (pack of 3)"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOIS1WU", "worker_id": "A3LIIE572Z4OG7"}], "B004YAUZQG": [{"asin": "B004YAUZQG", "instruction": "i would like a 8 fluid ounce bottle of tea tree lotion.", "attributes": ["tea tree", "sensitive skin"], "options": ["size: 8 fl oz (pack of 1)", "style: lotion"], "instruction_attributes": ["tea tree"], "instruction_options": ["8 fl oz (pack of 1)", "lotion"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFXTJO4", "worker_id": "A1WS884SI0SLO4"}], "B09QMQM1S3": [{"asin": "B09QMQM1S3", "instruction": "i need easy apply pine tar scented mustache wax stick for men", "attributes": ["easy apply", "easy carry", "natural ingredients", "seed oil", "coconut oil"], "options": ["scent: pine tar"], "instruction_attributes": ["easy apply"], "instruction_options": ["pine tar"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFI0U5K", "worker_id": "A258PTOZ3D2TQR"}], "B09SV1J5KS": [{"asin": "B09SV1J5KS", "instruction": "i am looking for tea tree shampoo for natural hair.", "attributes": ["tea tree", "hair loss", "natural hair"], "options": [""], "instruction_attributes": ["tea tree", "natural hair"], "instruction_options": [], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DVZK40", "worker_id": "A1EREKSZAA9V7B"}], "B07H86WY2Y": [{"asin": "B07H86WY2Y", "instruction": "i'm looking for a quick-release replacement fitness strap band; it should match my chic teal fitbit.", "attributes": ["quick release", "stainless steel"], "options": ["color: chic teal"], "instruction_attributes": ["quick release"], "instruction_options": ["chic teal"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q7BWGP", "worker_id": "A3LIIE572Z4OG7"}], "B09MZQ6HD5": [{"asin": "B09MZQ6HD5", "instruction": "i'm looking for a hdmi splitter 1 in 2 out auto scaling.", "attributes": ["high resolution", "blu ray", "plug play"], "options": [""], "instruction_attributes": ["high resolution"], "instruction_options": [], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVJ0BIV", "worker_id": "A21IUUHBSEVB56"}], "B01KUTWRY2": [{"asin": "B01KUTWRY2", "instruction": "i'm looking for a 12 pack pepper jack gluten free cheese.", "attributes": ["keto friendly", "high protein", "low carb", "gluten free"], "options": ["flavor name: pepper jack", "size: 12 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["pepper jack", "12 pack"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUBPA9D", "worker_id": "A3MNXK3VDK37SN"}], "B01GY2FOPS": [{"asin": "B01GY2FOPS", "instruction": "vegan makeup free from animal testing", "attributes": ["cruelty free", "animal testing"], "options": [""], "instruction_attributes": ["animal testing"], "instruction_options": [], "assignment_id": "32XVDSJFPA7242RQ3SOMXM98IM3M2G", "worker_id": "A3TTGSUBIK1YCL"}], "B09C1R93CH": [{"asin": "B09C1R93CH", "instruction": "i am looking for teeth whitening toothpaste of color d.", "attributes": ["teeth whitening", "long lasting", "oral hygiene", "fresh breath"], "options": ["color: d", "size: 1pc"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["d"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JFNSFF", "worker_id": "A1Q8PPQQCWGY0D"}], "B0722MVPVD": [{"asin": "B0722MVPVD", "instruction": "i'm looking for a cruelty free, face highlighter in a unicorn style color.", "attributes": ["animal testing", "cruelty free"], "options": ["color: unicorn", "size: 0.14 fl oz (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["unicorn"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84D6C6A", "worker_id": "A2JP9IKRHNLRPI"}], "B099JWWV1V": [{"asin": "B099JWWV1V", "instruction": "i am looking for easy to use thanksgiving themed cupcake toppers.", "attributes": ["easy use", "party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW2PC1B", "worker_id": "A1EREKSZAA9V7B"}], "B096QMCF7P": [{"asin": "B096QMCF7P", "instruction": "i want to find a monocular telescope for bird-watching that is 12 inches in width and 50 inches in height.", "attributes": ["dust proof", "high performance", "high definition", "bird watching"], "options": ["size: 12*50"], "instruction_attributes": ["bird watching"], "instruction_options": ["12*50"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JFTSFL", "worker_id": "A345TDMHP3DQ3G"}], "B07KKBTHSX": [{"asin": "B07KKBTHSX", "instruction": "i am looking for a heavy duty universal projector case.", "attributes": ["heavy duty", "carrying case"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZN99KH", "worker_id": "A1Q8PPQQCWGY0D"}], "B0928K612B": [{"asin": "B0928K612B", "instruction": "i am looking for a 2-pack of the fanyate antique vanity light fixtures.", "attributes": ["vanity light", "clear glass", "glass shade", "light fixture", "living room", "dining room"], "options": ["color: 2-light", "size: 2-pack"], "instruction_attributes": ["vanity light", "light fixture"], "instruction_options": ["2-pack"], "assignment_id": "3L4D84MILA2GIKONJGE14YNT3BLJHM", "worker_id": "AK3JMCIGU8MLU"}], "B092X4HR76": [{"asin": "B092X4HR76", "instruction": "i would like a intel core i5 desktop mini.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5", "intel core"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1LSU3B", "worker_id": "A1WS884SI0SLO4"}], "B09BRDD7XJ": [{"asin": "B09BRDD7XJ", "instruction": "i'm locking for a smiley face non-slip cushioned slippers.", "attributes": ["non slip", "quick drying"], "options": ["color: yellow", "size: 6-6.5 women | 5-5.5 men"], "instruction_attributes": ["non slip", "quick drying"], "instruction_options": [], "assignment_id": "3NGMS9VZTWSGZMBL50ZGMFJOUPUFFK", "worker_id": "A21IUUHBSEVB56"}], "B092J891H7": [{"asin": "B092J891H7", "instruction": "i am looking for a teal color stainlesss steel strap.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: teal", "size: 42 | 44 | 45mm s | m"], "instruction_attributes": ["stainless steel"], "instruction_options": ["teal"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SZSUDM", "worker_id": "A1Q8PPQQCWGY0D"}], "B00PQ4RM5G": [{"asin": "B00PQ4RM5G", "instruction": "i need gluten free popcorn", "attributes": ["gluten free", "quality ingredients", "high fructose"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI724SD1", "worker_id": "A2ECRNQ3X5LEXD"}], "B08665MY24": [{"asin": "B08665MY24", "instruction": "i am looking for a long lasting gel capsule for fresh breath.", "attributes": ["long lasting", "bad breath", "fresh breath"], "options": [""], "instruction_attributes": ["long lasting", "fresh breath"], "instruction_options": [], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P79JSVB", "worker_id": "A1EREKSZAA9V7B"}], "B097TSZJCM": [{"asin": "B097TSZJCM", "instruction": "i am lookng for hot chocolate mix gift set for gift set in valentine heart box", "attributes": ["gift set", "perfect gift"], "options": ["size: valentine heart box"], "instruction_attributes": ["gift set"], "instruction_options": ["valentine heart box"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72APXOEO", "worker_id": "A258PTOZ3D2TQR"}], "B082CX8PNK": [{"asin": "B082CX8PNK", "instruction": "i'm looking for a pair of woman's olive camo yoga pants that are worn high on the waist.", "attributes": ["tummy control", "high waist", "polyester spandex"], "options": ["color: olive camo", "size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["olive camo"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV6LHB8", "worker_id": "A2JP9IKRHNLRPI"}], "B08679CMWM": [{"asin": "B08679CMWM", "instruction": "i am lookng for a medium size orange color elastic waistband workout gym yoga shorts for men", "attributes": ["quick drying", "moisture wicking", "machine wash", "nylon spandex", "drawstring closure", "elastic waistband", "polyester spandex"], "options": ["color: 21grey&orange", "size: medium"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["21grey&orange", "medium"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70IEFBCS", "worker_id": "A258PTOZ3D2TQR"}], "B09T37VZCK": [{"asin": "B09T37VZCK", "instruction": "i need some high quality covers for a massage bed in my beauty salon; it's 71 x 24 inches and i'd prefer the \"c\" colour.", "attributes": ["high quality", "beauty salon"], "options": ["color: c", "size: 180x60cm(71x24inch)"], "instruction_attributes": ["high quality", "beauty salon"], "instruction_options": ["c", "180x60cm(71x24inch)"], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LIGL0E", "worker_id": "A3LIIE572Z4OG7"}], "B09SXRJYN6": [{"asin": "B09SXRJYN6", "instruction": "i would like a black face kit with green tea.", "attributes": ["easy use", "green tea"], "options": ["color: black"], "instruction_attributes": ["green tea"], "instruction_options": ["black"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJSG9OY", "worker_id": "A1WS884SI0SLO4"}], "B08PTLBGKR": [{"asin": "B08PTLBGKR", "instruction": "i am looking for easy to use travel bottles.", "attributes": ["easy use", "travel bottles"], "options": [""], "instruction_attributes": ["easy use", "travel bottles"], "instruction_options": [], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINX927M", "worker_id": "A1EREKSZAA9V7B"}], "B07D7HXBJS": [{"asin": "B07D7HXBJS", "instruction": "i'm looking for chocolate flavored low calorie, keto friendly protein drinks.", "attributes": ["low carb", "low sugar", "protein serving", "low calorie", "keto friendly", "high protein", "gluten free", "dietary fiber"], "options": ["flavor: chocolate"], "instruction_attributes": ["low calorie", "keto friendly"], "instruction_options": ["chocolate"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS6WVUM", "worker_id": "AR9AU5FY1S3RO"}], "B08BN4RGSP": [{"asin": "B08BN4RGSP", "instruction": "i'm looking for a gift set with an eight ounce bottle of cinnamon dip.", "attributes": ["rich creamy", "gift set", "perfect gift"], "options": ["flavor name: cinnamon", "size: 8 fl oz (pack of 1)"], "instruction_attributes": ["gift set"], "instruction_options": ["cinnamon", "8 fl oz (pack of 1)"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CU1T2Q", "worker_id": "AR9AU5FY1S3RO"}], "B093YVJSWF": [{"asin": "B093YVJSWF", "instruction": "i would like a laundry bag.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOGWNO8", "worker_id": "A1WS884SI0SLO4"}], "B01IL2J5KO": [{"asin": "B01IL2J5KO", "instruction": "i'm looking for women's 1 oz liquid blush that is long lasting.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMUBC9AZ", "worker_id": "ARJDD0Z3R65BD"}], "B097XG5RSW": [{"asin": "B097XG5RSW", "instruction": "i need to order some gold cupcake toppers for a birthday party.", "attributes": ["cupcake picks", "birthday party", "party supplies"], "options": ["pattern name: c-60 gold"], "instruction_attributes": ["birthday party"], "instruction_options": ["c-60 gold"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ7HSI8", "worker_id": "AR9AU5FY1S3RO"}], "B09922X9JM": [{"asin": "B09922X9JM", "instruction": "i want khaki knee high boots for women.", "attributes": ["knee high", "day comfort", "open toe", "quality materials"], "options": ["color: z2-khaki", "size: 5.5"], "instruction_attributes": ["knee high"], "instruction_options": ["z2-khaki"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X028534Y", "worker_id": "A2RBF3IIJP15IH"}], "B00M9Y5V4A": [{"asin": "B00M9Y5V4A", "instruction": "i want to find a pair of brown men's box shoes with rubber soles. they should be a size 11.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: brown | hanging", "size: 11"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown | hanging", "11"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYNULQU", "worker_id": "A345TDMHP3DQ3G"}], "B0986QC9Q7": [{"asin": "B0986QC9Q7", "instruction": "i'm looking for some wild caught solid white albacore. it should be non-gmo and come in five ounce cans. i want to buy a pack of forty-eight.", "attributes": ["wild caught", "non gmo"], "options": ["color: solid white albacore", "size: 5 ounce (pack of 48)"], "instruction_attributes": ["wild caught", "non gmo"], "instruction_options": ["solid white albacore", "5 ounce (pack of 48)"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP34XT7", "worker_id": "AR9AU5FY1S3RO"}], "B07N7WFZVZ": [{"asin": "B07N7WFZVZ", "instruction": "i need a fluoride free toothpaste", "attributes": ["certified organic", "fluoride free"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY86B518V", "worker_id": "AVIEE6LDH0BT5"}], "B0080AS25W": [{"asin": "B0080AS25W", "instruction": "look for trader joe's meyer lemon cookie thins 9oz (255g) my favorite, i really want it, help me if you can.", "attributes": ["trader joe", "artificial colors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK6B3YYQ", "worker_id": "A15IJ20C3R4HUO"}], "B098YPWXJ5": [{"asin": "B098YPWXJ5", "instruction": "i need synthetic sole flats that are blush colored", "attributes": ["open toe", "synthetic sole"], "options": ["color: blush", "size: 11"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["blush"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWGCFNN", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MQB5DVB": [{"asin": "B09MQB5DVB", "instruction": "i want to find a storage basket that i can put in my living room.", "attributes": ["space saving", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYMA6LA", "worker_id": "A345TDMHP3DQ3G"}], "B08JMCB1QF": [{"asin": "B08JMCB1QF", "instruction": "i want white and light weight adidas men's duramo shoes.", "attributes": ["light weight", "regular fit", "rubber sole"], "options": ["color: white | black | black", "size: 12"], "instruction_attributes": ["light weight"], "instruction_options": ["white | black | black"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATBD372", "worker_id": "A2RBF3IIJP15IH"}], "B07Z647R7C": [{"asin": "B07Z647R7C", "instruction": "i need a wall lamp with clear glass.", "attributes": ["wall mounted", "vanity light", "clear glass", "glass shade", "light fixture"], "options": ["color: black"], "instruction_attributes": ["clear glass"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZNJ9KR", "worker_id": "AVIEE6LDH0BT5"}], "B09NN2QPRG": [{"asin": "B09NN2QPRG", "instruction": "am hoping to find interestprint men's lightweight sleep lounge pajama pants machine wash and small size", "attributes": ["machine wash", "elastic waistband"], "options": ["color: multi3", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["small"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UOI4W11", "worker_id": "A1IL2K0ELYI090"}], "B07MBFWHQ3": [{"asin": "B07MBFWHQ3", "instruction": "i'm looking for an x-large, short sleeve top for daily wear in pink with a loose fit.", "attributes": ["loose fit", "short sleeve", "polyester spandex", "daily wear"], "options": ["color: 07 pink", "size: x-large"], "instruction_attributes": ["loose fit", "short sleeve", "daily wear"], "instruction_options": ["07 pink", "x-large"], "assignment_id": "3LRKMWOKBGR239Q9IHEG5O5HXQBZ20", "worker_id": "AFU00NU09CFXE"}], "B09SFC3ZLS": [{"asin": "B09SFC3ZLS", "instruction": "i'm interested in a power amplifier board that is easy to install.", "attributes": ["power amplifier", "easy install"], "options": [""], "instruction_attributes": ["power amplifier", "easy install"], "instruction_options": [], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3OPRYI", "worker_id": "AFU00NU09CFXE"}], "B09MLNYZDQ": [{"asin": "B09MLNYZDQ", "instruction": "i'm looking for a birthday cake for a 5 year old boy that features marvel heroes.", "attributes": ["easy use", "birthday cake", "birthday party"], "options": ["style: 10"], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QV8XO6", "worker_id": "ARJDD0Z3R65BD"}], "B07G6ZG582": [{"asin": "B07G6ZG582", "instruction": "i'm locking for a long sleeve loose plain casual dress with pockets.", "attributes": ["long sleeve", "elastic waist"], "options": ["color: floral light blue", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EBD76U8", "worker_id": "A21IUUHBSEVB56"}], "B07BLYRFR9": [{"asin": "B07BLYRFR9", "instruction": "i am looking for a 7 foot by 7 foot light weight and easy to carry fairytale themed photography background.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 7x7ft"], "instruction_attributes": ["light weight", "easy carry"], "instruction_options": ["7x7ft"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1QKTIN", "worker_id": "A1EREKSZAA9V7B"}], "B001KUSZ1A": [{"asin": "B001KUSZ1A", "instruction": "i need a long usb cable with speed in the beige color.", "attributes": ["high power", "high speed"], "options": ["color: beige", "size: 6.6 feet", "style: usb a male to 4 port usb a female"], "instruction_attributes": ["high speed"], "instruction_options": ["beige"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q76EH9U", "worker_id": "AVIEE6LDH0BT5"}], "B09K3TMTY4": [{"asin": "B09K3TMTY4", "instruction": "i would like a black 63\" entertainment center that is easy to assemble.", "attributes": ["easy assemble", "high gloss", "tempered glass", "living room"], "options": ["color: black-63\""], "instruction_attributes": ["easy assemble"], "instruction_options": ["black-63\""], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QGF1M4", "worker_id": "A1WS884SI0SLO4"}], "B09LXVF5RR": [{"asin": "B09LXVF5RR", "instruction": "i want a wireless bluetooth headset.", "attributes": ["high definition", "stereo sound", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7K0XE7Y", "worker_id": "A1WS884SI0SLO4"}], "B0889MHYWT": [{"asin": "B0889MHYWT", "instruction": "i'm looking for beef jerky with a sweet smoked flavor that is high in protein.", "attributes": ["grass fed", "high protein", "individually wrapped", "shelf stable", "ready eat", "gluten free"], "options": ["flavor name: sweet smoked"], "instruction_attributes": ["high protein"], "instruction_options": ["sweet smoked"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4MJ8MT", "worker_id": "A2JP9IKRHNLRPI"}], "B07MHGDC71": [{"asin": "B07MHGDC71", "instruction": "i would like a resealable bag of peanut brittle.", "attributes": ["old fashioned", "resealable bag"], "options": [""], "instruction_attributes": ["resealable bag"], "instruction_options": [], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40L3NXH", "worker_id": "A1WS884SI0SLO4"}], "B00LGRXL2K": [{"asin": "B00LGRXL2K", "instruction": "i want to find in the color deep pink men's wool jogger pants brand southpole model active basic. be quick in your help i'm waiting. that can be machine washed", "attributes": ["machine wash", "elastic closure"], "options": ["color: deep pink", "size: 4x-large", "style: basic active fleece jogger pants"], "instruction_attributes": ["machine wash"], "instruction_options": ["deep pink"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQ1U4B4", "worker_id": "A15IJ20C3R4HUO"}], "B089GKSZH7": [{"asin": "B089GKSZH7", "instruction": "i want an lnafirenze and highly pigmented matte liquid lipstick set.", "attributes": ["highly pigmented", "easy apply", "cruelty free"], "options": ["pattern name: lnafirenze"], "instruction_attributes": ["highly pigmented"], "instruction_options": ["lnafirenze"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG55450", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B089GKSZH7", "instruction": "i am looking high quality waterproof highly pigmented easy apply cruelty free long lasting lip glosses inafirenze pattern", "attributes": ["highly pigmented", "easy apply", "cruelty free"], "options": ["pattern name: lnafirenze"], "instruction_attributes": ["highly pigmented", "easy apply", "cruelty free"], "instruction_options": ["lnafirenze"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC4LNIV", "worker_id": "A3N9ZYQAESNFQH"}], "B09H3Z8QVF": [{"asin": "B09H3Z8QVF", "instruction": "i am looking for a high power high definition sound bars", "attributes": ["high power", "high definition"], "options": [""], "instruction_attributes": ["high power", "high definition"], "instruction_options": [], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y2OJ5Z", "worker_id": "A9QRQL9CFJBI7"}], "B081N4PHWC": [{"asin": "B081N4PHWC", "instruction": "i want a curly hair black brown synthetic hairpiece.", "attributes": ["high quality", "hair extensions", "synthetic hair"], "options": ["color: 2# black brown-8\" (black cap)", "size: curly hair-inseparable"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["2# black brown-8\" (black cap)", "curly hair-inseparable"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZF8AP9", "worker_id": "A1WS884SI0SLO4"}], "B08R1PD541": [{"asin": "B08R1PD541", "instruction": "i want to buy cake toppers suitable for a baby shower event.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q9HII8", "worker_id": "AJY5G987IRT25"}], "B09R29WVRM": [{"asin": "B09R29WVRM", "instruction": "i want an espresso prepac astrid 6 drawer solid wood tall chest.", "attributes": ["white item", "white finish", "solid wood"], "options": ["color: espresso", "size: 6-drawer dresser"], "instruction_attributes": ["solid wood"], "instruction_options": ["espresso"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34P041I", "worker_id": "A2RBF3IIJP15IH"}], "B00AW98LMI": [{"asin": "B00AW98LMI", "instruction": "i want a biscuit revlon colorstay concealer for dark circles.", "attributes": ["long lasting", "high quality", "dark circles"], "options": ["color: biscuit"], "instruction_attributes": ["dark circles"], "instruction_options": ["biscuit"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO9N33T", "worker_id": "A2RBF3IIJP15IH"}], "B08XWZSS3T": [{"asin": "B08XWZSS3T", "instruction": "i need a 38mm smartwatch case with glass screen", "attributes": ["compatible apple", "easy install", "glass screen", "tempered glass"], "options": ["color: green | rosegold", "size: 38 mm"], "instruction_attributes": ["glass screen"], "instruction_options": ["38 mm"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI3ETDBW", "worker_id": "AVIEE6LDH0BT5"}], "B08GKKTMP9": [{"asin": "B08GKKTMP9", "instruction": "i would like easy to apply halloween temp zombie tattoos", "attributes": ["easy apply", "non toxic", "long lasting"], "options": ["color: zombie tattoos"], "instruction_attributes": ["easy apply"], "instruction_options": ["zombie tattoos"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBC0J4Q2", "worker_id": "A1WS884SI0SLO4"}], "B09NQC8SNJ": [{"asin": "B09NQC8SNJ", "instruction": "i am looking for a small slim fit nightgowns & sleepshirts", "attributes": ["slim fit", "quality polyester", "unique design"], "options": ["color: off-white", "size: small"], "instruction_attributes": ["slim fit"], "instruction_options": ["small"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F71V5PM", "worker_id": "A9QRQL9CFJBI7"}], "B09PNGB456": [{"asin": "B09PNGB456", "instruction": "i want a abstract wall art with the boho color", "attributes": ["mid century", "long lasting", "living room", "dining room"], "options": ["color: boho decor abstract wall art"], "instruction_attributes": ["dining room"], "instruction_options": ["boho decor abstract wall art"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PEIBUY", "worker_id": "AVIEE6LDH0BT5"}], "B08F5G34L1": [{"asin": "B08F5G34L1", "instruction": "i want a pair of 7.5 gray shoes with moisture wicking.", "attributes": ["slip resistant", "moisture wicking", "steel toe", "lace closure"], "options": ["color: grey | black | white", "size: 7.5"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["grey | black | white", "7.5"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E97HXF", "worker_id": "A1WS884SI0SLO4"}], "B09KXVVQ88": [{"asin": "B09KXVVQ88", "instruction": "i would like a high resolution tablet", "attributes": ["dual band", "high resolution", "high definition"], "options": [""], "instruction_attributes": ["high resolution"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL32AVN", "worker_id": "A2ECRNQ3X5LEXD"}], "B08M5XCD52": [{"asin": "B08M5XCD52", "instruction": "i want xx-large biker shorts for women high waist.", "attributes": ["moisture wicking", "high waist"], "options": ["color: spacedye orange", "size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["xx-large"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGOPO04", "worker_id": "A2RBF3IIJP15IH"}], "B00ME8CKBS": [{"asin": "B00ME8CKBS", "instruction": "search for an ac adapter with output protection.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSNI8B7", "worker_id": "A15ERD4HOFEPHM"}], "B0742LVGX7": [{"asin": "B0742LVGX7", "instruction": "i want to buy a skin cream which is fragrance free and it is for smoothing eye contour.", "attributes": ["anti aging", "fragrance free", "dark circles"], "options": ["style name: smoothing eye contour"], "instruction_attributes": ["fragrance free"], "instruction_options": ["smoothing eye contour"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQH791C", "worker_id": "AJY5G987IRT25"}], "B09J13M3P9": [{"asin": "B09J13M3P9", "instruction": "i would like a 69 wide by 36 tall gray roller shade that is eco friendly.", "attributes": ["eco friendly", "stainless steel", "living room"], "options": ["color: gray light filtering", "size: 69w x 36h"], "instruction_attributes": ["eco friendly"], "instruction_options": ["gray light filtering", "69w x 36h"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQNDE10T", "worker_id": "A1WS884SI0SLO4"}], "B07CMWK5SV": [{"asin": "B07CMWK5SV", "instruction": "i am looking for short sleeve medium size blush t shirt tops blouse for women", "attributes": ["short sleeve", "polyester cotton"], "options": ["color: blush", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["blush", "medium"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMZCSA4", "worker_id": "A258PTOZ3D2TQR"}], "B08QJ9WXGB": [{"asin": "B08QJ9WXGB", "instruction": "i'm looking for a band for my apple watch that will fit at 38, 40 or 41mm that is easy for me to install.", "attributes": ["compatible apple", "quick release", "easy install"], "options": ["color: green arrow", "size: 38mm | 40mm | 41mm"], "instruction_attributes": ["easy install"], "instruction_options": ["38mm | 40mm | 41mm"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1HOXC8", "worker_id": "A2JP9IKRHNLRPI"}, {"asin": "B08QJ9WXGB", "instruction": "i am looking for stretchy band compatible with apple watch band 42mm", "attributes": ["compatible apple", "quick release", "easy install"], "options": ["color: colorful rope", "size: 42mm | 44mm | 45mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["42mm | 44mm | 45mm"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UUDG1L", "worker_id": "A258PTOZ3D2TQR"}], "B07ZQBJFK4": [{"asin": "B07ZQBJFK4", "instruction": "i am looking for a pair of women's red and green machine washable pants with pockets.", "attributes": ["wide leg", "machine washable", "loose fit", "hand wash", "machine wash", "high waist", "daily wear"], "options": ["color: red+green", "size: 3x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["red+green"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FK5ELA", "worker_id": "A1EREKSZAA9V7B"}], "B06XQV18WL": [{"asin": "B06XQV18WL", "instruction": "i want to find a beige set of blackout curtains that are 54 inches in width and 72 inches in length for my living room.", "attributes": ["white item", "living room"], "options": ["color: beige", "size: w54 x l72"], "instruction_attributes": ["living room"], "instruction_options": ["beige", "w54 x l72"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AP9OE0", "worker_id": "A345TDMHP3DQ3G"}], "B096RTNQFS": [{"asin": "B096RTNQFS", "instruction": "i'm looking for an easy to use case for iphone 12 pro max in color black.", "attributes": ["easy use", "wireless charging"], "options": ["color: black"], "instruction_attributes": ["easy use"], "instruction_options": ["black"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4MB89R", "worker_id": "A62B826XMLK7K"}], "B0978XC32J": [{"asin": "B0978XC32J", "instruction": "i am interested in buying sparkling water which is made of simple ingredients and has raspberry lime flavor.", "attributes": ["gluten free", "simple ingredients"], "options": ["flavor name: raspberry lime"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["raspberry lime"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCK34DNI", "worker_id": "AJY5G987IRT25"}, {"asin": "B0978XC32J", "instruction": "i am looking for gluten free water. please choose black cherry flavor.", "attributes": ["gluten free", "simple ingredients"], "options": ["flavor name: black cherry"], "instruction_attributes": ["gluten free"], "instruction_options": ["black cherry"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZH3MK6", "worker_id": "A3FG5PQHG5AH3Y"}], "B08YDPFDJL": [{"asin": "B08YDPFDJL", "instruction": "i want to buy a cable for guitar which is gold plated is a splitter cord with a length of 50ft.", "attributes": ["gold plated", "aluminum alloy"], "options": ["color: 1 | 8 to 2x1 | 4 y splitter cord", "size: 50ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["1 | 8 to 2x1 | 4 y splitter cord", "50ft"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNYAC0US", "worker_id": "AJY5G987IRT25"}], "B09MZLPKFJ": [{"asin": "B09MZLPKFJ", "instruction": "i am looking for a 4 pack of white chocolate macadamia cookies that are chipmonk cookies brand, low carb and gluten free.", "attributes": ["low carb", "high protein", "gluten free", "grain free", "low sugar", "low calorie", "sugar free", "quality ingredients"], "options": ["color: white chocolate macadamia", "size: 4 pack"], "instruction_attributes": ["low carb", "gluten free"], "instruction_options": ["white chocolate macadamia", "4 pack"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDBA64YD", "worker_id": "AK3JMCIGU8MLU"}], "B09263DSYV": [{"asin": "B09263DSYV", "instruction": "screen protector: 41\"w x 72\"h easy to install", "attributes": ["easy install", "easy clean"], "options": ["color: beige", "size: 41\"w x 72\"h"], "instruction_attributes": ["easy install"], "instruction_options": ["41\"w x 72\"h"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5ZF4FF", "worker_id": "A3TTGSUBIK1YCL"}], "B01M6YL425": [{"asin": "B01M6YL425", "instruction": "i am looking for white color floor lamps having bronze finish.", "attributes": ["assembly required", "bronze finish", "glass shade"], "options": ["color: white | white"], "instruction_attributes": ["bronze finish"], "instruction_options": ["white | white"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHRAFC04", "worker_id": "A1Q8PPQQCWGY0D"}], "B01FR6K40C": [{"asin": "B01FR6K40C", "instruction": "looking for keto friendly jumbo sunflower seeds", "attributes": ["keto friendly", "dietary fiber"], "options": [""], "instruction_attributes": ["keto friendly"], "instruction_options": [], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGHN9SZ", "worker_id": "A10OGH5CQBXL5N"}], "B08MXC3R4R": [{"asin": "B08MXC3R4R", "instruction": "i'm looking for a cheese platter that i can include in a gift basket.", "attributes": ["perfect gift", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTIRD5F", "worker_id": "A2JP9IKRHNLRPI"}], "B08TC5FP4B": [{"asin": "B08TC5FP4B", "instruction": "i am looking for some red heart cupcake toppers for a birthday cake.", "attributes": ["valentine day", "cupcake picks", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTURE58", "worker_id": "A1EREKSZAA9V7B"}], "B083JY7VQ7": [{"asin": "B083JY7VQ7", "instruction": "i'm looking for a size 12, casual woman's dress without sleeves.", "attributes": ["imported zipper", "polyester spandex", "dry clean"], "options": ["color: ochre tulip sleeve", "size: 12"], "instruction_attributes": ["dry clean"], "instruction_options": ["12"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGG8MSP", "worker_id": "A2JP9IKRHNLRPI"}], "B007W9G3FS": [{"asin": "B007W9G3FS", "instruction": "i want a bottle of act total care alcohol free mouthwash.", "attributes": ["alcohol free", "bad breath"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUFF7LVM", "worker_id": "A2RBF3IIJP15IH"}], "B0999K1GCN": [{"asin": "B0999K1GCN", "instruction": "i want to find a blue toothbrush that can help me take care of my oral hygiene.", "attributes": ["teeth whitening", "oral hygiene"], "options": ["color: blue b09"], "instruction_attributes": ["oral hygiene"], "instruction_options": ["blue b09"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVQ9LXJ", "worker_id": "A345TDMHP3DQ3G"}], "B07QJ1GBZ3": [{"asin": "B07QJ1GBZ3", "instruction": "hello, i'm looking for dermatologist approved sunblock that leaves no scent? also, i want 3.4 fl oz", "attributes": ["dermatologist tested", "fragrance free"], "options": ["size: 3.4 fl oz"], "instruction_attributes": ["dermatologist tested", "fragrance free"], "instruction_options": ["3.4 fl oz"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKPVPVB", "worker_id": "A2TRV8SEM003GG"}], "B08FRM5ZCT": [{"asin": "B08FRM5ZCT", "instruction": "i need bread that is gluten free and bbq cheddar flavored", "attributes": ["gluten free", "protein serving", "simple ingredients", "source vitamin"], "options": ["flavor: bbq cheddar", "size: 0.8 ounce (pack of 36)", "style: crackers + baking mix"], "instruction_attributes": ["gluten free"], "instruction_options": ["bbq cheddar"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS6VG9O", "worker_id": "A2ECRNQ3X5LEXD"}], "B074KJ5LD3": [{"asin": "B074KJ5LD3", "instruction": "i would like a pair of 38 wide by 28 long standard dark indigo flex jeans that are regular fit.", "attributes": ["day comfort", "machine wash", "regular fit", "imported zipper", "button closure"], "options": ["color: dark indigo flex", "size: 38w x 28l", "special size: standard"], "instruction_attributes": ["regular fit"], "instruction_options": ["dark indigo flex", "38w x 28l", "standard"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINX227F", "worker_id": "A1WS884SI0SLO4"}], "B000MHCDWO": [{"asin": "B000MHCDWO", "instruction": "i'm looking for a twelve pack of 1.5 ounce packages of almonds that are high in protein.", "attributes": ["high protein", "source vitamin"], "options": ["flavor name: spicy dill pickle", "size: 1.5 ounce (pack of 12)"], "instruction_attributes": ["high protein"], "instruction_options": ["1.5 ounce (pack of 12)"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PEMBU2", "worker_id": "A2JP9IKRHNLRPI"}], "B071ZZB5QC": [{"asin": "B071ZZB5QC", "instruction": "i would like a 16 inch by 16 inch yellow gray throw pillow cover that is machine washable.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: yellow grey", "size: 16\" x 16\""], "instruction_attributes": ["machine washable"], "instruction_options": ["yellow grey", "16\" x 16\""], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYH2822", "worker_id": "A1WS884SI0SLO4"}], "B097TQG3F6": [{"asin": "B097TQG3F6", "instruction": "i need white walking shoes with arch support.", "attributes": ["loose fit", "arch support", "closed toe", "ankle strap"], "options": ["color: white", "size: 6.5-7"], "instruction_attributes": ["arch support"], "instruction_options": ["white"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRWK2YP", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BKYG8W9": [{"asin": "B08BKYG8W9", "instruction": "i am looking for blue dragonfly color wall light for my living room.", "attributes": ["easy install", "light fixture", "living room"], "options": ["color: blue dragonfly"], "instruction_attributes": ["living room"], "instruction_options": ["blue dragonfly"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO9T2RB", "worker_id": "A1Q8PPQQCWGY0D"}], "B08G4ZNRGP": [{"asin": "B08G4ZNRGP", "instruction": "i need hands free matte black cell phone holder for car dashboard windshield", "attributes": ["hands free", "carbon fiber"], "options": ["color: matte black"], "instruction_attributes": ["hands free"], "instruction_options": ["matte black"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXC6FCD", "worker_id": "A258PTOZ3D2TQR"}], "B095N7NT78": [{"asin": "B095N7NT78", "instruction": "i want silver cooki rhinestone open toe sandals.", "attributes": ["open toe", "teen girls", "daily wear"], "options": ["color: z92 silver", "size: 6.5-7"], "instruction_attributes": ["open toe"], "instruction_options": ["z92 silver"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FH4LZ4A", "worker_id": "A2RBF3IIJP15IH"}], "B078HV1Y6J": [{"asin": "B078HV1Y6J", "instruction": "i would like a bpa free jar.", "attributes": ["leak proof", "bpa free"], "options": [""], "instruction_attributes": ["bpa free"], "instruction_options": [], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIJGVFM", "worker_id": "A1WS884SI0SLO4"}], "B09CW73S5Z": [{"asin": "B09CW73S5Z", "instruction": "may i have machine wash, short sleeve of lands' end men's short sleeve super soft supima polo shirt, the large size.", "attributes": ["machine washable", "machine wash", "short sleeve", "quality materials", "button closure", "long sleeve"], "options": ["color: golden candle light", "size: large"], "instruction_attributes": ["machine wash", "short sleeve"], "instruction_options": ["large"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA508AF", "worker_id": "A1IL2K0ELYI090"}], "B09GM8S6GJ": [{"asin": "B09GM8S6GJ", "instruction": "i am looking for a pair of easy to assemble beige chairs for my living room.", "attributes": ["button tufted", "high density", "easy assemble", "solid wood", "living room"], "options": ["color: beige", "item package quantity: 1"], "instruction_attributes": ["easy assemble", "living room"], "instruction_options": ["beige"], "assignment_id": "3WR9XG3T6ELTMDZQ305L7J9G7BT478", "worker_id": "A1EREKSZAA9V7B"}], "B094RC6NSX": [{"asin": "B094RC6NSX", "instruction": "i want a pair of size 7 wide taupe loafers with arch support.", "attributes": ["arch support", "relaxed fit"], "options": ["color: taupe", "size: 7 wide"], "instruction_attributes": ["arch support"], "instruction_options": ["taupe", "7 wide"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21R3FQE", "worker_id": "A1WS884SI0SLO4"}], "B004C0JXD4": [{"asin": "B004C0JXD4", "instruction": "i need a pack of long lasting permanent hair dye in a cr\u00e8me format; my shade is 6rb light reddish brown.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 6rb light reddish brown", "size: 1 count (pack of 1)"], "instruction_attributes": ["long lasting", "permanent hair", "hair dye"], "instruction_options": ["6rb light reddish brown", "1 count (pack of 1)"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBJNDJ2", "worker_id": "A3LIIE572Z4OG7"}], "B084HLXLKG": [{"asin": "B084HLXLKG", "instruction": "i want to get some low calorie margarita mix. look for a four pack.", "attributes": ["low calorie", "low carb", "gluten free"], "options": ["flavor: margarita", "size: 32 fl oz (pack of 4)"], "instruction_attributes": ["low calorie"], "instruction_options": ["margarita", "32 fl oz (pack of 4)"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVL51PF", "worker_id": "AR9AU5FY1S3RO"}], "B08GM7DTFP": [{"asin": "B08GM7DTFP", "instruction": "i need a pack of 2 fine-tooth dressing combs that are effective in styling as well as preventing hair loss.", "attributes": ["hair styling", "hair loss"], "options": ["color: a-tortoiseshell", "size: 2 pack"], "instruction_attributes": ["hair styling", "hair loss"], "instruction_options": ["2 pack"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OLAL5HH", "worker_id": "A3LIIE572Z4OG7"}], "B081DB3BKN": [{"asin": "B081DB3BKN", "instruction": "i am looking for trader joe's chocolate covered shortbread cookies.", "attributes": ["trader joe", "chocolate covered"], "options": [""], "instruction_attributes": ["trader joe", "chocolate covered"], "instruction_options": [], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OZ4YEH", "worker_id": "A1EREKSZAA9V7B"}], "B093KD454D": [{"asin": "B093KD454D", "instruction": "i'm looking for a laundry bag that is designed for delicate blouses and hosiery.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UYUY0V", "worker_id": "AFU00NU09CFXE"}], "B000XB34TK": [{"asin": "B000XB34TK", "instruction": "make this purchase for me: david's cookies - 24 fresh baked chocolate cookies gourmet gift basket, assorted flavors.tks", "attributes": ["perfect gift", "gift basket"], "options": ["flavor name: assorted flavors", "size: 12 count (pack of 1)"], "instruction_attributes": ["gift basket"], "instruction_options": ["assorted flavors"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV6GHB3", "worker_id": "A15IJ20C3R4HUO"}, {"asin": "B000XB34TK", "instruction": "i need chocolate chunk cookies for my gift basket.", "attributes": ["perfect gift", "gift basket"], "options": ["flavor name: chocolate chunk", "size: 24 count"], "instruction_attributes": ["gift basket"], "instruction_options": ["chocolate chunk"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LZQDC0", "worker_id": "AVIEE6LDH0BT5"}], "B09F2DS41B": [{"asin": "B09F2DS41B", "instruction": "find bluetooth speaks with stereo sound", "attributes": ["water resistant", "stereo sound", "wireless bluetooth"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95W5QXM", "worker_id": "AVIEE6LDH0BT5"}], "B09LC168ZB": [{"asin": "B09LC168ZB", "instruction": "i'm looking for a fast charging wireless bluetooth headphone.", "attributes": ["fast charging", "high definition"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84D26C0", "worker_id": "A3MNXK3VDK37SN"}], "B08LX46PXG": [{"asin": "B08LX46PXG", "instruction": "i am looking for a box of chocolate covered caramels and nuts.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: caramels & nuts", "size: 9.4 ounce (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["caramels & nuts"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI8TT3T", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08LX46PXG", "instruction": "i want russell stover pecan delights for valentine's day.", "attributes": ["chocolate covered", "valentine day", "perfect gift"], "options": ["flavor name: pecan delights", "size: 8.1 ounce (pack of 1)"], "instruction_attributes": ["valentine day"], "instruction_options": ["pecan delights"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYQBZO0", "worker_id": "A2RBF3IIJP15IH"}], "B09RGMG3JW": [{"asin": "B09RGMG3JW", "instruction": "i would like a white 2xl white sleep set with a elastic waist", "attributes": ["slim fit", "hand wash", "machine wash", "elastic waistband", "relaxed fit", "polyester spandex", "laundry bag"], "options": ["color: white", "size: xx-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["white", "xx-large"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVKDZS6", "worker_id": "A1WS884SI0SLO4"}], "B008MWLO4O": [{"asin": "B008MWLO4O", "instruction": "can you find a 10\" high performance 200 watt, osd in-wall sub-woofer that is trimless 8\" and allows me to customize the grill.", "attributes": ["high performance", "easy install"], "options": ["size: trimless 8 in"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "32SCWG5HISEW7674IASH43KF3WC6P9", "worker_id": "AMI0SOF51O3FW"}], "B08VY5WHQB": [{"asin": "B08VY5WHQB", "instruction": "i need a classic fit pastel goth black girl lolita princess court dress with lemon color.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: lemon", "fit type: women", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["lemon"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WZ1A14", "worker_id": "A1IL2K0ELYI090"}], "B08YJML6FS": [{"asin": "B08YJML6FS", "instruction": "i need 16.5 inch dining room chair pads", "attributes": ["super soft", "dining room"], "options": ["color: dinosaur round", "size: 42cm | 16.5in"], "instruction_attributes": ["dining room"], "instruction_options": ["42cm | 16.5in"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK24CTKNU", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PGH5PQK": [{"asin": "B07PGH5PQK", "instruction": "i need a large size white color line art graphic needle sleeve t-shirt for women", "attributes": ["officially licensed", "needle sleeve", "classic fit", "star wars"], "options": ["color: white", "fit type: women", "size: large"], "instruction_attributes": ["needle sleeve"], "instruction_options": ["white", "large"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPNVNJ0", "worker_id": "A258PTOZ3D2TQR"}], "B09RH3JJLF": [{"asin": "B09RH3JJLF", "instruction": "i am looking for a pair of men's khaki cargo shorts with an elastic waist.", "attributes": ["slim fit", "fleece lined", "loose fit", "elastic waist"], "options": ["color: c#khaki", "size: 3x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["c#khaki"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB18VUL3", "worker_id": "A1EREKSZAA9V7B"}], "B096Y4T4Q6": [{"asin": "B096Y4T4Q6", "instruction": "i would like a pair of size 6.5 black flats with a ankle strap.", "attributes": ["open toe", "light weight", "ankle strap", "soft material", "teen girls"], "options": ["color: #01 black", "size: 6.5-7"], "instruction_attributes": ["ankle strap"], "instruction_options": ["#01 black", "6.5-7"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG1QWT5", "worker_id": "A1WS884SI0SLO4"}], "B08MVFP7TN": [{"asin": "B08MVFP7TN", "instruction": "can you find me an bulk sized almond joy, gluten free size large.", "attributes": ["individually wrapped", "gluten free"], "options": ["size: large (pack of 1)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLXC9CFD", "worker_id": "AMI0SOF51O3FW"}], "B09SVF8YJ7": [{"asin": "B09SVF8YJ7", "instruction": "i would like to buy a shirt for men which has short sleeves, and is of green color, and the size i want it to be should be medium.", "attributes": ["light weight", "machine washable", "long sleeve", "short sleeve"], "options": ["color: green", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["green", "medium"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CHP0VL", "worker_id": "AJY5G987IRT25"}], "B01I6QA16C": [{"asin": "B01I6QA16C", "instruction": "i am looking for daily casual xx-large cocktail dress, floral color", "attributes": ["daily casual", "cotton spandex"], "options": ["color: 1a-floral-5", "size: xx-large"], "instruction_attributes": ["daily casual"], "instruction_options": ["1a-floral-5", "xx-large"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIOIEF4", "worker_id": "A258PTOZ3D2TQR"}], "B07S9X3LF4": [{"asin": "B07S9X3LF4", "instruction": "i want an agerios moroccan argan oil instant repaired hair mask.", "attributes": ["argan oil", "dry hair", "hair treatment", "damaged hair", "hair loss"], "options": [""], "instruction_attributes": ["argan oil"], "instruction_options": [], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMUW9WR", "worker_id": "A2RBF3IIJP15IH"}], "B08519PB4W": [{"asin": "B08519PB4W", "instruction": "i'm looking for a small sweatshirt with drawstring closure. choose the ones that come in galaxy fox color.", "attributes": ["drawstring closure", "polyester spandex", "dry clean"], "options": ["color: galaxy fox", "size: small"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["galaxy fox", "small"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KS1JL0", "worker_id": "A3MNXK3VDK37SN"}], "B08GLFRSTM": [{"asin": "B08GLFRSTM", "instruction": "i'm looking for acer aspire computer all-in-one bundle accessory.", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["core i5", "intel core", "quad core"], "instruction_options": [], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDBA3Y44", "worker_id": "A21IUUHBSEVB56"}], "B07M88SRG9": [{"asin": "B07M88SRG9", "instruction": "i want to find a toupee to treat hair loss in the 1b65 color.", "attributes": ["easy use", "hair loss"], "options": ["color: 1b65"], "instruction_attributes": ["hair loss"], "instruction_options": ["1b65"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36T2FSUR", "worker_id": "A345TDMHP3DQ3G"}], "B08CRPT6PK": [{"asin": "B08CRPT6PK", "instruction": "i'm looking for a band for my galaxy watch 3 that offers a quick release mechanism and is small and black. i would also accept pink.", "attributes": ["quick release", "high performance"], "options": ["color: small, black | pink", "size: galaxy watch 3 41mm"], "instruction_attributes": ["quick release"], "instruction_options": ["small, black | pink"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP8X7JG", "worker_id": "A2JP9IKRHNLRPI"}], "B08DNC33W4": [{"asin": "B08DNC33W4", "instruction": "i am looking for a pair of dark green throw pillow covers for my living room.", "attributes": ["super soft", "living room"], "options": ["color: dark green", "size: 22x22 inch"], "instruction_attributes": ["living room"], "instruction_options": ["dark green"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8F85AJ", "worker_id": "A1EREKSZAA9V7B"}], "B099LFWBRD": [{"asin": "B099LFWBRD", "instruction": "i would like a 120 wide by 90 long color 8 window panel that is machine washable.", "attributes": ["machine washable", "long lasting"], "options": ["color: color08", "size: 120\" w x 90\" l"], "instruction_attributes": ["machine washable"], "instruction_options": ["color08", "120\" w x 90\" l"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8NMR4T", "worker_id": "A1WS884SI0SLO4"}], "B09HXNBJR2": [{"asin": "B09HXNBJR2", "instruction": "i need large size wine color crew neck short sleeve tendy tops for women", "attributes": ["light weight", "machine washable", "machine wash", "drawstring closure", "relaxed fit", "short sleeve"], "options": ["color: wine", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["wine", "large"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OZAEY3", "worker_id": "A258PTOZ3D2TQR"}], "B09MJZ214X": [{"asin": "B09MJZ214X", "instruction": "i'd like to look for some fast charging, noise cancelling earbuds.", "attributes": ["noise cancelling", "fast charging"], "options": [""], "instruction_attributes": ["noise cancelling", "fast charging"], "instruction_options": [], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PQRQEA", "worker_id": "AR9AU5FY1S3RO"}], "B07XRDQD96": [{"asin": "B07XRDQD96", "instruction": "i want to find a black and white case cover for my iphone, and it needs to feature cats.", "attributes": ["hands free", "case cover"], "options": ["color: black cat white cat"], "instruction_attributes": ["case cover"], "instruction_options": ["black cat white cat"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSSVX0J", "worker_id": "A345TDMHP3DQ3G"}], "B08HQVKW4Z": [{"asin": "B08HQVKW4Z", "instruction": "i'm looking for a pair of rose red, butt-lifting, high-waisted shorts in xx-large that are machine washable and provide tummy control.", "attributes": ["butt lifting", "machine wash", "tummy control", "elastic closure", "high waist", "daily wear"], "options": ["color: rose red snickers", "size: xx-large"], "instruction_attributes": ["butt lifting", "machine wash", "tummy control", "high waist"], "instruction_options": ["rose red snickers", "xx-large"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRY1WPW", "worker_id": "AFU00NU09CFXE"}], "B09BDYCTS4": [{"asin": "B09BDYCTS4", "instruction": "i'm looking for hair growth serum.", "attributes": ["hair growth", "hair loss", "damaged hair"], "options": [""], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEQ6KZG", "worker_id": "A21IUUHBSEVB56"}], "B07CWP8QKT": [{"asin": "B07CWP8QKT", "instruction": "i am looking for a high speed 3 foot long usb-c to usb-a cable.", "attributes": ["fast charging", "high speed"], "options": ["color: silver", "size: 3 feet", "style: type-a 2.0"], "instruction_attributes": ["high speed"], "instruction_options": ["3 feet"], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC5IZYT", "worker_id": "A1EREKSZAA9V7B"}], "B08FCTYKGC": [{"asin": "B08FCTYKGC", "instruction": "i'm locking for motorcycle stereo speakers soundbar.", "attributes": ["power amplifier", "high performance", "plug play"], "options": [""], "instruction_attributes": ["power amplifier"], "instruction_options": [], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V822UK", "worker_id": "A21IUUHBSEVB56"}], "B0893WV92B": [{"asin": "B0893WV92B", "instruction": "i'm looking for a stainless steal quick release 18mm black watch.", "attributes": ["quick release", "water resistant", "stainless steel"], "options": ["color: silver", "size: 18mm"], "instruction_attributes": ["quick release", "stainless steel"], "instruction_options": ["18mm"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNYAA0UQ", "worker_id": "A62B826XMLK7K"}], "B08Y8BV4D1": [{"asin": "B08Y8BV4D1", "instruction": "i want to find a black pair of women's summer sandals for daily wear in a size 9.", "attributes": ["open toe", "teen girls", "daily wear"], "options": ["color: z92 black", "size: 9"], "instruction_attributes": ["daily wear"], "instruction_options": ["z92 black", "9"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHTC6NL8", "worker_id": "A345TDMHP3DQ3G"}], "B09LV2FPV2": [{"asin": "B09LV2FPV2", "instruction": "i need blue cupcake picks for a baby shower.", "attributes": ["cupcake picks", "baby shower"], "options": ["color: blue-1"], "instruction_attributes": ["cupcake picks", "baby shower"], "instruction_options": ["blue-1"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LNMI59", "worker_id": "A1NF6PELRKACS9"}], "B08PV1DVF9": [{"asin": "B08PV1DVF9", "instruction": "i want to buy an office desk chair which has lumbar support and it's grey color.", "attributes": ["heavy duty", "lumbar support"], "options": ["color: grey"], "instruction_attributes": ["lumbar support"], "instruction_options": ["grey"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GO1K933", "worker_id": "AJY5G987IRT25"}], "B09PH3Y4R5": [{"asin": "B09PH3Y4R5", "instruction": "i'm looking for a loose fitting, machine washable blouse in blue. i need an xx large.", "attributes": ["loose fit", "quick drying", "machine washable", "long sleeve", "short sleeve", "laundry bag", "teen girls", "daily wear"], "options": ["color: baodan-a315-blue", "size: xx-large"], "instruction_attributes": ["loose fit", "machine washable"], "instruction_options": ["baodan-a315-blue", "xx-large"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5KDWIR", "worker_id": "AR9AU5FY1S3RO"}], "B09GV7ZLRH": [{"asin": "B09GV7ZLRH", "instruction": "i want a single count of sassy sangria that is hand crafted.", "attributes": ["hand crafted", "perfect gift"], "options": ["flavor name: sassy sangria", "size: 1 count (pack of 1)"], "instruction_attributes": ["hand crafted"], "instruction_options": ["sassy sangria", "1 count (pack of 1)"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRYBWP6", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B09GV7ZLRH", "instruction": "i'm looking for mason jar spirit infusion kit.", "attributes": ["hand crafted", "perfect gift"], "options": ["flavor name: sassy sangria", "size: serves 8"], "instruction_attributes": ["perfect gift"], "instruction_options": ["serves 8"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTY8E4F", "worker_id": "A21IUUHBSEVB56"}], "B07F6QKGX5": [{"asin": "B07F6QKGX5", "instruction": "looking for ottoman bench footstool upholstered faux leather decor for living room also choose color brown faux leather", "attributes": ["faux leather", "living room"], "options": ["color: brown | faux leather"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["brown | faux leather"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB45DXYN", "worker_id": "A10OGH5CQBXL5N"}], "B08Y69MKT8": [{"asin": "B08Y69MKT8", "instruction": "i need some fast charging usb cables that are grey", "attributes": ["fast charging", "high speed"], "options": ["color: grey", "size: 10ft+6.6ft+3.3ft+1ft", "style: 3 pack"], "instruction_attributes": ["fast charging"], "instruction_options": ["grey"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZV2K3E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HBNQ5BD": [{"asin": "B09HBNQ5BD", "instruction": "i'm looking for x large cotton pajamas that are elastic waist please and thank you", "attributes": ["machine wash", "drawstring closure", "elastic waist"], "options": ["color: white & red", "size: x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["x-large"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ003PXE", "worker_id": "A2TRV8SEM003GG"}], "B09PZ121JF": [{"asin": "B09PZ121JF", "instruction": "i am looking for some low fat dried apple rings.", "attributes": ["low fat", "low sodium", "kosher certified", "dairy free", "dietary fiber"], "options": ["flavor name: dried apple rings"], "instruction_attributes": ["low fat"], "instruction_options": ["dried apple rings"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYV4OX3N", "worker_id": "A1EREKSZAA9V7B"}], "B01M8MIZMC": [{"asin": "B01M8MIZMC", "instruction": "i want to find a high-definition wireless bluetooth speaker.", "attributes": ["high definition", "wireless bluetooth"], "options": [""], "instruction_attributes": ["high definition", "wireless bluetooth"], "instruction_options": [], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ7EISV", "worker_id": "A345TDMHP3DQ3G"}], "B08KS8CX53": [{"asin": "B08KS8CX53", "instruction": "i'm looking for christmas gift baskets for kids.", "attributes": ["gift basket", "gift set"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG1KTWW", "worker_id": "ARJDD0Z3R65BD"}], "B09FXKXDGF": [{"asin": "B09FXKXDGF", "instruction": "i am interested in acquiring a bedroom armoire which is eco friendly, and has steel frame, also i want it to be of black color, and the size should be 56\"x18\"x56\".", "attributes": ["eco friendly", "white item", "storage space", "steel frame"], "options": ["color: black", "size: 56\"x18\"x56\""], "instruction_attributes": ["eco friendly", "steel frame"], "instruction_options": ["black", "56\"x18\"x56\""], "assignment_id": "3KB8R4ZV1PHW05V0BIJ2LASFG6TBGO", "worker_id": "AJY5G987IRT25"}], "B08M36NK2J": [{"asin": "B08M36NK2J", "instruction": "i would like to buy office desk chair which has lumbar support and is of grey color.", "attributes": ["heavy duty", "assembly required", "lumbar support"], "options": ["color: grey"], "instruction_attributes": ["lumbar support"], "instruction_options": ["grey"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUYAQJI", "worker_id": "AJY5G987IRT25"}], "B014LC0QRE": [{"asin": "B014LC0QRE", "instruction": "i am searching for women's two button lux dry clean blazer of 16 size charcoal color", "attributes": ["button closure", "dry clean"], "options": ["color: charcoal", "size: 16", "special size: plus size"], "instruction_attributes": ["dry clean"], "instruction_options": ["charcoal", "16"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S57MGY", "worker_id": "A258PTOZ3D2TQR"}], "B09Q5YBJL8": [{"asin": "B09Q5YBJL8", "instruction": "i want blue and eco friendly cenglings sandals for women.", "attributes": ["eco friendly", "high quality", "rose gold"], "options": ["color: blue", "size: 6"], "instruction_attributes": ["eco friendly"], "instruction_options": ["blue"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKS09LGN", "worker_id": "A2RBF3IIJP15IH"}], "B08X6TG3C4": [{"asin": "B08X6TG3C4", "instruction": "i need a hair cutting kit that is multicolored", "attributes": ["water resistant", "easy clean", "hair cutting", "hair dye"], "options": ["color: multi21"], "instruction_attributes": ["hair cutting"], "instruction_options": ["multi21"], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FM73DM", "worker_id": "A2ECRNQ3X5LEXD"}], "B09C5SR9KH": [{"asin": "B09C5SR9KH", "instruction": "i am looking for a pair of women's size 36 eu water shoes with rubber soles.", "attributes": ["stretch fabric", "rubber sole"], "options": ["color: lightning powder", "size: 36 eu"], "instruction_attributes": ["rubber sole"], "instruction_options": ["36 eu"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN5OGO9", "worker_id": "A1EREKSZAA9V7B"}], "B08BRB66FY": [{"asin": "B08BRB66FY", "instruction": "i need 4 vanity light sconces for my bathroom wall that are modern and easy to install.", "attributes": ["easy install", "vanity light", "clear glass", "glass shade"], "options": ["size: 4 light"], "instruction_attributes": ["easy install", "vanity light"], "instruction_options": ["4 light"], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DV3K44", "worker_id": "A3LIIE572Z4OG7"}], "B00110OL08": [{"asin": "B00110OL08", "instruction": "i want a hair removal solution made with natural ingredients.", "attributes": ["clinically proven", "natural ingredients", "sensitive skin"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHE11ES", "worker_id": "A1WS884SI0SLO4"}], "B016ARX1OS": [{"asin": "B016ARX1OS", "instruction": "i want to find a white long-sleeve dress shirt that has a 20 inch neck and a 36 inch sleeve.", "attributes": ["machine washable", "machine wash", "regular fit", "button closure", "long sleeve", "tumble dry"], "options": ["color: white", "size: 20\"-20.5\" neck 36\"-37\" sleeve"], "instruction_attributes": ["long sleeve"], "instruction_options": ["white", "20\"-20.5\" neck 36\"-37\" sleeve"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q400WFYT", "worker_id": "A345TDMHP3DQ3G"}], "B09DK5YFVL": [{"asin": "B09DK5YFVL", "instruction": "i would like a anti perspirant.", "attributes": ["anti perspirant", "dead skin"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q8MKD7", "worker_id": "A1WS884SI0SLO4"}], "B09RVVB3GL": [{"asin": "B09RVVB3GL", "instruction": "product title i wear this size and model.gibobby women's swimsuits tankini bikini, quick dry, extra large size. i need help finding", "attributes": ["quick drying", "quality polyester"], "options": ["color: yellow", "size: x-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["x-large"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQJKCJA", "worker_id": "A15IJ20C3R4HUO"}], "B00F96L14Y": [{"asin": "B00F96L14Y", "instruction": "i am looking for 2 ft x 6 ft runner size area rugs that are easy to clean.", "attributes": ["easy clean", "contemporary design"], "options": ["color: brown | ivory", "size: 2 ft x 6 ft runner"], "instruction_attributes": ["easy clean"], "instruction_options": ["2 ft x 6 ft runner"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8N04RK", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B00F96L14Y", "instruction": "i am looking for a easy clean area rug with 8 ft square. also choose light brown color.", "attributes": ["easy clean", "contemporary design"], "options": ["color: light brown | beige", "size: 8 ft square"], "instruction_attributes": ["easy clean"], "instruction_options": ["light brown | beige", "8 ft square"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRWAXJP", "worker_id": "A2HMEGTAFO0CS8"}], "B07C9JGB4L": [{"asin": "B07C9JGB4L", "instruction": "i want you to help me find maine root handmade ginger soda, 12 fl oz (12 glass bottles) i'm having a hard time finding certified organic. i hope you succeed", "attributes": ["caffeine free", "hand crafted", "certified organic"], "options": ["flavor name: mexicane cola", "size: 12 pack"], "instruction_attributes": ["certified organic"], "instruction_options": ["mexicane cola", "12 pack"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7M15NX", "worker_id": "A15IJ20C3R4HUO"}], "B099NRCQ9P": [{"asin": "B099NRCQ9P", "instruction": "i want to buy waffle cookies which are non gmo and come in a single package and have 28 pieces.", "attributes": ["non gmo", "artificial colors"], "options": ["size: 28 count (single packages)"], "instruction_attributes": ["non gmo"], "instruction_options": ["28 count (single packages)"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KRPUHZ", "worker_id": "AJY5G987IRT25"}], "B0892P1X12": [{"asin": "B0892P1X12", "instruction": "i am looking for baked fresh red velvet cookies that are individually wrapped.", "attributes": ["baked fresh", "individually wrapped", "old fashioned"], "options": [""], "instruction_attributes": ["baked fresh", "individually wrapped"], "instruction_options": [], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOL4TCP", "worker_id": "AK3JMCIGU8MLU"}], "B08WK88CVJ": [{"asin": "B08WK88CVJ", "instruction": "i want to buy dental retainer container which is made of non toxic elements.", "attributes": ["non toxic", "storage case"], "options": [""], "instruction_attributes": ["non toxic"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZQ4Y12", "worker_id": "AJY5G987IRT25"}], "B07YZ3JVL2": [{"asin": "B07YZ3JVL2", "instruction": "i need to find a small end table that is easy to assemble; pick a blue-coated steel frame that won't rust.", "attributes": ["heavy duty", "space saving", "easy assemble", "coated steel", "steel frame"], "options": ["color: blue"], "instruction_attributes": ["easy assemble", "coated steel", "steel frame"], "instruction_options": ["blue"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1M03UU", "worker_id": "A3LIIE572Z4OG7"}], "B08HVN1DFL": [{"asin": "B08HVN1DFL", "instruction": "i am looking for a white computer gaming chair with lumbar support.", "attributes": ["white item", "lumbar support", "pu leather"], "options": ["color: white"], "instruction_attributes": ["white item", "lumbar support"], "instruction_options": ["white"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXW65OC", "worker_id": "A1EREKSZAA9V7B"}], "B08FMY7SKC": [{"asin": "B08FMY7SKC", "instruction": "i need a core i5 optiplex computer", "attributes": ["high speed", "core i5", "intel core"], "options": ["size: 16gb memory | 256gb pcie ssd + 1tb hdd"], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQKSJRS", "worker_id": "AVIEE6LDH0BT5"}], "B0822WP1MV": [{"asin": "B0822WP1MV", "instruction": "i need a super soft and fluffy duvet cover for my king-sized bed. please choose the black one.", "attributes": ["queen size", "super soft"], "options": ["color: black", "size: king"], "instruction_attributes": ["super soft"], "instruction_options": ["black", "king"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69RVP87", "worker_id": "A3LIIE572Z4OG7"}], "B0089OQ2YM": [{"asin": "B0089OQ2YM", "instruction": "i am looking for a short sleeve fishing shirt with a button closure in the color emerald city and in the size 2x tall.", "attributes": ["short sleeve", "relaxed fit", "button closure"], "options": ["color: emerald city", "size: 2x tall"], "instruction_attributes": ["button closure"], "instruction_options": ["emerald city", "2x tall"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY68J49", "worker_id": "AK3JMCIGU8MLU"}], "B081GSQBW1": [{"asin": "B081GSQBW1", "instruction": "i need a easy to apply nail polish", "attributes": ["easy apply", "easy carry", "nail polish"], "options": ["color: c07"], "instruction_attributes": ["easy apply", "nail polish"], "instruction_options": [], "assignment_id": "33UKMF931KU01WBNV49UKNDQC7GTTK", "worker_id": "AVIEE6LDH0BT5"}, {"asin": "B081GSQBW1", "instruction": "i need some nail polish in the color c08.", "attributes": ["easy apply", "easy carry", "nail polish"], "options": ["color: c08"], "instruction_attributes": ["nail polish"], "instruction_options": ["c08"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL2VVRB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QBXGP2K": [{"asin": "B09QBXGP2K", "instruction": "i need an easy to install 24 millimeter replacement watchband in red.", "attributes": ["quick release", "easy install", "stainless steel"], "options": ["color: red", "size: 24mm"], "instruction_attributes": ["easy install"], "instruction_options": ["red", "24mm"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLOKM0X", "worker_id": "AR9AU5FY1S3RO"}], "B09MFQ5HBY": [{"asin": "B09MFQ5HBY", "instruction": "i'm looking for a ten pack of silver cake toppers for my friend's baby shower.", "attributes": ["party supplies", "baby shower"], "options": ["color: silver"], "instruction_attributes": ["baby shower"], "instruction_options": ["silver"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8N3R4A", "worker_id": "A2JP9IKRHNLRPI"}], "B077NPM47T": [{"asin": "B077NPM47T", "instruction": "look for a mid century pendant light to be installed in my living room. it should be black.", "attributes": ["mid century", "bronze finish", "pendant light", "living room"], "options": ["color: black"], "instruction_attributes": ["mid century", "pendant light", "living room"], "instruction_options": ["black"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95CA8HP1", "worker_id": "A1NF6PELRKACS9"}], "B08JC9MRLL": [{"asin": "B08JC9MRLL", "instruction": "i want dark grey vislily plus-size long sleeve sweaters.", "attributes": ["machine wash", "cotton spandex", "polyester cotton", "long sleeve"], "options": ["color: 16_dark grey", "size: 14 plus"], "instruction_attributes": ["long sleeve"], "instruction_options": ["16_dark grey"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZQ41Y5", "worker_id": "A2RBF3IIJP15IH"}], "B07TSTQ7CS": [{"asin": "B07TSTQ7CS", "instruction": "i want a set of 5 modern height adjustable mid-back bar stool", "attributes": ["height adjustable", "contemporary design"], "options": [""], "instruction_attributes": ["height adjustable"], "instruction_options": [], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPD12IAU", "worker_id": "A1IL2K0ELYI090"}], "B07CHTZ7MS": [{"asin": "B07CHTZ7MS", "instruction": "i am looking for a ready to use full size mattress and box springs.", "attributes": ["ready use", "queen size", "fully assembled", "assembly required", "king size"], "options": ["color: white | gold", "size: full", "style: 4\" foundation"], "instruction_attributes": ["ready use"], "instruction_options": ["full"], "assignment_id": "3TR2532VI040LV46NXNX77Y3UXFJ6V", "worker_id": "A1EREKSZAA9V7B"}], "B01N050LLG": [{"asin": "B01N050LLG", "instruction": "i am looking for sulfate free shampoo that repairs damaged hair.", "attributes": ["sulfate free", "damaged hair"], "options": [""], "instruction_attributes": ["sulfate free", "damaged hair"], "instruction_options": [], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUPG4S5", "worker_id": "AK3JMCIGU8MLU"}], "B019NLUOXE": [{"asin": "B019NLUOXE", "instruction": "i am looking for warm beige color anti aging foundation.", "attributes": ["cruelty free", "anti aging"], "options": ["color: warm beige", "size: 1 fl oz (pack of 2)"], "instruction_attributes": ["anti aging"], "instruction_options": ["warm beige"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36T22USG", "worker_id": "A1Q8PPQQCWGY0D"}, {"asin": "B019NLUOXE", "instruction": "i need a 1 oz bottle of cruelty free foundation that is golden tan.", "attributes": ["cruelty free", "anti aging"], "options": ["color: golden tan", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["golden tan", "1 fl oz (pack of 1)"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OUO3MH", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MWB5DQG": [{"asin": "B09MWB5DQG", "instruction": "i want to find a pink front-button bra in a size 44 that is made of quality polyester.", "attributes": ["hand wash", "lace closure", "quality polyester"], "options": ["color: pink", "size: 44"], "instruction_attributes": ["quality polyester"], "instruction_options": ["pink", "44"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67W1H7FE", "worker_id": "A345TDMHP3DQ3G"}], "B09H2QPDVB": [{"asin": "B09H2QPDVB", "instruction": "find me a spa treatment beauty salon massage bed skirt in blue in the 190*80cm square head size.", "attributes": ["easy clean", "high quality", "beauty salon"], "options": ["color: blue", "size: 190*80cm square head"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3M68NM076SHHJJNJV2W69YKU4E06R1", "worker_id": "AMI0SOF51O3FW"}], "B078C5DYKV": [{"asin": "B078C5DYKV", "instruction": "i am looking for a 108\" x 84\" size panels for living room", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: pink pale pink", "size: 108\" x 84\""], "instruction_attributes": ["living room"], "instruction_options": ["108\" x 84\""], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZHQKLP", "worker_id": "A9QRQL9CFJBI7"}], "B0769G9XH9": [{"asin": "B0769G9XH9", "instruction": "i am looking for brushed nickel color pendant lights that are easy to install.", "attributes": ["height adjustable", "easy install", "brushed nickel", "pendant light", "nickel finish", "glass shade"], "options": ["color: brushed nickel", "size: 3-light"], "instruction_attributes": ["easy install"], "instruction_options": ["brushed nickel"], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB18UUL2", "worker_id": "A1Q8PPQQCWGY0D"}], "B09P3S2JHL": [{"asin": "B09P3S2JHL", "instruction": "i need a long lasting battery pack with fast charging capabilities.", "attributes": ["long lasting", "fast charging"], "options": [""], "instruction_attributes": ["long lasting", "fast charging"], "instruction_options": [], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZ17JZH", "worker_id": "AVIEE6LDH0BT5"}], "B001M0G1XW": [{"asin": "B001M0G1XW", "instruction": "i want to find organic, low fat applesauce that is apple strawberry flavored. it should come in 4 ounce cups in a pack of 4.", "attributes": ["low fat", "ready eat"], "options": ["flavor name: apple strawberry", "size: 4 ounce, 6 count (pack of 4)"], "instruction_attributes": ["low fat"], "instruction_options": ["apple strawberry", "4 ounce, 6 count (pack of 4)"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOMYLM8", "worker_id": "A345TDMHP3DQ3G"}], "B09J165NX5": [{"asin": "B09J165NX5", "instruction": "i want to buy sneaker shoes which are non slop and are comfortable fit with a size of 7.5 .", "attributes": ["non slip", "rubber sole", "comfortable fit", "unique design"], "options": ["size: 7.5"], "instruction_attributes": ["non slip", "comfortable fit"], "instruction_options": ["7.5"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5VQX6T", "worker_id": "AJY5G987IRT25"}], "B088D259Q5": [{"asin": "B088D259Q5", "instruction": "i am looking for a long lasting gold color tablet.", "attributes": ["long lasting", "quad core", "4g lte"], "options": ["color: gold", "style: 4g cellular + wifi"], "instruction_attributes": ["long lasting"], "instruction_options": ["gold"], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LZFCDO", "worker_id": "A1Q8PPQQCWGY0D"}], "B08TW2ZNLX": [{"asin": "B08TW2ZNLX", "instruction": "i want a dark chocolate covered flipz bites bar.", "attributes": ["chocolate covered", "resealable bag"], "options": ["flavor name: dark-chocolate", "size: 3.5 ounce bag (pack of 6)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["dark-chocolate"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XVMNG4", "worker_id": "A2RBF3IIJP15IH"}], "B08NZ18GMQ": [{"asin": "B08NZ18GMQ", "instruction": "i am looking for white 6 inch ceramic plates for my dining room.", "attributes": ["white finish", "dining room"], "options": [""], "instruction_attributes": ["white finish", "dining room"], "instruction_options": [], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL30VA6", "worker_id": "A1EREKSZAA9V7B"}], "B085CD6YJQ": [{"asin": "B085CD6YJQ", "instruction": "i'm looking for a fast wireless charger in blue color.", "attributes": ["fast charging", "wireless charging"], "options": ["color: blue"], "instruction_attributes": ["fast charging", "wireless charging"], "instruction_options": ["blue"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPDLOCW", "worker_id": "A3MNXK3VDK37SN"}], "B085125HY7": [{"asin": "B085125HY7", "instruction": "i want to buy video recorders which can detect motion and come with a size of nv4108-1tb", "attributes": ["plug play", "motion detection"], "options": ["size: nv4108-1tb"], "instruction_attributes": ["motion detection"], "instruction_options": ["nv4108-1tb"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD4XIC6", "worker_id": "AJY5G987IRT25"}], "B09RPC54JG": [{"asin": "B09RPC54JG", "instruction": "i want large snowshine men's low rise boxer briefs.", "attributes": ["low rise", "hand wash"], "options": ["color: navy", "size: large"], "instruction_attributes": ["low rise"], "instruction_options": ["large"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4F7QRD", "worker_id": "A2RBF3IIJP15IH"}], "B08BX2C29N": [{"asin": "B08BX2C29N", "instruction": "i need a medium pant that has an elastic waist", "attributes": ["elastic waist", "elastic closure", "gym workout"], "options": ["color: bitch please", "size: medium"], "instruction_attributes": ["elastic waist"], "instruction_options": ["medium"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHAD3DOR", "worker_id": "A2ECRNQ3X5LEXD"}], "B085GG5X4X": [{"asin": "B085GG5X4X", "instruction": "i need a quick drying swim suit cover up in a size large. get the watermelon one.", "attributes": ["quick drying", "quality polyester", "tummy control"], "options": ["color: watermelon", "size: large"], "instruction_attributes": ["quick drying"], "instruction_options": ["watermelon", "large"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM494J4XE", "worker_id": "AR9AU5FY1S3RO"}], "B09KG97T9N": [{"asin": "B09KG97T9N", "instruction": "i am lookong for a colorful2 for screen protectors wihich is easy ti install", "attributes": ["high resolution", "easy install"], "options": ["color: colorful2", "size: iphone 13 6.1\" | iphone 13 mini 5.4\""], "instruction_attributes": ["easy install"], "instruction_options": ["colorful2"], "assignment_id": "382M9COHESPDCQ8F5EA9QXZRSBMUE8", "worker_id": "A9QRQL9CFJBI7"}], "B007HQFSMU": [{"asin": "B007HQFSMU", "instruction": "find beef jerkys made from grass feed animals.", "attributes": ["grass fed", "gluten free"], "options": [""], "instruction_attributes": ["grass fed"], "instruction_options": [], "assignment_id": "3DR23U6WEGOYCDTQ59KZL1DP9XRTES", "worker_id": "AVIEE6LDH0BT5"}], "B01B1ZVPR4": [{"asin": "B01B1ZVPR4", "instruction": "i would like a 30\" wide vintage leather grey headboard that is wall mounted.", "attributes": ["queen size", "wall mounted"], "options": ["color: vintage leather light grey", "size: 30'' wide"], "instruction_attributes": ["wall mounted"], "instruction_options": ["vintage leather light grey", "30'' wide"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMO5VX6", "worker_id": "A1WS884SI0SLO4"}], "B09Q94CBZY": [{"asin": "B09Q94CBZY", "instruction": "i would like a large gray pair of leggings with a high waist.", "attributes": ["butt lifting", "high waist", "tummy control"], "options": ["color: gray", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": ["gray", "large"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DF2WDM", "worker_id": "A1WS884SI0SLO4"}], "B07VTDDHWV": [{"asin": "B07VTDDHWV", "instruction": "i'm looking for a stereo headset for my nintendo switch that is both yellow and blue.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: yellow | blue", "pattern name: headset + just dance 2022"], "instruction_attributes": ["stereo sound"], "instruction_options": ["yellow | blue"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQG3JAJ", "worker_id": "A2JP9IKRHNLRPI"}], "B08PNQB4TN": [{"asin": "B08PNQB4TN", "instruction": "i am in need of elastic waist winter active running joggers pants of small size and dark grey color", "attributes": ["fleece lined", "straight leg", "machine wash", "drawstring closure", "cotton spandex", "unique design", "elastic waist", "relaxed fit"], "options": ["color: dark grey", "size: small"], "instruction_attributes": ["elastic waist"], "instruction_options": ["dark grey", "small"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8F75AI", "worker_id": "A258PTOZ3D2TQR"}], "B08SJ9C7P8": [{"asin": "B08SJ9C7P8", "instruction": "i'm looking for plant based zero sugar energy drinks in a four flavor variety pack.", "attributes": ["plant based", "zero sugar"], "options": ["flavor name: 4 flavor variety pack"], "instruction_attributes": ["plant based", "zero sugar"], "instruction_options": ["4 flavor variety pack"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35RFGUP", "worker_id": "AR9AU5FY1S3RO"}], "B08P1K7X1L": [{"asin": "B08P1K7X1L", "instruction": "i am looking for black daybed frame twin size with upholstered sideboard for living room", "attributes": ["twin size", "space saving", "contemporary style", "box spring", "living room"], "options": ["color: black daybed"], "instruction_attributes": ["twin size", "living room"], "instruction_options": ["black daybed"], "assignment_id": "3ERMJ6L4D929Q3OW945HTDQGT2S7MK", "worker_id": "A258PTOZ3D2TQR"}], "B09Q5QR4D9": [{"asin": "B09Q5QR4D9", "instruction": "i want to find a grey bunk bed frame with shelves made out of solid wood.", "attributes": ["white item", "assembly required", "box spring", "solid wood"], "options": ["color: grey", "size: full over full with shelves"], "instruction_attributes": ["solid wood"], "instruction_options": ["grey", "full over full with shelves"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSMS26Q", "worker_id": "A345TDMHP3DQ3G"}], "B096PJ6ZTW": [{"asin": "B096PJ6ZTW", "instruction": "i am looking for black, open toe sandals in size 9.", "attributes": ["open toe", "closed toe"], "options": ["color: z35 black", "size: 9"], "instruction_attributes": ["open toe"], "instruction_options": ["z35 black", "9"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7R407W5", "worker_id": "AK3JMCIGU8MLU"}], "B09M95Q3LX": [{"asin": "B09M95Q3LX", "instruction": "i am looking for a pair of women's medium sized machine wash biker shorts.", "attributes": ["machine wash", "wash cold", "elastic closure", "cotton spandex", "elastic waistband"], "options": ["color: fewpts0008 americano", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["medium"], "assignment_id": "3O6CYIULEOB7TQU6QE4FC36RZF7UW4", "worker_id": "A1EREKSZAA9V7B"}], "B09RQQ8V11": [{"asin": "B09RQQ8V11", "instruction": "i am looking for s multicolor high quality clips", "attributes": ["non slip", "high quality"], "options": ["color: a-240pcs", "size: multicolor"], "instruction_attributes": ["high quality"], "instruction_options": ["multicolor"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QGFM1P", "worker_id": "A9QRQL9CFJBI7"}], "B09H2W7448": [{"asin": "B09H2W7448", "instruction": "i am looking for amplifiers that have high power and performance.", "attributes": ["power amplifier", "high power", "high performance"], "options": [""], "instruction_attributes": ["power amplifier", "high power", "high performance"], "instruction_options": [], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1MDGTGJ", "worker_id": "A1NF6PELRKACS9"}], "B085MBZH9F": [{"asin": "B085MBZH9F", "instruction": "i want to find open toe hosantel women's flip flops that are size 8, floral and multi-color.", "attributes": ["open toe", "high heel", "closed toe", "ankle strap", "button closure"], "options": ["color: x-05 multicolor", "size: 39=us:8"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3WQ3B2KGEJQZWQ5XTZYZENO9EHH1BL", "worker_id": "AMI0SOF51O3FW"}], "B003XM73P2": [{"asin": "B003XM73P2", "instruction": "i want a 6 foot long gold plated hdmi cable.", "attributes": ["blu ray", "high speed", "ultra hd", "gold plated"], "options": ["size: 6ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["6ft"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV6JHB6", "worker_id": "A1WS884SI0SLO4"}], "B002ZANMHG": [{"asin": "B002ZANMHG", "instruction": "i'm looking for natural java beverage mix.", "attributes": ["quality ingredients", "artificial flavors"], "options": ["flavor name: belgian style dark", "size: 3.5 pound (pack of 1)"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["3.5 pound (pack of 1)"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMMLIZ7", "worker_id": "A21IUUHBSEVB56"}], "B089LQ2T5V": [{"asin": "B089LQ2T5V", "instruction": "i need a women's high waist swimsuit in a fashionable tropical-print design; i'm a size medium.", "attributes": ["high waist", "fashion design"], "options": ["color: floral | blackd5", "size: medium"], "instruction_attributes": ["high waist", "fashion design"], "instruction_options": ["medium"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDW78YT", "worker_id": "A3LIIE572Z4OG7"}], "B078SPT9K8": [{"asin": "B078SPT9K8", "instruction": "i need to find a box of trader joe seed crackers that support my gluten-free diet.", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["trader joe", "gluten free"], "instruction_options": [], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRW82YD", "worker_id": "A3LIIE572Z4OG7"}], "B09STP6P85": [{"asin": "B09STP6P85", "instruction": "i want a 2xl black short sleeve shirt.", "attributes": ["moisture wicking", "slim fit", "short sleeve"], "options": ["color: shirts-128- black", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["shirts-128- black", "xx-large"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ2750175A4PQ", "worker_id": "A1WS884SI0SLO4"}], "B076B3JX4R": [{"asin": "B076B3JX4R", "instruction": "i'm looking for an 8 oz, paraben free hair regrowth shampoo.", "attributes": ["paraben free", "hair treatment", "damaged hair"], "options": ["size: 8 fl oz (pack of 1)"], "instruction_attributes": ["paraben free"], "instruction_options": ["8 fl oz (pack of 1)"], "assignment_id": "3F0BG9B9M0X9KKDAS7TSN8DN2C37Y7", "worker_id": "AK3JMCIGU8MLU"}], "B09MQC3JX7": [{"asin": "B09MQC3JX7", "instruction": "i want a green table that is 1080p hd.", "attributes": ["high definition", "1080p hd"], "options": ["color: green"], "instruction_attributes": ["1080p hd"], "instruction_options": ["green"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADX1ZYMA", "worker_id": "A1WS884SI0SLO4"}], "B09M34J5W1": [{"asin": "B09M34J5W1", "instruction": "i want a rose gold leotop screen protector compatible with apple watch.", "attributes": ["compatible apple", "easy install"], "options": ["color: rose gold", "size: 42 mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["rose gold"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FKZLEB", "worker_id": "A2RBF3IIJP15IH"}], "B093VCC7L8": [{"asin": "B093VCC7L8", "instruction": "i am interested in buying a t-shirt for women, which is classic fit, and is of black color, while it's size should be 2t.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: black", "fit type: women", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["black", "women", "2t"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZXO409", "worker_id": "AJY5G987IRT25"}], "B09N9LCNPM": [{"asin": "B09N9LCNPM", "instruction": "i need pink color valentine day cake toppers", "attributes": ["birthday party", "valentine day", "cupcake picks", "baby shower"], "options": ["color: pink"], "instruction_attributes": ["valentine day"], "instruction_options": ["pink"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTN4LTP5", "worker_id": "A258PTOZ3D2TQR"}], "B098XHJNWM": [{"asin": "B098XHJNWM", "instruction": "i am looking for a pair of women's size 6.5 to 7 open toe sandals.", "attributes": ["open toe", "closed toe"], "options": ["color: z1#silver", "size: 6.5-7"], "instruction_attributes": ["open toe"], "instruction_options": ["6.5-7"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7ZMCUA", "worker_id": "A1EREKSZAA9V7B"}], "B088X5GYP1": [{"asin": "B088X5GYP1", "instruction": "i'm looking for a 12 pack of gluten free, keto friendly, low carb granola bars", "attributes": ["dairy free", "gluten free", "soy free", "keto friendly", "low carb", "plant based"], "options": ["size: chocolate (12 pack)"], "instruction_attributes": ["gluten free", "keto friendly", "low carb"], "instruction_options": ["chocolate (12 pack)"], "assignment_id": "30X31N5D6E0U70ZZ04DNFDRCMZGASQ", "worker_id": "AK3JMCIGU8MLU"}], "B0158VB6BC": [{"asin": "B0158VB6BC", "instruction": "i am looking for a table lamp for my living room.", "attributes": ["brushed nickel", "nickel finish", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTXQ7L6", "worker_id": "A1Q8PPQQCWGY0D"}], "B07NN1SJZW": [{"asin": "B07NN1SJZW", "instruction": "i need a hands free portable bluetooth speaker with stereo sound.", "attributes": ["hands free", "stereo sound"], "options": [""], "instruction_attributes": ["hands free", "stereo sound"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN6AI5GS", "worker_id": "AR9AU5FY1S3RO"}], "B0863GF7PC": [{"asin": "B0863GF7PC", "instruction": "i want a black kodak pixpro az401 with optical zoom.", "attributes": ["easy use", "optical zoom"], "options": ["color: black"], "instruction_attributes": ["optical zoom"], "instruction_options": ["black"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLLBOCEP", "worker_id": "A2RBF3IIJP15IH"}], "B08W9PD4TM": [{"asin": "B08W9PD4TM", "instruction": "i want a 8 fluid ounce bottle of mint julep mixers made from natural ingredients.", "attributes": ["artificial colors", "quality ingredients", "natural ingredients"], "options": ["flavor: mint julep", "size: 8 fl oz (pack of 2)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["mint julep", "8 fl oz (pack of 2)"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZ3QCNF", "worker_id": "A1WS884SI0SLO4"}], "B09LD1443P": [{"asin": "B09LD1443P", "instruction": "i want happy birthday cake sunflower toppers.", "attributes": ["birthday cake", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3K772S5NPJL8742V5F3A7IA1Y3LEHS", "worker_id": "A2RBF3IIJP15IH"}], "B08BNW7GZG": [{"asin": "B08BNW7GZG", "instruction": "i want a rose gold and non slip fueyou makeup brush set.", "attributes": ["cruelty free", "non slip", "rose gold", "synthetic hair"], "options": ["color: rose gold"], "instruction_attributes": ["non slip"], "instruction_options": ["rose gold"], "assignment_id": "3G2UL9A02OO71034MOY04HTU32D679", "worker_id": "A2RBF3IIJP15IH"}], "B08W1YL8C4": [{"asin": "B08W1YL8C4", "instruction": "i'm looking for a edible cupcakes cookies toppers.", "attributes": ["dairy free", "gluten free", "birthday party"], "options": ["size: 7.5\" round"], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZU5SHI", "worker_id": "A21IUUHBSEVB56"}], "B09Q7LVG2Y": [{"asin": "B09Q7LVG2Y", "instruction": "deep conditioning hair growth hair mask with supplement tablets 180 nos", "attributes": ["clinically proven", "hair growth"], "options": ["size: 180 tablets + elixir"], "instruction_attributes": ["hair growth"], "instruction_options": ["180 tablets + elixir"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8TH0DZ5C", "worker_id": "A258PTOZ3D2TQR"}], "B078SMMN8K": [{"asin": "B078SMMN8K", "instruction": "find a bonsai gift set.", "attributes": ["gift set", "perfect gift"], "options": [""], "instruction_attributes": ["gift set"], "instruction_options": [], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6THUMN7", "worker_id": "AVIEE6LDH0BT5"}], "B09K72BKJJ": [{"asin": "B09K72BKJJ", "instruction": "i want to buy hydration lotion which has a size suitable for travel and is made of coconut oil.", "attributes": ["travel size", "coconut oil"], "options": [""], "instruction_attributes": ["travel size", "coconut oil"], "instruction_options": [], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UT7EZN", "worker_id": "AJY5G987IRT25"}], "B095C9WX7T": [{"asin": "B095C9WX7T", "instruction": "i am looking for a black stainless steel smartwatch bands", "attributes": ["compatible apple", "stainless steel"], "options": ["color: black", "size: 42mm | 44mm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["black"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCTW7IS", "worker_id": "A9QRQL9CFJBI7"}], "B09KHDYYRH": [{"asin": "B09KHDYYRH", "instruction": "i'm looking for a 24 pack of cupcake toppers for my daughter's baby shower.", "attributes": ["birthday party", "baby shower", "cupcake picks", "party supplies"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYMJ6LJ", "worker_id": "A2JP9IKRHNLRPI"}], "B07RV33SBH": [{"asin": "B07RV33SBH", "instruction": "i need a pack of 2 high speed cables that support hdmi to dvi and are also compatible with 1080p hd.", "attributes": ["blu ray", "1080p hd", "gold plated", "high speed"], "options": ["color: 2 pack", "size: 10 feet"], "instruction_attributes": ["1080p hd", "high speed"], "instruction_options": ["2 pack"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH157PWHP", "worker_id": "A3LIIE572Z4OG7"}], "B09H2T1JX5": [{"asin": "B09H2T1JX5", "instruction": "i would like some high quality hair claws", "attributes": ["non slip", "high quality", "quality materials"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI725DSN", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MFK9NMD": [{"asin": "B09MFK9NMD", "instruction": "i am looking for lead free candles having 2 pack french lavender scent.", "attributes": ["lead free", "soy wax"], "options": ["scent: 2 pack french lavender"], "instruction_attributes": ["lead free"], "instruction_options": ["2 pack french lavender"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQJCCJ2", "worker_id": "A1Q8PPQQCWGY0D"}], "B08Z3TQLFC": [{"asin": "B08Z3TQLFC", "instruction": "i'm looking for a roller tool that's good for fine lines and aging skin.", "attributes": ["anti aging", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "fine lines"], "instruction_options": [], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNYAK0U0", "worker_id": "AR9AU5FY1S3RO"}], "B09P5ZBCWR": [{"asin": "B09P5ZBCWR", "instruction": "i'm looking for a small portable folding desk that is already fully assembled; it should have a khaki wood finish.", "attributes": ["fully assembled", "high density", "wood finish"], "options": ["color: khaki"], "instruction_attributes": ["fully assembled", "wood finish"], "instruction_options": ["khaki"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTUKKT0", "worker_id": "A3LIIE572Z4OG7"}], "B01HOZO9WS": [{"asin": "B01HOZO9WS", "instruction": "i need nylon spandex pants that are mocha colored.", "attributes": ["wash cold", "machine wash", "tummy control", "nylon spandex"], "options": ["color: mocha", "size: 18"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["mocha"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC8NUKX", "worker_id": "A2ECRNQ3X5LEXD"}], "B087QSW6QW": [{"asin": "B087QSW6QW", "instruction": "i want an ivory pair of bearpaw women's skye boots with rubber soles.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: ivory", "size: 8.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["ivory"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83O4JIJ", "worker_id": "A2RBF3IIJP15IH"}], "B09RFGKR1T": [{"asin": "B09RFGKR1T", "instruction": "find black colored sandals for a teen girl.", "attributes": ["open toe", "closed toe", "teen girls"], "options": ["color: b01 black", "size: 8.5"], "instruction_attributes": ["teen girls"], "instruction_options": ["b01 black"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1I3RXK", "worker_id": "AVIEE6LDH0BT5"}], "B09Q5TJ6ZF": [{"asin": "B09Q5TJ6ZF", "instruction": "i want interestprint women's running shoes with vinyl acetate in size 15.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: multi002", "size: 15"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["15"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZM1O8R", "worker_id": "A2RBF3IIJP15IH"}], "B086XZ3D6Q": [{"asin": "B086XZ3D6Q", "instruction": "i need a low carb brownie mix", "attributes": ["low carb", "grain free", "sugar free", "gluten free"], "options": ["size: 7.4 ounce (pack of 2)", "style: brownie mix"], "instruction_attributes": ["low carb"], "instruction_options": ["brownie mix"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVWT9XB", "worker_id": "A2ECRNQ3X5LEXD"}], "B08ZL8QX27": [{"asin": "B08ZL8QX27", "instruction": "look for a sugar free drink mix that has a banana flavor.", "attributes": ["keto friendly", "low carb", "sugar free", "zero sugar"], "options": ["flavor name: banana"], "instruction_attributes": ["sugar free"], "instruction_options": ["banana"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMHNXDV", "worker_id": "A1NF6PELRKACS9"}], "B01KQ0H7W2": [{"asin": "B01KQ0H7W2", "instruction": "i am looking for a long lasting nail polish.", "attributes": ["long lasting", "nail polish"], "options": [""], "instruction_attributes": ["long lasting", "nail polish"], "instruction_options": [], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GO1V398", "worker_id": "A1EREKSZAA9V7B"}], "B07BDV5PN8": [{"asin": "B07BDV5PN8", "instruction": "i want this food from snack puffs, aged white cheddar. pirate's booty 0.0g trans and gluten free i await your return", "attributes": ["non gmo", "gluten free", "0g trans", "artificial colors"], "options": [""], "instruction_attributes": ["non gmo", "gluten free", "0g trans"], "instruction_options": [], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVLZ1P9", "worker_id": "A15IJ20C3R4HUO"}], "B09N3YZ8PC": [{"asin": "B09N3YZ8PC", "instruction": "i want a blue noldares mens flannel long sleeve shirt.", "attributes": ["slim fit", "machine wash", "long sleeve", "short sleeve", "everyday wear", "daily wear"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3LTBVP", "worker_id": "A2RBF3IIJP15IH"}], "B072FHXYSJ": [{"asin": "B072FHXYSJ", "instruction": "i'm looking for farmhouse upholstered dining chair.", "attributes": ["assembly required", "contemporary style", "wood frame", "dining room"], "options": ["style: upholstered half back"], "instruction_attributes": ["dining room"], "instruction_options": ["upholstered half back"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1JM08E", "worker_id": "A21IUUHBSEVB56"}], "B084R8XLRR": [{"asin": "B084R8XLRR", "instruction": "i'm looking for a large, white, cube shaped closet organizer to provide additional storage space.", "attributes": ["easy clean", "storage space"], "options": ["color: white", "size: 56\"x18\"x70\""], "instruction_attributes": ["storage space"], "instruction_options": ["white"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADO1HAE", "worker_id": "A2JP9IKRHNLRPI"}], "B087P3ZJ3F": [{"asin": "B087P3ZJ3F", "instruction": "i need an eyeshadow palette that's easy to carry and contains a highly pigmented brown eyeshadow.", "attributes": ["highly pigmented", "easy carry"], "options": ["color: brown matte"], "instruction_attributes": ["highly pigmented", "easy carry"], "instruction_options": ["brown matte"], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBPAMAO2", "worker_id": "AR9AU5FY1S3RO"}], "B07X379VC8": [{"asin": "B07X379VC8", "instruction": "i want a silver apple macbook pro with intel core i5-7267u.", "attributes": ["core i5", "intel core"], "options": ["capacity: 8gb ram | 256gbssd", "color: silver"], "instruction_attributes": ["core i5"], "instruction_options": ["silver"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P79HVSC", "worker_id": "A2RBF3IIJP15IH"}], "B09D7TR414": [{"asin": "B09D7TR414", "instruction": "i'm looking for faux leather couch bed with armless and metal lega.", "attributes": ["faux leather", "metal legs", "living room"], "options": [""], "instruction_attributes": ["faux leather", "metal legs", "living room"], "instruction_options": [], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6IVVEY", "worker_id": "A21IUUHBSEVB56"}], "B09BZMBWNF": [{"asin": "B09BZMBWNF", "instruction": "i am interested in buying folding mattress for a beauty salon, which has wine red color and is of 75*190cm size.", "attributes": ["non slip", "beauty salon"], "options": ["color: wine red", "size: 75*190cm"], "instruction_attributes": ["beauty salon"], "instruction_options": ["wine red", "75*190cm"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPKIV6O", "worker_id": "AJY5G987IRT25"}], "B09HM99DS3": [{"asin": "B09HM99DS3", "instruction": "i am looking for a long lasting brown soy wax candle.", "attributes": ["long lasting", "soy wax"], "options": ["color: brown"], "instruction_attributes": ["long lasting", "soy wax"], "instruction_options": ["brown"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGSKYIZ", "worker_id": "A1EREKSZAA9V7B"}], "B08H4HZGL9": [{"asin": "B08H4HZGL9", "instruction": "i am looking for blue color hair dye mixing bowl, sized 22x7.5x2cm", "attributes": ["easy use", "hair treatment", "hair dye"], "options": ["color: blue", "size: 22x7.5x2cm"], "instruction_attributes": ["hair dye"], "instruction_options": ["blue", "22x7.5x2cm"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80HDQ1H", "worker_id": "A258PTOZ3D2TQR"}], "B08KSJHSXF": [{"asin": "B08KSJHSXF", "instruction": "i want anon gmo wyman\u2019s triple berry fresh frozen variety pack.", "attributes": ["ready eat", "non gmo", "dietary fiber"], "options": ["flavor name: frozen fruit variety pack", "size: 3 pound (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["frozen fruit variety pack"], "assignment_id": "3HPZF4IVNX3FW186JO133U513NZCYA", "worker_id": "A2RBF3IIJP15IH"}, {"asin": "B08KSJHSXF", "instruction": "prefer this brand wyman's triple berry frozen fresh fruit | no preservatives, certified non-gmo, ready to eat. i count on your experience in finding what i need for today", "attributes": ["ready eat", "non gmo", "dietary fiber"], "options": ["flavor name: triple berry", "size: 3 pound (pack of 2)"], "instruction_attributes": ["ready eat", "non gmo"], "instruction_options": ["triple berry"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFQLE9A", "worker_id": "A15IJ20C3R4HUO"}], "B08KFMG8XZ": [{"asin": "B08KFMG8XZ", "instruction": "i want to find permanent hair color cream in a golden copper color.", "attributes": ["long lasting", "permanent hair"], "options": ["color: 6dr | 6.34 golden-copper dark blond"], "instruction_attributes": ["permanent hair"], "instruction_options": ["6dr | 6.34 golden-copper dark blond"], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3OZRYS", "worker_id": "A345TDMHP3DQ3G"}], "B00O6DHOCY": [{"asin": "B00O6DHOCY", "instruction": "i want a 7.5 oz box of gluten free paleokrunch cereal.", "attributes": ["grain free", "artificial ingredients", "gluten free", "low calorie", "low carb", "resealable bag"], "options": ["size: 7.5 ounce (pack of 3)"], "instruction_attributes": ["gluten free"], "instruction_options": ["7.5 ounce (pack of 3)"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4MR8M1", "worker_id": "A2RBF3IIJP15IH"}], "B07XC27X9V": [{"asin": "B07XC27X9V", "instruction": "i'm looking for long sleeve o-neck casual loose t-shirts.", "attributes": ["light weight", "short sleeve", "long sleeve", "teen girls"], "options": ["color: z-06-purple", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": [], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KI5DPE", "worker_id": "A21IUUHBSEVB56"}], "B08MVBKRGZ": [{"asin": "B08MVBKRGZ", "instruction": "i need black shoes that have rubber soles", "attributes": ["comfortable fit", "rubber sole"], "options": ["color: white (103) | black", "size: 10.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["white (103) | black"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCIBMBAI", "worker_id": "A2ECRNQ3X5LEXD"}], "B07BQD1ZS5": [{"asin": "B07BQD1ZS5", "instruction": "coconut oil hair repair, marc daniels professional, sulfate free no parabens. i need to fix my hair. i count on your help", "attributes": ["sulfate free", "paraben free", "cruelty free", "coconut oil", "damaged hair", "hair salon"], "options": [""], "instruction_attributes": ["sulfate free", "paraben free", "coconut oil"], "instruction_options": [], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9I561SP", "worker_id": "A15IJ20C3R4HUO"}], "B0971STZPV": [{"asin": "B0971STZPV", "instruction": "i want laird superfood aloha oatmac unsweetened non-dairy coffee creamer.", "attributes": ["non dairy", "gluten free", "artificial ingredients", "plant based", "dairy free", "non gmo", "artificial colors"], "options": ["flavor name: unsweetened", "size: 6.8 ounce (pack of 1)"], "instruction_attributes": ["non dairy"], "instruction_options": ["unsweetened"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L70MLHM", "worker_id": "A2RBF3IIJP15IH"}], "B08SW9W6YG": [{"asin": "B08SW9W6YG", "instruction": "i want to buy hair brush for women which is of travel size and it should be with mirror folded at 2.75 inch.", "attributes": ["travel size", "hair growth"], "options": ["color: brush with mirror folded 2.75 inch"], "instruction_attributes": ["travel size"], "instruction_options": ["brush with mirror folded 2.75 inch"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV6JBH0", "worker_id": "AJY5G987IRT25"}], "B0752MN21L": [{"asin": "B0752MN21L", "instruction": "i am looking for graphite color womens slip-on amde from vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: graphite", "size: men's 11, women's 13"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["graphite"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5VG5FR", "worker_id": "A1Q8PPQQCWGY0D"}], "B096KTC8Y4": [{"asin": "B096KTC8Y4", "instruction": "i am looking for small size women casual short sleeve white color tunic tops", "attributes": ["loose fit", "hand wash", "button closure", "short sleeve", "daily wear"], "options": ["color: b9- white", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["b9- white", "small"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYS27NK", "worker_id": "A258PTOZ3D2TQR"}], "B09LM3RGW8": [{"asin": "B09LM3RGW8", "instruction": "i need a super soft bed blanket that has cats on it", "attributes": ["super soft", "fleece throw"], "options": ["color: cat butterfly", "size: 40\"x50\""], "instruction_attributes": ["super soft"], "instruction_options": ["cat butterfly"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLR9I4M", "worker_id": "A2ECRNQ3X5LEXD"}], "B072K3W94S": [{"asin": "B072K3W94S", "instruction": "i am looking for a heavy duty 1 foot long gold plated 3.5mm to rca cable.", "attributes": ["gold plated", "heavy duty"], "options": ["size: 1 feet"], "instruction_attributes": ["gold plated", "heavy duty"], "instruction_options": ["1 feet"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQGO6SU", "worker_id": "A1EREKSZAA9V7B"}], "B084LJ45YN": [{"asin": "B084LJ45YN", "instruction": "i want dermatologist tested herbal essences chamomile conditioner.", "attributes": ["dermatologist tested", "cruelty free"], "options": ["scent: chamomile"], "instruction_attributes": ["dermatologist tested"], "instruction_options": ["chamomile"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRW0ZBE", "worker_id": "A2RBF3IIJP15IH"}], "B08ZH51S65": [{"asin": "B08ZH51S65", "instruction": "i would like a men's powder lotion deodorant that is paraben free.", "attributes": ["animal testing", "paraben free", "natural ingredients"], "options": ["style: men's powder lotion"], "instruction_attributes": ["paraben free"], "instruction_options": ["men's powder lotion"], "assignment_id": "37C0GNLMHQDNI94ED11M493QPDAD63", "worker_id": "A1WS884SI0SLO4"}], "B098XQTSWP": [{"asin": "B098XQTSWP", "instruction": "i am looking for a black sofa bed couch for my living room.", "attributes": ["contemporary design", "living room"], "options": ["color: black"], "instruction_attributes": ["living room"], "instruction_options": ["black"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXW95OF", "worker_id": "A1EREKSZAA9V7B"}], "B07WRD1X1M": [{"asin": "B07WRD1X1M", "instruction": "i am looking for xx-large men's tapa mood woven short sleeve shirt", "attributes": ["hand wash", "button closure", "short sleeve"], "options": ["color: midnight navy taipan mood", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAZDZXC", "worker_id": "A258PTOZ3D2TQR"}], "B099X4XV7J": [{"asin": "B099X4XV7J", "instruction": "i want a noble park corson cut wall mirror for my living room.", "attributes": ["wood finish", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYGAEIV", "worker_id": "A2RBF3IIJP15IH"}], "B09CT58LD3": [{"asin": "B09CT58LD3", "instruction": "aunimeifly pillow slippers for women men, super soft platform shoes. open toe, size 8.5 i really want to wear these shoes, help me buy them", "attributes": ["butt lifting", "open toe", "moisture wicking", "high waist", "high heel", "ankle strap", "long sleeve"], "options": ["color: 003#green", "size: 8.5"], "instruction_attributes": ["open toe"], "instruction_options": ["8.5"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDD4VCIY", "worker_id": "A15IJ20C3R4HUO"}], "B08TVFM6CH": [{"asin": "B08TVFM6CH", "instruction": "i am looking for a heavy duty single toggle wall plate cover.", "attributes": ["heavy duty", "high gloss"], "options": ["style: single toggle"], "instruction_attributes": ["heavy duty"], "instruction_options": ["single toggle"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR4CDFUN", "worker_id": "A1EREKSZAA9V7B"}], "B092Z8TBXZ": [{"asin": "B092Z8TBXZ", "instruction": "i'm looking for a high quality make up brush set in ivory rice color.", "attributes": ["high quality", "easy use", "eye shadow", "sensitive skin"], "options": ["color: ivory rice"], "instruction_attributes": ["high quality"], "instruction_options": ["ivory rice"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UJ5A3M", "worker_id": "A3MNXK3VDK37SN"}], "B06XF253J3": [{"asin": "B06XF253J3", "instruction": "i am looking for 12 pieces of green color high quality small round travel container jar pots with lids", "attributes": ["high quality", "leak proof", "bpa free"], "options": ["color: green", "size: 12 pieces"], "instruction_attributes": ["high quality"], "instruction_options": ["green", "12 pieces"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SZPDU2", "worker_id": "A258PTOZ3D2TQR"}], "B08LW3LSQR": [{"asin": "B08LW3LSQR", "instruction": "i am interested in a machine washable throw that is yellow and aqua", "attributes": ["machine washable", "printing technology"], "options": ["color: yellow aqua", "size: 50\" x 70\" for adults"], "instruction_attributes": ["machine washable"], "instruction_options": ["yellow aqua"], "assignment_id": "32N49TQG3RSAZSG3UZISQ0BJL32VA8", "worker_id": "A2ECRNQ3X5LEXD"}], "B004D8VGIA": [{"asin": "B004D8VGIA", "instruction": "i want to find a white microwave cabinet that has a wood finish.", "attributes": ["wood finish", "contemporary style"], "options": ["color: white"], "instruction_attributes": ["wood finish"], "instruction_options": ["white"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YSZ69J", "worker_id": "A345TDMHP3DQ3G"}], "B09T69NXPT": [{"asin": "B09T69NXPT", "instruction": "i am looking for b color eyeshadow that is long lasting.", "attributes": ["highly pigmented", "long lasting", "eye shadow"], "options": ["color: b"], "instruction_attributes": ["long lasting"], "instruction_options": ["b"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HTDOWF", "worker_id": "A1Q8PPQQCWGY0D"}], "B08QG1HGD9": [{"asin": "B08QG1HGD9", "instruction": "i'm looking for men's fragrance free face lotion that offer spf protection.", "attributes": ["plant based", "fragrance free", "cruelty free", "seed oil"], "options": ["style: spf face lotion"], "instruction_attributes": ["fragrance free"], "instruction_options": ["spf face lotion"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KC0S46S", "worker_id": "A2JP9IKRHNLRPI"}], "B09GM6SDLB": [{"asin": "B09GM6SDLB", "instruction": "i want a peach scrub lip balm made from natural ingredients.", "attributes": ["easy use", "natural ingredients", "dead skin"], "options": ["flavor name: peach scrub"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["peach scrub"], "assignment_id": "388U7OUMFIBM5814TDGP0XA3RBI0RY", "worker_id": "A1WS884SI0SLO4"}], "B01N6PLEXN": [{"asin": "B01N6PLEXN", "instruction": "i'm looking for organic hair conditioner that promotes hair growth, and is both sulfate and cruelty free.", "attributes": ["sulfate free", "cruelty free", "hair growth"], "options": [""], "instruction_attributes": ["sulfate free", "cruelty free", "hair growth"], "instruction_options": [], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2R85L2", "worker_id": "A2JP9IKRHNLRPI"}], "B093T2NBGN": [{"asin": "B093T2NBGN", "instruction": "i need a grey entertainment center", "attributes": ["high gloss", "storage space"], "options": ["color: grey", "size: 71\" w x 17\" d x 12\" h"], "instruction_attributes": ["storage space"], "instruction_options": ["grey"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTT64V6", "worker_id": "A2ECRNQ3X5LEXD"}], "B08Y9315CT": [{"asin": "B08Y9315CT", "instruction": "i am looking for brown color spray bottles for hair styling.", "attributes": ["fine mist", "hair styling"], "options": ["color: brown", "size: 16.9 ounce(500ml)"], "instruction_attributes": ["hair styling"], "instruction_options": ["brown"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJL2UBYX", "worker_id": "A1Q8PPQQCWGY0D"}], "B0154RWL4Q": [{"asin": "B0154RWL4Q", "instruction": "i want a bexley mission tiffany style table lamp for my living room.", "attributes": ["bronze finish", "glass shade", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FMGD35", "worker_id": "A2RBF3IIJP15IH"}], "B09KLWCPLW": [{"asin": "B09KLWCPLW", "instruction": "i'm looking for an office chair that is red and offers lumbar support.", "attributes": ["easy clean", "lumbar support", "pu leather"], "options": ["color: red", "style: with footrest"], "instruction_attributes": ["lumbar support"], "instruction_options": ["red"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAKEOV8", "worker_id": "A2JP9IKRHNLRPI"}], "B09P587279": [{"asin": "B09P587279", "instruction": "i am looking for high heel sandals of size 5.5.", "attributes": ["high heel", "closed toe", "ankle strap"], "options": ["color: z41 green", "size: 5.5"], "instruction_attributes": ["high heel"], "instruction_options": ["5.5"], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZCATD07", "worker_id": "A1Q8PPQQCWGY0D"}], "B095BLCKJF": [{"asin": "B095BLCKJF", "instruction": "i want a m color face kit that is easy to use.", "attributes": ["easy use", "fine lines"], "options": ["color: m"], "instruction_attributes": ["easy use"], "instruction_options": ["m"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VO4060", "worker_id": "A1WS884SI0SLO4"}], "B09D1ZMFBH": [{"asin": "B09D1ZMFBH", "instruction": "i want a resealable bag of raisins.", "attributes": ["low fat", "resealable bag"], "options": [""], "instruction_attributes": ["resealable bag"], "instruction_options": [], "assignment_id": "31EUONYN26DZ1WA44INARVVOAK9OV3", "worker_id": "A1WS884SI0SLO4"}], "B09NSL89H9": [{"asin": "B09NSL89H9", "instruction": "i'm looking for a continuous fine mist spray bottle in the color black.", "attributes": ["high quality", "fine mist"], "options": ["color: black", "size: 200ml"], "instruction_attributes": ["fine mist"], "instruction_options": ["black"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69R7P8J", "worker_id": "AK3JMCIGU8MLU"}], "B09PBX2LND": [{"asin": "B09PBX2LND", "instruction": "i am looking for a pair of women's size 10.5 light blue shoes with memory foam.", "attributes": ["day comfort", "anti slip", "non slip", "hand wash", "lace closure", "high heel", "memory foam"], "options": ["color: light blue", "size: 10.5"], "instruction_attributes": ["memory foam"], "instruction_options": ["light blue", "10.5"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NGB7SLI", "worker_id": "A1EREKSZAA9V7B"}], "B0969KNKCN": [{"asin": "B0969KNKCN", "instruction": "i need a tongue cleaner that is easy to clean", "attributes": ["easy clean", "high quality", "easy use", "stainless steel", "rose gold", "bad breath", "fresh breath"], "options": [""], "instruction_attributes": ["easy clean"], "instruction_options": [], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFN0Q8HQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B01M7TXD6R": [{"asin": "B01M7TXD6R", "instruction": "i am looking for a 25 pack of micellar makeup remover wipes that are sulfate free.", "attributes": ["sulfate free", "paraben free"], "options": ["color: original", "size: 25 count (pack of 2)"], "instruction_attributes": ["sulfate free"], "instruction_options": ["25 count (pack of 2)"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QVIOX7", "worker_id": "AK3JMCIGU8MLU"}], "B01FV5GR0K": [{"asin": "B01FV5GR0K", "instruction": "i want to find an 8 ounce bottle of firming cream that treats fine lines.", "attributes": ["anti aging", "hyaluronic acid", "fine lines"], "options": ["size: 8 ounce"], "instruction_attributes": ["fine lines"], "instruction_options": ["8 ounce"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6IZPUZ", "worker_id": "A345TDMHP3DQ3G"}], "B08N6KPMKY": [{"asin": "B08N6KPMKY", "instruction": "i'm looking for an extra small cozy blanket for my daughter's christmas gift; it should be super soft and easy to clean.", "attributes": ["super soft", "easy clean"], "options": ["color: chistmas style", "size: x-small(28x40 in)"], "instruction_attributes": ["super soft", "easy clean"], "instruction_options": ["chistmas style", "x-small(28x40 in)"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWTBW6Q", "worker_id": "A3LIIE572Z4OG7"}], "B09SDWVCH4": [{"asin": "B09SDWVCH4", "instruction": "i am looking for a high quality, folding massage table.", "attributes": ["easy carry", "high quality"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68J34A3", "worker_id": "AK3JMCIGU8MLU"}], "B09DSWK9VV": [{"asin": "B09DSWK9VV", "instruction": "i'm looking for a gray iphone 13 pro max case that supports wireless charging.", "attributes": ["hands free", "wireless charging"], "options": ["color: grey"], "instruction_attributes": ["wireless charging"], "instruction_options": ["grey"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AUXBW1", "worker_id": "A2JP9IKRHNLRPI"}], "B00NTBRR6C": [{"asin": "B00NTBRR6C", "instruction": "i want a oatmeal cinnamon raisin snack bar that is low calorie and high protein.", "attributes": ["high protein", "low calorie"], "options": ["flavor name: oatmeal cinnamon raisin"], "instruction_attributes": ["high protein", "low calorie"], "instruction_options": ["oatmeal cinnamon raisin"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQERN0V", "worker_id": "A1WS884SI0SLO4"}], "B08V4PWWY2": [{"asin": "B08V4PWWY2", "instruction": "i want to buy bath brushes which are suitable for dry skin.", "attributes": ["double sided", "long handle", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NC32NM", "worker_id": "AJY5G987IRT25"}], "B08MFTHKYH": [{"asin": "B08MFTHKYH", "instruction": "i'm interested in love scent, dermatologist tested cream for sensitive skin that is cruelty-free and does not contain parabens or sulfates.", "attributes": ["paraben free", "cruelty free", "dermatologist tested", "sulfate free", "sensitive skin"], "options": ["scent: love"], "instruction_attributes": ["paraben free", "cruelty free", "dermatologist tested", "sulfate free", "sensitive skin"], "instruction_options": ["love"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUPCS4P", "worker_id": "AFU00NU09CFXE"}], "B0888Q3RV8": [{"asin": "B0888Q3RV8", "instruction": "i'm looking for a travel monopod camera tripod with quick release and easy to carry.", "attributes": ["quick release", "easy carry"], "options": [""], "instruction_attributes": ["quick release", "easy carry"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKOOD7W", "worker_id": "ARJDD0Z3R65BD"}], "B07RNX44YW": [{"asin": "B07RNX44YW", "instruction": "i'm looking for an ivory ottoman for my living room that's made out of solid wood with fake leather.", "attributes": ["high density", "pu leather", "solid wood", "living room"], "options": ["color: ivory"], "instruction_attributes": ["pu leather", "solid wood", "living room"], "instruction_options": ["ivory"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFN018H1", "worker_id": "AR9AU5FY1S3RO"}], "B08R973YV5": [{"asin": "B08R973YV5", "instruction": "i need to buy a gift basket for valentines day. find one that has five chocolate bars in it.", "attributes": ["valentine day", "gift basket"], "options": ["style: 5 bar"], "instruction_attributes": ["valentine day", "gift basket"], "instruction_options": ["5 bar"], "assignment_id": "3KAKFY4PG5C5T1XIMD4ZO37J7RII36", "worker_id": "AR9AU5FY1S3RO"}], "B07SVYBWQ1": [{"asin": "B07SVYBWQ1", "instruction": "i would like a red short sleeve shirt that is button down", "attributes": ["wide leg", "loose fit", "short sleeve", "long sleeve", "high waist"], "options": ["color: z-4 red", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["z-4 red"], "assignment_id": "3IRIK4HM3LUDDHY0D56BK3L84DVC6Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DG6SXNL": [{"asin": "B08DG6SXNL", "instruction": "i'm looking for a pair of rs-c sized, easy to use, stainless steel barber's scissors.", "attributes": ["high quality", "easy use", "stainless steel", "hair cutting"], "options": ["size: rs-c"], "instruction_attributes": ["easy use", "stainless steel"], "instruction_options": ["rs-c"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1Q1TI4", "worker_id": "A2JP9IKRHNLRPI"}], "B01BY04EMY": [{"asin": "B01BY04EMY", "instruction": "i'm locking for a high speed hdmi cable which supports 3d audio.", "attributes": ["high speed", "gold plated"], "options": ["configuration: hdmi male-female", "pattern name: 1 pack", "size: 10ft"], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0Z8CCT", "worker_id": "A21IUUHBSEVB56"}], "B01K0ZPGC6": [{"asin": "B01K0ZPGC6", "instruction": "find a non alcoholic 32oz blood mary mix.", "attributes": ["non alcoholic", "easy use"], "options": [""], "instruction_attributes": ["non alcoholic"], "instruction_options": [], "assignment_id": "39LNWE0K456PSVA11X00BCXJK43UIR", "worker_id": "AVIEE6LDH0BT5"}], "B00RI7EFAO": [{"asin": "B00RI7EFAO", "instruction": "i am looking for a chair with no arms. it should be in burgundy color and should have lumbar support.", "attributes": ["heavy duty", "lumbar support"], "options": ["color: burgundy"], "instruction_attributes": ["lumbar support"], "instruction_options": ["burgundy"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VVFXMD", "worker_id": "A1NF6PELRKACS9"}], "B09M3QJRXQ": [{"asin": "B09M3QJRXQ", "instruction": "i want a beige with trundle twin bed with a wood frame.", "attributes": ["twin size", "easy assemble", "wood frame", "box spring"], "options": ["color: beige with trundle"], "instruction_attributes": ["twin size", "wood frame"], "instruction_options": [], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJYJGV9", "worker_id": "A1WS884SI0SLO4"}], "B06X6B7FK9": [{"asin": "B06X6B7FK9", "instruction": "i want a whtie van heusen men's slim fit dress shirt.", "attributes": ["slim fit", "easy care", "machine wash", "stretch fabric", "button closure", "polyester spandex"], "options": ["color: white", "size: 14\"-14.5\" neck 32\"-33\" sleeve"], "instruction_attributes": ["slim fit"], "instruction_options": ["white"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHATBD736", "worker_id": "A2RBF3IIJP15IH"}], "B07VK1ZCRG": [{"asin": "B07VK1ZCRG", "instruction": "i want gluten free sun tropics sea salt snack bites.", "attributes": ["gluten free", "dairy free", "simple ingredients"], "options": ["flavor: sea salt", "size: 3.5 ounce (pack of 6)"], "instruction_attributes": ["gluten free"], "instruction_options": ["sea salt"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL68NSG", "worker_id": "A2RBF3IIJP15IH"}], "B0999CLY8C": [{"asin": "B0999CLY8C", "instruction": "i want a pair of size 8 green loafers with arch support.", "attributes": ["anti slip", "open toe", "arch support", "high heel"], "options": ["color: z1-green", "size: 8"], "instruction_attributes": ["arch support"], "instruction_options": ["z1-green", "8"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLWZDAS", "worker_id": "A1WS884SI0SLO4"}], "B00JNA3MMG": [{"asin": "B00JNA3MMG", "instruction": "i need a xbox one media remote with batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3IRQNY", "worker_id": "AVIEE6LDH0BT5"}], "B09FG4XS2D": [{"asin": "B09FG4XS2D", "instruction": "i want a rca cable that is high def.", "attributes": ["high definition", "gold plated", "high resolution", "plug play"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZJVPRV", "worker_id": "A1WS884SI0SLO4"}], "B00FWUO2IE": [{"asin": "B00FWUO2IE", "instruction": "i want gluten free starkist chunk light tuna in oil.", "attributes": ["wild caught", "soy free", "gluten free"], "options": ["flavor name: chunk light in oil", "size: 5 ounce (pack of 10)"], "instruction_attributes": ["gluten free"], "instruction_options": ["chunk light in oil"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q8TDK7", "worker_id": "A2RBF3IIJP15IH"}], "B099NG13DV": [{"asin": "B099NG13DV", "instruction": "i would like a 8 gig of ram 512 ssd desktop mini with a core i5.", "attributes": ["core i5", "aluminum alloy"], "options": ["size: 8g ram 512g ssd"], "instruction_attributes": ["core i5"], "instruction_options": ["8g ram 512g ssd"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYR1M6T", "worker_id": "A1WS884SI0SLO4"}], "B075FYSWZ8": [{"asin": "B075FYSWZ8", "instruction": "i want a 18 inch by 18 inch blue purple throw pillow cover that is machine washable.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: blue purple", "size: 18 x 18-inch"], "instruction_attributes": ["machine washable"], "instruction_options": ["blue purple", "18 x 18-inch"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBGFSO2", "worker_id": "A1WS884SI0SLO4"}], "B07GLVYPTC": [{"asin": "B07GLVYPTC", "instruction": "i want to find a travel size fragrance that is scented with new york impression. it needs to be 0.34 fluid ounces.", "attributes": ["travel size", "long lasting"], "options": ["scent name: bond #9 eau de new york impression", "size: 0.34 fl oz (pack of 1)"], "instruction_attributes": ["travel size"], "instruction_options": ["bond #9 eau de new york impression", "0.34 fl oz (pack of 1)"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96ENG4Y", "worker_id": "A345TDMHP3DQ3G"}, {"asin": "B07GLVYPTC", "instruction": "i am looking for long lasting travel size mk michael for men impression eau de parfum.", "attributes": ["travel size", "long lasting"], "options": ["scent name: mk michael for men impression", "size: 0.34 fl oz (pack of 1)"], "instruction_attributes": ["travel size", "long lasting"], "instruction_options": ["mk michael for men impression"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQB46S0", "worker_id": "A1EREKSZAA9V7B"}], "B00A77H96O": [{"asin": "B00A77H96O", "instruction": "i am looking for shirt of size 2x and having short sleeve.", "attributes": ["easy care", "machine washable", "comfortable fit", "classic fit", "short sleeve", "everyday wear"], "options": ["size: 2x"], "instruction_attributes": ["short sleeve"], "instruction_options": ["2x"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0WTACV", "worker_id": "A1Q8PPQQCWGY0D"}], "B09PDRQVSR": [{"asin": "B09PDRQVSR", "instruction": "i am lookng for10.5 size black color vintage leather high heel ankle boots for women", "attributes": ["non slip", "high heel", "quality materials"], "options": ["color: d01-black", "size: 10.5"], "instruction_attributes": ["high heel"], "instruction_options": ["d01-black", "10.5"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHWBGS84", "worker_id": "A258PTOZ3D2TQR"}], "B003ZSHNGS": [{"asin": "B003ZSHNGS", "instruction": "i'm looking for a digital camera with an optical zoom and stereo sound.", "attributes": ["optical zoom", "stereo sound"], "options": [""], "instruction_attributes": ["optical zoom", "stereo sound"], "instruction_options": [], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSNVB8N", "worker_id": "AR9AU5FY1S3RO"}], "B00796M93E": [{"asin": "B00796M93E", "instruction": "i'm looking for non-dairy, lactose free chocolate chips.", "attributes": ["non dairy", "lactose free"], "options": [""], "instruction_attributes": ["non dairy", "lactose free"], "instruction_options": [], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZM9O8Z", "worker_id": "AR9AU5FY1S3RO"}], "B087WQFSLH": [{"asin": "B087WQFSLH", "instruction": "i want to buy a carry case for laptop which is easy to carry and is of khaki color, and it's size should be 11-12 inch.", "attributes": ["easy carry", "carrying case"], "options": ["color: khaki", "size: 11-12 inch"], "instruction_attributes": ["easy carry"], "instruction_options": ["khaki", "11-12 inch"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTXK9PN", "worker_id": "AJY5G987IRT25"}], "B08VF6NHJ4": [{"asin": "B08VF6NHJ4", "instruction": "i'm looking for an armchair for my living room; it needs to be made of premium engineered wood with camel upholstery.", "attributes": ["high density", "long lasting", "engineered wood", "living room"], "options": ["color: camel", "size: armchair"], "instruction_attributes": ["engineered wood", "living room"], "instruction_options": ["camel", "armchair"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOSB9MT", "worker_id": "A3LIIE572Z4OG7"}], "B09962GDCV": [{"asin": "B09962GDCV", "instruction": "i want to find gluten free maple syrup that comes in a 32 fluid ounce bottle.", "attributes": ["hand crafted", "nut free", "kosher certified", "non gmo", "gluten free", "artificial flavors"], "options": ["size: .4 pack - 32 fl oz"], "instruction_attributes": ["gluten free"], "instruction_options": [".4 pack - 32 fl oz"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPG1UTW6", "worker_id": "A345TDMHP3DQ3G"}], "B07662G9NQ": [{"asin": "B07662G9NQ", "instruction": "i need a travel-size cologne balm.", "attributes": ["alcohol free", "travel size"], "options": ["color: all set", "size: .15 ounce stick"], "instruction_attributes": ["travel size"], "instruction_options": [], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA70MRUS", "worker_id": "AVIEE6LDH0BT5"}], "B09MYSDQ7W": [{"asin": "B09MYSDQ7W", "instruction": "i am looking for a high resolution telescope with a phone adapter.", "attributes": ["high power", "high resolution", "bird watching"], "options": [""], "instruction_attributes": ["high resolution"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZQ21Y3", "worker_id": "AK3JMCIGU8MLU"}], "B074PYBJ5S": [{"asin": "B074PYBJ5S", "instruction": "i want a 4.2 ounce bottle of facial mist trio that is paraben free.", "attributes": ["paraben free", "cruelty free", "dry skin"], "options": ["scent: facial mist trio", "size: 4.2 ounce"], "instruction_attributes": ["paraben free"], "instruction_options": ["facial mist trio", "4.2 ounce"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9X187V", "worker_id": "A1WS884SI0SLO4"}], "B09468N3GS": [{"asin": "B09468N3GS", "instruction": "i need a case for my lg stylo 6 that's green, supports wireless charging, and comes with a tempered glass screen protector.", "attributes": ["hands free", "glass screen", "tempered glass", "wireless charging"], "options": ["color: green"], "instruction_attributes": ["glass screen", "tempered glass", "wireless charging"], "instruction_options": ["green"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6I7EVT", "worker_id": "AR9AU5FY1S3RO"}], "B08RWVPB2T": [{"asin": "B08RWVPB2T", "instruction": "i am looking for heavy duty monoculars.", "attributes": ["non slip", "heavy duty", "bird watching"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6PEGUBF", "worker_id": "A1Q8PPQQCWGY0D"}], "B08HJMVQTW": [{"asin": "B08HJMVQTW", "instruction": "i will surely succeed with your help. check my order natural deodorant for women | fresh rain + coconut oil - safe for sensitive skin |fresh rain, white floral (2 packages).", "attributes": ["coconut oil", "sensitive skin"], "options": ["scent: 2 pack fresh rain, white floral"], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUYLJQM", "worker_id": "A15IJ20C3R4HUO"}], "B08LCPFB82": [{"asin": "B08LCPFB82", "instruction": "i'm looking for a 3 sided toothbrush for fresh breath", "attributes": ["clinically proven", "fresh breath"], "options": [""], "instruction_attributes": ["fresh breath"], "instruction_options": [], "assignment_id": "3IX2EGZR7MTT7E2QFLQVI2PZQKMRJU", "worker_id": "A2Y2TURT2VEYZN"}], "B09Q7VKGHV": [{"asin": "B09Q7VKGHV", "instruction": "i want a extra large yellow men's loose fit shirt.", "attributes": ["loose fit", "slim fit", "short sleeve", "contrast color", "drawstring waist", "regular fit", "gym workout"], "options": ["color: yellow", "size: x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["yellow", "x-large"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5KGWIU", "worker_id": "A1WS884SI0SLO4"}], "B08QVSQGQ8": [{"asin": "B08QVSQGQ8", "instruction": "i'm looking for a relaxed fit, short sleeve t shirt in the color white rose in the size large.", "attributes": ["machine wash", "wash cold", "relaxed fit", "short sleeve", "tumble dry"], "options": ["color: b07_white rose", "size: large"], "instruction_attributes": ["relaxed fit", "short sleeve"], "instruction_options": ["b07_white rose", "large"], "assignment_id": "33F859I56HNA01QBVO1K6A4GV6KHB7", "worker_id": "AK3JMCIGU8MLU"}], "B09KM1Z4YX": [{"asin": "B09KM1Z4YX", "instruction": "i want to find a black women's jacket for daily wear. it needs to be a small.", "attributes": ["hand wash", "winter warm", "machine wash", "quick drying", "loose fit", "unique design", "daily wear"], "options": ["color: f-black", "size: small"], "instruction_attributes": ["daily wear"], "instruction_options": ["f-black", "small"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCNSLBH", "worker_id": "A345TDMHP3DQ3G"}], "B08SM9436F": [{"asin": "B08SM9436F", "instruction": "i'm looking for a black 2-ounce makeup storage jar that is leak proof and easy to use.", "attributes": ["leak proof", "easy use"], "options": ["color: black", "size: 2 ounce"], "instruction_attributes": ["leak proof", "easy use"], "instruction_options": ["black", "2 ounce"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGUEKRM1", "worker_id": "AFU00NU09CFXE"}, {"asin": "B08SM9436F", "instruction": "i want black round clear wide-mouth leak proof plastic container jars.", "attributes": ["leak proof", "easy use"], "options": ["color: black", "size: 6 ounce (pack of 4)"], "instruction_attributes": ["leak proof"], "instruction_options": ["black"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDRCQZI", "worker_id": "A2RBF3IIJP15IH"}], "B07J3XFV62": [{"asin": "B07J3XFV62", "instruction": "i want to buy paintings which are suitable for living room and are of color ys102 and have a size of 24x36 inch (60x90cm).", "attributes": ["hand painted", "ready hang", "living room"], "options": ["color: ys102", "size: 24x36inch (60x90cm)"], "instruction_attributes": ["living room"], "instruction_options": ["ys102", "24x36inch (60x90cm)"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSNVQ22", "worker_id": "AJY5G987IRT25"}], "B09LCDDZ7L": [{"asin": "B09LCDDZ7L", "instruction": "i want a style b nightstand that is easy to assemble.", "attributes": ["eco friendly", "easy clean", "easy assemble", "solid wood", "living room"], "options": ["color: style b"], "instruction_attributes": ["easy assemble"], "instruction_options": ["style b"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODR6WEI", "worker_id": "A1WS884SI0SLO4"}], "B000EMU234": [{"asin": "B000EMU234", "instruction": "i am looking for some gluten free powder coffee creamer.", "attributes": ["fat free", "lactose free", "non dairy", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DF7DW8", "worker_id": "A1EREKSZAA9V7B"}], "B08RXNQGBR": [{"asin": "B08RXNQGBR", "instruction": "i would like a travel sized bag that is yellow", "attributes": ["travel size", "leak proof", "easy use", "high quality", "storage case"], "options": ["color: illuminating yellow"], "instruction_attributes": ["travel size"], "instruction_options": ["illuminating yellow"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQFWVKN", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PJYDK14": [{"asin": "B09PJYDK14", "instruction": "i would like some sugar free chocolates", "attributes": ["sugar free", "chocolate covered", "low carb", "zero sugar", "perfect gift"], "options": ["flavor name: dark chocolate covered raisins"], "instruction_attributes": ["sugar free"], "instruction_options": ["dark chocolate covered raisins"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPD16AIQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08XX97T1X": [{"asin": "B08XX97T1X", "instruction": "i want to find hair extensions that are platinum blonde and 18 inches long.", "attributes": ["hair extensions", "hair loss"], "options": ["color: #60 platinum blonde", "size: 18 inch (pack of 4)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#60 platinum blonde", "18 inch (pack of 4)"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK4AQA6B", "worker_id": "A345TDMHP3DQ3G"}], "B08BR8FHVZ": [{"asin": "B08BR8FHVZ", "instruction": "i want grey men's moccasin slippers with arch support.", "attributes": ["anti slip", "moisture wicking", "memory foam", "arch support", "rubber sole"], "options": ["color: grey-upgrade", "size: 9"], "instruction_attributes": ["arch support"], "instruction_options": ["grey-upgrade"], "assignment_id": "3E1QT0TDF0JRUY3OYUZVFKFUNDE8IS", "worker_id": "A2RBF3IIJP15IH"}], "B09DDCVDJ7": [{"asin": "B09DDCVDJ7", "instruction": "i need a french vanilla soy wax candle", "attributes": ["long lasting", "soy wax"], "options": ["color: cream- french vanilla"], "instruction_attributes": ["soy wax"], "instruction_options": ["cream- french vanilla"], "assignment_id": "37WLF8U1W00VWFAO5IN98MYG9M4K6K", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P1GXX9Q": [{"asin": "B09P1GXX9Q", "instruction": "i'm looking for a two piece swimsuit in polyester spandex. i want the black one in x-large.", "attributes": ["elastic closure", "tummy control", "polyester spandex"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["black", "x-large"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMS16BS", "worker_id": "AR9AU5FY1S3RO"}], "B087RK2F4B": [{"asin": "B087RK2F4B", "instruction": "i am interested in buying candles which are made of soy wax and are in red color.", "attributes": ["lead free", "soy wax"], "options": ["color: red"], "instruction_attributes": ["soy wax"], "instruction_options": ["red"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OZ7YEK", "worker_id": "AJY5G987IRT25"}], "B07TXLDCNK": [{"asin": "B07TXLDCNK", "instruction": "i'm looking for longwear makeup remover towelettes for sensitive skin. make sure they're cruelty free.", "attributes": ["fragrance free", "cruelty free", "sensitive skin"], "options": ["style: longwear"], "instruction_attributes": ["fragrance free", "cruelty free", "sensitive skin"], "instruction_options": ["longwear"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK4AF6AW", "worker_id": "AR9AU5FY1S3RO"}], "B00451ZJB0": [{"asin": "B00451ZJB0", "instruction": "i am looking for some gluten free vanilla caramel coffee creamers.", "attributes": ["non dairy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: vanilla caramel", "size: box of 50 singles (pack of 4)"], "instruction_attributes": ["gluten free"], "instruction_options": ["vanilla caramel"], "assignment_id": "3WYP994K1I1QGKZ59XO0HUDR71C6Y0", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B00451ZJB0", "instruction": "i need a box of 180 single shelf stable coffee creamers that are sugar free hazelnut.", "attributes": ["non dairy", "lactose free", "shelf stable", "gluten free"], "options": ["flavor name: sugar free hazelnut", "size: box of 180 singles"], "instruction_attributes": ["shelf stable"], "instruction_options": ["sugar free hazelnut", "box of 180 singles"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP61DDVW", "worker_id": "A2ECRNQ3X5LEXD"}], "B0912N2VT7": [{"asin": "B0912N2VT7", "instruction": "i am looking for a pair of housewarming elephant statue for living room , color: e", "attributes": ["exquisite workmanship", "living room"], "options": ["color: e"], "instruction_attributes": ["living room"], "instruction_options": ["e"], "assignment_id": "31LM9EDVOW28SGAYME9E9IKPPN1NJ6", "worker_id": "A258PTOZ3D2TQR"}], "B003X4G25C": [{"asin": "B003X4G25C", "instruction": "i'm locking for a facial cleanser, makeup remover and face wash for oil skin.", "attributes": ["fragrance free", "sulfate free", "paraben free"], "options": [""], "instruction_attributes": ["sulfate free"], "instruction_options": [], "assignment_id": "326O153BMT8RVOXTJJKKGXV36BYDEO", "worker_id": "A21IUUHBSEVB56"}], "B097QYCG3Y": [{"asin": "B097QYCG3Y", "instruction": "i want a high quality nail drill machine.", "attributes": ["high quality", "storage case"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDRGCH5", "worker_id": "AVIEE6LDH0BT5"}], "B09DCCLFK4": [{"asin": "B09DCCLFK4", "instruction": "i'm looking for an incredibly soft fleece throw blanket that is 50\" x 80\" in size.", "attributes": ["super soft", "machine washable", "fleece throw", "living room"], "options": ["color: carbdr9738", "size: 50\" x 80\""], "instruction_attributes": ["super soft"], "instruction_options": ["50\" x 80\""], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFEO9DG", "worker_id": "A2JP9IKRHNLRPI"}], "B06XQXCMQZ": [{"asin": "B06XQXCMQZ", "instruction": "i want a 18 inch by 18 inch cream blush throw pillow cover for my living room.", "attributes": ["super soft", "living room"], "options": ["color: cream blush", "size: 18 x 18-inch"], "instruction_attributes": ["living room"], "instruction_options": ["cream blush", "18 x 18-inch"], "assignment_id": "33TIN5LC0FKDY31374RC144TX2T9YN", "worker_id": "A1WS884SI0SLO4"}], "B09HX36HQZ": [{"asin": "B09HX36HQZ", "instruction": "i'm looking for golden cupcake toothpick toppers.", "attributes": ["cupcake picks", "party supplies"], "options": ["color: golden"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["golden"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URW2O1CZ", "worker_id": "AK3JMCIGU8MLU"}], "B003VW4KJQ": [{"asin": "B003VW4KJQ", "instruction": "i need lead free taper candles for my living room", "attributes": ["lead free", "soy wax", "living room"], "options": ["color: coastal blue", "size: 10 in"], "instruction_attributes": ["lead free", "living room"], "instruction_options": [], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZPDXCOW", "worker_id": "AVIEE6LDH0BT5"}], "B0977PGVB3": [{"asin": "B0977PGVB3", "instruction": "i am looking for some easy to assemble wall mounted rustic grey floating shelves.", "attributes": ["wall mounted", "easy assemble", "storage space", "living room"], "options": ["color: rustic grey", "size: 12, 24, 36 inch"], "instruction_attributes": ["wall mounted", "easy assemble"], "instruction_options": ["rustic grey"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWVEFPK", "worker_id": "A1EREKSZAA9V7B"}], "B07T66SFPL": [{"asin": "B07T66SFPL", "instruction": "i'm looking for off shoulder short sleeve tops t-shirt bodysuit jumpsuit.", "attributes": ["machine wash", "short sleeve", "long sleeve"], "options": ["color: short sleeve gray green", "size: x-small"], "instruction_attributes": ["short sleeve", "long sleeve"], "instruction_options": ["short sleeve gray green"], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6ORNMMA", "worker_id": "A21IUUHBSEVB56"}], "B087H1LD99": [{"asin": "B087H1LD99", "instruction": "i want to find a television stand for my living room that is nature-colored with some grey as well.", "attributes": ["metal legs", "living room"], "options": ["color: nature | textured grey"], "instruction_attributes": ["living room"], "instruction_options": ["nature | textured grey"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPLVVQM", "worker_id": "A345TDMHP3DQ3G"}], "B093YSFRR7": [{"asin": "B093YSFRR7", "instruction": "i want a set of 2 mesh laundry bags with flamingos and leaves design.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YS169L", "worker_id": "A2RBF3IIJP15IH"}], "B084KJC5S1": [{"asin": "B084KJC5S1", "instruction": "i'm on a low carb diet and i was recommended fried chicken skins chick n' skin - | delicious, low carb, high protein snacks, gluten free, msg free, made with organic chicken, 2 oz. per bag i want 8 bags", "attributes": ["high protein", "low carb", "keto friendly", "ready eat", "certified organic", "gluten free"], "options": ["number of items: 8"], "instruction_attributes": ["high protein", "low carb", "gluten free"], "instruction_options": ["8"], "assignment_id": "3AQF3RZ55JSKGTIA47WCS96B1QS6F9", "worker_id": "A15IJ20C3R4HUO"}], "B095WWB4Y3": [{"asin": "B095WWB4Y3", "instruction": "i am looking for a pair of men's small gym shorts that are machine washable.", "attributes": ["machine washable", "machine wash", "elastic closure", "quality materials", "elastic waistband", "gym workout"], "options": ["size: small"], "instruction_attributes": ["machine washable"], "instruction_options": ["small"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVPC0QT", "worker_id": "A1EREKSZAA9V7B"}], "B00VWQT2KU": [{"asin": "B00VWQT2KU", "instruction": "i'm looking for a plug and play security system with motion detection. it should have an 8 channel dvr, 4 cameras, and a 1 terabyte hard disk.", "attributes": ["plug play", "motion detection"], "options": ["size: 8 channel dvr + 4 cameras +1tb hard disk"], "instruction_attributes": ["plug play", "motion detection"], "instruction_options": ["8 channel dvr + 4 cameras +1tb hard disk"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY644JQ", "worker_id": "AR9AU5FY1S3RO"}], "B08DKBYQ3R": [{"asin": "B08DKBYQ3R", "instruction": "i want to find 30-inch long hair extension braids in a pack of 6. the color needs to be #613.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: 1b | 27 | 613#", "size: 30 inch (pack of 6)"], "instruction_attributes": ["hair extensions"], "instruction_options": ["1b | 27 | 613#", "30 inch (pack of 6)"], "assignment_id": "3R2PKQ87N7I6FN5SSV9EK2GP7IAIMX", "worker_id": "A345TDMHP3DQ3G"}], "B07Y8QCL6Y": [{"asin": "B07Y8QCL6Y", "instruction": "i am looking for a mini pc with an intel core i5 cpu.", "attributes": ["core i5", "intel core"], "options": [""], "instruction_attributes": ["core i5", "intel core"], "instruction_options": [], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINXA27N", "worker_id": "A1EREKSZAA9V7B"}], "B09LRY6H41": [{"asin": "B09LRY6H41", "instruction": "i am looking for a real fruit coconut and pineapple drink.", "attributes": ["real fruit", "natural flavors"], "options": ["flavor name: coco pineapple", "size: 6 pack"], "instruction_attributes": ["real fruit"], "instruction_options": ["coco pineapple"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS35401DTMU5", "worker_id": "A1EREKSZAA9V7B"}], "B08MXC72RZ": [{"asin": "B08MXC72RZ", "instruction": "i am looking for classic casual rubber sole soft walking slip-ons of size 10 with khaki lace up", "attributes": ["anti slip", "non slip", "rubber sole"], "options": ["color: khaki lace up", "size: 10"], "instruction_attributes": ["rubber sole"], "instruction_options": ["khaki lace up", "10"], "assignment_id": "352YTHGRO6NQF252G9RXYWYALEYH4W", "worker_id": "A258PTOZ3D2TQR"}], "B078N4PCQM": [{"asin": "B078N4PCQM", "instruction": "i want a green mattress solution 4-inch wood split low profile traditional box spring.", "attributes": ["ready use", "fully assembled", "white item", "assembly required", "box spring", "king size"], "options": ["color: green", "size: twin", "style: include 4\" split foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["green"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEMJ68W", "worker_id": "A2RBF3IIJP15IH"}], "B013I738K0": [{"asin": "B013I738K0", "instruction": "i'm looking for 1.3 ounce sensible foods fat free fruit snacks with cherry berry flvour", "attributes": ["fat free", "non gmo", "gluten free"], "options": ["flavor: cherry berry", "size: 1.3 ounce (12 count)"], "instruction_attributes": ["fat free"], "instruction_options": ["cherry berry", "1.3 ounce (12 count)"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0WTCAX", "worker_id": "A258PTOZ3D2TQR"}], "B08LFW7KPB": [{"asin": "B08LFW7KPB", "instruction": "i need a tv stand for my living room.", "attributes": ["white finish", "contemporary style", "storage space", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNWDFJP", "worker_id": "AVIEE6LDH0BT5"}], "B09P9LDN8Z": [{"asin": "B09P9LDN8Z", "instruction": "i am looking for gray(new) color sofa bed that is easy to assemble.", "attributes": ["high density", "space saving", "easy assemble", "storage unit", "storage space"], "options": ["color: gray(new)"], "instruction_attributes": ["easy assemble"], "instruction_options": ["gray(new)"], "assignment_id": "3YW4XOSQK1VESPE3TQFUJDGX32S1U6", "worker_id": "A1Q8PPQQCWGY0D"}], "B09R82T74S": [{"asin": "B09R82T74S", "instruction": "i'm looking for an anti aging facial roller in color f.", "attributes": ["anti aging", "easy use"], "options": ["color: f"], "instruction_attributes": ["anti aging"], "instruction_options": ["f"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOMULM4", "worker_id": "A3MNXK3VDK37SN"}], "B095WB4TNZ": [{"asin": "B095WB4TNZ", "instruction": "i want a wireless outdoor security camera with motion detection.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96EJG4U", "worker_id": "A2RBF3IIJP15IH"}], "B07B7FKM4T": [{"asin": "B07B7FKM4T", "instruction": "i need a black colored chandelier for my living room.", "attributes": ["height adjustable", "mid century", "light fixture", "brushed nickel", "pendant light", "dining room", "living room"], "options": ["color: black"], "instruction_attributes": ["living room"], "instruction_options": ["black"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM93ZHS", "worker_id": "AVIEE6LDH0BT5"}], "B004KQF9YW": [{"asin": "B004KQF9YW", "instruction": "i want a 2.7 ounce stick of mitchum men triple odor defense anti-perspirant.", "attributes": ["anti perspirant", "dermatologist tested", "alcohol free"], "options": ["size: 2.7 ounce", "style: clean control"], "instruction_attributes": ["anti perspirant"], "instruction_options": ["2.7 ounce"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5ZM4FM", "worker_id": "A2RBF3IIJP15IH"}], "B09J4M3FS9": [{"asin": "B09J4M3FS9", "instruction": "i am looking for an easy to use stainless steel green monocular telescope for a smartphone.", "attributes": ["easy install", "stainless steel", "bird watching"], "options": ["color: green"], "instruction_attributes": ["easy install", "stainless steel"], "instruction_options": ["green"], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EABQS23", "worker_id": "A1EREKSZAA9V7B"}], "B074PRMLY8": [{"asin": "B074PRMLY8", "instruction": "i am looking for a hair loss shampoo for damaged hair.", "attributes": ["hair loss", "hair growth", "hair treatment", "damaged hair"], "options": [""], "instruction_attributes": ["hair loss", "damaged hair"], "instruction_options": [], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0V4WGFM", "worker_id": "A1EREKSZAA9V7B"}], "B075T77RW1": [{"asin": "B075T77RW1", "instruction": "i would like steel frame drafting tables", "attributes": ["white item", "coated steel", "steel frame"], "options": [""], "instruction_attributes": ["steel frame"], "instruction_options": [], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QZK07V", "worker_id": "A2ECRNQ3X5LEXD"}], "B082HCK3M1": [{"asin": "B082HCK3M1", "instruction": "i need a easy to use hdmi display adapter with high definition.", "attributes": ["easy use", "high definition"], "options": [""], "instruction_attributes": ["easy use", "high definition"], "instruction_options": [], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH6HHQF", "worker_id": "AVIEE6LDH0BT5"}], "B09QSVY6WP": [{"asin": "B09QSVY6WP", "instruction": "i am interested in a media player that has batteries included.", "attributes": ["batteries included", "1080p hd", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF9E9AZO", "worker_id": "A2ECRNQ3X5LEXD"}], "B086N1MGFS": [{"asin": "B086N1MGFS", "instruction": "i want a 0.75 ounce soft peach foundation that is paraben free.", "attributes": ["paraben free", "cruelty free"], "options": ["color: soft peach", "size: 0.75 ounce (pack of 1)"], "instruction_attributes": ["paraben free"], "instruction_options": ["soft peach", "0.75 ounce (pack of 1)"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SZWUDQ", "worker_id": "A1WS884SI0SLO4"}], "B000MCGEYM": [{"asin": "B000MCGEYM", "instruction": "i want a 150 watt black speaker that is heavy duty.", "attributes": ["heavy duty", "easy install", "stereo sound"], "options": ["color: black", "size: 150 watts", "style: speakers + bluetooth marine receiver stereo"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black", "150 watts", "speakers + bluetooth marine receiver stereo"], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW6D9VVF", "worker_id": "A1WS884SI0SLO4"}], "B00FSZRWZS": [{"asin": "B00FSZRWZS", "instruction": "i need a three pack deodorant that is made for sensitive skin", "attributes": ["anti perspirant", "sensitive skin"], "options": ["size: .2 pack(2.6 ounce (pack of 3))"], "instruction_attributes": ["sensitive skin"], "instruction_options": [".2 pack(2.6 ounce (pack of 3))"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GH0ZUO", "worker_id": "A2ECRNQ3X5LEXD"}], "B07215YT9K": [{"asin": "B07215YT9K", "instruction": "i want to find a pair of small, navy-colored active shorts for men that are machine washable.", "attributes": ["officially licensed", "machine wash", "quality polyester"], "options": ["color: navy", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy", "small"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NNOKBE", "worker_id": "A345TDMHP3DQ3G"}], "B09MKB5ZL3": [{"asin": "B09MKB5ZL3", "instruction": "i'm looking for a pair of pink wireless bluetooth headphones with stereo sound.", "attributes": ["noise cancelling", "wireless charging", "stereo sound", "wireless bluetooth"], "options": ["color: pink"], "instruction_attributes": ["stereo sound", "wireless bluetooth"], "instruction_options": ["pink"], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98W2YK3", "worker_id": "A3MNXK3VDK37SN"}], "B09C86HRZ6": [{"asin": "B09C86HRZ6", "instruction": "i want xx-large fabiurt loose fit plus size tops for women.", "attributes": ["loose fit", "short sleeve", "long sleeve"], "options": ["color: b1-white", "size: xx-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["xx-large"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFN0X8HX", "worker_id": "A2RBF3IIJP15IH"}], "B07CGG4WN1": [{"asin": "B07CGG4WN1", "instruction": "i want a pair of 50 by 108 inch red pink peach window panels for my living room.", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: red pink peach", "size: pair of - 50\" x 108\""], "instruction_attributes": ["living room"], "instruction_options": ["red pink peach", "pair of - 50\" x 108\""], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWT3J97L", "worker_id": "A1WS884SI0SLO4"}], "B09PYK8SNV": [{"asin": "B09PYK8SNV", "instruction": "i want to find an office chair that offers lumbar support. i also want to be able to adjust the height.", "attributes": ["height adjustable", "lumbar support"], "options": [""], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": [], "assignment_id": "3Q5ZZ9ZEVZPFIA89RAG1QBBPIR358A", "worker_id": "A345TDMHP3DQ3G"}], "B01KVU8JBK": [{"asin": "B01KVU8JBK", "instruction": "i want to find gluten free mango salsa that is bacon habanero flavored.", "attributes": ["hand crafted", "gluten free"], "options": ["flavor name: bacon habanero"], "instruction_attributes": ["gluten free"], "instruction_options": ["bacon habanero"], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMS56BW", "worker_id": "A345TDMHP3DQ3G"}], "B08XMNHPXY": [{"asin": "B08XMNHPXY", "instruction": "i am looking for dark green color phone case cover which is dust proof.", "attributes": ["dust proof", "heavy duty", "hands free", "wireless charging"], "options": ["color: dark green"], "instruction_attributes": ["dust proof"], "instruction_options": ["dark green"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68JCA4I", "worker_id": "A1Q8PPQQCWGY0D"}], "B09MWB8VWW": [{"asin": "B09MWB8VWW", "instruction": "i am looking for space saving espresso color bed.", "attributes": ["space saving", "solid wood"], "options": ["color: espresso", "style: metal low bunk bed full size"], "instruction_attributes": ["space saving"], "instruction_options": ["espresso"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9PD0BJ", "worker_id": "A1Q8PPQQCWGY0D"}], "B09P1593Z6": [{"asin": "B09P1593Z6", "instruction": "i want a 10 by 7 ft a16 photo background that is light weight.", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a16", "size: 10x7ft | 3x2.2m"], "instruction_attributes": ["light weight"], "instruction_options": ["a16", "10x7ft | 3x2.2m"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OMGTR4", "worker_id": "A1WS884SI0SLO4"}], "B08THVMLZK": [{"asin": "B08THVMLZK", "instruction": "look for it in stock. dustproof case for ps5, anti-dust cover dust plugs hdmi usb interface for ps5 console with 10pcs silicone ps5 controller joystick grips, sky pink", "attributes": ["dust proof", "easy install"], "options": ["color: pink sky", "size: ps5 skin disc"], "instruction_attributes": ["dust proof"], "instruction_options": ["pink sky"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKP2ZJPV", "worker_id": "A15IJ20C3R4HUO"}], "B07PY96H2Q": [{"asin": "B07PY96H2Q", "instruction": "i'm looking for oil free hair conditioner that offers a cruelty free certification.", "attributes": ["oil free", "sulfate free", "paraben free", "cruelty free", "argan oil"], "options": [""], "instruction_attributes": ["oil free"], "instruction_options": [], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XVNGNY", "worker_id": "A2JP9IKRHNLRPI"}], "B082SL5XFG": [{"asin": "B082SL5XFG", "instruction": "i am looking for power cord outlet socket cable plug for wireless bluetooth speakers.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X02F4WN", "worker_id": "A1Q8PPQQCWGY0D"}], "B09HSTMV93": [{"asin": "B09HSTMV93", "instruction": "i am looking for a high quality and easy to clean tongue cleaner.", "attributes": ["easy clean", "high quality", "oral hygiene", "bad breath"], "options": [""], "instruction_attributes": ["easy clean", "high quality"], "instruction_options": [], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X42IH0G", "worker_id": "A1EREKSZAA9V7B"}], "B07RMZ8BBP": [{"asin": "B07RMZ8BBP", "instruction": "i would like a pair of 36 regular cut off white bull denim shorts that are machine washable.", "attributes": ["machine wash", "imported zipper"], "options": ["color: white bull denim - stretch", "fit type: cut off", "size: 36 regular"], "instruction_attributes": ["machine wash"], "instruction_options": ["white bull denim - stretch", "cut off", "36 regular"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBX0C4O7", "worker_id": "A1WS884SI0SLO4"}], "B09RZRT4QD": [{"asin": "B09RZRT4QD", "instruction": "i want to find an open-toed pair of women's fashion wedges in a wide size 11. they should be khaki colored.", "attributes": ["butt lifting", "open toe", "moisture wicking", "high waist", "high heel", "ankle strap", "long sleeve"], "options": ["color: a6 - khaki", "size: 11 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["a6 - khaki", "11 wide"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDRLCHA", "worker_id": "A345TDMHP3DQ3G"}], "B08Q7RNY1W": [{"asin": "B08Q7RNY1W", "instruction": "i need a long lasting organic deodorant.", "attributes": ["long lasting", "coconut oil"], "options": ["scent: blossom breeze", "size: 2 ounce"], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602XP957", "worker_id": "AVIEE6LDH0BT5"}], "B0042RBHXQ": [{"asin": "B0042RBHXQ", "instruction": "i want gluten free lang's chocolates milk chocolate dessert cups.", "attributes": ["hand crafted", "gluten free"], "options": ["flavor name: chocolate", "size: 32"], "instruction_attributes": ["gluten free"], "instruction_options": ["chocolate"], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWJ0GGP", "worker_id": "A2RBF3IIJP15IH"}], "B083DP4MCM": [{"asin": "B083DP4MCM", "instruction": "i am looking for travel size pump bottles with lotion nozzles.", "attributes": ["bpa free", "travel size"], "options": ["color: lotion nozzle", "size: 15+30+50ml"], "instruction_attributes": ["travel size"], "instruction_options": ["lotion nozzle"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602XS95A", "worker_id": "A1EREKSZAA9V7B"}], "B00F8M95YW": [{"asin": "B00F8M95YW", "instruction": "i want to order a bottle of shampoo with coconut oil for dry, damaged hair.", "attributes": ["coconut oil", "damaged hair", "dry hair"], "options": [""], "instruction_attributes": ["coconut oil", "damaged hair", "dry hair"], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUHEYE12", "worker_id": "AR9AU5FY1S3RO"}], "B093K698Z1": [{"asin": "B093K698Z1", "instruction": "find set of 2 medium pig astronaut-1 mesh laundry bags and 1 small laundry bag, i will give as a gift at a kitchen shower", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKS0CGLL", "worker_id": "A15IJ20C3R4HUO"}], "B096JSQ38T": [{"asin": "B096JSQ38T", "instruction": "i am in need of 5 sets happy birthday cake toppers", "attributes": ["birthday cake", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4R3PK4", "worker_id": "A258PTOZ3D2TQR"}], "B08YRN6MNT": [{"asin": "B08YRN6MNT", "instruction": "i'm looking for a rolling cart offering 3 levels that is made with a steel frame and is painted black.", "attributes": ["space saving", "coated steel", "steel frame", "living room"], "options": ["color: black"], "instruction_attributes": ["steel frame"], "instruction_options": ["black"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3QFLZO", "worker_id": "A2JP9IKRHNLRPI"}], "B07DVRW4NN": [{"asin": "B07DVRW4NN", "instruction": "i'm looking for a 6 foot long, high performance coaxial cable", "attributes": ["high performance", "coaxial cable"], "options": ["size: 6 feet (1.8 meter)"], "instruction_attributes": ["high performance", "coaxial cable"], "instruction_options": ["6 feet (1.8 meter)"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3Y215JY", "worker_id": "AK3JMCIGU8MLU"}], "B08PJY7GW8": [{"asin": "B08PJY7GW8", "instruction": "i am looking for a wall art of size 36\" x 24'' x 2 for my living room.", "attributes": ["hand painted", "living room", "dining room"], "options": ["color: abstract wall art", "size: 36\" x 24'' x 2"], "instruction_attributes": ["living room"], "instruction_options": ["36\" x 24'' x 2"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC8PUKZ", "worker_id": "A1Q8PPQQCWGY0D"}], "B09FF1GQ74": [{"asin": "B09FF1GQ74", "instruction": "i want a 10 piece of green brush set for synthetic hair.", "attributes": ["synthetic hair", "eye shadow"], "options": ["color: 10pcs green"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["10pcs green"], "assignment_id": "3AAJC4I4FR2295OHP2K845RYZ16JZG", "worker_id": "A1WS884SI0SLO4"}], "B07GBXKRCT": [{"asin": "B07GBXKRCT", "instruction": "i want a core i5 tablet.", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQK0KED", "worker_id": "A1WS884SI0SLO4"}], "B07Q7MFB5G": [{"asin": "B07Q7MFB5G", "instruction": "i am looking for cognac zebra color women's sneaker having rubber sole.", "attributes": ["lace closure", "rubber sole"], "options": ["color: cognac zebra", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["cognac zebra"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1HVXCF", "worker_id": "A1Q8PPQQCWGY0D"}], "B079LXH6NX": [{"asin": "B079LXH6NX", "instruction": "i need some noise cancelling headphones", "attributes": ["noise cancelling", "wireless bluetooth"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X42GH0E", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QN1H2RD": [{"asin": "B08QN1H2RD", "instruction": "i am looking for 2 easy to assemble grey barstools.", "attributes": ["long lasting", "easy assemble", "metal legs"], "options": ["color: 2 grey barstools", "size: 4 barstools"], "instruction_attributes": ["easy assemble"], "instruction_options": ["2 grey barstools"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZ3LCNA", "worker_id": "A1EREKSZAA9V7B"}], "B015OW3TAQ": [{"asin": "B015OW3TAQ", "instruction": "i need a five pack of three foot hdmi cables that support 1080p and are gold plated.", "attributes": ["1080p hd", "gold plated", "usb port"], "options": ["pattern name: cable + cable - 10 feet", "size: 3 feet", "style: 5-pack"], "instruction_attributes": ["1080p hd", "gold plated"], "instruction_options": ["3 feet", "5-pack"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8S0Q6M", "worker_id": "AR9AU5FY1S3RO"}], "B076CK9K6X": [{"asin": "B076CK9K6X", "instruction": "i want a 4 ounce bag of bbq jerky that is high in protein.", "attributes": ["low fat", "high protein"], "options": ["flavor name: bbq", "size: 4 ounce"], "instruction_attributes": ["high protein"], "instruction_options": ["bbq", "4 ounce"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZDD0S0D", "worker_id": "A1WS884SI0SLO4"}], "B009AGABCM": [{"asin": "B009AGABCM", "instruction": "i want to find vintage men's jeans with a regular, but still comfortable, fit. the jeans should be 38 inches in width and 36 inches in length and be river denim in color.", "attributes": ["slim fit", "comfortable fit", "button closure"], "options": ["color: river denim", "fit type: regular", "size: 38w x 36l"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["river denim", "regular", "38w x 36l"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI3EQDBT", "worker_id": "A345TDMHP3DQ3G"}], "B07F1PNPT3": [{"asin": "B07F1PNPT3", "instruction": "help me find this model today: eldof women peep toe pump medium heel, rubber sole, brown color and size 8.5 . i'm giving up on finding it so much i've searched.", "attributes": ["open toe", "rubber sole"], "options": ["color: brown", "size: 8.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown", "8.5"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3V0ZMZ", "worker_id": "A15IJ20C3R4HUO"}], "B09P3R6STB": [{"asin": "B09P3R6STB", "instruction": "i'd like a three piece bikini set for a teen girl. i need it in purple, size xx large.", "attributes": ["open toe", "cotton spandex", "tumble dry", "teen girls"], "options": ["color: swimsuits-a091-purple", "size: xx-large"], "instruction_attributes": ["tumble dry", "teen girls"], "instruction_options": ["swimsuits-a091-purple", "xx-large"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQH0QSB", "worker_id": "AR9AU5FY1S3RO"}], "B00AREGVUM": [{"asin": "B00AREGVUM", "instruction": "i'm looking for clinically proven, anti-aging body oil in a package of 3 of .85 fl oz bottles.", "attributes": ["clinically proven", "anti aging"], "options": ["style: 0.85 fl oz (pack of 3)"], "instruction_attributes": ["clinically proven", "anti aging"], "instruction_options": ["0.85 fl oz (pack of 3)"], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKUCEPE", "worker_id": "A2JP9IKRHNLRPI"}], "B09QCY7VYW": [{"asin": "B09QCY7VYW", "instruction": "i want black cooki heeled open toe sandals for women.", "attributes": ["open toe", "ankle strap", "teen girls", "daily wear"], "options": ["color: z2 black", "size: 6.5"], "instruction_attributes": ["open toe"], "instruction_options": ["z2 black"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPPFE61", "worker_id": "A2RBF3IIJP15IH"}], "B07TPSYZBG": [{"asin": "B07TPSYZBG", "instruction": "i want to find canvas wall art that is 30x60 inches in dimension. i want it to be poppy colored and it should be suitable for my dining room.", "attributes": ["hand painted", "ready hang", "wood frame", "living room", "dining room"], "options": ["color: poppy", "size: 30x60in"], "instruction_attributes": ["dining room"], "instruction_options": ["poppy", "30x60in"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA5H8AW", "worker_id": "A345TDMHP3DQ3G"}], "B08QDWVNVF": [{"asin": "B08QDWVNVF", "instruction": "i need a space saving table for my dining room in espresso.", "attributes": ["space saving", "engineered wood", "steel frame", "dining room", "living room"], "options": ["color: espresso"], "instruction_attributes": ["space saving", "dining room"], "instruction_options": ["espresso"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PQPX2D", "worker_id": "AR9AU5FY1S3RO"}], "B09QX5BT3K": [{"asin": "B09QX5BT3K", "instruction": "i would like a medium gray henley with short sleeves.", "attributes": ["slim fit", "loose fit", "long sleeve", "faux fur", "short sleeve"], "options": ["color: gray", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["gray", "medium"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTR4PL3", "worker_id": "A1WS884SI0SLO4"}], "B09KLMRFP9": [{"asin": "B09KLMRFP9", "instruction": "i need a clear, eco-friendly 6.7 ounce spray bottle.", "attributes": ["eco friendly", "fine mist"], "options": ["color: 2 clear", "size: 6.7 ounce"], "instruction_attributes": ["eco friendly"], "instruction_options": ["2 clear", "6.7 ounce"], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFQR9EB", "worker_id": "AR9AU5FY1S3RO"}], "B01LYRBH74": [{"asin": "B01LYRBH74", "instruction": "i am looking for kosher certified premium gourmet spices of european chicken seasoning -12 oz", "attributes": ["kosher certified", "non gmo"], "options": ["flavor: european chicken seasoning 12 oz"], "instruction_attributes": ["kosher certified"], "instruction_options": ["european chicken seasoning 12 oz"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMMLZIO", "worker_id": "A258PTOZ3D2TQR"}], "B07G3986RC": [{"asin": "B07G3986RC", "instruction": "buy me a heart flavored tea without caffeine", "attributes": ["caffeine free", "usda organic", "sugar free", "gluten free", "artificial colors", "artificial flavors"], "options": ["flavor name: heart", "size: 1.27 ounce"], "instruction_attributes": ["caffeine free"], "instruction_options": ["heart"], "assignment_id": "3R2PKQ87N7I6FN5SSV9EK2GP7IZIMM", "worker_id": "AVIEE6LDH0BT5"}], "B07N32XJSY": [{"asin": "B07N32XJSY", "instruction": "i'm locking for blueberry lavender flavored almond beverage.", "attributes": ["trader joe", "non dairy", "natural flavors"], "options": [""], "instruction_attributes": ["non dairy"], "instruction_options": [], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHRES72JR", "worker_id": "A21IUUHBSEVB56"}], "B08P3RQ6DY": [{"asin": "B08P3RQ6DY", "instruction": "i am interested in non gmo puffed snacks", "attributes": ["non gmo", "gluten free", "artificial colors"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM9YHZ5", "worker_id": "A2ECRNQ3X5LEXD"}], "B08VGKW66Z": [{"asin": "B08VGKW66Z", "instruction": "i'm looking for a multi-color cuxweot custom blanket for the living room that is super soft and can be used as a fleece throw.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 35"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22ODW8O", "worker_id": "AMI0SOF51O3FW"}], "B09MZB12N3": [{"asin": "B09MZB12N3", "instruction": "i'm locking for a lip sleeping mask.", "attributes": ["cruelty free", "natural ingredients", "fine lines", "dead skin"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79UP1H4", "worker_id": "A21IUUHBSEVB56"}], "B091DYR5QL": [{"asin": "B091DYR5QL", "instruction": "i want gluten free shangri-la tea company organic green tea bags.", "attributes": ["caffeine free", "sugar free", "individually wrapped", "gluten free"], "options": ["flavor name: premium green"], "instruction_attributes": ["gluten free"], "instruction_options": ["premium green"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSOBEGJQ", "worker_id": "A2RBF3IIJP15IH"}], "B076DL1VLG": [{"asin": "B076DL1VLG", "instruction": "i want a sulfate free shampoo & conditioner set with biotin scent", "attributes": ["sulfate free", "paraben free", "argan oil", "seed oil", "hair loss", "hair growth", "natural hair", "dry hair"], "options": ["scent: biotin & collagen", "size: 16.9 fl oz (pack of 2)"], "instruction_attributes": ["sulfate free"], "instruction_options": ["biotin & collagen"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME98A2DD", "worker_id": "AVIEE6LDH0BT5"}], "B08BFDSRL3": [{"asin": "B08BFDSRL3", "instruction": "i need straight leg jeans that are 56w by 30l", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: (new) on my radio", "size: 56w x 30l"], "instruction_attributes": ["straight leg"], "instruction_options": ["56w x 30l"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQ1QB47", "worker_id": "A2ECRNQ3X5LEXD"}], "B0776NB4YW": [{"asin": "B0776NB4YW", "instruction": "i'm looking for a certified organic castor oil. choose the ones that come in 16 oz package.", "attributes": ["certified organic", "alcohol free", "dry hair", "fine lines", "dry skin", "hair growth"], "options": ["style: organic castor oil 16 oz"], "instruction_attributes": ["certified organic"], "instruction_options": ["organic castor oil 16 oz"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OT699W", "worker_id": "A3MNXK3VDK37SN"}], "B09RWW23NJ": [{"asin": "B09RWW23NJ", "instruction": "i need a medium sized board shorts with a elastic waistband.", "attributes": ["quick drying", "elastic waistband", "elastic waist"], "options": ["color: white", "size: medium"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["medium"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HTDWON", "worker_id": "AVIEE6LDH0BT5"}], "B0738CN28V": [{"asin": "B0738CN28V", "instruction": "lasgoos design natural look lightweight reusable false eyelashes eye makeup 11/5 pairs/box (a10) find it and tell me", "attributes": ["easy apply", "cruelty free"], "options": ["style: 011-5pairs"], "instruction_attributes": ["easy apply"], "instruction_options": ["011-5pairs"], "assignment_id": "31JLPPHS254FPN8LK8H48035J0HO37", "worker_id": "A15IJ20C3R4HUO"}], "B0969NHZCY": [{"asin": "B0969NHZCY", "instruction": "i want to find machine washable curtains for my living room in the color 5.", "attributes": ["machine washable", "stainless steel", "dining room", "living room"], "options": ["color: colour5"], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["colour5"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q76GH9W", "worker_id": "A345TDMHP3DQ3G"}], "B09BF9HKMT": [{"asin": "B09BF9HKMT", "instruction": "i am looking for smart bands of size 40mm and are easy to install.", "attributes": ["compatible apple", "quick release", "easy install", "glass screen", "tempered glass"], "options": ["color: black white band+black silver case", "size: 40mm"], "instruction_attributes": ["easy install"], "instruction_options": ["40mm"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMMKZIN", "worker_id": "A1Q8PPQQCWGY0D"}], "B07KK42V6D": [{"asin": "B07KK42V6D", "instruction": "i'm looking for a keto friendly hot cocoa mix in dark chocolate flavor.", "attributes": ["keto friendly", "low carb", "dietary fiber"], "options": ["flavor name: simply dark chocolate"], "instruction_attributes": ["keto friendly"], "instruction_options": ["simply dark chocolate"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5BELQUR", "worker_id": "A3MNXK3VDK37SN"}], "B09RQ8LRDT": [{"asin": "B09RQ8LRDT", "instruction": "i'm looking for some highly pigmented, long lasting eye shadow in color \"c.\"", "attributes": ["highly pigmented", "long lasting", "eye shadow"], "options": ["color: c"], "instruction_attributes": ["highly pigmented", "long lasting", "eye shadow"], "instruction_options": ["c"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC8ENIW", "worker_id": "AR9AU5FY1S3RO"}], "B0963LTSXB": [{"asin": "B0963LTSXB", "instruction": "i want green comfy womens closed toe clogs shoes.", "attributes": ["high heel", "soft material", "closed toe", "daily wear"], "options": ["color: green", "size: 8"], "instruction_attributes": ["closed toe"], "instruction_options": ["green"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H8U8UT", "worker_id": "A2RBF3IIJP15IH"}], "B09Q6CTMF7": [{"asin": "B09Q6CTMF7", "instruction": "i want a blue toothbrush for sensitive teeth.", "attributes": ["easy use", "teeth whitening", "sensitive teeth"], "options": ["color: blue"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["blue"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVF88VN", "worker_id": "A1WS884SI0SLO4"}], "B09FFKMF4T": [{"asin": "B09FFKMF4T", "instruction": "i would like a pair of size 9 white synthetic leather clogs with a synthetic sole.", "attributes": ["high heel", "synthetic sole"], "options": ["color: white synthetic leather", "size: 9"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["white synthetic leather", "9"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIV6846", "worker_id": "A1WS884SI0SLO4"}], "B09F3WRKVG": [{"asin": "B09F3WRKVG", "instruction": "i want a navy blue biedori womens casual long sleeve dress.", "attributes": ["long sleeve", "elastic waist", "relaxed fit"], "options": ["color: navy blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["navy blue"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT5J3P9", "worker_id": "A2RBF3IIJP15IH"}], "B07B4RZ87J": [{"asin": "B07B4RZ87J", "instruction": "i want a 8.5 fl oz of mizani true textures cream cleansing conditioner with coconut oil.", "attributes": ["sulfate free", "coconut oil"], "options": ["size: 8.5 fl oz"], "instruction_attributes": ["coconut oil"], "instruction_options": ["8.5 fl oz"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22OBW8M", "worker_id": "A2RBF3IIJP15IH"}], "B07DS5BR42": [{"asin": "B07DS5BR42", "instruction": "i am looking for chocolate chip flavor non gmo cookies.", "attributes": ["non gmo", "quality ingredients", "natural ingredients"], "options": ["flavor: chocolate chip", "size: 4 ounce (pack of 3)"], "instruction_attributes": ["non gmo"], "instruction_options": ["chocolate chip"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCM4SJI", "worker_id": "A1Q8PPQQCWGY0D"}], "B08S6XCNDG": [{"asin": "B08S6XCNDG", "instruction": "i am looking for rocky mount color slim fit jeans.", "attributes": ["slim fit", "quality materials"], "options": ["color: rocky mount", "size: 38w x 32l"], "instruction_attributes": ["slim fit"], "instruction_options": ["rocky mount"], "assignment_id": "35H6S234SLASEWPLYVJ36XFYCWD56O", "worker_id": "A1Q8PPQQCWGY0D"}], "B09Q6CSF2B": [{"asin": "B09Q6CSF2B", "instruction": "i'm looking for a dvd recorder that features stereo sound.", "attributes": ["plug play", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MO3WL1", "worker_id": "A345TDMHP3DQ3G"}], "B07K125KWT": [{"asin": "B07K125KWT", "instruction": "i want a bookshelf for my living room.", "attributes": ["contemporary style", "living room"], "options": ["style: bookshelf"], "instruction_attributes": ["living room"], "instruction_options": ["bookshelf"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95CAZPH0", "worker_id": "A1WS884SI0SLO4"}], "B092PMT773": [{"asin": "B092PMT773", "instruction": "i am looking for a steel frame storage tower in the color dark gray.", "attributes": ["steel frame", "storage space", "living room"], "options": ["color: dark gray"], "instruction_attributes": ["steel frame"], "instruction_options": ["dark gray"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AOVSTN", "worker_id": "AK3JMCIGU8MLU"}], "B07STGB556": [{"asin": "B07STGB556", "instruction": "loeffler randall paulina-ks closed toe leather sole", "attributes": ["leather sole", "closed toe"], "options": ["color: black", "size: 6.5 medium us"], "instruction_attributes": ["leather sole", "closed toe"], "instruction_options": [], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VK08EC", "worker_id": "A3TTGSUBIK1YCL"}], "B00REDUNLW": [{"asin": "B00REDUNLW", "instruction": "i'm looking for a bag of salty sweet mixed nuts in a resealable bag. they should be gmo-free.", "attributes": ["protein serving", "non gmo", "gluten free", "resealable bag", "artificial colors"], "options": ["flavor: salty sweet mixed nuts"], "instruction_attributes": ["non gmo", "resealable bag"], "instruction_options": ["salty sweet mixed nuts"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJYIVGN", "worker_id": "AR9AU5FY1S3RO"}], "B08ZKWSC2G": [{"asin": "B08ZKWSC2G", "instruction": "i am looking for a 2 light wall sconce for my living room.", "attributes": ["clear glass", "vanity light", "light fixture", "living room"], "options": ["color: black & clear glass", "size: 2-light"], "instruction_attributes": ["living room"], "instruction_options": ["2-light"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA934MZ3M", "worker_id": "A1EREKSZAA9V7B"}], "B003WT31QQ": [{"asin": "B003WT31QQ", "instruction": "get a gluten free tuna fish. it should be pack of 60 with 5 ounces.", "attributes": ["wild caught", "gluten free"], "options": ["flavor name: less sodium chunk light in water", "size: 5 ounce (pack of 60)"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG57543", "worker_id": "A15ERD4HOFEPHM"}], "B09N97FN78": [{"asin": "B09N97FN78", "instruction": "i would like a gold plated hdmi cable.", "attributes": ["gold plated", "high definition"], "options": [""], "instruction_attributes": ["gold plated"], "instruction_options": [], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY61J42", "worker_id": "A1WS884SI0SLO4"}], "B09N75L4RD": [{"asin": "B09N75L4RD", "instruction": "i'm looking for a pair of medium sized, straight leg men's black dress pants.", "attributes": ["slim fit", "straight leg", "wide leg", "elastic waist", "elastic closure", "regular fit", "relaxed fit", "high waist", "classic fit", "short sleeve", "everyday wear", "gym workout"], "options": ["color: black", "size: medium"], "instruction_attributes": ["straight leg"], "instruction_options": ["black", "medium"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QGSM12", "worker_id": "A2JP9IKRHNLRPI"}], "B09MCWS928": [{"asin": "B09MCWS928", "instruction": "i need double-sided face wash sponge ( 4 color)", "attributes": ["double sided", "easy clean", "fine lines", "dead skin"], "options": ["color: 04"], "instruction_attributes": ["double sided"], "instruction_options": ["04"], "assignment_id": "3C2NJ6JBKLR8MKCQFT3MA1Y8NCEN2I", "worker_id": "A258PTOZ3D2TQR"}], "B018SFM042": [{"asin": "B018SFM042", "instruction": "i want travel size cornucopia 1-ounce cobalt glass jars.", "attributes": ["bpa free", "travel size"], "options": [""], "instruction_attributes": ["travel size"], "instruction_options": [], "assignment_id": "36PW28KO4A6TXHUHZ9TIQWNXL85EAR", "worker_id": "A2RBF3IIJP15IH"}], "B000E0QFSC": [{"asin": "B000E0QFSC", "instruction": "i'd like to shop for a vanity light with a bronze finish and glass shades.", "attributes": ["bronze finish", "vanity light", "glass shade"], "options": [""], "instruction_attributes": ["bronze finish", "vanity light", "glass shade"], "instruction_options": [], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5Y1ZQ3H", "worker_id": "AR9AU5FY1S3RO"}], "B096KCZFVS": [{"asin": "B096KCZFVS", "instruction": "i am looking for antique gray color nightstand that is fully assembled.", "attributes": ["fully assembled", "assembly required", "brushed nickel"], "options": ["color: antique gray"], "instruction_attributes": ["fully assembled"], "instruction_options": ["antique gray"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH6FQHM", "worker_id": "A1Q8PPQQCWGY0D"}], "B09BR9F792": [{"asin": "B09BR9F792", "instruction": "i am looking for throw blanket of size 60\"x80\" and is super soft.", "attributes": ["super soft", "machine washable", "fleece throw"], "options": ["color: teal", "size: 60\"x80\""], "instruction_attributes": ["super soft"], "instruction_options": ["60\"x80\""], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME98DD2R", "worker_id": "A1Q8PPQQCWGY0D"}], "B09Q55LNN6": [{"asin": "B09Q55LNN6", "instruction": "i need a multi9 floor lamp for my living room.", "attributes": ["space saving", "storage space", "living room"], "options": ["color: multi9"], "instruction_attributes": ["living room"], "instruction_options": ["multi9"], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4HSBSD", "worker_id": "A15ERD4HOFEPHM"}], "B07YWBHL1C": [{"asin": "B07YWBHL1C", "instruction": "i am looking for an easy to clean foot stool for a beauty salon.", "attributes": ["non slip", "easy clean", "beauty salon"], "options": [""], "instruction_attributes": ["easy clean", "beauty salon"], "instruction_options": [], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUN4R3M", "worker_id": "A1EREKSZAA9V7B"}], "B098J857T8": [{"asin": "B098J857T8", "instruction": "i'm locking for a bathroom lighting over modern style mirror.", "attributes": ["easy install", "vanity light", "stainless steel"], "options": ["color: matt black- square shade base", "size: dimmable 5 lights"], "instruction_attributes": ["vanity light"], "instruction_options": [], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVKGSZ2", "worker_id": "A21IUUHBSEVB56"}], "B09N7D3MCC": [{"asin": "B09N7D3MCC", "instruction": "i want a gold colored and high performance android tablet.", "attributes": ["long lasting", "high performance", "high definition"], "options": ["color: gold"], "instruction_attributes": ["high performance"], "instruction_options": ["gold"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HXQPBG", "worker_id": "AVIEE6LDH0BT5"}], "B09N3BVWCJ": [{"asin": "B09N3BVWCJ", "instruction": "i would like a cupcake topper for a birthday cake.", "attributes": ["birthday party", "party supplies", "birthday cake", "baby shower"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCIBOBAK", "worker_id": "A1WS884SI0SLO4"}], "B095N8PLXY": [{"asin": "B095N8PLXY", "instruction": "i want to find burgundy colored moccasins with faux fur in a size 7.", "attributes": ["day comfort", "faux fur", "synthetic sole"], "options": ["color: burgundy", "size: 7"], "instruction_attributes": ["faux fur"], "instruction_options": ["burgundy", "7"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTY94E6", "worker_id": "A345TDMHP3DQ3G"}], "B07DK2673W": [{"asin": "B07DK2673W", "instruction": "i want to find a plant-based belly oil for pregnancy and stretch marks with a legacy pattern.", "attributes": ["plant based", "cruelty free", "natural ingredients", "fine lines"], "options": ["pattern name: legacy"], "instruction_attributes": ["plant based"], "instruction_options": ["legacy"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7K09E7A", "worker_id": "A345TDMHP3DQ3G"}], "B08G8492L2": [{"asin": "B08G8492L2", "instruction": "i am looking for 2 blue color body brush that is easy to clean.", "attributes": ["easy clean", "double sided", "non toxic"], "options": ["color: 2 blue"], "instruction_attributes": ["easy clean"], "instruction_options": ["2 blue"], "assignment_id": "3ZDAD0O1TCN7IDK70EAR9QYWP32TX1", "worker_id": "A1Q8PPQQCWGY0D"}], "B083C5DWWD": [{"asin": "B083C5DWWD", "instruction": "i am looking for tea tree shampoo for dry hair.", "attributes": ["cruelty free", "hair growth", "dry hair", "damaged hair", "hair loss"], "options": ["style: tea tree shampoo"], "instruction_attributes": ["dry hair"], "instruction_options": ["tea tree shampoo"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XONI9LO", "worker_id": "A1EREKSZAA9V7B"}], "B08ZHTCQSH": [{"asin": "B08ZHTCQSH", "instruction": "i want white cotton laundry baskets that can be wall mounted.", "attributes": ["wall mounted", "living room"], "options": ["color: white cotton"], "instruction_attributes": ["wall mounted"], "instruction_options": ["white cotton"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB9C68N6", "worker_id": "A2RBF3IIJP15IH"}], "B09NY99T88": [{"asin": "B09NY99T88", "instruction": "i want a 1080p smart home surveillance camera.", "attributes": ["high definition", "1080p hd", "easy install", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd"], "instruction_options": [], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP869Z7S", "worker_id": "A2RBF3IIJP15IH"}], "B09KZG4LF8": [{"asin": "B09KZG4LF8", "instruction": "i am looking for khaki colored nightstand for my living room.", "attributes": ["space saving", "white item", "living room"], "options": ["color: khaki"], "instruction_attributes": ["living room"], "instruction_options": ["khaki"], "assignment_id": "3HSYG7LRBU82VUVD7MHAI53YAHZKK0", "worker_id": "A1EREKSZAA9V7B"}], "B09FJRH69S": [{"asin": "B09FJRH69S", "instruction": "i am looking for a 60 inch by 50 inch machine washable super soft throw blanket.", "attributes": ["super soft", "machine washable"], "options": ["color: pig", "size: 60\"x50\""], "instruction_attributes": ["super soft", "machine washable"], "instruction_options": ["60\"x50\""], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRJAWNA", "worker_id": "A1EREKSZAA9V7B"}], "B09JZRLPMV": [{"asin": "B09JZRLPMV", "instruction": "i am looking for sparkling water of fizzy lychee flavor having low carb.", "attributes": ["gluten free", "low carb"], "options": ["flavor name: fizzy lychee", "size: variety pack"], "instruction_attributes": ["low carb"], "instruction_options": ["fizzy lychee"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R9WTY7", "worker_id": "A1Q8PPQQCWGY0D"}], "B09FS255S4": [{"asin": "B09FS255S4", "instruction": "i am looking for revitalizing conditioner of size 1 pack used for hair growth.", "attributes": ["hair growth", "hair treatment", "natural hair", "dry hair", "hair loss"], "options": ["size: 1 pack"], "instruction_attributes": ["hair growth"], "instruction_options": ["1 pack"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AUUBWY", "worker_id": "A1Q8PPQQCWGY0D"}], "B00MHGYTYI": [{"asin": "B00MHGYTYI", "instruction": "please find me an eight ounce bottle of pomegranate and fig moisturizer that's cruelty free.", "attributes": ["plant based", "cruelty free", "long lasting", "natural ingredients"], "options": ["scent: pomegranate and fig", "size: 8 oz"], "instruction_attributes": ["cruelty free"], "instruction_options": ["pomegranate and fig", "8 oz"], "assignment_id": "3G2UL9A02OO71034MOY04HTU328765", "worker_id": "AR9AU5FY1S3RO"}], "B0163N2T38": [{"asin": "B0163N2T38", "instruction": "i want to find a wireless headset that is hands-free. the color should be grey and the style should be classic.", "attributes": ["hands free", "long lasting", "high performance"], "options": ["color: litegry", "style: classic"], "instruction_attributes": ["hands free"], "instruction_options": ["litegry", "classic"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWTLW60", "worker_id": "A345TDMHP3DQ3G"}], "B09GBDGJRL": [{"asin": "B09GBDGJRL", "instruction": "i'm looking for lowrise blue sweatpants in a medium.", "attributes": ["low rise", "wide leg", "loose fit", "slim fit", "daily wear"], "options": ["color: blue8", "size: medium"], "instruction_attributes": ["low rise"], "instruction_options": ["blue8", "medium"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVL41PE", "worker_id": "AR9AU5FY1S3RO"}], "B08Q7QK29Q": [{"asin": "B08Q7QK29Q", "instruction": "i want to buy hair extensions clips for synthetic hair and they should be red and green colors.", "attributes": ["hair extensions", "synthetic hair"], "options": ["color: red+green"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["red+green"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8TH0E5ZJ", "worker_id": "AJY5G987IRT25"}], "B09Q2ZB3CF": [{"asin": "B09Q2ZB3CF", "instruction": "i want sloth floral women's slip on canvas non slip shoes in size 8.5", "attributes": ["non slip", "contrast color", "fashion design", "quality materials", "rubber sole"], "options": ["color: 1-14", "size: 8.5"], "instruction_attributes": ["non slip"], "instruction_options": ["8.5"], "assignment_id": "3RUIQRXJBMYOZ6VDDM5CC5TSOH5LL3", "worker_id": "A2RBF3IIJP15IH"}], "B08XMMFD22": [{"asin": "B08XMMFD22", "instruction": "i am looking for multi 06 color duvet cover set for king size bed.", "attributes": ["twin size", "queen size", "machine washable", "king size"], "options": ["color: multi 06", "size: twin"], "instruction_attributes": ["king size"], "instruction_options": ["multi 06"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AUTWBI", "worker_id": "A1Q8PPQQCWGY0D"}], "B09N6L96GT": [{"asin": "B09N6L96GT", "instruction": "i want a 17.7 in long by 17.7 inch 1042117309949930000 window panel for my dining room.", "attributes": ["tempered glass", "dining room"], "options": ["color: 1042117309949930000", "size: (width\uff0917.7in x (length)17.7in x 2pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["1042117309949930000", "(width\uff0917.7in x (length)17.7in x 2pcs"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ7JSIA", "worker_id": "A1WS884SI0SLO4"}], "B098B96PP7": [{"asin": "B098B96PP7", "instruction": "i am looking for adjustable child learning blue color desk chair with lumbar support", "attributes": ["easy clean", "easy assemble", "lumbar support"], "options": ["color: blue"], "instruction_attributes": ["lumbar support"], "instruction_options": ["blue"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA8TC8T", "worker_id": "A258PTOZ3D2TQR"}], "B09GBC7N2B": [{"asin": "B09GBC7N2B", "instruction": "i want to buy a skirt for women which is high waist, and is of olive color, and the size of x-large.", "attributes": ["cotton spandex", "elastic waist", "high waist", "polyester spandex"], "options": ["color: olive", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["olive", "x-large"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTU55ED", "worker_id": "AJY5G987IRT25"}], "B09H7S4Q28": [{"asin": "B09H7S4Q28", "instruction": "i'm looking for a super soft and easy to clean throw blanket. choose the ones that come in cartoon3 color.", "attributes": ["super soft", "easy clean"], "options": ["color: cartoon3"], "instruction_attributes": ["super soft", "easy clean"], "instruction_options": ["cartoon3"], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDR15KX", "worker_id": "A3MNXK3VDK37SN"}], "B08118H4KB": [{"asin": "B08118H4KB", "instruction": "i'm looking for a comfortable fit yoga tank in size 1x and the color light grey heather.", "attributes": ["machine wash", "comfortable fit"], "options": ["color: light grey heather", "size: 1x"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["light grey heather", "1x"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9PKB01", "worker_id": "AK3JMCIGU8MLU"}], "B083JJVQVX": [{"asin": "B083JJVQVX", "instruction": "find gluten-free nori flakes.", "attributes": ["fat free", "gluten free"], "options": ["flavor: flakes", "size: 4 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3JJVG1YBEM7YK86GUM0BHD1QQXR5BC", "worker_id": "AVIEE6LDH0BT5"}], "B08JYMFM1N": [{"asin": "B08JYMFM1N", "instruction": "i want a pair of dark brown easy spirit elinot women's boots with rubber soles.", "attributes": ["water resistant", "faux fur", "rubber outsole", "rubber sole"], "options": ["color: dark brown", "size: 7.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["dark brown"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKPBVPX", "worker_id": "A2RBF3IIJP15IH"}], "B0041YSU76": [{"asin": "B0041YSU76", "instruction": "i am looking for effortless paraben free eye liner", "attributes": ["paraben free", "easy apply", "cruelty free"], "options": [""], "instruction_attributes": ["paraben free"], "instruction_options": [], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8F8A5O", "worker_id": "A258PTOZ3D2TQR"}], "B083VSPFVC": [{"asin": "B083VSPFVC", "instruction": "i'm looking for a hair treatment with tea tree oil. i need one that's for dry hair and promotes hair growth.", "attributes": ["tea tree", "dry hair", "natural hair", "hair growth", "hair loss"], "options": [""], "instruction_attributes": ["tea tree", "dry hair", "hair growth"], "instruction_options": [], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN5NOGG", "worker_id": "AR9AU5FY1S3RO"}], "B08SRBT86D": [{"asin": "B08SRBT86D", "instruction": "i need a 33 inch living room end table", "attributes": ["fully assembled", "living room"], "options": ["color: oil rubbed bronze", "size: 33 inch"], "instruction_attributes": ["living room"], "instruction_options": ["33 inch"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDW1QZH", "worker_id": "A2ECRNQ3X5LEXD"}], "B084623LWW": [{"asin": "B084623LWW", "instruction": "i am looking for a men's large navy star wars t-shirt.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: navy", "fit type: men", "size: large"], "instruction_attributes": ["star wars"], "instruction_options": ["navy", "men", "large"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQJNHHL", "worker_id": "A1EREKSZAA9V7B"}], "B01K8OQRT0": [{"asin": "B01K8OQRT0", "instruction": "i'm looking for a white coaxial cable that is 10 feet long.", "attributes": ["gold plated", "coaxial cable"], "options": ["color: white", "size: kit"], "instruction_attributes": ["coaxial cable"], "instruction_options": ["white"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UML0URDL", "worker_id": "A2JP9IKRHNLRPI"}], "B08D6ZFWDQ": [{"asin": "B08D6ZFWDQ", "instruction": "i am looking for10th gen intel core i7 -32 gb ram 2tb sotrage capacity pc", "attributes": ["intel core", "quad core"], "options": ["capacity: 2tb", "configuration: i7 | 32gb", "style: 13\""], "instruction_attributes": ["intel core"], "instruction_options": ["2tb", "i7 | 32gb"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPKJ6V0", "worker_id": "A258PTOZ3D2TQR"}], "B08RYBSZZG": [{"asin": "B08RYBSZZG", "instruction": "i need an x-large button down shirt that i can double dry", "attributes": ["easy care", "machine wash", "wash cold", "classic fit", "button closure", "tumble dry"], "options": ["color: north hilo - black onyx", "size: x-large"], "instruction_attributes": ["tumble dry"], "instruction_options": ["x-large"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT75YJ7", "worker_id": "A2ECRNQ3X5LEXD"}], "B085PL16RW": [{"asin": "B085PL16RW", "instruction": "i want a purple conditioner for damaged hair.", "attributes": ["sulfate free", "damaged hair", "hair treatment"], "options": ["color: purple conditioner"], "instruction_attributes": ["damaged hair"], "instruction_options": ["purple conditioner"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYSZ7NH", "worker_id": "A1WS884SI0SLO4"}], "B000W7OL0Q": [{"asin": "B000W7OL0Q", "instruction": "i'm looking for some cologne that is scented with green tea.", "attributes": ["design house", "green tea"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXGN7GJ", "worker_id": "A345TDMHP3DQ3G"}], "B07G3J9CKY": [{"asin": "B07G3J9CKY", "instruction": "i want to buy foundation for mattress set which is ready to use and fully assembled.", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": [""], "instruction_attributes": ["ready use", "fully assembled"], "instruction_options": [], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQF2KVI", "worker_id": "AJY5G987IRT25"}], "B0781HSDTZ": [{"asin": "B0781HSDTZ", "instruction": "i need a three meter gold placed rca audio cable.", "attributes": ["gold plated", "aluminum alloy", "usb port"], "options": ["size: 3m | 10ft"], "instruction_attributes": ["gold plated"], "instruction_options": ["3m | 10ft"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZF7PAN", "worker_id": "AR9AU5FY1S3RO"}], "B08THCND64": [{"asin": "B08THCND64", "instruction": "i need an adapter with output protection", "attributes": ["output protection", "quick release", "usb port"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BQ3VJV", "worker_id": "A2ECRNQ3X5LEXD"}], "B0871V6GWY": [{"asin": "B0871V6GWY", "instruction": "i'm looking for a 31-inch clear glass vanity light.", "attributes": ["glass shade", "vanity light", "clear glass", "living room"], "options": ["size: 31.0 inch"], "instruction_attributes": ["vanity light", "clear glass"], "instruction_options": ["31.0 inch"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79UQH1L", "worker_id": "AFU00NU09CFXE"}, {"asin": "B0871V6GWY", "instruction": "i am looking for a bathroom vanity light fixture with clear glass. also, please make sure that it is at least 31 inches in size.", "attributes": ["glass shade", "vanity light", "clear glass", "living room"], "options": ["size: 31.0 inch"], "instruction_attributes": ["vanity light", "clear glass"], "instruction_options": ["31.0 inch"], "assignment_id": "3QFUFYSY99P616EWLJ3XVBMX5UW4FM", "worker_id": "AJDQGOTMB2D80"}], "B006MIUM20": [{"asin": "B006MIUM20", "instruction": "i need a black bed frame that is made of steel for a queen sized bed.", "attributes": ["box spring", "memory foam", "steel frame"], "options": ["color: black", "size: queen", "style: regular (14\")"], "instruction_attributes": ["steel frame"], "instruction_options": ["black", "queen"], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISV0YOZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HSXB9FV": [{"asin": "B08HSXB9FV", "instruction": "i want black modern led chandeliers for dining room.", "attributes": ["easy install", "pendant light", "light fixture", "living room", "dining room"], "options": ["color: black", "size: 6 lights"], "instruction_attributes": ["dining room"], "instruction_options": ["black"], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ10SIF", "worker_id": "A2RBF3IIJP15IH"}], "B07BCQPKMP": [{"asin": "B07BCQPKMP", "instruction": "i would like extra large checkered sleep pants that i can machine wash.", "attributes": ["wash cold", "machine wash", "relaxed fit", "tumble dry"], "options": ["color: with checker pant", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["with checker pant", "x-large"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRSAWPT", "worker_id": "A1WS884SI0SLO4"}], "B002865CGG": [{"asin": "B002865CGG", "instruction": "i want fat free mariani pitted dates.", "attributes": ["fat free", "gluten free", "non gmo", "dietary fiber", "resealable bag"], "options": ["flavor name: pitted dates"], "instruction_attributes": ["fat free"], "instruction_options": ["pitted dates"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFSEE3K", "worker_id": "A2RBF3IIJP15IH"}], "B09PG42SJW": [{"asin": "B09PG42SJW", "instruction": "i want a stainless steel ladies eyebrow razor shaver.", "attributes": ["rose gold", "stainless steel", "hair removal"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3WAKVUDHU7QS3BT5I6W3KN7A6IB7UG", "worker_id": "A2RBF3IIJP15IH"}], "B08PYFDCRB": [{"asin": "B08PYFDCRB", "instruction": "i am looking for an easy to install 3 light vintage black wall sconce.", "attributes": ["easy install", "vanity light", "light fixture", "living room"], "options": ["size: 3 light"], "instruction_attributes": ["easy install"], "instruction_options": ["3 light"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0SSARN", "worker_id": "A1EREKSZAA9V7B"}], "B09KKVKQ79": [{"asin": "B09KKVKQ79", "instruction": "i need fleece lined underwear that is striped grey and comes in an xx-large", "attributes": ["fleece lined", "moisture wicking", "nylon spandex"], "options": ["color: stripe-grey", "size: xx-large"], "instruction_attributes": ["fleece lined"], "instruction_options": ["stripe-grey", "xx-large"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV948V7", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HXC625B": [{"asin": "B09HXC625B", "instruction": "i would like a 90 men's santa sleep set that i can hand wash.", "attributes": ["hand wash", "long sleeve", "elastic closure", "short sleeve"], "options": ["color: black&plaid- santa", "fit type: men", "size: 90"], "instruction_attributes": ["hand wash"], "instruction_options": ["black&plaid- santa", "men", "90"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3PPMZZ", "worker_id": "A1WS884SI0SLO4"}], "B085VK2CWK": [{"asin": "B085VK2CWK", "instruction": "i need some bluetooth speakers that offer stereo sound are are cobalt blue", "attributes": ["long lasting", "high speed", "stereo sound"], "options": ["color: cobalt blue"], "instruction_attributes": ["stereo sound"], "instruction_options": ["cobalt blue"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8HFR4A", "worker_id": "A2ECRNQ3X5LEXD"}], "B076639JKZ": [{"asin": "B076639JKZ", "instruction": "i am looking for kosher certified caffeinated chocolate bites.", "attributes": ["kosher certified", "gluten free", "artificial flavors"], "options": ["flavor: variety pack", "unit count: 30"], "instruction_attributes": ["kosher certified"], "instruction_options": ["30"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBADOSK", "worker_id": "A2KW17G25L25R8"}], "B08DHM2Z3F": [{"asin": "B08DHM2Z3F", "instruction": "buy me a travel sized bottle of impression chanel 1932.", "attributes": ["travel size", "long lasting"], "options": ["scent: chanel 1932 impression"], "instruction_attributes": ["travel size"], "instruction_options": ["chanel 1932 impression"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGWMTWO", "worker_id": "AR9AU5FY1S3RO"}], "B09D4WLH5N": [{"asin": "B09D4WLH5N", "instruction": "i am looking for a desktop pc that is a core i5 and has 8gb of ram with a 512gb ssd.", "attributes": ["dual band", "core i5", "intel core"], "options": ["size: 8gb ram | 512gb ssd"], "instruction_attributes": ["core i5"], "instruction_options": ["8gb ram | 512gb ssd"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFDO02T", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DKPD2Z7": [{"asin": "B08DKPD2Z7", "instruction": "i am looking for a twin size bed with easy assemble. also choose white color.", "attributes": ["twin size", "space saving", "easy assemble", "box spring"], "options": ["color: white"], "instruction_attributes": ["twin size", "easy assemble"], "instruction_options": ["white"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9RH87Z", "worker_id": "A2HMEGTAFO0CS8"}], "B09FJXKDS6": [{"asin": "B09FJXKDS6", "instruction": "i would like a stainless steel adjustable base.", "attributes": ["height adjustable", "stainless steel"], "options": [""], "instruction_attributes": ["height adjustable", "stainless steel"], "instruction_options": [], "assignment_id": "3UJ1CZ6IZSZX1UNI58M672BQUFPS50", "worker_id": "A1WS884SI0SLO4"}], "B09CPFNX2Z": [{"asin": "B09CPFNX2Z", "instruction": "i need some shades that are for the living room and are black and white with a size of 28\" by 64\"", "attributes": ["easy install", "living room"], "options": ["color: blackout - white", "size: 28\"w x 64\"h"], "instruction_attributes": ["living room"], "instruction_options": ["blackout - white", "28\"w x 64\"h"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y5ZIVF", "worker_id": "A2ECRNQ3X5LEXD"}], "B0924ZDJNX": [{"asin": "B0924ZDJNX", "instruction": "i need long lasting eyeshadow that is in the color 01", "attributes": ["long lasting", "highly pigmented", "easy use"], "options": ["color: 01"], "instruction_attributes": ["long lasting"], "instruction_options": ["01"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTNEV4T", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DVSVCR7": [{"asin": "B09DVSVCR7", "instruction": "i need a media player that is easy to carry", "attributes": ["dual band", "easy carry"], "options": [""], "instruction_attributes": ["easy carry"], "instruction_options": [], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7V35PI", "worker_id": "A2ECRNQ3X5LEXD"}], "B01NCA7RCV": [{"asin": "B01NCA7RCV", "instruction": "i want grey new balance men's shoes with rubber soles.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: grey", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["grey"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KMHLJ6", "worker_id": "A2RBF3IIJP15IH"}], "B096DSLRV8": [{"asin": "B096DSLRV8", "instruction": "i would like some orange walking shoes that have a rubber sole in a size 10.5.", "attributes": ["non slip", "lace closure", "rubber sole"], "options": ["color: orange", "size: 10.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["orange", "10.5"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB0T5YZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09N6MZ66Y": [{"asin": "B09N6MZ66Y", "instruction": "i am looking for blue non slip women's sandals that are size 9.", "attributes": ["non slip", "closed toe", "ankle strap"], "options": ["color: blue", "size: 9"], "instruction_attributes": ["non slip"], "instruction_options": ["9"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODMYWE0", "worker_id": "A1EREKSZAA9V7B"}], "B08QM8KGPH": [{"asin": "B08QM8KGPH", "instruction": "get me a quick release camera tripod made out of aluminum alloy.", "attributes": ["quick release", "aluminum alloy"], "options": [""], "instruction_attributes": ["quick release", "aluminum alloy"], "instruction_options": [], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CWW3B6", "worker_id": "AR9AU5FY1S3RO"}], "B095C1TB9H": [{"asin": "B095C1TB9H", "instruction": "i need a cosmetic bag that is easy to carry and is leopard print.", "attributes": ["easy carry", "rose gold", "eye shadow"], "options": ["color: leopard 113"], "instruction_attributes": ["easy carry"], "instruction_options": ["leopard 113"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NHOKB2", "worker_id": "A2ECRNQ3X5LEXD"}], "B08KGD4399": [{"asin": "B08KGD4399", "instruction": "i would like a wall mounted mirror for my living room.", "attributes": ["wall mounted", "living room"], "options": [""], "instruction_attributes": ["wall mounted", "living room"], "instruction_options": [], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21L4FQ3", "worker_id": "A1WS884SI0SLO4"}], "B08BJX51RG": [{"asin": "B08BJX51RG", "instruction": "i am looking for a plant based probiotic tea.", "attributes": ["non dairy", "usda organic", "plant based", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["plant based"], "instruction_options": [], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8NQ6QI", "worker_id": "A1EREKSZAA9V7B"}], "B09NDSDVQJ": [{"asin": "B09NDSDVQJ", "instruction": "i need a slim fiting sweater that is green and in 3x large.", "attributes": ["slim fit", "machine wash", "long sleeve", "relaxed fit", "everyday wear", "daily wear"], "options": ["color: green", "size: 3x-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["green", "3x-large"], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLI7OIKP", "worker_id": "A2ECRNQ3X5LEXD"}], "B07Q5VPJ8R": [{"asin": "B07Q5VPJ8R", "instruction": "i need an officially licensed star wars \u201cyoda best grandpa\u201c t-shirt. get one that is a youth size and make it black.", "attributes": ["officially licensed", "needle sleeve", "classic fit", "star wars"], "options": ["color: black", "fit type: youth", "size: 4t"], "instruction_attributes": ["officially licensed", "star wars"], "instruction_options": ["black", "youth"], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRD4NWJ", "worker_id": "A31PW970Z2PC5P"}], "B07PK2WMWQ": [{"asin": "B07PK2WMWQ", "instruction": "i am looking for a four pack of chocolate protein drinks that are dairy free.", "attributes": ["dairy free", "soy free", "non gmo", "artificial ingredients", "low sugar", "gluten free", "shelf stable", "low calorie", "keto friendly", "low carb", "plant based"], "options": ["flavor name: chocolate", "size: 11 fl oz (pack of 4)"], "instruction_attributes": ["dairy free"], "instruction_options": ["chocolate", "11 fl oz (pack of 4)"], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBA0B8AG", "worker_id": "A2ECRNQ3X5LEXD"}], "B07G78835P": [{"asin": "B07G78835P", "instruction": "i want a body brush nature boar bristles back scrubber for dry skin.", "attributes": ["non slip", "high quality", "long handle", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733K1BEI", "worker_id": "A2RBF3IIJP15IH"}], "B07MDRMNK8": [{"asin": "B07MDRMNK8", "instruction": "i want a travel size toiletry bag.", "attributes": ["leak proof", "travel size", "travel bottles"], "options": [""], "instruction_attributes": ["travel size"], "instruction_options": [], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCHRIPN", "worker_id": "A1WS884SI0SLO4"}], "B08W8G4QXF": [{"asin": "B08W8G4QXF", "instruction": "look for a sixteen ounce bottle of shampoo that's paraben free and plant based.", "attributes": ["paraben free", "plant based", "dry hair"], "options": ["scent: orange blossom (coily)", "size: 16 fl oz (pack of 6)"], "instruction_attributes": ["paraben free", "plant based"], "instruction_options": ["16 fl oz (pack of 6)"], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP3VJ7G", "worker_id": "AR9AU5FY1S3RO"}], "B08W2YD6BL": [{"asin": "B08W2YD6BL", "instruction": "i need to order a pair of blue snow boots in size five.", "attributes": ["anti slip", "non slip", "rubber sole"], "options": ["color: blue 107", "size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["blue 107", "5"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSALWC7", "worker_id": "AR9AU5FY1S3RO"}], "B07CHV6G21": [{"asin": "B07CHV6G21", "instruction": "i need a 8 fluid ounce bottle of redwood mist body wash made from natural ingredients.", "attributes": ["seed oil", "coconut oil", "natural ingredients"], "options": ["scent: redwood mist", "size: 8 fl oz (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["redwood mist", "8 fl oz (pack of 1)"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R17Z2IK", "worker_id": "A1WS884SI0SLO4"}], "B019ILMPCW": [{"asin": "B019ILMPCW", "instruction": "i need two one hundred foot male to male hdmi cables. they should be high speed and gold plated.", "attributes": ["high speed", "gold plated"], "options": ["color: 2 pack", "size: 100 feet (single pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["2 pack", "100 feet (single pack)", "hdmi male to male"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK5DVNU", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B019ILMPCW", "instruction": "i want a high speed hdmi male to female cable. i need it to be 40 feet in single pack.", "attributes": ["high speed", "gold plated"], "options": ["color: 3 pack", "size: 40 feet (single pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["40 feet (single pack)", "hdmi male to female"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPG8VQP", "worker_id": "A1NF6PELRKACS9"}], "B09MTBV2PG": [{"asin": "B09MTBV2PG", "instruction": "i am in need of easy to use hair curlers rollers which is good for diy hair styling.", "attributes": ["easy use", "hair styling"], "options": [""], "instruction_attributes": ["easy use", "hair styling"], "instruction_options": [], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57EH9IT", "worker_id": "ASWFLI3N8X72G"}], "B09T6SMG6S": [{"asin": "B09T6SMG6S", "instruction": "i would like a medium sized red jumpsuit that is machine washable.", "attributes": ["wide leg", "hand wash", "machine wash", "tummy control"], "options": ["color: red", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["red", "medium"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLW7YBL", "worker_id": "A1WS884SI0SLO4"}], "B0865SKG5G": [{"asin": "B0865SKG5G", "instruction": "please show me a black white 05 sneaker for man. i'm looking for a sneaker for men with synthetic sole, size 9.5.", "attributes": ["non slip", "synthetic sole"], "options": ["color: black white 05", "size: 9.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["black white 05", "9.5"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVM5JKU", "worker_id": "A15IJ20C3R4HUO"}], "B09PQG6HHY": [{"asin": "B09PQG6HHY", "instruction": "i would like some monoculars for birdwatching.", "attributes": ["high definition", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3EFE17QCRNF9HN7D6ANFWZEGZO6SH7", "worker_id": "A1WS884SI0SLO4"}], "B07KGMLRR7": [{"asin": "B07KGMLRR7", "instruction": "i would like a roelson table that is made of solid wood.", "attributes": ["assembly required", "bronze finish", "solid wood", "living room"], "options": ["color: roelson"], "instruction_attributes": ["solid wood"], "instruction_options": ["roelson"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXVDMY0", "worker_id": "A1WS884SI0SLO4"}], "B08ZT1DWTC": [{"asin": "B08ZT1DWTC", "instruction": "i would like some 10 inch high quality hair extensions.", "attributes": ["high quality", "hair loss"], "options": ["size: 10 inch"], "instruction_attributes": ["high quality"], "instruction_options": ["10 inch"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FEOLEO", "worker_id": "A1WS884SI0SLO4"}], "B093YSKTPY": [{"asin": "B093YSKTPY", "instruction": "i would like to see a wallet that would go with my hoisery", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery"], "instruction_options": [], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67KF4NO", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R2M5DJT": [{"asin": "B08R2M5DJT", "instruction": "i need some easy to carry breath mints for fresh breath.", "attributes": ["easy carry", "bad breath", "fresh breath"], "options": [""], "instruction_attributes": ["easy carry", "fresh breath"], "instruction_options": [], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH378GESF", "worker_id": "A19317A3X87NVM"}], "B09LQSSBZ6": [{"asin": "B09LQSSBZ6", "instruction": "i would like a day rifle scope with a optical zoom.", "attributes": ["optical zoom", "bird watching"], "options": ["style: day scope"], "instruction_attributes": ["optical zoom"], "instruction_options": ["day scope"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57DD9IN", "worker_id": "A1WS884SI0SLO4"}], "B097WMDZ6Q": [{"asin": "B097WMDZ6Q", "instruction": "i would like a 1 tb nvme with 64 gig quad core desktop mini.", "attributes": ["core i5", "quad core"], "options": ["size: 64gb memory", "style: 1tb nvme m.2"], "instruction_attributes": ["quad core"], "instruction_options": ["64gb memory", "1tb nvme m.2"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0TYW5Y", "worker_id": "A1WS884SI0SLO4"}], "B082FNCRXH": [{"asin": "B082FNCRXH", "instruction": "i'd like to buy some non-gmo trail mix. look for a six pack of four ounce bags, in the dark chocolate cherry tart flavor.", "attributes": ["chocolate covered", "non gmo", "dietary fiber"], "options": ["flavor: dark chocolate cherry tart", "size: 4 ounce bag (6 count)"], "instruction_attributes": ["non gmo"], "instruction_options": ["dark chocolate cherry tart", "4 ounce bag (6 count)"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79PHH12", "worker_id": "AR9AU5FY1S3RO"}], "B08LLDM11C": [{"asin": "B08LLDM11C", "instruction": "i want white ylong-zs hanging lamps for my dining room.", "attributes": ["pendant light", "dining room"], "options": ["color: yl22-white"], "instruction_attributes": ["dining room"], "instruction_options": ["yl22-white"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHRENY2J8", "worker_id": "A2RBF3IIJP15IH"}], "B07GTCHQSK": [{"asin": "B07GTCHQSK", "instruction": "i need a contemporary chair that is pink with a gold base.", "attributes": ["contemporary design", "stainless steel"], "options": ["color: pink", "style: gold base"], "instruction_attributes": ["contemporary design"], "instruction_options": ["pink", "gold base"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJSYVGR", "worker_id": "A2ECRNQ3X5LEXD"}], "B07HBMZXL4": [{"asin": "B07HBMZXL4", "instruction": "i am looking for a variety of natural flavored iced tea.", "attributes": ["non gmo", "bpa free", "natural flavors"], "options": ["style: variety"], "instruction_attributes": ["natural flavors"], "instruction_options": ["variety"], "assignment_id": "3GDTJDAPV5LDQHTFJ9XN7DMB4HMM80", "worker_id": "A1EREKSZAA9V7B"}], "B08L42TQW4": [{"asin": "B08L42TQW4", "instruction": "i'm looking for a desktop computer with an intel core processor and at least 16gb of ram and a 512gb solid state.", "attributes": ["dual band", "intel core"], "options": ["configuration: 16gb ram | 512gb ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["16gb ram | 512gb ssd"], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKOSSG7", "worker_id": "A3EDFA8UQT5GG8"}], "B07DPWSN5S": [{"asin": "B07DPWSN5S", "instruction": "hello, i'm looking for a harklinikken styling gel. i use no2 /5.07 oz. please consider a anti-frizz moderate hold for dry hair, plant based .", "attributes": ["plant based", "dry hair", "hair styling"], "options": [""], "instruction_attributes": ["plant based", "dry hair"], "instruction_options": [], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WTD1AV", "worker_id": "A15IJ20C3R4HUO"}], "B08X6NJWVD": [{"asin": "B08X6NJWVD", "instruction": "i would like some red and black sandals that have a rubber sole and are in a size 11.5", "attributes": ["non slip", "quick drying", "arch support", "rubber outsole", "rubber sole"], "options": ["color: red | black", "size: 11.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["red | black", "11.5"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WOTWQH", "worker_id": "A2ECRNQ3X5LEXD"}], "B099ZV9MVM": [{"asin": "B099ZV9MVM", "instruction": "i am looking for drink coasters, handmade drink coasters, table mat, set of eight.", "attributes": ["easy clean", "eco friendly"], "options": ["color: linen"], "instruction_attributes": ["eco friendly"], "instruction_options": ["linen"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KLKHU5", "worker_id": "A2KW17G25L25R8"}], "B083QPDP58": [{"asin": "B083QPDP58", "instruction": "i would like a gold dusty rose chair for my living room.", "attributes": ["mid century", "stainless steel", "dining room", "living room"], "options": ["color: gold dusty rose"], "instruction_attributes": ["living room"], "instruction_options": ["gold dusty rose"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD0QRI1", "worker_id": "A1WS884SI0SLO4"}], "B086QSTH3X": [{"asin": "B086QSTH3X", "instruction": "i want a 100 pack of easy to use disposable face hairspray shields.", "attributes": ["easy use", "hair cutting"], "options": ["color: 100pcs"], "instruction_attributes": ["easy use"], "instruction_options": ["100pcs"], "assignment_id": "37TRT2X24116R7L1JO45INKV8SXBJ3", "worker_id": "A2RBF3IIJP15IH"}], "B09PYVG834": [{"asin": "B09PYVG834", "instruction": "i am interested in a console table that is made out of solid wood and is espresso colored.", "attributes": ["solid wood", "living room"], "options": ["color: espresso"], "instruction_attributes": ["solid wood"], "instruction_options": ["espresso"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTRLXWK", "worker_id": "A2ECRNQ3X5LEXD"}], "B086422BW8": [{"asin": "B086422BW8", "instruction": "i would like a high quality brush set.", "attributes": ["high quality", "eye shadow"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWU9ER9R", "worker_id": "A1WS884SI0SLO4"}], "B07WMVMHDV": [{"asin": "B07WMVMHDV", "instruction": "i want a 1080p hd hdmi extender + hdmi splitter.", "attributes": ["blu ray", "1080p hd"], "options": ["style: hdmi extender + hdmi splitter"], "instruction_attributes": ["1080p hd"], "instruction_options": ["hdmi extender + hdmi splitter"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57EM9IY", "worker_id": "A2RBF3IIJP15IH"}], "B08TQXS59H": [{"asin": "B08TQXS59H", "instruction": "i would like a parker espresso entertainment center for my dining room.", "attributes": ["storage unit", "dining room"], "options": ["color: espresso", "style name: parker"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80BQ1QT", "worker_id": "A1WS884SI0SLO4"}], "B01MSSDEPK": [{"asin": "B01MSSDEPK", "instruction": "shop for fragrance free facial cleanser for sensitive skin. look for the sixteen ounce size.", "attributes": ["fragrance free", "paraben free", "hyaluronic acid", "dry skin", "sensitive skin"], "options": ["size: 16 fl oz"], "instruction_attributes": ["fragrance free", "sensitive skin"], "instruction_options": ["16 fl oz"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WU2A1V", "worker_id": "AR9AU5FY1S3RO"}], "B09MDYVTCW": [{"asin": "B09MDYVTCW", "instruction": "i need green cactus coasters for the living room that come in a pack of four.", "attributes": ["easy clean", "living room"], "options": ["color: cactus2cbu9481", "size: set of 4 with cup holder"], "instruction_attributes": ["living room"], "instruction_options": ["cactus2cbu9481", "set of 4 with cup holder"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5EUWIW", "worker_id": "A2ECRNQ3X5LEXD"}], "B086661Z9R": [{"asin": "B086661Z9R", "instruction": "i would like a 13 by 1.8 cm picture 6 case of fine mist.", "attributes": ["travel bottles", "fine mist"], "options": ["color: picture 6", "size: 13*1.8cm"], "instruction_attributes": ["fine mist"], "instruction_options": ["picture 6", "13*1.8cm"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YO88TB", "worker_id": "A1WS884SI0SLO4"}], "B09R9QTKGW": [{"asin": "B09R9QTKGW", "instruction": "i need some easy to install lamp shades that are black.", "attributes": ["white item", "easy install"], "options": ["color: black"], "instruction_attributes": ["easy install"], "instruction_options": ["black"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGMDYIG", "worker_id": "A2ECRNQ3X5LEXD"}], "B081CCNXTX": [{"asin": "B081CCNXTX", "instruction": "i want a gift basket village celebration gift box.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q1RGWD", "worker_id": "A2RBF3IIJP15IH"}], "B08YMX246Z": [{"asin": "B08YMX246Z", "instruction": "i want easy to use birthday cake toppers for celebrating mothers day.", "attributes": ["easy use", "birthday cake"], "options": [""], "instruction_attributes": ["easy use", "birthday cake"], "instruction_options": [], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2M6L56", "worker_id": "A1NF6PELRKACS9"}], "B07VQGKVVY": [{"asin": "B07VQGKVVY", "instruction": "i would like a travel size bottle kit.", "attributes": ["leak proof", "bpa free", "travel size", "easy carry", "travel bottles"], "options": [""], "instruction_attributes": ["travel size", "travel bottles"], "instruction_options": [], "assignment_id": "39K0FND3ASPR95MUG7H134S6U48MAO", "worker_id": "A1WS884SI0SLO4"}], "B09DKZ7PWD": [{"asin": "B09DKZ7PWD", "instruction": "i need some fashion sneakers that are size 3 for a big kid.", "attributes": ["non slip", "ethylene vinyl", "vinyl acetate", "rubber outsole"], "options": ["color: fusion", "size: 3 big kid"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["3 big kid"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLWCBY3", "worker_id": "A2ECRNQ3X5LEXD"}], "B084KTL212": [{"asin": "B084KTL212", "instruction": "i am looking for a motion detection surveillance kit.", "attributes": ["ultra hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSUVGLS", "worker_id": "A2ECRNQ3X5LEXD"}], "B078WBXZ1J": [{"asin": "B078WBXZ1J", "instruction": "i am looking for simple ingredients to make burbon caramel dessert.", "attributes": ["gluten free", "ready eat", "kosher certified", "non gmo", "simple ingredients"], "options": ["flavor name: bourbon caramel"], "instruction_attributes": ["simple ingredients"], "instruction_options": ["bourbon caramel"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTRKP9R", "worker_id": "A2KW17G25L25R8"}], "B000SOIIZM": [{"asin": "B000SOIIZM", "instruction": "i am looking for a mini eau de toilette for a women. also choose green tea scent", "attributes": ["design house", "green tea"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMO7BQE", "worker_id": "A2HMEGTAFO0CS8"}], "B082LJ5GKD": [{"asin": "B082LJ5GKD", "instruction": "i would like a 2 foot by 9 foot long navy floor runner for my dining room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: navy | ivory", "size: 2 ft x 9 ft"], "instruction_attributes": ["dining room"], "instruction_options": ["navy | ivory", "2 ft x 9 ft"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEH68QU", "worker_id": "A1WS884SI0SLO4"}], "B09H3LJHF5": [{"asin": "B09H3LJHF5", "instruction": "i want black fine mist spray bottles.", "attributes": ["bpa free", "fine mist"], "options": ["color: black"], "instruction_attributes": ["fine mist"], "instruction_options": ["black"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163RUQPK", "worker_id": "A2RBF3IIJP15IH"}], "B01N37AK8V": [{"asin": "B01N37AK8V", "instruction": "i want ebanel 10 pack collagen anti aging face mask.", "attributes": ["anti aging", "alcohol free", "cruelty free", "hyaluronic acid"], "options": ["size: 10 count"], "instruction_attributes": ["anti aging"], "instruction_options": ["10 count"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDM7CHM", "worker_id": "A2RBF3IIJP15IH"}], "B092ZJYJ21": [{"asin": "B092ZJYJ21", "instruction": "i would like to see some noise cancelling headphones that are red.", "attributes": ["noise cancelling", "hands free"], "options": ["color: red"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["red"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AJMST4", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q943KN9": [{"asin": "B09Q943KN9", "instruction": "i need an automobile charger that has wireless charging and is black.", "attributes": ["fast charging", "wireless charging"], "options": ["color: black"], "instruction_attributes": ["wireless charging"], "instruction_options": ["black"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DTYOTG", "worker_id": "A2ECRNQ3X5LEXD"}], "B098P8MRNT": [{"asin": "B098P8MRNT", "instruction": "i would like to have a plug and play high speed usb flash drive that is blue and black, the quantity should be 3 of 32g or 2 of 64g.", "attributes": ["plug play", "high speed"], "options": ["color: bule and black", "size: 32g 3pcs and 64g 2pcs"], "instruction_attributes": ["plug play", "high speed"], "instruction_options": ["bule and black", "32g 3pcs and 64g 2pcs"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV9IV88", "worker_id": "A182YKPS46KE9F"}], "B00BETIULM": [{"asin": "B00BETIULM", "instruction": "i want a blue mefoto roadtrip carbon fiber tripod/monopod.", "attributes": ["quick release", "heavy duty", "carbon fiber"], "options": ["color: blue", "style: carbon fiber"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["blue"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME9312DU", "worker_id": "A2RBF3IIJP15IH"}], "B004OW70G2": [{"asin": "B004OW70G2", "instruction": "i am looking for a high quality eau de toilette spray for women", "attributes": ["design house", "high quality"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZX5CNI", "worker_id": "A2HMEGTAFO0CS8"}], "B092JLLYK6": [{"asin": "B092JLLYK6", "instruction": "get me a sixteen pack of apple cinnamon freeze dried banana chips.", "attributes": ["freeze dried", "non gmo", "gluten free", "plant based", "dairy free", "real fruit"], "options": ["flavor name: apple cinnamon", "size: 0.53 ounce (pack of 16)"], "instruction_attributes": ["freeze dried"], "instruction_options": ["apple cinnamon", "0.53 ounce (pack of 16)"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N20SG68", "worker_id": "AR9AU5FY1S3RO"}], "B08XQGDK52": [{"asin": "B08XQGDK52", "instruction": "i am in need of a faux leather ottoman that is brown.", "attributes": ["high density", "faux leather", "pu leather", "solid wood", "living room"], "options": ["color: brown"], "instruction_attributes": ["faux leather"], "instruction_options": ["brown"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAU8VC9Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B01N7HBEO8": [{"asin": "B01N7HBEO8", "instruction": "i want a pkpower ac dc adapter charger for g-project with output protection.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3HPZF4IVNX3FW186JO133U513H5YCQ", "worker_id": "A2RBF3IIJP15IH"}], "B09LYSH4YL": [{"asin": "B09LYSH4YL", "instruction": "i am interested in some toothbrushes that are easy to use and are either pink or blue", "attributes": ["easy use", "sensitive teeth"], "options": ["color: pink, blue"], "instruction_attributes": ["easy use"], "instruction_options": ["pink, blue"], "assignment_id": "3ZY8KE4ISUD2M8NKJVFEG0QOPFQQV0", "worker_id": "A2ECRNQ3X5LEXD"}], "B07HH4BYNK": [{"asin": "B07HH4BYNK", "instruction": "i would like a 36 mm tube stainless steel tripod.", "attributes": ["heavy duty", "carbon fiber", "stainless steel"], "options": ["size: max tube 36mm", "style: only tripod"], "instruction_attributes": ["stainless steel"], "instruction_options": ["max tube 36mm", "only tripod"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40FWNXY", "worker_id": "A1WS884SI0SLO4"}], "B09QQ5KZFY": [{"asin": "B09QQ5KZFY", "instruction": "look for a fluoride free toothpaste in purple color. pick a teeth whitening one for sensitive teeth.", "attributes": ["long lasting", "fluoride free", "teeth whitening", "natural ingredients", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: purple"], "instruction_attributes": ["fluoride free", "teeth whitening", "sensitive teeth"], "instruction_options": ["purple"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTSD7LJ", "worker_id": "A1NF6PELRKACS9"}], "B09KXD32Q9": [{"asin": "B09KXD32Q9", "instruction": "i am looking for a memory foam bed, one that does not need a box spring i would like queen size.", "attributes": ["queen size", "bronze finish", "memory foam", "box spring"], "options": ["color: white", "size: full"], "instruction_attributes": ["memory foam", "box spring"], "instruction_options": ["white"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOGQMLP", "worker_id": "A2KW17G25L25R8"}], "B098C5R15H": [{"asin": "B098C5R15H", "instruction": "i need a manual toothbrush for bad breath", "attributes": ["oral hygiene", "bad breath"], "options": [""], "instruction_attributes": ["bad breath"], "instruction_options": [], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TWGSUG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08RSM28V9": [{"asin": "B08RSM28V9", "instruction": "i am looking for a 12 by 16 inch african american poster that is ready to hang.", "attributes": ["ready hang", "living room", "dining room"], "options": ["color: pink african american girl inspirational", "size: 12x16inch"], "instruction_attributes": ["ready hang"], "instruction_options": ["pink african american girl inspirational", "12x16inch"], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJLIMOT", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KLPML72": [{"asin": "B07KLPML72", "instruction": "i am interested in a non toxic beauty bag.", "attributes": ["non toxic", "fine mist"], "options": [""], "instruction_attributes": ["non toxic"], "instruction_options": [], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4A40IP", "worker_id": "A2ECRNQ3X5LEXD"}], "B0872DG5NK": [{"asin": "B0872DG5NK", "instruction": "i want a brown gift basket of great american cookies.", "attributes": ["baked fresh", "birthday cake", "perfect gift", "gift basket"], "options": ["flavor name: congrats box (brown)"], "instruction_attributes": ["gift basket"], "instruction_options": ["congrats box (brown)"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUSRQJN", "worker_id": "A2RBF3IIJP15IH"}], "B097NW1NJ9": [{"asin": "B097NW1NJ9", "instruction": "i need some floating shelves for my living room. i'd like them to be grey.", "attributes": ["ready use", "long lasting", "living room"], "options": ["color: grey"], "instruction_attributes": ["living room"], "instruction_options": ["grey"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO4T33P", "worker_id": "AR9AU5FY1S3RO"}], "B082D247QB": [{"asin": "B082D247QB", "instruction": "i want a white yisella shower brush with a long handle.", "attributes": ["eco friendly", "long handle"], "options": ["color: pink | white"], "instruction_attributes": ["long handle"], "instruction_options": ["pink | white"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMBEDXQ", "worker_id": "A2RBF3IIJP15IH"}], "B09MWN6HDD": [{"asin": "B09MWN6HDD", "instruction": "i am looking for a motion detection indoor, outdoor camera smart surveillance.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4LWKPG", "worker_id": "A2KW17G25L25R8"}], "B08GHGYH77": [{"asin": "B08GHGYH77", "instruction": "i want to buy some non-toxic bath gloves.", "attributes": ["non toxic", "easy use", "dead skin"], "options": [""], "instruction_attributes": ["non toxic"], "instruction_options": [], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602SS950", "worker_id": "AR9AU5FY1S3RO"}], "B08HB4TNKL": [{"asin": "B08HB4TNKL", "instruction": "i need some high quality false lashes that are 20d-16mm", "attributes": ["easy use", "high quality"], "options": ["style: 20d-16mm"], "instruction_attributes": ["high quality"], "instruction_options": ["20d-16mm"], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA3Z8CL", "worker_id": "A2ECRNQ3X5LEXD"}], "B097H7BCYM": [{"asin": "B097H7BCYM", "instruction": "i want a drawing desk that's easy to clean and has a steel frame.", "attributes": ["easy clean", "coated steel", "steel frame"], "options": [""], "instruction_attributes": ["easy clean", "steel frame"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTSU9PN", "worker_id": "A345TDMHP3DQ3G"}], "B07P9W3BK1": [{"asin": "B07P9W3BK1", "instruction": "i would like to get some low carb gourmet crunchy snack which has a red peppers | jalapenos flavor.", "attributes": ["low carb", "resealable bag"], "options": ["flavor: red peppers | jalapenos"], "instruction_attributes": ["low carb"], "instruction_options": ["red peppers | jalapenos"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKZYIU0", "worker_id": "A20DUVEOH6A7KW"}], "B0962T75TW": [{"asin": "B0962T75TW", "instruction": "i need ceiling lights that are a light wood grain color and are easy to install", "attributes": ["easy install", "light fixture", "white finish", "living room"], "options": ["color: 2 light wood grain"], "instruction_attributes": ["easy install"], "instruction_options": ["2 light wood grain"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J9NFSQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07XLW2Q46": [{"asin": "B07XLW2Q46", "instruction": "i am looking for a star wars darth vader funny t-shirt.", "attributes": ["needle sleeve", "classic fit", "star wars"], "options": ["color: royal blue", "fit type: women", "size: 3t"], "instruction_attributes": ["star wars"], "instruction_options": ["women"], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOF8CT0", "worker_id": "A2KW17G25L25R8"}], "B08KVPWV49": [{"asin": "B08KVPWV49", "instruction": "i am looking for high quality natural hair extension. please make sure that is 14 inches in size.", "attributes": ["high quality", "hair extensions"], "options": ["color: body wave 4 bundles with closure", "size: 14 | 14 | 14 | 14+12 inch"], "instruction_attributes": ["high quality"], "instruction_options": ["14 | 14 | 14 | 14+12 inch"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB8AU6P", "worker_id": "AJDQGOTMB2D80"}], "B01I0TE6GQ": [{"asin": "B01I0TE6GQ", "instruction": "i am looking for an end table that has a white finish.", "attributes": ["white item", "white finish"], "options": [""], "instruction_attributes": ["white finish"], "instruction_options": [], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTNH4V5", "worker_id": "A2ECRNQ3X5LEXD"}], "B07B9LDKPZ": [{"asin": "B07B9LDKPZ", "instruction": "i would like a 35 foot long multicolored hdmi cable for my blu ray player.", "attributes": ["gold plated", "blu ray"], "options": ["color: multi-colored", "size: 35ft"], "instruction_attributes": ["blu ray"], "instruction_options": ["multi-colored", "35ft"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WOVWQJ", "worker_id": "A1WS884SI0SLO4"}], "B097161249": [{"asin": "B097161249", "instruction": "order a tempered glass screen protector for my iphone 13.", "attributes": ["glass screen", "tempered glass"], "options": [""], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": [], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOIZ0FL", "worker_id": "AR9AU5FY1S3RO"}], "B000C20ZSS": [{"asin": "B000C20ZSS", "instruction": "i want a high quality bvlgari blv by bvlgari for women perfume.", "attributes": ["design house", "high quality"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3C9QN4", "worker_id": "A2RBF3IIJP15IH"}], "B006QN9TFC": [{"asin": "B006QN9TFC", "instruction": "i need a 4oz size hair conditioner that has argan oil and is for damged hair.", "attributes": ["sulfate free", "argan oil", "damaged hair", "hair growth"], "options": ["size: 120ml | 4 fl oz"], "instruction_attributes": ["argan oil", "damaged hair"], "instruction_options": ["120ml | 4 fl oz"], "assignment_id": "3X1FV8S5J81B9JT6GZA2MMMMJSJGVX", "worker_id": "A1KZ0KE93WNN5O"}], "B0973QX9X2": [{"asin": "B0973QX9X2", "instruction": "i want to find a 2-pack of 32 fluid ounces of gourmet lime cocktail mix. it needs to taste just like a bloody mary with dill pickles and be gluten free.", "attributes": ["low calorie", "low carb", "gluten free", "high fructose"], "options": ["flavor name: dill pickle bloody mary", "size: 32 fl oz (pack of 2)"], "instruction_attributes": ["gluten free"], "instruction_options": ["dill pickle bloody mary", "32 fl oz (pack of 2)"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYBHIEW", "worker_id": "A345TDMHP3DQ3G"}], "B09BVSKVXG": [{"asin": "B09BVSKVXG", "instruction": "i want to shop for a pair of pink ankle boots with leather soles. i need them in a size eight.", "attributes": ["anti slip", "rubber sole", "leather sole"], "options": ["color: 4pink", "size: 8"], "instruction_attributes": ["leather sole"], "instruction_options": ["4pink", "8"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY5E0UK", "worker_id": "AR9AU5FY1S3RO"}], "B08TQQSQHZ": [{"asin": "B08TQQSQHZ", "instruction": "i would like some solid wood coat hooks to mount on the walls.", "attributes": ["wall mounted", "solid wood"], "options": [""], "instruction_attributes": ["wall mounted", "solid wood"], "instruction_options": [], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AJQOE5", "worker_id": "A1WS884SI0SLO4"}], "B07TZ6B73F": [{"asin": "B07TZ6B73F", "instruction": "i am looking for a game joystick that has a usb port and must be the color black.", "attributes": ["plug play", "usb port"], "options": ["color: black"], "instruction_attributes": ["usb port"], "instruction_options": ["black"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZG9O8N", "worker_id": "A1KZ0KE93WNN5O"}], "B082WMCYX8": [{"asin": "B082WMCYX8", "instruction": "find me some keto friendly and gluten free turkey bars. they should have no sugar and get the 48 count pack.", "attributes": ["low carb", "high protein", "keto friendly", "sugar free", "grass fed", "freeze dried", "gluten free", "low calorie", "ready eat", "individually wrapped", "dairy free", "non gmo", "zero sugar", "gift basket"], "options": ["flavor name: keto sampler", "size: 48 count (pack of 1)"], "instruction_attributes": ["keto friendly", "gluten free"], "instruction_options": ["48 count (pack of 1)"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIUV9T6", "worker_id": "A1NF6PELRKACS9"}], "B09PG9CZY3": [{"asin": "B09PG9CZY3", "instruction": "i want black womens memory foam walking shoes.", "attributes": ["non slip", "memory foam", "high heel", "rubber sole", "teen girls"], "options": ["color: black", "size: 8"], "instruction_attributes": ["memory foam"], "instruction_options": ["black"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKIQT10", "worker_id": "A2RBF3IIJP15IH"}], "B07ZQSQ3B2": [{"asin": "B07ZQSQ3B2", "instruction": "i would like a 42mm smartwatch band that is made of stainless steel and has a gold connector.", "attributes": ["compatible apple", "long lasting", "stainless steel"], "options": ["color: tiana brown w | gold connector&clasp", "size: 42mm-44mm-45mm"], "instruction_attributes": ["stainless steel"], "instruction_options": ["tiana brown w | gold connector&clasp", "42mm-44mm-45mm"], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJMS9OY", "worker_id": "A2ECRNQ3X5LEXD"}], "B08696JGJK": [{"asin": "B08696JGJK", "instruction": "i am looking for a desktop computer with intel core i7-10510u cpu, 240g ssd storage and 16g of ram.", "attributes": ["dual band", "intel core", "aluminum alloy"], "options": ["color: cpu i7-10510u", "size: 16g ram 240g ssd"], "instruction_attributes": ["intel core"], "instruction_options": ["cpu i7-10510u", "16g ram 240g ssd"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ53MCK1", "worker_id": "AJDQGOTMB2D80"}], "B07KX8GVB7": [{"asin": "B07KX8GVB7", "instruction": "give me one adidas crazyflight usav cross trainer regular fit women please, my size is 14.5", "attributes": ["synthetic sole", "rubber outsole", "regular fit"], "options": ["color: white | power red | white", "size: 14.5"], "instruction_attributes": ["regular fit"], "instruction_options": ["white | power red | white"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRKSMF8", "worker_id": "A15IJ20C3R4HUO"}], "B09T5PR172": [{"asin": "B09T5PR172", "instruction": "i want a high quality tooth brush for my sensitive teeth. it should be pale yellow in color.", "attributes": ["high quality", "sensitive teeth"], "options": ["color: pale yellow, small (for 2-6)"], "instruction_attributes": ["high quality"], "instruction_options": ["pale yellow, small (for 2-6)"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB5SY4J", "worker_id": "A1NF6PELRKACS9"}], "B000HTKOMS": [{"asin": "B000HTKOMS", "instruction": "i am looking for big and tall levi's men's 505 regular fit jeans that are machine washable.", "attributes": ["straight leg", "machine wash", "imported zipper", "regular fit"], "options": ["color: tin man - stretch", "fit type: big & tall", "size: 36w x 32l"], "instruction_attributes": ["machine wash"], "instruction_options": ["big & tall"], "assignment_id": "35GCEFQ6IGYRORMSMHSLOYA93ZKZ3A", "worker_id": "A1EREKSZAA9V7B"}], "B0179PDSNO": [{"asin": "B0179PDSNO", "instruction": "i would like a men's rubber sole shoe with a size 7.5.", "attributes": ["steel toe", "rubber outsole", "rubber sole"], "options": ["size: 7.5"], "instruction_attributes": ["rubber outsole", "rubber sole"], "instruction_options": ["7.5"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC27IN8", "worker_id": "A1WS884SI0SLO4"}], "B00N33U2SG": [{"asin": "B00N33U2SG", "instruction": "i would like a dark grey hair building fiber that is easy to apply.", "attributes": ["easy apply", "hair loss"], "options": ["color: dark grey & pepper"], "instruction_attributes": ["easy apply"], "instruction_options": ["dark grey & pepper"], "assignment_id": "3WEV0KO0OX2S572BKE4P5EZI7WJDSP", "worker_id": "A1WS884SI0SLO4"}], "B07VGMCM3T": [{"asin": "B07VGMCM3T", "instruction": "i want trader joe's organic apple banana fruit crushers.", "attributes": ["trader joe", "real fruit", "artificial flavors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK5CVNT", "worker_id": "A2RBF3IIJP15IH"}], "B08CVS5KZJ": [{"asin": "B08CVS5KZJ", "instruction": "i would like a 7 piece king comforter set decorated with flowers and is machine washable.", "attributes": ["queen size", "machine washable"], "options": ["color: flowers", "size: king-7 pieces"], "instruction_attributes": ["machine washable"], "instruction_options": ["flowers", "king-7 pieces"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KL2HUN", "worker_id": "A1WS884SI0SLO4"}], "B00NVK6K5K": [{"asin": "B00NVK6K5K", "instruction": "i want non gmo wild planet wild albacore tuna unsalted.", "attributes": ["non gmo", "gluten free"], "options": ["size: 3 ounce (pack of 1)", "style: albacore no salt"], "instruction_attributes": ["non gmo"], "instruction_options": ["albacore no salt"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMOAQBW", "worker_id": "A2RBF3IIJP15IH"}], "B093X7Z6Z3": [{"asin": "B093X7Z6Z3", "instruction": "i would like some individually wrapped mandolorian lollipops for party supplies.", "attributes": ["individually wrapped", "party supplies"], "options": ["flavor name: mandolorian | the child pop ups"], "instruction_attributes": ["individually wrapped", "party supplies"], "instruction_options": ["mandolorian | the child pop ups"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTLN6ON", "worker_id": "A1WS884SI0SLO4"}], "B09QMDTYDK": [{"asin": "B09QMDTYDK", "instruction": "look for a long sleeve polyester pullover top. get style-23 in small.", "attributes": ["long sleeve", "quality polyester", "daily wear"], "options": ["color: style-23", "size: small"], "instruction_attributes": ["long sleeve", "quality polyester"], "instruction_options": ["style-23", "small"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PLNQEW", "worker_id": "AR9AU5FY1S3RO"}], "B08PL42Q82": [{"asin": "B08PL42Q82", "instruction": "i would like a 55 inch high def tv.", "attributes": ["high definition", "quad core"], "options": ["size: 55 inches"], "instruction_attributes": ["high definition"], "instruction_options": ["55 inches"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFD520C", "worker_id": "A1WS884SI0SLO4"}], "B07TSKCMY8": [{"asin": "B07TSKCMY8", "instruction": "i need white storage cabinets.", "attributes": ["white item", "white finish"], "options": [""], "instruction_attributes": ["white item"], "instruction_options": [], "assignment_id": "3PM8NZGV89QUQXSFJAGW4LN95R5XQJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08P8JKN6J": [{"asin": "B08P8JKN6J", "instruction": "i am looking for a home office desk chair that has lumbar support and is black.", "attributes": ["easy assemble", "lumbar support"], "options": ["color: black"], "instruction_attributes": ["lumbar support"], "instruction_options": ["black"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34JO14R", "worker_id": "A2ECRNQ3X5LEXD"}], "B092YL6HFF": [{"asin": "B092YL6HFF", "instruction": "i am looking for aluminum alloy professional ball head tripod for camera with color: x-4i", "attributes": ["quick release", "aluminum alloy"], "options": ["color: x-4i"], "instruction_attributes": ["aluminum alloy"], "instruction_options": ["x-4i"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TLTN3Y", "worker_id": "AX2EWYWZM19AZ"}], "B07K6Z1DD1": [{"asin": "B07K6Z1DD1", "instruction": "i want a frosted 8 inch shade for my lamp in the living room.", "attributes": ["clear glass", "glass shade", "living room"], "options": ["color: frosted - 2 pack", "size: 2-5 | 8 inch - 10 inch"], "instruction_attributes": ["living room"], "instruction_options": ["frosted - 2 pack", "2-5 | 8 inch - 10 inch"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V2M2US", "worker_id": "A1WS884SI0SLO4"}], "B09JW89R1W": [{"asin": "B09JW89R1W", "instruction": "i need an easy to carry pair of monoculars that are standard.", "attributes": ["long lasting", "high resolution", "easy carry", "bird watching"], "options": ["color: standard + phone clip"], "instruction_attributes": ["easy carry"], "instruction_options": ["standard + phone clip"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H2DU8M", "worker_id": "A2ECRNQ3X5LEXD"}], "B081L2DQVG": [{"asin": "B081L2DQVG", "instruction": "check for the following product in pink: honeydew ladies ultra soft cozy lounge leggings, drawstring closure. thanks", "attributes": ["machine wash", "drawstring closure"], "options": ["color: pink", "size: small"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["pink"], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH4R1VB", "worker_id": "A15IJ20C3R4HUO"}], "B099PSRW2T": [{"asin": "B099PSRW2T", "instruction": "get me some relaxed fit loafers, please.", "attributes": ["ethylene vinyl", "vinyl acetate", "relaxed fit"], "options": [""], "instruction_attributes": ["relaxed fit"], "instruction_options": [], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODMZWE1", "worker_id": "AR9AU5FY1S3RO"}], "B0943FMYK2": [{"asin": "B0943FMYK2", "instruction": "i am looking for a high powered digital amplifier board.", "attributes": ["high power", "power amplifier"], "options": [""], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3ZPPDN2SL66FSYKC73FIU1CDFLAE9P", "worker_id": "A1EREKSZAA9V7B"}], "B091G2R6MH": [{"asin": "B091G2R6MH", "instruction": "i am interested in a shampoo set that is paraben free and comes in a pack of two.", "attributes": ["sulfate free", "paraben free", "dry hair"], "options": ["size: 28 fl oz (pack of 2)", "style: shampoo - pack of 1"], "instruction_attributes": ["paraben free"], "instruction_options": ["28 fl oz (pack of 2)"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8FENZF", "worker_id": "A2ECRNQ3X5LEXD"}], "B00FP2ACMY": [{"asin": "B00FP2ACMY", "instruction": "i need low rise boot cut pants in grey color.", "attributes": ["low rise", "comfortable fit"], "options": ["color: grey", "size: 35w x 30l"], "instruction_attributes": ["low rise"], "instruction_options": ["grey"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTNXV4C", "worker_id": "A1NF6PELRKACS9"}], "B07RWF7NG9": [{"asin": "B07RWF7NG9", "instruction": "i am interested in a lemon yellow t-shirt for youth that is machine washable and is in an x-small.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: lemon", "fit type: youth", "size: x-small"], "instruction_attributes": ["machine wash"], "instruction_options": ["lemon", "youth", "x-small"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F2Z0HOW", "worker_id": "A2ECRNQ3X5LEXD"}], "B0040ZOQ24": [{"asin": "B0040ZOQ24", "instruction": "i would like a 14.5 fluid ounce can of fresh scent oven cleaner that is easy to use.", "attributes": ["easy use", "kosher certified"], "options": ["scent: fresh scent", "size: 14.5 fl oz (pack of 6)"], "instruction_attributes": ["easy use"], "instruction_options": ["fresh scent", "14.5 fl oz (pack of 6)"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4W10H6", "worker_id": "A1WS884SI0SLO4"}], "B09NNGX9H7": [{"asin": "B09NNGX9H7", "instruction": "i would like a slim fitting button down shirt in an x-small that is light blue", "attributes": ["slim fit", "hand wash", "short sleeve", "long sleeve", "regular fit", "contrast color", "stretch fabric", "fashion design", "relaxed fit", "dry clean", "daily wear"], "options": ["color: b#light blue", "size: x-small"], "instruction_attributes": ["slim fit"], "instruction_options": ["b#light blue", "x-small"], "assignment_id": "3V5Q80FXI811IGJGXAJ71N02IPL233", "worker_id": "A2ECRNQ3X5LEXD"}], "B00UIMGK9U": [{"asin": "B00UIMGK9U", "instruction": "i need knee high socks that are ivory", "attributes": ["knee high", "machine wash", "wash cold", "tumble dry"], "options": ["color: ivory"], "instruction_attributes": ["knee high"], "instruction_options": ["ivory"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54PU38O", "worker_id": "A2ECRNQ3X5LEXD"}], "B07H7VDDVH": [{"asin": "B07H7VDDVH", "instruction": "i want a tan and cruelty free dual salmon concealer.", "attributes": ["fragrance free", "paraben free", "cruelty free", "coconut oil"], "options": ["color: tan"], "instruction_attributes": ["cruelty free"], "instruction_options": ["tan"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0SZ6116", "worker_id": "A2RBF3IIJP15IH"}], "B07CJWZ4XF": [{"asin": "B07CJWZ4XF", "instruction": "shop for a device that prevents hair loss and promotes growth.", "attributes": ["hair growth", "hair loss"], "options": [""], "instruction_attributes": ["hair growth", "hair loss"], "instruction_options": [], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DUUTOJ", "worker_id": "AR9AU5FY1S3RO"}], "B008IDJ4NU": [{"asin": "B008IDJ4NU", "instruction": "i am looking for some espresso pleated shades that are easy to install and are 36 inch by 72 inch.", "attributes": ["white item", "easy install"], "options": ["color: espresso", "size: 36-inch by 72-inch"], "instruction_attributes": ["easy install"], "instruction_options": ["espresso", "36-inch by 72-inch"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADGWVWY", "worker_id": "A2ECRNQ3X5LEXD"}], "B097NG3SVJ": [{"asin": "B097NG3SVJ", "instruction": "i need to buy some eighty-four inch curtains for my living room.", "attributes": ["living room", "dining room"], "options": ["color: color21", "size: 84\"w x 84\"l"], "instruction_attributes": ["living room"], "instruction_options": ["84\"w x 84\"l"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAFKVOB", "worker_id": "AR9AU5FY1S3RO"}], "B07VLMG4DR": [{"asin": "B07VLMG4DR", "instruction": "i am looking for a silver smartwatch band that is apple compatible.", "attributes": ["compatible apple", "high performance"], "options": ["color: silver", "size: 38mm | 40mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["silver"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DAWDWN", "worker_id": "A1EREKSZAA9V7B"}], "B09NL6VC77": [{"asin": "B09NL6VC77", "instruction": "i am looking for men's ripped jeans denim pants with an elastic waist. pick a navy color and get x-large.", "attributes": ["light weight", "machine washable", "hand wash", "elastic waist"], "options": ["color: navy", "size: x-large"], "instruction_attributes": ["machine washable", "elastic waist"], "instruction_options": ["navy", "x-large"], "assignment_id": "3JPSL1DZ539XRN7US8W1GJH6ZUGANA", "worker_id": "A31PW970Z2PC5P"}], "B08CZZMPZW": [{"asin": "B08CZZMPZW", "instruction": "i need a relaxed fit sleep bottom that is gray plaid and is a large", "attributes": ["moisture wicking", "elastic waist", "relaxed fit", "button closure"], "options": ["color: gray plaid", "size: large"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["gray plaid", "large"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA388RV", "worker_id": "A2ECRNQ3X5LEXD"}], "B09R1DKTS6": [{"asin": "B09R1DKTS6", "instruction": "i am looking for a high power sound column subwoofer, that uses bluetooth and is also a 3d surround sound system.", "attributes": ["power amplifier", "high power"], "options": ["color: b"], "instruction_attributes": ["high power"], "instruction_options": [], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNJBNTI", "worker_id": "AK3JMCIGU8MLU"}], "B09RQR4HQS": [{"asin": "B09RQR4HQS", "instruction": "i want blue high waisted plus size swimsuits for women.", "attributes": ["machine wash", "tummy control", "elastic closure", "high waist"], "options": ["color: blue", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": ["blue"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL2SVR8", "worker_id": "A2RBF3IIJP15IH"}], "B00S82AG1U": [{"asin": "B00S82AG1U", "instruction": "i would like a chrome bath sconce that is a vanity light.", "attributes": ["brushed nickel", "nickel finish", "vanity light"], "options": ["color: chrome", "size: four light wall | bath"], "instruction_attributes": ["vanity light"], "instruction_options": ["chrome", "four light wall | bath"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHC8NBP", "worker_id": "A1WS884SI0SLO4"}], "B00AARRS9Y": [{"asin": "B00AARRS9Y", "instruction": "i want speak 510 wireless bluetooth portable speakers, which is uc optimized and comes with a carrying case.", "attributes": ["carrying case", "wireless bluetooth"], "options": ["size: uc optimized (standard)", "style: speak 510"], "instruction_attributes": ["carrying case", "wireless bluetooth"], "instruction_options": ["uc optimized (standard)", "speak 510"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R5LKSE", "worker_id": "ASWFLI3N8X72G"}], "B08FDW2T9T": [{"asin": "B08FDW2T9T", "instruction": "i am looking for a bakers rack for storage space that is 35 by 22 by 42.5cm.", "attributes": ["steel frame", "storage space"], "options": ["size: 35*22*42.5cm"], "instruction_attributes": ["storage space"], "instruction_options": ["35*22*42.5cm"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYLR6MR", "worker_id": "A2ECRNQ3X5LEXD"}], "B08SM44FFD": [{"asin": "B08SM44FFD", "instruction": "i want small wide leg maszone y2k fashion jeans for women.", "attributes": ["wide leg", "slim fit", "tummy control", "high waist", "teen girls"], "options": ["color: d4-blue", "size: small"], "instruction_attributes": ["wide leg"], "instruction_options": ["small"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFR9JO8", "worker_id": "A2RBF3IIJP15IH"}], "B09NN8LSX3": [{"asin": "B09NN8LSX3", "instruction": "i am interested in a long sleeved blue shirt that is in a medium", "attributes": ["fleece lined", "winter warm", "light weight", "long sleeve", "faux fur"], "options": ["color: a6 - blue", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a6 - blue", "medium"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GJL3S8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DMCX3VF": [{"asin": "B08DMCX3VF", "instruction": "i want to buy the travel size of the creed original impression.", "attributes": ["travel size", "long lasting"], "options": ["scent: creed original santal impression"], "instruction_attributes": ["travel size"], "instruction_options": ["creed original santal impression"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC54VRKS", "worker_id": "AR9AU5FY1S3RO"}], "B09RTQMBZR": [{"asin": "B09RTQMBZR", "instruction": "i need a core i5 desktop that has 20gb of ram and 512gb of storage.", "attributes": ["dual band", "core i5", "intel core"], "options": ["size: 20gb | 512gb ssd", "style: windows 10 pro"], "instruction_attributes": ["core i5"], "instruction_options": ["20gb | 512gb ssd"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H29U8I", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BY8BWNB": [{"asin": "B08BY8BWNB", "instruction": "i'm looking for a party supplies of birthday party cupcake.", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIDMVFG", "worker_id": "A1Q0EUNCS50S8M"}], "B082T2M91S": [{"asin": "B082T2M91S", "instruction": "i need a brushed nickel floor lamp that is turquoise", "attributes": ["brushed nickel", "nickel finish"], "options": ["color: turquoise"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["turquoise"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79ONH16", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HMZXK4R": [{"asin": "B08HMZXK4R", "instruction": "i would like a hair comb for dry hair.", "attributes": ["dry hair", "hair loss"], "options": [""], "instruction_attributes": ["dry hair"], "instruction_options": [], "assignment_id": "33F859I56HNA01QBVO1K6A4GV1BHBO", "worker_id": "A1WS884SI0SLO4"}], "B086ZPR5W2": [{"asin": "B086ZPR5W2", "instruction": "i want reparative eye creme for dark circles.", "attributes": ["plant based", "cruelty free", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH0NQHI", "worker_id": "A2RBF3IIJP15IH"}], "B09J23663B": [{"asin": "B09J23663B", "instruction": "i am looking a dust proof cover easy install easy carry fit for xbox series x colour black", "attributes": ["dust proof", "easy carry", "easy install"], "options": ["color: un"], "instruction_attributes": ["dust proof", "easy carry", "easy install"], "instruction_options": ["un"], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1M7RGT5", "worker_id": "A3N9ZYQAESNFQH"}], "B09MLS9J9L": [{"asin": "B09MLS9J9L", "instruction": "i want a large i just want to work in my garden short sleeve t shirt.", "attributes": ["light weight", "short sleeve", "faux fur"], "options": ["color: srs3-love262-orange", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACQANH4", "worker_id": "A2RBF3IIJP15IH"}], "B08V4V96YY": [{"asin": "B08V4V96YY", "instruction": "i am looking for heavy duty 4 inch shelf brackets that are easy to install.", "attributes": ["heavy duty", "easy install", "height adjustable", "dining room", "living room"], "options": ["color: 4 inch"], "instruction_attributes": ["heavy duty", "easy install"], "instruction_options": ["4 inch"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI6KAB5", "worker_id": "A1EREKSZAA9V7B"}], "B09QM769RJ": [{"asin": "B09QM769RJ", "instruction": "i would like some wireless headphones, hands free, in red please. they must have bluetooth and a mic.", "attributes": ["hands free", "stereo sound"], "options": ["color: red"], "instruction_attributes": ["hands free"], "instruction_options": ["red"], "assignment_id": "337RC3OW0GCRVB77RQ7IZERUF95VLI", "worker_id": "A1WAWEY2810TFN"}], "B089659QT7": [{"asin": "B089659QT7", "instruction": "i want a midnight blue and solid wood napa ottoman.", "attributes": ["high density", "assembly required", "solid wood"], "options": ["color: midnight blue", "size: 88.5\" sofa"], "instruction_attributes": ["solid wood"], "instruction_options": ["midnight blue"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZK8Y1U", "worker_id": "A2RBF3IIJP15IH"}], "B084H13NFV": [{"asin": "B084H13NFV", "instruction": "i am looking for a sugar free and gluten free dried fruits in dried pineapple flavor. also choose size of 8 ounce (pack of 2)", "attributes": ["artificial ingredients", "sugar free", "dairy free", "gluten free"], "options": ["flavor name: dried pineapple", "size: 8 ounce (pack of 2)"], "instruction_attributes": ["sugar free", "gluten free"], "instruction_options": ["dried pineapple", "8 ounce (pack of 2)"], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BLH8XH", "worker_id": "A2HMEGTAFO0CS8"}], "B08HCKVX5F": [{"asin": "B08HCKVX5F", "instruction": "i would like a purple 3.35 inch hair clip for hair styling and cutting.", "attributes": ["hair styling", "hair cutting"], "options": ["color: purple", "size: 3.35 inch (pack of 24)"], "instruction_attributes": ["hair styling", "hair cutting"], "instruction_options": ["purple", "3.35 inch (pack of 24)"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0UMXPT", "worker_id": "A1WS884SI0SLO4"}], "B08RJ4VXGQ": [{"asin": "B08RJ4VXGQ", "instruction": "i need a t shirt that i can hand wash in an xx-large and is the color of wine.", "attributes": ["wash cold", "hand wash", "dry clean"], "options": ["color: 03-wine", "size: xx-large"], "instruction_attributes": ["hand wash"], "instruction_options": ["03-wine", "xx-large"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z3RGX0", "worker_id": "A2ECRNQ3X5LEXD"}], "B096KF7K4M": [{"asin": "B096KF7K4M", "instruction": "i am looking for a barbershop tin sign for my hair salon.", "attributes": ["double sided", "hair salon"], "options": ["color: barber shop2", "size: 12inch*17inch"], "instruction_attributes": ["hair salon"], "instruction_options": ["barber shop2"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOHJ9LD", "worker_id": "A2KW17G25L25R8"}], "B06XP2ZQLG": [{"asin": "B06XP2ZQLG", "instruction": "i am interested in some hair growth treatments.", "attributes": ["hair growth", "hair loss", "natural hair", "hair cutting"], "options": [""], "instruction_attributes": ["hair growth"], "instruction_options": [], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z16I1KN", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DD21C8S": [{"asin": "B08DD21C8S", "instruction": "i want a long lasting scented candles aromatherapy soy set.", "attributes": ["long lasting", "soy wax"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFNR3VP", "worker_id": "A2RBF3IIJP15IH"}], "B08WM2V3D9": [{"asin": "B08WM2V3D9", "instruction": "i am looking for a space saving home office desk with a reclaimed wood look to it.", "attributes": ["space saving", "contemporary style"], "options": ["color: brown reclaimed wood-look | black"], "instruction_attributes": ["space saving"], "instruction_options": ["brown reclaimed wood-look | black"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOWK93T", "worker_id": "A1EREKSZAA9V7B"}], "B089GSK6NM": [{"asin": "B089GSK6NM", "instruction": "i am looking for 6 inch stainless steel hair cutting scissors.", "attributes": ["stainless steel", "hair cutting"], "options": ["color: c", "size: 6 inch set"], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": ["6 inch set"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS1WG9F", "worker_id": "A1EREKSZAA9V7B"}], "B08SHSFXF6": [{"asin": "B08SHSFXF6", "instruction": "i would like a 34 piece set of some long lasting press on nails", "attributes": ["long lasting", "nail polish"], "options": ["color: frosting", "size: 34 piece set"], "instruction_attributes": ["long lasting"], "instruction_options": ["frosting", "34 piece set"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGIWO0Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B08411CQPH": [{"asin": "B08411CQPH", "instruction": "i am looking for a dill pickle vegan ranch flavored gourmet popcorn gift basket.", "attributes": ["non gmo", "gluten free", "natural flavors", "gift basket"], "options": ["flavor name: dill pickle vegan ranch", "size: 4 ounce (pack of 9)"], "instruction_attributes": ["gift basket"], "instruction_options": ["dill pickle vegan ranch"], "assignment_id": "3W8CV64QJD9RC8BEX4NOF49Q712H98", "worker_id": "A1EREKSZAA9V7B"}], "B09MYSD8SX": [{"asin": "B09MYSD8SX", "instruction": "i would like some 18 inch micro loop hair extensions.", "attributes": ["double sided", "hair extensions", "hair loss"], "options": ["color: micro loop hair extensions", "size: 18 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["micro loop hair extensions", "18 inch"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOBANOC", "worker_id": "A1WS884SI0SLO4"}], "B0953MXXF1": [{"asin": "B0953MXXF1", "instruction": "i would like a size 8 azure clog made from vinyl acetate.", "attributes": ["ethylene vinyl", "vinyl acetate", "quality materials"], "options": ["color: azure", "size: 8"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["azure", "8"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBDCHGC", "worker_id": "A1WS884SI0SLO4"}], "B0745JHL8C": [{"asin": "B0745JHL8C", "instruction": "i need some regular slim fit jeans that are a size 34w by 38l", "attributes": ["slim fit", "straight leg", "machine wash", "imported zipper", "comfortable fit", "button closure"], "options": ["color: denver", "fit type: regular", "size: 34w x 38l"], "instruction_attributes": ["slim fit"], "instruction_options": ["regular", "34w x 38l"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0RARAK", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NW8X8TX": [{"asin": "B09NW8X8TX", "instruction": "i need a pink color women's eau de parfum which should have a long lasting fragrance.", "attributes": ["long lasting", "green tea"], "options": ["color: pink"], "instruction_attributes": ["long lasting"], "instruction_options": ["pink"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM969RG4S", "worker_id": "ASWFLI3N8X72G"}], "B09C2Z9BM5": [{"asin": "B09C2Z9BM5", "instruction": "i want x-large unisex rubber sole diving shoes.", "attributes": ["non slip", "rubber sole"], "options": ["color: orange", "size: x-large"], "instruction_attributes": ["rubber sole"], "instruction_options": ["x-large"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N5B7TY", "worker_id": "A2RBF3IIJP15IH"}], "B098QHRYN9": [{"asin": "B098QHRYN9", "instruction": "i am looking for a vanity light wall lamp with clear glass also choose 01 - 1 sconces light in color", "attributes": ["vanity light", "clear glass", "glass shade", "light fixture"], "options": ["color: 01 - 1 sconces light"], "instruction_attributes": ["vanity light", "clear glass"], "instruction_options": [], "assignment_id": "37M28K1J01N18XG9DA49NC0PQBGJAM", "worker_id": "A2HMEGTAFO0CS8"}], "B096P751KM": [{"asin": "B096P751KM", "instruction": "i need to buy some cupcake toppers for a birthday party.", "attributes": ["birthday party", "baby shower"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXBIG7D", "worker_id": "AR9AU5FY1S3RO"}], "B000PYOTGC": [{"asin": "B000PYOTGC", "instruction": "i am looking for a 12 ounce jar of raspberry preserve that is nut and gluten free.", "attributes": ["nut free", "gluten free"], "options": ["flavor: clear honey", "size: 12 ounce (pack of 2)", "style: preserve"], "instruction_attributes": ["nut free", "gluten free"], "instruction_options": ["12 ounce (pack of 2)", "preserve"], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLVVDRY", "worker_id": "AJDQGOTMB2D80"}], "B00JGXF99E": [{"asin": "B00JGXF99E", "instruction": "i need 15 pounds of non gmo beans.", "attributes": ["non gmo", "dietary fiber"], "options": ["size: 15 pound (pack of 1)"], "instruction_attributes": ["non gmo"], "instruction_options": ["15 pound (pack of 1)"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG18FU9V", "worker_id": "A2ECRNQ3X5LEXD"}], "B00C0X7UC6": [{"asin": "B00C0X7UC6", "instruction": "i need some hair oil for damaged hair.", "attributes": ["seed oil", "dark circles", "damaged hair", "dry skin", "hair growth"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W71OU3", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GHSLSQR": [{"asin": "B08GHSLSQR", "instruction": "i need some eye cream for treating fine lines.", "attributes": ["dermatologist tested", "dark circles", "fine lines"], "options": [""], "instruction_attributes": ["fine lines"], "instruction_options": [], "assignment_id": "3ON104KXQV68CS0RB8DXZZ8X0XEW44", "worker_id": "AR9AU5FY1S3RO"}], "B08TVG2339": [{"asin": "B08TVG2339", "instruction": "i would like to buy a heavy duty with a rocket type style outlet combo wall plate cover", "attributes": ["heavy duty", "high gloss"], "options": ["style: rocker | outlet combo"], "instruction_attributes": ["heavy duty"], "instruction_options": ["rocker | outlet combo"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG18L9UG", "worker_id": "AJY5G987IRT25"}], "B09S3L82PC": [{"asin": "B09S3L82PC", "instruction": "i would like some fluoride free toothpaste.", "attributes": ["teeth whitening", "fluoride free", "oral hygiene"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGJQO0V", "worker_id": "A1WS884SI0SLO4"}], "B099NPQZX8": [{"asin": "B099NPQZX8", "instruction": "i am looking for beef meat sticks that are keto friendly, and low carb.", "attributes": ["keto friendly", "low carb", "individually wrapped", "zero sugar", "simple ingredients"], "options": ["flavor name: bacon"], "instruction_attributes": ["keto friendly", "low carb"], "instruction_options": ["bacon"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYSTHVU", "worker_id": "A2KW17G25L25R8"}], "B08545S2X3": [{"asin": "B08545S2X3", "instruction": "i need a high speed and dual band wireless signal booster.", "attributes": ["dual band", "high speed"], "options": [""], "instruction_attributes": ["dual band", "high speed"], "instruction_options": [], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZETRPL", "worker_id": "A1NF6PELRKACS9"}], "B01FHVTQNS": [{"asin": "B01FHVTQNS", "instruction": "i'm looking for a cruelty free, herbal toothpaste in mint flavor.", "attributes": ["cruelty free", "oral hygiene"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTRM7LQ", "worker_id": "AK3JMCIGU8MLU"}], "B000SATG70": [{"asin": "B000SATG70", "instruction": "i'm looking for orange spice tea that is caffeine free and organic.", "attributes": ["caffeine free", "certified organic"], "options": ["flavor name: decaf orange spice"], "instruction_attributes": ["caffeine free", "certified organic"], "instruction_options": ["decaf orange spice"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDLHHCZ", "worker_id": "A3EDFA8UQT5GG8"}], "B079SS1CF5": [{"asin": "B079SS1CF5", "instruction": "i am looking for plant based, gluten free, chocolate chip blondie cookies that i can eat or are safe to use for my kid's snacks.", "attributes": ["plant based", "gluten free", "non gmo", "individually wrapped", "natural ingredients"], "options": ["flavor name: chocolate chip blondie", "size: 1.9 ounce (pack of 8)"], "instruction_attributes": ["plant based", "gluten free"], "instruction_options": ["chocolate chip blondie"], "assignment_id": "320DUZ38GIW2IOTCZAWJJYBSO5QGJQ", "worker_id": "AK3JMCIGU8MLU"}], "B00TAM6FNU": [{"asin": "B00TAM6FNU", "instruction": "i would like some cruelty free moisturizer that is in a vanilla shimmer scent and comes in five tubes", "attributes": ["dermatologist tested", "cruelty free", "coconut oil", "sensitive skin"], "options": ["color: vanilla shimmer", "size: 5 tubes (2 ounce each)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["vanilla shimmer", "5 tubes (2 ounce each)"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTN9V4O", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DNBN853": [{"asin": "B09DNBN853", "instruction": "i would like a bianca white crib dresser with a lot of storage space.", "attributes": ["fully assembled", "easy clean", "engineered wood", "storage space"], "options": ["color: bianca white", "size: crib"], "instruction_attributes": ["storage space"], "instruction_options": ["bianca white", "crib"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTRVP92", "worker_id": "A1WS884SI0SLO4"}], "B09MH8CM29": [{"asin": "B09MH8CM29", "instruction": "i would like a super soft camo throw for the living room.", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: camo 2"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["camo 2"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5B84QUY", "worker_id": "A1WS884SI0SLO4"}], "B09Q8TTK5D": [{"asin": "B09Q8TTK5D", "instruction": "i am looking for workout leggings with fantastic texture design. cute fabric, that mask the appearance of cellulite and imperfections with its carefully designed rhombus textured patterns. also provide you the right compression too. butt lift push up wasit shaper sport leggings featuring your curves pop.seamless technology perfectly show your figure shape ,which gives your butt a streamlined flattering look like a juicy peach. womens leggings pack leggings that are designed with high-waist, tummy control wide waistband,to enhance curves,provides a complete coverage for your body(no worrying about belly rolls or a underwear show). the high waist belt can control the stomach, yoga leggings which are perfect for sports women.in red colour ,xl size preferable.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: red", "size: x-large"], "instruction_attributes": ["butt lifting", "tummy control", "high waist"], "instruction_options": ["red", "x-large"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVAW8V1", "worker_id": "A1DRKZ3SCLAS4V"}], "B08PYK8R1L": [{"asin": "B08PYK8R1L", "instruction": "i would like some air bang #6 light brown hair extensions.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: #6 light brown", "size: air bangs"], "instruction_attributes": ["hair extensions"], "instruction_options": ["#6 light brown", "air bangs"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WVD7FY", "worker_id": "A1WS884SI0SLO4"}], "B08ZS6WS81": [{"asin": "B08ZS6WS81", "instruction": "i need an eye cream for dark circles", "attributes": ["anti aging", "fine lines", "dark circles"], "options": [""], "instruction_attributes": ["dark circles"], "instruction_options": [], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCN8B9V", "worker_id": "A2ECRNQ3X5LEXD"}], "B00EOXEPRI": [{"asin": "B00EOXEPRI", "instruction": "original udder balm moisturizer is my choice . please give me fragrance free, 16 oz pump.", "attributes": ["fragrance free", "bpa free"], "options": ["pattern name: 16 oz pump"], "instruction_attributes": ["fragrance free", "bpa free"], "instruction_options": ["16 oz pump"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QPXXOJ", "worker_id": "A15IJ20C3R4HUO"}], "B07KFBHJR9": [{"asin": "B07KFBHJR9", "instruction": "i need some navy button down shirts that are long sleeved and in a size medium", "attributes": ["easy care", "hand wash", "wash cold", "machine wash", "regular fit", "long sleeve", "cotton spandex", "button closure", "tumble dry"], "options": ["color: solid3-navy", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["solid3-navy", "medium"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKB4883", "worker_id": "A2ECRNQ3X5LEXD"}], "B09S65FB4N": [{"asin": "B09S65FB4N", "instruction": "i want a 04 color and easy to use straight hairpiece clip.", "attributes": ["easy use", "hair extensions"], "options": ["color: 04"], "instruction_attributes": ["easy use"], "instruction_options": ["04"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3S8A3G7", "worker_id": "A2RBF3IIJP15IH"}], "B09C26MR9R": [{"asin": "B09C26MR9R", "instruction": "i am looking for a pink colored dental flosser for sensitive teeth.", "attributes": ["sensitive teeth", "bad breath"], "options": ["color: pink"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["pink"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM969CG4D", "worker_id": "A1EREKSZAA9V7B"}], "B08QYZ6PK8": [{"asin": "B08QYZ6PK8", "instruction": "i need a ready to hang wall mirror in a champagne sunburst color.", "attributes": ["ready hang", "assembly required", "living room"], "options": ["color: champagne", "size: 27 inch"], "instruction_attributes": ["ready hang"], "instruction_options": ["champagne"], "assignment_id": "3L2IS5HSFLSH6WLSYDDSGKT06X5NUW", "worker_id": "A19317A3X87NVM"}], "B09KZYZ1SM": [{"asin": "B09KZYZ1SM", "instruction": "i need an easy to install anti-dust plug for an iphone 13.", "attributes": ["dust proof", "easy install"], "options": [""], "instruction_attributes": ["dust proof", "easy install"], "instruction_options": [], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OOF99V", "worker_id": "AR9AU5FY1S3RO"}], "B07PTQ13BB": [{"asin": "B07PTQ13BB", "instruction": "i need a gold plated hdmi adapter that is capable of 4k.", "attributes": ["gold plated", "plug play", "ultra hd", "1080p hd"], "options": ["color: black [4k@30hz]"], "instruction_attributes": ["gold plated"], "instruction_options": ["black [4k@30hz]"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDRBY8D", "worker_id": "A2ECRNQ3X5LEXD"}], "B000KOQ3MA": [{"asin": "B000KOQ3MA", "instruction": "buy a one pack of permanent hair dye in espresso.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 40 espresso", "size: pack of 1", "style: reds"], "instruction_attributes": ["permanent hair", "hair dye"], "instruction_options": ["40 espresso", "pack of 1"], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7NNOBH", "worker_id": "AR9AU5FY1S3RO"}], "B07R7239Z4": [{"asin": "B07R7239Z4", "instruction": "i am looking for small undershirts that i can machine wash", "attributes": ["moisture wicking", "wash cold", "machine wash", "tumble dry"], "options": ["color: big man - cotton mesh - 3 pack - assorted", "fit type: short leg", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["small"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OUFM3R", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q5JGCV9": [{"asin": "B09Q5JGCV9", "instruction": "i would like pair of size 7.5 slides with a rubber sole. .", "attributes": ["non slip", "rubber sole", "soft material", "ankle strap", "rubber outsole"], "options": ["size: 7.5 wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["7.5 wide"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME92WD2Y", "worker_id": "A1WS884SI0SLO4"}], "B08CH2VS4W": [{"asin": "B08CH2VS4W", "instruction": "i need some wall mounted mirrors that are 70 by 100 cm.", "attributes": ["wall mounted", "high density", "easy install"], "options": ["size: 70\u00d7100cm"], "instruction_attributes": ["wall mounted"], "instruction_options": ["70\u00d7100cm"], "assignment_id": "3JZQSN0I31KMDM7GGK5Y40J0VY2FGF", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NDL71CZ": [{"asin": "B09NDL71CZ", "instruction": "i am looking for a 42mm stainless steel smartwatch band", "attributes": ["compatible apple", "stainless steel"], "options": ["color: black | gray | brown", "size: 42mm | 44mm | 45mm xl"], "instruction_attributes": ["stainless steel"], "instruction_options": ["42mm | 44mm | 45mm xl"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3KILZF", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HWVRB9L": [{"asin": "B08HWVRB9L", "instruction": "i am looking for a heavy duty wood colored wall mounted folding table.", "attributes": ["wall mounted", "heavy duty", "easy clean", "easy assemble", "dining room"], "options": ["color: wood color", "size: 100*40cm | 39*16in"], "instruction_attributes": ["wall mounted", "heavy duty"], "instruction_options": ["wood color"], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TL13NM", "worker_id": "A1EREKSZAA9V7B"}], "B000HDKWZ8": [{"asin": "B000HDKWZ8", "instruction": "i would like a bottle of green goddess ranch dressing from quality ingredients.", "attributes": ["quality ingredients", "artificial flavors"], "options": ["flavor name: green goddess"], "instruction_attributes": ["quality ingredients"], "instruction_options": ["green goddess"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40UIRC9", "worker_id": "A1WS884SI0SLO4"}], "B08TF34W98": [{"asin": "B08TF34W98", "instruction": "i need a pack of three dried apricots that are non gmo", "attributes": ["non gmo", "dietary fiber"], "options": ["size: pack of 3"], "instruction_attributes": ["non gmo"], "instruction_options": ["pack of 3"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THU95Z2", "worker_id": "A2ECRNQ3X5LEXD"}], "B01LY663NI": [{"asin": "B01LY663NI", "instruction": "i am looking for natural flavors and high fructose pineapple juice marinade", "attributes": ["natural flavors", "high fructose"], "options": [""], "instruction_attributes": ["natural flavors", "high fructose"], "instruction_options": [], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKJ01TK", "worker_id": "AX2EWYWZM19AZ"}], "B09N72K25B": [{"asin": "B09N72K25B", "instruction": "i want a hot pink kokovifyves women's hooded winter warm vest.", "attributes": ["daily casual", "winter warm", "loose fit", "long sleeve", "relaxed fit", "everyday wear", "teen girls"], "options": ["color: hot pink", "size: 6"], "instruction_attributes": ["winter warm"], "instruction_options": ["hot pink"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDRTZQ8", "worker_id": "A2RBF3IIJP15IH"}], "B01HJV2LU4": [{"asin": "B01HJV2LU4", "instruction": "i need a blackhead extractor that is silver and easy to use.", "attributes": ["double sided", "easy carry", "easy use", "stainless steel", "beauty salon"], "options": ["color: silver"], "instruction_attributes": ["easy use"], "instruction_options": ["silver"], "assignment_id": "3XLBSAQ9ZFM9PANFOTVB1FMP805Z7C", "worker_id": "A2ECRNQ3X5LEXD"}], "B01DV9E90I": [{"asin": "B01DV9E90I", "instruction": "i need four vanity lights.", "attributes": ["brushed nickel", "vanity light", "clear glass"], "options": ["size: 4-light"], "instruction_attributes": ["vanity light"], "instruction_options": ["4-light"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI74RGZ1", "worker_id": "A2ECRNQ3X5LEXD"}], "B007RG4LUA": [{"asin": "B007RG4LUA", "instruction": "i'm looking for a styling cream that is cruelty free and for short hair.", "attributes": ["easy carry", "cruelty free", "seed oil"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVYP3XI", "worker_id": "A3EDFA8UQT5GG8"}], "B09LCLHX9G": [{"asin": "B09LCLHX9G", "instruction": "i want white crystal rhinestones flatback colored jewels for nail art.", "attributes": ["easy apply", "nail art"], "options": ["color: white", "size: ss4"], "instruction_attributes": ["nail art"], "instruction_options": ["white"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X5LGPH", "worker_id": "A2RBF3IIJP15IH"}], "B09HH96NJY": [{"asin": "B09HH96NJY", "instruction": "i am really wanting some khaki jeans that are high waisted and in a xx-large.", "attributes": ["straight leg", "wide leg", "hand wash", "machine wash", "high waist", "polyester spandex", "teen girls", "daily wear"], "options": ["color: z09-khaki", "size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["z09-khaki", "xx-large"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF980AZ3", "worker_id": "A2ECRNQ3X5LEXD"}], "B00GQDRU9O": [{"asin": "B00GQDRU9O", "instruction": "i am looking for a toothpaste that would freshen breath.", "attributes": ["natural ingredients", "fresh breath", "bad breath"], "options": [""], "instruction_attributes": ["fresh breath"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30USG0Y7", "worker_id": "A2ECRNQ3X5LEXD"}], "B078K7T4NP": [{"asin": "B078K7T4NP", "instruction": "i want a silver hermitshell hard carrying case.", "attributes": ["carrying case", "wireless bluetooth"], "options": ["color: sliver"], "instruction_attributes": ["carrying case"], "instruction_options": ["sliver"], "assignment_id": "3NJM2BJS47GLNNG5S15KQ3CPZCZCP7", "worker_id": "A2RBF3IIJP15IH"}], "B09FTHRDL9": [{"asin": "B09FTHRDL9", "instruction": "i am looking for a cruelty free foundation refill in west indies walnut color.", "attributes": ["cruelty free", "hyaluronic acid", "fine lines"], "options": ["color: west indies walnut"], "instruction_attributes": ["cruelty free"], "instruction_options": ["west indies walnut"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXIQKW2", "worker_id": "A2HMEGTAFO0CS8"}], "B09PDKTMHB": [{"asin": "B09PDKTMHB", "instruction": "i want indiana jones raiders of the lost ark party supplies.", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["party supplies"], "instruction_options": [], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOHIDY6", "worker_id": "A2RBF3IIJP15IH"}], "B098TDDJV9": [{"asin": "B098TDDJV9", "instruction": "i want fuchsia modencoco women's pointed toe pumps with ankle strap.", "attributes": ["high heel", "ankle strap", "rubber sole"], "options": ["color: fuchsia", "size: 11"], "instruction_attributes": ["ankle strap"], "instruction_options": ["fuchsia"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49ZDX4R", "worker_id": "A2RBF3IIJP15IH"}], "B09P861JJH": [{"asin": "B09P861JJH", "instruction": "i would like a high performance quad core tablet.", "attributes": ["high performance", "non slip", "quad core"], "options": [""], "instruction_attributes": ["high performance", "quad core"], "instruction_options": [], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXAAG73", "worker_id": "A1WS884SI0SLO4"}], "B08GC1RHTX": [{"asin": "B08GC1RHTX", "instruction": "i want a olives and rusk gourmet gift basket.", "attributes": ["gift basket", "perfect gift", "gift set"], "options": ["style: olives, wheat cream crackers, & barley rusks"], "instruction_attributes": ["gift basket"], "instruction_options": ["olives, wheat cream crackers, & barley rusks"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYBM82A", "worker_id": "A2RBF3IIJP15IH"}], "B09BLTYRR2": [{"asin": "B09BLTYRR2", "instruction": "i want a pack of halloween cupcake picks.", "attributes": ["baby shower", "birthday party", "cupcake picks", "party supplies"], "options": ["pattern name: a"], "instruction_attributes": ["cupcake picks"], "instruction_options": ["a"], "assignment_id": "3ND9UOO81VC4A07CH0CELGA8MIDLWO", "worker_id": "A2RBF3IIJP15IH"}], "B09LT7FN9M": [{"asin": "B09LT7FN9M", "instruction": "i really need a hand painting painting that comes in a size of 45 inch by 30 inch", "attributes": ["hand painted", "living room", "dining room"], "options": ["color: ef-007", "size: 45x30 inch"], "instruction_attributes": ["hand painted"], "instruction_options": ["45x30 inch"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGMXIYK", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JYLZMTX": [{"asin": "B09JYLZMTX", "instruction": "i need a cheerleading outfit for men that is wine colored and in a x-large size.", "attributes": ["loose fit", "slim fit", "long sleeve", "regular fit"], "options": ["color: z2-wine", "size: x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["z2-wine", "x-large"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2Z96GD", "worker_id": "A2ECRNQ3X5LEXD"}], "B01EA9P2FE": [{"asin": "B01EA9P2FE", "instruction": "i want x-large polyester spandex romastory women fluorescent yoga pants.", "attributes": ["polyester spandex", "elastic waist"], "options": ["color: sky blue", "size: x-large"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["x-large"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOCZAT8", "worker_id": "A2RBF3IIJP15IH"}], "B0925MKQVM": [{"asin": "B0925MKQVM", "instruction": "i would like a 2xl green pair of wide leg jogging pants.", "attributes": ["straight leg", "slim fit", "machine wash", "wide leg", "loose fit", "drawstring closure", "elastic waistband", "elastic waist", "classic fit"], "options": ["color: a-green", "size: xx-large"], "instruction_attributes": ["wide leg"], "instruction_options": ["a-green", "xx-large"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMGXIZ7", "worker_id": "A1WS884SI0SLO4"}], "B09G71MBVW": [{"asin": "B09G71MBVW", "instruction": "i would like a blue extra large long sleeve sweater.", "attributes": ["loose fit", "soft material", "long sleeve"], "options": ["color: a-blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a-blue", "x-large"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UDEA3J", "worker_id": "A1WS884SI0SLO4"}], "B01MY4Q927": [{"asin": "B01MY4Q927", "instruction": "i want a black cherry and gluten free v8 +energy drink.", "attributes": ["non gmo", "gluten free", "source vitamin", "artificial colors"], "options": ["flavor name: black cherry", "size: 8 fl oz (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["black cherry"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDQBY8B", "worker_id": "A2RBF3IIJP15IH"}], "B09HBLDMTL": [{"asin": "B09HBLDMTL", "instruction": "i'm looking for rose gold birthday cake decorations.", "attributes": ["cupcake picks", "birthday cake", "baby shower"], "options": ["color: rose gold"], "instruction_attributes": ["birthday cake"], "instruction_options": ["rose gold"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBDAGH9", "worker_id": "A3EDFA8UQT5GG8"}], "B01INSG0WC": [{"asin": "B01INSG0WC", "instruction": "i would like a high performance set of earbud headphones.", "attributes": ["certified refurbished", "high performance", "hands free", "aluminum alloy"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "39LNWE0K456PSVA11X00BCXJKZXIUZ", "worker_id": "A1WS884SI0SLO4"}], "B0824BVCJ3": [{"asin": "B0824BVCJ3", "instruction": "i am looking for some machine washable pillow covers that are peony blue and are 22 by 22 inches.", "attributes": ["double sided", "machine washable", "living room"], "options": ["color: peony blue", "size: 22 x 22 inches"], "instruction_attributes": ["machine washable"], "instruction_options": ["peony blue", "22 x 22 inches"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM9680G4Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B092QJL99K": [{"asin": "B092QJL99K", "instruction": "can you find kids digital cameras for girls boys 8 to 12 years old in this exact configuration? 32gb sd card 1080p hd need to buy today.", "attributes": ["1080p hd", "light weight", "high resolution"], "options": [""], "instruction_attributes": ["1080p hd", "high resolution"], "instruction_options": [], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQCUQSV", "worker_id": "A15IJ20C3R4HUO"}], "B083CPT87C": [{"asin": "B083CPT87C", "instruction": "i need a console table for the living room that is in style 2", "attributes": ["easy clean", "metal legs", "living room"], "options": ["color: style2"], "instruction_attributes": ["living room"], "instruction_options": ["style2"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG5SLSK", "worker_id": "A2ECRNQ3X5LEXD"}], "B087DXGNBS": [{"asin": "B087DXGNBS", "instruction": "i need jar candles that are made out of soy wax.", "attributes": ["long lasting", "soy wax"], "options": [""], "instruction_attributes": ["soy wax"], "instruction_options": [], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IU6KHV", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PPW5DST": [{"asin": "B07PPW5DST", "instruction": "i am looking for a cruelty free and sulfate free eyeshadow palette. also choose naked cyber palette.", "attributes": ["sulfate free", "paraben free", "cruelty free", "eye shadow"], "options": ["color: naked cyber"], "instruction_attributes": ["sulfate free", "cruelty free"], "instruction_options": ["naked cyber"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIAVRBH", "worker_id": "A2HMEGTAFO0CS8"}], "B087CQLJCJ": [{"asin": "B087CQLJCJ", "instruction": "i am interested in a nut free vegan snack.", "attributes": ["dairy free", "bpa free", "gluten free", "nut free", "low calorie", "kosher certified", "plant based", "non gmo", "high fructose"], "options": [""], "instruction_attributes": ["nut free"], "instruction_options": [], "assignment_id": "3HPZF4IVNX3FW186JO133U513HECYD", "worker_id": "A2ECRNQ3X5LEXD"}], "B0928RHTDG": [{"asin": "B0928RHTDG", "instruction": "shop for a slim fit blazer in royal blue, size 42.", "attributes": ["slim fit", "polyester cotton", "regular fit"], "options": ["color: royal blue", "size: 42"], "instruction_attributes": ["slim fit"], "instruction_options": ["royal blue", "42"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNRFFJH", "worker_id": "AR9AU5FY1S3RO"}], "B09B9K96XB": [{"asin": "B09B9K96XB", "instruction": "i want a x-large short sleeve mayntop womens t-shirt.", "attributes": ["short sleeve", "quality materials", "relaxed fit"], "options": ["color: m-brown", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["x-large"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU37RL0", "worker_id": "A2RBF3IIJP15IH"}], "B09P3RSYTJ": [{"asin": "B09P3RSYTJ", "instruction": "i need a nightstand for storage space", "attributes": ["storage unit", "storage space"], "options": [""], "instruction_attributes": ["storage space"], "instruction_options": [], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3F6BVQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B00028OT8Y": [{"asin": "B00028OT8Y", "instruction": "i would like a extra light beige foundation made from natural ingredients.", "attributes": ["cruelty free", "plant based", "paraben free", "non toxic", "seed oil", "natural ingredients"], "options": ["color: extra light beige"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["extra light beige"], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEHRQ8X", "worker_id": "A1WS884SI0SLO4"}], "B0727S5Y86": [{"asin": "B0727S5Y86", "instruction": "i am looking for a pair of graphite colored women's pants with nylon spandex.", "attributes": ["nylon spandex", "tummy control"], "options": ["color: graphite", "size: 4 tall"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["graphite"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQFNKEQ", "worker_id": "A1EREKSZAA9V7B"}], "B09NFD1TYB": [{"asin": "B09NFD1TYB", "instruction": "i need a smartwatch case that is compatible with apple and is in a size 45 mm.", "attributes": ["compatible apple", "high definition", "tempered glass", "glass screen"], "options": ["size: 45mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["45mm"], "assignment_id": "3G2UL9A02OO71034MOY04HTU3W967T", "worker_id": "A2ECRNQ3X5LEXD"}], "B09F5LBNKM": [{"asin": "B09F5LBNKM", "instruction": "i want a pack of two white coat hooks that are easy to install in my living room.", "attributes": ["wall mounted", "heavy duty", "space saving", "easy install", "living room"], "options": ["color: white - 3", "size: 2 hooks"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["white - 3", "2 hooks"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HWCD1B", "worker_id": "A1WS884SI0SLO4"}], "B08LS9CLC3": [{"asin": "B08LS9CLC3", "instruction": "i would like a cake topper for a baby shower.", "attributes": ["birthday cake", "baby shower"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KCDDPA", "worker_id": "A1WS884SI0SLO4"}], "B07NDD5CBS": [{"asin": "B07NDD5CBS", "instruction": "buy me a women's classic fit t-shirt in purple.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: purple", "fit type: women", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["purple", "women"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZKFR76", "worker_id": "AR9AU5FY1S3RO"}], "B09MNF5P5L": [{"asin": "B09MNF5P5L", "instruction": "i am looking for a camel colored futon mattress for my living room.", "attributes": ["high density", "living room"], "options": ["color: camel", "size: 120x200cm(47*79inch)"], "instruction_attributes": ["living room"], "instruction_options": ["camel"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFSYJOZ", "worker_id": "A1EREKSZAA9V7B"}], "B09L2Z9KZ9": [{"asin": "B09L2Z9KZ9", "instruction": "i want to find a high-resolution digital camera with an optical zoom feature.", "attributes": ["high resolution", "optical zoom"], "options": [""], "instruction_attributes": ["high resolution", "optical zoom"], "instruction_options": [], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VFJE8R", "worker_id": "A345TDMHP3DQ3G"}], "B008PSTOQ0": [{"asin": "B008PSTOQ0", "instruction": "i would like a bag of trail mix from trader joes.", "attributes": ["trader joe", "artificial colors"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OLUMM5", "worker_id": "A1WS884SI0SLO4"}], "B07PPVYF5N": [{"asin": "B07PPVYF5N", "instruction": "i am really in need of some toothpaste that is peppermint for bad breath.", "attributes": ["clinically proven", "bad breath"], "options": ["flavor name: peppermint"], "instruction_attributes": ["bad breath"], "instruction_options": ["peppermint"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35LAUGM", "worker_id": "A2ECRNQ3X5LEXD"}], "B07H9PXL88": [{"asin": "B07H9PXL88", "instruction": "i would like a size 11 brown suede loafer with a rubber sole.", "attributes": ["arch support", "rubber sole"], "options": ["color: brown suede | black sole", "size: 11"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown suede | black sole", "11"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP60CVDB", "worker_id": "A1WS884SI0SLO4"}], "B0070SJ72W": [{"asin": "B0070SJ72W", "instruction": "i need some brown oxfords that offer day comfort and are in a size 7", "attributes": ["day comfort", "rubber outsole", "rubber sole"], "options": ["color: brown md brown full grain", "size: 7"], "instruction_attributes": ["day comfort"], "instruction_options": ["brown md brown full grain", "7"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X5KGPG", "worker_id": "A2ECRNQ3X5LEXD"}], "B07D7JGHMG": [{"asin": "B07D7JGHMG", "instruction": "i am interested in a bedside table that would be easy to assemble and is in the color of espresso.", "attributes": ["easy assemble", "contemporary style", "living room"], "options": ["color: espresso"], "instruction_attributes": ["easy assemble"], "instruction_options": ["espresso"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOVW933", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JKTRL85": [{"asin": "B09JKTRL85", "instruction": "i am looking for a pair of western ankle boots with a pointed toe and fringe.", "attributes": ["open toe", "slip resistant", "teen girls"], "options": ["color: gde45-brown", "size: 8.5"], "instruction_attributes": ["slip resistant"], "instruction_options": ["gde45-brown"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOH3F02", "worker_id": "A2KW17G25L25R8"}], "B087Q8B674": [{"asin": "B087Q8B674", "instruction": "i want 20ml travel size kaaka empty clear glass bottles.", "attributes": ["leak proof", "travel size"], "options": ["size: 20ml"], "instruction_attributes": ["travel size"], "instruction_options": [], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7VJP5I", "worker_id": "A2RBF3IIJP15IH"}], "B0971XD6YS": [{"asin": "B0971XD6YS", "instruction": "look for an officially licensed loki variant t-shirt for women in black.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: women", "size: 4t"], "instruction_attributes": ["officially licensed"], "instruction_options": ["black", "women"], "assignment_id": "32M8BPYGA4W6ND96HSBJ7XWSBRNIG4", "worker_id": "AR9AU5FY1S3RO"}], "B07H8BS7KV": [{"asin": "B07H8BS7KV", "instruction": "i need pair of pink size 10 slippers with a rubber anti slip sole.", "attributes": ["anti slip", "open toe", "machine washable", "rubber sole"], "options": ["color: pink-a", "size: 10-11"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["pink-a", "10-11"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CPST27", "worker_id": "A1WS884SI0SLO4"}], "B09GPPKWP2": [{"asin": "B09GPPKWP2", "instruction": "i need an xx-large sweater that is long sleeved and the color x04-5", "attributes": ["winter warm", "loose fit", "long sleeve", "faux fur"], "options": ["color: x04-5", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x04-5", "xx-large"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J96FS9", "worker_id": "A2ECRNQ3X5LEXD"}], "B087D7NGWP": [{"asin": "B087D7NGWP", "instruction": "i need adidas pant's for men with elastic waist , black | team royal blue | vivid red , model tiro track", "attributes": ["drawstring closure", "elastic waist", "regular fit"], "options": ["color: black | team royal blue | vivid red", "size: xx-large long"], "instruction_attributes": ["elastic waist"], "instruction_options": ["black | team royal blue | vivid red"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXBO7GA", "worker_id": "A15IJ20C3R4HUO"}], "B08KL3381H": [{"asin": "B08KL3381H", "instruction": "in the men's fashion sneakers section, i am looking for a bari slip-on sneaker with a rubber outsole in a size 9.5 in the color of puma white-puma silver made by puma.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: puma white-puma silver", "size: 9.5"], "instruction_attributes": ["rubber outsole"], "instruction_options": ["puma white-puma silver", "9.5"], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTSWP95", "worker_id": "A3RGIKEI8JS2QG"}], "B09Q2S6BBG": [{"asin": "B09Q2S6BBG", "instruction": "i need a long sleeved black pullover that is in a large.", "attributes": ["long sleeve", "polyester cotton", "daily wear"], "options": ["color: black", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["black", "large"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163RVPQK", "worker_id": "A2ECRNQ3X5LEXD"}], "B0829Q45LH": [{"asin": "B0829Q45LH", "instruction": "i would like a size seven white flat shoe with a synthetic sole.", "attributes": ["synthetic sole", "memory foam"], "options": ["color: white navy red", "size: 7.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["white navy red", "7.5"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YXWEHR", "worker_id": "A1WS884SI0SLO4"}], "B093D8HPK9": [{"asin": "B093D8HPK9", "instruction": "in the accent furniture section, i am looking for an ottoman bench. must have folding storage, memory foam, contemporary style in the color black, and 30 inches in size.", "attributes": ["memory foam", "contemporary style", "faux leather"], "options": ["color: brown"], "instruction_attributes": ["memory foam", "contemporary style"], "instruction_options": ["brown"], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FL7FBV", "worker_id": "A3RGIKEI8JS2QG"}], "B079YZGLC8": [{"asin": "B079YZGLC8", "instruction": "i want a 8.5 fl oz of volumizing oil free biotin shampoo.", "attributes": ["oil free", "cruelty free", "argan oil", "hair extensions", "natural hair", "hair treatment", "damaged hair", "hair growth", "hair loss"], "options": ["size: shampoo - 8.5 fl oz bottle"], "instruction_attributes": ["oil free"], "instruction_options": ["shampoo - 8.5 fl oz bottle"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCBL7HT", "worker_id": "A2RBF3IIJP15IH"}], "B09KGFMZCV": [{"asin": "B09KGFMZCV", "instruction": "i need a faux fur coat that is black and in a medium.", "attributes": ["hand wash", "quality polyester", "faux fur", "long sleeve"], "options": ["color: black", "size: medium"], "instruction_attributes": ["faux fur"], "instruction_options": ["black", "medium"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW3NT42", "worker_id": "A2ECRNQ3X5LEXD"}], "B093YSND5Y": [{"asin": "B093YSND5Y", "instruction": "i am looking for a laundry bag for travel purpose.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSHJ2QQ", "worker_id": "A2HMEGTAFO0CS8"}], "B000PD247Y": [{"asin": "B000PD247Y", "instruction": "i need some hinges for the cabinet that are heavy duty with a satin nickel finish.", "attributes": ["heavy duty", "nickel finish"], "options": ["color: satin nickel"], "instruction_attributes": ["heavy duty"], "instruction_options": ["satin nickel"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7U1HLL", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MS193N1": [{"asin": "B09MS193N1", "instruction": "i want a high definition germerse portable projector.", "attributes": ["high definition", "easy carry"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOH8DYW", "worker_id": "A2RBF3IIJP15IH"}], "B085419WXH": [{"asin": "B085419WXH", "instruction": "i want a water resistant kodak printomatic instant print camera.", "attributes": ["easy use", "water resistant", "carrying case"], "options": [""], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRRRBZ7", "worker_id": "A2RBF3IIJP15IH"}], "B09GW5BZ1G": [{"asin": "B09GW5BZ1G", "instruction": "i want uscce alarm clock radio with batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9EOE2J", "worker_id": "A2RBF3IIJP15IH"}], "B07YYB2QW6": [{"asin": "B07YYB2QW6", "instruction": "i would like a clock radio with a usb port.", "attributes": ["hands free", "usb port"], "options": [""], "instruction_attributes": ["usb port"], "instruction_options": [], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0RCAR5", "worker_id": "A1WS884SI0SLO4"}], "B01F7B0ZLU": [{"asin": "B01F7B0ZLU", "instruction": "i would like a blue jay fully assembled desk chair.", "attributes": ["height adjustable", "fully assembled"], "options": ["color: blue jay"], "instruction_attributes": ["fully assembled"], "instruction_options": ["blue jay"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR1TA0N", "worker_id": "A1WS884SI0SLO4"}], "B015ND5QJS": [{"asin": "B015ND5QJS", "instruction": "i want sure unscented, anti-perspirant deodorant.", "attributes": ["anti perspirant", "long lasting"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ9JN0D", "worker_id": "A2RBF3IIJP15IH"}], "B091TK7X5K": [{"asin": "B091TK7X5K", "instruction": "i am looking for a camisole blouse for daily wear. also choose loose fit and large size.", "attributes": ["loose fit", "daily wear"], "options": ["color: f- sunflower - black", "size: large"], "instruction_attributes": ["loose fit", "daily wear"], "instruction_options": ["large"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQJV31B", "worker_id": "A2HMEGTAFO0CS8"}], "B094QYPSD6": [{"asin": "B094QYPSD6", "instruction": "i need a super soft fleece throw blanket for my living room couch. i really like the fruit avocado cartoon color.", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: fruit avocado cartoon", "size: 120\"x90\" for family"], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["fruit avocado cartoon"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCRDQ5I", "worker_id": "A1NF6PELRKACS9"}], "B08M3WNDLH": [{"asin": "B08M3WNDLH", "instruction": "i need a long lasting makeup kit.", "attributes": ["long lasting", "water resistant", "easy apply", "high quality", "eye shadow"], "options": ["size: kit005"], "instruction_attributes": ["long lasting"], "instruction_options": ["kit005"], "assignment_id": "31JLPPHS254FPN8LK8H48035JUX3OQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B000EH4XZC": [{"asin": "B000EH4XZC", "instruction": "i want buy a jasmati gluten free bpa free non gmo rice size : 1.75 pound", "attributes": ["non gmo", "bpa free", "gluten free", "low fat"], "options": ["size: 1.75 pound (pack of 1)", "style: jasmati"], "instruction_attributes": ["non gmo", "bpa free", "gluten free"], "instruction_options": ["1.75 pound (pack of 1)", "jasmati"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3C8QN3", "worker_id": "A3N9ZYQAESNFQH"}], "B00B4JM0J0": [{"asin": "B00B4JM0J0", "instruction": "i want a 12 pack of tenergy premium rechargeable aaa batteries.", "attributes": ["high power", "aaa batteries"], "options": ["size: 12 pcs"], "instruction_attributes": ["aaa batteries"], "instruction_options": ["12 pcs"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUSRJQG", "worker_id": "A2RBF3IIJP15IH"}], "B08HRXWX4G": [{"asin": "B08HRXWX4G", "instruction": "i would like a 31.5 inch pendant light chandelier for the dining room.", "attributes": ["pendant light", "dining room"], "options": ["size: length 31.5''"], "instruction_attributes": ["pendant light", "dining room"], "instruction_options": ["length 31.5''"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017ZV4PZ", "worker_id": "A1WS884SI0SLO4"}], "B07N3CDZ3G": [{"asin": "B07N3CDZ3G", "instruction": "i need a black t shirt that is classic fit and an x-large for women", "attributes": ["wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "gym workout"], "options": ["color: black", "fit type: women", "size: x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["black", "women", "x-large"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTSDL7X", "worker_id": "A2ECRNQ3X5LEXD"}], "B000IVKM6S": [{"asin": "B000IVKM6S", "instruction": "i would like a box of 12 blueberry muffin bars that are made of natural ingredients.", "attributes": ["soy free", "non gmo", "plant based", "gluten free", "natural ingredients"], "options": ["flavor name: blueberry muffin", "size: 12 count (pack of 1)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["blueberry muffin", "12 count (pack of 1)"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZJXR7M", "worker_id": "A1WS884SI0SLO4"}], "B07BF6Z7TM": [{"asin": "B07BF6Z7TM", "instruction": "i am looking for a plant based condition that has olive on it and is 10.8 fl oz", "attributes": ["plant based", "hair loss"], "options": ["scent: olive & black seed", "size: 10.8 fl oz (pack of 1)"], "instruction_attributes": ["plant based"], "instruction_options": ["olive & black seed", "10.8 fl oz (pack of 1)"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BK4VJK", "worker_id": "A2ECRNQ3X5LEXD"}], "B000VOHH8I": [{"asin": "B000VOHH8I", "instruction": "i need a long lasting 6.76 fl oz bottle of l'eau d'issey.", "attributes": ["design house", "long lasting"], "options": ["size: 6.76 fl oz (pack of 1)"], "instruction_attributes": ["long lasting"], "instruction_options": ["6.76 fl oz (pack of 1)"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K61126", "worker_id": "A2RBF3IIJP15IH"}], "B08NXWGSL1": [{"asin": "B08NXWGSL1", "instruction": "i am looking for a dairy free cold coffee which is rich creamy. also choose chocolate milk color and 8.4 fl oz (pack of 6)", "attributes": ["shelf stable", "rich creamy", "dairy free"], "options": ["color: chocolate milk", "size: 8.4 fl oz (pack of 6)"], "instruction_attributes": ["rich creamy", "dairy free"], "instruction_options": ["chocolate milk", "8.4 fl oz (pack of 6)"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD810SC", "worker_id": "A2HMEGTAFO0CS8"}], "B086YQ42LX": [{"asin": "B086YQ42LX", "instruction": "i want light pink clip in full head hair extensions.", "attributes": ["hair extensions", "dry hair"], "options": ["color: light pink", "size: 24 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["light pink"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU86CMV", "worker_id": "A2RBF3IIJP15IH"}], "B09C332WLY": [{"asin": "B09C332WLY", "instruction": "i need a wax warmer for hair removal.", "attributes": ["easy clean", "natural ingredients", "hair removal", "nail art"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WOUQWC", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PQWGMPH": [{"asin": "B09PQWGMPH", "instruction": "i need type b monoculars that are easy to carry.", "attributes": ["easy carry", "high definition", "bird watching"], "options": ["*: type b"], "instruction_attributes": ["easy carry"], "instruction_options": ["type b"], "assignment_id": "3HVVDCPGTP2WIIAH5AWTS455R3DTYC", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RK7KBXF": [{"asin": "B09RK7KBXF", "instruction": "i would like a extra large red pair of shorts that i can machine washed.", "attributes": ["butt lifting", "machine washable", "hand wash", "elastic waistband", "high waist", "short sleeve", "teen girls"], "options": ["color: red", "size: x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["red", "x-large"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYL36M3", "worker_id": "A1WS884SI0SLO4"}], "B08R6BB3XC": [{"asin": "B08R6BB3XC", "instruction": "i am looking for some kosher raspberry candy that is in a one pound bag.", "attributes": ["old fashioned", "gluten free", "kosher certified", "valentine day", "birthday party"], "options": ["color: raspberry", "size: 1 pound (pack of 1)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["raspberry", "1 pound (pack of 1)"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFEZVMO", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PF38W9C": [{"asin": "B09PF38W9C", "instruction": "i am looking for a hand crafted chocolate gift set.", "attributes": ["hand crafted", "gift set"], "options": [""], "instruction_attributes": ["hand crafted", "gift set"], "instruction_options": [], "assignment_id": "37M28K1J01N18XG9DA49NC0PQADAJ8", "worker_id": "A2HMEGTAFO0CS8"}], "B09H2JW13J": [{"asin": "B09H2JW13J", "instruction": "i would like a sw 65 brown high quality hair extensions.", "attributes": ["high quality", "hair extensions"], "options": ["color: brown", "size: sw65-18h613"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": [], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRD6WNU", "worker_id": "A1WS884SI0SLO4"}], "B01LWV686W": [{"asin": "B01LWV686W", "instruction": "i am looking for some long lasting lavender hair color", "attributes": ["cruelty free", "long lasting", "rose gold"], "options": ["color: lavender"], "instruction_attributes": ["long lasting"], "instruction_options": ["lavender"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME92E2D5", "worker_id": "A2ECRNQ3X5LEXD"}], "B09R9Z116W": [{"asin": "B09R9Z116W", "instruction": "i want black masbird closed toe sandals for women.", "attributes": ["slip resistant", "closed toe", "ankle strap", "teen girls"], "options": ["color: black", "size: 8.5"], "instruction_attributes": ["closed toe"], "instruction_options": ["black"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI73SGZ0", "worker_id": "A2RBF3IIJP15IH"}], "B09S2VM5BL": [{"asin": "B09S2VM5BL", "instruction": "i would like a 5xl white short sleeve top.", "attributes": ["long sleeve", "short sleeve"], "options": ["color: 2-white", "size: 5x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["2-white", "5x-large"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYB1EIC", "worker_id": "A1WS884SI0SLO4"}], "B09LLZ3FMY": [{"asin": "B09LLZ3FMY", "instruction": "i would like a matte black 10 light chandelier for my dining room.", "attributes": ["light fixture", "glass shade", "pendant light", "living room", "dining room"], "options": ["color: matte black", "size: 10-light with adjustable height"], "instruction_attributes": ["dining room"], "instruction_options": ["matte black", "10-light with adjustable height"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E009X7F", "worker_id": "A1WS884SI0SLO4"}], "B07NL4CT8L": [{"asin": "B07NL4CT8L", "instruction": "i would like a quad i5 core desktop tower.", "attributes": ["high performance", "core i5", "quad core"], "options": [""], "instruction_attributes": ["core i5", "quad core"], "instruction_options": [], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZR704C", "worker_id": "A1WS884SI0SLO4"}], "B08WJMH85C": [{"asin": "B08WJMH85C", "instruction": "i am looking for refillable leak proof black plastic pump bottles.", "attributes": ["bpa free", "leak proof"], "options": ["color: black"], "instruction_attributes": ["leak proof"], "instruction_options": ["black"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC54PRKM", "worker_id": "A1EREKSZAA9V7B"}], "B007Q261WQ": [{"asin": "B007Q261WQ", "instruction": "i would like a jar candle that is long lasting and 6 oz.", "attributes": ["lead free", "long lasting"], "options": ["size: 6 oz"], "instruction_attributes": ["long lasting"], "instruction_options": ["6 oz"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSISB8A", "worker_id": "A2ECRNQ3X5LEXD"}], "B08V1N8ZX1": [{"asin": "B08V1N8ZX1", "instruction": "i want black caterpillar unisex shoes with rubber soles.", "attributes": ["day comfort", "rubber outsole", "rubber sole"], "options": ["color: black | black", "size: 11 wide women | 11 wide men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black | black"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB0G5YM", "worker_id": "A2RBF3IIJP15IH"}], "B0865NYZQ4": [{"asin": "B0865NYZQ4", "instruction": "i am looking for travel bottles 1.2 oz plastic, refillable makeup sprayer.", "attributes": ["leak proof", "easy use", "fine mist", "travel bottles"], "options": [""], "instruction_attributes": ["travel bottles"], "instruction_options": [], "assignment_id": "37UQDCYH685SGQI5NW68G99TKPX7VI", "worker_id": "A2KW17G25L25R8"}], "B091H3VWNQ": [{"asin": "B091H3VWNQ", "instruction": "i am looking for some dining room barstools", "attributes": ["height adjustable", "solid wood", "dining room"], "options": [""], "instruction_attributes": ["dining room"], "instruction_options": [], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQN7B10E", "worker_id": "A2ECRNQ3X5LEXD"}], "B08CMX9CTD": [{"asin": "B08CMX9CTD", "instruction": "i want 2 pounds of 4th & heart grass fed butter.", "attributes": ["grass fed", "lactose free", "old fashioned", "shelf stable", "non gmo", "gluten free"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["grass fed"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CVI3BQ", "worker_id": "A2RBF3IIJP15IH"}], "B087QR168J": [{"asin": "B087QR168J", "instruction": "i am looking for a 100 count bubblegum that is spearmint flavored and sugar free", "attributes": ["sugar free", "non gmo", "gluten free", "keto friendly", "natural ingredients"], "options": ["flavor name: spearmint", "size: 100 count (pack of 1)"], "instruction_attributes": ["sugar free"], "instruction_options": ["spearmint", "100 count (pack of 1)"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJKH8ZE", "worker_id": "A2ECRNQ3X5LEXD"}], "B01BMORA3M": [{"asin": "B01BMORA3M", "instruction": "i would like to have a soft black hair building fiber that prevents hair loss and is easy to apply.", "attributes": ["easy apply", "hair loss"], "options": ["color: soft black"], "instruction_attributes": ["easy apply", "hair loss"], "instruction_options": ["soft black"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMG5J1R", "worker_id": "A182YKPS46KE9F"}], "B09F656S51": [{"asin": "B09F656S51", "instruction": "i would like a usb network adapter that is easy to use.", "attributes": ["dual band", "easy carry", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYMVQM0", "worker_id": "A1WS884SI0SLO4"}], "B09STJVCQM": [{"asin": "B09STJVCQM", "instruction": "i need some living room furniture.", "attributes": ["storage space", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5E1WI3", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LV7HGHD": [{"asin": "B09LV7HGHD", "instruction": "i am looking for a high quality pink ice face roller with silicone ice mold.", "attributes": ["high quality", "bpa free", "easy use", "green tea"], "options": ["color: pink"], "instruction_attributes": ["high quality"], "instruction_options": ["pink"], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CW73BH", "worker_id": "A1EREKSZAA9V7B"}], "B093YSVRDF": [{"asin": "B093YSVRDF", "instruction": "i am looking for a wallet that can go with my hoisery.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery"], "instruction_options": [], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTJ8V5X", "worker_id": "A2ECRNQ3X5LEXD"}], "B0754J7ZVJ": [{"asin": "B0754J7ZVJ", "instruction": "i am looking for certified organic baby food squeeze pouches that are easy to use.", "attributes": ["easy use", "certified organic", "non gmo"], "options": [""], "instruction_attributes": ["easy use", "certified organic"], "instruction_options": [], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW3OT43", "worker_id": "A1EREKSZAA9V7B"}], "B08MDT98GD": [{"asin": "B08MDT98GD", "instruction": "i would like a bakers rack for my dining room.", "attributes": ["space saving", "storage unit", "dining room"], "options": [""], "instruction_attributes": ["dining room"], "instruction_options": [], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017ZJ4PN", "worker_id": "A1WS884SI0SLO4"}], "B09PR85B9T": [{"asin": "B09PR85B9T", "instruction": "i'm looking for open toe flat sandals for women in black color. please select size 5 if available.", "attributes": ["open toe", "knee high", "steel toe", "quality materials", "rubber outsole"], "options": ["color: black", "size: 5"], "instruction_attributes": ["open toe"], "instruction_options": ["black", "5"], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADHDVWH", "worker_id": "A20DUVEOH6A7KW"}], "B01BO5PHNE": [{"asin": "B01BO5PHNE", "instruction": "i would like a green tea anti perspirant.", "attributes": ["anti perspirant", "green tea"], "options": [""], "instruction_attributes": ["anti perspirant", "green tea"], "instruction_options": [], "assignment_id": "3JW0YLFXR4QKLUJBLEJGURROKPNWWY", "worker_id": "A1WS884SI0SLO4"}], "B01H7X0BGK": [{"asin": "B01H7X0BGK", "instruction": "buy me some antiperspirant that hasn't been tested on animals.", "attributes": ["anti perspirant", "animal testing"], "options": [""], "instruction_attributes": ["anti perspirant", "animal testing"], "instruction_options": [], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y2VNNP", "worker_id": "AR9AU5FY1S3RO"}], "B07SJR1XFW": [{"asin": "B07SJR1XFW", "instruction": "i want a multi colored us constitution print that is ready to hang.", "attributes": ["ready hang", "dining room", "living room"], "options": ["color: multi8"], "instruction_attributes": ["ready hang"], "instruction_options": ["multi8"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNQPFJP", "worker_id": "A2RBF3IIJP15IH"}], "B09BVBVHTV": [{"asin": "B09BVBVHTV", "instruction": "i am looking for a super soft bed blanket that is 40inch by 30inches and has llamas.", "attributes": ["super soft", "fleece throw"], "options": ["color: just love llama", "size: 40 in x 30 in xs for pet"], "instruction_attributes": ["super soft"], "instruction_options": ["just love llama", "40 in x 30 in xs for pet"], "assignment_id": "3SB4CE2TJ6523HLYUEJAEL8418OXAF", "worker_id": "A2ECRNQ3X5LEXD"}], "B08643FGX5": [{"asin": "B08643FGX5", "instruction": "i am looking for a granola bar rolled oats and peanut butter with artificial flavour", "attributes": ["trader joe", "artificial flavors"], "options": [""], "instruction_attributes": ["artificial flavors"], "instruction_options": [], "assignment_id": "354P56DE9VDCOY11T1135MPMLLQS7L", "worker_id": "A3N9ZYQAESNFQH"}], "B08MVGSN5T": [{"asin": "B08MVGSN5T", "instruction": "i need a cruelty free skin care set.", "attributes": ["cruelty free", "dead skin"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "3HHRAGRYXJF14PX11HIEZD6RJM79OD", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CKX77TL": [{"asin": "B09CKX77TL", "instruction": "i need some towels to dry my hair.", "attributes": ["easy clean", "dry hair"], "options": [""], "instruction_attributes": ["dry hair"], "instruction_options": [], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DP44KD", "worker_id": "A2ECRNQ3X5LEXD"}], "B0932JCSZP": [{"asin": "B0932JCSZP", "instruction": "i am looking for high quality tin jars with screw on lids, lip balm containers, pots for my diy's, salve powder, storage cans, spoon, labels.", "attributes": ["easy carry", "high quality"], "options": ["color: white", "size: 100ml"], "instruction_attributes": ["high quality"], "instruction_options": ["white"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7URHLB", "worker_id": "A2KW17G25L25R8"}], "B07NF9PRPH": [{"asin": "B07NF9PRPH", "instruction": "i am interested in buying a canon camera which has 1080p hd quality and also has optical zoom, i prefer having it in silver color.", "attributes": ["1080p hd", "optical zoom"], "options": ["color: silver"], "instruction_attributes": ["1080p hd", "optical zoom"], "instruction_options": ["silver"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4HT89Z", "worker_id": "AJY5G987IRT25"}], "B09K7SP9Y9": [{"asin": "B09K7SP9Y9", "instruction": "i want a xx-large regular fit hood crew men's polo shirt.", "attributes": ["hand wash", "machine wash", "wash cold", "polyester cotton", "regular fit", "button closure"], "options": ["color: navy & white", "size: xx-large"], "instruction_attributes": ["regular fit"], "instruction_options": ["xx-large"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDQL8YV", "worker_id": "A2RBF3IIJP15IH"}], "B09M7VS2QF": [{"asin": "B09M7VS2QF", "instruction": "i am in need of a 10x6.5ft, light weight and high resolution backdrop for digital photography.", "attributes": ["light weight", "high resolution", "high definition", "digital photography"], "options": ["size: 10x6.5ft"], "instruction_attributes": ["light weight", "high resolution", "digital photography"], "instruction_options": ["10x6.5ft"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZGBKMA", "worker_id": "ASWFLI3N8X72G"}], "B088R5X1X7": [{"asin": "B088R5X1X7", "instruction": "i need a high quality makeup mirror to be given as a gift for the maid of honor. find something in rose gold color.", "attributes": ["high quality", "rose gold"], "options": ["color: maid of honor"], "instruction_attributes": ["high quality", "rose gold"], "instruction_options": ["maid of honor"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF9ID94", "worker_id": "A1NF6PELRKACS9"}], "B0953MVBG4": [{"asin": "B0953MVBG4", "instruction": "i need a black train case that is high quality and medium in size", "attributes": ["high quality", "storage case"], "options": ["color: large black", "size: meduim"], "instruction_attributes": ["high quality"], "instruction_options": ["large black", "meduim"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYMW7N2", "worker_id": "A2ECRNQ3X5LEXD"}], "B019WAS2PI": [{"asin": "B019WAS2PI", "instruction": "i need high speed hdmi cables that are 10 feet long and in a 5 pack.", "attributes": ["high speed", "blu ray", "gold plated"], "options": ["pattern name: 1 pack", "size: 10 feet (5-pack)"], "instruction_attributes": ["high speed"], "instruction_options": ["10 feet (5-pack)"], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YGVE558", "worker_id": "A2ECRNQ3X5LEXD"}], "B07YF6B5XH": [{"asin": "B07YF6B5XH", "instruction": "i need 8.4 fl oz travel size voir haircare hair masks.", "attributes": ["travel size", "damaged hair", "dry hair"], "options": ["color: wash day duo kit", "size: 8.4 fl oz"], "instruction_attributes": ["travel size"], "instruction_options": ["8.4 fl oz"], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAU929CW", "worker_id": "A2RBF3IIJP15IH"}], "B071FFPC3S": [{"asin": "B071FFPC3S", "instruction": "i would like a 18 by 18-inch teal throw pillow cover that can be machine washed.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: teal yellow", "size: 18 x 18-inch"], "instruction_attributes": ["machine washable"], "instruction_options": ["teal yellow", "18 x 18-inch"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323D9DDW2", "worker_id": "A1WS884SI0SLO4"}], "B09MV32C9T": [{"asin": "B09MV32C9T", "instruction": "i need some candle sconces for the living room", "attributes": ["wall mounted", "clear glass", "living room", "dining room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3Z4XG4ZF4J1OKTSJXGZWIU29BKD8XB", "worker_id": "A2ECRNQ3X5LEXD"}], "B07DFDS6CS": [{"asin": "B07DFDS6CS", "instruction": "i need to buy the greaton 8 inch fully assembled traditional wooden box spring/mattress base for my bedroom. check the following measurements size: 75\" x 33\" and 4\" split base", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": ["size: 75\" x 33\"", "style name: 4\" split foundation"], "instruction_attributes": ["assembly required"], "instruction_options": ["75\" x 33\"", "4\" split foundation"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI3ST3I", "worker_id": "A15IJ20C3R4HUO"}], "B07VNQWW5H": [{"asin": "B07VNQWW5H", "instruction": "i am looking for a leopard shower cap for natural hair.", "attributes": ["easy carry", "natural hair", "hair loss"], "options": ["color: leopard"], "instruction_attributes": ["natural hair"], "instruction_options": ["leopard"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RFLFLI", "worker_id": "A2ECRNQ3X5LEXD"}], "B0953KT25P": [{"asin": "B0953KT25P", "instruction": "i am looking for taupe colored height adjustable bar stools with steel frame.", "attributes": ["height adjustable", "coated steel", "steel frame"], "options": ["color: taupe"], "instruction_attributes": ["height adjustable", "steel frame"], "instruction_options": ["taupe"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1D8RXF", "worker_id": "AJDQGOTMB2D80"}], "B07WF9RJD3": [{"asin": "B07WF9RJD3", "instruction": "i am looking for royal purple blackout curtains that are easy to install.", "attributes": ["heavy duty", "easy install"], "options": ["color: royal purple", "size: 42 in x 63 in (w x l)"], "instruction_attributes": ["easy install"], "instruction_options": ["royal purple"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0250RAKN", "worker_id": "A1EREKSZAA9V7B"}], "B08Q8H55YK": [{"asin": "B08Q8H55YK", "instruction": "i am looking for a hair extensions with 16 inch long also easy to apply.", "attributes": ["easy apply", "hair extensions"], "options": ["color: #16 | 22 light blonde highlighted golden blonde", "size: 16 inch"], "instruction_attributes": ["easy apply", "hair extensions"], "instruction_options": ["16 inch"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L06VCH", "worker_id": "A2HMEGTAFO0CS8"}], "B09MQW4CXY": [{"asin": "B09MQW4CXY", "instruction": "i would like some easy to use dental flossers.", "attributes": ["easy use", "stainless steel", "bad breath"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L6RREY", "worker_id": "A2ECRNQ3X5LEXD"}], "B013TNXWEK": [{"asin": "B013TNXWEK", "instruction": "i need some small black shoes for men that have arch support.", "attributes": ["day comfort", "arch support"], "options": ["color: black", "size: small"], "instruction_attributes": ["arch support"], "instruction_options": ["black", "small"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TW4SU4", "worker_id": "A2ECRNQ3X5LEXD"}], "B004SQZ4VW": [{"asin": "B004SQZ4VW", "instruction": "i need some steel toed shoes that are chocolate colored and are a size 7.", "attributes": ["lace closure", "steel toe", "rubber outsole", "rubber sole"], "options": ["color: chocolate", "size: 7"], "instruction_attributes": ["steel toe"], "instruction_options": ["chocolate", "7"], "assignment_id": "33M4IA01QRBU2Y7FWP5W9BXE1D4RXB", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QY8BC84": [{"asin": "B09QY8BC84", "instruction": "i need a fluoride free toothpaste made with natural ingredients which is good for sensitive teeth and can fight bad breath.", "attributes": ["fluoride free", "natural ingredients", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: a"], "instruction_attributes": ["fluoride free", "natural ingredients", "sensitive teeth"], "instruction_options": ["a"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCSRQ5Y", "worker_id": "ASWFLI3N8X72G"}], "B07MXR58WG": [{"asin": "B07MXR58WG", "instruction": "i want peanut butter super pop snacks that are plant based.", "attributes": ["plant based", "gluten free", "low carb", "dairy free", "low sugar", "high protein"], "options": ["flavor name: peanut butter variety", "size: 6 count (pack of 1)"], "instruction_attributes": ["plant based"], "instruction_options": ["peanut butter variety"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9MUVTO", "worker_id": "A2RBF3IIJP15IH"}], "B08QTYTB8C": [{"asin": "B08QTYTB8C", "instruction": "i would like a 30 by 60 inch blue painting for the living room.", "attributes": ["hand painted", "ready hang", "living room", "dining room"], "options": ["color: bl-013", "size: 30x60 inch"], "instruction_attributes": ["living room"], "instruction_options": ["bl-013", "30x60 inch"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL6KCEB", "worker_id": "A1WS884SI0SLO4"}], "B09RW15VTG": [{"asin": "B09RW15VTG", "instruction": "i need a box spring mattress.", "attributes": ["twin size", "box spring"], "options": [""], "instruction_attributes": ["box spring"], "instruction_options": [], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N417TM", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H8QZWZ1": [{"asin": "B09H8QZWZ1", "instruction": "i am looking for a moisturizing skin scrub that is alcohol free.", "attributes": ["dermatologist tested", "alcohol free"], "options": ["style: scrub"], "instruction_attributes": ["alcohol free"], "instruction_options": ["scrub"], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGCW9SY", "worker_id": "AJDQGOTMB2D80"}], "B072QCQJVS": [{"asin": "B072QCQJVS", "instruction": "looking for a medium sized, high waist denim shorts for teen girls.", "attributes": ["high waist", "teen girls"], "options": ["color: f3-blue1-20256", "size: medium"], "instruction_attributes": ["high waist", "teen girls"], "instruction_options": ["medium"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9CNZRZ", "worker_id": "ASWFLI3N8X72G"}], "B09QPYJPKZ": [{"asin": "B09QPYJPKZ", "instruction": "i need a medium sized body suit that is long sleeved and in white.", "attributes": ["long sleeve", "everyday wear"], "options": ["color: x02-white", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x02-white", "medium"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP619DVS", "worker_id": "A2ECRNQ3X5LEXD"}], "B0969H5DJX": [{"asin": "B0969H5DJX", "instruction": "i would like a 52 cm brown bed riser with a lot of storage space.", "attributes": ["heavy duty", "storage space"], "options": ["color: brown-b", "size: 52cm"], "instruction_attributes": ["storage space"], "instruction_options": ["brown-b", "52cm"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYQ9ZOY", "worker_id": "A1WS884SI0SLO4"}], "B088GYH4KF": [{"asin": "B088GYH4KF", "instruction": "i am looking for a 12 count of low sugar espresso bars", "attributes": ["low sugar", "high protein", "low carb", "artificial ingredients", "gluten free", "chocolate covered"], "options": ["flavor name: 12ct espresso"], "instruction_attributes": ["low sugar"], "instruction_options": ["12ct espresso"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9UR5XL", "worker_id": "A2ECRNQ3X5LEXD"}], "B0069874ZQ": [{"asin": "B0069874ZQ", "instruction": "i want fully cooked spam classic lite singles.", "attributes": ["fully cooked", "shelf stable", "protein serving"], "options": [""], "instruction_attributes": ["fully cooked"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZKAY1W", "worker_id": "A2RBF3IIJP15IH"}], "B085928MJN": [{"asin": "B085928MJN", "instruction": "i would like a 36 by 48 inch painting for my living room that is of a red barn", "attributes": ["hand painted", "ready hang", "wood frame", "living room", "dining room"], "options": ["color: red barn", "size: 36x48in"], "instruction_attributes": ["living room"], "instruction_options": ["red barn", "36x48in"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQR2HI4", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R771GPW": [{"asin": "B08R771GPW", "instruction": "i need some teeth whitening that also freshens breath.", "attributes": ["easy carry", "fresh breath"], "options": [""], "instruction_attributes": ["fresh breath"], "instruction_options": [], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR64793H32", "worker_id": "A2ECRNQ3X5LEXD"}], "B00IH0FYJ2": [{"asin": "B00IH0FYJ2", "instruction": "i want trader joe's freeze dried mangos.", "attributes": ["freeze dried", "trader joe"], "options": [""], "instruction_attributes": ["freeze dried", "trader joe"], "instruction_options": [], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY1EP7X", "worker_id": "A2RBF3IIJP15IH"}], "B00MJW2X8E": [{"asin": "B00MJW2X8E", "instruction": "i would like to have a kosher gelato.", "attributes": ["non gmo", "kosher certified", "high fructose"], "options": [""], "instruction_attributes": ["kosher certified"], "instruction_options": [], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUH13RJ", "worker_id": "A1WS884SI0SLO4"}], "B01LTHYWAQ": [{"asin": "B01LTHYWAQ", "instruction": "get me some toothpaste for sensitive teeth that has preventive and restorative properties.", "attributes": ["clinically proven", "sensitive teeth"], "options": ["color: prevent and repair"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["prevent and repair"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KNZJLO", "worker_id": "AR9AU5FY1S3RO"}], "B09895X3NW": [{"asin": "B09895X3NW", "instruction": "i'm looking for a buffet sideboard cabinet with clear glass doors. prefer the size to be \"b type espresso-28\u201cl x 14.6\u201dw x 29\u201dh\" .", "attributes": ["clear glass", "dining room", "living room"], "options": ["size: b type espresso-28\u201cl x 14.6\u201dw x 29\u201dh"], "instruction_attributes": ["clear glass"], "instruction_options": [], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQEDCJT", "worker_id": "A20DUVEOH6A7KW"}], "B097GZ81LY": [{"asin": "B097GZ81LY", "instruction": "i want large high waisted congyee women's athletic shorts.", "attributes": ["moisture wicking", "machine washable", "tummy control", "high waist", "polyester spandex"], "options": ["color: #5-grey", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": ["large"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNU1H8Y", "worker_id": "A2RBF3IIJP15IH"}], "B07PTZ3141": [{"asin": "B07PTZ3141", "instruction": "i need to buy an eight by six foot backdrop for digital photography. it should be high resolution and light weight.", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 8x6ft"], "instruction_attributes": ["light weight", "high resolution", "digital photography"], "instruction_options": ["8x6ft"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4AERQB", "worker_id": "AR9AU5FY1S3RO"}], "B01GEW27DA": [{"asin": "B01GEW27DA", "instruction": "i would like a quad core tablet that is black and has 8gb of ram", "attributes": ["dual band", "quad core"], "options": ["color: black", "offer type: without special offers", "style: 8 gb"], "instruction_attributes": ["quad core"], "instruction_options": ["black", "8 gb"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6C3VEU", "worker_id": "A2ECRNQ3X5LEXD"}], "B08JZJVNPM": [{"asin": "B08JZJVNPM", "instruction": "i am interested in plant based granola bars that are banana flavored and come in a pack of 12.", "attributes": ["grain free", "chocolate covered", "plant based", "non gmo", "gluten free"], "options": ["flavor name: banana", "size: 1.7 ounce (pack of 12)"], "instruction_attributes": ["plant based"], "instruction_options": ["banana", "1.7 ounce (pack of 12)"], "assignment_id": "3VELCLL3GVTP97HDY1KVXDFUT9I1F0", "worker_id": "A2ECRNQ3X5LEXD"}], "B0018OHOPG": [{"asin": "B0018OHOPG", "instruction": "i am looking for straight legged jeans in size 66w x 28l, that are also machine washable.", "attributes": ["straight leg", "machine wash", "button closure"], "options": ["color: bubble cheetah anthracite", "size: 66w x 28l"], "instruction_attributes": ["straight leg", "machine wash"], "instruction_options": ["66w x 28l"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4AKQRG", "worker_id": "A2NSS746CFCT4M"}], "B01KI9G5D8": [{"asin": "B01KI9G5D8", "instruction": "i need a black hoodie that is machine washable and is 4x-large.", "attributes": ["machine wash", "wash cold", "polyester cotton", "tumble dry"], "options": ["color: black", "size: 4x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["black", "4x-large"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39BDZCM", "worker_id": "A2ECRNQ3X5LEXD"}], "B01LZ9TVW8": [{"asin": "B01LZ9TVW8", "instruction": "i want a variety pack of non gmo 7days bagel chips.", "attributes": ["non gmo", "artificial flavors"], "options": ["flavor: variety (garlic, sea salt, cinnamon raisin)", "size: 2.82 ounce (pack of 12)"], "instruction_attributes": ["non gmo"], "instruction_options": ["variety (garlic, sea salt, cinnamon raisin)"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WTC1AU", "worker_id": "A2RBF3IIJP15IH"}], "B09STB31NW": [{"asin": "B09STB31NW", "instruction": "i need a non slip pair of women's shoes with rubber soles. it should be in size 11.5.", "attributes": ["non slip", "contrast color", "fashion design", "quality materials", "rubber sole"], "options": ["color: american element, fish pattern design", "size: 11.5"], "instruction_attributes": ["non slip", "rubber sole"], "instruction_options": ["11.5"], "assignment_id": "3KV0LJBBHDVJ8M8BII3NYUHGU9KMRM", "worker_id": "A1NF6PELRKACS9"}], "B07NXN3V27": [{"asin": "B07NXN3V27", "instruction": "i am looking for a low sugar blue cheese and chive steak sauce.", "attributes": ["bpa free", "low sugar"], "options": [""], "instruction_attributes": ["low sugar"], "instruction_options": [], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BL3JV9", "worker_id": "A1EREKSZAA9V7B"}], "B09R1MRJ7S": [{"asin": "B09R1MRJ7S", "instruction": "i am looking for the high waist bikini push up swimwear. i want it in red.", "attributes": ["high waist", "tumble dry"], "options": ["color: red", "size: large"], "instruction_attributes": ["high waist"], "instruction_options": ["red"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY5JU0J", "worker_id": "A1NF6PELRKACS9"}], "B008BRLSP0": [{"asin": "B008BRLSP0", "instruction": "i want a 24 pack of gluten free goya foods cream of coconut.", "attributes": ["non dairy", "low sodium", "soy free", "gluten free"], "options": ["size: 15 ounce (pack of 24)"], "instruction_attributes": ["gluten free"], "instruction_options": ["15 ounce (pack of 24)"], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGAKSMV", "worker_id": "A2RBF3IIJP15IH"}], "B073V6B9TY": [{"asin": "B073V6B9TY", "instruction": "i want brass calhoun collection farmhouse bath vanity lights.", "attributes": ["mid century", "bronze finish", "vanity light", "clear glass"], "options": ["color: brass"], "instruction_attributes": ["vanity light"], "instruction_options": ["brass"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3C5N6E", "worker_id": "A2RBF3IIJP15IH"}], "B013RIOOFS": [{"asin": "B013RIOOFS", "instruction": "i am looking for an anti aging face serum, tighten, brighten, and hydrate.", "attributes": ["animal testing", "anti aging", "cruelty free", "dark circles", "fine lines", "dry skin"], "options": ["size: 1.75 fl oz"], "instruction_attributes": ["anti aging"], "instruction_options": ["1.75 fl oz"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW59S8L", "worker_id": "A2KW17G25L25R8"}], "B09NB9JW4M": [{"asin": "B09NB9JW4M", "instruction": "i would like a pink hair straightener for styling.", "attributes": ["easy carry", "hair styling"], "options": ["color: pink"], "instruction_attributes": ["hair styling"], "instruction_options": ["pink"], "assignment_id": "3L0KT67Y8PQV3IX2GAR3IZ9JPK0SYN", "worker_id": "A2ECRNQ3X5LEXD"}], "B07BKQ137Y": [{"asin": "B07BKQ137Y", "instruction": "i would like two bags of a variety four pack of gluten free crackers.", "attributes": ["gluten free", "keto friendly", "non gmo"], "options": ["flavor name: variety 4 pack", "size: 2 bags"], "instruction_attributes": ["gluten free"], "instruction_options": ["variety 4 pack", "2 bags"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RY57WY", "worker_id": "A1WS884SI0SLO4"}], "B09JS6P9P9": [{"asin": "B09JS6P9P9", "instruction": "find me some highly pigmented eye shadow in color b.", "attributes": ["highly pigmented", "easy apply", "long lasting", "eye shadow", "nail art"], "options": ["color: b"], "instruction_attributes": ["highly pigmented", "eye shadow"], "instruction_options": ["b"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H378UW", "worker_id": "AR9AU5FY1S3RO"}], "B07JZL2N7V": [{"asin": "B07JZL2N7V", "instruction": "hello . looking for my new home easy install wall speaker, monoprice carbon fiber - 300 watt 10 inch (each) subwoofer, for home theater .", "attributes": ["easy install", "carbon fiber"], "options": ["size: 10 in", "style: 3 way"], "instruction_attributes": ["easy install"], "instruction_options": ["10 in", "3 way"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL99WV2B", "worker_id": "A15IJ20C3R4HUO"}], "B07KXD5H85": [{"asin": "B07KXD5H85", "instruction": "i am looking for a men's shorts with stretch fabric in 3xl size. also in royal blue color.", "attributes": ["moisture wicking", "stretch fabric", "elastic closure", "elastic waistband"], "options": ["color: royal blue", "size: 3x-large"], "instruction_attributes": ["stretch fabric"], "instruction_options": ["royal blue", "3x-large"], "assignment_id": "3LJ7UR74RSNIPYRDJ7MA3GV67KJN4B", "worker_id": "A2HMEGTAFO0CS8"}], "B07MLJFSW3": [{"asin": "B07MLJFSW3", "instruction": "i want a farmhouse grey acadian solid wood side table.", "attributes": ["solid wood", "living room"], "options": ["color: farmhouse grey"], "instruction_attributes": ["solid wood"], "instruction_options": ["farmhouse grey"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NLNP2C", "worker_id": "A2RBF3IIJP15IH"}], "B08HRYSFKM": [{"asin": "B08HRYSFKM", "instruction": "i am looking for a high performance tablet with quad core processor which should have sim support and all necessary features.", "attributes": ["high performance", "quad core"], "options": [""], "instruction_attributes": ["high performance", "quad core"], "instruction_options": [], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCNNI7I", "worker_id": "ASWFLI3N8X72G"}], "B07FMRG1PF": [{"asin": "B07FMRG1PF", "instruction": "i need low carb protein bars", "attributes": ["keto friendly", "low carb"], "options": [""], "instruction_attributes": ["low carb"], "instruction_options": [], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54PC386", "worker_id": "A2ECRNQ3X5LEXD"}], "B08G9W5T9J": [{"asin": "B08G9W5T9J", "instruction": "i am looking for a legacy grenadine colored men's dress shirt that is machine washable.", "attributes": ["slim fit", "easy care", "machine wash", "stretch fabric", "cotton spandex", "button closure"], "options": ["color: legacy grenadine", "size: 16.5\" neck 34\"-35\" sleeve"], "instruction_attributes": ["machine wash"], "instruction_options": ["legacy grenadine"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1HZU3A", "worker_id": "A1EREKSZAA9V7B"}], "B015YITIGY": [{"asin": "B015YITIGY", "instruction": "i am looking for an assorted small cookie gift set that s covered with chocolate please.", "attributes": ["chocolate covered", "gift set", "valentine day", "gift basket"], "options": ["flavor name: assorted", "size: small"], "instruction_attributes": ["chocolate covered", "gift set"], "instruction_options": ["assorted", "small"], "assignment_id": "32SCWG5HISEW7674IASH43KF3QRP6V", "worker_id": "A182YKPS46KE9F"}], "B01H7ENCMO": [{"asin": "B01H7ENCMO", "instruction": "i am looking for standard sized levi strauss & co. men's carpenter jeans that are machine washable.", "attributes": ["straight leg", "day comfort", "machine wash", "imported zipper"], "options": ["color: light mocha-waterless", "size: 50w x 32l", "special size: standard"], "instruction_attributes": ["machine wash"], "instruction_options": ["standard"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQAYVKF", "worker_id": "A1EREKSZAA9V7B"}], "B07RQ7VQ8V": [{"asin": "B07RQ7VQ8V", "instruction": "i am looking for a light weight medium size body shaper for men. also, i prefer a white colored one.", "attributes": ["light weight", "moisture wicking", "nylon spandex"], "options": ["color: white (with tummy folds)", "size: medium"], "instruction_attributes": ["light weight"], "instruction_options": ["white (with tummy folds)", "medium"], "assignment_id": "33TIN5LC0FKDY31374RC144TXXW9YG", "worker_id": "AJDQGOTMB2D80"}], "B073WD1PN1": [{"asin": "B073WD1PN1", "instruction": "i need a machine washable throw pillow cover that is in a grey color and is 16\" by 16\"", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: grey dust", "size: 16\" x 16\""], "instruction_attributes": ["machine washable"], "instruction_options": ["grey dust", "16\" x 16\""], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBQ2JE5", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GY89RK9": [{"asin": "B08GY89RK9", "instruction": "i want a lorex 16-channel 4k uhd dvr surveillance system with motion detection.", "attributes": ["hands free", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCG4E0Z", "worker_id": "A2RBF3IIJP15IH"}], "B06XR97NGM": [{"asin": "B06XR97NGM", "instruction": "i would like a six drawer natural walnut dresser with bronze finishes.", "attributes": ["bronze finish", "engineered wood"], "options": ["color: adler - natural walnut", "size: 6-drawer"], "instruction_attributes": ["bronze finish"], "instruction_options": ["adler - natural walnut", "6-drawer"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH151HWH5", "worker_id": "A1WS884SI0SLO4"}, {"asin": "B06XR97NGM", "instruction": "i am looking for a 9 drawer dresser with a bronze finish.", "attributes": ["bronze finish", "engineered wood"], "options": ["color: riva - chocolate brown", "size: 9-drawer"], "instruction_attributes": ["bronze finish"], "instruction_options": ["9-drawer"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQATKVZ", "worker_id": "A1EREKSZAA9V7B"}], "B082CSSS2M": [{"asin": "B082CSSS2M", "instruction": "i need cupcake toppers for a baby shower", "attributes": ["baby shower", "valentine day", "cupcake picks"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7MSOBK", "worker_id": "A2ECRNQ3X5LEXD"}], "B08KLGJBRJ": [{"asin": "B08KLGJBRJ", "instruction": "i need a wall mounted mirror that is 36 by 28 inches.", "attributes": ["wall mounted", "contemporary style"], "options": ["size: 36 x28 inch"], "instruction_attributes": ["wall mounted"], "instruction_options": ["36 x28 inch"], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCNL7I5", "worker_id": "A2ECRNQ3X5LEXD"}], "B08CXZHG4C": [{"asin": "B08CXZHG4C", "instruction": "i want a black non slip cordking designed for iphone 12.", "attributes": ["non slip", "wireless charging"], "options": ["color: black"], "instruction_attributes": ["non slip"], "instruction_options": ["black"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYO7Q9M", "worker_id": "A2RBF3IIJP15IH"}], "B07G7SP5WB": [{"asin": "B07G7SP5WB", "instruction": "i need a portable bluetooth speaker that is hands free. pick something in blue.", "attributes": ["hands free", "stereo sound"], "options": ["color: blue"], "instruction_attributes": ["hands free"], "instruction_options": ["blue"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NIHBKO", "worker_id": "A1NF6PELRKACS9"}], "B07XBZ1MPH": [{"asin": "B07XBZ1MPH", "instruction": "i need some living room drapes that are greyish white and are 52w by 108l", "attributes": ["machine washable", "easy install", "living room"], "options": ["color: greyish white", "size: 52w x 108l"], "instruction_attributes": ["living room"], "instruction_options": ["greyish white", "52w x 108l"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H2Y8UL", "worker_id": "A2ECRNQ3X5LEXD"}], "B091CRF68B": [{"asin": "B091CRF68B", "instruction": "i would like a medium purple short sleeve shirt.", "attributes": ["butt lifting", "loose fit", "slim fit", "long sleeve", "short sleeve", "tummy control", "high waist", "classic fit", "teen girls"], "options": ["color: purple-8", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["purple-8", "medium"], "assignment_id": "3BEFOD78WH3C7G6D767AQ1662VRM4U", "worker_id": "A1WS884SI0SLO4"}], "B07NLB7W1P": [{"asin": "B07NLB7W1P", "instruction": "i want a coffee scented coconut oil face scrub.", "attributes": ["coconut oil", "argan oil"], "options": ["scent: coffee"], "instruction_attributes": ["coconut oil"], "instruction_options": ["coffee"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0AM164", "worker_id": "A2RBF3IIJP15IH"}], "B077P2FKZH": [{"asin": "B077P2FKZH", "instruction": "i'm looking for a white king-sized bedroom set with a box spring.", "attributes": ["button tufted", "box spring", "solid wood"], "options": ["color: white", "size: king", "style: metal bed"], "instruction_attributes": ["box spring"], "instruction_options": ["white", "king"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUS1QJX", "worker_id": "A19317A3X87NVM"}], "B0986VB3R6": [{"asin": "B0986VB3R6", "instruction": "i would like purchase 6light chandeliers such as brass mate back model also installations will be easy for my home into dining room", "attributes": ["easy install", "pendant light", "light fixture", "dining room", "living room"], "options": ["color: brass", "size: 6lights"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH941EL", "worker_id": "A3RBCGB309WPOC"}], "B09FKYGPGC": [{"asin": "B09FKYGPGC", "instruction": "i am looking for a soft shower body brush with a long handle.", "attributes": ["long handle", "dead skin"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWZPT5E", "worker_id": "AJDQGOTMB2D80"}], "B09881DT11": [{"asin": "B09881DT11", "instruction": "some loose fitting white joggers in an xx-large would be nice.", "attributes": ["slim fit", "moisture wicking", "loose fit", "hand wash", "drawstring closure", "regular fit", "relaxed fit", "everyday wear", "gym workout", "daily wear"], "options": ["color: white", "size: xx-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["white", "xx-large"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZI6K9F", "worker_id": "A2ECRNQ3X5LEXD"}], "B01GUPABIO": [{"asin": "B01GUPABIO", "instruction": "i\u2019d like to find a multipack of macaroni cheese in white cheddar flavour. but it must not contain any dairy or gluten.", "attributes": ["gluten free", "plant based", "dairy free", "soy free", "non gmo", "artificial flavors"], "options": ["flavor name: white cheddar", "size: 10.6 ounce (pack of 8)"], "instruction_attributes": ["gluten free", "dairy free"], "instruction_options": ["white cheddar"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX3IFAW", "worker_id": "A3LIIE572Z4OG7"}], "B07L75RSD5": [{"asin": "B07L75RSD5", "instruction": "i am interested in a beige and wine living room rug.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: beige | wine", "size: 2' 2\" x 14'"], "instruction_attributes": ["living room"], "instruction_options": ["beige | wine"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83JTIJX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PV6QPPN": [{"asin": "B09PV6QPPN", "instruction": "i need wedge sandals that are high heel and 6.5 narrow.", "attributes": ["open toe", "high heel"], "options": ["size: 6.5 narrow"], "instruction_attributes": ["high heel"], "instruction_options": ["6.5 narrow"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWX11R3", "worker_id": "A2ECRNQ3X5LEXD"}], "B088N8FZMV": [{"asin": "B088N8FZMV", "instruction": "i want some cake toppers for my party supplies.", "attributes": ["cupcake picks", "party supplies"], "options": [""], "instruction_attributes": ["party supplies"], "instruction_options": [], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZAZAPQ", "worker_id": "A1WS884SI0SLO4"}], "B0972Q1T8T": [{"asin": "B0972Q1T8T", "instruction": "i want a noise cancelling cosycost usb microphone.", "attributes": ["noise cancelling", "plug play"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3QWZML", "worker_id": "A2RBF3IIJP15IH"}], "B08989D7RZ": [{"asin": "B08989D7RZ", "instruction": "i am looking for a displayport to hdmi adapter with plug and play option. also support 4k / 30hz.", "attributes": ["plug play", "usb port"], "options": ["pattern name: displayport", "style: 4k | 30hz"], "instruction_attributes": ["plug play"], "instruction_options": ["displayport", "4k | 30hz"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWPWPF0", "worker_id": "A2HMEGTAFO0CS8"}], "B09QPR5NQL": [{"asin": "B09QPR5NQL", "instruction": "i want a pair of pink high heeled sandals with an open toe and a leather sole.", "attributes": ["open toe", "non slip", "leather sole", "high heel"], "options": ["color: sandals 04 pink", "size: 10"], "instruction_attributes": ["open toe", "leather sole"], "instruction_options": ["sandals 04 pink", "10"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYQCZO1", "worker_id": "AR9AU5FY1S3RO"}], "B09KV72579": [{"asin": "B09KV72579", "instruction": "could you find for me for my living room room this product: green palm leaf curtains tropical leaves botanical pattern print blackout curtains, panel set window curtains size 52x24 in", "attributes": ["easy clean", "living room", "dining room"], "options": ["color: cactus backgroundlop4064", "size: 52x24in"], "instruction_attributes": ["living room"], "instruction_options": ["52x24in"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA7Z3MH4", "worker_id": "A15IJ20C3R4HUO"}], "B07V5FS2FQ": [{"asin": "B07V5FS2FQ", "instruction": "i want a light weight leyiyi 15x10ft 80's party backdrop.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 15x10ft-vinyl"], "instruction_attributes": ["light weight"], "instruction_options": ["15x10ft-vinyl"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602SI95Q", "worker_id": "A2RBF3IIJP15IH"}], "B07LB4K52K": [{"asin": "B07LB4K52K", "instruction": "i am looking for a certified refurbished nintendo 3ds.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YGANPX", "worker_id": "A2ECRNQ3X5LEXD"}], "B08T8Q5JXC": [{"asin": "B08T8Q5JXC", "instruction": "i'm looking for some juicy watermelon lip gloss that's paraben and oil free.", "attributes": ["oil free", "paraben free", "cruelty free", "long lasting", "sensitive skin"], "options": ["color: juicy watermelon"], "instruction_attributes": ["oil free", "paraben free"], "instruction_options": ["juicy watermelon"], "assignment_id": "3U4J9857OPLD7CKZIFF8FXFMHYG7BD", "worker_id": "AR9AU5FY1S3RO"}], "B08WHJLGWT": [{"asin": "B08WHJLGWT", "instruction": "i want to buy a vinyl skin for my ps5. look for one that's easy to install. the color should be marijuana black, and get the disc edition size.", "attributes": ["easy install", "easy use", "carbon fiber"], "options": ["color: marijuana black carbon fiber", "size: disc edition"], "instruction_attributes": ["easy install"], "instruction_options": ["marijuana black carbon fiber", "disc edition"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KMQHUD", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B08WHJLGWT", "instruction": "i am looking for an easy to install matte black vinyl skin decal for playstation 5 console and it's two controllers.", "attributes": ["easy install", "easy use", "carbon fiber"], "options": ["color: matte black", "size: digital edition"], "instruction_attributes": ["easy install"], "instruction_options": ["matte black"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYM9GC6", "worker_id": "AJDQGOTMB2D80"}], "B07L4YCSQL": [{"asin": "B07L4YCSQL", "instruction": "i want green tea scented brickell men's morning face care routine.", "attributes": ["certified organic", "alcohol free", "green tea", "hyaluronic acid"], "options": ["scent: scented"], "instruction_attributes": ["green tea"], "instruction_options": ["scented"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69LKP8K", "worker_id": "A2RBF3IIJP15IH"}], "B094R56BLY": [{"asin": "B094R56BLY", "instruction": "buy me a pair of black snake leather flip flops with arch support in a size six.", "attributes": ["leather sole", "arch support"], "options": ["color: black snake leather", "size: 6"], "instruction_attributes": ["arch support"], "instruction_options": ["black snake leather", "6"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRW0XJF", "worker_id": "AR9AU5FY1S3RO"}], "B09FWZYWC5": [{"asin": "B09FWZYWC5", "instruction": "i am looking for a youth classic fit t-shirt that is black and large.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: youth", "size: large"], "instruction_attributes": ["classic fit"], "instruction_options": ["black", "youth", "large"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB455AQZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B094QPWBTN": [{"asin": "B094QPWBTN", "instruction": "i am looking for a hand painted woman sculpture made of wood for my living room.", "attributes": ["hand painted", "living room"], "options": [""], "instruction_attributes": ["hand painted", "living room"], "instruction_options": [], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQ9NGH", "worker_id": "A1EREKSZAA9V7B"}], "B071CDLM1Q": [{"asin": "B071CDLM1Q", "instruction": "i am looking for an easy to prepare and ready to eat packaged rice. also, please make sure that it is cheddar broccoli flavored and has 8 packs.", "attributes": ["easy prepare", "artificial flavors"], "options": ["flavor name: cheddar broccoli", "size: pack of 8"], "instruction_attributes": ["easy prepare"], "instruction_options": ["cheddar broccoli", "pack of 8"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRRWZB0", "worker_id": "AJDQGOTMB2D80"}], "B07FQ7QNDL": [{"asin": "B07FQ7QNDL", "instruction": "i'm looking for an 8 bay battery charger with rechargeable triple a batteries. it should be fast charging and have a usb port. get the one that's size 808u+8aa+8aaa.", "attributes": ["fast charging", "aaa batteries", "usb port"], "options": ["size: 808u+8aa+8aaa"], "instruction_attributes": ["fast charging", "aaa batteries", "usb port"], "instruction_options": ["808u+8aa+8aaa"], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQN8J10O", "worker_id": "AR9AU5FY1S3RO"}], "B092VSCVHF": [{"asin": "B092VSCVHF", "instruction": "i want a walnut wersmt led tv stand for my living room.", "attributes": ["white item", "high gloss", "tempered glass", "storage space", "living room"], "options": ["color: walnut", "size: 71 \"w \u00d7 17\" d \u00d7 12 \"h"], "instruction_attributes": ["living room"], "instruction_options": ["walnut"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIPI846", "worker_id": "A2RBF3IIJP15IH"}], "B08611W97Q": [{"asin": "B08611W97Q", "instruction": "i want a high wasted swimdress with sunflowers on it. get the size large.", "attributes": ["light weight", "polyester spandex", "tummy control", "high waist"], "options": ["color: sunflower", "size: large"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QBV1MA", "worker_id": "AR9AU5FY1S3RO"}], "B07658L9HR": [{"asin": "B07658L9HR", "instruction": "i am looking for a sofa made up of pu leather in ottoman size. also in navy leather color.", "attributes": ["button tufted", "pu leather", "faux leather"], "options": ["color: navy leather", "size: ottoman"], "instruction_attributes": ["pu leather"], "instruction_options": ["navy leather", "ottoman"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAEPOV7", "worker_id": "A2HMEGTAFO0CS8"}], "B09HY3G462": [{"asin": "B09HY3G462", "instruction": "i would like a bottle of paraben free hair color.", "attributes": ["sulfate free", "paraben free", "cruelty free", "argan oil", "permanent hair"], "options": [""], "instruction_attributes": ["paraben free"], "instruction_options": [], "assignment_id": "3WJ1OXY92LQCOGKQM67IYMRBAZGA8L", "worker_id": "A1WS884SI0SLO4"}], "B09P1TBBJL": [{"asin": "B09P1TBBJL", "instruction": "i want a black executive office chair with footrest lumbar support.", "attributes": ["high density", "heavy duty", "easy assemble", "lumbar support", "pu leather"], "options": ["color: black"], "instruction_attributes": ["lumbar support"], "instruction_options": ["black"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKJRT13", "worker_id": "A2RBF3IIJP15IH"}], "B01525ZA1G": [{"asin": "B01525ZA1G", "instruction": "look for a coffee gift set with whole bean flavor.", "attributes": ["gift set", "gift basket"], "options": ["flavor name: whole bean"], "instruction_attributes": ["gift set"], "instruction_options": ["whole bean"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSENZPGOY", "worker_id": "A15ERD4HOFEPHM"}], "B09C7WKKVK": [{"asin": "B09C7WKKVK", "instruction": "i would like a #b of long lasting lipstick.", "attributes": ["long lasting", "easy carry"], "options": ["color: #b"], "instruction_attributes": ["long lasting"], "instruction_options": ["#b"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IO4LT7", "worker_id": "A1WS884SI0SLO4"}], "B09P4R6VXR": [{"asin": "B09P4R6VXR", "instruction": "i would like a yellow heavy duty desk that is easy to clean.", "attributes": ["heavy duty", "easy clean", "coated steel"], "options": ["color: yellow"], "instruction_attributes": ["heavy duty", "easy clean"], "instruction_options": ["yellow"], "assignment_id": "3K772S5NPJL8742V5F3A7IA1YXTEHO", "worker_id": "A1WS884SI0SLO4"}], "B018LJZU4C": [{"asin": "B018LJZU4C", "instruction": "i would like a bag of fifty cotton candy sugar free gum.", "attributes": ["sugar free", "gluten free"], "options": ["flavor name: cotton candy", "size: 50 count (pack of 6)"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODL9EWR", "worker_id": "A1WS884SI0SLO4"}], "B088WGMG7P": [{"asin": "B088WGMG7P", "instruction": "i would like a red hdmi cable that is long lasting.", "attributes": ["non slip", "long lasting", "plug play", "aluminum alloy"], "options": ["color: red"], "instruction_attributes": ["long lasting"], "instruction_options": ["red"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVF7P1T", "worker_id": "A1WS884SI0SLO4"}], "B09L52YYMB": [{"asin": "B09L52YYMB", "instruction": "i want fully cooked dill and fava wild garden heat and serve pilaf.", "attributes": ["fully cooked", "ready eat", "natural ingredients"], "options": ["flavor name: dill and fava", "size: 8.8 ounce (pack of 1)"], "instruction_attributes": ["fully cooked"], "instruction_options": ["dill and fava"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7TXUCR", "worker_id": "A2RBF3IIJP15IH"}], "B09CPRKRSF": [{"asin": "B09CPRKRSF", "instruction": "i need a 42mm smartwatch band that is easy to install.", "attributes": ["compatible apple", "easy install"], "options": ["color: 5", "size: 42mm | 44mm"], "instruction_attributes": ["easy install"], "instruction_options": ["42mm | 44mm"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X4TGPN", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HJ4TLXH": [{"asin": "B08HJ4TLXH", "instruction": "i would like three pairs of cruelty free eyelashes.", "attributes": ["cruelty free", "high quality"], "options": ["color: 5 pairs styles mixed", "size: 3 pair (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["3 pair (pack of 1)"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7UZLHN", "worker_id": "A2ECRNQ3X5LEXD"}], "B09414RGKP": [{"asin": "B09414RGKP", "instruction": "i want ethylene vinyl nunn bush toe slip ons in size 9.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: cognac", "size: 9"], "instruction_attributes": ["ethylene vinyl"], "instruction_options": ["9"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDW8IAQ", "worker_id": "A2RBF3IIJP15IH"}], "B07DPC8PV1": [{"asin": "B07DPC8PV1", "instruction": "i would like a brown long lasting eyeliner that is also cruelty free.", "attributes": ["highly pigmented", "easy apply", "cruelty free", "long lasting"], "options": ["color: essential brown"], "instruction_attributes": ["cruelty free", "long lasting"], "instruction_options": ["essential brown"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCMYMBO", "worker_id": "A1WS884SI0SLO4"}], "B07WZVJ14W": [{"asin": "B07WZVJ14W", "instruction": "shop for decaffeinated orange flavored green tea.", "attributes": ["caffeine free", "dairy free", "non dairy", "easy use", "gluten free", "artificial flavors"], "options": ["flavor: orange"], "instruction_attributes": ["caffeine free"], "instruction_options": ["orange"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOI6DYW", "worker_id": "AR9AU5FY1S3RO"}], "B08MZRGZZ8": [{"asin": "B08MZRGZZ8", "instruction": "i want a black dust proof topcovos vr lens cover for oculus quest 2.", "attributes": ["dust proof", "easy use"], "options": ["color: black"], "instruction_attributes": ["dust proof"], "instruction_options": ["black"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNVB8H1", "worker_id": "A2RBF3IIJP15IH"}], "B087D5W1B5": [{"asin": "B087D5W1B5", "instruction": "i need an easy to use body brush to exfoliate dry skin.", "attributes": ["easy use", "dry skin"], "options": [""], "instruction_attributes": ["easy use", "dry skin"], "instruction_options": [], "assignment_id": "34Q075JO18NYC32NVJ1AU6SQN84109", "worker_id": "A1NF6PELRKACS9"}], "B09PY2WZGR": [{"asin": "B09PY2WZGR", "instruction": "i am looking for an oversized women's gray long sleeve sweater.", "attributes": ["long sleeve", "polyester cotton", "daily wear"], "options": ["color: z91-gray", "size: 4x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["z91-gray"], "assignment_id": "3GU1KF0O4TB2DIOZE19PFJ67HSZBP1", "worker_id": "A1EREKSZAA9V7B"}], "B07DWQ218X": [{"asin": "B07DWQ218X", "instruction": "i want to get some face wash that is good for sensitive skin.", "attributes": ["dead skin", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL5X5HJ", "worker_id": "A2YNPKYEFDZ6C9"}], "B07KJZMJXW": [{"asin": "B07KJZMJXW", "instruction": "i would like a size 5 cattail pair of snow boots with faux fur and a rubber sole.", "attributes": ["rubber sole", "lace closure", "faux fur"], "options": ["color: cattail", "size: 5"], "instruction_attributes": ["rubber sole", "faux fur"], "instruction_options": ["cattail", "5"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AHEYU2", "worker_id": "A1WS884SI0SLO4"}], "B083W8R83Q": [{"asin": "B083W8R83Q", "instruction": "i am looking a gluten free low sodium lemony bites flavor snacks & trail mixes", "attributes": ["low sodium", "gluten free", "artificial colors", "artificial flavors"], "options": ["flavor name: lemony bites", "size: 1 ounce (pack of 5)"], "instruction_attributes": ["low sodium", "gluten free"], "instruction_options": ["lemony bites"], "assignment_id": "3E47SOBEY16T61T1F6F0H6BDDYBCI2", "worker_id": "A3N9ZYQAESNFQH"}], "B08ZY1JRN7": [{"asin": "B08ZY1JRN7", "instruction": "i am looking for freeze dried fruit that is gluten free.", "attributes": ["freeze dried", "ready eat", "gluten free"], "options": ["color: b freeze-dried strawberries"], "instruction_attributes": ["freeze dried", "gluten free"], "instruction_options": ["b freeze-dried strawberries"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QPIOXV", "worker_id": "A2KW17G25L25R8"}], "B073P88HMF": [{"asin": "B073P88HMF", "instruction": "i want a 6.8 fl oz, hair treatment pack which provides natural hair smoothening and is sulfate free. i would like color as vitapro fusion leave-in", "attributes": ["cruelty free", "sulfate free", "natural hair"], "options": ["color: vitapro fusion leave-in", "size: 6.8 fl oz", "style name: hair treatment - 1 pack"], "instruction_attributes": ["sulfate free", "natural hair"], "instruction_options": ["vitapro fusion leave-in", "6.8 fl oz", "hair treatment - 1 pack"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KCODPL", "worker_id": "ASWFLI3N8X72G"}], "B08JHGB1KL": [{"asin": "B08JHGB1KL", "instruction": "i am lookinhg for nut free walnut hemp buts that come in a pack of six.", "attributes": ["nut free", "gluten free", "non gmo", "plant based", "protein serving", "soy free", "certified organic", "dairy free"], "options": ["flavor name: walnut hemp", "size: 4 ounce pouches - (pack of 6)"], "instruction_attributes": ["nut free"], "instruction_options": ["walnut hemp", "4 ounce pouches - (pack of 6)"], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB4ZRXYP", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B08JHGB1KL", "instruction": "i want blueberry hemp organic super food energy bites.", "attributes": ["nut free", "gluten free", "non gmo", "plant based", "protein serving", "soy free", "certified organic", "dairy free"], "options": ["flavor name: blueberry hemp", "size: pack of 3"], "instruction_attributes": ["certified organic"], "instruction_options": ["blueberry hemp"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBQ6EJ4", "worker_id": "A2RBF3IIJP15IH"}], "B07DGXG639": [{"asin": "B07DGXG639", "instruction": "i would like a brushed nickel wall lamp with a glass shade for the living room.", "attributes": ["clear glass", "glass shade", "bronze finish", "living room"], "options": ["color: brushed nickel"], "instruction_attributes": ["glass shade", "living room"], "instruction_options": ["brushed nickel"], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVDFIB5", "worker_id": "A1WS884SI0SLO4"}], "B00EEH75YE": [{"asin": "B00EEH75YE", "instruction": "i want a hair treatment and an anti-aging skin moisturizer oil.", "attributes": ["anti aging", "hair treatment"], "options": [""], "instruction_attributes": ["anti aging", "hair treatment"], "instruction_options": [], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TR0PM1", "worker_id": "A1NF6PELRKACS9"}], "B08F1VHBGL": [{"asin": "B08F1VHBGL", "instruction": "i am looking for decorative cupcake toppers which can be ideal for birthday party or baby shower.", "attributes": ["birthday party", "party supplies", "baby shower"], "options": [""], "instruction_attributes": ["birthday party", "baby shower"], "instruction_options": [], "assignment_id": "3WI0P0II6C2G4S2Y5P4KF4UMLU9DRA", "worker_id": "ASWFLI3N8X72G"}], "B09FDMTVRV": [{"asin": "B09FDMTVRV", "instruction": "i want buy a birthday party cupcake picks plant party supply cupcake topper", "attributes": ["birthday party", "party supplies", "baby shower", "cupcake picks"], "options": [""], "instruction_attributes": ["birthday party", "party supplies", "cupcake picks"], "instruction_options": [], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733LXBEG", "worker_id": "A3N9ZYQAESNFQH"}], "B07WHJ8ZLX": [{"asin": "B07WHJ8ZLX", "instruction": "i want gray high speed philips usb type c cables.", "attributes": ["long lasting", "fast charging", "high speed"], "options": ["color: gray", "size: 6 in. | 3 ft. | 6 ft.", "style: 1 pack"], "instruction_attributes": ["high speed"], "instruction_options": ["gray"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB0FY5E", "worker_id": "A2RBF3IIJP15IH"}], "B004IN8ZJ8": [{"asin": "B004IN8ZJ8", "instruction": "i need a pack of three long lasting hair color that is dark mahogany brown", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 4m dark mahogany brown", "size: pack of 3"], "instruction_attributes": ["long lasting"], "instruction_options": ["4m dark mahogany brown", "pack of 3"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS0EUVR", "worker_id": "A2ECRNQ3X5LEXD"}], "B078YC6YQX": [{"asin": "B078YC6YQX", "instruction": "i need a pack of 5 heavy duty hdmi cables that will support a high speed connection.", "attributes": ["high speed", "heavy duty"], "options": ["color: 5 pack", "size: 3 ft"], "instruction_attributes": ["high speed", "heavy duty"], "instruction_options": ["5 pack"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIIHEFR", "worker_id": "A3LIIE572Z4OG7"}], "B07T2GXY84": [{"asin": "B07T2GXY84", "instruction": "i am looking to buy a woman's us size 5 high heel shoe with a rubber sole and color patent-beige.", "attributes": ["high heel", "rubber sole"], "options": ["color: patent-beige", "size: us5"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["patent-beige", "us5"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQVF4BD", "worker_id": "A114NK7T5673GK"}], "B09QSRKFRZ": [{"asin": "B09QSRKFRZ", "instruction": "can you find for me this brand kelly bro? i'm looking for womens peep toe model, and my size is 8,5. high heel is my favorite.", "attributes": ["fashion design", "high heel", "long sleeve", "daily wear"], "options": ["color: black", "size: 8.5"], "instruction_attributes": ["high heel"], "instruction_options": ["8.5"], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8UWZP4", "worker_id": "A15IJ20C3R4HUO"}], "B00C2DY3HE": [{"asin": "B00C2DY3HE", "instruction": "get me the 2 ounce 24 pack fig bars. it should be non gmo and plant based.", "attributes": ["non gmo", "nut free", "soy free", "plant based", "dairy free", "0g trans", "high fructose"], "options": ["flavor name: assorted types", "size: 2 ounce (pack of 24)"], "instruction_attributes": ["non gmo", "plant based"], "instruction_options": ["2 ounce (pack of 24)"], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQRYIH1", "worker_id": "A1NF6PELRKACS9"}], "B088LVV2LZ": [{"asin": "B088LVV2LZ", "instruction": "i need the best items for oral hygiene.", "attributes": ["easy use", "high quality", "oral hygiene"], "options": [""], "instruction_attributes": ["oral hygiene"], "instruction_options": [], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOX97OR", "worker_id": "A2ECRNQ3X5LEXD"}], "B01EAH9UAY": [{"asin": "B01EAH9UAY", "instruction": "i need a heavy duty extra large twin box spring that's fully assembled and ready to use.", "attributes": ["heavy duty", "ready use", "fully assembled", "box spring"], "options": ["size: twin xl", "style name: 8\" split foundation"], "instruction_attributes": ["heavy duty", "ready use", "fully assembled", "box spring"], "instruction_options": ["twin xl"], "assignment_id": "3AMW0RGHOOC4ERDWHREY6E61YHEPN5", "worker_id": "AR9AU5FY1S3RO"}], "B07CVQVD7T": [{"asin": "B07CVQVD7T", "instruction": "i am looking for some alcohol free skin care.", "attributes": ["certified organic", "alcohol free", "non toxic", "fine lines"], "options": [""], "instruction_attributes": ["alcohol free"], "instruction_options": [], "assignment_id": "3NL0RFNU0QXHHS6AMUUUBOE2DPQ4KZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q82T9S9": [{"asin": "B09Q82T9S9", "instruction": "i am interested in a rotary shaver for hair removal.", "attributes": ["easy clean", "hair removal"], "options": [""], "instruction_attributes": ["hair removal"], "instruction_options": [], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYGYL61", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BZ8LVWJ": [{"asin": "B08BZ8LVWJ", "instruction": "i am looking for a heavy duty spotting scope for bird watching.", "attributes": ["heavy duty", "bird watching"], "options": [""], "instruction_attributes": ["heavy duty", "bird watching"], "instruction_options": [], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S0OMG5", "worker_id": "A2HMEGTAFO0CS8"}], "B07W1JRKL3": [{"asin": "B07W1JRKL3", "instruction": "i would like a long dark red dental chain that is easy to apply.", "attributes": ["easy apply", "high quality"], "options": ["color: 8(dark red)", "size: long"], "instruction_attributes": ["easy apply"], "instruction_options": ["8(dark red)", "long"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HCVI6B", "worker_id": "A1WS884SI0SLO4"}], "B08P3CZMCN": [{"asin": "B08P3CZMCN", "instruction": "i would like a medium sized pair of baseball colored jeans with a elastic waist.", "attributes": ["quality polyester", "unique design", "elastic waist"], "options": ["color: baseball", "size: medium"], "instruction_attributes": ["elastic waist"], "instruction_options": ["baseball", "medium"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL4BH57", "worker_id": "A1WS884SI0SLO4"}], "B08SBG5Q4N": [{"asin": "B08SBG5Q4N", "instruction": "i am looking for a plant based clear lip balm", "attributes": ["plant based", "animal testing", "paraben free", "cruelty free", "green tea", "seed oil", "argan oil"], "options": ["color: 01 agave (clear)"], "instruction_attributes": ["plant based"], "instruction_options": ["01 agave (clear)"], "assignment_id": "354P56DE9VDCOY11T1135MPMLLJ7ST", "worker_id": "A2ECRNQ3X5LEXD"}], "B09713RP1G": [{"asin": "B09713RP1G", "instruction": "i need a remote control that has the batteries included.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BK1JV5", "worker_id": "A2ECRNQ3X5LEXD"}], "B07SQ9YT1T": [{"asin": "B07SQ9YT1T", "instruction": "i want to find a small purple bike tank top for men that has a classic fit.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: purple", "fit type: men", "size: small"], "instruction_attributes": ["classic fit"], "instruction_options": ["purple", "men", "small"], "assignment_id": "3QILPRALQG5J8ZEFVACNKSBB97J8N9", "worker_id": "A345TDMHP3DQ3G"}], "B0915FJ2VH": [{"asin": "B0915FJ2VH", "instruction": "i want emerald mid century modway bar stools.", "attributes": ["mid century", "white item", "coated steel", "steel frame", "dining room"], "options": ["color: emerald", "size: bar stool"], "instruction_attributes": ["mid century"], "instruction_options": ["emerald"], "assignment_id": "3EO896NRA756NTFIJAVQIHQHEZQJTU", "worker_id": "A2RBF3IIJP15IH"}], "B08FX133HB": [{"asin": "B08FX133HB", "instruction": "i want gray high waisted aleumdr womens yoga outfits.", "attributes": ["nylon spandex", "high waist"], "options": ["color: gray", "size: small"], "instruction_attributes": ["high waist"], "instruction_options": ["gray"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017054PB", "worker_id": "A2RBF3IIJP15IH"}], "B007UZ3VWM": [{"asin": "B007UZ3VWM", "instruction": "i need oil free 1 linen makeup foundation for women", "attributes": ["dermatologist tested", "oil free"], "options": ["color: 1 linen"], "instruction_attributes": ["oil free"], "instruction_options": ["1 linen"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YP0T8Q", "worker_id": "A258PTOZ3D2TQR"}], "B08VDXCNGK": [{"asin": "B08VDXCNGK", "instruction": "i need a loveseat that is grey and for the living room.", "attributes": ["mid century", "solid wood", "living room"], "options": ["color: grey", "size: 65\"w loveseat"], "instruction_attributes": ["living room"], "instruction_options": ["grey", "65\"w loveseat"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2C0IOB", "worker_id": "A2ECRNQ3X5LEXD"}], "B08NZV8CCL": [{"asin": "B08NZV8CCL", "instruction": "i need a variety sampler of gluten free quinoa crisps.", "attributes": ["gluten free", "nut free", "non gmo"], "options": ["flavor name: variety sampler"], "instruction_attributes": ["gluten free"], "instruction_options": ["variety sampler"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVEPSZZ", "worker_id": "A2RBF3IIJP15IH"}], "B013S9Z6LW": [{"asin": "B013S9Z6LW", "instruction": "i am looking for a gluten free white grape raspberry flavored drink.", "attributes": ["non gmo", "gluten free", "source vitamin", "artificial colors"], "options": ["flavor name: white grape raspberry", "size: 8.4 fl oz (pack of 24)"], "instruction_attributes": ["gluten free"], "instruction_options": ["white grape raspberry"], "assignment_id": "3LBXNTKX025OYYBT285AIQXKVRVX9R", "worker_id": "A1EREKSZAA9V7B"}], "B09QKSHLWD": [{"asin": "B09QKSHLWD", "instruction": "i need a 6 piece hair growth treatment.", "attributes": ["hair loss", "hair growth"], "options": ["size: 6pcs"], "instruction_attributes": ["hair growth"], "instruction_options": ["6pcs"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS0L9GV", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q84JC6K": [{"asin": "B09Q84JC6K", "instruction": "i want a white machine washable mardi gras festival costume.", "attributes": ["wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: white", "fit type: women", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["white"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0SR5WY", "worker_id": "A2RBF3IIJP15IH"}], "B08D736V7N": [{"asin": "B08D736V7N", "instruction": "i need a set of two barstools. get the thirty inch black ones with the metal legs.", "attributes": ["pu leather", "metal legs"], "options": ["color: black", "size: 30 inch"], "instruction_attributes": ["metal legs"], "instruction_options": ["black", "30 inch"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTK15V2", "worker_id": "AR9AU5FY1S3RO"}], "B08NWFFNQ6": [{"asin": "B08NWFFNQ6", "instruction": "i need some pore cleansing strips that are made with hyaluronic acid.", "attributes": ["easy use", "hyaluronic acid"], "options": [""], "instruction_attributes": ["hyaluronic acid"], "instruction_options": [], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JAESFW", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q2JFL7M": [{"asin": "B09Q2JFL7M", "instruction": "i am interested in a meal kit from trader joes.", "attributes": ["trader joe", "gluten free"], "options": [""], "instruction_attributes": ["trader joe"], "instruction_options": [], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CBYV0D", "worker_id": "A2ECRNQ3X5LEXD"}], "B006X7U6KI": [{"asin": "B006X7U6KI", "instruction": "i am looking for a high definition 100 watt in wall volume control knob.", "attributes": ["high power", "high definition"], "options": ["color: brown", "size: 100w", "style: knob"], "instruction_attributes": ["high definition"], "instruction_options": ["100w", "knob"], "assignment_id": "3FPRZHYEP9HAF7HILK3I3SXDFOB3VB", "worker_id": "A1EREKSZAA9V7B"}], "B09C3B1FHC": [{"asin": "B09C3B1FHC", "instruction": "i am looking for an extra large wolf fleece throw blanket that is machine washable.", "attributes": ["machine washable", "fleece throw", "living room"], "options": ["color: t-rex", "size: xl: 130x150cm"], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["xl"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YWO3Q9", "worker_id": "A1EREKSZAA9V7B"}], "B08LSRNMHH": [{"asin": "B08LSRNMHH", "instruction": "i want a blue non slip saftstar modern upholstered armchair.", "attributes": ["non slip", "mid century", "high density", "solid wood", "living room"], "options": ["color: blue", "item package quantity: 2"], "instruction_attributes": ["non slip"], "instruction_options": ["blue"], "assignment_id": "34S6N1K2Z6TMDACNM1QEKD0L7UDLH1", "worker_id": "A2RBF3IIJP15IH"}], "B07CLB2VKR": [{"asin": "B07CLB2VKR", "instruction": "i want rose c'est moi visionary makeup crayon for sensitive skin.", "attributes": ["animal testing", "dermatologist tested", "fragrance free", "non toxic", "sensitive skin"], "options": ["color: rose"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["rose"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS01VUF", "worker_id": "A2RBF3IIJP15IH"}], "B07RXWX77H": [{"asin": "B07RXWX77H", "instruction": "i am looking for a keto friendly vegetables with low carb also rich source of vitamins.", "attributes": ["keto friendly", "low carb", "source vitamin", "dietary fiber", "artificial colors"], "options": [""], "instruction_attributes": ["keto friendly", "low carb", "source vitamin"], "instruction_options": [], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OV9L8VO", "worker_id": "A2HMEGTAFO0CS8"}], "B085QKBX59": [{"asin": "B085QKBX59", "instruction": "i am looking to buy an x-large short sleeve t shirt that is machine washable and a good workout shirt.", "attributes": ["wash cold", "machine wash", "button closure", "short sleeve", "dry clean", "tumble dry"], "options": ["color: black | heather charcoal", "size: x-large"], "instruction_attributes": ["machine wash", "short sleeve"], "instruction_options": ["black | heather charcoal", "x-large"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY45U03", "worker_id": "A114NK7T5673GK"}], "B08F9TG7FC": [{"asin": "B08F9TG7FC", "instruction": "i am looking for synthetic hair extensions, 14\" long, with wavy ends and made for black women.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: 1b", "size: 14 inch (pack of 5)"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["14 inch (pack of 5)"], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7U6UR3", "worker_id": "AK3JMCIGU8MLU"}], "B09CLC6Q63": [{"asin": "B09CLC6Q63", "instruction": "i would like a purple high quality beauty case.", "attributes": ["high quality", "fine mist"], "options": ["color: purple"], "instruction_attributes": ["high quality"], "instruction_options": ["purple"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTDEN9Q", "worker_id": "A1WS884SI0SLO4"}], "B003HALJXC": [{"asin": "B003HALJXC", "instruction": "i am looking for english scone mix with real fruit.", "attributes": ["real fruit", "artificial flavors"], "options": [""], "instruction_attributes": ["real fruit"], "instruction_options": [], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUIDR3L", "worker_id": "A1EREKSZAA9V7B"}], "B008CT12G2": [{"asin": "B008CT12G2", "instruction": "i am interested in some paraben free eye creams.", "attributes": ["anti aging", "oil free", "fragrance free", "paraben free", "hyaluronic acid"], "options": [""], "instruction_attributes": ["paraben free"], "instruction_options": [], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGA0SMB", "worker_id": "A2ECRNQ3X5LEXD"}], "B004SPDEWE": [{"asin": "B004SPDEWE", "instruction": "i am looking for an oil free broad spectrum spf 15 sunscreen foundation for sensitive skin.", "attributes": ["oil free", "dermatologist tested", "fragrance free", "fine lines", "sensitive skin"], "options": [""], "instruction_attributes": ["oil free", "sensitive skin"], "instruction_options": [], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY866081N", "worker_id": "A1EREKSZAA9V7B"}], "B000177FXW": [{"asin": "B000177FXW", "instruction": "i want an eucalyptus and plant based bar soap by dr. bronner's.", "attributes": ["certified organic", "plant based", "cruelty free", "tea tree", "dry skin"], "options": ["scent: eucalyptus"], "instruction_attributes": ["plant based"], "instruction_options": ["eucalyptus"], "assignment_id": "338JKRMM2H95HRLJPA1OBZKADI1HA2", "worker_id": "A2RBF3IIJP15IH"}], "B096ZBXV7R": [{"asin": "B096ZBXV7R", "instruction": "i would like a shampoo and conditioner set made of coconut oil.", "attributes": ["cruelty free", "paraben free", "coconut oil", "natural ingredients"], "options": [""], "instruction_attributes": ["coconut oil"], "instruction_options": [], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ8E0NJ", "worker_id": "A1WS884SI0SLO4"}], "B093SXYYJC": [{"asin": "B093SXYYJC", "instruction": "get me a set of two mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE215GQ6", "worker_id": "AR9AU5FY1S3RO"}], "B07MWJ9NN3": [{"asin": "B07MWJ9NN3", "instruction": "i want a nourishing hair treatment that is sulfate free.", "attributes": ["sulfate free", "hair treatment"], "options": [""], "instruction_attributes": ["sulfate free", "hair treatment"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R5RKSK", "worker_id": "A114NK7T5673GK"}], "B08FBMGK6V": [{"asin": "B08FBMGK6V", "instruction": "i need a 5\" round cake topper for a birthday party", "attributes": ["dairy free", "gluten free", "birthday party"], "options": ["size: 5\" round"], "instruction_attributes": ["birthday party"], "instruction_options": ["5\" round"], "assignment_id": "3F6HPJW4JOAY9EL47UU96KBZGIVW2J", "worker_id": "A2ECRNQ3X5LEXD"}], "B088Y453DR": [{"asin": "B088Y453DR", "instruction": "i would like a black shimmer kosher certified icing glitter.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: black shimmer"], "instruction_attributes": ["kosher certified"], "instruction_options": ["black shimmer"], "assignment_id": "3CN4LGXD58YC1XVRQ9VLKWTDB554Y2", "worker_id": "A1WS884SI0SLO4"}], "B09DDC6DN6": [{"asin": "B09DDC6DN6", "instruction": "i am in need of a high definition media player", "attributes": ["high definition", "dual band"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZL2Y1Q", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q96DVV4": [{"asin": "B09Q96DVV4", "instruction": "i would like a pair of medium sized navy high waisted leggings.", "attributes": ["butt lifting", "tummy control", "high waist"], "options": ["color: navy", "size: medium"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L49HQRB", "worker_id": "A1WS884SI0SLO4"}], "B07XD925X1": [{"asin": "B07XD925X1", "instruction": "i would like a africa 80 by 40 poster to hang readily in my living room.", "attributes": ["ready hang", "living room"], "options": ["color: africa #07", "size: 80\"wx40\"h handart"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["africa #07", "80\"wx40\"h handart"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSH8B8O", "worker_id": "A1WS884SI0SLO4"}], "B09C55SWDM": [{"asin": "B09C55SWDM", "instruction": "i want an elixir to promote hair growth and prevent hair loss. it should also be plant based.", "attributes": ["plant based", "bpa free", "hair loss", "hair growth"], "options": [""], "instruction_attributes": ["plant based", "hair loss", "hair growth"], "instruction_options": [], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMONE9MM", "worker_id": "A1NF6PELRKACS9"}], "B07TYFFWH1": [{"asin": "B07TYFFWH1", "instruction": "i want a honey brown simplihome artisan solid wood tv stand.", "attributes": ["solid wood", "tempered glass", "living room", "dining room"], "options": ["color: honey brown"], "instruction_attributes": ["solid wood"], "instruction_options": ["honey brown"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LHMI5X", "worker_id": "A2RBF3IIJP15IH"}], "B07QXK35PD": [{"asin": "B07QXK35PD", "instruction": "i would like some cake toppers for a birthday party.", "attributes": ["party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLI76KI9", "worker_id": "A1WS884SI0SLO4"}], "B0174OIT6G": [{"asin": "B0174OIT6G", "instruction": "i want a round safavieh sofia collection rug for my living room.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: light grey | blue", "item shape: round", "size: 4 ft x 5 ft 7 in"], "instruction_attributes": ["living room"], "instruction_options": ["round"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOG8ML7", "worker_id": "A2RBF3IIJP15IH"}], "B09JVKR8X9": [{"asin": "B09JVKR8X9", "instruction": "i want to find a small green women's workout set that i can wear daily.", "attributes": ["moisture wicking", "nylon spandex", "stretch fabric", "long sleeve", "tummy control", "high waist", "daily wear"], "options": ["color: green", "size: small"], "instruction_attributes": ["daily wear"], "instruction_options": ["green", "small"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163S5PQW", "worker_id": "A345TDMHP3DQ3G"}], "B09SJ1GTJR": [{"asin": "B09SJ1GTJR", "instruction": "i am looking for two piece suits that are green and quick drying in a size small", "attributes": ["quick drying", "wash cold", "hand wash", "machine wash", "long sleeve"], "options": ["color: 9438-green", "size: small"], "instruction_attributes": ["quick drying"], "instruction_options": ["9438-green", "small"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKIV1TD", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NKPTC7S": [{"asin": "B09NKPTC7S", "instruction": "i would like a yellow quad core tablet.", "attributes": ["long lasting", "quad core"], "options": ["color: yellow"], "instruction_attributes": ["quad core"], "instruction_options": ["yellow"], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2ZUG68", "worker_id": "A1WS884SI0SLO4"}], "B09D8B8WXP": [{"asin": "B09D8B8WXP", "instruction": "i am looking for a fanless mini pc with a quad core processor, 32 gigabytes of ram and a 256 gigabyte ssd.", "attributes": ["ultra hd", "quad core"], "options": ["size: 32gb ram 256gb ssd"], "instruction_attributes": ["quad core"], "instruction_options": ["32gb ram 256gb ssd"], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2WG94E", "worker_id": "A1EREKSZAA9V7B"}], "B07HZ6PY52": [{"asin": "B07HZ6PY52", "instruction": "i am looking for a wireless computer headset that has stereo sound.", "attributes": ["noise cancelling", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG19AU9S", "worker_id": "A1EREKSZAA9V7B"}], "B09CF4LML4": [{"asin": "B09CF4LML4", "instruction": "i need a silver cruelty free my little pony mini glitter gel set.", "attributes": ["cruelty free", "easy use"], "options": ["color: silver"], "instruction_attributes": ["cruelty free"], "instruction_options": ["silver"], "assignment_id": "31JLPPHS254FPN8LK8H48035JUNO31", "worker_id": "A2RBF3IIJP15IH"}], "B00O1ABRRK": [{"asin": "B00O1ABRRK", "instruction": "i need noise cancelling headset that has a charging stand.", "attributes": ["noise cancelling", "plug play"], "options": ["color: mono speaker + charging stand", "style: ms teams optimized"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["mono speaker + charging stand"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREMO2JW", "worker_id": "A2ECRNQ3X5LEXD"}], "B08B87XSLC": [{"asin": "B08B87XSLC", "instruction": "i want a caramel queen size acacia kaylin platform bed.", "attributes": ["lead free", "queen size", "memory foam"], "options": ["color: caramel", "size: king", "style: emery"], "instruction_attributes": ["queen size"], "instruction_options": ["caramel"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUBOZDL", "worker_id": "A2RBF3IIJP15IH"}], "B08Y99D272": [{"asin": "B08Y99D272", "instruction": "i am interested in some individually wrapped granola bars.", "attributes": ["individually wrapped", "high fructose"], "options": [""], "instruction_attributes": ["individually wrapped"], "instruction_options": [], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR469FU7", "worker_id": "A2ECRNQ3X5LEXD"}], "B095M8H1YD": [{"asin": "B095M8H1YD", "instruction": "i am looking for 20 inch high quality hair pieces.", "attributes": ["high quality", "hair loss"], "options": ["size: 20 inch"], "instruction_attributes": ["high quality"], "instruction_options": ["20 inch"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFDJ02O", "worker_id": "A2ECRNQ3X5LEXD"}], "B09KV74LY8": [{"asin": "B09KV74LY8", "instruction": "i would like a lemon living room curtain in the size 52 by 96 inches", "attributes": ["easy clean", "living room", "dining room"], "options": ["color: lemon2lop5557", "size: 52x96in"], "instruction_attributes": ["living room"], "instruction_options": ["lemon2lop5557", "52x96in"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFK2EM9", "worker_id": "A2ECRNQ3X5LEXD"}], "B08NGV4VX3": [{"asin": "B08NGV4VX3", "instruction": "i would like some eucalyptus lavender body scrub that is also eco friendly.", "attributes": ["cruelty free", "oil free", "fragrance free", "sulfate free", "eco friendly", "paraben free", "dead skin"], "options": ["scent: eucalyptus lavender"], "instruction_attributes": ["eco friendly"], "instruction_options": ["eucalyptus lavender"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOHQL9W", "worker_id": "A1WS884SI0SLO4"}], "B099NZVJH2": [{"asin": "B099NZVJH2", "instruction": "i want to buy some shelf stable baby food. look for a fifteen count box of blueberry banana sweet potato.", "attributes": ["gluten free", "non gmo", "bpa free", "shelf stable", "nut free", "dairy free"], "options": ["flavor name: blueberry banana sweet potato", "size: 15 count"], "instruction_attributes": ["shelf stable"], "instruction_options": ["blueberry banana sweet potato", "15 count"], "assignment_id": "3SB5N7Y3OEEVGISQD2MD1TWWPXD0GY", "worker_id": "AR9AU5FY1S3RO"}], "B078KF114Q": [{"asin": "B078KF114Q", "instruction": "i want a modway engage mid-century corner sofa.", "attributes": ["mid century", "contemporary style", "solid wood"], "options": ["color: sunny", "size: corner sofa"], "instruction_attributes": ["mid century"], "instruction_options": ["corner sofa"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9DVZR9", "worker_id": "A2RBF3IIJP15IH"}], "B09PMN9FVZ": [{"asin": "B09PMN9FVZ", "instruction": "i would like a small gray long sleeved hoof pick.", "attributes": ["loose fit", "winter warm", "fleece lined", "long sleeve", "everyday wear"], "options": ["color: z3-gray", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["z3-gray", "small"], "assignment_id": "36DSNE9QZG8QA1AANT9RO7KUFR2OJ6", "worker_id": "A1WS884SI0SLO4"}], "B09LQ4YHSV": [{"asin": "B09LQ4YHSV", "instruction": "i would like a heavy duty bed frame made of steel.", "attributes": ["heavy duty", "steel frame"], "options": [""], "instruction_attributes": ["heavy duty", "steel frame"], "instruction_options": [], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG5CLS4", "worker_id": "A1WS884SI0SLO4"}], "B097FF5WYB": [{"asin": "B097FF5WYB", "instruction": "i want a sugar free mix of earlybird morning cocktail.", "attributes": ["non alcoholic", "sugar free"], "options": [""], "instruction_attributes": ["sugar free"], "instruction_options": [], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30USFY04", "worker_id": "A2RBF3IIJP15IH"}], "B09L1J2MPN": [{"asin": "B09L1J2MPN", "instruction": "i need a small relaxed fit pullover that is the color green.", "attributes": ["quality materials", "relaxed fit"], "options": ["color: a-green", "size: small"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["a-green", "small"], "assignment_id": "3C5W7UE9CQ035IUNRH9FNC34VPKMXV", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NDTB7KD": [{"asin": "B07NDTB7KD", "instruction": "i want a brushed berry schwarzkopf metallic permanent hair dye.", "attributes": ["permanent hair", "hair dye"], "options": ["color: brushed berry", "size: 1 count (pack of 1)"], "instruction_attributes": ["hair dye"], "instruction_options": ["brushed berry"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTP5E5C", "worker_id": "A2RBF3IIJP15IH"}], "B07NV7D8VB": [{"asin": "B07NV7D8VB", "instruction": "i am interested in a 60 count of cruelty free toner.", "attributes": ["cruelty free", "easy use", "sensitive skin"], "options": ["size: 60 count (pack of 1)"], "instruction_attributes": ["cruelty free"], "instruction_options": ["60 count (pack of 1)"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG5HLS9", "worker_id": "A2ECRNQ3X5LEXD"}], "B09N6Q57XZ": [{"asin": "B09N6Q57XZ", "instruction": "i need 2 faux leather barstools that is easy to assemble and is back adjustable. pick a brown one.", "attributes": ["easy assemble", "faux leather"], "options": ["color: b style- brown", "size: 2 barstools"], "instruction_attributes": ["easy assemble", "faux leather"], "instruction_options": ["b style- brown", "2 barstools"], "assignment_id": "3SEPORI8WY9R8CLDVW7VB6OF99QAZV", "worker_id": "A1NF6PELRKACS9"}], "B078XR57G8": [{"asin": "B078XR57G8", "instruction": "i need to buy a tank top for working out. look for one that's tie dyed blue, in extra large. it should be machine washable.", "attributes": ["loose fit", "wash cold", "machine wash"], "options": ["color: tie dye blue", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["tie dye blue", "x-large"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3CQN6Z", "worker_id": "AR9AU5FY1S3RO"}], "B07234YXYJ": [{"asin": "B07234YXYJ", "instruction": "most of people use sugarfree like simple sweet", "attributes": ["sugar free", "plant based", "usda organic", "keto friendly", "non gmo", "low sugar", "low carb", "gluten free", "zero sugar"], "options": ["flavor name: simply sweet"], "instruction_attributes": ["sugar free"], "instruction_options": ["simply sweet"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIQE480", "worker_id": "A226L9F2AZ38CL"}], "B09H5VMW2Q": [{"asin": "B09H5VMW2Q", "instruction": "i want a white merax bunk bed box spring.", "attributes": ["solid wood", "box spring"], "options": ["color: white", "size: full over full w | 2 drawers"], "instruction_attributes": ["box spring"], "instruction_options": ["white"], "assignment_id": "3AMYWKA6YMWEM6V33AF2F3FPTLW6OW", "worker_id": "A2RBF3IIJP15IH"}], "B079CG8RX2": [{"asin": "B079CG8RX2", "instruction": "i would like 24 packs of 60ml eye shadow.", "attributes": ["high quality", "eye shadow"], "options": ["color: 2 oz | 60ml", "size: 1 ounce (pack of 24)"], "instruction_attributes": ["eye shadow"], "instruction_options": ["2 oz | 60ml", "1 ounce (pack of 24)"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3PKMZU", "worker_id": "A1WS884SI0SLO4"}], "B09SQ1RFYR": [{"asin": "B09SQ1RFYR", "instruction": "a dome camera for indoor motion detection indoor smart security camera 1080hd size -hd version +64g", "attributes": ["1080p hd", "motion detection"], "options": ["size: hd version+64g"], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": ["hd version+64g"], "assignment_id": "3IGI0VL64IUMTR1V2R1JHE1BOBPNOR", "worker_id": "A3N9ZYQAESNFQH"}], "B0155KFTHS": [{"asin": "B0155KFTHS", "instruction": "i am looking for a tea sampler that comes in a pack of 8 and is kosher.", "attributes": ["kosher certified", "gift set"], "options": ["flavor name: standard sampler (8 count)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["standard sampler (8 count)"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IOSTL3", "worker_id": "A2ECRNQ3X5LEXD"}], "B097YKK3K1": [{"asin": "B097YKK3K1", "instruction": "i want a full sized non slip tatami mattress.", "attributes": ["non slip", "memory foam", "living room"], "options": ["color: shape", "size: full(47*79inch)"], "instruction_attributes": ["non slip"], "instruction_options": ["full(47*79inch)"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOCWTAO", "worker_id": "A2RBF3IIJP15IH"}], "B07QWVTV87": [{"asin": "B07QWVTV87", "instruction": "i am looking for toenail clippers that are black and stainless steel", "attributes": ["non slip", "heavy duty", "long handle", "stainless steel"], "options": ["color: podiatrist toenail clippers\uff08black\uff09"], "instruction_attributes": ["stainless steel"], "instruction_options": ["podiatrist toenail clippers\uff08black\uff09"], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1KHTI8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08DDHVY7T": [{"asin": "B08DDHVY7T", "instruction": "i need an eye serum that contains hyaluronic acid and that's good for dark circles. get the green one.", "attributes": ["hyaluronic acid", "dark circles"], "options": ["color: green"], "instruction_attributes": ["hyaluronic acid", "dark circles"], "instruction_options": ["green"], "assignment_id": "3W92K5RLW5RDTM4MZ3RBIPVXTKA5VB", "worker_id": "AR9AU5FY1S3RO"}], "B08VWQDPMY": [{"asin": "B08VWQDPMY", "instruction": "i would like three packs of two ounce teriyaki low calorie jerky.", "attributes": ["wild caught", "low sugar", "low calorie"], "options": ["flavor name: teriyaki", "size: 2 ounce (pack of 3)"], "instruction_attributes": ["low calorie"], "instruction_options": ["teriyaki", "2 ounce (pack of 3)"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG18EU9U", "worker_id": "A1WS884SI0SLO4"}], "B097R48QCX": [{"asin": "B097R48QCX", "instruction": "i would like a 3xl white pair of jogging pants that are machine washable.", "attributes": ["hand wash", "long lasting", "machine washable", "polyester cotton", "drawstring closure", "elastic waistband", "elastic waist", "gym workout"], "options": ["color: white", "size: 3x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["white", "3x-large"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKYGUIS", "worker_id": "A1WS884SI0SLO4"}], "B099PMTNR2": [{"asin": "B099PMTNR2", "instruction": "i need a lipstick that is easy to apply and long lasting in the color #1", "attributes": ["long lasting", "highly pigmented", "easy apply"], "options": ["color: # 1"], "instruction_attributes": ["long lasting", "easy apply"], "instruction_options": ["# 1"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLT8TF2", "worker_id": "A2ECRNQ3X5LEXD"}], "B00KQDCYE6": [{"asin": "B00KQDCYE6", "instruction": "i want a smakn high speed hdmi cable.", "attributes": ["gold plated", "high speed"], "options": [""], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RF0LF3", "worker_id": "A2RBF3IIJP15IH"}], "B0977VPCF3": [{"asin": "B0977VPCF3", "instruction": "i am looking for an ultra thin gold plated mini c hdmi cable", "attributes": ["easy carry", "high speed", "gold plated"], "options": ["size: angle_2ft", "style: mini c hdmi"], "instruction_attributes": ["gold plated"], "instruction_options": ["mini c hdmi"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3D3QN0", "worker_id": "A1EREKSZAA9V7B"}], "B08B889NGC": [{"asin": "B08B889NGC", "instruction": "i want a king sized and lead free acacia aurora bed frame.", "attributes": ["lead free", "memory foam"], "options": ["color: chocolate", "size: king", "style: mervyn"], "instruction_attributes": ["lead free"], "instruction_options": ["king"], "assignment_id": "3LS2AMNW5Q07WOENIJT0L8WGTNYQO5", "worker_id": "A2RBF3IIJP15IH"}], "B09RK86QCM": [{"asin": "B09RK86QCM", "instruction": "i would like a small yellow pair of shorts that can be machine washed.", "attributes": ["slim fit", "low rise", "machine washable", "hand wash", "short sleeve", "elastic waistband"], "options": ["color: yellow", "size: small"], "instruction_attributes": ["machine washable"], "instruction_options": ["yellow", "small"], "assignment_id": "3RWE2M8QWSK1QA9C06Z8RD5TQ8UN0M", "worker_id": "A1WS884SI0SLO4"}], "B09SCTKV42": [{"asin": "B09SCTKV42", "instruction": "i would like a size 7.5 wide pair of white flats with a closed toe.", "attributes": ["open toe", "high heel", "closed toe", "ankle strap"], "options": ["color: a8 - white", "size: 7.5 wide"], "instruction_attributes": ["closed toe"], "instruction_options": ["a8 - white", "7.5 wide"], "assignment_id": "3YZ8UPK3V4WYFSO19N4E09ZO7TYUCS", "worker_id": "A1WS884SI0SLO4"}], "B01D378GCU": [{"asin": "B01D378GCU", "instruction": "i want to find a fully assembled ottoman that is doe-colored.", "attributes": ["button tufted", "fully assembled"], "options": ["color: doe"], "instruction_attributes": ["fully assembled"], "instruction_options": ["doe"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39CCZCN", "worker_id": "A345TDMHP3DQ3G"}], "B07B3XSZS9": [{"asin": "B07B3XSZS9", "instruction": "i would like a red video game chair with lumbar support.", "attributes": ["high density", "lumbar support"], "options": ["color: red"], "instruction_attributes": ["lumbar support"], "instruction_options": ["red"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCNF9B0", "worker_id": "A1WS884SI0SLO4"}], "B09D347T6V": [{"asin": "B09D347T6V", "instruction": "i am looking for statues or figurines to decorate my living room.", "attributes": ["exquisite workmanship", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEHLXID", "worker_id": "A1EREKSZAA9V7B"}], "B09MCZPD93": [{"asin": "B09MCZPD93", "instruction": "i want a heavy duty protection case for my phone. pick something in black warrior color.", "attributes": ["easy install", "non slip", "heavy duty"], "options": ["color: black warrior"], "instruction_attributes": ["heavy duty"], "instruction_options": ["black warrior"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUARR96", "worker_id": "A1NF6PELRKACS9"}], "B09PQK7D4F": [{"asin": "B09PQK7D4F", "instruction": "i want to shop for a pair of high definition binoculars for bird watching. get type \"e.\"", "attributes": ["high definition", "bird watching"], "options": ["color: type e"], "instruction_attributes": ["high definition", "bird watching"], "instruction_options": ["type e"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYHI6L8", "worker_id": "AR9AU5FY1S3RO"}], "B096YZQ89Y": [{"asin": "B096YZQ89Y", "instruction": "shop for a pair of black walking shoes in size eight. look for memory foam soles.", "attributes": ["slip resistant", "anti slip", "non slip", "memory foam", "comfortable fit"], "options": ["color: black", "size: 8"], "instruction_attributes": ["memory foam"], "instruction_options": ["black", "8"], "assignment_id": "3VA45EW49YXJFKU6X43LK7O8LB6O18", "worker_id": "AR9AU5FY1S3RO"}], "B07CF7GTMW": [{"asin": "B07CF7GTMW", "instruction": "i am looking for a small short sleeve slim fitted t-shirt.", "attributes": ["regular fit", "relaxed fit", "short sleeve"], "options": ["color: grey-long sleeve", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["small"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3YX15JO", "worker_id": "A1EREKSZAA9V7B"}], "B01FWM4A2O": [{"asin": "B01FWM4A2O", "instruction": "i would ike a cd player that comes with aaa batteries and is in the model pm6006", "attributes": ["aaa batteries", "usb port"], "options": ["model: pm6006", "style: streaming passion dt"], "instruction_attributes": ["aaa batteries"], "instruction_options": ["pm6006"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWAMNFT", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B6J7HXM": [{"asin": "B09B6J7HXM", "instruction": "i need a 16:10 aspect ratio privacy filter that is easy to install.", "attributes": ["easy install", "easy use"], "options": ["color: 19.0 inch (diagonal) - 16:10 aspect ratio"], "instruction_attributes": ["easy install"], "instruction_options": ["19.0 inch (diagonal) - 16:10 aspect ratio"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYH3L68", "worker_id": "A2ECRNQ3X5LEXD"}], "B07YNT58BC": [{"asin": "B07YNT58BC", "instruction": "i need an eco friendly biodegradable body glitter, also copper holographic one and ultrafine (1 | 128\" 0.008\" 0.2mm)", "attributes": ["eco friendly", "non toxic", "long lasting"], "options": ["color: copper holographic", "size: ultrafine (1 | 128\" 0.008\" 0.2mm)"], "instruction_attributes": ["eco friendly"], "instruction_options": ["copper holographic", "ultrafine (1 | 128\" 0.008\" 0.2mm)"], "assignment_id": "37Z929RLGKIZMWY86444AIH4AJBTSU", "worker_id": "A258PTOZ3D2TQR"}], "B0764JPHNS": [{"asin": "B0764JPHNS", "instruction": "i want to buy some vanilla flavored soy free cake mix. needs to be in a 3 pack of 11.29-oz boxes.", "attributes": ["non gmo", "nut free", "soy free", "dairy free", "gluten free", "artificial colors"], "options": ["flavor: vanilla", "size: 11.29 ounce (pack of 3)"], "instruction_attributes": ["soy free"], "instruction_options": ["vanilla", "11.29 ounce (pack of 3)"], "assignment_id": "31EUONYN26DZ1WA44INARVVOAFCVO3", "worker_id": "A2YNPKYEFDZ6C9"}], "B000OAY2N2": [{"asin": "B000OAY2N2", "instruction": "i would like a pair of 30 wide by 32 long quartz stone jeans that are machine washable.", "attributes": ["machine wash", "regular fit", "button closure"], "options": ["color: quartz stone", "size: 30w x 32l"], "instruction_attributes": ["machine wash"], "instruction_options": ["quartz stone", "30w x 32l"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZGRO85", "worker_id": "A1WS884SI0SLO4"}], "B09NLPN2FP": [{"asin": "B09NLPN2FP", "instruction": "i need some daily casual sandals that are black and a size 10.5", "attributes": ["daily casual", "open toe", "arch support", "rubber sole"], "options": ["color: black", "size: 10.5"], "instruction_attributes": ["daily casual"], "instruction_options": ["black", "10.5"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UDRA3W", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QVWXBBB": [{"asin": "B08QVWXBBB", "instruction": "i want blue aerothotic water friendly light weight eva sandals with arch support.", "attributes": ["light weight", "ethylene vinyl", "vinyl acetate", "arch support", "relaxed fit"], "options": ["color: arcus blue", "size: 9"], "instruction_attributes": ["arch support"], "instruction_options": ["arcus blue"], "assignment_id": "3H7XDTSHKN1OO8TB69FY8O50Q2OGWC", "worker_id": "A2RBF3IIJP15IH"}], "B07TKJ74X6": [{"asin": "B07TKJ74X6", "instruction": "i am looking for a samsung galaxy case cover that is gray.", "attributes": ["case cover", "glass screen", "tempered glass"], "options": ["color: gray"], "instruction_attributes": ["case cover"], "instruction_options": ["gray"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6STXUDF", "worker_id": "A2ECRNQ3X5LEXD"}], "B00GFA8RN6": [{"asin": "B00GFA8RN6", "instruction": "i want a dove men anti-perspirant deodorant roll-on.", "attributes": ["anti perspirant", "clinically proven"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323D9BDW0", "worker_id": "A2RBF3IIJP15IH"}], "B0846G2YX1": [{"asin": "B0846G2YX1", "instruction": "i would like a 36 ounce chair tea", "attributes": ["rich creamy", "usda organic", "kosher certified", "non gmo", "gluten free"], "options": ["size: 1kg | 36 ounce"], "instruction_attributes": ["kosher certified"], "instruction_options": ["1kg | 36 ounce"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTLHLP0", "worker_id": "A2ECRNQ3X5LEXD"}], "B084VJTJ7J": [{"asin": "B084VJTJ7J", "instruction": "i need one pack of real fruit which dried and is high in dietary fiber.", "attributes": ["dietary fiber", "real fruit"], "options": ["size: pack of 1"], "instruction_attributes": ["dietary fiber", "real fruit"], "instruction_options": ["pack of 1"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL992V2H", "worker_id": "ASWFLI3N8X72G"}], "B071SGP6Y6": [{"asin": "B071SGP6Y6", "instruction": "i search no ram no ssd no wifi but high performance memory", "attributes": ["high performance", "quad core"], "options": ["size: no ram no ssd no wifi"], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3OHYZ19UGNFF9876TNWEV8HBP5EOAY", "worker_id": "A226L9F2AZ38CL"}, {"asin": "B071SGP6Y6", "instruction": "i'm looking for exactly this configuration: qotom 4 lan mini pc q190g4u-s01 with 4gb ram 128gb ssd, intel celeron j1900 processor, quad core 2.0 ghz, x86 mini pc", "attributes": ["high performance", "quad core"], "options": ["size: 4gb ram 128gb ssd wifi"], "instruction_attributes": ["quad core"], "instruction_options": ["4gb ram 128gb ssd wifi"], "assignment_id": "3COPXFW7XMM36LSTKEMIEMPX4MBPK2", "worker_id": "A15IJ20C3R4HUO"}], "B09R93K3N4": [{"asin": "B09R93K3N4", "instruction": "i want a navy slim fit mens golf polo shirt.", "attributes": ["slim fit", "loose fit", "moisture wicking", "long sleeve", "short sleeve", "gym workout"], "options": ["color: navy", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["navy"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z48IQC9", "worker_id": "A2RBF3IIJP15IH"}], "B08P9D3M89": [{"asin": "B08P9D3M89", "instruction": "i need some black curtains for my living room.", "attributes": ["eco friendly", "printing technology", "living room"], "options": ["color: black", "size: 52(w) x 84(h)"], "instruction_attributes": ["living room"], "instruction_options": ["black"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK0B3JV", "worker_id": "A15ERD4HOFEPHM"}], "B09B3W2S7T": [{"asin": "B09B3W2S7T", "instruction": "i need a 0.5 ml serum for my dry skin.", "attributes": ["easy use", "high quality", "hyaluronic acid", "dry skin"], "options": ["color: 0.5ml"], "instruction_attributes": ["dry skin"], "instruction_options": ["0.5ml"], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LFXSPT", "worker_id": "A2ECRNQ3X5LEXD"}], "B091GLL9YH": [{"asin": "B091GLL9YH", "instruction": "i want a silver hair styling bobby pin.", "attributes": ["high quality", "hair styling"], "options": ["color: silver", "size: 2 3 | 8 inch (6cm)"], "instruction_attributes": ["hair styling"], "instruction_options": ["silver"], "assignment_id": "3TVSS0C0ECASTDFHQ9E577KPGW9WTE", "worker_id": "A2RBF3IIJP15IH"}], "B08PY1V83Y": [{"asin": "B08PY1V83Y", "instruction": "i am looking for space saving collapsible and waterproof storage bins.", "attributes": ["space saving", "pu leather"], "options": [""], "instruction_attributes": ["space saving"], "instruction_options": [], "assignment_id": "326O153BMT8RVOXTJJKKGXV366ZEDG", "worker_id": "A1EREKSZAA9V7B"}], "B089LQ8F6G": [{"asin": "B089LQ8F6G", "instruction": "i need a bamboo back scrubber set, with a long handle and twenty four hooks.", "attributes": ["non slip", "high quality", "long handle"], "options": ["color: 24 hooks"], "instruction_attributes": ["long handle"], "instruction_options": ["24 hooks"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHA81DOF", "worker_id": "AR9AU5FY1S3RO"}], "B07XWW83BP": [{"asin": "B07XWW83BP", "instruction": "i am interested in a long lasting lipstick that is also cruelty free.", "attributes": ["long lasting", "highly pigmented", "cruelty free"], "options": [""], "instruction_attributes": ["long lasting", "cruelty free"], "instruction_options": [], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMNC6BT", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JLKPMFD": [{"asin": "B09JLKPMFD", "instruction": "get a white airpods case. it should be water resistant.", "attributes": ["water resistant", "case cover"], "options": ["color: white-style"], "instruction_attributes": ["water resistant"], "instruction_options": ["white-style"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7XSQYB", "worker_id": "AR9AU5FY1S3RO"}], "B0085UXQP8": [{"asin": "B0085UXQP8", "instruction": "i want a frontier soups mix with natural ingredients.", "attributes": ["easy prepare", "natural ingredients"], "options": [""], "instruction_attributes": ["natural ingredients"], "instruction_options": [], "assignment_id": "3RU7GD8VPZ31U451PNVK58G7LFVSPR", "worker_id": "A2RBF3IIJP15IH"}], "B09R3S2LZG": [{"asin": "B09R3S2LZG", "instruction": "i am looking for a loose fit cami that is black and an x-large", "attributes": ["easy care", "moisture wicking", "loose fit", "wash cold", "hand wash", "daily wear"], "options": ["color: 4 black", "size: x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["4 black", "x-large"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68EFA4B", "worker_id": "A2ECRNQ3X5LEXD"}], "B005UN73ZW": [{"asin": "B005UN73ZW", "instruction": "i need to buy an eight ounce lavender scented soy candle.", "attributes": ["lead free", "soy wax"], "options": ["scent: lavender bw"], "instruction_attributes": ["soy wax"], "instruction_options": ["lavender bw"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUC9ZD8", "worker_id": "AR9AU5FY1S3RO"}], "B081TH6VJ4": [{"asin": "B081TH6VJ4", "instruction": "i need a 13 inch water resistant cosmetic bag.", "attributes": ["water resistant", "easy clean"], "options": ["color: horsetooth", "size: 13 inch"], "instruction_attributes": ["water resistant"], "instruction_options": ["13 inch"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP71COO", "worker_id": "A2ECRNQ3X5LEXD"}], "B09R1T216X": [{"asin": "B09R1T216X", "instruction": "i am looking for a c colored toothpaste with natural ingredients and which is also fluoride free.", "attributes": ["fluoride free", "teeth whitening", "natural ingredients", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: c"], "instruction_attributes": ["fluoride free", "natural ingredients"], "instruction_options": ["c"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLMH4I6", "worker_id": "AJDQGOTMB2D80"}], "B075CYJYG5": [{"asin": "B075CYJYG5", "instruction": "i am looking for vinyl,light weight and it can be folded & easy to carry;high resolution and quality & not easy fade;and can swab with water,easy to keep clean, digital photography of laeacco vinyl 7x5ft photography which is backgrop is glare free and roll out flat; it is great for studio photography:.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 7x5ft"], "instruction_attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "instruction_options": ["7x5ft"], "assignment_id": "3JWH6J9I93N2AXCMYMWXBU1CHDEBNL", "worker_id": "A1DRKZ3SCLAS4V"}], "B087C54M55": [{"asin": "B087C54M55", "instruction": "i need orange jointlycreating womens non slip running shoes.", "attributes": ["non slip", "lace closure", "rubber outsole", "rubber sole", "gym workout", "daily wear"], "options": ["color: 9-3-orange", "size: 6"], "instruction_attributes": ["non slip"], "instruction_options": ["9-3-orange"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7X6YQX", "worker_id": "A2RBF3IIJP15IH"}], "B09JX42MVQ": [{"asin": "B09JX42MVQ", "instruction": "i would like a medium orange short sleeve shirt.", "attributes": ["loose fit", "hand wash", "soft material", "drawstring closure", "short sleeve", "long sleeve", "teen girls"], "options": ["color: yf-01 orange", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["yf-01 orange", "medium"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79PH1HM", "worker_id": "A1WS884SI0SLO4"}], "B08T129W3L": [{"asin": "B08T129W3L", "instruction": "i want large machine washable coorun womens yoga shorts.", "attributes": ["machine washable", "high waist", "polyester spandex", "daily wear"], "options": ["color: wine red", "size: large"], "instruction_attributes": ["machine washable"], "instruction_options": ["large"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINS3276", "worker_id": "A2RBF3IIJP15IH"}], "B07CF7DT95": [{"asin": "B07CF7DT95", "instruction": "i am looking for a double sided hair extensions in 14 inch long. also in green color.", "attributes": ["double sided", "hair extensions", "hair salon"], "options": ["color: #green", "size: 14 inch"], "instruction_attributes": ["double sided"], "instruction_options": ["#green", "14 inch"], "assignment_id": "3SNVL38CIF2KCWJPF90CUMQQ52XCKA", "worker_id": "A2HMEGTAFO0CS8"}], "B09QPDZ1P2": [{"asin": "B09QPDZ1P2", "instruction": "i would like a machine washable tank that is purple and in a men's x-large.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: purple", "fit type: men", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["purple", "men", "x-large"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RY37WW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07H3MH53Y": [{"asin": "B07H3MH53Y", "instruction": "i need to buy a loveseat for my living room. get one that's flat packed with a wood finish.", "attributes": ["assembly required", "wood finish", "living room"], "options": [""], "instruction_attributes": ["assembly required", "wood finish", "living room"], "instruction_options": [], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RZAW7U", "worker_id": "AR9AU5FY1S3RO"}], "B07N62QK41": [{"asin": "B07N62QK41", "instruction": "i need a fully assembled metal bar stool. pick the black backless ones.", "attributes": ["fully assembled", "space saving", "white item"], "options": ["color: black"], "instruction_attributes": ["fully assembled"], "instruction_options": ["black"], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8FZNZ0", "worker_id": "A1NF6PELRKACS9"}], "B07TDFCJNX": [{"asin": "B07TDFCJNX", "instruction": "i want white high heel ankle booties.", "attributes": ["high heel", "faux fur", "rubber outsole"], "options": ["color: white | pu-1", "size: 6"], "instruction_attributes": ["high heel"], "instruction_options": ["white | pu-1"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLRA03Q", "worker_id": "A2RBF3IIJP15IH"}], "B08JLQ2J6C": [{"asin": "B08JLQ2J6C", "instruction": "i would like a high def monocular for bird watching.", "attributes": ["high definition", "bird watching"], "options": [""], "instruction_attributes": ["high definition", "bird watching"], "instruction_options": [], "assignment_id": "351SEKWQSBRP7CP60H83T50CF7CMDX", "worker_id": "A1WS884SI0SLO4"}], "B07NLH2WV5": [{"asin": "B07NLH2WV5", "instruction": "locate a hedgehog garden statue with bluetooth speaker. i want the 6 1/4 inch figuring that includes aaa batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included", "aaa batteries"], "instruction_options": [], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40VCYFI", "worker_id": "A1CB72B51L7TKE"}], "B07PGJWVQP": [{"asin": "B07PGJWVQP", "instruction": "i need some water resistant boots with a rubber sole. it should be in a medium brown shade.", "attributes": ["water resistant", "rubber outsole", "rubber sole"], "options": ["color: medium brown", "size: 10.5 wide"], "instruction_attributes": ["water resistant", "rubber sole"], "instruction_options": ["medium brown"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMPQW9Y", "worker_id": "A1NF6PELRKACS9"}], "B012KOJ61M": [{"asin": "B012KOJ61M", "instruction": "i want low fat banana chips.", "attributes": ["low fat", "real fruit"], "options": [""], "instruction_attributes": ["low fat"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9EK2E3", "worker_id": "A2RBF3IIJP15IH"}], "B09QPCQF6P": [{"asin": "B09QPCQF6P", "instruction": "i would like a loose fit tee that is orange and is a size 4x large", "attributes": ["loose fit", "slim fit", "long sleeve", "short sleeve"], "options": ["color: orange", "size: 4x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["orange", "4x-large"], "assignment_id": "32Z9ZLUT1WUUJVFKZT66CU4F2ZZHOV", "worker_id": "A2ECRNQ3X5LEXD"}], "B0999N8S5F": [{"asin": "B0999N8S5F", "instruction": "i want candy bags for a halloween party.", "attributes": ["party supplies", "baby shower"], "options": ["color: halloween"], "instruction_attributes": ["party supplies"], "instruction_options": ["halloween"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3C9NQ1", "worker_id": "A2RBF3IIJP15IH"}], "B082M964NK": [{"asin": "B082M964NK", "instruction": "i need a home office chair that has lumbar support and comes in a four pack.", "attributes": ["easy assemble", "lumbar support"], "options": ["size: 4 pack with foot ring"], "instruction_attributes": ["lumbar support"], "instruction_options": ["4 pack with foot ring"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYWGPP2", "worker_id": "A2ECRNQ3X5LEXD"}], "B07HBF94LC": [{"asin": "B07HBF94LC", "instruction": "i want a tea tree based toothpaste which should be good for sensitive teeth and can reduce bad breath.", "attributes": ["tea tree", "sensitive teeth", "bad breath"], "options": [""], "instruction_attributes": ["tea tree", "sensitive teeth", "bad breath"], "instruction_options": [], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA3AR8G", "worker_id": "ASWFLI3N8X72G"}], "B076BMQ43T": [{"asin": "B076BMQ43T", "instruction": "i am looking for curtains for my living room that are a 2 panel set in the color purple lavender.", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: purple lavender", "size: 108\" x 108\""], "instruction_attributes": ["living room"], "instruction_options": ["purple lavender"], "assignment_id": "3EKVH9QME9EZ08LDQZPJEWME92Q2DH", "worker_id": "AK3JMCIGU8MLU"}], "B09KGKRK8J": [{"asin": "B09KGKRK8J", "instruction": "i would like a twin size antique white bed that is easy to assemble.", "attributes": ["twin size", "space saving", "assembly required", "easy assemble", "box spring"], "options": ["color: antique white", "size: twin"], "instruction_attributes": ["twin size", "easy assemble"], "instruction_options": ["antique white", "twin"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7HZN53", "worker_id": "A1WS884SI0SLO4"}], "B08P2PQ7HW": [{"asin": "B08P2PQ7HW", "instruction": "i am looking for natural deodorant with paraben free, cruelty free and scent:unwind (lavender mint) in stainless steel container", "attributes": ["paraben free", "cruelty free", "stainless steel", "seed oil", "natural ingredients"], "options": ["scent: unwind (lavender mint)"], "instruction_attributes": ["paraben free", "cruelty free", "stainless steel"], "instruction_options": ["unwind (lavender mint)"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIAUBR0", "worker_id": "AX2EWYWZM19AZ"}], "B09KS8NRS2": [{"asin": "B09KS8NRS2", "instruction": "i need to buy a high performance tablet with 4g.", "attributes": ["high performance", "4g lte"], "options": [""], "instruction_attributes": ["high performance", "4g lte"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1HXU38", "worker_id": "AR9AU5FY1S3RO"}], "B09GV9PDT9": [{"asin": "B09GV9PDT9", "instruction": "i am looking for a pair of grey size 11 mens running shoes.", "attributes": ["moisture wicking", "ethylene vinyl", "vinyl acetate"], "options": ["color: grey", "size: 11"], "instruction_attributes": ["vinyl acetate"], "instruction_options": ["grey", "11"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JY5EGG", "worker_id": "A1EREKSZAA9V7B"}], "B09PDBQ133": [{"asin": "B09PDBQ133", "instruction": "i want a high quality toothbrush for sensitive teeth, something in blue color for my baby.", "attributes": ["high quality", "sensitive teeth"], "options": ["color: blue", "size: 7-13 year"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["blue"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22J78WK", "worker_id": "A1NF6PELRKACS9"}], "B093GY7VJG": [{"asin": "B093GY7VJG", "instruction": "i want one size light weight women\u2019s sexy bandage halter dress.", "attributes": ["light weight", "fashion design", "quality polyester", "daily wear"], "options": ["color: multicolor1", "size: one size"], "instruction_attributes": ["light weight"], "instruction_options": ["one size"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP7XOCW", "worker_id": "A2RBF3IIJP15IH"}], "B01GR35QUM": [{"asin": "B01GR35QUM", "instruction": "i want a citrus and plant based dr. bronner\u2019s liquid soap.", "attributes": ["plant based", "cruelty free"], "options": ["scent: citrus", "size: 32 fl oz (pack of 1)"], "instruction_attributes": ["plant based"], "instruction_options": ["citrus"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UNPZEE", "worker_id": "A2RBF3IIJP15IH"}], "B08XNLBGFL": [{"asin": "B08XNLBGFL", "instruction": "i really need a foot file for dead skin.", "attributes": ["high quality", "stainless steel", "dead skin"], "options": [""], "instruction_attributes": ["dead skin"], "instruction_options": [], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UOW1GD", "worker_id": "A2ECRNQ3X5LEXD"}], "B083JB2WS7": [{"asin": "B083JB2WS7", "instruction": "i am looking for a storage bench with a wood finish for my living room.", "attributes": ["wood finish", "living room"], "options": [""], "instruction_attributes": ["wood finish", "living room"], "instruction_options": [], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU6C9AP", "worker_id": "A1EREKSZAA9V7B"}], "B09DPLKCW3": [{"asin": "B09DPLKCW3", "instruction": "i want a 4g lte verizon signal booster.", "attributes": ["light weight", "plug play", "easy install", "coaxial cable", "4g lte"], "options": [""], "instruction_attributes": ["4g lte"], "instruction_options": [], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK247ENK8", "worker_id": "A2RBF3IIJP15IH"}], "B01CD9JXTO": [{"asin": "B01CD9JXTO", "instruction": "i need a certified refurbished nikon d750.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished"], "instruction_options": [], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI5WBAG", "worker_id": "A2RBF3IIJP15IH"}], "B091Q3LQGW": [{"asin": "B091Q3LQGW", "instruction": "i am looking for a heavy duty bed in twin size which is easy to assemble. also choose silver with trundle color.", "attributes": ["twin size", "heavy duty", "easy assemble", "box spring"], "options": ["color: silver with trundle"], "instruction_attributes": ["twin size", "heavy duty", "easy assemble"], "instruction_options": ["silver with trundle"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYM2HDA", "worker_id": "A2HMEGTAFO0CS8"}], "B08L2YMRSF": [{"asin": "B08L2YMRSF", "instruction": "i want a jying silver round wall mounted mirror.", "attributes": ["wall mounted", "easy install", "living room"], "options": ["color: silver", "size: 40cm | 16inch"], "instruction_attributes": ["wall mounted"], "instruction_options": ["silver"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QP1XON", "worker_id": "A2RBF3IIJP15IH"}], "B09C6117XD": [{"asin": "B09C6117XD", "instruction": "i would like a island i39.3 chandelier for my dining room.", "attributes": ["height adjustable", "stainless steel", "pendant light", "light fixture", "steel frame", "dining room", "living room"], "options": ["color: island l39.3\""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "30H4UDGLTDSYW9SW5QZYTZH1TQTPMS", "worker_id": "A1WS884SI0SLO4"}], "B07V8NLJ3Y": [{"asin": "B07V8NLJ3Y", "instruction": "i want an aura white and fast charging samsung galaxy note 10.", "attributes": ["long lasting", "fast charging"], "options": ["color: aura white", "style: note 10+"], "instruction_attributes": ["fast charging"], "instruction_options": ["aura white"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R5PSKQ", "worker_id": "A2RBF3IIJP15IH"}], "B07SLKMCDW": [{"asin": "B07SLKMCDW", "instruction": "i would like a heather blue men's size 4t t shirt with a needle sleeve.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: heather blue", "fit type: men", "size: 4t"], "instruction_attributes": ["needle sleeve"], "instruction_options": ["heather blue", "men", "4t"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H268UT", "worker_id": "A1WS884SI0SLO4"}], "B08QRYMRFH": [{"asin": "B08QRYMRFH", "instruction": "shop for a virtual reality headset that's high definition. get the size a.", "attributes": ["easy install", "high definition"], "options": ["size: a"], "instruction_attributes": ["high definition"], "instruction_options": ["a"], "assignment_id": "3BGYGHDBB8UCXYNXTA52IDVACCV224", "worker_id": "AR9AU5FY1S3RO"}], "B09JLSZYPJ": [{"asin": "B09JLSZYPJ", "instruction": "get me a hair drying towel with a funny graphic on it.", "attributes": ["dry hair", "hair salon"], "options": ["color: design funny graphic-302"], "instruction_attributes": ["dry hair"], "instruction_options": ["design funny graphic-302"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP8QOCR", "worker_id": "AR9AU5FY1S3RO"}], "B07FXZKPLS": [{"asin": "B07FXZKPLS", "instruction": "i am looking for a non gmo soup that is vegetarian and comes in a pack of six.", "attributes": ["non gmo", "simple ingredients"], "options": ["flavor name: vegetarian vegetable", "size: pack of 6"], "instruction_attributes": ["non gmo"], "instruction_options": ["vegetarian vegetable", "pack of 6"], "assignment_id": "3NS0A6KXCFISI3YGHWZ57SZI738ZGZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QDRF3WW": [{"asin": "B08QDRF3WW", "instruction": "i'm looking for intel core it can easily install any.", "attributes": ["core i5", "intel core"], "options": ["size: 1tb nvme | 16gb ddr4"], "instruction_attributes": ["intel core"], "instruction_options": ["1tb nvme | 16gb ddr4"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLN6I4B", "worker_id": "A16IQOX0DK14OJ"}], "B0742C39SB": [{"asin": "B0742C39SB", "instruction": "i am looking for some gray living room pillows.", "attributes": ["high density", "living room"], "options": ["color: gray", "size: california king"], "instruction_attributes": ["living room"], "instruction_options": ["gray"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVY03XT", "worker_id": "A2ECRNQ3X5LEXD"}], "B08XBFG6ZS": [{"asin": "B08XBFG6ZS", "instruction": "i am looking for a mouth guard that is pink and non toxic.", "attributes": ["leak proof", "non toxic", "easy clean"], "options": ["color: pink"], "instruction_attributes": ["non toxic"], "instruction_options": ["pink"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW2G4T4", "worker_id": "A2ECRNQ3X5LEXD"}], "B07HKFLFKM": [{"asin": "B07HKFLFKM", "instruction": "i need a brush set that can be used with eyeshadow. get color \"d.\"", "attributes": ["eye shadow", "hair loss"], "options": ["color: d"], "instruction_attributes": ["eye shadow"], "instruction_options": ["d"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD82S05", "worker_id": "AR9AU5FY1S3RO"}], "B082CLV61D": [{"asin": "B082CLV61D", "instruction": "i want a long lasting, women's spray perfume.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "39LNWE0K456PSVA11X00BCXJKYNIUN", "worker_id": "A114NK7T5673GK"}], "B09MHNZ9F5": [{"asin": "B09MHNZ9F5", "instruction": "i need a blue breenhill electric body brush with extended long handle.", "attributes": ["long handle", "sensitive skin"], "options": ["size: 4110blue"], "instruction_attributes": ["long handle"], "instruction_options": ["4110blue"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBQREJP", "worker_id": "A2RBF3IIJP15IH"}], "B0922RLZ22": [{"asin": "B0922RLZ22", "instruction": "look for an easy to install antique bronze vanity light.", "attributes": ["mid century", "easy install", "clear glass", "glass shade", "vanity light", "light fixture"], "options": ["color: antique bronze", "size: 2lt"], "instruction_attributes": ["easy install"], "instruction_options": ["antique bronze"], "assignment_id": "3TR2532VI040LV46NXNX77Y3US76J0", "worker_id": "AR9AU5FY1S3RO"}], "B084KYT2BK": [{"asin": "B084KYT2BK", "instruction": "i would like to purchase teriyaki flavored jerky that is made from grass fed beef and comes in a 10 ounce package.", "attributes": ["sugar free", "grass fed", "keto friendly"], "options": ["flavor name: teriyaki", "size: 10 ounce"], "instruction_attributes": ["grass fed"], "instruction_options": ["teriyaki", "10 ounce"], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YVJQ3P", "worker_id": "A114NK7T5673GK"}], "B09MFC8PTT": [{"asin": "B09MFC8PTT", "instruction": "i need a black full sized bed frame that is easy to assemble", "attributes": ["easy assemble", "heavy duty", "space saving", "box spring", "storage space"], "options": ["color: black", "size: full"], "instruction_attributes": ["easy assemble"], "instruction_options": ["black", "full"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6478KH3H", "worker_id": "A2ECRNQ3X5LEXD"}], "B01K4GG51C": [{"asin": "B01K4GG51C", "instruction": "i would like a pair of light blue size 6 sneakers with rubber soles.", "attributes": ["memory foam", "rubber sole"], "options": ["color: gray | light blue", "size: 6"], "instruction_attributes": ["rubber sole"], "instruction_options": ["gray | light blue", "6"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP7Z6D9", "worker_id": "A1WS884SI0SLO4"}], "B09CW9ZHD7": [{"asin": "B09CW9ZHD7", "instruction": "i want to buy an x-large tall, long sleeve flannel shirt that is sea cliff blue plaid.", "attributes": ["machine wash", "button closure", "cotton spandex", "quality materials", "long sleeve", "tumble dry"], "options": ["color: sea cliff blue plaid", "size: x-large tall"], "instruction_attributes": ["long sleeve"], "instruction_options": ["sea cliff blue plaid", "x-large tall"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC538RK3", "worker_id": "A114NK7T5673GK"}], "B09PL66P24": [{"asin": "B09PL66P24", "instruction": "i want a jacksing stereo audio power amplifier.", "attributes": ["power amplifier", "high definition"], "options": [""], "instruction_attributes": ["power amplifier"], "instruction_options": [], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPKQE62", "worker_id": "A2RBF3IIJP15IH"}], "B08NJ8WV83": [{"asin": "B08NJ8WV83", "instruction": "i am looking for a fresh, bright taste, 0 calories and fast-acting nanotonic hemp extract. cocktail with extra sparkling, you'll feel good all night, and in the morning too. yum! the mountjoy extra sparkling | fast-acting hemp-infused sparkling aperitif in assorted flavors and simple ingredients. single pack preferable.", "attributes": ["non alcoholic", "simple ingredients"], "options": ["flavor name: assorted flavors", "size: single"], "instruction_attributes": ["non alcoholic", "simple ingredients"], "instruction_options": ["assorted flavors", "single"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UD13AZ", "worker_id": "A1DRKZ3SCLAS4V"}], "B07TZ1Y9W7": [{"asin": "B07TZ1Y9W7", "instruction": "i am looking for king sized 5 inch mattress with high-density foam comfort and pressure relieving support for a better night's sleep. mayton medium firm tight top mattress preferable.", "attributes": ["high density", "ready use", "fully assembled"], "options": ["size: king", "style: 5-inch"], "instruction_attributes": ["high density", "ready use", "fully assembled"], "instruction_options": ["king", "5-inch"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WP8WQY", "worker_id": "A1DRKZ3SCLAS4V"}], "B09MTDNWNZ": [{"asin": "B09MTDNWNZ", "instruction": "i'm looking for a fast charging oculus quest 2, usb a to usb c link cable that's 10ft.", "attributes": ["fast charging", "high speed"], "options": ["size: 10ft | 3m"], "instruction_attributes": ["fast charging"], "instruction_options": ["10ft | 3m"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z48ACQN", "worker_id": "A292TFDMNVS0TP"}], "B08JK6X5W2": [{"asin": "B08JK6X5W2", "instruction": "i am looking for a cake topper for a baby shower. also choose easy to use", "attributes": ["easy use", "cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["easy use", "baby shower"], "instruction_options": [], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1Z9PAPE", "worker_id": "A2HMEGTAFO0CS8"}], "B096ZS3934": [{"asin": "B096ZS3934", "instruction": "i am searching for a pair of crocs (flip flops) in a size 9-10 in stucco | white. need to be vinyl acetate ot ethylene vinyl. possible product code is 11033.", "attributes": ["ethylene vinyl", "vinyl acetate"], "options": ["color: stucco | white", "size: 9-10"], "instruction_attributes": ["ethylene vinyl", "vinyl acetate"], "instruction_options": ["stucco | white", "9-10"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYVE36E", "worker_id": "A3RGIKEI8JS2QG"}], "B08XVP4YC7": [{"asin": "B08XVP4YC7", "instruction": "i need a 42mm | 44 mm, apple compatible stainless steel smartwatch band which is of coffee color with a black buckle.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: coffee with black buckle", "size: 42mm | 44mm"], "instruction_attributes": ["compatible apple", "stainless steel"], "instruction_options": ["coffee with black buckle", "42mm | 44mm"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUTTQJR", "worker_id": "ASWFLI3N8X72G"}], "B09PNDFZFZ": [{"asin": "B09PNDFZFZ", "instruction": "i want type b high-definition high-power binoculars.", "attributes": ["high power", "high definition"], "options": ["color: type b"], "instruction_attributes": ["high definition"], "instruction_options": ["type b"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SUFTQS", "worker_id": "A2RBF3IIJP15IH"}], "B087NKBGGN": [{"asin": "B087NKBGGN", "instruction": "i want a king size twin bed with storage compartments.", "attributes": ["king size", "box spring"], "options": ["color: green", "size: twin"], "instruction_attributes": ["king size"], "instruction_options": ["twin"], "assignment_id": "3FFJ6VRILCY9C9YL3QMGM59C4AZ0IK", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B087NKBGGN", "instruction": "i need a king size bed that is green.", "attributes": ["king size", "box spring"], "options": ["color: green", "size: king"], "instruction_attributes": ["king size"], "instruction_options": ["green"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3APVBWP", "worker_id": "A2ECRNQ3X5LEXD"}], "B08WRR2W8Q": [{"asin": "B08WRR2W8Q", "instruction": "i want an ivory modway solid wood 6-piece sectional sofa.", "attributes": ["solid wood", "living room"], "options": ["color: ivory"], "instruction_attributes": ["solid wood"], "instruction_options": ["ivory"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK664YYH", "worker_id": "A2RBF3IIJP15IH"}], "B085D1H4KG": [{"asin": "B085D1H4KG", "instruction": "i would like some dental flossers that come in a storage case.", "attributes": ["clinically proven", "storage case"], "options": [""], "instruction_attributes": ["storage case"], "instruction_options": [], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQQMIHN", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KYKPRQH": [{"asin": "B07KYKPRQH", "instruction": "i would like some memory foam shoes that are navy and are a size 7.5 wide.", "attributes": ["synthetic sole", "memory foam"], "options": ["color: navy", "size: 7.5 wide"], "instruction_attributes": ["memory foam"], "instruction_options": ["navy", "7.5 wide"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3Q1MZD", "worker_id": "A2ECRNQ3X5LEXD"}], "B091SN3LMG": [{"asin": "B091SN3LMG", "instruction": "i would like some black and golden jewlery for daily wear.", "attributes": ["unique design", "rubber sole", "daily wear"], "options": ["color: black | golden", "size: 2.5 little kid"], "instruction_attributes": ["daily wear"], "instruction_options": ["black | golden"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49Y6X4I", "worker_id": "A2ECRNQ3X5LEXD"}], "B0991WC1L9": [{"asin": "B0991WC1L9", "instruction": "i need some high waisted jeans that are black and in an x-small.", "attributes": ["wide leg", "high waist", "drawstring closure", "relaxed fit", "polyester spandex"], "options": ["color: black", "size: x-small"], "instruction_attributes": ["high waist"], "instruction_options": ["black", "x-small"], "assignment_id": "33CID5710F37J25O7G1CGJZBOQML3N", "worker_id": "A2ECRNQ3X5LEXD"}], "B08642JYRV": [{"asin": "B08642JYRV", "instruction": "i am looking for siete grain free tortilla chips that are also gluten free, and non gmo.", "attributes": ["grain free", "dairy free", "non gmo", "gluten free", "natural ingredients", "quality ingredients"], "options": ["flavor name: variety pack", "size: 5 ounce (pack of 3)"], "instruction_attributes": ["grain free", "non gmo", "gluten free"], "instruction_options": ["5 ounce (pack of 3)"], "assignment_id": "3ZPBJO59K0B3FYOV9KSQ10SGYLPHDV", "worker_id": "A2KW17G25L25R8"}], "B07BS1PT7S": [{"asin": "B07BS1PT7S", "instruction": "i want a black officially licensed judy hopps average bunny t-shirt.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: youth", "size: medium"], "instruction_attributes": ["officially licensed"], "instruction_options": ["black"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZXYCNB", "worker_id": "A2RBF3IIJP15IH"}], "B09P7SPJDS": [{"asin": "B09P7SPJDS", "instruction": "i would like a blue size 8.5 flat shoe that is pretty light weight.", "attributes": ["light weight", "fashion design"], "options": ["color: model 1 blue", "size: 8.5"], "instruction_attributes": ["light weight"], "instruction_options": ["model 1 blue", "8.5"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCGHSJJ", "worker_id": "A1WS884SI0SLO4"}], "B003C09PC4": [{"asin": "B003C09PC4", "instruction": "i'm looking for individually wrapped turkey flavoured meat sticks for snacking.", "attributes": ["individually wrapped", "old fashioned"], "options": ["flavor: turkey"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["turkey"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK48NVF", "worker_id": "A3EDFA8UQT5GG8"}], "B082VL74XD": [{"asin": "B082VL74XD", "instruction": "i am looking for high quality dark brown braided synthetic hair extensions.", "attributes": ["high quality", "synthetic hair", "hair extensions"], "options": ["color: dark brown"], "instruction_attributes": ["high quality", "synthetic hair"], "instruction_options": ["dark brown"], "assignment_id": "3FE7TXL1LTXTPHPIVLV3EVTDSICQ29", "worker_id": "A1EREKSZAA9V7B"}], "B01MT94PJW": [{"asin": "B01MT94PJW", "instruction": "look for antiperspirant in the jean-marie farina scent. buy the travel size.", "attributes": ["anti perspirant", "travel size"], "options": ["scent: jean-marie farina"], "instruction_attributes": ["anti perspirant", "travel size"], "instruction_options": ["jean-marie farina"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SUTUDD", "worker_id": "AR9AU5FY1S3RO"}], "B00TZJDY4Q": [{"asin": "B00TZJDY4Q", "instruction": "buy a pack of whitening toothpaste.", "attributes": ["clinically proven", "teeth whitening"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNKINTR", "worker_id": "AR9AU5FY1S3RO"}], "B095C5CZL3": [{"asin": "B095C5CZL3", "instruction": "i want a dongtai 1080p hd hot link remote surveillance camera.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd"], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH9R1E8", "worker_id": "A2RBF3IIJP15IH"}], "B08R3KWXDL": [{"asin": "B08R3KWXDL", "instruction": "i'm looking for cake toppers for a birthday party", "attributes": ["cupcake picks", "party supplies", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP61DVDE", "worker_id": "A258PTOZ3D2TQR"}], "B07GXHP1X1": [{"asin": "B07GXHP1X1", "instruction": "i need a contemporary mid century, sea blue sofa for living room made with wood frame.", "attributes": ["mid century", "wood frame", "living room"], "options": ["color: sea blue", "size: sofa"], "instruction_attributes": ["mid century", "wood frame", "living room"], "instruction_options": ["sea blue", "sofa"], "assignment_id": "3BXQMRHWKA8BOE0SMCYS3540180MU2", "worker_id": "ASWFLI3N8X72G"}], "B08RJDWPF1": [{"asin": "B08RJDWPF1", "instruction": "i would like to buy some easy to use hair topper extensions that are 10 inches in length, 130% density and come in wine red color.", "attributes": ["easy use", "hair loss"], "options": ["color: wine red-b", "size: 10 inch-130% density"], "instruction_attributes": ["easy use"], "instruction_options": ["wine red-b", "10 inch-130% density"], "assignment_id": "3RJSC4XJ1B4X0L36W63MXW57ZND05S", "worker_id": "A114NK7T5673GK"}], "B08X7153CG": [{"asin": "B08X7153CG", "instruction": "i would like a hair cutting kit that is multicolor.", "attributes": ["rose gold", "hair cutting"], "options": ["color: multicolor 1"], "instruction_attributes": ["hair cutting"], "instruction_options": ["multicolor 1"], "assignment_id": "3H8DHMCCWKLUHOP3F5VNES88Q2CKDL", "worker_id": "A2ECRNQ3X5LEXD"}], "B01G2HM9NA": [{"asin": "B01G2HM9NA", "instruction": "buy a pair of sneakers with rubber soles in a size seven and a half. order them in silver.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: silver multi", "size: 7.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["silver multi", "7.5"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIECVF8", "worker_id": "AR9AU5FY1S3RO"}], "B09ML2WVBK": [{"asin": "B09ML2WVBK", "instruction": "i need an easy to use butter chicken recipe mix that comes in a pack of 3.", "attributes": ["easy use", "artificial flavors"], "options": ["flavor name: karahi gosht 3.30 oz (94g)", "size: pack of 3"], "instruction_attributes": ["easy use"], "instruction_options": ["pack of 3"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFE420D", "worker_id": "A1NF6PELRKACS9"}], "B07R4X5GR9": [{"asin": "B07R4X5GR9", "instruction": "i need some jerky that does not have gluten in it.", "attributes": ["artificial ingredients", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3LQ8PUHQFW2KN94H1YT1SX8TQQOIHP", "worker_id": "A2ECRNQ3X5LEXD"}], "B082MMHC2S": [{"asin": "B082MMHC2S", "instruction": "i need x-large handyulong women's high waisted ripped jeans.", "attributes": ["butt lifting", "straight leg", "wide leg", "high waist", "long sleeve", "drawstring closure", "tummy control"], "options": ["color: z-zzzblue", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["x-large"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQCB19Y", "worker_id": "A2RBF3IIJP15IH"}], "B09JK7DWCM": [{"asin": "B09JK7DWCM", "instruction": "i'm looking for a red long sleeve sweatshirt in size 3x", "attributes": ["machine wash", "wash cold", "long sleeve", "daily wear"], "options": ["color: x-red", "size: 3x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["x-red", "3x-large"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK66QYY3", "worker_id": "A36LOA6VLJU157"}], "B09M968ZCM": [{"asin": "B09M968ZCM", "instruction": "i am looking for a high protein energy bar with low sugar and low carb.", "attributes": ["high protein", "low sugar", "low carb", "low calorie", "non gmo", "gluten free"], "options": [""], "instruction_attributes": ["high protein", "low sugar", "low carb"], "instruction_options": [], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYLMM62", "worker_id": "A2HMEGTAFO0CS8"}], "B07RFQ668G": [{"asin": "B07RFQ668G", "instruction": "i would like a 8 oz bag of kosher certified sea salt.", "attributes": ["gmo free", "kosher certified", "real fruit"], "options": ["size: 8oz bag"], "instruction_attributes": ["kosher certified"], "instruction_options": ["8oz bag"], "assignment_id": "37Q970SNZPIYDCMZ4LKU4CY9IZSS1Q", "worker_id": "A1WS884SI0SLO4"}], "B089Z43Q8H": [{"asin": "B089Z43Q8H", "instruction": "i want to buy a watermelon-flavored, sugar-free syrup.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: watermelon", "size: 15.89 ounce"], "instruction_attributes": ["sugar free"], "instruction_options": ["watermelon"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40U6YFA", "worker_id": "A114NK7T5673GK"}, {"asin": "B089Z43Q8H", "instruction": "i want to find sugar-free marshmallow flavored syrup in a 25.4 ounce bottle. it must come in a pack of three.", "attributes": ["sugar free", "keto friendly", "quality ingredients"], "options": ["flavor name: marshmallow", "size: 25.4 ounce (pack of 3)"], "instruction_attributes": ["sugar free"], "instruction_options": ["marshmallow", "25.4 ounce (pack of 3)"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUKNS4Q", "worker_id": "A345TDMHP3DQ3G"}], "B09CKSFXF1": [{"asin": "B09CKSFXF1", "instruction": "i need a set of easy to clean hair drying towels.", "attributes": ["easy clean", "dry hair"], "options": [""], "instruction_attributes": ["easy clean", "dry hair"], "instruction_options": [], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX7CCF6", "worker_id": "AR9AU5FY1S3RO"}], "B07TNR54WL": [{"asin": "B07TNR54WL", "instruction": "i want a high waist tummy control active shorts for teen girls in w-grey color and xx-large size.", "attributes": ["high waist", "tummy control", "teen girls"], "options": ["color: w-grey", "size: xx-large"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIV8T95", "worker_id": "ASWFLI3N8X72G"}], "B09MTTB7K5": [{"asin": "B09MTTB7K5", "instruction": "get me a portable toothbrush in color \"b.\" the one that says it's for teeth whitening.", "attributes": ["teeth whitening", "fresh breath"], "options": ["color: b"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["b"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB1B5YJ", "worker_id": "AR9AU5FY1S3RO"}], "B09HTH7VQG": [{"asin": "B09HTH7VQG", "instruction": "i would like a free standing shoe rack that is easy to assemble.", "attributes": ["easy assemble", "space saving", "storage space", "living room"], "options": [""], "instruction_attributes": ["easy assemble"], "instruction_options": [], "assignment_id": "3EO896NRA756NTFIJAVQIHQHEZUTJ8", "worker_id": "A1WS884SI0SLO4"}], "B09PJ792FP": [{"asin": "B09PJ792FP", "instruction": "i am looking for a straight leg pants for gym workout in medium size. choose navy color.", "attributes": ["straight leg", "high waist", "tummy control", "button closure", "gym workout"], "options": ["color: navy", "size: medium"], "instruction_attributes": ["straight leg", "gym workout"], "instruction_options": ["navy", "medium"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACPBHNX", "worker_id": "A2HMEGTAFO0CS8"}], "B089LQ8526": [{"asin": "B089LQ8526", "instruction": "i would like a two pack of light brown hair dye that is long lasting.", "attributes": ["dermatologist tested", "long lasting", "hair dye"], "options": ["color: 4n-light brown", "size: pack of 2"], "instruction_attributes": ["long lasting", "hair dye"], "instruction_options": ["4n-light brown", "pack of 2"], "assignment_id": "3BQU611VF0UYX2TVZSZW2NB2OOC99S", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SF2KCDD": [{"asin": "B09SF2KCDD", "instruction": "i need some khaki open toed sandals that come in a 6 wide.", "attributes": ["open toe", "closed toe"], "options": ["color: a4 - khaki", "size: 6 wide"], "instruction_attributes": ["open toe"], "instruction_options": ["a4 - khaki", "6 wide"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OGYTRA", "worker_id": "A2ECRNQ3X5LEXD"}], "B07KMD725G": [{"asin": "B07KMD725G", "instruction": "i need a tee tree based scalp treatment hair care product, which is good for dry hair.", "attributes": ["tea tree", "dry hair"], "options": [""], "instruction_attributes": ["tea tree", "dry hair"], "instruction_options": [], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZ0LNRG", "worker_id": "ASWFLI3N8X72G"}], "B07J28SMHM": [{"asin": "B07J28SMHM", "instruction": "i want a black and easy to use ultra slim waterproof gel eyeliner pencil.", "attributes": ["long lasting", "easy apply", "easy use"], "options": ["color: 1. black"], "instruction_attributes": ["easy use"], "instruction_options": ["1. black"], "assignment_id": "35DR22AR5OU2JWMDLZ40RDUYVY1X3O", "worker_id": "A2RBF3IIJP15IH"}], "B096FKVW28": [{"asin": "B096FKVW28", "instruction": "i want beige chrisdowa light filtering roller shades for my living room.", "attributes": ["easy install", "living room"], "options": ["color: beige-solar", "size: 48\"w x 72\"h"], "instruction_attributes": ["living room"], "instruction_options": ["beige-solar"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMHW1J2", "worker_id": "A2RBF3IIJP15IH"}], "B084443PVV": [{"asin": "B084443PVV", "instruction": "can you help me find a shampoo set that is sulfate free, 24 fl oz and is repairing?", "attributes": ["sulfate free", "cruelty free", "dry hair"], "options": ["color: repairing (blackberry + coconut oil)", "size: 24 fl oz"], "instruction_attributes": ["sulfate free"], "instruction_options": ["repairing (blackberry + coconut oil)", "24 fl oz"], "assignment_id": "3YDTZAI2W8QFBRKOEKOC69I34JO41U", "worker_id": "A2ECRNQ3X5LEXD"}], "B08HD2F1QG": [{"asin": "B08HD2F1QG", "instruction": "i want a charcoal grey colored chair with metal legs to go in my living room.", "attributes": ["easy install", "metal legs", "living room"], "options": ["color: charcoal grey", "size: velvet"], "instruction_attributes": ["metal legs", "living room"], "instruction_options": ["charcoal grey"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTDHD5V", "worker_id": "A1NF6PELRKACS9"}], "B092Z6QBYK": [{"asin": "B092Z6QBYK", "instruction": "i need a purple color loose fit blouse with long sleeves. i am a medium size.", "attributes": ["light weight", "loose fit", "short sleeve", "long sleeve", "quality polyester", "drawstring closure", "classic fit"], "options": ["color: z2-purple", "size: medium"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["z2-purple", "medium"], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY15J4W", "worker_id": "A1NF6PELRKACS9"}], "B06XYH75NQ": [{"asin": "B06XYH75NQ", "instruction": "i want a gold high speed micro usb cable.", "attributes": ["high speed", "stainless steel"], "options": ["color: gold", "size: 10ft"], "instruction_attributes": ["high speed"], "instruction_options": ["gold"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YMA96L", "worker_id": "A2RBF3IIJP15IH"}], "B0009XQPHU": [{"asin": "B0009XQPHU", "instruction": "please show me a digital camera. my favorite brand is casio, my husnband told me about model exilim ex-z120 7. is there a batteries included too ? isn't it", "attributes": ["batteries included", "optical zoom"], "options": [""], "instruction_attributes": ["batteries included", "optical zoom"], "instruction_options": [], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RFYFLV", "worker_id": "A15IJ20C3R4HUO"}], "B09NQ5TCN2": [{"asin": "B09NQ5TCN2", "instruction": "i am looking for a hot pink jumpsuit that is large and made of quality materials", "attributes": ["long sleeve", "quality materials", "button closure", "daily wear"], "options": ["color: c2-hot pink", "size: large"], "instruction_attributes": ["quality materials"], "instruction_options": ["c2-hot pink", "large"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH0RHQD", "worker_id": "A2ECRNQ3X5LEXD"}], "B098NWGY7P": [{"asin": "B098NWGY7P", "instruction": "i need to buy a new desktop pc. look for one that's intel core, 64gb of ram, with a 2 terabyte ssd and a 1 terabyte hdd.", "attributes": ["dual band", "intel core"], "options": ["size: 64gb ddr4 ram, 2tb pcie ssd + 1tb hdd"], "instruction_attributes": ["intel core"], "instruction_options": ["64gb ddr4 ram, 2tb pcie ssd + 1tb hdd"], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1AZZHF2", "worker_id": "AR9AU5FY1S3RO"}], "B09B6VTZVK": [{"asin": "B09B6VTZVK", "instruction": "i need a long lasting non slip mattress. the size should be 1.2*2 meters.", "attributes": ["non slip", "machine washable", "long lasting", "exquisite workmanship"], "options": ["color: a", "size: 1.2*2.0m"], "instruction_attributes": ["non slip", "long lasting"], "instruction_options": ["1.2*2.0m"], "assignment_id": "36WLNQG78AKYGRZ95NTEL7733LDBEW", "worker_id": "A1NF6PELRKACS9"}], "B07PMYB9NK": [{"asin": "B07PMYB9NK", "instruction": "i am looking for a blackhead removal tool with eco friendly and also non toxic", "attributes": ["oil free", "eco friendly", "non toxic"], "options": [""], "instruction_attributes": ["eco friendly", "non toxic"], "instruction_options": [], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0S3RAF", "worker_id": "A2HMEGTAFO0CS8"}], "B08RJ1678V": [{"asin": "B08RJ1678V", "instruction": "i want a xx-large sousuoty short sleeve shirt.", "attributes": ["unique design", "short sleeve"], "options": ["color: 01-pink", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3J2UYBXQQWMTJP3K1PDRP2J7VIC602", "worker_id": "A2RBF3IIJP15IH"}], "B07MWHY5YH": [{"asin": "B07MWHY5YH", "instruction": "i want a hunter colored and heavy duty gorilla grip bath rug mat.", "attributes": ["machine washable", "heavy duty", "easy clean"], "options": ["color: hunter", "size: 60\" x 24\""], "instruction_attributes": ["heavy duty"], "instruction_options": ["hunter"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG5USLT", "worker_id": "A2RBF3IIJP15IH"}], "B099DZH4P9": [{"asin": "B099DZH4P9", "instruction": "i am looking for 12 pack case for apple watch 38mm series 3, 2, and 1 with tempered glass screen protector. it may be better to have waterproof, shockproof, impact resistant protective and in all the colors.", "attributes": ["ultra hd", "easy install", "high definition", "glass screen", "tempered glass"], "options": ["color: black | white | silver | rosegold | clear | pink | winered | darkblue | lightblue | green | purple | leopard", "size: 42 mm"], "instruction_attributes": ["ultra hd"], "instruction_options": ["black | white | silver | rosegold | clear | pink | winered | darkblue | lightblue | green | purple | leopard"], "assignment_id": "3TGOYF9918WU1M51VEPEUFLUEUXUUW", "worker_id": "A2DQZHJHF45NDT"}], "B07Z76QFVZ": [{"asin": "B07Z76QFVZ", "instruction": "i'm looking for an easy carry and light weight photography backdrop. also, choose the 7x5ft size.", "attributes": ["light weight", "easy carry", "digital photography"], "options": ["size: 7x5ft"], "instruction_attributes": ["light weight", "easy carry"], "instruction_options": ["7x5ft"], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC55WKRO", "worker_id": "A9ZM1P6LBW79"}], "B082BWSGLF": [{"asin": "B082BWSGLF", "instruction": "i want seventh generation, body wash sensitive skin.", "attributes": ["animal testing", "fragrance free", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "345LHZDED82A2SSIGUTD76VU1H83US", "worker_id": "A2RBF3IIJP15IH"}], "B08CF1GQBM": [{"asin": "B08CF1GQBM", "instruction": "look for a pair of dark grey sneakers with a rubber sole.", "attributes": ["ethylene vinyl", "vinyl acetate", "rubber sole"], "options": ["color: dark grey", "size: 6"], "instruction_attributes": ["rubber sole"], "instruction_options": ["dark grey", "6"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68E9A45", "worker_id": "AR9AU5FY1S3RO"}], "B015PK1GQG": [{"asin": "B015PK1GQG", "instruction": "i want azure glitties glitter powder for nail art.", "attributes": ["long lasting", "easy use", "nail art"], "options": ["color: azure", "size: 10 gram"], "instruction_attributes": ["nail art"], "instruction_options": ["azure"], "assignment_id": "3MHW492WWBNB1TPSR28XZR6JFFTVMK", "worker_id": "A2RBF3IIJP15IH"}], "B00SH90TJ8": [{"asin": "B00SH90TJ8", "instruction": "i need a high quality one way for one coral nail polish.", "attributes": ["high quality", "nail polish"], "options": ["color: coral", "style: one way for one"], "instruction_attributes": ["high quality", "nail polish"], "instruction_options": ["coral", "one way for one"], "assignment_id": "37TD41K0ASJI0FWXKI9EL8H0MXCCSV", "worker_id": "ASWFLI3N8X72G"}], "B09439M7D8": [{"asin": "B09439M7D8", "instruction": "i want a small machine washable jcbytjsw jean jacket for men.", "attributes": ["machine wash", "button closure", "everyday wear"], "options": ["color: yellow01", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["small"], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66O4ZFW", "worker_id": "A2RBF3IIJP15IH"}], "B09RJ9LMHQ": [{"asin": "B09RJ9LMHQ", "instruction": "i am looking for mens size medium golf t-shirts that are lightweight.", "attributes": ["slim fit", "long sleeve", "short sleeve", "regular fit"], "options": ["color: black", "size: medium"], "instruction_attributes": ["short sleeve"], "instruction_options": ["medium"], "assignment_id": "3GD6L00D337VFH9UKOO8S3Z3QALM1J", "worker_id": "A2KW17G25L25R8"}], "B08GFL3B4J": [{"asin": "B08GFL3B4J", "instruction": "i need gold hands free kids bluetooth 5.0 unicorns headphones.", "attributes": ["hands free", "easy carry"], "options": ["color: gold"], "instruction_attributes": ["hands free"], "instruction_options": ["gold"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWTYB973", "worker_id": "A2RBF3IIJP15IH"}], "B0789VCBF6": [{"asin": "B0789VCBF6", "instruction": "i am looking for deep moisturizing shampoo for extreme damage hair .advanced formula of micro nutrients to generate moisture inside the hair repairing chemical damage and color damage from the inside out; locks in nutrients and hydration needed to keep hair strong and bouncy. the truss ultra hydration plus shampoo for dry hair.", "attributes": ["damaged hair", "dry hair"], "options": [""], "instruction_attributes": ["damaged hair", "dry hair"], "instruction_options": [], "assignment_id": "3R6P78PK7VLWWRPHB4ANL4Y1M8UTGN", "worker_id": "A1DRKZ3SCLAS4V"}], "B07S6BVN5L": [{"asin": "B07S6BVN5L", "instruction": "i would like a bronze wall lamp for my living room.", "attributes": ["clear glass", "glass shade", "bronze finish", "living room"], "options": [""], "instruction_attributes": ["bronze finish", "living room"], "instruction_options": [], "assignment_id": "354GIDR5ZMGY5EH5Z0XAG19GIFJ00O", "worker_id": "A1WS884SI0SLO4"}], "B005VTQ05Y": [{"asin": "B005VTQ05Y", "instruction": "i need some kosher buffalo wing sauce", "attributes": ["ready use", "kosher certified"], "options": ["size: 23 fl oz (pack of 1)"], "instruction_attributes": ["kosher certified"], "instruction_options": ["23 fl oz (pack of 1)"], "assignment_id": "3QL2OFSM9HSLK24SCMSSME7UZXANCY", "worker_id": "A2ECRNQ3X5LEXD"}], "B09G2FS316": [{"asin": "B09G2FS316", "instruction": "i want a marble white and high quality travel makeup bag.", "attributes": ["high quality", "rose gold"], "options": ["color: v-marble white", "size: small (pack of 1)"], "instruction_attributes": ["high quality"], "instruction_options": ["v-marble white"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L1YVCB", "worker_id": "A2RBF3IIJP15IH"}], "B078XR8C15": [{"asin": "B078XR8C15", "instruction": "i would like a white item finder that has batteries included.", "attributes": ["batteries included", "easy use"], "options": ["color: white"], "instruction_attributes": ["batteries included"], "instruction_options": ["white"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040COGT2T", "worker_id": "A1WS884SI0SLO4"}], "B09BFDRGX4": [{"asin": "B09BFDRGX4", "instruction": "i want army green knee high hbeylia women's booties.", "attributes": ["knee high", "day comfort", "quality materials"], "options": ["color: army green", "size: 7.5 wide"], "instruction_attributes": ["knee high"], "instruction_options": ["army green"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB45XQA7", "worker_id": "A2RBF3IIJP15IH"}], "B01J5OMNWO": [{"asin": "B01J5OMNWO", "instruction": "i would like a pair of size 9.5 heeled blue sandals with a synthetic sole.", "attributes": ["ankle strap", "synthetic sole"], "options": ["color: blue | multi", "size: 9.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["blue | multi", "9.5"], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39BFCZ1", "worker_id": "A1WS884SI0SLO4"}], "B093238RB2": [{"asin": "B093238RB2", "instruction": "i would like a high speed streaming media player that is easy to use.", "attributes": ["high speed", "easy use", "quad core"], "options": [""], "instruction_attributes": ["high speed", "easy use"], "instruction_options": [], "assignment_id": "369J354OFOKQUTE5FR2UAU6N2ZDG6R", "worker_id": "A1WS884SI0SLO4"}], "B00A1EYZQA": [{"asin": "B00A1EYZQA", "instruction": "florida caribbean flavor tortuga orange rum cake - 4 oz rum cake for easter dessert. find a fresh baked one for me in stock.", "attributes": ["baked fresh", "quality ingredients", "gift basket"], "options": [""], "instruction_attributes": ["baked fresh"], "instruction_options": [], "assignment_id": "3RGU30DZTLI2AYPYADUEW3VPKSEMJI", "worker_id": "A15IJ20C3R4HUO"}], "B08DM9N8XQ": [{"asin": "B08DM9N8XQ", "instruction": "i am looking for a travel sized bottle of prada luna rossa impression eau de parfum.", "attributes": ["travel size", "long lasting"], "options": ["scent: prada luna rossa impression"], "instruction_attributes": ["travel size"], "instruction_options": ["prada luna rossa impression"], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDRPY8R", "worker_id": "A1EREKSZAA9V7B"}], "B07JLCRDCZ": [{"asin": "B07JLCRDCZ", "instruction": "i need a dress that is machine washable and is navy with pinstripes.", "attributes": ["easy care", "machine wash", "button closure"], "options": ["color: navy, pinstripe", "size: 34w x 32l"], "instruction_attributes": ["machine wash"], "instruction_options": ["navy, pinstripe"], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL99UV29", "worker_id": "A2ECRNQ3X5LEXD"}], "B081N9396M": [{"asin": "B081N9396M", "instruction": "i am looking for double sided hair extensions that are at least 22 inches", "attributes": ["double sided", "hair extensions"], "options": ["color: #p10 | 16 | 613", "size: 22 inch"], "instruction_attributes": ["double sided", "hair extensions"], "instruction_options": ["22 inch"], "assignment_id": "3I2PTA7R344O6XT8KR17ERF79IFKQ6", "worker_id": "A32JEH06T23HDF"}], "B07YYLBZYV": [{"asin": "B07YYLBZYV", "instruction": "i am looking for a 5ft black ac adapter that has output protection.", "attributes": ["output protection", "1080p hd"], "options": ["color: black", "size: 5ft"], "instruction_attributes": ["output protection"], "instruction_options": ["black", "5ft"], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCU264S", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SWPZS4B": [{"asin": "B09SWPZS4B", "instruction": "i am looking for a 5 piece hair growth treatment that has all natural ingredients.", "attributes": ["seed oil", "natural ingredients", "hair growth", "hair loss", "damaged hair"], "options": ["size: 5pcs"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["5pcs"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WTK1A2", "worker_id": "A2ECRNQ3X5LEXD"}], "B000JZEABG": [{"asin": "B000JZEABG", "instruction": "i want fat free black forest gummy bears.", "attributes": ["fat free", "gluten free", "real fruit", "resealable bag"], "options": [""], "instruction_attributes": ["fat free"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9FEE2B", "worker_id": "A2RBF3IIJP15IH"}], "B09MG37LP8": [{"asin": "B09MG37LP8", "instruction": "i want a sweet and awesome hersheys candy mix gift set.", "attributes": ["individually wrapped", "gift set"], "options": ["style: hersheys candy mix - 2 lb"], "instruction_attributes": ["gift set"], "instruction_options": ["hersheys candy mix - 2 lb"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LI7I5K", "worker_id": "A2RBF3IIJP15IH"}], "B08MJCJ659": [{"asin": "B08MJCJ659", "instruction": "i want melody of the night wall art for the living room.", "attributes": ["ready hang", "living room"], "options": ["color: melody of the night", "size: 30\"x20\""], "instruction_attributes": ["living room"], "instruction_options": ["melody of the night"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6ST0DU1", "worker_id": "A2RBF3IIJP15IH"}], "B073G1P3ZX": [{"asin": "B073G1P3ZX", "instruction": "i want a 2 pound, pack of 1, chocolate covered hazelnuts.", "attributes": ["non dairy", "chocolate covered"], "options": ["size: 2 pound (pack of 1)"], "instruction_attributes": ["chocolate covered"], "instruction_options": ["2 pound (pack of 1)"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRQI2YB", "worker_id": "A3UUH3632AI3ZX"}], "B08WJGYNWJ": [{"asin": "B08WJGYNWJ", "instruction": "i would like a 16 ounce bottle of raisin milk that could be a great gift set.", "attributes": ["chocolate covered", "gift set", "great gift"], "options": ["flavor name: raisins - milk", "size: 16 ounce"], "instruction_attributes": ["gift set", "great gift"], "instruction_options": ["raisins - milk", "16 ounce"], "assignment_id": "31LVTDXBLIKZ24QQI628YH2RU36RLZ", "worker_id": "A1WS884SI0SLO4"}], "B09QJMYF49": [{"asin": "B09QJMYF49", "instruction": "i want a pair of green noise cancelling earbud headphones.", "attributes": ["noise cancelling", "light weight", "stereo sound"], "options": ["color: green"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["green"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQVBB4G", "worker_id": "A1WS884SI0SLO4"}], "B095SCLBTF": [{"asin": "B095SCLBTF", "instruction": "i want a small high waisted smooto summer dress for women.", "attributes": ["high waist", "daily wear"], "options": ["color: beige 1", "size: small"], "instruction_attributes": ["high waist"], "instruction_options": ["small"], "assignment_id": "3DYGAII7PWIPHOQOXJ6FA8163RAQP0", "worker_id": "A2RBF3IIJP15IH"}], "B09PNC6152": [{"asin": "B09PNC6152", "instruction": "i need 2 pcs of purple color toothpaste which is good for sensitive teeth and bad breath.", "attributes": ["sensitive teeth", "bad breath"], "options": ["color: purple", "size: 2 pcs"], "instruction_attributes": ["sensitive teeth", "bad breath"], "instruction_options": ["purple", "2 pcs"], "assignment_id": "3Y5140Z9D8QC0Q25KB1616AKCICIPA", "worker_id": "ASWFLI3N8X72G"}], "B077TQ74DM": [{"asin": "B077TQ74DM", "instruction": "i would like a 40 by 40 blue orange throw pillow cover that is machine washable.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: blue orange", "size: 40\" x 40\""], "instruction_attributes": ["machine washable"], "instruction_options": ["blue orange", "40\" x 40\""], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKGZQ54A", "worker_id": "A1WS884SI0SLO4"}], "B0051I9OWQ": [{"asin": "B0051I9OWQ", "instruction": "i need high speed hdmi cables that are 15 feet long", "attributes": ["high speed", "ultra hd", "blu ray", "1080p hd", "gold plated"], "options": ["size: 15ft"], "instruction_attributes": ["high speed"], "instruction_options": ["15ft"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1GM3U4", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GZY9KK8": [{"asin": "B07GZY9KK8", "instruction": "i am looking for roasted and salted cashews that has low sodium content and no artificial ingredients.", "attributes": ["artificial ingredients", "low sodium", "protein serving", "non gmo"], "options": [""], "instruction_attributes": ["artificial ingredients", "low sodium"], "instruction_options": [], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSAYWCK", "worker_id": "AJDQGOTMB2D80"}], "B07P13RBND": [{"asin": "B07P13RBND", "instruction": "i would like a 19\" by 13\" by 17\" nile green bench that is super soft to sit in.", "attributes": ["spot clean", "super soft", "living room"], "options": ["color: nile green", "size: 19\" x 13\" x 17\""], "instruction_attributes": ["super soft"], "instruction_options": ["nile green", "19\" x 13\" x 17\""], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9USX5E", "worker_id": "A1WS884SI0SLO4"}], "B06ZYJ5HL4": [{"asin": "B06ZYJ5HL4", "instruction": "i want size 2x and machine washable women's plus size active run shorts.", "attributes": ["machine wash", "drawstring waist", "drawstring closure"], "options": ["color: spot on odyssey", "size: 2x"], "instruction_attributes": ["machine wash"], "instruction_options": ["2x"], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2FPFKO", "worker_id": "A2RBF3IIJP15IH"}], "B00VUUR50W": [{"asin": "B00VUUR50W", "instruction": "i need some xx-large polos that have buttons and are in red and black.", "attributes": ["wash cold", "button closure", "tumble dry"], "options": ["color: red | black", "size: xx-large", "team name: indiana hoosiers"], "instruction_attributes": ["button closure"], "instruction_options": ["red | black", "xx-large"], "assignment_id": "37TRT2X24116R7L1JO45INKV8TKBJS", "worker_id": "A2ECRNQ3X5LEXD"}], "B09ML1SJJ9": [{"asin": "B09ML1SJJ9", "instruction": "i am looking for a high speed gaming desktop with core i5. also choose 64gb ram|512gb ssd|win11h.", "attributes": ["high speed", "core i5", "intel core"], "options": ["size: 64gb ram|512gb ssd|win11h"], "instruction_attributes": ["high speed", "core i5"], "instruction_options": ["64gb ram|512gb ssd|win11h"], "assignment_id": "3NVC2EB6519RJ1CNQVQ2AR17X56Y38", "worker_id": "A2HMEGTAFO0CS8"}], "B01K4XK2FU": [{"asin": "B01K4XK2FU", "instruction": "i want pink ambesonne shutters curtains for my living room.", "attributes": ["machine washable", "printing technology", "living room"], "options": ["color: pink green", "size: 108\" x 84\""], "instruction_attributes": ["living room"], "instruction_options": ["pink green"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYBHEIS", "worker_id": "A2RBF3IIJP15IH"}], "B08W2NYM42": [{"asin": "B08W2NYM42", "instruction": "i would like a stainless steel facial roller.", "attributes": ["stainless steel", "dark circles"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZH49K0", "worker_id": "A1WS884SI0SLO4"}], "B07KQ5FQDX": [{"asin": "B07KQ5FQDX", "instruction": "get me a pair of neon green shorts with a drawstring closure in size small.", "attributes": ["moisture wicking", "machine wash", "drawstring closure", "elastic waistband", "polyester spandex"], "options": ["color: neon green", "size: small"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["neon green", "small"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBANFJ", "worker_id": "AR9AU5FY1S3RO"}], "B084Z1G6TC": [{"asin": "B084Z1G6TC", "instruction": "i am looking for a wall sconce with a nickel finish. please make sure that it has a vintage brass color and is mini pendant styled.", "attributes": ["nickel finish", "clear glass"], "options": ["color: vintage brass", "style: mini pendant"], "instruction_attributes": ["nickel finish"], "instruction_options": ["vintage brass", "mini pendant"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJLY0WS", "worker_id": "AJDQGOTMB2D80"}], "B09GVYBZTF": [{"asin": "B09GVYBZTF", "instruction": "i would like a blue hair towel like those in a salon.", "attributes": ["hair salon", "dry hair"], "options": ["color: blue"], "instruction_attributes": ["hair salon"], "instruction_options": ["blue"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH88E10", "worker_id": "A1WS884SI0SLO4"}], "B07C812LHQ": [{"asin": "B07C812LHQ", "instruction": "i want a rose pink maxone 1tb portable external hard drive that is plug and play.", "attributes": ["plug play", "usb port"], "options": ["capacity: 500gb", "color: rose pink"], "instruction_attributes": ["plug play"], "instruction_options": ["rose pink"], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINRN27O", "worker_id": "A2RBF3IIJP15IH"}], "B01K7YK2RY": [{"asin": "B01K7YK2RY", "instruction": "buy me a pair of machine washable jeans in maria.", "attributes": ["machine wash", "imported zipper", "quality materials"], "options": ["color: maria", "size: 20-30"], "instruction_attributes": ["machine wash"], "instruction_options": ["maria"], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZLTY1H", "worker_id": "AR9AU5FY1S3RO"}], "B08LSM3T2G": [{"asin": "B08LSM3T2G", "instruction": "i am looking for a machine washable boxer brief with tumble dry. also choose multi color pack and 3x large size.", "attributes": ["machine washable", "machine wash", "tumble dry"], "options": ["color: multi10", "size: 3x-large"], "instruction_attributes": ["machine washable", "tumble dry"], "instruction_options": ["multi10", "3x-large"], "assignment_id": "3N1FSUEFLGA93M00UD877BJCTH8D4C", "worker_id": "A2HMEGTAFO0CS8"}], "B09Q6BNXVY": [{"asin": "B09Q6BNXVY", "instruction": "i want masbird open toe sandals for women in size 7.5.", "attributes": ["open toe", "leather sole", "high heel", "teen girls", "daily wear"], "options": ["color: a01-black", "size: 7.5"], "instruction_attributes": ["open toe"], "instruction_options": ["7.5"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK247PKNG", "worker_id": "A2RBF3IIJP15IH"}], "B09P8F6J2T": [{"asin": "B09P8F6J2T", "instruction": "i am looking for easy to use hair rollers in pink.", "attributes": ["easy use", "hair styling"], "options": ["color: pink"], "instruction_attributes": ["easy use"], "instruction_options": ["pink"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH8J1EY", "worker_id": "A2ECRNQ3X5LEXD"}], "B08N4S3B85": [{"asin": "B08N4S3B85", "instruction": "let me get some stainless steel tongue scrapers. pick a purple one.", "attributes": ["stainless steel", "oral hygiene"], "options": ["color: purple | orange | pink | yellow"], "instruction_attributes": ["stainless steel"], "instruction_options": ["purple | orange | pink | yellow"], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V372UF", "worker_id": "A1NF6PELRKACS9"}], "B09QHK4DV1": [{"asin": "B09QHK4DV1", "instruction": "i'm looking for men's low rise boxer briefs in black color. please select xx-large size.", "attributes": ["butt lifting", "low rise", "day comfort", "quick drying", "moisture wicking", "high waist"], "options": ["color: black", "size: xx-large"], "instruction_attributes": ["low rise"], "instruction_options": ["black", "xx-large"], "assignment_id": "3A4TN5196VSTA6IH9OXFHUAYDMEHCY", "worker_id": "A20DUVEOH6A7KW"}], "B09MFZY1QC": [{"asin": "B09MFZY1QC", "instruction": "i need to buy four pounds of individually wrapped chocolates.", "attributes": ["individually wrapped", "valentine day", "perfect gift"], "options": ["size: 4 pound"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["4 pound"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L1XCVR", "worker_id": "AR9AU5FY1S3RO"}], "B09P5LY24M": [{"asin": "B09P5LY24M", "instruction": "i am looking for a supplement for hair growth which is clinically proven. also choose bundle pack 2", "attributes": ["clinically proven", "hair growth", "hair loss"], "options": ["size: bundle pack #2"], "instruction_attributes": ["clinically proven", "hair growth"], "instruction_options": ["bundle pack #2"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788CA5CQ", "worker_id": "A2HMEGTAFO0CS8"}], "B0829VDK65": [{"asin": "B0829VDK65", "instruction": "i would love some water resistant eye shadow that is coral colored.", "attributes": ["highly pigmented", "water resistant", "easy apply", "cruelty free", "eye shadow", "dry skin", "sensitive skin"], "options": ["color: golden coral"], "instruction_attributes": ["water resistant"], "instruction_options": ["golden coral"], "assignment_id": "3P529IW9K9V2ZELHRB2EHSO8RF5LF8", "worker_id": "A2ECRNQ3X5LEXD"}], "B08613274T": [{"asin": "B08613274T", "instruction": "i want a mid century console sofa table.", "attributes": ["mid century", "assembly required", "metal legs"], "options": [""], "instruction_attributes": ["mid century"], "instruction_options": [], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZRA40J", "worker_id": "A2RBF3IIJP15IH"}], "B07GDSVW8B": [{"asin": "B07GDSVW8B", "instruction": "i'd like to order some barbecue flavored veggie crisps. look for low fat, non gmo, and plant based snacks.", "attributes": ["plant based", "low fat", "non gmo", "gluten free", "artificial flavors"], "options": ["flavor: barbecue"], "instruction_attributes": ["plant based", "low fat", "non gmo"], "instruction_options": ["barbecue"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2DKOI3", "worker_id": "AR9AU5FY1S3RO"}], "B08DQWMM4J": [{"asin": "B08DQWMM4J", "instruction": "i am looking for a high quality 25mm false eyelash extensions.", "attributes": ["easy apply", "high quality"], "options": ["color: dd-0.03", "size: 25mm"], "instruction_attributes": ["high quality"], "instruction_options": ["25mm"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3GGBV2", "worker_id": "A1EREKSZAA9V7B"}], "B07Z51SR1J": [{"asin": "B07Z51SR1J", "instruction": "i want to find a natural jade face mask that helps hide dark circles. the mask needs to be crystal clear in color.", "attributes": ["easy use", "dark circles"], "options": ["color: clear crystal"], "instruction_attributes": ["dark circles"], "instruction_options": ["clear crystal"], "assignment_id": "33CID5710F37J25O7G1CGJZBOQJL3K", "worker_id": "A345TDMHP3DQ3G"}], "B09KTNVY6F": [{"asin": "B09KTNVY6F", "instruction": "i want a black machine washable women's round turtleneck sweater.", "attributes": ["winter warm", "fleece lined", "machine wash", "long sleeve", "relaxed fit", "polyester spandex", "everyday wear"], "options": ["color: black", "size: medium"], "instruction_attributes": ["machine wash"], "instruction_options": ["black"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ6WL1J", "worker_id": "A2RBF3IIJP15IH"}], "B09T3NHTTR": [{"asin": "B09T3NHTTR", "instruction": "i want a pink eforcase u shaped toddler toothbrush for sensitive teeth.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: type 3", "size: pink (7~12 year old)"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["pink (7~12 year old)"], "assignment_id": "3DUZQ9U6SXYEZO2XBZ4JB05P74BSVT", "worker_id": "A2RBF3IIJP15IH"}], "B09129MQDV": [{"asin": "B09129MQDV", "instruction": "for my living room, i need a ready to hang, 16 x 20 in, wall art poster made in athletic gold color.", "attributes": ["ready hang", "solid wood", "living room"], "options": ["color: athletic gold", "size: 16 x 20 in"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["athletic gold", "16 x 20 in"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUIWVZK", "worker_id": "ASWFLI3N8X72G"}], "B074PTW8TX": [{"asin": "B074PTW8TX", "instruction": "i want a package of individual wrapped granola bars. look for the peanut butter chocolate chip flavor.", "attributes": ["individually wrapped", "artificial colors"], "options": ["flavor name: peanut butter chocolate chip"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["peanut butter chocolate chip"], "assignment_id": "3RRCEFRB7XMGOP2GGHH1CLVCQW3B4A", "worker_id": "AR9AU5FY1S3RO"}], "B088LKHSL9": [{"asin": "B088LKHSL9", "instruction": "i want a .63 ounce pack of 12 watkins organic gourmet dip mix. i want the salsa and sour cream flavor.", "attributes": ["certified organic", "non gmo"], "options": ["flavor: salsa & sour cream - organic", "size: 0.63 ounce (pack of 12)"], "instruction_attributes": ["non gmo"], "instruction_options": ["salsa & sour cream - organic", "0.63 ounce (pack of 12)"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZQXK3Z", "worker_id": "A1CB72B51L7TKE"}], "B073RNY6WF": [{"asin": "B073RNY6WF", "instruction": "i would like a pair of pants in a size 7 that are machine washable and a tartan color.", "attributes": ["wash cold", "machine wash", "nylon spandex"], "options": ["color: neutral tartan", "size: 7"], "instruction_attributes": ["machine wash"], "instruction_options": ["neutral tartan", "7"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AP4BWY", "worker_id": "A2ECRNQ3X5LEXD"}], "B0825DBY38": [{"asin": "B0825DBY38", "instruction": "i need a wall lamp that has a dark bronze nickel finish", "attributes": ["brushed nickel", "nickel finish", "contemporary style"], "options": ["color: dark bronze"], "instruction_attributes": ["nickel finish"], "instruction_options": ["dark bronze"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR400C1", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QQM4W65": [{"asin": "B09QQM4W65", "instruction": "select 1 unit toothpaste for sensitive teeth whitening corrector, enamel care.", "attributes": ["teeth whitening", "natural ingredients", "sensitive teeth", "fresh breath"], "options": ["color: mix", "size: 1pc"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["1pc"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWXAR12", "worker_id": "A15IJ20C3R4HUO"}], "B08V8XQRX5": [{"asin": "B08V8XQRX5", "instruction": "i would like a medium black camo tank top for my gym workouts.", "attributes": ["moisture wicking", "stretch fabric", "polyester spandex", "gym workout"], "options": ["color: black+emcamoblack", "size: medium"], "instruction_attributes": ["gym workout"], "instruction_options": ["black+emcamoblack", "medium"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH0JQHE", "worker_id": "A1WS884SI0SLO4"}], "B098XF9SZD": [{"asin": "B098XF9SZD", "instruction": "i want to buy some 72 inch long drapes for the living room. look for machine washable drapes.", "attributes": ["machine washable", "living room"], "options": ["size: 52x72inch"], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["52x72inch"], "assignment_id": "3Z4GS9HPN6KQ50H95Y3SAVTQY8M77O", "worker_id": "AR9AU5FY1S3RO"}], "B08QJ9646M": [{"asin": "B08QJ9646M", "instruction": "i would like a 10.63x9.05 inch pack of 5 red edge sponges that are long lasting.", "attributes": ["easy clean", "long lasting", "sensitive skin"], "options": ["size: 10.63x9.05 inch (pack of 5)", "style: red edge"], "instruction_attributes": ["long lasting"], "instruction_options": ["10.63x9.05 inch (pack of 5)", "red edge"], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLLUI4V", "worker_id": "A1WS884SI0SLO4"}], "B09T6BY7J5": [{"asin": "B09T6BY7J5", "instruction": "i need a men's short sleeve shirt that is coffee colored and an xx-large", "attributes": ["daily casual", "loose fit", "wash cold", "slim fit", "hand wash", "short sleeve", "polyester spandex"], "options": ["color: ccoffee", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["ccoffee", "xx-large"], "assignment_id": "31JLPPHS254FPN8LK8H48035JU0O3E", "worker_id": "A2ECRNQ3X5LEXD"}], "B09DYJ6K32": [{"asin": "B09DYJ6K32", "instruction": "i want ailun privacy glass screen protectors.", "attributes": ["high definition", "tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["glass screen"], "instruction_options": [], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLFZ2FL", "worker_id": "A2RBF3IIJP15IH"}], "B00BNP9KR0": [{"asin": "B00BNP9KR0", "instruction": "i need a cocoa mix that is non gmo and a pack of 3.", "attributes": ["non gmo", "gluten free", "natural flavors", "artificial colors"], "options": ["flavor name: pure cocoa", "size: 4 fl oz (pack of 3)"], "instruction_attributes": ["non gmo"], "instruction_options": ["pure cocoa", "4 fl oz (pack of 3)"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP82DQ4", "worker_id": "A2ECRNQ3X5LEXD"}], "B09HCFGKZY": [{"asin": "B09HCFGKZY", "instruction": "i want to find a monocular telescope that i can use for birdwatching, and it must be easy to install.", "attributes": ["easy install", "bird watching"], "options": [""], "instruction_attributes": ["easy install", "bird watching"], "instruction_options": [], "assignment_id": "3CTOC39K3I0JPVIB67SPDLYZP3A7JJ", "worker_id": "A345TDMHP3DQ3G"}], "B097DCRTWP": [{"asin": "B097DCRTWP", "instruction": "i am looking for high quality 22 inch hair extensions.", "attributes": ["high quality", "hair extensions", "dry hair"], "options": ["color: honey blonde mix bleach blonde-curly", "size: 22 inch"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["22 inch"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60O1AAC", "worker_id": "A1EREKSZAA9V7B"}], "B077PHGLJN": [{"asin": "B077PHGLJN", "instruction": "i need low rise jeans that are a 54w by 34l", "attributes": ["low rise", "straight leg", "machine wash", "imported zipper"], "options": ["color: (new) cool slate", "fit type: big & tall", "size: 54w x 34l"], "instruction_attributes": ["low rise"], "instruction_options": ["54w x 34l"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR4UC07", "worker_id": "A2ECRNQ3X5LEXD"}], "B000KOSF30": [{"asin": "B000KOSF30", "instruction": "i am looking for 1 pack of 9 gr light golden reddish blonde hair dye which is good and long lasting.", "attributes": ["long lasting", "permanent hair", "hair dye"], "options": ["color: 9gr light golden reddish blonde", "size: pack of 1"], "instruction_attributes": ["long lasting", "hair dye"], "instruction_options": ["9gr light golden reddish blonde", "pack of 1"], "assignment_id": "3CFVK00FWWV6GLS6QIZANMBVYHIL6N", "worker_id": "ASWFLI3N8X72G"}], "B00XE3UFAU": [{"asin": "B00XE3UFAU", "instruction": "i want peanut butter & co. cocoa powder, non-gmo.", "attributes": ["non gmo", "gluten free", "protein serving"], "options": ["flavor name: cocoa", "size: 6.5 ounce (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["cocoa"], "assignment_id": "317HQ483II2CX5QS4WOEXH5PC37NIF", "worker_id": "A2RBF3IIJP15IH"}], "B07ZBF449V": [{"asin": "B07ZBF449V", "instruction": "i need a futon mattress in the color a for the living room.", "attributes": ["non slip", "space saving", "living room"], "options": ["color: a", "size: 180x220cm(71x87inch)"], "instruction_attributes": ["living room"], "instruction_options": ["a"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFRK0T6", "worker_id": "A2ECRNQ3X5LEXD"}], "B0811DB2R8": [{"asin": "B0811DB2R8", "instruction": "i would like a pair of noise cancelling earbud headphones.", "attributes": ["noise cancelling", "gold plated", "carrying case"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY1HP70", "worker_id": "A1WS884SI0SLO4"}], "B09B5M59X1": [{"asin": "B09B5M59X1", "instruction": "i would like a social distance hug perfect gift basket.", "attributes": ["gift basket", "perfect gift"], "options": ["style: sending a social distance hug"], "instruction_attributes": ["gift basket", "perfect gift"], "instruction_options": ["sending a social distance hug"], "assignment_id": "324G5B4FBEICNPHPKZIJVGJ3QT7076", "worker_id": "A1WS884SI0SLO4"}], "B093352T72": [{"asin": "B093352T72", "instruction": "i am looking for an easy to install white antler chandelier with 18 antlers and 9 lights.", "attributes": ["easy install", "pendant light"], "options": ["size: 18 antlers + 9 lights"], "instruction_attributes": ["easy install"], "instruction_options": ["18 antlers + 9 lights"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3PPZMC", "worker_id": "A1EREKSZAA9V7B"}], "B09L7TFHXB": [{"asin": "B09L7TFHXB", "instruction": "shop for a laptop that's intel i5 quad core, with 16 gigabytes of ram and a 512 gigabyte ssd.", "attributes": ["core i5", "intel core", "quad core"], "options": ["capacity: 16gb ddr4 ram, 512gb pcie ssd"], "instruction_attributes": ["core i5", "intel core", "quad core"], "instruction_options": ["16gb ddr4 ram, 512gb pcie ssd"], "assignment_id": "3FE2ERCCZ8IMWCD8I6EBL366OR9POA", "worker_id": "AR9AU5FY1S3RO"}], "B08D3H2DJR": [{"asin": "B08D3H2DJR", "instruction": "i am looking for a pack of 3 high quality heavy duty clear toiletry bags.", "attributes": ["heavy duty", "high quality", "travel bottles"], "options": ["color: navy pack of 2", "size: pack of 3"], "instruction_attributes": ["heavy duty", "high quality"], "instruction_options": ["pack of 3"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU49U6RL", "worker_id": "A1EREKSZAA9V7B"}], "B00PY2FBSK": [{"asin": "B00PY2FBSK", "instruction": "i would like some dining room pendant lights that are river stone color and are 20.5\" wide.", "attributes": ["bronze finish", "light fixture", "dining room"], "options": ["color: river stone", "size: 20.5\" wide"], "instruction_attributes": ["dining room"], "instruction_options": ["river stone", "20.5\" wide"], "assignment_id": "3DOCMVPBTYO4B61J1C162P16Y1ONNG", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NRCY45Z": [{"asin": "B09NRCY45Z", "instruction": "i am looking for a high quality slipper made up of quality material for a little kid, size 10.5 - 11. also choose white color.", "attributes": ["non slip", "high quality", "quality materials"], "options": ["color: white", "size: 10.5-11 little kid"], "instruction_attributes": ["high quality", "quality materials"], "instruction_options": ["white", "10.5-11 little kid"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8NQQ62", "worker_id": "A2HMEGTAFO0CS8"}], "B07ZNF8BP3": [{"asin": "B07ZNF8BP3", "instruction": "i would like a 18 inch #5 easy to use hair extensions.", "attributes": ["easy apply", "hair extensions"], "options": ["color: #6 | 14 | 26", "size: 18 inch (pack of 1)"], "instruction_attributes": ["easy apply", "hair extensions"], "instruction_options": ["#6 | 14 | 26", "18 inch (pack of 1)"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2LQ5L8", "worker_id": "A1WS884SI0SLO4"}], "B08RPCGJGD": [{"asin": "B08RPCGJGD", "instruction": "i would like a 32 fluid ounce bottle of sweet and creamy non-gmo dairy creamer.", "attributes": ["plant based", "non dairy", "certified organic", "dairy free", "non gmo", "gluten free", "shelf stable", "artificial flavors"], "options": ["flavor name: sweet & creamy", "size: 32 fl oz (pack of 6)"], "instruction_attributes": ["non gmo"], "instruction_options": ["sweet & creamy", "32 fl oz (pack of 6)"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREMS2J0", "worker_id": "A1WS884SI0SLO4"}], "B09QQFCTT9": [{"asin": "B09QQFCTT9", "instruction": "i am looking for a brighten colored toothpaste that is fluoride free and has natural ingredients.", "attributes": ["teeth whitening", "fluoride free", "long lasting", "natural ingredients", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: brighten"], "instruction_attributes": ["fluoride free", "natural ingredients"], "instruction_options": ["brighten"], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOWY391", "worker_id": "AJDQGOTMB2D80"}], "B09P656ZZ4": [{"asin": "B09P656ZZ4", "instruction": "i am looking for fluoride free teeth whitening toothpaste that has two times the repair.", "attributes": ["fluoride free", "teeth whitening", "bad breath"], "options": ["color: 2x tooth repair"], "instruction_attributes": ["fluoride free", "teeth whitening"], "instruction_options": ["2x tooth repair"], "assignment_id": "30ZX6P7VFJ5C3UL50VBUHUHREN6J2X", "worker_id": "A1EREKSZAA9V7B"}], "B07NKC79K5": [{"asin": "B07NKC79K5", "instruction": "i am looking for a dual band ac/dc adapter for a zboost.", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["dual band"], "instruction_options": [], "assignment_id": "3FDJT1UU7FIZDBAA0ZD4GGKGDLVK5U", "worker_id": "A2KW17G25L25R8"}], "B075QHVT8K": [{"asin": "B075QHVT8K", "instruction": "i'd like to order an eight ounce bottle of maple syrup. make sure it's nut free.", "attributes": ["hand crafted", "nut free", "kosher certified", "non gmo", "gluten free", "artificial flavors"], "options": ["size: 8 ounce"], "instruction_attributes": ["nut free"], "instruction_options": ["8 ounce"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYODGTAA", "worker_id": "AR9AU5FY1S3RO"}], "B075PK2DSR": [{"asin": "B075PK2DSR", "instruction": "i would like to buy a one fluid ounce bottle of face oil for my dry skin.", "attributes": ["non toxic", "dark circles", "damaged hair", "dry skin", "hair growth"], "options": ["size: 1 fl oz - 30 ml."], "instruction_attributes": ["dry skin"], "instruction_options": ["1 fl oz - 30 ml."], "assignment_id": "3L4D84MILA2GIKONJGE14YNT36HJH8", "worker_id": "A1WS884SI0SLO4"}], "B09PZTG93B": [{"asin": "B09PZTG93B", "instruction": "i need teeth whitening toothpaste that is orange and purple.", "attributes": ["teeth whitening", "long lasting", "fresh breath", "sensitive teeth", "bad breath"], "options": ["color: 2pcs orange+purple"], "instruction_attributes": ["teeth whitening"], "instruction_options": ["2pcs orange+purple"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWU9RR94", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H48G5P9": [{"asin": "B09H48G5P9", "instruction": "i need a microphone cable with a power amplifier and 1.8\u7c73 capacity.", "attributes": ["power amplifier", "easy install"], "options": ["capacity: 1.8\u7c73"], "instruction_attributes": ["power amplifier"], "instruction_options": [], "assignment_id": "3OONKJ5DKNTKSICYZ1WAQJ1H7NTBOA", "worker_id": "AR9AU5FY1S3RO"}], "B0828FCWRW": [{"asin": "B0828FCWRW", "instruction": "i need a wall lamp that has a bronze finish.", "attributes": ["glass shade", "bronze finish"], "options": [""], "instruction_attributes": ["bronze finish"], "instruction_options": [], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWYU1RY", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PHVKQT3": [{"asin": "B07PHVKQT3", "instruction": "i would like a 0.33 fluid ounce porcelain concealers for the dark circles under my eyes.", "attributes": ["cruelty free", "dark circles"], "options": ["color: porcelain", "size: 0.33 fl oz (pack of 1)"], "instruction_attributes": ["dark circles"], "instruction_options": ["porcelain", "0.33 fl oz (pack of 1)"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK44G6AL", "worker_id": "A1WS884SI0SLO4"}], "B09B4F9KPL": [{"asin": "B09B4F9KPL", "instruction": "i am interested in red heavy duty bed frames for a queen sized bed.", "attributes": ["heavy duty", "faux leather", "memory foam"], "options": ["color: red", "size: queen", "style: linen"], "instruction_attributes": ["heavy duty"], "instruction_options": ["red", "queen"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1BKXCS", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TQ56RZD": [{"asin": "B07TQ56RZD", "instruction": "i want some highly pigmented eye liner pencils that come in a variety of colors and are easy to apply.", "attributes": ["long lasting", "highly pigmented", "easy apply"], "options": ["color: 12 rainbow colors"], "instruction_attributes": ["highly pigmented", "easy apply"], "instruction_options": ["12 rainbow colors"], "assignment_id": "3OUYGIZWRI81TVLPGLC0V2AOQOQ0PS", "worker_id": "AR9AU5FY1S3RO"}], "B007CQ6A72": [{"asin": "B007CQ6A72", "instruction": "i want to find a navy colored non-slip rug that is oval shaped and 3 feet by 5 feet in size.", "attributes": ["non slip", "white item"], "options": ["color: navy", "item shape: oval", "size: 3 ft x 5 ft"], "instruction_attributes": ["non slip"], "instruction_options": ["navy", "oval", "3 ft x 5 ft"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB8MU61", "worker_id": "A345TDMHP3DQ3G"}], "B001EQ5AVI": [{"asin": "B001EQ5AVI", "instruction": "i need this shelf stable roast beef and mashed potatoes with gravy meal. it should go in the microwave.", "attributes": ["shelf stable", "artificial ingredients", "protein serving", "quality ingredients"], "options": ["style: microwave meals"], "instruction_attributes": ["shelf stable"], "instruction_options": ["microwave meals"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMMXOSRO", "worker_id": "A1NF6PELRKACS9"}], "B07TWQZM5N": [{"asin": "B07TWQZM5N", "instruction": "i want a blessliving red hearts plush blanket that is 50 x 60 inches.", "attributes": ["queen size", "twin size", "king size"], "options": ["color: 7", "size: throw, 50 x 60 inches"], "instruction_attributes": ["queen size"], "instruction_options": ["throw, 50 x 60 inches"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SUFQTP", "worker_id": "A2RBF3IIJP15IH"}], "B08PFM7RW9": [{"asin": "B08PFM7RW9", "instruction": "i am looking for a black heavy duty steel framed electric standing desk that is height adjustable.", "attributes": ["height adjustable", "heavy duty", "steel frame"], "options": ["color: black"], "instruction_attributes": ["height adjustable", "heavy duty", "steel frame"], "instruction_options": ["black"], "assignment_id": "3634BBTX0Z409DDB6851PCWGACVFIA", "worker_id": "A1EREKSZAA9V7B"}], "B007MYLM1I": [{"asin": "B007MYLM1I", "instruction": "a sunscreen spf 50 ,anti aging fine lines and wrinkles and protection from sun", "attributes": ["anti aging", "fine lines"], "options": [""], "instruction_attributes": ["anti aging", "fine lines"], "instruction_options": [], "assignment_id": "3W2LOLRXLMPOIY88X6Q7JHPC539KRX", "worker_id": "A3N9ZYQAESNFQH"}], "B00ZK6KSS8": [{"asin": "B00ZK6KSS8", "instruction": "i want plant based ginger ale zevia zero calorie soda.", "attributes": ["plant based", "non gmo", "gluten free", "zero sugar"], "options": ["flavor name: ginger ale"], "instruction_attributes": ["plant based"], "instruction_options": ["ginger ale"], "assignment_id": "34J10VATJQ8X023KKOGV1B0UHE2IQ5", "worker_id": "A2RBF3IIJP15IH"}], "B09S1BBCFP": [{"asin": "B09S1BBCFP", "instruction": "i need a black winter warm pair of boots that has arch support. pick a black on in size 8.", "attributes": ["knee high", "winter warm", "anti slip", "faux fur", "closed toe", "high heel", "arch support"], "options": ["color: a03-black", "size: 8"], "instruction_attributes": ["winter warm", "arch support"], "instruction_options": ["a03-black", "8"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTDLN9X", "worker_id": "A1NF6PELRKACS9"}], "B09NYBZX2T": [{"asin": "B09NYBZX2T", "instruction": "i need a long sleeved sleep set in a 4x-large in the color mt7308", "attributes": ["long sleeve", "elastic waistband", "elastic waist", "relaxed fit"], "options": ["color: mt7308", "size: 4x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["mt7308", "4x-large"], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY13P7M", "worker_id": "A2ECRNQ3X5LEXD"}], "B003Y5CI7Q": [{"asin": "B003Y5CI7Q", "instruction": "i want a 12 pack ass kickin' habanero microwave popcorn bags gift set.", "attributes": ["ready eat", "individually wrapped", "gift set"], "options": ["size: 12 pack"], "instruction_attributes": ["gift set"], "instruction_options": ["12 pack"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBONFX", "worker_id": "A2RBF3IIJP15IH"}], "B07PYQKFZV": [{"asin": "B07PYQKFZV", "instruction": "i want an oxidized brass capital lighting 330311xb sedona industrial metal dome pendant light.", "attributes": ["pendant light", "dining room", "living room"], "options": ["color: oxidized brass", "size: 17\" width"], "instruction_attributes": ["pendant light"], "instruction_options": ["oxidized brass"], "assignment_id": "3K9FOBBF2STEN6YYPZLRPXXHT76LNW", "worker_id": "A2RBF3IIJP15IH"}], "B09KH12KSK": [{"asin": "B09KH12KSK", "instruction": "i want anti aging collagen cream for face.", "attributes": ["anti aging", "clinically proven", "long lasting", "easy use", "hyaluronic acid", "coconut oil", "fine lines"], "options": [""], "instruction_attributes": ["anti aging"], "instruction_options": [], "assignment_id": "3WRFBPLXRLYX7289JTHRTB30TL3N38", "worker_id": "A2RBF3IIJP15IH"}], "B09FKBJ4TZ": [{"asin": "B09FKBJ4TZ", "instruction": "let me see for a medium size by innoviera brand hoodies for women, long sleeve check for halloween pumpkin", "attributes": ["long sleeve", "fashion design"], "options": ["color: #q ny", "size: medium"], "instruction_attributes": ["long sleeve"], "instruction_options": ["medium"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYPWOZ8", "worker_id": "A15IJ20C3R4HUO"}], "B01C4Z2P2Y": [{"asin": "B01C4Z2P2Y", "instruction": "i would like a pair of brown size 7 shoes with a rubber sole.", "attributes": ["water resistant", "slip resistant", "rubber sole", "lace closure"], "options": ["color: 1212brown", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["1212brown", "7"], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL4DH59", "worker_id": "A1WS884SI0SLO4"}], "B098MQD3J4": [{"asin": "B098MQD3J4", "instruction": "i need some hair drying towels that have a grid lines pattern for drying hair.", "attributes": ["hair salon", "dry hair"], "options": ["color: electronic computer network grid lines pattern"], "instruction_attributes": ["dry hair"], "instruction_options": ["electronic computer network grid lines pattern"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L493QRX", "worker_id": "A2ECRNQ3X5LEXD"}], "B00MWKB122": [{"asin": "B00MWKB122", "instruction": "i am looking for a framed hand painted abstract oil painting to hang in my living room.", "attributes": ["hand painted", "ready hang", "living room", "dining room"], "options": [""], "instruction_attributes": ["hand painted", "living room"], "instruction_options": [], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KNNJLC", "worker_id": "A1EREKSZAA9V7B"}], "B092385ZVJ": [{"asin": "B092385ZVJ", "instruction": "i want to buy some meat stick snacks in spicy jalapeno venison flavor. it needs to be a 1 oz six pack.", "attributes": ["sugar free", "grass fed", "gluten free", "high protein", "low carb", "natural ingredients", "0g trans"], "options": ["flavor name: spicy jalapeno venison", "size: 1oz-6 pack"], "instruction_attributes": ["grass fed"], "instruction_options": ["spicy jalapeno venison", "1oz-6 pack"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ2750170CP43", "worker_id": "A2YNPKYEFDZ6C9"}], "B09NNVZCGC": [{"asin": "B09NNVZCGC", "instruction": "i want a high power bluetooth speakers with quality bass. pick a pink one.", "attributes": ["high power", "hands free", "high definition"], "options": ["color: pink"], "instruction_attributes": ["high power"], "instruction_options": ["pink"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU72157H", "worker_id": "A1NF6PELRKACS9"}], "B08JVNDZ3S": [{"asin": "B08JVNDZ3S", "instruction": "i am looking for a holiday cocoa mug which can be a perfect gift for valentines day.", "attributes": ["gift set", "valentine day", "perfect gift", "gift basket"], "options": ["style: holiday cocoa mug"], "instruction_attributes": ["valentine day", "perfect gift"], "instruction_options": ["holiday cocoa mug"], "assignment_id": "3IQ1VMJRY4UC2L30RYDWYIMMU6SA96", "worker_id": "ASWFLI3N8X72G"}], "B0776TDH1V": [{"asin": "B0776TDH1V", "instruction": "i need a 2 pack of smartmouth activated mouthwash for bad breath.", "attributes": ["alcohol free", "long lasting", "fresh breath", "bad breath"], "options": ["item package quantity: 2"], "instruction_attributes": ["bad breath"], "instruction_options": ["2"], "assignment_id": "3IXQG4FA248HLV8SXCDSTT6SCO29BP", "worker_id": "A2RBF3IIJP15IH"}], "B09BHMMG4S": [{"asin": "B09BHMMG4S", "instruction": "i want a high definition 3d video projector.", "attributes": ["dual band", "high definition", "stereo sound"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4CKL8L", "worker_id": "A2RBF3IIJP15IH"}], "B09LR3RQ1M": [{"asin": "B09LR3RQ1M", "instruction": "i want a large hoefirm women's v neck elegant velvet wrap long sleeve.", "attributes": ["wash cold", "unique design", "high waist", "long sleeve"], "options": ["color: 01# blackish green", "size: large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["large"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UE4A3B", "worker_id": "A2RBF3IIJP15IH"}], "B074JZJ2Y4": [{"asin": "B074JZJ2Y4", "instruction": "i want large machine washable belaroi plus size tops for women.", "attributes": ["hand wash", "machine wash", "laundry bag", "daily wear"], "options": ["color: flower17", "size: large"], "instruction_attributes": ["machine wash"], "instruction_options": ["large"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R64KSZ", "worker_id": "A2RBF3IIJP15IH"}], "B08K2YWJ5L": [{"asin": "B08K2YWJ5L", "instruction": "i want a black and high quality cenglings womens cowl neck sweatshirt.", "attributes": ["high quality", "quality materials"], "options": ["color: black", "size: medium"], "instruction_attributes": ["high quality"], "instruction_options": ["black"], "assignment_id": "3B4YI393VK6Y7WLTH4ZE0DLI8Z2SS7", "worker_id": "A2RBF3IIJP15IH"}], "B09Q3KFFTL": [{"asin": "B09Q3KFFTL", "instruction": "i am looking for a gray shirt that is xx-large and has a slim fit.", "attributes": ["slim fit", "short sleeve", "contrast color", "regular fit", "long sleeve", "gym workout"], "options": ["color: gray", "size: xx-large"], "instruction_attributes": ["slim fit"], "instruction_options": ["gray", "xx-large"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFF99VK", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RJRYVW8": [{"asin": "B07RJRYVW8", "instruction": "i am looking for a carrying case for my canon.", "attributes": ["fast charging", "carrying case"], "options": ["size: for canon"], "instruction_attributes": ["carrying case"], "instruction_options": ["for canon"], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DAAWDK", "worker_id": "A2ECRNQ3X5LEXD"}], "B08996HWW6": [{"asin": "B08996HWW6", "instruction": "i would like some hands free earbud handphones.", "attributes": ["dust proof", "hands free"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "3634BBTX0Z409DDB6851PCWGABRIF7", "worker_id": "A1WS884SI0SLO4"}], "B06XX9X4XG": [{"asin": "B06XX9X4XG", "instruction": "i am looking for dining room chandelier lighting with a polished nickel finish.", "attributes": ["nickel finish", "clear glass", "dining room"], "options": ["color: polished nickel", "size: 6-light"], "instruction_attributes": ["nickel finish", "dining room"], "instruction_options": ["polished nickel"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K6E12J", "worker_id": "AJDQGOTMB2D80"}], "B073QH76W7": [{"asin": "B073QH76W7", "instruction": "i am looking for along lasting carrying case for a speaker that comes in size 4.", "attributes": ["long lasting", "carrying case"], "options": ["color: travel case - size 4"], "instruction_attributes": ["long lasting", "carrying case"], "instruction_options": ["travel case - size 4"], "assignment_id": "3IOEN3P9SITTQEO2X8HR372H0AV61I", "worker_id": "A114NK7T5673GK"}], "B08BX7XBGN": [{"asin": "B08BX7XBGN", "instruction": "i would like a samsung galaxy note 20 that is fast charging and green", "attributes": ["long lasting", "fast charging"], "options": ["color: mystic green", "pattern name: cell phone + case - black", "style: note 20 ultra 5g"], "instruction_attributes": ["fast charging"], "instruction_options": ["mystic green", "note 20 ultra 5g"], "assignment_id": "31N2WW6R920LJAVSL5YEL6URRUVF37", "worker_id": "A2ECRNQ3X5LEXD"}], "B082DVCGG2": [{"asin": "B082DVCGG2", "instruction": "i need to buy a pack of shower brushes with long handles.", "attributes": ["long lasting", "high quality", "long handle"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3V0Z7YWSI9ALUPLZHKPDKISL9ANV24", "worker_id": "AR9AU5FY1S3RO"}], "B0921XCPZF": [{"asin": "B0921XCPZF", "instruction": "i am looking for a white colored and high gloss tv stand for a 60 inch flat screen tv.", "attributes": ["white item", "storage space", "high gloss", "living room", "dining room"], "options": [""], "instruction_attributes": ["white item", "high gloss"], "instruction_options": [], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3LBLZA", "worker_id": "AJDQGOTMB2D80"}], "B08NZ75CJN": [{"asin": "B08NZ75CJN", "instruction": "i would like to buy a 25\" h tv stand that has a sturdy steel frame and is light rustic oak in color.", "attributes": ["coated steel", "steel frame"], "options": ["color: light rustic oak", "size: 25\" h tv stand + 18\" h coffee table"], "instruction_attributes": ["steel frame"], "instruction_options": ["light rustic oak", "25\" h tv stand + 18\" h coffee table"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X42PG5", "worker_id": "A114NK7T5673GK"}], "B09BCSRVKM": [{"asin": "B09BCSRVKM", "instruction": "i want navy haenpisy mens sweat pants for gym workouts.", "attributes": ["moisture wicking", "drawstring closure", "elastic waistband", "elastic waist", "gym workout"], "options": ["color: navy", "size: 3x-large"], "instruction_attributes": ["gym workout"], "instruction_options": ["navy"], "assignment_id": "34T446B1CBOIZ6CLBGQUB2BHR5M0CP", "worker_id": "A2RBF3IIJP15IH"}], "B09MFDPHZM": [{"asin": "B09MFDPHZM", "instruction": "i need an easy to install shower caddy tension pole.", "attributes": ["height adjustable", "easy install", "stainless steel", "storage space", "living room"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3HMIGG0U4WGDKYIT2CLY189IDRE8YQ", "worker_id": "A2RBF3IIJP15IH"}], "B08YWVX5LL": [{"asin": "B08YWVX5LL", "instruction": "i would like a blue medium sized light weight tank top.", "attributes": ["light weight", "unique design"], "options": ["color: a 1 -blue", "size: medium"], "instruction_attributes": ["light weight"], "instruction_options": ["a 1 -blue", "medium"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE20DQGM", "worker_id": "A1WS884SI0SLO4"}], "B08C742D94": [{"asin": "B08C742D94", "instruction": "i am looking 1 pack of low carb soy free gmo free keto friendly peppermint swirl flavor meal replacement drinks", "attributes": ["low carb", "plant based", "gmo free", "soy free", "keto friendly", "non gmo"], "options": ["flavor name: peppermint swirl", "size: 1 servings (pack of 1)"], "instruction_attributes": ["low carb", "gmo free", "soy free", "keto friendly"], "instruction_options": ["peppermint swirl", "1 servings (pack of 1)"], "assignment_id": "3OWEPKL08KMF8L9WL5KH6SFGYNF7NN", "worker_id": "A3N9ZYQAESNFQH"}], "B013LLVO1I": [{"asin": "B013LLVO1I", "instruction": "i am looking for a gluten free, non gmo granola loaf, about 2.5 pounds made by bakery on main. prefer either cranberry almond maple or cranberry cashew. most likely in the grocery/gourmet foods aisle.", "attributes": ["non gmo", "low sodium", "gluten free", "dairy free"], "options": ["flavor name: cranberry cashew", "size: 1.1 ounce (pack of 50)"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["cranberry cashew"], "assignment_id": "39U1BHVTDW1V2FDTGP332A9SI3NT3D", "worker_id": "A3RGIKEI8JS2QG"}], "B09QSVTP34": [{"asin": "B09QSVTP34", "instruction": "i want a pink bpa free ice roller for face and eye.", "attributes": ["high quality", "leak proof", "bpa free", "green tea", "fine lines"], "options": ["color: pink"], "instruction_attributes": ["bpa free"], "instruction_options": ["pink"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57D5I9O", "worker_id": "A2RBF3IIJP15IH"}], "B084Q7G2HN": [{"asin": "B084Q7G2HN", "instruction": "i need a red patio set that has a steel frame.", "attributes": ["easy clean", "steel frame", "tempered glass"], "options": ["color: red"], "instruction_attributes": ["steel frame"], "instruction_options": ["red"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L49ZQRT", "worker_id": "A2ECRNQ3X5LEXD"}], "B08BDW6D4V": [{"asin": "B08BDW6D4V", "instruction": "i want to find 18 decorated shortbread cookies that have been individually wrapped and placed in a gift basket.", "attributes": ["baked fresh", "individually wrapped", "gift basket"], "options": ["number of items: 18"], "instruction_attributes": ["individually wrapped", "gift basket"], "instruction_options": ["18"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMHA1JG", "worker_id": "A345TDMHP3DQ3G"}], "B083X4GW6Y": [{"asin": "B083X4GW6Y", "instruction": "i want to find a 1-pound box of gluten free muffin mix, and it should come in a pack of three.", "attributes": ["gluten free", "easy prepare"], "options": ["size: 1 pound (pack of 3)"], "instruction_attributes": ["gluten free"], "instruction_options": ["1 pound (pack of 3)"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM96934GS", "worker_id": "A345TDMHP3DQ3G"}], "B08LMZFVW7": [{"asin": "B08LMZFVW7", "instruction": "i want some rice crispy treat made with simple ingredients. i want the kind that are individually wrapped", "attributes": ["individually wrapped", "non gmo", "gluten free", "simple ingredients"], "options": [""], "instruction_attributes": ["individually wrapped", "simple ingredients"], "instruction_options": [], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMO9XEZ", "worker_id": "A32JEH06T23HDF"}], "B08L8Z6N16": [{"asin": "B08L8Z6N16", "instruction": "i am interested in a rose gold compact mirror.", "attributes": ["double sided", "rose gold"], "options": ["color: gold"], "instruction_attributes": ["rose gold"], "instruction_options": ["gold"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79O8H1R", "worker_id": "A2ECRNQ3X5LEXD"}], "B07C55LZRJ": [{"asin": "B07C55LZRJ", "instruction": "look for a sampler of spicy masala black chai tea that has natural flavors and ingredients.", "attributes": ["keto friendly", "low carb", "natural flavors", "natural ingredients"], "options": ["flavor name: spicy masala chai black tea"], "instruction_attributes": ["natural flavors", "natural ingredients"], "instruction_options": ["spicy masala chai black tea"], "assignment_id": "34QN5IT0TA1GN3M8U4AP9GFY1E308L", "worker_id": "AR9AU5FY1S3RO"}], "B0764HJ965": [{"asin": "B0764HJ965", "instruction": "miss jones baking organic buttercream frosting is my favorite ! please i want dairy free, soy free and pack of 2 with great value.", "attributes": ["nut free", "soy free", "dairy free", "non gmo", "gluten free", "artificial colors"], "options": ["flavor: cream cheese", "size: pack of 2"], "instruction_attributes": ["soy free", "dairy free"], "instruction_options": ["pack of 2"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68ELA4H", "worker_id": "A15IJ20C3R4HUO"}], "B09CTF9RZQ": [{"asin": "B09CTF9RZQ", "instruction": "i want rainbow white non slip ciadoon mushroom shoes.", "attributes": ["non slip", "rubber sole", "daily wear"], "options": ["color: rainbow white", "size: 15.5 women | 13 men"], "instruction_attributes": ["non slip"], "instruction_options": ["rainbow white"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYOI9QG", "worker_id": "A2RBF3IIJP15IH"}], "B0743MP28H": [{"asin": "B0743MP28H", "instruction": "i would like 100 grams of non gmo peppercorns.", "attributes": ["non gmo", "gluten free", "natural ingredients"], "options": ["size: 3.52 ounce (100 gram)"], "instruction_attributes": ["non gmo"], "instruction_options": ["3.52 ounce (100 gram)"], "assignment_id": "3LOZAJ85YONDYEQUHZQV83P6PLR2XA", "worker_id": "A2ECRNQ3X5LEXD"}], "B07H3MZQGJ": [{"asin": "B07H3MZQGJ", "instruction": "i am looking for a clear portable makeup bag that is easy to clean.", "attributes": ["easy clean", "eye shadow"], "options": ["color: clear", "size: m+m"], "instruction_attributes": ["easy clean"], "instruction_options": ["clear"], "assignment_id": "3DZQRBDBSWPUNF0ERPYDS5D6GK93SY", "worker_id": "A1EREKSZAA9V7B"}], "B08GKDQ398": [{"asin": "B08GKDQ398", "instruction": "i need brown ballet shoes that have a synthetic sole and are size 5.5 for women", "attributes": ["leather sole", "synthetic sole"], "options": ["color: brown", "size: 5.5 women | 5 men"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["brown", "5.5 women | 5 men"], "assignment_id": "3WJEQKOXAJCUDG05NLY3JC43WTY1AG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08S9V2LSL": [{"asin": "B08S9V2LSL", "instruction": "i would like a pair of size six fossil boots that are machine washable.", "attributes": ["light weight", "machine washable", "memory foam"], "options": ["color: fossil", "size: 6"], "instruction_attributes": ["machine washable"], "instruction_options": ["fossil", "6"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYOBFXK", "worker_id": "A1WS884SI0SLO4"}], "B088643Z84": [{"asin": "B088643Z84", "instruction": "i am looking for an easy to install brushed nickel 4 light sconce for the bathroom.", "attributes": ["easy install", "vanity light", "brushed nickel", "light fixture", "dining room", "living room"], "options": ["color: chrome-4w", "size: wall light-4 light"], "instruction_attributes": ["easy install", "brushed nickel"], "instruction_options": ["wall light-4 light"], "assignment_id": "354P56DE9VDCOY11T1135MPMLM9S76", "worker_id": "A1EREKSZAA9V7B"}], "B00NPA92SI": [{"asin": "B00NPA92SI", "instruction": "i want to buy an eco-friendly soy wax candle.", "attributes": ["eco friendly", "soy wax"], "options": [""], "instruction_attributes": ["eco friendly", "soy wax"], "instruction_options": [], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFT73E4", "worker_id": "AR9AU5FY1S3RO"}], "B0979P65QG": [{"asin": "B0979P65QG", "instruction": "i want to find an office chair featuring white faux leather, a rose gold frame, and great lumbar support.", "attributes": ["height adjustable", "faux leather", "lumbar support"], "options": ["color: white faux leather | rose gold frame"], "instruction_attributes": ["faux leather", "lumbar support"], "instruction_options": ["white faux leather | rose gold frame"], "assignment_id": "3I33IC7ZWQC121I16PYHOVE8O0T2AH", "worker_id": "A345TDMHP3DQ3G"}], "B07F2K1QJ4": [{"asin": "B07F2K1QJ4", "instruction": "i would like a black 8 x wide construction shoe that has a rubber sole.", "attributes": ["slip resistant", "moisture wicking", "rubber sole"], "options": ["color: black", "size: 8 x-wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black", "8 x-wide"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKAWENT", "worker_id": "A1WS884SI0SLO4"}], "B07JMPN91D": [{"asin": "B07JMPN91D", "instruction": "i would like a pair of gold 30w x 34l pants that i can machine wash.", "attributes": ["slim fit", "machine wash", "cotton spandex"], "options": ["color: gold", "size: 30w x 34l"], "instruction_attributes": ["machine wash"], "instruction_options": ["gold", "30w x 34l"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDQYZQB", "worker_id": "A1WS884SI0SLO4"}], "B0929737FS": [{"asin": "B0929737FS", "instruction": "i want a q color long lasting lipstick made with natural ingredients.", "attributes": ["long lasting", "natural ingredients"], "options": ["color: q"], "instruction_attributes": ["long lasting", "natural ingredients"], "instruction_options": ["q"], "assignment_id": "373ERPL3YZINLHYVRF4ZK8C8OHDTRR", "worker_id": "ASWFLI3N8X72G"}], "B09FKJZ14L": [{"asin": "B09FKJZ14L", "instruction": "i need a seventeen ounce sprayer bottle with a fine mist. i want a black one.", "attributes": ["easy use", "fine mist"], "options": ["color: black", "size: 17 ounce"], "instruction_attributes": ["fine mist"], "instruction_options": ["black", "17 ounce"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS7JAW2", "worker_id": "AR9AU5FY1S3RO"}], "B07JN3DYR3": [{"asin": "B07JN3DYR3", "instruction": "i need closed toe flats that are blue in a 7 wide.", "attributes": ["closed toe", "rubber sole"], "options": ["color: medium blue", "size: 7 wide"], "instruction_attributes": ["closed toe"], "instruction_options": ["medium blue", "7 wide"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0SMARH", "worker_id": "A2ECRNQ3X5LEXD"}], "B08ZJWV75S": [{"asin": "B08ZJWV75S", "instruction": "find me this old fashioned maraschino cherry cocktail syrup. pick a 12.7 fluid oz one.", "attributes": ["old fashioned", "easy use"], "options": ["flavor name: maraschino cherry", "size: 12.7 fl oz (pack of 1)"], "instruction_attributes": ["old fashioned"], "instruction_options": ["maraschino cherry", "12.7 fl oz (pack of 1)"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOH9L9F", "worker_id": "A1NF6PELRKACS9"}], "B01GHFBKKA": [{"asin": "B01GHFBKKA", "instruction": "i am looking for a fluoride free toothpaste with clinically proven. also choose 3.75 ounce in size", "attributes": ["non toxic", "fluoride free", "clinically proven", "teeth whitening"], "options": ["size: 3.75 ounce (pack of 1)"], "instruction_attributes": ["fluoride free", "clinically proven"], "instruction_options": ["3.75 ounce (pack of 1)"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFK9MEO", "worker_id": "A2HMEGTAFO0CS8"}], "B096XX5CGP": [{"asin": "B096XX5CGP", "instruction": "i need a hair silicone fiber powder applicator for hair loss, with a pump nozzle.", "attributes": ["easy use", "hair extensions", "hair loss"], "options": [""], "instruction_attributes": ["hair loss"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTRL7LP", "worker_id": "AK3JMCIGU8MLU"}], "B07N1X6548": [{"asin": "B07N1X6548", "instruction": "i want to find a 3-pack of gluten free hot dog buns.", "attributes": ["gluten free", "nut free", "dairy free", "simple ingredients"], "options": ["size: 3 pack"], "instruction_attributes": ["gluten free"], "instruction_options": ["3 pack"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2MGYN7", "worker_id": "A345TDMHP3DQ3G"}], "B087V3GK1Q": [{"asin": "B087V3GK1Q", "instruction": "get me a long handled pink exfoliating brush.", "attributes": ["non slip", "high quality", "long handle"], "options": ["color: pink"], "instruction_attributes": ["long handle"], "instruction_options": ["pink"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UTZ0YS", "worker_id": "AR9AU5FY1S3RO"}], "B07JJCNH26": [{"asin": "B07JJCNH26", "instruction": "i want a sulfate and paraben free repairing hair oil with the coconut monoi scent.", "attributes": ["alcohol free", "sulfate free", "paraben free", "argan oil", "damaged hair", "dry hair"], "options": ["scent: coconut monoi", "size: 2 fl oz (pack of 2)"], "instruction_attributes": ["sulfate free", "paraben free"], "instruction_options": ["coconut monoi"], "assignment_id": "3I02618YABGH9HX5ESQKK9YV6DVPUL", "worker_id": "A1NF6PELRKACS9"}], "B01NBAXU4T": [{"asin": "B01NBAXU4T", "instruction": "i am looking for casual pants that are machine washable in the color loden and are size 48w by 32 l.", "attributes": ["machine wash", "imported zipper"], "options": ["color: loden", "size: 48w x 32l"], "instruction_attributes": ["machine wash"], "instruction_options": ["loden", "48w x 32l"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU7ZMCW", "worker_id": "A2ECRNQ3X5LEXD"}], "B0877B4MKC": [{"asin": "B0877B4MKC", "instruction": "i want a walr, vr bluetooth remote controller and virtual reality googles with included batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPNTWFY", "worker_id": "A2RBF3IIJP15IH"}], "B0846853TF": [{"asin": "B0846853TF", "instruction": "i would like to have a youth extra small red t shirt that is made of heather cotton.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: red", "fit type: youth", "size: x-small"], "instruction_attributes": ["heathers cotton", "cotton heather"], "instruction_options": ["red", "youth", "x-small"], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53V8GK9", "worker_id": "A1WS884SI0SLO4"}], "B085Y2KVND": [{"asin": "B085Y2KVND", "instruction": "i want open toe gibobby sandals for women in size 8.", "attributes": ["open toe", "anti slip", "high heel", "ankle strap"], "options": ["color: z1-multicolor", "size: 8"], "instruction_attributes": ["open toe"], "instruction_options": ["8"], "assignment_id": "3ATPCQ38JJKR3MB8ZA5CXZFD3EBYAF", "worker_id": "A2RBF3IIJP15IH"}], "B07V9WP3JV": [{"asin": "B07V9WP3JV", "instruction": "i'm looking for a nut free kosher certified dried fruits basket to be given as a gift.", "attributes": ["nut free", "kosher certified", "perfect gift"], "options": [""], "instruction_attributes": ["nut free", "kosher certified"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3USJJ6P", "worker_id": "A20DUVEOH6A7KW"}], "B09HWVCGBH": [{"asin": "B09HWVCGBH", "instruction": "i want a loose fitting black pullover that is in a large.", "attributes": ["loose fit", "wash cold", "hand wash"], "options": ["color: z0104black", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["z0104black", "large"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23J9DSFT", "worker_id": "A2ECRNQ3X5LEXD"}], "B074VG3CD5": [{"asin": "B074VG3CD5", "instruction": "i want to find liquid foundation makeup in the classic ivory color. it needs to last for a long time and ideally, i can get a 3-pack of containers with a single fluid ounce.", "attributes": ["highly pigmented", "long lasting"], "options": ["color: 120 classic ivory", "size: 1 fl oz (pack of 3)"], "instruction_attributes": ["long lasting"], "instruction_options": ["120 classic ivory", "1 fl oz (pack of 3)"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU72C75U", "worker_id": "A345TDMHP3DQ3G"}], "B09Q7V929M": [{"asin": "B09Q7V929M", "instruction": "i am looking for some x-large leggings that are moisture wicking and the color #25.", "attributes": ["day comfort", "quick drying", "moisture wicking"], "options": ["color: #25", "size: x-large"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["#25", "x-large"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRSVPW7", "worker_id": "A2ECRNQ3X5LEXD"}], "B08XP9P22K": [{"asin": "B08XP9P22K", "instruction": "i need some high waisted yoga shorts that are gray and in a xx-large.", "attributes": ["moisture wicking", "high waist"], "options": ["color: gray-a", "size: xx-large"], "instruction_attributes": ["high waist"], "instruction_options": ["gray-a", "xx-large"], "assignment_id": "351SEKWQSBRP7CP60H83T50CF7DDMP", "worker_id": "A2ECRNQ3X5LEXD"}], "B01LXJY21J": [{"asin": "B01LXJY21J", "instruction": "i need 3 tongue cleaners for bad breath.", "attributes": ["oral hygiene", "bad breath"], "options": ["design: 3 pc round+bag"], "instruction_attributes": ["bad breath"], "instruction_options": ["3 pc round+bag"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGJ40OL", "worker_id": "A2ECRNQ3X5LEXD"}, {"asin": "B01LXJY21J", "instruction": "i need a bag for a tongue cleaner for bad breath", "attributes": ["oral hygiene", "bad breath"], "options": ["design: pipe+round+bag"], "instruction_attributes": ["bad breath"], "instruction_options": ["pipe+round+bag"], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KMUHUH", "worker_id": "A2ECRNQ3X5LEXD"}], "B075FVC51L": [{"asin": "B075FVC51L", "instruction": "i need a living room throw that is smoke colored.", "attributes": ["queen size", "super soft", "twin size", "machine washable", "king size", "living room"], "options": ["color: smoke", "size: throw"], "instruction_attributes": ["living room"], "instruction_options": ["smoke", "throw"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO2F2CI", "worker_id": "A2ECRNQ3X5LEXD"}], "B09T5GRJR6": [{"asin": "B09T5GRJR6", "instruction": "i would like a high performance tablet.", "attributes": ["high performance", "4g lte"], "options": [""], "instruction_attributes": ["high performance"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKICD78", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q3GXQYP": [{"asin": "B09Q3GXQYP", "instruction": "get me an extra extra large mint green g-string. make sure it's machine washable.", "attributes": ["low rise", "day comfort", "hand wash", "machine wash"], "options": ["color: mint green", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["mint green", "xx-large"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC3HUKH", "worker_id": "AR9AU5FY1S3RO"}], "B00U0VVSCS": [{"asin": "B00U0VVSCS", "instruction": "please get me a three pack of jelly with natural ingredients.", "attributes": ["high fructose", "natural ingredients"], "options": ["size: .3 pack - 1.12 pound (pack of 2)"], "instruction_attributes": ["natural ingredients"], "instruction_options": [".3 pack - 1.12 pound (pack of 2)"], "assignment_id": "33JKGHPFYN4YTOGJPBM6PAC6TC1NM5", "worker_id": "AR9AU5FY1S3RO"}], "B08KVZP9LB": [{"asin": "B08KVZP9LB", "instruction": "i want to find a white and pink case for my apple watch. it needs to be 40 millimeters long and be compatible with the series 6.", "attributes": ["compatible apple", "case cover", "wireless charging"], "options": ["color: white+pink", "size: 40mm (for se | series 6 | 5 | 4 )"], "instruction_attributes": ["compatible apple", "case cover"], "instruction_options": ["white+pink", "40mm (for se | series 6 | 5 | 4 )"], "assignment_id": "39LOEL67O3FC4VL5DRS8BED54QO38K", "worker_id": "A345TDMHP3DQ3G"}], "B089B658NP": [{"asin": "B089B658NP", "instruction": "i need long lasting and wireless charging buds live in mystic black color which also supports active noise cancelling.", "attributes": ["long lasting", "noise cancelling", "wireless charging"], "options": ["color: mystic black", "style: buds live"], "instruction_attributes": ["long lasting", "noise cancelling", "wireless charging"], "instruction_options": ["mystic black", "buds live"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KDRPD2", "worker_id": "ASWFLI3N8X72G"}], "B097MMHTM2": [{"asin": "B097MMHTM2", "instruction": "i am looking for a pair of blue women's faux fur slippers.", "attributes": ["winter warm", "faux fur"], "options": ["color: blue", "size: 37-38"], "instruction_attributes": ["faux fur"], "instruction_options": ["blue"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOXSO7R", "worker_id": "A1EREKSZAA9V7B"}], "B091PWDWRH": [{"asin": "B091PWDWRH", "instruction": "i want a brown and cruelty free moira lip exposure pencil.", "attributes": ["highly pigmented", "cruelty free"], "options": ["color: 014 real brown"], "instruction_attributes": ["cruelty free"], "instruction_options": ["014 real brown"], "assignment_id": "3N4BPTXIOJ2GYQ0P10LCOSCWC3PKUF", "worker_id": "A2RBF3IIJP15IH"}], "B09NC73FQL": [{"asin": "B09NC73FQL", "instruction": "i would like a pink shoe with a high heel for my size 8 foot.", "attributes": ["closed toe", "high heel", "ankle strap"], "options": ["color: z2 pink", "size: 8"], "instruction_attributes": ["high heel"], "instruction_options": ["z2 pink", "8"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QPJOXW", "worker_id": "A1WS884SI0SLO4"}], "B089KRMBKR": [{"asin": "B089KRMBKR", "instruction": "i am interested in a remote control that has batteries included", "attributes": ["batteries included", "easy use", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0TJW5J", "worker_id": "A2ECRNQ3X5LEXD"}], "B07ZC95D4Q": [{"asin": "B07ZC95D4Q", "instruction": "i want a gold plated and braided 4k hdmi cable.", "attributes": ["gold plated", "high speed", "blu ray"], "options": ["color: braided", "size: 6.6 feet"], "instruction_attributes": ["gold plated"], "instruction_options": ["braided"], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTPBKTH", "worker_id": "A2RBF3IIJP15IH"}], "B07KN62K42": [{"asin": "B07KN62K42", "instruction": "i need a pink iphone 7 flip case that has wireless charging capabilities.", "attributes": ["compatible apple", "wireless charging"], "options": ["color: pink-iphone 7 | 8 | se2", "size: iphone 7 | 8 | se2"], "instruction_attributes": ["wireless charging"], "instruction_options": ["pink-iphone 7 | 8 | se2"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRKRFM0", "worker_id": "A2ECRNQ3X5LEXD"}], "B081VP285Q": [{"asin": "B081VP285Q", "instruction": "i want to buy some chunky red glitter. make sure it's non-toxic and eco-friendly.", "attributes": ["eco friendly", "easy apply", "non toxic", "long lasting", "rose gold"], "options": ["color: red", "size: chunky (1 | 40\" 0.025\" 0.6mm)"], "instruction_attributes": ["eco friendly", "non toxic"], "instruction_options": ["red", "chunky (1 | 40\" 0.025\" 0.6mm)"], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOI10FN", "worker_id": "AR9AU5FY1S3RO"}], "B09R96BLLY": [{"asin": "B09R96BLLY", "instruction": "i am looking for plant based, and gluten free snack chips. pick the 0.9 ounce pack of 48.", "attributes": ["low calorie", "grain free", "plant based", "gluten free", "nut free", "soy free", "dairy free", "non gmo", "natural ingredients", "simple ingredients"], "options": ["size: 0.9 ounce (pack of 48)"], "instruction_attributes": ["plant based", "gluten free"], "instruction_options": ["0.9 ounce (pack of 48)"], "assignment_id": "3OE22WJIGTY29TYKE559KEO5B8TUQR", "worker_id": "A31PW970Z2PC5P"}], "B09NR7N82D": [{"asin": "B09NR7N82D", "instruction": "he was wearing a burgundy polyester spandex and size large.", "attributes": ["polyester spandex", "fashion design", "elastic waistband"], "options": ["size: large"], "instruction_attributes": ["polyester spandex"], "instruction_options": [], "assignment_id": "3X3OR7WPZAATKZBUJXW8707M4CK8L8", "worker_id": "ASL9LVC97FUCZ"}], "B08LGVLS3D": [{"asin": "B08LGVLS3D", "instruction": "i am looking for a glass screen protector that is compatible with the 38mm apple watch case.", "attributes": ["compatible apple", "glass screen"], "options": ["color: black | clear | silver", "size: 38 mm"], "instruction_attributes": ["compatible apple", "glass screen"], "instruction_options": ["38 mm"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I7PDF8", "worker_id": "AJDQGOTMB2D80"}], "B09GPSGTNP": [{"asin": "B09GPSGTNP", "instruction": "i want black liueong women's knee high riding boots.", "attributes": ["knee high", "day comfort", "high heel", "rubber sole", "daily wear"], "options": ["color: black", "size: 7.5"], "instruction_attributes": ["knee high"], "instruction_options": ["black"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS7KWAP", "worker_id": "A2RBF3IIJP15IH"}], "B07KQ1JFCF": [{"asin": "B07KQ1JFCF", "instruction": "i am looking for a button closure down shirt in slim fit which is machine washable. also choose gold color and large size.", "attributes": ["hand wash", "winter warm", "machine washable", "slim fit", "machine wash", "button closure", "long sleeve", "dry clean", "daily wear"], "options": ["color: gold", "size: large"], "instruction_attributes": ["machine washable", "slim fit", "button closure"], "instruction_options": ["gold", "large"], "assignment_id": "3R0T90IZ13MFAAN6PIFXWUYXYLLCGC", "worker_id": "A2HMEGTAFO0CS8"}], "B07MT1WYXV": [{"asin": "B07MT1WYXV", "instruction": "i am interested in a youth classic fit shirt that is small and is black in color.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: black", "fit type: youth", "size: small"], "instruction_attributes": ["classic fit"], "instruction_options": ["black", "youth", "small"], "assignment_id": "3WETL7AQW4ITHD23FTL5ZU3E2ZC537", "worker_id": "A2ECRNQ3X5LEXD"}], "B01K8IZGWU": [{"asin": "B01K8IZGWU", "instruction": "i want small machine washable stacy adams men's sleep pants.", "attributes": ["moisture wicking", "machine wash", "drawstring waist", "polyester spandex"], "options": ["color: army green", "size: small"], "instruction_attributes": ["machine wash"], "instruction_options": ["small"], "assignment_id": "30JNVC0ORKUX47S0E6YA1ZZFH18HQW", "worker_id": "A2RBF3IIJP15IH"}], "B09P885PTB": [{"asin": "B09P885PTB", "instruction": "i am looking for mens long sleeve athletic sweatshirt size xx-large.", "attributes": ["winter warm", "long sleeve", "short sleeve", "soft material"], "options": ["color: t01#gray", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["xx-large"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYMT6MV", "worker_id": "A1EREKSZAA9V7B"}], "B07Y832BSX": [{"asin": "B07Y832BSX", "instruction": "find me a high definition waterproof case for my iphone. it could be aqua blue or black in color.", "attributes": ["high definition", "wireless charging"], "options": ["color: aqua blue | black"], "instruction_attributes": ["high definition"], "instruction_options": ["aqua blue | black"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMHXIZ9", "worker_id": "A1NF6PELRKACS9"}], "B08FST7BFQ": [{"asin": "B08FST7BFQ", "instruction": "i would like to buy a white faux fur chair for my living room.", "attributes": ["metal legs", "living room"], "options": ["color: white", "material type: faux fur"], "instruction_attributes": ["living room"], "instruction_options": ["white", "faux fur"], "assignment_id": "3FUI0JHJP88Q3YFZ1AXCKX5UO4D339", "worker_id": "A1WS884SI0SLO4"}], "B07SQGHJ63": [{"asin": "B07SQGHJ63", "instruction": "i am searching for rubber sole loafers with 7.5-8 size and royal blue color", "attributes": ["non slip", "rubber sole", "lace closure"], "options": ["color: royal blue", "size: 7.5-8"], "instruction_attributes": ["rubber sole"], "instruction_options": ["royal blue", "7.5-8"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602SX591", "worker_id": "A258PTOZ3D2TQR"}], "B07GXTFHMW": [{"asin": "B07GXTFHMW", "instruction": "i need to buy an art print for the living room. look for one that's ready to hang, thirty-six inches by twenty-four inches.", "attributes": ["ready hang", "living room", "dining room"], "options": ["color: artwork-01", "size: 36''wx24''h"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["36''wx24''h"], "assignment_id": "3TPZPLC3MBMXANKMZ8UJX08VT0C3PS", "worker_id": "AR9AU5FY1S3RO"}], "B09JZ95R9H": [{"asin": "B09JZ95R9H", "instruction": "i want a red and easy to assemble gaming chair.", "attributes": ["high density", "easy install", "easy assemble", "lumbar support", "pu leather"], "options": ["color: red", "style: atl"], "instruction_attributes": ["easy assemble"], "instruction_options": ["red"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPW5JPP", "worker_id": "A2RBF3IIJP15IH"}], "B01AIUQW2G": [{"asin": "B01AIUQW2G", "instruction": "i am looking for fresh & natural skin care shea and cocoa body butter which is best for all type of skin with fragrance free,paraben free. brown sugar | fig scent preferable in 8 ounce.", "attributes": ["fragrance free", "paraben free", "dry skin", "sensitive skin"], "options": ["scent name: brown sugar | fig", "size: 8 ounce"], "instruction_attributes": ["fragrance free", "paraben free", "dry skin", "sensitive skin"], "instruction_options": ["brown sugar | fig", "8 ounce"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTD19NZ", "worker_id": "A1DRKZ3SCLAS4V"}], "B07SBDG3CR": [{"asin": "B07SBDG3CR", "instruction": "i want some low carb and keto friendly snacks. it should be almond espresso flavored and diary free.", "attributes": ["low carb", "grain free", "keto friendly", "sugar free", "gluten free", "soy free", "dairy free", "quality ingredients", "natural ingredients"], "options": ["flavor name: almond espresso (pack of 1)"], "instruction_attributes": ["low carb", "keto friendly", "dairy free"], "instruction_options": ["almond espresso (pack of 1)"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R66SK9", "worker_id": "A1NF6PELRKACS9"}], "B08KXFNV1X": [{"asin": "B08KXFNV1X", "instruction": "i am looking for a sulfate free shampoo and conditioner set for natural hair. also choose mousse styler.", "attributes": ["sulfate free", "paraben free", "natural hair"], "options": ["style name: mousse styler"], "instruction_attributes": ["sulfate free", "natural hair"], "instruction_options": ["mousse styler"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3G6BVS", "worker_id": "A2HMEGTAFO0CS8"}], "B098WHZSTN": [{"asin": "B098WHZSTN", "instruction": "look for a three quarter length sleeve blouse in a light weight navy blue material. i need it in extra large.", "attributes": ["light weight", "loose fit", "hand wash", "short sleeve", "long sleeve", "daily wear"], "options": ["color: a3 navy", "size: x-large"], "instruction_attributes": ["light weight"], "instruction_options": ["a3 navy", "x-large"], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6D1EVD", "worker_id": "AR9AU5FY1S3RO"}], "B09HNTHKSN": [{"asin": "B09HNTHKSN", "instruction": "i want black non slip ankle boots for women.", "attributes": ["non slip", "day comfort", "lace closure", "high heel"], "options": ["color: b01-black", "size: 9"], "instruction_attributes": ["non slip"], "instruction_options": ["b01-black"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL6RECK", "worker_id": "A2RBF3IIJP15IH"}], "B076MJJVCF": [{"asin": "B076MJJVCF", "instruction": "i would like a easy to use soft box.", "attributes": ["quick release", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTRHL7Z", "worker_id": "A1WS884SI0SLO4"}], "B09HPJXC38": [{"asin": "B09HPJXC38", "instruction": "i need some eco friendly window films that are 23.6 by 35.4 inch", "attributes": ["eco friendly", "living room"], "options": ["color: multi-001116", "size: 23.6wx35.4l-inch x2 pcs"], "instruction_attributes": ["eco friendly"], "instruction_options": ["23.6wx35.4l-inch x2 pcs"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZEYRPQ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09RHXT94Y": [{"asin": "B09RHXT94Y", "instruction": "i am in need of a power amplifier.", "attributes": ["power amplifier", "aluminum alloy"], "options": [""], "instruction_attributes": ["power amplifier"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5F8Z1K", "worker_id": "A2ECRNQ3X5LEXD"}], "B00UBH4YMW": [{"asin": "B00UBH4YMW", "instruction": "i want to buy a dry skin treatment that has coconut oil in it.", "attributes": ["coconut oil", "dry skin"], "options": [""], "instruction_attributes": ["coconut oil", "dry skin"], "instruction_options": [], "assignment_id": "3L4PIM1GQ4QJ23XP1LRYSP4N3J9YRZ", "worker_id": "AR9AU5FY1S3RO"}], "B099NDYBF1": [{"asin": "B099NDYBF1", "instruction": "i want a black mini wireless bluetooth headset.", "attributes": ["noise cancelling", "compatible apple", "fast charging", "high speed", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQEBCJR", "worker_id": "A2RBF3IIJP15IH"}], "B0000X0W1O": [{"asin": "B0000X0W1O", "instruction": "i am looking fat free kosher certrified low calo dried peaches", "attributes": ["fat free", "kosher certified"], "options": [""], "instruction_attributes": ["fat free", "kosher certified"], "instruction_options": [], "assignment_id": "3OF2M9AATRYXKPUZ7NKK5KRBEKTKZR", "worker_id": "A3N9ZYQAESNFQH"}], "B0824CBD9P": [{"asin": "B0824CBD9P", "instruction": "i want yellow machine washable batmerry summer bright decorative pillow covers.", "attributes": ["double sided", "machine washable", "living room"], "options": ["color: flowers yellow", "size: 18 x 18 inches"], "instruction_attributes": ["machine washable"], "instruction_options": ["flowers yellow"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ2750170PP4G", "worker_id": "A2RBF3IIJP15IH"}], "B08WLWTV59": [{"asin": "B08WLWTV59", "instruction": "i want to find a 15-pack box of individually wrapped rockin' straw-beary granola bars that are each 0.88 ounces.", "attributes": ["individually wrapped", "gluten free", "non gmo", "nut free", "quality ingredients"], "options": ["flavor name: rockin' straw-beary", "size: 0.88 ounce (pack of 15)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["rockin' straw-beary", "0.88 ounce (pack of 15)"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUKRS4U", "worker_id": "A345TDMHP3DQ3G"}], "B09QM478Y1": [{"asin": "B09QM478Y1", "instruction": "i am looking for sandals features a comfortable high heel, open-back slip on style, easy on and off.suitable for party, prom, wedding, red carpet show, street shooting, nightclub, ballroom and other special occasions. slide sandals for women in a6-black, size 8 preferable.", "attributes": ["non slip", "high heel"], "options": ["color: a6-black", "size: 8"], "instruction_attributes": ["non slip", "high heel"], "instruction_options": ["a6-black", "8"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACPINHA", "worker_id": "A1DRKZ3SCLAS4V"}], "B091XXL92R": [{"asin": "B091XXL92R", "instruction": "i need an evening gown in purple that is a size four.", "attributes": ["unique design", "drawstring closure"], "options": ["color: dusty purple", "size: 4"], "instruction_attributes": ["unique design"], "instruction_options": ["dusty purple", "4"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXQSYLF", "worker_id": "A2ECRNQ3X5LEXD"}], "B09D2NHQRF": [{"asin": "B09D2NHQRF", "instruction": "i want a pink 4 pack of kids u shaped toothbrush for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["color: pink, blue, purple, yellow,", "style: cat's claw shape style"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["pink, blue, purple, yellow,"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W8FOUJ", "worker_id": "A2RBF3IIJP15IH"}], "B09HPGGRTZ": [{"asin": "B09HPGGRTZ", "instruction": "look for a pair of open toe ankle booties in size seven and a half. get the black ones.", "attributes": ["slip resistant", "open toe"], "options": ["color: se031-black", "size: 7.5"], "instruction_attributes": ["open toe"], "instruction_options": ["se031-black", "7.5"], "assignment_id": "36H9ULYP6D4W4OXHOQQ11DBGNR4JFA", "worker_id": "AR9AU5FY1S3RO"}], "B09J8QT8LM": [{"asin": "B09J8QT8LM", "instruction": "i want toyandona 100pcs christmas cake toppers snowflake cupcake toppers for a baby shower.", "attributes": ["baby shower", "birthday party"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQONGW", "worker_id": "A2RBF3IIJP15IH"}], "B07Z7JYC1M": [{"asin": "B07Z7JYC1M", "instruction": "i want a yongfoto 20x10ft high resolution photo studio background.", "attributes": ["light weight", "high resolution"], "options": ["size: 20x10ft"], "instruction_attributes": ["high resolution"], "instruction_options": ["20x10ft"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBEZGH0", "worker_id": "A1CB72B51L7TKE"}], "B08J3VKB62": [{"asin": "B08J3VKB62", "instruction": "i want a smart wi-fi bulb camera with motion detection.", "attributes": ["1080p hd", "motion detection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "37FMASSAYN1AWW1V16J56M5VVETIBL", "worker_id": "A2RBF3IIJP15IH"}], "B08Z7PSKGX": [{"asin": "B08Z7PSKGX", "instruction": "i am looking for modern gold round(vintage) and exquisite workmanship desk table mirror", "attributes": ["heavy duty", "exquisite workmanship"], "options": ["color: modern gold", "size: round(vintage)"], "instruction_attributes": ["exquisite workmanship"], "instruction_options": ["modern gold", "round(vintage)"], "assignment_id": "3YOH7BII0KHGB5PP6QVHKEEFQAEVKV", "worker_id": "A258PTOZ3D2TQR"}], "B01MQHE1B0": [{"asin": "B01MQHE1B0", "instruction": "i am looking for queen size futon bed sofa with space saving , armless and color to be twill royal blue", "attributes": ["queen size", "space saving"], "options": ["color: twill royal blue", "size: queen"], "instruction_attributes": ["space saving"], "instruction_options": ["twill royal blue"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNK2NTB", "worker_id": "AX2EWYWZM19AZ"}], "B07FWBSJMJ": [{"asin": "B07FWBSJMJ", "instruction": "i need a box of 12 desserts that are made with natural ingredients and are part of the friends collection.", "attributes": ["natural ingredients", "valentine day", "great gift", "perfect gift"], "options": ["flavor name: friends collection", "size: box of 12"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["friends collection", "box of 12"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMNWBQ1", "worker_id": "A2ECRNQ3X5LEXD"}], "B09BVDR3X1": [{"asin": "B09BVDR3X1", "instruction": "i am looking for d style high quality travel bottles.", "attributes": ["high quality", "travel bottles"], "options": ["color: style d"], "instruction_attributes": ["high quality", "travel bottles"], "instruction_options": ["style d"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4GF15U", "worker_id": "A3FG5PQHG5AH3Y"}], "B07NY3NCTT": [{"asin": "B07NY3NCTT", "instruction": "i am looking for a synthetic coffee brown colored wig.", "attributes": ["natural hair", "synthetic hair", "hair growth"], "options": ["color: coffee brown lighted"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["coffee brown lighted"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1HU3UE", "worker_id": "A1EREKSZAA9V7B"}], "B09KBWV5MQ": [{"asin": "B09KBWV5MQ", "instruction": "i am looking for a high speed macaroon mobile portable router with 12gb data.", "attributes": ["high speed", "light weight", "4g lte"], "options": ["size: m1-3g-30days"], "instruction_attributes": ["high speed", "4g lte"], "instruction_options": ["m1-3g-30days"], "assignment_id": "3E4GGUZ1TJ17EERNIGB6I9H4TB4K2T", "worker_id": "A2KW17G25L25R8"}], "B08W1P6ZSL": [{"asin": "B08W1P6ZSL", "instruction": "i want to find a pair of black and gold women's pumps with a synesthetic sole. i wear a size 5.5.", "attributes": ["high heel", "synthetic sole"], "options": ["color: black | gold", "size: 5.5"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["black | gold", "5.5"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYPTXFM", "worker_id": "A345TDMHP3DQ3G"}], "B00HM1Z0I2": [{"asin": "B00HM1Z0I2", "instruction": "i'd like to find a chandelier-style vanity light with a brushed nickel finish. ideally, there will be three lights in the set.", "attributes": ["nickel finish", "brushed nickel", "vanity light"], "options": ["color: brushed nickel", "size: three - light", "style: chandelier"], "instruction_attributes": ["nickel finish", "brushed nickel", "vanity light"], "instruction_options": ["brushed nickel", "three - light", "chandelier"], "assignment_id": "3IJXV6UZ18TXC3IKX35V61AZD0DRIO", "worker_id": "A345TDMHP3DQ3G"}], "B08PD1HYNM": [{"asin": "B08PD1HYNM", "instruction": "i am looking for a high capacity, white tablet with an android operating system, micro hdmi and a quad core processor.", "attributes": ["high speed", "quad core"], "options": ["color: elegant white"], "instruction_attributes": ["quad core"], "instruction_options": ["elegant white"], "assignment_id": "3G2UL9A02OO71034MOY04HTU3XY76L", "worker_id": "AK3JMCIGU8MLU"}], "B08H4Q7SNS": [{"asin": "B08H4Q7SNS", "instruction": "select for me travel bottles for shampoo paraben and bpa free. i need them to be flipflop caps. include 24 labels and one brush if possible.", "attributes": ["paraben free", "high quality", "bpa free", "travel bottles"], "options": [""], "instruction_attributes": ["paraben free", "bpa free", "travel bottles"], "instruction_options": [], "assignment_id": "3NAPMVF0Z7PJJZK3ZMMXE4CINSW724", "worker_id": "A15IJ20C3R4HUO"}], "B07FBLG5Q2": [{"asin": "B07FBLG5Q2", "instruction": "i am looking for mickey and minnie cupcake toppers for a birthday party.", "attributes": ["party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NM22P6", "worker_id": "A1EREKSZAA9V7B"}], "B09GN63TVC": [{"asin": "B09GN63TVC", "instruction": "i would like a multicolored 17.7 wide by 35.4long window film for my living room.", "attributes": ["eco friendly", "living room"], "options": ["color: multi-0000680", "size: 17.7wx35.4l-inch x2 pcs"], "instruction_attributes": ["living room"], "instruction_options": ["17.7wx35.4l-inch x2 pcs"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHYH4ZZ", "worker_id": "A1WS884SI0SLO4"}], "B08HJSCV5Y": [{"asin": "B08HJSCV5Y", "instruction": "i am looking for an oil and cruelty free beyond golden glow colored highlighter.", "attributes": ["cruelty free", "oil free", "alcohol free", "paraben free"], "options": ["color: 030 | beyond golden glow"], "instruction_attributes": ["cruelty free", "oil free"], "instruction_options": ["030 | beyond golden glow"], "assignment_id": "34V1S5K3G3BBFJRX1LWKIDK0YNM96Z", "worker_id": "A1EREKSZAA9V7B"}], "B078GVH2XW": [{"asin": "B078GVH2XW", "instruction": "i want an ivory maybelline instant age rewind eraser dark circles treatment.", "attributes": ["anti aging", "dark circles", "fine lines"], "options": ["color: 95 cool ivory"], "instruction_attributes": ["dark circles"], "instruction_options": ["95 cool ivory"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB467QAJ", "worker_id": "A2RBF3IIJP15IH"}], "B0952VJ8S9": [{"asin": "B0952VJ8S9", "instruction": "i want a synthetic wig that has multiple colors.", "attributes": ["long lasting", "high quality", "synthetic hair"], "options": ["color: mix color"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["mix color"], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTP95E7", "worker_id": "A345TDMHP3DQ3G"}], "B01MZ82PKM": [{"asin": "B01MZ82PKM", "instruction": "i need a chrome wall lamp that is brushed nickel.", "attributes": ["nickel finish", "brushed nickel", "vanity light", "glass shade"], "options": ["color: chrome", "size: six light", "style: wall | bath sconce"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["chrome"], "assignment_id": "34BBWHLWHLL2KZZ6WXF1T0IG5FFIW5", "worker_id": "A2ECRNQ3X5LEXD"}], "B07P1B7MLB": [{"asin": "B07P1B7MLB", "instruction": "i am looking for a pair of women's size 9 extra wide loafers that have synthetic soles.", "attributes": ["day comfort", "synthetic sole"], "options": ["color: french navy", "size: 9 x-wide"], "instruction_attributes": ["synthetic sole"], "instruction_options": ["9 x-wide"], "assignment_id": "38F5OAUN5YMNYPNLI7P418IKCBEH7W", "worker_id": "A1EREKSZAA9V7B"}], "B09MRYV1HH": [{"asin": "B09MRYV1HH", "instruction": "i want to find a lib balm set made with natural ingredients that has long-lasting effects. the color must be 02.", "attributes": ["long lasting", "green tea", "natural ingredients"], "options": ["color: set02"], "instruction_attributes": ["long lasting", "natural ingredients"], "instruction_options": ["set02"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSIXB8F", "worker_id": "A345TDMHP3DQ3G"}], "B08JTZ145X": [{"asin": "B08JTZ145X", "instruction": "i am looking for a usb headset with built-in microphone and noise cancelling feature.", "attributes": ["noise cancelling", "heavy duty", "plug play"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZCZLKP", "worker_id": "AJDQGOTMB2D80"}], "B09QX4T789": [{"asin": "B09QX4T789", "instruction": "i need to shop for some lounge pants that can be machine washed and tumble dried. look for a size 3 x large in black.", "attributes": ["hand wash", "machine wash", "polyester spandex", "daily wear", "tumble dry"], "options": ["color: black", "size: 3x-large"], "instruction_attributes": ["machine wash", "tumble dry"], "instruction_options": ["black", "3x-large"], "assignment_id": "3HYA4D4522TWYSZ9H5K92WPZLGX2FL", "worker_id": "AR9AU5FY1S3RO"}], "B08N86GWP7": [{"asin": "B08N86GWP7", "instruction": "i am looking for a cruelty free foundation stick for fine lines. also choose warm brown color.", "attributes": ["cruelty free", "hyaluronic acid", "fine lines"], "options": ["color: warm brown"], "instruction_attributes": ["cruelty free", "fine lines"], "instruction_options": ["warm brown"], "assignment_id": "3K2755HG53DJ12XPEU4QYFG3I79DFS", "worker_id": "A2HMEGTAFO0CS8"}], "B09Q3K9J4K": [{"asin": "B09Q3K9J4K", "instruction": "i need a green henley shirts pullover mens long sleeve.", "attributes": ["loose fit", "hand wash", "fleece lined", "wash cold", "slim fit", "machine wash", "long sleeve", "drawstring waist", "regular fit", "high waist", "short sleeve"], "options": ["color: green", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["green"], "assignment_id": "34MAJL3QPFXBLUY31O2VU2X024B43X", "worker_id": "A2RBF3IIJP15IH"}], "B09DYB8MKH": [{"asin": "B09DYB8MKH", "instruction": "i want a long 001 coffee colored xx-large long jacket for women that is for daily wear.", "attributes": ["hand wash", "high waist", "polyester spandex", "long sleeve", "dry clean", "daily wear"], "options": ["color: 001 coffee", "size: xx-large"], "instruction_attributes": ["daily wear"], "instruction_options": ["001 coffee", "xx-large"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWXG1CH", "worker_id": "A1CB72B51L7TKE"}], "B07PVKBGV3": [{"asin": "B07PVKBGV3", "instruction": "i need lactose free chocolate flavor", "attributes": ["plant based", "non gmo", "lactose free", "usda organic", "soy free", "dairy free", "gluten free", "dietary fiber"], "options": ["flavor name: chocolate", "size: 1.12 pound (pack of 1)"], "instruction_attributes": ["lactose free"], "instruction_options": ["chocolate"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0N4J86", "worker_id": "A226L9F2AZ38CL"}], "B09BB2LHTT": [{"asin": "B09BB2LHTT", "instruction": "i want to find a waterproof case for my samsung galaxy phone that is heavy duty and easy to install.", "attributes": ["heavy duty", "easy install", "wireless charging"], "options": [""], "instruction_attributes": ["heavy duty", "easy install"], "instruction_options": [], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OUMYEP", "worker_id": "A345TDMHP3DQ3G"}], "B07MR8XZJV": [{"asin": "B07MR8XZJV", "instruction": "i am looking for fresh baked valentine cookies i would like m&m and sugar cookies.", "attributes": ["baked fresh", "valentine day", "perfect gift"], "options": ["flavor name: double peanut butter"], "instruction_attributes": ["baked fresh", "valentine day"], "instruction_options": ["double peanut butter"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BKXJV1", "worker_id": "A2KW17G25L25R8"}], "B08GC2BJPN": [{"asin": "B08GC2BJPN", "instruction": "i am looking for a 12 feet high speed 4k hdmi cable compatible with apple tv.", "attributes": ["high speed", "compatible apple", "blu ray", "gold plated"], "options": ["color: 4k hdmi 12ft", "size: 3ft"], "instruction_attributes": ["high speed", "compatible apple"], "instruction_options": ["4k hdmi 12ft"], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4SY7K6", "worker_id": "AJDQGOTMB2D80"}], "B071G6PFDR": [{"asin": "B071G6PFDR", "instruction": "i want a low carb smoked snack jerky.", "attributes": ["low carb", "dietary fiber"], "options": [""], "instruction_attributes": ["low carb"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5FCZ1O", "worker_id": "A1NF6PELRKACS9"}], "B01HJW75O0": [{"asin": "B01HJW75O0", "instruction": "i need high speed hdmi cable male to female.", "attributes": ["high speed", "gold plated"], "options": ["color: 10 pack", "size: 8 feet (2-pack)", "style: hdmi male to female"], "instruction_attributes": ["high speed"], "instruction_options": ["hdmi male to female"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HDE6IK", "worker_id": "A2RBF3IIJP15IH"}], "B06WV8ZRPX": [{"asin": "B06WV8ZRPX", "instruction": "i want dell optiplex 7050 tower desktop with intel core i5-7500.", "attributes": ["core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["core i5"], "instruction_options": [], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R6XKSS", "worker_id": "A2RBF3IIJP15IH"}], "B082DSKT9G": [{"asin": "B082DSKT9G", "instruction": "i need a chocolate colored hair dye.", "attributes": ["easy use", "seed oil", "hair dye"], "options": ["color: brussels chocolat"], "instruction_attributes": ["hair dye"], "instruction_options": ["brussels chocolat"], "assignment_id": "3PXX5PX6L88VQEIXPIRSPOHCI5UBAE", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R6RDYJV": [{"asin": "B08R6RDYJV", "instruction": "i need leak proof empty travel bottles for lotion cream.", "attributes": ["leak proof", "travel bottles"], "options": [""], "instruction_attributes": ["leak proof", "travel bottles"], "instruction_options": [], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOWB39E", "worker_id": "A1NF6PELRKACS9"}], "B08KGN21R3": [{"asin": "B08KGN21R3", "instruction": "i want to find a teeth whitening device kit for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": [""], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": [], "assignment_id": "3FK0YFF9PAQURGJ15U9OMNPW68OVVK", "worker_id": "A345TDMHP3DQ3G"}], "B07M9ZLMYY": [{"asin": "B07M9ZLMYY", "instruction": "want to replace 2 packs for palm size 3 device rca universal remote control - works with symphonic vcr - remote code 0001, 1593 accurate with batteries included", "attributes": ["batteries included", "long lasting"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ6U1LX", "worker_id": "A15IJ20C3R4HUO"}], "B07ZPZ5BDS": [{"asin": "B07ZPZ5BDS", "instruction": "i am looking for best anti aginf formula that supports healthy skin by naturally reducing inflammation and soothing troubled skin for an overall more even skin tone! sand & sky australian emu apple dreamy glow dropswith vitamins, essential oils, and organic ingredients.", "attributes": ["cruelty free", "hyaluronic acid"], "options": [""], "instruction_attributes": ["cruelty free", "hyaluronic acid"], "instruction_options": [], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3DINQC", "worker_id": "A1DRKZ3SCLAS4V"}], "B09FXPMQT5": [{"asin": "B09FXPMQT5", "instruction": "get a long handled bath brush in blue.", "attributes": ["easy clean", "long handle", "stainless steel"], "options": ["color: blue"], "instruction_attributes": ["long handle"], "instruction_options": ["blue"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VY4YWI", "worker_id": "AR9AU5FY1S3RO"}], "B010C6WZEU": [{"asin": "B010C6WZEU", "instruction": "i am looking for dining room chairs. choose the satin cream.", "attributes": ["high density", "engineered wood", "faux leather", "solid wood", "dining room"], "options": ["color: satin cream"], "instruction_attributes": ["dining room"], "instruction_options": ["satin cream"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3G3VB9", "worker_id": "A3FG5PQHG5AH3Y"}], "B08NZQ8F8R": [{"asin": "B08NZQ8F8R", "instruction": "i need women's denim shorts in cotton spandex material with color jayne and size 9", "attributes": ["day comfort", "machine wash", "imported zipper", "cotton spandex", "quality materials"], "options": ["color: jayne", "size: 9"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["jayne", "9"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSFAB9DV", "worker_id": "ASWFLI3N8X72G"}], "B08M5BM6ZD": [{"asin": "B08M5BM6ZD", "instruction": "i want a navy officially licensed harry potter professor sybill shirt.", "attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather"], "options": ["color: navy", "fit type: youth", "size: 3x-large"], "instruction_attributes": ["officially licensed"], "instruction_options": ["navy"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SUSDUV", "worker_id": "A2RBF3IIJP15IH"}], "B07R1QGLQF": [{"asin": "B07R1QGLQF", "instruction": "i am looking for long lasting aaa batteries and a charger.", "attributes": ["batteries included", "long lasting", "aaa batteries"], "options": ["configuration: charger + aaa batteries"], "instruction_attributes": ["long lasting"], "instruction_options": ["charger + aaa batteries"], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KTR9JQ", "worker_id": "A1EREKSZAA9V7B"}], "B08QYMTQRX": [{"asin": "B08QYMTQRX", "instruction": "i am looking for gluten free snacks. please choose super turmeric flavor.", "attributes": ["low calorie", "plant based", "non gmo", "gluten free", "simple ingredients"], "options": ["flavor name: super turmeric"], "instruction_attributes": ["gluten free"], "instruction_options": ["super turmeric"], "assignment_id": "336YQZE836OU3ZADLBQKVTCK2RAM5N", "worker_id": "A3FG5PQHG5AH3Y"}], "B09SDZSKK2": [{"asin": "B09SDZSKK2", "instruction": "i need a9 - beige color, size 8.5 wide sandal which has a closed toe and ankle strap.", "attributes": ["ankle strap", "closed toe", "arch support"], "options": ["color: a9 - beige", "size: 8.5 wide"], "instruction_attributes": ["ankle strap", "closed toe"], "instruction_options": ["a9 - beige", "8.5 wide"], "assignment_id": "3VE8AYVF8X77K71YXMTACN227GRF83", "worker_id": "ASWFLI3N8X72G"}], "B082D23RLP": [{"asin": "B082D23RLP", "instruction": "i am looking for bow knot designed filler for nail art", "attributes": ["nail art", "nail polish"], "options": ["design: bow knot"], "instruction_attributes": ["nail art"], "instruction_options": ["bow knot"], "assignment_id": "3RSDURM96LWUTZSKFF7YTI54OUKYEN", "worker_id": "A258PTOZ3D2TQR"}], "B08TVDMNFK": [{"asin": "B08TVDMNFK", "instruction": "i need to find a heavy duty outlet wall plate cover; choose the rocker combo style.", "attributes": ["heavy duty", "high gloss"], "options": ["style: outlet | rocker combo"], "instruction_attributes": ["heavy duty"], "instruction_options": ["outlet | rocker combo"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3LELZD", "worker_id": "A3LIIE572Z4OG7"}], "B001HTIY9C": [{"asin": "B001HTIY9C", "instruction": "i would like a 0.5 ounce goan shrimp curry beans that are low sodium.", "attributes": ["low sodium", "usda organic", "non gmo", "gluten free"], "options": ["flavor name: goan shrimp curry", "size: 0.5 ounce (6-pack)"], "instruction_attributes": ["low sodium"], "instruction_options": ["goan shrimp curry", "0.5 ounce (6-pack)"], "assignment_id": "31Z0PCVWUVPD3YEGI16TFRL8N5F7T2", "worker_id": "A1WS884SI0SLO4"}], "B08HVWJC7J": [{"asin": "B08HVWJC7J", "instruction": "i am looking for a jerky with low carb and high protein serving. also choose farmhouse garlic.", "attributes": ["grass fed", "low carb", "protein serving"], "options": ["flavor name: farmhouse garlic"], "instruction_attributes": ["low carb", "protein serving"], "instruction_options": ["farmhouse garlic"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAUUXZH", "worker_id": "A2HMEGTAFO0CS8"}], "B00K375TT2": [{"asin": "B00K375TT2", "instruction": "i'd like to buy some fettuccini alfredo that's easy to prepare.", "attributes": ["rich creamy", "easy prepare"], "options": [""], "instruction_attributes": ["easy prepare"], "instruction_options": [], "assignment_id": "3HWRJOOETGCXXDGBG9F9BWH379HESI", "worker_id": "AR9AU5FY1S3RO"}], "B09J94TS4M": [{"asin": "B09J94TS4M", "instruction": "i need a portable label printer which comes with aaa batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK45V6A2", "worker_id": "A1NF6PELRKACS9"}], "B08C7LCRJT": [{"asin": "B08C7LCRJT", "instruction": "i want a xx-large classic fit weekend forecast kayaking beer drinking tank top.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: royal blue", "fit type: women", "size: xx-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["xx-large"], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3S9WG38", "worker_id": "A2RBF3IIJP15IH"}], "B00RZTITAC": [{"asin": "B00RZTITAC", "instruction": "it was time for his food high density breakfast, so the food is very super soft.", "attributes": ["super soft", "high density", "long lasting", "memory foam"], "options": [""], "instruction_attributes": ["super soft", "high density"], "instruction_options": [], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RZHW71", "worker_id": "ASL9LVC97FUCZ"}], "B09QSVVVH3": [{"asin": "B09QSVVVH3", "instruction": "i want a mattress solution california king with box spring.", "attributes": ["ready use", "double sided", "high density", "long lasting", "assembly required", "box spring"], "options": ["size: california king", "style: 8\" foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["california king"], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WW87FV", "worker_id": "A2RBF3IIJP15IH"}], "B07H2R23YX": [{"asin": "B07H2R23YX", "instruction": "find a 5.7 ounce pack of 4 easy prepare knorr rice side dishes in chicken fried rice flavor.", "attributes": ["easy prepare", "artificial flavors"], "options": ["color: chicken fried rice", "size: 5.7 ounce (pack of 4)"], "instruction_attributes": ["easy prepare"], "instruction_options": ["chicken fried rice", "5.7 ounce (pack of 4)"], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEH6689", "worker_id": "A1CB72B51L7TKE"}], "B097WNMQF6": [{"asin": "B097WNMQF6", "instruction": "i am looking for an easy to use dslr camera with optical zoom.", "attributes": ["high speed", "easy use", "optical zoom"], "options": [""], "instruction_attributes": ["easy use", "optical zoom"], "instruction_options": [], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KDGPDR", "worker_id": "A1EREKSZAA9V7B"}], "B09L6FSN5G": [{"asin": "B09L6FSN5G", "instruction": "i am looking for horse cupcake toppers for a birthday cake.", "attributes": ["birthday cake", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3MD9PLUKKTOYSVF240C0XC8F8G8NZB", "worker_id": "A1EREKSZAA9V7B"}], "B099WDPGQR": [{"asin": "B099WDPGQR", "instruction": "i want to buy some twenty six inch square pillow covers for my living room. look for some that are super soft.", "attributes": ["super soft", "exquisite workmanship", "storage space", "living room"], "options": ["size: 26\"*26\""], "instruction_attributes": ["super soft", "living room"], "instruction_options": ["26\"*26\""], "assignment_id": "3DH6GAKTY9ZS4UJGB2LBES6MC09YZ9", "worker_id": "AR9AU5FY1S3RO"}], "B07V43CTPY": [{"asin": "B07V43CTPY", "instruction": "i want a large machine washable marky g short sleeve t-shirt.", "attributes": ["day comfort", "machine washable", "machine wash", "short sleeve", "relaxed fit", "tumble dry"], "options": ["color: bondi blue", "size: large"], "instruction_attributes": ["machine washable"], "instruction_options": ["large"], "assignment_id": "3X73LLYYQCOC1AF8YE6TX54ACQSNHM", "worker_id": "A2RBF3IIJP15IH"}], "B094JVTYW5": [{"asin": "B094JVTYW5", "instruction": "get me a set of pillowcases in sage green. buy the machine washable ones.", "attributes": ["machine washable", "exquisite workmanship"], "options": ["color: sage green", "size: 20x30 inches"], "instruction_attributes": ["machine washable"], "instruction_options": ["sage green"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06LZXKD", "worker_id": "AR9AU5FY1S3RO"}], "B08WH7R5CG": [{"asin": "B08WH7R5CG", "instruction": "i need some storage space that is white and grey and also tall", "attributes": ["white item", "easy install", "wood frame", "storage unit", "storage space"], "options": ["color: white | gray", "size: tall"], "instruction_attributes": ["storage space"], "instruction_options": ["white | gray", "tall"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S0DGMO", "worker_id": "A2ECRNQ3X5LEXD"}], "B00DAOAQ1G": [{"asin": "B00DAOAQ1G", "instruction": "my mom want x- size polyster spandex", "attributes": ["straight leg", "machine wash", "elastic closure", "drawstring waist", "relaxed fit", "polyester spandex"], "options": ["color: new royal", "size: x-small"], "instruction_attributes": ["polyester spandex"], "instruction_options": ["x-small"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYIVLQL", "worker_id": "A226L9F2AZ38CL"}], "B07Q74BCVB": [{"asin": "B07Q74BCVB", "instruction": "i am looking for clinically proven hair treatment for a dry itchy scalp.", "attributes": ["clinically proven", "plant based", "sulfate free", "non toxic", "cruelty free", "hair growth", "hair treatment", "natural hair", "dead skin"], "options": [""], "instruction_attributes": ["clinically proven", "hair treatment"], "instruction_options": [], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHZR4ZB", "worker_id": "A1EREKSZAA9V7B"}], "B09F7RT6P3": [{"asin": "B09F7RT6P3", "instruction": "i need a dark tint 36w x 32l denim jeans for men which is good for everyday wear and has a relaxed fit.", "attributes": ["easy care", "straight leg", "relaxed fit", "everyday wear", "tumble dry"], "options": ["color: dark tint", "size: 36w x 32l"], "instruction_attributes": ["everyday wear"], "instruction_options": ["dark tint", "36w x 32l"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZKU7R1", "worker_id": "ASWFLI3N8X72G"}], "B09QKXKTJC": [{"asin": "B09QKXKTJC", "instruction": "i want pink buipokd women's sports shoes with arch support.", "attributes": ["day comfort", "open toe", "moisture wicking", "hand wash", "memory foam", "lace closure", "closed toe", "arch support", "rubber outsole", "rubber sole"], "options": ["color: pink", "size: 7"], "instruction_attributes": ["arch support"], "instruction_options": ["pink"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQKGNL", "worker_id": "A2RBF3IIJP15IH"}], "B08CBK9Z8X": [{"asin": "B08CBK9Z8X", "instruction": "i want a solid wood sunset trading shades of sand console table.", "attributes": ["solid wood", "wood finish"], "options": [""], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "3Z2R0DQ0JSO4SEZDMU03KE4Z9F22EN", "worker_id": "A2RBF3IIJP15IH"}], "B09RMZGJ47": [{"asin": "B09RMZGJ47", "instruction": "i would like a gray mascara brush for natural hair.", "attributes": ["rose gold", "natural hair"], "options": ["color: gray"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "392CY0QWGC1QBXGMMR9IY8ZPLL0I41", "worker_id": "A1WS884SI0SLO4"}], "B08VJ38NHR": [{"asin": "B08VJ38NHR", "instruction": "i want a easy carry easy use usb flash drive memory stick 5g data storage size :16g-3.0(1 pack)", "attributes": ["easy carry", "plug play", "easy use", "usb port"], "options": ["color: 5-multicoloured", "size: 16g-3.0(1 pack)"], "instruction_attributes": ["easy carry", "easy use"], "instruction_options": [], "assignment_id": "33OOO72IVSVJFF9C9IE4VDDMOGHTCS", "worker_id": "A3N9ZYQAESNFQH"}], "B096L8RMMG": [{"asin": "B096L8RMMG", "instruction": "i am looking for a six pack of 4 ounce plant based sweet potato puffs.", "attributes": ["grain free", "non gmo", "gluten free", "plant based"], "options": ["flavor: vegan cheesy cheddar | sea salt fry vari...", "size: 4 ounce (pack of 6)"], "instruction_attributes": ["plant based"], "instruction_options": ["4 ounce (pack of 6)"], "assignment_id": "3570Y55XZ0TSDDOBLAXMTLQG1AAGYX", "worker_id": "A1EREKSZAA9V7B"}], "B09S8S33TR": [{"asin": "B09S8S33TR", "instruction": "i need a photo backdrop for my living room that's around sixty by forty inches.", "attributes": ["printing technology", "living room"], "options": ["color: t1-plane-23", "size: 59.1\" x 39.4\""], "instruction_attributes": ["living room"], "instruction_options": ["59.1\" x 39.4\""], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WPVWQL", "worker_id": "AR9AU5FY1S3RO"}], "B085NMCTQ5": [{"asin": "B085NMCTQ5", "instruction": "i am searching for women's yoga short sleeve daily wear and round neck t-shirts of small size and #3 blue color", "attributes": ["moisture wicking", "hand wash", "machine wash", "short sleeve", "daily wear"], "options": ["color: #3 blue", "size: small"], "instruction_attributes": ["short sleeve", "daily wear"], "instruction_options": ["#3 blue", "small"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRRR2YM", "worker_id": "A258PTOZ3D2TQR"}], "B01DPWDWG8": [{"asin": "B01DPWDWG8", "instruction": "i need a two ounce package of hair dye in light to medium blonde.", "attributes": ["long lasting", "hair dye"], "options": ["color: light to medium blonde", "size: 2 ounce (pack of 1)"], "instruction_attributes": ["hair dye"], "instruction_options": ["light to medium blonde", "2 ounce (pack of 1)"], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPNKFW8", "worker_id": "AR9AU5FY1S3RO"}], "B07TMNWP3Z": [{"asin": "B07TMNWP3Z", "instruction": "i am looking for a high power binocular for watching the birds .", "attributes": ["high power", "bird watching"], "options": [""], "instruction_attributes": ["high power", "bird watching"], "instruction_options": [], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUJUVZK", "worker_id": "A2HMEGTAFO0CS8"}], "B08YJK1MKG": [{"asin": "B08YJK1MKG", "instruction": "i'm looking for a human skeleton shower cap made for women with natural hair.", "attributes": ["long lasting", "hair salon", "natural hair"], "options": ["color: human skeleton"], "instruction_attributes": ["natural hair"], "instruction_options": ["human skeleton"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A218WHTZ", "worker_id": "A36LOA6VLJU157"}], "B074TYK1HT": [{"asin": "B074TYK1HT", "instruction": "let me get an anti perspirant deodorant for sensitive skin.", "attributes": ["anti perspirant", "dermatologist tested", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": [], "assignment_id": "3DEL4X4ELHV3ZZJ1AKXQH7QB40KXYK", "worker_id": "A1NF6PELRKACS9"}, {"asin": "B074TYK1HT", "instruction": "i want to buy an anti antiperspirant deodorant for sensitive skin.", "attributes": ["anti perspirant", "dermatologist tested", "sensitive skin"], "options": [""], "instruction_attributes": ["anti perspirant", "sensitive skin"], "instruction_options": [], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDHWO21", "worker_id": "A1NF6PELRKACS9"}], "B09GQJY8SG": [{"asin": "B09GQJY8SG", "instruction": "i am looking a tempared glass anti scratch screen protector for i phone 13 pro", "attributes": ["tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["tempered glass"], "instruction_options": [], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH8K1EZ", "worker_id": "A3N9ZYQAESNFQH"}], "B079QGBL5H": [{"asin": "B079QGBL5H", "instruction": "i need steel gray color water resistant bag", "attributes": ["water resistant", "carrying case"], "options": ["color: steel gray"], "instruction_attributes": ["water resistant"], "instruction_options": [], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YPV8T0", "worker_id": "A226L9F2AZ38CL"}], "B09PYFGHJH": [{"asin": "B09PYFGHJH", "instruction": "i want mivofun 11pcs cute dinosaur cake toppers for a baby shower.", "attributes": ["birthday cake", "party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3PH3VY7DJW7OFPOGW13NTVL61S8WZ7", "worker_id": "A2RBF3IIJP15IH"}], "B082LNYDJJ": [{"asin": "B082LNYDJJ", "instruction": "i am looking for goodness of health cinnamon flavored toffee covered cashews by it's delish an energizing and delicious snack for those reducing sodium in their diet. almonds flavor , 3 pound size preferable.", "attributes": ["non dairy", "kosher certified"], "options": ["flavor: almonds", "size: 3 pound"], "instruction_attributes": ["non dairy", "kosher certified"], "instruction_options": ["almonds", "3 pound"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOD7ATI", "worker_id": "A1DRKZ3SCLAS4V"}, {"asin": "B082LNYDJJ", "instruction": "my mom like non dairy pecans flavor", "attributes": ["non dairy", "kosher certified"], "options": ["flavor: pecans", "size: 1 pound"], "instruction_attributes": ["non dairy"], "instruction_options": ["pecans"], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSH062S", "worker_id": "A226L9F2AZ38CL"}], "B09G6QSJWR": [{"asin": "B09G6QSJWR", "instruction": "i would like a gold birthday party cupcake topper", "attributes": ["birthday cake", "cupcake picks", "birthday party"], "options": ["pattern name: gold 15"], "instruction_attributes": ["birthday party"], "instruction_options": ["gold 15"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP616VD7", "worker_id": "A2ECRNQ3X5LEXD"}], "B09C3ZCVJS": [{"asin": "B09C3ZCVJS", "instruction": "i am looking for a office leather chair useful for heavy duty with synchro-tilt mechanism", "attributes": ["high density", "heavy duty"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49GXDTG", "worker_id": "A3N9ZYQAESNFQH"}], "B07D58V7Z2": [{"asin": "B07D58V7Z2", "instruction": "i would like a tteal green hrow pillow cover that is super soft and 16\" by 16\"", "attributes": ["super soft", "white item", "living room"], "options": ["color: teal green", "size: 16\"x16\""], "instruction_attributes": ["super soft"], "instruction_options": ["teal green", "16\"x16\""], "assignment_id": "3DIP6YHAPN2FET122B94U5H2VFGE8O", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TJDGGND": [{"asin": "B07TJDGGND", "instruction": "i need some facial scrub for sensitive skin. it should be oil free. get the three pack.", "attributes": ["oil free", "dermatologist tested", "sensitive skin"], "options": ["size: 4.2 fl oz (pack of 3)", "style: facial scrub + body wash"], "instruction_attributes": ["oil free", "sensitive skin"], "instruction_options": ["4.2 fl oz (pack of 3)", "facial scrub + body wash"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI39SBDJ", "worker_id": "AR9AU5FY1S3RO"}], "B09R9YS1GX": [{"asin": "B09R9YS1GX", "instruction": "i need height adjustable home office desk chair with metal legs in ivory color.", "attributes": ["height adjustable", "metal legs"], "options": ["color: ivory"], "instruction_attributes": ["height adjustable", "metal legs"], "instruction_options": ["ivory"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FF4ELZ", "worker_id": "ASWFLI3N8X72G"}], "B09P61NVL1": [{"asin": "B09P61NVL1", "instruction": "i want to find an orange color corrector for my teeth, which are very sensitive.", "attributes": ["sensitive teeth", "bad breath"], "options": ["color: orange"], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3CP1TO84P4B4WV6KBT70GKYMWMS25B", "worker_id": "A345TDMHP3DQ3G"}], "B07SL9Y1G7": [{"asin": "B07SL9Y1G7", "instruction": "i want to find a wall-mounted security camera that runs on aaa batteries.", "attributes": ["wall mounted", "aaa batteries"], "options": [""], "instruction_attributes": ["wall mounted", "aaa batteries"], "instruction_options": [], "assignment_id": "3H0W84IWBVCLWYGY1KF4LMC7L76REF", "worker_id": "A345TDMHP3DQ3G"}], "B081TV68PN": [{"asin": "B081TV68PN", "instruction": "i need a pair of stretch cotton spandex pants in size 40w x 32l. they should be machine washable and in a stone color.", "attributes": ["machine wash", "imported zipper", "cotton spandex"], "options": ["color: stone", "size: 40w x 32l"], "instruction_attributes": ["machine wash", "cotton spandex"], "instruction_options": ["stone", "40w x 32l"], "assignment_id": "3H7Z272LXIHEQRAB5EYJTM2CTM9LPU", "worker_id": "AR9AU5FY1S3RO"}], "B081TGYYFC": [{"asin": "B081TGYYFC", "instruction": "buy me a sixteen pack of sugar free spicy nacho keto chips.", "attributes": ["low carb", "low sugar", "sugar free", "gluten free"], "options": ["flavor name: spicy nacho", "size: 1.13 ounce (pack of 16)"], "instruction_attributes": ["sugar free"], "instruction_options": ["spicy nacho", "1.13 ounce (pack of 16)"], "assignment_id": "3CPLWGV3MZ9JM4XP02I1KO6MTDO9NM", "worker_id": "AR9AU5FY1S3RO"}], "B093HFR3HG": [{"asin": "B093HFR3HG", "instruction": "i am looking for a pink case with a kickstand and wireless charging for my samsung galaxy s21 ultra.", "attributes": ["high definition", "tempered glass", "wireless charging"], "options": ["color: pink", "size: galaxy s21 ultra(6.8 inch)"], "instruction_attributes": ["wireless charging"], "instruction_options": ["pink"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1HD3UX", "worker_id": "A1EREKSZAA9V7B"}], "B085686P5N": [{"asin": "B085686P5N", "instruction": "i want a juniper and fully assembled rivet decatur modern upholstered dining chair.", "attributes": ["fully assembled", "metal legs"], "options": ["color: juniper", "size: bar height"], "instruction_attributes": ["fully assembled"], "instruction_options": ["juniper"], "assignment_id": "3U5NZHP4L2CC4VRLETJL1U95C5QPHH", "worker_id": "A2RBF3IIJP15IH"}], "B08CQY2SP4": [{"asin": "B08CQY2SP4", "instruction": "i would like a pink classic fit shirt for men that is a size 4t.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "star wars"], "options": ["color: pink", "fit type: men", "size: 4t"], "instruction_attributes": ["classic fit"], "instruction_options": ["pink", "men", "4t"], "assignment_id": "3DBQWDE4YH80LHVDXC5K881K7H85NU", "worker_id": "A2ECRNQ3X5LEXD"}], "B000F8EURQ": [{"asin": "B000F8EURQ", "instruction": "i am looking for jolly rancher candies that are individually wrapped, but in a fat free version.", "attributes": ["individually wrapped", "fat free"], "options": [""], "instruction_attributes": ["individually wrapped", "fat free"], "instruction_options": [], "assignment_id": "32ZKVD547QXV6TJCG3CI2G36CW4B3M", "worker_id": "A2NSS746CFCT4M"}], "B08TVTL77Y": [{"asin": "B08TVTL77Y", "instruction": "get a heavy duty double toggle wall plate cover.", "attributes": ["heavy duty", "high gloss"], "options": ["style: double toggle"], "instruction_attributes": ["heavy duty"], "instruction_options": ["double toggle"], "assignment_id": "3LUY3GC63AAFB6L91KX9AHKBY22P7N", "worker_id": "AR9AU5FY1S3RO"}], "B08D68PBS9": [{"asin": "B08D68PBS9", "instruction": "i am looking for a 5-shelf industrial corner, a-shaped display storage rack shelf in grey finish. it needs to be space saving, 5-tier, and have storage space. made by homyshopy.", "attributes": ["space saving", "storage space"], "options": ["color: b", "size: 5-tier"], "instruction_attributes": ["space saving", "storage space"], "instruction_options": ["5-tier"], "assignment_id": "3TYCR1GOTNT84VCHSNWLKK4Q3L4ZLH", "worker_id": "A3RGIKEI8JS2QG"}], "B09MTV2CSQ": [{"asin": "B09MTV2CSQ", "instruction": "i'm looking for hd electronics it so useful and long lasting.", "attributes": ["1080p hd", "long lasting", "high resolution", "plug play", "high definition"], "options": ["color: 9 inch-th102"], "instruction_attributes": ["1080p hd", "long lasting"], "instruction_options": ["9 inch-th102"], "assignment_id": "32SCWG5HISEW7674IASH43KF3S8P6G", "worker_id": "A16IQOX0DK14OJ"}], "B09MZH121Q": [{"asin": "B09MZH121Q", "instruction": "find an extra large blue long sleeve sweatshirt.", "attributes": ["moisture wicking", "loose fit", "slim fit", "long sleeve", "short sleeve"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue", "x-large"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLSE30Z", "worker_id": "AR9AU5FY1S3RO"}], "B005A2GHCS": [{"asin": "B005A2GHCS", "instruction": "i want red lucky brand women's low rise jeans.", "attributes": ["low rise", "button closure"], "options": ["color: scarlet red step", "inseam length: 27 inches", "size: 34"], "instruction_attributes": ["low rise"], "instruction_options": ["scarlet red step"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KVT7ED", "worker_id": "A2RBF3IIJP15IH"}], "B09SH5BNDP": [{"asin": "B09SH5BNDP", "instruction": "i want to buy a high performance quad core streaming media player.", "attributes": ["dual band", "ultra hd", "high performance", "quad core"], "options": [""], "instruction_attributes": ["high performance", "quad core"], "instruction_options": [], "assignment_id": "3OS4RQUCRKPQM5Z50YDK3PS3FM4FBU", "worker_id": "AR9AU5FY1S3RO"}], "B0866B2Q2N": [{"asin": "B0866B2Q2N", "instruction": "i need a pair of slip-resistant work boots in a size 8. buy them in black.", "attributes": ["slip resistant", "moisture wicking", "long lasting"], "options": ["color: black", "size: 8"], "instruction_attributes": ["slip resistant"], "instruction_options": ["black", "8"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXRZ5OV", "worker_id": "AR9AU5FY1S3RO"}, {"asin": "B0866B2Q2N", "instruction": "this brand thorogood infinity fd series 6\u201d is gorgeous ! i want by one with: waterproof, slip resistant, composite safety toe work boots for men in a butterscotch collor and size 13", "attributes": ["slip resistant", "moisture wicking", "long lasting"], "options": ["color: butterscotch", "size: 13"], "instruction_attributes": ["slip resistant"], "instruction_options": ["13"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RZD7W8", "worker_id": "A15IJ20C3R4HUO"}], "B09Q8PPBXJ": [{"asin": "B09Q8PPBXJ", "instruction": "i am looking for butt lift high waist tummy control breathable athletic yoga pants affordable and accessible, perfect for fitness enthusiasts and everyday athleisure. jaqqra legging that are made from the highest quality fabricss for women which are designed to remove moisture from your body, providing maximum comfort. pretty squat proof! breathable, tight fit, strong compression, quick drying, moisture wicking, stretchy.super elastic fabrics are perfect for your body,very comfortable and soft! in yellow sizw 3x large preferable.", "attributes": ["fleece lined", "quick drying", "moisture wicking", "tummy control", "high waist", "polyester spandex", "gym workout"], "options": ["color: yellow", "size: 3x-large"], "instruction_attributes": ["tummy control", "high waist", "gym workout"], "instruction_options": ["yellow", "3x-large"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYPKFXV", "worker_id": "A1DRKZ3SCLAS4V"}], "B09B3RRJDB": [{"asin": "B09B3RRJDB", "instruction": "i want to find multi-colored extra-small sweatpants that i can wear daily.", "attributes": ["elastic waist", "polyester spandex", "daily wear"], "options": ["color: multicolored", "size: x-small"], "instruction_attributes": ["daily wear"], "instruction_options": ["multicolored", "x-small"], "assignment_id": "3B837J3LDZ6M6HLG2FZ9A3GMMYFRSG", "worker_id": "A345TDMHP3DQ3G"}], "B096W49HCJ": [{"asin": "B096W49HCJ", "instruction": "i need a pair of pink loafers for teen girls. they should be size eight.", "attributes": ["teen girls", "daily wear"], "options": ["color: pink", "size: 8"], "instruction_attributes": ["teen girls"], "instruction_options": ["pink", "8"], "assignment_id": "3HQUKB7LNQOKRETXVGBGSL7EQEHHH5", "worker_id": "AR9AU5FY1S3RO"}], "B097PMFHPF": [{"asin": "B097PMFHPF", "instruction": "i'm looking for white hair extensions made with synthetic hair.", "attributes": ["hair extensions", "synthetic hair"], "options": ["color: white"], "instruction_attributes": ["hair extensions", "synthetic hair"], "instruction_options": ["white"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBJFNK", "worker_id": "A20DUVEOH6A7KW"}], "B09Q5LY988": [{"asin": "B09Q5LY988", "instruction": "i want a red office chair ergonomic gaming chair with lumbar support.", "attributes": ["easy assemble", "pu leather", "lumbar support"], "options": ["color: red", "style: modern"], "instruction_attributes": ["lumbar support"], "instruction_options": ["red"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM969I4G7", "worker_id": "A2RBF3IIJP15IH"}], "B092VSGJVR": [{"asin": "B092VSGJVR", "instruction": "i am looking for a pair of women's ultra soft arch support sandals in a size 9.", "attributes": ["ethylene vinyl", "vinyl acetate", "arch support"], "options": ["color: lemon a", "size: 9"], "instruction_attributes": ["arch support"], "instruction_options": ["9"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6479DH3C", "worker_id": "A1EREKSZAA9V7B"}], "B09PL8RY44": [{"asin": "B09PL8RY44", "instruction": "i need black non slip zieglen sandals for women.", "attributes": ["non slip", "open toe", "memory foam"], "options": ["color: p1 black", "size: 8.5"], "instruction_attributes": ["non slip"], "instruction_options": ["p1 black"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWOUW6Z", "worker_id": "A2RBF3IIJP15IH"}], "B097SPSG33": [{"asin": "B097SPSG33", "instruction": "i need a 3 pack pendant light fixture with glass shade and white finish. it should be 45.7 inches in size.", "attributes": ["easy install", "white finish", "glass shade", "light fixture"], "options": ["size: 3 pack,45.7in"], "instruction_attributes": ["white finish", "glass shade", "light fixture"], "instruction_options": ["3 pack,45.7in"], "assignment_id": "30IQTZXKAVG624NG2CMHPFWRSNH0XY", "worker_id": "A1NF6PELRKACS9"}], "B01AH0DMFM": [{"asin": "B01AH0DMFM", "instruction": "i want charcoal and comfortable fit skechers performance women's go walk shoes.", "attributes": ["comfortable fit", "rubber sole"], "options": ["color: charcoal", "size: 7.5 wide"], "instruction_attributes": ["comfortable fit"], "instruction_options": ["charcoal"], "assignment_id": "3XIQGXAUMNIKKFN0NB7Q4U6E013X7B", "worker_id": "A2RBF3IIJP15IH"}], "B09HQTJZ7T": [{"asin": "B09HQTJZ7T", "instruction": "i want hand painted jmkj sculptures.", "attributes": ["hand painted", "exquisite workmanship", "living room"], "options": [""], "instruction_attributes": ["hand painted"], "instruction_options": [], "assignment_id": "3M68NM076SHHJJNJV2W69YKU49JR6V", "worker_id": "A2RBF3IIJP15IH"}], "B07TT5BCRW": [{"asin": "B07TT5BCRW", "instruction": "order a high waisted skirt in a size small. get the plantation colored one.", "attributes": ["high waist", "daily wear"], "options": ["color: plantation", "size: x-small"], "instruction_attributes": ["high waist"], "instruction_options": ["plantation", "x-small"], "assignment_id": "3EF8EXOTTC55E939HRBGCB7MMHKJ18", "worker_id": "AR9AU5FY1S3RO"}], "B08X4WFLQF": [{"asin": "B08X4WFLQF", "instruction": "i would like a pack of vermicelli rice sticks that are easy to make.", "attributes": ["gluten free", "easy prepare", "non gmo"], "options": ["style: rice sticks vermicelli"], "instruction_attributes": ["easy prepare"], "instruction_options": ["rice sticks vermicelli"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRL0MFI", "worker_id": "A1WS884SI0SLO4"}], "B07211VXZL": [{"asin": "B07211VXZL", "instruction": "i need a cellphone car adapter with output protection.", "attributes": ["output protection", "dual band"], "options": [""], "instruction_attributes": ["output protection"], "instruction_options": [], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CP62TU", "worker_id": "AR9AU5FY1S3RO"}], "B092VJKR3M": [{"asin": "B092VJKR3M", "instruction": "i need to buy a virtual reality headset with a carrying case.", "attributes": ["easy carry", "easy install", "carrying case"], "options": [""], "instruction_attributes": ["carrying case"], "instruction_options": [], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU72T579", "worker_id": "AR9AU5FY1S3RO"}], "B01C9O8IGM": [{"asin": "B01C9O8IGM", "instruction": "i am looking for teeth whitening stirps that come with a shade guide.", "attributes": ["teeth whitening", "easy use"], "options": [""], "instruction_attributes": ["teeth whitening"], "instruction_options": [], "assignment_id": "3R9WASFE2AQM432L6CTNP7Z66PQFZ0", "worker_id": "AJDQGOTMB2D80"}], "B099KQ6F2D": [{"asin": "B099KQ6F2D", "instruction": "i am looking for women's cotton spandex booty shorts with medium size and color should be black bae white", "attributes": ["low rise", "cotton spandex"], "options": ["color: black bae white", "size: medium"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["black bae white", "medium"], "assignment_id": "3NXNZ5RS1L7UJJ52KV1CORKWTYT79J", "worker_id": "AX2EWYWZM19AZ"}], "B07CTK2ZGL": [{"asin": "B07CTK2ZGL", "instruction": "i want wall light 1 light bathroom vanity lighting.", "attributes": ["easy install", "brushed nickel", "glass shade", "vanity light", "light fixture", "living room"], "options": ["size: 1 light"], "instruction_attributes": ["vanity light"], "instruction_options": ["1 light"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UPAG18", "worker_id": "A2RBF3IIJP15IH"}], "B08K89ZK4Q": [{"asin": "B08K89ZK4Q", "instruction": "i need some pants with an elastic waist. they should be black and in size three x large.", "attributes": ["drawstring waist", "high waist", "elastic waist", "polyester spandex"], "options": ["color: b-black.", "size: 3x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["b-black.", "3x-large"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79PY1H3", "worker_id": "AR9AU5FY1S3RO"}], "B093FGJ9RL": [{"asin": "B093FGJ9RL", "instruction": "i am looking for a steel framed brown 5 tier bookcase.", "attributes": ["assembly required", "coated steel", "steel frame", "storage space", "living room"], "options": ["color: brown-a", "size: 35.4\" x 11.8\" x 70.9\" (w x d x h)"], "instruction_attributes": ["steel frame"], "instruction_options": ["brown-a"], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69MZP81", "worker_id": "A1EREKSZAA9V7B"}], "B07T86JC7C": [{"asin": "B07T86JC7C", "instruction": "i want black chloe women's arch support clogs.", "attributes": ["slip resistant", "arch support", "rubber sole"], "options": ["color: black", "size: 10.5-11"], "instruction_attributes": ["arch support"], "instruction_options": ["black"], "assignment_id": "35K3O9HUAMNOT8BPAPFA4XYOIJPEF1", "worker_id": "A2RBF3IIJP15IH"}], "B0993R8ZHB": [{"asin": "B0993R8ZHB", "instruction": "i want a pack of low fat gourmet kitchen cooked shrimp.", "attributes": ["fully cooked", "low fat", "high protein"], "options": ["size: 1 pack"], "instruction_attributes": ["low fat"], "instruction_options": ["1 pack"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68E0A4W", "worker_id": "A2RBF3IIJP15IH"}], "B0033YLK7M": [{"asin": "B0033YLK7M", "instruction": "i want to find a doctor's stool with cinder-colored fabric. it needs to be 18.5 inches to 24 inches tall and be height adjustable.", "attributes": ["height adjustable", "lumbar support"], "options": ["color: cinder fabric", "size: desk height 18.5\"- 24\""], "instruction_attributes": ["height adjustable"], "instruction_options": ["cinder fabric", "desk height 18.5\"- 24\""], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJLLZ8B", "worker_id": "A345TDMHP3DQ3G"}], "B09MB3CRYB": [{"asin": "B09MB3CRYB", "instruction": "i want a easy clean water resistant hair cutting salon kit for professnol hair salon color:style 2", "attributes": ["water resistant", "easy clean", "hair cutting", "hair dye", "hair salon"], "options": ["color: style 2"], "instruction_attributes": ["water resistant", "easy clean", "hair cutting", "hair salon"], "instruction_options": ["style 2"], "assignment_id": "3BWI6RSP7RJBEFWJS6HYG5L7KWUE7N", "worker_id": "A3N9ZYQAESNFQH"}], "B09DKVZSVK": [{"asin": "B09DKVZSVK", "instruction": "i need a case for my 40 millimeter samsung galaxy watch 4. look for one with a tempered glass screen in rose gold.", "attributes": ["glass screen", "tempered glass"], "options": ["color: pink+rose gold+clear", "size: 40mm"], "instruction_attributes": ["glass screen", "tempered glass"], "instruction_options": ["pink+rose gold+clear", "40mm"], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDRWZQB", "worker_id": "AR9AU5FY1S3RO"}], "B079TR2JHT": [{"asin": "B079TR2JHT", "instruction": "men's eau de parfum long lasting for daily use", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJMTDGB", "worker_id": "A3N9ZYQAESNFQH"}], "B091KTBPG4": [{"asin": "B091KTBPG4", "instruction": "i am looking for a rose gold colored nail polish storage case.", "attributes": ["storage case", "nail polish"], "options": ["color: rose gold"], "instruction_attributes": ["storage case", "nail polish"], "instruction_options": ["rose gold"], "assignment_id": "3LEP4MGT3RATOLL99SIUFPPI39NBDE", "worker_id": "A1EREKSZAA9V7B"}], "B08LK9WRFQ": [{"asin": "B08LK9WRFQ", "instruction": "i need to buy a ready to hang art print that's sixteen by twenty-four inches. look for one that has women and palm leaves on it.", "attributes": ["hand painted", "ready hang", "wood frame"], "options": ["color: women face with palm leaves", "size: 16\"x24\"x1"], "instruction_attributes": ["ready hang"], "instruction_options": ["women face with palm leaves", "16\"x24\"x1"], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT6J732", "worker_id": "AR9AU5FY1S3RO"}], "B082HJWXKX": [{"asin": "B082HJWXKX", "instruction": "i need a space saving office desk that is blue and 90 by 30 cm", "attributes": ["wall mounted", "space saving", "easy clean", "living room"], "options": ["color: blue", "size: 90*30cm"], "instruction_attributes": ["space saving"], "instruction_options": ["blue"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R18LI2O", "worker_id": "A2ECRNQ3X5LEXD"}], "B08GS38WN1": [{"asin": "B08GS38WN1", "instruction": "i want blue striped and wide leg elsofer women's pajama lounge pants.", "attributes": ["wide leg", "hand wash", "wash cold", "polyester spandex", "quality polyester", "drawstring waist"], "options": ["color: blue striped", "size: 3x-large"], "instruction_attributes": ["wide leg"], "instruction_options": ["blue striped"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DU8TOX", "worker_id": "A2RBF3IIJP15IH"}], "B079PLY9B7": [{"asin": "B079PLY9B7", "instruction": "i am looking for mj korean cosmetic full face collagen red ginseng essence pack for sensitive skin in color: hyaluronic acid and size: pack of 14", "attributes": ["hyaluronic acid", "sensitive skin"], "options": ["color: hyaluronic acid", "size: pack of 14"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["hyaluronic acid", "pack of 14"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZIX9KV", "worker_id": "AX2EWYWZM19AZ"}], "B075DM81YY": [{"asin": "B075DM81YY", "instruction": "i would like a long lasting animal pattern storage bench that is easy to clean.", "attributes": ["long lasting", "assembly required", "easy clean", "contemporary design"], "options": ["color: animal pattern"], "instruction_attributes": ["long lasting", "easy clean"], "instruction_options": ["animal pattern"], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTSCWXC", "worker_id": "A1WS884SI0SLO4"}], "B01N297Q3Y": [{"asin": "B01N297Q3Y", "instruction": "i saw the women's shoe in a store and i need you to find it on amazon in brown and size 7, with rubber sole. the brand is jambu and the model is mule.", "attributes": ["memory foam", "rubber sole"], "options": ["color: brown", "size: 7"], "instruction_attributes": ["rubber sole"], "instruction_options": ["brown", "7"], "assignment_id": "3S06PH7KS2ESBN3H7VP59DC9HXYD1Z", "worker_id": "A15IJ20C3R4HUO"}], "B07GPBX5Z1": [{"asin": "B07GPBX5Z1", "instruction": "i want to buy some tummy-control shorts in extra small.", "attributes": ["nylon spandex", "stretch fabric", "tummy control"], "options": ["color: booty shorts dimgray camo", "size: x-small"], "instruction_attributes": ["tummy control"], "instruction_options": ["x-small"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21MDQFP", "worker_id": "AR9AU5FY1S3RO"}], "B00BBUSDW0": [{"asin": "B00BBUSDW0", "instruction": "i need a vanity light that is a satin nickel color.", "attributes": ["bronze finish", "vanity light", "glass shade"], "options": ["color: satin nickel"], "instruction_attributes": ["vanity light"], "instruction_options": ["satin nickel"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4AQRQN", "worker_id": "A2ECRNQ3X5LEXD"}], "B08R8CBM2D": [{"asin": "B08R8CBM2D", "instruction": "i want a hands free hlongg bluetooth clock speaker.", "attributes": ["hands free", "aaa batteries"], "options": [""], "instruction_attributes": ["hands free"], "instruction_options": [], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNZ4TPE", "worker_id": "A2RBF3IIJP15IH"}], "B09D3HK2T5": [{"asin": "B09D3HK2T5", "instruction": "i need to buy a smartwatch band for my apple watch. look for one in rose gold stainless steel mesh.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: mesh-rosegold", "size: 42mm | 44mm | 45mm"], "instruction_attributes": ["compatible apple", "stainless steel"], "instruction_options": ["mesh-rosegold", "42mm | 44mm | 45mm"], "assignment_id": "3X4JMASXCXJZP1KFXGUZ0I5Z9KGB0N", "worker_id": "AR9AU5FY1S3RO"}], "B09NC39NKL": [{"asin": "B09NC39NKL", "instruction": "i want samsung galaxy s22 glass screen protectors.", "attributes": ["long lasting", "tempered glass", "glass screen"], "options": [""], "instruction_attributes": ["glass screen"], "instruction_options": [], "assignment_id": "32EYX73OYBJ2LUDKRKU9P4YA7VEURD", "worker_id": "A2RBF3IIJP15IH"}], "B075NZNBPN": [{"asin": "B075NZNBPN", "instruction": "i would like a campfire fragrance beard conditioner made with argan oil", "attributes": ["natural ingredients", "argan oil"], "options": ["scent: campfire fragrance - the american"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3JNQLM5FTFWIYK953GN7X9UJIC62LD", "worker_id": "A1WS884SI0SLO4"}], "B09MTH718B": [{"asin": "B09MTH718B", "instruction": "i need a solid wood computer desk for living room which is easy to install and clean. i want color choice 1 and style 2.", "attributes": ["easy install", "easy clean", "solid wood", "living room"], "options": ["color: choice 1", "size: style 2"], "instruction_attributes": ["easy install", "easy clean", "solid wood", "living room"], "instruction_options": ["choice 1", "style 2"], "assignment_id": "3QAVNHZ3EXE73N49GVGM3RDHU0LALF", "worker_id": "ASWFLI3N8X72G"}], "B078Y8DS18": [{"asin": "B078Y8DS18", "instruction": "look for some high quality stainless steel hair cutting shears. they should be seven inches and made out of stainless steel.", "attributes": ["high quality", "stainless steel", "hair cutting"], "options": ["color: matt black", "size: 7.0 inch"], "instruction_attributes": ["high quality", "stainless steel", "hair cutting"], "instruction_options": ["matt black", "7.0 inch"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU72T75B", "worker_id": "AR9AU5FY1S3RO"}], "B099SBXBJH": [{"asin": "B099SBXBJH", "instruction": "i need a large niantie mens short sleeve t shirt.", "attributes": ["slim fit", "short sleeve", "long sleeve", "regular fit", "relaxed fit", "gym workout"], "options": ["color: blue", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXEKUJL", "worker_id": "A2RBF3IIJP15IH"}], "B08RTGLYGM": [{"asin": "B08RTGLYGM", "instruction": "i need a double dark chocolate bar which is high protein and ready to eat.", "attributes": ["ready eat", "high protein"], "options": ["flavor name: double dark chocolate"], "instruction_attributes": ["ready eat", "high protein"], "instruction_options": ["double dark chocolate"], "assignment_id": "3634BBTX0Z409DDB6851PCWGAC2FIH", "worker_id": "A1NF6PELRKACS9"}], "B08PVWCXK8": [{"asin": "B08PVWCXK8", "instruction": "i am looking for a 50ml leak proof refillable glass spray bottle.", "attributes": ["leak proof", "fine mist"], "options": ["color: green", "size: 50ml"], "instruction_attributes": ["leak proof"], "instruction_options": ["50ml"], "assignment_id": "3VJ40NV2QTXKO46FZNNVQD73DULTOA", "worker_id": "A1EREKSZAA9V7B"}], "B08QM88LCF": [{"asin": "B08QM88LCF", "instruction": "i want black rockport men's toe sneaker with lace closure.", "attributes": ["lace closure", "ethylene vinyl", "vinyl acetate"], "options": ["color: black", "size: 7.5"], "instruction_attributes": ["lace closure"], "instruction_options": ["black"], "assignment_id": "3RXPCZQMQ0LVN7D89LQDFYF6UPI1G1", "worker_id": "A2RBF3IIJP15IH"}], "B08RDS6J17": [{"asin": "B08RDS6J17", "instruction": "i need an easy to install 2pcs camera with 6pcs door alarm.", "attributes": ["batteries included", "easy install"], "options": ["color: 6pcs-alarm+2pcs-camera"], "instruction_attributes": ["easy install"], "instruction_options": ["6pcs-alarm+2pcs-camera"], "assignment_id": "3ATTHHXXWLYH9Z4W62BNVJWNEHZIXC", "worker_id": "A1NF6PELRKACS9"}], "B09DYVLH72": [{"asin": "B09DYVLH72", "instruction": "i would like a blue long sleeved sweatshirt that is the size 4x-large.", "attributes": ["long sleeve", "elastic closure", "high waist", "daily wear"], "options": ["color: a01-blue", "size: 4x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["a01-blue", "4x-large"], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K6H21N", "worker_id": "A2ECRNQ3X5LEXD"}], "B07GK93FTM": [{"asin": "B07GK93FTM", "instruction": "i would like two variety packs of non gmo trail mix", "attributes": ["non gmo", "high fructose"], "options": ["flavor name: variety", "size: 6 ounce x 2 packs"], "instruction_attributes": ["non gmo"], "instruction_options": ["variety", "6 ounce x 2 packs"], "assignment_id": "3TUI152ZZMXM0W7MCHVP9CJ80CXQ1R", "worker_id": "A2ECRNQ3X5LEXD"}], "B00EN3JV96": [{"asin": "B00EN3JV96", "instruction": "i need to buy a three ounce bottle of long lasting perfume in the sexy amber scent.", "attributes": ["design house", "long lasting"], "options": ["scent: sexy amber", "size: 3.4 ounce"], "instruction_attributes": ["long lasting"], "instruction_options": ["sexy amber", "3.4 ounce"], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKC6887", "worker_id": "AR9AU5FY1S3RO"}], "B07ZHGQQZ6": [{"asin": "B07ZHGQQZ6", "instruction": "i would like a mint green brush cleaner that is easy to use.", "attributes": ["non toxic", "easy use"], "options": ["color: mint green"], "instruction_attributes": ["easy use"], "instruction_options": ["mint green"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2MINYY", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PFW75M2": [{"asin": "B09PFW75M2", "instruction": "i would like a set of pendant lights for the living room.", "attributes": ["pendant light", "light fixture", "living room"], "options": [""], "instruction_attributes": ["pendant light", "living room"], "instruction_options": [], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZST040", "worker_id": "A1WS884SI0SLO4"}], "B07DXP1XRB": [{"asin": "B07DXP1XRB", "instruction": "i would like a set of fast charging noise cancelling headphones.", "attributes": ["noise cancelling", "fast charging"], "options": [""], "instruction_attributes": ["noise cancelling", "fast charging"], "instruction_options": [], "assignment_id": "3Z7VU45IP9RVEO8DZDE205VC5F1Z1D", "worker_id": "A1WS884SI0SLO4"}], "B01IM9I5L6": [{"asin": "B01IM9I5L6", "instruction": "i want to find a pair of size 5, coral-colored flip-flops with rubber soles that i can wear to yoga.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: coral", "size: 5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["coral", "5"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40VOCR2", "worker_id": "A345TDMHP3DQ3G"}], "B096W7H2ZD": [{"asin": "B096W7H2ZD", "instruction": "i want a bronze gold highlighter & luminizer made with natural ingredients for fine lines which is easy to apply, clean & carry.", "attributes": ["easy apply", "easy carry", "easy clean", "rose gold", "natural ingredients", "fine lines"], "options": ["color: bronze gold"], "instruction_attributes": ["easy apply", "easy carry", "easy clean", "natural ingredients", "fine lines"], "instruction_options": ["bronze gold"], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU72957P", "worker_id": "ASWFLI3N8X72G"}], "B09K81GRGT": [{"asin": "B09K81GRGT", "instruction": "i am interested in birthday party cupcake toppers that are multicolor.", "attributes": ["cupcake picks", "birthday party", "birthday cake", "party supplies"], "options": ["color: multicolor"], "instruction_attributes": ["birthday party"], "instruction_options": ["multicolor"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9SF87Z", "worker_id": "A2ECRNQ3X5LEXD"}], "B09PVH3W92": [{"asin": "B09PVH3W92", "instruction": "i want black women's open toe ring sandals.", "attributes": ["open toe", "non slip", "quality materials", "ankle strap", "rubber sole"], "options": ["color: black", "size: 9.5"], "instruction_attributes": ["open toe"], "instruction_options": ["black"], "assignment_id": "3YGXWBAF7BRZYUUMUHDWN51U8HQ4CX", "worker_id": "A2RBF3IIJP15IH"}], "B09T38ZZGL": [{"asin": "B09T38ZZGL", "instruction": "i need a new tv box that is made by android that come with the batteries included.", "attributes": ["batteries included", "easy use", "quad core"], "options": ["color: 4gb+128gb"], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "3PPTZCWAL1UJVSSUKS4H163KDRVZQA", "worker_id": "A32JEH06T23HDF"}], "B09MCYGBRZ": [{"asin": "B09MCYGBRZ", "instruction": "i want to get some red cupcake toppers that i can use for a birthday party.", "attributes": ["birthday cake", "party supplies", "birthday party"], "options": ["color: style a-red"], "instruction_attributes": ["birthday party"], "instruction_options": ["style a-red"], "assignment_id": "3TMSXRD2XHARKT38OQUV111UODB1W3", "worker_id": "A345TDMHP3DQ3G"}], "B09QMJ9PN2": [{"asin": "B09QMJ9PN2", "instruction": "i need high quality pillow covers in color a-8 and it should be fade resistant.", "attributes": ["high quality", "fine lines"], "options": ["color: a-8"], "instruction_attributes": ["high quality"], "instruction_options": ["a-8"], "assignment_id": "3OXV7EAXLP0P0H2HKCVAR0HEYV1634", "worker_id": "A1NF6PELRKACS9"}], "B004SE22H8": [{"asin": "B004SE22H8", "instruction": "i want fruit of the loom men's low-rise brief in size 38-40.", "attributes": ["low rise", "machine wash"], "options": ["size: 38-40"], "instruction_attributes": ["low rise"], "instruction_options": ["38-40"], "assignment_id": "3IUZPWIU1ZHTQUPUW00D6GXTXJ0KWE", "worker_id": "A2RBF3IIJP15IH"}], "B093S184XH": [{"asin": "B093S184XH", "instruction": "i am looking for easy to apply nail mirror powder.", "attributes": ["easy apply", "non toxic", "nail art", "nail polish"], "options": [""], "instruction_attributes": ["easy apply"], "instruction_options": [], "assignment_id": "3PEIJLRY643ZAUO1VJF2WA5VTSKXWL", "worker_id": "A1EREKSZAA9V7B"}], "B09GV9RWXX": [{"asin": "B09GV9RWXX", "instruction": "i am looking for solar power bank with 10w wireless charger, dual usb, fast charging and waterproof", "attributes": ["fast charging", "dust proof", "wireless charging"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3SNLUL3WOFXRIWI7M0XD3SPB139UL7", "worker_id": "AX2EWYWZM19AZ"}], "B08SHKMP5B": [{"asin": "B08SHKMP5B", "instruction": "find me a non alcoholic and zero sugar mocktail.", "attributes": ["non alcoholic", "keto friendly", "sugar free", "zero sugar"], "options": [""], "instruction_attributes": ["non alcoholic", "zero sugar"], "instruction_options": [], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83JIJIN", "worker_id": "A1NF6PELRKACS9"}], "B07KJFN8RM": [{"asin": "B07KJFN8RM", "instruction": "i want some cuticle pushers that are stainless steel.", "attributes": ["stainless steel", "dead skin"], "options": [""], "instruction_attributes": ["stainless steel"], "instruction_options": [], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKYBDNF", "worker_id": "A2ECRNQ3X5LEXD"}], "B09SPN32XS": [{"asin": "B09SPN32XS", "instruction": "i want a cd player portable boombox with stereo sound.", "attributes": ["easy use", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "3SKRO2GZ7C10PT9RZCBSDQ7Z16W1K1", "worker_id": "A2RBF3IIJP15IH"}], "B0916M7Z9C": [{"asin": "B0916M7Z9C", "instruction": "i am looking for hair and scalp serum for natural hair that is made with natural ingredients. i also would prefer the peppermint and aloe fragrance.", "attributes": ["cruelty free", "tea tree", "natural ingredients", "damaged hair", "natural hair", "hair growth", "dead skin"], "options": ["scent: peppermint & aloe"], "instruction_attributes": ["natural ingredients", "natural hair"], "instruction_options": ["peppermint & aloe"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLJBM0E", "worker_id": "AK3JMCIGU8MLU"}], "B01GJC4WRO": [{"asin": "B01GJC4WRO", "instruction": "i am looking for 2 pieces of 6ft long fast charging micro usb cable", "attributes": ["fast charging", "heavy duty", "high speed", "usb port"], "options": ["color: space grey", "number of items: 2", "size: 6.6ft"], "instruction_attributes": ["fast charging"], "instruction_options": ["2", "6.6ft"], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8ONQQK", "worker_id": "A258PTOZ3D2TQR"}], "B0747LWDCK": [{"asin": "B0747LWDCK", "instruction": "i would like some organic old fashioned oatmeal.", "attributes": ["non gmo", "certified organic", "old fashioned", "usda organic", "artificial flavors"], "options": ["flavor name: organic standard, old fashioned"], "instruction_attributes": ["usda organic"], "instruction_options": ["organic standard, old fashioned"], "assignment_id": "3VZLGYJEYWK34PT666Z9VEZDAUZZXO", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PV723CF": [{"asin": "B07PV723CF", "instruction": "i want a 2 pack of dseap coat rack wall mount.", "attributes": ["heavy duty", "wall mounted", "stainless steel"], "options": ["color: red antique copper", "package quantity: 2"], "instruction_attributes": ["wall mounted"], "instruction_options": ["2"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQF6EK3", "worker_id": "A2RBF3IIJP15IH"}], "B0050XG6QE": [{"asin": "B0050XG6QE", "instruction": "i like design house with white color", "attributes": ["design house", "alcohol free"], "options": [""], "instruction_attributes": ["design house"], "instruction_options": [], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQEPJCC", "worker_id": "A226L9F2AZ38CL"}], "B09HNCG2LQ": [{"asin": "B09HNCG2LQ", "instruction": "i would like a clinically proven deodorant that is lavender sage", "attributes": ["clinically proven", "paraben free", "sensitive skin"], "options": ["scent: lavender sage, sweet lily, jasmine rose"], "instruction_attributes": ["clinically proven"], "instruction_options": ["lavender sage, sweet lily, jasmine rose"], "assignment_id": "31UV0MXWN1M87GKM0WSS3053LIB5IB", "worker_id": "A2ECRNQ3X5LEXD"}], "B009NCWNQ0": [{"asin": "B009NCWNQ0", "instruction": "i want to find mango-flavored lip balm that is paraben free and contains some sun protection.", "attributes": ["paraben free", "cruelty free"], "options": ["flavor name: mango"], "instruction_attributes": ["paraben free"], "instruction_options": ["mango"], "assignment_id": "3U8YCDAGX0QMT7M4GYRPV70YVK1Q0Y", "worker_id": "A345TDMHP3DQ3G"}], "B09PQJ17S7": [{"asin": "B09PQJ17S7", "instruction": "i'm looking for short sleeve fitting clot. it can easy to machine wash.", "attributes": ["wide leg", "straight leg", "wash cold", "slim fit", "hand wash", "machine wash", "elastic waist", "high waist", "elastic closure", "short sleeve", "long sleeve", "everyday wear"], "options": ["color: 01 white", "size: x-large"], "instruction_attributes": ["wide leg", "machine wash", "elastic waist", "short sleeve"], "instruction_options": ["01 white"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRX6JX9", "worker_id": "A16IQOX0DK14OJ"}], "B09QQKW86M": [{"asin": "B09QQKW86M", "instruction": "i want small and high waisted comfortable underwear 831 new men u-convex.", "attributes": ["unique design", "high waist"], "options": ["color: 3 light blue", "size: small"], "instruction_attributes": ["high waist"], "instruction_options": ["small"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTSEL7Y", "worker_id": "A2RBF3IIJP15IH"}], "B07C5BQG5J": [{"asin": "B07C5BQG5J", "instruction": "i need to buy a flat-packed ottoman. look for one that's white.", "attributes": ["assembly required", "high gloss", "stainless steel"], "options": ["color: white"], "instruction_attributes": ["assembly required"], "instruction_options": ["white"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4IX895", "worker_id": "AR9AU5FY1S3RO"}], "B073YLPR26": [{"asin": "B073YLPR26", "instruction": "i am looking for an intel quad core i5-6500 mini pc with windows 10 pro.", "attributes": ["fast charging", "core i5", "quad core", "intel core"], "options": [""], "instruction_attributes": ["quad core", "intel core"], "instruction_options": [], "assignment_id": "3G5W44VEUISXT8ZUHVWVKDB53VHGKI", "worker_id": "A1EREKSZAA9V7B"}], "B07N4FGLPJ": [{"asin": "B07N4FGLPJ", "instruction": "look for a brushed aluminum wall sconce with a glass shade.", "attributes": ["clear glass", "glass shade"], "options": ["color: black | brushed aluminum", "size: 13.75x5.25x"], "instruction_attributes": ["glass shade"], "instruction_options": ["black | brushed aluminum"], "assignment_id": "3LPW2N6LK4CDG7FMUDH6M3TEFDYU58", "worker_id": "AR9AU5FY1S3RO"}], "B09QKQSLBT": [{"asin": "B09QKQSLBT", "instruction": "i want yellow wide leg eaktool sexy women shorts.", "attributes": ["fleece lined", "wide leg", "tummy control", "high waist", "teen girls"], "options": ["color: yellow", "size: x-large"], "instruction_attributes": ["wide leg"], "instruction_options": ["yellow"], "assignment_id": "3LWJHTCVCNWDQB1UJGAAYEN21MBQFN", "worker_id": "A2RBF3IIJP15IH"}], "B09NVGCG3K": [{"asin": "B09NVGCG3K", "instruction": "i am looking a spider man cupcake topper party supply for my pet birthday party", "attributes": ["birthday cake", "cupcake picks", "party supplies", "baby shower", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake", "party supplies", "birthday party"], "instruction_options": [], "assignment_id": "3N8OEVH1F204BC17361WW31GEMOOO3", "worker_id": "A3N9ZYQAESNFQH"}], "B09P4Z74XN": [{"asin": "B09P4Z74XN", "instruction": "i am looking for a lavender foot peel off mask which works on dry skin and it is easy to use.", "attributes": ["anti aging", "easy use", "dead skin", "fine lines"], "options": ["color: lavender"], "instruction_attributes": ["easy use", "dead skin"], "instruction_options": ["lavender"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOINMLQ", "worker_id": "AHU9OLV0YKIIW"}], "B098JZ8Q61": [{"asin": "B098JZ8Q61", "instruction": "shop for teeth whitening strips. look for some that taste like peppermint and are appropriate for sensitive teeth.", "attributes": ["teeth whitening", "sensitive teeth"], "options": ["flavor name: peppermint"], "instruction_attributes": ["teeth whitening", "sensitive teeth"], "instruction_options": ["peppermint"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZQEK3G", "worker_id": "AR9AU5FY1S3RO"}], "B09C7SHQH2": [{"asin": "B09C7SHQH2", "instruction": "i need an intel quad core tablet which is certified refurbished.", "attributes": ["certified refurbished", "core i5", "intel core", "quad core"], "options": [""], "instruction_attributes": ["certified refurbished", "intel core", "quad core"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTS19PU", "worker_id": "A1NF6PELRKACS9"}], "B09G2MCRX4": [{"asin": "B09G2MCRX4", "instruction": "find me twin sized bunk beds made of solid wood. it should be espresso colored.", "attributes": ["twin size", "box spring", "solid wood"], "options": ["color: espresso", "size: twin over twin"], "instruction_attributes": ["twin size", "solid wood"], "instruction_options": ["espresso"], "assignment_id": "34PGFRQONZLYFAJCEF0151XGIU4WJV", "worker_id": "A1NF6PELRKACS9"}], "B09T78TGBM": [{"asin": "B09T78TGBM", "instruction": "i am looking for a high speed 12v ac/dc adapter with output protection.", "attributes": ["output protection", "high speed"], "options": [""], "instruction_attributes": ["output protection", "high speed"], "instruction_options": [], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE215QGG", "worker_id": "A1EREKSZAA9V7B"}], "B07MXMZD94": [{"asin": "B07MXMZD94", "instruction": "look for the easy chef sampler of green bean snacks. i want the twelve piece non-gmo assortment.", "attributes": ["gluten free", "low calorie", "keto friendly", "low carb", "non gmo", "simple ingredients"], "options": ["flavor name: easy chef sampler", "size: 12 piece assortment"], "instruction_attributes": ["non gmo"], "instruction_options": ["easy chef sampler", "12 piece assortment"], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y6MVIH", "worker_id": "AR9AU5FY1S3RO"}], "B084KYR68F": [{"asin": "B084KYR68F", "instruction": "i want a trupedic x mozaic casual queen size futon mattress.", "attributes": ["queen size", "spot clean", "easy clean"], "options": ["color: camel khaki", "size: queen", "style: casual"], "instruction_attributes": ["queen size"], "instruction_options": ["casual"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH961EN", "worker_id": "A2RBF3IIJP15IH"}], "B07L2L64XL": [{"asin": "B07L2L64XL", "instruction": "i need a fluoride free toothpaste for fresh breath. i will need a pack of 4 in 3.5 ounce size.", "attributes": ["fluoride free", "cruelty free", "seed oil", "fresh breath"], "options": ["size: 3.5 ounce (pack of 4)"], "instruction_attributes": ["fluoride free", "fresh breath"], "instruction_options": ["3.5 ounce (pack of 4)"], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40VKYFQ", "worker_id": "A1NF6PELRKACS9"}], "B09QSR47T4": [{"asin": "B09QSR47T4", "instruction": "i am looking for a 52 inch by 45 inch green window panel.", "attributes": ["printing technology", "dining room", "living room"], "options": ["size: 52x45in"], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCN8MB0", "worker_id": "A1EREKSZAA9V7B"}], "B08S7MD3HY": [{"asin": "B08S7MD3HY", "instruction": "i want to find a printed backdrop that is 5 by 7 feet for a digital photography session.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 06", "size: 5x7 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 06", "5x7 ft"], "assignment_id": "39K0FND3ASPR95MUG7H134S6U59AMF", "worker_id": "A345TDMHP3DQ3G"}], "B082X5XQP4": [{"asin": "B082X5XQP4", "instruction": "i want a 10 foot gold plated jolgoo 1/4\" trs to dual rca insert cable.", "attributes": ["gold plated", "high performance"], "options": ["size: 10 feet", "style: 1 | 4 trs to dual rca"], "instruction_attributes": ["gold plated"], "instruction_options": ["10 feet"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXBAG75", "worker_id": "A2RBF3IIJP15IH"}], "B08G143L51": [{"asin": "B08G143L51", "instruction": "i want to find vanity light fixtures that i can put in my bathroom.", "attributes": ["mid century", "vanity light", "light fixture", "clear glass"], "options": [""], "instruction_attributes": ["vanity light", "light fixture"], "instruction_options": [], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LE1L0R", "worker_id": "A345TDMHP3DQ3G"}], "B00AUOJH8M": [{"asin": "B00AUOJH8M", "instruction": "my father mostly use grey color intel core laptop only", "attributes": ["high performance", "intel core"], "options": [""], "instruction_attributes": ["intel core"], "instruction_options": [], "assignment_id": "3KKG4CDWKT8X0WNJIX35LF0M2WW49P", "worker_id": "A226L9F2AZ38CL"}], "B00S1L6590": [{"asin": "B00S1L6590", "instruction": "i need a detangler hair brush that stimulates hair growth. choose the purple one.", "attributes": ["long lasting", "hair styling", "dry hair", "hair growth", "hair loss"], "options": ["color: purple", "size: 6.25\""], "instruction_attributes": ["hair growth"], "instruction_options": ["purple"], "assignment_id": "3ITXP059P7T58T23UAQ08CUVCH2JSX", "worker_id": "A1NF6PELRKACS9"}], "B08WWV6B8G": [{"asin": "B08WWV6B8G", "instruction": "i need a glossy electrical outlet cover.", "attributes": ["heavy duty", "high gloss"], "options": ["style: outlet | rocker combo"], "instruction_attributes": ["high gloss"], "instruction_options": ["outlet | rocker combo"], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKJJ7DB", "worker_id": "A19317A3X87NVM"}], "B08TJ1VF6P": [{"asin": "B08TJ1VF6P", "instruction": "i am looking for a super soft throw blanket that is at least 50 by 60 inches in size.", "attributes": ["super soft", "living room"], "options": ["color: t210120c-4", "size: 50 x 60 inches"], "instruction_attributes": ["super soft"], "instruction_options": ["50 x 60 inches"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SVHQTT", "worker_id": "AJDQGOTMB2D80"}], "B075RPQLCT": [{"asin": "B075RPQLCT", "instruction": "i am looking for low fat high protein salted toffee pretzel protein bars.", "attributes": ["low fat", "low carb", "low calorie", "high protein"], "options": ["flavor name: salted toffee pretzel", "size: 7 count (pack of 1)", "style: 3 boxes (save 5%)"], "instruction_attributes": ["low fat", "high protein"], "instruction_options": ["salted toffee pretzel", "3 boxes (save 5%)"], "assignment_id": "3DY46V3X30SWVSP7TC9YER1YGW7553", "worker_id": "A1EREKSZAA9V7B"}], "B09GLW6K81": [{"asin": "B09GLW6K81", "instruction": "show me travel bottles with bpa free, non toxic, high quality (yellow) please do it quickly.", "attributes": ["leak proof", "high quality", "bpa free", "non toxic", "easy clean", "easy use", "travel bottles", "quality materials"], "options": ["color: yellow"], "instruction_attributes": ["bpa free", "non toxic"], "instruction_options": ["yellow"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU8RCMG", "worker_id": "A15IJ20C3R4HUO"}], "B09LSQX8MH": [{"asin": "B09LSQX8MH", "instruction": "i am interested in headphones that are noise cancelling.", "attributes": ["noise cancelling", "hands free"], "options": [""], "instruction_attributes": ["noise cancelling"], "instruction_options": [], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OVC3M7", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PGQQH3S": [{"asin": "B07PGQQH3S", "instruction": "i need a pack of 24 individually wrapped ready to eat strawberry crepes.", "attributes": ["individually wrapped", "non gmo", "ready eat", "simple ingredients", "high fructose"], "options": ["flavor name: strawberry", "size: 1.13 ounce (pack of 24)"], "instruction_attributes": ["individually wrapped", "ready eat"], "instruction_options": ["strawberry", "1.13 ounce (pack of 24)"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZKKR7B", "worker_id": "AR9AU5FY1S3RO"}], "B084GCLMNR": [{"asin": "B084GCLMNR", "instruction": "get me some hydrating hyaluronic acid moisturizer for sensitive skin.", "attributes": ["hyaluronic acid", "sensitive skin"], "options": ["color: peptaronic serum", "style name: peptaronic (hydrating)"], "instruction_attributes": ["hyaluronic acid", "sensitive skin"], "instruction_options": ["peptaronic (hydrating)"], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXR1YLQ", "worker_id": "AR9AU5FY1S3RO"}], "B01LNKHDAK": [{"asin": "B01LNKHDAK", "instruction": "i am looking for a individually wrapped granola bar with high fructose. also choose 3-flavor variety pack", "attributes": ["chocolate covered", "individually wrapped", "high fructose"], "options": ["flavor name: 3-flavor variety pack"], "instruction_attributes": ["individually wrapped", "high fructose"], "instruction_options": ["3-flavor variety pack"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA4AR8I", "worker_id": "A2HMEGTAFO0CS8"}], "B09QHTZX6Z": [{"asin": "B09QHTZX6Z", "instruction": "i would like a pink electric tootbrush that is long lasting.", "attributes": ["teeth whitening", "long lasting"], "options": ["color: pink cow"], "instruction_attributes": ["long lasting"], "instruction_options": ["pink cow"], "assignment_id": "3C6FJU71T13BIVP65FM3X0R7AIGUY2", "worker_id": "A2ECRNQ3X5LEXD"}], "B00KUPS3JU": [{"asin": "B00KUPS3JU", "instruction": "i want to buy a mid-back drafting chair that has an adjustable height and lumbar support. look for a blue one.", "attributes": ["height adjustable", "lumbar support"], "options": ["color: blue mesh | white frame", "style: mid back drafting chair"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": ["blue mesh | white frame", "mid back drafting chair"], "assignment_id": "37UQDCYH685SGQI5NW68G99TKQ8V7J", "worker_id": "AR9AU5FY1S3RO"}], "B07Y2B737Q": [{"asin": "B07Y2B737Q", "instruction": "buy me the toothpaste with hempseed and coconut oil.", "attributes": ["seed oil", "coconut oil"], "options": [""], "instruction_attributes": ["seed oil", "coconut oil"], "instruction_options": [], "assignment_id": "3R3YRB5GRQDAMDR3P98NUE907RVUAA", "worker_id": "AR9AU5FY1S3RO"}], "B09GNBPCRL": [{"asin": "B09GNBPCRL", "instruction": "i need some hair quality hair clippers", "attributes": ["long lasting", "easy clean", "high quality", "stainless steel", "hair cutting"], "options": ["color: gold with box"], "instruction_attributes": ["high quality"], "instruction_options": ["gold with box"], "assignment_id": "339ANSOTRGCBPZ5P7JWY5POLI8KIKN", "worker_id": "A2ECRNQ3X5LEXD"}], "B00XV44F44": [{"asin": "B00XV44F44", "instruction": "i am looking for a three pack of lactose free milk", "attributes": ["lactose free", "dairy free", "gluten free"], "options": ["size: 11.25 ounce (pack of 3)"], "instruction_attributes": ["lactose free"], "instruction_options": ["11.25 ounce (pack of 3)"], "assignment_id": "3P4RDNWNDGGGEFZ7PYWM4AO83JAIJE", "worker_id": "A2ECRNQ3X5LEXD"}], "B01FNQX11A": [{"asin": "B01FNQX11A", "instruction": "i need a 32 ct variety pack of cruelty free lip balms.", "attributes": ["cruelty free", "green tea", "natural ingredients"], "options": ["flavor name: variety", "size: pack of 32"], "instruction_attributes": ["cruelty free"], "instruction_options": ["variety", "pack of 32"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOHVMLW", "worker_id": "A2ECRNQ3X5LEXD"}], "B079CGP5GP": [{"asin": "B079CGP5GP", "instruction": "i need eye shadow with 0.5 ounce size only", "attributes": ["high quality", "eye shadow"], "options": ["color: .5 oz | 15ml", "size: 0.5 ounce (pack of 12)"], "instruction_attributes": ["eye shadow"], "instruction_options": ["0.5 ounce (pack of 12)"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNK1TNG", "worker_id": "A226L9F2AZ38CL"}], "B09RFYG8YG": [{"asin": "B09RFYG8YG", "instruction": "can you search for keeyo women's oversized jumpsuits? are summer casual baggy pants, daily wear with wide legs please find this costume for me in blue color and x-large size", "attributes": ["wide leg", "straight leg", "fleece lined", "loose fit", "wash cold", "hand wash", "machine wash", "long sleeve", "tummy control", "elastic waist", "high waist", "polyester spandex", "daily wear"], "options": ["color: blue", "size: x-large"], "instruction_attributes": ["wide leg", "daily wear"], "instruction_options": ["blue", "x-large"], "assignment_id": "3U0SRXB7COFPQ4TBUJINB96GZZRNRK", "worker_id": "A15IJ20C3R4HUO"}], "B00TOV2F4K": [{"asin": "B00TOV2F4K", "instruction": "i need to buy a forty-six inch under cabinet light fixture.", "attributes": ["white item", "light fixture"], "options": ["color: 3000k-warm white", "size: 46 in"], "instruction_attributes": ["light fixture"], "instruction_options": ["46 in"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HDQI68", "worker_id": "AR9AU5FY1S3RO"}], "B099KPHTQT": [{"asin": "B099KPHTQT", "instruction": "i would like to buy a 4g lte pc tablet with a hd screen.", "attributes": ["high definition", "4g lte"], "options": [""], "instruction_attributes": ["high definition", "4g lte"], "instruction_options": [], "assignment_id": "3OJSZ2ATD36BIW3QH5OVCBFU73S75C", "worker_id": "AHXHM1PQTRWIQ"}], "B08PPYCK6H": [{"asin": "B08PPYCK6H", "instruction": "i need ultra hd 13ft size smart tv", "attributes": ["high speed", "ultra hd", "blu ray", "gold plated"], "options": ["color: grey", "size: 13ft"], "instruction_attributes": ["ultra hd"], "instruction_options": ["13ft"], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMOPBQW", "worker_id": "A226L9F2AZ38CL"}], "B09DV19VKY": [{"asin": "B09DV19VKY", "instruction": "i am looking for a brushed nickel modern sputnik chandelier that has 15 lights for my dining room.", "attributes": ["mid century", "light fixture", "brushed nickel", "dining room", "living room"], "options": ["color: brushed brass", "size: 15 lights"], "instruction_attributes": ["brushed nickel", "dining room"], "instruction_options": ["15 lights"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGNKYIP", "worker_id": "A1EREKSZAA9V7B"}], "B09NSWZF5X": [{"asin": "B09NSWZF5X", "instruction": "i am looking for gaming pc windows 10 professional desktop tower with quad core i7 3.4ghz, 16gb ram, 256gb ssd, tempered glass and wifi adapter", "attributes": ["quad core", "tempered glass"], "options": [""], "instruction_attributes": ["quad core", "tempered glass"], "instruction_options": [], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LU2DC2", "worker_id": "AX2EWYWZM19AZ"}], "B09PG5MJG1": [{"asin": "B09PG5MJG1", "instruction": "i need to buy a height adjustable office chair with lumbar support. i want a grey one.", "attributes": ["height adjustable", "space saving", "lumbar support"], "options": ["color: grey"], "instruction_attributes": ["height adjustable", "lumbar support"], "instruction_options": ["grey"], "assignment_id": "3ZV9H2YQQOHNUWHNBU8EPUGRMXS3W0", "worker_id": "AR9AU5FY1S3RO"}], "B08R61WQ6K": [{"asin": "B08R61WQ6K", "instruction": "i want to find a black manual shaver that can help remove hair.", "attributes": ["non toxic", "high quality", "hair removal"], "options": ["color: black"], "instruction_attributes": ["hair removal"], "instruction_options": ["black"], "assignment_id": "3U5JL4WY5VJN1S5HLD9J1IM49ZZ4XK", "worker_id": "A345TDMHP3DQ3G"}], "B09CM59VGC": [{"asin": "B09CM59VGC", "instruction": "i am looking for a large wig storage case with accessory pockets.", "attributes": ["water resistant", "storage case", "synthetic hair"], "options": ["color: g102", "size: large"], "instruction_attributes": ["storage case"], "instruction_options": ["large"], "assignment_id": "3GFK2QRXXKRQ8B4RPDW74REB0T9W59", "worker_id": "A1EREKSZAA9V7B"}], "B08HQ8JRQP": [{"asin": "B08HQ8JRQP", "instruction": "i would like some low calorie sesame pretzels.", "attributes": ["artificial ingredients", "low calorie", "non gmo"], "options": ["flavor name: sesame", "size: 7.1 ounce bag, 3-pack"], "instruction_attributes": ["low calorie"], "instruction_options": ["sesame"], "assignment_id": "3PIWWX1FJUGC9QJD7GHMGB38GYTJJL", "worker_id": "A2ECRNQ3X5LEXD"}], "B096NK94S7": [{"asin": "B096NK94S7", "instruction": "i want a hieha double din car stereo compatible with apple.", "attributes": ["compatible apple", "hands free", "high definition", "usb port"], "options": [""], "instruction_attributes": ["compatible apple"], "instruction_options": [], "assignment_id": "3RXCAC0YI2ZDY7XT86ZSU82E8VY8G2", "worker_id": "A2RBF3IIJP15IH"}], "B00CUMRXKG": [{"asin": "B00CUMRXKG", "instruction": "i need to buy a queen sized faux leather platform bed in white.", "attributes": ["white item", "faux leather", "wood frame", "box spring"], "options": ["color: white", "size: queen"], "instruction_attributes": ["white item", "faux leather"], "instruction_options": ["white", "queen"], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVLEXLQ", "worker_id": "AR9AU5FY1S3RO"}], "B088RL3PW2": [{"asin": "B088RL3PW2", "instruction": "i am looking for 20 inch by 20 inch machine washable throw pillow inserts.", "attributes": ["machine washable", "lumbar support"], "options": ["size: 20\" x 20\""], "instruction_attributes": ["machine washable"], "instruction_options": ["20\" x 20\""], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIQM488", "worker_id": "A1EREKSZAA9V7B"}], "B07CMW1YNZ": [{"asin": "B07CMW1YNZ", "instruction": "i need firecracker eau de parfum for women's which is paraben free.", "attributes": ["paraben free", "cruelty free"], "options": ["size: eau de parfum", "style: firecracker"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTSNP9W", "worker_id": "ASWFLI3N8X72G"}], "B07RPNJXQQ": [{"asin": "B07RPNJXQQ", "instruction": "i want blue wide leg fudule women shorts.", "attributes": ["wide leg", "low rise", "slim fit", "hand wash", "high waist", "elastic waist", "button closure"], "options": ["color: x-6 blue", "size: 3x-large"], "instruction_attributes": ["wide leg"], "instruction_options": ["x-6 blue"], "assignment_id": "3M0NZ3JDPC8U269W00GE3V8THVH5ZC", "worker_id": "A2RBF3IIJP15IH"}], "B07NC2QDQM": [{"asin": "B07NC2QDQM", "instruction": "i want gluten free aurelia's spanish chorizo.", "attributes": ["fully cooked", "keto friendly", "dairy free", "gluten free"], "options": [""], "instruction_attributes": ["gluten free"], "instruction_options": [], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SUADUD", "worker_id": "A2RBF3IIJP15IH"}], "B0130O3CWA": [{"asin": "B0130O3CWA", "instruction": "i want to find a makeup palette that is highly pigmented.", "attributes": ["cruelty free", "animal testing", "highly pigmented"], "options": [""], "instruction_attributes": ["highly pigmented"], "instruction_options": [], "assignment_id": "3HPZF4IVNX3FW186JO133U513I4CY5", "worker_id": "A345TDMHP3DQ3G"}], "B007TXXBJI": [{"asin": "B007TXXBJI", "instruction": "i am looking for combo pack b, low calorie, sugar and fat free cakes weighing 2.6 ounces in pack of 12", "attributes": ["low carb", "low calorie", "fat free", "sugar free"], "options": ["flavor: combo pack b", "size: 2.6 ounce (pack of 12)"], "instruction_attributes": ["low calorie", "fat free", "sugar free"], "instruction_options": ["combo pack b", "2.6 ounce (pack of 12)"], "assignment_id": "3URFVVM16GSBNLZB11OMB709GC6ZUK", "worker_id": "ASWFLI3N8X72G"}], "B089GY4SGR": [{"asin": "B089GY4SGR", "instruction": "i am looking for steel framed storage bench box. please choose red one.", "attributes": ["assembly required", "steel frame"], "options": ["color: red"], "instruction_attributes": ["steel frame"], "instruction_options": ["red"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTORV48", "worker_id": "A3FG5PQHG5AH3Y"}], "B07XDXNMR8": [{"asin": "B07XDXNMR8", "instruction": "i want to find a noise-cancelling headset that is bluetooth enabled and features a clip and cable.", "attributes": ["noise cancelling", "high speed", "easy install"], "options": ["size: clip+cable heaphone"], "instruction_attributes": ["noise cancelling"], "instruction_options": ["clip+cable heaphone"], "assignment_id": "3P59JYT76WU6HXHACPPYJ040CPBT2Q", "worker_id": "A345TDMHP3DQ3G"}], "B07PXBRYZR": [{"asin": "B07PXBRYZR", "instruction": "i want to find 3-inch silver hairpins that i can use to style my hair with.", "attributes": ["high quality", "hair styling"], "options": ["color: silver", "size: 3 inch"], "instruction_attributes": ["hair styling"], "instruction_options": ["silver", "3 inch"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPFR6VY", "worker_id": "A345TDMHP3DQ3G"}], "B09QKPTN7Q": [{"asin": "B09QKPTN7Q", "instruction": "i am looking for 2 nos high back armrest 3d mesh lumbar support office chair with red color", "attributes": ["easy assemble", "lumbar support", "pu leather"], "options": ["color: red", "item package quantity: 2"], "instruction_attributes": ["lumbar support"], "instruction_options": ["red", "2"], "assignment_id": "3X87C8JFVHLMUG6GP0A95D6HQC8QS9", "worker_id": "A258PTOZ3D2TQR"}], "B09FSFQ6QT": [{"asin": "B09FSFQ6QT", "instruction": "i need a hair elastic for my hair extensions.", "attributes": ["hair extensions", "natural hair"], "options": [""], "instruction_attributes": ["hair extensions"], "instruction_options": [], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMOEBQL", "worker_id": "A2ECRNQ3X5LEXD"}], "B082NBXXJP": [{"asin": "B082NBXXJP", "instruction": "i want a solid wood bench with storage space to go in my living room. it should be grey in color.", "attributes": ["solid wood", "living room"], "options": ["color: grey"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["grey"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVFMZS5", "worker_id": "A1NF6PELRKACS9"}], "B07YY4DYV2": [{"asin": "B07YY4DYV2", "instruction": "i need some drapes for the living room that are 40\" by 63\" by 2.", "attributes": ["eco friendly", "living room", "dining room"], "options": ["size: 40'' x 63'' x 2 panels"], "instruction_attributes": ["living room"], "instruction_options": ["40'' x 63'' x 2 panels"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDWMAIW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PBXXNCY": [{"asin": "B07PBXXNCY", "instruction": "i am looking for 300 count eco friendly face towels.", "attributes": ["eco friendly", "cruelty free", "dead skin", "sensitive skin"], "options": ["pattern name: 300 count (save 20%)"], "instruction_attributes": ["eco friendly"], "instruction_options": ["300 count (save 20%)"], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMP1EXA", "worker_id": "A3FG5PQHG5AH3Y"}], "B001KW0CYG": [{"asin": "B001KW0CYG", "instruction": "i am looking for a maple and brushed nickel 2 door armoire.", "attributes": ["assembly required", "brushed nickel"], "options": ["color: maple"], "instruction_attributes": ["brushed nickel"], "instruction_options": ["maple"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL6LCEC", "worker_id": "A1EREKSZAA9V7B"}], "B07ZWGVCNM": [{"asin": "B07ZWGVCNM", "instruction": "i am looking for hp elitedesk 800 g2 business desktop mini tower with core i5 ,16gb ram, 512gb harddrive and windows 10 pro along with high performance and certified refurbished", "attributes": ["certified refurbished", "fast charging", "high performance", "core i5", "intel core", "usb port"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance"], "instruction_options": [], "assignment_id": "3483FV8BEPT0FZ6YGCH58QCMSH162T", "worker_id": "AX2EWYWZM19AZ"}], "B08586N7Z1": [{"asin": "B08586N7Z1", "instruction": "i am looking for yellow anti slip chair cushions", "attributes": ["button tufted", "non slip"], "options": ["color: yellow", "style: 4 pack"], "instruction_attributes": ["non slip"], "instruction_options": ["yellow"], "assignment_id": "3L70J4KAZRWO5BGH3EIYKE5CLRHDA0", "worker_id": "A1EREKSZAA9V7B"}], "B0882N9V2H": [{"asin": "B0882N9V2H", "instruction": "get me some party mix with chocolate covered cashews in a resealable bag.", "attributes": ["chocolate covered", "resealable bag"], "options": ["flavor name: cashews"], "instruction_attributes": ["chocolate covered", "resealable bag"], "instruction_options": ["cashews"], "assignment_id": "3IHR8NYAMIBISJ3QZMZ275017074PD", "worker_id": "AR9AU5FY1S3RO"}], "B09LYBQWXJ": [{"asin": "B09LYBQWXJ", "instruction": "i want to buy some multicolored machine washable pajamas in size large.", "attributes": ["wash cold", "hand wash", "machine wash", "elastic waistband", "dry clean"], "options": ["color: multi 1", "size: large"], "instruction_attributes": ["machine wash"], "instruction_options": ["multi 1", "large"], "assignment_id": "3Z7ISHFUHB5DPOSYYYNHFFIKJLHZ87", "worker_id": "AR9AU5FY1S3RO"}], "B09D9KYZ5D": [{"asin": "B09D9KYZ5D", "instruction": "i want some easy to use rose gold hair extensions.", "attributes": ["easy use", "rose gold"], "options": [""], "instruction_attributes": ["easy use", "rose gold"], "instruction_options": [], "assignment_id": "3634BBTX0Z409DDB6851PCWGACUFI9", "worker_id": "AR9AU5FY1S3RO"}], "B09KH2XNJM": [{"asin": "B09KH2XNJM", "instruction": "i want a pair of machine washable memory foam slippers. get the size 12-13 women in berry.", "attributes": ["hand wash", "machine wash", "memory foam", "quality materials", "closed toe"], "options": ["color: berry square argyle plaid bright", "size: 12-13 wide women | 10-11 wide men"], "instruction_attributes": ["machine wash", "memory foam"], "instruction_options": ["berry square argyle plaid bright", "12-13 wide women | 10-11 wide men"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG6OSLP", "worker_id": "AR9AU5FY1S3RO"}], "B08CN7FPM7": [{"asin": "B08CN7FPM7", "instruction": "my sister use avocado color eyebrow", "attributes": ["easy clean", "eye shadow"], "options": ["color: avocado-1"], "instruction_attributes": ["eye shadow"], "instruction_options": ["avocado-1"], "assignment_id": "3TR2532VI040LV46NXNX77Y3USEJ6K", "worker_id": "A226L9F2AZ38CL"}], "B09B3FXKMD": [{"asin": "B09B3FXKMD", "instruction": "i want a misty blue anker magnetic wireless charger.", "attributes": ["non slip", "wireless charging"], "options": ["color: misty blue"], "instruction_attributes": ["wireless charging"], "instruction_options": ["misty blue"], "assignment_id": "3KOPY89HMJC1OCHO4VPZ04MJK1D3JZ", "worker_id": "A2RBF3IIJP15IH"}], "B096KTWFQW": [{"asin": "B096KTWFQW", "instruction": "i'm looking for an easy to install cell phone safety lanyard patch which has a color specification of transparent x 6.", "attributes": ["easy install", "wireless charging"], "options": ["color: transparent x 6"], "instruction_attributes": ["easy install"], "instruction_options": ["transparent x 6"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JYGGET", "worker_id": "A20DUVEOH6A7KW"}], "B09LGYLN2X": [{"asin": "B09LGYLN2X", "instruction": "i need hair extensions of 18 inch in #1 jet black color made of natural hair.", "attributes": ["hair extensions", "natural hair"], "options": ["color: #1 jet black", "size: 18 inch"], "instruction_attributes": ["hair extensions", "natural hair"], "instruction_options": ["#1 jet black", "18 inch"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUAQR95", "worker_id": "ASWFLI3N8X72G"}], "B08NJT56G6": [{"asin": "B08NJT56G6", "instruction": "i am looking woman's non slip made from vinyl acetate indoor bathroom slipper color black size 13", "attributes": ["fleece lined", "anti slip", "non slip", "ethylene vinyl", "vinyl acetate", "comfortable fit"], "options": ["color: black", "size: 13 women | 11 men"], "instruction_attributes": ["non slip", "vinyl acetate", "comfortable fit"], "instruction_options": ["black", "13 women | 11 men"], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS15UVK", "worker_id": "A3N9ZYQAESNFQH"}], "B09FHLKBZ5": [{"asin": "B09FHLKBZ5", "instruction": "i need a ready to hang wall art with white mustangs on a brown background. it should be easy to clean as well.", "attributes": ["ready hang", "easy clean"], "options": ["color: white mustangs on brown background", "size: 20x30"], "instruction_attributes": ["ready hang", "easy clean"], "instruction_options": ["white mustangs on brown background"], "assignment_id": "34Z02EIMI3NZLNEWX2LK0CBLFRET0T", "worker_id": "A1NF6PELRKACS9"}], "B09GFGTPVG": [{"asin": "B09GFGTPVG", "instruction": "i am looking for a blue colored 4g lte signal booster for home.", "attributes": ["high speed", "4g lte"], "options": ["color: blue"], "instruction_attributes": ["4g lte"], "instruction_options": ["blue"], "assignment_id": "3YJ6NA41JMQ8V1MB2TM6D7PKPX9PJ1", "worker_id": "AJDQGOTMB2D80"}], "B078N6MJ4J": [{"asin": "B078N6MJ4J", "instruction": "i'm looking for a full xl size mattress and box spring set with 8\" foundation.", "attributes": ["ready use", "queen size", "fully assembled", "twin size", "assembly required", "box spring", "king size"], "options": ["size: full xl size", "style: 8\" foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["full xl size", "8\" foundation"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWZ25T3", "worker_id": "A20DUVEOH6A7KW"}], "B081J5858X": [{"asin": "B081J5858X", "instruction": "he was wearing a burgundy polyester cotton with black color and size 31 . it's quality is good.", "attributes": ["machine wash", "cotton spandex", "polyester cotton", "button closure"], "options": ["color: black", "size: 31"], "instruction_attributes": ["cotton spandex", "polyester cotton"], "instruction_options": ["black", "31"], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXVPO4U", "worker_id": "ASL9LVC97FUCZ"}], "B09QRZRHZD": [{"asin": "B09QRZRHZD", "instruction": "i am looking for iphone 11 mobile case. please choose green one.", "attributes": ["easy install", "wireless charging"], "options": ["color: green", "size: iphone 11"], "instruction_attributes": ["wireless charging"], "instruction_options": ["green"], "assignment_id": "3TOK3KHVJ4SXQ698MKKULHFLOXP7O7", "worker_id": "A3FG5PQHG5AH3Y"}], "B082CMQ79J": [{"asin": "B082CMQ79J", "instruction": "i am looking for bunny cake toppers for a baby shower.", "attributes": ["cupcake picks", "baby shower"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YWEQ3M", "worker_id": "A1EREKSZAA9V7B"}], "B09KQ2Y1X1": [{"asin": "B09KQ2Y1X1", "instruction": "i am looking for a twin xl over queen sized heavy duty steel bunk bed frame.", "attributes": ["heavy duty", "metal legs"], "options": ["size: twin xl over queen"], "instruction_attributes": ["heavy duty"], "instruction_options": ["twin xl over queen"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LKC091", "worker_id": "AJDQGOTMB2D80"}], "B00158OJ9O": [{"asin": "B00158OJ9O", "instruction": "i am looking for hd dvd player.", "attributes": ["high definition", "aaa batteries"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3VSOLARPKMJCI04FIJYMBA8GOW993I", "worker_id": "A3FG5PQHG5AH3Y"}], "B09KRN61GH": [{"asin": "B09KRN61GH", "instruction": "guyou faux fur accent chairs set of 2 chairs, white item is my choice for my new home .", "attributes": ["white item", "living room", "dining room"], "options": ["color: grey", "size: 2 chairs"], "instruction_attributes": ["white item"], "instruction_options": ["2 chairs"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW364TW", "worker_id": "A15IJ20C3R4HUO"}], "B09DPFQ2MD": [{"asin": "B09DPFQ2MD", "instruction": "i am looking for canvas paintings with ready hang for living room, blue&white color is preferred", "attributes": ["hand painted", "ready hang", "living room"], "options": ["color: blue&white"], "instruction_attributes": ["ready hang", "living room"], "instruction_options": ["blue&white"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQVGNW", "worker_id": "A258PTOZ3D2TQR"}], "B09RGBM4R7": [{"asin": "B09RGBM4R7", "instruction": "i need a navy blue shock absorption carbon fiber case", "attributes": ["carbon fiber", "wireless charging"], "options": ["color: navy blue"], "instruction_attributes": ["carbon fiber"], "instruction_options": ["navy blue"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBBROS0", "worker_id": "A258PTOZ3D2TQR"}], "B09KN2NMLY": [{"asin": "B09KN2NMLY", "instruction": "i am looking for extra large high waist women's leggings with tummy control.", "attributes": ["tummy control", "high waist", "polyester spandex"], "options": ["color: ablack", "size: x-large"], "instruction_attributes": ["tummy control", "high waist"], "instruction_options": ["x-large"], "assignment_id": "379J5II41ZQAT0LLW0I8ZA38FF8LEA", "worker_id": "A1EREKSZAA9V7B"}], "B0979YW9ZJ": [{"asin": "B0979YW9ZJ", "instruction": "i want a aipsun clear glass globe pendant light fixture.", "attributes": ["mid century", "easy install", "pendant light", "light fixture", "clear glass", "glass shade", "dining room", "living room"], "options": ["size: round"], "instruction_attributes": ["clear glass"], "instruction_options": [], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I9RBCU", "worker_id": "A2RBF3IIJP15IH"}], "B07TGHZH66": [{"asin": "B07TGHZH66", "instruction": "i need to buy a full sized, machine washable comforter. get color six.", "attributes": ["machine washable", "king size", "printing technology"], "options": ["color: 6", "size: full | queen"], "instruction_attributes": ["machine washable"], "instruction_options": ["6", "full | queen"], "assignment_id": "3SBEHTYCWYD694U6BYXPEX3WGNJYIO", "worker_id": "AR9AU5FY1S3RO"}], "B081MXB6L9": [{"asin": "B081MXB6L9", "instruction": "i want to find a red d04 gaming chair that offers lumbar support.", "attributes": ["height adjustable", "heavy duty", "steel frame", "lumbar support", "pu leather", "memory foam"], "options": ["color: red", "style: d04"], "instruction_attributes": ["lumbar support"], "instruction_options": ["red", "d04"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUI93RT", "worker_id": "A345TDMHP3DQ3G"}], "B088TFG3LN": [{"asin": "B088TFG3LN", "instruction": "i am looking for a high speed digital camera with optical zoom.", "attributes": ["high speed", "optical zoom"], "options": [""], "instruction_attributes": ["high speed", "optical zoom"], "instruction_options": [], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3G5VBB", "worker_id": "A2HMEGTAFO0CS8"}], "B098SSXM1M": [{"asin": "B098SSXM1M", "instruction": "i would like some elastic waistband pants that are black in a size 38w by 34l", "attributes": ["long lasting", "polyester cotton", "cotton spandex", "elastic waistband"], "options": ["color: duratex black", "size: 38w x 34l"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["duratex black", "38w x 34l"], "assignment_id": "31HQ4X3T33KB3JQ3XV2DOR7NG6ILSC", "worker_id": "A2ECRNQ3X5LEXD"}], "B08YP3KNRT": [{"asin": "B08YP3KNRT", "instruction": "i want to buy a four pack of non-gmo orange mango sparkling waters.", "attributes": ["keto friendly", "non gmo", "gluten free", "artificial colors"], "options": ["flavor name: energy - orange mango", "size: 12 fl oz (pack of 4)"], "instruction_attributes": ["non gmo"], "instruction_options": ["energy - orange mango", "12 fl oz (pack of 4)"], "assignment_id": "3WLEIWSYHZRGCOQFCV895H1C1VF2HO", "worker_id": "AR9AU5FY1S3RO"}], "B07VS875WL": [{"asin": "B07VS875WL", "instruction": "i'm looking for farmhouse window curtain set of grey color for living room , w 52 x l 90 | pair", "attributes": ["machine washable", "high density", "living room"], "options": ["color: grey", "size: w 52 x l 90 | pair"], "instruction_attributes": ["living room"], "instruction_options": ["grey", "w 52 x l 90 | pair"], "assignment_id": "3J4Q2Z4UT9DF1XNP95KA2292WPBQWV", "worker_id": "A258PTOZ3D2TQR"}], "B00M674K0G": [{"asin": "B00M674K0G", "instruction": "i need a 10 pound back of parboiled brown rice that is easy to prepare.", "attributes": ["easy prepare", "artificial ingredients"], "options": [""], "instruction_attributes": ["easy prepare"], "instruction_options": [], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG0P54B", "worker_id": "A1NF6PELRKACS9"}], "B09D2N6MHB": [{"asin": "B09D2N6MHB", "instruction": "i need to buy some blackout curtains for my living room that are eighty-four inches by eighty-four inches. get the ones with trees on them.", "attributes": ["exquisite workmanship", "living room"], "options": ["color: trees_74", "size: w84 x l84"], "instruction_attributes": ["living room"], "instruction_options": ["trees_74", "w84 x l84"], "assignment_id": "36NEMU28XQNOGIPXHCDTLTPXMO7MWX", "worker_id": "AR9AU5FY1S3RO"}], "B004UBFLR2": [{"asin": "B004UBFLR2", "instruction": "find me some tea tree and lavender conditioner for dry, sensitive skin.", "attributes": ["tea tree", "dry skin", "sensitive skin"], "options": ["scent: lavender"], "instruction_attributes": ["tea tree", "dry skin", "sensitive skin"], "instruction_options": ["lavender"], "assignment_id": "3FIJLY1B65ESQZ0FJ3VLY9XSWQQPFW", "worker_id": "AR9AU5FY1S3RO"}], "B07YM3C3JT": [{"asin": "B07YM3C3JT", "instruction": "i am looking for buff which is a sulfate-free, vegan scent-free conditioner bar for sensitive skin! free from fragrance & coconut oil to soothe & smooth your scalp! ethique solid conditioner bar for sensitive skin which is 100% soap free & safe for color-treated or damaged hair. palm-oil free & aluminum free. kookabara scent in 2.12 ounce preferable.", "attributes": ["sulfate free", "eco friendly", "oil free", "fragrance free", "cruelty free", "coconut oil", "sensitive skin", "damaged hair"], "options": ["scent: kookabara", "size: 2.12 ounce (pack of 2)"], "instruction_attributes": ["sulfate free", "eco friendly", "oil free", "fragrance free", "cruelty free", "coconut oil", "sensitive skin", "damaged hair"], "instruction_options": ["kookabara", "2.12 ounce (pack of 2)"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EDTWSN", "worker_id": "A1DRKZ3SCLAS4V"}], "B00ZQEN1U6": [{"asin": "B00ZQEN1U6", "instruction": "get me a pair of grey nylon spandex stretch pants.", "attributes": ["nylon spandex", "button closure"], "options": ["color: grey", "size: 30w x 30l"], "instruction_attributes": ["nylon spandex"], "instruction_options": ["grey"], "assignment_id": "3ZWFC4W1U5HD2CGUWVZA34X7X85RFH", "worker_id": "AR9AU5FY1S3RO"}], "B0167BTDBC": [{"asin": "B0167BTDBC", "instruction": "i want a mojito twist flavored cocktail mixer. make sure that it is non alcoholic and low calorie.", "attributes": ["plant based", "non alcoholic", "low calorie", "fat free", "sugar free", "gluten free", "zero sugar"], "options": ["flavor: mojito twist"], "instruction_attributes": ["non alcoholic", "low calorie"], "instruction_options": ["mojito twist"], "assignment_id": "32VNZTT0AIE34WJ5CE3RC00G8IDR4A", "worker_id": "A1NF6PELRKACS9"}], "B09RHZT7FK": [{"asin": "B09RHZT7FK", "instruction": "i am looking for high quality replacement shaver heads for a philips razor.", "attributes": ["easy use", "easy clean", "high quality", "quality materials"], "options": [""], "instruction_attributes": ["high quality"], "instruction_options": [], "assignment_id": "3CFJTT4SX40NUKY5OP7P1KJZCO2I7Z", "worker_id": "A1EREKSZAA9V7B"}], "B07XFPQQGW": [{"asin": "B07XFPQQGW", "instruction": "i need a light weight case cover for a macbook air. get the creative marble pattern.", "attributes": ["light weight", "case cover"], "options": ["color: creative marble 1"], "instruction_attributes": ["light weight", "case cover"], "instruction_options": ["creative marble 1"], "assignment_id": "3634BBTX0Z409DDB6851PCWGACYFID", "worker_id": "AR9AU5FY1S3RO"}], "B0094V8VMK": [{"asin": "B0094V8VMK", "instruction": "i need to find a pair of coral suede ballet flats in size eight and a half. find the ones with the rubber soles.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: coral suede", "size: 8.5 women | 8.5 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["coral suede", "8.5 women | 8.5 men"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P9EUB3", "worker_id": "AR9AU5FY1S3RO"}], "B089NC1WS1": [{"asin": "B089NC1WS1", "instruction": "i need to get a synthetic hair extension in color 4.", "attributes": ["synthetic hair", "natural hair"], "options": ["color: 4#"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["4#"], "assignment_id": "3Z9WI9EOZAYBT4U511ED5DN6IVTHKH", "worker_id": "AR9AU5FY1S3RO"}], "B09NSKWVMS": [{"asin": "B09NSKWVMS", "instruction": "i used green color coconut oil", "attributes": ["long lasting", "coconut oil"], "options": ["color: g"], "instruction_attributes": ["coconut oil"], "instruction_options": ["g"], "assignment_id": "326O153BMT8RVOXTJJKKGXV3665EDM", "worker_id": "A226L9F2AZ38CL"}], "B07Q89CKGR": [{"asin": "B07Q89CKGR", "instruction": "i need a long lasting tv stand in white color.", "attributes": ["long lasting", "white item", "engineered wood"], "options": [""], "instruction_attributes": ["long lasting", "white item"], "instruction_options": [], "assignment_id": "3STRJBFXO711YDL01VV2JWQUTPJKTP", "worker_id": "A1NF6PELRKACS9"}], "B09P77DZZQ": [{"asin": "B09P77DZZQ", "instruction": "i need bath sponges that are non toxic for dead skin in the color 1.", "attributes": ["non toxic", "easy clean", "dead skin"], "options": ["color: 1"], "instruction_attributes": ["non toxic", "dead skin"], "instruction_options": ["1"], "assignment_id": "3TDXMTX3CM44QKK05F2XV6J3HD0I6I", "worker_id": "A2ECRNQ3X5LEXD"}], "B09GM514NH": [{"asin": "B09GM514NH", "instruction": "i need some blue wide legged pants in a large.", "attributes": ["long lasting", "wide leg", "drawstring closure", "relaxed fit", "gym workout"], "options": ["color: blue", "size: large"], "instruction_attributes": ["wide leg"], "instruction_options": ["blue", "large"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWOMW6R", "worker_id": "A2ECRNQ3X5LEXD"}], "B08PVD3LNP": [{"asin": "B08PVD3LNP", "instruction": "i need a tempered glass screen protector for my iphone.", "attributes": ["aluminum alloy", "tempered glass"], "options": [""], "instruction_attributes": ["tempered glass"], "instruction_options": [], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKJN1T7", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B29YL3R": [{"asin": "B09B29YL3R", "instruction": "i need a pair of white sneakers with rubber sole. it should be in women size 11.", "attributes": ["rubber outsole", "rubber sole"], "options": ["color: galaxy | multi | white", "size: 11 women | 9.5 men"], "instruction_attributes": ["rubber sole"], "instruction_options": ["galaxy | multi | white", "11 women | 9.5 men"], "assignment_id": "3WMOAN2SRM7HJBAS33NXC6VJK7FNVS", "worker_id": "A1NF6PELRKACS9"}], "B09KBSGMBB": [{"asin": "B09KBSGMBB", "instruction": "i need some cupcake toppers for a birthday party. get the ones with silver glitter.", "attributes": ["birthday party", "birthday cake"], "options": ["color: glitter silver"], "instruction_attributes": ["birthday party"], "instruction_options": ["glitter silver"], "assignment_id": "3S96KQ6I9XETK7FQ9E9FFJV49GQDT9", "worker_id": "AR9AU5FY1S3RO"}], "B00FTBREYK": [{"asin": "B00FTBREYK", "instruction": "i want non gmo gimme, seaweed snack teriyaki.", "attributes": ["usda organic", "non gmo", "gluten free", "artificial flavors"], "options": [""], "instruction_attributes": ["non gmo"], "instruction_options": [], "assignment_id": "30BUDKLTXO5WRBI04D21IL7BTP8E5F", "worker_id": "A2RBF3IIJP15IH"}], "B09QPYH2S5": [{"asin": "B09QPYH2S5", "instruction": "i need some blue linens that are high in quality.", "attributes": ["high quality", "beauty salon"], "options": ["color: blue", "size: 70*190cm round head"], "instruction_attributes": ["high quality"], "instruction_options": ["blue"], "assignment_id": "3UWN2HHPU9F1RJTO98IS1JBCL1BNS9", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P1NR5Z7": [{"asin": "B09P1NR5Z7", "instruction": "i need a toothbrush for kids that is easy to use and is the color c.", "attributes": ["easy use", "sensitive teeth"], "options": ["color: c"], "instruction_attributes": ["easy use"], "instruction_options": ["c"], "assignment_id": "36TFCYNS4FKHD4TC0KT2V7V8E45HX3", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MW196JX": [{"asin": "B09MW196JX", "instruction": "i want a brown mens shawl collar long-sleeved cardigans sweater.", "attributes": ["hand wash", "machine wash", "long sleeve"], "options": ["color: brown", "size: x-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["brown"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WQK42V", "worker_id": "A2RBF3IIJP15IH"}], "B01C0UPTUS": [{"asin": "B01C0UPTUS", "instruction": "i want to find butter infused olive oil in a 200 milliliter bottle. it shouldn't have any artificial flavors.", "attributes": ["gluten free", "artificial flavors"], "options": ["flavor name: butter infused", "size: 200ml bottle"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["butter infused", "200ml bottle"], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTOQ4VG", "worker_id": "A345TDMHP3DQ3G"}], "B089QMJTLB": [{"asin": "B089QMJTLB", "instruction": "i am looking for a replacement remote control for samsung tvs that includes batteries.", "attributes": ["batteries included", "aaa batteries"], "options": [""], "instruction_attributes": ["batteries included"], "instruction_options": [], "assignment_id": "39N5ACM9HPXJPP92GHVTODBHTSTP92", "worker_id": "A1EREKSZAA9V7B"}], "B09BTW5WRN": [{"asin": "B09BTW5WRN", "instruction": "i need some wide leg pajama pants. it should be a large sized relaxed fit pant.", "attributes": ["wide leg", "drawstring waist", "relaxed fit"], "options": ["color: colorful fireworks", "size: large"], "instruction_attributes": ["wide leg", "relaxed fit"], "instruction_options": ["large"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKAJENG", "worker_id": "A1NF6PELRKACS9"}], "B09MJG8ZJN": [{"asin": "B09MJG8ZJN", "instruction": "i want to buy a faux fur sherpa jacket in medium.", "attributes": ["faux fur", "long sleeve"], "options": ["color: salesale-a093-gray", "size: medium"], "instruction_attributes": ["faux fur"], "instruction_options": ["medium"], "assignment_id": "3CCZ6YKWRITFWFRJW2MFQ7602SU952", "worker_id": "AR9AU5FY1S3RO"}], "B01MYQEGN0": [{"asin": "B01MYQEGN0", "instruction": "find me some low-fat jerky in a resealable bag. i'd like the teriyaki flavor.", "attributes": ["low fat", "gluten free", "resealable bag"], "options": ["flavor name: gap beef 2.2oz 8ct - teriyaki"], "instruction_attributes": ["low fat", "resealable bag"], "instruction_options": ["gap beef 2.2oz 8ct - teriyaki"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO392CE", "worker_id": "AR9AU5FY1S3RO"}], "B07F1BVNJ7": [{"asin": "B07F1BVNJ7", "instruction": "i am looking for men's slim-fit machine wash and button closure with moisture wicking medium grey heather polo shirt and size is x-small", "attributes": ["slim fit", "moisture wicking", "machine wash", "button closure"], "options": ["color: medium grey heather", "material type: polyester", "size: x-small"], "instruction_attributes": ["moisture wicking", "machine wash", "button closure"], "instruction_options": ["medium grey heather", "x-small"], "assignment_id": "3ZOTGHDK5TLJ94T0ANI5G8BHBBVOS4", "worker_id": "AX2EWYWZM19AZ"}], "B08X227GNQ": [{"asin": "B08X227GNQ", "instruction": "i need green women high waist yoga pants.", "attributes": ["tummy control", "high waist", "quality polyester", "drawstring closure", "daily wear"], "options": ["color: green", "size: medium"], "instruction_attributes": ["high waist"], "instruction_options": ["green"], "assignment_id": "36ZN444YT28UFQQ45BORC65U2DKIOX", "worker_id": "A2RBF3IIJP15IH"}], "B08GG22BF6": [{"asin": "B08GG22BF6", "instruction": "i want to buy wireless nunchuck controllers for the wii.", "attributes": ["batteries included", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "37ZHEEHM67W84HGM3M02XEHAT6K37Z", "worker_id": "AR9AU5FY1S3RO"}], "B087C94L8C": [{"asin": "B087C94L8C", "instruction": "i want to buy a twenty four pack of stupid hot low carb pork rinds.", "attributes": ["low carb", "sugar free"], "options": ["flavor name: stupid hot", "size: 24 pack"], "instruction_attributes": ["low carb"], "instruction_options": ["stupid hot", "24 pack"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTD8D5M", "worker_id": "AR9AU5FY1S3RO"}], "B09R1WHYBK": [{"asin": "B09R1WHYBK", "instruction": "find ps3 controller playstation 3 controller wireless bluetooth remote controller for playstation 3 system (siliver+orange) at amazon please.", "attributes": ["high performance", "wireless bluetooth"], "options": ["color: siliver+orange"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["siliver+orange"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD86S09", "worker_id": "A15IJ20C3R4HUO"}], "B08BQK4P1D": [{"asin": "B08BQK4P1D", "instruction": "i want tea biscuits made with quality ingredients. make sure that it is individually wrapped and doesn't come in a jar.", "attributes": ["individually wrapped", "quality ingredients"], "options": ["flavor name: turtle", "style: without jar (individually wrapped)"], "instruction_attributes": ["individually wrapped", "quality ingredients"], "instruction_options": ["without jar (individually wrapped)"], "assignment_id": "3VAR3R6G10B1QKERWPC0ZHBGZIC8OE", "worker_id": "A1NF6PELRKACS9"}], "B008YDVYMI": [{"asin": "B008YDVYMI", "instruction": "i want to buy a 36 count box of java love k cup pods. they should be usda organic.", "attributes": ["usda organic", "plant based"], "options": ["flavor name: java love", "size: 36 count (pack of 1)"], "instruction_attributes": ["usda organic"], "instruction_options": ["java love", "36 count (pack of 1)"], "assignment_id": "3PJUZCGDJHQYJXALU0TI2RGR4IK98T", "worker_id": "AR9AU5FY1S3RO"}], "B07DKTN85G": [{"asin": "B07DKTN85G", "instruction": "i am looking for medium brown end tables with outlets and usb ports for my living room.", "attributes": ["assembly required", "engineered wood", "living room"], "options": ["color: medium brown"], "instruction_attributes": ["living room"], "instruction_options": ["medium brown"], "assignment_id": "37TRT2X24116R7L1JO45INKV8TMBJU", "worker_id": "A1EREKSZAA9V7B"}], "B08Z7PFF24": [{"asin": "B08Z7PFF24", "instruction": "i have 4x-large size short sleeve", "attributes": ["short sleeve", "everyday wear", "daily wear"], "options": ["color: purple magical butterfly", "size: 4x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["4x-large"], "assignment_id": "386CSBG1OAWH7I8JIN7648AP8N66QY", "worker_id": "A226L9F2AZ38CL"}], "B09PH5TQVH": [{"asin": "B09PH5TQVH", "instruction": "i'd like to find a loose short-sleeved summer tunic top for my teenage daughter. she's a size xxl and likes the color green.", "attributes": ["short sleeve", "teen girls"], "options": ["color: p04- green", "size: xx-large"], "instruction_attributes": ["short sleeve", "teen girls"], "instruction_options": ["p04- green", "xx-large"], "assignment_id": "3907X2AHFBF8P5O3V8GEEQ33NMG2PK", "worker_id": "A3LIIE572Z4OG7"}], "B09LRTVYR7": [{"asin": "B09LRTVYR7", "instruction": "i am looking for makeup brushes tool set with eye shadow blush", "attributes": ["synthetic hair", "eye shadow"], "options": ["color: purple"], "instruction_attributes": ["eye shadow"], "instruction_options": ["purple"], "assignment_id": "3HPZF4IVNX3FW186JO133U513IAYCX", "worker_id": "A258PTOZ3D2TQR"}], "B09Q2MDFKY": [{"asin": "B09Q2MDFKY", "instruction": "i am looking for a large short sleeve men's graphic t-shirt.", "attributes": ["slim fit", "long sleeve", "contrast color", "short sleeve", "regular fit", "daily wear"], "options": ["color: a-red", "size: large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["large"], "assignment_id": "3ZAK8W07IFOEL0TLX7BU58XNY5O0UU", "worker_id": "A1EREKSZAA9V7B"}], "B099NB8PK5": [{"asin": "B099NB8PK5", "instruction": "i want to find earbuds that are very lightweight.", "attributes": ["light weight", "plug play"], "options": [""], "instruction_attributes": ["light weight"], "instruction_options": [], "assignment_id": "39GAF6DQW2AE5433YGPZFZIGH4G1V0", "worker_id": "A345TDMHP3DQ3G"}], "B09QLJ586M": [{"asin": "B09QLJ586M", "instruction": "i would like some chocolates that are individually wrapped that say congratulations.", "attributes": ["nut free", "individually wrapped", "artificial colors", "gift basket"], "options": ["style: congratulations"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["congratulations"], "assignment_id": "3PB5A5BD06G9YTSAY17MG86JXBQG7L", "worker_id": "A2ECRNQ3X5LEXD"}], "B09LL184WP": [{"asin": "B09LL184WP", "instruction": "i want to find a hair repair mask treatment that can treat damaged hair.", "attributes": ["damaged hair", "hair loss"], "options": [""], "instruction_attributes": ["damaged hair"], "instruction_options": [], "assignment_id": "3EQHHY4HQ32UBPERA8SPIOSN65QG51", "worker_id": "A345TDMHP3DQ3G"}], "B09NRM8YB8": [{"asin": "B09NRM8YB8", "instruction": "i am looking for tufted storage bench ottoman of qtqhome padded footrest stool which is collapsible design of this storage trunk makes it easy to set up a cozy, padded seating within seconds! it can also be folded flat when not in use for compact storage. best for living room in brown color 100x40x42cm(39x16x17inch) preferable.", "attributes": ["non slip", "faux leather", "storage space", "living room"], "options": ["color: brown", "size: 100x40x42cm(39x16x17inch)"], "instruction_attributes": ["non slip", "faux leather", "storage space", "living room"], "instruction_options": ["brown", "100x40x42cm(39x16x17inch)"], "assignment_id": "3PZDLQMM04VPVGFZQ3U8UQ4WO3DC2S", "worker_id": "A1DRKZ3SCLAS4V"}], "B00CTG7QYG": [{"asin": "B00CTG7QYG", "instruction": "i want to find an ac adapter that is high definition.", "attributes": ["output protection", "high definition"], "options": [""], "instruction_attributes": ["high definition"], "instruction_options": [], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4ATRQQ", "worker_id": "A345TDMHP3DQ3G"}], "B08SHZZT49": [{"asin": "B08SHZZT49", "instruction": "i want to find an extra-large pair of high waisted x1-21 blue jeans for women.", "attributes": ["wide leg", "straight leg", "hand wash", "high waist", "short sleeve", "long sleeve", "teen girls"], "options": ["color: x1-21 blue", "size: x-large"], "instruction_attributes": ["high waist"], "instruction_options": ["x1-21 blue", "x-large"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCS75QT", "worker_id": "A345TDMHP3DQ3G"}], "B07SJW6LKN": [{"asin": "B07SJW6LKN", "instruction": "i am looking for ready to eat plain jackfruit.", "attributes": ["ready eat", "plant based", "non gmo", "gluten free"], "options": ["flavor: plain"], "instruction_attributes": ["ready eat"], "instruction_options": ["plain"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRLMMF4", "worker_id": "A1EREKSZAA9V7B"}], "B01LTI98E0": [{"asin": "B01LTI98E0", "instruction": "i am looking for an anti perspirant.", "attributes": ["anti perspirant", "clinically proven"], "options": [""], "instruction_attributes": ["anti perspirant"], "instruction_options": [], "assignment_id": "3K5TEWLKG6LP5AZ16NA57YZ2Y6BVI6", "worker_id": "A2ECRNQ3X5LEXD"}], "B00SYOXIBM": [{"asin": "B00SYOXIBM", "instruction": "i'm looking for a high speed cable hdmi male to male 2 pack of 30 feet", "attributes": ["high speed", "gold plated"], "options": ["color: 2 pack", "size: 30-feet (2-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed"], "instruction_options": ["2 pack", "30-feet (2-pack)", "hdmi male to male"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUC8R9R", "worker_id": "A2Y2TURT2VEYZN"}], "B00SZXFIEW": [{"asin": "B00SZXFIEW", "instruction": "get me a hdmi male to male cable that is high speed and gold plated.", "attributes": ["high speed", "gold plated"], "options": ["color: 1 pack", "size: 12 feet (5-pack)", "style: hdmi male to male"], "instruction_attributes": ["high speed", "gold plated"], "instruction_options": ["hdmi male to male"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X5YGPU", "worker_id": "A1NF6PELRKACS9"}], "B07V4J5G67": [{"asin": "B07V4J5G67", "instruction": "i would like a living room ottoman that is white faux fur.", "attributes": ["mid century", "contemporary design", "metal legs", "living room"], "options": ["color: white faux fur | gold base"], "instruction_attributes": ["living room"], "instruction_options": ["white faux fur | gold base"], "assignment_id": "3180JW2OTFM42R4SIEDSF1K3YX75JU", "worker_id": "A2ECRNQ3X5LEXD"}], "B01N66JEE3": [{"asin": "B01N66JEE3", "instruction": "i want a pair of super soft fleece lined socks in snowflake or light pink color.", "attributes": ["fleece lined", "nylon spandex"], "options": ["color: snowflake | light pink ab"], "instruction_attributes": ["fleece lined"], "instruction_options": ["snowflake | light pink ab"], "assignment_id": "3X0H8UUITCYRED22199FX2O3EDVWSP", "worker_id": "A1NF6PELRKACS9"}], "B09Q2R5FJJ": [{"asin": "B09Q2R5FJJ", "instruction": "i'm looking for high power and high resolution monocular telescope", "attributes": ["high power", "dust proof", "high resolution"], "options": [""], "instruction_attributes": ["high power", "high resolution"], "instruction_options": [], "assignment_id": "3HMVI3QICU2V9YY83RCJMYMAZLCY10", "worker_id": "A258PTOZ3D2TQR"}], "B08QJGB99C": [{"asin": "B08QJGB99C", "instruction": "i need a wall-mounted mirror that is easy to install.", "attributes": ["double sided", "easy install", "living room", "dining room"], "options": [""], "instruction_attributes": ["easy install"], "instruction_options": [], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT22JYF", "worker_id": "A2ECRNQ3X5LEXD"}], "B074348Q5V": [{"asin": "B074348Q5V", "instruction": "get me a hand washable camo jumpsuit in size extra extra large.", "attributes": ["wash cold", "hand wash", "polyester cotton"], "options": ["color: 2 camo", "size: xx-large"], "instruction_attributes": ["hand wash"], "instruction_options": ["2 camo", "xx-large"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMJEXV7", "worker_id": "AR9AU5FY1S3RO"}], "B09CLLJ8QL": [{"asin": "B09CLLJ8QL", "instruction": "running a candle flame up and down a twisted piece of dry hair and color is beige.", "attributes": ["eco friendly", "non slip", "dry hair"], "options": ["color: beige"], "instruction_attributes": [], "instruction_options": [], "assignment_id": "3EA3QWIZ4T5ASIVC1SAQ6GBH1LATI3", "worker_id": "ASL9LVC97FUCZ"}], "B09BW1BRQQ": [{"asin": "B09BW1BRQQ", "instruction": "i need a floor lamp for my living room.", "attributes": ["brushed nickel", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKKIVPU", "worker_id": "A2ECRNQ3X5LEXD"}], "B08LGRSCFT": [{"asin": "B08LGRSCFT", "instruction": "i am looking for super soft and machine washable dujiea lightweight cozy bed blanket with size small (40\"x50\") and also color is christmas kitty cat", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: christmas kitty cat", "size: small (40\"x50\")"], "instruction_attributes": ["super soft", "machine washable"], "instruction_options": ["christmas kitty cat", "small (40\"x50\")"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRTOPW2", "worker_id": "AX2EWYWZM19AZ"}], "B09NXS5F3S": [{"asin": "B09NXS5F3S", "instruction": "i want a grey and easy to install naked eye 3d holographic projector.", "attributes": ["easy install", "aluminum alloy"], "options": ["color: space grey", "size: us"], "instruction_attributes": ["easy install"], "instruction_options": ["space grey"], "assignment_id": "3M68NM076SHHJJNJV2W69YKU49HR6T", "worker_id": "A2RBF3IIJP15IH"}], "B088GN4M6J": [{"asin": "B088GN4M6J", "instruction": "i am looking for a long lasting rechargeable hair clipper.", "attributes": ["long lasting", "hair cutting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3XUHV3NRVV88BL92UEA73O4OL515HN", "worker_id": "AJDQGOTMB2D80"}], "B09HTJX6LY": [{"asin": "B09HTJX6LY", "instruction": "i am looking for high resolution digital camera. choose pink color.", "attributes": ["high resolution", "high performance"], "options": ["color: pink", "style: w | lens cap"], "instruction_attributes": ["high resolution"], "instruction_options": ["pink"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLSH03Z", "worker_id": "A3FG5PQHG5AH3Y"}], "B07LBBBWLM": [{"asin": "B07LBBBWLM", "instruction": "i am looking for 3 pcs wall art for living room. size should be 12x16 inches.", "attributes": ["ready hang", "living room"], "options": ["color: coffee bean coffee cup", "size: 12x16inches*3pcs"], "instruction_attributes": ["living room"], "instruction_options": ["coffee bean coffee cup"], "assignment_id": "3VNL7UK1XQTQIRTM0K453JYPLTGTFA", "worker_id": "A3FG5PQHG5AH3Y"}], "B09BNYG291": [{"asin": "B09BNYG291", "instruction": "i need an easy to apply glitter pot that comes in copper holographic color.", "attributes": ["easy apply", "long lasting"], "options": ["color: copper holographic", "size: super chunky (1 | 8\" 0.125\" 3mm)"], "instruction_attributes": ["easy apply"], "instruction_options": ["copper holographic"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYB8EIJ", "worker_id": "A1NF6PELRKACS9"}], "B08W8PBDGW": [{"asin": "B08W8PBDGW", "instruction": "i want to find a white console table with double layers for my living room.", "attributes": ["easy clean", "metal legs", "living room"], "options": ["color: white double layer console table", "size: white console table"], "instruction_attributes": ["living room"], "instruction_options": ["white double layer console table", "white console table"], "assignment_id": "3C44YUNSICZVSFMJSX0VA9U7KDBPDM", "worker_id": "A345TDMHP3DQ3G"}], "B082251QT1": [{"asin": "B082251QT1", "instruction": "i am looking for 3 foot plug play hdmi cable", "attributes": ["blu ray", "plug play"], "options": ["size: 3 foot", "style: cable + adapter"], "instruction_attributes": ["plug play"], "instruction_options": ["3 foot"], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWE20K9", "worker_id": "A258PTOZ3D2TQR"}], "B07MG7Z32T": [{"asin": "B07MG7Z32T", "instruction": "i want cheese pretzelhaus soft individually wrapped bavarian baked pretzels.", "attributes": ["individually wrapped", "shelf stable"], "options": ["flavor name: cheese", "size: 6 ounce (pack of 1)"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["cheese"], "assignment_id": "3EG49X3515M1GF9V412YYG6I5QR6XT", "worker_id": "A2RBF3IIJP15IH"}], "B08HRZG38Q": [{"asin": "B08HRZG38Q", "instruction": "i am looking for machine washable blue colored heated vest for men and women.", "attributes": ["easy care", "machine washable", "hand wash", "machine wash"], "options": ["color: blue", "size: 6x-large"], "instruction_attributes": ["machine washable"], "instruction_options": ["blue"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R18P2IC", "worker_id": "AJDQGOTMB2D80"}], "B07Q8SMN7B": [{"asin": "B07Q8SMN7B", "instruction": "i need a suction tool for removing dry, dead skin.", "attributes": ["non toxic", "easy carry", "easy clean", "fine lines", "dry skin", "dead skin"], "options": [""], "instruction_attributes": ["dry skin", "dead skin"], "instruction_options": [], "assignment_id": "33FBRBDW6Z90HVHO6K394HHZA30C8Q", "worker_id": "AR9AU5FY1S3RO"}], "B07ZK5V3Z4": [{"asin": "B07ZK5V3Z4", "instruction": "i need to buy some machine washable blackout curtains for my living room. buy the 52 inch by 52 inch size.", "attributes": ["machine washable", "living room"], "options": ["color: aurora-002lbg0560", "size: 52\" w by 52\" l"], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["aurora-002lbg0560", "52\" w by 52\" l"], "assignment_id": "31QNSG6A523U5EMSF3VYOVPL9S287M", "worker_id": "AR9AU5FY1S3RO"}], "B07G31BXTV": [{"asin": "B07G31BXTV", "instruction": "i am looking for brother hl-2170w 23ppm laser printer with wireless , high performance and certified refurbished", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance"], "instruction_options": [], "assignment_id": "3TU5ZICBROB4BWR7B244OM6GEI78QX", "worker_id": "AX2EWYWZM19AZ"}], "B09NZDB484": [{"asin": "B09NZDB484", "instruction": "i would like some sugar free salted caramel truffles.", "attributes": ["sugar free", "rich creamy", "keto friendly", "individually wrapped"], "options": ["flavor name: salted caramel"], "instruction_attributes": ["sugar free"], "instruction_options": ["salted caramel"], "assignment_id": "3IXEICO79DTUZY0BZR119DLCSU4T6Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TGMKJ1D": [{"asin": "B07TGMKJ1D", "instruction": "i want a burt's bees body lotion for sensitive skin with aloe & shea butter.", "attributes": ["dermatologist tested", "animal testing", "fragrance free", "sensitive skin"], "options": ["scent: aloe & shea butter", "size: 6.0 ounce"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["aloe & shea butter"], "assignment_id": "3QXNC7EIPT5G185IZWG39CA9LKO90M", "worker_id": "A2RBF3IIJP15IH"}], "B09SPZM8VL": [{"asin": "B09SPZM8VL", "instruction": "i want a regular fit tee with short sleeves. i am 3x-large in size.", "attributes": ["slim fit", "loose fit", "short sleeve", "long sleeve", "regular fit"], "options": ["size: 3x-large"], "instruction_attributes": ["short sleeve", "regular fit"], "instruction_options": ["3x-large"], "assignment_id": "3NLZY2D530ZZQ3BQ5RD8TRSMYI6LQW", "worker_id": "A1NF6PELRKACS9"}], "B08PBRZHV4": [{"asin": "B08PBRZHV4", "instruction": "i want a hemoton 25 pack christmas cupcake toppers for a baby shower.", "attributes": ["baby shower", "birthday party"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3X66WABAJ7SRXARNWP4W3RU3S9W3GV", "worker_id": "A2RBF3IIJP15IH"}], "B07ZK3M34L": [{"asin": "B07ZK3M34L", "instruction": "i want to find 12 ounces of sweet potatoes that are certified organic.", "attributes": ["grain free", "gluten free", "certified organic"], "options": ["flavor name: sweet potato", "size: 12 ounce (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["sweet potato", "12 ounce (pack of 1)"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3Y27QA", "worker_id": "A345TDMHP3DQ3G"}], "B08HFQSJJL": [{"asin": "B08HFQSJJL", "instruction": "i would like a jalapeno ranch sauce that is gluten free.", "attributes": ["dairy free", "gluten free", "high fructose", "artificial flavors"], "options": ["size: 9 ounce (pack of 6)", "style: jalepeno ranch"], "instruction_attributes": ["gluten free"], "instruction_options": ["jalepeno ranch"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0S0U11W", "worker_id": "A2ECRNQ3X5LEXD"}], "B08L7RG5Z9": [{"asin": "B08L7RG5Z9", "instruction": "find this product: tangist corner table stand microwave oven stand 4 shelves storage unit for my kitchen", "attributes": ["space saving", "storage unit", "storage space"], "options": [""], "instruction_attributes": ["space saving", "storage space"], "instruction_options": [], "assignment_id": "3TXD01ZLDFRVKOBMG8YWHBN0FHD4UN", "worker_id": "A15IJ20C3R4HUO"}], "B08BJ112QF": [{"asin": "B08BJ112QF", "instruction": "i need a camera case cover that is light green in color. it is for my iphone which is 11-6.1 inches in size.", "attributes": ["case cover", "wireless charging"], "options": ["color: light green", "size: for iphone 11-6.1 in"], "instruction_attributes": ["case cover"], "instruction_options": ["light green", "for iphone 11-6.1 in"], "assignment_id": "308XBLVESTENPV4ERTDEKE6MIATBRZ", "worker_id": "A1NF6PELRKACS9"}], "B08F54DW1X": [{"asin": "B08F54DW1X", "instruction": "i am looking for steel frame kamiler rustic 6 drawers dresser with open shelf in rustic brown color", "attributes": ["storage space", "steel frame", "living room"], "options": ["color: rustic brown"], "instruction_attributes": ["steel frame"], "instruction_options": ["rustic brown"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODMLWEN", "worker_id": "AX2EWYWZM19AZ"}], "B08JQMNF69": [{"asin": "B08JQMNF69", "instruction": "i want to find shampoo that is made with argan oil.", "attributes": ["argan oil", "hair dye"], "options": [""], "instruction_attributes": ["argan oil"], "instruction_options": [], "assignment_id": "3UOUJI6MTOOMIQZW0J01EMKY8CLXUY", "worker_id": "A345TDMHP3DQ3G"}], "B08WLXV4Z7": [{"asin": "B08WLXV4Z7", "instruction": "i want to buy some dragon's dream cookies n'cream granola bars. get the pack of fifteen and make sure they're individually wrapped and nut free.", "attributes": ["individually wrapped", "gluten free", "non gmo", "nut free", "quality ingredients"], "options": ["flavor name: dragon's dream cookies n' cream", "size: 0.88 ounce (pack of 15)"], "instruction_attributes": ["individually wrapped", "nut free"], "instruction_options": ["dragon's dream cookies n' cream", "0.88 ounce (pack of 15)"], "assignment_id": "3NPFYT4IZNE3D8Y1GEBKA7J7Z4VXGN", "worker_id": "AR9AU5FY1S3RO"}], "B00OZV63OW": [{"asin": "B00OZV63OW", "instruction": "i need to buy some scrub bottoms in petite small. they should be blue and machine washable.", "attributes": ["low rise", "moisture wicking", "machine washable"], "options": ["color: new royal", "size: small petite"], "instruction_attributes": ["machine washable"], "instruction_options": ["new royal", "small petite"], "assignment_id": "3Z7EFSHGNKOQWWIWESF1KGYS1CAXCK", "worker_id": "AR9AU5FY1S3RO"}], "B07YZQTKDJ": [{"asin": "B07YZQTKDJ", "instruction": "i'm looking for medium-tan mineral sunscreen lotion for kids that is water-resistant.", "attributes": ["oil free", "water resistant", "cruelty free", "fine lines", "sensitive skin"], "options": ["color: medium-tan", "style: mineral lotion for kids"], "instruction_attributes": ["water resistant"], "instruction_options": ["medium-tan", "mineral lotion for kids"], "assignment_id": "3SPJ03342CD24FECTGIPQYIWT27JYK", "worker_id": "A345TDMHP3DQ3G"}], "B07SBH6293": [{"asin": "B07SBH6293", "instruction": "i'm looking for a desktop computer that's certified refurbished and has an intel i5 core.", "attributes": ["certified refurbished", "core i5", "intel core"], "options": [""], "instruction_attributes": ["certified refurbished", "core i5", "intel core"], "instruction_options": [], "assignment_id": "3KMS4QQVKD0RF83Z6BQD2SBT2GGFKH", "worker_id": "AR9AU5FY1S3RO"}], "B097GVR1ZK": [{"asin": "B097GVR1ZK", "instruction": "i need a children's mouthwash two pack that is made from natural ingredients.", "attributes": ["fluoride free", "natural ingredients"], "options": ["size: 2pack"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["2pack"], "assignment_id": "3MAOD8E571K9N0FN3IOF0RS40GSNXW", "worker_id": "A2ECRNQ3X5LEXD"}], "B07PXXNZ3C": [{"asin": "B07PXXNZ3C", "instruction": "i need women's eau de toilette from design house which has a good fragrance and is long lasting.", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["design house", "long lasting"], "instruction_options": [], "assignment_id": "3JMSRU9HQT4DP5XFA4KEMJ1A6DCEVO", "worker_id": "ASWFLI3N8X72G"}], "B003EWOCDW": [{"asin": "B003EWOCDW", "instruction": "i want to find a speedotron beauty box that is 12 inches by 56 inches in size. it needs to be very heavy duty.", "attributes": ["high power", "heavy duty"], "options": ["size: 12x56in (30x140cm)", "style: speedotron"], "instruction_attributes": ["heavy duty"], "instruction_options": ["12x56in (30x140cm)", "speedotron"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYBOIE3", "worker_id": "A345TDMHP3DQ3G"}], "B07SJYYLWS": [{"asin": "B07SJYYLWS", "instruction": "i need a coconut oil based exfoliating body cream for my dry skin.", "attributes": ["cruelty free", "natural ingredients", "coconut oil", "dry skin"], "options": [""], "instruction_attributes": ["coconut oil", "dry skin"], "instruction_options": [], "assignment_id": "3ZSY5X72N8L78PTNVYI0QY6LP9YOR2", "worker_id": "A1NF6PELRKACS9"}], "B09MD1ZGCL": [{"asin": "B09MD1ZGCL", "instruction": "i want a navy fleece lined womens winter coat.", "attributes": ["fleece lined", "drawstring waist", "daily wear"], "options": ["color: x01-navy", "size: large"], "instruction_attributes": ["fleece lined"], "instruction_options": ["x01-navy"], "assignment_id": "3MYYFCXHJEHCF6ARW39FDWM969V4GK", "worker_id": "A2RBF3IIJP15IH"}], "B09NXY57FB": [{"asin": "B09NXY57FB", "instruction": "i want purple fluoride free mmnm teeth cleansing toothpaste.", "attributes": ["fluoride free", "natural ingredients", "sensitive teeth"], "options": ["color: purple", "size: 2pcs"], "instruction_attributes": ["fluoride free"], "instruction_options": ["purple"], "assignment_id": "3NOKK93PRCIWNUBTFEV4MFDO6IAEEJ", "worker_id": "A2RBF3IIJP15IH"}], "B0791Y2LMB": [{"asin": "B0791Y2LMB", "instruction": "i am looking for high protein vanilla flavored nutrition shake, 11 fl oz, 12 count", "attributes": ["high protein", "low fat", "non gmo", "gluten free"], "options": ["flavor name: vanilla"], "instruction_attributes": ["high protein"], "instruction_options": ["vanilla"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLXAYBQ", "worker_id": "A258PTOZ3D2TQR"}], "B09NRCH7RS": [{"asin": "B09NRCH7RS", "instruction": "i want to buy a television stand that's easy to assemble. it needs to be brown and 27.5 inches tall.", "attributes": ["white item", "easy clean", "easy assemble", "engineered wood", "living room"], "options": ["color: brown(large)", "size: 27.5 inches tall"], "instruction_attributes": ["easy assemble"], "instruction_options": ["brown(large)", "27.5 inches tall"], "assignment_id": "31JLPPHS254FPN8LK8H48035JVKO30", "worker_id": "A2YNPKYEFDZ6C9"}], "B08W2CL9WD": [{"asin": "B08W2CL9WD", "instruction": "help me find a short sleeved button down shirt made in a tall men's extra large. also, i prefer a fabric with some stretch to it.", "attributes": ["moisture wicking", "stretch fabric", "button closure", "short sleeve"], "options": ["color: pagoda blue", "fit type: regular", "size: x-large tall"], "instruction_attributes": ["stretch fabric", "short sleeve"], "instruction_options": ["x-large tall"], "assignment_id": "3OVR4I9US0T3SV45ZZER7AQBCW34QE", "worker_id": "A1E235KE3CSO7H"}], "B00CF61DDK": [{"asin": "B00CF61DDK", "instruction": "i am looking for 50 single serving irish creme liquid creamers that are easy to use.", "attributes": ["rich creamy", "easy use"], "options": [""], "instruction_attributes": ["easy use"], "instruction_options": [], "assignment_id": "3Y9N9SS8L9LOLQHWUZ3OX6R6FHC3DH", "worker_id": "A1EREKSZAA9V7B"}], "B086HLP2MT": [{"asin": "B086HLP2MT", "instruction": "i want to find extra-small women's yoga pants that i can wear for my gym workouts. they need to be green colored.", "attributes": ["tummy control", "high waist", "drawstring closure", "elastic waistband", "elastic waist", "gym workout"], "options": ["color: z1-green", "size: x-small"], "instruction_attributes": ["gym workout"], "instruction_options": ["z1-green", "x-small"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KNCJL1", "worker_id": "A345TDMHP3DQ3G"}], "B09QT1LJ7D": [{"asin": "B09QT1LJ7D", "instruction": "i want to find some whitening toothpaste that treats bad breath.", "attributes": ["teeth whitening", "bad breath"], "options": [""], "instruction_attributes": ["teeth whitening", "bad breath"], "instruction_options": [], "assignment_id": "3X0H8UUITCYRED22199FX2O3EDPWSJ", "worker_id": "A345TDMHP3DQ3G"}], "B09S3PQJZF": [{"asin": "B09S3PQJZF", "instruction": "shop for a red short sleeve t-shirt in size x-large.", "attributes": ["loose fit", "wash cold", "hand wash", "short sleeve", "long sleeve"], "options": ["color: 1-red", "size: x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["1-red", "x-large"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW6ES8S", "worker_id": "AR9AU5FY1S3RO"}], "B09S3Q2DWB": [{"asin": "B09S3Q2DWB", "instruction": "i need a black color, large sized, daily wear men's underwear which can be hand washed.", "attributes": ["hand wash", "daily wear"], "options": ["color: black", "size: large"], "instruction_attributes": ["hand wash", "daily wear"], "instruction_options": ["black", "large"], "assignment_id": "35LDD5557LEXLIVGSYUQXIV2ZH3KM4", "worker_id": "ASWFLI3N8X72G"}], "B09PHD4LGT": [{"asin": "B09PHD4LGT", "instruction": "i need a male cable for an outdoor 4g lte antenna. it should be five meters long.", "attributes": ["easy install", "4g lte"], "options": ["color: 5m cable n male"], "instruction_attributes": ["easy install", "4g lte"], "instruction_options": ["5m cable n male"], "assignment_id": "32UTUBMZ7R6FI2LV0DIOLBVP3GYVB4", "worker_id": "AR9AU5FY1S3RO"}], "B09N8RTNSX": [{"asin": "B09N8RTNSX", "instruction": "i would like some red butt lifting sweatpants that are in a size small.", "attributes": ["moisture wicking", "butt lifting", "quick drying", "machine wash", "quality polyester", "elastic closure", "polyester cotton", "elastic waist"], "options": ["color: yred7", "size: small"], "instruction_attributes": ["butt lifting"], "instruction_options": ["yred7", "small"], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX4PFA5", "worker_id": "A2ECRNQ3X5LEXD"}], "B0863M3S82": [{"asin": "B0863M3S82", "instruction": "i am looking for optical zoom cameras", "attributes": ["optical zoom", "carrying case"], "options": [""], "instruction_attributes": ["optical zoom"], "instruction_options": [], "assignment_id": "323Q6SJS8TQ0DI2R0QNGP0V1AZRFHS", "worker_id": "A16M39T60N60NO"}], "B01NBHBR7S": [{"asin": "B01NBHBR7S", "instruction": "i want a solid wood table in dark cognac brown color for my living room.", "attributes": ["fully assembled", "solid wood", "living room"], "options": ["color: dark cognac brown 2", "size: 14 inch"], "instruction_attributes": ["solid wood", "living room"], "instruction_options": ["dark cognac brown 2"], "assignment_id": "3AUQQEL7UG3EYFIL2XLZ1UZ6CCX0VJ", "worker_id": "A1NF6PELRKACS9"}], "B07LGFDCJH": [{"asin": "B07LGFDCJH", "instruction": "i want to find some individually wrapped lozenges that are lemon and ginger flavored.", "attributes": ["nut free", "individually wrapped", "gluten free", "artificial colors"], "options": ["flavor name: lemon & ginger"], "instruction_attributes": ["individually wrapped"], "instruction_options": ["lemon & ginger"], "assignment_id": "3DQQ64TANRVU1LMA9S5L2XJSRTIPWW", "worker_id": "A345TDMHP3DQ3G"}], "B095JYXNKY": [{"asin": "B095JYXNKY", "instruction": "i need a hand washable short sleeve t-shirt in blue. get the size large.", "attributes": ["hand wash", "long sleeve", "faux fur", "short sleeve"], "options": ["color: 2-blue", "size: large"], "instruction_attributes": ["hand wash", "short sleeve"], "instruction_options": ["2-blue", "large"], "assignment_id": "3AAPLD8UCNRAWNKSVAS564A218NHTQ", "worker_id": "AR9AU5FY1S3RO"}], "B09JRCG3K3": [{"asin": "B09JRCG3K3", "instruction": "i want a 2022 dell g5 gaming desktop pc intel 6-core i5-10400f with windows 11 home.", "attributes": ["core i5", "intel core"], "options": ["size: 32gb | 512gb ssd", "style: windows 11 home"], "instruction_attributes": ["core i5"], "instruction_options": ["windows 11 home"], "assignment_id": "3L6L49WXWB7EZ9L7F7QO9ZVKG0G542", "worker_id": "A2RBF3IIJP15IH"}], "B07HQXTQKS": [{"asin": "B07HQXTQKS", "instruction": "let me get some shelf stable tub of ghee which is grass fed.", "attributes": ["grass fed", "shelf stable", "fat free", "keto friendly", "gluten free"], "options": [""], "instruction_attributes": ["grass fed", "shelf stable"], "instruction_options": [], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUCNZDM", "worker_id": "A1NF6PELRKACS9"}], "B09FJVTX94": [{"asin": "B09FJVTX94", "instruction": "i need an orange leather ottoman for my living room that is 46 cm.", "attributes": ["high density", "pu leather", "living room"], "options": ["color: orange leather", "size: 46cm"], "instruction_attributes": ["living room"], "instruction_options": ["orange leather", "46cm"], "assignment_id": "3M1CVSFP6BFIUKKM80OIKDCB46XQA9", "worker_id": "A2ECRNQ3X5LEXD"}], "B08YJ42QYT": [{"asin": "B08YJ42QYT", "instruction": "i want to buy a twin size bed frame in gray with drawers. it should be solid wood and easily assembled.", "attributes": ["twin size", "assembly required", "easy assemble", "solid wood"], "options": ["color: gray-drawers"], "instruction_attributes": ["twin size", "assembly required", "easy assemble", "solid wood"], "instruction_options": ["gray-drawers"], "assignment_id": "3HL8HNGX4GB7YCK82EZOCJXDRMDF9W", "worker_id": "AR9AU5FY1S3RO"}], "B08Y1FRSVT": [{"asin": "B08Y1FRSVT", "instruction": "can you find me a loose fitting jumpsuit with wide legs in size medium. i want it to be green in color.", "attributes": ["loose fit", "wide leg", "soft material"], "options": ["color: f green", "size: medium"], "instruction_attributes": ["loose fit", "wide leg"], "instruction_options": ["f green", "medium"], "assignment_id": "3HUTX6F6V5XQ45C2G83ZPQYDDHX2OG", "worker_id": "A36LOA6VLJU157"}], "B09PGHW1TQ": [{"asin": "B09PGHW1TQ", "instruction": "i want a pink machine washable womens swimsuits tankini top set.", "attributes": ["machine wash", "drawstring closure", "elastic waistband", "tummy control"], "options": ["color: pink", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["pink"], "assignment_id": "3GNA64GUZPELOE85D4X1C2WPCS55QR", "worker_id": "A2RBF3IIJP15IH"}], "B08FT2CF2R": [{"asin": "B08FT2CF2R", "instruction": "i am looking for 40 mm smartwatch case. it should be compatible to apple watch.", "attributes": ["compatible apple", "easy install", "case cover"], "options": ["color: clear", "size: 40 mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["40 mm"], "assignment_id": "3LRLIPTPE1JWJHMRVV4LOR0250DAK9", "worker_id": "A3FG5PQHG5AH3Y"}], "B08MT83DJ9": [{"asin": "B08MT83DJ9", "instruction": "i want green zuseris unisex fleece lined clogs.", "attributes": ["fleece lined", "water resistant", "arch support", "rubber sole"], "options": ["color: green", "size: 14 women | 13 men"], "instruction_attributes": ["fleece lined"], "instruction_options": ["green"], "assignment_id": "3OS46CRSLQ99CQ404M1GAV9XPFJ6VQ", "worker_id": "A2RBF3IIJP15IH"}], "B07RN8QGPS": [{"asin": "B07RN8QGPS", "instruction": "i am looking for hands free headphones that are mint and yellow.", "attributes": ["hands free", "stainless steel"], "options": ["color: mint & yellow"], "instruction_attributes": ["hands free"], "instruction_options": ["mint & yellow"], "assignment_id": "3R8YZBNQ9SS0BIMO1XCYAMAL3YS7Q0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QXKCNDR": [{"asin": "B09QXKCNDR", "instruction": "i need high quality linen fabric item.", "attributes": ["high density", "white item", "faux leather", "wood frame", "living room"], "options": ["color: white", "style: linen fabric"], "instruction_attributes": ["high density"], "instruction_options": ["linen fabric"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQB4JAA", "worker_id": "A226L9F2AZ38CL"}], "B01LZSFOFS": [{"asin": "B01LZSFOFS", "instruction": "i am looking for a rectangular sofa table for my living room.", "attributes": ["assembly required", "engineered wood", "living room"], "options": [""], "instruction_attributes": ["living room"], "instruction_options": [], "assignment_id": "38BQUHLA97AGB9GVQQMJ4ZCBJMEOMT", "worker_id": "A1NF6PELRKACS9"}], "B07YST7545": [{"asin": "B07YST7545", "instruction": "i want to find a package of six keto-friendly caramel sea salt bars.", "attributes": ["low carb", "plant based", "gluten free", "low sugar", "low calorie", "keto friendly", "non gmo", "artificial flavors"], "options": ["flavor name: new! caramel sea salt", "size: 6 count (pack of 1)"], "instruction_attributes": ["keto friendly"], "instruction_options": ["new! caramel sea salt", "6 count (pack of 1)"], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SVJTQY", "worker_id": "A345TDMHP3DQ3G"}], "B078Z2PCVZ": [{"asin": "B078Z2PCVZ", "instruction": "i'am purchased women's clothing with quality materials and size 4x. also ,choose the magenta one.", "attributes": ["fashion design", "quality materials"], "options": ["color: magenta", "size: 4x"], "instruction_attributes": ["quality materials"], "instruction_options": ["magenta", "4x"], "assignment_id": "3TPWUS5F8KBB7WD64NJFIXKLSA4WCQ", "worker_id": "ASL9LVC97FUCZ"}], "B07VBVRL6Q": [{"asin": "B07VBVRL6Q", "instruction": "i want to buy a super soft fleece throw. look for one that's fifty by eighty inches.", "attributes": ["super soft", "fleece throw"], "options": ["color: style 1", "size: 50\"x80\""], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["50\"x80\""], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUKQ4S5", "worker_id": "AR9AU5FY1S3RO"}], "B09NBJCF85": [{"asin": "B09NBJCF85", "instruction": "i want to find a vintage sherpa fleece throw that is 50 inches wide and 60 inches long. it needs to accommodate a queen sized bed.", "attributes": ["double sided", "queen size"], "options": ["color: vintage 5", "size: throw 50\" w x 60\" l"], "instruction_attributes": ["queen size"], "instruction_options": ["vintage 5", "throw 50\" w x 60\" l"], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMV3G24", "worker_id": "A345TDMHP3DQ3G"}], "B093KDG2NY": [{"asin": "B093KDG2NY", "instruction": "i want laundry bag organiser for blouse ,hosiery other lingeries easy cary for travel", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "304SM51WAEEZQA4R6IDJAOBI4C6SBY", "worker_id": "A3N9ZYQAESNFQH"}], "B08H1Y41XM": [{"asin": "B08H1Y41XM", "instruction": "i want pink hair styling parting combs for braids.", "attributes": ["stainless steel", "long handle", "hair styling", "hair salon", "hair cutting"], "options": ["color: pink"], "instruction_attributes": ["hair styling"], "instruction_options": ["pink"], "assignment_id": "3ZGVPD4G64RWN8KM1WYC6BE7XY9TZX", "worker_id": "A2RBF3IIJP15IH"}], "B073TSTFB8": [{"asin": "B073TSTFB8", "instruction": "i am looking for long lasting l'eau de parfum spray for women", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["long lasting"], "instruction_options": [], "assignment_id": "3IAEQB9FMPULCOJK4JEQ2323DAMDWD", "worker_id": "AX2EWYWZM19AZ"}], "B07GXBJ73P": [{"asin": "B07GXBJ73P", "instruction": "if you have maybelline new york super stay full coverage (dermatologist tested,oil free) i'm looking for color 128 warm nude.", "attributes": ["dermatologist tested", "oil free", "long lasting"], "options": ["color: 128 warm nude", "size: 1 fl oz (pack of 1)"], "instruction_attributes": ["dermatologist tested", "oil free"], "instruction_options": ["128 warm nude"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0R2ACU", "worker_id": "A15IJ20C3R4HUO"}], "B08XYMK48Z": [{"asin": "B08XYMK48Z", "instruction": "i want to find a pink and blue hair brush that can promote hair growth.", "attributes": ["hair removal", "hair growth", "hair loss", "dead skin"], "options": ["color: 0-pink,blue"], "instruction_attributes": ["hair growth"], "instruction_options": ["0-pink,blue"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRLEMFW", "worker_id": "A345TDMHP3DQ3G"}], "B099S29GVM": [{"asin": "B099S29GVM", "instruction": "i need a sky blue women's top with long sleeves.", "attributes": ["loose fit", "long sleeve", "soft material", "teen girls"], "options": ["color: sky blue", "size: medium"], "instruction_attributes": ["loose fit", "long sleeve"], "instruction_options": ["sky blue"], "assignment_id": "3VD82FOHK1Y32N44D1S5137ZP87COW", "worker_id": "A1NF6PELRKACS9"}], "B01MAWFHQW": [{"asin": "B01MAWFHQW", "instruction": "i want a 12 pack of gmo free cherry bay orchards tart cherry concentrate.", "attributes": ["gmo free", "gluten free", "easy use", "kosher certified", "natural ingredients", "artificial flavors"], "options": ["color: 8 oz", "size: 16 fl oz (pack of 12)"], "instruction_attributes": ["gmo free"], "instruction_options": ["16 fl oz (pack of 12)"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVAC8VH", "worker_id": "A2RBF3IIJP15IH"}], "B093WKBWHF": [{"asin": "B093WKBWHF", "instruction": "i want to find scented shampoo that can stop hair loss and promote hair growth.", "attributes": ["hair loss", "hair growth"], "options": [""], "instruction_attributes": ["hair loss", "hair growth"], "instruction_options": [], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCNVMBN", "worker_id": "A345TDMHP3DQ3G"}], "B09P8C5V26": [{"asin": "B09P8C5V26", "instruction": "i want to shop for a plug and play car radio receiver.", "attributes": ["plug play", "wall mounted"], "options": [""], "instruction_attributes": ["plug play"], "instruction_options": [], "assignment_id": "3S3AMIZX35FCYQDFNSEPQ9V0LUVDCV", "worker_id": "AR9AU5FY1S3RO"}], "B07T3HHL17": [{"asin": "B07T3HHL17", "instruction": "i am looking for carbon fiber tripod. model should be veo2pro263ao.", "attributes": ["quick release", "carbon fiber"], "options": ["style: veo2pro263ao"], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "3TESA3PJ3CKSB6VJDA76CVN6OMVMM8", "worker_id": "A3FG5PQHG5AH3Y"}], "B07TXL5GWT": [{"asin": "B07TXL5GWT", "instruction": "i want oatmeal columbia men's bahama with rubber soles.", "attributes": ["long lasting", "day comfort", "rubber sole", "lace closure"], "options": ["color: oatmeal | whale", "size: 16 wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["oatmeal | whale"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE217GQ8", "worker_id": "A2RBF3IIJP15IH"}], "B015KMIN6K": [{"asin": "B015KMIN6K", "instruction": "i need some purple, machine washable drapes with a fifty-two inch width.", "attributes": ["super soft", "machine washable", "living room"], "options": ["color: royal purple", "size: 52\"w x 54\"l"], "instruction_attributes": ["machine washable"], "instruction_options": ["royal purple", "52\"w x 54\"l"], "assignment_id": "38SKSKU7RC7M95N7SJ8ZKP1078HLIL", "worker_id": "AR9AU5FY1S3RO"}], "B078PHRMWT": [{"asin": "B078PHRMWT", "instruction": "i'm looking for 8\" foundation flex box spring for mattress", "attributes": ["ready use", "fully assembled", "queen size", "assembly required", "box spring"], "options": ["size: queen", "style name: 8\" foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["queen", "8\" foundation"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4AVQRR", "worker_id": "A258PTOZ3D2TQR"}], "B08C7GB6YW": [{"asin": "B08C7GB6YW", "instruction": "i am finding a eco friendly and leak proof plastic refillable bottle container with protective case - style 1 color", "attributes": ["leak proof", "eco friendly", "non toxic"], "options": ["color: style 1"], "instruction_attributes": ["leak proof", "eco friendly"], "instruction_options": ["style 1"], "assignment_id": "3TY7ZAOG5QU0I4O93T7SZLOPWE40KB", "worker_id": "A258PTOZ3D2TQR"}], "B08515GJ6B": [{"asin": "B08515GJ6B", "instruction": "i would like a pink cosmetic bag that is easy to clean.", "attributes": ["bpa free", "easy clean"], "options": ["color: pink"], "instruction_attributes": ["easy clean"], "instruction_options": ["pink"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68EJ4A9", "worker_id": "A2ECRNQ3X5LEXD"}], "B099KG8HS8": [{"asin": "B099KG8HS8", "instruction": "i need green loose fit zincoty women's lace stain solid lounge set.", "attributes": ["loose fit", "elastic waistband", "long sleeve", "polyester cotton", "elastic waist", "relaxed fit", "everyday wear"], "options": ["color: green", "size: 3x-large"], "instruction_attributes": ["loose fit"], "instruction_options": ["green"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22JE8WR", "worker_id": "A2RBF3IIJP15IH"}], "B0764L8XHW": [{"asin": "B0764L8XHW", "instruction": "i want to find orange-scented kids' soap that is free of parabens.", "attributes": ["fragrance free", "paraben free", "cruelty free"], "options": ["scent name: orange"], "instruction_attributes": ["paraben free"], "instruction_options": ["orange"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUTUQJS", "worker_id": "A345TDMHP3DQ3G"}], "B074HDYYXJ": [{"asin": "B074HDYYXJ", "instruction": "i need a size 9 blue dove blue slides sandal which has rubber sole and are slip resistant.", "attributes": ["slip resistant", "rubber outsole", "rubber sole"], "options": ["color: blue dove blue", "size: 9"], "instruction_attributes": ["slip resistant", "rubber sole"], "instruction_options": ["blue dove blue", "9"], "assignment_id": "3YMU66OBIYI6RIYMBATY7LVDBEPHGR", "worker_id": "ASWFLI3N8X72G"}], "B09CMK2FN9": [{"asin": "B09CMK2FN9", "instruction": "i am looking for rock and roll cupcake topper musical themed guitar cake topper which is easy to use in all kind of occasion. music guitar color preferable.", "attributes": ["easy use", "party supplies"], "options": ["color: music guitar"], "instruction_attributes": ["easy use", "party supplies"], "instruction_options": ["music guitar"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQKN315", "worker_id": "A1DRKZ3SCLAS4V"}], "B09NBZD6QM": [{"asin": "B09NBZD6QM", "instruction": "i want black qinxiao simple computer desk with metal legs.", "attributes": ["space saving", "easy assemble", "metal legs"], "options": ["color: black"], "instruction_attributes": ["metal legs"], "instruction_options": ["black"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HOQOWI", "worker_id": "A2RBF3IIJP15IH"}], "B01JOXW3YE": [{"asin": "B01JOXW3YE", "instruction": "i want to find a wi-fi router that can handle 10+ devices over 1000 feet with high speed.", "attributes": ["dual band", "high speed"], "options": ["size: wifi 5", "style: 1000 ft, 10+ devices, 1.2 gbps"], "instruction_attributes": ["high speed"], "instruction_options": ["wifi 5", "1000 ft, 10+ devices, 1.2 gbps"], "assignment_id": "3X4MXAO0BRYFDY2PMK9A7SJ7SBAWRZ", "worker_id": "A345TDMHP3DQ3G"}], "B09B32HLMF": [{"asin": "B09B32HLMF", "instruction": "i looking for contemporary style throw pillow covers for living room color yellow -a-1pc", "attributes": ["exquisite workmanship", "contemporary style", "living room"], "options": ["color: yellow-a-1pc"], "instruction_attributes": ["contemporary style", "living room"], "instruction_options": ["yellow-a-1pc"], "assignment_id": "3U088ZLJVV3RD4IQS7QVNWIKJMW0WS", "worker_id": "A3N9ZYQAESNFQH"}], "B000NK3NBA": [{"asin": "B000NK3NBA", "instruction": "i need a high resolution digital camera with 4x optical zoom.", "attributes": ["high resolution", "optical zoom"], "options": [""], "instruction_attributes": ["high resolution", "optical zoom"], "instruction_options": [], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06LMXK0", "worker_id": "A1NF6PELRKACS9"}], "B09BVT195T": [{"asin": "B09BVT195T", "instruction": "i want to find a 120 inch projector screen that can be mounted to the wall.", "attributes": ["high definition", "wall mounted", "dust proof"], "options": ["color: 120 inches 4:3"], "instruction_attributes": ["wall mounted"], "instruction_options": ["120 inches 4:3"], "assignment_id": "3MTMREQS46SNEHG8K9NOC2UXS7NWAS", "worker_id": "A345TDMHP3DQ3G"}], "B07Q3HK7YS": [{"asin": "B07Q3HK7YS", "instruction": "i am looking for men slim fit dress shirt and please choose ballard blue color.", "attributes": ["slim fit", "machine wash", "stretch fabric", "button closure"], "options": ["color: ballard blue", "size: 16.5\" neck 36\"-37\" sleeve"], "instruction_attributes": ["slim fit"], "instruction_options": ["ballard blue"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL6AEC3", "worker_id": "A3FG5PQHG5AH3Y"}], "B07S523DJC": [{"asin": "B07S523DJC", "instruction": "i am looking for a cruelty free shampoo for a hair salon. also choose 250ml pack and copper style.", "attributes": ["cruelty free", "hair salon"], "options": ["size: 250 ml (pack of 1)", "style: copper"], "instruction_attributes": ["cruelty free", "hair salon"], "instruction_options": ["250 ml (pack of 1)", "copper"], "assignment_id": "3NGI5ARFT4F10K67C4G097TYVGGP14", "worker_id": "A2HMEGTAFO0CS8"}], "B07L7B575V": [{"asin": "B07L7B575V", "instruction": "i am looking for women ankle strap sandal. choose black color.", "attributes": ["ethylene vinyl", "vinyl acetate", "ankle strap"], "options": ["color: black", "size: 5.5"], "instruction_attributes": ["ankle strap"], "instruction_options": ["black"], "assignment_id": "3WT783CTPMRJJTFV9WNJVJ70I9PCBT", "worker_id": "A3FG5PQHG5AH3Y"}], "B09C1XJNNP": [{"asin": "B09C1XJNNP", "instruction": "i need a solid wood bookcase.", "attributes": ["solid wood", "living room"], "options": [""], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "3YHH42UU5MPB2A6ROTJTEL14LE80LD", "worker_id": "A2ECRNQ3X5LEXD"}], "B08762SVZ4": [{"asin": "B08762SVZ4", "instruction": "i would like hair extensions that are 14 inches.", "attributes": ["hair extensions", "natural hair"], "options": ["color: #10p613", "size: 14 inch"], "instruction_attributes": ["hair extensions"], "instruction_options": ["14 inch"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57E59IH", "worker_id": "A2ECRNQ3X5LEXD"}], "B081VB212R": [{"asin": "B081VB212R", "instruction": "i need a coaxial cable with an audio adapter.", "attributes": ["blu ray", "plug play", "coaxial cable"], "options": [""], "instruction_attributes": ["coaxial cable"], "instruction_options": [], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLXZYBF", "worker_id": "A1NF6PELRKACS9"}], "B09NMBBZZV": [{"asin": "B09NMBBZZV", "instruction": "i need fast charging charger with white color", "attributes": ["fast charging", "high performance"], "options": ["color: white"], "instruction_attributes": ["fast charging"], "instruction_options": ["white"], "assignment_id": "3DL65MZB8OPHQWRFJNP9WRDLL6TECM", "worker_id": "A226L9F2AZ38CL"}], "B001459IEE": [{"asin": "B001459IEE", "instruction": "i am interested in a fragrance free lotion that is 18 fl oz.", "attributes": ["fragrance free", "clinically proven", "dry skin"], "options": ["size: 18 fl oz (pack of 1)"], "instruction_attributes": ["fragrance free"], "instruction_options": ["18 fl oz (pack of 1)"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57E39IF", "worker_id": "A2ECRNQ3X5LEXD"}], "B09Q21W8KW": [{"asin": "B09Q21W8KW", "instruction": "i need to buy a machine washable purple t-shirt that says \"hello, my name is jennifer.\" please show me the women's size xx large.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: purple", "fit type: women", "size: xx-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["purple", "women", "xx-large"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HOHOW9", "worker_id": "AR9AU5FY1S3RO"}], "B08XPKVTBW": [{"asin": "B08XPKVTBW", "instruction": "i want to find a black usb mouse that is easy to use.", "attributes": ["plug play", "easy use"], "options": ["color: black"], "instruction_attributes": ["easy use"], "instruction_options": ["black"], "assignment_id": "33LK57MYL4FV8877CWTMW6ILVFYZSH", "worker_id": "A345TDMHP3DQ3G"}], "B08NDV7DKW": [{"asin": "B08NDV7DKW", "instruction": "i am looking for a men's white star wars t-shirt.", "attributes": ["officially licensed", "needle sleeve", "classic fit", "star wars"], "options": ["color: white", "fit type: men", "size: 2t"], "instruction_attributes": ["star wars"], "instruction_options": ["white", "men"], "assignment_id": "3EICBYG64F6P1CD7XO00T7QDQE1JCO", "worker_id": "A1EREKSZAA9V7B"}], "B09QKTK4S5": [{"asin": "B09QKTK4S5", "instruction": "i'm looking for a ready to use fully assembled mattresses with box spring. also, choose queen sized one.", "attributes": ["ready use", "fully assembled", "high density", "box spring"], "options": ["size: queen"], "instruction_attributes": ["ready use", "fully assembled", "box spring"], "instruction_options": ["queen"], "assignment_id": "3TE3O8573BIT1I4I80K3JL3IO5XR2W", "worker_id": "AR0VJ5XRG16UJ"}], "B08M62Q3JC": [{"asin": "B08M62Q3JC", "instruction": "i'm looking for binocular for bird watching.", "attributes": ["high power", "easy use", "non slip", "light weight", "bird watching"], "options": [""], "instruction_attributes": ["easy use", "bird watching"], "instruction_options": [], "assignment_id": "3QEMNNSB2896M9IJWB6EAN3MKKN7DH", "worker_id": "A16IQOX0DK14OJ"}], "B08HS3H5CZ": [{"asin": "B08HS3H5CZ", "instruction": "i am looking for a space saving champagne ottoman that is 40 by 40 by 40.", "attributes": ["space saving", "living room"], "options": ["color: champagne", "size: 40x40x40cm"], "instruction_attributes": ["space saving"], "instruction_options": ["champagne", "40x40x40cm"], "assignment_id": "3VHHR074HERPKL6B9S42T0BRTS4L7O", "worker_id": "A2ECRNQ3X5LEXD"}], "B07RJPJW3W": [{"asin": "B07RJPJW3W", "instruction": "i want green modern velvet dining chairs for the dining room.", "attributes": ["assembly required", "metal legs", "living room", "dining room"], "options": ["color: green", "size: 6pcs"], "instruction_attributes": ["dining room"], "instruction_options": ["green"], "assignment_id": "3QRYMNZ7F9R26J63Y8NIBO7YNK3TNI", "worker_id": "A2RBF3IIJP15IH"}], "B09HWGB5LJ": [{"asin": "B09HWGB5LJ", "instruction": "i am looking for hair masks for damaged hair in spray style", "attributes": ["hair treatment", "damaged hair"], "options": ["style: leave in spray"], "instruction_attributes": ["damaged hair"], "instruction_options": ["leave in spray"], "assignment_id": "3GA6AFUKOZY5X6MYGVMEOR6479N3H8", "worker_id": "A16M39T60N60NO"}], "B07FF5G19C": [{"asin": "B07FF5G19C", "instruction": "i want black prop\u00e9t women's aviator sneakers with rubber soles.", "attributes": ["long lasting", "rubber sole"], "options": ["color: black", "size: 8.5"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black"], "assignment_id": "358010RM5P3MV5OW59A6A8MHMJMXVF", "worker_id": "A2RBF3IIJP15IH"}], "B086JS4HJF": [{"asin": "B086JS4HJF", "instruction": "i need some cupcake picks for toppers.", "attributes": ["cupcake picks", "party supplies"], "options": [""], "instruction_attributes": ["cupcake picks"], "instruction_options": [], "assignment_id": "3TAYZSBPLWI52X4VNPK89V8EA6VS2Y", "worker_id": "A2ECRNQ3X5LEXD"}], "B0036FPX9E": [{"asin": "B0036FPX9E", "instruction": "i want to find a professional tripod that is heavy duty.", "attributes": ["quick release", "heavy duty"], "options": [""], "instruction_attributes": ["heavy duty"], "instruction_options": [], "assignment_id": "31T4R4OBO3QWHHC5WFB3QHL4ZJZ7C3", "worker_id": "A345TDMHP3DQ3G"}], "B07JLLDHGR": [{"asin": "B07JLLDHGR", "instruction": "i am looking for high quality 20 inch hair extensions.", "attributes": ["high quality", "hair extensions"], "options": ["color: #6 | 613", "size: 20 inch, 100 gram(pack of 1)"], "instruction_attributes": ["high quality", "hair extensions"], "instruction_options": ["20 inch, 100 gram(pack of 1)"], "assignment_id": "3OLQQLKKN3Z4YAXLTF6VJVQGBQCEJA", "worker_id": "A1EREKSZAA9V7B"}], "B07V2PTF2R": [{"asin": "B07V2PTF2R", "instruction": "i want a black classic fit disney the lion king characters shirt.", "attributes": ["needle sleeve", "classic fit"], "options": ["color: black", "fit type: women", "size: 2t"], "instruction_attributes": ["classic fit"], "instruction_options": ["black"], "assignment_id": "3MB8LZR5BQ3DF0DVSMTBX5GDZC1LKR", "worker_id": "A2RBF3IIJP15IH"}], "B000HG84EQ": [{"asin": "B000HG84EQ", "instruction": "i want non gmo stretch island original grape fruit leather.", "attributes": ["non gmo", "gluten free", "real fruit", "artificial flavors"], "options": ["flavor name: grape", "pattern name: fruit leather + variety pack potato crisps"], "instruction_attributes": ["non gmo"], "instruction_options": ["grape"], "assignment_id": "3OSWBBLG1P701OOAEOAC4MGAMCRDX5", "worker_id": "A2RBF3IIJP15IH"}], "B0861FCMVG": [{"asin": "B0861FCMVG", "instruction": "i want a large sized women's scrub pants. pick a ciel colored one.", "attributes": ["drawstring closure", "polyester spandex"], "options": ["color: ciel", "size: large"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["ciel", "large"], "assignment_id": "3D4CH1LGEL3DCCG3DY56U4XPS22G9N", "worker_id": "A1NF6PELRKACS9"}], "B09RPK2C8F": [{"asin": "B09RPK2C8F", "instruction": "searching for an x-large short sleeve, loose fitting women's summer casual cute printed tee top band or blouse i can wear at holidays in the clothing shoes & jewerly department", "attributes": ["quick drying", "machine washable", "loose fit", "short sleeve", "long sleeve", "laundry bag", "teen girls", "daily wear"], "options": ["color: fcbf-a017-mint green", "size: x-large"], "instruction_attributes": ["loose fit", "short sleeve"], "instruction_options": ["x-large"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUCLDZY", "worker_id": "A3RGIKEI8JS2QG"}], "B09CPTHDG2": [{"asin": "B09CPTHDG2", "instruction": "i want to find a remote for my samsung security camera that runs on aaa batteries.", "attributes": ["easy use", "aaa batteries"], "options": [""], "instruction_attributes": ["aaa batteries"], "instruction_options": [], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZIS9KQ", "worker_id": "A345TDMHP3DQ3G"}], "B07ZHRC8SJ": [{"asin": "B07ZHRC8SJ", "instruction": "i would like some sausage and bacon that is fully cooked.", "attributes": ["fully cooked", "ready eat"], "options": [""], "instruction_attributes": ["fully cooked"], "instruction_options": [], "assignment_id": "3G2UL9A02OO71034MOY04HTU3XL677", "worker_id": "A2ECRNQ3X5LEXD"}], "B07S45Q1SP": [{"asin": "B07S45Q1SP", "instruction": "i am looking for a full sized box spring.", "attributes": ["twin size", "easy assemble", "box spring", "storage space"], "options": ["size: full", "style: antique brown"], "instruction_attributes": ["box spring"], "instruction_options": ["full"], "assignment_id": "3PWWM24LH38NJDPM9RE3S48DYCI282", "worker_id": "A2ECRNQ3X5LEXD"}], "B09F5QCW21": [{"asin": "B09F5QCW21", "instruction": "in hand creams & lotion aisle of the beauty & personal care department, i want a white long lasting, fragrance free hand lotion for dry, rough or sensitive skin that soothes and comforts. comes in a 3 ounce 4 pack", "attributes": ["long lasting", "fragrance free", "paraben free", "cruelty free", "dry skin", "sensitive skin"], "options": [""], "instruction_attributes": ["long lasting", "fragrance free", "dry skin", "sensitive skin"], "instruction_options": [], "assignment_id": "30MVJZJNHXNN3E64L4Q9RHP5KTSJ91", "worker_id": "A3RGIKEI8JS2QG"}], "B010EC1TCG": [{"asin": "B010EC1TCG", "instruction": "i mostly like designed house with grey color", "attributes": ["design house", "long lasting"], "options": [""], "instruction_attributes": ["design house"], "instruction_options": [], "assignment_id": "3T3IWE1XGHXN9GJVE0FZFI23SVOTQ3", "worker_id": "A226L9F2AZ38CL"}], "B074RVN91Q": [{"asin": "B074RVN91Q", "instruction": "i am looking for an eco friendly wood bedside shelf for a bed.", "attributes": ["eco friendly", "box spring"], "options": [""], "instruction_attributes": ["eco friendly"], "instruction_options": [], "assignment_id": "3LOTDFNYAI9IA8XGVP9GQ35OPNXFWL", "worker_id": "A1EREKSZAA9V7B"}], "B0963D2H5J": [{"asin": "B0963D2H5J", "instruction": "i am looking for gold colored geometric cushion covers.", "attributes": ["super soft", "living room"], "options": ["color: gold foil-15"], "instruction_attributes": ["living room"], "instruction_options": ["gold foil-15"], "assignment_id": "3PQ8K71NH8UQ74D5J4RWUDX60OAAAL", "worker_id": "A1EREKSZAA9V7B"}], "B0054KM7IY": [{"asin": "B0054KM7IY", "instruction": "find this brand duckfeet blavand unisex, model leather clog, important: size 38 m eu and leather sole .", "attributes": ["water resistant", "leather sole"], "options": ["color: granate", "size: 38 m eu"], "instruction_attributes": ["leather sole"], "instruction_options": ["38 m eu"], "assignment_id": "3BV8HQ2ZZ7BPK212TRAKE8VK45RA62", "worker_id": "A15IJ20C3R4HUO"}], "B09BKNLL1G": [{"asin": "B09BKNLL1G", "instruction": "i want to find a loofah back scrubber with a long handle.", "attributes": ["long lasting", "long handle"], "options": [""], "instruction_attributes": ["long handle"], "instruction_options": [], "assignment_id": "3ZQIG0FLQPQ765J6V4EK8P8ADHOWVT", "worker_id": "A345TDMHP3DQ3G"}], "B08J1SJ5R5": [{"asin": "B08J1SJ5R5", "instruction": "i am looking for a under -sink storage fine wood finish", "attributes": ["wood finish", "storage unit"], "options": [""], "instruction_attributes": ["wood finish", "storage unit"], "instruction_options": [], "assignment_id": "340UGXU9D9BUE1U104ZJQ1NDS14UVJ", "worker_id": "A3N9ZYQAESNFQH"}], "B08794V8MM": [{"asin": "B08794V8MM", "instruction": "i am looking for merrycolor farmhouse decorative throw pillow super durable throw pillow cases are easy to care, wipe or hand wash recommended due to the faux leather fabric, coffee color, 18 x 18 inch preferable.", "attributes": ["faux leather", "living room"], "options": ["color: coffee", "size: 18 x 18-inch"], "instruction_attributes": ["faux leather", "living room"], "instruction_options": ["coffee", "18 x 18-inch"], "assignment_id": "3YDGXNSEOA4XMR49D5XRLJ5BIQO48A", "worker_id": "A1DRKZ3SCLAS4V"}], "B09CGWLL3Z": [{"asin": "B09CGWLL3Z", "instruction": "i need a fast charging headset", "attributes": ["fast charging", "high speed"], "options": [""], "instruction_attributes": ["fast charging"], "instruction_options": [], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKYADNE", "worker_id": "A2ECRNQ3X5LEXD"}], "B09CKNBQXH": [{"asin": "B09CKNBQXH", "instruction": "i need pu or faux leather space saving storage organizer in dark grey shagreen color.", "attributes": ["space saving", "pu leather", "faux leather"], "options": ["color: dark grey shagreen"], "instruction_attributes": ["space saving", "pu leather", "faux leather"], "instruction_options": ["dark grey shagreen"], "assignment_id": "3I7DHKZYGYAOXPIWZOM703SB5QTF54", "worker_id": "ASWFLI3N8X72G"}], "B08TT6C13M": [{"asin": "B08TT6C13M", "instruction": "i want a small knqr men's long sleeve quick dry shirt.", "attributes": ["easy care", "machine washable", "machine wash", "stretch fabric", "polyester spandex", "long sleeve", "daily wear"], "options": ["color: neon lime", "size: small"], "instruction_attributes": ["long sleeve"], "instruction_options": ["small"], "assignment_id": "37M28K1J01N18XG9DA49NC0PQBDJAJ", "worker_id": "A2RBF3IIJP15IH"}], "B09PFP98PG": [{"asin": "B09PFP98PG", "instruction": "i am looking for a xx-large size short sleeve e5-gray colored women blouse.", "attributes": ["loose fit", "short sleeve", "teen girls"], "options": ["color: e5 - gray", "size: xx-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["e5 - gray", "xx-large"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWXNC1Z", "worker_id": "AJDQGOTMB2D80"}], "B0872DL8CX": [{"asin": "B0872DL8CX", "instruction": "i am interested in 6 inch hair cutting shears.", "attributes": ["hair salon", "dry hair", "hair cutting"], "options": ["size: 6 inch cutting"], "instruction_attributes": ["hair cutting"], "instruction_options": ["6 inch cutting"], "assignment_id": "3Y4W8Q93LAU8XZJFE99UG1JP61GDVZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B087M3J9H8": [{"asin": "B087M3J9H8", "instruction": "i need a size x-large skirt in coffee brown. it should have a high elastic waist and a slim fit.", "attributes": ["slim fit", "elastic waist", "high waist"], "options": ["color: coffee brown", "size: x-large"], "instruction_attributes": ["slim fit", "elastic waist", "high waist"], "instruction_options": ["coffee brown", "x-large"], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDWFAIP", "worker_id": "AR9AU5FY1S3RO"}], "B07W56G36H": [{"asin": "B07W56G36H", "instruction": "i am looking for nathan james theo industrial bookshelf which is cube storage organizer also contrasting solid wood that pairs smoothly with its glossy white frame and solid veneer back panel. themodern scandinavian style storage cabinet which perfectly forliving room, entryway or in the kid's bedroom.in white brass gold color with size 6 preferable.", "attributes": ["space saving", "white item", "steel frame", "living room"], "options": ["color: white | brass gold", "pattern name: bookcase", "size: 6-shelf"], "instruction_attributes": ["space saving", "white item", "steel frame", "living room"], "instruction_options": ["white | brass gold", "bookcase", "6-shelf"], "assignment_id": "32Q90QCQ13VZ9U33B067KAQTQFCEK9", "worker_id": "A1DRKZ3SCLAS4V"}], "B01CU5Y0PS": [{"asin": "B01CU5Y0PS", "instruction": "i'd like to buy some cotton candy for a baby shower.", "attributes": ["baby shower", "birthday party"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3KRVW3HTZYVV918OX73SO4MCGBAMSH", "worker_id": "AR9AU5FY1S3RO"}], "B07MNM28ZN": [{"asin": "B07MNM28ZN", "instruction": "i am looking for a fluoride free toothpaste for kids. also choose high quality and 1.5 ounce in size.", "attributes": ["fluoride free", "high quality"], "options": ["size: 1.5 ounce (pack of 1)"], "instruction_attributes": ["fluoride free", "high quality"], "instruction_options": ["1.5 ounce (pack of 1)"], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7WLP5M", "worker_id": "A2HMEGTAFO0CS8"}], "B081DYTR9J": [{"asin": "B081DYTR9J", "instruction": "i want to find a 68-inch carbon fiber tripod camera.", "attributes": ["quick release", "carbon fiber"], "options": ["size: sa255c1 | 25mm tube | 68\""], "instruction_attributes": ["carbon fiber"], "instruction_options": ["sa255c1 | 25mm tube | 68\""], "assignment_id": "3DHE4R9OC7L2CSV4SPQRKHPBMV7G28", "worker_id": "A345TDMHP3DQ3G"}], "B07F25KJFQ": [{"asin": "B07F25KJFQ", "instruction": "i want to find a purple dress shirt that is 15 inches in circumference for the neck and 33 inches in circumference for the sleeve. the shirt should be regular fitting.", "attributes": ["regular fit", "tumble dry"], "options": ["color: purple", "size: 15\" neck 32\"-33\" sleeve"], "instruction_attributes": ["regular fit"], "instruction_options": ["purple", "15\" neck 32\"-33\" sleeve"], "assignment_id": "3F1567XTN7F4P1AHGUAIOI1RYOPQ94", "worker_id": "A345TDMHP3DQ3G"}], "B0719QLYF2": [{"asin": "B0719QLYF2", "instruction": "i want to find a pack of 24 single-ounce jalapeno free range turkey sticks. they need to be keto friendly.", "attributes": ["low carb", "high protein", "keto friendly", "sugar free", "grass fed", "freeze dried", "gluten free", "low calorie", "ready eat", "individually wrapped", "dairy free", "non gmo", "zero sugar", "gift basket"], "options": ["flavor name: jalapeno free range turkey", "size: 1 ounce (pack of 24)"], "instruction_attributes": ["keto friendly"], "instruction_options": ["jalapeno free range turkey", "1 ounce (pack of 24)"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMHWZIP", "worker_id": "A345TDMHP3DQ3G"}], "B0824YGBQ9": [{"asin": "B0824YGBQ9", "instruction": "i want a pink light weight kids digital camera.", "attributes": ["1080p hd", "light weight", "easy use"], "options": ["color: pink"], "instruction_attributes": ["light weight"], "instruction_options": ["pink"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZE9RP1", "worker_id": "A2RBF3IIJP15IH"}], "B073HPF4CF": [{"asin": "B073HPF4CF", "instruction": "i need size 2' 2\" x 22' runner area rugs for living or dining room in ivory | grey color.", "attributes": ["home furnishings", "living room", "dining room"], "options": ["color: ivory | grey", "item shape: runner", "size: 2' 2\" x 22'"], "instruction_attributes": ["living room", "dining room"], "instruction_options": ["ivory | grey", "runner", "2' 2\" x 22'"], "assignment_id": "3S0TNUHWK4SAMNN26GYKONZHV3C8DM", "worker_id": "ASWFLI3N8X72G"}], "B0716MLBXK": [{"asin": "B0716MLBXK", "instruction": "i want to buy some black synthetic hair extensions.", "attributes": ["synthetic hair", "hair extensions"], "options": ["color: black"], "instruction_attributes": ["synthetic hair", "hair extensions"], "instruction_options": ["black"], "assignment_id": "3QHK8ZVMIXSCMX91M9GIY2XNCI1BL6", "worker_id": "AR9AU5FY1S3RO"}], "B07KZK5F6C": [{"asin": "B07KZK5F6C", "instruction": "i'm looking for 20-inch long curtains for my living room that are charcoal colored.", "attributes": ["machine washable", "exquisite workmanship", "living room"], "options": ["color: charcoal", "size: 20 l"], "instruction_attributes": ["living room"], "instruction_options": ["charcoal", "20 l"], "assignment_id": "3KXIR214IFQM0C2KXOOQBSS8WQO24X", "worker_id": "A345TDMHP3DQ3G"}], "B09KMCRRSG": [{"asin": "B09KMCRRSG", "instruction": "i want to find an l-shaped desk that can help save me space.", "attributes": ["heavy duty", "space saving", "coated steel"], "options": [""], "instruction_attributes": ["space saving"], "instruction_options": [], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYT8HVB", "worker_id": "A345TDMHP3DQ3G"}], "B076D9DS75": [{"asin": "B076D9DS75", "instruction": "i am looking for a gluten free socorro sweet tea that has low calories.", "attributes": ["low calorie", "non gmo", "gluten free"], "options": ["flavor name: socorro sweet tea", "size: 18 fl oz (pack of 6)"], "instruction_attributes": ["low calorie", "gluten free"], "instruction_options": ["socorro sweet tea"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNV58HV", "worker_id": "A1EREKSZAA9V7B"}], "B09BLZ3CTJ": [{"asin": "B09BLZ3CTJ", "instruction": "i want to find a two-pack of white usb chargers that can be mounted to a wall.", "attributes": ["fast charging", "wall mounted", "usb port"], "options": ["color: white+white", "size: 2 pack"], "instruction_attributes": ["wall mounted", "usb port"], "instruction_options": ["white+white", "2 pack"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIVO9T1", "worker_id": "A345TDMHP3DQ3G"}], "B08P4B5HQV": [{"asin": "B08P4B5HQV", "instruction": "i need 2pcs mixed package of grey color reusable easy clean cotton swab", "attributes": ["non toxic", "easy clean", "high quality"], "options": ["color: grey", "size: 2pcs mixed package"], "instruction_attributes": ["easy clean"], "instruction_options": ["grey", "2pcs mixed package"], "assignment_id": "3BF51CHDT6K9GEN1X84VMT8X4XY0H5", "worker_id": "A258PTOZ3D2TQR"}], "B08QC54P6P": [{"asin": "B08QC54P6P", "instruction": "i want to buy a pair of compression pants in size xx large. they should be nude with an elastic waistband.", "attributes": ["hand wash", "wash cold", "nylon spandex", "elastic waistband"], "options": ["color: nude b", "size: xx-large"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["nude b", "xx-large"], "assignment_id": "3JC6VJ2SAMTT1Y1OO80FM2HK8ACA5I", "worker_id": "AR9AU5FY1S3RO"}], "B081V88NYR": [{"asin": "B081V88NYR", "instruction": "i want a bluetooth mp3 decoded module audio receiver board power amplifier easy install", "attributes": ["power amplifier", "easy install"], "options": [""], "instruction_attributes": ["power amplifier", "easy install"], "instruction_options": [], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA5JR8T", "worker_id": "A3N9ZYQAESNFQH"}], "B093RZ7MC6": [{"asin": "B093RZ7MC6", "instruction": "i am looking for a resin diy for nail art with non toxic also easy to clean.", "attributes": ["non toxic", "easy clean", "nail art"], "options": [""], "instruction_attributes": ["non toxic", "easy clean", "nail art"], "instruction_options": [], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBTFNU", "worker_id": "A2HMEGTAFO0CS8"}], "B08G14B779": [{"asin": "B08G14B779", "instruction": "i want a pink niuta 2 pack hair towel wrap for dry hair.", "attributes": ["high quality", "dry hair"], "options": ["color: pink", "size: 26 inch x 10 inch"], "instruction_attributes": ["dry hair"], "instruction_options": ["pink"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AP6BW0", "worker_id": "A2RBF3IIJP15IH"}], "B09H5B7PKR": [{"asin": "B09H5B7PKR", "instruction": "i am looking for a super soft feece throw with christmas deer, snowflakes and funny gifts.", "attributes": ["super soft", "fleece throw", "printing technology"], "options": ["color: christmas deer and snowflakes funny gifts fleece throw", "size: (s 50\"x40\" inch for kid)"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["christmas deer and snowflakes funny gifts fleece throw"], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH152FWH5", "worker_id": "A1NF6PELRKACS9"}], "B093HJBHVX": [{"asin": "B093HJBHVX", "instruction": "i am looking for a 2 pack of pendant ceiling lights for my dining room.", "attributes": ["bronze finish", "dining room"], "options": ["color: oil rubbed bronze 1 light 2 pack", "size: 2 pack"], "instruction_attributes": ["dining room"], "instruction_options": ["2 pack"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0S05117", "worker_id": "A1EREKSZAA9V7B"}], "B09R7XC49B": [{"asin": "B09R7XC49B", "instruction": "i need a tea tree shampoo and conditioner set which is sulfate free and promotes hair growth.", "attributes": ["sulfate free", "cruelty free", "tea tree", "green tea", "argan oil", "damaged hair", "natural hair", "hair growth"], "options": [""], "instruction_attributes": ["sulfate free", "tea tree", "hair growth"], "instruction_options": [], "assignment_id": "3QY7M81QHIWE0FOTOSS1E0YC4S7K7S", "worker_id": "A1NF6PELRKACS9"}], "B08LBHBP2V": [{"asin": "B08LBHBP2V", "instruction": "i am looking for super soft and fleece throw blanket in multi 10 color", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 10", "size: baby"], "instruction_attributes": ["super soft", "fleece throw"], "instruction_options": ["multi 10"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JA6FSB", "worker_id": "AX2EWYWZM19AZ"}], "B0989VJ5BQ": [{"asin": "B0989VJ5BQ", "instruction": "i am looking for sneakers for teen girls walking shoes with ankle strap , size 8.5 and also z4-blue color", "attributes": ["open toe", "ankle strap", "teen girls"], "options": ["color: z4-blue", "size: 8.5"], "instruction_attributes": ["ankle strap", "teen girls"], "instruction_options": ["z4-blue", "8.5"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOIKYDV", "worker_id": "AX2EWYWZM19AZ"}], "B007JV7F4W": [{"asin": "B007JV7F4W", "instruction": "we are looking easy install stereo sound subwoofers 800 watt speaker speaker size :12\"", "attributes": ["easy install", "stereo sound"], "options": ["speakers maximum output power: 800 watts", "vehicle speaker size: 12-inch", "voice coil: 1-inch single voice coil 4-ohm"], "instruction_attributes": ["easy install", "stereo sound"], "instruction_options": ["800 watts", "12-inch"], "assignment_id": "32SVAV9L3QJQNJEKAPCM75J0UFI3AK", "worker_id": "A3N9ZYQAESNFQH"}], "B007QEY8RE": [{"asin": "B007QEY8RE", "instruction": "i'd like to find frozen, handmade appetizers made with pear and brie.", "attributes": ["ready use", "hand crafted"], "options": [""], "instruction_attributes": ["hand crafted"], "instruction_options": [], "assignment_id": "3A9AA95AT7W0O27QDRICCX6F7WBP5C", "worker_id": "A345TDMHP3DQ3G"}], "B0876Y38DS": [{"asin": "B0876Y38DS", "instruction": "i am looking for men's white athletic shorts with a drawstring closure.", "attributes": ["drawstring closure", "polyester spandex"], "options": ["color: white", "size: 3x-large"], "instruction_attributes": ["drawstring closure"], "instruction_options": ["white"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA44R8C", "worker_id": "A1EREKSZAA9V7B"}], "B09P572DP9": [{"asin": "B09P572DP9", "instruction": "i want a heavy duty, non-slip protector case for my iphone. choose something in black.", "attributes": ["heavy duty", "dust proof", "non slip", "easy install", "glass screen", "tempered glass"], "options": ["color: black", "size: case+2 protectors+clip"], "instruction_attributes": ["heavy duty", "non slip"], "instruction_options": ["black"], "assignment_id": "32AT8R96GWJEM9DX69UEFE36TXKSUM", "worker_id": "A1NF6PELRKACS9"}], "B08F7WVPN2": [{"asin": "B08F7WVPN2", "instruction": "i'm looking for a black colored short sleeved women's casual summer off the shoulder dress. please select the size small.", "attributes": ["soft material", "polyester spandex", "short sleeve"], "options": ["color: black", "size: small"], "instruction_attributes": ["short sleeve"], "instruction_options": ["black", "small"], "assignment_id": "39PAAFCODXAFEOFC0Z99L51B9NWVTS", "worker_id": "A20DUVEOH6A7KW"}], "B09M3YVTF6": [{"asin": "B09M3YVTF6", "instruction": "i am looking for a digital alarm clock radio with wireless bluetooth built-in. also, i prefer a black colored one.", "attributes": ["high definition", "wireless bluetooth"], "options": ["color: black"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["black"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79PZH1K", "worker_id": "AJDQGOTMB2D80"}], "B01LYTO6V1": [{"asin": "B01LYTO6V1", "instruction": "i want 4 ounce fat free musselman's cinnamon apple sauce cups.", "attributes": ["fat free", "non gmo", "gluten free"], "options": ["size: 4 ounce"], "instruction_attributes": ["fat free"], "instruction_options": ["4 ounce"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTTDE4A", "worker_id": "A2RBF3IIJP15IH"}], "B07B9GTSHW": [{"asin": "B07B9GTSHW", "instruction": "my skin was dry i need 4 ounce pack of facial cream", "attributes": ["anti aging", "dry skin", "dead skin"], "options": ["color: 8oz bundle (plain + salicylic acid)", "size: 4 ounce (pack of 1)"], "instruction_attributes": ["dry skin"], "instruction_options": [], "assignment_id": "3SITXWYCN6J7MRQQ0SJ69WSAJR4BXL", "worker_id": "A226L9F2AZ38CL"}], "B000Q38THM": [{"asin": "B000Q38THM", "instruction": "i want to find shelf-stable beef stew that is ready to eat.", "attributes": ["fully cooked", "shelf stable", "ready eat"], "options": [""], "instruction_attributes": ["shelf stable", "ready eat"], "instruction_options": [], "assignment_id": "3FIUS151D6CSRM3BR4BGMLJCWE3GGI", "worker_id": "A345TDMHP3DQ3G"}], "B08JYVB93Z": [{"asin": "B08JYVB93Z", "instruction": "i am looking for eyeshadow that is cruelty free.", "attributes": ["cruelty free", "long lasting", "high quality"], "options": [""], "instruction_attributes": ["cruelty free"], "instruction_options": [], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW6M8SG", "worker_id": "A2ECRNQ3X5LEXD"}], "B09P8MWPCG": [{"asin": "B09P8MWPCG", "instruction": "i want to find a white twin sized bed frame that is easy to assemble.", "attributes": ["white item", "easy assemble", "storage space", "box spring", "metal legs"], "options": ["color: white", "size: twin bed frame"], "instruction_attributes": ["white item", "easy assemble"], "instruction_options": ["white", "twin bed frame"], "assignment_id": "386PBUZZXQ7I4G7DA1TZWQG0KNCLJ3", "worker_id": "A345TDMHP3DQ3G"}], "B01KZZ5HOS": [{"asin": "B01KZZ5HOS", "instruction": "i want camile modern table lamps with a brushed nickel finish.", "attributes": ["brushed nickel", "nickel finish", "living room"], "options": ["color: brushed nickel - off white drum shade"], "instruction_attributes": ["nickel finish"], "instruction_options": ["brushed nickel - off white drum shade"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHZO4Z8", "worker_id": "A2RBF3IIJP15IH"}], "B092X4W66N": [{"asin": "B092X4W66N", "instruction": "i am looking for valentine day gift basket with luxury gold leaf hand cream, handmade freshly baked treats like variety of brownies and decadent cookies", "attributes": ["individually wrapped", "gift basket", "valentine day"], "options": [""], "instruction_attributes": ["gift basket", "valentine day"], "instruction_options": [], "assignment_id": "3PW9OPU9P1U58D51A65ODUL5K6N12S", "worker_id": "AX2EWYWZM19AZ"}], "B01HEH31OI": [{"asin": "B01HEH31OI", "instruction": "i am looking for a pair of long lasting women's size 5.5 wide hiking boots.", "attributes": ["long lasting", "rubber sole", "lace closure"], "options": ["color: epic plum | storm", "size: 5.5 wide"], "instruction_attributes": ["long lasting"], "instruction_options": ["5.5 wide"], "assignment_id": "3300DTYQTDRLKX1YO5Q4GW22PL1EQY", "worker_id": "A1EREKSZAA9V7B"}], "B085ZW9G4X": [{"asin": "B085ZW9G4X", "instruction": "i need zerofire 2 pack travel size spray bottles.", "attributes": ["travel size", "fine mist"], "options": ["color: 2 pack", "size: 1 ounce"], "instruction_attributes": ["travel size"], "instruction_options": ["2 pack"], "assignment_id": "3WQQ9FUS6L4H7QPISK7ETXBHSIWB8E", "worker_id": "A2RBF3IIJP15IH"}], "B08DKM7Y6G": [{"asin": "B08DKM7Y6G", "instruction": "i need a quick drying running shorts with drawstring closure. it should be light grayish blue in color.", "attributes": ["wide leg", "quick drying", "moisture wicking", "polyester spandex", "drawstring closure", "elastic waistband"], "options": ["color: light grayish blue", "size: xx-small"], "instruction_attributes": ["quick drying", "drawstring closure"], "instruction_options": ["light grayish blue"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3CKN6T", "worker_id": "A1NF6PELRKACS9"}], "B09KVBJ56K": [{"asin": "B09KVBJ56K", "instruction": "i am interested in sprinkles that are soy free and for christmas.", "attributes": ["easy use", "nut free", "soy free", "dairy free", "gluten free", "valentine day"], "options": ["color: 8-christmas - candy"], "instruction_attributes": ["soy free"], "instruction_options": ["8-christmas - candy"], "assignment_id": "34YB12FSQ9YSJWZX279BZQ39S0KGMV", "worker_id": "A2ECRNQ3X5LEXD"}], "B096B397LX": [{"asin": "B096B397LX", "instruction": "i need to buy some easy to install pendant lights for my living room. get the blue ones.", "attributes": ["easy install", "pendant light", "light fixture", "living room"], "options": ["color: blue"], "instruction_attributes": ["easy install", "pendant light", "living room"], "instruction_options": ["blue"], "assignment_id": "3D8YOU6S9PU9ZBF0ZWRBE97EB8I6U9", "worker_id": "AR9AU5FY1S3RO"}], "B09PC48LDS": [{"asin": "B09PC48LDS", "instruction": "i need wireless charging with white color", "attributes": ["water resistant", "noise cancelling", "hands free", "wireless charging", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "3IO1LGZLKK7B1E8NWTQ6IHPPEHS68V", "worker_id": "A226L9F2AZ38CL"}], "B083TJJDJW": [{"asin": "B083TJJDJW", "instruction": "i need no artificial color chocolate for 10 pocket", "attributes": ["nut free", "soy free", "dairy free", "gluten free", "artificial colors"], "options": [""], "instruction_attributes": ["artificial colors"], "instruction_options": [], "assignment_id": "39KFRKBFIY5G5Q599TAUYUZISWOYOP", "worker_id": "A226L9F2AZ38CL"}], "B099Z7F8RC": [{"asin": "B099Z7F8RC", "instruction": "find me a cruelty free non toxic lip treatment oil for sensitive skin in 100 #loveyourself color.", "attributes": ["cruelty free", "fragrance free", "non toxic", "seed oil", "sensitive skin"], "options": ["color: 100\u00a0#loveyourself"], "instruction_attributes": ["cruelty free", "non toxic", "sensitive skin"], "instruction_options": ["100\u00a0#loveyourself"], "assignment_id": "32KTQ2V7ROPD4MCPO13179HMOP89MK", "worker_id": "A3AYHESLQSDY5T"}], "B09373HTN7": [{"asin": "B09373HTN7", "instruction": "shop for a light weight windows desktop pc.", "attributes": ["dual band", "light weight", "high speed"], "options": [""], "instruction_attributes": ["light weight"], "instruction_options": [], "assignment_id": "3NC5L260MZWA5ZOE43I699S2MLUOFE", "worker_id": "AR9AU5FY1S3RO"}], "B07VYXP4DP": [{"asin": "B07VYXP4DP", "instruction": "i am looking for large dark grey pajama pants with an elastic waist.", "attributes": ["straight leg", "loose fit", "elastic waist"], "options": ["color: dark grey", "size: large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["dark grey", "large"], "assignment_id": "36V4Q8R5ZVAJWLTB53ENT47BYNNMQQ", "worker_id": "A1EREKSZAA9V7B"}], "B00J7G0I8M": [{"asin": "B00J7G0I8M", "instruction": "i am looking for fluoride free all natural toothpaste.", "attributes": ["fluoride free", "fresh breath"], "options": [""], "instruction_attributes": ["fluoride free"], "instruction_options": [], "assignment_id": "3WS1NTTKE9MP2IWV2IGVJ8WKOIN0F9", "worker_id": "A1EREKSZAA9V7B"}], "B08TWWYH8Q": [{"asin": "B08TWWYH8Q", "instruction": "i want a 125 digital power audio amplifier board.", "attributes": ["high power", "power amplifier"], "options": [""], "instruction_attributes": ["power amplifier"], "instruction_options": [], "assignment_id": "3TR2532VI040LV46NXNX77Y3USIJ6O", "worker_id": "A2RBF3IIJP15IH"}], "B08VJ474GR": [{"asin": "B08VJ474GR", "instruction": "i need a non slip sofa slipcover which is either camel or ivory colored.", "attributes": ["non slip", "machine washable", "easy install"], "options": ["color: camel | ivory"], "instruction_attributes": ["non slip"], "instruction_options": ["camel | ivory"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX7JCFD", "worker_id": "A1NF6PELRKACS9"}], "B09KCMTNQP": [{"asin": "B09KCMTNQP", "instruction": "i need a long clip-in hair extension which is natural looking.", "attributes": ["hair extensions", "hair styling"], "options": ["color: i"], "instruction_attributes": ["hair extensions"], "instruction_options": [], "assignment_id": "3IFS6Q0HJTT9DIIXCS50WBFVZ2XIS4", "worker_id": "A1NF6PELRKACS9"}], "B09DCWZ4JB": [{"asin": "B09DCWZ4JB", "instruction": "i would like a blue smartwatch band that is 42mm and is apple compatible.", "attributes": ["easy install", "compatible apple", "case cover"], "options": ["color: blue", "size: 42mm | 44mm | 45mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["blue", "42mm | 44mm | 45mm"], "assignment_id": "3R6BYFZZPIMXZ8265U52SMJVYP4XFX", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H59CSTC": [{"asin": "B09H59CSTC", "instruction": "need a monopod with carbon fiber for dslr cameras", "attributes": ["easy carry", "carbon fiber"], "options": [""], "instruction_attributes": ["carbon fiber"], "instruction_options": [], "assignment_id": "3KGTPGBS68VLHAWZCUF8OWQ2V532UF", "worker_id": "A2Y2TURT2VEYZN"}], "B097K252L9": [{"asin": "B097K252L9", "instruction": "i want anti slip leopard print shoes for women in size 11.", "attributes": ["anti slip", "rubber sole"], "options": ["color: denim yellow leopard b", "size: 11 women | 9.5 men"], "instruction_attributes": ["anti slip"], "instruction_options": ["11 women | 9.5 men"], "assignment_id": "3TXMY6UCAPY6NZHKSEK9Q82Z49SQCL", "worker_id": "A2RBF3IIJP15IH"}], "B09QBVFM8F": [{"asin": "B09QBVFM8F", "instruction": "i want to find a gold hair comb that is easy to use.", "attributes": ["easy use", "high quality", "rose gold", "quality materials"], "options": ["color: gold"], "instruction_attributes": ["easy use"], "instruction_options": ["gold"], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ6E1LH", "worker_id": "A345TDMHP3DQ3G"}], "B09928J5CH": [{"asin": "B09928J5CH", "instruction": "i need a gold colored storage case bag for holding nail art machine and tools.", "attributes": ["storage case", "nail art"], "options": ["color: golden machine with a bag"], "instruction_attributes": ["storage case", "nail art"], "instruction_options": ["golden machine with a bag"], "assignment_id": "3EWIJTFFVZHXW4WZ77WP1QBKCHY0EH", "worker_id": "A1NF6PELRKACS9"}], "B09FF773JY": [{"asin": "B09FF773JY", "instruction": "i want to find a black apple watch band that is 38 millimeters long.", "attributes": ["compatible apple", "stainless steel"], "options": ["color: black", "size: 38mm"], "instruction_attributes": ["compatible apple"], "instruction_options": ["black", "38mm"], "assignment_id": "34FNN24DCXJUXGZR4EEVPOZRB1E5YM", "worker_id": "A345TDMHP3DQ3G"}], "B077VQD17T": [{"asin": "B077VQD17T", "instruction": "i'm looking for skin care need to buy a sugarcane and papaya for dry skin.", "attributes": ["paraben free", "seed oil", "dry skin"], "options": ["color: sugarcane & papaya", "size: 17 fl oz (pack of 1)"], "instruction_attributes": ["seed oil", "dry skin"], "instruction_options": ["sugarcane & papaya"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SVXUDJ", "worker_id": "A16IQOX0DK14OJ"}], "B08X1KBCZM": [{"asin": "B08X1KBCZM", "instruction": "i am looking for long lasting hair color dye.please choose 7bg color.", "attributes": ["long lasting", "permanent hair", "hair growth"], "options": ["color: 7.13 | 7bg"], "instruction_attributes": ["long lasting"], "instruction_options": ["7.13 | 7bg"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3DAQN7", "worker_id": "A3FG5PQHG5AH3Y"}], "B07V3NKGHD": [{"asin": "B07V3NKGHD", "instruction": "i want to find individually wrapped chocolates in a gift basket that i can give for christmas.", "attributes": ["individually wrapped", "gift basket"], "options": [""], "instruction_attributes": ["individually wrapped", "gift basket"], "instruction_options": [], "assignment_id": "352YTHGRO6NQF252G9RXYWYAL9B4HM", "worker_id": "A345TDMHP3DQ3G"}], "B08N9S7DVZ": [{"asin": "B08N9S7DVZ", "instruction": "i am looking for a coffee sofa slipcovers of pu leather", "attributes": ["non slip", "machine washable", "easy install", "pu leather"], "options": ["color: coffee"], "instruction_attributes": ["pu leather"], "instruction_options": ["coffee"], "assignment_id": "3Q8GYXHFE0CHUDYM8MW6SX788FEC57", "worker_id": "A9QRQL9CFJBI7"}], "B00B46XLT6": [{"asin": "B00B46XLT6", "instruction": "i am looking a high resolution fiber optic cable for audio vedio colour :black", "attributes": ["high resolution", "optical zoom"], "options": ["color: black"], "instruction_attributes": ["high resolution"], "instruction_options": ["black"], "assignment_id": "3ZSANO2JCQHP3RG7BKZFTE23JA4FS9", "worker_id": "A3N9ZYQAESNFQH"}], "B09GK7V42L": [{"asin": "B09GK7V42L", "instruction": "i want a yellow easy to carry gaone fm radio alarm clock.", "attributes": ["easy carry", "aaa batteries"], "options": ["color: yellow"], "instruction_attributes": ["easy carry"], "instruction_options": ["yellow"], "assignment_id": "345LHZDED82A2SSIGUTD76VU1HHU3S", "worker_id": "A2RBF3IIJP15IH"}], "B07WV947XR": [{"asin": "B07WV947XR", "instruction": "i want a long handle body brush to remove dead skin. get me something in blue or white.", "attributes": ["non slip", "long handle", "dead skin"], "options": ["scent: blue | white"], "instruction_attributes": ["long handle", "dead skin"], "instruction_options": ["blue | white"], "assignment_id": "3JV9LGBJW4OGJZK9FNOORUSEN02GOD", "worker_id": "A1NF6PELRKACS9"}], "B09PNF3MJR": [{"asin": "B09PNF3MJR", "instruction": "i am looking for a red colored button down hawaiian shirt with short sleeves.", "attributes": ["machine washable", "slim fit", "hand wash", "short sleeve", "regular fit", "quality polyester", "button closure"], "options": ["color: 03 red", "size: 3x-large"], "instruction_attributes": ["short sleeve", "button closure"], "instruction_options": ["03 red"], "assignment_id": "3EFVCAY5LEJNP9NUGCKVRLUU0NF8J6", "worker_id": "A1NF6PELRKACS9"}], "B00DBXR7MW": [{"asin": "B00DBXR7MW", "instruction": "i want to find a 6-pack of 12 count ferrero rocher candies for valentine's day.", "attributes": ["chocolate covered", "valentine day"], "options": ["size: 12 count (pack of 6)", "style: ferrero rocher"], "instruction_attributes": ["valentine day"], "instruction_options": ["12 count (pack of 6)", "ferrero rocher"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYT7HVA", "worker_id": "A345TDMHP3DQ3G"}], "B09SY7QSC7": [{"asin": "B09SY7QSC7", "instruction": "i am looking for powerful stainless steel kit for total body clipping, trimming, & grooming.", "attributes": ["stainless steel", "hair cutting"], "options": [""], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": [], "assignment_id": "3TEM0PF1QG7S4YIZBCL5V8TZC5YD02", "worker_id": "A2DQZHJHF45NDT"}], "B09P8Q42XL": [{"asin": "B09P8Q42XL", "instruction": "i want large loose fit tank tops for women.", "attributes": ["loose fit", "slim fit", "hand wash", "polyester spandex", "short sleeve", "teen girls"], "options": ["color: h23-khaki", "size: large"], "instruction_attributes": ["loose fit"], "instruction_options": ["large"], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLX2BYV", "worker_id": "A2RBF3IIJP15IH"}], "B07D5ZPCX4": [{"asin": "B07D5ZPCX4", "instruction": "i want to find kettle style potato chips with 0 grams of trans fat. there should be 4 bags total.", "attributes": ["gluten free", "0g trans"], "options": ["size: 4 bags"], "instruction_attributes": ["0g trans"], "instruction_options": ["4 bags"], "assignment_id": "3A7Y0R2P2ZYD4AO2OKWN7KBNRWNXJ2", "worker_id": "A345TDMHP3DQ3G"}], "B082HT2BKV": [{"asin": "B082HT2BKV", "instruction": "i am looking for creative cupcake toppers for a kids birthday cake.", "attributes": ["cupcake picks", "birthday cake", "party supplies"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3DPNQGW4LWPAIDLLKQ0T159KCVR64J", "worker_id": "ASWFLI3N8X72G"}], "B07HRZ23TW": [{"asin": "B07HRZ23TW", "instruction": "i need 1 pack 6.34 ounce, hand crafted and individually wrapped tortas.", "attributes": ["hand crafted", "individually wrapped"], "options": ["size: 6.34 ounce (pack of 1)"], "instruction_attributes": ["hand crafted", "individually wrapped"], "instruction_options": ["6.34 ounce (pack of 1)"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFTRE3Z", "worker_id": "ASWFLI3N8X72G"}], "B09PVJ5GD4": [{"asin": "B09PVJ5GD4", "instruction": "my high heel size was 6.5", "attributes": ["non slip", "rubber sole", "high heel", "ankle strap"], "options": ["color: 1red", "size: 6.5"], "instruction_attributes": ["high heel"], "instruction_options": ["6.5"], "assignment_id": "3R08VXYT7N55VFIAD6B42BS7RZEW7Y", "worker_id": "A226L9F2AZ38CL"}], "B001E95F4W": [{"asin": "B001E95F4W", "instruction": "i have 3 hair dye", "attributes": ["permanent hair", "hair dye"], "options": ["color: 2bg burgundy black", "size: 3 count"], "instruction_attributes": ["hair dye"], "instruction_options": ["3 count"], "assignment_id": "34S9DKFK7EZYN55X8EAHJ5ZD2MJYNA", "worker_id": "A226L9F2AZ38CL"}], "B09KP5VSHV": [{"asin": "B09KP5VSHV", "instruction": "i am looking for a faux fur cardigan coat with long sleeves. i am a 3x-large in size.", "attributes": ["fleece lined", "faux fur", "long sleeve"], "options": ["size: 3x-large"], "instruction_attributes": ["faux fur", "long sleeve"], "instruction_options": ["3x-large"], "assignment_id": "384PI804X3BY6N1H82GUQ7FZD8E0SP", "worker_id": "A1NF6PELRKACS9"}], "B09BZTJPZW": [{"asin": "B09BZTJPZW", "instruction": "i am looking for high quality , easy use , bpa free tongue brush", "attributes": ["bpa free", "easy use", "high quality", "fresh breath", "bad breath"], "options": [""], "instruction_attributes": ["bpa free", "easy use", "high quality"], "instruction_options": [], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VYQYW4", "worker_id": "AX2EWYWZM19AZ"}], "B086RJ1N69": [{"asin": "B086RJ1N69", "instruction": "i'm baking a birthday cake for raju.", "attributes": ["birthday cake", "birthday party"], "options": [""], "instruction_attributes": ["birthday cake"], "instruction_options": [], "assignment_id": "3X31TUMD78WB9ZR9KCNTSQKEQ6D1LG", "worker_id": "ASL9LVC97FUCZ"}], "B093YSK8QX": [{"asin": "B093YSK8QX", "instruction": "i am looking for a set of 2 mesh laundry bags.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["laundry bag"], "instruction_options": [], "assignment_id": "378XPAWRUNN5DMW3VSJ9BBLPDWRIA9", "worker_id": "A1EREKSZAA9V7B"}], "B07TGFS8KX": [{"asin": "B07TGFS8KX", "instruction": "i want a golden lighting 3602-vl3 blk duncan vanity light.", "attributes": ["contemporary style", "vanity light"], "options": [""], "instruction_attributes": ["vanity light"], "instruction_options": [], "assignment_id": "3Y54SXRO1WVF19QCV9Z4PJZSVGYUTD", "worker_id": "A2RBF3IIJP15IH"}], "B09H7PL3NN": [{"asin": "B09H7PL3NN", "instruction": "i am looking for a winter warm jacket with long sleeve which is washable in machine. also choose navy color and small size.", "attributes": ["daily casual", "winter warm", "loose fit", "machine wash", "long sleeve", "relaxed fit", "short sleeve", "everyday wear", "teen girls"], "options": ["color: navy", "size: small"], "instruction_attributes": ["winter warm", "machine wash", "long sleeve"], "instruction_options": ["navy", "small"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYQXOZB", "worker_id": "A2HMEGTAFO0CS8"}], "B07J2QPQMM": [{"asin": "B07J2QPQMM", "instruction": "get me a high performance video camera that is certified refurbished.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance"], "instruction_options": [], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXWEMY3", "worker_id": "A1NF6PELRKACS9"}], "B08BHN5S3C": [{"asin": "B08BHN5S3C", "instruction": "i am looking for a large bright blue daily casual dress.", "attributes": ["daily casual", "slim fit", "polyester spandex"], "options": ["color: bright blue", "size: large"], "instruction_attributes": ["daily casual"], "instruction_options": ["bright blue", "large"], "assignment_id": "33L7PJKHCR8H3CJZS6YZTRH3YP1T8R", "worker_id": "A1EREKSZAA9V7B"}], "B078WTG2RC": [{"asin": "B078WTG2RC", "instruction": "i need to buy some green sandals with arch support. look for uk size nine medium.", "attributes": ["ethylene vinyl", "vinyl acetate", "arch support"], "options": ["color: green green black green xgkg", "size: 9 m uk"], "instruction_attributes": ["arch support"], "instruction_options": ["green green black green xgkg", "9 m uk"], "assignment_id": "351SEKWQSBRP7CP60H83T50CF8YDMC", "worker_id": "AR9AU5FY1S3RO"}], "B08ZS9TZW2": [{"asin": "B08ZS9TZW2", "instruction": "sony xr50x90j 50-inch ultra hd and high speed full array led smart tv", "attributes": ["ultra hd", "high speed"], "options": [""], "instruction_attributes": ["ultra hd", "high speed"], "instruction_options": [], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40V0YF6", "worker_id": "AX2EWYWZM19AZ"}], "B09JBZP1KV": [{"asin": "B09JBZP1KV", "instruction": "i want to find an xx-large blue women's long sleeve sweater.", "attributes": ["machine washable", "hand wash", "long sleeve", "relaxed fit"], "options": ["color: blue", "size: xx-large"], "instruction_attributes": ["long sleeve"], "instruction_options": ["blue", "xx-large"], "assignment_id": "39LNWE0K456PSVA11X00BCXJKZDIUF", "worker_id": "A345TDMHP3DQ3G"}], "B08FM8P9RB": [{"asin": "B08FM8P9RB", "instruction": "i am looking for button tufted , easy assemble velvet ottoman bench with white faux fur in color", "attributes": ["button tufted", "easy assemble", "metal legs", "dining room", "living room"], "options": ["color: white faux fur"], "instruction_attributes": ["button tufted", "easy assemble"], "instruction_options": ["white faux fur"], "assignment_id": "3OVHNO1VEHBP6JOPF6YX17WLUCOZDN", "worker_id": "AX2EWYWZM19AZ"}], "B08DYFCRVT": [{"asin": "B08DYFCRVT", "instruction": "i want to find an 11 fluid ounce bottle of ginger lemonade kombucha that has no sugar, and it needs to come in a pack of 16.", "attributes": ["keto friendly", "gluten free", "shelf stable", "certified organic", "non gmo", "zero sugar", "real fruit"], "options": ["flavor name: ginger lemonade", "size: 11 fl oz (pack of 16)"], "instruction_attributes": ["zero sugar"], "instruction_options": ["ginger lemonade", "11 fl oz (pack of 16)"], "assignment_id": "35BLDD71IH7B00OB6RYR7T2SUJNZVH", "worker_id": "A345TDMHP3DQ3G"}], "B079QPZ8KN": [{"asin": "B079QPZ8KN", "instruction": "i need this product for afternoon snack with friends .rhythm superfoods carrot sticks,1.4 oz (pack of 12), vegan/gluten-free superfood snacks", "attributes": ["non gmo", "gluten free", "simple ingredients"], "options": ["flavor: naked", "size: 1.4 ounce (pack of 12)"], "instruction_attributes": ["gluten free"], "instruction_options": ["1.4 ounce (pack of 12)"], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVADV85", "worker_id": "A15IJ20C3R4HUO"}], "B08XMD5NG2": [{"asin": "B08XMD5NG2", "instruction": "i am looking for an intel quad core i3 6157u powered mini pc.", "attributes": ["intel core", "quad core"], "options": ["color: i3 6157u", "size: 16g ram 128g ssd 1tb hdd"], "instruction_attributes": ["intel core", "quad core"], "instruction_options": ["i3 6157u"], "assignment_id": "33CKWXB73UUYJSN5R25A8BB0S0Z111", "worker_id": "A1EREKSZAA9V7B"}, {"asin": "B08XMD5NG2", "instruction": "i want to find an industrial i7 8550u computer that has a quad core. it needs to have 16 gigabytes of storage space on its ram.", "attributes": ["intel core", "quad core"], "options": ["color: i7 8550u", "size: 16g ram 512g ssd 1tb hdd"], "instruction_attributes": ["quad core"], "instruction_options": ["i7 8550u", "16g ram 512g ssd 1tb hdd"], "assignment_id": "33LKR6A5KPUZSCZETLPKEHUVKJWT18", "worker_id": "A345TDMHP3DQ3G"}], "B09PBLK5BF": [{"asin": "B09PBLK5BF", "instruction": "i want to find stainless steel hair cutting scissors with silver blades.", "attributes": ["stainless steel", "hair styling", "hair cutting"], "options": ["color: silver tooth scissors"], "instruction_attributes": ["stainless steel", "hair cutting"], "instruction_options": ["silver tooth scissors"], "assignment_id": "3MH9DQ7577MBW446B90XQ0K35MPUG3", "worker_id": "A345TDMHP3DQ3G"}], "B00S5UFHFU": [{"asin": "B00S5UFHFU", "instruction": "i would like some organic hair oil that is 16 fl oz.", "attributes": ["certified organic", "hair growth", "natural hair"], "options": ["size: 16 fl oz (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["16 fl oz (pack of 1)"], "assignment_id": "3G0WWMR1U6UPE3EBH4TN6JWB3D7NQ1", "worker_id": "A2ECRNQ3X5LEXD"}], "B001AHJJJA": [{"asin": "B001AHJJJA", "instruction": "i need a travel sized facial cleanser for sensitive skin.", "attributes": ["dermatologist tested", "sensitive skin"], "options": ["size: travel size"], "instruction_attributes": ["sensitive skin"], "instruction_options": ["travel size"], "assignment_id": "30LSNF23955G8J1ZIDQU5T2R18RI2U", "worker_id": "AR9AU5FY1S3RO"}], "B07YXFXNNV": [{"asin": "B07YXFXNNV", "instruction": "i am looking for chocolate covered and non gmo pre filled stocking stuffers with candy", "attributes": ["chocolate covered", "non gmo", "individually wrapped"], "options": [""], "instruction_attributes": ["chocolate covered", "non gmo"], "instruction_options": [], "assignment_id": "3QBD8R3Z2CT07JRPKMMNI5VBXVS4OD", "worker_id": "AX2EWYWZM19AZ"}], "B09QQSQKRY": [{"asin": "B09QQSQKRY", "instruction": "may you give me this costume please? there is a women's plus size loose jumpsuit ethnic floral summer jumpsuit quick dry 4x large.", "attributes": ["quick drying", "loose fit"], "options": ["color: yellow green", "size: 4x-large"], "instruction_attributes": ["quick drying"], "instruction_options": ["4x-large"], "assignment_id": "3I0BTBYZA8VV29DQ788J8T30UT6Y0X", "worker_id": "A15IJ20C3R4HUO"}], "B09KQ6QLH8": [{"asin": "B09KQ6QLH8", "instruction": "i am looking for non gmo, gluten free, soy free , plant based perfect chicken spinach pesto burger with size 4-pack", "attributes": ["non gmo", "gluten free", "protein serving", "soy free", "plant based"], "options": ["size: 4 - pack"], "instruction_attributes": ["non gmo", "gluten free", "soy free", "plant based"], "instruction_options": ["4 - pack"], "assignment_id": "3DI28L7YXLOX3THH3Q0PFVUUH9D1EU", "worker_id": "AX2EWYWZM19AZ"}], "B000P3U70K": [{"asin": "B000P3U70K", "instruction": "i am looking for old fashioned wabash valley farms - kernels with flavorful medley and with size 6 pound (pack of 1)", "attributes": ["old fashioned", "great gift"], "options": ["flavor name: flavorful medley", "size: 6 pound (pack of 1)"], "instruction_attributes": ["old fashioned"], "instruction_options": ["flavorful medley", "6 pound (pack of 1)"], "assignment_id": "33FOTY3KEXVI6VX37ZUUP7URWX01C1", "worker_id": "AX2EWYWZM19AZ"}], "B07CTBC6HX": [{"asin": "B07CTBC6HX", "instruction": "i'am purchase new type of machine wash and it's color is dark coffee,size:36w x34i", "attributes": ["machine wash", "cotton spandex", "imported zipper", "relaxed fit"], "options": ["color: dark coffee", "size: 36w x 34l"], "instruction_attributes": ["imported zipper"], "instruction_options": ["dark coffee", "36w x 34l"], "assignment_id": "3HRMW88U1H0V8SOCO5K8EYGTLJY0MF", "worker_id": "ASL9LVC97FUCZ"}], "B06XW3YW82": [{"asin": "B06XW3YW82", "instruction": "i'm looking for stainless steel for kitchen product.", "attributes": ["fully assembled", "stainless steel"], "options": ["style: rectangle lockable"], "instruction_attributes": ["fully assembled", "stainless steel"], "instruction_options": ["rectangle lockable"], "assignment_id": "34X6J5FLP48TVDNQ261VDCFUUURQJR", "worker_id": "A16IQOX0DK14OJ"}], "B09J4PRB13": [{"asin": "B09J4PRB13", "instruction": "i want to find xx-large black workout sweatpants with a relaxed fit.", "attributes": ["fashion design", "elastic closure", "relaxed fit", "high waist", "polyester spandex", "daily wear"], "options": ["color: black a34", "size: xx-large"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["black a34", "xx-large"], "assignment_id": "3GLB5JMZF85PF2TKPEA8G0GFJMRGDC", "worker_id": "A345TDMHP3DQ3G"}], "B07QXV6T4K": [{"asin": "B07QXV6T4K", "instruction": "i want a majestic pure argan oil hair mask.", "attributes": ["paraben free", "cruelty free", "argan oil", "coconut oil", "hair treatment"], "options": [""], "instruction_attributes": ["argan oil"], "instruction_options": [], "assignment_id": "3B2X28YI37PU3C6UZ5AG9JFQMND6BU", "worker_id": "A2RBF3IIJP15IH"}], "B00OIUBDLI": [{"asin": "B00OIUBDLI", "instruction": "zahara brought a cup of green tea.", "attributes": ["cruelty free", "green tea"], "options": [""], "instruction_attributes": ["green tea"], "instruction_options": [], "assignment_id": "3NG53N1RL6TJBKQSBPPFOHG69ML8P6", "worker_id": "ASL9LVC97FUCZ"}], "B09N76DG4F": [{"asin": "B09N76DG4F", "instruction": "i am looking for a green hoodie that is loose fit and a size small.", "attributes": ["loose fit", "quality polyester", "long sleeve", "daily wear"], "options": ["color: green", "size: small"], "instruction_attributes": ["loose fit"], "instruction_options": ["green", "small"], "assignment_id": "3F6KKYWMNMBVPUA6CIN36KPCKYCDNG", "worker_id": "A2ECRNQ3X5LEXD"}], "B08YS18GLB": [{"asin": "B08YS18GLB", "instruction": "i want to find black women's walking shoes with great arch support. the shoes should be in size 8.5 and lean on the wide side.", "attributes": ["lace closure", "arch support"], "options": ["color: black 1", "size: 8.5 wide"], "instruction_attributes": ["arch support"], "instruction_options": ["black 1", "8.5 wide"], "assignment_id": "3NC5L260MZWA5ZOE43I699S2ML0FOB", "worker_id": "A345TDMHP3DQ3G"}], "B07N34HVW3": [{"asin": "B07N34HVW3", "instruction": "i am looking for style edit root concealer touch up spray with unique pinpoint applicator provides targeted gray root coverage in seconds, natural emollients adhere to hair, while keeping a soft, natural feel. pack of 3 in medium brown color preferable.", "attributes": ["cruelty free", "permanent hair", "hair dye", "beauty salon"], "options": ["color: medium brown", "size: pack of 3"], "instruction_attributes": ["cruelty free", "permanent hair", "hair dye", "beauty salon"], "instruction_options": ["medium brown", "pack of 3"], "assignment_id": "35USIKEBN2QW4LVR2VFP0EFK3CT6NL", "worker_id": "A1DRKZ3SCLAS4V"}], "B09JLY4R5N": [{"asin": "B09JLY4R5N", "instruction": "let me get some birthday party cake toppers in red color.", "attributes": ["party supplies", "birthday party"], "options": ["color: red"], "instruction_attributes": ["birthday party"], "instruction_options": ["red"], "assignment_id": "3KYQYYSHY6HD7FAIDXNGL9PHA8MODB", "worker_id": "A1NF6PELRKACS9"}], "B079TJP1FM": [{"asin": "B079TJP1FM", "instruction": "i need a set of leak proof, bpa free jars.", "attributes": ["leak proof", "bpa free", "high quality"], "options": [""], "instruction_attributes": ["leak proof", "bpa free"], "instruction_options": [], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3QEMZQ", "worker_id": "AR9AU5FY1S3RO"}], "B09HQ2ZNN1": [{"asin": "B09HQ2ZNN1", "instruction": "i am looking for stainless steel tongue scraper with rose gold for oral hygiene", "attributes": ["rose gold", "stainless steel", "oral hygiene", "bad breath"], "options": ["color: rose gold"], "instruction_attributes": ["stainless steel"], "instruction_options": ["rose gold"], "assignment_id": "374TNBHA8M5JQ2IPO62YNZUI7X9QYS", "worker_id": "AX2EWYWZM19AZ"}], "B07LGDYVXH": [{"asin": "B07LGDYVXH", "instruction": "i want to find cajun seasoning that is gluten free and low sodium.", "attributes": ["low sodium", "gluten free", "natural ingredients"], "options": [""], "instruction_attributes": [], "instruction_options": [], "assignment_id": "35L9RVQFCZSPW0ZHVFIFB0W4KMWHUJ", "worker_id": "A345TDMHP3DQ3G"}], "B07NRZ1G6P": [{"asin": "B07NRZ1G6P", "instruction": "i want a 3 pack of dr. pawpaw multi-purpose balm for dry skin.", "attributes": ["cruelty free", "fragrance free", "natural ingredients", "dry skin"], "options": ["color: nude collection", "size: 3 pack"], "instruction_attributes": ["dry skin"], "instruction_options": ["3 pack"], "assignment_id": "35GMH2SV3PRIZLOI9SY0RR72AKGEON", "worker_id": "A2RBF3IIJP15IH"}], "B00NR5QGAS": [{"asin": "B00NR5QGAS", "instruction": "i am looking for women's 3x-large plus sized capri pants with regular fit. get me a white one.", "attributes": ["straight leg", "elastic waistband", "regular fit"], "options": ["color: white", "size: 3x-large plus petite"], "instruction_attributes": ["regular fit"], "instruction_options": ["white", "3x-large plus petite"], "assignment_id": "3UN61F00H7ZL0FN5QJM1HS6U8E8R5F", "worker_id": "A1NF6PELRKACS9"}], "B09T33NQZ8": [{"asin": "B09T33NQZ8", "instruction": "i want to find pink massage table sheets that are 70 x 185 centimeters in size. they must be high quality and non-toxic.", "attributes": ["high quality", "non toxic", "easy clean", "quality materials", "beauty salon"], "options": ["color: pink", "size: 70*185cm"], "instruction_attributes": ["high quality", "non toxic"], "instruction_options": ["pink", "70*185cm"], "assignment_id": "3C8HJ7UOPI4SADU2SZX0KXJF3QGZM5", "worker_id": "A345TDMHP3DQ3G"}], "B07YLJPMC3": [{"asin": "B07YLJPMC3", "instruction": "i am looking for fragrance free foaming cream cleanser.", "attributes": ["fragrance free", "paraben free", "hyaluronic acid"], "options": [""], "instruction_attributes": ["fragrance free"], "instruction_options": [], "assignment_id": "3WZ36BJEVEQ05AH6VII9KT746VQBTC", "worker_id": "A3FG5PQHG5AH3Y"}], "B081B4JGDW": [{"asin": "B081B4JGDW", "instruction": "i am looking for mysteek color pop temporary hair color that is easy to use for hair dye . color bougie blue , 0.25 fl oz (pack of 1) preferable.", "attributes": ["easy use", "natural hair", "hair dye"], "options": ["color: bougie blue", "size: 0.25 fl oz (pack of 1)"], "instruction_attributes": ["easy use", "natural hair", "hair dye"], "instruction_options": ["bougie blue", "0.25 fl oz (pack of 1)"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYWMPP8", "worker_id": "A1DRKZ3SCLAS4V"}], "B07CR22SWM": [{"asin": "B07CR22SWM", "instruction": "i am looking for 20 pack set 10ml protable refill bulk atomizer spray of high quality sprayer glass bottles with fine mist sprayers, are perfect for storing your essential oils, perfumes or colognes in red color.", "attributes": ["high quality", "fine mist"], "options": ["color: red"], "instruction_attributes": ["high quality", "fine mist"], "instruction_options": ["red"], "assignment_id": "3E7TUJ2EGNWA0S6CB84YOJUSF9YD9K", "worker_id": "A1DRKZ3SCLAS4V"}], "B077BFH5FZ": [{"asin": "B077BFH5FZ", "instruction": "i need a gift set of snacks.", "attributes": ["gift set", "great gift"], "options": [""], "instruction_attributes": ["gift set"], "instruction_options": [], "assignment_id": "3JBT3HLQFJCYVGRFKFPS11DA8VJZPT", "worker_id": "ASWFLI3N8X72G"}], "B07NB7XWLW": [{"asin": "B07NB7XWLW", "instruction": "i want luseta tea tree oil shampoo.", "attributes": ["sulfate free", "easy use", "tea tree", "argan oil", "natural ingredients", "damaged hair", "dead skin"], "options": ["size: 33.8 ounce", "style: shampoo"], "instruction_attributes": ["tea tree"], "instruction_options": ["shampoo"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQXNG5", "worker_id": "A2RBF3IIJP15IH"}], "B00BBUSCQC": [{"asin": "B00BBUSCQC", "instruction": "i need a vanity light with four bulbs and glass shades.", "attributes": ["vanity light", "glass shade"], "options": ["size: 4-light"], "instruction_attributes": ["vanity light", "glass shade"], "instruction_options": ["4-light"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R6HKSC", "worker_id": "AR9AU5FY1S3RO"}], "B09SFXT82T": [{"asin": "B09SFXT82T", "instruction": "i am searching for elastic waist black color boxer briefs underwear", "attributes": ["low rise", "cotton spandex", "quality polyester", "elastic waist"], "options": ["color: black", "size: x-large"], "instruction_attributes": ["elastic waist"], "instruction_options": ["black"], "assignment_id": "3AZHRG4CUFUUM6G2INFTIZ7NLSG301", "worker_id": "A258PTOZ3D2TQR"}], "B000WLXMB6": [{"asin": "B000WLXMB6", "instruction": "i want lundberg family farms organic california wild blend white jasmine rice.", "attributes": ["certified organic", "non gmo", "gluten free"], "options": ["flavor name: wild blend", "size: 400 ounce (pack of 1)"], "instruction_attributes": ["certified organic"], "instruction_options": ["wild blend"], "assignment_id": "3JRJSWSMQSVTDWVWQUE83O9RFTOE3W", "worker_id": "A2RBF3IIJP15IH"}], "B07256GKZ5": [{"asin": "B07256GKZ5", "instruction": "i want to find resealable bags of sea salt and fine ground celtic sea salt. the bags should be 16 ounces each and come in a pack of 6.", "attributes": ["non gmo", "gluten free", "resealable bag"], "options": ["pattern name: sea salt + fine ground celtic sea salt", "size: 16 ounce (pack of 6)", "style: bag"], "instruction_attributes": ["resealable bag"], "instruction_options": ["sea salt + fine ground celtic sea salt", "16 ounce (pack of 6)", "bag"], "assignment_id": "3MX2NQ3YCK45XB9HZIST6ASI9VPX5D", "worker_id": "A345TDMHP3DQ3G"}], "B09Q2D29MR": [{"asin": "B09Q2D29MR", "instruction": "i want a quick release 360\u00b0 panoramic ball head.", "attributes": ["quick release", "easy install", "aluminum alloy"], "options": [""], "instruction_attributes": ["quick release"], "instruction_options": [], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H3DU8O", "worker_id": "A2RBF3IIJP15IH"}], "B00JHGSANM": [{"asin": "B00JHGSANM", "instruction": "i would like a gluten free blue cheese dressing that is 15 oz", "attributes": ["gluten free", "high fructose"], "options": ["flavor: fat free chunky blue cheese 15 oz", "size: 15 ounce (pack of 1)"], "instruction_attributes": ["gluten free"], "instruction_options": ["fat free chunky blue cheese 15 oz", "15 ounce (pack of 1)"], "assignment_id": "3UNH76FOC3FS5NKXWDVH6QADXW8YM9", "worker_id": "A2ECRNQ3X5LEXD"}], "B08M3FNT2M": [{"asin": "B08M3FNT2M", "instruction": "i want to find an extra soft toothbrush that can help with sensitive teeth.", "attributes": ["high quality", "sensitive teeth", "bad breath"], "options": [""], "instruction_attributes": ["sensitive teeth"], "instruction_options": [], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8OLQQI", "worker_id": "A345TDMHP3DQ3G"}], "B07VYWC1SH": [{"asin": "B07VYWC1SH", "instruction": "i want to find a kelly green women's 3x-large t-shirt that has a classic fit.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: kelly green", "fit type: women", "size: 3x-large"], "instruction_attributes": ["classic fit"], "instruction_options": ["kelly green", "women", "3x-large"], "assignment_id": "37C0GNLMHQDNI94ED11M493QP8SD6B", "worker_id": "A345TDMHP3DQ3G"}], "B09CSRTBJ1": [{"asin": "B09CSRTBJ1", "instruction": "i want to find 45 grams of dark green edible glitter that is dairy free.", "attributes": ["kosher certified", "nut free", "dairy free", "gluten free"], "options": ["color: dark green", "size: 45g shaker"], "instruction_attributes": ["dairy free"], "instruction_options": ["dark green", "45g shaker"], "assignment_id": "3K3R2QNK8MDWHUHYX3UNYJYG19O9UL", "worker_id": "A345TDMHP3DQ3G"}], "B09F9NV74S": [{"asin": "B09F9NV74S", "instruction": "i want silver beaupretty mirror nail polish.", "attributes": ["non toxic", "nail art", "nail polish"], "options": ["color: silver"], "instruction_attributes": ["nail polish"], "instruction_options": ["silver"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIVH9TU", "worker_id": "A2RBF3IIJP15IH"}], "B01913CX6U": [{"asin": "B01913CX6U", "instruction": "i want to shop for some sulfate free, paraben free conditioner for dry, damaged hair.", "attributes": ["sulfate free", "paraben free", "tea tree", "natural ingredients", "dry hair", "damaged hair"], "options": [""], "instruction_attributes": ["sulfate free", "paraben free", "dry hair", "damaged hair"], "instruction_options": [], "assignment_id": "39OWYR0EPV1MZDSGAQR4B0Q40VYYF4", "worker_id": "AR9AU5FY1S3RO"}], "B0143NQVJ8": [{"asin": "B0143NQVJ8", "instruction": "i am interested in a high protein bar that is mixed berry flavor.", "attributes": ["high protein", "gluten free"], "options": ["flavor name: mixed berry", "size: 1.83 ounce (pack of 12)"], "instruction_attributes": ["high protein"], "instruction_options": ["mixed berry"], "assignment_id": "37XITHEIS7J6Z0WK5T99VYC40VQRCJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B08QJTPHLS": [{"asin": "B08QJTPHLS", "instruction": "ultra soft - charcoal toothbrush for adults and sensitive teeth with pack consists of 8 count.", "attributes": ["sensitive teeth", "bad breath"], "options": ["color: charcoal - ultra soft - adults", "size: 8 count (pack of 1)"], "instruction_attributes": ["sensitive teeth"], "instruction_options": ["charcoal - ultra soft - adults", "8 count (pack of 1)"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOD2ATD", "worker_id": "AX2EWYWZM19AZ"}], "B07FYDYR9J": [{"asin": "B07FYDYR9J", "instruction": "i'm searching for long spaghetti straps satin ball dry clean gown .its size is 6, and lilac color", "attributes": ["lace closure", "drawstring closure", "dry clean"], "options": ["color: lilac", "size: 6"], "instruction_attributes": ["dry clean"], "instruction_options": ["lilac", "6"], "assignment_id": "336KAV9KY122YJG4MVCXRHWFRRQY2H", "worker_id": "A258PTOZ3D2TQR"}], "B0936Y95DB": [{"asin": "B0936Y95DB", "instruction": "i am looking for yellow color stool cover. it should be washable in machine.", "attributes": ["machine washable", "easy install"], "options": ["color: yellow"], "instruction_attributes": ["machine washable"], "instruction_options": ["yellow"], "assignment_id": "3II4UPYCOUHGSRNYSAFKAEKHP95DQ9", "worker_id": "A3FG5PQHG5AH3Y"}], "B09DPF82NP": [{"asin": "B09DPF82NP", "instruction": "i need a smart watch protective case. get the one for a 40mm apple watch.", "attributes": ["compatible apple", "case cover"], "options": ["size: 40mm"], "instruction_attributes": ["compatible apple", "case cover"], "instruction_options": ["40mm"], "assignment_id": "3GNCZX450TXXU8J78N9TK8M1ZAGAP7", "worker_id": "AR9AU5FY1S3RO"}], "B09NRP78WV": [{"asin": "B09NRP78WV", "instruction": "i need an extra large twin box spring with a four inch foundation. get the white one.", "attributes": ["ready use", "fully assembled", "assembly required", "box spring"], "options": ["color: white", "size: twin xl", "style name: 4\" foundation"], "instruction_attributes": ["box spring"], "instruction_options": ["white", "twin xl", "4\" foundation"], "assignment_id": "3Q5C1WP23XBX7AOOSP7MB1OH4G915O", "worker_id": "AR9AU5FY1S3RO"}], "B09CKS7B2J": [{"asin": "B09CKS7B2J", "instruction": "i want grey and light weight wygrqbn mens walking shoes.", "attributes": ["light weight", "rubber sole"], "options": ["color: grey", "size: 9.5"], "instruction_attributes": ["light weight"], "instruction_options": ["grey"], "assignment_id": "37QW5D2ZRRWGOC6K36T9JMLHW6SS86", "worker_id": "A2RBF3IIJP15IH"}], "B093D82ZGC": [{"asin": "B093D82ZGC", "instruction": "i want black straight leg shopessa harem sweatpants for women.", "attributes": ["straight leg", "elastic closure", "short sleeve"], "options": ["color: a7 - black", "size: 4x-large"], "instruction_attributes": ["straight leg"], "instruction_options": ["a7 - black"], "assignment_id": "3XXU1SWE8X5U6RFNR2U357LTR210AN", "worker_id": "A2RBF3IIJP15IH"}], "B093SYBT18": [{"asin": "B093SYBT18", "instruction": "i want to find a laundry bag for my blouses and hosiery.", "attributes": ["blouse hosiery", "laundry bag"], "options": [""], "instruction_attributes": ["blouse hosiery", "laundry bag"], "instruction_options": [], "assignment_id": "3BDCF01OG848Z52CW1U26DVOXROYLD", "worker_id": "A345TDMHP3DQ3G"}], "B09FLHHWNX": [{"asin": "B09FLHHWNX", "instruction": "my living room in grey color", "attributes": ["eco friendly", "machine washable", "easy install", "living room"], "options": ["color: grey", "size: 40\"x84\"x2"], "instruction_attributes": ["living room"], "instruction_options": ["grey"], "assignment_id": "3YWRV122C39W3PYOSBO9YN35H3A8UZ", "worker_id": "A226L9F2AZ38CL"}], "B09R3N24W6": [{"asin": "B09R3N24W6", "instruction": "i want a black women's shoe in size 7 with a lace closure. it should have a metal decoration.", "attributes": ["hand wash", "lace closure"], "options": ["color: black", "size: 6.5-7"], "instruction_attributes": ["lace closure"], "instruction_options": ["black", "6.5-7"], "assignment_id": "3D3VGR7TABPIM001C0Y82V8AUIER3M", "worker_id": "A1NF6PELRKACS9"}], "B092CJR3ST": [{"asin": "B092CJR3ST", "instruction": "i want a cheery cacao flavored bar that is gluten and diary free.", "attributes": ["gluten free", "plant based", "dairy free"], "options": ["flavor name: cherry cacao", "size: 12-pack smalls"], "instruction_attributes": ["gluten free", "dairy free"], "instruction_options": ["cherry cacao"], "assignment_id": "37U1UTWH96W4NX67OHT4TCGLA49R8H", "worker_id": "A1NF6PELRKACS9"}], "B08XV5X86G": [{"asin": "B08XV5X86G", "instruction": "i would like a tablet that has a 1080p screen.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd"], "instruction_options": [], "assignment_id": "30BXRYBRPF72O4OMQFXGTOH152DWH3", "worker_id": "A2ECRNQ3X5LEXD"}], "B094XVH5SR": [{"asin": "B094XVH5SR", "instruction": "i want to find a white security camera system that produces high definition footage.", "attributes": ["plug play", "high definition"], "options": ["color: white"], "instruction_attributes": ["high definition"], "instruction_options": ["white"], "assignment_id": "3VNXK88KKNSWU96Y2T4SU50ZFG49VH", "worker_id": "A345TDMHP3DQ3G"}], "B08RF3WW88": [{"asin": "B08RF3WW88", "instruction": "i need space saving coat rack in the style of a contemporary branch.", "attributes": ["space saving", "contemporary style"], "options": [""], "instruction_attributes": ["space saving", "contemporary style"], "instruction_options": [], "assignment_id": "3M81GAB8ABTNDUPEEEOEFOWHMOTBQ0", "worker_id": "A1NF6PELRKACS9"}], "B09MHXYT1Y": [{"asin": "B09MHXYT1Y", "instruction": "i'm looking for cosmetic container need to buy a high quality green colored want to buy.", "attributes": ["high quality", "fine mist"], "options": ["color: green"], "instruction_attributes": ["high quality"], "instruction_options": ["green"], "assignment_id": "3A4NIXBJ7H985ODYDY6RCI8HOISLMU", "worker_id": "A16IQOX0DK14OJ"}], "B07X7CKYBG": [{"asin": "B07X7CKYBG", "instruction": "i am looking for a dust proof cheapest 8 inch octa core tablet pc", "attributes": ["dust proof", "dual band"], "options": [""], "instruction_attributes": ["dust proof"], "instruction_options": [], "assignment_id": "3EG49X3515M1GF9V412YYG6I5Q4X6X", "worker_id": "A258PTOZ3D2TQR"}], "B0971B7XQ3": [{"asin": "B0971B7XQ3", "instruction": "i looking casual flat loose fitting open toe having ankle strap woman slipper size-9 ,color :z92 -camouflage", "attributes": ["open toe", "loose fit", "arch support", "closed toe", "ankle strap"], "options": ["color: z92-camouflage", "size: 9"], "instruction_attributes": ["open toe", "loose fit", "ankle strap"], "instruction_options": ["z92-camouflage", "9"], "assignment_id": "3QJOXOW4XU1UZI36WCJNZNIXFK4MEJ", "worker_id": "A3N9ZYQAESNFQH"}], "B07S2H6J7T": [{"asin": "B07S2H6J7T", "instruction": "i want red bull energy drink sugar free.", "attributes": ["lactose free", "sugar free", "dairy free", "gluten free"], "options": ["flavor name: crisp pear", "size: 12 fl oz (pack of 24)", "style: energy drink"], "instruction_attributes": ["sugar free"], "instruction_options": ["energy drink"], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AP2BWW", "worker_id": "A2RBF3IIJP15IH"}], "B08CD2NJPH": [{"asin": "B08CD2NJPH", "instruction": "i am looking for long lasting and pink color gaming headset ps4 3.5 mm stereo wired", "attributes": ["noise cancelling", "long lasting"], "options": ["color: pink"], "instruction_attributes": ["long lasting"], "instruction_options": ["pink"], "assignment_id": "39DD6S19J0LUYP2PB19H7PE6UOPZEG", "worker_id": "AX2EWYWZM19AZ"}], "B07X2QXM96": [{"asin": "B07X2QXM96", "instruction": "i want to find a 3-pack of 50-foot long nylon microphone cables that are heavy duty.", "attributes": ["heavy duty", "high performance"], "options": ["color: 6color", "size: 50ft 3pack", "style: nylon"], "instruction_attributes": ["heavy duty"], "instruction_options": ["50ft 3pack", "nylon"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNZ6PTC", "worker_id": "A345TDMHP3DQ3G"}], "B07F2TFTRW": [{"asin": "B07F2TFTRW", "instruction": "i am looking for easy assemble and box spring mainstay 14\" high profile foldabel steel bed frame", "attributes": ["easy assemble", "coated steel", "memory foam", "box spring"], "options": [""], "instruction_attributes": ["easy assemble", "box spring"], "instruction_options": [], "assignment_id": "34HJIJKLPG6VX30MLY81DXPJTOQV47", "worker_id": "AX2EWYWZM19AZ"}], "B07QN3K2XN": [{"asin": "B07QN3K2XN", "instruction": "i am looking for a tummy control high waist active short for woman ,size -x- small color : tie dye light blue", "attributes": ["moisture wicking", "tummy control", "high waist"], "options": ["color: tie dye light blue", "size: x-small"], "instruction_attributes": ["tummy control", "high waist"], "instruction_options": ["tie dye light blue", "x-small"], "assignment_id": "3A1PQ49WVSR9N38JTR8V0YR79PX1H2", "worker_id": "A3N9ZYQAESNFQH"}], "B07PJ1CXXY": [{"asin": "B07PJ1CXXY", "instruction": "i am looking for a light weight jumpsuit which is washable in machine. also choose medium size and teal color.", "attributes": ["light weight", "loose fit", "wash cold", "machine wash", "elastic waistband"], "options": ["color: n51, teal", "size: medium"], "instruction_attributes": ["light weight", "machine wash"], "instruction_options": ["n51, teal", "medium"], "assignment_id": "3PS7W85Z8ACHHH29XY4DTNCEIVPT9M", "worker_id": "A2HMEGTAFO0CS8"}], "B09HL9DTF5": [{"asin": "B09HL9DTF5", "instruction": "can you help me find a pair of women's high heel sandal with a rubber sole? i want bubble pink one and size 11.", "attributes": ["high heel", "rubber sole"], "options": ["color: bubble pink", "size: 11"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["bubble pink", "11"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWOU6W9", "worker_id": "A1198W1SPF1R4"}], "B07WLYZRZJ": [{"asin": "B07WLYZRZJ", "instruction": "i'd like to find a soy wax candle that is scented to smell like the sea and citrus.", "attributes": ["eco friendly", "lead free", "soy wax"], "options": ["color: seaside | citrus"], "instruction_attributes": ["soy wax"], "instruction_options": ["seaside | citrus"], "assignment_id": "3RKNTXVS3X8B5FXOA3H5HAB68EP4AF", "worker_id": "A345TDMHP3DQ3G"}], "B08BLBPWC5": [{"asin": "B08BLBPWC5", "instruction": "i want to find a 3x-large short-sleeve hawaiian shirt for men in the 1685 color.", "attributes": ["machine washable", "hand wash", "regular fit", "short sleeve"], "options": ["color: 1685", "size: 3x-large"], "instruction_attributes": ["short sleeve"], "instruction_options": ["1685", "3x-large"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM4DZHS", "worker_id": "A345TDMHP3DQ3G"}], "B07J4L9VCX": [{"asin": "B07J4L9VCX", "instruction": "i want to buy some sulfate free body wash for sensitive skin. get me one that's peppermint scented.", "attributes": ["plant based", "sulfate free", "natural ingredients", "sensitive skin"], "options": ["scent: sweet peppermint 1pk"], "instruction_attributes": ["sulfate free", "sensitive skin"], "instruction_options": ["sweet peppermint 1pk"], "assignment_id": "3FTYUGLFS5VRZ5408IRHC3PQTDAD5O", "worker_id": "AR9AU5FY1S3RO"}], "B07KLZJ8RH": [{"asin": "B07KLZJ8RH", "instruction": "i am interested in solid wood storage cabinets.", "attributes": ["white item", "white finish", "solid wood"], "options": [""], "instruction_attributes": ["solid wood"], "instruction_options": [], "assignment_id": "3VBEN272MV9VHRC2M45XBZ2FKPZGS4", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NSDTJQ5": [{"asin": "B09NSDTJQ5", "instruction": "i want to find an s22 ultra 2+2 screen protector that's easy to install, and it needs to be made of tempered glass.", "attributes": ["ultra hd", "easy install", "glass screen", "tempered glass"], "options": ["color: s22 ultra 2+2"], "instruction_attributes": ["ultra hd", "easy install", "glass screen", "tempered glass"], "instruction_options": ["s22 ultra 2+2"], "assignment_id": "39JEC75375BYS7D1EDEJWV17L12VCF", "worker_id": "A345TDMHP3DQ3G"}], "B08CDRZH7B": [{"asin": "B08CDRZH7B", "instruction": "i am looking easy use long curly hairpieces density top size -14 inch -130% density,color: medium brown -e", "attributes": ["easy use", "hair loss"], "options": ["color: medium brown-e", "size: 14 inch-130% density"], "instruction_attributes": ["easy use"], "instruction_options": ["medium brown-e", "14 inch-130% density"], "assignment_id": "39ZSFO5CAJ6LN6U7JFL0NDCJXE1JUR", "worker_id": "A3N9ZYQAESNFQH"}], "B09NWC91MH": [{"asin": "B09NWC91MH", "instruction": "i want to find toothpaste that helps whiten teeth and kill bad breath.", "attributes": ["teeth whitening", "long lasting", "natural ingredients", "bad breath", "fresh breath", "sensitive teeth"], "options": ["color: b"], "instruction_attributes": ["teeth whitening", "bad breath"], "instruction_options": ["b"], "assignment_id": "3WYGZ5XF37P0JD8LCVQC9RU8R6NSKQ", "worker_id": "A345TDMHP3DQ3G"}], "B001E0XSAE": [{"asin": "B001E0XSAE", "instruction": "i am looking for a sandy golden blonde permanent hair color that is cruelty free. pick the 8g one.", "attributes": ["cruelty free", "long lasting", "easy use", "seed oil", "permanent hair"], "options": ["color: 8g sandy golden blonde", "size: 5.6 fl oz (pack of 6)"], "instruction_attributes": ["cruelty free", "permanent hair"], "instruction_options": ["8g sandy golden blonde"], "assignment_id": "3QAPZX2QNFN51OKJEN1OZP2VFEH02O", "worker_id": "A1NF6PELRKACS9"}], "B01JPENOTK": [{"asin": "B01JPENOTK", "instruction": "i need argan oil lotion for anti aging hair treatment.", "attributes": ["anti aging", "argan oil", "hair treatment"], "options": ["color: argan oil lotion"], "instruction_attributes": ["anti aging", "hair treatment"], "instruction_options": ["argan oil lotion"], "assignment_id": "3U84XHCDINNC6N5WMVX4Y32FHZQZ45", "worker_id": "ASWFLI3N8X72G"}], "B07KY81F8T": [{"asin": "B07KY81F8T", "instruction": "i am looking for a portable wireless security cameras with motion detection for home monitoring", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "39GXDJN2O4OWG4NOX1YEU95OVAMV8E", "worker_id": "A258PTOZ3D2TQR"}], "B08PNW7WS8": [{"asin": "B08PNW7WS8", "instruction": "i'd like to buy some machine washable drapes for my living room. look for multicolored drapes that are one hundred and four by sixty-three inches.", "attributes": ["machine washable", "living room", "dining room"], "options": ["color: multi 60", "size: 104\" x 63\""], "instruction_attributes": ["machine washable", "living room"], "instruction_options": ["multi 60", "104\" x 63\""], "assignment_id": "3TS1AR6UQ1O3KTWFNH14YN67WWOF7J", "worker_id": "AR9AU5FY1S3RO"}], "B08MZ9HY8Y": [{"asin": "B08MZ9HY8Y", "instruction": "i want an o christmas tree, large christmas gift basket.", "attributes": ["hand crafted", "gift basket"], "options": [""], "instruction_attributes": ["gift basket"], "instruction_options": [], "assignment_id": "3XM0HYN6NV90KL0JOSBFGRCSKPKEPC", "worker_id": "A2RBF3IIJP15IH"}], "B075H6L5RC": [{"asin": "B075H6L5RC", "instruction": "i want a satin nickel design house 578849 dane 4-light indoor bathroom vanity light.", "attributes": ["nickel finish", "vanity light"], "options": ["color: satin nickel", "size: 3-light"], "instruction_attributes": ["vanity light"], "instruction_options": ["satin nickel"], "assignment_id": "3HFNH7HEMSOJ4BXPU0GSGZNE21BQGM", "worker_id": "A2RBF3IIJP15IH"}], "B08Y6K393G": [{"asin": "B08Y6K393G", "instruction": "i would like a shower cap for my natural hair that has corgis on them.", "attributes": ["long lasting", "hair salon", "natural hair"], "options": ["color: cute corgi"], "instruction_attributes": ["natural hair"], "instruction_options": ["cute corgi"], "assignment_id": "3XCC1ODXDWLAT163ABA4F31L4AURQR", "worker_id": "A2ECRNQ3X5LEXD"}], "B089GRDSCZ": [{"asin": "B089GRDSCZ", "instruction": "camera is easy carry and it's high resolution photo are there ,also size:8x6.5ft.", "attributes": ["light weight", "high resolution", "easy carry", "digital photography"], "options": ["size: 8x6.5ft"], "instruction_attributes": ["high resolution", "easy carry"], "instruction_options": ["8x6.5ft"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQCX19K", "worker_id": "ASL9LVC97FUCZ"}], "B09MTLYMPM": [{"asin": "B09MTLYMPM", "instruction": "i am looking for women's high heel boots of 8.5 size and green one", "attributes": ["steel toe", "high heel", "rubber sole"], "options": ["color: green", "size: 8.5"], "instruction_attributes": ["high heel"], "instruction_options": ["green", "8.5"], "assignment_id": "3LO69W1SUEN8DEHC2V8WZDOKSVVGLU", "worker_id": "A258PTOZ3D2TQR"}], "B08TR29R32": [{"asin": "B08TR29R32", "instruction": "i want to find a pair of construction work shoes that are black and gray with rubber soles. they should come in a size 8 and be extra wide.", "attributes": ["non slip", "steel toe", "rubber sole"], "options": ["color: black+gray", "size: 8 wide"], "instruction_attributes": ["rubber sole"], "instruction_options": ["black+gray", "8 wide"], "assignment_id": "38JBBYETQZKEVSE0Q8JRDT1XTTIE4F", "worker_id": "A345TDMHP3DQ3G"}], "B07ZHXJT92": [{"asin": "B07ZHXJT92", "instruction": "i am looking for a cupcake topper for a birthday party. also choose black color", "attributes": ["cupcake picks", "birthday party"], "options": ["color: black"], "instruction_attributes": ["birthday party"], "instruction_options": ["black"], "assignment_id": "3Z4AIRP3CHN69T8YYVQH3KF1XFNX1Y", "worker_id": "A2HMEGTAFO0CS8"}], "B08YY6XQGH": [{"asin": "B08YY6XQGH", "instruction": "i am looking for miracase glass case for iphone 12/ iphone 12 pro 6.1 inch with military grade protection support wireless charging without taking off the iphone 12/ iphone 12 pro. the 2 pieces design offers easy install only for iphone, cover the front case onto the face of iphone, purple color preferable.", "attributes": ["easy install", "glass screen", "tempered glass", "wireless charging"], "options": ["color: purple"], "instruction_attributes": ["easy install", "glass screen", "tempered glass", "wireless charging"], "instruction_options": ["purple"], "assignment_id": "37W3JXSD6HIOAZEB0F14FOC4VYPWY1", "worker_id": "A1DRKZ3SCLAS4V"}], "B08T21G734": [{"asin": "B08T21G734", "instruction": "i want to find a 3.5 foot printed backdrop that i can use for my digital photography.", "attributes": ["light weight", "digital photography"], "options": ["color: printed backdrop 07", "size: 3x5 ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["printed backdrop 07", "3x5 ft"], "assignment_id": "3R2UR8A0ILQR5LFZ4XOSFGS9QQROX6", "worker_id": "A345TDMHP3DQ3G"}], "B073BRKKV8": [{"asin": "B073BRKKV8", "instruction": "i am looking for mally beauty h3 hydrating concealer which glides on smoothly and easily, providing excellent coverage on the areas you need it the most. that is lightweight, creamy formula gives skin the look of radiance, blurring the appearance of imperfections and softening the look of fine lines. medium size preferable.", "attributes": ["anti aging", "hyaluronic acid"], "options": ["color: medium"], "instruction_attributes": ["anti aging", "hyaluronic acid"], "instruction_options": ["medium"], "assignment_id": "36AHBNMV12MP1TEKJKWEN0NJOIMDYC", "worker_id": "A1DRKZ3SCLAS4V"}], "B001H0FR6O": [{"asin": "B001H0FR6O", "instruction": "i want big & tall levi's men's 550 relaxed fit jeans.", "attributes": ["straight leg", "relaxed fit", "button closure"], "options": ["color: rinse", "fit type: big & tall", "size: 31w x 34l"], "instruction_attributes": ["relaxed fit"], "instruction_options": ["big & tall"], "assignment_id": "31IBVUNM9395VJXB5F4K41MAIEXVFT", "worker_id": "A2RBF3IIJP15IH"}], "B09CNPZJTJ": [{"asin": "B09CNPZJTJ", "instruction": "i need some cupcake toppers for a baby shower.", "attributes": ["baby shower", "birthday party", "cupcake picks"], "options": [""], "instruction_attributes": ["baby shower"], "instruction_options": [], "assignment_id": "3Z3ZLGNNST4IAZL1ZL98X5Y5YW8Q3G", "worker_id": "AR9AU5FY1S3RO"}], "B08LPCBR3X": [{"asin": "B08LPCBR3X", "instruction": "i want a ownest 6 colors matte crayon lipstick for sensitive skin.", "attributes": ["long lasting", "natural ingredients", "sensitive skin"], "options": [""], "instruction_attributes": ["sensitive skin"], "instruction_options": [], "assignment_id": "33CUSNVVNYMY5SRBP8N42VLGKCL88M", "worker_id": "A2RBF3IIJP15IH"}], "B00VQS4IPS": [{"asin": "B00VQS4IPS", "instruction": "may you give me anti aging it cosmetics your skin but better cc+ airbrush perfecting powder in clor rich", "attributes": ["anti aging", "hyaluronic acid", "fine lines"], "options": ["color: rich (w)"], "instruction_attributes": [], "instruction_options": ["rich (w)"], "assignment_id": "3RYC5T2D7E3PTP5OAYVFFYBBZE5PRV", "worker_id": "A15IJ20C3R4HUO"}], "B0065PZY1O": [{"asin": "B0065PZY1O", "instruction": "i need a small chef jacket that has a button closure and is a charcoal color.", "attributes": ["moisture wicking", "polyester cotton", "short sleeve", "button closure"], "options": ["color: charcoal", "size: small"], "instruction_attributes": ["button closure"], "instruction_options": ["charcoal", "small"], "assignment_id": "3WSELTNVRECVM0CEP4IDPINYOD5ATG", "worker_id": "A2ECRNQ3X5LEXD"}], "B072QY1N34": [{"asin": "B072QY1N34", "instruction": "i want a double sided pillow case that can be washed in a machine. choose a black and white one.", "attributes": ["double sided", "machine washable", "printing technology"], "options": ["color: black and white", "size: 26\" x 26\""], "instruction_attributes": ["double sided", "machine washable"], "instruction_options": ["black and white"], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JYTEG4", "worker_id": "A1NF6PELRKACS9"}], "B07RM5BDTF": [{"asin": "B07RM5BDTF", "instruction": "i use olive color moisture wicking", "attributes": ["moisture wicking", "stretch fabric", "elastic waist"], "options": ["color: olive", "size: medium"], "instruction_attributes": ["moisture wicking"], "instruction_options": ["olive"], "assignment_id": "3MMN5BL1WAERPKN97S2RGWE0OVF3MA", "worker_id": "A226L9F2AZ38CL"}], "B08WYD18X9": [{"asin": "B08WYD18X9", "instruction": "i am looking for twin size bed. color should be light grey.", "attributes": ["twin size", "space saving", "assembly required", "easy install", "wood frame", "box spring"], "options": ["color: light grey", "size: with 3 drawers"], "instruction_attributes": ["twin size"], "instruction_options": ["light grey"], "assignment_id": "3QUO65DNQ5YZOHL4ZSD5V9T5W8GUOQ", "worker_id": "A3FG5PQHG5AH3Y"}], "B00CP53C6W": [{"asin": "B00CP53C6W", "instruction": "i am looking for a victorian style queen size bed.", "attributes": ["queen size", "white item"], "options": ["color: bronze", "size: queen", "style: bed"], "instruction_attributes": ["queen size"], "instruction_options": ["bed"], "assignment_id": "33PPUNGG3JFJ7T7UX7TH6WDP9D9ZRN", "worker_id": "A1EREKSZAA9V7B"}], "B09JKMM837": [{"asin": "B09JKMM837", "instruction": "i am looking for kitchen bar table set in industrial brown and black color with space saving, easy clean , easy assemble option", "attributes": ["heavy duty", "non slip", "space saving", "easy clean", "easy assemble", "dining room", "living room"], "options": ["color: industrial brown and black", "size: kitchen bar table set"], "instruction_attributes": ["space saving", "easy clean", "easy assemble"], "instruction_options": ["industrial brown and black", "kitchen bar table set"], "assignment_id": "3M23Y66PODHTKYNWARWBZ8PQQB26SY", "worker_id": "AX2EWYWZM19AZ"}], "B07TD6T9WP": [{"asin": "B07TD6T9WP", "instruction": "i am looking for a area rug for living room with easy to clean which is in rectangular shape. also choose gold color and 2ft 8in x 8ft in size", "attributes": ["easy clean", "dining room", "living room"], "options": ["color: gold", "item shape: rectangular", "size: 2 ft 8 in x 8 ft"], "instruction_attributes": ["easy clean", "living room"], "instruction_options": ["gold", "rectangular", "2 ft 8 in x 8 ft"], "assignment_id": "3TMFV4NEPJO9VTNTNB3AGBO22JOW8P", "worker_id": "A2HMEGTAFO0CS8"}], "B07R1WCC3H": [{"asin": "B07R1WCC3H", "instruction": "i want a 52\"x84\" 100% blackout window curtain for my living room.", "attributes": ["machine washable", "easy install", "living room"], "options": ["color: love64cos5922", "size: 52\"x84\""], "instruction_attributes": ["living room"], "instruction_options": ["52\"x84\""], "assignment_id": "39GHHAVOMQ1M680S49UIA9EPY1CJ43", "worker_id": "A2RBF3IIJP15IH"}], "B08R3V8RC1": [{"asin": "B08R3V8RC1", "instruction": "i looking a fruit & nut bar low sodium low carb gluteen free having dietry fiber individually wrapped flavor cocoa & chocolate", "attributes": ["low sodium", "low carb", "gluten free", "low fat", "low calorie", "sugar free", "plant based", "individually wrapped", "non gmo", "dietary fiber"], "options": ["flavor name: cocoa & chocolate", "size: 80"], "instruction_attributes": ["low sodium", "low carb", "gluten free", "individually wrapped", "dietary fiber"], "instruction_options": ["cocoa & chocolate"], "assignment_id": "3QECW5O0KSBYGU0XU8RWH77CWZ45T5", "worker_id": "A3N9ZYQAESNFQH"}], "B08ZGWYWXS": [{"asin": "B08ZGWYWXS", "instruction": "i need a non gmo ginger candy pack with assorted flavors.", "attributes": ["non gmo", "gluten free", "individually wrapped", "simple ingredients"], "options": ["color: assorted 2", "size: 6 piece assortment"], "instruction_attributes": ["non gmo", "gluten free"], "instruction_options": ["assorted 2"], "assignment_id": "3G5F9DBFO07P9FOH05SK7MYNYTCVHT", "worker_id": "A1NF6PELRKACS9"}], "B07GRQ7Q5F": [{"asin": "B07GRQ7Q5F", "instruction": "i need to buy a roller shade that's easy to install in my living room. get the mocha color, 79 inches wide.", "attributes": ["easy install", "living room"], "options": ["color: 11.mocha", "size: w79 3 | 4 x h95 (inch)"], "instruction_attributes": ["easy install", "living room"], "instruction_options": ["11.mocha", "w79 3 | 4 x h95 (inch)"], "assignment_id": "3VW6495TLUASZ49BFGJS0LXK66OYY1", "worker_id": "AR9AU5FY1S3RO"}], "B08PC4GGHL": [{"asin": "B08PC4GGHL", "instruction": "i am looking for verizon 700mhz cell phone signal booster which is easy to install with 4g lte. color 4g band 5 | 13 preferable.", "attributes": ["easy install", "4g lte"], "options": ["color: 4g band 5 | 13"], "instruction_attributes": ["easy install", "4g lte"], "instruction_options": ["4g band 5 | 13"], "assignment_id": "3ERET4BTVXJIEYCM3PQLSWPIZIW9KU", "worker_id": "A1DRKZ3SCLAS4V"}], "B09B3RQZLM": [{"asin": "B09B3RQZLM", "instruction": "i want a pink long sleeved t-shirt in size 12.", "attributes": ["machine washable", "wash cold", "hand wash", "machine wash", "long sleeve", "dry clean"], "options": ["color: pink", "size: 12"], "instruction_attributes": ["long sleeve"], "instruction_options": ["pink", "12"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMP3W9B", "worker_id": "A1NF6PELRKACS9"}], "B09PL5QXZM": [{"asin": "B09PL5QXZM", "instruction": "i am looking for face mask brushes for easy apply and easy carry with color blue", "attributes": ["easy apply", "easy carry"], "options": ["color: blue"], "instruction_attributes": ["easy apply", "easy carry"], "instruction_options": ["blue"], "assignment_id": "3WMINLGALMDE0JA33INN08NU0R4CAY", "worker_id": "AX2EWYWZM19AZ"}], "B096FJX5RM": [{"asin": "B096FJX5RM", "instruction": "i'm looking reddhoon 3 colors liquid glitter eyeshadow, i want color a12, show me the price too.", "attributes": ["long lasting", "highly pigmented", "eye shadow"], "options": ["color: a12"], "instruction_attributes": ["eye shadow"], "instruction_options": ["a12"], "assignment_id": "32RIADZIS3EF5BJIR33W2A5CUKS4S7", "worker_id": "A15IJ20C3R4HUO"}], "B09KBZR5Y6": [{"asin": "B09KBZR5Y6", "instruction": "i want a blue high definition android tablet 8 inch.", "attributes": ["high performance", "high definition"], "options": ["color: blue"], "instruction_attributes": ["high definition"], "instruction_options": ["blue"], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM92H1I0", "worker_id": "A2RBF3IIJP15IH"}], "B08T2122SB": [{"asin": "B08T2122SB", "instruction": "i am looking for some keto snacks that are grain free.", "attributes": ["grain free", "high protein", "low carb", "low calorie", "keto friendly", "gluten free"], "options": [""], "instruction_attributes": ["grain free", "keto friendly"], "instruction_options": [], "assignment_id": "3TVRFO09GVPJZ0C2R580NZOFVLNXLZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B07QV3RKCB": [{"asin": "B07QV3RKCB", "instruction": "i am looking for gluten free and grass fed patties - 6 chipotle chicken + 6 thai style turkey", "attributes": ["grass fed", "wild caught", "soy free", "dairy free", "gluten free", "quality ingredients"], "options": ["flavor name: 6 chipotle chicken + 6 thai style turkey"], "instruction_attributes": ["grass fed", "gluten free"], "instruction_options": ["6 chipotle chicken + 6 thai style turkey"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKKKVPW", "worker_id": "A258PTOZ3D2TQR"}], "B09S6LTK2D": [{"asin": "B09S6LTK2D", "instruction": "i am looking for low rise cotton underwear. please choose sky blue color.", "attributes": ["low rise", "machine wash"], "options": ["color: sky blue", "size: medium"], "instruction_attributes": ["low rise"], "instruction_options": ["sky blue"], "assignment_id": "38F71OA9G46M5W32RN3TH53XRLNMF5", "worker_id": "A3FG5PQHG5AH3Y"}], "B088WFLJNF": [{"asin": "B088WFLJNF", "instruction": "i need a black henley that is made of cotton spandex.", "attributes": ["quick drying", "cotton spandex", "contrast color", "button closure", "short sleeve"], "options": ["color: a1 black", "size: x-large"], "instruction_attributes": ["cotton spandex"], "instruction_options": ["a1 black", "x-large"], "assignment_id": "37KGEN7NJE04HCP9X6RQA3BWYWEPP0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09QH2T5R3": [{"asin": "B09QH2T5R3", "instruction": "i am looking for purple color cotton heather assistants t-shirts for women with machine wash type and size : large", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: purple", "fit type: women", "size: large"], "instruction_attributes": ["machine wash", "cotton heather"], "instruction_options": ["purple", "women", "large"], "assignment_id": "3ZR9AIQJUMJF42Z6I1KCS4ZTZSD40O", "worker_id": "AX2EWYWZM19AZ"}], "B09PNKGWYX": [{"asin": "B09PNKGWYX", "instruction": "i am looking for black knee high winter boots for women.", "attributes": ["winter warm", "anti slip", "knee high", "arch support"], "options": ["color: a03-black", "size: 8.5"], "instruction_attributes": ["knee high"], "instruction_options": ["a03-black"], "assignment_id": "33SA9F9TR84Q4UXK0EPA8LKODMFEWZ", "worker_id": "A1EREKSZAA9V7B"}], "B09QCY1MGX": [{"asin": "B09QCY1MGX", "instruction": "i am looking for a light grey sectional couch that is easy to assemble for my living room.", "attributes": ["metal legs", "living room"], "options": ["color: light grey"], "instruction_attributes": ["living room"], "instruction_options": ["light grey"], "assignment_id": "3FQ5JJ512WY330GG4Z9QAXK2478KNZ", "worker_id": "A1EREKSZAA9V7B"}], "B07XLG6HVZ": [{"asin": "B07XLG6HVZ", "instruction": "i am looking for a high performance desktop tower with core i5. also choose refurbished from certified dealers.", "attributes": ["certified refurbished", "high performance", "core i5"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance", "core i5"], "instruction_options": [], "assignment_id": "3PDJHANYKGQ4UP9GZXKCVUIOH0J6HB", "worker_id": "A2HMEGTAFO0CS8"}], "B009JITV9U": [{"asin": "B009JITV9U", "instruction": "i am interested in flouride free mouthwash that is 1 oz", "attributes": ["fluoride free", "easy use", "natural ingredients", "bad breath", "fresh breath"], "options": ["size: 1 fl oz (pack of 2)"], "instruction_attributes": ["fluoride free"], "instruction_options": ["1 fl oz (pack of 2)"], "assignment_id": "3AWETUDC9D26EU4B7KZ8S4CYMHTIZ5", "worker_id": "A2ECRNQ3X5LEXD"}], "B09NBZ5ZTL": [{"asin": "B09NBZ5ZTL", "instruction": "i want a wireless bluetooth speaker,portable audio mini music player,usb easy to carry rechargble usb port color: pink", "attributes": ["usb port", "wireless bluetooth"], "options": ["color: pink"], "instruction_attributes": ["wireless bluetooth"], "instruction_options": ["pink"], "assignment_id": "3OCHAWUVGZU8FUUK65WZ8ZB06LJKXK", "worker_id": "A3N9ZYQAESNFQH"}], "B091GZRZ6K": [{"asin": "B091GZRZ6K", "instruction": "i'd like to find a teeth whitening kit that is not only easy to carry but also delivers high quality results.", "attributes": ["teeth whitening", "easy carry", "high quality"], "options": [""], "instruction_attributes": ["teeth whitening", "easy carry", "high quality"], "instruction_options": [], "assignment_id": "3GS6S824S17UY0AXTDSTY8EXRELWNB", "worker_id": "A345TDMHP3DQ3G"}], "B08LQCB4WJ": [{"asin": "B08LQCB4WJ", "instruction": "i want to find a six-ounce plastic container jar that is leak proof and easy to use. ideally it will come in white.", "attributes": ["leak proof", "easy use"], "options": ["color: white", "size: 6 ounce"], "instruction_attributes": ["leak proof", "easy use"], "instruction_options": ["white", "6 ounce"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUAL9RI", "worker_id": "A345TDMHP3DQ3G"}], "B07LGK3XR5": [{"asin": "B07LGK3XR5", "instruction": "i am interested in living room pendant lights that are white.", "attributes": ["pendant light", "light fixture", "dining room", "living room"], "options": ["color: white color"], "instruction_attributes": ["pendant light", "living room"], "instruction_options": ["white color"], "assignment_id": "3QY5DC2MX2U5I48B0PUF8FKR47NFUN", "worker_id": "A2ECRNQ3X5LEXD"}], "B09FQ6Y4N9": [{"asin": "B09FQ6Y4N9", "instruction": "find a red sweatshirt for a teen girl in size small.", "attributes": ["long sleeve", "teen girls"], "options": ["color: red", "size: small"], "instruction_attributes": ["teen girls"], "instruction_options": ["red", "small"], "assignment_id": "3JAOYWH7VTETY4U4OP2M7W2XOIYL96", "worker_id": "AR9AU5FY1S3RO"}], "B084JTNDXH": [{"asin": "B084JTNDXH", "instruction": "i want to find 3 dozen cookies that are individually wrapped and baked fresh for valentine's day.", "attributes": ["baked fresh", "individually wrapped", "valentine day"], "options": ["size: 3 dozen"], "instruction_attributes": ["baked fresh", "individually wrapped", "valentine day"], "instruction_options": ["3 dozen"], "assignment_id": "3NKQQ8O399F8KKUF9JZPKFH6SU7DUA", "worker_id": "A345TDMHP3DQ3G"}], "B07D9JJH67": [{"asin": "B07D9JJH67", "instruction": "i am looking for moisturizing shower gel with vegan , green tea and coconut oil and also mint argan scent", "attributes": ["cruelty free", "green tea", "coconut oil"], "options": ["scent: mint argan"], "instruction_attributes": ["green tea", "coconut oil"], "instruction_options": ["mint argan"], "assignment_id": "37TRT2X24116R7L1JO45INKV8T0BJ8", "worker_id": "AX2EWYWZM19AZ"}], "B07ST3YB1W": [{"asin": "B07ST3YB1W", "instruction": "i am looking for dell ultra small desktop computer with core i5 , 16gb ram , 256gb ssd and windows 10 pro", "attributes": ["core i5", "intel core"], "options": ["configuration: 16gb ram | 256gb ssd"], "instruction_attributes": ["core i5"], "instruction_options": ["16gb ram | 256gb ssd"], "assignment_id": "37UEWGM5H4IMCXMMPWKPE2TDWY31R7", "worker_id": "AX2EWYWZM19AZ"}], "B096WSKLRV": [{"asin": "B096WSKLRV", "instruction": "i need a contemporary design acrylic leg bench for living room in navy velvet color.", "attributes": ["contemporary design", "living room"], "options": ["color: navy velvet", "size: acrylic legs bench"], "instruction_attributes": ["contemporary design", "living room"], "instruction_options": ["navy velvet", "acrylic legs bench"], "assignment_id": "3RANCT1ZVQRF5NWVVN8JPPT6P9VUBK", "worker_id": "ASWFLI3N8X72G"}], "B09R9PN89Q": [{"asin": "B09R9PN89Q", "instruction": "i need a machine washable costume tank top. pick a classic fit in navy.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: men", "size: large"], "instruction_attributes": ["machine wash", "classic fit"], "instruction_options": ["navy"], "assignment_id": "3GGAI1SQE68F2KJS0LDS9ZIUU8SMCR", "worker_id": "A1NF6PELRKACS9"}], "B07L9KXTM4": [{"asin": "B07L9KXTM4", "instruction": "show me this brand zeskit cinema plus 4k 1.5ft (2-pack) i'm looking for high speed with ethernet 22.28gbps hdmi 2.0b cable.", "attributes": ["gold plated", "high speed"], "options": [""], "instruction_attributes": ["high speed"], "instruction_options": [], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX4UFAA", "worker_id": "A15IJ20C3R4HUO"}], "B09RBB5DTP": [{"asin": "B09RBB5DTP", "instruction": "i need a loose fitting tee for daily wear. find a x-large shirt.", "attributes": ["moisture wicking", "loose fit", "slim fit", "short sleeve", "long sleeve", "teen girls", "daily wear"], "options": ["color: a15 oversized tee dark gray", "size: x-large"], "instruction_attributes": ["loose fit", "daily wear"], "instruction_options": ["x-large"], "assignment_id": "33C7UALJVW8GUS7QQNEPNLY866C81Z", "worker_id": "A1NF6PELRKACS9"}], "B07ZXFTJ67": [{"asin": "B07ZXFTJ67", "instruction": "i want spicy beef meat and cheese gift baskets.", "attributes": ["shelf stable", "gift basket", "great gift"], "options": ["color: spicy beef"], "instruction_attributes": ["gift basket"], "instruction_options": ["spicy beef"], "assignment_id": "3E13VNJ1NY59JYJ3Z9QG0ASM92KI1K", "worker_id": "A2RBF3IIJP15IH"}], "B0797QCG79": [{"asin": "B0797QCG79", "instruction": "i need a white high heel pump shoes with a rubber sole.", "attributes": ["high heel", "rubber sole"], "options": ["color: white-matt", "size: 8.5"], "instruction_attributes": ["high heel", "rubber sole"], "instruction_options": ["white-matt"], "assignment_id": "3WOKGM4L7CQJ8V9O1LZL625YGJE0OV", "worker_id": "A1NF6PELRKACS9"}], "B010AJ5DXY": [{"asin": "B010AJ5DXY", "instruction": "i need a plant based cleansing conditioner with coconut oil in it.", "attributes": ["plant based", "tea tree", "coconut oil", "natural ingredients"], "options": [""], "instruction_attributes": ["plant based", "coconut oil"], "instruction_options": [], "assignment_id": "3A0EX8ZRNJYWMWG05O58SAZJLX7YBN", "worker_id": "A1NF6PELRKACS9"}], "B09DVP1Z8Q": [{"asin": "B09DVP1Z8Q", "instruction": "i am interested in monoculars that are good for bird watching.", "attributes": ["high power", "easy use", "dust proof", "water resistant", "easy carry", "easy install", "bird watching"], "options": [""], "instruction_attributes": ["bird watching"], "instruction_options": [], "assignment_id": "3ZAZR5XV0CSF1RIBFA3MH1E39C7CZV", "worker_id": "A2ECRNQ3X5LEXD"}], "B07NJN4VJT": [{"asin": "B07NJN4VJT", "instruction": "i need a black camo headset with stereo sound and noise cancelling microphone.", "attributes": ["noise cancelling", "stereo sound"], "options": ["color: black camo"], "instruction_attributes": ["noise cancelling", "stereo sound"], "instruction_options": ["black camo"], "assignment_id": "3SUWZRL0M9NSAFIE9WC6ARLBPKP6ET", "worker_id": "ASWFLI3N8X72G"}], "B0819ZH1RC": [{"asin": "B0819ZH1RC", "instruction": "i want coconut scented hask invigorating tea tree oil.", "attributes": ["sulfate free", "paraben free", "tea tree", "hair styling", "damaged hair", "dry hair"], "options": ["scent: coconut monoi"], "instruction_attributes": ["tea tree"], "instruction_options": ["coconut monoi"], "assignment_id": "3VP0C6EFSR6QM3ARQU0PNZQKYMIM60", "worker_id": "A2RBF3IIJP15IH"}], "B09MLRX3H7": [{"asin": "B09MLRX3H7", "instruction": "i need a grey twin sized bed.", "attributes": ["twin size", "white item", "wood frame", "box spring"], "options": ["color: grey+slide"], "instruction_attributes": ["twin size"], "instruction_options": ["grey+slide"], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQYGNZ", "worker_id": "A2ECRNQ3X5LEXD"}], "B096FSKXTD": [{"asin": "B096FSKXTD", "instruction": "i want by a haoch cotton spa massage treatment table bed cover eco friendly, size 70x190cm please show me.", "attributes": ["eco friendly", "beauty salon"], "options": ["color: a", "size: 70x190cm"], "instruction_attributes": ["eco friendly"], "instruction_options": ["70x190cm"], "assignment_id": "38YMOXR4M59MRF45UW6CWXSBWOTW6Y", "worker_id": "A15IJ20C3R4HUO"}], "B07MTLTRHD": [{"asin": "B07MTLTRHD", "instruction": "i am looking for a office chair ready use assembly required color: heron with tilt feature", "attributes": ["ready use", "assembly required", "lumbar support"], "options": ["color: heron | with tilt feature"], "instruction_attributes": ["ready use", "assembly required"], "instruction_options": ["heron | with tilt feature"], "assignment_id": "3FTF2T8WL2S99Y63S39OG7JDMP6W9E", "worker_id": "A3N9ZYQAESNFQH"}], "B09DPXST7F": [{"asin": "B09DPXST7F", "instruction": "i like motion detection machine in white color", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "31QTRG6Q24NYQQHAOTN9NU4821KYP6", "worker_id": "A226L9F2AZ38CL"}], "B09PJDHN14": [{"asin": "B09PJDHN14", "instruction": "i am looking for long sleeve wide leg daily casual medium size jumpsuit for young woman color :b-white", "attributes": ["daily casual", "wide leg", "machine wash", "long sleeve", "polyester spandex"], "options": ["color: b-white", "size: medium"], "instruction_attributes": ["daily casual", "wide leg", "long sleeve"], "instruction_options": ["b-white", "medium"], "assignment_id": "3KWTYT087BDAXHSSLZP5VGXV2MBL5B", "worker_id": "A3N9ZYQAESNFQH"}], "B001BM4RC8": [{"asin": "B001BM4RC8", "instruction": "i need unsalted blue corn tortillas which are non gmo, gluten free and are certified organic.", "attributes": ["certified organic", "non gmo", "gluten free", "artificial flavors"], "options": ["flavor name: unsalted blue corn"], "instruction_attributes": ["certified organic", "non gmo", "gluten free"], "instruction_options": ["unsalted blue corn"], "assignment_id": "33NF62TLXUC7KAPVP1HYHQ3LVN9JK0", "worker_id": "ASWFLI3N8X72G"}], "B08F4WC928": [{"asin": "B08F4WC928", "instruction": "i am looking wireless home security camera for motion detection 1080hd", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["1080p hd", "motion detection"], "instruction_options": [], "assignment_id": "3OLF68YTNKBL3VUDUKDO8E8XX4YFAE", "worker_id": "A3N9ZYQAESNFQH"}], "B08738RTBF": [{"asin": "B08738RTBF", "instruction": "i want to find a pair of black men's workout shorts with an elastic waistband. the shorts need to be in size 30.", "attributes": ["elastic waistband", "polyester spandex"], "options": ["color: #1 black", "size: 30"], "instruction_attributes": ["elastic waistband"], "instruction_options": ["#1 black", "30"], "assignment_id": "3VHP9MDGRYU9WARBEY9FE9YLX7IFCF", "worker_id": "A345TDMHP3DQ3G"}], "B08JG22BX6": [{"asin": "B08JG22BX6", "instruction": "i want to find a mini home security camera that has a motion detection feature.", "attributes": ["1080p hd", "motion detection"], "options": [""], "instruction_attributes": ["motion detection"], "instruction_options": [], "assignment_id": "3PMBY0YE2ID0V00YBC9N4DCAU9OC9L", "worker_id": "A345TDMHP3DQ3G"}], "B08L24QYC1": [{"asin": "B08L24QYC1", "instruction": "i am looking for stirrings simple cosmopolitan non-alcoholic cocktail mix which is non alcoholic and made up with real fruit. cosmopolitan cocktail mix flavor preferable.", "attributes": ["non alcoholic", "real fruit"], "options": ["flavor: cosmopolitan cocktail mix"], "instruction_attributes": ["non alcoholic", "real fruit"], "instruction_options": ["cosmopolitan cocktail mix"], "assignment_id": "30OG32W0S5L0H0O68DYNC27XKAJNEP", "worker_id": "A1DRKZ3SCLAS4V"}], "B07PRFZ25L": [{"asin": "B07PRFZ25L", "instruction": "i need a background for digital photography that is 10ft by 7ft.", "attributes": ["light weight", "high resolution", "digital photography"], "options": ["size: 10x7ft"], "instruction_attributes": ["digital photography"], "instruction_options": ["10x7ft"], "assignment_id": "3YMTUJH0D3QGKBWXG38MCF1YW3A4T0", "worker_id": "A2ECRNQ3X5LEXD"}], "B09H5GJCML": [{"asin": "B09H5GJCML", "instruction": "i am interested in a home theatre system that has stereo sound", "attributes": ["ultra hd", "stereo sound"], "options": [""], "instruction_attributes": ["stereo sound"], "instruction_options": [], "assignment_id": "326O153BMT8RVOXTJJKKGXV366DDET", "worker_id": "A2ECRNQ3X5LEXD"}], "B07TLNZL9W": [{"asin": "B07TLNZL9W", "instruction": "i want an officially licensed navy teenage mutant ninja turtles chillin' tank top.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: women", "size: medium"], "instruction_attributes": ["officially licensed"], "instruction_options": ["navy"], "assignment_id": "358UUM7WRAD0NJ1OEC1YFCKQZK1R7S", "worker_id": "A2RBF3IIJP15IH"}], "B003EWKPSI": [{"asin": "B003EWKPSI", "instruction": "for my work i want pro studio solutions ez pro beauty dish octagon softbox 60in (150 cm) with speedring, sturdy. contact me if you find", "attributes": ["high power", "heavy duty"], "options": ["size: 60in (150cm)", "style: photogenic"], "instruction_attributes": ["heavy duty"], "instruction_options": ["60in (150cm)"], "assignment_id": "3N2BF7Y2V146JSU8MDRTKQFA70WHMU", "worker_id": "A15IJ20C3R4HUO"}], "B08S7F8F17": [{"asin": "B08S7F8F17", "instruction": "i am looking for a hand decorated valentine day cookies gift set. it should be perfect.", "attributes": ["valentine day", "perfect gift"], "options": [""], "instruction_attributes": ["valentine day", "perfect gift"], "instruction_options": [], "assignment_id": "3M0BCWMB866SXRL0QNNK7DE3AP8WBN", "worker_id": "A1NF6PELRKACS9"}], "B0885R9QCJ": [{"asin": "B0885R9QCJ", "instruction": "i need to buy some shave oil for dry skin with argan oil in it.", "attributes": ["argan oil", "dry skin"], "options": [""], "instruction_attributes": ["argan oil", "dry skin"], "instruction_options": [], "assignment_id": "3E337GFOLKIY1EKXE8OBC5S9XQSGNT", "worker_id": "AR9AU5FY1S3RO"}], "B005II6BUC": [{"asin": "B005II6BUC", "instruction": "i want to find an 11 inch light fixture with a bronze finish that i can put outside.", "attributes": ["bronze finish", "light fixture"], "options": ["size: 11\" w led"], "instruction_attributes": ["bronze finish", "light fixture"], "instruction_options": ["11\" w led"], "assignment_id": "3IKZ72A5BFQSNEO23OITUKSXWBUFNV", "worker_id": "A345TDMHP3DQ3G"}], "B09287QZSX": [{"asin": "B09287QZSX", "instruction": "i want to find a black-colored waxing kit for women that can help remove hair using natural ingredients.", "attributes": ["natural ingredients", "hair removal"], "options": ["color: black"], "instruction_attributes": ["natural ingredients", "hair removal"], "instruction_options": ["black"], "assignment_id": "3JCG6DTRVE0AH0R3XWL4ADRG8OPQQM", "worker_id": "A345TDMHP3DQ3G"}], "B09JZF19JN": [{"asin": "B09JZF19JN", "instruction": "i'm looking for fine mist it can the bottle continues the stream of water.", "attributes": ["leak proof", "fine mist"], "options": [""], "instruction_attributes": ["fine mist"], "instruction_options": [], "assignment_id": "36U2A8VAGC9XFZKUB1I1RDI98SYYKR", "worker_id": "A16IQOX0DK14OJ"}], "B09PJP57GD": [{"asin": "B09PJP57GD", "instruction": "i am looking for a men's t-shirt with a fruit motif that is machine washable.", "attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"], "options": ["color: navy", "fit type: men", "size: x-large"], "instruction_attributes": ["machine wash"], "instruction_options": ["men"], "assignment_id": "3I3WADAZ91EI32VPYR5XNX1PXRHO5W", "worker_id": "A1EREKSZAA9V7B"}], "B08VRBPZJF": [{"asin": "B08VRBPZJF", "instruction": "i am in need of memory foam slippers that are in a size 5.5.-7.5 women.", "attributes": ["officially licensed", "loose fit", "memory foam"], "options": ["color: nc state wolfpack", "size: 5.5-7.5 women | 4.5-6.5 men"], "instruction_attributes": ["memory foam"], "instruction_options": ["5.5-7.5 women | 4.5-6.5 men"], "assignment_id": "3DY4FPOOACY2Y92KWA4ELQ0TL27RVJ", "worker_id": "A2ECRNQ3X5LEXD"}], "B09MKW5WTF": [{"asin": "B09MKW5WTF", "instruction": "i like ax color synthetic hair", "attributes": ["hair extensions", "synthetic hair"], "options": ["color: a"], "instruction_attributes": ["synthetic hair"], "instruction_options": ["a"], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCNSBM9", "worker_id": "A226L9F2AZ38CL"}], "B092DDRXTQ": [{"asin": "B092DDRXTQ", "instruction": "it was time for his food high density breakfast, so kitchen background color is black", "attributes": ["high density", "lumbar support"], "options": ["color: black"], "instruction_attributes": ["high density"], "instruction_options": ["black"], "assignment_id": "3LYA37P8I1X12RRJ194HJ2K8NIZKBF", "worker_id": "ASL9LVC97FUCZ"}], "B09RH5VMGX": [{"asin": "B09RH5VMGX", "instruction": "i am looking for a swimsuit with tummy control for a women. also choose navy color and small size.", "attributes": ["high waist", "tummy control"], "options": ["color: a1_navy", "size: small"], "instruction_attributes": ["tummy control"], "instruction_options": ["a1_navy", "small"], "assignment_id": "36W0OB37H7O6IZTR12HNSSBJM4HHZE", "worker_id": "A2HMEGTAFO0CS8"}], "B07V6D1G16": [{"asin": "B07V6D1G16", "instruction": "i am looking for a women's wine red prom dress with a lace closure.", "attributes": ["lace closure", "drawstring closure"], "options": ["color: wine red", "size: 16 plus"], "instruction_attributes": ["lace closure"], "instruction_options": ["wine red"], "assignment_id": "3R5F3LQFVDUGAGFE5FCDC18KYQRZOG", "worker_id": "A1EREKSZAA9V7B"}], "B085YB2DRL": [{"asin": "B085YB2DRL", "instruction": "i am interested in some chocolate grain free granola.", "attributes": ["grain free", "gluten free", "non gmo"], "options": ["flavor name: chocolate", "size: 8 ounce (pack of 3)"], "instruction_attributes": ["grain free"], "instruction_options": ["chocolate"], "assignment_id": "3TK8OJTYMCVHMWM5JI0PGV0EKKLVPX", "worker_id": "A2ECRNQ3X5LEXD"}], "B07K1MJP78": [{"asin": "B07K1MJP78", "instruction": "i want to find a gold pendant light for my living room ceiling.", "attributes": ["pendant light", "living room", "dining room"], "options": ["color: gold"], "instruction_attributes": ["pendant light", "living room"], "instruction_options": ["gold"], "assignment_id": "3PJ71Z61RFCG8XQ0VFK3NHTJQCW91R", "worker_id": "A345TDMHP3DQ3G"}], "B09C8D3ZHK": [{"asin": "B09C8D3ZHK", "instruction": "i need some folding tables that are easy to assemble and are white.", "attributes": ["easy assemble", "dining room"], "options": ["color: white", "size: 80*40cm | 31*16in"], "instruction_attributes": ["easy assemble"], "instruction_options": ["white"], "assignment_id": "308Q0PEVBJNR83MY3M59FGA57E2I9N", "worker_id": "A2ECRNQ3X5LEXD"}], "B09JRKJ35C": [{"asin": "B09JRKJ35C", "instruction": "painting my living room with multi 31 color", "attributes": ["super soft", "fleece throw", "living room"], "options": ["color: multi 31", "size: queen"], "instruction_attributes": ["living room"], "instruction_options": ["multi 31"], "assignment_id": "3NPI0JQDAZF294IGEN0AFDCTNZ2TPC", "worker_id": "A226L9F2AZ38CL"}], "B01IP5MBSU": [{"asin": "B01IP5MBSU", "instruction": "i am looking for wireless bluetooth speaker.", "attributes": ["output protection", "wireless bluetooth"], "options": [""], "instruction_attributes": ["wireless bluetooth"], "instruction_options": [], "assignment_id": "39RP059MES3WSFRMMLHXYFCCCNQBM7", "worker_id": "A3FG5PQHG5AH3Y"}], "B01I5N7JMU": [{"asin": "B01I5N7JMU", "instruction": "i want to find a rinse that can treat my hair and promote hair growth.", "attributes": ["hair treatment", "hair growth", "dead skin"], "options": [""], "instruction_attributes": ["hair treatment", "hair growth"], "instruction_options": [], "assignment_id": "3TXWC2NHNA0G2HPU8YZNJIGSGC4S9P", "worker_id": "A345TDMHP3DQ3G"}], "B08QVM52CQ": [{"asin": "B08QVM52CQ", "instruction": "i need a cake topper for a birthday party", "attributes": ["baby shower", "birthday party", "cupcake picks", "party supplies"], "options": [""], "instruction_attributes": ["birthday party"], "instruction_options": [], "assignment_id": "3PQMUDRV72GKJ4F17GBMS998Q4SII9", "worker_id": "A2ECRNQ3X5LEXD"}], "B09B9WRP24": [{"asin": "B09B9WRP24", "instruction": "i want to find a pair of pink women's sneakers with good arch support. they need to come in a size 8.5.", "attributes": ["non slip", "arch support", "ankle strap"], "options": ["color: z6-pink", "size: 8.5"], "instruction_attributes": ["arch support"], "instruction_options": ["z6-pink", "8.5"], "assignment_id": "3YT88D1N0J8WZWN6MGPB1JMWZQK3K5", "worker_id": "A345TDMHP3DQ3G"}], "B016B10NAS": [{"asin": "B016B10NAS", "instruction": "i would like a extra round 53mm brush for hair styling.", "attributes": ["hair styling", "hair growth"], "options": ["style: extra round brush 53mm"], "instruction_attributes": ["hair styling"], "instruction_options": ["extra round brush 53mm"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0WICCX", "worker_id": "A1WS884SI0SLO4"}], "B092V9RY16": [{"asin": "B092V9RY16", "instruction": "i want to find a silver case with a glass screen protector for my phone.", "attributes": ["case cover", "glass screen", "tempered glass"], "options": ["color: silver"], "instruction_attributes": ["case cover", "glass screen"], "instruction_options": ["silver"], "assignment_id": "33TIN5LC0FKDY31374RC144TXX4Y9D", "worker_id": "A345TDMHP3DQ3G"}], "B09DV1GMLP": [{"asin": "B09DV1GMLP", "instruction": "i am looking for gua sha facial tools set which mattifying face roller for oily and acne prone skin, dark circles, fine lines beauty tools and high-pigment, the bold color makeup.", "attributes": ["dark circles", "fine lines"], "options": [""], "instruction_attributes": ["dark circles", "fine lines"], "instruction_options": [], "assignment_id": "3137ONMDKRFU787KL9LSMIY0JYVEG6", "worker_id": "A1DRKZ3SCLAS4V"}], "B09D7TVJKT": [{"asin": "B09D7TVJKT", "instruction": "a bath sponge for bathing remove dead skin easy clean pink color size 8.5*6 inch", "attributes": ["easy clean", "dead skin", "hair growth"], "options": ["color: pink", "size: 8.5x6inch"], "instruction_attributes": ["easy clean", "dead skin"], "instruction_options": ["pink", "8.5x6inch"], "assignment_id": "3J88R45B2R89QLR0JX174GXZ0WDPXG", "worker_id": "A3N9ZYQAESNFQH"}], "B07PK1NZY6": [{"asin": "B07PK1NZY6", "instruction": "i want an officially licensed white marvel guardians of the galaxy retro logo tee.", "attributes": ["officially licensed", "needle sleeve", "classic fit"], "options": ["color: white", "fit type: men", "size: medium"], "instruction_attributes": ["officially licensed"], "instruction_options": ["white"], "assignment_id": "33ISQZVXP0W2TY71NWJE63DI0USCC3", "worker_id": "A2RBF3IIJP15IH"}], "B07QBPL36R": [{"asin": "B07QBPL36R", "instruction": "i am looking for sugar free beverages with lemonade and 0.14 ounce (pack of 4)", "attributes": ["sugar free", "zero sugar"], "options": ["flavor name: lemonade", "size: 0.14 ounce (pack of 4)"], "instruction_attributes": ["sugar free"], "instruction_options": ["lemonade", "0.14 ounce (pack of 4)"], "assignment_id": "3SLE99ER0YNWRMQ51A7R6H8LRRDBZT", "worker_id": "AX2EWYWZM19AZ"}], "B07JMF85DY": [{"asin": "B07JMF85DY", "instruction": "search the electronics department, computers & tablets for a renewed rugged 11.6 inch screen with 8 gigabytes of data. model number 7202. must be certified refurbished and high performance.", "attributes": ["certified refurbished", "high performance"], "options": [""], "instruction_attributes": ["certified refurbished", "high performance"], "instruction_options": [], "assignment_id": "39ASUFLU68H5TU2AAJLWA4YVMOMXEC", "worker_id": "A3RGIKEI8JS2QG"}], "B0962P6LCS": [{"asin": "B0962P6LCS", "instruction": "i am looking for ataiwee women's wide width ballet flats which is well made of soft leather, flexible tpr out-sole, lightweight and comfortable. tan 1905019-5, 9 wide size preferable.", "attributes": ["anti slip", "rubber sole"], "options": ["color: tan 1905019-5", "size: 9 wide"], "instruction_attributes": ["anti slip", "rubber sole"], "instruction_options": ["9 wide"], "assignment_id": "3A1COHJ8NU5RY3S4SCHAF8EFNVAH89", "worker_id": "A1DRKZ3SCLAS4V"}], "B07DKVQTXT": [{"asin": "B07DKVQTXT", "instruction": "i'm looking for a solid wood bookcase in espresso color. would prefer it to be in the size of 5-shelf.", "attributes": ["white item", "contemporary design", "white finish", "solid wood", "storage space"], "options": ["color: espresso (new)", "size: 5-shelf"], "instruction_attributes": ["solid wood"], "instruction_options": ["espresso (new)", "5-shelf"], "assignment_id": "3LKC68YZ3LDCGLA9USS6DXE2HONWON", "worker_id": "A20DUVEOH6A7KW"}], "B000R30X2A": [{"asin": "B000R30X2A", "instruction": "i want capri sun pacific cooler mixed fruit naturally flavored juice drinks.", "attributes": ["natural ingredients", "artificial colors", "high fructose"], "options": ["flavor name: pacific cooler", "size: 6 fl oz (pack of 10)"], "instruction_attributes": ["natural ingredients"], "instruction_options": ["pacific cooler"], "assignment_id": "39L1G8WVW11UTV1KE6JTW4QXQKM314", "worker_id": "A2RBF3IIJP15IH"}], "B07LC6DF3G": [{"asin": "B07LC6DF3G", "instruction": "i want to find high volume 71a mink lashes that are cruelty-free and easy to apply.", "attributes": ["high quality", "easy apply", "cruelty free"], "options": ["style: 71a"], "instruction_attributes": ["easy apply", "cruelty free"], "instruction_options": ["71a"], "assignment_id": "3LEIZ60CDU9D3TB83QTVFBDV3RAZ97", "worker_id": "A345TDMHP3DQ3G"}], "B07TB1TCXK": [{"asin": "B07TB1TCXK", "instruction": "i am looking for protein bites by protein power ball organic plant based pumpkin protein powder ideal for healthy, on the go nutrition for men, women, and kids. usda organic, vegan, gluten free, dairy free, lactose free, low net carbs, no added sugar, soy free, kosher, non gmo, carrageenan free, and no artificial ingredients 4.5 ounce (pack of 4) preferable.", "attributes": ["soy free", "dairy free", "gluten free", "protein serving", "keto friendly", "high protein", "plant based", "non gmo", "resealable bag"], "options": ["flavor name: pumpkin", "size: 4.5 ounce (pack of 4)"], "instruction_attributes": ["soy free", "dairy free", "gluten free", "protein serving", "keto friendly", "high protein", "plant based", "non gmo", "resealable bag"], "instruction_options": ["pumpkin", "4.5 ounce (pack of 4)"], "assignment_id": "3018Q3ZVOT0I6LZMLFDIP3MG0SAAR5", "worker_id": "A1DRKZ3SCLAS4V"}], "B00286361O": [{"asin": "B00286361O", "instruction": "i want to find a six-pack of 32 ounce packages of raisins that have no added artificial flavors.", "attributes": ["non gmo", "low fat", "artificial flavors"], "options": ["size: 32 ounce (pack of 6)"], "instruction_attributes": ["artificial flavors"], "instruction_options": ["32 ounce (pack of 6)"], "assignment_id": "3B1NLC6UGA6Y4ZWAUN13GUX4X5TGPP", "worker_id": "A345TDMHP3DQ3G"}], "B09436HZFC": [{"asin": "B09436HZFC", "instruction": "i am looking for natural flavor clear fruit water 20 ounce bottles non carbonated water beverage which is caffeine free . 6 flavor sampler flavor preferable.", "attributes": ["caffeine free", "natural flavors"], "options": ["flavor name: 6 flavor sampler"], "instruction_attributes": ["caffeine free", "natural flavors"], "instruction_options": ["6 flavor sampler"], "assignment_id": "3O7L7BFSHPZ83ZDFBXLV7UBGYBPIE4", "worker_id": "A1DRKZ3SCLAS4V"}], "B09PV47N89": [{"asin": "B09PV47N89", "instruction": "i am looking for 10x10ft | 3x3m high resolution backdrops for photo studio", "attributes": ["light weight", "high resolution", "high definition"], "options": ["color: a31", "size: 10x10ft | 3x3m"], "instruction_attributes": ["high resolution"], "instruction_options": ["10x10ft | 3x3m"], "assignment_id": "333U7HK6IKPZ64JLXKVBDD8VBEAJDL", "worker_id": "A258PTOZ3D2TQR"}], "B09QZPKF8N": [{"asin": "B09QZPKF8N", "instruction": "i am looking for twin bunk bed with slide & ladder , assembly required and also color is black", "attributes": ["assembly required", "box spring"], "options": ["color: black", "style: twin size loft bed with desk&shelves"], "instruction_attributes": ["assembly required"], "instruction_options": ["black"], "assignment_id": "3XC1O3LBO3WCIJ3IMV73YW39IP4TLH", "worker_id": "AX2EWYWZM19AZ"}], "B08TM1D58H": [{"asin": "B08TM1D58H", "instruction": "i want to find a white security camera that is easy to install.", "attributes": ["easy install", "aaa batteries", "stainless steel"], "options": ["color: 2.white"], "instruction_attributes": ["easy install"], "instruction_options": ["2.white"], "assignment_id": "3T111IHZ5P0412PHT9ZIT8BWUAS9RP", "worker_id": "A345TDMHP3DQ3G"}], "B074W81C8L": [{"asin": "B074W81C8L", "instruction": "i want an xx-large light grey colored jogger pants with zipper pockets.", "attributes": ["light weight", "drawstring closure", "elastic waist", "gym workout"], "options": ["color: 02 light grey", "size: xx-large"], "instruction_attributes": ["light weight"], "instruction_options": ["xx-large"], "assignment_id": "3KJYX6QCMKLL0LJ7O5V5JZE2BLGVJY", "worker_id": "A1NF6PELRKACS9"}]} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/data/items_ins_v2_1000.json b/openmanus_rl/agentgym/agentenv-webshop/webshop/data/items_ins_v2_1000.json new file mode 100644 index 00000000..22837ad9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/data/items_ins_v2_1000.json @@ -0,0 +1 @@ +{"B08GFNJN5R": {"attributes": []}, "B07DJJXGB5": {"attributes": ["tea tree", "essential oils", "natural ingredients"], "instruction": "Find me scrubs & body treatments with tea tree, natural ingredients", "instruction_attributes": ["tea tree", "natural ingredients"]}, "B08X2PKKB2": {"attributes": ["rose gold", "lip balm", "skin care", "easy carry", "high quality"], "instruction": "Find me easy carry, high quality refillable containers with rose gold", "instruction_attributes": ["easy carry", "high quality", "rose gold"]}, "B07QXZL1K5": {"attributes": ["eco friendly", "oral care", "sensitive skin"], "instruction": "Find me eco friendly cotton balls & swabs for sensitive skin", "instruction_attributes": ["eco friendly", "sensitive skin"]}, "B005F2EVMQ": {"attributes": ["eye makeup", "makeup remover"]}, "B08J3WFRBT": {"attributes": ["travel bottles", "face wash", "leak proof", "bpa free", "easy clean"], "instruction": "Find me leak proof, bpa free, easy clean refillable containers with travel bottles", "instruction_attributes": ["leak proof", "bpa free", "easy clean", "travel bottles"]}, "B0851PC2TM": {"attributes": ["eau toilette"]}, "B00IG0RDNI": {"attributes": ["coconut oil"]}, "B07B41K2VV": {"attributes": []}, "B00FR4V65M": {"attributes": ["stainless steel"]}, "B081QR9F3V": {"attributes": []}, "B01LWI2TLG": {"attributes": []}, "B01A0VZQHK": {"attributes": []}, "B07234S5G1": {"attributes": ["heavy duty"]}, "B089T9S33Y": {"attributes": []}, "B08SMS3CNY": {"attributes": ["easy apply"]}, "B004LCZEJK": {"attributes": ["eau parfum"]}, "B08D4MH7XQ": {"attributes": ["oil free", "clinically proven", "paraben free", "dead skin"], "instruction": "Find me oil free, clinically proven, paraben free scrubs & body treatments for dead skin", "instruction_attributes": ["oil free", "clinically proven", "paraben free", "dead skin"]}, "B09NYHTCVX": {"attributes": ["long lasting"]}, "B07SS8QC3G": {"attributes": []}, "B01E7UY7AC": {"attributes": ["travel size"]}, "B004VMVLLU": {"attributes": ["body lotion"]}, "B006Y3IDMO": {"attributes": ["antiperspirant deodorant", "easy use"]}, "B09QYN9MYN": {"attributes": ["toilette spray", "eau toilette"]}, "B017MOAUGA": {"attributes": []}, "B07K6TCDR9": {"attributes": ["animal testing", "natural hair", "dry hair", "hair growth"], "instruction": "Find me animal testing hair loss products for natural hair, dry hair, hair growth", "instruction_attributes": ["animal testing", "natural hair", "dry hair", "hair growth"]}, "B07N864Q64": {"attributes": ["easy apply", "cruelty free", "long lasting"], "instruction": "Find me easy apply, cruelty free, long lasting makeup palettes", "instruction_attributes": ["easy apply", "cruelty free", "long lasting"]}, "B07CBFM96F": {"attributes": ["hair care"]}, "B01IADZ9LI": {"attributes": []}, "B079HGJ5MH": {"attributes": ["hair care", "hair mask"]}, "B084PCSG5H": {"attributes": ["dry skin", "non slip"], "instruction": "Find me non slip foot, hand & nail care for dry skin", "instruction_attributes": ["non slip", "dry skin"]}, "B08HNFTG83": {"attributes": ["body cream"]}, "B07MVN1K94": {"attributes": []}, "B07C8NSB75": {"attributes": ["highly pigmented"]}, "B085HGD5Z3": {"attributes": []}, "B078T46X81": {"attributes": []}, "B09JJ5W1N4": {"attributes": ["makeup bag", "cosmetic bag", "toiletry bag", "skin care", "easy carry", "high quality"], "instruction": "Find me easy carry, high quality bags & cases", "instruction_attributes": ["easy carry", "high quality"]}, "B08W568RSB": {"attributes": ["leak proof", "travel size", "essential oils", "high quality"], "instruction": "Find me leak proof, travel size, high quality refillable containers", "instruction_attributes": ["leak proof", "travel size", "high quality"]}, "B09B321GS4": {"attributes": ["dermatologist tested", "cruelty free"], "instruction": "Find me dermatologist tested, cruelty free body care", "instruction_attributes": ["dermatologist tested", "cruelty free"]}, "B08SH37R9Z": {"attributes": ["dead skin", "shower gel"]}, "B01GGCZA7I": {"attributes": ["tea tree", "oral care", "essential oils"]}, "B08LD3XCPQ": {"attributes": ["tongue scraper", "brush head", "storage case", "tongue cleaner", "bpa free", "bad breath", "oral care", "easy clean"], "instruction": "Find me bpa free, easy clean tongue cleaners with storage case for bad breath", "instruction_attributes": ["bpa free", "easy clean", "storage case", "bad breath"]}, "B005X7IXTK": {"attributes": ["body cream", "anti perspirant", "cruelty free"], "instruction": "Find me anti perspirant, cruelty free deodorants & antiperspirants", "instruction_attributes": ["anti perspirant", "cruelty free"]}, "B08DQWNJPQ": {"attributes": ["water resistant", "beauty salon", "hair styling"], "instruction": "Find me water resistant hair cutting tools for beauty salon, hair styling", "instruction_attributes": ["water resistant", "beauty salon", "hair styling"]}, "B00OYBADQ2": {"attributes": ["dead skin", "certified organic", "non toxic", "cruelty free"], "instruction": "Find me certified organic, non toxic, cruelty free scrubs & body treatments for dead skin", "instruction_attributes": ["certified organic", "non toxic", "cruelty free", "dead skin"]}, "B001EHF3KK": {"attributes": []}, "B094JTNPWK": {"attributes": ["anti aging", "essential oils", "fine lines", "dry skin", "dead skin"], "instruction": "Find me anti aging scrubs & body treatments for fine lines, dry skin, dead skin", "instruction_attributes": ["anti aging", "fine lines", "dry skin", "dead skin"]}, "B07BFLJQCX": {"attributes": ["coconut oil", "hair loss"], "instruction": "Find me hair loss products with coconut oil for hair loss", "instruction_attributes": ["coconut oil", "hair loss"]}, "B00ECNSAXU": {"attributes": ["hair care"]}, "B07KHWY7YT": {"attributes": []}, "B00M777566": {"attributes": []}, "B00KTPKPQA": {"attributes": ["whitening toothpaste"]}, "B004TSFEBY": {"attributes": ["professional makeup", "makeup bag", "eye shadow", "makeup brush", "cruelty free", "high quality"], "instruction": "Find me cruelty free, high quality makeup brushes & tools for eye shadow", "instruction_attributes": ["cruelty free", "high quality", "eye shadow"]}, "B08WG7VLQF": {"attributes": ["fragrance free", "dry hair"], "instruction": "Find me fragrance free styling products for dry hair", "instruction_attributes": ["fragrance free", "dry hair"]}, "B096MM7XM4": {"attributes": ["double sided", "hair extensions", "easy clean", "easy use"], "instruction": "Find me double sided, easy clean, easy use hair extensions, wigs & accessories for hair extensions", "instruction_attributes": ["double sided", "easy clean", "easy use", "hair extensions"]}, "B09JBZQJ9M": {"attributes": ["dental floss", "high quality"]}, "B08T9KJJPZ": {"attributes": ["dark circles"]}, "B08PFRP4RN": {"attributes": ["easy carry", "high quality"], "instruction": "Find me easy carry, high quality hair extensions, wigs & accessories", "instruction_attributes": ["easy carry", "high quality"]}, "B08XQRDDT1": {"attributes": ["long lasting", "easy apply", "cruelty free"], "instruction": "Find me long lasting, easy apply, cruelty free lips makeup", "instruction_attributes": ["long lasting", "easy apply", "cruelty free"]}, "B091DMZNR4": {"attributes": ["dead skin"]}, "B09MW563KN": {"attributes": ["tongue scraper", "tongue cleaner", "oral hygiene", "fresh breath", "oral care"], "instruction": "Find me tongue cleaners for oral hygiene, fresh breath", "instruction_attributes": ["oral hygiene", "fresh breath"]}, "B08GXD5MDG": {"attributes": ["dental floss", "oral care"]}, "B07XCY8DND": {"attributes": []}, "B001E77OCU": {"attributes": []}, "B07CXTNVRJ": {"attributes": ["makeup palette", "easy clean", "stainless steel"], "instruction": "Find me easy clean makeup palettes with stainless steel", "instruction_attributes": ["easy clean", "stainless steel"]}, "B01IA9BY1G": {"attributes": []}, "B01GR1ABDG": {"attributes": []}, "B09QT2369P": {"attributes": []}, "B079Y4B4YP": {"attributes": ["hair care"]}, "B09QMGX7V3": {"attributes": []}, "B09MM1S15K": {"attributes": ["stainless steel", "tattoo machine"]}, "B08NB29KXH": {"attributes": ["high quality", "hair removal", "sensitive skin", "easy carry", "stainless steel"], "instruction": "Find me high quality, easy carry shave & hair removal with stainless steel for hair removal, sensitive skin", "instruction_attributes": ["high quality", "easy carry", "stainless steel", "hair removal", "sensitive skin"]}, "B08XQWJX8P": {"attributes": ["eau toilette", "essential oils", "natural ingredients", "long lasting"], "instruction": "Find me long lasting men's fragrance with natural ingredients", "instruction_attributes": ["long lasting", "natural ingredients"]}, "B09NPZHTTY": {"attributes": ["hair styling", "hair scalp"]}, "B09Q3PZ8JK": {"attributes": ["body wash", "aloe vera"]}, "B09LVMQ1K6": {"attributes": []}, "B08KLLJJXG": {"attributes": ["cosmetic bag", "double sided"]}, "B095TRCDXW": {"attributes": ["skin care"]}, "B08276Q6PZ": {"attributes": ["storage box", "non toxic", "skin care"]}, "B091HFPLPW": {"attributes": ["face cream", "high quality"]}, "B001B4NFV0": {"attributes": ["spray women", "parfum spray", "eau parfum"]}, "B004Q5CYH2": {"attributes": ["anti perspirant"]}, "B06ZYJ4JHT": {"attributes": ["face mask"]}, "B089VWZB64": {"attributes": ["alcohol free", "natural ingredients", "long lasting"], "instruction": "Find me alcohol free, long lasting men's fragrance with natural ingredients", "instruction_attributes": ["alcohol free", "long lasting", "natural ingredients"]}, "B00NFV6V3Q": {"attributes": []}, "B00HTXJLL0": {"attributes": ["anti perspirant"]}, "B09MCF64RM": {"attributes": ["makeup bag", "cosmetic bag", "hair accessories", "eye shadow", "makeup brush", "high quality"], "instruction": "Find me high quality bags & cases for eye shadow", "instruction_attributes": ["high quality", "eye shadow"]}, "B08X93ZXR5": {"attributes": ["eau toilette"]}, "B09MDQ4HBT": {"attributes": ["argan oil"]}, "B09D842QY4": {"attributes": ["eye shadow", "easy clean"], "instruction": "Find me easy clean bags & cases for eye shadow", "instruction_attributes": ["easy clean", "eye shadow"]}, "B08936C8GH": {"attributes": ["high quality"]}, "B07ZKCYT47": {"attributes": ["oral care"]}, "B08329Z669": {"attributes": ["cruelty free"]}, "B09T33VS4Y": {"attributes": ["brush set", "makeup brush"]}, "B09BW4S48B": {"attributes": ["sensitive skin", "nail polish", "skin care"], "instruction": "Find me makeup remover for sensitive skin, nail polish", "instruction_attributes": ["sensitive skin", "nail polish"]}, "B083FBJVDY": {"attributes": []}, "B00T9U3NA6": {"attributes": ["hair removal"]}, "B07963ZMK6": {"attributes": []}, "B09BWQZ68V": {"attributes": ["dermatologist tested", "shea butter", "sensitive skin"], "instruction": "Find me dermatologist tested foot, hand & nail care for sensitive skin", "instruction_attributes": ["dermatologist tested", "sensitive skin"]}, "B08X31TV2P": {"attributes": ["antiperspirant deodorant"]}, "B09SHRV5JW": {"attributes": ["hair growth", "hair loss", "essential oils", "hair oil", "seed oil", "high quality"], "instruction": "Find me high quality hair loss products with seed oil for hair growth, hair loss", "instruction_attributes": ["high quality", "seed oil", "hair growth", "hair loss"]}, "B077D7RL4P": {"attributes": ["lip care", "professional makeup", "cruelty free"]}, "B07CYXLSF2": {"attributes": []}, "B007F4B69S": {"attributes": ["teeth whitening"]}, "B098824K9T": {"attributes": ["shower cap", "dry hair", "hair care", "easy use"], "instruction": "Find me easy use bathing accessories for dry hair", "instruction_attributes": ["easy use", "dry hair"]}, "B0895PSD5P": {"attributes": ["hair cutting", "stainless steel", "hair trimmer"], "instruction": "Find me hair cutting tools with stainless steel for hair cutting", "instruction_attributes": ["stainless steel", "hair cutting"]}, "B083YVHBXH": {"attributes": ["face wash", "high quality"]}, "B07BB1FJV8": {"attributes": ["long lasting", "high quality"], "instruction": "Find me long lasting, high quality hair loss products", "instruction_attributes": ["long lasting", "high quality"]}, "B08M6D6TVK": {"attributes": ["lip balm", "high quality"]}, "B08DZ2593Y": {"attributes": ["whitening toothpaste", "clinically proven", "teeth whitening"], "instruction": "Find me clinically proven, teeth whitening toothpaste", "instruction_attributes": ["clinically proven", "teeth whitening"]}, "B07LGBVH6L": {"attributes": ["easy apply"]}, "B084VWH12H": {"attributes": ["hair removal", "rose gold"], "instruction": "Find me mirrors with rose gold for hair removal", "instruction_attributes": ["rose gold", "hair removal"]}, "B07T3PZ3S9": {"attributes": ["hair care"]}, "B09F9DZFKL": {"attributes": ["water tank", "oral care"]}, "B008QA6YOC": {"attributes": ["argan oil", "makeup remover", "eye makeup", "essential oils"]}, "B09L1G6H5Z": {"attributes": ["green tea", "aloe vera", "non toxic", "easy use", "high quality"], "instruction": "Find me non toxic, easy use, high quality skin care tools with green tea", "instruction_attributes": ["non toxic", "easy use", "high quality", "green tea"]}, "B08DNGCK67": {"attributes": ["vanity mirror", "makeup mirror"]}, "B07HYCDLN6": {"attributes": []}, "B08WKMHTGH": {"attributes": ["eco friendly"]}, "B09B9QLDKD": {"attributes": ["dead skin", "stainless steel", "storage box", "easy clean"], "instruction": "Find me easy clean skin care sets & kits with stainless steel for dead skin", "instruction_attributes": ["easy clean", "stainless steel", "dead skin"]}, "B09G2F3HQ2": {"attributes": ["hair clips", "hair extensions", "natural hair", "easy use"], "instruction": "Find me easy use hair extensions, wigs & accessories for hair extensions, natural hair", "instruction_attributes": ["easy use", "hair extensions", "natural hair"]}, "B09T6FCCY9": {"attributes": ["stainless steel"]}, "B01N9HLYS1": {"attributes": ["travel size"]}, "B08XH9JMTG": {"attributes": ["oral hygiene", "non slip", "easy clean", "easy use"], "instruction": "Find me non slip, easy clean, easy use lip care for oral hygiene", "instruction_attributes": ["non slip", "easy clean", "easy use", "oral hygiene"]}, "B099F1NHY1": {"attributes": ["massage table"]}, "B09HPMWHM4": {"attributes": ["easy carry", "high quality"], "instruction": "Find me easy carry, high quality dental floss & picks", "instruction_attributes": ["easy carry", "high quality"]}, "B01N1T77OM": {"attributes": ["anti perspirant", "travel size", "long lasting"], "instruction": "Find me anti perspirant, travel size, long lasting deodorants & antiperspirants", "instruction_attributes": ["anti perspirant", "travel size", "long lasting"]}, "B01M0FH8J8": {"attributes": []}, "B00GUQZHJW": {"attributes": ["dry hair"]}, "B00IKXU4OQ": {"attributes": []}, "B07K23XNQN": {"attributes": []}, "B09GLMTMHM": {"attributes": ["high quality"]}, "B09MYFGDY5": {"attributes": ["eco friendly", "easy use", "high quality"], "instruction": "Find me eco friendly, easy use, high quality orthodontic supplies", "instruction_attributes": ["eco friendly", "easy use", "high quality"]}, "B09Q55JLCS": {"attributes": ["brush head", "teeth whitening", "easy use"], "instruction": "Find me teeth whitening, easy use children's dental care", "instruction_attributes": ["teeth whitening", "easy use"]}, "B09NSJX1WC": {"attributes": ["stainless steel", "high quality"], "instruction": "Find me high quality piercing & tattoo supplies with stainless steel", "instruction_attributes": ["high quality", "stainless steel"]}, "B005P0T90C": {"attributes": ["cruelty free", "permanent hair", "long lasting", "high quality"], "instruction": "Find me cruelty free, long lasting, high quality hair coloring products for permanent hair", "instruction_attributes": ["cruelty free", "long lasting", "high quality", "permanent hair"]}, "B08HVH2DZF": {"attributes": ["tattoo machine", "stainless steel", "easy use", "high quality"], "instruction": "Find me easy use, high quality piercing & tattoo supplies with stainless steel", "instruction_attributes": ["easy use", "high quality", "stainless steel"]}, "B08N16XC83": {"attributes": ["double sided", "makeup remover", "skin care", "easy use"], "instruction": "Find me double sided, easy use makeup remover", "instruction_attributes": ["double sided", "easy use"]}, "B085RG99KT": {"attributes": []}, "B09QMJ5KQH": {"attributes": ["hair extensions", "synthetic hair", "high quality"], "instruction": "Find me high quality hair extensions, wigs & accessories for hair extensions, synthetic hair", "instruction_attributes": ["high quality", "hair extensions", "synthetic hair"]}, "B00JISMSG4": {"attributes": ["shampoo conditioner"]}, "B074F9FBV3": {"attributes": []}, "B07144YPN6": {"attributes": ["hair scalp"]}, "B09GF68QPJ": {"attributes": ["long handle", "brush set", "brush head", "dead skin", "easy use"], "instruction": "Find me easy use bathing accessories with long handle for dead skin", "instruction_attributes": ["easy use", "long handle", "dead skin"]}, "B08FY843HB": {"attributes": ["dry skin", "face wash", "skin care"]}, "B09Q53YH1W": {"attributes": ["easy carry"]}, "B082WKKPDH": {"attributes": ["hair growth", "hair loss", "natural hair"], "instruction": "Find me hair loss products for hair growth, hair loss, natural hair", "instruction_attributes": ["hair growth", "hair loss", "natural hair"]}, "B093HFSQ3B": {"attributes": ["hair loss", "high quality"], "instruction": "Find me high quality hair extensions, wigs & accessories for hair loss", "instruction_attributes": ["high quality", "hair loss"]}, "B01LR85M1U": {"attributes": []}, "B099NJ5YRG": {"attributes": ["dark circles"]}, "B08XDKBH2P": {"attributes": []}, "B01BV3XRG8": {"attributes": []}, "B09MM9NCQQ": {"attributes": ["hair dryer", "hair extensions"]}, "B08FX48B6X": {"attributes": ["skin care", "anti aging", "sensitive skin"], "instruction": "Find me anti aging skin care tools for sensitive skin", "instruction_attributes": ["anti aging", "sensitive skin"]}, "B097TTFZ43": {"attributes": ["facial mask", "fine lines"]}, "B08SKT2TCH": {"attributes": ["skin care"]}, "B092CKF9YF": {"attributes": []}, "B09S3NVLCV": {"attributes": ["fresh breath", "bad breath", "whitening toothpaste", "sensitive teeth", "natural ingredients"], "instruction": "Find me toothpaste with natural ingredients for fresh breath, bad breath, sensitive teeth", "instruction_attributes": ["natural ingredients", "fresh breath", "bad breath", "sensitive teeth"]}, "B09GP6G1MT": {"attributes": ["cutting scissors", "hair cutting", "high quality", "non slip", "stainless steel"], "instruction": "Find me high quality, non slip hair cutting tools with stainless steel for hair cutting", "instruction_attributes": ["high quality", "non slip", "stainless steel", "hair cutting"]}, "B09LLRSWF4": {"attributes": ["hair accessories", "high quality"]}, "B00Q5DO1KQ": {"attributes": []}, "B082T4FKHD": {"attributes": ["fine lines"]}, "B00NYLV8EY": {"attributes": []}, "B07FLKB8CV": {"attributes": ["hair styling", "natural ingredients"], "instruction": "Find me hair loss products with natural ingredients for hair styling", "instruction_attributes": ["natural ingredients", "hair styling"]}, "B087TR48KK": {"attributes": ["hair trimmer", "non slip", "stainless steel"], "instruction": "Find me non slip shave & hair removal with stainless steel", "instruction_attributes": ["non slip", "stainless steel"]}, "B083WSK6F2": {"attributes": ["dead skin", "double sided", "dry skin"], "instruction": "Find me double sided bathing accessories for dead skin, dry skin", "instruction_attributes": ["double sided", "dead skin", "dry skin"]}, "B004RK7I2W": {"attributes": ["long lasting"]}, "B01L2JKW6E": {"attributes": []}, "B095SX6366": {"attributes": ["high quality"]}, "B07ZR54L56": {"attributes": []}, "B09NSMMHTY": {"attributes": ["eye shadow", "makeup palette", "long lasting", "easy use", "high quality"], "instruction": "Find me long lasting, easy use, high quality makeup palettes for eye shadow", "instruction_attributes": ["long lasting", "easy use", "high quality", "eye shadow"]}, "B09NRWND4H": {"attributes": ["makeup palette", "high quality", "eyeshadow palette", "stainless steel", "easy use"], "instruction": "Find me high quality, easy use makeup palettes with stainless steel", "instruction_attributes": ["high quality", "easy use", "stainless steel"]}, "B07H35M2PY": {"attributes": ["professional makeup"]}, "B00X2UAMXU": {"attributes": []}, "B0936C6MBM": {"attributes": ["fragrance free", "sensitive skin"], "instruction": "Find me fragrance free women's fragrance for sensitive skin", "instruction_attributes": ["fragrance free", "sensitive skin"]}, "B09PY89B1S": {"attributes": ["hair growth", "hair loss"], "instruction": "Find me hair loss products for hair growth, hair loss", "instruction_attributes": ["hair growth", "hair loss"]}, "B078FL4788": {"attributes": ["hair oil", "olive oil", "essential oils", "hair growth", "hair loss"], "instruction": "Find me hair treatment oils for hair growth, hair loss", "instruction_attributes": ["hair growth", "hair loss"]}, "B09M7M1YB3": {"attributes": ["non toxic", "easy clean"], "instruction": "Find me non toxic, easy clean refillable containers", "instruction_attributes": ["non toxic", "easy clean"]}, "B08BV94TBP": {"attributes": ["long handle", "bath brush", "dry skin"], "instruction": "Find me bath & bathing accessories with long handle for dry skin", "instruction_attributes": ["long handle", "dry skin"]}, "B09GW3N8TF": {"attributes": ["whitening toothpaste", "teeth whitening", "coconut oil", "bad breath"], "instruction": "Find me teeth whitening toothpaste with coconut oil for bad breath", "instruction_attributes": ["teeth whitening", "coconut oil", "bad breath"]}, "B07B6DVG41": {"attributes": ["damaged hair", "sulfate free", "hyaluronic acid", "coconut oil", "hair growth", "hair loss", "paraben free"], "instruction": "Find me sulfate free, paraben free shampoo & conditioner with hyaluronic acid, coconut oil for damaged hair, hair growth, hair loss", "instruction_attributes": ["sulfate free", "paraben free", "hyaluronic acid", "coconut oil", "damaged hair", "hair growth", "hair loss"]}, "B09RFDP1C3": {"attributes": ["green tea", "face cream", "hyaluronic acid", "natural ingredients", "cruelty free"], "instruction": "Find me cruelty free skin care sets & kits with green tea, hyaluronic acid, natural ingredients", "instruction_attributes": ["cruelty free", "green tea", "hyaluronic acid", "natural ingredients"]}, "B08FMSRJRP": {"attributes": ["long lasting"]}, "B09FFV98FY": {"attributes": ["permanent hair"]}, "B09B1M51SK": {"attributes": ["makeup mirror", "easy use"]}, "B087Y28XLM": {"attributes": ["animal testing", "dry skin", "paraben free"], "instruction": "Find me animal testing, paraben free body care for dry skin", "instruction_attributes": ["animal testing", "paraben free", "dry skin"]}, "B09L4WSCBS": {"attributes": ["long lasting", "eau parfum"]}, "B07CYS9J9N": {"attributes": ["stainless steel"]}, "B09GXPBPLG": {"attributes": ["oral hygiene"]}, "B09LQHW84R": {"attributes": ["oral care", "brush head", "high quality"]}, "B084DF7NLZ": {"attributes": ["eau parfum", "long lasting"]}, "B01IA9EC06": {"attributes": []}, "B09G9V3G1N": {"attributes": ["easy carry", "easy use"], "instruction": "Find me easy carry, easy use sets fragrance", "instruction_attributes": ["easy carry", "easy use"]}, "B00UYJEU8A": {"attributes": ["lip gloss"]}, "B09QMGM5S3": {"attributes": ["essential oils", "easy clean", "easy use"], "instruction": "Find me easy clean, easy use makeup remover", "instruction_attributes": ["easy clean", "easy use"]}, "B085GLK7X4": {"attributes": []}, "B09KCF4KPT": {"attributes": ["shampoo conditioner"]}, "B08RCVFMQ7": {"attributes": ["eye shadow", "highly pigmented", "eye makeup", "eyeshadow palette", "professional makeup", "long lasting"], "instruction": "Find me highly pigmented, long lasting makeup palettes for eye shadow", "instruction_attributes": ["highly pigmented", "long lasting", "eye shadow"]}, "B01NB94BQO": {"attributes": []}, "B09S2Z2GMJ": {"attributes": ["hair clipper"]}, "B09RYN5ZS7": {"attributes": ["high quality"]}, "B09CTMLF8X": {"attributes": ["face wash", "sensitive skin", "eye makeup", "anti aging"], "instruction": "Find me anti aging makeup remover for sensitive skin", "instruction_attributes": ["anti aging", "sensitive skin"]}, "B000JS0V70": {"attributes": ["natural ingredients", "skin care"]}, "B099F89JTZ": {"attributes": []}, "B07VTR9SYD": {"attributes": []}, "B09JNRTFGQ": {"attributes": ["stainless steel", "nail clippers", "high quality", "travel size"], "instruction": "Find me high quality, travel size foot, hand & nail care with stainless steel", "instruction_attributes": ["high quality", "travel size", "stainless steel"]}, "B09R4RJSFP": {"attributes": ["hair mask", "dry hair", "hair care", "hair treatment", "hair scalp", "natural hair", "hair growth"], "instruction": "Find me hair masks for dry hair, hair treatment, natural hair, hair growth", "instruction_attributes": ["dry hair", "hair treatment", "natural hair", "hair growth"]}, "B09NLZFMRG": {"attributes": ["bath towel", "dead skin", "easy clean"], "instruction": "Find me easy clean bathing accessories for dead skin", "instruction_attributes": ["easy clean", "dead skin"]}, "B075GC6LWC": {"attributes": ["cruelty free"]}, "B0892Y9F83": {"attributes": ["stainless steel", "false eyelashes", "easy use", "high quality"], "instruction": "Find me easy use, high quality makeup remover with stainless steel", "instruction_attributes": ["easy use", "high quality", "stainless steel"]}, "B09P7XL5RF": {"attributes": ["hair dye", "easy use"], "instruction": "Find me easy use hair coloring products for hair dye", "instruction_attributes": ["easy use", "hair dye"]}, "B08CV24121": {"attributes": ["tattoo machine"]}, "B01LM6W7Z6": {"attributes": ["nail polish", "nail art"], "instruction": "Find me eyes makeup for nail polish, nail art", "instruction_attributes": ["nail polish", "nail art"]}, "B08QDRGTDY": {"attributes": ["spray women", "parfum spray"]}, "B0816QM13S": {"attributes": ["hair accessories", "hair extensions"]}, "B083TZ4JSR": {"attributes": ["hair brush", "hair loss"]}, "B09DD2C1XD": {"attributes": ["easy carry"]}, "B09FYBZNQL": {"attributes": ["damaged hair", "hair treatment", "hair mask", "dry hair", "hair care"], "instruction": "Find me hair masks for damaged hair, hair treatment, dry hair", "instruction_attributes": ["damaged hair", "hair treatment", "dry hair"]}, "B08532HWVM": {"attributes": ["travel bottles", "leak proof", "body wash", "shampoo conditioner"], "instruction": "Find me leak proof refillable containers with travel bottles", "instruction_attributes": ["leak proof", "travel bottles"]}, "B09JT3Z6JV": {"attributes": ["brush head", "sensitive teeth", "high quality", "teeth whitening", "quality materials"], "instruction": "Find me high quality, teeth whitening children's dental care with quality materials for sensitive teeth", "instruction_attributes": ["high quality", "teeth whitening", "quality materials", "sensitive teeth"]}, "B09MS5RTDD": {"attributes": ["hair clips"]}, "B07VJ8R4HY": {"attributes": ["compact mirror", "makeup mirror", "high quality"]}, "B0046VILG4": {"attributes": []}, "B07MJGQ6NK": {"attributes": []}, "B08DK9WBQL": {"attributes": ["vanity mirror", "eye makeup", "makeup mirror"]}, "B07CKTXS1J": {"attributes": ["coconut oil", "shea butter"]}, "B08X4YD5WH": {"attributes": ["hair loss", "high quality"], "instruction": "Find me high quality hair extensions, wigs & accessories for hair loss", "instruction_attributes": ["high quality", "hair loss"]}, "B09MSZ4VS8": {"attributes": []}, "B08Q42DTN1": {"attributes": ["olive oil", "essential oils", "oil free", "plant based", "hair scalp", "shampoo conditioner", "paraben free"], "instruction": "Find me oil free, plant based, paraben free shampoo & conditioner", "instruction_attributes": ["oil free", "plant based", "paraben free"]}, "B08ZKDQPZ3": {"attributes": ["hair extensions", "easy use"], "instruction": "Find me easy use body care for hair extensions", "instruction_attributes": ["easy use", "hair extensions"]}, "B0065YIB8I": {"attributes": ["easy use", "clinically proven", "paraben free", "sensitive skin"], "instruction": "Find me easy use, clinically proven, paraben free body care for sensitive skin", "instruction_attributes": ["easy use", "clinically proven", "paraben free", "sensitive skin"]}, "B08G14B779": {"attributes": ["face wash", "dry hair", "high quality"], "instruction": "Find me high quality bathing accessories for dry hair", "instruction_attributes": ["high quality", "dry hair"]}, "B09CV5GPJ2": {"attributes": ["toiletry bag", "travel size", "makeup brush", "high quality"], "instruction": "Find me travel size, high quality skin care sets & kits", "instruction_attributes": ["travel size", "high quality"]}, "B0927BXC6B": {"attributes": ["eye shadow", "high quality", "easy carry"], "instruction": "Find me high quality, easy carry eyes makeup for eye shadow", "instruction_attributes": ["high quality", "easy carry", "eye shadow"]}, "B094QGVQLK": {"attributes": ["non slip"]}, "B015CSUKG8": {"attributes": []}, "B09CGNH5XT": {"attributes": ["makeup mirror", "false eyelashes", "easy apply"]}, "B07S8JZJ6Y": {"attributes": ["oral hygiene"]}, "B0874Y2KJR": {"attributes": ["non alcoholic"]}, "B09LM3H2F5": {"attributes": ["white chocolate", "hand crafted", "dark chocolate", "milk chocolate", "gift set", "valentine day", "sea salt"], "instruction": "Find me hand crafted candy & chocolate for gift set, valentine day", "instruction_attributes": ["hand crafted", "gift set", "valentine day"]}, "B00IB6AW4Y": {"attributes": []}, "B097F54DT8": {"attributes": ["fully cooked", "freeze dried", "shelf stable", "ready eat"], "instruction": "Find me fully cooked, freeze dried, shelf stable, ready eat fresh meal kits", "instruction_attributes": ["fully cooked", "freeze dried", "shelf stable", "ready eat"]}, "B01J5J2RPW": {"attributes": []}, "B004L4D6FW": {"attributes": ["tea bags"]}, "B0121IVA5W": {"attributes": []}, "B086VP8Q9T": {"attributes": ["herbs spices", "artificial ingredients", "quality ingredients", "non gmo", "gluten free"], "instruction": "Find me artificial ingredients, non gmo, gluten free meat & seafood with quality ingredients", "instruction_attributes": ["artificial ingredients", "non gmo", "gluten free", "quality ingredients"]}, "B00B04344Y": {"attributes": ["rich creamy", "ready use"], "instruction": "Find me rich creamy, ready use deli & prepared foods", "instruction_attributes": ["rich creamy", "ready use"]}, "B07KK49655": {"attributes": ["non alcoholic"]}, "B07SDSG3TT": {"attributes": []}, "B09NX4RGK7": {"attributes": ["plant based", "artificial flavors"], "instruction": "Find me plant based meat & seafood with artificial flavors", "instruction_attributes": ["plant based", "artificial flavors"]}, "B000SKM4CE": {"attributes": []}, "B00N6Y8ORI": {"attributes": ["keto friendly", "dietary fiber", "easy prepare", "low carb", "artificial flavors"], "instruction": "Find me keto friendly, easy prepare, low carb frozen with dietary fiber, artificial flavors", "instruction_attributes": ["keto friendly", "easy prepare", "low carb", "dietary fiber", "artificial flavors"]}, "B08QRKJWW9": {"attributes": ["great gift"]}, "B003I567W4": {"attributes": ["sea salt", "gluten free", "protein serving", "healthy snack"], "instruction": "Find me gluten free, protein serving pantry staples", "instruction_attributes": ["gluten free", "protein serving"]}, "B07BHQ6ZFT": {"attributes": ["peanut butter"]}, "B08WR7WFGM": {"attributes": []}, "B07Z4G8253": {"attributes": ["potato chips", "sour cream"]}, "B08Z3PLHLL": {"attributes": ["black tea", "brown sugar"]}, "B09M4C31FL": {"attributes": ["brown rice", "sugar free"]}, "B00HWHS3ZS": {"attributes": ["source vitamin", "fat free"], "instruction": "Find me fat free applesauce & fruit cups with source vitamin", "instruction_attributes": ["fat free", "source vitamin"]}, "B000VDV2F8": {"attributes": ["herbs spices"]}, "B08X6N3L2Z": {"attributes": ["low sugar"]}, "B07XRDD75B": {"attributes": ["certified organic", "dietary fiber", "high protein", "gluten free"], "instruction": "Find me certified organic, high protein, gluten free breakfast foods with dietary fiber", "instruction_attributes": ["certified organic", "high protein", "gluten free", "dietary fiber"]}, "B00CQ7PQYU": {"attributes": ["usda organic", "gluten free"], "instruction": "Find me usda organic, gluten free cream cheeses", "instruction_attributes": ["usda organic", "gluten free"]}, "B08ZHP2QQG": {"attributes": ["mac cheese", "sour cream"]}, "B07VQJM594": {"attributes": ["plant based", "herbs spices", "resealable bag"], "instruction": "Find me plant based meat substitutes with resealable bag", "instruction_attributes": ["plant based", "resealable bag"]}, "B015PWVRPO": {"attributes": ["dietary fiber", "dried fruit", "vitamins minerals", "non gmo"], "instruction": "Find me non gmo dried fruits & raisins with dietary fiber", "instruction_attributes": ["non gmo", "dietary fiber"]}, "B09JPCC7MJ": {"attributes": []}, "B09CDRQGLS": {"attributes": []}, "B07VVGKHLH": {"attributes": ["kosher certified"]}, "B000YG3DWC": {"attributes": ["protein serving", "quality ingredients"], "instruction": "Find me protein serving meat substitutes with quality ingredients", "instruction_attributes": ["protein serving", "quality ingredients"]}, "B09K4S16YT": {"attributes": ["chocolate covered", "milk chocolate"]}, "B08LQZ5BRC": {"attributes": ["plant based", "dairy free", "gluten free"], "instruction": "Find me plant based, dairy free, gluten free breakfast foods", "instruction_attributes": ["plant based", "dairy free", "gluten free"]}, "B07L5T94C5": {"attributes": ["artificial flavors"]}, "B08P28NXH3": {"attributes": ["cheddar cheese", "grain free", "artificial ingredients", "low calorie", "high protein", "low carb", "non gmo", "gluten free"], "instruction": "Find me grain free, artificial ingredients, low calorie, high protein, low carb, non gmo, gluten free puffed snacks", "instruction_attributes": ["grain free", "artificial ingredients", "low calorie", "high protein", "low carb", "non gmo", "gluten free"]}, "B08SFVL56K": {"attributes": ["fructose corn", "high fructose"]}, "B004PCJTR4": {"attributes": ["beef jerky", "old fashioned", "protein serving", "keto friendly"], "instruction": "Find me old fashioned, protein serving, keto friendly meat substitutes", "instruction_attributes": ["old fashioned", "protein serving", "keto friendly"]}, "B08NYTKYSS": {"attributes": []}, "B014HKGM9Q": {"attributes": []}, "B07WDRM4HG": {"attributes": ["cream cheese", "perfect gift"]}, "B073WX1ZSK": {"attributes": []}, "B09RLQR5NP": {"attributes": ["peanut butter"]}, "B085RRL27J": {"attributes": ["white cheddar", "soy free", "plant based", "dairy free", "artificial flavors", "non gmo", "gluten free"], "instruction": "Find me soy free, plant based, dairy free, non gmo, gluten free wasabi peas with artificial flavors", "instruction_attributes": ["soy free", "plant based", "dairy free", "non gmo", "gluten free", "artificial flavors"]}, "B00FBPHZKC": {"attributes": []}, "B07HYF111T": {"attributes": ["simple ingredients", "peanut butter", "low carb", "grain free", "chocolate covered", "low sugar", "gluten free", "healthy snack", "dark chocolate", "dairy free"], "instruction": "Find me low carb, grain free, chocolate covered, low sugar, gluten free, dairy free granola & nutrition bars with simple ingredients", "instruction_attributes": ["low carb", "grain free", "chocolate covered", "low sugar", "gluten free", "dairy free", "simple ingredients"]}, "B09FNLS51H": {"attributes": []}, "B08W2XSDST": {"attributes": ["resealable bag", "hot chocolate", "fat free"], "instruction": "Find me fat free puffed snacks with resealable bag", "instruction_attributes": ["fat free", "resealable bag"]}, "B084GWS59P": {"attributes": ["plant based", "high protein", "non gmo", "gluten free"], "instruction": "Find me plant based, high protein, non gmo, gluten free meat substitutes", "instruction_attributes": ["plant based", "high protein", "non gmo", "gluten free"]}, "B08WKT3X4Z": {"attributes": ["trail mix"]}, "B00GMQ4WRI": {"attributes": []}, "B08BPTT8MX": {"attributes": ["vitamins minerals", "non gmo", "gluten free"], "instruction": "Find me non gmo, gluten free food & beverage gifts", "instruction_attributes": ["non gmo", "gluten free"]}, "B09R8RN6S5": {"attributes": []}, "B08W2WTW4Z": {"attributes": ["cake decorations", "party supplies", "ice cream"]}, "B097DSB79F": {"attributes": ["real cheese", "protein serving", "natural ingredients", "artificial flavors"], "instruction": "Find me protein serving meat snacks with natural ingredients, artificial flavors", "instruction_attributes": ["protein serving", "natural ingredients", "artificial flavors"]}, "B09FK6LQ59": {"attributes": ["ice cream", "resealable bag"]}, "B07G2SC9HW": {"attributes": ["artificial flavors"]}, "B08PBDHVN8": {"attributes": ["cupcake toppers", "baby shower"]}, "B07JHNMLN9": {"attributes": ["gift set", "green tea"]}, "B0015DH8AQ": {"attributes": ["peanut butter"]}, "B09LDGGBS8": {"attributes": []}, "B07XP6DGJH": {"attributes": []}, "B0916MNM1W": {"attributes": ["milk chocolate", "dark chocolate"]}, "B004K6B5TK": {"attributes": []}, "B003QB1A72": {"attributes": []}, "B07KYC4B45": {"attributes": ["quality ingredients"]}, "B085LSKHM6": {"attributes": ["drink mix", "zero sugar"]}, "B002AO9GSG": {"attributes": []}, "B09KRL9W5C": {"attributes": []}, "B07VT81LP5": {"attributes": []}, "B072MR7PPJ": {"attributes": ["resealable bag"]}, "B07PGQKDFD": {"attributes": []}, "B073J29HJW": {"attributes": []}, "B00VQJ07CA": {"attributes": ["perfect gift", "dark chocolate"]}, "B07BBQDRDR": {"attributes": ["wild caught"]}, "B07L6PR5WS": {"attributes": []}, "B088WFD1XQ": {"attributes": ["hot chocolate", "easy prepare", "milk chocolate"]}, "B00NCSNO78": {"attributes": []}, "B01LA37T1S": {"attributes": []}, "B00EY177C0": {"attributes": []}, "B00DL08RWY": {"attributes": []}, "B00UETYYV8": {"attributes": ["milk chocolate", "individually wrapped"]}, "B001LDRMVU": {"attributes": []}, "B07D21HNGZ": {"attributes": []}, "B07M5VGSW1": {"attributes": ["fructose corn", "high fructose"]}, "B07TVMCK3F": {"attributes": ["baby shower", "cupcake toppers", "cupcake picks", "birthday party", "ice cream"], "instruction": "Find me toothpicks for baby shower, cupcake picks, birthday party", "instruction_attributes": ["baby shower", "cupcake picks", "birthday party"]}, "B079Z5V2WK": {"attributes": ["ice cream"]}, "B09PNJC838": {"attributes": ["cupcake toppers", "valentine day", "baby shower"], "instruction": "Find me toothpicks for valentine day, baby shower", "instruction_attributes": ["valentine day", "baby shower"]}, "B09D4L5H3V": {"attributes": []}, "B076R28M2M": {"attributes": []}, "B07FYPSNH8": {"attributes": ["nut free", "soy free", "plant based", "lactose free", "cane sugar", "low sugar", "gluten free", "shelf stable", "artificial colors", "dairy free", "non gmo"], "instruction": "Find me nut free, soy free, plant based, lactose free, low sugar, gluten free, shelf stable, dairy free, non gmo beverages with artificial colors", "instruction_attributes": ["nut free", "soy free", "plant based", "lactose free", "low sugar", "gluten free", "shelf stable", "dairy free", "non gmo", "artificial colors"]}, "B07YPYJ32Z": {"attributes": []}, "B07FM9K5S3": {"attributes": ["low calorie"]}, "B01LXP39SN": {"attributes": ["gift set"]}, "B00V57WXMU": {"attributes": []}, "B01N37FSYX": {"attributes": ["non gmo", "gluten free", "easy use", "natural ingredients"], "instruction": "Find me non gmo, gluten free, easy use cheeses with natural ingredients", "instruction_attributes": ["non gmo", "gluten free", "easy use", "natural ingredients"]}, "B07YL7L9BF": {"attributes": []}, "B00DGDBYQC": {"attributes": []}, "B08RJ279HW": {"attributes": ["easy use"]}, "B004PD3K46": {"attributes": ["hot chocolate"]}, "B000V53HHC": {"attributes": []}, "B00D4NQQ7G": {"attributes": []}, "B01ITTAW1U": {"attributes": []}, "B09DXD6LLB": {"attributes": []}, "B00BT1QVW0": {"attributes": []}, "B08SFMB8YZ": {"attributes": []}, "B00390ALA2": {"attributes": []}, "B08QTTR98M": {"attributes": []}, "B0198VF30I": {"attributes": ["baked goods"]}, "B079ZBPR2X": {"attributes": []}, "B085W9G2QY": {"attributes": ["wheat flour", "quality ingredients"]}, "B09DBYG4XD": {"attributes": ["gmo free", "olive oil", "gluten free", "kosher certified", "non gmo"], "instruction": "Find me gmo free, gluten free, kosher certified, non gmo snack food gifts", "instruction_attributes": ["gmo free", "gluten free", "kosher certified", "non gmo"]}, "B002C56QX6": {"attributes": ["0g trans", "gluten free"], "instruction": "Find me gluten free snack crackers with 0g trans", "instruction_attributes": ["gluten free", "0g trans"]}, "B07F1JDWJP": {"attributes": ["non gmo", "keto friendly"], "instruction": "Find me non gmo, keto friendly milks & creams", "instruction_attributes": ["non gmo", "keto friendly"]}, "B009LHWYO8": {"attributes": []}, "B0017WNF34": {"attributes": ["milk chocolate"]}, "B07GH3J1Z1": {"attributes": ["blu ray", "ultra hd", "remote control"], "instruction": "Find me blu ray, ultra hd blu-ray players & recorders", "instruction_attributes": ["blu ray", "ultra hd"]}, "B07CZPMFQ2": {"attributes": ["replacement remote", "remote control"]}, "B08533PJ4S": {"attributes": ["power cord", "home theater", "ultra hd", "extension cable", "power cable", "ac power", "sound bar"]}, "B07YN72RH4": {"attributes": ["high resolution", "usb port"], "instruction": "Find me high resolution multiroom wireless systems with usb port", "instruction_attributes": ["high resolution", "usb port"]}, "B08GL4GB2M": {"attributes": ["blu ray", "home theater"]}, "B09KGN7XF4": {"attributes": ["flash drive", "micro usb"]}, "B09J4RS3V1": {"attributes": ["tv box"]}, "B00LT8T9F4": {"attributes": []}, "B07Q8JM1JZ": {"attributes": ["certified refurbished", "hard drive"]}, "B09LSKQF8C": {"attributes": ["dual band", "voice control", "quad core"], "instruction": "Find me dual band streaming media players with quad core", "instruction_attributes": ["dual band", "quad core"]}, "B074DVCKHB": {"attributes": ["ac adapter", "ac power", "power cord"]}, "B00R249C5G": {"attributes": []}, "B09FYXV44L": {"attributes": ["volume control", "hands free"]}, "B09NMZS7HK": {"attributes": ["high performance", "home theater"]}, "B08QSNM69H": {"attributes": ["blu ray", "gold plated", "high speed", "dvd player", "heavy duty", "hdmi cable"], "instruction": "Find me blu ray, gold plated, high speed, heavy duty hdmi cables", "instruction_attributes": ["blu ray", "gold plated", "high speed", "heavy duty"]}, "B091GHBJZ1": {"attributes": []}, "B08R8K8H6S": {"attributes": ["replacement remote", "home theater", "remote control", "power supply"]}, "B001IGMS28": {"attributes": []}, "B00JIKV6E2": {"attributes": []}, "B09KQNH5C6": {"attributes": ["stereo sound", "volume control", "sd card"]}, "B08FZDJRQ7": {"attributes": ["portable bluetooth", "hands free", "bluetooth speaker"]}, "B01C8RQ1NM": {"attributes": []}, "B08YWKVNLT": {"attributes": ["bird watching", "easy use", "carrying case", "high power", "night vision"], "instruction": "Find me easy use, high power binoculars & scopes with carrying case for bird watching", "instruction_attributes": ["easy use", "high power", "carrying case", "bird watching"]}, "B089ZJ7H1N": {"attributes": ["wireless charging", "heavy duty"], "instruction": "Find me heavy duty power protection for wireless charging", "instruction_attributes": ["heavy duty", "wireless charging"]}, "B09BKMRMDV": {"attributes": ["power cable", "dvd player", "blu ray", "plug play"], "instruction": "Find me blu ray, plug play hdmi cables", "instruction_attributes": ["blu ray", "plug play"]}, "B0912JD5KF": {"attributes": ["mobile phone"]}, "B07ZYVWCZ7": {"attributes": ["tempered glass", "heavy duty", "home theater"], "instruction": "Find me heavy duty television accessories with tempered glass", "instruction_attributes": ["heavy duty", "tempered glass"]}, "B01BCOAE7G": {"attributes": ["non slip"]}, "B08YQKXLVG": {"attributes": ["bird watching", "high power", "non slip"], "instruction": "Find me high power, non slip binoculars & scopes for bird watching", "instruction_attributes": ["high power", "non slip", "bird watching"]}, "B09QMPV75P": {"attributes": ["flash drive", "usb flash", "usb port", "mobile phone", "pro max", "iphone pro", "high speed"], "instruction": "Find me high speed flashes with usb port", "instruction_attributes": ["high speed", "usb port"]}, "B00VI88X7U": {"attributes": ["power amplifier", "hands free", "usb port"], "instruction": "Find me power amplifier, hands free av receivers & amplifiers with usb port", "instruction_attributes": ["power amplifier", "hands free", "usb port"]}, "B08SM5R231": {"attributes": ["cd player", "ac power", "power cord", "fm radio", "wireless bluetooth", "extension cable", "power cable"]}, "B00OHHTTVS": {"attributes": []}, "B0912FQSMT": {"attributes": ["bluetooth audio"]}, "B08NFLLK8P": {"attributes": []}, "B08XXDGPKR": {"attributes": []}, "B08YNRQSBL": {"attributes": ["bird watching", "heavy duty", "high definition"], "instruction": "Find me heavy duty, high definition binoculars & scopes for bird watching", "instruction_attributes": ["heavy duty", "high definition", "bird watching"]}, "B00O19GGSG": {"attributes": []}, "B08Q3FW68R": {"attributes": ["home theater"]}, "B08HR1P3Z9": {"attributes": ["power cable"]}, "B08H22ZV67": {"attributes": ["dvd vcr", "gold plated"]}, "B09G2ZL7CP": {"attributes": ["touch screen", "lcd screen"]}, "B07FMR5JGX": {"attributes": ["easy install"]}, "B075ZH94L7": {"attributes": ["dvd vcr", "tv remote", "remote control"]}, "B09RZRQVGT": {"attributes": ["home theater", "high definition"]}, "B0972M4N2W": {"attributes": ["power cord", "ac power"]}, "B09CPZH548": {"attributes": ["pro max", "iphone pro", "power bank", "wireless charging", "usb cable"]}, "B07S7D6RQC": {"attributes": []}, "B007PCP2OU": {"attributes": []}, "B07DTWJYND": {"attributes": ["carbon fiber"]}, "B01F3JGOWA": {"attributes": ["carbon fiber"]}, "B096L3FNMR": {"attributes": ["dvd player", "power amplifier", "fm radio", "wireless bluetooth", "remote control"], "instruction": "Find me power amplifier av receivers & amplifiers for wireless bluetooth", "instruction_attributes": ["power amplifier", "wireless bluetooth"]}, "B001GCVA0U": {"attributes": []}, "B09GVF8WWY": {"attributes": ["dvd vcr", "ac power", "power cord", "home theater"]}, "B09B4YH4RG": {"attributes": ["sound bar", "home theater", "power cord", "hdmi cable", "usb port", "plug play", "power supply", "remote control"], "instruction": "Find me plug play soundbars with usb port", "instruction_attributes": ["plug play", "usb port"]}, "B09P8JXLSY": {"attributes": ["alarm clock", "power bank"]}, "B0978LGNMN": {"attributes": ["output protection", "cd player", "ac power", "power cord"]}, "B09KG58GWJ": {"attributes": ["alarm clock", "memory card", "bluetooth speaker", "usb port"]}, "B006G5CYAM": {"attributes": []}, "B01M7U6F8T": {"attributes": ["pro max", "cell phone", "phone holder", "iphone pro", "aluminum alloy", "mobile phone"]}, "B085VFMXMZ": {"attributes": ["flash drive"]}, "B074PBDJG9": {"attributes": ["home theater", "high performance", "high speed", "easy install"], "instruction": "Find me high performance, high speed, easy install surround sound systems", "instruction_attributes": ["high performance", "high speed", "easy install"]}, "B088KSY32D": {"attributes": []}, "B09H2NB41N": {"attributes": ["projector screen", "projection screen", "movie screen", "home theater"]}, "B09Q6CZ59K": {"attributes": ["dvd player", "plug play", "easy use"], "instruction": "Find me plug play, easy use turntables", "instruction_attributes": ["plug play", "easy use"]}, "B07XTQ1ZMN": {"attributes": []}, "B09PKHJN8P": {"attributes": ["light weight", "aluminum alloy", "easy carry"], "instruction": "Find me light weight, easy carry underwater photography with aluminum alloy", "instruction_attributes": ["light weight", "easy carry", "aluminum alloy"]}, "B09P147DN2": {"attributes": ["1080p hd"]}, "B082HFQM2B": {"attributes": []}, "B09H6G6PT9": {"attributes": ["remote control", "replacement remote", "home theater"]}, "B086DK24K2": {"attributes": []}, "B087C56PZQ": {"attributes": ["power supply"]}, "B074J81XRB": {"attributes": ["power supply", "power amplifier", "power adapter", "power cord"]}, "B08ZNVVZ91": {"attributes": ["wireless bluetooth", "bluetooth speaker"]}, "B083HXHG75": {"attributes": ["glass screen", "tempered glass", "screen protector", "case cover", "heavy duty"], "instruction": "Find me heavy duty video glasses with glass screen, tempered glass, case cover", "instruction_attributes": ["heavy duty", "glass screen", "tempered glass", "case cover"]}, "B097PCJMP5": {"attributes": ["high speed", "easy use"], "instruction": "Find me high speed, easy use printers & scanners", "instruction_attributes": ["high speed", "easy use"]}, "B07JMMM1B5": {"attributes": ["canon eos", "dslr camera"]}, "B08HWG1NFW": {"attributes": ["remote control", "dvd vcr", "replacement remote"]}, "B0932C11QQ": {"attributes": ["power amplifier", "fm radio", "aluminum alloy", "easy use"], "instruction": "Find me power amplifier, easy use receivers & amplifiers with aluminum alloy", "instruction_attributes": ["power amplifier", "easy use", "aluminum alloy"]}, "B004HO58MA": {"attributes": ["optical zoom", "touch screen", "digital camera", "high speed"], "instruction": "Find me high speed digital cameras with optical zoom", "instruction_attributes": ["high speed", "optical zoom"]}, "B09J8772MN": {"attributes": ["mobile phone", "car audio"]}, "B09476F64C": {"attributes": ["projection screen", "projector screen", "home theater"]}, "B09HK6JF63": {"attributes": ["macbook pro", "ac adapter", "power adapter"]}, "B08TGMZX1F": {"attributes": ["smart watch", "touch screen", "usb cable"]}, "B07QL67W9Y": {"attributes": ["camera lens"]}, "B09SJ5YGMZ": {"attributes": ["dvd player", "projector screen", "mobile phone", "plug play"]}, "B000EMWBV0": {"attributes": ["optical zoom"]}, "B07QB4BV5W": {"attributes": ["tv antenna"]}, "B001P06Q0W": {"attributes": ["optical zoom", "digital camera"]}, "B07YFF7B78": {"attributes": []}, "B07YCGBPRD": {"attributes": ["pro max", "iphone pro", "screen protector", "tempered glass", "easy install"], "instruction": "Find me easy install screen protectors with tempered glass", "instruction_attributes": ["easy install", "tempered glass"]}, "B095C2ZMTX": {"attributes": ["remote control", "audio cable", "sound bar", "wireless bluetooth", "home theater"]}, "B08GKZNTHK": {"attributes": ["non slip", "aluminum alloy", "digital camera"], "instruction": "Find me non slip mounts with aluminum alloy", "instruction_attributes": ["non slip", "aluminum alloy"]}, "B09J5HJ8DL": {"attributes": ["flash drive", "ipad pro", "dslr camera", "usb flash"]}, "B07L5XKY24": {"attributes": ["vr headset", "ac adapter"]}, "B01MQH5VGR": {"attributes": ["gold plated", "hdmi cable", "high speed"], "instruction": "Find me gold plated, high speed hdmi cables", "instruction_attributes": ["gold plated", "high speed"]}, "B09NLX1BC4": {"attributes": ["smart watch", "touch screen"]}, "B092W6WNH4": {"attributes": ["wireless earbuds", "charging case"]}, "B001PTGCD4": {"attributes": ["wireless headset", "bluetooth headset"]}, "B00VC425OM": {"attributes": ["tv remote", "remote control"]}, "B003FPD3IS": {"attributes": ["volume control"]}, "B00OFQR8D2": {"attributes": ["quad core"]}, "B01E9OPWUU": {"attributes": ["ac adapter"]}, "B09B7551X2": {"attributes": ["apple watch", "easy install", "compatible apple", "screen protector"], "instruction": "Find me easy install, compatible apple wearable technology", "instruction_attributes": ["easy install", "compatible apple"]}, "B07H179NY3": {"attributes": ["usb port", "power supply"]}, "B08W4H39JR": {"attributes": ["easy install"]}, "B019IHR5LW": {"attributes": []}, "B09RF2DLZX": {"attributes": ["volume control", "noise cancelling", "audio cable", "micro usb", "tf card", "stereo sound", "wireless bluetooth"], "instruction": "Find me noise cancelling bluetooth speakers for stereo sound, wireless bluetooth", "instruction_attributes": ["noise cancelling", "stereo sound", "wireless bluetooth"]}, "B09R1T2P6V": {"attributes": ["apple watch", "compatible apple", "stainless steel", "screen protector"], "instruction": "Find me compatible apple wearable technology with stainless steel", "instruction_attributes": ["compatible apple", "stainless steel"]}, "B0813C1C4J": {"attributes": ["4g lte", "signal booster", "cell phone", "heavy duty"], "instruction": "Find me heavy duty signal boosters for 4g lte", "instruction_attributes": ["heavy duty", "4g lte"]}, "B07D4JGPHM": {"attributes": ["nintendo switch"]}, "B009AFLXZM": {"attributes": []}, "B08WYZWYN1": {"attributes": ["memory card", "digital camera", "hdmi cable", "high performance"]}, "B07ZDJZJFD": {"attributes": ["digital camera", "memory card"]}, "B09HMN26HY": {"attributes": []}, "B09QQWRW2M": {"attributes": ["hdmi cable"]}, "B09CYYD51R": {"attributes": []}, "B01LYSBBX5": {"attributes": ["replacement remote", "remote control"]}, "B00AY1SXW2": {"attributes": ["power cord"]}, "B00SYVE3CI": {"attributes": ["quick release", "easy install"], "instruction": "Find me quick release, easy install mounts", "instruction_attributes": ["quick release", "easy install"]}, "B00UVRUFNE": {"attributes": []}, "B004EEG95I": {"attributes": []}, "B089GN6L6R": {"attributes": ["cell phone", "bluetooth speaker"]}, "B00UN9GR8W": {"attributes": ["heavy duty"]}, "B089R7JZHK": {"attributes": ["aaa batteries", "easy use", "remote control"], "instruction": "Find me easy use vcrs with aaa batteries", "instruction_attributes": ["easy use", "aaa batteries"]}, "B00YZ5KT98": {"attributes": ["gold plated"]}, "B08ZMR6MCR": {"attributes": ["micro usb", "remote control"]}, "B09J2QLPR1": {"attributes": ["hands free", "bluetooth headset", "wireless bluetooth"], "instruction": "Find me hands free headphones for wireless bluetooth", "instruction_attributes": ["hands free", "wireless bluetooth"]}, "B09FXPRZN5": {"attributes": ["touch screen", "high definition"]}, "B01LZWDNX6": {"attributes": ["vr glasses", "vr headset", "easy carry", "samsung galaxy"]}, "B01LW6NN8T": {"attributes": ["hands free"]}, "B07KK7G5YJ": {"attributes": ["digital photography", "light weight", "high resolution", "easy carry"], "instruction": "Find me light weight, high resolution, easy carry underwater photography for digital photography", "instruction_attributes": ["light weight", "high resolution", "easy carry", "digital photography"]}, "B07SRS3MXP": {"attributes": ["car stereo", "4g lte", "touch screen", "high resolution", "mobile phone"], "instruction": "Find me high resolution cd players & recorders for 4g lte", "instruction_attributes": ["high resolution", "4g lte"]}, "B09T6LTTCY": {"attributes": ["signal booster"]}, "B09DVS5MQW": {"attributes": ["bluetooth speaker", "power bank", "high power", "rechargeable battery", "wireless bluetooth"], "instruction": "Find me high power bluetooth speakers for wireless bluetooth", "instruction_attributes": ["high power", "wireless bluetooth"]}, "B095PF5BXT": {"attributes": ["screen protector", "camera lens", "lens protector", "tempered glass", "high definition", "glass screen", "samsung galaxy", "easy install"], "instruction": "Find me high definition, easy install lenses with tempered glass, glass screen", "instruction_attributes": ["high definition", "easy install", "tempered glass", "glass screen"]}, "B08M5BYQN9": {"attributes": ["plug play", "easy install", "high definition"], "instruction": "Find me plug play, easy install, high definition car accessories", "instruction_attributes": ["plug play", "easy install", "high definition"]}, "B09SZ4RMNY": {"attributes": ["long lasting", "digital camera"]}, "B07TB37SG5": {"attributes": ["digital photography", "light weight", "high resolution", "easy carry"], "instruction": "Find me light weight, high resolution, easy carry underwater photography for digital photography", "instruction_attributes": ["light weight", "high resolution", "easy carry", "digital photography"]}, "B07WGHWNSB": {"attributes": ["plug play"]}, "B09T5M3KKG": {"attributes": ["signal booster", "cell phone", "easy carry"]}, "B07VVVDRCX": {"attributes": ["case cover", "compatible apple"], "instruction": "Find me compatible apple online game services with case cover", "instruction_attributes": ["compatible apple", "case cover"]}, "B07DGXZJ1K": {"attributes": []}, "B079R9H2KB": {"attributes": []}, "B004N1T7VK": {"attributes": []}, "B07JMXLXNY": {"attributes": ["tempered glass", "ipad pro", "screen protector", "glass screen"], "instruction": "Find me screen protectors with tempered glass, glass screen", "instruction_attributes": ["tempered glass", "glass screen"]}, "B001C6JXJU": {"attributes": ["projection screen"]}, "B07X3TZQ27": {"attributes": ["night vision", "sd card", "1080p hd", "power bank", "motion detection", "security camera", "memory card"], "instruction": "Find me 1080p hd video surveillance for motion detection", "instruction_attributes": ["1080p hd", "motion detection"]}, "B09SWLPPVQ": {"attributes": ["dual band", "smart tv", "signal booster", "high speed"], "instruction": "Find me dual band, high speed signal boosters", "instruction_attributes": ["dual band", "high speed"]}, "B06Y44FL9J": {"attributes": []}, "B09J89KFHQ": {"attributes": ["apple watch", "compatible apple"]}, "B07WV38GWM": {"attributes": []}, "B07VHJY9KJ": {"attributes": ["tf card", "sound bar", "easy use", "usb flash", "flash drive", "high performance", "cell phone", "wireless bluetooth", "bluetooth speaker", "remote control"], "instruction": "Find me easy use, high performance soundbars for wireless bluetooth", "instruction_attributes": ["easy use", "high performance", "wireless bluetooth"]}, "B00A0WG5KW": {"attributes": []}, "B00JH23QMQ": {"attributes": ["high definition", "touch screen", "screen protector", "samsung galaxy"]}, "B09PZZJ2XG": {"attributes": ["sound bar", "plug play"]}, "B07JMS4SL4": {"attributes": ["power cord"]}, "B08NF4L614": {"attributes": ["cell phone"]}, "B07F6MN8RH": {"attributes": []}, "B0073AC440": {"attributes": ["canon eos"]}, "B00CHSKYKE": {"attributes": ["replacement remote", "remote control"]}, "B07THL8PP1": {"attributes": ["wireless charger", "samsung galaxy", "ac adapter", "wireless charging", "charging case", "micro usb", "phone case", "pro max", "iphone pro", "usb cable", "high speed"], "instruction": "Find me high speed chargers for wireless charging", "instruction_attributes": ["high speed", "wireless charging"]}, "B07GFS3MNT": {"attributes": ["night vision", "motion detection", "power adapter", "security camera", "high resolution", "easy install"], "instruction": "Find me high resolution, easy install video surveillance for motion detection", "instruction_attributes": ["high resolution", "easy install", "motion detection"]}, "B083G2416L": {"attributes": ["case cover"]}, "B0912H5LHP": {"attributes": ["ac power", "fast charging"]}, "B00PZ006U4": {"attributes": []}, "B08LWWRDCB": {"attributes": []}, "B013WXK2QI": {"attributes": ["memory card"]}, "B09P42GFBR": {"attributes": ["virtual reality", "vr headset", "wireless headset", "vr glasses", "high definition", "remote control"]}, "B08W874R8Z": {"attributes": ["lcd screen", "dslr camera", "ultra hd", "1080p hd", "camera lens", "stereo sound"], "instruction": "Find me ultra hd, 1080p hd digital cameras for stereo sound", "instruction_attributes": ["ultra hd", "1080p hd", "stereo sound"]}, "B07PXMFDQ3": {"attributes": []}, "B01MSXI9M5": {"attributes": ["home theater", "remote control", "replacement battery", "replacement remote", "easy use"]}, "B09MHLS36W": {"attributes": ["dvd player", "high speed", "high definition"], "instruction": "Find me high speed, high definition projectors", "instruction_attributes": ["high speed", "high definition"]}, "B09D42HCTN": {"attributes": ["1080p hd", "high definition", "home theater"], "instruction": "Find me 1080p hd, high definition projectors", "instruction_attributes": ["1080p hd", "high definition"]}, "B07W92ZTVW": {"attributes": ["blu ray", "home theater", "remote control"]}, "B015D7YII4": {"attributes": []}, "B0973XVPCD": {"attributes": ["volume control", "ipad pro", "macbook pro", "long lasting", "samsung galaxy", "remote control"]}, "B09DPDGYRK": {"attributes": ["virtual reality", "vr glasses", "vr headset"]}, "B08GHLKGHJ": {"attributes": []}, "B08Q2YQ35N": {"attributes": ["aluminum alloy", "bird watching"], "instruction": "Find me binoculars & scopes with aluminum alloy for bird watching", "instruction_attributes": ["aluminum alloy", "bird watching"]}, "B07TPRMHFG": {"attributes": ["action camera"]}, "B0871VQT3Q": {"attributes": []}, "B08YNND3LN": {"attributes": ["charging case", "case cover"]}, "B08ZYQC4PL": {"attributes": ["virtual reality", "pro max", "iphone pro"]}, "B077KY1X93": {"attributes": ["easy install"]}, "B09P1HJ32G": {"attributes": ["night vision", "bird watching", "high definition"], "instruction": "Find me high definition binoculars & scopes for bird watching", "instruction_attributes": ["high definition", "bird watching"]}, "B099F5HHZK": {"attributes": []}, "B092LSVMTY": {"attributes": ["reality headset", "virtual reality", "light weight"]}, "B0002J1HOC": {"attributes": []}, "B014C9KQLM": {"attributes": ["usb flash", "flash drive", "car stereo", "hands free", "usb port"], "instruction": "Find me hands free flashes with usb port", "instruction_attributes": ["hands free", "usb port"]}, "B088X39YNP": {"attributes": ["sony playstation"]}, "B07X9623L4": {"attributes": []}, "B09S2ZQ49B": {"attributes": []}, "B07RKLL1ZK": {"attributes": ["remote control", "replacement remote"]}, "B08GZ88BLT": {"attributes": ["hands free", "voice control", "remote control"]}, "B08VH8MZZ6": {"attributes": ["high speed", "night vision", "motion detection", "1080p hd", "tf card", "high performance", "mobile phone"], "instruction": "Find me high speed, 1080p hd, high performance video surveillance for motion detection", "instruction_attributes": ["high speed", "1080p hd", "high performance", "motion detection"]}, "B08D8726MN": {"attributes": ["motion detection"]}, "B00A974J3I": {"attributes": ["hdmi cable"]}, "B08QRHVS6N": {"attributes": ["pro max", "iphone pro", "quick release", "wireless charging", "hands free", "samsung galaxy"], "instruction": "Find me quick release, hands free iphone accessories for wireless charging", "instruction_attributes": ["quick release", "hands free", "wireless charging"]}, "B07Z397262": {"attributes": ["charging cable", "fast charging", "mobile phone", "samsung galaxy"]}, "B08GS6B87J": {"attributes": []}, "B09L86RDXS": {"attributes": ["wireless headset", "bluetooth headset", "cell phone", "wireless bluetooth", "usb cable"]}, "B083ZK4NRS": {"attributes": ["tempered glass", "glass screen", "screen protector"], "instruction": "Find me screen protectors with tempered glass, glass screen", "instruction_attributes": ["tempered glass", "glass screen"]}, "B09JJWGGD9": {"attributes": ["screen protector", "smart watch"]}, "B09NFG3XXY": {"attributes": ["hard drive", "high speed", "plug play"], "instruction": "Find me high speed, plug play mac", "instruction_attributes": ["high speed", "plug play"]}, "B088LZPNG6": {"attributes": ["ipad pro", "tempered glass", "lens protector", "camera lens", "glass screen", "screen protector"], "instruction": "Find me screen protectors with tempered glass, glass screen", "instruction_attributes": ["tempered glass", "glass screen"]}, "B0982W8RKZ": {"attributes": ["samsung galaxy", "glass screen", "tempered glass", "screen protector"], "instruction": "Find me mac with glass screen, tempered glass", "instruction_attributes": ["glass screen", "tempered glass"]}, "B07YBM2JHT": {"attributes": ["canon eos", "dslr camera", "memory card"]}, "B0049KSSKQ": {"attributes": ["carrying case"]}, "B09P57ZKGP": {"attributes": ["usb flash", "flash drive", "high performance", "high speed"], "instruction": "Find me high performance, high speed flashes", "instruction_attributes": ["high performance", "high speed"]}, "B09P3BXF1H": {"attributes": ["hard drive", "usb cable"]}, "B06XQYN77L": {"attributes": ["car audio", "audio cable", "plug play", "light weight", "hands free"], "instruction": "Find me plug play, light weight, hands free bluetooth headsets", "instruction_attributes": ["plug play", "light weight", "hands free"]}, "B08NWDG4N4": {"attributes": []}, "B001JEPWD6": {"attributes": []}, "B09T2MW12R": {"attributes": ["cell phone", "mobile phone", "easy install"]}, "B07GZLDJMC": {"attributes": ["tempered glass", "tv box", "sound bar"]}, "B09B265D1J": {"attributes": ["led light", "bluetooth speaker", "mobile phone"]}, "B01MTYK2T9": {"attributes": ["quick release", "aluminum alloy"], "instruction": "Find me quick release tripods & monopods with aluminum alloy", "instruction_attributes": ["quick release", "aluminum alloy"]}, "B08T6Y8VVT": {"attributes": ["touch screen", "ipad pro"]}, "B07B9QWJW9": {"attributes": ["coaxial cable", "signal booster"]}, "B07H5GWRL4": {"attributes": ["oculus quest", "vr headset", "fast charging", "high speed"], "instruction": "Find me fast charging, high speed virtual reality", "instruction_attributes": ["fast charging", "high speed"]}, "B09NDGV4PL": {"attributes": ["light weight", "hands free", "wireless bluetooth", "bluetooth speaker", "easy carry"], "instruction": "Find me light weight, hands free, easy carry bluetooth speakers for wireless bluetooth", "instruction_attributes": ["light weight", "hands free", "easy carry", "wireless bluetooth"]}, "B09LC67HYC": {"attributes": ["phone case", "non slip"]}, "B0924PKLQ4": {"attributes": ["wall mounted", "charging cable", "long lasting", "easy use"], "instruction": "Find me wall mounted, long lasting, easy use mounts", "instruction_attributes": ["wall mounted", "long lasting", "easy use"]}, "B08MBG3421": {"attributes": ["pro max", "iphone pro", "camera lens", "screen protector"]}, "B01DNNKHBC": {"attributes": []}, "B09GRD2SK4": {"attributes": ["power adapter", "plug play"]}, "B091YV7CRB": {"attributes": ["oculus quest", "vr headset", "non slip"]}, "B098SV78BW": {"attributes": ["camera lens", "phone case", "lens protector", "wireless charging", "heavy duty"], "instruction": "Find me heavy duty iphone accessories for wireless charging", "instruction_attributes": ["heavy duty", "wireless charging"]}, "B07CN9RZ1C": {"attributes": ["rubber sole"]}, "B08T84R7V2": {"attributes": ["lace closure", "rubber outsole", "rubber sole"], "instruction": "Find me men's fashion sneakers with lace closure, rubber outsole, rubber sole", "instruction_attributes": ["lace closure", "rubber outsole", "rubber sole"]}, "B082MT9162": {"attributes": ["rubber sole", "anti slip"], "instruction": "Find me anti slip men's loafers & slip-ons with rubber sole", "instruction_attributes": ["anti slip", "rubber sole"]}, "B07HP6LVRS": {"attributes": ["rubber outsole", "rubber sole"], "instruction": "Find me men's loafers & slip-ons with rubber outsole, rubber sole", "instruction_attributes": ["rubber outsole", "rubber sole"]}, "B005B75PDO": {"attributes": []}, "B07S7HDC88": {"attributes": ["slip resistant", "rubber outsole", "non slip", "rubber sole"], "instruction": "Find me slip resistant, non slip men's loafers & slip-ons with rubber outsole, rubber sole", "instruction_attributes": ["slip resistant", "non slip", "rubber outsole", "rubber sole"]}, "B07NZ173GY": {"attributes": ["day comfort", "rubber sole"], "instruction": "Find me day comfort men's sandals with rubber sole", "instruction_attributes": ["day comfort", "rubber sole"]}, "B07L6DV555": {"attributes": ["lace closure", "rubber outsole", "rubber sole"], "instruction": "Find me men's boots with lace closure, rubber outsole, rubber sole", "instruction_attributes": ["lace closure", "rubber outsole", "rubber sole"]}, "B01LXTLLVG": {"attributes": ["rubber sole"]}, "B00ITCBD3Y": {"attributes": []}, "B09C8YNWWB": {"attributes": ["faux fur", "house slippers", "slippers women"]}, "B07RPMCNKD": {"attributes": ["rubber sole", "soft material", "light weight", "memory foam", "non slip"], "instruction": "Find me light weight, non slip women's outdoor shoes with rubber sole, soft material, memory foam", "instruction_attributes": ["light weight", "non slip", "rubber sole", "soft material", "memory foam"]}, "B06Y52T6KC": {"attributes": ["shoes women", "rubber sole"]}, "B07XDRVVYM": {"attributes": ["arch support", "rubber outsole", "rubber sole"], "instruction": "Find me women's sandals with arch support, rubber outsole, rubber sole", "instruction_attributes": ["arch support", "rubber outsole", "rubber sole"]}, "B092VDY5MF": {"attributes": ["dress shoes", "closed toe", "rubber sole"], "instruction": "Find me women's pumps with closed toe, rubber sole", "instruction_attributes": ["closed toe", "rubber sole"]}, "B09HMCKZQW": {"attributes": ["closed toe", "knee high", "leather sole", "ankle boots", "ankle strap", "arch support", "rubber outsole", "sandals women", "non slip"], "instruction": "Find me knee high, non slip women's pumps with closed toe, leather sole, ankle strap, arch support, rubber outsole", "instruction_attributes": ["knee high", "non slip", "closed toe", "leather sole", "ankle strap", "arch support", "rubber outsole"]}, "B08DF5MMRM": {"attributes": ["rubber sole"]}, "B09QRV4YLR": {"attributes": ["ethylene vinyl", "vinyl acetate", "sneakers shoes", "shoes women", "non slip"], "instruction": "Find me non slip women's fashion sneakers with ethylene vinyl, vinyl acetate", "instruction_attributes": ["non slip", "ethylene vinyl", "vinyl acetate"]}, "B09QPX97VW": {"attributes": ["sandals women", "sneakers women", "slippers women", "shoes women", "women sneakers", "women sandals", "slip ons", "house slippers", "high heel", "wedge sandals", "short sleeve"], "instruction": "Find me women's pumps with high heel, short sleeve", "instruction_attributes": ["high heel", "short sleeve"]}, "B09GL561XH": {"attributes": ["officially licensed", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "machine wash"], "instruction": "Find me officially licensed, machine wash men's t-shirts with polyester heathers, heathers cotton, cotton heather, needle sleeve, classic fit", "instruction_attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"]}, "B07N325S5H": {"attributes": ["rubber sole"]}, "B08MFFGK5C": {"attributes": ["running shoes"]}, "B00I3O3BSS": {"attributes": ["synthetic sole"]}, "B07F2G93BJ": {"attributes": ["slim fit", "button closure", "long sleeve", "machine wash"], "instruction": "Find me slim fit, machine wash men's casual button-down shirts with button closure, long sleeve", "instruction_attributes": ["slim fit", "machine wash", "button closure", "long sleeve"]}, "B002RRT0NM": {"attributes": ["rubber sole"]}, "B085WQKRRJ": {"attributes": ["slim fit", "short sleeve", "wash cold", "regular fit", "hand wash", "machine wash"], "instruction": "Find me slim fit, wash cold, hand wash, machine wash men's henleys with short sleeve, regular fit", "instruction_attributes": ["slim fit", "wash cold", "hand wash", "machine wash", "short sleeve", "regular fit"]}, "B07HRFSNL4": {"attributes": ["cotton spandex", "classic fit", "short sleeve", "machine wash"], "instruction": "Find me machine wash men's dress shirts with cotton spandex, classic fit, short sleeve", "instruction_attributes": ["machine wash", "cotton spandex", "classic fit", "short sleeve"]}, "B00O30JLDK": {"attributes": ["sleeve shirt", "long sleeve", "machine wash"], "instruction": "Find me machine wash men's t-shirts with long sleeve", "instruction_attributes": ["machine wash", "long sleeve"]}, "B07R54PMHD": {"attributes": ["synthetic sole"]}, "B07JZ5HVN6": {"attributes": ["ankle strap"]}, "B01N9I1E62": {"attributes": ["faux fur", "rubber sole"], "instruction": "Find me women's slippers with faux fur, rubber sole", "instruction_attributes": ["faux fur", "rubber sole"]}, "B07N7TDKXQ": {"attributes": ["tee shirt", "tumble dry", "machine washable", "short sleeve"], "instruction": "Find me machine washable men's t-shirts with short sleeve for tumble dry", "instruction_attributes": ["machine washable", "short sleeve", "tumble dry"]}, "B01EX1BWE4": {"attributes": ["long lasting", "moisture wicking", "daily wear"], "instruction": "Find me long lasting, moisture wicking men's boots for daily wear", "instruction_attributes": ["long lasting", "moisture wicking", "daily wear"]}, "B09F2MFG1Q": {"attributes": ["house slippers", "casual shoes", "memory foam", "rubber sole"], "instruction": "Find me men's slippers with memory foam, rubber sole", "instruction_attributes": ["memory foam", "rubber sole"]}, "B07JVVDJ6L": {"attributes": ["polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "machine wash"], "instruction": "Find me machine wash men's tuxedo shirts with polyester heathers, heathers cotton, cotton heather, needle sleeve, classic fit", "instruction_attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"]}, "B094RBNS2K": {"attributes": ["work shoes", "walking shoes", "rubber sole"]}, "B01DJGWDBA": {"attributes": ["memory foam", "rubber sole"], "instruction": "Find me men's fashion sneakers with memory foam, rubber sole", "instruction_attributes": ["memory foam", "rubber sole"]}, "B088TWNTRB": {"attributes": ["slip ons", "day comfort"]}, "B09Q5J5HKG": {"attributes": []}, "B09P5V8ZSK": {"attributes": ["sneakers women", "sandals women", "open toe", "platform sandals", "flat shoes", "flat sandals", "slip ons", "ankle boots", "high heel", "ankle strap", "dress shirt", "arch support", "non slip", "rubber sole"], "instruction": "Find me open toe, non slip women's pumps with high heel, ankle strap, arch support, rubber sole", "instruction_attributes": ["open toe", "non slip", "high heel", "ankle strap", "arch support", "rubber sole"]}, "B09QKJHF4Q": {"attributes": ["shoes men", "slippers women", "slippers men", "shoes women", "water shoes", "house slippers", "casual shoes", "high heel", "closed toe", "day comfort", "ankle strap", "anti slip", "memory foam", "sandals women", "non slip", "rubber sole"], "instruction": "Find me day comfort, anti slip, non slip women's oxfords with high heel, closed toe, ankle strap, memory foam, rubber sole", "instruction_attributes": ["day comfort", "anti slip", "non slip", "high heel", "closed toe", "ankle strap", "memory foam", "rubber sole"]}, "B09MFZ726L": {"attributes": ["open toe", "flat sandals", "daily wear", "rubber sole"], "instruction": "Find me open toe women's flats with rubber sole for daily wear", "instruction_attributes": ["open toe", "rubber sole", "daily wear"]}, "B09HH6P68W": {"attributes": ["rubber sole", "comfortable fit", "unique design", "running shoes", "walking shoes", "non slip"], "instruction": "Find me non slip men's outdoor shoes with rubber sole, comfortable fit, unique design", "instruction_attributes": ["non slip", "rubber sole", "comfortable fit", "unique design"]}, "B01MSP2B0I": {"attributes": ["slim fit", "straight leg", "quality materials"], "instruction": "Find me slim fit, straight leg men's jeans with quality materials", "instruction_attributes": ["slim fit", "straight leg", "quality materials"]}, "B09KXCHWGD": {"attributes": ["polo shirts", "mens shirts", "short sleeve", "button closure", "shirts men"], "instruction": "Find me men's polos with short sleeve, button closure", "instruction_attributes": ["short sleeve", "button closure"]}, "B09HGFV91W": {"attributes": ["long sleeve", "shirts men", "sleeve shirt", "graphic tees", "graphic shirt", "mens shirts", "slim fit", "short sleeve"], "instruction": "Find me slim fit men's suits & sport coats with long sleeve, short sleeve", "instruction_attributes": ["slim fit", "long sleeve", "short sleeve"]}, "B07T3VMGDG": {"attributes": ["tee shirt", "cotton heather", "needle sleeve", "classic fit", "machine wash"], "instruction": "Find me machine wash men's tuxedo shirts with cotton heather, needle sleeve, classic fit", "instruction_attributes": ["machine wash", "cotton heather", "needle sleeve", "classic fit"]}, "B07N7XBN4S": {"attributes": []}, "B0821674CT": {"attributes": ["rubber outsole", "rubber sole"], "instruction": "Find me men's athletic shoes with rubber outsole, rubber sole", "instruction_attributes": ["rubber outsole", "rubber sole"]}, "B08R7STMBS": {"attributes": ["moisture wicking"]}, "B01MG1LTMS": {"attributes": ["graphic tees", "relaxed fit", "tank tops", "needle sleeve"], "instruction": "Find me men's polos with relaxed fit, needle sleeve", "instruction_attributes": ["relaxed fit", "needle sleeve"]}, "B08LKKSL8F": {"attributes": ["pants men", "relaxed fit", "machine wash"], "instruction": "Find me machine wash men's pants with relaxed fit", "instruction_attributes": ["machine wash", "relaxed fit"]}, "B099FKK27G": {"attributes": ["slip ons", "anti slip", "faux fur", "non slip"], "instruction": "Find me anti slip, non slip women's slippers with faux fur", "instruction_attributes": ["anti slip", "non slip", "faux fur"]}, "B096P77XMD": {"attributes": ["running shorts", "shorts men", "athletic shorts", "workout shorts", "comfortable fit", "gym workout", "elastic waistband", "daily wear"], "instruction": "Find me men's shorts with comfortable fit, elastic waistband for gym workout, daily wear", "instruction_attributes": ["comfortable fit", "elastic waistband", "gym workout", "daily wear"]}, "B06W51MMKY": {"attributes": ["slip resistant"]}, "B09Q8RD8YN": {"attributes": ["sweatshirt hoodie", "wash cold", "long sleeve", "machine wash"], "instruction": "Find me wash cold, machine wash men's fashion hoodies & sweatshirts with long sleeve", "instruction_attributes": ["wash cold", "machine wash", "long sleeve"]}, "B09QXF3V3X": {"attributes": ["sandals women", "shoes women", "women sandals", "platform sandals", "casual shoes", "dress shoes", "slippers women", "shoes men", "boots women", "wedge sandals", "walking shoes", "non slip", "rubber sole"], "instruction": "Find me non slip men's outdoor shoes with rubber sole", "instruction_attributes": ["non slip", "rubber sole"]}, "B07DKGJR74": {"attributes": ["pullover sweater", "relaxed fit", "long sleeve"], "instruction": "Find me women's sweaters with relaxed fit, long sleeve", "instruction_attributes": ["relaxed fit", "long sleeve"]}, "B099231V35": {"attributes": ["lounge pants", "swim trunks", "elastic waist", "tops women", "denim shorts", "workout shorts", "cargo shorts", "cargo pants", "dress pants", "yoga pants", "polo shirts", "graphic tees", "shirts men", "slim fit", "gym shorts", "denim pants", "workout leggings", "long sleeve", "everyday wear", "skinny jeans", "straight leg", "pants women", "relaxed fit", "tunic tops", "shirts women"], "instruction": "Find me slim fit, straight leg men's pants with elastic waist, long sleeve, relaxed fit for everyday wear", "instruction_attributes": ["slim fit", "straight leg", "elastic waist", "long sleeve", "relaxed fit", "everyday wear"]}, "B09R7H66FC": {"attributes": ["button closure", "slim fit", "dress pants", "classic fit"], "instruction": "Find me slim fit men's suits & sport coats with button closure, classic fit", "instruction_attributes": ["slim fit", "button closure", "classic fit"]}, "B08ZRR3DZT": {"attributes": ["polyester spandex", "daily wear"], "instruction": "Find me women's dresses with polyester spandex for daily wear", "instruction_attributes": ["polyester spandex", "daily wear"]}, "B09RB2LMTL": {"attributes": ["hoodie sweatshirt"]}, "B08226NDZW": {"attributes": ["officially licensed", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "machine wash"], "instruction": "Find me officially licensed, machine wash men's t-shirts & tanks with polyester heathers, heathers cotton, cotton heather, needle sleeve, classic fit", "instruction_attributes": ["officially licensed", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"]}, "B07FD13LP1": {"attributes": ["machine wash", "drawstring closure", "tumble dry"], "instruction": "Find me machine wash men's shorts with drawstring closure for tumble dry", "instruction_attributes": ["machine wash", "drawstring closure", "tumble dry"]}, "B01JJR8GJG": {"attributes": ["rubber sole"]}, "B09RPRRNVP": {"attributes": ["sandals women", "women sandals", "women sneakers", "platform sandals", "shoes women", "slip ons", "arch support", "flat sandals", "wedge sandals", "high heel", "ankle strap", "open toe", "memory foam", "sneakers shoes", "slippers women", "slip resistant"], "instruction": "Find me open toe, slip resistant women's work & safety footwear with arch support, high heel, ankle strap, memory foam", "instruction_attributes": ["open toe", "slip resistant", "arch support", "high heel", "ankle strap", "memory foam"]}, "B07YDHNZ6B": {"attributes": ["machine wash"]}, "B008QYOGZ2": {"attributes": ["leather sole"]}, "B081KJLMST": {"attributes": ["machine wash"]}, "B09QQJJ3KM": {"attributes": ["sweatshirt hoodie", "long sleeve", "hoodie sweatshirt", "wash cold", "machine wash"], "instruction": "Find me wash cold, machine wash men's fashion hoodies & sweatshirts with long sleeve", "instruction_attributes": ["wash cold", "machine wash", "long sleeve"]}, "B074Z315KK": {"attributes": ["wash cold", "hand wash", "machine wash"], "instruction": "Find me wash cold, hand wash, machine wash men's t-shirts & tanks", "instruction_attributes": ["wash cold", "hand wash", "machine wash"]}, "B00ZDEDVBI": {"attributes": ["star wars"]}, "B09KLQLLT2": {"attributes": ["machine wash", "moisture wicking", "polyester spandex", "long sleeve"], "instruction": "Find me machine wash, moisture wicking men's t-shirts & tanks with polyester spandex, long sleeve", "instruction_attributes": ["machine wash", "moisture wicking", "polyester spandex", "long sleeve"]}, "B09S3TWKSC": {"attributes": ["boots women", "slippers men", "ankle boots", "slippers women", "shoes men", "shoes women", "knee high", "dress shoes", "slip ons", "flat shoes", "house slippers", "steel toe", "casual shoes", "high heel", "faux fur", "running shoes", "sneakers women", "open toe", "arch support"], "instruction": "Find me knee high, open toe women's loafers & slip-ons with steel toe, high heel, faux fur, arch support", "instruction_attributes": ["knee high", "open toe", "steel toe", "high heel", "faux fur", "arch support"]}, "B00ED8OH2C": {"attributes": []}, "B098B8KGMB": {"attributes": ["daily wear"]}, "B07YYNY2ZZ": {"attributes": ["stretch fabric", "cotton spandex", "boxer briefs"], "instruction": "Find me men's underwear with stretch fabric, cotton spandex", "instruction_attributes": ["stretch fabric", "cotton spandex"]}, "B07GYWW3NY": {"attributes": ["straight leg", "machine washable"], "instruction": "Find me straight leg, machine washable men's jeans", "instruction_attributes": ["straight leg", "machine washable"]}, "B09QQP3356": {"attributes": ["short sleeve", "regular fit", "polo shirts", "shirts men", "gym workout", "graphic tees", "long sleeve", "denim shorts", "hoodies men", "polyester cotton", "mens shirts", "tee shirt", "shirts women", "sleeve shirt", "slim fit", "hand wash", "machine wash"], "instruction": "Find me slim fit, hand wash, machine wash men's tuxedo shirts with short sleeve, regular fit, long sleeve, polyester cotton for gym workout", "instruction_attributes": ["slim fit", "hand wash", "machine wash", "short sleeve", "regular fit", "long sleeve", "polyester cotton", "gym workout"]}, "B08X4GMMZV": {"attributes": ["imported zipper"]}, "B098XT346Y": {"attributes": ["button closure"]}, "B07GYTHLGV": {"attributes": ["quality materials"]}, "B09ND8P2QR": {"attributes": ["long sleeve", "pajama set", "elastic waistband", "daily wear", "hand wash"], "instruction": "Find me hand wash men's sleep & lounge with long sleeve, elastic waistband for daily wear", "instruction_attributes": ["hand wash", "long sleeve", "elastic waistband", "daily wear"]}, "B08KYBVQ46": {"attributes": ["elastic waist", "machine wash"], "instruction": "Find me machine wash women's pants with elastic waist", "instruction_attributes": ["machine wash", "elastic waist"]}, "B07MNW91JH": {"attributes": ["slip resistant", "synthetic sole"], "instruction": "Find me slip resistant women's mules & clogs with synthetic sole", "instruction_attributes": ["slip resistant", "synthetic sole"]}, "B09PJ5ZXGH": {"attributes": ["lingerie set", "lingerie women", "women lingerie", "pajama set", "sexy lingerie", "hand wash"]}, "B06Y1C21SC": {"attributes": ["tank tops"]}, "B09N9T673Q": {"attributes": ["shoes women", "sandals women", "flat shoes", "open toe", "slippers women", "ankle strap", "platform sandals", "flat sandals", "knee high", "high heel", "dress shirt", "memory foam", "teen girls", "non slip", "rubber sole"], "instruction": "Find me open toe, knee high, non slip women's pumps with ankle strap, high heel, memory foam, rubber sole for teen girls", "instruction_attributes": ["open toe", "knee high", "non slip", "ankle strap", "high heel", "memory foam", "rubber sole", "teen girls"]}, "B08R3XSC65": {"attributes": []}, "B09SHVH1K7": {"attributes": ["pajama pants", "pants men", "yoga pants", "elastic waist"]}, "B08DXL22JN": {"attributes": ["skinny jeans", "jacket women", "button closure", "polyester spandex", "wash cold", "long sleeve", "machine wash"], "instruction": "Find me wash cold, machine wash women's suiting & blazers with button closure, polyester spandex, long sleeve", "instruction_attributes": ["wash cold", "machine wash", "button closure", "polyester spandex", "long sleeve"]}, "B09ND9DP7J": {"attributes": ["long sleeve", "pajama set", "elastic waistband", "sleeve shirt", "daily wear"], "instruction": "Find me men's sleep & lounge with long sleeve, elastic waistband for daily wear", "instruction_attributes": ["long sleeve", "elastic waistband", "daily wear"]}, "B09NSC5VDG": {"attributes": ["lingerie women", "bikini swimsuit", "long sleeve", "sexy lingerie", "tummy control", "high waist", "short sleeve"], "instruction": "Find me women's lingerie, sleep & lounge with long sleeve, tummy control, high waist, short sleeve", "instruction_attributes": ["long sleeve", "tummy control", "high waist", "short sleeve"]}, "B08JD14GJF": {"attributes": ["quick drying", "moisture wicking", "long sleeve"], "instruction": "Find me quick drying, moisture wicking women's activewear with long sleeve", "instruction_attributes": ["quick drying", "moisture wicking", "long sleeve"]}, "B09S6VN97V": {"attributes": ["relaxed fit", "arch support", "rubber sole"], "instruction": "Find me women's mules & clogs with relaxed fit, arch support, rubber sole", "instruction_attributes": ["relaxed fit", "arch support", "rubber sole"]}, "B01KI9HU1O": {"attributes": ["crewneck sweatshirt", "machine wash", "polyester cotton", "tumble dry", "wash cold"], "instruction": "Find me machine wash, wash cold men's sweaters with polyester cotton for tumble dry", "instruction_attributes": ["machine wash", "wash cold", "polyester cotton", "tumble dry"]}, "B094Q7B3SS": {"attributes": ["shirts women", "long sleeve", "polo shirts", "short sleeve", "shirts men", "tops women", "slim fit", "tank tops", "loose fit"], "instruction": "Find me slim fit, loose fit women's tops, tees & blouses with long sleeve, short sleeve", "instruction_attributes": ["slim fit", "loose fit", "long sleeve", "short sleeve"]}, "B074FMTQNC": {"attributes": ["comfortable fit"]}, "B01AX3JMGG": {"attributes": ["machine wash"]}, "B001J6NXFS": {"attributes": ["rubber outsole"]}, "B07XPR3R7N": {"attributes": ["officially licensed", "needle sleeve", "classic fit"], "instruction": "Find me officially licensed men's t-shirts & tanks with needle sleeve, classic fit", "instruction_attributes": ["officially licensed", "needle sleeve", "classic fit"]}, "B09GLVMLMS": {"attributes": []}, "B09BVYK2WL": {"attributes": ["elastic waist"]}, "B09KRLGSC5": {"attributes": ["long sleeve", "unique design", "sweaters women", "hand wash", "machine wash"], "instruction": "Find me hand wash, machine wash women's sweaters with long sleeve, unique design", "instruction_attributes": ["hand wash", "machine wash", "long sleeve", "unique design"]}, "B09Q5ZHRVM": {"attributes": ["shorts men", "gym shorts", "cargo shorts", "elastic waistband", "yoga shorts", "athletic shorts", "long lasting", "quality materials", "polyester cotton", "moisture wicking", "loose fit", "short sleeve"], "instruction": "Find me long lasting, moisture wicking, loose fit men's shorts with elastic waistband, quality materials, polyester cotton, short sleeve", "instruction_attributes": ["long lasting", "moisture wicking", "loose fit", "elastic waistband", "quality materials", "polyester cotton", "short sleeve"]}, "B07WMMYB6G": {"attributes": ["running shorts", "workout shorts", "gym workout", "drawstring closure", "elastic waist"], "instruction": "Find me men's shorts with drawstring closure, elastic waist for gym workout", "instruction_attributes": ["drawstring closure", "elastic waist", "gym workout"]}, "B07MGB73NJ": {"attributes": ["short sleeve", "unique design", "leggings women", "relaxed fit", "tunic tops", "button closure", "polyester spandex", "machine wash"], "instruction": "Find me machine wash women's tops, tees & blouses with short sleeve, unique design, relaxed fit, button closure, polyester spandex", "instruction_attributes": ["machine wash", "short sleeve", "unique design", "relaxed fit", "button closure", "polyester spandex"]}, "B08L373FLK": {"attributes": ["cotton spandex", "machine washable"], "instruction": "Find me machine washable women's shorts with cotton spandex", "instruction_attributes": ["machine washable", "cotton spandex"]}, "B07LBNRY7H": {"attributes": ["pullover hoodie", "officially licensed", "classic fit"], "instruction": "Find me officially licensed men's sweaters with classic fit", "instruction_attributes": ["officially licensed", "classic fit"]}, "B097RK2B2Q": {"attributes": ["tank tops", "tops women", "short sleeve", "tunic tops", "long sleeve", "tee shirt", "loose fit"], "instruction": "Find me loose fit women's tops, tees & blouses with short sleeve, long sleeve", "instruction_attributes": ["loose fit", "short sleeve", "long sleeve"]}, "B09S632DT3": {"attributes": ["lingerie women", "sexy lingerie", "lingerie set", "women lingerie", "laundry bag", "pajamas women", "pajama set", "hand wash"], "instruction": "Find me hand wash women's lingerie, sleep & lounge for laundry bag", "instruction_attributes": ["hand wash", "laundry bag"]}, "B08ZB1MN8D": {"attributes": ["jogger pants", "long lasting", "easy care", "elastic waistband", "machine washable"], "instruction": "Find me long lasting, easy care, machine washable men's pants with elastic waistband", "instruction_attributes": ["long lasting", "easy care", "machine washable", "elastic waistband"]}, "B09N3CDKGV": {"attributes": ["bathing suits"]}, "B07V3WXX85": {"attributes": ["imported zipper", "machine wash"], "instruction": "Find me machine wash men's jackets & coats with imported zipper", "instruction_attributes": ["machine wash", "imported zipper"]}, "B09HX5CD2D": {"attributes": ["drawstring closure", "elastic waistband", "officially licensed", "machine wash"], "instruction": "Find me officially licensed, machine wash men's shorts with drawstring closure, elastic waistband", "instruction_attributes": ["officially licensed", "machine wash", "drawstring closure", "elastic waistband"]}, "B08NTPQ4KP": {"attributes": ["nylon spandex", "lingerie women", "hand wash", "machine wash"], "instruction": "Find me hand wash, machine wash women's bodysuit tops with nylon spandex", "instruction_attributes": ["hand wash", "machine wash", "nylon spandex"]}, "B072FCNCGP": {"attributes": []}, "B072PCHZC3": {"attributes": ["hoodie sweatshirt", "machine washable"]}, "B015H77AF8": {"attributes": ["nylon spandex", "day comfort", "open toe"], "instruction": "Find me day comfort, open toe women's socks & hosiery with nylon spandex", "instruction_attributes": ["day comfort", "open toe", "nylon spandex"]}, "B09R9YCM6R": {"attributes": ["short sleeve", "shirts men", "sleeve shirt", "graphic tees", "graphic shirt", "slim fit", "mens shirts"], "instruction": "Find me slim fit men's henleys with short sleeve", "instruction_attributes": ["slim fit", "short sleeve"]}, "B09PBPZ24Z": {"attributes": ["jeans women", "skinny jeans", "high waist", "fleece lined", "denim pants", "low rise", "straight leg", "wide leg", "teen girls", "polyester spandex", "jeans men", "butt lifting", "leggings women", "jacket women", "pants women", "regular fit", "button closure", "daily wear", "wash cold", "slim fit", "hand wash", "machine wash"], "instruction": "Find me fleece lined, low rise, straight leg, wide leg, butt lifting, wash cold, slim fit, hand wash, machine wash women's jeans with high waist, polyester spandex, regular fit, button closure for teen girls, daily wear", "instruction_attributes": ["fleece lined", "low rise", "straight leg", "wide leg", "butt lifting", "wash cold", "slim fit", "hand wash", "machine wash", "high waist", "polyester spandex", "regular fit", "button closure", "teen girls", "daily wear"]}, "B0989VY7D8": {"attributes": ["arch support"]}, "B00V6AB796": {"attributes": ["polyester spandex"]}, "B07PVZPS58": {"attributes": ["briefs men", "boxer briefs", "machine wash", "polyester spandex"], "instruction": "Find me machine wash men's underwear with polyester spandex", "instruction_attributes": ["machine wash", "polyester spandex"]}, "B09PB9MWKR": {"attributes": ["swimsuit cover", "bikini swimsuit", "cover ups", "daily wear"]}, "B09MLG4MXX": {"attributes": []}, "B09CDK9Q6Y": {"attributes": ["hand wash", "quality polyester", "long sleeve", "machine wash"], "instruction": "Find me hand wash, machine wash women's dresses with quality polyester, long sleeve", "instruction_attributes": ["hand wash", "machine wash", "quality polyester", "long sleeve"]}, "B09RV4TXKJ": {"attributes": ["lingerie set", "lingerie women", "women lingerie", "sexy lingerie", "high waist"]}, "B07ZXBGDXF": {"attributes": ["elastic closure", "faux fur", "loose fit"], "instruction": "Find me loose fit women's shorts with elastic closure, faux fur", "instruction_attributes": ["loose fit", "elastic closure", "faux fur"]}, "B089K79PQ1": {"attributes": ["hand wash", "tumble dry", "polyester spandex", "daily wear", "wash cold"], "instruction": "Find me hand wash, wash cold women's bodysuit tops with polyester spandex for tumble dry, daily wear", "instruction_attributes": ["hand wash", "wash cold", "polyester spandex", "tumble dry", "daily wear"]}, "B09JC3K6R6": {"attributes": ["high heel", "non slip", "machine wash"], "instruction": "Find me non slip, machine wash women's socks & hosiery with high heel", "instruction_attributes": ["non slip", "machine wash", "high heel"]}, "B00JGBJD3E": {"attributes": ["drawstring closure", "machine wash"], "instruction": "Find me machine wash men's shorts with drawstring closure", "instruction_attributes": ["machine wash", "drawstring closure"]}, "B077YSTCCT": {"attributes": []}, "B09LVGYL1Z": {"attributes": []}, "B09P39QN2W": {"attributes": ["polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "wash cold", "classic fit", "machine wash"], "instruction": "Find me wash cold, machine wash men's shirts with polyester heathers, heathers cotton, cotton heather, needle sleeve, classic fit", "instruction_attributes": ["wash cold", "machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"]}, "B0897M3HYM": {"attributes": []}, "B08HF132PN": {"attributes": ["polyester heathers", "heathers cotton", "cotton heather", "machine wash"], "instruction": "Find me machine wash men's dress shirts with polyester heathers, heathers cotton, cotton heather", "instruction_attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather"]}, "B09QL82H1L": {"attributes": ["flat sandals", "sandals women", "shoes women", "non slip", "flat shoes", "slippers women", "arch support", "hand wash"], "instruction": "Find me non slip, hand wash women's loafers & slip-ons with arch support", "instruction_attributes": ["non slip", "hand wash", "arch support"]}, "B09S3BN15C": {"attributes": ["short sleeve", "shirts men", "polo shirts", "long sleeve", "regular fit", "slim fit", "graphic tees", "graphic shirt", "mens shirts", "sleeve shirt", "loose fit"], "instruction": "Find me slim fit, loose fit men's henleys with short sleeve, long sleeve, regular fit", "instruction_attributes": ["slim fit", "loose fit", "short sleeve", "long sleeve", "regular fit"]}, "B09QCVCYVY": {"attributes": ["long sleeve", "elastic waist", "lounge pants", "wide leg", "high waist", "slim fit", "denim pants", "running shorts", "workout leggings", "jogger pants", "pullover sweater", "skinny jeans", "cargo pants", "leggings women", "straight leg", "hoodie sweatshirt", "pants men", "sweaters women", "yoga pants", "tummy control", "graphic tees", "sleeve shirt", "tank tops", "shirts men", "tops women", "loose fit", "short sleeve"], "instruction": "Find me wide leg, slim fit, straight leg, loose fit women's shorts with long sleeve, elastic waist, high waist, tummy control, short sleeve", "instruction_attributes": ["wide leg", "slim fit", "straight leg", "loose fit", "long sleeve", "elastic waist", "high waist", "tummy control", "short sleeve"]}, "B09682D2T6": {"attributes": ["polyester cotton"]}, "B09NMBV996": {"attributes": ["pajamas women", "pajama set", "sexy lingerie"]}, "B09GRCNRHH": {"attributes": []}, "B079PH6955": {"attributes": ["needle sleeve", "classic fit"], "instruction": "Find me men's t-shirts & tanks with needle sleeve, classic fit", "instruction_attributes": ["needle sleeve", "classic fit"]}, "B099WX3CV5": {"attributes": ["short sleeve", "high waist", "polyester spandex", "daily wear", "slim fit", "machine wash"], "instruction": "Find me slim fit, machine wash women's jumpsuits, rompers & overalls with short sleeve, high waist, polyester spandex for daily wear", "instruction_attributes": ["slim fit", "machine wash", "short sleeve", "high waist", "polyester spandex", "daily wear"]}, "B09NDS8F4V": {"attributes": ["pajamas women", "button closure", "quality polyester", "polyester spandex", "daily wear", "long sleeve"], "instruction": "Find me women's jumpsuits, rompers & overalls with button closure, quality polyester, polyester spandex, long sleeve for daily wear", "instruction_attributes": ["button closure", "quality polyester", "polyester spandex", "long sleeve", "daily wear"]}, "B09PVNLVRW": {"attributes": ["jumpsuits women", "long sleeve", "daily wear", "slim fit"], "instruction": "Find me slim fit women's jumpsuits, rompers & overalls with long sleeve for daily wear", "instruction_attributes": ["slim fit", "long sleeve", "daily wear"]}, "B09B2HN6NN": {"attributes": ["tops women", "drawstring closure", "elastic waist", "polyester spandex", "machine wash"], "instruction": "Find me machine wash men's pants with drawstring closure, elastic waist, polyester spandex", "instruction_attributes": ["machine wash", "drawstring closure", "elastic waist", "polyester spandex"]}, "B08HW24C55": {"attributes": ["long sleeve", "long lasting", "crewneck sweatshirt", "officially licensed", "relaxed fit"], "instruction": "Find me long lasting, officially licensed women's fashion hoodies & sweatshirts with long sleeve, relaxed fit", "instruction_attributes": ["long lasting", "officially licensed", "long sleeve", "relaxed fit"]}, "B09PYSKD7H": {"attributes": ["shorts men", "gym shorts", "workout shorts", "shirts men", "running shorts", "gym workout", "mens shirts", "athletic shorts", "swim trunks", "lounge pants", "elastic waist", "classic fit", "short sleeve"], "instruction": "Find me men's shorts with elastic waist, classic fit, short sleeve for gym workout", "instruction_attributes": ["elastic waist", "classic fit", "short sleeve", "gym workout"]}, "B09Q37JQZ6": {"attributes": ["tummy control", "piece swimsuit", "swimsuit cover", "bikini swimsuit", "bathing suits", "tops women", "cover ups", "high waist", "machine wash"], "instruction": "Find me machine wash women's swimsuits & cover ups with tummy control, high waist", "instruction_attributes": ["machine wash", "tummy control", "high waist"]}, "B09NPML43M": {"attributes": ["shirts women", "tees women", "tops women", "short sleeve", "loose fit", "tunic tops", "teen girls", "day comfort", "graphic tees", "polyester spandex", "hand wash"], "instruction": "Find me loose fit, day comfort, hand wash women's tops, tees & blouses with short sleeve, polyester spandex for teen girls", "instruction_attributes": ["loose fit", "day comfort", "hand wash", "short sleeve", "polyester spandex", "teen girls"]}, "B0969G2DH8": {"attributes": ["polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "machine wash"], "instruction": "Find me machine wash men's dress shirts with polyester heathers, heathers cotton, cotton heather, needle sleeve, classic fit", "instruction_attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"]}, "B09N6WLYY1": {"attributes": []}, "B005WXS61A": {"attributes": []}, "B09RK77R3V": {"attributes": ["shorts men", "yoga shorts", "denim shorts", "short sleeve", "gym shorts", "athletic shorts", "workout shorts", "butt lifting", "running shorts", "cargo shorts", "mens shirts", "elastic waistband", "machine washable", "hand wash"], "instruction": "Find me butt lifting, machine washable, hand wash men's shorts with short sleeve, elastic waistband", "instruction_attributes": ["butt lifting", "machine washable", "hand wash", "short sleeve", "elastic waistband"]}, "B085FQ4YL5": {"attributes": []}, "B09HY9XB8P": {"attributes": ["briefs men", "boxer briefs", "machine wash", "polyester spandex"], "instruction": "Find me machine wash men's underwear with polyester spandex", "instruction_attributes": ["machine wash", "polyester spandex"]}, "B092T8CY89": {"attributes": ["shorts men"]}, "B09KP78G37": {"attributes": ["winter warm", "long sleeve", "jacket women", "faux fur"], "instruction": "Find me winter warm women's coats, jackets & vests with long sleeve, faux fur", "instruction_attributes": ["winter warm", "long sleeve", "faux fur"]}, "B0861GWJV2": {"attributes": ["nylon spandex", "quick drying", "long sleeve"], "instruction": "Find me quick drying women's swimsuits & cover ups with nylon spandex, long sleeve", "instruction_attributes": ["quick drying", "nylon spandex", "long sleeve"]}, "B08BC7JRLQ": {"attributes": ["jogger pants", "high waist", "elastic closure", "yoga pants", "machine wash"], "instruction": "Find me machine wash women's pants with high waist, elastic closure", "instruction_attributes": ["machine wash", "high waist", "elastic closure"]}, "B09QXG3BM2": {"attributes": ["women lingerie"]}, "B09QSQ8RT9": {"attributes": ["short sleeve", "gym workout", "sleeve shirt", "contrast color", "shirts men", "polo shirts", "tee shirt", "regular fit", "drawstring waist", "graphic tees", "tank tops", "loose fit", "slim fit"], "instruction": "Find me loose fit, slim fit men's shorts with short sleeve, contrast color, regular fit, drawstring waist for gym workout", "instruction_attributes": ["loose fit", "slim fit", "short sleeve", "contrast color", "regular fit", "drawstring waist", "gym workout"]}, "B07Z9M6KH1": {"attributes": []}, "B09J95S478": {"attributes": ["christmas sweater", "long sleeve"]}, "B09QGK5XHZ": {"attributes": ["shirts men", "jacket women", "long sleeve", "slim fit", "pullover hoodie", "shirts women", "mens shirts", "tee shirt", "graphic tees", "sleeve shirt", "tank tops"], "instruction": "Find me slim fit men's tuxedo shirts with long sleeve", "instruction_attributes": ["slim fit", "long sleeve"]}, "B09P7H5YK7": {"attributes": ["polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "machine wash"], "instruction": "Find me machine wash men's dress shirts with polyester heathers, heathers cotton, cotton heather, needle sleeve, classic fit", "instruction_attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"]}, "B0756KQCQY": {"attributes": ["dry clean"]}, "B09Q67H373": {"attributes": ["long sleeve", "shirts men", "dress shirt", "graphic tees", "sleeve shirt", "tops women", "short sleeve", "gym workout", "polyester cotton", "elastic waist", "regular fit", "tunic tops", "shirts women", "tank tops", "loose fit", "slim fit"], "instruction": "Find me loose fit, slim fit men's tuxedo shirts with long sleeve, short sleeve, polyester cotton, elastic waist, regular fit for gym workout", "instruction_attributes": ["loose fit", "slim fit", "long sleeve", "short sleeve", "polyester cotton", "elastic waist", "regular fit", "gym workout"]}, "B07Q48JVT8": {"attributes": ["officially licensed", "wash cold", "classic fit", "machine wash"], "instruction": "Find me officially licensed, wash cold, machine wash women's fashion hoodies & sweatshirts with classic fit", "instruction_attributes": ["officially licensed", "wash cold", "machine wash", "classic fit"]}, "B09QW2HQRK": {"attributes": ["low rise", "lounge pants", "pants men"]}, "B08KGWLWFN": {"attributes": ["crewneck sweatshirt", "polyester cotton"]}, "B08L9SFBXV": {"attributes": ["christmas sweater"]}, "B09PV9J15D": {"attributes": ["lingerie women", "lingerie set", "sexy lingerie"]}, "B09PL5W9PD": {"attributes": ["drawstring closure", "flat shoes", "piece swimsuit", "ankle boots", "bathing suits", "walking shoes", "elastic waistband", "tummy control", "machine wash"], "instruction": "Find me machine wash women's swimsuits & cover ups with drawstring closure, elastic waistband, tummy control", "instruction_attributes": ["machine wash", "drawstring closure", "elastic waistband", "tummy control"]}, "B09P5CRVQ6": {"attributes": ["long sleeve", "tops women", "crewneck sweatshirt", "shirts women", "sleeve shirt", "daily wear", "sweatshirt hoodie", "pullover sweater", "hoodies women", "skinny jeans", "jacket women", "zip hoodie", "fleece lined", "pullover hoodie", "tunic tops", "tank tops", "classic fit"], "instruction": "Find me fleece lined women's activewear with long sleeve, classic fit for daily wear", "instruction_attributes": ["fleece lined", "long sleeve", "classic fit", "daily wear"]}, "B078WSND96": {"attributes": ["mens shirts", "shirts men", "short sleeve", "graphic shirt", "tee shirt", "fashion design", "long sleeve", "button closure", "sleeve shirt", "tank tops"], "instruction": "Find me men's t-shirts & tanks with short sleeve, fashion design, long sleeve, button closure", "instruction_attributes": ["short sleeve", "fashion design", "long sleeve", "button closure"]}, "B09PVPYWHB": {"attributes": []}, "B09NNMV9LN": {"attributes": ["long sleeve", "short sleeve", "loose fit", "light weight", "sweatshirts women", "shirts women", "tops women", "contrast color", "unique design", "gym workout", "zip hoodie", "mens shirts", "teen girls", "tunic tops", "tank tops", "slim fit"], "instruction": "Find me loose fit, light weight, slim fit men's henleys with long sleeve, short sleeve, contrast color, unique design for gym workout, teen girls", "instruction_attributes": ["loose fit", "light weight", "slim fit", "long sleeve", "short sleeve", "contrast color", "unique design", "gym workout", "teen girls"]}, "B09S6LZYHQ": {"attributes": ["swimsuits women", "tummy control", "teen girls", "piece swimsuit"], "instruction": "Find me women's swimsuits & cover ups with tummy control for teen girls", "instruction_attributes": ["tummy control", "teen girls"]}, "B07HDK7TPT": {"attributes": ["long sleeve"]}, "B085S5P7WB": {"attributes": ["yoga pants", "pants women", "machine washable", "tummy control", "high waist", "daily wear", "hand wash", "machine wash"], "instruction": "Find me machine washable, hand wash, machine wash women's pants with tummy control, high waist for daily wear", "instruction_attributes": ["machine washable", "hand wash", "machine wash", "tummy control", "high waist", "daily wear"]}, "B09N974RWN": {"attributes": ["bikini swimsuit", "cover ups", "bathing suits", "quick drying", "high waist", "machine wash"], "instruction": "Find me quick drying, machine wash women's swimsuits & cover ups with high waist", "instruction_attributes": ["quick drying", "machine wash", "high waist"]}, "B09T756KQ5": {"attributes": ["long sleeve", "short sleeve", "tops women", "shirts women", "shirts men", "graphic tees", "tunic tops", "slim fit", "tank tops", "contrast color", "tees women", "pullover hoodie", "mens shirts", "tee shirt", "teen girls", "loose fit", "classic fit"], "instruction": "Find me slim fit, loose fit men's tuxedo shirts with long sleeve, short sleeve, contrast color, classic fit for teen girls", "instruction_attributes": ["slim fit", "loose fit", "long sleeve", "short sleeve", "contrast color", "classic fit", "teen girls"]}, "B09PLBDCBY": {"attributes": ["lingerie women", "lingerie set", "women lingerie", "pajamas women", "sexy lingerie", "machine wash"]}, "B09QCP4579": {"attributes": ["yoga pants", "butt lifting", "high waist", "yoga shorts", "light weight", "leggings women", "tummy control"], "instruction": "Find me butt lifting, light weight women's shorts with high waist, tummy control", "instruction_attributes": ["butt lifting", "light weight", "high waist", "tummy control"]}, "B09PBG3GYB": {"attributes": ["lingerie set", "sexy lingerie", "lingerie women"]}, "B09KM7X1G4": {"attributes": ["pullover hoodie", "moisture wicking"]}, "B07WX8FPGG": {"attributes": ["pullover sweater"]}, "B09M63B87V": {"attributes": ["shirts men", "long sleeve", "pullover sweater", "tunic tops", "shirts women", "tank tops", "tops women", "stretch fabric", "denim shorts", "sweatshirt hoodie", "hoodies women", "jacket women", "sweatshirts women", "pullover hoodie", "sweaters women", "yoga pants", "pants women", "teen girls", "polyester spandex", "sleeve shirt", "daily wear", "hand wash"], "instruction": "Find me hand wash women's sweaters with long sleeve, stretch fabric, polyester spandex for teen girls, daily wear", "instruction_attributes": ["hand wash", "long sleeve", "stretch fabric", "polyester spandex", "teen girls", "daily wear"]}, "B09RVF4JP1": {"attributes": ["polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit", "machine wash"], "instruction": "Find me machine wash men's t-shirts & tanks with polyester heathers, heathers cotton, cotton heather, needle sleeve, classic fit", "instruction_attributes": ["machine wash", "polyester heathers", "heathers cotton", "cotton heather", "needle sleeve", "classic fit"]}, "B08G8DXR5N": {"attributes": ["hand wash", "nylon spandex", "machine wash"], "instruction": "Find me hand wash, machine wash women's activewear with nylon spandex", "instruction_attributes": ["hand wash", "machine wash", "nylon spandex"]}, "B08Q43LJKJ": {"attributes": ["pants women", "pajama pants", "pants men", "cargo pants", "leggings women", "yoga pants", "boots women", "pajamas women", "slippers women", "lingerie women", "lounge pants", "fleece lined", "sweaters women", "shirts women", "jogger pants", "women lingerie", "long sleeve", "house slippers", "hoodies women", "christmas sweater", "dress pants", "sweatshirts women", "sexy lingerie", "teen girls", "shoes women"], "instruction": "Find me fleece lined women's pants with long sleeve for teen girls", "instruction_attributes": ["fleece lined", "long sleeve", "teen girls"]}, "B093KBGC44": {"attributes": ["laundry bag", "blouse hosiery"], "instruction": "Find me women's socks & hosiery with blouse hosiery for laundry bag", "instruction_attributes": ["blouse hosiery", "laundry bag"]}, "B01GEVN2HG": {"attributes": ["elastic waistband", "machine wash"], "instruction": "Find me machine wash men's underwear with elastic waistband", "instruction_attributes": ["machine wash", "elastic waistband"]}, "B093YT83QR": {"attributes": ["laundry bag", "blouse hosiery"], "instruction": "Find me women's socks & hosiery with blouse hosiery for laundry bag", "instruction_attributes": ["blouse hosiery", "laundry bag"]}, "B0859PP21L": {"attributes": ["easy care", "quality materials", "polyester spandex"], "instruction": "Find me easy care women's activewear with quality materials, polyester spandex", "instruction_attributes": ["easy care", "quality materials", "polyester spandex"]}, "B01HQTWL6S": {"attributes": ["machine wash", "dry clean", "tumble dry", "wash cold"], "instruction": "Find me machine wash, wash cold women's fashion hoodies & sweatshirts for dry clean, tumble dry", "instruction_attributes": ["machine wash", "wash cold", "dry clean", "tumble dry"]}, "B093K5JK25": {"attributes": ["laundry bag", "blouse hosiery"], "instruction": "Find me women's socks & hosiery with blouse hosiery for laundry bag", "instruction_attributes": ["blouse hosiery", "laundry bag"]}, "B07Y81FQV3": {"attributes": ["console table", "sofa table", "steel frame", "tv stand", "home office", "living room"], "instruction": "Find me console tables with steel frame for living room", "instruction_attributes": ["steel frame", "living room"]}, "B07G4HJR5V": {"attributes": ["faux leather", "sectional sofa", "coffee table", "easy clean"], "instruction": "Find me easy clean living room sets with faux leather", "instruction_attributes": ["easy clean", "faux leather"]}, "B09KTB1VG6": {"attributes": ["fleece blanket", "throw blanket", "fleece throw", "sofa bed"]}, "B01N4JDM7G": {"attributes": ["mid century", "living room"], "instruction": "Find me mid century ottomans for living room", "instruction_attributes": ["mid century", "living room"]}, "B09C1YWG8W": {"attributes": ["throw blanket", "machine washable"]}, "B099WH1RTM": {"attributes": ["wall decor", "wall art", "ready hang", "living room", "solid wood"], "instruction": "Find me ready hang wall art with solid wood for living room", "instruction_attributes": ["ready hang", "solid wood", "living room"]}, "B09B7G7P58": {"attributes": ["dining table", "table set", "dining room", "space saving", "easy assemble"], "instruction": "Find me space saving, easy assemble living room sets for dining room", "instruction_attributes": ["space saving", "easy assemble", "dining room"]}, "B09GBF12CY": {"attributes": ["floor lamp", "remote control", "living room", "dining room"], "instruction": "Find me floor lamps for living room, dining room", "instruction_attributes": ["living room", "dining room"]}, "B0784G74Z9": {"attributes": ["coffee table"]}, "B09DG3YTHY": {"attributes": ["throw blanket", "fleece throw", "fleece blanket", "sofa bed", "eco friendly"], "instruction": "Find me eco friendly throw blankets with fleece throw", "instruction_attributes": ["eco friendly", "fleece throw"]}, "B07SXRVKZ2": {"attributes": ["storage basket", "eco friendly"]}, "B08L2ZDWN2": {"attributes": ["pillow covers", "super soft", "throw pillow", "living room"], "instruction": "Find me super soft decorative pillows for living room", "instruction_attributes": ["super soft", "living room"]}, "B079LQTZNC": {"attributes": ["accent chair", "living room"]}, "B08K7LDM7Q": {"attributes": ["pillow covers", "throw pillow", "double sided"]}, "B000J3HZXS": {"attributes": []}, "B0943TLW3L": {"attributes": ["exquisite workmanship", "long lasting", "home decor", "living room"], "instruction": "Find me long lasting artificial plants with exquisite workmanship for living room", "instruction_attributes": ["long lasting", "exquisite workmanship", "living room"]}, "B07P24ZMXK": {"attributes": ["pillow covers", "sofa bed", "throw pillow", "home decor"]}, "B096G437B4": {"attributes": ["led bulb", "bronze finish", "table lamp", "steel frame", "mid century"], "instruction": "Find me mid century table lamps with bronze finish, steel frame", "instruction_attributes": ["mid century", "bronze finish", "steel frame"]}, "B09BKPV8LR": {"attributes": ["adjustable shelves", "tv cabinet", "tv stand", "console table"]}, "B0854JTZMT": {"attributes": ["pendant light", "living room", "dining room"], "instruction": "Find me pendants and chandeliers with pendant light for living room, dining room", "instruction_attributes": ["pendant light", "living room", "dining room"]}, "B08JQ5TLQV": {"attributes": ["soy wax", "long lasting", "lead free"], "instruction": "Find me long lasting, lead free candles with soy wax", "instruction_attributes": ["long lasting", "lead free", "soy wax"]}, "B01MR4Q0WA": {"attributes": ["engineered wood", "file cabinet"]}, "B08MFGNXW3": {"attributes": ["file cabinet", "eco friendly", "storage cabinet", "heavy duty", "assembly required", "easy clean"], "instruction": "Find me eco friendly, heavy duty, assembly required, easy clean file cabinets", "instruction_attributes": ["eco friendly", "heavy duty", "assembly required", "easy clean"]}, "B073KYWX93": {"attributes": ["button tufted"]}, "B08PYQVNBQ": {"attributes": ["home office", "shelf bookcase", "storage shelf", "metal frame", "living room"]}, "B07Q87P8DQ": {"attributes": ["glass shade", "clear glass", "kitchen island"], "instruction": "Find me pendants and chandeliers with glass shade, clear glass", "instruction_attributes": ["glass shade", "clear glass"]}, "B07QNLY8KV": {"attributes": ["scented candle"]}, "B00062IG3A": {"attributes": ["bronze finish", "floor lamp", "living room"], "instruction": "Find me floor lamps with bronze finish for living room", "instruction_attributes": ["bronze finish", "living room"]}, "B095KCTB3Y": {"attributes": ["office desk", "pu leather", "non slip", "easy clean"], "instruction": "Find me non slip, easy clean computer armoires with pu leather", "instruction_attributes": ["non slip", "easy clean", "pu leather"]}, "B09KQQNRRM": {"attributes": ["pendant light", "kitchen island", "height adjustable", "light fixture", "wood frame", "dining room", "living room"], "instruction": "Find me height adjustable pendants and chandeliers with pendant light, light fixture, wood frame for dining room, living room", "instruction_attributes": ["height adjustable", "pendant light", "light fixture", "wood frame", "dining room", "living room"]}, "B07T9LZKM7": {"attributes": ["throw pillow", "machine washable"]}, "B092QQBW4Y": {"attributes": ["wall art", "living room"]}, "B0928LGTVF": {"attributes": ["clear glass", "glass shade", "vanity light", "light fixture", "wall sconce", "living room", "dining room"], "instruction": "Find me sconces with clear glass, glass shade, vanity light, light fixture for living room, dining room", "instruction_attributes": ["clear glass", "glass shade", "vanity light", "light fixture", "living room", "dining room"]}, "B08D74SKT2": {"attributes": ["brushed nickel", "nickel finish", "vanity light", "clear glass", "glass shade"], "instruction": "Find me sconces with brushed nickel, nickel finish, vanity light, clear glass, glass shade", "instruction_attributes": ["brushed nickel", "nickel finish", "vanity light", "clear glass", "glass shade"]}, "B0101Q3V7Q": {"attributes": ["floor lamp"]}, "B09LHM4WQS": {"attributes": ["coffee table", "dining table", "steel frame", "living room", "storage space"], "instruction": "Find me coffee tables with steel frame, storage space for living room", "instruction_attributes": ["steel frame", "storage space", "living room"]}, "B09Q3NSH3D": {"attributes": ["wall mirror", "wall art", "living room"]}, "B096RV56XP": {"attributes": ["machine washable", "living room"], "instruction": "Find me machine washable window coverings for living room", "instruction_attributes": ["machine washable", "living room"]}, "B07ZWVS584": {"attributes": []}, "B09F6SCW47": {"attributes": ["wall mounted", "tv cabinet", "storage shelves", "tv stand", "storage cabinet", "living room", "white item", "easy clean"], "instruction": "Find me wall mounted, white item, easy clean tv stands for living room", "instruction_attributes": ["wall mounted", "white item", "easy clean", "living room"]}, "B0836D6CW4": {"attributes": ["fleece throw", "super soft", "throw blanket", "machine washable"], "instruction": "Find me super soft, machine washable throw blankets with fleece throw", "instruction_attributes": ["super soft", "machine washable", "fleece throw"]}, "B01NCQLFPH": {"attributes": ["wall sconce"]}, "B089KGBJGW": {"attributes": ["memory foam"]}, "B07CJSNLNZ": {"attributes": []}, "B07GLPCY1C": {"attributes": ["home office"]}, "B015MSXCL8": {"attributes": []}, "B07S2Z9KGP": {"attributes": ["wall mirror", "wall decor", "space saving", "home decor", "living room"], "instruction": "Find me space saving decorative mirrors for living room", "instruction_attributes": ["space saving", "living room"]}, "B01N9RL0AX": {"attributes": ["shelf bookcase", "coated steel"]}, "B09DYFZM1X": {"attributes": ["pillow covers", "throw pillow"]}, "B08CV7M1HV": {"attributes": ["tempered glass", "sofa table", "mid century", "end table", "living room", "coffee table", "solid wood"], "instruction": "Find me mid century coffee tables with tempered glass, solid wood for living room", "instruction_attributes": ["mid century", "tempered glass", "solid wood", "living room"]}, "B07N33BPQ6": {"attributes": []}, "B09B7ZKMVY": {"attributes": ["futon mattress", "queen size", "spot clean", "easy clean"], "instruction": "Find me queen size, spot clean, easy clean mattresses", "instruction_attributes": ["queen size", "spot clean", "easy clean"]}, "B082KBN23S": {"attributes": ["decorative mirror", "wall mounted", "living room"], "instruction": "Find me wall mounted decorative mirrors for living room", "instruction_attributes": ["wall mounted", "living room"]}, "B091CNTBNS": {"attributes": ["light fixture", "easy clean"], "instruction": "Find me easy clean pendants and chandeliers with light fixture", "instruction_attributes": ["easy clean", "light fixture"]}, "B077KJXD99": {"attributes": ["memory foam", "high density"], "instruction": "Find me high density mattresses with memory foam", "instruction_attributes": ["high density", "memory foam"]}, "B09GY58GDH": {"attributes": ["dining chair", "solid wood", "button tufted", "wood frame", "mid century", "high density", "dining room", "easy assemble"], "instruction": "Find me button tufted, mid century, high density, easy assemble dining sets with solid wood, wood frame for dining room", "instruction_attributes": ["button tufted", "mid century", "high density", "easy assemble", "solid wood", "wood frame", "dining room"]}, "B09NTCCVGX": {"attributes": ["storage box", "faux leather", "non slip", "coffee table", "easy install"], "instruction": "Find me non slip, easy install ottomans with faux leather", "instruction_attributes": ["non slip", "easy install", "faux leather"]}, "B095SWN6C3": {"attributes": ["vanity light", "glass shade", "light fixture", "wall sconce", "easy install", "living room"], "instruction": "Find me easy install sconces with vanity light, glass shade, light fixture for living room", "instruction_attributes": ["easy install", "vanity light", "glass shade", "light fixture", "living room"]}, "B09B77K9YQ": {"attributes": ["console table", "wood frame", "sofa table", "living room"], "instruction": "Find me console tables with wood frame for living room", "instruction_attributes": ["wood frame", "living room"]}, "B099Z6YWL1": {"attributes": ["storage shelf", "baker rack", "microwave oven", "storage rack", "storage unit", "white finish", "dining table", "white item", "metal frame", "storage space"], "instruction": "Find me white item baker's racks with storage unit, white finish, storage space", "instruction_attributes": ["white item", "storage unit", "white finish", "storage space"]}, "B0743JKHBV": {"attributes": ["printing technology", "double sided", "throw pillow", "machine washable"], "instruction": "Find me double sided, machine washable decorative pillows with printing technology", "instruction_attributes": ["double sided", "machine washable", "printing technology"]}, "B09S6S7LG1": {"attributes": ["tv stand", "high gloss", "entertainment center", "wall mounted", "living room", "storage space"], "instruction": "Find me wall mounted tv stands with high gloss, storage space for living room", "instruction_attributes": ["wall mounted", "high gloss", "storage space", "living room"]}, "B09BYX42DW": {"attributes": ["machine washable", "living room", "home office"], "instruction": "Find me machine washable living room sets for living room", "instruction_attributes": ["machine washable", "living room"]}, "B00D43URUS": {"attributes": []}, "B00BL2YE2Q": {"attributes": ["floor lamp"]}, "B07BKRV1QH": {"attributes": ["wall art"]}, "B08LF355G2": {"attributes": ["shelf bookcase", "long lasting"]}, "B07ZBCF88X": {"attributes": ["glass shade", "dining room", "contemporary design", "clear glass", "height adjustable", "kitchen island"], "instruction": "Find me height adjustable dining tables with glass shade, contemporary design, clear glass for dining room", "instruction_attributes": ["height adjustable", "glass shade", "contemporary design", "clear glass", "dining room"]}, "B0029LHT7A": {"attributes": []}, "B00IMMU4G8": {"attributes": []}, "B09L44298X": {"attributes": ["desk chair", "office chair", "home office", "accent chair", "height adjustable", "stainless steel", "office desk", "living room", "metal frame"], "instruction": "Find me height adjustable home office chairs with stainless steel for living room", "instruction_attributes": ["height adjustable", "stainless steel", "living room"]}, "B094YFJ95K": {"attributes": ["twin size", "storage box", "sofa bed", "wood frame", "bed frame", "living room", "easy assemble", "storage space"], "instruction": "Find me twin size, easy assemble bedframes with wood frame, storage space for living room", "instruction_attributes": ["twin size", "easy assemble", "wood frame", "storage space", "living room"]}, "B085RBZCHH": {"attributes": ["mid century", "desk chair", "heavy duty", "coffee table", "easy install"], "instruction": "Find me mid century, heavy duty, easy install furniture sets", "instruction_attributes": ["mid century", "heavy duty", "easy install"]}, "B09GK4XTJG": {"attributes": ["pendant light", "wall mounted", "dining room", "living room"], "instruction": "Find me wall mounted pendants and chandeliers with pendant light for dining room, living room", "instruction_attributes": ["wall mounted", "pendant light", "dining room", "living room"]}, "B08FQTMCNM": {"attributes": ["pu leather", "height adjustable", "accent chair", "faux leather", "assembly required"], "instruction": "Find me height adjustable, assembly required bases with pu leather, faux leather", "instruction_attributes": ["height adjustable", "assembly required", "pu leather", "faux leather"]}, "B09MCTMRH6": {"attributes": ["computer desk", "home office", "office desk", "easy assemble"]}, "B089B1K9LJ": {"attributes": ["storage cabinet"]}, "B09P8D2Q1Q": {"attributes": ["file cabinet", "storage cabinet", "home office", "storage shelves", "storage shelf", "metal frame", "storage space", "living room"], "instruction": "Find me home office cabinets with storage space for living room", "instruction_attributes": ["storage space", "living room"]}, "B018A8MPJ2": {"attributes": ["storage unit", "queen size"], "instruction": "Find me queen size beds with storage unit", "instruction_attributes": ["queen size", "storage unit"]}, "B07PM8MJKZ": {"attributes": ["double sided", "fully assembled", "long lasting"], "instruction": "Find me double sided, fully assembled, long lasting mattresses", "instruction_attributes": ["double sided", "fully assembled", "long lasting"]}, "B07FDJYBVW": {"attributes": ["white finish", "storage rack", "wood frame", "assembly required"], "instruction": "Find me assembly required kitchen islands with white finish, wood frame", "instruction_attributes": ["assembly required", "white finish", "wood frame"]}, "B09Q2ZBB1G": {"attributes": ["computer desk", "home office", "office desk", "storage shelves", "living room"]}, "B07DRFDWVT": {"attributes": ["machine washable", "living room"], "instruction": "Find me machine washable living room sets for living room", "instruction_attributes": ["machine washable", "living room"]}, "B08DHS3TH5": {"attributes": ["vanity light", "clear glass", "light fixture", "mid century"], "instruction": "Find me mid century vanities with vanity light, clear glass, light fixture", "instruction_attributes": ["mid century", "vanity light", "clear glass", "light fixture"]}, "B09LCM3NKN": {"attributes": ["window curtain", "living room"]}, "B08R5Z7S2K": {"attributes": ["file cabinet", "storage space", "storage cabinet", "easy clean", "easy assemble"], "instruction": "Find me easy clean, easy assemble file cabinets with storage space", "instruction_attributes": ["easy clean", "easy assemble", "storage space"]}, "B01I5B1Q1M": {"attributes": ["dining chair", "bar stool", "faux leather", "mid century", "solid wood", "easy clean"], "instruction": "Find me mid century, easy clean bar stools with faux leather, solid wood", "instruction_attributes": ["mid century", "easy clean", "faux leather", "solid wood"]}, "B079V5YD92": {"attributes": ["engineered wood", "assembly required"], "instruction": "Find me assembly required baker's racks with engineered wood", "instruction_attributes": ["assembly required", "engineered wood"]}, "B09RQ22QJY": {"attributes": ["fully assembled"]}, "B092D51DYS": {"attributes": []}, "B09PTQFBNT": {"attributes": ["computer desk", "easy assemble", "home office", "storage shelves", "steel frame", "metal frame", "storage space"], "instruction": "Find me easy assemble drafting tables with steel frame, storage space", "instruction_attributes": ["easy assemble", "steel frame", "storage space"]}, "B089Q6FS79": {"attributes": ["wall art", "home decor"]}, "B097TTL54K": {"attributes": ["home office", "wall art"]}, "B07TNKTKF4": {"attributes": ["long lasting"]}, "B07V5WMYXS": {"attributes": []}, "B08R9QHFPC": {"attributes": ["high density", "foam mattress", "space saving", "easy clean"], "instruction": "Find me high density, space saving, easy clean mattresses", "instruction_attributes": ["high density", "space saving", "easy clean"]}, "B0873B8Y7P": {"attributes": ["wall sconce", "clear glass", "wall decor", "assembly required", "living room"], "instruction": "Find me assembly required sconces with clear glass for living room", "instruction_attributes": ["assembly required", "clear glass", "living room"]}, "B003HBR86S": {"attributes": []}, "B00KL9G3Z6": {"attributes": ["bed frame"]}, "B09N55XTPL": {"attributes": ["easy clean"]}, "B0166POJEU": {"attributes": []}, "B07S8F7SHK": {"attributes": ["dining table", "sofa table", "white item", "assembly required", "dining room", "home office"], "instruction": "Find me white item, assembly required console tables for dining room", "instruction_attributes": ["white item", "assembly required", "dining room"]}, "B08KY1G31G": {"attributes": ["soy wax", "scented candle", "living room"], "instruction": "Find me candles with soy wax for living room", "instruction_attributes": ["soy wax", "living room"]}, "B08HN55NGW": {"attributes": []}, "B08D3GRMHK": {"attributes": ["lead free"]}, "B08TR23329": {"attributes": ["led bulb", "bronze finish", "floor lamp", "steel frame"], "instruction": "Find me floor lamps with bronze finish, steel frame", "instruction_attributes": ["bronze finish", "steel frame"]}, "B09GVJBPRR": {"attributes": ["dining table", "non slip", "easy clean", "dining room"], "instruction": "Find me non slip, easy clean dining sets for dining room", "instruction_attributes": ["non slip", "easy clean", "dining room"]}, "B084Q7C6TX": {"attributes": ["desk lamp", "office desk", "long lasting", "bedside table", "white item", "home office", "living room"], "instruction": "Find me long lasting, white item table lamps for living room", "instruction_attributes": ["long lasting", "white item", "living room"]}, "B01M8HL69L": {"attributes": []}, "B00272NBN2": {"attributes": []}, "B07PX22S9F": {"attributes": ["bar stool", "dining room", "living room"], "instruction": "Find me bar stools for dining room, living room", "instruction_attributes": ["dining room", "living room"]}, "B08FGWZZ8J": {"attributes": ["throw blanket", "fleece blanket", "home decor"]}, "B0893JSZHZ": {"attributes": ["home decor"]}, "B08HXR3BGR": {"attributes": ["dining table"]}, "B009EEVDSQ": {"attributes": ["queen size", "futon mattress"]}, "B09DG92LJL": {"attributes": ["console table", "metal legs", "sofa table"]}, "B09P65MG4G": {"attributes": ["contemporary style", "fully assembled", "gray item", "sofa table"], "instruction": "Find me fully assembled sofa tables with contemporary style", "instruction_attributes": ["fully assembled", "contemporary style"]}, "B09RX1PLP4": {"attributes": ["console table", "metal frame", "home decor", "sofa table", "easy assemble", "home office"]}, "B06XG74CXC": {"attributes": ["office chair"]}, "B09C8FZ9YS": {"attributes": ["easy clean", "storage box"]}, "B08MQF4FV1": {"attributes": ["desk chair", "home office", "office chair", "living room"]}, "B09C896SN6": {"attributes": ["home decor", "exquisite workmanship", "tv stand", "living room"], "instruction": "Find me tv stands with exquisite workmanship for living room", "instruction_attributes": ["exquisite workmanship", "living room"]}, "B09QYYN4S4": {"attributes": ["wall mounted", "coat hooks", "hall tree", "coat rack", "space saving", "assembly required", "living room"], "instruction": "Find me wall mounted, space saving, assembly required hall trees for living room", "instruction_attributes": ["wall mounted", "space saving", "assembly required", "living room"]}, "B08MB4NQGQ": {"attributes": ["wine cabinet", "tv cabinet", "home office", "living room"]}, "B09S5KV1MY": {"attributes": ["storage space"]}, "B00RIK1LI0": {"attributes": ["adjustable shelves"]}, "B010CBCDGK": {"attributes": []}, "B08HV9D6P3": {"attributes": ["height adjustable", "easy assemble", "home office"], "instruction": "Find me height adjustable, easy assemble desks", "instruction_attributes": ["height adjustable", "easy assemble"]}, "B08P8LRFZ4": {"attributes": ["desk chair", "office chair", "office desk", "home office", "height adjustable", "high density", "living room", "easy install", "easy assemble"], "instruction": "Find me height adjustable, high density, easy install, easy assemble home office chairs for living room", "instruction_attributes": ["height adjustable", "high density", "easy install", "easy assemble", "living room"]}, "B07PDKXJSK": {"attributes": ["gray item"]}, "B09LVDSDQG": {"attributes": ["easy assemble", "living room"], "instruction": "Find me easy assemble cabinets for living room", "instruction_attributes": ["easy assemble", "living room"]}, "B07XTK3P89": {"attributes": ["printing technology", "machine washable"], "instruction": "Find me machine washable ottomans with printing technology", "instruction_attributes": ["machine washable", "printing technology"]}, "B0048U51N4": {"attributes": ["metal frame", "box spring", "bed frame", "assembly required"], "instruction": "Find me assembly required beds with box spring", "instruction_attributes": ["assembly required", "box spring"]}, "B084ZPN17C": {"attributes": ["metal frame", "assembly required"]}, "B09MNNBDTJ": {"attributes": ["tv stand", "high gloss", "entertainment center", "remote control", "tv cabinet", "gray item"]}, "B09J4RH84G": {"attributes": []}, "B01N4QB5WP": {"attributes": ["desk chair", "office desk"]}, "B000GQ4KX6": {"attributes": []}, "B00V0OCMXS": {"attributes": ["heavy duty", "assembly required"], "instruction": "Find me heavy duty, assembly required desks", "instruction_attributes": ["heavy duty", "assembly required"]}, "B07GRP1WCD": {"attributes": ["bed frame"]}, "B09P71WY8C": {"attributes": ["window film", "living room"]}, "B000GLTJ3M": {"attributes": ["adjustable shelves", "assembly required"]}, "B09J9Y9H95": {"attributes": ["bronze finish", "vanity light"], "instruction": "Find me vanities with bronze finish, vanity light", "instruction_attributes": ["bronze finish", "vanity light"]}, "B08XZ58NCK": {"attributes": ["wall decor", "wall art"]}, "B01A0L5FXA": {"attributes": ["box spring", "ready use", "fully assembled", "high density"], "instruction": "Find me ready use, fully assembled, high density mattresses with box spring", "instruction_attributes": ["ready use", "fully assembled", "high density", "box spring"]}, "B06XDG8XFX": {"attributes": ["book shelf", "space saving"]}, "B07NLHNQCG": {"attributes": ["wood finish"]}, "B08QVDNJC7": {"attributes": ["pillow covers", "throw pillow", "home decor", "sofa bed", "eco friendly", "living room"], "instruction": "Find me eco friendly decorative pillows for living room", "instruction_attributes": ["eco friendly", "living room"]}, "B09PFWVXVS": {"attributes": ["coat rack"]}, "B09QHT6WKQ": {"attributes": ["platform bed", "bed frame", "twin size", "storage space", "gray item", "box spring"], "instruction": "Find me twin size beds with storage space, box spring", "instruction_attributes": ["twin size", "storage space", "box spring"]}, "B09DZVSFJL": {"attributes": ["solid wood", "home office"]}, "B084HBQYTD": {"attributes": ["solid wood", "sofa table"]}, "B08YH6Y6FQ": {"attributes": ["window curtain"]}, "B09JC84P1M": {"attributes": ["end table", "storage basket", "coffee table", "living room", "desk lamp", "bedside table", "sofa table", "long lasting", "metal frame"], "instruction": "Find me long lasting coffee tables for living room", "instruction_attributes": ["long lasting", "living room"]}, "B00KM40FHM": {"attributes": ["window film", "dining room", "living room"], "instruction": "Find me window coverings for dining room, living room", "instruction_attributes": ["dining room", "living room"]}, "B07WH2WBF2": {"attributes": ["eco friendly", "home decor"]}, "B08GY1VWPH": {"attributes": ["wall lamp", "wall sconce", "dining room", "living room"], "instruction": "Find me sconces for dining room, living room", "instruction_attributes": ["dining room", "living room"]}, "B08D3S1KK4": {"attributes": []}, "B099YQ75WT": {"attributes": ["adjustable shelves", "engineered wood", "solid wood"], "instruction": "Find me bookcases with engineered wood, solid wood", "instruction_attributes": ["engineered wood", "solid wood"]}, "B09H3N5P74": {"attributes": ["high density"]}, "B07FKGQKZ1": {"attributes": ["dining room", "living room"], "instruction": "Find me home office furniture sets for dining room, living room", "instruction_attributes": ["dining room", "living room"]}, "B09CQ45ZRB": {"attributes": ["non slip", "home decor", "living room"], "instruction": "Find me non slip desks for living room", "instruction_attributes": ["non slip", "living room"]}, "B07KY5X445": {"attributes": ["stainless steel", "heavy duty"], "instruction": "Find me heavy duty baker's racks with stainless steel", "instruction_attributes": ["heavy duty", "stainless steel"]}, "B06XFZXXTC": {"attributes": ["non slip", "space saving", "coat rack"], "instruction": "Find me non slip, space saving coat racks", "instruction_attributes": ["non slip", "space saving"]}, "B09PJ6QZWW": {"attributes": ["ready hang", "wall decor", "wall art", "home decor"]}, "B088WSDHTW": {"attributes": ["easy install"]}, "B0769HRGD2": {"attributes": ["platform bed", "wood frame", "box spring", "solid wood"], "instruction": "Find me beds with wood frame, box spring, solid wood", "instruction_attributes": ["wood frame", "box spring", "solid wood"]}, "B0832YXLRK": {"attributes": ["decorative mirror", "wall mounted"]}, "B079N3VLRJ": {"attributes": ["solid wood", "bedside table", "easy clean", "living room"], "instruction": "Find me easy clean sofa tables with solid wood for living room", "instruction_attributes": ["easy clean", "solid wood", "living room"]}, "B073P9Z1K9": {"attributes": ["home decor"]}, "B07WC14R63": {"attributes": ["wall mirror", "wood frame", "wall mounted", "makeup mirror", "decorative mirror", "living room", "solid wood"], "instruction": "Find me wall mounted decorative mirrors with wood frame, solid wood for living room", "instruction_attributes": ["wall mounted", "wood frame", "solid wood", "living room"]}, "B09688C4XM": {"attributes": ["high density", "space saving", "living room"], "instruction": "Find me high density, space saving sofa tables for living room", "instruction_attributes": ["high density", "space saving", "living room"]}, "B08CHHHB46": {"attributes": ["wall decor", "wall art", "living room", "home office"]}, "B07BKXMCNB": {"attributes": ["soy wax"]}, "B07FFHJ8YL": {"attributes": []}, "B07FVHPK5X": {"attributes": ["wall art", "living room"]}, "B08XWT6RND": {"attributes": ["easy install"]}, "B004A9L7ZO": {"attributes": ["box spring", "bed frame", "assembly required"], "instruction": "Find me assembly required bedframes with box spring", "instruction_attributes": ["assembly required", "box spring"]}, "B00QFWWZMI": {"attributes": ["spot clean"]}, "B06Y3VLDFB": {"attributes": ["console table", "solid wood"]}, "B08NXTHM2W": {"attributes": ["solid wood", "wall art"]}, "B09N8SLFRJ": {"attributes": ["coffee table", "coated steel", "tempered glass", "steel frame"], "instruction": "Find me coffee tables with coated steel, tempered glass, steel frame", "instruction_attributes": ["coated steel", "tempered glass", "steel frame"]}, "B08KLHMPP9": {"attributes": ["foot stool", "non slip", "easy clean", "living room"], "instruction": "Find me non slip, easy clean ottomans for living room", "instruction_attributes": ["non slip", "easy clean", "living room"]}, "B09P58VY9G": {"attributes": ["wall art", "living room"]}, "B09PYR413Y": {"attributes": []}, "B094QQ7X9T": {"attributes": ["decorative mirror", "wall mounted"]}, "B08SHNQJBW": {"attributes": ["baker rack", "engineered wood", "storage space"], "instruction": "Find me baker's racks with engineered wood, storage space", "instruction_attributes": ["engineered wood", "storage space"]}, "B0957XW92M": {"attributes": ["metal legs", "high density", "living room", "white item"], "instruction": "Find me high density, white item vanities with metal legs for living room", "instruction_attributes": ["high density", "white item", "metal legs", "living room"]}, "B08SKH3LTM": {"attributes": ["fleece blanket", "super soft"]}, "B08TGV7SP2": {"attributes": ["decorative mirror", "wall mirror", "living room"]}, "B09HXDPKJF": {"attributes": ["storage cabinet"]}, "B07SXLVPF3": {"attributes": ["box spring", "high density", "assembly required", "king size", "ready use", "memory foam", "bed frame", "long lasting"], "instruction": "Find me high density, assembly required, ready use, long lasting mattresses with box spring, king size, memory foam", "instruction_attributes": ["high density", "assembly required", "ready use", "long lasting", "box spring", "king size", "memory foam"]}, "B017L3XL54": {"attributes": []}, "B09PGQQQDL": {"attributes": ["dining table", "kitchen island"]}, "B06ZYS6NW4": {"attributes": ["kitchen island", "glass shade", "pendant light", "living room"], "instruction": "Find me kitchen islands with glass shade, pendant light for living room", "instruction_attributes": ["glass shade", "pendant light", "living room"]}, "B01FT2KXJG": {"attributes": ["contemporary style", "floor lamp", "living room", "easy clean", "easy assemble"], "instruction": "Find me easy clean, easy assemble floor lamps with contemporary style for living room", "instruction_attributes": ["easy clean", "easy assemble", "contemporary style", "living room"]}, "B09HKZS7LV": {"attributes": ["pillow covers", "throw pillow", "home decor"]}, "B091SK8ZH5": {"attributes": ["home decor", "living room"]}, "B09NRF2QGD": {"attributes": ["coat rack", "solid wood", "storage space", "living room"], "instruction": "Find me hall trees with solid wood, storage space for living room", "instruction_attributes": ["solid wood", "storage space", "living room"]}, "B095Z2SDB9": {"attributes": ["window film", "easy install", "home office"]}, "B08QCL5SX5": {"attributes": ["decorative mirror", "wall mirror", "living room", "metal frame"]}, "B098M9KX7K": {"attributes": ["futon mattress", "living room"]}, "B09BNCFGLY": {"attributes": ["bed frame", "twin size", "platform bed", "eco friendly", "solid wood"], "instruction": "Find me twin size, eco friendly bedframes with solid wood", "instruction_attributes": ["twin size", "eco friendly", "solid wood"]}, "B08X2FSR21": {"attributes": ["box spring", "bed frame", "heavy duty", "assembly required"], "instruction": "Find me heavy duty, assembly required bedframes with box spring", "instruction_attributes": ["heavy duty", "assembly required", "box spring"]}, "B078PKLZFB": {"attributes": ["box spring", "high density", "ready use", "twin size", "long lasting", "assembly required"], "instruction": "Find me high density, ready use, twin size, long lasting, assembly required mattresses with box spring", "instruction_attributes": ["high density", "ready use", "twin size", "long lasting", "assembly required", "box spring"]}, "B004FG6BV2": {"attributes": []}, "B08XX6QRK4": {"attributes": ["bed frame", "storage shelves", "box spring", "easy assemble"], "instruction": "Find me easy assemble beds with box spring", "instruction_attributes": ["easy assemble", "box spring"]}, "B09DVQ3646": {"attributes": ["bedside table", "eco friendly", "sofa table", "storage shelf", "white item", "easy install", "storage space", "living room"], "instruction": "Find me eco friendly, white item, easy install nightstands with storage space for living room", "instruction_attributes": ["eco friendly", "white item", "easy install", "storage space", "living room"]}, "B08LNFNXSD": {"attributes": ["office chair", "home office", "dining chair", "desk chair", "office desk", "easy install", "easy assemble"], "instruction": "Find me easy install, easy assemble home office chairs", "instruction_attributes": ["easy install", "easy assemble"]}, "B09KWX51GJ": {"attributes": []}, "B083ZPYNHH": {"attributes": ["bed frame", "box spring"]}, "B071S7GPMS": {"attributes": ["queen size", "platform bed", "box spring"], "instruction": "Find me queen size beds with box spring", "instruction_attributes": ["queen size", "box spring"]}, "B09M6VXD6W": {"attributes": ["bedside table", "end table", "coffee table", "easy clean"]}, "B08NPQT5TW": {"attributes": ["home decor"]}, "B07TN3Y9H1": {"attributes": ["vanity light", "glass shade", "mid century"], "instruction": "Find me mid century vanities with vanity light, glass shade", "instruction_attributes": ["mid century", "vanity light", "glass shade"]}, "B0851Y9BDC": {"attributes": ["stainless steel", "heavy duty"], "instruction": "Find me heavy duty china cabinets with stainless steel", "instruction_attributes": ["heavy duty", "stainless steel"]}} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/data/items_shuffle_1000.json b/openmanus_rl/agentgym/agentenv-webshop/webshop/data/items_shuffle_1000.json new file mode 100644 index 00000000..08dfda9a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/data/items_shuffle_1000.json @@ -0,0 +1 @@ +[{"name": "Vhomes Lights Reclaimed Wood Console Table The Genessis Collection Sofa-Tables", "product_information": {"ASIN": "B06Y3VLDFB", "Best Sellers Rank": ["#8,224,795 in Home & Kitchen (See Top 100 in Home & Kitchen) #8,879 in Sofa Tables"], "Date First Available": "April 7, 2017"}, "brand": "Brand: Vhomes Lights", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Vhomes+Lights", "full_description": "Solid, Reclaimed Fir Wood In Natural, Sun Bleached Finish With Light Antiquing Glaze.", "pricing": "$877.80", "list_price": "", "availability_quantity": 6, "availability_status": "Only 6 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51Y1zY1ZdZL.jpg", "https://m.media-amazon.com/images/I/41fbRZ6LKlL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Tables \u203a Sofa & Console Tables", "average_rating": "", "small_description": ["Finish/Frame Description:Solid, Reclaimed Fir Wood In Natural, Sun Bleached Finish With Light Antiquing Glaze. ", "Material:SOLID WOOD ", "Dimensions (Inches): 14.125 Depth 54 Width 33 Height ", "Weight:41 "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3AFTPXK3AVV55", "seller_name": "Naturals N' More", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B06Y3VLDFB", "category": "garden", "query": "Console tables", "page": 378, "small_description_old": "About this item Finish/Frame Description:Solid, Reclaimed Fir Wood In Natural, Sun Bleached Finish With Light Antiquing Glaze. Material:SOLID WOOD Dimensions (Inches): 14.125 Depth 54 Width 33 Height Weight:41 \n \u203a See more product details"}, {"name": "Pointed Toe Pumps Shoes, Stiletto Plaid Leather High Heels, Sexy Elegant Party Wedding Work Court Shoes,Wine red,40", "product_information": {"Department": "Womens", "Manufacturer": "TYX", "ASIN": "B08R3XSC65"}, "brand": "Brand: TYX", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=TYX", "full_description": "\u2605Detailed parameters:Upper material: microfiber check patternInside material: leatherShoe sole material: rubber soleToe shape: pointedHeel shape: stilettoHeel height: super high heelsuitable season: spring, autumnWearing style: sleeve/overshoesUpper height: lowColor: beige, apricot, bronze, wine redShoe size: 34-46Heel height: 9.5 cmPalm width: 7.8 cm\u2605Reminder:1. All sizes need to be customized and will be shipped 7-10 days after purchase. Please wait patiently2. Due to the different reasons of the shooting light and the monitor, there may be chromatic aberration, please refer to the actual color, thank you for your understanding3. Due to manual measurement, there may be some errors, which belong to the normal range, please understand\u2605After-sales service: If you have any questions about the product, please contact us by email, we will give you a satisfactory answer within 24 hours\u2605I wish you a happy life!", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/41+l47A+ltL.jpg", "https://m.media-amazon.com/images/I/41qop4KW0HL.jpg", "https://m.media-amazon.com/images/I/41hn0R1OFbL.jpg", "https://m.media-amazon.com/images/I/41h7zrrg9PL.jpg", "https://m.media-amazon.com/images/I/51uFTTHzDYL.jpg", "https://m.media-amazon.com/images/I/51aXEEvfkiL.jpg", "https://m.media-amazon.com/images/I/51osJ--BLPL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Pumps", "average_rating": "", "small_description": ["\u2605Fashionable upper: Shallow mouth upper plaid design, exquisite and elegant, sexy and fashionable stiletto heel, modified leg shape, fashionable legs look more slender and slender. ", "\u2605Shoe upper material: The upper is made of super-fiber material, soft and delicate, comfortable and breathable, wear-resistant and cold-resistant, beautiful and aging-resistant, and has good water resistance. ", "\u2605Fashionable all-match: Fashionable stilettos are very versatile. You can perfectly match any outfit for leisure, party, work, dating, wedding, bar, school or other special occasions. ", "\u2605Comfortable design: The design of high-heeled shoes conforms to the comfortable curvature of human feet, and naturally fits the feet. Relieve foot fatigue and give you a comfortable and stable walking feeling. ", "\u2605Customization: All sizes are custom sizes and will be shipped within 7-10 days after ordering. Please refer to the foot length in the size chart, and then choose the appropriate size according to your foot type. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08R3XSC65", "category": "fashion", "query": "Women's Pumps", "page": 130, "small_description_old": "\u2605Fashionable upper: Shallow mouth upper plaid design, exquisite and elegant, sexy and fashionable stiletto heel, modified leg shape, fashionable legs look more slender and slender. \u2605Shoe upper material: The upper is made of super-fiber material, soft and delicate, comfortable and breathable, wear-resistant and cold-resistant, beautiful and aging-resistant, and has good water resistance. \u2605Fashionable all-match: Fashionable stilettos are very versatile. You can perfectly match any outfit for leisure, party, work, dating, wedding, bar, school or other special occasions. \u2605Comfortable design: The design of high-heeled shoes conforms to the comfortable curvature of human feet, and naturally fits the feet. Relieve foot fatigue and give you a comfortable and stable walking feeling. \u2605Customization: All sizes are custom sizes and will be shipped within 7-10 days after ordering. Please refer to the foot length in the size chart, and then choose the appropriate size according to your foot type."}, {"name": "HSJWOSA Decorative Rustic Entryway Console Table, 60\" Long Sofa Table with Two Different Size Drawers and Bottom Shelf for Storage Ornamental (Color : Black)", "product_information": {"Item Weight": "\u200e0.035 ounces", "Country of Origin": "\u200eChina", "ASIN": "B09DG92LJL", "Date First Available": "August 24, 2021"}, "brand": "Brand: HSJWOSA", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=HSJWOSA", "full_description": "A SOLID BEAUTY With a frame and legs constructed of solid timber, and coated with a beautiful distressed finish, this occasional console table is reinforced in order to require low maintenance and be long-lasting and sturdy for a long time to come.ASSEMBLY This versatile and stylish piece is designed to provide customers with a hassle-free setup experience. Only the four legs and bottom shelf are in need of assembly. Anyone can begin enjoying this elegant and understated table in just a few minutes.Overall Dimension60.03\u201cL x 11.02\u201dW x 34\u201dHDetail DimensionPlease refer to the image.Package Dimension63\u201cL x 15\u201dW x14\u201dHOverall Weight46.7LBSPackage Weight53.8LBSWeight CapacityTop shelf:45KGBottom shelf:18KGDrawer:8KGSpecifications:Product NameConsole TableMaterialSolid wood frame and legsMDF panelsThicknessTop shelf:15mm Bottom shelf\uff1a30mmFinishDistressed FinishColorBlackAssembly Required20minsPackage Number1", "pricing": "$557.72", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31C3K0QAnvL.jpg", "https://m.media-amazon.com/images/I/418xzIMt2EL.jpg", "https://m.media-amazon.com/images/I/51MbRZbEbvL.jpg", "https://m.media-amazon.com/images/I/51vqsWxVawL.jpg", "https://m.media-amazon.com/images/I/41CR-BaH0PL.jpg", "https://m.media-amazon.com/images/I/51IvSDjrzAL.jpg", "https://m.media-amazon.com/images/I/51byzaZMuYL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Tables \u203a Sofa & Console Tables", "average_rating": "", "small_description": ["LONG, NARROW, ELEGANT DESIGN Designed with a clean silhouette in an elegant, understated espresso color. It imbues any space with an atmosphere of class, and showcases the taste of it\u2019s owner. The desktop measures 60.03 x 10 inches (L x W), making it the perfect space-saver for any room \u2013 including hallways. ", "TWO DRAWER SIZES FOR STORAGE CONVENIENCE This side console table features two small drawers and two bigger drawers, perfect for you to organize your necessities and accessories of all different sizes - such as remote controls, cables, keys or coffee cups. With smooth opening and closing, these drawers will keep the dust off, while also providing beautiful external decorations in the form of uniquely patterned knobs. ", "A SPACIOUS, STYLISH DISPLAY SPACE A sleek and wide desktop, complemented with a clean and simple bottom shelf is great for displaying decorations such as paintings, photos, flowers and everything else you can think of. The perfect blend of storage and display means this piece has both style and functionality for all occasions and all spaces. ", "Crafted with metal legs that are connected with a round lower frame for maximum stability, fusing durability with a modern-contemporary appearance ", "Designed with non-marring foot glides, this side table protects floors from scuffs, scratches, and other potential damages "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "A30N1D7XQ4NN5F", "seller_name": "bhuokuangyeall", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09DG92LJL", "category": "garden", "query": "Console tables", "page": 238, "small_description_old": "About this item LONG, NARROW, ELEGANT DESIGN Designed with a clean silhouette in an elegant, understated espresso color. It imbues any space with an atmosphere of class, and showcases the taste of it\u2019s owner. The desktop measures 60.03 x 10 inches (L x W), making it the perfect space-saver for any room \u2013 including hallways. TWO DRAWER SIZES FOR STORAGE CONVENIENCE This side console table features two small drawers and two bigger drawers, perfect for you to organize your necessities and accessories of all different sizes - such as remote controls, cables, keys or coffee cups. With smooth opening and closing, these drawers will keep the dust off, while also providing beautiful external decorations in the form of uniquely patterned knobs. A SPACIOUS, STYLISH DISPLAY SPACE A sleek and wide desktop, complemented with a clean and simple bottom shelf is great for displaying decorations such as paintings, photos, flowers and everything else you can think of. The perfect blend of storage and display means this piece has both style and functionality for all occasions and all spaces. Crafted with metal legs that are connected with a round lower frame for maximum stability, fusing durability with a modern-contemporary appearance Designed with non-marring foot glides, this side table protects floors from scuffs, scratches, and other potential damages \n \u203a See more product details"}, {"name": "100% PURE Glossy Locks: Repair Shampoo (13.5 Fl Oz), Sulfate Free Shampoo, Restores Damaged Hair, Moisturizing, Improves Hair Growth, Made with Biotin, Coconut Oil", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 8.07 x 2.56 x 2.56 inches; 14.4 Ounces", "Item model number\n \u200f": "\u200e\n B07B6DVG41", "UPC\n \u200f": "\u200e\n 899738008255", "Manufacturer\n \u200f": "\u200e\n ITSATRONIC", "ASIN\n \u200f": "\u200e\n B07B6DVG41", "Best Sellers Rank": "#187,346 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,740 in Amazon Launchpad Beauty & Health #4,669 in Hair Shampoo", "#1,740 in Amazon Launchpad Beauty & Health": "", "#4,669 in Hair Shampoo": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the 100% PURE Store", "brand_url": "https://www.amazon.com/stores/100%25+Pure/page/64C2D37E-66DA-4BAE-BB1E-B292EA197869?ref_=ast_bln", "full_description": "", "pricing": "$34.00", "list_price": "", "availability_quantity": 7, "availability_status": "Only 7 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/315li5K4j4L.jpg", "https://m.media-amazon.com/images/I/41e6UH9joCL.jpg", "https://m.media-amazon.com/images/I/41+ZZJ9qIQL.jpg", "https://m.media-amazon.com/images/I/415am-XO9bL.jpg", "https://m.media-amazon.com/images/I/41RfOQC+wVL.jpg", "https://m.media-amazon.com/images/I/418615MWxVL.jpg", "https://m.media-amazon.com/images/I/41VPvYicTrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Shampoo & Conditioner \u203a Shampoos", "average_rating": 4.8, "small_description": ["NUTRIENT DENSE TO REPAIR DAMAGED HAIR - Our paraben-free shampoo formula uses biotin and ceramides to repair and restore damaged hair cuticles, to protect against further breakage, tangling, or hair loss ", "PERFECT FOR COLOR TREATED HAIR - For those who use hair color, bleach, and other chemical hair treatments, this shampoo for color treated hair can help to reverse long term chemical damage ", "MADE TO MOISTURIZE - To heal damaged hair cuticles, we add ingredients like hydrating aloe juice and hyaluronic acid paired with plant cellulose and vegetable glycerin to lock in essential moisture for softer strands ", "HEALTHY HAIR FROM HONEY - We use both honey and royal jelly in this ultra moisturizing shampoo to coat hair with emollient moisture and protect each delicate strand with strengthening vitamins and keratin ", "MADE WITHOUT HAIR HARMING INGREDIENTS - Our sulfate-free shampoos and conditioners are free of moisture-stripping detergents, harmful parabens, phthalates, PEGs, and artificial fragrances "], "total_reviews": 4, "total_answered_questions": "", "customization_options": "", "seller_id": "A161OT36SON0IZ", "seller_name": "100% PURE", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07B6DVG41", "category": "beauty", "query": "Shampoo & Conditioner", "page": 135, "small_description_old": "About this item NUTRIENT DENSE TO REPAIR DAMAGED HAIR - Our paraben-free shampoo formula uses biotin and ceramides to repair and restore damaged hair cuticles, to protect against further breakage, tangling, or hair loss PERFECT FOR COLOR TREATED HAIR - For those who use hair color, bleach, and other chemical hair treatments, this shampoo for color treated hair can help to reverse long term chemical damage MADE TO MOISTURIZE - To heal damaged hair cuticles, we add ingredients like hydrating aloe juice and hyaluronic acid paired with plant cellulose and vegetable glycerin to lock in essential moisture for softer strands HEALTHY HAIR FROM HONEY - We use both honey and royal jelly in this ultra moisturizing shampoo to coat hair with emollient moisture and protect each delicate strand with strengthening vitamins and keratin MADE WITHOUT HAIR HARMING INGREDIENTS - Our sulfate-free shampoos and conditioners are free of moisture-stripping detergents, harmful parabens, phthalates, PEGs, and artificial fragrances"}, {"name": "Minkissy Eyebrow Hair Razors Eyebrow Trimmer Portable Facial Hair Remover Facail Hair Trimmer Hair Beauty Grooming Tool for Women and Men 4pcs", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 5.91 x 0.39 x 0.16 inches; 2.12 Ounces", "Item model number\n \u200f": "\u200e\n R2314327968EK", "Manufacturer\n \u200f": "\u200e\n Minkissy", "ASIN\n \u200f": "\u200e\n B087TR48KK", "": ""}, "brand": "Brand: minkissy", "brand_url": "https://www.amazon.com/minkissy/b/ref=bl_dp_s_web_23471563011?ie=UTF8&node=23471563011&field-lbr_brands_browse-bin=minkissy", "full_description": "DescriptionThis eyebrow razor set is made of high-quality of stainless steel, hard edge and sharp enough to trim eyebrow. This product is easy to use with a plastic handle, which can protect you hand from hurt. Please follow the brows growth direction when you use the razor and it will not hurt your skin easily. The small design makes it convenient to be stored in your handbag.Features- Color: assorted.- Material: Stainless Steel and ABS.- Size: About 15x1x0.4cm.- Being made of premium stainless steel, you can safely clean hair in seconds to get neat and decent eyebrow shape without wasting time.- Lightweight and non-slip grip for easy control.- Convenient to clean after using.- Small appearance with Cover fit in your make-up bag, perfect for travelling.- Perfect beauty tool that gives you professional salon style results for home use.Package Including4 x eyebrow razors", "pricing": "$11.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31rv1QPuSDL.jpg", "https://m.media-amazon.com/images/I/410Co04WjqL.jpg", "https://m.media-amazon.com/images/I/41becJBdZrL.jpg", "https://m.media-amazon.com/images/I/41YQo3FPrUL.jpg", "https://m.media-amazon.com/images/I/41crD0k2ZNL.jpg", "https://m.media-amazon.com/images/I/31vr0R6jE4L.jpg", "https://m.media-amazon.com/images/I/31IulnxRXwL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Shave & Hair Removal \u203a Men's \u203a Eyebrow Trimmers", "average_rating": "", "small_description": ["Small appearance with Cover fit in your make-up bag, perfect for travelling. ", "Perfect beauty tool that gives you professional salon style results for home use. ", "Convenient to clean after using. ", "Lightweight and non-slip grip for easy control. ", "Being made of premium stainless steel, you can safely clean hair in seconds to get neat and decent eyebrow shape without wasting time. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AZ6A34DKOL2LS", "seller_name": "Villemure", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B087TR48KK", "category": "beauty", "query": "Shave & Hair Removal", "page": 121, "small_description_old": "About this item Small appearance with Cover fit in your make-up bag, perfect for travelling. Perfect beauty tool that gives you professional salon style results for home use. Convenient to clean after using. Lightweight and non-slip grip for easy control. Being made of premium stainless steel, you can safely clean hair in seconds to get neat and decent eyebrow shape without wasting time."}, {"name": "SheIn Women's Sexy One Shoulder Sleeveless Cutout Mini Club Pencil Bodycon Dress", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 14 x 10.5 x 0.5 inches; 6.74 Ounces", "Item model number\n \u200f": "\u200e\n 10-swdress03200323818-XS", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n March 23, 2021", "ASIN\n \u200f": "\u200e\n B08ZSMVXPB", "Best Sellers Rank": "#81,412 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#590 in Women's Club & Night Out Dresses", "#590 in Women's Club & Night Out Dresses": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the SheIn Store", "brand_url": "https://www.amazon.com/stores/SheIn/page/D8D952E3-6804-4133-9EE2-F716733F2E2F?ref_=ast_bln", "full_description": "", "pricing": "$19.99$27.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/4195PqQ185L.jpg", "https://m.media-amazon.com/images/I/317R4Ssn4BL.jpg", "https://m.media-amazon.com/images/I/41kido9FM-L.jpg", "https://m.media-amazon.com/images/I/41ElSj8HW9L.jpg", "https://m.media-amazon.com/images/I/418SIVnOHjL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Dresses \u203a Club & Night Out", "average_rating": 3.9, "small_description": ["One shoulder dresses for women/ Black mini dress/ Sleeveless bodycon dress/ Make for 95% Polyester, 5% Spandex ", "Pull On closure ", "Cutout dresses for women/ Black cutout dress for women/ Very soft fabric, high stretch and comfortable material to wear ", "One shoulder dresses for women/ Designs with sleeveless coutouts, bodycon mini dress, solid color, sexy cut out club dress for women / Cut out dress for women summer ", "Sexy dresses for women part night sexy, suit for spring, summer days, perfect beach, shopping, dating, vacation, club and daily wear, being a going out dresses for women ", "Pencil dress for women can be easily dress up and dress down, perfect to match with your rhinestone drop earrings and heels in summer for girls for dating for party for outgoing ", "Dresses for women party night sexy/ Tight fitted dress for women. Please kindly check the SIZE CHART below before you ordering "], "total_reviews": 30, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "X-Small", "asin": "B08ZSMVXPB"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B08ZSJ3CHK"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B08ZRR3DZT"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B08ZSNGZWN"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09NBWC2T1"}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/4195PqQ185L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09J4YK4G7/ref=twister_B08ZSK67GP", "value": "Light Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41fmYlplW0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09C7SWH2T/ref=twister_B08ZSK67GP", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41nExbIsnSL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09TFDV93J/ref=twister_B08ZSK67GP", "value": "Plain Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41EjINyiiNL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09F66V4TH/ref=twister_B08ZSK67GP", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41h9pNliLZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098F66VR3/ref=twister_B08ZSK67GP", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31FPFT22-sS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09D7FQGYC/ref=twister_B08ZSK67GP", "value": "Chocolate Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31qkyQCoPeL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09J4YFX8T/ref=twister_B08ZSK67GP", "value": "Khaki", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41o-L7KFmDL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08ZRR3DZT", "category": "fashion", "query": "Women's Dresses", "page": 8, "small_description_old": "95% Polyester, 5% Spandex Pull On closure Very soft fabric, high stretch and comfortable material to wear One shoulder, sleeveless, bodycon style, solid color, sexy cut out club dress for women Sexy and elegant, suit for spring, summer days, perfect beach, shopping, dating, shopping, vacation, club, party and daily wear Can be easily dress up and dress down, perfect to match with your rhinestone drop earrings and heels in summer Please kindly check the SIZE CHART below before you ordering"}, {"name": "Avon Anew Dark Circle Corrector Dual Eye System 2 Phase Care Against Dark Circles 20ml - 0.68 fl.oz", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 3.9 x 3.78 x 2.6 inches; 1.87 Pounds", "Manufacturer\n \u200f": "\u200e\n Avon", "ASIN\n \u200f": "\u200e\n B08T9KJJPZ", "Best Sellers Rank": "#316,407 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,597 in Eye Treatment Creams", "#1,597 in Eye Treatment Creams": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: AVON", "brand_url": "https://www.amazon.com/AVON/b/ref=bl_dp_s_web_20319565011?ie=UTF8&node=20319565011&field-lbr_brands_browse-bin=AVON", "full_description": "Highly effective innovative eye system care for day and night against eye shadow and dark circles. Suitable for all ages and skin tones. Effect: For a radiant, beautiful eye area without shadow. The 2-phase eye care instantly improves the appearance of the eye area and reduces dark circles, shadows and crow's feet. It is mild and suitable for sensitive skin around the eyes. The day cream contains brightening ingredients that adapt to every skin tone, make dark circles and shadows brighter and prevent aggravation. The night gel intensively moisturises into deeper skin layers, regenerates and smooths the delicate eye area. For a younger, fresh and radiant look. Application: Apply the cream (white) to the lower eye area in the morning. The cream can be used ideally under daily make-up. Apply the gel to the lower eye area in the evening. Suitable for those who wear contact lenses. Contents: 20 ml", "pricing": "$8.50", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/415nrR9xqwL.jpg", "https://m.media-amazon.com/images/I/415nrR9xqwL.jpg", "https://m.media-amazon.com/images/I/415nrR9xqwL.jpg", "https://m.media-amazon.com/images/I/415nrR9xqwL.jpg", "https://m.media-amazon.com/images/I/415nrR9xqwL.jpg", "https://m.media-amazon.com/images/I/415nrR9xqwL.jpg", "https://m.media-amazon.com/images/I/415nrR9xqwL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Eyes \u203a Creams", "average_rating": 3.5, "small_description": ["With colour correcting technology and seaweed, sweep dark circles and eye shadows. ", "Suitable for all ages and skin tones. ", "Application: apply the cream (white) to the lower eye area in the morning. In the evening, apply the gel (green) to the lower eye area. "], "total_reviews": 21, "total_answered_questions": "", "customization_options": "", "seller_id": "AR965UGVS692U", "seller_name": "Care&Beauty", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08T9KJJPZ", "category": "beauty", "query": "Eyes Care", "page": 34, "small_description_old": "About this item Avon Anew 2 Phase Care for Dark Circles With colour correcting technology and seaweed, sweep dark circles and eye shadows. Suitable for all ages and skin tones. Application: apply the cream (white) to the lower eye area in the morning. In the evening, apply the gel (green) to the lower eye area."}, {"name": "JYLRX natural loofah sponge,Very Suitable for Kitchen Household use and Personal Skin Care Products with Cleanser Pack of 4 (white)", "product_information": "", "brand": "Brand: JYLRX", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=JYLRX", "full_description": "", "pricing": "$12.98", "list_price": "", "availability_quantity": 20, "availability_status": "Only 20 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41gM96tD+OL.jpg", "https://m.media-amazon.com/images/I/51T1H9G2EWL.jpg", "https://m.media-amazon.com/images/I/516EzGE+TwL.jpg", "https://m.media-amazon.com/images/I/51Rs1etT3EL.jpg", "https://m.media-amazon.com/images/I/41sNSFeIfnL.jpg", "https://m.media-amazon.com/images/I/41UkWPTJ7PL.jpg", "https://m.media-amazon.com/images/I/51ggS1jBcgL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Bath & Bathing Accessories \u203a Bathing Accessories \u203a Loofahs", "average_rating": 5, "small_description": ["Material: Made of natural organic loofah, green and environmentally friendly, without adding any irritating chemicals ", "Packaging: Includes 4 pieces of loofah sponge, 6 inches in length, each is individually packaged, convenient for storage and cleaner ", "Advantages: According to the \"Compendium of Materia Medica\" written by the ancient famous doctor Li Shizhen: Loofah has the effect of strengthening the body and strengthening the brain. It is the first choice for bathing and beauty care products. ", "Uses: Suitable for kitchen and household cleaning products, to clean pots, dishes, barbecue racks, bathroom tiles, etc., but also for bathing and beauty. ", "Service: I hope you can like our JYLRX products. If you have any questions, please contact us and we will answer you as soon as possible. If the products have any defects, we will replace them with new ones or refund the purchase price. "], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09JSVQYJT/ref=twister_B08SKVHTCN?_encoding=UTF8&psc=1", "value": "Bath Ball", "price_string": "$12.80", "price": 12.8, "image": "https://m.media-amazon.com/images/I/51mXeNhOAXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JSTCFWZ/ref=twister_B08SKVHTCN?_encoding=UTF8&psc=1", "value": "Bath Towel", "price_string": "$14.80", "price": 14.8, "image": "https://m.media-amazon.com/images/I/41VxekX7UKL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JST53C9/ref=twister_B08SKVHTCN?_encoding=UTF8&psc=1", "value": "Cleansing Brush", "price_string": "$9.90", "price": 9.9, "image": "https://m.media-amazon.com/images/I/51hLS+etadL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JST2Z8P/ref=twister_B08SKVHTCN?_encoding=UTF8&psc=1", "value": "Flower Bath Towel", "price_string": "$14.80", "price": 14.8, "image": "https://m.media-amazon.com/images/I/517ps3NhSrL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08SKVD4M1/ref=twister_B08SKVHTCN?_encoding=UTF8&psc=1", "value": "Primary", "price_string": "$12.98", "price": 12.98, "image": "https://m.media-amazon.com/images/I/51ggS1jBcgL.jpg"}, {"is_selected": true, "url": null, "value": "White", "price_string": "$12.98", "price": 12.98, "image": "https://m.media-amazon.com/images/I/51ggS1jBcgL.jpg"}]}, "seller_id": "A2LUOBCBKWF6FQ", "seller_name": "JYArt-US", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08SKT2TCH", "category": "beauty", "query": "Bathing Accessories", "page": 121, "small_description_old": "About this item Material: Made of natural organic loofah, green and environmentally friendly, without adding any irritating chemicals Packaging: Includes 4 pieces of loofah sponge, 6 inches in length, each is individually packaged, convenient for storage and cleaner Advantages: According to the \"Compendium of Materia Medica\" written by the ancient famous doctor Li Shizhen: Loofah has the effect of strengthening the body and strengthening the brain. It is the first choice for bathing and beauty care products. Uses: Suitable for kitchen and household cleaning products, to clean pots, dishes, barbecue racks, bathroom tiles, etc., but also for bathing and beauty. Service: I hope you can like our JYLRX products. If you have any questions, please contact us and we will answer you as soon as possible. If the products have any defects, we will replace them with new ones or refund the purchase price."}, {"name": "Saireed UL Listed 2 Prong Power Cord for JBL Bar 3.1 Bar 2.1 Channel 4K Ultra HD Soundbar Home Theater System Subwoofer AC 5.5ft Power Cord IEC C7 Cable Replacement", "product_information": {"Package Dimensions": "14.65 x 6.22 x 1.26 inches", "Item Weight": "3.2 ounces", "ASIN": "B08533PJ4S", "Customer Reviews": {"ratings_count": 15, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#4,495 in Audio & Video Power Cables"], "Is Discontinued By Manufacturer": "No", "Date First Available": "September 21, 2019", "Manufacturer": "Saireed"}, "brand": "Visit the Saireed Store", "brand_url": "https://www.amazon.com/stores/Saireed/page/DD28D735-3B4E-460A-A47F-CECBADF3B2B8?ref_=ast_bln", "full_description": "", "pricing": "$9.99", "list_price": "", "availability_quantity": 11, "availability_status": "Only 11 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31oU0XoegzL.jpg", "https://m.media-amazon.com/images/I/41EjiEn8LiL.jpg", "https://m.media-amazon.com/images/I/51Ve1u0WmJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Power Cables", "average_rating": 4.4, "small_description": ["Replacement Figure 8 AC 2 prong IEC C7 125V 10A / 7A power cord cable for JBL Bar 2.1/3.1 Soundbar (Compatible with the Mentioned MODEL ONLY) ", "Replace your overused, old, broken, damaged, or misplaced power cable or add extra distance / extension between devices for convenience ", "Figure 8 Power Cords ,NEMA 1-15P to IEC320 C7,Non-Polarized,NISPT-2 18AWG(approx.0.824mm2) extension cable connects from your equipment socket to a standard 2 pronged AC outlet receptacle. ", "(Compatible with the Mentioned MODEL ONLY) 5.5 Foot ac cable two prong power cord for \"JBL Bar 2.1 Deep Bass Soundbar with 6.5\"\" Wireless Subwoofer\uff0cJBL Bar 2.1 Home Theater Starter System with Soundbar and Wireless Subwoofer with Bluetooth,JBL Bar 3.1 - Channel 4K Ultra HD Soundbar with 10\u201d Wireless Subwoofer\uff0c JBL Bar 3.1 Home Theater System w/ Soundbar & Wireless Subwoofer\" ", "Package content: 1 x 5.5 Foot length Figure 8 Extension AC Power Cord for JBL Bar 2.1/3.1 Sound Bar "], "total_reviews": 15, "total_answered_questions": "", "customization_options": "", "seller_id": "A6L0L06011USG", "seller_name": "Saireeddirect", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08533PJ4S", "category": "electronics", "query": "Home Theater Systems", "page": 11, "small_description_old": "About this item\n \nReplacement Figure 8 AC 2 prong IEC C7 125V 10A / 7A power cord cable for JBL Bar 2.1/3.1 Soundbar (Compatible with the Mentioned MODEL ONLY) Replace your overused, old, broken, damaged, or misplaced power cable or add extra distance / extension between devices for convenience Figure 8 Power Cords ,NEMA 1-15P to IEC320 C7,Non-Polarized,NISPT-2 18AWG(approx.0.824mm2) extension cable connects from your equipment socket to a standard 2 pronged AC outlet receptacle. (Compatible with the Mentioned MODEL ONLY) 5.5 Foot ac cable two prong power cord for \"JBL Bar 2.1 Deep Bass Soundbar with 6.5\"\" Wireless Subwoofer\uff0cJBL Bar 2.1 Home Theater Starter System with Soundbar and Wireless Subwoofer with Bluetooth,JBL Bar 3.1 - Channel 4K Ultra HD Soundbar with 10\u201d Wireless Subwoofer\uff0c JBL Bar 3.1 Home Theater System w/ Soundbar & Wireless Subwoofer\" Package content: 1 x 5.5 Foot length Figure 8 Extension AC Power Cord for JBL Bar 2.1/3.1 Sound Bar"}, {"name": "3-Piece Dining Table Set, Farmhouse Counter Height Dining Table Set, Wood Dining Table Set with Drop Leaf Table/2 Cross Back Padded Chairs/One Shelf", "product_information": {"Item Weight": "\u200e85 pounds", "Product Dimensions": "\u200e42.3 x 24 x 35.3 inches", "Country of Origin": "\u200eVietnam", "Item model number": "\u200eDining Table Set", "Is Discontinued By Manufacturer": "\u200eNo", "Weight": "\u200e85 Pounds", "ASIN": "B09B7G7P58", "Customer Reviews": {"ratings_count": null, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#431,117 in Home & Kitchen (See Top 100 in Home & Kitchen) #321 in Kitchen & Dining Room Sets"], "Date First Available": "July 27, 2021"}, "brand": "Brand: VOGU", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=VOGU", "full_description": "\u266c Offer 2 great dining chairs and an attractive kitchen table,this refined dinette set will reinvent your dining room with its extendable drop leaf design. Featured with two foldable sides, this table provides you with the flexibility of creating more living space or eating space as needed.Upgrade your seating experience with these padded chairs. Each ergonomically designed chair is completed with a high cross-designed backrest and splayed legs to keep your body supported when you lean back to ensure comfort. The 4 spindles are designed for increased stability while also providing a place to prop your feet up. \u2714 Weight & Dimensions Overall Product Dimension: Extended Table Dimensions: Dia 42.3\" x 35.3\"(DiaXH) Folded Table Size: 34.6\" x 24\" x 35.3\"(LXWXH) Chair Dimensions: 15.8\" x 18.2\" x 40\"(LXWXH) Seat Depth: 16.2\" Seat to Floor: 22.8\" Cushion Thickness: 1.8\" Tabletop Thickness: 0.7\" Number of Package: 2 Overall Weight: Table Net weight: 50.7 lbs Each Chair New Weight: 16.3 lbs Weight Capacity: Table Weight Capacity: 200LBS Each Chair Capacity: 250LBS \u2714 Specifications Product Name: 3 Piece Counter Height Table Material: Table Top: MDF+ Acaia Veneer Table Legs: Rubber Wood Chair Cushion: Linen Fabric + Foam Chair Legs: Rubber Pieces Included: 1 Table and 2 Chairs Color: Gray+Gray Cushion Assembly Required: Yes Additional Tools Required: All Tools Included Country of Origin: Vietnam \u2714 Notice: Manual measurement has been used, there may be some reasonable error. Items may slightly differ from photo in terms of color due to the lighting or your monitor display.", "pricing": "$319.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51oBcRkCySL.jpg", "https://m.media-amazon.com/images/I/515IkvFOzDL.jpg", "https://m.media-amazon.com/images/I/41sQxaMuIkL.jpg", "https://m.media-amazon.com/images/I/517q7ijP4ZL.jpg", "https://m.media-amazon.com/images/I/51zyI9znpcL.jpg", "https://m.media-amazon.com/images/I/51blkYGaNWL.jpg", "https://m.media-amazon.com/images/I/41NbZmX6sRL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Dining Room Furniture \u203a Table & Chair Sets", "average_rating": 4, "small_description": ["\ud83e\udd1e [Extendable Drop Leaf Design] - Offer 2 great dining chairs and an attractive kitchen table, this refined dinette set will reinvent your dining room with its extendable drop leaf design. Featured with two foldable sides, this table provides you with the flexibility of creating more living space or eating space as needed. ", "\ud83e\udd1e [Extra Shelf Table] - The shelf on the bottom creates a display area for your magazines, decorative baskets and other daily essentials within arm reach while also a providing space-saving solution. The compact round structure neatly fits into small spaces without compromising the function. ", "\ud83e\udd1e [Wooden Dining Table Set] - Built with high quality solid rubber wood legs with MDF tabletop, the tabletop is strong and smooth for easy cleaning, the rubber wood table legs are solid to ensure a stable construction. The chair and bench legs are made of plywood with strong bending resistance, and the rubber wood seat is wear-resistant, built for a long-time use. This set is designed to hold 200lbs maximum capacity for its table and last for years. ", "\ud83e\udd1e [Farmhouse Dining Table set] - Finished with retro and graceful antique graywash coating as well as classical cross back, this eye-catching dining table and bench set serves up irresistible charm and a home-grown cottage aesthetic for your dining room.\u00a0 ", "\ud83e\udd1e [Easy to Assemble] - All parts, tools and instructions are shipped straight to your door in efficiently packed box. If you have any questions, please feel free to contact us. We will contact you within 6 hours. After placing the order, it will be shipped from the US local warehouse. The package will be delivered to your home in the shortest time. Extended Table Dimensions: Dia 42.3\" x 35.3\" Folded Table Size: 34.6\" x 24\" x 35.3\" Chair Dimensions: 15.8\" x 18.2\" x 40\" "], "total_reviews": 1, "total_answered_questions": "", "model": "\u200eDining Table Set", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09CYZQCQ1/ref=twister_B09G95LHDD?_encoding=UTF8&psc=1", "value": "Antique Graywash", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/510-GFcmL7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0882NKDXH/ref=twister_B09G95LHDD?_encoding=UTF8&psc=1", "value": "Brown Finish+black Cushion", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51LcvjRRuES.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HC6F76X/ref=twister_B09G95LHDD?_encoding=UTF8&psc=1", "value": "Brown-1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51LqR2r6u-S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NM69XYW/ref=twister_B09G95LHDD?_encoding=UTF8&psc=1", "value": "Brown-6", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51JQearZUMS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LLN3DS1/ref=twister_B09G95LHDD?_encoding=UTF8&psc=1", "value": "Cherry + White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51LBU2uViVL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09FHKQ1R6/ref=twister_B09G95LHDD?_encoding=UTF8&psc=1", "value": "Espresso", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51qMlWnC7tS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PFPCYBX/ref=twister_B09G95LHDD?_encoding=UTF8&psc=1", "value": "Espresso + Beige 9", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51VpxwCfuJL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LLQKYL7/ref=twister_B09G95LHDD?_encoding=UTF8&psc=1", "value": "Gray + Beige", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/514eUP2KIzL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QC8FS36/ref=twister_B09G95LHDD?_encoding=UTF8&psc=1", "value": "Gray Finish+black Cushion", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Na44WLHqS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09B8XG8PR/ref=twister_B09G95LHDD?_encoding=UTF8&psc=1", "value": "Gray+beige Cushion", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51MvYc-VxfS.jpg"}, {"is_selected": true, "url": null, "value": "Gray+gray Cushion", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51oBcRkCySL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HC82P8T/ref=twister_B09G95LHDD?_encoding=UTF8&psc=1", "value": "Gray-1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51S2WL+6vsS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09FHK5479/ref=twister_B09G95LHDD?_encoding=UTF8&psc=1", "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Xpr-hK5aS.jpg"}]}, "seller_id": "A14YN9QU92FENT", "seller_name": "Yuekan&FUR", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09B7G7P58", "category": "garden", "query": "Living room Sets", "page": 24, "small_description_old": "About this item \ud83e\udd1e [Extendable Drop Leaf Design] - Offer 2 great dining chairs and an attractive kitchen table, this refined dinette set will reinvent your dining room with its extendable drop leaf design. Featured with two foldable sides, this table provides you with the flexibility of creating more living space or eating space as needed. \ud83e\udd1e [Extra Shelf Table] - The shelf on the bottom creates a display area for your magazines, decorative baskets and other daily essentials within arm reach while also a providing space-saving solution. The compact round structure neatly fits into small spaces without compromising the function. \ud83e\udd1e [Wooden Dining Table Set] - Built with high quality solid rubber wood legs with MDF tabletop, the tabletop is strong and smooth for easy cleaning, the rubber wood table legs are solid to ensure a stable construction. The chair and bench legs are made of plywood with strong bending resistance, and the rubber wood seat is wear-resistant, built for a long-time use. This set is designed to hold 200lbs maximum capacity for its table and last for years. \ud83e\udd1e [Farmhouse Dining Table set] - Finished with retro and graceful antique graywash coating as well as classical cross back, this eye-catching dining table and bench set serves up irresistible charm and a home-grown cottage aesthetic for your dining room.\u00a0 \ud83e\udd1e [Easy to Assemble] - All parts, tools and instructions are shipped straight to your door in efficiently packed box. If you have any questions, please feel free to contact us. We will contact you within 6 hours. After placing the order, it will be shipped from the US local warehouse. The package will be delivered to your home in the shortest time. Extended Table Dimensions: Dia 42.3\" x 35.3\" Folded Table Size: 34.6\" x 24\" x 35.3\" Chair Dimensions: 15.8\" x 18.2\" x 40\" \n \u203a See more product details"}, {"name": "Level 3 Temporary Beard Color - For Black Hair Beards - Full Beard in Minutes - Easy to Apply and No Mixing Required L3 - Level Three Natural Looking Black Dye", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 6.73 x 3.11 x 1.73 inches; 5.61 Ounces", "UPC\n \u200f": "\u200e\n 850018251099", "Manufacturer\n \u200f": "\u200e\n L3V3L3", "ASIN\n \u200f": "\u200e\n B08SMS3CNY", "Best Sellers Rank": "#103,819 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,763 in Hair Coloring Products", "#1,763 in Hair Coloring Products": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the L3 Store", "brand_url": "https://www.amazon.com/stores/L3/page/A7523D2E-6C29-47AF-A2A6-FCF1D917C4EC?ref_=ast_bln", "full_description": "", "pricing": "$18.32", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31kPs4o3ELL.jpg", "https://m.media-amazon.com/images/I/41pgDpbge1L.jpg", "https://m.media-amazon.com/images/I/41xKVHhPzpL.jpg", "https://m.media-amazon.com/images/I/51EAaUWv3OL.jpg", "https://m.media-amazon.com/images/I/416srvGnyaL.jpg", "https://m.media-amazon.com/images/I/51mR0306m6L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Coloring Products", "average_rating": 3.5, "small_description": ["READY TO APPLY, NO MIXING REQUIRED - Our beard color bottle is ready to apply with no mixing required. ", "FULL BEARD APPEARANCE IN MINUTES - The men beard dye gives you a nice full beard within minutes! ", "NATURAL-LOOKING RESULTS - We made sure to formulate the beard dye that lead to natural looking results and that's what you will get with usage. ", "COVERS WHITE/GRAY HAIR - The beard dye works easily on covering white and grey hair. ", "NO HARSH CHEMICAL INGREDIENTS - There is no harsh chemicals that will irritate our redden your beard. "], "total_reviews": 187, "total_answered_questions": 3, "customization_options": "", "seller_id": "A1XKNRVO5R2OX4", "seller_name": "5th Ace Enterprise", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08SMS3CNY", "category": "beauty", "query": "Hair Coloring Products", "page": 8, "small_description_old": "READY TO APPLY, NO MIXING REQUIRED - Our beard color bottle is ready to apply with no mixing required. FULL BEARD APPEARANCE IN MINUTES - The men beard dye gives you a nice full beard within minutes! NATURAL-LOOKING RESULTS - We made sure to formulate the beard dye that lead to natural looking results and that's what you will get with usage. COVERS WHITE/GRAY HAIR - The beard dye works easily on covering white and grey hair. NO HARSH CHEMICAL INGREDIENTS - There is no harsh chemicals that will irritate our redden your beard."}, {"name": "YOUNG VISION Cream Blush Stick, All-in-One Natural Makeup Stick for Cheeks, Lips, Eyes and Contour, Matte Pink/Peach/Brown Face Blushes, Highlighter and Contour for Mature Skin, Long Lasting", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 4.45 x 3.78 x 1.34 inches; 4.41 Ounces", "Manufacturer\n \u200f": "\u200e\n Zhejiang Yuantiao Cosmetics Co., Ltd.", "ASIN\n \u200f": "\u200e\n B08XQRDDT1", "Best Sellers Rank": "#67,946 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#198 in Face Blushes", "#198 in Face Blushes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the YOUNG VISION Store", "brand_url": "https://www.amazon.com/stores/YOUNGVISION/page/71956E3E-AB9D-478C-9492-ED715328F46A?ref_=ast_bln", "full_description": "", "pricing": "$15.99", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/514+C3RAjsL.jpg", "https://m.media-amazon.com/images/I/511Ax8Yg46L.jpg", "https://m.media-amazon.com/images/I/41XeMC79tCL.jpg", "https://m.media-amazon.com/images/I/51cKskEUmUL.jpg", "https://m.media-amazon.com/images/I/41ZsRjvxEIL.jpg", "https://m.media-amazon.com/images/I/81VYQtskLZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Face \u203a Blush", "average_rating": 3.9, "small_description": ["\u3010MULTI USE\u3011This lip and cheek tint set can be multi used for eyes, cheeks and lips, include a highlight and 3 matte colors. Whether you want to make eyeshadow, blush, contour or color your lips, it can help you achieve it. There are not only 4 colors' combination, but also countless beautiful makeup results ", "\u3010EASY TO APPLY\u3011Lightweight and portable multi-sticks, go on smoothly and long lasting, very suitable for temporary touch-ups ", "\u3010PERFECT BLENDING\u3011Thsi creamy tinted blush set have sheer and natural texture\uff0cWhether it is highlight or soft matte peach colors, it can have a good blending effect into skin, making you look younger, more energetic, and more aura. ", "\u3010SAFE AND RELIABLE INGREDIENTS\u3011We Have used an upgraded natural ingredient formula for this Creamy bronzer set, and follows cruelty-free and vegan principles, eliminating harmful substances while making its texture lighter and thinner "], "total_reviews": 122, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08XQQWZ3L/ref=twister_B08XQR5C1R?_encoding=UTF8&psc=1", "value": "SET-A", "price_string": "$15.99", "price": 15.99, "image": "https://m.media-amazon.com/images/I/51DI6L0k87L.jpg"}, {"is_selected": true, "url": null, "value": "Set-B", "price_string": "$15.99", "price": 15.99, "image": "https://m.media-amazon.com/images/I/514+C3RAjsL.jpg"}]}, "seller_id": "A3590G6VGRCQ67", "seller_name": "YOUNG VISION", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08XQRDDT1", "category": "beauty", "query": "Lips Makeup", "page": 34, "small_description_old": "About this item \u3010MULTI USE\u3011This lip and cheek tint set can be multi used for eyes, cheeks and lips, include a highlight and 3 matte colors. Whether you want to make eyeshadow, blush, contour or color your lips, it can help you achieve it. There are not only 4 colors' combination, but also countless beautiful makeup results \u3010EASY TO APPLY\u3011Lightweight and portable multi-sticks, go on smoothly and long lasting, very suitable for temporary touch-ups \u3010PERFECT BLENDING\u3011Thsi creamy tinted blush set have sheer and natural texture\uff0cWhether it is highlight or soft matte peach colors, it can have a good blending effect into skin, making you look younger, more energetic, and more aura. \u3010SAFE AND RELIABLE INGREDIENTS\u3011We Have used an upgraded natural ingredient formula for this Creamy bronzer set, and follows cruelty-free and vegan principles, eliminating harmful substances while making its texture lighter and thinner"}, {"name": "Linange Milk and Keratin Mask 500ml; Softening, Strengthening, Moisturizing, Nourishing, Hair Care Product; Hair Mask w/Proteins for Men and Women \u2013 for Dry, Frizzy, Damaged, Curly Hair", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 4.2 x 4.2 x 4 inches; 1 Pounds", "Manufacturer\n \u200f": "\u200e\n LINANGE", "ASIN\n \u200f": "\u200e\n B079HGJ5MH", "Best Sellers Rank": "#359,172 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,469 in Hair Treatment Masks", "#1,469 in Hair Treatment Masks": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the LINANGE Store", "brand_url": "https://www.amazon.com/stores/LINANGE/page/6659826D-6190-48EC-BCDC-A929529F9C66?ref_=ast_bln", "full_description": "", "pricing": "$49.95", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31exEDc8HEL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Masks", "average_rating": 4.3, "small_description": ["Milk and Keratin Mask (masque) 500ml. This mask hair care product is a revitalizing mask enriched with Milk and Keratin extracts, & proteins. ", "Milk and Keratin: Milk and Keratin extracts are loaded with proteins and amino acids that can help to assist in revitalizing and nourishing hair, head and scalp. Milk is high in lactic acid amino acids, proteins, vitamins and minerals. Keratin can help protect cells from stress or damage. Used by professionals in salons and in homes, alike. ", "Features/Hair Type: Infused with our renovation technology. Excellent softener for dry and frizzy hair. Gently nourishes hair structure, restores shine, and eliminates static electricity. This is an amazing hair care product masque that is enriched with Milk and Keratin extracts, and its rebalancing, anti-flyaway action makes it especially suited for dry and frizzy hair ", "Directions: Apply this hair mask after shampooing hair. Leave on for 10-15 minutes. Massage into hair and rinse off well. ", "Uses: This softening and strengthening mask can be used for all types of hair \u2013 dry, frizzy, thin, medium, thick, healthy, damaged, normal and curly. Great for treated hair, or after a haircut. Can be used by men \u2013 males, women \u2013 females, professionals, amateurs; in salons, homes, showers, and baths. For clarifying, hydrating, moisturizing, cleansing, nourishing, and revitalizing. "], "total_reviews": 42, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "500ml", "price_string": "$49.95", "price": 49.95, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B008SEX82C/ref=twister_B079HD19JG?_encoding=UTF8&psc=1", "value": "1000ml", "price_string": "$79.95", "price": 79.95, "image": null}]}, "seller_id": "A1G1MN1NX7F2T8", "seller_name": "Your Beauty Our Passion", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B079HGJ5MH", "category": "beauty", "query": "Hair Masks", "page": 13, "small_description_old": "About this item Milk and Keratin Mask (masque) 500ml. This mask hair care product is a revitalizing mask enriched with Milk and Keratin extracts, & proteins. Milk and Keratin: Milk and Keratin extracts are loaded with proteins and amino acids that can help to assist in revitalizing and nourishing hair, head and scalp. Milk is high in lactic acid amino acids, proteins, vitamins and minerals. Keratin can help protect cells from stress or damage. Used by professionals in salons and in homes, alike. Features/Hair Type: Infused with our renovation technology. Excellent softener for dry and frizzy hair. Gently nourishes hair structure, restores shine, and eliminates static electricity. This is an amazing hair care product masque that is enriched with Milk and Keratin extracts, and its rebalancing, anti-flyaway action makes it especially suited for dry and frizzy hair Directions: Apply this hair mask after shampooing hair. Leave on for 10-15 minutes. Massage into hair and rinse off well. Uses: This softening and strengthening mask can be used for all types of hair \u2013 dry, frizzy, thin, medium, thick, healthy, damaged, normal and curly. Great for treated hair, or after a haircut. Can be used by men \u2013 males, women \u2013 females, professionals, amateurs; in salons, homes, showers, and baths. For clarifying, hydrating, moisturizing, cleansing, nourishing, and revitalizing."}, {"name": "Viracy Women's Short Sleeve V-Neck Casual Flowy Tunic Shirt (M-3XL)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 9.25 x 7.95 x 1.22 inches; 5.61 Ounces", "Item model number\n \u200f": "\u200e\n shirt VC023BK14", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 30, 2019", "ASIN\n \u200f": "\u200e\n B07MGB73NJ", "Best Sellers Rank": "#216,770 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,931 in Women's Tunics", "#1,931 in Women's Tunics": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Viracy Store", "brand_url": "https://www.amazon.com/stores/Viracy/page/45117786-DC98-4E98-877C-4D4A84B8C8E6?ref_=ast_bln", "full_description": "", "pricing": "$16.99$26.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51VXn21pnSL.jpg", "https://m.media-amazon.com/images/I/51Qhr2vfWhL.jpg", "https://m.media-amazon.com/images/I/51j5gw4B51L.jpg", "https://m.media-amazon.com/images/I/51ydeuMmpaL.jpg", "https://m.media-amazon.com/images/I/51GB0KHRuOL.jpg", "https://m.media-amazon.com/images/I/41dc+dV2awL.jpg", "https://m.media-amazon.com/images/I/51r7z5Gh99L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": 4.1, "small_description": ["Unique Design - Short Sleeve/ V Neck/ Button Trim/ Subtle Pleats/ Flare Silhouette/ High Elasticity/ Relaxed Fit/ Fashion Casual Style/ Floral Print/ Solid Color ", "Stylish V Neck - Modest V neckline is neither too low to be revealing,nor too high to make busty women look weird,it is elegant and just fits right .This sparkly design can easily catch people's eyes. ", "A line Silhouette - Cute front ruffle and flare hem can perfectly modify the belly,show off your feminine curve.Good tunic length can cover hips,make you looking more elegant and charming. ", "Easy To Pair - This nice tunic blouse is easy to go with Any Pants, Jeans, leggings,Pencil Skirt.You can wear it for Home,Office and Casual. An essential shirt in women wardrobe. ", "Style: Swing Tunic Tops/ Short Sleeve Tunics for Women/ Casual Loose Tops/ V Neck Tunics to wear with Leggings/ Women Tops and Blouses Fashion 2019/ Flowy Top "], "total_reviews": 680, "total_answered_questions": 25, "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07MGB73NJ"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07MCP7F5G"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07MJVHCSQ"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07M7ZC7H5"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B0936SPQXG"}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51VXn21pnSL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07MCN7NBX/ref=twister_B07MMFQ762", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/417fcOtO+cS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07MMF7QJD/ref=twister_B07MMFQ762", "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/519jMYp4KgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07P8ZRTMC/ref=twister_B07MMFQ762", "value": "Green2", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51BburPjsDL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08Y6MFQSG/ref=twister_B07MMFQ762", "value": "Sunflowers", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51z-zxJ8qvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08Y6LBTN1/ref=twister_B07MMFQ762", "value": "Tie Dye", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51AMzm6Pc6L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07SJ7NBL8/ref=twister_B07MMFQ762", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51aryiL9zUL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07SJ87FLJ/ref=twister_B07MMFQ762", "value": "Wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51pLKVczQ6L.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07MGB73NJ", "category": "fashion", "query": "Women's Tops, Tees & Blouses", "page": 31, "small_description_old": "\ud83c\udf38Breathable & Comfort -Floral:95% Polyester,5% Spandex.Drapes nicely and keeps the air flowing through this tunic,designed for incoming spring and summer. \ud83d\udca5\ud83d\udca5Lightning Deal: UP to 15% Off. Today's Deal Only.\ud83d\udca5\ud83d\udca5Snap up now before the price goes up. Button closure Machine Wash Unique Design - Short Sleeve/ V Neck/ Button Trim/ Subtle Pleats/ Flare Silhouette/ High Elasticity/ Relaxed Fit/ Fashion Casual Style/ Floral Print/ Solid Color Stylish V Neck - Modest V neckline is neither too low to be revealing,nor too high to make busty women look weird,it is elegant and just fits right .This sparkly design can easily catch people's eyes. A line Silhouette - Cute front ruffle and flare hem can perfectly modify the belly,show off your feminine curve.Good tunic length can cover hips,make you looking more elegant and charming. \n Easy To Pair - This nice tunic blouse is easy to go with Any Pants, Jeans, leggings,Pencil Skirt.You can wear it for Home,Office and Casual. An essential shirt in women wardrobe.Style: Swing Tunic Tops/ Short Sleeve Tunics for Women/ Casual Loose Tops/ V Neck Tunics to wear with Leggings/ Women Tops and Blouses Fashion 2019/ Flowy TopShow more"}, {"name": "Listerine Smart Rinse Kids Mouthwash Mild Mint", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 3.94 x 3.94 x 3.94 inches; 6.77 Pounds", "Item model number\n \u200f": "\u200e\n 3387974", "Manufacturer\n \u200f": "\u200e\n Johnson & Johnson", "ASIN\n \u200f": "\u200e\n B001EHF3KK", "Best Sellers Rank": "#157,818 in Health & Household (See Top 100 in Health & Household)#608 in Mouthwashes", "#608 in Mouthwashes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Johnson & Johnson", "brand_url": "https://www.amazon.com/Johnson-Johnson/b/ref=bl_dp_s_web_21559084011?ie=UTF8&node=21559084011&field-lbr_brands_browse-bin=Johnson+%26+Johnson", "full_description": "Listerine Smart Children Mint", "pricing": "$14.70", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/41GBWR2V1nL.jpg", "https://m.media-amazon.com/images/I/418pQcZRPcL.jpg", "https://m.media-amazon.com/images/I/31Mj9maXPOL.jpg", "https://m.media-amazon.com/images/I/31pip1Ap4CL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Mouthwash", "average_rating": 3.8, "small_description": ["Fun & easy way to protect teeth Helps protect against cavities Cleans what brushing misses Alcohol & sugar free mouthwash "], "total_reviews": 45, "total_answered_questions": "", "customization_options": "", "seller_id": "A1O3Q73Y02TSCM", "seller_name": "Acrossthepond - Shipped from UK", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B001EHF3KK", "category": "beauty", "query": "Mouthwash", "page": 20, "small_description_old": "About this item Fun & easy way to protect teeth Helps protect against cavities Cleans what brushing misses Alcohol & sugar free mouthwash"}, {"name": "Rustic Wooden Chandelier,1-Light Farmhouse Chandelier Hanging Light Fixture Antique Wood Vintage Pendant Light for Dining Room,Kitchen Island,Foyer", "product_information": {"Brand": "\u200eCREATE BRIGHT", "Manufacturer": "\u200eCREATE BRIGHT", "Item Weight": "\u200e3.35 pounds", "Package Dimensions": "\u200e9.84 x 9.57 x 4.53 inches", "Country of Origin": "\u200eChina", "Item Package Quantity": "\u200e110", "Color": "\u200eAntique Wood", "Material": "\u200eWood, Metal", "Finish Types": "\u200eAntique", "Number of Lights": "\u200e1", "Shade Material": "\u200eWood", "Batteries Required?": "\u200eNo", "Certification": "\u200eUL", "Type of Bulb": "\u200eIncandescent", "ASIN": "B09KQQNRRM", "Best Sellers Rank": ["#258,471 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #1,671 in Chandeliers"], "Date First Available": "May 26, 2020"}, "brand": "Visit the CREATE BRIGHT Store", "brand_url": "https://www.amazon.com/stores/CREATE+BRIGHT/page/CA3A9B74-88A9-4E71-80C9-8973B8422238?ref_=ast_bln", "full_description": "small wood chandelier", "pricing": "$65.99", "list_price": "", "availability_quantity": 1, "availability_status": "In Stock. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51-OZrJ+VwL.jpg", "https://m.media-amazon.com/images/I/31pKtv4zNYL.jpg", "https://m.media-amazon.com/images/I/21arqgK7lCL.jpg", "https://m.media-amazon.com/images/I/516zz7w+D9L.jpg", "https://m.media-amazon.com/images/I/514KfAxxArL.jpg", "https://m.media-amazon.com/images/I/51gDmeFNURL.jpg", "https://m.media-amazon.com/images/I/51hUsI9gT9L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Ceiling Lights \u203a Chandeliers", "average_rating": "", "small_description": ["Vintage style wooden chandelier:The cylindrical rustic chandelier lighting dimension D7 x H20 (inch) with adjustable chain 59 inch, 1 E26 socket, compatible with Max 60w incandescent light bulb and dimmer switch (Both switch and Bulbs Not Included). ", "Excellent Surface Treatment Process:This rustic\u00a0chandeliers\u00a0farmhouse is constructed of a quality wood frame and a premium black metal finish, the grain of the wood look adds a vintage, artistic and charming appeal, the rustproof material brings you a durable wood pendant light that will decorate your space for years to come! ", "Adjustable Height:The adjustable boom creates a flexible farmhouse light fixtures. 59\" boom is made of high quality metal so you don't have to worry about rust or breakage. You can adjust the most appropriate height according to your desire. ", "Wide range of applications:This rustic chandelier is perfectly applied to bar, living room, entryway, corridor, hallway, kitchen island, foyer, farmhouse etc. Hanging in group of two or more to creating warm atmosphere,Perfect decoration indoor space. ", "Buy with confidence:We are committed to providing the best user experience and service. This wood chandelier is UL listed. If you have any questions during the installation process, you can contact us via email and we will get back to you within 24 hours, so buy with confidence. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Antique Wood", "price_string": "$65.99", "price": 65.99, "image": "https://m.media-amazon.com/images/I/51-OZrJ+VwL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KQQ24B7/ref=twister_B09TPSBCCN?_encoding=UTF8&psc=1", "value": "Distressed White", "price_string": "$65.99", "price": 65.99, "image": "https://m.media-amazon.com/images/I/515fkdzcCEL.jpg"}]}, "seller_id": "A122F8GW92NYV8", "seller_name": "HBLCL", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": "", "asin": "B09KQQNRRM", "category": "garden", "query": "Pendants and Chandeliers", "page": 64, "small_description_old": "About this item Vintage style wooden chandelier:The cylindrical rustic chandelier lighting dimension D7 x H20 (inch) with adjustable chain 59 inch, 1 E26 socket, compatible with Max 60w incandescent light bulb and dimmer switch (Both switch and Bulbs Not Included). Excellent Surface Treatment Process:This rustic\u00a0chandeliers\u00a0farmhouse is constructed of a quality wood frame and a premium black metal finish, the grain of the wood look adds a vintage, artistic and charming appeal, the rustproof material brings you a durable wood pendant light that will decorate your space for years to come! Adjustable Height:The adjustable boom creates a flexible farmhouse light fixtures. 59\" boom is made of high quality metal so you don't have to worry about rust or breakage. You can adjust the most appropriate height according to your desire. Wide range of applications:This rustic chandelier is perfectly applied to bar, living room, entryway, corridor, hallway, kitchen island, foyer, farmhouse etc. Hanging in group of two or more to creating warm atmosphere,Perfect decoration indoor space. Buy with confidence:We are committed to providing the best user experience and service. This wood chandelier is UL listed. If you have any questions during the installation process, you can contact us via email and we will get back to you within 24 hours, so buy with confidence. \n \u203a See more product details"}, {"name": "e.l.f. Makeup Mist and Set, Clear, 2.02 Ounce, 3 Pack", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 4.2 x 1.8 x 5.2 inches; 8.92 Ounces", "Item model number\n \u200f": "\u200e\n SG_B074F9FBV3_US", "ASIN\n \u200f": "\u200e\n B074F9FBV3", "Best Sellers Rank": "#267,266 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#837 in Foundation Primers", "#837 in Foundation Primers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the e.l.f. Store", "brand_url": "https://www.amazon.com/stores/elf/page/0D20CBB2-BB73-4B24-9CFB-34A96815C14A?ref_=ast_bln", "full_description": "", "pricing": "$19.97", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/515qkubOA-L.jpg", "https://m.media-amazon.com/images/I/41cLVnDjLJL.jpg", "https://m.media-amazon.com/images/I/51CFYG2nMnL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Face \u203a Foundation Primers", "average_rating": 4.4, "small_description": [""], "total_reviews": 42, "total_answered_questions": "", "customization_options": "", "seller_id": "AG7X8DOJKUODM", "seller_name": "YoneLay", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B074F9FBV3", "category": "beauty", "query": "Makeup Sets", "page": 95, "small_description_old": ""}, {"name": "OluKai MEA Ola - Men's Supportive Sandal Charcoal/Dkjava - 14", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 3 x 8 x 10 inches; 10.08 Ounces", "Item model number\n \u200f": "\u200e\n 10138-2648", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n August 17, 2013", "Manufacturer\n \u200f": "\u200e\n Olukai", "ASIN\n \u200f": "\u200e\n B008QYOGZ2", "Best Sellers Rank": "#5,597,172 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#18,182 in Men's Running Shoes", "#18,182 in Men's Running Shoes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the OLUKAI Store", "brand_url": "https://www.amazon.com/stores/OluKai/page/E73AA65B-28BA-470C-95F6-3A2246230287?ref_=ast_bln", "full_description": "Slip into the Olukai Men's Mea Ola Sandal when you have a relaxing day to look forward to. Premium full-grain leather wraps the straps, footbed, and sole for smooth comfort, and the microfiber lining is soft against the tops of your feet. This sandal's compression-molded EVA midsole features an anatomically correct contour for sustained comfort overtime. Olukai added non-marking rubber lugs underneath the leather sole in order to give you some grippy traction while you walk the boardwalk.", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/31xUAsoyosL.jpg", "https://m.media-amazon.com/images/I/41+dzc0zRyL.jpg", "https://m.media-amazon.com/images/I/41yD5cpqo0L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Athletic \u203a Running", "average_rating": 4.5, "small_description": ["Made in the USA or imported ", "Leather sole ", "Upper Material: [face fabric] full-grain leather, [lining] microfiber ", "Footbed: full-grain leather ", "Midsole: compression-molded EVA ", "Sole: full-grain leather, non-marking rubber ", "Recommended Use: casual "], "total_reviews": 3, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B008QYOGZ2", "category": "fashion", "query": "Men's Sandals", "page": 131, "small_description_old": "100% Leather Made in the USA or imported Leather sole Upper Material: [face fabric] full-grain leather, [lining] microfiber Footbed: full-grain leather Midsole: compression-molded EVA Sole: full-grain leather, non-marking rubber Recommended Use: casual"}, {"name": "Women Lingerie Sexy Sets - Cage Bra + Corset Bandage Hollow G String Thong Panties Racy Muslin Sleepwear Underwear", "product_information": {"Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 20, 2022", "Manufacturer\n \u200f": "\u200e\n QIUSGE women Underwear -791", "ASIN\n \u200f": "\u200e\n B09QXG3BM2", "": ""}, "brand": "Brand: QIUSGE", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=QIUSGE", "full_description": "---- -------- -------- ------ --- --- \u2764\ufe0f \u2764\ufe0fSize:S --- US:4 --- UK:8 --- EU:34 --- Under Bust:64cm/25.2\" --- Fit Bust:86-92cm/33.9-36.2\" --- Waist:64cm/25.2\" \u2764\ufe0f \u2764\ufe0fSize:M --- US:6 --- UK:10 --- EU:36 --- Under Bust:68cm/26.8\" --- Fit Bust:92-98cm/36.2-38.6\" --- Waist:68cm/26.8\" \u2764\ufe0f \u2764\ufe0fSize:L --- US:8 --- UK:12 --- EU:38 --- Under Bust:72cm/28.3\" --- Fit Bust:98-104cm/38.6-40.9\" --- Waist:72cm/28.3\" \u2764\ufe0f \u2764\ufe0fSize:XL --- US:10 --- UK:14 --- EU:40 --- Under Bust:76cm/29.9\" --- Fit Bust:104-110cm/40.9-43.3\" --- Waist:76cm/29.9\" \u2764\ufe0f \u2764\ufe0f --- --- --- --- --- --- \u2764\ufe0f \u2764\ufe0f --- --- --- --- --- --- \u2764\ufe0f \u2764\ufe0f --- --- --- --- --- --- \u2764\ufe0f \u2764\ufe0f --- --- --- --- --- --- \u2764\ufe0f \u2764\ufe0f --- --- --- --- --- --- \u2764\ufe0f \u2764\ufe0f \" --- \u3010Note: \u3011This is asian size ,run small.If you want looser ,please choose 1-3 size larger.Please check with our size chart before buying.Petite or full bodied, all will find a size. \" --- --- --- --- --- \u2764\ufe0f \u2764\ufe0f --- Material:Spandex --- --- --- --- ---", "pricing": "$10.30", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41YzaEIf-lL.jpg", "https://m.media-amazon.com/images/I/51-o4xw+Q4L.jpg", "https://m.media-amazon.com/images/I/41H1YVitUUL.jpg", "https://m.media-amazon.com/images/I/513sCbEM-5L.jpg", "https://m.media-amazon.com/images/I/51AXSE7y7EL.jpg", "https://m.media-amazon.com/images/I/51U6+nkpLNL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Exotic Apparel \u203a Women \u203a Lingerie Sets", "average_rating": "", "small_description": ["100% Polyester ", "\u00b7 \ud83c\udf3b\ud83d\udc1d Fast Delivery :FAST SHIPPING,DELIVERY TIME:7-15 DAYS!!!.So Don't Worry About The Estimated Delivery Time, We Will Choose the Fastest Logistics, Usually it Will be Delivered in Advance.the delivery time is much less than the time marked by Amazon. ", "\ud83c\udf3b\ud83d\udc1d Adorn your green house, yard and general landscaping with these cute metal bumble bees for the garden. They add a stylish lawn accent for anytime of the year and you use them inside. ", "\u00b7 \ud83c\udf3b\ud83d\udc1dThese metal garden decorations can be hung on fences and posts throughout the yard instead of being placed on the ground. Place them around the yard for a busy bee atmosphere for spring. ", "\ud83c\udf3b\ud83d\udc1dBecause these metal bumble bee ornaments are so stylish and have a versatile design scheme, you can use them inside the home too. Place them through the home for an outdoors vibe. ", "\ud83c\udf3b\ud83d\udc1dPlace these cute little metal garden critters around your own gardening areas and fences or give them as a planting season gift for the home gardener with a green thumb. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null, "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09QXG3BM2"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09QWZ7ZVL"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09QX3P2YJ"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09QXHN7PT"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QXG3BM2", "category": "fashion", "query": "Women's Lingerie, Sleep & Lounge", "page": 94, "small_description_old": "100% Polyester \u00b7 \ud83c\udf3b\ud83d\udc1d Fast Delivery :FAST SHIPPING,DELIVERY TIME:7-15 DAYS!!!.So Don't Worry About The Estimated Delivery Time, We Will Choose the Fastest Logistics, Usually it Will be Delivered in Advance.the delivery time is much less than the time marked by Amazon. \ud83c\udf3b\ud83d\udc1d Adorn your green house, yard and general landscaping with these cute metal bumble bees for the garden. They add a stylish lawn accent for anytime of the year and you use them inside. \u00b7 \ud83c\udf3b\ud83d\udc1dThese metal garden decorations can be hung on fences and posts throughout the yard instead of being placed on the ground. Place them around the yard for a busy bee atmosphere for spring. \ud83c\udf3b\ud83d\udc1dBecause these metal bumble bee ornaments are so stylish and have a versatile design scheme, you can use them inside the home too. Place them through the home for an outdoors vibe. \ud83c\udf3b\ud83d\udc1dPlace these cute little metal garden critters around your own gardening areas and fences or give them as a planting season gift for the home gardener with a green thumb."}, {"name": "Nite Ize Steelie Squeeze Windshield Kit, Universal Windshield Magnetic Car Mount Holder, Compatible With MagSafe iPhone 12 Pro Max/Mini/Galaxy/Edge/Google Pixel and more", "product_information": {"Package Dimensions": "10.75 x 4.21 x 2.2 inches", "Item Weight": "9.5 ounces", "ASIN": "B08QRHVS6N", "Item model number": "STSWK-01-R8", "Customer Reviews": {"ratings_count": 15776, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#707 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #11 in Amazon Launchpad Electronics #45 in Cell Phone Automobile Cradles"], "Special Features": "Rotatable, Adjustable, Wireless Charging", "Other display features": "Wireless", "Colour": "Windshield Kit", "Included Components": "Steelie Squeeze Windshield Kit", "Manufacturer": "Nite Ize, Inc.", "Country of Origin": "China", "Date First Available": "December 15, 2020"}, "brand": "Visit the Nite Ize Store", "brand_url": "https://www.amazon.com/stores/NiteIze/page/892B8B38-5CEA-4244-B77E-A601561EE431?ref_=ast_bln", "full_description": "\"Dock your phone for the long haul and navigate hands-free with just a Squeeze\u2122. The Steelie Squeeze Windshield Kit pairs the modern Squeeze Clamp with the classic Steelie Windshield Mount for space-saving attachment, smooth 360\u00ba rotation, and a strong hold. Virtually any phone is secured between the grippy Squeeze arms and magnetically attached to the Windshield Mount for adjustable viewing. To secure your phone for the drive ahead, easily pinch the levers to open the Squeeze arms, place your phone, and release the levers to secure\u2014no extra grip strength needed. As an added bonus, when the Squeeze Clamp is on your phone, it can magnetically connect to other Steelie mounts and magnetic surfaces such as your refrigerator, car, or toolbox for hands-free viewing. In addition to allowing for endless interchanging between multiple phones and cases, Squeeze is also compatible with MagSafe phones, cases and wireless chargers. The Magnetic Socket Plus on the Squeeze Clamp features a silicone center, providing a smooth glide and firm grip when connected to the Windshield Mount while allowing for easy 360\u00ba rotation and adjustment. The Windshield Mount features an adjustable aluminum arm and suspended Steelie ball design which can be securely adjusted to your ideal angle. The patented suction cup design features an easy-to-use locking lever that engages the suction cup for ultimate holding power to your windshield, also acting as a quick release lever when you want to transfer it to another vehicle. The Steelie Squeeze Clamp contains a strong magnet. This magnet will NOT damage your mobile device; however, do not place it near magnetically sensitive objects such as credit cards, pacemakers, or computer hard drives. Nite Ize assumes no liability for damage to such products.\"", "pricing": "$36.73", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31UcOuutGZL.jpg", "https://m.media-amazon.com/images/I/41QODzHCT7L.jpg", "https://m.media-amazon.com/images/I/41yEN5fZUNL.jpg", "https://m.media-amazon.com/images/I/51VmC44rnmL.jpg", "https://m.media-amazon.com/images/I/51skYwOAbRL.jpg", "https://m.media-amazon.com/images/I/41mfKEdOtFL.jpg", "https://m.media-amazon.com/images/I/91-NnTFi38L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Automobile Accessories \u203a Cradles", "average_rating": 4.5, "small_description": ["UNIVERSAL FIT - The Squeeze Clamp fits most standard and plus-sized phones, including a case and accessories, up to 2.3\u201d \u2013 3.6\u201d wide | 60mm \u2013 93mm, including the iPhone 12 Pro Max, iPhone 12 Mini, Samsung Galaxy, and more ", "EASY TO SQUEEZE - The Squeeze car mount holder features two levers at its base that require a simple pinch of your thumb and index finger to open the clamp and place your phone, no extra grip needed ", "HOLDS STRONG THROUGH IT ALL -Don't be fooled by its easy-to-squeeze nature - the Squeeze Clamp features inner continuous force springs that amplify the hold of your phone, along with grippy arms to keep it in place through every twist and turn ", "COMPATIBLE WITH MAGSAFE + MORE - Squeeze is compatible with MagSafe chargers, accessories, and other wireless charging pads, while also allowing you to easily change your case or phone ", "SMOOTH ADJUSTMENT + 360\u00b0 ROTATION - The Squeeze Clamp magnetically attaches onto the steel ball of the Windshield Mount, allowing for smooth adjustment and hands-free viewing at any angle ", "PATENTED SUCTION TECHNOLOGY - The adjustable aluminum arm and suspended Steelie ball design adheres to any windshield with a patented suction cup design for ultimate holding power, with a lever for engagement/quick release "], "total_reviews": 15776, "total_answered_questions": 399, "model": "STSWK-01-R8", "customization_options": {"Style": [{"is_selected": true, "url": null, "value": "Squeeze", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01MSZY38J/ref=twister_B09QRXQ4YC", "value": "Dash", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01JJP5CT0/ref=twister_B09QRXQ4YC", "value": "Vent", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07485TKQJ/ref=twister_B09QRXQ4YC", "value": "Windshield", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08QR1PCMJ/ref=twister_B09QRXQ4YC?_encoding=UTF8&psc=1", "value": "Dash Kit", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31jNCCiABCL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01MSZY38J/ref=twister_B09QRXQ4YC", "value": "Freemount", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31WxrnVB+8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FQVR54F/ref=twister_B09QRXQ4YC", "value": "Orbiter", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Whg09W8cL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00BAQKRHY/ref=twister_B09QRXQ4YC", "value": "Original", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31qxbZ5VFOL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B078NPFFDP/ref=twister_B09QRXQ4YC", "value": "Plus", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31nA9SjkF8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08QRNP22N/ref=twister_B09QRXQ4YC?_encoding=UTF8&psc=1", "value": "Vent Kit", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31TB-4b-4zL.jpg"}, {"is_selected": true, "url": null, "value": "Windshield Kit", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41QODzHCT7L.jpg"}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08QRHVS6N", "category": "electronics", "query": "iPhone Accessories", "page": 232, "small_description_old": "About this item UNIVERSAL FIT - The Squeeze Clamp fits most standard and plus-sized phones, including a case and accessories, up to 2.3\u201d \u2013 3.6\u201d wide | 60mm \u2013 93mm, including the iPhone 12 Pro Max, iPhone 12 Mini, Samsung Galaxy, and more EASY TO SQUEEZE - The Squeeze car mount holder features two levers at its base that require a simple pinch of your thumb and index finger to open the clamp and place your phone, no extra grip needed HOLDS STRONG THROUGH IT ALL -Don't be fooled by its easy-to-squeeze nature - the Squeeze Clamp features inner continuous force springs that amplify the hold of your phone, along with grippy arms to keep it in place through every twist and turn COMPATIBLE WITH MAGSAFE + MORE - Squeeze is compatible with MagSafe chargers, accessories, and other wireless charging pads, while also allowing you to easily change your case or phone SMOOTH ADJUSTMENT + 360\u00b0 ROTATION - The Squeeze Clamp magnetically attaches onto the steel ball of the Windshield Mount, allowing for smooth adjustment and hands-free viewing at any angle PATENTED SUCTION TECHNOLOGY - The adjustable aluminum arm and suspended Steelie ball design adheres to any windshield with a patented suction cup design for ultimate holding power, with a lever for engagement/quick release"}, {"name": "Lingerie for Women Faux Leather Teddy Bodysuit Halter Tops Sleepwear Sexy One Piece Babydoll Exotic Nightwear Bodycon", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Item model number\n \u200f": "\u200e\n womens lingerie sexy teddy", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 3, 2022", "Manufacturer\n \u200f": "\u200e\n Women's Lingerie Sets", "ASIN\n \u200f": "\u200e\n B09PLCDDBV", "": ""}, "brand": "Brand: BingYELH", "brand_url": "https://www.amazon.com/BingYELH/b/ref=bl_sl_s_ap_web_19230432011?ie=UTF8&node=19230432011&field-lbr_brands_browse-bin=BingYELH", "full_description": "product information: 1.Material: Polyester/ Leather 2.Season: Spring,Summer,Autumn,Winter 3.Style: Sexy style 4.Type: Lingerie 5.How to wash:Hand wash Cold 6.Place: Honeymoon, Wedding night, lingerie Party, sleepwear,Valentine's Day.etc 7.Package: 1PC Lingerie Suit 1.If you want a more relaxed and comfortable feeling, you can buy a larger size. 2.Different monitors have slight chromatic aberration. Don't mind. Details: beautiful designed, very exquisite and fancy; Occasions: A well-made quality bustier, shows your stunning golden figure. Occasions perfectly like wedding, Halloween, Christmas, Black Friday, party, evening, cocktail, wedding, dinner, date, home and it's a special surprise gift for women. More: women's costumes exotic lingerie bodystockings nightgowns bustiers corsets plus size costumeswomens open back halter plunging teddy,comfortable scalloped trim lace women teddy one piece babydoll mini bodysuit for deep v backless slip floral see through v-neck sexy lingerie-deep neck perspective underwear hollow out crotch sex cup crotchless men set sleepwear", "pricing": "$2.99$6.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41uV5eJkeCL.jpg", "https://m.media-amazon.com/images/I/516xGfvi9jL.jpg", "https://m.media-amazon.com/images/I/51EiJRWJpgL.jpg", "https://m.media-amazon.com/images/I/41khtLrQlLL.jpg", "https://m.media-amazon.com/images/I/41YsIq6Po-L.jpg", "https://m.media-amazon.com/images/I/413uABj2w5L.jpg", "https://m.media-amazon.com/images/I/3136eP+b3aL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Lingerie, Sleep & Lounge \u203a Lingerie \u203a Baby Dolls & Chemises", "average_rating": "", "small_description": ["adult exotic negligees ", "Made in USA or Imported ", "Dear Queen, please check our size chart, we suggest buy One size Up ", "Prime Wardrobe closure ", "Machine Wash ", "Gift -- It is Very Suitable for Birthdays, Valentine's Day, Anniversary, Halloween, Christmas and Other Special Days as a Gift to Your Lover and Girlfriend. This is a Good Gift for Lovers to Show Her Charming and Sexy Side. ", "Match -- Gorgeous, hollow out lace bralette push up bra, matching with a thong high cut panty, the perfect sexy lace nightwear for women. This boudoir babydoll lingerie can be wear as lingerie for women, sexy lace bra and panty set, g-string thongs for women, two pieces lingerie set, hollow out lace nightwear. , Occasion -- Suitable for babydoll lingerie, underwear, nightwear, sleepwear, lingerie set, honeymoon lingerie for women, bridal lingerie set, bra and panty set, and even pair with skinny pants, jackets and high heels for a hot sexy look in the night party. Perfect for special night, valentine's day, honeymoon gifts, wedding night, bridal gifts, anniversary, bedroom and every hot moment., valentines day women babydoll mesh lingerie strap chemise lace sleepwear halter nighties women satin lingerie bodysuit deep-v stretch teddy one piece lace babydoll short jumpsuit pajamas women lingerie halter chemise lace babydoll mesh nightwear v neck teddy women's modal sleepwear full slips strap nightgown v neck chemise lace lingerie women sexy bridal lingerie lace floral babydoll stretch strappy set with cute bowknot mesh thong sexy lingerie for women, 2 women lace sleepwear set v neck solid color adjustable straps sexy camisole top and elastic short pants piece nightwear for the black deco make you elegant seductive womens pajamas sets satin sleep shorts with pajama woman cami crotchless lingerie blue plus size red purple bodysuit halter garter stockings robe teddy xl sex corset chest 4x underwear 50s 36dd boudoir panties chemise 1x 28h romper corsette 3pc women's exotic lingerie bodystockings nightgowns bustiers corsets negligees"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null, "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09PLCDDBV"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09PLCRXJ4"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09PLBDCBY"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09PLC7C5X"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PLBDCBY", "category": "fashion", "query": "Women's Bodysuit Tops", "page": 117, "small_description_old": "adult exotic negligees Made in USA or Imported Dear Queen, please check our size chart, we suggest buy One size Up Prime Wardrobe closure Machine Wash Gift -- It is Very Suitable for Birthdays, Valentine's Day, Anniversary, Halloween, Christmas and Other Special Days as a Gift to Your Lover and Girlfriend. This is a Good Gift for Lovers to Show Her Charming and Sexy Side. Match -- Gorgeous, hollow out lace bralette push up bra, matching with a thong high cut panty, the perfect sexy lace nightwear for women. This boudoir babydoll lingerie can be wear as lingerie for women, sexy lace bra and panty set, g-string thongs for women, two pieces lingerie set, hollow out lace nightwear. \n Occasion -- Suitable for babydoll lingerie, underwear, nightwear, sleepwear, lingerie set, honeymoon lingerie for women, bridal lingerie set, bra and panty set, and even pair with skinny pants, jackets and high heels for a hot sexy look in the night party. Perfect for special night, valentine's day, honeymoon gifts, wedding night, bridal gifts, anniversary, bedroom and every hot moment.valentines day women babydoll mesh lingerie strap chemise lace sleepwear halter nighties women satin lingerie bodysuit deep-v stretch teddy one piece lace babydoll short jumpsuit pajamas women lingerie halter chemise lace babydoll mesh nightwear v neck teddy women's modal sleepwear full slips strap nightgown v neck chemise lace lingerie women sexy bridal lingerie lace floral babydoll stretch strappy set with cute bowknot mesh thong sexy lingerie for women2 women lace sleepwear set v neck solid color adjustable straps sexy camisole top and elastic short pants piece nightwear for the black deco make you elegant seductive womens pajamas sets satin sleep shorts with pajama woman cami crotchless lingerie blue plus size red purple bodysuit halter garter stockings robe teddy xl sex corset chest 4x underwear 50s 36dd boudoir panties chemise 1x 28h romper corsette 3pc women's exotic lingerie bodystockings nightgowns bustiers corsets negligeesShow more"}, {"name": "Rusticware 921ORB Kitchen and Bath Cabinet Knob", "product_information": {"Manufacturer": "\u200eRusticware", "Part Number": "\u200e921ORB", "Item Weight": "\u200e0.32 ounces", "Product Dimensions": "\u200e1 x 1.3 x 1 inches", "Item model number": "\u200e921ORB", "Is Discontinued By Manufacturer": "\u200eNo", "Style": "\u200eTraditional", "Finish": "\u200eAluminum", "Material": "\u200eMetal", "Item Package Quantity": "\u200e1", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "ASIN": "B004FG6BV2", "Customer Reviews": {"ratings_count": 2, "stars": "5.0 out of 5 stars"}, "Date First Available": "April 2, 2010"}, "brand": "Brand: Rusticware", "brand_url": "https://www.amazon.com/Rusticware/b/ref=bl_dp_s_web_7799229011?ie=UTF8&node=7799229011&field-lbr_brands_browse-bin=Rusticware", "full_description": "The Rusticware collection of cabinet hardware features multiple styles of knobs and pulls as well as a versatile knob backplate. Knobs and pulls are available in Oil Rubbed Bronze, Satin Nickel, Weathered Pewter, Iron, Black and Chrome. All knobs & pulls are solid zinc die cast and are packed with standard 8/32\" screws and screws that are 1/2\" longer to fit most applications.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41EiXSU7jOL.jpg", "https://m.media-amazon.com/images/I/214R0QvW1nL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Hardware \u203a Cabinet Hardware \u203a Knobs", "average_rating": 5, "small_description": ["Packaged with fasteners ", "Made from zinc dia cast ", "Multiple designs to fit any style decoration ", "Made in China "], "total_reviews": 2, "total_answered_questions": "", "model": "\u200e921ORB", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B004FG6BV2", "category": "garden", "query": "China Cabinets", "page": 307, "small_description_old": "About this item\n \nPackaged with fasteners Made from zinc dia cast Multiple designs to fit any style decoration Made in China \n \u203a See more product details"}, {"name": "New Compatible for Sony Playstation 4 PS4 Pro CUH-7015b CUH-7115b 7000 7500 G95C12MS1AJ-56J14 Cooling Fan", "product_information": {"Package Dimensions": "6.89 x 5.39 x 1.73 inches", "Item Weight": "8.1 ounces", "Manufacturer": "QUETTERLEE", "ASIN": "B088X39YNP", "Customer Reviews": {"ratings_count": 16, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#73,064 in Video Games (See Top 100 in Video Games) #99 in PlayStation 4 Cooling Systems"], "Date First Available": "June 13, 2020"}, "brand": "Visit the QUETTERLEE Store", "brand_url": "https://www.amazon.com/stores/QUETTERLEE/page/4A27E2BD-55D4-4CFA-B2BD-56104F9C4892?ref_=ast_bln", "full_description": "PS4 PRO 7000 CPU FAN", "pricing": "$19.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41pThgsyveL.jpg", "https://m.media-amazon.com/images/I/41d9nK8qAoL.jpg", "https://m.media-amazon.com/images/I/41XEvoB4WSL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Video Games \u203a PlayStation 4 \u203a Accessories \u203a Cooling Systems", "average_rating": 4.2, "small_description": [""], "total_reviews": 16, "total_answered_questions": "", "customization_options": "", "seller_id": "A1Y7WWG7AKO4KL", "seller_name": "TXLIMINHONG", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B088X39YNP", "category": "electronics", "query": "PlayStation", "page": 168, "small_description_old": ""}, {"name": "BY ALEGORY Acrylic Makeup Wall Organizing Shelves Nail Polish, Eyelashes, Foundations Cosmetics | 12 inch shelf (Pack of 4) Hardware Incl'd", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 12.01 x 1.85 x 1.06 inches; 2.12 Ounces", "Item model number\n \u200f": "\u200e\n AS-4", "UPC\n \u200f": "\u200e\n 815731020704", "Manufacturer\n \u200f": "\u200e\n byAlegory Premium Beauty Organization", "ASIN\n \u200f": "\u200e\n B01LM6W7Z6", "Best Sellers Rank": "#220,963 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#2,146 in Nail Art Equipment", "#2,146 in Nail Art Equipment": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the BY ALEGORY Store", "brand_url": "https://www.amazon.com/stores/BY+ALEGORY/page/67B7B4BB-8198-46C8-8585-FADF9F8250A8?ref_=ast_bln", "full_description": "", "pricing": "$16.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51jmgjYAF9L.jpg", "https://m.media-amazon.com/images/I/21lbEBMpkWL.jpg", "https://m.media-amazon.com/images/I/41HJr6thtVL.jpg", "https://m.media-amazon.com/images/I/41sbWrOgIRL.jpg", "https://m.media-amazon.com/images/I/41umDy+f4qL.jpg", "https://m.media-amazon.com/images/I/41-sbmlSwTL.jpg", "https://m.media-amazon.com/images/I/41cGaycMtBL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Foot, Hand & Nail Care \u203a Nail Art & Polish \u203a Nail Art Accessories \u203a Nail Art Equipment", "average_rating": 4.3, "small_description": ["DESIGNED w/ a Front Lip to Keep Nail Polish Bottles, Eyelash Containers, Nail Art Tools, Nail Stamps From Falling Forward. Pre-drilled Holes For Wall Hanging ", "MADE From A Single Piece With The Highest Quality Crystalline Acrylic for a Flawless Clear Look & No Glued Pieces ", "SIZE 12L x 1W x .59H Inches per Single Shelf | Available In 3, 4 or 5 Shelf Packs (Please Also See The Dimension Photo) ", "ORGANIZE Infinite Amounts of Cosmetics - Made w/ a Flush Flat Edge to Put Them Side by Side to Create Unlimited Shelf Widths ", "THICK Acrylic With Rounded Edges Offers a Beautiful Look and Feel ", "PACKAGED In Soft Protective Foam Within a Black and Metallic Silver Box "], "total_reviews": 42, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B01LM6W814/ref=twister_B087YW343S?_encoding=UTF8&psc=1", "value": "3 Shelves", "price_string": "$13.99", "price": 13.99, "image": null}, {"is_selected": true, "url": null, "value": "4 Shelves", "price_string": "$16.99", "price": 16.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07B27J6W9/ref=twister_B087YW343S?_encoding=UTF8&psc=1", "value": "5 Shelves", "price_string": "$19.99", "price": 19.99, "image": null}], "Color": null}, "seller_id": "A3206KCK2HVOT", "seller_name": "BYALEGORY", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B01LM6W7Z6", "category": "beauty", "query": "Eyes Makeup", "page": 167, "small_description_old": "About this item DESIGNED w/ a Front Lip to Keep Nail Polish Bottles, Eyelash Containers, Nail Art Tools, Nail Stamps From Falling Forward. Pre-drilled Holes For Wall Hanging MADE From A Single Piece With The Highest Quality Crystalline Acrylic for a Flawless Clear Look & No Glued Pieces SIZE 12L x 1W x .59H Inches per Single Shelf | Available In 3, 4 or 5 Shelf Packs (Please Also See The Dimension Photo) ORGANIZE Infinite Amounts of Cosmetics - Made w/ a Flush Flat Edge to Put Them Side by Side to Create Unlimited Shelf Widths THICK Acrylic With Rounded Edges Offers a Beautiful Look and Feel PACKAGED In Soft Protective Foam Within a Black and Metallic Silver Box"}, {"name": "A Novel ; Still Life with Bread Crumbs", "product_information": "", "brand": "Brand: IM VERA", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=IM+VERA", "full_description": "", "pricing": "$17.38", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/21060v3xWYL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Breadsticks", "average_rating": "", "small_description": ["Author: Anna Quindlen Publication Year: 2014 Format: Hardcover Number of Pages: 272 Pages Language: English ISBN: 9781400065752 EAN: 9781400065752 ", "Still Life with Bread Crumbs begins with an imagined gunshot and ends with a new tin roof. Between the two is a wry and knowing portrait of Rebecca Winter, a photographer whose work made her an unlikely heroine for many women. Her career is now descendent, her bank balance shaky, and she has fled the city for the middle of nowhere. ", "There she discovers, in a tree stand with a roofer named Jim Bates, that what she sees through a camera lens is not all there is to life. Brilliantly written, powerfully observed, Still Life with Bread Crumbs is a deeply moving and often very funny story of unexpected love, and a stunningly crafted journey into the life of a woman, her heart, her mind, her days, as she discovers that life is a story with many levels, a story that is longer and more exciting than she ever imagined. ", "Dimensions Weight 18 Oz Height 1in. Width 6.6in. Length 9.6in. ", "Product Key Features Author Anna Quindlen Format Hardcover Language English Publication Year 2014 Number of Pages 272 Pages "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AURVNSCGC80IS", "seller_name": "IM VERA", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09CDRQGLS", "category": "grocery", "query": "Breads & Bakery", "page": 148, "small_description_old": "Author: Anna Quindlen Publication Year: 2014 Format: Hardcover Number of Pages: 272 Pages Language: English ISBN: 9781400065752 EAN: 9781400065752 Still Life with Bread Crumbs begins with an imagined gunshot and ends with a new tin roof. Between the two is a wry and knowing portrait of Rebecca Winter, a photographer whose work made her an unlikely heroine for many women. Her career is now descendent, her bank balance shaky, and she has fled the city for the middle of nowhere. There she discovers, in a tree stand with a roofer named Jim Bates, that what she sees through a camera lens is not all there is to life. Brilliantly written, powerfully observed, Still Life with Bread Crumbs is a deeply moving and often very funny story of unexpected love, and a stunningly crafted journey into the life of a woman, her heart, her mind, her days, as she discovers that life is a story with many levels, a story that is longer and more exciting than she ever imagined. Dimensions Weight 18 Oz Height 1in. Width 6.6in. Length 9.6in. Product Key Features Author Anna Quindlen Format Hardcover Language English Publication Year 2014 Number of Pages 272 Pages"}, {"name": "Star Wars I Am Furry Chewbacca Womens Costume Zip-Up Jacket", "product_information": {"Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n July 31, 2015", "ASIN\n \u200f": "\u200e\n B01349PIKU", "Best Sellers Rank": "#3,100,465 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#21,429 in Women's Fashion Hoodies & Sweatshirts #33,628 in Women's Yoga Clothing", "#21,429 in Women's Fashion Hoodies & Sweatshirts": "", "#33,628 in Women's Yoga Clothing": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the STAR WARS Store", "brand_url": "https://www.amazon.com/stores/StarWars/page/79D57AE1-6192-438C-B806-E5A8D255EEF6?ref_=ast_bln", "full_description": "The 100% polyester Star Wars Chewbacca Women's Costume Hoodie is a great hoodie for the ladies who happen to love Wookiees! Roar!", "pricing": "$69.99", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51fDh0zQV7L.jpg", "https://m.media-amazon.com/images/I/41u1HtW4wFL.jpg", "https://m.media-amazon.com/images/I/41uFj7L-5iL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Fashion Hoodies & Sweatshirts", "average_rating": 4.3, "small_description": [""], "total_reviews": 13, "total_answered_questions": "", "customization_options": {"Size": null, "Color": null}, "seller_id": "A3FSZ6G34A90OQ", "seller_name": "Hanopop", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00ZDEDVBI", "category": "fashion", "query": "Women's Fashion Hoodies & Sweatshirts", "page": 7, "small_description_old": "100% Polyester"}, {"name": "QualGear High Speed Long HDMI 2.0 Cable with Ethernet (50 Feet) - 100% OFC Copper, 24 Awg, 24K Gold Plated Contacts, CL3 Rated, Triple-Shielded. Supports 4K UHD, 3D, 18 Gbps, ARC (QG-CBL-HD20-50FT)", "product_information": {"Product Dimensions": "90.5 x 90.5 x 31.5 inches", "Item Weight": "3.34 pounds", "ASIN": "B01MQH5VGR", "Item model number": "QG-CBL-HD20-50FT", "Customer Reviews": {"ratings_count": 212, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#5,767 in HDMI Cables"], "Is Discontinued By Manufacturer": "No", "Date First Available": "October 24, 2016", "Manufacturer": "QualGear LLC", "Country of Origin": "China"}, "brand": "Visit the QualGear Store", "brand_url": "https://www.amazon.com/stores/QualGear/page/5AC22D66-A20F-4733-8BA4-E8238D9CF18F?ref_=ast_bln", "full_description": "Enjoy high-quality picture and pure audio by implementing the QualGear 50' (feet) HDMI cable with Ethernet in your AV setup. This all-in-one video plus audio cable Features 100% oxygen free copper (OFC), 24Awg thick bare copper for higher bandwidths up to 18Gbps. It Features 24K gold plated contacts for improved signal clarity. This HDMI cable is triple shielded for maximum protection from electromagnetic interference (EMI) and to achieve ultra-low signal to noise ratio (SNR). at 50' (feet) in length, this cable is flexible and convenient when making connections. It Features HDMI type a male connector on either end and plugs into any HDMI port. It Works with a variety of devices, including Ultra HD 4K TVs, a/V receivers, blu-ray players, cable / satellite boxes, gaming systems, Apple TV, Roku, computers and more. The CL3 fire safety rating means that the cable jacket has been treated with a fire-retardant, which ensures that it meets fire safety standards for use in and through the walls of residential class buildings. This cable meets HDMI 2. 0B specification and is backward compatible with all previous specifications - HDMI 1. 4, 1. 3, and 1. 0. This HDMI cable supports Ethernet and audio Return channels (ARC) so no separate cables are needed for Ethernet and audio Return capabilities. QualGear HDMI cables are also available in 3ft , 6ft , 10ft , 25ft , 75ft , 100ft lengths.", "pricing": "$39.45", "list_price": "", "availability_quantity": 14, "availability_status": "Only 14 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51eMyHuztmL.jpg", "https://m.media-amazon.com/images/I/413Zf8gxLwL.jpg", "https://m.media-amazon.com/images/I/41zQ9DWcRaL.jpg", "https://m.media-amazon.com/images/I/411wRQuF48L.jpg", "https://m.media-amazon.com/images/I/41FUe-+O7tL.jpg", "https://m.media-amazon.com/images/I/41ej6Bz93sL.jpg", "https://m.media-amazon.com/images/I/51e0mxckHaL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Video Cables \u203a HDMI Cables", "average_rating": 4.4, "small_description": ["Bandwidth up to 18Gbps ", "Hdmi Type a Male to HDMI Type a Male cable ", "Supports 4K at50/60 (2160p), which is 4 times the clarity of 1080p/60 Video resolution ", "Supports Ethernet, 3D, 4K video and Audio Return Channel (ARC). up to 32 Audio channels for a multi-dimensional immersive Audio experience. 24K gold-plated contacts ", "Each cable Meets HDMI 2. 0 specification, and Supports sharing an internet Connection among multiple devices without the need for a separate Ethernet cable ", "Constructed with full-metal connectors, double-shielding (alu mylar foil & aluminium braiding), 24k gold-plated connectors, and oxygen-free copper, you can buy with confidence knowing you\u2019ll get pristine pictures and sound with a loss-free transmission. ", "Gold-plated, corrosion-resistant connectors deliver optimal signal transfer with lower distortion. "], "total_reviews": 212, "total_answered_questions": 9, "model": "QG-CBL-HD20-50FT", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B01MQH5S8Z/ref=twister_B0747H6ZSP?_encoding=UTF8&psc=1", "value": "25 Feet", "price_string": "$18.95", "price": 18.95, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B073V5S5Q8/ref=twister_B0747H6ZSP?_encoding=UTF8&psc=1", "value": "30 Feet", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B073V637RH/ref=twister_B0747H6ZSP?_encoding=UTF8&psc=1", "value": "40 Feet", "price_string": "$27.15", "price": 27.15, "image": null}, {"is_selected": true, "url": null, "value": "50 Feet", "price_string": "$39.45", "price": 39.45, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B073V62BJ5/ref=twister_B0747H6ZSP?_encoding=UTF8&psc=1", "value": "60 Feet", "price_string": "$46.67", "price": 46.67, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01N3QONAP/ref=twister_B0747H6ZSP?_encoding=UTF8&psc=1", "value": "75 Feet", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01MTLOK5Q/ref=twister_B0747H6ZSP?_encoding=UTF8&psc=1", "value": "100 Feet", "price_string": "", "price": 0, "image": null}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B01MQH5VGR", "category": "electronics", "query": "HDMI Cables", "page": 186, "small_description_old": "About this item\n \nBandwidth up to 18Gbps Hdmi Type a Male to HDMI Type a Male cable Supports 4K at50/60 (2160p), which is 4 times the clarity of 1080p/60 Video resolution Supports Ethernet, 3D, 4K video and Audio Return Channel (ARC). up to 32 Audio channels for a multi-dimensional immersive Audio experience. 24K gold-plated contacts Each cable Meets HDMI 2. 0 specification, and Supports sharing an internet Connection among multiple devices without the need for a separate Ethernet cable Constructed with full-metal connectors, double-shielding (alu mylar foil & aluminium braiding), 24k gold-plated connectors, and oxygen-free copper, you can buy with confidence knowing you\u2019ll get pristine pictures and sound with a loss-free transmission. Gold-plated, corrosion-resistant connectors deliver optimal signal transfer with lower distortion."}, {"name": "adidas Originals Women's Adicolor Essentials Tights", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 11 x 6 x 1 inches; 5.61 Ounces", "Item model number\n \u200f": "\u200e\n 88693", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n October 1, 2021", "Manufacturer\n \u200f": "\u200e\n adidas Originals", "ASIN\n \u200f": "\u200e\n B08KYDFCKC", "Best Sellers Rank": "#43,551 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#200 in Women's Activewear Leggings", "#200 in Women's Activewear Leggings": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the adidas Originals Store", "brand_url": "https://www.amazon.com/stores/Adidas+Originals/page/66B6ABFF-F9DD-48F0-8D81-B45CEB2C6D31?ref_=ast_bln", "full_description": "Casual tights with plenty of style. These women's adidas tights have a Trefoil logo on the hip and a high-rise waist for added coverage. Super-soft cotton and a tight fit keep everything as comfortable as it gets.", "pricing": "$16.82$35.00", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31TTQjQco+L.jpg", "https://m.media-amazon.com/images/I/31bkJEM7jdL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Active \u203a Leggings", "average_rating": 4.2, "small_description": ["Women's tights for casual wear ", "TIGHT FIT: Wears close but is not restrictive, and hugs the legs almost like a second skin ", "ELASTIC WAIST: High-rise elastic waist for extra coverage ", "BETTER COTTON INITIATIVE: By buying cotton products from us, you're supporting more sustainable cotton farming "], "total_reviews": 49, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "XX-Small", "asin": "B08KYBLWDC"}, {"is_selected": false, "is_available": true, "value": "X-Small", "asin": "B08KYFD8SQ"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B08KYCF5XZ"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B08KYBVQ46"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B08KYDDQSD"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B08KZ1GWV3"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08KYDFCKC/ref=twister_B08SH44K67", "value": "Orbit Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31IOpmf4sYL.jpg"}, {"is_selected": true, "url": null, "value": "Victory Crimson", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31TTQjQco+L.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08KYBVQ46", "category": "fashion", "query": "Women's Pants", "page": 16, "small_description_old": "93% Cotton/7% Elastane Imported Pull On closure Machine Wash Women's tights for casual wear TIGHT FIT: Wears close but is not restrictive, and hugs the legs almost like a second skin ELASTIC WAIST: High-rise elastic waist for extra coverage BETTER COTTON INITIATIVE: By buying cotton products from us, you're supporting more sustainable cotton farming"}, {"name": "2 Pcs Cowhide Throw Pillow Covers Decorative Pillow Cases Farm Animal Brown Cow Hide Skin Print Pillow Case 18 X 18 Inch Velvet Square Cushion Cover for Sofa Bedroom", "product_information": {"Product Dimensions": "18 x 18 x 0.2 inches", "Item Weight": "7.8 ounces", "Manufacturer": "ENTUA", "ASIN": "B08K7LDM7Q", "Customer Reviews": {"ratings_count": 75, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#251,973 in Home & Kitchen (See Top 100 in Home & Kitchen) #3,455 in Throw Pillow Covers"], "Batteries Required?": "No"}, "brand": "Brand: Entua", "brand_url": "https://www.amazon.com/Entua/b/ref=bl_dp_s_web_23548006011?ie=UTF8&node=23548006011&field-lbr_brands_browse-bin=Entua", "full_description": "SET OF 2 DECORATIVE ANIMAL SKIN THROW PILLOW COVERS BROWN AND WHITEYOU WILL GET: 2 brown and white animal print throw pillows, standard size 18*18 inches, invisible zipper, easy to clean pillowcases.This 18x18 brown leather pillowcase adds a lot of color to your home decoration and immediately enhances the unique style of your room!Not only is it very suitable for decorating sofas, chairs, sofas, cars, beds, offices, but also a perfect gift for family and friends for Christmas and birthday!FEATURE:set of 2 cow print throw pillow coversDouble-sided printingHigh-quality soft velvet materialHidden zipper design18*18 inch cowhide decorative cushion coversWe use soft swan material that will not irritate the skin, high quality, environmentally friendly ink.Printing uses high temperature to make the ink penetrate into the material fibers and will not fade after washing.It looks beautiful after repeated washing. An easy and cheap way to add decorations to the living room, bedroom, study, and sofa.PROMPT:Machine wash in cold water or hand wash.Machine dry or natural dry.Only abstract throw pillow covers, no plug-ins.1. Due to different computer pixels, the actual color may be slightly different, which is normal. please allow.2. Due to manual measurement, a difference of 1-2CM is allowed.", "pricing": "$17.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/414UNymlFJL.jpg", "https://m.media-amazon.com/images/I/51VQrWgoe-L.jpg", "https://m.media-amazon.com/images/I/511iEartsQL.jpg", "https://m.media-amazon.com/images/I/41-1z4zo6rL.jpg", "https://m.media-amazon.com/images/I/51IZEjix4IL.jpg", "https://m.media-amazon.com/images/I/51exIu7Rj2L.jpg", "https://m.media-amazon.com/images/I/51R44CgNsdL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Decorative Pillows, Inserts & Covers \u203a Throw Pillow Covers", "average_rating": 4.5, "small_description": ["\ud83c\udf3bFASHION STYLE:Brown and white cowhide printed pillowcase patterns make the whole pillowcase full of fashion and brighten your home. ", "\ud83c\udf3bATERIALS:The cowhide throw pillow case is made of velvet. Softness, comfort and durability are the most prominent features of this fabric. x 20 are made of smooth and soft velvet fabric.The tightly woven short and tight soft pillowcases are comfortable,strong and durable,which is the most prominent of the fabric feature. ", "\ud83c\udf3bSIZE:18x18 inches / 45x45cm. The package includes set of 2 animal print pillow case, excluding inserts.. ", "\ud83c\udf3bFARM ANIMAL PRINT DECOR PILLOW COVERS:Double-sided pattern printed animal skin pillow covers, with invisible zipper on the side. ", "\ud83c\udf3bSATISFYING SERVICE:We hope that it will be our honor for customers to feel 100% satisfied with square pillow covers. If you have any questions about our 2 pack hidden zippered pillowcase, please consult. Take it home if you like it. "], "total_reviews": 75, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "18 x 18-Inch", "price_string": "$17.99", "price": 17.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09GRNB7QT/ref=twister_B09GRJJCRH?_encoding=UTF8&psc=1", "value": "20\"x20\"", "price_string": "$20.99", "price": 20.99, "image": null}]}, "seller_id": "AZ8TC9Z96S3AD", "seller_name": "ENTUA", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08K7LDM7Q", "category": "garden", "query": "Decorative Pillows", "page": 55, "small_description_old": "About this item \ud83c\udf3bFASHION STYLE:Brown and white cowhide printed pillowcase patterns make the whole pillowcase full of fashion and brighten your home. \ud83c\udf3bATERIALS:The cowhide throw pillow case is made of velvet. Softness, comfort and durability are the most prominent features of this fabric. x 20 are made of smooth and soft velvet fabric.The tightly woven short and tight soft pillowcases are comfortable,strong and durable,which is the most prominent of the fabric feature. \ud83c\udf3bSIZE:18x18 inches / 45x45cm. The package includes set of 2 animal print pillow case, excluding inserts.. \ud83c\udf3bFARM ANIMAL PRINT DECOR PILLOW COVERS:Double-sided pattern printed animal skin pillow covers, with invisible zipper on the side. \ud83c\udf3bSATISFYING SERVICE:We hope that it will be our honor for customers to feel 100% satisfied with square pillow covers. If you have any questions about our 2 pack hidden zippered pillowcase, please consult. Take it home if you like it."}, {"name": "BIFESTA Micellar Water Dual Phase Pore Clear 360ml-Effectively removes Waterproof & Heavy Makeup.", "product_information": {"Item Weight": "1.06 pounds", "ASIN": "B085RG99KT", "Manufacturer recommended age": "7 years and up", "Best Sellers Rank": ["#1,103,499 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #257 in Makeup Cleansing Water"], "Is Discontinued By Manufacturer": "No", "Manufacturer": "BIFESTA"}, "brand": "Brand: Bifesta", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Bifesta", "full_description": "Dual Effect Water-based remover which contains moisturizing cleansing ingredients and botanical oil layer that effectively removes waterproof & heavy makeup", "pricing": "$33.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41jBbA-5KuS.jpg", "https://m.media-amazon.com/images/I/51eNydlsl4S.jpg", "https://m.media-amazon.com/images/I/51fF6+41EYS.jpg", "https://m.media-amazon.com/images/I/51VmkI97kNS.jpg", "https://m.media-amazon.com/images/I/51GnfTMAIqS.jpg", "https://m.media-amazon.com/images/I/417klPb9WAS.jpg", "https://m.media-amazon.com/images/I/41PMAKOWmZS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Makeup Remover \u203a Makeup Cleansing Water", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AXBOXQY0T5BDB", "seller_name": "New Era International Store", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B085RG99KT", "category": "beauty", "query": "Makeup Remover", "page": 108, "small_description_old": ""}, {"name": "C.O. Bigelow Hair & Body Wash, Elixir Black, No. 1605, 8 fl oz", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 3 x 2 x 7.75 inches; 9.45 Ounces", "UPC\n \u200f": "\u200e\n 815691000631", "Manufacturer\n \u200f": "\u200e\n C.O. Bigelow", "ASIN\n \u200f": "\u200e\n B09Q3PZ8JK", "Best Sellers Rank": "#111,613 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,765 in Bath & Shower Gels", "#1,765 in Bath & Shower Gels": ""}, "brand": "Visit the C. O. Bigelow Store", "brand_url": "https://www.amazon.com/stores/COBigelow/page/0BF97E6B-40B1-402E-8357-82C45A4E6A9B?ref_=ast_bln", "full_description": "Our aromatic, rich-lathering hair & body wash is a 2-in-1 cleanser, making for a highly efficient shower regimen to effectively cleanse both the hair and body. Infused with our Elixir Cologne, the aromatic rich-lathering formula lightly scents the skin as it washes. Elixir Black blends exotic Agar Wood and Tonka Bean with undertones of Amber, Musk and Vanilla. Pair it with Elixir Cologne for a perfect gift.", "pricing": "$18.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31PEYdJptZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Body \u203a Cleansers \u203a Body Washes", "average_rating": "", "small_description": ["Rich lathering mens body wash and shampoo 2 in 1 cleanser makes a highly effective shower regimen to cleanse the hair and body ", "Formulated with Aloe Vera 0.5% and Pro Vitamin B5 1% and infused with Bigelow's Elixir Cologne, the aromatic shampoo and bath soap combination lightly scents skin and hair as it washes ", "Elixir Black is confident, exotic and rich, blending exotic agar wood and tonka bean with undertones of amber, musk and vanilla ", "Pair Elixir Hair & Body Wash with our Elixir Cologne for a perfect gift for men ", "Made in the USA, SLS Free, Paraben Free, Cruelty Free, No artificial colors "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1VQAHT7VTQPVE", "seller_name": "Bigelow Chemists", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09Q3PZ8JK", "category": "beauty", "query": "Body Care", "page": 30, "small_description_old": "About this item C.O. Bigelow's aromatic, rich-lathering hair & body wash is a 2-in-1 cleanser, making for a highly efficient shower regimen to effectively cleanse both the hair and body Formulated with Aloe Vera 0.5% and Pro Vitamin B5 1% and infused with Bigelow's Elixir Cologne, the aromatic rich-lathering formula lightly scents the skin as it washes Elixir Black blends exotic Agar Wood and Tonka Bean with undertones of Amber, Musk and Vanilla Pair it with Elixir Cologne for a perfect gift No artificial colors, not tested on animals and Made in USA"}, {"name": "Cabilock Metal Vanity Tray Rectangle Decorative Tray Jewelry Tray Trinket Ring Dish Black Food Serving Plate for Bathroom Kitchen Counter Dresser 22x9.5x2cm", "product_information": {"Product Dimensions": "8.66 x 3.74 x 0.79 inches", "Item Weight": "9.2 ounces", "Manufacturer": "Cabilock", "ASIN": "B08NPQT5TW", "Item model number": "NSJCXOG6109R4618TJJ20E5AG", "Best Sellers Rank": ["#2,059,926 in Home & Kitchen (See Top 100 in Home & Kitchen) #523 in Bathroom Sink Vanity Trays"], "material_composition": "Iron", "Included Components": "Container"}, "brand": "Visit the Cabilock Store", "brand_url": "https://www.amazon.com/stores/cabilock/page/6D55E6F7-3655-4F25-A4B9-551E6574232E?ref_=ast_bln", "full_description": "DescriptionThis tray can be a jewelry tray for necklace, bracelet, earrings, ring, etc. Also can be a great storage tool for wallets, glasses, keys. This trays is a great transporting and displaying showcase for your jewelry, suitable\u00a0for personal use at home, also a perfect countertop jewelry display tray in stores or trade shows.Features-Material:\u00a0iron-Color: black- Size: 22x9.5x2cm.-\u00a0Perfect to storage your daily essentials such as creams, lotions, oils, etc, And make your tabletop look so tidy.- Can also be used as jewelry organizer, perfume trays, vanity trays, dresser tray, decorative tray, bathroom vanity tray, makeup tray organizer, etc.-\u00a0A perfect gift for the one who appreciates exclusive-looking home decor items.- A perfect gift for birthday, Christmas, thanksgiving, wedding registry, housewarming, and so on.-\u00a0Allows you to have jewelry, rings, earrings, necklace, trinkets within reach. Offers a stylish way to keep organized and a perfect choice for home decor!Package Including1 x jewelry tray", "pricing": "$13.99", "list_price": "", "availability_quantity": 11, "availability_status": "Only 11 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31zcr7Got2L.jpg", "https://m.media-amazon.com/images/I/315m8DNgFML.jpg", "https://m.media-amazon.com/images/I/41x7KzGPvgL.jpg", "https://m.media-amazon.com/images/I/415ieZzR0OL.jpg", "https://m.media-amazon.com/images/I/41FjThzTveL.jpg", "https://m.media-amazon.com/images/I/4150xsuqIwL.jpg", "https://m.media-amazon.com/images/I/31FnOyZqeNL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bath \u203a Bathroom Accessories \u203a Holders & Dispensers \u203a Vanity Trays", "average_rating": "", "small_description": ["A perfect gift for birthday, Christmas, thanksgiving, wedding registry, housewarming, and so on. ", "Allows you to have jewelry, rings, earrings, necklace, trinkets within reach. Offers a stylish way to keep organized and a perfect choice for home decor! ", "A perfect gift for the one who appreciates exclusive-looking home decor items. ", "Can also be used as jewelry organizer, perfume trays, vanity trays, dresser tray, decorative tray, bathroom vanity tray, makeup tray organizer, etc. ", "Perfect to storage your daily essentials such as creams, lotions, oils, etc, And make your tabletop look so tidy. "], "total_reviews": "", "total_answered_questions": "", "model": "NSJCXOG6109R4618TJJ20E5AG", "customization_options": {"Size": null}, "seller_id": "A3EFB0PP14MVTY", "seller_name": "LaDawn", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08NPQT5TW", "category": "garden", "query": "Vanities", "page": 355, "small_description_old": "About this item A perfect gift for birthday, Christmas, thanksgiving, wedding registry, housewarming, and so on. Allows you to have jewelry, rings, earrings, necklace, trinkets within reach. Offers a stylish way to keep organized and a perfect choice for home decor! A perfect gift for the one who appreciates exclusive-looking home decor items. Can also be used as jewelry organizer, perfume trays, vanity trays, dresser tray, decorative tray, bathroom vanity tray, makeup tray organizer, etc. Perfect to storage your daily essentials such as creams, lotions, oils, etc, And make your tabletop look so tidy."}, {"name": "Acme Furniture Sofa, Velvet & Antique Silver", "product_information": {"Item Weight": "\u200e172 pounds", "Product Dimensions": "\u200e100 x 42 x 42 inches", "Item model number": "\u200e56930", "Assembled Seat Height": "\u200e20 Inches", "ASIN": "B07N33BPQ6", "Best Sellers Rank": ["#5,566,404 in Home & Kitchen (See Top 100 in Home & Kitchen) #9,942 in Sofas & Couches"], "Date First Available": "January 24, 2019"}, "brand": "Visit the Acme Furniture Store", "brand_url": "https://www.amazon.com/stores/Acme+Furniture/page/D5EAE6AE-7FFC-4E63-B361-BDB8AFE7792B?ref_=ast_bln", "full_description": "Traditional style. Exclusive design. Button tufted. Nail head. Oversized molding trim. Tight back and loose seat cushions. Seat construction: Pocket coil. Armrest: Rolled and scrolled-floral front trim. Upholstered. Made from velvet and poly-resin. No assembly required. Seat: 24 in. W x 20 in. H. Overall: 100 in. L x 42 in. W x 42 in. H (185 lbs. ). The Northville sofa is exclusively designed and filled with romantic spirit. This beautiful velvet upholstered sofa features carved legs, apron, and trim, decorated with raised and scrolled floral motifs in an antique champagne finish. This sophisticated sofa boasts of curved and rolled arms, oversized molding and button tufted backrests with nail head trim. This collection with contrasting accent pillows will bring sophistication to your living room and will add elegance to any room Decor. Sit back and relax on this sophisticated collection that will instantly bring style to your living area.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41ayTN2g6sL.jpg", "https://m.media-amazon.com/images/I/31XoMu33itL.jpg", "https://m.media-amazon.com/images/I/41USzvVCg8L.jpg", "https://m.media-amazon.com/images/I/41eeS7tBcbL.jpg", "https://m.media-amazon.com/images/I/41re3ElXXuL.jpg", "https://m.media-amazon.com/images/I/41scUseGbML.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Sofas & Couches", "average_rating": "", "small_description": ["Traditional style ", "Exclusive design ", "Satisfaction Ensured ", "Package Dimensions : 105\" L x 45\" W x 45\" H "], "total_reviews": "", "total_answered_questions": "", "model": "\u200e56930", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07N33BPQ6", "category": "garden", "query": "Sofas and couches", "page": 166, "small_description_old": "About this item Traditional style Exclusive design Satisfaction Ensured Package Dimensions : 105\" L x 45\" W x 45\" H \n \u203a See more product details"}, {"name": "FitFlop Men's Hollis Neoprene Sport Sandal", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 12.5 x 8.5 x 5.5 inches; 2.2 Pounds", "Item model number\n \u200f": "\u200e\n V48", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n March 24, 2019", "Manufacturer\n \u200f": "\u200e\n FitFlop", "ASIN\n \u200f": "\u200e\n B07NZ173GY", "Best Sellers Rank": "#243,673 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#240 in Men's Athletic & Outdoor Sandals & Slides #631 in Men's Sandals", "#240 in Men's Athletic & Outdoor Sandals & Slides": "", "#631 in Men's Sandals": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the FitFlop Store", "brand_url": "https://www.amazon.com/stores/FITFLOP/page/9313D090-B40B-4D24-962B-1EFA9BD2BBEE?ref_=ast_bln", "full_description": "These cut-out kicks deliver a 'hole' lot: the sporty athleisure vibe of sneakers and the breeziness of sandals (while keeping your toes out of sight). Then there are cool style details", "pricing": "$26.44$69.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31slmiLPkAL.jpg", "https://m.media-amazon.com/images/I/4113YvlsfOL.jpg", "https://m.media-amazon.com/images/I/313UcvWh9zL.jpg", "https://m.media-amazon.com/images/I/31DoNJXURmL.jpg", "https://m.media-amazon.com/images/I/318qcfFVrdL.jpg", "https://m.media-amazon.com/images/I/31iaZgrH0IL.jpg", "https://m.media-amazon.com/images/I/31hmxK7cGQL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Sandals", "average_rating": 4.2, "small_description": ["Imported ", "Rubber sole ", "on FitFlop\u2019s superlight, hyper-flexible Anatomiflex midsoles for all-day comfort ", "made of 'bouncy' high-rebound cushioning that feels great to walk on ", "average to wide fit ", "APMA Seal of Acceptance, for footwear found to promote good foot health "], "total_reviews": 20, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "11", "asin": "B07NZ173GY"}, {"is_selected": false, "is_available": true, "value": "12", "asin": "B07P13L855"}, {"is_selected": false, "is_available": true, "value": "12.5", "asin": "B07WW6RG3T"}, {"is_selected": false, "is_available": true, "value": "13", "asin": "B07P124Z6X"}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31slmiLPkAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08S45C33R/ref=twister_B07WY5ZWJD", "value": "Light Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31eTYpTg4OL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07NZ173GY", "category": "fashion", "query": "Men's Sandals", "page": 23, "small_description_old": "Neoprene Imported Rubber sole on FitFlop\u2019s superlight, hyper-flexible Anatomiflex midsoles for all-day comfort made of 'bouncy' high-rebound cushioning that feels great to walk on average to wide fit APMA Seal of Acceptance, for footwear found to promote good foot health"}, {"name": "TEMPTU Airbrush Makeup System 2.0 Premier Kit: Airbrush Makeup Set for Professionals Includes S/B Silicone-Based Foundation Starter Set & Cleaning Kit, Travel-Friendly", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 2.25 x 3.75 x 4.5 inches; 1 Pounds", "UPC\n \u200f": "\u200e\n 671741998446", "Manufacturer\n \u200f": "\u200e\n Temptu", "ASIN\n \u200f": "\u200e\n B07CYXLSF2", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#83,151 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#14 in Makeup Airbrushes", "#14 in Makeup Airbrushes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$250.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41qtWvtRqpL.jpg", "https://m.media-amazon.com/images/I/41+ZcnkDbZL.jpg", "https://m.media-amazon.com/images/I/41paLE-vu+L.jpg", "https://m.media-amazon.com/images/I/511XfqNsrzL.jpg", "https://m.media-amazon.com/images/I/41I+RwicMqL.jpg", "https://m.media-amazon.com/images/I/41Zb7xEfGEL.jpg", "https://m.media-amazon.com/images/I/4117yPDDrkL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Makeup Brushes & Tools \u203a Makeup Airbrushes", "average_rating": 4.2, "small_description": [""], "total_reviews": 112, "total_answered_questions": 28, "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07CYXLSF2", "category": "beauty", "query": "Makeup Sets", "page": 62, "small_description_old": ""}, {"name": "Delicious & Sons - Organic - Non-GMO - Gluten-free - Italian Basil Pesto Genovese Sauce with Parmigiano Reggiano PDO Cheese (6.70 oz.)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 2.6 x 2.6 x 4.2 inches; 11.29 Ounces", "Manufacturer\n \u200f": "\u200e\n Delicious & Sons", "ASIN\n \u200f": "\u200e\n B01N37FSYX", "Best Sellers Rank": "#209,912 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#110 in Pesto Sauces", "#110 in Pesto Sauces": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the DELICIOUS & SONS SINCE 2006 A FAMILY OF FLAVORS Store", "brand_url": "https://www.amazon.com/stores/DELICIOUSSONS/page/7F76D094-3BE3-4CD7-B880-8052AF5E73D0?ref_=ast_bln", "full_description": "", "pricing": "$14.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51AJ1BpnuPL.jpg", "https://m.media-amazon.com/images/I/51esKyfoDgL.jpg", "https://m.media-amazon.com/images/I/41O7nMVy31L.jpg", "https://m.media-amazon.com/images/I/31pnIUolgZL.jpg", "https://m.media-amazon.com/images/I/31N9VsJvK9L.jpg", "https://m.media-amazon.com/images/I/41PzeqYR9mL.jpg", "https://m.media-amazon.com/images/I/9103aClmS3L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Sauces, Gravies & Marinades \u203a Sauces \u203a Italian \u203a Pesto", "average_rating": 3.9, "small_description": ["Organic Italian Sauce made with high-quality natural Ingredients: organic basil, organic sunflower oil, Parmigiano Reggiano cheese PDO (cow's milk, salt, rennet), salt, organic potato starch, organic pine nuts, acidity regulator: lactic acid, antioxidant: ascorbic acid. Made in Italy. 6.70 oz. ", "Non-GMO Pesto Sauce Organic. Can be used as: Pasta Sauce (Spaghetti Sauce, Linguine Sauce...), Fish Sauce, Meat Sauce, Salad Dressing, Vegetable Dip, Pesto Spread... ", "We want everyone to enjoy our products: Our Organic Pesto is a Gluten-free Sauce, Non-GMO, Keto Sauce, without added sugars! ", "Our Basil Pesto Sauce is produced in Italy. All of the ingredients used are 100% traceable and had been locally sourced, supporting organic local farmers. Minimal waste is done during harvest. ", "Delicious & Sons is a Certified B Corp. We offer high quality, honest, natural sauces. Our products are easy to use and even easier to love. "], "total_reviews": 24, "total_answered_questions": "", "customization_options": "", "seller_id": "A2P6XZL28L7EC0", "seller_name": "meDINEterranean", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B01N37FSYX", "category": "grocery", "query": "Cheeses", "page": 286, "small_description_old": "About this item Organic Italian Sauce made with high-quality natural Ingredients: organic basil, organic sunflower oil, Parmigiano Reggiano cheese PDO (cow's milk, salt, rennet), salt, organic potato starch, organic pine nuts, acidity regulator: lactic acid, antioxidant: ascorbic acid. Made in Italy. 6.70 oz. Non-GMO Pesto Sauce Organic. Can be used as: Pasta Sauce (Spaghetti Sauce, Linguine Sauce...), Fish Sauce, Meat Sauce, Salad Dressing, Vegetable Dip, Pesto Spread... We want everyone to enjoy our products: Our Organic Pesto is a Gluten-free Sauce, Non-GMO, Keto Sauce, without added sugars! Our Basil Pesto Sauce is produced in Italy. All of the ingredients used are 100% traceable and had been locally sourced, supporting organic local farmers. Minimal waste is done during harvest. Delicious & Sons is a Certified B Corp. We offer high quality, honest, natural sauces. Our products are easy to use and even easier to love."}, {"name": "YHJIC Helmet Virtual Reality Headset Press for Smartphone Cardboard Casque Phone Android 3D Lense", "product_information": {"Product Dimensions": "6.69 x 5.12 x 3.27 inches", "Item Weight": "12 ounces", "ASIN": "B092LSVMTY", "Item model number": "400500", "Date First Available": "April 15, 2021", "Manufacturer": "YHJIC", "Country of Origin": "China"}, "brand": "Brand: YHJIC", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=YHJIC", "full_description": "YHJIC Parameters:Name: Model: AR-XMaterial: ABS+PU leatherBattery Capacity: No BatteryCamera: No cameraMain body: visual lens, reflection (plane mirror), face-contact leatherWearing mode: head-mounted typeViewing angle: high definition magnification, 2.8 times, 69\u00b0 panoramic viewing angleAdapt to mobile phone configuration: best effect configuration: resolution 1080P and above, processor: 4 cores and aboveMyopia: support to wear glassesSupport systems: for Android, , Android, IOS, systemColor: blackList:1 * 1 * lens cloth1 * ManualOnly the above package content, other products are not included.Note: Light shooting and different displays may cause the color of the item in the picture a little different from the real thing. The measurement allowed error is +/- 1-3cm.", "pricing": "$22.57", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/414DxMTw+-L.jpg", "https://m.media-amazon.com/images/I/511CW2dZWiL.jpg", "https://m.media-amazon.com/images/I/51R5r6MyHXL.jpg", "https://m.media-amazon.com/images/I/51kLfOi-QJL.jpg", "https://m.media-amazon.com/images/I/51npVxWd3DL.jpg", "https://m.media-amazon.com/images/I/41SidDCu0eL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories", "average_rating": "", "small_description": ["1. The product is clearly imaged and does not damage eyes, thus reducing optical energy loss to a greater extent, and the color is more saturated and bright. ", "2. Compatible with 4.7-6.0 inch cell phones, with expanded use range ", "3. Portable and foldable will bring you more convenience ", "4. The product is small in size, light in weight and more convenient to use ", "5. With its own amplification effect, it can enable you to enjoy the shocking experience of being personally on the scene. "], "total_reviews": "", "total_answered_questions": "", "model": "400500", "customization_options": "", "seller_id": "A5FTD28MHRS74", "seller_name": "ayubb1", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B092LSVMTY", "category": "electronics", "query": "Virtual Reality", "page": 131, "small_description_old": "About this item\n \n1. The product is clearly imaged and does not damage eyes, thus reducing optical energy loss to a greater extent, and the color is more saturated and bright. 2. Compatible with 4.7-6.0 inch cell phones, with expanded use range 3. Portable and foldable will bring you more convenience 4. The product is small in size, light in weight and more convenient to use 5. With its own amplification effect, it can enable you to enjoy the shocking experience of being personally on the scene."}, {"name": "Lifestyle Furniture Sectional Recliner Sofa Set Living Room Reclining Couch with Drop Down Table (Single Piece or Combination) (GS2900, 3PCS)", "product_information": {"Product Dimensions": "37 x 82 x 40 inches", "Manufacturer": "Lifestyle Furniture", "ASIN": "B09688C4XM", "Best Sellers Rank": ["#4,504,563 in Home & Kitchen (See Top 100 in Home & Kitchen) #2,434 in Living Room Furniture Sets"], "Date First Available": "May 31, 2021"}, "brand": "Brand: Lifestyle Furniture", "brand_url": "https://www.amazon.com/Lifestyle-Furniture/b/ref=bl_dp_s_web_16038479011?ie=UTF8&node=16038479011&field-lbr_brands_browse-bin=Lifestyle+Furniture", "full_description": "??????Welcome to Lifestyle Furniture?Product Feature? Faux Bonded Leather Wooden Frame High Density Foam PopUp Footrest?Dimensions?3seat Sofa: 82 x 37 x 40Inch, 2seater Loveseat: 61.5 x 37 x 40Inch, 1seater Chair: 38.5 x 37 x 40Inch ?Package?1 x 3Seat Sofa1 x 2Seat Loveseat1 x 1Seat Chair??Easy AssemblyUnpack all needed assembly components from the underside zipper compartment (Located on the underside of the sofa body)??Shipping ServiceLifestyle only offer Curbside Only Shipping trucking service. Customer is REQUIRED to move it into your home. Carrier will contact you prior to help you set up a delivery time.", "pricing": "$1,847.00", "list_price": "", "availability_quantity": 7, "availability_status": "Only 7 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31k1bZtxHfS.jpg", "https://m.media-amazon.com/images/I/31CJTfL8ZOS.jpg", "https://m.media-amazon.com/images/I/31uf8EvwOLS.jpg", "https://m.media-amazon.com/images/I/31+F49yQbMS.jpg", "https://m.media-amazon.com/images/I/41rY2f0ZLeS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Living Room Sets", "average_rating": "", "small_description": ["\u2611LUXURY COMFORT\uff1aBringing a simplistic style into the home, soft bonded leather upholstery with high-density padding provides a relaxed way to spend an evening at home. ", "\u2611EASY TO THROUGH THE DOOR\uff1aCome with 3 boxes. It's easy to get in the 30\" door. All parts are in the zipper compartment under the sofa. Just assembly according to the instructions. ", "\u2611RECLINING MOTION SET\uff1aReclining functions are all manual, very easy to use. You only need to pull the switch on the recliner couch lightly. It also can be easily returned to sit-up position. ", "\u2611SPACE SAVING\uff1aThis recliner sofa set can be placed closer to the wall because they do not require as much space between the back of the recliner and the wall. Required back clearance to recline:7\u201d-7.5\u201d. ", "\ud83d\ude9aCurbside Only Shipping Trucking: \u2460Outdoor delivery. Customer is REQUIRED to move the furniture into your home. \u2461The LTL carrier will contact customers to set up delivery. \u2462You MUST email us a valid/direct phone number when placing an order as invalid phone will cause a delay in your shipment. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Gs2900", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31sn4GMfaGS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09687XG4G/ref=twister_B09688T4PG?_encoding=UTF8&psc=1", "value": "Gs2900b", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41b14WqRapL.jpg"}], "Size": [{"is_selected": true, "url": null, "value": "3PSC", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09687JS71/ref=twister_B09688T4PG?_encoding=UTF8&psc=1", "value": "C", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09686FM9P/ref=twister_B09688T4PG?_encoding=UTF8&psc=1", "value": "Large", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09685KWPV/ref=twister_B09688T4PG?_encoding=UTF8&psc=1", "value": "Small", "price_string": "", "price": 0, "image": null}]}, "seller_id": "AUFRFZL689IW0", "seller_name": "G. Furniture", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09688C4XM", "category": "garden", "query": "Sofa Tables", "page": 199, "small_description_old": "About this item\n \n\u2611LUXURY COMFORT\uff1aBringing a simplistic style into the home, soft bonded leather upholstery with high-density padding provides a relaxed way to spend an evening at home. \u2611EASY TO THROUGH THE DOOR\uff1aCome with 3 boxes. It's easy to get in the 30\" door. All parts are in the zipper compartment under the sofa. Just assembly according to the instructions. \u2611RECLINING MOTION SET\uff1aReclining functions are all manual, very easy to use. You only need to pull the switch on the recliner couch lightly. It also can be easily returned to sit-up position. \u2611SPACE SAVING\uff1aThis recliner sofa set can be placed closer to the wall because they do not require as much space between the back of the recliner and the wall. Required back clearance to recline:7\u201d-7.5\u201d. \ud83d\ude9aCurbside Only Shipping Trucking: \u2460Outdoor delivery. Customer is REQUIRED to move the furniture into your home. \u2461The LTL carrier will contact customers to set up delivery. \u2462You MUST email us a valid/direct phone number when placing an order as invalid phone will cause a delay in your shipment."}, {"name": "Oriental Eau de Toilette \u2013 Natural Eau de Toilette for Men Woody Eau de Toilette Infused with Essential Oils Fragrance for Men with Oriental Woody Tones NOU Oliban Eau de Toilette for Men \u2013 1.7 Fl Oz", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 4.69 x 3.43 x 2.24 inches; 7.41 Ounces", "Item model number\n \u200f": "\u200e\n 3", "Manufacturer\n \u200f": "\u200e\n NOU Poland", "ASIN\n \u200f": "\u200e\n B08XQWJX8P", "Best Sellers Rank": "#627,504 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#31,657 in Perfumes & Fragrances", "#31,657 in Perfumes & Fragrances": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: nou", "brand_url": "https://www.amazon.com/nou/b/ref=bl_dp_s_web_23505435011?ie=UTF8&node=23505435011&field-lbr_brands_browse-bin=nou", "full_description": "", "pricing": "$21.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51gDhcURgKL.jpg", "https://m.media-amazon.com/images/I/51s8RKl5asL.jpg", "https://m.media-amazon.com/images/I/51QARgyv75L.jpg", "https://m.media-amazon.com/images/I/41ndpUPxnPL.jpg", "https://m.media-amazon.com/images/I/41gEIkhqz3L.jpg", "https://m.media-amazon.com/images/I/51lQc4bzneL.jpg", "https://m.media-amazon.com/images/I/61vejBEoo9L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Fragrance", "average_rating": 4, "small_description": ["NOU OLIBAN ORIENTAL SCENT FOR MEN \u2013 this fragrance for men has been perfectly blended and infused with essential oils, resulting in an intriguing, mysterious scent that is powerful and appealing to women. In the beautiful Catalan language, NOU means \u201cnew\u201d \u2013 a new fragrance, sparking new emotions for a new you! ", "ORIENTAL EAU DE TOILETTE CRAFTED BY FRENCH PERFUMERS \u2013 expertly crafted by French perfumers, this natural fragrance for men is created with pure and natural ingredients and infused with aromatic essential oils. Our Oliban natural Eau de Toilette for men is designed for the elegant, modern man who is determined and exudes confidence ", "OLIBAN WOODY FRAGRANCE NOTES \u2013 this natural Eau de Toilette for men is mysterious and adventurous giving a sense of both power and safety. NOU Oliban Eau de Toilette features elemi and olibanum, toned down by the relaxing scent of chamomile. The heart notes are patchouli and cistus, with raised notes of sandalwood, leather, vanilla and benzoin resulting in a masculine, powerful fragrance for men ", "NATURAL EAU DE TOILETTE FOR MEN WITH ESSENTIAL OILS \u2013 each of the NOU Eau de toilette perfumes in our range includes 10% natural essential oils, which are long-lasting and highly fragrant too. Containing no synthetic pigments and featuring its\u2019 natural colour, this oriental scent is safe to use on all skin types ", "INCLUDED IN YOUR PURCHASE \u2013 you will receive 1 x NOU Oriental 50ml fragrance for men in your purchase. This powerful, masculine fragrance for men is packaged in a modern, minimalistic glass flacon which is both presentable as a gift or as a wonderful treat for yourself to wear every day! "], "total_reviews": 6, "total_answered_questions": "", "customization_options": "", "seller_id": "A1PI8WU691RQZR", "seller_name": "AmTm Cosmetics", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08XQWJX8P", "category": "beauty", "query": "Men's Fragrance", "page": 41, "small_description_old": "About this item NOU OLIBAN ORIENTAL SCENT FOR MEN \u2013 this fragrance for men has been perfectly blended and infused with essential oils, resulting in an intriguing, mysterious scent that is powerful and appealing to women. In the beautiful Catalan language, NOU means \u201cnew\u201d \u2013 a new fragrance, sparking new emotions for a new you! ORIENTAL EAU DE TOILETTE CRAFTED BY FRENCH PERFUMERS \u2013 expertly crafted by French perfumers, this natural fragrance for men is created with pure and natural ingredients and infused with aromatic essential oils. Our Oliban natural Eau de Toilette for men is designed for the elegant, modern man who is determined and exudes confidence OLIBAN WOODY FRAGRANCE NOTES \u2013 this natural Eau de Toilette for men is mysterious and adventurous giving a sense of both power and safety. NOU Oliban Eau de Toilette features elemi and olibanum, toned down by the relaxing scent of chamomile. The heart notes are patchouli and cistus, with raised notes of sandalwood, leather, vanilla and benzoin resulting in a masculine, powerful fragrance for men NATURAL EAU DE TOILETTE FOR MEN WITH ESSENTIAL OILS \u2013 each of the NOU Eau de toilette perfumes in our range includes 10% natural essential oils, which are long-lasting and highly fragrant too. Containing no synthetic pigments and featuring its\u2019 natural colour, this oriental scent is safe to use on all skin types INCLUDED IN YOUR PURCHASE \u2013 you will receive 1 x NOU Oriental 50ml fragrance for men in your purchase. This powerful, masculine fragrance for men is packaged in a modern, minimalistic glass flacon which is both presentable as a gift or as a wonderful treat for yourself to wear every day!"}, {"name": "Walker Edison Addison Urban Industrial Metal and Wood 5-Shelf Bookcase, 64 Inch, Grey Wash", "product_information": {"Item Weight": "\u200e66 pounds", "Product Dimensions": "\u200e25 x 13 x 64 inches", "Item model number": "\u200eAZS64MOR5GW", "ASIN": "B08LF355G2", "Customer Reviews": {"ratings_count": 6, "stars": "3.2 out of 5 stars"}, "Best Sellers Rank": ["#2,179,020 in Home & Kitchen (See Top 100 in Home & Kitchen) #3,604 in Bookcases"], "Date First Available": "October 19, 2020"}, "brand": "Visit the Walker Edison Store", "brand_url": "https://www.amazon.com/stores/WalkerEdison/page/D0D2A602-6790-40E0-91C5-CF992DB24FF4?ref_=ast_bln", "full_description": "Sick of small shelves, running out of room, or getting startled in the middle of the night when your books fall off the side of your old bookcase? Now you don\u2019t have to. Feel satisfied with your new 64 inch tall, metal and wood bookshelf. These deep box shelves come with raised edges, and with five tiers total, imagine all the new organizing capabilities. Craft a mini library or use the shelf depth to display a layered interior design style. A contemporary design makes this bookcase a breeze to match most home looks. Try out a farmhouse look, an industrial atmosphere, or a boho vibe.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/513chD0bYrL.jpg", "https://m.media-amazon.com/images/I/41SWWNKorUL.jpg", "https://m.media-amazon.com/images/I/41hjZSb6lEL.jpg", "https://m.media-amazon.com/images/I/31onAsa-b4L.jpg", "https://m.media-amazon.com/images/I/41HVD4Y9H6L.jpg", "https://m.media-amazon.com/images/I/51GTdLQhIWL.jpg", "https://m.media-amazon.com/images/I/51aMSbA9RrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Bookcases", "average_rating": 3.2, "small_description": ["Dimensions: 64\u201d H x 25\u201d L x 13\u201d W ", "Shelf dimensions: 5\u201d H x 23\u201d L x 12.5\u201d W ", "Warp-resistant MDF and long-lasting laminate coating ", "Five fixed shelves ", "Shelves support up to 50 Ibs. each "], "total_reviews": 6, "total_answered_questions": "", "model": "\u200eAZS64MOR5GW", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08LF355G2", "category": "garden", "query": "Book Cases", "page": 96, "small_description_old": "About this item Dimensions: 64\u201d H x 25\u201d L x 13\u201d W Shelf dimensions: 5\u201d H x 23\u201d L x 12.5\u201d W Warp-resistant MDF and long-lasting laminate coating Five fixed shelves Shelves support up to 50 Ibs. each \n \u203a See more product details"}, {"name": "Bling Charm Pendant Bracelet Band Compatible with Apple Watch Bands 38mm 40mm 42mm 44mm,Adjustable Stainless Steel Smartwatch Band with Bling Diamond Case for iwatch Series SE Series 7 6 5 4 3 2 1", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 4 x 3 x 0.7 inches; 0.64 Ounces", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 20, 2022", "ASIN\n \u200f": "\u200e\n B09QSL1ZZ3", "Best Sellers Rank": "#24,007 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories)#1,796 in Smartwatch Bands", "#1,796 in Smartwatch Bands": ""}, "brand": "Brand: HZDK", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=HZDK", "full_description": "", "pricing": "$13.99$16.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41POWql2otL.jpg", "https://m.media-amazon.com/images/I/51IB+vAO7xL.jpg", "https://m.media-amazon.com/images/I/61vS5mSDfUL.jpg", "https://m.media-amazon.com/images/I/41Xd7VmO8AL.jpg", "https://m.media-amazon.com/images/I/418vGQhC7RL.jpg", "https://m.media-amazon.com/images/I/41KRevVmeOL.jpg", "https://m.media-amazon.com/images/I/51hPL-WtBpL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Smartwatch Accessories \u203a Smartwatch Bands", "average_rating": "", "small_description": ["Unique Hanging Charms :We add beautiful Four Leaf Clover&Angel wings&Bird&Tree of life to our watch bands,there still have more space to add your own lovely charms. ", "Bling Diamond Watch Case:Come with a transparent Bling Watch Case to match this bling watch band.Please choose the right watch case size you need. ", "Adjustable Chain Length:Easy to adjust the wrist size with push-button.No tools Needed. ", "Compatibility:Compatible with Apple Watch 42mm 44mm 45mm Series 7/6/5/4/3/2/1/SE; Fits 5.5-8.1 inch wrists. ", "18 months Promise : Unconditional refund or replacement for any quality issues. Life-long friendly protection and you will get What you get: 1* Charms apple watch band + 1* Bling protective watch case(no screen protector). "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09QSL1ZZ3/ref=twister_B09QRWRPF3", "value": "Gold", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/410-v7h6H7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QSJQMGL/ref=twister_B09QRWRPF3", "value": "Rose Gold", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41rpZrPHH7L.jpg"}, {"is_selected": true, "url": null, "value": "Silver", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41POWql2otL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "38mm", "asin": "B09R1SXHW4"}, {"is_selected": false, "is_available": true, "value": "40mm", "asin": "B09R1T2P6V"}, {"is_selected": false, "is_available": true, "value": "42mm", "asin": "B09QSH75VN"}, {"is_selected": false, "is_available": true, "value": "44mm", "asin": "B09QSJLSM9"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B09R1T2P6V", "category": "electronics", "query": "Wearable Technology", "page": 79, "small_description_old": "Unique Hanging Charms :We add beautiful Four Leaf Clover&Angel wings&Bird&Tree of life to our watch bands,there still have more space to add your own lovely charms. Bling Diamond Watch Case:Come with a transparent Bling Watch Case to match this bling watch band.Please choose the right watch case size you need. Adjustable Chain Length:Easy to adjust the wrist size with push-button.No tools Needed. Compatibility:Compatible with Apple Watch 42mm 44mm 45mm Series 7/6/5/4/3/2/1/SE; Fits 5.5-8.1 inch wrists. 18 months Promise : Unconditional refund or replacement for any quality issues. Life-long friendly protection and you will get What you get: 1* Charms apple watch band + 1* Bling protective watch case(no screen protector)."}, {"name": "RootGrain Baked Organic Whole Grain Crunch Cereal 1.41oz 40g (Pack of 10) Sprouted Germinated Brown Rice Barley Whole Wheat Oats Sorghum Healthy Breakfast (0.53oz/15g x 10)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 11.89 x 7.76 x 4.06 inches; 7.52 Ounces", "Manufacturer\n \u200f": "\u200e\n KAYFOOD", "ASIN\n \u200f": "\u200e\n B09M4C31FL", "Country of Origin\n \u200f": "\u200e\n Korea, Republic of", "Best Sellers Rank": "#596,680 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#3,620 in Cold Breakfast Cereals", "#3,620 in Cold Breakfast Cereals": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: KAYFOOD", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=KAYFOOD", "full_description": "Germinated grains (Brown rice, Barley, Whole Wheat, Oats and Sorghum) Sugar free cereal Only 60 kcal Non-Frying Baked Cereals On-the-go packets (10packets) Germination? The process by which a plant sprouts. Nutrients increase or good ingredients that did not exist before are created. As the phytic acid, which makes the hard shell of the grain, is removed, the texture becomes softer and it is easily digested. Contains wheat. May contain traces of amount soybean, peanut, walnut, milk, egg, pork and sulfurous acids. Root Grain, a premium Korean cereal brand that specializes in researching and developing healthy grain intake.", "pricing": "$21.99", "list_price": "", "availability_quantity": 8, "availability_status": "Only 8 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41YqH14wfmL.jpg", "https://m.media-amazon.com/images/I/51VZqGlv2tL.jpg", "https://m.media-amazon.com/images/I/51SHtmoxXoL.jpg", "https://m.media-amazon.com/images/I/51Ri8mQp1yL.jpg", "https://m.media-amazon.com/images/I/41QpUpp05OL.jpg", "https://m.media-amazon.com/images/I/41WLpM-UmSL.jpg", "https://m.media-amazon.com/images/I/418GpUhsKJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Breakfast Foods \u203a Cereals \u203a Cold Cereals", "average_rating": 5, "small_description": ["Germination? The process by which a plant sprouts. Nutrients increase or good ingredients that did not exist before are created. As the phytic acid, which makes the hard shell of the grain, is removed, the texture becomes softer and it is easily digested. ", "Only 60 kcal Germinated grains (Brown rice, Barley, Whole Wheat, Oats and Sorghum) ", "Have a bowl of healthy Non-Frying Baked Cereals with sugar free. ", "On-the-go packets (10packets). Packed in individual packet for easy portability ", "Root Grain, a premium Korean cereal brand that specializes in researching and developing healthy grain intake. "], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "0.53oz/15g x 10", "price_string": "$21.99", "price": 21.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PZ8WYTW/ref=twister_B09PZ7ZDPY?_encoding=UTF8&psc=1", "value": "1.41oz/40g x 10", "price_string": "$49.99", "price": 49.99, "image": null}]}, "seller_id": "A20DAC3T0KYKDE", "seller_name": "Dr. Camp", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09M4C31FL", "category": "grocery", "query": "Breakfast Foods", "page": 101, "small_description_old": "About this item Germination? The process by which a plant sprouts. Nutrients increase or good ingredients that did not exist before are created. As the phytic acid, which makes the hard shell of the grain, is removed, the texture becomes softer and it is easily digested. Only 60 kcal Germinated grains (Brown rice, Barley, Whole Wheat, Oats and Sorghum) Have a bowl of healthy Non-Frying Baked Cereals with sugar free. On-the-go packets (10packets). Packed in individual packet for easy portability Root Grain, a premium Korean cereal brand that specializes in researching and developing healthy grain intake."}, {"name": "JSPOYOU Mens Short Sleeve Crewneck 3D Graphic Tunic Shirts Big & Tall Tie Dye Summer Top Basic Designed Classic Cotton Shirt", "product_information": {"Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n December 15, 2021", "Manufacturer\n \u200f": "\u200e\n JSPOYOU-2021-Mens", "ASIN\n \u200f": "\u200e\n B09NNLDF5D", "": ""}, "brand": "Brand: JSPOYOU", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=JSPOYOU", "full_description": "\u2764\u2764\u3010Product Information\u3011\u2764\u2764 Gender: Men Material: Polyester, Fleece,Faux Leather Pattern Type: Printed Style: Casual Fashion,Athletics Fit Type: Standard Closure Type: Elastic What you get: 1 PC Man T-shirt tops \u2764\u2764\u3010Note\u3011\u2764\u2764 Size chart carefully before order. Please allow 1-3cm differs due to manual measurement, thanks (1 cm=0.39 inch,1 inch=2.54 cm) Due to possible physical differences between different monitors, the product photography is illustrative only and may not precisely reflect the actual color of the item received. \u2764\u2764\u3010Service\u3011\u2764\u2764 If you have any problem about our items, please send message to us, we will try to our best service to resolve your issues. \u3010Purchase Guarantee\u3011 please rest assured to buy afterwards! after receiving the order, if you have any questions, please feel free to send us an email, thank you for choosing our products, the quality is guaranteed. \u3010Our Shop\u3011standard shipping:7-10 days;expedited shipping:3-5 days. \u3010Search Term\u3011men suits slim fit men suits slim fit plaid men suits slim fit prom men suits regular fit men suits for wedding men suits for wedding regular fit men suits for wedding white men suits for wedding fushia men suits for wedding on the beach men suits big and tall men suits big and tall long men suits \u3010Search Term\u3011men's pants casual men's pants casual jeans casual elastic waist men's pants casual relaxed fit men's pants casual stretch relax men's pants casual big and tall men's pants casual cool breathable men's pants casual cargo men's pants casual works pants men's pants jeans men's pants jeans men's pants jeans relaxed fit men's pants jeans big and tall men's pants jeans tee t shirt tee shirts", "pricing": "$3.99$10.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41p9dAvjOoL.jpg", "https://m.media-amazon.com/images/I/518m8crf7QL.jpg", "https://m.media-amazon.com/images/I/41JKcrvfc-L.jpg", "https://m.media-amazon.com/images/I/41PL646alTL.jpg", "https://m.media-amazon.com/images/I/51mKtxtbLmL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Shirts \u203a Henleys", "average_rating": "", "small_description": ["\u3010Note\u3011Please check the size chart before purchase,If you want the mens shirts to be loose,choose 1-2 size up.If you are not sure about the size,please send us a message. ", "\u3010Material\u3011Stretch 60% cotton 40%.made of superior quality modal fiber,ultra light-weight,soft & smooth,feels really comfortable.soft and comfy,skin-friendly and lightweight. ", "\u3010Design\u3011short/long sleeve button down tshirts,big and tall tees,graphic print tops,hoodies zip up shirt top,fashion casual blouses,athletic running sweatshirt,workout pullover,cotton linen shirt,henley shirts, shirts,hawaiian shirts,tank tops,beach shirts,sweatshirts sweater,knit cardigans. ", "\u3010Feature\u30112021 Stylish and modern unique design.long sleeves button down design,not only convenient for relaxation,but also stylish. flowers print or striped plaid graphic prints,unique hawaiian style brings you different vibe. closure ", "\u3010Occasions\u3011The men's 2021 Long sleeve tee shirts,great for beach, work,Halloween,Christmas,loungewear,homewear,casual look,daily, dating,school,graduation day,party,holiday,gym workout,running, training,jogging.A great gifts for boy friend,friends,and families. ", "\u3010Search Term\u3011womens with built in bra plus size tops halter cold shoulder tops boho going out cropped sexy long sleeve 3/4 sleeve loose fit camisole off the shoulder tops womens racerback fashion shirts v neck hawaiian shirts button up shirts womens tee shirts western shirts blouses womens 3/4 sleeve work womens shirts and blouses womens tops and blouses womens summer autumn 2021 ", "\u3010Search Term\u3011women 2021 fashion long sleeve stand collar 1/4 zipper hoodies floral patchwork drawstring sweatshirts with kangaroo pockets women casual quilted lightweight pullover ladies button down lapel striped colorblock tie dye printed graphic pattern plain womens oversized sherpa fuzzy fleece sweatshirt women turtleneck contrast color cozy jacket coat womens casual loose fit batwing sleeve asymmetric hem sweater knit tops women's round neck 3/4 sleeve lace blouse tops , \u3010Search Term\u3011womens long sleeve hoodies sweatshirt jumper pullover cat heart printed cat ear hooded tunic blouses hoodies casual short sleeve graphic tee shirts tops crop girl cute novelty autumn winter teen girls sweater coats womens outwear junior sports women's sweatshirts zip up autumn lightweight with pocket plus size casual cartoon print short sleeve drawstring hoodies sweatshirt with pocket i do what i want letter print women's 3/4 sleeve cat and cup ear hoodies irregular tunic tops, \u3010Search Term\u3011womens oversized tie dye casual tops sweatshirts women cute raglan letter print solid shirts tops women long sleeve v neck button up blouses womens trendy slim fit lace sleeves tunic blouse women ribbed knit casual shirts women fashion cutout loose fit tops basic dress with side pockets women hoodies drawstring lightweight loose tops womens soft side split floral leopard printed chiffon blouses tops t shirts womens plus size fall henley shirts women french terry fleece, \u3010Search Term\u3011womens zip up hoodie pullover oversized sleeveless long short sleeve loose casual fit warm light weight lightweight crop long cropped tie dye camo fleece zipper workout vintage sweatshirts women full zip up white cotton jacket tops rain jackets for women waterproof evening formal plus size fleece vest cool wind braker fitted suit jackets coats indian designer flower print puff petite linen cardigan jackets women black yellow red grey sweater pullover"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09NNLDF5D/ref=twister_B09NNMFWKZ", "value": "A-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41JTNIPuNHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NNM7HPF/ref=twister_B09NNMFWKZ", "value": "A-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41-0-bruaVL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NNM4FCH/ref=twister_B09NNMFWKZ", "value": "B-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/411IUX0+xFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NNNRDKV/ref=twister_B09NNMFWKZ", "value": "B-gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41BiCmOTANL.jpg"}, {"is_selected": true, "url": null, "value": "C-gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41p9dAvjOoL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09NNMV9LN"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09NNMS6FW"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09NNLW4FC"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09NNMTJRB"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B09NNN8M87"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09NNMV9LN", "category": "fashion", "query": "Men's Henleys", "page": 202, "small_description_old": "\u3010Note\u3011Please check the size chart before purchase,If you want the mens shirts to be loose,choose 1-2 size up.If you are not sure about the size,please send us a message. \u3010Material\u3011Stretch 60% cotton 40%.made of superior quality modal fiber,ultra light-weight,soft & smooth,feels really comfortable.soft and comfy,skin-friendly and lightweight. \u3010Design\u3011short/long sleeve button down tshirts,big and tall tees,graphic print tops,hoodies zip up shirt top,fashion casual blouses,athletic running sweatshirt,workout pullover,cotton linen shirt,henley shirts, shirts,hawaiian shirts,tank tops,beach shirts,sweatshirts sweater,knit cardigans. \u3010Feature\u30112021 Stylish and modern unique design.long sleeves button down design,not only convenient for relaxation,but also stylish. flowers print or striped plaid graphic prints,unique hawaiian style brings you different vibe. closure \u3010Occasions\u3011The men's 2021 Long sleeve tee shirts,great for beach, work,Halloween,Christmas,loungewear,homewear,casual look,daily, dating,school,graduation day,party,holiday,gym workout,running, training,jogging.A great gifts for boy friend,friends,and families. \u3010Search Term\u3011womens with built in bra plus size tops halter cold shoulder tops boho going out cropped sexy long sleeve 3/4 sleeve loose fit camisole off the shoulder tops womens racerback fashion shirts v neck hawaiian shirts button up shirts womens tee shirts western shirts blouses womens 3/4 sleeve work womens shirts and blouses womens tops and blouses womens summer autumn 2021 \u3010Search Term\u3011women 2021 fashion long sleeve stand collar 1/4 zipper hoodies floral patchwork drawstring sweatshirts with kangaroo pockets women casual quilted lightweight pullover ladies button down lapel striped colorblock tie dye printed graphic pattern plain womens oversized sherpa fuzzy fleece sweatshirt women turtleneck contrast color cozy jacket coat womens casual loose fit batwing sleeve asymmetric hem sweater knit tops women's round neck 3/4 sleeve lace blouse tops \n \u3010Search Term\u3011womens long sleeve hoodies sweatshirt jumper pullover cat heart printed cat ear hooded tunic blouses hoodies casual short sleeve graphic tee shirts tops crop girl cute novelty autumn winter teen girls sweater coats womens outwear junior sports women's sweatshirts zip up autumn lightweight with pocket plus size casual cartoon print short sleeve drawstring hoodies sweatshirt with pocket i do what i want letter print women's 3/4 sleeve cat and cup ear hoodies irregular tunic tops\u3010Search Term\u3011womens oversized tie dye casual tops sweatshirts women cute raglan letter print solid shirts tops women long sleeve v neck button up blouses womens trendy slim fit lace sleeves tunic blouse women ribbed knit casual shirts women fashion cutout loose fit tops basic dress with side pockets women hoodies drawstring lightweight loose tops womens soft side split floral leopard printed chiffon blouses tops t shirts womens plus size fall henley shirts women french terry fleece\u3010Search Term\u3011womens zip up hoodie pullover oversized sleeveless long short sleeve loose casual fit warm light weight lightweight crop long cropped tie dye camo fleece zipper workout vintage sweatshirts women full zip up white cotton jacket tops rain jackets for women waterproof evening formal plus size fleece vest cool wind braker fitted suit jackets coats indian designer flower print puff petite linen cardigan jackets women black yellow red grey sweater pulloverShow more"}, {"name": "Crimson Trace Brushline Pro Riflescope with Lightweight Solid Construction, Scope Caps and Lens Cloth for Hunting, Shooting and Outdoor", "product_information": {"Item Package Dimensions L x W x H": "\u200e15.71 x 4.88 x 4.06 inches", "Package Weight": "\u200e0.94 Kilograms", "Item Dimensions LxWxH": "\u200e15.5 x 4.75 x 4 inches", "Brand Name": "\u200eCrimson Trace", "Warranty Description": "\u200eLimited Lifetime", "Model Name": "\u200eBrushline Pro Riflescope 2.5-10x42mm CT Plex Reticle", "Color": "\u200eBlack", "Material": "\u200eAluminum", "Suggested Users": "\u200eUnisex-adult", "Number of Items": "\u200e1", "Manufacturer": "\u200eCrimson Trace", "Part Number": "\u200e01-01380", "Style": "\u200e2.5-10x42mm Plex", "Included Components": "\u200eScope, Lens Cloth, Scope Caps", "Sport Type": "\u200eHunting", "ASIN": "B08GS6B87J", "Customer Reviews": {"ratings_count": 28, "stars": "4.3 out of 5 stars"}, "Best Sellers Rank": ["#168,705 in Sports & Outdoors (See Top 100 in Sports & Outdoors) #557 in Rifle Scopes"], "Date First Available": "November 24, 2020"}, "brand": "Visit the Crimson Trace Store", "brand_url": "https://www.amazon.com/stores/CrimsonTrace/page/34617959-FFE8-4866-84D8-8C1BBC4C74FE?ref_=ast_bln", "full_description": "", "pricing": "$218.79", "list_price": "", "availability_quantity": 14, "availability_status": "Only 14 left in stock (more on the way).", "images": ["https://m.media-amazon.com/images/I/31j7DdlfrOL.jpg", "https://m.media-amazon.com/images/I/31kluOH8MKL.jpg", "https://m.media-amazon.com/images/I/31wIIvbKKXL.jpg", "https://m.media-amazon.com/images/I/31IpXVotaHL.jpg", "https://m.media-amazon.com/images/I/216otY5T8cL.jpg", "https://m.media-amazon.com/images/I/31OVJk-FnJS.jpg", "https://m.media-amazon.com/images/I/41uJbDL2H4S.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Sports & Outdoors \u203a Hunting & Fishing \u203a Shooting \u203a Optics \u203a Gun Scopes \u203a Rifle Scopes", "average_rating": 4.3, "small_description": ["SPECS: 2.5-10 magnification with a 42mm lens diameter, aerospace grade 1\" tube and weighs 16.6 oz - FOV Range: 40.3 ft Min - 10.1 ft Max ", "ACCURACY: Features a second focal plane, non-illuminated, CT Plex reticle with a 4\" eye relief, 1/4\" click value and quick spring-loaded zero reset capped turrets ", "EASE OF USE: Windage (right side), elevation (top) knobs are capped and can be easily unscrewed and adjusted when sighting in at the range by turning with your fingers (no tool required) ", "DURABLE: Constructed of lightweight anodized aluminum with multi-coated lenses and is waterproof, shockproof and nitrogen purged to prevent fogging ", "INCLUDES: Lens cloth and scope caps "], "total_reviews": 28, "total_answered_questions": 11, "customization_options": {"Style": [{"is_selected": false, "is_available": true, "value": "2-7x32mm BDC Pro", "asin": "B08GQH4VDR"}, {"is_selected": false, "is_available": true, "value": "2-7x32mm BDC Rimfire", "asin": "B08GS1K2MM"}, {"is_selected": false, "is_available": true, "value": "2.5-10x42mm BDC Pro", "asin": "B08GRNWMPZ"}, {"is_selected": true, "is_available": false, "value": "2.5-10x42mm Plex", "asin": "B08GS6B87J"}, {"is_selected": false, "is_available": true, "value": "2.5-8x28mm Pistol BDC Pro", "asin": "B08GQHGYKM"}, {"is_selected": false, "is_available": true, "value": "3-12x42mm BDC Pro (1\" tube)", "asin": "B08GQGPKGP"}, {"is_selected": false, "is_available": true, "value": "3-12x42mm BDC Pro (30mm tube)", "asin": "B08GQGNK8C"}, {"is_selected": false, "is_available": true, "value": "3-12x42mm Plex", "asin": "B08GS1FBJD"}, {"is_selected": false, "is_available": true, "value": "3-9x40mm BDC .350 Legend", "asin": "B08GQGHVD6"}, {"is_selected": false, "is_available": true, "value": "3-9x40mm BDC Muzzleloader", "asin": "B08GQGYQ9N"}, {"is_selected": false, "is_available": true, "value": "3-9x40mm BDC Predator", "asin": "B08GQH5F6M"}, {"is_selected": false, "is_available": true, "value": "3-9x40mm BDC Pro", "asin": "B08GRYJSKD"}, {"is_selected": false, "is_available": true, "value": "3-9x40mm BDC Slugger", "asin": "B08GRLRF51"}, {"is_selected": false, "is_available": true, "value": "3-9x40mm Plex", "asin": "B08GS5NRDY"}, {"is_selected": false, "is_available": true, "value": "3-9x50mm BDC Pro", "asin": "B08GQH2CNX"}, {"is_selected": false, "is_available": true, "value": "4-12x40mm BDC Predator", "asin": "B08GRP8FGM"}, {"is_selected": false, "is_available": true, "value": "4-12x40mm BDC Pro", "asin": "B08GQJD4TY"}, {"is_selected": false, "is_available": true, "value": "4-12x40mm Plex", "asin": "B08GQJL78C"}, {"is_selected": false, "is_available": true, "value": "4-16x42mm BDC Pro", "asin": "B08GQK4KCZ"}, {"is_selected": false, "is_available": true, "value": "4-16x50mm BDC Pro (1\" tube)", "asin": "B08GRZG7R5"}, {"is_selected": false, "is_available": true, "value": "4-16x50mm BDC Pro (30mm tube)", "asin": "B08GRP1XQG"}, {"is_selected": false, "is_available": true, "value": "6-24x50mm BDC Pro", "asin": "B08GS1TJST"}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08GS6B87J", "category": "electronics", "query": "Lenses", "page": 327, "small_description_old": "About this item\n \nSPECS: 2.5-10 magnification with a 42mm lens diameter, aerospace grade 1\" tube and weighs 16.6 oz - FOV Range: 40.3 ft Min - 10.1 ft Max ACCURACY: Features a second focal plane, non-illuminated, CT Plex reticle with a 4\" eye relief, 1/4\" click value and quick spring-loaded zero reset capped turrets EASE OF USE: Windage (right side), elevation (top) knobs are capped and can be easily unscrewed and adjusted when sighting in at the range by turning with your fingers (no tool required) DURABLE: Constructed of lightweight anodized aluminum with multi-coated lenses and is waterproof, shockproof and nitrogen purged to prevent fogging INCLUDES: Lens cloth and scope caps"}, {"name": "Nature's Guru Instant Tender Coconut Water Powder Original 10 Count Single Serve On-the-Go Drink Packets (Pack of 4)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.8 x 4.3 x 4.3 inches; 0.37 Ounces", "Item model number\n \u200f": "\u200e\n COCO_FBA", "UPC\n \u200f": "\u200e\n 850005429357 793573885531", "Manufacturer\n \u200f": "\u200e\n Nature's Guru", "ASIN\n \u200f": "\u200e\n B004L4D6FW", "Country of Origin\n \u200f": "\u200e\n India", "Domestic Shipping": "Currently, item can be shipped only within the U.S. and to APO/FPO addresses. For APO/FPO shipments, please check with the manufacturer regarding warranty and support issues.", "International Shipping": "This item is not eligible for international shipping.Learn More", "Best Sellers Rank": "#153,860 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#281 in Flavored Drinking Water", "#281 in Flavored Drinking Water": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Nature's Guru Store", "brand_url": "https://www.amazon.com/stores/NaturesGuru/page/776B1728-618E-42A5-BD89-D92A546C045B?ref_=ast_bln", "full_description": "Excellent for replacing lost electrolytes due to exercise, fatigue, heat exhaustion, hangover, or illness. Instant Hydration on the Go. Allows Coconut Water to be with you on the go - perfect for running, biking, hiking, or traveling. Affordable - Cheaper per fluid ounce than any Ready-to-Drink natural coconut water.", "pricing": "$19.53", "list_price": "", "availability_status": "Temporarily out of stock. High demand product. We are working hard to be back in stock as soon as possible. Place your order and we\u2019ll email you when we have an estimated delivery date. You won\u2019t be charged until the item ships.", "images": ["https://m.media-amazon.com/images/I/51+7HSxB-LL.jpg", "https://m.media-amazon.com/images/I/51qLTDSVU7L.jpg", "https://m.media-amazon.com/images/I/41ieGqgS8EL.jpg", "https://m.media-amazon.com/images/I/41G19HAe52L.jpg", "https://m.media-amazon.com/images/I/51Zogz3rnUL.jpg", "https://m.media-amazon.com/images/I/41cU5k8MYML.jpg", "https://m.media-amazon.com/images/I/31DCUHR5-lL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Beverages \u203a Bottled Beverages, Water & Drink Mixes \u203a Water \u203a Flavored Water", "average_rating": 3.7, "small_description": ["INSTANT COCONUT WATER: Our powdered coconut water lets you take the hydrating, electrolyte-rich benefits of coconut water anywhere. Perfect for a pre-workout boost or post-workout recovery beverage. ", "INSTANT HYDRATION: Whether you an electrolyte sports drink or just a delicious beverage, our Instant Coconut Water Powder in Mango, Chocolate, or Original flavor will quench your thirst, naturally. ", "INSTANT GRATIFICATION: With Nature's Guru Instant Chai Mix, organic whole leaf teas, Madras Coffee, & Tender Coconut Water powders, you're just moments away from a tasty, natural beverage, anytime. ", "TASTY & CONVENIENT: Our hot drink & latte mixes, Chai, tea bags, & coconut water powders can be mixed anywhere, anytime by adding hot or cold water. Individual packages are easy to enjoy on the go! ", "NATURE'S GURU: We are passionate about creating health & wellness foods & drinks with on-the-go, stash-in-your bag convenience. Try our instant chai, whole leaf tea, coconut water powder, & more! "], "total_reviews": 124, "total_answered_questions": 5, "customization_options": {"Flavor": [{"is_selected": false, "url": "https://www.amazon.com/dp/B00TTYMXLM/ref=twister_B07KBQ9LQ9", "value": "Chocolate", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B006CSD5C4/ref=twister_B07KBQ9LQ9", "value": "Mango", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "Original", "price_string": "", "price": 0, "image": null}], "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B00FRYPZUO/ref=twister_B07KBQ9LQ9?_encoding=UTF8&psc=1", "value": "1 Count", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HFK4RHX/ref=twister_B07KBQ9LQ9?_encoding=UTF8&psc=1", "value": "8 Count", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "4 Count", "price_string": "", "price": 0, "image": null}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B004L4D6FW", "category": "grocery", "query": "Alcoholic Beverages", "page": 68, "small_description_old": "INSTANT COCONUT WATER: Our powdered coconut water lets you take the hydrating, electrolyte-rich benefits of coconut water anywhere. Perfect for a pre-workout boost or post-workout recovery beverage. INSTANT HYDRATION: Whether you an electrolyte sports drink or just a delicious beverage, our Instant Coconut Water Powder in Mango, Chocolate, or Original flavor will quench your thirst, naturally. INSTANT GRATIFICATION: With Nature's Guru Instant Chai Mix, organic whole leaf teas, Madras Coffee, & Tender Coconut Water powders, you're just moments away from a tasty, natural beverage, anytime. TASTY & CONVENIENT: Our hot drink & latte mixes, Chai, tea bags, & coconut water powders can be mixed anywhere, anytime by adding hot or cold water. Individual packages are easy to enjoy on the go! NATURE'S GURU: We are passionate about creating health & wellness foods & drinks with on-the-go, stash-in-your bag convenience. Try our instant chai, whole leaf tea, coconut water powder, & more!"}, {"name": "2022 WiFi Extender - Wireless Signal Repeater Booster up to 4500 sq.ft - 1200Mbps Wall-Through Strong WiFi Booster-Dual Band 2.4G and 5G - 4 Antennas 360\u00b0 Full C6541-11", "product_information": {"Package Dimensions": "5.1 x 2.36 x 1.8 inches", "Item Weight": "4.8 ounces", "ASIN": "B09SWLPPVQ", "Date First Available": "January 20, 2022", "Manufacturer": "JKnDtt"}, "brand": "Brand: JKNDTT", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=JKNDTT", "full_description": "Easy set up1. Plug in the extender NEAR your current wireless network2. On your cell, turn off mobile data3. 2 green lites will blink in extender 2.4G and 5G4. Enter your CURRENT WiFi password5. Turn on cell phone mobile data6. Click on 2.4G and enter CURRENT WiFi PW. Click in 5G and do same7. Remove extender and plug into deadzone room. Ck that 3 green lites are blinking. You need to receive signal from main WiFi8. Ck phone that you can now switch to 3 different WiFi accounts. It will have an extension ending with PRO plus original9. You have completed setup.", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/417C92Ma1gL.jpg", "https://m.media-amazon.com/images/I/51y46lhWygL.jpg", "https://m.media-amazon.com/images/I/41h0ZHlNuxL.jpg", "https://m.media-amazon.com/images/I/41rCbTPKLqL.jpg", "https://m.media-amazon.com/images/I/41qudUTRYEL.jpg", "https://m.media-amazon.com/images/I/51SOrM5JcUL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Networking Products \u203a Repeaters", "average_rating": "", "small_description": "[1200Mbps HIGH-SPEED STABLE SIGNAL] : Wifi Extender wireless signal booster with lastest dual band technology can provide up to 300Mbps for 2.4GHz, up to 867Mbps for 5Ghz, a total rate of about 1200Mbps, maximizing reduces the loss of data transmission and enjoying HD video/game and fast speeds internet mode. [Full Signal Coverage] : This WiFi repeater equipped with 4 high gain external antenna, covering up to 360 degrees, up to 4000 square feet, higher penetration, no loss signal when passing through the wall , enhance the WiFi network and eliminate dead zones, up to bedroom, floors, restroom, garage, basement and garden, allow you enjoy wifi throughout whole home. [Repeater / AP Mode / 2 Ethernet Ports] : Repeater Mode is for extending WiFi coverage of an existing wireless network. AP Mode is for covering a wired network to a wireless network. The two Ethernet ports and 4 External Antennas to achieve the best performance, being able to connect to any wired Ethernet device such as smart TV, desktop and so on while boosting your existing WiFi coverage. [Universal Compatibility & Easy set up] : This WiFi extender can be used with any 802.11b/g/n/a/ac wireless Internet router, what means it works with any standard router or gateway. It can easily extend the wireless coverage by pressing the WPS button. Or set up via browser website(192.168.188.1) on almost any devices, including Windows/Android/iOS mobile platforms. [Safe Network Access] : This wifi extender can maximize the network security, ensure your network safety, prevent others stealing your net, protect your important data and avoid the interference and privacy problems of Wi-Fi. Our team offers 180 days return or replacement quality warranty & lifetime technical supports. Please contact us freely if you need any further assistance.", "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09SWLPPVQ", "category": "electronics", "query": "Signal Boosters", "page": 122, "small_description_old": "[1200Mbps HIGH-SPEED STABLE SIGNAL] : Wifi Extender wireless signal booster with lastest dual band technology can provide up to 300Mbps for 2.4GHz, up to 867Mbps for 5Ghz, a total rate of about 1200Mbps, maximizing reduces the loss of data transmission and enjoying HD video/game and fast speeds internet mode. [Full Signal Coverage] : This WiFi repeater equipped with 4 high gain external antenna, covering up to 360 degrees, up to 4000 square feet, higher penetration, no loss signal when passing through the wall , enhance the WiFi network and eliminate dead zones, up to bedroom, floors, restroom, garage, basement and garden, allow you enjoy wifi throughout whole home. [Repeater / AP Mode / 2 Ethernet Ports] : Repeater Mode is for extending WiFi coverage of an existing wireless network. AP Mode is for covering a wired network to a wireless network. The two Ethernet ports and 4 External Antennas to achieve the best performance, being able to connect to any wired Ethernet device such as smart TV, desktop and so on while boosting your existing WiFi coverage. [Universal Compatibility & Easy set up] : This WiFi extender can be used with any 802.11b/g/n/a/ac wireless Internet router, what means it works with any standard router or gateway. It can easily extend the wireless coverage by pressing the WPS button. Or set up via browser website(192.168.188.1) on almost any devices, including Windows/Android/iOS mobile platforms. [Safe Network Access] : This wifi extender can maximize the network security, ensure your network safety, prevent others stealing your net, protect your important data and avoid the interference and privacy problems of Wi-Fi. Our team offers 180 days return or replacement quality warranty & lifetime technical supports. Please contact us freely if you need any further assistance."}, {"name": "Womens Tops Casual, Sweatshirt for Women Graphic, Womens Sweatshirt Hoodie, Women Love Print Sweatshirt Long Sleeve Cute Heart Sweater Pullover Tops Blouse", "product_information": {"Item model number\n \u200f": "\u200e\n Sweatshirts Clearance!Hot!Cheap!", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n December 24, 2021", "Manufacturer\n \u200f": "\u200e\n crewneck sweatshirts for women aesthetic", "ASIN\n \u200f": "\u200e\n B09P5CRVQ6", "": ""}, "brand": "Brand: AODONG", "brand_url": "https://www.amazon.com/AODONG/b/ref=bl_sl_s_ap_web_21412088011?ie=UTF8&node=21412088011&field-lbr_brands_browse-bin=AODONG", "full_description": "ladies tops and blouses with support layering summer work short sleeve workout silk camisole casual summer low cut chiffon tops for women plus size tops 3/4 sleeve leopard print tops scrub long tunic to wear with leggings off shoulder tops workout crop tops button up high crop tops flowy plus size tunic tops tops short sleeve and blouses black crop tops silk plus tops plus size off the shoulder tops tunic tops cute workout rayon print chiffon cropped for women tops", "pricing": "$22.78", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51jf-yE0-eL.jpg", "https://m.media-amazon.com/images/I/51YDWOR-oEL.jpg", "https://m.media-amazon.com/images/I/51xQSY0xl4L.jpg", "https://m.media-amazon.com/images/I/5105a0RoNrL.jpg", "https://m.media-amazon.com/images/I/51rM9EkeSOL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Active \u203a Active Base Layers", "average_rating": "", "small_description": ["valentines day sweater for women grinch ", "Gifts for Women--Big Promotion\ud83d\udca5NOTE: Most of our items are Asian size. Please reference to our Size Chart carefully before Purchasing, It may be a little Run Small ", "\u3010Fast Shipping\u3011 We ususally shipped out your items within 20 hours, and It usually takes 10-18 days for shipping to you. Please wait it more patience. Thanks. ", "womens valentines day tops cute printed tshirts long sleeve pullover casual crewneck sweatshirt loose comfy tops valentines day cardigan for women oversized open front printed coats fall long sleeve casual lightweight jackets shirt valentines day print cardigan for women,women solid color long-sleeved valentines day cardigan cotton mid-length cardigan women\u2019s long sleeve tops lace casual loose blouses t shirts women's crewneck sweatshirt women's comfort long sleeve t-shirt tee ", "fall jacket hoodies for women striped leopard print for choice zipper coat pullover hoodie for choice thin jackets jean jacket women winter jackets buttons casual plus velvet warm coat jeans long sleeve hooded blue black denim winter coats for women plus size thick fleece lined plush hooded windproof warm down outerwear jackets parka womens plush hooded sweatshirts long sleeve oversized hoodies zip hood sweater fall winter pullover zipper coats with pocket ", "women's sexy sleeveless racer back halter neck bodysuit tank tops women's fall casual tunic tops long sleeve tshirt crew neck ladys oversized pullover sweatshirt tops basic blouses women's tee crew neck long sleeve t-shirt womens turtleneck long batwing sleeve asymmetric hem casual pullover sweater knit tops women's turtleneck hoodie jackets long sleeve casual color block zip up drawstring sweatshirt coat with pockets women's jersey full zip hoodie ", "womens corduroy button down shirts boyfriend long sleeve oversized blouses tops women's waffle knit tunic blouse tie knot henley tops loose fitting bat wing plain shirts women's classic fit long-sleeve full-zip polar soft fleece jacket cardigan for women open front long sleeve casual fall lightweight cardigans with pockets womens casual blazers open front long sleeve work office jackets blazer women's benton springs full zip fleece jacket ", "above the knee length dress perfect for casual daily wear, party, club, work, office, business, vacation, beach, etc. perfect tunic dress for leggings, tights, or laying with coat, jackets, sweaters in spring, autumn and winter fashion ballon sleeve, easy dress up or down. perfect to paired with shorts, skinny jeans, boots, leggings for a chic look this womens top is very trendy and cute, suitable for casual, going out, school, office, daily wear, suit for all seasons "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A26CDAWIXJ1S0W", "seller_name": "Wamajoly", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09P5CRVQ6", "category": "fashion", "query": "Women's Activewear", "page": 113, "small_description_old": "valentines day sweater for women grinch Gifts for Women--Big Promotion\ud83d\udca5NOTE: Most of our items are Asian size. Please reference to our Size Chart carefully before Purchasing, It may be a little Run Small \u3010Fast Shipping\u3011 We ususally shipped out your items within 20 hours, and It usually takes 10-18 days for shipping to you. Please wait it more patience. Thanks. womens valentines day tops cute printed tshirts long sleeve pullover casual crewneck sweatshirt loose comfy tops valentines day cardigan for women oversized open front printed coats fall long sleeve casual lightweight jackets shirt valentines day print cardigan for women,women solid color long-sleeved valentines day cardigan cotton mid-length cardigan women\u2019s long sleeve tops lace casual loose blouses t shirts women's crewneck sweatshirt women's comfort long sleeve t-shirt tee fall jacket hoodies for women striped leopard print for choice zipper coat pullover hoodie for choice thin jackets jean jacket women winter jackets buttons casual plus velvet warm coat jeans long sleeve hooded blue black denim winter coats for women plus size thick fleece lined plush hooded windproof warm down outerwear jackets parka womens plush hooded sweatshirts long sleeve oversized hoodies zip hood sweater fall winter pullover zipper coats with pocket women's sexy sleeveless racer back halter neck bodysuit tank tops women's fall casual tunic tops long sleeve tshirt crew neck ladys oversized pullover sweatshirt tops basic blouses women's tee crew neck long sleeve t-shirt womens turtleneck long batwing sleeve asymmetric hem casual pullover sweater knit tops women's turtleneck hoodie jackets long sleeve casual color block zip up drawstring sweatshirt coat with pockets women's jersey full zip hoodie womens corduroy button down shirts boyfriend long sleeve oversized blouses tops women's waffle knit tunic blouse tie knot henley tops loose fitting bat wing plain shirts women's classic fit long-sleeve full-zip polar soft fleece jacket cardigan for women open front long sleeve casual fall lightweight cardigans with pockets womens casual blazers open front long sleeve work office jackets blazer women's benton springs full zip fleece jacket above the knee length dress perfect for casual daily wear, party, club, work, office, business, vacation, beach, etc. perfect tunic dress for leggings, tights, or laying with coat, jackets, sweaters in spring, autumn and winter fashion ballon sleeve, easy dress up or down. perfect to paired with shorts, skinny jeans, boots, leggings for a chic look this womens top is very trendy and cute, suitable for casual, going out, school, office, daily wear, suit for all seasons"}, {"name": "FITUEYES Universal TV Stand/Base Tabletop TV Stand with Swivel Mount for 32 to 65 inch Flat Screen TV Height Adjustable,Tempered Glass Base", "product_information": {"Item Weight": "\u200e13 pounds", "Product Dimensions": "\u200e25.4 x 11.8 x 29 inches", "Item model number": "\u200eFTT105202GB", "Is Discontinued By Manufacturer": "\u200eNo", "ASIN": "B07GZLDJMC", "Customer Reviews": {"ratings_count": 721, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#63 in TV Mount Stands #1,114 in Electronics Mounts"], "Date First Available": "August 30, 2018"}, "brand": "Visit the FITUEYES Store", "brand_url": "https://www.amazon.com/stores/FITUEYES/page/894D17F8-69E9-46EA-AD8A-9F4842AF0A23?ref_=ast_bln", "full_description": "", "pricing": "$42.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/413EZxD1zsL.jpg", "https://m.media-amazon.com/images/I/41yUiOZFt1L.jpg", "https://m.media-amazon.com/images/I/51r+Gtxm4DL.jpg", "https://m.media-amazon.com/images/I/51IW3X4PXVL.jpg", "https://m.media-amazon.com/images/I/41RHmmRkNZL.jpg", "https://m.media-amazon.com/images/I/41twoekPJyL.jpg", "https://m.media-amazon.com/images/I/41TOmsv5p1L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Television & Video \u203a Television Accessories \u203a TV Mounts, Stands & Turntables \u203a TV Mount Stands", "average_rating": 4.6, "small_description": ["\u3010TV STAND\u3011Universal TV stand/base tabletop stand to mount your TV and AV components on an entertainment center or a desk/table. 8 mm thick sleek tempered glass shelf can store your cable tv box, satellite receiver, gaming consoles such as PS4, Xbox, or Apple TV ", "\u3010HEIGHT ADJUSTABLED DESKTOP TV MOUNT\u3011 TV bracket is height adjustable! 4 positions to suit different applications or TV sizes. The TV can be raised to install a sound bar or game console sensors like the Kinect. ", "\u3010VESA COMPATIBLE\u3011 Universal TV mounting bracket design fits most of 32'' to 65\" LCD/LED/Plasma TVs on the market up to VESA 600x400 and weighing up to 70 lbs. Fits VESA 600x400, 500x400, 400 x400 400x300, 400x200, 300x300, 200X200). Please check VESA (mounting hole pattern behind TV), possible blocked cable/input and TV weight prior to making purchase ", "\u3010UNIVERSAL FIT\u3011 TV mounting bracket is compatible with Samsung, Sony, LG, Sharp, Insignia, Vizio, Haier, Toshiba, Sharp, Element, TCL, Westinghouse 32, 36, 37, 40, 42, 47, 48, 49, 50, 55,60,65 inch TVs. Please ensure your TV has VESA 400x600mm pattern or smaller ", "\u3010A LIFETIME WARRANTY\u3011 Our TV stand includes an incredible a lifetime warranty and friendly customer service. We provide Standard mounting hardware to make installation as easy and convenient as possible, if you have any problem please feel free to contact us. "], "total_reviews": 721, "total_answered_questions": "", "model": "\u200eFTT105202GB", "customization_options": "", "seller_id": "A2T4RI5JPP2USG", "seller_name": "Dropship Shopping Centre", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07GZLDJMC", "category": "electronics", "query": "Mounts", "page": 323, "small_description_old": "About this item \u3010TV STAND\u3011Universal TV stand/base tabletop stand to mount your TV and AV components on an entertainment center or a desk/table. 8 mm thick sleek tempered glass shelf can store your cable tv box, satellite receiver, gaming consoles such as PS4, Xbox, or Apple TV \u3010HEIGHT ADJUSTABLED DESKTOP TV MOUNT\u3011 TV bracket is height adjustable! 4 positions to suit different applications or TV sizes. The TV can be raised to install a sound bar or game console sensors like the Kinect. \u3010VESA COMPATIBLE\u3011 Universal TV mounting bracket design fits most of 32'' to 65\" LCD/LED/Plasma TVs on the market up to VESA 600x400 and weighing up to 70 lbs. Fits VESA 600x400, 500x400, 400 x400 400x300, 400x200, 300x300, 200X200). Please check VESA (mounting hole pattern behind TV), possible blocked cable/input and TV weight prior to making purchase \u3010UNIVERSAL FIT\u3011 TV mounting bracket is compatible with Samsung, Sony, LG, Sharp, Insignia, Vizio, Haier, Toshiba, Sharp, Element, TCL, Westinghouse 32, 36, 37, 40, 42, 47, 48, 49, 50, 55,60,65 inch TVs. Please ensure your TV has VESA 400x600mm pattern or smaller \u3010A LIFETIME WARRANTY\u3011 Our TV stand includes an incredible a lifetime warranty and friendly customer service. We provide Standard mounting hardware to make installation as easy and convenient as possible, if you have any problem please feel free to contact us. \n \u203a See more product details"}, {"name": "Arya Farm Certified Organic Bajra Flakes ( Crunch ) 300 g ( Pack of 2 ) Breakfast Cereal Without Chemicals", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 11.02 x 9.45 x 7.09 inches; 1.32 Pounds", "Manufacturer\n \u200f": "\u200e\n Arya Farm", "ASIN\n \u200f": "\u200e\n B07XRDD75B", "Country of Origin\n \u200f": "\u200e\n India", "": ""}, "brand": "Brand: Arya Farm", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Arya+Farm", "full_description": "Arya Farm Certified Organic Jeera Powder Combo Offer. The World Is Going Organi. Why choose Arya? \u00e2rya is an ancient Sanskrit word which means Excellent! We at Arya Farm ensure we bring that excellence in each and every product we create for you by handpicking the farmers and also the ingredients. Our products are fresher than others because of our short supply cycle to stores", "pricing": "$7.49", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51amfIEpFXL.jpg", "https://m.media-amazon.com/images/I/513Unr0ArjL.jpg", "https://m.media-amazon.com/images/I/5191XNIpS9L.jpg", "https://m.media-amazon.com/images/I/41rCPSqil7L.jpg", "https://m.media-amazon.com/images/I/41rCPSqil7L.jpg", "https://m.media-amazon.com/images/I/213YNOLmbjL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Breakfast Foods \u203a Cereals \u203a Muesli", "average_rating": "", "small_description": ["Arya Farm Certified Organic Bajra Flakes ( Crunch ) 300 g - 2 pcs ", "Gluten free High in Protein Rich in Dietary Fiber ", "Organic. Free from Chemicals. Safe for Farmers. Good for Nature. ", "No preservatives artificial colours chemicals or any other flavours are used. ", "Product is Produced & Processed as per NOP / NPOP standards. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "ALUXMQCBED6CD", "seller_name": "IndianTree", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07XRDD75B", "category": "grocery", "query": "Breakfast Foods", "page": 115, "small_description_old": "About this item Arya Farm Certified Organic Bajra Flakes ( Crunch ) 300 g - 2 pcs Gluten free High in Protein Rich in Dietary Fiber Organic. Free from Chemicals. Safe for Farmers. Good for Nature. No preservatives artificial colours chemicals or any other flavours are used. Product is Produced & Processed as per NOP / NPOP standards."}, {"name": "starboosa Rifle Scope Mount Camera Adapter - Smartphone Camera Adapter for Hunting Teaching", "product_information": {"Item Package Dimensions L x W x H": "\u200e5.43 x 5.04 x 2.68 inches", "Package Weight": "\u200e0.26 Kilograms", "Brand Name": "\u200eStarboosa", "Manufacturer": "\u200estarboosa", "ASIN": "B0912JD5KF", "Customer Reviews": {"ratings_count": 3, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#170 in Telescope Photo Adapters"], "Date First Available": "March 25, 2021"}, "brand": "Visit the starboosa Store", "brand_url": "https://www.amazon.com/stores/STARBOOSA/page/203784B2-E971-4F4C-8F09-42CE6F9702A5?ref_=ast_bln", "full_description": "", "pricing": "$36.59", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41PjzVjI46S.jpg", "https://m.media-amazon.com/images/I/41vg00hXRNS.jpg", "https://m.media-amazon.com/images/I/51FXissxj1S.jpg", "https://m.media-amazon.com/images/I/51TMDD8ffcS.jpg", "https://m.media-amazon.com/images/I/31yaIOiFuuS.jpg", "https://m.media-amazon.com/images/I/31Swox7l4tS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Accessories \u203a Telescope & Microscope Accessories \u203a Telescope Accessories \u203a Photo Adapters", "average_rating": 4.2, "small_description": ["Smart phone camera adapter can be connected to rifle scopes,so that you can easily take photos and videos with your mobile phone, and share the discovery with your family and friends. ", "The holder is suitable for almost all eyepieces with an outer diameter of 33mm-46mm, including eyepieces with simple rifle scopes, eyepieces with knobs, curved eyepieces, and even eyepieces with small rings and handles. Also suitable for telescope, monocular, binocular eyepieces. ", "It can be applied to various smart phones with a width of 58mm-100mm. For example, iphone 5, 5s, 6, 6s, etc. ", "It is made of durable aluminum and has been well anodized. ", "The firm PA plastic M5x8 screws (come with 6 pcs) will never scratch the surface of your eyepiece. Surface of the connected smartphone is covered with a soft material. No need to worry about the phone being scratched or damaged. "], "total_reviews": 3, "total_answered_questions": 5, "customization_options": "", "seller_id": "A7NFAF6DY2CB6", "seller_name": "Starboosa", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B0912JD5KF", "category": "electronics", "query": "Binoculars & Scopes", "page": 29, "small_description_old": "Smart phone camera adapter can be connected to rifle scopes,so that you can easily take photos and videos with your mobile phone, and share the discovery with your family and friends. The holder is suitable for almost all eyepieces with an outer diameter of 33mm-46mm, including eyepieces with simple rifle scopes, eyepieces with knobs, curved eyepieces, and even eyepieces with small rings and handles. Also suitable for telescope, monocular, binocular eyepieces. It can be applied to various smart phones with a width of 58mm-100mm. For example, iphone 5, 5s, 6, 6s, etc. It is made of durable aluminum and has been well anodized. The firm PA plastic M5x8 screws (come with 6 pcs) will never scratch the surface of your eyepiece. Surface of the connected smartphone is covered with a soft material. No need to worry about the phone being scratched or damaged."}, {"name": "USB C Magnetic Charging Cable 3 Pack, 3 Magnetic Tips, CAFELE 6.6ft Type C Fast Charging Nylon Braided Cord for Samsung Galaxy S10 S10e S9 Note 8 9 S8 S8 Google Pixel Nexus LG Motorola HTC etc Blue", "product_information": {"Product Dimensions": "66 x 0.1 x 0.5 inches", "Item Weight": "3.2 ounces", "ASIN": "B07Z397262", "Item model number": "43191600", "Customer Reviews": {"ratings_count": 1078, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#1,300 in USB Cables"], "Is Discontinued By Manufacturer": "Yes", "OS": "IOS, Android", "Other display features": "Wireless", "Colour": "Blue/6.6ft/3 Pack/Type-C", "Manufacturer": "CAFELE", "Date First Available": "July 4, 2019"}, "brand": "Visit the CAFELE Store", "brand_url": "https://www.amazon.com/stores/CAFELE/page/0275D5F2-C759-45BA-8F4A-930ED6961E2D?ref_=ast_bln", "full_description": "CAFELE Type-C 3 Pack 3 Adapters Fast Charging Magnetic Charging Cable for Type-c Devices Specification: Color: Black Length: 3 magnetic nylon braided cord, 6.6ft (2 Meters) Connector: 3 Typec-C Connectors USB Charging Current: 5A Max compatibility\uff1aCompatible with Samsung LG XiaoMi Oneplus and Other Type-c Smartphones Such as Samsung s10 S9 S8 Note10 Note 9 etc. Product Technologies - Support QC 3.0 fast charging and data sync transmission What you get - Magnetic Charging Cable x 3 - Typec-C Magnetic Adapter/Connect x 3 - Lifetime technical support and 18 months of after-sales service - User guide manual", "pricing": "$19.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51B4avzcGvL.jpg", "https://m.media-amazon.com/images/I/51qzxCLRmTL.jpg", "https://m.media-amazon.com/images/I/51kLb1j9HOL.jpg", "https://m.media-amazon.com/images/I/51kGyxZ9WTL.jpg", "https://m.media-amazon.com/images/I/51C07oPnhsL.jpg", "https://m.media-amazon.com/images/I/51p0ea+rGlL.jpg", "https://m.media-amazon.com/images/I/41jmkAs51tL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Computer Accessories & Peripherals \u203a Cables & Accessories \u203a Cables & Interconnects \u203a USB Cables", "average_rating": 4.2, "small_description": ["Support QC 3.0 Fast Charging: 3A maximum current fast charging, high-quality copper wire maximizes signal quality and increases durability, our technology teams make thousands of tests to ensure 100% safety for your device. ", "Stable & Durable Nylon Braided Cord: CAFELE charging cable are well made with pretty braided neylon that could protect wire cores. CAFELE charging cables are reliable, sturdy and strong, tangle free and flexible, more than 10000+ bend lifespan. ", "Automatically Connectors: Super strong magnetic charging adapters/connectors/tips. While it is out of charging, the magnetic connector can be used as Anti-dust plug. Do not worry, the moderate magnetic force will not damage the mobile phone components. ", "Support Data Trasfer: Up to 480Mbps data sync. Videos photos, and all your data could be transferred and synced speedy stably. Data transfer and power charging 2 in 1 to save your much time. ", "Compatibility: 3 Magnetic charging cable and 3 Magnetic adapters/connectors included. CAFELE 3 in 1 magnetic cable is compatible with Type-C mobile devices. Made Samsung LG Nexus Google pixel and other Type-C devices such as Galaxy S8 S9 S10 Note10 Note9 Note8 etc. "], "total_reviews": 1078, "total_answered_questions": 18, "model": "43191600", "customization_options": "", "seller_id": "AH2YPRAS1B6ZV", "seller_name": "CAFELE Direct", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07Z397262", "category": "electronics", "query": "Cell Phones", "page": 271, "small_description_old": "About this item Support QC 3.0 Fast Charging: 3A maximum current fast charging, high-quality copper wire maximizes signal quality and increases durability, our technology teams make thousands of tests to ensure 100% safety for your device. Stable & Durable Nylon Braided Cord: CAFELE charging cable are well made with pretty braided neylon that could protect wire cores. CAFELE charging cables are reliable, sturdy and strong, tangle free and flexible, more than 10000+ bend lifespan. Automatically Connectors: Super strong magnetic charging adapters/connectors/tips. While it is out of charging, the magnetic connector can be used as Anti-dust plug. Do not worry, the moderate magnetic force will not damage the mobile phone components. Support Data Trasfer: Up to 480Mbps data sync. Videos photos, and all your data could be transferred and synced speedy stably. Data transfer and power charging 2 in 1 to save your much time. Compatibility: 3 Magnetic charging cable and 3 Magnetic adapters/connectors included. CAFELE 3 in 1 magnetic cable is compatible with Type-C mobile devices. Made Samsung LG Nexus Google pixel and other Type-C devices such as Galaxy S8 S9 S10 Note10 Note9 Note8 etc."}, {"name": "Sheer Lace G-String For Men Floral Briefs Sexy T-Back Underwears See Through G-Strings Jockstrap Bikini Briefs", "product_information": {"Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n June 30, 2021", "Manufacturer\n \u200f": "\u200e\n MAIYIFU-2021", "ASIN\n \u200f": "\u200e\n B098B6P7SP", "Best Sellers Rank": "#582,020 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#526 in Men's Thong Underwear", "#526 in Men's Thong Underwear": ""}, "brand": "Brand: Generic", "brand_url": "https://www.amazon.com/Generic/b/ref=bl_sl_s_ap_web_2529470011?ie=UTF8&node=2529470011&field-lbr_brands_browse-bin=Generic", "full_description": "\ud83d\udc51\ud83d\udc51\ud83d\udc51Product information\ud83d\udc51\ud83d\udc51\ud83d\udc51 \u25b8 Season: Spring,Summer,Autumn,Winter \u25b8 Gender: Man \u25b8 Style: Sexy \u25b8 Fit: Fits ture to size \u25b8 Occasion: Various Occasion \u25b8 Fabric: Soft,comfortable,breathable, skin-friendly. \u25b8 How to wash: Hand wash Cold,Hang or Line Dry \u25b8 What you get: 1 piece lingerie \ud83d\udc51For What?????? You can buy for yourself or as a gift/birthday present for your lover. We hope it has been designed to make you look great. \ud83d\udc51Who Are We?????? We are a brand designed for men offering what style you want with highest qualities. We bring customers to a different outlook on life of fashion. \ud83d\udc51Everyday Made Better!!!!!! We are focused on creating affordable, high-quality, and long-lasting everyday clothing you can rely on. Also we hope the relationship between you and your love gets better and better. \ud83d\udc51Easy Care & World-Class Customer Services: If you have any further questions please feel free to contact us We'll reply to you in 24 hours. Good quality can Machine wash with like color cold, tumble dry low, do not bleach. We support a 30-day replacement return service that allows you to shop without a worry. \ud83d\udc51Other Note : \u25ce The actual color may be slightly different from the image caused by different brightness of various monitors and brightness. \u25ce Please refer to the size chart listed below or let us know your weight and height in or lbs and inches. \u25ce Fits may vary by styles, body types, and manufacturer. \u25ce If you are in muscular shape, sturdy or plump shape,you'd better chooses 1 size larger than you usually wear.", "pricing": "$2.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41Y6AcUwn4S.jpg", "https://m.media-amazon.com/images/I/41MJ54u8ulS.jpg", "https://m.media-amazon.com/images/I/31hUDV4VxZS.jpg", "https://m.media-amazon.com/images/I/31awnWd4QZS.jpg", "https://m.media-amazon.com/images/I/31xlFrOtaBS.jpg", "https://m.media-amazon.com/images/I/31pEJXg111S.jpg", "https://m.media-amazon.com/images/I/218CzqOyFmS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Underwear \u203a G-Strings & Thongs", "average_rating": "", "small_description": ["extreme shorts with large split sides jock strap plaid school boy lingerie boxer briefs back suspenders outfits set men sexy leather pants tight trousers harness nightclub wet look bikini swim ", "for sex flower embroidery babydoll cutout g-string underwire shiny pu bodybuilding enhancing pouch short zipper lounge hollow pieces bow collar tuxedo supporter elastic waistband body modal underwear, style underpants drawstring smart g string full fully frilly imitation jockstraps jumpsuits wrestling singlet low rise open buttock bulge out rompers pantyhose tights stockings men's sexy lace thong bikini sissy briefs lingerie with garter mens up see through long sleeve t ", "\u3010High Quality\u3011: \ud83d\udc51Made with very stretchy and soft fabric that does not irritate skin, perfect for daily wear. The lingerie are soft to touch against the skin and smooth fitting. ", "\u3010Special Design\u3011: \ud83d\udc51This lingerie is a good choice to increase couple/lover's romantic moments, and it let your allure to be sexy,hot,enchanting and unstoppable. And to be glamorous and romantic. ", "\u3010Oaccasions\u3011: \ud83d\udc51Shiny Bottoms for Dancing, Raves, Party, Club, Festivals, Costumes.Suitable for Valentine's Day or Memorial day to increase desire. ", "\u3010Great Gift\u3011: \ud83d\udc51A perfect gift for yourself and a big surprise to spice up Valentines Days, Wedding Days, Honeymoon, Club, Private Day, Special Day, etc ", "\u3010Washing Recommended\u3011: \ud83d\udc51Hand Washing For Foam Pads, Washing Temperature Under 30 Degree Centigrade, Do Not Bleach, Hang Dry In Shade. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null, "Size": null}, "seller_id": "A27TMH7ZF4TDEL", "seller_name": "liangduming2021", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B098B8KGMB", "category": "fashion", "query": "Men's Underwear", "page": 24, "small_description_old": "\u3010High Quality\u3011: \ud83d\udc51Made with very stretchy and soft fabric that does not irritate skin, perfect for daily wear. The lingerie are soft to touch against the skin and smooth fitting. \u3010Special Design\u3011: \ud83d\udc51This lingerie is a good choice to increase couple/lover's romantic moments, and it let your allure to be sexy,hot,enchanting and unstoppable. And to be glamorous and romantic. \u3010Oaccasions\u3011: \ud83d\udc51Shiny Bottoms for Dancing, Raves, Party, Club, Festivals, Costumes.Suitable for Valentine's Day or Memorial day to increase desire. \u3010Great Gift\u3011: \ud83d\udc51A perfect gift for yourself and a big surprise to spice up Valentines Days, Wedding Days, Honeymoon, Club, Private Day, Special Day, etc \u3010Washing Recommended\u3011: \ud83d\udc51Hand Washing For Foam Pads, Washing Temperature Under 30 Degree Centigrade, Do Not Bleach, Hang Dry In Shade."}, {"name": "DOVE STICK Mix Antiperspirant deodorants 40Ml /1.76OZ (Dove Stick Mix, 12X40ML/1.4OZ)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "UPC\n \u200f": "\u200e\n 600181871699", "Manufacturer\n \u200f": "\u200e\n Unilever UK", "ASIN\n \u200f": "\u200e\n B07963ZMK6", "Best Sellers Rank": "#638,273 in Health & Household (See Top 100 in Health & Household)#3,204 in Antiperspirant Deodorant", "#3,204 in Antiperspirant Deodorant": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Stick Dove", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Stick+Dove", "full_description": "If you ask us, antiperspirants shouldn\u2019t just protect: they should care for your underarm skin, too. We put care into the rest of our bodies, shouldn\u2019t our underarms get the same? After all, a lot of the best things in life lead to us throwing our arms in the air: great music, enthusiastic \u2013 if not particularly good \u2013 dancing, hugs with friends we haven\u2019t seen in ages. And in those moments, insecurities about our underarms definitely aren\u2019t welcome. Which is why Dove antiperspirant deodorants are created with our \u00bc moisturizing cream, to care for your underarm skin, leaving it soft and smooth. And there\u2019s a Dove antiperspirant to suit every situation \u2013 like our Dry Spray range, extra strong Dove Clinical Protection or Advanced Care range, to name a few of our favorites. Because we know you want more from an antiperspirant than just protection, with Dove you get care, too. The perfect combination.", "pricing": "$28.99", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41OxNCi+LvL.jpg", "https://m.media-amazon.com/images/I/41qE6vHVxrL.jpg", "https://m.media-amazon.com/images/I/41xYARrFaaL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Deodorants & Antiperspirants \u203a Antiperspirant Deodorant", "average_rating": 5, "small_description": ["DOVE STICK Mix Antiperspirant deodorants "], "total_reviews": 2, "total_answered_questions": "", "customization_options": {"Color": null, "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07963JN58/ref=twister_B07963VCTJ?_encoding=UTF8&psc=1", "value": "6X40ML/1.4 Ounce", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "12X40ML/1.4 Ounce", "price_string": "$28.99", "price": 28.99, "image": null}]}, "seller_id": "A2Y5UTN3F2ET27", "seller_name": "Alwash INC", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07963ZMK6", "category": "beauty", "query": "Deodorants & Antiperspirants", "page": 58, "small_description_old": "About this item DOVE STICK Mix Antiperspirant deodorants"}, {"name": "Minkissy 2pcs Stainless Steel Eyebrow Tweezers Blackhead Acne Remover Portable Makeup Tweezers (Silver)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 4.49 x 0.31 x 0.24 inches; 0.99 Ounces", "Item model number\n \u200f": "\u200e\n GMVZW5DO0886ZFYT1190GY", "Manufacturer\n \u200f": "\u200e\n Minkissy", "ASIN\n \u200f": "\u200e\n B0892Y9F83", "Best Sellers Rank": "#1,282,410 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#4,172 in Hair Removal Tweezers", "#4,172 in Hair Removal Tweezers": ""}, "brand": "Brand: minkissy", "brand_url": "https://www.amazon.com/minkissy/b/ref=bl_dp_s_web_23471563011?ie=UTF8&node=23471563011&field-lbr_brands_browse-bin=minkissy", "full_description": "Description2pcs Stainless Steel Eyebrow Tweezers Blackhead Acne Remover Portable Makeup Tweezers (Silver)Features-\u00a0 Color:\u00a0 Silver.-\u00a0 Material:\u00a0 Stainless Steel.-\u00a0 Packing Size:\u00a0 About 11.4x0.8x0.6cm.-\u00a0Warm Tip: Dear customer, Due to lighting effect, monitor's brightness, and manual measurement, etc, there might be some slight differences in the color & size between the photo & the actual item. Sincerely hope you can understand! Thanks!Package Including2 x\u00a0 eyebrow tweezers", "pricing": "$10.39", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31ky64jtqBL.jpg", "https://m.media-amazon.com/images/I/31VANU0gcIL.jpg", "https://m.media-amazon.com/images/I/31LMCKpcb2L.jpg", "https://m.media-amazon.com/images/I/51wQNcyRQTL.jpg", "https://m.media-amazon.com/images/I/314RGMlz1vL.jpg", "https://m.media-amazon.com/images/I/417ZL3P92vL.jpg", "https://m.media-amazon.com/images/I/316X7Ixf6QL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Shave & Hair Removal \u203a Women's \u203a Tweezers", "average_rating": "", "small_description": ["Different design to trim your eyebrows, apply for false eyelashes, clip double eyelids and more. ", "Great for your eyebrow according to your eyebrow shape, outline different styles of eyebrow shapes. ", "Ergonomic design, easy to use, no harm your skin. ", "Easy and convenient to use, save your time and effort. Lightweight to carry out when travelling. ", "Made of high quality stainless steel, which is safe and durable. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2OHPKEOCIT70Q", "seller_name": "Kotfiler", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0892Y9F83", "category": "beauty", "query": "Makeup Remover", "page": 208, "small_description_old": "About this item Different design to trim your eyebrows, apply for false eyelashes, clip double eyelids and more. Great for your eyebrow according to your eyebrow shape, outline different styles of eyebrow shapes. Ergonomic design, easy to use, no harm your skin. Easy and convenient to use, save your time and effort. Lightweight to carry out when travelling. Made of high quality stainless steel, which is safe and durable."}, {"name": "Tarragon Leaves, Dried - Spiceology Cut and Sorted Tarragon - 4 ounces", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 3 x 3.5 x 8 inches; 4 Ounces", "UPC\n \u200f": "\u200e\n 814076020851", "Manufacturer\n \u200f": "\u200e\n Spiceology", "ASIN\n \u200f": "\u200e\n B00V57WXMU", "Best Sellers Rank": "#320,560 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#52 in Tarragon", "#52 in Tarragon": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Spiceology Store", "brand_url": "https://www.amazon.com/stores/Spiceology/page/34A26ED1-32A8-42AE-8D8C-E375E7326F15?ref_=ast_bln", "full_description": "", "pricing": "$23.12", "list_price": "", "availability_quantity": 16, "availability_status": "Only 16 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41FTD5VzNfL.jpg", "https://m.media-amazon.com/images/I/51Xo8pcf5VL.jpg", "https://m.media-amazon.com/images/I/61WuinYoXqL.jpg", "https://m.media-amazon.com/images/I/61A7-VYIFBL.jpg", "https://m.media-amazon.com/images/I/51u9O+Yfz6L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Herbs, Spices & Seasonings \u203a Single Herbs & Spices \u203a Tarragon", "average_rating": 4.9, "small_description": ["Spiceology Tarragon Leaves (Ta) have an hints of anise, licorice and floral ", "Add dried Tarragon leaves to sauces, marinades, dressings, stews and sauces ", "Use Tarragon Leaves to impart anise flavor to spice seasonings and rubs for all meats and vegetables, including beef, chicken, fowl, pork, fish, seafood, game, and vegetables ", "Bulk container for chefs and commercial kitchens ", "Packed fresh in the USA "], "total_reviews": 12, "total_answered_questions": "", "customization_options": "", "seller_id": "A3VPX1394N9N4N", "seller_name": "spiceology", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B00V57WXMU", "category": "grocery", "query": "Meat & Seafood", "page": 331, "small_description_old": "About this item Spiceology Tarragon Leaves (Ta) have an hints of anise, licorice and floral Add dried Tarragon leaves to sauces, marinades, dressings, stews and sauces Use Tarragon Leaves to impart anise flavor to spice seasonings and rubs for all meats and vegetables, including beef, chicken, fowl, pork, fish, seafood, game, and vegetables Bulk container for chefs and commercial kitchens Packed fresh in the USA"}, {"name": "Levi's Mens Lance Lo Mono UL Casual Sneaker Shoe", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 13.54 x 7.8 x 4.88 inches; 3 Pounds", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n April 6, 2021", "Manufacturer\n \u200f": "\u200e\n Levi's", "ASIN\n \u200f": "\u200e\n B091WP7DSJ", "Best Sellers Rank": "#174,708 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#806 in Men's Fashion Sneakers", "#806 in Men's Fashion Sneakers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$29.99$44.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31qjfqRTw5L.jpg", "https://m.media-amazon.com/images/I/318f89YH9SL.jpg", "https://m.media-amazon.com/images/I/31pcWGSk4HL.jpg", "https://m.media-amazon.com/images/I/310MvfbqR2L.jpg", "https://m.media-amazon.com/images/I/31m-Y6yaMjL.jpg", "https://m.media-amazon.com/images/I/31vC0nuqYkL.jpg", "https://m.media-amazon.com/images/I/41OnfnGt-yL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Fashion Sneakers", "average_rating": 4.1, "small_description": ["100% Synthetic ", "Imported ", "Rubber sole ", "Synthetic vegan leather upper ", "Soft, breathable fabric lining ", "Lightly cushioned footbed for excellent comfort ", "Lace-up closure with metal eyelets ", "Durable rubber outsole for added traction "], "total_reviews": 43, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "7", "asin": "B091V8T68Z"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B091V7MLFN"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B08VH1GXPK"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B08VH72GNH"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B08T84R7V2"}, {"is_selected": false, "is_available": true, "value": "9.5", "asin": "B08VHBB5ND"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B08VH8CCFW"}, {"is_selected": false, "is_available": false, "value": "10.5", "asin": "B08VHBK2YJ"}, {"is_selected": false, "is_available": false, "value": "11", "asin": "B08VH8HMFC"}, {"is_selected": false, "is_available": false, "value": "12", "asin": "B08VH7YPP5"}, {"is_selected": false, "is_available": true, "value": "13", "asin": "B08VHB69C4"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B091WP7DSJ/ref=twister_B095Z6YLYH", "value": "Black/White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31njX07cXyL.jpg"}, {"is_selected": true, "url": null, "value": "White/Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31qjfqRTw5L.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08T84R7V2", "category": "fashion", "query": "Men's Fashion Sneakers", "page": 13, "small_description_old": "100% Synthetic Imported Rubber sole Synthetic vegan leather upper Soft, breathable fabric lining Lightly cushioned footbed for excellent comfort Lace-up closure with metal eyelets Durable rubber outsole for added traction"}, {"name": "RMISODO 15 Pieces 50ml Empty Refillable Roll On Bottles, Plastic Roller Bottles, Reusable Leak-Proof Deodorant Containers with Roller Balls for Essential Oil Perfume Fragrance, White", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10.87 x 7.6 x 4.33 inches; 10.23 Ounces", "Manufacturer\n \u200f": "\u200e\n RMISODO", "ASIN\n \u200f": "\u200e\n B08W568RSB", "Best Sellers Rank": "#195,165 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#3,217 in Refillable Cosmetic Containers #7,019 in Makeup Bags & Cases", "#3,217 in Refillable Cosmetic Containers": "", "#7,019 in Makeup Bags & Cases": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the RMISODO Store", "brand_url": "https://www.amazon.com/stores/RMISODO/page/447939F6-721F-4C9B-9952-C328A3D2266F?ref_=ast_bln", "full_description": "", "pricing": "$16.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/310o3+lM2+L.jpg", "https://m.media-amazon.com/images/I/41-WxCDDeHL.jpg", "https://m.media-amazon.com/images/I/31vHrguAg9L.jpg", "https://m.media-amazon.com/images/I/41WwBjNU2jL.jpg", "https://m.media-amazon.com/images/I/41Jhg1+zsyL.jpg", "https://m.media-amazon.com/images/I/41J3yhdwfvL.jpg", "https://m.media-amazon.com/images/I/31AG++fFuOL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases", "average_rating": 4.8, "small_description": ["LEAK-PROOF DESIGN -- These empty bottles with roller ball design, which apply your blend smoothly and effortlessly. The threaded lid fits tightly and can effectively prevent liquid leakage. ", "EXCELLENT QUALITY -- The roller bottle is made of high quality plastic material, sturdy and reliable, not easy to break, safe and durable to use. ", "WIDE APPLICATION -- Ideal for DIY your own essential oils, synthesis oil, essence, perfumes, lip balms, aromatherapy, fragrances, and other cosmetic liquids, meet your needs of daily care for eyes, faces and body. ", "TRAVEL FRIENDLY -- These rollerball bottles are portable and lightweight, conveniently fits in your purse, handbag or suitcase, very helpful especially when you are off for a business trip or travel. ", "SIZE & PACKAGE -- Size of the perfume container is about 10 x 3.8 cm/3.9 x 1.5 inches, the capacity is 50 ml. Package includes 15 pieces empty essential oil roller bottles. "], "total_reviews": 7, "total_answered_questions": "", "customization_options": "", "seller_id": "A25TYWXARA3P5D", "seller_name": "RMISODO", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08W568RSB", "category": "beauty", "query": "Refillable Containers", "page": 12, "small_description_old": "About this item LEAK-PROOF DESIGN -- These empty bottles with roller ball design, which apply your blend smoothly and effortlessly. The threaded lid fits tightly and can effectively prevent liquid leakage. EXCELLENT QUALITY -- The roller bottle is made of high quality plastic material, sturdy and reliable, not easy to break, safe and durable to use. WIDE APPLICATION -- Ideal for DIY your own essential oils, synthesis oil, essence, perfumes, lip balms, aromatherapy, fragrances, and other cosmetic liquids, meet your needs of daily care for eyes, faces and body. TRAVEL FRIENDLY -- These rollerball bottles are portable and lightweight, conveniently fits in your purse, handbag or suitcase, very helpful especially when you are off for a business trip or travel. SIZE & PACKAGE -- Size of the perfume container is about 10 x 3.8 cm/3.9 x 1.5 inches, the capacity is 50 ml. Package includes 15 pieces empty essential oil roller bottles."}, {"name": "SweatyRocks Women's Oversized Sweater Crewneck Long Sleeve Knit Tops Pullover Jumper Tops", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 14 x 10.5 x 0.5 inches; 8.15 Ounces", "Item model number\n \u200f": "\u200e\n swSWK2109157283712335-XS", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n November 1, 2021", "ASIN\n \u200f": "\u200e\n B09KRK9NC2", "Best Sellers Rank": "#335,857 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,798 in Women's Pullover Sweaters", "#1,798 in Women's Pullover Sweaters": ""}, "brand": "Visit the SweatyRocks Store", "brand_url": "https://www.amazon.com/stores/SweatyRocks/page/20C915C3-43E9-4DDF-B989-54C26F090808?ref_=ast_bln", "full_description": "SweatyRocks Women's Oversized Sweater Crewneck Long Sleeve Knit Tops Pullover Jumper Tops/ Pattern Type: Plain/ Length: Regular/ Season: Spring/Fall/ Details: Rib-Knit/ Fit Type: Regular Fit/ Neckline: Round Neck/ Sleeve Length: Long Sleeve/ Sleeve Type: Drop Shoulder/ Sheer: No/ Placket Type: Pullovers/ Fabric: Slight Stretch/", "pricing": "$25.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41EIRDij3jL.jpg", "https://m.media-amazon.com/images/I/41g+f9p3uPL.jpg", "https://m.media-amazon.com/images/I/41h0ao+CawL.jpg", "https://m.media-amazon.com/images/I/41LkZviIGyL.jpg", "https://m.media-amazon.com/images/I/41Tf-Or6IpL.jpg", "https://m.media-amazon.com/images/I/31tWYUhzvLL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Sweaters \u203a Pullovers", "average_rating": "", "small_description": ["Material:The fabric is stretchy, breathable and very soft, very comfortable against skin ", "Unique design: Solid color\uff0c loose ribbed knit shirt\uff0cbatwing long sleeve,cable slouchy sweater pullover,round neck,drop shoulder is more stylish and feminine, ", "Occasion: This casual pullover sweaters for women looks great with jeans, leggings, casual pant, scarf ,handbag ,backpack or boots,trendy and stylish look.Perfect sweater for spring,autumn and winter ", "Hand wash or machine wash, do not bleach ", "Please refer to the size measurement in image before ordering "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "X-Small", "asin": "B09KRK9NC2"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B09KRLGSC5"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09KRKNWLR"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09KRKQPLS"}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41EIRDij3jL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09L88ZMHD/ref=twister_B09KRLNYCY", "value": "Coffee Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41WRK7ufjvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KRLYKRY/ref=twister_B09KRLNYCY", "value": "Mocha Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41VN-sheBuL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09KRLGSC5", "category": "fashion", "query": "Women's Sweaters", "page": 38, "small_description_old": "Material:The fabric is stretchy, breathable and very soft, very comfortable against skin Unique design: Solid color\uff0c loose ribbed knit shirt\uff0cbatwing long sleeve,cable slouchy sweater pullover,round neck,drop shoulder is more stylish and feminine, Occasion: This casual pullover sweaters for women looks great with jeans, leggings, casual pant, scarf ,handbag ,backpack or boots,trendy and stylish look.Perfect sweater for spring,autumn and winter Hand wash or machine wash, do not bleach Please refer to the size measurement in image before ordering"}, {"name": "Sit Stand Tabletop Desk Larger Height Adjustable Standing Desk Converter Laptop Riser Platform Laptop Desktop Sit to Stand Up Desk for Home Office Computer Workstation 32x24inch", "product_information": {"Product Dimensions": "23.6 x 31.5 x 2.55 inches", "Item Weight": "39.9 pounds", "Manufacturer": "DONGGUAN YUNGU", "ASIN": "B08HV9D6P3", "Country of Origin": "China", "Customer Reviews": {"ratings_count": 24, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#132,246 in Office Products (See Top 100 in Office Products) #129 in Desktop Shelves & Office Shelves #159,874 in Home D\u00e9cor Products"], "Date First Available": "September 9, 2020"}, "brand": "Visit the Yoogu Store", "brand_url": "https://www.amazon.com/stores/Yoogu/page/4E0E4D7C-4FB6-4171-81AC-C2B5D4859EAC?ref_=ast_bln", "full_description": "", "pricing": "$129.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41dSDXDY8OL.jpg", "https://m.media-amazon.com/images/I/412IrKRJpAL.jpg", "https://m.media-amazon.com/images/I/41VqcUQlr9L.jpg", "https://m.media-amazon.com/images/I/51q-QXTLecL.jpg", "https://m.media-amazon.com/images/I/41FdQFVonoL.jpg", "https://m.media-amazon.com/images/I/41R1rmKDQSL.jpg", "https://m.media-amazon.com/images/I/81S0iAL1JzL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Office Products \u203a Office & School Supplies \u203a Desk Accessories & Workspace Organizers \u203a Platforms, Stands & Shelves \u203a Desktop & Off-Surface Shelves", "average_rating": 4.2, "small_description": ["EASY TO ASSEMBLE-Just unpackage your Updesk from the box and place it on your existing desk , you\u2019re done! ", "EASY SIT STAND-Use the lever to raise the desk. Hold both side of the desk, squeeze the lever, and give a gentle lift. After the first few inches it will raise easily by itself. ", "SPACIOUS DESKTOP-The desktop is 31.5\"x 23.6\" (desktop Height:2.55\"-16.2\"). More larger than ordinary desk ,which accommodate two moderately sized monitors or a monitor and a laptop ", "BETTER QUALITY-Made of high-quality steel, More heavier and more stable ! Overall Weight Capacity: about 39Ibs , Suitable for most people ", "BEST SERVICE-Please contact us when you have any questions, we will try our best to help you to solve them "], "total_reviews": 24, "total_answered_questions": "", "customization_options": "", "seller_id": "A248DFEB2KNYPG", "seller_name": "Yoogu", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08HV9D6P3", "category": "garden", "query": "Desks", "page": 185, "small_description_old": "About this item\n \nEASY TO ASSEMBLE-Just unpackage your Updesk from the box and place it on your existing desk , you\u2019re done! EASY SIT STAND-Use the lever to raise the desk. Hold both side of the desk, squeeze the lever, and give a gentle lift. After the first few inches it will raise easily by itself. SPACIOUS DESKTOP-The desktop is 31.5\"x 23.6\" (desktop Height:2.55\"-16.2\"). More larger than ordinary desk ,which accommodate two moderately sized monitors or a monitor and a laptop BETTER QUALITY-Made of high-quality steel, More heavier and more stable ! Overall Weight Capacity: about 39Ibs , Suitable for most people BEST SERVICE-Please contact us when you have any questions, we will try our best to help you to solve them"}, {"name": "BESIGN Ground Loop Noise Isolator for Car Audio/Home Stereo System with 3.5mm Audio Cable", "product_information": {"Package Dimensions": "3.35 x 1.46 x 1.06 inches", "Item Weight": "1.13 ounces", "ASIN": "B06XQYN77L", "Item model number": "GLNI01", "Customer Reviews": {"ratings_count": 3150, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#1 in Car Amplifier Noise Filters"], "Is Discontinued By Manufacturer": "No", "Other display features": "Wireless", "Manufacturer": "BESIGN", "Date First Available": "March 19, 2017"}, "brand": "Visit the BESIGN Store", "brand_url": "https://www.amazon.com/stores/BESIGN/page/8F6423CA-97ED-4780-B880-78166E233A51?ref_=ast_bln", "full_description": "", "pricing": "$10.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41HZspghbBL.jpg", "https://m.media-amazon.com/images/I/41WPOgU5QnL.jpg", "https://m.media-amazon.com/images/I/51UTDmf-ZML.jpg", "https://m.media-amazon.com/images/I/31zDsqpz-ZL.jpg", "https://m.media-amazon.com/images/I/51Ck6aoDobL.jpg", "https://m.media-amazon.com/images/I/51xr8EzH+pL.jpg", "https://m.media-amazon.com/images/I/41uXBOFrvZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Car & Vehicle Electronics \u203a Vehicle Electronics Accessories \u203a Vehicle Audio & Video Installation \u203a Amplifier Installation \u203a Noise Filters", "average_rating": 4.4, "small_description": ["Ground loop filter noise isolator, eliminating the hiss, buzz and interference caused by ground loops which happens when the audio source and the speaker use the same power source in some car speakers / home stereo systems when using the Bluetooth receiver. ", "You can enjoy the clean and clear music/audio by eliminating the current noise in some car speakers / home stereo systems. ", "Works with any device that has a 3.5mm jack including smartphones, tablets, mp3 player, speakers, when grounding issues persist. You could also use with a Bluetooth Receiver/Bluetooth Hands-free Car Kit in your Car Audio System/Home Stereo. ", "Being so mini, portable and light, plug and play, no battery need or button, all you need to do is to plug in the ground loop isolator ", "Portable, light-weight and plug and play without any complicated setup. Package Contents: Besign Ground Loop noise Isolator with 3.5mm Audio Cable, User Manual. "], "total_reviews": 3150, "total_answered_questions": 39, "model": "GLNI01", "customization_options": "", "seller_id": "A2UM0X40UXSI2V", "seller_name": "Besign Direct", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B06XQYN77L", "category": "electronics", "query": "Bluetooth Headsets", "page": 346, "small_description_old": "Ground loop filter noise isolator, eliminating the hiss, buzz and interference caused by ground loops which happens when the audio source and the speaker use the same power source in some car speakers / home stereo systems when using the Bluetooth receiver. You can enjoy the clean and clear music/audio by eliminating the current noise in some car speakers / home stereo systems. Works with any device that has a 3.5mm jack including smartphones, tablets, mp3 player, speakers, when grounding issues persist. You could also use with a Bluetooth Receiver/Bluetooth Hands-free Car Kit in your Car Audio System/Home Stereo. Being so mini, portable and light, plug and play, no battery need or button, all you need to do is to plug in the ground loop isolator Portable, light-weight and plug and play without any complicated setup. Package Contents: Besign Ground Loop noise Isolator with 3.5mm Audio Cable, User Manual."}, {"name": "ORS HAIRestore Hair Mayonnaise with Nettle Leaf and Horsetail Extract 16 oz (Pack of 4)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 13.6 x 4.2 x 3.4 inches; 5.41 Pounds", "UPC\n \u200f": "\u200e\n 632169110216", "Manufacturer\n \u200f": "\u200e\n Namaste Laboratories LLC", "ASIN\n \u200f": "\u200e\n B01BV3XRG8", "Best Sellers Rank": "#169,351 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#195 in Deep Hair Conditioners", "#195 in Deep Hair Conditioners": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: ORS HAIRestore", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ORS+HAIRestore", "full_description": "Deep conditioning, protein-rich treatment intensely moisturizes and helps strengthen damaged, weak and over-processed hair with a combination of hair-nourishing herbs, Olive Oil, Egg Protein and Wheat Germ Oil. Step 3 of the HAIRestore\u201a\u00d1 system designed to help fight hair loss and promote healthy hair growth, this hair-restoring treatment can be added to any haircare routine to help undo damage and maintain healthy, vibrant hair.", "pricing": "$38.92", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51vQGvdW28L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Shampoo & Conditioner \u203a Deep Conditioners", "average_rating": 3.9, "small_description": ["Perfect for: Hair lacking moisture and strength ", "Suitable for: Any hair type ", "Use as an intensive treatment to provide both strength and moisture ", "For hair breakage, damaged and weak hair ", "Combats chemical over-processing "], "total_reviews": 12, "total_answered_questions": "", "customization_options": "", "seller_id": "ASEVS99O6FS73", "seller_name": "Pharmapacks_", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01BV3XRG8", "category": "beauty", "query": "Hair Treatment Oils", "page": 108, "small_description_old": "About this item Perfect for: Hair lacking moisture and strength Suitable for: Any hair type Use as an intensive treatment to provide both strength and moisture For hair breakage, damaged and weak hair Combats chemical over-processing"}, {"name": "Grandfather Italian Mafia Puppet Men's Crewneck Sweatshirt", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 12 x 9 x 1 inches; 15 Ounces", "Item model number\n \u200f": "\u200e\n 70X08-18000-BLK-S", "Department\n \u200f": "\u200e\n Unisex-adult", "Date First Available\n \u200f": "\u200e\n February 17, 2017", "ASIN\n \u200f": "\u200e\n B01KI9HPK0", "Best Sellers Rank": "#1,268,494 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#5,362 in Men's Novelty Sweatshirts #479,173 in Men's Fashion", "#5,362 in Men's Novelty Sweatshirts": "", "#479,173 in Men's Fashion": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Brisco Brands Store", "brand_url": "https://www.amazon.com/stores/BriscoBrands/page/427F9C05-0E4A-48C7-B5C2-DFD7836997BC?ref_=ast_bln", "full_description": "", "pricing": "$23.99$29.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/419dYBykkGL.jpg", "https://m.media-amazon.com/images/I/41rEDVAOGpL.jpg", "https://m.media-amazon.com/images/I/41ZasDFOZ-L.jpg", "https://m.media-amazon.com/images/I/41zix8xbMgL.jpg", "https://m.media-amazon.com/images/I/416o2uSstVL.jpg", "https://m.media-amazon.com/images/I/31O6jHFkyAL.jpg", "https://m.media-amazon.com/images/I/6174I4g9-TL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Men \u203a Sweatshirts", "average_rating": 4.5, "small_description": ["50% Cotton, 50% Polyester ", "Made in the USA or Imported ", "Machine Wash ", "Size Small: Chest Width/Front Length 20\"x 27\" ", "Classic cut for looser fit | This is a unisex garment ", "Machine Wash Cold | Tumble Dry Low | Do Not Iron ", "Our graphic designs make unique gifts for every holiday and occasion ", "Please refer to images for more details "], "total_reviews": 38, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B01KI9HPK0"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B01KI9HMGM"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B01KI9H4JW"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B01KI9H8NO"}, {"is_selected": false, "is_available": true, "value": "4X-Large", "asin": "B01KI9HCLW"}, {"is_selected": false, "is_available": true, "value": "5X-Large", "asin": "B01KI9HGP4"}], "Color": null}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01KI9HU1O", "category": "fashion", "query": "Men's Sweaters", "page": 74, "small_description_old": "50% Polyester, 50% Cotton Made in the USA or Imported Machine Wash Size Small: Chest Width/Front Length 20\"x 27\" Classic cut for looser fit | This is a unisex garment Machine Wash Cold | Tumble Dry Low | Do Not Iron Our graphic designs make unique gifts for every holiday and occasion Please refer to images for more details"}, {"name": "Canon PowerShot Pro Series S3 IS 6MP with 12x Image Stabilized Zoom (Discontinued by Manufacturer)", "product_information": {"Product Dimensions": "4.45 x 2.99 x 3.07 inches", "Item Weight": "1.12 pounds", "ASIN": "B000EMWBV0", "Item model number": "1101B001", "Batteries": "Lithium Metal batteries required. (included)", "Customer Reviews": {"ratings_count": 632, "stars": "4.1 out of 5 stars"}, "Best Sellers Rank": ["#115,727 in Electronics (See Top 100 in Electronics) #908 in Digital Point & Shoot Cameras"], "Is Discontinued By Manufacturer": "No", "Date First Available": "February 21, 2006", "Manufacturer": "Canon"}, "brand": "Visit the Canon Store", "brand_url": "https://www.amazon.com/stores/Canon/page/5FDDA83E-27A1-472F-8444-4828B50C4243?ref_=ast_bln", "full_description": "The sleek PowerShot S3 IS digital camera offers you high resolution, an extra-long zoom, advanced yet easy-to-use movie functions plus great new shooting options. Also, with Image Stabilizer technology, images and movies taken with the S3 IS are sharp and smooth, even when the camera gets jostled. It's everything you need to capture the fun, excitement and beauty of your active life wherever it takes you. The sleek PowerShot S3 IS digital camera offers you high resolution, an extra-long zoom, advanced yet easy-to-use movie functions plus great new shooting options. Also, with Image Stabilizer technology, images and movies taken with the S3 IS are sharp and smooth, even when the camera gets jostled. It's everything you need to capture the fun, excitement and beauty of your active life - wherever it takes you! Successor to the popular PowerShot S2 IS, the latest addition to the PowerShot S-series incorporates a 6.0-megapixel CCD sensor, Canon's renowned optical Image Stabilizer technology, and video functionality rivalling that of dedicated digital video camcorders. Sporting a striking new finish in gunmetal grey, the compact PowerShot S3 IS answers the demands of advanced photographers with several improvements over its predecessor, including an increased sensitivity range of ISO 80 to ISO 800, a larger 2.0-inch vari-angle LCD screen, widescreen (16:9) recording, new movie features, and an additional Sports mode. Canon PowerShot S3 IS features: 12x optical zoom lens with USM and UD lens element Optical Image Stabilizer 6.0-megapixel CCD Larger size 2.0-inch vari-angle LCD 30-frame-per-second (fps) VGA movies with stereo sound and Photo in Movie feature DIGIC II, iSAPS, and Flexizone AF/AE for fast, precise results and 2.3 fps continuous shooting performance 20 shooting modes and My Colors photo effects High ISO Auto and ISO 800 for low light flexibility Widescreen (16:9) recording The PowerShot S3 IS caters for serious photo enthusiasts seeking extended zooming flexibility and fully featured movie recording in a versatile compact digital stills camera. Optics Still the most powerful zoom in a Canon digital compact camera (36 to 432mm, f2.7-f.3.5), the PowerShot S3 IS's lens incorporates the same leading technologies used in Canon's professional EF lenses. An Ultra-Sonic Motor (USM) drives rapid and near-silent zoom operation; an Ultra-low Dispersion (UD) lens element significantly reduces chromatic aberration in telephoto shots; Canon's optical Image Stabilizer (IS) technology counteracts camera shake to reduce image blur when shooting stills or recording video, essential for handheld shots at longer focal lengths. IS allows photographers to shoot at shutter speeds up to 3 stops slower for reliable flash-free photography in low light conditions. The PowerShot S3 IS's 12x optical zoom combines with digital zoom to deliver 48x magnification for recording both stills and video. For even wider framing options, optional wide and telephoto converter lenses extend the focal length from wide 27mm to super-tele 648mm (35mm film equivalent) for an impressive 24x optical zoom. A Super Macro mode and optional Close-Up lens 500D (58mm) allow for detailed macro photography. (Optional wide, telephoto, and close-up lenses not included--must be purchased separately.) Increased ISO speed In addition to Image Stabilization, the PowerShot S3 IS features a new High ISO Auto setting and ISO 800 to further extend the camera's low light shooting capabilities. High ISO Auto automatically sets exposure using the higher range of ISO sensitivities, enabling faster shutter speeds in low light and increased image stability at the telephoto end. A dedicated ISO button allows for easy switching between ISO sensitivities. Movie functions Powerful video functions make the PowerShot S3 IS far more than just a high-performance digital still camera. A dedicated movie button means users do not need to switch modes to start recording, so spontaneous moments can be instantly captured in full motion. Users can record smooth 30-frame-per-second VGA quality movies of up to 1 GB with stereo sound, or create 60-frame-per-second QVGA clips for sharp slow-motion playback. The Movie mode also allows users to pre-select exposure and white balance, zoom throughout the camera's focal range, and manually adjust focus while shooting. A Photo In Movie feature enables the capture of full resolution digital stills during video recording. Creative shooting The PowerShot S3 IS offers 20 shooting modes including full Manual mode, Aperture Priority, and Shutter Speed Priority. Together with 2.3-frame-per-second continuous shooting, a new fast-shutter Sports mode with improved autofocus accuracy provides unprecedented capabilities for capturing action sports sequences. Special Scene modes--such as Night Snapshot and Snow--assist with tricky lighting conditions, while Color Accent and Color Swap modes enable dramatic color effects to be applied to both images and movies. Canon's My Colors photo effects have been enhanced for this model, and can now be applied to images both before and after shooting. The PowerShot S3 IS features a new Widescreen mode (2816 x 1584 recording pixels) for capturing still images in 16:9 format--perfect for viewing images on widescreen television or printing wide (10 x 20-centimeter) photos with a Selphy Compact Photo Printer. Printing and other features A new, dedicated Print menu simplifies printing of multiple images. Full PictBridge support means users can print directly to any PictBridge compatible printer without the need for a PC. New PictBridge features include the ability to print shooting data and optimize faces in portrait shots when connected to a compatible Canon PIXMA printer. The camera's ID photo and movie stills features are also available when connected to a Selphy CP Series Printer. A handy Print/Share button allows one-touch printing and easy uploads to Windows or Mac systems. (Printer not included--must be purchased separately.) The camera's menu system now features support for Arabic, bringing the total number of supported languages to 23. Canon technologies explained Optical Image Stabilizer Canon's lens-shift-type optical Image Stabilizer counteracts the camera shake caused by slight hand movements. Vibration sensors detect the angle and speed of movement and send this information to a processor, allowing the camera to compensate. This adds stability to hand-held, telephoto, or moving shots and enables shooting at shutter speeds of up to three stops slower with no noticeable increase in image blur. DIGIC II Canon's purpose-built DIGIC II (DIGital Imaging Core) image processor links all primary camera functions for maximum efficiency. High-speed processing results in outstanding responsiveness, rapid autofocus, and extended continuous shooting ability. Advanced image processing algorithms deliver superb image detail and color reproduction with accurate white balance and minimal noise. DIGIC II operates efficiently to extend battery life, for longer shooting on a single charge. iSAPS iSAPS (Intelligent Scene Analysis based on Photographic Space) automatically optimizes key camera settings before every shot. Each scene is analyzed and cross-referenced against Photographic Space--a vast in-camera library of photographic data. This enables the camera to make optimal adjustments to autoexposure, autofocus, and auto white balance before image capture occurs. 9-Point AiAF Canon's 9-point AiAF (Artificial Intelligence Autofocus) automatically scans and selects subjects from a set of nine focusing areas across the scene. This ensures accurately focused images even when subjects are not in the centre of the frame. FlexiZone AF/AE FlexiZone AF/AE lets users manually select the focus point from almost any point in the frame by moving the autofocus window in the viewfinder. Exposure is linked to the focus point to ensure that the chosen subject is accurately focused and exposed. Ultra-low Dispersion (UD) lens technology No matter how well engineered, conventional optical glass lens elements cause chromatic aberrations which can 'soften' images and appear in photographs as fringing around the outside edge of subjects. Canon's Ultra-low Dispersion (UD) glass has special optical properties to successfully reduce these aberrations. Especially effective in super telephoto lenses, UD glass helps to deliver crisp, sharp, high-contrast images. What's in the Box PowerShot S3 IS body, AA-size alkaline battery (x 4), SD memory card SDC-16MB, lens cap, neck strap NS-DC4, Digital Camera Solution CD-ROM, USB interface cable IFC-400PCU, stereo video cable STV-250N The PowerShot S3 IS caters for serious photo enthusiasts seeking extended zooming flexibility and fully featured movie recording in a versatile compact digital stills camera. Optics Still the most powerful zoom in a Canon digital compact camera (36 to 432mm, f2.7-f.3.5), the PowerShot S3 IS's lens incorporates the same leading technologies used in Canon's professional EF lenses. An Ultra-Sonic Motor (USM) drives rapid and near-silent zoom operation; an Ultra-low Dispersion (UD) lens element significantly reduces chromatic aberration in telephoto shots; Canon's optical Image Stabilizer (IS) technology counteracts camera shake to reduce image blur when shooting stills or recording video, essential for handheld shots at longer focal lengths. IS allows photographers to shoot at shutter speeds up to 3 stops slower for reliable flash-free photography in low light conditions. The PowerShot S3 IS's 12x optical zoom combines with digital zoom to deliver 48x magnification for recording both stills and video. For even wider framing options, optional wide and telephoto converter lenses extend the focal length from wide 27mm to super-tele 648mm (35mm film equivalent) for an impressive 24x optical zoom. A Super Macro mode and optional Close-Up lens 500D (58mm) allow for detailed macro photography. (Optional wide, telephoto, and close-up lenses not included--must be purchased separately.) Increased ISO speed In addition to Image Stabilization, the PowerShot S3 IS features a new High ISO Auto setting and ISO 800 to further extend the camera's low light shooting capabilities. High ISO Auto automatically sets exposure using the higher range of ISO sensitivities, enabling faster shutter speeds in low light and increased image stability at the telephoto end. A dedicated ISO button allows for easy switching between ISO sensitivities. Movie functions Powerful video functions make the PowerShot S3 IS far more than just a high-performance digital still camera. A dedicated movie button means users do not need to switch modes to start recording, so spontaneous moments can be instantly captured in full motion. Users can record smooth 30-frame-per-second VGA quality movies of up to 1 GB with stereo sound, or create 60-frame-per-second QVGA clips for sharp slow-motion playback. The Movie mode also allows users to pre-select exposure and white balance, zoom throughout the camera's focal range, and manually adjust focus while shooting. A Photo In Movie feature enables the capture of full resolution digital stills during video recording. Creative shooting The PowerShot S3 IS offers 20 shooting modes including full Manual mode, Aperture Priority, and Shutter Speed Priority. Together with 2.3-frame-per-second continuous shooting, a new fast-shutter Sports mode with improved autofocus accuracy provides unprecedented capabilities for capturing action sports sequences. Special Scene modes--such as Night Snapshot and Snow--assist with tricky lighting conditions, while Color Accent and Color Swap modes enable dramatic color effects to be applied to both images and movies. Canon's My Colors photo effects have been enhanced for this model, and can now be applied to images both before and after shooting. The PowerShot S3 IS features a new Widescreen mode (2816 x 1584 recording pixels) for capturing still images in 16:9 format--perfect for viewing images on widescreen television or printing wide (10 x 20-centimeter) photos with a Selphy Compact Photo Printer. Printing and other features A new, dedicated Print menu simplifies printing of multiple images. Full PictBridge support means users can print directly to any PictBridge compatible printer without the need for a PC. New PictBridge features include the ability to print shooting data and optimize faces in portrait shots when connected to a compatible Canon PIXMA printer. The camera's ID photo and movie stills features are also available when connected to a Selphy CP Series Printer. A handy Print/Share button allows one-touch printing and easy uploads to Windows or Mac systems. (Printer not included--must be purchased separately.) The camera's menu system now features support for Arabic, bringing the total number of supported languages to 23. Canon technologies explained Optical Image Stabilizer Canon's lens-shift-type optical Image Stabilizer counteracts the camera shake caused by slight hand movements. Vibration sensors detect the angle and speed of movement and send this information to a processor, allowing the camera to compensate. This adds stability to hand-held, telephoto, or moving shots and enables shooting at shutter speeds of up to three stops slower with no noticeable increase in image blur. DIGIC II Canon's purpose-built DIGIC II (DIGital Imaging Core) image processor links all primary camera functions for maximum efficiency. High-speed processing results in outstanding responsiveness, rapid autofocus, and extended continuous shooting ability. Advanced image processing algorithms deliver superb image detail and color reproduction with accurate white balance and minimal noise. DIGIC II operates efficiently to extend battery life, for longer shooting on a single charge. iSAPS iSAPS (Intelligent Scene Analysis based on Photographic Space) automatically optimizes key camera settings before every shot. Each scene is analyzed and cross-referenced against Photographic Space--a vast in-camera library of photographic data. This enables the camera to make optimal adjustments to autoexposure, autofocus, and auto white balance before image capture occurs. 9-Point AiAF Canon's 9-point AiAF (Artificial Intelligence Autofocus) automatically scans and selects subjects from a set of nine focusing areas across the scene. This ensures accurately focused images even when subjects are not in the centre of the frame. FlexiZone AF/AE FlexiZone AF/AE lets users manually select the focus point from almost any point in the frame by moving the autofocus window in the viewfinder. Exposure is linked to the focus point to ensure that the chosen subject is accurately focused and exposed. Ultra-low Dispersion (UD) lens technology No matter how well engineered, conventional optical glass lens elements cause chromatic aberrations which can 'soften' images and appear in photographs as fringing around the outside edge of subjects. Canon's Ultra-low Dispersion (UD) glass has special optical properties to successfully reduce these aberrations. Especially effective in super telephoto lenses, UD glass helps to deliver crisp, sharp, high-contrast images. What's in the Box PowerShot S3 IS body, AA-size alkaline battery (x 4), SD memory card SDC-16MB, lens cap, neck strap NS-DC4, Digital Camera Solution CD-ROM, USB interface cable IFC-400PCU, stereo video cable STV-250N", "pricing": "$49.79", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41In54eEN3L.jpg", "https://m.media-amazon.com/images/I/41InVEpk7ZL.jpg", "https://m.media-amazon.com/images/I/41l0azIA69L.jpg", "https://m.media-amazon.com/images/I/4118vr4kzAL.jpg", "https://m.media-amazon.com/images/I/41I-32pCk1L.jpg", "https://m.media-amazon.com/images/I/41IqJHCNRKL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Digital Cameras \u203a Point & Shoot Digital Cameras", "average_rating": 4.1, "small_description": ["Powered by 4 AA-size batteries (alkaline batteries supplied) , stores images on SD memory cards (16 MB card included) ", "DIGIC II, iSAPS, and Flexizone AF/AE for fast, precise results , 2.3-frame-per-second continuous shooting performance ", "12x optical zoom lens with USM and UD lens element , 2.0-inch vari-angle LCD display ", "6.0-megapixel CCD captures enough detail for photo-quality 14 x 19-inch prints ", "20 shooting modes and My Colors photo effects ", "6.0-megapixel CCD captures enough detail for photo-quality 14 x 19-inch prints ", "12x optical zoom lens with USM and UD lens element; 2.0-inch vari-angle LCD display , 20 shooting modes and My Colors photo effects, DIGIC II, iSAPS, and Flexizone AF/AE for fast, precise results; 2.3-frame-per-second continuous shooting performance, Powered by 4 AA-size batteries (alkaline batteries supplied); stores images on SD memory cards (16 MB card included)"], "total_reviews": 632, "total_answered_questions": 41, "model": "1101B001", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B000EMWBV0", "category": "electronics", "query": "Digital Cameras", "page": 137, "small_description_old": "About this item\n \nPowered by 4 AA-size batteries (alkaline batteries supplied) , stores images on SD memory cards (16 MB card included) DIGIC II, iSAPS, and Flexizone AF/AE for fast, precise results , 2.3-frame-per-second continuous shooting performance 12x optical zoom lens with USM and UD lens element , 2.0-inch vari-angle LCD display 6.0-megapixel CCD captures enough detail for photo-quality 14 x 19-inch prints 20 shooting modes and My Colors photo effects 6.0-megapixel CCD captures enough detail for photo-quality 14 x 19-inch prints 12x optical zoom lens with USM and UD lens element; 2.0-inch vari-angle LCD display \n 20 shooting modes and My Colors photo effectsDIGIC II, iSAPS, and Flexizone AF/AE for fast, precise results; 2.3-frame-per-second continuous shooting performancePowered by 4 AA-size batteries (alkaline batteries supplied); stores images on SD memory cards (16 MB card included)Show more"}, {"name": "9\u201d Pure Beeswax Candle Set of 20 Pieces, deep Yellow Beeswax Candles with Natural Honey Scent and Cotton Wicks Food Grade tapers and Toppers for Everyday use 1102469", "product_information": {"Brand": "\u200eMHH", "Item Weight": "\u200e9.1 ounces", "Package Dimensions": "\u200e10.94 x 2.44 x 1.81 inches", "Item Package Quantity": "\u200e20", "Style": "\u200e20", "Material": "\u200eBeeswax", "Special Features": "\u200eClean Burn, Dripless", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "ASIN": "B07WH2WBF2", "Customer Reviews": {"ratings_count": 3, "stars": "3.4 out of 5 stars"}, "Best Sellers Rank": ["#589,376 in Home & Kitchen (See Top 100 in Home & Kitchen) #144 in Candle Sets"], "Date First Available": "August 16, 2019"}, "brand": "Visit the MHH Store", "brand_url": "https://www.amazon.com/stores/MHH/page/47393A0E-B418-4D53-BA21-E574A8DAA495?ref_=ast_bln", "full_description": "Be sure you\u2019re getting a quality, healthy candles! There\u2019s something incredibly soothing about the soft warm glow of a candle at night that makes the world seem a little bit simpler and more pleasant. Therefore, why not enjoy the charm of candlelight and be confident your indoor air quality is actually improving? It can happen, but not with your standard candle. This is because store-bought paraffin candles are made from chemical wax and are not good for your breathing. One fabulous alternative to paraffin candles is a natural beeswax candle. Did you know that beeswax candles are a natural air-purifier? They work through a process called negative ionization when these negative ions will attach to positively charged particles in the air, such as dust and pollen. These new clumps of particles become heavier, allowing gravity to pull them down where they can be swept. But the golden glow and long burn time are just the beginning of a handmade beeswax candle\u2019s charm. Unlike paraffin candles they burn clean and bright while releasing a faint honey scent. Beeswax candles have a higher melting point than many other waxes, and so the candles remain upright in hot weather. Yet you cannot just light your beeswax candle and walk away. All burning candles need some maintenance and they should NEVER BE LEFT UNATTENDED. Not all natural beeswax candles is the same color. If the bees were on clover the beeswax will be lighter than if they were on buckwheat. It is lighter or darker depending on the flowers the bees have been able to forage. Enjoy the diversity! NOTE: Not everyone knows that \u2019bloom\u2019 on beeswax candles is a good thing. Only 100% pure beeswax will \u2018bloom\u2019 as the candles have been subjected to many temperature changes. If you prefer your beeswax candles polished and shiny then just warm them to a room temperature or try a lifehack - use a hair fan and in no time candles will look fresh like they had been recently poured.", "pricing": "$11.99", "list_price": "", "availability_quantity": 18, "availability_status": "Only 18 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51uXoatWECL.jpg", "https://m.media-amazon.com/images/I/41C8MSYW3DL.jpg", "https://m.media-amazon.com/images/I/41vn+f+eFIL.jpg", "https://m.media-amazon.com/images/I/51IwwmhbGxL.jpg", "https://m.media-amazon.com/images/I/41Gvz9mEnSL.jpg", "https://m.media-amazon.com/images/I/41o5PzT9bkL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Candles & Holders \u203a Candles \u203a Candle Sets", "average_rating": 3.4, "small_description": ["Natural Beeswax Candles, 20 pieces, 9 inches ", "Pure cotton wick - burn purely and dripless ", "Natural honey scent - healthy aromatherapy ", "Eco-friendly candles for home, decor, party and birthday cakes, religious purposes "], "total_reviews": 3, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07QM7DFFG/ref=twister_B096W6M6JT", "value": "7 in", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "9 in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08T5XP2TF/ref=twister_B096W6M6JT?_encoding=UTF8&psc=1", "value": "12 in", "price_string": "", "price": 0, "image": null}], "Style": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07WG33N1L/ref=twister_B096W6M6JT", "value": "30", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07QM7DFFG/ref=twister_B096W6M6JT", "value": "45", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WH2WTRQ/ref=twister_B096W6M6JT?_encoding=UTF8&psc=1", "value": "10", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "20", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WJ5XL4P/ref=twister_B096W6M6JT?_encoding=UTF8&psc=1", "value": "40", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WJ5MKTT/ref=twister_B096W6M6JT?_encoding=UTF8&psc=1", "value": "50", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A2VE9J396BUVQ", "seller_name": "MyHomeHelper", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07WH2WBF2", "category": "garden", "query": "Candles", "page": 279, "small_description_old": "About this item Natural Beeswax Candles, 20 pieces, 9 inches Pure cotton wick - burn purely and dripless Natural honey scent - healthy aromatherapy Eco-friendly candles for home, decor, party and birthday cakes, religious purposes \n \u203a See more product details"}, {"name": "1 Factory Radio Audio Equipment Radio Amplifier Compatible with 2001-2005 Chevrolet Cavalier 9393191", "product_information": {"Manufacturer": "\u200e1 Factory Radio", "Brand": "\u200e1 Factory Radio", "Item Weight": "\u200e8 pounds", "Package Dimensions": "\u200e10 x 10 x 6 inches", "Manufacturer Part Number": "\u200e638-01348-NOA", "ASIN": "B08NFLLK8P", "Date First Available": "November 13, 2020"}, "brand": "Brand: 1 Factory Radio", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=1+Factory+Radio", "full_description": "1 Factory Radio Audio Equipment Radio Amplifier Compatible with 2001-2005 Chevrolet Cavalier 9393191. 2001-2005 Chevrolet Cavalier Audio Equipment Radio Amplifier -- No Unlock Code Required -- Professionally remanufactured and 100% working order. Item may have normal signs of wear. Part Number: 9393191 Interchange Part Number: 638-01348 Compatible Part Number: 22670845, 22670845 Option Code: None This is a Professionally Remanufactured Audio Equipment Radio Amplifier that fits 2001-2005 Chevrolet Cavalier. Please see pictures for more cosmetic details. This item has been cleaned, serviced as needed and thoroughly checked. Function is in 100% working order! This unit is being sold as a REPLACEMENT ONLY! The part number is 9393191. If you do not have this exact part number, or compatible part number currently in your vehicle, it will likely NOT WORK. If you are unsure of your part number, contact us with your VIN and they should be able to provide you with the correct part number. They may look the same and have the same plugs but data streams may be different, not allowing them to code. For example, external amps are used in some cars and will not allow interchange, etc. Please verify that this is the item you require before purchase. The item you receive will be as pictured and described. Thank you for your purchase!", "pricing": "$75.00", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31+JYbiT+UL.jpg", "https://m.media-amazon.com/images/I/31YTSVR+5KL.jpg", "https://m.media-amazon.com/images/I/414EdXqoh5L.jpg", "https://m.media-amazon.com/images/I/31--MidU0rL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Car & Vehicle Electronics \u203a Car Electronics \u203a Car Audio \u203a Car Stereo Receivers", "average_rating": "", "small_description": ["Professionally Remanufactured OEM Unit ", "Audio Equipment Radio Amplifier ", "Part Number: 9393191 | Interchange Part Number: 638-01348 ", "Compatible with 2001-2005 Chevrolet Cavalier ", "Technical Support Powered By 1 Factory Radio "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B08NFLLK8P", "category": "electronics", "query": "AV Receivers & Amplifiers", "page": 112, "small_description_old": "Professionally Remanufactured OEM Unit Audio Equipment Radio Amplifier Part Number: 9393191 | Interchange Part Number: 638-01348 Compatible with 2001-2005 Chevrolet Cavalier Technical Support Powered By 1 Factory Radio \n \u203a See more product details"}, {"name": "Edna Wig Color FS4/30 - Foxy Silver Wigs Short Pixie Wispy Fringe Synthetic Straight Layers African American Women's Machine Wefted Lightweight Average Cap Bundle with MaxWigs Hairloss Booklet", "product_information": {"UPC\n \u200f": "\u200e\n 098379486174", "Manufacturer\n \u200f": "\u200e\n Alicia International", "ASIN\n \u200f": "\u200e\n B07BB1FJV8", "Best Sellers Rank": "#165,850 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#4,833 in Hair Replacement Wigs", "#4,833 in Hair Replacement Wigs": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Foxy Silver", "brand_url": "https://www.amazon.com/Foxy-Silver/b/ref=bl_dp_s_web_20272095011?ie=UTF8&node=20272095011&field-lbr_brands_browse-bin=Foxy+Silver", "full_description": "The Edna Synthetic Wig by Alicia Beauty is a short pixie style. This wig has shorter layers at the top to create volume and natural lift. The shorter straight side layers can be smoothed down or worn fuller. Wispy fringe gives the perfect amount of coverage toward the front. It is made from superior synthetic Kanekalon fibers. So the fibers hold the style all day long. Edna features a machine wefted cap construction that is lightweight and comfortable. The Foxy Silver Collection offer high quality wigs for women that feature machine wefted lightweight caps for fabulous hair - everyday. Edna Wig Color FS4/30 - Foxy Silver Wigs Short Pixie Wispy Fringe Synthetic Straight Layers African American Women's Machine Wefted Lightweight Average Cap Bundle with MaxWigs Hairloss Booklet", "pricing": "$36.69", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/512H6v6aqbL.jpg", "https://m.media-amazon.com/images/I/511YkccAuiL.jpg", "https://m.media-amazon.com/images/I/410KRXqpWXL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "average_rating": 4, "small_description": ["Edna Wig Color FS4/30 - Foxy Silver Wigs Short Pixie Wispy Fringe Synthetic Straight Layers African American Women's Machine Wefted Lightweight Average Cap Bundle with MaxWigs Hairloss Booklet ", "Designed using only high quality Kanekalon synthetic fibers, this hair cut simulates the appearance of real human hair with lightweight precision and soft texture. ", "Model shows 3T34, but the listing is for FS4/30 ", "A machine-stitched standard wig cap allows long-lasting comfort, durability, and security which works as hard as you do. Available in several solid and highlighted colors, the Mary synthetic wig is one easy style that's ready to go whenever you are. ", "Short Length, Average Cap (21.5\" - 22.5\" Circumference), (13.5\" Ear to Ear), (14.5\" Front to Back) "], "total_reviews": 21, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07B9ZD3J9/ref=twister_B07B9YWNDL?_encoding=UTF8&psc=1", "value": "1 Black", "price_string": "$36.69", "price": 36.69, "image": "https://m.media-amazon.com/images/I/51v9Hn1YZXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07BB1BLM3/ref=twister_B07B9YWNDL?_encoding=UTF8&psc=1", "value": "1B", "price_string": "$36.69", "price": 36.69, "image": "https://m.media-amazon.com/images/I/5182CohvejL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07B9ZJXCS/ref=twister_B07B9YWNDL?_encoding=UTF8&psc=1", "value": "2", "price_string": "$36.69", "price": 36.69, "image": "https://m.media-amazon.com/images/I/51LP7rKYWzL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07B9YRTXY/ref=twister_B07B9YWNDL?_encoding=UTF8&psc=1", "value": "3T280", "price_string": "$36.69", "price": 36.69, "image": "https://m.media-amazon.com/images/I/51Erptuz-ZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07B9ZBLTQ/ref=twister_B07B9YWNDL?_encoding=UTF8&psc=1", "value": "3T34", "price_string": "$36.69", "price": 36.69, "image": "https://m.media-amazon.com/images/I/51gOp16HgPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07B9YHWJF/ref=twister_B07B9YWNDL?_encoding=UTF8&psc=1", "value": "3T44", "price_string": "$36.69", "price": 36.69, "image": "https://m.media-amazon.com/images/I/51kydsFcIDL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07B9Z5R3Z/ref=twister_B07B9YWNDL?_encoding=UTF8&psc=1", "value": "3T51", "price_string": "$36.69", "price": 36.69, "image": "https://m.media-amazon.com/images/I/51ENpVS23lL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07B9Z926N/ref=twister_B07B9YWNDL?_encoding=UTF8&psc=1", "value": "4 Medium Dark Brown", "price_string": "$36.69", "price": 36.69, "image": "https://m.media-amazon.com/images/I/51xx+RYNMQL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07B9YX9W7/ref=twister_B07B9YWNDL?_encoding=UTF8&psc=1", "value": "FS1B/30", "price_string": "$36.69", "price": 36.69, "image": "https://m.media-amazon.com/images/I/51fFYjweylL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07B9ZV6VV/ref=twister_B07B9YWNDL?_encoding=UTF8&psc=1", "value": "FS4/27", "price_string": "$36.69", "price": 36.69, "image": "https://m.media-amazon.com/images/I/51R6YoMdO2L.jpg"}, {"is_selected": true, "url": null, "value": "FS4/30", "price_string": "$36.69", "price": 36.69, "image": "https://m.media-amazon.com/images/I/511YkccAuiL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07B9YLTPC/ref=twister_B07B9YWNDL?_encoding=UTF8&psc=1", "value": "White", "price_string": "$39.06", "price": 39.06, "image": "https://m.media-amazon.com/images/I/41B9gMDVRvL.jpg"}]}, "seller_id": "A257NGKA80G4PQ", "seller_name": "MaxWigs", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07BB1FJV8", "category": "beauty", "query": "Hair Loss Products", "page": 66, "small_description_old": "About this item Edna Wig Color FS4/30 - Foxy Silver Wigs Short Pixie Wispy Fringe Synthetic Straight Layers African American Women's Machine Wefted Lightweight Average Cap Bundle with MaxWigs Hairloss Booklet Designed using only high quality Kanekalon synthetic fibers, this hair cut simulates the appearance of real human hair with lightweight precision and soft texture. Model shows 3T34, but the listing is for FS4/30 A machine-stitched standard wig cap allows long-lasting comfort, durability, and security which works as hard as you do. Available in several solid and highlighted colors, the Mary synthetic wig is one easy style that's ready to go whenever you are. Short Length, Average Cap (21.5\" - 22.5\" Circumference), (13.5\" Ear to Ear), (14.5\" Front to Back)"}, {"name": "Expression Tees Pug Life Funny Thug Life Unisex Adult Hoodie", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 26 x 20 x 26 inches; 1.5 Pounds", "Item model number\n \u200f": "\u200e\n 9000-H-BK-S", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n June 29, 2016", "Manufacturer\n \u200f": "\u200e\n Expression Tees", "ASIN\n \u200f": "\u200e\n B01HQTWIRK", "Best Sellers Rank": "#958,821 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#9,594 in Women's Novelty Hoodies #13,747 in Men's Novelty Hoodies #359,148 in Men's Fashion", "#9,594 in Women's Novelty Hoodies": "", "#13,747 in Men's Novelty Hoodies": "", "#359,148 in Men's Fashion": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Expression Tees Store", "brand_url": "https://www.amazon.com/stores/Expression+Tees/page/7F641448-1FA3-404E-9BB7-4A3AF722648F?ref_=ast_bln", "full_description": "Our professionally printed Adult Hoodies are preshrunk 50% cotton/50% polyester pill-resistant fleece. They feature a double-ply hood, with matching tipped and knotted drawcord. Ribbed cuffs and waistband and a front pouch pocket.Printed and designed in the U.S.A. using top quality garments for comfort and style. We use state of the art equipment to ensure vibrant colors and lasting durability on every piece of clothing apparel we sell.Recommended Care Instructions - Machine wash cold, inside out, with like colors. Only non-chlorine bleach. Tumble dry medium. Do not iron. Do not dry clean.", "pricing": "$36.99$48.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41EG6AoafEL.jpg", "https://m.media-amazon.com/images/I/51IdjA754gL.jpg", "https://m.media-amazon.com/images/I/41mBNpHMQkL.jpg", "https://m.media-amazon.com/images/I/51q6X1+wT0L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Women \u203a Hoodies", "average_rating": 4.6, "small_description": ["50% Polyester, 50% Cotton ", "Pull On closure ", "Machine Wash ", "Thug life? More like Pug Life ", "snug as a pug on a rug ", "Printed and designed in the U.S.A. using top quality garments for comfort and style. We use state of the art equipment to ensure vibrant colors and lasting durability on every piece of clothing apparel we sell ", "Our Adult Hoodies are 8 oz. preshrunk 50% cotton/50% polyester pill-resistant fleece. They feature a double-ply hood, with matching tipped and knotted drawcord. Ribbed cuffs and waistband and a front pouch pocket. ", "Recommended Care Instructions - Machine wash cold, inside out, with like colors. Only non-chlorine bleach. Tumble dry medium. Do not iron. Do not dry clean. Makes a perfect gift for Christmas, Birthdays or any Holiday or special event "], "total_reviews": 19, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B01HQTWIRK"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B01HQTWJD8"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B01HQTWK5K"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B01HQTWKLY"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B01HQTWL6S"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B09Q4H2GQX"}, {"is_selected": false, "is_available": true, "value": "4X-Large", "asin": "B09Q49WR64"}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51WJGS3SS-L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01HQTWM80/ref=twister_B01HQTWIGQ", "value": "Charcoal Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51pHWclpVgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01HQTWUHS/ref=twister_B01HQTWIGQ", "value": "Forest Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51zTI74wysL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01HQTX08Q/ref=twister_B01HQTWIGQ", "value": "Heather Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61Cm2muI2XL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01HQTX4C8/ref=twister_B01HQTWIGQ", "value": "Kelly Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51oaEJdo7cL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01HQTX68U/ref=twister_B01HQTWIGQ", "value": "Maroon", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51pnmrCl7gL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01HQTX8QK/ref=twister_B01HQTWIGQ", "value": "Navy Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51oGnpFEeFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01HQTXESC/ref=twister_B01HQTWIGQ", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51yvSJ2v9NL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01HQTXGKI/ref=twister_B01HQTWIGQ", "value": "Royal Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51n-zm5zCHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01HQTUO5I/ref=twister_B01HQTWIGQ", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41qWqY9uwML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07QGKQW3F/ref=twister_B01HQTWIGQ", "value": "Cotton Candy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41oXy4WLldL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q4WJNZX/ref=twister_B01HQTWIGQ", "value": "Sand Camo", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51jGSDdEGpL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09GGD279X/ref=twister_B01HQTWIGQ", "value": "Vintage Camo", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61dEUFrJImS.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01HQTWL6S", "category": "fashion", "query": "Women's Fashion Hoodies & Sweatshirts", "page": 191, "small_description_old": "50% Cotton, 50% Polyester Pull On closure Machine Wash Thug life? More like Pug Life snug as a pug on a rug Printed and designed in the U.S.A. using top quality garments for comfort and style. We use state of the art equipment to ensure vibrant colors and lasting durability on every piece of clothing apparel we sell Our Adult Hoodies are 8 oz. preshrunk 50% cotton/50% polyester pill-resistant fleece. They feature a double-ply hood, with matching tipped and knotted drawcord. Ribbed cuffs and waistband and a front pouch pocket. Recommended Care Instructions - Machine wash cold, inside out, with like colors. Only non-chlorine bleach. Tumble dry medium. Do not iron. Do not dry clean. Makes a perfect gift for Christmas, Birthdays or any Holiday or special event"}, {"name": "TASYL USB Adapter for iPhone iPad Lightning Camera Adapter USB 3.0 OTG Cable Supports Camera, USB Flash Drive, Keyboard, Mouse, Camera, Wireless dongles, Bluetooth Dongles", "product_information": {"Package Dimensions": "5.98 x 2.01 x 0.55 inches", "Item Weight": "0.704 ounces", "ASIN": "B09J5HJ8DL", "Customer Reviews": {"ratings_count": 6, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#1,055 in USB-to-USB Adapters #36,923 in Computer Cables & Interconnects"], "Date First Available": "November 2, 2021", "Manufacturer": "TASYL"}, "brand": "Visit the TASYL Store", "brand_url": "https://www.amazon.com/stores/TASYLTrackableDevices/page/628198D9-D53B-402C-9D65-29DFD0470582?ref_=ast_bln", "full_description": "- Multi Device Adapter cable with charging port for both iPhone and iPAD. - Devices like USB Flash drive, SSD drive, DSLR camera, Wireless keyboard/Mouse Dongle, Printer USB cable, USB webcam, etc can be connected to the iPAD or iPhone whilst charging the iPhone and iPAD at the same time. - Perfect for power intensive applications like connecting USB Flash Drives, SSD drives, etc for data transfer of example 4K videos etc wherein your iPhone and iPAD keeps on charging whilst the USB devices in constant use. - Connect MIDI keyboard etc to your iPhone or iPad using this Tasyl OTG adapter whilst also making sure your phone/tablet is charging. Note: You would need respective MIDI App to work with your musical keyboard etc.", "pricing": "$13.80", "list_price": "", "availability_quantity": 5, "availability_status": "Only 5 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/21muq5x2vjL.jpg", "https://m.media-amazon.com/images/I/21Ge6pO0QfL.jpg", "https://m.media-amazon.com/images/I/41r+1az1X5L.jpg", "https://m.media-amazon.com/images/I/41md0DJ1PvL.jpg", "https://m.media-amazon.com/images/I/5161CpI2ldL.jpg", "https://m.media-amazon.com/images/I/31J-O-JXvLL.jpg", "https://m.media-amazon.com/images/I/519a97CkFIL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Computer Accessories & Peripherals \u203a Computer Cable Adapters \u203a USB-to-USB Adapters", "average_rating": 4, "small_description": ["[Date transfer + Charging] Phones and tablets battery have limited capacity to power externally connected USB devices so this product is perfect in such situations wherein you can charge your iPhone or iPAD while also having power hungry USB devices connected. ", "[Data Transfer Only mode] You can also use this adapter with all it's features even if charger not connected. Note that for higher current drawing devices like SSD drive and DSLR camera you would need charger to be connected to this adapter charge port. ", "[PowerBank compatible] Charging port can be connected with standard mains powered supplies or even using a powerbank while the adapter feature of this product is in use. Note: This charging port requires a standard lightning connector cable which you use with your iphone/iPAD for charging. ", "[Files App Required] - You would need the free \"Files\" app from App store installed. When connect any device like flash drive to your iphone/iPad then within you will see this flash drive appear as a USB drive within Files App. You can then for example go to Gallery and \"Select\" one or more files from your iPhone or iPAD and then select \"Save to Files\" option and save it to USB drive from there. Any queries then please do contact us. Tested on latest iPAD Pro, iPad 2017, iPhone X and iPhone 13. "], "total_reviews": 6, "total_answered_questions": "", "customization_options": "", "seller_id": "A101ZY0GFUP9U6", "seller_name": "TASYL", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09J5HJ8DL", "category": "electronics", "query": "Flashes", "page": 162, "small_description_old": "About this item\n \n[Date transfer + Charging] Phones and tablets battery have limited capacity to power externally connected USB devices so this product is perfect in such situations wherein you can charge your iPhone or iPAD while also having power hungry USB devices connected. [Data Transfer Only mode] You can also use this adapter with all it's features even if charger not connected. Note that for higher current drawing devices like SSD drive and DSLR camera you would need charger to be connected to this adapter charge port. [PowerBank compatible] Charging port can be connected with standard mains powered supplies or even using a powerbank while the adapter feature of this product is in use. Note: This charging port requires a standard lightning connector cable which you use with your iphone/iPAD for charging. [Files App Required] - You would need the free \"Files\" app from App store installed. When connect any device like flash drive to your iphone/iPad then within you will see this flash drive appear as a USB drive within Files App. You can then for example go to Gallery and \"Select\" one or more files from your iPhone or iPAD and then select \"Save to Files\" option and save it to USB drive from there. Any queries then please do contact us. Tested on latest iPAD Pro, iPad 2017, iPhone X and iPhone 13. USB to Lightning, USB to iphone adapter, iphone to usb adapter, iphone 13 usb adapter, iphone adapter usb, usb adapter for ipad pro, ipad lightning to usb adapter, ipad adapter usb, usb adapter for ipad, camera adapter for iphone ipad"}, {"name": "Daeng Gi Meo Ri Jin Gi Vitalizing Treatment 500 ML Anti Dandruff and Itchiness Made In Korea (Treatment)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10.43 x 4.06 x 0.83 inches; 1.33 Pounds", "UPC\n \u200f": "\u200e\n 735358234370", "Manufacturer\n \u200f": "\u200e\n Doori", "ASIN\n \u200f": "\u200e\n B07T3PZ3S9", "Best Sellers Rank": "#217,623 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#5,334 in Hair Shampoo", "#5,334 in Hair Shampoo": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Daeng Gi Meo Ri Store", "brand_url": "https://www.amazon.com/stores/DAENGGIMEORI/page/B0BD119A-2978-4E36-9528-E3B90E536693?ref_=ast_bln", "full_description": "", "pricing": "$32.00", "list_price": "", "availability_quantity": 9, "availability_status": "Only 9 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31g6yDZKVbL.jpg", "https://m.media-amazon.com/images/I/4197+JKA7fL.jpg", "https://m.media-amazon.com/images/I/51175JB6wML.jpg", "https://m.media-amazon.com/images/I/51gcn47g3FL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Shampoo & Conditioner \u203a Shampoos", "average_rating": 4.4, "small_description": ["Active ingredient of herbal Uturn Complex and keratin protein prevent static electicity by providing moisture to frizzy and split hair, and keep hair elastic and shiny. ", "Active ingredient of Changpo(Acorus calamus Linne) water, which is known to be good for hair care traditionally, helps maintain hair's moisture and makes hair smooth and shiny ", "Minimize damage by preventing static hair. ", "How to Use : Apply an appropriate amount towet hair, gently massage the entire hair, leave it on for 1-2 minutes and wash off with lukewarm water. "], "total_reviews": 10, "total_answered_questions": "", "customization_options": {"Scent": null}, "seller_id": "A3ALPTRY6RTQ2P", "seller_name": "OFFICIALKBEAUTY", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07T3PZ3S9", "category": "beauty", "query": "Scalp Treatments", "page": 74, "small_description_old": "About this item Active ingredient of herbal Uturn Complex and keratin protein prevent static electicity by providing moisture to frizzy and split hair, and keep hair elastic and shiny. Active ingredient of Changpo(Acorus calamus Linne) water, which is known to be good for hair care traditionally, helps maintain hair's moisture and makes hair smooth and shiny Minimize damage by preventing static hair. How to Use : Apply an appropriate amount towet hair, gently massage the entire hair, leave it on for 1-2 minutes and wash off with lukewarm water."}, {"name": "Easy Works by Easy Street womens Leeza Clog, Black, 7.5 Wide US", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 12 x 6.9 x 4.5 inches; 1.4 Pounds", "Item model number\n \u200f": "\u200e\n 20-0281", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 10, 2019", "Manufacturer\n \u200f": "\u200e\n Easy Works by Easy Street", "ASIN\n \u200f": "\u200e\n B07MNW91JH", "Best Sellers Rank": "#3,254,855 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#6,113 in Women's Mules & Clogs", "#6,113 in Women's Mules & Clogs": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Easy Works by Easy Street", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_sh_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Easy+Works+by+Easy+Street", "full_description": "The Easy Works \"Leeza\" works for you with its twin gore silhouette that ensures it will stay perfectly on your foot throughout your busy day. A padded topline effectively reduces the pressure on your heel and ankle. A soft tricot lining envelopes your foot in cushioned comfort. The orthotic insole is built with a supportive arch cookie, and impact absorbing innovation. Developed on a non-marking, slip-resistant outsole that is extremely lightweight making it good to wear for long periods of time.", "pricing": "$69.97", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41MCUY6lRQL.jpg", "https://m.media-amazon.com/images/I/317obXhdkUL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Mules & Clogs", "average_rating": 3, "small_description": ["100% Synthetic ", "Imported ", "Synthetic sole ", "Slip Resistant Outsole ", "Easy Motion by Easy Street Pro Comfort System ", "Removable Footbed ", "Strap type: mary-jane "], "total_reviews": 3, "total_answered_questions": "", "customization_options": "", "seller_id": "ABP7VDOH06O4W", "seller_name": "LS Outfitters", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07MNW91JH", "category": "fashion", "query": "Women's Mules & Clogs", "page": 105, "small_description_old": "100% Synthetic Imported Synthetic sole Heel measures approximately 2\" Slip Resistant Outsole Easy Motion by Easy Street Pro Comfort System Removable Footbed Strap type: mary-jane"}, {"name": "WENKOMG1 Men's Crewneck Goth Tee Shirts Skull Print Tops Spring/Summer Long Sleeve Sports T-Shirt Baggy Y2K Soft Streetwear", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 19.69 x 19.69 x 19.69 inches; 7.05 Ounces", "Item model number\n \u200f": "\u200e\n WENKOMG1-shirt-N0.2250", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n February 23, 2022", "Manufacturer\n \u200f": "\u200e\n WENKOMG1", "ASIN\n \u200f": "\u200e\n B09T712QVF", "": ""}, "brand": "Brand: WENKOMG1", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=WENKOMG1", "full_description": "Season:All seasonsGender:MenOccasion:Daily,CasualPattern Type: SolidStyle:CasualSleeve length: FullCollar: CrewneckFit:Fits ture to sizeThickness:StandardHow to wash:Hand wash Cold,Hang or Line DryWhat you get:1 X Shirt", "pricing": "$4.09$8.09", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41vSoiTGj-L.jpg", "https://m.media-amazon.com/images/I/41yXTv07IJL.jpg", "https://m.media-amazon.com/images/I/41D812K5fEL.jpg", "https://m.media-amazon.com/images/I/41X22B+LiCL.jpg", "https://m.media-amazon.com/images/I/51-IT8l2WBL.jpg", "https://m.media-amazon.com/images/I/51U1wSByjxL.jpg", "https://m.media-amazon.com/images/I/512VGIaPv0L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Shirts \u203a T-Shirts", "average_rating": "", "small_description": ["\ud83d\udc55\ud83d\udc56Logistics size\ud83d\udc55\ud83d\udc56Standard lead time:8-16 days.Expedited delivery:3-7 days.Shipped within 24 hours. Not US size, So I suggest you buy a size or two bigger. Or check the size chart to buy. ", "Imported ", "Polyester lining ", "\ud83d\udc55\ud83d\udc56Best Gifts\ud83d\udc55\ud83d\udc56Great for Father's Day,Valentine's Day, Halloween, Christmas, 4th of july, Daily, Lounge Wear, Party, Hang Out With Friends, Dating, School, Holiday, Travel, Vacation, Office, Work, Also Great Gifts For Families/Friends. closure ", "\ud83d\udc55\ud83d\udc56100% satisfied\ud83d\udc55\ud83d\udc56 We sell men's clothing. If you have any questions, you can ask us and we will serve you within 24 hours. Search the WENKOMG1 store on Amazon to get more of our products. ", "tee shirts womens t shirts graphic tees graphic tees for women tee shirts womens slim fit tee shirts for men long sleeve tee shirts white shirt long sleeve tee shirts for women tees t-shirts for women graphic tees short sleeve tee shirts for women funny tee shirts men's t-shirts & tanks tshirt white tee shirts for women womens tee shirts mens funny tee shirts polo tee shirts for men tee shirts for girls mens long sleeve tee shirts tee shirts for women loose fit mens shirts ", "short sleeve tops for women basic crop top women clothing tops cold shoulder tops for women long sleeve crop tops tunic tops to wear with leggings leopard print tops for women tank top women's summer tops tank tops men long sleeve tops for girls spring tops for women 2021 red tops for women going out tops christmas tops for women white crop top long sleeve crop top tunic tops ladies tops womens crop top womens tunic tops crop tops for teen girls workout tank tops for women , blazers for women fashion casual jackets for women blazer dress blazer women casual blazer long blazer blazer for women red blazer for women mens blazer blue blazer sequin blazer blazer women's blazers & suit jackets blazer for men black blazer for women blazer for kids sequin jackets for women mens sport coats and blazers casual blazer for women blazer dress for women blazer jacket for men womens blazers and jackets professional womens blazer womens jackets and blazers men blazer, Mens Draped Cardigans Long Sleeve with Hooded Pockets Long Shawl Ruffle Men's S-5X Short/Long Sleeve Fashion Athletic Hoodies Sport Sweatshirt Hip Hop Pullover Mens Slim Fit Long Sleeve Lightweight Cotton Blend Pullover Hoodie With Kanga Pocket Men's Casual Hooded T-Shirts - Fashion Short Sleeve Solid Color Pullover Top Summer Blouse Men's Pullover Hoodies Plaid Jacquard Long Sleeve Drawstring Hipster Casual Hooded Sweatshirts with Kanga Pockets Men's Casual Long Sleeve Round, Quick Dry Short Sleeves Polo Tee T-Shirt Tops Men\u2019s Big and Tall Advantage Performance Stretch Short Sleeve Solid Polo Shirt Mens Summer Slim Fit Contrast Color Stitching Stripe Short Sleeve Polo Casual T-Shirts Men's Big & Tall Short Sleeve Jersey Knit Polo Shirt Men's Short Sleeve Sparkle Sequins Polo 70s Disco Nightclub Party T-Shirts Men's Big and Tall Classic Fit Short Sleeve Solid Performance Deck Polo Shirt Men's Polo Shirt Casual Long Short Sleeve Classic Fashion"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09T712QVF"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09T734C68"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09T756KQ5"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09T73PLTG"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09T768BD6"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B09T73B9B7"}, {"is_selected": false, "is_available": true, "value": "4X-Large", "asin": "B09T75KJBF"}, {"is_selected": false, "is_available": true, "value": "5X-Large", "asin": "B09T72XHV8"}], "Color": [{"is_selected": true, "url": null, "value": "A-bk1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41vSoiTGj-L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T73TNL2/ref=twister_B09T73JSTF", "value": "A-bk2", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41fJXC+qKBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T72JNPX/ref=twister_B09T73JSTF", "value": "A-bk3", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51nJCBdwLML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T734S3Q/ref=twister_B09T73JSTF", "value": "A-bk4", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41pemK7Gp+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T741D9S/ref=twister_B09T73JSTF", "value": "A-bk5", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/4101PF3SxFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T738FNJ/ref=twister_B09T73JSTF", "value": "A-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51gHUYkEjML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T75T2MR/ref=twister_B09T73JSTF", "value": "B-bk1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41-9pWocmCL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T74N92J/ref=twister_B09T73JSTF", "value": "B-bk2", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41LgCuiUg-L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T74HSWY/ref=twister_B09T73JSTF", "value": "B-bk3", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41r1YD1vngL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T75C8XL/ref=twister_B09T73JSTF", "value": "B-bk4", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Gy1dQA3rL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T736VJ8/ref=twister_B09T73JSTF", "value": "B-bk5", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Rio4pyfnL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T73N7F4/ref=twister_B09T73JSTF", "value": "B-white", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/413fD99xLnL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09T756KQ5", "category": "fashion", "query": "Men's Tuxedo Shirts", "page": 205, "small_description_old": "\ud83d\udc55\ud83d\udc56Logistics size\ud83d\udc55\ud83d\udc56Standard lead time:8-16 days.Expedited delivery:3-7 days.Shipped within 24 hours. Not US size, So I suggest you buy a size or two bigger. Or check the size chart to buy. Imported Polyester lining \ud83d\udc55\ud83d\udc56Best Gifts\ud83d\udc55\ud83d\udc56Great for Father's Day,Valentine's Day, Halloween, Christmas, 4th of july, Daily, Lounge Wear, Party, Hang Out With Friends, Dating, School, Holiday, Travel, Vacation, Office, Work, Also Great Gifts For Families/Friends. closure \ud83d\udc55\ud83d\udc56100% satisfied\ud83d\udc55\ud83d\udc56 We sell men's clothing. If you have any questions, you can ask us and we will serve you within 24 hours. Search the WENKOMG1 store on Amazon to get more of our products. tee shirts womens t shirts graphic tees graphic tees for women tee shirts womens slim fit tee shirts for men long sleeve tee shirts white shirt long sleeve tee shirts for women tees t-shirts for women graphic tees short sleeve tee shirts for women funny tee shirts men's t-shirts & tanks tshirt white tee shirts for women womens tee shirts mens funny tee shirts polo tee shirts for men tee shirts for girls mens long sleeve tee shirts tee shirts for women loose fit mens shirts short sleeve tops for women basic crop top women clothing tops cold shoulder tops for women long sleeve crop tops tunic tops to wear with leggings leopard print tops for women tank top women's summer tops tank tops men long sleeve tops for girls spring tops for women 2021 red tops for women going out tops christmas tops for women white crop top long sleeve crop top tunic tops ladies tops womens crop top womens tunic tops crop tops for teen girls workout tank tops for women \n blazers for women fashion casual jackets for women blazer dress blazer women casual blazer long blazer blazer for women red blazer for women mens blazer blue blazer sequin blazer blazer women's blazers & suit jackets blazer for men black blazer for women blazer for kids sequin jackets for women mens sport coats and blazers casual blazer for women blazer dress for women blazer jacket for men womens blazers and jackets professional womens blazer womens jackets and blazers men blazerMens Draped Cardigans Long Sleeve with Hooded Pockets Long Shawl Ruffle Men's S-5X Short/Long Sleeve Fashion Athletic Hoodies Sport Sweatshirt Hip Hop Pullover Mens Slim Fit Long Sleeve Lightweight Cotton Blend Pullover Hoodie With Kanga Pocket Men's Casual Hooded T-Shirts - Fashion Short Sleeve Solid Color Pullover Top Summer Blouse Men's Pullover Hoodies Plaid Jacquard Long Sleeve Drawstring Hipster Casual Hooded Sweatshirts with Kanga Pockets Men's Casual Long Sleeve RoundQuick Dry Short Sleeves Polo Tee T-Shirt Tops Men\u2019s Big and Tall Advantage Performance Stretch Short Sleeve Solid Polo Shirt Mens Summer Slim Fit Contrast Color Stitching Stripe Short Sleeve Polo Casual T-Shirts Men's Big & Tall Short Sleeve Jersey Knit Polo Shirt Men's Short Sleeve Sparkle Sequins Polo 70s Disco Nightclub Party T-Shirts Men's Big and Tall Classic Fit Short Sleeve Solid Performance Deck Polo Shirt Men's Polo Shirt Casual Long Short Sleeve Classic FashionShow more"}, {"name": "WYTong Women Dress Summer V Neck Swing Dress Fashion Solid Color Tie the knot Short sleeves Leisure Dress", "product_information": {"Item Weight\n \u200f": "\u200e\n 7.05 Ounces", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n May 25, 2021", "Manufacturer\n \u200f": "\u200e\n WYTong Women Dress", "ASIN\n \u200f": "\u200e\n B095SYFBBC", "": ""}, "brand": "Brand: WYTong Hot Sale!", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=WYTong+Hot+Sale%21", "full_description": "=====\u2600\u2600\u2600 Features \u2600\u2600\u2600===== Fashion design,100% Brand New,high quality! Season:Summer Gender: Women Occasion:Casual Material:Polyester Pattern Type:Solid Thickness:Standard Package include:1 PC Blouse Please compare the detail sizes with yours before you buy!!! Colors may be slightly different depending on computer and monitor settings Please allow 1-3cm differs due to manual measurement, thanks (All measurement in cm and please note 1cm=0.39inch) =====\u2600\ufe0f\u2600\ufe0f\u2600\ufe0f Size chart \u2600\ufe0f\u2600\ufe0f\u2600\ufe0f======= \u2764Size: S US: 4 UK: 8 EU: 34 Bust: 94cm/37.01'' Sleeve: 19cm/7.48'' Length: 87cm/34.25'' == \u2764Size: M US: 6 UK: 10 EU: 36 Bust: 98cm/38.58'' Sleeve: 20cm/7.87'' Length: 88cm/34.65'' == \u2764Size: L US: 8 UK: 12 EU: 38 Bust: 102cm/40.16'' Sleeve: 21cm/8.27'' Length: 89cm/35.04'' == \u2764Size: XL US: 10 UK: 14 EU: 40 Bust: 106cm/41.73'' Sleeve: 22cm/8.66'' Length: 90cm/35.43'' == \u2764Size: XXL US: 12 UK: 16 EU: 42 Bust: 110cm/43.31'' Sleeve: 23cm/9.06'' Length: 91cm/35.83''", "pricing": "$9.99$11.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41UJTy2ViAL.jpg", "https://m.media-amazon.com/images/I/41BKYAMd3QL.jpg", "https://m.media-amazon.com/images/I/31Fi5ZKzOMS.jpg", "https://m.media-amazon.com/images/I/31Y0mep4NQS.jpg", "https://m.media-amazon.com/images/I/41qEicB8HdL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Patio, Lawn & Garden \u203a Gardening & Lawn Care \u203a Pots, Planters & Container Accessories \u203a Plant Container Accessories \u203a Hooks & Hangers", "average_rating": "", "small_description": ["100% Polyester ", "Imported ", "Tie closure ", "[Material]Soft material, light and comfortable, very suitable for the upcoming summer! Super soft, comfortable, breathable, not see-through, quality assurance ", "[Features]The cute summer mini dress is a casual style and does not fit snugly.Fashionable and unique ladies mini dresses. ", "[Style]The cute summer mini dress is a casual style and doesn't fit snugly. This dress is accurate in size, folds and folds are layered design, it is very easy to transition from business to casual occasions, and when you need to quickly accurate. ", "[Match]This floral print dress can be worn with sandals, beach slippers or high-heeled sunglasses. , [Occasions]High-quality women's dress, suitable for summer vacation, leisure beach, party, work, night out, daily wear, holiday, wedding party, home, lounge. Perfect for summer, spring, autumn and winter! This summer mini dress is a refreshing change-home or home style., Fit type: Regular"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B095SYFBBC/ref=twister_B095SVD6SC", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Pxj9TbfuS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095ST7HCR/ref=twister_B095SVD6SC", "value": "Coffee", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51gy0OoQRzL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095STH12Q/ref=twister_B095SVD6SC", "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41MxnK1tRAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095SWK2DB/ref=twister_B095SVD6SC", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41YTWEhEndL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095STY3LH/ref=twister_B095SVD6SC", "value": "Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41LsXRFXT7L.jpg"}, {"is_selected": true, "url": null, "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41UJTy2ViAL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B095STZJ64"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B095SX6366"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B095SV1XK8"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B095SV1SD5"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B095SY4V3X"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B095SX6366", "category": "beauty", "query": "Denture Care", "page": 117, "small_description_old": "100% Polyester Imported Tie closure [Material]Soft material, light and comfortable, very suitable for the upcoming summer! Super soft, comfortable, breathable, not see-through, quality assurance [Features]The cute summer mini dress is a casual style and does not fit snugly.Fashionable and unique ladies mini dresses. [Style]The cute summer mini dress is a casual style and doesn't fit snugly. This dress is accurate in size, folds and folds are layered design, it is very easy to transition from business to casual occasions, and when you need to quickly accurate. [Match]This floral print dress can be worn with sandals, beach slippers or high-heeled sunglasses. \n [Occasions]High-quality women's dress, suitable for summer vacation, leisure beach, party, work, night out, daily wear, holiday, wedding party, home, lounge. Perfect for summer, spring, autumn and winter! This summer mini dress is a refreshing change-home or home style.Fit type: RegularShow more"}, {"name": "Kianna Heavy Duty Bed Frame, Overall Product Weight: 37 lb, Wedge-Lock Connections can Support Any Practical Weight", "product_information": {"Item Weight": "\u200e37 pounds", "ASIN": "B08X2FSR21", "Date First Available": "February 22, 2021"}, "brand": "Brand: MilanHome", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=MilanHome", "full_description": "AT A GLANCE 1. Heavy Duty: Heavy Duty / Squeak Resistant Whether you\u2019re refreshing the guest room or starting your own bedroom ensemble from scratch, this versatile bed frame is a fine foundation! Crafted from metal, this piece features six adjustable leg glides that allow you to elevate your mattress to the height you prefer. Universal brackets connect to a headboard and footboard, giving you the option to curate a look that you love, while a matte black finish helps this frame blend with existing decor. A box spring is required. OVERALL DIMENSION 1. Overall: 7.5'''' H FOOT-BOARD BRACKET INCLUDED 1. Can Attach to Footboard: Yes PRODUCT DETAILS 1. Box Spring Required: Yes 2. Number of Legs: 6 FEATURES 1. Wedge-lock connections can support any practical weight 2. Bed raisers can be used with this frame 3. Use as a standalone bed frame or in place of bed rails TWIN SIZE 1. Overall Width - Side to Side: 39'''' 2. Overall Product Weight: 33 lb. FULL SIZE 1. Overall Width - Side to Side: 54'''' 2. Overall Product Weight: 37 lb. QUEEN SIZE 1. Overall Width - Side to Side: 60'''' 2. Overall Product Weight: 34.5 lb. KING SIZE 1. Overall Product Weight: 41 lb. CALIFORNIA KING SIZE 1. Overall Width - Side to Side: 72'''' 2. Overall Product Weight: 40 lb. OTHER DIMENSIONS 1. Overall: 7.5'''' H 2. Clearance from Floor to Underside of Bed: 7'''' 3. Bottom of Inside of Frame to Top of Side Rail: 1.5'''' 4. Leg Height: 5'''' FEATURES 1. Product Type: Bed Frame 2. Material: Metal 3. Material Details: Steel 4. Color: Black Matte 5. Number of Legs: 6 (Central Support Leg) 6. Box Spring Required: Yes 7. Headb", "pricing": "$291.90", "list_price": "", "availability_status": "Usually ships within 6 to 10 days.", "images": ["https://m.media-amazon.com/images/I/5126pBEQNDL.jpg", "https://m.media-amazon.com/images/I/41GP1-Ixs5L.jpg", "https://m.media-amazon.com/images/I/41+r0BWeg1L.jpg", "https://m.media-amazon.com/images/I/41HPgtsJg-L.jpg", "https://m.media-amazon.com/images/I/319sdVvYXFL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Beds, Frames & Bases \u203a Bed Frames", "average_rating": "", "small_description": ["Overall Product Weight: 37 lb., Wedge-lock connections can support any practical weight, Commercial Warranty: No, Box Spring Required: Yes, Level of Assembly: Partial Assembly, Overall Product Weight: 33 lb., Adult Assembly Required: Yes, Number of Legs: 6 (Central Support Leg), Installation Required: No, Leg Height: 5''''"], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A7V0UAVQWFJUV", "seller_name": "Nianbo", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08X2FSR21", "category": "garden", "query": "Bedframes", "page": 323, "small_description_old": "About this item Overall Product Weight: 37 lb., Wedge-lock connections can support any practical weight Commercial Warranty: No, Box Spring Required: Yes Level of Assembly: Partial Assembly, Overall Product Weight: 33 lb. Adult Assembly Required: Yes, Number of Legs: 6 (Central Support Leg) Installation Required: No, Leg Height: 5'''' \n \u203a See more product details"}, {"name": "Klik (party mix)", "product_information": {"UPC\n \u200f": "\u200e\n 084685000111", "ASIN\n \u200f": "\u200e\n B00GMQ4WRI", "Best Sellers Rank": "#263,279 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#720 in Chocolate Cookies", "#720 in Chocolate Cookies": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Klik", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Klik", "full_description": "Kosher - Dairy", "pricing": "$7.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51vepPxs5EL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Breads & Bakery \u203a Cookies \u203a Chocolate", "average_rating": 4.8, "small_description": ["Kosher - Dairy "], "total_reviews": 18, "total_answered_questions": "", "customization_options": {"Flavor Name": [{"is_selected": false, "url": "https://www.amazon.com/dp/B00GMQ4WSW/ref=twister_B07CR5R3H3?_encoding=UTF8&psc=1", "value": "Cornflakes", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00GMQ4WVO/ref=twister_B07CR5R3H3?_encoding=UTF8&psc=1", "value": "Kariot - Pillows", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00GMQ4WUA/ref=twister_B07CR5R3H3?_encoding=UTF8&psc=1", "value": "Malt Balls", "price_string": "$7.95", "price": 7.95, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00GMQ4WWI/ref=twister_B07CR5R3H3?_encoding=UTF8&psc=1", "value": "Vanilla 'n Fudge", "price_string": "$8.25", "price": 8.25, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00GMQ4WT6/ref=twister_B07CR5R3H3?_encoding=UTF8&psc=1", "value": "cookie", "price_string": "$7.39", "price": 7.39, "image": null}, {"is_selected": true, "url": null, "value": "party mix", "price_string": "$7.99", "price": 7.99, "image": null}]}, "seller_id": "A3URQZVA0UB2E9", "seller_name": "scrubbypal", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00GMQ4WRI", "category": "grocery", "query": "Party Mix", "page": 42, "small_description_old": "About this item Kosher - Dairy"}, {"name": "OWYN - 100% Vegan Plant-Based Protein Shakes | Cold Brew Coffee, 12 Fl Oz | Dairy-Free, Gluten-Free, Soy-Free, Tree Nut-Free, Egg-Free, Allergy-Free, Vegetarian", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 1 x 1 x 1 inches; 1 Pounds", "Item model number\n \u200f": "\u200e\n OWYN4971", "Date First Available\n \u200f": "\u200e\n June 12, 2018", "Manufacturer\n \u200f": "\u200e\n Barg Engine", "ASIN\n \u200f": "\u200e\n B07FYPSNH8", "Country of Origin\n \u200f": "\u200e\n USA", "Domestic Shipping": "Currently, item can be shipped only within the U.S. and to APO/FPO addresses. For APO/FPO shipments, please check with the manufacturer regarding warranty and support issues.", "International Shipping": "This item is not eligible for international shipping.Learn More", "Best Sellers Rank": "#148,788 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#397 in Protein Drinks", "#397 in Protein Drinks": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the OWYN Only What You Need Store", "brand_url": "https://www.amazon.com/stores/OWYNOnlyWhatYouNeed/page/024760E6-810D-47C4-A149-CF90313AF29E?ref_=ast_bln", "full_description": "", "pricing": "$11.07", "list_price": "", "availability_quantity": 14, "availability_status": "Only 14 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41EFvqNqmwL.jpg", "https://m.media-amazon.com/images/I/511LPRBwXLL.jpg", "https://m.media-amazon.com/images/I/51hPpWPRZRL.jpg", "https://m.media-amazon.com/images/I/519-C-IqR3L.jpg", "https://m.media-amazon.com/images/I/51g5AU61oWL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Beverages \u203a Bottled Beverages, Water & Drink Mixes \u203a Meal Replacement & Protein Drinks \u203a Protein Drinks", "average_rating": 4.2, "small_description": ["100% CERTIFIED VEGAN, GLUTEN-FREE: 100% plant-based protein shakes that provide superior health benefits & never compromises on taste. Delicious nutrition made for active & healthy people who care about what they put in their body. ", "CONTAINS 20 GRAMS OF PLANT PROTEIN: Delivers all 9 essential amino acids and naturally occurring BCAAs (Branched Chain Amino Acids) to enhance muscle recovery and promote optimal daily health. ", "CONTAINS CAFFEINE: Each shake contains the energy equivalent of 1 cup of coffee (148mg caffeine). Start your morning off with a breakfast shake or enjoy after a workout. ", "GLUTEN, DAIRY & SOY FREE: Peanut & tree nut free, egg-free, non-GMO project verified, kosher, free of all artificial colors, flavors & preservatives, lactose free, low sugar content (4G Organic Cane Sugar), no sugar alcohols or stevia. ", "18 MONTH SHELF LIFE: Shelf stable without the need for refrigeration, except after opening. Contains twelve Cold Brew, 12 fl oz (355 ml) bottles. "], "total_reviews": 295, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07FYPSNH8", "category": "grocery", "query": "Beverages", "page": 343, "small_description_old": "About this item 100% CERTIFIED VEGAN, GLUTEN-FREE: 100% plant-based protein shakes that provide superior health benefits & never compromises on taste. Delicious nutrition made for active & healthy people who care about what they put in their body. CONTAINS 20 GRAMS OF PLANT PROTEIN: Delivers all 9 essential amino acids and naturally occurring BCAAs (Branched Chain Amino Acids) to enhance muscle recovery and promote optimal daily health. CONTAINS CAFFEINE: Each shake contains the energy equivalent of 1 cup of coffee (148mg caffeine). Start your morning off with a breakfast shake or enjoy after a workout. GLUTEN, DAIRY & SOY FREE: Peanut & tree nut free, egg-free, non-GMO project verified, kosher, free of all artificial colors, flavors & preservatives, lactose free, low sugar content (4G Organic Cane Sugar), no sugar alcohols or stevia. 18 MONTH SHELF LIFE: Shelf stable without the need for refrigeration, except after opening. Contains twelve Cold Brew, 12 fl oz (355 ml) bottles."}, {"name": "Hair Tinsel Kit Strands With Tool 47 Inch 12 Colors 2100 Strands Fairy Hair Tinsel Kit Hair Extensions Sparkling Glitter Shiny Silk Tinsel (12 colors)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 12.24 x 8.74 x 0.67 inches; 6.38 Ounces", "UPC\n \u200f": "\u200e\n 783979960994", "Manufacturer\n \u200f": "\u200e\n hairtinsel", "ASIN\n \u200f": "\u200e\n B08ZKDQPZ3", "Best Sellers Rank": "#6,122 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#43 in Hair Extensions", "#43 in Hair Extensions": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: hairtinsel", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=hairtinsel", "full_description": "Hair Tinsel Kit Strands With Tool 47 Inch 12 Colors 2100 Strands Fairy Tinsel Hair Extensions Sparkling Glitter Shiny Bling Silk Tinsel 1)12 colors: Red, Purple, Pink, Rose, Sky Blue, Sapphire Blue, Green, Rainbow, Mixed Colors, Silver, Yellow and Champagne Gold . Can easy match your style, also can meet the girls and women fashion pursuit to highlight your elegant and confidence 2)Size & strands: 12 color hair tinsel length is 47 inch, per color has 175 strands, total about is 2100 strands. You can cut the length of hair tinsel to fit your hair length . 3)Easy to use: Tie a knot and fix tinsel hair on your hair (you can find free tool in the package). You can use or not use the tool when install, it depends on your needs 4)Material: Fairy hair are made of polyester fiber. Comfortable and fashion, sparkling and shiny strands hair tinsel is good for birthday party, daily hair beauty, Halloween, daily hairdressing, making you outstanding in the crowd. 5) Package: 12 colors in one set, each color is folded and packaged separately, a tool in one package, used for easy installation How to use 1. Fold the hair tinsel strands 2. Tie a slip knot, Knotted into a small circle 3. Fine the hair select 3 or 4 hairs, slide slip knot onto the hair 4. Tie the hairs and the tinsel together in a knot, make sure the knot is close to the hair shaft 5.Tie the hairs and the tinsel together in a knot 6. Tie a knot again", "pricing": "$13.96", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/61gIelmK8yL.jpg", "https://m.media-amazon.com/images/I/51pNS6MCNhL.jpg", "https://m.media-amazon.com/images/I/51GtYFkNUKL.jpg", "https://m.media-amazon.com/images/I/61DfltYfgbL.jpg", "https://m.media-amazon.com/images/I/51+2lzMUsNL.jpg", "https://m.media-amazon.com/images/I/51X4-va+LPL.jpg", "https://m.media-amazon.com/images/I/61c-76v8jJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Hair Extensions", "average_rating": 4.3, "small_description": ["\u301012 COLOR/SET\u3011Hair Tinsel Include Colors: Red, Purple, Pink, Rose, Sky Blue, Sapphire Blue, Green, Rainbow, Mixed Colors, Silver, Yellow and Champagne Gold . Can Easy Match Your Style, Also Can Meet The Girls And Women Fashion Pursuit To Highlight Your Elegant And Confidence ", "\u3010SIZE & STRANDS\u3011Fairy Hair Tinsel Extensions : 12 Color Hair Tinsel Length Is 47 Inch, Per Color Has 175 Strands, Total About Is 2100 Strands. You Can Cut The Length Of Hair Tinsel To Fit Your Hair Length . ", "\u3010EASY TO USE\u3011 Tie a Knot And Fix Tinsel Hair On Your Hair (You Can Find Free Tool In The Package). You Can Use Or Not Use The Tool When Install, It Depends On Your Needs ", "\u3010MATERIAL\u3011Fairy Hair Are Made Of Polyester Fiber. Comfortable And Fashion, Sparkling And Shiny Strands Hair Tinsel Is Good For Birthday Party, Daily Hair Beauty, Halloween, Daily Hairdressing, Making You Outstanding In The Crowd. ", "\u3010PACKAGE\u301112 Colors In One Set, Each Color Is Folded And Packaged Separately, a Tool In One Package, Used For Easy Installation "], "total_reviews": 569, "total_answered_questions": 14, "customization_options": {"Color": null}, "seller_id": "A3CNU2UO4O2AV1", "seller_name": "heli hair", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08ZKDQPZ3", "category": "beauty", "query": "Body Care", "page": 193, "small_description_old": "About this item \u301012 COLOR/SET\u3011Hair Tinsel Include Colors: Red, Purple, Pink, Rose, Sky Blue, Sapphire Blue, Green, Rainbow, Mixed Colors, Silver, Yellow and Champagne Gold . Can Easy Match Your Style, Also Can Meet The Girls And Women Fashion Pursuit To Highlight Your Elegant And Confidence \u3010SIZE & STRANDS\u3011Fairy Hair Tinsel Extensions : 12 Color Hair Tinsel Length Is 47 Inch, Per Color Has 175 Strands, Total About Is 2100 Strands. You Can Cut The Length Of Hair Tinsel To Fit Your Hair Length . \u3010EASY TO USE\u3011 Tie a Knot And Fix Tinsel Hair On Your Hair (You Can Find Free Tool In The Package). You Can Use Or Not Use The Tool When Install, It Depends On Your Needs \u3010MATERIAL\u3011Fairy Hair Are Made Of Polyester Fiber. Comfortable And Fashion, Sparkling And Shiny Strands Hair Tinsel Is Good For Birthday Party, Daily Hair Beauty, Halloween, Daily Hairdressing, Making You Outstanding In The Crowd. \u3010PACKAGE\u301112 Colors In One Set, Each Color Is Folded And Packaged Separately, a Tool In One Package, Used For Easy Installation"}, {"name": "BAYY 10 pcs Tattoo Piercing Needles Medical Tattoo Needle for Navel Nose Lip Ear Piercing (20G)", "product_information": {"Manufacturer\n \u200f": "\u200e\n BAYY", "ASIN\n \u200f": "\u200e\n B07SS8QC3G", "Best Sellers Rank": "#135,115 in Health & Household (See Top 100 in Health & Household)#44 in Body Piercing Needles", "#44 in Body Piercing Needles": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: BAYY", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=BAYY", "full_description": "This items is One-time", "pricing": "$2.67", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31WLMPyMlSL.jpg", "https://m.media-amazon.com/images/I/21CBFH3IMDL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Piercing & Tattoo Supplies \u203a Piercing Supplies \u203a Piercing Needles", "average_rating": 4.4, "small_description": [""], "total_reviews": 96, "total_answered_questions": 5, "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07SSBH864/ref=twister_B081NGH7H9?_encoding=UTF8&psc=1", "value": "12G", "price_string": "$2.67", "price": 2.67, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07SRBWJRN/ref=twister_B081NGH7H9?_encoding=UTF8&psc=1", "value": "14G", "price_string": "$2.67", "price": 2.67, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07SS8Y178/ref=twister_B081NGH7H9?_encoding=UTF8&psc=1", "value": "16G", "price_string": "$2.67", "price": 2.67, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07SSBJB3P/ref=twister_B081NGH7H9?_encoding=UTF8&psc=1", "value": "18G", "price_string": "$2.67", "price": 2.67, "image": null}, {"is_selected": true, "url": null, "value": "20G", "price_string": "$2.67", "price": 2.67, "image": null}]}, "seller_id": "A1M7TC2W7EHWFA", "seller_name": "BAYY", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07SS8QC3G", "category": "beauty", "query": "Piercing & Tattoo Supplies", "page": 9, "small_description_old": ""}, {"name": "Kira Home Ainsley 21.5\" 3-Light Farmhouse Vanity/Bathroom Light + Clear Cylinder Glass Shades, Oil-Rubbed Bronze Finish", "product_information": {"Brand": "\u200eKira Home", "Manufacturer": "\u200eKira Home", "Part Number": "\u200eRV-WB4333-3-OB", "Item Weight": "\u200e4 pounds", "Product Dimensions": "\u200e21.5 x 6.25 x 8.25 inches", "Item model number": "\u200eRV-WB4333-3-OB", "Is Discontinued By Manufacturer": "\u200eNo", "Assembled Height": "\u200e8.25 inches", "Assembled Length": "\u200e21.5 inches", "Assembled Width": "\u200e6.25 inches", "Style": "\u200eFarmhouse", "Collection": "\u200eAinsley", "Color": "\u200eOil-rubbed Bronze", "Shape": "\u200eCylinder", "Material": "\u200eGlass, Metal", "Finish Types": "\u200ePainted", "Number of Lights": "\u200e3", "Voltage": "\u200e120 Volts", "Special Features": "\u200eDimmer Compatible", "Shade Color": "\u200eClear", "Shade Material": "\u200eGlass", "Light Direction": "\u200eUp/Down Light", "Power Source": "\u200eHardwired", "Switch Installation Type": "\u200eWall Mount", "Batteries Required?": "\u200eNo", "Certification": "\u200eETL Listed", "Type of Bulb": "\u200eIncandescent, LED, CFL", "Wattage": "\u200e60 watts", "ASIN": "B09J9Y9H95", "Best Sellers Rank": ["#672,608 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #3,187 in Vanity Lighting Fixtures"], "Date First Available": "October 12, 2021"}, "brand": "Visit the Kira Home Store", "brand_url": "https://www.amazon.com/stores/KiraHome/page/DE590770-7AEA-41E2-B4EA-F220121AC639?ref_=ast_bln", "full_description": "", "pricing": "$77.99", "list_price": "", "availability_quantity": 18, "availability_status": "Only 18 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31S93pAKR7L.jpg", "https://m.media-amazon.com/images/I/41ZrRe+dxAL.jpg", "https://m.media-amazon.com/images/I/41OzKt9FMZL.jpg", "https://m.media-amazon.com/images/I/41Q4B2CB2FL.jpg", "https://m.media-amazon.com/images/I/417xWd8qRiL.jpg", "https://m.media-amazon.com/images/I/51h5htWxm-L.jpg", "https://m.media-amazon.com/images/I/81WkJmmJ-FL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Wall Lights \u203a Vanity Lights", "average_rating": "", "small_description": ["MODERN FARMHOUSE DESIGN: Metal wall vanity light showcases an oil-rubbed bronze finish with complementing clear cylinder shades, fitting styles such as rustic and industrial. The linear bar adds that extra wow factor and allows for up/down installation ", "BRIGHTEN YOUR SPACE: Easily install this versatile, bathroom lighting fixture over mirrors and vanities, in a powder room or half bath or above a kitchen sink or bar area. Dress up hallways or mount in hospitality settings as well. Dimmer compatible ", "ETL LISTED FOR YOUR SAFETY: ETL listed for damp locations. Uses (3) LED, CFL or up to 60W traditional incandescent medium base bulb. Use with vintage style Edison bulbs to encompass that extra farmhouse vibe. Bulb sold separately ", "DIMENSIONS: Bathroom Light: 8.25\" (H) x 21.5\" (L) x 6.25\" Projection from wall, Backplate: 5\" (H) x 7\" (L) x 1\" (W), Glass Shades: 3.75\" (D) x 6.75\" (H) ", "UNMATCHED QUALITY AND CUSTOMER CARE: Designed and supported in California, we are a US based company with real local support. If you ever encounter any issues, feel free to reach out to us, as we provide a 1-year warranty. Shop with confidence! "], "total_reviews": "", "total_answered_questions": "", "model": "\u200eRV-WB4333-3-OB", "customization_options": "", "seller_id": "A31AMCYJHIK9ZG", "seller_name": "Kira Home", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09J9Y9H95", "category": "garden", "query": "Vanities", "page": 173, "small_description_old": "About this item MODERN FARMHOUSE DESIGN: Metal wall vanity light showcases an oil-rubbed bronze finish with complementing clear cylinder shades, fitting styles such as rustic and industrial. The linear bar adds that extra wow factor and allows for up/down installation BRIGHTEN YOUR SPACE: Easily install this versatile, bathroom lighting fixture over mirrors and vanities, in a powder room or half bath or above a kitchen sink or bar area. Dress up hallways or mount in hospitality settings as well. Dimmer compatible ETL LISTED FOR YOUR SAFETY: ETL listed for damp locations. Uses (3) LED, CFL or up to 60W traditional incandescent medium base bulb. Use with vintage style Edison bulbs to encompass that extra farmhouse vibe. Bulb sold separately DIMENSIONS: Bathroom Light: 8.25\" (H) x 21.5\" (L) x 6.25\" Projection from wall, Backplate: 5\" (H) x 7\" (L) x 1\" (W), Glass Shades: 3.75\" (D) x 6.75\" (H) UNMATCHED QUALITY AND CUSTOMER CARE: Designed and supported in California, we are a US based company with real local support. If you ever encounter any issues, feel free to reach out to us, as we provide a 1-year warranty. Shop with confidence! \n \u203a See more product details"}, {"name": "Skechers Women's, Relaxed Fit: Arch Fit - Commute Clog Taupe 11 M", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 10 x 15 x 6 inches; 2 Pounds", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n February 3, 2022", "Manufacturer\n \u200f": "\u200e\n Skechers", "ASIN\n \u200f": "\u200e\n B09S6VN97V", "": ""}, "brand": "Visit the Skechers Store", "brand_url": "https://www.amazon.com/stores/Skechers/page/4B1ECBE0-2659-48D2-A5C3-A8252218356A?ref_=ast_bln", "full_description": "Women's Skechers, Relaxed Fit: Arch Fit - Commute Clog. Take on your day with cushioning and comfort with the Skechers Relaxed Fit: Arch Fit - Commute shoe This sporty, open-back slip-on features a soft quilted synthetic and mesh upper with an Arch Fit memory foam insole. Quilted synthetic mesh fabric upper Slip-on styling for easy on and off Arch Fit Contoured Footbed Patented Skechers Arch Fit insole system with podiatrist-certified arch support Relaxed Fit design for a roomier fit at the toes Shock-absorbing midsole Flexible rubber traction outsole", "pricing": "$74.95", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/41uw+fICClL.jpg", "https://m.media-amazon.com/images/I/31GeQkJ7D3L.jpg", "https://m.media-amazon.com/images/I/31dUysD7TqL.jpg", "https://m.media-amazon.com/images/I/31H1bfMijmL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Mules & Clogs", "average_rating": "", "small_description": ["Rubber sole ", "Quilted synthetic mesh fabric upper ", "Slip-on styling for easy on and off ", "Arch Fit Contoured Footbed ", "Patented Skechers Arch Fit insole system with podiatrist-certified arch support ", "Relaxed Fit design for a roomier fit at the toes "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1BNXE6U3W2NOH", "seller_name": "Peltz Shoes", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09S6VN97V", "category": "fashion", "query": "Women's Mules & Clogs", "page": 112, "small_description_old": "Rubber sole Quilted synthetic mesh fabric upper Slip-on styling for easy on and off Arch Fit Contoured Footbed Patented Skechers Arch Fit insole system with podiatrist-certified arch support Relaxed Fit design for a roomier fit at the toes"}, {"name": "Skechers Originals Men's Retros OG 90 Fashion Sneaker", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 13.6 x 9.7 x 5.4 inches; 3 Pounds", "Item model number\n \u200f": "\u200e\n 52350", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n March 29, 2016", "ASIN\n \u200f": "\u200e\n B01DJGWDBA", "Best Sellers Rank": "#4,985,372 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#28,277 in Men's Fashion Sneakers #59,689 in Men's Shops", "#28,277 in Men's Fashion Sneakers": "", "#59,689 in Men's Shops": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Skechers Store", "brand_url": "https://www.amazon.com/stores/Skechers/page/4B1ECBE0-2659-48D2-A5C3-A8252218356A?ref_=ast_bln", "full_description": "Suede jogger with air cooled memory foam", "pricing": "$51.96$55.00", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41M4zyqq4HL.jpg", "https://m.media-amazon.com/images/I/51O-IY3fOVL.jpg", "https://m.media-amazon.com/images/I/51u8yUXqpFL.jpg", "https://m.media-amazon.com/images/I/41bLKJdPA9L.jpg", "https://m.media-amazon.com/images/I/41G6WqIR6mL.jpg", "https://m.media-amazon.com/images/I/41E4SDj5rIL.jpg", "https://m.media-amazon.com/images/I/41wcUFJnr7L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Fashion Sneakers", "average_rating": 4.4, "small_description": ["Soft suede and mesh fabric upper ", "Lace up sporty classic jogging sneaker design ", "Air-Cooled Memory Foam insole ", "Shock absorbing jogger-style midsole ", "Flexible rubber traction outsole "], "total_reviews": 57, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": false, "value": "9.5", "asin": "B014GT3FAW"}, {"is_selected": false, "is_available": false, "value": "10.5", "asin": "B01FMY0OR2"}, {"is_selected": false, "is_available": true, "value": "11.5", "asin": "B01DJGWDBA"}, {"is_selected": false, "is_available": false, "value": "12", "asin": "B014GT2TLS"}, {"is_selected": false, "is_available": false, "value": "13", "asin": "B014GT1OXW"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B014GT3FAW/ref=twister_B014GT0AJG", "value": "Black/White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/412X2G5K2aL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B014GT1I4W/ref=twister_B014GT0AJG", "value": "Burgundy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/410famaZnJL.jpg"}, {"is_selected": true, "url": null, "value": "Gray/Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41M4zyqq4HL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01FMY0OR2/ref=twister_B014GT0AJG", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41XCdbrciUL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01DJGWDBA", "category": "fashion", "query": "Men's Fashion Sneakers", "page": 140, "small_description_old": "suede-and-fabric Rubber sole Soft suede and mesh fabric upper Lace up sporty classic jogging sneaker design Air-Cooled Memory Foam insole Shock absorbing jogger-style midsole Flexible rubber traction outsole"}, {"name": "Soft Plush Electric Heated Blanket Throw with Foot Pocket | Navy Blue 50 x 62 | 3 Heat Settings with 2 Hour Auto Shut Off, UL Certified | Machine Washable", "product_information": {"Package Dimensions": "15.51 x 12.32 x 5.08 inches", "Item Weight": "3.83 pounds", "Manufacturer": "Degrees of Comfort", "ASIN": "B09C1YWG8W", "Item model number": "DC54-0493", "Customer Reviews": {"ratings_count": 4390, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#35,589 in Home & Kitchen (See Top 100 in Home & Kitchen) #5 in Electric Throws #43 in Electric Blankets #255 in Bed Throws"], "Date First Available": "August 6, 2021"}, "brand": "Visit the Degrees of Comfort Store", "brand_url": "https://www.amazon.com/stores/DegreesofComfort/page/CD1BC65E-0953-40AB-AF75-5BFAD734E147?ref_=ast_bln", "full_description": "", "pricing": "$69.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/510NpO6zSdL.jpg", "https://m.media-amazon.com/images/I/31q6XGRJErL.jpg", "https://m.media-amazon.com/images/I/51KWGLoztwL.jpg", "https://m.media-amazon.com/images/I/51UPLmRIBSL.jpg", "https://m.media-amazon.com/images/I/41HwSsQINQL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Blankets & Throws \u203a Throws", "average_rating": 4.2, "small_description": ["PROTECTED AND SAFE: We engineered our heating blankets to heat up while emitting the lowest possible EMF energy. UL Certified and guaranteed to give you peace of mind and the comfort of warmth. ", "LOWER YOUR ELECTRIC BILL \u2013 WHILE STAYING WARM ALL NIGHT: YOU GET TO CHOOSE how toasty warm you prefer to be when you sleep. Enjoy 3 different heating levels with our custom LED controller with also built in auto shut off. We know some of you LIKE IT HOT and you like to SAVE MONEY. Imagine this\u2026 turn off your homes heat at night and cuddle into our heated throw blanket. Then wake up to a reduced electric bill. ", "PERFECTLY POSITIONED CORD WON\u2019T POKE YOU AT NIGHT: 6FT LONG POWER CORD gives you plenty of reach to any nearby outlet whether you\u2019re in the bedroom, camping, RV, air mattress or carpet AND YOU WON\u2019T EVEN FEEL IT\u2019S THERE. The conveniently placed 3ft controller cord can easily be reached and tucked away as well. ", "SUPER SIMPLE TO WASH: Just disconnect the controller and power cables and simply throw the entire electric throw blanket into the wash. Use cold or lukewarm water and put it on a slow agitation cycle. Then toss it in the dryer on low heat or let it air dry. STAYS SILKY SOFT after many washes. ", "BUILT TO LAST: 5 YEAR WARRANTY \u2013 WE KNOW YOU\u2019RE TIRED OF buying inferior heated throws that stop working in only the first few uses. That\u2019s why we engineered our heated throw blanket to last in comfortable cozy conditions or even the most rugged adventurous settings. "], "total_reviews": 4390, "total_answered_questions": "", "model": "DC54-0493", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07W95NB13/ref=twister_B083G7ZWKH", "value": "Plush Throw 50x60\"", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "Foot Throw 50x62\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08HVWG6SJ/ref=twister_B083G7ZWKH", "value": "Foot Throw 60x70\"", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07W95NB13/ref=twister_B083G7ZWKH", "value": "Beige", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/211S-Lv2YQL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07W6Y2TXS/ref=twister_B083G7ZWKH?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21CtChQ17AL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WC36H5N/ref=twister_B083G7ZWKH", "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21t6KonM3bL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WC6H2DN/ref=twister_B083G7ZWKH", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21PUVF3lNKL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09C1X3BBG/ref=twister_B083G7ZWKH", "value": "Red Plaid", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51vu2K-2XVL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WC46VQ2/ref=twister_B083G7ZWKH?_encoding=UTF8&psc=1", "value": "Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21VOeM-hQEL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09C1ZPNBC/ref=twister_B083G7ZWKH?_encoding=UTF8&psc=1", "value": "Ivory", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/01AueyUjchL.jpg"}, {"is_selected": true, "url": null, "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/01HengnxExL.jpg"}]}, "seller_id": "A5Z2YWU3O1IH2", "seller_name": "La Fiore", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09C1YWG8W", "category": "garden", "query": "Throw Blankets", "page": 12, "small_description_old": "About this item\n \nPROTECTED AND SAFE: We engineered our heating blankets to heat up while emitting the lowest possible EMF energy. UL Certified and guaranteed to give you peace of mind and the comfort of warmth. LOWER YOUR ELECTRIC BILL \u2013 WHILE STAYING WARM ALL NIGHT: YOU GET TO CHOOSE how toasty warm you prefer to be when you sleep. Enjoy 3 different heating levels with our custom LED controller with also built in auto shut off. We know some of you LIKE IT HOT and you like to SAVE MONEY. Imagine this\u2026 turn off your homes heat at night and cuddle into our heated throw blanket. Then wake up to a reduced electric bill. PERFECTLY POSITIONED CORD WON\u2019T POKE YOU AT NIGHT: 6FT LONG POWER CORD gives you plenty of reach to any nearby outlet whether you\u2019re in the bedroom, camping, RV, air mattress or carpet AND YOU WON\u2019T EVEN FEEL IT\u2019S THERE. The conveniently placed 3ft controller cord can easily be reached and tucked away as well. SUPER SIMPLE TO WASH: Just disconnect the controller and power cables and simply throw the entire electric throw blanket into the wash. Use cold or lukewarm water and put it on a slow agitation cycle. Then toss it in the dryer on low heat or let it air dry. STAYS SILKY SOFT after many washes. BUILT TO LAST: 5 YEAR WARRANTY \u2013 WE KNOW YOU\u2019RE TIRED OF buying inferior heated throws that stop working in only the first few uses. That\u2019s why we engineered our heated throw blanket to last in comfortable cozy conditions or even the most rugged adventurous settings."}, {"name": "YITAHOME 5 Tier Bookshelf, Open Freestanding 5 Shelf Bookcase 5 Tier Storage Shelf for Display and Collection, Industrial Decorative Shelf for Living Room, Home, Office, Retro Brown Bookshelf", "product_information": {"Item Weight": "\u200e55.1 pounds", "Product Dimensions": "\u200e11.8 x 47 x 70.8 inches", "Country of Origin": "\u200eChina", "Item model number": "\u200eFTOFBC-9000", "Assembled Height": "\u200e70.8 inches", "Assembled Width": "\u200e11.8 inches", "Assembled Length": "\u200e47 inches", "Weight": "\u200e55.12 Pounds", "ASIN": "B08PYQVNBQ", "Customer Reviews": {"ratings_count": 101, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#538,043 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,101 in Bookcases"], "Date First Available": "December 8, 2020"}, "brand": "Visit the YITAHOME Store", "brand_url": "https://www.amazon.com/stores/YITAHOME/page/48204C75-BB9D-461E-BC71-9CB13D8CF5F0?ref_=ast_bln", "full_description": "", "pricing": "$159.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51X-xLIkQoL.jpg", "https://m.media-amazon.com/images/I/51GQrohUyVS.jpg", "https://m.media-amazon.com/images/I/518b9R7nT5S.jpg", "https://m.media-amazon.com/images/I/51rzKieaFbL.jpg", "https://m.media-amazon.com/images/I/41yoyWr5r1S.jpg", "https://m.media-amazon.com/images/I/51dU8WX2LDS.jpg", "https://m.media-amazon.com/images/I/51eG-3KDQcL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Bookcases", "average_rating": 4.7, "small_description": ["5-TIER LADDER BOOKSHELF- Compared to others, this freestanding bookshelf is equipped with 5 open shelves to provide ample space. Moreover, its stream-lined and multi-layer construction meet all your decorative and functional needs. ", "INDUSTRIAL & CHARMING STYLE- The optimal choice for people who want to invigorate home office. Enhance your work or study with the pleasure of compact organization and a clean-cut look to your room. ", "INNOVATIVE DETAILS- Rear X-shaped bracing enhances bookshelf stability so it doesn\u2019t wobble. The X-shaped side bar is used to prevent items from falling. The clear and comfortable finish increases coziness. ", "IMMENSE WEIGHT CAPACITY- Crafted from engineered particle board with fine finishing and a powerful metal frame. Each shelf can bear considerable weight and the adjustable foot pad keeps the product stable on uneven floors. Overall Size: 47\u201d x 11.8\u201d x 70.8\u201d (L\u00a0x\u00a0W\u00a0x\u00a0H) ", "WORRY-FREE ASSEMBLY- All necessary accessories, tools, and illustrated instruction are included. Please adjust the upper and lower connecting parts to make them level, and then tighten the screws. Remember to install the anti-tilting tool on the wall for better stability and less unexpected injuries. "], "total_reviews": 101, "total_answered_questions": "", "model": "\u200eFTOFBC-9000", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Retro Brown", "price_string": "$159.99", "price": 159.99, "image": "https://m.media-amazon.com/images/I/51X-xLIkQoL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08PYCWPV2/ref=twister_B08XXND197?_encoding=UTF8&psc=1", "value": "Rustic Brown", "price_string": "$166.35", "price": 166.35, "image": "https://m.media-amazon.com/images/I/51n4DU+q1DS.jpg"}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08PYQVNBQ", "category": "garden", "query": "Book Cases", "page": 8, "small_description_old": "About this item 5-TIER LADDER BOOKSHELF- Compared to others, this freestanding bookshelf is equipped with 5 open shelves to provide ample space. Moreover, its stream-lined and multi-layer construction meet all your decorative and functional needs. INDUSTRIAL & CHARMING STYLE- The optimal choice for people who want to invigorate home office. Enhance your work or study with the pleasure of compact organization and a clean-cut look to your room. INNOVATIVE DETAILS- Rear X-shaped bracing enhances bookshelf stability so it doesn\u2019t wobble. The X-shaped side bar is used to prevent items from falling. The clear and comfortable finish increases coziness. IMMENSE WEIGHT CAPACITY- Crafted from engineered particle board with fine finishing and a powerful metal frame. Each shelf can bear considerable weight and the adjustable foot pad keeps the product stable on uneven floors. Overall Size: 47\u201d x 11.8\u201d x 70.8\u201d (L\u00a0x\u00a0W\u00a0x\u00a0H) WORRY-FREE ASSEMBLY- All necessary accessories, tools, and illustrated instruction are included. Please adjust the upper and lower connecting parts to make them level, and then tighten the screws. Remember to install the anti-tilting tool on the wall for better stability and less unexpected injuries. \n \u203a See more product details"}, {"name": "Hair Removal Pads 4 Piece Set (2-Pack)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 7.2 x 6.6 x 1.3 inches; 1.6 Ounces", "Item model number\n \u200f": "\u200e\n LEPUSBTNZ8030", "UPC\n \u200f": "\u200e\n 310151852381", "Manufacturer\n \u200f": "\u200e\n An American Company", "ASIN\n \u200f": "\u200e\n B00T9U3NA6", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#544,361 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#27,567 in Shaving & Hair Removal Products", "#27,567 in Shaving & Hair Removal Products": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the American Store", "brand_url": "https://www.amazon.com/stores/American/page/277BF71D-141F-43CD-B221-B0F2433DF6EB?ref_=ast_bln", "full_description": "The hair removal pads smooth away unwanted hair. Each pad is covered with superfine crystals that buff away hair leaving your skin soft and incredibly smooth. Pads gently exfoliate while removing hair. Safe for upper lips, sensitive areas such as underarms and anywhere you need to remove hair or exfoliate.", "pricing": "$4.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51kaUIUcDmL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Shave & Hair Removal", "average_rating": 2.9, "small_description": ["Each pack has 1 large size pad for facial areas, legs, arms and underarms ", "1 small size pad for hard to reach areas ", "2 backing pads (buffer pads attach to the backing pads) ", "Gently exfoliate and buff away unwanted hair without razors or chemicals ", "Safe for upper lip, sensitive areas such as underarms "], "total_reviews": 29, "total_answered_questions": "", "customization_options": "", "seller_id": "A161KJFXGMNJBI", "seller_name": "As Seen on TV Products", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00T9U3NA6", "category": "beauty", "query": "Shave & Hair Removal", "page": 60, "small_description_old": "Each pack has 1 large size pad for facial areas, legs, arms and underarms 1 small size pad for hard to reach areas 2 backing pads (buffer pads attach to the backing pads) Gently exfoliate and buff away unwanted hair without razors or chemicals Safe for upper lip, sensitive areas such as underarms"}, {"name": "4 Pack, Russell Stover Milk Chocolate Coconut Nests", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 4 x 3 x 1 inches; 1 Ounces", "ASIN\n \u200f": "\u200e\n B00UETYYV8", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Russell Stover Store", "brand_url": "https://www.amazon.com/stores/Russell+Stover/page/A90DB52A-A313-4281-849D-DD4DCB4D2445?ref_=ast_bln", "full_description": "Russel Stover Coconut Nest Covered in Milk Chocolate. Pack of 4 Individually Wrapped Coconut Nests 1oz each (Total of 4oz)", "pricing": "$12.99", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon. Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51hYYszcNlL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": 4.5, "small_description": ["Russell Stover Delicious Milk Chocolate Coconut Nests ", "4 Individually Wrapped Coconut Nests 1 oz each "], "total_reviews": 80, "total_answered_questions": "", "customization_options": "", "seller_id": "A2KAJZGO9TTJCT", "seller_name": "Sielca Sales LLC", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B00UETYYV8", "category": "grocery", "query": "Milks & Creams", "page": 197, "small_description_old": "About this item Russell Stover Delicious Milk Chocolate Coconut Nests 4 Individually Wrapped Coconut Nests 1 oz each"}, {"name": "Beaupretty 7Pcs Silicone Travel Bottles Set Empty Cosmetic Bottles Refillable Toiletry Containers Squeezable Travel Tube for Lotion Shampoo Toiletries", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 4.33 x 3.54 x 0.31 inches; 2.12 Ounces", "Item model number\n \u200f": "\u200e\n 0Y46144E9NOJOBRUOQR015RU", "UPC\n \u200f": "\u200e\n 738702094804", "Manufacturer\n \u200f": "\u200e\n Beaupretty", "ASIN\n \u200f": "\u200e\n B08532HWVM", "": ""}, "brand": "Brand: Beaupretty", "brand_url": "https://www.amazon.com/Beaupretty/b/ref=bl_dp_s_web_23453093011?ie=UTF8&node=23453093011&field-lbr_brands_browse-bin=Beaupretty", "full_description": "DescriptionThis is a set of 7 pieces travel bottles. Perfect for shampoo, conditioner, body wash, lotion and more. Large opening for easy refill with leak-proof cover. Compact size, easy to store and carry, you can take your preferred brands of shampoo, condition, gel or other toiletries to gym, beach, travel, hotel, etc.Features- Color: As shown.- Material: Silicone.- Size: 11x9x0.8cm.Package Including1 x set of 7Pcs Silicone Travel Bottles", "pricing": "$9.29", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/315TtSTAH+L.jpg", "https://m.media-amazon.com/images/I/41DjZt7cpxL.jpg", "https://m.media-amazon.com/images/I/31CZ1RK4NnL.jpg", "https://m.media-amazon.com/images/I/41bBSx+HM2L.jpg", "https://m.media-amazon.com/images/I/51TjCDw2hnL.jpg", "https://m.media-amazon.com/images/I/31tsgVAbXxL.jpg", "https://m.media-amazon.com/images/I/31zcwdGTrrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases", "average_rating": "", "small_description": ["Bright color and fruit shape design. ", "Each bottle with the capacity of about 25ml-30ml. ", "Compact size, easy to store and carry, you can take your preferred brands of shampoo, condition, gel or other toiletries to gym, beach, travel, hotel, etc. ", "Large opening for easy refill with leak-proof cover. ", "Set of 7 travel bottles, perfect for shampoo, conditioner, body wash, lotion and more. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AT1XOP8MY9KKG", "seller_name": "Sharluue", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08532HWVM", "category": "beauty", "query": "Refillable Containers", "page": 184, "small_description_old": "Bright color and fruit shape design. Each bottle with the capacity of about 25ml-30ml. Compact size, easy to store and carry, you can take your preferred brands of shampoo, condition, gel or other toiletries to gym, beach, travel, hotel, etc. Large opening for easy refill with leak-proof cover. Set of 7 travel bottles, perfect for shampoo, conditioner, body wash, lotion and more."}, {"name": "Taali NEW Sweet and Savory Variety Popped Water Lily Pops (6 Resealable Bags) - Try 6 Flavors! | Sweet, Salty, Savory Assortment | Protein Boost | Snack on the Go (2 oz/2.3 oz. bags)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 14.57 x 6.3 x 9.84 inches; 1.59 Pounds", "UPC\n \u200f": "\u200e\n 811307030184", "Manufacturer\n \u200f": "\u200e\n Indspiration Foods Private Limited", "ASIN\n \u200f": "\u200e\n B085RRL27J", "Best Sellers Rank": "#35,309 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#108 in Puffed Snacks", "#108 in Puffed Snacks": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Taali Store", "brand_url": "https://www.amazon.com/stores/Taali/page/2913B7C3-3C4F-4C6B-B964-CA7528984845?ref_=ast_bln", "full_description": "", "pricing": "$38.99", "list_price": "", "availability_quantity": 17, "availability_status": "Only 17 left in stock - order soon. Only 17 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51PyQPhMUOL.jpg", "https://m.media-amazon.com/images/I/51m8vnfGxDL.jpg", "https://m.media-amazon.com/images/I/51EaUs2gpUS.jpg", "https://m.media-amazon.com/images/I/51qbi32QhDL.jpg", "https://m.media-amazon.com/images/I/61tAhC6LFoL.jpg", "https://m.media-amazon.com/images/I/61+cosYt2dL.jpg", "https://m.media-amazon.com/images/I/61uhigWiDKL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Puffed Snacks", "average_rating": 3.9, "small_description": ["6-FLAVOR VARIETY: Enjoy 6 share sized bags. Includes 1 Himalayan Pink Salt, 1 White Cheddar, 1 Tikka Masala, 1 Tangy Turmeric, 1 Cinnamon Vanilla and 1 Cookie Crunch. No need to choose between sweet and savory here! Indulge your cravings and try them all! ", "PLANT BASED PROTEIN: With 6-10 grams of vegetarian protein per bag, you will finally have a great answer to the dreaded question... \u201cbut where do you get your protein\u201d? ", "CLEAN EATING: Taali Water Lily Pops new sweet flavors fit into any healthy diet - they are gluten free, soy free, corn free, dairy free, certified non GMO, and do not contain artificial flavors or ingredients. Taali takes pride in using real ingredients that taste great! ", "POP. EAT. REPEAT: Rich in protein and antioxidants, Taali will leave you feeling satisfied with fewer calories. With 67% less fat & 20% less calories than the leading popcorn brand, you won\u2019t be able to get enough of this sweet guilt-free treat. ", "MORE OF WHAT YOU LOVE: With bigger bags than competitor products, there\u2019s more to love and more to share with Taali "], "total_reviews": 553, "total_answered_questions": 5, "customization_options": {"Flavor": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07PN7DXYV/ref=twister_B09HJPHM3F", "value": "3-Flavor Variety", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085RFK3CM/ref=twister_B09HJPHM3F", "value": "4-Flavor Variety", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "Variety - Sweet & Savory", "price_string": "", "price": 0, "image": null}], "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07PN7DXYV/ref=twister_B09HJPHM3F", "value": "0.8 Ounce (Pack of 10)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085R8FRMX/ref=twister_B09HJPHM3F", "value": "0.8 Ounce (Pack of 20)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07RM57VTN/ref=twister_B09HJPHM3F", "value": "2.3 Ounce (Pack of 4)", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "2-2.3 Ounce (Pack of 6)", "price_string": "", "price": 0, "image": null}]}, "seller_id": "AQXHLTLA9AEF3", "seller_name": "Taali Foods", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B085RRL27J", "category": "grocery", "query": "Wasabi Peas", "page": 10, "small_description_old": "6-FLAVOR VARIETY: Enjoy 6 share sized bags. Includes 1 Himalayan Pink Salt, 1 White Cheddar, 1 Tikka Masala, 1 Tangy Turmeric, 1 Cinnamon Vanilla and 1 Cookie Crunch. No need to choose between sweet and savory here! Indulge your cravings and try them all! PLANT BASED PROTEIN: With 6-10 grams of vegetarian protein per bag, you will finally have a great answer to the dreaded question... \u201cbut where do you get your protein\u201d? CLEAN EATING: Taali Water Lily Pops new sweet flavors fit into any healthy diet - they are gluten free, soy free, corn free, dairy free, certified non GMO, and do not contain artificial flavors or ingredients. Taali takes pride in using real ingredients that taste great! POP. EAT. REPEAT: Rich in protein and antioxidants, Taali will leave you feeling satisfied with fewer calories. With 67% less fat & 20% less calories than the leading popcorn brand, you won\u2019t be able to get enough of this sweet guilt-free treat. MORE OF WHAT YOU LOVE: With bigger bags than competitor products, there\u2019s more to love and more to share with Taali"}, {"name": "Tycon Systems POE-MSPLT-4824 POE Splitter - 24V DC 12W", "product_information": {"Product Dimensions": "1.77 x 2.56 x 1.02 inches", "Item Weight": "3.2 ounces", "ASIN": "B00PZ006U4", "Item model number": "POE-MSPLT-4824", "Best Sellers Rank": ["#1,995 in Surge Protectors"], "Is Discontinued By Manufacturer": "No", "Date First Available": "November 21, 2014", "Manufacturer": "Tycon Systems"}, "brand": "Brand: Tycon Power", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Tycon+Power", "full_description": "Features: Very Compact Size Converts an Active PoE Input to a DC output Various Output Voltages and USB Available Output Power Up To 15W Short Circuit, Over Current ProtectionPOE-MSPLT-4824 is a 10/100Mb splitter to power a non-POE device using POE. It has an 802.3af/at or 48VDC Passive PoE input. The 12W DC output is via a standard 5.5mm/2.1mm barrel connector on a 6in cable. Data output is thru a 6in CAT5 cable terminated with an RJ45 connector. These POE splitters are the perfect solution for running 24VDC devices like cameras, access points, switches and sensors from a 802.3af or 802.3at or 48VDC Passive POE source. Wide -25 to +50C temperature range enables outdoor applications when mounted in weatherproof enclosures.Inputs and outputs are isolated. They have protections for short circuit and over-current.Dimensions:65 x 45 x 26mm (2.6 x 1.8 x 1\u201d)Weight: 62g (2.2oz)", "pricing": "$46.50", "list_price": "", "availability_quantity": 12, "availability_status": "Only 12 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/416ro4Sq8gL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Power Strips & Surge Protectors \u203a Surge Protectors", "average_rating": "", "small_description": ["802.3af/at PoE Input ", "24VDC 12W out ", "10/100MB ", "Compact Size ", "Low Cost "], "total_reviews": "", "total_answered_questions": "", "model": "POE-MSPLT-4824", "customization_options": "", "seller_id": "A1MAXJIALWUXGM", "seller_name": "pcbay", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00PZ006U4", "category": "electronics", "query": "Power Protection", "page": 281, "small_description_old": "802.3af/at PoE Input 24VDC 12W out 10/100MB Compact Size Low Cost"}, {"name": "Finchberry Happy Birthday Gift Set", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 13 x 4 x 4 inches; 5 Pounds", "UPC\n \u200f": "\u200e\n 850017147942", "Manufacturer\n \u200f": "\u200e\n FINCHBERRY", "ASIN\n \u200f": "\u200e\n B09RYN5ZS7", "": ""}, "brand": "Visit the FINCHBERRY Store", "brand_url": "https://www.amazon.com/stores/Finchberry/page/5F120F76-2FB4-4965-8EDB-E0AC63ACE34B?ref_=ast_bln", "full_description": "Finchberry Happy Birthday Gift Set, Gift Basket for Women, 3Pcs with Soap, Fizzy Salt Soak & Soap Dish, Home Spa Kit with Sustainably Sourced Ingredients", "pricing": "$35.00", "list_price": "", "availability_quantity": 6, "availability_status": "Only 6 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41pxYAJDlnL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Body \u203a Cleansers \u203a Soaps", "average_rating": "", "small_description": ["GIFTING SENSATION - Elevate your gift-giving and brighten their special day with Finchberry's Happy Birthday Gift Set! Artfully curated and expertly handcrafted with sustainably sourced ingredients, this nourishing trio will be sure to leave a lasting impression. ", "WHAT'S INCLUDED - Each Happy Birthday Gift Set includes: a Main Squeeze Bar Soap, a Renegade Honey Fizzy Salt Soak and a Pink Silicone Flower Soap Dish ", "UNIQUE & DECADENT - Perfectly packaged and delightfully decorated. Each box is printed with a thoughful saying and ready to be gifted to anyone who enjoys \u201cme time\u201d. **PLEASE NOTE: The sayings printed on the inside of each gift set are random. We cannot guarantee which saying you will receive. ", "PRETTY PERFECTION - Beautifully layered in eye-catching color combinations and highlighted in a decorative glass container, our lovely soaks are the perfect addition to any bathroom. ", "HIGH QUALITY - Our flower soap dish is made of high quality flexible silicone, soft and durable. Size: 4.9\" x 4.9\" "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1S148Z3EF0UJP", "seller_name": "Finchberry", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09RYN5ZS7", "category": "beauty", "query": "Skin Care Sets & Kits", "page": 151, "small_description_old": "About this item GIFTING SENSATION - Elevate your gift-giving and brighten their special day with Finchberry's Happy Birthday Gift Set! Artfully curated and expertly handcrafted with sustainably sourced ingredients, this nourishing trio will be sure to leave a lasting impression. WHAT'S INCLUDED - Each Happy Birthday Gift Set includes: a Main Squeeze Bar Soap, a Renegade Honey Fizzy Salt Soak and a Pink Silicone Flower Soap Dish UNIQUE & DECADENT - Perfectly packaged and delightfully decorated. Each box is printed with a thoughful saying and ready to be gifted to anyone who enjoys \u201cme time\u201d. **PLEASE NOTE: The sayings printed on the inside of each gift set are random. We cannot guarantee which saying you will receive. PRETTY PERFECTION - Beautifully layered in eye-catching color combinations and highlighted in a decorative glass container, our lovely soaks are the perfect addition to any bathroom. HIGH QUALITY - Our flower soap dish is made of high quality flexible silicone, soft and durable. Size: 4.9\" x 4.9\""}, {"name": "Prepac Entryway Shoe Cubby Console, 60\", Drifted Gray", "product_information": {"Item Weight": "\u200e105 pounds", "Product Dimensions": "\u200e15.5 x 60 x 35 inches", "Country of Origin": "\u200eCanada", "Item model number": "\u200eDUSG-0014-1", "ASIN": "B08HN55NGW", "Customer Reviews": {"ratings_count": 27, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#265,719 in Home & Kitchen (See Top 100 in Home & Kitchen) #455 in Free Standing Shoe Racks"], "Date First Available": "March 22, 2021"}, "brand": "Visit the Prepac Store", "brand_url": "https://www.amazon.com/stores/PREPACRTASTORAGEFURNITURE/page/70700F36-DB66-4C54-BED6-325CCB481658?ref_=ast_bln", "full_description": "The Prepac 60\" Shoe Cubby Console is a great option for organizing an entryway, mudroom or family room. There are 32 shoe cubbies to keep shoes from cluttering your floors and four large top compartments to stow books, bags and catch-all baskets. Not just for shoes, the cubbies can also be used for scarves, gloves and other items. This versatile console could also be repurposed to hold yarn, fabric and craft supplies. At 35\" high, the large top surface is at an optimal height for setting down keys and other \"on the go\" items, or as a spot for your favorite lamp and decorative items. Constructed from non-toxic, CARB-2 compliant, laminated composite woods. Ships ready to assemble, includes an instruction booklet for easy assembly and has a 5-year manufacturer\u2019s limited parts warranty. Manufactured in Canada and meets all North American safety standards.", "pricing": "$280.99", "list_price": "", "availability_status": "Available to ship in 1-2 days.", "images": ["https://m.media-amazon.com/images/I/51994qN3ezL.jpg", "https://m.media-amazon.com/images/I/41pSnpuhppL.jpg", "https://m.media-amazon.com/images/I/41t5qQLRJuL.jpg", "https://m.media-amazon.com/images/I/31z+9qCOzgL.jpg", "https://m.media-amazon.com/images/I/414fB+BjzSL.jpg", "https://m.media-amazon.com/images/I/41iNrl7zsOL.jpg", "https://m.media-amazon.com/images/I/61q46ecPHIL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Storage & Organization \u203a Clothing & Closet Storage \u203a Shoe Organizers \u203a Free Standing Shoe Racks", "average_rating": 4.5, "small_description": ["Thirty-two storage cubbies are spacious enough to hold a pair of size 13 men's shoes (6.875 in. W x 4.875 in. H x 14 in. D) ", "Four large upper cubbies for baskets, games, books (13.25 in. W x 7.25 in. H x 14 in. D) ", "Side and top moldings; Decorative kicker; 4\" high notch on each side to accommodate baseboards ", "No visible hardware with connecting rod and cam lock construction ", "Assembled Dimensions: 60 in. W x 35 in. H x 15.5 in. D; Weight Capacity: 200 lbs on top; 10 lbs per each top compartment "], "total_reviews": 27, "total_answered_questions": "", "model": "\u200eDUSG-0014-1", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08HN55NGW", "category": "garden", "query": "Cabinets", "page": 115, "small_description_old": "Thirty-two storage cubbies are spacious enough to hold a pair of size 13 men's shoes (6.875 in. W x 4.875 in. H x 14 in. D) Four large upper cubbies for baskets, games, books (13.25 in. W x 7.25 in. H x 14 in. D) Side and top moldings; Decorative kicker; 4\" high notch on each side to accommodate baseboards No visible hardware with connecting rod and cam lock construction Assembled Dimensions: 60 in. W x 35 in. H x 15.5 in. D; Weight Capacity: 200 lbs on top; 10 lbs per each top compartment \n \u203a See more product details"}, {"name": "Wrangler Men's Retro Slim Fit Straight Leg Jean, Black, 42W x 32L", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 18.7 x 14.9 x 2.2 inches; 1 Pounds", "Item model number\n \u200f": "\u200e\n 88MWZBK", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n January 18, 2017", "Manufacturer\n \u200f": "\u200e\n Wrangler Men's Sportswear", "ASIN\n \u200f": "\u200e\n B01MSP2B0I", "Country of Origin\n \u200f": "\u200e\n China", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Wrangler Store", "brand_url": "https://www.amazon.com/stores/THEOFFICIALWRANGLER%C2%AESTORE/page/447486A1-7264-4DFF-9C66-7F69EB4AA55B?ref_=ast_bln", "full_description": "Wrangler Men's Retro Slim Straight Jean. This Retro jean was designed with style in mind. An everyday staple built with a slim fit, this Retro jean is a classic that never goes out of style. Great for a night on the town or out to dinner, this jean keeps you looking buttoned-up no matter the occasion. FEATURES Slim Fit. Slim fit through the seat and thighs. Retro Style. \"\"W\"\" stitching on the back pockets, leather logo patch, 1947 rivet on the front pocket. Traditional 5-Pocket Jean. (2) embroidered hip pockets, (1) watch pocket, and (2) front pockets. Durable Comfort. Built with a durable cotton blend.", "pricing": "$63.05", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/312J3aUg8UL.jpg", "https://m.media-amazon.com/images/I/31uEjHWJWGL.jpg", "https://m.media-amazon.com/images/I/31yw1e3NkCL.jpg", "https://m.media-amazon.com/images/I/512m9mQazjL.jpg", "https://m.media-amazon.com/images/I/41B1WQkr1BL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Jeans", "average_rating": 5, "small_description": ["SLIM FIT. This slim fit straight leg jean is designed with fashion-forward style. Built with a slim fit through the seat and thigh, our Retro jean sits lower on the waist and leaves enough room to fit over your favorite pair of boots. ", "RETRO STYLING. Designed with Retro style in mind, this slim straight jean provides a vintage look for the modern man. Complete with our signature Retro finishes and slim fit, this jean will keep you looking good for any occasion. ", "QUALITY MATERIALS. Made from high-quality material, this slim fit straight jean is constructed for comfort, function, and style. Finished with a unique wash technique - whiskering, handsanding, distressing - each style varies in finishing. ", "ICONIC EMBELLISHMENTS. This premium slim jean is finished with our iconic Wrangler \u201cW\u201d stitching, leather Wrangler patch on the back pocket, and 1947 rivet on the front pocket. Maintain that effortless classic style with a touch of Retro. ", "FIVE POCKET STYLING. Constructed with our classic five-pocket jean styling, these straight leg jeans are made with (2) embroidered hip pockets, (1) watch pocket, and (2) front pockets. "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B01MSP2B0I", "category": "fashion", "query": "Men's Jeans", "page": 21, "small_description_old": "SLIM FIT. This slim fit straight leg jean is designed with fashion-forward style. Built with a slim fit through the seat and thigh, our Retro jean sits lower on the waist and leaves enough room to fit over your favorite pair of boots. RETRO STYLING. Designed with Retro style in mind, this slim straight jean provides a vintage look for the modern man. Complete with our signature Retro finishes and slim fit, this jean will keep you looking good for any occasion. QUALITY MATERIALS. Made from high-quality material, this slim fit straight jean is constructed for comfort, function, and style. Finished with a unique wash technique - whiskering, handsanding, distressing - each style varies in finishing. ICONIC EMBELLISHMENTS. This premium slim jean is finished with our iconic Wrangler \u201cW\u201d stitching, leather Wrangler patch on the back pocket, and 1947 rivet on the front pocket. Maintain that effortless classic style with a touch of Retro. FIVE POCKET STYLING. Constructed with our classic five-pocket jean styling, these straight leg jeans are made with (2) embroidered hip pockets, (1) watch pocket, and (2) front pockets."}, {"name": "Pepperidge Farm Goldfish Cheddar Crackers, 22 Snack Packs, 28g/1 oz. Each {Imported from Canada}", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 9.44 x 5.75 x 8 inches; 1.72 Pounds", "Item model number\n \u200f": "\u200e\n 200140024766", "UPC\n \u200f": "\u200e\n 014100247661", "ASIN\n \u200f": "\u200e\n B073WX1ZSK", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Pepperidge Farm", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Pepperidge+Farm", "full_description": "", "pricing": "$31.99", "list_price": "", "availability_quantity": 14, "availability_status": "Only 14 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51-iJBYhnmL.jpg", "https://m.media-amazon.com/images/I/51mDMdDtLXL.jpg", "https://m.media-amazon.com/images/I/51bvu0oVWsL.jpg", "https://m.media-amazon.com/images/I/51DlNbPpI+S.jpg", "https://m.media-amazon.com/images/I/51wPwl57csS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": 4.7, "small_description": [""], "total_reviews": 2447, "total_answered_questions": "", "customization_options": "", "seller_id": "A3DEFW12560V8M", "seller_name": "MangaNaturals", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B073WX1ZSK", "category": "grocery", "query": "Snack Crackers", "page": 33, "small_description_old": ""}, {"name": "Fujifilm FinePix Z90 14 MP Digital Camera with Fujinon 5x Wide Angle Optical Zoom Lens and 3-Inch Touch-Screen LCD (Purple)", "product_information": {"Product Dimensions": "0.8 x 3.8 x 2.2 inches", "Item Weight": "4.8 ounces", "ASIN": "B004HO58MA", "Item model number": "Z90 Purple", "Batteries": "1 Lithium ion batteries required. (included)", "Customer Reviews": {"ratings_count": 138, "stars": "4.4 out of 5 stars"}, "Is Discontinued By Manufacturer": "No", "Date First Available": "January 1, 2011", "Manufacturer": "FUJIFILM"}, "brand": "Visit the Fujifilm Store", "brand_url": "https://www.amazon.com/stores/FUJIFILM/page/2528B9A9-8D24-443E-9D1B-EAFFFDE3CC60?ref_=ast_bln", "full_description": "The Fuji FinePix Z90 14MP Purple Digital Camera is packed full of fun and easy-to use features. It houses an innovative 3 inch wide LCD touch screen that automatically rotates the display to portrait or landscape view. This stylish compact body incorporates the award-winning Fujinon lens with 5x zoom, 14 megapixels and digital image stabilization. With the ability to capture both photos and movies in high-definition 16:9 format, the FinePix Z90 lets you discover the impact of full-screen HDTV image display. With Motion Panorama the camera automatically stitches together three consecutive shots creating a stunning wide-scale image. Plus it features image selection and editing functions that make it easier than ever to upload video clips or still photos to YouTube and Facebook sites. The FinePix Z90 is the perfect camera for a fashion conscious audience that is looking for a combination of quality and style. Z90 The FinePix Z90 digital camera is the latest addition to Fujifilm's sleek and stylish range of Z-series compact cameras, and features a large 3-inch resistive touch-screen LCD, a 14-megapixel CCD sensor, with a FUJINON 5x wide angle refractive optical zoom lens (28mm equivalent) for added range and flexibility. The FinePix Z90's impressive features also include one-touch 720p HD movie capture, an intuitive Dual Direction GUI that allows for easy navigating, and \"tap and shoot\" capabilities for images and videos. The Z90 also has tagging with automatic upload functions to YouTube and Facebook. Fujifilm FinePix Z90 Highlights Chic Design The FinePix Z90 features a slim metal chassis and a chic horizontal sliding lens barrier that makes it ultra-portable. It is available in a choice of five stylish colors: matte black, red, blue, pink and purple. The FinePix Z90 digital camera is the latest addition to Fujifilm's sleek and stylish range of Z-series compact cameras, and features a large 3-inch resistive touch-screen LCD, a 14-megapixel CCD sensor, with a FUJINON 5x wide angle refractive optical zoom lens (28mm equivalent) for added range and flexibility. The FinePix Z90's impressive features also include one-touch 720p HD movie capture, an intuitive Dual Direction GUI that allows for easy navigating, and \"tap and shoot\" capabilities for images and videos. The Z90 also has tagging with automatic upload functions to YouTube and Facebook. Fujifilm FinePix Z90 Highlights Chic Design The FinePix Z90 features a slim metal chassis and a chic horizontal sliding lens barrier that makes it ultra-portable. It is available in a choice of five stylish colors: matte black, red, blue, pink and purple.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51PVBF1I4ML.jpg", "https://m.media-amazon.com/images/I/41J07xMa0LL.jpg", "https://m.media-amazon.com/images/I/31fOp4ZvSTL.jpg", "https://m.media-amazon.com/images/I/41m5JEhq5tL.jpg", "https://m.media-amazon.com/images/I/61oJqm3cyiL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Digital Cameras \u203a DSLR Cameras", "average_rating": 4.4, "small_description": ["14 million effective pixels; 1/2.3 inch CCD with primary color filter; 5x optical zoom lens plus approx 6.8x digital zoom ", "3.0 inch wide touch panel LCD; Auto rotation to portrait or landscape view; HD movie 720p with sound ", "6 scene SR auto; Motion Panorama mode with auto stitch; Touch and shoot; Touch and track; Multi Frame Playback; Image search ", "Digital image stabilization; Tracking auto focus ", "Approx. 38MB internal memory; USB 2.0 High-speed; Video output NTSC / PAL selectable; SD/SDHC/SDXC card compatible (card NOT included) ", "14-megapixel CCD sensor; 5x wide-angle optical zoom lens ", "3-inch resistive touch-screen LCD; Dual Direction GUI , 720p HD video capture; one-touch movie button, Easy Web upload to Facebook and YouTube, Capture images and video to SD/SDHC memory cards (not included)"], "total_reviews": 138, "total_answered_questions": 9, "model": "Z90 Purple", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B004HO58L6/ref=twister_B004YD2638?_encoding=UTF8&psc=1", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51XbxKQqtBL.jpg"}, {"is_selected": true, "url": null, "value": "Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51PVBF1I4ML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B004HO58M0/ref=twister_B004YD2638?_encoding=UTF8&psc=1", "value": "Red", "price_string": "$68.90", "price": 68.9, "image": "https://m.media-amazon.com/images/I/41+YXsd6PSL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B004HO58MA", "category": "electronics", "query": "Digital Cameras", "page": 119, "small_description_old": "About this item\n \n14 million effective pixels; 1/2.3 inch CCD with primary color filter; 5x optical zoom lens plus approx 6.8x digital zoom 3.0 inch wide touch panel LCD; Auto rotation to portrait or landscape view; HD movie 720p with sound 6 scene SR auto; Motion Panorama mode with auto stitch; Touch and shoot; Touch and track; Multi Frame Playback; Image search Digital image stabilization; Tracking auto focus Approx. 38MB internal memory; USB 2.0 High-speed; Video output NTSC / PAL selectable; SD/SDHC/SDXC card compatible (card NOT included) 14-megapixel CCD sensor; 5x wide-angle optical zoom lens 3-inch resistive touch-screen LCD; Dual Direction GUI \n 720p HD video capture; one-touch movie buttonEasy Web upload to Facebook and YouTubeCapture images and video to SD/SDHC memory cards (not included)Show more"}, {"name": "LFQCHRERT Hair Clipper Professional Beard Trimmer Adjustable Ceramic Blade Haircut Kit Mustache Shaving Clipper with 4 Comb", "product_information": {"Package Dimensions": "11.02 x 9.06 x 7.87 inches", "Item Weight": "2.2 pounds", "Department": "Unisex-adult", "Manufacturer": "jydql", "ASIN": "B09S2Z2GMJ", "Country of Origin": "China"}, "brand": "Brand: WPHPS", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=WPHPS", "full_description": "Input Voltage: AC 110-240V Power: 3WOutput Voltage: DC 3V 300mACharging time: 8 hoursUsing time: 60 min.Color: BlackPlug: EUAdapter cable length: 1.8m1. Titanium ceramic moving blade, easily clipping off various hair and will not hurting the skin when operation.2. Low vibration, exceptionally quiet, it is no problem to haircut even when baby fallen asleep.3. Have 0.8-2mm adjustable haircut limit comb design, and equipped with 4 limit combs(3mm / 6mm / 9mm / 12mm), you can freely control your hair length.4. Cordless and battery dual use, no longer to worry about no electricity, more convenient for use.5. After 8 hours fully charged, the power can be used for 60 minutes continuously.", "pricing": "", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/31R779ZkwbL.jpg", "https://m.media-amazon.com/images/I/41IjwghVOrL.jpg", "https://m.media-amazon.com/images/I/41LIGGd0+oL.jpg", "https://m.media-amazon.com/images/I/41EJnu8fsYL.jpg", "https://m.media-amazon.com/images/I/41cz3MaVZFL.jpg", "https://m.media-amazon.com/images/I/41F907R-cnL.jpg", "https://m.media-amazon.com/images/I/31srnMU8pYL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Cutting Tools \u203a Hair Clippers & Accessories", "average_rating": "", "small_description": ["Titanium ceramic moving blade, easily clipping off various hair and will not hurting the skin when operation. ", "Low vibration, exceptionally quiet, it is no problem to haircut even when baby fallen asleep. ", "Have 0.8-2mm adjustable haircut limit comb design, and equipped with 4 limit combs(3mm / 6mm / 9mm / 12mm), you can freely control your hair length. ", "Cordless and battery dual use, no longer to worry about no electricity, more convenient for use. ", "After 8 hours fully charged, the power can be used for 60 minutes continuously. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1T4UXOGYS2IKU", "seller_name": "maomaodedian", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09S2Z2GMJ", "category": "beauty", "query": "Shave & Hair Removal", "page": 163, "small_description_old": "About this item\n \nTitanium ceramic moving blade, easily clipping off various hair and will not hurting the skin when operation. Low vibration, exceptionally quiet, it is no problem to haircut even when baby fallen asleep. Have 0.8-2mm adjustable haircut limit comb design, and equipped with 4 limit combs(3mm / 6mm / 9mm / 12mm), you can freely control your hair length. Cordless and battery dual use, no longer to worry about no electricity, more convenient for use. After 8 hours fully charged, the power can be used for 60 minutes continuously."}, {"name": "SWEETTY Golf Art Classic Canvas Low Top Sneakers for Unisex Men Women Fashion Sports Shoes Black", "product_information": {"Department\n \u200f": "\u200e\n Unisex-adult", "Date First Available\n \u200f": "\u200e\n January 11, 2022", "ASIN\n \u200f": "\u200e\n B09Q5J5HKG", "": ""}, "brand": "Brand: Generic", "brand_url": "https://www.amazon.com/Generic/b/ref=bl_sl_s_sh_web_2529470011?ie=UTF8&node=2529470011&field-lbr_brands_browse-bin=Generic", "full_description": "DESCRIPTION:Rubber strong and soft outsoles for high top canvas shoes; soft canvas upper lining construction with EVA padded insolesComplete with aluminium eyelets and cotton laces up closure for a classic look; perfect for every season, wear them all year roundQualified fabric and well-made products help to ensure comfortable feeling during long time movementShipping Information: 14-28 business days. The processing time may be affected due to external factors such as pandemic or other natural disasters.\u00a0Returns and exchanges: I gladly accept returns, exchanges, and cancellations. Contact me within: a day of delivery. Ship items back within: a day of delivery. Request a cancellation within: 24 hours of purchase.Conditions of return:Buyers are responsible for return shipping costs. If the item is not returned in its original condition, the buyer is responsible for any loss in value.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41aLacVcJpL.jpg", "https://m.media-amazon.com/images/I/51DhavdZbLL.jpg", "https://m.media-amazon.com/images/I/414TW3xbv6L.jpg", "https://m.media-amazon.com/images/I/51iEgJ6XARL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Fashion Sneakers", "average_rating": "", "small_description": ["\u2764 Material: Canvas ", "\u2764 Sizes: Please refer to the size chart picture for your sizes. Remember to measure your feet length and compare our size chart for a perfect fit before ordering. ", "\u2764 This can be used for indoor or outdoor activities such as walking, running, athletic, training, exercise, workout, traveling. Various colors match with any stylish clothes. ", "\u2764 Our shoes are perfectly breathable, soft, durable, fashionable and cleanable. ", "\u2764 [Gift] Hot products festival gift; holiday gift St, mother\u2019s day, father's day, Thanksgiving day, Christmas, Graduation, Birthday, Easter, Wedding and Anniversary. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09Q5J5HKG", "category": "fashion", "query": "Women's Fashion Sneakers", "page": 89, "small_description_old": "\u2764 Material: Canvas \u2764 Sizes: Please refer to the size chart picture for your sizes. Remember to measure your feet length and compare our size chart for a perfect fit before ordering. \u2764 This can be used for indoor or outdoor activities such as walking, running, athletic, training, exercise, workout, traveling. Various colors match with any stylish clothes. \u2764 Our shoes are perfectly breathable, soft, durable, fashionable and cleanable. \u2764 [Gift] Hot products festival gift; holiday gift St, mother\u2019s day, father's day, Thanksgiving day, Christmas, Graduation, Birthday, Easter, Wedding and Anniversary."}, {"name": "Adidas Pure Game Anti-perspirant Roll On, 48h Protection, 50ml", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "UPC\n \u200f": "\u200e\n 888101022301", "Manufacturer\n \u200f": "\u200e\n Adidas", "ASIN\n \u200f": "\u200e\n B00HTXJLL0", "Best Sellers Rank": "#433,305 in Health & Household (See Top 100 in Health & Household)#3,685 in Deodorant", "#3,685 in Deodorant": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the adidas Store", "brand_url": "https://www.amazon.com/stores/adidas/page/5E398A61-45C7-46F9-A6C6-5B4797CC5063?ref_=ast_bln", "full_description": "48h Protection, 50ml", "pricing": "$7.99", "list_price": "", "availability_status": "In stock. Usually ships within 3 to 4 days.", "images": ["https://m.media-amazon.com/images/I/21GSd-KXQLL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Deodorants & Antiperspirants \u203a Deodorant", "average_rating": 5, "small_description": [""], "total_reviews": 5, "total_answered_questions": "", "customization_options": "", "seller_id": "A2A61890XJTSHL", "seller_name": "fresh-store", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00HTXJLL0", "category": "beauty", "query": "Deodorants & Antiperspirants", "page": 52, "small_description_old": "About this item Adidas Pure Game Anti-perspirant Roll On"}, {"name": "Sunland Artisans Golfing Kokopelli Metal Wall Art - 18 inches Tall - Rust Finish - Crafted in USA", "product_information": {"Product Dimensions": "18 x 8 x 18 inches", "Item Weight": "3 pounds", "Manufacturer": "Sunland Artisans", "ASIN": "B07BKRV1QH", "Customer Reviews": {"ratings_count": 20, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#1,569,341 in Home & Kitchen (See Top 100 in Home & Kitchen) #8,011 in Wall Sculptures"], "Is Discontinued By Manufacturer": "No", "Batteries Required?": "No"}, "brand": "Brand: Sunland Artisans", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Sunland+Artisans", "full_description": "This rustic 18-inch medium Golfing Kokopelli 3D Metal Wall Art in a rich rust finish measures approximately 18in H x 7.75in W x 0.5in D. This unique Southwestern Decor wall art piece is meticulously plasma-cut from high quality steel that is expertly finished and clear coated to last a lifetime. A joy to own or give as a gift, this indoor/outdoor Southwestern hanging art piece is created in Arizona, USA for Sunland Artisans, a collaboration of nearby skilled artists. It includes a built-in sawtooth hook for easy mounting and adjusting. The metal is cut out into this original design, which gives a 3D effect when hung on the wall. It is then treated to give an amazing color and texture. Clear-coating makes this the perfect weather-resistant outdoor wall decoration. It is best displayed under the protection of and eave or overhang; perfect for patio. It will also weather rustically if displayed exposed to the elements (sun and rain). Proudly made in America. Contains the predominate color(s): Rust.", "pricing": "$46.99", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41co3IdeEiL.jpg", "https://m.media-amazon.com/images/I/41Ojpfp7W7L.jpg", "https://m.media-amazon.com/images/I/610c7hWTtTL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Home D\u00e9cor Accents \u203a Sculptures \u203a Wall Sculptures", "average_rating": 4.8, "small_description": ["18-inches high x 7.75-inches wide x 0.5-inches deep ", "Indoor / Outdoor Decor ", "Made to order: Ships in 5-10 business days ", "Built in sawtooth hook for easy mounting "], "total_reviews": 20, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07BKQ7DZW/ref=twister_B07BKRTDKB?_encoding=UTF8&psc=1", "value": "12 in", "price_string": "$25.99", "price": 25.99, "image": null}, {"is_selected": true, "url": null, "value": "18 in", "price_string": "$46.99", "price": 46.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07BKV41DX/ref=twister_B07BKRTDKB?_encoding=UTF8&psc=1", "value": "24 in", "price_string": "$84.99", "price": 84.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07BKTKX23/ref=twister_B07BKRTDKB?_encoding=UTF8&psc=1", "value": "30 in", "price_string": "$160.99", "price": 160.99, "image": null}]}, "seller_id": "A31OQB6UPS5VR6", "seller_name": "Sunland Home Decor", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07BKRV1QH", "category": "garden", "query": "Wall art", "page": 132, "small_description_old": "About this item 18-inches high x 7.75-inches wide x 0.5-inches deep Indoor / Outdoor Decor Made to order: Ships in 5-10 business days Built in sawtooth hook for easy mounting"}, {"name": "ARM & HAMMER Peroxicare Toothpaste \u2013 Clean Mint- Fluoride Toothpaste , 6 Ounce (Pack of 6)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 9 x 8.5 x 1.9 inches; 2.6 Pounds", "Batteries\n \u200f": "\u200e\n 1 P76 batteries required.", "Manufacturer\n \u200f": "\u200e\n Arm & Hammer", "ASIN\n \u200f": "\u200e\n B001E77OCU", "Best Sellers Rank": "#149,431 in Health & Household (See Top 100 in Health & Household)#1,264 in Toothpaste", "#1,264 in Toothpaste": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Arm & Hammer Store", "brand_url": "https://www.amazon.com/stores/ARMHAMMER/page/EF600F7F-419B-43DE-93D2-E5BA7B742402?ref_=ast_bln", "full_description": "Arm & Hammer PeroxiCare Deep Clean Toothpaste is the ultimate deep cleaning formula that cleans and whitens safely, gently and effectively. The fluoride cavity protection and enamel strengthening formula removes more plaque in hard to reach places than a non-baking soda toothpaste. You get a deep clean that penetrates in between teeth and along the gum line to remove plaque and stains. It also includes a tartar control agent that helps keep tartar from forming. All that combined with the gentle power of Arm & Hammer Baking Soda to safely whiten gives you something to smile about. It\u2019s a low abrasion formula, so the enamel won\u2019t be damaged. The baking soda also neutralizes acids that weaken and erode enamel. Your teeth will look whiter and you\u2019ll know they\u2019re getting a deep clean. This formula includes peroxide, which gently targets tough set-in stains with extra whitening power. Plus, the Clean Mint flavor leaves your breath fresh. Includes one 6 oz. tube of Arm & Hammer PeroxiCare Deep Clean Toothpaste. For stronger, healthier teeth and gums*, choose Arm & Hammer Baking Soda toothpastes. Versatile and affordable. Gentle yet powerful. For generations of families, Arm & Hammer Baking Soda has been the standard of purity, and a trusted household staple in millions of cabinets and pantries. Our toothpastes and many of our personal care products are made with Arm & Hammer Baking Soda, delivering the quality you can count on, from the brand you trust. *when used as part of a complete brushing routine", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41-M-nTTsGL.jpg", "https://m.media-amazon.com/images/I/51TSmesEUQL.jpg", "https://m.media-amazon.com/images/I/51IIhmm1hrL.jpg", "https://m.media-amazon.com/images/I/41QLupQpRdL.jpg", "https://m.media-amazon.com/images/I/41h7NeKxc2L.jpg", "https://m.media-amazon.com/images/I/41+AlgaH5XL.jpg", "https://m.media-amazon.com/images/I/511L2b2D8uL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothpaste", "average_rating": 4.8, "small_description": ["GUM HEALTH: Clinically shown to help improve gum health, including reducing gum redness and bleeding, so you can maintain healthy gums. ", "REMOVES BACTERIA: Helps remove plaque bacteria and bacteria associated with gum health problems. ", "POWER OF BAKING SODA: ARM & HAMMER baking soda gently cleans and neutralizes acids that weaken and erode enamel ", "CAVITY PROTECTION: Fluoride toothpaste deep cleans and penetrates between the teeth and along the gum line to remove plaque and help prevent cavities ", "Six- 6 oz. tubes of Arm & Hammer Toothpaste "], "total_reviews": 538, "total_answered_questions": 8, "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B001E77OCU", "category": "beauty", "query": "Toothpaste", "page": 12, "small_description_old": "About this item GUM HEALTH: Clinically shown to help improve gum health, including reducing gum redness and bleeding, so you can maintain healthy gums. REMOVES BACTERIA: Helps remove plaque bacteria and bacteria associated with gum health problems. POWER OF BAKING SODA: ARM & HAMMER baking soda gently cleans and neutralizes acids that weaken and erode enamel CAVITY PROTECTION: Fluoride toothpaste deep cleans and penetrates between the teeth and along the gum line to remove plaque and help prevent cavities Six- 6 oz. tubes of Arm & Hammer Toothpaste"}, {"name": "Staoptics 15x60 UHD Binoculars,High Power Astronomy Binoculars for Stargazing and Long Distance Bird Watching Hunting-Fully Multi-Broadband Coated Lenses View Clear and Bright,Adapt to Tripod Black", "product_information": {"Product Dimensions": "6.38 x 3.03 x 8.94 inches", "Item Weight": "2.98 pounds", "ASIN": "B08YQKXLVG", "Item model number": "UHD1560", "Customer Reviews": {"ratings_count": 14, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#8,891 in Camera & Photo Products (See Top 100 in Camera & Photo Products) #1,454 in Binoculars"], "Date First Available": "March 22, 2021", "Manufacturer": "Shenzhen Youkehuwai Technology Co., Ltd", "Country of Origin": "China"}, "brand": "Visit the Staoptics Store", "brand_url": "https://www.amazon.com/stores/Staoptics/page/CD8B958A-D733-4838-A846-AE7BC4B9506C?ref_=ast_bln", "full_description": "Staoptics 15x60 UHD Binoculas,Advanced Fully Multi-Broadband Coated lenses 90% light transmission to bring optimum brightness and true color across the entire light spectrum.Please note: In order to facilitate the use, the adjustment of the eye mask is relatively loose, please do not buy it if you mind, thank you.", "pricing": "$159.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41gcxEcMSPL.jpg", "https://m.media-amazon.com/images/I/41ygZd4fZtL.jpg", "https://m.media-amazon.com/images/I/4185rwyfgxS.jpg", "https://m.media-amazon.com/images/I/410hlVHnlZL.jpg", "https://m.media-amazon.com/images/I/41tjFtSmtKL.jpg", "https://m.media-amazon.com/images/I/41Er84u5d6L.jpg", "https://m.media-amazon.com/images/I/61my5Yop7xL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Binoculars & Scopes \u203a Binoculars", "average_rating": 4, "small_description": ["\u3010SUPER OPTICAL COMPONENTS\u3011Staoptics 15x60 UHD Binoculars uses top quality optical glass to provide you with a crystal-like vision,ultra-low dispersion coated prisms provide super high-quality images with almost no chromatic aberration. ", "\u301090% light transmission\u3011Using the most advanced Fully Multi-broadband Coated technology,makes anti-reflection and brightening treatment to all visible light (wavelength 380-780nm),so the light transmission reach an astonishing rate at 90%,can provide excellent Resolution and high-clear image,bright field of view even in low light conditions. ", "\u3010FOR LONG RANGE DISTANCE VIEWING\u3011High power 15x magnification Porro prism Binoculars,can provide a large field of view of 219ft/1000yards,60mm large objective lens can provide the greatest image brightness,very suitable for long-range distance Bird watching,Hunting,Astronomy,Stargazing etc outdoor activities. ", "\u3010COMFORTABLE LONG EYE RELIEF\u301120mm Long Eye relief design,you can watch it comfortably no matter you wear glasses or not.Large center focusing pulley for easy focusing,rubber armor provides a secure,non-slip grip,and durable external protection. ", "\u3010WARRANNTY AND DELIVERY CHECKLIST\u3011Your purchase will receive Staoptics brand lifetime warranty service and unlimited technical support.Delivery checklist:Binoculars x1,Protective bag x1,Silicone air blaster x1,Objective lens cover x2,Eyepiece cover x1,Neck strap x1 ,Cleaning cloth x1,Starter manual x1. "], "total_reviews": 14, "total_answered_questions": "", "model": "UHD1560", "customization_options": {"Style": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08YCW88M9/ref=twister_B094FWDCT6?_encoding=UTF8&psc=1", "value": "10x50 HD Binoculars", "price_string": "$59.99", "price": 59.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08YRLGPTS/ref=twister_B094FWDCT6?_encoding=UTF8&psc=1", "value": "10x50 UHD Binoculars", "price_string": "$79.99", "price": 79.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08YD49FTK/ref=twister_B094FWDCT6?_encoding=UTF8&psc=1", "value": "15x60 HD Binoculars", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "15x60 UHD Binoculars", "price_string": "$159.99", "price": 159.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08Y6HFTJT/ref=twister_B094FWDCT6?_encoding=UTF8&psc=1", "value": "8x40 HD Binoculars", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08YRSGF3H/ref=twister_B094FWDCT6?_encoding=UTF8&psc=1", "value": "8x40 UHD Binoculars", "price_string": "$69.99", "price": 69.99, "image": null}]}, "seller_id": "A1I11O8WTPIIU5", "seller_name": "Staoptics", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08YQKXLVG", "category": "electronics", "query": "Binoculars & Scopes", "page": 32, "small_description_old": "About this item\n \n\u3010SUPER OPTICAL COMPONENTS\u3011Staoptics 15x60 UHD Binoculars uses top quality optical glass to provide you with a crystal-like vision,ultra-low dispersion coated prisms provide super high-quality images with almost no chromatic aberration. \u301090% light transmission\u3011Using the most advanced Fully Multi-broadband Coated technology,makes anti-reflection and brightening treatment to all visible light (wavelength 380-780nm),so the light transmission reach an astonishing rate at 90%,can provide excellent Resolution and high-clear image,bright field of view even in low light conditions. \u3010FOR LONG RANGE DISTANCE VIEWING\u3011High power 15x magnification Porro prism Binoculars,can provide a large field of view of 219ft/1000yards,60mm large objective lens can provide the greatest image brightness,very suitable for long-range distance Bird watching,Hunting,Astronomy,Stargazing etc outdoor activities. \u3010COMFORTABLE LONG EYE RELIEF\u301120mm Long Eye relief design,you can watch it comfortably no matter you wear glasses or not.Large center focusing pulley for easy focusing,rubber armor provides a secure,non-slip grip,and durable external protection. \u3010WARRANNTY AND DELIVERY CHECKLIST\u3011Your purchase will receive Staoptics brand lifetime warranty service and unlimited technical support.Delivery checklist:Binoculars x1,Protective bag x1,Silicone air blaster x1,Objective lens cover x2,Eyepiece cover x1,Neck strap x1 ,Cleaning cloth x1,Starter manual x1."}, {"name": "Sunbeam Heated Electric Fleece Throw Comforter Blanket with Controller, Auto Off Setting, Thermofine Wiring, and 3 Heat Settings, Red Plaid", "product_information": {"Item Weight": "3.45 pounds", "Manufacturer": "Sunbeam", "ASIN": "B0836D6CW4", "Customer Reviews": {"ratings_count": 104, "stars": "4.3 out of 5 stars"}, "Best Sellers Rank": ["#898,231 in Home & Kitchen (See Top 100 in Home & Kitchen) #64 in Electric Throws #7,767 in Bed Throws"], "Date First Available": "January 25, 2020"}, "brand": "Visit the Sunbeam Store", "brand_url": "https://www.amazon.com/stores/Sunbeam/page/9E7BBFBD-9C03-4548-894E-D6B8C0756CB7?ref_=ast_bln", "full_description": "Treat yourself to some warm, velvet bedding, and find time to relax with the Sunbeam Heated Electric Fleece Blanket. Don't let cold winter weather ruin your home movie nights. With this heated throw blanket, prioritize your comfort and add an extra layer of warmth to your bed or couch. This fleece throw covers an area of 50 inches wide and 60 inches long. With a 3-hour auto-off setting, rest easy and get the kind of deep sleep that you deserve. Let yourself be picky and customize your cozy experience with the included controller. With 3 heat settings and thermofine wiring, regulate the temperature exactly to your liking. To wash your heated blanket, simply disconnect the controller and toss your throw blanket into the washing machine. Make a day out of snuggling up in your bed and giving yourself time to relax. With the Sunbeam Cozy Feet Velvet Heated Blanket, stay warm and get cozy.", "pricing": "$45.99", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/416DVe6EAML.jpg", "https://m.media-amazon.com/images/I/41m80+fsKrL.jpg", "https://m.media-amazon.com/images/I/51+lRf+p8tL.jpg", "https://m.media-amazon.com/images/I/418pdMl-IpL.jpg", "https://m.media-amazon.com/images/I/41kG3+qS-2L.jpg", "https://m.media-amazon.com/images/I/51xLgwTdwbL.jpg", "https://m.media-amazon.com/images/I/51o36zKzLxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Blankets & Throws \u203a Throws", "average_rating": 4.3, "small_description": ["PLAID HEATED BLANKET: Heated throw blanket made for movie nights at home and snuggling up on the couch; 60 inches long and 50 inches wide ", "SUPER-SOFT FLEECE: Extra soft fleece keeps you warm and comfortable throughout the night or as you relax ", "CUSTOMIZABLE: Includes a controller with 3 heat settings designed to customize your relaxation session ", "CONSISTENT TEMPERATURE: Warming system regulates the heat for consistent warmth and some well-deserved sleep ", "NO-STRESS: 3 Hour auto-off gives you peace of mind as you drift comfortably to sleep; Machine washable for easy care; controller disconnects easily from the blanket "], "total_reviews": 104, "total_answered_questions": "", "customization_options": "", "seller_id": "AJT3PZQMTZYLG", "seller_name": "Rygistics", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0836D6CW4", "category": "garden", "query": "Throw Blankets", "page": 86, "small_description_old": "About this item\n \nPLAID HEATED BLANKET: Heated throw blanket made for movie nights at home and snuggling up on the couch; 60 inches long and 50 inches wide SUPER-SOFT FLEECE: Extra soft fleece keeps you warm and comfortable throughout the night or as you relax CUSTOMIZABLE: Includes a controller with 3 heat settings designed to customize your relaxation session CONSISTENT TEMPERATURE: Warming system regulates the heat for consistent warmth and some well-deserved sleep NO-STRESS: 3 Hour auto-off gives you peace of mind as you drift comfortably to sleep; Machine washable for easy care; controller disconnects easily from the blanket"}, {"name": "ATT 5G Phone Signal Booster Home Verizon Straight Talk 4G LTE Cell Phone Signal Booster 700MHz Band 13/12/17 FDD Mobile Signal Repeater Amplifier, up to 4500 SqFt Improve Data and Calls, FCC Approved", "product_information": {"Package Dimensions": "14 x 8.8 x 6.1 inches", "Item Weight": "5.59 pounds", "ASIN": "B0813C1C4J", "Best Sellers Rank": ["#518,675 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #1,050 in Cell Phone Signal Boosters"], "OS": "IOS, Android", "Other display features": "Wireless", "Colour": "Black", "Manufacturer": "aclogue", "Date First Available": "November 5, 2019"}, "brand": "Visit the aclogue Store", "brand_url": "https://www.amazon.com/stores/aclogue/page/950AD6EF-83F8-47E5-A90D-E91A69468954?ref_=ast_bln", "full_description": "", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/41XwxfsqfML.jpg", "https://m.media-amazon.com/images/I/51EkH7R3tJL.jpg", "https://m.media-amazon.com/images/I/51sDOZ5SGhL.jpg", "https://m.media-amazon.com/images/I/51xhldU+SFL.jpg", "https://m.media-amazon.com/images/I/51GC+Xk5gDS.jpg", "https://m.media-amazon.com/images/I/51mq7TN3hnL.jpg", "https://m.media-amazon.com/images/I/51l6bOa6MKS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Signal Boosters", "average_rating": "", "small_description": ["\u3010FCC APPROVED\u3011The Home Cell Phone Signal Booster has been approved by FCC,and awarded the FCC authentication certificate. It will boost 5G N12 and 4G Lte band 13/12/17 signal from tower, works with Verion, AT&T, Straight Talk, U.S. Cellular. Compatible with iOS, Android, Windows Phone Systems, Pad (with SIM Card), WiFi hotpots (with SIM Card). Increase the signal strength, reduce dropped calls. No more buffering during Netflix or watching videos, don\u2019t have to go outside for a call any more ", "\u3010AMPLIFY VOICE AND 4G LTE DATA SIGNALS\u3011The Aclogue Home Cell Signal Repeater Booster will boosts 4g lte 5g data and calls, strong and stable signal coverage and internet connection improve your productivity, efficiency and safety by ensuring you are connected. Boosts 4g lte 5g data and calls. You will use your phone to surf the Internet, chat with your friends and get the latest news, enjoy high signal availability to accessing calls and digital data services ", "\u3010MORE GAIN ANTENNA KITS\u3011The highly directional LDPA antenna with more gain increases the performance of the signal booster and work better with low quality signal. The indoor ceiling antenna has more gain and will get you the better signal and larger coverage area. Enjoy Excellent Voice quality and Fast 4G LTE 5G internet connection, Supports multiple phones dimultaneously, fewer dropped calls, higher voice quality, Improve poor signal reception, faster 4G LTE 5G data speeds & streaming ", "\u3010A RELATIVELY LARGE COVERAGE AREA\u3011The Home Cell Phone Signal Booster could cover up to 4000-4500 sq.ft, you will get a more reliable signal anywhere in your house. If the outdoor signal is weak, it will cover a lot less area inside than stated 4000sq.ft. This phone signal booster will only work in US, won't work in other countries ", "\u3010EASY SETUP\u3011Nice heavy duty construction. Metal case ensures efficient heat dissipation and low Operating Temperature. It's widely used in Village, Living Room, Bedroom, Basement, Villa, Apartment, Office, Hotel, Restaurant and so on. It's easy to set up and instructions are easy to follow. Please read the instructions before you start the installation! Please contact us if you need any technical support "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B0813C1C4J", "category": "electronics", "query": "Signal Boosters", "page": 36, "small_description_old": "\u3010FCC APPROVED\u3011The Home Cell Phone Signal Booster has been approved by FCC,and awarded the FCC authentication certificate. It will boost 5G N12 and 4G Lte band 13/12/17 signal from tower, works with Verion, AT&T, Straight Talk, U.S. Cellular. Compatible with iOS, Android, Windows Phone Systems, Pad (with SIM Card), WiFi hotpots (with SIM Card). Increase the signal strength, reduce dropped calls. No more buffering during Netflix or watching videos, don\u2019t have to go outside for a call any more \u3010AMPLIFY VOICE AND 4G LTE DATA SIGNALS\u3011The Aclogue Home Cell Signal Repeater Booster will boosts 4g lte 5g data and calls, strong and stable signal coverage and internet connection improve your productivity, efficiency and safety by ensuring you are connected. Boosts 4g lte 5g data and calls. You will use your phone to surf the Internet, chat with your friends and get the latest news, enjoy high signal availability to accessing calls and digital data services \u3010MORE GAIN ANTENNA KITS\u3011The highly directional LDPA antenna with more gain increases the performance of the signal booster and work better with low quality signal. The indoor ceiling antenna has more gain and will get you the better signal and larger coverage area. Enjoy Excellent Voice quality and Fast 4G LTE 5G internet connection, Supports multiple phones dimultaneously, fewer dropped calls, higher voice quality, Improve poor signal reception, faster 4G LTE 5G data speeds & streaming \u3010A RELATIVELY LARGE COVERAGE AREA\u3011The Home Cell Phone Signal Booster could cover up to 4000-4500 sq.ft, you will get a more reliable signal anywhere in your house. If the outdoor signal is weak, it will cover a lot less area inside than stated 4000sq.ft. This phone signal booster will only work in US, won't work in other countries \u3010EASY SETUP\u3011Nice heavy duty construction. Metal case ensures efficient heat dissipation and low Operating Temperature. It's widely used in Village, Living Room, Bedroom, Basement, Villa, Apartment, Office, Hotel, Restaurant and so on. It's easy to set up and instructions are easy to follow. Please read the instructions before you start the installation! Please contact us if you need any technical support"}, {"name": "OTAO Privacy Screen Protector for iPhone 11 Pro Max/iPhone Xs Max 6.5 Inch True 28\u00b0Anti Spy Tempered Glass Full-Coverage (2-pack)", "product_information": {"Product Dimensions": "6.69 x 3.54 x 0.51 inches", "Item Weight": "3.35 ounces", "ASIN": "B07YCGBPRD", "Customer Reviews": {"ratings_count": 3602, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#5,744 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #819 in Cell Phone Screen Protectors"], "Is Discontinued By Manufacturer": "Yes", "Special Features": "Scratch Resistant", "Colour": "IPhone XS MAX/11 Pro MAX", "Manufacturer": "OTAO", "Date First Available": "September 25, 2019"}, "brand": "Visit the OTAO Store", "brand_url": "https://www.amazon.com/stores/otao/page/5CC84D7F-0D79-4028-9AD4-5D3B39E850D4?ref_=ast_bln", "full_description": "", "pricing": "$9.98", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/513+i7lK0gL.jpg", "https://m.media-amazon.com/images/I/51HoJNt1g4L.jpg", "https://m.media-amazon.com/images/I/51wXaEFDyiL.jpg", "https://m.media-amazon.com/images/I/51IL2UjIRXL.jpg", "https://m.media-amazon.com/images/I/51bq+fkf0hL.jpg", "https://m.media-amazon.com/images/I/51YMuktCXgL.jpg", "https://m.media-amazon.com/images/I/51TXLunrNhL.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Maintenance, Upkeep & Repairs \u203a Screen Protectors", "average_rating": 4.5, "small_description": ["Privacy Screen Protector for iPhone 11 Pro Max/iPhone Xs Max (6.5 Inch).Contact us if you are not satisfied with it for any reason. ", "\u3010Privacy Feature\u3011True 28\u00b0 anti-spy iPhone 11 Pro Max/Xs Max tempered glass protects your personal privacy effectively.Great for elevator,bus,metro or other public occasions. ", "\u3010Case-friendly & Full-Coverage\u3011This Privacy screen compatible with most iPhone 11 Pro Max/ Xs Max case.Full coverage design offers a great protection to your phone. ", "\u3010Superior Quality\u3011Scratch resistant and durable.Save Battery,dust-free, fingerprint-free, bubble-free,ultra clear and easy install with guide. ", "\u3010What You Get\u30112*Privacy Screen Protector for iPhone 11 Pro Max/ Xs Max; 1* installation tray; 2*wet cloth; 2*dry cloth; 2*dust remover;1* installation manual. "], "total_reviews": 3602, "total_answered_questions": 19, "customization_options": "", "seller_id": "A2R33UHWJAKU6V", "seller_name": "Otaostore", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07YCGBPRD", "category": "electronics", "query": "Screen Protectors", "page": 28, "small_description_old": "About this item Privacy Screen Protector for iPhone 11 Pro Max/iPhone Xs Max (6.5 Inch).Contact us if you are not satisfied with it for any reason. \u3010Privacy Feature\u3011True 28\u00b0 anti-spy iPhone 11 Pro Max/Xs Max tempered glass protects your personal privacy effectively.Great for elevator,bus,metro or other public occasions. \u3010Case-friendly & Full-Coverage\u3011This Privacy screen compatible with most iPhone 11 Pro Max/ Xs Max case.Full coverage design offers a great protection to your phone. \u3010Superior Quality\u3011Scratch resistant and durable.Save Battery,dust-free, fingerprint-free, bubble-free,ultra clear and easy install with guide. \u3010What You Get\u30112*Privacy Screen Protector for iPhone 11 Pro Max/ Xs Max; 1* installation tray; 2*wet cloth; 2*dry cloth; 2*dust remover;1* installation manual."}, {"name": "Safavieh Home Collection Arlette Retro Glam Grey Velvet Accent Chair", "product_information": {"Item Weight": "\u200e33.9 pounds", "Product Dimensions": "\u200e33 x 32 x 31.5 inches", "Country of Origin": "\u200eChina", "Item model number": "\u200eFOX6257B", "ASIN": "B079LQTZNC", "Customer Reviews": {"ratings_count": 21, "stars": "4.1 out of 5 stars"}, "Best Sellers Rank": ["#896,401 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,821 in Living Room Chairs"], "Date First Available": "February 5, 2018"}, "brand": "Visit the Safavieh Store", "brand_url": "https://www.amazon.com/stores/SAFAVIEH/page/7FD85B8C-8DE0-4E24-967A-3DA552DF3828?ref_=ast_bln", "full_description": "Inspired by retro collector\u2019s items found in one of new York's top design galleries, this mid-century accent chair brings a luxuriant touch to any room. Upholstered in plush grey velvet, its stylish curves and posh gold Cap legs make an instant statement.", "pricing": "$366.28", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41+4c37lQfL.jpg", "https://m.media-amazon.com/images/I/41giVqsPxPL.jpg", "https://m.media-amazon.com/images/I/41JLc0hkz6L.jpg", "https://m.media-amazon.com/images/I/410Vyoid3xL.jpg", "https://m.media-amazon.com/images/I/413YKTIqQ8L.jpg", "https://m.media-amazon.com/images/I/41DYEcUfObL.jpg", "https://m.media-amazon.com/images/I/41NuWwDuVAL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Chairs", "average_rating": 4.1, "small_description": ["This accent chair will add a fresh look to any room. Seat Dimensions (W x D x H)-27.5 x 23 x 19 inches ", "This accent chair features a grey upholstery and a Black Finish ", "Crafted of wood and iron and upholstered in polyester ", "Perfect for a living room, Bedroom, family room, den, library, or study ", "For over 100 years, Safavieh has been crafting products of the highest Quality and unmatched style "], "total_reviews": 21, "total_answered_questions": "", "model": "\u200eFOX6257B", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Grey", "price_string": "$366.28", "price": 366.28, "image": "https://m.media-amazon.com/images/I/41+4c37lQfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B079LPCMDJ/ref=twister_B08N1PTGTM?_encoding=UTF8&psc=1", "value": "Hazelwood", "price_string": "$366.28", "price": 366.28, "image": "https://m.media-amazon.com/images/I/41rnyAUlYyL.jpg"}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B079LQTZNC", "category": "garden", "query": "Accent Chairs", "page": 76, "small_description_old": "About this item This accent chair will add a fresh look to any room. Seat Dimensions (W x D x H)-27.5 x 23 x 19 inches This accent chair features a grey upholstery and a Black Finish Crafted of wood and iron and upholstered in polyester Perfect for a living room, Bedroom, family room, den, library, or study For over 100 years, Safavieh has been crafting products of the highest Quality and unmatched style \n \u203a See more product details"}, {"name": "USB Wall Charger Bling 5V/2.4A 24W Dual Port Fast Charger Plug Cell Phone Block Adapter White for iPhone Android Samsung Pad Tablet etc", "product_information": "", "brand": "Brand: FEENM", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=FEENM", "full_description": "", "pricing": "$10.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51X52CAo2WL.jpg", "https://m.media-amazon.com/images/I/51LMiFzMB2L.jpg", "https://m.media-amazon.com/images/I/41A3uI7F1WL.jpg", "https://m.media-amazon.com/images/I/51q-kFjU4CL.jpg", "https://m.media-amazon.com/images/I/51ZsqJrA-9L.jpg", "https://m.media-amazon.com/images/I/41YZDpY7LBL.jpg", "https://m.media-amazon.com/images/I/51A-kxd+hKL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Chargers & Power Adapters \u203a Wall Chargers", "average_rating": 4.7, "small_description": ["This wall charger adds more blings to your life as it has fashionable and sparkly design with selected premium rhinestones ,more bling than any others; it looks better in person. ", "[Powerful Chargers & Power Adapters]: 24W double port USB outlet plug with 5V/2.4A max output for charging two devices at the same time as possible fastest charging speed. ", "\u3010Safe Charging\u3011: Wall Charger Use PC fireproof material, Provide multiple protections, including: Output short circuit, built in over-current, over-voltage and over-heating protection etc. FEENM\u2019S USB Wall Charger has undergone 100% burn-in tests, extending the service life and charging more safety. Automatically stop charging when-the-battery is full. ", "\u3010Compatibility List\u3011: FEENM\u2019S USB Plug (Phone Chargers) Perfect fit for most Cell Phones, Tablets, MP4 players, Digital Cameras, PSP, and other USB devices, Such as iPhone; Pod-touch; Pad,Samsung, Google, Nexus, LG, BLU, Nokia, Sony, Blackberry, Moto, OnePlus, E-book Readers, Bluetooth speaker, MP3 Players and more. ", "[What You Get]: 1PACK mini 24W USB portable wall charger (2-Ports), 12 months warranty and friendly customer service.a great gift for your girl friend , mom etc. "], "total_reviews": 104, "total_answered_questions": "", "customization_options": "", "seller_id": "AB7DGX0ESP337", "seller_name": "FEENM", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B089GN6L6R", "category": "electronics", "query": "iPhone Accessories", "page": 74, "small_description_old": "About this item\n \nThis wall charger adds more blings to your life as it has fashionable and sparkly design with selected premium rhinestones ,more bling than any others; it looks better in person. [Powerful Chargers & Power Adapters]: 24W double port USB outlet plug with 5V/2.4A max output for charging two devices at the same time as possible fastest charging speed. \u3010Safe Charging\u3011: Wall Charger Use PC fireproof material, Provide multiple protections, including: Output short circuit, built in over-current, over-voltage and over-heating protection etc. FEENM\u2019S USB Wall Charger has undergone 100% burn-in tests, extending the service life and charging more safety. Automatically stop charging when-the-battery is full. \u3010Compatibility List\u3011: FEENM\u2019S USB Plug (Phone Chargers) Perfect fit for most Cell Phones, Tablets, MP4 players, Digital Cameras, PSP, and other USB devices, Such as iPhone; Pod-touch; Pad,Samsung, Google, Nexus, LG, BLU, Nokia, Sony, Blackberry, Moto, OnePlus, E-book Readers, Bluetooth speaker, MP3 Players and more. [What You Get]: 1PACK mini 24W USB portable wall charger (2-Ports), 12 months warranty and friendly customer service.a great gift for your girl friend , mom etc."}, {"name": "MorningStar Farms Veggie Breakfast Meatless Sausage Patties, Plant Based Protein, Frozen Breakfast, Maple Flavored, 8oz Bag (6 Patties)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 6.31 x 1.68 x 8 inches; 8 Ounces", "UPC\n \u200f": "\u200e\n 028989100924", "Manufacturer\n \u200f": "\u200e\n Kellogg Company", "ASIN\n \u200f": "\u200e\n B07VQJM594", "Best Sellers Rank": "#362,664 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#536 in Meat Substitutes", "#536 in Meat Substitutes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: MorningStar Farms", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=MorningStar+Farms", "full_description": "A delicious meat-free addition to any balanced breakfast, MorningStar Farms Maple-Flavored Sausage Patties are plant-based and seasoned with an inviting blend of aromatic herbs and spices to delight everyone in your family. With 77% less fat than cooked pork sausage*, MorningStar Farms Maple-Flavored Sausage Patties provide a good source of protein (9g per serving; 10% of daily value). Whether you\u2019re whipping up a breakfast scramble, a short stack of pancakes, or biscuits with veggie gravy, MorningStar Farms Maple-Flavored Sausage Patties are sure to please vegetarians and meat-lovers alike. These veggie sausage patties make a wonderful addition to breakfast sandwiches, too. MorningStar Farms makes it so easy to get your plant-based protein any time of the day; it\u2019s good for you and good for the planet. *Cooked pork sausage contains 16g total fat per serving (38g); MorningStar Farms Maple-Flavored Sausage Patties contain 3.5g total fat per serving (38g).", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51F4K++Bq-L.jpg", "https://m.media-amazon.com/images/I/51GrGJ1+y1L.jpg", "https://m.media-amazon.com/images/I/517UQ5ghfDL.jpg", "https://m.media-amazon.com/images/I/511XQxrgyPL.jpg", "https://m.media-amazon.com/images/I/51DAw+IomUL.jpg", "https://m.media-amazon.com/images/I/51mjOr4ygQL.jpg", "https://m.media-amazon.com/images/I/51efXAa-+8L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Meat Substitutes", "average_rating": 4.9, "small_description": ["Mouthwatering and meatless, MorningStar Farms plant-based Maple-Flavored Sausage Patties are a delicious, meat-free addition to any balanced breakfast ", "Savory veggie sausage patties seasoned with an inviting blend of aromatic herbs and spices; Enjoy with breakfast scrambles, waffles, pancakes, biscuits and veggie gravy, in a breakfast frittata, or even a veggie flatbread ", "100% vegan; A good source of protein (9g per serving; 10% of daily value); Kosher Dairy; Contains wheat and soy ingredients ", "A quick, convenient frozen breakfast side; To prepare, heat in the skillet (recommended), microwave or oven; Makes a tasty snack at work, afternoon pick-me-up, or late-night bite ", "Includes 1, 8-ounce resealable bag containing 6 frozen Maple-Flavored Sausage Patties; Store in the freezer; Packaged for great taste "], "total_reviews": 30, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07VQJM594", "category": "grocery", "query": "Meat Substitutes", "page": 64, "small_description_old": "Mouthwatering and meatless, MorningStar Farms plant-based Maple-Flavored Sausage Patties are a delicious, meat-free addition to any balanced breakfast Savory veggie sausage patties seasoned with an inviting blend of aromatic herbs and spices; Enjoy with breakfast scrambles, waffles, pancakes, biscuits and veggie gravy, in a breakfast frittata, or even a veggie flatbread 100% vegan; A good source of protein (9g per serving; 10% of daily value); Kosher Dairy; Contains wheat and soy ingredients A quick, convenient frozen breakfast side; To prepare, heat in the skillet (recommended), microwave or oven; Makes a tasty snack at work, afternoon pick-me-up, or late-night bite Includes 1, 8-ounce resealable bag containing 6 frozen Maple-Flavored Sausage Patties; Store in the freezer; Packaged for great taste"}, {"name": "Modern LED Floor Lamp PSK001L Silver and White Lighting for Living Room, Study Room, Bedroom, Teens and Kids Room", "product_information": {"Brand": "\u200eNoblespark", "Manufacturer": "\u200eNobleSpark", "Part Number": "\u200ePS-0531MF01", "Item Weight": "\u200e4.7 pounds", "Product Dimensions": "\u200e0.78 x 0.78 x 57 inches", "Item model number": "\u200ePSK001L", "Is Discontinued By Manufacturer": "\u200eNo", "Assembled Height": "\u200e57 inches", "Assembled Length": "\u200e0.78 inches", "Assembled Width": "\u200e0.78 inches", "Assembled Depth": "\u200e47 inches", "Assembled Diameter": "\u200e0.78 inches", "Style": "\u200eModern", "Collection": "\u200eModern floor lamp", "Color": "\u200eSilver", "Shape": "\u200eSpiral", "Material": "\u200eMetal, Acrylic", "Finish Types": "\u200eChrome", "Number of Lights": "\u200e1", "Included Components": "\u200eAll included", "Voltage": "\u200e120 Volts", "Specific Uses": "\u200eIndoor use only", "Special Features": "\u200eSource: 1200 lumens LED bulb, bulb included, Bulb not included, Not Dimmable, Shade included", "Shade Color": "\u200eWhite", "Shade Material": "\u200eAcrylic", "Diameter of Lampshade": "\u200e0.78 Inches", "Light Direction": "\u200eUp/Down Light", "Power Source": "\u200eCorded Electric", "Switch Style": "\u200ePush Button", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "Type of Bulb": "\u200eLED", "Wattage": "\u200e60 watts", "ASIN": "B01FT2KXJG", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#1,545,893 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #7,254 in Floor Lamps"], "Date First Available": "May 17, 2016"}, "brand": "Brand: noblespark", "brand_url": "https://www.amazon.com/noblespark/b/ref=bl_dp_s_web_10343090011?ie=UTF8&node=10343090011&field-lbr_brands_browse-bin=noblespark", "full_description": "57 inch high, 0.78 inch wide,light resource is built inside, Spiral and thin design.It is great choice for home, for living room, bedroom, especially those cool style", "pricing": "$219.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51v5gF+Lf1L.jpg", "https://m.media-amazon.com/images/I/316Wv7wxfML.jpg", "https://m.media-amazon.com/images/I/41OVXdVuzrL.jpg", "https://m.media-amazon.com/images/I/21U3iLZ42VL.jpg", "https://m.media-amazon.com/images/I/51FwV6ev0yL.jpg", "https://m.media-amazon.com/images/I/31UHeNMShPL.jpg", "https://m.media-amazon.com/images/I/319uULTZMgL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Lamps & Shades \u203a Floor Lamps", "average_rating": 5, "small_description": ["modern contemporary style, art decor design for home improvement or gallery: living room, bedroom, teen or kids room ", "57 inch Spiral and ultra-thin lamp body, Silver Aluminum and white Acrylic, perfect combination of metal and light, easy to assemble , easy to clean ", "With its modern design thin size, it could be fitted in any style room easily, and you don't need to buy bulbs anymore! ", "on/off foot-step switch button, non-dimmable, easy to control, safe and convenient even for kids ", "US design, Japanese Quality, 1 year warranty from us, we will always make sure it works properly for you "], "total_reviews": 1, "total_answered_questions": 6, "model": "\u200ePSK001L", "customization_options": "", "seller_id": "A1OA6DEO9TKVXT", "seller_name": "californialighting", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01FT2KXJG", "category": "garden", "query": "Floor lamps", "page": 390, "small_description_old": "About this item modern contemporary style, art decor design for home improvement or gallery: living room, bedroom, teen or kids room 57 inch Spiral and ultra-thin lamp body, Silver Aluminum and white Acrylic, perfect combination of metal and light, easy to assemble , easy to clean With its modern design thin size, it could be fitted in any style room easily, and you don't need to buy bulbs anymore! on/off foot-step switch button, non-dimmable, easy to control, safe and convenient even for kids US design, Japanese Quality, 1 year warranty from us, we will always make sure it works properly for you \n \u203a See more product details"}, {"name": "Mayton 12-Inch King Size Mattress, Box Spring And Bed Frame - Foam Encased Soft Pillow Top Hybrid Contouring Comfort, No Assembly Required 78x79", "product_information": {"Item Weight": "\u200e55 pounds", "Product Dimensions": "\u200e79 x 78 x 20 inches", "Country of Origin": "\u200eUSA", "Item model number": "\u200e12-inch King Size", "ASIN": "B07SXLVPF3", "Date First Available": "June 6, 2019"}, "brand": "Visit the Mayton Store", "brand_url": "https://www.amazon.com/stores/Mayton/page/93999B4C-3674-4060-BE5D-663CEA6305F7?ref_=ast_bln", "full_description": "Mayton Hybrid mattress is the way to experience the pressure relieving benefits of memory foam while retaining the classic feel of an innerspring mattress. Gently cradles you in the individualized comfort and support. It conforms to your every curve reducing pressure points and delivering correct alignment for your neck and spine. The innerspring coils are situated between layers of foam,creating a sturdy core cushioned by soft, flexible padding for extra comfort. This mattress and box spring meets federal flammability standard 16 CFR 1633.", "pricing": "$884.03", "list_price": "", "availability_status": "Available to ship in 1-2 days.", "images": ["https://m.media-amazon.com/images/I/51IEzqXau0S.jpg", "https://m.media-amazon.com/images/I/31Ze5Eas9qS.jpg", "https://m.media-amazon.com/images/I/41RBBqm+BES.jpg", "https://m.media-amazon.com/images/I/41xFuPeEK+S.jpg", "https://m.media-amazon.com/images/I/41qKzN8k6aS.jpg", "https://m.media-amazon.com/images/I/41WaXky78yS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Mattresses & Box Springs \u203a Mattresses", "average_rating": "", "small_description": ["QUALITY YOU CAN FEEL : Only the best in raw materials are used to ensure durability and practicality. The high density foam used makes the mattress highly durable & long-lasting. The high number of coil counts gives the mattress the comfort level desired. ", "PILLOW TOP PLUSH LAYER : The pillow top provides superior softness and resiliency for unsurpassed comfort. The plush layer of the pillow top allows proper support for the spine while also contouring to the back, hips, and shoulders. ", "FOAM ENCASEMENT FOR SOLID EDGE SUPPORT : The foam encased edge support system in this spring air mattress is bordered with high density foam. With the foam encasement, the sleeping area is enlarged, as well as providing a solid sitting surface. ", "HYBRID MATTRESS AN IDEAL CHOICE : The hybrid mattress combines an innerspring system with memory foam to deliver the benefits of both technologies. Hybrids allow sleepers to enjoy the perfect blend of sturdy support and contouring comfort. ", "STRONG DURABLE BOX SPRING : This 8 inch wood box spring/ foundation supports all mattress types and actually increases the mattress's longevity by preventing sagging. No assembly is required it ships ready to use, just place the Mayton mattress on top and enjoy a restful sleep "], "total_reviews": "", "total_answered_questions": "", "model": "\u200e12-inch King Size", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07SVJTK85/ref=twister_B09N2FWBN2?_encoding=UTF8&psc=1", "value": "39x74", "price_string": "$486.94", "price": 486.94, "image": "https://m.media-amazon.com/images/I/51IEzqXau0S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07SVJTW8T/ref=twister_B09N2FWBN2?_encoding=UTF8&psc=1", "value": "53x74", "price_string": "$577.40", "price": 577.4, "image": "https://m.media-amazon.com/images/I/51IEzqXau0S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07SSCS5FD/ref=twister_B09N2FWBN2?_encoding=UTF8&psc=1", "value": "59x79", "price_string": "$598.95", "price": 598.95, "image": "https://m.media-amazon.com/images/I/51IEzqXau0S.jpg"}, {"is_selected": true, "url": null, "value": "78x79", "price_string": "$884.03", "price": 884.03, "image": "https://m.media-amazon.com/images/I/51IEzqXau0S.jpg"}], "Size": null}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07SXLVPF3", "category": "garden", "query": "Mattresses", "page": 313, "small_description_old": "About this item QUALITY YOU CAN FEEL : Only the best in raw materials are used to ensure durability and practicality. The high density foam used makes the mattress highly durable & long-lasting. The high number of coil counts gives the mattress the comfort level desired. PILLOW TOP PLUSH LAYER : The pillow top provides superior softness and resiliency for unsurpassed comfort. The plush layer of the pillow top allows proper support for the spine while also contouring to the back, hips, and shoulders. FOAM ENCASEMENT FOR SOLID EDGE SUPPORT : The foam encased edge support system in this spring air mattress is bordered with high density foam. With the foam encasement, the sleeping area is enlarged, as well as providing a solid sitting surface. HYBRID MATTRESS AN IDEAL CHOICE : The hybrid mattress combines an innerspring system with memory foam to deliver the benefits of both technologies. Hybrids allow sleepers to enjoy the perfect blend of sturdy support and contouring comfort. STRONG DURABLE BOX SPRING : This 8 inch wood box spring/ foundation supports all mattress types and actually increases the mattress's longevity by preventing sagging. No assembly is required it ships ready to use, just place the Mayton mattress on top and enjoy a restful sleep \n \u203a See more product details"}, {"name": "30pcs New Bondable Lingual Buttons Oval Base Dental Orthodontic Dental Materials Dentist Orthodontist", "product_information": {"Package Dimensions": "6.38 x 4.92 x 0.24 inches", "Item Weight": "0.317 ounces", "ASIN": "B01A0VZQHK", "Item model number": "ButtonsOval Base", "Customer Reviews": {"ratings_count": 13, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#244,971 in Health & Household (See Top 100 in Health & Household) #588 in Personal Orthodontic Supplies"], "Is Discontinued By Manufacturer": "No", "Date First Available": "December 30, 2015"}, "brand": "Brand: Smile Dental", "brand_url": "https://www.amazon.com/Smile-Dental/b/ref=bl_dp_s_web_10796578011?ie=UTF8&node=10796578011&field-lbr_brands_browse-bin=Smile+Dental", "full_description": "Description : 30pcs Dental Bondable Orthodontic Lingual Buttons Type : Oval Base Packing : 10pcs / bag, 3bags =1 lot Minimum order quantity : 1 lot = 3 bags = 30pcs. 80g round mesh base", "pricing": "$12.90", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31JBebTdBAL.jpg", "https://m.media-amazon.com/images/I/41jycnsOAVL.jpg", "https://m.media-amazon.com/images/I/41oG5QnPf1L.jpg", "https://m.media-amazon.com/images/I/310mwdDjmQL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Orthodontic Supplies", "average_rating": 4.4, "small_description": ["Bondable Lingual Button 80g mesh oval base ", "Packing : 10pcs / bag, total 3 bags "], "total_reviews": 13, "total_answered_questions": "", "model": "ButtonsOval Base", "customization_options": "", "seller_id": "A1889FU0NYX1Q5", "seller_name": "DentalSmile", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B01A0VZQHK", "category": "beauty", "query": "Orthodontic Supplies", "page": 3, "small_description_old": "Bondable Lingual Button 80g mesh oval base dental materials orthodontics Packing : 10pcs / bag, total 3 bags"}, {"name": "Henn&Hart Mid-Century Modern Metal Table Lamp with Fabric Shade in Blackened Bronze (TL0483)", "product_information": {"Manufacturer": "\u200eHenn&Hart", "Part Number": "\u200eTL0483", "Item Weight": "\u200e4.63 pounds", "Product Dimensions": "\u200e14 x 14 x 27.25 inches", "Country of Origin": "\u200eChina", "Item model number": "\u200eTL0483", "Color": "\u200eBlackened Bronze", "Style": "\u200eMid Century Modern", "Material": "\u200eFabric", "Shape": "\u200eRound", "Power Source": "\u200eCorded Electric", "Wattage": "\u200e60 watts", "Installation Method": "\u200eCountertop", "Item Package Quantity": "\u200e1", "Number Of Pieces": "\u200e1", "Type of Bulb": "\u200eIncandescent", "Mounting Type": "\u200eTabletop", "Switch Style": "\u200eToggle", "Included Components": "\u200eLamp and Shade", "Batteries Required?": "\u200eNo", "Warranty Description": "\u200eNo warranty.", "ASIN": "B096G437B4", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#404,456 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #4,937 in Table Lamps"], "Date First Available": "June 2, 2021"}, "brand": "Visit the Henn&Hart Store", "brand_url": "https://www.amazon.com/stores/HennHart/page/D6B7BC7B-D72C-4A1A-BADE-006342C737A7?ref_=ast_bln", "full_description": "The sleek Art Deco-inspired lines of this table lamp call to mind a soaring city skyline, bringing a luxe touch of glamour to any room. Neutral metallic finishes blend seamlessly with many decor styles and color schemes. Equally at home in a contemporary or Mid-Centure Modern design theme, this lamp makes a bold style statement.", "pricing": "$71.30", "list_price": "", "availability_quantity": 6, "availability_status": "Only 6 left in stock (more on the way). Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41l7ZsSt4zS.jpg", "https://m.media-amazon.com/images/I/21fKQ5W-iFS.jpg", "https://m.media-amazon.com/images/I/21BjEDsoH6S.jpg", "https://m.media-amazon.com/images/I/51Dn-PpfADS.jpg", "https://m.media-amazon.com/images/I/31tI-mrKE6S.jpg", "https://m.media-amazon.com/images/I/415USvuKRZL.jpg", "https://m.media-amazon.com/images/I/51aaL7Q9eKL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Lamps & Shades \u203a Table Lamps", "average_rating": 5, "small_description": ["Hand crafted blackened bronze finish is applied to the steel frame. ", "Featuring a drum shaped shade. ", "The shade is a crisp chiffon white color and is made of 100% linen with polystyrene lining for durability. ", "Rated for one 60W incandescent bulb; 9W LED bulb, 13W fluorescent (CFL) bulb, or 9W self-ballasted LED bulb. E26-base bulb. ", "Includes a 6 ft. cord. ", "14\"W x 14\"D x 27.25\"H "], "total_reviews": 1, "total_answered_questions": "", "model": "\u200eTL0483", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": "", "asin": "B096G437B4", "category": "garden", "query": "Table lamps", "page": 55, "small_description_old": "About this item\n \nHandcrafted blackened bronze finish is applied to the steel frame. Featuring a drum shaped shade. Includes a 6 ft. cord. Socket Rated for one 60W incandescent bulb; 9W LED bulb, 13W fluorescent (CFL) bulb, or 9W self-ballasted LED bulb. E26-base bulb. \n \u203a See more product details"}, {"name": "haoricu Womens Platform Sandals Summer Fashion Ladies Bow Tie Flats Rome Casual Basic Slipper", "product_information": {"Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n March 4, 2020", "Manufacturer\n \u200f": "\u200e\n haoricu_2357", "ASIN\n \u200f": "\u200e\n B085HG7X82", "Best Sellers Rank": "#236,440 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#603 in Women's Flat Sandals #64,004 in Women's Clothing", "#603 in Women's Flat Sandals": "", "#64,004 in Women's Clothing": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: haoricu", "brand_url": "https://www.amazon.com/haoricu/b/ref=bl_sl_s_ap_web_18203055011?ie=UTF8&node=18203055011&field-lbr_brands_browse-bin=haoricu", "full_description": "\ud83d\udc96Size: 35 US: 5.5 UK: 3.5 EU: 35 CN: 225 Foot Length: 22.5cm/8.9\" Foot wide: 8-8.5cm/3.2-3.4\" \ud83d\udc96Size: 36 US: 6 UK: 4 EU: 35.5 CN: 230 Foot Length: 23cm/9.1\" Foot wide: 8.5cm/3.4\" \ud83d\udc96Size: 37 US: 6.5-7 UK: 4.5 EU: 36 CN: 235 Foot Length: 23.5cm/9.3\" Foot wide: 8.5-9cm/3.4-3.5\" \ud83d\udc96Size: 38 US: 7.5 UK: 5 EU: 37 CN: 240 Foot Length: 24cm/9.5\" Foot wide: 9cm/3.5\" \ud83d\udc96Size: 39 US: 8 UK: 5.5 EU: 38 CN: 245 Foot Length: 24.5cm/9.7\" Foot wide: 9-9.5cm/3.5-3.7\" \ud83d\udc96Size: 40 US: 8.5 UK: 6 EU: 39 CN: 250 Foot Length: 25cm/9.8\" Foot wide: 9.5cm/3.7\" \ud83d\udc96Size: 41 US: 9 UK: 6.5 EU: 39.5 CN: 255 Foot Length: 25.5cm/10\" Foot wide: 9.5-10cm/3.7-3.9\" \ud83d\udc96Size: 42 US: 9.5-10 UK: 7 EU: 40 CN: 260 Foot Length: 26cm/10.2\" Foot wide: 10cm/3.9\" \ud83d\udc96Size: 43 US: 10.5 UK: 7.5 EU: 41 CN: 265 Foot Length: 26.5cm/10.4\" Foot wide: 10.5cm/4.1\"", "pricing": "$14.98$25.98", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41NVPyoBysL.jpg", "https://m.media-amazon.com/images/I/41ow5ZWTCHL.jpg", "https://m.media-amazon.com/images/I/51r6I7-6-OL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Cooking & Baking \u203a Frosting, Icing & Decorations \u203a Cupcake Toppers", "average_rating": 3.7, "small_description": ["\u2764\ufe0fCotton Blend ", "Imported ", "Polyester lining ", "Button closure ", "\u2764\ufe0fold full round top 3 cool beach country 5 soccer wear tank out cartoon concert 2x active novelty xl light large new in retro pride wine purple lace army blessed petite cross adult 3/4 mouse 3x jeep journey 100 sleep dollars yellow floral best tight custom sleeves xxl small i on 2018 scoop men yoga baggy nurse 4x sports gray bling jersey back hot slim polyester clearance relaxed style born high us packs 2xl super may prime sarcastic baseball 1979 jesus bride fun skull ", "\u2764\ufe0fMens shirts Clearance short sleeve casual clearance button down big and tall shirts hoodies sweatshirts sweaters jackets coats jeans pants shorts active swim suits sport underwear socks sleep lounge t-shirts tanks ", "\u2764\ufe0fGreat for home street camp hip hop sport exercise and daily wear mens sweatshirts hoodies men shirts long sleeve men shirts funny men shirts vintage mens t shirt hoodie sweatshirts for men young mens shirts mens t shirt design mens tops casual mens sweatshirts cotton mens sweatshirts hooded mens long sleeve t shirts cotton men sweatshirt sport mens jacket casual mens jacket cotton men blouse long sleeve blouse for men long mens sweatshirts graphic lightweight sweatshirt , \u2764\ufe0fwomen's half sleeves plain flowy shirts ruffles hem tunic tops blouses embroidered hoodie plaid crop top sweatshirt women v neck 3/4 bell sleeve casual lace patchwork plus size thermal open front cropped cardigan knit shrug basic lightweight pullover halloween pumpkin long sweatshirts color block loose fit tunics crew elbow patch camouflage print hooded button cowl crewneck button-up ruched short shirt round pocket t off shoulder slouchy oversized soft sweater outwear coat, \u2764\ufe0fWomens String Tie Flat Women's Mugara Ballet Flat Women's Glitter Shinny flat Flat Heel Oxford women Office Pointed toe Flats yoga socks for women lady Spring Autumn Shoe Square Heel Shoes pointed toe oxfords women outside shoes for women multi color flat shoes for women bowknot flats women Independence Day Member Day July 4th"], "total_reviews": 109, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41NVPyoBysL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085H93K4P/ref=twister_B088KB9TR6", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41AmftUHTtL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085HNYF11/ref=twister_B088KB9TR6", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41D6AK7QzfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085H8VP1W/ref=twister_B088KB9TR6", "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Ip1JPYaRL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B097ZLBQBW/ref=twister_B088KB9TR6", "value": "01-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41boFS46maL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B097ZM1375/ref=twister_B088KB9TR6", "value": "01-brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51YvsSrQ23S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B097ZM92Q7/ref=twister_B088KB9TR6", "value": "01-red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51zOt7PlM1L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B097ZNKT6Y/ref=twister_B088KB9TR6", "value": "01-white", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51g6AxsmjBS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085HJJDKW/ref=twister_B088KB9TR6", "value": "Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41kCuy2OfCL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B097ZNRC7V/ref=twister_B088KB9TR6", "value": "01-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51snID5vTdS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0916YY5JQ/ref=twister_B088KB9TR6", "value": "Z Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41IkQRwy-RL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0916Z1NZ4/ref=twister_B088KB9TR6", "value": "Z Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41rnpUQYFLL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0916YQBBK/ref=twister_B088KB9TR6", "value": "Z Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51CMqtPoQNL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0916ZF3GS/ref=twister_B088KB9TR6", "value": "Z Khaki", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41sneyH0c6L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0916ZQ32K/ref=twister_B088KB9TR6", "value": "Z White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/4115DmVL4bL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0916XVW76/ref=twister_B088KB9TR6", "value": "Z Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41N-5ByxrcL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0921WF96L/ref=twister_B088KB9TR6", "value": "Brown 1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41cbA21f4fL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0922CHSC2/ref=twister_B088KB9TR6", "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/410ymiQPuRL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0921VMH1T/ref=twister_B088KB9TR6", "value": "Orange", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41QtNG2ZNRL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R1RH4KQ/ref=twister_B088KB9TR6", "value": "A-brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Mgd1joN4L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R1Q4KD8/ref=twister_B088KB9TR6", "value": "A-pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Jul0ztlAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0921B45QW/ref=twister_B088KB9TR6", "value": "Light Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Nk2ErbQUL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R1QF2XJ/ref=twister_B088KB9TR6", "value": "A-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/415DnKyTC6L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R1S3J2G/ref=twister_B088KB9TR6", "value": "A-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Gj0btRH2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0916N6DPG/ref=twister_B088KB9TR6", "value": "Z Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41cevtCNX1L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0916YMWHG/ref=twister_B088KB9TR6", "value": "Z Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41CiMg2yeSL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0916YVTS1/ref=twister_B088KB9TR6", "value": "Z Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41-2ydkvH4L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0921X8SZ6/ref=twister_B088KB9TR6", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41R2ttJ0ZwL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "4.5", "asin": "B085HG7X82"}, {"is_selected": false, "is_available": true, "value": "5", "asin": "B085HS4DPM"}, {"is_selected": false, "is_available": false, "value": "5.5", "asin": "B097ZKNY7V"}, {"is_selected": false, "is_available": false, "value": "6", "asin": "B097ZLQSTF"}, {"is_selected": false, "is_available": false, "value": "6-6.5", "asin": "B0921RD1YY"}, {"is_selected": false, "is_available": true, "value": "6/6.5", "asin": "B085HF6K7T"}, {"is_selected": false, "is_available": true, "value": "7", "asin": "B085H9L7FG"}, {"is_selected": false, "is_available": false, "value": "7.5", "asin": "B097ZMM565"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B085HGD5Z3"}, {"is_selected": false, "is_available": false, "value": "8.5", "asin": "B097ZLS2DY"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B085HGM2SP"}, {"is_selected": false, "is_available": false, "value": "9.5-10", "asin": "B09171HG96"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B085H6S438"}, {"is_selected": false, "is_available": false, "value": "10.5", "asin": "B097ZLJFNM"}, {"is_selected": false, "is_available": true, "value": "11", "asin": "B085HF9TLX"}, {"is_selected": false, "is_available": true, "value": "11.5", "asin": "B085HKS13H"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B085HGD5Z3", "category": "beauty", "query": "Skin Care Maternity", "page": 13, "small_description_old": "\u2764\ufe0fCotton Blend Imported Polyester lining Button closure \u2764\ufe0fold full round top 3 cool beach country 5 soccer wear tank out cartoon concert 2x active novelty xl light large new in retro pride wine purple lace army blessed petite cross adult 3/4 mouse 3x jeep journey 100 sleep dollars yellow floral best tight custom sleeves xxl small i on 2018 scoop men yoga baggy nurse 4x sports gray bling jersey back hot slim polyester clearance relaxed style born high us packs 2xl super may prime sarcastic baseball 1979 jesus bride fun skull \u2764\ufe0fMens shirts Clearance short sleeve casual clearance button down big and tall shirts hoodies sweatshirts sweaters jackets coats jeans pants shorts active swim suits sport underwear socks sleep lounge t-shirts tanks \u2764\ufe0fGreat for home street camp hip hop sport exercise and daily wear mens sweatshirts hoodies men shirts long sleeve men shirts funny men shirts vintage mens t shirt hoodie sweatshirts for men young mens shirts mens t shirt design mens tops casual mens sweatshirts cotton mens sweatshirts hooded mens long sleeve t shirts cotton men sweatshirt sport mens jacket casual mens jacket cotton men blouse long sleeve blouse for men long mens sweatshirts graphic lightweight sweatshirt \n \u2764\ufe0fwomen's half sleeves plain flowy shirts ruffles hem tunic tops blouses embroidered hoodie plaid crop top sweatshirt women v neck 3/4 bell sleeve casual lace patchwork plus size thermal open front cropped cardigan knit shrug basic lightweight pullover halloween pumpkin long sweatshirts color block loose fit tunics crew elbow patch camouflage print hooded button cowl crewneck button-up ruched short shirt round pocket t off shoulder slouchy oversized soft sweater outwear coat\u2764\ufe0fWomens String Tie Flat Women's Mugara Ballet Flat Women's Glitter Shinny flat Flat Heel Oxford women Office Pointed toe Flats yoga socks for women lady Spring Autumn Shoe Square Heel Shoes pointed toe oxfords women outside shoes for women multi color flat shoes for women bowknot flats women Independence Day Member Day July 4thShow more"}, {"name": "Azzaro Wanted Girl Tonic Eau de Toilette", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 3.6 x 2.75 x 4.25 inches; 2.82 Ounces", "Item model number\n \u200f": "\u200e\n 10022867", "Manufacturer\n \u200f": "\u200e\n AmazonUs/PG52G", "ASIN\n \u200f": "\u200e\n B0851PC2TM", "Country of Origin\n \u200f": "\u200e\n France", "Best Sellers Rank": "#347,592 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#2,173 in Women's Eau de Toilette", "#2,173 in Women's Eau de Toilette": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$99.00", "list_price": "", "availability_quantity": 16, "availability_status": "Only 16 left in stock (more on the way). Only 16 left in stock (more on the way).", "images": ["https://m.media-amazon.com/images/I/31zfNoHsmWL.jpg", "https://m.media-amazon.com/images/I/41PqL1YVbGL.jpg", "https://m.media-amazon.com/images/I/41QiTpQVg9L.jpg", "https://m.media-amazon.com/images/I/41n55yGmh5L.jpg", "https://m.media-amazon.com/images/I/41jkAbQq+IL.jpg", "https://m.media-amazon.com/images/I/415vZa9Q4WL.jpg", "https://m.media-amazon.com/images/I/41WkJJfW6oL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Fragrance \u203a Women's \u203a Eau de Toilette", "average_rating": 3.4, "small_description": [""], "total_reviews": 8, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B089RSZFRK/ref=twister_B093YR1X6J?_encoding=UTF8&psc=1", "value": "1 Fl Oz", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31NrneneneL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0851Q2N5B/ref=twister_B093YR1X6J?_encoding=UTF8&psc=1", "value": "1.7 Fl Oz", "price_string": "$83.94", "price": 83.94, "image": "https://m.media-amazon.com/images/I/41XGie1A+ZL.jpg"}, {"is_selected": true, "url": null, "value": "2.7 Fl Oz", "price_string": "$99.00", "price": 99, "image": "https://m.media-amazon.com/images/I/31zfNoHsmWL.jpg"}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B0851PC2TM", "category": "beauty", "query": "Children's Fragrance", "page": 8, "small_description_old": ""}, {"name": "Matching Couple Hoodies Set Funny Hubby Wifey Hoodies Pullover Sweater Honeymoon", "product_information": {"Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n August 21, 2019", "ASIN\n \u200f": "\u200e\n B07WY3YFJJ", "Best Sellers Rank": "#4,163,395 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#71,968 in Women's Novelty Hoodies #2,537,265 in Women's Fashion", "#71,968 in Women's Novelty Hoodies": "", "#2,537,265 in Women's Fashion": ""}, "brand": "Brand: Soul Couple", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Soul+Couple", "full_description": "\ud83d\ude46Cleaning advice\ud83c\udf80: \ud83d\udc9f Please wash below 40 \u2103 water temperature. After that they dry naturally. Do not iron directly on graphics. Otherwise hoodies could be damaged. \ud83c\udf49Materials: 100% cotton \ud83c\udfa8Supporting Privat Design\ud83c\udfe9: \ud83d\udd06All our clothes (Couple clothing and Sister clothing) support privat design. You can send the number or your opinion via Amazon Email to us. We will change and print your super opinion on your shirts. Then we will send the T-Shirts from China for you! \ud83d\udc07Shop \u2665: \u2705We are a shop that focuses on couples and sister T-Shirt. We have many styles that you can choose. Our products are through strict selection. You can rely on it. \ud83d\udd05Logistic time\ud83c\udf3c: It takes 7-21 days for the courier to arrive. You need to wait patiently. If you need to arrive before a certain holiday, please remember to purchase in advance. \ud83c\udf44Customer Service\ud83d\udcde: \u2709Customer satisfaction is always our highest goal. If you have any questions, you can contact us at any time. We reply to you as fast as we can. Thank you for your patronage!", "pricing": "$23.99$37.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41puO0TMmvL.jpg", "https://m.media-amazon.com/images/I/51g-Lg8fbWL.jpg", "https://m.media-amazon.com/images/I/41QQcjdyKtL.jpg", "https://m.media-amazon.com/images/I/4155lxcXEGL.jpg", "https://m.media-amazon.com/images/I/51vDeDX-VeL.jpg", "https://m.media-amazon.com/images/I/51QmzySc2lL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Women \u203a Hoodies", "average_rating": "", "small_description": ["100% Cotton ", "\ud83d\ude0dHigh quality \ud83c\udf53: Made of 100% cotton. Extremely soft and pleasant. The fabric of these Hubby Wifey sweatshirts are thick and do not yellow. No shrinkage and not hard. If you put it on, you feel very comfortable. Perfekt for spring and autumn.\ud83d\udc95 ", "\ud83c\udf4b Important symbol of your love\ud83d\udc9a: Hubby Wifey Couple Pullover Set is a romantic symbol full of love for a couple. Hubby Wifey hoodies represent the sweet love and happiness of both of you. \ud83d\udc95 ", "\ud83d\udc6cGood gift\ud83c\udf32:Hubby Wifey Couple sweaters set can be used as a Christmas gift, birthday gift, valentines day gift, anniversary gift, wedding gift, anniversary gift for couple. Couple sweatshirt also as a gift for your parents. The partner look hoodies are for shopping, Disneyland and personality wedding photos. \ud83d\udc95 ", "\ud83d\udc78Modern technology\ud83d\udc83:Matching couple Sweartshirts set with imprint. Digital Screen Printing Technology. Made of environmentally friendly materials. Graphics are bright with vibrant colors without the chance to crack or fade. \ud83d\udc95 ", "\ud83d\udc12Satisfaction guarantee \ud83d\udcaf: The package contains two hoodies. US size. Please read the size chart before buying. We believe that you will like our Matching King and Queen hoodies pullover. If you are not 100% satisfied, you can return the sweaters unconditionally and we will refund the full purchase price. \ud83d\udc95 "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07WNYVG71/ref=twister_B07WRVKSXT", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Di39vs2fL.jpg"}, {"is_selected": true, "url": null, "value": "Gery", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41puO0TMmvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WNYY9N3/ref=twister_B07WRVKSXT", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41qDHw-lRGL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LLQY9DQ/ref=twister_B07WRVKSXT", "value": "Black-hubby", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41dBWo7pAaL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LLW3PWN/ref=twister_B07WRVKSXT", "value": "Black-wifey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Yq6zEPFwL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LLYPD9Q/ref=twister_B07WRVKSXT", "value": "Grey-hubby", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41LUDPwb6kL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LM1GX61/ref=twister_B07WRVKSXT", "value": "Grey-wifey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41fNHt2ObxL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LLPNF4R/ref=twister_B07WRVKSXT", "value": "White-hubby", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31eI1MZa5mL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LM1YD4J/ref=twister_B07WRVKSXT", "value": "White-wifey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31jUKByAmiL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Hubby-2XL+Wifey-S", "asin": "B07WV1BSH5"}, {"is_selected": false, "is_available": true, "value": "Hubby-L+Wifey-S", "asin": "B07WP1RRFL"}, {"is_selected": false, "is_available": true, "value": "Hubby-M+Wifey-S", "asin": "B07WRVY2DV"}, {"is_selected": false, "is_available": true, "value": "Hubby-S+Wifey-2XL", "asin": "B07WRTP654"}, {"is_selected": false, "is_available": true, "value": "Hubby-S+Wifey-L", "asin": "B07WSZQCX4"}, {"is_selected": false, "is_available": true, "value": "Hubby-S+Wifey-M", "asin": "B07WNZYRN1"}, {"is_selected": false, "is_available": true, "value": "Hubby-S+Wifey-S", "asin": "B07WX6JQ1Q"}, {"is_selected": false, "is_available": true, "value": "Hubby-S+Wifey-XL", "asin": "B07WX6WDSF"}, {"is_selected": false, "is_available": true, "value": "Hubby-XL+Wifey-S", "asin": "B07WNZ97JZ"}, {"is_selected": false, "is_available": false, "value": "Small", "asin": "B09LLQY9DQ"}, {"is_selected": false, "is_available": true, "value": "Hubby-2XL+Wifey-M", "asin": "B07WRVMK8N"}, {"is_selected": false, "is_available": true, "value": "Hubby-L+Wifey-M", "asin": "B07WTYL1SF"}, {"is_selected": false, "is_available": true, "value": "Hubby-M+Wifey-2XL", "asin": "B07WRV8CMP"}, {"is_selected": false, "is_available": true, "value": "Hubby-M+Wifey-L", "asin": "B07WNYY9N4"}, {"is_selected": false, "is_available": true, "value": "Hubby-M+Wifey-M", "asin": "B07WTZVS6X"}, {"is_selected": false, "is_available": true, "value": "Hubby-M+Wifey-XL", "asin": "B07WY53LYT"}, {"is_selected": false, "is_available": true, "value": "Hubby-XL+Wifey-M", "asin": "B07WX7ZTTH"}, {"is_selected": false, "is_available": false, "value": "Medium", "asin": "B09LLQB2YL"}, {"is_selected": false, "is_available": true, "value": "Hubby-2XL+Wifey-L", "asin": "B07WSZB8YL"}, {"is_selected": false, "is_available": true, "value": "Hubby-L+Wifey-2XL", "asin": "B07WNZ5K1V"}, {"is_selected": false, "is_available": true, "value": "Hubby-L+Wifey-L", "asin": "B07WY41B5F"}, {"is_selected": false, "is_available": true, "value": "Hubby-L+Wifey-XL", "asin": "B07WTZ3H82"}, {"is_selected": false, "is_available": true, "value": "Hubby-XL+Wifey-L", "asin": "B07WSZNWXJ"}, {"is_selected": false, "is_available": false, "value": "Large", "asin": "B09LLSH8P5"}, {"is_selected": false, "is_available": false, "value": "X-Large", "asin": "B09LLC5KQT"}, {"is_selected": false, "is_available": false, "value": "XX-Large", "asin": "B09LM7G28D"}, {"is_selected": false, "is_available": true, "value": "Hubby-2XL+Wifey-2XL", "asin": "B07WX8FPGG"}, {"is_selected": false, "is_available": true, "value": "Hubby-2XL+Wifey-XL", "asin": "B07WTZJYSP"}, {"is_selected": false, "is_available": true, "value": "Hubby-XL+Wifey-2XL", "asin": "B07WRW4B7H"}, {"is_selected": false, "is_available": true, "value": "Hubby-XL+Wifey-XL", "asin": "B07WNZ5K1W"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07WX8FPGG", "category": "fashion", "query": "Women's Fashion Hoodies & Sweatshirts", "page": 162, "small_description_old": "\ud83d\ude0dHigh quality \ud83c\udf53: Made of 100% cotton. Extremely soft and pleasant. The fabric of these Hubby Wifey sweatshirts are thick and do not yellow. No shrinkage and not hard. If you put it on, you feel very comfortable. Perfekt for spring and autumn.\ud83d\udc95 \ud83c\udf4b Important symbol of your love\ud83d\udc9a: Hubby Wifey Couple Pullover Set is a romantic symbol full of love for a couple. Hubby Wifey hoodies represent the sweet love and happiness of both of you. \ud83d\udc95 \ud83d\udc6cGood gift\ud83c\udf32:Hubby Wifey Couple sweaters set can be used as a Christmas gift, birthday gift, valentines day gift, anniversary gift, wedding gift, anniversary gift for couple. Couple sweatshirt also as a gift for your parents. The partner look hoodies are for shopping, Disneyland and personality wedding photos. \ud83d\udc95 \ud83d\udc78Modern technology\ud83d\udc83:Matching couple Sweartshirts set with imprint. Digital Screen Printing Technology. Made of environmentally friendly materials. Graphics are bright with vibrant colors without the chance to crack or fade. \ud83d\udc95 \ud83d\udc12Satisfaction guarantee \ud83d\udcaf: The package contains two hoodies. US size. Please read the size chart before buying. We believe that you will like our Matching King and Queen hoodies pullover. If you are not 100% satisfied, you can return the sweaters unconditionally and we will refund the full purchase price. \ud83d\udc95"}, {"name": "Laguna Floating Planting Bag, Aquatic Pond Planter", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 4 x 10.2 x 10.2 inches; 7.83 Ounces", "Item model number\n \u200f": "\u200e\n PT974", "Department\n \u200f": "\u200e\n Racks/Futons", "Date First Available\n \u200f": "\u200e\n October 15, 2006", "Manufacturer\n \u200f": "\u200e\n Rolf C. Hagen (USA) Corp.", "ASIN\n \u200f": "\u200e\n B000J3HZXS", "Country of Origin\n \u200f": "\u200e\n China", "Domestic Shipping": "Item can be shipped within U.S.", "International Shipping": "This item can be shipped to select countries outside of the U.S.Learn More", "Best Sellers Rank": "#77,791 in Patio, Lawn & Garden (See Top 100 in Patio, Lawn & Garden)#17 in Water Garden Kits #693 in Hanging Planters", "#17 in Water Garden Kits": "", "#693 in Hanging Planters": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Laguna", "brand_url": "https://www.amazon.com/Laguna/b/ref=bl_dp_s_web_3033343011?ie=UTF8&node=3033343011&field-lbr_brands_browse-bin=Laguna", "full_description": "Laguna floating plant baskets make planting and maintenance easy, especially for ponds that don't have adequate plant shelves. Made of finely-woven fabric, they provide excellent soil containment and protect plants from fish. The buoyant styrofoam float ensures that the baskets stay at the surface. The plant baskets also provide shade and protection for fish. Available in small size. Measures 10-inch diameter.", "pricing": "$19.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51GSWJ2p2lL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Patio, Lawn & Garden \u203a Gardening & Lawn Care \u203a Pots, Planters & Container Accessories \u203a Hanging Planters", "average_rating": 4.4, "small_description": ["Coat with faux fur trimmed hood 2011 fall and winter collection ", "Provide excellent soil containment and protect plants from fish ", "Made of finely woven fabric ", "The plant baskets also provide shade and protection for fish ", "Measures 10-inch diameter "], "total_reviews": 675, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "Small", "price_string": "$19.99", "price": 19.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B000J38Z7I/ref=twister_B08WFRSK6C?_encoding=UTF8&psc=1", "value": "Medium", "price_string": "$28.99", "price": 28.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B001VEQWQK/ref=twister_B08WFRSK6C?_encoding=UTF8&psc=1", "value": "Large", "price_string": "$36.60", "price": 36.6, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0032G901E/ref=twister_B08WFRSK6C?_encoding=UTF8&psc=1", "value": "Multi", "price_string": "$33.68", "price": 33.68, "image": null}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B000J3HZXS", "category": "garden", "query": "Live Plants", "page": 15, "small_description_old": "About this item Coat with faux fur trimmed hood 2011 fall and winter collection Provide excellent soil containment and protect plants from fish Made of finely woven fabric The plant baskets also provide shade and protection for fish Measures 10-inch diameter"}, {"name": "QAZPL Hair Weaving Deep Curly, Virgin Human Hair, Wig For Women, 8-24 Inch 1B Natural Black, Grade 8A, Support Perm Or Hair Coloring, 1pcs (Size : 20 inch)", "product_information": {"Item Weight\n \u200f": "\u200e\n 1.1 Pounds", "Department\n \u200f": "\u200e\n Unisex-adult", "Manufacturer\n \u200f": "\u200e\n QAZPL", "ASIN\n \u200f": "\u200e\n B08X4YD5WH", "": ""}, "brand": "Brand: QAZPL", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=QAZPL", "full_description": "Expected Delivery dates:North America: about 20-25 daysEurope: about 20 daysJapan: about 10-15 daysMiddle East: about 20-25 daysProduct name: wigColor: 1B Natural BlackSpecification: 8-24 inchMaterial: 100% Virgin Human Hair (Cut from young girl donor)Hair Grade: 8ACan hair dye or perm: Yes, it's OK Quality: no shedding, no tanglePackage includes:Hair Weaving x 1Our hair per bundle / 3.5 ounces (95 grams to 105 grams), if you need to form a complete hair, usually you need to buy 3 bundles, but if you want to install longer hair, it is recommended to buy 4 bundles.How to identify wigs:Real hair: After burning it, pinch the hair with your hands to form a powder.Chemical fiber: After burning, pinch the hair with your hands, as if plastic is burned, all stick together.", "pricing": "$79.63", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41emSW6ReIL.jpg", "https://m.media-amazon.com/images/I/51SaT57P32L.jpg", "https://m.media-amazon.com/images/I/51K6N1M76QL.jpg", "https://m.media-amazon.com/images/I/51JONDpF5NL.jpg", "https://m.media-amazon.com/images/I/51Wc8KCRBjL.jpg", "https://m.media-amazon.com/images/I/51C3LSHiOcL.jpg", "https://m.media-amazon.com/images/I/51ujSZFrgvL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Hair Extensions", "average_rating": "", "small_description": ["Our hair per bundle / 3.5 ounces (95 grams to 105 grams), if you need to form a complete hair, usually you need to buy 3 bundles, but if you want to install longer hair, it is recommended to buy 4 bundles. ", "Material: 100% Virgin Human Hair (Cut from young girl donor) ", "High-quality human hair wig: soft, no knots, no hair loss, no split ends, tangle free, can be perm dyed. ", "How to identify wigs: Real hair: After burning it, pinch the hair with your hands to form a powder. Chemical fiber: After burning, pinch the hair with your hands, as if plastic is burned, all stick together. ", "Package includes: Hair Weaving x 1 "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08X4VHM2V/ref=twister_B08X4X2Z86?_encoding=UTF8&psc=1", "value": "8 Inch", "price_string": "$47.05", "price": 47.05, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08X4VZFXR/ref=twister_B08X4X2Z86?_encoding=UTF8&psc=1", "value": "10 Inch", "price_string": "$50.67", "price": 50.67, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08X4VRZLD/ref=twister_B08X4X2Z86?_encoding=UTF8&psc=1", "value": "12 Inch", "price_string": "$54.29", "price": 54.29, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08X4W7WZW/ref=twister_B08X4X2Z86?_encoding=UTF8&psc=1", "value": "14 Inch", "price_string": "$61.53", "price": 61.53, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08X4W93N3/ref=twister_B08X4X2Z86?_encoding=UTF8&psc=1", "value": "16 Inch", "price_string": "$66.96", "price": 66.96, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08X4VDGQQ/ref=twister_B08X4X2Z86?_encoding=UTF8&psc=1", "value": "18 Inch", "price_string": "$74.20", "price": 74.2, "image": null}, {"is_selected": true, "url": null, "value": "20 Inch", "price_string": "$79.63", "price": 79.63, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08X4XCT9L/ref=twister_B08X4X2Z86?_encoding=UTF8&psc=1", "value": "22 Inch", "price_string": "$86.14", "price": 86.14, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08X4XRPCC/ref=twister_B08X4X2Z86?_encoding=UTF8&psc=1", "value": "24 Inch", "price_string": "$101.34", "price": 101.34, "image": null}]}, "seller_id": "A2R32CWTC0BGD5", "seller_name": "WJKWJH shop", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08X4YD5WH", "category": "beauty", "query": "Hair Extensions, Wigs & Accessories", "page": 186, "small_description_old": "About this item Our hair per bundle / 3.5 ounces (95 grams to 105 grams), if you need to form a complete hair, usually you need to buy 3 bundles, but if you want to install longer hair, it is recommended to buy 4 bundles. Material: 100% Virgin Human Hair (Cut from young girl donor) High-quality human hair wig: soft, no knots, no hair loss, no split ends, tangle free, can be perm dyed. How to identify wigs: Real hair: After burning it, pinch the hair with your hands to form a powder. Chemical fiber: After burning, pinch the hair with your hands, as if plastic is burned, all stick together. Package includes: Hair Weaving x 1"}, {"name": "Silk Short Pajama Set for Women Womens Satin Pajamas Set Sexy Lingerie Sleepwear Cami Shorts Set Nightwear NOLYEC", "product_information": {"Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n December 14, 2021", "ASIN\n \u200f": "\u200e\n B09NMBV996", "": ""}, "brand": "Brand: NOLYEC", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=NOLYEC", "full_description": "Size: M Bust: 72-87cm/28.3-34.3\" Waist: 65-87cm/26.0-34.3\" Size: L Bust: 74-94cm/29.1-37.0\" Waist: 69-94cm/27.2-37.0\" Size: XL Bust: 76-101cm/29.9-39.8\" Waist: 73-101cm/28.7-39.8\" Size: XXL Bust: 78-108cm/31.0-42.5\" Waist: 77-108cm/30.3-42.5\"", "pricing": "$1.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41qUIdR9NKS.jpg", "https://m.media-amazon.com/images/I/51FjbrjBc3L.jpg", "https://m.media-amazon.com/images/I/41qhmX+Lg1L.jpg", "https://m.media-amazon.com/images/I/51ZuV6yZn7S.jpg", "https://m.media-amazon.com/images/I/41QPJQW7gcL.jpg", "https://m.media-amazon.com/images/I/41h03T1dj9L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Lingerie, Sleep & Lounge \u203a Sleep & Lounge \u203a Sets", "average_rating": "", "small_description": ["100% Polyester ", "\u2764\u2764Size Question:We are Asian Size,run smaller than US size,so i will suggest you choose one size or two size larger than you usual size , it will be more relax and comfortable.\ud83d\udc95Best Gifts for Women/Wife/Girlfriend/\ud83d\udc95Buy it Now\ud83d\udc95 Today's Deals Big Promotion\ud83d\udc95Buy 2 get 8% off Buy 3 get 12% off Buy 4 get 19% off,Buy 5 get 25% off. ", "baby shark pajamas flannel christmas pajamas friends pajamas for women stitch pajamas for women pajamas for boys size 14-16 toddler fleece pajamas christmas pajamas onesies for women lazy one pajamas men pajamas for toddler boys little sleepies baby pajamas cow pajamas frozen pajamas for girls woman's pajamas sets christmas pajamas for adults 3t christmas pajamas kids holiday pajamas 4t christmas pajamas cute pajamas super soft pajamas for women husband and wife matching christmas pajamas ", "gnome pajamas soft pajamas for women silk pajamas for men plaid pajamas family pajamas christmas womens christmas pajamas set womens pajamas pants set baby girl christmas pajamas couples pajamas satin pajamas petite pajamas for women plus size family christmas pajamas flannel pajamas christmas matching pajamas for family boys pajamas size 6 footie pajamas adult maternity christmas pajamas pajamas sets for women family christmas pajamas matching sets girl christmas pajamas women onesie pajamas ", "christmas pajamas toddler girl red satin pajamas for women sloth pajamas women christmas baby pajamas christmas pajamas pants for family pink pajamas 24 month pajamas boys ladies fleece pajamas pajamas for women fleece christmas pants pajamas sexy pajamas for women naughty for sex funny christmas pajamas for family toddler christmas pajamas girls cow pajamas women fleece footed pajamas baby snowflake pajamas plaid family christmas pajamas pajamas for cats women's pajamas set men's onesie pajamas ", "baby yoda pajamas fluffy pajamas for women pitbull pajamas infant christmas pajamas disney pajamas women kids pajamas boys reindeer pajamas kids matching christmas pajamas children pajamas christmas mens silk pajamas set toddler girl christmas pajamas dinosaur pajamas for boys postpartum pajamas girls pajamas size 6 girls pajamas size 7 womens silk pajamas set men's pajamas dog pajamas large size dog onesie pajamas for family ladies pajamas sets pokemon pajamas boy christmas pajamas ", "christmas pajamas for baby pajamas for girls 10-12 christmas pajamas for family onesies footie pajamas kids ugly christmas pajamas kids pajamas girls peanuts christmas pajamas comfy pajamas for women pajamagram pajamas women cat pajamas mens pajamas sets clearance kids onesie pajamas pajamas women christmas pajamas men womens plus size christmas pajamas teen pajamas toddler girl pajamas plaid pajamas for women boys pajamas size 7 plus size pajamas womens fleece pajamas onesie pajamas "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09NMBV996"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09NMBGYX6"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09NMB4P9D"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09NMBLTLF"}], "Color": null}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09NMBV996", "category": "fashion", "query": "Women's Lingerie, Sleep & Lounge", "page": 64, "small_description_old": "100% Polyester \u2764\u2764Size Question:We are Asian Size,run smaller than US size,so i will suggest you choose one size or two size larger than you usual size , it will be more relax and comfortable.\ud83d\udc95Best Gifts for Women/Wife/Girlfriend/\ud83d\udc95Buy it Now\ud83d\udc95 Today's Deals Big Promotion\ud83d\udc95Buy 2 get 8% off Buy 3 get 12% off Buy 4 get 19% off,Buy 5 get 25% off. baby shark pajamas flannel christmas pajamas friends pajamas for women stitch pajamas for women pajamas for boys size 14-16 toddler fleece pajamas christmas pajamas onesies for women lazy one pajamas men pajamas for toddler boys little sleepies baby pajamas cow pajamas frozen pajamas for girls woman's pajamas sets christmas pajamas for adults 3t christmas pajamas kids holiday pajamas 4t christmas pajamas cute pajamas super soft pajamas for women husband and wife matching christmas pajamas gnome pajamas soft pajamas for women silk pajamas for men plaid pajamas family pajamas christmas womens christmas pajamas set womens pajamas pants set baby girl christmas pajamas couples pajamas satin pajamas petite pajamas for women plus size family christmas pajamas flannel pajamas christmas matching pajamas for family boys pajamas size 6 footie pajamas adult maternity christmas pajamas pajamas sets for women family christmas pajamas matching sets girl christmas pajamas women onesie pajamas christmas pajamas toddler girl red satin pajamas for women sloth pajamas women christmas baby pajamas christmas pajamas pants for family pink pajamas 24 month pajamas boys ladies fleece pajamas pajamas for women fleece christmas pants pajamas sexy pajamas for women naughty for sex funny christmas pajamas for family toddler christmas pajamas girls cow pajamas women fleece footed pajamas baby snowflake pajamas plaid family christmas pajamas pajamas for cats women's pajamas set men's onesie pajamas baby yoda pajamas fluffy pajamas for women pitbull pajamas infant christmas pajamas disney pajamas women kids pajamas boys reindeer pajamas kids matching christmas pajamas children pajamas christmas mens silk pajamas set toddler girl christmas pajamas dinosaur pajamas for boys postpartum pajamas girls pajamas size 6 girls pajamas size 7 womens silk pajamas set men's pajamas dog pajamas large size dog onesie pajamas for family ladies pajamas sets pokemon pajamas boy christmas pajamas christmas pajamas for baby pajamas for girls 10-12 christmas pajamas for family onesies footie pajamas kids ugly christmas pajamas kids pajamas girls peanuts christmas pajamas comfy pajamas for women pajamagram pajamas women cat pajamas mens pajamas sets clearance kids onesie pajamas pajamas women christmas pajamas men womens plus size christmas pajamas teen pajamas toddler girl pajamas plaid pajamas for women boys pajamas size 7 plus size pajamas womens fleece pajamas onesie pajamas"}, {"name": "Coconut Toothpaste for Gentle Teeth Whitening Toothpaste, Organic Anti-Plaque Tooth Paste with Coconut Oil anti-plaque toothpaste 100g", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 6.3 x 1.97 x 1.57 inches; 4.73 Ounces", "Manufacturer\n \u200f": "\u200e\n Brrnoo", "ASIN\n \u200f": "\u200e\n B09GW3N8TF", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Brand: Brrnoo", "brand_url": "https://www.amazon.com/Brrnoo/b/ref=bl_dp_s_web_18251668011?ie=UTF8&node=18251668011&field-lbr_brands_browse-bin=Brrnoo", "full_description": "Feature: 1. ingredients are harmless to gums and tooth enamel and are suitable for daily use. 2. Strengthen tooth enamel, repair oral injury, clean and care for the oral cavity. 3. Keep your tone clean and comfortable for a long time and make you more confident. 4. Cleans oral plaque and other dirt, decomposes old tooth stains, and makes teeth look cleaner. 5. Decomposes pigments, eliminates dirt, helps improve bad breath and refreshes breath Specification: Item Type: Whitening Toothpaste Net Content: 100g/3.5oz Characteristics: Whiten teeth, protect gums and enamel, and keep mouth soft Package List: 1 x Toothpaste", "pricing": "$9.69", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41L36sTDQML.jpg", "https://m.media-amazon.com/images/I/413jFDMRliL.jpg", "https://m.media-amazon.com/images/I/41qM1ezO5vL.jpg", "https://m.media-amazon.com/images/I/41wBy+eVujL.jpg", "https://m.media-amazon.com/images/I/41E6UGsTseL.jpg", "https://m.media-amazon.com/images/I/31+SQ6fTw3L.jpg", "https://m.media-amazon.com/images/I/41s2l73WjpL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothpaste", "average_rating": "", "small_description": ["ingredients are harmless to gums and tooth enamel and are suitable for daily use. ", "Strengthen tooth enamel, repair oral injury, clean and care for the oral cavity. ", "Keep your tone clean and comfortable for a long time and make you more confident. ", "Cleans oral plaque and other dirt, decomposes old tooth stains, and makes teeth look cleaner. ", "Decomposes pigments, eliminates dirt, helps improve bad breath and refreshes breath "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3LM08GTND6YIK", "seller_name": "Canyita", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09GW3N8TF", "category": "beauty", "query": "Toothpaste", "page": 132, "small_description_old": "About this item ingredients are harmless to gums and tooth enamel and are suitable for daily use. Strengthen tooth enamel, repair oral injury, clean and care for the oral cavity. Keep your tone clean and comfortable for a long time and make you more confident. Cleans oral plaque and other dirt, decomposes old tooth stains, and makes teeth look cleaner. Decomposes pigments, eliminates dirt, helps improve bad breath and refreshes breath"}, {"name": "Holiday Secular Saint Candle - 8.5 Inch Glass Prayer Votive - Made in The USA", "product_information": {"Part Number": "\u200e4736", "Item Weight": "\u200e15.5 ounces", "Product Dimensions": "\u200e2.17 x 2.17 x 8.27 inches", "Item model number": "\u200e4736", "Is Discontinued By Manufacturer": "\u200eNo", "Material": "\u200eGlass", "Power Source": "\u200eFuel Powered", "Item Package Quantity": "\u200e1", "Usage": "\u200ePersonal, Decoration, Prayer", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "ASIN": "B01M8HL69L", "Customer Reviews": {"ratings_count": 41, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#478,322 in Home & Kitchen (See Top 100 in Home & Kitchen) #210 in Votive Candles"], "Date First Available": "October 12, 2016"}, "brand": "Visit the The Unemployed Philosophers Guild Store", "brand_url": "https://www.amazon.com/stores/TheUnemployedPhilosophersGuild/page/C92D0D3A-B7A8-41C6-917F-610B0F6F4705?ref_=ast_bln", "full_description": "", "pricing": "$15.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41Y-wFlv0qL.jpg", "https://m.media-amazon.com/images/I/41inbcewSUL.jpg", "https://m.media-amazon.com/images/I/41xkefrRPdL.jpg", "https://m.media-amazon.com/images/I/31D+GkwOFkL.jpg", "https://m.media-amazon.com/images/I/51zwqSUL5ZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Candles & Holders \u203a Candles \u203a Votive Candles", "average_rating": 4.8, "small_description": ["Show your devotion to St. Billie, the patron saint of torch singers. ", "The front of the devotional candle features Billie's image. The back shows her patronage, saint's day, and a unique prayer to inspire and enlighten. ", "Made in America. Measures 8.5\" tall, 2\" diameter. Unscented. Made of glass with a satisfying matte textured image and faux gold leaf accents. ", "Ours aren't like other celebrity vigil candles. We don't use generic church candle backgrounds, our designs are highly detailed and the prayers written with care (and humor). ", "Click the store link near the product title for more clever and funny novelty gifts. Christmas, birthday, any fun occasion! If you need trendy stocking stuffers or a gag gift that is unique and quirky, or smart and satirical UPG has presents of mind. "], "total_reviews": 41, "total_answered_questions": "", "model": "\u200e4736", "customization_options": "", "seller_id": "AI7ANHR1OQYKG", "seller_name": "The Unemployed Philosophers Guild", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B01M8HL69L", "category": "garden", "query": "Candles", "page": 199, "small_description_old": ""}, {"name": "Women's Sexy Swimsuit One Piece High Neck Halter Bikini Floral Stiching See Through Monokini Tummy Control Beachwear", "product_information": {"Item Weight\n \u200f": "\u200e\n 3.17 Ounces", "Item model number\n \u200f": "\u200e\n amazon choice womens clothing", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 10, 2022", "Manufacturer\n \u200f": "\u200e\n HELLI amazon essentials", "ASIN\n \u200f": "\u200e\n B09Q371S91", "": ""}, "brand": "Brand: HELLI", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=HELLI", "full_description": "------------------------------------------------------------\ud83c\udf52\ud83c\udf52\u2764\u2764Welcome To HELLI Store(\u25d5\u1d17\u25d5\u273f)\u2764\u2764\ud83c\udf52\ud83c\udf52------------------------------------------------------------\ud83c\udf52\ud83c\udf52Wish you have a pleasant shopping experience in HELLI\uff01\ud83c\udf52\ud83c\udf52HELLI\u00a0is committed to providing high-quality women's clothing and accessories.\ud83c\udf52\ud83c\udf52Please Allow 0.5-2 Inch Differs Due to Manual Measurement, Thanks!Product Description: Season:four seasonGender:WomenOccasion:Christmas,sleeping,Club,party,ect.Material:PolyesterStyle:SexyHow to wash:Hand washwomen's stripe printing bikini set beach bathing suit v neck tankini criss cross back top with bottom two piece suits women pieces ruffled racerback high waisted mesh striped waist tassel trim halter straps swimsuit push up swimsuits padded swimwear lace bralette flower for flounce vintage ladies sets scoop tropical leaf knotted push-up bandage ruched bottoms plus size cover ups tummy control girls one coverups tops teen sexy flattering neckline fresh leaves elegant dance solid one-piece wrap floral orange white bowknot black print cutout micro bikinis underwear thong wax kit coverup mens swimming trunks swim shorts womens halloween costumes christmas decorations home decor fall winter clothing sleepwear outfit clothes t-shirt men youth boys baby cardigan sweaters sweatshirts pullover zip hoodies trainer summer casual dresses maxi party work formal overalls maternity lingerie tunic leggings slippers long sleeve shirts jacket denim gifts cardigans tees pajamas headbands sport jogger sweatpants parkas hip hop designs gaiter boots sneaker socks yoga mat pants jeans enfant graphic jumpsuits", "pricing": "$10.99$18.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41QWOwu-+OL.jpg", "https://m.media-amazon.com/images/I/41Pb+cV99sL.jpg", "https://m.media-amazon.com/images/I/41wbcgT8+rL.jpg", "https://m.media-amazon.com/images/I/41YKo0qyRnL.jpg", "https://m.media-amazon.com/images/I/41q9xMfEPJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Swimsuits & Cover Ups \u203a One-Pieces", "average_rating": "", "small_description": ["swimsuit coverup for women ", "Imported ", "\ud83c\udf52\u2764Tips: Sizes are smaller than average\uff01\uff01\uff01Please check the size chart before shopping\uff01\uff01\uff01Enjoy your shopping\uff01\uff01\uff01 ", "Tie closure ", "Machine Wash ", "women's summer swimsuit bikini beach swimwear cover up women's one piece swimsuits tummy control swimwear slimming monokini bathing suits for women backless v neck swimsuit women's floral print kimono sheer chiffon loose cardigan womens spaghetti strap tie knot front cutout high cut one piece swimsuit women's removable strap wrap pad cheeky high waist bikini set swimsuit beach swimsuit for women sleeve coverups bikini cover up women stripe printing padded push up 2 piece bikini sets swimsuits ", "swimming dress tankini high waisted swimsuits bathing suit for women tummy control period swimwear plus size high waisted bikini swimsuit women tummy control tankini plus size tropical bathing suit swim suit swimwear bathing suit tummy control plus size tankini tops women swimwear swim bottoms two high waisted swim suit womens bikini color block bandeau triangle bikini up pad swim top tankini two set bathing suit tribal splice thong bikini color block triangle floral , tops with bottom push up tummy control two piece bathing suits plus size women's retro one piece swimsuits printed v neck slimming bathing suits tummy control swimwear plus size women\u2019s one piece swimsuit tummy control padded athletic training swimwear v neck slimming bathing suit plus size bikini swimsuit for women sexy bikini for women bikini top bikinis for women bikini bottoms bikini tops for women bikini swimsuit for women plus size bikinis for women push up one piece, toddler swimdress women swimsuit cover up bandeau swimsuit top high waisted one piece swimsuit floral swimsuit tan through swimwear women tummy control one piece swimsuit one shoulder bikini swimsuit cover up for girls wrap bikini toddler swimdress black high waisted bikini bottoms high waisted bottoms swimwear swimsuit cover up for girls toddler swimdress toddler swimdress tan, one piece swimsuit sheer swimdress for women 2 piece swimdress with shorts womens swimsuit bottoms v neck swimdress women swimsuit cover up black high waisted bikini bottoms high neck swimsuit mesh bikini pineapple bikini swim suits women bikini bikini sets for women criss cross swimsuit maternity cover ups for swimwear plus size swimdress with underwire strapless one piece swimsuit slimming swimdress"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09Q371S91/ref=twister_B09Q3991KD", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41oNghj2DPL.jpg"}, {"is_selected": true, "url": null, "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41QWOwu-+OL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q38ZP6M/ref=twister_B09Q3991KD", "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41z3oBsSm5L.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09Q39P9SH"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09Q37JQZ6"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09Q37F935"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09Q36W46G"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09Q3874RL"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09Q37JQZ6", "category": "fashion", "query": "Women's Swimsuits & Cover Ups", "page": 92, "small_description_old": "swimsuit coverup for women Imported \ud83c\udf52\ud83c\udf52Please check the size chart before shopping ,thank you\uff01 Tie closure Machine Wash women's summer swimsuit bikini beach swimwear cover up women's one piece swimsuits tummy control swimwear slimming monokini bathing suits for women backless v neck swimsuit women's floral print kimono sheer chiffon loose cardigan womens spaghetti strap tie knot front cutout high cut one piece swimsuit women's removable strap wrap pad cheeky high waist bikini set swimsuit beach swimsuit for women sleeve coverups bikini cover up women stripe printing padded push up 2 piece bikini sets swimsuits swimming dress tankini high waisted swimsuits bathing suit for women tummy control period swimwear plus size high waisted bikini swimsuit women tummy control tankini plus size tropical bathing suit swim suit swimwear bathing suit tummy control plus size tankini tops women swimwear swim bottoms two high waisted swim suit womens bikini color block bandeau triangle bikini up pad swim top tankini two set bathing suit tribal splice thong bikini color block triangle floral \n tops with bottom push up tummy control two piece bathing suits plus size women's retro one piece swimsuits printed v neck slimming bathing suits tummy control swimwear plus size women\u2019s one piece swimsuit tummy control padded athletic training swimwear v neck slimming bathing suit plus size bikini swimsuit for women sexy bikini for women bikini top bikinis for women bikini bottoms bikini tops for women bikini swimsuit for women plus size bikinis for women push up one piecetoddler swimdress women swimsuit cover up bandeau swimsuit top high waisted one piece swimsuit floral swimsuit tan through swimwear women tummy control one piece swimsuit one shoulder bikini swimsuit cover up for girls wrap bikini toddler swimdress black high waisted bikini bottoms high waisted bottoms swimwear swimsuit cover up for girls toddler swimdress toddler swimdress tanone piece swimsuit sheer swimdress for women 2 piece swimdress with shorts womens swimsuit bottoms v neck swimdress women swimsuit cover up black high waisted bikini bottoms high neck swimsuit mesh bikini pineapple bikini swim suits women bikini bikini sets for women criss cross swimsuit maternity cover ups for swimwear plus size swimdress with underwire strapless one piece swimsuit slimming swimdressShow more"}, {"name": "I Tackled 100 Day Of School Football Boy 100th Day School T-Shirt", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10 x 8 x 1 inches; 4.8 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n December 23, 2021", "ASIN\n \u200f": "\u200e\n B09P39QN2W", "Best Sellers Rank": "#662,226 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#29,683 in Boys' Novelty T-Shirts #30,962 in Girls' Novelty T-Shirts #52,152 in Women's Novelty T-Shirts", "#29,683 in Boys' Novelty T-Shirts": "", "#30,962 in Girls' Novelty T-Shirts": "", "#52,152 in Women's Novelty T-Shirts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Unknown", "brand_url": "https://www.amazon.com/Unknown/b/ref=bl_sl_s_ap_web_23515638011?ie=UTF8&node=23515638011&field-lbr_brands_browse-bin=Unknown", "full_description": "", "pricing": "$16.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/A13usaonutL.png", "https://m.media-amazon.com/images/I/417S+7cf-vL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Women \u203a Tops & Tees \u203a T-Shirts", "average_rating": 5, "small_description": ["Solid colors: 100% Cotton; Heather Grey: 90% Cotton, 10% Polyester; All Other Heathers: 50% Cotton, 50% Polyester ", "Imported ", "Machine wash cold with like colors, dry low heat ", "I Tackled 100 Day Of School Football Mask 100th Day School T shirt For Kids, Boys, Girls Who Love Football On 100th Day Of School ", "Lightweight, Classic fit, Double-needle sleeve and bottom hem "], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Fit Type": [{"is_selected": true, "url": null, "value": "Men", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P39QN2W?_encoding=UTF8&customId=B07HPWDCG8", "value": "Women", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P39QN2W?_encoding=UTF8&customId=B07537H5VB", "value": "Youth", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A13usaonutL.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P39QN2W?_encoding=UTF8&customId=B07537HQXD", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1WWMAfTfHS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P39QN2W?_encoding=UTF8&customId=B0752XJX9Q", "value": "Asphalt", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1rcXo55giL.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P39QN2W?_encoding=UTF8&customId=B07537HNQY", "value": "Cranberry", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1fs3pzGnVS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P39QN2W?_encoding=UTF8&customId=B07537HNTD", "value": "Kelly Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1VMTBKtipS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P39QN2W?_encoding=UTF8&customId=B0752XJYTP", "value": "Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1Ynn1-zR1S.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P39QN2W?_encoding=UTF8&customId=B07535YCL2", "value": "Olive", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1pDnrUmaHS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P39QN2W?_encoding=UTF8&customId=B07537PB8C", "value": "Dark Heather", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1-CfijdgoS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P39QN2W?_encoding=UTF8&customId=B07537YDVK", "value": "Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1el7IZypsS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P39QN2W?_encoding=UTF8&customId=B07537NG8H", "value": "Royal Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1EryObaEWS.png"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B0752XJYNL"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07535Y9T6"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07537P4T9"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07538GWNZ"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07537PKB3"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B07535YF3H"}, {"is_selected": false, "is_available": false, "value": "2T", "asin": "B07HPZ61SY"}, {"is_selected": false, "is_available": false, "value": "3T", "asin": "B07HPXFRMS"}, {"is_selected": false, "is_available": false, "value": "4T", "asin": "B07537H5VB"}, {"is_selected": false, "is_available": false, "value": "X-Small", "asin": "B0752XJYQB"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09P39QN2W", "category": "fashion", "query": "Men's Shirts", "page": 129, "small_description_old": "Solid colors: 100% Cotton; Heather Grey: 90% Cotton, 10% Polyester; All Other Heathers: 50% Cotton, 50% Polyester Imported Machine wash cold with like colors, dry low heat I Tackled 100 Day Of School Football Mask 100th Day School T shirt For Kids, Boys, Girls Who Love Football On 100th Day Of School Lightweight, Classic fit, Double-needle sleeve and bottom hem"}, {"name": "Thin Red Line USA Flag Firefighter Men's Hoodie Sweatshirt", "product_information": {"Item model number\n \u200f": "\u200e\n THINREDLINE_HOODIE_S", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n February 7, 2017", "ASIN\n \u200f": "\u200e\n B072HT7GZR", "Best Sellers Rank": "#1,095,927 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#17,095 in Men's Novelty Hoodies #412,401 in Men's Fashion", "#17,095 in Men's Novelty Hoodies": "", "#412,401 in Men's Fashion": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Fantastic Tees Store", "brand_url": "https://www.amazon.com/stores/FantasticTees/page/C858ADE8-8F8C-4B7E-B92F-7694E5A7BB92?ref_=ast_bln", "full_description": "", "pricing": "$44.95$47.95", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41J5D0sviUL.jpg", "https://m.media-amazon.com/images/I/41hi2Tc+ZQL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Men \u203a Hoodies", "average_rating": 4.7, "small_description": ["Polyester,Cotton,Silk ", "Machine Wash ", "PATRIOTIC DESIGN - This lightweight men\u2019s American Flag Red Line pullover features a large American flag with red line design on the back. A smaller USA red line flag is located on the left chest. ", "LOYALTY TO THE AMERICAN CAUSE - Make sure your message is heard loud and proud. These USA Red Line sweatshirt for men have been designed for those that wish to showcase their patriotism. ", "ULTRA SOFT & DURABLE MATERIAL - These Red line hoodies for men are made from durable, soft, breathable cotton. For optimal care, please machine wash. ", "CASUAL & COMFORTABLE DESIGN - Our hoodie with American flag offers a stylish design and classic fit which ensures your men\u2019s patriotic sweatshirt will become a staple addition to your everyday rotation. ", "PROUDLY DESIGNED & PRINTED IN THE USA - All Fantastic Tees\u2019 T shirts are proudly designed and printed at our USA-based facility. "], "total_reviews": 79, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B072HT7GZR"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B0716PK643"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07143L37R"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B072BN11NG"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B071L6HJ67"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B072PCHZC3"}, {"is_selected": false, "is_available": true, "value": "4X-Large", "asin": "B07198WB7X"}, {"is_selected": false, "is_available": true, "value": "5X-Large", "asin": "B0716PK4XD"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B072PCHZC3", "category": "fashion", "query": "Men's Sweaters", "page": 99, "small_description_old": "50% Cotton, 50% Polyester. Silk screen printing. Men sizes S - 5XL. Hooded pullover sweatshirt. Screen printed. Machine washable."}, {"name": "Glammed Naturally Oil - Braid Oil, Braid Oil for Itchy Scalp and Dry Scalp, Braid Care Oil for Dandruff, Lice and Thinning Edges, 2 Oz", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "UPC\n \u200f": "\u200e\n 860254001013", "Manufacturer\n \u200f": "\u200e\n GlammedNaturallyOil", "ASIN\n \u200f": "\u200e\n B078FL4788", "Best Sellers Rank": "#195,809 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#61,789 in Hair Care Products", "#61,789 in Hair Care Products": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Glammed naturally oil Store", "brand_url": "https://www.amazon.com/stores/Glammed+Naturally+Oil/page/32254161-F7CE-4580-9EEA-93E0A7637CBA?ref_=ast_bln", "full_description": "", "pricing": "$23.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31gg1eVmShL.jpg", "https://m.media-amazon.com/images/I/518sIlPWl4L.jpg", "https://m.media-amazon.com/images/I/41e7e2f9L4L.jpg", "https://m.media-amazon.com/images/I/51EHaSZBvmL.jpg", "https://m.media-amazon.com/images/I/51c0JlAS01L.jpg", "https://m.media-amazon.com/images/I/51-rYEapiiL.jpg", "https://m.media-amazon.com/images/I/51c0JlAS01L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Scalp Treatments", "average_rating": 4.5, "small_description": ["Protects Your Edges from Thinning - Loaded with essential oils such as olive oil, castor oil, peppermint oil and jojoba oil, our oil for braids protects front hair loss. With regular use, it restores your edges hair growth and thickness within 2-8 weeks. ", "Alleviates Dry, Flaky, Itchy Scalp - Our hyper-nutritional hair oil for braids is a good treatment for itchy scalp. It restores your scalp\u2019s ph balance for a soothing and instant scalp itch relief while keeping dandruff at bay. ", "Supports Your Tightly Knitted Braids - More than a scalp oil for itchy scalp, it keeps your braid shinier and better-looking. Our scalp oil for braids nurtures your hair, protects your scalp, and deters lice. ", "For Men and Women of All Ages - Our itchy scalp oil supports hair health for any protective hairstyle via its nourishing ingredients. Safe and natural, our itchy scalp treatment for men and women works for all ages. ", "Applies Easily - Directly apply our anti itch oil for scalp and braid growth oil on your hair. It comes in a specially designed no-waste, spill-free scalp oil applicator bottle in 2, 4, and 8 oz volumes. "], "total_reviews": 44, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "2 Ounce", "price_string": "$23.99", "price": 23.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B078FMM3Y5/ref=twister_B078FM12QX?_encoding=UTF8&psc=1", "value": "4 Fl Oz (Pack of 1)", "price_string": "$29.99", "price": 29.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B078FNBKV9/ref=twister_B078FM12QX?_encoding=UTF8&psc=1", "value": "8 Ounce", "price_string": "$44.99", "price": 44.99, "image": null}]}, "seller_id": "A1EIOQUO652O5F", "seller_name": "GlammedNaturallyOil", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B078FL4788", "category": "beauty", "query": "Hair Treatment Oils", "page": 129, "small_description_old": "About this item Protects Your Edges from Thinning - Loaded with essential oils such as olive oil, castor oil, peppermint oil and jojoba oil, our oil for braids protects front hair loss. With regular use, it restores your edges hair growth and thickness within 2-8 weeks. Alleviates Dry, Flaky, Itchy Scalp - Our hyper-nutritional hair oil for braids is a good treatment for itchy scalp. It restores your scalp\u2019s ph balance for a soothing and instant scalp itch relief while keeping dandruff at bay. Supports Your Tightly Knitted Braids - More than a scalp oil for itchy scalp, it keeps your braid shinier and better-looking. Our scalp oil for braids nurtures your hair, protects your scalp, and deters lice. For Men and Women of All Ages - Our itchy scalp oil supports hair health for any protective hairstyle via its nourishing ingredients. Safe and natural, our itchy scalp treatment for men and women works for all ages. Applies Easily - Directly apply our anti itch oil for scalp and braid growth oil on your hair. It comes in a specially designed no-waste, spill-free scalp oil applicator bottle in 2, 4, and 8 oz volumes."}, {"name": "Magical Hair Treatment Mask 5 Seconds Repairs Damage Hair Advanced Molecular Hair deep Conditioner Roots Treatment Return Bouncy Restore Elasticity Hair Care Essence (60ML)", "product_information": {"Manufacturer\n \u200f": "\u200e\n Fausga", "ASIN\n \u200f": "\u200e\n B09R4RJSFP", "": ""}, "brand": "Brand: Fausga", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Fausga", "full_description": "Item Type:Hair & Scalp TreatmentMake hair soft and smoothBased on the study of more than hair situation of 10,000 consumers, develop this care products with high technology--- imported raw materials combined with fine molecular technology, Can make hair to restore soft, shiny!Wiping it on the hair after washing, do not touch the scalp, use pulp constantly massage hair to help hair faster absorb nutrition, you will find the hair instantly become softer, smoother!Recommended massage hair for 2-5 minutes, that will get the better results!1 PC hair mask", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41+wmqu0yFL.jpg", "https://m.media-amazon.com/images/I/61NcPhajZ0L.jpg", "https://m.media-amazon.com/images/I/51txrYOweRL.jpg", "https://m.media-amazon.com/images/I/41+wmqu0yFL.jpg", "https://m.media-amazon.com/images/I/41zAKaT-2WL.jpg", "https://m.media-amazon.com/images/I/51b5OkjUc4L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Masks", "average_rating": "", "small_description": ["\u3010NATURAL HERBAL COMPLEX\u3011- This deep conditioning hair mask contains naturally-derived extracts designed to penetrate each layer of the hair strand, nursing your hair from the inside out. ", "\u3010HYDRATING HAIR MASK\u3011- The hydrating hair mask is specially formulated to treat extra-dry, damaged, over-processed and color-treated hair. Apply to wet hair after shampooing and leave on for 3 to 5 minutes for best results. ", "\u3010WORKING PRINCIPLE\u3011- Just like the skin, it needs to be supplemented with nutrients after the hair and scalp are cleaned. So that it has the foundation of luster. Supplement nutrition is necessary for hair maintenance and repair, you can do it once a week, making the hair active and elastic. ", "\u3010SUITABLE HAIR TYPE\u3011- dry and sensitive hair should use moisturizing hair care products with high protein. If it is extremely chaotic, dry hair, you can use the hair mask to deeply nourish the hair that is damaged and difficult to maintain, so that it can be shiny, and smooth, our hair mask is great for dry hair. ", "\u3010PROFESSIONAL\u3011\u2014\u2014 Professional Salon Treatment That Instantly Transforms The Texture of Your Hair Leaving it Soft, Silky, and Easier to Manage, Repairs and Strengthens Weak, Damaged, and Overprocessed Hair To Restore a Healthy Look While Promoting Natural Hair Growth. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09R4PS2K6/ref=twister_B09R4Q694N?_encoding=UTF8&psc=1", "value": "120ML", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41zAKaT-2WL.jpg"}, {"is_selected": true, "url": null, "value": "60ML", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41zAKaT-2WL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09R4RJSFP", "category": "beauty", "query": "Hair Masks", "page": 157, "small_description_old": "\u3010NATURAL HERBAL COMPLEX\u3011- This deep conditioning hair mask contains naturally-derived extracts designed to penetrate each layer of the hair strand, nursing your hair from the inside out. \u3010HYDRATING HAIR MASK\u3011- The hydrating hair mask is specially formulated to treat extra-dry, damaged, over-processed and color-treated hair. Apply to wet hair after shampooing and leave on for 3 to 5 minutes for best results. \u3010WORKING PRINCIPLE\u3011- Just like the skin, it needs to be supplemented with nutrients after the hair and scalp are cleaned. So that it has the foundation of luster. Supplement nutrition is necessary for hair maintenance and repair, you can do it once a week, making the hair active and elastic. \u3010SUITABLE HAIR TYPE\u3011- dry and sensitive hair should use moisturizing hair care products with high protein. If it is extremely chaotic, dry hair, you can use the hair mask to deeply nourish the hair that is damaged and difficult to maintain, so that it can be shiny, and smooth, our hair mask is great for dry hair. \u3010PROFESSIONAL\u3011\u2014\u2014 Professional Salon Treatment That Instantly Transforms The Texture of Your Hair Leaving it Soft, Silky, and Easier to Manage, Repairs and Strengthens Weak, Damaged, and Overprocessed Hair To Restore a Healthy Look While Promoting Natural Hair Growth."}, {"name": "Gortin Boho Headbands Leopard Hair Bands Knoted Turban Headband Stretch Twist Head Wraps Stripe Cloth Head Bands for Women and Girls 3 Pcs (Floral)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 5 x 4.8 x 1.7 inches; 3.03 Ounces", "Manufacturer\n \u200f": "\u200e\n Gortin", "ASIN\n \u200f": "\u200e\n B08936C8GH", "Best Sellers Rank": "#2,359 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#5 in Women's Fashion Headbands", "#5 in Women's Fashion Headbands": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the GORTIN Store", "brand_url": "https://www.amazon.com/stores/Gortin/page/6EEE7672-0D8B-4C96-ABB2-51DAD27E7852?ref_=ast_bln", "full_description": "", "pricing": "$11.66", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51FaWnE19YL.jpg", "https://m.media-amazon.com/images/I/51vg54XLAFL.jpg", "https://m.media-amazon.com/images/I/51SF4OVVilL.jpg", "https://m.media-amazon.com/images/I/41Og6fuP+7L.jpg", "https://m.media-amazon.com/images/I/51+yRz9xSxL.jpg", "https://m.media-amazon.com/images/I/41bhzePX+1L.jpg", "https://m.media-amazon.com/images/I/51OfOtvlZDL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Accessories \u203a Headbands", "average_rating": 4.5, "small_description": ["Turban headbands for womenmade of soft and stretchy natural high-tech spandex fabric with great breathability, offers skin-friendly, sweat-absorbent and comfortable to wear, keep you cool without swelter. ", "Boho cloth headbands is about 9.4in/24cm*5.5in/14cm, are elastic, stretches well when pulled so it doesn't feel too tight on your head, it can also easily adjusted to suit your specific needs for its elastic. ", "Wide head bands are 3 Pcs design .It soft and comfortable, it can take care of bangs, act as an exercise sweat towel or as a fashion hair accessory. It is both stylish and durable, is an essential accessory for every woman. ", "Turban headband are really soft and stretchy, nicely matched with your daily look. Great for vacation beaches, world travel,lover dating, family party, listen to music, read books and enjoy leisure time or just only use them to style your cute look. ", "Twist head wraps are 100% handmade craft with high quality material to make sure its perfect .if you hane any question ,please flee free to contact us. "], "total_reviews": 3783, "total_answered_questions": 12, "customization_options": {"Pattern Name": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08BLNZKKN/ref=twister_B08X13KMVD?_encoding=UTF8&psc=1", "value": "Boho", "price_string": "$9.96", "price": 9.96, "image": "https://m.media-amazon.com/images/I/61E4hmnS-5L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08G4N3NCG/ref=twister_B08X13KMVD?_encoding=UTF8&psc=1", "value": "Casual", "price_string": "$9.96", "price": 9.96, "image": "https://m.media-amazon.com/images/I/61gzMk7rx5L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08K353DMJ/ref=twister_B08X13KMVD?_encoding=UTF8&psc=1", "value": "Elegant", "price_string": "$11.96", "price": 11.96, "image": "https://m.media-amazon.com/images/I/51xfb39ks8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09FNSYDH5/ref=twister_B08X13KMVD?_encoding=UTF8&psc=1", "value": "Exquisite", "price_string": "$9.96", "price": 9.96, "image": "https://m.media-amazon.com/images/I/61liGunQKHL.jpg"}, {"is_selected": true, "url": null, "value": "Floral", "price_string": "$11.66", "price": 11.66, "image": "https://m.media-amazon.com/images/I/51FaWnE19YL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08ZHQN8F8/ref=twister_B08X13KMVD?_encoding=UTF8&psc=1", "value": "Gorgeous", "price_string": "$13.66", "price": 13.66, "image": "https://m.media-amazon.com/images/I/512HalELcvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09FP251VH/ref=twister_B08X13KMVD?_encoding=UTF8&psc=1", "value": "Printing", "price_string": "$11.66", "price": 11.66, "image": "https://m.media-amazon.com/images/I/51GdZ1ZmtQL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0928J9H36/ref=twister_B08X13KMVD?_encoding=UTF8&psc=1", "value": "Stylish", "price_string": "$9.66", "price": 9.66, "image": "https://m.media-amazon.com/images/I/610q0BHJouL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09FP1Y7MX/ref=twister_B08X13KMVD?_encoding=UTF8&psc=1", "value": "Trendy", "price_string": "$11.66", "price": 11.66, "image": "https://m.media-amazon.com/images/I/610RKwX+mZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092DCL1K1/ref=twister_B08X13KMVD?_encoding=UTF8&psc=1", "value": "Unique", "price_string": "$11.66", "price": 11.66, "image": "https://m.media-amazon.com/images/I/61xTjXWsHlS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095H3MSSY/ref=twister_B08X13KMVD?_encoding=UTF8&psc=1", "value": "Vintage", "price_string": "$9.66", "price": 9.66, "image": "https://m.media-amazon.com/images/I/611719XRZbS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KZKF8HK/ref=twister_B08X13KMVD?_encoding=UTF8&psc=1", "value": "Wonderful", "price_string": "$9.66", "price": 9.66, "image": "https://m.media-amazon.com/images/I/516LJ+sLhtL.jpg"}]}, "seller_id": "ATRNA60GVHKKI", "seller_name": "Gortin", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08936C8GH", "category": "beauty", "query": "Children's Dental Care", "page": 39, "small_description_old": "About this item Turban headbands for womenmade of soft and stretchy natural high-tech spandex fabric with great breathability, offers skin-friendly, sweat-absorbent and comfortable to wear, keep you cool without swelter. Boho cloth headbands is about 9.4in/24cm*5.5in/14cm, are elastic, stretches well when pulled so it doesn't feel too tight on your head, it can also easily adjusted to suit your specific needs for its elastic. Wide head bands are 3 Pcs design .It soft and comfortable, it can take care of bangs, act as an exercise sweat towel or as a fashion hair accessory. It is both stylish and durable, is an essential accessory for every woman. Turban headband are really soft and stretchy, nicely matched with your daily look. Great for vacation beaches, world travel,lover dating, family party, listen to music, read books and enjoy leisure time or just only use them to style your cute look. Twist head wraps are 100% handmade craft with high quality material to make sure its perfect .if you hane any question ,please flee free to contact us."}, {"name": "Smart Watch for Women, RAIMI Fashion Fitness Watch with Heart Rate Blood Pressure Sleep Tracker Pedometer Multiple Sport Modes, Waterproof, Sport SmartWatch Sync with Google Fit, iOS & Android App", "product_information": {"Item Package Dimensions L x W x H": "\u200e6.61 x 2.72 x 1.5 inches", "Package Weight": "\u200e0.14 Kilograms", "Brand Name": "\u200eRAIMI", "Model Name": "\u200eK21B", "Color": "\u200eBlue", "Material": "\u200eStainless Steel", "Suggested Users": "\u200eWomens", "Manufacturer": "\u200eTOPUS", "Part Number": "\u200eK20B", "Style": "\u200eFashion", "Included Components": "\u200eBT 5.0", "Sport Type": "\u200eFitness", "ASIN": "B08TGMZX1F", "Customer Reviews": {"ratings_count": 90, "stars": "3.6 out of 5 stars"}, "Best Sellers Rank": ["#270,551 in Sports & Outdoors (See Top 100 in Sports & Outdoors) #640 in Activity & Fitness Trackers"], "Date First Available": "January 21, 2021"}, "brand": "Brand: RAIMI", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=RAIMI", "full_description": "RAIMI Fashional Smart Watch For Lady Women K20Features 1. Full Touch IPS Color Screen 2. 21 Watch Dials and DIY Dial 3. Activity Trackers (Pedometer, Distance, Calories) 4. Heart Rate Monitor and Blood Pressure Monitor 5. 8 Sport Modes, Camera Shutter 6. Sleep Tracker, Alarm, Sedentary Reminder 7. Message Notification (Call, SMS, Facebook, Twitter, Instagram ...) 8. Stopwatches, Countdown 9. Find your phone, sensitivity with wrist movementProduct Description \u25c6Display:1.09 inch full touch round display, 240*240 resolution \u25c6Controller: Realtek8762C, 512KB + Flash 64MB \u25c6Activity Sensor: 3 Axis Accelerometer \u25c6Heart Rhythm: HX3601 \u25c6Gravity sensor: G-sensor \u25c6Vibration Motor: Built in vibrating reminder \u25c6Bluetooth: BLE 5.0 \u25c6Casing Material: 304 Stainless steel, ABC+PC back case \u25c6Wrist material: 304 Stainless steel \u25c6Belt size: 18mm*240mm \u25c6Charge Mode: Magnetic USB Charge Cable \u25c6Charging time: 1-2 hours \u25c6Use time: about 7 days \u25c6Standby time: about 20 days \u25c6Water Resistance: IP67 Standard \u25c6APPLICATION: F Fit (can be downloaded from Google Play or APP Store) \u25c6Compatible: iOS 8.0/Android OS 4.4 or above and Bluetooth 2.0 or above (not compatible with iPad, PC or Tablet)Package content: 1 x Smart Watch 1 x User Guide 1 x USB Magnetic ChargerSedentary Reminder Put reminders for periods of inactivity, the connected watch vibrates to remind you to move if you stay in your seat for a long time.Find the Phone If you can not find your smartphone, simply press and hold the \"Find Phone\" icon on the bracelet. Your phone will vibrate and sound..", "pricing": "$59.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41QocgzQCaL.jpg", "https://m.media-amazon.com/images/I/510bVJ-1rgL.jpg", "https://m.media-amazon.com/images/I/51COTcuJgGL.jpg", "https://m.media-amazon.com/images/I/51iKU+CRlrL.jpg", "https://m.media-amazon.com/images/I/517yfvy4ToL.jpg", "https://m.media-amazon.com/images/I/51M6dUDV6aL.jpg", "https://m.media-amazon.com/images/I/512MsFKFLfL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Sports & Outdoors \u203a Exercise & Fitness \u203a Fitness Technology \u203a Activity & Fitness Trackers", "average_rating": 3.6, "small_description": ["IPS touch screen ", "\u3010Fashion Smart Watch for Women\u3011Luxury and simple design for lady with metallic frame and beautiful wrist in IP67 Waterproof , with a 1.09 inch full touch IPS screen, 21 different clock face styles to choose, and DIY face function which allow you to set your family picture as clock face. Suitable for business and sports. The display screen will be lightened up automatically while lifting the wrist. ", "\u3010Call & Message Notifications\u3011This smart watch support Receiving and reading SMS messages and SNS notifications straightly from social App such as Facebook, Twitter, WhatsApp, LinkedIn and Instagram, etc. You can also hang up incoming phone calls straight from smart watch. Please note: this smart watch not support calling answer and dial out. ", "\u3010Accurate Health Monitor & 8 Sport Modes\u3011Built-in US low-power infrared body-sensing processor, automatically track your all-day steps calories, heart rate, blood pressure and sleep stage monitoring, and provide comprehensive analysis of your sleep(deep sleep,light sleep and wake up time), You can read them real-time directly on the watch, allowing you to better understand your physical condition. You can also set up to 8 sport modes to track your various exercises accordingly. ", "\u3010Magnetic Power Charging and Battery Strong Endurance\u3011USB cable come with a magnetic port which can connect smart watch easily and quickly for charging. With Bluetooth 5.0 version low power consumption design this smart watch offers longer battery endurance. Only 2 hours charging ensure you professional personal health consultants and data recording more than 7 days, standby time can reach more than 20 days. ", "\u3010Guarantee and After-Sales Service\u3011Buy without risk! After-sales service to assure your long-term enjoyment. If you have any question about RAIMI Brand Smart watch, please contact us directly by email. 7*24 hours quick reply, and solve all the problem for you. You have absolutely no trouble about getting a dud product as we promise to return your money if you are not happy with your purchase. "], "total_reviews": 90, "total_answered_questions": 21, "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Blue", "price_string": "$59.99", "price": 59.99, "image": "https://m.media-amazon.com/images/I/510bVJ-1rgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08TGMYC8H/ref=twister_B08TGT72GW?_encoding=UTF8&psc=1", "value": "Golden", "price_string": "$59.99", "price": 59.99, "image": "https://m.media-amazon.com/images/I/51PBvs6p0QL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08TGT3XCL/ref=twister_B08TGT72GW?_encoding=UTF8&psc=1", "value": "Silver", "price_string": "$59.99", "price": 59.99, "image": "https://m.media-amazon.com/images/I/41AuI47aQRL.jpg"}]}, "seller_id": "AO183GOOF5NTM", "seller_name": "TOPUS", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08TGMZX1F", "category": "electronics", "query": "Wearable Technology", "page": 43, "small_description_old": "About this item\n \nIPS touch screen \u3010Fashion Smart Watch for Women\u3011Luxury and simple design for lady with metallic frame and beautiful wrist in IP67 Waterproof , with a 1.09 inch full touch IPS screen, 21 different clock face styles to choose, and DIY face function which allow you to set your family picture as clock face. Suitable for business and sports. The display screen will be lightened up automatically while lifting the wrist. \u3010Call & Message Notifications\u3011This smart watch support Receiving and reading SMS messages and SNS notifications straightly from social App such as Facebook, Twitter, WhatsApp, LinkedIn and Instagram, etc. You can also hang up incoming phone calls straight from smart watch. Please note: this smart watch not support calling answer and dial out. \u3010Accurate Health Monitor & 8 Sport Modes\u3011Built-in US low-power infrared body-sensing processor, automatically track your all-day steps calories, heart rate, blood pressure and sleep stage monitoring, and provide comprehensive analysis of your sleep(deep sleep,light sleep and wake up time), You can read them real-time directly on the watch, allowing you to better understand your physical condition. You can also set up to 8 sport modes to track your various exercises accordingly. \u3010Magnetic Power Charging and Battery Strong Endurance\u3011USB cable come with a magnetic port which can connect smart watch easily and quickly for charging. With Bluetooth 5.0 version low power consumption design this smart watch offers longer battery endurance. Only 2 hours charging ensure you professional personal health consultants and data recording more than 7 days, standby time can reach more than 20 days. \u3010Guarantee and After-Sales Service\u3011Buy without risk! After-sales service to assure your long-term enjoyment. If you have any question about RAIMI Brand Smart watch, please contact us directly by email. 7*24 hours quick reply, and solve all the problem for you. You have absolutely no trouble about getting a dud product as we promise to return your money if you are not happy with your purchase."}, {"name": "Nair Hair Remover Sensitive Formula (Pack of 2)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 5.75 x 2.25 x 1.25 inches; 5.01 Ounces", "Item model number\n \u200f": "\u200e\n 103306", "UPC\n \u200f": "\u200e\n 022600002208", "Manufacturer\n \u200f": "\u200e\n Nair", "ASIN\n \u200f": "\u200e\n B07B41K2VV", "Best Sellers Rank": "#57,363 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#85 in Face & Body Hair Depilatories", "#85 in Face & Body Hair Depilatories": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Nair Store", "brand_url": "https://www.amazon.com/stores/Nair/page/6FAA4901-5698-4976-98B7-5442C2CBF050?ref_=ast_bln", "full_description": "Nair Sensitive Formula Glides Away. Remove hair from those hard-to-reach areas with Nair Glides Away Sensitive. This Sensitive formula hair removal cream is infused with 100% Natural Coconut Oil and Vitamin E. It's a dye-free, paraben-free formula for gentler hair removal, and its unique application method offers an easy, touch-free alternative. Enjoy smooth skin for up to 6 days! For bikini, arm, and underarm areas.", "pricing": "$16.53", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41fTRkiAPAL.jpg", "https://m.media-amazon.com/images/I/41hzzll4qoL.jpg", "https://m.media-amazon.com/images/I/419bCHH7FWL.jpg", "https://m.media-amazon.com/images/I/419bCHH7FWL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Shave & Hair Removal \u203a Women's \u203a Depilatories", "average_rating": 4, "small_description": [""], "total_reviews": 197, "total_answered_questions": 3, "customization_options": "", "seller_id": "ASEVS99O6FS73", "seller_name": "Pharmapacks_", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07B41K2VV", "category": "beauty", "query": "Shave & Hair Removal", "page": 10, "small_description_old": ""}, {"name": "UPware 4-Piece Beach Sandals Hand Painted Resin Handle with Stainless Steel Blade Cheese Spreader/Butter Spreader Knife, Assorted", "product_information": {"Package Dimensions": "2 x 2 x 2 inches", "Item Weight": "2 pounds", "ASIN": "B08WR7WFGM", "Customer Reviews": {"ratings_count": 3, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#733,851 in Kitchen & Dining (See Top 100 in Kitchen & Dining) #591 in Cheese Spreaders"], "Date First Available": "February 17, 2021"}, "brand": "Visit the UP Store", "brand_url": "https://www.amazon.com/stores/UPware/page/60D0BAE8-85EF-4650-B6F3-18F216928A9E?ref_=ast_bln", "full_description": "Spread some ocean fun with beach sandals spreaders. Set makes an excellent gift for your favorite host or hostess. Perfect for entertaining, this set will be a fun addition to your nautical and beach party, or use daily to add a bit of joy to your everyday.", "pricing": "$15.95", "list_price": "", "availability_quantity": 2, "availability_status": "In Stock. Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41bcvOYAYnL.jpg", "https://m.media-amazon.com/images/I/31RITiJuHtL.jpg", "https://m.media-amazon.com/images/I/31wDfVQS49L.jpg", "https://m.media-amazon.com/images/I/310rPfncH7L.jpg", "https://m.media-amazon.com/images/I/31zeOPgoNFL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Kitchen & Dining \u203a Kitchen Utensils & Gadgets \u203a Cheese Tools \u203a Spreaders", "average_rating": 5, "small_description": ["Size: 5\" L ", "Material: Hand Painted Resin, Stainless Steel ", "Care & Clean: Hand Wash Only ", "Includes: 4-PC ", "Striped, floral & polka-dotted flip flop sandals in vibrant colors, each handle also includes a small piece of sandy beach "], "total_reviews": 3, "total_answered_questions": "", "customization_options": {"Style": [{"is_selected": true, "url": null, "value": "Beach Sandals", "price_string": "$15.95", "price": 15.95, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WS4NR2D/ref=twister_B08WRVYLYC?_encoding=UTF8&psc=1", "value": "Flip Flops", "price_string": "$19.95", "price": 19.95, "image": null}]}, "seller_id": "ANANHZHGC6GYL", "seller_name": "UPware Store", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B08WR7WFGM", "category": "grocery", "query": "Cheese & Charcuterie Gifts", "page": 28, "small_description_old": "Size: 5\" L Material: Hand Painted Resin, Stainless Steel Care & Clean: Hand Wash Only Includes: 4-PC Striped, floral & polka-dotted flip flop sandals in vibrant colors, each handle also includes a small piece of sandy beach"}, {"name": "1-Light Farmhouse Wall Sconces Black Bathroom Vanity Light with Glass Shade, Bathroom Light Fixture Over Mirror, Modern Indoor Wall Light for Bedroom Living Room Hallway Porch", "product_information": {"Brand": "\u200eTOULMJ", "Manufacturer": "\u200eTOULMJ", "Item Weight": "\u200e2.09 pounds", "Package Dimensions": "\u200e10.35 x 9.02 x 7.83 inches", "Style": "\u200eFarmhouse", "Color": "\u200eBlack-one Light", "Material": "\u200eGlass, Metal", "Finish Types": "\u200eMatte", "Number of Lights": "\u200e1", "Special Features": "\u200eDimmable", "Shade Material": "\u200eGlass", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "Type of Bulb": "\u200eLED, Incandescent", "Wattage": "\u200e60 watts", "ASIN": "B095SWN6C3", "Customer Reviews": {"ratings_count": 15, "stars": "3.5 out of 5 stars"}, "Best Sellers Rank": ["#313,123 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #1,463 in Vanity Lighting Fixtures"], "Date First Available": "May 26, 2021"}, "brand": "Visit the TOULMJ Store", "brand_url": "https://www.amazon.com/stores/TOULMJ/page/74323FB6-DDA5-4164-A19A-2C7139AC0603?ref_=ast_bln", "full_description": "", "pricing": "$36.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41NZ0-TkZoS.jpg", "https://m.media-amazon.com/images/I/51D10f7bt4S.jpg", "https://m.media-amazon.com/images/I/51CHd6gIMGS.jpg", "https://m.media-amazon.com/images/I/41uL8PEuNoS.jpg", "https://m.media-amazon.com/images/I/51ZWLLSGxiS.jpg", "https://m.media-amazon.com/images/I/41FX4A+rHLL.jpg", "https://m.media-amazon.com/images/I/41IB+INBDhS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Wall Lights \u203a Vanity Lights", "average_rating": 3.5, "small_description": ["\u3010Vintage industrial design\u3011The farmhouse bathroom vanity light features a decorative gooseneck style, seeded glass shades & chrome finish. The unique enclosed jar shades emit a glow and ambiance to any home. ", "\u3010Suggested bulb type\u3011ST45 bulb. Compatible with incandescent bulbs with E26 socket and 60W Max (excluding bulbs), LED, CFL and halogen bulbs (dimmable): when used with dimmable bulbs and compatible dimmer switches, they are fully dimmable, creating The perfect atmosphere. ", "\u3010Dimmable\u3011This wall mount light is UL listed. Designed to be dimmable when used with a compatible dimmer switch, allowing you to adjust the light. ", "\u3010Easy installation\u3011This farmhouse Vanity Light is easy to install, including all installation hardware, which can be installed quickly and easily. This function is designed to connect directly to the reserved wire, No switch or cord on the lamp. Applicable to American junction box standard. ", "\u30101 Years Warranty\u3011 We provide 1 YEARS WARRANTY and FREE REPLACEMENT or REFUND within 30 days. Great after-sales service about our wall sconce, if you have any questions, please feel free to contact us. "], "total_reviews": 15, "total_answered_questions": "", "customization_options": "", "seller_id": "A1SY5IFXPB1567", "seller_name": "LiChi Lighting", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B095SWN6C3", "category": "garden", "query": "Sconces", "page": 103, "small_description_old": "About this item \u3010Vintage industrial design\u3011The farmhouse bathroom vanity light features a decorative gooseneck style, seeded glass shades & chrome finish. The unique enclosed jar shades emit a glow and ambiance to any home. \u3010Suggested bulb type\u3011ST45 bulb. Compatible with incandescent bulbs with E26 socket and 60W Max (excluding bulbs), LED, CFL and halogen bulbs (dimmable): when used with dimmable bulbs and compatible dimmer switches, they are fully dimmable, creating The perfect atmosphere. \u3010Dimmable\u3011This wall mount light is UL listed. Designed to be dimmable when used with a compatible dimmer switch, allowing you to adjust the light. \u3010Easy installation\u3011This farmhouse Vanity Light is easy to install, including all installation hardware, which can be installed quickly and easily. This function is designed to connect directly to the reserved wire, No switch or cord on the lamp. Applicable to American junction box standard. \u30101 Years Warranty\u3011 We provide 1 YEARS WARRANTY and FREE REPLACEMENT or REFUND within 30 days. Great after-sales service about our wall sconce, if you have any questions, please feel free to contact us. \n \u203a See more product details"}, {"name": "Itachishop Flannel Fleece Blanket with Pompom Fringe, Fuzzy Throw Blanket Bed Blanket for Couch Home Decor, 60x50in", "product_information": {"Product Dimensions": "60 x 50 x 0.01 inches", "Item Weight": "1.3 pounds", "ASIN": "B08FGWZZ8J", "Item model number": "blanket", "Customer Reviews": {"ratings_count": 10, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#555,416 in Home & Kitchen (See Top 100 in Home & Kitchen) #4,646 in Bed Throws"], "Date First Available": "August 9, 2020"}, "brand": "Brand: Itachishop", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Itachishop", "full_description": "Our FLANNEL FLEECE BLANKETSoft & Durable ConstructionOur high-quality bed throw blanket with plush microfiber flannel will bring you extra comfort. Unique stylish design offers you different kinds of softness with one side smooth and one side fuzzy.Premium SelectionNeat stitches enhance strong connections at seams and better strength with an integrated outlook.Multi-PurposePerfect to throw on your sofa bed or in your car superior durable and extra warm, suitable for the Sitting room, Bedroom, Dinning room, Comfort Carpet, Wrap up yourself when reading or watching TV. Great Housewarming Gift!100% Satisfaction GuaranteedWe are so confident with so many years experience in flannel fleece blanket manufacturing that you will fall in love with this product, If there is any problems or concerns, please feel free to reach out to us!", "pricing": "$28.80", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51X3TAHzFeL.jpg", "https://m.media-amazon.com/images/I/41SjF9f0BhL.jpg", "https://m.media-amazon.com/images/I/51Vs2dcF6WL.jpg", "https://m.media-amazon.com/images/I/51oneVr8lSL.jpg", "https://m.media-amazon.com/images/I/514jkIxIpLL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Blankets & Throws \u203a Throws", "average_rating": 4.8, "small_description": ["[Premium Flannel Selection]: Soft blanket utilizes 100% pilling proof flannel fabric all layers to last for long use and provides fade resistance better than others like cotton blanket - Flannel blanket is NOT tend to bunch with time like cotton which has little elasticity to keep its shape - Save your time with quick drying and wrinkle resistant blanket. ", "[Size Design]: Full over 3D photo printing(Single-sided). Available in three sizes choose (L x W) - 50x40 inch, 60x50 inch, 80x60 inch. Suitable for Kids, Baby, Toddler, Boys, Girls, Children, Adults, Elderly, Parents and Grandparents and Everyone. ", "[Fleece Blanket Benefits]: Our throw blanket keeps you warm, but it\u2019s not thick to the point where it will overheat you, giving you the perfectly-balanced versatile throw blanket. It's non-shedding and prevents allergy. Ideal for those who are allergic and asthmatic! ", "[Versatility]: Luxury warm flannel fleece blankets is good for all seasons, and design for indoors and outdoors, bed, couch, camping and travelling occasion. Keeps you warm while provides you with a soft and gentle touch. Offers you great comfort in cold winter or AC room in summer. Ideal Christmas New Year gift option for friends and family. ", "[Care Instruction]: Easy wash by yourself. Machine wash, quick drying, easy care, durable, don't bleach, don't iron, hang dry recommended. "], "total_reviews": 10, "total_answered_questions": "", "model": "blanket", "customization_options": "", "seller_id": "A350R8AGK7KKWH", "seller_name": "money\u5c0f\u5c4b", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08FGWZZ8J", "category": "garden", "query": "Throw Blankets", "page": 217, "small_description_old": "About this item\n \n[Premium Flannel Selection]: Soft blanket utilizes 100% pilling proof flannel fabric all layers to last for long use and provides fade resistance better than others like cotton blanket - Flannel blanket is NOT tend to bunch with time like cotton which has little elasticity to keep its shape - Save your time with quick drying and wrinkle resistant blanket. [Size Design]: Full over 3D photo printing(Single-sided). Available in three sizes choose (L x W) - 50x40 inch, 60x50 inch, 80x60 inch. Suitable for Kids, Baby, Toddler, Boys, Girls, Children, Adults, Elderly, Parents and Grandparents and Everyone. [Fleece Blanket Benefits]: Our throw blanket keeps you warm, but it\u2019s not thick to the point where it will overheat you, giving you the perfectly-balanced versatile throw blanket. It's non-shedding and prevents allergy. Ideal for those who are allergic and asthmatic! [Versatility]: Luxury warm flannel fleece blankets is good for all seasons, and design for indoors and outdoors, bed, couch, camping and travelling occasion. Keeps you warm while provides you with a soft and gentle touch. Offers you great comfort in cold winter or AC room in summer. Ideal Christmas New Year gift option for friends and family. [Care Instruction]: Easy wash by yourself. Machine wash, quick drying, easy care, durable, don't bleach, don't iron, hang dry recommended."}, {"name": "Office Desk Pad, Writing Mat with Full Grip Fixation Lip, Non-Slip PU Leather Table Blotter Desk Protector Gaming Mat Laptop Keyboard Working Mat, Waterproof Table Protective Pad", "product_information": {"Manufacturer": "\u200eLINGXIYA", "Brand": "\u200eLINGXIYA", "Item Weight": "\u200e15.5 ounces", "Package Dimensions": "\u200e16.61 x 3.35 x 2.72 inches", "Color": "\u200eBlack", "Material Type": "\u200eFaux Leather, Polyurethane, Paper, Leather, Suede", "Number of Items": "\u200e1", "Size": "\u200e90X40cm", "Manufacturer Part Number": "\u200eDeskpad526", "ASIN": "B095KCTB3Y", "Customer Reviews": {"ratings_count": 16, "stars": "3.7 out of 5 stars"}, "Best Sellers Rank": ["#59,495 in Office Products (See Top 100 in Office Products) #121 in Desk Pads & Blotters #64,198 in Home D\u00e9cor Products"], "Date First Available": "May 21, 2021"}, "brand": "Brand: LINGXIYA", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=LINGXIYA", "full_description": "Still worrying about the frequent movement of the mouse pad?Are you still fed up with the monotonous office environment that you experience every day?Still frustrated with desk scratches?Our large desk pad can solve all of these problems. Keep your desk tidy.1.Made of high quality PU leather with sturdy construction, the desk pad will last a long time.2.Edge protection lip protects your hand or clothes from scratches with the edge of the desk.3.Special leather cushion, thick material, good flexibility. Rectangular desk pad provides a great writing surface that won't nick, scratch or stain.4.This desk pad has enough space for your keyboard and mouse and enough space for a sketchbook or diary. Suitable for a wide variety of uses.5.Large enough to accommodate a laptop, mouse, and keyboard.6.Suitable for desk protection, desk pad and mouse padMaterial: PU leather.Size: 60 x 40 cm, 80 x 40 cm, 90 x 40 cm, 100 x 50 cm, 120 x 60 cm.Package Includes:1 x desk pad.Note:In order to facilitate transportation, this product is packaged in a rolled up package. It is normal that there will be slight ripples or wrinkles when the product is just opened. It will return to flat after 2-3 days with heavy objects such as books.", "pricing": "$34.99", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51Wk27E17kS.jpg", "https://m.media-amazon.com/images/I/41vXgGg1o8L.jpg", "https://m.media-amazon.com/images/I/41tztN0EoTL.jpg", "https://m.media-amazon.com/images/I/41-ImOHYkiL.jpg", "https://m.media-amazon.com/images/I/51m1-6J1BDL.jpg", "https://m.media-amazon.com/images/I/41KMgNL2qRL.jpg", "https://m.media-amazon.com/images/I/51jJsY+HabL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Office Products \u203a Office & School Supplies \u203a Desk Accessories & Workspace Organizers \u203a Desk Pads & Blotters", "average_rating": 3.7, "small_description": ["PRODUCT SIZE: 60x40 cm, 80x40 cm, 90x40 cm, 100x50 cm, 120x60 cm. Suitable for desk protection, desk pad and mouse pad. ", "EDGE PROTECTUION: Office desk pad with curved angle lip wraps the edge of the desk, effectively buffers the friction between desk and body, and protects your clothes from scratches with desk edge, can also prevent the mat from moving. ", "DURABLE LEATHER: PU synthetic leather + non-slip suede underside. This soft leather desk pad is smooth and soft and fits perfectly on the office desk. (NOTE: The material is soft PU leather, not hard leather). ", "EASY TO CLEAN: Protect Your Desk: The hard-wearing desk pad is water-repellent and scratch-resistant. If you accidentally spill something on the table mat, it can simply be wiped off with paper or towels. ", "LARGE ENOUGH SURFACE: The desk pad is large enough to accommodate a keyboard, mouse, water cup, books and laptop and provide you with an alarm movement space. Acts like a mouse pad and records all laser and optical mouse traces. "], "total_reviews": 16, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B095KBRRQQ/ref=twister_B095KC92WQ?_encoding=UTF8&psc=1", "value": "60X40cm", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095KDJRQ9/ref=twister_B095KC92WQ?_encoding=UTF8&psc=1", "value": "80X40", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "90X40cm", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095KCW84N/ref=twister_B095KC92WQ?_encoding=UTF8&psc=1", "value": "100X50cm", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095KDB734/ref=twister_B095KC92WQ?_encoding=UTF8&psc=1", "value": "120X60cm", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Wk27E17kS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095KD85RJ/ref=twister_B095KC92WQ?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51ito72XbIS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095KFM57Y/ref=twister_B095KC92WQ?_encoding=UTF8&psc=1", "value": "Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51XAGdJsIuS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095K9SY46/ref=twister_B095KC92WQ?_encoding=UTF8&psc=1", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41WCM6IOMES.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095KBZZ4W/ref=twister_B095KC92WQ?_encoding=UTF8&psc=1", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51SbolqsKeS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095K9KS2M/ref=twister_B095KC92WQ?_encoding=UTF8&psc=1", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/414gy19IbdS.jpg"}]}, "seller_id": "AX5QQ9NY3CFLV", "seller_name": "LINGXIDIANZI", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B095KCTB3Y", "category": "garden", "query": "Computer Armoires", "page": 9, "small_description_old": "About this item\n \nPRODUCT SIZE: 60x40 cm, 80x40 cm, 90x40 cm, 100x50 cm, 120x60 cm. Suitable for desk protection, desk pad and mouse pad. EDGE PROTECTUION: Office desk pad with curved angle lip wraps the edge of the desk, effectively buffers the friction between desk and body, and protects your clothes from scratches with desk edge, can also prevent the mat from moving. DURABLE LEATHER: PU synthetic leather + non-slip suede underside. This soft leather desk pad is smooth and soft and fits perfectly on the office desk. (NOTE: The material is soft PU leather, not hard leather). EASY TO CLEAN: Protect Your Desk: The hard-wearing desk pad is water-repellent and scratch-resistant. If you accidentally spill something on the table mat, it can simply be wiped off with paper or towels. LARGE ENOUGH SURFACE: The desk pad is large enough to accommodate a keyboard, mouse, water cup, books and laptop and provide you with an alarm movement space. Acts like a mouse pad and records all laser and optical mouse traces."}, {"name": "Disney Castle 3D Window Decal Wall Sticker Home Decor Art Mural Kids J168, Regular", "product_information": {"ASIN": "B073P9Z1K9", "Country of Origin": "Israel", "Item model number": "J168", "Customer Reviews": {"ratings_count": 52, "stars": "4.3 out of 5 stars"}, "Best Sellers Rank": ["#278,268 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #8,478 in Wall Stickers & Murals"]}, "brand": "Brand: Dizzy", "brand_url": "https://www.amazon.com/Dizzy/b/ref=bl_dp_s_web_20221216011?ie=UTF8&node=20221216011&field-lbr_brands_browse-bin=Dizzy", "full_description": "", "pricing": "$11.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51Ju6FZEfjL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Paint, Wall Treatments & Supplies \u203a Wall Stickers & Murals", "average_rating": 4.3, "small_description": ["Applying wall decals has never been easier - Just peel & Stick! ", "All of our decals are printed on a VERY HIGH CLASS VINYL, to make sure your wall stays perfect and safe. ", "Make sure to clean your wall with a dry cloth/towel right before applying, in order to make sure the wall is dust free. ", "Photos are for illustration purposes only, please check indicated size, or choose different sizes in the store ", "Some decals arrive in several parts, the indicated size refers to the assembled size "], "total_reviews": 52, "total_answered_questions": "", "model": "J168", "customization_options": {"Material Type": null, "Size": [{"is_selected": true, "url": null, "value": "42x28 cm (16.5\"x11\" Inches)", "price_string": "$11.99", "price": 11.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B073PBLGXR/ref=twister_B0865TJWH3?_encoding=UTF8&psc=1", "value": "65x43\u00a0cm\u00a0(25.5\"x17\" Inches)", "price_string": "$16.99", "price": 16.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B073PBFSN5/ref=twister_B0865TJWH3?_encoding=UTF8&psc=1", "value": "90x60 cm (35.5\"x23.5\" Inches)", "price_string": "$21.99", "price": 21.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B073PBLGXV/ref=twister_B0865TJWH3?_encoding=UTF8&psc=1", "value": "125x80 cm (49\"x31.5\")", "price_string": "$31.99", "price": 31.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B073PBT8S3/ref=twister_B0865TJWH3?_encoding=UTF8&psc=1", "value": "160x100\u00a0cm (65\"x39.5\")", "price_string": "$41.99", "price": 41.99, "image": null}]}, "seller_id": "A3MGXMMLP2K3IM", "seller_name": "Dizzy Decor", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B073P9Z1K9", "category": "garden", "query": "Window Coverings", "page": 274, "small_description_old": "About this item Applying wall decals has never been easier - Just peel & Stick! All of our decals are printed on a VERY HIGH CLASS VINYL, to make sure your wall stays perfect and safe. Make sure to clean your wall with a dry cloth/towel right before applying, in order to make sure the wall is dust free. Photos are for illustration purposes only, please check indicated size, or choose different sizes in the store Some decals arrive in several parts, the indicated size refers to the assembled size"}, {"name": "AmeriColor AmeriMist - Lemon Yellow Airbrush Food Color.65 oz.", "product_information": {"Manufacturer": "\u200eAmeriColor Corp.", "Is Discontinued By Manufacturer": "\u200eNo", "Color": "\u200eLemon Yellow", "Item Package Quantity": "\u200e1", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "ASIN": "B00FBPHZKC", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#348,305 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food) #1,548 in Food Coloring"], "Date First Available": "February 13, 2010"}, "brand": "Brand: AmeriColor", "brand_url": "https://www.amazon.com/AmeriColor/b/ref=bl_dp_s_web_20592158011?ie=UTF8&node=20592158011&field-lbr_brands_browse-bin=AmeriColor", "full_description": "AmeriMist is a super-strength, highly concentrated spray-on air brush food color that is extremely effective\u2014even on hard to color non-dairy whipped toppings and icings. AmeriMist air brush colors prevent the need to over-spray, eliminating water spots and preventing icing from breaking down. AmeriMist is available in the same colors as AmeriColor Soft Gel Paste, with the same vibrant tones.", "pricing": "$6.25", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41p+jdUZTJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Cooking & Baking \u203a Food Coloring", "average_rating": 5, "small_description": ["One .65 oz bottle of AmeriMist airbrush food color ", "Super strong, highly concentrated color\u2014goes farther to save you money ", "Works beautifully when sprayed onto hard to color icings ", "Can be painted on with a brush or used in an airbrush unit ", "No need to dilute, cleans up easily with water "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A21TDI5ZXP2S9X", "seller_name": "AmeriColor Corp.", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00FBPHZKC", "category": "grocery", "query": "Whipped Toppings", "page": 57, "small_description_old": "About this item\n \nOne .65 oz bottle of AmeriMist airbrush food color Super strong, highly concentrated color\u2014goes farther to save you money Works beautifully when sprayed onto hard to color icings Can be painted on with a brush or used in an airbrush unit No need to dilute, cleans up easily with water \n \u203a See more product details"}, {"name": "Bathroom mirror Oval Frameless LED, Smart Anti-Fog Decorative Mirror, Household Wall-Mounted Vanity Mirror, 60 \u00d7 80cm", "product_information": {"Manufacturer": "BIAO BIAO US", "ASIN": "B0832YXLRK"}, "brand": "Brand: Bathroom mirror", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Bathroom+mirror", "full_description": "--Product parameters Product name: LED bathroom mirror Style: no switch + anti-fog Mirror material: 5mm silver mirror Product specifications: 60 \u00d7 80cm Light color: white light, warm light LED light source color temperature: 6000k white, 2700-3000k warm Input voltage: 12V Chip: Sanan chip Power: 3.6w / m Shape: oval Installation method: hook installation Maintenance: stains on the mirror surface can be wiped with toothpaste or 30% cleaning diluent --Precautions The pictures are taken in kind, because there will be a certain color difference when viewing the product under different light environments and monitors, whichever is the actual one received If the product is damaged after receiving it, just contact customer service to provide a photo to reissue or refund immediately", "pricing": "$216.64", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51HjqAdkLxL.jpg", "https://m.media-amazon.com/images/I/41EnCO-BuML.jpg", "https://m.media-amazon.com/images/I/41leZuJltcL.jpg", "https://m.media-amazon.com/images/I/41+0I2YEvPL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Mirrors \u203a Wall-Mounted Mirrors", "average_rating": "", "small_description": ["Electronic anti-fog film, fast heating speed, good defogging effect, reject water stains, keep the mirror fresh ", "Copper-free silver mirror, high-quality float glass, strong oxidation resistance, clear imaging, environmental protection and health ", "12V safety light belt, built-in lighting on the mirror surface without shadows, instantly brightens the mirror surface, suitable for makeup ", "Computer delicate edging, frosted and transparent, unique edge sealing, not easy to oxidize, long life ", "Make sure the wall is a load-bearing wall during installation, which can bear the weight of the mirror "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Warm Light", "price_string": "$216.64", "price": 216.64, "image": "https://m.media-amazon.com/images/I/51HjqAdkLxL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0832Y13PV/ref=twister_B0832Y5NDD?_encoding=UTF8&psc=1", "value": "White Light", "price_string": "$216.64", "price": 216.64, "image": "https://m.media-amazon.com/images/I/51EiDy-ZPfL.jpg"}]}, "seller_id": "A10J14OM85VC1K", "seller_name": "BIAO BIAO US", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0832YXLRK", "category": "garden", "query": "Decorative Mirrors", "page": 261, "small_description_old": "About this item Electronic anti-fog film, fast heating speed, good defogging effect, reject water stains, keep the mirror fresh Copper-free silver mirror, high-quality float glass, strong oxidation resistance, clear imaging, environmental protection and health 12V safety light belt, built-in lighting on the mirror surface without shadows, instantly brightens the mirror surface, suitable for makeup Computer delicate edging, frosted and transparent, unique edge sealing, not easy to oxidize, long life Make sure the wall is a load-bearing wall during installation, which can bear the weight of the mirror"}, {"name": "Epson C31CB10023 TM-T20 Readyprint Thermal Receipt Printer, Ethernet Interface, Without Cable, Dark Grey", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.3 x 9.2 x 7.6 inches; 5.1 Pounds", "Item model number\n \u200f": "\u200e\n C31CB10023", "Date First Available\n \u200f": "\u200e\n November 2, 2012", "Manufacturer\n \u200f": "\u200e\n Epson", "ASIN\n \u200f": "\u200e\n B00A0WG5KW", "Best Sellers Rank": "#798,269 in Office Products (See Top 100 in Office Products)#152,314 in Office Electronics Products", "#152,314 in Office Electronics Products": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Epson Store", "brand_url": "https://www.amazon.com/stores/Epson/page/938A6E01-68B6-4115-8369-91F0063B474B?ref_=ast_bln", "full_description": "For nearly 40 years, Epson has led the industry in developing innovative, reliable, high-performance products. From scanners to printers to 3D projectors, our award-winning technology brings your images to life. Epson Headquartered and established on the shore of Lake Suwa in Nagano, Japan.", "pricing": "$320.00", "list_price": "", "availability_status": "In stock. Usually ships within 3 to 4 days.", "images": ["https://m.media-amazon.com/images/I/51BzGMyEVfL.jpg", "https://m.media-amazon.com/images/I/51dMEsQgLuL.jpg", "https://m.media-amazon.com/images/I/51nh9ejp86L.jpg", "https://m.media-amazon.com/images/I/51EBSJoQhIL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Office Products \u203a Office Electronics", "average_rating": 4.1, "small_description": ["Dark gray color "], "total_reviews": 4, "total_answered_questions": 3, "customization_options": "", "seller_id": "AB1U6LPD7720R", "seller_name": "SourceLink Technologies", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00A0WG5KW", "category": "electronics", "query": "Printers & Scanners", "page": 207, "small_description_old": "About this item\n \nEthernet interface Dark gray color Without Cable"}, {"name": "20x50 High Power Binoculars for Adults with Low Light Night Vision, Compact Waterproof Binoculars for Bird Watching Hunting Travel Football Games Stargazing with Carrying Case and Strap", "product_information": {"Product Dimensions": "7.5 x 2.6 x 7 inches", "Item Weight": "1.76 pounds", "ASIN": "B08YWKVNLT", "Customer Reviews": {"ratings_count": 1173, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#91 in Camera & Photo Products (See Top 100 in Camera & Photo Products) #12 in Binoculars"], "Date First Available": "March 13, 2021", "Manufacturer": "UncleHu"}, "brand": "Visit the UncleHu Store", "brand_url": "https://www.amazon.com/stores/UncleHu/page/7BC235BC-377A-4077-ADC5-5F5890DB5B5D?ref_=ast_bln", "full_description": "", "pricing": "$46.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41mOzJeSQLL.jpg", "https://m.media-amazon.com/images/I/51SgzWxadSL.jpg", "https://m.media-amazon.com/images/I/51WUNyazrCL.jpg", "https://m.media-amazon.com/images/I/516np3RbyQL.jpg", "https://m.media-amazon.com/images/I/512wCVB6teL.jpg", "https://m.media-amazon.com/images/I/51OM5OIOVWL.jpg", "https://m.media-amazon.com/images/I/91k3xzLW4VL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Binoculars & Scopes \u203a Binoculars", "average_rating": 4.4, "small_description": ["\u3010Powerful Binoculars - 26mm Large Lens\u301126mm eye lens diameter and 50mm objective lens diameter, large field of view. 26mm eye lens collect more lights than others (e.g. 10x25, 12x25, 10x21 binoculars and ordinary 10x42, 12x42 binoculars), delivering clearer and brighter view. Perfect binoculars for adults bird watching, hunting, camping, hiking, sports and stargazing. ", "\u3010Clear Image\u3011Multiple layer coated aspherical lenses elements for light reflection and minimal distortion, better image brightness, contrast and quality, even in low light condition. The Bak-4 prism has a perfectly round exit pupil. You can see a bright, clear and razor-sharp view. ", "\u3010Sleek and Solid, Waterproof, Fog-proof\u3011Metal structure with 1.76lb (800g) is more stable. Rubber finish for shock resistance and a firm, comfortable grip, is durable. Waterproof, but can not be used in a heavy rain for a long time or soaked in the water. Anti-drop and fog-proof, too. ", "\u3010Easy to Use\u3011Focus by adjusting the right eyepiece focus wheel and center wheel. Super easy for anyone to use. This pair of binoculars can be used with a tripod. So it is very convenient when you are watching something for a long time. ", "\u3010Perfect Gifts & 100% Money Back Guarantee\u3011The perfect gifts for Christmas' Day, Birthdays, Father's Day, Children's Day and more. We provide 3 years replacement guarantee. If you have any issues with binoculars, simply contact us for a free replacement or a full refund. We are always by your side to serve you. Shop with confidence as we have joined Transparency Plan which enables you to verify authenticity! "], "total_reviews": 1173, "total_answered_questions": 47, "customization_options": "", "seller_id": "A17RCJL0XVJWWO", "seller_name": "UncleHu US", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08YWKVNLT", "category": "electronics", "query": "Binoculars & Scopes", "page": 16, "small_description_old": "About this item\n \n\u3010Powerful Binoculars - 26mm Large Lens\u301126mm eye lens diameter and 50mm objective lens diameter, large field of view. 26mm eye lens collect more lights than others (e.g. 10x25, 12x25, 10x21 binoculars and ordinary 10x42, 12x42 binoculars), delivering clearer and brighter view. Perfect binoculars for adults bird watching, hunting, camping, hiking, sports and stargazing. \u3010Clear Image\u3011Multiple layer coated aspherical lenses elements for light reflection and minimal distortion, better image brightness, contrast and quality, even in low light condition. The Bak-4 prism has a perfectly round exit pupil. You can see a bright, clear and razor-sharp view. \u3010Sleek and Solid, Waterproof, Fog-proof\u3011Metal structure with 1.76lb (800g) is more stable. Rubber finish for shock resistance and a firm, comfortable grip, is durable. Waterproof, but can not be used in a heavy rain for a long time or soaked in the water. Anti-drop and fog-proof, too. \u3010Easy to Use\u3011Focus by adjusting the right eyepiece focus wheel and center wheel. Super easy for anyone to use. This pair of binoculars can be used with a tripod. So it is very convenient when you are watching something for a long time. \u3010Perfect Gifts & 100% Money Back Guarantee\u3011The perfect gifts for Christmas' Day, Birthdays, Father's Day, Children's Day and more. We provide 3 years replacement guarantee. If you have any issues with binoculars, simply contact us for a free replacement or a full refund. We are always by your side to serve you. Shop with confidence as we have joined Transparency Plan which enables you to verify authenticity!"}, {"name": "Reciprocating IPR Orthodontic Interproximal Stripping Head Kit (5pcs Automatic Strips 5 Kinds)", "product_information": {"Manufacturer": "\u200eDThand", "Material": "\u200eAluminum", "ASIN": "B083FBJVDY", "Best Sellers Rank": ["#963,292 in Health & Household (See Top 100 in Health & Household) #2,441 in Personal Orthodontic Supplies"], "Date First Available": "September 28, 2019"}, "brand": "Brand: DThand", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=DThand", "full_description": "Description: Autoclavable 5pcs strips Included 1x15HD 1x25HD 1x40HD 1x60HD 1x90HD Doulbe sided strips 90 Micron For use as a saw for opening contacts 60 Micron For reduction 40 Micron For contouring 25 Micron For finishing 15 Micron For per polishing>", "pricing": "$54.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41NjOREo7cL.jpg", "https://m.media-amazon.com/images/I/41CLYyVCKgL.jpg", "https://m.media-amazon.com/images/I/41P-YA9iGHL.jpg", "https://m.media-amazon.com/images/I/41oqd+68sRL.jpg", "https://m.media-amazon.com/images/I/41b+37ecE-L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Orthodontic Supplies", "average_rating": "", "small_description": ["\u2764 A safe, precise and reliable method to achieve accurate interproximal stripping. ", "\u2764 More controllable and safer than diamond discs. ", "\u2764 Reciprocating Interproximal Stripping Contra Head ", "\u2764 Provides the flexibility that diamond and carbide burs can\u2019t. ", "\u2764 Faster and more comfortable than manual hand stripping. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "ASPNLOU9OE5V2", "seller_name": "Regener. As", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B083FBJVDY", "category": "beauty", "query": "Orthodontic Supplies", "page": 61, "small_description_old": "\u2764 A safe, precise and reliable method to achieve accurate interproximal stripping. \u2764 More controllable and safer than diamond discs. \u2764 Reciprocating Interproximal Stripping Contra Head \u2764 Provides the flexibility that diamond and carbide burs can\u2019t. \u2764 Faster and more comfortable than manual hand stripping. \n \u203a See more product details"}, {"name": "ECOAND Natural Exfoliating Bath Spa Shower Scrub - Dual Side Sisal and Cotton Glove - Deep Exfoliation Wash Mitten (1)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 4 x 7 x 0.2 inches; 1.76 Ounces", "Date First Available\n \u200f": "\u200e\n February 13, 2021", "Manufacturer\n \u200f": "\u200e\n ECOAND", "ASIN\n \u200f": "\u200e\n B08WKMHTGH", "Best Sellers Rank": "#434,845 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#944 in Bath Sponges", "#944 in Bath Sponges": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: ECOAND", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ECOAND", "full_description": "\"Eco Friendly Flexible Dual side Sisal and Cotton Scrub Glove. Sustainable, Eco-friendly Fiber. Sisal Side for Body(Elbow, Heel etc.,) and Cotton Side for Soft Skin(Face or Baby Skin etc.,) Size : 11(entrance) x 18(Width) x 20(Height) cm\"", "pricing": "$5.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51PwSHXX+kS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Bath & Bathing Accessories \u203a Bathing Accessories \u203a Bath Sponges", "average_rating": 3.6, "small_description": ["Eco Friendly Flexible Dual side Sisal and Cotton Scrub Glove. Sustainable, Eco-friendly Fiber. ", "Sisal Side for Body(Elbow, Heel etc.,) and Cotton Side for Soft Skin(Face or Baby Skin etc.,) ", "Great shower and bath scrubber ", "Average size fits most "], "total_reviews": 22, "total_answered_questions": "", "customization_options": {"Item Package Quantity": null}, "seller_id": "AWF276J5MLQFH", "seller_name": "Super sun", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08WKMHTGH", "category": "beauty", "query": "Bath & Bathing Accessories", "page": 80, "small_description_old": "About this item ECOAND Natural Exfoliating Bath Spa Shower Scrub - Dual Side Sisal and Cotton Glove - Deep Exfoliation Wash mitten Eco Friendly Flexible Dual side Sisal and Cotton Scrub Glove. Sustainable, Eco-friendly Fiber. Sisal Side for Body(Elbow, Heel etc.,) and Cotton Side for Soft Skin(Face or Baby Skin etc.,) Great shower and bath scrubber Average size fits most"}, {"name": "Marvel Avengers: Endgame Captain America America's Language T-Shirt", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10 x 8 x 1 inches; 4.8 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n September 9, 2019", "Manufacturer\n \u200f": "\u200e\n Marvel", "ASIN\n \u200f": "\u200e\n B07XPR3R7N", "Best Sellers Rank": "#2,049,560 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#231,058 in Women's Novelty T-Shirts #268,134 in Men's Novelty T-Shirts #790,484 in Men's Fashion", "#231,058 in Women's Novelty T-Shirts": "", "#268,134 in Men's Novelty T-Shirts": "", "#790,484 in Men's Fashion": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Marvel", "brand_url": "https://www.amazon.com/Marvel/b/ref=bl_sl_s_ap_web_8160907011?ie=UTF8&node=8160907011&field-lbr_brands_browse-bin=Marvel", "full_description": "Team up with what is left of the Avengers to fix the damage that Thanos has caused to the universe. You'll find the perfect gear within this collection of Officially Licensed Marvel Avengers: Endgame tee shirts, sweatshirts, and hoodies!", "pricing": "$22.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/A13usaonutL.png", "https://m.media-amazon.com/images/I/417S+7cf-vL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Women \u203a Tops & Tees \u203a T-Shirts", "average_rating": 5, "small_description": ["Officially Licensed Marvel Apparel ", "19MARF00431A-001 ", "Lightweight, Classic fit, Double-needle sleeve and bottom hem "], "total_reviews": 2, "total_answered_questions": "", "customization_options": {"Fit Type": [{"is_selected": true, "url": null, "value": "Men", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07XPR3R7N?_encoding=UTF8&customId=B07HPWDCG8", "value": "Women", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A13usaonutL.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07XPR3R7N?_encoding=UTF8&customId=B07537HQXD", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1vJUKBjc2L.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07XPR3R7N?_encoding=UTF8&customId=B07537H64L", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1ntnF3PJOL.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07XPR3R7N?_encoding=UTF8&customId=B0753779F2", "value": "Silver", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1mefQ2BdaL.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07XPR3R7N?_encoding=UTF8&customId=B07537PB8C", "value": "Dark Heather", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1MuEgxHlwS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07XPR3R7N?_encoding=UTF8&customId=B07537TZ66", "value": "Heather Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/C1xk9V1QWKS.png"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B0752XJYNL"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07535Y9T6"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07537P4T9"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07538GWNZ"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07537PKB3"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B07535YF3H"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07XPR3R7N", "category": "fashion", "query": "Men's T-Shirts & Tanks", "page": 40, "small_description_old": "Officially Licensed Marvel Apparel 19MARF00431A-001 Lightweight, Classic fit, Double-needle sleeve and bottom hem"}, {"name": "External Hard Drive1TB 2TB,Slim External Hard Drive Portable Storage Drive Compatible with PC, Laptop and Mac(2TB-A Red)", "product_information": {"Hard Drive": "\u200e2 TB Portable", "Brand": "\u200eLUOQI LGY", "Hardware Platform": "\u200ePC, Mac", "Color": "\u200eRed-A", "Flash Memory Size": "\u200e2 TB", "Hard Drive Interface": "\u200eUSB 1.1", "Manufacturer": "\u200eHanvioCR", "ASIN": "\u200eB09P3BXF1H", "Date First Available": "\u200eDecember 23, 2021", "Customer Reviews": {"ratings_count": null, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#368 in External Hard Drives"]}, "brand": "Brand: LUOQI LGY", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=LUOQI+LGY", "full_description": "External Hard Drive1TB 2TB,Slim External Hard Drive Portable Storage Drive Compatible with PC, Laptop and Mac Type: External hard drive Material: Aluminum Alloy, Matte, Chip Capability Available: 1TB 2TB USB 3.0 and 2.0 ultra-high-speed USB connection, can transfer data at 5Gbit/s speed, which is about 10 times faster than the standard USB 2.0 Colors Available: Black, Red, Blue, Silver, Golden Plug and play function, instant connection when plugging into PC. Advanced Type-C port allows blind insertion on both sides. Ultra slim pocket-sized body for easy transport. Large capability to back up massive amounts of data with ease. Improved metal shell with matte surface for unique touch and comfy hand feel. Auto sleep function to prevent body heat and cut consumption. More safety and more durability, a trustable guard for your important data. What\u2019s Included: 1x Aluminum Alloy Portable External Hard Drive 1x 1 x USB Type-C", "pricing": "$35.11", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/41GDaaPX1zL.jpg", "https://m.media-amazon.com/images/I/41jKDjGtxQL.jpg", "https://m.media-amazon.com/images/I/51v6cDrdIzL.jpg", "https://m.media-amazon.com/images/I/41zK8FaIzXL.jpg", "https://m.media-amazon.com/images/I/31U9wWaTw+L.jpg", "https://m.media-amazon.com/images/I/51FxqCDfCnL.jpg", "https://m.media-amazon.com/images/I/41wcZB6acxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Data Storage \u203a External Hard Drives", "average_rating": 4, "small_description": ["This external hard drive is ready to go without software to install, just plug it in and go. ", "The large capacity of 1TB or 2TB and power saving function, it really is your perfect mobile database. ", "Portable hard drive external hdd, easily to be carried and lets you stress-free transfers ", "External hard drive, the transmission speed of which is up to 400MB/S, reading 5 times as fast as usual hard drives while writing 2 times as fast, very efficient and stable! ", "What You Get-- 1 x Portable Hard Drive,1 x USB Cable "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A3VBZJASHAS0FN", "seller_name": "CBACEGABCUQC CO.,LT", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09P3BXF1H", "category": "electronics", "query": "Mac", "page": 247, "small_description_old": "About this item\n \nThis external hard drive is ready to go without software to install, just plug it in and go. The large capacity of 1TB or 2TB and power saving function, it really is your perfect mobile database. Portable hard drive external hdd, easily to be carried and lets you stress-free transfers External hard drive, the transmission speed of which is up to 400MB/S, reading 5 times as fast as usual hard drives while writing 2 times as fast, very efficient and stable! What You Get-- 1 x Portable Hard Drive,1 x USB Cable"}, {"name": "Lingerie for Women Sexy One Piece Lace Sleepwear Teddy Bodysuit Babydoll Backless Chemise Nightwear", "product_information": {"Item Weight\n \u200f": "\u200e\n 2.47 Ounces", "Item model number\n \u200f": "\u200e\n 4+ star styles", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 1, 2022", "Manufacturer\n \u200f": "\u200e\n Sinzelimin Amazon Essentials", "ASIN\n \u200f": "\u200e\n B09PJ6RXJ8", "Best Sellers Rank": "#2,473,840 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#3,729 in Women's Chemises & Negligees", "#3,729 in Women's Chemises & Negligees": ""}, "brand": "Brand: Sinzelimin", "brand_url": "https://www.amazon.com/Sinzelimin/b/ref=bl_sl_s_ap_web_19229697011?ie=UTF8&node=19229697011&field-lbr_brands_browse-bin=Sinzelimin", "full_description": "Hello, Dear Customer, (\u10da\u2579\u25e1\u2579\u10da) Welcome to \u261bSinzelimin\u261a Store ![Our Shop]:Normal delivery time: 10-15 Days,Expedited logistics: 5-10 days;Product InformationSeason: Spring,Summer,Autumn,WinterStyle: Sexy styleHow to wash:Hand wash ColdPlace: Honeymoon, Wedding night, lingerie Party, Chrismas sleepwear,Valentine's Day.Package: 1 Set Sexy lingerieDetail:If you want a more relaxed and comfortable feeling, you can buy a larger size.When you sleep at home, you can feel comfortable.2021 2022 Halloween,Thanksgiving,Christmas,Valentine's Day, Mother's Day, Discover Amazon Fashion/Women's Most-Loved Styles/New Arrivals/ 4+ Star Styles lingerie for women sexy lingerie plus size lingerie sexy lingerie sex lingerie sex play women's lingerie sleep & lounge lingerie set crotchless lingerie women lingerie crotchless teddy lingerie babydoll dress women babydoll lingerie women underwear lace bodyduit lingerie set halter chemise lace cups adjustable spaghetti straps a lace underbust band the bodysuit shape design brings you completely female hormones women lace lingerie set v neck chemise halter lingerie sexy lingerie women lace mesh lingerie sleepwear nightie transparent sheer lingerie night dress bridal lingerie bodysuit lingerie women sex lingerie set women sleepwear plus size babydoll lingerie set underwear nightwear women plus size bodysuit lingerie pajama plus size lingerie bodysuit crotchless womens sleepwear plus size babydoll lingerie women push up bra panty sets bodysuit crotchless nightwear women sex set two piece lingerie plus size", "pricing": "$3.99$10.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41erXBtz7QS.jpg", "https://m.media-amazon.com/images/I/414qj-BvttS.jpg", "https://m.media-amazon.com/images/I/51jnA70rLSS.jpg", "https://m.media-amazon.com/images/I/41ak9NOqxLS.jpg", "https://m.media-amazon.com/images/I/41Yv1ruK9bS.jpg", "https://m.media-amazon.com/images/I/41eTt2sZd2S.jpg", "https://m.media-amazon.com/images/I/41x301IB1MS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Lingerie, Sleep & Lounge \u203a Lingerie \u203a Baby Dolls & Chemises", "average_rating": "", "small_description": ["lingerie ", "4+ star styles for you! Made in USA and Imported ", "\u2714\u2714About Size: Please Select The Size According To The Size Chart In The Product Picture! More size information please refer to the size chart in the image, recommend 1-2 size up. If you have any questions about the dress, please feel free to contact us. We will provide the best solution for you within 24 hours. ", "Snap closure ", "Hand Wash Only ", "ladies sexy lace eyelashes teddy bodysuit lingerie one-piece underwear jumpsuit temptation sleepwear womens floral lace scallop trim straps lingerie set bra and panty womens plus size floral lace cami top and satin shorts lingerie set womens 2 piece lingerie set lace cami top with shorts with panties sexy pajama set sleepwear womens lingerie sexy lace babydoll bra and panty two pieces lingerie set black women lingerie satin lace chemise nightgown sexy slip sleepwear ", "lingerie chest small lingerie chest support lingerie chest cherry lingerie chest espresso lingerie chest mirrored lingerie chest of drawers tall cherry lingerie chest of drawers tall black lingerie chest of drawers espresso lingerie chest of drawers narrow lingerie chest cherry wood slutty lingerie for sex crotchless slutty lingerie for sex one size slutty lingerie for sex maid slutty lingerie for sex costume slutty lingerie for sex white slutty lingerie for sex open crotch and cups , women lingerie naughty lingerie for women for sex play lace lingerie robe for women black teddy lingerie underwear sexy teddy lingerie for women open crotch women lingerie sexy sets plus size sexy teddy lingerie for women lace lingerie romper lace teddy lingerie for women plus white teddy lingerie pushup teddy lingerie crotchless for women lace teddy lingerie for women babydoll lingerie for women crotchless babydoll women lingerie sexy sets pink lace lingerie plus size top, womens lingerie sexy bodysuit womens lingerie sexy crotchless womens lingerie sexy for boudoir bra and panty sets for women sexy lingerie nightwear for women sexy nightwear for women 2 piece set nightwear for women winter womens nightwear sexy womens nightwear plus size womens nightwear pajama sets womens nightwear for sleeping bra and panty lingerie set bra and panty sets for women sexy plus size womens lingerie sexy teddy womens lingerie sexy panties, women lingerie lace babydoll strap chemise halter teddy v neck sleepwear women sexy lace lingerie set lace bra and panty set 2 piece babydoll bodysuit womens lace trim 2 piece v neck cami and shorts pajama set sexy sleepwear women lingerie lace babydoll strap chemise halter teddy v neck sleepwear women sexy lace lingerie set lace bra and panty set 2 piece babydoll bodysuit womens lace trim 2 piece v neck cami and shorts pajama set sexy sleepwear"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": false, "value": "X-Small", "asin": "B09PJ6RXJ8"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B09PJ5ZXGH"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09PJ5W8V5"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09PJ6W8C8"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09PJ6JZ7H"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09PJ6TGH2"}, {"is_selected": false, "is_available": false, "value": "3X-Large", "asin": "B09PJ6FFF2"}, {"is_selected": false, "is_available": false, "value": "4X-Large", "asin": "B09PJ78TBB"}, {"is_selected": false, "is_available": false, "value": "5X-Large", "asin": "B09PJ76F1D"}, {"is_selected": false, "is_available": false, "value": "6X-Large", "asin": "B09PJ6P329"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ88TTQ/ref=twister_B09LXM6G27", "value": "1-red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41joRxU-f3S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ84VGH/ref=twister_B09LXM6G27", "value": "1-white", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51VPiTP1GXS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ6P6SN/ref=twister_B09LXM6G27", "value": "1-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/510YK-ARu2S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ72HH7/ref=twister_B09LXM6G27", "value": "2-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51C5H1DrhgS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ6964M/ref=twister_B09LXM6G27", "value": "2-red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41sd9XexMMS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ6M2KQ/ref=twister_B09LXM6G27", "value": "3-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41rZUrqtfFS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ71MZC/ref=twister_B09LXM6G27", "value": "3-red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41nc2edqp-S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ6G52T/ref=twister_B09LXM6G27", "value": "4-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41EcXvnmBkS.jpg"}, {"is_selected": true, "url": null, "value": "4-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41erXBtz7QS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ4LJ4N/ref=twister_B09LXM6G27", "value": "5-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51qBw3LDuQL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ61BPG/ref=twister_B09LXM6G27", "value": "5-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41wjA9CUbJL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ7JVX6/ref=twister_B09LXM6G27", "value": "5-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51n49kDGpbL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ6X4M9/ref=twister_B09LXM6G27", "value": "5-red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41scNEdKmIL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ6NXF7/ref=twister_B09LXM6G27", "value": "5-white", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51ufZofWmrL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ5ZPM4/ref=twister_B09LXM6G27", "value": "6-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Ra55beY3L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ7KJR4/ref=twister_B09LXM6G27", "value": "6-purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41MFK+E+itL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ5TLQG/ref=twister_B09LXM6G27", "value": "7-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Geurd6EoL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ6P6SM/ref=twister_B09LXM6G27", "value": "91-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41IwollayFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ6R35D/ref=twister_B09LXM6G27", "value": "98-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41yBsCBEZrL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ5P54Q/ref=twister_B09LXM6G27", "value": "3-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41f45BQI8JS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ6FHTG/ref=twister_B09LXM6G27", "value": "4-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41thxRzVVcS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ53TMS/ref=twister_B09LXM6G27", "value": "7-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51oh7E7gNzL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ5VCQC/ref=twister_B09LXM6G27", "value": "9-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51GgJZUaSoL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ7BXPB/ref=twister_B09LXM6G27", "value": "94-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41xtbc77-OL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ69MJ9/ref=twister_B09LXM6G27", "value": "95-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41uV5eJkeCL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ725CN/ref=twister_B09LXM6G27", "value": "96-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41mJoHFHjwL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ5SBKP/ref=twister_B09LXM6G27", "value": "97-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41VXh85Js7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ7FX2M/ref=twister_B09LXM6G27", "value": "99-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41WwcB8uG8S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ6X57T/ref=twister_B09LXM6G27", "value": "92-army Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41lcx96ZTyS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PJ7GL1Y/ref=twister_B09LXM6G27", "value": "93-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51NnjE7NgbS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LY2NF2W/ref=twister_B09LXM6G27", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41GV1JZV6mL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LXVGSB9/ref=twister_B09LXM6G27", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41z4Jex2CbL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PGX9MPV/ref=twister_B09LXM6G27", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41QyM5tRj+L.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PJ5ZXGH", "category": "fashion", "query": "Women's Lingerie, Sleep & Lounge", "page": 4, "small_description_old": "lingerie 4+ star styles for you! Made in USA and Imported \u2714\u2714About Size: Please Select The Size According To The Size Chart In The Product Picture! More size information please refer to the size chart in the image, recommend 1-2 size up. If you have any questions about the dress, please feel free to contact us. We will provide the best solution for you within 24 hours. Snap closure Hand Wash Only ladies sexy lace eyelashes teddy bodysuit lingerie one-piece underwear jumpsuit temptation sleepwear womens floral lace scallop trim straps lingerie set bra and panty womens plus size floral lace cami top and satin shorts lingerie set womens 2 piece lingerie set lace cami top with shorts with panties sexy pajama set sleepwear womens lingerie sexy lace babydoll bra and panty two pieces lingerie set black women lingerie satin lace chemise nightgown sexy slip sleepwear lingerie chest small lingerie chest support lingerie chest cherry lingerie chest espresso lingerie chest mirrored lingerie chest of drawers tall cherry lingerie chest of drawers tall black lingerie chest of drawers espresso lingerie chest of drawers narrow lingerie chest cherry wood slutty lingerie for sex crotchless slutty lingerie for sex one size slutty lingerie for sex maid slutty lingerie for sex costume slutty lingerie for sex white slutty lingerie for sex open crotch and cups \n women lingerie naughty lingerie for women for sex play lace lingerie robe for women black teddy lingerie underwear sexy teddy lingerie for women open crotch women lingerie sexy sets plus size sexy teddy lingerie for women lace lingerie romper lace teddy lingerie for women plus white teddy lingerie pushup teddy lingerie crotchless for women lace teddy lingerie for women babydoll lingerie for women crotchless babydoll women lingerie sexy sets pink lace lingerie plus size topwomens lingerie sexy bodysuit womens lingerie sexy crotchless womens lingerie sexy for boudoir bra and panty sets for women sexy lingerie nightwear for women sexy nightwear for women 2 piece set nightwear for women winter womens nightwear sexy womens nightwear plus size womens nightwear pajama sets womens nightwear for sleeping bra and panty lingerie set bra and panty sets for women sexy plus size womens lingerie sexy teddy womens lingerie sexy pantieswomen lingerie lace babydoll strap chemise halter teddy v neck sleepwear women sexy lace lingerie set lace bra and panty set 2 piece babydoll bodysuit womens lace trim 2 piece v neck cami and shorts pajama set sexy sleepwear women lingerie lace babydoll strap chemise halter teddy v neck sleepwear women sexy lace lingerie set lace bra and panty set 2 piece babydoll bodysuit womens lace trim 2 piece v neck cami and shorts pajama set sexy sleepwearShow more"}, {"name": "Walkers Shortbread Saltire Shortbread Rounds Tin, Scottis, Cookies, Biscuits, Gift Box, 120 g", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 7.1 x 5 x 3.5 inches; 4.23 Ounces", "Item model number\n \u200f": "\u200e\n 1991", "UPC\n \u200f": "\u200e\n 039047019997", "ASIN\n \u200f": "\u200e\n B00EY177C0", "Best Sellers Rank": "#452,490 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#714 in Shortbread Cookies", "#714 in Shortbread Cookies": ""}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$18.95", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51aQ+1tS-QL.jpg", "https://m.media-amazon.com/images/I/51Bhr6EafHL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Breads & Bakery \u203a Cookies \u203a Shortbread", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2RT9A30B947NZ", "seller_name": "Premier Life", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00EY177C0", "category": "grocery", "query": "Grocery Cookies", "page": 141, "small_description_old": ""}, {"name": "ERKOON Halloween Window Door Cover Decoration You are Next Sign Halloween Props Horror Backdrop Banner Gloomy Figure Bloody Handprints Blood Dripping of Horror for Halloween Supplies", "product_information": {"Product Dimensions": "4.72 x 3.94 x 0.79 inches", "Item Weight": "11.3 ounces", "Manufacturer": "ERKOON", "ASIN": "B08D3S1KK4", "Customer Reviews": {"ratings_count": 97, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#271,169 in Patio, Lawn & Garden (See Top 100 in Patio, Lawn & Garden) #3,901 in Outdoor Holiday Decorations"]}, "brand": "Visit the ERKOON Store", "brand_url": "https://www.amazon.com/stores/ERKOON/page/60BD1A92-D970-4665-A0B2-733BAA3B2FF3?ref_=ast_bln", "full_description": "", "pricing": "$11.99", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51titP8qbyL.jpg", "https://m.media-amazon.com/images/I/51RJigUnk-L.jpg", "https://m.media-amazon.com/images/I/61P1Dv79dDL.jpg", "https://m.media-amazon.com/images/I/511LgHlAQEL.jpg", "https://m.media-amazon.com/images/I/61bKaBwKxEL.jpg", "https://m.media-amazon.com/images/I/41mKOKbRaML.jpg", "https://m.media-amazon.com/images/I/612xilhTmBL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Patio, Lawn & Garden \u203a Outdoor D\u00e9cor \u203a Outdoor Holiday Decorations", "average_rating": 4.5, "small_description": ["\u3010Scary Visual Effect Design\u3011Realistic ghost and bloody handprint 3D patterns creates a horrible atmosphere, and adds a strong Horror visual effect to your home ", "\u3010Easy to Set Up\u3011This Polyester Halloween window door cover comes with Four small holes and give away four hooks, easy to hang through the copper grommet, no need other tools( you can used of rope or tape) ; Providing an easy and quick way ", "\u3010Durable materials\u3011Different from others plastic material, this Halloween window door cover is made of durable polyester fabric, which is light weight, washable, tear-resistant and easy to carry ", "\u3010 Size of Perfect\u3011Halloween window door decorrations size 185 x 90 cm/ 73 x 35.4 inch, it's big enough for outdoor, indoor, window or door of your house ", "\u3010Wide Application\u3011This window door cover is Best for Halloween decorations, if you hang it in a house, garage, or school dormitory, it must be the most memorable entrance. Suitable for walking dead, haunted house, monster or Halloween theme parties "], "total_reviews": 97, "total_answered_questions": "", "customization_options": "", "seller_id": "A1K5GNOI3UW3AE", "seller_name": "AlcoonUS", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08D3S1KK4", "category": "garden", "query": "Window Coverings", "page": 242, "small_description_old": "\u3010Scary Visual Effect Design\u3011Realistic ghost and bloody handprint 3D patterns creates a horrible atmosphere, and adds a strong Horror visual effect to your home \u3010Easy to Set Up\u3011This Polyester Halloween window door cover comes with Four small holes and give away four hooks, easy to hang through the copper grommet, no need other tools( you can used of rope or tape) ; Providing an easy and quick way \u3010Durable materials\u3011Different from others plastic material, this Halloween window door cover is made of durable polyester fabric, which is light weight, washable, tear-resistant and easy to carry \u3010 Size of Perfect\u3011Halloween window door decorrations size 185 x 90 cm/ 73 x 35.4 inch, it's big enough for outdoor, indoor, window or door of your house \u3010Wide Application\u3011This window door cover is Best for Halloween decorations, if you hang it in a house, garage, or school dormitory, it must be the most memorable entrance. Suitable for walking dead, haunted house, monster or Halloween theme parties"}, {"name": "Cal Lighting CALBO-2450FL-DB Transitional Two Floor Lamp Lighting Accessories", "product_information": {"Manufacturer": "\u200eCal Lighting", "Part Number": "\u200eCALBO-2450FL-DB", "Item Weight": "\u200e9.4 pounds", "Product Dimensions": "\u200e17 x 17 x 59 inches", "Country of Origin": "\u200eChina", "Item model number": "\u200eCALBO-2450FL-DB", "Is Discontinued By Manufacturer": "\u200eNo", "Color": "\u200eBronze", "Style": "\u200eContemporary", "Finish": "\u200eBronze", "Material": "\u200eMetal", "Shape": "\u200eDrum", "Power Source": "\u200eCorded Electric", "Voltage": "\u200e120 Volts", "Wattage": "\u200e60 watts", "Installation Method": "\u200eFloor", "Item Package Quantity": "\u200e1", "Type of Bulb": "\u200eIncandescent", "Measurement System": "\u200eEnglish/Standard", "Mounting Type": "\u200eProtruding", "Plug Format": "\u200eA- US style", "Switch Style": "\u200ePull Chain", "Certification": "\u200eUL Listed", "Special Features": "\u200ePull_chain", "Usage": "\u200eCeiling fan", "Included Components": "\u200eNo Additional Item", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "Warranty Description": "\u200e1 year.", "ASIN": "B00BL2YE2Q", "Customer Reviews": {"ratings_count": 3, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#857,598 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #4,511 in Floor Lamps"], "Domestic Shipping": "Item can be shipped within U.S.", "International Shipping": "This item can be shipped to select countries outside of the U.S. Learn More", "Date First Available": "February 25, 2013"}, "brand": "Brand: Cal", "brand_url": "https://www.amazon.com/Cal/b/ref=bl_dp_s_web_20051822011?ie=UTF8&node=20051822011&field-lbr_brands_browse-bin=Cal", "full_description": "Cal Lighting BO-2450FL-DB Transitional Two Light Floor Lamp from Calais collection in Bronze / Dark finish, 17.00 inches. Two Light Floor Lamp from the Calais collection. Transitional Two Light Floor Lamp from Calais collection in Dark Bronze finish , 17.00 inches, .", "pricing": "$157.15", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/21evD8u9acL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Lamps & Shades \u203a Floor Lamps", "average_rating": 4.8, "small_description": ["Two Light Floor Lamp from the Calais collection ", "Item Size: Length: 17.00 inches Height: 59.00 inches Width: 17.00 inches ", "Style: Transitional Light Type: Floor Lamp ", "Finish: Dark Bronze "], "total_reviews": 3, "total_answered_questions": "", "model": "\u200eCALBO-2450FL-DB", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B00BL2YE2Q", "category": "garden", "query": "Floor lamps", "page": 135, "small_description_old": "About this item\n \nTwo Light Floor Lamp from the Calais collection Item Size: Length: 17.00 inches Height: 59.00 inches Width: 17.00 inches Finish: Dark Bronze \n \u203a See more product details"}, {"name": "Bamboo Cotton Swab 1000PCS Double Cotton Buds bamboo Cotton Bud Eco organic bamboo ear swab for Ear Skin Jewelry Art Pet Cleaning Craft Paper Packaging (5 PACKS OF 200 STICKS)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 9.5 x 4.5 x 3.7 inches; 14.89 Ounces", "Item model number\n \u200f": "\u200e\n AK01", "UPC\n \u200f": "\u200e\n 606314889463", "Manufacturer\n \u200f": "\u200e\n Coralov-US", "ASIN\n \u200f": "\u200e\n B07QXZL1K5", "Best Sellers Rank": "#22,325 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#70 in Cotton Swabs", "#70 in Cotton Swabs": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the MUIFA Store", "brand_url": "https://www.amazon.com/stores/MUIFA/page/37FEE786-DC07-4D13-8822-5FDF8D073DF9?ref_=ast_bln", "full_description": "", "pricing": "$13.99", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/51qT7cXqAdL.jpg", "https://m.media-amazon.com/images/I/51r6vz6xCML.jpg", "https://m.media-amazon.com/images/I/61V4sw716eL.jpg", "https://m.media-amazon.com/images/I/51h6IrLMtYL.jpg", "https://m.media-amazon.com/images/I/51MatXoR-kL.jpg", "https://m.media-amazon.com/images/I/51H-xP-eudL.jpg", "https://m.media-amazon.com/images/I/51QEEG7VLyL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Cotton Balls & Swabs \u203a Cotton Swabs", "average_rating": 4.7, "small_description": ["5 PACK OF 1000 - The packaging contains 1000 Biodegradable cotton swab, enough for the whole family, so there's always plenty of Eco ear buds around when you need them. 200 bamboo cotton buds a pack, they use drawer packaging, easy to store and use. ", "ECO FRIENDLY AND COTTON BUDS - The Bamboo and Cotton for our organic cotton swabs are 100% biodegradable. Bamboo is a rapidly growing resource and is the sustainable solution to traditional plastic cotton swabs. Bamboo sticks instead of paper or plastic help to protect the environment and prevent plastic pollution in our oceans. ", "QUALITY COTTON SWAB - Bamboo is the perfect material for an ear bud because it copes well with water, it does not splinter. Our Bamboo cotton swabs are completely odourless and do not contain any perfumes, chemicals or plastics. They are made of natural raw materials which makes them safe to use and perfect for sensitive skin and gentle use. ", "VERSATILE USES - These organic swabs 2.87inch long, dual cotton head, natural pure cotton buds. Our eco friendly bamboo buds are suitable for a variety of cleaning tasks, cosmetic detailing, oral care, arts and crafts, cleaning keyboards, soft earwax extraction and pet care. Also fit for baby care, arts and crafts, household cleaning, pet care, painting, car detailing, model building, first aid and more. ", "BIODEGRADABLE PAPER PACKAGING - Our cotton buds are packed in compact craft paper boxes with no plastic film or excessive wording on them. All parts of packaging can be recycled and are 100% compo-stable and biodegradable. "], "total_reviews": 791, "total_answered_questions": 19, "customization_options": "", "seller_id": "A3N2KINWE4YQ6C", "seller_name": "Coralov-US", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07QXZL1K5", "category": "beauty", "query": "Cotton Balls & Swabs", "page": 2, "small_description_old": "5 PACK OF 1000 - The packaging contains 1000 Biodegradable cotton swab, enough for the whole family, so there's always plenty of Eco ear buds around when you need them. 200 bamboo cotton buds a pack, they use drawer packaging, easy to store and use. ECO FRIENDLY AND COTTON BUDS - The Bamboo and Cotton for our organic cotton swabs are 100% biodegradable. Bamboo is a rapidly growing resource and is the sustainable solution to traditional plastic cotton swabs. Bamboo sticks instead of paper or plastic help to protect the environment and prevent plastic pollution in our oceans. QUALITY COTTON SWAB - Bamboo is the perfect material for an ear bud because it copes well with water, it does not splinter. Our Bamboo cotton swabs are completely odourless and do not contain any perfumes, chemicals or plastics. They are made of natural raw materials which makes them safe to use and perfect for sensitive skin and gentle use. VERSATILE USES - These organic swabs 2.87inch long, dual cotton head, natural pure cotton buds. Our eco friendly bamboo buds are suitable for a variety of cleaning tasks, cosmetic detailing, oral care, arts and crafts, cleaning keyboards, soft earwax extraction and pet care. Also fit for baby care, arts and crafts, household cleaning, pet care, painting, car detailing, model building, first aid and more. BIODEGRADABLE PAPER PACKAGING - Our cotton buds are packed in compact craft paper boxes with no plastic film or excessive wording on them. All parts of packaging can be recycled and are 100% compo-stable and biodegradable."}, {"name": "Michigan Peat 5540 Garden Magic Top Soil, 40-Pound", "product_information": {"Product Dimensions": "18 x 6 x 27 inches", "Item Weight": "40 pounds", "Manufacturer": "Michigan Peat", "ASIN": "B000GQ4KX6", "Item model number": "5540", "Customer Reviews": {"ratings_count": 1375, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#8,481 in Patio, Lawn & Garden (See Top 100 in Patio, Lawn & Garden) #183 in Garden Soil"], "Is Discontinued By Manufacturer": "No"}, "brand": "Brand: Michigan Peat", "brand_url": "https://www.amazon.com/Michigan-Peat/b/ref=bl_dp_s_web_9347069011?ie=UTF8&node=9347069011&field-lbr_brands_browse-bin=Michigan+Peat", "full_description": "Garden magic top soil often used as a top dressing and to fill holes in lawns and gardens. A blend of dark, reed sedge peat and sand. This product will also loosen heavy clay soils and enhance moisture retention in light soils. Available in 40-pound.", "pricing": "$27.62", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41liDOD7QmL.jpg", "https://m.media-amazon.com/images/I/41liDOD7QmL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Patio, Lawn & Garden \u203a Gardening & Lawn Care \u203a Soils, Mulches & Planting Media \u203a Garden Soil", "average_rating": 4.5, "small_description": ["A blend of dark, reed sedge peat and sand ", "Used as a top dressing and to fill holes in lawns and gardens ", "Loosen heavy clay soils and enhance moisture retention in light soils ", "Available in 40-pound "], "total_reviews": 1375, "total_answered_questions": "", "model": "5540", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07KJVFHQW/ref=twister_B07KJQCCZ8?_encoding=UTF8&psc=1", "value": ".2", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07KJPDKP9/ref=twister_B07KJQCCZ8?_encoding=UTF8&psc=1", "value": ".3", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07KJN5NXR/ref=twister_B07KJQCCZ8?_encoding=UTF8&psc=1", "value": ".4", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07KJM9K59/ref=twister_B07KJQCCZ8?_encoding=UTF8&psc=1", "value": ".5", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "40-Pound", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08HPMJD79/ref=twister_B07KJQCCZ8?_encoding=UTF8&psc=1", "value": "40-Pound (2 Pack)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08HNDGBF5/ref=twister_B07KJQCCZ8?_encoding=UTF8&psc=1", "value": "40-Pound (3 Pack)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WHHCQVR/ref=twister_B07KJQCCZ8?_encoding=UTF8&psc=1", "value": "40-Pound (4 Pack)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098PG9RJ8/ref=twister_B07KJQCCZ8?_encoding=UTF8&psc=1", "value": "40-Pound (8 Pack)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098PDQ96Z/ref=twister_B07KJQCCZ8?_encoding=UTF8&psc=1", "value": "40-Pound (10 Pack)", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A2TI5WR4CT30H3", "seller_name": "Esbenshades Garden Center", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B000GQ4KX6", "category": "garden", "query": "Live Plants", "page": 203, "small_description_old": "A blend of dark, reed sedge peat and sand Used as a top dressing and to fill holes in lawns and gardens Loosen heavy clay soils and enhance moisture retention in light soils Available in 40-pound"}, {"name": "Sturdy 72\" Monopod Camera Stick with Quick Release for Sony Cyber-shot DSC-R1, DSC-RX1, DSC-RX10, DSC-RX10 II, DSC-RX10 III, RX10, RX100 II Pro Digital Cameras: Collapsible Mono pod, Mono-pod", "product_information": {"ASIN": "B01MTYK2T9", "Item model number": "MonopodKit", "Date First Available": "December 8, 2016", "Manufacturer": "ZEETECH"}, "brand": "Brand: ZeeTech", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ZeeTech", "full_description": "72\u201d Steady & Compact Quick Release, Rubber Tip Monopod Providing a stable & spin able base for sporting events, birthday parties, days at the zoo and many other scenarios, this monopod comes in very handy. Most cameras do not have adequate stabilization, and with a fraction the weight and size of a tripod, in addition to the stable range of motion afforded, this 72' Monopod is a versatile addition to any photographer\u2019s bag. Specs: Quick release head Fully padded handle grip Rubber leg tip with spike Rapid action locks 4 section aluminum alloy legs Lightweight and compact design 72\u201d height but it collapses to 21.5\u201d 21.5\u201d lowest height from the ground Universal camera mount Wrist strap 10 year limited warranty , This item is Brand new", "pricing": "$27.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41H4kijoMlL.jpg", "https://m.media-amazon.com/images/I/31QofwqXFmL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Tripods & Monopods \u203a Monopods", "average_rating": "", "small_description": ["Quick release head\u00a0+ Wrist strap ", "Fully padded handle grip ", "Lightweight & compact design - 72\u201d height but it collapses to 21.5 inches! ", "Rapid action locks\u00a0+ 4 section aluminum alloy legs ", "Rubber leg tip with spike "], "total_reviews": "", "total_answered_questions": "", "model": "MonopodKit", "customization_options": "", "seller_id": "A2MNNVGSU2E9GQ", "seller_name": "BASE WIRELESS", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01MTYK2T9", "category": "electronics", "query": "Tripods & Monopods", "page": 382, "small_description_old": "About this item\n \nQuick release head\u00a0+ Wrist strap Fully padded handle grip Lightweight & compact design - 72\u201d height but it collapses to 21.5 inches! Rapid action locks\u00a0+ 4 section aluminum alloy legs Rubber leg tip with spike"}, {"name": "Cat Footwear Men's Carnaby Canvas Fashion Sneaker", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 14.1 x 9.1 x 4.8 inches; 12 Ounces", "Item model number\n \u200f": "\u200e\n P721210", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n November 18, 2016", "Manufacturer\n \u200f": "\u200e\n Caterpillar", "ASIN\n \u200f": "\u200e\n B01JJR8GJG", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Cat Footwear Store", "brand_url": "https://www.amazon.com/stores/CATFootwear/page/A5F582E2-55A4-4920-B889-29DA94C01B1B?ref_=ast_bln", "full_description": "Lightweight cushioned casual boot, ease cushioned midsole, ease cushion insole, very flexible, like a running shoe As the world's foremost manufacturer of heavy equipment, Cat earthmovers are known around the world as a symbol of honest work, strength and integrity. Cat Footwear makes boots and shoes based on these same principals. The brand has evolved from work boots into a range of industrial and casual footwear built with the sole purpose of staying true to their original goal--creating genuine, hard-working boots and shoes.", "pricing": "$79.95", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41EKXABKniL.jpg", "https://m.media-amazon.com/images/I/51AQmBpNQ8L.jpg", "https://m.media-amazon.com/images/I/41YNEV5DOxL.jpg", "https://m.media-amazon.com/images/I/31Ytsx0b1vL.jpg", "https://m.media-amazon.com/images/I/31U9ZftCdtL.jpg", "https://m.media-amazon.com/images/I/41pL2x51yLL.jpg", "https://m.media-amazon.com/images/I/417weQYp2GL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Fashion Sneakers", "average_rating": 4, "small_description": ["Lightweight cushioned casual boot, Ease cushioned midsole, Ease cushion insole, very flexible, like a running shoe "], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "7.5", "asin": "B01JJR6ZN0"}, {"is_selected": false, "is_available": true, "value": "11.5", "asin": "B01JJR8GJG"}], "Color": null}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01JJR8GJG", "category": "fashion", "query": "Men's Fashion Sneakers", "page": 171, "small_description_old": "70% Leather, 30% Canvas Imported Rubber sole Lightweight cushioned casual boot, Ease cushioned midsole, Ease cushion insole, very flexible, like a running shoe"}, {"name": "COOrun Women's UPF 50+ Sun Protection Shirts Quick Dry Long Sleeve Shirts Lightweight T-Shirt Outdoor Hiking Runing Fishing", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 0.39 x 0.39 x 0.39 inches; 3.53 Ounces", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n April 14, 2021", "ASIN\n \u200f": "\u200e\n B092H8Z4DP", "Best Sellers Rank": "#75,458 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#103 in Women's Rash Guard Shirts #120 in Women's Activewear T-Shirts", "#103 in Women's Rash Guard Shirts": "", "#120 in Women's Activewear T-Shirts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the COOrun Store", "brand_url": "https://www.amazon.com/stores/COOrun/page/A5B314E2-1FCE-44F0-B6DB-9A907290A36D?ref_=ast_bln", "full_description": "", "pricing": "$9.98$16.98", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/316p1KLaQwL.jpg", "https://m.media-amazon.com/images/I/51dFa-opq4L.jpg", "https://m.media-amazon.com/images/I/312-2UW+BKL.jpg", "https://m.media-amazon.com/images/I/31pqXpIRg8L.jpg", "https://m.media-amazon.com/images/I/31LkL7tRKlL.jpg", "https://m.media-amazon.com/images/I/41tNuhToHoL.jpg", "https://m.media-amazon.com/images/I/61UVOGx0M2L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Active \u203a Active Shirts & Tees \u203a T-Shirts", "average_rating": 4.5, "small_description": ["\u3010Sun Protection\u3011\uff1aUPF 50+ fabric protects your skin effectively from the harmful UVA/UVB rays, keeping you cool while outdoors in the direct sunlight. ", "\u3010Cool & Dry\u3011\uff1aMade of quick-drying and moisture-wicking fabric, keep you cool and dry on running or workout. ", "\u3010Comfortable\u3011\uff1aRaglan sleeves, tagless neck and flat-seam construction ensure a full range of motion and help reduce chafing. 4-way stretch construction moves better in every direction. ", "\u3010Skin-friendly\u3011: The lightweight fabric is soft against the skin making the sun shirts feel light and forgiving on the skin. ", "\u3010Muti-Occasion\u3011\uff1aSuitable for all outdoor activities: running, fishing, hiking, swimming, rashguard, yoga, fitness, cycling travel, mountain climbing. "], "total_reviews": 564, "total_answered_questions": 14, "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B092H8Z4DP/ref=twister_B08JCYG89Y", "value": "B-orange-thumbhole", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31W+PMs+IFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092HCGDHR/ref=twister_B08JCYG89Y", "value": "B-sky Blue-thumbhole", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31x9-vII9AL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08MX4S4SN/ref=twister_B08JCYG89Y", "value": "C-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41II94ZGAnL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08MX6NK4C/ref=twister_B08JCYG89Y", "value": "C-grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41IxHbVwhbL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08JCS4ZZL/ref=twister_B08JCYG89Y", "value": "A-white-thumbhole", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31ivvKTlsXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08MX45QQ2/ref=twister_B08JCYG89Y", "value": "B-green-thumbhole", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31ly3m-f6EL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08JCN77B8/ref=twister_B08JCYG89Y", "value": "C-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41fsBZ91NpL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092ZJB41T/ref=twister_B08JCYG89Y", "value": "C-navy Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/319XX6oa2BL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08JC5MTGF/ref=twister_B08JCYG89Y", "value": "C-purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41IO23IollL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092ZKJDP5/ref=twister_B08JCYG89Y", "value": "C-white", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31+2NcWYGjL.jpg"}, {"is_selected": true, "url": null, "value": "B-black-thumbhole", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31sppR4Zp8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08N5VJMTL/ref=twister_B08JCYG89Y", "value": "B-light Grey-thumbhole", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/312nZU8k3oL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092H1NF46/ref=twister_B08JCYG89Y", "value": "B-peach-thumbhole", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31mp-BTldxL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08JCGQBDL/ref=twister_B08JCYG89Y", "value": "C-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31C7ziyr9SL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08JC9MR7Z/ref=twister_B08JCYG89Y", "value": "B-navy Blue-thumbhole", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31+hYmVLBhL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08N5VPDSM/ref=twister_B08JCYG89Y", "value": "B-purple-thumbhole", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41zqbsidSZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08MX5ZMZ8/ref=twister_B08JCYG89Y", "value": "B-grey-thumbhole", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Bg4Xl6IrL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B08JD14GJF"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B08JCT7Y9S"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B08JC9SDF4"}, {"is_selected": false, "is_available": false, "value": "X-Large", "asin": "B092HDFDXJ"}, {"is_selected": false, "is_available": false, "value": "XX-Large", "asin": "B092H1QWZW"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08JD14GJF", "category": "fashion", "query": "Women's Activewear", "page": 15, "small_description_old": "\u3010Sun Protection\u3011\uff1aUPF 50+ fabric protects your skin effectively from the harmful UVA/UVB rays, keeping you cool while outdoors in the direct sunlight. \u3010Cool & Dry\u3011\uff1aMade of quick-drying and moisture-wicking fabric, keep you cool and dry on running or workout. \u3010Comfortable\u3011\uff1aRaglan sleeves, tagless neck and flat-seam construction ensure a full range of motion and help reduce chafing. 4-way stretch construction moves better in every direction. \u3010Skin-friendly\u3011: The lightweight fabric is soft against the skin making the sun shirts feel light and forgiving on the skin. \u3010Muti-Occasion\u3011\uff1aSuitable for all outdoor activities: running, fishing, hiking, swimming, rashguard, yoga, fitness, cycling travel, mountain climbing."}, {"name": "Yummyearth Lolli Pop Cntr Bin 125pc Org", "product_information": {"Item Weight\n \u200f": "\u200e\n 2.77 Pounds", "UPC\n \u200f": "\u200e\n 890146001029", "Manufacturer\n \u200f": "\u200e\n Yummy Earth", "ASIN\n \u200f": "\u200e\n B00DGDBYQC", "Best Sellers Rank": "#672,965 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#3,897 in Suckers & Lollipops", "#3,897 in Suckers & Lollipops": ""}, "brand": "Brand: YummyEarth", "brand_url": "https://www.amazon.com/YummyEarth/b/ref=bl_dp_s_web_2604094011?ie=UTF8&node=2604094011&field-lbr_brands_browse-bin=YummyEarth", "full_description": "Yummy Earth Lollipop Counter Bin ( 1x150 CT)", "pricing": "$38.80", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/51EQET8BQVL.jpg", "https://m.media-amazon.com/images/I/51JI9sdR3RL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Candy & Chocolate \u203a Suckers & Lollipops", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3AFTPXK3AVV55", "seller_name": "Naturals N' More", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00DGDBYQC", "category": "grocery", "query": "Sour Creams", "page": 276, "small_description_old": ""}, {"name": "Blue by Betsey Johnson Women's SB Ever Ballet Flat", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 5 x 5 x 0.7 inches; 10.4 Ounces", "Item model number\n \u200f": "\u200e\n Sb-ever", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n June 4, 2014", "Manufacturer\n \u200f": "\u200e\n Blue by Betsey Johnson", "ASIN\n \u200f": "\u200e\n B00I3O38MW", "Best Sellers Rank": "#3,254,790 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#8,721 in Women's Flats", "#8,721 in Women's Flats": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Blue by Betsey Johnson", "brand_url": "https://www.amazon.com/Blue-by-Betsey-Johnson/b/ref=bl_sl_s_sh_web_20271827011?ie=UTF8&node=20271827011&field-lbr_brands_browse-bin=Blue+by+Betsey+Johnson", "full_description": "Easy slip-on wear. sleek satin upper with glittering bow at vamp. man-made lining. lightly cushioned man-made footbed. signature blue sole. imported. New York designer Betsey Johnson has built her long-standing career in fashion by following her own set of rules. Known for her celebration of the exuberant, the embelished, and the over the top, Betsey has been rocking the fashion industry with her unique and original designs since the 1960's. Betsey Johnson, both the woman and the label, is constantly moving forward and continues to keep a strong foothold in the fashion industry with no signs of letting up anytime soon. Her love of detail and design is evident in everything she does in life and in business. Her enthusiasm, creativity and boundless talent that have kept her at the forefront of fashion for the past 40 years will keep Betsey going for years to come.", "pricing": "$89.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41tEL4GOSDL.jpg", "https://m.media-amazon.com/images/I/51rCZspv2tL.jpg", "https://m.media-amazon.com/images/I/41U1GRg0xUL.jpg", "https://m.media-amazon.com/images/I/31IGMDpDwSL.jpg", "https://m.media-amazon.com/images/I/316mbFWubLL.jpg", "https://m.media-amazon.com/images/I/31LYHCfrxYL.jpg", "https://m.media-amazon.com/images/I/41etTLF-QxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Flats", "average_rating": 3.7, "small_description": ["100% Satin ", "Imported ", "synthetic sole ", "Ballet flat featuring large jewel-encrusted bow at round toe "], "total_reviews": 159, "total_answered_questions": 3, "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "5.5", "asin": "B00I3O38MW"}, {"is_selected": false, "is_available": true, "value": "6", "asin": "B00I3O39FS"}, {"is_selected": false, "is_available": true, "value": "6.5", "asin": "B00I3O3A8O"}, {"is_selected": false, "is_available": true, "value": "7", "asin": "B00I3O3B56"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B00I3O3BSS"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B00I3O3CJ6"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B00I3O3DB8"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B00I3O3EDK"}, {"is_selected": false, "is_available": true, "value": "9.5", "asin": "B00I3O3GMO"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B00I3O3HEQ"}, {"is_selected": false, "is_available": true, "value": "11", "asin": "B00I3O3I2W"}], "Color": [{"is_selected": true, "url": null, "value": "Silver Metallic", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41tEL4GOSDL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0168AD25U/ref=twister_B00K7GEB34", "value": "Black Satin", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/313dGIbe0qL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00I3ODSXG/ref=twister_B00K7GEB34", "value": "Ivory Satin", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31Fcm7IIMCL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00I3O3BSS", "category": "fashion", "query": "Women's Flats", "page": 57, "small_description_old": "100% Satin Imported synthetic sole Ballet flat featuring large jewel-encrusted bow at round toe"}, {"name": "LOT XI - Good Vibes Sugar Scrub - Rosemary & Jasmine - All Natural Organic Handcrafted Sugar Scrub for Reduced Redness, Cellular Hydration, and Gently Exfoliating Cleansing (8 oz)", "product_information": {"UPC\n \u200f": "\u200e\n 689481761930", "Manufacturer\n \u200f": "\u200e\n LOT XI", "ASIN\n \u200f": "\u200e\n B095TRCDXW", "Best Sellers Rank": "#729,189 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#2,865 in Body Scrubs #3,422 in Body Scrubs & Treatments", "#2,865 in Body Scrubs": "", "#3,422 in Body Scrubs & Treatments": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: LOT XI", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=LOT+XI", "full_description": "Rosemary x Jasmine (8 oz.) Our organic sugar scrubs will have your skin exfoliated and feeling refreshed.", "pricing": "$34.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41BFAJ8Rx7S.jpg", "https://m.media-amazon.com/images/I/41QzAzilLtS.jpg", "https://m.media-amazon.com/images/I/516kSDC5rfS.jpg", "https://m.media-amazon.com/images/I/518+8wpT5TS.jpg", "https://m.media-amazon.com/images/I/51pafFW-QeS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Body \u203a Body Scrubs", "average_rating": 5, "small_description": ["HANDCRAFTED ORGANIC SUGAR SCRUB - Harness the power of all natural, organic ingredients! We create our sugar scrubs by hand and craft them using only the freshest ingredients to ensure your skin cells feel healthy and hydrated without the use of any irritants or harsh chemicals. ", "HERBAL ROSEMARY and JASMINE SCENT - Spice things up! Invigorate your senses with the vibrant combination of herbal Rosemary essential oil and botanical Jasmine essential oil for an enticing boquet of floral notes that are as bright and fresh as a spring sunrise. ", "SHARING IS SWEET - What could be sweeter than sugar Sharing LOT XI's organic sugar scrubs with your friends and family of course! Your loved ones will absolutely adore receiving one of our handcrafted sugar scrubs on any occassion, effortlessly upgrading their skin care routine with ease. ", "COMMUNITY-CONSCIOUS URBAN APOTHECARY - Sew the seeds of positive change! LOT XI prides itself on giving back to the communities we benefit from and empowering our artisans to acheive more. We reinvest a portion of profits in Compton and Inglewood based organizations and community causes in an effort to improve the livlihood of not only our products makers, but their friends and families within their community as well. Visit our website's community page for more details! ", "100 percent SATISFACTION - Buy with confidence! We are here to answer any questions you may have, and work hard to ensure your experience with LOT XI exceeds your expectations from start to finish. If at any point in you experience dissatisfaction with your order, please contact us directly so that we can find a satisfactory resolution that is tailored to your specific issue, be it a refund, return, or replacement item. Sharing happiness and improving lives is our top priority! ", "Scent name: Rosemary,Jasmine "], "total_reviews": 3, "total_answered_questions": "", "customization_options": "", "seller_id": "A3UYWRWDTCCWFK", "seller_name": "LOT XI Shop", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B095TRCDXW", "category": "beauty", "query": "Scrubs & Body Treatments", "page": 45, "small_description_old": "About this item HANDCRAFTED ORGANIC SUGAR SCRUB - Harness the power of all natural, organic ingredients! We create our sugar scrubs by hand and craft them using only the freshest ingredients to ensure your skin cells feel healthy and hydrated without the use of any irritants or harsh chemicals. HERBAL ROSEMARY and JASMINE SCENT - Spice things up! Invigorate your senses with the vibrant combination of herbal Rosemary essential oil and botanical Jasmine essential oil for an enticing boquet of floral notes that are as bright and fresh as a spring sunrise. SHARING IS SWEET - What could be sweeter than sugar Sharing LOT XI's organic sugar scrubs with your friends and family of course! Your loved ones will absolutely adore receiving one of our handcrafted sugar scrubs on any occassion, effortlessly upgrading their skin care routine with ease. COMMUNITY-CONSCIOUS URBAN APOTHECARY - Sew the seeds of positive change! LOT XI prides itself on giving back to the communities we benefit from and empowering our artisans to acheive more. We reinvest a portion of profits in Compton and Inglewood based organizations and community causes in an effort to improve the livlihood of not only our products makers, but their friends and families within their community as well. Visit our website's community page for more details! 100 percent SATISFACTION - Buy with confidence! We are here to answer any questions you may have, and work hard to ensure your experience with LOT XI exceeds your expectations from start to finish. If at any point in you experience dissatisfaction with your order, please contact us directly so that we can find a satisfactory resolution that is tailored to your specific issue, be it a refund, return, or replacement item. Sharing happiness and improving lives is our top priority! Scent name: Rosemary,Jasmine"}, {"name": "Tribesigns Kitchen Bakers Rack with Hutch, 5-Tier Kitchen Utility Storage Shelf with Drawer and 8 S-Hooks, Microwave Oven Stand Rack Floor Standing Spice Rack Organizer Workstation (White)", "product_information": {"Product Dimensions": "31.5 x 15.74 x 62.99 inches", "Manufacturer": "Tribesigns", "ASIN": "B099Z6YWL1", "Customer Reviews": {"ratings_count": 59, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#303,465 in Home & Kitchen (See Top 100 in Home & Kitchen) #115 in Standing Baker's Racks"], "Date First Available": "July 21, 2021"}, "brand": "Visit the Tribesigns Store", "brand_url": "https://www.amazon.com/stores/Tribesigns/page/89863E9F-B80B-4A3A-9B90-E7AB9DEE24F5?ref_=ast_bln", "full_description": "", "pricing": "$188.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51m4qjGHASL.jpg", "https://m.media-amazon.com/images/I/51ad8OKRYuL.jpg", "https://m.media-amazon.com/images/I/51fpPOgZibL.jpg", "https://m.media-amazon.com/images/I/51jnVjcb+oL.jpg", "https://m.media-amazon.com/images/I/51kea8rWNdL.jpg", "https://m.media-amazon.com/images/I/511mj11HS6L.jpg", "https://m.media-amazon.com/images/I/41ivAJfWP3L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Kitchen Furniture \u203a Baker's Racks \u203a Standing Baker's Racks", "average_rating": 4.4, "small_description": ["BOTH DRAWER AND SHELF - This baker's rack merges display and storage into one unit\u2014A big drawer for out-of-sight storage to meet your various needs. 5 open shelves for a microwave, toaster, coffee machine, jars of spices, and canisters of dry goods, etc; 8 extra S-shaped hooks are perfect for hanging kitchen towels and cooking spoons. ", "BUILT TO LAST - Measures 62.99'' H x 31.5'' W x 15.74'' D. The utility storage shelf is crafted from thick chipboard and reinforced by a strong metal frame, this 5-tier microwave oven stands for the kitchen features superior solidity and stability to last for years. The vertical structures don\u2019t take up space and add more storage space. ", "VISUAL CHARISMA - Classic clean design and modern white finish with this tall shelf with storage. It has melding industrial beauty and urban styles together, it can serve as an accent piece and add depth to your living area. Give your kitchen a refresh that\u2019s as charming as it is practical. ", "NOT ONLY A KITCHEN BAKER RACK - This kitchen storage rack with shelves is not only for cooling down pies and cakes, but also an excellent storage rack for fruits, canned goods besides the dining table; also as an elegant bookcase, microwave stand, spice rack organizer, entryway storage shelf, bathroom cabinet, wine board, etc. ", "WORRY-FREE ASSEMBLY - You don\u2019t need to be an expert on the assembly of this kitchen shelf, as it comes with numbered parts and step-by-step instructions to make it easy-peasy. Pls contact us for any damage or replacement. Tribesigns provide 18 months warranty and friendly customer service "], "total_reviews": 59, "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "A2R6OH3H4V44VA", "seller_name": "KLY Home", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B099Z6YWL1", "category": "garden", "query": "Baker's Racks", "page": 3, "small_description_old": "About this item\n \nBOTH DRAWER AND SHELF - This baker's rack merges display and storage into one unit\u2014A big drawer for out-of-sight storage to meet your various needs. 5 open shelves for a microwave, toaster, coffee machine, jars of spices, and canisters of dry goods, etc; 8 extra S-shaped hooks are perfect for hanging kitchen towels and cooking spoons. BUILT TO LAST - Measures 62.99'' H x 31.5'' W x 15.74'' D. The utility storage shelf is crafted from thick chipboard and reinforced by a strong metal frame, this 5-tier microwave oven stands for the kitchen features superior solidity and stability to last for years. The vertical structures don\u2019t take up space and add more storage space. VISUAL CHARISMA - Classic clean design and modern white finish with this tall shelf with storage. It has melding industrial beauty and urban styles together, it can serve as an accent piece and add depth to your living area. Give your kitchen a refresh that\u2019s as charming as it is practical. NOT ONLY A KITCHEN BAKER RACK - This kitchen storage rack with shelves is not only for cooling down pies and cakes, but also an excellent storage rack for fruits, canned goods besides the dining table; also as an elegant bookcase, microwave stand, spice rack organizer, entryway storage shelf, bathroom cabinet, wine board, etc. WORRY-FREE ASSEMBLY - You don\u2019t need to be an expert on the assembly of this kitchen shelf, as it comes with numbered parts and step-by-step instructions to make it easy-peasy. Pls contact us for any damage or replacement. Tribesigns provide 18 months warranty and friendly customer service"}, {"name": "Set of 12 Sparkle Gold or Silver Tinsel Cupcake Toppers, Valentine's Day, New Year Party Decorations, Wedding Decorations", "product_information": {"ASIN": "B09PNJC838", "Manufacturer recommended age": "24 months and up", "Manufacturer": "BelowBlink"}, "brand": "Brand: Planter", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Planter", "full_description": "", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51LKa0B1w0L.jpg", "https://m.media-amazon.com/images/I/41PxuFcavQL.jpg", "https://m.media-amazon.com/images/I/41ZwQvFcKsL.jpg", "https://m.media-amazon.com/images/I/51vbv7ilMDL.jpg", "https://m.media-amazon.com/images/I/51ErFPqTHxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Cooking & Baking \u203a Frosting, Icing & Decorations \u203a Cupcake Toppers", "average_rating": "", "small_description": ["Materials: Tinsel, Toothpicks ", "Great for weddings, baby shower, parties, holiday decorations or any other event that you are celebrating. ", "Set of 12 cupcake toppers. Size: 3\" tall "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PNJC838", "category": "grocery", "query": "Toothpicks", "page": 172, "small_description_old": "Materials: Tinsel, Toothpicks Great for weddings, baby shower, parties, holiday decorations or any other event that you are celebrating. Set of 12 cupcake toppers. Size: 3\" tall"}, {"name": "M&M's Peanut Butter Chocolate Fun Size Packs American Candy In A Variety Of Fun Colors Bulk Party Mix Packaged In Resealable Wholesale Pantry Bag 2 Lbs. (32 Oz)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 13.78 x 8.82 x 4.21 inches; 2 Pounds", "UPC\n \u200f": "\u200e\n 808887106552", "ASIN\n \u200f": "\u200e\n B09RLQR5NP", "": ""}, "brand": "Visit the Assortit Store", "brand_url": "https://www.amazon.com/stores/Assortit/page/03D06D3E-296E-4411-9129-8C26C51214F1?ref_=ast_bln", "full_description": "Whether You're A Student Teen Man Woman Girl Mom Kid Toddler Adult Boss Teacher Military Troops Or Soldiers Our Assorted Mm Penut Btter Choclates Seasonal Kits Are Best! Finest Peaunt Buttter Chocoloate Perfect Pretty Fun Colorful Nmn With Assortit Fresh Peanit Buttr Crunch Fancy Deluxe Crispie Chocolates Care Packages. M&m Snack For Fundraiser Childs Cake Baby Surprise Vending Machine Baking Special Caramels Gifting Goodies For Small Office Basket Xmas Thanksgiving Valentines Birthdays Advent Calendar Sampler Classroom Dorm Diabetes Celebrate Wedding Baskets Hanukkah Valentine Cards Pantry Pinata Good Advent Treats. Biggest Cane Sugar Free Kissables Hot In Sugarfree Simply Bagged Giftbaskets Shaped Diet Gifts. Can Include Semi Sweet Sugar Gourmet Flavors Better Variety Like Crispy Peaunut Mmm King Cups Honey Kiss Drops Red Cherries Swiss Crunchy Apple Crisps Salted Coconut Coffee Bars Sea Salt Bittersweet Cholate Cashew Almond Cinnamon Butterfinger Spice Signature Strawberry Nutty Pretzle Truffle Cherry Penute Caramel Chewy Peatur Creme Puffed Nutter Penaut Brownies Carmel Cordials Smores Pretzel Chacolate Bunny Rabbit Peanutt Cream Bite Bells Dairy Milk Biggest Marshmallow Caramelo Almond Peanutbutter Toffee Carmels Belgian Chocalate Square Candybars Miniature Twix Pieces Blueberry Jelly Minis Pure Vanilla Bean Peppermint Raspberry Almond Brown Buter Brittle Milky Crackle Minature M+m Cup Mint Choclate Butter Cacao Gingerbread Nougat Crispper Heart Miniatures Mix Fruit Chews Choco Nut Pumpkin Shape Patties Pecan Patty Half Dark Air Rice Mm's Truffles Chocoalte Hearts Flavored Little Peenut Chocolet Tree Organic Grocery Cheap Food Prime Giant Plenty Penutt Bulter Bundle. Single Mms Milk Crisp Funsize Coco Cocolate Collection Mega Favorites Jumbo Box Filled Size Pack Large Pouch Sized Boxes Solid Quality Brand. Delight Bliss Kisses European Classics Big Giant Cocoa Mnms Sticks Made Amazon Gift Case Cookie Jar Kit Individual Bulk Count Pound Whole Fall Holiday Sale!", "pricing": "$29.99", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51BT0AZa4lL.jpg", "https://m.media-amazon.com/images/I/41czbDqVxLL.jpg", "https://m.media-amazon.com/images/I/514cp+I6rwL.jpg", "https://m.media-amazon.com/images/I/41aZC0GgW0L.jpg", "https://m.media-amazon.com/images/I/51zEZwYseaL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Chocolate \u203a Candy & Chocolate Assortments", "average_rating": "", "small_description": ["2 Full Pounds Of Peanut Butter M&M's Chocolate Coated Mini Candy Dipped Bites In Fun Sized Packs ", "This Colored Funsize Candy Assortment Is The Perfect Size To Take On The Go Or Pack As A Snack ", "Our New Original Assorted Snack Packs Are Conveniently Packed In Fun Size Portions and Shipped In A Resealable Pantry Bag ", "Bulk Fun Size Assortment Great For, Event And Party Favors, Birthday, Pi\u00f1ata Filler, Vending Machine, Kids Easter Egg Hunt, Parades Or Refill For Nearly Any Event! ", "Perfect For Christmas Stocking Stuffer, Children's Halloween Trick Or Treating Goodie Bags, Workplace Office Party Or School Snack For College Students. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AFRLD2PMX3F2I", "seller_name": "Prime Deals Group", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09RLQR5NP", "category": "grocery", "query": "Party Mix", "page": 24, "small_description_old": "About this item 2 Full Pounds Of Peanut Butter M&M's Chocolate Coated Mini Candy Dipped Bites In Fun Sized Packs This Colored Funsize Candy Assortment Is The Perfect Size To Take On The Go Or Pack As A Snack Our New Original Assorted Snack Packs Are Conveniently Packed In Fun Size Portions and Shipped In A Resealable Pantry Bag Bulk Fun Size Assortment Great For, Event And Party Favors, Birthday, Pi\u00f1ata Filler, Vending Machine, Kids Easter Egg Hunt, Parades Or Refill For Nearly Any Event! Perfect For Christmas Stocking Stuffer, Children's Halloween Trick Or Treating Goodie Bags, Workplace Office Party Or School Snack For College Students."}, {"name": "Patio Furniture Set of 3 Rocking Bistro Set Wicker Patio Furniture Sets Rattan Chair with Glass Coffee Table for Porch Yard Backyard or Bistro", "product_information": {"Item Weight": "\u200e47 pounds", "Product Dimensions": "\u200e27 x 25 x 28 inches", "Item model number": "\u200ePatio Furniture Set of 3", "Weight": "\u200e47 Pounds", "ASIN": "B09N8SLFRJ", "Best Sellers Rank": ["#1,003,448 in Patio, Lawn & Garden (See Top 100 in Patio, Lawn & Garden) #1,553 in Patio Bistro Sets"], "Date First Available": "December 8, 2021"}, "brand": "Brand: PayLessHere", "brand_url": "https://www.amazon.com/PayLessHere/b/ref=bl_dp_s_web_18768173011?ie=UTF8&node=18768173011&field-lbr_brands_browse-bin=PayLessHere", "full_description": "Features:Hand-woven rattan are strong and durable. The thickened steel frame ensures safety and stability. Thickened cushions provide more soft and comfort. Moveable and washable cushion cover for easy cleaning. Tempered glass table for long time outdoor using. Ship in one mail boxSpecifications:Frame: Steel Rattan Material: PE Rattan Color: Black Cushion Cover Color: Khaki Chair Dimensions: 27 inch(L) x 25 inch(W) x 28 inch(H) Table Dimensions:18 inch(L) x 18 inch(W) x 19 inch(H) Weight Capacity: 200 lbsProduct Instructions:When you try to install the furniture, try to line the hole together in all side, do not over tight one hole, then try to tight it slowly in each side. Manual measurement has been used, there may be some reasonable error. Please confirm the product size before purchasing, to make sure the size of our product is in line with your requirements. Our digital images are as accurate as possible, however, photo taking condition and different monitors may cause image color to vary slightly, and it is normal.", "pricing": "$149.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31QgDFmuNsL.jpg", "https://m.media-amazon.com/images/I/413czsWokwL.jpg", "https://m.media-amazon.com/images/I/41N7nQXHTsL.jpg", "https://m.media-amazon.com/images/I/41uCppnU2SL.jpg", "https://m.media-amazon.com/images/I/418PT4JxT2L.jpg", "https://m.media-amazon.com/images/I/51lvLuAx9zL.jpg", "https://m.media-amazon.com/images/I/B1lJ3EsWfTS.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Patio, Lawn & Garden \u203a Patio Furniture & Accessories \u203a Patio Furniture Sets \u203a Bistro Sets", "average_rating": "", "small_description": ["Swing Design: The outdoor 3-piece set of chairs adds a swing function, allowing yourself to swing to a relaxed state. ", "Widely Used: Patio furniture set of 3, including 2 rocking chairs and 1 tempered glass coffee table. This patio furniture set is designed to make better use of the porch, outdoor courtyard, garden and backyard space. Swing function design to create a beautiful and comfortable outdoor space for you and your guests.It is widely used in outdoor terraces, gardens, lawns, balconies and swimming pools. ", "Rugged and Durable: The rocking bistro set is made of powder-coated steel frame, and high-quality hand-woven weather-resistant wicker will not fade. It has weather resistance and UV resistance. Looks great in any environment. ", "Upgraded Comfort: wide and deep seats, with soft cushions, let you forget fatigue and enjoy leisure time. ", "Reminders and Suggestions: This patio furniture sets comes with all the hardware and necessary tools. Follow the instructions and you can assemble the patio sofa set easily and quickly. Note: When you try to install the patio furniture set, please try to align the holes on all sides, do not overtighten one hole, and then try to tighten it slowly on each side. If you are not using a chair, please keep the cushion indoors, because prolonged exposure to the sun or rain will damage the cushion. "], "total_reviews": "", "total_answered_questions": "", "model": "\u200ePatio Furniture Set of 3", "customization_options": "", "seller_id": "A3MXV3BRX5P67N", "seller_name": "Cavalier Store", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B09N8SLFRJ", "category": "garden", "query": "Coffee Tables", "page": 388, "small_description_old": "About this item Swing Design: The outdoor 3-piece set of chairs adds a swing function, allowing yourself to swing to a relaxed state. Widely Used: Patio furniture set of 3, including 2 rocking chairs and 1 tempered glass coffee table. This patio furniture set is designed to make better use of the porch, outdoor courtyard, garden and backyard space. Swing function design to create a beautiful and comfortable outdoor space for you and your guests.It is widely used in outdoor terraces, gardens, lawns, balconies and swimming pools. Rugged and Durable: The rocking bistro set is made of powder-coated steel frame, and high-quality hand-woven weather-resistant wicker will not fade. It has weather resistance and UV resistance. Looks great in any environment. Upgraded Comfort: wide and deep seats, with soft cushions, let you forget fatigue and enjoy leisure time. Reminders and Suggestions: This patio furniture sets comes with all the hardware and necessary tools. Follow the instructions and you can assemble the patio sofa set easily and quickly. Note: When you try to install the patio furniture set, please try to align the holes on all sides, do not overtighten one hole, and then try to tighten it slowly on each side. If you are not using a chair, please keep the cushion indoors, because prolonged exposure to the sun or rain will damage the cushion. \n \u203a See more product details"}, {"name": "3D No Glue Window Privacy Film Static Window Clings Decorative Window Privacy Film Window Film Privacy Static Window Retro Tribal Folk Pattern W23.6 x H78.7 Inch", "product_information": {"Manufacturer": "LANQiAO", "ASIN": "B095Z2SDB9", "Date First Available": "May 30, 2021"}, "brand": "Brand: LANQiAO", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=LANQiAO", "full_description": "Package Included:1 x Frosted Window Sticker Glass FilmColor: As Picture ShowsPasting Way: Electrostatic adsorptionThickness: 0.3 mm\u00a0Features:Easily applied to the interior of the glass without adhesives and it is easy to tear offIt provides UV protection and allows light through at the same timeIdeal for smooth glass surfaces in the bathroom, kitchen, bathroom, bedroom, living room, office, etc.Not suitable for dirty or rough surface", "pricing": "$38.80", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/51xkVg9tmaS.jpg", "https://m.media-amazon.com/images/I/51wzmYOguMS.jpg", "https://m.media-amazon.com/images/I/61tn4wFO6eS.jpg", "https://m.media-amazon.com/images/I/61AVAdBuGeS.jpg", "https://m.media-amazon.com/images/I/51y-A1SboaS.jpg", "https://m.media-amazon.com/images/I/51w5gPagK8S.jpg", "https://m.media-amazon.com/images/I/51bFpm8gxUS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Window Treatments \u203a Window Stickers & Films \u203a Window Films", "average_rating": "", "small_description": ["STAINED GLASS FILM FOR GLASS DOORS SIZE: L 23.6 x H 78.7 Inch (60cmx200cm) ", "Privacy Glass Window Films: Instantly increases the privacy of your shower door and any window in the home, at the office. ", "Anti UV Heat Control Privacy Kitchen Curtains: block up to 95% of UV rays. ", "Adhesive-free, No Glue Window Films: Our window and door glass film contains no glue and no adhesive, helping to reduce chemical release in nature. ", "\u2605EASY INSTALL: Easily install yourself in minutes. Just cut to size and apply using soapy water and squeegee. Static Cling Window Films remove easily and cleanly when it is time to redecorate and can be used on any smooth, non-porous glass surface.Please note that before installation, please tear off the protective film on the smooth side, otherwise it will not stick firmly "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B095YZ6D5H/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "L17.7\" x H 23.6\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095Z2JQMP/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "L23.6\" x H 35.4\"", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "L23.6\" x H 78.7\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095Z1TDYS/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "L35.4\" x H 78.7\"", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B095Z2G3Y2/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "Multi-03136", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51yO2adi9oS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095Z1SQ9P/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "Multi-03137", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61Ug74gcWHS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095YZVCY7/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "Multi-03138", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/616gqFC-M2S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095YZH38F/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "Multi-03139", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61N9jbWsN3S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095YYW8R1/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "Multi-03140", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51PCDdEisZS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095Z31DMG/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "Multi-03141", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51BlQqbRlIS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095Z19R34/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "Multi-03142", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/510Z5C-mIeS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095Z2D1HD/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "Multi-03143", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61yS0bm5zVS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095YZZJV5/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "Multi-03144", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51xxQtau4AS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095Z1RYPF/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "Multi-03145", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51497GDRKVS.jpg"}, {"is_selected": true, "url": null, "value": "Multi-03146", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61AVAdBuGeS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095YZX6F6/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "Multi-03147", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61V5P3DXZRS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095YZQJQY/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "Multi-03148", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61IJY2LXu7S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095Z2TTRB/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "Multi-03149", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61lEltTuEdS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095YZ3KFG/ref=twister_B0966YN5PH?_encoding=UTF8&psc=1", "value": "Multi-03150", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61WfNsDpIGS.jpg"}]}, "seller_id": "A3Q35P0C8KJ5S0", "seller_name": "Crazy&Kate", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B095Z2SDB9", "category": "garden", "query": "Window Coverings", "page": 333, "small_description_old": "About this item\n \nSTAINED GLASS FILM FOR GLASS DOORS SIZE: L 23.6 x H 78.7 Inch (60cmx200cm) Privacy Glass Window Films: Instantly increases the privacy of your shower door and any window in the home, at the office. Anti UV Heat Control Privacy Kitchen Curtains: block up to 95% of UV rays. Adhesive-free, No Glue Window Films: Our window and door glass film contains no glue and no adhesive, helping to reduce chemical release in nature. \u2605EASY INSTALL: Easily install yourself in minutes. Just cut to size and apply using soapy water and squeegee. Static Cling Window Films remove easily and cleanly when it is time to redecorate and can be used on any smooth, non-porous glass surface.Please note that before installation, please tear off the protective film on the smooth side, otherwise it will not stick firmly"}, {"name": "PUMA V1.08 Tricks Top Trainer Mens Soccer Sneakers/Boots-Grey-5.5", "product_information": {"Item model number\n \u200f": "\u200e\n 10164701", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n February 19, 2021", "Manufacturer\n \u200f": "\u200e\n Puma", "ASIN\n \u200f": "\u200e\n B01LXTLLVG", "Best Sellers Rank": "#1,671,725 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,011 in Men's Soccer Shoes", "#1,011 in Men's Soccer Shoes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the PUMA Store", "brand_url": "https://www.amazon.com/stores/PUMA/page/00F6067E-333B-41A4-AC3D-7B2FA69EA1AB?ref_=ast_bln", "full_description": "Puma V1.08 Tricks Top Trainer Mens Football Trainers / Boots - Ideal for synthetic grass surfaces, most commonly Astro Turf. Designed for enhanced traction, cushioning and comfort. Usually a solid, soft rubber outsole with multi 'stud' or lug configuration.", "pricing": "$55.50", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41mFGiRmT7L.jpg", "https://m.media-amazon.com/images/I/51uyi3eSArL.jpg", "https://m.media-amazon.com/images/I/41bCRlk-KOL.jpg", "https://m.media-amazon.com/images/I/41BKPLEph6L.jpg", "https://m.media-amazon.com/images/I/51ZTMC3Fm6L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Athletic \u203a Team Sports \u203a Soccer", "average_rating": 5, "small_description": ["Suitable for Astro Turf ", "Suitable for 3G and 4G ", "Soccer shoes ", "Money back satisfaction guarantee "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A1NM52M1A4QVKG", "seller_name": "Galaxy Sports", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01LXTLLVG", "category": "fashion", "query": "Men's Fashion Sneakers", "page": 59, "small_description_old": "100% Synthetic Rubber sole Suitable for Astro Turf Suitable for 3G and 4G Soccer shoes Money back satisfaction guarantee"}, {"name": "External Hard Drive 1TB 2TB High Speed USB 3.1 Portable Hard Drive External HDD Portable External Hard Drive for Mac, PC, Laptop(2TB Red)", "product_information": {"Hard Drive": "\u200e2 TB Portable", "Hardware Platform": "\u200ePC, Mac", "Item Weight": "\u200e1.97 ounces", "Package Dimensions": "\u200e5.67 x 3.82 x 0.55 inches", "Color": "\u200eRed-A", "Flash Memory Size": "\u200e2 TB", "Hard Drive Interface": "\u200eUSB 1.1", "Manufacturer": "\u200eHanvioDIR", "ASIN": "\u200eB09NFG3XXY", "Date First Available": "\u200eDecember 11, 2021", "Best Sellers Rank": ["#2,119 in External Hard Drives"]}, "brand": "Brand: HanvioDIR", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=HanvioDIR", "full_description": "External Hard Drive 1TB 2TB High Speed USB 3.1 Portable Hard Drive External HDD Portable External Hard Drive for Mac, PC, Laptop Type: External hard drive Material: Aluminum Alloy, Matte, Chip Capability Available: 1TB 2TB USB 3.0 and 2.0 ultra-high-speed USB connection, can transfer data at 5Gbit/s speed, which is about 10 times faster than the standard USB 2.0 Colors Available: Black, Red, Blue, Silver, Golden Plug and play function, instant connection when plugging into PC. Advanced Type-C port allows blind insertion on both sides. Ultra slim pocket-sized body for easy transport. Large capability to back up massive amounts of data with ease. Improved metal shell with matte surface for unique touch and comfy hand feel. Auto sleep function to prevent body heat and cut consumption. More safety and more durability, a trustable guard for your important data. What\u2019s Included: 1x Aluminum Alloy Portable External Hard Drive 1x 1 x USB Type-C", "pricing": "$33.10", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/31q8-pkPRpL.jpg", "https://m.media-amazon.com/images/I/518ysHubV6L.jpg", "https://m.media-amazon.com/images/I/41P6UxviKVL.jpg", "https://m.media-amazon.com/images/I/51OaNe+j9CL.jpg", "https://m.media-amazon.com/images/I/41Fd-5vUEBL.jpg", "https://m.media-amazon.com/images/I/41-PcNaHRDL.jpg", "https://m.media-amazon.com/images/I/51XK2VjzpLL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Data Storage \u203a External Hard Drives", "average_rating": "", "small_description": ["\u3010Plug and Play\u3011--This hard drive external is ready to go without software to install, just plug it in and go. ", "\u3010High Speed Type-C/USB3.1 External Hard Drive\u3011With super high transmission. 5 times as fast as usual hard drive when reading and more than 1 time faster when writing, sure to boost your work efficiency largely! ", "\u3010Sturdy & Durable\u3011Ultra slim external hard drive protected by sturdy and durable case, which is lightweight and handy, comfortably fits your palm or slip into pocket. ", "\u3010Superior Compatibility\u3011Its strong compatibility makes it workable with 99% of PC systems,including Microsoft Windows 10/ Windows 8.1/ Windows 8/ Windows 7/Android and more! ", "\u3010What You Get\u3011 1 x Portable Hard Drive,1 x USB3.1 Cable, 3 Years Warranty. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2VSRI065ZEX3Q", "seller_name": "MGBCIS CO.,LT", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09NFG3XXY", "category": "electronics", "query": "Mac", "page": 231, "small_description_old": "About this item\n \n\u3010Plug and Play\u3011--This hard drive external is ready to go without software to install, just plug it in and go. \u3010High Speed Type-C/USB3.1 External Hard Drive\u3011With super high transmission. 5 times as fast as usual hard drive when reading and more than 1 time faster when writing, sure to boost your work efficiency largely! \u3010Sturdy & Durable\u3011Ultra slim external hard drive protected by sturdy and durable case, which is lightweight and handy, comfortably fits your palm or slip into pocket. \u3010Superior Compatibility\u3011Its strong compatibility makes it workable with 99% of PC systems,including Microsoft Windows 10/ Windows 8.1/ Windows 8/ Windows 7/Android and more! \u3010What You Get\u3011 1 x Portable Hard Drive,1 x USB3.1 Cable, 3 Years Warranty."}, {"name": "MagMod MagBox PRO 24\" Octa Softbox with Integrated Gel Slot and Storage Pocket for Fabric Diffuser - Compatible with Speedlight Flashes and Strobes", "product_information": {"Product Dimensions": "10.25 x 10.25 x 19.75 inches", "Item Weight": "3 pounds", "ASIN": "B09HMN26HY", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#849 in Lighting Soft Boxes"], "Date First Available": "October 1, 2021", "Manufacturer": "MagMod"}, "brand": "Visit the MagMod Store", "brand_url": "https://www.amazon.com/stores/MagMod/page/F4EA2D90-F4D7-4298-B80B-1773C0AEE9EE?ref_=ast_bln", "full_description": "MagMod MagBox PRO 24\" Octa SoftboxMagMod is all about making awesome photography easy for busy photographers and budding shutterbugs. The MagBox PRO 24\" Octa Softbox offers time-saving features that make setting up camera lighting a breeze. It features an integrated slot for MagBox Gels and a built-in storage pocket for the zip-on diffusion panel. You can easily and quickly set up or dismantle the MagBox PRO system in seconds. MagBox PRO's zip-on diffuser takes away the frustration photographers usually have with Velcro-type diffusion panels. No more second-guessing where to place the diffuser outsider of the softbox. Plus, you can quickly switch from the Fabric Diffuser to the FocusDiffuser or the Magnetic Grid. Use the softbox's side zipper to insert a polycarbonate MagBox Gel for instant color correction. The MagBox PRO's base features strong neodymium magnets that quickly attach to the MagRing or MagBox Speedring Adapter. It is designed to work with speed lights and strobes. MagMod re-engineered this 24-inch MagBox with a durable yet lightweight ripstop fabric shell. You can use it indoors, outdoors, commercial shoots, or large-scale wedding events.", "pricing": "$192.95", "list_price": "", "availability_quantity": 15, "availability_status": "Only 15 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41b6WQGMamL.jpg", "https://m.media-amazon.com/images/I/41w-HAzCXZL.jpg", "https://m.media-amazon.com/images/I/51UxYYfMQDL.jpg", "https://m.media-amazon.com/images/I/51u5qKqMuaL.jpg", "https://m.media-amazon.com/images/I/419RMZxmVFL.jpg", "https://m.media-amazon.com/images/I/41VFtpoLWSL.jpg", "https://m.media-amazon.com/images/I/51jZTvt1QWL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Lighting & Studio \u203a Lighting \u203a Lighting Controls & Modifiers \u203a Soft Boxes", "average_rating": 5, "small_description": ["OFFERS HASSLE-FREE SETUP AND TEAR DOWN - The one-piece MagMod MagBox PRO 24\" Octa Softbox features durable support rods that easily fold and spread and a magnetic base that attaches easily to a MagRing. It comes with a super-fast zip-on diffuser that's stored inside the integrated storage pocket. No need for small screws or tacky tapes when using a softbox. ", "DELIVERS POWERFUL YET SOFT LIGHT - The silver reflective interior and open obstruction-free center design emit brilliant light output and minimal to zero light loss. Use the built-in zip-on Fabric Diffuser to produce a wide area of soft light. ", "PUT LIGHT WHERE YOU WANT IT - The MagBox PRO 24\" Octa works attaches quickly into the FocusDiffuser* or the MagBox PRO Grid* thanks to the powerful magnets embedded on the ends. You can change the angle of the light from the Octa into a 40\u00b0 beam angle with these MagBox modifiers. ", "COLOR-CORRECT YOUR PHOTO - Slip one or two MagBox Gels* in the integrated gel slot to balance out your flash color or add a dynamic color effect. You can also swap gels during a shoot by simply using the side zipper. You don't need to take down the diffusion panel. ", "COMPATIBILITY - Thanks to MagBox PRO's unique bottom design, you can use two Speedlight flashes simultaneously. You can even attach Octa into a monolight strobe**. MagBox is compatible with Canon, Nikon, Sony, Bowens, Elinchrom, Profoto, and Paul Buff. (**Dedicated adapters for strobes are not included.) "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A34JWT04R7KMFW", "seller_name": "Quantum Networks", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09HMN26HY", "category": "electronics", "query": "Flashes", "page": 189, "small_description_old": "About this item\n \nOFFERS HASSLE-FREE SETUP AND TEAR DOWN - The one-piece MagMod MagBox PRO 24\" Octa Softbox features durable support rods that easily fold and spread and a magnetic base that attaches easily to a MagRing. It comes with a super-fast zip-on diffuser that's stored inside the integrated storage pocket. No need for small screws or tacky tapes when using a softbox. DELIVERS POWERFUL YET SOFT LIGHT - The silver reflective interior and open obstruction-free center design emit brilliant light output and minimal to zero light loss. Use the built-in zip-on Fabric Diffuser to produce a wide area of soft light. PUT LIGHT WHERE YOU WANT IT - The MagBox PRO 24\" Octa works attaches quickly into the FocusDiffuser* or the MagBox PRO Grid* thanks to the powerful magnets embedded on the ends. You can change the angle of the light from the Octa into a 40\u00b0 beam angle with these MagBox modifiers. COLOR-CORRECT YOUR PHOTO - Slip one or two MagBox Gels* in the integrated gel slot to balance out your flash color or add a dynamic color effect. You can also swap gels during a shoot by simply using the side zipper. You don't need to take down the diffusion panel. COMPATIBILITY - Thanks to MagBox PRO's unique bottom design, you can use two Speedlight flashes simultaneously. You can even attach Octa into a monolight strobe**. MagBox is compatible with Canon, Nikon, Sony, Bowens, Elinchrom, Profoto, and Paul Buff. (**Dedicated adapters for strobes are not included.)"}, {"name": "Anker 10W Max Wireless Charger, 2 Pack 313 Wireless Charger (Pad), Qi-Certified Wireless Charging 7.5W for iPhone 12/12 Pro/12 mini/12 Pro Max, 10W for Galaxy S10 S9 S8, S9 Plus (No AC Adapter)", "product_information": {"Product Dimensions": "3.94 x 3.94 x 0.44 inches", "Item Weight": "4.6 ounces", "ASIN": "B07THL8PP1", "Item model number": "B2503011", "Customer Reviews": {"ratings_count": 8861, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#8,142 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #132 in Cell Phone Wireless Chargers"], "Connectivity technologies": "Wireless", "Other display features": "Wireless", "Colour": "Black and Black", "Manufacturer": "Anker", "Date First Available": "July 3, 2019"}, "brand": "Visit the Anker Store", "brand_url": "https://www.amazon.com/stores/Anker/page/D24FDA17-DECF-46BB-AF47-AF4647D2B1F8?ref_=ast_bln", "full_description": "", "pricing": "$25.99", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/31UaSgPJKoL.jpg", "https://m.media-amazon.com/images/I/41SNMjPpIhL.jpg", "https://m.media-amazon.com/images/I/41KLi+QomTL.jpg", "https://m.media-amazon.com/images/I/41vxVa93sFL.jpg", "https://m.media-amazon.com/images/I/41ULJp4JQUL.jpg", "https://m.media-amazon.com/images/I/41XNpmJVbVL.jpg", "https://m.media-amazon.com/images/I/B1B9NB5ofKS.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Chargers & Power Adapters \u203a Wireless Chargers", "average_rating": 4.4, "small_description": ["Charging for Home and Office: Now you can experience wireless charging day and night with one PowerWave Pad at work and another at home. ", "Wide Compatibility: Support for all Qi-enabled devices including iPhone X, XS, XR, XS Max, 8, 8 Plus as well as Samsung Galaxy S10, S9, S8, Note 10, Note 9, Note 8. ", "The Need for Speed: A high-efficiency chipset provides 10W high-speed charging for Samsung Galaxy, while iPhones get a boosted 7.5W charge. For best results, use a Quick Charge 2.0 or 3.0 adapter (9V/2A) for Samsung Galaxy and iPhone charging. ", "Case Friendly: Don't fumble with your phone case. PowerWave charges directly through protective cases. Rubber/plastic/TPU cases less than 5 mm thick only. Magnetic and metal attachments or cards will prevent charging. ", "What You Get: 2\u00d7 313 Wireless Charger (Pad) / PowerWave Pad, 2\u00d7 Micro USB Cable (4 ft ), welcome guide, worry-free 18-month warranty, and friendly customer service. (AC adapter not included) "], "total_reviews": 8861, "total_answered_questions": 104, "model": "B2503011", "customization_options": "", "seller_id": "A294P4X9EWVXLJ", "seller_name": "AnkerDirect", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B07THL8PP1", "category": "electronics", "query": "Chargers", "page": 125, "small_description_old": "About this item Charging for Home and Office: Now you can experience wireless charging day and night with one PowerWave Pad at work and another at home. Wide Compatibility: Support for all Qi-enabled devices including iPhone X, XS, XR, XS Max, 8, 8 Plus as well as Samsung Galaxy S10, S9, S8, Note 10, Note 9, Note 8. The Need for Speed: A high-efficiency chipset provides 10W high-speed charging for Samsung Galaxy, while iPhones get a boosted 7.5W charge. For best results, use a Quick Charge 2.0 or 3.0 adapter (9V/2A) for Samsung Galaxy and iPhone charging. Case Friendly: Don't fumble with your phone case. PowerWave charges directly through protective cases. Rubber/plastic/TPU cases less than 5 mm thick only. Magnetic and metal attachments or cards will prevent charging. What You Get: 2\u00d7 313 Wireless Charger (Pad) / PowerWave Pad, 2\u00d7 Micro USB Cable (4 ft ), welcome guide, worry-free 18-month warranty, and friendly customer service. (AC adapter not included)"}, {"name": "HON 673LP 600 Series 30-Inch by 19-1/4-Inch 3-Drawer Lateral File, Black", "product_information": {"Item Weight": "\u200e162 pounds", "Product Dimensions": "\u200e21.31 x 32.13 x 44.95 inches", "Item model number": "\u200eH673.L.P", "Is Discontinued By Manufacturer": "\u200eNo", "Assembled Height": "\u200e40.87 inches", "Assembled Width": "\u200e30 inches", "Assembled Length": "\u200e19.25 inches", "Weight": "\u200e163 Pounds", "ASIN": "B00272NBN2", "Customer Reviews": {"ratings_count": 11, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#2,440,837 in Home & Kitchen (See Top 100 in Home & Kitchen) #374 in Home Office Cabinets"], "Date First Available": "November 18, 2004"}, "brand": "Visit the HON Store", "brand_url": "https://www.amazon.com/stores/HON/page/94543C01-5957-43BA-90D4-69B783DDB3FB?ref_=ast_bln", "full_description": "Well-engineered and incredibly strong, Brigade 600 Series laterals from HON are built for the demands of high-activity filing. This three-drawer, 30\"W model features a sturdy double-walled base to resist tampering and strengthen the case. It accepts letter or legal hanging file folders. Bright Aluminum handle coordinates with Brigade pedestals. Finish color is Black.", "pricing": "$758.97", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41cNNHLLqGL.jpg", "https://m.media-amazon.com/images/G/01/showroom/icon-lightbulb.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Home Office Cabinets", "average_rating": 4.5, "small_description": ["Three-part telescoping slide suspension ", "Mechanical interlock allows only one drawer to open at a time to inhibit tipping ", "Leveling glides adjust for uneven floors ", "MADE IN THE USA: When you buy HON, you\u2019re buying quality furniture that\u2019s more than a practical solution\u2013 you\u2019re buying proudly American-built office furniture, backed by a lifetime warranty and network of dealers. "], "total_reviews": 11, "total_answered_questions": "", "model": "\u200eH673.L.P", "customization_options": "", "seller_id": "A29PHU0KPCGV8S", "seller_name": "The Factory Depot", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00272NBN2", "category": "garden", "query": "File Cabinets", "page": 160, "small_description_old": "About this item Three-part telescoping slide suspension Mechanical interlock allows only one drawer to open at a time to inhibit tipping Leveling glides adjust for uneven floors MADE IN THE USA: When you buy HON, you\u2019re buying quality furniture that\u2019s more than a practical solution\u2013 you\u2019re buying proudly American-built office furniture, backed by a lifetime warranty and network of dealers. \n \u203a See more product details"}, {"name": "Wood TV Stand for 65 Inch TV, TV Cabinet with Farmhouse Barn Doors, TV Console Table with Adjustable Shelves, Industrial, Rustic Brown", "product_information": {"Product Dimensions": "\u200e58 x 15.6 x 28 inches", "ASIN": "B09BKPV8LR", "Customer Reviews": {"ratings_count": 2, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#3,820,246 in Home & Kitchen (See Top 100 in Home & Kitchen) #2,883 in Television Stands"], "Date First Available": "July 31, 2021"}, "brand": "Brand: Itaar", "brand_url": "https://www.amazon.com/Itaar/b/ref=bl_dp_s_web_20384877011?ie=UTF8&node=20384877011&field-lbr_brands_browse-bin=Itaar", "full_description": "", "pricing": "$317.58", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51yACD3EfAL.jpg", "https://m.media-amazon.com/images/I/51R5FbM0blL.jpg", "https://m.media-amazon.com/images/I/51Gni32-HTL.jpg", "https://m.media-amazon.com/images/I/419Dd38LslL.jpg", "https://m.media-amazon.com/images/I/51AHe8CXrXS.jpg", "https://m.media-amazon.com/images/I/41wTPFBAzCL.jpg", "https://m.media-amazon.com/images/I/51+VwyKpwFL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a TV & Media Furniture \u203a Television Stands & Entertainment Centers", "average_rating": 5, "small_description": [""], "total_reviews": 2, "total_answered_questions": "", "customization_options": "", "seller_id": "A1QPG9I7PGKU8A", "seller_name": "AxxelStore", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B09BKPV8LR", "category": "garden", "query": "TV Stands", "page": 94, "small_description_old": ""}, {"name": "Mini Projector,FUNTUSPIC-GOO DEE Portable Projector for iPhone, 1080p Supported Movie Projector, 2500lux Small Home Video LED Pico Pocket Phone Projector for Bedroom Laptop HD USB AV Interfaces", "product_information": {"Brand Name": "\u200eFUNTUSPIC", "Item Weight": "\u200e15.8 ounces", "Product Dimensions": "\u200e5.31 x 4.53 x 4.13 inches", "Item model number": "\u200e230", "Color Name": "\u200eA-Yellow", "ASIN": "B09KGN7XF4", "Customer Reviews": {"ratings_count": 26, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#25,779 in Office Products (See Top 100 in Office Products) #3 in Office Presentation Overhead Projectors"], "Date First Available": "October 27, 2021"}, "brand": "Visit the FUNTUSPIC Store", "brand_url": "https://www.amazon.com/stores/FUNTUSPIC/page/D7084E8C-51A1-4A23-A3CD-913D5FD78C1F?ref_=ast_bln", "full_description": "", "pricing": "$63.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41uHOgEwviS.jpg", "https://m.media-amazon.com/images/I/51gmozf7gkL.jpg", "https://m.media-amazon.com/images/I/511xgKAh5ZL.jpg", "https://m.media-amazon.com/images/I/51RyRKBY7NS.jpg", "https://m.media-amazon.com/images/I/51ma2ET+D3S.jpg", "https://m.media-amazon.com/images/I/51bVhGlnWpS.jpg", "https://m.media-amazon.com/images/I/51QJ3MmJT6S.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Office Products \u203a Office Electronics \u203a Presentation Products \u203a Overhead Projectors", "average_rating": 4.5, "small_description": ["\u3010Unprecedented Mini Projector\u3011: This small projector supports 1080p and with 2400:1 Contrast and maximum 180\" projection(Recommend 70-110\"). It has a larger screen and 30% brighter than other little projectors. It's able to keep kids' eyes away from phones but still has a wonderful visual experience. The native resolution of it is 854*480p. ", "\u3010Ultra Portable Design\u3011: You may not imagine that the size is only 5.31*4.53*4.13 inch and 15.8 oz with a unique leather handle design. A portable projector with such small size even kids can carry it everywhere. Let children take it home and enjoy it! ", "\u3010Connect to Your Phones\u3011: It's a projector for phone. A USB/TYPE-C to HDMI adapter is needed for an Android phone. While A lighting to HDMI adapter is needed for an iPhone. With a suitable adapter, you can enjoy this phone projector. (NOTE: All adapters are not included in the package.\uff09 ", "\u3010Wonderful Gift for Children\u3011: Not only it is a small but handheld projector, also it is designed with a dainty appearance which appeals to Children. It's mainly designed for kids. They can use this small projector for watching cartoons with their little friends. It's one of the best gifts for kids. ", "\u3010Versatile Connectivity\u3011: YG230 small projector is equipped with multiple ports: HD, USB, Micro SD, AV, Micro USB, Audio(3.5mm) interfaces, etc. So you are able to easily connect it to smartphones ), tablets, TV stick, Chromecast, PC, external hard & flash drive, card reader, etc. If you met any problem about connection, please contact customer service. "], "total_reviews": 26, "total_answered_questions": 17, "model": "\u200e230", "customization_options": {"Color": null}, "seller_id": "A12D3OYC6QYWX", "seller_name": "FUNTUSPIC TECH", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09KGN7XF4", "category": "electronics", "query": "Projectors", "page": 13, "small_description_old": "About this item \u3010Unprecedented Mini Projector\u3011: This small projector supports 1080p and with 2400:1 Contrast and maximum 180\" projection(Recommend 70-110\"). It has a larger screen and 30% brighter than other little projectors. It's able to keep kids' eyes away from phones but still has a wonderful visual experience. The native resolution of it is 854*480p. \u3010Ultra Portable Design\u3011: You may not imagine that the size is only 5.31*4.53*4.13 inch and 15.8 oz with a unique leather handle design. A portable projector with such small size even kids can carry it everywhere. Let children take it home and enjoy it! \u3010Connect to Your Phones\u3011: It's a projector for phone. A USB/TYPE-C to HDMI adapter is needed for an Android phone. While A lighting to HDMI adapter is needed for an iPhone. With a suitable adapter, you can enjoy this phone projector. (NOTE: All adapters are not included in the package.\uff09 \u3010Wonderful Gift for Children\u3011: Not only it is a small but handheld projector, also it is designed with a dainty appearance which appeals to Children. It's mainly designed for kids. They can use this small projector for watching cartoons with their little friends. It's one of the best gifts for kids. \u3010Versatile Connectivity\u3011: YG230 small projector is equipped with multiple ports: HD, USB, Micro SD, AV, Micro USB, Audio(3.5mm) interfaces, etc. So you are able to easily connect it to smartphones ), tablets, TV stick, Chromecast, PC, external hard & flash drive, card reader, etc. If you met any problem about connection, please contact customer service. \n \u203a See more product details"}, {"name": "Aultra LED Desk LAMP Light - Touch Control Desk Lamp with Multiple Brightness Level - Lights for Bedroom, The Office Desk, Reading Lamps, Bedside Table and Standing Desk (White)", "product_information": {"Brand": "\u200eAULTRA", "Manufacturer": "\u200eAultra", "Item Weight": "\u200e1.89 pounds", "Package Dimensions": "\u200e19.57 x 3.15 x 2.48 inches", "Style": "\u200eModern", "Color": "\u200eWhite", "Special Features": "\u200eDimmable", "Switch Style": "\u200eTouch", "Type of Bulb": "\u200eLED", "Wattage": "\u200e7 watts", "ASIN": "B084Q7C6TX", "Customer Reviews": {"ratings_count": 59, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#129,207 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #687 in Desk Lamps"], "Date First Available": "February 11, 2020"}, "brand": "Visit the AULTRA Store", "brand_url": "https://www.amazon.com/stores/AULTRA/page/CF84AF5F-C491-4C32-8F12-D68455C612F4?ref_=ast_bln", "full_description": "", "pricing": "$26.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/21GMh4HZj6L.jpg", "https://m.media-amazon.com/images/I/51r6JrSzLiL.jpg", "https://m.media-amazon.com/images/I/41bzGOZFniL.jpg", "https://m.media-amazon.com/images/I/51WRc4YFh1L.jpg", "https://m.media-amazon.com/images/I/415ZP1WOVIL.jpg", "https://m.media-amazon.com/images/I/41UquKBcIGL.jpg", "https://m.media-amazon.com/images/I/41Ep4TPdW9L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Lamps & Shades \u203a Desk Lamps", "average_rating": 4.8, "small_description": ["\u2714\ufe0f LONG-LASTING BULBS - Our LED light bulbs are long-lasting so no need for bulb replacement. LED home and desk lights are energy efficient and help save on your electricity bill. This small and modern are great lamps for bedrooms and travel easy for dorm room essentials. ", "\u2714\ufe0f LED LIGHTING TECHNOLOGY - LED lights emit a soft, non-flickering light without the blue hue. These lights do not get hot like older lights. It's sleek design makes this light great for anywhere in your home; living room, home office desk, kitchen lighting, dorm room decor, and more. ", "\u2714\ufe0f MUTLI-BRIGHTNESS LEVEL - Our LED desk lamp has 3 brightness levels to allow this lamp to be used under different conditions. It can be used as a reading lamp on the highest output and a soft led night light on the lowest output. ", "\u2714\ufe0f TOUCH-SENSITIVE - This touch controlled led lamp comes without the wear and tear of traditional button tabs and switches. Our touch operated lamp makes the design easy and dependable to use. This tap light can be turned on and off with a simple tap on it's control panel. ", "\u2714\ufe0f TILT & ROTATABLE LAMP HEAD - Set it up on your table and then pack it for travel. The flexible lamp head and arm make it easy to take with you. The rotatable design allows you to get the perfect lighting angle freely. The foldable lamp arm can help save desk space and be used as a piano light. "], "total_reviews": 59, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B084Q6VGFB/ref=twister_B089VVNLF8?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$26.99", "price": 26.99, "image": "https://m.media-amazon.com/images/I/21W-BQwEkzL.jpg"}, {"is_selected": true, "url": null, "value": "White", "price_string": "$26.99", "price": 26.99, "image": "https://m.media-amazon.com/images/I/21GMh4HZj6L.jpg"}]}, "seller_id": "A3Q1H15U97ZYF2", "seller_name": "Aultra", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B084Q7C6TX", "category": "garden", "query": "Table lamps", "page": 209, "small_description_old": "About this item \u2714\ufe0f LONG-LASTING BULBS - Our LED light bulbs are long-lasting so no need for bulb replacement. LED home and desk lights are energy efficient and help save on your electricity bill. This small and modern are great lamps for bedrooms and travel easy for dorm room essentials. \u2714\ufe0f LED LIGHTING TECHNOLOGY - LED lights emit a soft, non-flickering light without the blue hue. These lights do not get hot like older lights. It's sleek design makes this light great for anywhere in your home; living room, home office desk, kitchen lighting, dorm room decor, and more. \u2714\ufe0f MUTLI-BRIGHTNESS LEVEL - Our LED desk lamp has 3 brightness levels to allow this lamp to be used under different conditions. It can be used as a reading lamp on the highest output and a soft led night light on the lowest output. \u2714\ufe0f TOUCH-SENSITIVE - This touch controlled led lamp comes without the wear and tear of traditional button tabs and switches. Our touch operated lamp makes the design easy and dependable to use. This tap light can be turned on and off with a simple tap on it's control panel. \u2714\ufe0f TILT & ROTATABLE LAMP HEAD - Set it up on your table and then pack it for travel. The flexible lamp head and arm make it easy to take with you. The rotatable design allows you to get the perfect lighting angle freely. The foldable lamp arm can help save desk space and be used as a piano light. \n \u203a See more product details"}, {"name": "AOBIO Shipping Label Printer, 4x6 Desktop Direct Thermal Label Printer for Shipping Packages Postage Home Small Business, Compatible with Etsy, Shopify, Ebay, Amazon, FedEx, UPS", "product_information": {"Package Dimensions": "10.83 x 6.02 x 4.61 inches", "Item Weight": "3.45 pounds", "ASIN": "B097PCJMP5", "Customer Reviews": {"ratings_count": 130, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#41,065 in Office Products (See Top 100 in Office Products) #81 in Desktop Label Printers"], "Date First Available": "June 22, 2021", "Manufacturer": "AOBIO"}, "brand": "Visit the AOBIO Store", "brand_url": "https://www.amazon.com/stores/AOBIO/page/DFEF02FB-68DA-41FF-AA41-106BFD0CE28A?ref_=ast_bln", "full_description": "", "pricing": "$99.90", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41DHcioD4RS.jpg", "https://m.media-amazon.com/images/I/41pTrwGcfiL.jpg", "https://m.media-amazon.com/images/I/41qyqTL-RvS.jpg", "https://m.media-amazon.com/images/I/41y9tcOwS9S.jpg", "https://m.media-amazon.com/images/I/41-vadeKvkS.jpg", "https://m.media-amazon.com/images/I/419oHBrjmtS.jpg", "https://m.media-amazon.com/images/I/61ApdbNR8mL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Office Products \u203a Office Electronics \u203a Printers & Accessories \u203a Printers \u203a Label Printers", "average_rating": 4.4, "small_description": ["[Upgrade] - Aobio D4 shipping label printer, combined with the team's years of research and production experience, has undergone a comprehensive upgrade in appearance and performance, with a more exquisite and compact appearance, and more excellent and stable performance. ", "[Easy to use] - One-key open cover design, easy to operate, you can install and set up the printer with our short operation video with ease. The label printer has added several rollers to make the process of printing labels smoother, without paper jam, and bring you a better experience. ", "[Support Multiple Label Sizes] - 4X6 thermal label printer, with printing speed up to 152mm/s and 203 dpi high print resolution, can print HD labels from 1.57\" to 4\" width at high speed, and there is no restriction on label height. Very suitable for 4\" x 6\" shipping labels, warehouse labels, barcodes, ID labels, bulk mailing labels, etc. ", "[Wide Compatibility] - Aobio label printer for small bussiness is compatible with both Mac OS (10.9 and higher) and Windows(XP and higher), which is widely used for shipping packages on multiple major E-commerce platforms such as Amazon, eBay, Shopify, Esty, PayPal, etc. \u26a0 Notice: This USPS shipping label printer is NOT compatible with Chromebooks, Tablets, Smartphones including Microsoft Surface Laptop, iPad, iPhone. ", "[Real-Time Tech Support] - Aobio Label Printer provides free and lifetime technical support, timely-updated driver version, digestible tutorials, and installation guides for quick reference, we strive to make everything easier for you. "], "total_reviews": 130, "total_answered_questions": 18, "customization_options": {"Size": null}, "seller_id": "A2HIXGDW4HQLF3", "seller_name": "AOBIO", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B097PCJMP5", "category": "electronics", "query": "Printers & Scanners", "page": 71, "small_description_old": "About this item\n \n[Upgrade] - Aobio D4 shipping label printer, combined with the team's years of research and production experience, has undergone a comprehensive upgrade in appearance and performance, with a more exquisite and compact appearance, and more excellent and stable performance. [Easy to use] - One-key open cover design, easy to operate, you can install and set up the printer with our short operation video with ease. The label printer has added several rollers to make the process of printing labels smoother, without paper jam, and bring you a better experience. [Support Multiple Label Sizes] - 4X6 thermal label printer, with printing speed up to 152mm/s and 203 dpi high print resolution, can print HD labels from 1.57\" to 4\" width at high speed, and there is no restriction on label height. Very suitable for 4\" x 6\" shipping labels, warehouse labels, barcodes, ID labels, bulk mailing labels, etc. [Wide Compatibility] - Aobio label printer for small bussiness is compatible with both Mac OS (10.9 and higher) and Windows(XP and higher), which is widely used for shipping packages on multiple major E-commerce platforms such as Amazon, eBay, Shopify, Esty, PayPal, etc. \u26a0 Notice: This USPS shipping label printer is NOT compatible with Chromebooks, Tablets, Smartphones including Microsoft Surface Laptop, iPad, iPhone. [Real-Time Tech Support] - Aobio Label Printer provides free and lifetime technical support, timely-updated driver version, digestible tutorials, and installation guides for quick reference, we strive to make everything easier for you."}, {"name": "4K HDMI Cables, Short Cord, 1ft [3 Pack] Braided Cord & Gold Connectors, 1ft High-Speed HDMI 2.0 with Ethernet, for Playstation PS5, PS4, PS3, Xbox, Roku, Apple TV, HDTV, Blu-ray, Laptop, PC, Monitor", "product_information": {"Package Dimensions": "8.31 x 6.97 x 1.85 inches", "Item Weight": "4.6 ounces", "ASIN": "B08QSNM69H", "Customer Reviews": {"ratings_count": 76, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#1,287 in HDMI Cables"], "Date First Available": "December 16, 2020", "Manufacturer": "Ritz Gear"}, "brand": "Visit the Ritz Gear Store", "brand_url": "https://www.amazon.com/stores/RitzGear/page/21FDCA0F-A1C4-4611-93FB-72716FE4A55A?ref_=ast_bln", "full_description": "Share Your Screen\u2019s DisplayCasting your computer screen on to another screen offers you immense benefits. From careful evaluation of data on a larger screen, heightened entertainment and even an alternative to a cracked screen. A reliable HDMI Cable is a must-have for anyone who owns a computer and would like to have multiple display options in their house or office. RitzGear exists to make this possible. Reliable SpeedsWe present to you the RitzGear 4K HDMI cable that offers you fast transfer speeds that ensure you can enjoy multi-screen display. With top speeds of up to 18Gbps in transmission, you can count on 4K quality display when you opt for our HDMI cable. Enjoy 4K display at 60Hz for the best quality multi-screen display. A Length You Can Count OnMeasuring 1ft in length, our RitzGear HDMI cable is your best partner when looking to transit data to any screen around your home or office. We secure this HDMI cable with our braided nylon covering that ensures it can last you longer without deteriorating in quality. Forget about the nuisance of broken cables when you need them most. Choose the RitzGear braided nylon HDMI cable. Multiple Cables In 1 PackAt RitzGear, our existence is a commitment to serving the growing populace that embraces technology and appreciates the importance of multi-screen display. Whether it is for work or entertainment, you can count on us to avail to you high quality 4K HDMI cables with gold connectors. Moreover, we offer you a Multi pack that ensures you have an abundant supply for all your screen sharing needs. Universal CompatibilityThe RitzGear HDMI 2.0 cable offers you the versatility of connecting with a host of electronic devices. Our cable is universally compatible with laptops, desktop computers, TVs, and gaming consoles to ensure high quality screen casting.", "pricing": "$15.49", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41BaU1hCJxL.jpg", "https://m.media-amazon.com/images/I/51mJmXirQcL.jpg", "https://m.media-amazon.com/images/I/51hQfapC3jL.jpg", "https://m.media-amazon.com/images/I/51LLqiq3lzL.jpg", "https://m.media-amazon.com/images/I/514CvnumNYL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Video Cables \u203a HDMI Cables", "average_rating": 4.4, "small_description": ["THE ULTIMATE 4K HDMI CABLE | Premium HDMI 2.0 19 pin Gold Plated Connector Enables Seamless Video & Audio Transfer with Powerful 4K @ 60Hz Support Including UHD, 3D, 2160p, 1080p, ARC & Ethernet | Perfect for Sending Media to TV, Projector or Monitor from Laptop, Computer, Streaming Stick, Gaming Console, Blu-Ray/DVD Player & More ", "LIGHTNING-FAST PERFORMANCE | Ultra-Reliable High-Speed 18Gbps Transmission Elevates Your Entertainment Experience Whether You\u2019re Screening Movies, Playing Games, Streaming Shows or Presenting Projects | Breathtaking 4K Resolution, Vivid, True-to-Life Color, Accurate Contrast & Impeccable Uncompressed Audio & Music ", "CONVENIENT 1-FOOT CABLE | Practical and Ideal Cable Length for connecting a camera to a camera field monitor ", "HEAVY-DUTY CONSTRUCTION | Durable, Rugged, High-Resistance Parts Promise Many Years of Dependable Data Sharing | Flexible Braided Nylon Jacket Allows for Easy Bending Without Breakage or Fraying, While High-Quality 24K Gold-Plated Connectors Resist Corrosion, Minimize Signal Loss & Block Out External Interference ", "AMAZING 3-PACK BULK SAVINGS | Stock Up on Your Screening Supplies for Home, Office, School, Business & Beyond | Our Versatile Male-to-Male HDMI 2.0 Cables are Super Affordable & Compatible with All of Today\u2019s Most Popular Devices & HDMI Adapters Such as PS3, PS4, PS5, Xbox One, Fire TV, Apple TV 4K, Roku & Switch "], "total_reviews": 76, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B098C9BY1Z/ref=twister_B09DHW13K5?_encoding=UTF8&psc=1", "value": "1-Pack", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "3-Pack", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08QTV76MV/ref=twister_B09DHW13K5?_encoding=UTF8&psc=1", "value": "5-Pack", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08QTLBL8L/ref=twister_B09DHW13K5?_encoding=UTF8&psc=1", "value": "10-Pack", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08QTV6RWN/ref=twister_B09DHW13K5?_encoding=UTF8&psc=1", "value": "20-Pack", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09JYHWHKC/ref=twister_B09DHW13K5?_encoding=UTF8&psc=1", "value": "Black Braided", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51eht+1FF0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JYFXVT7/ref=twister_B09DHW13K5?_encoding=UTF8&psc=1", "value": "Blue Braided", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/4146q6cuHbL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JYBW3Z7/ref=twister_B09DHW13K5?_encoding=UTF8&psc=1", "value": "Green Braided", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/516AYJrLkEL.jpg"}, {"is_selected": true, "url": null, "value": "Red Braided", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41BaU1hCJxL.jpg"}]}, "seller_id": "A1LD8YQ23K3G6J", "seller_name": "RitzCamera", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08QSNM69H", "category": "electronics", "query": "HDMI Cables", "page": 25, "small_description_old": "About this item\n \nTHE ULTIMATE 4K HDMI CABLE | Premium HDMI 2.0 19 pin Gold Plated Connector Enables Seamless Video & Audio Transfer with Powerful 4K @ 60Hz Support Including UHD, 3D, 2160p, 1080p, ARC & Ethernet | Perfect for Sending Media to TV, Projector or Monitor from Laptop, Computer, Streaming Stick, Gaming Console, Blu-Ray/DVD Player & More LIGHTNING-FAST PERFORMANCE | Ultra-Reliable High-Speed 18Gbps Transmission Elevates Your Entertainment Experience Whether You\u2019re Screening Movies, Playing Games, Streaming Shows or Presenting Projects | Breathtaking 4K Resolution, Vivid, True-to-Life Color, Accurate Contrast & Impeccable Uncompressed Audio & Music CONVENIENT 1-FOOT CABLE | Practical and Ideal Cable Length for connecting a camera to a camera field monitor HEAVY-DUTY CONSTRUCTION | Durable, Rugged, High-Resistance Parts Promise Many Years of Dependable Data Sharing | Flexible Braided Nylon Jacket Allows for Easy Bending Without Breakage or Fraying, While High-Quality 24K Gold-Plated Connectors Resist Corrosion, Minimize Signal Loss & Block Out External Interference AMAZING 3-PACK BULK SAVINGS | Stock Up on Your Screening Supplies for Home, Office, School, Business & Beyond | Our Versatile Male-to-Male HDMI 2.0 Cables are Super Affordable & Compatible with All of Today\u2019s Most Popular Devices & HDMI Adapters Such as PS3, PS4, PS5, Xbox One, Fire TV, Apple TV 4K, Roku & Switch"}, {"name": "Puresea, Brisling Sardines In BBQ Sauce, 3.75 Ounce", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 4.2 x 3.05 x 0.85 inches; 3.68 Ounces", "UPC\n \u200f": "\u200e\n 854159006051", "Manufacturer\n \u200f": "\u200e\n Puresea", "ASIN\n \u200f": "\u200e\n B07BBQDRDR", "": ""}, "brand": "Brand: Puresea", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Puresea", "full_description": "Pure Sea Sardines - Brisling - Bbq 3.75 Oz Country of origin : Latvia Gluten Free : Yes Yeast Free : Yes Wheat Free : Yes Kosher : Yes", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/41D+7Y1arOL.jpg", "https://m.media-amazon.com/images/I/41hgQm8DidL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Canned, Jarred & Packaged Foods \u203a Meat, Poultry & Seafood \u203a Seafood \u203a Sardines", "average_rating": "", "small_description": ["175 calories per serving ", "One 3.75 ounce can of pure sea brisling sardines in bbq sauce ", "Rich in vitamins ", "See nutrition facts panel for allergens ", "Wild caught, natural "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07BBQDRDR", "category": "grocery", "query": "Meat & Seafood", "page": 236, "small_description_old": "About this item 175 calories per serving One 3.75 ounce can of pure sea brisling sardines in bbq sauce Rich in vitamins See nutrition facts panel for allergens Wild caught, natural"}, {"name": "Long Sleeve Superhero T Shirt Tank Top Mens Compression Shirt Men Workout Fitness Gym Shirt", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 8.9 x 8.27 x 2.17 inches; 6.1 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n October 27, 2021", "ASIN\n \u200f": "\u200e\n B09KLQLLT2", "Best Sellers Rank": "#371,991 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#264 in Men's Activewear Tank Tops", "#264 in Men's Activewear Tank Tops": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Guerrero", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Guerrero", "full_description": "", "pricing": "$19.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41ycMbIy5HL.jpg", "https://m.media-amazon.com/images/I/518j+X8Ce8L.jpg", "https://m.media-amazon.com/images/I/41Z73oF90vL.jpg", "https://m.media-amazon.com/images/I/51vIp6mTmqL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Active \u203a Active Shirts & Tees \u203a Tank Tops", "average_rating": 4.4, "small_description": ["88% Polyester, 12% Spandex ", "Superhero shirt is great choice for family members who want to try cosplay in daily life. the shirt can make you fantastic and outstanding when you wear it to take part in activities. ", "Breathable, soft and moisture-wicking fabric keeps you dry and comfortable during your training ", "Perfect option during various indoor activities and outdoor excursion "], "total_reviews": 8, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black/Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ycMbIy5HL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KLN43QG/ref=twister_B09NR9TK6N", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Lnl9u8VDL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KLPTNLX/ref=twister_B09NR9TK6N", "value": "Blue/Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/514Cs2HDy5L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KLPT9VY/ref=twister_B09NR9TK6N", "value": "Bronze", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41HOJNvH6cL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KLM8X6D/ref=twister_B09NR9TK6N", "value": "Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51tOBqliusL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KLN66R9/ref=twister_B09NR9TK6N", "value": "Gold", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51uRwYthrnL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KLPTLPT/ref=twister_B09NR9TK6N", "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Y2zvOeoXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KLSQT3T/ref=twister_B09NR9TK6N", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/517Uco7PFRL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KLR47K8/ref=twister_B09NR9TK6N", "value": "Red/Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/514F2VmOmXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KLNHMQZ/ref=twister_B09NR9TK6N", "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41WCg0vksWL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KLPNK3V/ref=twister_B09NR9TK6N", "value": "Grey/Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51JCWxEgkpL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09KLQLLT2"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09KLS1YYM"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09KLQBP89"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09KLNL2Y8"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09KLPVKN4"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09KLQLLT2", "category": "fashion", "query": "Men's T-Shirts & Tanks", "page": 24, "small_description_old": "Machine Wash 88% Polyester, 12% Spandex Machine Wash Superhero shirt is great choice for family members who want to try cosplay in daily life. the shirt can make you fantastic and outstanding when you wear it to take part in activities. Breathable, soft and moisture-wicking fabric keeps you dry and comfortable during your training Perfect option during various indoor activities and outdoor excursion"}, {"name": "Mulyyds Computer Desk with Drawers and Open Shelves, Modern Writing Desk Student Study Table Gaming Workstations PC Laptop Corner Desk for Small Spaces Home Office Dormitory (White, 43x19x27in)", "product_information": {"Manufacturer": "Mulyyds", "ASIN": "B09PTQFBNT", "Country of Origin": "China"}, "brand": "Brand: Mulyyds", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Mulyyds", "full_description": "\ud83c\udf10Welcome to Mulyyds's shop,wishing you have a pleasant shopping !\u00a0\ud83d\udc49 Mulyyds Study Computer Desk Laptop PC Table Workstation For Home Office Description:\u00a0\u00a0\u00a0\u00a0 Material: MDF And Metal\u00a0 \u00a0 Product Dimensions: 43x19x27inch\u00a0 \u00a0 This Modern Computer Desk With Bookshelves Is Perfect For Your Home Office, Study And Room.\u00a0 \u00a0 For Added Convenience, The Top Of The Table Has An Open Shelf That Serves As A Shelf For Books And Other Necessities, Leaving Plenty Of Surface Space For The Laptop.\u00a0 \u00a0 A Computer Desk For Reading, Studying And Working. The Simple Design Makes Your Learning Space Or Workspace More Personal, And Its Simple Style Can Be Integrated Into A Variety Of Home Styles To Make Reading And Learning Fun For You And Your Family.\u00a0 \u00a0 Mdf And Metal Frame Legs Make This Table Super Durable And Durable. The Legs At The Bottom Enhance Stability And Balance.\u00a0 \u00a0 Easy To Clean And Easy To Maintain, Only Need Daily Cleaning And Maintenance.\ud83d\udc49Package Included:\u00a0\u00a0 \u00a0 1x Desk\u00a0 \u00a0 1x Installation Manual\ud83d\udc49Note:\u00a0\ud83d\udce2 Compare the detail sizes with yours, please allow 1-3CM(1 inch=2.54cm) differs due to manual measurement.\u00a0\ud83d\udce2Pictures may slightly vary from actual item due to lighting and monitor.\u00a0\ud83d\udce8If you receive damaged items or your item have anything wrong, please email us we will try our best to solve it.", "pricing": "$159.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41Ad+uyb+pL.jpg", "https://m.media-amazon.com/images/I/41zZpcgLkNL.jpg", "https://m.media-amazon.com/images/I/516iioFS-YL.jpg", "https://m.media-amazon.com/images/I/517jEvi8qWL.jpg", "https://m.media-amazon.com/images/I/51GOUZDxcBL.jpg", "https://m.media-amazon.com/images/I/41jTDUvolGL.jpg", "https://m.media-amazon.com/images/I/21TtCTp7uYL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Home Office Desks", "average_rating": "", "small_description": ["\ud83d\udcccDurable & Stable: This Computer Desk Is Constructed Of Premium Metal Frame And Mdf Desktop, Fully Painted Square Metal Tube And Waterproof Desktop Ensure Long Service Life Of This Desk; Solid Desk Can Easily Hold Up 120 Kg Weight, Sturdy Enough For Your Daily Use. ", "\ud83d\udcccModern Style & Ample Storage Shelves: The Computer Writing Desk Perfectly Combines The Mdf Board And The Steel Frame, With A Modern Simple Style. The Exquisite Drawer Can Store More Items To Keep The Desk Tidy, Providing Extra Storage Space, Offering Perfect Workstation For Your Work Or Study, Maximize Your Space. ", "\ud83d\udccc Perfect For All Occasions: This Desk Combines Artistic Inspiration With Modern Design. It Easily Complements Almost Any Home Or Office Decor.This Tablecan Be Placed In Your Home Study, Bedroom And Office To Play Itspractical Use Such As Serving As A Computer Desk, Office Work Station,Study Stable Or Writing Desk. ", "\ud83d\udcccEasy Assemble: This Computer Desk Is Easy To Assemble For Most People With Instruction, If You Have Questions Or Need Any Help.Please Feel Free To Contact us. ", "\ud83d\udccc[After-sale service]: If you encountered any problems of product quality, please email us .We will try our best to resolve the issues in 24H. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09PTJVGDW/ref=twister_B09PTR1HV8?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$159.99", "price": 159.99, "image": "https://m.media-amazon.com/images/I/41Aj4ZtjEbL.jpg"}, {"is_selected": true, "url": null, "value": "White", "price_string": "$159.99", "price": 159.99, "image": "https://m.media-amazon.com/images/I/41Ad+uyb+pL.jpg"}], "Size": null}, "seller_id": "A1EEJZQ1MKPZMA", "seller_name": "Mulyyds(7-15-DAY-DELIVERY)", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PTQFBNT", "category": "garden", "query": "Drafting Tables", "page": 81, "small_description_old": "About this item \ud83d\udcccDurable & Stable: This Computer Desk Is Constructed Of Premium Metal Frame And Mdf Desktop, Fully Painted Square Metal Tube And Waterproof Desktop Ensure Long Service Life Of This Desk; Solid Desk Can Easily Hold Up 120 Kg Weight, Sturdy Enough For Your Daily Use. \ud83d\udcccModern Style & Ample Storage Shelves: The Computer Writing Desk Perfectly Combines The Mdf Board And The Steel Frame, With A Modern Simple Style. The Exquisite Drawer Can Store More Items To Keep The Desk Tidy, Providing Extra Storage Space, Offering Perfect Workstation For Your Work Or Study, Maximize Your Space. \ud83d\udccc Perfect For All Occasions: This Desk Combines Artistic Inspiration With Modern Design. It Easily Complements Almost Any Home Or Office Decor.This Tablecan Be Placed In Your Home Study, Bedroom And Office To Play Itspractical Use Such As Serving As A Computer Desk, Office Work Station,Study Stable Or Writing Desk. \ud83d\udcccEasy Assemble: This Computer Desk Is Easy To Assemble For Most People With Instruction, If You Have Questions Or Need Any Help.Please Feel Free To Contact us. \ud83d\udccc[After-sale service]: If you encountered any problems of product quality, please email us .We will try our best to resolve the issues in 24H."}, {"name": "VINLUZ Farmhouse Chandeliers Rectangle Black 5 Light Dining Room Lighting Fixtures Hanging, Kitchen Island Cage Pendant Lights Contemporary Modern Ceiling Light with Glass Shade Adjustable Rods", "product_information": {"Brand": "\u200eVINLUZ", "Manufacturer": "\u200eVINLUZ", "Part Number": "\u200e1811-5-BL", "Item Weight": "\u200e18.21 pounds", "Package Dimensions": "\u200e41 x 10 x 9.4 inches", "Item model number": "\u200e1811-5-BL", "Is Discontinued By Manufacturer": "\u200eNo", "Style": "\u200eContemporary", "Color": "\u200eBlack", "Shape": "\u200eLinear", "Material": "\u200eMetal", "Finish Types": "\u200eBlack", "Number of Lights": "\u200e5", "Voltage": "\u200e120 Volts", "Specific Uses": "\u200eIndoor use only", "Special Features": "\u200eDimmable", "Shade Color": "\u200eClear", "Shade Material": "\u200eGlass", "Light Direction": "\u200eDownlight", "Power Source": "\u200eAC", "Switch Installation Type": "\u200eCeiling Mount", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "Type of Bulb": "\u200eCFL/LED/Incandecent/Halogen", "Wattage": "\u200e60 watts", "ASIN": "B07ZBCF88X", "Customer Reviews": {"ratings_count": 823, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#26,706 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #3 in Island Lights"], "Date First Available": "November 21, 2019"}, "brand": "Visit the VINLUZ Store", "brand_url": "https://www.amazon.com/stores/VINLUZ/page/61D452DB-ED86-4A9E-A950-D4B853E1224D?ref_=ast_bln", "full_description": "", "pricing": "$199.99", "list_price": "", "availability_quantity": 1, "availability_status": "In Stock. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31lwZttSAuL.jpg", "https://m.media-amazon.com/images/I/51Y0KJwpOTL.jpg", "https://m.media-amazon.com/images/I/41CVX-t1KAL.jpg", "https://m.media-amazon.com/images/I/41YLSfmsXsL.jpg", "https://m.media-amazon.com/images/I/518J+yz1EJL.jpg", "https://m.media-amazon.com/images/I/51xGdWD5flL.jpg", "https://m.media-amazon.com/images/I/819z0gfswrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Ceiling Lights \u203a Island Lights", "average_rating": 4.7, "small_description": ["\u2600Contemporary Design: This simple linear island pendant lighting with clear glass shade, unique designed to illuminate the heart of your kitchen, dining room or farm styled places. ", "\u2600Height Adjustable Stem and Easy Installed: freely to adjust the rod's length as your required,includes all mounting hardware for easy installation ", "\u2600Quality Service: We providing free glass shade replacement for u, if your glass shade broken, you could click on LightingPlus and then click on \"Ask a question\" to contact us the original manufacture quickly, any quality and skill problems,we will help u soon, such as some replacement parts and more. ", "\u2600Dimmable: fully dimmable when used with a dimmable bulb and compatible dimmer switch ", "\u2600Bulb Type: Requires 5 x E26 base bulbs(Max.60W). Bulb not included "], "total_reviews": 823, "total_answered_questions": 50, "model": "\u200e1811-5-BL", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "$199.99", "price": 199.99, "image": "https://m.media-amazon.com/images/I/31lwZttSAuL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08LDHNVGG/ref=twister_B09SHK9RNV?_encoding=UTF8&psc=1", "value": "Black and Brass", "price_string": "$199.99", "price": 199.99, "image": "https://m.media-amazon.com/images/I/31goR6hhQtL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B081YLTMR2/ref=twister_B09SHK9RNV?_encoding=UTF8&psc=1", "value": "Brushed Nickel", "price_string": "$219.99", "price": 219.99, "image": "https://m.media-amazon.com/images/I/31WgkkAAnHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B083NFLYRD/ref=twister_B09SHK9RNV?_encoding=UTF8&psc=1", "value": "Chrome", "price_string": "$219.99", "price": 219.99, "image": "https://m.media-amazon.com/images/I/3133tSxFpyL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07ZCMT1XQ/ref=twister_B09SHK9RNV?_encoding=UTF8&psc=1", "value": "Oil-rubbed Bronze", "price_string": "$199.99", "price": 199.99, "image": "https://m.media-amazon.com/images/I/319Q4pafveL.jpg"}]}, "seller_id": "A37493FYKY9KSH", "seller_name": "LightingPlus", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B07ZBCF88X", "category": "garden", "query": "Dining Tables", "page": 51, "small_description_old": "About this item \u2600Contemporary Design: This simple linear island pendant lighting with clear glass shade, unique designed to illuminate the heart of your kitchen, dining room or farm styled places. \u2600Height Adjustable Stem and Easy Installed: freely to adjust the rod's length as your required,includes all mounting hardware for easy installation \u2600Quality Service: We providing free glass shade replacement for u, if your glass shade broken, you could click on LightingPlus and then click on \"Ask a question\" to contact us the original manufacture quickly, any quality and skill problems,we will help u soon, such as some replacement parts and more. \u2600Dimmable: fully dimmable when used with a dimmable bulb and compatible dimmer switch \u2600Bulb Type: Requires 5 x E26 base bulbs(Max.60W). Bulb not included \n \u203a See more product details"}, {"name": "Got2B Phenomenal Texturizing Clay 3.5 Ounce", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 2.38 x 2.38 x 3.75 inches; 3.53 Ounces", "Item model number\n \u200f": "\u200e\n 2399120", "UPC\n \u200f": "\u200e\n 052336919006", "Manufacturer\n \u200f": "\u200e\n Got 2B", "ASIN\n \u200f": "\u200e\n B07MVN1K94", "Best Sellers Rank": "#12,300 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#14 in Hair Styling Clays", "#14 in Hair Styling Clays": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: GOT 2B", "brand_url": "https://www.amazon.com/GOT-2B/b/ref=bl_dp_s_web_7297720011?ie=UTF8&node=7297720011&field-lbr_brands_browse-bin=GOT+2B", "full_description": "It provides the structured look you want with a matte finish and no stickiness.", "pricing": "$6.35", "list_price": "", "availability_quantity": 6, "availability_status": "Only 6 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/511zuLDiAGL.jpg", "https://m.media-amazon.com/images/I/51NglEsk3UL.jpg", "https://m.media-amazon.com/images/I/511m-fRrOsL.jpg", "https://m.media-amazon.com/images/I/516dxpco7+L.jpg", "https://m.media-amazon.com/images/I/51Z-3Cxy0NL.jpg", "https://m.media-amazon.com/images/I/51aKmBITGML.jpg", "https://m.media-amazon.com/images/I/51vEgfIoimL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Styling Products \u203a Clays", "average_rating": 4.5, "small_description": ["No stickiness. ", "Matte finish. ", "Hold level 5. "], "total_reviews": 266, "total_answered_questions": "", "customization_options": "", "seller_id": "A2Y1Q7Q2Q103JQ", "seller_name": "Beachbeautybar2", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07MVN1K94", "category": "beauty", "query": "Styling Products", "page": 18, "small_description_old": "About this item No stickiness. Matte finish. Hold level 5."}, {"name": "Reko Vanilla Pizzelle - 6 Pack", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 14.5 x 14 x 13.75 inches; 7 Ounces", "UPC\n \u200f": "\u200e\n 063054401124 653718330596 715785233856", "Manufacturer\n \u200f": "\u200e\n Reko", "ASIN\n \u200f": "\u200e\n B07PGQKDFD", "Best Sellers Rank": "#111,488 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#2,635 in Grocery Cookies", "#2,635 in Grocery Cookies": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Reko", "brand_url": "https://www.amazon.com/Reko/b/ref=bl_dp_s_web_19230431011?ie=UTF8&node=19230431011&field-lbr_brands_browse-bin=Reko", "full_description": "", "pricing": "$42.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51Z6P4gA6wL.jpg", "https://m.media-amazon.com/images/I/414TX1BQQmL.jpg", "https://m.media-amazon.com/images/I/517A-ftyP3L.jpg", "https://m.media-amazon.com/images/I/517HN+nCOZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Breads & Bakery \u203a Cookies", "average_rating": 4.4, "small_description": ["Delicious Italian Stlye Pizzelle Cookies ", "Certified Kosher ", "7oz * Pack of 6 ", "No Preservatives & No Trans Fats ", "**NOTE** Pizzelles are extremely FRAGILE and subject to MINOR DAMAGES. We'll be packing with protective materials as much as possible but this does not guarantee 100% all cookies will be delivered in a perfect condition. "], "total_reviews": 29, "total_answered_questions": "", "customization_options": "", "seller_id": "A1XEZN6ZMRTDHI", "seller_name": "VIVIWOODS", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07PGQKDFD", "category": "grocery", "query": "Grocery Cookies", "page": 117, "small_description_old": "About this item Delicious Italian Stlye Pizzelle Cookies Certified Kosher 7oz * Pack of 6 No Preservatives & No Trans Fats **NOTE** Pizzelles are extremely FRAGILE and subject to MINOR DAMAGES. We'll be packing with protective materials as much as possible but this does not guarantee 100% all cookies will be delivered in a perfect condition."}, {"name": "Mendove Sexy Men's Smooth Bikini Briefs Airplane Underwear", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 6.9 x 6.8 x 0.6 inches; 1.59 Ounces", "Item model number\n \u200f": "\u200e\n MD06HJK-Army Green-M", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n July 31, 2017", "ASIN\n \u200f": "\u200e\n B074FFT2HZ", "Best Sellers Rank": "#447,813 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#50 in Men's Bikini Underwear", "#50 in Men's Bikini Underwear": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Mendove Store", "brand_url": "https://www.amazon.com/stores/Mendove/page/CD7456E9-7DD9-4571-83C2-3BFF7AEE44CB?ref_=ast_bln", "full_description": "Please refer to the size measurement before ordering.Thank you for your visit.We use the USPS Postal Service to ship your order.You can easily get estimated delivery date when you place the order.We believe you will worth it. So please wait for it patiently!If you have any question about item's material, size, style, delivery date, please feel free to contact us. We will do our best to serve you.", "pricing": "$13.59", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41EMdDJhV6L.jpg", "https://m.media-amazon.com/images/I/41WBDb8vj3L.jpg", "https://m.media-amazon.com/images/I/41TVwjx+ilL.jpg", "https://m.media-amazon.com/images/I/51LbXMD8BOL.jpg", "https://m.media-amazon.com/images/I/41udHbNQWqL.jpg", "https://m.media-amazon.com/images/I/41fsYFbon0L.jpg", "https://m.media-amazon.com/images/I/51+W5UEdlvL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Underwear \u203a Bikinis", "average_rating": 3.9, "small_description": ["88% Nylon, 12% Spandex ", "Machine Wash ", "Asian size is smaller than US/EU/UK size, for perfect fit, please choose the proper size. ", "Lightweight, quick-dry, soft and comfortable, breathable farbic. ", "Bulge pouch design, snug-fitting and charming. ", "Great and very comfortable fit, great for lounging around or wearing under everyday clothes. ", "Open sheath sleeve design, hot and sexy, show your male charming "], "total_reviews": 179, "total_answered_questions": 4, "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Medium", "asin": "B074FQV6RF"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B074FMTQNC"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B074FH8QFR"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B074FFT2HZ/ref=twister_B074FJBRF4", "value": "Army Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41b9JZr3aBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B074FNF9T4/ref=twister_B074FJBRF4", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41KGPZdWJVL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B074FNY2WL/ref=twister_B074FJBRF4", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41iTKdmn4qL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B074FP2VW2/ref=twister_B074FJBRF4", "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31uB-M6B-xL.jpg"}, {"is_selected": true, "url": null, "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41EMdDJhV6L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07GF8PVWY/ref=twister_B074FJBRF4", "value": "Nude", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41IW2exHQ2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B074FC2KNG/ref=twister_B074FJBRF4", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31JymdUqWFL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B074FMTQNC", "category": "fashion", "query": "Men's Underwear", "page": 48, "small_description_old": "Asian size is smaller than US/EU/UK size, for perfect fit, please choose the proper size. Lightweight, quick-dry, soft and comfortable, breathable farbic. Bulge pouch design, snug-fitting and charming. Great and very comfortable fit, great for lounging around or wearing under everyday clothes. Open sheath sleeve design, hot and sexy, show your male charming"}, {"name": "14 Day Plain Black Candle", "product_information": {"Item Weight": "5 pounds", "Manufacturer": "The Original Candle Company", "ASIN": "B017L3XL54", "Customer Reviews": {"ratings_count": 2, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#2,898,792 in Home & Kitchen (See Top 100 in Home & Kitchen) #40,362 in Candles"]}, "brand": "Brand: The Original Candle Company", "brand_url": "https://www.amazon.com/The-Original-Candle-Company/b/ref=bl_dp_s_web_10548366011?ie=UTF8&node=10548366011&field-lbr_brands_browse-bin=The+Original+Candle+Company", "full_description": "Burn our 14 Day Plain Black candle for separation, to break a spell, or to banish evil.", "pricing": "$29.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41+eM2uqmeL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Candles & Holders \u203a Candles", "average_rating": 5, "small_description": ["This candle will burn for approximately 240 hours ", "4\" Wide and 9\" Tall ", "100% Paraffin Wax "], "total_reviews": 2, "total_answered_questions": "", "customization_options": "", "seller_id": "A3EKKMJAPENUME", "seller_name": "Original Products Botanica", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B017L3XL54", "category": "garden", "query": "Candles", "page": 381, "small_description_old": "About this item\n \nThis candle will burn for approximately 240 hours 4\" Wide and 9\" Tall 100% Paraffin Wax"}, {"name": "myhehthw Women's High Waisted Jeans for Women Distressed Ripped Jeans Slim Fit Butt Lifting Skinny Stretch Jeans Trousers", "product_information": {"Item model number\n \u200f": "\u200e\n women's jeans", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n December 28, 2021", "Manufacturer\n \u200f": "\u200e\n myhehthw", "ASIN\n \u200f": "\u200e\n B09PBNZLNT", "": ""}, "brand": "Visit the myhehthw Store", "brand_url": "https://www.amazon.com/stores/myhehthw/page/B4B40CE4-3538-40F3-AC61-F7153F02A2B3?ref_=ast_bln", "full_description": "\u2606Everyone is welcome to buy at Our shop, I wish you a happy shopping\u2606 Feature: \u27641. Made of soft and stretchy denim cotton fabric, breathable to wear.even after repeated wearing, this denim stays true to original form. \u27642. Matching: It match well with blouse, tank top, crop top, shirt, sweater, jackets, etc. It is comfortable and versatile to wear and suits for most occasions. \u27643. It is comfortable and versatile to wear and suits for most occasions such as casual, school, office, shopping, going out, vacation and so on. \u27644. You can wear these jeans to work for that business casual day at work and have a seamless transition to happy hour with your friends at night. Product information: \u2764Gender: Women/ Ladies/ Girls \u2764Seasons: autumn, winter, spring, summer \u2764Occasions: Perfect for casual daily, school, work, office, party, night out, club, dating, dinner, photo shoot, street, shopping, travel, outdoor, birthday, beach, friends matching outfits, gift, present for daughter/wife, Christmas, New Year, lounge. \u2764Material: Cotton, Polyester, Spandex \u2764Style: elegant, classic, casual, feminine and fashionable. \u2764Thickness: standard \u2764Washing care: machine washable, no bleaching/ironing, hanging or drying \u2606 Give you the best Blessings\u2606 Q: Size selection? A: Please choose according to the picture size table! If the size is not suitable, you can change it! If you are not sure, it is recommended that you buy a size one size larger than usual. Q: How about the model and quality? A: The pattern is printed clearly, and the product quality is comfortable and soft! Q: How long is the logistics time? A: Usually 2-3 weeks, it can be expedited! Q: Are there any additional benefits? A: You can consult the merchant, and the merchant will give you a satisfactory answer! So many advantages! Welcome to the clothing store!", "pricing": "$22.99$25.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31Qo5LzPPjL.jpg", "https://m.media-amazon.com/images/I/31kMUm+w4SL.jpg", "https://m.media-amazon.com/images/I/51gFYtPxmnL.jpg", "https://m.media-amazon.com/images/I/41yHt+Bdy8L.jpg", "https://m.media-amazon.com/images/I/31EYvWfDe+L.jpg", "https://m.media-amazon.com/images/I/31Mf1kqjVzL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Jeans", "average_rating": "", "small_description": ["75% Cotton, 20% Polyester, 5% Spandex ", "Made in the USA or Imported ", "\u3010Material\u3011: 75%Cotton+20%Polyester+5%Spandex. Made of soft denim fabric, even after repeated wearing, this denim stays true to original form. carefully selects super elastic farbic so that you will feel free in all positions when sitting or squatting. ", "Button closure ", "\u3010Care Instructions\u3011: Hand wash or gentle machine wash in cold water / do not bleach / line dry.That will increase the durability of your clothes. ", "\u3010Occasions\u3011: The fashion jeans is perfect choice for your daily wear, outdoor activities, shopping, dates and any other occasions in spring, summer, fall and winter. ", "\u3010Size\u3011: Due to manual measurement, please allow a certain error in the size of the clothes. There maybe 0.4-0.8 inch deviation in different sizes, locations and stretch of fabrics. , \u3010Satisfaction Priority\u3011: We will do our best to ensure the interests of each customer shopping in this store. If you have any questions or needs, please feedback to us in time., ripped jeans for teen girls y2k jeans jeans for women stretch straight leg jeans for women fleece lined jeans women plus size jeans skinny jeans boyfriend jeans black ripped jeans girls jeans jeans women fleece lined jeans men black ripped jeans women plus size jeans for stretch jeans for women stretchy jeans for women distressed jeans for women white jeans women boot cut for women jeans high waisted jeans womens skinny jeans pull on jeans for women, women's ripped skinny jeans hight waisted stretch distressed denim jeans for women juniors girls pants women winter jeans high waist fleece lined thick skinny warm thermal fashion denim pants skinny jeans for women stretchy high waist ripped colored denim pants butt lift sexy slim leggings women's classic denim jeans wide leg elastic high waist drawstring pants with pockets plus size womens bootcut jeans | western regular fit stretch boot cut jean | stylish flare bell bottom slim bootcut jeans, wide leg jeans for women women's jeans bell bottom jeans womens belts for jeans jeans for women stretch straight leg jeans for women y2k jeans skinny jeans black ripped jeans women ripped jeans for teen girls plus size jeans for women distressed jeans for women boyfriend jeans fleece lined jeans women stretch jeans for women jeans women white jeans women black skinny jeans women stretchy jeans for women, high waisted skinny jeans for women plus size bell bottom jeans for women colored jeans for women bell bottom jeans for girls leather jeans for women womens fleece lined jeans black stretch jeans for women straight jeans for women cargo jeans for women ripped jeans for girls distressed jean jacket women mid rise jeans for women work jeans high waisted bell bottom jeans for women plus size maternity jeans jean jumpsuit women jeans high waist ripped black jeans for women, ripped baggy jeans winter jeans for women plus size skinny jeans for women ripped jeans for women high waist low rise skinny jeans for women high waist jeans high rise skinny jeans for women womens mom jeans flared jeans womens distressed jeanswomen skinny jeans low rise bootcut jeans for women black maternity jeans maternity skinny jeans wide leg jeans for women high waist white ripped jeans 90s jeans for women printed jeans women's belts for jeans women\u2019s jeans"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null, "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09PBNZLNT"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09PBNG478"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09PBNT6WJ"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09PBP2QC7"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09PBPZ24Z"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PBPZ24Z", "category": "fashion", "query": "Women's Jeans", "page": 54, "small_description_old": "75% Cotton, 20% Polyester, 5% Spandex Made in the USA or Imported \u3010Material\u3011: 75%Cotton+20%Polyester+5%Spandex. Made of soft denim fabric, even after repeated wearing, this denim stays true to original form. carefully selects super elastic farbic so that you will feel free in all positions when sitting or squatting. Button closure \u3010Care Instructions\u3011: Hand wash or gentle machine wash in cold water / do not bleach / line dry.That will increase the durability of your clothes. \u3010Occasions\u3011: The fashion jeans is perfect choice for your daily wear, outdoor activities, shopping, dates and any other occasions in spring, summer, fall and winter. \u3010Size\u3011: Due to manual measurement, please allow a certain error in the size of the clothes. There maybe 0.4-0.8 inch deviation in different sizes, locations and stretch of fabrics. \n \u3010Satisfaction Priority\u3011: We will do our best to ensure the interests of each customer shopping in this store. If you have any questions or needs, please feedback to us in time.ripped jeans for teen girls y2k jeans jeans for women stretch straight leg jeans for women fleece lined jeans women plus size jeans skinny jeans boyfriend jeans black ripped jeans girls jeans jeans women fleece lined jeans men black ripped jeans women plus size jeans for stretch jeans for women stretchy jeans for women distressed jeans for women white jeans women boot cut for women jeans high waisted jeans womens skinny jeans pull on jeans for womenwomen's ripped skinny jeans hight waisted stretch distressed denim jeans for women juniors girls pants women winter jeans high waist fleece lined thick skinny warm thermal fashion denim pants skinny jeans for women stretchy high waist ripped colored denim pants butt lift sexy slim leggings women's classic denim jeans wide leg elastic high waist drawstring pants with pockets plus size womens bootcut jeans | western regular fit stretch boot cut jean | stylish flare bell bottom slim bootcut jeanswide leg jeans for women women's jeans bell bottom jeans womens belts for jeans jeans for women stretch straight leg jeans for women y2k jeans skinny jeans black ripped jeans women ripped jeans for teen girls plus size jeans for women distressed jeans for women boyfriend jeans fleece lined jeans women stretch jeans for women jeans women white jeans women black skinny jeans women stretchy jeans for womenhigh waisted skinny jeans for women plus size bell bottom jeans for women colored jeans for women bell bottom jeans for girls leather jeans for women womens fleece lined jeans black stretch jeans for women straight jeans for women cargo jeans for women ripped jeans for girls distressed jean jacket women mid rise jeans for women work jeans high waisted bell bottom jeans for women plus size maternity jeans jean jumpsuit women jeans high waist ripped black jeans for womenripped baggy jeans winter jeans for women plus size skinny jeans for women ripped jeans for women high waist low rise skinny jeans for women high waist jeans high rise skinny jeans for women womens mom jeans flared jeans womens distressed jeanswomen skinny jeans low rise bootcut jeans for women black maternity jeans maternity skinny jeans wide leg jeans for women high waist white ripped jeans 90s jeans for women printed jeans women's belts for jeans women\u2019s jeansShow more"}, {"name": "Hollywood Vanity Mirror with Lights, Lighted Makeup Mirror with 14 Led Bulbs Dimmable 3 Color Setting, Plug and Use Cosmetic Mirror for Vanity Top, Illuminated Light up Beauty Mirror White", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 1 x 19.6 x 16.5 inches; 10 Pounds", "Item model number\n \u200f": "\u200e\n JYD-HM-002", "UPC\n \u200f": "\u200e\n 663577429256", "Manufacturer\n \u200f": "\u200e\n FASCINATE", "ASIN\n \u200f": "\u200e\n B08DNGCK67", "Best Sellers Rank": "#448,361 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#2,036 in Personal Makeup Mirrors", "#2,036 in Personal Makeup Mirrors": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the FASCINATE Store", "brand_url": "https://www.amazon.com/stores/FASCINATE/page/C5444CFF-7CDC-49C3-B102-62C0B6FEE516?ref_=ast_bln", "full_description": "", "pricing": "$119.99", "list_price": "", "availability_quantity": 12, "availability_status": "Only 12 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41XEsRsgYbL.jpg", "https://m.media-amazon.com/images/I/51c7mzVM8TL.jpg", "https://m.media-amazon.com/images/I/51wz+kPWebL.jpg", "https://m.media-amazon.com/images/I/517bjVnu2QL.jpg", "https://m.media-amazon.com/images/I/41lDFOCAdML.jpg", "https://m.media-amazon.com/images/I/41nLmAwyeoL.jpg", "https://m.media-amazon.com/images/I/51ROkaZrKSL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Mirrors \u203a Makeup Mirrors", "average_rating": 4.4, "small_description": ["[Large Hollywood style mirror] The whole size is 16.5 \u201cH * 19.6\u201d L (51 cm x 42cm). The makeup vanity mirror with 14 dimmable led bulbs, makes your everyday makeup application pleasing though in poor lit area. Lighted vanity mirror size is 15.7 H * 19.6 L. ", "[LED illuminated Mirror with 3 Color Lights] The vanity tabletop mirror offers bright white, natural lights and warm white. You can apply light or heavy makeup for all occasions perfectly, warm white for makeup of parties; natural lights for outdoor activities, bright white for your commute and work. Lighting matters to a perfect makeup. You won\u2019t regret with this 3 color Hollywood light up mirror. ", "[Plug and Use] The Hollywood lighted vanity mirror is installation free. All you need to do is plug it with included US plug and touch to turn on, you will enjoy the beautiful lights for your makeup on your vanity top. ", "[Touch Control Lighted Mirror] Smart touch middle button to turn on/off beauty mirror, tap left button to choose bright white, natural lights and warm white, hold the right button to adjust brightness. All 3 color temperatures are dimmable. ", "[Perfect Gift for Women on Special Days] The Hollywood style lighted vanity mirror is perfect for makeup and dressing. Idea gift for ladies on birthday, Valentines\u2019 day, Mothers\u2019 day, Christmas, Thanksgiving day. The mirror is fragile though we have packed it well. It is hard to control during transit. Please feel free to contact us if there is any problem. You will get response in 24 hours. "], "total_reviews": 36, "total_answered_questions": 22, "customization_options": "", "seller_id": "A1RQF4MTE46TO3", "seller_name": "Fascinate Mirror", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08DNGCK67", "category": "beauty", "query": "Mirrors", "page": 66, "small_description_old": "About this item [Large Hollywood style mirror] The whole size is 16.5 \u201cH * 19.6\u201d L (51 cm x 42cm). The makeup vanity mirror with 14 dimmable led bulbs, makes your everyday makeup application pleasing though in poor lit area. Lighted vanity mirror size is 15.7 H * 19.6 L. [LED illuminated Mirror with 3 Color Lights] The vanity tabletop mirror offers bright white, natural lights and warm white. You can apply light or heavy makeup for all occasions perfectly, warm white for makeup of parties; natural lights for outdoor activities, bright white for your commute and work. Lighting matters to a perfect makeup. You won\u2019t regret with this 3 color Hollywood light up mirror. [Plug and Use] The Hollywood lighted vanity mirror is installation free. All you need to do is plug it with included US plug and touch to turn on, you will enjoy the beautiful lights for your makeup on your vanity top. [Touch Control Lighted Mirror] Smart touch middle button to turn on/off beauty mirror, tap left button to choose bright white, natural lights and warm white, hold the right button to adjust brightness. All 3 color temperatures are dimmable. [Perfect Gift for Women on Special Days] The Hollywood style lighted vanity mirror is perfect for makeup and dressing. Idea gift for ladies on birthday, Valentines\u2019 day, Mothers\u2019 day, Christmas, Thanksgiving day. The mirror is fragile though we have packed it well. It is hard to control during transit. Please feel free to contact us if there is any problem. You will get response in 24 hours."}, {"name": "LAJA IMPORTS MOUSTACHE TRIMMER FOR MEN,NOSE HAIR SCISSORS,CURVED AND ROUNDED FACIAL HAIR SCISSORS - MOUSTACHE SCISSOR, BEARD TRIMMING SCISSORS BEARD EYEBROW TRIMMER SCISSORS STAINLESS STEEL SET", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Manufacturer\n \u200f": "\u200e\n LAJA IMPORTS\u00ae", "ASIN\n \u200f": "\u200e\n B07CYS9J9N", "Best Sellers Rank": "#1,066,802 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,454 in Nose & Ear Hair Trimmers", "#1,454 in Nose & Ear Hair Trimmers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: LAJA IMPORTS", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=LAJA+IMPORTS", "full_description": "2 PACK NOSE HAIR SCISSORSTWO PAIRS OF SCISSORS FOR ALL YOUR FACIAL HAIR GROOMING NEEDS. PROFESSIONAL QUALITY SCISSORS FOR YOUR BEARD OR MUSTACHE, PLUS ROUND-TIPPED SCISSORS TO SAFELY TRIM EAR, NOSE AND EYEBROW HAIRS. KEEP YOURSELF LOOKING NEAT AND SHARP WITH THESE TOP-QUALITY PRECISION NOSE HAIR SCISSORS. NOSE HAIR SCISSORS BEARD EYEBROW TRIMMER SCISSORS STAINLESS STEEL SET", "pricing": "$8.29", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31zVu4Q8vSL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Shave & Hair Removal \u203a Men's \u203a Nose & Ear Hair Trimmers", "average_rating": 5, "small_description": ["1 PAIRS OF SCISSORS FOR ALL YOUR FACIAL HAIR GROOMING NEEDS. PROFESSIONAL QUALITY SCISSORS FOR YOUR BEARD OR MUSTACHE, PLUS ROUND-TIPPED SCISSORS TO SAFELY TRIM EAR, NOSE AND EYEBROW HAIRS. KEEP YOURSELF LOOKING NEAT AND SHARP WITH THESE TOP-QUALITY PRECISION NOSE HAIR SCISSORS. ", "IT SIMPLE AND COMFORTABLE TO USE; AN EXCELLENT PAIR OF SCISSORS TO TRAVEL WITH ", "PRECISE AND STURDY, WITH FULL SHARP EDGE CONTACT, PRODUCED German GRADE STAINLESS STEEL THAT PREVENTS RUST AND STAIN ", "MADE BY LAJA IMPORTS ", "BUY THE BEST FROM LAJA IMPORTS "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A3O9OAH5BNTR3B", "seller_name": "LAJA IMPORTS", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07CYS9J9N", "category": "beauty", "query": "Foot, Hand & Nail Care", "page": 134, "small_description_old": "About this item 1 PAIRS OF SCISSORS FOR ALL YOUR FACIAL HAIR GROOMING NEEDS. PROFESSIONAL QUALITY SCISSORS FOR YOUR BEARD OR MUSTACHE, PLUS ROUND-TIPPED SCISSORS TO SAFELY TRIM EAR, NOSE AND EYEBROW HAIRS. KEEP YOURSELF LOOKING NEAT AND SHARP WITH THESE TOP-QUALITY PRECISION NOSE HAIR SCISSORS. IT SIMPLE AND COMFORTABLE TO USE; AN EXCELLENT PAIR OF SCISSORS TO TRAVEL WITH PRECISE AND STURDY, WITH FULL SHARP EDGE CONTACT, PRODUCED German GRADE STAINLESS STEEL THAT PREVENTS RUST AND STAIN MADE BY LAJA IMPORTS BUY THE BEST FROM LAJA IMPORTS"}, {"name": "SheIn Women's Sexy Cut Out One Shoulder Mini Bodycon Dress Drawstring Slip Dresses with Thong", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 14 x 10.5 x 0.5 inches; 5.93 Ounces", "Item model number\n \u200f": "\u200e\n 06-si2109081257556168-S", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n December 27, 2021", "ASIN\n \u200f": "\u200e\n B09N7164MD", "Best Sellers Rank": "#1,045,741 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#5,078 in Women's Club & Night Out Dresses", "#5,078 in Women's Club & Night Out Dresses": ""}, "brand": "Visit the SheIn Store", "brand_url": "https://www.amazon.com/stores/SheIn/page/D8D952E3-6804-4133-9EE2-F716733F2E2F?ref_=ast_bln", "full_description": "Size Chart: S: Top Length: 29.9\", Bottoms Length: 7.9\", Bust: 28.0\", Waist Size: 26.8-26-37.8\"/ M: Top Length: 30.7\", Bottoms Length: 8.3\", Bust: 29.5\", Waist Size: 28.3-27.6-39.4\"/ L: Top Length: 31.5\", Bottoms Length: 8.7\", Bust: 31.1\", Waist Size: 29.9-29.1-40.9\"/ XL: Top Length: 32.3\", Bottoms Length: 9.1\", Bust: 32.7\", Waist Size: 31.5-30.7-42.5\"/ XXL: Top Length: 33.1\", Bottoms Length: 9.4\", Bust: 34.3\", Waist Size: 33.1-32.3-44.1\"/", "pricing": "$20.99$23.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41w9HzqJ+NL.jpg", "https://m.media-amazon.com/images/I/315U9iuzXZL.jpg", "https://m.media-amazon.com/images/I/31VK0-8V+aL.jpg", "https://m.media-amazon.com/images/I/31IqM1c0mCL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Dresses \u203a Club & Night Out", "average_rating": "", "small_description": ["85% Polyester, 15% Acrylic ", "Pull On closure ", "Made of soft and medium stretchy material, keeping you easeful while sleeping at night, that's smooth against the skin so you can enjoy superior comfort ", "The chemise babydoll dress features cutout design, one shoulder, drawstring side. Matching with sexy thong fully shows your charming body ", "This sexy nightgown is great for your girlfriend, wife as a birthday gift or anniversary gift, and she will surprise and love for it ", "Perfect for wedding night, lingerie party, honeymoon, Valentine's Days, anniversary, bedroom and every special moment ", "Please kindly refer to the Item Description below for Size Details "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09N7164MD"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09N6MQ5WB"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09N6Y4S4L"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09N6RYH8T"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09N6WLYY1"}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41w9HzqJ+NL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NY53T1H/ref=twister_B09N722SFG", "value": "Pure Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41CW3kqx-rL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09N6WLYY1", "category": "fashion", "query": "Women's Dresses", "page": 111, "small_description_old": "Made of soft and medium stretchy material, keeping you easeful while sleeping at night, that's smooth against the skin so you can enjoy superior comfort The chemise babydoll dress features cutout design, one shoulder, drawstring side. Matching with sexy thong fully shows your charming body This sexy nightgown is great for your girlfriend, wife as a birthday gift or anniversary gift, and she will surprise and love for it Perfect for wedding night, lingerie party, honeymoon, Valentine's Days, anniversary, bedroom and every special moment Please kindly refer to the Item Description below for Size Details"}, {"name": "JYMYGS VR Headset, Universal Virtual Reality Goggles 3D VR Glasses for IMAX Movies&VR Games, for iPhone 12/11/X/XR, Samsung A71/A50/S20 FE/S10, Xiaomi, Huawei, etc.", "product_information": {"Package Dimensions": "7.48 x 5.91 x 3.94 inches", "Item Weight": "2.2 pounds", "ASIN": "B09DPDGYRK", "Date First Available": "August 26, 2021", "Department": "Unisex-adult", "Manufacturer": "JYMYGS"}, "brand": "Brand: JYMYGS", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=JYMYGS", "full_description": "Product weight: 415gApplicable age: over 6 years oldSuitable for myopia: below 600 degrees\u25c6 Tips:-Due to different lighting conditions and display methods, there may be color differences, please refer to the actual product.-The product size is manually measured, there may be a gap with the actual size, the error is about 0.5-1cm is normal.-If you encounter any problems, please contact us in time, when you provide it to us, we will provide customers with 24-hour quality service.", "pricing": "$54.90", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/413zUsA4wWL.jpg", "https://m.media-amazon.com/images/I/41oFG60etBL.jpg", "https://m.media-amazon.com/images/I/41TnC118AqL.jpg", "https://m.media-amazon.com/images/I/51k8--o7TUL.jpg", "https://m.media-amazon.com/images/I/5164wn9r7zL.jpg", "https://m.media-amazon.com/images/I/41p37bcXFLL.jpg", "https://m.media-amazon.com/images/I/41pIga2ngyL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Virtual Reality (VR) Headsets", "average_rating": "", "small_description": ["\u2663 HD goggles- We insist on using lenses with a light transmittance of 94% or more, and use anti-reflection and anti-blue light coated lenses to prevent eye fatigue when using headphones. ", "\u2663 Support wearing glasses - Suitable for the nearsighted people with myopia under 600 degree. Also we designed the pupil distance button with a larger range to optimize your visual experience. ", "\u2663 Strong compatibility - VR goggles are compatible with iPhone ios, X, XR, XS, 8, 8 plus, 9, 9 plus, 10, 7, 7 plus, 6, 6s, 6s plus, 6 plus, 6, 5, 5 plus, 5c, 5s, SE, etc. Also compatible with Samsung Android Galaxy s8, s7, j3, s7 edge, s6, s6 edge, note5, a8+, note 3, note 4, note 5, note 7, note 8, note 9, s5 s6, s7, s8, s8 plus, s9, s9 plus, s10, s10 plus. ", "\u2663 Ergonomic Design - This adjustable T-shaped strap is made of lightweight material, which can decrease the pressure around your eyes, face and on your head, providing you more comfortable feeling. ", "\u2663 Download 3D Video Apps -- Works with over 500+ iOS/Android virtual reality apps. This VR can't automatically transform images to 3D format, you need to download APPs with 3D format video or watch panorama videos on YouTube, QR code, Apple Store or Google Play. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3VLB8GUWHMAU0", "seller_name": "taiyuanshiyijiamaoyiyouxianzerengongsi", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09DPDGYRK", "category": "electronics", "query": "Virtual Reality", "page": 108, "small_description_old": "\u2663 HD goggles- We insist on using lenses with a light transmittance of 94% or more, and use anti-reflection and anti-blue light coated lenses to prevent eye fatigue when using headphones. \u2663 Support wearing glasses - Suitable for the nearsighted people with myopia under 600 degree. Also we designed the pupil distance button with a larger range to optimize your visual experience. \u2663 Strong compatibility - VR goggles are compatible with iPhone ios, X, XR, XS, 8, 8 plus, 9, 9 plus, 10, 7, 7 plus, 6, 6s, 6s plus, 6 plus, 6, 5, 5 plus, 5c, 5s, SE, etc. Also compatible with Samsung Android Galaxy s8, s7, j3, s7 edge, s6, s6 edge, note5, a8+, note 3, note 4, note 5, note 7, note 8, note 9, s5 s6, s7, s8, s8 plus, s9, s9 plus, s10, s10 plus. \u2663 Ergonomic Design - This adjustable T-shaped strap is made of lightweight material, which can decrease the pressure around your eyes, face and on your head, providing you more comfortable feeling. \u2663 Download 3D Video Apps -- Works with over 500+ iOS/Android virtual reality apps. This VR can't automatically transform images to 3D format, you need to download APPs with 3D format video or watch panorama videos on YouTube, QR code, Apple Store or Google Play."}, {"name": "Pidy 3.25\" Puff Pastry Quiche Shells - 8ct Pack", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 8.82 x 4.41 x 4.25 inches; 9.91 Ounces", "UPC\n \u200f": "\u200e\n 759170916405", "Manufacturer\n \u200f": "\u200e\n Pidy", "ASIN\n \u200f": "\u200e\n B07YL7L9BF", "Best Sellers Rank": "#168,670 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#10 in Pastry Shells & Crusts", "#10 in Pastry Shells & Crusts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Creative Gourmand", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Creative+Gourmand", "full_description": "", "pricing": "$17.75", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41S5jaEwbKL.jpg", "https://m.media-amazon.com/images/I/31QYS-f9sCL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Breads & Bakery \u203a Pastry Shells & Crusts", "average_rating": 3.4, "small_description": ["Delicious Pidy 3.25\" Puff Pastry Quiche Shells! ", "The start to your creative ideas! ", "Professional product repackaged for use at home! "], "total_reviews": 26, "total_answered_questions": "", "customization_options": "", "seller_id": "A1QQFVQTVOLZFS", "seller_name": "Creative Gourmand LLC", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07YL7L9BF", "category": "grocery", "query": "Frozen", "page": 321, "small_description_old": "About this item Delicious Pidy 3.25\" Puff Pastry Quiche Shells! The start to your creative ideas! Professional product repackaged for use at home!"}, {"name": "Messy Bun Scrunchie Hair Bun Extensions Wavy Curly Messy Donut Hairpieces Synthetic Donut Updo Hair Pieces for Women and Girls (black brown)", "product_information": {"Manufacturer\n \u200f": "\u200e\n Fausga", "ASIN\n \u200f": "\u200e\n B09QMJ5KQH", "": ""}, "brand": "Brand: Fausga", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Fausga", "full_description": "100% brand new and high qualityhigh temperature silkProperty: Stocked,\u00a0 Environmentally FriendlySize: 13cmUnique design with high qualityA small amount of hair loss is normal During Wearing Wig. There is 1 ~ 2cm error because munual measurement Posted by horizontal.Please kindly understand the color shading due to Shooting1Pc Hair Ring Bun", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51gLSOY480L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Hairpieces", "average_rating": "", "small_description": ["Occasions: 2022 Fashion wigs can be used all year round.designed for cosplay, costume party, carnival, halloween, fashion or just for fun.-----\ud83c\udf3b\ud83c\udf3b human hair synthetic lace front wigs full lace wigs short wigs for black women wigs for women human hair lace front wigs human hair with baby hair braided wigs curly wigs for black women lace wig wavy natural resistant long color air synthetic.Wigs lace front wigs human hair wigs for women wigs for black women full lace human hai ", "About Shipping: Shipped about 10-18 Days To Delivered----\ud83c\udf3b\ud83c\udf3bfashion wigs with free wig cap fashion glueless copper red long natural wavy free part lace front wigs heat resistant synthetic hair wig for women curly wigs for women's fashion hair extensions color wig curly hairstyle look same with human hair wig.Wigs cosplay long layered wigs 24 inches short wigs for women full hair wig natural with natural layers shoulder length looking wigs with wig cap blonde wigs for white w ", "A New You is Waiting------\ud83c\udf3b\ud83c\udf3bbaby hair long wave wigs long curly wigs human hair long curly wigs human hair middle part long wave wigs middle part long wave wigs middle part long wave wigs cosplay long wave wigs cosplay long wave wigs long wavy wigs for black women high density long wave wigs.Women lace wigs human hair short wigs human lace front wigs synthetic long wave wigs synthetic long wave wigs synthetic long wave wigs highlight long wave wigs girls long curly wigs lon ", "Daily Wear-----\ud83c\udf3b\ud83c\udf3bwomen 360 lace frontal wig lace front wig wigs for black women human hair wig grip bob wig human hair wig wig caps for women lace front wigs human hair with baby hair lace wigs bob wigs for black women short wig short wigs front lace wigs lace front.High quality long wave wigs high density long wave wigs soft long wave wigs ladies long curly hair wig long black wavy cosplay wig brown to blond hair wig wigs hair lace front wigs human hair wigs for women wig ", "Cosplay-----\ud83c\udf3b\ud83c\udf3bWigs for Women, Extensions Wigs Accessories Long Curly Wavy Hair Wig Cosplay Daily Party Wig Human Hair Wig Curly Wig for Women Girl Hair Replacement Wigs Curly Straight Full Hair Extensions Women Girls Short Curly Synthetic Wig Lace Front Wigs For Women Short Bob Hair Wig long body wave lace front wigs casual long wave wigs casual long wave wigs long wave wigs for white women long wave wigs for white women black women long wave wigs "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09QMJYRVJ/ref=twister_B09QMJ8KBH?_encoding=UTF8&psc=1", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51fJfn+ui2L.jpg"}, {"is_selected": true, "url": null, "value": "black brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51gLSOY480L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QMHNQ8N/ref=twister_B09QMJ8KBH?_encoding=UTF8&psc=1", "value": "dark brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51gj6y05pOL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QMJ5KQH", "category": "beauty", "query": "Hair Extensions, Wigs & Accessories", "page": 112, "small_description_old": "Occasions: 2022 Fashion wigs can be used all year round.designed for cosplay, costume party, carnival, halloween, fashion or just for fun.-----\ud83c\udf3b\ud83c\udf3b human hair synthetic lace front wigs full lace wigs short wigs for black women wigs for women human hair lace front wigs human hair with baby hair braided wigs curly wigs for black women lace wig wavy natural resistant long color air synthetic.Wigs lace front wigs human hair wigs for women wigs for black women full lace human hai About Shipping: Shipped about 10-18 Days To Delivered----\ud83c\udf3b\ud83c\udf3bfashion wigs with free wig cap fashion glueless copper red long natural wavy free part lace front wigs heat resistant synthetic hair wig for women curly wigs for women's fashion hair extensions color wig curly hairstyle look same with human hair wig.Wigs cosplay long layered wigs 24 inches short wigs for women full hair wig natural with natural layers shoulder length looking wigs with wig cap blonde wigs for white w A New You is Waiting------\ud83c\udf3b\ud83c\udf3bbaby hair long wave wigs long curly wigs human hair long curly wigs human hair middle part long wave wigs middle part long wave wigs middle part long wave wigs cosplay long wave wigs cosplay long wave wigs long wavy wigs for black women high density long wave wigs.Women lace wigs human hair short wigs human lace front wigs synthetic long wave wigs synthetic long wave wigs synthetic long wave wigs highlight long wave wigs girls long curly wigs lon Daily Wear-----\ud83c\udf3b\ud83c\udf3bwomen 360 lace frontal wig lace front wig wigs for black women human hair wig grip bob wig human hair wig wig caps for women lace front wigs human hair with baby hair lace wigs bob wigs for black women short wig short wigs front lace wigs lace front.High quality long wave wigs high density long wave wigs soft long wave wigs ladies long curly hair wig long black wavy cosplay wig brown to blond hair wig wigs hair lace front wigs human hair wigs for women wig Cosplay-----\ud83c\udf3b\ud83c\udf3bWigs for Women, Extensions Wigs Accessories Long Curly Wavy Hair Wig Cosplay Daily Party Wig Human Hair Wig Curly Wig for Women Girl Hair Replacement Wigs Curly Straight Full Hair Extensions Women Girls Short Curly Synthetic Wig Lace Front Wigs For Women Short Bob Hair Wig long body wave lace front wigs casual long wave wigs casual long wave wigs long wave wigs for white women long wave wigs for white women black women long wave wigs"}, {"name": "Organic Medjool Dates, 2 Pounds \u2013 Non-GMO, Whole Dried Dated with Pits, Large Size, Unsweetened, Unsulphured, Vegan, Sirtfood, Bulk. Good Source of Potassium, Magnesium, and Dietary Fiber. Perfect Dried Fruit Snack.", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 2 x 4 x 6 inches; 1.85 Pounds", "UPC\n \u200f": "\u200e\n 637390644103", "Manufacturer\n \u200f": "\u200e\n Food to Live", "ASIN\n \u200f": "\u200e\n B015PWVRPO", "Best Sellers Rank": "#43,742 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#46 in Dried Dates", "#46 in Dried Dates": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Food to Live Store", "brand_url": "https://www.amazon.com/stores/FoodtoLive/page/F93881C5-2CDC-40CA-BAF2-2BCD9EAA5A14?ref_=ast_bln", "full_description": "", "pricing": "$25.49", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/51ovpruPtfS.jpg", "https://m.media-amazon.com/images/I/51qwoPOcvTL.jpg", "https://m.media-amazon.com/images/I/51uR3aE2qOL.jpg", "https://m.media-amazon.com/images/I/51ew8AtZuGS.jpg", "https://m.media-amazon.com/images/I/51OWCHnJppL.jpg", "https://m.media-amazon.com/images/I/51gQDHYmNBL.jpg", "https://m.media-amazon.com/images/I/A1aZ7V+Q2zL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Produce \u203a Dried Fruits & Vegetables \u203a Dried Fruits \u203a Dried Dates", "average_rating": 4.5, "small_description": ["These are the finest quality organic Medjool dates grown in the Israel. They are handpicked to ensure that each date is perfect in size and color. ", "Medjool dates give you a boost of power. One ounce of them (28 grams) contains 21 grams of carbohydrates, which means that dates are powerhouse fruits. ", "Eating 2-4 dates a day provides you with one of the 5-a-day necessary servings of vitamins and minerals you need to consume to stay healthy. ", "Our organic Medjool dates are large, meaty, sweet, and deliciously juicy. They are the very best of the best. ", "Medjool dates are known as the \u201cfruit of kings\u201d and they used to be reserved exclusively for royalty. But today you can also enjoy the delicious, rich flavor of these fruits. "], "total_reviews": 431, "total_answered_questions": 17, "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B015PWVROK/ref=twister_B08YXXBKZH?_encoding=UTF8&psc=1", "value": "1 Pound (Pack of 1)", "price_string": "$13.48", "price": 13.48, "image": null}, {"is_selected": true, "url": null, "value": "2 Pound (Pack of 1)", "price_string": "$25.49", "price": 25.49, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B015PWVRRW/ref=twister_B08YXXBKZH?_encoding=UTF8&psc=1", "value": "5 Pound (Pack of 1)", "price_string": "$46.98", "price": 46.98, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B093Y1WKWG/ref=twister_B08YXXBKZH?_encoding=UTF8&psc=1", "value": "10 Pound", "price_string": "$70.99", "price": 70.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B015PWVRS6/ref=twister_B08YXXBKZH?_encoding=UTF8&psc=1", "value": "15 Pound (Pack of 1)", "price_string": "$97.49", "price": 97.49, "image": null}]}, "seller_id": "A6NL9JOZSRI4P", "seller_name": "Food To Live \u00ae", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B015PWVRPO", "category": "grocery", "query": "Dried Fruits & Raisins", "page": 12, "small_description_old": "About this item These are the finest quality organic Medjool dates grown in the Israel. They are handpicked to ensure that each date is perfect in size and color. Medjool dates give you a boost of power. One ounce of them (28 grams) contains 21 grams of carbohydrates, which means that dates are powerhouse fruits. Eating 2-4 dates a day provides you with one of the 5-a-day necessary servings of vitamins and minerals you need to consume to stay healthy. Our organic Medjool dates are large, meaty, sweet, and deliciously juicy. They are the very best of the best. Medjool dates are known as the \u201cfruit of kings\u201d and they used to be reserved exclusively for royalty. But today you can also enjoy the delicious, rich flavor of these fruits."}, {"name": "Mens Casual Cargo Pants Hi Vis Viz Reflective Overalls High Visibility Safe Work Pants Outdoor Hiking Trousers Big and Tall", "product_information": {"Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n July 9, 2021", "Manufacturer\n \u200f": "\u200e\n Burband", "ASIN\n \u200f": "\u200e\n B0991X76CZ", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Burband", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Burband", "full_description": "\u00b7Material: High-quality Cotton, Polyester,Spandex, Soft/ Lightweight/Breathable/Stretchy fabric, make you feel comfortable when wearing. \u00b7Features: The pants is a lifestyle that combines style, comfort, fit, and performance. The high quality active wear is affordable and accessible, perfect for fitness enthusiasts and everyday athleisure. \u00b7Occasion: Perfect for yoga, dance, school, vacation, beach, jogger, trousers, great for hot summer days, also suitable for wearing in the cool season. \u00b7Easy care, machine wash in cold water or hand wash.Summer shorts,beach shorts,Denim shorts,active shorts,plus size shorts,comfy shorts. \u00b7womens pants/pants for work/bell bottom jeans/flare jeans/summer shorts/denim shorts/womens linen pants/yoga pants/workout leggings. \u00b7womens pants jeans denim joggers capris shorts slacks/womens pants for work/high waist/relaxed fit/linen/plus size/loose fit/yoga pants/skinny jeans ripped. \u00b7Note: Please allow 0.5-1.0 inches measuring deviation due to manual measurement and different stretch of fabrics. \u00b7Note :Size runs small,Please check the size chart before purchase and choose 1-2 size up. \u00b7If you have any questions, please feel free to contact us,we will answer you in 24 hours. \u00b7Others:2121 summer pants cargo mens pants khaki joggers for men track chino pants ripped jeans dress pants tactical plaid waterproof snowboard linen pants jogger jeans slacks for men work pant suits yoga corduroy pajama skinny distressed jeans leather flat front sports running athletic cargo trousers capri lounge pants workout casual cropped pants fishing climbing suit pants skate cool ski bibs dress slacks casual short beach", "pricing": "$16.79", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41EtKhfNAQL.jpg", "https://m.media-amazon.com/images/I/31CWmEATfDL.jpg", "https://m.media-amazon.com/images/I/41JfGP7PhkL.jpg", "https://m.media-amazon.com/images/I/41KzmVzeuAL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Sport Specific Clothing \u203a Running \u203a Men \u203a Pants", "average_rating": 3.3, "small_description": ["\u3010Occasion\u3011- These summer beach shorts are perfect for yoga, gym fitness, lounging at home, workouts or everyday wear, dating amd beach Etc. closure ", "Feature: - Summer beach loose pants, elastic waist, straight leg, loose fitting, elastic waist, drawstring, deep pockets, joggers chino for men, casual lounge pants, yoga pants, workout running pants, outdoor lounge pants, pajamas pants for mens, sleep night lounge pants, sporting pants, workout leggings, cargo shorts, denim shorts,flat front shorts, plaid pajama shorts, drawstring shorts, chino shorts, pleated short, workout shorts, swim trunks for men and women. ", "Feature: - Burband 2021 fashion mens pants, shorts, casual,jogger sweatpants,palazzo pajamas pants,bell bottoms,denim pants,linen pants,skinny jeans,track travel hiking pants,cargo pants, cargo shorts, flat front shorts, drawstring shorts, chino shorts, pleated shorts, active shorts, workout shorts, swimsuits, swim Trunks, board shorts, sleep bottoms design. ", "mens pants khaki mens dress pants hiking pajama work summer beach linen pants loose casual elastic waist drawstring yoga lounge pants baseball compression yoga golf pants workout lounge track pants casual white waterproof chinos jogger capri tactical pants mens harem pants mens slim fit dress pants running sleep motorcycle rain convertible black lightweight pants swim trunks summer beach yoga pants women cotton crapped shorts outdoor workout athletic gym shorts ", "2021 mens pants casual expandable elastic waist drawstring cotton beach yoga comfy lounge stretch trouser relaxed fit jeans denim shorts cargo camo motorcycle tactical workout khaki jogger biking control active swim trunks chino fit pleat flat front with liner jersey spandex mutil pockets straight fit golf big tall track sweatpants ripped dress shorts waterproof suits corduroy pajama skinny distressed leather capri lounge pants workout cropped pants fishing climbing suit skate cool slacks ", "tops for women graphic tees shirts for men blouse t shirt custom polo shirts t shirt design hawaiian shirts shirts & tops off the shoulder tops t shirts for men tie dye shirts flannel shirts long sleeve shirts disney shirts mens polo shirts christmas shirts plus size tops womens shirts t shirts for women tunic tops for women mens long sleeve shirts mens graphic tees workout tops women's tops and blouses plus size women slim fit t shirts ", "Special size type: big-tall , Rise style: Knee High, Fit type: Straight,Loose, Leg style: Bootcut"], "total_reviews": 5, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B0991X76CZ/ref=twister_B0991XND6R", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31pxvaHrLLL.jpg"}, {"is_selected": true, "url": null, "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41EtKhfNAQL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0991W4T2S/ref=twister_B0991XND6R", "value": "Orange", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41sj-Xyv6oL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QZQSJBJ/ref=twister_B0991XND6R", "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31BBtaTV1TL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B0991XP2NK"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B0991XN7H5"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B0991TMF8H"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B0991XZ614"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B0991XDS7H"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B099231V35"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B099231V35", "category": "fashion", "query": "Men's Pants", "page": 36, "small_description_old": "\u3010Occasion\u3011- These summer beach shorts are perfect for yoga, gym fitness, lounging at home, workouts or everyday wear, dating amd beach Etc. closure Feature: - Summer beach loose pants, elastic waist, straight leg, loose fitting, elastic waist, drawstring, deep pockets, joggers chino for men, casual lounge pants, yoga pants, workout running pants, outdoor lounge pants, pajamas pants for mens, sleep night lounge pants, sporting pants, workout leggings, cargo shorts, denim shorts,flat front shorts, plaid pajama shorts, drawstring shorts, chino shorts, pleated short, workout shorts, swim trunks for men and women. Feature: - Burband 2021 fashion mens pants, shorts, casual,jogger sweatpants,palazzo pajamas pants,bell bottoms,denim pants,linen pants,skinny jeans,track travel hiking pants,cargo pants, cargo shorts, flat front shorts, drawstring shorts, chino shorts, pleated shorts, active shorts, workout shorts, swimsuits, swim Trunks, board shorts, sleep bottoms design. mens pants khaki mens dress pants hiking pajama work summer beach linen pants loose casual elastic waist drawstring yoga lounge pants baseball compression yoga golf pants workout lounge track pants casual white waterproof chinos jogger capri tactical pants mens harem pants mens slim fit dress pants running sleep motorcycle rain convertible black lightweight pants swim trunks summer beach yoga pants women cotton crapped shorts outdoor workout athletic gym shorts 2021 mens pants casual expandable elastic waist drawstring cotton beach yoga comfy lounge stretch trouser relaxed fit jeans denim shorts cargo camo motorcycle tactical workout khaki jogger biking control active swim trunks chino fit pleat flat front with liner jersey spandex mutil pockets straight fit golf big tall track sweatpants ripped dress shorts waterproof suits corduroy pajama skinny distressed leather capri lounge pants workout cropped pants fishing climbing suit skate cool slacks tops for women graphic tees shirts for men blouse t shirt custom polo shirts t shirt design hawaiian shirts shirts & tops off the shoulder tops t shirts for men tie dye shirts flannel shirts long sleeve shirts disney shirts mens polo shirts christmas shirts plus size tops womens shirts t shirts for women tunic tops for women mens long sleeve shirts mens graphic tees workout tops women's tops and blouses plus size women slim fit t shirts Special size type: big-tall \n Rise style: Knee HighFit type: Straight,LooseLeg style: BootcutShow more"}, {"name": "Compact Versatile Design X-Shaped Kitchen Baker's Rack Microwave Stand Utility Shelf with 6 Hooks Sturdy Durable Steel, Adjustable Foot Pad", "product_information": {"Manufacturer": "Caraya", "ASIN": "B08SHNQJBW", "Date First Available": "December 21, 2018"}, "brand": "Brand: Caraya", "brand_url": "https://www.amazon.com/Caraya/b/ref=bl_dp_s_web_20391165011?ie=UTF8&node=20391165011&field-lbr_brands_browse-bin=Caraya", "full_description": "Compact Versatile Design X-Shaped Kitchen Baker's Rack Microwave Stand Utility Shelf with 6 Hooks Sturdy Durable Steel, Adjustable Foot PadDescription:If you don't have a place for cutlery or a microwave oven, our kitchen baker\u2019s rack will be your perfect choice. Multiple shelves design ensures both small kitchen appliances and cooking utensils can be neatly stowed away. Constructed of durable steel, the stylish kitchen rack offers the best of both rugged reliability and modern appeal. Even more, adjustable leveling feet allow the shelving unit to be placed on uneven ground. Which also can be used as a microwave stand, the kitchen baker's rack is a useful addition to any living space or storage area!Features:6 small hooks make it easier to hang pots, pans, utensils, etcX-shaped steel pipe frame increase the firmnessAmple storage space to place multiple itemsComposed of engineered wood and steel tube, it can be used for a long timeAdjustable foot pad enables the rack to stand stably on the uneven floorPull out wire baskets can be used to store fruits and vegetablesIts vintage wood texture constitutes a unique decorative effectCompact and versatile design makes it a complement to any homeSpecifications:Color: As the picture showsMaterial: Engineered Wood, SteelProduct Size: 35.5\"x 16\" x 33.5\" (L x W x H)Net Weight: 33 lbsWeight Capacity: 176 lbsPackage Includes:1x Kitchen Baker's Rack1 x Instructions", "pricing": "$208.99", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/51Im4vPZNiL.jpg", "https://m.media-amazon.com/images/I/51SLS1K-PyL.jpg", "https://m.media-amazon.com/images/I/51QMW6AyyAL.jpg", "https://m.media-amazon.com/images/I/519qvDgAspL.jpg", "https://m.media-amazon.com/images/I/510Dx46a7EL.jpg", "https://m.media-amazon.com/images/I/51sjiXrrfwL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Storage & Organization \u203a Racks, Shelves & Drawers \u203a Standing Shelf Units", "average_rating": "", "small_description": ["6 small hooks make it easier to hang pots, pans, utensils, etc ", "Ample storage space to place multiple items ", "Composed of engineered wood and steel tube, it can be used for a long time ", "Adjustable foot pad enables the rack to stand stably on the uneven floor ", "Adjustable foot pad enables the rack to stand stably on the uneven floor "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A39VJBVKZ9VZQG", "seller_name": "Caraya", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08SHNQJBW", "category": "garden", "query": "Baker's Racks", "page": 272, "small_description_old": "About this item\n \n6 small hooks make it easier to hang pots, pans, utensils, etc Ample storage space to place multiple items Composed of engineered wood and steel tube, it can be used for a long time Adjustable foot pad enables the rack to stand stably on the uneven floor Adjustable foot pad enables the rack to stand stably on the uneven floor"}, {"name": "ANSTAND 42.5 Inch Console Table 3 Tier Accent Entryway Table,Industrial Style X-Shaped Cross Metal Frame Sofa Side Table Hall Table Display Table for Home Office,Black", "product_information": {"Product Dimensions": "9.1 x 42.5 x 29.9 inches", "Manufacturer": "Anstand", "ASIN": "B09RX1PLP4", "Date First Available": "February 7, 2022"}, "brand": "Brand: Anstand", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Anstand", "full_description": "Features: 1. Solid & durable--- Made of smooth MDF board and Thickened metal frame 2. Versatile - Works great as a console table, entry way table, Hall table, display table, etc. This is a good table for behind the couch to keep your phone chargers, remotes, keys and other items you need close by or behind a corner bed to sit lamps on 3. Industrial vintage home decor --- this console sofa entryway table rustic and simplistic.Easy to compliment to your home decor and highlight taste 4. Easy to assemble --- All you need to do is assemble the screws. A few minutes later, your entryway table is completed. All tools,detailed instruction and floor protection's footpad included Specifications: 1. Product Dimension\uff1a(42.52 x 9.05 x 29.92)\" / (108 x 23 x 76)cm (L x W x H) 2. Color: Black Oak 4. Material\uff1aMDF Metal 5. Weight Capacity: 55 lb / 25 kg 6. Weight: 26.01 lb / 11.8 kg Package Includes: 1 x Hardware 1 x Allen Key 1 x Instruction Manual 1 x Table Notes: 1. When receiving the goods, please confirm the product according to the listing of instructions. Once you find less pieces, please provide relevant pictures to contact us. We will deal it in the time 2.It is recommended that the installation should not be too tight to adjust easily. After the structure is installed, firm the interface for more stability", "pricing": "$109.99", "list_price": "", "availability_quantity": 9, "availability_status": "Only 9 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41xiGkEh2CL.jpg", "https://m.media-amazon.com/images/I/3195TWa0otL.jpg", "https://m.media-amazon.com/images/I/413LyPvm1bL.jpg", "https://m.media-amazon.com/images/I/41mzQuUxFeL.jpg", "https://m.media-amazon.com/images/I/41kq5mqhYlL.jpg", "https://m.media-amazon.com/images/I/41+2pXGwjyL.jpg", "https://m.media-amazon.com/images/I/41THg6KSdfL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Tables \u203a Sofa & Console Tables", "average_rating": "", "small_description": ["Industrial Vintage Home Decor:This console sofa entryway table fashion and simplistic.Easy to compliment to your home decor and highlight taste. ", "Solid & Durable:Whole table is made of smooth MDF board and thickened metal frame,offers superb durability and stability for long-term use.Up to 55 pounds weight capacity of the shelf let you can store and display a lot of items on it with no problem.Adjustable feet ensure a more stable table and protect the floor from scratching. ", "Versatile Use:It works great as a console table, entry way table, Hall table, display table, etc. This is a good table for behind the couch to keep your phone chargers, remotes, keys and other items you need close by or behind a corner bed to sit lamps on. ", "Easy to Assemble:All you need to do is assemble the screws. A few minutes later, your entryway table is completed. All tools,detailed instruction and floor protection's footpad included. ", "Product Details:Overall Dimensions: 42.5\u201dLength x 9\u201dWidth x 30\u201dHeight.What\u2019s more, we have professional customer service, feel free to contact us if there is any product issue, any email will be replied within 24 hours. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3D034W2F1A3VY", "seller_name": "taiyuanshiwanbailinquchangyingbaihuodian", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09RX1PLP4", "category": "garden", "query": "Console tables", "page": 239, "small_description_old": "About this item\n \nIndustrial Vintage Home Decor:This console sofa entryway table fashion and simplistic.Easy to compliment to your home decor and highlight taste. Solid & Durable:Whole table is made of smooth MDF board and thickened metal frame,offers superb durability and stability for long-term use.Up to 55 pounds weight capacity of the shelf let you can store and display a lot of items on it with no problem.Adjustable feet ensure a more stable table and protect the floor from scratching. Versatile Use:It works great as a console table, entry way table, Hall table, display table, etc. This is a good table for behind the couch to keep your phone chargers, remotes, keys and other items you need close by or behind a corner bed to sit lamps on. Easy to Assemble:All you need to do is assemble the screws. A few minutes later, your entryway table is completed. All tools,detailed instruction and floor protection's footpad included. Product Details:Overall Dimensions: 42.5\u201dLength x 9\u201dWidth x 30\u201dHeight.What\u2019s more, we have professional customer service, feel free to contact us if there is any product issue, any email will be replied within 24 hours."}, {"name": "Seacrest White Kitchen Cart by Linon", "product_information": {"Item Weight": "\u200e71.8 pounds", "Product Dimensions": "\u200e20 x 47.5 x 36.02 inches", "Country of Origin": "\u200eChina", "Item model number": "\u200eAMZN0478", "ASIN": "B07FDJYBVW", "Customer Reviews": {"ratings_count": 15, "stars": "3.8 out of 5 stars"}, "Best Sellers Rank": ["#1,029,164 in Home & Kitchen (See Top 100 in Home & Kitchen) #158 in Mobile Kitchen Storage Islands"], "Date First Available": "December 23, 2015"}, "brand": "Visit the Linon Store", "brand_url": "https://www.amazon.com/stores/Linon/page/A6A4FBE7-1F8A-4693-A84B-30467AFD76C4?ref_=ast_bln", "full_description": "Make a smart addition to your home! Simple lines, a clean, white finish and silver hardware help this farmhouse style kitchen cart blend into any interior. A food safe natural wood top offers serving space plus room for a compact microwave or coffee maker. You\u2019ll find ample storage space in two top drawers plus a large enclosed cabinet with sliding doors, two adjustable shelves and one produce basket. This appealing cart also includes a convenient towel rod, a side storage rack and casters for easy mobility.", "pricing": "$331.77", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31tdA+Q7t8L.jpg", "https://m.media-amazon.com/images/I/31VTwY5hkPL.jpg", "https://m.media-amazon.com/images/I/219O9lwJTNL.jpg", "https://m.media-amazon.com/images/I/2162HA1C6XL.jpg", "https://m.media-amazon.com/images/I/512EIPTsZ7L.jpg", "https://m.media-amazon.com/images/I/51kwIYNJ+SL.jpg", "https://m.media-amazon.com/images/I/41r89kdEKhL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Kitchen Furniture \u203a Storage Islands & Carts \u203a Mobile Storage Islands", "average_rating": 3.8, "small_description": ["Sturdy wood frame \u2013 Weight limit of 120 pounds. ", "Convenient towel rod and storage rack on one end. ", "Durable easy rolling wheels with two locking casters. ", "Clean design with a bright white finish and silver hardware. ", "Warm natural wooden top adds an eye-catching look to this kitchen cart. ", "Item is shipped in two separate boxes - Full assembly is required for this kitchen cart. ", "Great to be used for kitchen storage, or food preparation as the wooden top is food safe. , Abundant storage including two drawers and a large cabinet space with two sliding doors two shelves and a produce basket., Efficiently mobile for serving appetizers to guests, offering great prep space for delicious meals, and provides ample hidden mobile storage."], "total_reviews": 15, "total_answered_questions": "", "model": "\u200eAMZN0478", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07FDJYBVW", "category": "garden", "query": "Kitchen Islands", "page": 48, "small_description_old": "About this item Sturdy wood frame \u2013 Weight limit of 120 pounds. Convenient towel rod and storage rack on one end. Durable easy rolling wheels with two locking casters. Clean design with a bright white finish and silver hardware. Warm natural wooden top adds an eye-catching look to this kitchen cart. Item is shipped in two separate boxes - Full assembly is required for this kitchen cart. Great to be used for kitchen storage, or food preparation as the wooden top is food safe. \n Abundant storage including two drawers and a large cabinet space with two sliding doors two shelves and a produce basket.Efficiently mobile for serving appetizers to guests, offering great prep space for delicious meals, and provides ample hidden mobile storage.Show more"}, {"name": "Halfword Women's One Shoulder Bodycon Dress Sexy Cut Out Club Cocktail Wedding Mini Dress", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 11.69 x 10.55 x 2.4 inches; 9.14 Ounces", "Department\n \u200f": "\u200e\n Women", "Date First Available\n \u200f": "\u200e\n August 11, 2021", "Manufacturer\n \u200f": "\u200e\n Halfword", "ASIN\n \u200f": "\u200e\n B09CDL6GKQ", "Best Sellers Rank": "#1,334,984 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#6,171 in Women's Club & Night Out Dresses", "#6,171 in Women's Club & Night Out Dresses": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Halfword Store", "brand_url": "https://www.amazon.com/stores/Halfword/page/5B85E865-592D-4C8C-B285-C1AAF464B237?ref_=ast_bln", "full_description": "", "pricing": "$27.99$30.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31qPYYxjQtL.jpg", "https://m.media-amazon.com/images/I/41G4z4tHqNL.jpg", "https://m.media-amazon.com/images/I/41AD1EXcK7L.jpg", "https://m.media-amazon.com/images/I/51L37NgEmxL.jpg", "https://m.media-amazon.com/images/I/41Akj-RPO8L.jpg", "https://m.media-amazon.com/images/I/31NXip91h3L.jpg", "https://m.media-amazon.com/images/I/516rtkHw24L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Dresses", "average_rating": 1.9, "small_description": ["Fabric: High Quality Polyester, Not See Through. This One Shoulder Bodycon Dress is Soft, Comfortable, Breathable and Stretchy, One shoulder With Cut Out design Makes This Mini Dress Cute and Sexy. ", "Features: This Long Sleeve Bodycon Dress is Solid Color, Puff Sleeve, One Shoulder, Hollow out, Flattering Fit, Hugs Your Curves Perfectly, Makes You Look More Charming and Elegant. ", "Matching: This Sexy Mini Dress Can Easy to Handle Your Fashion Needs, You Can Match it With Hats, Necklace, Worn Down With Sandals or High Heels. When the Weather Turns Cool, It's Also a Good Match With Jackets or Other Coats. ", "Occasions: This Sexy Cut Out Dress is Good Coverage for Casual and Formal Occasions, Work, Party, Date, Meeting Friends, Prom, Cocktail, Holidays, Beach, Night Club, Bar, Streetwear. ", "Notes: Machine Wash or Hand Wash, Recommended With Low Temperature Water, No Bleach. Before Order, Please Carefully Read the Size Chart We Provided in The Pictures, Select the Size According it. "], "total_reviews": 3, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09CDL6GKQ/ref=twister_B09CDKMSLT", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31VoHw08gaL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09CDKHM22/ref=twister_B09CDKMSLT", "value": "Blue Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41mHGLA7J1L.jpg"}, {"is_selected": true, "url": null, "value": "Khaki", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31qPYYxjQtL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09CDJWW9P/ref=twister_B09CDKMSLT", "value": "Orange", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41wFvrwA+rL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09CDK9Q6Y"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09CDK3ZHZ"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09CDLRL7L"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09CDL2N3T"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B09CDK9Q6Y", "category": "fashion", "query": "Women's Dresses", "page": 81, "small_description_old": "Hand Wash Only Fabric: High Quality Polyester, Not See Through. This One Shoulder Bodycon Dress is Soft, Comfortable, Breathable and Stretchy, One shoulder With Cut Out design Makes This Mini Dress Cute and Sexy. Features: This Long Sleeve Bodycon Dress is Solid Color, Puff Sleeve, One Shoulder, Hollow out, Flattering Fit, Hugs Your Curves Perfectly, Makes You Look More Charming and Elegant. Matching: This Sexy Mini Dress Can Easy to Handle Your Fashion Needs, You Can Match it With Hats, Necklace, Worn Down With Sandals or High Heels. When the Weather Turns Cool, It's Also a Good Match With Jackets or Other Coats. Occasions: This Sexy Cut Out Dress is Good Coverage for Casual and Formal Occasions, Work, Party, Date, Meeting Friends, Prom, Cocktail, Holidays, Beach, Night Club, Bar, Streetwear. Notes: Machine Wash or Hand Wash, Recommended With Low Temperature Water, No Bleach. Before Order, Please Carefully Read the Size Chart We Provided in The Pictures, Select the Size According it."}, {"name": "WIWIQS Women's Sexy V Neck Bodycon Sleeveless Ruffle Dress Front Slit Bandage Plus Size Midi Club Dresses", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 13.03 x 9.61 x 2.48 inches; 14.07 Ounces", "Item model number\n \u200f": "\u200e\n VLINGJFQHY-Black-S", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n November 27, 2020", "ASIN\n \u200f": "\u200e\n B08NXK9HHK", "Best Sellers Rank": "#605,705 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#3,342 in Women's Club & Night Out Dresses", "#3,342 in Women's Club & Night Out Dresses": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the WIWIQS Store", "brand_url": "https://www.amazon.com/stores/WIWIQS/page/8C80CA4A-59C8-4F74-A54E-BACDA5D634F8?ref_=ast_bln", "full_description": "", "pricing": "$30.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31ooHqvwyCL.jpg", "https://m.media-amazon.com/images/I/31+IVC-DlaL.jpg", "https://m.media-amazon.com/images/I/31A+OHTJZ5L.jpg", "https://m.media-amazon.com/images/I/418j0qd3GaL.jpg", "https://m.media-amazon.com/images/I/51-c5PhDz1L.jpg", "https://m.media-amazon.com/images/I/41MCB6e54DL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Dresses \u203a Club & Night Out", "average_rating": 4.1, "small_description": ["100% Polyester ", "Elastic closure ", "\u2605Material:Adopts High Quality Cotton Blend Outer Fabric, Soft And Breathable\uff0cWill Offer You First-Class Comfort; With The Same Color Lining, Makes Sure Will Not See Through; The Comfy And Stretchy Material With Fashion And Solid Color Plain Dress Design Makes This Summer Mini Dress Suitable For Most Lady\u2019s Body Shape. ", "\u2605Design: Thanks To The Pull On Closure, This Short Dresses Can Be Dressed Up And Down Easily. The Elastic Material Hugs Your Figure Perfectly And The Bodycon Cut Creates A Seductive Silhouette. This Is One Side Ruched Shirt Dress With Irregular Hem Design To Modify Your Body Lines, The Above Knee Length And Wrap Front Look Makes You Look Slimmer And Prolonged The Legs Length. ", "\u2605Occasion:With Exquisite Accessories/Jewelry, A Clutch, High Heels, You're The Star At Every Event, Like Party, Cocktail, Clubwear, Night Out, Evening, Dinner, Romantic Date, Wedding, Cruise. ", "\u2605Please refer to the item description below for size details. Please check your measurements to make sure the item fits before ordering. ", "dress juniors modest,dress juniors maxi,dress juniors long sleeve,dress juniors long,dress juniors lace,dress juniors knee length,dress juniors formal knee,dress juniors formal,dress juniors floral,dress juniors cocktail "], "total_reviews": 144, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B07HDK9QWF"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07HDJJLJ4"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07HDK7TPT"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07HDL12FP"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07HDJW8BV"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B08P1WFJH7"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08NXK9HHK/ref=twister_B07HDK6B4S", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31T79kSGLPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096QB5FDY/ref=twister_B07HDK6B4S", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/316778J5EOL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HDKBV1G/ref=twister_B07HDK6B4S", "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ubO5wVOkL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HDJCSPB/ref=twister_B07HDK6B4S", "value": "Rose", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31Qg1ieqecL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HDJV8JM/ref=twister_B07HDK6B4S", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31FpY5S59uL.jpg"}, {"is_selected": true, "url": null, "value": "Wine Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31Q-bRdnV9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HDJW21K/ref=twister_B07HDK6B4S", "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31eYWnOAfdL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07HDK7TPT", "category": "fashion", "query": "Women's Dresses", "page": 159, "small_description_old": "\u2605Material:Adopts High Quality Cotton Blend Outer Fabric, Soft And Breathable\uff0cWill Offer You First-Class Comfort; With The Same Color Lining, Makes Sure Will Not See Through; The Comfy And Stretchy Material With Fashion And Solid Color Plain Dress Design Makes This Summer Mini Dress Suitable For Most Lady\u2019s Body Shape. \u2605Design: Thanks To The Pull On Closure, This Short Dresses Can Be Dressed Up And Down Easily. The Elastic Material Hugs Your Figure Perfectly And The Bodycon Cut Creates A Seductive Silhouette. This Is One Side Ruched Shirt Dress With Irregular Hem Design To Modify Your Body Lines, The Above Knee Length And Wrap Front Look Makes You Look Slimmer And Prolonged The Legs Length. \u2605Occasion:With Exquisite Accessories/Jewelry, A Clutch, High Heels, You're The Star At Every Event, Like Party, Cocktail, Clubwear, Night Out, Evening, Dinner, Romantic Date, Wedding, Cruise. \u2605Please refer to the item description below for size details. Please check your measurements to make sure the item fits before ordering. dress juniors modest,dress juniors maxi,dress juniors long sleeve,dress juniors long,dress juniors lace,dress juniors knee length,dress juniors formal knee,dress juniors formal,dress juniors floral,dress juniors cocktail"}, {"name": "Manfrotto MVKBFRTC-LIVEUS Befree Live Carbon Fiber Video Tripod Kit with Fluid Head, M-Lock Twist Leg Locks, Black", "product_information": {"Product Dimensions": "17.9 x 5.2 x 4.9 inches", "Item Weight": "3.04 pounds", "ASIN": "B07DTWJYND", "Item model number": "MVKBFRTC-LIVEUS", "Customer Reviews": {"ratings_count": 305, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#1,038 in Complete Tripod Units"], "Date First Available": "May 30, 2018", "Manufacturer": "Manfrotto"}, "brand": "Visit the Manfrotto Store", "brand_url": "https://www.amazon.com/stores/Manfrotto/page/EF2301E0-1449-4F3F-A080-60348EFA384E?ref_=ast_bln", "full_description": "Manfrotto\u2019s be free live carbon is the most portable travel video tripod kit, dedicated to hobbyist videographers and vloggers who want extremely lightweight, high-end support that ensures maximum performance when they are on the go. Shooting astonishing outdoor videos becomes an easy and enjoyable job thanks to its compact size and minimal weight (just 1, 38kg/3.04lbs). The aim of be free live carbon is to fulfill an increasing demand from independent content creators for a lightweight, ergonomic travel tripod that is easy to carry for video recording with DSLRs, compact system cameras or small camcorders. it features a lightweight tripod spider developed to keep cameras perfectly stable on all types of terrain, including the most uneven ones, always keeping the camera completely steady and ready to capture amazing video footage.", "pricing": "$329.88", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31924UMIV0L.jpg", "https://m.media-amazon.com/images/I/31DgKS7Mu8L.jpg", "https://m.media-amazon.com/images/I/417ZXLvZBKL.jpg", "https://m.media-amazon.com/images/I/31N6CJMznkL.jpg", "https://m.media-amazon.com/images/I/41+AmxOn8GL.jpg", "https://m.media-amazon.com/images/I/31S-l7rwWoL.jpg", "https://m.media-amazon.com/images/I/61FBqd722CL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Tripods & Monopods \u203a Complete Tripods", "average_rating": 4.5, "small_description": ["Base Diameter: 1.57 inch "], "total_reviews": 305, "total_answered_questions": 43, "model": "MVKBFRTC-LIVEUS", "customization_options": {"Style": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08F9JRDSY/ref=twister_B08J8ZYXG2?_encoding=UTF8&psc=1", "value": "Befree 3-way Live - Hybrid Alumn", "price_string": "$269.88", "price": 269.88, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08F9VTRTJ/ref=twister_B08J8ZYXG2?_encoding=UTF8&psc=1", "value": "Befree 3-way Live - Hybrid Head", "price_string": "$118.30", "price": 118.3, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HQWGQTF/ref=twister_B08J8ZYXG2?_encoding=UTF8&psc=1", "value": "Befree Live - Alumn Lever", "price_string": "$267.88", "price": 267.88, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B077J11CCW/ref=twister_B08J8ZYXG2?_encoding=UTF8&psc=1", "value": "Befree Live - Alumn Twist", "price_string": "$247.30", "price": 247.3, "image": null}, {"is_selected": true, "url": null, "value": "Befree Live - Carbon Twist", "price_string": "$329.88", "price": 329.88, "image": null}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": true, "asin": "B07DTWJYND", "category": "electronics", "query": "Tripods & Monopods", "page": 8, "small_description_old": "About this item\n \nBase Diameter: 1.57 inch"}, {"name": "Women's Ladies Sneakers,Limsea Fashion Classic Boots Ankle Short Leather Shoes", "product_information": {"Item model number\n \u200f": "\u200e\n LimseaWM", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n October 29, 2018", "Manufacturer\n \u200f": "\u200e\n Limsea", "ASIN\n \u200f": "\u200e\n B07JZ3HZYH", "Best Sellers Rank": "#1,808,278 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#11,357 in Women's Fashion Sneakers #11,501 in Women's Ankle Boots & Booties #28,614 in Women's Shops", "#11,357 in Women's Fashion Sneakers": "", "#11,501 in Women's Ankle Boots & Booties": "", "#28,614 in Women's Shops": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Limsea Women Shoes", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_sh_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Limsea+Women+Shoes", "full_description": "Size Chart: Size(CN):35 Foot Length:22-22.5cm/8.7-8.9\" Foot wide:8-8.5cm/3.1-3.3\" EU:36 UK:3 US:5.5 Size(CN):36 Foot Length:22.5-23cm/8.9-9.1\" Foot wide:8.5-9cm/3.3-3.5\" EU:36.5 UK:3.5 US:6 Size(CN):37 Foot Length:23-23.5cm/9.1-9.3\" Foot wide:9cm/3.5\" EU:37.5 UK:4 US:6.5 Size(CN):38 Foot Length:23.5-24cm/9.3-9.5\" Foot wide:9-9.5cm/3.5-3.7\" EU:38 UK:4.5 US:7 Size(CN):39 Foot Length:24-24.5cm/9.5-9.7\" Foot wide:9.5cm/3.7\" EU:38.5 UK:5 US:7.5 Size(CN):40 Foot Length:24.5-25cm/9.7-9.9\" Foot wide:9.5-10cm/3.7-3.9\" EU:39 UK:5.5 US:8 Size(CN):41 Foot Length:25-25.5cm/9.9-10.1\" Foot wide:10cm/3.9\" EU:40 UK:6 US:8.5 Size(CN):42 Foot Length:25.5-26cm/10.1-10.3\" Foot wide:10-10.5cm/3.9-4.1\" EU:40.5 UK:6.5 US:9 Product information: Gender: Women,Girl Upper Material:PU Sole Material:Rubber Scenes: Indoor&Outdoor,Fashion,Leisure Style: Princess,Casual,Simple, Toe Style:Round Toe Heel High Style:Square Closing Method:Slip on Shoes Heel High:4.5cm/1.8\" Platform Heigh:1cm/0.3\" Package:1 Pair Women Shoes(Not Including Shoebox) The Limsea store has been managing a variety of fashionable autumn and winter women's shoes, including long boots, high boots, booties, outdoor snow boots, windproof waterproof shoes, Limsea is committed to providing you with the latest styles and the best quality shoes, all of them can be well matched with your clothes,and they are perfect for a variety of occasions.This shoes are carefully selected for you by Limsea.", "pricing": "$6.63$8.37", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41fI7rGepGL.jpg", "https://m.media-amazon.com/images/I/51YepGmszNL.jpg", "https://m.media-amazon.com/images/I/41Bl9jsSSzL.jpg", "https://m.media-amazon.com/images/I/51Twwp0mqHL.jpg", "https://m.media-amazon.com/images/I/515+3U+JXDL.jpg", "https://m.media-amazon.com/images/I/41cjib8h2lL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Boots \u203a Ankle & Bootie", "average_rating": 4.2, "small_description": ["PU ", "Imported ", "Polyurethane sole ", "4 5 6 7 8 9 11 boots womens for women black thigh high over the knee ladies brown rain leather suede grey booties shoe tall long fashion online winter sale cute wedge red flat mid calf women's dress fall short tan female slouch buy casual shop gray blue ankle with top and new white purple studded combat heeled shoes fur size dark best genuine granny on stylish where to lace up ", "orange leather stiletto online loafers yellow burgundy suede brown nude very closed sale beige bone comfortable women taupe stylish purple slight dressy pointed slingbacks up tall classic buy ankle strap pretty mini stilettos heeled two slides three one sneakers princess champagne where to fashionable beautiful block neutral fancy trendy can i colorful coral bronze the 1.5 sparkly cut ", "string 0ver gold sock super going knees this laces female websites you cool wedges sells latest shopping price aldo overknees or how b who tights looking come websites exclusive you bootie little slim sells above multi order charcoal a affordable form some styles shopping near me price woman's wine or zamsh ", "leopard print width wedge booties thigh women rain white shoe cowboy mens combat fringe desert cold weather slouch snow womans biker ankle fur muk luks cowgirl girls muck lineman hats work ariat shearling walking mid ugg discount hunter logger boot stretcher franco dingo in comfortable length moccasin ostrich snake heeled winter red laredo navy double h motorcycle ", "1 2 3 4 5 6 7 8 9 11 12 20 30 43 100 2016 2018 2019 5803 martin shoes boots sale cheap clearance sandals outlet doctor black martens womens men pink brown low friday burgundy "], "total_reviews": 7, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "35 M EU", "asin": "B07JZ3HZYH"}, {"is_selected": false, "is_available": true, "value": "36 M EU", "asin": "B07JZ4M37H"}, {"is_selected": false, "is_available": true, "value": "37 M EU", "asin": "B07JZ4CQJK"}, {"is_selected": false, "is_available": true, "value": "38 M EU", "asin": "B07JZ39W3X"}, {"is_selected": false, "is_available": true, "value": "39 M EU", "asin": "B07JYS8VB3"}, {"is_selected": false, "is_available": true, "value": "40 M EU", "asin": "B07JZ3YWQS"}, {"is_selected": false, "is_available": true, "value": "41 M EU", "asin": "B07JZ3JCHC"}, {"is_selected": false, "is_available": true, "value": "42 M EU", "asin": "B07JZ5HVN6"}], "Color": null}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07JZ5HVN6", "category": "fashion", "query": "Women's Fashion Sneakers", "page": 72, "small_description_old": "PU Imported Polyurethane sole 4 5 6 7 8 9 11 boots womens for women black thigh high over the knee ladies brown rain leather suede grey booties shoe tall long fashion online winter sale cute wedge red flat mid calf women's dress fall short tan female slouch buy casual shop gray blue ankle with top and new white purple studded combat heeled shoes fur size dark best genuine granny on stylish where to lace up orange leather stiletto online loafers yellow burgundy suede brown nude very closed sale beige bone comfortable women taupe stylish purple slight dressy pointed slingbacks up tall classic buy ankle strap pretty mini stilettos heeled two slides three one sneakers princess champagne where to fashionable beautiful block neutral fancy trendy can i colorful coral bronze the 1.5 sparkly cut string 0ver gold sock super going knees this laces female websites you cool wedges sells latest shopping price aldo overknees or how b who tights looking come websites exclusive you bootie little slim sells above multi order charcoal a affordable form some styles shopping near me price woman's wine or zamsh leopard print width wedge booties thigh women rain white shoe cowboy mens combat fringe desert cold weather slouch snow womans biker ankle fur muk luks cowgirl girls muck lineman hats work ariat shearling walking mid ugg discount hunter logger boot stretcher franco dingo in comfortable length moccasin ostrich snake heeled winter red laredo navy double h motorcycle 1 2 3 4 5 6 7 8 9 11 12 20 30 43 100 2016 2018 2019 5803 martin shoes boots sale cheap clearance sandals outlet doctor black martens womens men pink brown low friday burgundy"}, {"name": "XIAOQIAO Wall Mirror Decorative Antique Mirror, Wall Hanging Metal Frame Nordic Style Art, for Decor Hotel Hallway Mantel Living Room", "product_information": {"Item Weight": "17.6 pounds", "Manufacturer": "fairies hall", "ASIN": "B08QCL5SX5", "Finish Types": "Polished"}, "brand": "Brand: XIAOQIAO", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=XIAOQIAO", "full_description": "", "pricing": "$395.14", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51aXslowyFL.jpg", "https://m.media-amazon.com/images/I/51DWnmvgzQL.jpg", "https://m.media-amazon.com/images/I/51pU+xjFHXL.jpg", "https://m.media-amazon.com/images/I/61L2StyNcBL.jpg", "https://m.media-amazon.com/images/I/61Bp35OnkPL.jpg", "https://m.media-amazon.com/images/I/51aZbIz+g9L.jpg", "https://m.media-amazon.com/images/I/51FILO1dO5L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Mirrors \u203a Wall-Mounted Mirrors", "average_rating": "", "small_description": ["High-quality Material: This decorative mirror frame is made of PU (polyurethane) material, environmentally friendly and lightweight, waterproof and moisture-proof, stable flame retardancy, not easy to be deformed by climate change; good gloss, comfortable hand, will bring you a better experience . ", "Exquisite Appearance: This stylish mirror features a unique metal geometric sunburst frame with an antique gold finish & beveled glass mirror with crystal clear reflection. ", "Fashionable and Beautiful: It could eliminate the reflection distortion usually found in low-end mirrors. Its smooth edges are hand polished, not only for safety but also to enhance their beauty. ", "Brighten Up Your Home: It having a large reflective surface that can project light around the room, making it easy to brighten your home and give a better sense of light and space. ", "Widely Used: This stylish and eye-catching decor piece is the perfect addition to your bathroom, living room, bedroom, office, and entryway. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08QC9M6TK/ref=twister_B08QDDV6YB?_encoding=UTF8&psc=1", "value": "Antique Gold", "price_string": "$395.14", "price": 395.14, "image": "https://m.media-amazon.com/images/I/51DDEeAcT+L.jpg"}, {"is_selected": true, "url": null, "value": "Champagne", "price_string": "$395.14", "price": 395.14, "image": "https://m.media-amazon.com/images/I/51aXslowyFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08QCKL5YQ/ref=twister_B08QDDV6YB?_encoding=UTF8&psc=1", "value": "Gold", "price_string": "$395.14", "price": 395.14, "image": "https://m.media-amazon.com/images/I/51m3u2L1n1L.jpg"}]}, "seller_id": "A391P7L990IM1X", "seller_name": "Worldwide transfer station", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08QCL5SX5", "category": "garden", "query": "Decorative Mirrors", "page": 364, "small_description_old": "About this item High-quality Material: This decorative mirror frame is made of PU (polyurethane) material, environmentally friendly and lightweight, waterproof and moisture-proof, stable flame retardancy, not easy to be deformed by climate change; good gloss, comfortable hand, will bring you a better experience . Exquisite Appearance: This stylish mirror features a unique metal geometric sunburst frame with an antique gold finish & beveled glass mirror with crystal clear reflection. Fashionable and Beautiful: It could eliminate the reflection distortion usually found in low-end mirrors. Its smooth edges are hand polished, not only for safety but also to enhance their beauty. Brighten Up Your Home: It having a large reflective surface that can project light around the room, making it easy to brighten your home and give a better sense of light and space. Widely Used: This stylish and eye-catching decor piece is the perfect addition to your bathroom, living room, bedroom, office, and entryway."}, {"name": "Upgraded Version Regrowth Organic Hair Serum Roller Set, Biotin Hair Growth Serum,Triple Roll-On Massager Hair Growth Essence,for Men Women of All Hair Types (5PCS)", "product_information": {"Manufacturer": "SGHD", "ASIN": "B09PY89B1S", "Best Sellers Rank": ["#837,927 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #3,331 in Hair Regrowth Treatments"]}, "brand": "Brand: SGHD", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=SGHD", "full_description": "Product description Features: 1. Balancing oil secretion and repairing damaged scalp hair follicles, and rebuilding the barrier function of the scalp. 2. Restore scalp activity, reduce hair cross. 3. Nourish the scalp gently and promote the absorption of nutrients by hair follicles. 4. Improve nutrient supply, strengthen hair core, stabilize hair roots. 5. Essential oil anti-hair loss liquid, designed for people suffering from hair loss. Suitable for all types of hair loss. Specifications: Net content: 20 ml Size: 12cm* 3cm The package includes: 1/3/5* Upgraded Version\u00a0Regrowth Organic Hair Serum Roller Set Instructions: Apply twice a day for 5 minutes each. Slightly press the tube to eject serum and use the roller head to massage the prone area gently. Tips: 1. Due to the display and light, please focus on the actual product received. 2. Due to manual measurement, please allow an error of 1-2cm.", "pricing": "$21.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51S3V0attGL.jpg", "https://m.media-amazon.com/images/I/51q2dpqid0L.jpg", "https://m.media-amazon.com/images/I/51LCOlMzV8L.jpg", "https://m.media-amazon.com/images/I/51slo8qqgWL.jpg", "https://m.media-amazon.com/images/I/51H53E10ywL.jpg", "https://m.media-amazon.com/images/I/51e0+KUec9L.jpg", "https://m.media-amazon.com/images/I/510dHCLT-uL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Loss Products \u203a Hair Regrowth Treatments", "average_rating": "", "small_description": ["[Upgraded Version]: Upgraded Version The triple-roller structure allows quicker and fuller serum absorption along with gentle massage of the prone area to intensify the metabolism of the scalp. ", "[Organic & Natural Extracts]: The herbal complex works in synergy to stimulate the scalp and roots, as well as awaking blocked follicles to reactivate hair growth to deliver a visible result of increasing the cross-sectional area of each hair strand by 29% and the diameter by 17%. ", "[Prevent Hair Loss]: This powerful treatment protects and nourishes hair and reduces further hair loss and broken hair. It rejuvenates the scalp and hair follicles, prevents further thinning, and promotes new thick hair growth. ", "[Restore Hair Shine]: Provides full organic nutrition for hair roots, making the hair stronger, lustrous, soft. With regular use, you will notice visibly healthier, stronger, thicker hair strands. A beautiful hairstyle will improve your self confidence. ", "[100% Satisfaction Guarantee]: We are so confident that you will like our product. We provide the best customer experience possible. If you have any questions about our products, please feel free to contact us and we will provide you with the best service. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09PY575P5/ref=twister_B09PYFZ1ST?_encoding=UTF8&psc=1", "value": "1PCS", "price_string": "$11.99", "price": 11.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PYDDX6B/ref=twister_B09PYFZ1ST?_encoding=UTF8&psc=1", "value": "3PCS", "price_string": "$16.99", "price": 16.99, "image": null}, {"is_selected": true, "url": null, "value": "5PCS", "price_string": "$21.99", "price": 21.99, "image": null}]}, "seller_id": "A33BTPMM33S0UH", "seller_name": "BlackMB", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PY89B1S", "category": "beauty", "query": "Hair Loss Products", "page": 142, "small_description_old": "[Upgraded Version]: Upgraded Version The triple-roller structure allows quicker and fuller serum absorption along with gentle massage of the prone area to intensify the metabolism of the scalp. [Organic & Natural Extracts]: The herbal complex works in synergy to stimulate the scalp and roots, as well as awaking blocked follicles to reactivate hair growth to deliver a visible result of increasing the cross-sectional area of each hair strand by 29% and the diameter by 17%. [Prevent Hair Loss]: This powerful treatment protects and nourishes hair and reduces further hair loss and broken hair. It rejuvenates the scalp and hair follicles, prevents further thinning, and promotes new thick hair growth. [Restore Hair Shine]: Provides full organic nutrition for hair roots, making the hair stronger, lustrous, soft. With regular use, you will notice visibly healthier, stronger, thicker hair strands. A beautiful hairstyle will improve your self confidence. [100% Satisfaction Guarantee]: We are so confident that you will like our product. We provide the best customer experience possible. If you have any questions about our products, please feel free to contact us and we will provide you with the best service."}, {"name": "EZM Deluxe Triple Monitor Mount Stand Free Standing with Grommet Mount Option Supports up to 3 28\" (002-0020)", "product_information": {"Product Dimensions": "33.1 x 15.3 x 5.2 inches", "Item Weight": "30 pounds", "ASIN": "B00SYVE3CI", "Item model number": "002-0020", "Customer Reviews": {"ratings_count": 727, "stars": "4.3 out of 5 stars"}, "Best Sellers Rank": ["#848 in Computer Monitor Accessories"], "Is Discontinued By Manufacturer": "No", "Other display features": "Wireless", "Colour": "002-0020", "Manufacturer": "EasyMountLCD", "Date First Available": "December 8, 2011"}, "brand": "Brand: EasyMountLCD", "brand_url": "https://www.amazon.com/EasyMountLCD/b/ref=bl_dp_s_web_5745153011?ie=UTF8&node=5745153011&field-lbr_brands_browse-bin=EasyMountLCD", "full_description": "This sturdy, top-rated, high-quality ergonomic Deluxe Triple Monitor Stand Free Standing allows users to manage multiple programs, spreadsheets simultaneously to increase productivity. It offers users the flexibility to reposition their monitors for maximum comfort and optimum view ability. A perfect solution for limited space applications by removing clutter from the desktop to use work space effectively. This item can be either desktop free standing or bolted on the desktop. Dimensions: H x W x D = 18\" x 61\" x 15\" Main Features: - Supports most widescreen monitors including curved widescreens up to three (3) 27\"/28\"side by side - VESA 75 \u00d775mm or 100 \u00d7100 mm compatible - Monitor viewing height can be easily adjusted by moving the arms along the Pole. The height of each monitor can be adjusted individually - Mounting heads slide(In/Out) along the Curved Arms to facilitate different sizes of screens and easily angled towards the viewer to form a curved \"cockpit style\" effect for comfortable viewing - Features 360\u00b0 (Clockwise/Counter Clockwise) rotating mounting heads to accomodate landscape and portrait modes - Outside mounting heads tilt (Up/Down) 180\u00b0, swivel (Left/Right) 180\u00b0 and rotate (clockwise/counterclockwise) 360\u00b0 - Center mounting head tilts (Up/Down) 30\u00b0, swivels (Left/Right) 30\u00b0 and rotates (clockwise/counterclockwise) 360\u00b0 - The Diameter of the Pole is 1 7/8\" - With a heavy-weighted metal base, easy to install in minutes - Package contains all hardware necessary for mounting - The color of the item is black - Item weighs 31.0 lbs - Item does not include monitors - Item# 002-0020 - Buyer responsible to check the desired mounting surface is strong enough to support the combined weight of the stand and monitors.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31KX1ZEMCHL.jpg", "https://m.media-amazon.com/images/I/419J5j7XvdL.jpg", "https://m.media-amazon.com/images/I/41WK8DlFgvS.jpg", "https://m.media-amazon.com/images/I/41c9eXRNhRL.jpg", "https://m.media-amazon.com/images/I/41picxI6-qS.jpg", "https://m.media-amazon.com/images/I/513E+amapgL.jpg", "https://m.media-amazon.com/images/I/414gdxr5SBL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Computer Accessories & Peripherals \u203a Monitor Accessories", "average_rating": 4.3, "small_description": ["COMPATIBILITY - Holds most widescreen monitors including curved widescreens up to 3 28\" with VESA 75 x 75 mm or 100 x 100 mm Compatible.. Quick release mounting brackets for easy installation ", "THE SIZE OF THE POLE - The Diameter of the Pole is 1 7/8\". ", "ADJUSTIBILITY - Outside mounting heads slide(In/Out) along the Curved Arms to facilitate different sizes of screens and easily angled towards the viewer to form a curved \"cockpit style\" effect for comfortable viewing. Features 360\u00b0 (Clockwise/Counter Clockwise) rotating mounting heads to accomodate landscape and portrait modes. Outside mounting heads tilt (Up/Down) 180\u00b0, swivel (Left/Right) 180\u00b0. Center mounting head tilts (Up/Down) 30\u00b0, swivels (Left/Right) 30\u00b0 ", "MOUNTING OPTIONS - With A Heavy-Weighted Metal Base. Also Can Be Bolted through the desktop, Easy To Install ", "HEIGHT ADJUSTIBILITY - Monitor viewing height can be easily adjusted by moving the arms along the Pole with pre-drilled holes. The height of each monitor can be individually fine tuned +/- 0.5\" for a total approximately 1\" Up/Down "], "total_reviews": 727, "total_answered_questions": 256, "model": "002-0020", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00SYVE3CI", "category": "electronics", "query": "Mounts", "page": 73, "small_description_old": "COMPATIBILITY - Holds most widescreen monitors including curved widescreens up to 3 28\" with VESA 75 x 75 mm or 100 x 100 mm Compatible.. Quick release mounting brackets for easy installation THE SIZE OF THE POLE - The Diameter of the Pole is 1 7/8\". ADJUSTIBILITY - Outside mounting heads slide(In/Out) along the Curved Arms to facilitate different sizes of screens and easily angled towards the viewer to form a curved \"cockpit style\" effect for comfortable viewing. Features 360\u00b0 (Clockwise/Counter Clockwise) rotating mounting heads to accomodate landscape and portrait modes. Outside mounting heads tilt (Up/Down) 180\u00b0, swivel (Left/Right) 180\u00b0. Center mounting head tilts (Up/Down) 30\u00b0, swivels (Left/Right) 30\u00b0 MOUNTING OPTIONS - With A Heavy-Weighted Metal Base. Also Can Be Bolted through the desktop, Easy To Install HEIGHT ADJUSTIBILITY - Monitor viewing height can be easily adjusted by moving the arms along the Pole with pre-drilled holes. The height of each monitor can be individually fine tuned +/- 0.5\" for a total approximately 1\" Up/Down"}, {"name": "Parnevu Leave-In Conditioner For Extra Dry Hair, 16 oz", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 3.75 x 3.75 x 3.75 inches; 1.18 Pounds", "Date First Available\n \u200f": "\u200e\n July 11, 2016", "ASIN\n \u200f": "\u200e\n B00GUQZHJW", "Best Sellers Rank": "#184,258 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#3,718 in Hair Conditioner", "#3,718 in Hair Conditioner": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Parnevu", "brand_url": "https://www.amazon.com/Parnevu/b/ref=bl_dp_s_web_8412755011?ie=UTF8&node=8412755011&field-lbr_brands_browse-bin=Parnevu", "full_description": "Helps prevent split ends, hair breakage and brittleness.", "pricing": "$11.23", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31hZNZF6w9L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Shampoo & Conditioner \u203a Conditioners", "average_rating": 4.6, "small_description": [""], "total_reviews": 17, "total_answered_questions": "", "customization_options": "", "seller_id": "ASEVS99O6FS73", "seller_name": "Pharmapacks_", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00GUQZHJW", "category": "beauty", "query": "Hair Coloring Products", "page": 96, "small_description_old": ""}, {"name": "Mattress Solution, 13-Inch Soft Foam Encased Hybrid Eurotop Pillowtop Innerspring Mattress And Split Wood Traditional Box Spring/Foundation Set With Frame, Twin Size 74\" x 38\"", "product_information": {"Item Weight": "\u200e30 pounds", "Product Dimensions": "\u200e74 x 39 x 21 inches", "Country of Origin": "\u200eUSA", "Item model number": "\u200e9001zF-3/3-2S", "ASIN": "B078PKLZFB", "Date First Available": "January 2, 2018"}, "brand": "Brand: Mattress Solution", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Mattress+Solution", "full_description": "\"Would YOU LIKE A GOOD NIGHT SLEEP?\" does it seem like you spend more time tossing and turning than you do enjoying a good night's sleep? Do you wake up to back pain and stiffness that interfere with your day? You don't have to resign yourself to these problems! \"mattress solution\" Mattress and Box Spring with Frame is what you are looking for! This mattress is designed to help you get a perfect nights sleep, the luxurious innerspring mattress uses sophisticated innerspring coil technology to give you soft yet firm support. Foam filled spring pockets make you feel like your sleeping on air. This 13\" High mattress is finished with a Damask cotton pillow top for max comfort and beauty. Premium quilted pillow top mattress has fibers and layers of soft comfort foam in the pillow top for a healthier and luxurious sleeping surface. The inner spring pillow top is designed for use with a platform bed frame or other Centrally supported frame. Compressed and vacuum packed for shipment; can be easily re-located to any room upon arrival. You can improve your sleep and wake up feeling better every day. *will give you A BETTER NIGHT'S REST, 357 innerspring mattress reduces pressure points to help you fall asleep more quickly. *the perfect LEVEL OF SUPPORT, The right top mattress is firm but still has some give for your comfort. *shipped fully assembled AND READY TO use, Open the box and the mattress is ready to use! *our mattress has THE BEST QUALITY! They're made in the USA out of premium materials. *this mattress is ORTHOPEDIC, it reduces back pain by supporting every inch of your spine. *meets federal standards 1632 and 1633 fire code. *the box spring is 8 inches high. \"we IT AND SO DO OUR COSTUMERS. \" so what are you waiting for? Click on the Buy button to order your Mattress and Box Spring now! .", "pricing": "$520.00", "list_price": "", "availability_status": "Available to ship in 1-2 days.", "images": ["https://m.media-amazon.com/images/I/51d-3zqJcwL.jpg", "https://m.media-amazon.com/images/I/51Xngt8VHbL.jpg", "https://m.media-amazon.com/images/I/41xtplzZfbL.jpg", "https://m.media-amazon.com/images/I/51wuk+0HUpL.jpg", "https://m.media-amazon.com/images/I/410REX6r0nL.jpg", "https://m.media-amazon.com/images/I/316+81q5rDL.jpg", "https://m.media-amazon.com/images/I/31N2QKbupoL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Mattresses & Box Springs \u203a Mattress & Box Spring Sets", "average_rating": "", "small_description": ["QUALITY YOU CAN FELL:Only the best in raw materials are used to ensure durability and practicality. The high density foam used makes the mattress highly durable & long-lasting. The high number of coil counts gives the mattress the comfort level desired. ", "EURO TOP POLLOW-LIKE LAYER : The Spring Air Euro top mattress tend to be softer then pillow tops and have more technical design for cushion-firm feel. Perfect for all sleeping positions. It's a combination of orthopedic support and comfort. ", "FOMEENCASEMENT FOR SOLID EDGE SUPPORT : The foam encased edge support system in this spring air mattress is bordered with high density foam. With the foam encasement, the sleeping area is enlarged, as well as providing a solid sitting surface. ", "QUILTED CUSHION TOP: The beautiful knit woven fabric stitched with tack and jump quilting creates a deep sumptuous look to your mattress. The fabric color may vary. The quilting layer adds breathability, temperature regulation and fire retardant to the mattress. ", "STORNG DURABLE BOX SPRING: This 8 inch wood box spring/ foundation supports all mattress types and actually increases the mattress's longevity by preventing sagging. No assembly is required it ships ready to use, just place the mattress on top and enjoy a restful sleep ", "AVAILABLE IN ALL SIZES-Twin: 74\u201d x 38\u201d, Twin Extra Long: 79\u201d x 38\u201d, Full: 74\u201d x 53\u201d, Full Extra Long: 79\u201d x 53\u201d, Queen: 79\u201d x 59\u201d, King: 79\u201d x 59\u201d, California King: 84\u201d x 72 "], "total_reviews": "", "total_answered_questions": "", "model": "\u200e9001zF-3/3-2S", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B078PKLZFB", "category": "garden", "query": "Mattresses", "page": 349, "small_description_old": "About this item QUALITY YOU CAN FELL:Only the best in raw materials are used to ensure durability and practicality. The high density foam used makes the mattress highly durable & long-lasting. The high number of coil counts gives the mattress the comfort level desired. EURO TOP POLLOW-LIKE LAYER : The Spring Air Euro top mattress tend to be softer then pillow tops and have more technical design for cushion-firm feel. Perfect for all sleeping positions. It's a combination of orthopedic support and comfort. FOMEENCASEMENT FOR SOLID EDGE SUPPORT : The foam encased edge support system in this spring air mattress is bordered with high density foam. With the foam encasement, the sleeping area is enlarged, as well as providing a solid sitting surface. QUILTED CUSHION TOP: The beautiful knit woven fabric stitched with tack and jump quilting creates a deep sumptuous look to your mattress. The fabric color may vary. The quilting layer adds breathability, temperature regulation and fire retardant to the mattress. STORNG DURABLE BOX SPRING: This 8 inch wood box spring/ foundation supports all mattress types and actually increases the mattress's longevity by preventing sagging. No assembly is required it ships ready to use, just place the mattress on top and enjoy a restful sleep AVAILABLE IN ALL SIZES-Twin: 74\u201d x 38\u201d, Twin Extra Long: 79\u201d x 38\u201d, Full: 74\u201d x 53\u201d, Full Extra Long: 79\u201d x 53\u201d, Queen: 79\u201d x 59\u201d, King: 79\u201d x 59\u201d, California King: 84\u201d x 72 \n \u203a See more product details"}, {"name": "DiySecurityCameraworld- Wireless Security Camera Outdoor 1080P PoE WiFi IP Camera 180 Degree Fisheye Panoramic Surveillance Video Camera Night Vision 60ft Waterproof", "product_information": {"Item Weight": "15 ounces", "ASIN": "B07GFS3MNT", "Item model number": "IPCX-HX-HC28391080ASP", "Customer Reviews": {"ratings_count": null, "stars": "3.0 out of 5 stars"}, "Best Sellers Rank": ["#18,700 in Camera & Photo Products (See Top 100 in Camera & Photo Products) #3,096 in Bullet Surveillance Cameras"], "Is Discontinued By Manufacturer": "No", "Date First Available": "July 12, 2018", "Manufacturer": "DiysecurityCameraWorld"}, "brand": "Brand: DIYSecuritycameraworld", "brand_url": "https://www.amazon.com/DIYSecuritycameraworld/b/ref=bl_dp_s_web_3024532011?ie=UTF8&node=3024532011&field-lbr_brands_browse-bin=DIYSecuritycameraworld", "full_description": "Item: IPCX-HX-HC28391080ASPOutdoor PoE WIFI IP Camera 1080P Fisheye Lens 180 Degrees View Security Bullet Day/Night View Home CCTV Surveillance CamerasFeatures :Remotely view the Camera from Multi-device: We provide the Mobile App and Windows PC and OS software to view the camera remotely (Doesn't support Mac) . Just download the mobile App \u201cCamHi\u201d and PC software then connect the camera to internet to get living stream. You can also view the camera via web browsersPacking List:", "pricing": "$80.95", "list_price": "", "availability_quantity": 18, "availability_status": "Only 18 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31RRNOG2BaS.jpg", "https://m.media-amazon.com/images/I/51vXPb-WsGL.jpg", "https://m.media-amazon.com/images/I/51r8jOwBzHL.jpg", "https://m.media-amazon.com/images/I/411pZAq6jeL.jpg", "https://m.media-amazon.com/images/I/51jHQxzgy3L.jpg", "https://m.media-amazon.com/images/I/41EGSWYrtwL.jpg", "https://m.media-amazon.com/images/I/51Rvkb0PJTL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Video Surveillance \u203a Surveillance Cameras \u203a Bullet Cameras", "average_rating": 3, "small_description": ["FULL HD 1080P & GREAT NIGHT VISION: TRUE FULL HD 1080p Video Resolution(1920*1080), Built-in High-Resolution Lens & IR Cut filter, provides nice, clear & colorful image in the daytime, Built in 3 PCS Array LED, provides up to 60 ft great night vision. ", "QUICK & EASY SETUP: DHCP, 2.4Ghz WiFi, really easy to install and setup ", "MOTION DETECTION: Support Movement detection & capture. Real-time motion alert will be pushed to your phone & email simultaneously, email photo, ftp photo & ftp video could also be set, provides a great solution for security monitor. ", "1.25mm Fisheye Lens, Support Two Way Audio ", "Power Input: PoE/12VDC (power Adapter Not Included) "], "total_reviews": 1, "total_answered_questions": "", "model": "IPCX-HX-HC28391080ASP", "customization_options": "", "seller_id": "A39SEPFGJRWIH4", "seller_name": "DSC Technology", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07GFS3MNT", "category": "electronics", "query": "Video Surveillance", "page": 235, "small_description_old": "About this item\n \nFULL HD 1080P & GREAT NIGHT VISION: TRUE FULL HD 1080p Video Resolution(1920*1080), Built-in High-Resolution Lens & IR Cut filter, provides nice, clear & colorful image in the daytime, Built in 3 PCS Array LED, provides up to 60 ft great night vision. QUICK & EASY SETUP: DHCP, 2.4Ghz WiFi, really easy to install and setup MOTION DETECTION: Support Movement detection & capture. Real-time motion alert will be pushed to your phone & email simultaneously, email photo, ftp photo & ftp video could also be set, provides a great solution for security monitor. 1.25mm Fisheye Lens, Support Two Way Audio Power Input: PoE/12VDC (power Adapter Not Included)"}, {"name": "WFOM Levitating Floating Speaker Bluetooth Speaker Creative Magnetic Levitation Speaker 360 Degree Rotations Ubwoofer", "product_information": {"Manufacturer": "WFOM", "ASIN": "B09B265D1J"}, "brand": "Brand: WFOM", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=WFOM", "full_description": "\u2606 \u2606360 degree surround soundWhile playing while rotatingSuspended design, elegant appearanceThe top is a transparent ABS crystal ball, comes with a LED light feature that makes it look very cool when turned on in the dark. so that your speakers out of the ordinaryBuilt-in microphone, support mobile phone hands-free callsBluetooth transmission distance of 10m, compatible with Windows / Android / IOS system\u2606 \u2606Type : Bluetooth SpeakerConnection method : BluetoothInterface Type : USBPlay time: 8 hoursBluetooth protocol: 4.0Effective distance: 10 metersFunction: voice prompt, call functionPlay format: WAV, MP3, WMAMode of operation: buttonWhether to support APP: NoIs there a radio function: noneMaterial: ABSDimensions: 78x78mm (sphere,3.07inches) 180x180x50mm /7.09*7.09*1.97inches (base)\u2606 \u2606Package Included:1 x Levitation Bluetooth Speaker1 x power adapter1 x USB charging line1 x manual", "pricing": "$188.19", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41PF7bT51+L.jpg", "https://m.media-amazon.com/images/I/51nDDhawyhL.jpg", "https://m.media-amazon.com/images/I/41sD8lSM6fL.jpg", "https://m.media-amazon.com/images/I/41jv15fpa2L.jpg", "https://m.media-amazon.com/images/I/51RqZj2lxEL.jpg", "https://m.media-amazon.com/images/I/41RwlJ1giDL.jpg", "https://m.media-amazon.com/images/I/41Zyc-bZv9L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Portable Audio & Video \u203a Portable Speakers & Docks \u203a Portable Bluetooth Speakers", "average_rating": "", "small_description": ["Special sound guide cone designed to increase surround Stereo.500mAh enables a breakthrough of 8 hours playtime, get ready for hours of non-stop fun! ", "Soft LED light design.Supports: Voice Guidance, touching keys, with 3014 led light, Hand-free phone call, Mobile Phone and PC use,The ABS material makes the whole speaker light and portable ", "The speaker orb is floating and spinning above a magnetic base without touching any other object, it works with zero-loss audio streaming and produces a better sound.The speaker Orb is portable for music on the go. ", "Thank you for visiting our store. We hope to bring you a happy shopping experience. We will serve you wholeheartedly. If you have any questions and dissatisfaction, we will reply to you as soon as possible. Expect new products to bring you new surprises. ", "The perfect accessory that completes any decor at your home and office, always enjoy vivid, full-bodied music, wherever your music adventure takes you. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2FBL43YGI64F2", "seller_name": "FGDFGDFAR", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09B265D1J", "category": "electronics", "query": "Bluetooth Speakers", "page": 372, "small_description_old": "Special sound guide cone designed to increase surround Stereo.500mAh enables a breakthrough of 8 hours playtime, get ready for hours of non-stop fun! Soft LED light design.Supports: Voice Guidance, touching keys, with 3014 led light, Hand-free phone call, Mobile Phone and PC use,The ABS material makes the whole speaker light and portable The speaker orb is floating and spinning above a magnetic base without touching any other object, it works with zero-loss audio streaming and produces a better sound.The speaker Orb is portable for music on the go. Thank you for visiting our store. We hope to bring you a happy shopping experience. We will serve you wholeheartedly. If you have any questions and dissatisfaction, we will reply to you as soon as possible. Expect new products to bring you new surprises. The perfect accessory that completes any decor at your home and office, always enjoy vivid, full-bodied music, wherever your music adventure takes you."}, {"name": "MAGCOMSEN Men's Gym Workout Shorts with Pockets Mesh Liner Quick Dry Running Shorts for Jogging, Hiking", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 11.07 x 7.5 x 1.89 inches; 3.28 Ounces", "Item model number\n \u200f": "\u200e\n MCSH19M004-148-Black Grey-M", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n June 13, 2019", "ASIN\n \u200f": "\u200e\n B07T2CYCZL", "Best Sellers Rank": "#596,518 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#593 in Men's Running Shorts #1,864 in Men's Athletic Shorts", "#593 in Men's Running Shorts": "", "#1,864 in Men's Athletic Shorts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$17.98$17.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41tba19g1CL.jpg", "https://m.media-amazon.com/images/I/31rHHluEiML.jpg", "https://m.media-amazon.com/images/I/41s0PKsKYIL.jpg", "https://m.media-amazon.com/images/I/41xxoAD0sdL.jpg", "https://m.media-amazon.com/images/I/41sBy2Z1N3L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Active \u203a Active Shorts", "average_rating": 4.3, "small_description": ["Fabrics: 50 Denier, quick-dry, lightweight and stretchy fabric wicks sweat away and helps keep you dry and comfy ", "Mesh Liner: This Running Shorts with ultra soft mesh liner, provide a breathable, dry fit when exercising ", "Special Design: Stylish patchwork design, 4-way stretch fabrication allows greater mobility and maintains shape ", "Features: 2 side pockets for convenience, elastic waist with drawstring closure for better fit ", "Perfect for: Indoor and outdoor sports like running, workout, gym, hiking, camping, climbing "], "total_reviews": 244, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07T2CYCZL/ref=twister_B07T3DYPXD", "value": "#1 Black Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41X8dCwTtkL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07T2CQLY2/ref=twister_B07T3DYPXD", "value": "#1 Grey Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41tKN6v6KaL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B087RCQJSR/ref=twister_B07T3DYPXD", "value": "#1 Grey Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41HRmj+WReL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07T2DCVLC/ref=twister_B07T3DYPXD", "value": "#1 Light Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41t0L09sSrL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B087JMQXQQ/ref=twister_B07T3DYPXD", "value": "#1 Pure Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41KuE7Wsu+L.jpg"}, {"is_selected": true, "url": null, "value": "#2 Army Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41tba19g1CL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WDHNY96/ref=twister_B07T3DYPXD", "value": "#2 Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41E7h0ZzXzL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WDHPG1V/ref=twister_B07T3DYPXD", "value": "#2 Dark Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/410iXts5DuL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WDGZYNY/ref=twister_B07T3DYPXD", "value": "#2 Khaki", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/414763Xh2RL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WJSH39Q/ref=twister_B07T3DYPXD", "value": "#2 Light Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ACrzacXOL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WDHMC9S/ref=twister_B07T3DYPXD", "value": "#2 Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41IomeHANBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08B1LWKLX/ref=twister_B07T3DYPXD", "value": "#2 Royal Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41QfWHYsWKL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07T2CPQBF/ref=twister_B07T3DYPXD", "value": "#1 Black Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41PD5YpxXwL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "30", "asin": "B07WDHH6JQ"}, {"is_selected": false, "is_available": true, "value": "32", "asin": "B07WDGRCNJ"}, {"is_selected": false, "is_available": true, "value": "34", "asin": "B07WDHTVHZ"}, {"is_selected": false, "is_available": true, "value": "36", "asin": "B07WMMYB6G"}, {"is_selected": false, "is_available": true, "value": "38", "asin": "B07WDHWYVY"}, {"is_selected": false, "is_available": true, "value": "40", "asin": "B07WFLP2X1"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07WMMYB6G", "category": "fashion", "query": "Men's Shorts", "page": 66, "small_description_old": "Fabrics: 50 Denier, quick-dry, lightweight and stretchy fabric wicks sweat away and helps keep you dry and comfy Mesh Liner: This Running Shorts with ultra soft mesh liner, provide a breathable, dry fit when exercising Special Design: Stylish patchwork design, 4-way stretch fabrication allows greater mobility and maintains shape Features: 2 side pockets for convenience, elastic waist with drawstring closure for better fit Perfect for: Indoor and outdoor sports like running, workout, gym, hiking, camping, climbing"}, {"name": "Mens Shorts Casual Printed Lace Up Pocket Beach Shorts Regular-fit Lightweight Lining Mens Sweatpants Hawaii Pants", "product_information": {"Item model number\n \u200f": "\u200e\n polo shirts for men", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n January 20, 2022", "Manufacturer\n \u200f": "\u200e\n men's t-shirts mens dress shirts", "ASIN\n \u200f": "\u200e\n B09QSQ76XS", "": ""}, "brand": "Brand: zuwimk", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=zuwimk", "full_description": "", "pricing": "$12.95", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/4194c3hEdwL.jpg", "https://m.media-amazon.com/images/I/513Zze1269L.jpg", "https://m.media-amazon.com/images/I/51x4qkMAOCL.jpg", "https://m.media-amazon.com/images/I/41tAZQzxAML.jpg", "https://m.media-amazon.com/images/I/51-MsHqHnDL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Shorts \u203a Flat Front", "average_rating": "", "small_description": ["Best Gifts for Men/Dad/Boyfriends\ud83c\udf1fNOT AMAZON SIZE\ud83c\udf1fPlease Refer to the IMAGE size chart before ordering! ", "\u3010ABOUT SHIPPING\u3011Expedited Shipping:3-5 Days.\ud83d\udc3e Standard shipping:10-15 Days.\ud83d\udc3e Within 24 Hours Shipping Out. ", "Clearance!Sale!Cheap! closure ", "tshirts shirts for men dress shirts for men hawaiian shirt for men mens t shirt funny t shirts ", "\ud83d\udc2c High-Quality Fabric: Mens Tshirt Experience A Better Workout,Combined with breathable and comfortable fabric, this mens tee shirts T-shirt polo shirts allows you to sweat and breathe better during most outdoor activities, keeping your body in good shape for the challenge of pushing your exercise limits. ", "\ud83c\udf3c Versatility: Breathable & Functional muscle tee shirt, comfortable exercise gym t-shirt, bodybuilding top, mens muscle fitness t-shirt breathable gym workout short sleeve slim fit bodybuilding tee shirt hipster shirts, mens short sleeve muscle tshirts fashion workout fitted bodybuilding tee top athletic gym plain shirts.Whether you're training, on the go or at home, this t-shirt is perfect for you, its breathability and comfort will give you a great experience for all-round movement. ", "mens gym workout hoodies bodybuilding muscle athletic short sleeve hooded workout tank top casual sleeveless shirt with pocket for gym sport and training gym workout hoodies bodybuilding muscle athletic short sleeve hooded 3 pack mens 3 pack workout tank top sleeveless muscle tee fitness bodybuilding gym t shirts polo shirts regular fit contrast color athletics sport workout polo men's floral fashion sleeveless tees all over print casual tank top shirts for men , men beach floral print shirts loose fit boho tropical flower shirts tee tops quick dry bodybuilding stringer tank top y-back gym workout shirts sleeveless training t shirt light grey mens floral hawaiian shirts short sleeve button down beach shirts mens flower shirt hawaiian sets casual button down short sleeve shirt mens luxury casual button down short sleeve hawaiian shirt suits summer romper stripe print short sleeve jumpsuit drawstring waist one piece shorts set casual coverall, men 2 piece outfit summer stylish casual hawaiian shirts graphic tees tank tops shorts set beach tracksuit pockets men's floral tracksuit summer 2 piece short sleeve shirt and shorts jogging sweatsuit men hooded tracksuit zipper jumpsuit casual contrast color short sleeve comfy playsuit shorts mens hawaiian short sleeve shirt suits flower print suits tropical 2pc sets button down shirts and shorts outfit workout tracksuit short sleeve bodybuilding"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/4194c3hEdwL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QSPPK98/ref=twister_B09QSQV6CY", "value": "Light Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41wGX26I9HL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09QSQ76XS"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09QSQFZ1S"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09QSQY77L"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09QSQ8RT9"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09QSQ1FSM"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B09QSQ8RT9", "category": "fashion", "query": "Men's Shorts", "page": 140, "small_description_old": "Best Gifts for Men/Dad/Boyfriends\ud83c\udf1fNOT AMAZON SIZE\ud83c\udf1fPlease Refer to the IMAGE size chart before ordering! \u3010ABOUT SHIPPING\u3011Expedited Shipping:3-5 Days.\ud83d\udc3e Standard shipping:10-15 Days.\ud83d\udc3e Within 24 Hours Shipping Out. Clearance!Sale!Cheap! closure tshirts shirts for men dress shirts for men hawaiian shirt for men mens t shirt funny t shirts \ud83d\udc2c High-Quality Fabric: Mens Tshirt Experience A Better Workout,Combined with breathable and comfortable fabric, this mens tee shirts T-shirt polo shirts allows you to sweat and breathe better during most outdoor activities, keeping your body in good shape for the challenge of pushing your exercise limits. \ud83c\udf3c Versatility: Breathable & Functional muscle tee shirt, comfortable exercise gym t-shirt, bodybuilding top, mens muscle fitness t-shirt breathable gym workout short sleeve slim fit bodybuilding tee shirt hipster shirts, mens short sleeve muscle tshirts fashion workout fitted bodybuilding tee top athletic gym plain shirts.Whether you're training, on the go or at home, this t-shirt is perfect for you, its breathability and comfort will give you a great experience for all-round movement. mens gym workout hoodies bodybuilding muscle athletic short sleeve hooded workout tank top casual sleeveless shirt with pocket for gym sport and training gym workout hoodies bodybuilding muscle athletic short sleeve hooded 3 pack mens 3 pack workout tank top sleeveless muscle tee fitness bodybuilding gym t shirts polo shirts regular fit contrast color athletics sport workout polo men's floral fashion sleeveless tees all over print casual tank top shirts for men \n men beach floral print shirts loose fit boho tropical flower shirts tee tops quick dry bodybuilding stringer tank top y-back gym workout shirts sleeveless training t shirt light grey mens floral hawaiian shirts short sleeve button down beach shirts mens flower shirt hawaiian sets casual button down short sleeve shirt mens luxury casual button down short sleeve hawaiian shirt suits summer romper stripe print short sleeve jumpsuit drawstring waist one piece shorts set casual coverallmen 2 piece outfit summer stylish casual hawaiian shirts graphic tees tank tops shorts set beach tracksuit pockets men's floral tracksuit summer 2 piece short sleeve shirt and shorts jogging sweatsuit men hooded tracksuit zipper jumpsuit casual contrast color short sleeve comfy playsuit shorts mens hawaiian short sleeve shirt suits flower print suits tropical 2pc sets button down shirts and shorts outfit workout tracksuit short sleeve bodybuildingShow more"}, {"name": "Bigen Semi-Permanent Haircolor #Bb1 Blue Black 3 Ounce (88ml) (2 Pack)", "product_information": {"Item Weight\n \u200f": "\u200e\n 7.68 Ounces", "UPC\n \u200f": "\u200e\n 033859020028 725410754984", "ASIN\n \u200f": "\u200e\n B00NFV6V3Q", "Best Sellers Rank": "#310,887 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#3,602 in Hair Color", "#3,602 in Hair Color": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Bigen Store", "brand_url": "https://www.amazon.com/stores/Bigen/page/2303EF53-EF1E-462C-A498-F48E4AD0975E?ref_=ast_bln", "full_description": "", "pricing": "$11.11", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41gZcLLQ+VL.jpg", "https://m.media-amazon.com/images/I/41DLGAwyu2L.jpg", "https://m.media-amazon.com/images/I/41gZcLLQ+VL.jpg", "https://m.media-amazon.com/images/I/41DLGAwyu2L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Coloring Products \u203a Hair Color", "average_rating": 3.9, "small_description": [""], "total_reviews": 28, "total_answered_questions": "", "customization_options": "", "seller_id": "ASEVS99O6FS73", "seller_name": "Pharmapacks_", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00NFV6V3Q", "category": "beauty", "query": "Hair Coloring Products", "page": 52, "small_description_old": ""}, {"name": "Lotus78 Makeup Bag. Cosmetic Bag for Women. Elegant Toiletry Bag for Women. Make Up Bag with Brush Organizer. Travel Makeup Bag for Girls. Makeup Bag Organizer with Detachable Small Cosmetic Bag. (Pink)", "product_information": {"Package Dimensions": "10.64 x 8.9 x 2.4 inches", "Item Weight": "5.1 ounces", "Department": "Womens", "ASIN": "B09JJ5W1N4", "Country of Origin": "China", "Customer Reviews": {"ratings_count": 20, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#13,132 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #79 in Cosmetic Bags"]}, "brand": "Brand: LOTUS78", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=LOTUS78", "full_description": "", "pricing": "$9.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31GnwcWSW6L.jpg", "https://m.media-amazon.com/images/I/51OGtGNTLoL.jpg", "https://m.media-amazon.com/images/I/41tGsUW7iPL.jpg", "https://m.media-amazon.com/images/I/41PXdmMOTJL.jpg", "https://m.media-amazon.com/images/I/41IuASUJ1kL.jpg", "https://m.media-amazon.com/images/I/31uxkw4nzBL.jpg", "https://m.media-amazon.com/images/I/51VW9rdub5L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases \u203a Cosmetic Bags", "average_rating": 4.5, "small_description": ["[ MATERIAL ] : Our makeup case is made of waterproof high-quality fabric. Our travel toiletry bag for women is lightweight, well-stitched and portable with small cosmetic travel bag. Makeup organizer bag fits well in suitcase and easy to carry. ", "[ ULTIMATE DESIGN FOR BEST STORAGE ] : Lotus78 makeup travel bag is designed with spacious makeup box with elegant travel cosmetic bag detachable from inner side of large makeup case organizer. This makeup pouch is equipped with brush compartment protecting them from dust. ", "[ TRAVEL PARTNER & UTILITY ] : Our four eye catching variations of travel bags for women is perfect travel partner. Makeup bag large is storage for skin care products, nail accessories and cosmetics. Small cosmetic bags meant for small objects to carry. ", "[ EYE-CATHCING COLORS ] : Lotus78 travel makeup organizer comes with 4 variations of elegant eye-catching colors including light green, baby pink, baby blue and grey. Our travel bag for toiletries measures 6.0 x 6.2 x 3.1 inches. ", "[ MULTI-FUNCTIONAL USE ] : These toiletry bags for traveling women are handy to use in multiple occasions and travelling. Small detachable cosmetic bag may be used separately and fit well in women's purse. Our make up bags are best choice as gift. "], "total_reviews": 20, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09JHXQ9DK/ref=twister_B09JHRP12Z?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "$9.99", "price": 9.99, "image": "https://m.media-amazon.com/images/I/51qOIYcdskL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JJ2RHMV/ref=twister_B09JHRP12Z?_encoding=UTF8&psc=1", "value": "Green", "price_string": "$9.99", "price": 9.99, "image": "https://m.media-amazon.com/images/I/315mBDX-FuL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JHZZV5Y/ref=twister_B09JHRP12Z?_encoding=UTF8&psc=1", "value": "Grey", "price_string": "$9.99", "price": 9.99, "image": "https://m.media-amazon.com/images/I/51qOIYcdskL.jpg"}, {"is_selected": true, "url": null, "value": "Pink", "price_string": "$9.99", "price": 9.99, "image": "https://m.media-amazon.com/images/I/51qOIYcdskL.jpg"}]}, "seller_id": "A1PCLNGRR993AC", "seller_name": "Lotus78", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09JJ5W1N4", "category": "beauty", "query": "Bags & Cases", "page": 13, "small_description_old": "[ MATERIAL ] : Our makeup case is made of waterproof high-quality fabric. Our travel toiletry bag for women is lightweight, well-stitched and portable with small cosmetic travel bag. Makeup organizer bag fits well in suitcase and easy to carry. [ ULTIMATE DESIGN FOR BEST STORAGE ] : Lotus78 makeup travel bag is designed with spacious makeup box with elegant travel cosmetic bag detachable from inner side of large makeup case organizer. This makeup pouch is equipped with brush compartment protecting them from dust. [ TRAVEL PARTNER & UTILITY ] : Our four eye catching variations of travel bags for women is perfect travel partner. Makeup bag large is storage for skin care products, nail accessories and cosmetics. Small cosmetic bags meant for small objects to carry. [ EYE-CATHCING COLORS ] : Lotus78 travel makeup organizer comes with 4 variations of elegant eye-catching colors including light green, baby pink, baby blue and grey. Our travel bag for toiletries measures 6.0 x 6.2 x 3.1 inches. [ MULTI-FUNCTIONAL USE ] : These toiletry bags for traveling women are handy to use in multiple occasions and travelling. Small detachable cosmetic bag may be used separately and fit well in women's purse. Our make up bags are best choice as gift."}, {"name": "Stouffer's Party Size Lasagna with Meat Sauce Frozen Meal", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 13 x 10.6 x 2.6 inches; 5.9 Pounds", "Item model number\n \u200f": "\u200e\n 55131", "UPC\n \u200f": "\u200e\n 013800551313", "Manufacturer\n \u200f": "\u200e\n Nestle", "ASIN\n \u200f": "\u200e\n B000YG3DWC", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Stouffer's", "brand_url": "https://www.amazon.com/Stouffers/b/ref=bl_dp_s_web_20389794011?ie=UTF8&node=20389794011&field-lbr_brands_browse-bin=Stouffer%27s", "full_description": "Stouffer's Party Size Lasagna with Meat Sauce Frozen Meal offers an easy solution for lunch or dinner. This Party Size frozen meal includes freshly made pasta with 100% pure beef, herb seasoned tomato sauce, and real mozzarella cheese. This classic family meal is sure to satisfy every taste bud. This frozen dinner offers 17 grams of protein per serving and is made with no preservatives. Stouffer's Party Size meals are easy to prepare, making this frozen entree a great choice when you're looking to entertain without the hassle. Keep Stouffer's lasagna frozen meals in the freezer until you're ready to enjoy. Freshly made pasta layered between real ricotta cheese, seasoned meat and tomato sauce.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51z5EoQzMZL.jpg", "https://m.media-amazon.com/images/I/512x8PrgaLL.jpg", "https://m.media-amazon.com/images/I/31R6xDP1v2L.jpg", "https://m.media-amazon.com/images/I/41wrOm8dHrS.jpg", "https://m.media-amazon.com/images/I/51MLXTIWb0L.jpg", "https://m.media-amazon.com/images/I/41wrOm8dHrS.jpg", "https://m.media-amazon.com/images/I/51jE-cRok5L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Frozen \u203a Meals & Entrees", "average_rating": 4.7, "small_description": ["One 90 oz box of Stouffer's Party Size Lasagna with Meat Sauce Frozen Meal. EBT item in eligible states ", "Family frozen dinner packed with quality ingredients and your favorite homemade flavor ", "This frozen lasagna includes freshly made pasta with 100% pure beef, herb seasoned tomato sauce, and real mozzarella cheese ", "This frozen meal offers 17 grams of protein per serving, and is made with no preservatives ", "This Stouffers lasagna is simple to prepare, ideal for an easy dinner "], "total_reviews": 1284, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B000YG3DWC", "category": "grocery", "query": "Meat Substitutes", "page": 80, "small_description_old": "About this item One 90 oz box of Stouffer's Party Size Lasagna with Meat Sauce Frozen Meal. EBT item in eligible states Family frozen dinner packed with quality ingredients and your favorite homemade flavor This frozen lasagna includes freshly made pasta with 100% pure beef, herb seasoned tomato sauce, and real mozzarella cheese This frozen meal offers 17 grams of protein per serving, and is made with no preservatives This Stouffers lasagna is simple to prepare, ideal for an easy dinner"}, {"name": "Ercadio 24 Pack Soccer Cupcake Toppers Black Glitter Football Cupcake Topper Sports Theme Soccer Party Baby Shower Cake Decoration", "product_information": {"Package Dimensions": "5.28 x 5.08 x 0.39 inches", "Item Weight": "2.11 ounces", "ASIN": "B07TVMCK3F", "Best Sellers Rank": ["#71,069 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food) #1,351 in Cupcake Toppers (Grocery & Gourmet Food)"], "Customer Reviews": {"ratings_count": 159, "stars": "4.6 out of 5 stars"}, "Manufacturer": "Ercadio"}, "brand": "Visit the Ercadio Store", "brand_url": "https://www.amazon.com/stores/Ercadio/page/84124BCC-3E69-47F6-A3F2-3A2A16593D0E?ref_=ast_bln", "full_description": "", "pricing": "$6.99", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/41K3OcYOeOL.jpg", "https://m.media-amazon.com/images/I/51EUJhTkyWL.jpg", "https://m.media-amazon.com/images/I/51mZLLbyKCL.jpg", "https://m.media-amazon.com/images/I/51KOtdCKgtL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Cooking & Baking \u203a Frosting, Icing & Decorations \u203a Cupcake Toppers", "average_rating": 4.6, "small_description": ["Special soccer sports theme cupcake toppers will make the cupcake more lovely and striking, increase the fun to your party. ", "Material: High quality 300g glitter cardboard with food grade toothpicks sticks.attractive and durable\uff01 ", "Package/Size\uff1aPack of 24 pcs,4pcs of each pattern .all our picks were assembled,Sturdy! Size:4.9*1.6 inch / 5*2.7 inch / 5.2*2.3 inch / 5.5*2 inch / 5*3.1 inch / 5.4*2.4 inch\uff08including stick\uff09 ", "Perfect for: soccer ball party,sports theme party,baby shower party,birthday party, wedding party cake decoration. It also can be used as cupcake picks,ice cream picks, appetizer picks, fruit picks, or party food picks. ", "Friendly Reminder:Designed for single-sided,another side is plain white.Only for decoration purposes, this is not edible and please do NOT use it in oven or microwave. "], "total_reviews": 159, "total_answered_questions": "", "customization_options": "", "seller_id": "AX50CHV1AAY8B", "seller_name": "Ercadio", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07TVMCK3F", "category": "grocery", "query": "Toothpicks", "page": 137, "small_description_old": "About this item\n \nSpecial soccer sports theme cupcake toppers will make the cupcake more lovely and striking, increase the fun to your party. Material: High quality 300g glitter cardboard with food grade toothpicks sticks.attractive and durable\uff01 Package/Size\uff1aPack of 24 pcs,4pcs of each pattern .all our picks were assembled,Sturdy! Size:4.9*1.6 inch / 5*2.7 inch / 5.2*2.3 inch / 5.5*2 inch / 5*3.1 inch / 5.4*2.4 inch\uff08including stick\uff09 Perfect for: soccer ball party,sports theme party,baby shower party,birthday party, wedding party cake decoration. It also can be used as cupcake picks,ice cream picks, appetizer picks, fruit picks, or party food picks. Friendly Reminder:Designed for single-sided,another side is plain white.Only for decoration purposes, this is not edible and please do NOT use it in oven or microwave."}, {"name": "MarieBelle Milk/Hazelnut Hot Chocolate 10 oz Tin - Easy to Prepare Full-Flavored Traditional Cr\u00e8me de Chocolat European Style Hot Chocolate Beverage Mix", "product_information": {"Item Weight\n \u200f": "\u200e\n 10 Ounces", "UPC\n \u200f": "\u200e\n 877708004544", "Manufacturer\n \u200f": "\u200e\n MarieBelle", "ASIN\n \u200f": "\u200e\n B088WFD1XQ", "Best Sellers Rank": "#249,807 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#421 in Baking Cocoa", "#421 in Baking Cocoa": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the MarieBelle Store", "brand_url": "https://www.amazon.com/stores/MarieBelle/page/778F6FC7-ED81-4BFB-A10C-06B777FE00B0?ref_=ast_bln", "full_description": "Thick and decadent, our 38% Milk Chocolate and Hazelnut Hot Chocolate contains rich, South American single-origin pure milk chocolate instead of cocoa powder. It's also remarkably versatile and easy to prepare. Mix with boiling water to create a full-flavored cup of European-style hot chocolate or with milk for a more traditional American-style drink. Refrigerate the European version to transform into a cr\u00e8me de chocolat.", "pricing": "$38.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51TDl-DuSBL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Cooking & Baking \u203a Baking Chocolates, Carob & Cocoa \u203a Cocoa", "average_rating": 5, "small_description": ["38% Milk Chocolate and Hazelnut Hot Chocolate contains rich, South American single-origin pure milk chocolate instead of cocoa powder. ", "Remarkably versatile and easy to prepare. ", "Mix with boiling water to create a full-flavored cup of European-style hot chocolate or with milk for a more traditional American-style drink. ", "Can be transformed into a cr\u00e8me de chocolat with refrigeration. "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A1KKEBBGWA0L46", "seller_name": "Mariebelle", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B088WFD1XQ", "category": "grocery", "query": "Beverages", "page": 255, "small_description_old": "38% Milk Chocolate and Hazelnut Hot Chocolate contains rich, South American single-origin pure milk chocolate instead of cocoa powder. Remarkably versatile and easy to prepare. Mix with boiling water to create a full-flavored cup of European-style hot chocolate or with milk for a more traditional American-style drink. Can be transformed into a cr\u00e8me de chocolat with refrigeration."}, {"name": "Champion Women's Reverse Weave Crew", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 15.16 x 11.61 x 2.36 inches; 1.76 Pounds", "Item model number\n \u200f": "\u200e\n GF850", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n November 15, 2019", "Manufacturer\n \u200f": "\u200e\n Champion", "ASIN\n \u200f": "\u200e\n B081KKCY2Z", "Best Sellers Rank": "#274,245 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#183 in Women's Sweatshirts", "#183 in Women's Sweatshirts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Champion Store", "brand_url": "https://www.amazon.com/stores/Champion/page/9315F82B-8BDF-4711-8450-2428416D0F96?ref_=ast_bln", "full_description": "Think outside the gym! Champion Authentic Originals are athletic wear classics updated with the latest in fabric and fashion.", "pricing": "$35.00$117.47", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41wOCdsdsDL.jpg", "https://m.media-amazon.com/images/I/41DmNPYdc8L.jpg", "https://m.media-amazon.com/images/I/515x5cLydzL.jpg", "https://m.media-amazon.com/images/I/517s+bs-1LL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Active \u203a Active Sweatshirts", "average_rating": 4.3, "small_description": ["1.25 inch embroidered C logo ", "Heavyweight (12oz.) ", "Double needle construction for extra durability ", "Signature 1x1 rib side panels for increased range of motion ", "Women's fit; C logo patch on left sleeve; cut on the cross grain to reduce length shrinkage "], "total_reviews": 58, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "X-Small", "asin": "B081KKHLGZ"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B081KJYSHC"}, {"is_selected": false, "is_available": false, "value": "Medium", "asin": "B081KJRFS5"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B081KJLMST"}, {"is_selected": false, "is_available": false, "value": "X-Large", "asin": "B081KJL7T2"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B081KKJ76J"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B081KKCY2Z/ref=twister_B08QS6VDDN", "value": "Black - Y06145", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31N9GPc5V6L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B081KKJ75G/ref=twister_B08QS6VDDN", "value": "Gfs Silver Grey - Y06145", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31NP2fzgt9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B081KK7LXR/ref=twister_B08QS6VDDN", "value": "White - Y06145", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31lAIka9QVL.jpg"}, {"is_selected": true, "url": null, "value": "Scarlet -Y06145", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41wOCdsdsDL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B081KK198Q/ref=twister_B08QS6VDDN", "value": "Cornflower Teal", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41sGN+ZIaYL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B081KJLMST", "category": "fashion", "query": "Women's Fashion Hoodies & Sweatshirts", "page": 4, "small_description_old": "82% Cotton, 18% Polyester Imported No Closure closure Machine Wash 1.25 inch embroidered C logo Heavyweight (12oz.) Double needle construction for extra durability \n Signature 1x1 rib side panels for increased range of motionWomen's fit; C logo patch on left sleeve; cut on the cross grain to reduce length shrinkageShow more"}, {"name": "Owl Statue for Modern Home Decor Accents Living Room, Bedroom Figurines,TV Stand Resin Decorations,Kitchen for Shelf,Office Desktop,Book Shelves,Unique for Animal Lovers(2 PCS)", "product_information": {"Package Dimensions": "7.72 x 5.08 x 2.99 inches", "Item Weight": "5 ounces", "ASIN": "B09C896SN6", "Customer Reviews": {"ratings_count": 55, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#80,731 in Home & Kitchen (See Top 100 in Home & Kitchen) #58 in Statues"], "Date First Available": "August 10, 2021"}, "brand": "Brand: Garden 4 you", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Garden+4+you", "full_description": "", "pricing": "$11.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51KobLGuL3L.jpg", "https://m.media-amazon.com/images/I/61MjXijSFiL.jpg", "https://m.media-amazon.com/images/I/519JlwHhwxL.jpg", "https://m.media-amazon.com/images/I/518wT0s+1SL.jpg", "https://m.media-amazon.com/images/I/51AaHzk54tL.jpg", "https://m.media-amazon.com/images/I/51Utwmp+yeL.jpg", "https://m.media-amazon.com/images/I/51WRrKDzIqL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Home D\u00e9cor Accents \u203a Sculptures \u203a Statues", "average_rating": 4.4, "small_description": ["\u3010PRODUCT INFORMATION\u3011:There are two owls in a box. Resin material.Environmentally Protective, No Color Fading.Size:3.4*1.5*3.5 inch,Each Weighs: 5 oz. Cute Decor Owl Home Decor. ", "\u3010SMALL and EXQUISITE\u3011:The owl statue has bright eyes and exquisite workmanship. It symbolizes strength, stability and wisdom; it is a very cute statue, and its small and unique shape is the highlight of home decorations. ", "\u3010HOME DECORATION\u3011:A small object as a decoration, placed on the table in the living room decor, bedroom decor,bathroom decor,kitchen decor, office decor, house decor,indoor decor or on the cabinet, it is very suitable. ", "\u3010BEST GIFT\u3011:The creative handmade owl statue is the most suitable gift for your best friend or family member, bird animal lover, and sculpture lover. A unique birthday gift for an elder, a gift for a friend, a Valentine's Day gift for her. Mother's Day gift, teacher gift, friendship gift. Halloween decorations, Thanksgiving decorations. 2021 unique silver owl Christmas ornament Christmas decoration gift. ", "\u3010VARIETY of OPTIONS\u3011:We have three different styles for you to choose from, each of which is very delicate and beautiful and unique in shape. "], "total_reviews": 55, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "1pair", "price_string": "$11.99", "price": 11.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09C8J8S69/ref=twister_B09DCN6WN2?_encoding=UTF8&psc=1", "value": "2pcs", "price_string": "$15.99", "price": 15.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NR78Z2X/ref=twister_B09DCN6WN2?_encoding=UTF8&psc=1", "value": "2pcs-1", "price_string": "$12.99", "price": 12.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NR7J83T/ref=twister_B09DCN6WN2?_encoding=UTF8&psc=1", "value": "3pcs", "price_string": "$17.99", "price": 17.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09C8L4JKT/ref=twister_B09DCN6WN2?_encoding=UTF8&psc=1", "value": "4pcs", "price_string": "$19.99", "price": 19.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H2T7RC8/ref=twister_B09DCN6WN2?_encoding=UTF8&psc=1", "value": "Green", "price_string": "$9.99", "price": 9.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H2T2WQJ/ref=twister_B09DCN6WN2?_encoding=UTF8&psc=1", "value": "Ivory", "price_string": "$9.99", "price": 9.99, "image": null}]}, "seller_id": "A125YTPR4I2RP", "seller_name": "Garden 4 you", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09C896SN6", "category": "garden", "query": "TV Stands", "page": 278, "small_description_old": "About this item\n \n\u3010PRODUCT INFORMATION\u3011:There are two owls in a box. Resin material.Environmentally Protective, No Color Fading.Size:3.4*1.5*3.5 inch,Each Weighs: 5 oz. Cute Decor Owl Home Decor. \u3010SMALL and EXQUISITE\u3011:The owl statue has bright eyes and exquisite workmanship. It symbolizes strength, stability and wisdom; it is a very cute statue, and its small and unique shape is the highlight of home decorations. \u3010HOME DECORATION\u3011:A small object as a decoration, placed on the table in the living room decor, bedroom decor,bathroom decor,kitchen decor, office decor, house decor,indoor decor or on the cabinet, it is very suitable. \u3010BEST GIFT\u3011:The creative handmade owl statue is the most suitable gift for your best friend or family member, bird animal lover, and sculpture lover. A unique birthday gift for an elder, a gift for a friend, a Valentine's Day gift for her. Mother's Day gift, teacher gift, friendship gift. Halloween decorations, Thanksgiving decorations. 2021 unique silver owl Christmas ornament Christmas decoration gift. \u3010VARIETY of OPTIONS\u3011:We have three different styles for you to choose from, each of which is very delicate and beautiful and unique in shape."}, {"name": "Furniture of America Canopy, California King, Bronze", "product_information": {"Item Weight": "\u200e121.2 pounds", "Product Dimensions": "\u200e89.25 x 75.88 x 79.5 inches", "Item model number": "\u200eFA-CM7424BR-CK", "ASIN": "B07FFHJ8YL", "Customer Reviews": {"ratings_count": null, "stars": "1.0 out of 5 stars"}, "Best Sellers Rank": ["#3,452,042 in Home & Kitchen (See Top 100 in Home & Kitchen) #7,287 in Beds"], "Date First Available": "May 25, 2018"}, "brand": "Visit the Furniture of America Store", "brand_url": "https://www.amazon.com/stores/Furniture+of+America/page/F4906CC2-B454-4D40-82FA-82244D79FE3D?ref_=ast_bln", "full_description": "The Mallie Canopy Bed creates a stunning look with its distinguished canopy design and elegant ball finials along the top. Intricate curved panels highlight the headboard and footboard while the canopy supports define each corner. Crafted from sturdy metal, the Mallie Canopy is built to last.", "pricing": "$674.98", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/41gyJsdRsJL.jpg", "https://m.media-amazon.com/images/I/51km5Bci5mL.jpg", "https://m.media-amazon.com/images/I/51i2MELQdxS.jpg", "https://m.media-amazon.com/images/I/51EoLuu4F8S.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Beds, Frames & Bases \u203a Beds", "average_rating": 1, "small_description": ["Bronze finish ", "Materials: metal ", "Transitional style ", "Stunning canopy design with ball finial decorations ", "Intricate curved panel headboard and footboard "], "total_reviews": 1, "total_answered_questions": "", "model": "\u200eFA-CM7424BR-CK", "customization_options": "", "seller_id": "A1QFM750CLWIW0", "seller_name": "Cymax", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07FFHJ8YL", "category": "garden", "query": "Bedframes", "page": 247, "small_description_old": "About this item Stunning canopy design with ball finial decorations Intricate curved panel headboard and footboard \n \u203a See more product details"}, {"name": "Alegria Women's Kourtney", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 12.1 x 7.9 x 4.6 inches; 2 Pounds", "Item model number\n \u200f": "\u200e\n KOU-974", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n July 27, 2018", "Manufacturer\n \u200f": "\u200e\n Pepper Gate Footwear Inc.", "ASIN\n \u200f": "\u200e\n B07FYH6X7N", "Best Sellers Rank": "#685,916 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,458 in Women's Mules & Clogs #1,923 in Women's Flats", "#1,458 in Women's Mules & Clogs": "", "#1,923 in Women's Flats": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Alegria by PG Lite", "brand_url": "https://www.amazon.com/Alegria-by-PG-Lite/b/ref=bl_sl_s_sh_web_3016539011?ie=UTF8&node=3016539011&field-lbr_brands_browse-bin=Alegria+by+PG+Lite", "full_description": "Alegria Footwear Size Guide The Alegria\u00ae Kourtney offers complete comfort with a fun and fashionable style. Stain-resistant leather uppers with a round toe. Lightly cushioned collar. Mary Jane strap feature a hook-and-loop fastener with a decorative buckle. Designed with an extra roomy fit to allow toes to splay. Soft and breathable leather linings. Removable and replaceable footbed combines cork, latex and memory foam to deliver personalized comfort and support. Slip-resistant polyurethane outsole offers a rocker bottom designed to reduce pressure on the central metatarsal and heel, absorbing shock and offering steady traction as you move. Imported. Click here to learn more about Alegria outsole technology. Measurements: Heel Height: 1 1\u20442 in Weight: 12 oz Product measurements were taken using size 39 (US Women's 9-9.5), width Regular. Please note that measurements may vary by size. Weight of footwear is based on a single item, not a pair.", "pricing": "$62.99$129.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41gxr+og3wL.jpg", "https://m.media-amazon.com/images/I/21481R5p4GL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Mules & Clogs", "average_rating": 4.4, "small_description": "Adjustable hook-and-loop strap with buckle ornament Leather upper and lining Stain-resistant upper Suede leather insole Slip-resistant outsole", "total_reviews": 521, "total_answered_questions": 30, "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "5", "asin": "B06W51MMKY"}, {"is_selected": false, "is_available": false, "value": "5-5.5 Wide", "asin": "B07R4FTR6Q"}, {"is_selected": false, "is_available": false, "value": "12", "asin": "B07H6TLRPH"}, {"is_selected": false, "is_available": false, "value": "35 M EU", "asin": "B076HW981R"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07FYH6X7N/ref=twister_B073V7TBPF", "value": "Anise Baby Tumble", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41xUsAg801L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07H6TLRPH/ref=twister_B073V7TBPF", "value": "Aura", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41PWTr0kUdL.jpg"}, {"is_selected": true, "url": null, "value": "Black Napa", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41gxr+og3wL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07B3Y411V/ref=twister_B073V7TBPF", "value": "Burgundy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41tGb4QYaFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07R4FTR6Q/ref=twister_B073V7TBPF", "value": "Black Nappa", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41XD+DMmvjL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B076HW981R/ref=twister_B073V7TBPF", "value": "Slickery", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41qQmi3FNeL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075HZQ25W/ref=twister_B073V7TBPF", "value": "Glimmer Glam", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/511fUSuxjbL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B06W51MMKY", "category": "fashion", "query": "Women's Mules & Clogs", "page": 84, "small_description_old": "Adjustable hook-and-loop strap with buckle ornament Leather upper and lining Stain-resistant upper Suede leather insole Slip-resistant outsole"}, {"name": "Lurrose 10Pcs Travel Cream Jars Empty Refillable Mini Cream Container Cosmetic Makeup Container Samples Jars for Foundation 200ml", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 3.15 x 3.15 x 2.48 inches; 1.01 Pounds", "Item model number\n \u200f": "\u200e\n 1831D7K18E", "Manufacturer\n \u200f": "\u200e\n Lurrose", "ASIN\n \u200f": "\u200e\n B09KCF4KPT", "": ""}, "brand": "Visit the Lurrose Store", "brand_url": "https://www.amazon.com/stores/Lurrose/page/4CD32519-0F99-4F89-9BB9-7EFBF13048A8?ref_=ast_bln", "full_description": "Description This is a set of empty containers. Flat bottom design for stable placing, sealed performance is good enough, and durable for long time use. suitable for eyeshadow, creams, balms, ointments, lotions, powder, etc. Perfect choice for travel or home daily use. Features- Color: Transparent;- Material: PS, PP;- Size: 8. 00X8. 00X6. 30cm/ 3. 14X 3. 14X2. 48in;- Capacity: 200ml;- The box is made of high- class material, practical and durable for a long period of use.- The cosmetic jar for convenient use, a practical gift for your friends, families and so on.- Portable sizes and lightweight make it suitable for travel, trip, camping or just use at home.- Also perfect storage dispenser for your shampoo conditioner, lotion, cream, etc.- good PS and PP materials, smooth surface, making it convenient to clean.- Size: 8x8cm Package Including 10 x Boxes", "pricing": "$22.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/21HpYDwklfL.jpg", "https://m.media-amazon.com/images/I/41o0GAfow-L.jpg", "https://m.media-amazon.com/images/I/41wwQOXO+eL.jpg", "https://m.media-amazon.com/images/I/31gQrOw0SOL.jpg", "https://m.media-amazon.com/images/I/31s9u0R2Z5L.jpg", "https://m.media-amazon.com/images/I/21eUrDB+ynL.jpg", "https://m.media-amazon.com/images/I/41dZmvfO--L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases", "average_rating": "", "small_description": ["The box is made of high- class material, practical and durable for a long period of use. ", "The cosmetic jar for convenient use, a practical gift for your friends, families and so on. ", "Also perfect storage dispenser for your shampoo conditioner, lotion, cream, etc. ", "Portable sizes and lightweight make it suitable for travel, trip, camping or just use at home. ", "good PS and PP materials, smooth surface, making it convenient to clean. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09KCDCGQC/ref=twister_B09KCFPWT7", "value": "5.3x5.3cm", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "8x8cm", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09KCDLH1H/ref=twister_B09KCFPWT7?_encoding=UTF8&psc=1", "value": "Transparent", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21iBGpbjq6L.jpg"}, {"is_selected": true, "url": null, "value": "Transparent 1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21HpYDwklfL.jpg"}]}, "seller_id": "A3R98EG4N1XEC", "seller_name": "Vestles", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09KCF4KPT", "category": "beauty", "query": "Refillable Containers", "page": 155, "small_description_old": "The box is made of high- class material, practical and durable for a long period of use. The cosmetic jar for convenient use, a practical gift for your friends, families and so on. Also perfect storage dispenser for your shampoo conditioner, lotion, cream, etc. Portable sizes and lightweight make it suitable for travel, trip, camping or just use at home. good PS and PP materials, smooth surface, making it convenient to clean."}, {"name": "ZHDD Tops for Mens, Men's Knight Punk Vintage Style Long Sleeve Asymmetric Hem Cowl Neck Teen Boys Gothic Pullover", "product_information": {"Item Weight\n \u200f": "\u200e\n 9.52 Ounces", "Item model number\n \u200f": "\u200e\n ZHDD-210929", "Department\n \u200f": "\u200e\n Men", "Date First Available\n \u200f": "\u200e\n September 29, 2021", "Manufacturer\n \u200f": "\u200e\n ZHDD", "ASIN\n \u200f": "\u200e\n B09HH27MPM", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: ZHDD", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=ZHDD", "full_description": "Hi! We've waited so long for you\uff0cWelcome to ZHDD Store.Sincerity, enthusiasm and professional are our service tenet, you can create your own fashion in our store. I believe you can be satisfied with this\u00a0experience!Gender: Mens / Teen BoysSeason: Fall / Summer / WinterOccasion: Daily, Sports, Workout, Holiday Vacation, Beach, Office, Casual, Party, Gym, StreetMaterial: Polyester, Cotton, SpandexStyle: Cool, Causal, Fashion, Outdoor LifeStyle, StylishFeatures:\u3010Material\u3011Material: 90% Polyester, 10% Cotton, super comfy, soft and skin friendly.\u3010Fashion Tops\u3011These trendy shirts hoodies are prefect with sports pants, shorts, jeans, sandals, sneakers for a trendy look;\u3010Occasions\u3011Fashion Halloween Hooded Sweatshirt Hoodies/Workout Athletic T-Shirt/Slim Fit Sport Zipper Tops, bring you men's athletic performance shirts that deliver more flexibility and a wider range of motions. Suitable for daily wear, Running, cycling,\u00a0gym training or yoga, boxing, casual, street. Perfect gifts for your boyfriend, son, husband.\u3010Size\u3011Size: Asian Size; Before ordering, please carefully check the size chart; Please allow 1-2cm differences due to manual measurementSize Chart:Size: S US/EU Size: S Bust: 98cm/38.6\" Shoulder: 44cm/17.3\" Sleeve: 64cm/25.2\" Length : 67cm/26.4\"\u00a0Size: M US/EU Size: M Bust: 103cm/40.6\" Shoulder: 45cm/17.7\" Sleeve: 65cm/25.6\" Length : 68cm/26.8\"\u00a0Size: L US/EU Size: M Bust: 108cm/42.5\" Shoulder: 46cm/18.1\" Sleeve: 66cm/26.0\" Length : 69cm/27.2\"\u00a0Size: XL US/EU Size: L Bust: 113cm/44.5\" Shoulder: 47cm/18.5\" Sleeve: 67cm/26.4\" Length : 70cm/27.6\"\u00a0Size: XXL US/EU Size: L Bust: 118cm/46.5\" Shoulder: 48cm/18.9\" Sleeve: 68cm/26.8\" Length : 71cm/28.0\"", "pricing": "$4.98$7.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41-hZxdOImL.jpg", "https://m.media-amazon.com/images/I/41-hZxdOImL.jpg", "https://m.media-amazon.com/images/I/41wuTYHuXKL.jpg", "https://m.media-amazon.com/images/I/41iS2br4QOL.jpg", "https://m.media-amazon.com/images/I/417PoYHKwoL.jpg", "https://m.media-amazon.com/images/I/41zYsPh5JaL.jpg", "https://m.media-amazon.com/images/I/41cjvCn+hdL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": 5, "small_description": ["\u3010Size Notice\u3011\uff1a Asian sizes, runs smaller 1-2 size than the US size.Please refer to the size chart in the picture.For example, if you are M size in US, we advise L or XL for our size. ", "\u3010Shipping\u3011\uff1aItems will arrive in 10-18 business days. ", "\u2714 Today's Big Promotion \u2714 Buy 1 get 5% off, Buy 2 get 15% off, Buy 3 get 20% off. ", "linen button shirts/graphic t-shirts/business casual tshirts/coats/jackets/sports sweatshirts pants tracksuits outfits sets for mens/juniors/male/teens closure ", "Mens Shirts T-shirts Tops Clearance Hot Sale ", "long sleeve tee mens,hooded long sleeve shirt,men's casual button down shirts,hawaiian shirts near me,navy blue button up shirt,vintage long sleeve shirts,long sleeve hawaiian shirt,red and white t shirt,athletic fit dress shirts,camo shirts for men,t shirt cotton,green collared shirt,camo long sleeve shirt,4x t shirts,woven shirt,mens waffle shirt,short sleeve work shirt,red and black flannel shirt,waffle thermal shirt,viscose shirt men,vertical striped shirt mens ", "flannel jackets mens,hooded flannels,white shirt with collar,tee s,button up shirts white,button down shirts white,shirts for men long sleeve,fall shirts for men,jeans shirt,check shirt,plain white t shirt,navy blue shirt,printed shirts for men,sports t shirts,long sleeve tops,red t shirt,branded shirts for men,plain black t shirt,button down,collar t shirt,crew neck t shirt,best shirts for men,olive green shirt,blue t shirt,light blue shirt,gym t shirt,sky blue shirt,half sleeve shirt , black graphic tees,mens rugby shirts,dashiki shirt,red shirt for men,merino t shirt,printed t shirts for men,charlie brown shirt,red long sleeve shirt,best flannel shirts,blue shirts,plain black shirt,brown t shirt,camouflage t shirt,mens oversized t shirt,slim fit shirts,cool shirts for men,striped long sleeve shirt,french cuff,mens shirts sale,white long sleeve,navy blue t shirt,merino wool t shirt,chinese collar shirts,vertical striped shirt,men's v neck t shirts,green shirt men,wool shirt, t shirts cotton long sleeve shirts white plain shirt tri blend t shirt mens longline t shirt striped long sleeve black and white graphic tee cool shirts plain tee shirts royal blue graphic tee no sleeve shirt muscle fit shirt t shirts mens type of shirt grey graphic tee green t shirt mens long tees vintage tees men grey shirt mens nirvana in utero shirt for men orange shirt mens style t shirt golf tee shirts black and red graphic tee white designer t shirt fish shirt 5x t shirts, button up t shirt black graphic t shirt 3xlt t shirts king shirt white designer shirt 6xl shirts black and white shirt graphic tees near me red white and blue shirts 6xl t shirts long sleeve hoodie black and yellow graphic tee black and white striped shirt mens orange t shirt mens crew shirts large tall t shirts 1776 t shirt mens mesh shirt green t shirts best graphic tees for men hooded t shirt mens mens green shirt white graphic t shirt navy blue long sleeve shirt men's"], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "157- Army Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41-hZxdOImL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HGVJLLH/ref=twister_B09HH2NSSK", "value": "157- Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31t+uvIoXUL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HGV13L2/ref=twister_B09HH2NSSK", "value": "157- Dark Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41j7Bkj2utL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HGPMQHL/ref=twister_B09HH2NSSK", "value": "158- Army Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41deQOLmDdL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HGD8JQT/ref=twister_B09HH2NSSK", "value": "158- Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41R7d63ZE0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HGXWJ2J/ref=twister_B09HH2NSSK", "value": "158- White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31W3CMgo45L.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09HH27MPM"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09HGQN4HL"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09HGCGFD5"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09HGWK1R9"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09HGFV91W"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09HGFV91W", "category": "fashion", "query": "Men's Suits & Sport Coats", "page": 7, "small_description_old": "\u3010Size Notice\u3011\uff1a Asian sizes, runs smaller 1-2 size than the US size.Please refer to the size chart in the picture.For example, if you are M size in US, we advise L or XL for our size. \u3010Shipping\u3011\uff1aItems will arrive in 10-18 business days. \u2714 Today's Big Promotion \u2714 Buy 1 get 5% off, Buy 2 get 15% off, Buy 3 get 20% off. linen button shirts/graphic t-shirts/business casual tshirts/coats/jackets/sports sweatshirts pants tracksuits outfits sets for mens/juniors/male/teens closure Mens Shirts T-shirts Tops Clearance Hot Sale long sleeve tee mens,hooded long sleeve shirt,men's casual button down shirts,hawaiian shirts near me,navy blue button up shirt,vintage long sleeve shirts,long sleeve hawaiian shirt,red and white t shirt,athletic fit dress shirts,camo shirts for men,t shirt cotton,green collared shirt,camo long sleeve shirt,4x t shirts,woven shirt,mens waffle shirt,short sleeve work shirt,red and black flannel shirt,waffle thermal shirt,viscose shirt men,vertical striped shirt mens flannel jackets mens,hooded flannels,white shirt with collar,tee s,button up shirts white,button down shirts white,shirts for men long sleeve,fall shirts for men,jeans shirt,check shirt,plain white t shirt,navy blue shirt,printed shirts for men,sports t shirts,long sleeve tops,red t shirt,branded shirts for men,plain black t shirt,button down,collar t shirt,crew neck t shirt,best shirts for men,olive green shirt,blue t shirt,light blue shirt,gym t shirt,sky blue shirt,half sleeve shirt \n black graphic tees,mens rugby shirts,dashiki shirt,red shirt for men,merino t shirt,printed t shirts for men,charlie brown shirt,red long sleeve shirt,best flannel shirts,blue shirts,plain black shirt,brown t shirt,camouflage t shirt,mens oversized t shirt,slim fit shirts,cool shirts for men,striped long sleeve shirt,french cuff,mens shirts sale,white long sleeve,navy blue t shirt,merino wool t shirt,chinese collar shirts,vertical striped shirt,men's v neck t shirts,green shirt men,wool shirtt shirts cotton long sleeve shirts white plain shirt tri blend t shirt mens longline t shirt striped long sleeve black and white graphic tee cool shirts plain tee shirts royal blue graphic tee no sleeve shirt muscle fit shirt t shirts mens type of shirt grey graphic tee green t shirt mens long tees vintage tees men grey shirt mens nirvana in utero shirt for men orange shirt mens style t shirt golf tee shirts black and red graphic tee white designer t shirt fish shirt 5x t shirtsbutton up t shirt black graphic t shirt 3xlt t shirts king shirt white designer shirt 6xl shirts black and white shirt graphic tees near me red white and blue shirts 6xl t shirts long sleeve hoodie black and yellow graphic tee black and white striped shirt mens orange t shirt mens crew shirts large tall t shirts 1776 t shirt mens mesh shirt green t shirts best graphic tees for men hooded t shirt mens mens green shirt white graphic t shirt navy blue long sleeve shirt men'sShow more"}, {"name": "Naim Mu-so Qb V2 Multi-Room Wireless Music System (Black)", "product_information": {"Product Dimensions": "8.35 x 8.58 x 8.23 inches", "Item Weight": "15.95 pounds", "ASIN": "B07YN72RH4", "Item model number": "NAIMMU-SOQB-2ND", "Batteries": "1 CR2 batteries required. (included)", "Customer Reviews": {"ratings_count": 31, "stars": "3.9 out of 5 stars"}, "Best Sellers Rank": ["#3,065 in Portable Bluetooth Speakers #27,387 in MP3 & MP4 Player Accessories"], "Is Discontinued By Manufacturer": "No", "Date First Available": "October 11, 2019", "Manufacturer": "Naim"}, "brand": "Brand: Naim", "brand_url": "https://www.amazon.com/Naim/b/ref=bl_dp_s_web_9951141011?ie=UTF8&node=9951141011&field-lbr_brands_browse-bin=Naim", "full_description": "A streaming speaker for audiophiles Naim Audio has upped their wireless music game with the redesigned Mu-so Qb 2nd Generation. This compact, cube-shaped speaker offers intuitive wireless streaming with app-based control from your smartphone or tablet. And when connected to your network via an Ethernet cable, it can play even higher-resolution music files than the original Mu-so Qb. That includes downloads from HDtracks , TIDAL's high-res Masters tier, and other streaming services. Listening notes from Crutchfield writer Eric Angevine \"We recently set up a multi-zone system featuring Naim products in our Vendor Training Room, with the Mu-so Qb 2nd Generation as our featured Zone 1 player. Over the course of a week, Crutchfield employees were encouraged to test out the speaker's performance and ease of use, and I was there for some of the listening sessions. Several colleagues asked me 'Is it supposed to look like that?' as they examined the Qb's unique wrap-around grille. The answer is 'yes' - The Qb's attractive 3D 'wave' design is an intentional aesthetic choice, and one I rather like. First-time users were also rather enamored of the clever controls on top of the cube - the large round knob can be physically turned to raise or lower volume, and it's also a motion-sensitive touchscreen that displays more control buttons. But enough about the Qb's looks. It also sounds dynamite. The Qb was the smallest speaker we included in our demo, but it produced a rich, robust soundstage. If I were building a Naim multi-zone system at home, I'd probably use the Uniti Star in my living room, but the Qb would be ideal for placing in a bedroom or home office.\" - Eric Angevine, Crutchfield Copywriter Redesigned speakers for optimal performance The Mu-so Qb 2nd Generation features a pair of redesigned micro-fiber tweeters and midrange speakers. The speaker array is angled for full, spacious sound.", "pricing": "$1,199.00", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51502U9resL.jpg", "https://m.media-amazon.com/images/I/51tHP2ns8+L.jpg", "https://m.media-amazon.com/images/I/510r4gndopL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Portable Audio & Video \u203a Portable Speakers & Docks \u203a Portable Bluetooth Speakers", "average_rating": 3.9, "small_description": ["high-resolution playback up to 24-bit/384kHz resolution (48kHz over wireless network) ", "wired connections includea 3.5mm stereo analog, USB port, Ethernet, and optical digital ", "can be part of a Naim multi-room wireless audio system "], "total_reviews": 31, "total_answered_questions": 10, "model": "NAIMMU-SOQB-2ND", "customization_options": "", "seller_id": "A2LXBKOLL3J3K6", "seller_name": "Kellards", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07YN72RH4", "category": "electronics", "query": "Multiroom Wireless Systems", "page": 1, "small_description_old": "About this item\n \nhigh-resolution playback up to 24-bit/384kHz resolution (48kHz over wireless network) wired connections includea 3.5mm stereo analog, USB port, Ethernet, and optical digital can be part of a Naim multi-room wireless audio system"}, {"name": "BRST AC Power Cord Outlet Socket Cable Plug Lead for Panasonic SC-HT830V DVD/VCR Combo Home Theater System", "product_information": {"Manufacturer": "\u200eBRST", "Size": "\u200eSmall", "Color": "\u200eBlack", "ASIN": "B09GVF8WWY", "Date First Available": "September 22, 2021"}, "brand": "Brand: BRST", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=BRST", "full_description": "\ud83d\udcafSpecifications Input AC: 100-240V world use \ud83d\udcafAbout BRST The Amazon leading Laptop Charger Brand. Focus on laptop charger design and sales, committed to providing professional products and services. \ud83d\udcafBRST Laptop Charger / Cord / Cable All Power Adapters&Cables comply with top industry standards and include numerous safety mechanisms, including protection against short-circuiting, overvoltage, overcurrent, and internal overheating. All of our products are put through rigorous quality control procedures to ensure safe, reliable operation. \ud83d\udcafBRST ChargeSmart Technology Power adapter&cord made of high-temperature-resistant materials, safe and intelligent chip technology. It can charge quickly and stably at any time. \ud83d\udcafBRST Global Customer Care+ Customer needs are what we care about, we back them all with 36-month customer support and provide friendly, easy-to-reach technical support.", "pricing": "$9.93", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/41-l4hcY7fS.jpg", "https://m.media-amazon.com/images/I/41RiSqA0OES.jpg", "https://m.media-amazon.com/images/I/41Ai08OTudS.jpg", "https://m.media-amazon.com/images/I/41ys4FOBpYS.jpg", "https://m.media-amazon.com/images/I/41BO0hj7ZOS.jpg", "https://m.media-amazon.com/images/I/41lqWtBAQwS.jpg", "https://m.media-amazon.com/images/I/41r8WIkFX+S.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Power Cables", "average_rating": "", "small_description": ["\ud83d\udcaf\u3010Specifications\u3011: Laptop Charger / Adapter / Cable worldwide input voltage range: 100-240V 50/60HZ ", "\ud83d\udcaf\u3010Compatible With\u3011:Our product is the replacement.not orginal,but All Laptop Chargers&Cables have been 100% tested ensure it works with the models shown in th title. ", "\ud83d\udcaf\u3010Certified\u3011: All our products are CE FCC RoHS approved with over-voltage,over-current,over-load,short-circuit protection.Each product undergoes a 48-hour aging test. ", "\ud83d\udcaf\u3010Best Service\u3011: We offer a no-questions-asked full money back guarantee. Additionally, for 3 year from the date of purchase, we will exchange your product free of charge should it become defective. 24-hour customer service. ", "BRST AC Power Cord Outlet Socket Cable Plug Lead for Panasonic SC-HT830V DVD/VCR Combo Home Theater System "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2QAHKW0CW5L4K", "seller_name": "SFTC Power", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09GVF8WWY", "category": "electronics", "query": "VCRs", "page": 185, "small_description_old": "\ud83d\udcaf\u3010Specifications\u3011: Laptop Charger / Adapter / Cable worldwide input voltage range: 100-240V 50/60HZ \ud83d\udcaf\u3010Compatible With\u3011:Our product is the replacement.not orginal,but All Laptop Chargers&Cables have been 100% tested ensure it works with the models shown in th title. \ud83d\udcaf\u3010Certified\u3011: All our products are CE FCC RoHS approved with over-voltage,over-current,over-load,short-circuit protection.Each product undergoes a 48-hour aging test. \ud83d\udcaf\u3010Best Service\u3011: We offer a no-questions-asked full money back guarantee. Additionally, for 3 year from the date of purchase, we will exchange your product free of charge should it become defective. 24-hour customer service. BRST AC Power Cord Outlet Socket Cable Plug Lead for Panasonic SC-HT830V DVD/VCR Combo Home Theater System \n \u203a See more product details"}, {"name": "Native Forest Mushroom Pieces and Stems, 4 oz", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 8.5 x 11.25 x 3 inches; 4 Ounces", "UPC\n \u200f": "\u200e\n 043182008716", "Manufacturer\n \u200f": "\u200e\n Native Forest", "ASIN\n \u200f": "\u200e\n B00CQ7PQYU", "Best Sellers Rank": "#291,804 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#141 in Canned & Jarred Mushrooms", "#141 in Canned & Jarred Mushrooms": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Native Forest", "brand_url": "https://www.amazon.com/Native-Forest/b/ref=bl_dp_s_web_2597122011?ie=UTF8&node=2597122011&field-lbr_brands_browse-bin=Native+Forest", "full_description": "Organic Mushrooms; Pieces and Stems.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51AULpYVouL.jpg", "https://m.media-amazon.com/images/I/51Uu97WerzL.jpg", "https://m.media-amazon.com/images/I/51JKxy6Id0L.jpg", "https://m.media-amazon.com/images/I/51pHKSl7B2L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Canned, Jarred & Packaged Foods \u203a Vegetables \u203a Mushrooms", "average_rating": 4.6, "small_description": ["USDA Organic ", "Gluten Free ", "Kosher "], "total_reviews": 664, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00CQ7PQYU", "category": "grocery", "query": "Cream Cheeses", "page": 25, "small_description_old": "USDA Organic Gluten Free Kosher"}, {"name": "UANGELCARE 6 in 1 Vacuum suction blackhead water hydro dermabrasion facial sprayer beauty machine for skin care", "product_information": {"UPC\n \u200f": "\u200e\n 690770808137", "Manufacturer\n \u200f": "\u200e\n UANGELCARE", "ASIN\n \u200f": "\u200e\n B08FX48B6X", "Best Sellers Rank": "#823,439 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#17,225 in Skin Care Tools", "#17,225 in Skin Care Tools": ""}, "brand": "Brand: UANGELCARE", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=UANGELCARE", "full_description": "", "pricing": "$374.63", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41R13mqB5yL.jpg", "https://m.media-amazon.com/images/I/414km1CL9zL.jpg", "https://m.media-amazon.com/images/I/41bzY3q24vL.jpg", "https://m.media-amazon.com/images/I/51ag0W7ymiL.jpg", "https://m.media-amazon.com/images/I/51Ej1Re2yPL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Skin Care Tools", "average_rating": "", "small_description": ["\u2605 \u3010INNOVATIVELY CLEANING TECHNOLOGY\u3011Get better skin cleaning effect than traditional small bubble beauty machine. Suitable for all skin types. Sensitive skin can also be used with confidence. Make the skin more delicate and smooth. ", "\u2605 \u3010ADVANTAGE\u3011Anti-aging beauty facial skin salon home SPA machine features 4 in 1 functional design, 4 functional heads to help you rejuvenate wrinkle moisturizing. This is a painless and comfortable skin care method that you need, safe and effective. Also equipped with a control screen for easy control of strength, time and mode. ", "\u2605 \u3010DEEP CLEANING\u3011Clear skin statum rheum, minimally invasive scar, and clearing blackhead, remove deep skin dirt,supply sufficient water molecules to skin while cleaning ", "\u2605 \u3010EASY TO OPERATE\u30116 Inches LCD screen,6 treatment handles equipped with a bracket for easy access and anti-wrap ", "\u2605 \u3010VIBRATION MASSAGE SKIN\u3011Used the skin care products easier to be absorbed by the skin,like wrinkle/pigmentation removal, skin whitening, eliminates wrinkles and tightens chin lines, reduce eye bags "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1HSGY0XH9L99", "seller_name": "MOGTOmusi", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08FX48B6X", "category": "beauty", "query": "Skin Care Tools", "page": 131, "small_description_old": "\u2605 \u3010INNOVATIVELY CLEANING TECHNOLOGY\u3011Get better skin cleaning effect than traditional small bubble beauty machine. Suitable for all skin types. Sensitive skin can also be used with confidence. Make the skin more delicate and smooth. \u2605 \u3010ADVANTAGE\u3011Anti-aging beauty facial skin salon home SPA machine features 4 in 1 functional design, 4 functional heads to help you rejuvenate wrinkle moisturizing. This is a painless and comfortable skin care method that you need, safe and effective. Also equipped with a control screen for easy control of strength, time and mode. \u2605 \u3010DEEP CLEANING\u3011Clear skin statum rheum, minimally invasive scar, and clearing blackhead, remove deep skin dirt,supply sufficient water molecules to skin while cleaning \u2605 \u3010EASY TO OPERATE\u30116 Inches LCD screen,6 treatment handles equipped with a bracket for easy access and anti-wrap \u2605 \u3010VIBRATION MASSAGE SKIN\u3011Used the skin care products easier to be absorbed by the skin,like wrinkle/pigmentation removal, skin whitening, eliminates wrinkles and tightens chin lines, reduce eye bags"}, {"name": "Hikvision USA DS-7204HUHI-F1/N Hikvision, Tribrid Dvr, 4 Channel, Analog, Auto-Detect, H.264+, 720P, Real-Time/1080P 15+2-4Mp IP Camera, No Hard Drive (Certified Refurbished)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 3.5 x 11.5 x 19.25 inches; 5 Pounds", "Date First Available\n \u200f": "\u200e\n March 28, 2019", "Manufacturer\n \u200f": "\u200e\n Hikvision Usa", "ASIN\n \u200f": "\u200e\n B07Q8JM1JZ", "Best Sellers Rank": "#3,883 in Surveillance DVR Kits"}, "brand": "Visit the Amazon Renewed Store", "brand_url": "https://www.amazon.com/Amazon-Renewed/b/ref=bl_dp_s_web_12653393011?ie=UTF8&node=12653393011&field-lbr_brands_browse-bin=Amazon+Renewed", "full_description": "This pre-owned or refurbished product has been professionally inspected and tested to work and look like new. How a product becomes part of Amazon Renewed, your destination for pre-owned, refurbished products: A customer buys a new product and returns it or trades it in for a newer or different model. That product is inspected and tested to work and look like new by Amazon-qualified suppliers. Then, the product is sold as an Amazon Renewed product on Amazon. If not satisfied with the purchase, renewed products are eligible for replacement or refund under the Amazon Renewed Guarantee.", "pricing": "$73.49", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31ZPKlM9S8L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Security & Surveillance \u203a Surveillance Video Equipment \u203a Surveillance DVR Kits", "average_rating": "", "small_description": ["4-ch analog BNC video inputs, HDTVI up to 3MP, CVBS up to 960H ", "2-ch IP video inputs, up to 4MP IP cameras supported ", "HDD is not included, 3.5 inch SATA drive is required for recording ", "Firmware upgradeable from US Hikvision website ", "US support, US warranty, and US Hikvision product "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3A7JEFRSDWEGH", "seller_name": "HIKVISION AUTHORIZED REFURB OUTLET", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07Q8JM1JZ", "category": "electronics", "query": "Analog-to-Digital (DTV) Converters", "page": 20, "small_description_old": "About this item\n \n4-ch analog BNC video inputs, HDTVI up to 3MP, CVBS up to 960H 2-ch IP video inputs, up to 4MP IP cameras supported HDD is not included, 3.5 inch SATA drive is required for recording Firmware upgradeable from US Hikvision website US support, US warranty, and US Hikvision product"}, {"name": "ZEFS--ESD Mini Projector for Movies D29 Native1920x1080 Full HD Projector Android OS (2G+16G) 5G WiFi DLP Proyector Support 4K 3D Zoom Video Game Beamer", "product_information": {"Item Weight": "4.41 pounds", "Department": "Unisex-adult", "Manufacturer": "usfenghezhan", "ASIN": "B09MHLS36W", "Country of Origin": "China"}, "brand": "Brand: ZEFS--ESD", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ZEFS--ESD", "full_description": "We will always provide you with our professional advice, as well as satisfactory and fast customer service.D29 Projector Outstanding Features:6. Support Mira-cast /airplay wireless connect with your smart phone for sharing play. Also Support PPT, Word, EXCEL Directly play.7. Build-inRAM 2G, ROM 16GHDMI Input / USB support HDD play8. 3D support: Yes,real Active Shutter 3D.Mini Size, Light weight. High Brightness, Ultra HD Picture quality.Our D29 projector support Many Kinds Languages, as Follow show,What's in the order package ?-- Below photo Clear show you all accessories in the Package......Model Number: D29Projector Technology : DLP (TI /Texas Instruments )DLP chip Type: 1080P DMD chipBrightness: LED 2000 Lumens (ANSI 600 lumens)Resolution: Native Full HD 1920x1080, support 4K 3DContrast Ratio: 5000:1Light Source: RGB LED lamp, over 50000hours life spanLens: Automatic FocusBuild-in Battery: 8000MAH( able for about 1.5hours playback under Eco Mode)Projection Ratio: 1.2:1 ( 38inches at 1m , 80inches at 2.2m)Projection Size: 40-300inchesProjection Distance : 1-8mProjection Ratio: 4:3/16:9/16:10Keystone: Auto keystone (+/-40 degree)3D types: Real 3D, Active shutter 3DBuild-in Speaker: stereo Speaker 4WInput/Output Ports: HDMI in / USB 2.0 x 2 (support HDD) / Earphone 3.5mm (support connect earphone/external Speaker) 195V 3A DC/ IRProjection Ways: Desk/ Ceiling Mount/Front Projection/Rear ProjectionRemote Control: Yes. IR remote control, 2.4Ghz wirelessProjector size: 93mm Diameter, 161mm HeightProjector Net Weight: 743gPower:50W (Normal) 23W (Eco Mode)Power Supply: DC 15V-3APower Adapter: AC100-240V, 50-60HzBuild-in OS System Spec Data:Operation System:Android 7.1.2Wifi: Dual wifi 2.5G/4G stable wifi signalBluetooth: Bluetooth 4.1CUP: RK3368GPU:Mali450MPCore: 8-core, Cortex A7 processor, Up", "pricing": "$967.76", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41lZNCHSs6L.jpg", "https://m.media-amazon.com/images/I/412PJo3ARVL.jpg", "https://m.media-amazon.com/images/I/41fcbrqdhjL.jpg", "https://m.media-amazon.com/images/I/41Q7kUxK+sL.jpg", "https://m.media-amazon.com/images/I/41blqydqVYL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Video Projectors", "average_rating": "", "small_description": ["1.Native Resolution 1920*1080, Elegant Cola Can Design,Artwork level Multimedia Smart build-inAndroid 7.1.2Projector ", "2.Automatic FocusFunction. Change projection Distance,Detection CameraRGB LED lamp,long life as 50000hours ", "3.Dual 2.4G/5GWifi Bluetoothmore stable Wifi wireless signal, more high-speed transmission speed,to meet future high definition and large data wireless transmission needs ", "4. Strong RK3368 8-Core CPU Support4K,supportreal Active Shutter 3D( from USB mode).Not Support blue ray 3D DVD player. ", "5.Build-in 8000MAHPortable Size, 93mm diameter 161mm height.Convenient for Outdoor Use. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "ASPXXMW9VK0TE", "seller_name": "usfenghezhan", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09MHLS36W", "category": "electronics", "query": "Projectors", "page": 372, "small_description_old": "About this item\n \n1.Native Resolution 1920*1080, Elegant Cola Can Design,Artwork level Multimedia Smart build-inAndroid 7.1.2Projector 2.Automatic FocusFunction. Change projection Distance,Detection CameraRGB LED lamp,long life as 50000hours 3.Dual 2.4G/5GWifi Bluetoothmore stable Wifi wireless signal, more high-speed transmission speed,to meet future high definition and large data wireless transmission needs 4. Strong RK3368 8-Core CPU Support4K,supportreal Active Shutter 3D( from USB mode).Not Support blue ray 3D DVD player. 5.Build-in 8000MAHPortable Size, 93mm diameter 161mm height.Convenient for Outdoor Use."}, {"name": "ZSWWang Slip On Sneakers Flats Shoes for Women Walking Sock Shoes Lightweight Breathable Mesh Knit Yoga Sneakers Fashion Casual Comfortable Platform Wedge Work Outdoor Walking Sports Shoes", "product_information": {"Item Weight": "9.5 ounces", "Department": "Womens", "Manufacturer": "ZSWWang", "ASIN": "B09RPRRNVP", "Country of Origin": "China", "Import Designation": "Imported"}, "brand": "Brand: ZSWWang", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ZSWWang", "full_description": "\ud83c\udf39 WELCOME to ZSWWang we sincerely hope you have a relaxing and comfortable shopping experience. Have a good day! \ud83c\udf39 Description : Gender: Women/Girls Upper Material: Mesh Sole Material: Rubber Season: Spring/Summer/Autumn Closing Method: Slip-On Heel High Style: Flat Shoes Heel High: 3cm/1.18 inches Platform Heigh: 2cm/0.79 inches Package Includes:1 Pair Shoes(Not Including Shoebox) \u25b6 Size Chart \u25c0 \u2757\u2757 Please choose the size according to Our Size Chart on the Picture. Label Size:35 ==US:5.5 ==UK:3.5 ==Foot Length:22.5cm/8.9'' ==Foot wide:8-8.5cm/3.2-3.4'' Label Size:36 ==US:6 ==UK:4 ==Foot Length:23cm/9.1'' ==Foot wide:8.5cm/3.4\" Label Size:37 ==US:6.5 ==UK:4.5 ==Foot Length:23.5cm/9.3'' ==Foot wide:8.5-9cm/3.4-3.5\" Label Size:38 ==US:7 ==UK:5 ==Foot Length:24cm/9.5'' ==Foot wide:9cm/3.5\" Label Size:39 ==US:7.5 ==UK:5.5 ==Foot Length:24.5cm/9.7'' ==Foot wide:9-9.5cm/3.5-3.7\" Label Size:40 ==US:8 ==UK:6 ==Foot Length:25cm/9.8'' ==Foot wide:9.5cm/3.7\" Label Size:41 ==US:8.5 ==UK:6.5 ==Foot Length:25.5cm/10'' ==Foot wide:9.5-10cm/3.7-3.9\" Label Size:42 ==US:9 ==UK:7 ==Foot Length:26cm/10.2'' ==Foot wide:10cm/3.9\" Label Size:43 ==US:10 ==UK:7.5 ==Foot Length:26.5cm/10.4'' ==Foot wide:10.5cm/4.1\" Label Size:44 ==US:10.5 ==UK:8 ==Foot Length:27cm/10.6\" ==Foot wide:10.5-11cm/4.1-4.3\" Label Size:45 ==US:11 ==UK:8.5 ==Foot Length:27.5cm/10.8\" ==Foot wide:11cm/4.3\" NOTE: \u2757\u2757 Please choose the size according to Our Size Chart on the Picture. If you need to return the goods later due to size problems, the buyer will need to bear the freight. \u2757\u2757 Please allow 2-3cm errors due to the manual measurement. \u2757\u2757 Due to the different monitor and light effect, the actual color maybe a slight different from the picture color.", "pricing": "$15.99", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/41fxbiPl6pL.jpg", "https://m.media-amazon.com/images/I/31Z+8L7hYZL.jpg", "https://m.media-amazon.com/images/I/41DW-bER2wL.jpg", "https://m.media-amazon.com/images/I/51e0oy7w5BL.jpg", "https://m.media-amazon.com/images/I/41Lemhjd59L.jpg", "https://m.media-amazon.com/images/I/51wPnGrCgKL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Athletic \u203a Walking", "average_rating": "", "small_description": ["\u3010 NOTICE\u3011---------\u2757\u2757The size runs small, order 1-2 larger size please. Our size chart is different from amazon's size chart . please choose the right size according to our SIZE CHART before you purchase,thank you. \u2728\u2728 If you receive a damaged product, or any question, please feel free to contact us,we will reply within 24 hours and try our best to solve it. \ud83d\udc49\ud83d\udc49\ud83d\udc49Normal delivery time: 10-20 Days. ", "\u3010sandals for women\u3011black sandals women's sandals platform sandals sandals for toddler boys white sandals sandals for girls sandals for women sandals for women red sandals for women womens sandals sandals for boys sandals men sandals with pearls for women mens sandals size 10 sandals women slip-on sandals for women mens sandals women's sandals white sandals platform wedge sandals for women leopard sandals for women waterproof sandals for women rhinestone sandals for women toddler sandals boys ", "\u3010ballet flats\u3011ballet flats ankle strap for women ballet flats arch support for women ballet flats for girls heeled ballet flats house shoes women ballet flats socks square toe ballet flats tie up ballet flats wide width for women bow ballet flats with heel ballet flats with ribbon ballet flats with straps for women ballet flats women black ballet flats women memory foam ballet flats women comfortable black ballet flats pointed toe tie up knit ballet flats ", "\u3010womens sneakes/oxfords\u3011women sneakers arch support women sneakers high arch women sneakers high heel women sneakers high platform women sneakers high sole women sneakers high top women sneakers hiking women sneakers shoes women sneakers slip-on womens oxford heel shoes womens oxford heeled loafer shoes white womens oxford heels wide width womens oxford high heel shoes womens oxford t strap shoes tennis shoes womens oxfords and loafers womens oxfords brown womens oxfords with heel ", "\u3010women's loafers & slip-ons\u3011women's loafers & slip-ons women's loafers & slip-ons leather women's loafers and oxfords women's loafers and slip ons women's loafers arch support women's loafers black chunky heel women's loafers black platform women's loafers heel women's loafers lace up women's loafers leather black women's loafers everyday women's loafers leather shoes women's loafers shoes women's loafers slip resistant tassels women's loafers wide width women's loafers with chunky heel ", "[strappy flat sandals]snakeskin strap women's posh gladiator sandals summer casual sandals premium elegant flat heel back zipper sandals for women women cross strap chunky heel wedges sandal thick high-heeled flip flop open toe slipper women's open toe leopard print low stiletto heel pumps ankle strap roman shoes shallow slip on sandals wedges sandals for women slides sandals white sandals for women ", "[lace up sandals for women]womens platform sandals sport sandals for women memory foam sandals for women heeled sandals for women sandals with arch support for women sandals for women wide width sandals for women plus size platform sandals for women black sandals for women low heel dress sandals for women white sandals for women flat sandals for women gold sandals for women wedge flip flops for women white sandals for women sandals for women platform dress sandals for women , \u3010Slipper Shoes/Sandals\u3011sandals for women platform, sandals for women beach, sandals for women casual summer, sandals for women cute, sandals for women strappy, sandals for women flat, espadrilles for women wedge, espadrilles sandals for women flat, sandals for women wedge, \u3010girls sandals\u3011rhinestone sandals for women women sandals strappy sandals brown sandals toddler sandals boys sandal slippers for women womens sandals with arch support sandal men womens slide sandals black platform sandals heeled sandals wedge sandal women's heeled sandals knee sandals silver sandals women girls sandals heels shoes for women sandals with bows for women white platform sandals baby sandals silver sandal and shoes women sandals lace up sandals for women sandal and sport shoe, \u3010womens sandals\u3011slide sandals women dress sandals for women womens black sandals sandals for women dressy summer black sandals women sandals with heels walking sandals women white sandals women sandals for kids boys platform sandal womens sandals size 8 womens wedge sandals for women casual summer sandals men sandals for girls size 2 women's platform wedge sandals sandals with heels for women comfortable sandals for women sandals for women casual summer mens sandals sandals with gold chain"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09RPV21QT/ref=twister_B09RPW5ZZT?_encoding=UTF8&psc=1", "value": "6.5", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RPV5F84/ref=twister_B09RPW5ZZT?_encoding=UTF8&psc=1", "value": "7", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "7.5", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RPQV8SJ/ref=twister_B09RPW5ZZT?_encoding=UTF8&psc=1", "value": "8", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RPYHHCR/ref=twister_B09RPW5ZZT?_encoding=UTF8&psc=1", "value": "8.5", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RPVRJ17/ref=twister_B09RPW5ZZT?_encoding=UTF8&psc=1", "value": "9", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31Z+8L7hYZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RPV6J5L/ref=twister_B09RPW5ZZT?_encoding=UTF8&psc=1", "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41tsFuTr4PL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RPTHYYX/ref=twister_B09RPW5ZZT?_encoding=UTF8&psc=1", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/419fAIS9MWL.jpg"}]}, "seller_id": "A13QBMYQJHCV1B", "seller_name": "ZSWWang\u00ae (7-15 Business Days Delivered)", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09RPRRNVP", "category": "fashion", "query": "Women's Work & Safety Footwear", "page": 72, "small_description_old": "\u3010 NOTICE\u3011---------\u2757\u2757The size runs small, order 1-2 larger size please. Our size chart is different from amazon's size chart . please choose the right size according to our SIZE CHART before you purchase,thank you. \u2728\u2728 If you receive a damaged product, or any question, please feel free to contact us,we will reply within 24 hours and try our best to solve it. \ud83d\udc49\ud83d\udc49\ud83d\udc49Normal delivery time: 10-20 Days. \u3010sandals for women\u3011black sandals women's sandals platform sandals sandals for toddler boys white sandals sandals for girls sandals for women sandals for women red sandals for women womens sandals sandals for boys sandals men sandals with pearls for women mens sandals size 10 sandals women slip-on sandals for women mens sandals women's sandals white sandals platform wedge sandals for women leopard sandals for women waterproof sandals for women rhinestone sandals for women toddler sandals boys \u3010ballet flats\u3011ballet flats ankle strap for women ballet flats arch support for women ballet flats for girls heeled ballet flats house shoes women ballet flats socks square toe ballet flats tie up ballet flats wide width for women bow ballet flats with heel ballet flats with ribbon ballet flats with straps for women ballet flats women black ballet flats women memory foam ballet flats women comfortable black ballet flats pointed toe tie up knit ballet flats \u3010womens sneakes/oxfords\u3011women sneakers arch support women sneakers high arch women sneakers high heel women sneakers high platform women sneakers high sole women sneakers high top women sneakers hiking women sneakers shoes women sneakers slip-on womens oxford heel shoes womens oxford heeled loafer shoes white womens oxford heels wide width womens oxford high heel shoes womens oxford t strap shoes tennis shoes womens oxfords and loafers womens oxfords brown womens oxfords with heel \u3010women's loafers & slip-ons\u3011women's loafers & slip-ons women's loafers & slip-ons leather women's loafers and oxfords women's loafers and slip ons women's loafers arch support women's loafers black chunky heel women's loafers black platform women's loafers heel women's loafers lace up women's loafers leather black women's loafers everyday women's loafers leather shoes women's loafers shoes women's loafers slip resistant tassels women's loafers wide width women's loafers with chunky heel [strappy flat sandals]snakeskin strap women's posh gladiator sandals summer casual sandals premium elegant flat heel back zipper sandals for women women cross strap chunky heel wedges sandal thick high-heeled flip flop open toe slipper women's open toe leopard print low stiletto heel pumps ankle strap roman shoes shallow slip on sandals wedges sandals for women slides sandals white sandals for women [lace up sandals for women]womens platform sandals sport sandals for women memory foam sandals for women heeled sandals for women sandals with arch support for women sandals for women wide width sandals for women plus size platform sandals for women black sandals for women low heel dress sandals for women white sandals for women flat sandals for women gold sandals for women wedge flip flops for women white sandals for women sandals for women platform dress sandals for women \n \u3010Slipper Shoes/Sandals\u3011sandals for women platform, sandals for women beach, sandals for women casual summer, sandals for women cute, sandals for women strappy, sandals for women flat, espadrilles for women wedge, espadrilles sandals for women flat, sandals for women wedge\u3010girls sandals\u3011rhinestone sandals for women women sandals strappy sandals brown sandals toddler sandals boys sandal slippers for women womens sandals with arch support sandal men womens slide sandals black platform sandals heeled sandals wedge sandal women's heeled sandals knee sandals silver sandals women girls sandals heels shoes for women sandals with bows for women white platform sandals baby sandals silver sandal and shoes women sandals lace up sandals for women sandal and sport shoe\u3010womens sandals\u3011slide sandals women dress sandals for women womens black sandals sandals for women dressy summer black sandals women sandals with heels walking sandals women white sandals women sandals for kids boys platform sandal womens sandals size 8 womens wedge sandals for women casual summer sandals men sandals for girls size 2 women's platform wedge sandals sandals with heels for women comfortable sandals for women sandals for women casual summer mens sandals sandals with gold chainShow more"}, {"name": "Valances etc. Majestic Blackout Room Darkening Lined Grommet Window Curtain Panel (Cream, 51\"x84\")", "product_information": "", "brand": "Brand: Valances etc.", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Valances+etc.", "full_description": "", "pricing": "$27.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41y991IzrfL.jpg", "https://m.media-amazon.com/images/I/413Kui1N66L.jpg", "https://m.media-amazon.com/images/I/41y1WKJeADL.jpg", "https://m.media-amazon.com/images/I/411O8SXQ+jL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Window Treatments \u203a Curtains & Drapes \u203a Panels", "average_rating": "", "small_description": ["Blackout Room darkening lining to block unwanted light ", "Inner lining helps save energy and reduce noise ", "Features a faux silk fabric and hangs with stylish grommets ", "100% Polyester (Exclusive of trim) ", "Dry Clean Only "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08WH2HCSW/ref=twister_B08XY6NZDM?_encoding=UTF8&psc=1", "value": "Aubergine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41i9A8hGAnL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08YGQRNXD/ref=twister_B08XY6NZDM?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31v1vRzaY7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08YHC6WN9/ref=twister_B08XY6NZDM?_encoding=UTF8&psc=1", "value": "Champagne", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31bxLbBG+2L.jpg"}, {"is_selected": true, "url": null, "value": "Cream", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/413Kui1N66L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08YHKJBTV/ref=twister_B08XY6NZDM?_encoding=UTF8&psc=1", "value": "Espresso", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41nMbSaGIgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08YH4D9LR/ref=twister_B08XY6NZDM?_encoding=UTF8&psc=1", "value": "Mineral", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/410BAYPp4DL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WH6KX7J/ref=twister_B08XY6NZDM?_encoding=UTF8&psc=1", "value": "Mink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41iy3ZD9VqL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WJC78NG/ref=twister_B08XY6NZDM?_encoding=UTF8&psc=1", "value": "Spruce", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41K8JP50m+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08YGLQ5N8/ref=twister_B08XY6NZDM?_encoding=UTF8&psc=1", "value": "Steel", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41jh7x53A4L.jpg"}], "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08WHXHJQD/ref=twister_B08XY6NZDM?_encoding=UTF8&psc=1", "value": "51\"x63\"", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "51\"x84\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WHRS7TK/ref=twister_B08XY6NZDM?_encoding=UTF8&psc=1", "value": "51\"x95\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08YGS8Q7L/ref=twister_B08XY6NZDM?_encoding=UTF8&psc=1", "value": "51\"x108\"", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A3795D5J4PGM2I", "seller_name": "Valances etc.", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08YH6Y6FQ", "category": "garden", "query": "Window Coverings", "page": 231, "small_description_old": "About this item\n \nBlackout Room darkening lining to block unwanted light Inner lining helps save energy and reduce noise Features a faux silk fabric and hangs with stylish grommets 100% Polyester (Exclusive of trim) Dry Clean Only"}, {"name": "The Urban Port Cube Shape Rosewood Side Table with Cutout Bottom, Brown", "product_information": {"Product Dimensions": "16 x 16 x 16 inches", "Item Weight": "30 pounds", "Manufacturer": "The Urban Port", "ASIN": "B015MSXCL8", "Item model number": "UPT-30350", "Customer Reviews": {"ratings_count": 47, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#435,142 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,313 in End Tables"], "Is Discontinued By Manufacturer": "No", "Assembly Required": "No", "Batteries Required?": "No", "Included Components": "Mahogany Wood"}, "brand": "Brand: The Urban Port", "brand_url": "https://www.amazon.com/The-Urban-Port/b/ref=bl_dp_s_web_13308737011?ie=UTF8&node=13308737011&field-lbr_brands_browse-bin=The+Urban+Port", "full_description": "This simple looking cube side table provides a striking edge to your settings It is made up of lasting Rosewood(sheesham) and features a natural wooden texture in brown color Use the smooth top for adorning purposes while the cutout bottom offers a great space for placing books and other items in an organized way The product weighs 29 94 pounds that provides a good stability on the ground wherever it is placed", "pricing": "$139.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41jfdQ7bW-L.jpg", "https://m.media-amazon.com/images/I/4105zTj0rpL.jpg", "https://m.media-amazon.com/images/I/4184MwN+5dL.jpg", "https://m.media-amazon.com/images/I/41-ZpcEgK5L.jpg", "https://m.media-amazon.com/images/I/41QkI6PjXaL.jpg", "https://m.media-amazon.com/images/I/51J5cgK-8BL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Tables \u203a End Tables", "average_rating": 4.4, "small_description": ["Sturdily built with rosewood (Sheesham) that adds strength and provides a durable usage ", "Features cubical cutout bottom that can be used for stowing books and other items ", "Overall Product Dimension 16 inches in Length x 16 inches in Width x 16 inches in Height ", "Use the smooth top for the placement of vases photo frames remotes etc "], "total_reviews": 47, "total_answered_questions": "", "model": "UPT-30350", "customization_options": "", "seller_id": "A392KKNP3SICX6", "seller_name": "Manhattan Lane", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B015MSXCL8", "category": "garden", "query": "End tables", "page": 112, "small_description_old": "About this item\n \nIncludes Cube shape side table. Sturdily built with rosewood (Sheesham) that adds strength and provides a durable usage. Features cubical cutout bottom that can be used for stowing books and other items. Overall Product Dimension: 16 inches in Length x 16 inches in Width x 16 inches in Height Use the smooth top for the placement of vases, photo frames, remotes, etc."}, {"name": "GRADO SR325x Stereo Headphones, Wired, Dynamic Drivers, Open Back Design", "product_information": {"Package Dimensions": "9.21 x 7.91 x 2.13 inches", "Item Weight": "12.7 ounces", "ASIN": "B091GHBJZ1", "Item model number": "SR325X", "Customer Reviews": {"ratings_count": 55, "stars": "4.5 out of 5 stars"}, "Is Discontinued By Manufacturer": "No", "Date First Available": "May 17, 2021", "Manufacturer": "Grado Labs"}, "brand": "Brand: GRADO", "brand_url": "https://www.amazon.com/GRADO/b/ref=bl_dp_s_web_20554744011?ie=UTF8&node=20554744011&field-lbr_brands_browse-bin=GRADO", "full_description": "", "pricing": "$295.00", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41fiXBccMyS.jpg", "https://m.media-amazon.com/images/I/41A9S-QKOWS.jpg", "https://m.media-amazon.com/images/I/510oHs8JDIS.jpg", "https://m.media-amazon.com/images/I/51PaagGlFcS.jpg", "https://m.media-amazon.com/images/I/41JvrJy76+S.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": 4.5, "small_description": ["4th generation Grado tuned 44mm drivers, easy to drive 38ohm ", "Upgraded braided cable eliminates twisting and kinking, 8 conductor super annealed copper wiring ", "Upgraded adjustable leather headband with contrasting stitching ", "4OurEars is the Exclusive Authorized US Amazon seller ", "1 year manufacturers warranty for sales within the United States "], "total_reviews": 55, "total_answered_questions": 3, "model": "SR325X", "customization_options": "", "seller_id": "A37X6SD97CS5LJ", "seller_name": "4OurEars - The Official Grado Store", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B091GHBJZ1", "category": "electronics", "query": "Headphones", "page": 45, "small_description_old": "About this item\n \n4th generation Grado tuned 44mm drivers, easy to drive 38ohm Upgraded braided cable eliminates twisting and kinking, 8 conductor super annealed copper wiring Upgraded adjustable leather headband with contrasting stitching 4OurEars is the Exclusive Authorized US Amazon seller 1 year manufacturers warranty for sales within the United States"}, {"name": "Jet-Puffed Strawberry Joy Snacking Marshmallows (7 oz Resealable Bag)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 3.25 x 7.5 x 9 inches; 7 Ounces", "Item model number\n \u200f": "\u200e\n 00600699004350", "UPC\n \u200f": "\u200e\n 600699004350", "Manufacturer\n \u200f": "\u200e\n Kraft US (0044710044602)", "ASIN\n \u200f": "\u200e\n B08W2XSDST", "Best Sellers Rank": "#48,854 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#115 in Marshmallows", "#115 in Marshmallows": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Jet-Puffed Baking & MM", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Jet-Puffed+Baking+%26+MM", "full_description": "We\u2019re puffing up the snack game with the innovative resealable Jet-Puffed Strawberry Joy Marshmallow Stand Up Bag. Keep your strawberry marshmallows soft and fluffy for on-the-go snacking with our new resealable pouch. With zero trans fat and zero total fat per serving, Jet Puffed Strawberry Joy Marshmallows make a delicious and fun snack for kids you can take with you anywhere. Our marshmallows also make a mouthwatering addition to your favorite dessert recipes. Use our fluffy marshmallows to prepare pink rice cereal treats, top off hot chocolate or make strawberry s\u2019mores. Each package of Jet-Puffed Strawberry Joy Marshmallows comes in a 7-ounce resealable bag for lasting freshness.", "pricing": "$9.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51JsBHBjoNS.jpg", "https://m.media-amazon.com/images/I/41fFRvlVkKS.jpg", "https://m.media-amazon.com/images/I/5158y2EkhCS.jpg", "https://m.media-amazon.com/images/I/51nTZGZr1mS.jpg", "https://m.media-amazon.com/images/I/51BoPeh7wxS.jpg", "https://m.media-amazon.com/images/I/51-nkUlT3WS.jpg", "https://m.media-amazon.com/images/I/51nuSq5IAhL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Cooking & Baking \u203a Marshmallows", "average_rating": 4.3, "small_description": ["Keep your strawberry marshmallows soft and fluffy with our new resealable pouch ", "Jet-Puffed Strawberry Joy Marshmallows are a delicious and versatile snack ", "Our strawberry marshmallows deliver the sweet taste and fluffy texture Jet-Puffed is famous for ", "Fat free snack contains 0 grams of trans fat and 0 grams of total fat per serving ", "Perfect marshmallows for hot chocolate, s\u2019mores and rice cereal treats ", "Our innovative resealable, stand-up bag design allows for easier storage and mess-free, on-the-go snacking "], "total_reviews": 135, "total_answered_questions": "", "customization_options": "", "seller_id": "A07784132U0ANOC4IDOHF", "seller_name": "Melody Art LLC", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08W2XSDST", "category": "grocery", "query": "Puffed Snacks", "page": 30, "small_description_old": "About this item One 7 oz. resealable bag of Jet-Puffed Strawberry Joy Marshmallows Keep your strawberry marshmallows soft and fluffy with our new resealable pouch Jet-Puffed Strawberry Joy Marshmallows are a delicious and versatile snack Our strawberry marshmallows deliver the sweet taste and fluffy texture Jet-Puffed is famous for Fat free snack contains 0 grams of trans fat and 0 grams of total fat per serving Perfect marshmallows for hot chocolate, s\u2019mores and rice cereal treats Our innovative resealable, stand-up bag design allows for easier storage and mess-free, on-the-go snacking"}, {"name": "WEIDUOFUN Set of 2 Antique Rustic Plastic Pedestal Vase Classic Urn Planter\uff0cDetachable\uff0cLightweight- 7.09\u201d Diameter", "product_information": {"Product Dimensions": "4.72 x 4.72 x 8.27 inches", "Manufacturer": "WEIDUOFUN", "ASIN": "B07ZWVS584", "Customer Reviews": {"ratings_count": 21, "stars": "3.3 out of 5 stars"}, "Best Sellers Rank": ["#834,354 in Home & Kitchen (See Top 100 in Home & Kitchen) #3,235 in Vases"], "Fabric Type": "Plastic", "Number of Pieces": "1", "Batteries Required?": "No"}, "brand": "Visit the WEIDUOFUN Store", "brand_url": "https://www.amazon.com/stores/WEIDUOFUN/page/0B61D8F3-EDA5-47AF-9B9A-6787C4E58DB4?ref_=ast_bln", "full_description": "WEIDUOFUN Elegant White Rustic Metal Pedestal Vase Classic Urn Flower Vase Lightweight--8.46\u201dTall and 4.06\u201d Diameter Type: Pedestal Vase Finish: Same as picture Color: Same as picture Material: Metal Measure: Height 10.3\u201d(26 cm) , Base Diameter:4.06\u201d(10.3cm), Upper Diameter:5.43 \u201d(13.8 cm) PACKAGE CONTENT 1 X Pedestal Vase NOTE 1.Please allow 1-2cm differs due to manual measurement. 2.Due to the light and screen differences, the item's color may be slightly different from the pictures. AFTER SALE Please contact one of our sales representatives,if you have any questions regarding this or any other product we carry.Normally, you will get reply in 24 hours.Satisfied with the item ,please take a little time to leave a kind", "pricing": "$21.99", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/41GI7bc7tVL.jpg", "https://m.media-amazon.com/images/I/51Sm0Z+olOL.jpg", "https://m.media-amazon.com/images/I/51u4AQ4K2gL.jpg", "https://m.media-amazon.com/images/I/418G9Z1ZJ0L.jpg", "https://m.media-amazon.com/images/I/61de1UPRRfL.jpg", "https://m.media-amazon.com/images/I/51Cf6ve6YZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Vases", "average_rating": 3.3, "small_description": ["Material: PP Plastic , Lightweight ", "Measurement: Height 8.46\u201d(21.5cm)/7.09\u201d(18cm) , Base Diameter:4.92\u201d(12 .5cm),Diameter:7.09 \u201d(18 cm) ", "Classic decorative centerpiece display in wedding fair, party, ceremony, suitable for various flower arrangement ", "Antique Rustic Design to Give Your Home the Perfect Look \u3002 ", "The size and pedestal on this urn make it an excellent choice as a centerpiece, but it also looks great on a bookshelf or side table "], "total_reviews": 21, "total_answered_questions": "", "customization_options": "", "seller_id": "A2SKXCE88TQN4D", "seller_name": "WEIDUOFUN", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07ZWVS584", "category": "garden", "query": "Planters", "page": 40, "small_description_old": "About this item\n \nMaterial: PP Plastic , Lightweight Measurement: Height 8.46\u201d(21.5cm)/7.09\u201d(18cm) , Base Diameter:4.92\u201d(12 .5cm),Diameter:7.09 \u201d(18 cm) Classic decorative centerpiece display in wedding fair, party, ceremony, suitable for various flower arrangement Antique Rustic Design to Give Your Home the Perfect Look \u3002 The size and pedestal on this urn make it an excellent choice as a centerpiece, but it also looks great on a bookshelf or side table"}, {"name": "Nikon D7500 DSLR Camera 2 Lens Kit with 18-55mm VR + 70-300mm Zoom Lens + Deluxe Starter Bundle Including 2 32GB Sandisk SD Memory Cards, Wide Angle and Telephoto Lens, Gadget Bag Plus More", "product_information": {"ASIN": "B08W874R8Z", "Item model number": "Nikon D7500 2 Lens Kit", "Best Sellers Rank": ["#684,893 in Electronics (See Top 100 in Electronics) #4,341 in DSLR Cameras"], "Date First Available": "February 8, 2021", "Manufacturer": "Nikon Intl."}, "brand": "Brand: Nikon Intl.", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Nikon+Intl.", "full_description": "Nikon D7500 2 Lens Kit OverviewDesigned as a true all-arounder, the Nikon D7500 is a DX-format DSLR offering a versatile feature-set to appeal to photographers and videographers alike. Based on a 20.9MP CMOS sensor and EXPEED 5 image processor, this multimedia maven avails an 8 fps continuous shooting rate for up to 100 consecutive JPEGS, a native sensitivity range to ISO 51,200 that can be expanded up to ISO 1,640,000, and 4K UHD video and time-lapse recording capabilities. Complementing the imaging capabilities is a 51-point Multi-CAM 3500FX II autofocus system, which features 15 cross-type points for fast performance and accurate subject tracking capabilities in a variety of lighting conditions.Whats Included?In the Nikon Box?In Deluxe Starter Bundle?", "pricing": "$1,579.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51mH5LUYxmL.jpg", "https://m.media-amazon.com/images/I/41VF+ceoysL.jpg", "https://m.media-amazon.com/images/I/31SZaPxonjL.jpg", "https://m.media-amazon.com/images/I/51Dd8tilDlL.jpg", "https://m.media-amazon.com/images/I/41gFJhvw9tL.jpg", "https://m.media-amazon.com/images/I/412hvqkQanL.jpg", "https://m.media-amazon.com/images/I/51WcZX6BqUL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Digital Cameras \u203a DSLR Cameras", "average_rating": "", "small_description": ["This Nikon D7500 W/ 18-55mm and 70-300mm Lens Import Model Kit Includes all Manufacturer Supplied Accessories and a 1 Year Limited Seller Warranty ", "Class leading image quality, ISO range, image processing and metering equivalent to the award winning D500 ", "Large 3.2\u201d 922k dot, tilting Lcd screen with touch functionality. Temperature: 0 \u00b0c to 40 \u00b0c (+32 \u00b0f to 104 \u00b0f) humidity: 85 percentage or less (no condensation) ", "51 point AF system with 15 cross type sensors and group area AF paired with up to 8 fps continuous shooting capability ", "4k ultra hd and 1080p full hd video with stereo sound, power aperture control, auto ISO, 4k UHD time lapse and more "], "total_reviews": "", "total_answered_questions": "", "model": "Nikon D7500 2 Lens Kit", "customization_options": "", "seller_id": "A1AMSKMRFFSWYS", "seller_name": "Marketing Jungle", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08W874R8Z", "category": "electronics", "query": "Digital Cameras", "page": 280, "small_description_old": "About this item\n \nThis Nikon D7500 W/ 18-55mm and 70-300mm Lens Import Model Kit Includes all Manufacturer Supplied Accessories and a 1 Year Limited Seller Warranty Class leading image quality, ISO range, image processing and metering equivalent to the award winning D500 Large 3.2\u201d 922k dot, tilting Lcd screen with touch functionality. Temperature: 0 \u00b0c to 40 \u00b0c (+32 \u00b0f to 104 \u00b0f) humidity: 85 percentage or less (no condensation) 51 point AF system with 15 cross type sensors and group area AF paired with up to 8 fps continuous shooting capability 4k ultra hd and 1080p full hd video with stereo sound, power aperture control, auto ISO, 4k UHD time lapse and more"}, {"name": "Unipro Mens Jogger Pants 2 Pack Tech Fleece Sweatpants Lightweight Running Pant for Men", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 13.19 x 9.76 x 2.24 inches; 1.68 Pounds", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n March 17, 2021", "ASIN\n \u200f": "\u200e\n B08ZC2448V", "Best Sellers Rank": "#409,042 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#623 in Men's Sweatpants", "#623 in Men's Sweatpants": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Unipro", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Unipro", "full_description": "UNIPRO Men\u2019s 2-Pack tech fleece Jogger Sweatpants with Pockets are Comfortable, Durable, Fashionable, breathable & perfect for all your active and athletic needs. Developed with the highest quality fabrics and materials our tech fleece sweatpants are designed to wick sweat away from your body and keep you cool, dry and comfortable throughout the day. A true all season clothing staple, these performance jogger pants keep you cool in the summer and warm in the winter. Available in multiple colors and sizes, this 2 pack pant is a great addition to any wardrobe. Contrasting details, colors & cut and sew inserts add the perfect twist to a classic look. These warmup training pants will help you standout and showcase your athletic style.", "pricing": "$22.99$24.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41s+9zEXilS.jpg", "https://m.media-amazon.com/images/I/41pntC3sijS.jpg", "https://m.media-amazon.com/images/I/41ucrhmm+lS.jpg", "https://m.media-amazon.com/images/I/41hC5PJZpoS.jpg", "https://m.media-amazon.com/images/I/41smCwwuC7S.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Active \u203a Active Pants \u203a Sweatpants", "average_rating": 4.4, "small_description": ["Drawstring closure ", "Machine Wash ", "Multipack Convenience: Choose from a variety of colors and unique details, our 2 pack tech fleece jogger pants are perfect for maintaining your everyday style. Get 2 pants for 1 low price! ", "All Around Performance and Versatility: Great for anything from Running and playing basketball to just relaxing around the house, our soft fleece jogger sweatpants for men are a must have staple in any wardrobe. ", "Athletic Fit and Design: Finding the right size is always easy, Choose from our multiple options of mens athletic jogger pants in sizes S-XXL. Our adjustable Elastic waistband and drawstring form a perfect fit for almost any waist size and the 2 side pockets offer more than enough space to hold all your belongings. ", "Year Round Pant: our performance tech fleece Jogger pants are designed to keep you cool in the summer heat and warm through the cold winter and since they are manufactured by UNIPRO you can be confident your mens pants will be long-lasting, comfortable, and dependable. ", "Easy care with greater convenience: Since these styles are machine washable cleaning is always care free and easy. "], "total_reviews": 22, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08ZC2448V/ref=twister_B08ZC3VZ4H", "value": "Black-eclipse", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41gr8-CrKrS.jpg"}, {"is_selected": true, "url": null, "value": "Green-charcoal", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41s+9zEXilS.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B08ZB1MN8D"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B08ZBR7X9C"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B08ZBTKYBK"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B08ZBT1VQ9"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B08ZBVZJ9M"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08ZB1MN8D", "category": "fashion", "query": "Men's Pants", "page": 79, "small_description_old": "Multipack Convenience: Choose from a variety of colors and unique details, our 2 pack tech fleece jogger pants are perfect for maintaining your everyday style. Get 2 pants for 1 low price! All Around Performance and Versatility: Great for anything from Running and playing basketball to just relaxing around the house, our soft fleece jogger sweatpants for men are a must have staple in any wardrobe. Athletic Fit and Design: Finding the right size is always easy, Choose from our multiple options of mens athletic jogger pants in sizes S-XXL. Our adjustable Elastic waistband and drawstring form a perfect fit for almost any waist size and the 2 side pockets offer more than enough space to hold all your belongings. Year Round Pant: our performance tech fleece Jogger pants are designed to keep you cool in the summer heat and warm through the cold winter and since they are manufactured by UNIPRO you can be confident your mens pants will be long-lasting, comfortable, and dependable. Easy care with greater convenience: Since these styles are machine washable cleaning is always care free and easy."}, {"name": "Garnier Hair Care Fructis Style Pixie Play Crafting Cream, 2 Count, Texture, 4 Oz", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 2.82 x 2.82 x 2.68 inches; 6.6 Ounces", "Item model number\n \u200f": "\u200e\n 603084553952", "UPC\n \u200f": "\u200e\n 603084553952", "Manufacturer\n \u200f": "\u200e\n Garnier", "ASIN\n \u200f": "\u200e\n B07CBFM96F", "Country of Origin\n \u200f": "\u200e\n USA", "Domestic Shipping": "Currently, item can be shipped only within the U.S. and to APO/FPO addresses. For APO/FPO shipments, please check with the manufacturer regarding warranty and support issues.", "International Shipping": "This item is not eligible for international shipping.Learn More", "Best Sellers Rank": "#12,204 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#33 in Hair Styling Pomades #207 in Hair Styling Gels", "#33 in Hair Styling Pomades": "", "#207 in Hair Styling Gels": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Garnier Store", "brand_url": "https://www.amazon.com/stores/Garnier/page/0B5229A4-14F7-47F2-A4E8-ED9162D257DB?ref_=ast_bln", "full_description": "Get crafty! Add texture to short hair and create piece or out-of-bed looks for all day de-constructed style that looks done-yet-undone. Get touchable control and a subtle, satin finish that is non-tacky, not stiff or too coated. HOW DOES IT WORK? Garner Fructose Style Pixie Play Crafting Cream, with Black Fig, is a unique texturizing hair styling cream for short hair that gives definition and control without clumping hair or leaving it too slick or too shiny.", "pricing": "$6.98", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/41ZfdxluSuL.jpg", "https://m.media-amazon.com/images/I/41AoPirddOL.jpg", "https://m.media-amazon.com/images/I/31jmTxxfGlL.jpg", "https://m.media-amazon.com/images/I/411aQ7Wn8eL.jpg", "https://m.media-amazon.com/images/I/41YD+DiML3L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Styling Products \u203a Pomades", "average_rating": 4.3, "small_description": ["Garner Fructose Style Pixie Play Crafting Cream is a unique silky, sheer-texturizing paste that gives short hair definition and control ", "Garner Fructose Style Pixie Play Crafting Cream is formulates with black fig that delivers hold without clumping hair or leaving it too slick or too shiny ", "Garner Fructose Style Pixie Play Crafting Cream adds texture and creates piece or out-of-bed looks for all day deconstructed style that looks done-yet-undone "], "total_reviews": 2690, "total_answered_questions": 25, "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B00ID1OAJU/ref=twister_B07DYW54NS?_encoding=UTF8&psc=1", "value": "2 Ounce (Pack of 1)", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "4 Ounce (Pack of 2)", "price_string": "$6.98", "price": 6.98, "image": null}], "Color": null}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07CBFM96F", "category": "beauty", "query": "Styling Products", "page": 12, "small_description_old": "About this item Garner Fructose Style Pixie Play Crafting Cream is a unique silky, sheer-texturizing paste that gives short hair definition and control Garner Fructose Style Pixie Play Crafting Cream is formulates with black fig that delivers hold without clumping hair or leaving it too slick or too shiny Garner Fructose Style Pixie Play Crafting Cream adds texture and creates piece or out-of-bed looks for all day deconstructed style that looks done-yet-undone"}, {"name": "Field Day Organic Diced Pear, 4 Ounce - 4 per pack -- 6 packs per case.", "product_information": {"Manufacturer\n \u200f": "\u200e\n Field Day", "ASIN\n \u200f": "\u200e\n B08QTTR98M", "": ""}, "brand": "Brand: Field Day", "brand_url": "https://www.amazon.com/Field-Day/b/ref=bl_dp_s_web_7482435011?ie=UTF8&node=7482435011&field-lbr_brands_browse-bin=Field+Day", "full_description": "Ingredients: Organic pears, water, organic pear juice concentrate, ascorbic acid (vitamin C) to protect color, naturally derived citric acid.", "pricing": "$50.50", "list_price": "", "availability_status": "In stock. Usually ships within 3 to 4 days.", "images": ["https://m.media-amazon.com/images/I/41509PrIeuL.jpg", "https://m.media-amazon.com/images/I/41sKCf9nHWL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Canned, Jarred & Packaged Foods \u203a Fruits \u203a Pears", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "ACCN22VZS1CNE", "seller_name": "FoodserviceDirect Inc.", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08QTTR98M", "category": "grocery", "query": "Fruit Snacks", "page": 277, "small_description_old": ""}, {"name": "Concepts Sport Men's NFL Empire Flannel Boxers", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 8.52 x 7.21 x 1.73 inches; 6.4 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n August 4, 2021", "Manufacturer\n \u200f": "\u200e\n ROBINSON MANUFACTURING COMPANY INC", "ASIN\n \u200f": "\u200e\n B09BVXY5X5", "Best Sellers Rank": "#2,620,803 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,363 in Men's Boxer Shorts", "#1,363 in Men's Boxer Shorts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Concepts Sport", "brand_url": "https://www.amazon.com/Concepts-Sport/b/ref=bl_sl_s_ap_web_20161609011?ie=UTF8&node=20161609011&field-lbr_brands_browse-bin=Concepts+Sport", "full_description": "These team Empire Flannel Boxers are just what you need in your basics drawer. The plaid design and crisp embroidered graphics will make these Concepts Sport boxers your go-to for game days, ensuring you're a proud team fan from top to bottom.", "pricing": "$21.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/61s9E8kB73L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Underwear \u203a Boxers", "average_rating": 5, "small_description": ["Imported ", "Brand: Concepts Sport ", "Elastic waist ", "Embroidered graphics ", "Imported ", "Material: 60% Cotton/40% Polyester "], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Color": null, "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09BVXY5X5"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09BVZJ8MX"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09BVYK2WL"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09BVYK2WL", "category": "fashion", "query": "Men's Underwear", "page": 50, "small_description_old": "Imported Brand: Concepts Sport Elastic waist Embroidered graphics Imported Material: 60% Cotton/40% Polyester"}, {"name": "KontrolFreek FPS Freek Inferno for Xbox One and Xbox Series X Controller | Performance Thumbsticks | 2 High-Rise Concave | Red", "product_information": {"Product Dimensions": "0.9 x 0.9 x 0.4 inches", "Item Weight": "0.705 ounces", "ASIN": "B01BCOAE7G", "Item model number": "2040-XB1", "Customer Reviews": {"ratings_count": 8486, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#297 in Video Games (See Top 100 in Video Games) #2 in Xbox One Thumb Grips #5 in Xbox One Gamepads & Standard Controllers #7 in Computer Headsets"], "Is Discontinued By Manufacturer": "No", "Date First Available": "February 1, 2016", "Manufacturer": "KONTROLFREEK"}, "brand": "Visit the KontrolFreek Store", "brand_url": "https://www.amazon.com/stores/KontrolFreek/page/D9E430A8-6E39-4C2F-8D81-E548BF2E76B5?ref_=ast_bln", "full_description": "", "pricing": "$12.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51TZNhKgdHL.jpg", "https://m.media-amazon.com/images/I/41z81eQ2ZTL.jpg", "https://m.media-amazon.com/images/I/41uxA11ASQL.jpg", "https://m.media-amazon.com/images/I/41AcAqpND7L.jpg", "https://m.media-amazon.com/images/I/41q2UQg9FnL.jpg", "https://m.media-amazon.com/images/I/41uFw2SCvyL.jpg", "https://m.media-amazon.com/images/I/31NQS9rjLpL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Computer Accessories & Peripherals \u203a Audio & Video Accessories \u203a Computer Headsets", "average_rating": 4.5, "small_description": ["INCREASED ACCURACY - Adds 9.9 mm of added height to increase arc distance, resulting in more precise in-game movements and faster target acquisition ", "ENHANCES GRIP - Non-slip, proprietary rubber compound offers exceptional grip with laser-etched detailing ", "INCREASED COMFORT - Requires less force which reduces wrist, hand and thumb fatigue ", "TWO HIGH-RISE (CONCAVE) THUMBSTICKS - Improves your shooting accuracy, particularly at mid-to-long ranges ", "DESIGNED - with a comfortable spiral pattern that adapts to the pressure you put on it, so the harder you play, the harder Inferno works to keep your thumbs from slipping *Packaging May Not Reflect Updated Compatibility "], "total_reviews": 8486, "total_answered_questions": 37, "model": "2040-XB1", "customization_options": "", "seller_id": "A1XOCBC637EZ46", "seller_name": "KontrolFreek", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B01BCOAE7G", "category": "electronics", "query": "Television Accessories", "page": 92, "small_description_old": "About this item\n \nINCREASED ACCURACY - Adds 9.9 mm of added height to increase arc distance, resulting in more precise in-game movements and faster target acquisition ENHANCES GRIP - Non-slip, proprietary rubber compound offers exceptional grip with laser-etched detailing INCREASED COMFORT - Requires less force which reduces wrist, hand and thumb fatigue TWO HIGH-RISE (CONCAVE) THUMBSTICKS - Improves your shooting accuracy, particularly at mid-to-long ranges DESIGNED - with a comfortable spiral pattern that adapts to the pressure you put on it, so the harder you play, the harder Inferno works to keep your thumbs from slipping *Packaging May Not Reflect Updated Compatibility"}, {"name": "Crest 3D White Luxe Glamorous White Teeth Whitening Vibrant Mint Toothpaste, 4.1 Oz", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 1.94 x 1.63 x 6 inches; 4 Ounces", "Item model number\n \u200f": "\u200e\n 3700081280", "UPC\n \u200f": "\u200e\n 885222330605 640791724992 037000812807 885310387931", "Manufacturer\n \u200f": "\u200e\n Procter & Gamble - Pampers", "ASIN\n \u200f": "\u200e\n B007F4B69S", "Best Sellers Rank": "#107,521 in Health & Household (See Top 100 in Health & Household)#978 in Toothpaste", "#978 in Toothpaste": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Crest", "brand_url": "https://www.amazon.com/Crest/b/ref=bl_dp_s_web_2587846011?ie=UTF8&node=2587846011&field-lbr_brands_browse-bin=Crest", "full_description": "Crest.3D White Luxe\u2122.Removes up to 90% of surface stains in 5 days.Glamorous white.Fluoride anticavity toothpaste.Enamel safe whitening.Vibrant mint.", "pricing": "$14.81", "list_price": "", "availability_quantity": 5, "availability_status": "Only 5 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41zckvU8+dL.jpg", "https://m.media-amazon.com/images/I/412-hhhswwL.jpg", "https://m.media-amazon.com/images/I/41paB1LHOqL.jpg", "https://m.media-amazon.com/images/I/41tDjCqSKOL.jpg", "https://m.media-amazon.com/images/I/41OZ1UZig+L.jpg", "https://m.media-amazon.com/images/I/415Cpyp6c1L.jpg", "https://m.media-amazon.com/images/I/417XKXGJlyL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothpaste", "average_rating": 4.4, "small_description": ["Removes up to 90% of surface stains ", "Exclusive Whitelock Technology seals out future stains ", "Enamel safe fluoride toothpaste to help prevent cavities ", "Vibrant Mint flavor for fresh breath ", "Whitens smile in 2 days**Whitens teeth by removing surface stains when used with any Crest 3D White mouthwash and Oral-B 3D White Pro-Flex toothbrush ", "Removes 90% of surface stains in 7 days ", "Strengthens and rebuilds weakened enamel , Enamel safe whitening, Anticavity toothpaste"], "total_reviews": 694, "total_answered_questions": 15, "customization_options": {"Style": [{"is_selected": false, "url": "https://www.amazon.com/dp/B007K6LHAY/ref=twister_B01LVXLOYM?_encoding=UTF8&psc=1", "value": "Diamond Strong", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41zZnB-BvGL.jpg"}, {"is_selected": true, "url": null, "value": "Glamorous White", "price_string": "$14.81", "price": 14.81, "image": "https://m.media-amazon.com/images/I/4123aLnDtRL.jpg"}], "Size": null}, "seller_id": "A33X0NQQ1HVLP5", "seller_name": "A Blend Above/ A Spice Above", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B007F4B69S", "category": "beauty", "query": "Toothpaste", "page": 44, "small_description_old": "About this item Removes up to 80% of surface stains"}, {"name": "De Wafelbakkers Pancake 18 Fluffy Buttermilk, 1.5 oz (Frozen)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 5 x 9 x 4.5 inches; 1.5 Ounces", "UPC\n \u200f": "\u200e\n 679844104573", "Manufacturer\n \u200f": "\u200e\n De Wafelbakkers", "ASIN\n \u200f": "\u200e\n B01J5J2RPW", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: De Wafelbakkers", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=De+Wafelbakkers", "full_description": "De Wafel bakkers Pancake 18 Fluffy Buttermilk.", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/51OUdPshUxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Frozen \u203a Breakfast Foods \u203a Pancakes & French Toast \u203a Pancakes", "average_rating": 4.7, "small_description": ["Great for a fast breakfast "], "total_reviews": 387, "total_answered_questions": 8, "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01J5J2RPW", "category": "grocery", "query": "Frozen", "page": 2, "small_description_old": "About this item Great for a fast breakfast"}, {"name": "EATOP USB 3.0 512GB Flash Drive Photo Stick for iPhone (13/12/12 pro/12 pro max/11/11 Pro/XR/X/8/7/6) iPhone Memory Stick External Photo Storage Drive for iPhone iPad Android Computer (Purple)", "product_information": "", "brand": "Visit the EATOP Store", "brand_url": "https://www.amazon.com/stores/HOME/page/A4395C35-AF87-4D36-90D6-78DECFF7D7A1?ref_=ast_bln", "full_description": "", "pricing": "$29.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41dZisHS50L.jpg", "https://m.media-amazon.com/images/I/516M2ZjU4pL.jpg", "https://m.media-amazon.com/images/I/517EDNFbg9L.jpg", "https://m.media-amazon.com/images/I/51ZMos20nbL.jpg", "https://m.media-amazon.com/images/I/51qQWFH6KnL.jpg", "https://m.media-amazon.com/images/I/51lbWtrfKwL.jpg", "https://m.media-amazon.com/images/I/51whCD1K4tL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Data Storage \u203a USB Flash Drives", "average_rating": 4.1, "small_description": ["\u2714\u30104 IN 1 USB FLASH DRIVE\u3011Compared with the traditional single-plug flash drive, this 512G iPhone flash drive has multiple plug models and supports devices such as Android (with OTG Function) /iPhone/iPad/PC. And just with this compact thumb drive, you can freely transfer photos and videos between multiple devices! Note: Android phones must have OTG function to use this USB flash drive. ", "\u2714\u3010ONE-CLICK BACKUP\u3011Compatible with iPhone memory stick provides a simple and quick way to transfer photos and videos. Just plug the usb flash drive into moblie phone, install and open \"Y-DISK\" app, and you can easily backup all photos, videos and files with one click. No need for tedious selection, copying and pasting. Save your time and memory space with a thumb drive! ", "\u2714\u3010HIGH-SPEED TRANSFERS WITH USB 3.0\u3011Directly plugs into your mobile phone port and USB 3.0 port, experience up to 80 MB/s reading and 30 MB/s writing speed with USB port. Enjoy the whole relaxing trip with never stuttering or buffering video play on the go. Support videos formats: AVI, M4V, MKV, MOV, M P4, MPG, RM, RMVB, TS, WMV, FLV, 3GP; AUDIOS: FLAC, APE, AAC, AIF, M4A, MP3, WAV. ", "\u2714\u3010PRIORITY TO PRIVACY PROTECTION\u3011Compatible with iPhone photo stick to share files, photos and videos with colleagues and friends without worrying about personal privacy leaks. Because our iPhone thumb drive has file encryption function. You can choose to encrypt some files with Touch ID or a password, or you can choose to encrypt all files. The encrypted files will not be displayed on the computer, which will provide you with a more convenient and safer use experience. ", "\u2714\u3010FREE UP YOUR MEMORY SPACE\u3011Still get annoyed with the short-storage of mobile phone? You will no more have that bad feeling with our 512G flash drive! Store your favorite movies, music & images to our Memory Photo Stick for iPhone and iPad, and enjoy them when you are on a trip or trave. Or you can capture wonderful moments in life and save them into this iPhone photo storage device, and then upload them on your social media to share the joy with family and friends! "], "total_reviews": 1640, "total_answered_questions": 86, "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09P724TSZ/ref=twister_B09PQRJ84F", "value": "256GB", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "512GB", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09P724TSZ/ref=twister_B09PQRJ84F", "value": "USB256-Dark Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41g1TLHt-xL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P73PBG5/ref=twister_B09PQRJ84F", "value": "USB256-Gold", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ynvMoEj3L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P737RSY/ref=twister_B09PQRJ84F", "value": "USB256-Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41pBwt4KajL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P73D1GX/ref=twister_B09PQRJ84F", "value": "USB256-Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41gb09o0oPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QMNNNG4/ref=twister_B09PQRJ84F?_encoding=UTF8&psc=1", "value": "EAUSB512-Dark Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41KU6vJ85AL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QMP49Z1/ref=twister_B09PQRJ84F?_encoding=UTF8&psc=1", "value": "EAUSB512-Rose gold", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41-XrGEq1TL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QMPSG4J/ref=twister_B09PQRJ84F?_encoding=UTF8&psc=1", "value": "Gold", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/416nMsBOWEL.jpg"}, {"is_selected": true, "url": null, "value": "Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41dZisHS50L.jpg"}]}, "seller_id": "A3PH90AI4BQAXT", "seller_name": "EATOP", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09QMPV75P", "category": "electronics", "query": "Flashes", "page": 16, "small_description_old": "About this item\n \n\u2714\u30104 IN 1 USB FLASH DRIVE\u3011Compared with the traditional single-plug flash drive, this 512G iPhone flash drive has multiple plug models and supports devices such as Android (with OTG Function) /iPhone/iPad/PC. And just with this compact thumb drive, you can freely transfer photos and videos between multiple devices! Note: Android phones must have OTG function to use this USB flash drive. \u2714\u3010ONE-CLICK BACKUP\u3011Compatible with iPhone memory stick provides a simple and quick way to transfer photos and videos. Just plug the usb flash drive into moblie phone, install and open \"Y-DISK\" app, and you can easily backup all photos, videos and files with one click. No need for tedious selection, copying and pasting. Save your time and memory space with a thumb drive! \u2714\u3010HIGH-SPEED TRANSFERS WITH USB 3.0\u3011Directly plugs into your mobile phone port and USB 3.0 port, experience up to 80 MB/s reading and 30 MB/s writing speed with USB port. Enjoy the whole relaxing trip with never stuttering or buffering video play on the go. Support videos formats: AVI, M4V, MKV, MOV, M P4, MPG, RM, RMVB, TS, WMV, FLV, 3GP; AUDIOS: FLAC, APE, AAC, AIF, M4A, MP3, WAV. \u2714\u3010PRIORITY TO PRIVACY PROTECTION\u3011Compatible with iPhone photo stick to share files, photos and videos with colleagues and friends without worrying about personal privacy leaks. Because our iPhone thumb drive has file encryption function. You can choose to encrypt some files with Touch ID or a password, or you can choose to encrypt all files. The encrypted files will not be displayed on the computer, which will provide you with a more convenient and safer use experience. \u2714\u3010FREE UP YOUR MEMORY SPACE\u3011Still get annoyed with the short-storage of mobile phone? You will no more have that bad feeling with our 512G flash drive! Store your favorite movies, music & images to our Memory Photo Stick for iPhone and iPad, and enjoy them when you are on a trip or trave. Or you can capture wonderful moments in life and save them into this iPhone photo storage device, and then upload them on your social media to share the joy with family and friends!"}, {"name": "BOCOMAL FR Pants for Men Cargo Flame Resistant Pants(2112&CAT2) 100% C 7.5oz Utility Fire Resistant Pants", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 12.4 x 11.7 x 2 inches; 1.75 Pounds", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n October 21, 2020", "ASIN\n \u200f": "\u200e\n B08LKXSNYL", "Best Sellers Rank": "#73,844 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#101 in Men's Work Utility & Safety Pants", "#101 in Men's Work Utility & Safety Pants": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$45.99$49.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/317yUg75IQS.jpg", "https://m.media-amazon.com/images/I/31XQ+HRlBtS.jpg", "https://m.media-amazon.com/images/I/31ocKdsvZVS.jpg", "https://m.media-amazon.com/images/I/3161EF7iSrL.jpg", "https://m.media-amazon.com/images/I/31ZFbiNUzWS.jpg", "https://m.media-amazon.com/images/I/41dKgaZfl-L.jpg", "https://m.media-amazon.com/images/I/41xp2XfWsDL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Uniforms, Work & Safety \u203a Clothing \u203a Work Utility & Safety \u203a Pants", "average_rating": 4.4, "small_description": ["FR MATRIALS\uff1a7.5OZ Cotton Twill FR Treated,FR Buttons,FR Sewing Threads!Clear FR Tag on Phone Pocket front.More FR info On Neck Tag About UL Certification.We Attached A Small Sample Inside Package For Cunstomers Simple FR Try ", "This FR Work Pant has 9 Pockets And Elstic waist band, Provides A Perfect And Comfortable Relaxed Fit. Also Soft And fashionable.We Did Prewash/ Preshrunk And Wrinkle-Free.Machine Wash No Shrink! Double needle stitching on outseam. Left and right cargo pockets at the thighs with flaps to keep items secure. ", "ENSURE SAFETY AT WORK :This garments meets or exceeds the standards for HRC2,Arc Rating Atpv 9.8 Calories/cm2 and the requirements of NFPA2112 Standard on Flame Resisant Garments for Protection of industrial Personnel Against Flash Fire,2012 Edition.Also NFPA70E ASTM F1506 AND CAT II Cerfied! ", "MULTI-USE:Made For Welders, Fitters, Ironworkers, Electricians, And Other Industrial Workers Even At Home. It Can Be Used For Any Kind Of Industrial And Construction works.More Durable Fabrics Pockets In Just The Right Places With So Many Features That Help You Get The Job Done. Our Workwear Pretect You Everyday And Help You Doing Heavy Works. ", "MORE USE TIME: UP TO 100 WASHES ,Our shirts has the appropriate level of protective gear and stays enforced up to numerous washes. You can wear and wash it over and over again for up to 100 times before FR still works.(NFPA2112,ASTM F1506,CAT II) "], "total_reviews": 337, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08LK7BDLY/ref=twister_B08LK8J644", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31nm18nV60S.jpg"}, {"is_selected": true, "url": null, "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/317yUg75IQS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098QBR8P4/ref=twister_B08LK8J644", "value": "Bottle Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/313R0bUfiPS.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "30W x 30L", "asin": "B08LKHKZV3"}, {"is_selected": false, "is_available": true, "value": "30W x 32L", "asin": "B08LK8TW6G"}, {"is_selected": false, "is_available": true, "value": "32W x 30L", "asin": "B08LKBPC4P"}, {"is_selected": false, "is_available": true, "value": "32W x 32L", "asin": "B08LKCTHZ5"}, {"is_selected": false, "is_available": true, "value": "34W x 30L", "asin": "B08LKHHGSJ"}, {"is_selected": false, "is_available": true, "value": "34W x 32L", "asin": "B08LKKSL8F"}, {"is_selected": false, "is_available": false, "value": "34W x 34L", "asin": "B09JFRQBPC"}, {"is_selected": false, "is_available": true, "value": "36W x 30L", "asin": "B08LKHN9S5"}, {"is_selected": false, "is_available": true, "value": "36W x 32L", "asin": "B08LKFNK6R"}, {"is_selected": false, "is_available": false, "value": "36W x 34L", "asin": "B09JFR7TV3"}, {"is_selected": false, "is_available": true, "value": "38W x 30L", "asin": "B08LKJ3XP5"}, {"is_selected": false, "is_available": true, "value": "38W x 32L", "asin": "B08LKR671D"}, {"is_selected": false, "is_available": false, "value": "38W x 34L", "asin": "B09JFJW235"}, {"is_selected": false, "is_available": true, "value": "40W x 30L", "asin": "B08LK8YDTG"}, {"is_selected": false, "is_available": true, "value": "40W x 32L", "asin": "B08LKKN8XQ"}, {"is_selected": false, "is_available": false, "value": "40W x 34L", "asin": "B09JFPPW85"}, {"is_selected": false, "is_available": true, "value": "42W x 30L", "asin": "B08LK58C6R"}, {"is_selected": false, "is_available": true, "value": "42W x 32L", "asin": "B08LK82SVN"}, {"is_selected": false, "is_available": false, "value": "42W x 34L", "asin": "B09JFSLXPD"}, {"is_selected": false, "is_available": true, "value": "44W x 30L", "asin": "B08LKJHFVL"}, {"is_selected": false, "is_available": true, "value": "44W x 32L", "asin": "B08LK8QYZ4"}, {"is_selected": false, "is_available": false, "value": "44W x 34L", "asin": "B09JFLYF7G"}, {"is_selected": false, "is_available": true, "value": "46W x 30L", "asin": "B08LKH15DH"}, {"is_selected": false, "is_available": true, "value": "46W x 32L", "asin": "B08LL1RBQB"}, {"is_selected": false, "is_available": true, "value": "48W x 30L", "asin": "B092VBHJ7K"}, {"is_selected": false, "is_available": true, "value": "48W x 32L", "asin": "B092VD2XGB"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08LKKSL8F", "category": "fashion", "query": "Men's Pants", "page": 27, "small_description_old": "FR MATRIALS\uff1a7.5OZ Cotton Twill FR Treated,FR Buttons,FR Sewing Threads!Clear FR Tag on Phone Pocket front.More FR info On Neck Tag About UL Certification.We Attached A Small Sample Inside Package For Cunstomers Simple FR Try This FR Work Pant has 9 Pockets And Elstic waist band, Provides A Perfect And Comfortable Relaxed Fit. Also Soft And fashionable.We Did Prewash/ Preshrunk And Wrinkle-Free.Machine Wash No Shrink! Double needle stitching on outseam. Left and right cargo pockets at the thighs with flaps to keep items secure. ENSURE SAFETY AT WORK :This garments meets or exceeds the standards for HRC2,Arc Rating Atpv 9.8 Calories/cm2 and the requirements of NFPA2112 Standard on Flame Resisant Garments for Protection of industrial Personnel Against Flash Fire,2012 Edition.Also NFPA70E ASTM F1506 AND CAT II Cerfied! MULTI-USE:Made For Welders, Fitters, Ironworkers, Electricians, And Other Industrial Workers Even At Home. It Can Be Used For Any Kind Of Industrial And Construction works.More Durable Fabrics Pockets In Just The Right Places With So Many Features That Help You Get The Job Done. Our Workwear Pretect You Everyday And Help You Doing Heavy Works. MORE USE TIME: UP TO 100 WASHES ,Our shirts has the appropriate level of protective gear and stays enforced up to numerous washes. You can wear and wash it over and over again for up to 100 times before FR still works.(NFPA2112,ASTM F1506,CAT II)"}, {"name": "Sykting Christmas Pillow Covers 18x18 Inch with Raised Embroidery Snowflakes Neutral Boho Throw Pillow Covers Decorative for Winter Holiday Grey Pack of 2", "product_information": {"Package Dimensions": "10.91 x 7.8 x 1.89 inches", "Item Weight": "10.8 ounces", "Manufacturer": "JWstyle1000", "ASIN": "B09DYFZM1X", "Customer Reviews": {"ratings_count": 275, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#571,127 in Home & Kitchen (See Top 100 in Home & Kitchen) #8,302 in Throw Pillow Covers"], "Specific Uses For Product": "Decorative", "Fabric Type": "Cotton", "Fill material Type": "Cotton", "material_composition": "Cotton canvas", "Material Care Instructions": "Machine wash cold on gentle cycle and tumble dry low.Do not bleach.Do not iron.", "Number of Pieces": "2", "Batteries Required?": "No"}, "brand": "Visit the sykting Store", "brand_url": "https://www.amazon.com/stores/Sykting/page/7FBA4BCF-A527-4B1B-929A-F9B01ACAC22C?ref_=ast_bln", "full_description": "", "pricing": "$19.99", "list_price": "", "availability_quantity": 1, "availability_status": "In Stock. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51Fd-BmnuBL.jpg", "https://m.media-amazon.com/images/I/51fdL0gdLdL.jpg", "https://m.media-amazon.com/images/I/51inmcLYjFL.jpg", "https://m.media-amazon.com/images/I/61W4Jub5UVL.jpg", "https://m.media-amazon.com/images/I/51VJhL9HsXL.jpg", "https://m.media-amazon.com/images/I/5101YRNCnnL.jpg", "https://m.media-amazon.com/images/I/41N1qEgso8L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Decorative Pillows, Inserts & Covers \u203a Throw Pillow Covers", "average_rating": 4.8, "small_description": ["Cotton ", "The cute snowflakes are not printed,they are actually a beautiful embroidery with raised design and exquisite touch;The detailed embroidery makes for nice texture,and this has the embroidered pattern on one side,other is solid white ", "Simple,festive design makes these Christmas pillow covers perfect for holiday and winter decor.Bring the holiday spirit into your home with these adorable decorative pillow covers now,compliments abound!Holiday pillow covers to your friends,family and yourself ", "Durable high quality cotton canvas couch pillow covers,the fabric is soft,thick,sturdy and breathable,there's no see through.Machine wash in cold water,delicate cycle ", "Package:Pillow covers 18x18 inch set of 2,perfectly fit for 18x18 / 20x20 inch square pillow insert.Throw pillow cases only,NO Insert ", "Hidden zipper closure "], "total_reviews": 275, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09DYDT12M/ref=twister_B09DYHDB9H?_encoding=UTF8&psc=1", "value": "16\"x16\"", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "18 x 18-Inch", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Fd-BmnuBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09DYFDFYJ/ref=twister_B09DYHDB9H?_encoding=UTF8&psc=1", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51gSwviAUdL.jpg"}]}, "seller_id": "A352GMR5N4BJM8", "seller_name": "JWstyle1000", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B09DYFZM1X", "category": "garden", "query": "Decorative Pillows", "page": 110, "small_description_old": "About this item The cute snowflakes are not printed,they are actually a beautiful embroidery with raised design and exquisite touch;The detailed embroidery makes for nice texture,and this has the embroidered pattern on one side,other is solid white Simple,festive design makes these Christmas pillow covers perfect for holiday and winter decor.Bring the holiday spirit into your home with these adorable decorative pillow covers now,compliments abound!Holiday pillow covers to your friends,family and yourself Durable high quality cotton canvas couch pillow covers,the fabric is soft,thick,sturdy and breathable,there's no see through.Machine wash in cold water,delicate cycle Package:Pillow covers 18x18 inch set of 2,perfectly fit for 18x18 / 20x20 inch square pillow insert.Throw pillow cases only,NO Insert Hidden zipper closure"}, {"name": "Set of 2 Mesh Laundry Bags Rainbow Leopard Seamless-1 Medium & 1 Small Bags Laundry,Blouse, Hosiery, Stocking, Underwear, Bra Lingerie, Travel Laundry Bag(8rp7j)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 24 x 20 x 0.2 inches", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n April 27, 2021", "Manufacturer\n \u200f": "\u200e\n Bolaz", "ASIN\n \u200f": "\u200e\n B093K5JK25", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Brand: Bolaz", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Bolaz", "full_description": "\u3010Printing\u3011One-sided full printing [Material] Polyester [Size] Two packs, one large and one small. M: 20x24in/50.8x60.96cm; S: 20x16in/50.8x40.46cm [Packing size] OPP bag, 24x28x1cm \u3010Product description\u3011Using polyester fabric, dense mesh, high-speed rotation in the washing machine, durable and avoid to be thrown; plastic pull and lock positions are sewn with protective elastic bands to make clothing avoid to be scratched and to be thrown out by the zipper . The use of laundry bags protects clothes to avoid entanglement, reduces deformation and wear, and protects clothes with metal zippers or buttons from damaging the inner wall of the washing machine. [Applicable scenarios] Washing machine, home storage, luggage storage, etc.", "pricing": "$15.99", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/5157-0H5EzS.jpg", "https://m.media-amazon.com/images/I/511VPCKrfiS.jpg", "https://m.media-amazon.com/images/I/51w8w17jTyS.jpg", "https://m.media-amazon.com/images/I/51JsnTrHtBS.jpg", "https://m.media-amazon.com/images/I/51QxkimQgXS.jpg", "https://m.media-amazon.com/images/I/61FBa+-2ItS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Accessories \u203a Wallets, Card Cases & Money Organizers \u203a Wallets", "average_rating": "", "small_description": ["Fiber ", "Imported ", "Set of 2 Mesh Laundry Bags-1 Medium & 1 Small for Laundry,Blouse, Hosiery, Stocking, Underwear, Bra and Lingerie, Travel Laundry Bag. ", "Durable and breathable polyester fibre material, healthy and clean. These Lingerie Bags for Laundry perform perfectly every time protecting your delicates, and keeping them like new. Use in the Dryer too. ", "You & your clothes will LOVE the premium, Strong mesh protecting your finest garments, it is the first choice to protect delicates, extend the life of lingerie, hosiery, intimates and more. ", "DELICATES LAUNDRY BAGS KEEP COLORS SEPARATE & SAFE ", "Multipurpose - Travel Organizer Bag: Ideal for packaging clothing. When you arecamping and traveling with friends, you can easily separate yours and yourfriends' clothes with travel laundry bag. When you share a washing machine with your roommate, you can easily identify your clothes with our DIY Printed laundry bags. It can be used for storage as well to sort your clothes in anorganised way in wardrobe. It is also a great helper for house moving. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1KITK4A5218C8", "seller_name": "SKYDA", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B093K5JK25", "category": "fashion", "query": "Women's Socks & Hosiery", "page": 207, "small_description_old": "About this item Fiber Imported Set of 2 Mesh Laundry Bags-1 Medium & 1 Small for Laundry,Blouse, Hosiery, Stocking, Underwear, Bra and Lingerie, Travel Laundry Bag. Durable and breathable polyester fibre material, healthy and clean. These Lingerie Bags for Laundry perform perfectly every time protecting your delicates, and keeping them like new. Use in the Dryer too. You & your clothes will LOVE the premium, Strong mesh protecting your finest garments, it is the first choice to protect delicates, extend the life of lingerie, hosiery, intimates and more. DELICATES LAUNDRY BAGS KEEP COLORS SEPARATE & SAFE Multipurpose - Travel Organizer Bag: Ideal for packaging clothing. When you arecamping and traveling with friends, you can easily separate yours and yourfriends' clothes with travel laundry bag. When you share a washing machine with your roommate, you can easily identify your clothes with our DIY Printed laundry bags. It can be used for storage as well to sort your clothes in anorganised way in wardrobe. It is also a great helper for house moving."}, {"name": "NIUTA 2 Pack Hair Towel Wrap, Microfiber Quick Drying Hair Towels, Super Absorbent Quick Dry Hair Towel, Wrapped Bath Cap (Pink+Light Blue)", "product_information": {"Item Weight": "6.7 ounces", "Manufacturer": "NIUTA", "ASIN": "B08G14B779", "Item model number": "YJ-YM101", "Customer Reviews": {"ratings_count": 191, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#214,306 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #356 in Hair Drying Towels"], "Fabric Type": "Superfine Fiber", "Number of Pieces": "2", "Batteries Required?": "No"}, "brand": "Brand: NIUTA", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=NIUTA", "full_description": "Specification: Size:26\u201dx10\u201d/ 66 x 26 cm Material: Microfiber This microfiber hair-drying cap has super water-absorbent ability. Has button & loop for keeping it on securely. Quick drying and lightweight Gentle on hair and skin Absorbs wetness and dries hair faster than normal towels How to use? (3 Steps) 1. Bend to make your hair hang down, put hair towel on your head (the end with button); 2. Wrap your hair with the hanging part of the towel; 3. Pull up the secure loop across your head and fix it under the secure button. PACKAGE INCLUDES: 2 X Hair Towel Wrap(pink/Light blue)", "pricing": "$4.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41ePS5j3x8L.jpg", "https://m.media-amazon.com/images/I/41G50dr9ipL.jpg", "https://m.media-amazon.com/images/I/51T9naefj-L.jpg", "https://m.media-amazon.com/images/I/51VWBsP7CPL.jpg", "https://m.media-amazon.com/images/I/51GEhvyc0HL.jpg", "https://m.media-amazon.com/images/I/41gVDkis4ML.jpg", "https://m.media-amazon.com/images/I/41o-npC5DlL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Accessories \u203a Hair Drying Towels", "average_rating": 4.6, "small_description": ["Superfine Fiber ", "Microfiber material: very absorbent and fast drying. Especially for people who wash hair every day and try to use hairdryer less often, this is a perfect product to help hair dry naturally and reduces frizz. ", "High Quality: Our towels are no fading. You can feel comfortable buying our hair towel! Size: 26 inch x 10 inch (66cm x 26cm) , Fits all hair types and lengths. ", "MULTIFUNCTION - Our magic hair turban towel are ideal for everyday use at home, at the gym and travel, it is a great assistant in facial, bath, makeup, face wash. You don't have to worry about your hair getting dirty. ", "NO SLIPPING, NO FALLS OFF: Hair towel equipped with button and loop which stops it from unraveling. You can bend your head forward and let your hair flow naturally. Then put on the magic hair drying Cap and twist of all hair, folding back the magic hair drying cap button up on the hair. it\u2019s a perfect gift for all women. ", "Keeps your hairline dry, Wear it right at your hairline, you don\u2019t need to worry about wet hair anymore when wash your face, face masks and putting on or removing makeup. Prefect for daily use and very convenient. "], "total_reviews": 191, "total_answered_questions": "", "model": "YJ-YM101", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08G146QD4/ref=twister_B08X8CP6VY", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/515aUq-siSL.jpg"}, {"is_selected": true, "url": null, "value": "Pink Light Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ePS5j3x8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08FYMPXMN/ref=twister_B08X8CP6VY?_encoding=UTF8&psc=1", "value": "Pink Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51jmjWA-f8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08G163XKM/ref=twister_B08X8CP6VY?_encoding=UTF8&psc=1", "value": "Pink Rose", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/512CQrKh0GL.jpg"}], "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08G146QD4/ref=twister_B08X8CP6VY", "value": "26 inch x 10 inch", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "26 Inch x 10 Inch", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A220Z5UVJH25WY", "seller_name": "VCOREV", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08G14B779", "category": "beauty", "query": "Bathing Accessories", "page": 203, "small_description_old": "About this item Superfine Fiber Microfiber material: very absorbent and fast drying. Especially for people who wash hair every day and try to use hairdryer less often, this is a perfect product to help hair dry naturally and reduces frizz. High Quality: Our towels are no fading. You can feel comfortable buying our hair towel! Size: 26 inch x 10 inch (66cm x 26cm) , Fits all hair types and lengths. MULTIFUNCTION - Our magic hair turban towel are ideal for everyday use at home, at the gym and travel, it is a great assistant in facial, bath, makeup, face wash. You don't have to worry about your hair getting dirty. NO SLIPPING, NO FALLS OFF: Hair towel equipped with button and loop which stops it from unraveling. You can bend your head forward and let your hair flow naturally. Then put on the magic hair drying Cap and twist of all hair, folding back the magic hair drying cap button up on the hair. it\u2019s a perfect gift for all women. Keeps your hairline dry, Wear it right at your hairline, you don\u2019t need to worry about wet hair anymore when wash your face, face masks and putting on or removing makeup. Prefect for daily use and very convenient."}, {"name": "Mingbao Sound Quality Hi-Fi Stereo Speaker Wireless Bluetooth Soundbar Home Theater TV Strong Bass Sound Bar + Remote Control", "product_information": {"Item Weight": "1.49 pounds", "ASIN": "B095C2ZMTX", "Date First Available": "May 19, 2021", "Manufacturer": "Mingbao"}, "brand": "Brand: Mingbao", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Mingbao", "full_description": "1. Upgraded version of luxury audio, 4 speakers, 3D stereo surround sound, the effect is absolutely stunning. 2. Support Bluetooth connection, fully compatible with most kinds of Bluetooth devices, wireless playback, please do whatever you want. 3. Support U disk playback. You can also play audio from your phone or other device over the audio cable. 4. Built-in DSP sound processor, clear and no noise. 5. Simple connection and easy operation. It also has a remote control for remote control and enjoys the perfect experience of sight and hearing. Watching TV at home is like watching a movie at a movie theater. It gives you a theatre-level sound experience. specification: Bluetooth version: V5.0 Speaker power: 25W* 4 Colour: Black Use transmission power: 1.49mW Transmission frequency: 2.48GHz Transmission distance: 8-10 meters Music playback time: about 2.5 hours Charging time: 2-3 hours Standby time: 240 hours Supported formats: A2DP, AVRCP, HSP and HF Battery: 18650, 3.7V / 2000mA Signal to noise ratio: -80db Frequency response: 20HZ-20KHZ Charging voltage: DC 5V / 1A-2A Charging socket: micro 5pin (V8) Support TF card audio input Support 3.5mm audio input Support U disk audio input With radio function. Size: 550mm* 50mm*50mm Weight: 675 grams Package Included: 1 speaker (for all TVs) 1 charging cable 1 x RCA line 1 remote control 1 x manual", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/21ZKYKWOwjS.jpg", "https://m.media-amazon.com/images/I/515Raz8q2eS.jpg", "https://m.media-amazon.com/images/I/51YSWqbe+ES.jpg", "https://m.media-amazon.com/images/I/41KtBTQcOkS.jpg", "https://m.media-amazon.com/images/I/51rB8gmOBzS.jpg", "https://m.media-amazon.com/images/I/41puzuJHcSS.jpg", "https://m.media-amazon.com/images/I/41wn+wbT4VS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Home Audio \u203a Speakers \u203a Sound Bars", "average_rating": "", "small_description": ["Upgraded version of luxury audio, 4 speakers, 3D stereo surround sound, the effect is absolutely stunning. ", "Support Bluetooth connection, fully compatible with most kinds of Bluetooth devices, wireless playback, please do whatever you want. ", "Support U disk playback. You can also play audio from your phone or other device over the audio cable. ", "Built-in DSP sound processor, clear and no noise. ", "Simple connection and easy operation. It also has a remote control for remote control and enjoys the perfect experience of sight and hearing. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B095C2ZMTX", "category": "electronics", "query": "Soundbars", "page": 195, "small_description_old": "About this item\n \nUpgraded version of luxury audio, 4 speakers, 3D stereo surround sound, the effect is absolutely stunning. Support Bluetooth connection, fully compatible with most kinds of Bluetooth devices, wireless playback, please do whatever you want. Support U disk playback. You can also play audio from your phone or other device over the audio cable. Built-in DSP sound processor, clear and no noise. Simple connection and easy operation. It also has a remote control for remote control and enjoys the perfect experience of sight and hearing."}, {"name": "Vanknight Xbox One X Console Remote Controllers Skin Set Dragon Ball Vinyl Skin Decals Sticker Cover for Xbox One X(XB1 X) Console", "product_information": {"Product Dimensions": "11.81 x 12.99 x 0.39 inches", "Item Weight": "4.6 ounces", "ASIN": "B079R9H2KB", "Customer Reviews": {"ratings_count": 95, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#28,635 in Video Games (See Top 100 in Video Games) #260 in Xbox One Faceplates, Protectors & Skins"], "Date First Available": "July 10, 2018"}, "brand": "Brand: Vanknight", "brand_url": "https://www.amazon.com/Vanknight/b/ref=bl_dp_s_web_14033461011?ie=UTF8&node=14033461011&field-lbr_brands_browse-bin=Vanknight", "full_description": "These are vinyl skins sticker ONLY. Not a hard plastic cover or case! A good decal skin not only helps to protect your machine from dust and scratches, but also keep it in good look. Decal easy to install and remove, no scratch will be left when decal has been removed.", "pricing": "$13.80", "list_price": "", "availability_quantity": 11, "availability_status": "Only 11 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51qKFFWbelL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Video Games \u203a Xbox One \u203a Accessories \u203a Faceplates, Protectors & Skins", "average_rating": 4.2, "small_description": ["This is a vinyl material decal for Xbox One X CONSOLE ONLY. NOT FOR Regular Xbox One or Xbox One S. ", "High quality vinyl material, easy to stick and remove, no scratches left. ", "Precision cut, easy access for buttons, controls, connectors ", "Protect your whole console and controllers from dust and scratches ", "Comes with 1 Xbox One S(Slim) console (front+back) sticker + 2 controllers skin. "], "total_reviews": 95, "total_answered_questions": "", "customization_options": "", "seller_id": "A2ZBHQPGIYPM36", "seller_name": "FunPlayOnly", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B079R9H2KB", "category": "electronics", "query": "Xbox", "page": 59, "small_description_old": "This is a vinyl material decal for Xbox One X CONSOLE ONLY. NOT FOR Regular Xbox One or Xbox One S. High quality vinyl material, easy to stick and remove, no scratches left. Precision cut, easy access for buttons, controls, connectors Protect your whole console and controllers from dust and scratches Comes with 1 Xbox One S(Slim) console (front+back) sticker + 2 controllers skin."}, {"name": "8' FT RCA Cable 3 RCA Males Each End Composite Audio Video Gold Shielded RG59 Coaxial Stereo A/V Dubbing Cable Heavy Duty Fully R/Y/W Triple A/V Stereo Digital Signal Hook-Up RG-59 Jumper with Plug Connectors", "product_information": {"Item Weight": "1 pounds", "Manufacturer": "DIRECTV", "ASIN": "B00UN9GR8W", "Item model number": "4330095453", "Customer Reviews": {"ratings_count": 2, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#4,934 in RCA Cables"], "Date First Available": "March 13, 2015"}, "brand": "Brand: NAC Wire and Cables", "brand_url": "https://www.amazon.com/NAC-Wire-and-Cables/b/ref=bl_dp_s_web_8415372011?ie=UTF8&node=8415372011&field-lbr_brands_browse-bin=NAC+Wire+and+Cables", "full_description": "Audio/Video 3-Wire Cable, 8' ft. Connects a VCR to a monitor for viewing or two VCRs for audio/video dubbing (in stereo). It is literally two kinds of cable molded together as one for neat, tangle free installation. Specially designed for one-step video recording and viewing. Color coded for flawless connections. Heavy-duty shielding for better performance", "pricing": "$11.51", "list_price": "", "availability_quantity": 12, "availability_status": "Only 12 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/412rIGCwZhL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Audio Cables \u203a RCA Cables", "average_rating": 4.5, "small_description": ["Audio/Video 3-Wire Cable, 8' ft. Connects a VCR to a monitor for viewing or two VCRs for audio/video dubbing (in stereo) ", "It is literally two kinds of cable molded together as one for neat, tangle free installation ", "Specially designed for one-step video recording and viewing ", "Color coded for flawless connections ", "Heavy-duty shielding for better performance "], "total_reviews": 2, "total_answered_questions": "", "model": "4330095453", "customization_options": "", "seller_id": "A28313T4QC2Y1U", "seller_name": "NAC Wire and Cables", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00UN9GR8W", "category": "electronics", "query": "VCRs", "page": 303, "small_description_old": "About this item Audio/Video 3-Wire Cable, 8' ft. Connects a VCR to a monitor for viewing or two VCRs for audio/video dubbing (in stereo) It is literally two kinds of cable molded together as one for neat, tangle free installation Specially designed for one-step video recording and viewing Color coded for flawless connections Heavy-duty shielding for better performance"}, {"name": "Stove Top Everyday Chicken Stuffing Mix (12 oz Box)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 3.9 x 3.9 x 8.1 inches; 8 Ounces", "Item model number\n \u200f": "\u200e\n dinirao", "UPC\n \u200f": "\u200e\n 043000285886 043000015568", "Manufacturer\n \u200f": "\u200e\n Sun Maid", "ASIN\n \u200f": "\u200e\n B000VDV2F8", "Best Sellers Rank": "#469,266 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#17,856 in Canned, Jarred & Packaged Foods", "#17,856 in Canned, Jarred & Packaged Foods": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Stop Top", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Stop+Top", "full_description": "Make any family dinner something to celebrate with Kraft Stove Top Everyday Stuffing Mix for Chicken. A blend of fresh baked bread crumbs with real chicken broth is the perfect pairing for a chicken dinner and brings a soft, fluffy texture in every forkful. Each can comes packed with a dry, pre-seasoned stuffing mix, and the resealable container means you can make as much or as little as needed. Simply add water and butter or margarine for a stuffing that tastes like it was made from scratch! Can easily be made in the microwave as well. Delicious served as is alongside your holiday dinner or in recipes such as chicken stuffing casserole-. Each 12 ounce resealable can of this easy stuffing can be enjoyed stuffed in your Thanksgiving turkey or as an addition to any meal year round.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51edmQDsnCL.jpg", "https://m.media-amazon.com/images/I/51Ffqi4MmFL.jpg", "https://m.media-amazon.com/images/I/51CVJHoD-SL.jpg", "https://m.media-amazon.com/images/I/41NDZvn88AL.jpg", "https://m.media-amazon.com/images/I/517A96EhH1L.jpg", "https://m.media-amazon.com/images/I/51YAgZLkqdL.jpg", "https://m.media-amazon.com/images/I/31-mGqIRu6L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Canned, Jarred & Packaged Foods", "average_rating": 3.9, "small_description": ["One 12 oz. can of Kraft Stove Top Everyday Stuffing Mix for Chicken ", "Share the savory goodness of Kraft Stove Top Everyday Stuffing Mix for Chicken with your family ", "Each can includes a dry, fully seasoned chicken stuffing mix ", "Made with herbs, spices and real chicken broth ", "Use it for recipes such as chicken stuffing casserole "], "total_reviews": 12, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B000VDV2F8", "category": "grocery", "query": "Butter & Margarine", "page": 39, "small_description_old": "About this item One 12 oz. can of Kraft Stove Top Everyday Stuffing Mix for Chicken Share the savory goodness of Kraft Stove Top Everyday Stuffing Mix for Chicken with your family Each can includes a dry, fully seasoned chicken stuffing mix Made with herbs, spices and real chicken broth Use it for recipes such as chicken stuffing casserole"}, {"name": "Coralpearl Inflatable Hanger Travel X 4, White Round Shoulder, Portable Folding Clothes Drying Rack in Metal Hook,Space Saving Coat Storage Set Non Slip Foldable for Home Car Camping Indoor Outdoor", "product_information": {"Product Dimensions": "18.1 x 6.9 x 0.16 inches", "Item Weight": "4.4 ounces", "Manufacturer": "Coralpearlgroup", "ASIN": "B06XFZXXTC", "Country of Origin": "China", "Item model number": "1495-4", "Customer Reviews": {"ratings_count": 21, "stars": "3.7 out of 5 stars"}, "Best Sellers Rank": ["#757,303 in Home & Kitchen (See Top 100 in Home & Kitchen) #274 in Coat Hangers"], "Is Discontinued By Manufacturer": "No", "Number of Pieces": "4", "Batteries Required?": "No"}, "brand": "Visit the Coralpearl Store", "brand_url": "https://www.amazon.com/stores/Coralpearl/page/FE012F1B-3CAB-4E8D-B77B-CD2F60EB5093?ref_=ast_bln", "full_description": "Coralpearl Inflatable Hanger Travel X 4, White Round Shoulder, Portable Folding Clothes Drying Rack in Metal Hook,Space Saving Coat Storage Set Non Slip Foldable for Home Car Camping Indoor Outdoor: SIZE:18.1X6.9 inches Color: White -Hangers have a metal hook rust-proof in chrome plated for easy hanging. -A perfect travel NEAT accessory, taking very less space in your luggage when FLAT & FOLDED. HOW TO USE: NOTICE: A anti-leakage valve below the air blowing nozzle; 1. Open the hangers completely flat, not folded. 2. Press the air nozzle hard to make the connected anti-leakage valve inside LOOSE. 3. Blow the air until the hangers are inflated stronge enough. 4. LOOSE the nozzle to make the valve inside hold the hole to prevent the air leaking. 5. Cover the cap quickly for the strongest hanger for easy use.", "pricing": "$17.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41whW3BlQdL.jpg", "https://m.media-amazon.com/images/I/41+KX8wFq2L.jpg", "https://m.media-amazon.com/images/I/41ADJaAKG+L.jpg", "https://m.media-amazon.com/images/I/41t0B9cfVPL.jpg", "https://m.media-amazon.com/images/I/41-Zl3mlzYL.jpg", "https://m.media-amazon.com/images/I/41AfoAOjJvL.jpg", "https://m.media-amazon.com/images/I/51e78NQywzL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Storage & Organization \u203a Clothing & Closet Storage \u203a Clothes Hangers \u203a Coat Hangers", "average_rating": 3.7, "small_description": ["Coralpearl Inflatable Hanger Travel X 4 pcs set in White\uff0cA must for hang-dry fabric Clothes! ", "With round edges that prevent 'hanger crease' at the shoulder of wet or dry garments; Folding Coat Rack in 360\u00b0Rotating Metal Hook for easy use; ", "Separates the front of the garment from the back, improving air-flow for faster clothing drying; ", "Portable, Non Slip, Foldable, Perfect travel accessories, fitting neatly in your luggage when deflated for Space Saving Storage, suitable for Home Car Camping Indoor Outdoor use; ", "Quality welding procedures to guarantee the Durable Welded Seals with anti-leakage valve. "], "total_reviews": 21, "total_answered_questions": "", "model": "1495-4", "customization_options": "", "seller_id": "AVD1DMCLWX7J4", "seller_name": "Coral Pearl Group Ltd.", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B06XFZXXTC", "category": "garden", "query": "Coat Racks", "page": 157, "small_description_old": "About this item\n \nCoralpearl Inflatable Hanger Travel X 4 pcs set in White\uff0cA must for hang-dry fabric Clothes! With round edges that prevent 'hanger crease' at the shoulder of wet or dry garments; Folding Coat Rack in 360\u00b0Rotating Metal Hook for easy use; Separates the front of the garment from the back, improving air-flow for faster clothing drying; Portable, Non Slip, Foldable, Perfect travel accessories, fitting neatly in your luggage when deflated for Space Saving Storage, suitable for Home Car Camping Indoor Outdoor use; Quality welding procedures to guarantee the Durable Welded Seals with anti-leakage valve."}, {"name": "EBTOOLS 12V Mini Audio Power Amplifier, Portable 20W+20W 47K Resolution Power Amplifier with Low Distortion Rate for Audio", "product_information": {"Product Dimensions": "0.39 x 0.39 x 0.39 inches", "Item Weight": "8.6 ounces", "ASIN": "B0932C11QQ", "Date First Available": "April 21, 2021", "Manufacturer": "EBTOOLS"}, "brand": "Brand: EBTOOLS", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=EBTOOLS", "full_description": "Specification: Item Type: Power amplifier Model: AK170 Rated Power: 20W+20W Rated Frequency: 20-20KHZ Signal to Noise Ratio: 90db Resolution: 47K Rated Voltage: 12V Distortion Rate: 0.01 .w-e-text table td,.w-e-text table th,.wang-edit-text table td, .wang-edit-text table th{border: .5pt solid #000;};.w-e-text table,.wang-edit-text table{border: 1px solid #000 !important;} Package List: 1 x Amplifier\u00a0 1 x Instruction Manual", "pricing": "$17.77", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41g3odXpQWL.jpg", "https://m.media-amazon.com/images/I/41d+0lBGUjL.jpg", "https://m.media-amazon.com/images/I/415hm0jnVPL.jpg", "https://m.media-amazon.com/images/I/41WPirP-fuL.jpg", "https://m.media-amazon.com/images/I/41RGdT6iuxL.jpg", "https://m.media-amazon.com/images/I/51pXbzoYfAL.jpg", "https://m.media-amazon.com/images/I/41wkHBDTGZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Home Audio \u203a Home Theater \u203a Receivers & Amplifiers \u203a Amplifiers", "average_rating": "", "small_description": ["As a multi-purpose power amplifier, it is slim and fashion with high-grade woven aluminum alloy process. ", "With high and low volume auxiliary adjustment, it can be adjusted according to their own needs. ", "Compatible with a variety of digital products, it can automaticly search and support FM radio frequency. ", "Being full-featured, it it easy to use, and it is entitled with simple and durable characteristics. ", "Promoting speaker to make sound, it plays an indispensable role in a good sound system. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A11O4ZQ8R1S7T3", "seller_name": "Lazmin", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0932C11QQ", "category": "electronics", "query": "Receivers & Amplifiers", "page": 148, "small_description_old": "As a multi-purpose power amplifier, it is slim and fashion with high-grade woven aluminum alloy process. With high and low volume auxiliary adjustment, it can be adjusted according to their own needs. Compatible with a variety of digital products, it can automaticly search and support FM radio frequency. Being full-featured, it it easy to use, and it is entitled with simple and durable characteristics. Promoting speaker to make sound, it plays an indispensable role in a good sound system."}, {"name": "Troentorp Women's Wright Clogs Cola Brown 38", "product_information": "", "brand": "Brand: Troentorp", "brand_url": "https://www.amazon.com/Troentorp/b/ref=bl_sl_s_sh_web_20047993011?ie=UTF8&node=20047993011&field-lbr_brands_browse-bin=Troentorp", "full_description": "", "pricing": "$125.00", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41W+F58jb0L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Mules & Clogs", "average_rating": 3.6, "small_description": [""], "total_reviews": 4, "total_answered_questions": "", "customization_options": "", "seller_id": "A1RKPOJ3WS61Y7", "seller_name": "Ware To Work", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B077YSTCCT", "category": "fashion", "query": "Women's Mules & Clogs", "page": 168, "small_description_old": ""}, {"name": "CDQYA 10/14 Champagne Color New Makeup Brush Set Brushes Makeup Tools Foundation Brush Set Full Set of Beauty Tools Convenient (Color : 06)", "product_information": {"Item Weight": "0.035 ounces", "Department": "Unisex-adult", "Manufacturer": "nczt", "ASIN": "B09T33VS4Y", "Country of Origin": "China", "Date First Available": "February 22, 2022"}, "brand": "Brand: CDQYA", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=CDQYA", "full_description": "Features:1. Function: Different shape brush, used in foundation, eyeshadow, eyehole, eyebrows, eyeliner, lip facial part make care!2. Profession Design of Burr: Suitable facial part different angles, effortless makeup!3. Material: Focus on different function, uses top grade of mixed fiber material.Description:Soft and comfortable! Or professional or beginner can get started effortlessly!Specifications:Bristle material: artificial fiberBrush handle material: wooden handleBrush handle specifications: long rodGross length specification: 4.5CMPackage Included:14/10 pcs/set * brush1 * bagOR14/10 pcs/set * brushNotes:1. Due to the difference between different monitors, the picture may not reflect the actual color of the item. We guarantee the style is the same as shown in the pictures.2. Please allow slight dimension difference due to different manual measurement.Due to manual measurement, please allow an error of 1-2cm.", "pricing": "$162.82", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/41SRVcgMsbL.jpg", "https://m.media-amazon.com/images/I/41xgKngtuXL.jpg", "https://m.media-amazon.com/images/I/51NhsXyJxGL.jpg", "https://m.media-amazon.com/images/I/51Dkx8MyfpL.jpg", "https://m.media-amazon.com/images/I/41mFJKeRdjL.jpg", "https://m.media-amazon.com/images/I/41im1LOoDRL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Makeup Brushes & Tools \u203a Brush Sets", "average_rating": "", "small_description": ["Function: Different shape brush, used in foundation, eyeshadow, eyehole, eyebrows, eyeliner, lip facial part make care! ", "Profession Design of Burr: Suitable facial part different angles, effortless makeup! ", "Material: Focus on different function, uses top grade of mixed fiber material. ", "Soft and comfortable! Or professional or beginner can get started effortlessly! ", "Brush handle material: wooden handle. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09T2FVXNW/ref=twister_B09T33XZWF?_encoding=UTF8&psc=1", "value": "01", "price_string": "$173.44", "price": 173.44, "image": "https://m.media-amazon.com/images/I/41qV0Dyzc8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T2TGT48/ref=twister_B09T33XZWF?_encoding=UTF8&psc=1", "value": "02", "price_string": "$159.28", "price": 159.28, "image": "https://m.media-amazon.com/images/I/41Zc+1fLd8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T2M3D7C/ref=twister_B09T33XZWF?_encoding=UTF8&psc=1", "value": "03", "price_string": "$173.44", "price": 173.44, "image": "https://m.media-amazon.com/images/I/41nmTFBoEOL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T2S5352/ref=twister_B09T33XZWF?_encoding=UTF8&psc=1", "value": "04", "price_string": "$166.36", "price": 166.36, "image": "https://m.media-amazon.com/images/I/51QCM4RxD9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T2Q2DKQ/ref=twister_B09T33XZWF?_encoding=UTF8&psc=1", "value": "05", "price_string": "$152.20", "price": 152.2, "image": "https://m.media-amazon.com/images/I/41fPkKCH14L.jpg"}, {"is_selected": true, "url": null, "value": "06", "price_string": "$162.82", "price": 162.82, "image": "https://m.media-amazon.com/images/I/41SRVcgMsbL.jpg"}]}, "seller_id": "A39JR9UI1KWXTV", "seller_name": "libodebeimeidian", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09T33VS4Y", "category": "beauty", "query": "Makeup Brushes & Tools", "page": 66, "small_description_old": "About this item\n \nFunction: Different shape brush, used in foundation, eyeshadow, eyehole, eyebrows, eyeliner, lip facial part make care! Profession Design of Burr: Suitable facial part different angles, effortless makeup! Material: Focus on different function, uses top grade of mixed fiber material. Soft and comfortable! Or professional or beginner can get started effortlessly! Brush handle material: wooden handle."}, {"name": "Rachel Zoe Women's Sofia Slipper", "product_information": "", "brand": "Visit the RACHEL ZOE Store", "brand_url": "https://www.amazon.com/stores/RachelZoe/page/5F2715E3-36F6-415B-83D1-5B81C503EC91?ref_=ast_bln", "full_description": "", "pricing": "$28.08$33.39", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/11Nc2VrF0NL.jpg", "https://m.media-amazon.com/images/I/118F7gSa4ML.jpg", "https://m.media-amazon.com/images/I/11yUluO53wL.jpg", "https://m.media-amazon.com/images/I/11NcHiR4GZL.jpg", "https://m.media-amazon.com/images/I/11nuhV+QhqL.jpg", "https://m.media-amazon.com/images/I/215JmCvkB9L.jpg", "https://m.media-amazon.com/images/I/21mpuZs7+FL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Flats", "average_rating": 4.7, "small_description": ["Plastic sole ", "Comfy and stlylish slip-ons. ", "Cute, soft, luxurious, plush faux fur slip-ons. ", "Cushion and support: Supportive, cushiony and comfortable footwear for all day wear. ", "Non-slip sole: Anti-slip soles preventing slipping for safe and secure steps. ", "The perfect pair for at home moments of relaxation and lounging. "], "total_reviews": 5, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B099FHKWFH"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B099FK9CNJ"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B099FKK27G"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B099FHKWFF/ref=twister_B099G24Z25", "value": "Black Multi", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21FQnXGIBQL.jpg"}, {"is_selected": true, "url": null, "value": "Other White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/11Nc2VrF0NL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B099FKK27G", "category": "fashion", "query": "Women's Slippers", "page": 76, "small_description_old": "Plastic sole Comfy and stlylish slip-ons. Cute, soft, luxurious, plush faux fur slip-ons. Cushion and support: Supportive, cushiony and comfortable footwear for all day wear. Non-slip sole: Anti-slip soles preventing slipping for safe and secure steps. The perfect pair for at home moments of relaxation and lounging."}, {"name": "Sandals For Women Gold Sandals Slippers Sandy From Grease Red Shoes Strap Platforms Golf Shoes Jeans Stretch Short Sleeve Shirts Midi Skirts Women Suede Pumps", "product_information": {"Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 18, 2022", "Manufacturer\n \u200f": "\u200e\n Women's Platform & Wedge Sandals", "ASIN\n \u200f": "\u200e\n B09QPX97VW", "": ""}, "brand": "Brand: NYFF", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_sh_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=NYFF", "full_description": "black sneakers for women slip ons women yellow pumps for women summer slippers for women women flats gladiator sandals for women white sneakers women slip ons for women pumps for women pink house slippers for women flats for women sandals for women slip on sneakers women womens sandals wide slingback pumps shoes women work slippers for women flats for wide feet women sandals for women women kswiss sneakers red sneakers for women fiji buckle slide sandals snake print pumps for women women slippers indian flats shoes women papillio sandals women snake print pumps for women women slippers indian flats shoes women papillio sandals women camouflage sneakers women plastic bow sandals pumps for women wooden slippers for women wide fit flats for women black comfort sandals for women floral sneakers for women high heel pumps for women sleep on sneakers for women pink heel sandals for women suede pumps for women memory slippers for women dusty rose flats for women s sandals for women spring pumps for women massage slippers for women flats women women sandals white dance sneakers for women pumps for women black slippers for women womans flats for women spa sandals for women sneakers women style sneakers for women grey slippers for women net flats for women sparkle sneakers for women shoes open pumps shoes women slippers for women payless flats for women women sandals tenis women sneakers womens sparkly sandals gray dress pumps for women slippers for women women thong sandals flats closed sandals women sneakers for women high heel dress up shoes for girls women pumps slippers for women ivory lace flats for women easy street wedge sandals for women green flats shoes women", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31Ku6S6eLPL.jpg", "https://m.media-amazon.com/images/I/41cmbrABD9L.jpg", "https://m.media-amazon.com/images/I/41W8GwK0qnL.jpg", "https://m.media-amazon.com/images/I/41eHtcYStgL.jpg", "https://m.media-amazon.com/images/I/51aSRJD4iBL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Sandals", "average_rating": "", "small_description": ["COMFORTABLE ALL DAY --- When walking, especially on long journeys, the elasticity of the arch of the foot has a buffering effect on the rhythm of the body and the resilience of the ground. ", "\u3010FASHIONABLE DESIGN\u3011The stacked cork sole with jute ribbon makes these casual sandals a summer classic while providing support. ", "crepe sole ", "Heel measures approximately 4 inches\" ", "white sneakers for women slip ons for women black pumps for women slippers women ballet flats for women women sandals heesneakers for women sports slip ons for women black pumps for women 4 inch heel fashion slippers for women sparkle flats for women sandals women sneakers women women rope sandals shoes for women heels and pumps fish slippers for women silver flats for women for wedding born sandals women classic sneakers women ", "jeans sneakers for women womens slides women 2inch heels and pumps women bootie slippers laced flats shoes for women damara sandals for women women 2inch heels and pumps women bootie slippers laced flats shoes for women damara sandals for women women gym sneakers pink bow flip flops embroidered heels for women pumps house slippers for women flats with for women for sandals women shark sneakers for women strap sandals heel two tone pumps high heel for women ", "sneakers for women white pumps shoes for women heels and pumps slippers comfortable for women coral ballet flats for women wedge sandals for women comfort slip on sneakers for women block low heel women red pumps size 9 skid proof slippers for women elegant flats shoes women bare traps women's sandals baby pink sneakers women ankle wedges dress pumps for women medium heel slippers for women embroidered shoes for women flats black glitter sandals for women hidden wedge flats for women , sneakers women dress heels for women brown shoes women pumps women dog slippers nonslip flats for women reef rover catch sandals for women us women sneakers clear strap sandals for women colored pumps women slide slippers for women flats for women white summer sandals for women sneakers for women toe sling slide pumps for women pink women antil slip slippers flats for women rainbow sandals women medium cute white flats for women, walking fashion sneakers for women platform wedge the fix pumps for women wedge casual slippers for women ballets flats women sandals for women brown pumps for women jelly thong slippers for women trendy flats shoes women sandals for women women sneakers sandle pumps shoes women bootie slippers women large women summer flats iridescent sandals for women white sneakers for women narrow slip on sneakers for women metalic slippers for women pink flats for women size 9"], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QPX97VW", "category": "fashion", "query": "Women's Pumps", "page": 39, "small_description_old": "COMFORTABLE ALL DAY --- When walking, especially on long journeys, the elasticity of the arch of the foot has a buffering effect on the rhythm of the body and the resilience of the ground. \u3010FASHIONABLE DESIGN\u3011The stacked cork sole with jute ribbon makes these casual sandals a summer classic while providing support. crepe sole Heel measures approximately 4 inches\" white sneakers for women slip ons for women black pumps for women slippers women ballet flats for women women sandals heesneakers for women sports slip ons for women black pumps for women 4 inch heel fashion slippers for women sparkle flats for women sandals women sneakers women women rope sandals shoes for women heels and pumps fish slippers for women silver flats for women for wedding born sandals women classic sneakers women jeans sneakers for women womens slides women 2inch heels and pumps women bootie slippers laced flats shoes for women damara sandals for women women 2inch heels and pumps women bootie slippers laced flats shoes for women damara sandals for women women gym sneakers pink bow flip flops embroidered heels for women pumps house slippers for women flats with for women for sandals women shark sneakers for women strap sandals heel two tone pumps high heel for women sneakers for women white pumps shoes for women heels and pumps slippers comfortable for women coral ballet flats for women wedge sandals for women comfort slip on sneakers for women block low heel women red pumps size 9 skid proof slippers for women elegant flats shoes women bare traps women's sandals baby pink sneakers women ankle wedges dress pumps for women medium heel slippers for women embroidered shoes for women flats black glitter sandals for women hidden wedge flats for women \n sneakers women dress heels for women brown shoes women pumps women dog slippers nonslip flats for women reef rover catch sandals for women us women sneakers clear strap sandals for women colored pumps women slide slippers for women flats for women white summer sandals for women sneakers for women toe sling slide pumps for women pink women antil slip slippers flats for women rainbow sandals women medium cute white flats for womenwalking fashion sneakers for women platform wedge the fix pumps for women wedge casual slippers for women ballets flats women sandals for women brown pumps for women jelly thong slippers for women trendy flats shoes women sandals for women women sneakers sandle pumps shoes women bootie slippers women large women summer flats iridescent sandals for women white sneakers for women narrow slip on sneakers for women metalic slippers for women pink flats for women size 9Show more"}, {"name": "Face, Body Acne Spray with Benzoyl Peroxide - Body, Chest, Butt, Back Acne Treatment with Tea Tree Oil - Salicylic Acid Spray for Men, Women, Teens - Cystic Hormonal Acne Treatment - Acne Body Spray", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 8.31 x 2.01 x 1.97 inches; 8 Ounces", "Item model number\n \u200f": "\u200e\n Acne Spray", "UPC\n \u200f": "\u200e\n 739615330560", "Manufacturer\n \u200f": "\u200e\n Vie Naturelle", "ASIN\n \u200f": "\u200e\n B07DJJXGB5", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#10,654 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#158 in Facial Cleansing Washes", "#158 in Facial Cleansing Washes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Vie Naturelle Store", "brand_url": "https://www.amazon.com/stores/Vie+Naturelle/page/E80AC0DA-68A5-4D9C-9408-1BBD9881982F?ref_=ast_bln", "full_description": "", "pricing": "$19.97", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/41p7mOgkSQL.jpg", "https://m.media-amazon.com/images/I/51XjtL2-BFL.jpg", "https://m.media-amazon.com/images/I/41ZXrgxVSTL.jpg", "https://m.media-amazon.com/images/I/51Tt16VxVUL.jpg", "https://m.media-amazon.com/images/I/51lvfAJWgxL.jpg", "https://m.media-amazon.com/images/I/41nonQgpsoL.jpg", "https://m.media-amazon.com/images/I/51QYgnjbydL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Face \u203a Cleansers \u203a Washes", "average_rating": 4.1, "small_description": ["SCIENCE & NATURE JUST HAD A BABY: What do you get when you combine the powerful medicinal properties of Benzoyl Peroxide and Salicylic Acid with skin soothing essential oils? One of the most effective treatments for acne ", "CLEARS EVERY TYPE OF BODY ACNE - Vie Naturelle\u2019s maximum strength acne body spray works for horminal and cystic acne and also perfect to eliminate acne from back, chest, shoulders, butt, and thighs and face. ", "PREVENTS FUTURE BREAKOUTS - Our body spray for acne is infused with vitamins and minerals to moisturize your skin to stay healthy and prevent future breakouts while calming redness and preventing future breakouts. ", "FOR EVERY TYPE OF SKIN - Our acne body mist was carefully crafted with the perfect blend of natural ingredients such as Eucalyptus Oil, Witch Hazel, and Tea Tree Oil to reduce pore size and soothe breakouts, blackheads, and bumpy skin without overdrying. ", "DERMATOLOGICALLY, CLINICALLY & ALLERGY TESTED & NON-IRRITATING TO KEEP YOUR SKIN AN ACNE-FREE ZONE - To provide maximum efficiency and safety for your skin we have tested the acne treatment so you can use it with confidence. These tests assure that it is safe and the finished product is well tolerated when applied on your skin. "], "total_reviews": 1734, "total_answered_questions": 23, "customization_options": {"Scent": [{"is_selected": true, "url": null, "value": "Acne Body Spray", "price_string": "$19.97", "price": 19.97, "image": "https://m.media-amazon.com/images/I/41p7mOgkSQL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07YVKZ5Y8/ref=twister_B09CB7YR29?_encoding=UTF8&psc=1", "value": "Acne Face & Body Wash", "price_string": "$12.97", "price": 12.97, "image": "https://m.media-amazon.com/images/I/41PCa+y0vXL.jpg"}]}, "seller_id": "A2Y2F8CAZ4TIGO", "seller_name": "Vie Naturelle LLC", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07DJJXGB5", "category": "beauty", "query": "Scrubs & Body Treatments", "page": 2, "small_description_old": "About this item SCIENCE & NATURE JUST HAD A BABY: What do you get when you combine the powerful medicinal properties of Benzoyl Peroxide and Salicylic Acid with skin soothing essential oils? One of the most effective treatments for acne CLEARS EVERY TYPE OF BODY ACNE - Vie Naturelle\u2019s maximum strength acne body spray works for horminal and cystic acne and also perfect to eliminate acne from back, chest, shoulders, butt, and thighs and face. PREVENTS FUTURE BREAKOUTS - Our body spray for acne is infused with vitamins and minerals to moisturize your skin to stay healthy and prevent future breakouts while calming redness and preventing future breakouts. FOR EVERY TYPE OF SKIN - Our acne body mist was carefully crafted with the perfect blend of natural ingredients such as Eucalyptus Oil, Witch Hazel, and Tea Tree Oil to reduce pore size and soothe breakouts, blackheads, and bumpy skin without overdrying. DERMATOLOGICALLY, CLINICALLY & ALLERGY TESTED & NON-IRRITATING TO KEEP YOUR SKIN AN ACNE-FREE ZONE - To provide maximum efficiency and safety for your skin we have tested the acne treatment so you can use it with confidence. These tests assure that it is safe and the finished product is well tolerated when applied on your skin."}, {"name": "Nearly Natural 4\u2019 Areca Palm Tree in Sand Colored Planter Artificial Plant, Green", "product_information": {"Product Dimensions": "30 x 27 x 48 inches", "Item Weight": "17 pounds", "Manufacturer": "Nearly Natural", "ASIN": "B07CJSNLNZ", "Country of Origin": "China", "Item model number": "5630", "Customer Reviews": {"ratings_count": 20, "stars": "3.3 out of 5 stars"}, "Best Sellers Rank": ["#1,583,834 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,831 in Artificial Trees"], "Fabric Type": "Nullify", "Assembly Required": "No", "Number of Pieces": "1", "Batteries Required?": "No", "Included Components": "Planter, Artificial Plant"}, "brand": "Visit the Nearly Natural Store", "brand_url": "https://www.amazon.com/stores/Nearly+Natural/page/DCE8E6B1-091B-4888-B3EB-294287CFD064?ref_=ast_bln", "full_description": "This areca artificial palm stands at 4-feet and it will complement any home or office space. With its striking appearance, vivid green leaves, and nice height, It'll make an eye-catching ornament to a bland setup. Stand it up against a bare wall or in the corners of a room to add vitality for a brilliant finish.", "pricing": "$127.26", "list_price": "", "availability_quantity": 5, "availability_status": "Only 5 left in stock (more on the way).", "images": ["https://m.media-amazon.com/images/I/515doUAGxRL.jpg", "https://m.media-amazon.com/images/I/91EzPrL7zbL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Artificial Plants & Flowers \u203a Artificial Trees", "average_rating": 3.3, "small_description": ["Nullify ", "Adds life to a bland corner in any room ", "Natural looking trunk ", "Uses quality handcrafted materials ", "Includes a sand colored planter ", "Recommended for indoor use only "], "total_reviews": 20, "total_answered_questions": "", "model": "5630", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07CJSNLNZ", "category": "garden", "query": "Planters", "page": 51, "small_description_old": "About this item\n \nNullify Adds life to a bland corner in any room Natural looking trunk Uses quality handcrafted materials Includes a sand colored planter Recommended for indoor use only"}, {"name": "MILK+T - Munchie Box | The Complete DIY Boba Tea Kit | Tapioca Pearls with Classic Black Boba Milk Tea | 5 Servings", "product_information": "", "brand": "Visit the Eat Munchie Box Store", "brand_url": "https://www.amazon.com/stores/EatMunchieBox/page/9A08F195-8339-4233-BC14-2CA735891C8D?ref_=ast_bln", "full_description": "", "pricing": "$29.97", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/51IxrwaaKUL.jpg", "https://m.media-amazon.com/images/I/51loPZyc7gL.jpg", "https://m.media-amazon.com/images/I/51ulKA3LZRL.jpg", "https://m.media-amazon.com/images/I/51vzUJvvxCL.jpg", "https://m.media-amazon.com/images/I/51WENo9JnAL.jpg", "https://m.media-amazon.com/images/I/51VHkF-LqqL.jpg", "https://m.media-amazon.com/images/I/81heGmrIj-L.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Beverages \u203a Bubble Tea \u203a Bubble Tea Kits", "average_rating": 4.3, "small_description": ["Authentic Ingredients: Enjoy brewing your tea fresh from Taiwanese black tea leaves! None of that cheap flavoring powder here. ", "Home-make it: Make the same quality of yummy boba milk tea from home as we sell at our stores in LA, Las Vegas, or Beverton Oregon! ", "What's Inside: 1 oz of black tea leaves, 1/2 lb of Grade A uncooked boba pearls, 2 cups of high quality brown sugar, 4 plastic straws ", "Easy fixings: To start, unleash your inner bobarista using our easy to follow instructions. Then slurp up your drink masterpiece! ", "A Delicious Gift: To gift friends, family, workmates, girlfriends and boyfriends. Great for road trips, vacations, housewarming gifts, parties and even treating yourself! Enjoy and share the love with those you care! "], "total_reviews": 92, "total_answered_questions": "", "customization_options": "", "seller_id": "A3O1C3ML3SXSGW", "seller_name": "GENBA", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08Z3PLHLL", "category": "grocery", "query": "Food & Beverage Gifts", "page": 86, "small_description_old": "About this item Authentic Ingredients: Enjoy brewing your tea fresh from Taiwanese black tea leaves! None of that cheap flavoring powder here. Home-make it: Make the same quality of yummy boba milk tea from home as we sell at our stores in LA, Las Vegas, or Beverton Oregon! What's Inside: 1 oz of black tea leaves, 1/2 lb of Grade A uncooked boba pearls, 2 cups of high quality brown sugar, 4 plastic straws Easy fixings: To start, unleash your inner bobarista using our easy to follow instructions. Then slurp up your drink masterpiece! A Delicious Gift - to gift friends, family, workmates, girlfriends and boyfriends. Great for road trips, vacations, housewarming gifts, parties and even treating yourself! Enjoy and share the love with those you care!"}, {"name": "Jentri Quinn - Eye Dream of Coffee (Caffeinated Eye Butter for Puffiness & Dark Circles)", "product_information": {"ASIN\n \u200f": "\u200e\n B099NJ5YRG", "Best Sellers Rank": "#287,874 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,463 in Eye Treatment Creams", "#1,463 in Eye Treatment Creams": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Jentri Quinn", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Jentri+Quinn", "full_description": "", "pricing": "$34.00", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51-vmXh5LvS.jpg", "https://m.media-amazon.com/images/I/51RC9g8DX6S.jpg", "https://m.media-amazon.com/images/I/41zm73j8UZS.jpg", "https://m.media-amazon.com/images/I/61C0Wt7vduL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Eyes \u203a Creams", "average_rating": 4, "small_description": ["Skin type: Combination "], "total_reviews": 9, "total_answered_questions": "", "customization_options": "", "seller_id": "AGYSULGK864U0", "seller_name": "Cotone Clothing + Beauty Bar", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B099NJ5YRG", "category": "beauty", "query": "Eyes Care", "page": 105, "small_description_old": "About this item Eye Butter For Puffy Eyes Skin type: Combination"}, {"name": "Hartley's Orange Jelly - 135g - Pack of 6 (135g x 6)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 13.78 x 3.94 x 3.94 inches; 2.09 Pounds", "Manufacturer\n \u200f": "\u200e\n Hartley's", "ASIN\n \u200f": "\u200e\n B014HKGM9Q", "Best Sellers Rank": "#372,622 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#787 in Gelatins", "#787 in Gelatins": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Hartley's Store", "brand_url": "https://www.amazon.com/stores/Hartley%27s+Brand/page/FCB434E0-10AE-44F2-9BF4-FEBFF42CAA9C?ref_=ast_bln", "full_description": "Hartley's orange flavour jelly. Easy to make jelly: 1) For best results separate into cubes and place into a jug or bowl. 2) Add 1/2 pint (285 ml) of boiling water and stir until dissolved. 3) Add 1/2 pint (285 ml) of cold water, stir then pour into mould/serving dish. 4) Allow to cool, then refrigerate to set. Pack of 6 - Delivery from the UK in 7-10 Days", "pricing": "$13.96", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/514Jj9FryoL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Cooking & Baking \u203a Pudding & Gelatin \u203a Gelatin", "average_rating": 5, "small_description": ["Hartley's ", "Orange Jelly. Pack of 6 ", "Store in cool dry place ", "Delivery from the UK in 7-10 Days ", "Contains pork gelatine "], "total_reviews": 5, "total_answered_questions": "", "customization_options": "", "seller_id": "A27UF7UDTHOWPL", "seller_name": "EpicCo", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B014HKGM9Q", "category": "grocery", "query": "Snack Puddings & Gelatins", "page": 23, "small_description_old": "About this item Hartley's Orange Jelly. Pack of 6 Store in cool dry place Delivery from the UK in 7-10 Days Contains pork gelatine"}, {"name": "Home Dynamix Lyndhurst Rotana Modern Area Rug, Contemporary Blue/Gray/Ivory 5'2\"x7'4\"", "product_information": {"Product Dimensions": "88 x 62 x 0.3 inches", "Item Weight": "6 pounds", "Manufacturer": "Home Dynamix", "ASIN": "B07FKGQKZ1", "Country of Origin": "Turkey", "Item model number": "Lyndhurst", "Customer Reviews": {"ratings_count": 7237, "stars": "4.3 out of 5 stars"}, "Best Sellers Rank": ["#6,617 in Home & Kitchen (See Top 100 in Home & Kitchen) #78 in Area Rugs"], "Manufacturer's Suggested Maximum Weight": "8 Pounds", "Assembly Required": "No", "Number of Pieces": "1", "Batteries Required?": "No", "Included Components": "Rug"}, "brand": "Visit the Home Dynamix Store", "brand_url": "https://www.amazon.com/stores/Home+Dynamix/page/94C71AAF-7C4C-42F5-947F-90BA03E8BF7E?ref_=ast_bln", "full_description": "Transform any living space with the Home Dynamix Premium Area Rug Collection. The versatile and durable Premium area rug collection by Home Dynamix offers style and beauty at an affordable price. Instantly elevate your d\u00e9cor to the next level with these designer inspired accent rugs. The striking patterns offer something for every decor. The Premium Accent Rug Collection offers an array of colors and designs to please any home decorating enthusiast. Place this decorative floor covering in your living room, dining room, bedroom, office or any other space that needs a fashionable refresh without breaking the bank. Persion inspired patterns come to life in an array of rich and home decorator friendly colors including reds, blues, golds, neutrals and grays. The durable construction and fade resistant yarns make Premium rugs perfect for high traffic areas in your home. Protect your floors or simply add these area rugs over your existing carpeting for visual interest and decorative flair. Made of strong polypropylene yarns, the cost-effective material is easy to clean and care for, offering not only beauty but also the best value for money. Enhanced with durable jute canvas backing for long lasting shape and beauty. Use with non-skid padding underneath is recommended (sold separately). Elegant Area Rug by Home Dynamix | Premium Collection 7542-500 | Indoor PolyPropylene Rug in Warm Blue Shades | Style on a Budget | Modern Design 5'2\" x 7'4\"", "pricing": "$44.99$33.98", "list_price": "", "availability_quantity": 1, "availability_status": "In Stock. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51yjihPCAeL.jpg", "https://m.media-amazon.com/images/I/611hZbU0KFL.jpg", "https://m.media-amazon.com/images/I/51k-2KniCIL.jpg", "https://m.media-amazon.com/images/I/51EPU29Dw3L.jpg", "https://m.media-amazon.com/images/I/61GuCZDl67L.jpg", "https://m.media-amazon.com/images/I/61phVGkt3QL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Rugs, Pads & Protectors \u203a Area Rugs", "average_rating": 4.3, "small_description": ["ADD ELEGANT STYLE: This mesmerizing area rug in beautiful shades of brown, is an elegant addition to your decor. ", "ENLIVEN ANY ROOM: With its warm colors, this area rug brings cozy feelings of relaxation that will spice up the entire space. ", "BEAUTY ON A BUDGET: This beautiful area rug will elevate your decor to the next level, while keeping up with your budget. ", "CHOOSE YOUR SIZE: Our wonderful Premium collection comes in a variety of sizes for you to choose from: 9'2\" X 12'5\", 5'2\" x 7'4\", 3'7\" x 5'2\", 1'9\" x 7'2\" or 21\" x 35\". ", "PLACE IT ANYWHERE IN YOUR HOME: Place this decorative floor covering in your living room, dining room, bedroom, office or any other space that needs a fashionable refresh without breaking the bank. "], "total_reviews": 7237, "total_answered_questions": "", "model": "Lyndhurst", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07FK66BNG/ref=twister_B08VTX8Z8T", "value": "1 ft 9 in x 7 ft 2 in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FK76NHY/ref=twister_B08VTX8Z8T?_encoding=UTF8&psc=1", "value": "3 ft 7 in x 5 ft 2 in", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "5 ft 2 in x 7 ft 4 in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L3XJ57D/ref=twister_B08VTX8Z8T", "value": "5 ft 3 in x 7 ft 5 in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08T1R79TZ/ref=twister_B08VTX8Z8T", "value": "7 ft 8 in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FMGYQBB/ref=twister_B08VTX8Z8T", "value": "7 ft 8 in x 10 ft 7 in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L3YX483/ref=twister_B08VTX8Z8T", "value": "7 ft 9 in x 10 ft 8 in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FKGNN34/ref=twister_B08VTX8Z8T", "value": "9 ft 2 in x 12 ft 5 in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FK66XZF/ref=twister_B08VTX8Z8T?_encoding=UTF8&psc=1", "value": "21 in x 35 in", "price_string": "", "price": 0, "image": null}], "Item Shape": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07FK66BNG/ref=twister_B08VTX8Z8T", "value": "Runner", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "Rectangular", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08T1R79TZ/ref=twister_B08VTX8Z8T", "value": "Round", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07FK5D2CD/ref=twister_B08VTX8Z8T?_encoding=UTF8&psc=1", "value": "Black-gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/614rqdRX0YL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FKKLMVM/ref=twister_B08VTX8Z8T", "value": "Blue/Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51yjihPCAeL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B003H8B98O/ref=twister_B08VTX8Z8T?_encoding=UTF8&psc=1", "value": "Brown/Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51bLd5yfxWL.jpg"}, {"is_selected": true, "url": null, "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51yjihPCAeL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L3XJ57D/ref=twister_B08VTX8Z8T", "value": "Navy/Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51nrPiS8NiL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L413QKH/ref=twister_B08VTX8Z8T", "value": "Taupe/Orange", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51WfM+d0PoL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08BD73SW1/ref=twister_B08VTX8Z8T", "value": "Black/Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/614rqdRX0YL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08T1KXR53/ref=twister_B08VTX8Z8T", "value": "Brown/Beige", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51udMmw5ySL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L3YX483/ref=twister_B08VTX8Z8T", "value": "Navy-multi", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51nrPiS8NiL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L3YD66W/ref=twister_B08VTX8Z8T", "value": "Taupe", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51WfM+d0PoL.jpg"}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B07FKGQKZ1", "category": "garden", "query": "Home Office Furniture Sets", "page": 143, "small_description_old": "About this item ADD ELEGANT STYLE: This mesmerizing area rug in beautiful shades of brown, is an elegant addition to your decor. ENLIVEN ANY ROOM: With its warm colors, this area rug brings cozy feelings of relaxation that will spice up the entire space. BEAUTY ON A BUDGET: This beautiful area rug will elevate your decor to the next level, while keeping up with your budget. CHOOSE YOUR SIZE: Our wonderful Premium collection comes in a variety of sizes for you to choose from: 9'2\" X 12'5\", 5'2\" x 7'4\", 3'7\" x 5'2\", 1'9\" x 7'2\" or 21\" x 35\". PLACE IT ANYWHERE IN YOUR HOME: Place this decorative floor covering in your living room, dining room, bedroom, office or any other space that needs a fashionable refresh without breaking the bank."}, {"name": "150W Car Power Inverter Converter Plug Adapter w/ Dual USB Adapter Outlet Charger Car Adapter Car Travel Camping Outdoor Activity Necessity Suitable for Laptop Phone Camera DC 12V to 110V AC Inverter", "product_information": {"Package Dimensions": "7.64 x 4.06 x 2.05 inches", "Item Weight": "9.9 ounces", "ASIN": "B0912H5LHP", "Customer Reviews": {"ratings_count": 44, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#7,285 in Automotive (See Top 100 in Automotive) #38 in Power Inverters"], "Date First Available": "March 25, 2021", "Manufacturer": "HearGrow"}, "brand": "Brand: HearGrow", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=HearGrow", "full_description": "The 150W inverter comes with two built in standard household electrical outlet s and two very handy USB charging ports.as well as DC 5V / 2.1A + 1A dual USB ports for quick and easy charging.The power inverter great for Christmas gift, Christmas Light. Durable car power inverter for road trips, vacations, camping, outdoors, travel business,emergency kits and more for your vehicle.Gift for family.Thanksgiving Day. Christmas Day.Multi-ProtectionsFull-protection with short-circuit , low-voltage , over-charge,over-voltage, over-load,over-temperature protection,built-in fuse. The switch is just control AC outlets,you can also use USB port if not turning on the switch,Easy to use.Silent Cooling Fan:Smart cooling fan makes the car power inverter silent when operating, and it runs faster when it gets warmer.Utility Cord & Cigarette Lighter:Placed random, long cable with cigarette lighter plug since we can reach it to power a laptop in the rear seats.Car Power Inverter Specifications:Color:REDRated Power: 150WInput voltage: 12 VDCOutput voltage: 110V ~ 120V AC 60HZ+/-2Hz USB Output1-2: 5V 2.1A & 1A AUTOOutput waveform: modified sine wavePackage List:1 x 150W Power Inverter1 x User ManualNote:For DC 12V and Car ONLY, not applied for DC 24V and airplane usePlease do not leave the power inverter in the ON position while your car is off.The cooling fan remains on continuously. This means you'll only be able to use it in situations where the car is running.Please understand device wattage usage Caution! Do not use high power electric devices such as hair dryers, electric heaters, curling irons, etc.", "pricing": "$10.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51cycYVdbvL.jpg", "https://m.media-amazon.com/images/I/41HqHuXtK3L.jpg", "https://m.media-amazon.com/images/I/51ky5s-5bPS.jpg", "https://m.media-amazon.com/images/I/51FDJnmIT3L.jpg", "https://m.media-amazon.com/images/I/51CFMGDCW6L.jpg", "https://m.media-amazon.com/images/I/51R69R0viPS.jpg", "https://m.media-amazon.com/images/I/51dXe2PoWHS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Automotive \u203a Tools & Equipment \u203a Jump Starters, Battery Chargers & Portable Power \u203a Power Inverters", "average_rating": 4.2, "small_description": ["\u3010Premium 150W Power Inverter\u3011Provides 150 watts continuous DC to AC power. Great for charging string lights, laptop, breast pump, CPAP machine, nebulizer, game console, kindle, TV, DVD players, lights, iPad, and other electronic devices ", "\u3010Multi-Purpose Charging\u3011150W Car Inverter with Dual AC outlets for charging laptop, game console, kindle, TV, DVD players.and 2 USB charging ports (2.1A & 1A AUTO) Smart matching suitable current great for fast charging iPad, Smartphone. ", "\u3010Multi-Protection\u3011Built-in fuse to protect your device, safe charging design provides protection against, overheating, under and over voltage charging, short circuiting, overloads, and overcharging ", "\u3010More Conveniet\u3011 iPhone-sized design ideal for use on vacations, work trips, and camping. 24 inch cigarette lighter plug makes the power inverter can be plugged into almost any vehicle ", "\u3010Upgraded Cooling Effect\u3011Built-in very silent automatic temperature-controlled cooling fan helps reduce heat and prevent shortages. Durable metal housing provides advanced protection from drops and bumps. "], "total_reviews": 44, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "150W Power Inverter", "price_string": "$10.99", "price": 10.99, "image": "https://m.media-amazon.com/images/I/51cycYVdbvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0912Y1V87/ref=twister_B0978C4MV3?_encoding=UTF8&psc=1", "value": "150W Red Power Inverter", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51gGBw6IyEL.jpg"}]}, "seller_id": "A2JN3ZKA6AMQDS", "seller_name": "HappyGrow", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B0912H5LHP", "category": "electronics", "query": "Power Protection", "page": 278, "small_description_old": "About this item\n \n\u3010Premium 150W Power Inverter\u3011Provides 150 watts continuous DC to AC power. Great for charging string lights, laptop, breast pump, CPAP machine, nebulizer, game console, kindle, TV, DVD players, lights, iPad, and other electronic devices \u3010Multi-Purpose Charging\u3011150W Car Inverter with Dual AC outlets for charging laptop, game console, kindle, TV, DVD players.and 2 USB charging ports (2.1A & 1A AUTO) Smart matching suitable current great for fast charging iPad, Smartphone. \u3010Multi-Protection\u3011Built-in fuse to protect your device, safe charging design provides protection against, overheating, under and over voltage charging, short circuiting, overloads, and overcharging \u3010More Conveniet\u3011 iPhone-sized design ideal for use on vacations, work trips, and camping. 24 inch cigarette lighter plug makes the power inverter can be plugged into almost any vehicle \u3010Upgraded Cooling Effect\u3011Built-in very silent automatic temperature-controlled cooling fan helps reduce heat and prevent shortages. Durable metal housing provides advanced protection from drops and bumps."}, {"name": "DIANDIAN Sturdy Coat Rack Stand Hall Solid Wood Coat Tree with 9 Round Hook, for Clothing Hats, Hallway Entryway Office, Easy Assembly (Color : Beige)", "product_information": {"Item Weight": "\u200e16.53 pounds", "Package Dimensions": "\u200e70.47 x 16.54 x 16.54 inches", "Country of Origin": "\u200eChina", "ASIN": "B09NRF2QGD", "Date First Available": "December 17, 2021"}, "brand": "Brand: DIANDIAN", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=DIANDIAN", "full_description": "Product Name: Solid Wood Floor Coat RackHook: 9Color: Beige , BrownNeed to assemble: yesMaterial: Solid WoodSize: 42x179cm/16.5x70.5in (length x height)Whether to assemble: assemblyFurniture structure: bracket structure\u27a4 Please note that due to different monitors, slight color differences may occur, please forgive me.\u27a4 Please pay attention to the dimensions before purchasing, because manual measurement will cause slight errors, thank you for your understanding.\u27a4 Delivery time is 15-25 days, if you still cannot receive the order after 30 days, please contact us.\u27a4 Welcome your sharing and feedback so that we can provide you with better products and services.\u27a4 If you have any questions, please feel free to contact us via email and we will answer your questions.", "pricing": "$311.50", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/21KxaqWLqLL.jpg", "https://m.media-amazon.com/images/I/31lbiZMSXYL.jpg", "https://m.media-amazon.com/images/I/41sLHrMUTvL.jpg", "https://m.media-amazon.com/images/I/41Oy4on3LdL.jpg", "https://m.media-amazon.com/images/I/41oAVWWqfrL.jpg", "https://m.media-amazon.com/images/I/41i9MfcKpUL.jpg", "https://m.media-amazon.com/images/I/41F5IktQYFL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Entryway Furniture \u203a Coat Racks", "average_rating": "", "small_description": ["The coat rack makes the interior orderly. The classic branch element design is practical and also a good decoration for the home. It can put your necessities coming and going, and there is plenty of storage space. ", "This 179cm/70.5in height freestanding coat rack is made of solid wood and has good hardness. ", "9 hanging branches are enough to organize your clothes, hats, etc., even if you hang heavy bags and winter clothes, they will not fall off. The stylish and simple branch design is functional and artistic enough to decorate your room. ", "This chic tree frame is not bulky, you can put it in the hall, corridor, mud room, cloakroom, bedroom, living room and office without any help ", "Keep more things organized, while saving as much space in your home as possible! With a high level of artistic appearance, it is suitable for any family occasion. No matter where it is placed, it looks great "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Beige", "price_string": "$311.50", "price": 311.5, "image": "https://m.media-amazon.com/images/I/21KxaqWLqLL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRDQY2N/ref=twister_B09NRDQN2T?_encoding=UTF8&psc=1", "value": "Brown", "price_string": "$311.50", "price": 311.5, "image": "https://m.media-amazon.com/images/I/21CuCtDBfrL.jpg"}]}, "seller_id": "A15YNW7JOQGFZ3", "seller_name": "WENKONGKONG", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09NRF2QGD", "category": "garden", "query": "Hall Trees", "page": 246, "small_description_old": "About this item The coat rack makes the interior orderly. The classic branch element design is practical and also a good decoration for the home. It can put your necessities coming and going, and there is plenty of storage space. This 179cm/70.5in height freestanding coat rack is made of solid wood and has good hardness. 9 hanging branches are enough to organize your clothes, hats, etc., even if you hang heavy bags and winter clothes, they will not fall off. The stylish and simple branch design is functional and artistic enough to decorate your room. This chic tree frame is not bulky, you can put it in the hall, corridor, mud room, cloakroom, bedroom, living room and office without any help Keep more things organized, while saving as much space in your home as possible! With a high level of artistic appearance, it is suitable for any family occasion. No matter where it is placed, it looks great \n \u203a See more product details"}, {"name": "Walker Edison Mid Century Modern Faux Leather Backless Counter Bar Stool Indoor Kitchen Dining Chair Barstool, 26 Inch, Black", "product_information": {"Product Dimensions": "12 x 16 x 26 inches", "Item Weight": "11 pounds", "Manufacturer": "Walker Edison Furniture Company", "ASIN": "B01I5B1Q1M", "Country of Origin": "China", "Item model number": "AZHRM26BL", "Customer Reviews": {"ratings_count": 48, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#782,326 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,436 in Barstools"], "Is Discontinued By Manufacturer": "No", "Seat Height": "26 Inches", "Manufacturer's Suggested Maximum Weight": "250 Pounds", "Form Factor": "Upholstered", "Assembly Required": "Yes", "Warranty Description": "30 day limited manufacturer warranty.", "Batteries Required?": "No", "Included Components": "Hardware pack"}, "brand": "Visit the Walker Edison Store", "brand_url": "https://www.amazon.com/stores/WalkerEdison/page/D0D2A602-6790-40E0-91C5-CF992DB24FF4?ref_=ast_bln", "full_description": "With a retro modern vibe, this 26-inch counter height stool will make a great style addition to your kitchen. Crafted of a smooth synthetic leather seat, solid wood legs, powder coated steel framing and footrest, for a sturdy and mesmerizing mixed material design. Pull up next to your kitchen counter to enjoy your evening snacks on this comfortable, backless stool.", "pricing": "$89.00", "list_price": "", "availability_status": "Available to ship in 1-2 days.", "images": ["https://m.media-amazon.com/images/I/51rmheCgpsL.jpg", "https://m.media-amazon.com/images/I/51hJgSVbhZL.jpg", "https://m.media-amazon.com/images/I/41+HenlKCdL.jpg", "https://m.media-amazon.com/images/I/51TrNMtvw-L.jpg", "https://m.media-amazon.com/images/I/415PhV9R78L.jpg", "https://m.media-amazon.com/images/I/51xI2rFptQL.jpg", "https://m.media-amazon.com/images/G/01/showroom/icon-lightbulb.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Game & Recreation Room Furniture \u203a Home Bar Furniture \u203a Barstools", "average_rating": 4.4, "small_description": ["Dimensions: 26\" H x 16\" L x 12\" W ", "Includes 1 chair ", "Synthetic leather upholstery and solid wood legs ", "Easy to clean fabric ", "Each chair supports up to 250 lbs "], "total_reviews": 48, "total_answered_questions": "", "model": "AZHRM26BL", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B01I5B1RF2/ref=twister_B06XDXDPJ9?_encoding=UTF8&psc=1", "value": "18\"", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "26 Inch", "price_string": "$89.00", "price": 89, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01I5B1OT6/ref=twister_B06XDXDPJ9?_encoding=UTF8&psc=1", "value": "30\"", "price_string": "", "price": 0, "image": null}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B01I5B1Q1M", "category": "garden", "query": "Bar Stools", "page": 72, "small_description_old": "About this item Dimensions: 26\" H x 16\" L x 12\" W Includes 1 chair Synthetic leather upholstery and solid wood legs Easy to clean fabric Each chair supports up to 250 lbs"}, {"name": "J. Crew - Men's - Sutton Straight-Fit Flex Chino (Multiple Size/Color Options)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 1 x 1 x 1 inches; 1 Pounds", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n March 14, 2018", "ASIN\n \u200f": "\u200e\n B07G9Y6SP2", "Best Sellers Rank": "#1,022,608 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#2,317 in Men's Jeans", "#2,317 in Men's Jeans": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the J.Crew Store", "brand_url": "https://www.amazon.com/stores/J.Crew/page/216FC4A8-0FA3-4607-907C-AE51AF5B3FE2?ref_=ast_bln", "full_description": "J. Crew Men's straight leg chino with the benefit of the stretch or flex in the fabric for all day comfort. They have a great broken-in feel and fit a little looser through the leg than the Slim-Fit Driggs Chino. The fit is still very versatile and they wear well with dress shoes and a blazer or sneakers and a t-shirt. These will quickly become a favorite in your closet.", "pricing": "$59.50", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31pBzN95cPL.jpg", "https://m.media-amazon.com/images/I/41pQiLJ8EXL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Jeans", "average_rating": 4.2, "small_description": ["Button closure ", "Machine Wash ", "Cotton/Elastane blend with a hint of stretch for extra comfort. Machine washable. ", "Straight fit. Sits below waist, straight through hip and thigh, with a narrow straight leg, vs the Driggs that tapers at the ankle. ", "Standard zip up fly. ", "Front pockets sit off-seam, with 2 back welt pockets. ", "These pants wear well in and out of the office. Cuff the hem and pair them with you favorite sneakers or add a button down to dress them up. "], "total_reviews": 22, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "32W x 30L", "asin": "B07GYWW3NY"}, {"is_selected": false, "is_available": true, "value": "32W x 32L", "asin": "B07GYNXW58"}, {"is_selected": false, "is_available": false, "value": "34W x 30L", "asin": "B07G9YJR1T"}, {"is_selected": false, "is_available": false, "value": "34W x 32L", "asin": "B07G9YSTYG"}, {"is_selected": false, "is_available": true, "value": "36W x 30L", "asin": "B07GZ3RNGC"}, {"is_selected": false, "is_available": false, "value": "36W x 32L", "asin": "B07BGT3WJC"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07G9Y6SP2/ref=twister_B07BGY9CJ4", "value": "Charcoal Dust", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31HKYzH64iL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07BGY6NRH/ref=twister_B07BGY9CJ4", "value": "Coal Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21HCoHA++mL.jpg"}, {"is_selected": true, "url": null, "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31pBzN95cPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07D98H7QH/ref=twister_B07BGY9CJ4", "value": "Overcast Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31BbDvMUQwL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07BGT3WJC/ref=twister_B07BGY9CJ4", "value": "Khaki", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31xO2q+95aL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07GYWW3NY", "category": "fashion", "query": "Men's Jeans", "page": 47, "small_description_old": "Cotton/Elastane blend with a hint of stretch for extra comfort. Machine washable. Straight fit. Sits below waist, straight through hip and thigh, with a narrow straight leg, vs the Driggs that tapers at the ankle. Standard zip up fly. Front pockets sit off-seam, with 2 back welt pockets. These pants wear well in and out of the office. Cuff the hem and pair them with you favorite sneakers or add a button down to dress them up."}, {"name": "Shea Moisture Coconut & Hibiscus Curl & Shine Shampoo, 19.5 Pound", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 2.68 x 2.68 x 8.52 inches; 1.22 Pounds", "Item model number\n \u200f": "\u200e\n 730158676979", "UPC\n \u200f": "\u200e\n 764302281153", "Manufacturer\n \u200f": "\u200e\n Atlas Ethnic", "ASIN\n \u200f": "\u200e\n B07CKTXS1J", "Best Sellers Rank": "#401,432 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#9,414 in Hair Shampoo", "#9,414 in Hair Shampoo": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: SHEA MOISTURE", "brand_url": "https://www.amazon.com/SHEA-MOISTURE/b/ref=bl_dp_s_web_2600418011?ie=UTF8&node=2600418011&field-lbr_brands_browse-bin=SHEA+MOISTURE", "full_description": "This super hydrating formula helps replenish your hair's natural oil balance and strengthens hair, making it easier to maintain shiny and curly styles. The coconut oil protects your hair from protein loss and helps restore its natural softness and texture. Hibiscus stimulates hair growth and prevents split-ends, leaving your hair stronger and better nourished. The blend with Neem Oil helps cleanse your follicles and gives your hair a long-lasting shine, and silk proteins keeps your hair soft and silky. Coconut Oil is a super effective formula for natural hair conditioning and toning, and helps restore dry and damaged hair to its natural softness and texture. The high content of Vitamins and essential fatty acids in coconut oil keeps your hair lock in the moisture and keeps split ends away. Organic Shea Butter has traditionally been used for conditioning hair and skin for centuries, and is an excellent emollient that prevents dry skin conditions. It also helps protect hair from the harshness of the sun and dryness. Hibiscus flower extracts is rich in amino acids that helps in restoring the strength of hair and stimulates regrowth. It is a natural protection against dandruff and other scalp infections, and with repeated use makes your hair softer and easily manageable.", "pricing": "$18.00", "list_price": "", "availability_quantity": 18, "availability_status": "Only 18 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/21YicIfK0BL.jpg", "https://m.media-amazon.com/images/I/21YicIfK0BL.jpg", "https://m.media-amazon.com/images/I/31dbs3rP-TL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Shampoo & Conditioner \u203a Shampoos", "average_rating": 4.3, "small_description": ["DEEP CLEANSING: This Formula Is Powered By Hibiscus Flower Extract Which Is Ideal For Keeping Your Scalp Clean And Irritation-Free ", "SOFTENS: Packed With The Richness Of Natural Coconut Oil And Raw Shea Butter, This Is The Ideal Shampoo To Keep Your Hair Soft And Nourished ", "STRENGTHENS: Hibiscus Is Known For Being Rich In Vitamin C Which Helps Restore Collagen, Helping Your Hair Stay Strong And Grow Longer Without Breakage ", "CONDITIONS: Coconut Oil Is A Natural Conditioner, And Helps Your Hair Retain Moisture And Stay Conditioned For Longer "], "total_reviews": 14, "total_answered_questions": "", "customization_options": "", "seller_id": "A3EX7D3JPPK18X", "seller_name": "Lebgru", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07CKTXS1J", "category": "beauty", "query": "Shampoo & Conditioner", "page": 190, "small_description_old": "About this item DEEP CLEANSING: This Formula Is Powered By Hibiscus Flower Extract Which Is Ideal For Keeping Your Scalp Clean And Irritation-Free SOFTENS: Packed With The Richness Of Natural Coconut Oil And Raw Shea Butter, This Is The Ideal Shampoo To Keep Your Hair Soft And Nourished STRENGTHENS: Hibiscus Is Known For Being Rich In Vitamin C Which Helps Restore Collagen, Helping Your Hair Stay Strong And Grow Longer Without Breakage CONDITIONS: Coconut Oil Is A Natural Conditioner, And Helps Your Hair Retain Moisture And Stay Conditioned For Longer"}, {"name": "RUIXFLR Round End Table with Fabric Storage Basket, Marble Look Tray Side Table, Chic 2 Tier Coffee Table for Living Room Bedroom Office", "product_information": {"Manufacturer": "RUIXFLR", "ASIN": "B09JC84P1M", "Country of Origin": "China", "Assembly Required": "Yes"}, "brand": "Brand: RUIXFLR", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=RUIXFLR", "full_description": "-Need a piece of furniture to uplift your living space? -No matter where you place the round side table, it looks great. -This elegant table is easy to move around for your changing needs. Ideal for the living room, bedroom, kids' room, porch, office and small space. Specifications: Product name: Side table Diverse Usage: Pet Bed, Sofa Table, Corner Table, Nightstand Color: White+Grey+Gold Material: Wood + Metal + Canvas Fabric Shape: Round Package include: End table x 1 Note: Manual measurement, there will be 1-3cm error, please understand. If a slight odor is normal, it will disappear within two to three days. Due to light and personal differences in color understanding, there will be small color difference, in kind prevail.", "pricing": "$121.99", "list_price": "", "availability_quantity": 19, "availability_status": "Only 19 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41nGIv+IDTL.jpg", "https://m.media-amazon.com/images/I/51SC+EOb2vL.jpg", "https://m.media-amazon.com/images/I/41cqltjionL.jpg", "https://m.media-amazon.com/images/I/51kqvlVlQjL.jpg", "https://m.media-amazon.com/images/I/411v1WAORqL.jpg", "https://m.media-amazon.com/images/I/51+ZvlRTGaL.jpg", "https://m.media-amazon.com/images/I/41FvO8n5CBL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Tables \u203a End Tables", "average_rating": "", "small_description": ["Premium Material: Made of solid MDF board, the anti-rust finish strong metal frame make this end table a nice piece of furniture for your home; the storage basket is made of durable linen cloth for durability and long lasting performance ", "Handy Storage: The table top with reinforced edge can hold books, remote, phone, photos etc, and it can also be removed and used for serving food and tea. The cloth basket offers extra storage for blankets, cushion, soft toys, magazines ", "Versatile To Use: The round table can be used as sofa table, nightstand, coffee table, snack table, bedside table, laptop desk, lamp table and more. It's an ideal choice for your living room, bedroom, hallway, or office ", "Chic & Stylish Style: Natural and fresh color enables the tea table to be compatible well with any decor of your room. With the fine workmanship and chic style, the round table is a perfect addition to your living room, bedroom, balcony, office and other places ", "Easy Assembly: All tools and accessories you need for this tall end table are included. Plus the clear manual, you could easily assemble them in 20 minutes "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AG6FD2ZNFDKUR", "seller_name": "XiNXZHG", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09JC84P1M", "category": "garden", "query": "Coffee Tables", "page": 321, "small_description_old": "Premium Material: Made of solid MDF board, the anti-rust finish strong metal frame make this end table a nice piece of furniture for your home; the storage basket is made of durable linen cloth for durability and long lasting performance Handy Storage: The table top with reinforced edge can hold books, remote, phone, photos etc, and it can also be removed and used for serving food and tea. The cloth basket offers extra storage for blankets, cushion, soft toys, magazines Versatile To Use: The round table can be used as sofa table, nightstand, coffee table, snack table, bedside table, laptop desk, lamp table and more. It's an ideal choice for your living room, bedroom, hallway, or office Chic & Stylish Style: Natural and fresh color enables the tea table to be compatible well with any decor of your room. With the fine workmanship and chic style, the round table is a perfect addition to your living room, bedroom, balcony, office and other places Easy Assembly: All tools and accessories you need for this tall end table are included. Plus the clear manual, you could easily assemble them in 20 minutes"}, {"name": "SWEETSHOPZ Irish Dance Shape Background Active Running Walking Sneakers Shoes for Women Men Unisex Kids Adults Fashion Sports Black", "product_information": {"Department\n \u200f": "\u200e\n Unisex-adult", "Date First Available\n \u200f": "\u200e\n January 20, 2022", "ASIN\n \u200f": "\u200e\n B09QRV4YLR", "": ""}, "brand": "Brand: Generic", "brand_url": "https://www.amazon.com/Generic/b/ref=bl_sl_s_sh_web_2529470011?ie=UTF8&node=2529470011&field-lbr_brands_browse-bin=Generic", "full_description": "DESCRIPTION:We have our own Size Chart, Please according to our size chart before order! If you're not sure of the correct size, please mail to us,Thanks.Product information:Material : Mesh Surface. Non-Slip Sole : EVA. Feature: Breathable, Massage, Lightweight. Let your feet dry, walking freely, more durable.Constructed using air mesh materials that are more durable than knit materials and provides better ventilation and breathability.Shipping Information: 14-28 business days. The processing time may be affected due to external factors such as pandemic or other natural disasters.\u00a0Returns and exchanges: I gladly accept returns, exchanges, and cancellations. Contact me within: a day of delivery. Ship items back within: a day of delivery. Request a cancellation within: 24 hours of purchase.Conditions of return:Buyers are responsible for return shipping costs. If the item is not returned in its original condition, the buyer is responsible for any loss in value.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41QX7VoiX7L.jpg", "https://m.media-amazon.com/images/I/51SZeKAHl3L.jpg", "https://m.media-amazon.com/images/I/513a-bEvgGL.jpg", "https://m.media-amazon.com/images/I/516u2nCABoL.jpg", "https://m.media-amazon.com/images/I/51Cm5LTqflL.jpg", "https://m.media-amazon.com/images/I/415wsD9EGfL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Fashion Sneakers", "average_rating": "", "small_description": ["Ethylene Vinyl Acetate sole ", "\u2764 Material: Breathable Air Mesh Upper, Non-Slip Ethylene Vinyl Acetate sole (EVA sole). 3D shaped, lightweight & durable. ", "\u2764 This can be used for indoor or outdoor activities such as walking, running, athletic, training, exercise, workout, traveling. Various colors match with any stylish clothes. ", "\u2764 Our shoes are perfectly breathable, soft, durable, fashionable and cleanable. ", "\u2764 [Gift] Products festival gift; holiday gift St, mother\u2019s day, father's day, Thanksgiving day, Christmas, Graduation, Birthday, Easter, Wedding and Anniversary. ", "\u2764 Sizes: Please refer to the size chart picture for your sizes. Remember to measure your feet length and compare our size chart for a perfect fit before ordering. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QRV4YLR", "category": "fashion", "query": "Women's Fashion Sneakers", "page": 54, "small_description_old": "Ethylene Vinyl Acetate sole \u2764 Material: Breathable Air Mesh Upper, Non-Slip Ethylene Vinyl Acetate sole (EVA sole). 3D shaped, lightweight & durable. \u2764 This can be used for indoor or outdoor activities such as walking, running, athletic, training, exercise, workout, traveling. Various colors match with any stylish clothes. \u2764 Our shoes are perfectly breathable, soft, durable, fashionable and cleanable. \u2764 [Gift] Products festival gift; holiday gift St, mother\u2019s day, father's day, Thanksgiving day, Christmas, Graduation, Birthday, Easter, Wedding and Anniversary. \u2764 Sizes: Please refer to the size chart picture for your sizes. Remember to measure your feet length and compare our size chart for a perfect fit before ordering."}, {"name": "XTRONS 7 Inch Touch Screen Car Stereo for Jeep Wrangler Dodge Chrysler, Android 10 GPS Navigation for Car, Octa Core 4GB+64GB Car Radio Player, Built-in DSP Car Auto Play Android Auto Support 4G LTE", "product_information": {"Item Weight": "\u200e7.09 pounds", "Package Dimensions": "\u200e13.9 x 8.4 x 8.1 inches", "Item model number": "\u200eMA70WRJL", "Is Discontinued By Manufacturer": "\u200eNo", "Display Size": "\u200e6.2 Inches", "Voice command": "\u200eTouchscreen, Microphone, Buttons", "ASIN": "B07SRS3MXP", "Customer Reviews": {"ratings_count": 10, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#319,268 in Electronics (See Top 100 in Electronics) #3,385 in Car In-Dash Navigation GPS Units"], "Date First Available": "June 10, 2019"}, "brand": "Visit the XTRONS Store", "brand_url": "https://www.amazon.com/stores/XTRONS/page/8EE1F454-1060-4D1E-AEC9-A5D390083FBE?ref_=ast_bln", "full_description": "Applicable Models & Years:For Jeep Patriot (2009-2011), For Jeep Liberty (2008-2011)For Jeep Wrangler (2007-2012), For Jeep Compass (2009-2011)For Jeep Commander (2008-2011), For Jeep Grand Cherokee (2008-2011)For Dodge Caliber(2009-2011), For Dodge Journey(2009-2011)For Chrysler 300C (2008-2010), For Chrysler Sebring (2007-2010)Features:\u203b7\u201d with 1024*600 High DefinitionUpgrades your driving experience with supersized entertainment\u203b4G ConnectivityEasy network sharing; Independent and secure; Direct and accurate positioning.\u203bSmartphone ConnectivityBuilt-in Wired Car Auto Play; Built-in Wired Android Auto; Bluetooth Connection for calls and music.\u203bBuilt-in DSPTake your audio experience to a new level and rekindle your hearing experience.\u203bOptimized CANbus Decoding (SWC)Take control of your music or use the hands-free calling function for your safety to concentrate on the road ahead.\u203bPIP ModeSupport built-in Video Player only. You can click the Down Arrow on the screen to turn on PIP when playing a video.\u203bDual Band Wi-FiSupport both 2.4GHz and 5GHz bands and provide faster speed and flexibility.Stylish Smart UIThe user interface is very intuitive and is designed to perfectly integrate into your vehicle.GPS NavigationSupports Google Maps, Sygic, Waze and other navigation software that is compatible with Android OS.Optional Accessories:Need OBD Function? Please search ASIN: B015MU8UN6 / B08HQ9LQ9XNeed TPMS Function? Please search ASIN: B07WQFKV5GNeed Front / Reversing Camera? Please search ASIN: B07HMLYLJJ / B00GY3BVT6Need External DVR? Please search ASIN: B07MBYCG4C / B08MF1ZRJ3Accessories:2 \u00d7 ISO Wiring Harness1 \u00d7 RCA Cable1 \u00d7 Camera Cable2 \u00d7 USB Cable2 \u00d7 Radio Antenna Cable1 \u00d7 4G Antenna1 \u00d7 CANbus Box1 \u00d7 GPS Antenna1 \u00d7 User Manual", "pricing": "$329.89", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/41ZT1hRJIbL.jpg", "https://m.media-amazon.com/images/I/51UwEiiFYxL.jpg", "https://m.media-amazon.com/images/I/41fccO5Qo1L.jpg", "https://m.media-amazon.com/images/I/51ZeLazhGxL.jpg", "https://m.media-amazon.com/images/I/51LQbP1YUzL.jpg", "https://m.media-amazon.com/images/I/519CWPUo3qL.jpg", "https://m.media-amazon.com/images/I/51+4ZDvIhTL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Car & Vehicle Electronics \u203a Car Electronics \u203a Car Video \u203a In-Dash Navigation", "average_rating": 4.7, "small_description": ["FAST & RESPONSIVE \u2013 The latest Android 10.0 OS, upgraded from Android 9.0 Pie, the Octa Core CPU with 4GB RAM & 64GB ROM offer you a faster and smoother experience (Boot Time < 1s, First Boot Time < 40s). Snappy and responsive, just like on an IOS device. ", "INTEGRATED 4G SOLUTION \u2013 The new era of in-car 4G is coming! Now you can make your vehicle a mobile office, track your car\u2019s position (application needed) and keep your kids entertained on the rides with your mobile phone in your pocket. Besides, it supports 99% of carriers worldwide. ", "BUILT-IN WIRED CAR AUTO PLAY & Android Auto \u2013This Double Din car stereo keeps you up with useful features including an incredibly intuitive way to access calls, music, Google assistant, Siri. Make your driving easier and safer and turn every journey into a pleasant experience. ", "7-inch BACKLIT DIGITAL MULTI-TOUCH DISPLAY \u2013 Your high resolution 7\u201d touchscreen supports 1080P format video at 60fps. It allows easy visibility, displays all relevant music information and keeps all your favorite options within the reach of finger. ", "1 YEAR WARRANTY \u2013 XTRONS backs this unit with a 1-year warranty and provides professional technical support. Please do not hesitate to contact us via Amazon email, we will reply ASAP and ensure your rights and interests at all times. "], "total_reviews": 10, "total_answered_questions": 4, "model": "\u200eMA70WRJL", "customization_options": "", "seller_id": "A1MITD5Z5MU6OM", "seller_name": "Xtrons", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07SRS3MXP", "category": "electronics", "query": "CD Players & Recorders", "page": 252, "small_description_old": "About this item FAST & RESPONSIVE \u2013 The latest Android 10.0 OS, upgraded from Android 9.0 Pie, the Octa Core CPU with 4GB RAM & 64GB ROM offer you a faster and smoother experience (Boot Time < 1s, First Boot Time < 40s). Snappy and responsive, just like on an IOS device. INTEGRATED 4G SOLUTION \u2013 The new era of in-car 4G is coming! Now you can make your vehicle a mobile office, track your car\u2019s position (application needed) and keep your kids entertained on the rides with your mobile phone in your pocket. Besides, it supports 99% of carriers worldwide. BUILT-IN WIRED CAR AUTO PLAY & Android Auto \u2013This Double Din car stereo keeps you up with useful features including an incredibly intuitive way to access calls, music, Google assistant, Siri. Make your driving easier and safer and turn every journey into a pleasant experience. 7-inch BACKLIT DIGITAL MULTI-TOUCH DISPLAY \u2013 Your high resolution 7\u201d touchscreen supports 1080P format video at 60fps. It allows easy visibility, displays all relevant music information and keeps all your favorite options within the reach of finger. 1 YEAR WARRANTY \u2013 XTRONS backs this unit with a 1-year warranty and provides professional technical support. Please do not hesitate to contact us via Amazon email, we will reply ASAP and ensure your rights and interests at all times. \n \u203a See more product details"}, {"name": "WiFi Booster Indoor/Outdoor Repeater Signal Booster 1200Mbps WiFi Amplifier Long Range VG37", "product_information": {"Product Dimensions": "5.31 x 5.12 x 0.16 inches", "Item Weight": "0.469 ounces", "Manufacturer": "genetsy", "ASIN": "B09T6LTTCY", "Item model number": "TH9", "Date First Available": "February 23, 2022"}, "brand": "Brand: genetsy", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=genetsy", "full_description": "purchase more equipment", "pricing": "$80.00", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/415C6yZgmKL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Networking Products \u203a Repeaters", "average_rating": "", "small_description": "About this item\n \nWireless Bridge and AP Modes", "total_reviews": "", "total_answered_questions": "", "model": "TH9", "customization_options": "", "seller_id": "A2KHE3Y041OIMP", "seller_name": "chenxianjia676", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09T6LTTCY", "category": "electronics", "query": "Signal Boosters", "page": 83, "small_description_old": "About this item\n \nWireless Bridge and AP Modes"}, {"name": "Clinique Pop Lip Colour 23 Blush Pop", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Language\n \u200f": "\u200e\n English", "Product Dimensions\n \u200f": "\u200e\n 3.94 x 1.57 x 1.57 inches; 0.01 Ounces", "Item model number\n \u200f": "\u200e\n 020714739485", "UPC\n \u200f": "\u200e\n 020714739485", "Manufacturer\n \u200f": "\u200e\n Clinique", "ASIN\n \u200f": "\u200e\n B015CSUKG8", "Best Sellers Rank": "#315,001 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#4,360 in Lipstick", "#4,360 in Lipstick": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Clinique", "brand_url": "https://www.amazon.com/Clinique/b/ref=bl_dp_s_web_2587405011?ie=UTF8&node=2587405011&field-lbr_brands_browse-bin=Clinique", "full_description": "An intensely moisturising lip colour that lavishes the lips in a creamy velvet finish and ensures lips stay hydrated for eight hours. its 2-in-1 lightweight formula brings intense colour and a smoothing primer together to care for and colour lips.", "pricing": "$32.46", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/41+0ffeJgBL.jpg", "https://m.media-amazon.com/images/I/31n7UwU+HCL.jpg", "https://m.media-amazon.com/images/I/31mwMgp0E9L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Lips \u203a Lipstick", "average_rating": 5, "small_description": ["Makeup "], "total_reviews": 3, "total_answered_questions": "", "customization_options": "", "seller_id": "A2GF55U6ADLBQE", "seller_name": "UKPD", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B015CSUKG8", "category": "beauty", "query": "Lips Makeup", "page": 207, "small_description_old": "About this item Makeup"}, {"name": "Anniou Electric Heated Jacket Adjustable Temp USB Heated Coat Winter Hooded Jacket Men Women", "product_information": {"Item model number\n \u200f": "\u200e\n AN-HTJ008", "Department\n \u200f": "\u200e\n Unisex-adult", "Date First Available\n \u200f": "\u200e\n September 3, 2021", "ASIN\n \u200f": "\u200e\n B09F94PNNX", "Best Sellers Rank": "#1,665,074 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#500 in Men's Skiing Jackets #11,124 in Men's Outerwear Jackets & Coats #338,398 in Women's Clothing", "#500 in Men's Skiing Jackets": "", "#11,124 in Men's Outerwear Jackets & Coats": "", "#338,398 in Women's Clothing": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: ANNIOU", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=ANNIOU", "full_description": "Specification: Gender: Unisex Fabrics: 4/8 heated areas: Nylon/Polyester + Down Cotton + Carbon Fiber Heating Sheet dual switch:Nylon/Polyester+Eco Cotton+Carbon Fiber Heating Sheet smart app:Nylon/Polyester+80% Duck Down+Carbon Fiber Heating Sheet Heatd panel: 3-levels Temper Adjustable Multi Heated Areas: front, back and neck Temp Range: 30\u00b0C - 50\u00b0C \u2714 Storage: battery is stored in one inside pocket and the battery pocket is in the left lower corner of heated vest. (no power bank included inside packing) \u2714 Washable: Hand wash or machine wash in a laundry bag, do not twist or wring, hang dry only. Battery can NOT be wash, please pull out the battery before washing. \u2714 Suitable: body warmer, outdoor sports, snowmobiling, motorcycling, camping, hiking, skiing, winter sports. How to use\uff1a Link to power bank, press button on jacket for 3 seconds to start working. Press botton to switch temp levels. Red Light: High Level (50\u00b0C) White Light: Middle Level (40\u00b0C) Blue Light: Low Level (30\u00b0C) Press button for 3 seconds to shut down. Packing List: Regular Suit 1 x Heated jacket 1 x User manual 10000mAh Battery Suit 1 x Heated jacket 1 x User manual 1 x 10000mAh Battery 1 x Cable Battery Specification: Battery Type: Rechargeable USB Power Bank USB Input: 5v / 2.1A USB Output: 5V / 2.4A Capacity: 10000 mAh Charging Period: Approximately 6 hours. Working Period: Up to 8 hours. Battery Cycle Life: 500 - 800 times Battery GrossWeight: 200g Fully charged before the first time usage.", "pricing": "$64.99$114.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41aNjScdGtL.jpg", "https://m.media-amazon.com/images/I/5127G0yEitL.jpg", "https://m.media-amazon.com/images/I/51IBWJGbdLL.jpg", "https://m.media-amazon.com/images/I/517ouAYD5DL.jpg", "https://m.media-amazon.com/images/I/61PpUihJm9L.jpg", "https://m.media-amazon.com/images/I/51k5dK8T5WL.jpg", "https://m.media-amazon.com/images/I/51+HdUSlQXL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Sport Specific Clothing \u203a Skiing \u203a Men \u203a Jackets", "average_rating": 4.2, "small_description": ["Multi Area Heated Panel: 3 type for chosse, 4 heated areas, 5 heated areas and 8 heated areas, including front, back and neck, take full covered heat to your body. ", "Advance heating technology, warm up rapidly in extremely cold weather. Rechargeable battery makes the working period over 8 hours. ", "3 level temp switch, High Level: red color (45-55\u00b0C), Medium Level: white color (35\u00b0-45\u00b0C), Low Level: blue color\uff0825-35\u00b0C\uff09. ", "Premium fabrics, made of polyester, nylon and differert type of cotton(down cotton, 80% duck down), outter surface waterproof material. Easily help keeping warm, also alow prevent rain. ", "Continous heat promote blood circulation, relief pain of muscles, better suit for outdoor such as snowmobile, motorcycle, mountain, camping, hiking, skiing, fishing, hunting and so on "], "total_reviews": 9, "total_answered_questions": 5, "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09F94PNNX/ref=twister_B09F94FJ6Z", "value": "4 Areas Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41+hvqQKrNL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09F94LY8L/ref=twister_B09F94FJ6Z", "value": "4 Areas Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41UIMDjYBzL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09F94VK1H/ref=twister_B09F94FJ6Z", "value": "4 Areas Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/412-XfQcbYL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09F98T1SK/ref=twister_B09F94FJ6Z", "value": "8 Areas Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41PUQAt34DL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09F96NTGZ/ref=twister_B09F94FJ6Z", "value": "8 Areas Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41N+Zg6MYNL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09F996CCF/ref=twister_B09F94FJ6Z", "value": "8 Areas Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41tOWxlN0YL.jpg"}, {"is_selected": true, "url": null, "value": "Triple Switch 11 Areas Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41aNjScdGtL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09GLWG2ZW/ref=twister_B09F94FJ6Z", "value": "Triple Switch 11 Areas Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41L1Rfr5fyL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09GLW1LYQ/ref=twister_B09F94FJ6Z", "value": "Triple Switch 11 Areas Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41c7Gcv2cHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09FL46D9T/ref=twister_B09F94FJ6Z", "value": "Dual Switch 5 Areas Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41qMvP0NpqL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09FL4YYC4/ref=twister_B09F94FJ6Z", "value": "Dual Switch 5 Areas Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41PF7aD6uYL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09FL4VDDS/ref=twister_B09F94FJ6Z", "value": "Dual Switch 5 Areas Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41gE6e-AoZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09FSCLDSH/ref=twister_B09F94FJ6Z", "value": "Smart App 5 Areas Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41JWCbtiKZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09FRWGBNJ/ref=twister_B09F94FJ6Z", "value": "Smart App 5 Areas Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41qHOVNML6L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09FSXCMFM/ref=twister_B09F94FJ6Z", "value": "Smart App 5 Areas Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ly6VQsWVL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "X-Small", "asin": "B09GLV6NXP"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B09GLW4ZJJ"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09GLYG8V5"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09GLXT3K9"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09GLXB8FP"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09GLVMLMS"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09GLVMLMS", "category": "fashion", "query": "Men's Jackets & Coats", "page": 67, "small_description_old": "Multi Area Heated Panel: 3 type for chosse, 4 heated areas, 5 heated areas and 8 heated areas, including front, back and neck, take full covered heat to your body. Advance heating technology, warm up rapidly in extremely cold weather. Rechargeable battery makes the working period over 8 hours. 3 level temp switch, High Level: red color (45-55\u00b0C), Medium Level: white color (35\u00b0-45\u00b0C), Low Level: blue color\uff0825-35\u00b0C\uff09. Premium fabrics, made of polyester, nylon and differert type of cotton(down cotton, 80% duck down), outter surface waterproof material. Easily help keeping warm, also alow prevent rain. Continous heat promote blood circulation, relief pain of muscles, better suit for outdoor such as snowmobile, motorcycle, mountain, camping, hiking, skiing, fishing, hunting and so on"}, {"name": "BOLSIUS Tea Lights Candles - Pack of 100 White Unscented Candle Lights with 8 Hour Burning Time - Tea Candles for Wedding, Home, Parties, and Special Occasions", "product_information": {"Brand": "\u200eBOLSIUS", "Manufacturer": "\u200eBOLSIUS", "Item Weight": "\u200e4.74 pounds", "Package Dimensions": "\u200e11.3 x 6.4 x 4.9 inches", "Style": "\u200e8 Hour", "Color": "\u200eWhite", "Specific Uses": "\u200eDecoration", "Special Features": "\u200eLong Burning, Clean Burn", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "ASIN": "B07TNKTKF4", "Customer Reviews": {"ratings_count": 12515, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#66,160 in Home & Kitchen (See Top 100 in Home & Kitchen) #61 in Tea Lights"], "Date First Available": "June 26, 2019"}, "brand": "Visit the BOLSIUS Store", "brand_url": "https://www.amazon.com/stores/BOLSIUS/page/CD074B87-FD9C-4FD3-8B88-89A476BDD8FE?ref_=ast_bln", "full_description": "BOLSIUS Professional Tea lights candles - Set of 100 unscented candles for household decorationThe most tricky task is choosing the right d\u00e9cor accessories for occasions and home decor to welcome our guests. Beautifully crafted European Bolsius White Unscented Tealight Candles gives an enchanting appeal to any dull and otherwise boring environment. The metallic mini tealight candles are more than capable of stunning look when paired with the right decorative candle holder, unlike other candles they don\u2019t drip and ruin your expensive furniture when they burn. The disposable metal holder can go right into the trash, saving precious time on cleanup. Our eight hours long burning tealight candles will be a classic taste for making any occasion perfect.Our unscented tealights measures -\u25d8 1 and 1/2-inch in diameter\u25d8 1-inch in heightSince 1870, Bolsius has been offering various home decor and illumination accessories. We carry all types of tea light candles in multiple sizes such as 3, 4, 6, 8, 10, hours tea lights. Our catalog includes a full line of Pillar candles, Floating candles, Taper candles for parties, and weddings.", "pricing": "$24.98", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/518iXDx8iuL.jpg", "https://m.media-amazon.com/images/I/41ynGTIMRZL.jpg", "https://m.media-amazon.com/images/I/51TPwJrVtrL.jpg", "https://m.media-amazon.com/images/I/41U5XR6HSSL.jpg", "https://m.media-amazon.com/images/I/417HVF8-xcL.jpg", "https://m.media-amazon.com/images/I/513HLA55RXL.jpg", "https://m.media-amazon.com/images/I/41KjDLBHlaL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Candles & Holders \u203a Candles \u203a Tea Lights", "average_rating": 4.8, "small_description": ["A CANDLE IS All YOU NEED FOR ENCHANTING DECOR - Bolsius tealight candles add a sudden accent lighting for a pleasant relaxed setting. Be it an indoor setting in the home and kitchen using tealight holders, or an outdoor evening, our tealights will make an impressive touch to the decor. ", "PERFECT SIZED RELIABLE TEACUP CANDLES - Our clean burning candles are extensively crafted in perfect size of 1 1/2 - inch of diameter and 1-inch of height; A perfect fit for standard size votive and tealight holders. Bolsius unscented tealight candles are metal lined for modern touch and safety of furniture. ", "SUPERIOR-QUALITY TEA CANDLES FOR CENTREPIECES - Prepared for the highly sophisticated and delicate placement, our white tealight candles are made up of high-grade wax and wick. The premium-quality candles are made and imported from Europe. ", "BULK PACK OF LONG LASTING CANDLE LIGHTS: Save more on a perfectly packaged bulk pack of 100 tealights. Our tealight candle lasts for up to 8 burning hours. Order our white tea lights candles now, to plan for any special occasion, wedding, or party decoration. ", "MULTI-FUNCTIONAL WAX TEA LIGHTS - Get creative with our set of 100 versatile unscented tealight candles. A soft, warm glow from these long-burning tealight candles can produce an eloquent effect for a romantic evening. Use with any scented oil for an aromatic effect,or as a teapot warmer. "], "total_reviews": 12515, "total_answered_questions": 18, "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09MDP85P9/ref=twister_B09RB4SSJ6", "value": "1 Pack", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "2 Pack", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07TJB9KSX/ref=twister_B09RB4SSJ6?_encoding=UTF8&psc=1", "value": "3 Pack", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B005EF23LU/ref=twister_B09RB4SSJ6?_encoding=UTF8&psc=1", "value": "7x18x32 cm", "price_string": "", "price": 0, "image": null}], "Style": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07TL17XZX/ref=twister_B09RB4SSJ6?_encoding=UTF8&psc=1", "value": "6 Hour", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "8 Hour", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A3KYVHQ5PYFEAN", "seller_name": "five stars deals", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07TNKTKF4", "category": "garden", "query": "Candles", "page": 175, "small_description_old": "About this item A CANDLE IS All YOU NEED FOR ENCHANTING DECOR - Bolsius tealight candles add a sudden accent lighting for a pleasant relaxed setting. Be it an indoor setting in the home and kitchen using tealight holders, or an outdoor evening, our tealights will make an impressive touch to the decor. PERFECT SIZED RELIABLE TEACUP CANDLES - Our clean burning candles are extensively crafted in perfect size of 1 1/2 - inch of diameter and 1-inch of height; A perfect fit for standard size votive and tealight holders. Bolsius unscented tealight candles are metal lined for modern touch and safety of furniture. SUPERIOR-QUALITY TEA CANDLES FOR CENTREPIECES - Prepared for the highly sophisticated and delicate placement, our white tealight candles are made up of high-grade wax and wick. The premium-quality candles are made and imported from Europe. BULK PACK OF LONG LASTING CANDLE LIGHTS: Save more on a perfectly packaged bulk pack of 100 tealights. Our tealight candle lasts for up to 8 burning hours. Order our white tea lights candles now, to plan for any special occasion, wedding, or party decoration. MULTI-FUNCTIONAL WAX TEA LIGHTS - Get creative with our set of 100 versatile unscented tealight candles. A soft, warm glow from these long-burning tealight candles can produce an eloquent effect for a romantic evening. Use with any scented oil for an aromatic effect,or as a teapot warmer. \n \u203a See more product details"}, {"name": "Gold Bond Medicated Advanced Healing Ointment, 7 oz., Hydrates and Protects Dry, Cracked Skin", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 3.56 x 3.56 x 2.84 inches; 7 Ounces", "Manufacturer\n \u200f": "\u200e\n Sanofi", "ASIN\n \u200f": "\u200e\n B09BWQZ68V", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#31,422 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#608 in Body Lotions", "#608 in Body Lotions": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Gold Bond Store", "brand_url": "https://www.amazon.com/stores/GoldBond/page/3219F1C9-31AD-4165-8152-8A24EEBC7C74?ref_=ast_bln", "full_description": "Hard work, cold, dry weather and demanding physical activity can be tough on skin. When your skin needs some extra care, try Gold Bond Medicated Advanced Healing Ointment. This medicated ointment hydrates, restores and protects dry, cracked skin. Fortified with a triple-action complex of shea butter, ceramides and white petrolatum, this multi-benefit formula provides healing relief* while restoring healthy skin. Gold Bond Medicated Advanced Healing Ointment is free of preservatives, fragrances and dyes, and it's dermatologist-tested. Best of all, this healing formula provides nourishing hydration for sensitive skin. Stock up on Gold Bond Medicated Advanced Healing Ointment to keep skin looking and feeling its best, especially in harsh conditions. *Refers to relief of chafed, chapped or cracked skin", "pricing": "$9.97", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/41SmJMqrveL.jpg", "https://m.media-amazon.com/images/I/41mA9+WsHEL.jpg", "https://m.media-amazon.com/images/I/41F+qUYMJbL.jpg", "https://m.media-amazon.com/images/I/51I-mCKt0tL.jpg", "https://m.media-amazon.com/images/I/31KuJ-VlKfL.jpg", "https://m.media-amazon.com/images/I/51MdFrX26UL.jpg", "https://m.media-amazon.com/images/I/41w7NDWAZxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Body \u203a Moisturizers \u203a Lotions", "average_rating": 4.3, "small_description": ["Includes one (1) 7-ounce jar of Gold Bond Medicated Advanced Healing Ointment ", "Hydrates, restores and protects dry, cracked skin ", "Made with a triple-action complex of shea butter, ceramides and white petrolatum for nourishing hydration ", "This dermatologist-tested ointment is hypoallergenic and suitable for sensitive skin ", "Multi-benefit formula is made free from preservatives, fragrances and dyes "], "total_reviews": 55, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09BWQZ68V", "category": "beauty", "query": "Foot, Hand & Nail Care", "page": 52, "small_description_old": "About this item Includes one (1) 7-ounce jar of Gold Bond Medicated Advanced Healing Ointment Hydrates, restores and protects dry, cracked skin Made with a triple-action complex of shea butter, ceramides and white petrolatum for nourishing hydration This dermatologist-tested ointment is hypoallergenic and suitable for sensitive skin Multi-benefit formula is made free from preservatives, fragrances and dyes"}, {"name": "N\\C Mens Flip Flops Thong Sandals Yoga Foam Slippers 44 R011 Black", "product_information": {"Department": "Mens", "Manufacturer": "N\\C", "ASIN": "B0989VY7D8"}, "brand": "Brand: N\\C", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=N%5CC", "full_description": "Product category: Flip FlopColor: R005 black, R005 gray, R005 brown, R011 black, R011 brown, R011 blue, R003 black, R003 gray, R003 red, R003 blueUpper material: meshSize: 39, 40, 41, 42, 43, 44, 45Sole technology: sewing shoesGender: MaleInventory type: whole orderSole material: PVCApplicable age: AdultStyle: BeachStyle: open toeQuality inspection report: YesGross weight: 158g", "pricing": "$17.99", "list_price": "", "availability_status": "In stock. Usually ships within 3 to 4 days.", "images": ["https://m.media-amazon.com/images/I/61vR1ZJ9u3S.jpg", "https://m.media-amazon.com/images/I/519CWh394NS.jpg", "https://m.media-amazon.com/images/I/51bRPzQzjFS.jpg", "https://m.media-amazon.com/images/I/61PaeIzLxWS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Sandals", "average_rating": "", "small_description": "Men's flip flops: the skin contact part is made of cloth so you can walk without friction or sharpness. Even if used for a long time, it will not cause blisters. [antiskid comfort] men's flip flop is easy to walk, with good spiral antiskid pattern at the bottom, so it won't slip. In addition, arch support can provide good walking stability and keep your feet comfortable. Men's flip flop: the use of advanced belt, highlight our pursuit of high quality. In addition, the metal logo on the laces makes them look more fashionable. Fashion style: color collision elements bring a trace of vitality to the original monotonous pure color. No matter what style you are looking for, low-key (black gray) or gorgeous (black red), you can find the most suitable style here. [soft men's flip flop in summer] this men's clip toe sandal is waterproof and suitable for all seasons. Especially in summer, when you go to the beach on holiday or around the pool at home.", "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AL46F4EJRF3I5", "seller_name": "changqia'w", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0989VY7D8", "category": "fashion", "query": "Men's Sandals", "page": 185, "small_description_old": "Men's flip flops: the skin contact part is made of cloth so you can walk without friction or sharpness. Even if used for a long time, it will not cause blisters. [antiskid comfort] men's flip flop is easy to walk, with good spiral antiskid pattern at the bottom, so it won't slip. In addition, arch support can provide good walking stability and keep your feet comfortable. Men's flip flop: the use of advanced belt, highlight our pursuit of high quality. In addition, the metal logo on the laces makes them look more fashionable. Fashion style: color collision elements bring a trace of vitality to the original monotonous pure color. No matter what style you are looking for, low-key (black gray) or gorgeous (black red), you can find the most suitable style here. [soft men's flip flop in summer] this men's clip toe sandal is waterproof and suitable for all seasons. Especially in summer, when you go to the beach on holiday or around the pool at home."}, {"name": "Alfa Milano Evolution of the Color Permanent Hair Color, 2 oz (4.65 Medium Red Mahogany Brown)", "product_information": {"UPC\n \u200f": "\u200e\n 754003252132", "Manufacturer\n \u200f": "\u200e\n Kim Beauty", "ASIN\n \u200f": "\u200e\n B09FFV98FY", "Best Sellers Rank": "#1,133,687 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#14,475 in Hair Color", "#14,475 in Hair Color": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Kim Beauty", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Kim+Beauty", "full_description": "Alfa Milano Evolution of the Color Permanent Hair Color, 2 oz (4.65 Medium Red Mahogany Brown)", "pricing": "$10.50", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41MIrT4-xOS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Coloring Products \u203a Hair Color", "average_rating": 5, "small_description": ["Alfa Milano Evolution of the Color Permanent Hair Color, 2 oz (4.65 Medium Red Mahogany Brown) "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A30NTJ42JP57B3", "seller_name": "The beauty is", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09FFV98FY", "category": "beauty", "query": "Hair Coloring Products", "page": 144, "small_description_old": "Alfa Milano Evolution of the Color Permanent Hair Color, 2 oz (4.65 Medium Red Mahogany Brown)"}, {"name": "Char Crust Dry Rubs Roasted Garlic Peppercorn 4.0 OZ (Pack of 2)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 5.9 x 5.1 x 3.7 inches; 9.6 Ounces", "ASIN\n \u200f": "\u200e\n B00D4NQQ7G", "Best Sellers Rank": "#76,542 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#146 in Gourmet Rubs", "#146 in Gourmet Rubs": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Char Crust Store", "brand_url": "https://www.amazon.com/stores/CharCrust%C2%AE/page/5B342D65-DD79-481B-A98B-FBB93774A137?ref_=ast_bln", "full_description": "", "pricing": "$19.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/517L8T6EitL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Herbs, Spices & Seasonings \u203a Mixed Spices & Seasonings \u203a Gourmet Rubs", "average_rating": 5, "small_description": [""], "total_reviews": 24, "total_answered_questions": "", "customization_options": "", "seller_id": "ASX0V1L21K64F", "seller_name": "Cypress Lane", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B00D4NQQ7G", "category": "grocery", "query": "Meat & Seafood", "page": 384, "small_description_old": ""}, {"name": "Avigers Luxury Decorative European Throw Pillow Cover 18 x 18 Inch Soft Floral Embroidered Cushion Case with Tassels for Couch Bedroom Car 45 x 45 cm, Beige Gold", "product_information": {"Package Dimensions": "11.18 x 7.52 x 1.73 inches", "Item Weight": "11.6 ounces", "Manufacturer": "Avigers", "ASIN": "B07T9LZKM7", "Customer Reviews": {"ratings_count": 436, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#94,870 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,234 in Throw Pillow Covers"], "Fabric Type": "High Precision Jacquard", "Number of Pieces": "1", "Batteries Required?": "No"}, "brand": "Visit the Avigers Store", "brand_url": "https://www.amazon.com/stores/Avigers/page/EC98A7A3-B4A0-43F9-B2C5-BE8081603431?ref_=ast_bln", "full_description": "\u2764Specification\u2714Square Pillow Case\uff08INSERT NOT INCLUDED\uff09\u2714Material: High Precision Jacquard \u2714Application: Indoors (living room, bedroom, office, etc.) and outdoors ( patio, car etc.) \u2714Size:18 x 18 Inches Pillow Case \u2764Warm Tips \u2714Little deviation is allowed, because of manual measurement. \u2714There may are slight difference between the picture and the real item caused by light brightness. \u2714Not included the pillow inserts. \u2714The design pattern is only on the front side.", "pricing": "$16.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51zZy8Cc0xL.jpg", "https://m.media-amazon.com/images/I/51gAdqsl0RL.jpg", "https://m.media-amazon.com/images/I/51efhVQ1pbL.jpg", "https://m.media-amazon.com/images/I/519ReSg98PL.jpg", "https://m.media-amazon.com/images/I/51q29cZfplL.jpg", "https://m.media-amazon.com/images/I/61+RcmoWshL.jpg", "https://m.media-amazon.com/images/I/51XasTvzB+L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Decorative Pillows, Inserts & Covers \u203a Throw Pillow Covers", "average_rating": 4.5, "small_description": ["Package Includes: 1 Pc Pillow Case. And pls notice: CUSHION COVER ONLY ( INSERT NOT INCLUDED), 18\" x 18\"(45cm x 45cm) (Pls allow 1-2cm measurement deviation) ", "The patterns are different between the front side and back side, Invisible zipper design, Brand design embroidered pattern of Avigers ", "The unique pattern of pillow case is designed by Avigers Brand Designer, Wonderful feeling when you touch. Comfortable, durable and environmentally, breathable, soft feeling, full, elastic, fluffy and elegant. ", "Perfect Decoration: Good choice for wedding favors, bridal shower favors or bohemian themed parties, BOHO wall decoration, kids bedroom, birthday gift, etc. ", "Washing Instruction: Machine Washable/ Dry Clean. Easy Maintenance. "], "total_reviews": 436, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Beige", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51zZy8Cc0xL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07T8HKFGV/ref=twister_B087M19MZD?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51qocoT4twL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07TBLX4CP/ref=twister_B087M19MZD?_encoding=UTF8&psc=1", "value": "Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51NRcuYzPcL.jpg"}], "Size": [{"is_selected": true, "url": null, "value": "18 x 18-Inch", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07T9LYLGD/ref=twister_B087M19MZD", "value": "20\" x 20\"", "price_string": "", "price": 0, "image": null}]}, "seller_id": "ABRLF9C7SRXA8", "seller_name": "Avigers", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07T9LZKM7", "category": "garden", "query": "Decorative Pillows", "page": 71, "small_description_old": "About this item High Precision Jacquard Package Includes: 1 Pc Pillow Case. And pls notice: CUSHION COVER ONLY ( INSERT NOT INCLUDED), 18\" x 18\"(45cm x 45cm) (Pls allow 1-2cm measurement deviation) The patterns are different between the front side and back side, Invisible zipper design, Brand design embroidered pattern of Avigers The unique pattern of pillow case is designed by Avigers Brand Designer, Wonderful feeling when you touch. Comfortable, durable and environmentally, breathable, soft feeling, full, elastic, fluffy and elegant. Perfect Decoration: Good choice for wedding favors, bridal shower favors or bohemian themed parties, BOHO wall decoration, kids bedroom, birthday gift, etc. Washing Instruction: Machine Washable/ Dry Clean. Easy Maintenance."}, {"name": "Empty Round Makeup Palette, Makeup Palette Sticker Kit 15 Pieces Adhesive Right Size for Eyeshadow Palette Set", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 6.3 x 2.76 x 0.39 inches; 1.76 Ounces", "Manufacturer\n \u200f": "\u200e\n Rosvola", "ASIN\n \u200f": "\u200e\n B09NRWND4H", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Visit the Rosvola Store", "brand_url": "https://www.amazon.com/stores/Rosvola/page/2F90678B-37ED-4B14-905F-EF236A699609?ref_=ast_bln", "full_description": "Feature:1. High Quality Material: Metal sticker is made of high quality permanent adhesive, has good adhesion, can be firmly pasted on most surfaces, and is not easy to fall off. It is very suitable for preserving existing cosmetics and creating your own palette.2. Easy To Use: Store eyeshadow, highlighter and lipstick products in the package with a stainless steel makeup spatula, use the pointed tip to enter the hard to corners of package, and use flat size to mix your favorite liquid, cream and powder products.3. Right Size: Size of empty palette metal sticker is about 17 x 14 mm / 0.67 x 0.55 inches, cosmetic deposit tool is about 15 cm / 5.90 inches, and the diameter of the round palette sticker is 25 mm / 0.98in.4. Package Content: You will receive 1 piece of makeup tools, 15 pieces of adhesive empty palette metal stickers and 15 pieces of round makeup palette stickers, enough to meet your different needs.5. Palette Stickers Are Not Magnets: They respond to magnets, and these are very suitable for any magnetic cosmetics empty palette or other magnetic palettes.Specification:Item Type: Metal Stickers for Eyeshadow PaletteMaterial:\u00a0MetalSize:Round Iron Sheet: Approx. 25 x 25mm/0.98 x 0.98inSquare Iron Sheet: Approx. 14 x 17mm/0.55 x 0.67in Package List:1 x Metal Stickers15 x Round Iron Sheets15 x Iron Sheets", "pricing": "$6.95", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31kaLshFzVL.jpg", "https://m.media-amazon.com/images/I/11MlZxbVzRL.jpg", "https://m.media-amazon.com/images/I/31ZxzWwTjfL.jpg", "https://m.media-amazon.com/images/I/31vA5Bn1TUL.jpg", "https://m.media-amazon.com/images/I/41lusSuVgzL.jpg", "https://m.media-amazon.com/images/I/41M1nUsLheL.jpg", "https://m.media-amazon.com/images/I/31n-0k1rQxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Makeup Palettes", "average_rating": "", "small_description": ["Easy To Use: Store eyeshadow, highlighter and lipstick products in the package with a stainless steel makeup spatula, use the pointed tip to enter the hard to corners of package, and use flat size to mix your favorite liquid, cream and powder products. ", "Palette Stickers Are Not Magnets: They respond to magnets, and these are very suitable for any magnetic cosmetics empty palette or other magnetic palettes. ", "Package Content: You will receive 1 piece of makeup tools, 15 pieces of adhesive empty palette metal stickers and 15 pieces of round makeup palette stickers, enough to meet your different needs. ", "Right Size: Size of empty palette metal sticker is about 17 x 14 mm / 0.67 x 0.55 inches, cosmetic deposit tool is about 15 cm / 5.90 inches, and the diameter of the round palette sticker is 25 mm / 0.98in. ", "High Quality Material: Metal sticker is made of high quality permanent adhesive, has good adhesion, can be firmly pasted on most surfaces, and is not easy to fall off. It is very suitable for preserving existing cosmetics and creating your own palette. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3DXG8UJC0RL9L", "seller_name": "Woriil", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09NRWND4H", "category": "beauty", "query": "Makeup Palettes", "page": 135, "small_description_old": "Easy To Use: Store eyeshadow, highlighter and lipstick products in the package with a stainless steel makeup spatula, use the pointed tip to enter the hard to corners of package, and use flat size to mix your favorite liquid, cream and powder products. Palette Stickers Are Not Magnets: They respond to magnets, and these are very suitable for any magnetic cosmetics empty palette or other magnetic palettes. Package Content: You will receive 1 piece of makeup tools, 15 pieces of adhesive empty palette metal stickers and 15 pieces of round makeup palette stickers, enough to meet your different needs. Right Size: Size of empty palette metal sticker is about 17 x 14 mm / 0.67 x 0.55 inches, cosmetic deposit tool is about 15 cm / 5.90 inches, and the diameter of the round palette sticker is 25 mm / 0.98in. High Quality Material: Metal sticker is made of high quality permanent adhesive, has good adhesion, can be firmly pasted on most surfaces, and is not easy to fall off. It is very suitable for preserving existing cosmetics and creating your own palette."}, {"name": "Visual Land Prestige Elite 10\" Quad Core Tablet with KitKat 4.4, Google Play and Keyboard Bundle (Purple)", "product_information": {"Standing screen display size": "\u200e10 Inches", "Max Screen Resolution": "\u200e1024x600 Pixels", "Processor": "\u200e1.6 GHz apple_a6", "RAM": "\u200e1 GB DDR3", "Hard Drive": "\u200e8 GB", "Wireless Type": "\u200e802.11bgn", "Number of USB 2.0 Ports": "\u200e1", "Average Battery Life (in hours)": "\u200e8 Hours", "Brand": "\u200eVisual Land", "Series": "\u200ePresitige Elite", "Item model number": "\u200eME10Q8KCPRP", "Hardware Platform": "\u200eAndroid", "Operating System": "\u200eAndroid 4.4 KitKat", "Item Weight": "\u200e1.2 pounds", "Product Dimensions": "\u200e11.1 x 0.5 x 6.5 inches", "Item Dimensions LxWxH": "\u200e11.1 x 0.5 x 6.5 inches", "Color": "\u200ePurple", "Processor Brand": "\u200eIntel", "Processor Count": "\u200e4", "Flash Memory Size": "\u200e8 GB", "Power Source": "\u200eBattery Powered", "Batteries": "\u200e1 Lithium ion batteries required. (included)", "ASIN": "B00OFQR8D2", "Customer Reviews": {"ratings_count": 12, "stars": "3.5 out of 5 stars"}, "Best Sellers Rank": ["#648,079 in Electronics (See Top 100 in Electronics) #12,765 in Computer Tablets"], "Date First Available": "October 3, 2014"}, "brand": "Visit the Visual Land Store", "brand_url": "https://www.amazon.com/stores/Visual+Land/page/A4CF77F9-86AF-4E18-8FBA-AB71C7375510?ref_=ast_bln", "full_description": "Designed for the everyday user, this Quad Core, Google Certified, Kit Kat 10.1\" Tablet is portable, powerful and easy to carry anywhere life takes you. This tablet, offered in 5 different colors is loaded with premium features such as a front and rear facing camera, 8GB of internal memory and comes preloaded with the Google Suite as well as the most popular apps.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41mXYVzP77L.jpg", "https://m.media-amazon.com/images/I/51TfyjaAxBL.jpg", "https://m.media-amazon.com/images/I/41hb4xYR9UL.jpg", "https://m.media-amazon.com/images/I/41eDrkuB7VL.jpg", "https://m.media-amazon.com/images/I/51EaRGORvFL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Computers & Tablets \u203a Tablets", "average_rating": 3.5, "small_description": ["Android 4.4 KitKat, 10.0 inches Display ", "Intel A6 1.6 GHz ", "8.0 GB Flash Memory, 1.0 GB RAM Memory ", "8.0-hour battery life, 1.2 pounds "], "total_reviews": 12, "total_answered_questions": "", "model": "\u200eME10Q8KCPRP", "customization_options": {"Color": null}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00OFQR8D2", "category": "electronics", "query": "Tablets", "page": 90, "small_description_old": "About this item\n \nAndroid 4.4 KitKat, 10.0 inches Display Intel A6 1.6 GHz 8.0 GB Flash Memory, 1.0 GB RAM Memory 8.0-hour battery life, 1.2 pounds \n \u203a See more product details"}, {"name": "ZZF Bookshelf Sling Bookshelf Small Volume 3 Layers Desktop Bookcase Double Drawer Storage Box Creative Preservative Wood,4 Colors, 2 Styles (Color : A-a, Size : 60X17X48CM)", "product_information": {"Item Weight": "13.23 pounds", "Department": "Unisex-adult", "Manufacturer": "ZZF", "ASIN": "B09C8FZ9YS"}, "brand": "Brand: ZZF", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ZZF", "full_description": "Product Name: Sling Bookshelf / Desktop BookshelfColor: pink, white, light walnut, teakWeight: 4.2kgProduct Details:- Thick plate, good load bearing capacity- Small and exquisite- Multi-layer storage, practical and convenient- Thickened sheet, good toughness, strong load bearing, durable- Smooth and polished, not hurting your handsTips:1. We only sell bookshelves, not including the decorations and books displayed in the product photos.2. The children's bookshelf can be used not only as a bookcase, but also as a toy storage box.3. Books of all sizes and formats4. Reduce the confusion in the children's rooms and help them develop good habits5. Make reasonable use of your desktop space6. Place books, stationery, etc.The smooth rounded edges will not damage your textbooks, paper or table, and you can accidental injuries.Easy to assemble: Quick and easy home assembly, make your own desktop manager and enjoyApplicable scene: living room, children's room, study, bedroom, kindergarten, reading room, office, etc.\u25b6Because the product packaging is relatively large, it can cause bumps and damage during transportation. If the received goods bump, please don\u2019t worry, please contact us, we will solve the problem for you", "pricing": "$204.72", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41+LoSMlQuL.jpg", "https://m.media-amazon.com/images/I/41dkLyRpZLL.jpg", "https://m.media-amazon.com/images/I/51UN7QrMV-L.jpg", "https://m.media-amazon.com/images/I/41O8guCmTBL.jpg", "https://m.media-amazon.com/images/I/41Jnv4SspaL.jpg", "https://m.media-amazon.com/images/I/41d6osLKS3L.jpg", "https://m.media-amazon.com/images/I/412aVqOuj3L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Bookcases", "average_rating": "", "small_description": ["Material: MDF, -friction, corrosion-resistant, easy to clean, durable, strong load; applicable age: children over 6 years old ", "Size (length x width x height): 60X17X48CM; 1 inch = 2.45 cm ", "Ideal for storing office supplies, documents, storing books, organizing office supplies, and the compact size makes this bookcase ideal for any table, table or countertop. A big gift for children and students. ", "Features: Retractable, simple rack, smooth and polished, no hand injury, wide drawer, thick plate, stable, easy to clean ", "\u25b6Reminder: The estimated lead time of the product is 10-26 days. If you have any questions, please feel free to contact us. Your satisfaction is our greatest pursuit "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": null, "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09C8DKDB8/ref=twister_B09C8GMV9Y?_encoding=UTF8&psc=1", "value": "A", "price_string": "$185.27", "price": 185.27, "image": "https://m.media-amazon.com/images/I/41Ria1nOXkL.jpg"}, {"is_selected": true, "url": null, "value": "A-a", "price_string": "$204.72", "price": 204.72, "image": "https://m.media-amazon.com/images/I/41+LoSMlQuL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09C8F5VV1/ref=twister_B09C8GMV9Y?_encoding=UTF8&psc=1", "value": "B", "price_string": "$185.27", "price": 185.27, "image": "https://m.media-amazon.com/images/I/41OYcy6uArL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09C8F7PY9/ref=twister_B09C8GMV9Y?_encoding=UTF8&psc=1", "value": "B-a", "price_string": "$204.72", "price": 204.72, "image": "https://m.media-amazon.com/images/I/412aVqOuj3L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09C8FSP7W/ref=twister_B09C8GMV9Y?_encoding=UTF8&psc=1", "value": "Pink", "price_string": "$185.27", "price": 185.27, "image": "https://m.media-amazon.com/images/I/41b1704RUUL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09C8GK67H/ref=twister_B09C8GMV9Y?_encoding=UTF8&psc=1", "value": "Pink-a", "price_string": "$204.72", "price": 204.72, "image": "https://m.media-amazon.com/images/I/41aiyU7dcPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09C8FS43V/ref=twister_B09C8GMV9Y?_encoding=UTF8&psc=1", "value": "White", "price_string": "$185.27", "price": 185.27, "image": "https://m.media-amazon.com/images/I/41-G41U7aBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09C8PDXH4/ref=twister_B09C8GMV9Y?_encoding=UTF8&psc=1", "value": "White-a", "price_string": "$204.72", "price": 204.72, "image": "https://m.media-amazon.com/images/I/41d6osLKS3L.jpg"}]}, "seller_id": "A3U7EC21HU8APO", "seller_name": "zhangzhanfeng", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09C8FZ9YS", "category": "garden", "query": "Book Cases", "page": 172, "small_description_old": "About this item Material: MDF, -friction, corrosion-resistant, easy to clean, durable, strong load; applicable age: children over 6 years old Size (length x width x height): 60X17X48CM; 1 inch = 2.45 cm Ideal for storing office supplies, documents, storing books, organizing office supplies, and the compact size makes this bookcase ideal for any table, table or countertop. A big gift for children and students. Features: Retractable, simple rack, smooth and polished, no hand injury, wide drawer, thick plate, stable, easy to clean \u25b6Reminder: The estimated lead time of the product is 10-26 days. If you have any questions, please feel free to contact us. Your satisfaction is our greatest pursuit"}, {"name": "Novia's Choice Men Shiny Metallic Shirt Blouse T-Shirt Tee for Nightclub", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 14.53 x 10.63 x 0.94 inches; 5.93 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n August 21, 2017", "ASIN\n \u200f": "\u200e\n B074Z62NYF", "Best Sellers Rank": "#287,852 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,965 in Men's T-Shirts #13,753 in Men's Novelty T-Shirts", "#1,965 in Men's T-Shirts": "", "#13,753 in Men's Novelty T-Shirts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Novia's Choice Store", "brand_url": "https://www.amazon.com/stores/NoviasChoice/page/A5CDC7CD-9236-4C52-83C2-BEEE50C0587D?ref_=ast_bln", "full_description": "Welcome to Novia's Choice Store, and thanks for your business and trust!Wanner an unique outfit to express yourself?Come and look our New arrival Metallic T-shirt, really stylish and fashion.Material: metallic synthetic leather and Polyester fiber, stunning and sparkly.Casual tight fit top can highlight your figure, making you attractive in crowds.Perfect for any outfit, and can be a great Primer shirt for autumn and winter.Size: Short Sleeve: 2XL: Length: 27.5inches, Shoulder: 17.5inches, Sleeve: 8inches, Bust: 40inches, Hem: 40inches.XL: Length: 27inches, Shoulder: 16.5inches, Sleeve: 7.6inches, Bust: 37inches, Hem: 38inches.L: Length: 26.5inches, Shoulder: 16inches, Sleeve: 7.3inches, Bust: 36inches, Hem: 37inches.Long Sleeve: 2XL: Length: 27.8inches, Shoulder: 17.5inches, Sleeve: 25inches, Bust: 40inches, Hem: 38inches.XL: Length: 26.8inches, Shoulder: 16.5inches, Sleeve: 24.5inches, Bust: 38inches, Hem: 37inches.L: Length: 26.5inches, Shoulder: 16inches, Sleeve: 24inches, Bust: 37inches, Hem: 36inches.Note: Please do pay attention to the size, and please alllow 0-2cm differences due to manual measurement.Dear friends, if you're satisfied with our items, please give us a positive feedback. We will appreciate you very much.If for any reasons that you are not satisfied with our items or service, please feel free to contact us before you are leaving a negative feedback. We will try our best to solve the problem and offer the best service to you.Thank you very much! Have a wonderful day!", "pricing": "$18.99$25.43", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41DMTTOy1+L.jpg", "https://m.media-amazon.com/images/I/51pY71scWDL.jpg", "https://m.media-amazon.com/images/I/41L4n18h0ZL.jpg", "https://m.media-amazon.com/images/I/51f8ZylUaYL.jpg", "https://m.media-amazon.com/images/I/41Y8HXhvUOL.jpg", "https://m.media-amazon.com/images/I/51TYzYXUPrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Shirts \u203a T-Shirts", "average_rating": 3.8, "small_description": ["100% Cotton ", "Pull On closure ", "Machine Wash ", "Machine wash ", "Crew neck, casual loose fit ", "Super soft, lightweight, skin-friendly, breathable and moisture wicking ", "Featuring taped neck and shoulders, double-needle collar, sleeves and hem for long-lasting comfort and durability ", "Size: Please kindly refer to the Second Size Chart Image for reference before order(NOT AMAZON'S SIZE) "], "total_reviews": 69, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Large", "asin": "B074Z315KK"}, {"is_selected": false, "is_available": false, "value": "X-Large", "asin": "B074Z6SLDG"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B074Z3ZMM2"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B074Z62NYF/ref=twister_B074Z6LC2G", "value": "Black 2", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41s39kY87WL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B074Z4JFQR/ref=twister_B074Z6LC2G", "value": "Gold 1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51SAt6ckGcL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B074Z4LYVK/ref=twister_B074Z6LC2G", "value": "Silver 2", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51czpYOgddL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B074Z5VHC8/ref=twister_B074Z6LC2G", "value": "Gold 2", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51SRg8emc9L.jpg"}, {"is_selected": true, "url": null, "value": "Silver 1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41DMTTOy1+L.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B074Z315KK", "category": "fashion", "query": "Men's T-Shirts & Tanks", "page": 18, "small_description_old": "Do not iron Material: Metallic synthetic leather and polyester fiber, stunning and sparkly Size: please refer to the Second Size Image for detailed size information(NOT AMAZON SIZE) Casual tight fit top can highlight your figure, making you attractive in crowds Perfect for nightclub, party, cosplay, disco and dailywear, and can be a great Primer shirt for autumn and winter Notice: Hand Wash Cold; Do Not Machine Wash; Do not iron or bleach"}, {"name": "Anniston Hairpiece Fashion Lady Golden Tone Short Curly Hair Style Wig COSPLAY Party Hairpiece Hair Scrunchies Updo Hair Bun Hair Accessories for Women - Golden", "product_information": {"Manufacturer\n \u200f": "\u200e\n Anniston", "ASIN\n \u200f": "\u200e\n B0816QM13S", "": ""}, "brand": "Brand: Anniston", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Anniston", "full_description": "Specifications: Short curly wig for women, gives you a stylish hairstyle in seconds. Perfect for party, COSPLAY and daily use. It can make you more charming and unique. Type: Wig Gender: Women's Theme: Beauty Style: Fashion Material: High Temperature Synthetic Fiber Hairnet Type: Rose Net Occasions: Party, Club, COSPLAY, Carnival, Halloween, Daily Life, etc Features: Heat Resistant, Curly, Full Wig, Golden Tone Length: 32cm/12.60\" (Approx.) Notes: Due to the light and screen setting difference, the item's color may be slightly different from the pictures. Please allow slight dimension difference due to different manual measurement. Package Includes: 1 x Wig", "pricing": "$6.67", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/511k7x16CcL.jpg", "https://m.media-amazon.com/images/I/51J0fvzXRgL.jpg", "https://m.media-amazon.com/images/I/51O8nWqkT4L.jpg", "https://m.media-amazon.com/images/I/51liw3trOZL.jpg", "https://m.media-amazon.com/images/I/518BlastfCL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Wigs", "average_rating": "", "small_description": ["Short curly wig for women, gives you a stylish hairstyle in seconds. ", "Perfect for party, COSPLAY and daily use. ", "It can make you more charming and unique. ", "^-^ Messy Bun Hair Piece Thick Updo Scrunchies Hair Extensions Ponytail Hair Accessories for Girls Hair Bun Extensions Wavy Curly Messy Donut Chignons Hair Piece Wig Scrunchy Updo Wavy Straight Hair Bun Elastic Chignons Wrap Around Synthetic Ponytail Hairpiece Corn Wave Ponytail Extension Magic Paste Heat Resistant Wavy Synthetic Wrap Clip in Ponytail Extension Wrap Around Long Straight Pony Tail Hair "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "A763K0B78ZHE3", "seller_name": "Anniston", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0816QM13S", "category": "beauty", "query": "Hair Extensions, Wigs & Accessories", "page": 168, "small_description_old": "About this item Short curly wig for women, gives you a stylish hairstyle in seconds. Perfect for party, COSPLAY and daily use. It can make you more charming and unique. ^-^ Messy Bun Hair Piece Thick Updo Scrunchies Hair Extensions Ponytail Hair Accessories for Girls Hair Bun Extensions Wavy Curly Messy Donut Chignons Hair Piece Wig Scrunchy Updo Wavy Straight Hair Bun Elastic Chignons Wrap Around Synthetic Ponytail Hairpiece Corn Wave Ponytail Extension Magic Paste Heat Resistant Wavy Synthetic Wrap Clip in Ponytail Extension Wrap Around Long Straight Pony Tail Hair"}, {"name": "Hair Color Bowl with Handle Hair Dye Mixing Bowls 4pcs Salon Hair Coloring Dyeing Tint Bowl for Home Barber Shop DIY Color Mixer", "product_information": {"Product Dimensions": "6.3 x 5.12 x 2.36 inches", "Item Weight": "7.1 ounces", "Manufacturer": "Beaupretty", "ASIN": "B09P7XL5RF", "Country of Origin": "China", "Item model number": "R0E1320943NYQL678", "Date First Available": "December 27, 2021"}, "brand": "Brand: Beaupretty", "brand_url": "https://www.amazon.com/Beaupretty/b/ref=bl_dp_s_web_23453093011?ie=UTF8&node=23453093011&field-lbr_brands_browse-bin=Beaupretty", "full_description": "Description Color Mixing Tint Bowl Multi- functional Hair Color Bowl Features- Material: Plastic- Color: Black- Size: About 16. 00X13. 00X6. 00cm 6. 29X5. 11X2. 36in Package Including 4 x Hair Color Bowl", "pricing": "$13.49", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31GTvdDit6S.jpg", "https://m.media-amazon.com/images/I/41ulBbxATTS.jpg", "https://m.media-amazon.com/images/I/2166nwIJHeS.jpg", "https://m.media-amazon.com/images/I/41yKZA0fZ1L.jpg", "https://m.media-amazon.com/images/I/41AsAuej0kL.jpg", "https://m.media-amazon.com/images/I/315Hzs6GbJL.jpg", "https://m.media-amazon.com/images/I/51K2Wa4GxgL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Coloring Products \u203a Coloring & Highlighting Tools \u203a Hair Color Mixing Bowls", "average_rating": "", "small_description": ["Hair Color Mixing Bowls Salon Color Bowls Hair Coloring Bowls Professional Dyeing Coloring Tool Kit for Hairdressing, Color Mixing Tint Bowl Set, Light Plastic Home DIY Mixer ", "Professional Durable Construction: made from the injected molded plastic for use and texture. ", "Easy to use when working with one hand, allows for easy mixing and application of your hair color. ", "Just need to put the hair dye in the bowl, then you can start your DIY work, More convenient to store hair dye and save your space with ease. ", "Hair Dye Bowl Plastic Hair Color Mixing Tools Applicator Bowl with Handle for Diy Color Treatments Salon Barbershop Hairdressers "], "total_reviews": "", "total_answered_questions": "", "model": "R0E1320943NYQL678", "customization_options": "", "seller_id": "A4EPCLNLR8WA6", "seller_name": "DealPe", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09P7XL5RF", "category": "beauty", "query": "Hair Coloring Products", "page": 174, "small_description_old": "About this item\n \nHair Color Mixing Bowls Salon Color Bowls Hair Coloring Bowls Professional Dyeing Coloring Tool Kit for Hairdressing, Color Mixing Tint Bowl Set, Light Plastic Home DIY Mixer Professional Durable Construction: made from the injected molded plastic for use and texture. Easy to use when working with one hand, allows for easy mixing and application of your hair color. Just need to put the hair dye in the bowl, then you can start your DIY work, More convenient to store hair dye and save your space with ease. Hair Dye Bowl Plastic Hair Color Mixing Tools Applicator Bowl with Handle for Diy Color Treatments Salon Barbershop Hairdressers"}, {"name": "Goya Foods Chocolate & Vanilla Wafers, 4.9 Ounce (Pack of 24)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10.04 x 9.65 x 7.87 inches; 4.9 Ounces", "Manufacturer\n \u200f": "\u200e\n Goya Foods, Inc.", "ASIN\n \u200f": "\u200e\n B079Z5V2WK", "Country of Origin\n \u200f": "\u200e\n Brazil", "Domestic Shipping": "Currently, item can be shipped only within the U.S. and to APO/FPO addresses. For APO/FPO shipments, please check with the manufacturer regarding warranty and support issues.", "International Shipping": "This item can be shipped to select countries outside of the U.S.Learn More", "Best Sellers Rank": "#391,233 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#1,081 in Wafer Cookies", "#1,081 in Wafer Cookies": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Goya Foods Store", "brand_url": "https://www.amazon.com/stores/Goya/page/A77AE1AA-DC0C-4085-8C45-F76F342AA2F0?ref_=ast_bln", "full_description": "Goya Chocolate & Vanilla Wafers Duplex, 4.90 Ounce (Pack of 24) | For a Latino Snack or a scrumptious desert, look no further than GOYA Chocolate & Vanilla Wafers. Whether serving as a must-have sidekick for a bowl of ice cream or flying solo on their own, Goya's Chocolate & Vanilla Wafer cookies are the perfect treat. The perfect pairing of light and flaky vanilla wafer cookies sandwiched together with chocolate & vanilla creme \u2014 be sure to add this timeless classic to your grocery list! GOYA Chocolate & Vanilla Wafers are light, crisp wafer cookies filled with spectacular Chocolate & Vanilla Cream flavor. Great for dessert, lunchboxes and snacks. If it's Goya ... it has to be good!", "pricing": "$29.46", "list_price": "", "availability_status": "Usually ships within 9 days.", "images": ["https://m.media-amazon.com/images/I/51eCJfama6L.jpg", "https://m.media-amazon.com/images/I/515qEX3BgfL.jpg", "https://m.media-amazon.com/images/I/51y2zNMkhPL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Breads & Bakery \u203a Cookies \u203a Wafers", "average_rating": 4.2, "small_description": ["DELICIOUS GOYA WAFERS | For a Latino Snack or a scrumptious desert, look no further than GOYA Chocolate & Vanilla Wafers. Whether serving as a must-have sidekick for a bowl of ice cream or flying solo on their own, Goya's Chocolate & Vanilla Wafer cookies are the perfect treat. ", "AUTHENTIC GOYA | Goya's Chocolate & Vanilla Wafer cookies are the perfect treat. The perfect pairing of light and flaky vanilla wafer cookies sandwiched together with chocolate & vanilla creme \u2014 be sure to add this timeless classic to your grocery list! ", "VERSATILE | The perfect pairing of light and flaky vanilla wafer cookies sandwiched together with chocolate & vanilla creme \u2014 be sure to add this timeless classic to your grocery list! GOYA Chocolate & Vanilla Wafers are light, crisp wafer cookies filled with spectacular Chocolate & Vanilla Cream flavor. Great for dessert, lunchboxes and snacks. ", "PREMIUM QUALITY | If it's Goya... it has to be good! | \u00a1Si es Goya... tiene que ser bueno! ", "PACK OF 24: 4.90 OZ PACKS | Discover Goya's incredible variety of Wafers on Amazon Fresh, Amazon Retail and Prime Pantry "], "total_reviews": 3, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B079Z5V2WK", "category": "grocery", "query": "Grocery Cookies", "page": 177, "small_description_old": "About this item DELICIOUS GOYA WAFERS | For a Latino Snack or a scrumptious desert, look no further than GOYA Chocolate & Vanilla Wafers. Whether serving as a must-have sidekick for a bowl of ice cream or flying solo on their own, Goya's Chocolate & Vanilla Wafer cookies are the perfect treat. AUTHENTIC GOYA | Goya's Chocolate & Vanilla Wafer cookies are the perfect treat. The perfect pairing of light and flaky vanilla wafer cookies sandwiched together with chocolate & vanilla creme \u2014 be sure to add this timeless classic to your grocery list! VERSATILE | The perfect pairing of light and flaky vanilla wafer cookies sandwiched together with chocolate & vanilla creme \u2014 be sure to add this timeless classic to your grocery list! GOYA Chocolate & Vanilla Wafers are light, crisp wafer cookies filled with spectacular Chocolate & Vanilla Cream flavor. Great for dessert, lunchboxes and snacks. PREMIUM QUALITY | If it's Goya... it has to be good! | \u00a1Si es Goya... tiene que ser bueno! PACK OF 24: 4.90 OZ PACKS | Discover Goya's incredible variety of Wafers on Amazon Fresh, Amazon Retail and Prime Pantry"}, {"name": "ASC Audio BlueTooth A2DP + USB Flash Drive Car Stereo Adapter Interface Compatible for Honda w/Navigation- Some Vehicles only- Compatible Vehicles Listed Below", "product_information": {"Product Dimensions": "4 x 4 x 2 inches", "Item Weight": "13.6 ounces", "ASIN": "B014C9KQLM", "Item model number": "5864134797", "Customer Reviews": {"ratings_count": 35, "stars": "4.1 out of 5 stars"}, "Best Sellers Rank": ["#383 in Car Audio & Video Input Adapters"], "Is Discontinued By Manufacturer": "No", "Connectivity technologies": "Bluetooth, Auxiliary, USB", "Other display features": "Wireless", "Manufacturer": "DMC", "Date First Available": "August 23, 2015"}, "brand": "Brand: AudioBaxics", "brand_url": "https://www.amazon.com/AudioBaxics/b/ref=bl_dp_s_web_12703016011?ie=UTF8&node=12703016011&field-lbr_brands_browse-bin=AudioBaxics", "full_description": "BlueTooth Phone and Music Streaming Kit w/USB Flash Drive Audio Input BlueTooth hands free car kit. USB Flash Drive audio input. Integrated Bluetooth Car Interface adds Hands Free Calling and Wireless Audio to the original factory stereo of many cars. The system comes with built-in Bluetooth and microphone. Use your phone in the car hands free (HFP) or stream your music from your phone to the factory stereo via Bluetooth Audio playback (A2DP)). Bluetooth compatibility: all Bluetooth capable smartphones, including latest Galaxy S series and iPhone 5/6. Installation Notes: Connection is done at the back of the radio. Compatible with all radios- single and 6 disc. Compatibility Notes: BlueTooth only works when the radio is in the adapter's mode. Not compatible with factory XM/satellite radio- will have to be disabled. USB port is for USB flash drive only. What's Included: 1. Bluetooth adapter 2. Microphone 3. USB extension cable 4. 3.5mm aux input cable- use if Bluetooth conversation (mic) isn't needed This adapter works on the following vehicles: Made for: TL 2004-2012, MDX 2005-2012, TSX 2004-2012 (except Type S), RL 2005-2012, Honda Accord 2003-2012, Honda Civic 2006-2014, Honda CRV 2005-2014, Honda Fit 2006-2014, Honda Odyssey 2005-2012, Honda Pilot 2006-2014, Honda S2000 2005-2012,Honda Ridgeline 2006-2012", "pricing": "$84.95", "list_price": "", "availability_quantity": 7, "availability_status": "Only 7 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41H8c0ELBhL.jpg", "https://m.media-amazon.com/images/I/41H8c0ELBhL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Car & Vehicle Electronics \u203a Vehicle Electronics Accessories \u203a Audio & Video Accessories \u203a Auxiliary Input Adapters", "average_rating": 4.1, "small_description": ["BlueTooth Phone and Music Streaming Kit w/USB Flash Drive Audio Input BlueTooth hands free car kit. ", "Add Bluetooth Conversation and Music Streaming to the factory radio ", "USB connection input for USB flash drive use ", "BlueTooth only works when the radio is in the adapter's mode. Not compatible with factory XM/satellite radio- will have to be disabled. USB port is for USB flash drive only. ", "This adapter works on the following vehicles: Made for: TL 2004-2012, MDX 2005-2012, TSX 2004-2012 (except Type S), RL 2005-2012; Honda Accord 2003-2012, Honda Civic 2006-2014, Honda CRV 2005-2014, Honda Fit 2006-2014, Honda Odyssey 2005-2012, Honda Pilot 2006-2014, Honda S2000 2005-2012,Honda Ridgeline 2006-2012 "], "total_reviews": 35, "total_answered_questions": 21, "model": "5864134797", "customization_options": "", "seller_id": "A236UT9Z5WDWZA", "seller_name": "Audio Connections", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B014C9KQLM", "category": "electronics", "query": "Flashes", "page": 338, "small_description_old": "About this item BlueTooth Phone and Music Streaming Kit w/USB Flash Drive Audio Input BlueTooth hands free car kit. Add Bluetooth Conversation and Music Streaming to the factory radio USB connection input for USB flash drive use BlueTooth only works when the radio is in the adapter's mode. Not compatible with factory XM/satellite radio- will have to be disabled. USB port is for USB flash drive only. This adapter works on the following vehicles: Made for: TL 2004-2012, MDX 2005-2012, TSX 2004-2012 (except Type S), RL 2005-2012; Honda Accord 2003-2012, Honda Civic 2006-2014, Honda CRV 2005-2014, Honda Fit 2006-2014, Honda Odyssey 2005-2012, Honda Pilot 2006-2014, Honda S2000 2005-2012,Honda Ridgeline 2006-2012"}, {"name": "HAUKLIE Men's Sports Waffle Ribbed Polo Shirts Summer Short Sleeve Cotton Muscle Quarter-Zip Henley T-Shirt Tunics Tops", "product_information": {"Item model number\n \u200f": "\u200e\n henley button down shirt", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n January 19, 2022", "Manufacturer\n \u200f": "\u200e\n HAUKLIE-2022-Mens", "ASIN\n \u200f": "\u200e\n B09QQNBHZN", "Best Sellers Rank": "#997,846 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#799 in Men's Henley Shirts", "#799 in Men's Henley Shirts": ""}, "brand": "Brand: HAUKLIE", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=HAUKLIE", "full_description": "\u00b7Material: High-quality Cotton/Polyester ,Spandex, Soft/ Lightweight/Breathable/Stretchy fabric, make you feel comfortable when wearing.\u00b7Features: Mens casual short sleeve shirt /sleeveless/ short sleeve t shirt suits/workout tank tops/ string tanks/ summer tee/ t shirt/ polo t shirt/ tank tops/ button down up design.\u00b7Occasion: hirts for men casual / mens long sleeve white tshirts / short sleeve graphic tee / workout muscke tshirts / striped vintage shirts / plaid flannel shirts jackets / fashion stylish linen henley shirts / casual long sleeve work shirts / soft / big and tall / summer beach tops / loose fit / for spring summer fall winter fishing camping hiking running,parties,clubbing and dating.\u00b7This tops is so lightweight and comfortable. Diverse colors bring different moods for you every day. You can pair this tops with jackets, jeans,shorts and joggers\u00b7Note: Please allow 0.5-1.0 inches measuring deviation due to manual measurement and different stretch of fabrics.\u00b7Standard delivery:7-15 days.Expedited delivery:3-5 days.\u00b7Note :Size runs small,Please check the size chart before purchase and choose 1-2 size up. If you are not sure about the size, please send us a message.\u3010Search Term\u3011shirts for men polo t shirt hawaiian flannel mens dress shirts henley tuxedo shirts henley styles novelty 3d printed funny graphic tee shirts crew neck cuff designer custom plus size cool t shirts hoodie sweatshirt casual lightweight denim bomber jacket long sleeve shirts polo shirts white patriotic v neck button down workout camo funny plaid plus size hawaiian cotton linen oversized button up yoga shirts tye dye plain t shirts cute shirts work plain shirts casual shirts hoodies zip up pullover sweatshirt graphic plus size casual lightweight full-zip windbreaker rain jakcets waterproof winter spring autumn fleece lined sherpa fleece hooded oversized tie dye loose tee hoodie sweatshirts", "pricing": "$10.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41sNfAanjHL.jpg", "https://m.media-amazon.com/images/I/41u9Bqbmk7L.jpg", "https://m.media-amazon.com/images/I/41InXy0xlJL.jpg", "https://m.media-amazon.com/images/I/51p7AfMz0TL.jpg", "https://m.media-amazon.com/images/I/51Sixd7rRPL.jpg", "https://m.media-amazon.com/images/I/51F954Z8veL.jpg", "https://m.media-amazon.com/images/I/41j4i01x0SL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Shirts \u203a Henleys", "average_rating": "", "small_description": ["Material: Polyester,Cotton.oft, breathable,comfortable to wear all day.This lightweight fabric make it a great option year-round and never goes out of style.Hand Wash or Machine Wash. ", "Made in USA or Imported.If you want the shirt top to be loose, please order 1-2 size up.To choose the right size, take a look at our last picture above to select the size that suits you best.Regular fit style make you feel good and conformtable when wearing. ", "This button-up casual shirt for daily life, beach,home, school, office , golf, work , hawaiian vacation and many other places. Good match with casual pants, jeans, jackets for a stylish look.Also good for Valentine's Day/St. Patrick's Day/Father's Day Gift. ", "Our men's polo shirts/Button Down/Hawaiian Shirts come in a wide range of color choices to help suit every individual\u2019s personal style and preference \u2013 whether you prefer a vibrant, bright, sober or a sporty color, we have it all.Whether you're at the gym or on the couch makes clothing that will withstand any activity or non activity. closure ", "Mens casual shirt/button down shirts /polo shirts for men/casual hawaiian shirt for men/lightweight large tall/snap button/western flannel shirt/graphic tees/cotton linen shirt/short sleeve/regular fit/floral oxford tropical shirts/crewneck sweatshirts/flannel shirt for men/under armour/valentines shirts for women mens/fashion hoodies sweatshirts/thermal shirts for men/white western dress graphic tee shirts/tropical beach shirts normally wear shirt fits/ floral hawaiian shirts /front pocket ", "Slim-fit short-sleeve waffle henley men's golf polo t-shirt poplin workwear short sleeve classic men's cowboy cut western two pocket long sleeve snap work shirt-firm finish tech cotton regular fit short sleeve casual hawaiian shirt for men 1/2 zip-up t-shirt men's buck camp flannel shirt long-sleeve flannel shirt t shirt muscle gym workout athletic cotton tee shirt top regular-fit quick-dry active crew neck t shirts athletic running gym workout short sleeve tee tops bulk button up shirt ", "mens hoodies jacket coats outwear dress suit halloween costumes gifts for men christmas fishing jackets gifts sweatshirts jackets for men big and tall graphic hoodies for men with designs womens tops shirts pajamas set fall clothes leggings coats , fishing shirts Flannel for men mens designer t shirts custom dress shirts collar shirt green t shirt blue white Flannel work shirts black Flannel pink Flannel shirt short sleeve dress shirts cool t shirts for men yellow Flannel shirt men's trendy clothing plaid shirt mens shirts orange olive green long sleeve graphic tees plain shirt mens summer clothes cotton shirt pocket t shirt cotton t shirt, 4th of july american flag mens rompers jumpsuits summer bib overalls denim shorts jean casual workout beach jumpsuit short sleeve shirts independence day retro tops polyester t couple's onesie romper jeans tops mens casual summer o-neck t-shirt gradient printed blouse short sleeve shirt tunic top cross neck fashion lace tee plus size color v-neck loose cute print crop funny graphic ladies blouses work 3/4 leggings pullover tees tshirts off shoulder"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41sNfAanjHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QQMDMCY/ref=twister_B09QQNR9VG", "value": "Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51DoMeO5gIL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QQLWV2V/ref=twister_B09QQNR9VG", "value": "Light Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41m6qF2BlZL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09QQNBHZN"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09QQQ2TKG"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09QQLVCMV"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09QQQ1H9Q"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09QQNRYLB"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B09QQP3356"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QQP3356", "category": "fashion", "query": "Men's Tuxedo Shirts", "page": 68, "small_description_old": "Material: Polyester,Cotton.oft, breathable,comfortable to wear all day.This lightweight fabric make it a great option year-round and never goes out of style.Hand Wash or Machine Wash. Made in USA or Imported.If you want the shirt top to be loose, please order 1-2 size up.To choose the right size, take a look at our last picture above to select the size that suits you best.Regular fit style make you feel good and conformtable when wearing. This button-up casual shirt for daily life, beach,home, school, office , golf, work , hawaiian vacation and many other places. Good match with casual pants, jeans, jackets for a stylish look.Also good for Valentine's Day/St. Patrick's Day/Father's Day Gift. Our men's polo shirts/Button Down/Hawaiian Shirts come in a wide range of color choices to help suit every individual\u2019s personal style and preference \u2013 whether you prefer a vibrant, bright, sober or a sporty color, we have it all.Whether you're at the gym or on the couch makes clothing that will withstand any activity or non activity. closure Mens casual shirt/button down shirts /polo shirts for men/casual hawaiian shirt for men/lightweight large tall/snap button/western flannel shirt/graphic tees/cotton linen shirt/short sleeve/regular fit/floral oxford tropical shirts/crewneck sweatshirts/flannel shirt for men/under armour/valentines shirts for women mens/fashion hoodies sweatshirts/thermal shirts for men/white western dress graphic tee shirts/tropical beach shirts normally wear shirt fits/ floral hawaiian shirts /front pocket Slim-fit short-sleeve waffle henley men's golf polo t-shirt poplin workwear short sleeve classic men's cowboy cut western two pocket long sleeve snap work shirt-firm finish tech cotton regular fit short sleeve casual hawaiian shirt for men 1/2 zip-up t-shirt men's buck camp flannel shirt long-sleeve flannel shirt t shirt muscle gym workout athletic cotton tee shirt top regular-fit quick-dry active crew neck t shirts athletic running gym workout short sleeve tee tops bulk button up shirt mens hoodies jacket coats outwear dress suit halloween costumes gifts for men christmas fishing jackets gifts sweatshirts jackets for men big and tall graphic hoodies for men with designs womens tops shirts pajamas set fall clothes leggings coats \n fishing shirts Flannel for men mens designer t shirts custom dress shirts collar shirt green t shirt blue white Flannel work shirts black Flannel pink Flannel shirt short sleeve dress shirts cool t shirts for men yellow Flannel shirt men's trendy clothing plaid shirt mens shirts orange olive green long sleeve graphic tees plain shirt mens summer clothes cotton shirt pocket t shirt cotton t shirt4th of july american flag mens rompers jumpsuits summer bib overalls denim shorts jean casual workout beach jumpsuit short sleeve shirts independence day retro tops polyester t couple's onesie romper jeans tops mens casual summer o-neck t-shirt gradient printed blouse short sleeve shirt tunic top cross neck fashion lace tee plus size color v-neck loose cute print crop funny graphic ladies blouses work 3/4 leggings pullover tees tshirts off shoulderShow more"}, {"name": "Lillys Baking Company, Cookies Blue And Whites, 10 Ounce", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 7.15 x 6.4 x 2.5 inches; 12.96 Ounces", "UPC\n \u200f": "\u200e\n 760672113353", "Manufacturer\n \u200f": "\u200e\n Lillys Baking Company", "ASIN\n \u200f": "\u200e\n B07M5VGSW1", "": ""}, "brand": "Brand: Lillys Baking Company", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Lillys+Baking+Company", "full_description": "Bakery", "pricing": "$4.99", "list_price": "", "availability_quantity": 6, "availability_status": "Only 6 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41Gmg8yV2YL.jpg", "https://m.media-amazon.com/images/I/51PykT5WykL.jpg", "https://m.media-amazon.com/images/I/31Gas1uiMgL.jpg", "https://m.media-amazon.com/images/I/31nO0MHFhGL.jpg", "https://m.media-amazon.com/images/I/31UNZqGoU+L.jpg", "https://m.media-amazon.com/images/I/31VSdidOkAL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Breads & Bakery \u203a Cookies", "average_rating": "", "small_description": ["All artisanal breads, cakes, and cookies are baked with better ingredients, so you can feel good about what you're buying (and eating) ", "No hydrogenated fats or high-fructose corn syrup ", "No bleached or bromated flours allowed "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1RBBDXGDC86H5", "seller_name": "the OATMEAL", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07M5VGSW1", "category": "grocery", "query": "Breads & Bakery", "page": 284, "small_description_old": "About this item All artisanal breads, cakes, and cookies are baked with better ingredients, so you can feel good about what you're buying (and eating) No hydrogenated fats or high-fructose corn syrup No bleached or bromated flours allowed"}, {"name": "Stylish Women's Long Sleeve Sweatshirt Letters Printed Tops Casual Crewneck Solid Blouses Loose Fitting Soft Pullover", "product_information": {"Item model number\n \u200f": "\u200e\n anime tee shirts on sale", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 20, 2022", "Manufacturer\n \u200f": "\u200e\n grey sweatshirt on sale", "ASIN\n \u200f": "\u200e\n B09R19CKJ4", "": ""}, "brand": "Brand: LUNHUAN", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=LUNHUAN", "full_description": "-------------------------------------------\u30fd(\uff9f\u2200\uff9f)\uff92(\uff9f\u2200\uff9f)\uff89\u00a0Welcome to LUNHUAN Store\u2727\u207a\u2e1c(\u25cf\u02d9\u25be\u02d9\u25cf)\u2e1d\u207a\u2727\u00a0-------------------------------------------\u25c6\u00a0LUNHUAN is a store dedicated to providing beautiful, stylish and comfortable quality women's clothing and excellent service.We are constantly pursuing beauty, keeping up with trends, creating fashion, and improving our products to make us provide\u00a0 \u00a0 high quality clothing for women.\u25c6\u00a0Please check the size chart and other customers' size advice before you order.\u25c6\u00a0If you encounter any problems before or after your purchase, please contact us and we will actively solve the problem for you as soon as possible.\u25c6\u00a0We sincerely wish you a wonderful experience at LUNHUAN.Size.: Medium US: 6 UK: 10 EU: 36 Bust: 100cm/39.37'' Sleeve: 59cm/23.23'' Length: 61cm/24.02''\u00a0Size.: Large US: 8 UK: 12 EU: 38 Bust: 104cm/40.94'' Sleeve: 61cm/24.02'' Length: 63cm/24.80''\u00a0Size.: X-Large US: 10 UK: 14 EU: 40 Bust: 108cm/42.52'' Sleeve: 63cm/24.80'' Length: 65cm/25.59''\u00a0Size.: XX-Large US: 12 UK: 16 EU: 42 Bust: 112cm/44.09'' Sleeve: 65cm/25.59'' Length: 67cm/26.38''\u00a0Size.: 3X-Large US: 14 UK: 18 EU: 44 Bust: 116cm/45.67'' Sleeve: 67cm/26.38'' Length: 70cm/27.56''", "pricing": "$11.99$14.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/4145mYJy-6L.jpg", "https://m.media-amazon.com/images/I/51TaRgCS0XL.jpg", "https://m.media-amazon.com/images/I/51uwx5U9BzL.jpg", "https://m.media-amazon.com/images/I/31isngXrXxL.jpg", "https://m.media-amazon.com/images/I/51OWoESA0WL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Fashion Hoodies & Sweatshirts", "average_rating": "", "small_description": ["Clearance On Sale!! Buy 2 Get 8% Discount ", "cheap cat t shirt ", "Dear Queen, please check our size chart, we suggest buy One size Up. Thank you ", "gnome shirt clearance sale closure ", "corset shirts on sale ", "camisole tops for women chunky cardigan navy blue hoodie women women's peplum tops green tops white lace crop tops for women cropped puffer coat women plaid sweaters for women short sleeve blouses white silk long sleeve blouse red polo shirt tunic hoodie for women red sweater mock turtleneck sweater women chicken sweater indian tops for women tunic tops women womens thermal tops long sleeve quarter zip shirts black swimsuit tops for women plus size coat camo tops for women ladies ", "blank t shirts oversized plus size sweaters women shirts womens tops trendy white polo shirt women black cardigan sweaters for women sparkly tops sweater wrap long cardigan for women sweater midi dress womens blouses plus size women night shirt sexy womens tops blue cardigan for women red button down shirt women long sleeve cotton shirt sexy shorts and blazer outfit for women vest cardigan for women sweatshirt hoodie turtleneck shirts for women women summer clothes open back tops for women , for women vintage women parka winter coats cute graphic tees for women long sleeve tops for women casual 22s clothes for women rugby shirts womens long cardigan sweater open back long sleeve shirts for women football compression shirt oversized vintage sweatshirt blazer buttons gothic hoodies for women boho cardigans for women plus size boho tops for women sheer black blouse womens crop tops color block shirt safety orange hoodie polo shirt dress sweatshirts for women plus size rain, women frog zipper hoodie trendy sweaters for women comfy hoodie women's sweater women's black blouses cat sweater for cats linen tunic tops for women lace shirt spring plus size tops for women womens fitted tops nking tank tops for women sweatshirts for women oversized shirts women's t-shirts 2/2 sleeve tops for women plus size crop top swim tops for women womens tie dye tops fitted sweater dress long sleeve t shirts oversized zip up hoodie women elegant tops for women plain grey, women womens hoodie cute shirts for women sexy 222 hoodie gnome shirt black coat maternity shirt work out tank tops for women with built in bra double breasted blazer women cap sleeve tops pattern sweater womens check knit sweater cardigans y2k knitwear black v neck shirt women long sleeve for women tops womens blouses and tops casual brown long sleeve shirt women summer tees for women women's leopard sweater extra long tunic tops for leggings flannel shirt women workout tank"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09QSZJRNJ"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09R1BRZLG"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09QT362K1"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09QT2369P"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B09QT1YPLH"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09R19CKJ4/ref=twister_B09R1BCW71", "value": "D01blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41uoBh4UEmL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QSZS67M/ref=twister_B09R1BCW71", "value": "D01green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41UE9dEsQ4L.jpg"}, {"is_selected": true, "url": null, "value": "D01white", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/4145mYJy-6L.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QT2369P", "category": "beauty", "query": "Skin Care Maternity", "page": 35, "small_description_old": "Clearance On Sale!! Buy 2 Get 8% Discount cheap cat t shirt Dear Queen, please check our size chart, we suggest buy One size Up. Thank you gnome shirt clearance sale closure corset shirts on sale camisole tops for women chunky cardigan navy blue hoodie women women's peplum tops green tops white lace crop tops for women cropped puffer coat women plaid sweaters for women short sleeve blouses white silk long sleeve blouse red polo shirt tunic hoodie for women red sweater mock turtleneck sweater women chicken sweater indian tops for women tunic tops women womens thermal tops long sleeve quarter zip shirts black swimsuit tops for women plus size coat camo tops for women ladies blank t shirts oversized plus size sweaters women shirts womens tops trendy white polo shirt women black cardigan sweaters for women sparkly tops sweater wrap long cardigan for women sweater midi dress womens blouses plus size women night shirt sexy womens tops blue cardigan for women red button down shirt women long sleeve cotton shirt sexy shorts and blazer outfit for women vest cardigan for women sweatshirt hoodie turtleneck shirts for women women summer clothes open back tops for women \n for women vintage women parka winter coats cute graphic tees for women long sleeve tops for women casual 22s clothes for women rugby shirts womens long cardigan sweater open back long sleeve shirts for women football compression shirt oversized vintage sweatshirt blazer buttons gothic hoodies for women boho cardigans for women plus size boho tops for women sheer black blouse womens crop tops color block shirt safety orange hoodie polo shirt dress sweatshirts for women plus size rainwomen frog zipper hoodie trendy sweaters for women comfy hoodie women's sweater women's black blouses cat sweater for cats linen tunic tops for women lace shirt spring plus size tops for women womens fitted tops nking tank tops for women sweatshirts for women oversized shirts women's t-shirts 2/2 sleeve tops for women plus size crop top swim tops for women womens tie dye tops fitted sweater dress long sleeve t shirts oversized zip up hoodie women elegant tops for women plain greywomen womens hoodie cute shirts for women sexy 222 hoodie gnome shirt black coat maternity shirt work out tank tops for women with built in bra double breasted blazer women cap sleeve tops pattern sweater womens check knit sweater cardigans y2k knitwear black v neck shirt women long sleeve for women tops womens blouses and tops casual brown long sleeve shirt women summer tees for women women's leopard sweater extra long tunic tops for leggings flannel shirt women workout tankShow more"}, {"name": "Children Toothbrush Creative Shape High Density Bristles Silicone Oral Care Cleaning Massage Toddler Brush for Home Children", "product_information": {"Item Weight": "1.76 ounces", "Manufacturer": "KOqwez33", "ASIN": "B09LQHW84R", "Item model number": "KOqwez33", "Date First Available": "November 11, 2021"}, "brand": "Brand: KOqwez33", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=KOqwez33", "full_description": "Description:Toothbrush that adopts vibrant color and lovely cartoon shape design, which can well attract kids attention to stimulate their interest in brushing teeth, and develop the good habit of brushing teeth on time.Unlike other similar products, the design of high toughness soft U-shaped brush head makes this toothbrush has the ability to 360 degrees deeply cleaning children's teeth stains, tart and plaque, as well as preventing gum bleeding effectively. This product is equipped with an ergonomic handle so that it is comfortable and convenient to grip during brushing their teeth.It is made of high-quality silicone and PP material.The length of this product is 11cm, width is 4.5cm and height is 4cm.It is suitable for kids from 2-12 years old.Item Name: Children ToothbrushMaterial: Silicone,PP(Polypropylene)Features: Eye-catching, Dental Care, Eco-friendlyUsing Type: ReusableSize Details: Size: 11cm x 4.5cm x 4cm/4.33\" x 1.77\" x 1.57\" (Approx.)Notes:Due to the light and screen setting difference, the item's color may be slightly different from the pictures.Please allow slight dimension difference due to different manual measurement.Package Includes:1 x Children Toothbrush", "pricing": "$4.40", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/21pzfXYgbEL.jpg", "https://m.media-amazon.com/images/I/31pFkw+JNPL.jpg", "https://m.media-amazon.com/images/I/41IeRd9nXUL.jpg", "https://m.media-amazon.com/images/I/31GNOHBJ8bL.jpg", "https://m.media-amazon.com/images/I/31fedbI+ooL.jpg", "https://m.media-amazon.com/images/I/31KB6DJen+L.jpg", "https://m.media-amazon.com/images/I/21pzfXYgbEL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothbrushes & Accessories \u203a Manual Toothbrushes", "average_rating": "", "small_description": ["It is made of high-quality silicone and PP material. ", "It is suitable for kids from 2-12 years old. ", "Unlike other similar products, the design of high toughness soft U-shaped brush head makes this toothbrush has the ability to 360 degrees deeply cleaning children's teeth stains, tart and plaque, as well as preventing gum bleeding effectively. This product is equipped with an ergonomic handle so that it is comfortable and convenient to grip during brushing their teeth. ", "The length of this product is 11cm, width is 4.5cm and height is 4cm. ", "Toothbrush that adopts vibrant color and lovely cartoon shape design, which can well attract kids attention to stimulate their interest in brushing teeth, and develop the good habit of brushing teeth on time. "], "total_reviews": "", "total_answered_questions": "", "model": "KOqwez33", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Blue", "price_string": "$4.40", "price": 4.4, "image": "https://m.media-amazon.com/images/I/21pzfXYgbEL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LQQ619W/ref=twister_B09LMH18GY?_encoding=UTF8&psc=1", "value": "Pink", "price_string": "$3.40", "price": 3.4, "image": "https://m.media-amazon.com/images/I/21t+L7aXC1L.jpg"}]}, "seller_id": "A2BOPW2K51V1LD", "seller_name": "KOqwez33", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09LQHW84R", "category": "beauty", "query": "Children's Dental Care", "page": 124, "small_description_old": "About this item\n \nIt is made of high-quality silicone and PP material. It is suitable for kids from 2-12 years old. Unlike other similar products, the design of high toughness soft U-shaped brush head makes this toothbrush has the ability to 360 degrees deeply cleaning children's teeth stains, tart and plaque, as well as preventing gum bleeding effectively. This product is equipped with an ergonomic handle so that it is comfortable and convenient to grip during brushing their teeth. The length of this product is 11cm, width is 4.5cm and height is 4cm. Toothbrush that adopts vibrant color and lovely cartoon shape design, which can well attract kids attention to stimulate their interest in brushing teeth, and develop the good habit of brushing teeth on time."}, {"name": "4-Tier Ladder Bookshelf Organizer,Iron Open Bookcase Organizer (Black)", "product_information": {"ASIN": "B088WSDHTW", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#3,158,848 in Home & Kitchen (See Top 100 in Home & Kitchen) #4,986 in Bookcases"], "Date First Available": "May 20, 2020"}, "brand": "Brand: Kcelarec", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Kcelarec", "full_description": "Introductions: If you are looking for a practical bookshelf, you can't miss this Widen 4 Tiers Bookshelf. This bookshelf is made of high quality material, which is stable, sturdy and durable. Its design of 4 tiers can hold a lot of books, and its strong bearing capacity can bear 44-88 lbs. You not only can put book in this bookshelf, but also it can place many other items like potting, decoration, etc. In addition, with its exquisite appearance and fine workmanship, this bookshelf also can be a decoration in your room. Don't hesitate, it's worth buying! Features: 1. Made of high quality iron 2. Stable, sturdy and durable 3. Practical, design of 4 tiers can hold a lot of items 4. 44-88 lbs strong bearing capacity 5. Exquisite appearance and fine workmanship 6. Easy to install Note: 1.When receiving the goods, please confirm the product according to the listing of instructions. Once you find Less pieces, please provide relevant pictures to contact us. We will deal it in the time. 2.Please install goods with the instruction manual. 3.It is recommended that the installation should not be too tight to adjust easily. After the structure is installed, firm the interface for more stability. Specifications: 1. Material: Iron 2. Color: Ivory White 3. Dimensions: (23.62 x 13.78 x 57.87)\" / (60 x 35 x 147)cm (L x W x H) 4. Weight: 8.82 lbs / 4.5 kg 5. Weight Capacity: 44-88 lbs Package Includes: 2 x L Tubes 2 x Front Tubes 2 x Rear Tubes 4 x Meshes 16 x Screws 4 x Foot Pads 1 x Manual", "pricing": "$36.94", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41Tbj+f2soL.jpg", "https://m.media-amazon.com/images/I/41fupKm59xL.jpg", "https://m.media-amazon.com/images/I/41xDM2DimzL.jpg", "https://m.media-amazon.com/images/I/41xDFqI315L.jpg", "https://m.media-amazon.com/images/I/51BlifLFBdL.jpg", "https://m.media-amazon.com/images/I/314NrhCZHuL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Bookcases", "average_rating": 5, "small_description": ["Made of high quality iron ", "Stable, sturdy and durable ", "Practical, design of 4 tiers can hold a lot of items ", "44-88 lbs strong bearing capacity ", "Easy to install "], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "A3CGPX9Y3YN6SL", "seller_name": "Kcelarec", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B088WSDHTW", "category": "garden", "query": "Bookcases", "page": 193, "small_description_old": "About this item Made of high quality iron Stable, sturdy and durable Practical, design of 4 tiers can hold a lot of items 44-88 lbs strong bearing capacity Easy to install \n \u203a See more product details"}, {"name": "Women's Warm Fall Winter Tops, Thicken Padded Plus Size Outerwear Drawstring Long Sleeve Pockets Hooded Overcoats S-5XL", "product_information": {"Item Weight\n \u200f": "\u200e\n 4.23 Ounces", "Item model number\n \u200f": "\u200e\n Christmas Clothes clearance", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n November 15, 2021", "ASIN\n \u200f": "\u200e\n B09LVLWMKF", "": ""}, "brand": "Visit the ylioge Store", "brand_url": "https://www.amazon.com/stores/YLIOGE/page/4CBDAB8D-2F45-49C0-9596-A4A139F37DDA?ref_=ast_bln", "full_description": "\ud83c\udf08----Welcome to----QIUsujing----\ud83c\udf08\ud83c\udf08\ud83c\udf08\ud83c\udf08\ud83c\udf08\ud83c\udf08----QIUsujing is committed to designing fashion clothing that fits the body and allows you to move freely. We help you chase things that bring you happiness and enjoyment. We are always ready to work with you to provide you with an unparalleled shopping experience.1.CUSTOMER COMES FIRST.2. Women are welcomed to shine from the inside out.QIUsujing are here for you. Follow QIUsujing, find your own style.3.If you have any problem of our products,let us know,full-money-back and can be returned or free resent no questions asked.----Attention\u26a01. Due to manual measurement, please allow a measurement deviation of 1-2cm.2. To ensure you get the right size, please refer to our size chart before buying.----\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38\ud83c\udf38----Size chart:Label Size: Small US: 4 UK: 8 EU: 32 Bust: 118cm/46.46'' Length: 76cm/29.92'' Shoulder Width: 61cm/24.02'' Sleeve Length: 55.5cm/21.85' 'Neck: 58 cm/22.83 inchesLabel Size: Medium US: 6 UK: 10 EU: 34 Bust: 122cm/48.03'' Length: 77cm/30.31'' Shoulder Width: 62cm/24.41'' Sleeve Length: 56.5cm/22.24'' Neck \uff1a59cm/23.23''Label Size: Large US: 8 UK: 12 EU: 36 Bust: 126cm/49.61'' Length: 78cm/30.71'' Shoulder Width: 63cm/24.80'' Sleeve Length: 57.5cm/22.64'' Neck \uff1a60cm/23.62''Label Size: X-Large US: 10 UK: 14 EU: 38 Bust: 130cm/51.18'' Length: 79cm/31.10'' Shoulder Width: 64cm/25.20'' Sleeve Length: 58.5cm/23.03'cm Neck Department: 61 /24.02''Label size: XX-Great America: 12 UK: 16 EU: 40 Bust: 134cm/52.76'' Length: 80cm/31.50'' Shoulder Width: 65cm/25.59'' Sleeve Length: 59.5cm/23.43'cm Neck Department: 62 /24.136''", "pricing": "$71.99$79.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41Swm5f0VQL.jpg", "https://m.media-amazon.com/images/I/41Swm5f0VQL.jpg", "https://m.media-amazon.com/images/I/51RQuJY46yL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Patio, Lawn & Garden \u203a Gardening & Lawn Care \u203a Lawn & Mulch Paint \u203a Lawn Paint", "average_rating": "", "small_description": ["\u266bFast shipping.Standard: 7-14 Days./Expedited: 3-5 Days\u266b ", "\u266b\u266bClearance On Sale, Buy 2 save 12% on each; Buy 5 get 1 for free\u266b\u266b ", "\u266b\u266bSize runs Small. Please Order 1-2 size up\u266b\u266b ", "Black friday deals 2021,Cyber monday sale! closure ", "achine/Hand Wash in Cold Water, Line Dry. ", "closet tunes shirt skirts for women womens plus size tops sweatshirts for women hoodie pullover teal dress sweater weather plus size tops for women dressy brunch outfits for women dress cover up formal womens tank tops loose fit womens work tops purple dress for girls green silk dress plus size mini skirt white sweater dress cute tank tops for women long black skirt green tops for women pride shirt white dress women striped sweater women y2k top halter tops for women white pencil skirts ", "women's plus tops & tees white plus size jackets gauze dresses for women casual fall plus womens tops denim crop top for women white jean jacket short sleeve jean jacket jean jacket women denim jacket for women womens denim jacket women's denim jackets denim jacket womens jean jacket jeans jacket for women women jean jacket jean jacket for women long jean jacket for women distressed jean jacket women jean jackets for women , women rose jacket womens green jacket boys navy blazer colorful jackets for women dresses for women girls metallic skirt green suit women green womens jacket jacket women skirt metalic pink skirt metallic pink skirt navy blue vest women navy jacket women pink metalic skirt pink metallic skirt purple suit red body suits women red skirt tight women ready to wear jackets pants women jacket long sleeve dress what to wear with leggings in fall women's formal pants, plus size dressy tops, womens plus size summer tops, womens tops under 10 dollars, womens crop tops summer, women shirts and blouses sexy, summer tops women, womens summer crop tops, short sleeve tops for women summer, women's tops summer, summer blouses for women fashion 2021, womens summer top, womens blouses summer, sexy tops for women summer, sexy shirts for women summer, crop tops for women sexy casual, women shirts summer, womens tunic tops short sleeve,, cute graphic\u00a0hoodieswhite dress puffy sleeves fall loose tops for women shorts for women trendy dress with buttons in front lightweight womens cardigan tops for women sexy casual plus size cardigan for women spring black and white striped tank top women purple plaid shirts button down skirt vests for women long running for women tshirts shirts for women for women casual fall white long cardigans for women valentine hat jackets for women plus size workout tops for women"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09LVJKL37"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09LVL3MB1"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09LVK6ML8"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09LVJKG22"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B09LVMQ1K6"}, {"is_selected": false, "is_available": true, "value": "4X-Large", "asin": "B09LVKJD7Q"}, {"is_selected": false, "is_available": true, "value": "5X-Large", "asin": "B09LVKVQ43"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09LVLWMKF/ref=twister_B09LVJYBLK", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31YsUZWGA2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LVKNSMN/ref=twister_B09LVJYBLK", "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ptHR4yEmL.jpg"}, {"is_selected": true, "url": null, "value": "Khaki", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Swm5f0VQL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LVMVKKZ/ref=twister_B09LVJYBLK", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41R8MCAD7zL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LVJ4HYC/ref=twister_B09LVJYBLK", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41wtifC3STL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LVLC5L7/ref=twister_B09LVJYBLK", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/419cmM0bPRL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09LVMQ1K6", "category": "beauty", "query": "Oral Pain Relief", "page": 38, "small_description_old": "\u266bFast shipping.Standard: 7-14 Days./Expedited: 3-5 Days\u266b \u266b\u266bClearance On Sale, Buy 2 save 12% on each; Buy 5 get 1 for free\u266b\u266b \u266b\u266bSize runs Small. Please Order 1-2 size up\u266b\u266b Black friday deals 2021,Cyber monday sale! closure achine/Hand Wash in Cold Water, Line Dry. closet tunes shirt skirts for women womens plus size tops sweatshirts for women hoodie pullover teal dress sweater weather plus size tops for women dressy brunch outfits for women dress cover up formal womens tank tops loose fit womens work tops purple dress for girls green silk dress plus size mini skirt white sweater dress cute tank tops for women long black skirt green tops for women pride shirt white dress women striped sweater women y2k top halter tops for women white pencil skirts women's plus tops & tees white plus size jackets gauze dresses for women casual fall plus womens tops denim crop top for women white jean jacket short sleeve jean jacket jean jacket women denim jacket for women womens denim jacket women's denim jackets denim jacket womens jean jacket jeans jacket for women women jean jacket jean jacket for women long jean jacket for women distressed jean jacket women jean jackets for women \n women rose jacket womens green jacket boys navy blazer colorful jackets for women dresses for women girls metallic skirt green suit women green womens jacket jacket women skirt metalic pink skirt metallic pink skirt navy blue vest women navy jacket women pink metalic skirt pink metallic skirt purple suit red body suits women red skirt tight women ready to wear jackets pants women jacket long sleeve dress what to wear with leggings in fall women's formal pantsplus size dressy tops, womens plus size summer tops, womens tops under 10 dollars, womens crop tops summer, women shirts and blouses sexy, summer tops women, womens summer crop tops, short sleeve tops for women summer, women's tops summer, summer blouses for women fashion 2021, womens summer top, womens blouses summer, sexy tops for women summer, sexy shirts for women summer, crop tops for women sexy casual, women shirts summer, womens tunic tops short sleeve,cute graphic\u00a0hoodieswhite dress puffy sleeves fall loose tops for women shorts for women trendy dress with buttons in front lightweight womens cardigan tops for women sexy casual plus size cardigan for women spring black and white striped tank top women purple plaid shirts button down skirt vests for women long running for women tshirts shirts for women for women casual fall white long cardigans for women valentine hat jackets for women plus size workout tops for womenShow more"}, {"name": "Women's Heeled Sandals Sexy Minimalistic Cut out Rear Zipper Wedge Roman Sandals Casual Solid Stiletto Pump for Night Party Comfy Lightweight Summer Shoes", "product_information": {"Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n December 8, 2021", "Manufacturer\n \u200f": "\u200e\n pnroktd", "ASIN\n \u200f": "\u200e\n B09N9STC4Z", "": ""}, "brand": "Visit the pnroktd Store", "brand_url": "https://www.amazon.com/stores/pnroktd/page/E92A55CE-1096-4899-9DF9-9A0671ADA624?ref_=ast_bln", "full_description": "Welcome To pnroktd Store\u260e24 Hours Online: If you have any questions, please feel free to contact the Zkuisw service team, we will solve it for you.Size Chart(1Inch=2.54cm):Please Allow 0.5-859Inch Differs Due to Manual Measurement, Thanks!We are Asian Size,run smaller than US size,so i will suggest you choose one size or two size larger than you usual size , it will be more relax and comfortable.\u27a4 Size: 36 Foot Length: 23cm/9.06'' EU: 36 UK: 3.5 US: 5.5 \u27a4 Size: 37 Foot Length: 23.5cm/9.25'' EU: 37 UK: 4 US: 6 \u27a4 Size: 38 Foot Length: 24cm/9.45'' EU: 37.5 UK: 4.5 US: 6.5 \u27a4 Size: 39 Foot Length: 24.5cm/9.65'' EU: 38 UK: 5 US: 7 \u27a4 Size: 40 Foot Length: 25cm/9.84'' EU: 39 UK: 5.5 US: 7.5 \u27a4 Size: 41 Foot Length: 25.5cm/10.04'' EU: 40 UK: 6 US: 8 \u27a4 Size: 42 Foot Length: 26cm/10.24'' EU: 40.5 UK: 6.5 US: 8.5", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31RRTqFpZML.jpg", "https://m.media-amazon.com/images/I/41iNUOHoDaL.jpg", "https://m.media-amazon.com/images/I/31sWfuLw-2L.jpg", "https://m.media-amazon.com/images/I/41sDll1NPDL.jpg", "https://m.media-amazon.com/images/I/311EGHxwCGL.jpg", "https://m.media-amazon.com/images/I/31N+zZU8UpL.jpg", "https://m.media-amazon.com/images/I/41nFY05KpCL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Sandals \u203a Heeled Sandals", "average_rating": "", "small_description": ["\ud83d\udd25\ud83d\udd25Christmas Limited Time Offer\ud83d\udd25\ud83d\udd25 Save 10% on each participating item when you spend $150.00 or more on Qualifying items offered by LayLetmet. ", "\ud83d\udc62\u3010Delivery Time\u3011 about 7-15 days to arrive.Our sizes are DIFFERENT from Amazon Size Chart, please refer to the size chart on the product description page. ", "\u2764\ufe0f[pnroktd] pnroktd is committed to providing high-quality shoes, clothing and accessories.pnroktd has fashionable boots, dress, T-shirt, skirt, swimsuits, jackets, shirts, shoulder bags, messenger bags etc. ", "Rubber sole ", "Heel measures approximately 5 centimeters ", "women's block low mid heel open toe sparkling glitter rhinestone dress sandal slides slipper flip flop sandals hand beaded embroidered studded faux rhinestone mid heel open toe sandal slippers women's hand beaded flip flop sandals crystal rhinestone patterned handmade sandals platform wedge dress sandals slippers women's stiletto heels open toe ankle buckle strap platform high heel evening party dress casual pointed toe chunky ankle strap buckle high heels shoes ", "black flats shoes women flats for women flats shoes women black flats women shoes flats shoes women flat shoes for women women shoes women flat shoes black shoes for women women shoes women flats shoes for women women shoes bobs shoes women shoes black flats for women bobs sketcher shoes for women women shoes shoes for teen girls memory foam shoes for women ballet flats women's shoes black shoes wide shoes for women women house shoes ballet flats for women , women shiny heel shoes women party shoes ladies sandals women rose gold sandals women flower sandals women cross sandals women platform sandals suede shoes sequin shoes waterproof shoes non slip shoes athletic shoes roman shoes gym shoes brioche tennis shoes cloth shoes soft cloth shoes thick heels flip flops soft flip flops comfortable flip flops peep toe flip flops fish mouth flip flops couple slippers beach slippers wedges slippers, woman black flat shoes for women black canvas shoes for women black flat shoes travel essentials women flats wide flats for women ballet slippers women summer sandals shoe house shoes black flats women black flats shoes women wide width women shoes flats best selling flats for women flat black shoes women fall shoes flat women shoes black ballet shoes for women women shoes flats women house shoes black women flats flats women flat women shoes maternity clothes summer shoes, womens knee high gladiator sandals flat lace up strappy summer shoes flat sandals shoes,women's open toe strappy hollow out ankle strap buckle sandals low chunky heel pumps beach shoes women's casual peep toe flats shoes slip on shallow shoes slingback platform sandals flatform party dress sandals women casual bow tie flat platform sandals leopard print slipper beach shoes flat sandals women toe shallow shoes flat loafers buckle ankle strap slip on sandals"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null, "Size": [{"is_selected": false, "is_available": true, "value": "5.5", "asin": "B09N9STC4Z"}, {"is_selected": false, "is_available": true, "value": "6", "asin": "B09N9V2M9B"}, {"is_selected": false, "is_available": true, "value": "6.5", "asin": "B09N9T3F9Y"}, {"is_selected": false, "is_available": true, "value": "7", "asin": "B09N9SGVN7"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B09N9T673Q"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B09N9RHLR7"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B09N9SX13C"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09N9T673Q", "category": "fashion", "query": "Women's Pumps", "page": 126, "small_description_old": "\ud83d\udd25\ud83d\udd25Christmas Limited Time Offer\ud83d\udd25\ud83d\udd25 Save 10% on each participating item when you spend $150.00 or more on Qualifying items offered by LayLetmet. \ud83d\udc62\u3010Delivery Time\u3011 about 7-15 days to arrive.Our sizes are DIFFERENT from Amazon Size Chart, please refer to the size chart on the product description page. \u2764\ufe0f[pnroktd] pnroktd is committed to providing high-quality shoes, clothing and accessories.pnroktd has fashionable boots, dress, T-shirt, skirt, swimsuits, jackets, shirts, shoulder bags, messenger bags etc. Rubber sole Heel measures approximately 5 centimeters women's block low mid heel open toe sparkling glitter rhinestone dress sandal slides slipper flip flop sandals hand beaded embroidered studded faux rhinestone mid heel open toe sandal slippers women's hand beaded flip flop sandals crystal rhinestone patterned handmade sandals platform wedge dress sandals slippers women's stiletto heels open toe ankle buckle strap platform high heel evening party dress casual pointed toe chunky ankle strap buckle high heels shoes black flats shoes women flats for women flats shoes women black flats women shoes flats shoes women flat shoes for women women shoes women flat shoes black shoes for women women shoes women flats shoes for women women shoes bobs shoes women shoes black flats for women bobs sketcher shoes for women women shoes shoes for teen girls memory foam shoes for women ballet flats women's shoes black shoes wide shoes for women women house shoes ballet flats for women \n women shiny heel shoes women party shoes ladies sandals women rose gold sandals women flower sandals women cross sandals women platform sandals suede shoes sequin shoes waterproof shoes non slip shoes athletic shoes roman shoes gym shoes brioche tennis shoes cloth shoes soft cloth shoes thick heels flip flops soft flip flops comfortable flip flops peep toe flip flops fish mouth flip flops couple slippers beach slippers wedges slipperswoman black flat shoes for women black canvas shoes for women black flat shoes travel essentials women flats wide flats for women ballet slippers women summer sandals shoe house shoes black flats women black flats shoes women wide width women shoes flats best selling flats for women flat black shoes women fall shoes flat women shoes black ballet shoes for women women shoes flats women house shoes black women flats flats women flat women shoes maternity clothes summer shoeswomens knee high gladiator sandals flat lace up strappy summer shoes flat sandals shoes,women's open toe strappy hollow out ankle strap buckle sandals low chunky heel pumps beach shoes women's casual peep toe flats shoes slip on shallow shoes slingback platform sandals flatform party dress sandals women casual bow tie flat platform sandals leopard print slipper beach shoes flat sandals women toe shallow shoes flat loafers buckle ankle strap slip on sandalsShow more"}, {"name": "AILUNSNIKA Womens Bikini Swimsuit Cover Up Beach Long Turkish Kaftan Dress", "product_information": {"Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n August 27, 2020", "ASIN\n \u200f": "\u200e\n B08QRHCHLZ", "Best Sellers Rank": "#1,037,919 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#3,704 in Women's Swimwear Cover Ups", "#3,704 in Women's Swimwear Cover Ups": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "Brand: Ailunsnika Style: Loose Pattern: Print/Stripe/Solid Occasion: Summer, Beach,Daily life Item Type: Swimwear Cover Up Package Contents: 1 X Piece There maybe 0.3-0.7 inch deviation in different sizes, locations and stretch of fabrics. Color may be lighter or darker due to the different PC display.", "pricing": "$26.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51t6fQJ-cdL.jpg", "https://m.media-amazon.com/images/I/519H+CqrcqL.jpg", "https://m.media-amazon.com/images/I/51WFyPFkCyL.jpg", "https://m.media-amazon.com/images/I/51HQKoWhp3L.jpg", "https://m.media-amazon.com/images/I/51hSkDfYYeL.jpg", "https://m.media-amazon.com/images/I/51+rzFOpCWL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Swimsuits & Cover Ups \u203a Cover-Ups", "average_rating": 4.5, "small_description": ["100% Rayon ", "Imported ", "One Size: Fit US Size ,S,M,L,XL,Bust:51.18\" Sleeve:10.24\" Length:49.21\" ", "Beach cover ups with beautiful print and overall design ", "V neck kaftan for women,can be dress over the bathing suit ", "The fabric and cut are very comfortable for lounging or stepping out ", "Occasion: maxi dress is a perfect for beachwear, resort wear, pool and daily wear "], "total_reviews": 13, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09PB9LF7G/ref=twister_B08QRHCHLZ?_encoding=UTF8&psc=1", "value": "B-leopard Print 1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41946pvBbLL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PB7GCFZ/ref=twister_B08QRHCHLZ?_encoding=UTF8&psc=1", "value": "B-leopard Print 2", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41+zGZ+pabL.jpg"}, {"is_selected": true, "url": null, "value": "C-ethnic Print 1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51t6fQJ-cdL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PB8FZ3D/ref=twister_B08QRHCHLZ?_encoding=UTF8&psc=1", "value": "C-ethnic Print 2", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51LbsSYs3oL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PB9Y982/ref=twister_B08QRHCHLZ?_encoding=UTF8&psc=1", "value": "C-ethnic Print 3", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51ulS1caV4L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PBB8J4Y/ref=twister_B08QRHCHLZ?_encoding=UTF8&psc=1", "value": "D-black Print", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51+bopq9x2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PB9GW1D/ref=twister_B08QRHCHLZ?_encoding=UTF8&psc=1", "value": "D-blue Print", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/411cM4pt-EL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PBBH41K/ref=twister_B08QRHCHLZ?_encoding=UTF8&psc=1", "value": "D-brown Print", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41l3BIyP+tL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PBBB6PW/ref=twister_B08QRHCHLZ?_encoding=UTF8&psc=1", "value": "D-green Print", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51xcSBxnOwL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PB91JJT/ref=twister_B08QRHCHLZ?_encoding=UTF8&psc=1", "value": "D-light Green Print", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41NZ5mTA6ZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PB9N5XV/ref=twister_B08QRHCHLZ?_encoding=UTF8&psc=1", "value": "D-yellow Print", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/511qoJmVNsL.jpg"}]}, "seller_id": "A2N5L2FBJC8IDJ", "seller_name": "Ailunsnika", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09PB9MWKR", "category": "fashion", "query": "Women's Swimsuits & Cover Ups", "page": 51, "small_description_old": "One Size: Fit US Size ,S,M,L,XL,Bust:51.18\" Sleeve:10.24\" Length:49.21\" Beach cover ups with beautiful print and overall design V neck kaftan for women,can be dress over the bathing suit The fabric and cut are very comfortable for lounging or stepping out Occasion: maxi dress is a perfect for beachwear, resort wear, pool and daily wear"}, {"name": "Set of 2 Velvet Upholstered Dining Chairs Soft Padded Button Tufted Wingback Chairs with Nailhead Trim and Wooden Legs,Easy Assembly(Black)", "product_information": {"Product Dimensions": "17.3 x 19.7 x 37.5 inches", "Manufacturer": "GNIXUU", "ASIN": "B09GY58GDH", "Customer Reviews": {"ratings_count": 52, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#177,987 in Home & Kitchen (See Top 100 in Home & Kitchen) #149 in Kitchen & Dining Room Chairs"], "Date First Available": "August 27, 2021"}, "brand": "Visit the GNIXUU Store", "brand_url": "https://www.amazon.com/stores/GNIXUU/page/6CBA858F-F3E9-4FD9-B980-7D04D274880D?ref_=ast_bln", "full_description": "", "pricing": "$238.99", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/51XESmAjziL.jpg", "https://m.media-amazon.com/images/I/3100smDCw2L.jpg", "https://m.media-amazon.com/images/I/41NUXRPtJ0L.jpg", "https://m.media-amazon.com/images/I/31keuWnrbNL.jpg", "https://m.media-amazon.com/images/I/41XuLJdneTL.jpg", "https://m.media-amazon.com/images/I/51ipsmsbkhL.jpg", "https://m.media-amazon.com/images/I/51F5MeHKL9L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Dining Room Furniture \u203a Chairs", "average_rating": 4.8, "small_description": ["Material of The Dining Chair :Upholstered in premium luxury velvet fabric and firmly supported by solid wood legs,this velvet dining chairs set featuring a very modern mid-century look. ", "Ergonomic High Back :This wingback dining chair set is equipped with high backrest for a strong comfortable back support. Deep tufted back and nailhead trim add a very contemporary touch into the dining chair set. ", "Soft and Comfortable Kitchen Chairs :Padded with soft high density sponge ,this cozy kitchen dining chair set offers a very comfy sitting experience.And brings a very warm atmosphere into dining room,sitting room and apartment. ", "Sturdy Upholstered Dining Chairs :Structured in a solid wood frame and supported by 4 natural solid rubber wood legs. These velvet dining chairs are very sturdy and durable . ", "Easy to assemble and contour shape: This fabric upholstered dining chair set has a unique contour shape design. When installing, you need to unzip pocket under the seat for the legs and take them out for simple assembly. All tools and hardware and instructions for use will be provided with the chair. "], "total_reviews": 52, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09GY77GMF/ref=twister_B09DPRQCS9?_encoding=UTF8&psc=1", "value": "Beige", "price_string": "$259.99", "price": 259.99, "image": "https://m.media-amazon.com/images/I/51XE0n9FZYL.jpg"}, {"is_selected": true, "url": null, "value": "Black", "price_string": "$238.99", "price": 238.99, "image": "https://m.media-amazon.com/images/I/51XESmAjziL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09DPR1LRK/ref=twister_B09DPRQCS9?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "$225.99", "price": 225.99, "image": "https://m.media-amazon.com/images/I/51Kk5zRKH2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MDXNZGV/ref=twister_B09DPRQCS9?_encoding=UTF8&psc=1", "value": "Green", "price_string": "$238.99", "price": 238.99, "image": "https://m.media-amazon.com/images/I/51z9NsntmcL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09DPSGH4R/ref=twister_B09DPRQCS9?_encoding=UTF8&psc=1", "value": "Grey", "price_string": "$238.99", "price": 238.99, "image": "https://m.media-amazon.com/images/I/51knuL9KlkL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09S5TZNHV/ref=twister_B09DPRQCS9?_encoding=UTF8&psc=1", "value": "Light Grey", "price_string": "$238.99", "price": 238.99, "image": "https://m.media-amazon.com/images/I/31oB0JJaH-L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RZHK19L/ref=twister_B09DPRQCS9?_encoding=UTF8&psc=1", "value": "Teal", "price_string": "$238.99", "price": 238.99, "image": "https://m.media-amazon.com/images/I/51hsOco3gYL.jpg"}]}, "seller_id": "A3CNRKXRJJQ0GY", "seller_name": "JuLiangYu", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B09GY58GDH", "category": "garden", "query": "Dining Sets", "page": 11, "small_description_old": "About this item\n \nMaterial of The Dining Chair :Upholstered in premium luxury velvet fabric and firmly supported by solid wood legs,this velvet dining chairs set featuring a very modern mid-century look. Ergonomic High Back :This wingback dining chair set is equipped with high backrest for a strong comfortable back support. Deep tufted back and nailhead trim add a very contemporary touch into the dining chair set. Soft and Comfortable Kitchen Chairs :Padded with soft high density sponge ,this cozy kitchen dining chair set offers a very comfy sitting experience.And brings a very warm atmosphere into dining room,sitting room and apartment. Sturdy Upholstered Dining Chairs :Structured in a solid wood frame and supported by 4 natural solid rubber wood legs. These velvet dining chairs are very sturdy and durable . Easy to assemble and contour shape: This fabric upholstered dining chair set has a unique contour shape design. When installing, you need to unzip pocket under the seat for the legs and take them out for simple assembly. All tools and hardware and instructions for use will be provided with the chair."}, {"name": "Organic Raw Sprouted Hi-Protein Whole Food Bars - Vanilla (12-pack)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 7 x 6 x 2.5 inches; 2.1 Pounds", "UPC\n \u200f": "\u200e\n 858264005152", "Manufacturer\n \u200f": "\u200e\n Healthy Truth", "ASIN\n \u200f": "\u200e\n B08LQZ5BRC", "Best Sellers Rank": "#237,427 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#467 in High Protein Bars", "#467 in High Protein Bars": ""}, "brand": "Visit the Healthy Truth Store", "brand_url": "https://www.amazon.com/stores/HealthyTruth/page/8E44341D-321C-4EAD-8021-42183DC83A81?ref_=ast_bln", "full_description": "Our Vanilla Protein Bar is made with the cleanest, finest ingredients. One of the only RAW bars on the market, they are plant-based, gluten-free, dairy-free and sprouted. Made with 19g of high quality pea and sacha inchi protein in a 2.6oz bar. Protein bars are not just for pre and post exercise anymore. They can fill the void as a healthy snack between meals, replace meals, or help provide your body the nutrition that it requires. When perusing the grocery store, convenience store, health food store, etc. it becomes apparent that the choices are numerous and unless you have an hour to read all the labels before you choose, it is not easy to know who to trust. Facts About Other Protein Bars: Whey is heavily processed and is assimilated just as well as plant-based protein. People with dairy allergies, intolerances, or other manifestations from dairy cannot tolerate whey Most protein bars on the market undergo high heat during the manufacturing process. Most protein bars contain refined sugars, corn syrup, sugar alcohols that create intestinal discomfort Most protein bars contain natural flavors (a red flag for sure). If it is so natural, tell us what it is. Most protein bars contain the following commonly found ingredients: palm kernel oil, maltitol, vegetable glycerin, calcium carbonate, disodium phosphate, gelatin, sucralose, brown rice syrup, calcium caseinate, etc. Facts about Healthy Truth Protein Bars: Healthy Truth protein bars are made from sprouted nuts and seeds for optimal digestibility and maximum assimilation of nutrients. Healthy Truth bars are never heated. They are formed and packaged raw with no processing. Healthy Truth bars contain all the essential amino acids and are a complete protein. Healthy Truth protein bars are made from whole foods. When feeding your body, the choice is clear. Healthy Truth. Live Better, Feel Better, Be Better. INGREDIENTS: Dates*, Coconut Nectar*, Pea Protein Powder*", "pricing": "$42.99", "list_price": "", "availability_quantity": 9, "availability_status": "Only 9 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41ABWCrEKsS.jpg", "https://m.media-amazon.com/images/I/31L5qRtIp0S.jpg", "https://m.media-amazon.com/images/I/41ntmsyV6kS.jpg", "https://m.media-amazon.com/images/I/41eUyEs1uWS.jpg", "https://m.media-amazon.com/images/I/51FbShHxNJS.jpg", "https://m.media-amazon.com/images/I/51YcZdxN-SS.jpg", "https://m.media-amazon.com/images/I/411L35E6hMS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Bars \u203a High Protein", "average_rating": "", "small_description": ["Our Vanilla Protein Bar is made with the cleanest, finest whole food ingredients. ", "One of the only RAW bars on the market. ", "Made with 19g of high quality pea and sacha inchi protein in a 2.6oz bar. ", "Healthy Truth protein bars contain all the essential amino acids and are a complete protein. ", "Raw, Organic, SPROUTED, Gluten-Free, Dairy-Free, Vegan, Plant-Based, and Clean Label! "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Flavor Name": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08LQYBFGT/ref=twister_B08SFMD2VT?_encoding=UTF8&psc=1", "value": "Chocolate (12-pack)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08LQZFMY4/ref=twister_B08SFMD2VT?_encoding=UTF8&psc=1", "value": "Mixed Berry Exercise Recovery (12-pack)", "price_string": "$42.99", "price": 42.99, "image": null}, {"is_selected": true, "url": null, "value": "Vanilla (12-pack)", "price_string": "$42.99", "price": 42.99, "image": null}]}, "seller_id": "A37GGA6X7DPCI3", "seller_name": "Healthy Truth, LLC", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08LQZ5BRC", "category": "grocery", "query": "Breakfast Foods", "page": 139, "small_description_old": "About this item Our Vanilla Protein Bar is made with the cleanest, finest whole food ingredients. Our Vanilla Protein Bar is made with the cleanest, finest whole food ingredients. Our Vanilla Protein Bar is made with the cleanest, finest whole food ingredients. One of the only RAW bars on the market. Made with 19g of high quality pea and sacha inchi protein in a 2.6oz bar. Healthy Truth protein bars contain all the essential amino acids and are a complete protein. Raw, Organic, SPROUTED, Gluten-Free, Dairy-Free, Vegan, Plant-Based, and Clean Label!"}, {"name": "Fotodiox Lens Mount Adapter with Leica 6-Bit M-Coding - Canon EOS (EF/EF-S) D/SLR Lens to Leica M Mount Rangefinder Camera Body", "product_information": {"Product Dimensions": "1 x 1 x 1 inches", "Item Weight": "1.6 ounces", "ASIN": "B0073AC440", "Item model number": "EOS-LM", "Customer Reviews": {"ratings_count": 9, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#627 in Camera Lens Adapters & Converters"], "Is Discontinued By Manufacturer": "No", "Date First Available": "January 30, 2012", "Manufacturer": "Fotodiox Inc.", "Country of Origin": "USA"}, "brand": "Visit the Fotodiox Store", "brand_url": "https://www.amazon.com/stores/Fotodiox+Inc./page/6DCBAB1A-49E0-42F0-87E7-D9E76AB67C47?ref_=ast_bln", "full_description": "If you have a SLR or DSLR camera and other maker/mount lenses, the Fotodiox Mount Adapters allow you to use your lenses on the film/digital camera body. Sharing lenses has some distinct advantages. Certain prime lens just can't be replaced, and you save the cost of purchase on new lenses. Fotodiox offers a range of adapter from large format to smaller format digital adapters. Adapting larger format lens to smaller format sensors (i.e: large format to medium format, medium format to 35mm, 35mm to micro 4/3) provides excellent edge-to-edge sharpness. The smaller image field helps minimize the effects of lens distortion and aberration by using the 'sweet spot' or center of the larger lens image circle.This Fotodiox lens mount adapter is made with high standard precision. This adapter allows all Canon EOS Mount Lenses (EF & EF-S) to fit on all Leica M mount camera bodies.Although the lens will fit physically, automatic diaphragm, auto-focusing, or any other functions will not operate correctly while using this adapter. In this case \"stop-down mode\" will need to be used when metering since the lens does not have the ability to have its aperture controlled by the camera body. You can shoot with manual mode or aperture priority mode. Infinity focusing is allowed.Compatible Cameras (including, but not limited to): Leica M3, M2, M1, M4, M5, CL, M6, MP, M7, M8, M9, Hexar RF Epson R-D1, 35mm Bessa, Cosina Voigtl\u00e4nder, Minolta CLE, Rollei 35 RF, Zeiss Ikon, Ricoh GXR A12 M-Mount ModuleActual product packaging and contents may differ from image shown due to packaging or product updates by manufacturer.", "pricing": "$29.95", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41M7WTWjAIL.jpg", "https://m.media-amazon.com/images/I/41GdjT-s+3L.jpg", "https://m.media-amazon.com/images/I/41tOHMHw28L.jpg", "https://m.media-amazon.com/images/I/51sZF1BuHoL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Accessories \u203a Lens Accessories \u203a Adapters & Converters", "average_rating": 4.4, "small_description": ["Smooth surface for effortless mount with 6-Bit M-Coding ", "High-tolerance precision craftsmanship; infinity focus or beyond allowed ", "All-metal design; hardened anodized aluminum construction ", "24 Month Manufacture Warranty "], "total_reviews": 9, "total_answered_questions": 6, "model": "EOS-LM", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B0073AC440", "category": "electronics", "query": "Lenses", "page": 224, "small_description_old": "About this item\n \nSmooth surface for effortless mount with 6-Bit M-Coding High-tolerance precision craftsmanship; infinity focus or beyond allowed All-metal design; hardened anodized aluminum construction 24 Month Manufacture Warranty"}, {"name": "ORT Bodycon Lingeries for Women,2 Piece 2 pc Sleepwear for Women,Sexy Printed Ugly Valentine Nightdress Loungewear Lingeries Rompers Clubwear", "product_information": {"Item model number\n \u200f": "\u200e\n women's exotic lingerie sets plus", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n February 5, 2022", "Manufacturer\n \u200f": "\u200e\n lingerie crotchless crotchless", "ASIN\n \u200f": "\u200e\n B09RV4TXKJ", "": ""}, "brand": "Brand: ORT", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=ORT", "full_description": "Women Lingerie Set Sexy Bra And Panty Jumpsuit Lingerie Sets New Sexy Fashion Lace Lingerie Underwear Sleepwear Pajamas Garter \u00a0 Features: 1.Put your body in a totally relaxed status, high elasticity belt. 2.Ultra smooth feeling, every diligent design consideration. 3.Focuses on a perfect underwear for you, not only inimitably sexy. 4.Make you super sexy and seductive. 5.Serve as a nightwear and also a stimulative sex kit for sexual life of couples. Product information: Season: All Gender: Women\u00a0 Occasion: Sexy Material: 90%\u00a0 Spandex Pattern Type: Solid Style: Casual,Sexy Sleeve length: Sleeveless How to wash: Hand wash Cold What you get: 2 PC Underwears", "pricing": "$13.08", "list_price": "", "availability_status": "Usually ships within 6 to 10 days.", "images": ["https://m.media-amazon.com/images/I/41Vepu3uNZL.jpg", "https://m.media-amazon.com/images/I/51TEdYSO33L.jpg", "https://m.media-amazon.com/images/I/316z+OFQVHL.jpg", "https://m.media-amazon.com/images/I/41N8rTfUsWL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Lingerie, Sleep & Lounge \u203a Sleep & Lounge \u203a Sets", "average_rating": "", "small_description": ["crotchless lingerie for women for sex ", "sexy lingerie for women naughty for sex ", "\ud83c\udf38About Size:Our products are in Asian sizes ,Please check our size chart carefully before orders, Recommend 1-2 size up. Thanks!\ud83c\udf38 ", "Snap closure ", "Hand Wash ", "women lingerie bodysuit lace teddy sleepwear one piece lingerie babydoll strappy chemise v neck nightwear plus size babydoll womens snap crotch lingerie v neck lace nighty mesh sleepwear women sexy sleepwear lace chemise nightgown full slip babydoll sleepwear sexy lingerie set for women high waist bra and panty sets lace floral babydoll 2 piece underwear sets v-neck see through lingerie floral lace babydoll sexy lingerie for women one piece bodysuit ", "lingerie set for women lace lingerie set sexy bra and panty set strappy 2 piece outfits women's floral embroidered mesh underwire bra and panty sexy lingerie set sexy bow choker halter floral lace sheer lingerie set for women see through bra and panty 2 piece lingerie set for women 3 pieces halter top and mini skirt with g-string pant black women lingerie with stockings and gloves, sexy garter belt lingerie set , lingerie set for women sexy lace bra and panty set two piece babydoll underwear embroidered applique lace lingerie,underwire mesh sheer honeymoon matching 3 piece lingerie set womens sexy lace lingerie set with garter belt 3 piece bralette panty garter women pu metallic leather halter bikini tank crop top vest bra underwear lingerie women lace lingerie set 2 pieces bralette bra and panty strappy lingerie set mesh underwear negligee, lingerie set for women push up for sex crotchless plus size with stockings women's lingerie for sexy sex camisoles & tanks naughty plus size bodysuit crotchless set bra and panty set sexy red lingerie for women plus size for sex sexy valentines day red lingerie for women plus push up set one piece with stockings crotchless babydoll lingerie for women plus size sexy hot for sex with push up bra plus white 3 pieces womens lingerie sexy for sex plus size costume set crotchless panties 2 piece set, lingerie set plus size lingerie for women red women's exotic lingerie sets plus size lingerie for women with underwire womens lingerie babydoll lingerie for women pink womens lingerie plus size lingerie with underwire women's lingerie plus size women's lingerie set for women black womens lingerie set sexy lingerie for women 2 piece set women's lingerie, sleep & lounge sexy lingerie for women naughty blue babydoll lingerie for women sexy hot lingerie for women 2 piece set women's lingerie set"], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2VK689BVEZM0V", "seller_name": "Emmalte(Delivery Time 10-25 Days)", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09RV4TXKJ", "category": "fashion", "query": "Women's Lingerie, Sleep & Lounge", "page": 51, "small_description_old": "crotchless lingerie for women for sex sexy lingerie for women naughty for sex \ud83c\udf38About Size:Our products are in Asian sizes ,Please check our size chart carefully before orders, Recommend 1-2 size up. Thanks!\ud83c\udf38 women lingerie bodysuit lace teddy sleepwear one piece lingerie babydoll strappy chemise v neck nightwear plus size babydoll womens snap crotch lingerie v neck lace nighty mesh sleepwear women sexy sleepwear lace chemise nightgown full slip babydoll sleepwear sexy lingerie set for women high waist bra and panty sets lace floral babydoll 2 piece underwear sets v-neck see through lingerie floral lace babydoll sexy lingerie for women one piece bodysuit lingerie set for women lace lingerie set sexy bra and panty set strappy 2 piece outfits women's floral embroidered mesh underwire bra and panty sexy lingerie set sexy bow choker halter floral lace sheer lingerie set for women see through bra and panty 2 piece lingerie set for women 3 pieces halter top and mini skirt with g-string pant black women lingerie with stockings and gloves, sexy garter belt lingerie set lingerie set for women sexy lace bra and panty set two piece babydoll underwear embroidered applique lace lingerie,underwire mesh sheer honeymoon matching 3 piece lingerie set womens sexy lace lingerie set with garter belt 3 piece bralette panty garter women pu metallic leather halter bikini tank crop top vest bra underwear lingerie women lace lingerie set 2 pieces bralette bra and panty strappy lingerie set mesh underwear negligee lingerie set for women push up for sex crotchless plus size with stockings women's lingerie for sexy sex camisoles & tanks naughty plus size bodysuit crotchless set bra and panty set sexy red lingerie for women plus size for sex sexy valentines day red lingerie for women plus push up set one piece with stockings crotchless babydoll lingerie for women plus size sexy hot for sex with push up bra plus white 3 pieces womens lingerie sexy for sex plus size costume set crotchless panties 2 piece set lingerie set plus size lingerie for women red women's exotic lingerie sets plus size lingerie for women with underwire womens lingerie babydoll lingerie for women pink womens lingerie plus size lingerie with underwire women's lingerie plus size women's lingerie set for women black womens lingerie set sexy lingerie for women 2 piece set women's lingerie, sleep & lounge sexy lingerie for women naughty blue babydoll lingerie for women sexy hot lingerie for women 2 piece set women's lingerie set"}, {"name": "Computer & Tablet Y12 4G Phone Call Tablet PC, 10.1 inch, 2GB+32GB, Android 7.0 MTK6753 Octa-core up to 1.6GHz, WiFi, Bluetooth, OTG, GPS(Gold) (Color : Rose Gold)", "product_information": {"Package Dimensions": "11.81 x 8.66 x 2.36 inches", "Item Weight": "2.45 pounds", "Manufacturer": "Dongdexiu", "ASIN": "B0871VQT3Q", "Date First Available": "April 13, 2020"}, "brand": "Brand: Dongdexiu", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Dongdexiu", "full_description": "Good useSuitable price1. MTK6753 octa-core up to 1.6GHz CPU2. 10.1 inch capacitive touch screen with 1920*1200 pixel resolution, MIPI interface.3. 2GB RAM + 32GB ROM, 32GB external memory card, the card is not included.4. Powered by 5500mAh battery, the battery will make the tablet last for several days in normal use.5. Support WiFi, Play Store, MSN, search by voice, GTalk, Contact Sync, Calendar Sync, Document to go, Youtube, QQ, MP3 Player, etc..", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51YaTwoG47L.jpg", "https://m.media-amazon.com/images/I/51YaTwoG47L.jpg", "https://m.media-amazon.com/images/I/31bvgs8VjpL.jpg", "https://m.media-amazon.com/images/I/41iKHt7C6FL.jpg", "https://m.media-amazon.com/images/I/41JYvHhJvsL.jpg", "https://m.media-amazon.com/images/I/51cuim47aPL.jpg", "https://m.media-amazon.com/images/I/51C6dIIZkOL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Computers & Tablets \u203a Tablets", "average_rating": "", "small_description": ["Tablet PC ", "Android Tablet PC ", "Y12 4G Phone Call Tablet PC, 10.1 inch, 2GB+32GB, Android 7.0 MTK6753 Octa-core up to 1.6GHz, WiFi, Bluetooth, OTG, GPS(Gold) "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0871VQT3Q", "category": "electronics", "query": "Tablets", "page": 252, "small_description_old": "About this item\n \nTablet PC Android Tablet PC Y12 4G Phone Call Tablet PC, 10.1 inch, 2GB+32GB, Android 7.0 MTK6753 Octa-core up to 1.6GHz, WiFi, Bluetooth, OTG, GPS(Gold)"}, {"name": "BFWood Wooden Paddle Hair Brush \u2013 Black Walnut Hairbrush for Massaging Scalp", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.33 x 3.19 x 1.93 inches; 4.23 Ounces", "Manufacturer\n \u200f": "\u200e\n BFWood", "ASIN\n \u200f": "\u200e\n B083TZ4JSR", "Best Sellers Rank": "#54,641 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#758 in Hair Brushes", "#758 in Hair Brushes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the BFWood Store", "brand_url": "https://www.amazon.com/stores/BFWood/page/A6534B3D-E80C-4FB6-85F2-735F65A8A287?ref_=ast_bln", "full_description": "", "pricing": "$6.48", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51bE06+44SL.jpg", "https://m.media-amazon.com/images/I/51Jh3-cXONL.jpg", "https://m.media-amazon.com/images/I/41Py3dXsJbL.jpg", "https://m.media-amazon.com/images/I/410X94NjaQL.jpg", "https://m.media-amazon.com/images/I/51LRNGDKm6L.jpg", "https://m.media-amazon.com/images/I/41nlCvjhkfL.jpg", "https://m.media-amazon.com/images/I/A1oddGPWogL.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Styling Tools & Appliances \u203a Hair Brushes", "average_rating": 4.5, "small_description": ["BFWood hair brush bristles are made of natural beech; They make your hair silky and shiny by distributing oil from your scalp throughout the whole length of your hair. ", "RELAXATION AND COMFORT: The cushioned base has an air hole which allows compression when you brush; The beech bristles massage your scalp and give you a comfortable hair brushing experience. ", "SUITABLE FOR ALL HAIR TYPES: Whether you have thin or thick hair, this hair brush is perfect for you. Designed with soft tips and wide gaps, the bristles will help to detangle and smooth your hair without causing hair loss or breakage. ", "NEW DESIGN GRIP: We designed a black walnut handle with curved sides, also adding thickness and curve to the grip; the ergonomic design allows the brush to fit comfortably in your hand. ", "IDEAL GIFT: The package comes with a black walnut wooden brush and a canvas bag. It's a great gift for Valentine\u2019s Day, a birthday, or any special occasion. "], "total_reviews": 1652, "total_answered_questions": 8, "customization_options": "", "seller_id": "A1AUWQ3MV4CVFM", "seller_name": "BFWood", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B083TZ4JSR", "category": "beauty", "query": "Hair Loss Products", "page": 182, "small_description_old": "About this item BFWood hair brush bristles are made of natural beech; They make your hair silky and shiny by distributing oil from your scalp throughout the whole length of your hair. RELAXATION AND COMFORT: The cushioned base has an air hole which allows compression when you brush; The beech bristles massage your scalp and give you a comfortable hair brushing experience. SUITABLE FOR ALL HAIR TYPES: Whether you have thin or thick hair, this hair brush is perfect for you. Designed with soft tips and wide gaps, the bristles will help to detangle and smooth your hair without causing hair loss or breakage. NEW DESIGN GRIP: We designed a black walnut handle with curved sides, also adding thickness and curve to the grip; the ergonomic design allows the brush to fit comfortably in your hand. IDEAL GIFT: The package comes with a black walnut wooden brush and a canvas bag. It's a great gift for Valentine\u2019s Day, a birthday, or any special occasion."}, {"name": "ZINUS 10 Inch Cooling Copper ADAPTIVE Pocket Spring Hybrid Mattress / Moisture Wicking Cover / Cooling Foam / Pocket Innersprings for Motion Isolation / Mattress-in-a-Box, Full", "product_information": {"Item Weight": "\u200e69.1 pounds", "Product Dimensions": "\u200e75 x 54 x 10 inches", "Country of Origin": "\u200eIndonesia", "Item model number": "\u200eMSHPHB-10F", "ASIN": "B089KGBJGW", "Customer Reviews": {"ratings_count": 1122, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#80,448 in Home & Kitchen (See Top 100 in Home & Kitchen) #196 in Mattresses"], "Date First Available": "June 2, 2020"}, "brand": "Visit the Zinus Store", "brand_url": "https://www.amazon.com/stores/ZinusInc/page/D15FE033-64D1-4ED7-B733-0058DA3BD71C?ref_=ast_bln", "full_description": "The search for an innovative, premium mattress at a not-so-premium price ends here. The Cooling Copper ADAPTIVE Hybrid Mattress has been expertly developed to offer you a multitude of sleep enhancing technologies at a price that\u2019s worth shouting from the rooftops. It all begins with a poly jacquard cover treated with ADAPTIVE technology. This remarkable fabric uses your excess body heat and moisture to trigger evaporation as you sleep, so you no longer wake up from overheating. And the cooling action doesn\u2019t stop there. Just beneath this cover is thermoregulating copper-infused memory foam, a layer that effortlessly dispels unwanted heat. In addition to keeping you perfectly temperature-regulated, this memory foam boasts one more secret ingredient \u2013 pure and natural green tea. When paired together, copper and green tea keep your bed feeling fresh for countless nights to come. It\u2019s all situated on top of an Independent Coil System base layer that resists motion transfer from a partner and provides cradling support of your joints and spine. And for those who like to live (and sleep) on the edge, we\u2019ve added a perimeter layer of superior Foam Edge Support. Like all our mattresses, the Cooling Copper ADAPTIVE Mattress is expertly rolled and packed with a 10-year warranty into one convenient box that ships right to your door. And presto! This mattress proves that reasonably priced and luxurious actually do go hand in hand. Who knew?", "pricing": "$289.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51aGDvDft+L.jpg", "https://m.media-amazon.com/images/I/51AZg-MaOES.jpg", "https://m.media-amazon.com/images/I/5149QwWdd1L.jpg", "https://m.media-amazon.com/images/I/51z1cgoaZjL.jpg", "https://m.media-amazon.com/images/I/41XZe8J3MoL.jpg", "https://m.media-amazon.com/images/I/51QATtYfhIL.jpg", "https://m.media-amazon.com/images/I/51V07ILLsZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Mattresses & Box Springs \u203a Mattresses", "average_rating": 4.4, "small_description": ["PERKS WITHOUT THE ADDED PRICE \u2013 With a moisture wicking ADAPTIVE cover, CertiPUR-US Certified cooling copper memory foam, motion-isolating coils, and superior edge support, this innovative design delivers premium mattress features at an affordable price ", "THE COOLEST SLEEP YET - Unique ADAPTIVE fabric cover cools as it triggers evaporation of excess moisture, while copper-infused memory foam eliminates excess heat, delivering a one-two punch of cooling for sleep that\u2019s sound, easy and no sweat ", "CLEAN & MOISTURE-FREE \u2013 A top layer of memory foam is infused with copper and natural green tea which eliminates excess moisture ", "PRESSURE RELIEF & MOTION ISOLATION \u2013 An Independent Coil System base layer encased with Foam Edge Support resists motion transfer from a sleeping partner and promotes customized spinal alignment and joint pain relief ", "EXPERTLY PACKAGED \u2013 This mattress is efficiently compressed into a box that\u2019s shipped right to your door; simply unbox, unroll and the mattress does the rest, expanding to its original shape within 72 hours; worry-free 10 year limited warranty included "], "total_reviews": 1122, "total_answered_questions": "", "model": "\u200eMSHPHB-10F", "customization_options": {"Color": null, "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B089KFLHXF/ref=twister_B09MDQJ94S?_encoding=UTF8&psc=1", "value": "Twin", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "Full", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B089KJ2DWQ/ref=twister_B09MDQJ94S?_encoding=UTF8&psc=1", "value": "Queen", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B089KH3WVW/ref=twister_B09MDQJ94S?_encoding=UTF8&psc=1", "value": "King", "price_string": "", "price": 0, "image": null}], "Style": [{"is_selected": true, "url": null, "value": "10 Inch", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B089KG1S6D/ref=twister_B09MDQJ94S?_encoding=UTF8&psc=1", "value": "12 Inch", "price_string": "", "price": 0, "image": null}], "Pattern Name": [{"is_selected": true, "url": null, "value": "Mattress", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R2BZL4B/ref=twister_B09MDQJ94S", "value": "Mattress + Mattress, Dark Grey", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R28NWZB/ref=twister_B09MDQJ94S", "value": "Mattress + Mattress, Wood Slat Support", "price_string": "", "price": 0, "image": null}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B089KGBJGW", "category": "garden", "query": "Mattresses", "page": 8, "small_description_old": "About this item PERKS WITHOUT THE ADDED PRICE \u2013 With a moisture wicking ADAPTIVE cover, CertiPUR-US Certified cooling copper memory foam, motion-isolating coils, and superior edge support, this innovative design delivers premium mattress features at an affordable price THE COOLEST SLEEP YET - Unique ADAPTIVE fabric cover cools as it triggers evaporation of excess moisture, while copper-infused memory foam eliminates excess heat, delivering a one-two punch of cooling for sleep that\u2019s sound, easy and no sweat CLEAN & MOISTURE-FREE \u2013 A top layer of memory foam is infused with copper and natural green tea which eliminates excess moisture PRESSURE RELIEF & MOTION ISOLATION \u2013 An Independent Coil System base layer encased with Foam Edge Support resists motion transfer from a sleeping partner and promotes customized spinal alignment and joint pain relief EXPERTLY PACKAGED \u2013 This mattress is efficiently compressed into a box that\u2019s shipped right to your door; simply unbox, unroll and the mattress does the rest, expanding to its original shape within 72 hours; worry-free 10 year limited warranty included \n \u203a See more product details"}, {"name": "Herbal Hair Regrowth Spray, Hair-growth Essence Spray, Herbal Hair Growth Essence Spray, Hair Growth Treatement Germinal Oil, Hair Growth Maximizer Spray for Prevent Postpartum Hair Loss Men Women (10ml 4PC)", "product_information": {"UPC\n \u200f": "\u200e\n 725286546515", "ASIN\n \u200f": "\u200e\n B09SHRV5JW", "Best Sellers Rank": "#560,957 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#2,465 in Hair Regrowth Treatments", "#2,465 in Hair Regrowth Treatments": ""}, "brand": "Brand: Tiwnviccnny", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Tiwnviccnny", "full_description": "Natural ginger hair care essence nutrient solution deoiling care 50ML Description: Chinese herbal medicine to prevent hair growth, fix hair, nutrition, baldness, postpartum hair loss, hair loss nutrient solution 30ml and 50ml Ginger King and other plants can promote the growth and development of hair, and are suitable for various types of hair loss, effectively helping to solve the problems of fat, baldness, postpartum hair loss, congenital hair loss, hair discoloration and hair loss, and other hair loss problems. Promote nutrient absorption of the scalp, nourish and repair the scalp, quickly help hair re-growth, improve dryness, make the hair dense and effectively inhibit dandruff. Solve the problem of hair loss This product can make the hair grow 2-3 times faster than the normal growth rate, thus making the hair smooth and healthy. Usage: Add 3ml of hair growth essence to 100ml of shampoo and stir evenly. Specification: 30ml/bottle 50ml/bottle How to use: Wash your hair before use, until the hair is half dry, the product will fall on the hair or need to grow, put it on the scalp as much as possible, and then massage with your fingers for 2-3 minutes until it is absorbed (No need to shampoo after use) Better effect every day, 2-3 times each time Package Contents: 1PC hair growth liquid", "pricing": "$16.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/61t4b8A+IhL.jpg", "https://m.media-amazon.com/images/I/51FjYzZIIBL.jpg", "https://m.media-amazon.com/images/I/5145qLeZ5wL.jpg", "https://m.media-amazon.com/images/I/51IAzv7JL-L.jpg", "https://m.media-amazon.com/images/I/51695zKjxHL.jpg", "https://m.media-amazon.com/images/I/51JNHOo7kjL.jpg", "https://m.media-amazon.com/images/I/511tnS+tCoL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Loss Products \u203a Hair Regrowth Treatments", "average_rating": "", "small_description": ["\ud83d\udc68\u200d\ud83d\udcbc King of ginger 7 days hair growth - Effectively Promote Hair Growth - Function: fast hair growth Capacity: 10/30/50ml Usage: add 3ml hair growth essence into 100ml shampoo and stir evenly 100% brand new and high quality,effectively nourish the scalp, promote hair growth and improve hair loss. ", "\ud83d\udc68\u200d\ud83d\udcbcGinger oil for hair growth - regrow hair for men women - Keep Hair Health - Nourish hair roots, awaken hair follicles and stimulate hair follicles to grow more healthy hair. Oil control to prevent clogging of pores, leaving hair fresh and supple.Ingredients: ginger, ginseng, loca festival, fleece-flower root, grape seed oil ", "\ud83d\udc68\u200d\ud83d\udcbcRegrow hair for men women - essential oils for hair growth -Description: *Chinese herbal formula prevent hair growth hair hair hair solid hair nutrition fat bald postpartum hair loss hair hair nutrition liquid 10/30/50ml ", "\ud83d\udc68\u200d\ud83d\udcbcHair growth oil for hair loss - essential oils for hair loss- *The main effect: extract old ginger King and other plants to prevent development and development of hair cream, apply to a variety of hair loss types, effectively help solve the problem such as fat bald, post-partum hair loss, congenital hair loss, hair dyeing and hair loss and other hair loss problems. ", "\ud83d\udc68\u200d\ud83d\udcbcEssential oils for hair loss- hair growth oil for hair loss - Prevent Hair Loss - Hair growth solution using herbal ingredients can effectively strong hair and prevent hair loss. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09SHPDK3Q/ref=twister_B09SHMY24Q?_encoding=UTF8&psc=1", "value": "10ml", "price_string": "$10.99", "price": 10.99, "image": null}, {"is_selected": true, "url": null, "value": "10ml 4PC", "price_string": "$16.99", "price": 16.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09SHMG1C7/ref=twister_B09SHMY24Q?_encoding=UTF8&psc=1", "value": "30ml", "price_string": "$12.99", "price": 12.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09SKVT26B/ref=twister_B09SHMY24Q?_encoding=UTF8&psc=1", "value": "30ml 01", "price_string": "$13.99", "price": 13.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09SHMDQ5L/ref=twister_B09SHMY24Q?_encoding=UTF8&psc=1", "value": "50ml", "price_string": "$13.99", "price": 13.99, "image": null}]}, "seller_id": "A2DGK34UQC190S", "seller_name": "Guzcy US", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09SHRV5JW", "category": "beauty", "query": "Hair Loss Products", "page": 62, "small_description_old": "\ud83d\udc68\u200d\ud83d\udcbc King of ginger 7 days hair growth - Effectively Promote Hair Growth - Function: fast hair growth Capacity: 10/30/50ml Usage: add 3ml hair growth essence into 100ml shampoo and stir evenly 100% brand new and high quality,effectively nourish the scalp, promote hair growth and improve hair loss. \ud83d\udc68\u200d\ud83d\udcbcGinger oil for hair growth - regrow hair for men women - Keep Hair Health - Nourish hair roots, awaken hair follicles and stimulate hair follicles to grow more healthy hair. Oil control to prevent clogging of pores, leaving hair fresh and supple.Ingredients: ginger, ginseng, loca festival, fleece-flower root, grape seed oil \ud83d\udc68\u200d\ud83d\udcbcRegrow hair for men women - essential oils for hair growth -Description: *Chinese herbal formula prevent hair growth hair hair hair solid hair nutrition fat bald postpartum hair loss hair hair nutrition liquid 10/30/50ml \ud83d\udc68\u200d\ud83d\udcbcHair growth oil for hair loss - essential oils for hair loss- *The main effect: extract old ginger King and other plants to prevent development and development of hair cream, apply to a variety of hair loss types, effectively help solve the problem such as fat bald, post-partum hair loss, congenital hair loss, hair dyeing and hair loss and other hair loss problems. \ud83d\udc68\u200d\ud83d\udcbcEssential oils for hair loss- hair growth oil for hair loss - Prevent Hair Loss - Hair growth solution using herbal ingredients can effectively strong hair and prevent hair loss."}, {"name": "Yheakne Metal Hair Slide Clip Barrette Geometric Hair Holder Clip Pin Vintage Hair Slide Pin Bun Holder Alloy Hair Clip Decorative Hair Accessories for Women and Girls (Gold)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 4.33 x 2.01 x 0.79 inches; 0.32 Ounces", "UPC\n \u200f": "\u200e\n 658161805936", "Manufacturer\n \u200f": "\u200e\n Yheakne", "ASIN\n \u200f": "\u200e\n B09LLRSWF4", "Best Sellers Rank": "#324,981 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#5,913 in Hair Clips", "#5,913 in Hair Clips": ""}, "brand": "Brand: Yheakne", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Yheakne", "full_description": "-Gold Minimal Hair Clip Hairpins French Hair Accessories bridesmaids gifts -Superior quality,tested well before shipping. Elastic -Color and Size:Shown as pictures.Handmade item,great workmanship.Choose as a cute gift for yourself or your special one.If you have any questions such as product description, return policy and shipping instructions, email me for details.", "pricing": "$8.50", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41CFnzFZydL.jpg", "https://m.media-amazon.com/images/I/51f8eJ1IhcL.jpg", "https://m.media-amazon.com/images/I/41qS8zJfsmL.jpg", "https://m.media-amazon.com/images/I/31xQTj3vVcL.jpg", "https://m.media-amazon.com/images/I/41-bBDINCmL.jpg", "https://m.media-amazon.com/images/I/21zNAAMGjvL.jpg", "https://m.media-amazon.com/images/I/51q-gEi8SAS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Accessories \u203a Clips & Barrettes \u203a Clips", "average_rating": "", "small_description": ["Metal Hair Clip barrette made from high quality alloy,easy to wear and match clothes. ", "Gold circle hair slide barrette as pictures shown,around 2.59*0.71inch.Keep color and not fade. ", "Minimalist Hollow Hair Stick Clips in gold and silver,suit for teen girls and women. ", "Vintage Hair Pin Clip suit for daily wear or party wedding prom nightclub or any special occasions. ", "If there are any problems after receiving the product, please contact us in time and keep the RETURN & CHANGE label. We will do our best to provide you with an excellent shopping experience. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "AMDTOHJDNDF7V", "seller_name": "Yheakne", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09LLRSWF4", "category": "beauty", "query": "Hair Accessories", "page": 113, "small_description_old": "About this item Metal Hair Clip barrette made from high quality alloy,easy to wear and match clothes. Gold circle hair slide barrette as pictures shown,around 2.59*0.71inch.Keep color and not fade. Minimalist Hollow Hair Stick Clips in gold and silver,suit for teen girls and women. Vintage Hair Pin Clip suit for daily wear or party wedding prom nightclub or any special occasions. If there are any problems after receiving the product, please contact us in time and keep the RETURN & CHANGE label. We will do our best to provide you with an excellent shopping experience."}, {"name": "zxb-shop Exfoliating Washcloths Bath Shower Silicone Strip for Body Brush Bathing Back Exfoliating Washcloth Accessories Baths Belt Scrubber Sponge Exfoliating Towel for Body (Color : B)", "product_information": {"Item Weight": "0.035 ounces", "Department": "Unisex-adult", "Manufacturer": "mjyshop", "ASIN": "B08SH37R9Z"}, "brand": "Brand: zxb-shop", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=zxb-shop", "full_description": "Great for Circulation and Achieving Healthy Glowing Soft Skin.Product name:Exfoliating towelMaterial: SiliconeUse: CleaningSize: 60*11cmWeight: 172gprompt:1. Please check the size before buying. Due to manual measurement, there will be an error of about 0-3cm, please understand2. The product photos do not contain items other than the product3. Please note that due to different monitors, there may be slight color difference, please understand.4. The above data is for reference only, the size is manually measured, each variable may be different, please refer to the actual product, thank you.5. If you find any problems with our products, please feel free to contact us by email, we will solve the problem as soon as possible.6. Welcome your sharing and feedback so that we can provide you with better products and services.7. Thank you for visiting my store, click to enter my store, there will be a lot of products for your reference, logistics, generally we will ship within 1-3 days, and the estimated arrival time is 9-15 days.", "pricing": "$33.64", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41b540MtE1L.jpg", "https://m.media-amazon.com/images/I/51TiX3VhwZL.jpg", "https://m.media-amazon.com/images/I/41ksdd5+O5L.jpg", "https://m.media-amazon.com/images/I/51h4-uaDriL.jpg", "https://m.media-amazon.com/images/I/41b540MtE1L.jpg", "https://m.media-amazon.com/images/I/418pqqMwAOL.jpg", "https://m.media-amazon.com/images/I/51PZmz01dqL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Bath & Bathing Accessories \u203a Bathing Accessories \u203a Bath & Body Brushes", "average_rating": "", "small_description": ["Well suited to exfoliating all over body, good scrub and lathers any soap or shower gel, soften skin, stimulate circulation, help cellulite rinse easily ", "Texture Material For Massage: Creates rich lather while stimulating skin and blood circulation, great for cellulite massage, back scrubber for shower for men and women. ", "Wide Applications: The exfoliating bath towels are suitable for each family member, can be applied to wash face and body, grease dead skin cells,beautify your skin. ", "Remove Dead Skin, Unclog pores, Bacne, and Impurities from your Skin.Great for Men, Women, Elderly, etc.. ", "wash cloth is made ideal for full-body cleansing, and leaves your skin soft and smooth. It removes dead skin, dirt and oil with rich lather with little soap. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08SFZRGGJ/ref=twister_B08SG4QDK6?_encoding=UTF8&psc=1", "value": "A", "price_string": "$33.64", "price": 33.64, "image": "https://m.media-amazon.com/images/I/412siDhvNrL.jpg"}, {"is_selected": true, "url": null, "value": "B", "price_string": "$33.64", "price": 33.64, "image": "https://m.media-amazon.com/images/I/41b540MtE1L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08SG2ZXDJ/ref=twister_B08SG4QDK6?_encoding=UTF8&psc=1", "value": "C", "price_string": "$33.64", "price": 33.64, "image": "https://m.media-amazon.com/images/I/41LnxjaB8eL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08SGF22W6/ref=twister_B08SG4QDK6?_encoding=UTF8&psc=1", "value": "D", "price_string": "$33.64", "price": 33.64, "image": "https://m.media-amazon.com/images/I/417QwwbxYaL.jpg"}]}, "seller_id": "AV09PFKNKDXZQ", "seller_name": "oumingmeiguo", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08SH37R9Z", "category": "beauty", "query": "Bath & Bathing Accessories", "page": 20, "small_description_old": "Well suited to exfoliating all over body, good scrub and lathers any soap or shower gel, soften skin, stimulate circulation, help cellulite rinse easily Texture Material For Massage: Creates rich lather while stimulating skin and blood circulation, great for cellulite massage, back scrubber for shower for men and women. Wide Applications: The exfoliating bath towels are suitable for each family member, can be applied to wash face and body, grease dead skin cells,beautify your skin. Remove Dead Skin, Unclog pores, Bacne, and Impurities from your Skin.Great for Men, Women, Elderly, etc.. wash cloth is made ideal for full-body cleansing, and leaves your skin soft and smooth. It removes dead skin, dirt and oil with rich lather with little soap."}, {"name": "NOBPEINT Contemporary Chrome Air Lift Adjustable Swivel Bar Stool, Set of 2, Black", "product_information": {"Product Dimensions": "\u200e15.6 x 15.2 x 21.7 inches", "Is Discontinued By Manufacturer": "\u200eNo", "Assembled Seat Height": "\u200e21.7 Inches", "ASIN": "B07PX22S9F", "Customer Reviews": {"ratings_count": 136, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#723,594 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,315 in Barstools"], "Date First Available": "April 10, 2018"}, "brand": "Visit the NOBPEINT Store", "brand_url": "https://www.amazon.com/stores/NOBPEINT/page/06721234-CEE6-4699-9D9E-4724AF1AB5F1?ref_=ast_bln", "full_description": "", "pricing": "$59.99", "list_price": "", "availability_quantity": 16, "availability_status": "Only 16 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/416ViQzADQL.jpg", "https://m.media-amazon.com/images/I/41wa61zALLL.jpg", "https://m.media-amazon.com/images/I/31AnAr5MtdL.jpg", "https://m.media-amazon.com/images/I/3180rd3UD4L.jpg", "https://m.media-amazon.com/images/I/51t8ZsttXSL.jpg", "https://m.media-amazon.com/images/I/31SwWCrOZPL.jpg", "https://m.media-amazon.com/images/I/51RQyd-V4+L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Game & Recreation Room Furniture \u203a Home Bar Furniture \u203a Barstools", "average_rating": 4.5, "small_description": ["360-degree swivel for seat and footrest,adjustable seat height ", "A wide selection of products include pieces for the living room, dining room, bar, office. ", "High-quality and innovative design ", "Dimensions:15.2\"W*15.6\"D*21.7\"~29.5\"H;Seat:15.2W\"*15.6D\". Chrome base diameter:15.2\" ", "Photo May Slightly Different From Actual Item in Terms of Color Due to the Lighting During Photo Shooting or the Monitor's Display "], "total_reviews": 136, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "$59.99", "price": 59.99, "image": "https://m.media-amazon.com/images/I/416ViQzADQL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HX4S3PX/ref=twister_B084JPRJXD?_encoding=UTF8&psc=1", "value": "White", "price_string": "$69.99", "price": 69.99, "image": "https://m.media-amazon.com/images/I/31GW+yGlRNL.jpg"}]}, "seller_id": "A1EI9Y6Y2JDWY", "seller_name": "NOBPEINT", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07PX22S9F", "category": "garden", "query": "Bar Stools", "page": 107, "small_description_old": "About this item 360-degree swivel for seat and footrest,adjustable seat height A wide selection of products include pieces for the living room, dining room, bar, office. High-quality and innovative design Dimensions:15.2\"W*15.6\"D*21.7\"~29.5\"H;Seat:15.2W\"*15.6D\". Chrome base diameter:15.2\" Photo May Slightly Different From Actual Item in Terms of Color Due to the Lighting During Photo Shooting or the Monitor's Display \n \u203a See more product details"}, {"name": "1000ft BLACK MADE IN USA RG-11 COMMSCOPE F1177TSEF DIRECT BURIAL TRISHIELD COAXIAL DROP CABLE 14AWG GEL COATED BRAIDS PE JACKET BURIED FLOODED UNDERGROUND COAX CABLE REEL (LOWER SIGNAL LOSS OVER RG6)", "product_information": {"Manufacturer": "\u200eCommscope", "Part Number": "\u200eF--1177TSEF", "Item Weight": "\u200e1 pounds", "Size": "\u200e1000ft", "Color": "\u200eCOMMSCOPE RG11 F1177TSEF DIRECT BURIAL", "ASIN": "B07B9QWJW9", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#1,981 in F-Pin-Coaxial Tip Cables"], "Date First Available": "March 8, 2018"}, "brand": "Brand: PHAT SATELLITE INTL", "brand_url": "https://www.amazon.com/PHAT-SATELLITE-INTL/b/ref=bl_dp_s_web_10322686011?ie=UTF8&node=10322686011&field-lbr_brands_browse-bin=PHAT+SATELLITE+INTL", "full_description": "***SHIPPING IS NOT AVAILABLE TO: AP, APO, AE, AFO, MP, GU, HI, AK, VI, PR AND OTHER USA TERRITORY OUTSIDE OF THE IMMEDIATE 48 MAINLAND STATES***TRI Shield Underground Direct Burial RG-11 Coaxial CableIdeal for cable tv, satellite tv, audio/video applications, security/surveillance cameras and more", "pricing": "$330.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51dNdhBtwcL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Video Cables \u203a F-Pin-Coaxial Tip", "average_rating": 5, "small_description": ["***SHIPPING IS NOT AVAILABLE TO: AP, APO, AE, AFO, MP, GU, HI, AK, VI, PR AND OTHER USA TERRITORY OUTSIDE OF THE IMMEDIATE 48 MAINLAND STATES*** ", "CABLE SPECIFICATION: Made in USA - Commscope. Direct Burial Underground RG-11 Coaxial Cable. Solid Core Conductor 14AWG 75 Ohms. TRI Shield 60% Braided, 100% Foil Shield. Moisture and Soil Acidity Tolerance. GEL Coated Braids. ", "Gel Coated RG-11 Coaxial Cable for Direct Burial Application with Digital Cable TV, Satellite TV, Ham Radio Antenna, Cellular Signal Booster Transmission Cable. RG11 is highly recommended for coaxial cables that exceeds over 150ft. This combination is highly recommended and fully approved for use with most satellite and digital CATV and HDTV systems. These cables can also be used with standard cable TV and antennas for the best signal transfer with minimum loss. ", "USAGE: HD OVER THE AIR ANTENNA. DirecTV/ Dish Network, and Other Satellite . Ham Radio, Short Wave Antenna usage. Cable Modem Internet. HD Digital Cable TV. Cellular Boost Antenna. TV/Video Applications. Security and Surveillance Video Camera Systems. ", "PLEASE SEE ALL AVAILABLE PROFESSIONAL GRADE CABLES WITH VARIOUS SPECIFICATIONS by PHAT SATELLITE INTL. SEARCH ON AMAZON FOR PHAT SATELLITE INTL "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A380AQVAFE6T5Y", "seller_name": "Phat Satellite", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07B9QWJW9", "category": "electronics", "query": "Signal Boosters", "page": 298, "small_description_old": "About this item\n \n***SHIPPING IS NOT AVAILABLE TO: AP, APO, AE, AFO, MP, GU, HI, AK, VI, PR AND OTHER USA TERRITORY OUTSIDE OF THE IMMEDIATE 48 MAINLAND STATES*** CABLE SPECIFICATION: Made in USA - Commscope. Direct Burial Underground RG-11 Coaxial Cable. Solid Core Conductor 14AWG 75 Ohms. TRI Shield 60% Braided, 100% Foil Shield. Moisture and Soil Acidity Tolerance. GEL Coated Braids. Gel Coated RG-11 Coaxial Cable for Direct Burial Application with Digital Cable TV, Satellite TV, Ham Radio Antenna, Cellular Signal Booster Transmission Cable. RG11 is highly recommended for coaxial cables that exceeds over 150ft. This combination is highly recommended and fully approved for use with most satellite and digital CATV and HDTV systems. These cables can also be used with standard cable TV and antennas for the best signal transfer with minimum loss. USAGE: HD OVER THE AIR ANTENNA. DirecTV/ Dish Network, and Other Satellite . Ham Radio, Short Wave Antenna usage. Cable Modem Internet. HD Digital Cable TV. Cellular Boost Antenna. TV/Video Applications. Security and Surveillance Video Camera Systems. PLEASE SEE ALL AVAILABLE PROFESSIONAL GRADE CABLES WITH VARIOUS SPECIFICATIONS by PHAT SATELLITE INTL. SEARCH ON AMAZON FOR PHAT SATELLITE INTL \n \u203a See more product details"}, {"name": "GAOMU IPX6 Waterproof Bluetooth Earbuds, True Wireless Earbuds, 20H Cyclic Playtime Headphones with Charging Case and mic for Android, in-Ear Stereo Earphones Headset for Sport Black", "product_information": {"Package Dimensions": "5.2 x 3.31 x 1.38 inches", "Item Weight": "2.25 ounces", "ASIN": "B092W6WNH4", "Batteries": "1 Lithium ion batteries required. (included)", "Customer Reviews": {"ratings_count": 31, "stars": "3.6 out of 5 stars"}, "Best Sellers Rank": ["#2,070 in Earbud & In-Ear Headphones"], "Date First Available": "April 19, 2021", "Manufacturer": "GAOMU"}, "brand": "Brand: GAOMU", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=GAOMU", "full_description": "2022 New Bluetooth 5.0 3D Stereo EarphonesWhy do You Choose Our Bluetooth Headphones?\u25cf The most advanced chipThe chip we useis the Qualcomm QCC3020. It\u2019s the most advanced TWS (True Wireless Stereo) Earbuds chip there is. Support Apt-X audio tech and CVC 8.0 noise reduction technology; bring you the lossless, authentic, deep bass audio.\u25cf\u00a0 Smart Noise Canceling Technology and Bluetooth 5.0Aristokool Wireless earphones use the latest Bluetooth V5.0 chip set to ensure a stable and seamless connection with Bluetooth 5.0 and high-sensitivity devices up to 10 meters away. Smart Noise Canceling technology intelligently filters the noise of the environment.Wireless Bluetooth Earphones can play music last up to 4 hours of music playback time and 20 hours of battery life.The charging box supports fast charging, and it can be used for one hours after charging for 15 minutes.\u25cf\u00a0 Touch-controlled Wireless Earphones, One-Step ConnectingAristokool wireless headphones are compatible with any smartphones. Just one click on the multifunction button can play music, change songs, adjust volume, answer calls, reject calls, divert calls and Siri.Specification:\u25cf Product Name: Y30\u25cf Bluetooth Version: 5.0\u25cf Bluetooth Transmission Range: 15m{50feet}\u25cf Weight: 90 g\u25cf Earbuds Battery Capacity: 65mAh *2\u25cf Input: 5 V / 1A\u25cf Transmission Frequency: (2400-2483.5) MHz\u3010PACKAGE INCLUDING\u3011\u25b2 Battery Box x 1\u25b2USB charging cable* 1\u25b2 User Manual x 1\u25b2 Bluetooth Headphones x 1 pair\u00a0The two charging contacts of the earphones are pasted with a blue anti-static film,remove it and you can use the earphones,Charge and open the connection", "pricing": "$11.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41DOOAWIP+L.jpg", "https://m.media-amazon.com/images/I/41PIjFXLLdL.jpg", "https://m.media-amazon.com/images/I/51DkYJXXkGL.jpg", "https://m.media-amazon.com/images/I/51AeMoPcD7L.jpg", "https://m.media-amazon.com/images/I/41gx7xBTKrL.jpg", "https://m.media-amazon.com/images/I/51oJOt2U6iL.jpg", "https://m.media-amazon.com/images/I/51muP9FokxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Headphones \u203a Earbud Headphones", "average_rating": 3.6, "small_description": ["\u266c\u3010Bluetooth 5.0 & One-Step Pairing \u3011The latest Bluetooth 5.0 with TWS technology on both bluetooth earbuds, provides faster pairing, stable connection and signal transmission (50ft no-obstacle range). Only need to take out two earbuds or any single earbud after you open Bluetooth function, they will open and connect automatically. Powerful Bluetooth 5.0 chip that perfectly matches tablets, laptops, iOS, and Android smartphones! ", "\u266c\u3010Easy Touch Control\u3011Features with touch control sensors, can largely minimize the pressure to your ears when you touch the button for various functions. The touch program adopts a special software, single-touch [non-function], double-touch to play/pause music, which effectively reduce touch by mistakes or inaccurate touch. ", "\u266c\u3010Secure Fit & IPX6 Waterproof\u3011Mini and Ultra Lightweight in-ear design guarantees stability and comfortable. The sealed shell and interior Nano coating can easily repel sweat and rain, Ideal for workout, running, jogging, hiking, biking, gym, doing yoga, travelling etc. ", "\u266a\u3010Superior Sound Quality\u3011: Experience crisp, high-fidelity sound while Bluetooth 5.0 provides faster pairing and a stable, efficient wireless connection.The two charging contacts of the earphones are pasted with a blue anti-static film,remove it and you can use the earphones,Charge and open the connection ", "\u266a\u3010Pairing in one step\u3011Remove 2 headsets from the charging box. They are automatically connected to each other. In just one step, you can enter your phone's Bluetooth settings to pair the earphones. "], "total_reviews": 31, "total_answered_questions": "", "customization_options": "", "seller_id": "AOALUQKQ5LFCK", "seller_name": "yumou", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B092W6WNH4", "category": "electronics", "query": "Bluetooth Headsets", "page": 75, "small_description_old": "About this item\n \n\u266c\u3010Bluetooth 5.0 & One-Step Pairing \u3011The latest Bluetooth 5.0 with TWS technology on both bluetooth earbuds, provides faster pairing, stable connection and signal transmission (50ft no-obstacle range). Only need to take out two earbuds or any single earbud after you open Bluetooth function, they will open and connect automatically. Powerful Bluetooth 5.0 chip that perfectly matches tablets, laptops, iOS, and Android smartphones! \u266c\u3010Easy Touch Control\u3011Features with touch control sensors, can largely minimize the pressure to your ears when you touch the button for various functions. The touch program adopts a special software, single-touch [non-function], double-touch to play/pause music, which effectively reduce touch by mistakes or inaccurate touch. \u266c\u3010Secure Fit & IPX6 Waterproof\u3011Mini and Ultra Lightweight in-ear design guarantees stability and comfortable. The sealed shell and interior Nano coating can easily repel sweat and rain, Ideal for workout, running, jogging, hiking, biking, gym, doing yoga, travelling etc. \u266a\u3010Superior Sound Quality\u3011: Experience crisp, high-fidelity sound while Bluetooth 5.0 provides faster pairing and a stable, efficient wireless connection.The two charging contacts of the earphones are pasted with a blue anti-static film,remove it and you can use the earphones,Charge and open the connection \u266a\u3010Pairing in one step\u3011Remove 2 headsets from the charging box. They are automatically connected to each other. In just one step, you can enter your phone's Bluetooth settings to pair the earphones."}, {"name": "GSPY Lavender Scented Candles - I Miss You Gifts, Thinking of You Gifts for Women, Her, Girlfriend, Boyfriend, Friends - A Hug in a Jar, Sending Hugs - Divorce, Get Well, Mothers Day, Sympathy Gifts", "product_information": {"Package Dimensions": "4.72 x 3.82 x 3.82 inches", "Item Weight": "9 ounces", "Manufacturer": "GSPY", "ASIN": "B08KY1G31G", "Customer Reviews": {"ratings_count": 171, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#29,129 in Home & Kitchen (See Top 100 in Home & Kitchen) #150 in Jar Candles"], "Specific Uses For Product": "Decoration", "Scent": "Lavender", "Batteries Required?": "No"}, "brand": "Visit the GSPY Store", "brand_url": "https://www.amazon.com/stores/GSPY/page/CBB5BBD6-2A79-43E5-B6D8-E3249E1F7095?ref_=ast_bln", "full_description": "", "pricing": "$22.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51yw6DEVWvL.jpg", "https://m.media-amazon.com/images/I/41VB53YRpDL.jpg", "https://m.media-amazon.com/images/I/51+U2mECQFL.jpg", "https://m.media-amazon.com/images/I/51495BQKMWL.jpg", "https://m.media-amazon.com/images/I/51bQmoGS1xL.jpg", "https://m.media-amazon.com/images/I/41tpfprvEfL.jpg", "https://m.media-amazon.com/images/I/51d68PSaE1L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Candles & Holders \u203a Candles \u203a Jar Candles", "average_rating": 4.7, "small_description": ["Thoughtful gifts for women; Characterized by its saying \u201cA hug in a jar\u201d, this candle makes a great present for any woman who needs a hug right now; When we can\u2019t give hugs in person, this is a thoughtful gift for her; Lovely little gifts for best friend, bff, bestie, female friend, mom, mother in law, wife, girlfriend, aunt, daughter, daughter in law, sister, sister in law, granddaughter, grandma, cousin, niece, coworker ", "A huge hit at many occasions; Gifting this candle is a unique way to cheer her up during isolation and let her know you are thinking of her; Anyone who is going through a hard time needs this sentiment; Perfect for quarantine, lockdown, miss you gift, thinking of you gift, get well gift, get well soon gift, birthday, chemotherapy, lost loved one, cancer treatment gift, breakup, divorce, miscarriage, condolence, bereavement, surgery recovery gift ", "50 hours burning time; Poured in a reusable glass jar, 9oz cotton wick scented candle will burn for approximately 50 hours in typical conditions ", "100% natural soy wax; Scented soy candle is made from natural soy wax; Soy wax provides a slower and cleaner burn than paraffin, which is better for environment, burns more sufficiently and longer ", "Lavender fragrance; Infused with premium lavender fragrances, this candle is great for sleep-promoting and relief from anxiety, depression, and stress; A perfect addition to bathroom, bedroom, kitchen, living room, office etc "], "total_reviews": 171, "total_answered_questions": "", "customization_options": "", "seller_id": "AW5SA6TSQ79NC", "seller_name": "GSPY", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08KY1G31G", "category": "garden", "query": "Candles", "page": 188, "small_description_old": "About this item\n \nThoughtful gifts for women; Characterized by its saying \u201cA hug in a jar\u201d, this candle makes a great present for any woman who needs a hug right now; When we can\u2019t give hugs in person, this is a thoughtful gift for her; Lovely little gifts for best friend, bff, bestie, female friend, mom, mother in law, wife, girlfriend, aunt, daughter, daughter in law, sister, sister in law, granddaughter, grandma, cousin, niece, coworker A huge hit at many occasions; Gifting this candle is a unique way to cheer her up during isolation and let her know you are thinking of her; Anyone who is going through a hard time needs this sentiment; Perfect for quarantine, lockdown, miss you gift, thinking of you gift, get well gift, get well soon gift, birthday, chemotherapy, lost loved one, cancer treatment gift, breakup, divorce, miscarriage, condolence, bereavement, surgery recovery gift 50 hours burning time; Poured in a reusable glass jar, 9oz cotton wick scented candle will burn for approximately 50 hours in typical conditions 100% natural soy wax; Scented soy candle is made from natural soy wax; Soy wax provides a slower and cleaner burn than paraffin, which is better for environment, burns more sufficiently and longer Lavender fragrance; Infused with premium lavender fragrances, this candle is great for sleep-promoting and relief from anxiety, depression, and stress; A perfect addition to bathroom, bedroom, kitchen, living room, office etc"}, {"name": "JVC HR-XVC38BU Hi-Fi Stereo DVD with Video Cassette Recorder HDMI", "product_information": {"Brand Name": "\u200eJVC", "Item Weight": "\u200e8.28 pounds", "Package Dimensions": "\u200e20 x 14.02 x 7.01 inches", "Is Discontinued By Manufacturer": "\u200eNo", "ASIN": "B00LT8T9F4", "Customer Reviews": {"ratings_count": 2, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#522,033 in Electronics (See Top 100 in Electronics) #228 in DVD Recorders"], "Date First Available": "July 14, 2014"}, "brand": "Visit the JVC Store", "brand_url": "https://www.amazon.com/stores/JVC/page/BB973CF3-61F3-46DE-8DF6-7B85A2857491?ref_=ast_bln", "full_description": "The HR-XVC38B features into a slim, low profile package, standing just 3.1 inches high. For enhanced convenience, this deck offers a six-digit display with a real-time counter. The HR-XVC38B offers coaxial PCM-audio and component video outputs, multi-session CD playback, 5.1 channel Dolby Digital/DTS output, 14-bit/108MHz video digital-to-analog converter (DAC), and 24-bit/96kHz audio DAC.", "pricing": "", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon. Only 2 left in stock - order soon. Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/314ixpgjPOL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Television & Video \u203a DVD Players & Recorders \u203a DVD Recorders", "average_rating": 4.2, "small_description": [""], "total_reviews": 2, "total_answered_questions": "", "customization_options": "", "seller_id": "A1MUOEP0HRBHSB", "seller_name": "Family Fun Store", "fulfilled_by_amazon": true, "fast_track_message": " \n \n \n \n \n \n", "aplus_present": "", "asin": "B00LT8T9F4", "category": "electronics", "query": "Blu-ray Players & Recorders", "page": 17, "small_description_old": ""}, {"name": "KAANAS Women's Sagrantino Pointy Heeled Mule Shoe", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 5 x 5 x 0.7 inches; 10.4 Ounces", "Item model number\n \u200f": "\u200e\n B00020N", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n April 25, 2019", "Manufacturer\n \u200f": "\u200e\n KAANAS", "ASIN\n \u200f": "\u200e\n B07R444XLK", "Best Sellers Rank": "#2,926,246 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#5,445 in Women's Mules & Clogs", "#5,445 in Women's Mules & Clogs": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the KAANAS Store", "brand_url": "https://www.amazon.com/stores/KAANAS/page/0FAEEB39-47DF-4A04-A26A-C3CA3DDC3EAF?ref_=ast_bln", "full_description": "KAANAS is a culture conscious footwear brand that strives to create ethically Responsible products that marry playful, feminine design to classic silhouettes. Unexpected modernity, bold prints, and quality craftsmanship are the signature elements that define every collection. KAANAS originates from the word used by the wayuu tribe; acenturies-\u00ad\u00adold matriarchal society from the guajira peninsulain colombia, for the intricate application of their signature weaves. While on a trip to laguajira in 2013, sisters Liliana and natalia acevedo were so moved by the beauty of the wayuu\u2019s textiles they set out to establish a company that would offer footwear designs featuring unique textiles sourced from around the globe. Each shoe bearing KAANAS\u2019 golden script logo is still handcrafted by master artisans.", "pricing": "$75.58$161.39", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/411sSZ8lmlL.jpg", "https://m.media-amazon.com/images/I/51PYM3A2gDL.jpg", "https://m.media-amazon.com/images/I/41aNhmI4ygL.jpg", "https://m.media-amazon.com/images/I/31feBdBzuCL.jpg", "https://m.media-amazon.com/images/I/41xghUwp6VL.jpg", "https://m.media-amazon.com/images/I/419FlY08jML.jpg", "https://m.media-amazon.com/images/I/41jBP0FTT4L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Mules & Clogs", "average_rating": 5, "small_description": ["Imported ", "Synthetic sole ", "Shaft measures approximately low-top from arch ", "Regular: true to size ", "Half sizes should size up if regular-wide width or size down if narrow width "], "total_reviews": 2, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "5", "asin": "B07R63CQJD"}, {"is_selected": false, "is_available": true, "value": "6", "asin": "B07R444XLF"}, {"is_selected": false, "is_available": true, "value": "7", "asin": "B07R8B1R2R"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B07R54PMHD"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B07R8B3JJJ"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B07R764L1M"}, {"is_selected": false, "is_available": true, "value": "11", "asin": "B07R54PMHB"}, {"is_selected": false, "is_available": false, "value": "7 Regular US", "asin": "B07RBGBXB8"}, {"is_selected": false, "is_available": false, "value": "10 Regular US", "asin": "B07R54NQRT"}, {"is_selected": false, "is_available": false, "value": "11 Regular US", "asin": "B07R8B1R2C"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07R63CFVV/ref=twister_B093X1ZHBS", "value": "Black Snake", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31ak9bHcOXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07R765FVX/ref=twister_B093X1ZHBS", "value": "Grey Snake", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41HeBCXrDvL.jpg"}, {"is_selected": true, "url": null, "value": "Leopard", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/411sSZ8lmlL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07R54PMHD", "category": "fashion", "query": "Women's Mules & Clogs", "page": 44, "small_description_old": "Imported Synthetic sole Shaft measures approximately low-top from arch Regular: true to size Half sizes should size up if regular-wide width or size down if narrow width"}, {"name": "Sunflower Wall Art Painting Decor- Yellow Floral Flower Canvas Picture Black and White Posters Prints Nature Bee Rustic Farmhouse Artwork Living Room Bathroom Kitchen Decoration unframed 12x16 inch", "product_information": {"Product Dimensions": "16 x 12 x 0.05 inches", "Item Weight": "6.4 ounces", "Manufacturer": "HZSYF", "ASIN": "B08CHHHB46", "Customer Reviews": {"ratings_count": 509, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#179,767 in Home & Kitchen (See Top 100 in Home & Kitchen) #2,866 in Posters & Prints"], "Number of Pieces": "3", "Batteries Required?": "No"}, "brand": "Brand: HZSYF", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=HZSYF", "full_description": "Sunflower Painting Wall Decor Bee Prints Wall Art Contemporary Picture Art Piece 3 Set Abstract Landscape Photo Canvas Home Office Decorations Nursery Bedroom Flower Plants Paintings 12''x 16'' Vivid Color Yellow Flower Painting Wall Decor Add a sunflower canvas pictures to your office to give you the temporary relax when you need it. Nature flower plant canvas art,animal bee pictures,perfect wall pictures for hotel,restaurant,studio,farm,dorm,teens room,girls room,kids room,yellow bedroom decorations,salon,spa,hallway,waiting rooms,studio,laundry,passageway,study,etc. Black White Sunflower Painting Nice Gift Sunflower wall art 3 piece,each panels is 12\u201dx 16\u201d, total 3 panels.Amazing scenery painting picture,sunflower photo bee prints on waterproof sunfast canvas material.Good present express your love for your family and friends.Giving him/her a gift on a special occasion, holiday and gift ideal like Valentine's Day,all saint's Day, Christmas, New Year, Mother's Day, Father's Day, Birthday and others. About canvas poster Canvas picture print art is a modern way to decor house,bringing some color back in subtly for plain wall,full of vitality in room.We put our best efforts into the pursuit of high-quality products and services that satisfy our customers.We are a art factory and have all kind of canvas prints picture,such as abstract modern,animals,seascape,scenery,movie hero,inspirational quotes.If you have any questions about our canvas art, please free contact our store. PLEASE NOTE: Canvas poster only, frame isn't included It is canvas prints,not hand-painted painting,there is not difference in the product itself,but colors may appear slightly different to each user due to individual monitors.", "pricing": "$12.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51spr5yizCL.jpg", "https://m.media-amazon.com/images/I/51fGLDZ81uL.jpg", "https://m.media-amazon.com/images/I/41SZHBBqC0L.jpg", "https://m.media-amazon.com/images/I/51lc8mf4-IL.jpg", "https://m.media-amazon.com/images/I/51EyNm5yZ9L.jpg", "https://m.media-amazon.com/images/I/512rj37DHtL.jpg", "https://m.media-amazon.com/images/I/51kDZe9m9VL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Wall Art \u203a Posters & Prints", "average_rating": 4, "small_description": ["Sunflower Decor Painting: Brilliant flowers in bloom,bee coming,perfect wall decor create a kind of vitality to your home.Black white sunflower canvas art pictures with modern and nordic appearance,it can enhance the beauty of your spce room,make the plain wall looks nice. Sunflower pictures wall decoration good for bathroom,kitchen,bedroom,living room,gust room,dinning room,cafe,cuadros,bar and so on. ", "Sunflower Wall Decor: Sunflower decor for bathroom bedroom kitchen living room,make the room has a nature flower feeling. These black and white wall art sunflower pictures wall decor are full pastoral and country,abstract and fashion.Beautiful country yellow flower wall art picture painting and perfect gift,suitable for teens,girls,kids,friends,men and women on festival and some celebrate days,such as Birthday,Christmas,Mother's Day,Valentine,Easter,Black Friday,Cyber Monday. ", "3 Picture Set Giclee Print Art Size: Giclee prints modern poster,nature bee sunflower picture posters photo printed on premium canvas,waterproof, UV resistant, fading resistant indoor.Each wall panel art size is 12x16inchx3pcs (30x40cmx3pcs). Sunflower painting wall decor are packed in cute tube. ", "No Frame Black White Sunflower Posters Prints: The sunflower canvas wall art are unframed,canvas only,and we reserved white border,so they can be fixed on wooden bar,you can choose your favourite style framed to frame it.If you don't need the white border,you can cut them off and hanging on wall directly without frame. ", "More about canvas print: Canvas picture art prints wall decor perfect for any contemporary, modern, vintage or retro decor indoor wall art.We have rich experience in canvas printing field,many themes for your home,office,salon,such as landscape,nature,animal,fashion,spa,movie,beach,quotes and sayings etc.We are committed to quality canvas painting with appropriate price.If you are not satisfied with the product, please contact our store.. "], "total_reviews": 509, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08CHGD5LK/ref=twister_B09NLPNCS5", "value": "Sunflower-b", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51S9Ohq43wL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08CHH7CMM/ref=twister_B09NLPNCS5", "value": "Sunflower-d", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51vUZk-tCuL.jpg"}, {"is_selected": true, "url": null, "value": "Sunflower-c", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51spr5yizCL.jpg"}], "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08CHGD5LK/ref=twister_B09NLPNCS5", "value": "12 x 16 in", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "12 x 16 in No Framed", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A1MSOUMOIS7I37", "seller_name": "Pujidao-US", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08CHHHB46", "category": "garden", "query": "Wall art", "page": 320, "small_description_old": "About this item Sunflower Decor Painting: Brilliant flowers in bloom,bee coming,perfect wall decor create a kind of vitality to your home.Black white sunflower canvas art pictures with modern and nordic appearance,it can enhance the beauty of your spce room,make the plain wall looks nice. Sunflower pictures wall decoration good for bathroom,kitchen,bedroom,living room,gust room,dinning room,cafe,cuadros,bar and so on. Sunflower Wall Decor: Sunflower decor for bathroom bedroom kitchen living room,make the room has a nature flower feeling. These black and white wall art sunflower pictures wall decor are full pastoral and country,abstract and fashion.Beautiful country yellow flower wall art picture painting and perfect gift,suitable for teens,girls,kids,friends,men and women on festival and some celebrate days,such as Birthday,Christmas,Mother's Day,Valentine,Easter,Black Friday,Cyber Monday. 3 Picture Set Giclee Print Art Size: Giclee prints modern poster,nature bee sunflower picture posters photo printed on premium canvas,waterproof, UV resistant, fading resistant indoor.Each wall panel art size is 12x16inchx3pcs (30x40cmx3pcs). Sunflower painting wall decor are packed in cute tube. No Frame Black White Sunflower Posters Prints: The sunflower canvas wall art are unframed,canvas only,and we reserved white border,so they can be fixed on wooden bar,you can choose your favourite style framed to frame it.If you don't need the white border,you can cut them off and hanging on wall directly without frame. More about canvas print: Canvas picture art prints wall decor perfect for any contemporary, modern, vintage or retro decor indoor wall art.We have rich experience in canvas printing field,many themes for your home,office,salon,such as landscape,nature,animal,fashion,spa,movie,beach,quotes and sayings etc.We are committed to quality canvas painting with appropriate price.If you are not satisfied with the product, please contact our store.."}, {"name": "Wii U Microphone", "product_information": {"ASIN": "B009AFLXZM", "Release date": "November 18, 2012", "Customer Reviews": {"ratings_count": 328, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#25,922 in Video Games (See Top 100 in Video Games) #76 in Wii U Controllers"], "Pricing": "The strikethrough price is the List Price. Savings represents a discount off the List Price.", "Product Dimensions": "3.54 x 2.56 x 10.24 inches; 8.16 Ounces", "Binding": "Video Game", "Rated": "Rating Pending", "Item model number": "WUPAMWKA", "Is Discontinued By Manufacturer": "No", "Item Weight": "8.2 ounces", "Manufacturer": "Nintendo", "Date First Available": "September 14, 2012"}, "brand": "Visit the Nintendo Store", "brand_url": "https://www.amazon.com/stores/Nintendo/page/BE0EB5D0-0AD6-4564-8BC5-4A129A3A9CFD?ref_=ast_bln", "full_description": "Let your voice ring out. Sing, talk, or have a party-the Wii U Microphone gives you a voice. Specially designed for use with Wii U, the microphone easily connects to the Wii U console and can be used with any Wii U Microphone compatible game. Look on the back of Wii U game packaging to see which games use the Wii U Microphone. Not compatible with the Wii system or games.", "pricing": "$26.95", "list_price": "", "availability_quantity": 7, "availability_status": "Only 7 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41CqcUMrAIL.jpg", "https://m.media-amazon.com/images/I/41MEa-wGFmL.jpg", "https://m.media-amazon.com/images/I/31xRWrGUDbL.jpg", "https://m.media-amazon.com/images/I/31+3AskHs4L.jpg", "https://m.media-amazon.com/images/I/31yCicW35XL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Video Games \u203a Legacy Systems \u203a Nintendo Systems \u203a Wii U \u203a Accessories \u203a Controllers", "average_rating": 4.5, "small_description": ["Brand New in box. The product ships with all relevant accessories "], "total_reviews": 328, "total_answered_questions": "", "model": "WUPAMWKA", "customization_options": "", "seller_id": "A5W45QDYAHWB2", "seller_name": "Direct Distributor", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B009AFLXZM", "category": "electronics", "query": "Nintendo Switch", "page": 12, "small_description_old": "About this item Brand New in box. The product ships with all relevant accessories"}, {"name": "Hanes Womens Silk Reflections Sheer Knee Highs 2-Pack_Jet_One Size", "product_information": {"Item Weight\n \u200f": "\u200e\n 1.28 Ounces", "Item model number\n \u200f": "\u200e\n 00725", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n October 9, 2015", "ASIN\n \u200f": "\u200e\n B015H77AF8", "Best Sellers Rank": "#4,955,304 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#3,501 in Women's Sheers", "#3,501 in Women's Sheers": ""}, "brand": "Visit the Hanes Store", "brand_url": "https://www.amazon.com/stores/Hanes/page/F83022EC-A709-4B2F-BCB7-7BBFA1896AB0?ref_=ast_bln", "full_description": "Are you partial to pants? Or do you prefer to live in long skirts? Either way we have your legwear solution.Our knee highs are silky sheer and provide a sleek fit and sensuous feel.Wide top band stays up without binding for all day comfort.Perfect for open toe shoes.One size fits most.", "pricing": "$7.92", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/41ZfG-lYnUL.jpg", "https://m.media-amazon.com/images/I/41ZfG-lYnUL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Socks & Hosiery \u203a Sheers", "average_rating": "", "small_description": ["Spandex,Nylon ", "Nylon/spandex ", "Our knee highs are silky sheer and provide a sleek fit and sensuous feel. ", "Wide top band stays up without binding for all day comfort. ", "Perfect for open toe shoes. ", "One size fits most. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2EDR7YR1BSPTD", "seller_name": "Under Moments", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B015H77AF8", "category": "fashion", "query": "Women's Socks & Hosiery", "page": 30, "small_description_old": "Spandex,Nylon Nylon/spandex Our knee highs are silky sheer and provide a sleek fit and sensuous feel. Wide top band stays up without binding for all day comfort. Perfect for open toe shoes. One size fits most."}, {"name": "Mens Linen Shirt,Men's Striped Shirts Casual Short Sleeve Button Down Shirts Regular Fit Hawaiian Shirts Beach Tees Tops", "product_information": {"Item model number\n \u200f": "\u200e\n \u200e Clearance!Hot!Cheap!", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n February 9, 2022", "Manufacturer\n \u200f": "\u200e\n mens polo shirts slim fit henley shirts for men", "ASIN\n \u200f": "\u200e\n B09S3H2X6N", "": ""}, "brand": "Brand: Hosamtel", "brand_url": "https://www.amazon.com/Hosamtel/b/ref=bl_sl_s_ap_web_15069747011?ie=UTF8&node=15069747011&field-lbr_brands_browse-bin=Hosamtel", "full_description": "\ud83d\udc93 Welcome to Hosamtel Store \ud83d\udc93 \ud83d\udc96 About Big and Tall Hoodies for Men \ud83d\udc96 \ud83d\udc9c\u3010Gender\u3011Men\ud83d\udc9c\u3010Season\u3011Autumn,Winter \ud83d\udc9c\u3010Style\u3011Casual\ud83d\udc9c\u3010Sleeve Type\u3011Long Sleeve \ud83d\udc9c\u3010Occasion\u3011Daily Wear, Casual, Leisure Activities, Work, Sports, Golfing, Tennis, Running, Meeting, Wedding, Dating ,Travel, Business,Evening out, Outdoor activities or Formal Place etc. \ud83d\udc9b If you receive a damaged or wrong item, please contact us and attach a picture, we will provide you with a satisfactory solution within 24 hours!!!\u2764\ufe0f Fashion Mens Hoodies Sweatshirts \u2764\ufe0fmen's hoodies drawstring athletic mens sweatshirts long sleeve gym pullover crewneck sweatshirts tops men's hoodies drawstring pocket men's square athletic pullover long sleeve hooded sweatshirt gym tops mens hoodies fleece winter warm thick coats jackets for men sherpa lined zip pullover hooded sweatershirt mens hoodies long sleeve athletic hooded sweatshirts drawstring pocket gym pullover men hoodies tops mens hoodies,drawstring pocket athletic sweatshirt long sleeve gym pullover men's simple hooded tops hoodies for men long sleeve athletic hooded sweatshirts drawstring pocket gym pullover men hoodies tops mens hoodies casual long sleeve mens athletic sweatshirt gym hoodies drawstring sport pullover with pocket tops hoodies for men blockcolor fashion athletic hoodies sport hooded sweatshirt fleece pullover tops with pocket ripped distressed destroyed jogger jeans teen boys washed slim fit leg denim pants men's button down shirt long sleeve dress shirt turndown-collar casual solid color shirt top blouse with pocket men's paisley print dress shirt long sleeve button down blouse casual lapel loose slim fit casual tops mens hoodies pullover graphic,2021 fall fashion geometric print button lightweight sweatshirts pocket hooded tops mens casual zip up hoodies jacket novelty color block slim lightweight zipper pockets workout hooded sweatshirt", "pricing": "$3.78$11.38", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/412AX6VrkyL.jpg", "https://m.media-amazon.com/images/I/310D2T0Ui-L.jpg", "https://m.media-amazon.com/images/I/518o8lUCYYL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Active \u203a Active Shirts & Tees \u203a Button-Down Shirts", "average_rating": "", "small_description": ["men graphic tees big and tall funny graphic tees for men ", "\ud83d\udd25\ud83d\udd25 Best Gifts for Men /Husband / Fathers/ Boyfriends. Today's Deals Hallowen Christmas Mens Sweatshirts Hoodies Sweaters Big Promotion Buy 2 get 8% off Buy 3 get 12% off Buy 4 get 18% off,Buy 5 get 20% off \ud83d\udd25\ud83d\udd25 ", "\ud83c\udf80 \u3010About shipping\u3011Expedited Shipping: 3-5 Days. \ud83c\udf80 Standard shipping:10-18 Days. \ud83c\udf80 Within 24 Hours Shipping Out. \ud83c\udf80 ", "\ud83d\udc97\u3010Note\u3011 Size runs small, Please check the size chart before purchase and choose 1-2 size up. If you are not sure about the size, please send us a message. \ud83d\udc97 ", "\ud83d\udc97 Material: Made from premium and super soft polyester, good quality mens casual tops, casual t-shirt is breathable fabric, long sleeve pullover shirt, graphic funny tees tops blouses great for all summer, spring, autumn and winter days. ", "\ud83d\udc97 Occasions: Suitable for Casual Daily/Beach/ Travel/ Home/ Vacation/ Shopping/ Street/ Party/ Outdoor/ Club to Wear. You must have in your Wardrobe. ", "\ud83d\udc97 men's comfy soft short sleeve t-shirts fashion casual street printed crew neck shirt muscle tee shirts top classic polo shirts for men short sleeve zipper casual basic twill printed t-shirts workout gym golf tee tops men's golf polo shirts summer fashion star chain bronzing print short sleeve lapel soft quick dry regular fit men's short sleeve muscle athletic gradient t-shirts casual big & tall slim fit crewneck top blouse , \ud83d\udc97 dry fit polo shirts for men short sleeve jersey tech golf stripe shirt with pockets regular-fit t shirts mens summer beach lapel shirts cotton linen hawaiian print cool casual poplin short sleeve button down tops men's casual ethnic printed regular fit short sleeve hawaiian shirts button down up holiday polo blouse t-shirt mens shirts casual short sleeve summer 3d digital printing independence day graphic t-shirt short sleeve blouse, \ud83d\udc97 long sleeve tee shirts for men big and tall tee shirts for men loose fit plus size polo shirts for men with pocket long sleeve slim fit denim shirt for men classic slim fit long sleeve button up snap work shirts casual western cowboy jean jackets long sleeve tee shirts for men graphic funny vintage polo shirts for men dry fit shirts for men fashion long sleeve slim fit mens long sleeve t-shirt hip hop graphic printing slim-fit crew neck casual tops fall pullover tie dye tee shirts blouse"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09S3H2X6N"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09S3BHZ9X"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09S3BN15C"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09S3C73DB"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B09S3D9JYY"}], "Color": [{"is_selected": true, "url": null, "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/412AX6VrkyL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09S3JPMGT/ref=twister_B09S3JNYWK", "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41IkOA+X-uL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09S3BN15C", "category": "fashion", "query": "Men's Henleys", "page": 155, "small_description_old": "men graphic tees big and tall funny graphic tees for men \ud83d\udd25\ud83d\udd25 Best Gifts for Men /Husband / Fathers/ Boyfriends. Today's Deals Hallowen Christmas Mens Sweatshirts Hoodies Sweaters Big Promotion Buy 2 get 8% off Buy 3 get 12% off Buy 4 get 18% off,Buy 5 get 20% off \ud83d\udd25\ud83d\udd25 \ud83c\udf80 \u3010About shipping\u3011Expedited Shipping: 3-5 Days. \ud83c\udf80 Standard shipping:10-18 Days. \ud83c\udf80 Within 24 Hours Shipping Out. \ud83c\udf80 \ud83d\udc97\u3010Note\u3011 Size runs small, Please check the size chart before purchase and choose 1-2 size up. If you are not sure about the size, please send us a message. \ud83d\udc97 \ud83d\udc97 Material: Made from premium and super soft polyester, good quality mens casual tops, casual t-shirt is breathable fabric, long sleeve pullover shirt, graphic funny tees tops blouses great for all summer, spring, autumn and winter days. \ud83d\udc97 Occasions: Suitable for Casual Daily/Beach/ Travel/ Home/ Vacation/ Shopping/ Street/ Party/ Outdoor/ Club to Wear. You must have in your Wardrobe. \ud83d\udc97 men's comfy soft short sleeve t-shirts fashion casual street printed crew neck shirt muscle tee shirts top classic polo shirts for men short sleeve zipper casual basic twill printed t-shirts workout gym golf tee tops men's golf polo shirts summer fashion star chain bronzing print short sleeve lapel soft quick dry regular fit men's short sleeve muscle athletic gradient t-shirts casual big & tall slim fit crewneck top blouse \n \ud83d\udc97 dry fit polo shirts for men short sleeve jersey tech golf stripe shirt with pockets regular-fit t shirts mens summer beach lapel shirts cotton linen hawaiian print cool casual poplin short sleeve button down tops men's casual ethnic printed regular fit short sleeve hawaiian shirts button down up holiday polo blouse t-shirt mens shirts casual short sleeve summer 3d digital printing independence day graphic t-shirt short sleeve blouse\ud83d\udc97 long sleeve tee shirts for men big and tall tee shirts for men loose fit plus size polo shirts for men with pocket long sleeve slim fit denim shirt for men classic slim fit long sleeve button up snap work shirts casual western cowboy jean jackets long sleeve tee shirts for men graphic funny vintage polo shirts for men dry fit shirts for men fashion long sleeve slim fit mens long sleeve t-shirt hip hop graphic printing slim-fit crew neck casual tops fall pullover tie dye tee shirts blouseShow more"}, {"name": "Fanyate Antique Industrial Wall Sconce, 2-Light Bathroom Light Fixture Oil Rubbed Bronze Vanity Light with Clear Glass Shade Suitable for Bathroom Living Room Hallway ORB, 2 Pack", "product_information": {"Brand": "\u200eFanyate", "Manufacturer": "\u200eFanyate", "Item Weight": "\u200e8.23 pounds", "Package Dimensions": "\u200e17.87 x 14.48 x 13.86 inches", "Color": "\u200e2-light", "Material": "\u200eMetal", "Finish Types": "\u200eAntique, Oil Rubbed", "Number of Lights": "\u200e2", "Voltage": "\u200e120 Volts", "Shade Material": "\u200eGlass", "Switch Installation Type": "\u200eWall Mount", "Batteries Required?": "\u200eNo", "ASIN": "B0928LGTVF", "Customer Reviews": {"ratings_count": 55, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#105,514 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #449 in Vanity Lighting Fixtures #523 in Wall Sconces"], "Date First Available": "April 12, 2021"}, "brand": "Visit the Fanyate Store", "brand_url": "https://www.amazon.com/stores/FANYATE/page/3FEECA21-8CA6-4BD5-87ED-D8109FA3BBB1?ref_=ast_bln", "full_description": "", "pricing": "$113.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41icQciKVIS.jpg", "https://m.media-amazon.com/images/I/51FdgLiXwYL.jpg", "https://m.media-amazon.com/images/I/41h973-HHqL.jpg", "https://m.media-amazon.com/images/I/41WqMTw0ylL.jpg", "https://m.media-amazon.com/images/I/41ERLF-S49S.jpg", "https://m.media-amazon.com/images/I/51p9SHK7fuS.jpg", "https://m.media-amazon.com/images/I/51es5xvX8zS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Wall Lights \u203a Wall Lamps & Sconces", "average_rating": 4.7, "small_description": ["\u3010ANTIQUE INDUSTRIAL STYLE\u3011Unique Oil Rubbed Bronze painting finished metal lamp body mated with clear glass shade, adding more antique and industrial atmosphere and bringing a quiet and comfortable feeling to your life. ", "\u3010PRODUCT INSPECTION\u3011The width of this light is 13.8'', the depth is 6.6,'' and the height is 9.8''. Compatible with E26 base bulb. The max wattage of the bulb is 60W. (Bulb is not included.) ", "\u3010EASY INSTALLATION\u3011Easy installation to save your time. The installation instruction and mounting screws are included in the package for your quick installation. ", "\u3010APPLICABLE SPACE\u3011These wall lights are suitable for any space you want to decorate. Not only suitable for bathroom, also living room, study, porch, kitchen, dining room, cafe, bar, bedroom, shop, lounge decoration. ", "\u3010GORGEOUS SHOPPING EXPERIENCE\u3011You can get not only good value from this lamp but also our services and a 1-year warranty that will guarantee your complete satisfaction with your purchase. "], "total_reviews": 55, "total_answered_questions": 5, "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B0928K612B/ref=twister_B096ZB8LX8?_encoding=UTF8&psc=1", "value": "1-light", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/411CDA4TOqL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09G6JK316/ref=twister_B096ZB8LX8", "value": "1-light-gd", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41wSnG8QgBL.jpg"}, {"is_selected": true, "url": null, "value": "2-light", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41icQciKVIS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09GB7145B/ref=twister_B096ZB8LX8?_encoding=UTF8&psc=1", "value": "2-light-gd", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41NpLeINXmL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09G6JF618/ref=twister_B096ZB8LX8", "value": "3-light-gd", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41kdLR2uyjL.jpg"}], "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08Q3G5NQF/ref=twister_B096ZB8LX8?_encoding=UTF8&psc=1", "value": "1-pack", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "2-pack", "price_string": "", "price": 0, "image": null}]}, "seller_id": "AFODNMJ70CPS3", "seller_name": "Fanyate", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B0928LGTVF", "category": "garden", "query": "Sconces", "page": 53, "small_description_old": "About this item \u3010ANTIQUE INDUSTRIAL STYLE\u3011Unique Oil Rubbed Bronze painting finished metal lamp body mated with clear glass shade, adding more antique and industrial atmosphere and bringing a quiet and comfortable feeling to your life. \u3010PRODUCT INSPECTION\u3011The width of this light is 13.8'', the depth is 6.6,'' and the height is 9.8''. Compatible with E26 base bulb. The max wattage of the bulb is 60W. (Bulb is not included.) \u3010EASY INSTALLATION\u3011Easy installation to save your time. The installation instruction and mounting screws are included in the package for your quick installation. \u3010APPLICABLE SPACE\u3011These wall lights are suitable for any space you want to decorate. Not only suitable for bathroom, also living room, study, porch, kitchen, dining room, cafe, bar, bedroom, shop, lounge decoration. \u3010GORGEOUS SHOPPING EXPERIENCE\u3011You can get not only good value from this lamp but also our services and a 1-year warranty that will guarantee your complete satisfaction with your purchase. \n \u203a See more product details"}, {"name": "Ortofon Stylus D 25M Replacement Stylus (Black)", "product_information": {"Item Weight": "0.353 ounces", "Package Dimensions": "1.5 x 1.42 x 1.34 inches", "ASIN": "B001IGMS28", "Item model number": "0020101", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#74,294 in Musical Instruments (See Top 100 in Musical Instruments) #731 in DJ Turntable Cartridges #27,443 in Music Recording Equipment"], "Is Discontinued By Manufacturer": "No", "Date First Available": "August 24, 2017"}, "brand": "Brand: Ortofon", "brand_url": "https://www.amazon.com/Ortofon/b/ref=bl_dp_s_web_2597938011?ie=UTF8&node=2597938011&field-lbr_brands_browse-bin=Ortofon", "full_description": "Stylus D 25M Replacement Stylus What's in the Box: Stylus D 25M Replacement Stylus Specifications Frequency range: 20 - 22000Hz Frequency response: 20 - 18000Hz 2/-3dB Tracking ability at 315Hz at recommended tracking force: 70 m Compliance dynamic lateral: 7m/mN Stylus type: Spherical Stylus tip radius: R 25m Equivalent stylus tip mass: 0.5mg Tracking force range: 2.0 - 3.0g (20 - 30mN) Tracking force recommended: 2.5g (25mN) Tracking angle: 20 Recommended for the following cartridges All super OM OM OMP TM Concorde cartridges for playing micro-groove records", "pricing": "$75.00", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41QeGxua+LL.jpg", "https://m.media-amazon.com/images/I/41sI6fQf0xL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Musical Instruments \u203a Electronic Music, DJ & Karaoke \u203a DJ Equipment \u203a Accessories \u203a Turntable Cartridges", "average_rating": 5, "small_description": [""], "total_reviews": 1, "total_answered_questions": "", "model": "0020101", "customization_options": "", "seller_id": "AKR88PAWTQVN2", "seller_name": "WORLD WIDE STEREO", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B001IGMS28", "category": "electronics", "query": "Turntables", "page": 50, "small_description_old": "Replacement Stylus for Ortofon D 25M Recommended for the following cartridges: all Super OM OM OMP TM Concorde cartridges for palying mico-groove records Features a Spherical stylus Recommended tracking force 2.5g"}, {"name": "Soft Headband Wireless Headphones for Sleep, Wireless Sleep Earbuds, Comfortable Headphones for Sleeping with Thin HD Stereo Speakers, Sleeping Headsets for Workout, Insomnia, Travel, Yoga, Sport\u2026", "product_information": {"Package Dimensions": "11.38 x 4.21 x 0.75 inches", "Item Weight": "4.6 ounces", "ASIN": "B09FYXV44L", "Item model number": "1", "Customer Reviews": {"ratings_count": 232, "stars": "4.3 out of 5 stars"}, "Best Sellers Rank": ["#215 in Over-Ear Headphones #548 in Earbud & In-Ear Headphones"], "Date First Available": "September 14, 2021", "Manufacturer": "KAVECY"}, "brand": "Brand: KAVECY", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=KAVECY", "full_description": "", "pricing": "$18.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51Rov62dclL.jpg", "https://m.media-amazon.com/images/I/51IFahV4w3L.jpg", "https://m.media-amazon.com/images/I/51uYdetFkHL.jpg", "https://m.media-amazon.com/images/I/51Yp-0wnAEL.jpg", "https://m.media-amazon.com/images/I/51VgYEwU6mL.jpg", "https://m.media-amazon.com/images/I/518iMhHCSlL.jpg", "https://m.media-amazon.com/images/I/713F1DxXm-L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Headphones \u203a Earbud Headphones", "average_rating": 4.3, "small_description": ["\u3010Headphones Wireless Headband for Sleep\u3011Headphones Wireless for Sleeping & Sports Headband 2 in 1. Wireless Headband features a soft headband design that allows you to listen to music without having to wear additional headphones, and protects you from being disturbed by your mess hair, and sweat. Built-in microphone to let you won't miss any callings. Perfect suitable for gym, workout, yoga, and other outdoor activities. Wireless headband is the cool tech gift for men/ women/ family/ teens. ", "\u3010Super Soft and Breathable Headband\u3011Sports Headband Music headphone is extremely soft and lightweight, which is made of durable braided cord and offer a breathable mesh lining, extremely stretchable, will easily stretch to fit all head sizes, also incredibly soft. Headphones are comfortable and breathable material washable, simply remove the speakers and clean the band. Wearing a headband to shading when sleeping is good for deep sleep. ", "\u3010Thin Speakers Music Headphones for Sleeping\u3011Fall Asleep with Your Selected Tunes. Built-in 2 ultra-thin speakers, devices control module is in the middle of headband, no press the ears. The headphones will let you surround yourself with an ultimate sound experience without disturbing. They can block environmental noise and help you drift off with your favorite music or audiobook. Compatible with Android and Ios or any other smartphones, iPad, Tablets. ", "\u3010Longer Service Time and Premium Audio\u3011Headphones with Wireless 5.0 HiFi advanced sound technology wireless headphones offer an upgraded rechargeable lithium battery, charge about 2-2.5 hours provide more than 10 hours of playing time. Fast paring speed, less power consuming. Quality chipsets ensure clear sound and lossless music even during sports. Built-in microphone and volume control buttons enable users to answer hands-free phone calls and use other functions. ", "\u3010Improved Quality After-sales service\u3011 Headphones Wireless headband creates a private space, not only make your sleep better but also enjoy your Hi-Fi music time, enjoy your life. We offer a warranty and technical services and will provide you with a solution within 12 hours. "], "total_reviews": 232, "total_answered_questions": 36, "model": "1", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09FYX9ZN7/ref=twister_B09JJSRXRK?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$18.99", "price": 18.99, "image": "https://m.media-amazon.com/images/I/41SbYXYDLTL.jpg"}, {"is_selected": true, "url": null, "value": "Gray", "price_string": "$18.99", "price": 18.99, "image": "https://m.media-amazon.com/images/I/51Rov62dclL.jpg"}]}, "seller_id": "A5W52DKU52SIS", "seller_name": "Xsadz Tec", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09FYXV44L", "category": "electronics", "query": "Headphones", "page": 23, "small_description_old": "About this item\n \n\u3010Headphones Wireless Headband for Sleep\u3011Headphones Wireless for Sleeping & Sports Headband 2 in 1. Wireless Headband features a soft headband design that allows you to listen to music without having to wear additional headphones, and protects you from being disturbed by your mess hair, and sweat. Built-in microphone to let you won't miss any callings. Perfect suitable for gym, workout, yoga, and other outdoor activities. Wireless headband is the cool tech gift for men/ women/ family/ teens. \u3010Super Soft and Breathable Headband\u3011Sports Headband Music headphone is extremely soft and lightweight, which is made of durable braided cord and offer a breathable mesh lining, extremely stretchable, will easily stretch to fit all head sizes, also incredibly soft. Headphones are comfortable and breathable material washable, simply remove the speakers and clean the band. Wearing a headband to shading when sleeping is good for deep sleep. \u3010Thin Speakers Music Headphones for Sleeping\u3011Fall Asleep with Your Selected Tunes. Built-in 2 ultra-thin speakers, devices control module is in the middle of headband, no press the ears. The headphones will let you surround yourself with an ultimate sound experience without disturbing. They can block environmental noise and help you drift off with your favorite music or audiobook. Compatible with Android and Ios or any other smartphones, iPad, Tablets. \u3010Longer Service Time and Premium Audio\u3011Headphones with Wireless 5.0 HiFi advanced sound technology wireless headphones offer an upgraded rechargeable lithium battery, charge about 2-2.5 hours provide more than 10 hours of playing time. Fast paring speed, less power consuming. Quality chipsets ensure clear sound and lossless music even during sports. Built-in microphone and volume control buttons enable users to answer hands-free phone calls and use other functions. \u3010Improved Quality After-sales service\u3011 Headphones Wireless headband creates a private space, not only make your sleep better but also enjoy your Hi-Fi music time, enjoy your life. We offer a warranty and technical services and will provide you with a solution within 12 hours."}, {"name": "ARC 575, 23\" Heavy Duty Stainless Steel Concave Comal Discada Disc Cooker Cazo Griddle Fryer Cookware, Great Comal para Tacos Tortillas Maker, Griddle Cooking Camping (Comal)", "product_information": {"Manufacturer": "ARC USA", "ASIN": "B0851Y9BDC", "Customer Reviews": {"ratings_count": 200, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#76,539 in Kitchen & Dining (See Top 100 in Kitchen & Dining) #156 in Griddles"]}, "brand": "Visit the ARC Advanced Royal Champion Store", "brand_url": "https://www.amazon.com/stores/ARCUSA/page/47660BA0-5083-4776-AB20-E5D3D1162795?ref_=ast_bln", "full_description": "", "pricing": "$63.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31OngiNHALS.jpg", "https://m.media-amazon.com/images/I/21duHP5HcIS.jpg", "https://m.media-amazon.com/images/I/41007z-UrHS.jpg", "https://m.media-amazon.com/images/I/317SD4pdo8S.jpg", "https://m.media-amazon.com/images/I/31lwLyVgYrS.jpg", "https://m.media-amazon.com/images/I/51dfNe0TuRS.jpg", "https://m.media-amazon.com/images/I/61Z0uAAkYlL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Kitchen & Dining \u203a Cookware \u203a Griddles", "average_rating": 4.5, "small_description": ["Comal is made from high-quality NSF Stainless Steel. High-Quality Stainless Steel with Stay Cool Handles for Easy Grip. ", "Our decade disc cooker is a stainless steel Convex comal, Convex grilling area is perfect to stir heavy fry items like tacos, quesadillas, gorditas, fajitas, and much more! ", "The Stainless steel Convex comal is a very popular cooking utensil used among food vendors on the streets and in restaurants all over Mexico. ", "It used to cook different types of food like toast tortillas, fry fish, heating and cooking a wide variety of your favorite foods, and searing juices in the meat, great for tacos, quesadillas, gorditas, fajitas, and pambazos. ", "Usable on a Variety of Cooking Equipment or Cooking Assignments. Large cooking surface & Fits on most portable gas burner stove. "], "total_reviews": 200, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B087DVHZQ8/ref=twister_B08545Y4D1?_encoding=UTF8&psc=1", "value": "15.7'' X 1.25''", "price_string": "$41.99", "price": 41.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B087FC5XGD/ref=twister_B08545Y4D1?_encoding=UTF8&psc=1", "value": "15.7'' X 3.5''", "price_string": "$42.95", "price": 42.95, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B087F15639/ref=twister_B08545Y4D1?_encoding=UTF8&psc=1", "value": "21.25'' X 2.12''", "price_string": "$49.89", "price": 49.89, "image": null}, {"is_selected": true, "url": null, "value": "23'' X 5''", "price_string": "$63.95", "price": 63.95, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07V28RNX1/ref=twister_B08545Y4D1?_encoding=UTF8&psc=1", "value": "23'' X 5'' SET", "price_string": "$78.95", "price": 78.95, "image": null}]}, "seller_id": "AUCHE16YK7YRW", "seller_name": "ARC IMPORT CORP", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B0851Y9BDC", "category": "garden", "query": "China Cabinets", "page": 348, "small_description_old": "[HIGH QUALITY STAINLESS STEEL]: ARC concave comal is made from high quality NSF stainless steel. It is very thick and heavy duty stainless. [COOL ROLLED HANDLES]: The discada comal has two riveted handles which keep cool for easy to grip. [MANY KIND OF FOOD]: It suit for food like tortillas, tacos, discada, meat, quesadillas, gorditas, fajitas and pambazos, carne asada and so on. Excellent discada dis cooker and comal para tacos. [FRY AND SIMMER]: Tortillas, carne asada, meat or vegetable can be fried or simmered in the centre, while the taco can be warmed around the comal side. [USE WITH PORTABLE GAS STOVE]: Usable on a Variety of Cooking Equipment or Cooking Assignments. Large cooking surface & Fits on most portable gas burner stove."}, {"name": "Superbox S3 Pro Dual Band Wi-Fi 2.4Ghz 5Ghz Supports 6K Video", "product_information": {"Brand Name": "\u200eBRAATV", "Item Weight": "\u200e1 pounds", "Package Dimensions": "\u200e7.6 x 5.12 x 3.03 inches", "Item model number": "\u200eSuperbox S3 Pro", "ASIN": "B09LSKQF8C", "Customer Reviews": {"ratings_count": 23, "stars": "3.7 out of 5 stars"}, "Best Sellers Rank": ["#37,802 in Electronics (See Top 100 in Electronics) #334 in Streaming Media Players"], "Date First Available": "November 13, 2021"}, "brand": "Brand: BRAATV", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=BRAATV", "full_description": "The newest SuperBox S3 Pro is an advanced voice control IPTV box, with a brand new Bluetooth remote and built-in artificial intelligence system, you can easily speak to control your TV box. The box has 2GB of RAM and 32GB of storage, utilizes a quad-core ARM Cortex-A53 processor, supports Android 9.0 OS. The new model has a new flat rectangular shape of design with an additional led display and new interface, the SuperBox S3 Pro has also added more features. It adopts 2T2R WiFi technology makes our streaming device 60% faster and more stable. In conclusion, the SuperBox S3 Pro is really the game-changer in streamer, it is by far the most powerful and most user-friendly TV Box on the market.", "pricing": "$329.00", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31yObqoMbgL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Television & Video \u203a Streaming Media Players", "average_rating": 3.7, "small_description": ["Built-in Voice Control System ", "Android 9.0 OS ", "Quad-core ARM Cortex-A53 Processor ", "2T2R( 2 Transmitter, 2 receivers) antenna and 2.4G/5G Dual Band WiFi ", "2GB DDR3 Memory ", "32GB eMMC Internal Storage ", "Support 4K@60fps "], "total_reviews": 23, "total_answered_questions": 31, "model": "\u200eSuperbox S3 Pro", "customization_options": "", "seller_id": "A24JUJCA2CASVL", "seller_name": "RcTechDistro", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09LSKQF8C", "category": "electronics", "query": "Streaming Media Players", "page": 15, "small_description_old": "About this item Built-in Voice Control System Android 9.0 OS Quad-core ARM Cortex-A53 Processor 2T2R( 2 Transmitter, 2 receivers) antenna and 2.4G/5G Dual Band WiFi 2GB DDR3 Memory 32GB eMMC Internal Storage Support 4K@60fps \n \u203a See more product details"}, {"name": "Sea Gull Lighting 85200-12 Wynfield One-Light Outdoor Wall Lantern with Clear Beveled Glass Panels, Black Finish", "product_information": {"Manufacturer": "\u200eSea Gull Lighting", "Part Number": "\u200e85200-12", "Item Weight": "\u200e8 ounces", "Product Dimensions": "\u200e9.75 x 6 x 9.75 inches", "Country of Origin": "\u200eChina", "Item model number": "\u200e85200-12", "Is Discontinued By Manufacturer": "\u200eNo", "Size": "\u200eOne - Light", "Color": "\u200eBlack", "Style": "\u200eTraditional", "Finish": "\u200eClear", "Material": "\u200eGlass", "Shape": "\u200eA19", "Power Source": "\u200eWired Electric", "Voltage": "\u200e120 Volts", "Wattage": "\u200e100 watts", "Item Package Quantity": "\u200e1", "Number Of Pieces": "\u200e1", "Type of Bulb": "\u200eIncandescent - Medium Base A-19", "Measurement System": "\u200eEnglish/Standard", "Mounting Type": "\u200eProtruding", "Plug Format": "\u200eA- US style", "Switch Style": "\u200eToggle", "Special Features": "\u200eDimmable", "Usage": "\u200eCeiling fan", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "Warranty Description": "\u200eAll products purchased have a 30-day replacement parts policy to ensure a fully working item. All products are covered under a 1-year warranty when purchased on amazon. The warranty period begins on the day the product is originally shipped. The warranty covers all of the items and conditions identified in the original manufacturers warranty. Some of the items specifically not covered by the warranty are loss and theft, water damage, customer abuse, and finish detoriation due to uv or coastal exposure.", "ASIN": "B003HBR86S", "Customer Reviews": {"ratings_count": 11, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#563,924 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #3,041 in Patio Wall Light Fixture"], "Domestic Shipping": "Item can be shipped within U.S.", "International Shipping": "This item can be shipped to select countries outside of the U.S. Learn More", "Date First Available": "April 15, 2010"}, "brand": "Visit the Sea Gull Lighting Store", "brand_url": "https://www.amazon.com/stores/Generation+Lighting+Sea+Gull+Collection/page/CE45CBF2-F073-4374-9C84-3577DA294243?ref_=ast_bln", "full_description": "The Sea Gull Lighting Wynfield one light outdoor wall fixture in black enhances the beauty of your property, makes your home safer and more secure, and increases the number of pleasurable hours you spend outdoors. The Wynfield collection by Sea Gull Lighting complements classical home designs with its soft curves and colonial accents. A Black Powdercoat finish over a durable cast aluminum body adds dependable quality to an enduring style. Either Frosted glass or Clear Beveled glass give the fixtures distinct appeal. The assortment includes small, medium and large one-light outdoor wall lanterns, a two-light outdoor wall lantern, a two-light, outdoor post lantern and a two-light outdoor ceiling flush mount. The fixtures with Frosted glass are also available in an ENERGY STAR-qualified fluorescent version, and the one-light fixtures with Clear Beveled glass can easily convert to LED by purchasing LED replacement lamps sold separately.", "pricing": "$61.17", "list_price": "", "availability_quantity": 7, "availability_status": "Only 7 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51c3GuGWaSL.jpg", "https://m.media-amazon.com/images/I/414pcxK8d7L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Outdoor Lighting \u203a Porch & Patio Lights \u203a Wall Lights", "average_rating": 4.4, "small_description": ["Dimensions- width: 6'' height: 9 3/4'' extends: 6 3/4''; backplate dimensions- depth: 3/4'' width: 5'' height: 5'' ", "Supplied with 6.5\" of wire ", "Clear bulb recommended for this fixture ", "Easily converts to LED with optional replacement lamps ", "Requires 1 A19 medium light bulb, 100-watt max (sold separately) ", "This fixture is dimmable with a dimmable bulb (not included) ", "UL listed for wet locations ", "Featured in the decorative Wynfield collection "], "total_reviews": 11, "total_answered_questions": "", "model": "\u200e85200-12", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B003HBR86S", "category": "garden", "query": "Sconces", "page": 184, "small_description_old": "About this item\n \nDimensions- width: 6'' height: 9 3/4'' extends: 6 3/4''; backplate dimensions- depth: 3/4'' width: 5'' height: 5'' Supplied with 6.5\" of wire Clear bulb recommended for this fixture Easily converts to LED with optional replacement lamps Requires 1 A19 medium light bulb, 100-watt max (sold separately) This fixture is dimmable with a dimmable bulb (not included) UL listed for wet locations Featured in the decorative Wynfield collection \n \u203a See more product details"}, {"name": "Handcrafted Oval Mosaic Wall Mirror, Decorative Mosaic Mirror Wall Art, Wood Framed Mirror Fitted with Small Glass Mosaic Pieces, Rainbow Blue Large Wall Mirror, 32 x 24, by Home Gift Warehouse", "product_information": {"Item Weight": "10 pounds", "Manufacturer": "Home Gift Warehouse", "ASIN": "B09Q3NSH3D", "Country of Origin": "China", "Item model number": "Oval Mirror", "Customer Reviews": {"ratings_count": null, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#1,038,767 in Home & Kitchen (See Top 100 in Home & Kitchen) #2,761 in Wall-Mounted Mirrors"], "Date First Available": "January 10, 2022"}, "brand": "Brand: Home Gift Warehouse", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Home+Gift+Warehouse", "full_description": "Home Gift Warehouse offers the best Mosaic wall mirror which can work best in all the places. It is a set of exquisite accents for all the walls in your place. From fancy wall mirrors to decorative oval wall mirrors, you can look for all at a lower cost. They must have because of its handmade design which offers high quality support. These mirrors are made from the fine mosaic glass art surrounded with a number of small glasses together. These Decorative oval mirrors for the wall help in placing a good look in your room. It gives the eye a spotlight which is best for your decoration. Green wall mirrors help in getting all the spotlight in a way that the wall looks very attractive all the time. It can come out as an excellent gift in case one is looking for an attractive piece. Measurement of these mirrors are 32\" H X 24\" W X .6\" D inches. Shop for your decorative oval mirror from Home Gift Warehouse online and get the best striking deals.", "pricing": "$159.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41ytzsK1ViL.jpg", "https://m.media-amazon.com/images/I/41no-NRwrqL.jpg", "https://m.media-amazon.com/images/I/51-ROVkBaVL.jpg", "https://m.media-amazon.com/images/I/41a95udYC8L.jpg", "https://m.media-amazon.com/images/I/41LGgkjrc2L.jpg", "https://m.media-amazon.com/images/I/41F8Xqh19UL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Mirrors \u203a Wall-Mounted Mirrors", "average_rating": 4, "small_description": ["MOSAIC STYLE: This astonishing piece of Turquoise, Blue Oval Wall Mirror is delicately designed with the mosaic material. The placement of mirrors right above the MDF Wooden base is eye-opening. This mosaic mirror is the true verse of beauty that dilutes the image in mind. ", "OVAL SHAPED: This fabulous decorative oval mirror masterpiece, the designer vision of a different masterpiece. It has an artistic shape which is rare to find. It brings a trembling accent with the right flow of color to the place it is kept in. ", "SIZE: Glass Mosaic mirror is bold (32\" H X 24\" W X .6\" D) which brings your eye in notice all the time. Designed with the reflection of class and symmetry of small mirror makes is your perfect room decoration piece. ", "PLACEMENT: Being a fancy wall mirror, it is easy to locate it at any place. Blue wall mirrors being different in color and style, they must opt for. Right from bedroom to bathroom mirror, Hallway, Bedroom, Bathroom & Living Room. It is your decision to place it anywhere. ", "BEST CHOICE GUARANTEED: By any luck, your mind slightly towards the decision of not keeping the Home Gift Warehouse Mirrors will be glad to either replace or refund your complete order. Oval mirrors for walls if they fail to please you, then you need to just get in touch with us and will do the best for you. "], "total_reviews": 1, "total_answered_questions": "", "model": "Oval Mirror", "customization_options": "", "seller_id": "APF3054GQKQN5", "seller_name": "HOME GIFT WAREHOUSE", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09Q3NSH3D", "category": "garden", "query": "Decorative Mirrors", "page": 15, "small_description_old": "About this item\n \nMOSAIC STYLE: This astonishing piece of Turquoise, Blue Oval Wall Mirror is delicately designed with the mosaic material. The placement of mirrors right above the MDF Wooden base is eye-opening. This mosaic mirror is the true verse of beauty that dilutes the image in mind. OVAL SHAPED: This fabulous decorative oval mirror masterpiece, the designer vision of a different masterpiece. It has an artistic shape which is rare to find. It brings a trembling accent with the right flow of color to the place it is kept in. SIZE: Glass Mosaic mirror is bold (32\" H X 24\" W X .6\" D) which brings your eye in notice all the time. Designed with the reflection of class and symmetry of small mirror makes is your perfect room decoration piece. PLACEMENT: Being a fancy wall mirror, it is easy to locate it at any place. Blue wall mirrors being different in color and style, they must opt for. Right from bedroom to bathroom mirror, Hallway, Bedroom, Bathroom & Living Room. It is your decision to place it anywhere. BEST CHOICE GUARANTEED: By any luck, your mind slightly towards the decision of not keeping the Home Gift Warehouse Mirrors will be glad to either replace or refund your complete order. Oval mirrors for walls if they fail to please you, then you need to just get in touch with us and will do the best for you."}, {"name": "Signature Soy Bali Sunrise Large Jar, 15.2 oz. Candle", "product_information": {"Product Dimensions": "4 x 4 x 4.25 inches", "Item Weight": "15.2 ounces", "Manufacturer": "Signature Soy", "ASIN": "B07QNLY8KV", "Country of Origin": "USA", "Item model number": "16289203000", "Customer Reviews": {"ratings_count": 22, "stars": "4.3 out of 5 stars"}, "Best Sellers Rank": ["#502,198 in Home & Kitchen (See Top 100 in Home & Kitchen) #2,301 in Jar Candles"], "Assembly Required": "No", "Number of Pieces": "1", "Warranty Description": "None.", "Batteries Required?": "No"}, "brand": "Visit the Signature Soy Store", "brand_url": "https://www.amazon.com/stores/Signature+Soy/page/DFAAC0F4-62E4-4D57-ACE6-36532C544FE7?ref_=ast_bln", "full_description": "Pineapple, papaya, guava, and passionfruit", "pricing": "$15.46", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/41TEZSpclrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Candles & Holders \u203a Candles \u203a Jar Candles", "average_rating": 4.3, "small_description": ["Lidded jar candle makes a lovely gift or a wonderful addition to your table display ", "Pineapple, papaya, guava, and passionfruit ", "Scented candle fills the room with a subtle aroma ", "Provides hours of ambient lighting to any room. "], "total_reviews": 22, "total_answered_questions": "", "model": "16289203000", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07QNLY8KV", "category": "garden", "query": "Candles", "page": 37, "small_description_old": "About this item\n \nLidded jar candle makes a lovely gift or a wonderful addition to your table display Pineapple, papaya, guava, and passionfruit Scented candle fills the room with a subtle aroma Provides hours of ambient lighting to any room."}, {"name": "VanciLin Mens Casual Leather Fashion Slip-on Loafers", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 11.9 x 6.3 x 4.1 inches; 1.45 Pounds", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n May 17, 2019", "ASIN\n \u200f": "\u200e\n B07RX63QJ2", "Best Sellers Rank": "#206,715 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#661 in Men's Loafers & Slip-Ons", "#661 in Men's Loafers & Slip-Ons": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: VanciLin", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_sh_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=VanciLin", "full_description": "", "pricing": "$33.99$35.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51SvIs1I3BL.jpg", "https://m.media-amazon.com/images/I/4147381MXUL.jpg", "https://m.media-amazon.com/images/I/41Zc6wAMxHL.jpg", "https://m.media-amazon.com/images/I/41+3p+c1jKL.jpg", "https://m.media-amazon.com/images/I/51i9LLVU4hL.jpg", "https://m.media-amazon.com/images/I/51m9TWWnWFL.jpg", "https://m.media-amazon.com/images/I/51ZNk9GqlEL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Loafers & Slip-Ons", "average_rating": 4.1, "small_description": ["Lightweight&Comfortable:leather upper makes men loafer shoes lightweight, pliable and elastic.Driving moccasins shoes are hand-stitched to be extremely flexible,easy to band and comfy for walking and driving ", "Slip-on Design:Allowing for quick and easy on and off,the slip-on loafers are lined with soft and skin-friendly flocking, allowing for bare foot wear ", "Non-Slip Outsole:Lightweight Rubber outsole with lugs provides added slip-resistance and gives your secure footing,slip-resistant,offering a better grip even on wet deck and reducing foot fatigue ", "Soft Footbed:EVA footbed with excellent softness and elasticity fits your feet well.Also,it brings strong impact resistance and pressure resistance ", "Design For:The modern, fashion, durable, flexible loafers slip on shoes, suitable for long-distance driving, business.dating, formal dress, wedding, work, casual or party "], "total_reviews": 873, "total_answered_questions": 8, "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "6.5", "asin": "B082PK43CF"}, {"is_selected": false, "is_available": true, "value": "7", "asin": "B082PKK4CM"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B0732MHW6X"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B0732MDQRJ"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B082PJS3BR"}, {"is_selected": false, "is_available": true, "value": "9.5", "asin": "B0732KJJL1"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B07FND43FY"}, {"is_selected": false, "is_available": true, "value": "10.5", "asin": "B082PJDVG8"}, {"is_selected": false, "is_available": true, "value": "11", "asin": "B0732JT5T4"}, {"is_selected": false, "is_available": true, "value": "11.5", "asin": "B082PHS453"}, {"is_selected": false, "is_available": false, "value": "12", "asin": "B07RX5DLPK"}, {"is_selected": false, "is_available": true, "value": "13", "asin": "B07S7HDC88"}, {"is_selected": false, "is_available": true, "value": "14", "asin": "B07SBLDW7Q"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07RX5DLPK/ref=twister_B0891ZBY6T", "value": "1877black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41DCYRjdweL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07SPS1VPD/ref=twister_B0891ZBY6T", "value": "1877blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/413a9Z3FOWL.jpg"}, {"is_selected": true, "url": null, "value": "228black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51SvIs1I3BL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B071K8QY6X/ref=twister_B0891ZBY6T", "value": "Black137", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51jfpm8FD+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B072N31NY5/ref=twister_B0891ZBY6T", "value": "Blue137", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51sWxSzhOHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B072KH97M7/ref=twister_B0891ZBY6T", "value": "L.brown137", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51hVCfCTRUL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B071GNPNBC/ref=twister_B0891ZBY6T", "value": "R.brown137", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41pXGeroFCL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07SL32QDT/ref=twister_B0891ZBY6T", "value": "1877r.brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41db09K0X0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B079K7XWN5/ref=twister_B0891ZBY6T", "value": "228blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/4115TCCx+0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07DCKBS2G/ref=twister_B0891ZBY6T", "value": "R.brown-hole228", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51eMQbS-XtL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07SK1378F/ref=twister_B0891ZBY6T", "value": "1877brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41FRQQYfyuL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07GVFT1DC/ref=twister_B0891ZBY6T", "value": "228r.brown-a", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51WNfroVDeL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07DCHYCHP/ref=twister_B0891ZBY6T", "value": "Y.brown-hole228", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51xQkYAqM3L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07DCJZ6CJ/ref=twister_B0891ZBY6T", "value": "Black-hole228", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/516G-pfIPyL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0732LB339/ref=twister_B0891ZBY6T", "value": "228l.brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51tNvkQ+dGL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B06XZJBYZG/ref=twister_B0891ZBY6T", "value": "R.brown2070", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41n1r+NXePL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0732M5ZSQ/ref=twister_B0891ZBY6T", "value": "228r.brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51WNfroVDeL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B06XZXLCKX/ref=twister_B0891ZBY6T", "value": "Black2070", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41UkUoArjEL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0721MTX6B/ref=twister_B0891ZBY6T", "value": "R.brown2626", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51oPuH2yGQL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B071X6THWC/ref=twister_B0891ZBY6T", "value": "R.brown-hole1887", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41dl--ShehL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0721MVDRR/ref=twister_B0891ZBY6T", "value": "Black2626", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41hIZijT1dL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07MY2QWCC/ref=twister_B0891ZBY6T", "value": "Black1901", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41pqN+kb-fL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0721MVMBJ/ref=twister_B0891ZBY6T", "value": "R.brown2060", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Jy7UHpzqL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B071X6TV1W/ref=twister_B0891ZBY6T", "value": "L.brown2060", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51IVJzfE7yL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07S7HDC88", "category": "fashion", "query": "Men's Loafers & Slip-Ons", "page": 67, "small_description_old": "Rubber sole Lightweight&Comfortable:leather upper makes men loafer shoes lightweight, pliable and elastic.Driving moccasins shoes are hand-stitched to be extremely flexible,easy to band and comfy for walking and driving Slip-on Design:Allowing for quick and easy on and off,the slip-on loafers are lined with soft and skin-friendly flocking, allowing for bare foot wear Non-Slip Outsole:Lightweight Rubber outsole with lugs provides added slip-resistance and gives your secure footing,slip-resistant,offering a better grip even on wet deck and reducing foot fatigue Soft Footbed:EVA footbed with excellent softness and elasticity fits your feet well.Also,it brings strong impact resistance and pressure resistance Design For:The modern, fashion, durable, flexible loafers slip on shoes, suitable for long-distance driving, business.dating, formal dress, wedding, work, casual or party"}, {"name": "African American Wall Art Get Naked Fashion Black Girl And Bathtub Canvas Prints Gray Pink Painting Picture Modern Artwork For Bathroom Living Room Home Wall Decor Framed Ready To Hang 16x24 Inch", "product_information": {"Package Dimensions": "22.9 x 15.3 x 0.4 inches", "Item Weight": "16 ounces", "Manufacturer": "familypers", "ASIN": "B099WH1RTM", "Customer Reviews": {"ratings_count": 59, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#87,018 in Home & Kitchen (See Top 100 in Home & Kitchen) #841 in Posters & Prints"], "Date First Available": "July 20, 2021"}, "brand": "Brand: familypers", "brand_url": "https://www.amazon.com/familypers/b/ref=bl_dp_s_web_23546945011?ie=UTF8&node=23546945011&field-lbr_brands_browse-bin=familypers", "full_description": "Feature:The Canvas Print Is Already Perfectly Stretched On Wooden Frame With Hooks Mounted On Each Panel For Easy Hanging Out Of Box. The Side Margins Are Also Printed To Create A Particularly Decorative Effect. Canvas Wall Art And Canvas Paintings Are The Modern Way To Brighten The Walls Of Your Home, And Relax You After Work. It Is Sure To Captivate Wherever It Is Hung.", "pricing": "$39.99", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41zH6QPRA4L.jpg", "https://m.media-amazon.com/images/I/51T0yGlNVxL.jpg", "https://m.media-amazon.com/images/I/41DcsQqG8BL.jpg", "https://m.media-amazon.com/images/I/41RwLbWVVVL.jpg", "https://m.media-amazon.com/images/I/41IqfhLoFFL.jpg", "https://m.media-amazon.com/images/I/51OXA2uHEUL.jpg", "https://m.media-amazon.com/images/I/41R5+5WCYdL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Wall Art \u203a Posters & Prints", "average_rating": 4.7, "small_description": ["Glam Decor For Wall Giclee Matte Canvas Prints Framed Wall Art, Our Canvas Art Is Bright And Colorful. Framed Wall Decor Will Add A Stunning And Creative Aesthetic With A Modern Touch To Your Office Or Cubicle. ", "Pink Bathroom Pictures Canvas Is Made Of Linen, Solid Wood Inner Frame, Bevel Treatment, Without Any Wood Eyes. High-Definition Matte Printing, Artistic Micro-Sprayed Canvas Stretched And Framed, Packaged With Hard Plastic Corners. Each Main Frame Is Equipped With A Metal Hook On The Back. ", "Black Woman Bedroom Decor Giclee Canvas Use High Quality Ink, Suitable For Bedroom, Living Room, Kitchen, Office, Restaurant, Apartment, Hotel, Bathroom, Bar, Entrance And Aisle, Etc Wall Decor. ", "Pink Glam Decor Move Or Replace Your Old Wall Decor On Valentine'S Day, Christmas, Anniversary, New Home. It Is The Best Gift For Family, Brother, Guys, Friends Or Colleagues. ", "Fashion Black Girl Wall Art The Pictures And Actual Items Seen Through The Display Are Slightly Different In Color. If It Is Damaged For Some Reason Or You Are Not Satisfied With The Canvas Painting, Please Send Us An Email And You Will Get Our Help In The First Time. "], "total_reviews": 59, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Fashion Black Girl", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/414y7xGE5cL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09FF8D97R/ref=twister_B099WHCGNJ?_encoding=UTF8&psc=1", "value": "Fashion Black Girl01", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41+DIl9Y2PL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09C8KLHYM/ref=twister_B099WHCGNJ?_encoding=UTF8&psc=1", "value": "Fashion Black Girl02", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41sco9wxvML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099WFJV3N/ref=twister_B099WHCGNJ?_encoding=UTF8&psc=1", "value": "Fashion Black Woman", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/417tZ6tCfhL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099WH244G/ref=twister_B099WHCGNJ", "value": "Turtles And African American Couple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/414jawlXClL.jpg"}], "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B099VX6B1X/ref=twister_B099WHCGNJ?_encoding=UTF8&psc=1", "value": "8x10 Inch", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099WL71L9/ref=twister_B099WHCGNJ", "value": "12x16 Inch", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099WMVHXN/ref=twister_B099WHCGNJ?_encoding=UTF8&psc=1", "value": "12x18 Inch", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09FF6QG5B/ref=twister_B099WHCGNJ", "value": "12x18 inch", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099WDYG6Z/ref=twister_B099WHCGNJ", "value": "16x20 Inch", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "16x24 Inch", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A3NNF59HG1LTYK", "seller_name": "HHTang-Shops", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B099WH1RTM", "category": "garden", "query": "Wall art", "page": 4, "small_description_old": "About this item\n \nGlam Decor For Wall Giclee Matte Canvas Prints Framed Wall Art, Our Canvas Art Is Bright And Colorful. Framed Wall Decor Will Add A Stunning And Creative Aesthetic With A Modern Touch To Your Office Or Cubicle. Pink Bathroom Pictures Canvas Is Made Of Linen, Solid Wood Inner Frame, Bevel Treatment, Without Any Wood Eyes. High-Definition Matte Printing, Artistic Micro-Sprayed Canvas Stretched And Framed, Packaged With Hard Plastic Corners. Each Main Frame Is Equipped With A Metal Hook On The Back. Black Woman Bedroom Decor Giclee Canvas Use High Quality Ink, Suitable For Bedroom, Living Room, Kitchen, Office, Restaurant, Apartment, Hotel, Bathroom, Bar, Entrance And Aisle, Etc Wall Decor. Pink Glam Decor Move Or Replace Your Old Wall Decor On Valentine'S Day, Christmas, Anniversary, New Home. It Is The Best Gift For Family, Brother, Guys, Friends Or Colleagues. Fashion Black Girl Wall Art The Pictures And Actual Items Seen Through The Display Are Slightly Different In Color. If It Is Damaged For Some Reason Or You Are Not Satisfied With The Canvas Painting, Please Send Us An Email And You Will Get Our Help In The First Time."}, {"name": "America's Finest Apparel Tennessee Shield - Hoodie", "product_information": {"Item model number\n \u200f": "\u200e\n AFATENFSHMGM", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n November 10, 2016", "Manufacturer\n \u200f": "\u200e\n America's Finest Apparel", "ASIN\n \u200f": "\u200e\n B07Z9LLXHR", "Best Sellers Rank": "#1,572,451 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#5,419 in Men's Fashion Hoodies & Sweatshirts #11,931 in Men's Yoga Clothing #23,167 in Men's Shops", "#5,419 in Men's Fashion Hoodies & Sweatshirts": "", "#11,931 in Men's Yoga Clothing": "", "#23,167 in Men's Shops": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the America's Finest Apparel Store", "brand_url": "https://www.amazon.com/stores/America%27s+Finest+Apparel/page/6A990331-2AAC-46AC-9BDC-6AA6E37367D9?ref_=ast_bln", "full_description": "", "pricing": "$45.00$50.00", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41f-K3b8WoL.jpg", "https://m.media-amazon.com/images/I/41jkgvQp3DL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Men", "average_rating": 4.5, "small_description": ["Designed and Printed in the USA ", "Mid-weight hoodie - 50/50 Cotton/poly blend ", "Casual fashion hoodie ", "Preshrunk ", "4\" AFA logo on the back "], "total_reviews": 15, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": false, "value": "Medium", "asin": "B07Z9LLXHR"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07Z9M6KH1"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07Z9LDNQL"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07Z9MYQRZ"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B07Z9MN6JR"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07Z9LLXHR/ref=twister_B07Z9LMJVN", "value": "Military Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41660TS6U7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07Z9LFYQH/ref=twister_B07Z9LMJVN", "value": "Navy Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41DnFs2h5sL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07Z9MJLP5/ref=twister_B07Z9LMJVN", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41UEp-IgW0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07Z9MHMGB/ref=twister_B07Z9LMJVN", "value": "Royal Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Wv4IJM0sL.jpg"}, {"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41f-K3b8WoL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07Z9M7HBD/ref=twister_B07Z9LMJVN", "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ENbg-pb1L.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07Z9M6KH1", "category": "fashion", "query": "Men's Fashion Hoodies & Sweatshirts", "page": 159, "small_description_old": "Designed and Printed in the USA Mid-weight hoodie - 50/50 Cotton/poly blend Casual fashion hoodie Preshrunk 4\" AFA logo on the back"}, {"name": "RM-ADU101 RM-ADU138 Replacement Remote Control Commander fit for Sony Home Theater System HBD-TZ140 DAV-TZ135 HBD-TZ130 DAV-TZ130 DAV-TZ140 HBDTZ140 DAVTZ135 HBDTZ130 DAVTZ130 DAVTZ140", "product_information": {"Product Dimensions": "6 x 2 x 0.5 inches", "Item Weight": "1.76 ounces", "ASIN": "B09H6G6PT9", "Date First Available": "September 27, 2021", "Manufacturer": "ZdalaMit Factory", "Country of Origin": "China"}, "brand": "Brand: ZdalaMit", "brand_url": "https://www.amazon.com/ZdalaMit/b/ref=bl_dp_s_web_16336912011?ie=UTF8&node=16336912011&field-lbr_brands_browse-bin=ZdalaMit", "full_description": "RM-ADU101 RM-ADU138 Replacement Remote Control Commander fit for Sony Home Theater System No programming is required. Insert new alkaline batteries and works. Work for below Sony Home Theater System models: HBD-TZ140 DAV-TZ135 HBD-TZ130 DAV-TZ130 DAV-TZ140 HBDTZ140 DAVTZ135 HBDTZ130 DAVTZ130 DAVTZ140 This remote control use 2 x AA size alkaline batteries. Package Content: 1X Remote Control(Battery not included)", "pricing": "$7.28", "list_price": "", "availability_quantity": 5, "availability_status": "Only 5 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41OqTvDW9QL.jpg", "https://m.media-amazon.com/images/I/41wDXtf4WBL.jpg", "https://m.media-amazon.com/images/I/41nfef35heL.jpg", "https://m.media-amazon.com/images/I/41OqTvDW9QL.jpg", "https://m.media-amazon.com/images/I/41wDXtf4WBL.jpg", "https://m.media-amazon.com/images/I/41nfef35heL.jpg", "https://m.media-amazon.com/images/I/41OqTvDW9QL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Remote Controls & Accessories \u203a Remote Controls", "average_rating": "", "small_description": ["RM-ADU101 RM-ADU138 Replacement Remote Control Commander fit for Sony Home Theater System HBD-TZ140 DAV-TZ135 HBD-TZ130 DAV-TZ130 DAV-TZ140 HBDTZ140 DAVTZ135 HBDTZ130 DAVTZ130 DAVTZ140 ", "No programming is required. Insert new alkaline batteries and works. ", "This remote control use 2 x AA size alkaline batteries. Battery not included. ", "Should you have any questions, please don't hesitate to contact us. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1W0OKF45JEFNK", "seller_name": "qianhui trading", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09H6G6PT9", "category": "electronics", "query": "Home Theater Systems", "page": 176, "small_description_old": "About this item\n \nRM-ADU101 RM-ADU138 Replacement Remote Control Commander fit for Sony Home Theater System HBD-TZ140 DAV-TZ135 HBD-TZ130 DAV-TZ130 DAV-TZ140 HBDTZ140 DAVTZ135 HBDTZ130 DAVTZ130 DAVTZ140 No programming is required. Insert new alkaline batteries and works. This remote control use 2 x AA size alkaline batteries. Battery not included. Should you have any questions, please don't hesitate to contact us."}, {"name": "Clarks Womens Suede Leather Slipper with Gore and Bungee JMH2213 - Warm Plush Faux Fur Lining - Indoor Outdoor House Slippers For Women", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 12.13 x 7.36 x 4.8 inches; 1.21 Pounds", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n August 10, 2021", "ASIN\n \u200f": "\u200e\n B09C8YQ8TD", "Best Sellers Rank": "#228,895 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,548 in Women's Slippers", "#1,548 in Women's Slippers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Clarks Store", "brand_url": "https://www.amazon.com/stores/Clarks/page/6E7F4396-6004-497C-B702-21B18368E819?ref_=ast_bln", "full_description": "", "pricing": "$44.95", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/3132OhXlziL.jpg", "https://m.media-amazon.com/images/I/31gDBHtDmvL.jpg", "https://m.media-amazon.com/images/I/41PN57hvYcL.jpg", "https://m.media-amazon.com/images/I/412Z1VcbzoL.jpg", "https://m.media-amazon.com/images/I/41hYGcEq7CL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes", "average_rating": 4.6, "small_description": ["Suede sole ", "GENUINE LEATHER UPPER: The genuine suede upper is comfortable and durable. ", "INDOOR / OUTDOOR USE: The rubber textured sole allows for moderate outdoor use, in addition to being a fully functional indoor slipper. ", "SOFT AND COMFORTABLE: Ultra soft faux fur lining keeps your feet warm and comfy. ", "EASE OF USE: The side gore allows you to put on the slippers with ease. ", "THESE SLIPPERS RUN SMALL: We recommend ordering a size up, especially if you are a half size or have wider feet. "], "total_reviews": 123, "total_answered_questions": 5, "customization_options": {"Size": [{"is_selected": false, "is_available": false, "value": "6", "asin": "B09C8ZSJ7J"}, {"is_selected": false, "is_available": false, "value": "7", "asin": "B09C8YQ8TD"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B09C93HQWJ"}, {"is_selected": false, "is_available": false, "value": "9", "asin": "B09C93LQKJ"}, {"is_selected": false, "is_available": false, "value": "11", "asin": "B09C9267HK"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09C8YQ8TD/ref=twister_B09C94LZ42", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31NNNvGohwL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09C8ZSJ7J/ref=twister_B09C94LZ42", "value": "Cognac", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41MvlIQr6OL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09C9196RQ/ref=twister_B09C94LZ42", "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/318EWjyodlL.jpg"}, {"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/3132OhXlziL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09C8YNWWB", "category": "fashion", "query": "Women's Outdoor Shoes", "page": 5, "small_description_old": "Suede sole GENUINE LEATHER UPPER: The genuine suede upper is comfortable and durable. INDOOR / OUTDOOR USE: The rubber textured sole allows for moderate outdoor use, in addition to being a fully functional indoor slipper. SOFT AND COMFORTABLE: Ultra soft faux fur lining keeps your feet warm and comfy. EASE OF USE: The side gore allows you to put on the slippers with ease. THESE SLIPPERS RUN SMALL: We recommend ordering a size up, especially if you are a half size or have wider feet."}, {"name": "Lift Top Coffee Tables for Living Room Coffee Table with Storage, Lift Cable Coffee Table, Dining Table with Hidden Storage Compartment Chestnut", "product_information": {"Product Dimensions": "39 x 19.3 x 16.3 inches", "Item Weight": "43 pounds", "Manufacturer": "Bellemavema", "ASIN": "B09LHM4WQS", "Item model number": "Lift Top Coffee Tables", "Customer Reviews": {"ratings_count": 2, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#3,540,516 in Home & Kitchen (See Top 100 in Home & Kitchen) #5,177 in Coffee Tables"], "Date First Available": "November 10, 2021"}, "brand": "Visit the Bellemave Store", "brand_url": "https://www.amazon.com/stores/Bellemave/page/6B039B8A-DF6B-4565-A4E7-42D41B2A2E7C?ref_=ast_bln", "full_description": "Advantages 1. Hot Style. 2. We produce this item in a big factory which has a low damage and defective rate. 3. Compared with the same quality, the price is competitive. Weights & Dimensions Coffee Table: 39''x19.3''x16.3'' Inside space: 34.2''x17.3''x8.5'' Bottom to floor: 7.2\u2019\u2019 Extended height: 14'' Overall Product Weight: 43 lb. Specifications Table Material: MDF Table Top Weight Capacity: 66 Pounds Storage Space Weight Capacity: 110 Pounds Assembly Needed: Yes Country of Origin: China Package Size: 48.82\"Lx23.23\"Wx4.72\"H,44.53lbs", "pricing": "$82.99", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/51O37kGay0L.jpg", "https://m.media-amazon.com/images/I/51QDawPr6ML.jpg", "https://m.media-amazon.com/images/I/31OgZF2WnzL.jpg", "https://m.media-amazon.com/images/I/41VXN9T4SUL.jpg", "https://m.media-amazon.com/images/I/3199VT1XUKL.jpg", "https://m.media-amazon.com/images/I/41+s+idSz0L.jpg", "https://m.media-amazon.com/images/I/31nnM7GZtdL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Tables \u203a Coffee Tables", "average_rating": 5, "small_description": ["\u3010Lift Top Design\u3011-This coffee table has an extending top that lifts up to provide a floating raised work surface, perfectly matches your needs, ideal for working, dining and extra storage in living room or office. ", "\u3010Lift Up Storage Space\u3011-Large hidden compartment beneath the tabletop is enough to store your often-used items like laptop, chess, and remotes,magazines,\u00a0paperwork,\u00a0blankets\u00a0and other\u00a0daily-use essentials ", "\u3010Stable Lift System\u3011-High quality lift top mechanism enables the tabletop to be lifted up or lowered down effortlessly and noiselessly. And the gas spring could make the tabletop more stable when lifting and lowering without sudden bounces or drops. ", "\u3010Sturdy Structure\u3011This lift top coffee table is constructed of high grade MDF with water resistant surface and stable steel frame to ensure years of use. ", "\u3010 Size for Lift Up Coffee Table\u3011-Overall Dimension: 39''x19.3''x16.3''H; Lift height: 14''. Load capacity up to 110 lbs. Note: Please lift the table to move the position instead of dragging to avoid damage to the table legs . "], "total_reviews": 2, "total_answered_questions": "", "model": "Lift Top Coffee Tables", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08HYT93JW/ref=twister_B09LHJ15H6", "value": "Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/515z7W4HRVL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LHLCRMG/ref=twister_B09LHJ15H6?_encoding=UTF8&psc=1", "value": "Cherry", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51dazri7oNL.jpg"}, {"is_selected": true, "url": null, "value": "Chestnut", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51O37kGay0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LHM43NY/ref=twister_B09LHJ15H6?_encoding=UTF8&psc=1", "value": "Oak", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51sOeufSWUL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LHM3CKR/ref=twister_B09LHJ15H6", "value": "Rustic Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51uffn1AD0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LHL6NHQ/ref=twister_B09LHJ15H6?_encoding=UTF8&psc=1", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51ordjO6R9L.jpg"}], "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08HYT93JW/ref=twister_B09LHJ15H6", "value": "With Shelf", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "No Shelf", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A1A6C3E32PB46N", "seller_name": "Orien Life", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09LHM4WQS", "category": "garden", "query": "Coffee Tables", "page": 89, "small_description_old": "About this item\n \n\u3010Lift Top Design\u3011-This coffee table has an extending top that lifts up to provide a floating raised work surface, perfectly matches your needs, ideal for working, dining and extra storage in living room or office. \u3010Lift Up Storage Space\u3011-Large hidden compartment beneath the tabletop is enough to store your often-used items like laptop, chess, and remotes,magazines,\u00a0paperwork,\u00a0blankets\u00a0and other\u00a0daily-use essentials \u3010Stable Lift System\u3011-High quality lift top mechanism enables the tabletop to be lifted up or lowered down effortlessly and noiselessly. And the gas spring could make the tabletop more stable when lifting and lowering without sudden bounces or drops. \u3010Sturdy Structure\u3011This lift top coffee table is constructed of high grade MDF with water resistant surface and stable steel frame to ensure years of use. \u3010 Size for Lift Up Coffee Table\u3011-Overall Dimension: 39''x19.3''x16.3''H; Lift height: 14''. Load capacity up to 110 lbs. Note: Please lift the table to move the position instead of dragging to avoid damage to the table legs ."}, {"name": "PEEL Ultra Thin iPhone 12 Pro Max Case, Black - Minimalist Design | Branding Free | Protects and Showcases Your Apple iPhone 12 Pro Max", "product_information": {"Product Dimensions": "6.46 x 3.23 x 0.2 inches", "Item Weight": "2.89 ounces", "ASIN": "B08MBG3421", "Customer Reviews": {"ratings_count": 361, "stars": "3.5 out of 5 stars"}, "Best Sellers Rank": ["#8,784 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #3,443 in Cell Phone Basic Cases"], "Special Features": "Screen Protector", "Other display features": "Wireless", "Form Factor": "Case", "Colour": "Black", "Manufacturer": "PEEL", "Country of Origin": "China", "Date First Available": "October 30, 2020"}, "brand": "Visit the PEEL Store", "brand_url": "https://www.amazon.com/stores/PEEL/page/A6A2AA71-6E3D-494F-BBA2-A12A54D1D9E8?ref_=ast_bln", "full_description": "", "pricing": "$29.00", "list_price": "", "availability_quantity": 1, "availability_status": "In Stock. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31bHRiVrNgL.jpg", "https://m.media-amazon.com/images/I/41AXhkRwSPL.jpg", "https://m.media-amazon.com/images/I/41CL66Xuq3L.jpg", "https://m.media-amazon.com/images/I/41aA9GEBBYL.jpg", "https://m.media-amazon.com/images/I/41MHnWp8FOL.jpg", "https://m.media-amazon.com/images/I/41qelycP5nL.jpg", "https://m.media-amazon.com/images/I/51GNc2ZLzzL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Cases, Holsters & Sleeves \u203a Basic Cases", "average_rating": 3.5, "small_description": ["ULTRA THIN: PEEL is the creator of the original super thin case design measuring at just 0.01 inches thin. It maintains the original beauty of your iPhone 12 Pro Max while adding the everyday protection you need. ", "PERFECTLY FORMED MINIMALIST DESIGN: Free of any PEEL logos or branding, our case wraps seamlessly around your phone. You'll forget you have a case on your iPhone 12 Pro Max. ", "EVERYDAY PROTECTION: Keep your phone protected and looking brand new. PEEL cases have been designed to prevent scratches, dents, and more! A subtle lip protects your camera lens. Pair with a PEEL screen protector for maximum edge to edge protection. ", "DESIGNED SPECIFICALLY FOR APPLE IPHONE 12 PRO MAX: Each PEEL case has been engineered to fit your iPhone perfectly. ", "SATISFACTION GUARANTEED: PEEL is based here in the USA and our customers are #1. Every PEEL case comes with a 2 year guarantee so please contact us directly for any questions or issues related to your product. "], "total_reviews": 361, "total_answered_questions": 12, "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "$29.00", "price": 29, "image": "https://m.media-amazon.com/images/I/31bHRiVrNgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08MBFTY5Y/ref=twister_B09237F39W?_encoding=UTF8&psc=1", "value": "Blackout", "price_string": "$29.00", "price": 29, "image": "https://m.media-amazon.com/images/I/31v3bRIjexL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WQ24GYQ/ref=twister_B09237F39W?_encoding=UTF8&psc=1", "value": "Clear Hard", "price_string": "$29.00", "price": 29, "image": "https://m.media-amazon.com/images/I/31KtxkVyGhL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WQ3SH17/ref=twister_B09237F39W?_encoding=UTF8&psc=1", "value": "Clear Soft", "price_string": "$29.00", "price": 29, "image": "https://m.media-amazon.com/images/I/31DvljFvT7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WPXM87T/ref=twister_B09237F39W?_encoding=UTF8&psc=1", "value": "Jet Black", "price_string": "$29.00", "price": 29, "image": "https://m.media-amazon.com/images/I/31PzcUur0bL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WLJSDJL/ref=twister_B09237F39W?_encoding=UTF8&psc=1", "value": "Jet White", "price_string": "$29.00", "price": 29, "image": "https://m.media-amazon.com/images/I/31pN1MeQVtL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WPRBTLD/ref=twister_B09237F39W?_encoding=UTF8&psc=1", "value": "Midnight Green", "price_string": "$29.00", "price": 29, "image": "https://m.media-amazon.com/images/I/31rEZIsQdgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WPJD22F/ref=twister_B09237F39W?_encoding=UTF8&psc=1", "value": "Navy", "price_string": "$29.00", "price": 29, "image": "https://m.media-amazon.com/images/I/31BnwU1RyCL.jpg"}]}, "seller_id": "A3SGSEGHN8BZJ1", "seller_name": "PEEL", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B08MBG3421", "category": "electronics", "query": "iPhone Accessories", "page": 363, "small_description_old": "About this item ULTRA THIN: PEEL is the creator of the original super thin case design measuring at just 0.01 inches thin. It maintains the original beauty of your iPhone 12 Pro Max while adding the everyday protection you need. PERFECTLY FORMED MINIMALIST DESIGN: Free of any PEEL logos or branding, our case wraps seamlessly around your phone. You'll forget you have a case on your iPhone 12 Pro Max. EVERYDAY PROTECTION: Keep your phone protected and looking brand new. PEEL cases have been designed to prevent scratches, dents, and more! A subtle lip protects your camera lens. Pair with a PEEL screen protector for maximum edge to edge protection. DESIGNED SPECIFICALLY FOR APPLE IPHONE 12 PRO MAX: Each PEEL case has been engineered to fit your iPhone perfectly. SATISFACTION GUARANTEED: PEEL is based here in the USA and our customers are #1. Every PEEL case comes with a 2 year guarantee so please contact us directly for any questions or issues related to your product."}, {"name": "SOCKS'NBULK Mens Cotton Crew Neck Short Sleeve T-Shirts Mix Colors Bulk", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 16.5 x 9.4 x 4 inches; 2.04 Pounds", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n December 20, 2018", "ASIN\n \u200f": "\u200e\n B07M93G822", "Best Sellers Rank": "#17,397 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#57 in Men's Undershirts #143 in Men's Athletic Shirts & Tees #345 in Men's Shops", "#57 in Men's Undershirts": "", "#143 in Men's Athletic Shirts & Tees": "", "#345 in Men's Shops": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the SOCKS'NBULK Store", "brand_url": "https://www.amazon.com/stores/YACHTSMITH/page/581CF6DC-556D-4B5F-A5B6-E35453C0639E?ref_=ast_bln", "full_description": "Different packs of men\u2019s cotton t-shirts in assorted colors. Made with 100% pre-shrunk cotton for extra softness. Pre-shrunk cotton tee\u2019s are perfect for layering or wearing alone. Lightweight fabric keeps you cool and dry so you can look great and feel great all day. Affordable, casual and cool, these tee\u2019s are your new wardrobe staple.", "pricing": "$38.79$172.80", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41xQ6gRZyqL.jpg", "https://m.media-amazon.com/images/I/41VmlE5wpCS.jpg", "https://m.media-amazon.com/images/I/41DpQAILWDS.jpg", "https://m.media-amazon.com/images/I/41DF5woMQCS.jpg", "https://m.media-amazon.com/images/I/31cvpnqSkLL.jpg", "https://m.media-amazon.com/images/I/31+BQxSfwIL.jpg", "https://m.media-amazon.com/images/I/41blKK8EPpS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Underwear \u203a Undershirts", "average_rating": 4.2, "small_description": ["100% Cotton ", "Tumble dry low ", "12 PACK OF ASSORTED COLOR T-SHIRTS - SIZE SMALL: Get comfortable with men\u2019s premium cotton crew neck t-shirts in assorted colors. Made of 100% soft cotton for a smooth, breathable fit. Pre-shrunk cotton tee\u2019s are perfect for layering or wearing alone. You may receive a duplicate of some colors as it is a random mixed assortment. You will receive at least 7 different colors. ", "GREAT FIT: The perfect tee shirt for a modern casual look . Not too long so you can wear these untucked with a pair of jeans or chinos. Looks great under a casual blazer and jeans for a relaxed friday style. Stylish and versatile men\u2019s everyday crew neck tees are a wardrobe staple. Men\u2019s basic T-shirts has been a staple of the classic American wardrobe for decades. ", "ACTIVEWEAR: Hit the gym in a sporty crew neck tee shirt that moves with you. Perfect for running, cycling and sports. Breathable cotton let you keep cool through your entire work out. Classic solid colors go with anything. Reinforced seams and durable construction make this the ultimate upgrade in athletic wear. ", "SUMMER TEE SHIRT: The quintessential beach necessity, lightweight, breathable and stylish. Wear with coordinating board shorts for a cool surfer style or with a classic pair of linen shorts for a more classic look. 100% cotton wicks moisture keeping you cool and comfortable all day. ", "EASY TO WASH: Machine washable preshrunk cotton, tumble dry low. These tees won\u2019t fade in the wash so you can wear them over and over and they still look like new. "], "total_reviews": 4135, "total_answered_questions": 40, "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "12 Pack Mix", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41xQ6gRZyqL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KMJF1SC/ref=twister_B092ZZD9L1", "value": "12 Pack Tank Top Undershirts", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Yv9CPauBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07MHYCZ7T/ref=twister_B092ZZD9L1", "value": "36 Pack Mix", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41DF5woMQCS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08V4GM7SY/ref=twister_B092ZZD9L1", "value": "9 Pack Pocket Tee Slub", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41tQFRKRo0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09J7B283L/ref=twister_B092ZZD9L1", "value": "12 Pack Mix Short Sleeve", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41zUJf05DPL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B07M93G822"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07M8D9JT8"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07N7TDKXQ"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09J6ZF3F9"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07M8YCCFM"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B07M8YCBRZ"}, {"is_selected": false, "is_available": true, "value": "4X-Large", "asin": "B095DVR5WB"}, {"is_selected": false, "is_available": true, "value": "5X-Large", "asin": "B095DXYKJL"}, {"is_selected": false, "is_available": true, "value": "6X-Large", "asin": "B095RCTR5Q"}, {"is_selected": false, "is_available": true, "value": "7X-Large", "asin": "B095R4P9R3"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07N7TDKXQ", "category": "fashion", "query": "Men's T-Shirts", "page": 34, "small_description_old": "100% Cotton Tumble dry low 12 PACK OF ASSORTED COLOR T-SHIRTS - SIZE SMALL: Get comfortable with men\u2019s premium cotton crew neck t-shirts in assorted colors. Made of 100% soft cotton for a smooth, breathable fit. Pre-shrunk cotton tee\u2019s are perfect for layering or wearing alone. You may receive a duplicate of some colors as it is a random mixed assortment. You will receive at least 7 different colors. GREAT FIT: The perfect tee shirt for a modern casual look . Not too long so you can wear these untucked with a pair of jeans or chinos. Looks great under a casual blazer and jeans for a relaxed friday style. Stylish and versatile men\u2019s everyday crew neck tees are a wardrobe staple. Men\u2019s basic T-shirts has been a staple of the classic American wardrobe for decades. ACTIVEWEAR: Hit the gym in a sporty crew neck tee shirt that moves with you. Perfect for running, cycling and sports. Breathable cotton let you keep cool through your entire work out. Classic solid colors go with anything. Reinforced seams and durable construction make this the ultimate upgrade in athletic wear. SUMMER TEE SHIRT: The quintessential beach necessity, lightweight, breathable and stylish. Wear with coordinating board shorts for a cool surfer style or with a classic pair of linen shorts for a more classic look. 100% cotton wicks moisture keeping you cool and comfortable all day. EASY TO WASH: Machine washable preshrunk cotton, tumble dry low. These tees won\u2019t fade in the wash so you can wear them over and over and they still look like new."}, {"name": "Buffet Sideboard Kitchen Break Room Lunch Coffee Kitchenette Model 8004 BREAKTIME 2 pc Espresso \u2013 Factory Assembled (Furniture Items Purchase ONLY)", "product_information": {"Product Dimensions": "24 x 72 x 36 inches", "Item Weight": "400 pounds", "Manufacturer": "BREAKTIME", "ASIN": "B09RQ22QJY", "Country of Origin": "USA", "Item model number": "8004", "Best Sellers Rank": ["#2,358,669 in Home & Kitchen (See Top 100 in Home & Kitchen) #812 in Buffets & Sideboards"], "Is Discontinued By Manufacturer": "No", "Date First Available": "January 1, 2022"}, "brand": "Visit the Breaktime Store", "brand_url": "https://www.amazon.com/stores/BREAKtimeAssembledFurniture/page/DBE319C3-DB83-4EBC-AFEC-0CC0C37D8387?ref_=ast_bln", "full_description": "Buffet Sideboard Kitchen Break Room Lunch Coffee Kitchenette Model 8004 BREAKTIME 2 pc Espresso \u2013 Factory Assembled (Furniture Items purchase ONLY). INSTANTLY create your new Buffet Sideboard Kitchen Break Room Lunch Coffee Kitchenette area. Colors emulate European trends for modern businesses. Each piece is commercial grade, with thermally-fused commercial melamine lamination for high use areas. XTRA-thick tops and high impact edges are made to withstand bumps and dings, the finished edges front, back and bottom providing protection from damage. The solid back panels create perfectly square and rigid furniture with easy to attach 4\u201dH back splashes on all base cabinets. The hinges and hardware are European adjustable quality with full extension ball bearing slides and quality soft-close hinges. Your Coffee Lunch Break Room Furniture Buffet Kitchenette cabinets are shipped on secure pallets to arrive safely to your street address door or loading dock. NOTE \u2026 does NOT include inside delivery, setup or debris removal . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . DIMENSIONS (note: the group you select may use one or more of these items) . . . Fridge Buffet (110lbs) measures 36\u201dW x 26\u201dH x 24\u201dD and has a bar mini-fridge opening measuring 20\u201dW x 33.5\u201dH x 20\u201dD / Appliance Hutch (70lbs) measures 39\u201dH x 36\u201dW x 17\u201dD and has a microwave opening measuring 35\u201dW x 17\u201dH x 15\u201dD) / 2Door+2Drawer Buffet (140lbs) measures 36\u201dW x 36\u201dH x 24\u201dD / Trash Buffet (64lbs) measures 18\u201dW x 36\u201dH x 24\u201dD and includes an internal trash container, you add the plastic bag / 3Drawer Buffet (95lbs) measures 18\u201dW x 36\u201dH x 24\u201dD / Combo Buffet (140lbs) measures 48\u201dW x 36\u201dH x 24\u201dD and has a bar mini-fridge opening measuring 20\u201dW x 33.5\u201dH x 20\u201dD / Upper 2Door Wall Cabinet (45lbs) measures 36\u201dW x 17\u201dH x 14\u201dD. Dimensions may vary slightly.", "pricing": "$1,997.50", "list_price": "", "availability_status": "Usually ships within 6 to 10 days.", "images": ["https://m.media-amazon.com/images/I/414m-dxBRBL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Dining Room Furniture \u203a Buffets & Sideboards", "average_rating": "", "small_description": ["Buffet Sideboard Kitchen Break Room Lunch Coffee Kitchenette Model 8004 BREAKTIME 2 pc Espresso \u2013 Factory Assembled (Furniture Items purchase ONLY) ", "Commercial grade Thermally-Fused Melamine fully assembled furniture for use in busy companies ", "Waste no valuable business time, just order, unpack, set in place and ENJOY YOUR BREAK!! ", "Your complete Coffee Break Lunch Room Furniture Buffet Kitchenette group ships on secure pallets for safe arrival to your address. ", "Purchase does NOT include inside delivery, setup or debris removal "], "total_reviews": "", "total_answered_questions": "", "model": "8004", "customization_options": "", "seller_id": "A31TCTKY0OQWAY", "seller_name": "TITAN eFurniture Industries Inc", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09RQ22QJY", "category": "garden", "query": "Buffets & Sideboards", "page": 58, "small_description_old": "About this item\n \nCommercial grade Thermally-Fused Melamine fully assembled furniture for use in busy companies Waste no valuable business time, just order, unpack, set in place and ENJOY YOUR BREAK!! Your complete Coffee Break Lunch Room Furniture Buffet Kitchenette group ships on secure pallets for safe arrival to your address. Purchase does NOT include inside delivery, setup or debris removal"}, {"name": "Smof 5808 Home Stereo Wireless Receiver& Transmitter, apt-X HD/LL Support LCD Visual Screen Display Audio Receiver Adapter for TV, Speakers,Home Theater,Headset,Headphone", "product_information": {"Package Dimensions": "5.94 x 4.84 x 2.2 inches", "Item Weight": "8.6 ounces", "ASIN": "B08Q3FW68R", "Customer Reviews": {"ratings_count": 6, "stars": "3.1 out of 5 stars"}, "Best Sellers Rank": ["#258,513 in Electronics (See Top 100 in Electronics) #480 in Audio Component Receivers"], "Date First Available": "December 9, 2020", "Manufacturer": "Smof", "Country of Origin": "China"}, "brand": "Visit the Smof Store", "brand_url": "https://www.amazon.com/stores/Smof/page/4F621903-AAFD-48A8-9CB2-7109867D4C88?ref_=ast_bln", "full_description": "", "pricing": "$69.99", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41afXOL2QEL.jpg", "https://m.media-amazon.com/images/I/51baqWx533L.jpg", "https://m.media-amazon.com/images/I/41qejyngBAL.jpg", "https://m.media-amazon.com/images/I/51PvRUNVhaL.jpg", "https://m.media-amazon.com/images/I/419J+ld9l1L.jpg", "https://m.media-amazon.com/images/I/51Vyw+UEWrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Home Audio \u203a Home Theater \u203a Receivers & Amplifiers \u203a Receivers", "average_rating": 3.1, "small_description": ["\u3010Transmit and receive 2 in 1\u3011 TX mode: Make wired devices (TV, home audio system, PC) wireless, enjoy entertainment without disturbing others. Receiving mode: Make the wired speaker become wireless. Reuse outdated classic wired speakers to keep up with the trend. Bypass mode: 2 audio devices will be directly connected together through bypass mode, without having to unplug the cable every time. ", "\u3010LED visual display\u3011 The Smof audio receiver for home stereo will visually display the pairing status. It is more humane than the traditional operation panel, making the operation easier. After the first pairing is successful, the receiver will automatically remember the connection record. Automatic connection, no need to repeat connection. ", "\u3010Apt-X HD 24 bit 48KHz\u3011 Apt-X HD and LL decoding functions bring you a lower signal-to-noise ratio, less sound distortion and higher transmission rate, while eliminating audio delay. This receiver and transmitter can be paired with two devices when watching TV, movies or games without delay, and both players will enjoy super fast audio streaming. Note: To get AptX LL / HD sound effects, your receiving device must also support AptX LL / HD. ", "\u3010Super signal range\u3011 The dual antenna design makes the signal of the audio receiver more stable and accurate. The transmission distance in RX mode can reach 98 feet, and the transmission distance in TX mode can reach 164 feet. You can use wireless headphones to move freely within this range. ", "\u3010Please pay attention\u3011 Please make sure that the connection mode on the screen matches the cable plugged into the socket (RX/TX). Before using the product, please read the instruction manual carefully. The product has a one-year warranty. For non-artificial quality problems, the product can be refunded or resent within one year. "], "total_reviews": 6, "total_answered_questions": 7, "customization_options": {"Color": null}, "seller_id": "AVL8S28QMSDES", "seller_name": "Smof", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08Q3FW68R", "category": "electronics", "query": "Home Theater Systems", "page": 122, "small_description_old": "About this item\n \n\u3010Transmit and receive 2 in 1\u3011 TX mode: Make wired devices (TV, home audio system, PC) wireless, enjoy entertainment without disturbing others. Receiving mode: Make the wired speaker become wireless. Reuse outdated classic wired speakers to keep up with the trend. Bypass mode: 2 audio devices will be directly connected together through bypass mode, without having to unplug the cable every time. \u3010LED visual display\u3011 The Smof audio receiver for home stereo will visually display the pairing status. It is more humane than the traditional operation panel, making the operation easier. After the first pairing is successful, the receiver will automatically remember the connection record. Automatic connection, no need to repeat connection. \u3010Apt-X HD 24 bit 48KHz\u3011 Apt-X HD and LL decoding functions bring you a lower signal-to-noise ratio, less sound distortion and higher transmission rate, while eliminating audio delay. This receiver and transmitter can be paired with two devices when watching TV, movies or games without delay, and both players will enjoy super fast audio streaming. Note: To get AptX LL / HD sound effects, your receiving device must also support AptX LL / HD. \u3010Super signal range\u3011 The dual antenna design makes the signal of the audio receiver more stable and accurate. The transmission distance in RX mode can reach 98 feet, and the transmission distance in TX mode can reach 164 feet. You can use wireless headphones to move freely within this range. \u3010Please pay attention\u3011 Please make sure that the connection mode on the screen matches the cable plugged into the socket (RX/TX). Before using the product, please read the instruction manual carefully. The product has a one-year warranty. For non-artificial quality problems, the product can be refunded or resent within one year."}, {"name": "1PCS 15ml/15g Refillable Round Air Cushion Puff Box Makeup Case with Mirror Powder Puff and Sponge BB CC Cream Dispenser Liquid Foundation Holder Cosmetic Containers Organizer", "product_information": {"Product Dimensions": "0.39 x 0.39 x 0.39 inches", "Item Weight": "0.035 ounces", "Department": "Unisex-adult", "Manufacturer": "Bamboopack", "ASIN": "B09B1M51SK", "Item model number": "WTTU47608", "Best Sellers Rank": ["#646,938 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #12,487 in Refillable Cosmetic Containers #29,079 in Makeup Bags & Cases"]}, "brand": "Brand: Bamboopack", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Bamboopack", "full_description": "1 pcs for each order;Capacity:15ml/0.5oz;Color:As the picture shows;Size:Approx 78mm x 32mm/3inch x 1.3inch(Diameter x Height).Made of food grade premium plastic, no harm to human body, can be used securely.Ideal containers for BB cream, CC cream, liquid foundation.Great for DIY.Come with makeup mirror. After receiving it, tear off the protective film of the makeup mirror and use it.Delicate and lightweight, wearable and durable, it doesn't take up space, easy to use and convenient to carry.Suitable for travel, business trip, daily life, etc.", "pricing": "$8.99", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31AzkJuGzIL.jpg", "https://m.media-amazon.com/images/I/41PAp9cZkgL.jpg", "https://m.media-amazon.com/images/I/312a0D8TeDL.jpg", "https://m.media-amazon.com/images/I/41bUhcWLOTL.jpg", "https://m.media-amazon.com/images/I/41jvvvg2pTL.jpg", "https://m.media-amazon.com/images/I/317GhhXdLgL.jpg", "https://m.media-amazon.com/images/I/41SSjeqSanL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases", "average_rating": "", "small_description": ["1 pcs for each order;Capacity:15ml/0.5oz;Color:As the picture shows;Size:Approx 78mm x 32mm/3inch x 1.3inch(Diameter x Height). ", "Made of food grade premium plastic, no harm to human body, can be used securely. ", "Ideal containers for BB cream, CC cream, liquid foundation.Great for DIY. ", "Come with makeup mirror. After receiving it, tear off the protective film of the makeup mirror and use it. ", "Delicate and lightweight, wearable and durable, it doesnt take up space, easy to use and convenient to carry.Suitable for travel, business trip, daily life, etc. "], "total_reviews": "", "total_answered_questions": "", "model": "WTTU47608", "customization_options": "", "seller_id": "A1FB70LQJJBZ26", "seller_name": "Eliafng-us", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09B1M51SK", "category": "beauty", "query": "Refillable Containers", "page": 138, "small_description_old": "1 pcs for each order;Capacity:15ml/0.5oz;Color:As the picture shows;Size:Approx 78mm x 32mm/3inch x 1.3inch(Diameter x Height). Made of food grade premium plastic, no harm to human body, can be used securely. Ideal containers for BB cream, CC cream, liquid foundation.Great for DIY. Come with makeup mirror. After receiving it, tear off the protective film of the makeup mirror and use it. Delicate and lightweight, wearable and durable, it doesnt take up space, easy to use and convenient to carry.Suitable for travel, business trip, daily life, etc."}, {"name": "Women's One Piece Swimsuit Halter Plunge Neck Tummy Control Bathing Suits Push Up Tankini Sets Plus Size Beachwear", "product_information": {"Item model number\n \u200f": "\u200e\n Gift for girlfriend", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 3, 2022", "Manufacturer\n \u200f": "\u200e\n SSYUNO", "ASIN\n \u200f": "\u200e\n B09PL5W9PD", "": ""}, "brand": "Brand: SSYUNO", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=SSYUNO", "full_description": "Item specifics Gender: Women Season: Summer Occasion: Daily,Swimming pool ,Sea Material: 85% Polyester 15% Spandex Decoration: None Clothing Length: Regular Pattern Type: Print Sleeve Style: Regular Style: Sexy,Casual Package include: 1 Set Swimwear (Containing Chest Pad) swimsuit coverup for women/plus size swimsuit for women/womens one piece swimsuits/tankini bathing suits for women/womens tankini bathing suits/cover ups for swimwear women/tankini bathing suits for women/womens bathing suits/bathing suits for women/bathing suits for girls/high waisted bathing suits for women/high waisted bikini/bikini sets for women/bikini underwear for women/women's bikini swimsuits/swimsuit coverup for women", "pricing": "$7.80", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41g9n1A4jUL.jpg", "https://m.media-amazon.com/images/I/41g9n1A4jUL.jpg", "https://m.media-amazon.com/images/I/51FIPiRFTnL.jpg", "https://m.media-amazon.com/images/I/51chKOfoSXL.jpg", "https://m.media-amazon.com/images/I/41EKT9N+emL.jpg", "https://m.media-amazon.com/images/I/41Ya3l6ZWiL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Swimsuits & Cover Ups \u203a One-Pieces", "average_rating": "", "small_description": ["\ud83d\udd25 Spring Big Promotion \ud83d\udd25\u2600Today's Deals Big Promotion\u2714Buy 2 get 8% off Buy 3 get 10% off Buy 4 get 12% off Buy 4 get 12% off. Offered by SSYUNO\ud83d\udd25\uff087-15day Delivery\uff09 ", "\u3010ABOUT SHIPPING\u3011Expedited Shipping:3-5 Days.\ud83d\udc3e Standard shipping:7-18 Days.\ud83d\udc3e Within 24 Hours Shipping Out. ", "Drawstring closure ", "Machine Wash ", "Welcome to the SSYUNO store, we offer flexible free Returns and Exchanges. If You have any questions, please feel free to contact us by email. We will give you a satisfactory response within 24 Hours. ", "2 Pieces Sets for Men: Both tops and sweatpants have 2 side pockets as well as a pocket in the back of the pants , convenient for storing small items like phone, keys, cards etc\uff1bFit for light sport men's body close-fitting design with good stitching,maintain high performance in sports. ", "Sweat hoodies: Featured with fashion colors, adjustable hood, elastic ribbed cuffs and , stretchy tops bottom allow maximum motion, zipper closure\uff0cmakes it easy to put on and take it off. Sweatpants: Drawstring closure,relaxed leg, elastic waistband and ribbed hem, seal in warmth. , Men's Hooded Suitable for vacation, work, party, wedding, club, homecong, shopping,cocktail, evening,beach or casual wear.Overall Zip up Playsuit Pair it with your favorite high heels,flat shoes,sandals,Sports shoes, walking shoes, ankle boots will be a good choice, NOTICE: Please read the size chart provided by us carefully before placing an order, and choose the size according to the picture (it is recommended to buy one size larger). The size chart is not ours, please do not use it! ! !"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09PL5W9PD"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09PL64JPQ"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09PL581TR"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09PL4KKW3"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09PL4M97T"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B09PL69JJ5"}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41g9n1A4jUL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PL5KZ4S/ref=twister_B09PL5BNSQ", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41yC6GHCkPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PL5CJYS/ref=twister_B09PL5BNSQ", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Rv+9643vL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PL5W9PD", "category": "fashion", "query": "Women's Swimsuits & Cover Ups", "page": 127, "small_description_old": "\ud83d\udd25 Spring Big Promotion \ud83d\udd25\u2600Today's Deals Big Promotion\u2714Buy 2 get 8% off Buy 3 get 10% off Buy 4 get 12% off Buy 4 get 12% off. Offered by SSYUNO\ud83d\udd25\uff087-15day Delivery\uff09 \u3010ABOUT SHIPPING\u3011Expedited Shipping:3-5 Days.\ud83d\udc3e Standard shipping:7-18 Days.\ud83d\udc3e Within 24 Hours Shipping Out. Drawstring closure Machine Wash Welcome to the SSYUNO store, we offer flexible free Returns and Exchanges. If You have any questions, please feel free to contact us by email. We will give you a satisfactory response within 24 Hours. 2 Pieces Sets for Men: Both tops and sweatpants have 2 side pockets as well as a pocket in the back of the pants , convenient for storing small items like phone, keys, cards etc\uff1bFit for light sport men's body close-fitting design with good stitching,maintain high performance in sports. Sweat hoodies: Featured with fashion colors, adjustable hood, elastic ribbed cuffs and , stretchy tops bottom allow maximum motion, zipper closure\uff0cmakes it easy to put on and take it off. Sweatpants: Drawstring closure,relaxed leg, elastic waistband and ribbed hem, seal in warmth. \n Men's Hooded Suitable for vacation, work, party, wedding, club, homecong, shopping,cocktail, evening,beach or casual wear.Overall Zip up Playsuit Pair it with your favorite high heels,flat shoes,sandals,Sports shoes, walking shoes, ankle boots will be a good choiceNOTICE: Please read the size chart provided by us carefully before placing an order, and choose the size according to the picture (it is recommended to buy one size larger). The size chart is not ours, please do not use it! ! !Show more"}, {"name": "OUOU USB A Male to 12V Car Cigarette Lighter Socket Female Step Up Cable Inverter Converter Car Cigarette Lighters Compatible Driving Recorder GPS E-Dog Etc-Black (0.3m/0.98ft)", "product_information": {"Item Weight": "\u200e1.58 ounces", "Package Dimensions": "\u200e4 x 2.3 x 0.4 inches", "Country of Origin": "\u200eChina", "Item model number": "\u200e8523748853", "Is Discontinued By Manufacturer": "\u200eNo", "ASIN": "B07H179NY3", "Customer Reviews": {"ratings_count": 526, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#42,109 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #1,019 in Antitheft Products #2,166 in Cell Phone Automobile Accessories"], "Date First Available": "August 31, 2018"}, "brand": "Brand: OUOU", "brand_url": "https://www.amazon.com/OUOU/b/ref=bl_dp_s_web_10618830011?ie=UTF8&node=10618830011&field-lbr_brands_browse-bin=OUOU", "full_description": "Product Description:Color: Black Name:USB to Cigarette Lighter Adapter. USB Input: 5V 2A, make sure USB power supply enough 2A with full power. Cigarette Lighter Socket Output:12V 8W Max, depends on the power from your USB port. Length: 30cm/0.98ft. Use for: Convert power from USB port to 12V car cigarette lighter socket. Feature: This USB step up cable have a range wide of application in car. Convert power from USB port to 12V car cigarette lighter socket. Fit for many 12v devices, such as: Driving recorder, electronic dog, dash cam, GPS, radar detector, solar panel, heated seat, led lining strip, Rino 650, tire inflator, led lights, Garmin or other GPS FM traffic receiver, fan, VA supplied health equipment that uses a cigarette port for the charger, ect. You get: 1X USB to Cigarette Lighter Adapter, 12-month warranty and our friendly after-sales service.", "pricing": "$7.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31tWqAtA8bL.jpg", "https://m.media-amazon.com/images/I/317DXAz1ynL.jpg", "https://m.media-amazon.com/images/I/41nDFVvttLL.jpg", "https://m.media-amazon.com/images/I/4115sHsS84L.jpg", "https://m.media-amazon.com/images/I/41STf3Bym0L.jpg", "https://m.media-amazon.com/images/I/41X970W9EpL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Automotive \u203a Interior Accessories \u203a Anti-Theft", "average_rating": 4.2, "small_description": ["Product Specification:Length:30cm/0.98ft, USB Input: 5V 2A, Cigarette Lighter Socket Output: 12V 8W Max, depends on the power from your USB port.\uff08Please check the rate power of the device you are going to use with this cable!\uff09 ", "Multiple intelligent safety protection, boost module comes with over-voltage, short circuit and other multiple protection. Omni-directional protection of power supply equipment and electrical equipment safety. ", "USB Port to Car Cigarette Lighter Female Socket Step up cable Power Converter, convert power from USB port to 12V car cigarette lighter socket. ", "The use of, for example: 1. After the car stopped using the mobile power to drive tachographs, purifiers and other equipment power supply .2 tachograph, purifier and other car equipment to bring home use .3. Car emergency power supply 12V DC output to drive recorder, electronic dog and other equipment. ", "[Warranty Policy] :We have a 12 month warranty policy. If your product has any quality problems, please contact us as soon as possible and we will give you a satisfactory answer. "], "total_reviews": 526, "total_answered_questions": 17, "model": "\u200e8523748853", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "0.3m/0.98ft", "price_string": "$7.99", "price": 7.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07H19J2JW/ref=twister_B07R4P17CG?_encoding=UTF8&psc=1", "value": "0.6m/1.96ft", "price_string": "$8.99", "price": 8.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07H196N7M/ref=twister_B07R4P17CG?_encoding=UTF8&psc=1", "value": "1.2m/3.9ft", "price_string": "$8.99", "price": 8.99, "image": null}]}, "seller_id": "A18KNWOBTYX8EL", "seller_name": "Jiyunyuan", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07H179NY3", "category": "electronics", "query": "Car Accessories", "page": 56, "small_description_old": "Product Specification:Length:30cm/0.98ft, USB Input: 5V 2A, Cigarette Lighter Socket Output: 12V 8W Max, depends on the power from your USB port.\uff08Please check the rate power of the device you are going to use with this cable!\uff09 Multiple intelligent safety protection, boost module comes with over-voltage, short circuit and other multiple protection. Omni-directional protection of power supply equipment and electrical equipment safety. USB Port to Car Cigarette Lighter Female Socket Step up cable Power Converter, convert power from USB port to 12V car cigarette lighter socket. The use of, for example: 1. After the car stopped using the mobile power to drive tachographs, purifiers and other equipment power supply .2 tachograph, purifier and other car equipment to bring home use .3. Car emergency power supply 12V DC output to drive recorder, electronic dog and other equipment. [Warranty Policy] :We have a 12 month warranty policy. If your product has any quality problems, please contact us as soon as possible and we will give you a satisfactory answer. \n \u203a See more product details"}, {"name": "100% PURE Argan Oil, Cold-Pressed, Natural Moisturizer for Skin, Hair & Nails, Facial Serum, Hair Detangler, Cuticle Oil, Makeup Remover - 1.52 Fl Oz", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 4.72 x 1.38 x 1.38 inches; 8 Ounces", "Department\n \u200f": "\u200e\n 16 Face Moisturizer", "UPC\n \u200f": "\u200e\n 899738007487 899738007593", "Manufacturer\n \u200f": "\u200e\n Cutting Edge International, LLC", "ASIN\n \u200f": "\u200e\n B008QA6YOC", "Best Sellers Rank": "#131,647 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,375 in Amazon Launchpad Beauty & Health #2,742 in Face Moisturizers", "#1,375 in Amazon Launchpad Beauty & Health": "", "#2,742 in Face Moisturizers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the 100% PURE Store", "brand_url": "https://www.amazon.com/stores/100%25+Pure/page/64C2D37E-66DA-4BAE-BB1E-B292EA197869?ref_=ast_bln", "full_description": "100% Pure Organic argan oil rich with vitamin E, phenols, carotenes, squalene and essential fatty acids.", "pricing": "$34.00", "list_price": "", "availability_quantity": 6, "availability_status": "Only 6 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31p5c5MZFqL.jpg", "https://m.media-amazon.com/images/I/315ge8F2JRL.jpg", "https://m.media-amazon.com/images/I/41JStJiOYYL.jpg", "https://m.media-amazon.com/images/I/41e8IMMyfaL.jpg", "https://m.media-amazon.com/images/I/51pY00IGXgL.jpg", "https://m.media-amazon.com/images/I/410hie00yYL.jpg", "https://m.media-amazon.com/images/I/41WRqe0NLFL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Face \u203a Creams & Moisturizers \u203a Face Moisturizers", "average_rating": 4, "small_description": ["MAKEUP REMOVER -- Tackle stubborn eye makeup with argan oil, which easily dissolves makeup without leaving skin greasy. ", "DEEPLY MOISTURIZE -- Argan oil is naturally rich in Vitamin E and essential fatty acids that deeply moisturize while helping restore your skin\u2019s moisture barrier. ", "SKIN COMPATIBLE -- Thanks to its similar composition to your skin's lipids, argan oil is lightweight and fast-absorbing to use, and won\u2019t leave skin feeling greasy. ", "TAME FRIZZ - Apply argan oil onto dry, frizzy hair to smooth, gloss, and detangle. ", "CARRIER OIL -- Argan oil makes a great carrier oil for essential oils, thanks to its compatibility with skin and soothing properties. "], "total_reviews": 4, "total_answered_questions": "", "customization_options": "", "seller_id": "A161OT36SON0IZ", "seller_name": "100% PURE", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B008QA6YOC", "category": "beauty", "query": "Makeup Remover", "page": 84, "small_description_old": "About this item MAKEUP REMOVER -- Tackle stubborn eye makeup with argan oil, which easily dissolves makeup without leaving skin greasy. DEEPLY MOISTURIZE -- Argan oil is naturally rich in Vitamin E and essential fatty acids that deeply moisturize while helping restore your skin\u2019s moisture barrier. SKIN COMPATIBLE -- Thanks to its similar composition to your skin's lipids, argan oil is lightweight and fast-absorbing to use, and won\u2019t leave skin feeling greasy. TAME FRIZZ - Apply argan oil onto dry, frizzy hair to smooth, gloss, and detangle. CARRIER OIL -- Argan oil makes a great carrier oil for essential oils, thanks to its compatibility with skin and soothing properties."}, {"name": "Amanti Art Door Mirror (55.50 x 21.50 in.), Ballroom Bronze Frame - Full Length Mirror, Full Body Mirror, Wall Mirror - Bronze", "product_information": {"Product Dimensions": "1.25 x 21.5 x 55.5 inches", "Item Weight": "14.88 pounds", "Manufacturer": "Amanti Art", "ASIN": "B07S2Z9KGP", "Country of Origin": "USA", "Item model number": "DSW4593726", "Customer Reviews": {"ratings_count": 11, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#1,049,600 in Home & Kitchen (See Top 100 in Home & Kitchen) #2,775 in Wall-Mounted Mirrors"], "Is Discontinued By Manufacturer": "No", "Assembly Required": "No", "Number of Pieces": "1", "Batteries Required?": "No", "Import Designation": "Made in USA and Imported"}, "brand": "Visit the Amanti Art Store", "brand_url": "https://www.amazon.com/stores/AmantiArt/page/EA140E82-2235-47AB-8A68-3FE418265DD4?ref_=ast_bln", "full_description": "PRODUCT: On The Door Full Length Door Mirror, Ballroom Bronze; FRAME: Ballroom Bronze 4\"; FRAME STYLE: Traditional; FRAME FINISH: Bronze Finish; FRAME COLOR: Brown; OUTER SIZE: 21.50 x 55.50 inches. The Ballroom Bronze frame features a contemporary, wide burnished bronze frame with a wide face that slopes up to an inner lip. The outer edge is finished in smooth, matte black. This high-quality, full-length mirror complements your decor without the need for unsightly \"over the door\" brackets. Our On The Door Mirror comes with two hooks to hang directly on your door without additional anchors or brackets. Amanti Art is headquartered in Madison, WI and provides high quality, handmade framed art, mirrors and organization boards for your home improvement projects. Our home decor products are made using traditional custom framing techniques that give you the kind of quality you'd expect from your local frame shop. Because of our focus on workmanship, our products are used by architects, developers, interior designers and homeowners alike to create beautiful functional living spaces.", "pricing": "$147.42", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31le2N4Wi4L.jpg", "https://m.media-amazon.com/images/I/41dWTxjsWwL.jpg", "https://m.media-amazon.com/images/I/31jukqkqtyL.jpg", "https://m.media-amazon.com/images/I/410UxjbVTxL.jpg", "https://m.media-amazon.com/images/I/41XA-xSBH6L.jpg", "https://m.media-amazon.com/images/I/51yCCUhJ4wL.jpg", "https://m.media-amazon.com/images/I/712smp6wGOL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Mirrors \u203a Wall-Mounted Mirrors", "average_rating": 4.6, "small_description": ["DIMENSIONS: The overall size of this full-length mirror measures 21.50 x 55.50 inches, including the frame. Its reflective area measures 14.00 x 48.00 inches. The mirror works perfectly as a door mirror, full size mirror or large mirror on the wall. The mirror itself is not beveled, for full use of the reflective area. ", "QUALITY FRAMING: You can not mistake the quality of handmade mirrors for your wall decor. The Ballroom Bronze frame is a contemporary, burnished bronze frame with a wide face that slopes up to an inner lip. The outer edge is finished in smooth, matte black. The frame measures 4.06 x 1.31 inches. All Amanti Art wall mirrors are finished with a paper backing to prevent moisture and dust buildup. ", "ON THE DOOR PLACEMENT: We make it very easy for you to hang this full-length mirror on any door without unsightly over the door brackets. Each mirror has durable D rings attached to the back along with 2 hanging hooks and nails to tap directly into your door or wall. The D rings hang easily on each hook without additional anchors or brackets. Our nail/hook combination works well on traditional walls, solid doors, and even hollow core doors. ", "ASSEMBLED IN THE USA: Amanti Art custom frames decorative mirrors and assembles each piece to order in Madison, WI. Because our focus is on workmanship, our products are used by architects, developers, designers, and homeowners alike to create beautiful living spaces. ", "GREAT WAYS TO USE A DOOR MIRROR: A tall mirror is perfect for full-body viewing. It can be hung on the back of a closet, bathroom, or bedroom door as an easy and space-saving way to see your entire reflection. In a foyer or living room, it works not only for image viewing but also makes your space appear larger and more inviting if placed to reflect other home decor elements or light. "], "total_reviews": 11, "total_answered_questions": "", "model": "DSW4593726", "customization_options": {"Size": null, "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07S43GXG2/ref=twister_B09DRPQQLV?_encoding=UTF8&psc=1", "value": "Accent Bronze", "price_string": "$143.41", "price": 143.41, "image": "https://m.media-amazon.com/images/I/01ydE0dmMvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07S2ZMLDD/ref=twister_B09DRPQQLV?_encoding=UTF8&psc=1", "value": "Accent Bronze Narrow", "price_string": "$128.49", "price": 128.49, "image": "https://m.media-amazon.com/images/I/016fTqWqF+L.jpg"}, {"is_selected": true, "url": null, "value": "Ballroom Bronze", "price_string": "$147.42", "price": 147.42, "image": "https://m.media-amazon.com/images/I/01ERo+SF0WL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08MTMRZ5C/ref=twister_B09DRPQQLV?_encoding=UTF8&psc=1", "value": "Herra Brushed Bronze", "price_string": "$122.49", "price": 122.49, "image": "https://m.media-amazon.com/images/I/01AtY3B7LRL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07S2ZW62F/ref=twister_B09DRPQQLV?_encoding=UTF8&psc=1", "value": "Ridge Bronze", "price_string": "$131.53", "price": 131.53, "image": "https://m.media-amazon.com/images/I/01BmwCF3dRL.jpg"}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07S2Z9KGP", "category": "garden", "query": "Decorative Mirrors", "page": 49, "small_description_old": "About this item DIMENSIONS: The overall size of this full-length mirror measures 21.50 x 55.50 inches, including the frame. Its reflective area measures 14.00 x 48.00 inches. The mirror works perfectly as a door mirror, full size mirror or large mirror on the wall. The mirror itself is not beveled, for full use of the reflective area. QUALITY FRAMING: You can not mistake the quality of handmade mirrors for your wall decor. The Ballroom Bronze frame is a contemporary, burnished bronze frame with a wide face that slopes up to an inner lip. The outer edge is finished in smooth, matte black. The frame measures 4.06 x 1.31 inches. All Amanti Art wall mirrors are finished with a paper backing to prevent moisture and dust buildup. ON THE DOOR PLACEMENT: We make it very easy for you to hang this full-length mirror on any door without unsightly over the door brackets. Each mirror has durable D rings attached to the back along with 2 hanging hooks and nails to tap directly into your door or wall. The D rings hang easily on each hook without additional anchors or brackets. Our nail/hook combination works well on traditional walls, solid doors, and even hollow core doors. ASSEMBLED IN THE USA: Amanti Art custom frames decorative mirrors and assembles each piece to order in Madison, WI. Because our focus is on workmanship, our products are used by architects, developers, designers, and homeowners alike to create beautiful living spaces. GREAT WAYS TO USE A DOOR MIRROR: A tall mirror is perfect for full-body viewing. It can be hung on the back of a closet, bathroom, or bedroom door as an easy and space-saving way to see your entire reflection. In a foyer or living room, it works not only for image viewing but also makes your space appear larger and more inviting if placed to reflect other home decor elements or light."}, {"name": "Med-Choice Special Pack Of 5 Q-Tips Swabs 170 Per Pack by Med-Choice", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Manufacturer\n \u200f": "\u200e\n Med-Choice", "ASIN\n \u200f": "\u200e\n B01GR1ABDG", "": ""}, "brand": "Visit the Med-Choice Store", "brand_url": "https://www.amazon.com/stores/MedChoice/page/C51FE131-1D2A-4D28-B13B-A30DA6A36D55?ref_=ast_bln", "full_description": "Perfect For Use On Even The Most Sensitive Areas For First Aid, Baby Care & Other Household Uses Made From 100% Pure Cotton", "pricing": "$21.15", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51UhWlycfBL.jpg", "https://m.media-amazon.com/images/I/41iQU2lrlkL.jpg", "https://m.media-amazon.com/images/I/51ao51HPLXL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Cotton Balls & Swabs \u203a Cotton Swabs", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A82MLX8CMW8NO", "seller_name": "Mr. Medical", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01GR1ABDG", "category": "beauty", "query": "Cotton Balls & Swabs", "page": 33, "small_description_old": ""}, {"name": "01 Video Projector, LED Projector Outdoor 1080P HD White Multipurpose with Speaker for Home Theater for Movie for Game(U.S. regulations, Transl)", "product_information": {"Package Dimensions": "11.02 x 7.48 x 4.33 inches", "Item Weight": "3.28 pounds", "ASIN": "B09D42HCTN", "Date First Available": "August 19, 2021", "Manufacturer": "01"}, "brand": "Brand: 01", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=01", "full_description": "Features: The dual vortex fan system is powered by high-efficiency heat dissipation, and the turbine circulates the airflow to conceal the heat dissipation design. The system fully optimizes the air duct curve and enhances the heat dissipation effect to ensure stable and smooth system operation. High-definition image processing reduces jaggedness, smooth and clear images, and superior detail. Diffuse reflex imaging protects the health of the eyes. Even if you watch it for a long time, you will not feel eyesight fatigue. It is suitable for the whole family and young people. Rich expansion interface, support for access to game consoles, support for dual USB, HDMI, YGA/headphone interface, AV, KTV equipment, audio equipment, etc., to meet the fans of the projector. Built-in composite diaphragm large volume speaker for a wide range of listening sound effects. Specification:Material: ABSStandard: US, EU, UK, AU(optional)Physical Resolution: 1280x720Luminance: 1500Contrast Ratio: 1000:1Screen Proportion: 4:3/16:9Throw Ratio: 1.4:1Projection Technology: LCDResolution: 1080P(Max)Color Quantity: 16770KProjection Size: 32-150inchProjection Distance: Approx. 0.8-3.8m/2.62-12.47ftOptimum Projection Distance: Approx. 1.2-2m/47.24-78.74inchKeystone Correction: \u00b115\u00b0(Manual)Bulb Life: \uff1e30000h3D: Support Red&Blue 3DOperator Schema: Manual and remote controlInput Interface: AV input, USB input, Secure Digital Memory Card or TF card read input, HDMI input, VGA inputOutput Interface: Speaker, Stereo headphone outputAudio File: Support MP3/WMA/AAC, Seven sound effects + SRSImage File: Support common formats (such as JPEG, BMP, PNG, etc.), Support im", "pricing": "$138.49", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41Nr8qjEsWL.jpg", "https://m.media-amazon.com/images/I/51LClFMiSwL.jpg", "https://m.media-amazon.com/images/I/51g1EVvJm-L.jpg", "https://m.media-amazon.com/images/I/51KHQqRXpkL.jpg", "https://m.media-amazon.com/images/I/51kL0fL5AaL.jpg", "https://m.media-amazon.com/images/I/512g2ZiPQJL.jpg", "https://m.media-amazon.com/images/I/51kyL37ZahL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Video Projectors", "average_rating": "", "small_description": ["The dual vortex fan system is powered by high-efficiency heat dissipation, and the turbine circulates the airflow to conceal the heat dissipation design. The system fully optimizes the air duct curve and enhances the heat dissipation effect to ensure sta ", "High-definition image processing reduces jaggedness, smooth and clear images, and superior detail. ", "Diffuse reflex imaging protects the health of the eyes. Even if you watch it for a long time, you will not feel eyesight fatigue. It is suitable for the whole family and young people. ", "Rich expansion interface, support for access to game consoles, support for dual USB, HDMI, YGA/headphone interface, AV, KTV equipment, audio equipment, etc., to meet the fans of the projector. ", "Built-in composite diaphragm large volume speaker for a wide range of listening sound effects. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "AHI9AGATNKEKQ", "seller_name": "Yencoly", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09D42HCTN", "category": "electronics", "query": "Projectors", "page": 377, "small_description_old": "The dual vortex fan system is powered by high-efficiency heat dissipation, and the turbine circulates the airflow to conceal the heat dissipation design. The system fully optimizes the air duct curve and enhances the heat dissipation effect to ensure sta High-definition image processing reduces jaggedness, smooth and clear images, and superior detail. Diffuse reflex imaging protects the health of the eyes. Even if you watch it for a long time, you will not feel eyesight fatigue. It is suitable for the whole family and young people. Rich expansion interface, support for access to game consoles, support for dual USB, HDMI, YGA/headphone interface, AV, KTV equipment, audio equipment, etc., to meet the fans of the projector. Built-in composite diaphragm large volume speaker for a wide range of listening sound effects."}, {"name": "Canon EOS Rebel T7i DSLR Camera with 18-55mm Lens (US Model)", "product_information": {"Product Dimensions": "2.05 x 1.54 x 1.18 inches", "Item Weight": "3.21 pounds", "ASIN": "B07JMMM1B5", "Item model number": "EOS Rebel T7i", "Batteries": "1 Lithium ion batteries required. (included)", "Customer Reviews": {"ratings_count": 2, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#370,002 in Electronics (See Top 100 in Electronics) #2,275 in DSLR Cameras"], "Is Discontinued By Manufacturer": "No", "Date First Available": "October 22, 2018", "Manufacturer": "Canon"}, "brand": "Visit the Canon Store", "brand_url": "https://www.amazon.com/stores/Canon/page/5FDDA83E-27A1-472F-8444-4828B50C4243?ref_=ast_bln", "full_description": "Canon Rebel T7i Specs", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/61K6ZVXBqoL.jpg", "https://m.media-amazon.com/images/I/51dCA8rWYGL.jpg", "https://m.media-amazon.com/images/I/41UiLOeoHdL.jpg", "https://m.media-amazon.com/images/I/518gr+Ihv5L.jpg", "https://m.media-amazon.com/images/I/51EENht1RBL.jpg", "https://m.media-amazon.com/images/I/51x4EDQUCbL.jpg", "https://m.media-amazon.com/images/I/41Prz9KswiL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Digital Cameras \u203a DSLR Cameras", "average_rating": 5, "small_description": ["24.2MP APS-C CMOS Sensor;DIGIC 7 Image Processor; 3.0\" 1.04m-Dot Vari-Angle Touchscreen ", "Full HD 1080p Video Recording at 60 fps;45-Point All Cross-Type Phase-Detect AF ", "Dual Pixel CMOS AF;Up to 6 fps Shooting and ISO 51200; Built-In Wi-Fi with NFC, Bluetooth ", "HDR Movie and Time-Lapse Movie; EF-S 18-55mm f/4-5.6 IS STM Lens ", "US model with Canon warranty, not grey market "], "total_reviews": 2, "total_answered_questions": "", "model": "EOS Rebel T7i", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07JMMM1B5", "category": "electronics", "query": "Digital Cameras", "page": 111, "small_description_old": "About this item\n \n24.2MP APS-C CMOS Sensor;DIGIC 7 Image Processor; 3.0\" 1.04m-Dot Vari-Angle Touchscreen Full HD 1080p Video Recording at 60 fps;45-Point All Cross-Type Phase-Detect AF Dual Pixel CMOS AF;Up to 6 fps Shooting and ISO 51200; Built-In Wi-Fi with NFC, Bluetooth HDR Movie and Time-Lapse Movie; EF-S 18-55mm f/4-5.6 IS STM Lens US model with Canon warranty, not grey market"}, {"name": "Phomemo M02 Pocket Printer- Mini Bluetooth Thermal Printer with 3 Rolls White Sticker Paper, Compatible with iOS + Android for Learning Assistance, Study Notes, Journal, Fun, Work", "product_information": {"ASIN": "B086DK24K2", "Customer Reviews": {"ratings_count": 64, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#77,745 in Office Products (See Top 100 in Office Products) #96 in Receipt Printers #807 in Computer Printers"], "Date First Available": "March 26, 2020"}, "brand": "Visit the Phomemo Store", "brand_url": "https://www.amazon.com/stores/Phomemo/page/C9AB8D84-9B78-4C81-81E0-1889717073B5?ref_=ast_bln", "full_description": "", "pricing": "$59.39", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31hJb3+WsIL.jpg", "https://m.media-amazon.com/images/I/41mirnUoCAL.jpg", "https://m.media-amazon.com/images/I/51Q0HwT6MDL.jpg", "https://m.media-amazon.com/images/I/51JdpFN23pL.jpg", "https://m.media-amazon.com/images/I/51tFAUyt7pL.jpg", "https://m.media-amazon.com/images/I/41QD1QykubL.jpg", "https://m.media-amazon.com/images/I/61s9c+DxlhL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Office Products \u203a Office Electronics \u203a Printers & Accessories \u203a Printers", "average_rating": 4.6, "small_description": ["Connection- Bluetooth 4.0 connection. Phomemo M02 mini printer connected to the Phomemo APP through Bluetooth, wireless printer. System: for android 4.0, for IOS8.0 or above. ", "Portable Size and Fashion Design- Pocket Printer simple stylish shape, mini size slips neatly into your pocket., Built-in 1000mAh battery that lets you take it anywhere. It's ideal for Halloween, Thanksgiving day, Christmas and holiday presnet to child,family and friends. ", "With 3 Rolls White Sricker Paper: Clear Printing Image- Bright white clear quality photo paper with direct thermal printing. ", "Multifunctional: One-click printing, saving time and effort, can print text and photos instantly, phomemo app offers variety of fonts, filter effects and themes, make your black and white photo more stylish. Phomemo M02 mini printer is a funny printer, but not a Camera. "], "total_reviews": 64, "total_answered_questions": 5, "customization_options": "", "seller_id": "A2GRH7SRQVR45X", "seller_name": "Phomemo", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B086DK24K2", "category": "electronics", "query": "Printers & Scanners", "page": 67, "small_description_old": "About this item\n \nConnection- Bluetooth 4.0 connection. Phomemo M02 mini printer connected to the Phomemo APP through Bluetooth, wireless printer. System: for android 4.0, for IOS8.0 or above. Portable Size and Fashion Design- Pocket Printer simple stylish shape, mini size slips neatly into your pocket., Built-in 1000mAh battery that lets you take it anywhere. It's ideal for Halloween, Thanksgiving day, Christmas and holiday presnet to child,family and friends. With 3 Rolls White Sricker Paper: Clear Printing Image- Bright white clear quality photo paper with direct thermal printing. Multifunctional: One-click printing, saving time and effort, can print text and photos instantly, phomemo app offers variety of fonts, filter effects and themes, make your black and white photo more stylish. Phomemo M02 mini printer is a funny printer, but not a Camera."}, {"name": "Slip Silk Sleep Mask, Hollywood Hills (One Size) - 100% Pure Mulberry 22 Momme Silk Eye Mask - Comfortable Sleeping Mask with Elastic Band + Pure Silk Filler and Internal Liner", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.41 x 4.37 x 1.1 inches; 7.2 Ounces", "Date First Available\n \u200f": "\u200e\n March 5, 2020", "Manufacturer\n \u200f": "\u200e\n Slipsilk", "ASIN\n \u200f": "\u200e\n B085GLK7X4", "Best Sellers Rank": "#22,771 in Health & Household (See Top 100 in Health & Household)#61 in Eye Masks #69 in Sleep Masks", "#61 in Eye Masks": "", "#69 in Sleep Masks": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the SLIP Store", "brand_url": "https://www.amazon.com/stores/SLIP/page/0FE7F180-A0DE-4D9B-B0EB-F50DCA458D2B?ref_=ast_bln", "full_description": "", "pricing": "$89.99", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41M4GsbXoJL.jpg", "https://m.media-amazon.com/images/I/31NNkKsiD8L.jpg", "https://m.media-amazon.com/images/I/41qj6ak65KL.jpg", "https://m.media-amazon.com/images/I/51L0VEDFIYS.jpg", "https://m.media-amazon.com/images/I/41z8jG2KcjL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Eyes \u203a Masks", "average_rating": 4.7, "small_description": ["Sleep with Slip - Whether you're on a long-haul flight or treating yourself to some much-needed beauty sleep, this luxurious Slipsilk sleep mask will have you dreaming in no time. ", "Silk fibers are less absorbent than other fibers, so they can help keep expensive face and hair products where they belong. So what could be better than sleeping on a Slipsilk pillowcase? Wearing a luxurious Slipsilk sleep mask at the same time. ", "The Slipsilk difference - Slip pure silk products are made using Slipsilk. Specially-commissioned and made to our exacting standards, Slipsilk has been developed and refined for over ten years to provide the ultimate combination of shine, thickness, softness, and durability. "], "total_reviews": 562, "total_answered_questions": 8, "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08F2VB1SS/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Apres Ski", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Lim-BbuXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01JZX0Y3A/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/211kycta5kL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B078NXVV1F/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Bridesmaid - Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41fuR4tp1FL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085GLPC7Z/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Cali Nights", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41byW2Z+rUL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01JZX0Y26/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Caramel", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21qU6TaOOkL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01JZX0Y2Q/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Charcoal", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21QcvD+VbFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WR95ZDQ/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Desert Rose", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31j1kiaYf8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08F2X2H81/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Feathers", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ZwjSuLW4S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B078P5FT9Z/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Gold", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21zOJ+IB74L.jpg"}, {"is_selected": true, "url": null, "value": "Hollywood Hills", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41M4GsbXoJL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HFWLRY4/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Leopard Black/White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41w7opNno4L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08F2YRLR2/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Lipstick Queen", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ztUT6zIXS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WR6WRSW/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Love is Love", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/415sEMM34UL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07PP9VLNK/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Marble", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31lCzHwJATL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B078P3RFY9/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Mr - Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31hhu0NMXtL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B078P4R4LD/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Mrs - White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31LJ9epL6DL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B078P46RTV/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21IkQ7H8aSL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WRR3PZV/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Out of Office", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41X4QkdB+lL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01JZX0Y3U/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21FE9XsGq9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09BX3LTZM/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Pink - Holiday Edition", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31wwxh2lY2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07SH1GS8G/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Pink Kisses", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31lLG0rfDaL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WHZQYMC/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Pink Marble", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31JOIWAJwaS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WPQ9HRQ/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Rose All Day", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31Kn6RhtwAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08F2X44HD/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Rose Gold", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/210D0Og0RcL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B078P6HJS9/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "Silver", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21Q8Pr1JXfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01JZX0Y5S/ref=twister_B078P3D45T?_encoding=UTF8&psc=1", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21Q6Us3BX0L.jpg"}]}, "seller_id": "A17GP5YGUX23W7", "seller_name": "blee15", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B085GLK7X4", "category": "beauty", "query": "Hair Masks", "page": 151, "small_description_old": "About this item Sleep with Slip - Whether you're on a long-haul flight or treating yourself to some much-needed beauty sleep, this luxurious Slipsilk sleep mask will have you dreaming in no time. Silk fibers are less absorbent than other fibers, so they can help keep expensive face and hair products where they belong. So what could be better than sleeping on a Slipsilk pillowcase? Wearing a luxurious Slipsilk sleep mask at the same time. The Slipsilk difference - Slip pure silk products are made using Slipsilk. Specially-commissioned and made to our exacting standards, Slipsilk has been developed and refined for over ten years to provide the ultimate combination of shine, thickness, softness, and durability."}, {"name": "ShareJ Home Sweet Home Decorative Throw Pillow Covers Cotton Linen Inspirational Warm Quotes Home Decor Cushion Covers 18 x 18 inch,Set of 4", "product_information": {"Package Dimensions": "8.82 x 5.98 x 1.65 inches", "Item Weight": "8.8 ounces", "Manufacturer": "ShareJ", "ASIN": "B07P24ZMXK", "Customer Reviews": {"ratings_count": 235, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#518,436 in Home & Kitchen (See Top 100 in Home & Kitchen) #7,627 in Throw Pillow Covers"], "Number of Pieces": "4", "Batteries Required?": "No"}, "brand": "Brand: ShareJ", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ShareJ", "full_description": "Specification:ShareJ pillowcase 100% brand new and high quality, HD printingColor and pattern: HomeMaterial: Cotton blend linenSize: 18 X 18 InchesShape: SquarePackage includes: 1 X Pillow cover (WITHOUTpillow insert)Feature: 1.Made of safe, durable, breathable, dirt-resistant, non-fading and environmentally friendly cotton blend linen materials.2.ShareJ pillowcase exquisite workmanship, over-stitching, hidden zipper design, high-definition printing.3.ShareJ pillowcase can be washed and tumble dried in cold water.4.This pillowcase brings convenience to your life and adds color to your life.5.Perfect for car, sofa, bed, office, coffee shop, book store, hotel, club, party etc. super gift for your family and friends, suit for each holiday, such as birthday, valentine's day, mother\u2019s day, father\u2019s day, christmas, anniversary and so on.Note:1.This is hand-made item, please allow slight deviation for the color and measurement! please understand, thanks!2.The hidden zipper can be opened about 34-36 cm, the pillow core is folded in half and inserted into the pillowcase to spring open, and the pillow will be naturally filled.3.If there is anything we can help you, please feel free to contact us at any time and we\u2019ll continually provide full support.4.Please rest assured that we\u2019ll value every customer highly and we\u2019ll do our utmost to serve you.--------Thanks visit our shop, have a nice shopping time! --------", "pricing": "$19.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51QYtfUL5YL.jpg", "https://m.media-amazon.com/images/I/51OuiaZ624L.jpg", "https://m.media-amazon.com/images/I/51oy3rNNGdL.jpg", "https://m.media-amazon.com/images/I/51rtVczfD6L.jpg", "https://m.media-amazon.com/images/I/51caWdJcWFL.jpg", "https://m.media-amazon.com/images/I/41Si+7zVmIL.jpg", "https://m.media-amazon.com/images/I/512urDd-inS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Decorative Pillows, Inserts & Covers \u203a Throw Pillow Covers", "average_rating": 4.5, "small_description": ["Material: Made of durable cotton blend linen fabric ", "Size: 18 x 18 Inches/45 cm x 45 cm(\u00b11-2cm deviation) ", "Printing: Pattern available only on the front, and the back is plain linen color without printing ", "Design: Pillow cover ONLY!(insert are not included) /soft, durable, hidden zipper design and allows easy insertion and removal of pillow inser ", "Application: Perfect for car, sofa, bed, office, coffee shop, book store, hotel, club, party etc. super gift for your family and friends, suit for each holiday, such as birthday, valentine's day, mother\u2019s day, father\u2019s day, christmas, anniversary and so on "], "total_reviews": 235, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08YR4H35B/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Ink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51d6yikHJzL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0911V12L4/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51iGGzpWEyL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08TQGZLB4/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Adorable Bunny", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/514dfwHvaiL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07V4QXJYP/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Black Farmhouse", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51t-ab121vL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07RXHDLC9/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Bluebird", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51UPFsXQDgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07RP7QFQ9/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Bs", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/517uh9AXDiL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PXYF9KS/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Bunny", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51BC8SyrZQL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08Y5L6K73/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "China", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61V90RFM7QL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085DHJZGK/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Dandelion Theme", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/412u41n9n1L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085RKJVZ8/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Flamingo Set", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51B7eNulQTL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08YR5YT16/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Fr", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51wH2zufVwL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07V5TJSYH/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Grassland", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51vcnY3fQgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085VD2SLN/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Happy Easter Day", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51N4fedNdKL.jpg"}, {"is_selected": true, "url": null, "value": "Home", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51QYtfUL5YL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PV91B7G/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Lemonade", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51iH7q8FqwL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08K39PYXG/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Letters Words", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51q2v-aYK+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07S3T5354/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "London Artwork", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/517XGn2YziL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085ZV8QDY/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Mom Gifts", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51PKjEQv+jL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08TQ6KD7Y/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Multicolor Bonsai", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/517k8Z4g6ZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085DFZP6V/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Music Theme", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Spt5DJyoL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08761739G/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Nautical Pillowcase", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/614d4ybtFSL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07V7VKHZK/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Red Farmhouse", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51zMvXoCmGL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07V3QW36W/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Rural", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51fD-deX5TL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085T3X4BH/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Spring Pillow Cover", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Pv3-gurTL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08YJ571CJ/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Summer Fruit", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51x8eJ8cSvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07V6WPNXT/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Tenement", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51VttrlHvJL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08ZHMRZTN/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Usa Flag", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51cybZ33pyL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08TQVRB2G/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Usa Map", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51mtK4oDi7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08CD93HYX/ref=twister_B07NYVQLLF?_encoding=UTF8&psc=1", "value": "Yum Pumpkin", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51rsGmnWPrL.jpg"}]}, "seller_id": "A3W4Y9OY04D1ZY", "seller_name": "Doitely", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07P24ZMXK", "category": "garden", "query": "Decorative Pillows", "page": 56, "small_description_old": "Material: Made of durable cotton blend linen fabric Size: 18 x 18 Inches/45 cm x 45 cm(\u00b11-2cm deviation) Printing: Pattern available only on the front, and the back is plain linen color without printing Design: Pillow cover ONLY!(insert are not included) /soft, durable, hidden zipper design and allows easy insertion and removal of pillow inser Application: Perfect for car, sofa, bed, office, coffee shop, book store, hotel, club, party etc. super gift for your family and friends, suit for each holiday, such as birthday, valentine's day, mother\u2019s day, father\u2019s day, christmas, anniversary and so on"}, {"name": "Sencillez Canvas Wall Art Abstract Regalite Turquoise Marble Mixed Colors Blue Teal Gold Foil Digital Art Modern Art Bohemian Colorful Multicolor Ultra for Living Room Bedroom Office (20x30 inches)", "product_information": {"Product Dimensions": "20 x 1.2 x 30 inches", "Item Weight": "2.94 pounds", "ASIN": "B092QQBW4Y", "Customer Reviews": {"ratings_count": 11, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#568,723 in Home & Kitchen (See Top 100 in Home & Kitchen) #20,160 in Posters & Prints"], "Date First Available": "April 16, 2021"}, "brand": "Brand: Sencillez", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Sencillez", "full_description": "This wall art is calming and abstract. Strokes of blue and teal are energized with goldtone leaf embellishment. This ready to hang, gallery-wrapped art piece features a streak of gold stretching across a blue and green watercolor background", "pricing": "$59.99", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/414IpiPyd7L.jpg", "https://m.media-amazon.com/images/I/316FmdXZfVL.jpg", "https://m.media-amazon.com/images/I/51dNoE127uS.jpg", "https://m.media-amazon.com/images/I/41+PxXkjdkS.jpg", "https://m.media-amazon.com/images/I/51+an-jeeDL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Wall Art \u203a Posters & Prints", "average_rating": 4.7, "small_description": ["[Premium Quality Materials] High definition modern artwork printed onto industrial grade framed canvas. ", "[Wide Application] Perfect decorative choice for any setting: bedroom, living room, bathroom, hotel, kitchen, bar ", "[Easy to Hang] This art piece is well stretched on pinewood bars, and with D-rings at the back, it is easy to hang on your wall. ", "[Note] Due to monitor display issues, actual colors may be different from online listing. "], "total_reviews": 11, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B092QQFD21/ref=twister_B08FR56BLP?_encoding=UTF8&psc=1", "value": "16 in x 24 in", "price_string": "$35.99", "price": 35.99, "image": null}, {"is_selected": true, "url": null, "value": "20 in x 30 in", "price_string": "$59.99", "price": 59.99, "image": null}]}, "seller_id": "ALD8BT2ZWHNLI", "seller_name": "Sencillez Home", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B092QQBW4Y", "category": "garden", "query": "Wall art", "page": 56, "small_description_old": "About this item\n \nAbstract Canvas Wall Art Size: 20 x 30 x 1.18 inches overall Abstract Canvas Wall Art Painting: High quality printing on 100% cotton canvas with thick hand painting, color gel and hand made gold foil. Perfect Art for Your Home: Mixed colors of blue, teal and gold foil demonstrate the spirit of regalite and turquoise looking. It is a great gift to refresh your home. Easy to Hang: This art piece is well stretched on pinewood bars, and with D-rings at the back, it is easy to hang on your wall. Please Note: Due to different scales, the actual product color may be a little different from the images on our store. Please always feel free to contact us if you have any question."}, {"name": "DuoLide for Huawei Y9 2019 / Enjoy 9 Plus Case with Tempered Glass Screen Protector,Hybrid Heavy Duty Dual Layer Anti-Scratch Shockproof Defender Kickstand Armor Case Cover, Red", "product_information": {"Product Dimensions": "5.91 x 3.94 x 0.39 inches", "Item Weight": "3.53 ounces", "ASIN": "B083HXHG75", "Customer Reviews": {"ratings_count": 154, "stars": "4.1 out of 5 stars"}, "Best Sellers Rank": ["#74,046 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #35,154 in Cell Phone Basic Cases"], "Special Features": "Kickstand, Magnetic, Shock-Absorbent", "Other display features": "Wireless", "Form Factor": "Case", "Colour": "Red", "Included Components": "Kickstand", "Manufacturer": "DuoLide", "Date First Available": "January 5, 2020"}, "brand": "Brand: DuoLide", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=DuoLide", "full_description": "p>Please note: This case is fit for Huawei Y9 2019 / Enjoy 9 Plus.High quality materials: Made of high quality hard and durable plastic + silicone material.Features: 1. Two-part construction of shock-absorbing TPU and durable hard polycarbonate. 2. Slim Fit Ensures Your Phone Does Not Look or Feel Bulky. 3. A innovative kickstand provides ultimate flexibility and convenience,it can liberate your hands while video watching or chatting. 4. It can work with magnetic car mountand rubberized inner gel material, fits comfortably around your phone and protects it from dust, dirt, scratches and prevent from falling. 5. Precise Cutouts Reserve Full Access to Speaker, Ports, Camera and Control ButtonsWarranty: Our products offer warranty within 30 days. If you received any defective units from us,please email us for replacement or refund.No matter if you have any questions,please contact us via Amazon message system,we will be happy to serve you.", "pricing": "$9.29", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51uogVOfHZL.jpg", "https://m.media-amazon.com/images/I/41aEjX1yFhL.jpg", "https://m.media-amazon.com/images/I/51ZvcCGYgVL.jpg", "https://m.media-amazon.com/images/I/51dBqZla3vL.jpg", "https://m.media-amazon.com/images/I/51HaZWzS7lL.jpg", "https://m.media-amazon.com/images/I/51t38UU-c3L.jpg", "https://m.media-amazon.com/images/I/51ZxRww4N+L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Cases, Holsters & Sleeves \u203a Basic Cases", "average_rating": 4.1, "small_description": ["Special design compatible with: Huawei Y9 2019 / Enjoy 9 Plus . ", "Ring Bracket Holder: The hidden 360\u00b0ring rotate grip kickstand feature design full of artistic sense which can liberate your hands while video watching or chatting,which can work with magnetic car mountand rubberized inner gel material, fits comfortably around your phone and protects it from dust, dirt, scratches and prevent from falling. ", "Dual Layer protection: Two-part construction of shock-absorbing soft TPU and durable hard polycarbonate (2in1 Combo Back Case).Soft shockproof silcone inner combined with hard UV matt oil PC cover just to all-round protection your phone from scratches, dust, dirt, fingerprints, and other daily wear. ", "Tempered glass screen: With a clear tempered glass screen protect film,which is 0.3mm thickness and 9H hardness tempered glass screen protector protects against drops Drops, Shocks, Bumps, Scratches, Bruises, scuffs, dirt, dust. ", "Easy to access: Precise Cutouts Reserve Full Access to Speaker, Ports, Camera and Control Buttons, Highly Acclaimed Moulded Edge Technology Strengthens the Durability at its most fragile points. "], "total_reviews": 154, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B083HXF8F5/ref=twister_B083HX5X1X?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$9.97", "price": 9.97, "image": "https://m.media-amazon.com/images/I/51PKU2hWIvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B083HX8TYV/ref=twister_B083HX5X1X?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "$9.99", "price": 9.99, "image": "https://m.media-amazon.com/images/I/51fYYDkR9WL.jpg"}, {"is_selected": true, "url": null, "value": "Red", "price_string": "$9.29", "price": 9.29, "image": "https://m.media-amazon.com/images/I/51uogVOfHZL.jpg"}]}, "seller_id": "AWXLYH5C2UD3U", "seller_name": "DuoLide", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B083HXHG75", "category": "electronics", "query": "Video Glasses", "page": 171, "small_description_old": "About this item Special design compatible with: Huawei Y9 2019 / Enjoy 9 Plus . Ring Bracket Holder: The hidden 360\u00b0ring rotate grip kickstand feature design full of artistic sense which can liberate your hands while video watching or chatting,which can work with magnetic car mountand rubberized inner gel material, fits comfortably around your phone and protects it from dust, dirt, scratches and prevent from falling. Dual Layer protection: Two-part construction of shock-absorbing soft TPU and durable hard polycarbonate (2in1 Combo Back Case).Soft shockproof silcone inner combined with hard UV matt oil PC cover just to all-round protection your phone from scratches, dust, dirt, fingerprints, and other daily wear. Tempered glass screen: With a clear tempered glass screen protect film,which is 0.3mm thickness and 9H hardness tempered glass screen protector protects against drops Drops, Shocks, Bumps, Scratches, Bruises, scuffs, dirt, dust. Easy to access: Precise Cutouts Reserve Full Access to Speaker, Ports, Camera and Control Buttons, Highly Acclaimed Moulded Edge Technology Strengthens the Durability at its most fragile points."}, {"name": "Replaced Remote Control Compatible for Samsung UN85S9VF UN46F6300AF UN40F6300AF UN85S9VFXZA UN32F6300AF UN46F5500AF TV", "product_information": {"Product Dimensions": "8 x 2 x 0.5 inches", "Item Weight": "2.72 ounces", "Manufacturer": "JustFine", "ASIN": "B01LYSBBX5", "Item model number": "LYSB01LYSBBX5-ELECTRNCS", "Customer Reviews": {"ratings_count": 47, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#11,188 in Remote Controls (Electronics)"], "Is Discontinued By Manufacturer": "No", "Date First Available": "September 12, 2016"}, "brand": "Brand: JustFine", "brand_url": "https://www.amazon.com/JustFine/b/ref=bl_dp_s_web_15610993011?ie=UTF8&node=15610993011&field-lbr_brands_browse-bin=JustFine", "full_description": "This is a high quality, new replacement remote. It compatibles for Samsung UN85S9VF UN46F6300AF UN40F6300AF UN85S9VFXZA UN32F6300AF UN46F5500AF LED HDTV TV, put your batteries in to work( Batteries and Manual are not included). It sold with money-back guarantee, Hassle-Free return, 30 days quality warranty. Any problem, please kindly email us.", "pricing": "$11.98", "list_price": "", "availability_quantity": 7, "availability_status": "Only 7 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41-nnlbOJCL.jpg", "https://m.media-amazon.com/images/I/313X-x-mLoL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Remote Controls & Accessories \u203a Remote Controls", "average_rating": 4.4, "small_description": ["High quality, brand new replacement remote for Samsung LED HDTV ", "Check before shipping, Hassle-Free Return, 30 days quality warranty, refund unconditionally ", "Pre-programmed, No programming needed ( can't be programmed again) ", "Package contain: 1 remote Only, batteries and instruction are Not included ", "Standard shipping, almost 6 - 16 days to arrive ( if not received over 25 please kindly contact us) "], "total_reviews": 47, "total_answered_questions": "", "model": "LYSB01LYSBBX5-ELECTRNCS", "customization_options": "", "seller_id": "A23SYZU9KXD386", "seller_name": "JustFine", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B01LYSBBX5", "category": "electronics", "query": "Remotes", "page": 216, "small_description_old": "High quality, brand new replacement remote for Samsung LED HDTV Check before shipping, Hassle-Free Return, 30 days quality warranty, refund unconditionally Pre-programmed, No programming needed ( can't be programmed again) Package contain: 1 remote Only, batteries and instruction are Not included Standard shipping, almost 6 - 16 days to arrive ( if not received over 25 please kindly contact us)"}, {"name": "Digital Alarm Clocks with Bluetooth Speaker for Children, Rechargeable Kids Bedroom Smart Clock with LED Display Screens, SUupports FM/Wireless Music Function (White)", "product_information": {"Package Dimensions": "3.94 x 3.94 x 1.97 inches", "Item Weight": "6.2 ounces", "ASIN": "B09KG58GWJ", "Date First Available": "October 27, 2021", "Manufacturer": "Dilwe"}, "brand": "Visit the Dilwe Store", "brand_url": "https://www.amazon.com/stores/Dilwe/page/4CC1109D-4F29-4308-AD00-F625D4E1E804?ref_=ast_bln", "full_description": "How to Use: Power\u00a0on,\u00a0connect\u00a0to\u00a0bluetooth\u00a0to\u00a0use. Mode\u00a0switch,\u00a0default\u00a0clock\u00a0mode\u00a0when\u00a0power\u00a0on;\u00a0short\u00a0press\u00a0to\u00a0switch,\u00a0long\u00a0press\u00a0to\u00a0set\u00a0time. Short\u00a0press\u00a0the\u00a0previous\u00a0song\u00a0or\u00a0the\u00a0previous\u00a0station,\u00a0long\u00a0press\u00a0the\u00a0volume\u00a0to\u00a0decrease. Short\u00a0press\u00a0one\u00a0song\u00a0or\u00a0next\u00a0station,\u00a0long\u00a0press\u00a0to\u00a0increase\u00a0the\u00a0volume. Long\u00a0press\u00a0on/off,\u00a0short\u00a0press\u00a0to\u00a0play/pause,\u00a0short\u00a0press\u00a0in\u00a0radio\u00a0mode\u00a0to\u00a0automatically\u00a0search\u00a0for\u00a0channels. Specification: Item Type: Bluetooth Clock Speaker Material: ABS Model: P1 Bluetooth Version: 5.0 Bluetooth Distance: 10m/32.8ft Output Power: 3W Frequency Response: 150Hz-20KHz Signal to Noise Ratio: 75dB Distortion: 2% Audio Input: Bluetooth/Memory Card Speaker Unit: 4\u03a9 3W Battery Type: 3.7V 18650 Lithium Battery Battery Capacity: Built-in 1200mAh Lithium Battery FM Radio Frequency: 87.5MHz-108MHz Compatible: Bedroom, School, Living Room, Office, etc. Package List: 1 x Bluetooth Speaker 1 x Charging Cable", "pricing": "$15.79", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31Cqcd3JSQL.jpg", "https://m.media-amazon.com/images/I/31EF8j63WcL.jpg", "https://m.media-amazon.com/images/I/31efTojUSYL.jpg", "https://m.media-amazon.com/images/I/41aL-wWr80L.jpg", "https://m.media-amazon.com/images/I/41Nkh6iFfDL.jpg", "https://m.media-amazon.com/images/I/515PRVKEsfL.jpg", "https://m.media-amazon.com/images/I/51CBKl0XeSL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Power Accessories \u203a Power Converters", "average_rating": "", "small_description": ["It is never easy for parents to teach their young children to have regular sleep wake habits, therefore, kids clock was born to save parents' sleep time, kids will get to know it is time to get up from bed, if you have a memory card (less than 32G), it can be an MP3 player. ", "The soft light gives a tender companion to your little ones especially when they learn to sleep alone, 5 ringtones to choose from, kids can choose their favorite ringtone for each alarm clock, which allows them to enjoy setting their own. ", "The cute cat ear shape design makes it an elegant decoration even if you don't need to use it, the kid alarm clock with safe ABS material, ideal for bedroom, kids night light, relaxing, outdoor camping, it is especially ideal as holiday or birthday gift. ", "Not only a cut smart clock, but also a bluetooth 5.0 speaker, also support memory card playing, you can connect this speaker clock to your smart phone or just plug in a memory card to enjoy wireless music, the FM function is perfect for daily use. ", "With LED screen and big white digital mirror display, which makes it easier to read day or night, soft light will not hinder going to sleep in night, the kids alarm clock uses a 1200mA high capacity lithium battery, which can be charged through the USB port, once full charge can keep working up to 12 hours. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AET9B0FNKDKRC", "seller_name": "Bewinner", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09KG58GWJ", "category": "electronics", "query": "Clock Radios", "page": 140, "small_description_old": "It is never easy for parents to teach their young children to have regular sleep wake habits, therefore, kids clock was born to save parents' sleep time, kids will get to know it is time to get up from bed, if you have a memory card (less than 32G), it can be an MP3 player. The soft light gives a tender companion to your little ones especially when they learn to sleep alone, 5 ringtones to choose from, kids can choose their favorite ringtone for each alarm clock, which allows them to enjoy setting their own. The cute cat ear shape design makes it an elegant decoration even if you don't need to use it, the kid alarm clock with safe ABS material, ideal for bedroom, kids night light, relaxing, outdoor camping, it is especially ideal as holiday or birthday gift. Not only a cut smart clock, but also a bluetooth 5.0 speaker, also support memory card playing, you can connect this speaker clock to your smart phone or just plug in a memory card to enjoy wireless music, the FM function is perfect for daily use. With LED screen and big white digital mirror display, which makes it easier to read day or night, soft light will not hinder going to sleep in night, the kids alarm clock uses a 1200mA high capacity lithium battery, which can be charged through the USB port, once full charge can keep working up to 12 hours."}, {"name": "Goldweather Women Winter Leggings Printed Warm Fleece Lined Yoga Pants Trousers Thermal High Waist Thicken Cashmere Tights (Navy, L)", "product_information": {"Department\n \u200f": "\u200e\n Womens", "UPC\n \u200f": "\u200e\n 753099374858", "Manufacturer\n \u200f": "\u200e\n Goldweather", "ASIN\n \u200f": "\u200e\n B09MSZ4VS8", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Brand: Goldweather", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Goldweather", "full_description": "\u260e Welcome to \u265a Goldweather \u265a , I wish you a happy shopping, We provide various kinds of great products to you, you are trustworthy, Get anything you want!!Women Winter Fleece Lined Leggings - Be ready for colder weather!\u2605\u2605 Fashion Features \u27a4\u27a4\u3010Item Type\u3011Cashmere lined leggings is a versatile piece without any restrictive condition, can be as yoga leggings, jogger sweatpants, lounge pants.\u3010HIGH MATERIAL\u3011Our fleece thermal leggings are designed with sherpa lined to keep your warm and cozy when temperature drops.\u3010Casual Style \u3011Stylish and fashion make you more attractive. Cute and soft cozy super thick cashmere leggings for women, it's perfect for autumn & winter workout wear/casual wear.\u3010EASY TO MATCH\u3011Easy to match with winter coats, hoodies, sweater shirts, tunic tops, skirts, etc. Keep you warm or for a stylish look all the winter.\u3010FASHION DESIGNS\u3011High waisted design, simple version but still fashion, let your legs looks more slender. It is a wardrobe essential winter leggings for ladies.\u3010WIDELY OCCASIONS\u3011Super elastic high waisted leggings allows you to move freely and perfect for running, hiking, cycling, travel, skiing, camping, strolling and ice skating, or other winter outdoor activities.\u2605\u2605 Item Specifics \u27a4\u27a4\u2764Season:Spring/Fall/Winter\u2764Gender: Women /Girls\u2764Package include:1PC Womens Fleece Lined Leggings\u2764High waisted fleece lined leggings, every girl shoudl have a thicker and wram leggings in the winter.\u2764Please check the Size Chart before order. If you are not sure the size, please send message to us.", "pricing": "$20.99", "list_price": "", "availability_quantity": 19, "availability_status": "Only 19 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/417qAowkc5L.jpg", "https://m.media-amazon.com/images/I/51DHVmbdmBL.jpg", "https://m.media-amazon.com/images/I/419btPFeiaL.jpg", "https://m.media-amazon.com/images/I/41LZ1aCwYFL.jpg", "https://m.media-amazon.com/images/I/51YwpTGUwOL.jpg", "https://m.media-amazon.com/images/I/410cHQW0HmL.jpg", "https://m.media-amazon.com/images/I/51sRkzB1quL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Bath & Bathing Accessories \u203a Bathing Accessories \u203a Bath Pillows", "average_rating": "", "small_description": ["\u2605\u2605 [Related Search] fleece lined leggings for women plus size thermal winter leggings fleece lined leggings with pockets high waisted winter yoga pants thermal pants for women fleece lined leggings thermal underwear bottoms thermal underwear pants long john leggings fleecewear stretch thermal leggings heated pants fleece jogger pants warm fleece sweatpants thermal underwear leggings seamless leggings winter clothes. ", "\u2605\u2605 [Related Search] thermal fleece lined leggings women high waisted tummy control winter warm yoga pants thermal legging pant thermal bottoms fleece lined compression pants leggings winter sherpa fleece lined thermal leggings high waisted cashmere leggings cold weather warm pants winter warm fleece sweatpants sherpa lined thermal pants thick cashmere wool tights thermal trousers winter fleece lined leggings warm thermal pants. ", "\u2605\u2605 [Related Search] thermal pants for women cold weather winter warm fleece lined leggings winter pants for women thick cashmere tights tummy control leggings ladies winter warm pants high waist yoga pants sherpa lined leggings high waist stretchy thick thermal pants thicken cashmere tights christmas leggings winter jogger pants fleece lined sweatpants with pockets winter thermal trousers high waisted harem pants hiking running pants. ", "\u2605\u2605 [Related Search] thermal underwear for women winter leggings plus size warm fleece lined leggings thick cashmere wool tights thickened fleece lined sweatpants high waisted yoga pants winter thermal trousers winter jeans thick skinny pants fleece lined yoga leggings winter denim pants winter fleece lined jeans fleece lined jeggings winter sherpa fleece lined leggings plush warm thermal jeans plus leggings for women sweatpants jogger fleece pants. ", "\u2605\u2605 [Related Search] women winter pants fleece lined leggings with pockets high waisted yoga pants outdoor waterproof windproof fleece snow ski hiking pants high waist thermal winter tights yoga pants with pockets fleece lined sweatpants jogger fleece pants thick cashmere tights slim stretch warm jeggings snow pants snow trousers high waisted yoga leggings tummy control yoga hiking running tights winter sherpa fleece lined leggings plush warm thermal pants. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09MSXDTQL/ref=twister_B09MS3R9KL?_encoding=UTF8&psc=1", "value": "Medium", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "Large", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MSYMW1C/ref=twister_B09MS3R9KL?_encoding=UTF8&psc=1", "value": "X-Large", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MSX85FY/ref=twister_B09MS3R9KL?_encoding=UTF8&psc=1", "value": "XX-Large", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MSYDDF3/ref=twister_B09MS3R9KL?_encoding=UTF8&psc=1", "value": "3X-Large", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09MSXHQH2/ref=twister_B09MS3R9KL?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51OvSoZxw2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MSYC3GV/ref=twister_B09MS3R9KL?_encoding=UTF8&psc=1", "value": "Dark Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41zxa2DNE-L.jpg"}, {"is_selected": true, "url": null, "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/417qAowkc5L.jpg"}]}, "seller_id": "A3EE68PW1EKOJ6", "seller_name": "Goldweather", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09MSZ4VS8", "category": "beauty", "query": "Bathing Accessories", "page": 198, "small_description_old": "\u2605\u2605 [Related Search] fleece lined leggings for women plus size thermal winter leggings fleece lined leggings with pockets high waisted winter yoga pants thermal pants for women fleece lined leggings thermal underwear bottoms thermal underwear pants long john leggings fleecewear stretch thermal leggings heated pants fleece jogger pants warm fleece sweatpants thermal underwear leggings seamless leggings winter clothes. \u2605\u2605 [Related Search] thermal fleece lined leggings women high waisted tummy control winter warm yoga pants thermal legging pant thermal bottoms fleece lined compression pants leggings winter sherpa fleece lined thermal leggings high waisted cashmere leggings cold weather warm pants winter warm fleece sweatpants sherpa lined thermal pants thick cashmere wool tights thermal trousers winter fleece lined leggings warm thermal pants. \u2605\u2605 [Related Search] thermal pants for women cold weather winter warm fleece lined leggings winter pants for women thick cashmere tights tummy control leggings ladies winter warm pants high waist yoga pants sherpa lined leggings high waist stretchy thick thermal pants thicken cashmere tights christmas leggings winter jogger pants fleece lined sweatpants with pockets winter thermal trousers high waisted harem pants hiking running pants. \u2605\u2605 [Related Search] thermal underwear for women winter leggings plus size warm fleece lined leggings thick cashmere wool tights thickened fleece lined sweatpants high waisted yoga pants winter thermal trousers winter jeans thick skinny pants fleece lined yoga leggings winter denim pants winter fleece lined jeans fleece lined jeggings winter sherpa fleece lined leggings plush warm thermal jeans plus leggings for women sweatpants jogger fleece pants. \u2605\u2605 [Related Search] women winter pants fleece lined leggings with pockets high waisted yoga pants outdoor waterproof windproof fleece snow ski hiking pants high waist thermal winter tights yoga pants with pockets fleece lined sweatpants jogger fleece pants thick cashmere tights slim stretch warm jeggings snow pants snow trousers high waisted yoga leggings tummy control yoga hiking running tights winter sherpa fleece lined leggings plush warm thermal pants."}, {"name": "Maxim 32478SWSBRBP Finn Mid-Century Modern Satin White Glass Ball Bath Vanity Wall Mount, 5-Light 200 Total Watts, 7\"H x 44\"W, Satin Brass/Brushed Platinum", "product_information": {"Manufacturer": "\u200eMaxim Lighting", "Part Number": "\u200e32478SWSBRBP", "Item Weight": "\u200e16 pounds", "Product Dimensions": "\u200e8 x 8 x 7 inches", "Item model number": "\u200e32478SWSBRBP", "Is Discontinued By Manufacturer": "\u200eNo", "Size": "\u200e5-Light", "Color": "\u200eSatin Brass/Brushed Platinum", "Finish": "\u200eFinished", "Material": "\u200eMaterial: Other", "Power Source": "\u200eCorded-electric", "Voltage": "\u200e120 Volts", "Wattage": "\u200e60 watts", "Item Package Quantity": "\u200e1", "Type of Bulb": "\u200eIncandescent", "Measurement System": "\u200eEnglish/Standard", "Mounting Type": "\u200eProtruding", "Plug Format": "\u200eA- US style", "Special Features": "\u200eAdjustable", "Usage": "\u200eCeiling fan", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "Warranty Description": "\u200eAll products purchased have a 30-day replacement parts policy to ensure a fully working item. All products are covered under a 1-year warranty when purchased on amazon. The warranty period begins on the day the product is originally shipped. The warranty covers all of the items and conditions identified in the original manufacturers warranty. Some of the items specifically not covered by the warranty are loss and theft, water damage, customer abuse, and finish detoriation due to uv or coastal exposure.", "ASIN": "B07TN3Y9H1", "Best Sellers Rank": ["#2,156,427 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #13,234 in Vanity Lighting Fixtures"], "Date First Available": "June 28, 2019"}, "brand": "Visit the Maxim Store", "brand_url": "https://www.amazon.com/stores/MAXIM/page/6C200771-C35A-4CB9-A365-0495090EB64E?ref_=ast_bln", "full_description": "A homage to Mid-Century Modern design, the Finn collection features large Satin White opal glass shades on a contemporary finish combination of Satin Brass and Brushed Platinum. The glass shades are embraced by laser cut fins to create a clean, yet dramatic look.", "pricing": "$219.99", "list_price": "", "availability_quantity": 17, "availability_status": "Only 17 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/21xb9BFCVLL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Wall Lights \u203a Vanity Lights", "average_rating": "", "small_description": ["FINN VANITY LIGHT DIMENSIONS: 6.5\" High x 43.5\" Wide x 7.5\" Deep, Weight: 15.98 lbs., Backplate: 43.5\" W x 6.5\" H, HCO: 3.25\" ", "LIGHTING: 5-40 Watt E12 Candelabra Base Incandescent Bulbs, Does Not Include Bulb(s), 200 Total Watts, Lighting Direction: Omni ", "INSTALLATION: 6\" Wire and Hardware to Mount Fixture to an Existing Junction Box Included (Junction Box Not Included) ", "Approved for DAMP Locations ", "DETAILS: Constructed of Steel with Satin Brass/Brushed Platinum Finish and Satin White Glass Shade "], "total_reviews": "", "total_answered_questions": "", "model": "\u200e32478SWSBRBP", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07TN3T7LW/ref=twister_B08NLDWJ4D?_encoding=UTF8&psc=1", "value": "3-Light", "price_string": "$119.99", "price": 119.99, "image": null}, {"is_selected": true, "url": null, "value": "5-Light", "price_string": "$219.99", "price": 219.99, "image": null}]}, "seller_id": "A1VSYUSBHJXBF", "seller_name": "Haus Appeal", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07TN3Y9H1", "category": "garden", "query": "Vanities", "page": 358, "small_description_old": "About this item\n \nFINN VANITY LIGHT DIMENSIONS: 6.5\" High x 43.5\" Wide x 7.5\" Deep, Weight: 15.98 lbs., Backplate: 43.5\" W x 6.5\" H, HCO: 3.25\" LIGHTING: 5-40 Watt E12 Candelabra Base Incandescent Bulbs, Does Not Include Bulb(s), 200 Total Watts, Lighting Direction: Omni INSTALLATION: 6\" Wire and Hardware to Mount Fixture to an Existing Junction Box Included (Junction Box Not Included) Approved for DAMP Locations DETAILS: Constructed of Steel with Satin Brass/Brushed Platinum Finish and Satin White Glass Shade \n \u203a See more product details"}, {"name": "Crunchmaster Gourmet Toasted Sesame Rice Cracker, 3.5-Ounce (Pack of 12)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.84 x 3.74 x 1.81 inches; 3.5 Ounces", "UPC\n \u200f": "\u200e\n 853358000457", "Manufacturer\n \u200f": "\u200e\n Crunchmaster", "ASIN\n \u200f": "\u200e\n B002C56QX6", "Best Sellers Rank": "#491,507 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#653 in Rice Crackers", "#653 in Rice Crackers": ""}, "brand": "Visit the Crunchmaster Store", "brand_url": "https://www.amazon.com/stores/Crunchmaster/page/9E165B38-5794-4912-A36C-F105FB956EDB?ref_=ast_bln", "full_description": "Crunchmaster Baked Rice Crackers are probably the crispiest, tastiest crackers you will ever eat. A gluten free alternative to traditional processed wheat crackers, Crunchmaster products are packed with pure, U.S. grown rice, sesame, quinoa, flax and amaranth seeds and other simple ingredients \u2013 all baked to a light, crispy perfection! Enjoy them as part of a healthy lifestyle \u2013 right from the bag or box. Or, add a little imagination and pair them with your favorite dips, spreads and toppings to create a unique, tasty treat for your friends and family.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/417Wjkgn9IL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Rice Cakes, Chips & Crackers \u203a Crackers", "average_rating": "", "small_description": ["Certified Gluten Free ", "100% Whole Grain ", "Low Saturated Fat ", "Cholesterol Free, 0g Trans Fat ", "Baked to a light, crispy perfection! "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B002C56QX6", "category": "grocery", "query": "Snack Crackers", "page": 395, "small_description_old": "About this item Certified Gluten Free 100% Whole Grain Low Saturated Fat Cholesterol Free, 0g Trans Fat Baked to a light, crispy perfection!"}, {"name": "Brief INSANTIY Boxer Briefs for Men and Women | Bourbon Wine Print Boxer Shorts - Comfy, Casual Underwear (XX-Large)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 11.69 x 8.86 x 1.38 inches; 5.61 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n December 1, 2019", "ASIN\n \u200f": "\u200e\n B09HY9XB8P", "": ""}, "brand": "Visit the BRIEF INSANITY Store", "brand_url": "https://www.amazon.com/stores/BRIEFINSANITY/page/46E8FC8E-A5B5-45D9-9175-09B0B91BD4E4?ref_=ast_bln", "full_description": "BRIEF INSANITY Boxer's are made for both men and women. Check out the size chart below to see what size is best for you.", "pricing": "$19.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51-8zhRLbEL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Underwear \u203a Boxer Briefs", "average_rating": "", "small_description": ["\u2714 FABRIC & CARE: 90% Polyester 10% Spandex | The synthetic silk Soft knit fabric makes sure you don\u2019t have any pinching, pulling, or restriction while wearing these novelty boxers. These comfy undies are machine wash & dry friendly! ", "\u2714 FEATURES: Lightweight high performance fabric with fly front moves with you for added comfort. The bourbon drink images are sublimated into the fabric so they won\u2019t crack, fade or peel over time! ", "\u2714 MULTIPLE USE: Versatile design lets you wear them as underwear, shorts or sleepwear! Relax and make yourself a drink while wearing these boxer shorts by Brief Insanity! Ideal for people that love their cocktails, alcoholic beverages, and whiskey. ", "\u2714 UNISEX STYLE SIZING: BRIEF INSANITY apparel is designed for both women & men. We support plus size and have larger sizes in stock. Please refer to our size chart in the product description to decide which size will work best for you. ", "\u2714 SATISFACTION GUARANTEED: Your satisfaction is important to us. If you are not completely pleased with your purchase, contact us. We'll do everything we can to make it right, including a full refund, no questions asked. Buy Now! "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A28Q6F76BMF3UG", "seller_name": "BRIEF INSANITY", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09HY9XB8P", "category": "fashion", "query": "Men's Underwear", "page": 123, "small_description_old": "Machine Wash \u2714 FABRIC & CARE: 90% Polyester 10% Spandex | The synthetic silk Soft knit fabric makes sure you don\u2019t have any pinching, pulling, or restriction while wearing these novelty boxers. These comfy undies are machine wash & dry friendly! \u2714 FEATURES: Lightweight high performance fabric with fly front moves with you for added comfort. The bourbon drink images are sublimated into the fabric so they won\u2019t crack, fade or peel over time! \u2714 MULTIPLE USE: Versatile design lets you wear them as underwear, shorts or sleepwear! Relax and make yourself a drink while wearing these boxer shorts by Brief Insanity! Ideal for people that love their cocktails, alcoholic beverages, and whiskey. \u2714 UNISEX STYLE SIZING: BRIEF INSANITY apparel is designed for both women & men. We support plus size and have larger sizes in stock. Please refer to our size chart in the product description to decide which size will work best for you. \u2714 SATISFACTION GUARANTEED: Your satisfaction is important to us. If you are not completely pleased with your purchase, contact us. We'll do everything we can to make it right, including a full refund, no questions asked. Buy Now!"}, {"name": "SQF 5 Arm Arch Floor Lamp - BK/Gold/SILVEL (Silver)", "product_information": {"Brand": "\u200eSQUARE FURNITURE", "Item model number": "\u200e6962BK/G/SN", "Style": "\u200eModern", "Color": "\u200eSilver", "Material": "\u200eMetal", "Finish Types": "\u200ePainted", "Special Features": "\u200e5 Arm Arch Floor Lamp, FLOOR LAMP", "Shade Color": "\u200eSILVER", "Shade Material": "\u200eMetal", "Light Direction": "\u200eAdjustable", "Power Source": "\u200eCorded Electric", "Switch Style": "\u200eDimmer", "Wattage": "\u200e100 watts", "ASIN": "B0101Q3V7Q", "Customer Reviews": {"ratings_count": 57, "stars": "4.1 out of 5 stars"}, "Best Sellers Rank": ["#462,381 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #2,560 in Floor Lamps"], "Date First Available": "June 20, 2015"}, "brand": "Brand: SQUARE FURNITURE", "brand_url": "https://www.amazon.com/SQUARE-FURNITURE/b/ref=bl_dp_s_web_9544321011?ie=UTF8&node=9544321011&field-lbr_brands_browse-bin=SQUARE+FURNITURE", "full_description": "", "pricing": "$165.00", "list_price": "", "availability_quantity": 7, "availability_status": "Only 7 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/311NDDliR9L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Lamps & Shades \u203a Floor Lamps", "average_rating": 4.1, "small_description": ["60 x 60 x 84 \" ", "Adjustable Arms on all 5 All Metal Construction ", "Dimmer switch "], "total_reviews": 57, "total_answered_questions": 8, "model": "\u200e6962BK/G/SN", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B0101Q3VI0/ref=twister_B0101Q3V2G?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$168.00", "price": 168, "image": "https://m.media-amazon.com/images/I/31dhqwqKFZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0101Q3VFS/ref=twister_B0101Q3V2G?_encoding=UTF8&psc=1", "value": "Gold", "price_string": "$178.00", "price": 178, "image": "https://m.media-amazon.com/images/I/31N1AAawdCL.jpg"}, {"is_selected": true, "url": null, "value": "Silver", "price_string": "$165.00", "price": 165, "image": "https://m.media-amazon.com/images/I/311NDDliR9L.jpg"}]}, "seller_id": "AGFGXKK7IRH2H", "seller_name": "Square Furniture", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0101Q3V7Q", "category": "garden", "query": "Floor lamps", "page": 68, "small_description_old": "About this item 60 x 60 x 84 \" Adjustable Arms on all 5 All Metal Construction Dimmer switch \n \u203a See more product details"}, {"name": "[2+2 Pack] UniqueMe Compatible with iPad Pro 11 inch 2020 and 2021 (4th / 5th gen), Tempered Glass Screen Protector and Camera Lens Protector,Compatible with Face ID & Apple Pencil, [Alignment Frame]", "product_information": {"Package Dimensions": "12.1 x 9.8 x 0.6 inches", "Item Weight": "8 ounces", "ASIN": "B088LZPNG6", "Item model number": "iPad Pro 2020 11\"", "Customer Reviews": {"ratings_count": 794, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#948 in Tablet Screen Protectors"], "Special Features": "Bubble Proof", "Colour": "Clear", "Manufacturer": "UniqueMe", "Date First Available": "May 14, 2020"}, "brand": "Visit the UniqueMe Store", "brand_url": "https://www.amazon.com/stores/UniqueMe/page/C59866DE-25EF-415D-AF31-34305D8D92B4?ref_=ast_bln", "full_description": "", "pricing": "$15.99", "list_price": "", "availability_quantity": 1, "availability_status": "In Stock. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51Sw3IizAHS.jpg", "https://m.media-amazon.com/images/I/51FGKhIB95S.jpg", "https://m.media-amazon.com/images/I/51EUDDyc6rS.jpg", "https://m.media-amazon.com/images/I/61nD37xeFvL.jpg", "https://m.media-amazon.com/images/I/511guToEiGS.jpg", "https://m.media-amazon.com/images/I/51IgMji4aiS.jpg", "https://m.media-amazon.com/images/I/71WMEQBaQJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Tablet Accessories \u203a Screen Protectors", "average_rating": 4.5, "small_description": ["[Compatible Model] These Protectors specially designed for iPad Pro 11-inch (2020 / 2021), including 2 packs lens protectors and 2 packs screen protectcor. ", "[9H Quality] Super anti-fall,scratch resistant tempered glass material keeping your iPad Pro 11-inch (2020 / 2021) rear camera and screen from scratches. ", "[Excellent Protection] The protector with oleophobic layer prevents water, oil,dust. Keep the iPad Pro 11-inch (2020) tablet lens in HD transparent and clean all the time. ", "[Highly Clear] 99.99% transparency preserves the original screen or picture brightness.Not Disturbing the picture quality. ", "Protected by UniqueMe No-Hassle Lifetime Replacement Warranty.[Comprehensive after-sales service]If you have any questions, please feel free to contact us. We will reply within 24 hours! "], "total_reviews": 794, "total_answered_questions": 3, "model": "iPad Pro 2020 11\"", "customization_options": "", "seller_id": "A3AEZ3BPFHSMS2", "seller_name": "INGLE", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B088LZPNG6", "category": "electronics", "query": "Screen Protectors", "page": 276, "small_description_old": "About this item [Compatible Model] These Protectors specially designed for iPad Pro 11-inch (2020 / 2021), including 2 packs lens protectors and 2 packs screen protectcor. [9H Quality] Super anti-fall,scratch resistant tempered glass material keeping your iPad Pro 11-inch (2020 / 2021) rear camera and screen from scratches. [Excellent Protection] The protector with oleophobic layer prevents water, oil,dust. Keep the iPad Pro 11-inch (2020) tablet lens in HD transparent and clean all the time. [Highly Clear] 99.99% transparency preserves the original screen or picture brightness.Not Disturbing the picture quality. Protected by UniqueMe No-Hassle Lifetime Replacement Warranty.[Comprehensive after-sales service]If you have any questions, please feel free to contact us. We will reply within 24 hours!"}, {"name": "Hot Sauce Gift Set: Includes 5 Keto Hot Sauces & 1 Tasting Journal | Hot Sauce Collection Assortment | Very Hot Sauce Sampler Gift Set | Birthday Gifts for Men and Women | Comes in a Wooden Gift Crate", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 12.6 x 9.6 x 6.8 inches; 6.15 Pounds", "Manufacturer\n \u200f": "\u200e\n Broquet", "ASIN\n \u200f": "\u200e\n B01LXP39SN", "Best Sellers Rank": "#384,809 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#266 in Sauce, Gravy & Marinade Gifts", "#266 in Sauce, Gravy & Marinade Gifts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Broquet Store", "brand_url": "https://www.amazon.com/stores/GuyCommerce/page/93E6D578-38F0-4A55-9BB7-04DB4DE34847?ref_=ast_bln", "full_description": "", "pricing": "$81.99", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/61kRt6mGE4L.jpg", "https://m.media-amazon.com/images/I/515YHmyUizL.jpg", "https://m.media-amazon.com/images/I/51tZhUsuNcL.jpg", "https://m.media-amazon.com/images/I/41u5iMx2nEL.jpg", "https://m.media-amazon.com/images/I/61sdS0DdFzL.jpg", "https://m.media-amazon.com/images/I/51DiIE7cYTL.jpg", "https://m.media-amazon.com/images/I/51LwcSgslmL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Food & Beverage Gifts \u203a Sauce, Gravy & Marinade Gifts", "average_rating": 4.3, "small_description": ["GIFTS FOR HIM OR HER: Whatever the occasion, our hot sauce variety pack is perfect for loved ones! ", "FOR FANS OF EXOTIC SNACKS: Elevate favorite dishes with our hot sauce set! Can you handle the heat? ", "HOME ESSENTIALS: Ideal for your breakfast burrito, hot dogs, hot fries, steak meat, meat & seafood! ", "THE HOTTEST HOT SAUCE: This wood crate's really hot sauce is perfect for a spice challenge! ", "GIFT BASKETS, JUST HOTTER: Do you love spicy food? Add our sauce to any dish and get fired up! "], "total_reviews": 21, "total_answered_questions": "", "customization_options": "", "seller_id": "A3JGF4GAKW9XGR", "seller_name": "Guy Commerce USA", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B01LXP39SN", "category": "grocery", "query": "Meat & Seafood", "page": 324, "small_description_old": "About this item GIFTS FOR HIM OR HER: Whatever the occasion, our hot sauce variety pack is perfect for loved ones! FOR FANS OF EXOTIC SNACKS: Elevate favorite dishes with our hot sauce set! Can you handle the heat? HOME ESSENTIALS: Ideal for your breakfast burrito, hot dogs, hot fries, steak meat, meat & seafood! THE HOTTEST HOT SAUCE: This wood crate's really hot sauce is perfect for a spice challenge! GIFT BASKETS, JUST HOTTER: Do you love spicy food? Add our sauce to any dish and get fired up!"}, {"name": "Portable Case Orthodontic Care Kit Orthodontic Toothbrush Kit for Braces for Orthodontic Patient Travel Oral Care Kit Dental Travel Kit Interdental Brush Dental Wax Dental Floss (8 Pcs/Pack)-Red", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 7.83 x 2.36 x 2.32 inches; 3.53 Ounces", "UPC\n \u200f": "\u200e\n 782947578827", "Manufacturer\n \u200f": "\u200e\n YOUYA DENTAL", "ASIN\n \u200f": "\u200e\n B08GXD5MDG", "Best Sellers Rank": "#146,851 in Health & Household (See Top 100 in Health & Household)#327 in Personal Orthodontic Supplies", "#327 in Personal Orthodontic Supplies": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the YOUYA DENTAL Store", "brand_url": "https://www.amazon.com/stores/YOUYA+DENTAL/page/46D4314A-8BF2-4825-ABA0-80DD210C64C0?ref_=ast_bln", "full_description": "Description: Troubles during orthodontics Improper cleaning during orthodontics can easily cause a variety of oral problems Our orthodontic care kit: All tools required during orthodontics are available, a set to solve the problem of oral cleaning during orthodontics. Color:Red, green, blue, purple(as picture shows) Quantity\uff1a8Pcs/Set Orthodontic Care Kit contains(Random Color): 1xorthodontic soft toothbrush 1xorthodontic travel sleeve soft toothbrush 1xbox of orthodontic care wax 1xbox of orthodontic clean dental floss 1xpack of dental floss threaders 1xdental mouth mirror 1xHourglass timer 1xorthodontic interdental brush!", "pricing": "$14.59", "list_price": "", "availability_quantity": 7, "availability_status": "Only 7 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41uWD46L3KL.jpg", "https://m.media-amazon.com/images/I/51nn8JPUxTL.jpg", "https://m.media-amazon.com/images/I/41BBxt1TJIL.jpg", "https://m.media-amazon.com/images/I/41FT1Hd2YEL.jpg", "https://m.media-amazon.com/images/I/41W2oi7W9fL.jpg", "https://m.media-amazon.com/images/I/4197osiAvSL.jpg", "https://m.media-amazon.com/images/I/41Pz9QU65DL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Orthodontic Supplies", "average_rating": 4.4, "small_description": ["\u27a4Oral care for orthodontics :This kit addresses the specific oral care needs of orthodontic patients with everything you need. ", "\u27a4Scientific Nursing: Hourglass helps you to science spending 3 minutes brushing your teeth, the dental mirror can pay attention to and care for your oral health in time without waiting for the dentist to see you. ", "\u27a4Orthodontic toothbrush:Specially designed for orthodontic patients in the middle of the toothbrush in the middle of the design of various shapes of grooves, so that when brushing the teeth will not be because the brackets do not clean the teeth;Interdental brush and dental floss can go deep into the teeth, clean the hard-to-reach areas of the toothbrush, and clean the food debris in the teeth. ", "\u27a4Portable and hygienic: shopping and traveling, anytime, anywhere, health, no longer worry about the inconvenience of carrying orthodontic nursing tools. ", "\u27a4What you get :1 x Orthodontic care Kit ,Kit contains \uff1a1*Orthodontic toothbrush, 1*Travel toothbrush, 1*dental floss, 1*dental mouth mirror, 1 *orthodontic wax, 1*Interdental brush,1* Hourglass timer,1*dental floss threaders(Random Color) "], "total_reviews": 20, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08GWS5P2P/ref=twister_B08GX3W9ND?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "$14.59", "price": 14.59, "image": "https://m.media-amazon.com/images/I/41mFBP4IH2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08GWW621V/ref=twister_B08GX3W9ND?_encoding=UTF8&psc=1", "value": "Green", "price_string": "$14.59", "price": 14.59, "image": "https://m.media-amazon.com/images/I/41tpXcID-eL.jpg"}, {"is_selected": true, "url": null, "value": "Red", "price_string": "$14.59", "price": 14.59, "image": "https://m.media-amazon.com/images/I/41uWD46L3KL.jpg"}]}, "seller_id": "A20KNB0G5F1KAT", "seller_name": "XinLi-Direct", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08GXD5MDG", "category": "beauty", "query": "Dental Floss & Picks", "page": 40, "small_description_old": "About this item \u27a4Oral care for orthodontics :This kit addresses the specific oral care needs of orthodontic patients with everything you need. \u27a4Scientific Nursing: Hourglass helps you to science spending 3 minutes brushing your teeth, the dental mirror can pay attention to and care for your oral health in time without waiting for the dentist to see you. \u27a4Orthodontic toothbrush:Specially designed for orthodontic patients in the middle of the toothbrush in the middle of the design of various shapes of grooves, so that when brushing the teeth will not be because the brackets do not clean the teeth;Interdental brush and dental floss can go deep into the teeth, clean the hard-to-reach areas of the toothbrush, and clean the food debris in the teeth. \u27a4Portable and hygienic: shopping and traveling, anytime, anywhere, health, no longer worry about the inconvenience of carrying orthodontic nursing tools. \u27a4What you get :1 x Orthodontic care Kit ,Kit contains \uff1a1*Orthodontic toothbrush, 1*Travel toothbrush, 1*dental floss, 1*dental mouth mirror, 1 *orthodontic wax, 1*Interdental brush,1* Hourglass timer,1*dental floss threaders(Random Color)"}, {"name": "Firefly Oral Care Travel Kit Suction Cup Toothbrush for Children with Kids Crest Toothpaste and 4 Flossers", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.21 x 3.82 x 1.14 inches; 2.47 Ounces", "UPC\n \u200f": "\u200e\n 672935807131", "Manufacturer\n \u200f": "\u200e\n Firefly", "ASIN\n \u200f": "\u200e\n B07ZKCYT47", "Best Sellers Rank": "#650,769 in Health & Household (See Top 100 in Health & Household)#1,441 in Children's Dental Care Products", "#1,441 in Children's Dental Care Products": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the FIREFLY Store", "brand_url": "https://www.amazon.com/stores/FIREFLY/page/8465DC48-5059-4291-8E15-E3228E985463?ref_=ast_bln", "full_description": "Oral Care Travel Kit includes: Star War character suction cup Toothbrush, Cool Holographic Brush Cover, 0.85 oz Kids Crest Toothpaste, 4 Flossers, and Clear portable Bag.", "pricing": "$11.58", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51si5SDdjFL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Children's Dental Care", "average_rating": 3, "small_description": ["Oral Care Travel Kit includes: Star War suction cup Toothbrush, Holographic Brush Cover, 0.85 oz Kids Crest Toothpaste ", "4 Flossers and Clear portable Bag ", "Perfect for Boys +3 years old ", "Toothbrush designed for a child's mouth and has Soft bristles ", "Helps protect against cavities "], "total_reviews": 2, "total_answered_questions": "", "customization_options": "", "seller_id": "AXVUVXYKXOBM4", "seller_name": "Zaham Discount", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07ZKCYT47", "category": "beauty", "query": "Toothbrushes & Accessories", "page": 32, "small_description_old": "About this item Oral Care Travel Kit includes: Star War suction cup Toothbrush, Holographic Brush Cover, 0.85 oz Kids Crest Toothpaste 4 Flossers and Clear portable Bag Perfect for Boys +3 years old Toothbrush designed for a child's mouth and has Soft bristles Helps protect against cavities"}, {"name": "Rustic Luxe Large Wooden Sofa Table, Gray", "product_information": {"Product Dimensions": "10 x 58.5 x 37 inches", "Manufacturer": "Generic", "ASIN": "B09P65MG4G", "Best Sellers Rank": ["#2,485,344 in Home & Kitchen (See Top 100 in Home & Kitchen) #2,682 in Sofa Tables"], "Date First Available": "December 25, 2021"}, "brand": "Brand: Generic", "brand_url": "https://www.amazon.com/Generic/b/ref=bl_dp_s_web_2529470011?ie=UTF8&node=2529470011&field-lbr_brands_browse-bin=Generic", "full_description": "This Woven Paths Large Rustic Luxe Wooden Sofa Table is full of character with our real wood design. Made to easily tie in with your unique style, this table is the perfect stage for your photos and decor. Dress it up or dress it down, the luxe tones and clean lines make for a great centerpiece in your living room, dining room, or entryway. Blends rustic farmhouse style with bohemian accents perfect for any season. This collection makes it easy and affordable to brighten up any room with cozy, vibrant, quality pieces.", "pricing": "$134.00", "list_price": "", "availability_status": "Usually ships within 6 to 10 days.", "images": ["https://m.media-amazon.com/images/I/314urdmDR5L.jpg", "https://m.media-amazon.com/images/I/41AtBUkJWrL.jpg", "https://m.media-amazon.com/images/I/41AEJc4Wl-L.jpg", "https://m.media-amazon.com/images/I/41y9ZwAwitL.jpg", "https://m.media-amazon.com/images/I/31LrB3wsjVL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Tables \u203a Sofa & Console Tables", "average_rating": "", "small_description": ["Sturdy construction adds rustic contemporary style ", "Fully assembled and ready to enjoy ", "Simple rustic design ", "Knots and imperfections in wood for character ", "Made in Texas, USA "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A27PQ49GMJ4JTB", "seller_name": "gulbakhargap", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09P65MG4G", "category": "garden", "query": "Sofa Tables", "page": 67, "small_description_old": "About this item\n \nSturdy construction adds rustic contemporary style Fully assembled and ready to enjoy Simple rustic design Knots and imperfections in wood for character Made in Texas, USA"}, {"name": "Sleepwear Womens Chemise Nightgown Full Slip Lace Lounge Dress with Briefs Mesh Chemise V Neck Soft Pajama Dress Nightdress", "product_information": {"Item Weight\n \u200f": "\u200e\n 2.65 Ounces", "Item model number\n \u200f": "\u200e\n Sexy Lingerie for Women", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n February 10, 2022", "Manufacturer\n \u200f": "\u200e\n lingerie for women", "ASIN\n \u200f": "\u200e\n B09S5R7SSY", "": ""}, "brand": "Brand: CofeeMO", "brand_url": "https://www.amazon.com/CofeeMO/b/ref=bl_sl_s_ap_web_23452762011?ie=UTF8&node=23452762011&field-lbr_brands_browse-bin=CofeeMO", "full_description": "\u2764Dear customer, (\u10e6\u25d0\u25e1\u25d0\u10e6),welcome to \u261b\u3010Cgeolhni\u3011\u261aSize: S Size: Small ----US: 4 ----UK: 8 ----EU: 34 ----Bust: 68~98cm/26.8\"-38.6\" ----Waist: 64-84cm/25.2-33.1\" Size: M Size: Medium ----US: 6 ----UK: 10 ----EU: 36 ----Bust: 72~102cm/28.3\"-40.2\" ----Waist: 68-88cm/26.8-34.6\" Size: L Size: Large ----US: 8 ----UK: 12 ----EU: 38 ----Bust: 76~106cm/29.9\"-41.7\" ----Waist: 72-92cm/28.3-36.2\" Size: XL Size: X-Large ----US: 10 ----UK: 14 ----EU: 40 ----Bust: 80~110cm/31.5\"-43.3\" ----Waist: 76-96cm/29.9-37.8\" \u2764Sports Bras for Women lingerie for women lingerie for women sexy lingerie for women lingerie lingerie for women for sex naughty plus size lingerie women's lingerie, sleep & lounge sexy lingerie for women naughty for sex lingerie for women for sex play crotchless lingerie for women womens lingerie plus size lingerie for women lingerie for women plus size lingerie set sexy lingerie womens snow boots womens sweaters snow boots for women gifts for women womens high Waist body shaper trainer bodysuit underwear lifter hip shapewear tummy control teddy corset teddy babydoll lingerie workout Sets for women,Joggers for women,leggings for women,waist Trainer for women,workout leggings for Women Halloween Thanksgiving Day Black friday Cyber monday lingerie for women sexy lingerie plus size lingerie sexy lingerie sex lingerie sex play women's lingerie sleep & lounge lingerie set crotchless lingerie women lingerie crotchless teddy lingerie babydoll dress women babydoll lingerie women underwear lace bodyduit lingerie set halter chemise lace cups adjustable spaghetti straps a lace underbust band the bodysuit shape design brings you completely female hormones", "pricing": "$11.99$14.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41sa8I-Rp6L.jpg", "https://m.media-amazon.com/images/I/51jLNJ0A3vL.jpg", "https://m.media-amazon.com/images/I/41FISsSBEuL.jpg", "https://m.media-amazon.com/images/I/41i4XabgwFL.jpg", "https://m.media-amazon.com/images/I/41L4ZSMYjYL.jpg", "https://m.media-amazon.com/images/I/411vHmOsY8L.jpg", "https://m.media-amazon.com/images/I/41jAQXb8PDL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Lingerie, Sleep & Lounge \u203a Sleep & Lounge \u203a Sets", "average_rating": "", "small_description": ["sexy lingerie for women for sex naughty play ", "\u2764\u3010Welcome to the Cgeolhni store\u3011Dear Queen, We are a professional sexy lingerie store.More size information please refer to the size chart in the image, We suggest buy one size larger. Have a nice day. ", "Made in The USA, When you touching it on your lover's body, you will feel very sensitive Sexy Lingerie Adjustable Style,Delicate Transparent Fun Pajamas for a flirtatious manner Honeymoon Lingerie Romantic. The Appearance feels So Sexy Added to the Romantic ", "sexy lingerie for women closure ", "Hand wash is recommended ", "Stockings bodysuit open belt robe big tall fleece shirt strapless nursing fit training adjustable straps breathable underwire support small armour petite sleep post breast wireless underbust torso underdress tutu slimmer cage hoop skirt camisole play crotch bags laundry bag extra crystal drawstring clearance cup valentines cupless slutty control thongs underware cut urban websites exquisite bridal nightgown pants velvet sleepwear ", "Lingerie For Women Plus Size Red Sex Lace Dress Sexy Set Teddy Snap Crotch White With Garter Nightwear Open Bodysuit Black PuUp Clearance Sets Crotchless Satin NightgownV Neck Babydoll Set Halter Chemise Spaghetti Strap Sleepwear Wonderful Gift Yourself Or Friends As Sleepwear Nightwear Pajamas Baby Doll Bra Corset Womens Thong Underwear Mens Ladies Lingere Body Stocking Panties G String Hot Men Bustier Store Clothes Teddies Pink Valentines , Sexy Lingerie Women Plus Size Crotchless Stockings Plus Size Plus Set Nightwear Underwear Sleepwear Fishnet Baby Dolls Lace Dress String Lace Bodydoll Tops Nighties Nightgown Tops Blouses Lingerie Set Womens Lingerie Sexy Sex Exotic Womens Lingerie Sexy Crotchless Corset Blue Sexy Crotchless Corset Blue Exotic Red Corset Blue Nurse, plus size crotchless womens pajama bottoms naughty lingerie for women toddler pajamas girls lingerie plus size women womens pajama sets summer school girl outfit lingerie women pajama sets lingerie plus size women naughty kinky womens pajama tops lace lingerie for women cooling pajamas for women lingerie plus size naughty womens pajama sets dominatrixs lingerie for women womens pajamas set lingerie plus size set womens pajama dress teddy lingerie for women halloween pajamas, bodysuit lingerie for women for sex bodysuit lingerie for women plus size bodysuit lingerie for women crotchless womens bodysuit womens bodysuit lingerie two piece lingerie set for women two piece lingerie plus size Two Piece Lingerie for women two piece lingerie for women two piece lingerie for women sexy sleepwear for women sleepwear for women pajama set sleepwear for women shorts sleepwear for women sexy set sleepwear for women sexy lingerie"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null, "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09S5R7SSY"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09S632DT3"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09S5R7SSX"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09S5L5XVM"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09S632DT3", "category": "fashion", "query": "Women's Lingerie, Sleep & Lounge", "page": 25, "small_description_old": "sexy lingerie for women for sex naughty play \u2764\u3010Welcome to the Cgeolhni store\u3011Dear Queen, We are a professional sexy lingerie store.More size information please refer to the size chart in the image, We suggest buy one size larger. Have a nice day. Made in The USA, When you touching it on your lover's body, you will feel very sensitive Sexy Lingerie Adjustable Style,Delicate Transparent Fun Pajamas for a flirtatious manner Honeymoon Lingerie Romantic. The Appearance feels So Sexy Added to the Romantic sexy lingerie for women closure Hand wash is recommended Stockings bodysuit open belt robe big tall fleece shirt strapless nursing fit training adjustable straps breathable underwire support small armour petite sleep post breast wireless underbust torso underdress tutu slimmer cage hoop skirt camisole play crotch bags laundry bag extra crystal drawstring clearance cup valentines cupless slutty control thongs underware cut urban websites exquisite bridal nightgown pants velvet sleepwear Lingerie For Women Plus Size Red Sex Lace Dress Sexy Set Teddy Snap Crotch White With Garter Nightwear Open Bodysuit Black PuUp Clearance Sets Crotchless Satin NightgownV Neck Babydoll Set Halter Chemise Spaghetti Strap Sleepwear Wonderful Gift Yourself Or Friends As Sleepwear Nightwear Pajamas Baby Doll Bra Corset Womens Thong Underwear Mens Ladies Lingere Body Stocking Panties G String Hot Men Bustier Store Clothes Teddies Pink Valentines \n Sexy Lingerie Women Plus Size Crotchless Stockings Plus Size Plus Set Nightwear Underwear Sleepwear Fishnet Baby Dolls Lace Dress String Lace Bodydoll Tops Nighties Nightgown Tops Blouses Lingerie Set Womens Lingerie Sexy Sex Exotic Womens Lingerie Sexy Crotchless Corset Blue Sexy Crotchless Corset Blue Exotic Red Corset Blue Nurseplus size crotchless womens pajama bottoms naughty lingerie for women toddler pajamas girls lingerie plus size women womens pajama sets summer school girl outfit lingerie women pajama sets lingerie plus size women naughty kinky womens pajama tops lace lingerie for women cooling pajamas for women lingerie plus size naughty womens pajama sets dominatrixs lingerie for women womens pajamas set lingerie plus size set womens pajama dress teddy lingerie for women halloween pajamasbodysuit lingerie for women for sex bodysuit lingerie for women plus size bodysuit lingerie for women crotchless womens bodysuit womens bodysuit lingerie two piece lingerie set for women two piece lingerie plus size Two Piece Lingerie for women two piece lingerie for women two piece lingerie for women sexy sleepwear for women sleepwear for women pajama set sleepwear for women shorts sleepwear for women sexy set sleepwear for women sexy lingerieShow more"}, {"name": "Gatco Beveled Easy Mount Mirror, 24\" H x 19.5\" W, Silver", "product_information": {"Manufacturer": "\u200eGatco", "Part Number": "\u200e1803", "Item Weight": "\u200e10 pounds", "Product Dimensions": "\u200e0.2 x 19.5 x 24 inches", "Country of Origin": "\u200eChina", "Item model number": "\u200e1803", "Is Discontinued By Manufacturer": "\u200eNo", "Size": "\u200e24\" H x 19.5\" W", "Color": "\u200eSilver", "Style": "\u200eRectangle", "Finish": "\u200eFrameless", "Material": "\u200eGlass", "Shape": "\u200eRectangular", "Item Package Quantity": "\u200e1", "Number Of Pieces": "\u200e1", "Mounting Type": "\u200eWall Mount", "Included Components": "\u200eMirror, mounting bracket, bubble level, screws", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "Warranty Description": "\u200eLimited lifetime.", "ASIN": "B07234S5G1", "Customer Reviews": {"ratings_count": 178, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#109,015 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #515 in Personal Makeup Mirrors"], "Date First Available": "May 17, 2017"}, "brand": "Visit the Gatco Store", "brand_url": "https://www.amazon.com/stores/Gatco/page/4DA53625-0572-48C4-B985-1FFC605AC1AC?ref_=ast_bln", "full_description": "Move toward a designer interior by incorporating Gatco\u2019s flush mount mirror into your next remodel. Composed of the finest handcrafted float glass, this mirror makes no compromises when it comes to contemporary aesthetic. Features an elegant beveled edge and smooth rounded border. Complements any room, no matter how large or small. An excellent addition to your bathroom, shower room, bedroom, living room, guest room, entryway, hallway, or wherever a mirror may be convenient. Use this mirror for makeup, shaving, and going about your morning routine. Available in a variety of sizes with both oval and rectangle variations.. Since 1977, Gatco has been a leader in designing and manufacturing premium luxury bathware. Backed by our lifetime warranty, you can trust our products to always exceed your expectations and live up to their name. We proudly stand by our TRUE DESIGN and COMMITMENT TO EXCELLENCE.", "pricing": "$74.85", "list_price": "", "availability_quantity": 3, "availability_status": "In Stock. Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41oZ9uA04nL.jpg", "https://m.media-amazon.com/images/I/51MBCuGnfzL.jpg", "https://m.media-amazon.com/images/I/41YdEO3YW6L.jpg", "https://m.media-amazon.com/images/I/2172qPnjlnL.jpg", "https://m.media-amazon.com/images/I/41G4dD28h1L.jpg", "https://m.media-amazon.com/images/I/4131QuZNU5L.jpg", "https://m.media-amazon.com/images/I/71sACL3EIuL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Mirrors \u203a Makeup Mirrors", "average_rating": 4.6, "small_description": ["Enjoy a harmonious reflection with Gatco\u2019s minimalist flush mount mirror. ", "An elegant approach to modern design, incorporating a smooth beveled edge and frameless construction. ", "Artisan Quality: Handcrafted and polished for timeless beauty and lasting sheen. ", "Features rounded diamond cut float glass ensuring longevity, durability, and dependability. ", "Includes the patented Hang-It Heavy Duty wall mounting system with built in level, for effortless installation in less than 10 minutes. ", "Easily mount this product in portrait or landscape on a variety of surfaces including tile, wood, and drywall. ", "Available in multiple size variations and shapes, including oval and rectangular. "], "total_reviews": 178, "total_answered_questions": "", "model": "\u200e1803", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B07234S5G1", "category": "beauty", "query": "Mirrors", "page": 4, "small_description_old": "About this item\n \nEnjoy a harmonious reflection with Gatco\u2019s minimalist flush mount mirror. An elegant approach to modern design, incorporating a smooth beveled edge and frameless construction. Artisan Quality: Handcrafted and polished for timeless beauty and lasting sheen. Features rounded diamond cut float glass ensuring longevity, durability, and dependability. Includes the patented Hang-It Heavy Duty wall mounting system with built in level, for effortless installation in less than 10 minutes. Easily mount this product in portrait or landscape on a variety of surfaces including tile, wood, and drywall. Available in multiple size variations and shapes, including oval and rectangular. \n \u203a See more product details"}, {"name": "Epson Home Cinema 2250 3LCD Full HD 1080p Projector with Android TV, Streaming Projector, Home Theater Projector, 10W Speaker, Image Enhancement, Frame Interpolation, 70,000:1 contrast ratio, HDMI", "product_information": {"Product Dimensions": "14 x 16 x 7 inches", "Item Weight": "10.98 pounds", "ASIN": "B08GL4GB2M", "Item model number": "Donter", "Customer Reviews": {"ratings_count": 363, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#382 in Video Projectors"], "Date First Available": "October 26, 2020", "Manufacturer": "Epson"}, "brand": "Visit the Epson Store", "brand_url": "https://www.amazon.com/stores/Epson/page/938A6E01-68B6-4115-8369-91F0063B474B?ref_=ast_bln", "full_description": "Enjoy accurate color and smart TV functionality with the Epson Home Cinema 2250 2700-Lumen Full HD 3LCD Smart Projector. It has the Android TV operating system onboard with the Google Assistant, enabling a host of functions for streaming and casting your favorite content. The Google Assistant allows voice control of the projector and any compatible device on the same Wi-Fi network.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31-CoSgAvlL.jpg", "https://m.media-amazon.com/images/I/41+aAafrVkL.jpg", "https://m.media-amazon.com/images/I/41MQNM8d4yL.jpg", "https://m.media-amazon.com/images/I/51L-ApXkz1L.jpg", "https://m.media-amazon.com/images/I/51tOVnXM1fL.jpg", "https://m.media-amazon.com/images/I/418I+IRb0lL.jpg", "https://m.media-amazon.com/images/I/41LaNUTeTvL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Video Projectors", "average_rating": 4.6, "small_description": ["Stunning picture quality \u2014 delivers an immersive viewing experience for TV shows, sporting events, gaming and movies for an amazing Full HD picture ", "Smooth, crisp images \u2014 with Image Enhancement and Frame Interpolation ", "Built-in Android TV (2) \u2014 latest Android TV interface with a simple-to-use remote \u2013 including voice search with built-in Google Assistant. Watch all your favorite streaming channels including Hulu, HBO, YouTube and more (3) without an external streaming media player ", "Best-in-Class Color Brightness (1) \u2014 advanced 3LCD technology displays 100% of the RGB color signal for every frame. This allows for outstanding color accuracy while maintaining excellent color brightness, without any distracting \u201crainbowing\u201d or \u201ccolor brightness\u201d issues seen with other projection technologies ", "Ultra bright picture \u2014 2,700 lumens of color and white brightness (4) ", "Easy setup \u2014 built-in 10 W speaker and easy setup for HD entertainment right out of the box ", "Built-in vertical lens shift \u2014 change the position of the image without moving the projector up or down , Amazing dynamic contrast ratio \u2014 up to 70,000:1 for rich detail in dark scenes, Versatile connectivity \u2014 features an HDMI port, so you can connect your cable/satellite box, Blu-ray Disc player, gaming console or streaming device, Award-winning service and support \u2014 standard 2-year limited warranty, full-unit replacement, along with free technical phone support for the life of the product"], "total_reviews": 363, "total_answered_questions": 65, "model": "Donter", "customization_options": {"Style": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08GL2MCZV/ref=twister_B09J8ZZ2VX?_encoding=UTF8&psc=1", "value": "Home Cinema 2200 - New", "price_string": "$899.99", "price": 899.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H2B2D5N/ref=twister_B09J8ZZ2VX?_encoding=UTF8&psc=1", "value": "Home Cinema 2200 - Renewed", "price_string": "$799.99", "price": 799.99, "image": null}, {"is_selected": true, "url": null, "value": "Home Cinema 2250 - New", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0991CPQZY/ref=twister_B09J8ZZ2VX?_encoding=UTF8&psc=1", "value": "Home Cinema 2250 - Renewed", "price_string": "$749.99", "price": 749.99, "image": null}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08GL4GB2M", "category": "electronics", "query": "Projectors", "page": 12, "small_description_old": "About this item\n \nStunning picture quality \u2014 delivers an immersive viewing experience for TV shows, sporting events, gaming and movies by accepting content up to 4K \u2013 for an amazing Full HD picture Smooth, crisp images \u2014 with Image Enhancement and Frame Interpolation Built-in Android TV (2) \u2014 latest Android TV interface with a simple-to-use remote \u2013 including voice search with built-in Google Assistant. Watch all your favorite streaming channels including Hulu, HBO, YouTube and more (3) without an external streaming media player Best-in-Class Color Brightness (1) \u2014 advanced 3LCD technology displays 100% of the RGB color signal for every frame. This allows for outstanding color accuracy while maintaining excellent color brightness, without any distracting \u201crainbowing\u201d or \u201ccolor brightness\u201d issues seen with other projection technologies Ultra bright picture \u2014 2,700 lumens of color and white brightness (4) Easy setup \u2014 built-in 10 W speaker and easy setup for HD entertainment right out of the box Built-in vertical lens shift \u2014 change the position of the image without moving the projector up or down \n Amazing dynamic contrast ratio \u2014 up to 70,000:1 for rich detail in dark scenesVersatile connectivity \u2014 features an HDMI port, so you can connect your cable/satellite box, Blu-ray Disc player, gaming console or streaming deviceAward-winning service and support \u2014 standard 2-year limited warranty, full-unit replacement, along with free technical phone support for the life of the productShow more"}, {"name": "CandyMan Lace Pajama and Lounge Pants for Men", "product_information": {"Item Weight\n \u200f": "\u200e\n 1.52 Pounds", "Item model number\n \u200f": "\u200e\n CandyMan_99234_Black_S", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n January 17, 2017", "Manufacturer\n \u200f": "\u200e\n CandyMan", "ASIN\n \u200f": "\u200e\n B01MUBQS18", "Best Sellers Rank": "#4,478,686 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#3,768 in Men's Exotic Apparel #1,813,298 in Men's Fashion", "#3,768 in Men's Exotic Apparel": "", "#1,813,298 in Men's Fashion": ""}, "brand": "Brand: CandyMan", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=CandyMan", "full_description": "With the CandyMan Fashion Pajama Pants you will look both chic and comfortable in these lace lounge pants! Allover lace pants feature an elastic logo waistband. Long length and low rise will give you a sexy and romantic look every time you put on these babies. Hand made in Colombia - South America with USA and Colombian fabrics. Please refer to size chart to ensure you choose the correct size. Smooth microfiber provides support and comfort exactly where needed. Lace fabric, see through. Wide comfortable legs.", "pricing": "$31.00$69.00", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31xaEX8jA0L.jpg", "https://m.media-amazon.com/images/I/41YbglZkNmL.jpg", "https://m.media-amazon.com/images/I/31ZwPajJH9L.jpg", "https://m.media-amazon.com/images/I/41vPxWjhZIL.jpg", "https://m.media-amazon.com/images/I/51kXzhColXL.jpg", "https://m.media-amazon.com/images/I/31jrfIxyfNL.jpg", "https://m.media-amazon.com/images/I/31h+SOV2UNL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Exotic Apparel \u203a Men", "average_rating": "", "small_description": ["Imported ", "Hand made in Colombia - South America with USA and Colombian fabrics. Please refer to size chart to ensure you choose the correct size. ", "Allover lace pants feature an elastic logo waistband. ", "Long length and low rise will give you a sexy and romantic look every time you put on these babies. ", "Smooth microfiber provides support and comfort exactly where needed. ", "Lace fabric, see through. Wide comfortable legs. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": false, "value": "Small", "asin": "B01MUBQS18"}, {"is_selected": false, "is_available": true, "value": "Small-Medium", "asin": "B09QW2HQRK"}, {"is_selected": false, "is_available": false, "value": "Medium", "asin": "B01MUBQTRY"}, {"is_selected": false, "is_available": false, "value": "Large", "asin": "B01N4P2V9F"}, {"is_selected": false, "is_available": true, "value": "Large-X-Large", "asin": "B09QV7SMVH"}, {"is_selected": false, "is_available": false, "value": "X-Large", "asin": "B01MTA3O72"}, {"is_selected": false, "is_available": true, "value": "1-2XL", "asin": "B09QW4MFSN"}, {"is_selected": false, "is_available": true, "value": "2-3XL", "asin": "B09QW2C8X1"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B01MUBQS18/ref=twister_B01N5QDRPO", "value": "Black_style_99234", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/416gtnrUg9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08H5VCFF5/ref=twister_B01N5QDRPO", "value": "Black_style_99497", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51ZmFNKx4eL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08H5TGSMV/ref=twister_B01N5QDRPO", "value": "Black_style_99496", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31yL0vr0SPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01N7T893S/ref=twister_B01N5QDRPO", "value": "Red_style_99234", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51OogRCBpML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QVSFTZY/ref=twister_B01N5QDRPO", "value": "Black_style_99601", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51M88+9UtHL.jpg"}, {"is_selected": true, "url": null, "value": "Navy_style_99602", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31xaEX8jA0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B088CSBCGL/ref=twister_B01N5QDRPO", "value": "Black_style_99445", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41nUt7SjBRL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QW3DWNV/ref=twister_B01N5QDRPO", "value": "Navy_style_99603", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31onosO6DhL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QVVTT91/ref=twister_B01N5QDRPO", "value": "Navy_style_99609", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41esZkk+klL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08H5V2BHR/ref=twister_B01N5QDRPO", "value": "Black_style_99464", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51sdMlAOvpL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08H5Y3QL2/ref=twister_B01N5QDRPO", "value": "Black_style_99496x", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31DDVy-iptL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QW2NCCM/ref=twister_B01N5QDRPO", "value": "Navy_style_99603x", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31zSlJmuaJL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QW2HQRK", "category": "fashion", "query": "Men's Shorts", "page": 154, "small_description_old": "Imported Hand made in Colombia - South America with USA and Colombian fabrics. Please refer to size chart to ensure you choose the correct size. Allover lace pants feature an elastic logo waistband. Long length and low rise will give you a sexy and romantic look every time you put on these babies. Smooth microfiber provides support and comfort exactly where needed. Lace fabric, see through. Wide comfortable legs."}, {"name": "Propper Men's Pack 3 t-Shirt", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 9.5 x 2 x 10 inches; 12.31 Ounces", "Item model number\n \u200f": "\u200e\n F53060U248XS", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n December 2, 2020", "Manufacturer\n \u200f": "\u200e\n Propper", "ASIN\n \u200f": "\u200e\n B08PG3J3DZ", "Best Sellers Rank": "#194,282 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#304 in Men's Undershirts", "#304 in Men's Undershirts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Propper Store", "brand_url": "https://www.amazon.com/stores/PROPPER/page/1FAD8756-D310-4EC7-8D46-50106A5A7A7B?ref_=ast_bln", "full_description": "It all starts with the basics. The Propper pack 3 t-shirt - crew neck made of 60% ring-spun cotton/40% polyester combed jersey fabric always holds its shape, giving you a professional look with all of the comfort you'd expect from combed jersey fabric. It's packed in threes, so you'll always have one on hand, right when you need it.", "pricing": "$13.37$47.74", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41s518zaRCL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Underwear \u203a Undershirts", "average_rating": 4.6, "small_description": ["60% Cotton, 40% Polyester ", "Imported ", "Button closure ", "Hand Wash Only ", "Product Type: SHIRT ", "Package quantity: 1 ", "No batteries required ", "Package weight: 1.0 lb "], "total_reviews": 261, "total_answered_questions": 3, "customization_options": {"Size": [{"is_selected": false, "is_available": false, "value": "X-Small", "asin": "B08PG3J3DZ"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B00ED8OI5I"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B00ED8OHJA"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B00ED8OH2C"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B00ED8OIPI"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B00ED8OGK0"}, {"is_selected": false, "is_available": false, "value": "3X-Large", "asin": "B00HMN6KWU"}, {"is_selected": false, "is_available": true, "value": "4X-Large", "asin": "B00HMN6NKE"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08PG3J3DZ/ref=twister_B078GWWWVJ", "value": "Desert Sand", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31EVkrPIUSL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08PG3M2CY/ref=twister_B078GWWWVJ", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31oy+fWQgML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08PG4L7GY/ref=twister_B078GWWWVJ", "value": "Lapd Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41sfyUkmatL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08PG4FPVM/ref=twister_B078GWWWVJ", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/311EI24A5KL.jpg"}, {"is_selected": true, "url": null, "value": "Olive Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41s518zaRCL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08PG29BDP/ref=twister_B078GWWWVJ", "value": "Tan", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/311N1eSp97L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08PG4YNTK/ref=twister_B078GWWWVJ", "value": "Olive", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Ypiu1ocnL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B00ED8OH2C", "category": "fashion", "query": "Men's T-Shirts & Tanks", "page": 28, "small_description_old": "Package quantity: 1 No batteries required Package weight: 1.0 lb"}, {"name": "Spy Camera Wireless Hidden JLRKENG Full HD 4K USB Nanny Cam-Suitable for Home and Office Security Cameras-with Motion Detection-Support Android/iOS", "product_information": {"Product Dimensions": "6.26 x 3.11 x 0.39 inches", "Item Weight": "0.64 ounces", "ASIN": "B08D8726MN", "Customer Reviews": {"ratings_count": 151, "stars": "3.0 out of 5 stars"}, "Best Sellers Rank": ["#6,055 in Camera & Photo Products (See Top 100 in Camera & Photo Products) #1,266 in Hidden Cameras"], "Date First Available": "May 11, 2020", "Manufacturer": "JLRKENG"}, "brand": "Brand: JLRKENG", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=JLRKENG", "full_description": "Warning: \u2705 Compatible only with 2.4GHz Wifi \u2705 This camera does not have a night vision function, so if you use it at night, please provide it with a little lighting. product detailed information: \u2714\ufe0f 2 in 1 spy USB camera \u2714\ufe0f Capture super clear 4K videos and pictures \u2714\ufe0f Compatible with IOS and Android \u2714\ufe0f100 \u00b0 wide angle shooting \u2714\ufe0fWIFI remote live broadcast \u2714\ufe0f Sensory motion sensor \u2714\ufe0f 24/7 customer support \u2714\ufe0f There are multiple cameras in one app and multiple users in one camera \u2714\ufe0f Camera app no monthly fee \u2714\ufe0f iOS and Android \u2714\ufe0f Maximum 128GB Micro SD card loop recording (not included in the package) Get this camera to protect yourself and your family! Add to cart!", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/41qVpt2SdxL.jpg", "https://m.media-amazon.com/images/I/41FIUhaJxyL.jpg", "https://m.media-amazon.com/images/I/51PnTawTMQL.jpg", "https://m.media-amazon.com/images/I/51yCzPN+iHL.jpg", "https://m.media-amazon.com/images/I/51iyiaNygVL.jpg", "https://m.media-amazon.com/images/I/41tWLZ1wbyL.jpg", "https://m.media-amazon.com/images/I/41zoCBe+-0L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Video Surveillance \u203a Surveillance Cameras \u203a Hidden Cameras", "average_rating": 3, "small_description": ["\u2714\ufe0f[5-layer USB charging port] The camera looks like a standard USB hub charger. You can connect multiple charging ports to charge the device at the same time. In addition, the camera will not attract anyone's attention during the recording process. ", "\u2714\ufe0f[WIFI remote real-time streaming] -After the new upgrade, this USB spy camera is easier to configure. You only need to connect the camera's own WIFI- to the APP to configure the camera as an indoor 2.4G wifi network. Turn on live streaming. The unique HD lens is ready to capture video at any time to catch the thief! ", "\u2714\ufe0f[Motion sensor 2.0]: USB hidden camera is equipped with advanced high-tech motion sensor. Once motion is detected, the camera will automatically take three photos and send them to your phone (you can also set up email push). ", "\u2714\ufe0fThe spy hidden camera configuration is newly upgraded with a full HD 4K pixel back-illuminated sensor. The shape of the realistic charging base design, no one will notice that a camera similar to a USB charger is watching everything. ", "\u2714\ufe0f[After-sales guarantee and emergency response] -After getting the camera, you will enjoy a worry-free return service within one year, and enjoy a dedicated customer service emergency for 10 hours online to solve the problem. We support solving any of your problems via email, phone, whatAPP, etc. "], "total_reviews": 151, "total_answered_questions": 27, "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08D8726MN", "category": "electronics", "query": "Video Surveillance", "page": 324, "small_description_old": "About this item\n \n\u2714\ufe0f[5-layer USB charging port] The camera looks like a standard USB hub charger. You can connect multiple charging ports to charge the device at the same time. In addition, the camera will not attract anyone's attention during the recording process. \u2714\ufe0f[WIFI remote real-time streaming] -After the new upgrade, this USB spy camera is easier to configure. You only need to connect the camera's own WIFI- to the APP to configure the camera as an indoor 2.4G wifi network. Turn on live streaming. The unique HD lens is ready to capture video at any time to catch the thief! \u2714\ufe0f[Motion sensor 2.0]: USB hidden camera is equipped with advanced high-tech motion sensor. Once motion is detected, the camera will automatically take three photos and send them to your phone (you can also set up email push). \u2714\ufe0fThe spy hidden camera configuration is newly upgraded with a full HD 4K pixel back-illuminated sensor. The shape of the realistic charging base design, no one will notice that a camera similar to a USB charger is watching everything. \u2714\ufe0f[After-sales guarantee and emergency response] -After getting the camera, you will enjoy a worry-free return service within one year, and enjoy a dedicated customer service emergency for 10 hours online to solve the problem. We support solving any of your problems via email, phone, whatAPP, etc."}, {"name": "Bestar Pur Collection, Queen Murphy Bed kit (101\u201c)", "product_information": {"Item Weight": "\u200e623 pounds", "Product Dimensions": "\u200e20.3 x 100.3 x 89.1 inches", "ASIN": "B018A8MPJ2", "Customer Reviews": {"ratings_count": 12, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#1,161,121 in Home & Kitchen (See Top 100 in Home & Kitchen) #2,212 in Beds"], "Date First Available": "November 21, 2015"}, "brand": "Visit the Bestar Store", "brand_url": "https://www.amazon.com/stores/Bestar/page/C148808F-ADF2-4EAA-B2A2-82043E7F002D?ref_=ast_bln", "full_description": "", "pricing": "$2,418.74", "list_price": "", "availability_status": "Usually ships within 1 to 3 weeks.", "images": ["https://m.media-amazon.com/images/I/415y3f+6RZL.jpg", "https://m.media-amazon.com/images/I/41WEfDiej5L.jpg", "https://m.media-amazon.com/images/I/51xSRT8AjWL.jpg", "https://m.media-amazon.com/images/I/41ryZuKgfeL.jpg", "https://m.media-amazon.com/images/I/41e4+9qekBL.jpg", "https://m.media-amazon.com/images/I/31NUDxJKMML.jpg", "https://m.media-amazon.com/images/I/41iEdQtE4GL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Beds, Frames & Bases \u203a Beds", "average_rating": 4, "small_description": ["NOTE: For installation and to avoid risk of injury, use only a professional or qualified person with knowledge of the wall structure, studs, and components. Bed may be attached to wood studs, metal studs, or masonry wall structures; masonry requires use of concrete screws (not provided). ", "The collection brings multi functionality to a single room. ", "The kit comprises a queen size wall bed and a 36“ storage unit with 3-Drawer set. ", "The mechanism provides simplified assembly of the Wall Bed. ", "Increased comfort due to Euroslat mattress support system. "], "total_reviews": 12, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B01MRY4BT3/ref=twister_B07K6XQGQQ?_encoding=UTF8&psc=1", "value": "Bark Grey", "price_string": "$2,356.08", "price": 2356.08, "image": "https://m.media-amazon.com/images/I/419FKZ7m7sL.jpg"}, {"is_selected": true, "url": null, "value": "Chocolate", "price_string": "$2,418.74", "price": 2418.74, "image": "https://m.media-amazon.com/images/I/415y3f+6RZL.jpg"}]}, "seller_id": "A2G88111572J8M", "seller_name": "BisonOffice", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B018A8MPJ2", "category": "garden", "query": "Beds", "page": 62, "small_description_old": "About this item NOTE: For installation and to avoid risk of injury, use only a professional or qualified person with knowledge of the wall structure, studs, and components. Bed may be attached to wood studs, metal studs, or masonry wall structures; masonry requires use of concrete screws (not provided). The collection brings multi functionality to a single room. The kit comprises a queen size wall bed and a 36“ storage unit with 3-Drawer set. The mechanism provides simplified assembly of the Wall Bed. Increased comfort due to Euroslat mattress support system. \n \u203a See more product details"}, {"name": "MADISON & PARK Office Desk Chair Leather Computer Executive Conference Task Study Chair Adjustable Swivel Chair with Adjustable Arms (CAPPUCCINO)", "product_information": {"Item Weight": "\u200e42 pounds", "Package Dimensions": "\u200e30.25 x 25.25 x 16 inches", "Item model number": "\u200eOF-HAI-CUCHR-11803-CPO", "Is Discontinued By Manufacturer": "\u200eNo", "ASIN": "B01N4QB5WP", "Customer Reviews": {"ratings_count": 3, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#315,849 in Office Products (See Top 100 in Office Products) #827 in Managerial Chairs & Executive Chairs"], "Date First Available": "January 20, 2017"}, "brand": "Visit the Madison Park Store", "brand_url": "https://www.amazon.com/stores/MAYAKOBA/page/13DCD856-ED2D-400C-91C2-F0B741673631?ref_=ast_bln", "full_description": "Built completely for comfort, the AVION Office Chair offers great back and leg support and easily reclines according to your comfort. The extra padding and sleek vinyl leather provides cozy seating while offering a fresh style for any type of office or conference room setting. The buttery-smooth, vinyl-leather combined with the chrome 5-star base and armrest supports, make for one very eye-popping piece! Nip-and-tuck designing on the seat and back in addition to double rows of contrasting, decorative stitchery creates an office chair that could be considered a work of art, in its own right! If an exclusive, upscale impression is the look you want to achieve for your office, reception, home office, conference room or any official setting, the AVION Office chair is the perfect fit.Colors Available: Cappuccino, Black, Burgundy", "pricing": "$249.00", "list_price": "", "availability_status": "In stock. Usually ships within 3 to 4 days.", "images": ["https://m.media-amazon.com/images/I/412aYZY4hCL.jpg", "https://m.media-amazon.com/images/I/41FUsLBlI8L.jpg", "https://m.media-amazon.com/images/I/41zi8ajlnnL.jpg", "https://m.media-amazon.com/images/I/31rFpjghxHL.jpg", "https://m.media-amazon.com/images/I/319KGNOKrfL.jpg", "https://m.media-amazon.com/images/I/41oXxzzeaGL.jpg", "https://m.media-amazon.com/images/I/31bEPMCg14L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Office Products \u203a Office Furniture & Lighting \u203a Chairs & Sofas \u203a Managerial & Executive Chairs", "average_rating": 5, "small_description": ["Soft Comfort and Stylish Color ", "Arm-to-arm (outside): 28\" x Arm-to-arm (inside): 20\" ", "Back Height: 28\" ", "Seat Width: 19.5\" Seat Depth: 20.5\" Adjust Height: 3\" ", "Chair Height (from ground to the back top): 46\" ~ 49\" 5-star-base width: 28\" "], "total_reviews": 3, "total_answered_questions": "", "model": "\u200eOF-HAI-CUCHR-11803-CPO", "customization_options": "", "seller_id": "A2LFYZPCDM2C5A", "seller_name": "Madison & Park", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01N4QB5WP", "category": "garden", "query": "Home Office Chairs", "page": 118, "small_description_old": "About this item Soft Comfort and Stylish Color Arm-to-arm (outside): 28\" x Arm-to-arm (inside): 20\" Back Height: 28\" Seat Width: 19.5\" Seat Depth: 20.5\" Adjust Height: 3\" Chair Height (from ground to the back top): 46\" ~ 49\" 5-star-base width: 28\" \n \u203a See more product details"}, {"name": "Dell Dual VESA Mount Stand with adaptor box for Micro Chassis - Customer Install - stand for monitor / mini PC - mounting interface: VESA", "product_information": {"Product Dimensions": "2 x 4 x 8 inches", "Item Weight": "1.55 pounds", "ASIN": "B07PXMFDQ3", "Item model number": "8541751172", "Customer Reviews": {"ratings_count": 4, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#1,511 in TV Mounts #2,693 in Electronics Mounts"], "Date First Available": "March 21, 2019", "Manufacturer": "Dell Computers"}, "brand": "Visit the Dell Store", "brand_url": "https://www.amazon.com/stores/Dell/page/9B75DD0E-9F42-4B9B-ACAA-F329B23ADE7D?ref_=ast_bln", "full_description": "Manufacturer: Dell Technologies. Brand Name: Dell. Product Name: Mounting Bracket. Product Type: Mounting Bracket. [Product Information] Device Supported: Desktop Computer. Flat Panel Display. [Physical Characteristics] Color: Black. [Miscellaneous] Compatibility: Dell OptiPlex Micro PC: 3020 9020 .", "pricing": "$45.50", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/415MQE5qoxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Television & Video \u203a Television Accessories \u203a TV Mounts, Stands & Turntables \u203a TV Ceiling & Wall Mounts", "average_rating": 4.7, "small_description": ["Device Supported: Desktop Computer ", "Device Supported: Flat Panel Display ", "Color: Black ", "Compatibility: Dell OptiPlex Micro PC: 3020 9020 "], "total_reviews": 4, "total_answered_questions": "", "model": "8541751172", "customization_options": "", "seller_id": "A3LGJ9ZB5RSN9T", "seller_name": "MegaRetailStore", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07PXMFDQ3", "category": "electronics", "query": "Television Accessories", "page": 316, "small_description_old": "Device Supported: Desktop Computer Device Supported: Flat Panel Display Color: Black Compatibility: Dell OptiPlex Micro PC: 3020 9020"}, {"name": "Quorum 5094-6-186 Traditional Transitional Six Light Vanity, Oiled Bronze", "product_information": {"Manufacturer": "\u200eQuorum", "Part Number": "\u200e5094-6-186", "Item Weight": "\u200e1.5 pounds", "Product Dimensions": "\u200e48.93 x 8.31 x 9.03 inches", "Item model number": "\u200e5094-6-186", "Is Discontinued By Manufacturer": "\u200eNo", "Color": "\u200eOiled Bronze", "Style": "\u200eTraditional", "Finish": "\u200eBronze", "Material": "\u200ePlastic", "Shape": "\u200eCircular", "Power Source": "\u200eAC", "Voltage": "\u200e120 Volts", "Wattage": "\u200e100.00", "Item Package Quantity": "\u200e1", "Number Of Pieces": "\u200e1", "Type of Bulb": "\u200eIncandescent", "Measurement System": "\u200eEnglish/Standard", "Mounting Type": "\u200eProtruding", "Plug Format": "\u200eA- US style", "Switch Style": "\u200eToggle", "Special Features": "\u200eDimmable", "Usage": "\u200eGeneral Purpose", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "Warranty Description": "\u200eN/a.", "ASIN": "B00IMMU4G8", "Customer Reviews": {"ratings_count": 128, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#223,199 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #989 in Vanity Lighting Fixtures"], "Date First Available": "February 18, 2014"}, "brand": "Visit the Quorum Store", "brand_url": "https://www.amazon.com/stores/Quorum+International/page/692E8CC7-ED77-4672-A831-1ED91FDEA1A6?ref_=ast_bln", "full_description": "Quorum 5094-6-186 Transitional Six Light Vanity from Vanity collection in Bronze / Dark finish . Six Light Vanity from the Vanity collection. Height: 8.00 inches Width: 48.00 inches. Style: Transitional Light Type: Vanity Finish: Oiled Bronze w/ Faux Alabaster. Safety Rating: Damp and Safety Listing: Damp.", "pricing": "$112.00", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31jqMdW1A8L.jpg", "https://m.media-amazon.com/images/I/416TSxe1rvL.jpg", "https://m.media-amazon.com/images/I/41h44M4fxEL.jpg", "https://m.media-amazon.com/images/I/31uE58mJsiL.jpg", "https://m.media-amazon.com/images/I/319xT-j8daL.jpg", "https://m.media-amazon.com/images/I/410cNgZheeL.jpg", "https://m.media-amazon.com/images/I/41EmfDrt+RL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Wall Lights \u203a Vanity Lights", "average_rating": 4.4, "small_description": ["Six Light Vanity from the Vanity collection ", "Height: 8.00 inches Width: 48.00 inches ", "Style: Transitional Light Type: Vanity ", "Finish: Oiled Bronze w/ Faux Alabaster ", "Safety Rating: Damp and Safety Listing: Damp ", "Finish - oiled bronze with faux Alabaster^Quorum item Number - 5094-6-186^From the Quorum vanity line "], "total_reviews": 128, "total_answered_questions": "", "model": "\u200e5094-6-186", "customization_options": "", "seller_id": "A3FXLCMUZ5EJPB", "seller_name": "Lighting Supply Group", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B00IMMU4G8", "category": "garden", "query": "Vanities", "page": 43, "small_description_old": "About this item\n \nSix Light Vanity from the Vanity collection Height: 8.00 inches Width: 48.00 inches Finish: Oiled Bronze w/ Faux Alabaster Safety Rating: Damp and Safety Listing: Damp Finish - oiled bronze with faux Alabaster^Quorum item Number - 5094-6-186^From the Quorum vanity line \n \u203a See more product details"}, {"name": "MJL Furniture MAX Button Tufted Upholstered Square Blue Ottoman Black", "product_information": {"ASIN": "B073KYWX93", "Best Sellers Rank": ["#7,880,993 in Home & Kitchen (See Top 100 in Home & Kitchen) #10,622 in Ottomans"], "Date First Available": "June 30, 2017"}, "brand": "Brand: MJL Furniture", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=MJL+Furniture", "full_description": "This sleek square ottoman from MJL Furniture will bring a stylish, modern accent to your home that is also a useful piece of furniture. Perfect as a footrest, this upholstered ottoman can also provide some extra seating when needed. This button-tufted ottoman is available with white, turquoise, sea-mist, or black buttons, so you can choose whichever color best matches your preference and decor style.Features:Fabric upholstered square ottomanMade of polyester, wood, and fire-retardant foam fill100-percent polyester upholsterySea-mist blue colorSolid patternBlack underside liningContemporary/ casual styleAssembly required4 screw-on legs with espresso finishButton-tufted designAvailable with white, turquoise, sea-mist, or black buttonsDimensions:Overall: 34 inches long x 34 inches wide x 19 inches highInner: 31.5 inches long. x 31.5 inches wide x 7.25 inches highPlease note: Some options listed or pictured may be currently out of stock. Please see option drop down for all in-stock options.", "pricing": "$268.99", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/319KBtp2hjL.jpg", "https://m.media-amazon.com/images/I/31v4GtG+1uL.jpg", "https://m.media-amazon.com/images/I/31BU-SbeO4L.jpg", "https://m.media-amazon.com/images/I/31YLtFO3WfL.jpg", "https://m.media-amazon.com/images/I/31Efsa8WxJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Accent Furniture \u203a Ottomans", "average_rating": "", "small_description": ["Fabric upholstered square ottoman ", "Made of polyester, wood, and fire-retardant foam fill ", "100-percent polyester upholstery "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "$268.99", "price": 268.99, "image": "https://m.media-amazon.com/images/I/319KBtp2hjL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B073L3ZNK3/ref=twister_B087N9G72W?_encoding=UTF8&psc=1", "value": "Sea Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31Hss5ZZQ+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B073KPT66W/ref=twister_B087N9G72W?_encoding=UTF8&psc=1", "value": "Turquoise", "price_string": "$268.99", "price": 268.99, "image": "https://m.media-amazon.com/images/I/31vqRZVZpnL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B073KWX6DT/ref=twister_B087N9G72W?_encoding=UTF8&psc=1", "value": "White", "price_string": "$268.99", "price": 268.99, "image": "https://m.media-amazon.com/images/I/31OM6uC6EfL.jpg"}]}, "seller_id": "A11OO2OHZG4UKY", "seller_name": "Overstock", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B073KYWX93", "category": "garden", "query": "Ottomans", "page": 91, "small_description_old": "About this item Made of polyester, wood, and fire-retardant foam fill 100-percent polyester upholstery \n \u203a See more product details"}, {"name": "Parsley Organic Seasoning Spice - Perfect As Garnish - Petroselinum Crispum 100g", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 10.47 x 7.09 x 2.13 inches; 3.53 Ounces", "Manufacturer\n \u200f": "\u200e\n Valley of Tea", "ASIN\n \u200f": "\u200e\n B07D21HNGZ", "Country of Origin\n \u200f": "\u200e\n Belgium", "Best Sellers Rank": "#438,952 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#104 in Parsley", "#104 in Parsley": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Valley of Tea Store", "brand_url": "https://www.amazon.com/stores/Valley+of+Tea/page/C2C3F350-2190-48B3-B25A-5FCCC806B6E1?ref_=ast_bln", "full_description": "", "pricing": "$14.96", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/619EualfTRL.jpg", "https://m.media-amazon.com/images/I/31pzHJ6F60L.jpg", "https://m.media-amazon.com/images/I/41cLr9RtESL.jpg", "https://m.media-amazon.com/images/I/51ifMEEMsyL.jpg", "https://m.media-amazon.com/images/I/51qX5BQMoHL.jpg", "https://m.media-amazon.com/images/I/41K+VXvWAaL.jpg", "https://m.media-amazon.com/images/I/51BI-lnmG4L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Herbs, Spices & Seasonings \u203a Single Herbs & Spices \u203a Parsley", "average_rating": 4.3, "small_description": ["A staple seasoning with a bright green color and a mild fresh flavour, this herb is perfect for elevating dishes. ", "This organic whole parsley has been grown and dried using artisan methods to ensure an unmistakeable flavour and colour. ", "Unlike many herbs, parsley doesn't lose nutrients during the drying process. In fact, research shows that drying parsley concentrates the nutrients in the dried herb. ", "With a bright green color and a mild, fresh flavor, parsley is a must-have for any pantry. Use it to flavour soups, vegetables, sauces, dressings, eggs and any potato dishes. ", "This herb has been carefully selected, packaged and transported to deliver the best possible quality and freshness "], "total_reviews": 23, "total_answered_questions": "", "customization_options": "", "seller_id": "A33XBRO0EJBRN3", "seller_name": "ValleyofTea", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07D21HNGZ", "category": "grocery", "query": "Pantry Staples", "page": 211, "small_description_old": "About this item A staple seasoning with a bright green color and a mild fresh flavour, this herb is perfect for elevating dishes. This organic whole parsley has been grown and dried using artisan methods to ensure an unmistakeable flavour and colour. Unlike many herbs, parsley doesn't lose nutrients during the drying process. In fact, research shows that drying parsley concentrates the nutrients in the dried herb. With a bright green color and a mild, fresh flavor, parsley is a must-have for any pantry. Use it to flavour soups, vegetables, sauces, dressings, eggs and any potato dishes. This herb has been carefully selected, packaged and transported to deliver the best possible quality and freshness"}, {"name": "Pure-aid 100% Pure Cotton Balls | Lint Free | Soft and Gentle | Hypoallergenic 100% Pure Cotton Balls | Bargain Finds | Various Uses | 300 count each | 2 Pack (2 Pack (200 Count))", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 9.5 x 8 x 1 inches; 3.99 Ounces", "Manufacturer\n \u200f": "\u200e\n Kareway", "ASIN\n \u200f": "\u200e\n B089T9S33Y", "Best Sellers Rank": "#6,514 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,805 in Skin Care Products", "#1,805 in Skin Care Products": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Pure-Aid Store", "brand_url": "https://www.amazon.com/stores/Pure-Aid/page/0933E1E1-928D-4183-8690-B56A8833A19A?ref_=ast_bln", "full_description": "", "pricing": "$4.49", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41DEKvUvMqL.jpg", "https://m.media-amazon.com/images/I/4132ZmydMXL.jpg", "https://m.media-amazon.com/images/I/41vWeuL2jEL.jpg", "https://m.media-amazon.com/images/I/41Qid05ms3L.jpg", "https://m.media-amazon.com/images/I/51U8HxxZg5L.jpg", "https://m.media-amazon.com/images/I/41y15T6T2lL.jpg", "https://m.media-amazon.com/images/I/414uEM9g+3L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care", "average_rating": 4.2, "small_description": ["GENTLE: Soft & Gentle, made of 100% pure cotton. Perfect to use for applying astringents, removing makeup, applying lotions and creams. ", "HYPOALLERGENIC: Super absorbent cotton balls that are safe to use on a baby's delicate skin ", "LINT FREE: Ideal for cleaning and applying lotion, oil, powders and first aid ointments ", "HOME USE: Multi-purpose for household needs like polishing silver and brass, furniture and shoes, or for crafts and hobbies ", "2 Pack (300 cotton balls in each bag) "], "total_reviews": 104, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08TG6MFPX/ref=twister_B08TDXGFVL?_encoding=UTF8&psc=1", "value": "2 Pack (600 Count)", "price_string": "$5.25", "price": 5.25, "image": null}, {"is_selected": true, "url": null, "value": "300 Count (Pack of 2)", "price_string": "$4.49", "price": 4.49, "image": null}]}, "seller_id": "A1HSAWRD3O0I4V", "seller_name": "Kareway", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B089T9S33Y", "category": "beauty", "query": "Cotton Balls & Swabs", "page": 5, "small_description_old": "About this item GENTLE: Soft & Gentle, made of 100% pure cotton. Perfect to use for applying astringents, removing makeup, applying lotions and creams. HYPOALLERGENIC: Super absorbent cotton balls that are safe to use on a baby's delicate skin LINT FREE: Ideal for cleaning and applying lotion, oil, powders and first aid ointments HOME USE: Multi-purpose for household needs like polishing silver and brass, furniture and shoes, or for crafts and hobbies 2 Pack (300 cotton balls in each bag)"}, {"name": "Gloaiidjonh Novelty Harajuku Women Crew Socks Solid Color Sweet Heart Print Cotton Hosiery", "product_information": {"Department": "Womens", "Manufacturer": "Gloaiidjonh", "ASIN": "B09LVGYL1Z"}, "brand": "Brand: Gloaiidjonh", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Gloaiidjonh", "full_description": "100% brand new and high quality Features: Japanese preppy style, ribbed knitted cuffs, vintage yellow socks, sweet 3D jacquard embossed floral patterns. Made of high quality cotton, soft, elasticity, anti-skidding, breathability and comfortability, good for all year wear. Long enough to cover your ankles. Elastic and enhanced cuffs hold socks comfortably in place; they will not dig into your shins. Suitable for many occasions: casual, daily, home, work, sports, party, school, office, outdoor, indoor, etc. Perfect matching for all your low cut shoes, boat shoes, loafers, sneakers, and so on. Great gift idea. 1 pair of socks only, other accessories demo in the picture are not included! Specification: Material: Cotton Color: Yellow Recommended Foot Size: 36-43 Optional Pattern: 1, 2, 3, 4, 5 Quantity: 1 pair(2pcs) Warm prompt: 1.Asian people size is 1 or 2 sizes smaller than European and American. 2.Please note that low temperature washed,do not bleach and place under the blazing sun for quite a long time. 3.As different measuring methods,it will occur 1-3 cm deviation about the items,please ensure that it is okay for you before ordering. 4.Because of different monitors and lamplight,the picture may not reflect the actual color of the item,really thank you for your kind understanding! Package includes: 1 pair(2pcs) x Socks(without retail package)", "pricing": "$4.93", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41MkZj4jr5L.jpg", "https://m.media-amazon.com/images/I/51dMd-Vp95L.jpg", "https://m.media-amazon.com/images/I/41oZ3MIBCDL.jpg", "https://m.media-amazon.com/images/I/41ZQeuLxr2L.jpg", "https://m.media-amazon.com/images/I/41PBgCoGC2L.jpg", "https://m.media-amazon.com/images/I/51Gkw9nVoXL.jpg", "https://m.media-amazon.com/images/I/419Kq-1uTrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Active \u203a Athletic Socks", "average_rating": "", "small_description": ["Japanese preppy style, ribbed knitted cuffs, vintage yellow socks, sweet 3D jacquard embossed floral patterns. ", "Made of high quality cotton, soft, elasticity, anti-skidding, breathability and comfortability, good for all year wear. ", "Long enough to cover your ankles. Elastic and enhanced cuffs hold socks comfortably in place; they will not dig into your shins. ", "Suitable for many occasions: casual, daily, home, work, sports, party, school, office, outdoor, indoor, etc. ", "Perfect matching for all your low cut shoes, boat shoes, loafers, sneakers, and so on. Great gift idea. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09LVFM7VH/ref=twister_B09LVG4KNC?_encoding=UTF8&psc=1", "value": "1", "price_string": "$4.93", "price": 4.93, "image": "https://m.media-amazon.com/images/I/51D+8JgFUjL.jpg"}, {"is_selected": true, "url": null, "value": "2", "price_string": "$4.93", "price": 4.93, "image": "https://m.media-amazon.com/images/I/41MkZj4jr5L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LVFVVZD/ref=twister_B09LVG4KNC?_encoding=UTF8&psc=1", "value": "3", "price_string": "$4.93", "price": 4.93, "image": "https://m.media-amazon.com/images/I/41NjsRvzyFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LVG52QN/ref=twister_B09LVG4KNC?_encoding=UTF8&psc=1", "value": "4", "price_string": "$4.93", "price": 4.93, "image": "https://m.media-amazon.com/images/I/41XuZpYxAPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LVD4Q33/ref=twister_B09LVG4KNC?_encoding=UTF8&psc=1", "value": "5", "price_string": "$4.93", "price": 4.93, "image": "https://m.media-amazon.com/images/I/41EYki6P-zL.jpg"}]}, "seller_id": "AB8XOSH3SMY7V", "seller_name": "xloaer33frln", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09LVGYL1Z", "category": "fashion", "query": "Women's Socks & Hosiery", "page": 55, "small_description_old": "Japanese preppy style, ribbed knitted cuffs, vintage yellow socks, sweet 3D jacquard embossed floral patterns. Made of high quality cotton, soft, elasticity, anti-skidding, breathability and comfortability, good for all year wear. Long enough to cover your ankles. Elastic and enhanced cuffs hold socks comfortably in place; they will not dig into your shins. Suitable for many occasions: casual, daily, home, work, sports, party, school, office, outdoor, indoor, etc. Perfect matching for all your low cut shoes, boat shoes, loafers, sneakers, and so on. Great gift idea."}, {"name": "JASON 6\" Men's Micro-serrated Mustache and Beard Trimming Scissors, Sharp and Precise Facial, Nose, Eyebrow and Hair Cutting Shears with Safety Flat Tips, Japanese 440C Stainless Steel", "product_information": {"Manufacturer": "\u200eJASON", "Part Number": "\u200eHuzi09-YS-Z.J", "Item Weight": "\u200e1.6 ounces", "Package Dimensions": "\u200e7.5 x 3.5 x 0.9 inches", "Size": "\u200e6 Inches", "Color": "\u200eSilver", "Style": "\u200eJapanese", "Material": "\u200eStainless Steel", "Blade Edge": "\u200eSerrated", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "ASIN": "B0895PSD5P", "Customer Reviews": {"ratings_count": 15, "stars": "4.1 out of 5 stars"}, "Best Sellers Rank": ["#379,330 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #74 in Mustache Scissors"], "Date First Available": "May 26, 2020"}, "brand": "Visit the JASON Store", "brand_url": "https://www.amazon.com/stores/JASONSCISSORS/page/28EF923A-2B5B-4363-AB05-81D549B39C8E?ref_=ast_bln", "full_description": "", "pricing": "$25.99", "list_price": "", "availability_quantity": 8, "availability_status": "Only 8 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31-cX31UvJL.jpg", "https://m.media-amazon.com/images/I/5108hAsRqjL.jpg", "https://m.media-amazon.com/images/I/51qAkGwv5JL.jpg", "https://m.media-amazon.com/images/I/51C-rES+PCL.jpg", "https://m.media-amazon.com/images/I/51bw72Z8P6L.jpg", "https://m.media-amazon.com/images/I/51UXt04jrlL.jpg", "https://m.media-amazon.com/images/I/412mp58u8NL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Shave & Hair Removal \u203a Men's \u203a Beard & Mustache Care \u203a Mustache Scissors", "average_rating": 4.1, "small_description": ["1 Year Worry-free product after sale service for JASON Beard Scissors. Just Contact Us If You Are Not Satisfied and We Will Offer 100% Satisfaction Solution for You.Buy with Confidence. Currently, this product comes with a huge discounted! ", "These beard scissors are made specifically for the beard and mustache. Traditional facial hair trimmer scissors have a hard time cutting coarse hair because the flat blades just push the hair out of the scissors. These blades are micro-serrated, meaning they are designed for coarser hair found in the beard and mustache. These sharp precision blades hold and cut hair with great ease ", "These superbly sharp, ergonomically designed hair/beard/mustache trimming scissors are made of japanese 440C stainless steel with hardness Rating reaching 60\u201362 for ultimate sharpness and durability ", "Superbly comfortable offset handles with slightly bent thumb, correctly balanced with an permanent rest, this mustache scissors helps provide maximum comfort to barber and bearded men. The hair beard trimmer can be used widely from hair cutting to mustache/beard grooming ", "PRECISE CUTTING: The only barber scissors designed as a perfect tool for precise cutting of mustache, beard, nose and facial hair. Take control over your facial hairs and wear the look you want. These scissors are a must have for every beardsman and mustache lover "], "total_reviews": 15, "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "A3OMNCTV98OEBR", "seller_name": "JASON SCISSORS", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B0895PSD5P", "category": "beauty", "query": "Hair Cutting Tools", "page": 77, "small_description_old": "About this item\n \n1 Year Worry-free product after sale service for JASON Beard Scissors. Just Contact Us If You Are Not Satisfied and We Will Offer 100% Satisfaction Solution for You.Buy with Confidence. Currently, this product comes with a huge discounted! These beard scissors are made specifically for the beard and mustache. Traditional facial hair trimmer scissors have a hard time cutting coarse hair because the flat blades just push the hair out of the scissors. These blades are micro-serrated, meaning they are designed for coarser hair found in the beard and mustache. These sharp precision blades hold and cut hair with great ease These superbly sharp, ergonomically designed hair/beard/mustache trimming scissors are made of japanese 440C stainless steel with hardness Rating reaching 60\u201362 for ultimate sharpness and durability Superbly comfortable offset handles with slightly bent thumb, correctly balanced with an permanent rest, this mustache scissors helps provide maximum comfort to barber and bearded men. The hair beard trimmer can be used widely from hair cutting to mustache/beard grooming PRECISE CUTTING: The only barber scissors designed as a perfect tool for precise cutting of mustache, beard, nose and facial hair. Take control over your facial hairs and wear the look you want. These scissors are a must have for every beardsman and mustache lover \n \u203a See more product details"}, {"name": "Foamma 3\" x 24\" x 72\" Mattress for RV with Water Resistant Organic Cotton Cover, Firm High Density Foam, USA Made, CertiPUR-US Certified Foam", "product_information": {"Product Dimensions": "72 x 24 x 3 inches", "Manufacturer": "KRJE Distributions, Inc.", "ASIN": "B09H3N5P74", "Best Sellers Rank": ["#1,617,899 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,280 in Mattresses"], "Date First Available": "September 25, 2021"}, "brand": "Visit the Foamma Store", "brand_url": "https://www.amazon.com/stores/Foamma/page/14145C77-FE5B-44F1-BC9E-2719ECA29E1E?ref_=ast_bln", "full_description": "Our High Density Mattress will ensure a fantastic night\u2019s sleep. We ensure that you can get the specific size you need for any bed. When ordering, make sure you combine the height of your bed frame, foundation, or adjustable bed base with the height of your mattress to know how tall your sleep system will be. Your Foamma High Densty Mattress will last for 7 to 10 years. Your Foamma High Densty Mattress will arrive to you compressed and rolled in a box. Once the package is received open immediately to ensure the foam retains its original size and form. Do not let the package remain unopened for longer than a week, as the foam could lose its shape. When opening use a ball point pen or a pencil, NOT a box cutter. Start with a small incision and break the seal from there. Please contact us before returning an item, as a 50% restocking fee may occur for all returned items. Items that are damaged, missing parts, not in the original condition, or have obvious signs of use for reasons not due to us will result in a 99% restocking fee.", "pricing": "$149.99", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/41Sy7UkfNzL.jpg", "https://m.media-amazon.com/images/I/51l+P3IdibL.jpg", "https://m.media-amazon.com/images/I/51kyd1ZBoUL.jpg", "https://m.media-amazon.com/images/I/41mBotAxbpL.jpg", "https://m.media-amazon.com/images/I/31oaCyNb3DL.jpg", "https://m.media-amazon.com/images/I/512gRAgrVoL.jpg", "https://m.media-amazon.com/images/I/41lWlnYA8GL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Mattresses & Box Springs \u203a Mattresses", "average_rating": "", "small_description": ["Made in America: All our products are proudly made in the USA! ", "Luxuriously Comfortable: Our high density mattresses are made with an 3 inches of high density foam. This foam is firm and will provide you with firm support throughout the night. ", "Easy to Wash: The organic cotton cover is easy to remove and wash! Simply unzip your cover to remove it and wash it in your washing machine. ", "Custom Sizes: Don\u2019t see the size you need? Contact us and we can create a custom mattress to fit your needs! We offer a wide variety of foams and can work with you to get you the exact product you need. ", "CertiPUR-US Certified: Made without ozone depleting substances, mercury, lead, and other heavy metals; made without phthalates regulated by the Consumer Product Safety Commission; low VOC (Volatile Organic Compound) emissions for indoor air quality (less than 0.5 parts per million) "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Style": [{"is_selected": true, "url": null, "value": "3\" Thick", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H3M6X46/ref=twister_B09H3M6XWD?_encoding=UTF8&psc=1", "value": "4\" Thick", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H3MMB44/ref=twister_B09H3M6XWD?_encoding=UTF8&psc=1", "value": "5\" Thick", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H3MS5GG/ref=twister_B09H3M6XWD?_encoding=UTF8&psc=1", "value": "6\" Thick", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H3N4FLR/ref=twister_B09H3M6XWD?_encoding=UTF8&psc=1", "value": "7\" Thick", "price_string": "", "price": 0, "image": null}], "Size": [{"is_selected": true, "url": null, "value": "24\" x 72\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H3M9HGW/ref=twister_B09H3M6XWD?_encoding=UTF8&psc=1", "value": "28\" x 72\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H3MC2DZ/ref=twister_B09H3M6XWD?_encoding=UTF8&psc=1", "value": "28\" x 75\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H3N7FZ9/ref=twister_B09H3M6XWD?_encoding=UTF8&psc=1", "value": "30\" x 72\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H3MPK2L/ref=twister_B09H3M6XWD?_encoding=UTF8&psc=1", "value": "30\" x 75\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H3M8NV5/ref=twister_B09H3M6XWD?_encoding=UTF8&psc=1", "value": "34\" x 75\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H3NCYZ3/ref=twister_B09H3M6XWD?_encoding=UTF8&psc=1", "value": "36\" x 72\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H3LZ4TQ/ref=twister_B09H3M6XWD?_encoding=UTF8&psc=1", "value": "38\" x 75\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H3LKHDV/ref=twister_B09H3M6XWD?_encoding=UTF8&psc=1", "value": "48\" x 75\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H3MGFX7/ref=twister_B09H3M6XWD?_encoding=UTF8&psc=1", "value": "48\" x 80\"", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A2X01DMF6YHZON", "seller_name": "Foamma", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09H3N5P74", "category": "garden", "query": "Mattresses", "page": 229, "small_description_old": "About this item\n \nMade in America: All our products are proudly made in the USA! Luxuriously Comfortable: Our high density mattresses are made with an 3 inches of high density foam. This foam is firm and will provide you with firm support throughout the night. Easy to Wash: The organic cotton cover is easy to remove and wash! Simply unzip your cover to remove it and wash it in your washing machine. Custom Sizes: Don\u2019t see the size you need? Contact us and we can create a custom mattress to fit your needs! We offer a wide variety of foams and can work with you to get you the exact product you need. CertiPUR-US Certified: Made without ozone depleting substances, mercury, lead, and other heavy metals; made without phthalates regulated by the Consumer Product Safety Commission; low VOC (Volatile Organic Compound) emissions for indoor air quality (less than 0.5 parts per million)"}, {"name": "Vostoktech", "product_information": {"Brand": "\u200eVostoktech", "Manufacturer": "\u200eVostoktech", "ASIN": "\u200eB09S2ZQ49B", "Date First Available": "\u200eFebruary 9, 2022"}, "brand": "Brand: Vostoktech", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Vostoktech", "full_description": "Compatible: Passive Pencil P01 / Drawing tablet Xp-pen Star G640 / Deco 01 V2 / Deco Fun Number of pen tips: 20 pieces Easy to replace, the tip changer is not necessary. You can use tweezers or pliers or anything like that, and simply pull the tip directly outward, then tap it on the desk to loosen any residue and slide the new tip into place. Note: DO NOT press the pen too hard against or abuse the tablet so that the tips last longer. Unless crushed or frayed, no need to change it.", "pricing": "$15.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41tAy8X8ZtL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Computers & Tablets \u203a Tablets", "average_rating": "", "small_description": ["Compatible: Passive Pencil P01/ Drawing Tablet Xp-pen Star G640 / Deco 01 V2 / Deco Fun ", "Number of pen tips: 20 pieces ", "Easy to replace, the tip changer is not necessary. You can use tweezers or pliers or anything like that, and simply pull the tip directly outward, then tap it on the desk to loosen any residue and slide the new tip into place. ", "Note: DO NOT press the pen too hard against or abuse the tablet so that the tips last longer. Unless crushed or frayed, no need to change it. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2DHBOIXCHPHWG", "seller_name": "Vostoktech", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09S2ZQ49B", "category": "electronics", "query": "Tablets", "page": 278, "small_description_old": "Compatible: Passive Pencil P01/ Drawing Tablet Xp-pen Star G640 / Deco 01 V2 / Deco Fun Number of pen tips: 20 pieces Easy to replace, the tip changer is not necessary. You can use tweezers or pliers or anything like that, and simply pull the tip directly outward, then tap it on the desk to loosen any residue and slide the new tip into place. Note: DO NOT press the pen too hard against or abuse the tablet so that the tips last longer. Unless crushed or frayed, no need to change it."}, {"name": "RACHEL Rachel Roy Jacquard Textured Oversized Throw - Silky Soft and Cozy Flannel Fleece, Blanket for Bed and Couch - Oversized Throw 60\" X 70\", Coconut Milk", "product_information": {"Product Dimensions": "15.6 x 10.6 x 5.9 inches", "Item Weight": "2.18 pounds", "Manufacturer": "JBL Trading LLC", "ASIN": "B08SKH3LTM", "Country of Origin": "China", "Item model number": "RRJAQ1B-110608ECO", "Customer Reviews": {"ratings_count": 14, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#746,691 in Home & Kitchen (See Top 100 in Home & Kitchen) #6,463 in Bed Throws"], "Fabric Type": "Microfiber", "Material Care Instructions": "Machine Wash", "Number of Pieces": "1", "Warranty Description": "30 Day Warranty Against Manufacturer Defects", "Batteries Required?": "No"}, "brand": "Visit the RACHEL Rachel Roy Store", "brand_url": "https://www.amazon.com/stores/RACHEL+Rachel+Roy/page/4A395058-A556-48F2-A4E2-F816F5B83C81?ref_=ast_bln", "full_description": "Jacquared textured pattern, velvety soft", "pricing": "$26.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41D2u8+8dvS.jpg", "https://m.media-amazon.com/images/I/51AB9MG3qRL.jpg", "https://m.media-amazon.com/images/I/41A3WnS0iRL.jpg", "https://m.media-amazon.com/images/I/41lSgLMzFaL.jpg", "https://m.media-amazon.com/images/I/51a1T2j1zRL.jpg", "https://m.media-amazon.com/images/I/51wf4Mg6WuL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Blankets & Throws \u203a Throws", "average_rating": 4.5, "small_description": ["Reversible - velvet plush on both sides ", "LUXURIOUS TO THE TOUCH - This is an extra warm, cozy, and super soft blanket. Made using 100% polyester fleece fabric, leaving you with a happy, warm, and fuzzy feeling inside that you carry with you for the rest of the day. ", "MADE FOR ROYALTY - This extra soft and luxurious micro-plush fluffy blanket is beautiful and vibrant. It's lightweight and adds a velvet touch to your room decor. The warm blanket is also generously sized and easily fits a king-sized bed. ", "ATTENTION TO DETAIL - A lot of thoughtful care and attention goes into making our fluffy blankets. Each fuzzy blanket is made with no piping knife-edge finish on the side seams, so there is a clean, more streamlined feel when you touch them. "], "total_reviews": 14, "total_answered_questions": "", "model": "RRJAQ1B-110608ECO", "customization_options": {"Size": null, "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08SKF5TVQ/ref=twister_B094X5Q8M6?_encoding=UTF8&psc=1", "value": "Blush", "price_string": "$26.99", "price": 26.99, "image": "https://m.media-amazon.com/images/I/41kNuqSjCyS.jpg"}, {"is_selected": true, "url": null, "value": "Coconut Milk", "price_string": "$26.99", "price": 26.99, "image": "https://m.media-amazon.com/images/I/41D2u8+8dvS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08SKD8LQ5/ref=twister_B094X5Q8M6?_encoding=UTF8&psc=1", "value": "Dark Lavender", "price_string": "$26.99", "price": 26.99, "image": "https://m.media-amazon.com/images/I/51yMqXAhivL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08SKHH5L5/ref=twister_B094X5Q8M6?_encoding=UTF8&psc=1", "value": "Flint Stone", "price_string": "$26.99", "price": 26.99, "image": "https://m.media-amazon.com/images/I/41LG2DZPZIS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08SKF5TVT/ref=twister_B094X5Q8M6?_encoding=UTF8&psc=1", "value": "Mineral", "price_string": "$26.99", "price": 26.99, "image": "https://m.media-amazon.com/images/I/41FlKk0IDkS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08SKHH5L6/ref=twister_B094X5Q8M6?_encoding=UTF8&psc=1", "value": "Nimbus Cloud", "price_string": "$26.99", "price": 26.99, "image": "https://m.media-amazon.com/images/I/41qneWaNkYS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08SKF3YWK/ref=twister_B094X5Q8M6?_encoding=UTF8&psc=1", "value": "White Sand", "price_string": "$26.99", "price": 26.99, "image": "https://m.media-amazon.com/images/I/41cP+Nxk-6S.jpg"}]}, "seller_id": "A3E8ZQ3HMT7ONT", "seller_name": "Style Basics", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08SKH3LTM", "category": "garden", "query": "Throw Blankets", "page": 394, "small_description_old": "About this item Microfiber Reversible - velvet plush on both sides LUXURIOUS TO THE TOUCH - This is an extra warm, cozy, and super soft blanket. Made using 100% polyester fleece fabric, leaving you with a happy, warm, and fuzzy feeling inside that you carry with you for the rest of the day. MADE FOR ROYALTY - This extra soft and luxurious micro-plush fluffy blanket is beautiful and vibrant. It's lightweight and adds a velvet touch to your room decor. The warm blanket is also generously sized and easily fits a king-sized bed. ATTENTION TO DETAIL - A lot of thoughtful care and attention goes into making our fluffy blankets. Each fuzzy blanket is made with no piping knife-edge finish on the side seams, so there is a clean, more streamlined feel when you touch them."}, {"name": "C2G/Cables to Go 01851 Twinaxial Coupler", "product_information": {"Item Weight": "1.44 ounces", "Domestic Shipping": "Item can be shipped within U.S.", "International Shipping": "This item can be shipped to select countries outside of the U.S. Learn More", "ASIN": "B0002J1HOC", "Item model number": "01851", "Is Discontinued By Manufacturer": "No", "Date First Available": "October 2, 2005", "Manufacturer": "C2G", "Country of Origin": "Taiwan"}, "brand": "Visit the C2G Store", "brand_url": "https://www.amazon.com/stores/Cables+To+Go/page/FBDBB225-6542-460E-88A9-C318F7201E19?ref_=ast_bln", "full_description": "Attention AS/400 and System 3X shops! Whether it's Twinax male/female connectors, cable matchers, T-connectors, bulkheads or terminators, we have it. We also carry baluns, twinaxial cable assemblies and System 3X UTP star hubs.", "pricing": "$5.01", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41Z27tM6LaL.jpg", "https://m.media-amazon.com/images/I/51pC1iQsjVL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Computer Accessories & Peripherals \u203a Cables & Accessories \u203a Cables & Interconnects \u203a VGA Cables", "average_rating": "", "small_description": ["Use to extend a twinaxial connection. ", "Attention AS/400 and System 3X shops! Whether it's Twinax male/female connectors, cable matchers, T-connectors, bulkheads or terminators, we have it. We also carry baluns, twinaxial cable assemblies and System 3X UTP star hubs. "], "total_reviews": "", "total_answered_questions": "", "model": "01851", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B0002J1HOC", "category": "electronics", "query": "HDMI Cables", "page": 358, "small_description_old": "About this item\n \nUse to extend a twinaxial connection. Attention AS/400 and System 3X shops! Whether it's Twinax male/female connectors, cable matchers, T-connectors, bulkheads or terminators, we have it. We also carry baluns, twinaxial cable assemblies and System 3X UTP star hubs."}, {"name": "Body Scrubber", "product_information": {"Manufacturer\n \u200f": "\u200e\n Lumin", "ASIN\n \u200f": "\u200e\n B091DMZNR4", "Best Sellers Rank": "#1,024,897 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#4,322 in Body Scrubs #5,187 in Body Scrubs & Treatments", "#4,322 in Body Scrubs": "", "#5,187 in Body Scrubs & Treatments": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Lumin Store", "brand_url": "https://www.amazon.com/stores/Premium+Mens+Skincare/page/F9E7E997-7246-49F6-8054-2D3DCE7F4F4E?ref_=ast_bln", "full_description": "Help wipe of the grime of the day by using this body scrubber after long, active days. The silicone will help remove dirt, oil, and pollutant build up and provide and extra boost to your body routine.", "pricing": "$16.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41d1Y9a9YfS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Body \u203a Body Scrubs", "average_rating": 5, "small_description": ["Helps with - dirt & oil buildup, deep cleansing, dead skin "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A2YWS7F246NXNA", "seller_name": "Lumin Skin", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B091DMZNR4", "category": "beauty", "query": "Scrubs & Body Treatments", "page": 35, "small_description_old": "Helps with - dirt & oil buildup, deep cleansing, dead skin"}, {"name": "LotFancy 70ml 2.4Oz Travel Bottles with Keychain,15pc Empty Plastic Carabiner Bottle, Clear Bottle, Squeeze Container for Hand Sanitizer, Lotion, Cosmetics, Leakproof, Refillable, 15 labels Included", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10.12 x 8.07 x 2.95 inches; 8.82 Ounces", "Manufacturer\n \u200f": "\u200e\n LotFancy", "ASIN\n \u200f": "\u200e\n B08J3WFRBT", "Country of Origin\n \u200f": "\u200e\n China", "Best Sellers Rank": "#45,366 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#16 in Refillable Squeeze Bottles", "#16 in Refillable Squeeze Bottles": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the LotFancy Store", "brand_url": "https://www.amazon.com/stores/LotFancy/page/C620250B-7D00-492F-A301-ED6A8C772041?ref_=ast_bln", "full_description": "", "pricing": "$11.96", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41vLc57IEwL.jpg", "https://m.media-amazon.com/images/I/41Qd2tfV9SL.jpg", "https://m.media-amazon.com/images/I/41ZMAWT33eL.jpg", "https://m.media-amazon.com/images/I/41EV8M32vlL.jpg", "https://m.media-amazon.com/images/I/51eBS0fYtrL.jpg", "https://m.media-amazon.com/images/I/51rp7cbEwlL.jpg", "https://m.media-amazon.com/images/I/51jXqWqfOCL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Refillable Containers \u203a Squeeze Bottles", "average_rating": 4.3, "small_description": ["PET MATERIAL: LotFancy Travel Bottles with Keychain are made of high-grade BPA Free transparent PET material, odorless, lightweight, durable, reusable, easy to squeeze and fill. ", "2.4OZ CAPACITY BOTTLES: 70ml bottle measure: 4.7 x 1.8\u201d, 2.4 oz capacity for your daily and travel needs. Convenient portable size. ", "LEAKPROOF DESIGN: Screw-on lid fits snugly to prevent contents from leaking. Leak-proof flip cap design for easy and clean dispensing. ", "WIDE APPLICATIONS:LotFancy Refillable Bottles can be used for hand sanitizer, toiletries, liquid or cream cosmetics, food condiments, sunscreen, shampoo, face wash, lotion. Suitable for travel, school, business trips, sports, outdoor activities. Use buckle carabiner to easily attach bottles to your keys, purse, bag and more. "], "total_reviews": 122, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08J3KWN41/ref=twister_B08J4DVBY1?_encoding=UTF8&psc=1", "value": "5 Packs", "price_string": "$6.88", "price": 6.88, "image": null}, {"is_selected": true, "url": null, "value": "15 Packs", "price_string": "$11.96", "price": 11.96, "image": null}]}, "seller_id": "A1XLIDN9XQ0PZA", "seller_name": "LotFancy", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08J3WFRBT", "category": "beauty", "query": "Refillable Containers", "page": 4, "small_description_old": "About this item PET MATERIAL: LotFancy Travel Bottles with Keychain are made of high-grade BPA Free transparent PET material, odorless, lightweight, durable, reusable, easy to squeeze and fill. 2.4OZ CAPACITY BOTTLES: 70ml bottle measure: 4.7 x 1.8\u201d, 2.4 oz capacity for your daily and travel needs. Convenient portable size. LABELS INCLUDED: Package includes 15 bottles, 15 carabiners and 15 labels. LEAKPROOF DESIGN: Screw-on lid fits snugly to prevent contents from leaking. Leak-proof flip cap design for easy and clean dispensing. WIDE APPLICATIONS:LotFancy Refillable Bottles can be used for hand sanitizer, toiletries, liquid or cream cosmetics, food condiments, sunscreen, shampoo, face wash, lotion. Suitable for travel, school, business trips, sports, outdoor activities. Use buckle carabiner to easily attach bottles to your keys, purse, bag and more."}, {"name": "Pediasure Grow & Gain with Immune Support, Kids Protein Shake, 27 Vitamins and Minerals, 7g Protein, Helps Kids Catch Up On Growth, Non-GMO, Gluten-Free, Chocolate, 8 Fl Oz, 16 Count", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 9.75 x 9.63 x 6.13 inches; 10.1 Pounds", "Manufacturer recommended age\n \u200f": "\u200e\n 0 - 1 years", "Item model number\n \u200f": "\u200e\n 67295", "Date First Available\n \u200f": "\u200e\n June 30, 2020", "Manufacturer\n \u200f": "\u200e\n AmazonUs/ABBN7", "ASIN\n \u200f": "\u200e\n B08BPTT8MX", "Best Sellers Rank": "#32,120 in Baby (See Top 100 in Baby)#64 in Baby & Toddler Nutritional Shakes", "#64 in Baby & Toddler Nutritional Shakes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Pediasure Store", "brand_url": "https://www.amazon.com/stores/PediaSure/page/9834766B-69A7-4456-A463-56DDA985B28E?ref_=ast_bln", "full_description": "PediaSure Grow & Gain with Immune Support* kids nutritional shakes are clinically proven\u2020 to help kids grow. Each shake has 7 key nutrients for immune support,* 27 essential vitamins and minerals, 7g of protein to help build muscles, and 32mg of DHA omega-3 for brain & eye development. PediaSure Grow & Gain is non-GMO,\u2021 gluten-free, has no artificial growth hormones,\u00a7 and is suitable for lactose intolerance. It\u2019s great for breakfast, in a lunch box, and as a snack. From the #1 pediatrician recommended brand. Not for children with galactosemia. * Nutrients include protein, vitamins A & D, zinc, and antioxidants (vitamins C & E and selenium). \u2020 Studied in children at risk for malnutrition. \u2021 Ingredients not genetically engineered. \u00a7 No significant difference has been shown between milk derived from rbST-treated and non-rbST-treated cows. \u2016In children ages 3-4 at nutritional risk (5th-25th weight-for-height percentiles), when given 2 servings per day and dietary counseling.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/513xQed-L7L.jpg", "https://m.media-amazon.com/images/I/51MivP-c9iL.jpg", "https://m.media-amazon.com/images/I/51bCUJf1+cL.jpg", "https://m.media-amazon.com/images/I/51eudaYGk1L.jpg", "https://m.media-amazon.com/images/I/51Ui3kBdW4L.jpg", "https://m.media-amazon.com/images/I/61gFNUBl4cL.jpg", "https://m.media-amazon.com/images/I/516tyig8YNL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Baby Products \u203a Feeding \u203a Baby Foods \u203a Beverages \u203a Nutritional Shakes", "average_rating": 4.8, "small_description": ["KIDS NUTRITIONAL SHAKES FOR GROWTH: Designed to complement a diet for kids who are behind on growth and need to gain weight ", "7 KEY NUTRIENTS FOR IMMUNE SUPPORT: Nutrition to help support kids\u2019 immune systems with protein, zinc, vitamins A & D, and antioxidants (vitamins C & E and selenium) ", "COMPLETE, BALANCED NUTRITION: A kids nutritional shake with 27 essential vitamins & minerals, 7g protein; it\u2019s also non-GMO, gluten-free, has no artificial growth hormones and has 32mg of DHA omega-3 ", "CLINICALLY PROVEN GROWTH: PediaSure Grow & Gain helps kids catch up on growth in just 8 weeks ", "Provides a good source of protein and has vitamins and minerals for children ages 2-13 ", "TASTY KIDS SNACK: PediaSure Grow & Gain is great for breakfast, in a lunch box, and as an after-school or anytime snack "], "total_reviews": 888, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08BPTT8MX", "category": "grocery", "query": "Food & Beverage Gifts", "page": 190, "small_description_old": "About this item KIDS NUTRITIONAL SHAKES FOR GROWTH: Designed to complement a diet for kids who are behind on growth and need to gain weight 7 KEY NUTRIENTS FOR IMMUNE SUPPORT: Nutrition to help support kids\u2019 immune systems with protein, zinc, vitamins A & D, and antioxidants (vitamins C & E and selenium) COMPLETE, BALANCED NUTRITION: A kids nutritional shake with 27 essential vitamins & minerals, 7g protein; it\u2019s also non-GMO, gluten-free, has no artificial growth hormones and has 32mg of DHA omega-3 CLINICALLY PROVEN GROWTH: PediaSure Grow & Gain helps kids catch up on growth in just 8 weeks Provides a good source of protein and has vitamins and minerals for children ages 2-13 TASTY KIDS SNACK: PediaSure Grow & Gain is great for breakfast, in a lunch box, and as an after-school or anytime snack"}, {"name": "Full Protection Silicone Cover VR Headset for Quest 2 VR Premium Silicone Front Cover Controller Cover Grips Accessories Anti-Throw Sweatproof (White)", "product_information": {"Package Dimensions": "6.97 x 6.93 x 2.56 inches", "Item Weight": "5.3 ounces", "ASIN": "B091YV7CRB", "Customer Reviews": {"ratings_count": 8, "stars": "1.8 out of 5 stars"}, "Best Sellers Rank": ["#138,405 in Video Games (See Top 100 in Video Games) #2,054 in PC Virtual Reality Headsets"], "Date First Available": "April 7, 2021", "Manufacturer": "VRUIVR"}, "brand": "Brand: VRUIVR", "brand_url": "https://www.amazon.com/VRUIVR/b/ref=bl_dp_s_web_23590993011?ie=UTF8&node=23590993011&field-lbr_brands_browse-bin=VRUIVR", "full_description": "Full Protection Silicone Cover VR Headset for Quest 2 VR Premium Silicone Front Cover Controller Cover Grips Accessories Anti-Throw Sweat-proof", "pricing": "$16.99", "list_price": "", "availability_quantity": 6, "availability_status": "Only 6 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/317jS8qw7vL.jpg", "https://m.media-amazon.com/images/I/316c7MtYqkL.jpg", "https://m.media-amazon.com/images/I/31N+J22SKOL.jpg", "https://m.media-amazon.com/images/I/31uXhbAxZsL.jpg", "https://m.media-amazon.com/images/I/31FkG5JpREL.jpg", "https://m.media-amazon.com/images/I/316c7MtYqkL.jpg", "https://m.media-amazon.com/images/I/31bD6-lruDL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Video Games \u203a PC \u203a Virtual Reality \u203a Headsets", "average_rating": 1.8, "small_description": ["Specially designed this touch controller grip cover face cover mask for Quest 2, Larger area of non-slip design increases friction, increases airflow, and effectively removes sweat. ", "Made of Soft Silicone,Anti-sweat, increase the experience and won't have sweat residue left .Keeps your Oculus Quest 2 Accessories sweat-proof, making your long VR sessions much more comfortable and more sanitary to share with family or friends. ", "Provide full protection for your Oculus Quest 2 controllers from impacting, scratching, and soiling. The knuckle strap is made of durable PU Leather which prevents the controllers from being thrown out while playing games. ", "Keep your VR headset clean and resistant to friction, no longer worry about your favorite Oculus Quest 2 headset being scratched and soiled by other objects, ", "Package Include: Touch Controller Grip Cover*1pair, Knuckle Strap*1pair, Joy sticker cover*1pair. "], "total_reviews": 8, "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "A3NZUNA7QJJ1FI", "seller_name": "VRUIVR", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B091YV7CRB", "category": "electronics", "query": "Virtual Reality", "page": 331, "small_description_old": "About this item\n \nSpecially designed this touch controller grip cover face cover mask for Quest 2, Larger area of non-slip design increases friction, increases airflow, and effectively removes sweat. Made of Soft Silicone,Anti-sweat, increase the experience and won't have sweat residue left .Keeps your Oculus Quest 2 Accessories sweat-proof, making your long VR sessions much more comfortable and more sanitary to share with family or friends. Provide full protection for your Oculus Quest 2 controllers from impacting, scratching, and soiling. The knuckle strap is made of durable PU Leather which prevents the controllers from being thrown out while playing games. Keep your VR headset clean and resistant to friction, no longer worry about your favorite Oculus Quest 2 headset being scratched and soiled by other objects, Package Include: Touch Controller Grip Cover*1pair, Knuckle Strap*1pair, Joy sticker cover*1pair."}, {"name": "Shaving Mirror with 10X Magnification, LED Bathroom Mirrors Wall Mounted, 360\u00b0Swivel and Extendable, Chrome, Double Source, 7inch", "product_information": {"Manufacturer": "Mirror-MRJ", "ASIN": "B08DK9WBQL", "Best Sellers Rank": ["#1,195,745 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #5,087 in Personal Makeup Mirrors"], "Date First Available": "July 24, 2020"}, "brand": "Brand: Mirror-MRJ", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Mirror-MRJ", "full_description": "Our aim is to provide you with quality products and satisfactory service.. this double-sided bathroom magnifying mirror is portable, convenience, and wide applicability. For men to shave, for women to makeup.You deserve better yourself! 7\" LED Touch Screen Adjustable Light Wall Mounted Makeup Mirror This vanity mirror with lights uses LED lighting to provide a clear look at your skin and make-up Vanity mirror is built in 18 pcs Leds ,long press adjust lights brightness,allow you to makeup in the dark or poorly light areas. The high definition, contributing natural and soft, bright but not dazzling to protect your eyes. 10X magnification mirror can zoom in your facial features ,helping you to see clearly your facial features. Material: Chrome + Glass Item Weight: 0.9 Kg/1.98 lbs Package size: 35.5*23.5*8.5cm(L\u00d7W\u00d7H)/13.77*9.25*3.35 inch Package Contents: 1 x LED Make Up Mirror 1 x USB Cable 1 x Pack of Fixing Screws 1 x Manual 1 x Dishcloth 360\u00b0 Rotation and Folding Design No dead ends,all-around rotation,exquisite beauty.Perfect for anyone tight on vanity counter space, this mirror is designed with an extending arm that you can smoothly extend and fold. Spin the mirror to obtain the best angle for different makeup needs. Help You Make Better Use Of Vanity Mirror 1.Please use the 10 X mirror within a distance of 4\" (10 cm) to avoid distortion. 2.There is a cleaning cloth in the package (the color is not fixed) 3.It is recommended that you use a rechargeable battery,This product does not include batteries. It USES 3 units of size AAA batteries", "pricing": "$69.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/412gZk2banL.jpg", "https://m.media-amazon.com/images/I/51WK8vKpFBL.jpg", "https://m.media-amazon.com/images/I/515uwAIbjHL.jpg", "https://m.media-amazon.com/images/I/51o-RkVIOUL.jpg", "https://m.media-amazon.com/images/I/419TlIRCiDL.jpg", "https://m.media-amazon.com/images/I/51K6JhOdbXL.jpg", "https://m.media-amazon.com/images/I/51tLIvaBElL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Mirrors \u203a Makeup Mirrors", "average_rating": "", "small_description": ["\u25b6\u3010Touch Sensor LED Mirror\u3011Led lights on/off controlled by the touch sensor switch and long press can adjust lights brightness.Our Vanity mirror is built in 18 pcs Leds,allow you makeup in the dark or poorly lit areas. Ideal for applying in makeup such as wearing contact lenses, eyebrow tweezing, make-ups, haircut, and shaving, etc ", "\u25b6\u30101X/10X Magnification Double Side Mirror\u30111X / 10X magnification mirror can zoom in your facial features ,helping you to see clearly your facial features and tiniest details. This mirror is specially suitable for eye makeup, such as eyeliner, eyebrows. It helps make-up to perfection with each detail taken care of. ", "\u25b6\u3010360\u00b0 Swivel Extendable makeup mirror\u3011Perfect for anyone tight on vanity counter space, this mirror is designed with an extending arm that you can smoothly extend and fold. Spin the mirror to obtain the best angle for different makeup needs. ", "\u25b6\u3010Broad Function Vanity cosmetic mirror\u3011Chrome finish, rustless, anticorrosive, smooth bright and durable with aesthetic feeling fits any d\u00e9cor, would be suitable for home, hotel, spas and bathroom, etc. The optimal used distance with 10X wall mirror not exceeding 4 inch. ", "\u25b6\u3010Dual Power Supply Mode magnifying mirror\u3011Operated by USB cable supply or 3* AAA batteries.( battery not included, USB cable included, pls noted the mirror can't store power by itself).(After inserting the rechargeable battery, you can use the USB cable to charge). "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A14WBF8BZTCH3Z", "seller_name": "Mirror-MRJ", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08DK9WBQL", "category": "beauty", "query": "Mirrors", "page": 178, "small_description_old": "About this item\n \n\u25b6\u3010Touch Sensor LED Mirror\u3011Led lights on/off controlled by the touch sensor switch and long press can adjust lights brightness.Our Vanity mirror is built in 18 pcs Leds,allow you makeup in the dark or poorly lit areas. Ideal for applying in makeup such as wearing contact lenses, eyebrow tweezing, make-ups, haircut, and shaving, etc \u25b6\u30101X/10X Magnification Double Side Mirror\u30111X / 10X magnification mirror can zoom in your facial features ,helping you to see clearly your facial features and tiniest details. This mirror is specially suitable for eye makeup, such as eyeliner, eyebrows. It helps make-up to perfection with each detail taken care of. \u25b6\u3010360\u00b0 Swivel Extendable makeup mirror\u3011Perfect for anyone tight on vanity counter space, this mirror is designed with an extending arm that you can smoothly extend and fold. Spin the mirror to obtain the best angle for different makeup needs. \u25b6\u3010Broad Function Vanity cosmetic mirror\u3011Chrome finish, rustless, anticorrosive, smooth bright and durable with aesthetic feeling fits any d\u00e9cor, would be suitable for home, hotel, spas and bathroom, etc. The optimal used distance with 10X wall mirror not exceeding 4 inch. \u25b6\u3010Dual Power Supply Mode magnifying mirror\u3011Operated by USB cable supply or 3* AAA batteries.( battery not included, USB cable included, pls noted the mirror can't store power by itself).(After inserting the rechargeable battery, you can use the USB cable to charge)."}, {"name": "JIMITI Breathable Dots Thin Shallow Mouth Trendy Short Socks Flower Mesh Boat Socks Hosiery(B)", "product_information": {"Department": "Womens", "Manufacturer": "JIMITI", "ASIN": "B09682D2T6", "Fabric Type": "Polyester,Cotton,Mesh"}, "brand": "Brand: JIMITI", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=JIMITI", "full_description": "Gender: WomenType: SockPackage: 1pairs socksMaterial: polyester cottonColor: Purple/white", "pricing": "$6.39", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41cxzeCMTgS.jpg", "https://m.media-amazon.com/images/I/41hcrBNeJ6S.jpg", "https://m.media-amazon.com/images/I/51JAiVd12HS.jpg", "https://m.media-amazon.com/images/I/415jYPlP+WS.jpg", "https://m.media-amazon.com/images/I/41XFm3CGfYS.jpg", "https://m.media-amazon.com/images/I/51y2HnUGCaS.jpg", "https://m.media-amazon.com/images/I/410ZWiiP7nS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Socks & Hosiery \u203a Socks \u203a No Show & Liner Socks", "average_rating": "", "small_description": ["Polyester,Cotton,Mesh ", "Type: Sock ", "Material: polyester cotton ", "Color: Purple/white ", "Gender: Women ", "Package: 1pairs socks "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09681CL69/ref=twister_B0967YV7QY?_encoding=UTF8&psc=1", "value": "A", "price_string": "$6.39", "price": 6.39, "image": null}, {"is_selected": true, "url": null, "value": "B", "price_string": "$6.39", "price": 6.39, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096812H67/ref=twister_B0967YV7QY?_encoding=UTF8&psc=1", "value": "C", "price_string": "$6.39", "price": 6.39, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0967ZSBZW/ref=twister_B0967YV7QY?_encoding=UTF8&psc=1", "value": "D", "price_string": "$6.39", "price": 6.39, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0967Z9711/ref=twister_B0967YV7QY?_encoding=UTF8&psc=1", "value": "E", "price_string": "$6.39", "price": 6.39, "image": null}]}, "seller_id": "A2C1XARGINQ58S", "seller_name": "GuangZhouDuShaoMaoYiYouXianGong", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09682D2T6", "category": "fashion", "query": "Women's Socks & Hosiery", "page": 62, "small_description_old": "Polyester,Cotton,Mesh Type: Sock Material: polyester cotton Color: Purple/white Gender: Women Package: 1pairs socks"}, {"name": "Fun Costumes Peppermint Candy Ugly Christmas Sweater", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 14.49 x 11 x 1 inches; 11.99 Ounces", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n October 17, 2020", "Manufacturer\n \u200f": "\u200e\n Fun Costumes", "ASIN\n \u200f": "\u200e\n B08L9V6VRP", "Best Sellers Rank": "#2,529,684 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#151 in Women's Novelty Sweaters #1,519,259 in Women's Fashion", "#151 in Women's Novelty Sweaters": "", "#1,519,259 in Women's Fashion": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Fun Costumes Store", "brand_url": "https://www.amazon.com/stores/FunCostumes/page/8CFF703B-5B5B-4644-A824-226B9A89307B?ref_=ast_bln", "full_description": "This is a\u00a0Peppermint Candy Ugly Christmas Sweater. - Sweater", "pricing": "$39.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/4155eBdBUaL.jpg", "https://m.media-amazon.com/images/I/51HX1hF36IS.jpg", "https://m.media-amazon.com/images/I/41NvhMTdVMS.jpg", "https://m.media-amazon.com/images/I/41cKK9eeGMS.jpg", "https://m.media-amazon.com/images/I/41XK-WLLuSS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men", "average_rating": 5, "small_description": ["Size: X-Small ", "55% cotton, 45% acrylic ", "Rib-knit sleeve cuffs, neck band & waistband ", "Knitted-in graphics ", "Exclusive "], "total_reviews": 2, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "X-Small", "asin": "B08L9V6VRP"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B08L9VG1Q4"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B08L9SFBXV"}, {"is_selected": false, "is_available": true, "value": "2X", "asin": "B08L9S4T2F"}, {"is_selected": false, "is_available": true, "value": "3X", "asin": "B08L9XDS3D"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08L9SFBXV", "category": "fashion", "query": "Men's Sweaters", "page": 174, "small_description_old": "Size: X-Small 55% cotton, 45% acrylic Rib-knit sleeve cuffs, neck band & waistband Knitted-in graphics Exclusive"}, {"name": "Xiaoyztan 10Pcs 1W 8Ohm Round Internal Magnet Mini Loudspeaker MP3 MP4 Player Speaker", "product_information": {"Package Dimensions": "5 x 4 x 0.7 inches", "Item Weight": "0.212 ounces", "ASIN": "B07FMR5JGX", "Item model number": "6543881668", "Customer Reviews": {"ratings_count": 147, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#25 in Speaker Repair Products"], "Is Discontinued By Manufacturer": "No", "Date First Available": "July 16, 2018", "Manufacturer": "Yootop"}, "brand": "Visit the Xiaoyztan Store", "brand_url": "https://www.amazon.com/stores/Xiaoyztan/page/19B0931C-CB10-4AC3-A085-3B0E73C27C5E?ref_=ast_bln", "full_description": "", "pricing": "$10.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51lBI-n5y4L.jpg", "https://m.media-amazon.com/images/I/3193cshebML.jpg", "https://m.media-amazon.com/images/I/41FarTx0KZL.jpg", "https://m.media-amazon.com/images/I/41UAcuN06SL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Speaker Repair", "average_rating": 4.4, "small_description": ["\u2776PACKAGE - 10 x 8Ohm Mini Round Internal Magnet Loudspeaker, 28mm Dia. ", "\u2777MATERIAL - With iron shell, single paper cone and ferrite magnets. ", "\u2778CONSTRUCTION - Mini Loudspeaker is designed with internal magnetic type, easy to install. ", "\u2779APPLICATION - Suit for any small audio project where you need an 8 \u03a9 impedance and will be using 1W. ", "\u277aNOTICE - We are gradually changing the product brand name to \"Xiaoyztan\", due to different shipment batches, you may receive our old brand labels. Please don't worry and just identify the seller \"Brisky Top\". "], "total_reviews": 147, "total_answered_questions": "", "model": "6543881668", "customization_options": "", "seller_id": "A3UAIR0DYVQQPY", "seller_name": "Brisky Top", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07FMR5JGX", "category": "electronics", "query": "Speaker", "page": 60, "small_description_old": "About this item\n \n\u2776PACKAGE - 10 x 8Ohm Mini Round Internal Magnet Loudspeaker, 28mm Dia. \u2777MATERIAL - With iron shell, single paper cone and ferrite magnets. \u2778CONSTRUCTION - Mini Loudspeaker is designed with internal magnetic type, easy to install. \u2779APPLICATION - Suit for any small audio project where you need an 8 \u03a9 impedance and will be using 1W. \u277aNOTICE - We are gradually changing the product brand name to \"Xiaoyztan\", due to different shipment batches, you may receive our old brand labels. Please don't worry and just identify the seller \"Brisky Top\"."}, {"name": "Banana Boat Deep Tanning Spray with Coconut Oil SPF 4, 8 Ounces each (Value Pack of 5)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 7.13 x 2.5 x 1.88 inches; 2.63 Pounds", "Item model number\n \u200f": "\u200e\n 079656000252-5a", "Date First Available\n \u200f": "\u200e\n July 11, 2016", "Manufacturer\n \u200f": "\u200e\n Banana Boat", "ASIN\n \u200f": "\u200e\n B00IG0RDNI", "Best Sellers Rank": "#163,153 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#221 in Tanning Oils & Lotions", "#221 in Tanning Oils & Lotions": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Banana Boat", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Banana+Boat", "full_description": "Banana Boat Deep Tanning Spray SPF 4, 8 Ounces each (Value Pack of 5). Apply generously before worshipping the sun for skin so rich, dark and silky you can\u2019t help showing it off.", "pricing": "$38.14", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41JKp1rxCmL.jpg", "https://m.media-amazon.com/images/I/41JKp1rxCmL.jpg", "https://m.media-amazon.com/images/I/31wThWamcGL.jpg", "https://m.media-amazon.com/images/I/41G2Ydqkc2S.jpg", "https://m.media-amazon.com/images/I/31wuzJ4mZ1L.jpg", "https://m.media-amazon.com/images/I/316JLd3G4AL.jpg", "https://m.media-amazon.com/images/I/31NMpQPbfbL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Sunscreens & Tanning Products \u203a Tanning Oils & Lotions", "average_rating": 4.8, "small_description": ["Banana Boat Deep Tanning Spray SPF 4, 8 Ounces each (Value Pack of 5) "], "total_reviews": 82, "total_answered_questions": "", "customization_options": "", "seller_id": "ASEVS99O6FS73", "seller_name": "Pharmapacks_", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00IG0RDNI", "category": "beauty", "query": "Sunscreens & Tanning Products", "page": 4, "small_description_old": "About this item Banana Boat Deep Tanning Spray SPF 4, 8 Ounces each (Value Pack of 5)"}, {"name": "THANN Aromatic Wood Aromatherapy Shampoo and Conditioner with Organic Olive Oil, Organic Grape Oil and Coix Extract, Organic Jojoba Oil, Organic Corn Silk Extract and Wheat Protein - Set B.", "product_information": {"Manufacturer\n \u200f": "\u200e\n THANN", "ASIN\n \u200f": "\u200e\n B08Q42DTN1", "Best Sellers Rank": "#528,636 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#4,352 in Shampoo & Conditioner Sets", "#4,352 in Shampoo & Conditioner Sets": ""}, "brand": "Brand: THANN", "brand_url": "https://www.amazon.com/THANN/b/ref=bl_dp_s_web_20687117011?ie=UTF8&node=20687117011&field-lbr_brands_browse-bin=THANN", "full_description": "THANN Aromatic Wood Aromatherapy Shampoo Detoxifying Formula: Enriches with nutrients from plant extracts and essential oils to detoxify hair and scalp leaving them revitalised and thoroughly cleansed. Organic olive oil nourishes and protects against heat damage. Organic grape oil contains emollients, antioxidants and nutrients that are essential to the growth of healthy hair. Coix extract helps restore strength and shine. THANN Aromatic Wood Aromatherapy Conditioner: A precious blend of plant-based conditioner helps to repair, restore and strengthen hair. Organic olive and organic jojoba oils provide nourishment for smooth and frizz free hair. Organic corn silk extract and wheat protein strengthen hair shaft leaving hair soft and shiny. Sandalwood and nutmeg essential oils clarify the hair and have antiseptic property.", "pricing": "$155.70", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/41fxT4xLXAL.jpg", "https://m.media-amazon.com/images/I/41fxT4xLXAL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Shampoo & Conditioner \u203a Shampoo & Conditioner Sets", "average_rating": "", "small_description": ["Set consists of: THANN Aromatic Wood Aromatherapy Shampoo Detoxifying Formula 250 ml x 2. THANN Aromatic Wood Aromatherapy Conditioner 200 g x 2. ", "THANN Aromatic Wood Aromatherapy Shampoo Detoxifying Formula: Enriches with nutrients from plant extracts and essential oils to detoxify hair and scalp leaving them revitalised and thoroughly cleansed. Organic olive oil nourishes and protects against heat damage. Organic grape oil contains emollients, antioxidants and nutrients that are essential to the growth of healthy hair. Coix extract helps restore strength and shine. ", "THANN Aromatic Wood Aromatherapy Conditioner: A precious blend of plant-based conditioner helps to repair, restore and strengthen hair. Organic olive and organic jojoba oils provide nourishment for smooth and frizz free hair. Organic corn silk extract and wheat protein strengthen hair shaft leaving hair soft and shiny. Sandalwood and nutmeg essential oils clarify the hair and have antiseptic property. ", "Dermatologically tested, No artificial colour, Paraben free, Mineral oil free. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3TOTVX97MK87T", "seller_name": "2SKY Shop", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08Q42DTN1", "category": "beauty", "query": "Shampoo & Conditioner", "page": 200, "small_description_old": "About this item Set consists of: THANN Aromatic Wood Aromatherapy Shampoo Detoxifying Formula 250 ml x 2. THANN Aromatic Wood Aromatherapy Conditioner 200 g x 2. THANN Aromatic Wood Aromatherapy Shampoo Detoxifying Formula: Enriches with nutrients from plant extracts and essential oils to detoxify hair and scalp leaving them revitalised and thoroughly cleansed. Organic olive oil nourishes and protects against heat damage. Organic grape oil contains emollients, antioxidants and nutrients that are essential to the growth of healthy hair. Coix extract helps restore strength and shine. THANN Aromatic Wood Aromatherapy Conditioner: A precious blend of plant-based conditioner helps to repair, restore and strengthen hair. Organic olive and organic jojoba oils provide nourishment for smooth and frizz free hair. Organic corn silk extract and wheat protein strengthen hair shaft leaving hair soft and shiny. Sandalwood and nutmeg essential oils clarify the hair and have antiseptic property. Dermatologically tested, No artificial colour, Paraben free, Mineral oil free."}, {"name": "Tidewater Men's Dockside Sandals 10", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 12.9 x 8.7 x 2.1 inches; 7.2 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n June 28, 2019", "ASIN\n \u200f": "\u200e\n B07N7XBN4S", "Best Sellers Rank": "#4,328,001 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#7,946 in Men's Sandals", "#7,946 in Men's Sandals": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Tidewater Store", "brand_url": "https://www.amazon.com/stores/Keystone+Holiday+Decor+-+Official+Store/page/BDB7CA8E-0C8E-4E8B-ABC8-30A1F8741244?ref_=ast_bln", "full_description": "", "pricing": "$25.00", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41T0dRd2c1L.jpg", "https://m.media-amazon.com/images/I/41O2FZVUb0L.jpg", "https://m.media-amazon.com/images/I/31V7sP-W1fL.jpg", "https://m.media-amazon.com/images/I/41LgJrmNidL.jpg", "https://m.media-amazon.com/images/I/31fuF8wdheL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Sandals", "average_rating": 5, "small_description": [""], "total_reviews": 2, "total_answered_questions": "", "customization_options": "", "seller_id": "ALZBVV6I6RM96", "seller_name": "Jasper's Gift Store", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07N7XBN4S", "category": "fashion", "query": "Men's Sandals", "page": 115, "small_description_old": ""}, {"name": "Charme Princesse Wireless Rotary Permanent Makeup Pen with 10pcs 1R/1P Needles Digital Screen Tattoo Machine For Eyebrows, Eyeliners, Lips and Small Tattoo", "product_information": {"ASIN\n \u200f": "\u200e\n B08CV24121", "Best Sellers Rank": "#412,363 in Health & Household (See Top 100 in Health & Household)#614 in Tattoo Machines", "#614 in Tattoo Machines": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Charme Princesse Store", "brand_url": "https://www.amazon.com/stores/PermanentMakeupSupplies/page/B3767B51-0A3A-4323-BB65-C1B824889289?ref_=ast_bln", "full_description": "Feature: 1.New design, easy to control and cooperation 2.Low noise,strong and stable to work 3.3 Levels Speed adjustment Micropigmentation machine , needle length can be adjustable too. 4.Can wireless using Specifications: Material:Aluminium Alloy Color: Rose red Adapter voltage: AC: 100V/240V,DC: 4.3V 1A Speed: 25000-35000 rpm Pen Length(appr.): 14.5cm Function: Eyebrow, Eyeliner, Lip,hairline,MTS and small-size Tattoo Package Includes: 1 x Tattoo Permanent Makeup Machine Pen 1 X Adapter 1 x Black Package Box10 x 1R/1P Cartridge Needles", "pricing": "$50.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41hiamFZSsL.jpg", "https://m.media-amazon.com/images/I/41xWWp-2ORL.jpg", "https://m.media-amazon.com/images/I/319YfOtvxJL.jpg", "https://m.media-amazon.com/images/I/31LR-HHUXAL.jpg", "https://m.media-amazon.com/images/I/31YYYSU4gIL.jpg", "https://m.media-amazon.com/images/I/41hZUtwojHL.jpg", "https://m.media-amazon.com/images/I/51S9RKhGSrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Piercing & Tattoo Supplies \u203a Tattoo Supplies \u203a Tattoo Machines", "average_rating": 4.8, "small_description": ["Multi-Functions: This permanent makeup pen provides different functions, such as eyebrow, eyeliner, lip, MTS,even small tattoo. ", "Digital Display: Permanent Makeup Machine Pen Device with digital screen. The operation speed level can be showed on the screen,3 Levels Speed can adjustable. ", "Individual Package: Each permanent makeup needles adopt individual packed and Pre-sterilized to keep the needles clean to avoid infection. ", "EN51 Neeldes: Includes 10psc 1R/1P Tattoo Needles ", "100% Satisfaction Guarantee: If you have any questions about our products, please feel free to contact us. We will do our best to meet your requirements and solve your problem quickly and efficiently. "], "total_reviews": 6, "total_answered_questions": "", "customization_options": "", "seller_id": "A22KYQL8ZANKOJ", "seller_name": "Charme Princesse", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08CV24121", "category": "beauty", "query": "Lips Makeup", "page": 167, "small_description_old": "Multi-Functions: This permanent makeup pen provides different functions, such as eyebrow, eyeliner, lip, MTS,even small tattoo. Digital Display: Permanent Makeup Machine Pen Device with digital screen. The operation speed level can be showed on the screen,3 Levels Speed can adjustable. Individual Package: Each permanent makeup needles adopt individual packed and Pre-sterilized to keep the needles clean to avoid infection. EN51 Neeldes: Includes 10psc 1R/1P Tattoo Needles 100% Satisfaction Guarantee: If you have any questions about our products, please feel free to contact us. We will do our best to meet your requirements and solve your problem quickly and efficiently."}, {"name": "Johnny\u2019s Parmesan Garlic Seasoning 5oz (Pack of 6)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 5.5 x 4.2 x 7.1 inches; 1.88 Pounds", "UPC\n \u200f": "\u200e\n 070381100606", "Manufacturer\n \u200f": "\u200e\n Johnny's", "ASIN\n \u200f": "\u200e\n B000V53HHC", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#131,060 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#272 in Garlic Powder & Seasonings", "#272 in Garlic Powder & Seasonings": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Johnny's Store", "brand_url": "https://www.amazon.com/stores/JohnnysFineFoods/page/E7440058-11C3-4567-AC63-4E007D24D3AA?ref_=ast_bln", "full_description": "Johnny's great caesar, garlic spread and seasoning, 5-ounce bottles (pack of 6) lets you make garlic bread, dressings, dip. Shake over meat, poultry, pasta, spaghetti, pizza, seafood and salad. Use on your favorite dish to add a wonderful garlic flavor.", "pricing": "$36.06", "list_price": "", "availability_quantity": 5, "availability_status": "Only 5 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41j9us2G5gL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Herbs, Spices & Seasonings \u203a Single Herbs & Spices \u203a Garlic", "average_rating": 4.8, "small_description": ["Pack of six, 5-ounce bottles (total of 30-ounces) ", "Shake over meat, poultry, pasta, spaghetti, pizza, seafood and salad ", "Use on your favorite dish to add a wonderful garlic flavor ", "Lets you make garlic bread, dressings, dip "], "total_reviews": 17, "total_answered_questions": "", "customization_options": "", "seller_id": "A2RGFKXCRD8KRQ", "seller_name": "Sue's Herbs And Spices LLC", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B000V53HHC", "category": "grocery", "query": "Meat & Seafood", "page": 369, "small_description_old": "About this item Pack of six, 5-ounce bottles (total of 30-ounces) Shake over meat, poultry, pasta, spaghetti, pizza, seafood and salad Use on your favorite dish to add a wonderful garlic flavor Lets you make garlic bread, dressings, dip"}, {"name": "WENKOMG1 Men's Long Sleeve Undershirt with Mask Turtleneck Hooded T-Shirt Solid Color Workout Tops Zipper Side Slit Shirts Slim Fit Sweatshirt Spring/Summer Tee Shirts(Gray,)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 19.69 x 19.69 x 19.69 inches; 11.29 Ounces", "Item model number\n \u200f": "\u200e\n WENKOMG1-shirt-N0.1807", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n January 14, 2022", "Manufacturer\n \u200f": "\u200e\n WENKOMG1", "ASIN\n \u200f": "\u200e\n B09QGK5XHZ", "Country of Origin\n \u200f": "\u200e\n USA", "": ""}, "brand": "Brand: WENKOMG1", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=WENKOMG1", "full_description": "undershirts mens tshirts mens tee shirts tees long sleeve tee shirts for women men's t-shirts tee shirts mens graphic tees for women band tees for women white undershirts men girls' tops, tees & blouses tee shirt dress for women t-shirts big and tall shirts for men tshirts white tee shirts for women golf tees mens big and tall shirts mens shirts true classic tees men gilden tee shirts mens womens graphic tees golf glove womens long sleeve tee shirt white shirts for men t shirts for men pack t shirts for men tshirt men t shirts tee shirts mens v neck undershirts mens men's t-shirts lingerie for men mens tank tops undershirt mens t shirt mens tshirts men's undershirts mens underwear briefs under shirt for men long sleeve undershirt for women v neck t shirts men undershirts for men pack mens undershirts mens t shirts tshirts t shirt t-shirts t shirts t-shirts for men white undershirts men shirts for men christmas jumper baby jumper jumper for baby jumper jumpers for women womens blouses women\u2019s fashion blouses 2018 black blouses for women girls' tops, tees & blouses christmas blouses for women blouses for women fashion 2018 white blouses for women dressy womens tops and blouses blouses for women fashion 2021 blouses for women fashion 2019 blouses for women fashion 2017 short sleeve blouses for women women business blouses womens summer tops and blouses spring blouses for women 2021 blouses for women fashion 2016 plus size blouses for women blouses womens tops and blouses under 20 white blouse for women women\u00a1\u00afs fashion blouses 2019 womens blouses for work professional elegant woman blouses fall blouses for women 2021 white blouse womans blouses/short sleeved womens blouses and tops dressy blouses for women womens shirts and blouses womens tops and blouses for work blouses for women 2020 women\u2019s fashion blouses 2019 blouses for women business casual blouses & button-down shirts black blouse ladies tops and blouses womens blouse blouses for women", "pricing": "$8.39", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41zNdnc-QwL.jpg", "https://m.media-amazon.com/images/I/41zNdnc-QwL.jpg", "https://m.media-amazon.com/images/I/41ohRBkUgkL.jpg", "https://m.media-amazon.com/images/I/41rqA9eRhOL.jpg", "https://m.media-amazon.com/images/I/41rpuWaJYIL.jpg", "https://m.media-amazon.com/images/I/41Az3r+KFuL.jpg", "https://m.media-amazon.com/images/I/41tm2A2J6fL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Active \u203a Active Shirts & Tees", "average_rating": "", "small_description": ["\ud83d\udc55\ud83d\udc56Logistics size\ud83d\udc55\ud83d\udc56 Standard lead time: 8-16 days. Expedited delivery: 3-7 days. Shipped within 24 hours. You can refer to the size chart in the picture. It is recommended to buy a larger size. ", "Imported ", "Nylon lining ", "\ud83d\udc55\ud83d\udc56Best Gifts\ud83d\udc55\ud83d\udc56Great for Father's Day,Valentine's Day, Halloween, Christmas, 4th of july, Daily, Lounge Wear, Party, Hang Out With Friends, Dating, School, Holiday, Travel, Vacation, Office, Work, Also Great Gifts For Families/Friends. closure ", "\ud83d\udc55\ud83d\udc56100% satisfied\ud83d\udc55\ud83d\udc56 We sell men's clothing. If you have any questions, you can ask us and we will serve you within 24 hours. Search the WENKOMG1 store on Amazon to get more of our products. WENKOMG1 hopes to spend an unforgettable Christmas and a wonderful holiday with you. ", "st. patricks day shirts for women christmas maternity shirts shirts for men womens flannel shirt womens christmas shirts mens t shirts long shirts for leggings for women womens t shirts breast cancer awareness shirts white t shirts for women white shirt white shirts for women saint patricks day shirts for women women's t-shirts breastfeeding shirts for women feminist t shirt st pattys day shirt shirts long sleeve shirts for women 2020 graduation shirts hawaiian shirt for men ", "hoodies & sweatshirts boys hoodies 8-20 men's fashion hoodies & sweatshirts womens hoodie pullover hoodies for women mens zip up hoodies grey zip up hoodie cool hoodies frog hoodie boys hoodies cat hoodie black hoodie men y2k pants techwear y2k fashion y2k clothes for men pastel goth cyberpunk mens clothes goth clothes gothic clothes y2k aesthetic streetwear tactical pants punk clothes goth clothes for women graphic tees y2k room decor y2k clothes y2k dress cyber y2k tactical , boys' outerwear jackets & coats fringe jacket jackets for girls rain jackets for men waterproof mens rain jacket women's blazers & suit jackets womens rain jackets black leather jacket women denim jacket for women windbreaker jacket women blazer jackets for women puffer jacket men womens contrast leopard denim jacket boys rain jacket yellow jacket trap kids rain jacket welding jacket black jacket women life jacket black jacket flannel jacket women varsity jacket men mens, Basic Tops Knitted Thermal Turtleneck Pullover Sweater Men's All Cotton Flannel Shirt, Long Sleeve Casual Button Up Plaid Shirt, Brushed Soft Outdoor Shirts Men's Casual Dress Shirt Button Down Shirts Long-Sleeve Denim Work Shirt Men's Casual Long Sleeve Stretch Dress Shirt Wrinkle-Free Regular Fit Button Down Shirts Men's Long Sleeve Dress Shirt Solid Slim Fit Casual Business Formal Button Up Shirts with Pocket Men's Flannel Plaid Shirts Long Sleeve Regular Fit Button Down, Men's Sweatshirt Hipster Gym Long Sleeve Drawstring Hooded Plaid Jacquard Pullover Hoodies Heavyweight Sherpa Hoodies for Men, Thick Fleece Lined Full Zip Up Winter Warm Sweatshirts Work Jackets Men's Novelty Color Block Pullover Fleece Hoodie Long Sleeve Casual Sweatshirt with Pocket Men's Plaid Hooded Shirts Casual Long Sleeve Lightweight Shirt Jackets Mens Fuzzy Sherpa Pullover Hoodie Sweatshirts Long Sleeve Sport Front Pocket Fall Outwear Winter Hooded Heavyweight Sherpa"], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A221G3YZMUV09Q", "seller_name": "WENKOMG1\u27088-16 DELIVERY \ud83d\udc55\ud83d\udc56Up to 50% off", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QGK5XHZ", "category": "fashion", "query": "Men's Tuxedo Shirts", "page": 176, "small_description_old": "\ud83d\udc55\ud83d\udc56Logistics size\ud83d\udc55\ud83d\udc56 Standard lead time: 8-16 days. Expedited delivery: 3-7 days. Shipped within 24 hours. You can refer to the size chart in the picture. It is recommended to buy a larger size. Imported Cotton lining \ud83d\udc55\ud83d\udc56Best Gifts\ud83d\udc55\ud83d\udc56Great for Father's Day,Valentine's Day, Halloween, Christmas, 4th of july, Daily, Lounge Wear, Party, Hang Out With Friends, Dating, School, Holiday, Travel, Vacation, Office, Work, Also Great Gifts For Families/Friends. closure \ud83d\udc55\ud83d\udc56100% satisfied\ud83d\udc55\ud83d\udc56 We sell men's clothing. If you have any questions, you can ask us and we will serve you within 24 hours. Search the WENKOMG1 store on Amazon to get more of our products. WENKOMG1 hopes to spend an unforgettable Christmas and a wonderful holiday with you. boys 4th of july shirt dad shirts for father's day girls st patricks day shirt girls christmas shirt long sleeve workout shirts for women st patricks day shirt mens american flag t shirt men christmas tee shirts for women white t shirts for men black long sleeve shirt women saint patricks day shirts for men mens christmas t shirts christmas t shirts men hawaiian shirts flannel shirt for men girls valentines day shirt work out shirts woman funny t shirts for men mens st patricks day true classic tees men gilden tee shirts mens womens graphic tees golf glove womens long sleeve tee shirt white shirts for men t shirts for men pack t shirts for men tshirt men t shirts tee shirts mens v neck undershirts mens men's t-shirts lingerie for men mens tank tops undershirt mens t shirt mens tshirts men's undershirts mens underwear briefs under shirt for men long sleeve undershirt for women v neck t shirts men undershirts for men pack mens undershirts mens t shirts \n flannel jackets for men rain jacket women jacket bomber jacket women womens flannel jacket boys jacket denim jacket winter jackets for men toddler jacket shirt jacket women heated jacket jackets girls' outerwear jackets & coats girls rain jacket sherpa jacket women men's varsity jackets faux leather jacket women jackets for women scrub jackets for women leather jacket lab coat men's sport coats & blazers winter coats for women trench coats for women coat rack freestanding coatSuit Vest Business Formal Dress Waistcoat Vest with 3 Pockets for Suit or Tuxedo Mens Floral Tuxedo Jacket Paisley Shawl Lapel Suit Blazer Jacket for Dinner,Prom,Wedding Men\u2019s Slim Fit Suit One Button 3-Piece Blazer Dress Business Wedding Party Jacket Vest & Pant Mens Formal Fashion Vest Layered Waistcoat Business Dress Suit Vests for Wedding Men's African 2 Piece Set Long Sleeve Gold Print Dashiki and Pants Outfit Traditional Suit Men's Slim Fit 2 Button 3 Piece Suit Set,Contrast Raglan Long-Sleeve Pullover Blend Fleece Hoodie with Kanga Pocket Mens Urban Hip Hop Premium Fleece Hoodie - Modern Pullover NYC Street Fashion Urbanwear Hooded Sweatshirt Unisex 3D Print Hoodies Graphic Space Pullover Hooded Sweatshirts for Men Women Casual Graphic Unisex hooded sweatshirt,Black Pullover Hoodie For Mens, Lightweight Fleece Adult Pull Mens Fuzzy Pullover Hoodie, Unisex Sherpa Lined Sweatshirt, Long Sleeve Fleece Fashion Winter Outwear Men's HoodedShow more"}, {"name": "C-DECOR Uniqueness Style Middle Coffee Table Wooden and Tempered Glass, Cocktail Table, Sofa Table for Living Room, Walnut Finish", "product_information": {"Item Weight": "\u200e55 pounds", "Product Dimensions": "\u200e53 x 27 x 16 inches", "Assembled Height": "\u200e16 inches", "Assembled Width": "\u200e27 inches", "Assembled Length": "\u200e53 inches", "Weight": "\u200e25 Kilograms", "ASIN": "B08CV7M1HV", "Customer Reviews": {"ratings_count": null, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#3,378,467 in Home & Kitchen (See Top 100 in Home & Kitchen) #4,900 in Coffee Tables"], "Date First Available": "July 13, 2020"}, "brand": "Visit the C-DECOR Store", "brand_url": "https://www.amazon.com/stores/C-DECOR/page/B5DAA991-B87B-4392-8D30-094AC79D2231?ref_=ast_bln", "full_description": "Bring uniqueness to your decor with the C-DECOR Coffee Table. This coffee table has a sleek design that adds to its beauty. It is spacious and makes a perfect addition for any home. This contemporary table is sturdy and durable. The spacious top can hold drinks, snacks and a small showpiece efficiently. The table has tapered frame that provide with stability. You can easily take care of this piece by wiping it clean with a dry cloth. PRODUCT DIMENSIONS Length:135 cm (53') Width:68 cm (27\u2033) Height: 40 cm (16\")", "pricing": "$1,200.00", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31Ht8zMR-aL.jpg", "https://m.media-amazon.com/images/I/41msye2HIpL.jpg", "https://m.media-amazon.com/images/I/41UQQmGApZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Tables \u203a Coffee Tables", "average_rating": 4, "small_description": ["A sleek design stunning example of mid century modernism design end table brings great look to your living room. ", "Eye-catching design, top oval shaped with tempered glass and frame ship shaped. ", "Surface is produced with tempered glass and base is made of pressed solid wood, assembly: Easy assembly, drill is required. ", "Maintenance: You can clean your furniture by wiping with a damp cloth. Protect from direct sunlight, avoid prolonged contact of hot surfaces and water. ", "C-Decor provides professional customer service before and after purchase; we always respond within few hours; don't wait any longer and enjoy it now. "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A2FWGH4F9YI8LR", "seller_name": "C-Decor", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08CV7M1HV", "category": "garden", "query": "Coffee Tables", "page": 117, "small_description_old": "About this item A sleek design stunning example of mid century modernism design end table brings great look to your living room. Eye-catching design, top oval shaped with tempered glass and frame ship shaped. Surface is produced with tempered glass and base is made of pressed solid wood, assembly: Easy assembly, drill is required. Maintenance: You can clean your furniture by wiping with a damp cloth. Protect from direct sunlight, avoid prolonged contact of hot surfaces and water. C-Decor provides professional customer service before and after purchase; we always respond within few hours; don't wait any longer and enjoy it now. \n \u203a See more product details"}, {"name": "Tuxedo Cat 4th of July Hat Patriotic Gift Adults Kids Raglan Baseball Tee", "product_information": "", "brand": "Brand: 4th July Tuxedo Cat TShirts Gifts", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=4th+July+Tuxedo+Cat+TShirts+Gifts", "full_description": "", "pricing": "$23.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/A1Rz2T5IgLL.png", "https://m.media-amazon.com/images/I/41CfQANfBjL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Women \u203a Tops & Tees \u203a T-Shirts", "average_rating": "", "small_description": ["Solid Colors: 100% Cotton; Heather Grey Body: 90% Cotton, 10% Polyester; Dark Heather Sleeves: 50% Cotton, 50% Polyester ", "Imported ", "Machine Wash ", "July 4th wear this cute America Tuxedo Cat shirt with USA stars stripes . ", "Wear to a cookout, party, fireworks show, or parade! Nice gift for war heros and veterans. Funny Manatee tee shirt makes nice birthday or holiday gift for adults, boys and girls.. ", "Lightweight, Classic fit, Double-needle sleeve and bottom hem "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Fit Type": [{"is_selected": true, "url": null, "value": "Men", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07T3VMGDG?_encoding=UTF8&customId=B07N71NGPW", "value": "Women", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Black/White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1Rz2T5IgLL.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07T3VMGDG?_encoding=UTF8&customId=B07N71X6F2", "value": "Dark Heather/White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1O1NuQg5ZS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07T3VMGDG?_encoding=UTF8&customId=B07N72YW6V", "value": "Navy/White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1NccXwUOxS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07T3VMGDG?_encoding=UTF8&customId=B07N73941X", "value": "Royal Blue/White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1csF7qb3bL.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07T3VMGDG?_encoding=UTF8&customId=B07N72L32R", "value": "Red/White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A11eEwyGF2L.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07T3VMGDG?_encoding=UTF8&customId=B07N71TLBG", "value": "Black/Athletic Heather", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1rBj5jPLRS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07T3VMGDG?_encoding=UTF8&customId=B07N6ZP23Q", "value": "Navy/Athletic Heather", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1Vlfyj6v5S.png"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B07N721TBH"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07N6ZHFPJ"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07N739416"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07N6ZHFPM"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07N73941C"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07T3VMGDG", "category": "fashion", "query": "Men's Tuxedo Shirts", "page": 31, "small_description_old": "Solid Colors: 100% Cotton; Heather Grey Body: 90% Cotton, 10% Polyester; Dark Heather Sleeves: 50% Cotton, 50% Polyester Imported Machine Wash July 4th wear this cute America Tuxedo Cat shirt with USA stars stripes . Wear to a cookout, party, fireworks show, or parade! Nice gift for war heros and veterans. Funny Manatee tee shirt makes nice birthday or holiday gift for adults, boys and girls.. Lightweight, Classic fit, Double-needle sleeve and bottom hem"}, {"name": "Mountain Dew Soda, 12 Fl Oz (pack of 24)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 10.2 x 7.5 x 9 inches; 12.48 Ounces", "Item model number\n \u200f": "\u200e\n 16791", "UPC\n \u200f": "\u200e\n 012000000881", "Manufacturer\n \u200f": "\u200e\n Pepsi", "ASIN\n \u200f": "\u200e\n B003QB1A72", "Best Sellers Rank": "#143,062 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#1,549 in Soda Soft Drinks", "#1,549 in Soda Soft Drinks": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Mountain Dew Store", "brand_url": "https://www.amazon.com/stores/MTNDEWGAMEFUEL/page/3354FEF4-FEE9-4D2B-A4D6-5FAC3A4CFBFE?ref_=ast_bln", "full_description": "Carbonated Soft Drink", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/61WZ5sSlmiL.jpg", "https://m.media-amazon.com/images/I/41pc6mAwjcL.jpg", "https://m.media-amazon.com/images/I/61i5VHm6vcL.jpg", "https://m.media-amazon.com/images/I/51yOr3hMPkL.jpg", "https://m.media-amazon.com/images/I/31eGgM+GG-L.jpg", "https://m.media-amazon.com/images/I/51FKHKEktGL.jpg", "https://m.media-amazon.com/images/I/61MoldDsyIL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Beverages \u203a Bottled Beverages, Water & Drink Mixes \u203a Soft Drinks", "average_rating": 4.9, "small_description": ["Pack of 24, 12 ounces.cans ", "170 calories per can ", "Mountain Dew, the original instigator, refreshes with its one of a kind great taste "], "total_reviews": 3526, "total_answered_questions": 4, "customization_options": {"Flavor Name": null, "Size": null}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B003QB1A72", "category": "grocery", "query": "Beverages", "page": 209, "small_description_old": "About this item Pack of 24, 12 ounces.cans 170 calories per can Mountain Dew, the original instigator, refreshes with its one of a kind great taste Do the Dew"}, {"name": "FEEE-ZC 60X60 Telescopic Long Distance 3 Kilometers Binoculars Telescope Green Membrane Spy Spotting Scope Heavy Duty High Definition for Concert Hiking", "product_information": {"Brand Name": "\u200eFEEE-ZC", "Material": "\u200eObjective, Metal", "Manufacturer": "\u200eEricZZ", "ASIN": "B08YNRQSBL", "Best Sellers Rank": ["#30,688 in Camera & Photo Products (See Top 100 in Camera & Photo Products) #4,820 in Binoculars"], "Date First Available": "March 11, 2021"}, "brand": "Brand: FEEE-ZC", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=FEEE-ZC", "full_description": "Specifications:Magnification: 60XEyepiece diameter: 23.95mmObjective lens diameter; 35mmExit pupil diameter: 7mmField of view range: 342ft/100ydsPrism system: BAK4 prismWaterproof function: nitrogen-filled waterproofOptical coating: FMC anti-reflection green filmMirror body material: metal + environmental protection rubberEye cup type: Folding eye maskClose focus distance: about 4 metersExit pupil distance: 15mmLength/width/height: 180\u00d760\u00d7140mmPackage Include:1x High Powered Binocular1x Backpack1x Strap1x Lens Cap1x Eyepiece cap1x Lens Cloth1x Packaging BoxesHow to care for your binocular?1.Cover the lens for not use.2.Use soft lintless cloth to wipe lens.3.To remove any remaining dirt or smudges,add one or two drops of is opropyl alcohol to the cloth.4.Suggest store binoculars at moisture-free place.Note:Please do not look at the sun through a binocular.", "pricing": "$88.51", "list_price": "", "availability_quantity": 19, "availability_status": "Only 19 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41jYTcW75nL.jpg", "https://m.media-amazon.com/images/I/41jA14uYDqL.jpg", "https://m.media-amazon.com/images/I/41vRvjS4zwL.jpg", "https://m.media-amazon.com/images/I/41zQpD+CZUL.jpg", "https://m.media-amazon.com/images/I/41d8QQCldUL.jpg", "https://m.media-amazon.com/images/I/41lR4Tp5k0L.jpg", "https://m.media-amazon.com/images/I/41zeqiKXRNL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Binoculars & Scopes \u203a Binoculars", "average_rating": "", "small_description": ["PROFESSIONAL POWERFUL BINOCULARS -Designed with 60X power magnification, 60mm large objective lens and 342ft/100yds large field of view good for fast moving subject, are ideal for bird watching, hunting, driving, sports events. ", "WEAK LIGHT VISION WITH QUALITY OPTICS -Design of Aspherical lenses and multi-layer coating guarantee excellent light transmission and well improve image brightness, contrast and quality. It can be used at night, but not in complete darkness. Suitable for concerts, opera, sightseeing and astronomical viewing. ", "DURABLE, SOLID AND ANTI-SLIP GRIP-Durable structure with odorless rubber armor for shock-resistance and Anti-slip grip, making it not only in decent appearance of more wear-resistant and moisture-proof, but also perfect for outdoor activities such as climbing, hiking, travelling, watching wildlife and scenery. ", "EASY TO FOCUS-Corrective optical coating are good for color fidelity and minimize distortion. Diopter System adjusting the imbalance vision of both eyes. The smooth and large center focus knob makes it simple to operate and easy to focus. ", "ADJUSTABLE EYE CUPS-The rubber covered eyepiece can be twisted up and down for different people adjusting a proper eye relief. The eyeglass wearers can adjust the eye relief through rising eye cups and feel more comfortable "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1P7OH19WP2MWN", "seller_name": "YoHey", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08YNRQSBL", "category": "electronics", "query": "Binoculars & Scopes", "page": 53, "small_description_old": "About this item\n \nPROFESSIONAL POWERFUL BINOCULARS -Designed with 60X power magnification, 60mm large objective lens and 342ft/100yds large field of view good for fast moving subject, are ideal for bird watching, hunting, driving, sports events. WEAK LIGHT VISION WITH QUALITY OPTICS -Design of Aspherical lenses and multi-layer coating guarantee excellent light transmission and well improve image brightness, contrast and quality. It can be used at night, but not in complete darkness. Suitable for concerts, opera, sightseeing and astronomical viewing. DURABLE, SOLID AND ANTI-SLIP GRIP-Durable structure with odorless rubber armor for shock-resistance and Anti-slip grip, making it not only in decent appearance of more wear-resistant and moisture-proof, but also perfect for outdoor activities such as climbing, hiking, travelling, watching wildlife and scenery. EASY TO FOCUS-Corrective optical coating are good for color fidelity and minimize distortion. Diopter System adjusting the imbalance vision of both eyes. The smooth and large center focus knob makes it simple to operate and easy to focus. ADJUSTABLE EYE CUPS-The rubber covered eyepiece can be twisted up and down for different people adjusting a proper eye relief. The eyeglass wearers can adjust the eye relief through rising eye cups and feel more comfortable"}, {"name": "Australian Arnott's Lemon Crisp Biscuits 250g", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 0.39 x 7.87 x 7.87 inches; 0.35 Ounces", "Manufacturer\n \u200f": "\u200e\n Arnott's", "ASIN\n \u200f": "\u200e\n B00390ALA2", "Best Sellers Rank": "#162,567 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#3,930 in Grocery Cookies", "#3,930 in Grocery Cookies": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Arnott's", "brand_url": "https://www.amazon.com/Arnotts/b/ref=bl_dp_s_web_2582449011?ie=UTF8&node=2582449011&field-lbr_brands_browse-bin=Arnott%27s", "full_description": "Arnott's Lemon Crisp Biscuits 250g. Delicious Rich Lemon Cream Filled Biscuits. Lemon Crisps are a delightful biscuit with a creamy lemon filling. Made using an Arnott family traditional recipe, Lemon Crisp was first sold from the family's bakery. Arnott's has taken two delicious sugar cookies, sprinkled them very lightly with salt, and then sandwiched a fantastic lemon cream in between them!", "pricing": "$9.38", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41dI1m69J-L.jpg", "https://m.media-amazon.com/images/I/41dI1m69J-L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Breads & Bakery \u203a Cookies", "average_rating": 4.2, "small_description": ["Made in Australia ", "A light and crispy biscuit filled with lemon cream and a delightful sprinkling of salt flakes on top ", "Uniquely sweet and savory ", "250 grams ", "Imported by Australian Products Co. "], "total_reviews": 66, "total_answered_questions": "", "customization_options": "", "seller_id": "A1CZVB50VV536K", "seller_name": "The Good stuff", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B00390ALA2", "category": "grocery", "query": "Grocery Cookies", "page": 258, "small_description_old": "About this item Made in Australia A light and crispy biscuit filled with lemon cream and a delightful sprinkling of salt flakes on top Uniquely sweet and savory 250 grams Imported by Australian Products Co."}, {"name": "Real Techniques Makeup Brushes, For Foundation, Eye Shadow & Blush, Set of 3, Purple, 3 pc. (RLT-1400)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n Yes", "Product Dimensions\n \u200f": "\u200e\n 8 x 4 x 1.7 inches; 4.68 Ounces", "Item model number\n \u200f": "\u200e\n RLT-1400", "Department\n \u200f": "\u200e\n Female", "Batteries\n \u200f": "\u200e\n 1 A batteries required.", "UPC\n \u200f": "\u200e\n 079625014006 079625014303", "Manufacturer\n \u200f": "\u200e\n Paris Presents Incorporated", "ASIN\n \u200f": "\u200e\n B004TSFEBY", "Country of Origin\n \u200f": "\u200e\n China", "Best Sellers Rank": "#141,997 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#640 in Makeup Brush Sets & Kits", "#640 in Makeup Brush Sets & Kits": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Real Techniques Store", "brand_url": "https://www.amazon.com/stores/RealTechniques/page/AA5A682A-3505-4B43-9493-233DF930B8DE?ref_=ast_bln", "full_description": "The Real Techniques Travel Essentials Set is a kit that contains the essential tools to create a complete makeup look. All the brushes have synthetic bristles and are easy to clean as well as easy to use. This set has you completely covered start to finish and includes 4 brushes to do it all: blush, bronzer, highlighter, concealer and shadows. Real Techniques is one of the first brands to bring prestige quality, award-winning, and innovative tools at a great value to the beauty obsessed around the world. Since 2011, we have been creating tools and accessories to help make the most of your favorite makeup. With a beauty community of over 5 million, Real Techniques strives to inspire, educate, and empower our fans to make the most of their favorite products. Whether you\u2019re striving for your best no-makeup look or about to make your runway debut, Real Techniques has the perfect tool for you. Our Brushes Take your look to the next level with our individual brushes and brush sets. From foundation to eye shadow and from cream blush to setting powder, accentuate your favorite features. Our lightweight, prestige quality, easy to use, and easy to clean brushes help you create defined contours, build coverage, and layer on your best makeup looks. Our Sponges Optimize your beauty routine with our versatile makeup sponges, designed with a revolutionary latex-free foam technology to evenly blend makeup for a smooth, enhanced finish. Our miracle sponges can be used damp or dry. As the makers of the #1 Makeup Sponge*, the Miracle Complexion Sponge\u00ae, we bring you the perfect sponges to help you: build coverage with liquid foundation, smooth on seamless powder, blend body makeup, and much more!", "pricing": "$13.05", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31-7RMjzBkL.jpg", "https://m.media-amazon.com/images/I/31Ov-FrP3QL.jpg", "https://m.media-amazon.com/images/I/51Vgp6RN6fL.jpg", "https://m.media-amazon.com/images/I/416pwWtaHZL.jpg", "https://m.media-amazon.com/images/I/41PhgyySchL.jpg", "https://m.media-amazon.com/images/I/416XsVQNCnL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Makeup Brushes & Tools \u203a Brush Sets", "average_rating": 4.6, "small_description": ["THE REAL TECHNIQUES EVERYDAY ESSENTIALS 2.0 set has you completely covered start to finish and includes 4 brushes to do it all: blush, bronzer, highlighter, concealer and shadows. ", "A MAKEUP BAG ESSENTIAL: Stock your makeup case with Real Technique brushes to layer on color, blend beautifully and let you define your look. Try our beauty sponges, beauty blenders or eyeshadow brushes. ", "PROFESSIONAL MAKEUP BRUSHES: From foundation to liner our brushes & beauty sponges flawlessly apply primer, concealer, eyeshadow & more. Keep your brushes germ free & clean with our makeup brush & sponge cleansers. ", "QUALITY MAKEUP APPLICATORS: We provide brushes for primer, concealer, foundation, color correction, highlight, contour & more. Look for some of our makeup brushes & sponges that're ideal for liquids, creams & powder. ", "REAL TECHNIQUES: Launching in 2011, Real Techniques created cruelty free makeup brushes with you in mind. Goodbye basic eyeshadow applicators & fingers - hello high quality makeup brushes. "], "total_reviews": 1458, "total_answered_questions": 23, "customization_options": {"Style": [{"is_selected": false, "url": "https://www.amazon.com/dp/B075RY3Y6Q/ref=twister_B07QZ4HT43?_encoding=UTF8&psc=1", "value": "Color Correcting", "price_string": "$30.95", "price": 30.95, "image": "https://m.media-amazon.com/images/I/41OSv+iVUqL.jpg"}, {"is_selected": true, "url": null, "value": "Technique Essentials", "price_string": "$13.05", "price": 13.05, "image": "https://m.media-amazon.com/images/I/31-7RMjzBkL.jpg"}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B004TSFEBY", "category": "beauty", "query": "Makeup Brushes & Tools", "page": 38, "small_description_old": "About this item THE REAL TECHNIQUES EVERYDAY ESSENTIALS 2.0 set has you completely covered start to finish and includes 4 brushes to do it all: blush, bronzer, highlighter, concealer and shadows. A MAKEUP BAG ESSENTIAL: Stock your makeup case with Real Technique brushes to layer on color, blend beautifully and let you define your look. Try our beauty sponges, beauty blenders or eyeshadow brushes. PROFESSIONAL MAKEUP BRUSHES: From foundation to liner our brushes & beauty sponges flawlessly apply primer, concealer, eyeshadow & more. Keep your brushes germ free & clean with our makeup brush & sponge cleansers. QUALITY MAKEUP APPLICATORS: We provide brushes for primer, concealer, foundation, color correction, highlight, contour & more. Look for some of our makeup brushes & sponges that're ideal for liquids, creams & powder. REAL TECHNIQUES: Launching in 2011, Real Techniques created cruelty free makeup brushes with you in mind. Goodbye basic eyeshadow applicators & fingers - hello high quality makeup brushes."}, {"name": "Replacement Remote Control for Samsung AK59-00156A DVD-E360 DVD-E360/ZA DVD VCR Combo Player - ( Compatible model: AK59-00061B )", "product_information": {"ASIN": "B08HWG1NFW", "Date First Available": "July 13, 2021", "Manufacturer": "Foxwook"}, "brand": "Brand: Foxwook", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Foxwook", "full_description": "Replacement Remote Control for Samsung AK59-00156A DVD-E360 DVD-E360/ZA DVD VCR Combo Player - ( Compatible model: AK59-00061B )", "pricing": "$29.99", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/21rZOArefBL.jpg", "https://m.media-amazon.com/images/I/21usrPZJ66L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": "", "small_description": ["PLEASE NOTE - Replacement or Universal item may not work with all functions as original ", "This is compatible item, high quality remotes controller ", "Item tested before delivery to make sure it's working perfect! ", "This unit is in PLASTIC WRAPPING ONLY ", "Package Content: 1 x Remote control without battery "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1HDAQI4ZNNDN8", "seller_name": "Atfon", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08HWG1NFW", "category": "electronics", "query": "VCRs", "page": 233, "small_description_old": "PLEASE NOTE - Replacement or Universal item may not work with all functions as original This is compatible item, high quality remotes controller Item tested before delivery to make sure it's working perfect! This unit is in PLASTIC WRAPPING ONLY Package Content: 1 x Remote control without battery"}, {"name": "Merry Christmas Snowflake Pattern Women Chiffon Short Scarf Lightweight and Compact, Easy to Carry. Beach Sarong Cover Wrap Skirt Bikini Swimwear Cover Ups Black", "product_information": {"Item Weight\n \u200f": "\u200e\n 2.33 Ounces", "Item model number\n \u200f": "\u200e\n ZJHFSGMY", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n December 8, 2021", "Manufacturer\n \u200f": "\u200e\n ZJHFSGMY", "ASIN\n \u200f": "\u200e\n B09N974RWN", "": ""}, "brand": "Brand: ZJHFSGMY", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=ZJHFSGMY", "full_description": "Perfect Cover Up This Is Beautiful!!! This Was The Perfect Cover Up Since I Liked My Bathing Suit, So It Covered My Legs My Bathing Suit Could Still Be Seen. I Received Many Compliments On The Beach, Someone Saying I Looked Like I Was In Greece!", "pricing": "$9.99", "list_price": "", "availability_status": "In stock. Usually ships within 3 to 4 days.", "images": ["https://m.media-amazon.com/images/I/41ZffAKQrHL.jpg", "https://m.media-amazon.com/images/I/41G9-UmEHjL.jpg", "https://m.media-amazon.com/images/I/41wmsA8BnbL.jpg", "https://m.media-amazon.com/images/I/41eO7JGVPML.jpg", "https://m.media-amazon.com/images/I/41JX5dvRqdL.jpg", "https://m.media-amazon.com/images/I/5191+RvtknL.jpg", "https://m.media-amazon.com/images/I/51qiUXhADLL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Swimsuits & Cover Ups \u203a Cover-Ups", "average_rating": "", "small_description": ["Chiffon ", "Machine Wash ", "Made Of 100% Polyester Chiffon With A Crinkled Surface, Silky Soft, Breathes Well, Lightweight, Quick Drying And Stays Cool On The Skin. This Elegant And Luxurious Semi-Sheer Chiffon Crinkled Fabric Has Soft Hand Finish, And A Beautiful Flowing That Feels Lovely Against The Skin, Good Drape ", "Short And Falls Above The Knee, Ties On As A High Slit Skirt, Super Sexy And Drape On A Women'S Body In A Most Elegant And Flattering Way. Split Skirt Design Allow You To Cover Up And Show Some Leg At The Same Time, You Can Tie Your Sarong Wrap Up High Around Your Waist Or Wear It Lower Down On Your Hip To Show Your Beautiful Silhouette And Sexy Slinky Figures. ", "Provides Enough Transparency To Show Your Beautiful Silhouette And Sexy Slinky Figures, Protects You From Sun, Very Light And Easy To Pack And Carry\uff0cThe Chiffon Blouse Is Designed With Extra Knotting Length, Which Makes Knotting Very Easy. ", "Can Be Worn As Beach Cover Up, Short Sarong, Pareo, Slit Skirts, Bathing Suits, Swimming Bikini, Swimsuit Wrap Around, Sarong Dress, Beach Shawl, Party Wear, Resort Wear, Tie Top, Bandana, Scarf, Ect,\u2026Perfect For Swimming, Beach, Poolside, Lake, Cruise, Vacation, Park, Leisure, Party, Etc,... All-Match With Your Swimwear. ", "Please Contact Us Immediately If You Have Any Questions After Receiving The Goods. We Are Glad To Receive Your Real-Time Feedback And Are Committed To Solving Your Problems And Meeting Your Requirements. Your Satisfaction Is Always Our Biggest Pursuit. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1VOT4UZPX15VH", "seller_name": "\u8386\u7530\u5e02\u6db5\u6c5f\u533a\u8bda\u5b87\u552f\u5929\u65e5\u7528\u54c1\u5e97", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09N974RWN", "category": "fashion", "query": "Women's Swimsuits & Cover Ups", "page": 150, "small_description_old": "Chiffon Machine Wash Made Of 100% Polyester Chiffon With A Crinkled Surface, Silky Soft, Breathes Well, Lightweight, Quick Drying And Stays Cool On The Skin. This Elegant And Luxurious Semi-Sheer Chiffon Crinkled Fabric Has Soft Hand Finish, And A Beautiful Flowing That Feels Lovely Against The Skin, Good Drape Short And Falls Above The Knee, Ties On As A High Slit Skirt, Super Sexy And Drape On A Women'S Body In A Most Elegant And Flattering Way. Split Skirt Design Allow You To Cover Up And Show Some Leg At The Same Time, You Can Tie Your Sarong Wrap Up High Around Your Waist Or Wear It Lower Down On Your Hip To Show Your Beautiful Silhouette And Sexy Slinky Figures. Provides Enough Transparency To Show Your Beautiful Silhouette And Sexy Slinky Figures, Protects You From Sun, Very Light And Easy To Pack And Carry\uff0cThe Chiffon Blouse Is Designed With Extra Knotting Length, Which Makes Knotting Very Easy. Can Be Worn As Beach Cover Up, Short Sarong, Pareo, Slit Skirts, Bathing Suits, Swimming Bikini, Swimsuit Wrap Around, Sarong Dress, Beach Shawl, Party Wear, Resort Wear, Tie Top, Bandana, Scarf, Ect,\u2026Perfect For Swimming, Beach, Poolside, Lake, Cruise, Vacation, Park, Leisure, Party, Etc,... All-Match With Your Swimwear. Please Contact Us Immediately If You Have Any Questions After Receiving The Goods. We Are Glad To Receive Your Real-Time Feedback And Are Committed To Solving Your Problems And Meeting Your Requirements. Your Satisfaction Is Always Our Biggest Pursuit."}, {"name": "Amazon Essentials Men's Slim-fit Long-Sleeve Solid Pocket Oxford Shirt", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 12.99 x 9.33 x 1.65 inches; 14.46 Ounces", "Item model number\n \u200f": "\u200e\n AE1813194", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n December 9, 2018", "Manufacturer\n \u200f": "\u200e\n Amazon Essentials", "ASIN\n \u200f": "\u200e\n B07F2G93D4", "Best Sellers Rank": "#16,363 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#144 in Men's Casual Button-Down Shirts", "#144 in Men's Casual Button-Down Shirts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "An Amazon brand - This slim-fit oxford shirt provides a classic, versatile look with box-pleated back yoke for everyday use", "pricing": "$18.50", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41WHLfg59AL.jpg", "https://m.media-amazon.com/images/I/41LN2kTzpAL.jpg", "https://m.media-amazon.com/images/I/41Adgy9OeJL.jpg", "https://m.media-amazon.com/images/I/41lufBYd31L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Shirts \u203a Casual Button-Down Shirts", "average_rating": 4.4, "small_description": ["This slim-fit oxford shirt provides a classic, versatile look with box-pleated back yoke for everyday use ", "Features a button-down collar, patch chest pocket, rounded hem and barrel cuffs ", "Work made better: we listen to customer feedback and fine-tune every detail to ensure quality, fit, and comfort "], "total_reviews": 1577, "total_answered_questions": 13, "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "X-Small", "asin": "B07F2JYL7G"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B07F22HC39"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07F2G93BJ"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07F22HHXX"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07F2G93DR"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07F258GZ9"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07F22HN39/ref=twister_B08M2VVWDT", "value": "Aqua Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41o3nH99nAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07F25KZCQ/ref=twister_B08M2VVWDT", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41o-zknjagL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07F27B13G/ref=twister_B08M2VVWDT", "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41IJBbfD2aL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07F22LFTN/ref=twister_B08M2VVWDT", "value": "Lavender", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/419CgrF5lkL.jpg"}, {"is_selected": true, "url": null, "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41WHLfg59AL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07F258BVG/ref=twister_B08M2VVWDT", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41-s-Hl8-5L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07F27B36N/ref=twister_B08M2VVWDT", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41F7CuItBPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07F22HGD6/ref=twister_B08M2VVWDT", "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41c9H7D07JL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07F2G93BJ", "category": "fashion", "query": "Men's Casual Button-Down Shirts", "page": 2, "small_description_old": "100% Cotton Imported Button closure Machine Wash This slim-fit oxford shirt provides a classic, versatile look with box-pleated back yoke for everyday use Features a button-down collar, patch chest pocket, rounded hem and barrel cuffs Work made better: we listen to customer feedback and fine-tune every detail to ensure quality, fit, and comfort"}, {"name": "Cordless Endo USB Ultra Activator Irrigator with 6pcs Titanium Tips", "product_information": {"Manufacturer\n \u200f": "\u200e\n ARIES OUTLETS", "ASIN\n \u200f": "\u200e\n B092CKF9YF", "": ""}, "brand": "Brand: ARIES OUTLETS", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ARIES+OUTLETS", "full_description": "", "pricing": "$205.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31tGhX+3OUL.jpg", "https://m.media-amazon.com/images/I/31LZeaxT-+L.jpg", "https://m.media-amazon.com/images/I/319OXZrn+3L.jpg", "https://m.media-amazon.com/images/I/31Cov-IfzHL.jpg", "https://m.media-amazon.com/images/I/31j6LYQf8iL.jpg", "https://m.media-amazon.com/images/I/417IOhp11+L.jpg", "https://m.media-amazon.com/images/I/41HgA4dfmxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Dental Floss & Picks \u203a Power Dental Flossers", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2997CTETR9P5Y", "seller_name": "Aries Outlets", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B092CKF9YF", "category": "beauty", "query": "Dental Floss & Picks", "page": 111, "small_description_old": ""}, {"name": "BOWERY HILL Traditional 84\" Tall 12-Shelf Double Wide Wood Bookcase in Espresso", "product_information": {"Manufacturer": "\u200eBowery Hill", "Brand": "\u200eBOWERY HILL", "Item Weight": "\u200e156 pounds", "Product Dimensions": "\u200e10.63 x 48 x 84 inches", "Color": "\u200eEspresso", "Shape": "\u200eTrapezoid", "Material Type": "\u200eWood", "Number of Items": "\u200e1", "Manufacturer Part Number": "\u200eBH-4752-2141706", "ASIN": "B099YQ75WT", "Best Sellers Rank": ["#2,057,393 in Home & Kitchen (See Top 100 in Home & Kitchen) #3,424 in Bookcases"], "Date First Available": "July 20, 2021"}, "brand": "Visit the BOWERY HILL Store", "brand_url": "https://www.amazon.com/stores/BOWERYHILL/page/E6BF1641-15F3-42AA-8C2B-037E1F8BFCC7?ref_=ast_bln", "full_description": "The Bowery Hill 10 shelf double wide Bookcase has a beautiful 10 step finish on wood veneer that really sets this bookshelf apart from the rest and utilizes an environmentally friendly zero VOC emissions finish process. This is a piece of furniture using solid wood trim pieces and wood veneer panels versus all the paper laminate varieties out there. Very durable with 70lb. weight capacity per shelf. 10 adjustable shelves allow you to customize the storage space to accommodate a variety of book sizes and 2 fixed shelves provide structural reinforcement. A dowel and cam lock assembly design ensures a strong durable bookcase. Wood elements are sourced in the USA and assembled in Mexico. This versatile storage bookcase is ideal for home or office use, laundry, bedroom, kitchen, garage or any other room. Ready for assembly.Features :- Materials: Genuine wood veneers and solid wood molding- 10 step polyurethane espresso finish- 10 adjustable shelves and 2 fixed shelves to accommodate large and small items- Quick, simple assembly with dowels, camlocks and an engineered wood back panel that is more durable than the cardboard on most ready to assemble bookcases- Materials are imported from the U.S. and manufactured in Mexico- Create a wall of bookcases, designed to be stacked next to each other as your storage needs grow.Specifications :- Product Dimensions : 84\"H x 48\"W x 10.63\"D- Product Weight : 156 lbs- Shelf Weight Capacity : 70 lbs per shelf for superior durability- Number of Shelves : 10 (Adjustable), 2 (Fixed)- Warranty : 2 years- Assembly Required : Yes.", "pricing": "$596.71", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/31NgxPM8+JL.jpg", "https://m.media-amazon.com/images/I/41IgF7BTA1L.jpg", "https://m.media-amazon.com/images/I/31hUeve8p3L.jpg", "https://m.media-amazon.com/images/I/216dLDYJH7L.jpg", "https://m.media-amazon.com/images/I/41pyHV-9kdL.jpg", "https://m.media-amazon.com/images/I/41mChbhXixL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Bookcases", "average_rating": "", "small_description": ["Materials: Genuine wood veneers and solid wood molding ", "10 step polyurethane espresso finish ", "10 adjustable shelves and 2 fixed shelves to accommodate large and small items ", "Quick, simple assembly with dowels, camlocks and an engineered wood back panel that is more durable than the cardboard on most ready to assemble bookcases ", "Materials are imported from the U.S. and manufactured in Mexico "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "A1QFM750CLWIW0", "seller_name": "Cymax", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B099YQ75WT", "category": "garden", "query": "Bookcases", "page": 184, "small_description_old": "About this item\n \nMaterials: Genuine wood veneers and solid wood molding 10 step polyurethane espresso finish 10 adjustable shelves and 2 fixed shelves to accommodate large and small items Quick, simple assembly with dowels, camlocks and an engineered wood back panel that is more durable than the cardboard on most ready to assemble bookcases Materials are imported from the U.S. and manufactured in Mexico"}, {"name": "Type-C to HDMI Cable for Smartphone and Laptops with Type-C (White)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 5.9 x 3.2 x 1 inches; 2.88 Ounces", "Date First Available\n \u200f": "\u200e\n January 19, 2022", "Manufacturer\n \u200f": "\u200e\n HLC", "ASIN\n \u200f": "\u200e\n B09QQWRW2M", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Brand: Generic", "brand_url": "https://www.amazon.com/Generic/b/ref=bl_dp_s_web_2529470011?ie=UTF8&node=2529470011&field-lbr_brands_browse-bin=Generic", "full_description": "Product Information: USB-C to HDMI Cable lets you use the usb Type-C port on your computer or smartphone to directly deliver visuals on your HDMI-equipped monitor/TV without the need for more accessories. - For: Newer laptop with USB Type - C ports and Smartphone with USB-C ports. - Out resolution up to 4096 x 2160P for LG G5. - 6FT Type-C to HDMI Cable for Smartphone and Laptops with Type-C - Black", "pricing": "$15.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/21ek2EPgDgL.jpg", "https://m.media-amazon.com/images/I/21dMy+-4GyL.jpg", "https://m.media-amazon.com/images/I/21YQ8s2e1yL.jpg", "https://m.media-amazon.com/images/I/21qxN63epRL.jpg", "https://m.media-amazon.com/images/I/41-RiHpl0IL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Video Cables \u203a HDMI Cables", "average_rating": "", "small_description": ["Product Information: USB-C to HDMI Cable lets you use the usb Type-C port on your computer or smartphone to directly deliver visuals on your HDMI-equipped monitor/TV without the need for more accessories. - For: Newer laptop with USB Type - C ports and Smartphone with USB-C ports. - Out resolution up to 4096 x 2160P for LG G5. - 6FT Type-C to HDMI Cable for Smartphone and Laptops with Type-C - Black "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09QRK72MB/ref=twister_B09QRLRP6K?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$15.99", "price": 15.99, "image": "https://m.media-amazon.com/images/I/211lw4fkVdL.jpg"}, {"is_selected": true, "url": null, "value": "White", "price_string": "$15.99", "price": 15.99, "image": "https://m.media-amazon.com/images/I/21ek2EPgDgL.jpg"}]}, "seller_id": "AKQPWG8SCD332", "seller_name": "HLC WHOLESALES INC", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09QQWRW2M", "category": "electronics", "query": "HDMI Cables", "page": 204, "small_description_old": "About this item\n \nProduct Information: USB-C to HDMI Cable lets you use the usb Type-C port on your computer or smartphone to directly deliver visuals on your HDMI-equipped monitor/TV without the need for more accessories. - For: Newer laptop with USB Type - C ports and Smartphone with USB-C ports. - Out resolution up to 4096 x 2160P for LG G5. - 6FT Type-C to HDMI Cable for Smartphone and Laptops with Type-C - Black"}, {"name": "Butterkist Salted Popcorn 80g X 4 Pack", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "ASIN\n \u200f": "\u200e\n B00DL08RWY", "": ""}, "brand": "Brand: Butterkist", "brand_url": "https://www.amazon.com/Butterkist/b/ref=bl_dp_s_web_19933728011?ie=UTF8&node=19933728011&field-lbr_brands_browse-bin=Butterkist", "full_description": "Butterkist Salted Popcorn 80g X 4 Pack", "pricing": "$38.91", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days. In Stock.", "images": ["https://m.media-amazon.com/images/I/31jidtUssPL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Popcorn \u203a Popped", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AV1LV4G53VFKQ", "seller_name": "Zorba Online", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B00DL08RWY", "category": "grocery", "query": "Popcorn", "page": 149, "small_description_old": ""}, {"name": "patient 7 Chakra Quotes Sign Poster Yoga Zen Meditation Wall Art Painting Canvas Print Motivational Spiritual Room Bathroom Bedroom Living Decor (16\u00d724 inch)", "product_information": {"Package Dimensions": "17.36 x 0.98 x 0.94 inches", "Item Weight": "5.6 ounces", "Manufacturer": "patient", "ASIN": "B097TTL54K", "Customer Reviews": {"ratings_count": 95, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#95,644 in Home & Kitchen (See Top 100 in Home & Kitchen) #983 in Posters & Prints"], "Date First Available": "June 24, 2021"}, "brand": "Brand: patient", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=patient", "full_description": "Unique picture16x24 inches ,Within the human energy field, the chakras are specifically organized to express attributes of human consciousness. The Flower of Life Sacred Geometry Chakra Poster is an energy activation and healing meditation. It is designed to awaken the observer to a deeper level of awareness. Simply stand in front of the poster,gazing softly at each symbol and the geometry. Allow the image to be absorbed into your energy field. By accessing the underlying energetic structure of our chakras, we strengthen ourselves on all levels of our Being. Sizing: This poster is 16inches by 24 inches (Width x Height). Printing: We print in high quality CMYK using a 300 DPI source for the best quality possible. This poster comes in a matte finish. Frame: This poster does not come with a frame. All of our posters come in standard size formats so finding a poster frame isn't difficult. About This Poster This poster is a classic. Suitable for best choice for gifts to family, friends, and colleagues. It is also a perfect gift for birthdays, weddings, anniversaries, holidays, Valentine's Day, and Christmas. Options to Hang a Poster There are many options when deciding on how to display a poster. You can mount a poster in an appropriate picture frame, hang the poster directly on to the wall using double sided tape, or mount it on to poster board and hang it on the wall directly for a three dimensional look.", "pricing": "$18.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41+R8SvjNoS.jpg", "https://m.media-amazon.com/images/I/41dCzTd9PzS.jpg", "https://m.media-amazon.com/images/I/51L1g5VvsiS.jpg", "https://m.media-amazon.com/images/I/41asutxGpIS.jpg", "https://m.media-amazon.com/images/I/4155DbirBKS.jpg", "https://m.media-amazon.com/images/I/51njcf-U3jS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Wall Art \u203a Posters & Prints", "average_rating": 4.4, "small_description": ["PERFECT ARTWORK: This 7 chakra quotes poster can make your room full of religion artistic atmosphere.The it is sure to captivate wherever it is hung.Size is 16x24inch unframed. ", "INSTALLATION INSTRUCTIONS: Your print will arrive Unframed Our prints fit standard frame sizes. Simply find the frame that best suits your style. This 7 Chakra Sign Poster can be hung on the wall using mounts, clips, push pins, or thumb tacks. ", "MATERIAL AND PRINTGING: This 7 chakra sign poster the production material is the top brand premium canvas.Adopting professionally printed with fade resistant technology and premium inks makes the printed poster more colorful and three-dimensional,ensure the posters has high clarity,all poster prints are carefully rolled and packed.To ensure they reach your hands intact. ", "SURPRISE GIFT: It's perfect for chakra quotes collection & gift,great for home, office,birthday, holidays, kids bedroom, home & office decoration, thanksgiving, christmas, children day, party favors, office wall decorations. ", "AFTER-SALES GUARANTEE: We are proud of our work and stand behind our product 100%. This 7 chakra sign poster is worth collecting,if you do not meet your expectations after receiving the goods, you can contact us, we will help you to get a satisfactory result. "], "total_reviews": 95, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09B9VKZSS/ref=twister_B097TT9DRX?_encoding=UTF8&psc=1", "value": "08 x 12 in", "price_string": "$6.99", "price": 6.99, "image": null}, {"is_selected": true, "url": null, "value": "16 x 24 in", "price_string": "$18.99", "price": 18.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09S5M3C2P/ref=twister_B097TT9DRX?_encoding=UTF8&psc=1", "value": "16\u00d724inch-Framed", "price_string": "$48.00", "price": 48, "image": null}]}, "seller_id": "A26H84W4GOG1YA", "seller_name": "WJFART", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B097TTL54K", "category": "garden", "query": "Wall art", "page": 167, "small_description_old": "About this item\n \nPERFECT ARTWORK: This 7 chakra quotes poster can make your room full of religion artistic atmosphere.The it is sure to captivate wherever it is hung.Size is 16x24inch unframed. INSTALLATION INSTRUCTIONS: Your print will arrive Unframed Our prints fit standard frame sizes. Simply find the frame that best suits your style. This 7 Chakra Sign Poster can be hung on the wall using mounts, clips, push pins, or thumb tacks. MATERIAL AND PRINTGING: This 7 chakra sign poster the production material is the top brand premium canvas.Adopting professionally printed with fade resistant technology and premium inks makes the printed poster more colorful and three-dimensional,ensure the posters has high clarity,all poster prints are carefully rolled and packed.To ensure they reach your hands intact. SURPRISE GIFT: It's perfect for chakra quotes collection & gift,great for home, office,birthday, holidays, kids bedroom, home & office decoration, thanksgiving, christmas, children day, party favors, office wall decorations. AFTER-SALES GUARANTEE: We are proud of our work and stand behind our product 100%. This 7 chakra sign poster is worth collecting,if you do not meet your expectations after receiving the goods, you can contact us, we will help you to get a satisfactory result."}, {"name": "Barbican Lemon Flavor Malt Beverage \" Non Alcoholic \" Drink - Pack of 6 Glass Bottles 330ML !", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10.91 x 10.51 x 5.12 inches; 7.12 Pounds", "UPC\n \u200f": "\u200e\n 074265000341", "Manufacturer\n \u200f": "\u200e\n Barbican", "ASIN\n \u200f": "\u200e\n B0874Y2KJR", "Best Sellers Rank": "#62,299 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#649 in Fruit Juice Beverages #795 in Amazon Launchpad Grocery", "#649 in Fruit Juice Beverages": "", "#795 in Amazon Launchpad Grocery": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Barbican", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Barbican", "full_description": "", "pricing": "$29.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51SfaPdn3PL.jpg", "https://m.media-amazon.com/images/I/31hnuL4QyWL.jpg", "https://m.media-amazon.com/images/I/41LaMT9SQLL.jpg", "https://m.media-amazon.com/images/I/41bCSh25hLL.jpg", "https://m.media-amazon.com/images/I/51U3ST4OpKL.jpg", "https://m.media-amazon.com/images/I/51NNz9ITexL.jpg", "https://m.media-amazon.com/images/I/51QUmE8dyfL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Beverages \u203a Bottled Beverages, Water & Drink Mixes \u203a Juices \u203a Fruit Juice", "average_rating": 4, "small_description": [""], "total_reviews": 95, "total_answered_questions": "", "customization_options": {"Flavor Name": [{"is_selected": false, "url": "https://www.amazon.com/dp/B0874Y5RXQ/ref=twister_B08C8PGYKY?_encoding=UTF8&psc=1", "value": "Apple", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "Lemon", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0874YBW8H/ref=twister_B08C8PGYKY?_encoding=UTF8&psc=1", "value": "Malt", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0874YHHBJ/ref=twister_B08C8PGYKY?_encoding=UTF8&psc=1", "value": "Peach", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0874XC6DW/ref=twister_B08C8PGYKY?_encoding=UTF8&psc=1", "value": "Pineapple", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0874XS5L6/ref=twister_B08C8PGYKY?_encoding=UTF8&psc=1", "value": "Raspberry", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0874YZ99W/ref=twister_B08C8PGYKY?_encoding=UTF8&psc=1", "value": "Strawberry", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08TP9WM9H/ref=twister_B08C8PGYKY", "value": "Pomegranate", "price_string": "", "price": 0, "image": null}], "Size": [{"is_selected": true, "url": null, "value": "11.1 Fl Oz (Pack of 6)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08TP36L7C/ref=twister_B08C8PGYKY?_encoding=UTF8&psc=1", "value": "11.1 Fl Oz (Pack of 24)", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A2R4B1L3A6K3AY", "seller_name": "Ziyad International", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B0874Y2KJR", "category": "grocery", "query": "Alcoholic Beverages", "page": 3, "small_description_old": ""}, {"name": "Custom Brands Group, Alta, Hunter Douglas Platinum Technology 2.0 Battery Wand", "product_information": {"Package Dimensions": "13.5 x 1.26 x 0.75 inches", "Item Weight": "1.58 ounces", "Manufacturer": "Alta & Hunter Douglas Window Coverings", "ASIN": "B010CBCDGK", "Customer Reviews": {"ratings_count": 28, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#623,892 in Home & Kitchen (See Top 100 in Home & Kitchen) #9,695 in Window Treatments"], "Is Discontinued By Manufacturer": "No", "Batteries Required?": "No"}, "brand": "Brand: Custom Brands Group", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Custom+Brands+Group", "full_description": "You will receive Hunter Douglas newest upgrade. Their are several part numbers that this battery wand will replace. Hunter Douglas changes the part number with every little upgrade. This will replaces all other 2.0 battery wands Powers all Platinum Technology 2.0 and 2.1 18V DC products. A label on top of the headrail will tell you if your blind is a Platinum Technology 2.0 and 2.1. This battery wand snaps onto mounting bracket located on the back side of the blind. Returns are subject to a 15% or more restocking fee depending on return condition.", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/21izvgwWYrL.jpg", "https://m.media-amazon.com/images/I/11HHoBkbhlL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Window Treatments", "average_rating": 4, "small_description": ["For Hunter Douglas and Alta Duette Honeycomb Shades ", "Measures 13 1/2\" long x 1 1/4\" wide ", "18V DC Holds 12 AA alkallne Batterys ", "Cables and Batterys Not Included "], "total_reviews": 28, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B010CBCDGK", "category": "garden", "query": "Window Coverings", "page": 175, "small_description_old": "About this item\n \nFor Hunter Douglas and Alta Duette Honeycomb Shades Measures 13 1/2\" long x 1 1/4\" wide 18V DC Holds 12 AA alkallne Batterys Cables and Batterys Not Included"}, {"name": "SEGESTANA Compatible with Apple Watch Band Genuine Leather Strap for Women Men 44mm 42mm 40mm 38mm Watches Bands Sport Series SE 7 6 5 4 3 2 1 iwatch Bands B004-44", "product_information": {"Date First Available\n \u200f": "\u200e\n October 12, 2021", "ASIN\n \u200f": "\u200e\n B09J89KFHQ", "Best Sellers Rank": "#925,122 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories)#36,514 in Smartwatch Bands", "#36,514 in Smartwatch Bands": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: SEGESTANA", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=SEGESTANA", "full_description": "", "pricing": "$15.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/4162oMgM4UL.jpg", "https://m.media-amazon.com/images/I/41bcrSPAijL.jpg", "https://m.media-amazon.com/images/I/310O5sb58FL.jpg", "https://m.media-amazon.com/images/I/31Vgj1JcoyL.jpg", "https://m.media-amazon.com/images/I/31pWqO94lEL.jpg", "https://m.media-amazon.com/images/I/31iA2srTo9L.jpg", "https://m.media-amazon.com/images/I/31e8MX-TJYL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Smartwatch Accessories \u203a Smartwatch Bands", "average_rating": 5, "small_description": [""], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A115M7D9WE1I6Y", "seller_name": "Segestana", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09J89KFHQ", "category": "electronics", "query": "Wearable Technology", "page": 143, "small_description_old": ""}, {"name": "Calvas Remote Control For Sony HBD-E3100 HBD-E2100 HBD-E4100 HBD-E6100 Blu-ray Home Theater System", "product_information": {"Manufacturer": "\u200eFetcus", "Part Number": "\u200eGMX-603E9625558AB630977956FC024283D7", "Material": "\u200eOther", "Item Package Quantity": "\u200e1", "ASIN": "B07W92ZTVW", "Date First Available": "August 9, 2019"}, "brand": "Brand: Fetcus", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Fetcus", "full_description": "Remote Control For Sony\u00a0 HBD-E3100\u00a0 \u00a0 HBD-E2100\u00a0 \u00a0HBD-E4100\u00a0 \u00a0HBD-E6100\u00a0 Blu-ray Home Theater SystemThis is High Quality remotes ControlCondition: NEW! We test it before delivery to make sure it's working perfect!3 Months WarrantyPackage Contents: 1X remote control\u00a0 (Batteries are not Included.)Item specifics:Use: Audio / Video PlayersWireless communication: RFModel number: HBD-E2100 HBD-E4100Package: YesChannel: 2Frequency: 433 MHzSupport app: No", "pricing": "$17.24", "list_price": "", "availability_status": "In stock. Usually ships within 3 to 4 days.", "images": ["https://m.media-amazon.com/images/I/411nx14mm2L.jpg", "https://m.media-amazon.com/images/I/41mIeQPESCL.jpg", "https://m.media-amazon.com/images/I/412EQAjdBtL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Remote Controls & Accessories \u203a Remote Controls", "average_rating": "", "small_description": ["Use: Audio / Video Players ", "Wireless communication: RF ", "Model number: HBD-E2100 HBD-E4100 ", "Package: Yes ", "Channel: 2 "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AD40IG9UA51Q8", "seller_name": "goodgoodshere", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07W92ZTVW", "category": "electronics", "query": "Home Theater Systems", "page": 374, "small_description_old": "Use: Audio / Video Players Wireless communication: RF Model number: HBD-E2100 HBD-E4100 Package: Yes Channel: 2 \n \u203a See more product details"}, {"name": "LowProfile Comfortable Seamless Underpanty Lingerie for Women Sexy Ice Silk Breathable Briefs Panties Workout Sleepwear, n8", "product_information": {"Item model number\n \u200f": "\u200e\n Lowprofile Sexy Lingerie", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n December 28, 2021", "Manufacturer\n \u200f": "\u200e\n Lowprofile", "ASIN\n \u200f": "\u200e\n B09PBDBQ8D", "": ""}, "brand": "Brand: LowProfile", "brand_url": "https://www.amazon.com/LowProfile/b/ref=bl_sl_s_ap_web_19616108011?ie=UTF8&node=19616108011&field-lbr_brands_browse-bin=LowProfile", "full_description": "\u2764\ufe0fLowprofile--New Arrivals Everyday!\u2764\ufe0fo(*\uffe3\ufe36\uffe3*)o\u2764\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u3010Feature\u3011\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2600\ufe0fMost Novelty, Fashion, Beautiful, Special and Comfortable Lingerie styles, inspire the interest of you and your lover!\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u3010Size\u3011\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2764\ufe0fRuns Small, we suggest you choose 1 or 2 larger size.\u2764\ufe0fSize: S --US: 4 --UK: 8 --EU: 34 --Waist: 57-81cm/22.44-31.89'' --Hip: 76-86cm/29.92-33.86'' --Weight: 39-51kg/85.98-112.44lb \u2764\ufe0fSize: M --US: 6 --UK: 10 --EU: 36 --Waist: 62-89cm/24.41-35.04'' --Hip: 86-102cm/33.86-40.16'' --Weight: 52-61kg/114.64-134.48lb \u2764\ufe0fSize: L --US: 8 --UK: 12 --EU: 38 --Waist: 65-97cm/25.60-38.19'' --Hip: 102-117cm/40.16-46.06'' --Weight: 62-66kg/136.69-145.51lb \u2764\ufe0fSize: XL --US: 10 --UK: 14 --EU: 40 --Waist: 71-105cm/27.95-41.34'' --Hip: 117-128cm/46.06-50.39'' --Weight: 67-76kg/147.71-167.55lb \u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u3010Attention\u3011\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2744\ufe0f\u2600\ufe0f-More detail, please contact us and we promise to help you to Answer and Resolve the problem ASAP.", "pricing": "$9.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41wtNQOyDeL.jpg", "https://m.media-amazon.com/images/I/31PQ9-VAvxL.jpg", "https://m.media-amazon.com/images/I/31711xNwh9L.jpg", "https://m.media-amazon.com/images/I/41Q2HZvLyJL.jpg", "https://m.media-amazon.com/images/I/31VG1IDpNcL.jpg", "https://m.media-amazon.com/images/I/41SfsAvniOL.jpg", "https://m.media-amazon.com/images/I/41SfsAvniOL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Lingerie, Sleep & Lounge \u203a Lingerie \u203a Panties \u203a Briefs", "average_rating": "", "small_description": "\u2764\ufe0f Runs Small, we suggest you choose 1 or 2 larger size. Before order plz refer to our Size Chart at left picture or in description. \u2764\ufe0f Valentine's Day Deals\ud83d\udd25 Buy 5 Save 20%\ud83d\udd25 Buy 4 Save 15% \ud83d\udd25 Buy 3 Save 12%\ud83d\udd25 Buy 2 Save 8% \u2764\ufe0f The sexy lingerie set for women naughty sex play design makes you look even more glamorous. sexy and seductive to draw your lover's attention, wonderful choice for your hot night. This is the best Valentines Day gifts for her & him. \u2764\ufe0f Soft materials make you comfortable to wear and keep your body in a state of complete relaxation, high exhilarate. It gives you a soft touch and enjoys a dreamy romantic night with him. \u2764\ufe0f Suitable for Valentine's Day, Dating, Wedding Honeymoon for Bride, Anniversary, Christmas Halloween Holiday, Role Playing and Cosplay Party. This is the best gifts for her&him! \u2764\ufe0f We have in our shop a Wide Variety of Womens & Mens Clothing Styles, Sleep & Lounge Wear, Pajamas, Fishnet Stockings, Role Playing Costume, Sweatpants, Leggings, Thermal Underwear, Trousers, Babydoll Lingerie, Thongs, Panties Etc. sexy lingerie set for women for sex naughty plus size sleep & lounge play crotchless womens exotic black babydoll red mens white school girl latex cosplay anime stockings teddy bridal dress \u2764\ufe0f Sexy lingerie set for women for sex naughty play crotchless plus size womens exotic babydoll school girl corset black slutty bodysuit fishnet leather bow bondaged maid outfit holiday teddy white strappy garter stockings lace role playing push up schoolgirl exotic robe camisoles tanks baby doll one piece open crotch latex skirt goth nurse cupless sleepwear underwear lencer\u00eda sexo.", "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09PBDBQ8D/ref=twister_B09PBF7JWC", "value": "1#yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41T-jDlXVfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PBF4N6H/ref=twister_B09PBF7JWC", "value": "Beige", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41mFS8sdcnL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PBDKHVZ/ref=twister_B09PBF7JWC", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41y6TSwHldL.jpg"}, {"is_selected": true, "url": null, "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41wtNQOyDeL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PBDYV4X/ref=twister_B09PBF7JWC", "value": "Hot Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41J27B31ynL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PBDJCWS/ref=twister_B09PBF7JWC", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41f2xpBhTbL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PBCT8SB/ref=twister_B09PBF7JWC", "value": "Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41MR7rHwTfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PBC5DHT/ref=twister_B09PBF7JWC", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41V+MnA7dqL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PBDG57T/ref=twister_B09PBF7JWC", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41BpTrN74aL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09PBC85DS"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09PBG3GYB"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09PBDFZCH"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09PBFQZS5"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PBG3GYB", "category": "fashion", "query": "Women's Lingerie, Sleep & Lounge", "page": 150, "small_description_old": "\u2764\ufe0f Runs Small, we suggest you choose 1 or 2 larger size. Before order plz refer to our Size Chart at left picture or in description. \u2764\ufe0f Valentine's Day Deals\ud83d\udd25 Buy 5 Save 20%\ud83d\udd25 Buy 4 Save 15% \ud83d\udd25 Buy 3 Save 12%\ud83d\udd25 Buy 2 Save 8% \u2764\ufe0f The sexy lingerie set for women naughty sex play design makes you look even more glamorous. sexy and seductive to draw your lover's attention, wonderful choice for your hot night. This is the best Valentines Day gifts for her & him. \u2764\ufe0f Soft materials make you comfortable to wear and keep your body in a state of complete relaxation, high exhilarate. It gives you a soft touch and enjoys a dreamy romantic night with him. \u2764\ufe0f Suitable for Valentine's Day, Dating, Wedding Honeymoon for Bride, Anniversary, Christmas Halloween Holiday, Role Playing and Cosplay Party. This is the best gifts for her&him! \u2764\ufe0f We have in our shop a Wide Variety of Womens & Mens Clothing Styles, Sleep & Lounge Wear, Pajamas, Fishnet Stockings, Role Playing Costume, Sweatpants, Leggings, Thermal Underwear, Trousers, Babydoll Lingerie, Thongs, Panties Etc. sexy lingerie set for women for sex naughty plus size sleep & lounge play crotchless womens exotic black babydoll red mens white school girl latex cosplay anime stockings teddy bridal dress \u2764\ufe0f Sexy lingerie set for women for sex naughty play crotchless plus size womens exotic babydoll school girl corset black slutty bodysuit fishnet leather bow bondaged maid outfit holiday teddy white strappy garter stockings lace role playing push up schoolgirl exotic robe camisoles tanks baby doll one piece open crotch latex skirt goth nurse cupless sleepwear underwear lencer\u00eda sexo."}, {"name": "JETech Screen Protector for iPad Air 3 (10.5 Inch 2019 Model) and iPad Pro 10.5 (2017), Tempered Glass Film, 2-Pack", "product_information": {"Standing screen display size": "\u200e10.5 Inches", "Brand": "\u200eJETech", "Item model number": "\u200e0904A", "Item Weight": "\u200e1.48 ounces", "Product Dimensions": "\u200e8.4 x 0.01 x 6.31 inches", "Item Dimensions LxWxH": "\u200e8.4 x 0.01 x 6.31 inches", "Color": "\u200eTransparent", "Manufacturer": "\u200eJETech", "ASIN": "\u200eB07JMXLXNY", "Is Discontinued By Manufacturer": "\u200eNo", "Date First Available": "\u200eOctober 23, 2018", "Customer Reviews": {"ratings_count": 2403, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#677 in Tablet Screen Protectors"]}, "brand": "Visit the JETech Store", "brand_url": "https://www.amazon.com/stores/JETech/page/17F77063-7173-42D7-AB5B-CF7E552FDF47?ref_=ast_bln", "full_description": "", "pricing": "$11.98", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51KAO6POnVL.jpg", "https://m.media-amazon.com/images/I/411PF2j6PFL.jpg", "https://m.media-amazon.com/images/I/51W7g+f47kL.jpg", "https://m.media-amazon.com/images/I/51fTyhzpXbL.jpg", "https://m.media-amazon.com/images/I/41Aaz4iT0dL.jpg", "https://m.media-amazon.com/images/I/410ZYMDtZQL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Tablet Accessories \u203a Screen Protectors", "average_rating": 4.7, "small_description": ["Exclusively For iPad Air 10.5 (2019) and iPad Pro 10.5 (2017). Fit for iPad models: A1701/A1709/A2123/A2152/A2153 ", "Extremely high hardness: resists scratches up to 9H (harder than a knife) ", "Made with high quality 0.33mm thick premium tempered glass with rounded edges. High-response and high-transparency ", "Dust-free, fingerprint-free, one-push super easy installation, bubble free ", "Retail package includes: 2-Pack tempered glass screen protector, cleaning cloth, dust removal stick, guide stick, instructions, customer service card "], "total_reviews": 2403, "total_answered_questions": 4, "model": "\u200e0904A", "customization_options": "", "seller_id": "A3INX5OKDTYMZX", "seller_name": "PCAccessory_JETech_Authorized", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07JMXLXNY", "category": "electronics", "query": "Screen Protectors", "page": 106, "small_description_old": "About this item\n \nExclusively For iPad Air 10.5 (2019) and iPad Pro 10.5 (2017). Fit for iPad models: A1701/A1709/A2123/A2152/A2153 Extremely high hardness: resists scratches up to 9H (harder than a knife) Made with high quality 0.33mm thick premium tempered glass with rounded edges. High-response and high-transparency Dust-free, fingerprint-free, one-push super easy installation, bubble free Retail package includes: 2-Pack tempered glass screen protector, cleaning cloth, dust removal stick, guide stick, instructions, customer service card"}, {"name": "Rhomtree 36\u201d Wood Console Table Sideboard Hall Table with 2 Drawers, 1 Cabinet and 1 Shelf Modern Sofa Table for Hallway, Entryway, Living Room, Kitchen (Green with Brown Top)", "product_information": {"Product Dimensions": "36.2 x 13.97 x 34.3 inches", "Item Weight": "52 pounds", "Manufacturer": "Rhomtree", "ASIN": "B09B77K9YQ", "Country of Origin": "Vietnam", "Item model number": "WF281041", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#5,222,636 in Home & Kitchen (See Top 100 in Home & Kitchen) #5,730 in Sofa Tables"], "Date First Available": "July 26, 2021"}, "brand": "Brand: Rhomtree", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Rhomtree", "full_description": "Effortlessly fill in that blank space in your home with this console table, designed to fit all of your needs and more. Crafted with a classic vintage appearance, this table comes complete with two front facing cabinet doors that open to reveal a spacious interior, perfect for stowing away your larger necessities and keeping them out of sight. The 2 drawers minimize clutter, offering plenty of space to hold smaller items such as keys or mails while the spacious bottom shelf is the perfect place for storage baskets, shoes and more. Crafted with thick Pine and MDF wood slabs and accented with quality iron handles, this piece is manufactured for quality and exudes a high-end appeal that will leave your guests talking. Weights & Dimensions: \u2611Overall :36''x13.9''x34.3'' \u2611Shelf :36''x13.3\u2019\u2019x4.5\u2019\u2019 \u2611Clearance to Floor: 4.5'' Specifications: \u27a1Table Material :Solid + Manufactured Wood \u27a1Table Base Material :Solid Wood \u27a1Base Material Details :Pine \u27a1Drawers :Yes \u27a1Number of Drawers : 2 \u27a1Shelves Included: Yes \u27a1Number of Shelves :1 \u27a1Weight Capacity :140 Pounds \u27a1Supplier Intended and Approved Use :Residential UseNumbers of package:1 Package Size: \u25b6Package 1: 39.76 * 17.52 * 22.05 inches 52.91lbs", "pricing": "$309.90", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51nhFXOj3aS.jpg", "https://m.media-amazon.com/images/I/51UYBOEZ8xS.jpg", "https://m.media-amazon.com/images/I/41KUQEWQuYS.jpg", "https://m.media-amazon.com/images/I/41ubfuO44MS.jpg", "https://m.media-amazon.com/images/I/41NkTmOSrqS.jpg", "https://m.media-amazon.com/images/I/41NFGdvntES.jpg", "https://m.media-amazon.com/images/I/41e55+1yfzL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Tables \u203a Sofa & Console Tables", "average_rating": 5, "small_description": ["\ud83d\udc4d\u3010Eye-catching Versatility\u3011Crafted for versatility, this piece can enhance a variety of spaces and surrounding decors acting as the perfect piece to bring life into any area of your home that needs it most. Great for entry hallways, dining rooms, bedrooms and more. ", "\ud83d\udc4d\u3010High Storage Capacity\u3011 With built in shelving ranging from the front double doors to the 2 drawers, users will have plenty of space to store their belongings and avoid letting clutter accumulate on the console table. ", "\ud83d\udc4d\u3010Manufactured for Quality\u3011 Thick slabs of Pine and MDF wood are expertly crafted for a quality build with solid base legs. Features a veneer reinforced upper surface to prevent wear after prolonged usage. ", "\ud83d\udc4d\u3010Modern Vintage Design\u3011Aspects of both modern and vintage come together to create this unique piece, featuring farmhouse inspired wood frame detailing on the outer drawers with contrast from the iron handles for heightened appeal. ", "\ud83d\udc4d\u3010Easy Assembly\u3011 Manufactured for easy assembly, a single person can quickly put this console table with the straightforward step by step instructions with tools included. Large cabinet weight capacity: 60 lbs, table surface weight capacity: 140lbs, Accent drawer weight capacity: 13lbs. "], "total_reviews": 1, "total_answered_questions": "", "model": "WF281041", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09B763N62/ref=twister_B09B74NHVF?_encoding=UTF8&psc=1", "value": "Green", "price_string": "$259.90", "price": 259.9, "image": "https://m.media-amazon.com/images/I/41qkCqGgiHS.jpg"}, {"is_selected": true, "url": null, "value": "Green With Brown Top", "price_string": "$309.90", "price": 309.9, "image": "https://m.media-amazon.com/images/I/51nhFXOj3aS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09B77BZZ1/ref=twister_B09B74NHVF?_encoding=UTF8&psc=1", "value": "Navy", "price_string": "$309.90", "price": 309.9, "image": "https://m.media-amazon.com/images/I/5191q3wYYRS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09B78NJKP/ref=twister_B09B74NHVF?_encoding=UTF8&psc=1", "value": "White", "price_string": "$259.90", "price": 259.9, "image": "https://m.media-amazon.com/images/I/419WbGp1nvS.jpg"}]}, "seller_id": "A2CL0PYNAJTXU4", "seller_name": "Younie", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09B77K9YQ", "category": "garden", "query": "Console tables", "page": 134, "small_description_old": "About this item\n \n\ud83d\udc4d\u3010Eye-catching Versatility\u3011Crafted for versatility, this piece can enhance a variety of spaces and surrounding decors acting as the perfect piece to bring life into any area of your home that needs it most. Great for entry hallways, dining rooms, bedrooms and more. \ud83d\udc4d\u3010High Storage Capacity\u3011 With built in shelving ranging from the front double doors to the 2 drawers, users will have plenty of space to store their belongings and avoid letting clutter accumulate on the console table. \ud83d\udc4d\u3010Manufactured for Quality\u3011 Thick slabs of Pine and MDF wood are expertly crafted for a quality build with solid base legs. Features a veneer reinforced upper surface to prevent wear after prolonged usage. \ud83d\udc4d\u3010Modern Vintage Design\u3011Aspects of both modern and vintage come together to create this unique piece, featuring farmhouse inspired wood frame detailing on the outer drawers with contrast from the iron handles for heightened appeal. \ud83d\udc4d\u3010Easy Assembly\u3011 Manufactured for easy assembly, a single person can quickly put this console table with the straightforward step by step instructions with tools included. Large cabinet weight capacity: 60 lbs, table surface weight capacity: 140lbs, Accent drawer weight capacity: 13lbs."}, {"name": "NAUTICA H120 Bluetooth Headphones, On-Ear Wireless Headphones with Built-in Microphone Bluetooth v5.0 Wireless and Wired Stereo Headset with Deep Bass, Foldable Over-Ear Headphones (White Nude)", "product_information": {"Package Dimensions": "9.06 x 8.58 x 4.17 inches", "Item Weight": "1.12 pounds", "ASIN": "B09J2QLPR1", "Customer Reviews": {"ratings_count": 2, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#1,370 in On-Ear Headphones #2,743 in Over-Ear Headphones"], "Date First Available": "October 7, 2021", "Manufacturer": "Technofashion"}, "brand": "Visit the Nautica Store", "brand_url": "https://www.amazon.com/stores/Nautica/page/AE6F8A7E-6EEF-4FB0-8A5D-0ACDEA2E0DE4?ref_=ast_bln", "full_description": "", "pricing": "$49.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31QG3Hrzh+L.jpg", "https://m.media-amazon.com/images/I/41Ftx8xxf9L.jpg", "https://m.media-amazon.com/images/I/41ppn4dL60L.jpg", "https://m.media-amazon.com/images/I/51XFETFbsqL.jpg", "https://m.media-amazon.com/images/I/41W+X6JluTL.jpg", "https://m.media-amazon.com/images/I/411cmP+b5tL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Headphones \u203a Over-Ear Headphones", "average_rating": 4, "small_description": ["ASTONISHING SOUND QUALITY: Nautica H120 Sport Bluetooth headphones are equipped with 1.57 in / 40 mm speaker drivers, which provide the headphones powerful bass, clear vocal, and energizing high tones with perfect balanced sound. Wireless Bluetooth headset can be used for making hands-free calls within 33ft/10m wireless range. ", "WIDE COMPATIBILITY: Nautica H120 Bluetooth headphones fit most Bluetooth devices, like pc, cellphone, tablets & tv. Nautica H120 wireless headphones are a good companion for leisure, working, studying, running, and travel. Stunning design and superb performance are going to be an ideal surprising gift on any special holidays or birthdays. ", "SEAMLESS BLUETOOTH CONNECTION: H120 Bluetooth headphones built to supply a fast and stable Bluetooth v5.0 connection. When powered on, the headphones will automatically connect to the latest successfully paired device. You can also receive calls and have hands-free communication through Nautica H120 wireless headphones. ", "LONG BATTERY LIFE & DUAL MOD: The over ear headphones are Rechargeable, 500 mAh battery provides up to 20 hours of play time. The headphones will come with a 4 feet long aux cable. You do not need to worry about low battery problems for the long trip. You can switch to wired mode and enjoy your music NON-STOP. ", "COMFORTABLE & CONVENIENT: H120 On-Ear wireless Headphones, ultra-soft foldable design, not only saves space but also makes it portable. You can easily fold up and carry Nautica H120 with the complimentary storage pouch. while the lightweight build ensures they sit comfortably during listening sessions "], "total_reviews": 2, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09J2SDYHZ/ref=twister_B09J2QDWVZ?_encoding=UTF8&psc=1", "value": "BLACK BLACK", "price_string": "$49.99", "price": 49.99, "image": "https://m.media-amazon.com/images/I/31n9x9Bu2dL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09J2PRXR8/ref=twister_B09J2QDWVZ?_encoding=UTF8&psc=1", "value": "NAVY NAVY", "price_string": "$49.99", "price": 49.99, "image": "https://m.media-amazon.com/images/I/31w+bmaHt9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09J2QNJ19/ref=twister_B09J2QDWVZ?_encoding=UTF8&psc=1", "value": "NAVY RED", "price_string": "$49.99", "price": 49.99, "image": "https://m.media-amazon.com/images/I/31P-4VzLJUL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HZ5C3QY/ref=twister_B09J2QDWVZ?_encoding=UTF8&psc=1", "value": "NAVY YELLOW", "price_string": "$49.99", "price": 49.99, "image": "https://m.media-amazon.com/images/I/31awp7HjZML.jpg"}, {"is_selected": true, "url": null, "value": "WHITE NUDE", "price_string": "$49.99", "price": 49.99, "image": "https://m.media-amazon.com/images/I/31QG3Hrzh+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09J2S4CXF/ref=twister_B09J2QDWVZ?_encoding=UTF8&psc=1", "value": "WHITE OFF WHITE", "price_string": "$49.99", "price": 49.99, "image": "https://m.media-amazon.com/images/I/31kvb3k8jlL.jpg"}]}, "seller_id": "AZVXERY0YAKRU", "seller_name": "TECHNOFASHION", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09J2QLPR1", "category": "electronics", "query": "Headphones", "page": 257, "small_description_old": "About this item\n \nASTONISHING SOUND QUALITY: Nautica H120 Sport Bluetooth headphones are equipped with 1.57 in / 40 mm speaker drivers, which provide the headphones powerful bass, clear vocal, and energizing high tones with perfect balanced sound. Wireless Bluetooth headset can be used for making hands-free calls within 33ft/10m wireless range. WIDE COMPATIBILITY: Nautica H120 Bluetooth headphones fit most Bluetooth devices, like pc, cellphone, tablets & tv. Nautica H120 wireless headphones are a good companion for leisure, working, studying, running, and travel. Stunning design and superb performance are going to be an ideal surprising gift on any special holidays or birthdays. SEAMLESS BLUETOOTH CONNECTION: H120 Bluetooth headphones built to supply a fast and stable Bluetooth v5.0 connection. When powered on, the headphones will automatically connect to the latest successfully paired device. You can also receive calls and have hands-free communication through Nautica H120 wireless headphones. LONG BATTERY LIFE & DUAL MOD: The over ear headphones are Rechargeable, 500 mAh battery provides up to 20 hours of play time. The headphones will come with a 4 feet long aux cable. You do not need to worry about low battery problems for the long trip. You can switch to wired mode and enjoy your music NON-STOP. COMFORTABLE & CONVENIENT: H120 On-Ear wireless Headphones, ultra-soft foldable design, not only saves space but also makes it portable. You can easily fold up and carry Nautica H120 with the complimentary storage pouch. while the lightweight build ensures they sit comfortably during listening sessions"}, {"name": "Adjustable Cell Phone Stand, Lamicall Desk Phone Holder, Cradle, Dock, Compatible with All 4-8'' Phones, Office Accessories, All Android Smartphone - Black", "product_information": {"Product Dimensions": "3 x 3 x 4 inches", "Item Weight": "4.2 ounces", "ASIN": "B01M7U6F8T", "Item model number": "A-Stand B", "Customer Reviews": {"ratings_count": 30214, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#477 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #14 in Cell Phone Stands"], "Is Discontinued By Manufacturer": "No", "Special Features": "Watch videos / Make Face-time Calls", "Other display features": "Wireless", "Form Factor": "Cell phone stand holder", "Colour": "Black", "Department": "PHONE STAND", "Manufacturer": "Lamicall", "Date First Available": "October 25, 2016"}, "brand": "Visit the Lamicall Store", "brand_url": "https://www.amazon.com/stores/Lamicall/page/9C2768A2-32AA-4A9D-BED9-4EB7FC80F23E?ref_=ast_bln", "full_description": "", "pricing": "$12.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41ysLf9rlXL.jpg", "https://m.media-amazon.com/images/I/41EHnRqPs1L.jpg", "https://m.media-amazon.com/images/I/516OXtOO0eL.jpg", "https://m.media-amazon.com/images/I/41TbgZVviOL.jpg", "https://m.media-amazon.com/images/I/418Y6fF0C7L.jpg", "https://m.media-amazon.com/images/I/418VfpBIDgL.jpg", "https://m.media-amazon.com/images/I/51sTyjEP3AL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Stands", "average_rating": 4.8, "small_description": ["\u3010Universal Compatibility\u3011Lamicall cell phone stand can work with all smartphones from 4-8 inches, like Apple iPhone 13 Mini, iPhone 13, iPhone 13 Pro, iPhone 13 Pro Max, 12 Mini, 12, 12 Pro, 12 Pro Max, 11 Pro, 11, 11 Pro Max, SE 2020, XS, XS Max, XR, X, 8 7 6 Plus, Switch, Galaxy S21 Ultra, S20, S10, S9, S9 Plus, A71, A51, A11, Edge, Note 20 ultra Google Pixel,LG, LG,Nexus, HTC, Google Pixel, Huawei Mate Pro, Xiaomi Redmi, even with a case on. ", "\u3010Desktop Partner\u3011Great desk accessories for office and home. A smartphone stand with perfect viewing angle for making phone calls, watching movies, viewing recipes and using facetime. ", "\u3010Sleek and Elegant\u3011Made of high-quality aluminum alloy, this desk phone holder has a smooth edge, a nice finish and beautiful metallic luster. It looks sleek and elegant on your desktop. ", "\u3010Stable and Protective\u3011This phone dock with a low gravity center can hold your phone stably. Besides, its rubber cushions protect the phone from scratches and sliding. ", "\u3010Warm Tips\u3011The hook width of the mobile phone stand is 14mm, please make sure the thickness of your device is no more than 14mm (0.55 in). For a cell phone larger than 6 inches, kindly set it in landscape mode for more stability. "], "total_reviews": 30214, "total_answered_questions": 211, "model": "A-Stand B", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "$12.99", "price": 12.99, "image": "https://m.media-amazon.com/images/I/41ysLf9rlXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B072MZB2TW/ref=twister_B07KN3H32F?_encoding=UTF8&psc=1", "value": "Gray", "price_string": "$13.99", "price": 13.99, "image": "https://m.media-amazon.com/images/I/41mrovKfd6L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B071CTBNND/ref=twister_B07KN3H32F?_encoding=UTF8&psc=1", "value": "Red", "price_string": "$13.99", "price": 13.99, "image": "https://m.media-amazon.com/images/I/413x1dwKKmL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08C9JPNVF/ref=twister_B07KN3H32F?_encoding=UTF8&psc=1", "value": "Rose Gold", "price_string": "$13.99", "price": 13.99, "image": "https://m.media-amazon.com/images/I/414jhF27+DL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01M4NOUMB/ref=twister_B07KN3H32F?_encoding=UTF8&psc=1", "value": "Silver", "price_string": "$12.99", "price": 12.99, "image": "https://m.media-amazon.com/images/I/41otg0+E0xL.jpg"}]}, "seller_id": "A2D7ZWM1V15W1N", "seller_name": "LamicallDirect", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B01M7U6F8T", "category": "electronics", "query": "Cell Phones", "page": 9, "small_description_old": "About this item \u3010Universal Compatibility\u3011Lamicall cell phone stand can work with all smartphones from 4-8 inches, like Apple iPhone 13 Mini, iPhone 13, iPhone 13 Pro, iPhone 13 Pro Max, 12 Mini, 12, 12 Pro, 12 Pro Max, 11 Pro, 11, 11 Pro Max, SE 2020, XS, XS Max, XR, X, 8 7 6 Plus, Switch, Galaxy S21 Ultra, S20, S10, S9, S9 Plus, A71, A51, A11, Edge, Note 20 ultra Google Pixel,LG, LG,Nexus, HTC, Google Pixel, Huawei Mate Pro, Xiaomi Redmi, even with a case on. \u3010Desktop Partner\u3011Great desk accessories for office and home. A smartphone stand with perfect viewing angle for making phone calls, watching movies, viewing recipes and using facetime. \u3010Sleek and Elegant\u3011Made of high-quality aluminum alloy, this desk phone holder has a smooth edge, a nice finish and beautiful metallic luster. It looks sleek and elegant on your desktop. \u3010Stable and Protective\u3011This phone dock with a low gravity center can hold your phone stably. Besides, its rubber cushions protect the phone from scratches and sliding. \u3010Warm Tips\u3011The hook width of the mobile phone stand is 14mm, please make sure the thickness of your device is no more than 14mm (0.55 in). For a cell phone larger than 6 inches, kindly set it in landscape mode for more stability."}, {"name": "Latitude 7212 Rugged 11.6 FHD Tablet w/ i7-8650U / 8GB RAM / 256GB SSD/Windows 10 Pro - Single Battery (Renewed)", "product_information": {"Standing screen display size": "\u200e11.6 Inches", "RAM": "\u200e8 GB", "Hard Drive": "\u200e256 GB", "Brand": "\u200eGenuine", "Series": "\u200eLatitude", "Hardware Platform": "\u200eWindows", "Operating System": "\u200eWindows 10 Professional", "Flash Memory Size": "\u200e256 GB", "ASIN": "B08LWWRDCB", "Date First Available": "October 26, 2020"}, "brand": "Brand: Amazon Renewed", "brand_url": "https://www.amazon.com/Amazon-Renewed/b/ref=bl_dp_s_web_12653393011?ie=UTF8&node=12653393011&field-lbr_brands_browse-bin=Amazon+Renewed", "full_description": "This pre-owned or refurbished product has been professionally inspected and tested to work and look like new. How a product becomes part of Amazon Renewed, your destination for pre-owned, refurbished products: A customer buys a new product and returns it or trades it in for a newer or different model. That product is inspected and tested to work and look like new by Amazon-qualified suppliers. Then, the product is sold as an Amazon Renewed product on Amazon. If not satisfied with the purchase, renewed products are eligible for replacement or refund under the Amazon Renewed Guarantee.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51CPzT1kAsL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Computers & Tablets \u203a Tablets", "average_rating": "", "small_description": ["Dell Latitude 7212 Rugged 11.6\" FHD Tablet w/ i7-8650U / 8GB RAM / 256GB SSD / Windows 10 Pro - SINGLE BATTERY ", "Tablet comes with ONE battery "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08LWWRDCB", "category": "electronics", "query": "Tablets", "page": 218, "small_description_old": "About this item\n \nDell Latitude 7212 Rugged 11.6\" FHD Tablet w/ i7-8650U / 8GB RAM / 256GB SSD / Windows 10 Pro - SINGLE BATTERY Tablet comes with ONE battery \n \u203a See more product details"}, {"name": "Spa Headbands, Coral Fleece Makeup Headband Cosmetic Headband, Lovely Face Washing Headband Shower Headbands Headwraps, Soft Bowknot Spa Hair Band Spa Birthday Party Supplies (9 Colors)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.65 x 8.66 x 3.19 inches; 11.36 Ounces", "UPC\n \u200f": "\u200e\n 730718217123", "Manufacturer\n \u200f": "\u200e\n M&C Music Color", "ASIN\n \u200f": "\u200e\n B083YVHBXH", "Best Sellers Rank": "#33,567 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#612 in Women's Fashion Headbands", "#612 in Women's Fashion Headbands": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the M&C Music Color Store", "brand_url": "https://www.amazon.com/stores/MCMusicColor/page/FBFAF17D-17A5-472B-BF9C-C1078457BAC2?ref_=ast_bln", "full_description": "", "pricing": "$12.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51CiPQLLiFL.jpg", "https://m.media-amazon.com/images/I/51T63HrEYqL.jpg", "https://m.media-amazon.com/images/I/41UU917k7SL.jpg", "https://m.media-amazon.com/images/I/41kxVkZh0gL.jpg", "https://m.media-amazon.com/images/I/41ctfUyJ+uL.jpg", "https://m.media-amazon.com/images/I/51ke5V8z4iL.jpg", "https://m.media-amazon.com/images/I/51vsVvXy9AL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Accessories \u203a Headbands", "average_rating": 4.8, "small_description": ["\u3010INTERESTING STYLING\u3011Cute bow shape, sexy and 9 sweet colors assorted, (keeping the hairstyle, no longer affecting the mood because of the hair), the practical and distinctive spa hair wrap is worth having. ", "\u3010SOFT & DURABLE MATERIALS\u3011The cosmetic hairband is 100% Elastic Microfiber Fleece, Double-layered high-quality coral velvet, extremely soft, cushy, adorable, intimate for your skin. ", "\u3010SUPER QUALITY & PERFECT SIZE\u3011Elastic, thick, can be stretched to 11.8\", keep in place well, whether it is a child or an adult, it is suitable and comfortable to wear. ", "\u3010VARIOUS CHOICES\u3011Face wash headband\u2019s bowknot shaped on the top of headband, makes you look so extraordinary and sweet. Include 9 Pieces different stylish headbands (as the picture show) meeting your different needs, also a good choice to be the gift for your friends. ", "\u3010WIDE APPLICATION\u3011Our facial headband works great to keep your hair out of your face when brushing teeth, washing face or any time you. It applies to all styles and lengths of hair, covering your ear and holding back your hair to middle of your head "], "total_reviews": 609, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B081VWG2TR/ref=twister_B083Z1L5XD?_encoding=UTF8&psc=1", "value": "12 Colors", "price_string": "$16.99", "price": 16.99, "image": "https://m.media-amazon.com/images/I/51FoGACUDqL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08YDNJHVF/ref=twister_B083Z1L5XD?_encoding=UTF8&psc=1", "value": "12PCS Bow Hair Band", "price_string": "$15.99", "price": 15.99, "image": "https://m.media-amazon.com/images/I/51xmAqh7oVL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0858Z9FCH/ref=twister_B083Z1L5XD?_encoding=UTF8&psc=1", "value": "6 Pack", "price_string": "$12.99", "price": 12.99, "image": "https://m.media-amazon.com/images/I/51nf89kCBOL.jpg"}, {"is_selected": true, "url": null, "value": "9 Colors", "price_string": "$12.99", "price": 12.99, "image": "https://m.media-amazon.com/images/I/51CiPQLLiFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N36W9T7/ref=twister_B083Z1L5XD?_encoding=UTF8&psc=1", "value": "Multicolor 9", "price_string": "$12.99", "price": 12.99, "image": "https://m.media-amazon.com/images/I/415b4wQyPVL.jpg"}]}, "seller_id": "A70HQPF0KQ23T", "seller_name": "M&C Music Color", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B083YVHBXH", "category": "beauty", "query": "Hair Masks", "page": 65, "small_description_old": "About this item \u3010INTERESTING STYLING\u3011Cute bow shape, sexy and 9 sweet colors assorted, (keeping the hairstyle, no longer affecting the mood because of the hair), the practical and distinctive spa hair wrap is worth having. \u3010SOFT & DURABLE MATERIALS\u3011The cosmetic hairband is 100% Elastic Microfiber Fleece, Double-layered high-quality coral velvet, extremely soft, cushy, adorable, intimate for your skin. \u3010SUPER QUALITY & PERFECT SIZE\u3011Elastic, thick, can be stretched to 11.8\", keep in place well, whether it is a child or an adult, it is suitable and comfortable to wear. \u3010VARIOUS CHOICES\u3011Face wash headband\u2019s bowknot shaped on the top of headband, makes you look so extraordinary and sweet. Include 9 Pieces different stylish headbands (as the picture show) meeting your different needs, also a good choice to be the gift for your friends. \u3010WIDE APPLICATION\u3011Our facial headband works great to keep your hair out of your face when brushing teeth, washing face or any time you. It applies to all styles and lengths of hair, covering your ear and holding back your hair to middle of your head"}, {"name": "Mens Running Tennis Blade Shoes Lightweight Casual Walking Sneakers Mesh Breathable Sport Sneakers Sheet Shoes", "product_information": {"Item Weight\n \u200f": "\u200e\n 7.05 Ounces", "Item model number\n \u200f": "\u200e\n Shoe for Women", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n May 12, 2021", "Manufacturer\n \u200f": "\u200e\n Shoe for Women", "ASIN\n \u200f": "\u200e\n B094R8NPKK", "Best Sellers Rank": "#6,421,291 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#39,482 in Women's Fashion Sneakers", "#39,482 in Women's Fashion Sneakers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: PMUYBHF", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_sh_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=PMUYBHF", "full_description": "Are you looking for outstanding and comfortable running shoes? We always insists on using the best technologies and highest quality materials to produce the series of running shoes, providing you innovative, functional and stylish products. If you have any complaint or suggestion about our products or service, please send the email to us for anytime. We will give your a satisfying reply as soon as possible. Men Women's Walking Shoes Slip On Athletic Running Sneakers Knit Mesh Comfortable Work Shoe Women's Lace-up Active Sneaker - Ladies Walking Sneakers with Concealed Orthotic Arch Support Women's Brisk Slip-on Walking Shoes - Ladies Active Sneakers with Concealed Orthotic Arch Support Women's Walking Shoes Athletic Slip on Comfort Breathable Memory Foam Lightweight Casual Woven Sneakers Flats Womens Diabetic Walking Shoes Air Cushion Breathable Mesh Adjustable Outdoor Sneakers Recovery Easy On Off Strap Slip-On Slippers Comfort for Elderly Swollen Feet, Edema, Foot Pain Women's Walking Shoes Sock Sneakers - Mesh Slip On Air Cushion Lady Girls Modern Jazz Dance Easy Shoes Platform Loafers", "pricing": "$27.00", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51-wTh9LzaL.jpg", "https://m.media-amazon.com/images/I/515tmsaWSEL.jpg", "https://m.media-amazon.com/images/I/51POnRvJ3gL.jpg", "https://m.media-amazon.com/images/I/51c8gmmacvL.jpg", "https://m.media-amazon.com/images/I/518d+oWPHsL.jpg", "https://m.media-amazon.com/images/I/51TUeGbV73L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes", "average_rating": 4, "small_description": ["Shoe for Women ", "Shoe for Women ", "Rubber sole ", "Heel measures approximately Shoe for Women\" ", "Rubber material of sole possesses high durability for prolonging the wearing time of our shoes. ", "Breathable mesh upper sport shoes, expand with your foot when you run and they more comfortable closely fit to help you reduce irritation. ", "Knit upper material make it possible that your feet free breath when you run or walk. It's soft and protective to cushion your every step. , Breathable,durable,lightweight,soft,deodorant.After you walk through the day's work with these shoes, you can keep the shoes dry and comfortable. This is a great feeling., Fits for long time standing work,walking,casual,floor shoes,plantar fasciitis,nursing,fishing,gardening,dress,shopping,travel,driving,jazz,tap dance,street jazz,ballet,folk dance,zumba,athletic,workout.Women Men Sock Walking Shoes Elevator Hippy Nursing Maternity Shoes Casual Flat Slip On Loafers Sneakers Workout Gym Yellow Red Purple Mesh Standing Work Shoes"], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "8 Narrow", "asin": "B094RDG97T"}, {"is_selected": false, "is_available": true, "value": "8.5 Narrow", "asin": "B094RBX7QF"}, {"is_selected": false, "is_available": true, "value": "9 Narrow", "asin": "B094RBNS2K"}, {"is_selected": false, "is_available": true, "value": "9.5 Narrow", "asin": "B094RDL8V8"}, {"is_selected": false, "is_available": true, "value": "10.5 Narrow", "asin": "B094RBX5DY"}, {"is_selected": false, "is_available": true, "value": "11 Narrow", "asin": "B094RDZZX6"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B094R8NPKK/ref=twister_B094R9P7XJ", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41hhwFvmdXL.jpg"}, {"is_selected": true, "url": null, "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51-wTh9LzaL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B094RCKPJC/ref=twister_B094R9P7XJ", "value": "Khaki", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41bOL8OmXaL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B094RBNS2K", "category": "fashion", "query": "Women's Work & Safety Footwear", "page": 30, "small_description_old": "Shoe for Women Shoe for Women Rubber sole Heel measures approximately Shoe for Women\" Rubber material of sole possesses high durability for prolonging the wearing time of our shoes. Breathable mesh upper sport shoes, expand with your foot when you run and they more comfortable closely fit to help you reduce irritation. Knit upper material make it possible that your feet free breath when you run or walk. It's soft and protective to cushion your every step. \n Breathable,durable,lightweight,soft,deodorant.After you walk through the day's work with these shoes, you can keep the shoes dry and comfortable. This is a great feeling.Fits for long time standing work,walking,casual,floor shoes,plantar fasciitis,nursing,fishing,gardening,dress,shopping,travel,driving,jazz,tap dance,street jazz,ballet,folk dance,zumba,athletic,workout.Women Men Sock Walking Shoes Elevator Hippy Nursing Maternity Shoes Casual Flat Slip On Loafers Sneakers Workout Gym Yellow Red Purple Mesh Standing Work ShoesShow more"}, {"name": "OUAI Curl Cr\u00e8me, The Universal Cr\u00e8me for All Curl Types, Fragrance-Free, 8 Fluid Ounces", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 7.95 x 2.8 x 1.93 inches; 9.52 Ounces", "UPC\n \u200f": "\u200e\n 815402023362", "Manufacturer\n \u200f": "\u200e\n OUAI", "ASIN\n \u200f": "\u200e\n B08WG7VLQF", "Best Sellers Rank": "#15,964 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#284 in Hair Styling Gels", "#284 in Hair Styling Gels": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the OUAI Store", "brand_url": "https://www.amazon.com/stores/OUAI/page/51BFC18E-6EF2-4D38-9DBB-86B9D8B41EF7?ref_=ast_bln", "full_description": "", "pricing": "$32.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/21vNlWvprCL.jpg", "https://m.media-amazon.com/images/I/21Y-TZ1vuVL.jpg", "https://m.media-amazon.com/images/I/31ayxy6-LUL.jpg", "https://m.media-amazon.com/images/I/410N5jxtSwL.jpg", "https://m.media-amazon.com/images/I/51Mse6A+skL.jpg", "https://m.media-amazon.com/images/I/51FrZLnyC3S.jpg", "https://m.media-amazon.com/images/I/51WzdMH8KWS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Styling Products \u203a Gels", "average_rating": 4.4, "small_description": ["Let\u2019s Hear It For the Curls! Dreamed up by you, made by OUAI. After working with 150 community members over one full year of testing, we created a do-it-all curl cr\u00e8me for all curl types\u2014from curly to coily and fine to thick. OUAI Curl Cr\u00e8me defines curls, reduces frizz, and adds shine. Plus, the fragrance-free formula is ready to use as a mixer in your next curl cocktail. ", "This Is What Cremes Are Made Of. Want soft, bouncy curls? OUAI Curl Cr\u00e8me adds just the right amount of moisture and definition to every curl. Use it on wet or dry hair in any routine, from twist-outs to wash-n-go\u2019s, for soft and defined curls. Its unique texture starts out thick like your favorite ice cream, and melts into your hair like an oil. No residue, sticky fingers or crunchy curls. ", "OUAI Means Yes. In that casual Parisian way. OUAI is about being better IRL than on Instagram. It\u2019s about having honest conversations with our community. It\u2019s about letting go of unrealistic expectations and embracing your imperfections. ", "Ingredients That Get The Job Done. All OUAI products are carefully crafted to cut styling time and nourish your hair health. We put the good stuff in and leave the bad stuff out, without ever sacrificing quality. We are always trying to do better for the planet. ", "For Real Life, For Real People. Celebrity stylist Jen Atkin had used every product on the market but couldn\u2019t find a brand she or her friends could relate to. OUAI offers luxury products at affordable prices that are user friendly- no glam squad needed. "], "total_reviews": 146, "total_answered_questions": "", "customization_options": {"Scent": [{"is_selected": true, "url": null, "value": "Fragrance Free", "price_string": "$32.00", "price": 32, "image": "https://m.media-amazon.com/images/I/21vNlWvprCL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WG4CVSH/ref=twister_B08Y56TCW2?_encoding=UTF8&psc=1", "value": "North Bondi Scented", "price_string": "$32.00", "price": 32, "image": "https://m.media-amazon.com/images/I/21m212Upk7L.jpg"}]}, "seller_id": "A37ZSWO6PFG1ND", "seller_name": "Quiverr", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08WG7VLQF", "category": "beauty", "query": "Styling Products", "page": 29, "small_description_old": "About this item Let\u2019s Hear It For the Curls! Dreamed up by you, made by OUAI. After working with 150 community members over one full year of testing, we created a do-it-all curl cr\u00e8me for all curl types\u2014from curly to coily and fine to thick. OUAI Curl Cr\u00e8me defines curls, reduces frizz, and adds shine. Plus, the fragrance-free formula is ready to use as a mixer in your next curl cocktail. This Is What Cremes Are Made Of. Want soft, bouncy curls? OUAI Curl Cr\u00e8me adds just the right amount of moisture and definition to every curl. Use it on wet or dry hair in any routine, from twist-outs to wash-n-go\u2019s, for soft and defined curls. Its unique texture starts out thick like your favorite ice cream, and melts into your hair like an oil. No residue, sticky fingers or crunchy curls. OUAI Means Yes. In that casual Parisian way. OUAI is about being better IRL than on Instagram. It\u2019s about having honest conversations with our community. It\u2019s about letting go of unrealistic expectations and embracing your imperfections. Ingredients That Get The Job Done. All OUAI products are carefully crafted to cut styling time and nourish your hair health. We put the good stuff in and leave the bad stuff out, without ever sacrificing quality. We are always trying to do better for the planet. For Real Life, For Real People. Celebrity stylist Jen Atkin had used every product on the market but couldn\u2019t find a brand she or her friends could relate to. OUAI offers luxury products at affordable prices that are user friendly- no glam squad needed."}, {"name": "Russell Athletic mens Hoodie", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 13 x 8 x 1 inches; 1.29 Pounds", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n December 22, 2020", "ASIN\n \u200f": "\u200e\n B08R7SXHQZ", "Best Sellers Rank": "#1,034,801 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,198 in Men's Sweatshirts", "#1,198 in Men's Sweatshirts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Russell Athletic", "brand_url": "https://www.amazon.com/Russell-Athletic/b/ref=bl_sl_s_ap_web_2599924011?ie=UTF8&node=2599924011&field-lbr_brands_browse-bin=Russell+Athletic", "full_description": "", "pricing": "$21.00$44.08", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31z26GnAS7L.jpg", "https://m.media-amazon.com/images/I/31rtpo4H0oL.jpg", "https://m.media-amazon.com/images/I/41V-beXMfBL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Active \u203a Active Hoodies", "average_rating": 5, "small_description": ["2-ply hood with grommets ", "Matching drawcord ", "Ribbed knit cuffs and waistband ", "Front pouch pocket R\" Russell Athletic logo tab on left hem ", "Russell Athletic knows sweatshirts. Theyve been making them for more than 80 years. The Russell Athletic Mens Dri-Power Fleece Hoodie features moisture-wicking fabric, front muff pocket, ribbed cuffs and waistband, three-end fleece, and a knit drawcord. Stay dry as you sweat. "], "total_reviews": 3, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B08R7SXHQZ"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B08R7STMBS"}, {"is_selected": false, "is_available": false, "value": "Large", "asin": "B08R7T7WJK"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B08R7VGZZG"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B08R7V3F98"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B08R7S867J"}], "Color": [{"is_selected": true, "url": null, "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31z26GnAS7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08R7SYB1W/ref=twister_B09TJWQJTX", "value": "Oxford", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31SFhsyUlpL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08R7TQ5BF/ref=twister_B09TJWQJTX", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31RwxS7HYdL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08R7STMBS", "category": "fashion", "query": "Men's Fashion Hoodies & Sweatshirts", "page": 35, "small_description_old": "2-ply hood with grommets Matching drawcord Ribbed knit cuffs and waistband Front pouch pocket R\" Russell Athletic logo tab on left hem Russell Athletic knows sweatshirts. Theyve been making them for more than 80 years. The Russell Athletic Mens Dri-Power Fleece Hoodie features moisture-wicking fabric, front muff pocket, ribbed cuffs and waistband, three-end fleece, and a knit drawcord. Stay dry as you sweat."}, {"name": "Replacement Remote Control for NB820UD - Magnavox HDD/DVD Recorder", "product_information": {"Package Dimensions": "7.83 x 2.17 x 1.02 inches", "Item Weight": "2.78 ounces", "ASIN": "B07CZPMFQ2", "Item model number": "8541715031", "Customer Reviews": {"ratings_count": 41, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#10,317 in Remote Controls (Electronics)"], "Is Discontinued By Manufacturer": "No", "Date First Available": "May 10, 2018", "Manufacturer": "PURE remote"}, "brand": "Brand: PURE PLANT HOME", "brand_url": "https://www.amazon.com/PURE-PLANT-HOME/b/ref=bl_dp_s_web_4649587011?ie=UTF8&node=4649587011&field-lbr_brands_browse-bin=PURE+PLANT+HOME", "full_description": "Replacement remote control for Magnavox NB820UD For model numbers: H2160MW9 H2160MW9A MDR513H MDR513H/F7 MDR513HF7", "pricing": "$12.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41hudZud0CL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Remote Controls & Accessories \u203a Remote Controls", "average_rating": 4.6, "small_description": ["For model numbers: H2160MW9 H2160MW9A MDR513H MDR513H/F7 MDR513HF7 ", "Brand New Unit "], "total_reviews": 41, "total_answered_questions": 4, "model": "8541715031", "customization_options": "", "seller_id": "AP651I47YQC66", "seller_name": "New Remotes Inc", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07CZPMFQ2", "category": "electronics", "query": "DVD Players & Recorders", "page": 5, "small_description_old": "Replacement remote control for Magnavox NB820UD For model numbers: H2160MW9 H2160MW9A MDR513H MDR513H/F7 MDR513HF7 Brand New Unit"}, {"name": "Wood Beaded Chandelier Farmhouse Flush Mount Ceiling Light 3-Light Boho Chandelier for Bedroom,Hallway,Entryway,Lounge and Foyer", "product_information": {"Brand": "\u200eAxamate", "Manufacturer": "\u200eAxamate", "Item Weight": "\u200e4.5 pounds", "Product Dimensions": "\u200e11.8 x 11.8 x 9 inches", "Item model number": "\u200eFBA-MZC3032", "Is Discontinued By Manufacturer": "\u200eNo", "Assembled Height": "\u200e9 inches", "Assembled Length": "\u200e11.8 inches", "Assembled Width": "\u200e11.8 inches", "Assembled Depth": "\u200e12.6 inches", "Assembled Diameter": "\u200e12.6 inches", "Item Package Quantity": "\u200e1", "Style": "\u200eModern", "Color": "\u200ePendant", "Shape": "\u200eDrum", "Material": "\u200eIron", "Number of Lights": "\u200e3", "Specific Uses": "\u200eIndoor use only", "Special Features": "\u200eNot Dimmable", "Shade Material": "\u200eMetal, Wood, Iron", "Power Source": "\u200eCorded-electric", "Switch Installation Type": "\u200eCeiling Mount", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "Certification": "\u200eNo", "Type of Bulb": "\u200eIncandescent, LED, CFL, halogen", "Wattage": "\u200e240 watts", "ASIN": "B091CNTBNS", "Customer Reviews": {"ratings_count": 39, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#341,973 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #2,336 in Chandeliers"], "Date First Available": "March 29, 2021"}, "brand": "Visit the Axamate Store", "brand_url": "https://www.amazon.com/stores/AXAMATE/page/07305612-7646-4AC0-9CD4-A0EEFFC24D0F?ref_=ast_bln", "full_description": "In the fashion industry nowadays, the bohemian style has become the inevitable fashion element. More and more young people are attracted to it, whilst we were inspired to bring you this wood-beaded chandelier. SPECIFICATION : Light body: L11.8\" x W11.8\" x H9\" Style: Farmhouse/Bohemian style Ceiling Canopy Diameter: 4.7\" Material: Wood + Metal Number of Bulbs: 3 Bulb Base: E12 Wattage per Bulb: Max 60 W Bulbs Included or Not: Not included Type of Bulb: dimmable bulb, LED, halogen, incandescent, CFL Input: AC 110V - 120V Assembly Required: Yes, easy to assemble Warranty: One year warranty", "pricing": "$55.19", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/516DWfz22ZL.jpg", "https://m.media-amazon.com/images/I/51-NidHHzTL.jpg", "https://m.media-amazon.com/images/I/41ZIjFbvgUL.jpg", "https://m.media-amazon.com/images/I/51VRVF6p9zL.jpg", "https://m.media-amazon.com/images/I/512Sgrh5zlL.jpg", "https://m.media-amazon.com/images/I/512PrUC-GjL.jpg", "https://m.media-amazon.com/images/I/51osO20mm0L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Ceiling Lights \u203a Chandeliers", "average_rating": 4.7, "small_description": ["\u3010Boho Design\u3011This beaded light fixture combine with oak-wood finished hardware and nature wood beaded creating a boho yet modern atmosphere, adding a classic bohemian style. The mount bracket of this chandelier is made of iron and processed of wood-like handpainted, which is anti-corrosive and rust-proof, durable, and easy to clean. ", "\u3010Wide Application\u3011Mini light body size: D11.8\" x H9\". Ceiling canopy diameter 4.7\". This farmhouse ceiling fan is ideal for bedroom, entryway, hallway, girl's room. ", "\u3010Bulb and Source Type\u30113 x E12 x Max 60 Watts, Bulb is NOT included. Compatible with incandescent, LED, CFL, halogen or dimmable bulbs. Hollowed wood beaded design give off enough light to light up your room. It's good for relaxing and winding down in the evening ", "\u3010Easy installation\u3011 We have strung the beads together, just hang them on the lamp. It will be worth it when lamp is fitted up. ", "\u3010Worry-Free Guarante\u3011The bulb base and wires of this flush mount ceiling light fixture are UL LISTED. We provide 30 days free exchange or refund, and 1-years warranty (can mail replacement or partially refund). If you have any questions, please contact us. "], "total_reviews": 39, "total_answered_questions": 8, "model": "\u200eFBA-MZC3032", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Pendant", "price_string": "$55.19", "price": 55.19, "image": "https://m.media-amazon.com/images/I/41GKXfGMkrL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08PCYVQ9X/ref=twister_B097B8H8HL?_encoding=UTF8&psc=1", "value": "Semi Flush Mount", "price_string": "$59.99", "price": 59.99, "image": "https://m.media-amazon.com/images/I/41IqN5oE+ML.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B091CNTBNS", "category": "garden", "query": "Pendants and Chandeliers", "page": 109, "small_description_old": "About this item \u3010Boho Design\u3011This beaded light fixture combine with oak-wood finished hardware and nature wood beaded creating a boho yet modern atmosphere, adding a classic bohemian style. The mount bracket of this chandelier is made of iron and processed of wood-like handpainted, which is anti-corrosive and rust-proof, durable, and easy to clean. \u3010Wide Application\u3011Mini light body size: D11.8\" x H9\". Ceiling canopy diameter 4.7\". This farmhouse ceiling fan is ideal for bedroom, entryway, hallway, girl's room. \u3010Bulb and Source Type\u30113 x E12 x Max 60 Watts, Bulb is NOT included. Compatible with incandescent, LED, CFL, halogen or dimmable bulbs. Hollowed wood beaded design give off enough light to light up your room. It's good for relaxing and winding down in the evening \u3010Easy installation\u3011 We have strung the beads together, just hang them on the lamp. It will be worth it when lamp is fitted up. \u3010Worry-Free Guarante\u3011The bulb base and wires of this flush mount ceiling light fixture are UL LISTED. We provide 30 days free exchange or refund, and 1-years warranty (can mail replacement or partially refund). If you have any questions, please contact us. \n \u203a See more product details"}, {"name": "YONGNUO American Standard Adapter Power Switching Charger DC for Yongnuo LED Video Light YN600L Series,YN300III,YN168,YN216,YN1410,YN300Air,YN160III,YN360.", "product_information": {"Package Dimensions": "6.38 x 4.02 x 2.32 inches", "Item Weight": "15.8 ounces", "ASIN": "B00OHHTTVS", "Item model number": "American Standard Adapter", "Customer Reviews": {"ratings_count": 295, "stars": "4.6 out of 5 stars"}, "Is Discontinued By Manufacturer": "No", "Date First Available": "June 28, 2014", "Manufacturer": "Yongnuo"}, "brand": "Visit the YONGNUO Store", "brand_url": "https://www.amazon.com/stores/YONGNUO/page/4FB2E214-124D-4C29-A906-2CBBC3D7A702?ref_=ast_bln", "full_description": "Description: Use this AC power adapter charger for Yongnuo LED Video Light YN-600 AC Input Detail: 1) AC Input Voltage Range: 100-240V 2) AC Input Current: 1500mA 3) Input Frequency Range: 47-63Hz 4) No Load Power Consumption: <0.5W 6) Hold Up Time: 5ms Min.at100Vac input and output Max .Load. 7) Rise Time: 30 ms Max 8) Line Regulation: \u00b12% 9) Leakage Current: < 0.25mA DC Output Detail: 1) DC Voltage Range: 3-24V 2) DC Current Range: 100-4000mA 3) Total Regulation: 4) Ripple & Noise: 100 m Vp-p 5) Working Efficiency: 80% 6) Protections: Short Circuit Protection, Over Voltage Protection, Over Current Protection, Open Circuit Protection Specification: Reliability: 1) MTBF( Mean Time Between Failures): 50000 Hours ( Based on MIL-STD-217F) Hi-pot Test: Primary-Secondary: 3750Vac/ 5mA/ 60s Primary-Case : 500Vac/ 5mA/ 60s Burn-In Test: Full Load with 4 hours at 40 degree Regulatory Agency Certification: 1) RFI/EMI: EMC Standard: EN55022/ EN55024/ EN55013/ EN55020 2) Safety Standard: EN60065, EN60950 Note: 1\uff1a AC Rated Voltage Input: 100-240V 2\uff1a AC Max Voltage Input: 90-264V 3\uff1a AC Input Current: 1500mA 4\uff1a DC Voltage output Range: 3-24V 5\uff1a DC Current output Range: 100-4000mA 6\uff1a Approval & Safety: UL,CE,PSE,EK,SAA,C-tick, S-mark, BS,GS,CB,FCC,CEC Including: 1 x AC Apater Power Charger", "pricing": "$20.15", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/415viYggy4L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Power Accessories \u203a AC Adapters", "average_rating": 4.6, "small_description": ["YONGNUO American Standard Adapter Power Switching Charger DC for Yongnuo LED Video Light YN-600 YN600 "], "total_reviews": 295, "total_answered_questions": 32, "model": "American Standard Adapter", "customization_options": "", "seller_id": "AOJMQ6NJNAID8", "seller_name": "RC-STORE", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B00OHHTTVS", "category": "electronics", "query": "Video Glasses", "page": 94, "small_description_old": "About this item\n \nYONGNUO American Standard Adapter Power Switching Charger DC for Yongnuo LED Video Light YN-600 YN600"}, {"name": "Christopher Knight Home Omry Velvet Ottoman, Dark Teal", "product_information": {"Item Weight": "\u200e18.96 pounds", "Product Dimensions": "\u200e30.5 x 30.5 x 17 inches", "Country of Origin": "\u200eChina", "Item model number": "\u200e299920", "Is Discontinued By Manufacturer": "\u200eNo", "ASIN": "B01N4JDM7G", "Customer Reviews": {"ratings_count": 124, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#635,913 in Home & Kitchen (See Top 100 in Home & Kitchen) #962 in Ottomans"], "Date First Available": "December 29, 2016"}, "brand": "Visit the Christopher Knight Home Store", "brand_url": "https://www.amazon.com/stores/Christopher+Knight+Home/page/355CA0FB-66C1-4A81-8D38-9D7E3533B8D7?ref_=ast_bln", "full_description": "This mid-century ottoman is a great addition to any living room. This ottoman can double as a seat when the need arises, and is exceedingly comfortable, as both a seat and as an ottoman. Enjoy this beautiful ottoman in your home today. Includes: One (1) Ottoman Material: New Velvet New Velvet Composition: 100% Polyester Leg Material: Birch Color: Teal Leg Finish: Natural Light Assembly Required Dimensions: 30.50\u201d D x 30.50\u201d W x 17.00\u201d H", "pricing": "$151.70", "list_price": "", "availability_quantity": 14, "availability_status": "Only 14 left in stock (more on the way).", "images": ["https://m.media-amazon.com/images/I/31zhzG7FZnL.jpg", "https://m.media-amazon.com/images/I/4176-gs1NAL.jpg", "https://m.media-amazon.com/images/I/41MQQb-X6WL.jpg", "https://m.media-amazon.com/images/I/41IP-Kv5Y+L.jpg", "https://m.media-amazon.com/images/I/31UQn+EG3jL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Accent Furniture \u203a Ottomans", "average_rating": 4.6, "small_description": ["Includes: One (1) Ottoman ", "Dimensions: 30.50\u201d D x 30.50\u201d W x 17.00\u201d H ", "This mid-century ottoman is a great addition to any living room. This ottoman can double as a seat when the need arises, and is exceedingly comfortable, as both a seat and as an ottoman. Enjoy this beautiful ottoman in your home today. "], "total_reviews": 124, "total_answered_questions": "", "model": "\u200e299920", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B01N4JDM7G", "category": "garden", "query": "Ottomans", "page": 21, "small_description_old": "About this item Includes: One (1) Ottoman Dimensions: 30.50\u201d D x 30.50\u201d W x 17.00\u201d H This mid-century ottoman is a great addition to any living room. This ottoman can double as a seat when the need arises, and is exceedingly comfortable, as both a seat and as an ottoman. Enjoy this beautiful ottoman in your home today. \n \u203a See more product details"}, {"name": "QAZPL Drawstring Ponytail Hair, Afro Kinky Curly, Human Hair, Wig For Women, 8-20 Inch #1B Natural Black, Support Perm Or Dye (Size : 8 inch)", "product_information": {"Item Weight\n \u200f": "\u200e\n 1.1 Pounds", "Department\n \u200f": "\u200e\n Unisex-adult", "Manufacturer\n \u200f": "\u200e\n QAZPL", "ASIN\n \u200f": "\u200e\n B093HFSQ3B", "": ""}, "brand": "Brand: QAZPL", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=QAZPL", "full_description": "Global Delivery dates: about 20-25 days.Product name: Drawstring Ponytail HairColor: #1B Natural BlackHair length: 8-20 inchesMaterial: 100% Virgin Human Hair (Cut from young girl donor)Hair style: afro kinky curlyCan hair dye or perm: Yes, it's OKQuality: no shedding, no tanglePackage content: Drawstring Ponytail hair x 1How to identify wigs:Human hair: After burning it, pinch the hair with your hands to form a powder.Synthetic fiber: After burning, pinch the hair with your hands, as if plastic is burned, all stick together.", "pricing": "$47.78", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51quwxXZPnS.jpg", "https://m.media-amazon.com/images/I/51iCndFEO0S.jpg", "https://m.media-amazon.com/images/I/51NPOssfG0S.jpg", "https://m.media-amazon.com/images/I/51y2SsLjXjS.jpg", "https://m.media-amazon.com/images/I/51pdV2mXYtS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Hair Extensions", "average_rating": "", "small_description": ["Material: 100% Virgin Human Hair (Cut from young girl donor) ", "High-quality human hair wig: soft, no knots, no hair loss, no split ends, tangle free, can be perm dyed. ", "How to identify wigs: Human Hair: After burning it, pinch the hair with your hands to form a powder. Chemical fiber: After burning, pinch the hair with your hands, as if plastic is burned, all stick together. ", "Package content: Drawstring Ponytail Hair x 1 ", "Excellent after-sales service: If you have any questions about our products or have any after-sales problems after purchase, please contact us by email, we will reply you within 24 hours and deal with the problem in time. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "8 Inch", "price_string": "$47.78", "price": 47.78, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B093H9FTVH/ref=twister_B093HCWTS7?_encoding=UTF8&psc=1", "value": "10 Inch", "price_string": "$52.48", "price": 52.48, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B093HCW7S2/ref=twister_B093HCWTS7?_encoding=UTF8&psc=1", "value": "12 Inch", "price_string": "$56.10", "price": 56.1, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B093HCYCRN/ref=twister_B093HCWTS7?_encoding=UTF8&psc=1", "value": "14 Inch", "price_string": "$63.34", "price": 63.34, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B093HC67NK/ref=twister_B093HCWTS7?_encoding=UTF8&psc=1", "value": "16 Inch", "price_string": "$68.77", "price": 68.77, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B093HFH5N2/ref=twister_B093HCWTS7?_encoding=UTF8&psc=1", "value": "18 Inch", "price_string": "$76.01", "price": 76.01, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B093H97M88/ref=twister_B093HCWTS7?_encoding=UTF8&psc=1", "value": "20 Inch", "price_string": "$83.24", "price": 83.24, "image": null}]}, "seller_id": "A2R32CWTC0BGD5", "seller_name": "WJKWJH shop", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B093HFSQ3B", "category": "beauty", "query": "Hair Extensions, Wigs & Accessories", "page": 119, "small_description_old": "About this item Material: 100% Virgin Human Hair (Cut from young girl donor) High-quality human hair wig: soft, no knots, no hair loss, no split ends, tangle free, can be perm dyed. How to identify wigs: Human Hair: After burning it, pinch the hair with your hands to form a powder. Chemical fiber: After burning, pinch the hair with your hands, as if plastic is burned, all stick together. Package content: Drawstring Ponytail Hair x 1 Excellent after-sales service: If you have any questions about our products or have any after-sales problems after purchase, please contact us by email, we will reply you within 24 hours and deal with the problem in time."}, {"name": "Ottoman Footstools Folding Storage Box with Lid, Large Storage Seat Faux Leather Footstool Toy Storage Box, Yellow, 40x40x40cm (Color : Yellow, Size : 40X40X40cm)", "product_information": {"Item Weight": "\u200e3.31 pounds", "Package Dimensions": "\u200e123.23 x 15.75 x 15.75 inches", "Country of Origin": "\u200eChina", "ASIN": "B09NTCCVGX", "Date First Available": "December 19, 2021"}, "brand": "Brand: WREHLYDKM", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=WREHLYDKM", "full_description": "This exquisite and versatile footstool perfectly matches your furniture in any room. High fashion and multifunctional design, suitable for sitting and resting your feet or legs.The storage ottoman bench is covered with premium faux leather and perfect for your any room.It is used as storage chest,bed end bench,entryway shoe bench,coffee table and puppy step etc.Features:Waterproof and dirt-resistant PU, can be washed repeatedly.High-density sponge, say goodbye to hard seat.High-quality leather, comfortable and breathable.High density board, good load bearing performance.Large storage space to store books, shoes, socks and sundries.Specification:Product name: Multifunctional storage stoolProduct material: leatherStool column material: fiberboardProduct Size: 40x40x40cm , 60x40x40cm , 80x40x40cm , 90x40x40cm , 100x40x40cm , 110x40x40cm , 120x40x40cmProduct color: YellowProduct weight: 300kg/661lbsShape: rectangularUses: can be stored, sitting, restingApplicable people: adultsStyle: Nordic styleApplicable places: entrance/bedside stool/shopping mall/coffee shopPackage Contents:1 x Folding Storage OttomanNote:1. Due to the light and screen difference, the item's color may be slightly different from the pictures.2. Please allow 0.5-2 cm differences due to manual measurement.3. If you have any questions or obstacles during the purchase process, please contact us by email. We will respond to you within 24 hours.", "pricing": "$149.97", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31x2jozzltL.jpg", "https://m.media-amazon.com/images/I/41iVz4McZDL.jpg", "https://m.media-amazon.com/images/I/41foNGa5sCL.jpg", "https://m.media-amazon.com/images/I/41HpjBc4mbL.jpg", "https://m.media-amazon.com/images/I/41-MHGX+hdL.jpg", "https://m.media-amazon.com/images/I/31796AFfv9L.jpg", "https://m.media-amazon.com/images/I/51uEBuef+mL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Accent Furniture \u203a Ottomans", "average_rating": "", "small_description": ["\u2605WATERPROOF AND WEAR-RESISTANT: Selected leather fabric, soft and comfortable, wear-resistant and breathable, good water resistance, keep warm in winter, not sultry in summer. ", "\u2605CLEAR LINES: Fine workmanship, neat wiring, and metal hinges., the fashion is durable. ", "\u2605STURDY AND RELIABLE: Comfortable sitting, strong pressure resistance, wear-resistant plastic round bottom corners, protect the floor, wear-resistant and non-slip, high safety. ", "\u2605 EASY TO INSTALL: You need a few seconds to convert the flat parts of the seat into a sturdy and sturdy seat. When you need a spare chair, the foldable Ottoman can be easily folded for storage in the closet, garage and under the bed. ", "\u2605MULTI-FUNCTION FOLDING: Can be used as storage box, footstool, bed stool, extra seat, coffee table, even as a shoe bench in the corridor; elegant design screaming style, blending into any decoration "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "40X40X40cm", "price_string": "$149.97", "price": 149.97, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NTCMYNV/ref=twister_B09NTCPJ96?_encoding=UTF8&psc=1", "value": "60X40X40cm", "price_string": "$183.43", "price": 183.43, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NTDS3RP/ref=twister_B09NTCPJ96?_encoding=UTF8&psc=1", "value": "80x40x40cm", "price_string": "$259.07", "price": 259.07, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NTDJPQQ/ref=twister_B09NTCPJ96?_encoding=UTF8&psc=1", "value": "90X40X40cm", "price_string": "$282.77", "price": 282.77, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NTD1ZC3/ref=twister_B09NTCPJ96?_encoding=UTF8&psc=1", "value": "100X40X40cm", "price_string": "$325.99", "price": 325.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NTCT7TP/ref=twister_B09NTCPJ96?_encoding=UTF8&psc=1", "value": "110X40X40cm", "price_string": "$345.86", "price": 345.86, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NTCP676/ref=twister_B09NTCPJ96?_encoding=UTF8&psc=1", "value": "120X40X40cm", "price_string": "$408.24", "price": 408.24, "image": null}], "Color": null}, "seller_id": "A2RCFR0QBR7FVW", "seller_name": "Wang Lihua Store", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09NTCCVGX", "category": "garden", "query": "Ottomans", "page": 134, "small_description_old": "About this item \u2605WATERPROOF AND WEAR-RESISTANT: Selected leather fabric, soft and comfortable, wear-resistant and breathable, good water resistance, keep warm in winter, not sultry in summer. \u2605CLEAR LINES: Fine workmanship, neat wiring, and metal hinges., the fashion is durable. \u2605STURDY AND RELIABLE: Comfortable sitting, strong pressure resistance, wear-resistant plastic round bottom corners, protect the floor, wear-resistant and non-slip, high safety. \u2605 EASY TO INSTALL: You need a few seconds to convert the flat parts of the seat into a sturdy and sturdy seat. When you need a spare chair, the foldable Ottoman can be easily folded for storage in the closet, garage and under the bed. \u2605MULTI-FUNCTION FOLDING: Can be used as storage box, footstool, bed stool, extra seat, coffee table, even as a shoe bench in the corridor; elegant design screaming style, blending into any decoration \n \u203a See more product details"}, {"name": "NOURIA Intimate After Shave Protection Moisturizer By Coochy Plus - FRAGRANCE FREE: Delicate MOISTURIZING PLUS Soothing Mist For The Pubic Area & Armpits \u2013 For Razor Burns, Itchiness & Ingrown Hairs", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 3.94 x 3.94 x 3.94 inches; 6 Ounces", "UPC\n \u200f": "\u200e\n 850013300396", "Manufacturer\n \u200f": "\u200e\n IntiMD", "ASIN\n \u200f": "\u200e\n B0936C6MBM", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#135,121 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#88 in Women's Shaving Creams", "#88 in Women's Shaving Creams": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the IntiMD Store", "brand_url": "https://www.amazon.com/stores/IntiMD/page/3BBAA533-AFD1-49A2-9142-94088E17E0FB?ref_=ast_bln", "full_description": "", "pricing": "$12.95", "list_price": "", "availability_quantity": 13, "availability_status": "Only 13 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41uaVqwzzFS.jpg", "https://m.media-amazon.com/images/I/31gtJb-hFaS.jpg", "https://m.media-amazon.com/images/I/41zBcsp4MvS.jpg", "https://m.media-amazon.com/images/I/417B92UKIOS.jpg", "https://m.media-amazon.com/images/I/41pwW5FP2TS.jpg", "https://m.media-amazon.com/images/I/41tUQYKWITS.jpg", "https://m.media-amazon.com/images/I/41l2LEEphmS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Shave & Hair Removal \u203a Women's \u203a Shaving Creams, Lotions & Gels \u203a Shaving Creams", "average_rating": 4.1, "small_description": ["You, like all living beings, flourishes with nutrients and proper care. Your natural and intimate beauty demands nourishments. ", "Formulated with a consonance of highly effective botanical and organic extracs and marries them with real-world proven technologies, such as NanoPlex extraction process and HydroLock moisture retention complex, developed by IntiMD. ", "Apply after shaving or waxing, the protection moisturizer forms an invisible shield on your sensitive skin to boost nourishment, rejuvenation and continuous protection. For your intimate area, arm, underarm, leg, or any other area. ", "Effectively helps with razor bumps, in-grown hairs, razor burn, or rash and common irritations caused by shaving. Results you can feel. ", "Trusted for over 30+ years. Lab tested and time proven. NOURIA Protection Moisturizer is HRIPT Tested to be safe for all skin types. pH balanced for intimate use. "], "total_reviews": 4, "total_answered_questions": "", "customization_options": "", "seller_id": "A3FTZHTD80EGOV", "seller_name": "Oui Lab", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B0936C6MBM", "category": "beauty", "query": "Women's Fragrance", "page": 109, "small_description_old": "About this item You, like all living beings, flourishes with nutrients and proper care. Your natural and intimate beauty demands nourishments. Formulated with a consonance of highly effective botanical and organic extracs and marries them with real-world proven technologies, such as NanoPlex extraction process and HydroLock moisture retention complex, developed by IntiMD. Apply after shaving or waxing, the protection moisturizer forms an invisible shield on your sensitive skin to boost nourishment, rejuvenation and continuous protection. For your intimate area, arm, underarm, leg, or any other area. Effectively helps with razor bumps, in-grown hairs, razor burn, or rash and common irritations caused by shaving. Results you can feel. Trusted for over 30+ years. Lab tested and time proven. NOURIA Protection Moisturizer is HRIPT Tested to be safe for all skin types. pH balanced for intimate use."}, {"name": "Dream Solutions USA Brand Two-Sided PillowTop Gentle Plush King Mattress Only with Mattress Cover Protector Included - Fully Assembled, Good for Your Back, Orthopedic, Long Lasting Comfort", "product_information": {"Product Dimensions": "80 x 76 x 12 inches", "Item Weight": "145 pounds", "Manufacturer": "Dream Solutions USA", "ASIN": "B07PM8MJKZ", "Customer Reviews": {"ratings_count": null, "stars": "3.0 out of 5 stars"}, "Is Discontinued By Manufacturer": "No", "Date First Available": "September 18, 2017"}, "brand": "Brand: Dream Solutions USA", "brand_url": "https://www.amazon.com/Dream-Solutions-USA/b/ref=bl_dp_s_web_14425650011?ie=UTF8&node=14425650011&field-lbr_brands_browse-bin=Dream+Solutions+USA", "full_description": "Looking for a more restful night\u2019s sleep? Choose a Dream Solutions Brand King Size Mattress Only with Mattress Cover Protector included and enjoy true relaxation.After a long day\u2019s work, you want to crawl into bed and let your worries, stress and aches drift away as the dreams come in. But when you have an uncomfortable mattress, it\u2019s hard to let go and relax. That\u2019s why you need the Dream Solutions PillowTop Mattress Only; a double-sided pillowtop mattress that offers better support and comfort for better sleep.Complete Bed SetEach order comes with a pillow top mattress that offers gentle plus support with a cool, silky fabric. And with nearly 500 innerspring coils, you can stop tossing and turning and start waking up refreshed and feeling better every day.Product Details:Order Includes:NOTE: Bed Frame and Box Spring NOT included. Click \u2018Add to Cart\u2019 now and get a Dream Solutions Brand King Size Deluxe PillowTop Mattress Only with Mattress Cover Protector included for your bed and start getting better, deeper sleep.", "pricing": "$704.00", "list_price": "", "availability_status": "Usually ships within 6 to 10 days.", "images": ["https://m.media-amazon.com/images/I/41OWWqI0SpL.jpg", "https://m.media-amazon.com/images/I/51NtJgNLJLL.jpg", "https://m.media-amazon.com/images/I/21RcBxae0fL.jpg", "https://m.media-amazon.com/images/I/51bEJMmc5zL.jpg", "https://m.media-amazon.com/images/I/51OfAURy23L.jpg", "https://m.media-amazon.com/images/I/51-SXC12xIL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Mattresses & Box Springs \u203a Mattresses", "average_rating": 3, "small_description": ["Enhanced Comfort \u2013 Each King Mattress (76W x 80L x 12H) features a gentle plush comfort level double-sided pillow top that offers longer-lasting, reversible sleep support for years to come. ", "Quilted Softness \u2013 Along with nearly 500 innerspring coils that provide better stability and quiet support, each \u201cpillow\u201d provides approximately 2.5\u201d of plush, relaxing comfort. ", "Durable Edge Guards \u2013 Each mattress is lined with high-quality stitching and double edges to reduce wear and tear while keeping the pillows firm. ", "Sleep Quality Matters \u2013 Ensuring a better night\u2019s sleep is our priority, which is why our 12\u201d mattress comes with deluxe pillow top. ", "Every Dream Solutions Brand Double-Sided Gentle Plush King Mattress Only with Mattress Cover Protector included is backed by superior customer service. "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A12PKH3V4KOC79", "seller_name": "Dream Solutions", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07PM8MJKZ", "category": "garden", "query": "Mattresses", "page": 79, "small_description_old": "About this item\n \nEnhanced Comfort \u2013 Each King Mattress (76W x 80L x 12H) features a gentle plush comfort level double-sided pillow top that offers longer-lasting, reversible sleep support for years to come. Quilted Softness \u2013 Along with nearly 500 innerspring coils that provide better stability and quiet support, each \u201cpillow\u201d provides approximately 2.5\u201d of plush, relaxing comfort. Durable Edge Guards \u2013 Each mattress is lined with high-quality stitching and double edges to reduce wear and tear while keeping the pillows firm. Sleep Quality Matters \u2013 Ensuring a better night\u2019s sleep is our priority, which is why our 12\u201d mattress comes with deluxe pillow top. Every Dream Solutions Brand Double-Sided Gentle Plush King Mattress Only with Mattress Cover Protector included is backed by superior customer service."}, {"name": "Womens Winter Plus Velvet Thick Lamb Velvet Leggings Trousers High-Waisted Leggings Warm Pants", "product_information": {"Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n December 9, 2020", "Manufacturer\n \u200f": "\u200e\n KoLan", "ASIN\n \u200f": "\u200e\n B08Q46XHLB", "Best Sellers Rank": "#3,222,164 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#497 in Women's Novelty Leggings #1,949,279 in Women's Fashion", "#497 in Women's Novelty Leggings": "", "#1,949,279 in Women's Fashion": ""}, "brand": "Brand: KoLan", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=KoLan", "full_description": "\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\u00a0\u00a0\u00a0\u00a0 KoLan Shop\u00a0\u00a0\u00a0 \ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a\ud83c\udf3a", "pricing": "$19.43$22.31", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41UeBNxi9SL.jpg", "https://m.media-amazon.com/images/I/41DisLk3cIL.jpg", "https://m.media-amazon.com/images/I/41F6gnaisxL.jpg", "https://m.media-amazon.com/images/I/41Rdc3sIlnL.jpg", "https://m.media-amazon.com/images/I/51ISwJRD4YL.jpg", "https://m.media-amazon.com/images/I/41LeE6GVpxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Women \u203a Leggings", "average_rating": "", "small_description": ["Cotton,Polyester ", "Please note :that Asian sizes, please increase one or two size when purchasing ", "It is recommended to increase by one size closure ", "\u273fSweatpants for women mens sweatpants sweatpants for men yoga pants for women sweatpant womens sweatpants yoga pants mens pajama pants women's pants men's pants pants for women pajama pants for women cargo pants for men cargo pants for women pants for men christmas pajama pants panties for women sweat pants pajama pants for men panties mens pants cargo pants pajama pants womens pajama pants snow pants womens lounge pants ", "\u273fLeather pants women plaid pants for women womens snow pants yoga pants with pockets for women sweatpants snow pants men dress pants for women sweatpants for teen girls mens lounge pants women's panties period panties mens cargo pants plaid pants plaid pajama pants black pants for women jogger pants work pants flannel pajama pants womens panties womens lounge pant fleece lined leggings women ", "\u273fGifts for women slippers for women uggs boots for women womens sweaters sweaters for women womens slippers leggings for women ugly christmas sweater for women womens pajamas set womens boots leggings for women pajamas for women christmas gifts for women lingerie for women womens tops hoodies for women waist trainer for women socks for women christmas pajamas for women purses for women earrings for women ", "\u273fWomen's slippers christmas sweaters for women necklaces for women socks for women perfumes for women sweatpants for women shoes for women long sleeve shirts for women hey dudes for women sweatshirts for women sweater dresses for women sexy lingerie for women christmas shirts for women womens socks snow boots for women cardigans for women rings for women christmas dresses for women joggers for women winter boots for women ", "\u273fWallets for women fleece lined leggings women sports bras for women small gifts for women womens long sleeve tops best friend gifts for women bracelets for women bras for women house slippers for women scarfs for women candles gifts for women watches for women womens sweatpants winter coats for women roller skates for women yoga pants for women womens shoes crossbody bags for women womens hoodies robe for women headbands for women "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08Q46XHLB/ref=twister_B08Q41MCG9", "value": "Dark Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Ir7AjWuBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08Q42C15H/ref=twister_B08Q41MCG9", "value": "Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41rwviMJbML.jpg"}, {"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41UeBNxi9SL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B08Q41LX4G"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B08Q43LJKJ"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B08Q44H7TF"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B08Q46Y8VN"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B08Q46C2JC"}, {"is_selected": false, "is_available": true, "value": "4X-Large", "asin": "B08Q46SF1H"}, {"is_selected": false, "is_available": false, "value": "X-Large", "asin": "B08Q42FF9J"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08Q43LJKJ", "category": "fashion", "query": "Women's Pants", "page": 177, "small_description_old": "Cotton,Polyester Please note :that Asian sizes, please increase one or two size when purchasing It is recommended to increase by one size closure \u273fSweatpants for women mens sweatpants sweatpants for men yoga pants for women sweatpant womens sweatpants yoga pants mens pajama pants women's pants men's pants pants for women pajama pants for women cargo pants for men cargo pants for women pants for men christmas pajama pants panties for women sweat pants pajama pants for men panties mens pants cargo pants pajama pants womens pajama pants snow pants womens lounge pants \u273fLeather pants women plaid pants for women womens snow pants yoga pants with pockets for women sweatpants snow pants men dress pants for women sweatpants for teen girls mens lounge pants women's panties period panties mens cargo pants plaid pants plaid pajama pants black pants for women jogger pants work pants flannel pajama pants womens panties womens lounge pant fleece lined leggings women \u273fGifts for women slippers for women uggs boots for women womens sweaters sweaters for women womens slippers leggings for women ugly christmas sweater for women womens pajamas set womens boots leggings for women pajamas for women christmas gifts for women lingerie for women womens tops hoodies for women waist trainer for women socks for women christmas pajamas for women purses for women earrings for women \u273fWomen's slippers christmas sweaters for women necklaces for women socks for women perfumes for women sweatpants for women shoes for women long sleeve shirts for women hey dudes for women sweatshirts for women sweater dresses for women sexy lingerie for women christmas shirts for women womens socks snow boots for women cardigans for women rings for women christmas dresses for women joggers for women winter boots for women \u273fWallets for women fleece lined leggings women sports bras for women small gifts for women womens long sleeve tops best friend gifts for women bracelets for women bras for women house slippers for women scarfs for women candles gifts for women watches for women womens sweatpants winter coats for women roller skates for women yoga pants for women womens shoes crossbody bags for women womens hoodies robe for women headbands for women"}, {"name": "Estink File Cabinet, Grey Metal Moveable Hanging File Cabinet Nightstand Storage Cabinets with 5 Drawers Storage Filing Office Home Use,28 x 41 x 68.5 cm", "product_information": {"Item Weight": "24.6 pounds", "Manufacturer": "Estink", "ASIN": "B08R5Z7S2K"}, "brand": "Visit the Estink Store", "brand_url": "https://www.amazon.com/stores/Estink/page/1B5C3FE3-D1EF-4C27-A377-591D5F47D8A2?ref_=ast_bln", "full_description": "Features:This metal filing cabinet, with a simple yet stylish design, will be ideal for storing different papers and office stationary, but will also make a great decorative addition to your office.\u00a0With 5 drawers, this filing cabinet has ample storage space for organising different files.\u00a0The castors at the bottom of this unit make it easy to move around.\u00a0This drawer unit will suit any office decor thanks to its classic design.\u00a0As it is made of high-quality metal, it is not only sturdy, but also easy to clean and maintain.\u00a0Assembly is very easy as the necessary accessories are included in delivery.Specification:Item Type: Hanging File CabinetColour: GreyMaterial: SteelDimensions: 28 x 41 x 68.5 cm (W x D x H)With 4 small drawers and 1 big drawerMaximum load capacity per drawer: 10 kgWeight: Approx. 28143gPackage list:1 x Hanging File Cabinet", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/3163J-h6fqL.jpg", "https://m.media-amazon.com/images/I/31I-hgHdSlL.jpg", "https://m.media-amazon.com/images/I/31To2D0NxnL.jpg", "https://m.media-amazon.com/images/I/31YA+pfzyXL.jpg", "https://m.media-amazon.com/images/I/31bxktcJSFL.jpg", "https://m.media-amazon.com/images/I/31BgAhL8ZaL.jpg", "https://m.media-amazon.com/images/I/21zg7d86CLL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Office Products \u203a Office Furniture & Lighting \u203a Cabinets, Racks & Shelves \u203a File Cabinets \u203a Mobile File Cabinets", "average_rating": "", "small_description": ["\u3010Large Capacity\u3011 With 5 drawers, this filing cabinet has ample storage space for organising different files ", "\u3010Large Capacity\u3011 With 5 drawers, this filing cabinet has ample storage space for organising different files ", "\u3010With Moveable Castors\u3011The castors at the bottom of this unit make it easy to move around ", "\u3010Stylish Storage Cabinet \u3011 This metal filing cabinet, with a simple yet stylish design, will be ideal for storing different papers and office stationary, but will also make a great decorative addition to your office ", "\u3010Premium Steel Cabinet\u3011As it is made of high-quality metal, it is not only sturdy, but also easy to clean and maintain,this drawer unit will suit any office decor thanks to its classic design ", "\u3010Easy To Assemble\u3011Assembly is very easy as the necessary accessories are included in delivery "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08R5Z7S2K", "category": "garden", "query": "File Cabinets", "page": 124, "small_description_old": "\u3010Large Capacity\u3011 With 5 drawers, this filing cabinet has ample storage space for organising different files \u3010Large Capacity\u3011 With 5 drawers, this filing cabinet has ample storage space for organising different files \u3010With Moveable Castors\u3011The castors at the bottom of this unit make it easy to move around \u3010Stylish Storage Cabinet \u3011 This metal filing cabinet, with a simple yet stylish design, will be ideal for storing different papers and office stationary, but will also make a great decorative addition to your office \u3010Premium Steel Cabinet\u3011As it is made of high-quality metal, it is not only sturdy, but also easy to clean and maintain,this drawer unit will suit any office decor thanks to its classic design \u3010Easy To Assemble\u3011Assembly is very easy as the necessary accessories are included in delivery"}, {"name": "Primeda-tronic 2 Ports RJ11 Telephone and 10/100Mbps Ethernet Over Fiber Converters Extenders - PCM Voice Over Fiber Optic,Universal Single Mode 20Km and Multimode 500m", "product_information": {"Package Dimensions": "10.31 x 6.85 x 2.76 inches", "Item Weight": "1.61 pounds", "Manufacturer": "Primeda-tronic", "ASIN": "B07WGHWNSB", "Item model number": "HM-PCM2CH", "Customer Reviews": {"ratings_count": 2, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#1,261 in Computer Networking Transceivers"], "Date First Available": "August 13, 2019"}, "brand": "Brand: Primeda-tronic", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Primeda-tronic", "full_description": "Phone RJ11 port specifications: 1.Voice coding: PCM coding, 64Kbps per voice 2.Crosstalk attenuation: \u226565dB 3.Balanced noise: \u226463.7dBmop 4.Insertion loss: -3 \u00b1 0.75dB 5.Frequency characteristics: 300 to 3400 Hz (-0.6 to +3 dB) 6.Relay port (FXO): connected to the switch 7.Two-wire AC input impedance: 200+680//0.1 \u03a9 (three components) 8.Ringing voltage: 35 ~ 150V 9.Ringing frequency: 17~60HZ 10.Return loss: 20 db 11.User Interface (FXS): Connect to the user's telephone 12.Two-wire AC input impedance: 200+680//0.1 \u03a9 (three components) 13.User line loop resistance: less than 1K\u03a9 (including phone) 14.Ringing voltage peak-to-peak value: 110~150V 15.Ringing frequency: 22~28HZ 16.Feed voltage: 28V 17.Feed current: 20~50mA; 18.Return loss: 20 db 19.Bell flow: AC90 plus or minus 15V Ethernet RJ45 port specifications: 1. Rate: 10M/100Mbps, full duplex, half duplex fully adaptive 2. Actual transmission bandwidth: 50Mbps per network port 3. Protocol: Support IEEE 802.3, IEEE 802.1Q (VLAN) 4. Physical interface: RJ45, support AUTO-MDIX (cross line straight line adaptive) Power supply: 1.Working voltage AC100~240V, DC5V/2A. 2.US power supply adapter. Package include: 1x Telephone Transmitter 1x Telephone Receiver 1x 3M SC/SC singlemode fiber patch cord. 2 x US power supply adapters 1 x Manual", "pricing": "$115.00", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/41ezgs828yL.jpg", "https://m.media-amazon.com/images/I/41gstUHaGAL.jpg", "https://m.media-amazon.com/images/I/31feg4VnTvL.jpg", "https://m.media-amazon.com/images/I/4197opnjMML.jpg", "https://m.media-amazon.com/images/I/41xR0GO-V0L.jpg", "https://m.media-amazon.com/images/I/41+rdM-yX6S.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Networking Products \u203a Network Transceivers", "average_rating": 5, "small_description": ["Universal for Both Fiber Types: Same media converters can supports Single-mode fiber for a long distance up to 20 km(12miles) and Multimode fiber for a distance up to 500m(0.31miles), wavelength 1310/1550 nm ", "Extend your Phones and Network: 2 Independent telephone lines + 1 Fast Ethernet (10/100 Mbit/s) port over same Single mode or Multimode fiber cable ", "Simple to Install,Plug and Play,No setup or configuration needed, SC connector for fiber optical port, RJ-11 connector for telephone ports and RJ-45 for Ethernet ", "No Delay Transmission and Protocol Support: Unlike VoIP products - these converters transmit signals directly over fiber cables, thus offering NO DELAYS, plus support for fax & legacy applications that is not supported by VoIP lines "], "total_reviews": 2, "total_answered_questions": 5, "model": "HM-PCM2CH", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "2 channels", "price_string": "$115.00", "price": 115, "image": "https://m.media-amazon.com/images/I/41ezgs828yL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08B1TV9CN/ref=twister_B08B3H3JD6?_encoding=UTF8&psc=1", "value": "4 channels", "price_string": "$149.00", "price": 149, "image": "https://m.media-amazon.com/images/I/41jwE2--wHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08B1SNQPN/ref=twister_B08B3H3JD6?_encoding=UTF8&psc=1", "value": "8 channels", "price_string": "$182.00", "price": 182, "image": "https://m.media-amazon.com/images/I/41Lxc6fdKmL.jpg"}]}, "seller_id": "A24JLTT6RFEOSN", "seller_name": "Primeda-tronic", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07WGHWNSB", "category": "electronics", "query": "Legacy Systems", "page": 47, "small_description_old": "Universal for Both Fiber Types: Same media converters can supports Single-mode fiber for a long distance up to 20 km(12miles) and Multimode fiber for a distance up to 500m(0.31miles), wavelength 1310/1550 nm Extend your Phones and Network: 2 Independent telephone lines + 1 Fast Ethernet (10/100 Mbit/s) port over same Single mode or Multimode fiber cable Simple to Install,Plug and Play,No setup or configuration needed, SC connector for fiber optical port, RJ-11 connector for telephone ports and RJ-45 for Ethernet No Delay Transmission and Protocol Support: Unlike VoIP products - these converters transmit signals directly over fiber cables, thus offering NO DELAYS, plus support for fax & legacy applications that is not supported by VoIP lines"}, {"name": "Ruffles Ridged Potato Chips, Cheddar Sour Cream, 2.5 Oz", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 6.5 x 2.17 x 9.5 inches; 2.56 Ounces", "UPC\n \u200f": "\u200e\n 028400324427", "Manufacturer\n \u200f": "\u200e\n Ruffles", "ASIN\n \u200f": "\u200e\n B07Z4G8253", "Best Sellers Rank": "#526,223 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#4,390 in Potato Chips & Crisps", "#4,390 in Potato Chips & Crisps": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Ruffles", "brand_url": "https://www.amazon.com/Ruffles/b/ref=bl_dp_s_web_20700060011?ie=UTF8&node=20700060011&field-lbr_brands_browse-bin=Ruffles", "full_description": "Ruffles ridged potato chips, cheddar sour cream, 2.625 oz", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51A6HAw1WpL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Chips & Crisps \u203a Potato", "average_rating": 4.7, "small_description": ["Ruffles ridged potato chips, Cheddar sour cream, 2.625 oz ", "Country of origin is United States ", "Number of items: 1 ", "Each unit count: 2.5 "], "total_reviews": 62, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07Z4G8253", "category": "grocery", "query": "Sour Creams", "page": 8, "small_description_old": "About this item Ruffles ridged potato chips, Cheddar sour cream, 2.625 oz Country of origin is United States Number of items: 1 Each unit count: 2.5"}, {"name": "Nobsound DC 19V 4.74A 90W Power Supply Power Adapter Charger Universal 100-240V 50/60Hz AC Input for Amplifier Laptop DAC", "product_information": {"Package Dimensions": "6 x 6 x 2.5 inches", "Item Weight": "8.8 ounces", "ASIN": "B074J81XRB", "Item model number": "NS-01G-9019", "Customer Reviews": {"ratings_count": 185, "stars": "4.6 out of 5 stars"}, "Is Discontinued By Manufacturer": "No", "Date First Available": "August 3, 2017", "Manufacturer": "Nobsound"}, "brand": "Visit the Nobsound Store", "brand_url": "https://www.amazon.com/stores/DoukAudioNobsound/page/BF750DA6-DED6-4CD9-89C1-1A442DDADDD7?ref_=ast_bln", "full_description": "", "pricing": "$17.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41XaB86qPTL.jpg", "https://m.media-amazon.com/images/I/51Gc5AmD1JL.jpg", "https://m.media-amazon.com/images/I/31vy-U12b1L.jpg", "https://m.media-amazon.com/images/I/51kgUVoksyL.jpg", "https://m.media-amazon.com/images/I/41sK9TYVJ3L.jpg", "https://m.media-amazon.com/images/I/41YnKVkX4zL.jpg", "https://m.media-amazon.com/images/I/51oEZsX8HoL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Power Accessories \u203a AC Adapters", "average_rating": 4.6, "small_description": ["[UPGRADE] High-quality 19V@4.74A power supply, the power cord is made of pure copper, while other brands may use aluminum or copper-plated wire. With UL, FCC, CE, ROHS certification to ensure its safety and quality. ", "Support 2.1~2.5mm plug socket. Universal wide voltage of 100V-240V 50/60Hz, specially designed for Douk Audio / Nobsound amplifier or other audio devices for HiFi sound, with good adaptability and can provide enough power. ", "Automatic overload cut-off, over-voltage cut-off, automatic thermal cut-off, short circuit protection and fuse to ensure electric safety. ", "Wide Application: digital power amplifier, laptop, LED Strip, wireless router, ADSL Cats, HUB, switches, security cameras, Audio / Video Power Supply and Other Electronic Devices. ", "Prompt and courteous customer service. For any questions, please feel free to contact us on Amazon. "], "total_reviews": 185, "total_answered_questions": "", "model": "NS-01G-9019", "customization_options": "", "seller_id": "ADPE7GPX91ORE", "seller_name": "DoukAudio", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B074J81XRB", "category": "electronics", "query": "Power Protection", "page": 126, "small_description_old": "About this item\n \n[UPGRADE] High-quality 19V@4.74A power supply, the power cord is made of pure copper, while other brands may use aluminum or copper-plated wire. With UL, FCC, CE, ROHS certification to ensure its safety and quality. Support 2.1~2.5mm plug socket. Universal wide voltage of 100V-240V 50/60Hz, specially designed for Douk Audio / Nobsound amplifier or other audio devices for HiFi sound, with good adaptability and can provide enough power. Automatic overload cut-off, over-voltage cut-off, automatic thermal cut-off, short circuit protection and fuse to ensure electric safety. Wide Application: digital power amplifier, laptop, LED Strip, wireless router, ADSL Cats, HUB, switches, security cameras, Audio / Video Power Supply and Other Electronic Devices. Prompt and courteous customer service. For any questions, please feel free to contact us on Amazon."}, {"name": "Sayersbrook Bison Ranch - Bison Burgers - 5.33 oz patties x 30 - 10 lbs total", "product_information": {"Item Weight\n \u200f": "\u200e\n 5.33 Ounces", "UPC\n \u200f": "\u200e\n 746092652085", "Manufacturer\n \u200f": "\u200e\n Sayersbrook Bison Ranch", "ASIN\n \u200f": "\u200e\n B08SFMB8YZ", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#505,953 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#159 in Wild Game & Fowl Meat", "#159 in Wild Game & Fowl Meat": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Sayersbrook Bison Ranch", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Sayersbrook+Bison+Ranch", "full_description": "FIRE Up the Grill! These Bison Burgers are quick, easy, delicious AND good for you! Prepared Bison Burgers are ready for the grill, stove or oven. These burgers are made from the same meat as our bison steaks and bison roasts and the flavor is terrific. Just cook up your burgers and add your favorite condiments to build a meal that you'll never forget. We use NO steroids, NO antibiotics and NO additives or chemicals of any kind in our bison.", "pricing": "$179.95", "list_price": "", "availability_quantity": 16, "availability_status": "Only 16 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51VVkuRaKWL.jpg", "https://m.media-amazon.com/images/I/515pK9AtYZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Meat & Seafood \u203a Wild Game & Fowl", "average_rating": 5, "small_description": ["These are thirty (30), 5.33 oz patties, packed 3 pieces to a pack = 10 lbs. ", "Prepared Bison Burgers are ready for the grill, stove or oven ", "Our burgers are made from the same meat as our bison steaks and bison roasts and the flavor is terrific! ", "We use NO steroids, NO antibiotics and NO additives or chemicals of any kind in our bison ", "Family Value Size - Great to stock up the freezer for easy healthy meals "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A1COF8CXOYXU46", "seller_name": "Sayersbrook Bison Ranch", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08SFMB8YZ", "category": "grocery", "query": "Frozen", "page": 357, "small_description_old": "These are thirty (30), 5.33 oz patties, packed 3 pieces to a pack = 10 lbs. Prepared Bison Burgers are ready for the grill, stove or oven Our burgers are made from the same meat as our bison steaks and bison roasts and the flavor is terrific! We use NO steroids, NO antibiotics and NO additives or chemicals of any kind in our bison Family Value Size - Great to stock up the freezer for easy healthy meals"}, {"name": "Nargar 2 Pieces Children\u2019s U-Shape Toothbrush, 360 Degree Toothbrush for Kids Cute Teeth Whitening Gums Massage Tooth Brush for 2-6 Years Old Toddlers Kids (F)", "product_information": {"Department": "Unisex-adult", "Manufacturer": "Nargar_US", "ASIN": "B09Q55JLCS", "Country of Origin": "China", "Best Sellers Rank": ["#813,768 in Health & Household (See Top 100 in Health & Household) #4,061 in Manual Toothbrushes"]}, "brand": "Brand: Nargar_US", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Nargar_US", "full_description": "Nargar 2 Pieces Children\u2019s U-shape Toothbrush, 360 Degree Toothbrush for Kids Cute Teeth Whitening Gums Massage Tooth Brush for 2-6 Years Old Toddlers Kids\u00a0HOW TO USE:\u00a0 \u00a0 Shake the toothpaste before use to ensure squeezing even toothpaste.\u00a0 \u00a0 toothpaste to the front and back sides.\u00a0 \u00a0 Shake the U-shape toothbrush to the left and right.\u00a0 \u00a0 Just rinse the toothbrush after use.SPECIFICATIONS:\u00a0 \u00a0 Material: Silicone + PP\u00a0\u00a0 \u00a0 Disinfection Method: Wash in warm water\u00a0 \u00a0 Heat-resisting Temperature: 100\u00b0C\u00a0\u00a0 \u00a0 Applicable Age\uff1a0-12 years oldPACKAGE INCLUDED:2PC U-shape Toothbrush", "pricing": "$34.63", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/415izB2pCKL.jpg", "https://m.media-amazon.com/images/I/51GPCVjKdbL.jpg", "https://m.media-amazon.com/images/I/41Z9AiOHBxL.jpg", "https://m.media-amazon.com/images/I/41QYmb6c4qL.jpg", "https://m.media-amazon.com/images/I/41dH1VrKWoL.jpg", "https://m.media-amazon.com/images/I/41dcx658giL.jpg", "https://m.media-amazon.com/images/I/31JsPYynxQL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothbrushes & Accessories \u203a Manual Toothbrushes", "average_rating": "", "small_description": "About this item \u273f\u3010Premium Materials\u3011Food Grade Soft Silicone Tooth Brush is Made of food grade silicone. Safe material, no special smell, baby use more Hea-lthy. The silicone brush head is re-sistant to high temperature and can be disinfected at ordinary times. \u273f\u3010Special U-shaped Design\u3011Different from the traditional toothbrush, we use a unique U-shaped brush head design to fit the teeth better. U-shaped design, more fit the mouth, so that the baby can accept. The baby can brush teeth while playing. \u273f\u3010Healthier Care\u3011U-shaped brush head design, 360 \u00b0Clean your baby's teeth. It's easier for baby to clean teeth. It can clean teeth from all angles and make oral cavity healthier. \u273f\u3010Make Baby Love Brushing\u3011Children\u2019s U-shape Toothbrush is easy to use. the toothpaste and shake it in your mouth to clean teeth. Brush head can clean to all angles, so that brushing teeth becomes a simple thing. \u273f\u3010Cute Cartoon Design\u3011The lovely appearance of soft toothbrush attractive all kids baby toddlers infant and small toothbrush handle is comfortable for them to grip firmly while brushing. Lovely baby toothbrush can stimulate kids baby toddlers infant interests in brushing teeth, help them form healthy brushing habits", "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09Q59X4BB/ref=twister_B09Q5CJMBD?_encoding=UTF8&psc=1", "value": "A", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41693h-BbpL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q5F2724/ref=twister_B09Q5CJMBD?_encoding=UTF8&psc=1", "value": "B", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41zzO5-JdeL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q55QV6Z/ref=twister_B09Q5CJMBD?_encoding=UTF8&psc=1", "value": "C", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41DlFkbDVfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q5W8T4Z/ref=twister_B09Q5CJMBD?_encoding=UTF8&psc=1", "value": "D", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41tiqh5WH-L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q4ZXP29/ref=twister_B09Q5CJMBD?_encoding=UTF8&psc=1", "value": "E", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31P+Forjr5L.jpg"}, {"is_selected": true, "url": null, "value": "F", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/415izB2pCKL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q5SQZC2/ref=twister_B09Q5CJMBD?_encoding=UTF8&psc=1", "value": "G", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41693h-BbpL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q5QY1CW/ref=twister_B09Q5CJMBD?_encoding=UTF8&psc=1", "value": "H", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41zzO5-JdeL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q5W1FHR/ref=twister_B09Q5CJMBD?_encoding=UTF8&psc=1", "value": "I", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41DlFkbDVfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q5QSBSJ/ref=twister_B09Q5CJMBD?_encoding=UTF8&psc=1", "value": "J", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41tiqh5WH-L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q576Q4C/ref=twister_B09Q5CJMBD?_encoding=UTF8&psc=1", "value": "K", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31P+Forjr5L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q5SHJ34/ref=twister_B09Q5CJMBD?_encoding=UTF8&psc=1", "value": "L", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/415izB2pCKL.jpg"}]}, "seller_id": "A20DA1YYMPGCGL", "seller_name": "Nargar", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09Q55JLCS", "category": "beauty", "query": "Children's Dental Care", "page": 71, "small_description_old": "About this item \u273f\u3010Premium Materials\u3011Food Grade Soft Silicone Tooth Brush is Made of food grade silicone. Safe material, no special smell, baby use more Hea-lthy. The silicone brush head is re-sistant to high temperature and can be disinfected at ordinary times. \u273f\u3010Special U-shaped Design\u3011Different from the traditional toothbrush, we use a unique U-shaped brush head design to fit the teeth better. U-shaped design, more fit the mouth, so that the baby can accept. The baby can brush teeth while playing. \u273f\u3010Healthier Care\u3011U-shaped brush head design, 360 \u00b0Clean your baby's teeth. It's easier for baby to clean teeth. It can clean teeth from all angles and make oral cavity healthier. \u273f\u3010Make Baby Love Brushing\u3011Children\u2019s U-shape Toothbrush is easy to use. the toothpaste and shake it in your mouth to clean teeth. Brush head can clean to all angles, so that brushing teeth becomes a simple thing. \u273f\u3010Cute Cartoon Design\u3011The lovely appearance of soft toothbrush attractive all kids baby toddlers infant and small toothbrush handle is comfortable for them to grip firmly while brushing. Lovely baby toothbrush can stimulate kids baby toddlers infant interests in brushing teeth, help them form healthy brushing habits"}, {"name": "Asian Surprise Snack Box Assortment 25 Pieces With 3 Full Size Items Boba Drink, Instant ramen, Sweet and Savory Snacks Candy", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 14.76 x 9.06 x 4.17 inches; 4.28 Pounds", "UPC\n \u200f": "\u200e\n 755003869191", "Manufacturer\n \u200f": "\u200e\n InfiniteeShop", "ASIN\n \u200f": "\u200e\n B08QRKJWW9", "Best Sellers Rank": "#444,290 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#1,877 in Snack Food Gifts", "#1,877 in Snack Food Gifts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: InfiniteeShop", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=InfiniteeShop", "full_description": "Our boxes offer the chance to try many different authentic flavors and textures which are not commonly found in life outside of Asia. May contain wheat, soy, dairy and peanuts.", "pricing": "$30.99", "list_price": "", "availability_quantity": 18, "availability_status": "Only 18 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51pOfYiv41L.jpg", "https://m.media-amazon.com/images/I/611rFQqY1CL.jpg", "https://m.media-amazon.com/images/I/51MLwFftwcL.jpg", "https://m.media-amazon.com/images/I/51YqvmPEWEL.jpg", "https://m.media-amazon.com/images/I/61c43HUz0ZL.jpg", "https://m.media-amazon.com/images/I/51STu6AEmUL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Food & Beverage Gifts \u203a Snack Gifts", "average_rating": 3.9, "small_description": ["\ud83c\udf6c 25 Packs including Haitai, Lotte, Orion, Tao Kei Noi and more favorite snack brands ", "\ud83c\udf6c Asian snacks, pastries, dagashi, cookies, waffles, chips, jellies, sodas, ramen, gummies, crackers, pies, rolls, candies and so much more! ", "\ud83c\udf6c This Yummy Asian snack box is a great gift idea for birthday presents, anniversary gifts, care packages for your loved ones who are far from home, office break room snacks, or to keep all to yourself! They are great for all occasions \u2764\ufe0f ", "\ud83c\udf6c While it's a mystery box, you may write in personalization section who this SnackPot is going to, so we can make arrangements in contents. "], "total_reviews": 5, "total_answered_questions": "", "customization_options": "", "seller_id": "A21RPTJE3RHZXK", "seller_name": "InfiniteeShop", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08QRKJWW9", "category": "grocery", "query": "Food & Beverage Gifts", "page": 74, "small_description_old": "\ud83c\udf6c 25 Packs including Haitai, Lotte, Orion, Tao Kei Noi and more favorite snack brands \ud83c\udf6c Asian snacks, pastries, dagashi, cookies, waffles, chips, jellies, sodas, ramen, gummies, crackers, pies, rolls, candies and so much more! \ud83c\udf6c This Yummy Asian snack box is a great gift idea for birthday presents, anniversary gifts, care packages for your loved ones who are far from home, office break room snacks, or to keep all to yourself! They are great for all occasions \u2764\ufe0f \ud83c\udf6c While it's a mystery box, you may write in personalization section who this SnackPot is going to, so we can make arrangements in contents."}, {"name": "FIN86 Men's Elastic High Waisted Shorts,Men's Summer Printed Casual Shorts Loose Tether Pocket Board Shorts", "product_information": {"Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n January 7, 2022", "Manufacturer\n \u200f": "\u200e\n FINEWAY869", "ASIN\n \u200f": "\u200e\n B09PYSKD7H", "": ""}, "brand": "Brand: FIN86", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=FIN86", "full_description": "Size: S ===Waist: 72-104cm/28.35-40.94'' ===Length: 39cm/15.35'' ===Hip: 108cm/42.52'' Size: M ===Waist: 76-108cm/29.92-42.52'' ===Length: 40.5cm/15.94'' ===Hip: 112cm/44.09'' Size: L ===Waist: 80-112cm/31.50-44.09'' ===Length: 42cm/16.54'' ===Hip: 116cm/45.67'' Size: XL ===Waist: 84-116cm/33.07-45.67'' ===Length: 43.5cm/17.13'' ===Hip: 120cm/47.24'' Size: XXL ===Waist: 88-120cm/34.65-47.24'' ===Length: 45cm/17.72'' ===Hip: 124cm/48.82''", "pricing": "$9.98$12.98", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51lU4zYUcyL.jpg", "https://m.media-amazon.com/images/I/51rMSSGlUDL.jpg", "https://m.media-amazon.com/images/I/51yxf1+xM0L.jpg", "https://m.media-amazon.com/images/I/51KfxU1MypL.jpg", "https://m.media-amazon.com/images/I/41Yer5ZKySL.jpg", "https://m.media-amazon.com/images/I/41QYcLAnKtL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": "", "small_description": ["100% Spandex ", "\u2764Imported ", "\u2764OCCASION: Running Shorts perfect fit workout, gym, running, fitness, training, basketball, jogging, exercise, cycling or other outdoor activities etc--Men's Classic Fit Casual Fleece Jogger Gym Workout Short Pants with Elastic Waist Men's Lightweight Workout Running Athletic Shorts with Pockets Men's Bodybuilding Gym Running Workout Shorts Active Training Shorts Men's Cotton Casual shorts Jogger Capri Pants Breathable Below Knee Short Pants with Three Pockets Mens Casual Shorts Workout. ", "\u2764Material:High quality soft fabric skin-friendly, breathable and sweat-absorbent, keep you cool and relaxed all the time--mens khaki pants chinos for men flat front joggers sports running athletic cargo trousers denim jeans ripped destroied designer capri lounge pants workout casual cropped pants fishing climbing suit pants skate cool ski bibs dress slacks Men's Big and Tall Basic Basketball Mesh Shorts Men\u2019s Compression Shorts Base Layer Athletic Underwear for Cycling Men's Cycling Shorts. ", "\u2764DESIGN: You'll quickly realize why our workout shorts are preferred among fit men of all ages. The running shorts with pockets are stylish--Comfy Shorts Summer Breathable Loose Shorts Men's Quick Dry Swim Trunks Colorful Stripe Beach Shorts with Mesh Lining Men's Bodybuilding Lifting Gym Workout Sweat Shorts Men's Big and Tall Basic Basketball Mesh Shorts Men\u2019s Compression Shorts Base Layer Athletic Underwear for Cycling Men's Cycling Shorts Padded Biking Bicycle Road Bike Tights Biker Pockets. ", "\u2764Great gifts:You can use this as a Christmas gift, Halloween gift, Thanksgiving gift, New Year gift, birthday gift, to your family, friends, classmates, colleagues, neighbors and employees. gym shorts for men men shorts mens shorts shorts shorts for men basketball shorts for men gym shorts for men basketball shorts workout shorts men mens shorts casual mens basketball shorts gym shorts mens gym shorts mens shorts clearance shorts for men athletic mens short shorts shorts men. ", "\u2764Warm tips :To Make sure you get the right size,please refer to our size chart before buying!!! If you dont sure choose which size, please choose larger size than you before,thanks.--mens tshirts mens white t shir t shirts for men tee shirts mens mens tee shirts mens shirts shirts for men tshirts for mens mens shirts clearance white shirt men shirts t shirts for men mens shirt tee shirts mens mens short sleeve shirts white shirts for men sweatshirts for men mens hoodie. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51lU4zYUcyL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PYFGHBR/ref=twister_B09PY9PWQP", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51SOVa9pacL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09PYSKD7H"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09PXVPR1M"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09PY287B6"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09PY37VDT"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09PXYWPFD"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PYSKD7H", "category": "fashion", "query": "Men's Shorts", "page": 123, "small_description_old": "100% Spandex \u2764Imported \u2764OCCASION: Running Shorts perfect fit workout, gym, running, fitness, training, basketball, jogging, exercise, cycling or other outdoor activities etc--Men's Classic Fit Casual Fleece Jogger Gym Workout Short Pants with Elastic Waist Men's Lightweight Workout Running Athletic Shorts with Pockets Men's Bodybuilding Gym Running Workout Shorts Active Training Shorts Men's Cotton Casual shorts Jogger Capri Pants Breathable Below Knee Short Pants with Three Pockets Mens Casual Shorts Workout. \u2764Material:High quality soft fabric skin-friendly, breathable and sweat-absorbent, keep you cool and relaxed all the time--mens khaki pants chinos for men flat front joggers sports running athletic cargo trousers denim jeans ripped destroied designer capri lounge pants workout casual cropped pants fishing climbing suit pants skate cool ski bibs dress slacks Men's Big and Tall Basic Basketball Mesh Shorts Men\u2019s Compression Shorts Base Layer Athletic Underwear for Cycling Men's Cycling Shorts. \u2764DESIGN: You'll quickly realize why our workout shorts are preferred among fit men of all ages. The running shorts with pockets are stylish--Comfy Shorts Summer Breathable Loose Shorts Men's Quick Dry Swim Trunks Colorful Stripe Beach Shorts with Mesh Lining Men's Bodybuilding Lifting Gym Workout Sweat Shorts Men's Big and Tall Basic Basketball Mesh Shorts Men\u2019s Compression Shorts Base Layer Athletic Underwear for Cycling Men's Cycling Shorts Padded Biking Bicycle Road Bike Tights Biker Pockets. \u2764Great gifts:You can use this as a Christmas gift, Halloween gift, Thanksgiving gift, New Year gift, birthday gift, to your family, friends, classmates, colleagues, neighbors and employees. gym shorts for men men shorts mens shorts shorts shorts for men basketball shorts for men gym shorts for men basketball shorts workout shorts men mens shorts casual mens basketball shorts gym shorts mens gym shorts mens shorts clearance shorts for men athletic mens short shorts shorts men. \u2764Warm tips :To Make sure you get the right size,please refer to our size chart before buying!!! If you dont sure choose which size, please choose larger size than you before,thanks.--mens tshirts mens white t shir t shirts for men tee shirts mens mens tee shirts mens shirts shirts for men tshirts for mens mens shirts clearance white shirt men shirts t shirts for men mens shirt tee shirts mens mens short sleeve shirts white shirts for men sweatshirts for men mens hoodie."}, {"name": "Arcen Mini Close Up Color Colorful Lens Filter Set Compatible for Fujifilm Instax Mini 8/8+/ 9 Instant Film Camera, 6 Piece", "product_information": {"Product Dimensions": "2.8 x 2.4 x 0.4 inches", "Item Weight": "1.8 ounces", "ASIN": "B077KY1X93", "Customer Reviews": {"ratings_count": 64, "stars": "3.7 out of 5 stars"}, "Best Sellers Rank": ["#132,486 in Electronics (See Top 100 in Electronics) #1,640 in Film Cameras"], "Is Discontinued By Manufacturer": "No", "Date First Available": "November 18, 2017", "Manufacturer": "Arcen"}, "brand": "Brand: Arcen", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Arcen", "full_description": "Specifications\uff1a Name: Colorful Close-Up Lens Filter Material: plastic Diameter: 4.95cm a piece Package: 14.8*15cm Color: blue, orange, green, red Installation: 1. Open lens of the camera in order to mount the filter to it. 2. Press the filter down until you hear a click. 3. The camera is now ready to take pictures with it. 4. Finish, after you end shooting pictures, the lens should be removed. Using a little strength to removing lens in order to avoid damaging the camera. Package Included: 6 x Colorful lens", "pricing": "$9.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51RszvN+B-L.jpg", "https://m.media-amazon.com/images/I/51PA4HJ6YEL.jpg", "https://m.media-amazon.com/images/I/51KDW0xeXnL.jpg", "https://m.media-amazon.com/images/I/41VTyGt9epL.jpg", "https://m.media-amazon.com/images/I/41xB3YQ0nRL.jpg", "https://m.media-amazon.com/images/I/41L1an4a33L.jpg", "https://m.media-amazon.com/images/I/51eHdFpM+qL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Film Photography \u203a Film Cameras", "average_rating": 3.7, "small_description": ["Design for fujifilm instax mini 8/ 8+/ 7S/ 9 camera ", "4 colors to choose, blue, orange, green, and red ", "Easy to install, convenient to use ", "You can change the photo with different colors you like, perfect for changing the mood of a picture ", "Fashion and cute appearance design, fit for daily use for good photographic effect, or as a gift "], "total_reviews": 64, "total_answered_questions": 4, "customization_options": "", "seller_id": "A13WDLTIPF7C7W", "seller_name": "Arcen", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B077KY1X93", "category": "electronics", "query": "Film Photography", "page": 333, "small_description_old": "About this item\n \nDesign for fujifilm instax mini 8/ 8+/ 7S/ 9 camera 4 colors to choose, blue, orange, green, and red Easy to install, convenient to use You can change the photo with different colors you like, perfect for changing the mood of a picture Fashion and cute appearance design, fit for daily use for good photographic effect, or as a gift"}, {"name": "VERDUGO GIFT 10016180 Free As A Bird Stool, Multicolor", "product_information": {"Item Weight": "\u200e8.6 pounds", "Product Dimensions": "\u200e17 x 17 x 20 inches", "Item model number": "\u200e1006180", "Is Discontinued By Manufacturer": "\u200eNo", "Assembled Height": "\u200e20.2 inches", "Assembled Width": "\u200e18.1 inches", "Assembled Length": "\u200e18 inches", "ASIN": "B00QFWWZMI", "Customer Reviews": {"ratings_count": 51, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#217,840 in Patio, Lawn & Garden (See Top 100 in Patio, Lawn & Garden) #181 in Patio Stools & Bar Chairs"], "Date First Available": "December 1, 2014"}, "brand": "Visit the VERDUGO GIFT Store", "brand_url": "https://www.amazon.com/stores/AccentPlus/page/122D155A-63F4-484B-9454-5EBD3F8DD95F?ref_=ast_bln", "full_description": "Give this adorable stool a permanent home and delight as the compliments flock to you. This metal-framed stool features three colorful bird statuettes and the top cushion is covered with a fascinating linen patterned fabric that is the perfect finishing touch. Spot clean only. Size: 17\" x 17\" x 20\", material(s) iron, linen, sponge.", "pricing": "$85.43", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41vbedXhcYS.jpg", "https://m.media-amazon.com/images/I/61yxoKq2UdS.jpg", "https://m.media-amazon.com/images/I/51gB6RgtHyS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Patio, Lawn & Garden \u203a Patio Furniture & Accessories \u203a Patio Seating \u203a Chairs \u203a Stools & Bar Chairs", "average_rating": 4.6, "small_description": ["Give this adorable stool a permanent home and delight as the compliments flock to you ", "Material(s): iron, linen, sponge ", "Spot clean only "], "total_reviews": 51, "total_answered_questions": "", "model": "\u200e1006180", "customization_options": {"Color": null}, "seller_id": "A3JWP49KME64V3", "seller_name": "Sunshine Megastore", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00QFWWZMI", "category": "garden", "query": "Vanities", "page": 250, "small_description_old": "About this item Give this adorable stool a permanent home and delight as the compliments flock to you Dimensions: 17\" x 17\" x 20\" Material(s): iron, linen, sponge Spot clean only \n \u203a See more product details"}, {"name": "RUIGPRO 360\u00b0Motorcycle Bike Camera Holder Handlebar Mount Bracket 1/4 Metal Stand for GoPro Hero10/9/8/7/6/5/4 Action Cameras Accessory(Cool Ballhead Arm Super Clamp Mount Multi)", "product_information": {"Package Dimensions": "4.57 x 2.87 x 2.64 inches", "Item Weight": "8.5 ounces", "ASIN": "B08GKZNTHK", "Customer Reviews": {"ratings_count": 312, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#161 in Camera Mounts & Clamps"], "Date First Available": "August 24, 2020", "Manufacturer": "RUIGPRO"}, "brand": "Visit the RUIGPRO Store", "brand_url": "https://www.amazon.com/stores/RUIGPRO/page/3A7AF01B-A7D6-40F5-951E-0DC23274B573?ref_=ast_bln", "full_description": "", "pricing": "$24.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41dFgL3KktL.jpg", "https://m.media-amazon.com/images/I/41DfjOfAEkL.jpg", "https://m.media-amazon.com/images/I/419SZi4fsRL.jpg", "https://m.media-amazon.com/images/I/41K7aRRBLwL.jpg", "https://m.media-amazon.com/images/I/31oL4WofecL.jpg", "https://m.media-amazon.com/images/I/51j2J+XR5-L.jpg", "https://m.media-amazon.com/images/I/41v9LVDw99L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Accessories \u203a Tripod & Monopod Accessories \u203a Camera Mounts & Clamps", "average_rating": 4.6, "small_description": ["RUIGPRO Multi-function Double Ballhead is a multifunctional double ball head with a clamp at the bottom and a 1/4\" screw on the top. ", "100% new quality, firm and stable, aluminum alloy arm ", "The film is non-slip and shockproof, stable shooting, no jitter ", "Ball sleeve structure, you can adjust various angles at will ", "With standard 1/4 inch screw, suitable for most cameras such as card digital camera, micro single camera, SLR camera, GoPro motion camera, CONTOUR motion camera, etc. "], "total_reviews": 312, "total_answered_questions": 8, "customization_options": "", "seller_id": "A1KIWE1BFW5GMI", "seller_name": "KUUBEN", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08GKZNTHK", "category": "electronics", "query": "Mounts", "page": 33, "small_description_old": "About this item\n \nRUIGPRO Multi-function Double Ballhead is a multifunctional double ball head with a clamp at the bottom and a 1/4\" screw on the top. 100% new quality, firm and stable, aluminum alloy arm The film is non-slip and shockproof, stable shooting, no jitter Ball sleeve structure, you can adjust various angles at will With standard 1/4 inch screw, suitable for most cameras such as card digital camera, micro single camera, SLR camera, GoPro motion camera, CONTOUR motion camera, etc."}, {"name": "MekedeTech 10.25'' Android 10 8 Core 4+64G Car Radio Multimedia Player GPS Navigation for Mercedes Benz S W221 W216 CL 2010-2013 S-Class Head Unit (NTG 3.5)", "product_information": {"Item Weight": "\u200e5.19 pounds", "Package Dimensions": "\u200e15.47 x 9.06 x 6.85 inches", "Display Size": "\u200e10.25 Inches", "Display resolution": "\u200e1920x720", "ASIN": "B08M5BYQN9", "Customer Reviews": {"ratings_count": 10, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#162,945 in Electronics (See Top 100 in Electronics) #1,796 in Car In-Dash Navigation GPS Units"], "Date First Available": "October 29, 2020"}, "brand": "Brand: MekedeTech", "brand_url": "https://www.amazon.com/MekedeTech/b/ref=bl_dp_s_web_20642020011?ie=UTF8&node=20642020011&field-lbr_brands_browse-bin=MekedeTech", "full_description": "", "pricing": "$599.00", "list_price": "", "availability_status": "Usually ships within 6 to 10 days.", "images": ["https://m.media-amazon.com/images/I/4168iiSF6wL.jpg", "https://m.media-amazon.com/images/I/51yiRewIVJL.jpg", "https://m.media-amazon.com/images/I/51h-UD4ImNL.jpg", "https://m.media-amazon.com/images/I/41CjSkSboxL.jpg", "https://m.media-amazon.com/images/I/51IWO1dCVpL.jpg", "https://m.media-amazon.com/images/I/51qqg8HNvZL.jpg", "https://m.media-amazon.com/images/I/51832Z-tdxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Car & Vehicle Electronics \u203a Car Electronics \u203a Car Video \u203a In-Dash Navigation", "average_rating": 4.7, "small_description": ["\u3010Retain Original Radio System\u3011keep all of OEM function,such as original car radio, amplifier function, joystick control, rear view camera and reverse trajectory and etc. all operation are the same as your OEM one ", "\u3010Qualcomm Android 10 with Built in Wireless Carplay\u3011With the newest Qualcomm Android 10, respond faster and senstive. Built in Wireless Carplay, there is no need to buy a carplay dongle extra. Support factory and aftermarket camera, DVR\uff1bSupport Google Play and multiple languages.Support Bluetooth Music and Bluetooth Call; ", "\u3010High Configuration-Split Screen\u3011With the newest round corner designed\uff0cstylish and beautiful look, 1920*720 resolution, IPS high-definition picture quality, image and video display effect more clear and confortable. You can also enjoy faster running with 8 Core CPU 4GB RAM 64GB ROM for downloading more favorite APPs to obtain richer car experience. Multitasking run 2 apps at the same time share the screen with your family while you drive with navigation ", "\u3010Non-destructive Installation&Easy to Install\u3011The Package will come with all wires for installation. no break the original car line.just replace the screen, plug and play. ", "\u3010Customized System for S Class W221: 2005-2013 Left Hand Driver Car\u3011:Such as S250 S280 S320 S350 S400 S500 S600 S63 SG5 AMG 2005-2013 year NTG 3.5, please check your car info carefully before purchasing or you can contact us for help. "], "total_reviews": 10, "total_answered_questions": 62, "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08M5Y1KWT/ref=twister_B08M6JRWLV?_encoding=UTF8&psc=1", "value": "NTG 3.0", "price_string": "$559.00", "price": 559, "image": "https://m.media-amazon.com/images/I/4168iiSF6wL.jpg"}, {"is_selected": true, "url": null, "value": "NTG 3.5", "price_string": "$599.00", "price": 599, "image": "https://m.media-amazon.com/images/I/4168iiSF6wL.jpg"}]}, "seller_id": "ASG4KND3JH8W7", "seller_name": "Mekedetech", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08M5BYQN9", "category": "electronics", "query": "Car Accessories", "page": 104, "small_description_old": "About this item \u3010Retain Original Radio System\u3011keep all of OEM function,such as original car radio, amplifier function, joystick control, rear view camera and reverse trajectory and etc. all operation are the same as your OEM one \u3010Qualcomm Android 10 with Built in Wireless Carplay\u3011With the newest Qualcomm Android 10, respond faster and senstive. Built in Wireless Carplay, there is no need to buy a carplay dongle extra. Support factory and aftermarket camera, DVR\uff1bSupport Google Play and multiple languages.Support Bluetooth Music and Bluetooth Call; \u3010High Configuration-Split Screen\u3011With the newest round corner designed\uff0cstylish and beautiful look, 1920*720 resolution, IPS high-definition picture quality, image and video display effect more clear and confortable. You can also enjoy faster running with 8 Core CPU 4GB RAM 64GB ROM for downloading more favorite APPs to obtain richer car experience. Multitasking run 2 apps at the same time share the screen with your family while you drive with navigation \u3010Non-destructive Installation&Easy to Install\u3011The Package will come with all wires for installation. no break the original car line.just replace the screen, plug and play. \u3010Customized System for S Class W221: 2005-2013 Left Hand Driver Car\u3011:Such as S250 S280 S320 S350 S400 S500 S600 S63 SG5 AMG 2005-2013 year NTG 3.5, please check your car info carefully before purchasing or you can contact us for help. \n \u203a See more product details"}, {"name": "HDMI to SVideo Converter, HDMI to RCA Converter with Svideo Cable Audio Video Adapter Converter Support 720P/1080p for PC Laptop Xbox PS3 TV STB VHS VCR Blue-Ray DVD", "product_information": {"Package Dimensions": "6.1 x 5.94 x 0.71 inches", "Item Weight": "5.9 ounces", "ASIN": "B09BKMRMDV", "Customer Reviews": {"ratings_count": 63, "stars": "3.8 out of 5 stars"}, "Best Sellers Rank": ["#205 in Video Converters"], "Date First Available": "December 26, 2020", "Manufacturer": "TaiHuai"}, "brand": "Brand: TaiHuai", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=TaiHuai", "full_description": "HDMI to SVideo Converter: Convert HDMI signal to Svideo analog video and L/ R audio(SVideo is a female port), Available for TV, VHS VCR, DVD recorders, etc.", "pricing": "$16.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41-3Hl6ybPL.jpg", "https://m.media-amazon.com/images/I/51IURYztFVL.jpg", "https://m.media-amazon.com/images/I/41lykg3yXYL.jpg", "https://m.media-amazon.com/images/I/51FuqZj0SPS.jpg", "https://m.media-amazon.com/images/I/41zBp8oDroL.jpg", "https://m.media-amazon.com/images/I/417jMltAL0L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Video Converters", "average_rating": 3.8, "small_description": ["HDMI to SVideo Converter: Convert HDMI signal to RCA/Svideo analog video (SVideo is a female port), Available for TV, VHS VCR, DVD recorders, etc. ", "HDMI to SVideo: support two formats of PAL and NTSC output with a selecting switch, usually NTSC for America, PAL for other Countries. Note: If your TV shows black and white, Please change RCA format NTSC to PAL or PAL to NTSC by the N/P switch. ", "Esay to use : Plug and play without any drivers,portable and flexible. Please hook up the USB power cable (included) to 5V power source during use\uff08no included\uff09. ", "HDMI 1.3 Input: Support HDMI input from 480i to 1080P, does not support 3D. It can work properly for TV Stick (such as Roku, Apple TV, PC, Laptop, Xbox, HDTV, DVD).But do not support with mobile phones and iPad series. ", "Compatible: Converter Suitable for TV Stick, Roku, Blu-Ray, DVD player, Xbox 360, Wii, PC, HD camera and more. Then connect the RCA end into any display with RCA inputs such as Monitor/ TV/ HDTV/ Projector and more. "], "total_reviews": 63, "total_answered_questions": "", "customization_options": {"Style": null}, "seller_id": "A21QH4IWHPEJKX", "seller_name": "TaiHuai", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09BKMRMDV", "category": "electronics", "query": "HDMI Cables", "page": 53, "small_description_old": "About this item\n \nHDMI to SVideo Converter: Convert HDMI signal to RCA/Svideo analog video (SVideo is a female port), Available for TV, VHS VCR, DVD recorders, etc. HDMI to SVideo: support two formats of PAL and NTSC output with a selecting switch, usually NTSC for America, PAL for other Countries. Note: If your TV shows black and white, Please change RCA format NTSC to PAL or PAL to NTSC by the N/P switch. Esay to use : Plug and play without any drivers,portable and flexible. Please hook up the USB power cable (included) to 5V power source during use\uff08no included\uff09. HDMI 1.3 Input: Support HDMI input from 480i to 1080P, does not support 3D. It can work properly for TV Stick (such as Roku, Apple TV, PC, Laptop, Xbox, HDTV, DVD).But do not support with mobile phones and iPad series. Compatible: Converter Suitable for TV Stick, Roku, Blu-Ray, DVD player, Xbox 360, Wii, PC, HD camera and more. Then connect the RCA end into any display with RCA inputs such as Monitor/ TV/ HDTV/ Projector and more."}, {"name": "Leupold, Tripod, Carbon Fiber Kit", "product_information": {"Item Package Dimensions L x W x H": "\u200e27.6 x 6.2 x 5.1 inches", "Package Weight": "\u200e2.25 Kilograms", "Item Dimensions LxWxH": "\u200e28 x 6 x 5 inches", "Item Weight": "\u200e4.9 Pounds", "Brand Name": "\u200eLeupold", "Warranty Description": "\u200eSee manufacturer", "Model Name": "\u200e170600", "Color": "\u200eBlack", "Material": "\u200eCarbon Fiber", "Suggested Users": "\u200eUnisex-adult", "Number of Items": "\u200e1", "Manufacturer": "\u200eLeupold", "Part Number": "\u200e170600", "Included Components": "\u200eTripod Carbon Fiber Kit", "ASIN": "B01F3JGOWA", "Customer Reviews": {"ratings_count": 3, "stars": "4.1 out of 5 stars"}, "Best Sellers Rank": ["#3,324 in Complete Tripod Units"], "Date First Available": "May 3, 2016"}, "brand": "Visit the Leupold Store", "brand_url": "https://www.amazon.com/stores/Leupold/page/F88C843B-351A-419B-A07B-FC1819A26FE5?ref_=ast_bln", "full_description": "Created to be great for nearly any shooter, the Leupold Carbon Fiber Tripod Kit will improve the quality of your already awesome scope. An effective bit of riflescope gear will make an amazing addition for the scopes of shooters, and because of the Leupold Carbon Fiber Tripod Kit, receiving a top quality piece of scope equipment hasn't ever been simpler. These Riflescope Accessories from Leupold are created with all the long lasting and dependable components you expect to see from this remarkable company. Leupold has been producing high quality gear for your scope for a long time, and the Leupold Carbon Fiber Tripod Kit is the result of their initiatives to be certain you have a great accessory for your riflescope. For an ideally suited solution to make sure your already remarkable scope is that much better, purchase the Leupold Carbon Fiber Tripod Kit.", "pricing": "$349.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/21CFooHCXJL.jpg", "https://m.media-amazon.com/images/I/21CFooHCXJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Tripods & Monopods \u203a Complete Tripods", "average_rating": 4.1, "small_description": ["Created to be great for nearly any shooter "], "total_reviews": 3, "total_answered_questions": "", "customization_options": "", "seller_id": "A30DGGRQPDAP9Y", "seller_name": "OpticsPlanet, Inc", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01F3JGOWA", "category": "electronics", "query": "Binoculars & Scopes", "page": 61, "small_description_old": "About this item\n \nCreated to be great for nearly any shooter"}, {"name": "Callaway Women's Performance Flat Front 9.5\" Inseam Short", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 13 x 12 x 1 inches; 8.78 Ounces", "Item model number\n \u200f": "\u200e\n fauxCGBF9020", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n March 1, 2021", "Manufacturer\n \u200f": "\u200e\n Callaway Golf by Perry Ellis", "ASIN\n \u200f": "\u200e\n B07GYNXYKK", "Best Sellers Rank": "#469,920 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,952 in Women's Athletic Shorts #5,772 in Women's Golf Clothing", "#1,952 in Women's Athletic Shorts": "", "#5,772 in Women's Golf Clothing": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Callaway Store", "brand_url": "https://www.amazon.com/stores/Callaway/page/74629508-5297-4F4C-A75A-9600E6FC63AA?ref_=ast_bln", "full_description": "", "pricing": "$60.00$117.18", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31uXPEfog9L.jpg", "https://m.media-amazon.com/images/I/31hO5xUoH1L.jpg", "https://m.media-amazon.com/images/I/31VGrdt2k5L.jpg", "https://m.media-amazon.com/images/I/31VGrdt2k5L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Active \u203a Active Shorts", "average_rating": 4.3, "small_description": ["Package Dimensions: 2.54 L x 33.02 H x 30.48 W (centimeters) ", "Product possess high durability ", "Made Of High Quality Materials "], "total_reviews": 28, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07GYPSGRQ/ref=twister_B07N6Z1FDW", "value": "Solid Brilliant White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31zHaJ5q5QL.jpg"}, {"is_selected": true, "url": null, "value": "Solid Caviar", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31uXPEfog9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07GYVRDPW/ref=twister_B07N6Z1FDW", "value": "Solid Peacoat", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/3173G3znZFL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "X-Small", "asin": "B07GYVZ3QY"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B07GYR5J51"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07GYTHLGV"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07GYSLFLG"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07GYV7P3Q"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07GYPQZXK"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07GYTHLGV", "category": "fashion", "query": "Women's Shorts", "page": 9, "small_description_old": "Package Dimensions: 2.54 L x 33.02 H x 30.48 W (centimeters) Product possess high durability Made Of High Quality Materials"}, {"name": "Leupold RX-1400i TBR/W with DNA Black TOLED", "product_information": {"Item Package Dimensions L x W x H": "\u200e5.63 x 4.72 x 3.15 inches", "Package Weight": "\u200e0.29 Kilograms", "Brand Name": "\u200eLeupold", "Warranty Description": "\u200eLifetime Guarantee", "Model Name": "\u200eRX-1400i TBR/W with DNA Black TOLED", "Color": "\u200eMatte", "Material": "\u200eAluminum", "Suggested Users": "\u200eUnisex-adult", "Number of Items": "\u200e1", "Manufacturer": "\u200eLeupold", "Part Number": "\u200e179640", "Model Year": "\u200e2020", "Included Components": "\u200eRangefinder", "Sport Type": "\u200eHunting", "ASIN": "B088KSY32D", "Customer Reviews": {"ratings_count": 186, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#25,200 in Sports & Outdoors (See Top 100 in Sports & Outdoors) #9 in Laser Rangefinders"], "Date First Available": "May 13, 2020"}, "brand": "Visit the Leupold Store", "brand_url": "https://www.amazon.com/stores/Leupold/page/F88C843B-351A-419B-A07B-FC1819A26FE5?ref_=ast_bln", "full_description": "The Leupold RX-1400i TBR/W with DNA Laser Rangefinder enters the market as the most versatile, feature-rich rangefinder in its class. Equipped with our proprietary ranging engine for lightning-fast accuracy, and an exceptionally bright red display, this rangefinder will take your hunting and shooting to the next level. Ballistically calculated ranges keep you on target even for the most extreme uphill and downhill shots. All of this functionality comes wrapped up in an incredibly rugged, lightweight polymer housing, making the RX-1400i TBR/W the perfect choice for your next big adventure.", "pricing": "$199.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51gsK+6WavL.jpg", "https://m.media-amazon.com/images/I/51V8I0Jtn6L.jpg", "https://m.media-amazon.com/images/I/418DiZRejwL.jpg", "https://m.media-amazon.com/images/I/41U93XFJPlL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Sports & Outdoors \u203a Hunting & Fishing \u203a Shooting \u203a Optics \u203a Laser Rangefinders", "average_rating": 4.7, "small_description": ["Model #179640 - RX-1400i TBR/W with DNA Black TOLED "], "total_reviews": 186, "total_answered_questions": 24, "customization_options": "", "seller_id": "A2G3IE5A14HC2W", "seller_name": "Eurooptic LTD", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B088KSY32D", "category": "electronics", "query": "Film Photography", "page": 63, "small_description_old": "Model #179640 - RX-1400i TBR/W with DNA Black TOLED"}, {"name": "Wrington Storage Platform Bed, Frame Material: Solid Wood, Eco-Friendly Solid Hardwood with Non-Toxic Finish", "product_information": {"Item Weight": "172 pounds", "Manufacturer": "MilanHome", "ASIN": "B09BNCFGLY", "Date First Available": "August 6, 2021"}, "brand": "Brand: MilanHome", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=MilanHome", "full_description": "AT A GLANCE 1. Box Spring Not Required 2. Storage Included 3. Solid Wood 4. Warranty Length: 1 Year 5. Wood Species: Rubberwood This Storage Platform Bed has a fashionable taste of its own. Symmetrical curvature with an accommodating inset bevel gives this bed the Metropolitan sophistication. Complete with two under bed storage drawers so you never have to sacrifice style for functionality. PRODUCT DETAILS 1. Frame Material: Solid Wood 2. Box Spring Required: No 3. Adult Assembly Required: Yes 4. Compatible with Adjustable Bed: No FEATURES 1. Flat Panel Footboard enhances class 2. Eco-friendly Solid Hardwood with Non-Toxic Finish 3. Designed for Lasting Durability 4. Includes two large drawers for ample underbed storage that slides easily on wheels 5. Supported by hardwood slat kit, foundation not required, mattress sold separately 6. Drawers can be placed on either side of the bed 7. Accommodates up to four drawers (additional sets sold separately) 8. Additional Intended Use For Child QUEEN SIZE 1. Overall: 50'''' H x 82.5'''' L 2. Headboard Height - Top to Bed Frame: 28.25'''' OTHER DIMENSIONS 1. Drawer Interior: 7.75'''' H x 35'''' W x 18'''' D 2. Clearance from Floor to Underside of Bed: 11.5'''' 3. Overall Product Weight: 172 lb. FEATURES 1. Frame Material: Solid Wood 2. Wood Species: Rubberwood 3. Wood Species: Rubberwood 4. Additional Frame Material Details: Solid Hardwood 5. Box Spring Required: No 6. Number of Slats Included: 14 7. Distance between the Slats: 3 8. Center Support Legs (Twin Size): No 9. Center Support Legs (Full Size): Yes 10. Number of Center Support Legs (Full Size): 2 11. Center Support Legs (Queen Size): Yes 12. Number of Center Support Legs (Queen", "pricing": "$1,514.48", "list_price": "", "availability_status": "Usually ships within 6 to 10 days.", "images": ["https://m.media-amazon.com/images/I/51fzh9m3UWL.jpg", "https://m.media-amazon.com/images/I/41Vwtj80IIL.jpg", "https://m.media-amazon.com/images/I/51uJTX3F2nL.jpg", "https://m.media-amazon.com/images/I/51797noRnSL.jpg", "https://m.media-amazon.com/images/I/51XEt1rudML.jpg", "https://m.media-amazon.com/images/I/41s6q9G4i9L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Beds, Frames & Bases \u203a Bed Frames", "average_rating": "", "small_description": ["Frame Material: Solid Wood, Eco-friendly Solid Hardwood with Non-Toxic Finish ", "Additional Intended Use For Child, Flat Panel Footboard enhances class ", "Additional Tools Required: Screw Driver; Allen Wrench/ Key, Headboard Height - Top to Bed Frame: 28.25'''' ", "Accommodates up to four drawers (additional sets sold separately), Center Support Legs (Twin Size): No ", "Product Warranty: Yes, Wood Species: Rubberwood "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "A9B91MNWC3Y2A", "seller_name": "Minyane", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09BNCFGLY", "category": "garden", "query": "Bedframes", "page": 323, "small_description_old": "About this item\n \nAdditional Intended Use For Child, Flat Panel Footboard enhances class Additional Tools Required: Screw Driver; Allen Wrench/ Key, Headboard Height - Top to Bed Frame: 28.25'''' Accommodates up to four drawers (additional sets sold separately), Center Support Legs (Twin Size): No Product Warranty: Yes, Wood Species: Rubberwood"}, {"name": "Bxwjg Metal Filing Cabinet, 5-Layer File Storage Cabinet, with Lock and Index Label, Aluminum Alloy, for Business", "product_information": {"Item Weight": "11.02 pounds", "Manufacturer": "bxwjg", "ASIN": "B089B1K9LJ"}, "brand": "Brand: Bxwjg", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Bxwjg", "full_description": "This file cabinet can make your office table clean and tidyName: 5-layer lock type desktop cabinetSpecifications: 300*360*305mm(12in*14.4in*12.2in)Color: SilverMaterial: Aluminum alloy\uff0cMDFWeight: 4kgProduct Description:\u2606 Large-capacity storage space, small size, space saving, very suitable for household goods and office supplies.\u2606 The edge of the cabinet is sealed along the edge of the heat seal, smooth, not cut, seamlessly wrapped, safer and more durable.\u2606 Locked desktop storage cabinet can better protect important information.\u2606 Exquisite hardware key, smooth opening, high hardness, not easy to break, each cabinet is equipped with a different key, very safe.\u2606 All with silent slide rails, can be easily slid, no noise, the bracket is not easy to fall off.\u2606 The desktop drawer organizer compact mini size is an ideal fit for most shelf space or desks.Welcome to the shop to buy, hope to visit next time.", "pricing": "$146.52", "list_price": "", "availability_quantity": 20, "availability_status": "Only 20 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/417ugB9dZLL.jpg", "https://m.media-amazon.com/images/I/41nWq+drX+L.jpg", "https://m.media-amazon.com/images/I/31ocI6t7aRL.jpg", "https://m.media-amazon.com/images/I/41HuP1hsjiL.jpg", "https://m.media-amazon.com/images/I/412vaW6j0eL.jpg", "https://m.media-amazon.com/images/I/41hpQdNYUyL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Office Products \u203a Office Furniture & Lighting \u203a Cabinets, Racks & Shelves \u203a File Cabinets \u203a Flat File Cabinets", "average_rating": "", "small_description": ["1. Made of high-hardness aluminum alloy, it effectively functions as anti-collision and anti-wear, and is embedded in the landslide track drawer to make your office more fashionable. ", "2. With a lock can protect your private documents, important information or personal belongings. ", "3. 5 layers of independent storage to meet your needs, easy to sort different file box items, improve work efficiency. ", "4. An index label is attached for easy classification. When there are many files, it is inevitable to forget which layer of the file you want. The label helps you quickly find the file you want. ", "5. The file storage drawer collects smoothly, no card slot, can hold A4 size paper, effectively save the daily required data files. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2KM440J8SHLIN", "seller_name": "full of personality", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B089B1K9LJ", "category": "garden", "query": "File Cabinets", "page": 109, "small_description_old": "About this item\n \n1. Made of high-hardness aluminum alloy, it effectively functions as anti-collision and anti-wear, and is embedded in the landslide track drawer to make your office more fashionable. 2. With a lock can protect your private documents, important information or personal belongings. 3. 5 layers of independent storage to meet your needs, easy to sort different file box items, improve work efficiency. 4. An index label is attached for easy classification. When there are many files, it is inevitable to forget which layer of the file you want. The label helps you quickly find the file you want. 5. The file storage drawer collects smoothly, no card slot, can hold A4 size paper, effectively save the daily required data files."}, {"name": "CSU Cleveland State University Vikings Property Fleece Drawstring Shorts Heather Charcoal", "product_information": {"Item Weight\n \u200f": "\u200e\n 6.5 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n October 7, 2021", "Manufacturer\n \u200f": "\u200e\n W Republic", "ASIN\n \u200f": "\u200e\n B09HX5CD2D", "": ""}, "brand": "", "brand_url": "", "full_description": "CSU Cleveland State University Vikings Property Fleece Drawstring Shorts Heather Charcoal The College Fleece Shorts feature a classic logo imprint of your college. They are soft and durable with an elastic waistband with drawstrings for a secure fit and side-angled pockets. Be sure to show off your school pride and team spirit!These comfortable shorts are great to wear around campus or even to bed! Keep you warm during the cold seasons, but cool enough to wear to class, when you are out and about, or just playing ball on the court! Every leg is a slam dunk, thanks to our stylish college fleece shorts.They come in cool colors such as heather grey, charcoal, and navy, depending on the school. While they are sized for men, they are unisex and women can wear them too! Just pick your size.You know what they say, \"if you can't beat 'em, join 'em.\" Now even if your squad didn't win the championship parade last weekend, at least you can still represent your school's spirit with these awesome fleece shorts!Look like your favorite team at home with these comfortable fleece shorts. One of the most sought-after styles around, they will surely impress!Great NCAA Clothing and Apparel Gift Idea for students, grads, college sports fans, alumni, teams and teammates, coaches, parents, mom, dad, friends, fraternity, sorority, club, group, and family! Great to give as a gift for occasions like Christmas, back to school, open house, gym, practice, daily wear, or to celebrate graduation, father's day, holidays, birthdays, and more.", "pricing": "$39.95", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/415H07lYJQL.jpg", "https://m.media-amazon.com/images/I/413p4BMicyL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": "", "small_description": ["Made in USA and Imported ", "Drawstring closure ", "Machine Wash ", "Sizing: Men's Size but can be unisex. See Size Chart in image gallery and pick from Small, Medium, Large, XL, XXL. ", "Assorted Colors Based on Colleges - Choose from favorites like Heather Grey, Heather Charcoal, and Navy. You will want to get them all! ", "Elastic Waistband wiith Drawstrings and side-angled pockets make for a perfect fit! ", "Material: 65% Cotton / 35% Polyester is extremely soft, comfortable, with a stylish look. ", "College Logo Digitally Printed in USA and Officially Licensed by W Republic Apparel - Wear your school spirit with pride! "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Heather Charcoal", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/01tfv8Di9dL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HX2ZWWD/ref=twister_B09HX1B9GS", "value": "Heather Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/01m5R8-xh0L.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09HX5CD2D"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09HWYMYT3"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09HX1DYQ2"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09HX1BF4K"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09HX35XLM"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09HX5CD2D", "category": "fashion", "query": "Men's Shorts", "page": 73, "small_description_old": "Made in USA and Imported Drawstring closure Machine Wash Sizing: Men's Size but can be unisex. See Size Chart in image gallery and pick from Small, Medium, Large, XL, XXL. Assorted Colors Based on Colleges - Choose from favorites like Heather Grey, Heather Charcoal, and Navy. You will want to get them all! Elastic Waistband wiith Drawstrings and side-angled pockets make for a perfect fit! Material: 65% Cotton / 35% Polyester is extremely soft, comfortable, with a stylish look. College Logo Digitally Printed in USA and Officially Licensed by W Republic Apparel - Wear your school spirit with pride!"}, {"name": "Ice Roller For Face, Beauty Care Tool Acne kit Roller Suitable For Face Eyes and Neck Shrink Pores Reduce Acne Moisturize The Skin and Enhance The Natural Luster of The Skin(pink)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 5 x 2.8 x 2.1 inches; 5 Ounces", "UPC\n \u200f": "\u200e\n 797823315816", "Manufacturer\n \u200f": "\u200e\n SMKYOKKZHI", "ASIN\n \u200f": "\u200e\n B09L1G6H5Z", "Best Sellers Rank": "#562,173 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#2,018 in Facial Skin Care Sets & Kits", "#2,018 in Facial Skin Care Sets & Kits": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: SMKYOKKZHI", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=SMKYOKKZHI", "full_description": "", "pricing": "$14.99", "list_price": "", "availability_quantity": 5, "availability_status": "Only 5 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31X5LhN0ypL.jpg", "https://m.media-amazon.com/images/I/41N18zW2qmL.jpg", "https://m.media-amazon.com/images/I/41jfmpVD3VL.jpg", "https://m.media-amazon.com/images/I/41heTjXwjrL.jpg", "https://m.media-amazon.com/images/I/41KF8UXR83L.jpg", "https://m.media-amazon.com/images/I/415HNR8wl+L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Face \u203a Sets & Kits", "average_rating": 5, "small_description": ["[Facial care]: Suitable for all skin types, improve skin problems, body massage care. It has multiple functions such as beauty and cleaning. ", "[Health and Safety]: This ice roller is made of high-quality silicone material, does not contain bisphenol A, is non-toxic, has a light fragrance, and is safe and durable. It can be reused. ", "[Easy to use]: The ergonomic hand design is easy to grasp and fill the cube with water. Freeze once, apply ice cubes to the skin in a circular motion within 30 seconds. For best results, please use daily. ", "[Multi-function]: You can be creative according to your skin needs, freeze and reserve cube recipes, such as lemon, rose water, cucumber, aloe vera and green tea. ", "\u2764\u3010Perfect Gift\u3011\u2764It can be used as a holiday gift for your family and friends. Give yourself or your love an immortal gift. "], "total_reviews": 3, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09L1GCB56/ref=twister_B09NK6LB57?_encoding=UTF8&psc=1", "value": "blue", "price_string": "$13.99", "price": 13.99, "image": "https://m.media-amazon.com/images/I/31Gidf316xL.jpg"}, {"is_selected": true, "url": null, "value": "pink", "price_string": "$14.99", "price": 14.99, "image": "https://m.media-amazon.com/images/I/31X5LhN0ypL.jpg"}]}, "seller_id": "A2GVD38MW4CV0W", "seller_name": "Constant Di", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09L1G6H5Z", "category": "beauty", "query": "Skin Care Tools", "page": 83, "small_description_old": "[Facial care]: Suitable for all skin types, improve skin problems, body massage care. It has multiple functions such as beauty and cleaning. [Health and Safety]: This ice roller is made of high-quality silicone material, does not contain bisphenol A, is non-toxic, has a light fragrance, and is safe and durable. It can be reused. [Easy to use]: The ergonomic hand design is easy to grasp and fill the cube with water. Freeze once, apply ice cubes to the skin in a circular motion within 30 seconds. For best results, please use daily. [Multi-function]: You can be creative according to your skin needs, freeze and reserve cube recipes, such as lemon, rose water, cucumber, aloe vera and green tea. \u2764\u3010Perfect Gift\u3011\u2764It can be used as a holiday gift for your family and friends. Give yourself or your love an immortal gift."}, {"name": "CTS AIR PLANTS Assorted Tillandsia Air Plants 6 Pack", "product_information": {"Manufacturer": "CTS Air Plants", "ASIN": "B00IB6AW4Y", "Customer Reviews": {"ratings_count": 25, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#372,635 in Patio, Lawn & Garden (See Top 100 in Patio, Lawn & Garden) #1,213 in Cacti & Succulent Plants"], "Is Discontinued By Manufacturer": "No"}, "brand": "Visit the CTS Air Plants Store", "brand_url": "https://www.amazon.com/stores/CTS+AIR+PLANTS/page/3E7A1C26-B725-48EB-A96D-92BAEA68C40D?ref_=ast_bln", "full_description": "6 Pack Assorted Tillandsia Medium Size A nice variety of medium sized air plants. Great size for Orbs. CARE:Great pack for orbs! These varieties are very hardy. Keep them in a sunny window and soak for 8 hours once every 1-2 weeks and that's it. COLOR: most are shades of green, some may have red/pink when in blush/bloom. Plants received may or may not be in bloom SIZE: These are medium size tillandsia. Plants received will range in size from 3\" to 6\" or larger depending on availability. Best quality you can find. Natural products-sizes, shapes, and colors may vary from photo. Comes with care instructions by CTS Air Plants. ** For shipping to areas with temps below freezing select expedited shipping option or plants not guaranteed against freezingCOLD WEATHER SHIPPING USE EXPEDITED SHIPPING OPTION", "pricing": "$19.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41uOobZY8QL.jpg", "https://m.media-amazon.com/images/I/41tsyGAIxlL.jpg", "https://m.media-amazon.com/images/I/31a12l7nYmL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Patio, Lawn & Garden \u203a Gardening & Lawn Care \u203a Plants, Seeds & Bulbs \u203a Cacti & Succulents", "average_rating": 4.7, "small_description": ["6 medium size air plants Approximately 3\"-6\" ", "6 different air plant varieties ", "Fast Shipping ", "Comes with care instructions by CTS Air Plants ", "Make great gifts "], "total_reviews": 25, "total_answered_questions": "", "customization_options": "", "seller_id": "A188OOAS9MIC8N", "seller_name": "CTS Air Plants", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00IB6AW4Y", "category": "grocery", "query": "Fresh Flowers & Live Indoor Plants", "page": 9, "small_description_old": "6 medium size air plants Approximately 3\"-6\" 6 different air plant varieties Fast Shipping Comes with care instructions by CTS Air Plants Make great gifts"}, {"name": "Victoria secret 2 piece bombshell gift set- (new packaging)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 7.95 x 7.95 x 3.6 inches; 11.2 Ounces", "UPC\n \u200f": "\u200e\n 667534099247", "Manufacturer\n \u200f": "\u200e\n Victoria secret", "ASIN\n \u200f": "\u200e\n B01NB94BQO", "Best Sellers Rank": "#561,712 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,288 in Women's Fragrance Sets", "#1,288 in Women's Fragrance Sets": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Victoria's Secret", "brand_url": "https://www.amazon.com/Victorias-Secret/b/ref=bl_dp_s_web_2603249011?ie=UTF8&node=2603249011&field-lbr_brands_browse-bin=Victoria%27s+Secret", "full_description": "The perfect duo to gift or keep, in our award-winning blend of purple passion fruit, Shangri-La peony and vanilla orchid. 2 piece: Bombshell lotion (3.4 fl oz) , bombshell body mist (2.5 fl oz) 100% authentic product by victoria secret", "pricing": "$29.99", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51WGIGXVoVL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Fragrance \u203a Women's \u203a Sets", "average_rating": 4.5, "small_description": ["Victoria secret bombshell gift set ", "2 piece: Bombshell lotion (3.4 fl oz) , bombshell body mist (2.5 fl oz) ", "MADE in USA by victoria secret ", "The perfect duo to gift or keep, in our award-winning blend of purple passion fruit, Shangri-La peony and vanilla orchid. "], "total_reviews": 18, "total_answered_questions": "", "customization_options": "", "seller_id": "A1PLLSDVESNQK6", "seller_name": "BEST BUY DISTRIBUTION LLC", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01NB94BQO", "category": "beauty", "query": "Sets Fragrance", "page": 145, "small_description_old": "About this item Victoria secret bombshell gift set 2 piece: Bombshell lotion (3.4 fl oz) , bombshell body mist (2.5 fl oz) MADE in USA by victoria secret The perfect duo to gift or keep, in our award-winning blend of purple passion fruit, Shangri-La peony and vanilla orchid."}, {"name": "Professional Pedicure Tools Kit, 20/23 in 1 Stainless Steel Foot Spa Care Set Foot Rasp Dead Skin Callus Remover Foot File Foot Scrubber for Women Men Salon or Home Use", "product_information": {"Manufacturer\n \u200f": "\u200e\n ChYoung", "ASIN\n \u200f": "\u200e\n B09B9QLDKD", "Best Sellers Rank": "#822,692 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#2,375 in Foot Files", "#2,375 in Foot Files": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: ChYoung", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ChYoung", "full_description": "Material:Stainless SteelErgonomic Design: Each pedicure tool is designed for special needs, with small and lightweight design, holding comfortably,non-slip designQuickly Removes Rough Skin: The sharp foot pedicure kit can effectively dead skin on feet, callus, hard skin, corn, cuticle etc.and thick nails in seconds.Save Time and Money: The pedicure kit allows you to do foot care at home without going to a salon. It is recommended to use 1-2 times a week, regular use of feet pedicure kits, it can also restore your original smooth skin. Pedicure Kit:Coming with different pedicure tools,Including foot rasp callus remover, cuticle remover, foot peel, foot clipper, scraper, callus remover, foot file, nail file, cuticle remover, nail and toenail clipper etc.Great Foot Care kit: Foot file kit are suitable for spa, foot bath and your personal foot care.Steps:Step 1: Soak your feet. We recommend that you soak your feet in warm water for 10-15 minutes to soften the skin.Step 2: step: stainless steel rough file or fine file: first with rough steel grinding, preliminary clean dead skin.Step 3: Stainless steel callus scraper: for more fine grinding of the bottom of the foot calluses.Step 4: The back of the rough file or smooth file: After trimming the foot again, sand the foot with the back of the sandpaper.Step 5: Callus razor: Use a razor blade to scrape away dead skin and calluses from the soles of your feet.Step 6: Two-in-one nail file and dead fork: Sanding the edges of the manicured nails,Use a fork to peel off the dead skin and use your fingernails to edge your feet.Step 7: Push the cuticle: Scrub the surface of the nail to make the foot or nail surface smoother.Step 8: The cuticle fork: For trimming dead skin around your nails.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51WDtj2vXhS.jpg", "https://m.media-amazon.com/images/I/41k1VDNT8VS.jpg", "https://m.media-amazon.com/images/I/51tVhWhRcpS.jpg", "https://m.media-amazon.com/images/I/51LB+sdjrFS.jpg", "https://m.media-amazon.com/images/I/51IZCLr50sS.jpg", "https://m.media-amazon.com/images/I/51AXU-pMv3S.jpg", "https://m.media-amazon.com/images/I/51e5Vt5DitS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Foot, Hand & Nail Care \u203a Tools & Accessories \u203a Foot Files", "average_rating": 3.5, "small_description": ["\u3010Valued 23/20-IN-1 Pedicure Kit\u3011This stainless steel and ABS material professional pedicure set include all the common tools, to meet your different needs. Easy to clean, rust resistance and wear resistance, which will offer you a comfortable experience. Fast shipped from US. ", "\u3010Professional Pedicure Tools\u3011Coming with 20/23 different pedicure tools, to meet your different needs.Including foot rasp callus remover, cuticle remover, foot peel, foot clipper, scraper, callus remover, foot file, nail file, cuticle remover, nail and toenail clipper etc.Each pedicure tool is designed for special needs, with small and lightweight design, holding comfortably. ", "\u3010Quickly Removes Rough Skin\u3011The sharp foot pedicure kit can effectively remove corn, dead skin, stubborn callus and thick nails in seconds. Best suggestion: Soak your feet in warm water for 10-15 minutes to soften rough skin to get a better pedicure result. ", "\u3010Wide Applications\u3011Coming with a free storage box for quick store and use, you can take pedicure tools wherever you go, great for travel and daily life. Pedicure foot file which is a special gift for your family and friends, especially valentines day gifts for him/her. ", "\u3010Great Foot Care kit\u3011The pedicure kit allows you to do foot care spa, foot bath at home without going to a salon, saving cost time and money. It is recommended to use 1-2 times a week, regular use of feet pedicure kits, it can also restore your original smooth skin. "], "total_reviews": 2, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09B9QJB69/ref=twister_B09B9N38B5?_encoding=UTF8&psc=1", "value": "20 Pack", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51JJopIpOtS.jpg"}, {"is_selected": true, "url": null, "value": "23 Pack", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51WDtj2vXhS.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09B9QLDKD", "category": "beauty", "query": "Skin Care Sets & Kits", "page": 67, "small_description_old": "About this item \u3010Valued 23/20-IN-1 Pedicure Kit\u3011This stainless steel and ABS material professional pedicure set include all the common tools, to meet your different needs. Easy to clean, rust resistance and wear resistance, which will offer you a comfortable experience. Fast shipped from US. \u3010Professional Pedicure Tools\u3011Coming with 20/23 different pedicure tools, to meet your different needs.Including foot rasp callus remover, cuticle remover, foot peel, foot clipper, scraper, callus remover, foot file, nail file, cuticle remover, nail and toenail clipper etc.Each pedicure tool is designed for special needs, with small and lightweight design, holding comfortably. \u3010Quickly Removes Rough Skin\u3011The sharp foot pedicure kit can effectively remove corn, dead skin, stubborn callus and thick nails in seconds. Best suggestion: Soak your feet in warm water for 10-15 minutes to soften rough skin to get a better pedicure result. \u3010Wide Applications\u3011Coming with a free storage box for quick store and use, you can take pedicure tools wherever you go, great for travel and daily life. Pedicure foot file which is a special gift for your family and friends, especially valentines day gifts for him/her. \u3010Great Foot Care kit\u3011The pedicure kit allows you to do foot care spa, foot bath at home without going to a salon, saving cost time and money. It is recommended to use 1-2 times a week, regular use of feet pedicure kits, it can also restore your original smooth skin."}, {"name": "Rude - NoFilter 3D Face Palette - Stars", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 5.31 x 2.36 x 0.63 inches; 1.06 Ounces", "Item model number\n \u200f": "\u200e\n 88065", "UPC\n \u200f": "\u200e\n 602989880651", "Manufacturer\n \u200f": "\u200e\n Rude Cosmetics", "ASIN\n \u200f": "\u200e\n B08329Z669", "Best Sellers Rank": "#632,656 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,724 in Makeup Palettes", "#1,724 in Makeup Palettes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the RUDE Store", "brand_url": "https://www.amazon.com/stores/RUDE/page/57E17DFF-2390-470F-B68F-EFD058CB24D0?ref_=ast_bln", "full_description": "", "pricing": "$13.20", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51sl56p6k7S.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Makeup Palettes", "average_rating": 4.3, "small_description": ["3D face palette will help you sculpt, Highlight, and achieve a look that is anything but Flat ", "Cruelty free ", "This is a vegan product "], "total_reviews": 19, "total_answered_questions": "", "customization_options": "", "seller_id": "A2SOU0HYON68YU", "seller_name": "BeautyJoint", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08329Z669", "category": "beauty", "query": "Makeup Palettes", "page": 70, "small_description_old": "3D face palette will help you sculpt, Highlight, and achieve a look that is anything but Flat Cruelty free This is a vegan product"}, {"name": "Merrell Men's Primer Mid LTR Fashion Boot", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 13.7 x 9.2 x 4.9 inches; 2.15 Pounds", "Item model number\n \u200f": "\u200e\n J16671", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n July 3, 2019", "Manufacturer\n \u200f": "\u200e\n Merrell", "ASIN\n \u200f": "\u200e\n B07L6SKK2W", "Best Sellers Rank": "#1,329,728 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,143 in Men's Hiking Boots", "#1,143 in Men's Hiking Boots": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Merrell Store", "brand_url": "https://www.amazon.com/stores/Merrell/page/8EB91A58-EE97-4FE3-8892-99D4449E8B33?ref_=ast_bln", "full_description": "Secure status on the streets with this high-performance sneaker. The Primer Mid Leather provides all-day protection and comfort.", "pricing": "$112.91$134.33", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41z0-xgDz9L.jpg", "https://m.media-amazon.com/images/I/31usSkyPmnL.jpg", "https://m.media-amazon.com/images/I/31IFpTcEDRL.jpg", "https://m.media-amazon.com/images/I/41tjXVFrUaL.jpg", "https://m.media-amazon.com/images/I/31CcI+tRQiL.jpg", "https://m.media-amazon.com/images/I/31B3fMLGmOL.jpg", "https://m.media-amazon.com/images/I/41HaXkW-9FL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Outdoor \u203a Hiking & Trekking \u203a Hiking Boots", "average_rating": 4.6, "small_description": ["100% Leather ", "Imported ", "Rubber sole ", "Shaft measures approximately ankle-high from arch ", "Waxy leather upper ", "Traditional lace closure ", "Kinetic Fit Base removable contoured insole for flexible support ", "Lightweight EVA midsole with rubber outsole "], "total_reviews": 29, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "7", "asin": "B07L6SCC1H"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B07L6Q59MQ"}, {"is_selected": false, "is_available": false, "value": "9", "asin": "B07L6NTXL1"}, {"is_selected": false, "is_available": true, "value": "9.5", "asin": "B07L6QHPW8"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B07L6DV555"}, {"is_selected": false, "is_available": false, "value": "10.5", "asin": "B07L6Q59P5"}, {"is_selected": false, "is_available": false, "value": "11", "asin": "B07L6NQ923"}, {"is_selected": false, "is_available": true, "value": "11.5", "asin": "B00D5DU4C8"}, {"is_selected": false, "is_available": true, "value": "12", "asin": "B07L6Q59NV"}, {"is_selected": false, "is_available": true, "value": "14", "asin": "B07L6Q5ZM9"}, {"is_selected": false, "is_available": false, "value": "15", "asin": "B07L6DYL64"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07L6SKK2W/ref=twister_B07M98F79Z", "value": "Boulder", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/4121ERvVqpL.jpg"}, {"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41z0-xgDz9L.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07L6DV555", "category": "fashion", "query": "Men's Boots", "page": 71, "small_description_old": "100% Leather Imported Rubber sole Shaft measures approximately ankle-high from arch Waxy leather upper Traditional lace closure Kinetic Fit Base removable contoured insole for flexible support Lightweight EVA midsole with rubber outsole"}, {"name": "Electric Shower Brush Set,Deep Cleaning Bath Shower Wash Brush with Long Handle,5 in 1 Spin SPA Brush Back Scrubber Set for Helps Promote Healthier Younger Looking Skin Soothes Tired Muscles", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 11.81 x 7.87 x 3.14 inches; 0.02 Ounces", "Date First Available\n \u200f": "\u200e\n September 14, 2021", "Manufacturer\n \u200f": "\u200e\n UDSMFU", "ASIN\n \u200f": "\u200e\n B09GF68QPJ", "Country of Origin\n \u200f": "\u200e\n China", "Best Sellers Rank": "#207,959 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#769 in Bath & Body Brushes", "#769 in Bath & Body Brushes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: UDSMFU", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=UDSMFU", "full_description": "The new multi-functional electric bath wipe, which integrates bath ball/bath wipe/massage/foot wipe/bath liquid leakage. Product size: the total length of the long handle is 36 cm, the diameter of the brush head is 7.5 cm, and the length of the brush is 1.5 cmProduct material: ABS+silicone+motorSingle weight: 580 gramsColor box size: 30.5*8*20.5cmProduct brush head: 5Power supply: 3 AA dry batteries need to be placed Use time: about 60 minutes (affected by the quality of the battery)", "pricing": "$26.99", "list_price": "", "availability_quantity": 20, "availability_status": "Only 20 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41FNcnhBaEL.jpg", "https://m.media-amazon.com/images/I/51o5nYXlXNL.jpg", "https://m.media-amazon.com/images/I/514-HKvgWXL.jpg", "https://m.media-amazon.com/images/I/41wAb2iP7kL.jpg", "https://m.media-amazon.com/images/I/41-HjVO-RBL.jpg", "https://m.media-amazon.com/images/I/51yNrOf1LTL.jpg", "https://m.media-amazon.com/images/I/31WXLmse1DL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Bath & Bathing Accessories \u203a Bathing Accessories \u203a Bath & Body Brushes", "average_rating": 2.9, "small_description": ["\u3010Advanced Cleansing System\u3011A perfect all-in-one body care system,360\u00b0 Spin It will rotate automatically when start it,Unique comfort bristles and massage function, leave your body relaxed,this spin cleansing system technology system cleans better than vibration and it removes dirt, oil and and soften your dead skin. ", "\u3010 Multipurpose\u3011This facial cleansing brush set comes with 5 different heads to meet all your different needs, 2 deep cleaning brush for deep scrubbing and cleansing, 1 mesh sponge brush for gentle exfoliation, 1 massager head for improving circulation, 1 microdermabrasion brush for daily deep cleansing. ", "\u3010Design with long handle\u3011You can easily use this shower brush to clean any part of your body easily. This brush can also play a massage on the foot points, accelerate the microcirculation, adjust blood pressure, improve sleep, relieve fatigue and promote the metabolism of human body. ", "\u3010IPX6 waterproof and cordless structure\u3011: easy to use for both face and body cleansing; convenient and safe to use in the shower or bath without any worry about immersion in water; body brush with an extended handle for cleansing hard-to-reach body areas to avoid skin problems ", "\u3010Two Speeds\u3011: Adjustable speeds for your different selections and powered by 3AA batteries(not included).the total length of the long handle is 36 cm, the diameter of the brush head is 7.5 cm, and the length of the brush is 1.5 cm "], "total_reviews": 7, "total_answered_questions": "", "customization_options": "", "seller_id": "A1IDY607SNU2HM", "seller_name": "GuoDaXia", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09GF68QPJ", "category": "beauty", "query": "Bathing Accessories", "page": 105, "small_description_old": "About this item \u3010Advanced Cleansing System\u3011A perfect all-in-one body care system,360\u00b0 Spin It will rotate automatically when start it,Unique comfort bristles and massage function, leave your body relaxed,this spin cleansing system technology system cleans better than vibration and it removes dirt, oil and and soften your dead skin. \u3010 Multipurpose\u3011This facial cleansing brush set comes with 5 different heads to meet all your different needs, 2 deep cleaning brush for deep scrubbing and cleansing, 1 mesh sponge brush for gentle exfoliation, 1 massager head for improving circulation, 1 microdermabrasion brush for daily deep cleansing. \u3010Design with long handle\u3011You can easily use this shower brush to clean any part of your body easily. This brush can also play a massage on the foot points, accelerate the microcirculation, adjust blood pressure, improve sleep, relieve fatigue and promote the metabolism of human body. \u3010IPX6 waterproof and cordless structure\u3011: easy to use for both face and body cleansing; convenient and safe to use in the shower or bath without any worry about immersion in water; body brush with an extended handle for cleansing hard-to-reach body areas to avoid skin problems \u3010Two Speeds\u3011: Adjustable speeds for your different selections and powered by 3AA batteries(not included).the total length of the long handle is 36 cm, the diameter of the brush head is 7.5 cm, and the length of the brush is 1.5 cm"}, {"name": "Berkemann Women's Clogs and Mules, 5 UK", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 11.73 x 6.77 x 4.17 inches; 1.1 Pounds", "Item model number\n \u200f": "\u200e\n 1105", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n June 15, 2019", "Manufacturer\n \u200f": "\u200e\n Berkemann", "ASIN\n \u200f": "\u200e\n B002RRUOUA", "Best Sellers Rank": "#5,872,214 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#10,720 in Women's Mules & Clogs", "#10,720 in Women's Mules & Clogs": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Berkemann", "brand_url": "https://www.amazon.com/Berkemann/b/ref=bl_sl_s_sh_web_20692740011?ie=UTF8&node=20692740011&field-lbr_brands_browse-bin=Berkemann", "full_description": "The comfortable and active shoe models from Berkemann are characterised by a variety of product and material properties. For example, Berkemann uses only particularly soft leather from European suppliers, solvent-free adhesives, as well as particularly light poplar wood from Central European forestry - all in terms of holistic well-being.", "pricing": "$78.42$94.90", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41sXBNVyGzL.jpg", "https://m.media-amazon.com/images/I/516ccgLuyoL.jpg", "https://m.media-amazon.com/images/I/41lgMh+XQLL.jpg", "https://m.media-amazon.com/images/I/31DTv7mzO0L.jpg", "https://m.media-amazon.com/images/I/413S+yNnTCL.jpg", "https://m.media-amazon.com/images/I/41URj8LtvQL.jpg", "https://m.media-amazon.com/images/I/41xwnMRf04L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Mules & Clogs", "average_rating": 4.5, "small_description": ["Rubber sole ", "style: Clogs and Mules ", "outer material: Calfskin ", "closure type: Slip-On "], "total_reviews": 109, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": false, "value": "5 Big Kid", "asin": "B002RRUOUA"}, {"is_selected": false, "is_available": true, "value": "5", "asin": "B002RRT0X2"}, {"is_selected": false, "is_available": true, "value": "5.5", "asin": "B002RRP9UA"}, {"is_selected": false, "is_available": true, "value": "6", "asin": "B002RRT0SW"}, {"is_selected": false, "is_available": true, "value": "6.5", "asin": "B002RRUNX8"}, {"is_selected": false, "is_available": true, "value": "7", "asin": "B002RRY62M"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B002RRY640"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B002RRRCS2"}, {"is_selected": false, "is_available": false, "value": "8.5", "asin": "B002RRPA5E"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B002RRRCT6"}, {"is_selected": false, "is_available": false, "value": "9.5", "asin": "B002RRPA6I"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B002RRWLVU"}, {"is_selected": false, "is_available": true, "value": "10.5", "asin": "B002RRY6AO"}, {"is_selected": false, "is_available": true, "value": "11", "asin": "B002RRT0NM"}, {"is_selected": false, "is_available": false, "value": "4.5 M UK", "asin": "B002RRT0YQ"}, {"is_selected": false, "is_available": false, "value": "6 M UK", "asin": "B002RRY6JU"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B002RRY6JU/ref=twister_B00JLB4RJE", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31RGuZqLJ3L.jpg"}, {"is_selected": true, "url": null, "value": "Black Schwarz", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41sXBNVyGzL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0039Z9FA4/ref=twister_B00JLB4RJE", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41iKuYvTYpL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B002RRT0NM", "category": "fashion", "query": "Women's Mules & Clogs", "page": 40, "small_description_old": "Rubber sole style: Clogs and Mules outer material: Calfskin closure type: Slip-On"}, {"name": "Brilliant Sunshine Gray Heart Love Patchwork Large Recliner Protector for Seat Width up to 28\", Slip Resistant Furniture Slipcover, 2\" Strap, Reclining Chair Cover for Pets, Kids, Dogs, Recliner, Gray", "product_information": {"Product Dimensions": "11.2 x 11.2 x 3.3 inches", "Item Weight": "1.85 pounds", "Manufacturer": "Brilliant Sunshine", "ASIN": "B07PHQZ4WT", "Customer Reviews": {"ratings_count": 1490, "stars": "4.3 out of 5 stars"}, "Best Sellers Rank": ["#55,269 in Home & Kitchen (See Top 100 in Home & Kitchen) #204 in Sofa Slipcovers"], "Fabric Type": "Faux Cotton Soft Microfiber Triple Layers", "Material Care Instructions": "Machine Wash, Tumble Dry", "Batteries Required?": "No"}, "brand": "Visit the Brilliant Sunshine Store", "brand_url": "https://www.amazon.com/stores/Brilliant+Sunshine/page/60B33F1F-0A2D-4C24-AD37-EFC1C46A7C48?ref_=ast_bln", "full_description": "", "pricing": "$32.99", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51KmRplXjiL.jpg", "https://m.media-amazon.com/images/I/51rPw4E8kwL.jpg", "https://m.media-amazon.com/images/I/41eOaz9-S5L.jpg", "https://m.media-amazon.com/images/I/51PdQz-r+RL.jpg", "https://m.media-amazon.com/images/I/51JXtLEhtcL.jpg", "https://m.media-amazon.com/images/I/41PqR-thKnL.jpg", "https://m.media-amazon.com/images/I/51Scl1UWA9L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Slipcovers \u203a Sofa Slipcovers", "average_rating": 4.3, "small_description": ["Faux Cotton Soft Microfiber Triple Layers ", "PROTECT WITH UNIQUE DESIGN: Gray heart love patchwork patterns, with double diamond quilting, classic, elegant, and unique. Keep your sofa and furniture fresh and protect them against mess. Reverse to an upgraded silicon puppy paw dots pattern, slip resistant. Pets friendly. Made to enhance decor. ", "DURABLE AND COMFORTABLE: Premium quality of microfiber and extra soft fill, made to last. This design is finished upgrading of slip resistant reverse side. Please kindly notice. ", "PERFECT FIT: Fit most large sofa up to 70\" seat width. Multiple options are available: X-Large Oversized Sofa (78\" seat width), Loveseat (54\" seat width), Oversized Recliner (28\" seat width), Chair (23\" seat width). Please see our Measuring Guide for more instructions. And please measure before purchasing. Matching decorative ruffle pillow shams, organizers and quilt sets are available for additional purchase. ", "STAYS IN PLACE: Each slipcover includes one 2\u201d wide strap with matching color tone, high quality. Both length and hooking positions are adjustable. The silicon slip resistant back is suitable for both fabric and leather sofa. ", "EASY CARE: Machine wash cold and tumble dry low, do not bleach. BUY WITH CONFIDENCE and Worry Free Warranty. You can contact us for any question and we will respond very quickly. Your satisfaction is our utmost importance! "], "total_reviews": 1490, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07PHR8TWF/ref=twister_B08NSL9MQ4?_encoding=UTF8&psc=1", "value": "Gray Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51fMlZRQNML.jpg"}, {"is_selected": true, "url": null, "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51PAfkXH2hL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07PJQWPHX/ref=twister_B08NSL9MQ4", "value": "Latte Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51ImbKfSdcL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07PDKXGWH/ref=twister_B08NSL9MQ4", "value": "Pink Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51y0QS1xrgL.jpg"}], "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07PJT3WWB/ref=twister_B08NSL9MQ4", "value": "23\" Chair Cover", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "28\" Oversized Recliner Cover", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07PHPP7TZ/ref=twister_B08NSL9MQ4?_encoding=UTF8&psc=1", "value": "54\" Love Seat Cover", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07PJRQYG5/ref=twister_B08NSL9MQ4", "value": "70\" Sofa Cover", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07VCRS5SG/ref=twister_B08NSL9MQ4", "value": "78\" Sofa Cover Oversized", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A1M3WFQHIY37ZJ", "seller_name": "PamperPet", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07PDKXJSK", "category": "garden", "query": "Furniture Sets", "page": 158, "small_description_old": "About this item PROTECT WITH UNIQUE DESIGN: Gray heart love patchwork patterns, with double diamond quilting, classic, elegant, and unique. Keep your sofa and furniture fresh and protect them against mess. Reverse to an upgraded silicon puppy paw dots pattern, slip resistant. Pets friendly. Made to enhance decor. DURABLE AND COMFORTABLE: Premium quality of microfiber and extra soft fill, made to last. This design is finished upgrading of slip resistant reverse side. Please kindly notice. PERFECT FIT: Fit most large recliner up to 28\" seat width. Multiple options are available: X-Large Oversized Sofa (78\" seat width), Large Sofa (70\" seat width), Oversized Loveseat (54\" seat width), Chair (23\" seat width). Please see our Measuring Guide for more instructions. And please measure before purchasing. Matching decorative ruffle pillow shams, organizers and quilt sets are available for additional purchase. STAYS IN PLACE: Each slipcover includes one 2\u201d wide strap with matching color tone, high quality. Both length and hooking positions are adjustable. The silicon slip resistant back is suitable for both fabric and leather sofa. EASY CARE: Machine wash cold and tumble dry low, do not bleach. BUY WITH CONFIDENCE and Worry Free Warranty. You can contact us for any question and we will respond very quickly. Your satisfaction is our utmost importance!"}, {"name": "ULTRAIDEAS Women's Comfy Lightweight Slippers Non-Slip House Shoes for Indoor & Outdoor", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10.51 x 8.39 x 3.46 inches; 9.59 Ounces", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n June 6, 2019", "ASIN\n \u200f": "\u200e\n B07RTX8B7R", "Best Sellers Rank": "#27,771 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#250 in Women's Slippers", "#250 in Women's Slippers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$19.99$21.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41tgTFNeH3L.jpg", "https://m.media-amazon.com/images/I/41SBUuN9gmL.jpg", "https://m.media-amazon.com/images/I/41yZJATeiJL.jpg", "https://m.media-amazon.com/images/I/41KyuOxQTXL.jpg", "https://m.media-amazon.com/images/I/51Syi5wdwTL.jpg", "https://m.media-amazon.com/images/I/A1jWN0uxG-L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Slippers", "average_rating": 4.4, "small_description": ["Rubber sole ", "Super soft: The vamp is made of delicate ultra-soft material, smooth and breathable. Suitable for all seasons. You will like the feel of this material. ", "Lightweight: Light weight design lets you move freely whether you are at home or outside. These portable slippers are also a great choice for travel, you can relax your feet at any time. ", "Cloud like cushion: High-density memory foam offers lasting comfort, which will enable you the feeling of walking on the cloud. ", "Two-tone design: Constructed with color-contrast design, these slippers are more fresh and stylish, simple slippers can also bring color to your life. ", "Suitable for most occasions: Anti-skid rubber sole are sturdy enough for indoor relaxing or baking. You can also wear them outside of the house running errands. Size tips: Please order ONE SIZE UP if you are half size or prefer to wear socks. "], "total_reviews": 4108, "total_answered_questions": 24, "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "5-6", "asin": "B07RTX8B7R"}, {"is_selected": false, "is_available": true, "value": "6.5-7.5", "asin": "B07RRP3KBQ"}, {"is_selected": false, "is_available": true, "value": "8-9", "asin": "B07RPMCNKD"}, {"is_selected": false, "is_available": true, "value": "9.5-10.5", "asin": "B07RPMB6LH"}, {"is_selected": false, "is_available": true, "value": "11-12", "asin": "B07RVLRCT5"}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Y01+H+OmL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07RRP1GH6/ref=twister_B07WFMLN9J", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41cUlZOl1rL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07RQKRT12/ref=twister_B07WFMLN9J", "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/417KBBbOX0L.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07RPMCNKD", "category": "fashion", "query": "Women's Outdoor Shoes", "page": 6, "small_description_old": "Rubber sole Super soft: The vamp is made of delicate ultra-soft material, smooth and breathable. Suitable for all seasons. You will like the feel of this material. Lightweight: Light weight design lets you move freely whether you are at home or outside. These portable slippers are also a great choice for travel, you can relax your feet at any time. Cloud like cushion: High-density memory foam offers lasting comfort, which will enable you the feeling of walking on the cloud. Two-tone design: Constructed with color-contrast design, these slippers are more fresh and stylish, simple slippers can also bring color to your life. Suitable for most occasions: Anti-skid rubber sole are sturdy enough for indoor relaxing or baking. You can also wear them outside of the house running errands. Size tips: Please order ONE SIZE UP if you are half size or prefer to wear socks."}, {"name": "DEVAISE 2-Drawer Wood Lateral File Cabinet with Lock for Office Home, Black", "product_information": {"Manufacturer": "\u200eDEVAISE", "Brand": "\u200eDEVAISE", "Item Weight": "\u200e64.9 pounds", "Product Dimensions": "\u200e23.6 x 15.7 x 29.3 inches", "Color": "\u200eBlack", "Shape": "\u200eRectangular", "Material Type": "\u200eWood", "Number of Drawers": "\u200e2", "Size": "\u200e23.6\"W x 15.7\"D x 29.3\"H", "Manufacturer Part Number": "\u200eAWJG005", "ASIN": "B08MFGNXW3", "Customer Reviews": {"ratings_count": 124, "stars": "4.3 out of 5 stars"}, "Best Sellers Rank": ["#13,534 in Office Products (See Top 100 in Office Products) #9 in Office Lateral File Cabinets"], "Date First Available": "November 2, 2020"}, "brand": "Visit the DEVAISE Store", "brand_url": "https://www.amazon.com/stores/DEVAISE/page/D4212D26-8ECF-48F1-9D9C-5C3F73CB61F5?ref_=ast_bln", "full_description": "", "pricing": "$169.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/4136zUdrB9L.jpg", "https://m.media-amazon.com/images/I/51nQdo7q5tL.jpg", "https://m.media-amazon.com/images/I/51nD8P02xeL.jpg", "https://m.media-amazon.com/images/I/51es0sJMSSL.jpg", "https://m.media-amazon.com/images/I/410rONfCg+L.jpg", "https://m.media-amazon.com/images/I/41LN8TNQFnL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Office Products \u203a Office Furniture & Lighting \u203a Cabinets, Racks & Shelves \u203a File Cabinets \u203a Lateral File Cabinets", "average_rating": 4.3, "small_description": ["FUNCTIONAL: Lateral filing cabinet with contemporary look that can be the little extra you needed in your office space. The filing cabinet can be used as storage cabinet, printer stand which large enough to put printer and scanner on. ", "ANTI-TILT Mechanism: It's vital that only 1 drawer at a time can be opened, this wood file cabinet provides maximum flexibility and anti-tilt. ", "FULL-EXTENSION DRAWERS WITH LOCK: 2 large drawers with removable divider accommodates letter, legal, A4, legal size hanging file folders. With high quality full-extension slides, these filing cabinet drawers move fluidly with ease and open completely. It is easy to access the contents in the back of the drawers. Single lock system secures top 1 drawers, keeps your life private. ", "HEAVY-DUTY DESIGN: Stable construction and reinforced structure ensure years to use. Made of Eco-friendly board, it's water-resistant, scratch-resistant and easy to clean. ", "INSTALL & SERVICE: Over Dimension: 23.6\"W x 15.7\"D x 29.3\"H . Assembly required with instruction. If you have quality problems, just contact us. "], "total_reviews": 124, "total_answered_questions": 17, "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "23.6\"W x 15.7\"D x 29.3\"H", "price_string": "$169.99", "price": 169.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08MFHLDML/ref=twister_B08NXH7M9N?_encoding=UTF8&psc=1", "value": "35.4\"W x 15.7\"D x 29.3\"H", "price_string": "$224.99", "price": 224.99, "image": null}]}, "seller_id": "A9GW4LUCH1KK8", "seller_name": "DEVAISE", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08MFGNXW3", "category": "garden", "query": "File Cabinets", "page": 3, "small_description_old": "About this item\n \nFUNCTIONAL: Lateral filing cabinet with contemporary look that can be the little extra you needed in your office space. The filing cabinet can be used as storage cabinet, printer stand which large enough to put printer and scanner on. ANTI-TILT Mechanism: It's vital that only 1 drawer at a time can be opened, this wood file cabinet provides maximum flexibility and anti-tilt. FULL-EXTENSION DRAWERS WITH LOCK: 2 large drawers with removable divider accommodates letter, legal, A4, legal size hanging file folders. With high quality full-extension slides, these filing cabinet drawers move fluidly with ease and open completely. It is easy to access the contents in the back of the drawers. Single lock system secures top 1 drawers, keeps your life private. HEAVY-DUTY DESIGN: Stable construction and reinforced structure ensure years to use. Made of Eco-friendly board, it's water-resistant, scratch-resistant and easy to clean. INSTALL & SERVICE: Over Dimension: 23.6\"W x 15.7\"D x 29.3\"H . Assembly required with instruction. If you have quality problems, just contact us."}, {"name": "Orthodontic Elastics, Safe Orthodontic Rubber Band Pet Grooming Eco Friendly for Men Women for Dental Hospital for Home for Dentist", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 3.94 x 3.15 x 2.36 inches; 8.4 Ounces", "Manufacturer\n \u200f": "\u200e\n Shanrya", "ASIN\n \u200f": "\u200e\n B09MYFGDY5", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Brand: Shanrya", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Shanrya", "full_description": "Feature:1. Sealed Package: The packaging is tightly sealed to avoid external dust and dirt, healthy and sanitary, convenient for use.2. Excellent Material: Made of high quality rubber material, has good elasticity, safe and eco friendly, and flexible for use.3. Multiple Uses: Can be used for orthodontics and pet grooming, etc. Simple and easy to use, suitable for dental hospitals and clinics.4. Compact And Portable: Light weight, small size, easy to store and carry, can be easily put into your pocket, perfect for travel use.5. 5000pcs Of Rubber Band: 5000pcs rubber band are available, enough to satisfy your use needs, perfect for home and professional use.Specification:Item Type: Orthodontic Rubber BandMaterial: RubberUses: Dental Beauty Rubber Band Package List:5000 x Rubber Band", "pricing": "$24.35", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41WNNSou14L.jpg", "https://m.media-amazon.com/images/I/41VR7Z5QwTL.jpg", "https://m.media-amazon.com/images/I/31SjL-vD8oL.jpg", "https://m.media-amazon.com/images/I/41TShpAE0+L.jpg", "https://m.media-amazon.com/images/I/41Iv1g-qSRL.jpg", "https://m.media-amazon.com/images/I/31VU7atCxtL.jpg", "https://m.media-amazon.com/images/I/51f0OgDkpTL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Orthodontic Supplies", "average_rating": "", "small_description": "Excellent Material: Made of high quality rubber material, has good elasticity, safe and eco friendly, and flexible for use. Compact And Portable: Light weight, small size, easy to store and carry, can be easily put into your pocket, perfect for travel use. Sealed Package: The packaging is tightly sealed to avoid external dust and dirt, healthy and sanitary, convenient for use. Multiple Uses: Can be used for orthodontics and pet grooming, etc. Simple and easy to use, suitable for dental hospitals and clinics. 5000pcs Of Rubber Band: 5000pcs rubber band are available, enough to satisfy your use needs, perfect for home and professional use.", "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1K260ZHD4FYMH", "seller_name": "Taiddad", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09MYFGDY5", "category": "beauty", "query": "Orthodontic Supplies", "page": 81, "small_description_old": "Excellent Material: Made of high quality rubber material, has good elasticity, safe and eco friendly, and flexible for use. Compact And Portable: Light weight, small size, easy to store and carry, can be easily put into your pocket, perfect for travel use. Sealed Package: The packaging is tightly sealed to avoid external dust and dirt, healthy and sanitary, convenient for use. Multiple Uses: Can be used for orthodontics and pet grooming, etc. Simple and easy to use, suitable for dental hospitals and clinics. 5000pcs Of Rubber Band: 5000pcs rubber band are available, enough to satisfy your use needs, perfect for home and professional use."}, {"name": "Cole Haan Women's Originalgrand Stitchlite Wingtip Oxford", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 14.76 x 8.58 x 5.31 inches; 1.81 Pounds", "Item model number\n \u200f": "\u200e\n C33610", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n July 21, 2020", "Manufacturer\n \u200f": "\u200e\n Cole Haan", "ASIN\n \u200f": "\u200e\n B08DF5MMRM", "Best Sellers Rank": "#2,567,562 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,198 in Women's Oxfords", "#1,198 in Women's Oxfords": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Cole Haan Store", "brand_url": "https://www.amazon.com/stores/ColeHaan/page/978534DF-B574-4321-A5BB-2786EE0A9E13?ref_=ast_bln", "full_description": "Cole Haan original grand stitch lite wingtip oxford. All over knit oxford upper. Fully padded sock lining for ultimate comfort. Eva midsole cushioned with our signature Grand/OS technology, with rubber outsole. With nearly 80 years in the business and hundreds of points of distribution in the U.S., Cole Haan is one of America's premier luxury brands. Founded in 1928 as a collaboration between Trafton Cole and Eddie Haan, Cole Haan epitomized artisan quality and impeccable craftsmanship during a time when style was everything. Originally, Cole Haan was a men's footwear label that captured the essence of the 20s spirit with beautifully-designed and well-made shoes for the dapper gentleman. Today, Cole Haan brings that heritage to all of its products, including men's and women's dress and casual footwear, belts, hosiery, handbags, small leather goods, outerwear and sunglasses.", "pricing": "$109.94$228.57", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41hPjjhkReL.jpg", "https://m.media-amazon.com/images/I/41ImQQ7BRUL.jpg", "https://m.media-amazon.com/images/I/41dBCW5eN-L.jpg", "https://m.media-amazon.com/images/I/21eYgW9n1jL.jpg", "https://m.media-amazon.com/images/I/31XjsZOLyCL.jpg", "https://m.media-amazon.com/images/I/41c1JU++LGL.jpg", "https://m.media-amazon.com/images/I/41J0S+xbIyL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Oxfords", "average_rating": 4.8, "small_description": ["Proprietary Stitchlite knit breathable upper with wing detailing ", "\u200bEVA midsole for comfort and cushioning ", "\u200bWelt detailing for added craft elements ", "\u200bForefoot and heel rubber pods for added traction and durability "], "total_reviews": 8, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "11", "asin": "B08DF5MMRM"}, {"is_selected": false, "is_available": true, "value": "11.5", "asin": "B08DFPHCN6"}, {"is_selected": false, "is_available": false, "value": "16", "asin": "B07N73NMN5"}], "Color": [{"is_selected": true, "url": null, "value": "Cement Twisted Knit/Optic White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41hPjjhkReL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07N73NMN5/ref=twister_B09MC8X7NM", "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41NbgXzSNML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B089RQLJY4/ref=twister_B09MC8X7NM", "value": "Ch Java Multi Knit/Lemon Welt/Ivory", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41nyE4hJTQL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08DF5MMRM", "category": "fashion", "query": "Women's Oxfords", "page": 24, "small_description_old": "Rubber sole Proprietary Stitchlite knit breathable upper with wing detailing \u200bEVA midsole for comfort and cushioning \u200bWelt detailing for added craft elements \u200bForefoot and heel rubber pods for added traction and durability"}, {"name": "Scented Candles Gift Set for Women, Aromatherapy Candles Gifts for Women, 4x3.5oz Long Lasting Candles for Home Scented Bath Yoga, 100% Natural Soy Candles, Unique Mothers Day Gifts for Mom Birthday", "product_information": {"Brand": "\u200eBODY & EARTH # LOVE", "Manufacturer": "\u200eBODY & EARTH # LOVE", "Part Number": "\u200eBEL-SC-04", "Item Weight": "\u200e2.5 pounds", "Product Dimensions": "\u200e8.39 x 7.95 x 2.76 inches", "Country of Origin": "\u200eChina", "Assembled Height": "\u200e2.76 inches", "Assembled Length": "\u200e8.39 inches", "Assembled Width": "\u200e7.95 inches", "Material": "\u200eSoy Wax", "Specific Uses": "\u200eAromatherapy", "Special Features": "\u200eLong Burning, Lightweight, Non Toxic", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "ASIN": "B08JQ5TLQV", "Customer Reviews": {"ratings_count": 134, "stars": "4.3 out of 5 stars"}, "Best Sellers Rank": ["#26,368 in Health & Household (See Top 100 in Health & Household) #44 in Aromatherapy Candles"], "Date First Available": "September 22, 2020"}, "brand": "Visit the BODY & EARTH # LOVE Store", "brand_url": "https://www.amazon.com/stores/BODYEARTHLOVE/page/E2EC016B-E93E-4791-935B-ABA9EAE17088?ref_=ast_bln", "full_description": "", "pricing": "$11.99", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/51aJR8ul+NL.jpg", "https://m.media-amazon.com/images/I/41BVMqZeJmL.jpg", "https://m.media-amazon.com/images/I/41WVbwO1wXL.jpg", "https://m.media-amazon.com/images/I/414IL1J11pL.jpg", "https://m.media-amazon.com/images/I/41ffrg3pu0L.jpg", "https://m.media-amazon.com/images/I/518KzOyGvGS.jpg", "https://m.media-amazon.com/images/I/919VEULvqTL.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Health & Household \u203a Health Care \u203a Alternative Medicine \u203a Aromatherapy \u203a Candles", "average_rating": 4.3, "small_description": ["\u30104 Fragrance Scents\u3011:This Scented candles gift set includes 4 calming fragrances- pink sugar, rose, cottoncandy and cherry. No girls will say no to this candle gift set on Christmas or birthday. ", "\u3010Natural Soy Wax\u3011: Our scented candles with 100% natural soy wax. The candle wick is made of lead-free cotton. Our candles are non-toxic and environment friendly. All the fragrances come from pure plant essential oils. These candles are safe for pregnant women, families and babies. ", "\u3010Long Lasting Time\u3011: Each Jar candle contains 3.5 oz soy wax and can be burning for 25 hours. Trimming the wick to increase time. Totally using time for 4 tins is about 100 hours. ", "\u3010Perfect Scented Gift Set\u3011: This candle set will come with a beautiful gift box, suitable for any holiday or meaningful days, such as Birthday, Valentine\u2019s Day, Mother\u2019s Day, Father\u2019s Day, Thanksgiving Day, Christmas Day. Give a Surprise for your family, lover or friends. ", "\u3010Portable Travel Tin Jar Candles\u3011: Great Look and lightweight, easy to carry, great for staying at home or travel. Ideal for reading, sleeping, bathing, doing yoga, etc. The empty jar can store something of value after the soy wax used up, such as earrings, rings, headphones or necklaces. "], "total_reviews": 134, "total_answered_questions": "", "customization_options": "", "seller_id": "A2RTFPIG90JRJ4", "seller_name": "Body & Earth Love", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08JQ5TLQV", "category": "garden", "query": "Candles", "page": 31, "small_description_old": "About this item \u30104 Fragrance Scents\u3011:This Scented candles gift set includes 4 calming fragrances- pink sugar, rose, cottoncandy and cherry. No girls will say no to this candle gift set on Christmas or birthday. \u3010Natural Soy Wax\u3011: Our scented candles with 100% natural soy wax. The candle wick is made of lead-free cotton. Our candles are non-toxic and environment friendly. All the fragrances come from pure plant essential oils. These candles are safe for pregnant women, families and babies. \u3010Long Lasting Time\u3011: Each Jar candle contains 3.5 oz soy wax and can be burning for 25 hours. Trimming the wick to increase time. Totally using time for 4 tins is about 100 hours. \u3010Perfect Scented Gift Set\u3011: This candle set will come with a beautiful gift box, suitable for any holiday or meaningful days, such as Birthday, Valentine\u2019s Day, Mother\u2019s Day, Father\u2019s Day, Thanksgiving Day, Christmas Day. Give a Surprise for your family, lover or friends. \u3010Portable Travel Tin Jar Candles\u3011: Great Look and lightweight, easy to carry, great for staying at home or travel. Ideal for reading, sleeping, bathing, doing yoga, etc. The empty jar can store something of value after the soy wax used up, such as earrings, rings, headphones or necklaces. \n \u203a See more product details"}, {"name": "Hillsdale Furniture Hillsdale Cole Frame Queen Bed, Black twinkle", "product_information": {"Item Weight": "\u200e61.2 pounds", "Product Dimensions": "\u200e87 x 62 x 53.5 inches", "Country of Origin": "\u200eMalaysia", "Item model number": "\u200e1601BQR", "Assembled Height": "\u200e52 inches", "Assembled Width": "\u200e78 inches", "Assembled Length": "\u200e83.5 inches", "Weight": "\u200e61 Pounds", "ASIN": "B004A9L7ZO", "Customer Reviews": {"ratings_count": 14, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#2,311,763 in Home & Kitchen (See Top 100 in Home & Kitchen) #4,546 in Beds"], "Date First Available": "October 5, 2010"}, "brand": "Visit the Hillsdale Store", "brand_url": "https://www.amazon.com/stores/Hillsdale+Furniture/page/E747DF61-6C0E-4186-AA6F-DA2132FC3154?ref_=ast_bln", "full_description": "The cole bed set with rails enhances a traditional silhouette with its unique and whimsical accents. classic ball finials are accentuated by sweeping scrollwork and intricate castings.\u00a0the black twinkle finish offers a great base, intensifying your decor and color scheme. all of these wonderful details culminate with the sturdy steel construction.\u00a0some assembly required. available in black twinkle color and queen size. this set includes one headboard and one footboard. headboard measures 52-inch height by 62-inch width by 2-inch depth and footboard measures 32-inch height by 62-inch width by 2-inch depth.", "pricing": "$226.20", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41Bw9FRPu8L.jpg", "https://m.media-amazon.com/images/I/51ZkhUnc-cL.jpg", "https://m.media-amazon.com/images/I/41cxJKWT2pL.jpg", "https://m.media-amazon.com/images/I/51+vKrwrXkL.jpg", "https://m.media-amazon.com/images/I/41Bw9FRPu8L.jpg", "https://m.media-amazon.com/images/I/61CzPe6B9EL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Beds, Frames & Bases \u203a Beds", "average_rating": 4.5, "small_description": ["Elegant transitional metal queen bed with a classic double arch design and sweeping metal scrollwork ", "The Black Twinkle finish adds a soft accent to a simple frame ", "Includes headboard, footboard and bed frame; mattress and box spring required, not included ", "Overall Dimensions: 53.50H x 62W x 4D; Footboard Height: 32.5H ", "Assembly required ", "Forged from heavy gauge tubular steel with foundry-poured aluminum castings ", "Item will ship in two boxes; which may arrive separately , The touch of a clean, dry cloth is the only care your furniture will ever need, Residential Use Only, Recommended Weight Limit: 500lbs"], "total_reviews": 14, "total_answered_questions": "", "model": "\u200e1601BQR", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B004A9L7ZO", "category": "garden", "query": "Bedframes", "page": 256, "small_description_old": "About this item Elegant transitional metal queen bed with a classic double arch design and sweeping metal scrollwork The Black Twinkle finish adds a soft accent to a simple frame Includes headboard, footboard and bed frame; mattress and box spring required, not included Overall Dimensions: 53.50H x 62W x 4D; Footboard Height: 32.5H Assembly required Forged from heavy gauge tubular steel with foundry-poured aluminum castings Item will ship in two boxes; which may arrive separately \n The touch of a clean, dry cloth is the only care your furniture will ever needResidential Use OnlyRecommended Weight Limit: 500lbsShow more"}, {"name": "Eminence Cinnamon Paprika Body Lotion, 8.4 Ounce", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 2.8 x 2.8 x 2.8 inches; 8 Ounces", "Item model number\n \u200f": "\u200e\n EM-845", "UPC\n \u200f": "\u200e\n 608866336716", "Manufacturer\n \u200f": "\u200e\n Eminence", "ASIN\n \u200f": "\u200e\n B004VMVLLU", "Best Sellers Rank": "#31,044 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#600 in Body Lotions", "#600 in Body Lotions": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Eminence", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Eminence", "full_description": "This unique combination of sweet and spicy is designed to firm and sculpt the skin youve always desired. With Calendula, Paprika, and Cinnamon to stimulate, rejuvenate, and revitalize, your skin will have an ageless perfection", "pricing": "$39.94", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41-4rfop0fL.jpg", "https://m.media-amazon.com/images/I/41Vnr19T0eL.jpg", "https://m.media-amazon.com/images/I/31lZ3idXPJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Body \u203a Moisturizers \u203a Lotions", "average_rating": 4.6, "small_description": ["Improves elasticity in connective tissue ", "Improves cellulite conditions ", "100% naturally organic "], "total_reviews": 437, "total_answered_questions": 13, "customization_options": {"Scent": [{"is_selected": true, "url": null, "value": "Cinnamon Paprika", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41-4rfop0fL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B007XN9HLK/ref=twister_B08S3NZC98", "value": "Coconut", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31fah1sA3fL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075GSQXCT/ref=twister_B08S3NZC98", "value": "Honeydew", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41QvjZtJvAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B001CL6QKO/ref=twister_B08S3NZC98", "value": "Stone Crop", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/414LAQblLiL.jpg"}], "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B075GSQXCT/ref=twister_B08S3NZC98", "value": "8 Ounce", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "8.4 Ounce / 250 ml", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B007XN9HLK/ref=twister_B08S3NZC98", "value": "8.4 Fl Oz (Pack of 1)", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A2ZV1MJM7PVOJ2", "seller_name": "Open Seasons", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B004VMVLLU", "category": "beauty", "query": "Body Care", "page": 5, "small_description_old": "About this item Improves elasticity in connective tissue Improves cellulite conditions 100% naturally organic"}, {"name": "Giantex Faux Fur Vanity Stool Chair, Round Footstool Ottoman with Metal Legs for Living Room, Fluffy Chair with Furry Padded Seat, Makeup Stool for Bedroom, Decorative Furniture Footrest White", "product_information": {"Product Dimensions": "14 x 14 x 18 inches", "Item Weight": "8 pounds", "Manufacturer": "Giantex", "ASIN": "B0957XW92M", "Item model number": "GT67639WH-HW", "Best Sellers Rank": ["#2,118,042 in Home & Kitchen (See Top 100 in Home & Kitchen) #3,031 in Ottomans"], "Date First Available": "May 18, 2021"}, "brand": "Visit the Giantex Store", "brand_url": "https://www.amazon.com/stores/Giantex/page/5CAD1B16-908A-413E-8AEB-967B2F140721?ref_=ast_bln", "full_description": "", "pricing": "$52.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41JKaj6mh8S.jpg", "https://m.media-amazon.com/images/I/51A9Tf+rf0S.jpg", "https://m.media-amazon.com/images/I/41ANZcAgpkS.jpg", "https://m.media-amazon.com/images/I/512udCkgG5S.jpg", "https://m.media-amazon.com/images/I/41hjFnvJMRS.jpg", "https://m.media-amazon.com/images/I/411nD3xArZS.jpg", "https://m.media-amazon.com/images/I/51f1JXbnouS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Accent Furniture \u203a Ottomans", "average_rating": "", "small_description": ["\u3010Soft & Comfortable Material\u3011The surface of the stool cushion is covered with a high-quality faux fur, which is smooth and soft. In addition, the lining is made of high density sponge, which makes the whole cushion super elastic and provides you with the most comfortable experience. ", "\u3010Stable & Sturdy Structure\u3011The foundation of the stool is supported by four solid metal bars bent into inverted triangles, which ensures the overall stability of the stool. Additionally, the arc-shaped bottom of legs plus anti-slip foot mats makes it stable and prevents any wobble. ", "\u3010Modern & Elegant Appearance\u3011Our faux fur stool can add an elegant atmosphere to your home. The furry design and clean and bright colors make it look more advanced and textured. In addition, the four legs of the stool in rose gold color make it more harmonious and concise. ", "\u3010Wide Range of Application\u3011Our soft stool with the flavor of modern art can become a beautiful ornament wherever it is placed. Thus, you can put it in front of the bedroom dresser, in the cloakroom or in the living room. Seeing it, you will have the good mood of the day. ", "\u3010Easy Assembly & Move\u3011Our faux fur stool comes with a clear and brief instruction and few accessories so that you just need to spend few time on assembly. Moreover, due to the 8lbs light weight and 14\u201d x 14\u201d x 18\u201d compact size, you can easily take our stool to any place. "], "total_reviews": "", "total_answered_questions": "", "model": "GT67639WH-HW", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B0957WVXNF/ref=twister_B0957V666G?_encoding=UTF8&psc=1", "value": "Pink", "price_string": "$54.99", "price": 54.99, "image": "https://m.media-amazon.com/images/I/41+nO69tvMS.jpg"}, {"is_selected": true, "url": null, "value": "White", "price_string": "$52.99", "price": 52.99, "image": "https://m.media-amazon.com/images/I/41JKaj6mh8S.jpg"}]}, "seller_id": "A1KP5NGF2WM32D", "seller_name": "Giantex", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B0957XW92M", "category": "garden", "query": "Vanities", "page": 261, "small_description_old": "About this item\n \n\u3010Soft & Comfortable Material\u3011The surface of the stool cushion is covered with a high-quality faux fur, which is smooth and soft. In addition, the lining is made of high density sponge, which makes the whole cushion super elastic and provides you with the most comfortable experience. \u3010Stable & Sturdy Structure\u3011The foundation of the stool is supported by four solid metal bars bent into inverted triangles, which ensures the overall stability of the stool. Additionally, the arc-shaped bottom of legs plus anti-slip foot mats makes it stable and prevents any wobble. \u3010Modern & Elegant Appearance\u3011Our faux fur stool can add an elegant atmosphere to your home. The furry design and clean and bright colors make it look more advanced and textured. In addition, the four legs of the stool in rose gold color make it more harmonious and concise. \u3010Wide Range of Application\u3011Our soft stool with the flavor of modern art can become a beautiful ornament wherever it is placed. Thus, you can put it in front of the bedroom dresser, in the cloakroom or in the living room. Seeing it, you will have the good mood of the day. \u3010Easy Assembly & Move\u3011Our faux fur stool comes with a clear and brief instruction and few accessories so that you just need to spend few time on assembly. Moreover, due to the 8lbs light weight and 14\u201d x 14\u201d x 18\u201d compact size, you can easily take our stool to any place."}, {"name": "A Blend Above Garlic Lover's 5 Pack", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 4.72 x 4.29 x 1.26 inches; 4.66 Ounces", "UPC\n \u200f": "\u200e\n 850027471938", "Manufacturer\n \u200f": "\u200e\n A Blend Above", "ASIN\n \u200f": "\u200e\n B09R8RN6S5", "Country of Origin\n \u200f": "\u200e\n USA", "": ""}, "brand": "Visit the A Blend Above Gourmet Food Products Store", "brand_url": "https://www.amazon.com/stores/ABlendAbove/page/F97C1F16-4E3C-4699-8420-93283471A17D?ref_=ast_bln", "full_description": "This A Blend Above Best Sellers Dip Mix bundle includes (1) Roasted Garlic Parmesan, (1) Spicy Garlic, (1) Roasted Garlic Butter, (1) Asiago Roasted Garlic, and (1) Garlic Bacon Ranch. Each packet contains a perfect blend of seasoning to create delicious appetizers for dipping chips, veggies, meat, bread, etc.! A great option for serving guests at parties, holidays, events, game day get togethers, and more. These dips are amongst the most popular of A Blend Above dip mixes. Our decadent dips are outstanding as a bread spread, topping, salad dressing, and pairs perfectly with vegetables and chips. These are favorites for a reason! All Natural and Low in Carbs! No MSG, No Preservatives, and No Gluten. Combine 1 cup of Sour Cream, 1 cup of Mayonnaise, and 1 package of Dip Mix. Mix all ingredients together and chill 1-2 hours or overnight. Serve and Enjoy! You\u2019ll love this 5 pack variety of dips that are packed with flavor, versatile, and delicious. Guaranteed to be a hit at your next party!. Easy to make. Eager to eat!", "pricing": "$24.95", "list_price": "", "availability_quantity": 20, "availability_status": "Only 20 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41h-62JPp2L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Food & Beverage Gifts \u203a Herb, Spice & Seasoning Gifts", "average_rating": "", "small_description": ["5 PACK: This A Blend Above Best Sellers Dip Mix bundle includes (1) Roasted Garlic Parmesan, (1) Spicy Garlic, (1) Roasted Garlic Butter, (1) Asiago Roasted Garlic, and (1) Garlic Bacon Ranch. Each packet contains a perfect blend of seasoning to create delicious appetizers for dipping chips, veggies, meat, bread, etc.! A great option for serving guests at parties, holidays, events, game day get togethers, and more. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A33X0NQQ1HVLP5", "seller_name": "A Blend Above/ A Spice Above", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09R8RN6S5", "category": "grocery", "query": "Sour Creams", "page": 106, "small_description_old": "About this item 5 PACK: This A Blend Above Best Sellers Dip Mix bundle includes (1) Roasted Garlic Parmesan, (1) Spicy Garlic, (1) Roasted Garlic Butter, (1) Asiago Roasted Garlic, and (1) Garlic Bacon Ranch. Each packet contains a perfect blend of seasoning to create delicious appetizers for dipping chips, veggies, meat, bread, etc.! A great option for serving guests at parties, holidays, events, game day get togethers, and more."}, {"name": "RJSP 50 PCS 3 Row 16 Needle Permanent Makeup Eyebrow Tattoo Blade Microblading Needles for 3D Embroidery Manual Tattoo Pen Machine (Color : White)", "product_information": {"Item Weight": "0.035 ounces", "ASIN": "B09NSJX1WC", "Date First Available": "December 18, 2021", "Department": "Unisex-adult", "Manufacturer": "RJSP", "Country of Origin": "China"}, "brand": "Brand: RURU", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=RURU", "full_description": "Description:Quantity:50pcsType: 3 Row 16 NeedlesModel: 16 pinsFeature:Well packed with individual bags.Safe and durable.Needles are sharp and elastic, make the eyebrow line beautiful.Material: 316L Stainless Steel.100% brand new and high qualityWe also have other size for 7/9/11/12/14 flex needles,and 12/14/16/18/21U needles,if you need these sizes, welcome to contatc us anytime, thanks very much.Package: 50 pcs x 16 Pins Needles", "pricing": "$21.60", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/31TdYLTggIL.jpg", "https://m.media-amazon.com/images/I/4120dy0nGBL.jpg", "https://m.media-amazon.com/images/I/41jGX1GY8BL.jpg", "https://m.media-amazon.com/images/I/41MzHQuuhfL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Piercing & Tattoo Supplies \u203a Tattoo Supplies \u203a Tattoo Needles", "average_rating": "", "small_description": "Well packed with individual bags. Safe and durable. Needles are sharp and elastic, make the eyebrow line beautiful. Material: 316L Stainless Steel. 100% brand new and high quality", "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "A2S3IO7T2RB60V", "seller_name": "REnJIEGO", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09NSJX1WC", "category": "beauty", "query": "Piercing & Tattoo Supplies", "page": 80, "small_description_old": "Well packed with individual bags. Safe and durable. Needles are sharp and elastic, make the eyebrow line beautiful. Material: 316L Stainless Steel. 100% brand new and high quality"}, {"name": "SINGOVE Whitening & Sensitive Toothpaste for Adults Kids, Clean & Fresh, Intensive Stain Removal Teeth Reduce Yellowing (B)", "product_information": {"Department": "Womens", "Manufacturer": "SINGOVE", "ASIN": "B09S3NVLCV", "Country of Origin": "China"}, "brand": "Brand: SINGOVE", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=SINGOVE", "full_description": "Tooth Cleaning Toothpaste Tooth Whitening Enamel Care Toothpaste Stain, V34 Color Corrector Tooth Whitening Sensitive Tooth Toothpaste 30ml

Features:
  • Enamel care: more effective than traditional toothpaste, helps replenish lost minerals and reduces sensitivity.
  • Tooth whitening: it helps to decompose the pigmentation on the surface of teeth, prevents pigmentation, reduce yellow tooth , and make your teeth no longer yellow teeth.
  • Natural ingredients: it contains blueberry, passion fruit, xylitol, glycerol and other plant ingredients. It is very safe and can be used safely. Fresh breath and bad breath, care for white teeth.
  • Fresh breath: brings lasting freshness to your teeth and gums. Promote strong enamel, whiten teeth and prevents halitosis. Brush your teeth in the morning, noon and evening.
  • 1. Tooth cleaning toothpaste - effectively help whiten your teeth and make your smile more beautiful.
  • 2. Blueberry bright tooth toothpaste --- helps to decompose the pigmentation on the surface of teeth, prevents pigmentation, reduce yellow tooth , and make the teeth no longer yellow teeth.
  • 3. Blueberry bright tooth toothpaste --- fresh breath and halitosis, take care of white teeth.
  • 4. Passion fruit tooth repair toothpaste - more effective than traditional toothpaste, helping to replenish lost minerals and reduce sensitivity.
  • 5. Passion fruit tooth repair toothpaste - let you enjoy all kinds of ice or hot things.

    include:
  • A tube of toothpaste", "pricing": "$4.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41zJLUa4RkL.jpg", "https://m.media-amazon.com/images/I/41nlPRcgHeL.jpg", "https://m.media-amazon.com/images/I/516gC+wun2L.jpg", "https://m.media-amazon.com/images/I/51IwzKYlihL.jpg", "https://m.media-amazon.com/images/I/51s9cmslbzL.jpg", "https://m.media-amazon.com/images/I/51h3mD122VL.jpg", "https://m.media-amazon.com/images/I/51-yBvYAltL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothpaste", "average_rating": "", "small_description": ["\u3010Gentle Cleansing Toothpaste\u3011: Powerful enamel toothpaste can improve your overall enamel health. Sensitive toothpaste is specially designed for gentle stain removal. A specially formulated sensitive enamel toothpaste restores the natural whiteness of teeth. ", "More effective than traditional toothpaste]: For sensitive teeth, fluoride toothpaste helps prevent tooth decay and strengthen tooth enamel. More effective than traditional toothpaste, it can help replenish lost minerals and reduce sensitivity. Let you freely enjoy a variety of ice cubes or hot food. This formula can completely remove stains and prevent tooth decay, while keeping the mouth clean. -toothpaste kids toothpaste whitening toothpaste baby toothpaste toddler toothp ", "\u3010Natural Ingredients\u3011: It contains blueberry, passion fruit, xylitol, glycerol and other plant ingredients. It is very safe and can be used safely. Fresh breath and bad breath, care for white teeth. ", "\u3010Fresh breath\u3011: The flavor is fresh and lasting, leaving teeth and gums healthy. Promote strong tooth enamel, whiten teeth and fight bad breath. Brushing your teeth in the morning and evening can effectively help your teeth whiter and make your smile more beautiful. ", "\u3010Purple & Orange\u3011: Help decompose the pigmentation on the surface of the teeth, block the pigmentation, reduce yellow tooth stains, and make your teeth no longer yellow. Fresh breath and bad breath, care for whiter teeth. It is more effective than traditional toothpaste and can help replenish lost minerals and reduce sensitivity. Let you enjoy all kinds of ice or hot things freely. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09S3PZ5G4/ref=twister_B09S3R2BPK?_encoding=UTF8&psc=1", "value": "A", "price_string": "$4.99", "price": 4.99, "image": "https://m.media-amazon.com/images/I/41BFKJltPkL.jpg"}, {"is_selected": true, "url": null, "value": "B", "price_string": "$4.99", "price": 4.99, "image": "https://m.media-amazon.com/images/I/41zJLUa4RkL.jpg"}]}, "seller_id": "A2UI1S5BOH7FH9", "seller_name": "Beauty Seller\u2b50\ufe0f\u2b50\ufe0f\u2b50\ufe0f\u2b50\ufe0f\u2b50\ufe0f", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09S3NVLCV", "category": "beauty", "query": "Toothpaste", "page": 97, "small_description_old": "\u3010Gentle Cleansing Toothpaste\u3011: Powerful enamel toothpaste can improve your overall enamel health. Sensitive toothpaste is specially designed for gentle stain removal. A specially formulated sensitive enamel toothpaste restores the natural whiteness of teeth. More effective than traditional toothpaste]: For sensitive teeth, fluoride toothpaste helps prevent tooth decay and strengthen tooth enamel. More effective than traditional toothpaste, it can help replenish lost minerals and reduce sensitivity. Let you freely enjoy a variety of ice cubes or hot food. This formula can completely remove stains and prevent tooth decay, while keeping the mouth clean. -toothpaste kids toothpaste whitening toothpaste baby toothpaste toddler toothp \u3010Natural Ingredients\u3011: It contains blueberry, passion fruit, xylitol, glycerol and other plant ingredients. It is very safe and can be used safely. Fresh breath and bad breath, care for white teeth. \u3010Fresh breath\u3011: The flavor is fresh and lasting, leaving teeth and gums healthy. Promote strong tooth enamel, whiten teeth and fight bad breath. Brushing your teeth in the morning and evening can effectively help your teeth whiter and make your smile more beautiful. \u3010Purple & Orange\u3011: Help decompose the pigmentation on the surface of the teeth, block the pigmentation, reduce yellow tooth stains, and make your teeth no longer yellow. Fresh breath and bad breath, care for whiter teeth. It is more effective than traditional toothpaste and can help replenish lost minerals and reduce sensitivity. Let you enjoy all kinds of ice or hot things freely."}, {"name": "Generic Floss Pick, Floss Stick, Clean Flossers High Toughness with Portable Cases Hotel Travel - Blue 100Pcs", "product_information": {"Date First Available\n \u200f": "\u200e\n September 15, 2021", "Manufacturer\n \u200f": "\u200e\n Generic", "ASIN\n \u200f": "\u200e\n B09HPMWHM4", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Brand: Generic", "brand_url": "https://www.amazon.com/Generic/b/ref=bl_dp_s_web_2529470011?ie=UTF8&node=2529470011&field-lbr_brands_browse-bin=Generic", "full_description": "Description: - Multiple functions: floss is -fine polymer and does not expand the gap between teeth. The head can be shaved with moss, and there is no need to open a big mouth to clean big teeth. The tail curved handle is designed to clean big teeth and stubborn residues. Super classic anti slip stripe design on the handle. - High quality, safety and health: floss is made of food grade polymer, with high toughness and strong tensile force. The round line is smooth and does not hurt teeth. It is not easy to break and resistant to bending. The floss handle is made of polystyrene and is very durable. - Protect and clean teeth: floss sticks can pick out unwanted residues, remove plaque out of the reach of the toothbrush, help fight tooth decay and keep teeth clean. It can be used as an interdental brush or toothpick to deeply clean between teeth and gums. - Anti slip handle design: the handle design is located at the golden point of floss, and the middle part adopts convex design to enhance hand feeling, save labor and protect teeth. - Easy to carry: small size, can be put into wallet, briefcase, car, pocket or bag. Wherever you go, you can easily carry floss and use it at any timeSpecification: - Size: Approx 8cm/3.14inch Length - Material: PlasticPackage Includes:1 Box Floss", "pricing": "$10.99", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/4132+Y29bbL.jpg", "https://m.media-amazon.com/images/I/41dwVpQ71ZL.jpg", "https://m.media-amazon.com/images/I/41dxaRRR9vL.jpg", "https://m.media-amazon.com/images/I/31J5vzFOyKL.jpg", "https://m.media-amazon.com/images/I/41W8dRRCgkL.jpg", "https://m.media-amazon.com/images/I/41W8dRRCgkL.jpg", "https://m.media-amazon.com/images/I/41p1rM0d6WL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Dental Floss & Picks \u203a Dental Floss", "average_rating": "", "small_description": ["Anti slip handle design: the handle design is located at the golden point of floss, and the middle part adopts convex design to enhance hand feeling, save labor and protect teeth. ", "Easy to carry: small size, can be put into wallet, briefcase, car, pocket or bag. Wherever you go, you can easily carry floss and use it at any time ", "Multiple functions: floss is -fine polymer and does not expand the gap between teeth. The head can be shaved with moss, and there is no need to open a big mouth to clean big teeth. The tail curved handle is designed to clean big teeth and stubborn residues. Super classic anti slip stripe design on the handle. ", "Protect and clean teeth: floss sticks can pick out unwanted residues, remove plaque out of the reach of the toothbrush, help fight tooth decay and keep teeth clean. It can be used as an interdental brush or toothpick to deeply clean between teeth and gums. ", "High quality, safety and health: floss is made of food grade polymer, with high toughness and strong tensile force. The round line is smooth and does not hurt teeth. It is not easy to break and resistant to bending. The floss handle is made of polystyrene and is very durable. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "A1PKRB7GK9L15A", "seller_name": "shenzhen qiaohua maoyi youxian gongsi", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09HPMWHM4", "category": "beauty", "query": "Dental Floss & Picks", "page": 81, "small_description_old": "About this item Anti slip handle design: the handle design is located at the golden point of floss, and the middle part adopts convex design to enhance hand feeling, save labor and protect teeth. Easy to carry: small size, can be put into wallet, briefcase, car, pocket or bag. Wherever you go, you can easily carry floss and use it at any time Multiple functions: floss is -fine polymer and does not expand the gap between teeth. The head can be shaved with moss, and there is no need to open a big mouth to clean big teeth. The tail curved handle is designed to clean big teeth and stubborn residues. Super classic anti slip stripe design on the handle. Protect and clean teeth: floss sticks can pick out unwanted residues, remove plaque out of the reach of the toothbrush, help fight tooth decay and keep teeth clean. It can be used as an interdental brush or toothpick to deeply clean between teeth and gums. High quality, safety and health: floss is made of food grade polymer, with high toughness and strong tensile force. The round line is smooth and does not hurt teeth. It is not easy to break and resistant to bending. The floss handle is made of polystyrene and is very durable."}, {"name": "Hanging Travel Size Toiletry Bag Compact Makeup Organizer Bathroom and Shower Organizer Kit with Elastic Band Holders for Toiletries Water-Proof Travel Bag for Travel Essentials Skincare Cosmetics", "product_information": {"Package Dimensions": "14.25 x 4.57 x 1.34 inches", "Item Weight": "5.3 ounces", "Department": "Unisex-adult", "Manufacturer": "WEIZHONG", "ASIN": "B09CV5GPJ2", "Country of Origin": "China", "Customer Reviews": {"ratings_count": 10, "stars": "3.9 out of 5 stars"}, "Best Sellers Rank": ["#339,584 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #1,031 in Toiletry Bags"]}, "brand": "Brand: WEIZHONG", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=WEIZHONG", "full_description": "", "pricing": "$28.98", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41vJbctYxmL.jpg", "https://m.media-amazon.com/images/I/51V4PrSoB5L.jpg", "https://m.media-amazon.com/images/I/51sMrFQiwJL.jpg", "https://m.media-amazon.com/images/I/51To5u-OF2L.jpg", "https://m.media-amazon.com/images/I/51+s3tmzwKL.jpg", "https://m.media-amazon.com/images/I/517o2Mx5SkL.jpg", "https://m.media-amazon.com/images/I/51BEu6kEYLL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases \u203a Toiletry Bags", "average_rating": 3.9, "small_description": ["Perfect design: Designed to be compact, easy to roll it up; Multiple hooks to pack it big or go small; Aluminum G-hook, hanging it anywhere; Portable and lightweight, TSA-SAFE. ", "Functional toiletry bag: Lays flat for easy access: Skincare, Cosmetics, Makeup brush, Shampoo and more; Multiple size elastic mesh pockets and premium elastic band, holds your travel essentials safely; With edc pocket, all your travel essentials organized. ", "Quality material: Water proof; Qualified material without smell or chemicals, durable zipper with smoothly gliding even when the bag is full; ", "Wide application: Perfect gift for you and your family or you friends; It loves outdoor, just roll it up tight and carry it or hang anywhere, vacations, travel, camping, backpacking, mountaineering and more. ", "Custer service: We are dedicating to design and manufacture high quality toiletry bags over many years, we set our mission of \u201cyour satisfaction is our first purpose\u201d . We serve all customers with honesty and loyalty for its best purchasing experience and satisfaction, so you can buy it at 100% confidence. "], "total_reviews": 10, "total_answered_questions": "", "customization_options": "", "seller_id": "A3IYOOY123SGM7", "seller_name": "SHENZHEN WEIZHONG TECHNOLOGY LTD", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09CV5GPJ2", "category": "beauty", "query": "Skin Care Sets & Kits", "page": 188, "small_description_old": "Perfect design: Designed to be compact, easy to roll it up; Multiple hooks to pack it big or go small; Aluminum G-hook, hanging it anywhere; Portable and lightweight, TSA-SAFE. Functional toiletry bag: Lays flat for easy access: Skincare, Cosmetics, Makeup brush, Shampoo and more; Multiple size elastic mesh pockets and premium elastic band, holds your travel essentials safely; With edc pocket, all your travel essentials organized. Quality material: Water proof; Qualified material without smell or chemicals, durable zipper with smoothly gliding even when the bag is full; Wide application: Perfect gift for you and your family or you friends; It loves outdoor, just roll it up tight and carry it or hang anywhere, vacations, travel, camping, backpacking, mountaineering and more. Custer service: We are dedicating to design and manufacture high quality toiletry bags over many years, we set our mission of \u201cyour satisfaction is our first purpose\u201d . We serve all customers with honesty and loyalty for its best purchasing experience and satisfaction, so you can buy it at 100% confidence."}, {"name": "Velvet Desk Chair Home Office Chairs Swivel Vanity Chair with Wheels Tufted Accent Armchair Adjustable Computer Task Chair for Bedroom Living Room Study Room (Pink)", "product_information": {"Product Dimensions": "16.93 x 21.26 x 34.65 inches", "Item Weight": "22 pounds", "Department": "Unisex Adult", "Manufacturer": "ElinkHome", "ASIN": "B09L44298X", "Customer Reviews": {"ratings_count": 7, "stars": "4.1 out of 5 stars"}, "Best Sellers Rank": ["#324,636 in Home & Kitchen (See Top 100 in Home & Kitchen) #745 in Home Office Desk Chairs"], "Date First Available": "November 5, 2021"}, "brand": "Brand: freemax", "brand_url": "https://www.amazon.com/freemax/b/ref=bl_dp_s_web_23604476011?ie=UTF8&node=23604476011&field-lbr_brands_browse-bin=freemax", "full_description": "", "pricing": "$170.99", "list_price": "", "availability_quantity": 16, "availability_status": "Only 16 left in stock - order soon. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31cB0dnh7aL.jpg", "https://m.media-amazon.com/images/I/41CYkZEMrrL.jpg", "https://m.media-amazon.com/images/I/41Fh+XIn8WL.jpg", "https://m.media-amazon.com/images/I/31GRWAe6oSL.jpg", "https://m.media-amazon.com/images/I/31qKbhsr3rL.jpg", "https://m.media-amazon.com/images/I/41q-KtTG6iL.jpg", "https://m.media-amazon.com/images/I/31-kVVxYHCL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Home Office Chairs \u203a Home Office Desk Chairs", "average_rating": 4.1, "small_description": ["Premium Material: This accent chair is made of premium velvet fabric and stainless steel base, which bring the soft touch and nice modern look. Metal frame and MDF board ensure the good shape and stability of this velvet office chair. ", "Ergonomic Design: Our home office desk chair adopts the ergonomic design sloped backrest, which can reduce the pressure on your back when you lean on it. 110\u00b0golden angle reconciles your work time and leisure life. Curved edges makes this cute desk chair looks more cute and comfortable. ", "Versatile Swivel Chair: The upholstered swivel chair seat height is adjustable from 15\" to 17\", to fit for different desks and people. 360 swivel rolling wheels for smooth movement and maintain a fast working rhythm. Silent nonslip nylon casters will protect your carpet and floor from scratching. ", "Fit Any Room: We have five colors for you to choose: retro green, elegant blue, cute pink, vivid yellow, and classic gray. Suitable for bedroom, living room, reading room, office. Whether you are looking for a office chair/ task chair for your study room/ bedroom, or a vanity chair for your bedroom, you can find the proper one here. Perfect for adults, teens, especially for women and girls. Nice gift for your family and friends. ", "Quality Service: The velvet vanity chair comes with all the parts and necessory tool. With the detailed instruction, it's easy to finish the installation. We take resposiblity for all the quality problem/damage in transit, please feel free to contact us if there is any problem. "], "total_reviews": 7, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09L42R48X/ref=twister_B09L3VD1CM?_encoding=UTF8&psc=1", "value": "Classic Grey", "price_string": "$169.98", "price": 169.98, "image": "https://m.media-amazon.com/images/I/31tw-wEtEoL.jpg"}, {"is_selected": true, "url": null, "value": "Cute Pink", "price_string": "$170.99", "price": 170.99, "image": "https://m.media-amazon.com/images/I/31cB0dnh7aL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09L4FPLPK/ref=twister_B09L3VD1CM?_encoding=UTF8&psc=1", "value": "Elegant Blue", "price_string": "$167.99", "price": 167.99, "image": "https://m.media-amazon.com/images/I/31AJBTlY5DL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09L42BFMT/ref=twister_B09L3VD1CM?_encoding=UTF8&psc=1", "value": "Retro Green", "price_string": "$169.99", "price": 169.99, "image": "https://m.media-amazon.com/images/I/31S+6GMVTdL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09L4G2LSD/ref=twister_B09L3VD1CM?_encoding=UTF8&psc=1", "value": "Vivid Yellow", "price_string": "$166.98", "price": 166.98, "image": "https://m.media-amazon.com/images/I/31FeR8N3aNL.jpg"}]}, "seller_id": "A37J6ZISCG1274", "seller_name": "ElinkHome", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B09L44298X", "category": "garden", "query": "Home Office Chairs", "page": 7, "small_description_old": "About this item\n \nPremium Material: This accent chair is made of premium velvet fabric and stainless steel base, which bring the soft touch and nice modern look. Metal frame and MDF board ensure the good shape and stability of this velvet office chair. Ergonomic Design: Our home office desk chair adopts the ergonomic design sloped backrest, which can reduce the pressure on your back when you lean on it. 110\u00b0golden angle reconciles your work time and leisure life. Curved edges makes this cute desk chair looks more cute and comfortable. Versatile Swivel Chair: The upholstered swivel chair seat height is adjustable from 15\" to 17\", to fit for different desks and people. 360 swivel rolling wheels for smooth movement and maintain a fast working rhythm. Silent nonslip nylon casters will protect your carpet and floor from scratching. Fit Any Room: We have five colors for you to choose: retro green, elegant blue, cute pink, vivid yellow, and classic gray. Suitable for bedroom, living room, reading room, office. Whether you are looking for a office chair/ task chair for your study room/ bedroom, or a vanity chair for your bedroom, you can find the proper one here. Perfect for adults, teens, especially for women and girls. Nice gift for your family and friends. Quality Service: The velvet vanity chair comes with all the parts and necessory tool. With the detailed instruction, it's easy to finish the installation. We take resposiblity for all the quality problem/damage in transit, please feel free to contact us if there is any problem."}, {"name": "YyuX-qff Retro Decorative Mirror, Creativity Polygon Wall-Mounted Mirror Coffee Shop Library High Definition Full-Length Mirror Handmade Bathroom Mirrors (Size : 5050CM)", "product_information": {"Item Weight": "0.035 ounces", "Manufacturer": "YANYUXIANG", "ASIN": "B094QQ7X9T"}, "brand": "Brand: Home - mirror", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Home+-+mirror", "full_description": "Our make-up mirror is soft and natural, and the makeup is suitable for you.\u2605 Type: Decorative mirror\u2605 Product material: wood\u2605 Color: Picture color\u2605 Size: 50*50CM\u2605 This product does not contain other accessories\u2605 Life is the source of creativity, creativity comes from culture, creativity comes from oneself, do not seek the prosperity of the gorgeous, but seek a quiet and comfortable Qingning II\u2605 Made of imported agate vines, ash wood, healthy and environmentally friendly, let family members use it more at ease\u2605 The beauty of the details, simple from the inside out but not simple, exudes charming elegance\u2605 Applicable scenarios: living room, bedroom, bathroom, office, dressing table, dressing room, gallery, bookstore, coffee shop, shopping mall, etc.\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2665 Since the mirror is fragile, if the product is damaged during transportation, as long as you provide us with a photo, we can help you solve the problem.\u2665 We have a variety of styles of mirrors, welcome to browse and buy, look forward to your visit!\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u2014\u25b6\u25b6 Tip: Since we are using international logistics, successful delivery usually takes 15-25 days, more than 30 days, please contact us in time.\u25b6\u25b6 Tip: Due to different measurement tools, 1-2CM errors may occur. A slight chromatic aberration may occur due to the angle of shooting and light. This is normal, please understandMy shop has various styles of makeup mirrors, welcome to buy!", "pricing": "$196.03", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31qhu8rHUWL.jpg", "https://m.media-amazon.com/images/I/316+YZm8riL.jpg", "https://m.media-amazon.com/images/I/41Jjy+tLJEL.jpg", "https://m.media-amazon.com/images/I/4168Q8DxynL.jpg", "https://m.media-amazon.com/images/I/41iB8FXwffL.jpg", "https://m.media-amazon.com/images/I/51FGcXBp8SL.jpg", "https://m.media-amazon.com/images/I/51mGX2NSTvL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bath \u203a Bathroom Accessories \u203a Bathroom Mirrors \u203a Wall-Mounted Vanity Mirrors", "average_rating": "", "small_description": ["\u25b6: After high temperature electrostatic baking paint, anti-oxidation treatment, waterproof and moisture-proof, non-rusting, the frame is made of iron art, hand-welded and polished, strong and durable without deformation ", "\u25b6: Applicable occasions: bathrooms, hotels, offices, living rooms, apartments, classrooms, clubs, coffee shops and other public places. ", "\u25b6: Perfect birthday gift, Valentine's Day gift, Christmas gift for family, wife, husband, boyfriend or girlfriend or other special day gift ", "\u25b6: Suitable for makeup, wearing contact lenses and eyebrow tweezers, shaving, styling hair, facial care. Can be installed on any smooth, flat, clean surface ", "\u25b6: Tip: The mirror is very fragile. If the product is damaged during transportation, it can be replaced for free. We have perfect after-sales service. 24 hours online to solve your problems "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": null}, "seller_id": "A2AVU0OGLT0OBL", "seller_name": "JiaHuiQin", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B094QQ7X9T", "category": "garden", "query": "Decorative Mirrors", "page": 309, "small_description_old": "About this item \u25b6: After high temperature electrostatic baking paint, anti-oxidation treatment, waterproof and moisture-proof, non-rusting, the frame is made of iron art, hand-welded and polished, strong and durable without deformation \u25b6: Applicable occasions: bathrooms, hotels, offices, living rooms, apartments, classrooms, clubs, coffee shops and other public places. \u25b6: Perfect birthday gift, Valentine's Day gift, Christmas gift for family, wife, husband, boyfriend or girlfriend or other special day gift \u25b6: Suitable for makeup, wearing contact lenses and eyebrow tweezers, shaving, styling hair, facial care. Can be installed on any smooth, flat, clean surface \u25b6: Tip: The mirror is very fragile. If the product is damaged during transportation, it can be replaced for free. We have perfect after-sales service. 24 hours online to solve your problems"}, {"name": "iPad Case Fit 2018/2017 iPad 9.7 6th/5th Generation - 360 Degree Rotating iPad Air Case Cover with Auto Wake/Sleep Compatible with Apple iPad 9.7 Inch 2018/2017 (National Wind)", "product_information": {"Standing screen display size": "\u200e9.7 Inches", "Brand": "\u200eCenYouful", "Item model number": "\u200e9.7National wind", "Item Weight": "\u200e8.4 ounces", "Package Dimensions": "\u200e9.61 x 7.44 x 0.98 inches", "Color": "\u200eNational wind", "Manufacturer": "\u200eCenYouful", "ASIN": "\u200eB07VVVDRCX", "Date First Available": "\u200eMarch 30, 2019", "Customer Reviews": {"ratings_count": 9687, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#135 in Tablet Cases"]}, "brand": "Brand: CenYouful", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=CenYouful", "full_description": "", "pricing": "$12.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/61H0+QvhTHL.jpg", "https://m.media-amazon.com/images/I/51pWSXJcg3L.jpg", "https://m.media-amazon.com/images/I/61oR6cw-ACL.jpg", "https://m.media-amazon.com/images/I/41TO8i+F6CL.jpg", "https://m.media-amazon.com/images/I/41qtKSoU7TL.jpg", "https://m.media-amazon.com/images/I/31CaUa7u25L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Tablet Accessories \u203a Bags, Cases & Sleeves \u203a Cases", "average_rating": 4.5, "small_description": ["\u3010Compatible Models\u3011 Specially designed for Apple New iPad 9.7 inch 2018 6th Gen (A1893/A1954), iPad 9.7 Inch 2017 5th Gen (A1822/A1823) ", "\u3010Auto Wake/ Sleep\u3011Sensitive Auto wake/sleep, save energy. Convenient built in hand strap, holds the iPad case closed, don't worry about loss while on the go. ", "\u3010Forceful Protection\u3011 Premium synthetic PU leather and flexible TPU case cover can effectively prevent fall, shock and water. ", "\u3010Multiple View Angles\u3011 Unique 360 degrees rotating with 3 anti-slip grooves design make it flexible for landscape and portrait viewing. Free your hands and perfect for watching movies, playing games and online chatting. ", "\u3010After-Sale Service \u3011: If you have any questions, please feel free to contact us and we will give you a reply within 24 hours. We are always committed to providing you with the best service. Buy this ipad 9.7 case shell for yourself now, or give it to your friends as a thoughtful gift. You will surely win their praise! "], "total_reviews": 9687, "total_answered_questions": 47, "model": "\u200e9.7National wind", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07VD6L2BV/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "Butterfly", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51l7Q448vAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07Q6WDN4V/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "Cambridge Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Uqc3L9onL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07TWD86MR/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "Coconut trees", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51UIb7KN9sL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07VVV8D2Z/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "Coffee letter", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51ZIxj1H-OL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08KY3N241/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51tMu0g5E3L.jpg"}, {"is_selected": true, "url": null, "value": "National wind", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61H0+QvhTHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WKTRKMD/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "Ostrich", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51M3atfa-RL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07VZ3YC9J/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "Pear flower", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51lFnueMJ4L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07TDXN4NW/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51qfv5rx+LL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08MZG51PW/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "Pink flowers", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61Zc9cFr8hL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07X1SMV6N/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41k1K8PgiDL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08DLHYHYT/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "Red Mandala", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/6117uZGN4HL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B088HFFDX4/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "Red-3", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Kq7zxUaHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07NX6B4SV/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "Rose", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51N5IBO1XIL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07VB3W4LK/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "Sunset", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/516kLDi79zL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08JD8Q5YM/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "coast coconut trees", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Djws1eBzL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07VY1QPZK/ref=twister_B07W42V3CY?_encoding=UTF8&psc=1", "value": "peach blossom", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Dp+OqQzpL.jpg"}]}, "seller_id": "A1O5OFUY3VFQV3", "seller_name": "CenYouful", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07VVVDRCX", "category": "electronics", "query": "Online Game Services", "page": 39, "small_description_old": "About this item\n \n\u3010Compatible Models\u3011 Specially designed for Apple New iPad 9.7 inch 2018 6th Gen (A1893/A1954), iPad 9.7 Inch 2017 5th Gen (A1822/A1823) \u3010Auto Wake/ Sleep\u3011Sensitive Auto wake/sleep, save energy. Convenient built in hand strap, holds the iPad case closed, don't worry about loss while on the go. \u3010Forceful Protection\u3011 Premium synthetic PU leather and flexible TPU case cover can effectively prevent fall, shock and water. \u3010Multiple View Angles\u3011 Unique 360 degrees rotating with 3 anti-slip grooves design make it flexible for landscape and portrait viewing. Free your hands and perfect for watching movies, playing games and online chatting. \u3010After-Sale Service \u3011: If you have any questions, please feel free to contact us and we will give you a reply within 24 hours. We are always committed to providing you with the best service. Buy this ipad 9.7 case shell for yourself now, or give it to your friends as a thoughtful gift. You will surely win their praise!"}, {"name": "Makeup brushes 8 pieces and a high quality leather bag, easy for you to carry out,Makeup Brushes Premium Synthetic Liquid foundation , loose powder , blush , eyelash , nose shadow , eye shadow , eyebrow powder , lip brush. (apricot)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 3.5 x 1.9 x 0.78 inches; 2.72 Ounces", "UPC\n \u200f": "\u200e\n 657036933965", "Manufacturer\n \u200f": "\u200e\n XX-UV", "ASIN\n \u200f": "\u200e\n B0927BXC6B", "Best Sellers Rank": "#254,506 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,115 in Makeup Brush Sets & Kits", "#1,115 in Makeup Brush Sets & Kits": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: XX-UV", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=XX-UV", "full_description": "", "pricing": "$5.99", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41XcrILGbBS.jpg", "https://m.media-amazon.com/images/I/41JZSVakynS.jpg", "https://m.media-amazon.com/images/I/51VfxljXVgS.jpg", "https://m.media-amazon.com/images/I/51mOquLVW6S.jpg", "https://m.media-amazon.com/images/I/41uUjh1iBbS.jpg", "https://m.media-amazon.com/images/I/31G-ClSxrjS.jpg", "https://m.media-amazon.com/images/I/51rC6Df5ieS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Makeup Brushes & Tools \u203a Brush Sets", "average_rating": 3.2, "small_description": ["\u25c6Mini size with bag for daily or travel use. The makeup brushes are lightweight for easier to grip and use. You may use them at home or take it out in your bag every day or when travelling. ", "\u25cfPremium and Soft Bristles: The bristles are well made of premium fiber wool, ensured for long time use. Provide you with soft and comfortable touch feeling and super ability to hold. ", "\u25cfHigh Quality and Solid Handle: The handles of premium makeup brushes are made of wood material and aluminum tube, finely polished and painted, no fade. ", "\u25cf8pcs different kinds of brochas de maquillaje included. It contains face foundation brush, blush brush, eye shadow brush, nasal shadow brush, eyebrow brush, lip brush and eyelash brush for a simple and flawless makeup. ", "\u25cfPerfect for beglnners and professlonals. No matter you are beginners or professionals, this best makeup brushes will be a good option or addition to your makeup set. "], "total_reviews": 4, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09272XLHB/ref=twister_B0926XMYHT?_encoding=UTF8&psc=1", "value": "Dark blue", "price_string": "$5.99", "price": 5.99, "image": "https://m.media-amazon.com/images/I/41H77tVZd0S.jpg"}, {"is_selected": true, "url": null, "value": "apricot", "price_string": "$5.99", "price": 5.99, "image": "https://m.media-amazon.com/images/I/51z08ZSK4BS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0927DFS5Z/ref=twister_B0926XMYHT?_encoding=UTF8&psc=1", "value": "light blue", "price_string": "$5.99", "price": 5.99, "image": "https://m.media-amazon.com/images/I/41Ajkn0oOJS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092789Q1Y/ref=twister_B0926XMYHT?_encoding=UTF8&psc=1", "value": "pink", "price_string": "$7.89", "price": 7.89, "image": "https://m.media-amazon.com/images/I/51I35+5XS5S.jpg"}]}, "seller_id": "A163UADU5GYTQP", "seller_name": "XX-UV", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B0927BXC6B", "category": "beauty", "query": "Eyes Makeup", "page": 198, "small_description_old": "About this item \u25c6Mini size with bag for daily or travel use. The makeup brushes are lightweight for easier to grip and use. You may use them at home or take it out in your bag every day or when travelling. \u25cfPremium and Soft Bristles: The bristles are well made of premium fiber wool, ensured for long time use. Provide you with soft and comfortable touch feeling and super ability to hold. \u25cfHigh Quality and Solid Handle: The handles of premium makeup brushes are made of wood material and aluminum tube, finely polished and painted, no fade. \u25cf8pcs different kinds of brochas de maquillaje included. It contains face foundation brush, blush brush, eye shadow brush, nasal shadow brush, eyebrow brush, lip brush and eyelash brush for a simple and flawless makeup. \u25cfPerfect for beglnners and professlonals. No matter you are beginners or professionals, this best makeup brushes will be a good option or addition to your makeup set."}, {"name": "Haneye 8 oz Clear Round Glass Jars, Pack of 12 with Black Lids, Cosmetics Containers for Face Cream Lotion, Powder, Candle, Body Butter", "product_information": "", "brand": "Brand: Haneye", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Haneye", "full_description": "", "pricing": "$17.44", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41qrOyamkFS.jpg", "https://m.media-amazon.com/images/I/41nw9gA+pwS.jpg", "https://m.media-amazon.com/images/I/41WopNhwGfS.jpg", "https://m.media-amazon.com/images/I/51AVSCwpRvS.jpg", "https://m.media-amazon.com/images/I/41Yb0oFHEnS.jpg", "https://m.media-amazon.com/images/I/41BWdHBENuS.jpg", "https://m.media-amazon.com/images/I/51dauzoKySS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases", "average_rating": 4.8, "small_description": ["Package - 12 pack 8 oz Clear galss jars with black lids, 4 small cosmetic spatulas and 12 labels. ", "Application - These Round Jars are absolutely perfect for storing your cosmetics, body or face cream lotion. ", "Convenience - Easy to put all kinds of your creams into different jars, and convenient to carry them while you are traveling or outside. ", "Material - Made of high quality and sturdy clear glass, the clear color are great for you see the contents you put in it clearly. The black lids are plastic and smooth. ", "Reusable - You can easily clean both inside and outside if you want to replace the contents or put another cosmetics and creams into the jars. "], "total_reviews": 48, "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B091HFPLPW", "category": "beauty", "query": "Body Makeup", "page": 51, "small_description_old": "About this item\n \nPackage - 12 pack 8 oz Clear galss jars with black lids, 4 small cosmetic spatulas and 12 labels. Application - These Round Jars are absolutely perfect for storing your cosmetics, body or face cream lotion. Convenience - Easy to put all kinds of your creams into different jars, and convenient to carry them while you are traveling or outside. Material - Made of high quality and sturdy clear glass, the clear color are great for you see the contents you put in it clearly. The black lids are plastic and smooth. Reusable - You can easily clean both inside and outside if you want to replace the contents or put another cosmetics and creams into the jars."}, {"name": "GXP Solid Reclaimed Wood Bedside Cabinet w/3 Drawers Nightstand Side Table", "product_information": {"Item Weight": "0.035 ounces", "Department": "Unisex-adult", "Manufacturer": "GXP", "ASIN": "B09HXDPKJF"}, "brand": "Brand: gxp", "brand_url": "https://www.amazon.com/gxp/b/ref=bl_dp_s_web_12084794011?ie=UTF8&node=12084794011&field-lbr_brands_browse-bin=gxp", "full_description": "You can treat it as a bathroom cabinet or cupboard,or just as an elegant storage cabinet in bedroom,powder room,entryway,corridor and office,dining room and living areasProduct Specifications:Material:Solid reclaimed woodDimensions:18.9\"x 13.8\"x 25.2\"(W x D x H)With 3 drawersHandmade", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/4131WEAzw1S.jpg", "https://m.media-amazon.com/images/I/41CBpAFSYES.jpg", "https://m.media-amazon.com/images/I/510stbAcnkS.jpg", "https://m.media-amazon.com/images/I/41vKYdlFIWS.jpg", "https://m.media-amazon.com/images/I/41Aj7WigT1S.jpg", "https://m.media-amazon.com/images/I/41GHd31OKxS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Nightstands", "average_rating": "", "small_description": ["Storage cabinet makes it suitable for various room,modern elegant design allows it to easily complement your homes and office decor.make your space organized and comfortable ", "This antique-style wooden nightstand in an elegant design will add a sophisticated touch to your bedroom. ", "The bedside cabinet is made of solid reclaimed wood,which has the characteristics of different woods like mahogany,teak,mango wood,acacia,etc.You may find cavities left by nails,screws,or bolts,along with other imperfections,underlying the authenticity of the material.These imperfections disclose a rich history and are never intentionally made. ", "Signs of wear and the craftsmanship of this fully-handmade nightstand give each piece a unique look and add to its spectacular vintage style. ", "This side cabinet has 3 drawers with ample space for storing various items. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09HXDPKJF", "category": "garden", "query": "Nightstands", "page": 315, "small_description_old": "About this item\n \nStorage cabinet makes it suitable for various room,modern elegant design allows it to easily complement your homes and office decor.make your space organized and comfortable This antique-style wooden nightstand in an elegant design will add a sophisticated touch to your bedroom. The bedside cabinet is made of solid reclaimed wood,which has the characteristics of different woods like mahogany,teak,mango wood,acacia,etc.You may find cavities left by nails,screws,or bolts,along with other imperfections,underlying the authenticity of the material.These imperfections disclose a rich history and are never intentionally made. Signs of wear and the craftsmanship of this fully-handmade nightstand give each piece a unique look and add to its spectacular vintage style. This side cabinet has 3 drawers with ample space for storing various items."}, {"name": "Projector NGF-TY-22 1080P Projector, 5G WiFi 9500L Movie Projector for Outdoor Screen Mirror, Support 4K & 300\u201d Display, HiFi Speaker, Home Video Projector for Phone/TV Stick/Laptop/PS4/Xbox", "product_information": {"Brand Name": "\u200eU\\C", "ASIN": "B09SJ5YGMZ", "Date First Available": "February 15, 2022"}, "brand": "Brand: U\\C", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=U%5CC", "full_description": "Contrast Ratio: 10000:1 Resolution: 1920*1080PDiaplay Size: 27\"-300\" Projection Distance: 3.6 - 19.7 FT Keystone Correction: Manual \u00b1 15 \u00b0 Aspect Ratio: 16:9/ 4:3 Projection Mode: Front / Rear Ceiling Lamp Life: 100,000 Hours WiFi Mirorring Projector Ultra 5G/2.4G WiFi Technology hd projector has the lasted 5G/2.4G WiFi technology, enhancing performance in signal propagation between walls or obstacles, and effectively greater coverage brings lag-free video performance. Supports iOS & Android Win10 devices screen mirroring, meets all your requirements for a high-end home video projector! innovative cooling system tech, bringing you low noise immersive watching experience and effectively extend the lifetime of the projector.projector adopts a single mounting hole dual-use design, compatible with the standard tripod and 1/4 inch screw projector tripod stand. NO NEED TO BUY EXTRA CABLES, one-time connection and lifetime enjoy!Small and portable size, would be the best option for a gift!", "pricing": "$199.99", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/41Wj-M8UbmL.jpg", "https://m.media-amazon.com/images/I/517+s-wudfL.jpg", "https://m.media-amazon.com/images/I/51Kb0lgi1ML.jpg", "https://m.media-amazon.com/images/I/41Wj-M8UbmL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Video Projectors", "average_rating": "", "small_description": ["\u3010Plug & Play Projector\u3011 WiFi projector enables synchronized smartphone screen by 5G/2.4G WiFi. The Ultra-fast 5G WiFi brings you a lag-free streaming-watching experience. The wireless screen sharing function offers great convenience to gaming online or watching the video by streaming from iOS/Android devices. Due to app copyright, watch the movie on Netflix, Prime Video, Hulu, only via connect a laptop, fire tv stick, Roku, or Chromecast. ", "\u3010 1080P Resolution\u3011 1080P video projector provides all-digital projection display, offering superior picture quality in terms of resolution brightness contrast and color fidelity. Delivering a large-screen and up to 32-bit true-color support, extremely impressed with the tonal rendition and accuracy of colors. Supports 4k video when connecting a laptop or TV stick to the projector via HDMI port, the diffuse reflection technology maximum protects your eyes against direct light harm. ", "\u3010HiFi Speaker & Zero-noise\u3011The smart projector built-in speaker that uses the newest noise reduction technology, provide the original audio fidelity, this outdoor projector restored every detail sound effect and fills your room with impressive, overwhelming sound, enhancing your immersion in the movie experience. The two front and rear cooling systems bring a zero-noise, comprehensive immersive experience to the projector. ", "\u3010300\u201d Big Projection Size\u3011The movie projector is designed for office PowerPoint presentations and widescreen home entertainment, this outdoor/indoor wifi projector up to 300\" projection size brings you a brilliant and widescreen visual experience accessible. creating an IMAX private cinema for you! [Include a free projector screen] supported ceiling, wall, table, stand projection. The portable projector meets all of your needs whatever indoor or outdoor! ", "\u3010Compatible Devices & Professional Tech Support\u3011Versatile and portable video projector quipped with VGA/USB/HDMI/AV/Audio/Wireless Connect, compatible with Roku Stick, Fire-TV, Chromecast, External Speakers, USB Disk, PS4/PS5/Switch/XBOX, Laptop/PC, DVD Player, Mobile Phone/iPad. And possess CE, FCC, RoHS, PSE certificates, has a professional after-sales customers team, we will bring you and 6 months of free return 6 years of free warranty. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3MYG6LFV1ZBRL", "seller_name": "Nagufeng", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09SJ5YGMZ", "category": "electronics", "query": "Projectors", "page": 212, "small_description_old": "\u3010Plug & Play Projector\u3011 WiFi projector enables synchronized smartphone screen by 5G/2.4G WiFi. The Ultra-fast 5G WiFi brings you a lag-free streaming-watching experience. The wireless screen sharing function offers great convenience to gaming online or watching the video by streaming from iOS/Android devices. Due to app copyright, watch the movie on Netflix, Prime Video, Hulu, only via connect a laptop, fire tv stick, Roku, or Chromecast. \u3010 1080P Resolution\u3011 1080P video projector provides all-digital projection display, offering superior picture quality in terms of resolution brightness contrast and color fidelity. Delivering a large-screen and up to 32-bit true-color support, extremely impressed with the tonal rendition and accuracy of colors. Supports 4k video when connecting a laptop or TV stick to the projector via HDMI port, the diffuse reflection technology maximum protects your eyes against direct light harm. \u3010HiFi Speaker & Zero-noise\u3011The smart projector built-in speaker that uses the newest noise reduction technology, provide the original audio fidelity, this outdoor projector restored every detail sound effect and fills your room with impressive, overwhelming sound, enhancing your immersion in the movie experience. The two front and rear cooling systems bring a zero-noise, comprehensive immersive experience to the projector. \u3010300\u201d Big Projection Size\u3011The movie projector is designed for office PowerPoint presentations and widescreen home entertainment, this outdoor/indoor wifi projector up to 300\" projection size brings you a brilliant and widescreen visual experience accessible. creating an IMAX private cinema for you! [Include a free projector screen] supported ceiling, wall, table, stand projection. The portable projector meets all of your needs whatever indoor or outdoor! \u3010Compatible Devices & Professional Tech Support\u3011Versatile and portable video projector quipped with VGA/USB/HDMI/AV/Audio/Wireless Connect, compatible with Roku Stick, Fire-TV, Chromecast, External Speakers, USB Disk, PS4/PS5/Switch/XBOX, Laptop/PC, DVD Player, Mobile Phone/iPad. And possess CE, FCC, RoHS, PSE certificates, has a professional after-sales customers team, we will bring you and 6 months of free return 6 years of free warranty. \n \u203a See more product details"}, {"name": "Magic Line Creme Bouquet Flavoring Oil for Baking - Replaces Vanilla Flavor Extracts (32 Ounces)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.69 x 3.43 x 3.43 inches; 1.96 Pounds", "UPC\n \u200f": "\u200e\n 682962526332", "Manufacturer\n \u200f": "\u200e\n Parrish Magic Line", "ASIN\n \u200f": "\u200e\n B0198VF30I", "Best Sellers Rank": "#21,364 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#26 in Dessert Flavoring Syrups", "#26 in Dessert Flavoring Syrups": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Parrish Magic Line", "brand_url": "https://www.amazon.com/Parrish-Magic-Line/b/ref=bl_dp_s_web_2598199011?ie=UTF8&node=2598199011&field-lbr_brands_browse-bin=Parrish+Magic+Line", "full_description": "Are you looking for a stronger flavoring extract? Introducing Parrish Magic Line Creme Bouquet, a flavoring oil used by professional & home bakers for several decades! It features a light butter citrus flavor that upgrades any recipe. Add a small amount to baked goods, such as cookies, cakes, bars, and cheesecakes! It\u2019s also an excellent addition to icings and pastries, including muffins, rolls, and buns. Impress your guests and customers with the heavenly aroma of this birthday cake flavor! A little goes a long way, making this 32oz bottle excellent for large parties, events, & gatherings! Bake mouthwatering desserts for the whole family using Magic Line Creme Bouquet! Plus, it mixes well with water and oil-based recipes, allowing you to use the extract for various pastries! A stronger substitute for vanilla extract, this food flavoring also tolerates high temperatures. As a result, the finished product retains the delightful scent of vanilla! Parrish Magic Line Professional Strength Artificial Flavor in Creme Bouquet: Adding extra flavor & aroma to your creations", "pricing": "$49.97", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/31oBDhH0xtS.jpg", "https://m.media-amazon.com/images/I/51+UHAIG+fS.jpg", "https://m.media-amazon.com/images/I/514N+yXRePS.jpg", "https://m.media-amazon.com/images/I/51n2AMb7RPS.jpg", "https://m.media-amazon.com/images/I/51SG24OMP7S.jpg", "https://m.media-amazon.com/images/I/51-ytztaLVS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Cooking & Baking \u203a Dessert Syrups & Sauces \u203a Flavoring Syrup", "average_rating": 4.6, "small_description": ["Irresistible Flavor & Aroma - Enhance recipes & upgrade your baking skills with this flavoring oil! ", "Substitute For Vanilla - Our flavor extracts offer a stronger flavor than the usual vanilla extract. ", "Flavoring Extract For Baking - Add the Creme Bouquet flavoring to baked goods, icings, & pastries. ", "Heat-Tolerant Food Flavoring - Use cake flavoring extracts that retain the delightful vanilla taste. ", "For Large Batches - A 32oz bottle of artificial vanilla flavor is more than enough for large parties "], "total_reviews": 355, "total_answered_questions": 18, "customization_options": "", "seller_id": "A3VDBPE82S43CG", "seller_name": "NG, Inc.", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B0198VF30I", "category": "grocery", "query": "Party Mix", "page": 259, "small_description_old": "Irresistible Flavor & Aroma - Enhance recipes & upgrade your baking skills with this flavoring oil! Substitute For Vanilla - Our flavor extracts offer a stronger flavor than the usual vanilla extract. Flavoring Extract For Baking - Add the Creme Bouquet flavoring to baked goods, icings, & pastries. Heat-Tolerant Food Flavoring - Use cake flavoring extracts that retain the delightful vanilla taste. For Large Batches - A 32oz bottle of artificial vanilla flavor is more than enough for large parties"}, {"name": "Cyber Acoustics Surround Powered Speaker System Bookshelf Home Speaker, Set of 2, Black (CA-2027)", "product_information": {"Product Dimensions": "9.3 x 8.7 x 4.1 inches", "Item Weight": "0.32 ounces", "Manufacturer": "Cyber Acoustics", "ASIN": "B019IHR5LW", "Item model number": "CA-2027", "Customer Reviews": {"ratings_count": 10, "stars": "3.4 out of 5 stars"}, "Best Sellers Rank": ["#308,937 in Electronics (See Top 100 in Electronics) #642 in Bookshelf Speakers"], "Is Discontinued By Manufacturer": "No", "Date First Available": "December 18, 2015"}, "brand": "Visit the Cyber Acoustics Store", "brand_url": "https://www.amazon.com/stores/CyberAcoustics/page/DF80F835-21E5-47DE-8FE1-64E286F63EF9?ref_=ast_bln", "full_description": "The CA-2027 gives you a solid audio experience and only takes up a small amount of desk space. Features headphone output and auxiliary input.", "pricing": "$40.99", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41osuRTuflL.jpg", "https://m.media-amazon.com/images/I/41JJQNEpV3L.jpg", "https://m.media-amazon.com/images/I/41vZ64+2QOL.jpg", "https://m.media-amazon.com/images/I/51k0GV-iafL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Home Audio \u203a Speakers \u203a Bookshelf Speakers", "average_rating": 3.4, "small_description": ["Convenient desktop controls ", "Low distortion, high powered amplifier ", "High excursion, high efficiency drivers ", "Magnetically-shielded satellite speakers ", "Headphone output "], "total_reviews": 10, "total_answered_questions": 9, "model": "CA-2027", "customization_options": "", "seller_id": "A1BR1JVUON8T1H", "seller_name": "Zully store", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B019IHR5LW", "category": "electronics", "query": "Surround Sound Systems", "page": 214, "small_description_old": "About this item Convenient desktop controls Low distortion, high powered amplifier High excursion, high efficiency drivers Magnetically-shielded satellite speakers Headphone output"}, {"name": "Birds Eye Steamfresh Family Size Mixed Vegetables, Keto Friendly Frozen Vegetables, 19 OZ", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 1.83 x 7.5 x 7.5 inches; 1.1 Pounds", "Item model number\n \u200f": "\u200e\n 01409", "UPC\n \u200f": "\u200e\n 014500014092", "Manufacturer\n \u200f": "\u200e\n Pinnacle", "ASIN\n \u200f": "\u200e\n B00N6Y8ORI", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: BIRDS EYE", "brand_url": "https://www.amazon.com/BIRDS-EYE/b/ref=bl_dp_s_web_19393355011?ie=UTF8&node=19393355011&field-lbr_brands_browse-bin=BIRDS+EYE", "full_description": "Birds Eye Steamfresh Mixed Vegetables give your family a delicious vegetable side dish with less work. Flash frozen for fresh flavor, these mixed veggies contain corn, carrots, green beans and peas for a classic vegetable mix. These frozen mixed vegetables are made without artificial flavors, colors or preservatives to give you only the best. Enjoy the steamable vegetables as an easy side, or add them to casseroles. Preparation is easy; just microwave the frozen vegetables in the bag for up to 10 minutes or cook on the stove in under 15 minutes. Keep the family size 19 ounce bag in the freezer until you're ready to cook it. It\u2019s good to eat vegetables, so Birds Eye makes vegetables good to eat.", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/51EXdda2NJL.jpg", "https://m.media-amazon.com/images/I/51UONF8WYKL.jpg", "https://m.media-amazon.com/images/I/41GYiU9KMcL.jpg", "https://m.media-amazon.com/images/I/41z7b3CkH7L.jpg", "https://m.media-amazon.com/images/I/61tYqA8+o0L.jpg", "https://m.media-amazon.com/images/I/51QVtydMdlL.jpg", "https://m.media-amazon.com/images/I/51GnzJNDysL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Frozen \u203a Vegetables \u203a Mixed Vegetables", "average_rating": 4.8, "small_description": ["One 19 oz bag of Birds Eye Steamfresh Mixed Vegetables Frozen Vegetables ", "Easy to prepare frozen mixed vegetables ", "Mixed veggies contain corn, carrots, green beans and peas for a versatile vegetable mix ", "Steamable vegetables are made with no artificial flavors, colors or preservatives ", "Microwave in the bag or heat on the stove ", "Stock your freezer with frozen meals 365 days a year ", "Fits a Keto Friendly and Low Carb Lifestyle - 2g of Protein, 8g Net Carbs (10g Total Carbs minus 2g Dietary Fiber), and 0g Added Sugar per serving "], "total_reviews": 940, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B00N6Y8ORI", "category": "grocery", "query": "Frozen", "page": 41, "small_description_old": "About this item One 19 oz bag of Birds Eye Steamfresh Mixed Vegetables Frozen Vegetables Easy to prepare frozen mixed vegetables Mixed veggies contain corn, carrots, green beans and peas for a versatile vegetable mix Steamable vegetables are made with no artificial flavors, colors or preservatives Microwave in the bag or heat on the stove Stock your freezer with frozen meals 365 days a year Fits a Keto Friendly and Low Carb Lifestyle - 2g of Protein, 8g Net Carbs (10g Total Carbs minus 2g Dietary Fiber), and 0g Added Sugar per serving"}, {"name": "Make Your Own Gummy Bears Mix, 3 Pack, with mold, made in Germany", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 10.55 x 8.78 x 5.79 inches; 2.69 Pounds", "UPC\n \u200f": "\u200e\n 040232640728", "Manufacturer\n \u200f": "\u200e\n Kathi", "ASIN\n \u200f": "\u200e\n B076R28M2M", "Best Sellers Rank": "#192,666 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#2,741 in Gummy Candies", "#2,741 in Gummy Candies": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: My Candy Baker", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=My+Candy+Baker", "full_description": "The Box contains: 3 pouches with Lemon, Strawberry, Apple mixes Natural colors and flavors Silicone mold for 40+ gummy bears per flavor Add any other ingredient of your choice (for example liquor, if you're over 21 years of age)", "pricing": "$32.95", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/51zBzTMaNcL.jpg", "https://m.media-amazon.com/images/I/5116c8MKZOL.jpg", "https://m.media-amazon.com/images/I/51lY57-q4QL.jpg", "https://m.media-amazon.com/images/I/41lglO7scDL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Candy & Chocolate \u203a Gummy Candy", "average_rating": 4.3, "small_description": ["A great activity for parents, children and young adults: make your own gummy bears, in any shape and size you like ", "Simply heat mix in water, pour syrup into mold (included), chill and enjoy tes. Just add water ", "Great for birthday parties, bachelor parties and as holiday gift ", "I box makes about 140 gummy bears "], "total_reviews": 11, "total_answered_questions": 3, "customization_options": "", "seller_id": "A1Z58NPUE8ASHH", "seller_name": "The Taste of Germany", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B076R28M2M", "category": "grocery", "query": "Party Mix", "page": 175, "small_description_old": "About this item A great activity for parents, children and young adults: make your own gummy bears, in any shape and size you like Simply heat mix in water, pour syrup into mold (included), chill and enjoy tes. Just add water Great for birthday parties, bachelor parties and as holiday gift I box makes about 140 gummy bears"}, {"name": "NavePoint HDMI 1.4 Male to Male Cable Black 30 Ft Woven Black Blue", "product_information": {"Product Dimensions": "7 x 7 x 2 inches", "Item Weight": "1.05 pounds", "ASIN": "B00YZ5KT98", "Item model number": "4330575082", "Best Sellers Rank": ["#10,655 in HDMI Cables"], "Date First Available": "June 5, 2015", "Manufacturer": "NavePoint"}, "brand": "Visit the NavePoint Store", "brand_url": "https://www.amazon.com/stores/NavePoint/page/9D39388D-911F-44B7-8978-F9E49EDB43BA?ref_=ast_bln", "full_description": "Enhance your home theater experience with NavePoint\u00c6s line of high quality, certified HDMI Cables provide clear, crisp and realistic HD picture. These HDMI cables combine audio and video into one convenient cable. They offer the newest technology in the 1.4 HDMI for your 3D applications but are backwards compatible and can also be used for your X-Box 360, Playstation 3, HD Cable Box, PC or any Blu-Ray player, Xbox 360, PlayStation 3, HD Cable Box, Personal Computer or any other HDMI (High Definition Multimedia Interface) device with an HDMI output. Available in a variety of lengths.", "pricing": "$10.80", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41RLQKUsvmL.jpg", "https://m.media-amazon.com/images/I/51uh3Swz1tL.jpg", "https://m.media-amazon.com/images/I/51u+fBGc-ZL.jpg", "https://m.media-amazon.com/images/I/51nCxDm0PVL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Video Cables \u203a HDMI Cables", "average_rating": "", "small_description": ["Quality Construction includes stylish blue/black cotton jacket, gold-plated PVC connectors, full metal shielding throughout the 28AWG cable and within connectors for durability and interference protection. ", "Supports 3D Content, Ethernet and Audio Return Channel. Guaranteed to support 4Kx2K 1440p, 1080p, 1080i, 720p, 480p, 2160p and 480i Resolutions with digital transfer rates up to 340Mhz or 10.2gbps ", "Supports Highest Refresh Rates Available ", "Supports True HD Dolby 7.1 and DTS-HD Master Audio ", "HDCP Compliant "], "total_reviews": "", "total_answered_questions": "", "model": "4330575082", "customization_options": "", "seller_id": "A3FG64J8IOS59V", "seller_name": "NavePoint, LLC", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00YZ5KT98", "category": "electronics", "query": "HDMI Cables", "page": 212, "small_description_old": "About this item\n \nQuality Construction includes stylish blue/black cotton jacket, gold-plated PVC connectors, full metal shielding throughout the 28AWG cable and within connectors for durability and interference protection. Supports 3D Content, Ethernet and Audio Return Channel. Guaranteed to support 4Kx2K 1440p, 1080p, 1080i, 720p, 480p, 2160p and 480i Resolutions with digital transfer rates up to 340Mhz or 10.2gbps Supports Highest Refresh Rates Available Supports True HD Dolby 7.1 and DTS-HD Master Audio HDCP Compliant"}, {"name": "Water Flosser Portable Dental Oral Irrigator with 3 Modes, 4 Replaceable Jet Tips, Rechargeable Waterproof Teeth Cleaner for Home and Travel -220ml Detachable Reservoir", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.88 x 4.84 x 2.48 inches; 12.7 Ounces", "Date First Available\n \u200f": "\u200e\n September 2, 2021", "Manufacturer\n \u200f": "\u200e\n Kiyaosoka", "ASIN\n \u200f": "\u200e\n B09F9DZFKL", "Best Sellers Rank": "#396,832 in Health & Household (See Top 100 in Health & Household)#925 in Power Dental Flossers", "#925 in Power Dental Flossers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Kiyaosoka", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Kiyaosoka", "full_description": "", "pricing": "$22.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41AZ-KJOHfL.jpg", "https://m.media-amazon.com/images/I/51gXhzWqanL.jpg", "https://m.media-amazon.com/images/I/51H7AmRYd+L.jpg", "https://m.media-amazon.com/images/I/413dSnFdNtL.jpg", "https://m.media-amazon.com/images/I/51KQFLa64oL.jpg", "https://m.media-amazon.com/images/I/41A9Aha-p0L.jpg", "https://m.media-amazon.com/images/I/41L5GLI+LqL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Dental Floss & Picks \u203a Power Dental Flossers", "average_rating": 2, "small_description": ["\u3010220ml Detachable& Cleanable Water Tank\u3011220ml water reservoir perfect for enough and uninterrupted oral dental water flosser without filling in the water again and again. The upgraded removable full-opening water tank allows you to thoroughly clean the limescale and dental plaque, which is impossible for common oral irrigators. ", "\u30103 Modes & Rotatable Nozzles\u3011Normal, Gentle, and Pulse modes to meet various oral care needs. The 360\u00b0 rotatable nozzle design allows you to clean the areas that are difficult to reach easily and prevents tooth decay, dental plaque, dental calculus, and dental hypersensitivity. ", "\u3010Long Battery Lifetime & Portable Design\u3011With the portable size and lightweight, the Powerful Lithium Battery can be used Continuously for 30 days once fully charged in just 4 hours. It brings great convenience to your travels. And the long battery life is supported by USB charging. ", "\u3010Compact & Portable\u3011Cordless and lightweight, these water teeth cleaner picks are ideal for travel, with 4 interchangeable jet tips (1 classic jet tip+1 tongue scraping tip+1 Periodontal tip+1 orthodontic tip\uff09included for your whole family. ", "\u3010Quality Assurance\u3011100% refund guarantee within 30 days and replacement guarantee within 12 months to ensure your 100% satisfaction. "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A2L7TLR7YNMSII", "seller_name": "smalltrees", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09F9DZFKL", "category": "beauty", "query": "Dental Floss & Picks", "page": 74, "small_description_old": "About this item \u3010220ml Detachable& Cleanable Water Tank\u3011220ml water reservoir perfect for enough and uninterrupted oral dental water flosser without filling in the water again and again. The upgraded removable full-opening water tank allows you to thoroughly clean the limescale and dental plaque, which is impossible for common oral irrigators. \u30103 Modes & Rotatable Nozzles\u3011Normal, Gentle, and Pulse modes to meet various oral care needs. The 360\u00b0 rotatable nozzle design allows you to clean the areas that are difficult to reach easily and prevents tooth decay, dental plaque, dental calculus, and dental hypersensitivity. \u3010Long Battery Lifetime & Portable Design\u3011With the portable size and lightweight, the Powerful Lithium Battery can be used Continuously for 30 days once fully charged in just 4 hours. It brings great convenience to your travels. And the long battery life is supported by USB charging. \u3010Compact & Portable\u3011Cordless and lightweight, these water teeth cleaner picks are ideal for travel, with 4 interchangeable jet tips (1 classic jet tip+1 tongue scraping tip+1 Periodontal tip+1 orthodontic tip\uff09included for your whole family. \u3010Quality Assurance\u3011100% refund guarantee within 30 days and replacement guarantee within 12 months to ensure your 100% satisfaction."}, {"name": "Signature Design by Ashley Herringbone Jute Pouf, 20 x 20 In, Brown & Black", "product_information": {"Product Dimensions": "20 x 20 x 16.75 inches", "Item Weight": "4 pounds", "Department": "Ottomans", "Manufacturer": "Ashley Furniture", "ASIN": "B0166POJEU", "Item model number": "A1000438", "Customer Reviews": {"ratings_count": 315, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#944,305 in Home & Kitchen (See Top 100 in Home & Kitchen) #273 in Poufs"], "Is Discontinued By Manufacturer": "No", "Fabric Type": "Jute,polystyrene", "Finish Types": "Natural", "Material Care Instructions": "Spot clean", "Assembly Required": "Yes", "Batteries Required?": "No", "Included Components": "Item As Described"}, "brand": "Visit the Signature Design by Ashley Store", "brand_url": "https://www.amazon.com/stores/AshleyFurniture/page/9BD0FF61-A3F9-4233-B198-ED21F0E0B1AF?ref_=ast_bln", "full_description": "Versatile pouf is a seat, table and footrest in one. Herringbone-woven chevron pattern has timeless appeal. Arrange several around a coffee table for casual seating and impromptu meals.", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/61ikRl8cTcL.jpg", "https://m.media-amazon.com/images/I/51kyYpuBRAL.jpg", "https://m.media-amazon.com/images/I/51F2S5FozOL.jpg", "https://m.media-amazon.com/images/I/515OUOsl5xL.jpg", "https://m.media-amazon.com/images/I/31wEfl-2AxL.jpg", "https://m.media-amazon.com/images/I/61rCEdarPYL.jpg", "https://m.media-amazon.com/images/I/61lwMteKwoL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Accent Furniture \u203a Poufs", "average_rating": 4.5, "small_description": ["CONTEMPORARY POUF OTTOMAN: Like a cross between a bean bag and traditional ottoman, this rectangular pouf is sensationally stylish, cozy and versatile ", "STURDY AND STRUCTURED: Dense polystyrene fill is supportive and holds its shape ", "NEUTRAL WOVEN JUTE: Add texture, charm and comfort to any space with this pouf's Herringbone-woven chevron pattern. This pouf has a zipper cover closure ", "GREAT FOR SMALLER SPACES: Great for dorm rooms and beyond, pouf measures 20\" W x 20\" D x 16.75\" H. May include false zipper. ", "INSTANT STYLE: Add a plush pouf and poof, you've instantly transformed your space ", "DIRECT FROM THE MANUFACTURER: Ashley Furniture goes the extra mile to package, protect and deliver your purchase in a timely manner ", "BUY WITH CONFIDENCE: Designed and manufactured by Ashley Furniture Industries. The trusted source for stylish furniture, lighting, rugs, accessories and mattresses. For every taste and budget "], "total_reviews": 315, "total_answered_questions": "", "model": "A1000438", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B06XG4K12M/ref=twister_B088TGKGPZ?_encoding=UTF8&psc=1", "value": "Abstract", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61IKoTegdbL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0166POG48/ref=twister_B088TGKGPZ?_encoding=UTF8&psc=1", "value": "Charcoal", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51hM83htaZL.jpg"}, {"is_selected": true, "url": null, "value": "Chevron", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61ikRl8cTcL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B0166POJEU", "category": "garden", "query": "Ottomans", "page": 207, "small_description_old": "About this item CONTEMPORARY POUF OTTOMAN: Like a cross between a bean bag and traditional ottoman, this rectangular pouf is sensationally stylish, cozy and versatile STURDY AND STRUCTURED: Dense polystyrene fill is supportive and holds its shape NEUTRAL WOVEN JUTE: Add texture, charm and comfort to any space with this pouf's Herringbone-woven chevron pattern. This pouf has a zipper cover closure GREAT FOR SMALLER SPACES: Great for dorm rooms and beyond, pouf measures 20\" W x 20\" D x 16.75\" H. May include false zipper. INSTANT STYLE: Add a plush pouf and poof, you've instantly transformed your space DIRECT FROM THE MANUFACTURER: Ashley Furniture goes the extra mile to package, protect and deliver your purchase in a timely manner BUY WITH CONFIDENCE: Designed and manufactured by Ashley Furniture Industries. The trusted source for stylish furniture, lighting, rugs, accessories and mattresses. For every taste and budget"}, {"name": "Epson Hd Base Transmitter Forg6Xxx Series Projectors", "product_information": {"Manufacturer": "\u200eEpson", "Brand": "\u200eEpson", "Item Weight": "\u200e1.9 pounds", "Product Dimensions": "\u200e13 x 6.25 x 3.5 inches", "Item model number": "\u200eV12H547020", "Is Discontinued By Manufacturer": "\u200eNo", "Number of Items": "\u200e1", "Manufacturer Part Number": "\u200eV12H547020", "ASIN": "B00JIKV6E2", "Best Sellers Rank": ["#3,867 in Video Projectors"], "Date First Available": "March 13, 2014"}, "brand": "Visit the Epson Store", "brand_url": "https://www.amazon.com/stores/Epson/page/938A6E01-68B6-4115-8369-91F0063B474B?ref_=ast_bln", "full_description": "The Epson HD BaseT Transmitter for Pro G 6xxx series projectors allows you to increase the reach of your projector controls over a longer distance. The Epson V12H547020 HD BaseT transmitter box is a companion piece to the Pro G 6xxx series. It features HDMI, LAN and RS-232 to output into a CAT-5/6 cable for easy installation. HD base transmitter for projector for all projection environments. Dimensions: 13\"H x 6.4\"W x 3.1\"D. Comes in black color. Pro G 6xxx series projector for quality presentation. Interfaces/ports: 1 x HDBaseT- RJ-45, 1 x RS-232, 1 x HDMI- 19 pin HDMI type A. External form factor enables greater outdoor applications. Wired connectivity technology for optimum usage. Three inputs featured for easy installation- HDMI, LAN, and RS-232 to output into a CAT-5/6 cable.", "pricing": "$448.72", "list_price": "", "availability_quantity": 5, "availability_status": "Only 5 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31axK8Es+5L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Video Projectors", "average_rating": "", "small_description": ["Package Quantity: 1 ", "Excellent Quality. ", "Great Gift Idea. ", "Produced With The Highest Grade Materials "], "total_reviews": "", "total_answered_questions": "", "model": "\u200eV12H547020", "customization_options": "", "seller_id": "AANSFONOCR8T3", "seller_name": "PCNation", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00JIKV6E2", "category": "electronics", "query": "Projectors", "page": 81, "small_description_old": "About this item\n \nPackage Quantity: 1 Excellent Quality. Great Gift Idea. Produced With The Highest Grade Materials"}, {"name": "Pez Candy, Inc. Pez Christmas Holiday Candy Dispenser: Polar Bear", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 6.77 x 2.44 x 1.65 inches; 1.45 Ounces", "UPC\n \u200f": "\u200e\n 659436691261", "Manufacturer\n \u200f": "\u200e\n Pez Candy, Inc.", "ASIN\n \u200f": "\u200e\n B09DXD6LLB", "Best Sellers Rank": "#317,336 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#5,413 in Hard Candy", "#5,413 in Hard Candy": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Pez Candy, Inc.", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Pez+Candy%2C+Inc.", "full_description": "", "pricing": "$6.79", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/21BFR5Z53NL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Candy & Chocolate \u203a Hard Candy", "average_rating": 4.3, "small_description": ["unit_count_type Count ", "High Quality ", "High selling product "], "total_reviews": 7, "total_answered_questions": "", "customization_options": "", "seller_id": "A3HI707NKP05VS", "seller_name": "Page74Sales", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09DXD6LLB", "category": "grocery", "query": "Frozen", "page": 348, "small_description_old": "About this item Pez Christmas Holiday Candy Dispenser: Polar unit_count_type Count High Quality High selling product"}, {"name": "Flamingo Pink waterbird costume Gift Premium T-Shirt", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10 x 8 x 1 inches; 4.8 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n September 3, 2020", "Manufacturer\n \u200f": "\u200e\n Funny Easy Lazy Last Minute Costumes", "ASIN\n \u200f": "\u200e\n B08HF132PN", "Best Sellers Rank": "#4,716,112 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#365,253 in Boys' Novelty T-Shirts #371,615 in Girls' Novelty T-Shirts #621,114 in Boys' Fashion", "#365,253 in Boys' Novelty T-Shirts": "", "#371,615 in Girls' Novelty T-Shirts": "", "#621,114 in Boys' Fashion": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Funny Easy Lazy Last Minute Costumes", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Funny+Easy+Lazy+Last+Minute+Costumes", "full_description": "Flamingo Pink waterbird costume Gift for women men kids boys girls youth This Flamingo Pink waterbird costume Gift item is designed by Funny Easy Lazy Last Minute Costumes.", "pricing": "$19.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/A1rfiWsscnL.png", "https://m.media-amazon.com/images/I/41jI-nJp3RL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Women \u203a Tops & Tees \u203a T-Shirts", "average_rating": 5, "small_description": ["Solid colors: 100% Cotton; Heather Grey: 90% Cotton, 10% Polyester; All Other Heathers: 58% Cotton, 42% Polyester ", "Imported ", "Machine Wash ", "Flamingo Pink waterbird costume Gift for women men kids boys girls youth ", "This premium t-shirt is made of lightweight fine jersey fabric ", "Fit: Men\u2019s fit runs small, size up for a looser fit. Women\u2019s fit is true to size, order usual size. "], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Fit Type": [{"is_selected": true, "url": null, "value": "Men", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08HF132PN?_encoding=UTF8&customId=B07538P3S4", "value": "Women", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08HF132PN?_encoding=UTF8&customId=B0752XQS5X", "value": "Youth", "price_string": "", "price": 0, "image": null}], "Color": null, "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B0752XQS4Q"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B0753667SC"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07536582B"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B0752XQW5B"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B0752XQTD8"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B0752XQW5Q"}, {"is_selected": false, "is_available": false, "value": "2T", "asin": "B07HPXJRB8"}, {"is_selected": false, "is_available": false, "value": "3T", "asin": "B07HPXFRNY"}, {"is_selected": false, "is_available": false, "value": "4T", "asin": "B0752XQS5X"}, {"is_selected": false, "is_available": false, "value": "X-Small", "asin": "B07537SGVT"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08HF132PN", "category": "fashion", "query": "Men's Dress Shirts", "page": 155, "small_description_old": "Solid colors: 100% Cotton; Heather Grey: 90% Cotton, 10% Polyester; All Other Heathers: 58% Cotton, 42% Polyester Imported Machine Wash Flamingo Pink waterbird costume Gift for women men kids boys girls youth This premium t-shirt is made of lightweight fine jersey fabric Fit: Men\u2019s fit runs small, size up for a looser fit. Women\u2019s fit is true to size, order usual size."}, {"name": "DORCEV 5x4ft Under The Sea World Photography Backdrop Underwater World Theme Birthday Party Summer Holiday Party Background Underwater Coral Nature Reef Sunlight Wallpaper Sea Photo Studio Props", "product_information": {"Package Dimensions": "9 x 8 x 0.4 inches", "Item Weight": "8 ounces", "ASIN": "B07TB37SG5", "Item model number": "15x12NWH06289", "Date First Available": "June 19, 2019", "Manufacturer": "DORCEV", "Country of Origin": "China"}, "brand": "Brand: DORCEV", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=DORCEV", "full_description": "Size:5x4ft/1.5x1.2m ,the width is 1.5m, the length is 1.2m.Product material:This item using a series of high-tech digital production equipment carefully made digital pictures and inkjet printing.It is enough light, at least five years fastness and bright in colour. It\u2019s almost as thin as a pice of paper. It can fold , easy to carry. Usage:It\u2019s perfect for wedding, party, newborn, children, pet and product photography, as well as for television, video production and digital photography. Our these items also can used for housing decoration , you can sticker it on wall as a wallpaper ,it well let your room looks much nice and great .Special tips: Please understand that every computer screen is different, therefore, colors may vary slightly. We have done our best to give a color description of each material.All of pictures are taken from real items, but the color of them maybe slightly different from the pictures due to light conditions and shadow or brightness of your monitor.Different lighting will have different shooting effect,you can try to adjust the lights to make your photos better! Warm tips:According to rule of post office, length of item cannot be more than 1.2m.Items will be sent folded the package. If the product have creases we have three solutions. 1.Roll it up tightly\u00a0with\u00a0a\u00a0cylinder\u00a0for\u00a03-4\u00a0days,\u00a0then it\u00a0will\u00a0be\u00a0ok2.Heat\u00a0it\u00a0with\u00a0a\u00a0steam\u00a0iron\u00a0on\u00a0the\u00a0back,\u00a0then\u00a0it\u00a0will\u00a0be\u00a0smooth\u00a0again3.Stretch it and clamp it to a back drop stand for 3-4 days ,it also works.Dear customers:If you have any questions about our products, please feel free to contact us and I will do our best help you.Wish you have a good shopping!Thank you!", "pricing": "$15.99", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/41oAXSSwdaL.jpg", "https://m.media-amazon.com/images/I/51y2Gg4PfPL.jpg", "https://m.media-amazon.com/images/I/51eIm6RuzYL.jpg", "https://m.media-amazon.com/images/I/41BRd4jFHNL.jpg", "https://m.media-amazon.com/images/I/613xx8epNtL.jpg", "https://m.media-amazon.com/images/I/51RUcNQWs7L.jpg", "https://m.media-amazon.com/images/I/51wgIHeUfTL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Lighting & Studio \u203a Photo Studio \u203a Backgrounds", "average_rating": "", "small_description": ["Size:5x4ft/1.5x1.2m.If you want customized other size ,we can made it. ", "Material:High quality vinyl,It can fold, easy to carry,light-weight and portable,durable.high resolution, strong articulation ", "Usage: It\u2019s perfect for wedding, party, newborn, children, pet and still life photography, as well as for video production and digital photography. Also can make room wallpaper,wall decoration ", "Package:According\u00a0to\u00a0rule\u00a0of\u00a0post\u00a0office,\u00a0length\u00a0of\u00a0item\u00a0cannot\u00a0be\u00a0more\u00a0than\u00a01.2m.\u00a0Items\u00a0will\u00a0 be\u00a0sent\u00a0folded. We will fold it carefully,put it in a dust-free bag first, and then pack it in a bubble bag.Our packing is shockproof,compressive and waterproof. ", "Tips:We always put the customer as god as our purpose. If you have any needs and questions, please feel free to cantact us, we will give yoy a satisfactory answer as soon as possible. "], "total_reviews": "", "total_answered_questions": "", "model": "15x12NWH06289", "customization_options": "", "seller_id": "A150VF07F8ETL0", "seller_name": "leyiyidianzishangwu", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07TB37SG5", "category": "electronics", "query": "Underwater Photography", "page": 181, "small_description_old": "About this item\n \nSize:5x4ft/1.5x1.2m.If you want customized other size ,we can made it. Material:High quality vinyl,It can fold, easy to carry,light-weight and portable,durable.high resolution, strong articulation Usage: It\u2019s perfect for wedding, party, newborn, children, pet and still life photography, as well as for video production and digital photography. Also can make room wallpaper,wall decoration Package:According\u00a0to\u00a0rule\u00a0of\u00a0post\u00a0office,\u00a0length\u00a0of\u00a0item\u00a0cannot\u00a0be\u00a0more\u00a0than\u00a01.2m.\u00a0Items\u00a0will\u00a0 be\u00a0sent\u00a0folded. We will fold it carefully,put it in a dust-free bag first, and then pack it in a bubble bag.Our packing is shockproof,compressive and waterproof. Tips:We always put the customer as god as our purpose. If you have any needs and questions, please feel free to cantact us, we will give yoy a satisfactory answer as soon as possible."}, {"name": "Nike Women's Free Rn 5.0 2020 Running Shoes", "product_information": {"Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n December 9, 2020", "ASIN\n \u200f": "\u200e\n B08Q3VG8BY", "Best Sellers Rank": "#1,199,865 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#2,041 in Women's Road Running Shoes", "#2,041 in Women's Road Running Shoes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Nike", "brand_url": "https://www.amazon.com/Nike/b/ref=bl_sl_s_sh_web_2530006011?ie=UTF8&node=2530006011&field-lbr_brands_browse-bin=Nike", "full_description": "Nike Women's Free Rn 5.0 2020 Running Shoes", "pricing": "$109.99$144.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41hN9CkcBTL.jpg", "https://m.media-amazon.com/images/I/412zEzSFmbL.jpg", "https://m.media-amazon.com/images/I/41inQGoIjCL.jpg", "https://m.media-amazon.com/images/I/41hlbzGgTrL.jpg", "https://m.media-amazon.com/images/I/31+AUbU6MEL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Athletic \u203a Running \u203a Road Running", "average_rating": 4.6, "small_description": [""], "total_reviews": 18, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "5", "asin": "B08Q3VG8BY"}, {"is_selected": false, "is_available": true, "value": "5.5", "asin": "B07Y85C8JZ"}, {"is_selected": false, "is_available": true, "value": "6", "asin": "B07Y856K3K"}, {"is_selected": false, "is_available": true, "value": "6.5", "asin": "B08MFFYTRC"}, {"is_selected": false, "is_available": true, "value": "7", "asin": "B08MFDHB6T"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B08MFDPNTW"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B08MFFGK5C"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B08MFD2GDZ"}], "Color": [{"is_selected": true, "url": null, "value": "Fire Pink Black Magic Ember 601", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41hN9CkcBTL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092ZX9TGJ/ref=twister_B08J7TXNSR", "value": "Multicolour (Champagne/Pink Glaze-barely Rose 600)", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/3144noB8yXS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07Y85L8PT/ref=twister_B08J7TXNSR", "value": "Black White Anthracite 001", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/01pYgOepu-L.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08MFFGK5C", "category": "fashion", "query": "Women's Fashion Sneakers", "page": 58, "small_description_old": ""}, {"name": "OLD SPICE High Endurance Antiperspirant Invisible Solid, Fresh, 3 Oz (Pack of 3)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 6 x 6 x 10 inches; 8.96 Ounces", "Manufacturer\n \u200f": "\u200e\n Procter & Gamble", "ASIN\n \u200f": "\u200e\n B006Y3IDMO", "Best Sellers Rank": "#54,651 in Health & Household (See Top 100 in Health & Household)#370 in Antiperspirant Deodorant", "#370 in Antiperspirant Deodorant": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Old Spice Store", "brand_url": "https://www.amazon.com/stores/OldSpice/page/341D1CE1-03AB-400B-A278-A262E2CE1E1E?ref_=ast_bln", "full_description": "Old Spice Invisible Solid Men's Antiperspirant and Deodorant reduces armpit sweat, goes on invisible, and stays feeling dry. High Endurance collection boosts your man-smell and prepares you for success.", "pricing": "$15.30", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41F-Bt0xeFL.jpg", "https://m.media-amazon.com/images/I/41BPhMiS68L.jpg", "https://m.media-amazon.com/images/I/31ZyR96gmeL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Deodorants & Antiperspirants \u203a Antiperspirant Deodorant", "average_rating": 4.7, "small_description": ["Old Spice Invisible Solid Men's Antiperspirant and Deodorant reduces armpit sweat, goes on invisible, and stays feeling dry ", "So easy to use you might accidentally put it on and only later realize your man-nificence ", "The masculine, citrus scent of success "], "total_reviews": 442, "total_answered_questions": 3, "customization_options": "", "seller_id": "A3P519DM70Q7JX", "seller_name": "Premium Household", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B006Y3IDMO", "category": "beauty", "query": "Deodorants & Antiperspirants", "page": 9, "small_description_old": "About this item Old Spice Invisible Solid Men's Antiperspirant and Deodorant reduces armpit sweat, goes on invisible, and stays feeling dry So easy to use you might accidentally put it on and only later realize your man-nificence The masculine, citrus scent of success"}, {"name": "Van Eli Laren Women's Oxford 10 C/D US White", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 13.2 x 8.1 x 5.1 inches; 1.9 Pounds", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 24, 2019", "ASIN\n \u200f": "\u200e\n B07N325S5H", "": ""}, "brand": "Brand: VANELi", "brand_url": "https://www.amazon.com/VANELi/b/ref=bl_sl_s_sh_web_2603116011?ie=UTF8&node=2603116011&field-lbr_brands_browse-bin=VANELi", "full_description": "*This sporty lace-up adds style-right flair to your everyday look with its rows of scalloped cutouts *Leather upper with contrasting underlay behind the cutouts *Removable cushioned footbed for generous comfort *Flexible molded rubber sole *1\" heel height", "pricing": "$64.99", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41OEbKpQYJL.jpg", "https://m.media-amazon.com/images/I/41saTq6TnfL.jpg", "https://m.media-amazon.com/images/I/31g2fWo1QuL.jpg", "https://m.media-amazon.com/images/I/41m22ZkdxLL.jpg", "https://m.media-amazon.com/images/I/41n9nBZgmHL.jpg", "https://m.media-amazon.com/images/I/41gJrgJWW9L.jpg", "https://m.media-amazon.com/images/I/41gJrgJWW9L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Oxfords", "average_rating": "", "small_description": ["100% Leather ", "Rubber sole ", "This sporty lace-up adds style-right flair to your everyday look with its rows of scalloped cutouts ", "Leather upper with contrasting underlay behind the cutouts ", "Removable cushioned footbed for generous comfort ", "Flexible molded rubber sole ", "1\" heel height "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1LEM297LNF1FK", "seller_name": "ShoeMall", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07N325S5H", "category": "fashion", "query": "Women's Oxfords", "page": 29, "small_description_old": "100% Leather Rubber sole This sporty lace-up adds style-right flair to your everyday look with its rows of scalloped cutouts Leather upper with contrasting underlay behind the cutouts Removable cushioned footbed for generous comfort Flexible molded rubber sole 1\" heel height"}, {"name": "Toms of Maine Propolis and Myrrh Toothpaste Fennel - 5.5 oz - Case of 6", "product_information": {"Product Dimensions": "7.3 x 1.4 x 2.2 inches", "Item Weight": "6.4 ounces", "ASIN": "B00IKXU4OQ", "Item model number": "077326830741", "Customer Reviews": {"ratings_count": 5, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#599,612 in Health & Household (See Top 100 in Health & Household) #25,511 in Oral Care Products"], "Is Discontinued By Manufacturer": "No", "Other display features": "Wireless", "Manufacturer": "Tom s of Maine", "Date First Available": "July 1, 2013"}, "brand": "Visit the Tom's of Maine Store", "brand_url": "https://www.amazon.com/stores/TomsofMaine/page/61F44ACF-7090-4E49-9330-1C9076594552?ref_=ast_bln", "full_description": "Tom s of Maine Propolis and Myrrh Toothpaste Fennel Description:Propolis and myrrh leave your mouth naturally fresh!Propolis and myrrh are herbal resins we ve found promote a naturally clean, healthy-mouth feeling. Propolis and Myrrh toothpaste fights plaque with regular brushing, and we ve added xylitol for great taste!Fluoride-free formula: Some people do not want fluoride in their toothpaste. We produce this toothpaste without fluoride because we respect our customers diverse needs and interests.Helps prevent plaque buildup with regular brushing.", "pricing": "$53.56", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41fiAsXsU6L.jpg", "https://m.media-amazon.com/images/I/41UuK3floVL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care", "average_rating": 5, "small_description": ["TP,PROP&MYRRH,FF,FENNEL "], "total_reviews": 5, "total_answered_questions": "", "model": "077326830741", "customization_options": "", "seller_id": "A3S3UA1JLT4HN5", "seller_name": "Heartland Mart", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00IKXU4OQ", "category": "beauty", "query": "Toothpaste", "page": 74, "small_description_old": "About this item TP,PROP&MYRRH,FF,FENNEL"}, {"name": "DenTek Kids Fun Flossers Wild Fruit | 75-Count Floss Picks", "product_information": {"Item Package Dimensions L x W x H": "\u200e6.1 x 5.5 x 2 inches", "Package Weight": "\u200e0.14 Kilograms", "Item Dimensions LxWxH": "\u200e6 x 7.7 x 0.7 inches", "Item Weight": "\u200e0.3 Pounds", "Brand Name": "\u200eDenTek", "Model Name": "\u200eDenTek Kids Fun Flossers", "Number of Items": "\u200e1", "Manufacturer": "\u200eDenTek", "Part Number": "\u200ePPAX1320880", "Size": "\u200e75 Count (Pack of 2)", "ASIN": "B01IADZ9LI", "Customer Reviews": {"ratings_count": 184, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#83,540 in Health & Household (See Top 100 in Health & Household) #350 in Dental Floss"], "Date First Available": "July 11, 2016"}, "brand": "Visit the DenTek Store", "brand_url": "https://www.amazon.com/stores/DenTek/page/310277E1-CB60-477B-9935-EACAC41D9125?ref_=ast_bln", "full_description": "", "pricing": "$16.20", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51y6khmZqhL.jpg", "https://m.media-amazon.com/images/I/51s0efk-vcL.jpg", "https://m.media-amazon.com/images/I/51PCGMiz9TL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Dental Floss & Picks \u203a Dental Floss", "average_rating": 4.8, "small_description": ["75-Count per pack. 2-Packs total DenTek helps you encourage flossing at an early age. ", "Small flosser head fits children\u2019s mouths just right. ", "Easy-to-grip handle tailored for child-size hands ", "Wild fruit flavor kids love. Advanced fluoride coating. "], "total_reviews": 184, "total_answered_questions": "", "customization_options": {"Size": null}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B01IADZ9LI", "category": "beauty", "query": "Dental Floss & Picks", "page": 7, "small_description_old": "About this item\n \n75-Count per pack. 2-Packs total DenTek helps you encourage flossing at an early age. Small flosser head fits children\u2019s mouths just right. Easy-to-grip handle tailored for child-size hands Wild fruit flavor kids love. Advanced fluoride coating."}, {"name": "LWLW High Waist Yoga Shorts for Women,Tummy Control Biker Shorts Exercise Workout Butt Lifting Tights Women's Short Pants", "product_information": {"Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 13, 2022", "Manufacturer\n \u200f": "\u200e\n LWLW", "ASIN\n \u200f": "\u200e\n B09QCNQ93T", "": ""}, "brand": "Brand: LWLW", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=LWLW", "full_description": "Shape your body:Multiple stretch and opaque fabrics allow for greater stretch to conform to the shape of your body. Sexy butt lift push up high waisted textured leggings and super cute creases give you a natural butt lift and make your butt look so pretty and juicy.Versatile Occasion:Soft, Silky,lightweight,super stretchy,dry fast. Breathable and Lightweight fabric. Perfect for workout, outdoor, yoga, running, fitness training, jogging, activities or just hanging out.It is designed to improve the female yoga fitness experience!Squat Proof:When you're doing exercise, these pants provide Max Comfort and Mobility, boosting your experience and efficiency.Sexy peach design:Heart-shaped design on the centerline of the buttocks, effectively lifting the buttocks to make the buttocks three-dimensional and full, and the beautiful buttocks are more sexy, creating your own peach buttocks\uff01The Sexy Scrunch Textured Bubble Booty Shaping leggings will accentuate the booty areas. Textured fabric hides cellulite and gives women a flattering look and feeling. With a high waisted elastic waistband,the butt push up scrunch pants have the function of tummy control.The compression pants can give you a slimming fit effect and give your butt a streamlined look like a Juicy peach. the legging contours your curves and streamlines the natural shape of your waist.The butt lifting compression pants are perfect fit extremely flattering,quick drying, moisture wicking, non-see-through, squat-proof, super stretchy, non-pilling and very comfortable and soft. It offer pretty comfy and confident feeling for women in the gym.", "pricing": "$13.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41zEYriIUmL.jpg", "https://m.media-amazon.com/images/I/41Mzt3ptdoL.jpg", "https://m.media-amazon.com/images/I/51f0KIJGiJL.jpg", "https://m.media-amazon.com/images/I/31jSbApm4RL.jpg", "https://m.media-amazon.com/images/I/312I1uJCGxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Active \u203a Leggings", "average_rating": "", "small_description": ["Made in USA or Imported ", "butt lifting leggings tik tok butt lift yoga pants fast delivery on 7-16days closure ", "\u3010Size Notice\u3011- Please kindly refer to the size chart showed in our image to ensure the body slimming fit. ", "\u3010Comfortable Fabrics\u3011- Our high waist yoga pants use 4-way stretch and opaque fabric, provide comfortable elastic support and completely cover the belly cellulite, suitable for various sports postures.light weight, super elasticity, abrasion-resistant and no pilling, no fading, squat resistant. ", "\u3010Butt Lift Leggings\u3011Womens sexy booty scrunch leggings,butt popping leggings,lifting yoga pants,workout running gym pants.With scrunch butt back,the butt lift textured leggings are designed to accentuate brazilian cheeky booty/buttock,offering better push up effect. ", "\u3010Style\u3011Brazilian Booty Enhance-Sexy butt lift push up high waisted leggings for women, lifting yoga pants,Textured Activewear ; gym shapewear tights, workout running pants, skinny pants booty scrunch leggings. cheeky buttocks, hips lifting athletic lined versital pants for ladies. ", "\u3010Stretchy\u3011the stretchy material can prevent it from ripping easily when doing squats,allow you to move freely and maximize the comfy during exercise.Helps you sweat more and accelerate calorie burning,firm cincher your thighs but not stick to your body.Pair it with sports suits make you more attractive in the gym and outdoor activities. ", "\u3010Suitable Occasion\u3011- Sports leggings are perfect for all kinds occasions, from yoga, pilates,zumba, ballet, to a barre or spin class, sport, gym, trainning, dalily exercise (climbing, runing, jogging, cycling, hiking,boxing), fitness, any type of workout,or everyday use\uff01 "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09QCNQ93T/ref=twister_B09QCLRTJD", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Bao429rML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QCNBDS5/ref=twister_B09QCLRTJD", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ktmkxsk1L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QCNGKLF/ref=twister_B09QCLRTJD", "value": "Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41150W6MplL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QCP1VW5/ref=twister_B09QCLRTJD", "value": "Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41h0Rf+mqVL.jpg"}, {"is_selected": true, "url": null, "value": "Wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41zEYriIUmL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09QCP4579"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09QCNTDRM"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09QCMXRWF"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09QCNY5H9"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09QCMX468"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B09QCMV1HJ"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QCP4579", "category": "fashion", "query": "Women's Shorts", "page": 155, "small_description_old": "Made in USA or Imported butt lifting leggings tik tok butt lift yoga pants fast delivery on 7-16days closure \u3010Size Notice\u3011- Please kindly refer to the size chart showed in our image to ensure the body slimming fit. \u3010Comfortable Fabrics\u3011- Our high waist yoga pants use 4-way stretch and opaque fabric, provide comfortable elastic support and completely cover the belly cellulite, suitable for various sports postures.light weight, super elasticity, abrasion-resistant and no pilling, no fading, squat resistant. \u3010Butt Lift Leggings\u3011Womens sexy booty scrunch leggings,butt popping leggings,lifting yoga pants,workout running gym pants.With scrunch butt back,the butt lift textured leggings are designed to accentuate brazilian cheeky booty/buttock,offering better push up effect. \u3010Style\u3011Brazilian Booty Enhance-Sexy butt lift push up high waisted leggings for women, lifting yoga pants,Textured Activewear ; gym shapewear tights, workout running pants, skinny pants booty scrunch leggings. cheeky buttocks, hips lifting athletic lined versital pants for ladies. \u3010Stretchy\u3011the stretchy material can prevent it from ripping easily when doing squats,allow you to move freely and maximize the comfy during exercise.Helps you sweat more and accelerate calorie burning,firm cincher your thighs but not stick to your body.Pair it with sports suits make you more attractive in the gym and outdoor activities. \u3010Suitable Occasion\u3011- Sports leggings are perfect for all kinds occasions, from yoga, pilates,zumba, ballet, to a barre or spin class, sport, gym, trainning, dalily exercise (climbing, runing, jogging, cycling, hiking,boxing), fitness, any type of workout,or everyday use\uff01"}, {"name": "Cain 48\" Round Breakroom Table- Grey", "product_information": {"Item Weight": "\u200e76 pounds", "Product Dimensions": "\u200e48 x 48 x 30 inches", "Item model number": "\u200eTB48RNDGY", "ASIN": "B00D43URUS", "Customer Reviews": {"ratings_count": 2, "stars": "3.9 out of 5 stars"}, "Best Sellers Rank": ["#359,581 in Home & Kitchen (See Top 100 in Home & Kitchen) #149 in Kitchen & Dining Room Tables"], "Date First Available": "August 27, 2014"}, "brand": "Visit the Regency Store", "brand_url": "https://www.amazon.com/stores/Regency/page/06C1BD29-E7D0-4A31-BB9E-88726BEF13D5?ref_=ast_bln", "full_description": "The 48\" round table top is constructed of thermal fused melamine that protects against stains, burns, bumps and bruises. A black PVC edge adds extra protection. The Cain x-base is constructed of a black tubular steel post and solid steel legs with a textured powder coat finish. The table feet feature hidden adjustable glides that make this table ideal for training rooms, lunch rooms, restaurants, cafes, or small conference rooms.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31qm5vqMXeL.jpg", "https://m.media-amazon.com/images/I/41CaYL8SE1L.jpg", "https://m.media-amazon.com/images/I/31EQkeYo8wL.jpg", "https://m.media-amazon.com/images/I/A1DwDx5qPDL.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Dining Room Furniture \u203a Tables", "average_rating": 3.9, "small_description": ["Table top is constructed of 1\" thick thermal fused melamine ", "Table top finished with a black t-mold edge band ", "Cast metal x-base "], "total_reviews": 2, "total_answered_questions": "", "model": "\u200eTB48RNDGY", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B00D43URUS", "category": "garden", "query": "Dining Tables", "page": 37, "small_description_old": "About this item Table top is constructed of 1\" thick thermal fused melamine Table top finished with a black t-mold edge band Cast metal x-base \n \u203a See more product details"}, {"name": "Lilly Pulitzer PJ Knit Shorts Multi Seaside Carnivale Knit MD", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 11.69 x 9.57 x 1.22 inches; 4.16 Ounces", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n September 21, 2021", "ASIN\n \u200f": "\u200e\n B09GRCNRHH", "": ""}, "brand": "Visit the Lilly Pulitzer Store", "brand_url": "https://www.amazon.com/stores/LillyPulitzer/page/A6E50AF2-EE1F-4AF3-B889-8D5A8C2C4400?ref_=ast_bln", "full_description": "", "pricing": "$48.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31PF1-9jlxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Lingerie, Sleep & Lounge \u203a Sleep & Lounge \u203a Bottoms", "average_rating": "", "small_description": ["Made in the USA or Imported "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "Zappos", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09GRCNRHH", "category": "fashion", "query": "Women's Shorts", "page": 78, "small_description_old": "Made in the USA or Imported"}, {"name": "Supersmile Extra White Professional Teeth Whitening Toothpaste - Clinically Proven to Remove Stains & Whiten Teeth Up to 9 Shades - No Sensitivity (Triple Mint, 7 Oz), 7 oz.", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 3 x 2 x 7 inches; 7.83 Ounces", "Item model number\n \u200f": "\u200e\n ede1-f846", "UPC\n \u200f": "\u200e\n 036179004297", "Manufacturer\n \u200f": "\u200e\n AmazonUs/ROCQK", "ASIN\n \u200f": "\u200e\n B08DZ2593Y", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#113,867 in Health & Household (See Top 100 in Health & Household)#1,018 in Toothpaste", "#1,018 in Toothpaste": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$55.00", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31llFRyqLCL.jpg", "https://m.media-amazon.com/images/I/4183cjDFtGL.jpg", "https://m.media-amazon.com/images/I/41P79GCDO1L.jpg", "https://m.media-amazon.com/images/I/41G4qjrkb2L.jpg", "https://m.media-amazon.com/images/I/41ufQmjPSTL.jpg", "https://m.media-amazon.com/images/I/41BDyAeet0L.jpg", "https://m.media-amazon.com/images/I/913BeZapqdL.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothpaste", "average_rating": 4.3, "small_description": [""], "total_reviews": 179, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08DZ2593Y", "category": "beauty", "query": "Toothpaste", "page": 51, "small_description_old": ""}, {"name": "7pcs Hair Conditioner For Damaged Dry Hair, Hair Mask Repairing Hair Deep Conditioner Conditioning Treatment for Damaged Hair", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 6.69 x 2.76 x 2.36 inches; 0.4 Ounces", "Manufacturer\n \u200f": "\u200e\n Yinhing", "ASIN\n \u200f": "\u200e\n B09FYBZNQL", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Visit the Yinhing Store", "brand_url": "https://www.amazon.com/stores/Yinhing/page/25509F85-CA75-451A-B0DA-C2DED4DA4161?ref_=ast_bln", "full_description": "How to Use: Step1:\u00a0After\u00a0shampooing,\u00a0wipe\u00a0off\u00a0the\u00a0water\u00a0and\u00a0apply\u00a0the\u00a0hair\u00a0mask\u00a0evenly\u00a0on\u00a0the\u00a0middle\u00a0of\u00a0hair\u00a0to\u00a0tips\u00a0of\u00a0the\u00a0hair.\u00a0It\u00a0can\u00a0be\u00a0applied\u00a0to\u00a0dry\u00a0and\u00a0frizzy\u00a0areas\u00a0repeatedly; Step2:\u00a0No\u00a0need\u00a0to\u00a0stay\u00a0and\u00a0wait,\u00a0just\u00a0rinse\u00a0with\u00a0water\u00a0directly; TIPS:\u00a0can\u00a0be\u00a0used\u00a02\u20113\u00a0times\u00a0a\u00a0week\u00a0(each\u00a0tablet\u00a0can\u00a0be\u00a0used\u00a02\u00a0times) Specification: Item Type: Hair Care Serum Shelf Life: 3 Years Net Content: 12g/0.4oz x 7pcs Package List: 7 x Hair Care Mask", "pricing": "$11.99", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41FxoGc4XrL.jpg", "https://m.media-amazon.com/images/I/4168xlXA3oL.jpg", "https://m.media-amazon.com/images/I/313H9hXt9qL.jpg", "https://m.media-amazon.com/images/I/21l1l+-QR5L.jpg", "https://m.media-amazon.com/images/I/41q8cHNWkAL.jpg", "https://m.media-amazon.com/images/I/31mLZUXoVJL.jpg", "https://m.media-amazon.com/images/I/41uCHf3maxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care", "average_rating": "", "small_description": ["HAIR: Instantly straightens, repairs, conditions, and strengthens the hair using an intense conditioning remedy which restores vitality by repairing the hair. The amazing results will leave hair elastic, flexible, and soft ", "SIMPLE & EFFECTIVE- Compared with other haircare prducts or going to Salon which spend a long time,our keratin care will improve your hair's condition effectively just in 3 minutes.With a rarely cost,make you have silky, reliable,healthy and instant luxury Salon perfect hair ", "DEEP MOISTURIZING: Nourishing, make your hair no longer dry and yellow. Perfect for repairing dyeing and perming, strengthen hair toughness and elasticity. Reduce the fluffiness of hair ", "FOR YOUR BEAUTY- Make you have a flawless hair, that is our of struggle.Get instant results after use! Do not hesitate to contact us if you have any questions,we will answer as soon as possible, and do our best to help you ", "Convenient And Quick Hair Care : Repair damaged hair to make it soft, no need to steam, can be washed directly, more convenient to use quickly. Damaged hair treatment repairing provides restoration and lasting protection from drying out, leaving hair fabulously healthy and easy to manage. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A33C71AULLNI2I", "seller_name": "Semme", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09FYBZNQL", "category": "beauty", "query": "Hair Masks", "page": 166, "small_description_old": "About this item HAIR: Instantly straightens, repairs, conditions, and strengthens the hair using an intense conditioning remedy which restores vitality by repairing the hair. The amazing results will leave hair elastic, flexible, and soft SIMPLE & EFFECTIVE- Compared with other haircare prducts or going to Salon which spend a long time,our keratin care will improve your hair's condition effectively just in 3 minutes.With a rarely cost,make you have silky, reliable,healthy and instant luxury Salon perfect hair DEEP MOISTURIZING: Nourishing, make your hair no longer dry and yellow. Perfect for repairing dyeing and perming, strengthen hair toughness and elasticity. Reduce the fluffiness of hair FOR YOUR BEAUTY- Make you have a flawless hair, that is our of struggle.Get instant results after use! Do not hesitate to contact us if you have any questions,we will answer as soon as possible, and do our best to help you Convenient And Quick Hair Care : Repair damaged hair to make it soft, no need to steam, can be washed directly, more convenient to use quickly. Damaged hair treatment repairing provides restoration and lasting protection from drying out, leaving hair fabulously healthy and easy to manage."}, {"name": "CLARKS Privo Mens Riker, Black Suede, Size", "product_information": {"Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n August 21, 2020", "ASIN\n \u200f": "\u200e\n B08GGJH8V1", "": ""}, "brand": "Visit the Clarks Store", "brand_url": "https://www.amazon.com/stores/Clarks/page/6E7F4396-6004-497C-B702-21B18368E819?ref_=ast_bln", "full_description": "", "pricing": "$99.99", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/11yf4WPkqfL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Loafers & Slip-Ons", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": null, "Color": null}, "seller_id": "A3ORKDS26DU9YX", "seller_name": "Sole Comfort Footwear", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B005B75PDO", "category": "fashion", "query": "Men's Loafers & Slip-Ons", "page": 66, "small_description_old": "Suede sole"}, {"name": "Fishouflage Ladies Hoodie - Women's Fishing Sweatshirt", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 13.98 x 10.91 x 2.44 inches; 1.12 Pounds", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n October 28, 2021", "ASIN\n \u200f": "\u200e\n B09JX2HJDS", "Best Sellers Rank": "#786,285 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#2,651 in Women's Cricket Clothing #5,405 in Women's Fashion Hoodies & Sweatshirts #5,941 in Women's Volleyball Clothing", "#2,651 in Women's Cricket Clothing": "", "#5,405 in Women's Fashion Hoodies & Sweatshirts": "", "#5,941 in Women's Volleyball Clothing": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Fishouflage Store", "brand_url": "https://www.amazon.com/stores/Fishouflage/page/7608EC7F-08B7-4FF1-8473-09305D654BFA?ref_=ast_bln", "full_description": "Our Best Performance Hoodie ever. From morning coffee to last cast, our perfect-weight, 100% performance interlock fleece is super comfortable. Brushed interior for softness. Relaxed fit with a slight, figure-flattering taper while still feeling roomy. Easy-wearing, 3-piece drawstring hood. Double-needle tailoring. Self-cuff and waistband. Satisfaction guaranteed.", "pricing": "$69.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51hoVt5XmRL.jpg", "https://m.media-amazon.com/images/I/51xu8p3agwL.jpg", "https://m.media-amazon.com/images/I/61SghJSkd3L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Women \u203a Hoodies", "average_rating": 5, "small_description": ["Comfortable 100% Performance Interlock Fleece Fishing Hoodie with Brushed Interior (Perfect for on and off the water) ", "Relaxed, Easy-Wearing Casual Fit (With Slight, Figure Flattering Taper) ", "3-piece Hood, Double-Needle Tailoring, and popular Self Cuff and Waistband ", "Advanced Moisture-Wicking (Keeps You Dry), UPF 40+ Sun Protection (Keeps You Safe) ", "Our Most Popular Ladies Bass Fishing Gift - they'll love this Pullover Hoodie! "], "total_reviews": 4, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09KM7X1G4"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09KMBH727"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09KM8V9L2"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09KMBH4V4"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09JX2HJDS/ref=twister_B09QK3GVKK", "value": "Bass Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51fzCFjpA4L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KMD8N15/ref=twister_B09QK3GVKK", "value": "Trout Melon", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51s9GKUNEtL.jpg"}, {"is_selected": true, "url": null, "value": "Walleye Melon", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51hoVt5XmRL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KMDFN84/ref=twister_B09QK3GVKK", "value": "Crappie Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/518sr-pAXuL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09KM7X1G4", "category": "fashion", "query": "Women's Fashion Hoodies & Sweatshirts", "page": 153, "small_description_old": "Comfortable 100% Performance Interlock Fleece Fishing Hoodie with Brushed Interior (Perfect for on and off the water) Relaxed, Easy-Wearing Casual Fit (With Slight, Figure Flattering Taper) 3-piece Hood, Double-Needle Tailoring, and popular Self Cuff and Waistband Advanced Moisture-Wicking (Keeps You Dry), UPF 40+ Sun Protection (Keeps You Safe) Our Most Popular Ladies Bass Fishing Gift - they'll love this Pullover Hoodie!"}, {"name": "Obagi Medical 360 System, 3 Piece Kit. Includes: Exfoliating Face Cleanser, HydraFactor Broad Spectrum SPF 30 Sunscreen, Retinol Moisturizer Cream for Face. Pack of 1", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 2.7 x 6.6 x 6.75 inches; 11.99 Ounces", "Item model number\n \u200f": "\u200e\n SG_B01LWI2TLG_US", "UPC\n \u200f": "\u200e\n 362032580883", "Manufacturer\n \u200f": "\u200e\n Obagi Medical", "ASIN\n \u200f": "\u200e\n B01LWI2TLG", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#163,385 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,753 in Facial Cleansing Washes", "#1,753 in Facial Cleansing Washes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$153.00", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/31Trp4dR0bS.jpg", "https://m.media-amazon.com/images/I/41BmfY96WlS.jpg", "https://m.media-amazon.com/images/I/31XA3+-YtcS.jpg", "https://m.media-amazon.com/images/I/51TTa-MCliS.jpg", "https://m.media-amazon.com/images/I/51351DrPGBS.jpg", "https://m.media-amazon.com/images/I/41HXLJXgpWS.jpg", "https://m.media-amazon.com/images/I/41B9T3Nc-BL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Face \u203a Cleansers \u203a Washes", "average_rating": 4.5, "small_description": [""], "total_reviews": 140, "total_answered_questions": 9, "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B01LWI2TLG", "category": "beauty", "query": "Skin Care Sets & Kits", "page": 6, "small_description_old": ""}, {"name": "Wahson Cute Faux Fur Task Chair with Wheels, Comfy Sherpa Fuzzy Swivel Desk Chair Armless, for Adults and Kids, Living Room, Bedroom, Vanity, Home Office, Grey", "product_information": {"Product Dimensions": "24.4 x 21.7 x 31.9 inches", "Manufacturer": "wahson", "ASIN": "B08MQF4FV1", "Country of Origin": "China", "Customer Reviews": {"ratings_count": 104, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#550,592 in Home & Kitchen (See Top 100 in Home & Kitchen) #94 in Kids' Desk Chairs"], "Date First Available": "November 4, 2020"}, "brand": "Visit the Wahson Store", "brand_url": "https://www.amazon.com/stores/Wahson/page/2C01D99E-8F2B-4AEB-A48F-2FB0ABDC86F5?ref_=ast_bln", "full_description": "", "pricing": "$139.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41x44ytxRyL.jpg", "https://m.media-amazon.com/images/I/41VjVAIQVGL.jpg", "https://m.media-amazon.com/images/I/41h4HEJlmHL.jpg", "https://m.media-amazon.com/images/I/41VDxudt6fL.jpg", "https://m.media-amazon.com/images/I/41+n4A71pvL.jpg", "https://m.media-amazon.com/images/I/41Ru7VoEZtL.jpg", "https://m.media-amazon.com/images/I/41WfWOFJxKL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Kids' Furniture \u203a Chairs & Seats \u203a Desk Chairs", "average_rating": 4.6, "small_description": ["This Comfy desk chair with wheels and low back support, is great for adults, teenagers and kids (Age 6+), as a great home office chair, vanity chair or study chair. ", "SEPCS: Seat dimensions: 25.6\u201c W X 17.3 \u201c D. Adjustable seat height ranges from 18.1\u2019\u2019 to 2.8\u2019\u2019. 360-degree swivel. Rolls smoothly. ", "COMPONENTS: Soft to touch faux fur fabric upholstery. Sturdy metal pneumatic and white base. ", "SAFTEY ASSURED: 22 \u2018\u2019 large base and stable gas lift ensures no risk of tipping over even at highest position. ", "Furniture upholstered with long faux fur fabric sheds a bit. Use a damp cloth, a soft brush, or a vacuum cleaner (in gentle mode), to remove long hairs before use. "], "total_reviews": 104, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "3018 White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41x44ytxRyL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08WYGQXJW/ref=twister_B08MPP8R95?_encoding=UTF8&psc=1", "value": "8196 Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41F0ZAKsVKL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08P7LDSGK/ref=twister_B08MPP8R95?_encoding=UTF8&psc=1", "value": "Bunny Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Mz0W7rMmL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08P7PPMV8/ref=twister_B08MPP8R95?_encoding=UTF8&psc=1", "value": "Flamingo Whtie", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41prWGuDCvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08MQ8STP8/ref=twister_B08MPP8R95?_encoding=UTF8&psc=1", "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41kFJbpXI-L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08P7MNJSL/ref=twister_B08MPP8R95?_encoding=UTF8&psc=1", "value": "Kitty Leopard", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41tqvKG+sTL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08P7MH21Y/ref=twister_B08MPP8R95?_encoding=UTF8&psc=1", "value": "Kitty Lilac", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41lCG3vSGAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B091TQSHXJ/ref=twister_B08MPP8R95?_encoding=UTF8&psc=1", "value": "Pastel, Chrome Base", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41C4RTWJvLL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B091TNNG9H/ref=twister_B08MPP8R95?_encoding=UTF8&psc=1", "value": "Pastel, White Base", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41s8enBX2AL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B089Y1NDM1/ref=twister_B08MPP8R95?_encoding=UTF8&psc=1", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31R92D7YkhL.jpg"}]}, "seller_id": "AAMJXZOGOCTT7", "seller_name": "Wahson", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08MQF4FV1", "category": "garden", "query": "Vanities", "page": 129, "small_description_old": "About this item\n \nThis Comfy desk chair with wheels and low back support, is great for adults, teenagers and kids (Age 6+), as a great home office chair, vanity chair or study chair. SEPCS: Seat dimensions: 25.6\u201c W X 17.3 \u201c D. Adjustable seat height ranges from 18.1\u2019\u2019 to 2.8\u2019\u2019. 360-degree swivel. Rolls smoothly. COMPONENTS: Soft to touch faux fur fabric upholstery. Sturdy metal pneumatic and white base. SAFTEY ASSURED: 22 \u2018\u2019 large base and stable gas lift ensures no risk of tipping over even at highest position. Furniture upholstered with long faux fur fabric sheds a bit. Use a damp cloth, a soft brush, or a vacuum cleaner (in gentle mode), to remove long hairs before use."}, {"name": "Wood USB C Headphones Hi-Fi Stereo Bass Headphones Wired with Mic Volume Control in-Ear Earbuds for Samsung Galaxy S22 Ultra Z Flip 3 Fold 2 S21 S20 FE,OnePlus 10 Pro,iPad Mini Pro Air,Pixel 6 Pro 5G", "product_information": {"Product Dimensions": "0.39 x 0.24 x 3.78 inches", "Item Weight": "1.5 ounces", "ASIN": "B0973XVPCD", "Item model number": "Jelanry00530", "Customer Reviews": {"ratings_count": 20, "stars": "2.7 out of 5 stars"}, "Best Sellers Rank": ["#12,705 in Earbud & In-Ear Headphones"], "Date First Available": "June 17, 2021", "Department": "Unisex-adult", "Manufacturer": "Jelanry"}, "brand": "Visit the Jelanry Store", "brand_url": "https://www.amazon.com/stores/Jelanry/page/790B6088-EC99-4164-9410-3770D251AF0F?ref_=ast_bln", "full_description": "", "pricing": "$10.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/519wJWhyxpS.jpg", "https://m.media-amazon.com/images/I/51a+locnxgS.jpg", "https://m.media-amazon.com/images/I/41y7MH+TY5S.jpg", "https://m.media-amazon.com/images/I/41yfnTx7zCS.jpg", "https://m.media-amazon.com/images/I/51QXDz-aXUS.jpg", "https://m.media-amazon.com/images/I/51--+8-c+BS.jpg", "https://m.media-amazon.com/images/I/51LiP5Ly0yS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Headphones \u203a Earbud Headphones", "average_rating": 2.7, "small_description": ["\u3010USB C Harphone Wide Compatibility\u3011Perfect for USB Type C Smartphone, Compatible with Samsung S22/S22+/S22 Ultra/S21 FE/Z Flip 3/Fold 3/S21+/S21 Ultra/Note10/Note20/S20/S20 FE/Galaxy Tab, Oneplus 10 Pro/9 Pro/9/8/8T/8 Pro/7T Pro/7T/7 Pro/6T/Nord, Google Pixel 6/6 Pro/5/4/4XL/3/3 XL/2/2 XL,Huawei P30 Pro/Mate 20,for iPad mini 2021/ iPad Pro (2nd gen)/ iPad Pro (3/4th gen)/ iPad Air 4th gen, for MacBook Pro 2021,Mac,Laptops, LG, HTC, Moto Z etc. ", "\u3010Excellent Sound Quality & Comfortable\u3011Jelanry USB C Earbuds Noise Isolating Design.Complete with innovative sound isolation technology, these in ear headphones have been carefully crafted to keep unwanted surrounding noise to a minimum. Eliminating distraction, this earphone provide a truly immersive experience ", "\u3010With Remote Control & Mic\u3011 Allow you to play/pause songs, skip next/previous song without picking up your phone, easily access to volume control during usage; The high-quality microphone which can hand free calling, allow you to easily answer/end calls calls ", "\u3010Quality USB C Earphone\u3011Unique wooden earphone shell; Metal-plated connectors, this greatly reduce the phenomenon of poor contact, Stretch resistant, long-lasting; USB C Earbuds 1.2 meters length, got through 5000+ bend bears test, which is durable for daily usage. ", "\u3010What You Get\u30111 x USB C Headphone; 1 x Portable Storage Box; 2 Pairs Earphone Extra Replacement Tips. Jelanry provide 100% Satisfied Customer Service, 6 months worry-free new replacement. Buy it NOW! "], "total_reviews": 20, "total_answered_questions": 5, "model": "Jelanry00530", "customization_options": "", "seller_id": "AW8IJ6WKKXIYT", "seller_name": "JELANRY", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B0973XVPCD", "category": "electronics", "query": "Headphones", "page": 370, "small_description_old": "About this item\n \n\u3010USB C Harphone Wide Compatibility\u3011Perfect for USB Type C Smartphone, Compatible with Samsung S22/S22+/S22 Ultra/S21 FE/Z Flip 3/Fold 3/S21+/S21 Ultra/Note10/Note20/S20/S20 FE/Galaxy Tab, Oneplus 10 Pro/9 Pro/9/8/8T/8 Pro/7T Pro/7T/7 Pro/6T/Nord, Google Pixel 6/6 Pro/5/4/4XL/3/3 XL/2/2 XL,Huawei P30 Pro/Mate 20,for iPad mini 2021/ iPad Pro (2nd gen)/ iPad Pro (3/4th gen)/ iPad Air 4th gen, for MacBook Pro 2021,Mac,Laptops, LG, HTC, Moto Z etc. \u3010Excellent Sound Quality & Comfortable\u3011Jelanry USB C Earbuds Noise Isolating Design.Complete with innovative sound isolation technology, these in ear headphones have been carefully crafted to keep unwanted surrounding noise to a minimum. Eliminating distraction, this earphone provide a truly immersive experience \u3010With Remote Control & Mic\u3011 Allow you to play/pause songs, skip next/previous song without picking up your phone, easily access to volume control during usage; The high-quality microphone which can hand free calling, allow you to easily answer/end calls calls \u3010Quality USB C Earphone\u3011Unique wooden earphone shell; Metal-plated connectors, this greatly reduce the phenomenon of poor contact, Stretch resistant, long-lasting; USB C Earbuds 1.2 meters length, got through 5000+ bend bears test, which is durable for daily usage. \u3010What You Get\u30111 x USB C Headphone; 1 x Portable Storage Box; 2 Pairs Earphone Extra Replacement Tips. Jelanry provide 100% Satisfied Customer Service, 6 months worry-free new replacement. Buy it NOW!"}, {"name": "BONEW Te~ETH WHI~tening System Ble~Aching Light Lamp Mobile Digital Display Te~ETH Ble~Aching WHI~tening Machine MD887", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 26.3 x 18 x 7.5 inches; 17.02 Pounds", "Date First Available\n \u200f": "\u200e\n November 13, 2018", "Manufacturer\n \u200f": "\u200e\n BONEW", "ASIN\n \u200f": "\u200e\n B07KHWY7YT", "Best Sellers Rank": "#258,737 in Health & Household (See Top 100 in Health & Household)#59 in Teeth Whitening LED Accelerator Lights", "#59 in Teeth Whitening LED Accelerator Lights": ""}, "brand": "Brand: BONEW", "brand_url": "https://www.amazon.com/BONEW/b/ref=bl_dp_s_web_14484850011?ie=UTF8&node=14484850011&field-lbr_brands_browse-bin=BONEW", "full_description": "Sepcitifcations: * Broad Spectrum: 430nm~490nm (Blue Light\uff09& 620nm~640nm(Red Light) 380nm~400nm(Purple Light\uff09 * Voltage: AC 100V~240V * Light source: 4~5W/pc(Purple Light\uff09\uff1b2~3W/pc(Red Light); 1W/pc(Purple Light). * Gross Weight: 4.9kgs. * Total Arm Length: 90cm. * Total Height: 120cm. accessories: * Host x 1 pc * Feet x 1 set * Goggle x 2 pcs * Touch pen x 1 pc * Sheath x 20 pcs * Power cable x 1 pc * User manual x 1 pc * Install Tool x 1 set", "pricing": "$285.88", "list_price": "", "availability_quantity": 11, "availability_status": "Only 11 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31szND3QY-L.jpg", "https://m.media-amazon.com/images/I/41KRUrOo9eL.jpg", "https://m.media-amazon.com/images/I/41I4ASX4SxL.jpg", "https://m.media-amazon.com/images/I/310eK8M4LEL.jpg", "https://m.media-amazon.com/images/I/51O+Flc-jdL.jpg", "https://m.media-amazon.com/images/I/41PefwJXFrL.jpg", "https://m.media-amazon.com/images/I/41hVqUywmaL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Teeth Whitening \u203a LED Accelerator Lights", "average_rating": "", "small_description": ["Four light source output selection: blue, red, blue + red, blue + purple. ", "High efficiency wall conjoined sliding structural design, adjust angle freely and convenient to use. ", "The user can select needed time according to desired treatment, time adjustment range from1 to 30 minutes.. ", "Work time counting function, comes with electronic lock, work time could clear by that lock for user . ", "In the case of not working, the machine will go to sleep automatically after 60 se~conds. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A30DRPMWBZ1ESY", "seller_name": "BoNew", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07KHWY7YT", "category": "beauty", "query": "Teeth Whitening", "page": 9, "small_description_old": "About this item\n \nFour light source output selection: blue, red, blue + red, blue + purple. High efficiency wall conjoined sliding structural design, adjust angle freely and convenient to use. The user can select needed time according to desired treatment, time adjustment range from1 to 30 minutes.. Work time counting function, comes with electronic lock, work time could clear by that lock for user . In the case of not working, the machine will go to sleep automatically after 60 se~conds."}, {"name": "KKG Kappa Kappa Gamma Pink Letter Sorority Crewneck Sweatshirt", "product_information": {"Item model number\n \u200f": "\u200e\n 3kappakappagamma18000whiteS", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n September 11, 2020", "Manufacturer\n \u200f": "\u200e\n Generic", "ASIN\n \u200f": "\u200e\n B08HW24C55", "Best Sellers Rank": "#3,925,333 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#12,984 in Women's Cricket Clothing #23,809 in Women's Volleyball Clothing #27,233 in Women's Fashion Hoodies & Sweatshirts", "#12,984 in Women's Cricket Clothing": "", "#23,809 in Women's Volleyball Clothing": "", "#27,233 in Women's Fashion Hoodies & Sweatshirts": ""}, "brand": "Brand: Generic", "brand_url": "https://www.amazon.com/Generic/b/ref=bl_sl_s_ap_web_2529470011?ie=UTF8&node=2529470011&field-lbr_brands_browse-bin=Generic", "full_description": "", "pricing": "$29.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/314FAh-8exL.jpg", "https://m.media-amazon.com/images/I/41Wz7RLJdiL.jpg", "https://m.media-amazon.com/images/I/3145vdNjk7L.jpg", "https://m.media-amazon.com/images/I/61+fyX50y5L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Fashion Hoodies & Sweatshirts", "average_rating": "", "small_description": ["Our Award-Winning Kite and Crest threads are 100% designed, printed, pressed, and shipped (next business day!) to you from our Kansas City boutique. ", "This Kappa Kappa Gamma sweatshirt is printed on a Gildan 125/125 blend pre-shrunk crewneck. Our crewnecks are a soft wash blend with double needle stitching at the shoulder, armhole, neck, waistband, and cuff to provide a comfy and relaxed fit. Our sorority sweatshirts run true to size but size up for a slouchier fit. ", "We print all our threads with 100% eco-friendly water based ink. This means our ink is PVC free, safer to wear, and more sustainable for the environment. When printed, the ink becomes part of the fabric and the print feels as soft as the thread it's printed on. This makes all our garments both incredibly breathable and super long lasting! ", "All our Kappa apparel is made to order and ships same or next business day. We ship USPS and delivery time is typically 1-4 business days. ", "Kite and Crest is an officially licensed vendor for sorority and fraternity apparel. We are licensed to print Kappa Kappa Gamma shirts, Kappa sweatshirts, Kappa Kappa Gamma long sleeve shirts, KKG tee's and other Kappa Kappa Gamma apparel. We are also licensed to print gear for over 125 other greek organizations such as sorority shirts, sorority sweatshirts, sorority crewnecks, sorority long sleeve shirts, sorority tee's and other sorority apparel. This makes a great Kappa Kappa Gamma gift and "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1WTYFYCWDB5T", "seller_name": "Kite and Crest", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08HW24C55", "category": "fashion", "query": "Women's Fashion Hoodies & Sweatshirts", "page": 100, "small_description_old": "Our Award-Winning Kite and Crest threads are 100% designed, printed, pressed, and shipped (next business day!) to you from our Kansas City boutique. This Kappa Kappa Gamma sweatshirt is printed on a Gildan 125/125 blend pre-shrunk crewneck. Our crewnecks are a soft wash blend with double needle stitching at the shoulder, armhole, neck, waistband, and cuff to provide a comfy and relaxed fit. Our sorority sweatshirts run true to size but size up for a slouchier fit. We print all our threads with 100% eco-friendly water based ink. This means our ink is PVC free, safer to wear, and more sustainable for the environment. When printed, the ink becomes part of the fabric and the print feels as soft as the thread it's printed on. This makes all our garments both incredibly breathable and super long lasting! All our Kappa apparel is made to order and ships same or next business day. We ship USPS and delivery time is typically 1-4 business days. Kite and Crest is an officially licensed vendor for sorority and fraternity apparel. We are licensed to print Kappa Kappa Gamma shirts, Kappa sweatshirts, Kappa Kappa Gamma long sleeve shirts, KKG tee's and other Kappa Kappa Gamma apparel. We are also licensed to print gear for over 125 other greek organizations such as sorority shirts, sorority sweatshirts, sorority crewnecks, sorority long sleeve shirts, sorority tee's and other sorority apparel. This makes a great Kappa Kappa Gamma gift and"}, {"name": "Polder Styling Station, White", "product_information": {"Product Dimensions": "8 x 6 x 8.75 inches", "Item Weight": "1.2 pounds", "Manufacturer": "Polder Products, LLC", "ASIN": "B00FR4V65M", "Item model number": "BTH-7025P-90R", "Customer Reviews": {"ratings_count": 724, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#67,656 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #239 in Bathroom Trays, Holders, & Organizers #257 in Hair Dryers"], "Is Discontinued By Manufacturer": "No", "Assembly Required": "No", "Batteries Required?": "No"}, "brand": "Visit the Polder Store", "brand_url": "https://www.amazon.com/stores/PolderProductsLLC/page/7C6F00F9-31A1-4BEF-8C92-82B007D8CACA?ref_=ast_bln", "full_description": "Polder has been offering everyday products with extraordinary design since its launch. The company was established in 1976, delivering better quality European-styled housewares to the U.S. market. Polder found early in success in ironing and storage and also launched the industry's first line of digital in-oven thermometers, equipped with a long cord so consumers could digitally monitor food without removing it from the oven. Through the years, Polder has built an eclectic collection of core home categories, including kitchen timers and thermometers, laundry and ironing products, kitchen scales and a variety of other storage solutions. Polder products are tested and certified for their consistent high quality by independent standards labs.", "pricing": "$21.54", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41xZZaIYliL.jpg", "https://m.media-amazon.com/images/I/41GMAwY1bSL.jpg", "https://m.media-amazon.com/images/I/41578NUar5L.jpg", "https://m.media-amazon.com/images/I/41IR63bDojL.jpg", "https://m.media-amazon.com/images/I/41PT+rfaL8L.jpg", "https://m.media-amazon.com/images/I/51RKz7RRDAL.jpg", "https://m.media-amazon.com/images/I/517oIBYLaRL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Styling Tools & Appliances \u203a Hair Dryers & Accessories", "average_rating": 4.5, "small_description": ["Rugged stainless steel and plastic ", "Stainless steel mesh for air flow and high heat silicon inner base pad ", "Rear bin has three split compartments to individually store cords ", "Works as free-standing storage on the counter, also hangs on towel bars or hooks ", "Measures 9.75\" (L) x 5.75\" (W) x 9.5\" (H) "], "total_reviews": 724, "total_answered_questions": "", "model": "BTH-7025P-90R", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B00EE0YT5Y/ref=twister_B076FM3YV1?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$22.99", "price": 22.99, "image": "https://m.media-amazon.com/images/I/516zqPtmhkL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08618M78B/ref=twister_B076FM3YV1?_encoding=UTF8&psc=1", "value": "Rose Gold, White", "price_string": "$18.00", "price": 18, "image": "https://m.media-amazon.com/images/I/51vvsMgUuTL.jpg"}, {"is_selected": true, "url": null, "value": "White/Silver", "price_string": "$21.54", "price": 21.54, "image": "https://m.media-amazon.com/images/I/41xZZaIYliL.jpg"}]}, "seller_id": "A2FP3WC79CXYXU", "seller_name": "MMP Living", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B00FR4V65M", "category": "beauty", "query": "Styling Tools & Appliances", "page": 2, "small_description_old": "About this item Rugged stainless steel and plastic Stainless steel mesh for air flow and high heat silicon inner base pad Rear bin has three split compartments to individually store cords Works as free-standing storage on the counter, also hangs on towel bars or hooks Measures 9.75\" (L) x 5.75\" (W) x 9.5\" (H)"}, {"name": "HEALLILY 2pcs Shower Loofah Sponges Bathing Skin Poufs Exfoliating Shower Back Scrubber Women Men Skin Cleaning Bath Wrap Bathing Skin Massage Cleaner", "product_information": "", "brand": "Brand: HEALLILY", "brand_url": "https://www.amazon.com/HEALLILY/b/ref=bl_dp_s_web_23453354011?ie=UTF8&node=23453354011&field-lbr_brands_browse-bin=HEALLILY", "full_description": "", "pricing": "$11.89", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31-1vnFrqeS.jpg", "https://m.media-amazon.com/images/I/41yK+sJ5TjS.jpg", "https://m.media-amazon.com/images/I/417EbWGM95S.jpg", "https://m.media-amazon.com/images/I/21FinFzAEjS.jpg", "https://m.media-amazon.com/images/I/415rAJ-LGuS.jpg", "https://m.media-amazon.com/images/I/41qZkgzorjS.jpg", "https://m.media-amazon.com/images/I/41Ya7OojWCS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Bath & Bathing Accessories \u203a Bathing Accessories \u203a Bath Sponges", "average_rating": "", "small_description": ["The sponges work great on elbows and knees. ", "Made of loofah sponge and cotton cloth materials, the bath sponges are durable to use. ", "Fine workmanship ensures you a long service life and delicate details. ", "A for you to take a shower, it can make your skin shine and help to deep clean your skin. ", "Well- made, the loofah sponges are not easy to damage. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A23RE371JKLUB9", "seller_name": "TATASUN", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B099F89JTZ", "category": "beauty", "query": "Bath & Bathing Accessories", "page": 150, "small_description_old": "About this item The sponges work great on elbows and knees. Made of loofah sponge and cotton cloth materials, the bath sponges are durable to use. Fine workmanship ensures you a long service life and delicate details. A for you to take a shower, it can make your skin shine and help to deep clean your skin. Well- made, the loofah sponges are not easy to damage."}, {"name": "Lunarable Oriental Storage Toy Bag Chair, Eastern Bohem Detail Ottoman Tile Work Inspired Flowers, Stuffed Animal Organizer Washable Bag, Small Size, Turquoise Marigold", "product_information": {"Item Weight": "\u200e14.1 ounces", "Product Dimensions": "\u200e23.2 x 21.2 x 15.1 inches", "Item model number": "\u200ectb_33077_s", "Assembled Height": "\u200e15.1 inches", "Assembled Width": "\u200e21.2 inches", "Assembled Length": "\u200e23.2 inches", "ASIN": "B07XTK3P89", "Best Sellers Rank": ["#6,028,632 in Home & Kitchen (See Top 100 in Home & Kitchen) #719 in Kids' Bean Bag Chairs"], "Date First Available": "September 12, 2019"}, "brand": "Visit the Lunarable Store", "brand_url": "https://www.amazon.com/stores/Lunarable/page/2A472AD0-775F-4290-90D1-F4AC319F101C?ref_=ast_bln", "full_description": "Small size - You can stock over 50 plush toys in bean bag. Measurements: 22\" W X 15\" H when full.Made from - High-quality, soft %100 polyester fabric. Machine washable and durable. Stuff and sit.Features - Zipper closure. Easy to carry with large sturdy handle. Effective space saver. Practical.High capacity - Can store your stuffed toys blankets pillows nets hammocks seasonal clothes & more.Printed - With state of the art digital printing technology. Only case, insert is not included.Fill and have fun with our space saver bean bag for storage. It's a soft and cuddly way to store all your stuffed animals and soft toys; you can also stock extra pillows, blankets, sheets, nets, hammocks, towels, comforters, sleeping bags, or even seasonal clothes. It'll be your helper with its high capacity. It's also decorative; after you replace all the mess you can sit on and enjoy yourself. A perfect solution to open up some room to spare. It's suitable for anyone with thousands of different patterns. Can be a birthday or Christmas present for your loved ones. 2 different size options available: small and large. Easy to care for and easy to clean. Machine washable on cold delicate cycle, tumble dry on low. Read, snuggle, lounge, flop, and play on besides organizing stuff. Decorate your kids' room, playroom, or family room with this useful storage bean bag. The bag itself is lightweight and portable when empty. Has a large handle so you can easily carry it around, put it in your room, garden, or any place you want it to be. Due to manual measurement, please kindly allow a 1-2 cm discrepancy. The digital images we display have the most accurate color possible but due to differences in pc monitors, we can't be responsible for variations in color between the actual product and your screen. Only case, insert is not included.", "pricing": "$39.99", "list_price": "", "availability_status": "Usually ships within 1 to 3 weeks.", "images": ["https://m.media-amazon.com/images/I/51qX8RM+KfL.jpg", "https://m.media-amazon.com/images/I/51RRWBY4++L.jpg", "https://m.media-amazon.com/images/I/5156d+OY1XL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Kids' Furniture \u203a Chairs & Seats \u203a Bean Bags", "average_rating": "", "small_description": ["Small size - You can stock over 50 plush toys in bean bag. Measurements: 22\" W X 15\" H when full. ", "Made from - High-quality, soft %100 polyester fabric. Machine washable and durable. Stuff and sit. ", "Features - Zipper closure. Easy to carry with large sturdy handle. Effective space saver. Practical. ", "High capacity - Can store your stuffed toys blankets pillows nets hammocks seasonal clothes & more. ", "Printed - With state of the art digital printing technology. "], "total_reviews": "", "total_answered_questions": "", "model": "\u200ectb_33077_s", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07XTN1LFV/ref=twister_B07XLN9P34?_encoding=UTF8&psc=1", "value": "Large Size", "price_string": "$49.99", "price": 49.99, "image": null}, {"is_selected": true, "url": null, "value": "Small Size", "price_string": "$39.99", "price": 39.99, "image": null}], "Color": null}, "seller_id": "A2ROIXFFE3ASS9", "seller_name": "Ambesonne", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07XTK3P89", "category": "garden", "query": "Ottomans", "page": 264, "small_description_old": "Small size - You can stock over 50 plush toys in bean bag. Measurements: 22\" W X 15\" H when full. Made from - High-quality, soft %100 polyester fabric. Machine washable and durable. Stuff and sit. Features - Zipper closure. Easy to carry with large sturdy handle. Effective space saver. Practical. High capacity - Can store your stuffed toys blankets pillows nets hammocks seasonal clothes & more. Printed - With state of the art digital printing technology. \n \u203a See more product details"}, {"name": "Italian Herb Nuts - Vegan, Kosher, Gluten-free, GMO-free - 12oz (PACK OF 3 BAGS), Satisfaction Guarantee", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 5 x 2 x 8 inches; 13.72 Ounces", "UPC\n \u200f": "\u200e\n 850014477295", "Manufacturer\n \u200f": "\u200e\n Nuts on the Run", "ASIN\n \u200f": "\u200e\n B09DBYG4XD", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#197,667 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#637 in Snack Food Gifts", "#637 in Snack Food Gifts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Nuts on the Run Store", "brand_url": "https://www.amazon.com/stores/NutsOnTheRun/page/12C6AE5F-768B-47D9-A4F9-3AEACBB5127B?ref_=ast_bln", "full_description": "Our Italian Herb Nuts are gently roasted with a flavorful blend of Italian herbs, almonds, cashews, and pecans. They're toasted with a touch of extra virgin olive oil resulting in a tasty snack that you can enjoy and share with loved ones.", "pricing": "$17.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51Uf4cRMrNL.jpg", "https://m.media-amazon.com/images/I/41D+EueJuqL.jpg", "https://m.media-amazon.com/images/I/51h-xTrHnsL.jpg", "https://m.media-amazon.com/images/I/41aIYVYrZvL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Food & Beverage Gifts \u203a Snack Gifts", "average_rating": 4.7, "small_description": ["A DELICIOUS CRUNCH: Our combination of Italian herbs, cashews, almonds, and pecans are oven roasted on low heat in small batches with a touch of extra virgin olive oil to ensure freshness! ", "A PREMIUM CHOICE: Crafted with the highest standards, 100% all natural, Kosher certified, non-GMO, gluten free, vegan, and peanut free. ", "GREAT SOURCE OF ENERGY: Whether you're enjoying time off or working through a busy day, our Italian Herb nuts are sure to provide you with a tasty boost of energy! ", "ADVENTURE AND DISCOVER: If you have not yet tried Nuts On The Run's snacks and gifts, you're missing out on a treat that will pleasantly surprise. Whether you add our nuts to your culinary experience or share them with friends and family, you'll be back for more! ", "GIVE A GIFT MADE WITH LOVE: Whether it be birthday celebrations or holidays, our tasty snacks will satisfy gift-giving in any occasion. "], "total_reviews": 32, "total_answered_questions": "", "customization_options": "", "seller_id": "A2WFQ5NULQ36U3", "seller_name": "Nuts On the Run", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09DBYG4XD", "category": "grocery", "query": "Snack Food Gifts", "page": 301, "small_description_old": "About this item A DELICIOUS CRUNCH: Our combination of Italian herbs, cashews, almonds, and pecans are oven roasted on low heat in small batches with a touch of extra virgin olive oil to ensure freshness! A PREMIUM CHOICE: Crafted with the highest standards, 100% all natural, Kosher certified, non-GMO, gluten free, vegan, and peanut free. GREAT SOURCE OF ENERGY: Whether you're enjoying time off or working through a busy day, our Italian Herb nuts are sure to provide you with a tasty boost of energy! ADVENTURE AND DISCOVER: If you have not yet tried Nuts On The Run's snacks and gifts, you're missing out on a treat that will pleasantly surprise. Whether you add our nuts to your culinary experience or share them with friends and family, you'll be back for more! GIVE A GIFT MADE WITH LOVE: Whether it be birthday celebrations or holidays, our tasty snacks will satisfy gift-giving in any occasion."}, {"name": "Motions Nourish & Care Indulgent Oil Hair Spray for Hair & Scalp, 4 Oz", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 1.5 x 1.5 x 6.3 inches; 4 Ounces", "UPC\n \u200f": "\u200e\n 802535322042", "Manufacturer\n \u200f": "\u200e\n Motions", "ASIN\n \u200f": "\u200e\n B07144YPN6", "Best Sellers Rank": "#362,373 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#110,810 in Hair Care Products", "#110,810 in Hair Care Products": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Motions Store", "brand_url": "https://www.amazon.com/stores/Motions/page/137D9FA8-D8CC-4C58-8BA5-0DBCC6A0869D?ref_=ast_bln", "full_description": "", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31oyq3u-aeL.jpg", "https://m.media-amazon.com/images/I/31QNMdJOHTL.jpg", "https://m.media-amazon.com/images/I/41uTGFr9iPL.jpg", "https://m.media-amazon.com/images/I/51ZYz+nduvL.jpg", "https://m.media-amazon.com/images/I/41JPBouiBYL.jpg", "https://m.media-amazon.com/images/I/51epaLioREL.jpg", "https://m.media-amazon.com/images/I/512Kp+1W26L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care", "average_rating": 4.5, "small_description": ["The trusted choice of professionals. ", "Replenish hair and scalp with this ultra-light. ", "Shea and Argan oils, enriched with Vitamin E. "], "total_reviews": 106, "total_answered_questions": "", "customization_options": {"Size": null}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07144YPN6", "category": "beauty", "query": "Hair Treatment Oils", "page": 98, "small_description_old": "About this item The trusted choice of professionals. Replenish hair and scalp with this ultra-light. Shea and Argan oils, enriched with Vitamin E."}, {"name": "Canon - Ef 40Mm F/2.8 STM Lens Product Description: Canon - Ef 40Mm F/2.8.", "product_information": {"Product Dimensions": "9 x 7 x 5 inches", "Item Weight": "9.3 ounces", "ASIN": "B00O19GGSG", "Best Sellers Rank": ["#628 in Camera Lens Hoods"], "Date First Available": "July 24, 2014", "Manufacturer": "Canon"}, "brand": "Brand: DDMA", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=DDMA", "full_description": "This EF 40mm f/2.8 STM Lens from Canon is a welcome addition to Canon's line-up of EF lenses--a light, inconspicuous \"normal\" lens. At a featherweight 4.6 oz, this is one of the lightest lenses in the EF family. It's less than one inch long, so it will never draw unwelcome attention to you when you're shooting in public. A bright f/2.8 maximum aperture allows you to shoot under pretty much any lighting conditions, and the sophisticated lens configuration, including one aspherical element, guarantees high image quality from the center to the edge of the frame. The optimized coatings used in constructing the lens greatly reduce ghosting and flare, and deliver superb color balance.STM functionality provides quiet, smooth and continuous autofocus during video operation (continuous video autofocus only when used with the Canon EOS 70D, Rebel T4i and T5i). The circular aperture formed by 7 diaphragm blades combined with the wide aperture can give you beautiful bokeh--the out-of-focus background areas of your images. This 40mm lens will give you a view equivalent to 64mm when used on a camera with an APS-C sensor, and is able to focus as close as 11.81\".", "pricing": "$325.99", "list_price": "", "availability_quantity": 5, "availability_status": "Only 5 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41NVrj2JfWL.jpg", "https://m.media-amazon.com/images/I/41NVrj2JfWL.jpg", "https://m.media-amazon.com/images/I/41Fs6s25GpL.jpg", "https://m.media-amazon.com/images/I/41h47nPIJNL.jpg", "https://m.media-amazon.com/images/I/41h47nPIJNL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Accessories \u203a Lens Accessories \u203a Lens Hoods", "average_rating": "", "small_description": ["Aperture Range: f/2.8-22 ", "64mm Equivalent on APS-C Cameras "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1ONXNZCOVO2I6", "seller_name": "Fast Ship Direct", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00O19GGSG", "category": "electronics", "query": "Lenses", "page": 31, "small_description_old": "About this item\n \nEF Mount Lens Aperture Range: f/2.8-22 64mm Equivalent on APS-C Cameras"}, {"name": "The Meatless Farm Co., Plant Based Sausage Patties, 8.46 Ounce", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 8.75 x 4.9 x 1.55 inches; 8.48 Ounces", "UPC\n \u200f": "\u200e\n 860001533651", "Manufacturer\n \u200f": "\u200e\n The Meatless Farm Co.", "ASIN\n \u200f": "\u200e\n B084GWS59P", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: The Meatless Farm Co.", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=The+Meatless+Farm+Co.", "full_description": "Grocery Dairy", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/41ybMBb2QSL.jpg", "https://m.media-amazon.com/images/I/51yMc80xruL.jpg", "https://m.media-amazon.com/images/I/416UKXzzYcL.jpg", "https://m.media-amazon.com/images/I/31UPz6WHB-L.jpg", "https://m.media-amazon.com/images/I/41lsoDdol+L.jpg", "https://m.media-amazon.com/images/I/41NBs08ELtL.jpg", "https://m.media-amazon.com/images/I/31mh+SkGFbL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Meat Substitutes \u203a Hot Dogs, Links & Sausages", "average_rating": 3.7, "small_description": ["High in protein ", "Good source of fiber ", "Gluten-free ", "Plant-based, 100% vegan ", "Made with the best non-GMO ingredients "], "total_reviews": 198, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B084GWS59P", "category": "grocery", "query": "Meat Substitutes", "page": 119, "small_description_old": "High in protein Good source of fiber Gluten-free Plant-based, 100% vegan Made with the best non-GMO ingredients"}, {"name": "BRIEF INSANITY Hot Rod Boxer Briefs for Men and Women | Vintage Car Print Boxer Shorts - Funny, Humorous, Novelty Underwear", "product_information": {"Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n December 1, 2019", "ASIN\n \u200f": "\u200e\n B07PW1PNGX", "Best Sellers Rank": "#2,142,333 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#14,738 in Men's Underwear", "#14,738 in Men's Underwear": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the BRIEF INSANITY Store", "brand_url": "https://www.amazon.com/stores/BRIEFINSANITY/page/46E8FC8E-A5B5-45D9-9175-09B0B91BD4E4?ref_=ast_bln", "full_description": "BRIEF INSANITY Boxer's are made for both men and women. Check out the size chart below to see what size is best for you.", "pricing": "$19.95", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/515uy5-x7SL.jpg", "https://m.media-amazon.com/images/I/41pYhtaF0aL.jpg", "https://m.media-amazon.com/images/I/41jGi8SUtNL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Underwear \u203a Boxers", "average_rating": 4.5, "small_description": ["Machine Wash ", "\u2714 FABRIC & CARE: 90% Polyester 10% Spandex | The synthetic silk Soft knit fabric makes sure you don\u2019t have any pinching, pulling, or restriction while wearing these novelty boxers. These comfy undies are machine wash & dry friendly! ", "\u2714 FEATURES: Lightweight high performance fabric with fly front moves with you for added comfort. The vintage car images are sublimated into the fabric so they won\u2019t crack, fade or peel over time! ", "\u2714 MULTIPLE USE: Versatile design lets you wear them as underwear, shorts or sleepwear! Features vintage classic car designs for those who love timeless automobiles. ", "\u2714 UNISEX STYLE SIZING: BRIEF INSANITY apparel is designed for both women & men. We support plus size and have larger sizes in stock. Please refer to our size chart in the product description to decide which size will work best for you. ", "\u2714 SATISFACTION GUARANTEED: Your satisfaction is important to us. If you are not completely pleased with your purchase, contact us. We'll do everything we can to make it right, including a full refund, no questions asked. Buy Now! "], "total_reviews": 14, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B07PW1PNGX"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07PV49D9Q"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07PVZPS58"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07PV55P33"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07PVZSFCF"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07PVZPS58", "category": "fashion", "query": "Men's Underwear", "page": 72, "small_description_old": "Machine Wash \u2714 FABRIC & CARE: 90% Polyester 10% Spandex | The synthetic silk Soft knit fabric makes sure you don\u2019t have any pinching, pulling, or restriction while wearing these novelty boxers. These comfy undies are machine wash & dry friendly! \u2714 FEATURES: Lightweight high performance fabric with fly front moves with you for added comfort. The vintage car images are sublimated into the fabric so they won\u2019t crack, fade or peel over time! \u2714 MULTIPLE USE: Versatile design lets you wear them as underwear, shorts or sleepwear! Features vintage classic car designs for those who love timeless automobiles. \u2714 UNISEX STYLE SIZING: BRIEF INSANITY apparel is designed for both women & men. We support plus size and have larger sizes in stock. Please refer to our size chart in the product description to decide which size will work best for you. \u2714 SATISFACTION GUARANTEED: Your satisfaction is important to us. If you are not completely pleased with your purchase, contact us. We'll do everything we can to make it right, including a full refund, no questions asked. Buy Now!"}, {"name": "HPNIUB Unframed Watercolor Words Inspirational Quote Minimalist Typography Art Print Set of 3 (12\u201dX16\u201d) Canvas Painting\uff0cMotivational Phrases Wall Art Poster for Kids Room Home Decor\uff0cNo Frame", "product_information": {"Package Dimensions": "12.36 x 1.54 x 1.34 inches", "Item Weight": "2.82 ounces", "Manufacturer": "HPNIUB", "ASIN": "B089Q6FS79", "Customer Reviews": {"ratings_count": 967, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#93,492 in Home & Kitchen (See Top 100 in Home & Kitchen) #946 in Posters & Prints"], "Number of Pieces": "3", "Batteries Required?": "No"}, "brand": "Visit the HPNIUB Store", "brand_url": "https://www.amazon.com/stores/HPNIUB/page/A1520D90-4D84-41BD-B7EF-A81C1EE52427?ref_=ast_bln", "full_description": "", "pricing": "$15.68", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41EAziibimL.jpg", "https://m.media-amazon.com/images/I/51Eydw3OO0L.jpg", "https://m.media-amazon.com/images/I/51oypjfgdrL.jpg", "https://m.media-amazon.com/images/I/51i5OMo7UFL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Wall Art \u203a Posters & Prints", "average_rating": 4.6, "small_description": ["\u221a\u3010BRIGHTEN UP YOUR ROOM WITH UNIQUE COLOR\u3011: With inspirational wall art to decorate your home is an amazing and affordable way. Combined unique, abstract watercolors lettering, it immediately became interesting and the focus of the family, darkening the decorations around it ", "\u221a\u3010READY FRAME AND HANGED ON THE WALL / TABLE\u3011\uff1aPrepare your favorite frame, our paintings are perfect with 12\u201d x 16\u201d frame.It\u2019s easy to take our art prints into the picture frame.It takes only a few minutes to decorate your home perfectly ", "\u221a\u3010AS A GIFT OR FOR HOME DECORATION\u3011\uff1aA unique gift for your kids and students,which can decorate the classroom, Bedroom, Nursery Room..Secondly\uff0cseeing our motivational art painting can always let your children know that they should be a kind person since childhood, have their own little dream, and bravely believe in themselves and doing your own thing better ", "\u221a\u3010ABOUT THE MATERIAL\u3011\uff1aAbout our watercolor words typography print are 100% high quality canvas printing poster and made of environment-friendly canvas painting that totally compliant with the standard ", "\u221a\u3010ABSTRACT PRINT SIZE\u3011: The canvas print is 12\u201d X 16\u201d (30cm x 40cm), total 3 pcs, No Frame "], "total_reviews": 967, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07JVJQ96S/ref=twister_B08P2QNQ7Q", "value": "Colorful Lettering 1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41mLgCENAoL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08NJ7MPJG/ref=twister_B08P2QNQ7Q", "value": "Colorful Lettering 3", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/5175R+dG9mL.jpg"}, {"is_selected": true, "url": null, "value": "Colorful Lettering 2", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41EAziibimL.jpg"}], "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07JVJQ96S/ref=twister_B08P2QNQ7Q", "value": "8x10inch*3", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08NJ7MPJG/ref=twister_B08P2QNQ7Q", "value": "8x10inch*9", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "12x16inch*3", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A1C7PUC8TSD65Q", "seller_name": "HPNIUB", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B089Q6FS79", "category": "garden", "query": "Wall art", "page": 166, "small_description_old": "About this item \u221a\u3010BRIGHTEN UP YOUR ROOM WITH UNIQUE COLOR\u3011: With inspirational wall art to decorate your home is an amazing and affordable way. Combined unique, abstract watercolors lettering, it immediately became interesting and the focus of the family, darkening the decorations around it \u221a\u3010READY FRAME AND HANGED ON THE WALL / TABLE\u3011\uff1aPrepare your favorite frame, our paintings are perfect with 12\u201d x 16\u201d frame.It\u2019s easy to take our art prints into the picture frame.It takes only a few minutes to decorate your home perfectly \u221a\u3010AS A GIFT OR FOR HOME DECORATION\u3011\uff1aA unique gift for your kids and students,which can decorate the classroom, Bedroom, Nursery Room..Secondly\uff0cseeing our motivational art painting can always let your children know that they should be a kind person since childhood, have their own little dream, and bravely believe in themselves and doing your own thing better \u221a\u3010ABOUT THE MATERIAL\u3011\uff1aAbout our watercolor words typography print are 100% high quality canvas printing poster and made of environment-friendly canvas painting that totally compliant with the standard \u221a\u3010ABSTRACT PRINT SIZE\u3011: The canvas print is 12\u201d X 16\u201d (30cm x 40cm), total 3 pcs, No Frame"}, {"name": "VDSOIUTYHFV Infrared Digital Night Vision Device, High-Definition Day and Night Dual-use, Outdoor Photos and Videos are All Black, for Adults Bird Watching, Traveling, Hiking", "product_information": {"Manufacturer": "VDSOIUTYHFV", "ASIN": "B09P1HJ32G", "Country of Origin": "China"}, "brand": "Brand: VDSOIUTYHFV", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=VDSOIUTYHFV", "full_description": "Product Type: Infrared Night Vision Magnification: 4X-16X Photo resolution: 3072*1728 Snap ring size: 45MM Eyepiece resolution: 1280*960 Video resolution: 1920*1080 Effective viewing distance: 200m Working voltage: 3.7V Infrared range: 200M Voltage: 3.7V Product size: 108*100*51MM Weight: 1kg Our product contains 1 product. You can also purchase multiple products at once. If you want to buy more than two products at once, you can contact us first. We will provide you with the best price. WhatsApp / LINE: + 86 18834195171 \u2605After-sales instructions: If you have any questions, please contact us in time, we will reply within 24 hours.", "pricing": "$840.99", "list_price": "", "availability_quantity": 20, "availability_status": "Only 20 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41BtUzHwHEL.jpg", "https://m.media-amazon.com/images/I/413yZ7vy0mL.jpg", "https://m.media-amazon.com/images/I/419tKKrL-HL.jpg", "https://m.media-amazon.com/images/I/415HA+-6JJL.jpg", "https://m.media-amazon.com/images/I/41nXL0EUXbL.jpg", "https://m.media-amazon.com/images/I/41Wwpqkl9NL.jpg", "https://m.media-amazon.com/images/I/31qb-8ovwOL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Security & Surveillance \u203a Home Security Systems", "average_rating": "", "small_description": ["\u25b6Digital night vision device: make the night like daylight, take photos and videos, multi-language, WiFi function. ", "\u25b6Product features: The eyepieces and goggles are made of high-quality soft rubber materials, so you no longer worry about light leakage during night observation; the main keyboard and multi-function buttons are easy to operate. ", "\u25b6Magnification: 4-16 times magnification can be seen more clearly, the night is like daylight, and the observation is easier. ", "\u25b6The anti-drop design is more durable: high-strength anti-seismic, anti-seismic 9,000 J; rainproof, high reliability, and strong structure. ", "\u25b6Wide application: very suitable for reconnaissance, camping, adventure, outdoor adventure and night navigation, fishing and wildlife observation. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3UKNEZ048JUUV", "seller_name": "CFTY liy", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09P1HJ32G", "category": "electronics", "query": "Binoculars & Scopes", "page": 337, "small_description_old": "\u25b6Digital night vision device: make the night like daylight, take photos and videos, multi-language, WiFi function. \u25b6Product features: The eyepieces and goggles are made of high-quality soft rubber materials, so you no longer worry about light leakage during night observation; the main keyboard and multi-function buttons are easy to operate. \u25b6Magnification: 4-16 times magnification can be seen more clearly, the night is like daylight, and the observation is easier. \u25b6The anti-drop design is more durable: high-strength anti-seismic, anti-seismic 9,000 J; rainproof, high reliability, and strong structure. \u25b6Wide application: very suitable for reconnaissance, camping, adventure, outdoor adventure and night navigation, fishing and wildlife observation."}, {"name": "LJP Nightstand Iron Mesh Nightstand, 3 Layer Portable Narrow Side Table can Bearing 50Kg, Sofa End Table Can Be Used as a Small Bookshelf Bedside Table (Color : Black)", "product_information": {"Item Weight": "\u200e0.035 ounces", "Country of Origin": "\u200eChina", "ASIN": "B09M6VXD6W", "Date First Available": "November 18, 2021"}, "brand": "Brand: LJP", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=LJP", "full_description": "Suitable for homes, offices, dormitories-suitable for compact spaces, bedrooms, guest rooms, closets, nurseries, entrance passages, small apartment solutions, etc.-can be used as bedside storage bedside tables, dressing tables, lockers, sofas, coffee tables, coffee Tables, plant racks, office supply storage rooms, children\u2019s bedside tables or baby nurseries \u2014 complement most decorations, whether traditional, rustic or modern \u2014 the entire installation is portable, lightweight and easy to relocate to different spaces.Product DescriptionProduct name: Iron mesh side table/nightstand; 3-layer 4-leg narrow coffee table; portable bedside table with handle designProduct size: 23*32*70cm (9'' x12.6''x27.5'')Product color: gold, pink, blue, black, whiteProduct material: metal ironThe side table can bear weight: 50KgLayered storage: tidy storageNeed to assemble: no need to assembleWrought iron mesh frame design: convenient to take and store itemsYou can set a side table like that: store books, desk lamps, alarm clocks, vases, etc.Multi-purpose: as a decoration table; as a bedside table; as a tea table, etc.Create your small space: display your favorite things, such as a beautiful bowl, a piece of coral, a special small decoration or a tray, you can create a space of your own.Please pay attention to the following information:1. We only sell side tables, other items are just photography props and are not included in the merchandise.2. The product pictures are all real pictures, but due to factors such as the shooting technology, light, display parameters, etc.,The color of the actual product received may be different from the picture, please refer to the actual product.3. Due to the different measurement tools and methods, there will be an error value (1-3cm) in the size of the furniture product, which belongs to the normal range, and the actual product shall prevail.4. Wish you a happ", "pricing": "$179.82", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41fdRyrFxVL.jpg", "https://m.media-amazon.com/images/I/41VVtP3nV8L.jpg", "https://m.media-amazon.com/images/I/511RQZ3II1L.jpg", "https://m.media-amazon.com/images/I/41iLc8xKGRL.jpg", "https://m.media-amazon.com/images/I/51Yu35voMiL.jpg", "https://m.media-amazon.com/images/I/51yUsLx8oYL.jpg", "https://m.media-amazon.com/images/I/41ueRjkYQwL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Nightstands", "average_rating": "", "small_description": ["Display and organize \u2014 can place lights, alarm clocks, books, glasses, charging stations, etc., as well as sundries, accessories, toiletries, blankets, sheets, cosmetics, hairdressing/beauty products, paperwork, toys, knitting supplies, etc. ", "Decorative small table: Even if the side table is arranged in a small corner, it is worth spending time to decorate! Quickly dress up your various decorations and create your own item display platform. ", "Nightstand side table or end table, this kind of flexible furniture not only provides space for the family to place things, but also plays a role in rendering and enhancing the texture of the space. ", "Spacious table top, plenty of space: 3-layer 23*32*70cm (9\" x12.6\"x27.5'') coffee table can meet the needs of different scenes. It is a perfect side table, near the sofa, comfortable recliner or bed, and you can reach what you want. ", "Side table structure: portable handle design, iron frame bedside table. 3-layer design (decorations, books, small flower pots, etc.). The coffee table is waterproof, scratch-resistant and easy to clean. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "$179.82", "price": 179.82, "image": "https://m.media-amazon.com/images/I/41fdRyrFxVL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M6TK55S/ref=twister_B09M6TZ58Y?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "$179.82", "price": 179.82, "image": "https://m.media-amazon.com/images/I/41N5enZmpfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M6V1BWX/ref=twister_B09M6TZ58Y?_encoding=UTF8&psc=1", "value": "Gold", "price_string": "$179.82", "price": 179.82, "image": "https://m.media-amazon.com/images/I/414lqtR6g0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M6TMH6Y/ref=twister_B09M6TZ58Y?_encoding=UTF8&psc=1", "value": "Pink", "price_string": "$179.82", "price": 179.82, "image": "https://m.media-amazon.com/images/I/41eKEfhupwL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M6VSXHX/ref=twister_B09M6TZ58Y?_encoding=UTF8&psc=1", "value": "White", "price_string": "$179.82", "price": 179.82, "image": "https://m.media-amazon.com/images/I/31f93BKnMQL.jpg"}]}, "seller_id": "A10ZE4F5MS1DKF", "seller_name": "AIaioljp", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09M6VXD6W", "category": "garden", "query": "Nightstands", "page": 413, "small_description_old": "About this item Display and organize \u2014 can place lights, alarm clocks, books, glasses, charging stations, etc., as well as sundries, accessories, toiletries, blankets, sheets, cosmetics, hairdressing/beauty products, paperwork, toys, knitting supplies, etc. Decorative small table: Even if the side table is arranged in a small corner, it is worth spending time to decorate! Quickly dress up your various decorations and create your own item display platform. Nightstand side table or end table, this kind of flexible furniture not only provides space for the family to place things, but also plays a role in rendering and enhancing the texture of the space. Spacious table top, plenty of space: 3-layer 23*32*70cm (9\" x12.6\"x27.5'') coffee table can meet the needs of different scenes. It is a perfect side table, near the sofa, comfortable recliner or bed, and you can reach what you want. Side table structure: portable handle design, iron frame bedside table. 3-layer design (decorations, books, small flower pots, etc.). The coffee table is waterproof, scratch-resistant and easy to clean. \n \u203a See more product details"}, {"name": "MCICI Mens Loafers Moccasin Driving Shoes Premium Genuine Leather Casual Slip On Flats Fashion Slipper Breathable Big Size", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 12.05 x 5.35 x 2.67 inches; 14.46 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n May 18, 2018", "ASIN\n \u200f": "\u200e\n B07D559YQH", "Best Sellers Rank": "#140,571 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#451 in Men's Loafers & Slip-Ons", "#451 in Men's Loafers & Slip-Ons": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: MCICI", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_sh_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=MCICI", "full_description": "Men's soft leather loafers are made from the first layer of cowhide fabric. The non-slip,wear-resistant rubber soles are always balanced and have a soft touch. So you can easily drive and walk easily. The Loafers There are two ways to wear,no matter what the occasion with all appropriate. One,can be used as a leisure or formal business occasion. Tow,when you do not want to wear shoe,you can also wear slippers,which is convenient and stylish. you will love this lightweight Loafers. You need a pair of stylish casual shoes. Size chart EU38= US6 =foot length 24.0CM=9.44inch EU39= US6.5 =foot length 24.5 CM=9.65inch EU40= US7 =foot length 25 CM=9.84inch EU41= US8 =foot length 25.5 CM=10.03inch EU42= US8.5 =foot length 26 CM=10.24inch EU43= US9.5 =foot length 26.5 CM=10.43inch EU44= US10 =foot length 27 CM=10.63inch EU45= US10.5 =foot length 27.5 CM=10.83inch EU46= US11 =foot length 28 CM=11.02inch EU47= US11.5 =foot length 28.5 CM=11.22inch EU48= US12 =foot length 29.0 CM=11.42inch A well-fitting multifunctional Loafers can bring more enjoy to your life,so please choose the correct size according your own actual foot length. As the shape of the foot different from each other,so there may be some differences in size,so please understand.", "pricing": "$15.99$32.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41PBBUE4lNL.jpg", "https://m.media-amazon.com/images/I/41orjGGmVkL.jpg", "https://m.media-amazon.com/images/I/41uJP10uF9L.jpg", "https://m.media-amazon.com/images/I/51SABvsXP1L.jpg", "https://m.media-amazon.com/images/I/61LvL2LWejL.jpg", "https://m.media-amazon.com/images/I/51mAxeB7ixL.jpg", "https://m.media-amazon.com/images/I/41YDWnf9UXL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Loafers & Slip-Ons", "average_rating": 4, "small_description": ["Premium genuine leather upper fashion and breathable,Pure handmade ", "Slip-on design allows for quick and easy on and off ", "Durable rubber outsole delivers traction on a variety of surfaces ", "Lightweight, Flexible and Comfort Casual Loafers.There are two ways to wear. ", "Superior styling and comfort,perfect for work,driving,and casual occasions "], "total_reviews": 479, "total_answered_questions": 12, "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "6.5", "asin": "B07HP4MQW7"}, {"is_selected": false, "is_available": true, "value": "7", "asin": "B0832F2C2T"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B07HP6LVRS"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B07HP5PQGB"}, {"is_selected": false, "is_available": true, "value": "9.5", "asin": "B07HP5SPQQ"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B07HP6MBQL"}, {"is_selected": false, "is_available": true, "value": "10.5", "asin": "B07HP6BWCL"}, {"is_selected": false, "is_available": true, "value": "11", "asin": "B07HP6DY1L"}, {"is_selected": false, "is_available": true, "value": "11.5", "asin": "B07LBLFJQ4"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07D559YQH/ref=twister_B07D5B6QV4", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41PDYSS-GRL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07D52WJ5W/ref=twister_B07D5B6QV4", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41gPcvMLy2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B088ZWPBTW/ref=twister_B07D5B6QV4", "value": "Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/416DPpZktwL.jpg"}, {"is_selected": true, "url": null, "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41wOcYcXlhL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07D55BDV4/ref=twister_B07D5B6QV4", "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41hUm-8y-ML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HP5B9V3/ref=twister_B07D5B6QV4", "value": "Black-b", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41hzBlJof1L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07GCGL8W6/ref=twister_B07D5B6QV4", "value": "Blue-a", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41tsb2kcpaL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07GCH6YMQ/ref=twister_B07D5B6QV4", "value": "Yellow-a", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41P7-h+m-cL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07HP6LVRS", "category": "fashion", "query": "Men's Loafers & Slip-Ons", "page": 29, "small_description_old": "100% Leather Rubber sole Premium genuine leather upper fashion and breathable,Pure handmade Slip-on design allows for quick and easy on and off Durable rubber outsole delivers traction on a variety of surfaces Lightweight, Flexible and Comfort Casual Loafers.There are two ways to wear. Superior styling and comfort,perfect for work,driving,and casual occasions"}, {"name": "Gym Shorts For Men Quick Dry Lightweight Training Running Jogger Drawstring Pockets Solid Zipper Shorts", "product_information": "", "brand": "Visit the iYYVV Store", "brand_url": "https://www.amazon.com/stores/iYYVV/page/3F984B19-339B-4A45-8155-7C0727D466E6?ref_=ast_bln", "full_description": "", "pricing": "$8.29$10.79", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41GwiHhyCHS.jpg", "https://m.media-amazon.com/images/I/41H91lR4G6S.jpg", "https://m.media-amazon.com/images/I/61cZNci6SOS.jpg", "https://m.media-amazon.com/images/I/51JYpHo5UpS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": "", "small_description": ["100% Cotton ", "\u2764\ufe0f Size: The size is Chinese size,not amazon size.Please check our size chart of the last picture.If you do not know how to select the size please purchase it in one or two size larger than your usual size.Machine washable, hand wash better. Feel free to contact us if you have any other question. ", "\u2764\ufe0f Boost Performance: We use soft fabric to bring you sports shorts for men that offer just the right balance of softness, breathability, and stretchiness to keep you comfortable throughout your workouts ", "Pull On closure ", "\u2764\ufe0f Occasion: Whether you\u2019re working out at the gym or running on the track, our men's gym shorts have you covered. They are suitable for all your sports and workout activities including gym, cycling, running, basketball, football, tennis and more ", "\u2764\ufe0f Pockets On Both Sides: Thanks to the hand pockets, you can easily carry your wallet, smartphone, and other small accessories when working out or traveling. These mens athletic shorts can be paired up with other clothing to create your own look ", "\u2764\ufe0f Get The Right Fit: Our men\u2019s workout shorts feature an encased elastic waistband which coupled with the inner drawcord makes sure you get the perfect fit every time. Our shorts stay comfortably in place whether running or training without sliding up or down , fahion shorts dance shorts yogs shorts men plaid shorts run shorts for men red dance shorts men training shorts girls running shorts plus yoga shorts lounge shorts long swim shorts for men boys white shorts short sleeve blouse pink shorts high rise denim shorts men tennis shorts boy denim shorts toddler boy shorts denim cargo shorts for men apandex shorts men xl shorts men exercise shorts s jean shorts shorts girls sexy yoga shorts sweat shorts camo mens shorts, amphibian shorts hym shorts boys rash guard short sleeve 9 workout shorts men high waisted denim shorts womanes shorts bicycycle shorts mens shirts short sleeve shorts boys 36w shorts mens knit shorts wordmark shorts shorts 4t porkchop shorts jeand shorts 1x short sleeve mencompression shorts 7 khaki shorts for men joggee shorts mens distressed shorts linerless shorts denmin shorts men 9 athletic shorts men black shorts for men carpart shorts short heels 40, booty shorts tie waist shorts jean shorts plus denim bermuda shorts drawstring, ruched booty shorts yoga shorts ruched blue scrunch shorts patchwork jeans white shorts girls swim shorts high waisted shorts long athletic build distressed jean shorts butt lifting shorts purple blue jean short booty jean shorts leopard booty shorts flowy shorts denim short shorts pink booty shorts textured scrunch butt shorts kids jean shorts scrunch booty shorts butt lifting"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Khaki", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41GwiHhyCHS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RK6JWH3/ref=twister_B09RK7VH2X", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/511qNrgPnkL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RK7768W/ref=twister_B09RK7VH2X", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31KZ1Hw0joS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RKQSZKW/ref=twister_B09RK7VH2X", "value": "Dark Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41mqS7Z7ZyS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RK52X8N/ref=twister_B09RK7VH2X", "value": "Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41stF7By8nS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RK5WWNG/ref=twister_B09RK7VH2X", "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41bgTq+gZmS.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09RK77R3V"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09RK7T39F"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09RK7F526"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09RK6SW33"}, {"is_selected": false, "is_available": false, "value": "3X", "asin": "B09RK7DKGD"}, {"is_selected": false, "is_available": true, "value": "4X", "asin": "B09RK5X418"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09RK77R3V", "category": "fashion", "query": "Men's Shorts", "page": 128, "small_description_old": "100% Cotton \u2764\ufe0f Size: The size is Chinese size,not amazon size.Please check our size chart of the last picture.If you do not know how to select the size please purchase it in one or two size larger than your usual size.Machine washable, hand wash better. Feel free to contact us if you have any other question. \u2764\ufe0f Boost Performance: We use soft fabric to bring you sports shorts for men that offer just the right balance of softness, breathability, and stretchiness to keep you comfortable throughout your workouts Pull On closure \u2764\ufe0f Occasion: Whether you\u2019re working out at the gym or running on the track, our men's gym shorts have you covered. They are suitable for all your sports and workout activities including gym, cycling, running, basketball, football, tennis and more \u2764\ufe0f Pockets On Both Sides: Thanks to the hand pockets, you can easily carry your wallet, smartphone, and other small accessories when working out or traveling. These mens athletic shorts can be paired up with other clothing to create your own look \u2764\ufe0f Get The Right Fit: Our men\u2019s workout shorts feature an encased elastic waistband which coupled with the inner drawcord makes sure you get the perfect fit every time. Our shorts stay comfortably in place whether running or training without sliding up or down \n fahion shorts dance shorts yogs shorts men plaid shorts run shorts for men red dance shorts men training shorts girls running shorts plus yoga shorts lounge shorts long swim shorts for men boys white shorts short sleeve blouse pink shorts high rise denim shorts men tennis shorts boy denim shorts toddler boy shorts denim cargo shorts for men apandex shorts men xl shorts men exercise shorts s jean shorts shorts girls sexy yoga shorts sweat shorts camo mens shortsamphibian shorts hym shorts boys rash guard short sleeve 9 workout shorts men high waisted denim shorts womanes shorts bicycycle shorts mens shirts short sleeve shorts boys 36w shorts mens knit shorts wordmark shorts shorts 4t porkchop shorts jeand shorts 1x short sleeve mencompression shorts 7 khaki shorts for men joggee shorts mens distressed shorts linerless shorts denmin shorts men 9 athletic shorts men black shorts for men carpart shorts short heels 40booty shorts tie waist shorts jean shorts plus denim bermuda shorts drawstring, ruched booty shorts yoga shorts ruched blue scrunch shorts patchwork jeans white shorts girls swim shorts high waisted shorts long athletic build distressed jean shorts butt lifting shorts purple blue jean short booty jean shorts leopard booty shorts flowy shorts denim short shorts pink booty shorts textured scrunch butt shorts kids jean shorts scrunch booty shorts butt liftingShow more"}, {"name": "Tiamu File Cabinet - Vertical Filing Cabinet - Office Cabinet with Open Storage Shelf and Drawer - Letter Size Large Modern Storage Cabinet Printer Stand, for Office, Study, Living Room", "product_information": {"Product Dimensions": "15.74 x 29.52 x 62 inches", "Department": "Unisex-adult", "Manufacturer": "Tiamu", "ASIN": "B09P8D2Q1Q", "Customer Reviews": {"ratings_count": null, "stars": "1.0 out of 5 stars"}, "Best Sellers Rank": ["#307,966 in Office Products (See Top 100 in Office Products) #454 in Office Vertical Files"], "Date First Available": "December 29, 2021"}, "brand": "Brand: Tiamu", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Tiamu", "full_description": "[Large capacity] This office cabinet not only has two drawers for storing important documents, but also a four-layer open bookcase for easy storage and display. Simple and practical, an elegant choice to systematize your books, documents and office supplies. [Two drawers with locks] The top drawer is used to store spare office supplies, and the bottom is equipped with locks and file hanging rods for storing important documents of traditional letter size. [Ultra-sturdy structure] It is made of tubular black polished steel frame and base and high-quality medium density fiberboard. Large-sized works are durable. [Adjustable leg pads] Adjustable foot pads increase the height of the file cabinet, which can maintain stability even on uneven ground and prevent the floor from being scratched. [Easy to install] Follow the detailed instructions to assemble the products easily double drawer vertical file cabinet with lock and bookshelf, letter/law size large modern file cabinet printer stand with open storage shelf, suitable for home office, vintage brown Colour:Black embossed surface Material:E1-PB+ metal frame Size: 65x40x170cm The size between the drawer rod and the rod, the internal size is: 228+328mm Package Contents: 1 x file cabinet Only the above package content, other products are not included. Note: Light shooting and different displays may cause the color of the item in the picture a little different from the real thing. The measurement allowed error is +/- 1-3cm.", "pricing": "$174.99", "list_price": "", "availability_quantity": 14, "availability_status": "Only 14 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/517bR8ntHuL.jpg", "https://m.media-amazon.com/images/I/414VevIq9nL.jpg", "https://m.media-amazon.com/images/I/41F4MMR6lEL.jpg", "https://m.media-amazon.com/images/I/41sMLzkHmvL.jpg", "https://m.media-amazon.com/images/I/51f2WdWOP5L.jpg", "https://m.media-amazon.com/images/I/41Vodo1sYFL.jpg", "https://m.media-amazon.com/images/I/41Me3kesmIL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Office Products \u203a Office Furniture & Lighting \u203a Cabinets, Racks & Shelves \u203a File Cabinets \u203a Vertical File Cabinets", "average_rating": 1, "small_description": ["\u3010File Cabinets 2 Drawer\u3011 This file cabinet come with 2 drawer and open storage shelves which can meet different needs. This file cabinet can adapt to various needs and has multiple uses. ", "\u3010Ample Storage Space\u3011 29.5\" L x 15.74\"W x 62\"H file cabinet is perfect for home office using. Shelf high file cabinet provides enough room to hold bookshelf, printer, photocopier, etc. And file cabinets 2 drawer fits Letter/Legal Size. Open storage can as a bookshelf to place your books, file and etc. The size between the drawer rod and the rod, the internal size is: 228+328mm. ", "\u3010Multi Using\u3011This storage cabinet can be used as a file cabinets, bookcase, filing cabinet, display shelf or printer stand for your home office. Adjustable shelf design can meet you place printer or other home office tall decor. If you are looking for storage cabinet, this file cabinet is a good choice. ", "\u3010Gentle Color and Lustre\u3011The color of the rustic black is retro and classic, which is suitable for any home decoration style. Black metal frame and rustic black MDF board keep the filing cabinet sturdy and durable. ", "\u3010After-sales Service\u3011Thank you for your support and trust for our file cabinet. We have a professional after-sales customer service team. If your file cabinet arrives damaged, scratched or missing part, please feel free to contact us. Our customer support team will address your concerns within 24 hours. "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A3R2HN042WC0PH", "seller_name": "ycjmingUS", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09P8D2Q1Q", "category": "garden", "query": "Home Office Cabinets", "page": 37, "small_description_old": "About this item\n \n\u3010File Cabinets 2 Drawer\u3011 This file cabinet come with 2 drawer and open storage shelves which can meet different needs. This file cabinet can adapt to various needs and has multiple uses. \u3010Ample Storage Space\u3011 29.5\" L x 15.74\"W x 62\"H file cabinet is perfect for home office using. Shelf high file cabinet provides enough room to hold bookshelf, printer, photocopier, etc. And file cabinets 2 drawer fits Letter/Legal Size. Open storage can as a bookshelf to place your books, file and etc. The size between the drawer rod and the rod, the internal size is: 228+328mm. \u3010Multi Using\u3011This storage cabinet can be used as a file cabinets, bookcase, filing cabinet, display shelf or printer stand for your home office. Adjustable shelf design can meet you place printer or other home office tall decor. If you are looking for storage cabinet, this file cabinet is a good choice. \u3010Gentle Color and Lustre\u3011The color of the rustic black is retro and classic, which is suitable for any home decoration style. Black metal frame and rustic black MDF board keep the filing cabinet sturdy and durable. \u3010After-sales Service\u3011Thank you for your support and trust for our file cabinet. We have a professional after-sales customer service team. If your file cabinet arrives damaged, scratched or missing part, please feel free to contact us. Our customer support team will address your concerns within 24 hours."}, {"name": "Sony 49mm Front Lens Cap ALCF49S,Black", "product_information": {"Product Dimensions": "3.5 x 0.32 x 5 inches", "Item Weight": "0.608 ounces", "ASIN": "B007PCP2OU", "Item model number": "ALCF49S", "Customer Reviews": {"ratings_count": 1216, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#20 in Camera Lens Caps"], "Is Discontinued By Manufacturer": "No", "Date First Available": "March 26, 2012", "Manufacturer": "Sony", "Country of Origin": "China"}, "brand": "Visit the Sony Store", "brand_url": "https://www.amazon.com/stores/Sony/page/AEA5D08A-7FC6-45D4-B121-C8A6FA25219F?ref_=ast_bln", "full_description": "Keep your lens safe from unwanted dust and scratches using this high-quality 49mm lens cap", "pricing": "$6.96", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51Y6UctLoYL.jpg", "https://m.media-amazon.com/images/I/51HNX8I3tSL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Accessories \u203a Lens Accessories \u203a Lens Caps", "average_rating": 4.8, "small_description": [""], "total_reviews": 1216, "total_answered_questions": 122, "model": "ALCF49S", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B007PCP2OU", "category": "electronics", "query": "Lenses", "page": 41, "small_description_old": "49mm Front Lens Cap 49mm Front Lens Cap 49mm Front Lens Cap"}, {"name": "Afeax Compatible Volume Button Silent Power Switch Flex Cable Replacement for iPhone 8 Plus (5.5 inch)", "product_information": {"Package Dimensions": "3 x 2 x 0.3 inches", "Item Weight": "0.317 ounces", "ASIN": "B07DGXZJ1K", "Item model number": "4351593698", "Customer Reviews": {"ratings_count": 34, "stars": "4.1 out of 5 stars"}, "Best Sellers Rank": ["#233,021 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #9,854 in Cell Phone Replacement Parts"], "Is Discontinued By Manufacturer": "No", "Other display features": "Wireless", "Colour": "IPhone 8 Plus", "Manufacturer": "Afeax", "Date First Available": "June 2, 2018"}, "brand": "Brand: Afeax", "brand_url": "https://www.amazon.com/Afeax/b/ref=bl_dp_s_web_19537436011?ie=UTF8&node=19537436011&field-lbr_brands_browse-bin=Afeax", "full_description": "", "pricing": "$8.90", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31l1xJfdnYL.jpg", "https://m.media-amazon.com/images/I/419zmJvmBAL.jpg", "https://m.media-amazon.com/images/I/41ee9FobRbL.jpg", "https://m.media-amazon.com/images/I/41rkBbc4FnL.jpg", "https://m.media-amazon.com/images/I/41sSgcew3BL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Maintenance, Upkeep & Repairs \u203a Replacement Parts", "average_rating": 4.1, "small_description": ["It is used to fix not working/unusable power button, volume buttons or Flash Light. ", "Easy to be installed in phone, remember to search instruction video on youtube ", "We provide one year warranty,email us anytime if you meet any problem "], "total_reviews": 34, "total_answered_questions": "", "model": "4351593698", "customization_options": "", "seller_id": "A1472MYOGV6LO", "seller_name": "Afeax", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07DGXZJ1K", "category": "electronics", "query": "Flashes", "page": 229, "small_description_old": "Compatible with iPhone 8 plus (5.5'') It is used to fix not working/unusable power button, volume buttons or Flash Light. Easy to be installed in phone, remember to search instruction video on youtube We provide one year warranty,email us anytime if you meet any problem"}, {"name": "Cuifati 4.1 Decoding Module Circuit Board with Infrared Remote Control Micro USB 5V Decoding Module WAV+APE+FLAC+MP3 Lossless Decoding", "product_information": {"Product Dimensions": "1.97 x 1.57 x 0.39 inches", "Item Weight": "0.91 ounces", "ASIN": "B08ZMR6MCR", "Date First Available": "March 22, 2021", "Manufacturer": "Cuifati"}, "brand": "Visit the Cuifati Store", "brand_url": "https://www.amazon.com/stores/Cuifati/page/092BE1D7-D029-428E-9855-7943182E7680?ref_=ast_bln", "full_description": "Features: 1. Multi-functional: Support Bluetooth 4.1., support automatic back connection, WAV+APE+FLAC+MP3 lossless decoding. 2. Exquisite workmanship: precise cut and interface ensuring perfect applicability, suitable for installation location and easy installation. 3. Reliable material: made of high-quality materials, which can effectively avoid corrosion and wear as well as durable. 4. Professional chip sets provide excellent performance in the system. 5. Easy to operate, anti-aging and can extend the service life. 6. Lossless decoding, stereo output, board stereo 2W amplifier. 7. Support USB Audio function, with U disk and TF card playback. 8. Support infrared remote control. Specifications: Condition: 100% Brand New Micro USB power supply: Micro USB 5V power supply USB Audio: connect the computer with USB data cable and use it as an external sound card LED indicator: blue light in Bluetooth mode is constant on, and blue light in music mode flashes Infrared remote control: support infrared remote control operation Bluetooth decoding IC: Main control chip of the decoding board 3.5mm stereo output: standard 3.5mm interface, output stereo audio source, can insert headphones, connecting to power amplifier and other devices If the U disk plays, it is recommended to use USB 5V power supply (3.7v lithium battery power supply is not recommended) because the early U disk does not support 3.7v voltage. POWER interface must be used when using mobile power supply or computer power supply. USB Audio interface is not allowed, otherwise music on U disk cannot be played. USB flash drive", "pricing": "$8.49", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51EsUvNZY2L.jpg", "https://m.media-amazon.com/images/I/51m9PaFAImL.jpg", "https://m.media-amazon.com/images/I/51xKJKcd7YL.jpg", "https://m.media-amazon.com/images/I/51DmRwQ83rL.jpg", "https://m.media-amazon.com/images/I/51ts5T9afiL.jpg", "https://m.media-amazon.com/images/I/51IYMbsgYNL.jpg", "https://m.media-amazon.com/images/I/51VPMULh-JL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Portable Audio & Video \u203a MP3 & MP4 Player Accessories \u203a Bluetooth & FM Transmitters \u203a FM Transmitters", "average_rating": "", "small_description": ["Multi-functional: Support Bluetooth 4.1., support automatic back connection, WAV+APE+FLAC+MP3 lossless decoding. ", "Lossless decoding, stereo output, board stereo 2W amplifier. ", "Reliable material: made of high-quality materials, which can effectively avoid corrosion and wear as well as durable. ", "Exquisite workmanship: precise cut and interface ensuring perfect applicability, suitable for installation location and easy installation. ", "Professional chip sets provide excellent performance in the system. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AZIWKB4RUNANS", "seller_name": "Yoidesu", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08ZMR6MCR", "category": "electronics", "query": "Receivers & Amplifiers", "page": 205, "small_description_old": "Multi-functional: Support Bluetooth 4.1., support automatic back connection, WAV+APE+FLAC+MP3 lossless decoding. Lossless decoding, stereo output, board stereo 2W amplifier. Reliable material: made of high-quality materials, which can effectively avoid corrosion and wear as well as durable. Exquisite workmanship: precise cut and interface ensuring perfect applicability, suitable for installation location and easy installation. Professional chip sets provide excellent performance in the system."}, {"name": "Colour Me Pink - Fragrance for Women - 3.4oz Eau de Parfum, by Milton-Lloyd (Pack of 3, 3 x 3.4oz)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 7.2 x 7.01 x 2.83 inches; 3.4 Ounces", "Item model number\n \u200f": "\u200e\n 01E3PPPA", "UPC\n \u200f": "\u200e\n 025929207736", "Manufacturer\n \u200f": "\u200e\n Milton-Lloyd Limited", "ASIN\n \u200f": "\u200e\n B09L4WSCBS", "Country of Origin\n \u200f": "\u200e\n United Kingdom", "Best Sellers Rank": "#330,538 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#4,927 in Women's Eau de Parfum", "#4,927 in Women's Eau de Parfum": ""}, "brand": "Visit the COLOUR ME Store", "brand_url": "https://www.amazon.com/stores/Colour+Me/page/FB936561-8276-464E-9934-055233BC1510?ref_=ast_bln", "full_description": "", "pricing": "$58.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51BOX9VZ5VL.jpg", "https://m.media-amazon.com/images/I/31b2HFuwB5L.jpg", "https://m.media-amazon.com/images/I/41zejMrAKvL.jpg", "https://m.media-amazon.com/images/I/51y3aCl1K3L.jpg", "https://m.media-amazon.com/images/I/31vORg0hBxL.jpg", "https://m.media-amazon.com/images/I/4190DzC-RTL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Fragrance \u203a Women's \u203a Eau de Parfum", "average_rating": "", "small_description": ["LUXURY FRAGRANCE - Since 1975, Milton-Lloyd have earned an unshakeable reputation for award-winning, luxury fragrances without the luxury price tag ", "FLORAL, WARM AND ROMANTIC - White rose petals and almond blossom nestle around a joyous bouquet of geranium, heliotrope and lilies, with enveloping base notes of warm musks and vanilla ", "LONG LASTING - Colour Me Pink comes with a 6 hour minimum guarantee. It is the luxury oils, blended at high concentrations that promises outstanding quality and long-lasting performance ", "THE COLOUR ME COLLECTION - A trending collection of luxury fragrances and aftershaves by Milton-Lloyd ", "GENUINE MILTON-LLOYD PRODUCT \u2013 Milton-Lloyd works with the world\u2019s leading perfumers, using the finest oils, blended at high concentrations to create sophisticated, long lasting, luxury fragrances. Their commitment to prioritising perfumery over packaging and advertising is what gives you incredible quality at affordable prices. Every year, millions of people fall in love with Milton-Lloyd fragrances "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09L4RSPT7/ref=twister_B09DGJGHFV?_encoding=UTF8&psc=1", "value": "(Pack of 2 x 3.4 Ounce)", "price_string": "$44.00", "price": 44, "image": null}, {"is_selected": true, "url": null, "value": "(Pack of 3 x 3.4 Ounce)", "price_string": "$58.00", "price": 58, "image": null}]}, "seller_id": "A24UTE6RF5B35E", "seller_name": "Milton-Lloyd Inc", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09L4WSCBS", "category": "beauty", "query": "Women's Fragrance", "page": 126, "small_description_old": "About this item LUXURY FRAGRANCE - Since 1975, Milton-Lloyd have earned an unshakeable reputation for award-winning, luxury fragrances without the luxury price tag FLORAL, WARM AND ROMANTIC - White rose petals and almond blossom nestle around a joyous bouquet of geranium, heliotrope and lilies, with enveloping base notes of warm musks and vanilla LONG LASTING - Colour Me Pink comes with a 6 hour minimum guarantee. It is the luxury oils, blended at high concentrations that promises outstanding quality and long-lasting performance THE COLOUR ME COLLECTION - A trending collection of luxury fragrances and aftershaves by Milton-Lloyd GENUINE MILTON-LLOYD PRODUCT \u2013 Milton-Lloyd works with the world\u2019s leading perfumers, using the finest oils, blended at high concentrations to create sophisticated, long lasting, luxury fragrances. Their commitment to prioritising perfumery over packaging and advertising is what gives you incredible quality at affordable prices. Every year, millions of people fall in love with Milton-Lloyd fragrances"}, {"name": "12 Bundles Artificial Lavender Flowers Outdoor Fake Flowers for Decoration UV Resistant No Fade Faux Plastic Plants Garden Porch Window Box D\u00e9cor (Blue)", "product_information": {"Package Dimensions": "12.76 x 8.82 x 2.8 inches", "Item Weight": "13 ounces", "Manufacturer": "YISNUO", "ASIN": "B092D51DYS", "Customer Reviews": {"ratings_count": 84, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#73,602 in Home & Kitchen (See Top 100 in Home & Kitchen) #809 in Artificial Flowers"], "Date First Available": "April 13, 2021"}, "brand": "Brand: AITISOR", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=AITISOR", "full_description": "", "pricing": "$16.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/61hQi4NaCsS.jpg", "https://m.media-amazon.com/images/I/51mC5XciMaS.jpg", "https://m.media-amazon.com/images/I/51eaPWrn70S.jpg", "https://m.media-amazon.com/images/I/51j8uxDHZaS.jpg", "https://m.media-amazon.com/images/I/61208re0y3S.jpg", "https://m.media-amazon.com/images/I/61BoQlR-ZMS.jpg", "https://m.media-amazon.com/images/I/41n6+6dBnNL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Artificial Plants & Flowers \u203a Artificial Flowers", "average_rating": 4.4, "small_description": ["\ud83c\udf33\u3010 Realistic Look \u3011- Each bundle of lavender gives the appearance of a real, natural flower. Artificial flowers are a practical alternative to real florals and will remain fresh-looking and beautiful year after year. ", "\ud83c\udf33\u3010 Wonderful Decor \u3011- This artificial plants lavender is designed for outdoor indoors decoration. These lifelike lavenders lend gorgeous charm to your front porch, walkway, patio, and garden; faux lavenders are perfect for everyday decoration, birthdays, holidays, weddings, memorial sites, DIY projects, etc ", "\ud83c\udf33\u3010 UV Resistant \u3011- Plastic plants is uv resistant and never fade, Upscale look Artificial flowers are perfect for any landscaping project or decor style. This silk bushes will never die off and easy take care of it can against Fierce wind Rainstorm and insolation. ", "\ud83c\udf33\u3010 Feature \u3011- Pack of 12 bunches .Each measures 15.1\" high x 6.6\" Wide. Each bunch has 7 flexible stems and dense leaves. ", "\ud83c\udf33\u3010Warm Atmosphere \u3011- The lifelike artificial lavender flowers creates a cozy ambiance, Fake Faux greenery plants are perfect home, hotels, terrace, office, guesthouses, garden, Christmas or other indoor outside place decoration. "], "total_reviews": 84, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Blue", "price_string": "$16.99", "price": 16.99, "image": "https://m.media-amazon.com/images/I/61hQi4NaCsS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092D474ZK/ref=twister_B092D4W776?_encoding=UTF8&psc=1", "value": "Orange", "price_string": "$16.99", "price": 16.99, "image": "https://m.media-amazon.com/images/I/61zrBk6AmuS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092D3734V/ref=twister_B092D4W776?_encoding=UTF8&psc=1", "value": "Purple", "price_string": "$16.99", "price": 16.99, "image": "https://m.media-amazon.com/images/I/61qY6QOYKQS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092D4YTCP/ref=twister_B092D4W776?_encoding=UTF8&psc=1", "value": "Red", "price_string": "$16.99", "price": 16.99, "image": "https://m.media-amazon.com/images/I/61MvVPTS+TS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092D4LG9J/ref=twister_B092D4W776?_encoding=UTF8&psc=1", "value": "White", "price_string": "$16.99", "price": 16.99, "image": "https://m.media-amazon.com/images/I/615+jMJjDeS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092D4ND1S/ref=twister_B092D4W776?_encoding=UTF8&psc=1", "value": "Yellow", "price_string": "$16.99", "price": 16.99, "image": "https://m.media-amazon.com/images/I/61Qg7JetwqS.jpg"}]}, "seller_id": "A26129PRSB1OFR", "seller_name": "YISNUO", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B092D51DYS", "category": "garden", "query": "Live Plants", "page": 118, "small_description_old": "About this item\n \n\ud83c\udf33\u3010 Realistic Look \u3011- Each bundle of lavender gives the appearance of a real, natural flower. Artificial flowers are a practical alternative to real florals and will remain fresh-looking and beautiful year after year. \ud83c\udf33\u3010 Wonderful Decor \u3011- This artificial plants lavender is designed for outdoor indoors decoration. These lifelike lavenders lend gorgeous charm to your front porch, walkway, patio, and garden; faux lavenders are perfect for everyday decoration, birthdays, holidays, weddings, memorial sites, DIY projects, etc \ud83c\udf33\u3010 UV Resistant \u3011- Plastic plants is uv resistant and never fade, Upscale look Artificial flowers are perfect for any landscaping project or decor style. This silk bushes will never die off and easy take care of it can against Fierce wind Rainstorm and insolation. \ud83c\udf33\u3010 Feature \u3011- Pack of 12 bunches .Each measures 15.1\" high x 6.6\" Wide. Each bunch has 7 flexible stems and dense leaves. \ud83c\udf33\u3010Warm Atmosphere \u3011- The lifelike artificial lavender flowers creates a cozy ambiance, Fake Faux greenery plants are perfect home, hotels, terrace, office, guesthouses, garden, Christmas or other indoor outside place decoration."}, {"name": "120pcs Makeup Remover Cotton Pads Double Sided Cotton Practical Facial Puff Cleansing Wipes Cosmetic Care Tool", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 2.36 x 1.97 x 0.08 inches; 4.94 Ounces", "Manufacturer\n \u200f": "\u200e\n SOLUSTRE", "ASIN\n \u200f": "\u200e\n B08N16XC83", "": ""}, "brand": "Brand: SOLUSTRE", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=SOLUSTRE", "full_description": "Description\u00a0The item is made of premium cotton material, soft and comfortable, gentle and non stimulating, clean and sanitary. With super soft touch feeling, It's easy to use with proper size. Nice cotton pads for daily makeup, makeup removal, skin care or other applications.\u00a0Features\u00a0- Color: white.- Material: cotton.- Size: Approx. 6x5x0.2 cm.- Nice cotton pads for daily makeup, makeup removal, skin care or other wet applications.- You can use the makeup pads for face, makeup removing, care and more.- It is effective to cleanse skin pores, remove excess oil.- Disposable and easy to use.- It is lightweight for portable carry.\u00a0Package Including120 x Cotton Pads", "pricing": "$15.61", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/316evCpEO4L.jpg", "https://m.media-amazon.com/images/I/31vbafQbVtL.jpg", "https://m.media-amazon.com/images/I/31TLccDO8oL.jpg", "https://m.media-amazon.com/images/I/31HA8jjDIQL.jpg", "https://m.media-amazon.com/images/I/31oQ1vv89eL.jpg", "https://m.media-amazon.com/images/I/31EMrR08ObL.jpg", "https://m.media-amazon.com/images/I/314ZnV83R+L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Cotton Balls & Swabs \u203a Cotton Pads & Rounds", "average_rating": "", "small_description": ["You can use the makeup pads for face, makeup removing, care and more. ", "Disposable and easy to use. ", "It is lightweight for portable carry. ", "Nice cotton pads for daily makeup, makeup removal, skin care or other wet applications. ", "It is effective to cleanse skin pores, remove excess oil. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AN9LBA48FE83R", "seller_name": "Joysoul", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08N16XC83", "category": "beauty", "query": "Makeup Remover", "page": 104, "small_description_old": "About this item You can use the makeup pads for face, makeup removing, care and more. Disposable and easy to use. It is lightweight for portable carry. Nice cotton pads for daily makeup, makeup removal, skin care or other wet applications. It is effective to cleanse skin pores, remove excess oil."}, {"name": "Amazon Brand - Happy Belly Garlic, Granulated, 3.9 Ounces", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 1.88 x 1.88 x 4.94 inches; 3.9 Ounces", "UPC\n \u200f": "\u200e\n 842379155833", "Manufacturer\n \u200f": "\u200e\n Amazon.com Services, Inc.", "ASIN\n \u200f": "\u200e\n B07VVGKHLH", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#3,388 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#6 in Garlic Powder & Seasonings", "#6 in Garlic Powder & Seasonings": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Happy Belly Store", "brand_url": "https://www.amazon.com/stores/HappyBelly/page/35E92FB8-2CD1-4FDA-87AE-5122F4A1A0F9?ref_=ast_bln", "full_description": "Happy Belly Granulated Garlic has a coarser texture than garlic powder which is finely ground. Rehydrate a small amount in water and substitute it for chopped fresh garlic in recipes. Use in stews, roasts, gravies, soups and sauces, pizza and pasta.", "pricing": "$3.22", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/41zSGBDurtL.jpg", "https://m.media-amazon.com/images/I/415++g30-AL.jpg", "https://m.media-amazon.com/images/I/41zVRglJErL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Herbs, Spices & Seasonings \u203a Single Herbs & Spices \u203a Garlic", "average_rating": 4.7, "small_description": ["Has a coarser texture than garlic powder which is finely ground ", "Rehydrate a small amount in water and substitute it for chopped fresh garlic in recipes ", "1/4 tsp = 1 clove fresh garlic ", "Use in stews, roasts, gravies, soups and sauces, pizza and pasta ", "Pairs well with basil, chili, coriander, dill, ginger, italian herbs, parsley, and turmeric ", "Kosher certified ", "Satisfaction Guarantee: We're proud of our products. If you aren't satisfied, we'll refund you for any reason within a year of purchase. 1-877-485-0385 "], "total_reviews": 4210, "total_answered_questions": 7, "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07VVGKHLH", "category": "grocery", "query": "Meat Substitutes", "page": 80, "small_description_old": "About this item 3.9-ounces of Happy Belly Granulated Garlic Has a coarser texture than garlic powder which is finely ground Rehydrate a small amount in water and substitute it for chopped fresh garlic in recipes 1/4 tsp = 1 clove fresh garlic Use in stews, roasts, gravies, soups and sauces, pizza and pasta Pairs well with basil, chili, coriander, dill, ginger, italian herbs, parsley, and turmeric Kosher certified \n Satisfaction Guarantee: We're proud of our products. If you aren't satisfied, we'll refund you for any reason within a year of purchase. 1-877-485-0385An Amazon brandShow more"}, {"name": "PUMA Men's Amplified Hooded Fleece Jacket", "product_information": {"Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n October 15, 2019", "Manufacturer\n \u200f": "\u200e\n PUMA", "ASIN\n \u200f": "\u200e\n B07Z5Q6CS9", "Best Sellers Rank": "#1,153,207 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#307 in Men's Denim Jackets", "#307 in Men's Denim Jackets": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the PUMA Store", "brand_url": "https://www.amazon.com/stores/PUMA/page/00F6067E-333B-41A4-AC3D-7B2FA69EA1AB?ref_=ast_bln", "full_description": "No.1 logo rubber print; Printed tape on the sleeves with repeated no. 1 logo; jersey lined two panel hood with drawcord for an adjustable fit; full zip closure; kangaroo pocket for storage solutions; self fabric cuffs & waistband; Regular Fit; made with cotton from better cotton initiative;", "pricing": "$55.00", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41bcJ84l60L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Jackets & Coats \u203a Lightweight Jackets \u203a Denim", "average_rating": 4.7, "small_description": ["Zipper closure ", "Amplified hooded jacket fly "], "total_reviews": 98, "total_answered_questions": "", "customization_options": {"Size": null, "Color": null}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07V3WXX85", "category": "fashion", "query": "Men's Jackets & Coats", "page": 76, "small_description_old": "66% Cotton, 34% Polyester Imported Zipper closure Machine Wash Amplified hooded jacket fly Fleece"}, {"name": "TV Stand for 70 Inch TV Entertainment Center Stand TV Stand with Storage for TV Console Cabinet Media Cable Box Gaming 70 inch TV Stands for Bedroom Living Room", "product_information": {"ASIN": "B09S6S7LG1", "Best Sellers Rank": ["#2,287,721 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,991 in Television Stands"], "Date First Available": "February 10, 2022"}, "brand": "Brand: Kennkari", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Kennkari", "full_description": "Product Information Item Code\u00a0\u00a0 \u00a0W33136070 Product Type\u00a0\u00a0 \u00a0General Item Product Name\u00a0\u00a0 \u00a0TV stand Modern Design For Living Room Main Color\u00a0\u00a0 \u00a0Walnut Main Material\u00a0\u00a0 \u00a0MDF Product Dimensions Assembled Length (in.)\u00a0\u00a0 \u00a063.00 Assembled Width (in.)\u00a0\u00a0 \u00a015.75 Assembled Height (in.)\u00a0\u00a0 \u00a013.78 Weight (lbs)\u00a0\u00a0 \u00a056.88 Package Size Length (in.)\u00a0\u00a0 \u00a067.72 Width (in.)\u00a0\u00a0 \u00a019.88 Height (in.)\u00a0\u00a0 \u00a05.32 Weight (lbs)\u00a0\u00a0 \u00a061.30", "pricing": "$169.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41yVbifjURL.jpg", "https://m.media-amazon.com/images/I/31-uRVifMXL.jpg", "https://m.media-amazon.com/images/I/41NlGFfAQ2L.jpg", "https://m.media-amazon.com/images/I/31FoFpj9FVL.jpg", "https://m.media-amazon.com/images/I/31OLmNwLd+L.jpg", "https://m.media-amazon.com/images/I/41digZYWykL.jpg", "https://m.media-amazon.com/images/I/51NrIsLhO3L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a TV & Media Furniture \u203a Television Stands & Entertainment Centers", "average_rating": "", "small_description": ["\ud83d\udcfa Up to 70 Inch TV Screen - Universal TV stand for 70 inch, 65+ inch, 65 inch, 60 inch tv stand. Wood tv stand can be suitable for all types of televisions such as wall-mounted or vertical type. Dimensions: 63\" W x 15.8\" D x13.8\" H. ", "\ud83d\udc4c Easy Cord Management - Crafted with 3 holes at the back of the cupboard for an easy cord management. ", "\ud83c\udfe0 Large Storage Space - Gaming TV stand with large storage and open shelves can be used to store game consoles, media, computer consoles, magazines, secretaries, daily necessities, remote controls and decorative ornaments. Make full use of the space, keep your living room clean and tidy, and prevent you from missing items. ", "\ud83d\udcaa High-Gloss & Rugged & Durable - TV entertainment stand is made of High quality P2 grade particleboard, Mirrored tv stand is scratch proof and waterproof, also easy to maintain. The modern high-gloss and minimalist structure also provides great stability and fashion, with up to 110 pounds bearing capacity. ", "\ud83d\udd28 Worry-Free Assembly - Comes with all necessary hardware and an illustrated instruction manual to help you set up this nightstand quickly and without difficulties. Please feel free to contact us if you encounter any problems during the assembly process. We will provide the best solution online 24 hours all day. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09S6RKJHD/ref=twister_B09S6SY9PG?_encoding=UTF8&psc=1", "value": "Black Tv Stand for 70 Inch Tv", "price_string": "$169.99", "price": 169.99, "image": "https://m.media-amazon.com/images/I/41qJb8zLBeL.jpg"}, {"is_selected": true, "url": null, "value": "Walnut Tv Stand for 70 Inch Tv", "price_string": "$169.99", "price": 169.99, "image": "https://m.media-amazon.com/images/I/41yVbifjURL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09T79Y2ST/ref=twister_B09S6SY9PG?_encoding=UTF8&psc=1", "value": "Wood Grains Tv Stand for 70 Inch Tv", "price_string": "$169.99", "price": 169.99, "image": "https://m.media-amazon.com/images/I/41K9sEx8MAL.jpg"}]}, "seller_id": "A2XJILK0MB2JTH", "seller_name": "winbangfreestyle", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09S6S7LG1", "category": "garden", "query": "TV Stands", "page": 175, "small_description_old": "About this item \ud83d\udcfa Up to 70 Inch TV Screen - Universal TV stand for 70 inch, 65+ inch, 65 inch, 60 inch tv stand. Wood tv stand can be suitable for all types of televisions such as wall-mounted or vertical type. Dimensions: 63\" W x 15.8\" D x13.8\" H. \ud83d\udc4c Easy Cord Management - Crafted with 3 holes at the back of the cupboard for an easy cord management. \ud83c\udfe0 Large Storage Space - Gaming TV stand with large storage and open shelves can be used to store game consoles, media, computer consoles, magazines, secretaries, daily necessities, remote controls and decorative ornaments. Make full use of the space, keep your living room clean and tidy, and prevent you from missing items. \ud83d\udcaa High-Gloss & Rugged & Durable - TV entertainment stand is made of High quality P2 grade particleboard, Mirrored tv stand is scratch proof and waterproof, also easy to maintain. The modern high-gloss and minimalist structure also provides great stability and fashion, with up to 110 pounds bearing capacity. \ud83d\udd28 Worry-Free Assembly - Comes with all necessary hardware and an illustrated instruction manual to help you set up this nightstand quickly and without difficulties. Please feel free to contact us if you encounter any problems during the assembly process. We will provide the best solution online 24 hours all day. \n \u203a See more product details"}, {"name": "Hot DIY Parts Consumer Electronics Phone Signal Enhancement Stickers 3G 4G 5G Antenna Booster Stickers Mobile Phone(Style F)", "product_information": {"ASIN": "B09T2MW12R", "Item model number": "AM8BX0B5RJUS", "Date First Available": "February 22, 2022", "Manufacturer": "yrui", "Country of Origin": "China"}, "brand": "Brand: Generic", "brand_url": "https://www.amazon.com/Generic/b/ref=bl_dp_s_web_2529470011?ie=UTF8&node=2529470011&field-lbr_brands_browse-bin=Generic", "full_description": "Weight: 18gHuge impacts - like having a 4 foot antenna on your cell phone.Model: 12 StyleImproves reception, reduce static in boats, elevators, cars, buildings, tunnels, and mountains.Type: signal enhancementWorks on any analog, digital, and tri-band phones.Eliminate dropped calls.Easy to install, simply peel and stick to the inside of your battery compartment.Package Includes:1 PC signal enhancement", "pricing": "$1.24", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/21WMmgjYoML.jpg", "https://m.media-amazon.com/images/I/51hOsWOsgML.jpg", "https://m.media-amazon.com/images/I/51y1ayZD3KL.jpg", "https://m.media-amazon.com/images/I/51hGwVhvKWL.jpg", "https://m.media-amazon.com/images/I/51VyTz9-OzL.jpg", "https://m.media-amazon.com/images/I/51CPGrfdBqL.jpg", "https://m.media-amazon.com/images/I/51pMisR9K7L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Signal Boosters", "average_rating": "", "small_description": ["Huge impacts - like having a 4 foot antenna on your cell phone. ", "Improves reception, reduce static in boats, elevators, cars, buildings, tunnels, and mountains. ", "Works on any analog, digital, and tri-band phones. ", "Eliminate dropped calls. ", "Easy to install, simply peel and stick to the inside of your battery compartment. "], "total_reviews": "", "total_answered_questions": "", "model": "AM8BX0B5RJUS", "customization_options": {"Size": null}, "seller_id": "A3J1XLUKYHSX0I", "seller_name": "zhengyulai", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09T2MW12R", "category": "electronics", "query": "Signal Boosters", "page": 291, "small_description_old": "Huge impacts - like having a 4 foot antenna on your cell phone. Improves reception, reduce static in boats, elevators, cars, buildings, tunnels, and mountains. Works on any analog, digital, and tri-band phones. Eliminate dropped calls. Easy to install, simply peel and stick to the inside of your battery compartment."}, {"name": "Encased Heavy Duty Moto G Power Case (2020 Rebel Armor) Military Grade Full Body Rugged Cover (Motorola G Power) Black", "product_information": {"Product Dimensions": "3 x 0.5 x 6.5 inches", "Item Weight": "0.81 ounces", "ASIN": "B089ZJ7H1N", "Item model number": "RB119BK", "Customer Reviews": {"ratings_count": 568, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#91,425 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #43,450 in Cell Phone Basic Cases"], "OS": "Motorola", "Special Features": "Wireless Charging Compatible", "Other display features": "Wireless", "Form Factor": "Drop in", "Colour": "Black", "Manufacturer": "Encased for Moto G Power 2020", "Date First Available": "June 10, 2020"}, "brand": "Visit the Encased Store", "brand_url": "https://www.amazon.com/stores/Encased/page/C99301C1-7FAB-4FB8-A16E-505D346A863B?ref_=ast_bln", "full_description": "Rebel Series - Designed for Moto G Power 2020 Engineered to protect at all costs.The Rebel is built to exceed tough military impact standards, the Rebel case has been 10FT impact testedto provide you peace of mind when you need it most.Ergonomic DesignWe designed the Rebel Series with a reasonably slim profile to retain the phone's slim shape making it both comfortable and easy to hold.Installation is a quick and easy affair thanks to it's simple drop-in design. Flaunt great style and military protection with theRebel Series case for your new Moto G Power.Meet EncasedWe stand for practical functionality, and quality. At Encased we are committed to bring our customers a great experience with every product.Our products are proudly trusted by the Dept of Defense, NASA, the US Marines, Army, Navy and hundreds of state and local Policeand Fire departments. Invest in quality and trust with confidence.KEY FEATURES:- Wireless charging compatible, will not interfere with charging pads and stands- Tough-as-hell, Rebel cases proudly features a 10FT impact rating- Easy installation with a drop-in design- Responsive easy-press buttons retain the original tactile click & button feel- Fully bonded 2 layer structure for extreme durabilityInvest with confidence in protection that comes backed by our Lifetime Guarantee..", "pricing": "$17.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/418C1Nu9uAL.jpg", "https://m.media-amazon.com/images/I/51BMySwRM-L.jpg", "https://m.media-amazon.com/images/I/41d4B5SEk-L.jpg", "https://m.media-amazon.com/images/I/4124xiCkScL.jpg", "https://m.media-amazon.com/images/I/516diF3fWLL.jpg", "https://m.media-amazon.com/images/I/41XcNmV6CjL.jpg", "https://m.media-amazon.com/images/I/31LNAURhp3L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Cases, Holsters & Sleeves \u203a Basic Cases", "average_rating": 4.6, "small_description": ["Engineered to protect your Moto G Power 2020 at all costs The Rebel Series is the case you want when protection is your #1 priority (Designed for\u00a0MOTO G Power 2020 Model only Will NOT fit Moto G Power 2021 Model) ", "The robust 10ft impact rating surpasses well known brands charging 3x the price ", "Enjoy responsive buttons and a slim overall design - guaranteed not to interfere with your phone's wireless charging features ", "Installation is easy with a simple drop-in design ", "Encased cases are proudly trusted by the Dept of Defense, NASA, US Marines, Navy, and hundreds of state and federal departments Invest in quality - backed by our Lifetime Guarantee "], "total_reviews": 568, "total_answered_questions": 14, "model": "RB119BK", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "$17.99", "price": 17.99, "image": "https://m.media-amazon.com/images/I/418C1Nu9uAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B089YXYMFD/ref=twister_B08QZXZVYR?_encoding=UTF8&psc=1", "value": "Purple", "price_string": "$17.74", "price": 17.74, "image": "https://m.media-amazon.com/images/I/41WkjxCNiNL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B089ZQXWCN/ref=twister_B08QZXZVYR?_encoding=UTF8&psc=1", "value": "White", "price_string": "$17.99", "price": 17.99, "image": "https://m.media-amazon.com/images/I/41MclpehWvL.jpg"}]}, "seller_id": "A3JIA99F8YWL7D", "seller_name": "Encased", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B089ZJ7H1N", "category": "electronics", "query": "Power Protection", "page": 47, "small_description_old": "About this item Engineered to protect your Moto G Power 2020 at all costs The Rebel Series is the case you want when protection is your #1 priority (Designed for\u00a0MOTO G Power 2020 Model only Will NOT fit Moto G Power 2021 Model) The robust 10ft impact rating surpasses well known brands charging 3x the price Enjoy responsive buttons and a slim overall design - guaranteed not to interfere with your phone's wireless charging features Installation is easy with a simple drop-in design Encased cases are proudly trusted by the Dept of Defense, NASA, US Marines, Navy, and hundreds of state and federal departments Invest in quality - backed by our Lifetime Guarantee"}, {"name": "EttelLut Joggers Exercise Yoga Light Sweatpants Pajama Activewear Pockets Pants with Drawstring", "product_information": {"Item model number\n \u200f": "\u200e\n SG3253", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n February 28, 2020", "ASIN\n \u200f": "\u200e\n B0859PH412", "Best Sellers Rank": "#1,025,450 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,405 in Women's Sweatpants", "#1,405 in Women's Sweatpants": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the EttelLut Store", "brand_url": "https://www.amazon.com/stores/EttelLut/page/3600BB8D-A8FE-40BB-AF42-411F17740493?ref_=ast_bln", "full_description": "", "pricing": "$16.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31Ht5UFMoRL.jpg", "https://m.media-amazon.com/images/I/31A7yzlOUbL.jpg", "https://m.media-amazon.com/images/I/31b8YECHfJL.jpg", "https://m.media-amazon.com/images/I/31FVjRQQ1VL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Active \u203a Active Pants \u203a Sweatpants", "average_rating": 4.5, "small_description": ["Imported ", "Pull On closure ", "Comfortable And Stylish. Unlike other pants, these Joggers Exercise Yoga Sweatpants Pajama Activewear Pockets Pants with Drawstring are Mid/High-rise stretchy fit, side pockets, and adjustable waist drawstring offers added comfort. You can wear them on your daily workout or other purposes. It's suitable for the beach, lounge, exercise, and regular occasions. ", "Fashionable Outfit. These fabulous Joggers Exercise Yoga Sweatpants Pajama Activewear Pockets Pants with Drawstring are easy to care and wash. Make your daily workout outfit more appealing with these comfy pants. You can also mix and match them with your favorite shirt and shoes, and you are all set. ", "Made From High Quality Materials. These pants are a good fit for daily usage because our Joggers Exercise Yoga Sweatpants Pajama Activewear Pockets Pants with Drawstring are ready with premium quality material of 62% Cotton 33% Polyester 5% Spandex. Be extra fashionable while doing your daily routine exercise with these high quality pants. ", "Comes In Different Colors. If you are looking for a specific color, these Joggers Exercise Yoga Sweatpants Pajama Activewear Pockets Pants with Drawstring are available in solid basic shades of Black, Navy, H Gray, Charcoal, Red, Orange and Lime. You can easily match this to any of your outfits. ", "Fits Any Sizes. These Joggers Exercise Yoga Sweatpants Pajama Activewear Pockets Pants with Drawstring come in the sizes of S, M, L, and XL. To help you get the best fit size, please take a look at our SIZE CHART below \"Product Description\" before you purchase. These joggers feature a mid-rise with plenty of slouch, making them great for sleeping or lounging around the house. "], "total_reviews": 164, "total_answered_questions": "", "customization_options": {"Size": null, "Color": null}, "seller_id": "AM4EO8RJFZGA2", "seller_name": "EttelLut", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B0859PP21L", "category": "fashion", "query": "Women's Activewear", "page": 184, "small_description_old": "Comfortable And Stylish. Unlike other pants, these Joggers Exercise Yoga Sweatpants Pajama Activewear Pockets Pants with Drawstring are Mid/High-rise stretchy fit, side pockets, and adjustable waist drawstring offers added comfort. You can wear them on your daily workout or other purposes. It's suitable for the beach, lounge, exercise, and regular occasions. Fashionable Outfit. These fabulous Joggers Exercise Yoga Sweatpants Pajama Activewear Pockets Pants with Drawstring are easy to care and wash. Make your daily workout outfit more appealing with these comfy pants. You can also mix and match them with your favorite shirt and shoes, and you are all set. Made From High Quality Materials. These pants are a good fit for daily usage because our Joggers Exercise Yoga Sweatpants Pajama Activewear Pockets Pants with Drawstring are ready with premium quality material of 62% Cotton 33% Polyester 5% Spandex. Be extra fashionable while doing your daily routine exercise with these high quality pants. Comes In Different Colors. If you are looking for a specific color, these Joggers Exercise Yoga Sweatpants Pajama Activewear Pockets Pants with Drawstring are available in solid basic shades of Black, Navy, H Gray, Charcoal, Red, Orange and Lime. You can easily match this to any of your outfits. Fits Any Sizes. These Joggers Exercise Yoga Sweatpants Pajama Activewear Pockets Pants with Drawstring come in the sizes of S, M, L, and XL. To help you get the best fit size, please take a look at our SIZE CHART below \"Product Description\" before you purchase. These joggers feature a mid-rise with plenty of slouch, making them great for sleeping or lounging around the house."}, {"name": "SHISEIDO Professional - The Hair Care Adenovital - Scalp Treatment - Thinning Hair - 130g x 2", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 7.95 x 6.85 x 1.81 inches; 1.46 Pounds", "Manufacturer\n \u200f": "\u200e\n Shiseido", "ASIN\n \u200f": "\u200e\n B00ECNSAXU", "Best Sellers Rank": "#868,157 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#269,904 in Hair Care Products", "#269,904 in Hair Care Products": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Shiseido", "brand_url": "https://www.amazon.com/Shiseido/b/ref=bl_dp_s_web_2600454011?ie=UTF8&node=2600454011&field-lbr_brands_browse-bin=Shiseido", "full_description": "Shiseido Adenovital Scalp Treatment (Thinning Hair) has the following features:Contains Shiseido's original ingredient, Adenosine, and also Ononis Extract, Japanese pepper extract, Ashitaba extract and Lingzhi extract.Replenishes the scalp with moisture to optimize the scalp condition for Scalp Essence V to follow. Adenosine works directly on the hair papilla, producing \u201cgrowth factors\u201d that are essential to preventing hair loss. Lingzhi extract helps reactivate color of cells and prevent white hair.", "pricing": "$59.90", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41c468BdvvL.jpg", "https://m.media-amazon.com/images/I/31XRlsoahrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care", "average_rating": 3.8, "small_description": [""], "total_reviews": 54, "total_answered_questions": "", "customization_options": "", "seller_id": "A6BYMP170943O", "seller_name": "Tokyo-Japan Shop", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B00ECNSAXU", "category": "beauty", "query": "Scalp Treatments", "page": 33, "small_description_old": ""}, {"name": "Mineral-Rich Magnetic Face Mask,Pore Cleansing Removes Skin Impurities with Iron Based Skin Revitalising Magnetic Age-Defier Formula 50ml", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 3 x 2 x 6 inches; 9.14 Ounces", "UPC\n \u200f": "\u200e\n 705300765962 705300766044", "ASIN\n \u200f": "\u200e\n B06ZYJ4JHT", "Best Sellers Rank": "#132,147 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#2,069 in Facial Masks", "#2,069 in Facial Masks": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: AL'IVER", "brand_url": "https://www.amazon.com/ALIVER/b/ref=bl_dp_s_web_16598374011?ie=UTF8&node=16598374011&field-lbr_brands_browse-bin=AL%27IVER", "full_description": "", "pricing": "$15.52", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/41hc1i5FBFL.jpg", "https://m.media-amazon.com/images/I/51E7KgKq2RL.jpg", "https://m.media-amazon.com/images/I/412RpiMW1TL.jpg", "https://m.media-amazon.com/images/I/41HNnhGG7ZL.jpg", "https://m.media-amazon.com/images/I/51CMCgW81lL.jpg", "https://m.media-amazon.com/images/I/51YI1RxEs6L.jpg", "https://m.media-amazon.com/images/I/5156RKpujuL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Face \u203a Treatments & Masks \u203a Masks", "average_rating": 4.3, "small_description": [""], "total_reviews": 2111, "total_answered_questions": 7, "customization_options": "", "seller_id": "A1MFRJCMIHC4LM", "seller_name": "sefudun", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B06ZYJ4JHT", "category": "beauty", "query": "Face Care", "page": 71, "small_description_old": ""}, {"name": "Marvel Infinity War Thanos Streetwear Poster Graphic Hoodie", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 12 x 12 x 5 inches; 1.3 Pounds", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n April 5, 2018", "Manufacturer\n \u200f": "\u200e\n Marvel", "ASIN\n \u200f": "\u200e\n B07Q48JVT8", "": ""}, "brand": "Brand: Marvel", "brand_url": "https://www.amazon.com/Marvel/b/ref=bl_sl_s_ap_web_8160907011?ie=UTF8&node=8160907011&field-lbr_brands_browse-bin=Marvel", "full_description": "Team up and suit up to take on Thanos and his minions. You'll find the perfect gear within this collection of Officially Licensed Avengers: Infinity War tee shirts, sweatshirts, and hoodies from Marvel.", "pricing": "$47.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/B1i3u9-Q-KS.png", "https://m.media-amazon.com/images/I/318ERPG8FUL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Women \u203a Hoodies", "average_rating": "", "small_description": ["Solid colors: 80% Cotton, 20% Polyester; Heather Grey: 78% Cotton, 22% Poly; Dark Heather: 50% Cotton, 50% Polyester ", "Imported ", "Machine wash cold with like colors, dry low heat ", "Officially Licensed Marvel Apparel ", "18MARF00088A ", "8.5 oz, Classic fit, Twill-taped neck "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Fit Type": null, "Color": null, "Size": [{"is_selected": false, "is_available": true, "value": "Unisex Small", "asin": "B078RXQC7K"}, {"is_selected": false, "is_available": true, "value": "Unisex Medium", "asin": "B078RX4FQ4"}, {"is_selected": false, "is_available": true, "value": "Unisex Large", "asin": "B078RV2JNJ"}, {"is_selected": false, "is_available": true, "value": "Unisex XL", "asin": "B078RXL85P"}, {"is_selected": false, "is_available": true, "value": "Unisex 2XL", "asin": "B078RYQ4ZY"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07Q48JVT8", "category": "fashion", "query": "Women's Fashion Hoodies & Sweatshirts", "page": 126, "small_description_old": "Solid colors: 80% Cotton, 20% Polyester; Heather Grey: 78% Cotton, 22% Poly; Dark Heather: 50% Cotton, 50% Polyester Imported Machine wash cold with like colors, dry low heat Officially Licensed Marvel Apparel 18MARF00088A 8.5 oz, Classic fit, Twill-taped neck"}, {"name": "Nexera Liber-T 3 Piece Office Set in White with Desk Panel", "product_information": {"Item Weight": "\u200e152 pounds", "ASIN": "B00V0OCMXS", "Customer Reviews": {"ratings_count": 16, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#2,237,163 in Home & Kitchen (See Top 100 in Home & Kitchen) #7,979 in Home Office Desks"], "Date First Available": "March 21, 2015"}, "brand": "Brand: Nexera", "brand_url": "https://www.amazon.com/Nexera/b/ref=bl_dp_s_web_3036787011?ie=UTF8&node=3036787011&field-lbr_brands_browse-bin=Nexera", "full_description": "", "pricing": "$490.99", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/51HN3iH76ZL.jpg", "https://m.media-amazon.com/images/I/51HN3iH76ZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Home Office Desks", "average_rating": 4, "small_description": ["2 catch-all drawers on metal slides ", "1 legal size filing drawer on heavy duty full extension slides giving full access to files at the back ", "Can be paired with Liber-T Reversible Desk Panel to create a desk set ", "Designed and made in Canada with CARB II/FSC Certified particle board and MDF materials. Ships in 24-48H from order date. Assembly required.. "], "total_reviews": 16, "total_answered_questions": "", "customization_options": "", "seller_id": "A1QFM750CLWIW0", "seller_name": "Cymax", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00V0OCMXS", "category": "garden", "query": "Desks", "page": 207, "small_description_old": "About this item 2 catch-all drawers on metal slides 1 legal size filing drawer on heavy duty full extension slides giving full access to files at the back Can be paired with Liber-T Reversible Desk Panel to create a desk set Designed and made in Canada with CARB II/FSC Certified particle board and MDF materials. Ships in 24-48H from order date. Assembly required.. \n \u203a See more product details"}, {"name": "goodland 160 LED Closet Lights Motion Sensor Under Cabinet Lights Indoor Wireless Lighting 3600mAh Battery Powered Light Bar Dimmable Rechargeable Closet Light for Kitchen, Wardrobe, Stairs(2 Pack)", "product_information": {"Manufacturer": "\u200eGoodland", "Item Weight": "\u200e1.06 pounds", "Product Dimensions": "\u200e15.35 x 1.38 x 0.43 inches", "Batteries": "\u200e2 Lithium Polymer batteries required. (included)", "Size": "\u200e2 Pack", "Color": "\u200eSilver", "Style": "\u200eClassic", "Material": "\u200eAluminum, Polycarbonate", "Shape": "\u200eStraight", "Power Source": "\u200e3600mAh battery-powered", "Voltage": "\u200e5 Volts", "Wattage": "\u200e3 watts", "Installation Method": "\u200eMagnetic", "Type of Bulb": "\u200eLED", "Luminous Flux": "\u200e330 Lumen", "Mounting Type": "\u200eMagnets", "Switch Style": "\u200eMagnetic, Touch", "Special Features": "\u200eWireless, Motion sensor, Dimmable, USB Rechargeable, Magnetic, Stepless Dimming, 3600mAh Battery Powered, 3 Color Temperatures, 4 Switch Modes", "Usage": "\u200eLED under cabinet lighting, closet lighting, Wardrobe lighting, stair lighting, corridor lighting, reading lighting, garage lighting, camping lighting, etc.", "Batteries Included?": "\u200eYes", "Batteries Required?": "\u200eYes", "Battery Cell Type": "\u200eLithium Ion", "ASIN": "B08XWT6RND", "Customer Reviews": {"ratings_count": 308, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#12,093 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #109 in Under-Counter Light Fixtures"], "Date First Available": "March 3, 2021"}, "brand": "Visit the goodland Store", "brand_url": "https://www.amazon.com/stores/goodland/page/CFC57165-422F-47F1-81E6-F5D61003E879?ref_=ast_bln", "full_description": "", "pricing": "$37.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41i7TKTR5tL.jpg", "https://m.media-amazon.com/images/I/51mv9BE02TL.jpg", "https://m.media-amazon.com/images/I/51NYFGmR2jL.jpg", "https://m.media-amazon.com/images/I/51Wb-ZCweOL.jpg", "https://m.media-amazon.com/images/I/51-zMzSiT-L.jpg", "https://m.media-amazon.com/images/I/517QGSXsqmL.jpg", "https://m.media-amazon.com/images/I/51ncD-cO2TL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Wall Lights \u203a Under-Cabinet Lights", "average_rating": 4.4, "small_description": ["\u3010 BRIGHT & DIMMABLE \u3011-- Equipped with 160 energy saving LEDs, led closet lights provide 3 color temperatures ( cool white, warm white, natural white) to illuminate your home. You can adjust the intensity of the closet light arbitrarily through the stepless dimming function. ", "\u3010 4 SWITCH MODES \u3011-- MODE 1: Always On Mode, MODE 2: All Day Sensing Mode ( Red indicator light flash 6s), MODE 3: Night Sensing Mode ( Green indicator light flash 6s), MODE 4: OFF. Click the S2 button to change the mode and long press the S2 button to control on/off. ", "\u3010 EASY TO INSTALL\u3011-- Paste the magnetic strip to the place you want to fix, magnetically absorb the led closet light motion activated, and you are done. Couldn't be easier to install and remove. Equipped with 3600mAh rechargeable battery, rechargeable closet light can be charged and reused many times, which is more efficient and environmentally friendly. ", "\u3010 MULTIPLE APPLICATIONS\u3011 -- Under cabinet lights are suitable for various occasions, such as under cabinet lighting, closet lighting, under counter lighting, pantry lighting, corridor lighting, wardrobe lighting, staircase lighting, basement lighting, loft lighting, garage lighting, etc. ", "\u3010 HASSLE FREE SERVICE \u3011-- We promise each closet led motion sensor light was strictly quality checked before shipping. We provide you with 24 month warranty and free replacement service. Please feel free to contact us via amazon if there are any product issue. "], "total_reviews": 308, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09H4G2K5Q/ref=twister_B08XWPHLCQ?_encoding=UTF8&psc=1", "value": "1 Pack", "price_string": "$26.99", "price": 26.99, "image": null}, {"is_selected": true, "url": null, "value": "2 Pack", "price_string": "$37.99", "price": 37.99, "image": null}]}, "seller_id": "ALK0Y4WB9PEWC", "seller_name": "Goodland Tec Co.,Ltd", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08XWT6RND", "category": "garden", "query": "Cabinets", "page": 279, "small_description_old": "About this item\n \n\u3010 BRIGHT & DIMMABLE \u3011-- Equipped with 160 energy saving LEDs, led closet lights provide 3 color temperatures ( cool white, warm white, natural white) to illuminate your home. You can adjust the intensity of the closet light arbitrarily through the stepless dimming function. \u3010 4 SWITCH MODES \u3011-- MODE 1: Always On Mode, MODE 2: All Day Sensing Mode ( Red indicator light flash 6s), MODE 3: Night Sensing Mode ( Green indicator light flash 6s), MODE 4: OFF. Click the S2 button to change the mode and long press the S2 button to control on/off. \u3010 EASY TO INSTALL\u3011-- Paste the magnetic strip to the place you want to fix, magnetically absorb the led closet light motion activated, and you are done. Couldn't be easier to install and remove. Equipped with 3600mAh rechargeable battery, rechargeable closet light can be charged and reused many times, which is more efficient and environmentally friendly. \u3010 MULTIPLE APPLICATIONS\u3011 -- Under cabinet lights are suitable for various occasions, such as under cabinet lighting, closet lighting, under counter lighting, pantry lighting, corridor lighting, wardrobe lighting, staircase lighting, basement lighting, loft lighting, garage lighting, etc. \u3010 HASSLE FREE SERVICE \u3011-- We promise each closet led motion sensor light was strictly quality checked before shipping. We provide you with 24 month warranty and free replacement service. Please feel free to contact us via amazon if there are any product issue. \n \u203a See more product details"}, {"name": "Guy Harvey Ladies Fishing Short", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 7.24 x 5.2 x 1.81 inches; 4.8 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n April 10, 2018", "ASIN\n \u200f": "\u200e\n B005WXS61A", "Best Sellers Rank": "#1,834,310 in Sports & Outdoors (See Top 100 in Sports & Outdoors)#269,579 in Camping & Hiking Equipment #293,344 in Hiking Clothing #3,756,505 in Men's Fashion", "#269,579 in Camping & Hiking Equipment": "", "#293,344 in Hiking Clothing": "", "#3,756,505 in Men's Fashion": ""}, "brand": "Visit the Guy Harvey Store", "brand_url": "https://www.amazon.com/stores/GuyHarvey/page/89D7D5FC-014D-4F54-8C3B-0418DE1A90E3?ref_=ast_bln", "full_description": "", "pricing": "$29.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51kXDHDnDjL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Sports & Outdoors \u203a Outdoor Recreation \u203a Camping & Hiking", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "16", "asin": "B005WXS61A"}, {"is_selected": false, "is_available": false, "value": "16\"", "asin": "B005SUJL52"}], "Color": [{"is_selected": true, "url": null, "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51kXDHDnDjL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B005SUJL52/ref=twister_B09823SJZW", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41uDt2P1NEL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B005WXS61A", "category": "fashion", "query": "Men's Shorts", "page": 126, "small_description_old": ""}, {"name": "Acedre Evil Eye Key Chain Coloful Clay Phone Charms Beaded Phone Chains Indie Accessory for Women and Girls (A-Evil Eye)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 4.13 x 2.56 x 0.24 inches; 0.42 Ounces", "Manufacturer\n \u200f": "\u200e\n Acedre", "ASIN\n \u200f": "\u200e\n B099F5HHZK", "Best Sellers Rank": "#29,646 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories)#59 in Cell Phone Charms", "#59 in Cell Phone Charms": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the ACEDRE Store", "brand_url": "https://www.amazon.com/stores/HOME/page/D6224A78-6BE9-45B6-93FB-79276096F3E3?ref_=ast_bln", "full_description": "", "pricing": "$11.26", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41vUQJwdiBS.jpg", "https://m.media-amazon.com/images/I/51Dg3sEUD2S.jpg", "https://m.media-amazon.com/images/I/51knU1RifaS.jpg", "https://m.media-amazon.com/images/I/41HWYjqx2+S.jpg", "https://m.media-amazon.com/images/I/61X7nEkjjWS.jpg", "https://m.media-amazon.com/images/I/31NmD1IhJfS.jpg", "https://m.media-amazon.com/images/I/51vYtK-uAtS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a D\u00e9cor \u203a Phone Charms", "average_rating": 4.5, "small_description": ["Evil Eye Phone Charm is is made of high-quality acrylic and soft ceramic artificial beads,strong and firm, not easy to break. ", "Key Chains is strong enough to withstand items such as phones, cameras, MP3, keychains, ID cards, U disks, iPods, flashes, lightweight electronic accessories, handbags and other items. ", "Anti Lost Phone Lanyard Strap is not only a simple lanyard, but also a good daily accessory, which can be matched with aesthetic y2k 90s clothes to make you highlight the youthful atmosphere. ", "Phone Strap with cute and trendy design, it's perfect for this Summer as gift for your friends, peers, teachers, lover and yourself! ", "Do your phone beauty with Indie Accessory.Don\u2019t hesitate to buy it,it is your style. "], "total_reviews": 32, "total_answered_questions": "", "customization_options": {"Pattern Name": [{"is_selected": true, "url": null, "value": "A-Evil Eye", "price_string": "$11.26", "price": 11.26, "image": "https://m.media-amazon.com/images/I/41vUQJwdiBS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099F2W6PW/ref=twister_B09F613H3M?_encoding=UTF8&psc=1", "value": "B-Evil Eye", "price_string": "$9.16", "price": 9.16, "image": "https://m.media-amazon.com/images/I/41S+Zm3AtTS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099FKBKKX/ref=twister_B09F613H3M?_encoding=UTF8&psc=1", "value": "C-Smiley Face", "price_string": "$9.16", "price": 9.16, "image": "https://m.media-amazon.com/images/I/41q30fMk+OS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099F2LB4L/ref=twister_B09F613H3M?_encoding=UTF8&psc=1", "value": "D-Butterfly", "price_string": "$9.16", "price": 9.16, "image": "https://m.media-amazon.com/images/I/5142mqjQ-BS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099F4RL21/ref=twister_B09F613H3M?_encoding=UTF8&psc=1", "value": "E-Letter LOVE", "price_string": "$9.26", "price": 9.26, "image": "https://m.media-amazon.com/images/I/41pNB4PavQS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099DZM5V9/ref=twister_B09F613H3M?_encoding=UTF8&psc=1", "value": "F-Blue Star", "price_string": "$8.16", "price": 8.16, "image": "https://m.media-amazon.com/images/I/41m4AnMWPrS.jpg"}]}, "seller_id": "A1T3N0MO8U2HJF", "seller_name": "Acedre", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B099F5HHZK", "category": "electronics", "query": "Cell Phones", "page": 232, "small_description_old": "Evil Eye Phone Charm is is made of high-quality acrylic and soft ceramic artificial beads,strong and firm, not easy to break. Key Chains is strong enough to withstand items such as phones, cameras, MP3, keychains, ID cards, U disks, iPods, flashes, lightweight electronic accessories, handbags and other items. Anti Lost Phone Lanyard Strap is not only a simple lanyard, but also a good daily accessory, which can be matched with aesthetic y2k 90s clothes to make you highlight the youthful atmosphere. Phone Strap with cute and trendy design, it's perfect for this Summer as gift for your friends, peers, teachers, lover and yourself! Do your phone beauty with Indie Accessory.Don\u2019t hesitate to buy it,it is your style."}, {"name": "artnaturals Black Castor Oil Conditioner \u2013 (16 Fl Oz / 473ml) \u2013 Strengthen, Grow and Restore \u2013 Jamaican Castor \u2013 For Color Treated Hair", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 8 x 2.5 x 2.5 inches; 1 Pounds", "Item model number\n \u200f": "\u200e\n ANHA-1616", "UPC\n \u200f": "\u200e\n 816820024726", "Manufacturer\n \u200f": "\u200e\n ArtNaturals", "ASIN\n \u200f": "\u200e\n B07BFLJQCX", "Best Sellers Rank": "#198,698 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#4,015 in Hair Conditioner", "#4,015 in Hair Conditioner": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Artnaturals Store", "brand_url": "https://www.amazon.com/stores/ArtNaturals/page/CDF6E0E1-F305-4C54-966A-45F25FB3E29B?ref_=ast_bln", "full_description": "", "pricing": "$11.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/312CrK9iBNL.jpg", "https://m.media-amazon.com/images/I/51nyJ+UiqKL.jpg", "https://m.media-amazon.com/images/I/41G-z6rGMIL.jpg", "https://m.media-amazon.com/images/I/51POmPpljmL.jpg", "https://m.media-amazon.com/images/I/41+u5KN4WNL.jpg", "https://m.media-amazon.com/images/I/51AxpBaoVFL.jpg", "https://m.media-amazon.com/images/I/A1ITbLPv35L.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Shampoo & Conditioner \u203a Conditioners", "average_rating": 4.4, "small_description": ["ArtNaturals Black Castor Oil Conditioner is specially formulated to strengthen, hydrate and help promote revitalization of dry, damaged, color-treated hair. ", "The Conditioner\u2019s formula helps remove excess product buildup, balances pH levels, and stimulates the scalp\u2019s circulation, as it deeply moisturizes hair, re-texturing and smoothing. ", "Black castor oil is noted for its ability to relieve dryness, help banish dandruff, and deeply hydrate both hair shafts and scalp. ", "Coconut oil hydrates without leaving hair greasy, nettle extract works to lessen hair loss as it promotes shine, and thyme extract gently cleanses as it stimulates scalp circulation and healthy regrowth. ", "Our Black Castor Oil Conditioner is also specially recommended for curly hair, as it smoothes and soothes hair that is naturally dry. "], "total_reviews": 40, "total_answered_questions": "", "customization_options": "", "seller_id": "A3B330QDBVKV9M", "seller_name": "IhairSalon", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07BFLJQCX", "category": "beauty", "query": "Hair Loss Products", "page": 25, "small_description_old": "About this item ArtNaturals Black Castor Oil Conditioner is specially formulated to strengthen, hydrate and help promote revitalization of dry, damaged, color-treated hair. The Conditioner\u2019s formula helps remove excess product buildup, balances pH levels, and stimulates the scalp\u2019s circulation, as it deeply moisturizes hair, re-texturing and smoothing. Black castor oil is noted for its ability to relieve dryness, help banish dandruff, and deeply hydrate both hair shafts and scalp. Coconut oil hydrates without leaving hair greasy, nettle extract works to lessen hair loss as it promotes shine, and thyme extract gently cleanses as it stimulates scalp circulation and healthy regrowth. Our Black Castor Oil Conditioner is also specially recommended for curly hair, as it smoothes and soothes hair that is naturally dry."}, {"name": "YUELY Pink Permanent Makeup Machine Pen Professional Makeup Eyebrow Lips Tattoo Tool For Eyebrows Eyeliner", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 9.1 x 5.1 x 2.6 inches; 8.78 Ounces", "UPC\n \u200f": "\u200e\n 606989563866", "Manufacturer\n \u200f": "\u200e\n YUELY", "ASIN\n \u200f": "\u200e\n B07H35M2PY", "Best Sellers Rank": "#177,822 in Health & Household (See Top 100 in Health & Household)#194 in Tattoo Machines", "#194 in Tattoo Machines": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: YUELY", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=YUELY", "full_description": "Description: This tattoo pen is designed for eyebrow, eyeliner and lip tattoo. Metal material is stable. Low noise and vibration, automatic design of inserting depth and high rotating speed are ideal for tattoo work. Portable size is convenient for home and professional use. Notes: 1. Please stop using the pen for 2 minutes after 30 minutes' operation to extend its service life. 2. Dear customer, please rest assured to buy without worrying about the plug adaption. We will provide an adapter for you according to different country standard to ensure its normal use. Features: Metal material is stable with less vibration and not easy to leave fingerprints or sweat stain, which is easier to grip and operation. High rotating speed can create realistic, delicate and even effects. adjustable rotating speed and Control needles length. Special locking needle design can lock needle firmly without needle vibration or flying out, which is safe to use with ideal effect. Can control the inserting depth automatically to avoid penetrating too deeply. Low vibration can ensure precise operation. Low noise and fast to color, which can relieve customer's emotional tension and pain and let the tattoo work be operated fast and conveniently. Flexible device inside can protect the inside from being damaged. Suitable for eyebrow, eyeliner and lip tattoo. Package Includes: 1 x Permanent Makeup Pen With USB Cable 1 x Suitable Adapter 1 x Needles", "pricing": "$25.99", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41HEm9Ifx4L.jpg", "https://m.media-amazon.com/images/I/31DaE5mCUsL.jpg", "https://m.media-amazon.com/images/I/31ugZzDJSkL.jpg", "https://m.media-amazon.com/images/I/31OiZBdPHYL.jpg", "https://m.media-amazon.com/images/I/31B74CbcvjL.jpg", "https://m.media-amazon.com/images/I/41U1Ui+BD4L.jpg", "https://m.media-amazon.com/images/I/41Clx0e-DOL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Piercing & Tattoo Supplies \u203a Tattoo Supplies \u203a Tattoo Machines", "average_rating": 4.1, "small_description": ["Metal material is stable with less vibration and not easy to leave fingerprints or sweat stain, which is easier to grip and operation. ", "Special locking needle design can lock needle firmly without needle vibration or flying out, which is safe to use with ideal effect. ", "Can control the inserting depth automatically to avoid penetrating too deeply. Low vibration can ensure precise operation. ", "adjustable rotating speed and Control needles length ", "Suitable for eyebrow, eyeliner and lip tattoo. "], "total_reviews": 18, "total_answered_questions": "", "customization_options": "", "seller_id": "AYMWB0RB7H0HE", "seller_name": "YUELY", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07H35M2PY", "category": "beauty", "query": "Eyes Makeup", "page": 123, "small_description_old": "Metal material is stable with less vibration and not easy to leave fingerprints or sweat stain, which is easier to grip and operation. Special locking needle design can lock needle firmly without needle vibration or flying out, which is safe to use with ideal effect. Can control the inserting depth automatically to avoid penetrating too deeply. Low vibration can ensure precise operation. adjustable rotating speed and Control needles length Suitable for eyebrow, eyeliner and lip tattoo."}, {"name": "Byootique Classic Black Makeup Train Case Soft Sided Barber Cosmetic Backpack Organize Storage Carry on Travel with Side Pocket Removable Bag", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 13.78 x 8.27 x 15.51 inches; 2.65 Pounds", "Manufacturer\n \u200f": "\u200e\n Byootique", "ASIN\n \u200f": "\u200e\n B08GFNJN5R", "Country of Origin\n \u200f": "\u200e\n China", "Best Sellers Rank": "#110,215 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#150 in Cosmetic Train Cases", "#150 in Cosmetic Train Cases": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the BYOOTIQUE Store", "brand_url": "https://www.amazon.com/stores/BYOOTIQUE/page/0E8677F9-AFF2-42AC-9543-5202AC39D3F4?ref_=ast_bln", "full_description": "", "pricing": "$79.90", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51hP5laZ4zL.jpg", "https://m.media-amazon.com/images/I/51GHyCuET4L.jpg", "https://m.media-amazon.com/images/I/51lIdcvkZ8L.jpg", "https://m.media-amazon.com/images/I/513S1p0Y88L.jpg", "https://m.media-amazon.com/images/I/51TSqShGFEL.jpg", "https://m.media-amazon.com/images/I/41kkNyHezYL.jpg", "https://m.media-amazon.com/images/I/61C5tKxyc6L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases \u203a Train Cases", "average_rating": 4.6, "small_description": ["\u3010Carry-on Backpack\u3011A compact dimension L13 12/16\"*W8 4/16\"*H15 8/16\"(35*21*39.4cm) , is specially designed for carry-on travel. It is good for freelance makeup artists and on-the-go artists who need to carry their expensive cosmetics on the plane. ", "\u3010Durable & Light Weight\u3011Made of 1680D oxford nylon fabric for wear-resistance and not easy to scratch. The sturdy and smooth metal zipper is more textured and durable. Breathable and adjustable shoulder straps relieve the stress of the shoulder. ", "\u3010Heat Isolation Side Pocket\u3011The interior lining in large side pocket with thick aluminum foil insulation cooler is for great thermal resistance, such as mask, some lipsticks, lotion. ", "\u3010Customizable Compartment \u3011Large inner capacity with unfixed divider moving up-and-down to turn into 1 or 2 storage layers, and 2 small side pockets on left, 1 large side pocket on the right and 1 removable division bag for your customize. ", "\u3010Added Personalization\u3011Name tag or business card can be placed in the transparent pouch for more personalized. It not only helps you find your makeup case quickly but also avoids others to take your case away. "], "total_reviews": 192, "total_answered_questions": 7, "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08DTKL5GD/ref=twister_B08HT25V1H?_encoding=UTF8&psc=1", "value": "Beet Red", "price_string": "$69.90", "price": 69.9, "image": "https://m.media-amazon.com/images/I/515CQZpu0lL.jpg"}, {"is_selected": true, "url": null, "value": "Classic Black", "price_string": "$79.90", "price": 79.9, "image": "https://m.media-amazon.com/images/I/51hP5laZ4zL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B093VMX6TV/ref=twister_B08HT25V1H?_encoding=UTF8&psc=1", "value": "Classic Blue", "price_string": "$72.90", "price": 72.9, "image": "https://m.media-amazon.com/images/I/518HZ2d12bS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B093VK4JM9/ref=twister_B08HT25V1H?_encoding=UTF8&psc=1", "value": "Glacier Grey", "price_string": "$72.90", "price": 72.9, "image": "https://m.media-amazon.com/images/I/514yZ4yy7vL.jpg"}]}, "seller_id": "A2V0U2CDI8OSTK", "seller_name": "AWInternational", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08GFNJN5R", "category": "beauty", "query": "Bags & Cases", "page": 4, "small_description_old": "\u3010Carry-on Backpack\u3011A compact dimension L13 12/16\"*W8 4/16\"*H15 8/16\"(35*21*39.4cm) , is specially designed for carry-on travel. It is good for freelance makeup artists and on-the-go artists who need to carry their expensive cosmetics on the plane. \u3010Durable & Light Weight\u3011Made of 1680D oxford nylon fabric for wear-resistance and not easy to scratch. The sturdy and smooth metal zipper is more textured and durable. Breathable and adjustable shoulder straps relieve the stress of the shoulder. \u3010Heat Isolation Side Pocket\u3011The interior lining in large side pocket with thick aluminum foil insulation cooler is for great thermal resistance, such as mask, some lipsticks, lotion. \u3010Customizable Compartment \u3011Large inner capacity with unfixed divider moving up-and-down to turn into 1 or 2 storage layers, and 2 small side pockets on left, 1 large side pocket on the right and 1 removable division bag for your customize. \u3010Added Personalization\u3011Name tag or business card can be placed in the transparent pouch for more personalized. It not only helps you find your makeup case quickly but also avoids others to take your case away."}, {"name": "Gold Placemats Set of 8 for Dining Table, Pressed Vinyl 15 inch Round Place Mats Non-Slip Washable Dining Table Mates,8 Placemats and 8 Coaster for Wedding Party Holiday", "product_information": {"Package Dimensions": "15.31 x 2.76 x 2.52 inches", "Item Weight": "1.91 pounds", "Manufacturer": "Junrutc", "ASIN": "B09GVJBPRR", "Customer Reviews": {"ratings_count": 49, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#35,314 in Kitchen & Dining (See Top 100 in Kitchen & Dining) #313 in Place Mats"], "Date First Available": "September 22, 2021"}, "brand": "Brand: Junrutc", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Junrutc", "full_description": "Product Details Material: premium polypropylene. Placemat Size:15\"\u00d715\"(38cm\u00d738cm) Coaster Size:4.33\u201d\u00d74.33\"(11cm\u00d711cm) Features:easy to use and store, durable,heat resistance, widely used Applicable Scene 1.Daily life in family 2.kitchen, hotel, restaurant, coffee shop or business office 3.The perfect gift for your friends and family, for weddings, birthdays, Christmas/holidays, etc. Warm Tips: 1.Wash by hand in warm soapy water instead of washing machine. 2.Please dry the placemats under the shade. 3.Don't put the placemat in the microwave. Our Servicee 24 hours to solve your problem. We will take your satisfaction first. If you're not completely satisfied simply let us know and we will offer a prompt refund or replacement.", "pricing": "$21.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51w88WMq+dL.jpg", "https://m.media-amazon.com/images/I/51TeuR1fScL.jpg", "https://m.media-amazon.com/images/I/51pVi0JTbwL.jpg", "https://m.media-amazon.com/images/I/51bw2D6oQZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Kitchen & Dining \u203a Kitchen & Table Linens \u203a Place Mats", "average_rating": 4.6, "small_description": ["MATERIAL\uff1ametallic pressed vinyl placemats ,The diameter of place mats is 15inch,large enough for any plate or bowl. ", "FEATURES:Protect and dress up your tables.Fit rectangular,round and oval tables.Fit almost any kitchen or dining room decoration. ", "EASY TO CLEAN: Wipe clean with damp cloth.Hand wash in cold soap water and air dry. ", "APPLICATION:Use Junrutc round placemats for birthdays,christmas,housewarming,holiday, party, family gatherings, weddings, showers and more.Great for everyday use inside or outside. ", "PACKAGE:Included 8 pcs placemats,size in 15 inch and 8 pcs of coaster,Size in 3.75 inch "], "total_reviews": 49, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Glod", "price_string": "$21.99", "price": 21.99, "image": "https://m.media-amazon.com/images/I/51w88WMq+dL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09GVL2H85/ref=twister_B09GVKGHXK?_encoding=UTF8&psc=1", "value": "Rose Gold", "price_string": "$21.99", "price": 21.99, "image": "https://m.media-amazon.com/images/I/51lT-44W9+L.jpg"}]}, "seller_id": "A18Q44I8YRROTR", "seller_name": "Jiuyun Optimal", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09GVJBPRR", "category": "garden", "query": "Dining Sets", "page": 108, "small_description_old": "About this item\n \nMATERIAL\uff1ametallic pressed vinyl placemats ,The diameter of place mats is 15inch,large enough for any plate or bowl. FEATURES:Protect and dress up your tables.Fit rectangular,round and oval tables.Fit almost any kitchen or dining room decoration. EASY TO CLEAN: Wipe clean with damp cloth.Hand wash in cold soap water and air dry. APPLICATION:Use Junrutc round placemats for birthdays,christmas,housewarming,holiday, party, family gatherings, weddings, showers and more.Great for everyday use inside or outside. PACKAGE:Included 8 pcs placemats,size in 15 inch and 8 pcs of coaster,Size in 3.75 inch"}, {"name": "InterestPrint Deer and Stars Men's Loungewear Pajama Sets - Long Sleeve Tee and Jogger Pant", "product_information": {"Item Weight\n \u200f": "\u200e\n 1.28 Pounds", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n December 10, 2021", "Manufacturer\n \u200f": "\u200e\n InterestPrint", "ASIN\n \u200f": "\u200e\n B09ND9C4KG", "": ""}, "brand": "Visit the InterestPrint Store", "brand_url": "https://www.amazon.com/stores/InterestPrint/page/C4D01415-68A2-43C9-9276-762A7B2F1F7D?ref_=ast_bln", "full_description": "Two-Piece Men's All Over Print Pajama Set Comfortable Fit: This sleepwear is made of 100% polyester.The comfortable and smooth fabric is durable and feels great on the skin. Pajama has good air permeability ensures every moment is as comfy as can be and keep warm without overheating. Well-fitting Yet Loose Style: Men's pajama set includes long sleeve tee and full length trousers, breathable, extra-soft, and comfortably warm. The top of pajama sets is pullover round neck design, you can easily dress without much hassle. The trousers of pajama sets has elastic waistband and leg-retracting designs for easy relaxation. Warm Tips: Sizes: S, M, L, XL, 2XL.Please calculate your size from the measurement chart for perfect fit. Garment care: Machine wash. Hand wash in cold water is recommended. Line dry, do not bleach or dry clean.", "pricing": "$43.59", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31bHcdNct1L.jpg", "https://m.media-amazon.com/images/I/31lxjWitvzL.jpg", "https://m.media-amazon.com/images/I/31DTBNbvhML.jpg", "https://m.media-amazon.com/images/I/31tJK2E5uXL.jpg", "https://m.media-amazon.com/images/I/31YCHtYvraL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Sleep & Lounge \u203a Sleep Sets", "average_rating": "", "small_description": ["100% Polyester ", "Hand Wash Only ", "Sizes: S, M, L, XL, 2XL.Please calculate your size from the measurement chart for perfect fit. ", "This mens casual sleepwear made from 100% polyester - feels great on the skin and provides warm whenever in use. ", "The pajama set for men includes long-sleeve round neck tee and elastic waistband trousers, well-fitting yet loose. ", "Suitable as home wear, lounge set, sleepwear set, nightwear for relaxing in the house or getting a great night sleep. ", "Perfect for you as daily wear or you can gift it as holiday, birthday present for your dad, brothers or friends. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09ND875MM"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09ND9WR1H"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09ND7QCV7"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09ND8TQL4"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09ND8P2QR"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09ND842WP/ref=twister_B09ND9WR1R", "value": "Multi 1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/414ZOEPP4VL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09ND94QJS/ref=twister_B09ND9WR1R", "value": "Multi 10", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41C8pvm4B8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09ND84R8F/ref=twister_B09ND9WR1R", "value": "Multi 2", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Ue4sFyliL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09ND8GDRL/ref=twister_B09ND9WR1R", "value": "Multi 3", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41AR5NhpASL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09ND85J7N/ref=twister_B09ND9WR1R", "value": "Multi 4", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41rgU2Q6F7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09ND84KSZ/ref=twister_B09ND9WR1R", "value": "Multi 5", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/410RwBzfxTL.jpg"}, {"is_selected": true, "url": null, "value": "Multi 6", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31bHcdNct1L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09ND86D8Q/ref=twister_B09ND9WR1R", "value": "Multi 7", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41aAsoF-U5L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09ND7PKPH/ref=twister_B09ND9WR1R", "value": "Multi 8", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41IDCteT+aL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09ND9NBGY/ref=twister_B09ND9WR1R", "value": "Multi 9", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41yseJsyV-L.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09ND8P2QR", "category": "fashion", "query": "Men's Sleep & Lounge", "page": 28, "small_description_old": "100% Polyester Hand Wash Only Sizes: S, M, L, XL, 2XL.Please calculate your size from the measurement chart for perfect fit. This mens casual sleepwear made from 100% polyester - feels great on the skin and provides warm whenever in use. The pajama set for men includes long-sleeve round neck tee and elastic waistband trousers, well-fitting yet loose. Suitable as home wear, lounge set, sleepwear set, nightwear for relaxing in the house or getting a great night sleep. Perfect for you as daily wear or you can gift it as holiday, birthday present for your dad, brothers or friends."}, {"name": "Spigen Tempered Glass Screen Protector [GlasTR Slim] Designed for Google Pixelbook Go (13.3inch) [9H Hardness]", "product_information": {"Package Dimensions": "13.15 x 9.49 x 0.55 inches", "Item Weight": "11.7 ounces", "ASIN": "B083ZK4NRS", "Customer Reviews": {"ratings_count": 86, "stars": "4.3 out of 5 stars"}, "Best Sellers Rank": ["#116,168 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #10,412 in Cell Phone Screen Protectors"], "Special Features": "9H Surface Hardness, Oil Resistant", "Manufacturer": "Spigen", "Date First Available": "January 17, 2020"}, "brand": "Visit the Spigen Store", "brand_url": "https://www.amazon.com/stores/Spigen/page/1B6B4933-0D21-4FF4-AB37-F74CD4F5CB1C?ref_=ast_bln", "full_description": "", "pricing": "$16.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/515DsU40miL.jpg", "https://m.media-amazon.com/images/I/51riUGyhLGL.jpg", "https://m.media-amazon.com/images/I/51OiAFeoaFL.jpg", "https://m.media-amazon.com/images/I/51UZM9hc5wL.jpg", "https://m.media-amazon.com/images/I/41x8SFh06hL.jpg", "https://m.media-amazon.com/images/I/41G8qrn-ACL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Maintenance, Upkeep & Repairs \u203a Screen Protectors", "average_rating": 4.3, "small_description": ["Premium tempered glass with 9H hardness ", "Touch-responsiveness guarantee hassle-free access and no delay ", "Full screen coverage for ultimate protection from impact and scratches ", "Oleophobic coating prevents oils and fingerprints ", "Designed for ONLY Lenovo Flex 5 (14 inch / 81X20005US) ", "Lenovo Flex 5 14 inch Screen Protector 81X20005US "], "total_reviews": 86, "total_answered_questions": "", "customization_options": "", "seller_id": "A2SFKRF5TPZMT5", "seller_name": "Spigen Inc", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B083ZK4NRS", "category": "electronics", "query": "Screen Protectors", "page": 260, "small_description_old": "About this item Premium tempered glass with 9H hardness Touch-responsiveness guarantee hassle-free access and no delay Full screen coverage for ultimate protection from impact and scratches Oleophobic coating prevents oils and fingerprints Designed for ONLY Lenovo Flex 5 (14 inch / 81X20005US)"}, {"name": "Women's High Heel Sandals Sexy Patent Leather Peep Toe Breathable Ankle Boots Minimalistic Thick High Heels Rear Zipper Sandals Casual Ladies Pump", "product_information": {"Item model number\n \u200f": "\u200e\n Women's High Heel Sandals", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n December 25, 2021", "Manufacturer\n \u200f": "\u200e\n pnroktd", "ASIN\n \u200f": "\u200e\n B09P5WNVVR", "Best Sellers Rank": "#5,748,608 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#17,734 in Women's Heeled Sandals", "#17,734 in Women's Heeled Sandals": ""}, "brand": "Visit the pnroktd Store", "brand_url": "https://www.amazon.com/stores/pnroktd/page/E92A55CE-1096-4899-9DF9-9A0671ADA624?ref_=ast_bln", "full_description": "", "pricing": "$32.99$40.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41dmI3j-CQL.jpg", "https://m.media-amazon.com/images/I/41UBIQa2gqL.jpg", "https://m.media-amazon.com/images/I/51AJiRhjLCL.jpg", "https://m.media-amazon.com/images/I/41l3GPVWDUL.jpg", "https://m.media-amazon.com/images/I/51-WzplupFL.jpg", "https://m.media-amazon.com/images/I/51krgigUxBL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Sandals \u203a Heeled Sandals", "average_rating": "", "small_description": ["\ud83d\udd25\ud83d\udd25Christmas Limited Time Offer\ud83d\udd25\ud83d\udd25 Save 10% on each participating item when you spend $150.00 or more on Qualifying items offered by LayLetmet. ", "\ud83d\udc62\u3010Delivery Time\u3011 about 7-15 days to arrive.Our sizes are DIFFERENT from Amazon Size Chart, please refer to the size chart on the product description page. ", "\u2764\ufe0f[pnroktd] pnroktd is committed to providing high-quality shoes, clothing and accessories.pnroktd has fashionable boots, dress, T-shirt, skirt, swimsuits, jackets, shirts, shoulder bags, messenger bags etc. ", "Rubber sole ", "Heel measures approximately 6 centimeters ", "white chunky sneakers hidden wedge sneakers for women wide womens sneakers size 9 slip on white sneakers for women slip on black loafers women white chunky sneakers for women white wedge sneakers for women womens sneakers size 10 black sneakers for women black fashion sneakers for women white chunky sneakers for women black wedge sneakers for women size 11 womens sneakers size 7.5 sneakers for women black black fashion sneakers for women 2021 ", "sandals for women, 2021 women's platform sandals casual espadrille buckle wedge ankle strap open toe summer sandal sandals for women, comfy shining diamond roman shoes casual summer beach travel indoor outdoor slipper sandals for women, womens girls lace up roman sandals comfy flat open toe sandals non slip thick sandals sandals for women, comfy shining diamond roman shoes casual summer beach travel indoor outdoor slipper , white chunky sneakers for women white wedge sneakers for women fashion womens sneakers size 10 white sneakers for women fashion black loafers women slip on white chunky sneakers for women black slip on sneakers women wide womens sneakers size 8.5 slip on high top sneakers for women black loafers women shoes leather white chunky sneakers for women fashion white wedge sneakers for women 1.5 inch platform womens sneakers size 10 wide white sneakers, womens platform sandals summer women's summer shoes casual beach slip-on wedges flat shoes sandal slipper womens platform sandals summer women's 2021 summer shoes casual beach slip-on bow flat shoes open toe sandal slipper sandals for women, womens comfy color summer slippers for big toe bone correction open toe flat sandals flip flops sandals for women rhinestone flat sandals slip-on flip flop open toe casual summer beach sandals, white chunky sneakers for women fashion black slip on sneakers women leather womens sneakers size 8.5 wide width running sneakers for women women's loafers & slip-ons white chunky sneakers for women platform wedge sneakers for women fashion wide width womens sneakers size 10 black all black sneakers for women black loafers women shoes white chunky sneakers for women platform black slip on sneakers women with arch support womens sneakers size"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null, "Size": [{"is_selected": false, "is_available": true, "value": "5-5.5", "asin": "B09P5WNVVR"}, {"is_selected": false, "is_available": true, "value": "6", "asin": "B09P5V8ZSK"}, {"is_selected": false, "is_available": true, "value": "7", "asin": "B09P5V626B"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B09P5W5WP3"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B09P5VWYF7"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B09P5VCGJP"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B09P5X2SBR"}, {"is_selected": false, "is_available": true, "value": "9.5-10", "asin": "B09P5TY59C"}, {"is_selected": false, "is_available": true, "value": "10.5", "asin": "B09P5THT75"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B09P5V8ZSK", "category": "fashion", "query": "Women's Pumps", "page": 58, "small_description_old": "\ud83d\udd25\ud83d\udd25Christmas Limited Time Offer\ud83d\udd25\ud83d\udd25 Save 10% on each participating item when you spend $150.00 or more on Qualifying items offered by LayLetmet. \ud83d\udc62\u3010Delivery Time\u3011 about 7-15 days to arrive.Our sizes are DIFFERENT from Amazon Size Chart, please refer to the size chart on the product description page. \u2764\ufe0f[pnroktd] pnroktd is committed to providing high-quality shoes, clothing and accessories.pnroktd has fashionable boots, dress, T-shirt, skirt, swimsuits, jackets, shirts, shoulder bags, messenger bags etc. Rubber sole Heel measures approximately 6 centimeters white chunky sneakers hidden wedge sneakers for women wide womens sneakers size 9 slip on white sneakers for women slip on black loafers women white chunky sneakers for women white wedge sneakers for women womens sneakers size 10 black sneakers for women black fashion sneakers for women white chunky sneakers for women black wedge sneakers for women size 11 womens sneakers size 7.5 sneakers for women black black fashion sneakers for women 2021 sandals for women, 2021 women's platform sandals casual espadrille buckle wedge ankle strap open toe summer sandal sandals for women, comfy shining diamond roman shoes casual summer beach travel indoor outdoor slipper sandals for women, womens girls lace up roman sandals comfy flat open toe sandals non slip thick sandals sandals for women, comfy shining diamond roman shoes casual summer beach travel indoor outdoor slipper \n white chunky sneakers for women white wedge sneakers for women fashion womens sneakers size 10 white sneakers for women fashion black loafers women slip on white chunky sneakers for women black slip on sneakers women wide womens sneakers size 8.5 slip on high top sneakers for women black loafers women shoes leather white chunky sneakers for women fashion white wedge sneakers for women 1.5 inch platform womens sneakers size 10 wide white sneakerswomens platform sandals summer women's summer shoes casual beach slip-on wedges flat shoes sandal slipper womens platform sandals summer women's 2021 summer shoes casual beach slip-on bow flat shoes open toe sandal slipper sandals for women, womens comfy color summer slippers for big toe bone correction open toe flat sandals flip flops sandals for women rhinestone flat sandals slip-on flip flop open toe casual summer beach sandalswhite chunky sneakers for women fashion black slip on sneakers women leather womens sneakers size 8.5 wide width running sneakers for women women's loafers & slip-ons white chunky sneakers for women platform wedge sneakers for women fashion wide width womens sneakers size 10 black all black sneakers for women black loafers women shoes white chunky sneakers for women platform black slip on sneakers women with arch support womens sneakers sizeShow more"}, {"name": "Dinmmgg Computer Desk with Shelf, Gaming Desk with Storage, Drafting Drawing Table with Tiltable Tabletop, Computer Writing Desk, Gaming Computer Desk, Home Office Desk Wood, for Bedroom", "product_information": {"Product Dimensions": "57.08 x 19.68 x 55.11 inches", "Item Weight": "61.7 pounds", "Manufacturer": "Dinmmgg", "ASIN": "B09MCTMRH6", "Country of Origin": "China", "Item model number": "wood desk with storage", "Date First Available": "November 22, 2021"}, "brand": "Brand: Dinmmgg", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Dinmmgg", "full_description": "Feature: Product size: 57.08x19.68x55.11in Shelf size: 55.11x19.68x13.77in Packing size: 61.02x23.03x5.51n Material: 1.5CM E1 particleboard, steel pipe 25x25mm 0.8mm thickness Color: brown Package include: 1x table, 1x installation manual", "pricing": "$152.76", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51jNi56wKkL.jpg", "https://m.media-amazon.com/images/I/51kz5PXuosL.jpg", "https://m.media-amazon.com/images/I/51abGY0DjGL.jpg", "https://m.media-amazon.com/images/I/41Y+c6KdHqL.jpg", "https://m.media-amazon.com/images/I/41E5ou3LsML.jpg", "https://m.media-amazon.com/images/I/41qUyGoT1tL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Home Office Desks", "average_rating": "", "small_description": ["[Multifunctional three-in-one desk]: Three-in-one bookshelf, computer desk, and main frame. The compact design makes the table very suitable for use in small rooms or corners, and perfectly maximizes your home office or workplace. ", "[Spacious workbench]: provide a wider desktop to fit your laptop, PC, keyboard and office supplies. It also provides enough space for game settings, paperwork and other office activities: the shelf under the desk on the 2nd floor allows you to store the console or other small equipment. ", "[Computer desk and drawing desk two in one]: The adjustable and tiltable drawing board can be fixed at any position from the plane to 60\u00b0 to obtain the desired angle. Multi-angle settings can provide better working posture. The paper stopper on the board can effectively prevent the paper from sliding. ", "[5-layer bookshelf]: The 5-layer bookshelf next to the desktop computer is used to store books or documents or display decorative items. Make everything you need easy. ", "[Super stable and easy to assemble]: The desktop and shelf made of 6/10 inch thick E1 particleboard provide you with a sturdy desk. The metal tubular frame has a corrosion-resistant powder-coated surface. A detailed installation manual is enclosed, which provides the easiest installation method. "], "total_reviews": "", "total_answered_questions": "", "model": "wood desk with storage", "customization_options": "", "seller_id": "A24QSJ04DA26H", "seller_name": "Dinmmgg", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09MCTMRH6", "category": "garden", "query": "Drafting Tables", "page": 58, "small_description_old": "About this item\n \n[Multifunctional three-in-one desk]: Three-in-one bookshelf, computer desk, and main frame. The compact design makes the table very suitable for use in small rooms or corners, and perfectly maximizes your home office or workplace. [Spacious workbench]: provide a wider desktop to fit your laptop, PC, keyboard and office supplies. It also provides enough space for game settings, paperwork and other office activities: the shelf under the desk on the 2nd floor allows you to store the console or other small equipment. [Computer desk and drawing desk two in one]: The adjustable and tiltable drawing board can be fixed at any position from the plane to 60\u00b0 to obtain the desired angle. Multi-angle settings can provide better working posture. The paper stopper on the board can effectively prevent the paper from sliding. [5-layer bookshelf]: The 5-layer bookshelf next to the desktop computer is used to store books or documents or display decorative items. Make everything you need easy. [Super stable and easy to assemble]: The desktop and shelf made of 6/10 inch thick E1 particleboard provide you with a sturdy desk. The metal tubular frame has a corrosion-resistant powder-coated surface. A detailed installation manual is enclosed, which provides the easiest installation method."}, {"name": "Sauder Palladia File Cabinet, Vintage Oak finish", "product_information": {"Product Dimensions": "23.63 x 42.31 x 8.21 inches", "Item Weight": "112 pounds", "Manufacturer": "Sauder Woodworking", "ASIN": "B01MR4Q0WA", "Country of Origin": "USA", "Item model number": "420607", "Customer Reviews": {"ratings_count": 924, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#13,848 in Office Products (See Top 100 in Office Products) #6 in Home Office Cabinets #10 in Office Lateral File Cabinets"], "Is Discontinued By Manufacturer": "No", "Fabric Type": "Item Does Not Contain Fabric", "Finish Types": "Vintage Oak Finish", "Assembly Required": "Yes", "Number of Pieces": "1", "Warranty Description": "5 year parts.", "Batteries Required?": "No", "Included Components": "Materials, Assembly instructions, Hardware"}, "brand": "Visit the Sauder Store", "brand_url": "https://www.amazon.com/stores/SAUDER%C2%AE+-+DROP+SHIP/page/EAA9D34A-4FF0-4564-B6D4-AC0522168368?ref_=ast_bln", "full_description": "Elegant style and organization \u2013 that is what you will get with this lateral file from the Palladia\u00ae collection. This handsome file cabinet features two drawers that open and close on smooth full extension slides. Each drawer accommodates letter, legal or European size hanging files to keep you organized and clutter free. It features a patented, interlocking safety mechanism that allows only one drawer to open at a time for increased safety. Its spacious tabletop surface makes the perfect spot to display all your favorite things \u2013 a stylish accent lamp, awards and achievements, decorative plants or any other home d\u00e9cor. Use it in your office, living room, or around the home as an accent piece \u2013 it looks good no matter where it stands! Finished in a beautiful Vintage Oak\u00ae, this stunning lateral file gives your home the style you have been craving with the functionality you have needed.", "pricing": "$225.00", "list_price": "", "availability_quantity": 20, "availability_status": "Only 20 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51vmuTuxmiL.jpg", "https://m.media-amazon.com/images/I/51XwxcP78ZL.jpg", "https://m.media-amazon.com/images/I/51d2Yo8VeOL.jpg", "https://m.media-amazon.com/images/I/61jX+4Ze+cL.jpg", "https://m.media-amazon.com/images/I/41u6gfir2eL.jpg", "https://m.media-amazon.com/images/I/61xUNM-L2EL.jpg", "https://m.media-amazon.com/images/I/41U-1EbUTZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Home Office Cabinets", "average_rating": 4.2, "small_description": ["Item Does Not Contain Fabric ", "Drawers with full extension slides hold letter, legal or European size hanging files to help keep you organized ", "Patented, interlocking safety mechanism allows only one drawer open at a time ", "Quick and easy assembly with patented T-slot drawer system ", "Engineered wood construction "], "total_reviews": 924, "total_answered_questions": "", "model": "420607", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B007N7ZHGU/ref=twister_B08YZF5CDV?_encoding=UTF8&psc=1", "value": "Select Cherry Finish", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51qjD2OK5ZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08XY7VSKQ/ref=twister_B08YZF5CDV?_encoding=UTF8&psc=1", "value": "Split Oak Finish", "price_string": "$279.43", "price": 279.43, "image": "https://m.media-amazon.com/images/I/51SqDfvY38L.jpg"}, {"is_selected": true, "url": null, "value": "Vintage Oak Finish", "price_string": "$225.00", "price": 225, "image": "https://m.media-amazon.com/images/I/51vmuTuxmiL.jpg"}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B01MR4Q0WA", "category": "garden", "query": "File Cabinets", "page": 1, "small_description_old": "About this item Item Does Not Contain Fabric Drawers with full extension slides hold letter, legal or European size hanging files to help keep you organized Patented, interlocking safety mechanism allows only one drawer open at a time Quick and easy assembly with patented T-slot drawer system Vintage Oak finish Engineered wood construction"}, {"name": "Nikon AF-S FX NIKKOR 50mm f/1.4G Lens with Auto Focus for Nikon DSLR Cameras", "product_information": {"Product Dimensions": "2.13 x 2.91 x 2.91 inches", "Item Weight": "10.2 ounces", "ASIN": "B001GCVA0U", "Item model number": "2180", "Customer Reviews": {"ratings_count": 1766, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#171 in SLR Camera Lenses"], "Is Discontinued By Manufacturer": "No", "Date First Available": "June 17, 2003", "Manufacturer": "Nikon", "Country of Origin": "Italy"}, "brand": "Visit the Nikon Store", "brand_url": "https://www.amazon.com/stores/Nikon/page/A0A04D76-D946-42B4-A00A-7B9D20E8B166?ref_=ast_bln", "full_description": "Nikon 50mm f/1.4G SIC SW Prime Nikkor Lens for Nikon Digital SLR Cameras Maximum Angle of View (DX-format): 31\u00b030'. Maximum Angle of View (FX-format): 46\u00b0. Accepts Filter Type - Screw-on Ideal for travel, event, environmental and general photography in a wide variety of conditions, with superb optical formula and an ultra-fast f/1.4 maximum aperture. Fast f/1.4 prime NIKKOR lens Perfect for low-light conditions, general and travel photography. Normal angle of view on FX-format cameras Classic, normal angle of view when used on a Nikon FX-format digital SLR or 35mm film camera. Ideal portrait lens on DX-format cameras An ideal portrait lens when used on a Nikon DX-format digital SLR, approximating the angle of view similar to that of a 75mm lens on a Nikon FX-format digital SLR or a 35mm film camera. Nikon Super Integrated Coating (SIC) Enhances light transmission efficiency and offers superior color consistency and reduced flare. Exclusive Nikon Silent Wave Motor (SWM) Enables fast, accurate, and quiet autofocus. Close focusing to 1.5 feet For extended versatility. Rounded 9-blade diaphragm Renders more natural appearance of out-of-focus image elements. Ideal for travel, event, environmental and general photography in a wide variety of conditions, with superb optical formula and an ultra-fast f/1.4 maximum aperture. Fast f/1.4 prime NIKKOR lens Perfect for low-light conditions, general and travel photography. Normal angle of view on FX-format cameras Classic, normal angle of view when used on a Nikon FX-format digital SLR or 35mm film camera. Ideal portrait lens on DX-format cameras An ideal portrait lens when used on a Nikon DX-format digital SLR, approximating the angle of view similar to that of a 75mm lens on a Nikon FX-format digital SLR or a 35mm film camera. Nikon Super Integrated Coating (SIC) Enhances light transmission efficiency and offers superior color consistency and reduced flare. Exclusive Nikon Silent Wave Motor (SWM) Enables fast, accurate, and quiet autofocus. Close focusing to 1.5 feet For extended versatility. Rounded 9-blade diaphragm Renders more natural appearance of out-of-focus image elements.", "pricing": "$446.95", "list_price": "", "availability_status": "In stock.", "images": ["https://m.media-amazon.com/images/I/51uEtmyCdcL.jpg", "https://m.media-amazon.com/images/I/41NVNnpPl8L.jpg", "https://m.media-amazon.com/images/I/41bqQ1GT+aL.jpg", "https://m.media-amazon.com/images/I/41IaH-su6dL.jpg", "https://m.media-amazon.com/images/I/51AVWrae2kL.jpg", "https://m.media-amazon.com/images/I/31MqCehsk+L.jpg", "https://m.media-amazon.com/images/I/61iyhzaZV2L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Lenses \u203a Camera Lenses \u203a SLR Camera Lenses", "average_rating": 4.8, "small_description": ["F1.4 maximum aperture; F16 minimum ", "Ultrasonic-type AF motor with full-time manual focusing, 58mm filters ", "Minimum focus Distance : 0.45m/17.72 Inches. Lens Hood: HB-47 ", "Nikon F mount for FX and DX DSLRs. Unparalleled autofocus performance.Mount Type: Nikon F-Bayonet ", "Lens not zoomable "], "total_reviews": 1766, "total_answered_questions": 280, "model": "2180", "customization_options": {"Style": [{"is_selected": true, "url": null, "value": "Lens Only", "price_string": "$446.95", "price": 446.95, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B078GLS3YP/ref=twister_B00WUI3UNY?_encoding=UTF8&psc=1", "value": "w/ Polarizer Lens", "price_string": "$458.64", "price": 458.64, "image": null}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B001GCVA0U", "category": "electronics", "query": "Lenses", "page": 47, "small_description_old": "About this item\n \nF1.4 maximum aperture; F16 minimum Ultrasonic-type AF motor with full-time manual focusing, 58mm filters Minimum focus Distance : 0.45m/17.72 Inches. Lens Hood: HB-47 Nikon F mount for FX and DX DSLRs. Unparalleled autofocus performance.Mount Type: Nikon F-Bayonet Lens not zoomable"}, {"name": "T-Power (12v) Ac Adapter Compatible with 4 & 8 Channel (8-Way Splitte) Swann DVR4 DVR8 SWDVK4 SRDVR8 Series Digital Video Recorder Security DVR Charger (for Camera only)", "product_information": {"Item Weight": "8 ounces", "Manufacturer": "T-Power", "ASIN": "B01E9OPWUU", "Item model number": "TP-zL7-WUU", "Customer Reviews": {"ratings_count": 23, "stars": "4.5 out of 5 stars"}}, "brand": "Visit the T POWER Store", "brand_url": "https://www.amazon.com/stores/T-Power/page/ED51E6B1-7838-4920-87FF-70B646A13970?ref_=ast_bln", "full_description": "T-Power ( TM ) Made with the highest quality AC 100V - 240VCompatible Model: Swann DVR8 , SRDVR8 , SWDVK8 SERIES 8 Channel Digital Video Recorder Security DVR MODELS: DVR8-1000 , DVR8-1400 , DVR8-1425 , DVR8-1450 , DVR8-1500 , DVR8-1550 , DVR8-2550 , DVR8-2900 , DVR8-3000 , DVR8-3200 , DVR8-3450 , DVR8-4000 , DVR8-4100 , DVR8-4150 , DVR8-4200 , DVR8-4400 , DVR8-8075 , SRDVR-84100H , SRDVR-84100H-US , SWDVK-810004 , SWDVK-814508F , SWDVK-814508F-CL , SWDVK-825504 , SWDVK-825508 , SWDVK-825508C , SWDVK-829004 , SWDVK-832008S , SWDVK-834504F , SWDVK-840004D , SWDVK-841004 , SWDVK-841504 , SWDVK-842008 , SWDVK-844004 , SWDVK-844004 , SWDVK-844004A , SWDVK-844008 , SWDVK-844008A , SWDVK-880758 , SWDVR-81400H , SWDVR-81425H-US , SWDVR-82550H , SWDVR-83000H , SWDVR-84400H , SWDVR-84400H-US , WDVR-83000HA-US , DVR 8-2600 , SHD-810CAM-US , CODV8-B960B4Swann DVR4 , SRDVR4 , SWDVK4 SERIES 16 Channel Digital Video Recorder Security DVR MODELS: DVR4-1000 , DVR4-1300 , DVR4-1400 , DVR4-1525 , DVR4-2550 , DVR4-3000 , DVR4-3200 , DVR4-3250 , DVR4-4000 , DVR4-4400 , DVR4-4500 , SRDVR-44500H , SRDVR-44500H-US , SWDVK-410004 , SWDVK-410004-US , SWDVK-413002C , SWDVK-413002-RS , SWDVK-414002 , SWDVK-415254 , SWDVK-425504 , SWDVK-425504C , SWDVK-432004S , SWDVK-432004S-US , SWDVK-432502 , SWDVK-432504 , SWDVK-432504-US , SWDVK-440022D , SWDVK-444002 , SWDVK-444004 , SWDVK-444004A , SWDVK-444004A-US , SWDVR-41300H , SWDVR-41400H , SWDVR-42550H , SWDVR-43000H , SWDVR-44400H , SWDVR-44400H-US", "pricing": "$21.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51zD1Z2YW5L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Power Accessories \u203a AC Adapters", "average_rating": 4.5, "small_description": ["T-Power Made with the highest quality // Brand-new Input Voltage Range: AC 100V - 240V ( 12VDC ) ", "pn: SWPRO-660CAM PRO-661 SWPRO-661CAM PRO-670 SWPRO-770CAM PRO-671 SWPRO-671CAM PRO-680 SWPRO-680CAM PRO-681 SWPRO-681CA PRO-750 SWPRO-750CAM PRO-751 SWPRO-751CAM PRO-752 SWPRO-752CAM PRO-760 SWPRO-760CAM PRO-761 SWPRO-761CAM PRO-770 SWPRO-770CAM PRO-771 SWPRO-771CAM PRO-780 SWPRO-780CAM PRO-781 SWPRO-781CAM ", "Compatible Model : SWDVK-825504 , SWDVK-825508 , SWDVK-825508C , SWDVK-829004 , SWDVK-832008S , SWDVK-834504F , SWDVK-840004D , SWDVK-841004 , SWDVK-841504 , SWDVK-842008 , SWDVK-844004 , SWDVK-844004 , SWDVK-844004A , SWDVK-844008 , SWDVK-844008A , SWDVK-880758 , SWDVR-81400H , SWDVR-81425H-US , SWDVR-82550H , SWDVR-83000H , SWDVR-84400H , SWDVR-84400H-US , WDVR-83000HA-US , DVR 8-2600 , SHD-810CAM-US , CODV8-B960B4 ", "SWDVK-425504C , SWDVK-432004S , SWDVK-432004S-US , SWDVK-432502 , SWDVK-432504 , SWDVK-432504-US , SWDVK-440022D , SWDVK-444002 , SWDVK-444004 , SWDVK-444004A , SWDVK-444004A-US , SWDVR-41300H , SWDVR-41400H , SWDVR-42550H , SWDVR-43000H , SWDVR-44400H , SWDVR-44400H-US "], "total_reviews": 23, "total_answered_questions": "", "model": "TP-zL7-WUU", "customization_options": "", "seller_id": "A27SVFUT1EWV2K", "seller_name": "T-Power USA", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01E9OPWUU", "category": "electronics", "query": "Power Protection", "page": 184, "small_description_old": "About this item\n \nT-Power Made with the highest quality // Brand-new Input Voltage Range: AC 100V - 240V ( 12VDC ) pn: SWPRO-660CAM PRO-661 SWPRO-661CAM PRO-670 SWPRO-770CAM PRO-671 SWPRO-671CAM PRO-680 SWPRO-680CAM PRO-681 SWPRO-681CA PRO-750 SWPRO-750CAM PRO-751 SWPRO-751CAM PRO-752 SWPRO-752CAM PRO-760 SWPRO-760CAM PRO-761 SWPRO-761CAM PRO-770 SWPRO-770CAM PRO-771 SWPRO-771CAM PRO-780 SWPRO-780CAM PRO-781 SWPRO-781CAM Compatible Model : SWDVK-825504 , SWDVK-825508 , SWDVK-825508C , SWDVK-829004 , SWDVK-832008S , SWDVK-834504F , SWDVK-840004D , SWDVK-841004 , SWDVK-841504 , SWDVK-842008 , SWDVK-844004 , SWDVK-844004 , SWDVK-844004A , SWDVK-844008 , SWDVK-844008A , SWDVK-880758 , SWDVR-81400H , SWDVR-81425H-US , SWDVR-82550H , SWDVR-83000H , SWDVR-84400H , SWDVR-84400H-US , WDVR-83000HA-US , DVR 8-2600 , SHD-810CAM-US , CODV8-B960B4 SWDVK-425504C , SWDVK-432004S , SWDVK-432004S-US , SWDVK-432502 , SWDVK-432504 , SWDVK-432504-US , SWDVK-440022D , SWDVK-444002 , SWDVK-444004 , SWDVK-444004A , SWDVK-444004A-US , SWDVR-41300H , SWDVR-41400H , SWDVR-42550H , SWDVR-43000H , SWDVR-44400H , SWDVR-44400H-US"}, {"name": "Daonanba Durable Stable Coffee Table Teak Resin Handmade Unique Furniture Elegant Style Home Decoration 23.6\" Round Tabletop", "product_information": {"Product Dimensions": "23.6 x 23.6 x 15.7 inches", "Manufacturer": "Daonanba", "ASIN": "B0784G74Z9", "Customer Reviews": {"ratings_count": 57, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#1,144,900 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,584 in Coffee Tables"], "Is Discontinued By Manufacturer": "No", "Date First Available": "November 24, 2017"}, "brand": "Brand: Daonanba", "brand_url": "https://www.amazon.com/Daonanba/b/ref=bl_dp_s_web_19330563011?ie=UTF8&node=19330563011&field-lbr_brands_browse-bin=Daonanba", "full_description": "", "pricing": "$156.92", "list_price": "", "availability_status": "In stock. Usually ships within 3 to 4 days.", "images": ["https://m.media-amazon.com/images/I/51lvSrUgNxL.jpg", "https://m.media-amazon.com/images/I/51Ry2hYS-rL.jpg", "https://m.media-amazon.com/images/I/51c3NwVhhgL.jpg", "https://m.media-amazon.com/images/I/418c6d6DZRL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Tables \u203a Coffee Tables", "average_rating": 4.4, "small_description": ["This unique coffee table, made of solid teak and mango wood with a transparent resin decoration, exudes a rustic charm and is a real eye-catcher. ", "Its round tabletop provides a stable and secure surface on which you can place your drinks, vases, fruit bowls or ornaments. The coffee table can also be used as a side table. ", "The tabletop is fully handmade and the craftsmanship adds to its luxurious appearance. The base is made of sturdy mango wood with a black paint finish. Assembly is really easy. ", "Important note: As wood is a natural product, the colors and grain patterns vary from piece to piece, making each of our coffee tables unique and different from the next; the delivery is random. ", "We are shipping from united states, the shipping time usually cost 3-5 business days. "], "total_reviews": 57, "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "AJXFSN3ZTEVFA", "seller_name": "Daonanba", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B0784G74Z9", "category": "garden", "query": "Coffee Tables", "page": 49, "small_description_old": "About this item\n \nThis unique coffee table, made of solid teak and mango wood with a transparent resin decoration, exudes a rustic charm and is a real eye-catcher. Its round tabletop provides a stable and secure surface on which you can place your drinks, vases, fruit bowls or ornaments. The coffee table can also be used as a side table. The tabletop is fully handmade and the craftsmanship adds to its luxurious appearance. The base is made of sturdy mango wood with a black paint finish. Assembly is really easy. Important note: As wood is a natural product, the colors and grain patterns vary from piece to piece, making each of our coffee tables unique and different from the next; the delivery is random. We are shipping from united states, the shipping time usually cost 3-5 business days."}, {"name": "Alien Storehouse Fashionable Square Cloth Modern Small Stool Table Stool Sofa Pier Ottoman Stool, A", "product_information": {"Item Weight": "3.96 pounds", "Manufacturer": "Alien Storehouse", "ASIN": "B0893JSZHZ", "Fabric Type": "Cloth,linen Fabric"}, "brand": "Brand: Alien Storehouse", "brand_url": "https://www.amazon.com/Alien-Storehouse/b/ref=bl_dp_s_web_20272284011?ie=UTF8&node=20272284011&field-lbr_brands_browse-bin=Alien+Storehouse", "full_description": "Ships from Hong Kong. The ottoman footrest is a great way to sit back and put your feet up after a long day of work. Its soft leather exterior provides a comfortable place to put your feet as well as a comfortable place to sit. With its chic PU leather design this footrest will be able to fit into the d\u00e9cor of any room without having to change things up. If you are looking for a comfortable and stylish new footrest the ottoman is the perfect choice at an affordable rate. Combining perfect designs with economical overseas manufacturing to bring you the finest in sensible modern furniture.", "pricing": "$36.58", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/41sf0M8vygL.jpg", "https://m.media-amazon.com/images/I/41OJFaG7aHL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Accent Furniture \u203a Ottomans", "average_rating": "", "small_description": ["Cloth,linen Fabric ", "Linen fabric, high resilience sponge, pine wood material. Wear and durable. ", "Size: 28*28*18 CM. ", "Plus stool legs, strong hardness. ", "Multi Propose - Can be Used as Extra Seat or be a Step Pad to Reach Height. ", "Modern & Stylish, Perfect For Home Decor or Pair With Other Furniture. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2VSWEATGCSBIR", "seller_name": "Alien Storehouse", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0893JSZHZ", "category": "garden", "query": "Ottomans", "page": 228, "small_description_old": "About this item\n \nCloth,linen Fabric Linen fabric, high resilience sponge, pine wood material. Wear and durable. Size: 28*28*18 CM. Plus stool legs, strong hardness. Multi Propose - Can be Used as Extra Seat or be a Step Pad to Reach Height. Modern & Stylish, Perfect For Home Decor or Pair With Other Furniture."}, {"name": "Refillable Container, Easy To Clean Cream Bottle Wide Mouth Design for Easy Storage Of Specimens for Toilets", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 7.09 x 2.36 x 2.36 inches; 7.27 Ounces", "Manufacturer\n \u200f": "\u200e\n Adsire", "ASIN\n \u200f": "\u200e\n B09M7M1YB3", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Brand: Adsire", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Adsire", "full_description": "Feature:1. Round cream jar, uses premium PP, ABS materials, corrosion\u2011resistant, non\u2011toxic and tasteless, can be reused and recycled.2. With inner lining and cover, good sealing performance, no cosmetic leakage, avoid secondary pollution of makeup.3. Compact and portable, just unscrew the lid, dispense the liquid into the container, and close lid tightly.4. Perfect for cosmetics, face cream, mud film, eye cream, ointment, tincture, lotion, skin care products, moisturizing cream, etc.5. Fine workmanship, wide mouth design for easy storage of specimens, earrings, beads, sequins, trinkets.Specification:Item Type: Cream ContainerMaterial: PP, ABSWeight: Approx. 204g / 7.2ozApplicable Type: Business travel, beauty makeup, skin care, cleaningApplicable Places: Dressing rooms, toilets, bathrooms, beauty salons, hotelsProduct Size: Approx. 43x55x29mm / 1.7x2.2x1.1inPackage List:4 x Cream ContainerNote:1. Please allow 0\u20111 inch error due to manual measurement. Thanks for your understanding.2. Monitors are not calibrated same, item color displayed in photos may be showing slightly different from the real object. Please take the real one as standard.3. Do not pack beverages, petroleum, strong acids, and liquids with high ethanol content to avoid material deterioration.4. Please use the skin care/toiletry products packed into the container as soon as possible, and do not leave them for more than half a year.5. The product is easy to stain when placed for a long time, and it can be clean with water or ethanol when cleaning.6. Remember not to use hot water for cleaning or high temperature cleaning. Long\u2011term storage of the contents may cause deterioration or staining of the container.7. Please clean the inside and outside with water or ethanol for the first use, and use it after drying.8. Dispense skin care prod", "pricing": "$15.50", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/319gVSHEZkS.jpg", "https://m.media-amazon.com/images/I/416OZ7xY58S.jpg", "https://m.media-amazon.com/images/I/419I1NXQ2SS.jpg", "https://m.media-amazon.com/images/I/319WuIQuheS.jpg", "https://m.media-amazon.com/images/I/316nPcFgU-S.jpg", "https://m.media-amazon.com/images/I/21KzNFZB-jS.jpg", "https://m.media-amazon.com/images/I/41hPlLDJe1S.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases", "average_rating": "", "small_description": ["Compact and portable, just unscrew the lid, dispense the liquid into the container, and close lid tightly. ", "With inner lining and cover, good sealing performance, no cosmetic leakage, avoid secondary pollution of makeup. ", "Round cream jar, uses premium PP, ABS materials, corrosion\u2011resistant, non\u2011toxic and tasteless, can be reused and recycled. ", "Fine workmanship, wide mouth design for easy storage of specimens, earrings, beads, sequins, trinkets. ", "Reusable and environmentally friendly, perfect for travel, easy to put in your wallet or take with you. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2VC51QO12K4E1", "seller_name": "Adsire", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09M7M1YB3", "category": "beauty", "query": "Refillable Containers", "page": 125, "small_description_old": "Compact and portable, just unscrew the lid, dispense the liquid into the container, and close lid tightly. With inner lining and cover, good sealing performance, no cosmetic leakage, avoid secondary pollution of makeup. Round cream jar, uses premium PP, ABS materials, corrosion\u2011resistant, non\u2011toxic and tasteless, can be reused and recycled. Fine workmanship, wide mouth design for easy storage of specimens, earrings, beads, sequins, trinkets. Reusable and environmentally friendly, perfect for travel, easy to put in your wallet or take with you."}, {"name": "RCA Universal Palm Size 3Device DVD VCR TV Remote Control RCU403", "product_information": {"Manufacturer": "RC", "ASIN": "B075ZH94L7", "Is Discontinued By Manufacturer": "No", "Date First Available": "September 27, 2017"}, "brand": "Visit the RC Store", "brand_url": "https://www.amazon.com/stores/RC/page/E7CEAD97-4991-4E66-911A-97D49D6ACC2E?ref_=ast_bln", "full_description": "RCA Universal Palm Size 3Device DVD VCR TV Remote Control RCU403", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/412fYCzw7-L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Remote Controls & Accessories \u203a Remote Controls", "average_rating": "", "small_description": ["RCA Universal Palm Size 3Device DVD VCR TV Remote Control RCU403 "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B075ZH94L7", "category": "electronics", "query": "VCRs", "page": 154, "small_description_old": "RCA Universal Palm Size 3Device DVD VCR TV Remote Control RCU403"}, {"name": "Raising Arrows Sweatshirt, Psalm 127 3-5 Sweater, Bible Quote Cool Unisex Sweatshirt, Girl Quote, Christian Mom Gift. White", "product_information": {"Item Weight\n \u200f": "\u200e\n 1.31 Pounds", "Item model number\n \u200f": "\u200e\n PF5f74bc5122d41V56", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n September 30, 2020", "Manufacturer\n \u200f": "\u200e\n Generic", "ASIN\n \u200f": "\u200e\n B08KGWLWFN", "": ""}, "brand": "Brand: Generic", "brand_url": "https://www.amazon.com/Generic/b/ref=bl_sl_s_ap_web_2529470011?ie=UTF8&node=2529470011&field-lbr_brands_browse-bin=Generic", "full_description": "A sturdy and warm sweatshirt bound to keep you warm in the colder months. A pre-shrunk, classic fit sweater that's made with air-jet spun yarn for a soft feel and reduced pilling. 50% cotton, 50% polyester Pre-shrunk Classic fit with no center crease 1x1 athletic rib knit collar with spandex Air-jet spun yarn with a soft feel and reduced pilling Double-needle stitched collar, shoulders, armholes, cuffs, and hem", "pricing": "$32.99", "list_price": "", "availability_status": "Usually ships within 6 to 10 days.", "images": ["https://m.media-amazon.com/images/I/41aCup90epL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Fashion Hoodies & Sweatshirts", "average_rating": "", "small_description": ["50% Polyester, 50% Cotton ", "18000 Unisex Heavy Blend Crewneck Sweatshirt "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "ATIM6SLQKQ35C", "seller_name": "KARAKATE", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08KGWLWFN", "category": "fashion", "query": "Men's Sweaters", "page": 173, "small_description_old": "50% Polyester, 50% Cotton 18000 Unisex Heavy Blend Crewneck Sweatshirt"}, {"name": "Professional Stainless Steel Oval Roaster with Wire Rack and High Dome for Turkey Ham Chicken Meat Roasts Casseroles & Vegetables | Induction Safe", "product_information": {"Product Dimensions": "18.5 x 5.5 x 12.8 inches", "Item Weight": "5 pounds", "Manufacturer": "LavoHome", "ASIN": "B07KY5X445", "Item model number": "RB-008", "Customer Reviews": {"ratings_count": 96, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#153,687 in Kitchen & Dining (See Top 100 in Kitchen & Dining) #163 in Roasting Pans"], "Is Discontinued By Manufacturer": "No", "Date First Available": "November 28, 2018"}, "brand": "Visit the LavoHome Store", "brand_url": "https://www.amazon.com/stores/lavohome/page/79F46588-3679-43D8-BC3C-8A15CB194139?ref_=ast_bln", "full_description": "Heavy Duty Professional Grade Stainless Steel 3 Pc Multi Roaster Oven Cookware Set With Wire Rack, High Dome Large Lid for Turkey Meat Chicken Vegetables Oven Safe up to 600 Degrees!", "pricing": "$54.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41puJ5Rx0sL.jpg", "https://m.media-amazon.com/images/I/41cGIjAsdGL.jpg", "https://m.media-amazon.com/images/I/31HduwppGEL.jpg", "https://m.media-amazon.com/images/I/41-pau4kdXL.jpg", "https://m.media-amazon.com/images/I/41X1dCInSEL.jpg", "https://m.media-amazon.com/images/I/41JKDd2W6sL.jpg", "https://m.media-amazon.com/images/I/31oNda9Fw5L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Kitchen & Dining \u203a Cookware \u203a Pots & Pans \u203a Roasting Pans", "average_rating": 4.5, "small_description": ["HIGH QUALITY STAINLESS STEEL: Stainless Steel Turkey Roaster with wire rack is a complete system for roasting turkey and pot roasts. It features a spacious and thermally efficient design that's perfect for roasting or braising large poultry or meat. ", "HEAVY DUTY & DURABLE CONSTRUCTION: Heavy gauge stainless steel construction ensures lasting. Polished stainless steel exterior with signature handles. Oven Safe up to 600 degrees. Induction safe. ", "GREAT FOR ENTERTAINING: Large capacity for making big meals for your family and guests during events and the holiday season. Attractive highly polished stainless steel makes an attractive look that will easily go from oven (for roasting) to stove top (for making gravy) to table (for serving). ", "DOMED LID FOR LARGE ROASTS & TURKEY: High domed lid prevents heat and moisture from escaping to provide a tender, tasty and juicy result. Stainless steel loop handles for easy handling. ", "DIMENSIONS: 18.5 x 12.8 x 5.3 inches "], "total_reviews": 96, "total_answered_questions": "", "model": "RB-008", "customization_options": "", "seller_id": "A1M366Q439UQGU", "seller_name": "Lavo Home - Unique Imports, Better Service!", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07KY5X445", "category": "garden", "query": "Baker's Racks", "page": 214, "small_description_old": "About this item\n \nHIGH QUALITY STAINLESS STEEL: Stainless Steel Turkey Roaster with wire rack is a complete system for roasting turkey and pot roasts. It features a spacious and thermally efficient design that's perfect for roasting or braising large poultry or meat. HEAVY DUTY & DURABLE CONSTRUCTION: Heavy gauge stainless steel construction ensures lasting. Polished stainless steel exterior with signature handles. Oven Safe up to 600 degrees. Induction safe. GREAT FOR ENTERTAINING: Large capacity for making big meals for your family and guests during events and the holiday season. Attractive highly polished stainless steel makes an attractive look that will easily go from oven (for roasting) to stove top (for making gravy) to table (for serving). DOMED LID FOR LARGE ROASTS & TURKEY: High domed lid prevents heat and moisture from escaping to provide a tender, tasty and juicy result. Stainless steel loop handles for easy handling. DIMENSIONS: 18.5 x 12.8 x 5.3 inches"}, {"name": "Pilon Espresso Coffee, 10 Ounce (Pack of 12)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 14.41 x 6.81 x 6.22 inches; 10 Ounces", "UPC\n \u200f": "\u200e\n 074471006526", "Manufacturer\n \u200f": "\u200e\n J.M. Smucker Company", "ASIN\n \u200f": "\u200e\n B009LHWYO8", "Country of Origin\n \u200f": "\u200e\n USA", "Domestic Shipping": "Currently, item can be shipped only within the U.S. and to APO/FPO addresses. For APO/FPO shipments, please check with the manufacturer regarding warranty and support issues.", "International Shipping": "This item is not eligible for international shipping.Learn More", "Best Sellers Rank": "#20,235 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#382 in Ground Coffee", "#382 in Ground Coffee": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: PILON", "brand_url": "https://www.amazon.com/PILON/b/ref=bl_dp_s_web_20709324011?ie=UTF8&node=20709324011&field-lbr_brands_browse-bin=PILON", "full_description": "Cafe Pilon delicious espresso coffee is produced by a unique blend of choice coffee beans that are roasted, ground and vacuum packed, using the most advanced technology that guarantees superb freshness aroma and taste.", "pricing": "$53.88", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/51YdyVMGV9L.jpg", "https://m.media-amazon.com/images/I/419NVDe+zLL.jpg", "https://m.media-amazon.com/images/I/3147ioSY3KL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Beverages \u203a Coffee, Tea & Cocoa \u203a Coffee \u203a Ground Coffee", "average_rating": 4.9, "small_description": ["100% Pure coffee ", "Extra fine grind ", "Contains 12 - 10 ounce bricks Pilon Espresso Coffee "], "total_reviews": 497, "total_answered_questions": 4, "customization_options": {"Flavor Name": [{"is_selected": false, "url": "https://www.amazon.com/dp/B009LHXARS/ref=twister_B071RB2XZM", "value": "Caffeinated", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "Espresso", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B009LHXBV8/ref=twister_B071RB2XZM", "value": "Gourmet", "price_string": "", "price": 0, "image": null}], "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B009LHXARS/ref=twister_B071RB2XZM", "value": "10 Ounce (Pack of 6)", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "10 Ounce (Pack of 12)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B009LHWXEO/ref=twister_B071RB2XZM?_encoding=UTF8&psc=1", "value": "240 Ounce (Pack of 1)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B009LHXBV8/ref=twister_B071RB2XZM", "value": "Can", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B009LHX7LW/ref=twister_B071RB2XZM", "value": "Family Brick", "price_string": "", "price": 0, "image": null}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B009LHWYO8", "category": "grocery", "query": "Milks & Creams", "page": 388, "small_description_old": "About this item Dark Roast 100% Pure coffee Extra fine grind Contains 12 - 10 ounce bricks Pilon Espresso Coffee"}, {"name": "PAVILIA Decorative Sherpa Throw Pillow Covers, Set of 2, 18x18, Light Pink Blush Fluffy Pillow Cases for Couch, Bed, Sofa|Soft Accent Cushion Cover, Shaggy Living Room Decor", "product_information": {"Package Dimensions": "11.14 x 10.94 x 1.5 inches", "Item Weight": "12.3 ounces", "Department": "Womens", "Manufacturer": "PAVILIA", "ASIN": "B08L2ZDWN2", "Customer Reviews": {"ratings_count": 594, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#33,165 in Home & Kitchen (See Top 100 in Home & Kitchen) #419 in Throw Pillow Covers"], "material_composition": "Sherpa Polyester", "Fabric Wash": "Wash separately in cold water", "Material Care Instructions": "Wash separately in cold water, Do not tumble dry. Our pillow does not shed and get softer with each wash.", "Number of Pieces": "2", "Batteries Required?": "No"}, "brand": "Visit the PAVILIA Store", "brand_url": "https://www.amazon.com/stores/PAVILIA/page/3CE82E43-F013-4268-BEEE-E6557C0696C1?ref_=ast_bln", "full_description": "", "pricing": "$13.99", "list_price": "", "availability_quantity": 9, "availability_status": "Only 9 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41n036RAL-S.jpg", "https://m.media-amazon.com/images/I/410bIbcKfQL.jpg", "https://m.media-amazon.com/images/I/51Rq9ZRJiWL.jpg", "https://m.media-amazon.com/images/I/5175+5c5tML.jpg", "https://m.media-amazon.com/images/I/51oXRPxcXoL.jpg", "https://m.media-amazon.com/images/I/51DLM9nYQDL.jpg", "https://m.media-amazon.com/images/I/51W4RbfqAUL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Decorative Pillows, Inserts & Covers \u203a Throw Pillow Covers", "average_rating": 4.5, "small_description": ["Two 18x18 inches sherpa fleece pillow covers set. COVERS ONLY. ", "SUPER SOFT SHERPA FLEECE FAUX FUR: Plush and cozy, these pillow cases are soft and extra fluffy with luxurious hand feel. ", "ACCENT YOUR DECOR: Shaggy velvet fabric will add depth to your sofa, couch, bed and living room. Comes with multiple color for mix and match. ", "ZIPPER CLOSURE: Invisible zipper sewed on the edge for an elegant look. Easy to insert. ", "EASY TO CARE: Wash separately in cold water, Do not tumble dry. Our pillow does not shed and get softer with each wash. "], "total_reviews": 594, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08L33SK3N/ref=twister_B08L31NNKG?_encoding=UTF8&psc=1", "value": "Beige Latte", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21GZ6-HCuWL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L32D49R/ref=twister_B08L31NNKG?_encoding=UTF8&psc=1", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/114n9IkwcBL.jpg"}, {"is_selected": true, "url": null, "value": "Blush Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/512dvIIEN4L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L313X1Y/ref=twister_B08L31NNKG?_encoding=UTF8&psc=1", "value": "Dusty Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51CPtKWDsBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L2YX8YZ/ref=twister_B08L31NNKG?_encoding=UTF8&psc=1", "value": "Emerald Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ObMq6AW+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L32536D/ref=twister_B08L31NNKG?_encoding=UTF8&psc=1", "value": "Lavender", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51+BE+sjQNL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L2ZGLZC/ref=twister_B08L31NNKG?_encoding=UTF8&psc=1", "value": "Light Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Skkx2iTjL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L33ZJPH/ref=twister_B08L31NNKG?_encoding=UTF8&psc=1", "value": "Mustard Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61kAisvgzDL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L2ZDYWK/ref=twister_B08L31NNKG?_encoding=UTF8&psc=1", "value": "Teal Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51rhEl3WeCL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B093N9H62G/ref=twister_B08L31NNKG?_encoding=UTF8&psc=1", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/01RinAAF1ZL.jpg"}], "Size": [{"is_selected": true, "url": null, "value": "18''x18''", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L2ZF8N8/ref=twister_B08L31NNKG?_encoding=UTF8&psc=1", "value": "20''x20''", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A1ID36P4IX52ZW", "seller_name": "Caravan Group", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08L2ZDWN2", "category": "garden", "query": "Decorative Pillows", "page": 45, "small_description_old": "About this item Two 18x18 inches sherpa fleece pillow covers set. COVERS ONLY. SUPER SOFT SHERPA FLEECE FAUX FUR: Plush and cozy, these pillow cases are soft and extra fluffy with luxurious hand feel. ACCENT YOUR DECOR: Shaggy velvet fabric will add depth to your sofa, couch, bed and living room. Comes with multiple color for mix and match. ZIPPER CLOSURE: Invisible zipper sewed on the edge for an elegant look. Easy to insert. EASY TO CARE: Wash separately in cold water, Do not tumble dry. Our pillow does not shed and get softer with each wash."}, {"name": "Vaseline Men Extra Strength Body And Face Lotion - 10 Oz ( Pack of 5 )", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 7.38 x 2.75 x 1.5 inches; 12 Ounces", "Department\n \u200f": "\u200e\n Beauty", "UPC\n \u200f": "\u200e\n 305210416390", "Manufacturer\n \u200f": "\u200e\n VASELINE", "ASIN\n \u200f": "\u200e\n B01IA9BY1G", "Best Sellers Rank": "#29,147 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#562 in Body Lotions", "#562 in Body Lotions": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Vaseline Store", "brand_url": "https://www.amazon.com/stores/Vaseline/page/77759F9D-DA77-4420-A305-A8D9DE07BFA2?ref_=ast_bln", "full_description": "Vaseline Men Extra Strength Body and Face Lotion resilient, moisturized skin to keep you looking and feeling healthy.", "pricing": "$15.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41hMKAqkv9L.jpg", "https://m.media-amazon.com/images/I/41xp3lkBKdL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Body \u203a Moisturizers \u203a Lotions", "average_rating": 4.7, "small_description": [""], "total_reviews": 287, "total_answered_questions": "", "customization_options": "", "seller_id": "AK450YTF8AXGO", "seller_name": "Red White Blue", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B01IA9BY1G", "category": "beauty", "query": "Face Care", "page": 56, "small_description_old": ""}, {"name": "Women Faux Fur Lined Jacket Coat Winter Warm Thick Fleece Outwear Trench Zipper Plus Size Long Sleeve Plush Overcoat", "product_information": {"Item model number\n \u200f": "\u200e\n winter long coats for women", "Department\n \u200f": "\u200e\n Unisex Adult", "Date First Available\n \u200f": "\u200e\n October 30, 2021", "Manufacturer\n \u200f": "\u200e\n \u2708Oversized Wool Lined Jackets for Women", "ASIN\n \u200f": "\u200e\n B09KP6FT4B", "": ""}, "brand": "Brand: HENGCHENG", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=HENGCHENG", "full_description": "\ud83d\udc8eWomen/Men Winter Warm Jacket Coat Parkas\ud83d\udc8eA Must-Have Womens Fleece Jacket Coat in Your Wardrobe.\ud83d\udc8eWardrobe Essentials For You In Cold Day\ud83c\udf08Unique Design: long sleeve with drop shoulder, a bit see through, soft knitted fabric, round hemline, loose fitting casual style\ud83c\udf08made of high quality knit soft fabrics, which are smooth, comfy and stretchable, flexible and breathable, comfortable to wear.\ud83c\udf08Features: Casual Loose Fit Ladies Cozy Plush Jacket Long Sleeve Coat Winter Warm Open Front Outwear Hooded Parkas Soft Enough to Wear in any Occasion\ud83c\udf08Material: Most Polyester or Wool and Spandex; Casual, comfortable, lightweight fabric perfect for relaxed everyday wear. Feels smooth against the skin, looks caoty.\ud83c\udf08coats up Match\uff1aIt is Perfect Pair With Fuzzy Leggings ,Skinny Jeans,Leggings,caots,Tank Tops,Boots Or Sneakers in Winter\u00a0\ud83c\udf38\ud83c\udf38 Size Guidelines:The Size Chart is in The Last Picture\ud83c\udf08Please Allow 0.5-2Inch Differs Due to Manual Measurement, Thanks!\ud83c\udf08If you have any questions, please feel free to contact our service team, we will solve it for you.women fleece jackets for flannel coats fall zip up hoodie oversized sweatshirts plush jacket coats casual royal fleece vests winter warm womens fuzzy jackets plus size cardigan sherpa coats stand long women's flannels plaid jacket suit cowl neck tops wool jacket women winter casual flannel sweatshirts cocktail coats grace long sleeve swimsuits hooded vests womens fashion coat gothic clothes zip up winter witch jacket chrismas oversized kawaii cute hooded jacket coats", "pricing": "$47.41$59.07", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31Nkx3FT1hL.jpg", "https://m.media-amazon.com/images/I/31AulK4dh2L.jpg", "https://m.media-amazon.com/images/I/31Afqra-LoL.jpg", "https://m.media-amazon.com/images/I/31d1QxoxHxL.jpg", "https://m.media-amazon.com/images/I/317vf2EdPcL.jpg", "https://m.media-amazon.com/images/I/41BfZwEinPL.jpg", "https://m.media-amazon.com/images/I/41JQZWJxVTL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Coats, Jackets & Vests \u203a Fur & Faux Fur", "average_rating": "", "small_description": ["\u2708 \u2708\u2708 We Have an Exclusive Courier Partner, The Fastest Delivery Time Can Reach Your Address In 7-10 Days \u2708\u2708\u2708 \u2714 Plush Jacket for Women Plus Size \u2714Wool Hooded Jacket Coat Tops \u2714Winter Warm Fleece Parkas for Women \u2714Oversized Wool Lined Jackets for Women \u2714Fuzzy Sherpa Jackets for Women \u2714Winter Plus Size Plush Jacket Coat ", "womens zippered sweatshirts hoodies lining ", "fur hooded coat closure ", "\ud83d\udc95 \ud835\ude16\ud835\ude2f \ud835\ude1a\ud835\ude22\ud835\ude2d\ud835\ude26 !! \ud835\ude0a\ud835\ude2d\ud835\ude26\ud835\ude22\ud835\ude33\ud835\ude22\ud835\ude2f\ud835\ude24\ud835\ude26 Promotion !!RECOMMEND! \u2708\u2708Winter Warm Fleece Jacket Coat for women plus size \ud83d\udc8bThis Long Sleeve Fuzzy Jacket Coat Is Suitable \ud83d\udc38 Casual Hood Plush Parka Coat for Women ", "\u273fSuperior Fabric: Shell:Polyester Fabric,Fleece Lined.High quality material, skin friendly, soft,comfortable to wear,keep you warm in cold weather. ", "\u273fFeatures: Fixed hood with faux fur trim; Main body Lined with fleece; Padded with silk-wadding; Thicken design; Waistline with drawstring; Two open pockets in the front; Zipper & press-button fastening front. ", "\u273fStyle: Long length and hooded parka jacket with adjustable drawstring waist to keep you warm and nice all day. , \u273fwinter parka jacket with Button & zip fly closure, 2 side pockets, perfect for winter skiing, hiking,journey,climbing,outdoor sports or casual wear, it is ideal for women outside wearing in this cold winter season., \u273fNotice: Please refer to our size chart picture before ordering. If you like the loose style, Please order 1-2 size larger than your usual size.(Non-Amazon size)"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09KP6FT4B/ref=twister_B09KP7BNND", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31BHewPdAsL.jpg"}, {"is_selected": true, "url": null, "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31Nkx3FT1hL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KP52PSM/ref=twister_B09KP7BNND", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41lKZsdVfIL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KR46115/ref=twister_B09KP7BNND", "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/410oZOPWpML.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09KP6CFYX"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09KP5K7GM"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09KP78G37"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09KP7KN4D"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09KP8JNLG"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B09KP87P6Q"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09KP78G37", "category": "fashion", "query": "Women's Coats, Jackets & Vests", "page": 101, "small_description_old": "\u2708 \u2708\u2708 We Have an Exclusive Courier Partner, The Fastest Delivery Time Can Reach Your Address In 7-10 Days \u2708\u2708\u2708 \u2714 Plush Jacket for Women Plus Size \u2714Wool Hooded Jacket Coat Tops \u2714Winter Warm Fleece Parkas for Women \u2714Oversized Wool Lined Jackets for Women \u2714Fuzzy Sherpa Jackets for Women \u2714Winter Plus Size Plush Jacket Coat zip up front caot women lining parka with pockets closure \ud83d\udc95 \ud835\ude16\ud835\ude2f \ud835\ude1a\ud835\ude22\ud835\ude2d\ud835\ude26 !! \ud835\ude0a\ud835\ude2d\ud835\ude26\ud835\ude22\ud835\ude33\ud835\ude22\ud835\ude2f\ud835\ude24\ud835\ude26 Promotion !!RECOMMEND! \u2708\u2708Winter Warm Fleece Jacket Coat for women plus size \ud83d\udc8bThis Long Sleeve Fuzzy Jacket Coat Is Suitable \ud83d\udc38 Casual Hood Plush Parka Coat for Women long furry vest camel wrap coat women womens business rain jacket juniors dress coats for winter suits biking colorful fur plus size orange fringe merino wool sweater bodysuit pullover sweatshirt with thumb holes belted sequin stars leopard print cashmere snowboard plaid boxy knit fuzzy hoodie ugly buttons dusty rose tshirt girl western jackets pearl mink yoga dressy leather compression sweat shirt youth gray duster boho hooded white see through tweed waterproof genuine suit hoodies sweaters fuzzy zip cheap warm shirts teddy coat for women oversized llama duster womens cozy winter jacket maroon bear plus size lepoard sherpa lapel men fur lauren ralph faux shearling angashion fleece plush hoodie cartoon print up coat sweater woman cardigan jackets sweater long coats simply southern sherpas soft fluffy prettygarden fuzzy long vest oversized camel color coat women short teddy bear pooper jacket fuzzzy teens coats polyester in shearling ladies fur collared winter peacoat trench outwear plus size women fall and winter coats on clearance petite long wool coat chenille sweater textured womens leather vest fringe riding black duster for checkered leopard print denim jacket fluffy hooded teddy bear sweetheart neckline tank belted womans biker hoodie soft furry kids orange turtleneck brown bodysuit padded vests cheetah trench tencel leggings girls navy pastel fur mustard draped woman military juniors sequin cropped flannel bomber wrap beige cardigan \n long furry vest camel wrap coat women womens business rain jacket juniors dress coats for winter suits biking colorful fur plus size orange fringe merino wool sweater bodysuit pullover sweatshirt with thumb holes belted sequin stars leopard print cashmere snowboard plaid boxy knit fuzzy hoodie ugly buttons dusty rose tshirt girl western jackets pearl mink yoga dressy leather compression sweat shirt youth gray duster boho hooded white see through tweed waterproof genuine suit hoodies sweatersfuzzy zip cheap warm shirts teddy coat for women oversized llama duster womens cozy winter jacket maroon bear plus size lepoard sherpa lapel men fur lauren ralph faux shearling angashion fleece plush hoodie cartoon print up coat sweater woman cardigan jackets sweater long coats simply southern sherpas soft fluffy prettygarden fuzzy long vest oversized camel color coat women short teddy bear pooper jacket fuzzzy teens coats polyester in shearling ladies fur collared winter peacoat trench outwearShow more"}, {"name": "36pcs / Bag Hair Extension Tape, Lace Front Wig Double Sided Adhesive Tape,Wigs Adhesive Tape Accessor for Hair Extensions Wigs Supplies", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 0.39 x 0.39 x 0.39 inches; 1.27 Ounces", "Manufacturer\n \u200f": "\u200e\n Betued", "ASIN\n \u200f": "\u200e\n B096MM7XM4", "Country of Origin\n \u200f": "\u200e\n China", "Best Sellers Rank": "#642,778 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#728 in Wig & Hairpiece Adhesives", "#728 in Wig & Hairpiece Adhesives": ""}, "brand": "Visit the Betued Store", "brand_url": "https://www.amazon.com/stores/Betued/page/2D9BFC16-C910-49C9-A453-0D02B27E6796?ref_=ast_bln", "full_description": "Feature: 1. Comfortable and healthy, double\u2011sided tape, adhesive and easy to clean, bring you convenience. 2. Long service life, the longest use time of the tape (2\u20114 weeks), durable. Depending on the temperature, humidity and body fat, they can last up to 6 weeks. 3. Durable wate-rproof function, you can swim, sleep and bathe while wearing. 4. You can use it for various hairdressing products, wigs, front lace wig, toupee, etc. 5. Double\u2011sided strip of tape, safe to the skin, used to fix the wig on the scalp. Specification: Condition: 100% Brand New Item Type: Wig Double Sided Adhesive Tape Specification: 1 bag / 36pcs Features: Firm and durable, used for wigs. Uses: Household, hair salon, etc. Size: Approx. 7.6 x 2.2cm / 3 x 0.9in Package List: Note: 1.\u00a0Please\u00a0allow\u00a0slight\u00a0error\u00a0due\u00a0to\u00a0manual\u00a0measurement.\u00a0Thanks\u00a0for\u00a0your\u00a0understanding. 2.\u00a0Monitors\u00a0are\u00a0not\u00a0calibrated\u00a0same,\u00a0item\u00a0color\u00a0displayed\u00a0in\u00a0photos\u00a0may\u00a0be\u00a0showing\u00a0slightly\u00a0different\u00a0from\u00a0the\u00a0real\u00a0object.\u00a0Please\u00a0take\u00a0the\u00a0real\u00a0one\u00a0as\u00a0standard.", "pricing": "$11.69", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41y2kNLF56L.jpg", "https://m.media-amazon.com/images/I/41VC-XFhP6L.jpg", "https://m.media-amazon.com/images/I/41eUjBH7xVL.jpg", "https://m.media-amazon.com/images/I/41L8H4b1ShL.jpg", "https://m.media-amazon.com/images/I/41xbemOdzXL.jpg", "https://m.media-amazon.com/images/I/31449jjIijL.jpg", "https://m.media-amazon.com/images/I/312nyhtthPL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Adhesives", "average_rating": "", "small_description": ["WHAT YOU GET: You will receive 1 bag / 36pcs of double sided replacement tapes in this package, sufficient quantity to meet and satisfy your daily use, the color is classic and you can also share with your good friends or families ", "COMFORTABLE TO USE: These double sided replacement tapes are made of quality adhesive material, convenient and durable, adhesive and easy to clean, bring you convenience. ", "EASY TO USE: There is pre-cut design in the middle of each hair extension tape, easier and more convenient for you to peel them off and apply, they will go well with your hair extension and invisible, make you hair look more natural, nice accessories for thin hair ", "WIDE USAGES: These double sided replacement tapes are suitable for lace wigs, hair extension, toupee and more; Work naturally with your hair and you can use them to create a variety of hairstyles, bring your hair a natural shining appearance ", "2-6 WEEKS OF WEAR: This is the suggested duration of wear for this tape. Long service life, the longest use time of the tape (2\u20114 weeks), durable. Depending on the temperature, humidity and body fat, they can last up to 6 weeks. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3KMW5XZ660KGT", "seller_name": "Vruping", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B096MM7XM4", "category": "beauty", "query": "Hair Extensions, Wigs & Accessories", "page": 41, "small_description_old": "WHAT YOU GET: You will receive 1 bag / 36pcs of double sided replacement tapes in this package, sufficient quantity to meet and satisfy your daily use, the color is classic and you can also share with your good friends or families COMFORTABLE TO USE: These double sided replacement tapes are made of quality adhesive material, convenient and durable, adhesive and easy to clean, bring you convenience. EASY TO USE: There is pre-cut design in the middle of each hair extension tape, easier and more convenient for you to peel them off and apply, they will go well with your hair extension and invisible, make you hair look more natural, nice accessories for thin hair WIDE USAGES: These double sided replacement tapes are suitable for lace wigs, hair extension, toupee and more; Work naturally with your hair and you can use them to create a variety of hairstyles, bring your hair a natural shining appearance 2-6 WEEKS OF WEAR: This is the suggested duration of wear for this tape. Long service life, the longest use time of the tape (2\u20114 weeks), durable. Depending on the temperature, humidity and body fat, they can last up to 6 weeks."}, {"name": "Movie Night Gift Box with Snacks and Redbox Movie Rental Code", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 9.57 x 9.33 x 4.21 inches; 3 Pounds", "UPC\n \u200f": "\u200e\n 014181842410", "Manufacturer\n \u200f": "\u200e\n Five Buttons", "ASIN\n \u200f": "\u200e\n B07L6PR5WS", "Best Sellers Rank": "#230,334 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#765 in Snack Food Gifts", "#765 in Snack Food Gifts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Five Buttons", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Five+Buttons", "full_description": "Includes: 1 Redbox DVD Rental Code 3 Act II Butter Lovers Microwave Popcorn packs 2.75 oz 4 Movie Theater Style Popcorn Containers 1 Blue Diamond Smokehouse Almonds 1.5 oz 1 Wonderful Pistachios 1.5 oz 1 Red Vines 5 oz 1 Milk Duds5 oz 1 M&Ms1.74 oz 2 Cracker Jack 1.25 oz 2 Oreo 6-Cookie Pack 2.4oz 1 Skittles 2.17 oz 1 Pirate Booty 0.5 oz 2 Planters peanuts 1 oz", "pricing": "$36.95", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/517Tf0OslpL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Food & Beverage Gifts \u203a Snack Gifts", "average_rating": 4.7, "small_description": ["What's better than movies and great snacks? It's the gift everyone wants! ", "Perfect for families, college students, teacher gifts, birthdays, holiday gifts for relatives and friends. Or keep it for yourself! ", "Gift box contains: 1 Redbox DVD Rental Code, 3 Act II Butter Lovers Microwave Popcorn packs 2.75 oz, 4 Movie Theater Style Popcorn Containers, 1 Blue Diamond Smokehouse Almonds 1.5 oz, 1 Wonderful Pistachios 1.5 oz, 1 Red Vines 5 oz, 1 Milk Duds 5 oz, 1 M&Ms1.74 oz, 2 Cracker Jack 1.25 oz, 2 Oreo 6-Cookie Pack 2.4 oz, 1 Skittles 2.17 oz, 1 Pirate Booty 0.5 oz, 2 Planters peanuts 1 oz "], "total_reviews": 26, "total_answered_questions": "", "customization_options": "", "seller_id": "A1T2X22KKR30PR", "seller_name": "Five Buttons", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07L6PR5WS", "category": "grocery", "query": "Snack Food Gifts", "page": 119, "small_description_old": "What's better than movies and great snacks? It's the gift everyone wants! Perfect for families, college students, teacher gifts, birthdays, holiday gifts for relatives and friends. Or keep it for yourself! Gift box contains: 1 Redbox DVD Rental Code, 3 Act II Butter Lovers Microwave Popcorn packs 2.75 oz, 4 Movie Theater Style Popcorn Containers, 1 Blue Diamond Smokehouse Almonds 1.5 oz, 1 Wonderful Pistachios 1.5 oz, 1 Red Vines 5 oz, 1 Milk Duds 5 oz, 1 M&Ms1.74 oz, 2 Cracker Jack 1.25 oz, 2 Oreo 6-Cookie Pack 2.4 oz, 1 Skittles 2.17 oz, 1 Pirate Booty 0.5 oz, 2 Planters peanuts 1 oz"}, {"name": "Old Trapper Teriyaki Double Eagle Beef Jerky | Traditional Style Real Wood Smoked | 1 Jar (80 Pieces)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 7.2 x 4.9 x 4.4 inches; 1.6 Pounds", "UPC\n \u200f": "\u200e\n 079694703030", "Manufacturer\n \u200f": "\u200e\n Old Trapper Smoked Products, Inc.", "ASIN\n \u200f": "\u200e\n B004PCJTR4", "Best Sellers Rank": "#5,206 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#57 in Jerky", "#57 in Jerky": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Old Trapper Store", "brand_url": "https://www.amazon.com/stores/Old+Trapper/page/13187ED1-CC79-4952-A5AE-526BF0523A98?ref_=ast_bln", "full_description": "", "pricing": "$29.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41j1A+gmQ3L.jpg", "https://m.media-amazon.com/images/I/41RkkZjUhcL.jpg", "https://m.media-amazon.com/images/I/51atJcMLQ7L.jpg", "https://m.media-amazon.com/images/I/510UEJptksL.jpg", "https://m.media-amazon.com/images/I/41mHquN4i4L.jpg", "https://m.media-amazon.com/images/I/41xBkcJg9QL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Meat Snacks \u203a Jerky", "average_rating": 4.4, "small_description": ["CELEBRATING 50 YEARS OF HIGH-QUALITY MEAT SNACKS - Since 1969, Old Trapper has been dedicated to providing the highest quality, best tasting snack available. That 50 years of experience, complemented by continued investments in state-of-the-art processes, results in top-quality products that are distributed nationwide. Old Trapper offers a full line of premium meat snacks. ", "BEEF JERKY, SMOKED THE OLD FASHIONED WAY - All Old Trapper products are still smoked the old fashioned way, using real wood chips, giving it that distinct smoky flavor that people keep coming back for. If that\u2019s not enough, our teriyaki flavored jerky adds some sweetness to the mix making it a nearly unstoppable snack. ", "LOW in carbohydrates and 5 grams sugar with 11 grams of protein per serving, they represent a keto-friendly snack. ", "SMOKED THE OLD FASHIONED WAY, WITH A UNIQUE TERIYAKI TWIST - To create the unique salty-sweet flavor in our Teriyaki beef jerky, we marinate lean beef strips in soy sauce and apple cider vinegar, season the cuts with our own mix of spices, then smoke them with real wood until they\u2019re tender, juicy, and delicious. You deserve the best, eat Old Trapper. ", "TASTE OF HEAVEN - Hands down, this will be the best-tasting beef jerky you'll ever get your hands on. Take us up on our offer, and discover the tender, never tough beef jerky that will be the best you\u2019ve ever tasted. "], "total_reviews": 638, "total_answered_questions": "", "customization_options": {"Flavor Name": [{"is_selected": false, "url": "https://www.amazon.com/dp/B004PVQ8B0/ref=twister_B07ZVY64KH?_encoding=UTF8&psc=1", "value": "Old Fashioned", "price_string": "$29.98", "price": 29.98, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07NZ1XPW1/ref=twister_B07ZVY64KH?_encoding=UTF8&psc=1", "value": "Peppered", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07T2XRHFJ/ref=twister_B07ZVY64KH?_encoding=UTF8&psc=1", "value": "Spicy", "price_string": "$29.99", "price": 29.99, "image": null}, {"is_selected": true, "url": null, "value": "Teriyaki", "price_string": "$29.99", "price": 29.99, "image": null}]}, "seller_id": "AEPXIZQ2B3GAV", "seller_name": "Dusty's Beef Jerky", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B004PCJTR4", "category": "grocery", "query": "Meat Substitutes", "page": 98, "small_description_old": "About this item CELEBRATING 50 YEARS OF HIGH-QUALITY MEAT SNACKS - Since 1969, Old Trapper has been dedicated to providing the highest quality, best tasting snack available. That 50 years of experience, complemented by continued investments in state-of-the-art processes, results in top-quality products that are distributed nationwide. Old Trapper offers a full line of premium meat snacks. BEEF JERKY, SMOKED THE OLD FASHIONED WAY - All Old Trapper products are still smoked the old fashioned way, using real wood chips, giving it that distinct smoky flavor that people keep coming back for. If that\u2019s not enough, our teriyaki flavored jerky adds some sweetness to the mix making it a nearly unstoppable snack. LOW in carbohydrates and 5 grams sugar with 11 grams of protein per serving, they represent a keto-friendly snack. SMOKED THE OLD FASHIONED WAY, WITH A UNIQUE TERIYAKI TWIST - To create the unique salty-sweet flavor in our Teriyaki beef jerky, we marinate lean beef strips in soy sauce and apple cider vinegar, season the cuts with our own mix of spices, then smoke them with real wood until they\u2019re tender, juicy, and delicious. You deserve the best, eat Old Trapper. TASTE OF HEAVEN - Hands down, this will be the best-tasting beef jerky you'll ever get your hands on. Take us up on our offer, and discover the tender, never tough beef jerky that will be the best you\u2019ve ever tasted."}, {"name": "3D Virtual Reality Glasses - VR Headset for Phones, Virtual Reality Glasses with Wireless Headset Goggles, VR Glasses for Movies and Games with Remote Control", "product_information": {"Manufacturer": "Lunyan", "ASIN": "B09P42GFBR"}, "brand": "Brand: Lunyan", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Lunyan", "full_description": "\u2661 Vr Headset For Phones 3D Virtual Reality Glasses With Wireless Headset Goggles For Movies And Games With Remote Control \u2661 \u2661 Description\uff1a \u2661 VR glasses: This VR headset is smaller than you think. It is not only suitable for family use, but also suitable for travel. You can easily turn your smartphone into a private 3D theater/game scene, allowing you to be immersed in virtual reality at any time and enjoy stunning 3D effects. \u2661 The earphones have their own earphones. Take out the cable from the glasses and insert the 3mm earphone jack to connect to the earphones. \u2661 The myopia vision is less than 800 degrees. You can adjust the clarity by adjusting the button sliding button on the VR below, so that people with myopia can see without using silver mirrors. \u2661 Compact and foldable design: smaller than you think, compact and foldable, the shell is made of stylish and elegant white leather, which fits the face without air leakage and has better air permeability. Suitable for home, travel, outdoor and various activities. \u2661 Size: 21x11x23cm \u2661 \u2661 Notice: \u2661 The VR QR code is the product manual. Each mobile phone may use a different APP to scan, and sometimes it is impossible to scan the QR code, but don't worry, every VR has a paper manual. \u2661 If you feel dizzy during use, please take it off and rest for a while. It may be dizzy for 3 days. \u2661 When using this product, it is recommended to use Apple's original headset adapter cable (LT to 3.5mm) for Apple mobile phones. Non-original adapter cable, the button function on the glasses will not be used \u2661 \u2661 Include: \u2661 1xVR glasses \u2661 1x manual \u2661 1x Bluetooth remote control", "pricing": "$143.30", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31DanoFR0AL.jpg", "https://m.media-amazon.com/images/I/41XEVI-ADjL.jpg", "https://m.media-amazon.com/images/I/51486PKq56L.jpg", "https://m.media-amazon.com/images/I/41lJwMd1zVL.jpg", "https://m.media-amazon.com/images/I/51Y+QHxJ3YL.jpg", "https://m.media-amazon.com/images/I/41Kek1XfjXL.jpg", "https://m.media-amazon.com/images/I/51k8Fqb94EL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Virtual Reality (VR) Headsets", "average_rating": "", "small_description": ["3D Virtual Reality Glasses: This VR headset is smaller than you think. It is not only suitable for family use, but also suitable for travel. You can easily turn your smartphone into a private 3D theater/game scene, allowing you to be immersed in virtual reality at any time and enjoy stunning 3D effects. ", "The best gift for children, family and friends: Are you still worrying about choosing a gift? This 3D VR headset is the best gift for children\u2019s family and friends. Wireless connection, blue light goggles, FOV 120\u00b0 wide viewing angle, eye protection aspheric optical lens, suitable for children/sons/daughters/men/women/mothers/fathers/grandmothers. VR goggles with headbands are an original gift for those who like new technologies and gadgets. ", "Fashion and Comfort: In order to let you experience our products better, we have added some brand new design elements. We use skin-friendly, fashionable and elegant white PU leather, which is more breathable and comfortable to wear. In terms of weight and volume, we have adopted ultra-light materials and a retractable folding earphone design. In terms of lenses, we use anti-blue, 55mm high-definition independent large lenses, which can reduce users\u2019 eye fatigue and protect eyesight. ", "Compact and Foldable Design: smaller than you think, compact and foldable, the shell is made of stylish and elegant white leather, which fits the face without air leakage and has better air permeability. Suitable for home, travel, outdoor and various activities. ", "Worry Free Shopping: We are committed to giving you premium quality products that are worth every penny. Quick and friendly services will be provided. If you have any questions or need any help, please contact us. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "A", "price_string": "$143.30", "price": 143.3, "image": "https://m.media-amazon.com/images/I/31DanoFR0AL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P3YHGC8/ref=twister_B09P438NM3?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$153.30", "price": 153.3, "image": "https://m.media-amazon.com/images/I/41xdSWXE9WL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P41FHLG/ref=twister_B09P438NM3?_encoding=UTF8&psc=1", "value": "White", "price_string": "$153.30", "price": 153.3, "image": "https://m.media-amazon.com/images/I/311cjTswalL.jpg"}]}, "seller_id": "A3HF4F1732Y2C", "seller_name": "Lunyan", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09P42GFBR", "category": "electronics", "query": "Virtual Reality", "page": 76, "small_description_old": "3D Virtual Reality Glasses: This VR headset is smaller than you think. It is not only suitable for family use, but also suitable for travel. You can easily turn your smartphone into a private 3D theater/game scene, allowing you to be immersed in virtual reality at any time and enjoy stunning 3D effects. The best gift for children, family and friends: Are you still worrying about choosing a gift? This 3D VR headset is the best gift for children\u2019s family and friends. Wireless connection, blue light goggles, FOV 120\u00b0 wide viewing angle, eye protection aspheric optical lens, suitable for children/sons/daughters/men/women/mothers/fathers/grandmothers. VR goggles with headbands are an original gift for those who like new technologies and gadgets. Fashion and Comfort: In order to let you experience our products better, we have added some brand new design elements. We use skin-friendly, fashionable and elegant white PU leather, which is more breathable and comfortable to wear. In terms of weight and volume, we have adopted ultra-light materials and a retractable folding earphone design. In terms of lenses, we use anti-blue, 55mm high-definition independent large lenses, which can reduce users\u2019 eye fatigue and protect eyesight. Compact and Foldable Design: smaller than you think, compact and foldable, the shell is made of stylish and elegant white leather, which fits the face without air leakage and has better air permeability. Suitable for home, travel, outdoor and various activities. Worry Free Shopping: We are committed to giving you premium quality products that are worth every penny. Quick and friendly services will be provided. If you have any questions or need any help, please contact us."}, {"name": "Need Some Hank & A Drank Country Music T Shirt for Rednecks", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10 x 8 x 1 inches; 4.8 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n February 8, 2018", "Manufacturer\n \u200f": "\u200e\n Need Some Hank & A Drank Country Music T Shirt for", "ASIN\n \u200f": "\u200e\n B079PH6955", "Best Sellers Rank": "#154,252 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#4,340 in Men's Novelty T-Shirts #6,443 in Women's Novelty Clothing #42,286 in Men's Fashion", "#4,340 in Men's Novelty T-Shirts": "", "#6,443 in Women's Novelty Clothing": "", "#42,286 in Men's Fashion": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Need Some Hank & A Drank Country Music T Shirt for", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Need+Some+Hank+%26+A+Drank+Country+Music+T+Shirt+for", "full_description": "", "pricing": "$15.49", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/A13usaonutL.png", "https://m.media-amazon.com/images/I/417S+7cf-vL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Men \u203a Shirts \u203a T-Shirts", "average_rating": 4.6, "small_description": ["Deep South Redneck gift for your best friend or family member who loves country music and enjoys drinking a cold beer with friends! To shop other attractive music tshirts, please search Birdie's Nest Music! ", "Drinking & Country Music TShirt for Rednecks \"I Need Some Hank and Something to Drank!\" To shop this design in other styles and colors, please search Birdie's Nest Country Music Rednecks! who loves country music and enjoys drinking a cold beer with friends ", "Lightweight, Classic fit, Double-needle sleeve and bottom hem "], "total_reviews": 125, "total_answered_questions": "", "customization_options": {"Fit Type": [{"is_selected": true, "url": null, "value": "Men", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B079PH6955?_encoding=UTF8&customId=B07HPWDCG8", "value": "Women", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1XSsTFkLlL.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B079PH6955?_encoding=UTF8&customId=B07537HQXD", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1vJUKBjc2L.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B079PH6955?_encoding=UTF8&customId=B0752XJYTP", "value": "Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1KLfOmCn7S.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B079PH6955?_encoding=UTF8&customId=B07535YCL2", "value": "Olive", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1UOGf%2BzWMS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B079PH6955?_encoding=UTF8&customId=B07537PB8C", "value": "Dark Heather", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1MuEgxHlwS.png"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B0752XJYNL"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07535Y9T6"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07537P4T9"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07538GWNZ"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07537PKB3"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B07535YF3H"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B079PH6955", "category": "fashion", "query": "Men's T-Shirts & Tanks", "page": 100, "small_description_old": "Deep South Redneck gift for your best friend or family member who loves country music and enjoys drinking a cold beer with friends! To shop other attractive music tshirts, please search Birdie's Nest Music! Drinking & Country Music TShirt for Rednecks \"I Need Some Hank and Something to Drank!\" To shop this design in other styles and colors, please search Birdie's Nest Country Music Rednecks! who loves country music and enjoys drinking a cold beer with friends Lightweight, Classic fit, Double-needle sleeve and bottom hem"}, {"name": "Yesallwas 4D Eyebrow Tattoo Sticker 20-Pairs False Eyebrows Long Lasting Waterproof Makeup Eyebrow Transfers Stickers for Women Lady 2 Sheets (MM-05)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.38 x 8.31 x 0.16 inches; 0.49 Ounces", "Item model number\n \u200f": "\u200e\n LK248-MM-05-US", "Manufacturer\n \u200f": "\u200e\n Yesallwas", "ASIN\n \u200f": "\u200e\n B08FMSRJRP", "Best Sellers Rank": "#275,556 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#2,435 in Temporary Tattoos", "#2,435 in Temporary Tattoos": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Yesallwas Store", "brand_url": "https://www.amazon.com/stores/Yesallwas/page/0CAD1678-0EE8-420C-93A2-CBA61DBE975F?ref_=ast_bln", "full_description": "", "pricing": "$5.99", "list_price": "", "availability_quantity": 5, "availability_status": "Only 5 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41iYpnloUsL.jpg", "https://m.media-amazon.com/images/I/51+dANDLP9L.jpg", "https://m.media-amazon.com/images/I/51JaBjD5MvL.jpg", "https://m.media-amazon.com/images/I/51pUAu7+8pL.jpg", "https://m.media-amazon.com/images/I/41zOdCpkSCL.jpg", "https://m.media-amazon.com/images/I/51glSsUycGL.jpg", "https://m.media-amazon.com/images/I/51hm5V6sBYL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Body \u203a Temporary Tattoos", "average_rating": 3.2, "small_description": ["Inclound:2 sheets eyebrows transfers tattoo sticker, each style has different size eyebrows to meet different requirements. ", "Unlike cosmetic tattooing and permanent embroidery, our brows cause absolutely no harm or wounds to skin with no recovery time. Stick on and stay gorgeous! ", "Whether you fancy a sharps arch, a gentle curve, or a straighter structure, you can find the perfect brows from our selection to flatter your face shape. ", "These stick-on brows instantly transform your look with full and naturals brows.Eyebrows on fleek in seconds! ", "Forget about messy application with glues or excess ink and powder all over your face. Just dap some water and peel \u2013 you are all DONE! "], "total_reviews": 70, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08FMS2NY1/ref=twister_B08FMSW5W4?_encoding=UTF8&psc=1", "value": "JD-01", "price_string": "$5.99", "price": 5.99, "image": "https://m.media-amazon.com/images/I/51khAXcI1zL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08FMSVWHG/ref=twister_B08FMSW5W4?_encoding=UTF8&psc=1", "value": "JD-03", "price_string": "$5.99", "price": 5.99, "image": "https://m.media-amazon.com/images/I/51nUOaHOxxL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08FMRYJ2J/ref=twister_B08FMSW5W4?_encoding=UTF8&psc=1", "value": "JD-06", "price_string": "$4.19", "price": 4.19, "image": "https://m.media-amazon.com/images/I/51tvxCtMKlL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08FMS3RMK/ref=twister_B08FMSW5W4?_encoding=UTF8&psc=1", "value": "JD-11", "price_string": "$5.99", "price": 5.99, "image": "https://m.media-amazon.com/images/I/51xNJb53cXS.jpg"}, {"is_selected": true, "url": null, "value": "MM-05", "price_string": "$5.99", "price": 5.99, "image": "https://m.media-amazon.com/images/I/41iYpnloUsL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08FMS35BW/ref=twister_B08FMSW5W4?_encoding=UTF8&psc=1", "value": "MM-10", "price_string": "$5.99", "price": 5.99, "image": "https://m.media-amazon.com/images/I/51vIbG2gAdL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08FMS5MZM/ref=twister_B08FMSW5W4?_encoding=UTF8&psc=1", "value": "MM-10X", "price_string": "$5.99", "price": 5.99, "image": "https://m.media-amazon.com/images/I/41sZbkSTEeL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08FMTLH1V/ref=twister_B08FMSW5W4?_encoding=UTF8&psc=1", "value": "MM-11", "price_string": "$4.19", "price": 4.19, "image": "https://m.media-amazon.com/images/I/41yiQfuqy+L.jpg"}]}, "seller_id": "A1C68M29AAIJKI", "seller_name": "Yesallwas Shop", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08FMSRJRP", "category": "beauty", "query": "Makeup Remover", "page": 171, "small_description_old": "About this item Inclound:2 sheets eyebrows transfers tattoo sticker, each style has different size eyebrows to meet different requirements. Unlike cosmetic tattooing and permanent embroidery, our brows cause absolutely no harm or wounds to skin with no recovery time. Stick on and stay gorgeous! Whether you fancy a sharps arch, a gentle curve, or a straighter structure, you can find the perfect brows from our selection to flatter your face shape. These stick-on brows instantly transform your look with full and naturals brows.Eyebrows on fleek in seconds! Forget about messy application with glues or excess ink and powder all over your face. Just dap some water and peel \u2013 you are all DONE!"}, {"name": "Spa Savvy Shower Cap and Twist Hair Turban Duo, Enhance Your Shower Experience with this Complete Set, Fully Lined Shower Cap, Microfiber Turban (Green)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.41 x 6.46 x 1.61 inches; 3.21 Ounces", "UPC\n \u200f": "\u200e\n 810063234669", "Manufacturer\n \u200f": "\u200e\n Donnamax Inc.", "ASIN\n \u200f": "\u200e\n B098824K9T", "Country of Origin\n \u200f": "\u200e\n China", "Best Sellers Rank": "#835,089 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#3,612 in Shower Caps", "#3,612 in Shower Caps": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Spa Savvy", "brand_url": "https://www.amazon.com/Spa-Savvy/b/ref=bl_dp_s_web_10780271011?ie=UTF8&node=10780271011&field-lbr_brands_browse-bin=Spa+Savvy", "full_description": "This 2 piece set will always keep you covered and dry when you wash your hair or if you go for a quick rinse. The Spa Savvy Twist Hair Turban is made of 100% microfiber which is lightweight and 8x more absorbent than cotton. It holds 4x the amount of water of non-microfiber towels and dries hair gently and efficiently with less frizz, split ends and hair breakage. Use the Spa Savvy Bouffant Shower Cap to keep hair dry while showering and bathing. The fully cinched band keeps hair secure to ensure hair stays dry. Fully lined for double moisture protection. Its bouffant shape will not flatten hair and will help your blow out last longer.", "pricing": "$11.99", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41xbK6I-UNS.jpg", "https://m.media-amazon.com/images/I/41yeipFYcUS.jpg", "https://m.media-amazon.com/images/I/41sk8WeHcWS.jpg", "https://m.media-amazon.com/images/I/41AH7Xf2c5S.jpg", "https://m.media-amazon.com/images/I/41rY7SBTQnS.jpg", "https://m.media-amazon.com/images/I/51fkOM7n0iL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Bath & Bathing Accessories \u203a Bathing Accessories \u203a Shower Caps", "average_rating": 4.2, "small_description": ["COMPLETE SHOWER SET: Get all your shower hair care accessories in one place with our Twist Turban and Shower Cap Duo. ", "WATERPROOF EXTERIOR: Make sure your hair stays dry and comfortable with the Spa Savvy Woven Printed Shower Cap. Nylon exterior ensures a clean and dry flow of hair after your shower. ", "ELASTIC BAND: Keep your cap in place with our gentle but secure cinched elastic band. ", "DRY YOUR HAIR FASTER: Our microfiber hair towel is made from a revolutionary material that is extremely soft to the touch, super absorbent and fast drying. The advanced fabric absorbs more than 10 times its weight in water. This means that it'll work faster and more efficiently to dry you off, and it'll stay fresh longer because it dries out quickly. ", "SUPER EASY TO USE: Just drape the towel over the front of your head, twist around your hair, and pull back over to secure the towel in place around convenient button loop. ", "THE SPA SAVVY WAY: Spa Savvy has been a well trusted and respected brand for over 25 years bringing you the highest quality bathing and beauty accessories. "], "total_reviews": 3, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Green", "price_string": "$11.99", "price": 11.99, "image": "https://m.media-amazon.com/images/I/41xbK6I-UNS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0987ZRYZR/ref=twister_B098826QS8?_encoding=UTF8&psc=1", "value": "Purple", "price_string": "$11.99", "price": 11.99, "image": "https://m.media-amazon.com/images/I/41WNeJnVU9S.jpg"}]}, "seller_id": "A3HY4CQVEE5CX6", "seller_name": "Verified Wellness", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B098824K9T", "category": "beauty", "query": "Bathing Accessories", "page": 66, "small_description_old": "About this item COMPLETE SHOWER SET: Get all your shower hair care accessories in one place with our Twist Turban and Shower Cap Duo. WATERPROOF EXTERIOR: Make sure your hair stays dry and comfortable with the Spa Savvy Woven Printed Shower Cap. Nylon exterior ensures a clean and dry flow of hair after your shower. ELASTIC BAND: Keep your cap in place with our gentle but secure cinched elastic band. DRY YOUR HAIR FASTER: Our microfiber hair towel is made from a revolutionary material that is extremely soft to the touch, super absorbent and fast drying. The advanced fabric absorbs more than 10 times its weight in water. This means that it'll work faster and more efficiently to dry you off, and it'll stay fresh longer because it dries out quickly. SUPER EASY TO USE: Just drape the towel over the front of your head, twist around your hair, and pull back over to secure the towel in place around convenient button loop. THE SPA SAVVY WAY: Spa Savvy has been a well trusted and respected brand for over 25 years bringing you the highest quality bathing and beauty accessories."}, {"name": "Mean Well NDR-480-24 480W 20A 24VDC Single Output AC to DC DIN Rail Power Supply (NDR Series Economical Model EMC EN55022 Class B)", "product_information": {"Package Dimensions": "6.81 x 6.06 x 4.8 inches", "Item Weight": "3.3 pounds", "Manufacturer": "MEAN WELL ENTERPRISES CO., LTD.", "ASIN": "B087C56PZQ", "Customer Reviews": {"ratings_count": 2, "stars": "3.9 out of 5 stars"}, "Best Sellers Rank": ["#844 in Computer Uninterruptible Power Supply Units"], "Date First Available": "May 21, 2020"}, "brand": "Brand: MEAN WELL", "brand_url": "https://www.amazon.com/MEAN-WELL/b/ref=bl_dp_s_web_9345416011?ie=UTF8&node=9345416011&field-lbr_brands_browse-bin=MEAN+WELL", "full_description": "Safely convert alternating currents into direct currents that your electronic devices can make use of with this NDR-480-24 AC to DC power supply. It has a voltage of 24 V and maximum output power of 480 W. This part's single output can handle a current up to 20 A. This part has a temperature range of -20 \u00b0C to 70 \u00b0C.", "pricing": "$108.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41trKIMU-DL.jpg", "https://m.media-amazon.com/images/I/41NtQPwbaNL.jpg", "https://m.media-amazon.com/images/I/51oCDjoE+7L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Computer Accessories & Peripherals \u203a Uninterruptible Power Supply (UPS)", "average_rating": 3.9, "small_description": [""], "total_reviews": 2, "total_answered_questions": "", "customization_options": "", "seller_id": "A28HQ7WE3N597P", "seller_name": "Kawaguchi-US", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B087C56PZQ", "category": "electronics", "query": "Power Protection", "page": 126, "small_description_old": ""}, {"name": "DeMet's Turtles Milk Chocolate Caramel Nut Cluster Bar (1.76 Ounce, 3-Piece Bar, 24 Count), Perfect Grab-N-Go Snack or Sit & Savor", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 2.8 x 9.02 x 1.42 inches; 2.64 Pounds", "Item model number\n \u200f": "\u200e\n 872181005019", "UPC\n \u200f": "\u200e\n 872181005033", "Manufacturer\n \u200f": "\u200e\n Turtles", "ASIN\n \u200f": "\u200e\n B0017WNF34", "Best Sellers Rank": "#71,720 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#56 in Nut Cluster Candy #1,839 in Candy & Chocolate Bars", "#56 in Nut Cluster Candy": "", "#1,839 in Candy & Chocolate Bars": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the DeMet's Turtles Store", "brand_url": "https://www.amazon.com/stores/DemetsTurtles/page/222E5EA5-0621-45EE-9D01-ED4695C3FC6B?ref_=ast_bln", "full_description": "", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31BQ1W+4hjL.jpg", "https://m.media-amazon.com/images/I/51oUAogUcRL.jpg", "https://m.media-amazon.com/images/I/31t0Fz9TBWL.jpg", "https://m.media-amazon.com/images/I/41wohorUYvL.jpg", "https://m.media-amazon.com/images/I/41kJhLCJAHL.jpg", "https://m.media-amazon.com/images/I/21lT-zw9YuL.jpg", "https://m.media-amazon.com/images/I/51DX0q8Gk9L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Chocolate \u203a Candy & Chocolate Bars", "average_rating": 4.6, "small_description": ["CLASSIC PECAN CLUSTERS: When you\u2019re craving creamy caramel, crunchy pecans and luscious chocolate, reach for a Turtles Classic Bar, but don\u2019t forget to keep a few for you too ", "BURSTING WITH FLAVOR: Three ingredients that can perk up any pallet or day, Turtles are bursting with pecans and caramel wrapped up in milk chocolate for a taste that's made to delight ", "EVERYONE LOVES TURTLES: Named for the iconic shape the original nut cluster resembles, no two Turtles are the same; It\u2019s no surprise that Turtles clusters have been popular for more than 100 years ", "CLASSIC SWEET TREAT: In 1916 Chicago candy maker George DeMet struck gold with Turtles, taking the chocolate industry by storm by revolutionizing the classic sweet treat of chocolate-dipped-pecans ", "TRY THEM ALL: Turtles come in a variety of sizes, including Bites, Minis and Bars, as well as our Classic Gift Box. "], "total_reviews": 446, "total_answered_questions": 4, "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "1.76 Ounce (Pack of 24)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07PXXJQXW/ref=twister_B09HL9J5PP?_encoding=UTF8&psc=1", "value": "17.5 Ounce (Pack of 1)", "price_string": "", "price": 0, "image": null}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B0017WNF34", "category": "grocery", "query": "Snack Food Gifts", "page": 390, "small_description_old": "About this item CLASSIC PECAN CLUSTERS: When you\u2019re craving creamy caramel, crunchy pecans and luscious chocolate, reach for a Turtles Classic Bar, but don\u2019t forget to keep a few for you too BURSTING WITH FLAVOR: Three ingredients that can perk up any pallet or day, Turtles are bursting with pecans and caramel wrapped up in milk chocolate for a taste that's made to delight EVERYONE LOVES TURTLES: Named for the iconic shape the original nut cluster resembles, no two Turtles are the same; It\u2019s no surprise that Turtles clusters have been popular for more than 100 years CLASSIC SWEET TREAT: In 1916 Chicago candy maker George DeMet struck gold with Turtles, taking the chocolate industry by storm by revolutionizing the classic sweet treat of chocolate-dipped-pecans TRY THEM ALL: Turtles come in a variety of sizes, including Bites, Minis and Bars, as well as our Classic Gift Box."}, {"name": "Monbix 3 Piece Queen Bed Set All Season Luxury Breathable Microfiber Bedding Collection Cozy Comforter Set Soft Washable Foil Marble Pattern Grey with Shams", "product_information": {"Package Dimensions": "16.69 x 12.76 x 7.64 inches", "Item Weight": "7.3 pounds", "Department": "Womens", "Manufacturer": "Monbix", "ASIN": "B09KWX51GJ", "Customer Reviews": {"ratings_count": 186, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#9,722 in Home & Kitchen (See Top 100 in Home & Kitchen) #53 in Bedding Comforter Sets"], "Date First Available": "December 5, 2021"}, "brand": "Visit the Monbix Store", "brand_url": "https://www.amazon.com/stores/Monbix/page/20EA9AD6-F8E1-4A97-AE75-B304D48F7DFC?ref_=ast_bln", "full_description": "", "pricing": "$49.99", "list_price": "", "availability_quantity": 7, "availability_status": "Only 7 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51CeT4nI48L.jpg", "https://m.media-amazon.com/images/I/51LP0bbyr3L.jpg", "https://m.media-amazon.com/images/I/51ey1N2szoL.jpg", "https://m.media-amazon.com/images/I/51VvJv2AVwL.jpg", "https://m.media-amazon.com/images/I/41QlTRYVLTL.jpg", "https://m.media-amazon.com/images/I/41Q1IxuFvTL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Comforters & Sets \u203a Comforter Sets", "average_rating": 4.5, "small_description": ["Monbix faux fur comforter set uses the printed faux fur fabric and sherpa with ultra soft treatment. The black and white buffalo design fabric not only lightens your bedroom with modern elegance, but also gives silky skin touch, and, most importantly, the premium fabric technique ensures durability after washing care. ", "Monbix comforter is filled with superior brand new poly filling called \"Cloud Fill\". As it is said, the filling gives you unparalleled softness which makes you feel like sleeping in the cloud. It gives you breathable warmth with reasonable weight. You may enjoy your wonderful sleep with our comforter. ", "Monbix comforter is made with delicate sewing and quilting technique. You can easily notice the high quality and durability with the technique. ", "Monbix comforter is very easy to care. Please follow our care instructions to care the comforter set. Machine wash cold separately. Gentle cycle. Tumble dry low. Do not bleach. Do not iron. ", "Tips: Monbix comforter set is in vacuumed packing, We strongly recommend to hang it in the sun, tapping it gently and using it after 24 hours. "], "total_reviews": 186, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09NR1JDMG/ref=twister_B09R1Y5R2N?_encoding=UTF8&psc=1", "value": "Buffalo", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51IwQKFzNUL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096MQ7ZWX/ref=twister_B09R1Y5R2N?_encoding=UTF8&psc=1", "value": "Grey Geometric", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51OFlHzpBlL.jpg"}, {"is_selected": true, "url": null, "value": "Grey Marble", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51CeT4nI48L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096MSCS38/ref=twister_B09R1Y5R2N?_encoding=UTF8&psc=1", "value": "Pink Geometric", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51JDqx06sgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KX9RCF5/ref=twister_B09R1Y5R2N?_encoding=UTF8&psc=1", "value": "Pink Marble", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51fjPH1yYpL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KX3835T/ref=twister_B09R1Y5R2N", "value": "Blue Geometric", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/510T42HncPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096Y2DV5C/ref=twister_B09R1Y5R2N", "value": "Blue Reversible", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41sePkCOp4L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NZLDC6C/ref=twister_B09R1Y5R2N", "value": "Boho", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51AQMM7GnYL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096FRWRRM/ref=twister_B09R1Y5R2N", "value": "Grey Reversible", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41RkO3GBjSL.jpg"}], "Size": [{"is_selected": true, "url": null, "value": "3pc Queen(88\"x88\")", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KX3835T/ref=twister_B09R1Y5R2N", "value": "5pc Queen(88\"x88\")", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096Y2DV5C/ref=twister_B09R1Y5R2N", "value": "8pc Queen(88\"x88\")", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NR1GS83/ref=twister_B09R1Y5R2N", "value": "3pc King(102\"x90\")", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KX2LS6S/ref=twister_B09R1Y5R2N", "value": "5pc King(102\"x90\")", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096FR7LDZ/ref=twister_B09R1Y5R2N", "value": "8pc King(102\"x90\")", "price_string": "", "price": 0, "image": null}]}, "seller_id": "AMVSA2F4QB60V", "seller_name": "JiaJieXiaoLin", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09KWX51GJ", "category": "garden", "query": "Beds", "page": 367, "small_description_old": "About this item\n \nMonbix foil marble comforter set uses the innovated foil printing microfiber fabric that has been treated for extra softness. The foiled marble design fabric not only lightens your bedroom with modern fashion, but also gives silky skin touch, and, most importantly, the premium fabric technique ensures durability after washing care. Monbix comforter set is filled with premium poly filling called \"Cloud Fill\", which gives you an unparalleled softness that makes you feel like sleeping on a marshmallow. Just the right amount of weight gives the comfortable gravity feel and provides you with breathable warmth for a good night's sleep with our comforter in all seasons. Monbix comforter is made with delicate sewing and quilting technique. You can easily notice the high quality and durability with the technique. Easy care instructions for this comforter set: Machine wash cold separately. Gentle cycle. Tumble dry low. Do not bleach. Do not iron. Tips: Monbix comforter set is in vacuumed packing, We strongly recommend to hang it in the sun, tapping it gently and using it after 24 hours."}, {"name": "Milwaukee Leather MBM9075 Men's Black 6-inch Plain Toe Dual Zipper Lock Leather Boots", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 15 x 21 x 6 inches; 5.04 Pounds", "Item model number\n \u200f": "\u200e\n MBM9075-7-BLK", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n April 28, 2016", "Manufacturer\n \u200f": "\u200e\n Milwaukee Leather", "ASIN\n \u200f": "\u200e\n B01EX1BR4O", "Best Sellers Rank": "#350,180 in Automotive (See Top 100 in Automotive)#142 in Men's Motorcycle Protective Boots", "#142 in Men's Motorcycle Protective Boots": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Milwaukee Leather Store", "brand_url": "https://www.amazon.com/stores/MilwaukeeLeather/page/C78E3276-B5AC-42BE-90AE-E92ED7328956?ref_=ast_bln", "full_description": "Milwaukee Leather MBM9075 Men\u2019s Black 6-inch Plain Toe Dual Zipper Lock Leather Boots Features Made of Full Grain Premium 2.2mm Thick Cowhide Waterproof Leather 6-inch Dual Zipper Closure Design Oil and Acid Resistant Outsole Non-Skid and Non-Marking Tread Step in with J-Toe Design Welt Construction Rounded Top Smart Mask Climate Control Insole Flex Power Toe Design Linings are Moisture Wicking, Designed to Work with Your Body\u2019s Temperature Milwaukee Signature Hardware Milwaukee Leather: Made for Riders, Built to Last", "pricing": "$99.82$134.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41CVJTO6jXL.jpg", "https://m.media-amazon.com/images/I/41nn78vT8oL.jpg", "https://m.media-amazon.com/images/I/31w4K1KfJjL.jpg", "https://m.media-amazon.com/images/I/413EpQtd5EL.jpg", "https://m.media-amazon.com/images/I/41vrdjSNgvL.jpg", "https://m.media-amazon.com/images/I/41zWfpud2sL.jpg", "https://m.media-amazon.com/images/I/412JCsxqXLL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Boots \u203a Motorcycle & Combat", "average_rating": 4.5, "small_description": ["100% Leather ", "Leather lining ", "Zip closure ", "\u2705 Made of Full Grain Premium 2.2mm Thick Cowhide Waterproof Leather, 6 Inch Dual Zipper Closure Design ", "\u2705 Welt Construction, Non-Skid and Non-Marking Tread, Oil and Acid Resistant Outsole, Step in with J-Toe Design, Flex Power Toe Design, Rounded Top ", "\u2705 Linings are Moisture Wicking Designed to Work with Your Body\u2019s Temperature, Smart Mask Climate Control Insole, Milwaukee Signature Hardware ", "\u2705 Milwaukee Leather - Once You Have It, You Love It. High Quality Boots, Long Lasting, Perfect For Riding or Daily Wear ", "\u2705 Buy With Confidence Buy Direct From Our Factory And Save Hundreds! "], "total_reviews": 23, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "7", "asin": "B01EX1BR4O"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B01EX1BTGA"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B01EX1BTJW"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B01EX1BTH4"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B01EX1BTI8"}, {"is_selected": false, "is_available": true, "value": "9.5", "asin": "B01EX1BTF6"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B01EX1BTII"}, {"is_selected": false, "is_available": true, "value": "10.5", "asin": "B01EX1BTK6"}, {"is_selected": false, "is_available": true, "value": "11 Wide", "asin": "B01EX1BWBW"}, {"is_selected": false, "is_available": true, "value": "11.5", "asin": "B01EX1BWAI"}, {"is_selected": false, "is_available": true, "value": "12", "asin": "B01EX1BWE4"}, {"is_selected": false, "is_available": true, "value": "13", "asin": "B01EX1BWDK"}, {"is_selected": false, "is_available": true, "value": "14", "asin": "B01EX1BW8K"}, {"is_selected": false, "is_available": true, "value": "15", "asin": "B01EX1BW9Y"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01EX1BWE4", "category": "fashion", "query": "Men's Boots", "page": 147, "small_description_old": "100% Leather Leather lining Zip closure \u2705 Made of Full Grain Premium 2.2mm Thick Cowhide Waterproof Leather, 6 Inch Dual Zipper Closure Design \u2705 Welt Construction, Non-Skid and Non-Marking Tread, Oil and Acid Resistant Outsole, Step in with J-Toe Design, Flex Power Toe Design, Rounded Top \u2705 Linings are Moisture Wicking Designed to Work with Your Body\u2019s Temperature, Smart Mask Climate Control Insole, Milwaukee Signature Hardware \u2705 Milwaukee Leather - Once You Have It, You Love It. High Quality Boots, Long Lasting, Perfect For Riding or Daily Wear \u2705 Buy With Confidence Buy Direct From Our Factory And Save Hundreds!"}, {"name": "Tooth Brush,Gergxi1pc Super Hard bristles Tooth Brush for Men Remove Smoke Blots Color Random,Random", "product_information": {"Manufacturer": "Gergxi", "ASIN": "B09GLMTMHM", "Best Sellers Rank": ["#653,752 in Health & Household (See Top 100 in Health & Household) #3,362 in Manual Toothbrushes"]}, "brand": "Brand: Gergxi", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Gergxi", "full_description": "1pc Super hard bristles Tooth brush for Men Remove Smoke Blots color random Description: 100% brand new and high quality Circular power and cleaning tip bristles. Easy-to-grip handle,hard bristles,very practical. Helps remove tooth smoke stains and Coffee stains. Make your teeth white and healthy, great for daily use and travel use. Dentist advice: Change toothbrush in time is good for oral health. In order to protect your teeth better, you should change toothbrush every 3 months or 2 month. Material:PP+ charcoal fiber Product size: 18cm(approx) Color: random(as picture shown) Quantity: 1set(1pcs) weight: 15g Note: Transition: 1cm=10mm=0.39inch no retail package. Please allow 1-2cm error due to manual measurement. pls make sure you do not mind before you bid. Due to the difference between different monitors, the picture may not reflect the actual color of the item. Thank you! Package includes: 1set(1pcs) x Toothbrush(other accessories demo in the picture is not included.", "pricing": "$3.94", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51cDBXGeP5L.jpg", "https://m.media-amazon.com/images/I/51L3PrMAGpL.jpg", "https://m.media-amazon.com/images/I/51cDBXGeP5L.jpg", "https://m.media-amazon.com/images/I/31IFnXFY8tL.jpg", "https://m.media-amazon.com/images/I/51W-+WrTIiL.jpg", "https://m.media-amazon.com/images/I/41WG-0qQ+SL.jpg", "https://m.media-amazon.com/images/I/51zWftIfr0L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothbrushes & Accessories \u203a Manual Toothbrushes", "average_rating": "", "small_description": ["100% brand new and high quality ", "Circular power and cleaning tip bristles. ", "Candy color design, fashion toothbrush handle ", "Make your teeth white and healthy, great for daily use and travel use. ", "\ud83c\udfa1If you are not satisfied, please feel free to contact us, there is no reason for a full refund within thirty days. Your satisfaction is our greatest pursuit "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A14P32AL3VF0DM", "seller_name": "mkgjrir", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09GLMTMHM", "category": "beauty", "query": "Toothbrushes & Accessories", "page": 66, "small_description_old": "About this item\n \n100% brand new and high quality Circular power and cleaning tip bristles. Candy color design, fashion toothbrush handle Make your teeth white and healthy, great for daily use and travel use. \ud83c\udfa1If you are not satisfied, please feel free to contact us, there is no reason for a full refund within thirty days. Your satisfaction is our greatest pursuit"}, {"name": "Gogobebe Teal Green and Brown Flannel Fleece Throw Blanket for Sofa Couch Bed Retro Rustic Wood Grain Soft Cozy Lightweight Blanket for Adults/Kids 39x49inch", "product_information": {"Product Dimensions": "49 x 39 x 0.01 inches", "Item Weight": "13 ounces", "Manufacturer": "Gogobebe", "ASIN": "B09DG3YTHY", "Item model number": "FBAGOOGMX20210823BLSLEO00251MTAAGOO", "Customer Reviews": {"ratings_count": 210, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#135,643 in Home & Kitchen (See Top 100 in Home & Kitchen) #983 in Bed Throws"], "Material Care Instructions": "Machine Wash", "Batteries Required?": "No"}, "brand": "Brand: Gogobebe", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Gogobebe", "full_description": "BLANKET SIZE39x49inch/49x59inch/49x79inch/59x79inchMATERIALHigh quality fleece flannel fabricFEATUREUltra soft and warm,eco-friendly dyes make blankets healthier and skin-friendlyUSEAGEPerfect gift for your family and friends for Halloween,thanksgiving,Christmas,new year and Valentine's DayIt can be used as a sofa blanket,bed blanket,travel blanket,camping blanket,picnic blanket,Tapestry,perfect for sleeping,napping,snuggle with while watching TV on the couch,or reading on sofa and bed.STYLE CHOICEModern,abstract,bohemian,vintage,minimalistNOTEMachine wash in gentle cycle with cold water,tumble dry,no fading and shrinkingIf there are any quality problems with this blanket,please do not hesitate to contac us.", "pricing": "$31.39", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51NZ75l5FyL.jpg", "https://m.media-amazon.com/images/I/51xftoNYfrL.jpg", "https://m.media-amazon.com/images/I/51RHDqy4pLL.jpg", "https://m.media-amazon.com/images/I/51HsI7HtzgL.jpg", "https://m.media-amazon.com/images/I/51bVH45hEqL.jpg", "https://m.media-amazon.com/images/I/41ZQfQUg90L.jpg", "https://m.media-amazon.com/images/I/41rMJqX8CiL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Blankets & Throws \u203a Throws", "average_rating": 4.4, "small_description": ["Small Throw Blanket Size:39x49inches,Suitable for the couch,daybeds,nursery or porch sitting ", "Premium Fleece Blanket:High quality fleece flannel fabric,ultra soft and warm,eco-friendly dyes make blankets healthier and skin-friendly,good for kids/adults all season use ", "Elegant & Cute Blanket:Perfect gift for your family and friends for Halloween,thanksgiving,Christmas,new year and Valentine's Day.It can be used as a sofa blanket,bed blanket,travel blanket,camping blanket,picnic blanket,Tapestry,perfect for sleeping,napping,snuggle with while watching TV on the couch,or reading on sofa and bed. ", "Washable Flannel Blanket:Machine wash in gentle cycle with cold water,tumble dry,no fading and shrinking. ", "Sincere Service:Bright and beautiful color,look great on your couch/bed for a touch. We believe you will be very satisfied with our throw blanket.If there are any quality problems with this blanket,please do not hesitate to contac us. "], "total_reviews": 210, "total_answered_questions": "", "model": "FBAGOOGMX20210823BLSLEO00251MTAAGOO", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09JLZ5WV9/ref=twister_B07ZFBSLKG", "value": "39 x 49 in", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "39x49in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09DG28W8R/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "39x59in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09DG55TFM/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "49x59in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09DG3H5GF/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "49x79in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09DG39DBP/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "59x79in", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09JLZ5WV9/ref=twister_B07ZFBSLKG", "value": "Love32goo9557", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51UFsX1pepL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07ZFCTLYK/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Cartoon2goo8633", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51LkoUQXPfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07ZFCRT26/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Christmas 2374lgoo8402", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51DqJQHdpML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09DG5N2YJ/ref=twister_B07ZFBSLKG", "value": "Christmasgoo1747", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51jZOQFxtCL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07ZFDBL41/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Christmasgoo2799", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/519bEdos0GL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NXVJ3PL/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Clovergoo4857", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Vl5OVFcHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07ZFBY8R4/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Fish Scale1goo8111", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/515MM14ukyL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09DG5LQMD/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Graffiti1goo9830", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51YF+9R3ZdL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07ZFD36BL/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Halloween-018goo7397", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51pqq8A0mmL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099ZKZV22/ref=twister_B07ZFBSLKG", "value": "Halloweengoo6082", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61hdbmeEHkS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099ZJ3TPB/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Halloweengoo7556", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51nRLxXv8LS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07ZFD3JPB/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Paris Eiffel Tower1goo8867", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41O0SuLOr9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07ZFDY8VK/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Peacock2goo1111", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51C1xZbc6rL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NXYC259/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Shamrockgoo9573", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41IbRZu73pL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09DG2DS86/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Snowflakegoo5851", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Dn2GpKInS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07ZFB3WNQ/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Snowflakesgoo3985", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Nb0tauz0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07ZFLP9V5/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Starfish Beach8goo3481", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41RNogVTMWL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07ZFC16Y2/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Thanksgiving1goo6115", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51pIufC+1bL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099ZKSGDZ/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Thanksgivinggoo1780", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51WtxktEPtS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099ZKSG5Y/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Thanksgivinggoo4573", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51xpd-yWbgS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099ZM1RN1/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Thanksgivinggoo6016", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51ZVAJufq3S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099ZKB7K2/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Thanksgivinggoo9948", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51kcHspsuZS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09DG28W8V/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Tortoisegoo9511", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51EB1SpIcOL.jpg"}, {"is_selected": true, "url": null, "value": "Wood Grain4goo3989", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51bVH45hEqL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07ZFLKKDB/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "Wood Grain5goo6823", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Gxy+iv5ZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07ZFDC9CR/ref=twister_B07ZFBSLKG?_encoding=UTF8&psc=1", "value": "You Are My Sunshinegoo1809", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/416ohfHwTVL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07ZFF4Y3P/ref=twister_B07ZFBSLKG", "value": "Christmas-003goo3552", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51tUZG+0UwL.jpg"}]}, "seller_id": "A1LBGXO68G0FZP", "seller_name": "Gogobebe", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09DG3YTHY", "category": "garden", "query": "Throw Blankets", "page": 35, "small_description_old": "About this item Small Throw Blanket Size:39x49inches,Suitable for the couch,daybeds,nursery or porch sitting Premium Fleece Blanket:High quality fleece flannel fabric,ultra soft and warm,eco-friendly dyes make blankets healthier and skin-friendly,good for kids/adults all season use Elegant & Cute Blanket:Perfect gift for your family and friends for Halloween,thanksgiving,Christmas,new year and Valentine's Day.It can be used as a sofa blanket,bed blanket,travel blanket,camping blanket,picnic blanket,Tapestry,perfect for sleeping,napping,snuggle with while watching TV on the couch,or reading on sofa and bed. Washable Flannel Blanket:Machine wash in gentle cycle with cold water,tumble dry,no fading and shrinking. Sincere Service:Bright and beautiful color,look great on your couch/bed for a touch. We believe you will be very satisfied with our throw blanket.If there are any quality problems with this blanket,please do not hesitate to contac us."}, {"name": "Mini Spy Camera WiFi Wireless Hidden Video Camera 1080P Full HD Small Nanny Cam with Night Vision Motion Activated Indoor Covert Security Cameras Surveillance Cam for Car Home Office iPhone Android", "product_information": {"Package Dimensions": "5.6 x 3.5 x 1.7 inches", "Item Weight": "5.6 ounces", "ASIN": "B07X3TZQ27", "Item model number": "Alihomy-002", "Batteries": "1 Lithium ion batteries required. (included)", "Customer Reviews": {"ratings_count": 377, "stars": "2.7 out of 5 stars"}, "Best Sellers Rank": ["#5,265 in Camera & Photo Products (See Top 100 in Camera & Photo Products) #1,092 in Hidden Cameras"], "Date First Available": "August 27, 2019", "Manufacturer": "Alihomy"}, "brand": "Brand: EYZPDWA", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=EYZPDWA", "full_description": "Alihomy Wireless Hidden Spy Camera - The Great Choice for all of Your Surveillance Needs. Protect Your Entire Home of Indoor OutdoorFeatures:HD 1080P Video & 150\u00b0 Wide Angle Lens: With 150 degree wide angle lens, the mini spy camera allows you to see more details happening in the room. The quality lens also features 1080P video and pictures that perfect surveillance camera for your Office or business place.24/7 Home Security in Your Hands: Whenever you're using a smartphone/ tablet/ computer device, you can view the HD live streaming by the hidden camera's APP V380 Pro.Multi-User & Multi-View: One camera can support multiple users and one app can support multiple cameras simultaneous so you can check up on your property in real-time. Compatible with iOS, Android, Mac and Windows devices.Multi Use: You can put this mini camera in your home,office, warehouse,store,garden.It can also be used as a car camcorder, aerial action camera, pet camera, cop camera.Specifications:Function: Support WiFi, Video, Camera, Loop Recording, Motion Detection, Infrared Night Vision, Time Display.Resolution: 4K/2K/1080P/720PVideo Format: AVIPicture Format: JPEGFrame Number: 30fpsVisual Angle: 150 degreeRecording Range: 5 m2Compressed Format: H.264Recording Time: Over 1 hourCharging Time: 2.5 hoursVoltage input: DC 5V 1AInterface: MICRO USB InterfaceMaximum Memory Card Capacity: 32GB (NOT include)Package Includes:1x Updated Mini Camera1x Bracket1x Iron Sheets1x USB Charging Cables1x Mini USB Charging Cable1x InstructionFAQ1. Why SD card cannot save record?Please format the SD card when you first use.2.What's the APP? APP named \"V380 Pro\".3.Can't connect wifi?Do not tap \"+\" to add camera, JUST SLIDING DOWN the interface to add!Please contact us by email if you can't connect the camera successfully.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41ZN05go1WL.jpg", "https://m.media-amazon.com/images/I/417mmtmGfeL.jpg", "https://m.media-amazon.com/images/I/51mWgsRo+6L.jpg", "https://m.media-amazon.com/images/I/51eiPKWMvnL.jpg", "https://m.media-amazon.com/images/I/5191FPzvQzL.jpg", "https://m.media-amazon.com/images/I/41lbp4iEZ9L.jpg", "https://m.media-amazon.com/images/I/618Q1r3y+lL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Video Surveillance \u203a Surveillance Cameras \u203a Hidden Cameras", "average_rating": 2.7, "small_description": ["\u3010Full HD 1080P Spy Camera\u3011 Support 1080P HD Resolution Ratio. Alihomy small mini cam records video in exceptional 1920X1080P HD at 30 frames per second. Function with video, picture, loop recording, motion detective, infrared night vision, time display, magnetic, etc. Hidden Camera with 150\u00b0 wide angle view that can monitor anywhere in standard distance. ", "\u3010No-Glow IR Night Vision & Built-in Magnet\u3011 Built-in 6 hidden infrared lights for a clear display in low light condition(No-Glow in use), the light working distance reach to 5m which makes it perfect as a home security camera or a housekeeper/ nanny cam for recording both snapshot picture and videos without attracting any attention. With the internal magnet, Upgraded hidden camera can be adsorbed on any iron surfaces easily. ", "\u3010Longer Battery Time As A Mini WIFI Camera\u3011 Supports up to 32GB memory card and built-in 250mah battery, fully charged, can work about 60 minutes, Also you can get the camera plugged into a USB charger (or power bank) for recording 24/7 hours. With Wifi connectivity to room's 2.4GHz router(not support 5G wireless protocol), you can watch live video feed or playbacks no matter where you are by accessing the APP. ", "\u3010Advanced Motion Detection Alerts\u3011 The wireless hidden camera will send push notification with images to your phone once motion is detected. You can log into the App to see what\u2019s going on in real time and never worry about missing something important. This hidden spy cam automatically records and overwrites the oldest SD card files when full for continuous recording. ", "\u3010Works as a Normal Camera without WiFi\u3011 One camera can support multiple users and one app can support multiple cameras simultaneously. This spy camera features hotspots so it can record without Wi-Fi too: just insert a SD card (not included) and turn on, the mini WiFi camera will auto record HD video files to sd card; It can also record videos even if the network is offline. "], "total_reviews": 377, "total_answered_questions": 65, "model": "Alihomy-002", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07X3TZQ27", "category": "electronics", "query": "Video Surveillance", "page": 212, "small_description_old": "About this item\n \n\u3010Full HD 1080P Spy Camera\u3011 Support 1080P HD Resolution Ratio. Alihomy small mini cam records video in exceptional 1920X1080P HD at 30 frames per second. Function with video, picture, loop recording, motion detective, infrared night vision, time display, magnetic, etc. Hidden Camera with 150\u00b0 wide angle view that can monitor anywhere in standard distance. \u3010No-Glow IR Night Vision & Built-in Magnet\u3011 Built-in 6 hidden infrared lights for a clear display in low light condition(No-Glow in use), the light working distance reach to 5m which makes it perfect as a home security camera or a housekeeper/ nanny cam for recording both snapshot picture and videos without attracting any attention. With the internal magnet, Upgraded hidden camera can be adsorbed on any iron surfaces easily. \u3010Longer Battery Time As A Mini WIFI Camera\u3011 Supports up to 32GB memory card and built-in 250mah battery, fully charged, can work about 60 minutes, Also you can get the camera plugged into a USB charger (or power bank) for recording 24/7 hours. With Wifi connectivity to room's 2.4GHz router(not support 5G wireless protocol), you can watch live video feed or playbacks no matter where you are by accessing the APP. \u3010Advanced Motion Detection Alerts\u3011 The wireless hidden camera will send push notification with images to your phone once motion is detected. You can log into the App to see what\u2019s going on in real time and never worry about missing something important. This hidden spy cam automatically records and overwrites the oldest SD card files when full for continuous recording. \u3010Works as a Normal Camera without WiFi\u3011 One camera can support multiple users and one app can support multiple cameras simultaneously. This spy camera features hotspots so it can record without Wi-Fi too: just insert a SD card (not included) and turn on, the mini WiFi camera will auto record HD video files to sd card; It can also record videos even if the network is offline."}, {"name": "Black San Francisco Deebo Chain Logo T-Shirt", "product_information": {"Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n January 6, 2022", "ASIN\n \u200f": "\u200e\n B09PVQJ92M", "Best Sellers Rank": "#411,489 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#2,443 in Men's Athletic Shirts & Tees", "#2,443 in Men's Athletic Shirts & Tees": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Tobin Clothing", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Tobin+Clothing", "full_description": "", "pricing": "$18.49$21.49", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41yy1VUUbeL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Active \u203a Active Shirts & Tees", "average_rating": 5, "small_description": ["49ers Samuel Chain Logo Shirt ", "Shipping from the US! "], "total_reviews": 2, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09PVQJ92M"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09PVR4RWL"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09PVQ8DMP"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09PWCZWT3"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09PVR2V8R"}, {"is_selected": false, "is_available": true, "value": "6-8", "asin": "B09PVQB7TG"}, {"is_selected": false, "is_available": true, "value": "10-12", "asin": "B09PVQ18B8"}, {"is_selected": false, "is_available": true, "value": "14-16", "asin": "B09PVQ8DML"}, {"is_selected": false, "is_available": true, "value": "18-20", "asin": "B09PVPYWHB"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PVPYWHB", "category": "fashion", "query": "Men's T-Shirts & Tanks", "page": 164, "small_description_old": "49ers Samuel Chain Logo Shirt Shipping from the US!"}, {"name": "FABIURT Summer Tops for Women, Women Fashion Graphic Plus Tank Top Sleeveless Casual Tunic Loose Cross Tee Shirt Blouses", "product_information": {"Item model number\n \u200f": "\u200e\n Womens Tank Tops Clearance&Hot Sale", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n April 9, 2021", "Manufacturer\n \u200f": "\u200e\n Womens Summer Tops Under 5 Dollars", "ASIN\n \u200f": "\u200e\n B0923T9P8Y", "Best Sellers Rank": "#130,342 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,568 in Women's Tanks & Camis", "#1,568 in Women's Tanks & Camis": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: FABIURT", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=FABIURT", "full_description": "", "pricing": "$10.99$11.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41dQSMO39kL.jpg", "https://m.media-amazon.com/images/I/41MCHwH+kQL.jpg", "https://m.media-amazon.com/images/I/41p9IMM-IeL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Tops, Tees & Blouses \u203a Tanks & Camis", "average_rating": 2.8, "small_description": ["size closure ", "women crochet lace basic tank top sleeveless loose fitting tunic lace tunic tank tops for women women's summer sleeveless flowy lace trim loose tunic tank tops funny tank tops for women workout flowy adult humor side by side with sayings 2020 tank tops funny sayings for women fitness tank tops for women with funny sayings 2020 tank tops for women funny yoga tank lops for women built in bra pack graphic plus size open back loose fit cropped 3 pack built in bra pack lace tank tops for women sexy ", "flowy tank tops for women multipack petite dressy plus size pink set chiffon flowy workout tank tops for women womens crop top workout shirts loose flowy muscle tank pink flowy tank tops for women light pink tank tops for women flowy long tank lops for women plus size to wear with leggings layering pack 3x under 10 beige workout cotton xxl womens long tank tops for layering extra long layering tank tops for women long white layering tank tops for women beige tank tops for women plus size ", "cute tank tops for women with built in bracute tank tops for women xsred tank lops for women sexy dressy crop cropped v neck workout plus size athletic long with built in bra running tank tops for women with sayings loose built in bra dry fit inspirational funny sexy tank tops for women cleavage lace for sex plus size sexy tank tops for women 3x crop summer sleep with built in bra cleavage summer cleavage winter plus size sexy tank tops for women 3x basic sleeveless stretch outfit crop tank ", "white tunic tank tops for women short sleeve tunics for women plus size tunics for women tunics for women to wear with leggings summer tunics for women womens tunic tops tunic dresses for women plus size tunic women tunic tops womens tunic camisoles for women with built in bra lace camisoles for women white camisoles for women womens camisoles and tanks plus size camisoles for women camisoles for women cotton camisoles for women shelf bra camisoles for women long tunic tank tops for women ", "womens tops short sleeve casual womens tops and blouses womens tops and blouses plus size for work short sleeve dressy 3/4 sleeve plus size spring long sleeve summer boho plus size with flower sexy womens tops and blouses summer plus size short sleeve plus size and blouses summer 3/4 sleeve long sleeve womens plus size summer tops and blouses and tops for work short sleeve summer plus size womens flower tops and blouses summer "], "total_reviews": 84, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B097RK2B2Q"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B097RHBT2M"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B097RH92R6"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B097RGLZG6"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B097RJQ1JD"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B092W6FVB4/ref=twister_B099584L64", "value": "A1-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/413iu-RypFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B094XRGRZ5/ref=twister_B099584L64", "value": "A2-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41bG+UavTFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0923S28Q1/ref=twister_B099584L64", "value": "A2-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ipPpBWFyS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095JSPD88/ref=twister_B099584L64", "value": "A3-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/418JS5G6cXS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0979212VH/ref=twister_B099584L64", "value": "A3-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/417frwXSbRS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0923TJXCF/ref=twister_B099584L64", "value": "A3-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41alWryKX5L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0923TH2X7/ref=twister_B099584L64", "value": "A4-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41uV-aiZheL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095JR6LC3/ref=twister_B099584L64", "value": "A4-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41qKGiN1opL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0923SRQ88/ref=twister_B099584L64", "value": "A4-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41EisuZxrDL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095JPNJ6K/ref=twister_B099584L64", "value": "B2-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41CtlRoyc8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0923TLTJ5/ref=twister_B099584L64", "value": "B2-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41T-GHESsvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0923VF3VP/ref=twister_B099584L64", "value": "B2-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/412jEinPd7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095RTMJSP/ref=twister_B099584L64", "value": "B3-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31gQ7pi3YTS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095R8NT96/ref=twister_B099584L64", "value": "B3-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41yWIZk4PUS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095JQTL7Z/ref=twister_B099584L64", "value": "B5-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41xEdbKrtPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092J3H8SN/ref=twister_B099584L64", "value": "B5-navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Q1o4IEbrL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092J53X9M/ref=twister_B099584L64", "value": "B5-purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/415zIleLAHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095JRKVXP/ref=twister_B099584L64", "value": "B5-red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41H2BDaK3OL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095Y45JRN/ref=twister_B099584L64", "value": "C1-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41OcelgalvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095Y3M4RY/ref=twister_B099584L64", "value": "C1-pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31ow2P5dBfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096Q5Y4J9/ref=twister_B099584L64", "value": "C2-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41KvW+0BWRL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096Q68ZYY/ref=twister_B099584L64", "value": "C2-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41xBGei67gL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096Q5NJCJ/ref=twister_B099584L64", "value": "C2-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41eXd9nh3uL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096Q57D3Z/ref=twister_B099584L64", "value": "C2-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41743IPNXNL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096TSYGYW/ref=twister_B099584L64", "value": "C3-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41uBE5yNyKL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096TTPBJ1/ref=twister_B099584L64", "value": "C3-purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41W4Ar8Wz+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096TSMF7B/ref=twister_B099584L64", "value": "C5-army Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41I-RfWi-yL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B097RJB96R/ref=twister_B099584L64", "value": "C5-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41lTKJr3AiL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096TSM9C3/ref=twister_B099584L64", "value": "C5-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41M2X7RT4TL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096ZK3S6W/ref=twister_B099584L64", "value": "C5-gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31JXvBhTF1S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B097RJBGP5/ref=twister_B099584L64", "value": "C5-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31nkSrRg4xL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B097RJC89H/ref=twister_B099584L64", "value": "C5-purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41HfTLo8nKL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096TTJW8S/ref=twister_B099584L64", "value": "C5-red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ZDE4DF6iL.jpg"}, {"is_selected": true, "url": null, "value": "C5-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41dQSMO39kL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0967L9H5S/ref=twister_B099584L64", "value": "D1-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51GEELQUIZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0967L7NCP/ref=twister_B099584L64", "value": "D1-hot Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51GYJ0xwL5L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0967LGRTH/ref=twister_B099584L64", "value": "D1-orange", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51OAO5vZCoL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095Y5GS6V/ref=twister_B099584L64", "value": "C1-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/4185-nKfz2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0978ZG11Z/ref=twister_B099584L64", "value": "B1-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41n3cjyK91L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0923VVMRM/ref=twister_B099584L64", "value": "B1-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41j7Xubf7JL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B094XJ4LG3/ref=twister_B099584L64", "value": "A1-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41yk9Q+YLyL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0923VNGHG/ref=twister_B099584L64", "value": "A1-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41TRsk8AwBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095Y4RD87/ref=twister_B099584L64", "value": "C1-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41GFQ+wNR0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B095Y2ZW9K/ref=twister_B099584L64", "value": "C1-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41R9fQuFRxL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0923TNPWT/ref=twister_B099584L64", "value": "B1-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41VqzkVMR7S.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B097RK2B2Q", "category": "fashion", "query": "Women's Tops, Tees & Blouses", "page": 32, "small_description_old": "Graphic Tank Tops For Women \u3010Big Promotions\u3011\ud83d\ude0d\ud83d\ude0dplease check inthe Special offers and product promotions.The more you buy, the bigger the discount. \ud83c\udf08\ud83c\udf08\u3010SHIPPING INFORMATION\u3011Expedited Shipping:3-7 Days.Standard shipping:12-25 Days. size closure Line Dry women crochet lace basic tank top sleeveless loose fitting tunic lace tunic tank tops for women women's summer sleeveless flowy lace trim loose tunic tank tops funny tank tops for women workout flowy adult humor side by side with sayings 2020 tank tops funny sayings for women fitness tank tops for women with funny sayings 2020 tank tops for women funny yoga tank lops for women built in bra pack graphic plus size open back loose fit cropped 3 pack built in bra pack lace tank tops for women sexy flowy tank tops for women multipack petite dressy plus size pink set chiffon flowy workout tank tops for women womens crop top workout shirts loose flowy muscle tank pink flowy tank tops for women light pink tank tops for women flowy long tank lops for women plus size to wear with leggings layering pack 3x under 10 beige workout cotton xxl womens long tank tops for layering extra long layering tank tops for women long white layering tank tops for women beige tank tops for women plus size \n cute tank tops for women with built in bracute tank tops for women xsred tank lops for women sexy dressy crop cropped v neck workout plus size athletic long with built in bra running tank tops for women with sayings loose built in bra dry fit inspirational funny sexy tank tops for women cleavage lace for sex plus size sexy tank tops for women 3x crop summer sleep with built in bra cleavage summer cleavage winter plus size sexy tank tops for women 3x basic sleeveless stretch outfit crop tankwhite tunic tank tops for women short sleeve tunics for women plus size tunics for women tunics for women to wear with leggings summer tunics for women womens tunic tops tunic dresses for women plus size tunic women tunic tops womens tunic camisoles for women with built in bra lace camisoles for women white camisoles for women womens camisoles and tanks plus size camisoles for women camisoles for women cotton camisoles for women shelf bra camisoles for women long tunic tank tops for womenwomens tops short sleeve casual womens tops and blouses womens tops and blouses plus size for work short sleeve dressy 3/4 sleeve plus size spring long sleeve summer boho plus size with flower sexy womens tops and blouses summer plus size short sleeve plus size and blouses summer 3/4 sleeve long sleeve womens plus size summer tops and blouses and tops for work short sleeve summer plus size womens flower tops and blouses summerShow more"}, {"name": "silicone body bath shower scrubber - extra longer 35 inch back brush face cleaning brush travel cosmetic bag exfoliating lengthen strong extensibility stimulate the circulation of blood blue", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 7.95 x 5.55 x 2.28 inches; 11.99 Ounces", "UPC\n \u200f": "\u200e\n 700204869990", "Manufacturer\n \u200f": "\u200e\n shvk", "ASIN\n \u200f": "\u200e\n B08KLLJJXG", "Best Sellers Rank": "#235,387 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#835 in Bath & Body Brushes", "#835 in Bath & Body Brushes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: v cool livat", "brand_url": "https://www.amazon.com/v-cool-livat/b/ref=bl_dp_s_web_18010833011?ie=UTF8&node=18010833011&field-lbr_brands_browse-bin=v+cool+livat", "full_description": "", "pricing": "$6.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51vLSYxediL.jpg", "https://m.media-amazon.com/images/I/41xSiWnDaiL.jpg", "https://m.media-amazon.com/images/I/41gsSKMNMrL.jpg", "https://m.media-amazon.com/images/I/41LeY44H+6L.jpg", "https://m.media-amazon.com/images/I/412zfjtmOQL.jpg", "https://m.media-amazon.com/images/I/51CaGdoNHJL.jpg", "https://m.media-amazon.com/images/I/51JAwBURAoL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Bath & Bathing Accessories \u203a Bathing Accessories \u203a Bath & Body Brushes", "average_rating": 4.2, "small_description": ["Extra Length 35 inch:Our silicone body brush is longer,more flexible,suitable for both men and women.Good ductility makes it not be damaged ", "Message and Cleaning Experience:Our silicone bath body brush has double-sided lines,one side is comfortable massage point which can massage your body.On the other size,soft and silicone fluff will clean pores and remove cuticle ", "No Skin Injury:Our product is made of environmental friendly silica gel which will not damage your skin and can also be used by infants ", "Quick Drying Body Brush:Silicone body bath scrubber dry faster than other body brushes.This makes it difficult for bacteria to grow and can be cleaned with a gentle rinse ", "Valuable Packaging:Our products are packed in a transparent cosmetic bag which including one silicone bath back scrubber,one face cleaning washer,two wall hooks.It is compact,convenient and sustainable use for business and travel "], "total_reviews": 109, "total_answered_questions": 4, "customization_options": {"Color": null}, "seller_id": "AAWO36ERP6SPF", "seller_name": "V Kitchen-US", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08KLLJJXG", "category": "beauty", "query": "Body Makeup", "page": 50, "small_description_old": "About this item Extra Length 35 inch:Our silicone body brush is longer,more flexible,suitable for both men and women.Good ductility makes it not be damaged Message and Cleaning Experience:Our silicone bath body brush has double-sided lines,one side is comfortable massage point which can massage your body.On the other size,soft and silicone fluff will clean pores and remove cuticle No Skin Injury:Our product is made of environmental friendly silica gel which will not damage your skin and can also be used by infants Quick Drying Body Brush:Silicone body bath scrubber dry faster than other body brushes.This makes it difficult for bacteria to grow and can be cleaned with a gentle rinse Valuable Packaging:Our products are packed in a transparent cosmetic bag which including one silicone bath back scrubber,one face cleaning washer,two wall hooks.It is compact,convenient and sustainable use for business and travel"}, {"name": "Firetruck Canvas Wall Art Framed Transportation Fire Engine Painting Print Watercolor Nursery Fire Truck Canvas Wall Decor for Home Bedroom Office 12x12 Inch", "product_information": {"Product Dimensions": "12 x 12 x 0.5 inches", "Item Weight": "7.8 ounces", "ASIN": "B09PJ6QZWW", "Best Sellers Rank": ["#523,174 in Home & Kitchen (See Top 100 in Home & Kitchen) #17,905 in Posters & Prints"], "Date First Available": "January 1, 2022"}, "brand": "Brand: penghui", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=penghui", "full_description": "Surprising Gift: Great canvas art prints are full of emotion and atmosphere. They can bring artistic enjoyment and emotional transmission to viewers through artistic pictures and meaningful language.", "pricing": "$19.98", "list_price": "", "availability_quantity": 14, "availability_status": "Only 14 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41wJRzifoCL.jpg", "https://m.media-amazon.com/images/I/41iEF1xUOBL.jpg", "https://m.media-amazon.com/images/I/41v+Aui-86L.jpg", "https://m.media-amazon.com/images/I/310NIbPlgPL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Wall Art \u203a Posters & Prints", "average_rating": "", "small_description": ["Framed: 12*12 inches. The size is square. Ready to hang. ", "High Quality: We use good quality canvas materials. It is not only waterproof, but also UV resistant. The picture quality is better and the colors are bright. ", "Convenience: This product is framed. Therefore, the installation is very convenient and quick. ", "Perfect Home Decor: High-quality life sometimes needs high-quality decorations to embellish it. There are a wide variety of canvas art print products. They can exude charm in different living spaces. ", "Surprising Gift: Great canvas art prints are full of emotion and atmosphere. They can bring artistic enjoyment and emotional transmission to viewers through artistic pictures and meaningful language. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1UUJAF3VDUFK6", "seller_name": "peng-hui", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09PJ6QZWW", "category": "garden", "query": "Wall art", "page": 297, "small_description_old": "About this item\n \nFramed: 12*12 inches. The size is square. Ready to hang. High Quality: We use good quality canvas materials. It is not only waterproof, but also UV resistant. The picture quality is better and the colors are bright. Convenience: This product is framed. Therefore, the installation is very convenient and quick. Perfect Home Decor: High-quality life sometimes needs high-quality decorations to embellish it. There are a wide variety of canvas art print products. They can exude charm in different living spaces. Surprising Gift: Great canvas art prints are full of emotion and atmosphere. They can bring artistic enjoyment and emotional transmission to viewers through artistic pictures and meaningful language."}, {"name": "10 Pack 512MB USB Flash Drives Gift Stick Business Bidding Thumb Drive USB 2.0 high Speed Pen Drives (512MB, Black)", "product_information": {"Brand": "\u200eMYIUSB", "Hardware Platform": "\u200eMac", "Item Weight": "\u200e0.423 ounces", "Package Dimensions": "\u200e2.68 x 0.79 x 0.47 inches", "Color": "\u200eBlack", "Manufacturer": "\u200eMYIUSB", "ASIN": "\u200eB09P57ZKGP", "Date First Available": "\u200eApril 21, 2021", "Best Sellers Rank": ["#11,594 in USB Flash Drives"]}, "brand": "Brand: MYIUSB", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=MYIUSB", "full_description": "Features: Brand Name: Bernal usb flash drive Material: Metal Package: YES Interface Type: USB 2.0 Net Weight: 10G Description: storage capacity:128MB/256MB/512MB/2GB Environment Temperature: -40degC - +70degC Storage Temperature: -50degC - +80degC USB Service Voltage: 4.5V-5.5V (transmission speed over a certain relationship with the use of computer configuration) Storage Lifetime: More than 10 years Use A-class chip, can be erased repeatedly for 100,0000 times Operating System: Win98/ME/2000/XP/ Vista/win7 /win8, Mac OS 9.X/Linux2.4 or above USB connection:support Hot plug & Play. Easy to read and read in high speed ,No need drive/power supply only plug in Package Included: 10 x Flash Driver (No retail packaging,If you need a retail package, please contact customer service. We will give you the most favorable price! Thank you!)", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41khB5UGYLS.jpg", "https://m.media-amazon.com/images/I/41Ml-ALrjtS.jpg", "https://m.media-amazon.com/images/I/411WnHxSjmS.jpg", "https://m.media-amazon.com/images/I/41-TNE+iJ4L.jpg", "https://m.media-amazon.com/images/I/413wVzTfUNL.jpg", "https://m.media-amazon.com/images/I/41okFhYoRTS.jpg", "https://m.media-amazon.com/images/I/51LOnN8Yh2L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Data Storage \u203a USB Flash Drives", "average_rating": "", "small_description": ["100% RISK-FREE SATISFACTION GUARANTEE - We offer you 100% Risk-Free Satisfaction guarantee to let you buy with confidence by provide 30 days return policy and 12 month warranty on manufacturing defects ", "GREAT VALUE PACKAGE DEAL: includes 10 pack of 8GB USB Flash Drive, total 80 GB capacity. Super cost performance package deal offered by the manufacturer directly. ", "COMPATIBILITY AND HIGH PERFORMANCE - plug and use, unplug and go, support Win7/8/10 /Vista/XP/2000/ME/NT Linux and Mac OS, support USB 2.0 and backwards, support TV, speakers with USB slots, support share around ", "IMPROVED PROTECTION AND CONVENIENCE - The swivel design allows a metal cover to slide over the USB end and prevent any damage when not in use. The metal cover could rotate up to 360 degrees and allows us to adjust it to any angle suitable for plugging the flash drive into a computer or laptop. Moreover, the metal cover has an integrated hook which allows you to easily hook it on to any keychain, making it convenient to carry along! ", "GREAT FOR ALL AGES AND PURPOSES: suitable for digital data storing, transferring and sharing in school, in family, to friends, to clients, to machines. Apply to data storage of music, photos, movies, designs, manuals, programmes, handouts etc. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09P55Z3TG/ref=twister_B09P57CM7J?_encoding=UTF8&psc=1", "value": "128MB", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P55XTT1/ref=twister_B09P57CM7J?_encoding=UTF8&psc=1", "value": "256MB", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "512MB", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41khB5UGYLS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P56ZT1Z/ref=twister_B09P57CM7J?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41AiFHkLvsS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P57SKXB/ref=twister_B09P57CM7J?_encoding=UTF8&psc=1", "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41i9qQ6QEHS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P56RFXZ/ref=twister_B09P57CM7J?_encoding=UTF8&psc=1", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/418dHW+EB7S.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09P57ZKGP", "category": "electronics", "query": "Flashes", "page": 400, "small_description_old": "About this item\n \n100% RISK-FREE SATISFACTION GUARANTEE - We offer you 100% Risk-Free Satisfaction guarantee to let you buy with confidence by provide 30 days return policy and 12 month warranty on manufacturing defects GREAT VALUE PACKAGE DEAL: includes 10 pack of 8GB USB Flash Drive, total 80 GB capacity. Super cost performance package deal offered by the manufacturer directly. COMPATIBILITY AND HIGH PERFORMANCE - plug and use, unplug and go, support Win7/8/10 /Vista/XP/2000/ME/NT Linux and Mac OS, support USB 2.0 and backwards, support TV, speakers with USB slots, support share around IMPROVED PROTECTION AND CONVENIENCE - The swivel design allows a metal cover to slide over the USB end and prevent any damage when not in use. The metal cover could rotate up to 360 degrees and allows us to adjust it to any angle suitable for plugging the flash drive into a computer or laptop. Moreover, the metal cover has an integrated hook which allows you to easily hook it on to any keychain, making it convenient to carry along! GREAT FOR ALL AGES AND PURPOSES: suitable for digital data storing, transferring and sharing in school, in family, to friends, to clients, to machines. Apply to data storage of music, photos, movies, designs, manuals, programmes, handouts etc."}, {"name": "BAPYZ Modern Ceramic Pumping Paper Box Fashion Bone China Tissue Box European Living Room Household Daily Necessities Home Decor Gift", "product_information": {"Item Weight": "0.035 ounces", "Manufacturer": "zypab", "ASIN": "B091SK8ZH5", "Date First Available": "April 6, 2021"}, "brand": "Brand: BAPYZ", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=BAPYZ", "full_description": "Using high-quality bone china, the porcelain is delicate and transparent, making people feel concise and comfortable, showing the romantic and warm home feeling.The design layout has clear lines, the shape has been ingeniously deformed and is not chaotic, and the neat, elegant and elegant has a very high artistic level.Magnet adsorption function, humanized design, diameter adsorption can be installed on the base, faster and more convenient to load paper, which is different from the cumbersome operation of ordinary tissue boxes.It has a unique atmosphere and simplicity on its body, and being able to own it at home is enough to reflect the owner's high-quality taste.[Name]: Sea wave tracing gold tissue box[Set]: Ocean Wave Tissue Box \"1[Craft]: Hand-painted gold[Material]: Bone China[Net weight]: 0.95kgNote: Since manual measurement will have a 1-3cm error, the shooting light will cause some chromatic aberration, I hope to understand.", "pricing": "$131.36", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/31mFLrmaTIL.jpg", "https://m.media-amazon.com/images/I/31wo1WhXfvL.jpg", "https://m.media-amazon.com/images/I/41vL62gypCL.jpg", "https://m.media-amazon.com/images/I/51PYrieCUSL.jpg", "https://m.media-amazon.com/images/I/417s1K5TsFL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bath \u203a Bathroom Accessories \u203a Holders & Dispensers \u203a Tissue Holders", "average_rating": "", "small_description": ["Material: Bone China ", "Using high-quality bone china, the porcelain is delicate and transparent, making people feel concise and comfortable, showing the romantic and warm home feeling. ", "The design layout has clear lines, the shape has been ingeniously deformed and is not chaotic, and the neat, elegant and elegant has a very high artistic level. ", "Magnet adsorption function, humanized design, diameter adsorption can be installed on the base, faster and more convenient to load paper, which is different from the cumbersome operation of ordinary tissue boxes. ", "It has a unique atmosphere and simplicity on its body, and being able to own it at home is enough to reflect the owner's high-quality taste. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2699K7SGESX0U", "seller_name": "ZHANGXIAOYUE", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B091SK8ZH5", "category": "garden", "query": "China Cabinets", "page": 268, "small_description_old": "About this item\n \nMaterial: Bone China Using high-quality bone china, the porcelain is delicate and transparent, making people feel concise and comfortable, showing the romantic and warm home feeling. The design layout has clear lines, the shape has been ingeniously deformed and is not chaotic, and the neat, elegant and elegant has a very high artistic level. Magnet adsorption function, humanized design, diameter adsorption can be installed on the base, faster and more convenient to load paper, which is different from the cumbersome operation of ordinary tissue boxes. It has a unique atmosphere and simplicity on its body, and being able to own it at home is enough to reflect the owner's high-quality taste."}, {"name": "2Pack Airpods Pro Case, Soft Silicone Cute Funny Fun Star War Boba Fett Cartoon Character Cover with Keychain, AirPod Pro Skin Set for Kids Teens Boys Girls(PS5 Game Controller+Mandalorian Helmet)", "product_information": {"Package Dimensions": "7.99 x 4.57 x 1.3 inches", "Item Weight": "3.84 ounces", "ASIN": "B08YNND3LN", "Customer Reviews": {"ratings_count": 30, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#2,963 in Headphone Cases"], "Special Features": "Heavy Duty Protection, Anti-Fingerprint", "Form Factor": "Case", "Manufacturer": "Alquar", "Date First Available": "March 11, 2021"}, "brand": "Visit the Alquar Store", "brand_url": "https://www.amazon.com/stores/Alquar/page/F38DAF29-CF57-4F33-9031-422E9AEA3497?ref_=ast_bln", "full_description": "", "pricing": "$11.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41Jwa7uQonL.jpg", "https://m.media-amazon.com/images/I/51HVMQPtE2L.jpg", "https://m.media-amazon.com/images/I/61M6TLH35uL.jpg", "https://m.media-amazon.com/images/I/51GQhUsdrVL.jpg", "https://m.media-amazon.com/images/I/517n9v8RF0L.jpg", "https://m.media-amazon.com/images/I/51FLxcBo8TL.jpg", "https://m.media-amazon.com/images/I/51xhpYfzeyL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Headphone Accessories \u203a Cases", "average_rating": 4.6, "small_description": ["\u2705\u30102 Pack Super Cool Design\u3011Star wars and Game Cartoon features Airpods Pro cases designed with super cute style, great quality, and feel comfortable to hold. The appearance is interesting and unique, and the style is chic and cool. These Cases make you so special in the crowd, it's the best gift for men, kids, and teens. ", "\u2705\u3010Super Protection\u3011Soft silicone material cool style pattern shockproof and drop-proof Apple Air Pods Pro case accessories have good shock absorption. protects your Apple Air Pods Pro from unnecessary bumps, dents, and scratches. ", "\u2705\u3010Precise Cutouts\u3011Precisely designed for AirPods Pro. Perfect fit, easy installation, adsorption strength fastening, and wear it firmly. A charging port is reserved at the bottom of the case, which can be charging without disassembling the AirPods Pro charging case cover. ", "\u2705\u3010Added Keychain\u3011: Designed for AirPods Pro charging case. Comes with a metal keychain hook, making it convenient and secure to carry your AirPod Pro headphone case with keychain anywhere. You can hang the Airpods on your Jeans, Backpack, or Bicycle. Whether you are Driving or Running or Relaxing, take your music along for the ride and enjoy it. No need to worry about losing Airpods. ", "\u2763 Our Guarantee \u2763 Quality assurance, efficient service. FAST SHIPPING! All shipped by FBA. We take care of all quality-related issues with a replacement or full refund.\u2605Note\u2605 Airpods Pro and Airpods Pro charging case NOT includes. "], "total_reviews": 30, "total_answered_questions": "", "customization_options": "", "seller_id": "A2UZEX7L1OTX5D", "seller_name": "ZO-QUALITY", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08YNND3LN", "category": "electronics", "query": "PlayStation", "page": 154, "small_description_old": "About this item \u2705\u30102 Pack Super Cool Design\u3011Star wars and Game Cartoon features Airpods Pro cases designed with super cute style, great quality, and feel comfortable to hold. The appearance is interesting and unique, and the style is chic and cool. These Cases make you so special in the crowd, it's the best gift for men, kids, and teens. \u2705\u3010Super Protection\u3011Soft silicone material cool style pattern shockproof and drop-proof Apple Air Pods Pro case accessories have good shock absorption. protects your Apple Air Pods Pro from unnecessary bumps, dents, and scratches. \u2705\u3010Precise Cutouts\u3011Precisely designed for AirPods Pro. Perfect fit, easy installation, adsorption strength fastening, and wear it firmly. A charging port is reserved at the bottom of the case, which can be charging without disassembling the AirPods Pro charging case cover. \u2705\u3010Added Keychain\u3011: Designed for AirPods Pro charging case. Comes with a metal keychain hook, making it convenient and secure to carry your AirPod Pro headphone case with keychain anywhere. You can hang the Airpods on your Jeans, Backpack, or Bicycle. Whether you are Driving or Running or Relaxing, take your music along for the ride and enjoy it. No need to worry about losing Airpods. \u2763 Our Guarantee \u2763 Quality assurance, efficient service. FAST SHIPPING! All shipped by FBA. We take care of all quality-related issues with a replacement or full refund.\u2605Note\u2605 Airpods Pro and Airpods Pro charging case NOT includes."}, {"name": "1 oz Aluminum Tin Jar with Screw Cap Refillable Container for Cosmetic, Lip Balm, Cream, Rose Gold 12 Pcs.", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 12.32 x 2.13 x 2.13 inches; 3.53 Ounces", "Manufacturer\n \u200f": "\u200e\n BallHull", "ASIN\n \u200f": "\u200e\n B08X2PKKB2", "Best Sellers Rank": "#34,172 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#460 in Refillable Cosmetic Containers #915 in Makeup Bags & Cases", "#460 in Refillable Cosmetic Containers": "", "#915 in Makeup Bags & Cases": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: BallHull", "brand_url": "https://www.amazon.com/BallHull/b/ref=bl_dp_s_web_19600513011?ie=UTF8&node=19600513011&field-lbr_brands_browse-bin=BallHull", "full_description": "Use our high-quality, food-grade aluminum tin containers to safely contain all of your handmade lip and body balms, hand creams and salves, essential oils, ointments, medicinal herbs and waxes, spices and seasonings, tea candles, powders, loose leaf teas, glitter, potpourri, bath salts (not the bad kind), earrings and other small jewelry.", "pricing": "$7.99", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/5172Jy9kHTL.jpg", "https://m.media-amazon.com/images/I/31-8JGRleCS.jpg", "https://m.media-amazon.com/images/I/310fqK+wyIS.jpg", "https://m.media-amazon.com/images/I/514Zqa8HUuL.jpg", "https://m.media-amazon.com/images/I/51QC6r3kE9S.jpg", "https://m.media-amazon.com/images/I/41+2CgG1wNS.jpg", "https://m.media-amazon.com/images/I/51HWFGCHVNS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases", "average_rating": 4.8, "small_description": ["Packing: 12 pcs, 1 oz, rose gold ", "Material: Of durable aluminum,high quality, lightweight. The material is environmentally and recycled. ", "Size: 2 in\" dia. x 0.8 in\" height, Small size, light weight, easy to carry. ", "Can be used for DIY lipsticks, pills, party supplies, candy, mints, vitamins, skin care products, cosmetic samples or bulk tea, herbs, medicines, etc. ", "Screw Thread Lid: Sealed screw thread lid eliminates risk of leaking and protects your products from light exposure "], "total_reviews": 171, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08X2QB86K/ref=twister_B09J2DYZXN?_encoding=UTF8&psc=1", "value": "0.5 0unce", "price_string": "$6.99", "price": 6.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08X2RLVYK/ref=twister_B09J2DYZXN?_encoding=UTF8&psc=1", "value": "2 0unce", "price_string": "$9.99", "price": 9.99, "image": null}, {"is_selected": true, "url": null, "value": "12 Count (Pack of 1)", "price_string": "$7.99", "price": 7.99, "image": null}]}, "seller_id": "A3JMX0563JUGHO", "seller_name": "BallHull", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08X2PKKB2", "category": "beauty", "query": "Refillable Containers", "page": 2, "small_description_old": "Packing: 12 pcs, 1 oz, rose gold Material: Of durable aluminum,high quality, lightweight. The material is environmentally and recycled. Size: 2 in\" dia. x 0.8 in\" height, Small size, light weight, easy to carry. Can be used for DIY lipsticks, pills, party supplies, candy, mints, vitamins, skin care products, cosmetic samples or bulk tea, herbs, medicines, etc. Screw Thread Lid: Sealed screw thread lid eliminates risk of leaking and protects your products from light exposure"}, {"name": "Womens Summer Sandals Casual Bohemia Gladiator Wedge Shoes Outdoor Loafers Open Toe Sandals Buckle Sandals Hollow Out Shoes", "product_information": {"Item model number\n \u200f": "\u200e\n black mules", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n February 9, 2022", "Manufacturer\n \u200f": "\u200e\n women's mid-calf boots wide width", "ASIN\n \u200f": "\u200e\n B09S3TPGYJ", "": ""}, "brand": "Brand: JIANHAO", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=JIANHAO", "full_description": "NOTE:As Different Computers Display Colors Differently,The Color Of the Actual Item May Vary Slightly From The Above Images.NOTE:The Size Mark On The shoes Is Chinese Size Number.DescriptionGender: WomenUpper Material:PUSole Material:RubberSuitable Occasion: LeisureScenes: OutdoorStyle:Casual,SimpleToe Style:Round ToeHeel High Style:WedgeClosing Method:Zip UpShoes Heel High:3cm/1.4''Platform Heigh:1cm/0.4''Package:1 Pair Women Shoes(Not Including Shoebox)NOTE:The Size will be smaller due to concave design , We suggest you select the appropriate size according to your foot length.Size:7 Foot Length:23.5cm/9.3\" Foot wide :9cm/3.5\"Size:7.5 Foot Length:24cm/9.5\" Foot wide :9-9.5cm/3.5-3.7\"Size:8 Foot Length:24.5cm/9.7\" Foot wide :9.5cm/3.7\"Size:8.5 Foot Length:25cm/9.8\" Foot wide :9.5-10cm/3.7-3.9\"Size:9 Foot Length:25.5cm/10\" Foot wide :10cm/3.9\"Size:10 Foot Length:26cm/10.2\" Foot wide :10-10.5cm/3.9-4.1\"", "pricing": "$6.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51IO9mDCIPL.jpg", "https://m.media-amazon.com/images/I/51fGt65M-5L.jpg", "https://m.media-amazon.com/images/I/51j7-EYaMZL.jpg", "https://m.media-amazon.com/images/I/41wFUs+WCEL.jpg", "https://m.media-amazon.com/images/I/51KBkO+k0+L.jpg", "https://m.media-amazon.com/images/I/51kX2QZtoZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Sandals \u203a Flats", "average_rating": "", "small_description": ["men's slippers Hot Sale 2022 Whole Shop Promotion Sale Offered by JIANHAO ", "\u273f100 percent of the shopping experience is satisfactory.Best Gifts for Women/Mom/Friends/Girlfriend Today's Deals Women's Fashion Shoes Big Promotion summer shoes for women flats comfortable dressy and sandals and low wedge. ", "\u3010About Shipping\u3011Expedited Shipping:5-7 Days.Standard shipping:10-18 Days.It\u2019s up to which shipping ways you chose.Within 24 Hours Shipping Out. ", "black cowboy boots for women,pink boots for women,white boots for women with heel,work boots for women,ankle boots for women low heel,born boots for women,short rain boots for women,dress boots for women,wedge boots for women,short boots for women,slipper boots for women,steel toe boots for women,boots for women,tall black boots for women,chunky heel boots for women,extra wide calf boots for women,wide width boots for women,high boots for women lining ", "thigh high boots for women,waterproof boots for women,boots for women,black ankle boots for women,chunky boots for women,tall boots for women,leather boots for women,black knee high boots for women,riding boots for women,boots for women with heel,lace up boots for women,mid calf boots for women,boots for women,black boots for women knee high,platform boots for women,boots for women,fall boots for women 2022,black boots for women with heel closure ", "white combat boots for women,cowgirl boots for women,ankle boots for women with heel,rubber boots for women,boots for women,ankle rain boots for women,fur boots for women,combat boots for women,long boots for women,winter boots for women waterproof snow,tan boots for women,flat boots for women,high heel boots for women,pairs boots for women,rain boots for women waterproof,heel boots for women,furry boots for women,brown ankle boots for women ", "womens slip ons slip ons for women womens black tennis shoes men's dress shoes black men's shoes dress black shoes size 8 sport shoes running rose gold shoes size 10 mens sneakers all black sneakers women size 12 mens shoes black leather dress shoes hot pink flats size 9 dress shoes for men 14 shoes mens tieks shoes for women white flats white shoes women women casual shoes causel shoes wedding flats black running shoes stylish mens shoes shoes running women black hiking shoes men lightweight , women house slipper slip on slippers for men slipper socks fuzzy mens slippers warm hard sole slippers for men women faux fur slippers black slippers for men outdoor slippers men size 13 mens slippers fuzzy shoes men warm slippers polo slippers for men big fur slides black boys bed slippers grey fuzzy slippers tall slipper socks for women houseshoes slippers with bow mens black slides womens faux slippers mens black slippers package of slippers womens slide on slippers womens slippers, womens ballet flats comfortable dressy work low wedge arch suport flats shoes women flat shoes comfortable slip on pointed toe ballet flats women ballet flats rhinestone wedding ballerina shoes foldable sparkly comfort slip on flat shoes unisex-adult mens and womens classic clog mens and womens classic lined clog warm and fuzzy slippers mens and womens classic tie dye clog waterproof slippers women men fur lined clogs winter garden shoes warm house slippers indoor outdoor mules, wide calf boots for women muck boots boys winter boots moon boots for women men snow boots over the knee boots for women womens rain boots hunter rain boots for women womens boots ankle boots for women ankle booties boots for women knee high cowboy boots winter boots for women waterproof snow toddler rain boots thigh high boots for women white boots for women cowgirl boots girls boots snow boots women snow boots for women waterproof insulated ankle boots womens ankle boots, womens slippers size 11 ballet slippers women bridesmaid slippers home slippers warm slippers slip on slippers for women toddler slipper slippers men toddler house slippers womens slippers with arch support hotel slippers indoor outdoor slippers women sorel slippers acorn slippers mens slippers size 14 dinosaur slippers fish slippers smile face slippers preppy slippers platform slippers ballet slippers for girls indoor slippers for women black slippers slipper socks for kids"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "7", "asin": "B09S3TPGYJ"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B09S3SB9W9"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B09S3TWKSC"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B09S3TRJM5"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B09S3TZJL6"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B09S3T7DXK"}], "Color": [{"is_selected": true, "url": null, "value": "Beige", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51IO9mDCIPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09S3V2HL2/ref=twister_B09S3TVM2G", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51vjkr3cAFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09S3TZ2B2/ref=twister_B09S3TVM2G", "value": "Gold", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51nA2ii1GZL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09S3TWKSC", "category": "fashion", "query": "Women's Loafers & Slip-Ons", "page": 114, "small_description_old": "men's slippers Hot Sale 2022 Whole Shop Promotion Sale Offered by JIANHAO \u273f100 percent of the shopping experience is satisfactory.Best Gifts for Women/Mom/Friends/Girlfriend Today's Deals Women's Fashion Shoes Big Promotion summer shoes for women flats comfortable dressy and sandals and low wedge. \u3010About Shipping\u3011Expedited Shipping:5-7 Days.Standard shipping:10-18 Days.It\u2019s up to which shipping ways you chose.Within 24 Hours Shipping Out. black cowboy boots for women,pink boots for women,white boots for women with heel,work boots for women,ankle boots for women low heel,born boots for women,short rain boots for women,dress boots for women,wedge boots for women,short boots for women,slipper boots for women,steel toe boots for women,boots for women,tall black boots for women,chunky heel boots for women,extra wide calf boots for women,wide width boots for women,high boots for women lining thigh high boots for women,waterproof boots for women,boots for women,black ankle boots for women,chunky boots for women,tall boots for women,leather boots for women,black knee high boots for women,riding boots for women,boots for women with heel,lace up boots for women,mid calf boots for women,boots for women,black boots for women knee high,platform boots for women,boots for women,fall boots for women 2022,black boots for women with heel closure white combat boots for women,cowgirl boots for women,ankle boots for women with heel,rubber boots for women,boots for women,ankle rain boots for women,fur boots for women,combat boots for women,long boots for women,winter boots for women waterproof snow,tan boots for women,flat boots for women,high heel boots for women,pairs boots for women,rain boots for women waterproof,heel boots for women,furry boots for women,brown ankle boots for women womens slip ons slip ons for women womens black tennis shoes men's dress shoes black men's shoes dress black shoes size 8 sport shoes running rose gold shoes size 10 mens sneakers all black sneakers women size 12 mens shoes black leather dress shoes hot pink flats size 9 dress shoes for men 14 shoes mens tieks shoes for women white flats white shoes women women casual shoes causel shoes wedding flats black running shoes stylish mens shoes shoes running women black hiking shoes men lightweight \n women house slipper slip on slippers for men slipper socks fuzzy mens slippers warm hard sole slippers for men women faux fur slippers black slippers for men outdoor slippers men size 13 mens slippers fuzzy shoes men warm slippers polo slippers for men big fur slides black boys bed slippers grey fuzzy slippers tall slipper socks for women houseshoes slippers with bow mens black slides womens faux slippers mens black slippers package of slippers womens slide on slippers womens slipperswomens ballet flats comfortable dressy work low wedge arch suport flats shoes women flat shoes comfortable slip on pointed toe ballet flats women ballet flats rhinestone wedding ballerina shoes foldable sparkly comfort slip on flat shoes unisex-adult mens and womens classic clog mens and womens classic lined clog warm and fuzzy slippers mens and womens classic tie dye clog waterproof slippers women men fur lined clogs winter garden shoes warm house slippers indoor outdoor muleswide calf boots for women muck boots boys winter boots moon boots for women men snow boots over the knee boots for women womens rain boots hunter rain boots for women womens boots ankle boots for women ankle booties boots for women knee high cowboy boots winter boots for women waterproof snow toddler rain boots thigh high boots for women white boots for women cowgirl boots girls boots snow boots women snow boots for women waterproof insulated ankle boots womens ankle bootswomens slippers size 11 ballet slippers women bridesmaid slippers home slippers warm slippers slip on slippers for women toddler slipper slippers men toddler house slippers womens slippers with arch support hotel slippers indoor outdoor slippers women sorel slippers acorn slippers mens slippers size 14 dinosaur slippers fish slippers smile face slippers preppy slippers platform slippers ballet slippers for girls indoor slippers for women black slippers slipper socks for kidsShow more"}, {"name": "HATOKU 24pcs Artificial Seeded Eucalyptus Leaves Stems Faux Silver Dollar Eucalyptus Plant Branches in Grey Green for Wedding Holiday Homey Greenery Decor", "product_information": {"Package Dimensions": "11.54 x 9.69 x 3.23 inches", "Item Weight": "4.6 ounces", "Manufacturer": "Hatoku", "ASIN": "B08HXR3BGR", "Customer Reviews": {"ratings_count": 254, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#68,517 in Home & Kitchen (See Top 100 in Home & Kitchen) #395 in Artificial Plants & Greenery"], "Date First Available": "September 13, 2020"}, "brand": "Visit the HATOKU Store", "brand_url": "https://www.amazon.com/stores/Hatoku/page/03682D42-562A-423E-8BC6-8ECB4FFA67BD?ref_=ast_bln", "full_description": "", "pricing": "$15.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51wmcRafCgL.jpg", "https://m.media-amazon.com/images/I/51Nz3+HDkNL.jpg", "https://m.media-amazon.com/images/I/517z6uUOLCL.jpg", "https://m.media-amazon.com/images/I/51jBrjvEuIL.jpg", "https://m.media-amazon.com/images/I/41ppPFXWPsL.jpg", "https://m.media-amazon.com/images/I/51-OOXACTaL.jpg", "https://m.media-amazon.com/images/I/51VWQOpthjL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Artificial Plants & Flowers \u203a Artificial Plants & Greenery", "average_rating": 4.4, "small_description": ["Package Includes: 24pcs artificial eucalyptus leaves stems with white seeds, 6 leaves and 2 seeds on each branch. ", "Size: Each eucalyptus stem is approximately 11.8 inches high. The eucalyptus leaves contain two different sizes. One type of leaves is 2.23\" long, 2.17\" wide, and the other one is 2.24\" long and 1.91\" wide. ", "Material: These eucalyptus leaves are made of silk. the stems and white seeds are made of plastic, and the iron wire inside the stem is bendable, you could twist it to any shape you like. The white seeds are inserted on the brown stems, and the leaves on the front are with gray-green decorations, which makes the whole plant look more realistic and natural. ", "Wide application: The eucalyptus leaves stems can be uesd for garland, wreath, wedding bouquet, decoration for wedding or dining table or office table. These natural artificial greenery eucalyptus leaves bring you variability of views for housing, vocation or wedding decoration. ", "Note: The eucalyptus stems may be squeezed because of the long period of transportation, and the leaves may fall or crease, but this does not affect the actual use. The leaves are detachable and you can install them on your own. The creased leaves can be soaked in hot water for a while, and they can return to the original flat state after being dried. "], "total_reviews": 254, "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "A2Y6UWFQYR23CF", "seller_name": "WXBOOM", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08HXR3BGR", "category": "garden", "query": "Live Plants", "page": 157, "small_description_old": "About this item\n \nQuantity: There are 24 branches decorated with artificial white fruits and eucalyptus leaves. 6 leaves and 2 fruits on each branch. Color: White fruits stabbed in the brown stem on which decorated by deep green leaves, that makes the whole natural and unique. Size: Each branch height: 11.8 in., width: 4.3 in. Leaf size: big: 2.13 in. * 2.17 in. small: 2.17 in. *1.91 in. Material: Leaves are made of silk. The waterproof stem is made of iron wires, you could twist it to any shape you like. Wide application: You can use it for garland, wedding bouquet, decoration for wedding or dining table or office table. These natural artificial green eucalyptus leaves bring you variability of views for housing, vocation, wedding decoration. Caution: Leaves may fall or crease due to transportation, it doesn\u2019t matter. Leaves are detachable, you could set it up yourself. Creased leaves could recover, soak in hot water then dry."}, {"name": "Olivia Miller Women\u2019s Fashion Ladies Shoes, Sara PU Vegan Leather & Rhinestones Double Strap Cutout Band Slip On Open Toe Trendy Casual Summer Slide Flat Sandals", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 12 x 6 x 5 inches; 1.3 Pounds", "Item model number\n \u200f": "\u200e\n OMH-5394", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n November 23, 2021", "Manufacturer\n \u200f": "\u200e\n Olivia Miller", "ASIN\n \u200f": "\u200e\n B09MG3MW3F", "Best Sellers Rank": "#910,053 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#2,137 in Women's Slide Sandals", "#2,137 in Women's Slide Sandals": ""}, "brand": "Visit the Olivia Miller Store", "brand_url": "https://www.amazon.com/stores/OliviaMiller/page/B66C2D5C-6684-4807-88E2-6EDB5156B5C3?ref_=ast_bln", "full_description": "", "pricing": "$26.00$29.40", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31C48N01imL.jpg", "https://m.media-amazon.com/images/I/317TTn6bV0L.jpg", "https://m.media-amazon.com/images/I/318raj5ZDRL.jpg", "https://m.media-amazon.com/images/I/515raVzxlCL.jpg", "https://m.media-amazon.com/images/I/41ypXlN18KL.jpg", "https://m.media-amazon.com/images/I/31Z6rJOsdGL.jpg", "https://m.media-amazon.com/images/I/31U3cEMyyGL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Sandals \u203a Slides", "average_rating": "", "small_description": ["This Rhinestone Sandal is perfect for any casual day, meet Sara, Rhinestone upper with a comfort footbed makes it the perfect sandal. ", "Perfect for Daily Wear or Any Occasion / Stylish & Comfortable / Great for Summer & Spring / Comfy & Lightweight / Modern, Dressy & Versatile / Suitable for School, Office Wear, Evening, Dating, Wedding, Party, Casual Dress, Dancing, Prom, Nightclub, Ballroom, Interview, Holiday, Vacation. ", "THE PERFECT FIT / RUNS TRUE TO SIZE: For the luxurious, sophisticated, modern, free-spirit woman like yourself! Comfortable pair of sandals made to last. Classic & versatile, it's the shoe for every season and occasion: summer, spring, fall & winter. The functional and solid construction, natural toe box, premium materials & flexible sole give you the freedom to move comfortably & freely. ", "SHOE CLOSURE: Slip On / TOE STYLE: Open Toe ", "WARRANTY & CUSTOMER CARE: We are relentlessly focused on always delivering the highest quality shoes and footwear at best-valued prices with best-in-class customer service. Message us directly through the Amazon Message System if you have any questions, need help finding your size, or need to exchange size, our team is here to help! "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "6", "asin": "B09MFZDXCG"}, {"is_selected": false, "is_available": true, "value": "7", "asin": "B09MFYLXBG"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B09MG25QNR"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B09MG15V84"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B09MFZ726L"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09MG3MW3F/ref=twister_B09MG17KPS", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31vGXttgO+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MG1YSNL/ref=twister_B09MG17KPS", "value": "Natural/Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41nJVKP5ITL.jpg"}, {"is_selected": true, "url": null, "value": "Silver", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31C48N01imL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09MFZ726L", "category": "fashion", "query": "Women's Flats", "page": 103, "small_description_old": "Thermoplastic Rubber sole This Rhinestone Sandal is perfect for any casual day, meet Sara, Rhinestone upper with a comfort footbed makes it the perfect sandal. Perfect for Daily Wear or Any Occasion / Stylish & Comfortable / Great for Summer & Spring / Comfy & Lightweight / Modern, Dressy & Versatile / Suitable for School, Office Wear, Evening, Dating, Wedding, Party, Casual Dress, Dancing, Prom, Nightclub, Ballroom, Interview, Holiday, Vacation. THE PERFECT FIT / RUNS TRUE TO SIZE: For the luxurious, sophisticated, modern, free-spirit woman like yourself! Comfortable pair of sandals made to last. Classic & versatile, it's the shoe for every season and occasion: summer, spring, fall & winter. The functional and solid construction, natural toe box, premium materials & flexible sole give you the freedom to move comfortably & freely. SHOE CLOSURE: Slip On / TOE STYLE: Open Toe WARRANTY & CUSTOMER CARE: We are relentlessly focused on always delivering the highest quality shoes and footwear at best-valued prices with best-in-class customer service. Message us directly through the Amazon Message System if you have any questions, need help finding your size, or need to exchange size, our team is here to help!"}, {"name": "Onwon 1 PCS Drawer Type Cosmetics Storage Box Dormitory Desktop Finishing Dresser Skin Care Lipstick Plastic Shelf", "product_information": {"Manufacturer": "\u200eVNDEFUL", "Item Weight": "\u200e1.46 pounds", "Package Dimensions": "\u200e14.02 x 12.24 x 5.79 inches", "Material": "\u200ePlastic", "Number Of Pieces": "\u200e1", "Mounting Type": "\u200eDesktop", "Special Features": "\u200ePortable", "Usage": "\u200eCosmetics, Stationery", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "ASIN": "B08276Q6PZ", "Customer Reviews": {"ratings_count": 669, "stars": "4.1 out of 5 stars"}, "Best Sellers Rank": ["#53,910 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #269 in Cosmetic Display Cases"], "Date First Available": "December 1, 2019"}, "brand": "Brand: Onwon", "brand_url": "https://www.amazon.com/Onwon/b/ref=bl_dp_s_web_19839156011?ie=UTF8&node=19839156011&field-lbr_brands_browse-bin=Onwon", "full_description": "Product material: environmental PPFeatures: partition storageProduct specifications: 28.5 cm * 17.5 cm * 12.5 cmUSES: cosmetics, stationery and other small daily supplies storageProduct description: imported from Germany, ABS material, environmental safety, non-toxic and odorless.Adopt high-grade mold, receive box smooth without burr.Space type drawer is designed, classification is received, the article of large capacity also is not in words, let make up a table more neat", "pricing": "$22.80", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41dbGYDXvrL.jpg", "https://m.media-amazon.com/images/I/41+7c0Rz+8L.jpg", "https://m.media-amazon.com/images/I/31ZHY+A7JJL.jpg", "https://m.media-amazon.com/images/I/31fQFM6pwuL.jpg", "https://m.media-amazon.com/images/I/41MY0anXMmL.jpg", "https://m.media-amazon.com/images/I/518Zspth2KL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases \u203a Cosmetic Display Cases", "average_rating": 4.1, "small_description": ["Imported ABS from Germany,Product specifications: 28.5 cm * 17.5 cm * 12.5 cm. quality upgrade, safety and environmental protection.Non-toxic and odorless ", "Drawer handle, invisible horizontal handle, beautiful and convenient ", "hollow at the bottom, ventilation, keep the table clean ", "partition drawer design, large capacity classified storage, neat and orderly, save desktop space ", "Adopt high grade mould, receive box smooth without burr, firm and durable.USES: cosmetics, stationery and other small daily supplies storage "], "total_reviews": 669, "total_answered_questions": "", "customization_options": "", "seller_id": "A28O9CKQZW4GJU", "seller_name": "Onwon", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08276Q6PZ", "category": "beauty", "query": "Body Makeup", "page": 51, "small_description_old": "About this item\n \nImported ABS from Germany,Product specifications: 28.5 cm * 17.5 cm * 12.5 cm. quality upgrade, safety and environmental protection.Non-toxic and odorless Drawer handle, invisible horizontal handle, beautiful and convenient hollow at the bottom, ventilation, keep the table clean partition drawer design, large capacity classified storage, neat and orderly, save desktop space Adopt high grade mould, receive box smooth without burr, firm and durable.USES: cosmetics, stationery and other small daily supplies storage \n \u203a See more product details"}, {"name": "The Establishment Men's Organic Cotton Fleece Short with Pocket(S to XXL)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 11.06 x 6.38 x 3.78 inches; 12.91 Ounces", "Item model number\n \u200f": "\u200e\n EST-ESH-01-Wine-S", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n July 10, 2018", "ASIN\n \u200f": "\u200e\n B07FD13LP1", "Best Sellers Rank": "#590,146 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,863 in Men's Athletic Shorts", "#1,863 in Men's Athletic Shorts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the The Establishment Store", "brand_url": "https://www.amazon.com/stores/TheEstablishment/page/B31AE790-4685-43FE-B5C0-019A1E3793FB?ref_=ast_bln", "full_description": "", "pricing": "$24.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31gQUsTMfgS.jpg", "https://m.media-amazon.com/images/I/31aTe2l7auS.jpg", "https://m.media-amazon.com/images/I/31-Md53z1-S.jpg", "https://m.media-amazon.com/images/I/317EnV7r4iS.jpg", "https://m.media-amazon.com/images/I/31dz91L35KS.jpg", "https://m.media-amazon.com/images/I/41fi6o2Mz3S.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": 4.5, "small_description": ["\u2705 MATERIAL - 100% GOTS CERTIFIED ORGANIC COTTON French Terry Men's Active Shorts & it suits all skin types, Preshrunk, Contemporary fit, Enzyme washed for extra softness ", "\u2705 COMFORT TO THE CORE- These shorts with pockets and will keep you comfortable all day long ", "\u2705 IDEAL DAILY ACTIVE WEAR: Go to your gym, yoga classes , tracking , cycling, running , jogging, college, dates, office and a lot more. ", "\u2705 WASHING INSTRUCTIONS: Machine Wash, Tumble Dry Low, Do Not Bleach ", "\u2705 BECOME AN ORGANIC NINJA : Are you an organ ic ninja just like us. Then buy this 100% organic product which is 100% sustainable with low carbon footprint. Also an ideal gift for your loved ones, be it Christmas, Thanksgiving, Birthday, Anniversaries, Father's Day "], "total_reviews": 12, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B07FD13LP1"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07FD13NDS"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07FDCGBRQ"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07FD3Y1CB"}], "Color": [{"is_selected": true, "url": null, "value": "Wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31gQUsTMfgS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FJLHDVS/ref=twister_B09MFZVSNV", "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31dOe0edyFS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FD9BT37/ref=twister_B09MFZVSNV", "value": "Navy Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31Cb42VuLAS.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07FD13LP1", "category": "fashion", "query": "Men's Shorts", "page": 32, "small_description_old": "Cotton,Fleece,Organic Cotton,Terry Drawstring closure Machine Wash \u2705 MATERIAL - 100% GOTS CERTIFIED ORGANIC COTTON French Terry Men's Active Shorts & it suits all skin types, Preshrunk, Contemporary fit, Enzyme washed for extra softness \u2705 COMFORT TO THE CORE- These shorts with pockets and will keep you comfortable all day long \u2705 IDEAL DAILY ACTIVE WEAR: Go to your gym, yoga classes , tracking , cycling, running , jogging, college, dates, office and a lot more. \u2705 WASHING INSTRUCTIONS: Machine Wash, Tumble Dry Low, Do Not Bleach \u2705 BECOME AN ORGANIC NINJA : Are you an organ ic ninja just like us. Then buy this 100% organic product which is 100% sustainable with low carbon footprint. Also an ideal gift for your loved ones, be it Christmas, Thanksgiving, Birthday, Anniversaries, Father's Day"}, {"name": "Gimax 8 Way Coax Cable Splitter F-Type Screw for Cable TV Antenna 8 way splitter satellite TV antenna signal 20dB 5-2300MHz SATV/CATV", "product_information": {"Manufacturer": "DAVITU", "ASIN": "B07QB4BV5W", "Date First Available": "November 22, 2019"}, "brand": "Brand: GIMAX", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=GIMAX", "full_description": "Features: 1, zinc alloy die casting, surface nickel plating treatment, 2, working frequency band 5-2400MHz, 3, Eight way Distribution output, 4, low insertion loss, high isolation, 5, All interface unidirectional power, the maximum through the current 0.5A, voltage DC 24V, 6, size: 118*56*26mm Specifications: Model Parameter Bandwidth (MHz) Insertion Loss (dB) Isolated from each other (dB) Insertion Loss (dB) \u00a0 SB-2008 All one-way powered 5-40 \u2264 13 \u226522 \u22659 40-1000 \u2264 13.5 \u226522 \u226510 1000-1750 \u226413.5 \u226522 \u226512 1750-2050 \u226416.5 \u226520 \u226510 2050-2400 \u226418.5 \u226520 \u226510 Item specifics:Model number: SB-2008Impedance: 75 OhmMaterial: Nickel Plating of Zinc AlloyFrequency range: 5-2300MHzInsulator: PTFEIs customized: YesApplication: RF, LightingGender: FemaleType: F", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51pXv3u8wLL.jpg", "https://m.media-amazon.com/images/I/41FP4anFbXL.jpg", "https://m.media-amazon.com/images/I/516ZhQQxBKL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Satellite TV Equipment \u203a Splitters", "average_rating": "", "small_description": ["1, zinc alloy die casting, surface nickel plating treatment, 2, working frequency band 5-2400MHz, 3, Eight way Distribution output, 4, low insertion loss, high isolation, 5, All interface unidirectional power, the maximum through the current 0.5A, voltage DC 24V, 6, size: 118*56*26mm ", "Model number: SB-2008 ", "Impedance: 75 Ohm ", "Material: Nickel Plating of Zinc Alloy ", "Frequency range: 5-2300MHz "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07QB4BV5W", "category": "electronics", "query": "Satellite Television", "page": 184, "small_description_old": "1, zinc alloy die casting, surface nickel plating treatment, 2, working frequency band 5-2400MHz, 3, Eight way Distribution output, 4, low insertion loss, high isolation, 5, All interface unidirectional power, the maximum through the current 0.5A, voltage DC 24V, 6, size: 118*56*26mm Model number: SB-2008 Impedance: 75 Ohm Material: Nickel Plating of Zinc Alloy Frequency range: 5-2300MHz"}, {"name": "Mac Bean Case for Samsung Galaxy A12 5G Case with Tempered Glass Screen Protector, Full Body Double Layer Protection Drop and Stain Resistant Compatible with Samsung Galaxy A12 5G 6.5 inch", "product_information": {"Package Dimensions": "7.28 x 3.78 x 0.67 inches", "Item Weight": "3.2 ounces", "ASIN": "B0982W8RKZ", "Item model number": "Samsung Galaxy A12", "Customer Reviews": {"ratings_count": 5, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#114,098 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #54,256 in Cell Phone Basic Cases"], "Special Features": "Shock-Absorbent", "Other display features": "Wireless", "Form Factor": "Bumper", "Colour": "Black", "Manufacturer": "Mac Bean", "Date First Available": "June 28, 2021"}, "brand": "Brand: Mac Bean", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Mac+Bean", "full_description": "", "pricing": "$6.99", "list_price": "", "availability_quantity": 18, "availability_status": "Only 18 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41W9KCO27OS.jpg", "https://m.media-amazon.com/images/I/51PDBVNSqxS.jpg", "https://m.media-amazon.com/images/I/519120iOE7S.jpg", "https://m.media-amazon.com/images/I/51yF5T4yChS.jpg", "https://m.media-amazon.com/images/I/41vn25rkvaS.jpg", "https://m.media-amazon.com/images/I/41YLnN1ojKS.jpg", "https://m.media-amazon.com/images/I/41o68EM+nPS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Cases, Holsters & Sleeves \u203a Basic Cases", "average_rating": 4.7, "small_description": ["Protection\u3011Whole body double protection structure, four airbags to prevent falls, enhanced wrap-around bumper made of shock-absorbing TPU material, providing super protection ", "Designability\u3011Designed clear acrylic back prevents scratches and stains on the device and shows your device more clearly ", "Perfectibility\u3011The perfectly cut opening allows full access to all functions and ports of the device, and the sensitive button cover allows you to have sensitive buttons ", "Serviceability\u3011MacBean comes with a lifetime warranty and friendly support when you need it "], "total_reviews": 5, "total_answered_questions": 5, "model": "Samsung Galaxy A12", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "$6.99", "price": 6.99, "image": "https://m.media-amazon.com/images/I/41W9KCO27OS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0982V52FS/ref=twister_B0982VZ72M?_encoding=UTF8&psc=1", "value": "Purple", "price_string": "$6.99", "price": 6.99, "image": "https://m.media-amazon.com/images/I/51gduK2OdSS.jpg"}]}, "seller_id": "A37JME8C601ZF0", "seller_name": "gyl us", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B0982W8RKZ", "category": "electronics", "query": "Mac", "page": 238, "small_description_old": "About this item Compatibility\u3011Compatible with Samsung Galaxy A12 5G only Protection\u3011Whole body double protection structure, four airbags to prevent falls, enhanced wrap-around bumper made of shock-absorbing TPU material, providing super protection Designability\u3011Designed clear acrylic back prevents scratches and stains on the device and shows your device more clearly Perfectibility\u3011The perfectly cut opening allows full access to all functions and ports of the device, and the sensitive button cover allows you to have sensitive buttons Serviceability\u3011MacBean comes with a lifetime warranty and friendly support when you need it"}, {"name": "Cheez Whiz Original Plain Cheese Dip (15 oz Jar)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 3.42 x 3.42 x 3.93 inches; 1.48 Pounds", "Item model number\n \u200f": "\u200e\n 00021000626793", "UPC\n \u200f": "\u200e\n 021000626793", "Manufacturer\n \u200f": "\u200e\n Kraft-Heinz", "ASIN\n \u200f": "\u200e\n B000SKM4CE", "Country of Origin\n \u200f": "\u200e\n USA", "Domestic Shipping": "Currently, item can be shipped only within the U.S. and to APO/FPO addresses. For APO/FPO shipments, please check with the manufacturer regarding warranty and support issues.", "International Shipping": "This item is not eligible for international shipping.Learn More", "Best Sellers Rank": "#5,397 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#2 in Processed Cheese Spreads", "#2 in Processed Cheese Spreads": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Cheez Whiz", "brand_url": "https://www.amazon.com/Cheez-Whiz/b/ref=bl_dp_s_web_10218849011?ie=UTF8&node=10218849011&field-lbr_brands_browse-bin=Cheez+Whiz", "full_description": "Kraft Cheez Whiz Original Cheese Dip.80 calories per 2 tbsp.See nutrition information for sodium content.", "pricing": "$4.88", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/51qiQ2RZdkL.jpg", "https://m.media-amazon.com/images/I/51skPF2zTrL.jpg", "https://m.media-amazon.com/images/I/61mP2-k0HKL.jpg", "https://m.media-amazon.com/images/I/51yzNnDZD2L.jpg", "https://m.media-amazon.com/images/I/51Tn3+GEU5L.jpg", "https://m.media-amazon.com/images/I/51sJ0xE1AzL.jpg", "https://m.media-amazon.com/images/I/51799IyukOL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Salsas, Dips & Spreads \u203a Dips & Spreads \u203a Processed Cheese", "average_rating": 4.4, "small_description": ["One 15 oz. jar of Kraft Cheez Whiz Original Cheese Dip ", "Kraft Cheez Whiz Original Cheese Dip pairs well with everything from raw veggies to pretzels ", "Enjoy this creamy, cheesy dip that's made with a dash of Worcestershire sauce ", "Enjoy with chips, broccoli or cauliflower for a burst of cheesy flavor ", "Heat and mix with salsa to make an easy nacho cheese for tortilla chips ", "Convenient resealable jar locks in flavor ", "Keep refrigerated to maintain freshness "], "total_reviews": 1407, "total_answered_questions": 5, "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B00PO9N90A/ref=twister_B091TVSN5P?_encoding=UTF8&psc=1", "value": "8 Ounce (Pack of 1)", "price_string": "$14.95", "price": 14.95, "image": null}, {"is_selected": true, "url": null, "value": "15 Ounce (Pack of 1)", "price_string": "$4.88", "price": 4.88, "image": null}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B000SKM4CE", "category": "grocery", "query": "Refrigerated Cheese Dips & Spreads", "page": 1, "small_description_old": "About this item One 15 oz. jar of Kraft Cheez Whiz Original Cheese Dip Kraft Cheez Whiz Original Cheese Dip pairs well with everything from raw veggies to pretzels Enjoy this creamy, cheesy dip that's made with a dash of Worcestershire sauce Enjoy with chips, broccoli or cauliflower for a burst of cheesy flavor Heat and mix with salsa to make an easy nacho cheese for tortilla chips Convenient resealable jar locks in flavor Keep refrigerated to maintain freshness"}, {"name": "WSSBK Portable Speaker Bar Computer Speaker 4D Stereo HiFi Sound Wired Computer Sound Bar USB Powered Soundbar Speaker for PC TV", "product_information": {"Item Weight": "5.07 pounds", "Department": "Unisex-adult", "Manufacturer": "rhzjh", "ASIN": "B09PZZJ2XG", "Country of Origin": "China"}, "brand": "Brand: WSSBK", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=WSSBK", "full_description": "Multi-compatible, it can work well with any device that has a standard 3.5mm audio jack and a USB jack, such as PC / laptops / smart phones / tablets and so on.Its sound quality is great because it maintains sound quality even if you crank up the volume.Plug and play, with a controller on the cable, easy to adjust the volume.A great option for electronics lovers, also perfect to be sent as a gift.Compact size, space-saving, giving you more convenience.Specification: Material: ABSConnectivity Technology: 3.5mm Audio Cable, USBColor: BlackPower: USB / DC 5V 600mAOutput Power: 3WSeparation: \u2265 35dBSNR: \u2265 65dBFrequency Response Range: 30Hz-15KHzChannel: 2.0Item Size: approx. 315 * 60 * 57mmPackage Size: approx. 348 * 120 * 85mmPackage Weight: approx. 471gPackage Include: 1* Sound barIf you have any questions about the product, please contact me, we will contact you within 24 hours and give you a satisfactory answer.", "pricing": "$297.39", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/31OJdj+KvXL.jpg", "https://m.media-amazon.com/images/I/51eRQYXBHnL.jpg", "https://m.media-amazon.com/images/I/51oTE-HIluL.jpg", "https://m.media-amazon.com/images/I/51TXg9HTanL.jpg", "https://m.media-amazon.com/images/I/41uPGv-RX3L.jpg", "https://m.media-amazon.com/images/I/41aqwMn7C+L.jpg", "https://m.media-amazon.com/images/I/31aCpGHfj-L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Computer Accessories & Peripherals \u203a Audio & Video Accessories \u203a Computer Speakers", "average_rating": "", "small_description": ["Multi-compatible, it can work well with any device that has a standard 3.5mm audio jack and a USB jack, such as PC / laptops / smart phones / tablets and so on. ", "Its sound quality is great because it maintains sound quality even if you crank up the volume. ", "Plug and play, with a controller on the cable, easy to adjust the volume. ", "A great option for electronics lovers, also perfect to be sent as a gift. ", "Compact size, space-saving, giving you more convenience. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2AP7VFYHJN2NA", "seller_name": "huihui123dian\u00ae", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PZZJ2XG", "category": "electronics", "query": "Soundbars", "page": 306, "small_description_old": "About this item\n \nMulti-compatible, it can work well with any device that has a standard 3.5mm audio jack and a USB jack, such as PC / laptops / smart phones / tablets and so on. Its sound quality is great because it maintains sound quality even if you crank up the volume. Plug and play, with a controller on the cable, easy to adjust the volume. A great option for electronics lovers, also perfect to be sent as a gift. Compact size, space-saving, giving you more convenience."}, {"name": "Skywin PSVR Stand - Charge, Showcase, and Display Your PS4 VR Headset and Processor - Compatible with Playstation 4 PSVR - Showcase and Move Controller Charging Station", "product_information": {"Package Dimensions": "11.18 x 6.97 x 1.85 inches", "Item Weight": "1.16 pounds", "ASIN": "B07L5XKY24", "Customer Reviews": {"ratings_count": 2531, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#1,624 in Video Games (See Top 100 in Video Games) #58 in PlayStation 4 Headsets"], "Is Discontinued By Manufacturer": "No", "Date First Available": "December 6, 2018", "Manufacturer": "Skywin"}, "brand": "Visit the Skywin Store", "brand_url": "https://www.amazon.com/stores/Skywin/page/FFC62FAD-0F8C-492C-ADDF-8BA9C0E1D1CD?ref_=ast_bln", "full_description": "", "pricing": "$25.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41k55-01FHL.jpg", "https://m.media-amazon.com/images/I/51cXRYo2m7L.jpg", "https://m.media-amazon.com/images/I/416376LoAQL.jpg", "https://m.media-amazon.com/images/I/41ad8xGKMNL.jpg", "https://m.media-amazon.com/images/I/41YbWIKJhgL.jpg", "https://m.media-amazon.com/images/I/41RY-bQlKbL.jpg", "https://m.media-amazon.com/images/I/71tkQdtHriL.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Video Games \u203a PlayStation 4 \u203a Accessories \u203a Headsets", "average_rating": 4.5, "small_description": ["Multi Function Showcase Stand with built in Move Controller Chargers (Charges without Strap) ", "Compatible with Playstation PSVR and Move Controllers of all generations ", "Display PSVR Headset and PSVR Processor (Original PSVR V1 or new V2 supported) ", "Charge Two Playstation Move Controller Chargers with LED Charge Indication (PS4 powered, AC Adapter not needed) ", "PS4, PSVR, and move controllers Sold Separately (Charges without Strap) "], "total_reviews": 2531, "total_answered_questions": 16, "customization_options": "", "seller_id": "A13XBDKAG9U6F5", "seller_name": "Key Savings", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07L5XKY24", "category": "electronics", "query": "PlayStation", "page": 18, "small_description_old": "About this item\n \nMulti Function Showcase Stand with built in Move Controller Chargers (Charges without Strap) Compatible with Playstation PSVR and Move Controllers of all generations Display PSVR Headset and PSVR Processor (Original PSVR V1 or new V2 supported) Charge Two Playstation Move Controller Chargers with LED Charge Indication (PS4 powered, AC Adapter not needed) PS4, PSVR, and move controllers Sold Separately (Charges without Strap)"}, {"name": "5 Pairs Skin Color No Show Socks Women Lace Low Cut Liner Socks Non Slip Flat Boat Crew Socks (2.39/pair)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 8.82 x 6.73 x 1.14 inches; 3.21 Ounces", "Item model number\n \u200f": "\u200e\n Oct-013", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n October 13, 2021", "ASIN\n \u200f": "\u200e\n B09JC3K6R6", "Best Sellers Rank": "#833,998 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#744 in Women's No Show & Liner Socks", "#744 in Women's No Show & Liner Socks": ""}, "brand": "Brand: Cyberman", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Cyberman", "full_description": "80% Cotton Machine Wash EXTREMELY low cut no show liner socks with basic colors. They're suitable for variety of lady's shoes,like flats,pumps,high-heel shoes, Ballerian, Loafers or Sneakers MADE FROM PREMIUM COTTON: Very comfortable to wear. Take good care of your feet SILICONE GRIPPERS on the heel to keep liners stay in place on your feet Main material:80% Cotton. Do well in elasticity,durable and good ability to soak up sweat One size fits 6-11(US). It's stretchy enough to fit most ladies, girls", "pricing": "$11.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/411+Bub40-L.jpg", "https://m.media-amazon.com/images/I/51QHJDWJmvL.jpg", "https://m.media-amazon.com/images/I/41vEeXKIsLL.jpg", "https://m.media-amazon.com/images/I/41U3HKd+xUL.jpg", "https://m.media-amazon.com/images/I/51cfgqhWxDL.jpg", "https://m.media-amazon.com/images/I/51V9C0ArhSL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Socks & Hosiery \u203a Socks \u203a No Show & Liner Socks", "average_rating": "", "small_description": ["Cotton ", "Machine Wash ", "\u2605\u3010MATERIAL\u3011Comfortable ventilation meshes allow your feet to breathe, stay comfortable and eliminate foot odor - Stay cool & dry with these lightweight thin footies all day around - Stretchy, wide, flat topline & accurate sock sizing provide comforts, won't leave marks on your feet - Single Layer Sock Provides a Second Skin Feel and is Ideal for Spring&Summer. ", "\u2605\u3010No SHOW\u3011No show liners stop pretty close to the toe line, just covering the end of your toes, are truly no show in all types of low cut summer shoes. - Perfect for loafers, low-cut Sperry's, low-cut Vans, low-cut Sneakers,summer high-heel shoes,ballet flats, etc. ", "\u2605\u3010No SLIPPING\u3011Stretchy Material comfortably hugs your feet; Triple Curved Silicon Heel-Grips keep the sock snug and in place; Y Heel Construction and Elastic Topline minimize slipping. ", "\u2605\u3010MULTIPURPOSE\u3011Never moved after all day running around,walking,cleaning and doing errands. ", "\u2605\u3010INSTRCTIONS\u3011Not lose the ability to stay on the foot and not fall apart after being washed.Satisfaction Guaranteed! "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3ARQGMTXALM19", "seller_name": "Cyberman", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09JC3K6R6", "category": "fashion", "query": "Women's Socks & Hosiery", "page": 54, "small_description_old": "Cotton Machine Wash \u2605\u3010MATERIAL\u3011Comfortable ventilation meshes allow your feet to breathe, stay comfortable and eliminate foot odor - Stay cool & dry with these lightweight thin footies all day around - Stretchy, wide, flat topline & accurate sock sizing provide comforts, won't leave marks on your feet - Single Layer Sock Provides a Second Skin Feel and is Ideal for Spring&Summer. \u2605\u3010No SHOW\u3011No show liners stop pretty close to the toe line, just covering the end of your toes, are truly no show in all types of low cut summer shoes. - Perfect for loafers, low-cut Sperry's, low-cut Vans, low-cut Sneakers,summer high-heel shoes,ballet flats, etc. \u2605\u3010No SLIPPING\u3011Stretchy Material comfortably hugs your feet; Triple Curved Silicon Heel-Grips keep the sock snug and in place; Y Heel Construction and Elastic Topline minimize slipping. \u2605\u3010MULTIPURPOSE\u3011Never moved after all day running around,walking,cleaning and doing errands. \u2605\u3010INSTRCTIONS\u3011Not lose the ability to stay on the foot and not fall apart after being washed.Satisfaction Guaranteed!"}, {"name": "Signature Design by Ashley Jailene Contemporary 24\" High Antique Wall Candle Sconce, Gold", "product_information": {"Product Dimensions": "5.25 x 10 x 24 inches", "Item Weight": "5.5 pounds", "Manufacturer": "Ashley Furniture Industries", "ASIN": "B0873B8Y7P", "Country of Origin": "India", "Item model number": "A8010187", "Customer Reviews": {"ratings_count": 3, "stars": "3.5 out of 5 stars"}, "Best Sellers Rank": ["#2,937,812 in Home & Kitchen (See Top 100 in Home & Kitchen) #454 in Candle Sconces"], "Item Diameter": "10 Inches", "Material Care Instructions": "Spot Clean", "Assembly Required": "No", "Number of Pieces": "1", "Warranty Description": "1 year limited manufacturer.", "Batteries Required?": "No"}, "brand": "Visit the Signature Design by Ashley Store", "brand_url": "https://www.amazon.com/stores/AshleyFurniture/page/9BD0FF61-A3F9-4233-B198-ED21F0E0B1AF?ref_=ast_bln", "full_description": "Light up your space with contemporary style with the Jailene wall sconce. The antiqued goldtone finish of the stacked shapes adds a classic element to this very modern piece. Add in your own candle and enjoy your very chic space.", "pricing": "$89.99", "list_price": "", "availability_quantity": 15, "availability_status": "Only 15 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41T1WggAARL.jpg", "https://m.media-amazon.com/images/I/51IZTlzVaPL.jpg", "https://m.media-amazon.com/images/I/41xeLcCItDL.jpg", "https://m.media-amazon.com/images/I/51q1LbVItAL.jpg", "https://m.media-amazon.com/images/I/51bzPcfpBVL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Candles & Holders \u203a Candleholders \u203a Candle Sconces", "average_rating": 3.5, "small_description": ["MODERN WALL SCONCE: Add a little shimmer and shine to your space. This wall sconce wows every time with its unique vibe and eye-catching finish ", "BEAUTIFUL CRAFTSMANSHIP: Made of metal and clear glass in a goldtone finish. Keyhole bracket on back for hanging on the wall ", "METALLIC MAGIC: The antiqued goldtone metallic finished stacked shapes radiate a sparkly sheen that's sure to elevate your bedroom or living room decor ", "DECORATIVE WALL DECOR: Measures 10\" W x 5.25\" D x 24\" H. Add in your own candle and enjoy your very chic space. Decor accents are the perfect way to add personality and style to your home ", "NO ASSEMBLY REQUIRED: Ready for instant enjoyment in your home ", "DIRECT FROM THE MANUFACTURER: Ashley Furniture goes the extra mile to package, protect and deliver your purchase in a timely manner ", "BUY WITH CONFIDENCE: Designed and manufactured by Ashley Furniture Industries. The trusted source for stylish furniture, lighting, rugs, accessories and mattresses. For every taste and budget "], "total_reviews": 3, "total_answered_questions": "", "model": "A8010187", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B0873B8Y7P", "category": "garden", "query": "Sconces", "page": 184, "small_description_old": "About this item\n \nMODERN WALL SCONCE: Add a little shimmer and shine to your space. This wall sconce wows every time with its unique vibe and eye-catching finish BEAUTIFUL CRAFTSMANSHIP: Made of metal and clear glass in a goldtone finish. Keyhole bracket on back for hanging on the wall METALLIC MAGIC: The antiqued goldtone metallic finished stacked shapes radiate a sparkly sheen that's sure to elevate your bedroom or living room decor DECORATIVE WALL DECOR: Measures 10\" W x 5.25\" D x 24\" H. Add in your own candle and enjoy your very chic space. Decor accents are the perfect way to add personality and style to your home NO ASSEMBLY REQUIRED: Ready for instant enjoyment in your home DIRECT FROM THE MANUFACTURER: Ashley Furniture goes the extra mile to package, protect and deliver your purchase in a timely manner BUY WITH CONFIDENCE: Designed and manufactured by Ashley Furniture Industries. The trusted source for stylish furniture, lighting, rugs, accessories and mattresses. For every taste and budget"}, {"name": "Bungalow Glow, Candle Pikake Lei Wood 6 Ounce", "product_information": {"Product Dimensions": "5.5 x 5.3 x 2 inches", "Item Weight": "5.6 ounces", "Manufacturer": "Bungalow Glow", "ASIN": "B07BKXMCNB", "Customer Reviews": {"ratings_count": 16, "stars": "4.3 out of 5 stars"}, "Best Sellers Rank": ["#610,802 in Home & Kitchen (See Top 100 in Home & Kitchen) #160,864 in Home D\u00e9cor Products"], "Is Discontinued By Manufacturer": "No", "Date First Available": "February 8, 2012"}, "brand": "Brand: Bungalow Glow", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Bungalow+Glow", "full_description": "Hawaiian Monkeypod Candle. A soy and beeswax blend to bring the authentic and unique scents of Hawaii into your home. This monkeypod wood candle burns approximately 35 to 40 plus hours and is scented throughout so that the scent lasts from beginning to end. Measures approximately: 1.75 in. by 4 in.", "pricing": "$17.93", "list_price": "", "availability_quantity": 15, "availability_status": "Only 15 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41gZ5-D1ccL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products", "average_rating": 4.3, "small_description": ["Uses soy wax from the United Staes ", "Handmade in Hawaii ", "Burns for up to 30 to 40 hours ", "Fragranced with phthalate-free scents "], "total_reviews": 16, "total_answered_questions": "", "customization_options": "", "seller_id": "A20D0T3EXTAA17", "seller_name": "Buns of Maui", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07BKXMCNB", "category": "garden", "query": "Candles", "page": 338, "small_description_old": "About this item\n \nUses soy wax from the United Staes Handmade in Hawaii Burns for up to 30 to 40 hours Fragranced with phthalate-free scents"}, {"name": "JOY IN LOVE Kitten Heels for Women Slingback Pumps Sandals Pointy Toe Pumps", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 11.02 x 6.3 x 3.15 inches; 1.54 Pounds", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n September 15, 2020", "ASIN\n \u200f": "\u200e\n B08J4B4C3F", "Best Sellers Rank": "#579,084 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,971 in Women's Pumps", "#1,971 in Women's Pumps": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the JOY IN LOVE Store", "brand_url": "https://www.amazon.com/stores/JOYINLOVE/page/FC3E5E61-B230-403D-89CA-D364D704FCC2?ref_=ast_bln", "full_description": "", "pricing": "$45.99$47.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31FMnQGqrbL.jpg", "https://m.media-amazon.com/images/I/319EPle3vAL.jpg", "https://m.media-amazon.com/images/I/31fKvY1Jt6L.jpg", "https://m.media-amazon.com/images/I/31mBC3-RRsL.jpg", "https://m.media-amazon.com/images/I/31GNxFhXxnL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Sandals \u203a Heeled Sandals", "average_rating": 4.3, "small_description": ["Imported ", "Rubber sole ", "Platform measures approximately .25\" ", "2.36\" kitten heels,a comfortable hight for dress shoes,you would not tired even with it all day ", "Slingback and closed toe design,can be worn as sandals or pumps.Both matching pants and skirts,suitable for a variety of occasions. ", "Shoes are packaged with separated dust bags in shoe box,random accessories as gift. ", "Standard US size,more fit medium feet,narrow feet please choose half a size down,wide feet half a size up. ", "US return warehouse,convenient to returns and exchanges.Expedited service or return policy,please contact us. "], "total_reviews": 96, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "5.5", "asin": "B08J3RC665"}, {"is_selected": false, "is_available": true, "value": "6", "asin": "B08J3RF53Y"}, {"is_selected": false, "is_available": true, "value": "7", "asin": "B08J4359WN"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B08J4DTDNV"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B08J3KWZV7"}, {"is_selected": false, "is_available": false, "value": "8.5", "asin": "B08J42S9KG"}, {"is_selected": false, "is_available": false, "value": "9", "asin": "B08J3KW2N6"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B08J3WTD2L"}, {"is_selected": false, "is_available": true, "value": "10.5", "asin": "B08J456G48"}, {"is_selected": false, "is_available": true, "value": "11", "asin": "B092VDY5MF"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08J4B4C3F/ref=twister_B09T8VTJWZ", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31qbA9uTVLL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092QVZ7SM/ref=twister_B09T8VTJWZ", "value": "Leopard", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/412BX7uajFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08J3Y6L29/ref=twister_B09T8VTJWZ", "value": "Red Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31yX9GrDacL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08J3QCQQS/ref=twister_B09T8VTJWZ", "value": "Nude Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31P8LCclsxL.jpg"}, {"is_selected": true, "url": null, "value": "Nude", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31FMnQGqrbL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B092VDY5MF", "category": "fashion", "query": "Women's Pumps", "page": 26, "small_description_old": "Imported Rubber sole Platform measures approximately .25\" 2.36\" kitten heels,a comfortable hight for dress shoes,you would not tired even with it all day Slingback and closed toe design,can be worn as sandals or pumps.Both matching pants and skirts,suitable for a variety of occasions. Shoes are packaged with separated dust bags in shoe box,random accessories as gift. Standard US size,more fit medium feet,narrow feet please choose half a size down,wide feet half a size up. US return warehouse,convenient to returns and exchanges.Expedited service or return policy,please contact us."}, {"name": "Godox S2 Speedlite Bracket for Godox AD200Pro, AD200, AD400Pro, for V1 Round Head Speedlite, V860II / TT685 / TT350 Series, S-Type Bracket Updated Version Bowens Mount Holder", "product_information": {"Package Dimensions": "7.68 x 6.42 x 3.62 inches", "Item Weight": "1.39 pounds", "ASIN": "B07YFF7B78", "Customer Reviews": {"ratings_count": 272, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#5 in Camera Flash Shoe Mounts"], "Date First Available": "September 27, 2019", "Manufacturer": "GODOX"}, "brand": "Visit the Godox Store", "brand_url": "https://www.amazon.com/stores/GODOX/page/DBFCDB48-1C42-418D-BBF0-1A6BC6CC6F65?ref_=ast_bln", "full_description": "", "pricing": "$25.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41qHB031oWL.jpg", "https://m.media-amazon.com/images/I/41IUmbp914L.jpg", "https://m.media-amazon.com/images/I/41owVBOpiWL.jpg", "https://m.media-amazon.com/images/I/41vHz8BKfBL.jpg", "https://m.media-amazon.com/images/I/411LwymaU1L.jpg", "https://m.media-amazon.com/images/I/41ExB8tnyjL.jpg", "https://m.media-amazon.com/images/I/51W70XAcNSL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Accessories \u203a Flash Accessories \u203a Shoe Mounts", "average_rating": 4.8, "small_description": ["[Stronger adaptability]Godox S2 Bracket is update version of S type bracket, fit more speedlites and flashes, such as Godox V1 round Head speedlite,V860II series, T685 series, TT350 series, and outdoor flashes AD series like AD400Pro, AD200Pro ", "[Better quality and protection]No-slip surface, mounts with light pressure, Will not scratch your equipment ", "[More Angle]S2 bracket can tilt stepless, suitable for different angles of lighting. It can be hold in hand or install on a light stand. ", "[More Compact and Portable]S2 bracket has less size and is more compact and portable than the original S type bracket ", "[Bowens Style Mount] Bowens Mount compatible with many accessories such as softbox, standard reflector, Snoot, Umbrella etc. "], "total_reviews": 272, "total_answered_questions": 9, "customization_options": "", "seller_id": "A2KVN3KRDSIAN0", "seller_name": "INSSTRO", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07YFF7B78", "category": "electronics", "query": "Flashes", "page": 156, "small_description_old": "[Stronger adaptability]Godox S2 Bracket is update version of S type bracket, fit more speedlites and flashes, such as Godox V1 round Head speedlite,V860II series, T685 series, TT350 series, and outdoor flashes AD series like AD400Pro, AD200Pro [Better quality and protection]No-slip surface, mounts with light pressure, Will not scratch your equipment [More Angle]S2 bracket can tilt stepless, suitable for different angles of lighting. It can be hold in hand or install on a light stand. [More Compact and Portable]S2 bracket has less size and is more compact and portable than the original S type bracket [Bowens Style Mount] Bowens Mount compatible with many accessories such as softbox, standard reflector, Snoot, Umbrella etc."}, {"name": "Southern Enterprises Kempsey Convertible Console Dining Table, white", "product_information": {"Item Weight": "\u200e78 pounds", "Product Dimensions": "\u200e35.5 x 43 x 30 inches", "Item model number": "\u200eAMZ4792ND", "ASIN": "B07S8F7SHK", "Date First Available": "May 24, 2019"}, "brand": "Visit the SEI Furniture Store", "brand_url": "https://www.amazon.com/stores/SEIFurniture/page/C1DB17B6-B439-41F2-80E6-05ABE9EA8A1D?ref_=ast_bln", "full_description": "Desk to dining. This elegant White dining table converts to a media console in a snap. Farmhouse style greets your guests with Class. Switch up your furniture for a fresh spring clean look - from dining, to living, to the Entry, this any-use folding table complements the room of your choice!", "pricing": "$458.84", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51FnhU2chTL.jpg", "https://m.media-amazon.com/images/I/31BCLt2zYvL.jpg", "https://m.media-amazon.com/images/I/21wtB1-No7L.jpg", "https://m.media-amazon.com/images/I/21Ba1aryGwL.jpg", "https://m.media-amazon.com/images/I/31wBQi78ZfL.jpg", "https://m.media-amazon.com/images/I/31Ya1KPL0pL.jpg", "https://m.media-amazon.com/images/I/61viXOpyX2L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Tables \u203a Sofa & Console Tables", "average_rating": "", "small_description": ["Sofa table converts to breakfast table; 1 Media shelf W/ 1 cord control outlet; White ", "Folding tabletop and gate-leg functionality; clean, Simple look; Farmhouse to Transitional style ", "Overall: 43\" W x 35. 5\" D x 30\" H, 43\" W x 17. 75\" D x 31\" H (dining, console) ", "Subtle wood grain will vary; open Concept living space, dining room, hall/Entry, home office, or kitchen ", "Assembly: required "], "total_reviews": "", "total_answered_questions": "", "model": "\u200eAMZ4792ND", "customization_options": "", "seller_id": "A1BPPTA9GR9RGY", "seller_name": "Kapok Canopy", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07S8F7SHK", "category": "garden", "query": "Console tables", "page": 209, "small_description_old": "About this item Sofa table converts to breakfast table; 1 Media shelf W/ 1 cord control outlet; White Folding tabletop and gate-leg functionality; clean, Simple look; Farmhouse to Transitional style Overall: 43\" W x 35. 5\" D x 30\" H, 43\" W x 17. 75\" D x 31\" H (dining, console) Subtle wood grain will vary; open Concept living space, dining room, hall/Entry, home office, or kitchen Assembly: required \n \u203a See more product details"}, {"name": "Sweet Jojo Designs Blush Pink and Grey Woodland Boho Dream Catcher Arrow Decorative Accent Throw Pillows for Gray Bunny Floral Collection - Set of 2 - Watercolor Rose Flower", "product_information": {"Product Dimensions": "10 x 8 x 3 inches", "Item Weight": "2.69 pounds", "Manufacturer": "Sweet Jojo Designs", "ASIN": "B07V5WMYXS", "Country of Origin": "China", "Item model number": "2P-Dec18-BunnyFloral", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#1,148,318 in Home & Kitchen (See Top 100 in Home & Kitchen) #2,663 in Throw Pillows"], "Is Discontinued By Manufacturer": "No", "Fabric Type": "Brushed Microfiber", "Number of Pieces": "2", "Batteries Required?": "No"}, "brand": "Brand: Sweet Jojo Designs", "brand_url": "https://www.amazon.com/Sweet-Jojo-Designs/b/ref=bl_dp_s_web_6705697011?ie=UTF8&node=6705697011&field-lbr_brands_browse-bin=Sweet+Jojo+Designs", "full_description": "", "pricing": "$22.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41Rvl6SRrvL.jpg", "https://m.media-amazon.com/images/I/41-6f4fjpeL.jpg", "https://m.media-amazon.com/images/I/41Yp2lLHUAL.jpg", "https://m.media-amazon.com/images/I/41Ym82Wt4ZL.jpg", "https://m.media-amazon.com/images/I/41FWJPnZd3L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Decorative Pillows, Inserts & Covers \u203a Throw Pillows", "average_rating": 5, "small_description": ["Brushed Microfiber ", "Set of 2 - Pink and Grey Bunny Floral Print Brushed Microfiber Decorative Pillows ", "Matches with all Bunny Floral bedding sets by Sweet Jojo Designs ", "This pillow is sold as a set of 2 - order as many as you need. ", "This design has matching accessories such as window treatments, hampers, shower curtains and bed skirts "], "total_reviews": 1, "total_answered_questions": "", "model": "2P-Dec18-BunnyFloral", "customization_options": "", "seller_id": "AFZG0PW56RHNB", "seller_name": "BeyondBedding", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07V5WMYXS", "category": "garden", "query": "Decorative Pillows", "page": 180, "small_description_old": "About this item\n \nBrushed Microfiber Set of 2 - Pink and Grey Bunny Floral Print Brushed Microfiber Decorative Pillows 18 in. x 18 in. each Matches with all Bunny Floral bedding sets by Sweet Jojo Designs This pillow is sold as a set of 2 - order as many as you need. This design has matching accessories such as window treatments, hampers, shower curtains and bed skirts"}, {"name": "K&F Concept 62mm MC UV Protection Filter Slim Frame with 18-Multi-Layer Coatings for Camera Lens (K-Series)", "product_information": {"Package Dimensions": "3.9 x 3.9 x 0.71 inches", "Item Weight": "2.08 ounces", "ASIN": "B07QL67W9Y", "Item model number": "KF.K62", "Customer Reviews": {"ratings_count": 92, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#35 in Camera Lens Sky & UV Filters"], "Date First Available": "April 12, 2019", "Manufacturer": "Shenzhen Zhuoer Photograph"}, "brand": "Visit the K&F Concept Store", "brand_url": "https://www.amazon.com/stores/KFConcept/page/A4915C0D-40D8-4ADF-99E2-82769850FE3D?ref_=ast_bln", "full_description": "", "pricing": "$11.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51N5tibDwHS.jpg", "https://m.media-amazon.com/images/I/519ufFQQ5zS.jpg", "https://m.media-amazon.com/images/I/41bnjczp2NS.jpg", "https://m.media-amazon.com/images/I/51B8+rP+0SS.jpg", "https://m.media-amazon.com/images/I/31n3Q-zPBSS.jpg", "https://m.media-amazon.com/images/I/41+mZifoC-S.jpg", "https://m.media-amazon.com/images/I/41PT-1wnN7S.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Accessories \u203a Filters & Accessories \u203a Skylight & UV Filters", "average_rating": 4.7, "small_description": ["UV filters is made of Japan import optical glass, protects your lens from dirt, scratches, fingerprints, or accidental damage. ", "Super slim & lightweight aluminum frame, maximum reduce impact on light and effectively avoid dark corner for wide-angle lens. ", "18 Multi-layer coatings effectively to restore the images quality , no any negative affect for the photos color. ", "This UV filter reduce haze and improve contrast to your video and digital images by minimizing the amount of ultraviolet (UV) light and helps eliminate bluish cast in images. ", "The filter is compatible with all 62mm lenses. Please verify your camera's lens thread size(usually marked somewhere on the lens barrel or printed underneath the lens cap) before ordering.The number is always preceded by a \"\u00f8\" (diameter) symbol. "], "total_reviews": 92, "total_answered_questions": "", "model": "KF.K62", "customization_options": "", "seller_id": "AY9NES7NL8P3U", "seller_name": "HappyXingqier", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07QL67W9Y", "category": "electronics", "query": "Lenses", "page": 108, "small_description_old": "About this item\n \nUV filters is made of Japan import optical glass, protects your lens from dirt, scratches, fingerprints, or accidental damage. Super slim & lightweight aluminum frame, maximum reduce impact on light and effectively avoid dark corner for wide-angle lens. 18 Multi-layer coatings effectively to restore the images quality , no any negative affect for the photos color. This UV filter reduce haze and improve contrast to your video and digital images by minimizing the amount of ultraviolet (UV) light and helps eliminate bluish cast in images. The filter is compatible with all 62mm lenses. Please verify your camera's lens thread size(usually marked somewhere on the lens barrel or printed underneath the lens cap) before ordering.The number is always preceded by a \"\u00f8\" (diameter) symbol."}, {"name": "GRABKEN Mini WiFi Alexa Google Wireless Smart Doorbell Camera with Chime, Battery, 19201080P HD, 2-Way Audio, Motion Detection, IP66 and 32GB TF Card", "product_information": {"Package Dimensions": "7.87 x 4.72 x 3.15 inches", "Item Weight": "99 pounds", "ASIN": "B08VH8MZZ6", "Batteries": "2 Unknown batteries required. (included)", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#25,660 in Camera & Photo Products (See Top 100 in Camera & Photo Products) #6,799 in Dome Surveillance Cameras"], "Date First Available": "January 31, 2021", "Manufacturer": "GRABKEN"}, "brand": "Brand: GRABKEN", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=GRABKEN", "full_description": "This fashion video doorbell is equipped with all necessary's features: This high motion sensitivity wi-fi video doorbell camera can detect the slightest motion in front of your door. It\u2019ll automatically switch between normal and infrared settings so you\u2019ll never miss any visitor. Speak directly to anyone who approaches your front door via two-way audio. Whether you are on a business, trip or in the office if you have a network, you can check the status of the door in real time. Super Wi-Fi penetration ability. Only a few steps to complete the installation, and the location is freely defined.", "pricing": "$55.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41aXp7XZznL.jpg", "https://m.media-amazon.com/images/I/51p5e+stFML.jpg", "https://m.media-amazon.com/images/I/51lVBspzNrL.jpg", "https://m.media-amazon.com/images/I/51OnJLAdaDL.jpg", "https://m.media-amazon.com/images/I/51mHWR4WMXL.jpg", "https://m.media-amazon.com/images/I/411jmT2rcAL.jpg", "https://m.media-amazon.com/images/I/41si8H8+GvL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Video Surveillance \u203a Surveillance Cameras \u203a Dome Cameras", "average_rating": 5, "small_description": ["[High Speed Video Transmission Ultra \u2013Low Power] High Performance Editable HI3518E Media Processer and Arm @ Max 440 MHZ High Speed Video Processor. ", "[Real-Time Voice Intercom] Through the Mobile Phone you can check the status of the door in real \u2013 time. You can record the current video, play it back, and you can also save the photo. ", "[Smart- Technology Frontier Fashion] New all in one button design, flexible operation, high energy with the whole machine, high degree of integration, the whole body is safe, fashionable and convenient. ", "[High Speed Network View] Whether you are on a business, trip or in the office if you have a network, you can check the status of the door in real time. With all technology and our sophisticated algorithm, the camera intelligently detects body shape and face pattern. ", "[1920P HD Resolution & Night Vision] The smart doorbell camera provides clear captures to see the situation thanks to 1920*1080P HD resolutions and a night vision sensor with 166-degree wide-angle views that keep your home security day and night. [Additional Option used] Pair with select Alexa-enabled devices to enable announcements and two-way talk for convenient in-home monitoring. "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A1PQVCIPNWZH40", "seller_name": "Grabken LLC", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08VH8MZZ6", "category": "electronics", "query": "Video Surveillance", "page": 319, "small_description_old": "About this item\n \n[High Speed Video Transmission Ultra \u2013Low Power] High Performance Editable HI3518E Media Processer and Arm @ Max 440 MHZ High Speed Video Processor. [Real-Time Voice Intercom] Through the Mobile Phone you can check the status of the door in real \u2013 time. You can record the current video, play it back, and you can also save the photo. [Smart- Technology Frontier Fashion] New all in one button design, flexible operation, high energy with the whole machine, high degree of integration, the whole body is safe, fashionable and convenient. [High Speed Network View] Whether you are on a business, trip or in the office if you have a network, you can check the status of the door in real time. With all technology and our sophisticated algorithm, the camera intelligently detects body shape and face pattern. [1920P HD Resolution & Night Vision] The smart doorbell camera provides clear captures to see the situation thanks to 1920*1080P HD resolutions and a night vision sensor with 166-degree wide-angle views that keep your home security day and night. [Additional Option used] Pair with select Alexa-enabled devices to enable announcements and two-way talk for convenient in-home monitoring."}, {"name": "Milumia Women's Sexy Spaghetti Strap Floral Print Cami Bodycon Bodysuit Shirt Tops", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 14 x 10.5 x 0.5 inches; 2.4 Ounces", "Item model number\n \u200f": "\u200e\n W07200428379U9-M", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n July 13, 2020", "ASIN\n \u200f": "\u200e\n B089K79PQ1", "Best Sellers Rank": "#1,685,612 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,023 in Women's Bodysuit Tops", "#1,023 in Women's Bodysuit Tops": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Milumia Store", "brand_url": "https://www.amazon.com/stores/Milumia/page/C1C5537A-823A-4E27-9DF3-C4FFBF8B8D6C?ref_=ast_bln", "full_description": "Size ChartXS: Bust:29.5\",Waist Size:24\",Hip Size:27.2\",Length:28.9\"S: Bust:31.1\",Waist Size:25.6\",Hip Size:28.7\",Length:29.5\"M: Bust:32.7\",Waist Size:27.2\",Hip Size:30.3\",Length:30.1\"L: Bust:35\",Waist Size:29.5\",Hip Size:32.7\",Length:30.9\"XL: Bust:37.4\",Waist Size:31.9\",Hip Size:35\",Length:31.7\"", "pricing": "$14.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51rijKuO6mL.jpg", "https://m.media-amazon.com/images/I/31vHWCjCrML.jpg", "https://m.media-amazon.com/images/I/41yx9TuEvTL.jpg", "https://m.media-amazon.com/images/I/51Ah571gwhL.jpg", "https://m.media-amazon.com/images/I/51Sv7wHmWrL.jpg", "https://m.media-amazon.com/images/I/317r0aq7SsL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Bodysuits", "average_rating": 3.7, "small_description": ["Hand Wash Only ", "Material: 95% polyester , 5% spandex. Fabric has high stretch. ", "Feature: Plus Size, Ditsy Floral Print, Cute and Sweet, Sleeveless, Cami Bodysuit, Spaghetti Straps, Skinny. ", "Occasion: Suitable for Dating, Work, Club, Weekend, Beach, Vacation and Daily wear. ", "Care: Hand wash with cold water. Do not bleach or tumble dry warm. ", "For size information, please refer to the final image on the left or the product description before ordering. "], "total_reviews": 10, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Medium", "asin": "B089K79PQ1"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B089JYQDBM"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B089KC5NT8"}], "Color": null}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B089K79PQ1", "category": "fashion", "query": "Women's Bodysuit Tops", "page": 51, "small_description_old": "Hand Wash Only Material: 95% polyester , 5% spandex. Fabric has high stretch. Feature: Plus Size, Ditsy Floral Print, Cute and Sweet, Sleeveless, Cami Bodysuit, Spaghetti Straps, Skinny. Occasion: Suitable for Dating, Work, Club, Weekend, Beach, Vacation and Daily wear. Care: Hand wash with cold water. Do not bleach or tumble dry warm. For size information, please refer to the final image on the left or the product description before ordering."}, {"name": "YFF-Corrimano Portable Projection Screen 4:3/16:9 HD Roll-Down Pull-Down Retractable Manual Projection Screen W/Auto-Locking, for Indoor Movie Home Theater Office", "product_information": {"Manufacturer": "YFF-Corrimano", "ASIN": "B09H2NB41N", "Country of Origin": "China"}, "brand": "Brand: YFF-Corrimano", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=YFF-Corrimano", "full_description": "Product description: This durable screen can be mounted on a wall or ceiling and retractable when necessary. In addition to office meeting rooms, classrooms or home screens, the projector screen is also very convenient and practical. Watch your favorite movies on the big screen, play video games with friends, or share work-related presentations or videos with large groups of people. Specification: Product name: Projection screen Screen type: Wall-mounted screen Material: White glass fiber Ratio: 4:3/16:9 Wide angle: 178\u00b0 Gain multiple: 2.3 Size: 60/72/84/100 inch Back: black, opaque Package: 1\u00d7projection screen Note: 1. Using manual measurement method, the size may have an error of 1-3 cm, which is normal. 2. Due to factors such as shooting light and display, some chromatic aberration problems will inevitably occur. Please refer to the actual product received.", "pricing": "$289.57", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41h4BV4YwHL.jpg", "https://m.media-amazon.com/images/I/51Q4Y81HjCL.jpg", "https://m.media-amazon.com/images/I/41oXOnhF8vL.jpg", "https://m.media-amazon.com/images/I/419cdW2VUVL.jpg", "https://m.media-amazon.com/images/I/41+zg9+wNjL.jpg", "https://m.media-amazon.com/images/I/51nD6jipNNL.jpg", "https://m.media-amazon.com/images/I/41sqwfTQDZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Television & Video \u203a Projection Screens", "average_rating": "", "small_description": ["\u3010178\u00b0 wide view angles\u3011: The retractable projector screen has large 178-degree view angles, you don\u2019t need to sit in front of the screen when watching movies. Suitable for home movies, education, presentation, gaming or outdoor movies. ", "\u3010Manual screen control\u3011: This pull down movie screen ceiling/wall mount projector screen is fully retractable and has a self-locking mechanism so you can simply roll down/pull down the screen and then release softly & it will lock itself into position. ", "\u3010Pull down and auto locking system\u3011: The height of the screen is adjustable. Adjust a proper height (various aspect ratio available) for your need and the auto locking design make it more convenient and easy to operate. Easy to pull down and rise up. ", "\u3010Wrinkle-free surface\u3011: The made white glass fiber & black border frame of the video screen pull down hanging projector screen creates impeccable color balance to project realistic picture & deliver ultra-wide off-axis viewing making every seat the best one. ", "\u3010Multi-purpose\u3011: Viewing capacity enables usage in any places: home, living room, school, office, church, classroom, backyard, on any venues: presentations, conferences, weddings, parties, for any entertainments: sport events, movies, TV shows, video gaming. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09H2KKYXW/ref=twister_B09H2KQGDF?_encoding=UTF8&psc=1", "value": "60-inch 4:3", "price_string": "$244.76", "price": 244.76, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H2JTQP8/ref=twister_B09H2KQGDF?_encoding=UTF8&psc=1", "value": "60-inch 16:9", "price_string": "$272.34", "price": 272.34, "image": null}, {"is_selected": true, "url": null, "value": "72-inch 4:3", "price_string": "$289.57", "price": 289.57, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H2M9578/ref=twister_B09H2KQGDF?_encoding=UTF8&psc=1", "value": "72-inch 16:9", "price_string": "$303.36", "price": 303.36, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H2HR7LD/ref=twister_B09H2KQGDF?_encoding=UTF8&psc=1", "value": "84-inch 4:3", "price_string": "$317.15", "price": 317.15, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H2KCB1L/ref=twister_B09H2KQGDF?_encoding=UTF8&psc=1", "value": "84-inch 16:9", "price_string": "$334.39", "price": 334.39, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H2LFTGX/ref=twister_B09H2KQGDF?_encoding=UTF8&psc=1", "value": "100-inch 4:3", "price_string": "$383.00", "price": 383, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09H2MNX7Z/ref=twister_B09H2KQGDF?_encoding=UTF8&psc=1", "value": "100-inch 16:9", "price_string": "$398.16", "price": 398.16, "image": null}]}, "seller_id": "AXLMMF57K25UV", "seller_name": "XGBDM", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09H2NB41N", "category": "electronics", "query": "Projection Screens", "page": 139, "small_description_old": "About this item \u3010178\u00b0 wide view angles\u3011: The retractable projector screen has large 178-degree view angles, you don\u2019t need to sit in front of the screen when watching movies. Suitable for home movies, education, presentation, gaming or outdoor movies. \u3010Manual screen control\u3011: This pull down movie screen ceiling/wall mount projector screen is fully retractable and has a self-locking mechanism so you can simply roll down/pull down the screen and then release softly & it will lock itself into position. \u3010Pull down and auto locking system\u3011: The height of the screen is adjustable. Adjust a proper height (various aspect ratio available) for your need and the auto locking design make it more convenient and easy to operate. Easy to pull down and rise up. \u3010Wrinkle-free surface\u3011: The made white glass fiber & black border frame of the video screen pull down hanging projector screen creates impeccable color balance to project realistic picture & deliver ultra-wide off-axis viewing making every seat the best one. \u3010Multi-purpose\u3011: Viewing capacity enables usage in any places: home, living room, school, office, church, classroom, backyard, on any venues: presentations, conferences, weddings, parties, for any entertainments: sport events, movies, TV shows, video gaming."}, {"name": "142 Pcs Phone Cleaning Kit, Airpod Cleaner Kit for USB Charging Port, Phone Port Cleaning Kit with Screen Cleaner Spray, Airpods Cleaning kit for Airpods pro Earphones Camera, Earbud Cleaning kit", "product_information": {"Package Dimensions": "5.59 x 4.13 x 1.97 inches", "Item Weight": "6.7 ounces", "ASIN": "B08NF4L614", "Customer Reviews": {"ratings_count": 479, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#10 in Camera & Photo Cleaning Kits"], "Date First Available": "November 13, 2020", "Manufacturer": "Aispour"}, "brand": "Visit the Aispour Store", "brand_url": "https://www.amazon.com/stores/aispour/page/E6AB390F-37C6-4797-8024-25FA32450BA2?ref_=ast_bln", "full_description": "", "pricing": "$12.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51DtBpFDN8L.jpg", "https://m.media-amazon.com/images/I/51IT56WKLcL.jpg", "https://m.media-amazon.com/images/I/51kH-bFLYaL.jpg", "https://m.media-amazon.com/images/I/51osCsOctKS.jpg", "https://m.media-amazon.com/images/I/51Z4yePVq9L.jpg", "https://m.media-amazon.com/images/I/51Cl0RpnxAL.jpg", "https://m.media-amazon.com/images/I/61mh8Vuyt9S.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Accessories \u203a Cleaning Equipment \u203a Cleaning Kits", "average_rating": 4.5, "small_description": ["\u2721\u3010WHAT YOU CAN GOT\u3011 1 Screen Cleaner Spray for Electronic Devices + 1 100 Clean Thin Tip + 20 Cleaning Swabs + 8 Wipes + 5 Soft Bristle Brushes + 2 Durable Microfiber Cleaning Cloth + 2 Soft Bursh + 1 Air Blower + 1 Storage Box. ", "\u2721\u3010WHAT IT USED FOR\u3011We are premium cleaner tools for your home electronic devices, used for your airpods 2 or airpods pro, airpods charger kit, phone screen clean and computer clean such as headphone, cell phone, keyboard, ipad charging port cleaner tool. ", "\u2721\u3010WHAT IT CALLED\u3011Aispour electronic cleaning kit\uff0cScreen cleaner, Dust remover, Extend service time helper. Effective cleaning kit tools for your electronic devices dust. make your electronic device away from dust, sand , dirt and debris. ", "\u2721\u3010WHAT\u2019S THE ADVANTAGE\u3011 Safety, Simple, Effective, Static-free, Multi-propuse, Unique Electronic Cleaning kit for your life! ", "\u2721\u3010HOW TO GET GUARANTEE\u3011 Just e-mail us at anytime you like, Aispour are pleasure to solve your consultation and make a guarantee to provide full refunds & returns serivce. "], "total_reviews": 479, "total_answered_questions": "", "customization_options": "", "seller_id": "A26ET4NTLPSGXK", "seller_name": "midoer", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08NF4L614", "category": "electronics", "query": "Cell Phones", "page": 178, "small_description_old": "\u2721\u3010WHAT YOU CAN GOT\u3011 1 Screen Cleaner Spray for Electronic Devices + 1 100 Clean Thin Tip + 20 Cleaning Swabs + 10 Wipes + 5 Soft Bristle Brushes + 2 Durable Microfiber Cleaning Cloth + 2 Soft Bursh + 1 Air Blower + 1 Storage Box. \u2721\u3010WHAT IT USED FOR\u3011We are premium cleaner tools for your home electronic devices, used for your airpods 2 or airpods pro, airpods charger kit, phone screen clean and computer clean such as headphone, cell phone, keyboard, ipad charging port cleaner tool. \u2721\u3010WHAT IT CALLED\u3011Aispour electronic cleaning kit\uff0cScreen cleaner, Dust remover, Extend service time helper. Effective cleaning kit tools for your electronic devices dust. make your electronic device away from dust, sand , dirt and debris. \u2721\u3010WHAT\u2019S THE ADVANTAGE\u3011 Safety, Simple, Effective, Static-free, Multi-propuse, Unique Electronic Cleaning kit for your life! \u2721\u3010HOW TO GET GUARANTEE\u3011 Just e-mail us at anytime you like, Aispour are pleasure to solve your consultation and make a guarantee to provide full refunds & returns serivce."}, {"name": "BON AUGURE Industrial Sofa Console Table for Entryway, 3 Tier Foyer Table for Hallway, Rustic Hall Tables Behind Couch (47 Inch, Rustic Oak)", "product_information": {"Product Dimensions": "47.24 x 13.39 x 30 inches", "Item Weight": "43.3 pounds", "Manufacturer": "BON AUGURE", "ASIN": "B07Y81FQV3", "Customer Reviews": {"ratings_count": 997, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#88,264 in Home & Kitchen (See Top 100 in Home & Kitchen) #79 in Sofa Tables"], "Is Discontinued By Manufacturer": "No", "Date First Available": "December 16, 2018"}, "brand": "Visit the BON AUGURE Store", "brand_url": "https://www.amazon.com/stores/BONAUGURE/page/894FF33F-F016-4316-9A91-AEF594841751?ref_=ast_bln", "full_description": "", "pricing": "$149.99", "list_price": "", "availability_quantity": 1, "availability_status": "In Stock. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51SXrjQLZ5L.jpg", "https://m.media-amazon.com/images/I/51f2k9B9rJL.jpg", "https://m.media-amazon.com/images/I/51amNUQ+mlL.jpg", "https://m.media-amazon.com/images/I/515pr6QflxL.jpg", "https://m.media-amazon.com/images/I/51BqzJ1MB0L.jpg", "https://m.media-amazon.com/images/I/41+rc-lRdKL.jpg", "https://m.media-amazon.com/images/I/410+uk-ZmtL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Tables \u203a Sofa & Console Tables", "average_rating": 4.8, "small_description": ["Multi-functional Console Table: The clean-lined sofa table is a perfect accent work as a console table behind couch, entryway/hallway table, even as a TV stand and bookcase. 3 tier open shelves provide extra space for storing books, plants, decorations, etc. Simple industrial design makes this sofa console table perfect for any space and keeps your home/office in tidy condition. ", "Fashion Style Sofa Table: Modern minimalism and rustic character meet in this clean-lined entryway table, right at home in the farmhouse and industrial-inspired arrangements. Just decorated with framed family photos, plants, and artistic accents to bring a pop of personality to entryway, living room, hallway, bedroom and front door. ", "Material & Structure Features: This entrance table crafted from durable premium MDF board and quality steel frame, the top shelf of this entry table can hold 225 lbs and the lower shelves can hold 150 lbs, offers a long service life and very sturdy. ", "Easy to Assembly: simple design makes assembly very easy, all hardware and detailed instruction are provided. The hall table overall dimension:13.39\"D x 47.24\"W x 30.12\"H. This versatile console tables with storage is convenient to install without any difficulty and placed in any area you like. ", "Worry about wobbles? Heavy metal leg frames and support metal Tubes strengthen the stability of this foyer table greatly and keep balance. "], "total_reviews": 997, "total_answered_questions": "", "customization_options": {"Size": null}, "seller_id": "A1RI04DI3A1QEU", "seller_name": "BON AUGURE", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B07Y81FQV3", "category": "garden", "query": "Console tables", "page": 3, "small_description_old": "About this item\n \nMulti-functional Console Table: The clean-lined sofa table is a perfect accent work as a console table behind couch, entryway/hallway table, even as a TV stand and bookcase. 3 tier open shelves provide extra space for storing books, plants, decorations, etc. Simple industrial design makes this sofa console table perfect for any space and keeps your home/office in tidy condition. Fashion Style Sofa Table: Modern minimalism and rustic character meet in this clean-lined entryway table, right at home in the farmhouse and industrial-inspired arrangements. Just decorated with framed family photos, plants, and artistic accents to bring a pop of personality to entryway, living room, hallway, bedroom and front door. Material & Structure Features: This entrance table crafted from durable premium MDF board and quality steel frame, the top shelf of this entry table can hold 225 lbs and the lower shelves can hold 150 lbs, offers a long service life and very sturdy. Easy to Assembly: simple design makes assembly very easy, all hardware and detailed instruction are provided. The hall table overall dimension:13.39\"D x 47.24\"W x 30.12\"H. This versatile console tables with storage is convenient to install without any difficulty and placed in any area you like. Worry about wobbles? Heavy metal leg frames and support metal Tubes strengthen the stability of this foyer table greatly and keep balance."}, {"name": "EWEAT R10 II 4K UHD Media Player HDD Home Cinema VS10 Image Quality Engine HDR10+ 2GB+32GB Android Media Box with DAC Audio", "product_information": {"Brand Name": "\u200eEweat", "Item Weight": "\u200e19.8 pounds", "Product Dimensions": "\u200e16.93 x 10.63 x 31.5 inches", "ASIN": "B09NMZS7HK", "Date First Available": "December 15, 2021"}, "brand": "Visit the eweat Store", "brand_url": "https://www.amazon.com/stores/EWEATisfoundedin2013professionalin4KhifimediaplayerandroidtvboxandDACdecoderRDleadingintheindustrywithhighquality/page/E63830FD-C144-4760-9EF2-6C2FB6DF7BB4?ref_=ast_bln", "full_description": "The best Android media player chipset RTD1619DR hexa-core 64bit high-performance processor Built-in VS10 engine could process Dolby Vision very well. All files could be mapped to similar color of Dolby Vision, image quality improves a lot. Support HDR10+ dynamic metadata processing. Dual HDMI audio and video separation. Support SATA/USB(3.5/2.5) connection (hard drives up to max 16TB). Support BD/BD3D/UHD full Blu-ray navigation and complex MPLS structure Blu-ray seamless branching playback. Movie Poster supports automatic posters scanning, custom classifications and movie trailers. Best in class audio performance: with ESS9038Q2M DACs for Audio, Coaxial /Optical /AES inputs, Dedicated Stereo Output,Headphone Amplifier. The hard drive shown in the picture is not in the sales list.", "pricing": "$599.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/21D9XMdh+ML.jpg", "https://m.media-amazon.com/images/I/21Kg4wbTeqL.jpg", "https://m.media-amazon.com/images/I/31Qv8HWn7LL.jpg", "https://m.media-amazon.com/images/I/31edV5N5CML.jpg", "https://m.media-amazon.com/images/I/21XCXhxxiQL.jpg", "https://m.media-amazon.com/images/I/31AYkJabPkL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Television & Video \u203a Streaming Media Players", "average_rating": "", "small_description": ["\u3010CPU and Image Processing Engine\u3011EWEAT R10II is equipped with chipset RTD1619DR hexa-core 64bit high-performance processor, 2G DDR4+16G eMMC. DV VS10 image processing engine, output low latency high-quality DV (LLDV), get best image quality ", "\u3010Android 9.0 OS\u3011EWEAT R10II is Android media player. Support OTA Update and Multi-language. Android world of APP, games, movies, music are supported. ", "\u3010Hi-Fi Audio Performance\u3011EWEAT R10II is equipped with ESS9038Q2M DACs chip for audio output with Coaxial /Optical /AES inputs,support Dedicated Stereo Output,Headphone Amplifier.It can bring you the best audio quality and is an important part of your home theater. ", "\u3010HDD Media player\u3011EWEAT R10II is a dual HDD media player which support hard drives max 16TB "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2DZHT88QPFZVC", "seller_name": "Shenzhen Eweat Technology Co.,Ltd", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09NMZS7HK", "category": "electronics", "query": "Streaming Media Players", "page": 39, "small_description_old": "About this item \u3010CPU and Image Processing Engine\u3011EWEAT R10II is equipped with chipset RTD1619DR hexa-core 64bit high-performance processor, 2G DDR4+16G eMMC. DV VS10 image processing engine, output low latency high-quality DV (LLDV), get best image quality \u3010Android 9.0 OS\u3011EWEAT R10II is Android media player. Support OTA Update and Multi-language. Android world of APP, games, movies, music are supported. \u3010Hi-Fi Audio Performance\u3011EWEAT R10II is equipped with ESS9038Q2M DACs chip for audio output with Coaxial /Optical /AES inputs,support Dedicated Stereo Output,Headphone Amplifier.It can bring you the best audio quality and is an important part of your home theater. \u3010HDD Media player\u3011EWEAT R10II is a dual HDD media player which support hard drives max 16TB \n \u203a See more product details"}, {"name": "SMWZFDD Vintage Industrial Wall Lights E27 Retro Wall Lamp Industrial Wall Light Loft Wall Sconce Lamps Bedside Wall Light for Bedroom Cafe Bar Aisle,Metal Lampshade, E27,Gold", "product_information": {"Manufacturer": "SMWZFDD", "ASIN": "B08GY1VWPH", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#2,357,423 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #20,268 in Wall Sconces"]}, "brand": "Brand: SMWZFDD", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=SMWZFDD", "full_description": "Specifications:Type: Industrial Wall Lamp, Wall Lights for Living Room, Vintage Wall Light.Socket Specs : Medium base E27 (standard size). Requires wiring.Craft: Baking paint, polish and burnish.Material: Metal.Suitable Space: 8-15 square meter.Power Source: AC/DC, 110V-220V.Bulb Type: E27 (Bulb not included).Package Include:Package: 1* Wall Lamp (not includes bulbs).1 x Installing Accessory (Brass socket,cord,metal base cap and screws).installation steps:1. Open the box, bring out the accessories. Please be careful to prevent the lampshade from scratching.2. Please turn off the power before wiring, connect the fire wire, ground wire and zero line.3. Use the bolts and screws to install metal base cap.4. Screw the metal holder to fix the lamp.5. Put the lampshade on the lamp socket and lock with the ring.6. Install a suitable bulb into the lamp socket.7. Turn on the lamp to check if it is working.", "pricing": "$65.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31d7skR8b8L.jpg", "https://m.media-amazon.com/images/I/31DphISB7CL.jpg", "https://m.media-amazon.com/images/I/31vRvfyJ6BL.jpg", "https://m.media-amazon.com/images/I/61jjcit9yYL.jpg", "https://m.media-amazon.com/images/I/51l6V7SiUuL.jpg", "https://m.media-amazon.com/images/I/51Jp7kzf06L.jpg", "https://m.media-amazon.com/images/I/518Y0YjZc5L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Wall Lights \u203a Wall Lamps & Sconces", "average_rating": 5, "small_description": ["Size: lampshade diameter: Overall arm length: 22 cm / 8.66 in; lampshade height:9cm / 3.54 in; Pole length:15cm/5.9in; product weight: 800 g. ", "Unique design- Designed with an adjustable arm, the Wall Light is practical and understated. Inspired by metal table lamps of the 1950s, the fitting offers a clever modern twist on the traditional. ", "high quality -Made of high quality iron, good painting,adjustable angle: 180\u00b0, safe and easy installation ,durable use. ", "Easy installation- Complete accessories, simple structure, so that you can easily finish the installation work. ", "Application- Suitable for dining room, living room, bedroom, kitchen , restaurant, galleries, bar, beer house, artist workshop, office, coffee shop, bar, club, reading corner, craft room, staircase and any other lighting occasions. "], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Gold", "price_string": "$65.99", "price": 65.99, "image": "https://m.media-amazon.com/images/I/31d7skR8b8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08GYCZM2H/ref=twister_B08GY4T5GD?_encoding=UTF8&psc=1", "value": "Red", "price_string": "$65.99", "price": 65.99, "image": "https://m.media-amazon.com/images/I/41ajto0cgIL.jpg"}]}, "seller_id": "ABBQVRKVWBYCY", "seller_name": "JinSuoZi-US", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08GY1VWPH", "category": "garden", "query": "Sconces", "page": 335, "small_description_old": "About this item Size: lampshade diameter: Overall arm length: 22 cm / 8.66 in; lampshade height:9cm / 3.54 in; Pole length:15cm/5.9in; product weight: 800 g. Unique design- Designed with an adjustable arm, the Wall Light is practical and understated. Inspired by metal table lamps of the 1950s, the fitting offers a clever modern twist on the traditional. high quality -Made of high quality iron, good painting,adjustable angle: 180\u00b0, safe and easy installation ,durable use. Easy installation- Complete accessories, simple structure, so that you can easily finish the installation work. Application- Suitable for dining room, living room, bedroom, kitchen , restaurant, galleries, bar, beer house, artist workshop, office, coffee shop, bar, club, reading corner, craft room, staircase and any other lighting occasions."}, {"name": "Harry Potter Ravenclaw Painted Crest Compact Travel Purse Handbag Makeup Mirror", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 2.3 x 2.3 x 0.3 inches; 1.83 Ounces", "Manufacturer\n \u200f": "\u200e\n GRAPHICS & MORE", "ASIN\n \u200f": "\u200e\n B07VJ8R4HY", "Best Sellers Rank": "#521,070 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,351 in Compact & Travel Mirrors", "#1,351 in Compact & Travel Mirrors": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: GRAPHICS & MORE", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=GRAPHICS+%26+MORE", "full_description": "", "pricing": "$12.49", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51ukFAYsKmL.jpg", "https://m.media-amazon.com/images/I/51cuyDLfX2L.jpg", "https://m.media-amazon.com/images/I/41-cnajAx9L.jpg", "https://m.media-amazon.com/images/I/412uarPlSxS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Mirrors \u203a Compact & Travel Mirrors", "average_rating": 4, "small_description": ["This terrific compact mirror is super durable and is the perfect beauty accessory for your purse. ", "Durable and compact. The hinged lid is decorated with the resin-topped design as shown. ", "The compact is made of chrome-plated metal, and is only about 0.25\" (0.6cm) in depth. The mirrors are approximately 2.3\" (5.7cm) in diameter. ", "OFFICIALLY LICENSED: Harry Potter products sold by Graphics and More are guaranteed authentic, high quality and officially licensed by Warner Bros. Proudly printed in the USA. HARRY POTTER characters, names and related indicia are & WBEI. (s19) "], "total_reviews": 6, "total_answered_questions": "", "customization_options": "", "seller_id": "A27QWEX1MPR5NL", "seller_name": "Graphics & More", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07VJ8R4HY", "category": "beauty", "query": "Mirrors", "page": 160, "small_description_old": "About this item This terrific compact mirror is super durable and is the perfect beauty accessory for your purse. Durable and compact. The hinged lid is decorated with the resin-topped design as shown. The compact is made of chrome-plated metal, and is only about 0.25\" (0.6cm) in depth. The mirrors are approximately 2.3\" (5.7cm) in diameter. OFFICIALLY LICENSED: Harry Potter products sold by Graphics and More are guaranteed authentic, high quality and officially licensed by Warner Bros. Proudly printed in the USA. HARRY POTTER characters, names and related indicia are & WBEI. (s19) A Graphics and More product."}, {"name": "wall26 Canvas Print Wall Art Window View of Yellow Poppies & Field Nature Wilderness Photography Realism Rustic Scenic Colorful Relax/Calm Ultra for Living Room, Bedroom, Office - 16\"x24\"", "product_information": {"Manufacturer": "wall26", "ASIN": "B07FVHPK5X", "Item model number": "CVS-WV-1807A-TEAM-A06-WP.WHITE-16x24", "Customer Reviews": {"ratings_count": 498, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#63,952 in Home & Kitchen (See Top 100 in Home & Kitchen) #543 in Posters & Prints"]}, "brand": "Visit the wall26 Store", "brand_url": "https://www.amazon.com/stores/wall26/page/52B66CA7-93A9-4641-BFFE-492C213A5035?ref_=ast_bln", "full_description": "", "pricing": "$32.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51ICqcFOSnS.jpg", "https://m.media-amazon.com/images/I/51uYu42LM1S.jpg", "https://m.media-amazon.com/images/I/51uqxP52OqS.jpg", "https://m.media-amazon.com/images/I/51VT2pgEy7S.jpg", "https://m.media-amazon.com/images/I/41lesp8Z2pS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Wall Art \u203a Posters & Prints", "average_rating": 4.5, "small_description": ["High quality printed artwork stretched to fit on durable and shrink-resistant canvas. ", "Great gift idea for friends and family for holidays or other special occasions. ", "1.5\" stretcher bars to give artwork a gallery-quality profile. ", "Hanging accessory toolkit included with all artwork. ", "Note: Due to monitor display issues, actual colors may slightly differ from pictures. "], "total_reviews": 498, "total_answered_questions": "", "model": "CVS-WV-1807A-TEAM-A06-WP.WHITE-16x24", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07FVSZZ56/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "12\" x 18\"", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "16\" x 24\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVZXGKH/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "24\" x 36\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVNNLT1/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "32\" x 48\"", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07FVS4PH4/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 01", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51akZwyJEWS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVY9D9G/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 02", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51WoKicAeLS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FWMDHQ8/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 03", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Qq3ToUVKS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVN5BGD/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 04", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51YkugmhQpS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVNHCYP/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 05", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51WBHAHqxCS.jpg"}, {"is_selected": true, "url": null, "value": "Artwork - 06", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51ICqcFOSnS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVS38MH/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 07", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41JxWKWQWHS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVRPCGV/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 08", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51q8epIbOBS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVQM7BQ/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 09", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51bqxEQdcfS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVQSQN1/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 10", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51-iCVe7O7S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVZXGL1/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 11", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51XRVWBu7NS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FW2FNLJ/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 12", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51WUlNKpItS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVRH5YH/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 13", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51EtBgmlGtS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVRW2FW/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 14", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51YjMhNHzXS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVM6CXD/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 15", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51rjwQX7yES.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVR2CXX/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 16", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51kZHcjAP9S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVQ47R9/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 17", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51ySEZg5p4S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVT49PK/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 18", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51bOGeY7r+S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FW1C2PG/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 19", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/513JYnX0N4S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVMFZNY/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 20", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/5198e2ieuhS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVWKL8W/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 21", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Ejq0d5ofS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVN2V47/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 22", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51I9kgEECaS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVQQ1K8/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 23", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41UICCwPEdS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVVBR3T/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 24", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51w30Ic1mfS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVQLMM5/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 25", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/5159ZRbZUyS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVT7FD7/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 26", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51P32fgt2MS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVW8KG8/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 27", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51rO6hNw8RS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVQMF9M/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 28", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51PMHPIgD+S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVR4RY5/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 29", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51kkhKeSmsS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVW9VL8/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 30", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51XI9r7IKQS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVJN63M/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 31", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51LRKQJW59S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVRK9H9/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 32", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Hm03M1iBS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FWCYTYB/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 33", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51RjIODUQKS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVPT7BG/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 34", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41bPTCOgjvS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVW6N52/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 35", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51scP9X58QS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVPL52M/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 36", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51EOpnz0XuS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVQXXMQ/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 37", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51QTGBlrktS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FWLY93Q/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 38", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51zeOuS8XNS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVWKL8C/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 39", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/517p8YONoBS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVRW7QF/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 40", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51SGPKErlFS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVQ3DR8/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 41", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51jGpxJlZqS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVMZQTT/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 42", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41GkYRVcwQS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVJCF5R/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 43", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51cxTCb+ZPS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FVVQJN6/ref=twister_B07FVLM1FZ?_encoding=UTF8&psc=1", "value": "Artwork - 44", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51QKpbqC8uS.jpg"}]}, "seller_id": "A1ZGY3RE5LH1AU", "seller_name": "wall26", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07FVHPK5X", "category": "garden", "query": "Window Coverings", "page": 290, "small_description_old": "About this item High quality printed artwork stretched to fit on durable and shrink-resistant canvas. Great gift idea for friends and family for holidays or other special occasions. 1.5\" stretcher bars to give artwork a gallery-quality profile. Hanging accessory toolkit included with all artwork. Note: Due to monitor display issues, actual colors may slightly differ from pictures."}, {"name": "RMT-AA231U Replacement Remote Control Applicable for Sony 7.2ch Home Theater AV Receiver STR-DH770 STRDH770", "product_information": {"Product Dimensions": "4.6 x 2 x 0.5 inches", "Item Weight": "3.2 ounces", "ASIN": "B08R8K8H6S", "Batteries": "2 AAA batteries required.", "Customer Reviews": {"ratings_count": 49, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#3,146 in Remote Controls (Electronics)"], "Date First Available": "December 24, 2020", "Manufacturer": "ZdalaMit Factory", "Country of Origin": "China"}, "brand": "Brand: ZdalaMit", "brand_url": "https://www.amazon.com/ZdalaMit/b/ref=bl_dp_s_web_16336912011?ie=UTF8&node=16336912011&field-lbr_brands_browse-bin=ZdalaMit", "full_description": "New RMT-AA231U Replacement Remote Control Applicable for Sony 7.2ch Home Theater AV Receiver No programming is required. Just install new batteries and it is ready for use. Compatible with below Sony AV Receiver models: STR-DH770 STRDH770 Power Supply: 2X 1.5V AAA Alkaline Battery Package Content: 1X Remote Control", "pricing": "$9.27", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31umpAGmOxL.jpg", "https://m.media-amazon.com/images/I/41dXjSdKsKL.jpg", "https://m.media-amazon.com/images/I/41jZIj6+kKL.jpg", "https://m.media-amazon.com/images/I/4184oOl7w6L.jpg", "https://m.media-amazon.com/images/I/417aq+XNHIL.jpg", "https://m.media-amazon.com/images/I/31umpAGmOxL.jpg", "https://m.media-amazon.com/images/I/41dXjSdKsKL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Remote Controls & Accessories \u203a Remote Controls", "average_rating": 4.5, "small_description": ["No programming or paring needed.Just install new alkaline batteries and it is ready for use. ", "Power Supply: 2X 1.5V AAA Alkaline battery. Battery and User Manual Not Included ", "Please feel free to contact us if you have any query, thanks! "], "total_reviews": 49, "total_answered_questions": "", "customization_options": "", "seller_id": "AYP6YGJ19NWP6", "seller_name": "Delighted inc", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08R8K8H6S", "category": "electronics", "query": "Home Theater Systems", "page": 73, "small_description_old": "About this item\n \nNew RMT-AA231U Replacement Remote Control Applicable for Sony 7.2ch Home Theater AV Receiver STR-DH770 STRDH770 No programming or paring needed.Just install new alkaline batteries and it is ready for use. Power Supply: 2X 1.5V AAA Alkaline battery. Battery and User Manual Not Included Please feel free to contact us if you have any query, thanks!"}, {"name": "WeGuard 5ft AC Power Cord Cable Plug Replacement for Sony CDF-S350 CDFS350 CDP19 CDP27 CDP37 CDP47 CDP110 CDP190 CDP-310 CDP390 AM-FM CD Player Radio/Cassette-Recorder Series", "product_information": {"Item Weight": "3 ounces", "ASIN": "B0978LGNMN", "Date First Available": "June 15, 2021", "Manufacturer": "WeGuard"}, "brand": "Visit the WeGuard Store", "brand_url": "https://www.amazon.com/stores/WeGuard/page/4DD58BB8-351B-4A64-95D3-178B8AAD671C?ref_=ast_bln", "full_description": "WeGuard 5ft AC Power Cord Cable Plug Replacement for SONY CDF-S350 CDFS350 CDP19 CDP27 CDP37 CDP47 CDP110 CDP190 CDP-310 CDP390 AM-FM CD Player Radio/Cassette-Recorder SeriesInput Voltage\uff1a 100-240VAC 50/60Hz Please confirm your device model beReplacement fore you buy our product. OVP\u3001OCP and SCP protection 30 days refund guarantee How to contact us\uff1f You can contact us directly from Your Account. Locate the order and click the \"Problem with this order?\" button. Then select the \"Contact Seller\" button to send us an e-mail message. We would be glad to solve any problem Replacement for you within 24 hours. Your support to our business and your patience on the matter will be really appreciated.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41fEXog1TdS.jpg", "https://m.media-amazon.com/images/I/31GznZfC6HS.jpg", "https://m.media-amazon.com/images/I/31EdOG3cPbS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Power Cables", "average_rating": "", "small_description": ["Input Voltage\uff1a 100-240VAC. ", "OVP\u3001OCP and SCP protection\uff1aOver Voltage output Protection\u3001Over Current output Protection and Short Circuit output Protection. ", "Note: Please pay attention to the positive and negative poles of the AC DC Adapter. ", "This Adapter power is made from better material. Giving you much more safety. ", "Package include: 1 x cable "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0978LGNMN", "category": "electronics", "query": "CD Players & Recorders", "page": 111, "small_description_old": "Input Voltage\uff1a 100-240VAC. OVP\u3001OCP and SCP protection\uff1aOver Voltage output Protection\u3001Over Current output Protection and Short Circuit output Protection. Note: Please pay attention to the positive and negative poles of the AC DC Adapter. This Adapter power is made from better material. Giving you much more safety. Package include: 1 x cable"}, {"name": "The cool twins just showed up T-Shirt", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10 x 8 x 1 inches; 4.8 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n May 31, 2021", "Manufacturer\n \u200f": "\u200e\n Cool twins store", "ASIN\n \u200f": "\u200e\n B0969G2DH8", "Best Sellers Rank": "#4,518,635 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#344,653 in Boys' Novelty T-Shirts #350,914 in Girls' Novelty T-Shirts #591,537 in Boys' Fashion", "#344,653 in Boys' Novelty T-Shirts": "", "#350,914 in Girls' Novelty T-Shirts": "", "#591,537 in Boys' Fashion": ""}, "brand": "Brand: Cool twins store", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Cool+twins+store", "full_description": "This Cool twins design is for any Cool twins Lover. All your Cool twins friends will love this product. We have a wide range of different Cool twins designs for an incredible number of occasions. Click on our brand name above for more matching products! Get this Cool twins design now!", "pricing": "$17.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/A13usaonutL.png", "https://m.media-amazon.com/images/I/417S+7cf-vL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Women \u203a Tops & Tees \u203a T-Shirts", "average_rating": "", "small_description": ["The cool twins just showed up design as funny saying for twins ", "Lightweight, Classic fit, Double-needle sleeve and bottom hem "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Fit Type": [{"is_selected": true, "url": null, "value": "Men", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0969G2DH8?_encoding=UTF8&customId=B07HPWDCG8", "value": "Women", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0969G2DH8?_encoding=UTF8&customId=B07537H5VB", "value": "Youth", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A13usaonutL.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0969G2DH8?_encoding=UTF8&customId=B07537HQXD", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1WWMAfTfHS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0969G2DH8?_encoding=UTF8&customId=B07537NG8H", "value": "Royal Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1EryObaEWS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0969G2DH8?_encoding=UTF8&customId=B0752XK16C", "value": "Baby Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1kMlF-tngS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0969G2DH8?_encoding=UTF8&customId=B075382QRP", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1tjGm9q9bS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0969G2DH8?_encoding=UTF8&customId=B07537HNTD", "value": "Kelly Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1VMTBKtipS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0969G2DH8?_encoding=UTF8&customId=B07537PB8C", "value": "Dark Heather", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1-CfijdgoS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0969G2DH8?_encoding=UTF8&customId=B07537TZ66", "value": "Heather Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/C1ce8y0uOwS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0969G2DH8?_encoding=UTF8&customId=B075386ZN1", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B139gQIcJCS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0969G2DH8?_encoding=UTF8&customId=B07537YDVK", "value": "Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1el7IZypsS.png"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B0752XJYNL"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07535Y9T6"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07537P4T9"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07538GWNZ"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07537PKB3"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B07535YF3H"}, {"is_selected": false, "is_available": false, "value": "2T", "asin": "B07HPZ61SY"}, {"is_selected": false, "is_available": false, "value": "3T", "asin": "B07HPXFRMS"}, {"is_selected": false, "is_available": false, "value": "4T", "asin": "B07537H5VB"}, {"is_selected": false, "is_available": false, "value": "X-Small", "asin": "B0752XJYQB"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0969G2DH8", "category": "fashion", "query": "Men's Dress Shirts", "page": 168, "small_description_old": "Solid colors: 100% Cotton; Heather Grey: 90% Cotton, 10% Polyester; All Other Heathers: 50% Cotton, 50% Polyester Imported Machine Wash The cool twins just showed up design as funny saying for twins Lightweight, Classic fit, Double-needle sleeve and bottom hem"}, {"name": "Lurrose 6pcs Girls Hair Bow Ribbon Barrettes Hair Bow Ribbon Clip Wig Hair Bow Clips with Alligator Clip and Hair Extensions Hair Accessory for Toddler Girls Children", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 14.17 x 2.95 x 0.59 inches; 3 Ounces", "Item model number\n \u200f": "\u200e\n 6H308IL3909BGFDFKCMKLNPNK", "Date First Available\n \u200f": "\u200e\n September 13, 2021", "Manufacturer\n \u200f": "\u200e\n Lurrose", "ASIN\n \u200f": "\u200e\n B09G2F3HQ2", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Visit the Lurrose Store", "brand_url": "https://www.amazon.com/stores/Lurrose/page/4CD32519-0F99-4F89-9BB9-7EFBF13048A8?ref_=ast_bln", "full_description": "Description want to have a new hairstyle? If so, our hairpiece hair clip is carefully prepared for you. and comfortable for wearing. Suitable for women and girls use. Good elasticity makes it super stretchable and not easy to deform. Features- Material: Fiber- Color: Assorted Color.- Size: 36X7. 5X1. 5CM. 50cm/ 14. 15X2. 95X0. 59inch- The clip is invisible in the wig, so you can hide it to get a feeling.- The fiber part is bright, hard to fade or knot, and the ribbon part is and comfortable.- Sit on your head gently wedged on with a barrette, extremely comfortable in comparison to other.- Hair coloring, maybe you will not get the color you want at last, or you need time and money at.- Great for all colors of hair and all ages of ladies, a wonderful gift for your mom, daughter. Package Including 6 x Hair Extensions Clips", "pricing": "$11.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41GpqGQ5YTL.jpg", "https://m.media-amazon.com/images/I/31KFzNSbd6L.jpg", "https://m.media-amazon.com/images/I/41GgNaalC2L.jpg", "https://m.media-amazon.com/images/I/51mwUIVjGsL.jpg", "https://m.media-amazon.com/images/I/51X2tCbH2RL.jpg", "https://m.media-amazon.com/images/I/51OHfJyTlVL.jpg", "https://m.media-amazon.com/images/I/51nFafrMhaL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Accessories \u203a Clips & Barrettes \u203a Clips", "average_rating": "", "small_description": ["Lovely bow design: each hair bow ribbon clip adopts a bow design, which color is consistent with the wigs color, you can use the hair clip to decorate your girl and get multiple hairstyles, which will make them cute and attractive in the crowds ", "Delicate workmanship: the wig hair bow clip is made of plastic, fiber and ribbon, the body plastic part is sturdy and durable, not easy to, the fiber part is bright, hard to fade or knot, and the ribbon part is soft and comfortable, the delicate item will serve you for multiple times ", "Easy to use: the alligator clip is invisible in the wig, so you can hide it to get a feeling, enough to meet your multiple needs, also you can cut it to get a proper length to fit your natural hair better ", "Wide applicable occasions: these hair clips barrettes can match various outfits and occasions, such as daily dress up, take photos,, family gathering, making girls look more beautiful and lovely, and wearing the large hair bows in public, park or school will an adorable statement; A variety of colors to match diverse outfits and hairstyles, proper for both casual wearing and party dressing ", "YOUR SATISFACTION IS OUR 1ST PRIORITY- Please be free to contact us if you have any questions, we will provide Top- Rated Customer Service "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A21CBG44KIFSH1", "seller_name": "WANGYULONG333", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09G2F3HQ2", "category": "beauty", "query": "Hair Extensions, Wigs & Accessories", "page": 95, "small_description_old": "About this item Lovely bow design: each hair bow ribbon clip adopts a bow design, which color is consistent with the wigs color, you can use the hair clip to decorate your girl and get multiple hairstyles, which will make them cute and attractive in the crowds Delicate workmanship: the wig hair bow clip is made of plastic, fiber and ribbon, the body plastic part is sturdy and durable, not easy to, the fiber part is bright, hard to fade or knot, and the ribbon part is soft and comfortable, the delicate item will serve you for multiple times Easy to use: the alligator clip is invisible in the wig, so you can hide it to get a feeling, enough to meet your multiple needs, also you can cut it to get a proper length to fit your natural hair better Wide applicable occasions: these hair clips barrettes can match various outfits and occasions, such as daily dress up, take photos,, family gathering, making girls look more beautiful and lovely, and wearing the large hair bows in public, park or school will an adorable statement; A variety of colors to match diverse outfits and hairstyles, proper for both casual wearing and party dressing YOUR SATISFACTION IS OUR 1ST PRIORITY- Please be free to contact us if you have any questions, we will provide Top- Rated Customer Service"}, {"name": "ETUDE HOUSE Dr. Mascara Fixer For Perfect Lash 01 (Natural Volume Up) | Long-Lasting Smudge-Proof Mascara Fixer with Care Effect | Korean Makeup", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 4.96 x 1.22 x 0.63 inches; 0.35 Ounces", "UPC\n \u200f": "\u200e\n 887222103869 887222289808", "Manufacturer\n \u200f": "\u200e\n Etude House", "ASIN\n \u200f": "\u200e\n B004RK7I2W", "Best Sellers Rank": "#7,186 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#87 in Mascara", "#87 in Mascara": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Etude House Store", "brand_url": "https://www.amazon.com/stores/ETUDEHOUSE/page/B23BAD3E-67A2-4DEE-AF2B-1D1D53137E4B?ref_=ast_bln", "full_description": "", "pricing": "$6.40", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/31K2nwppT8L.jpg", "https://m.media-amazon.com/images/I/51g0ElJQz4L.jpg", "https://m.media-amazon.com/images/I/31+L7BTwWLL.jpg", "https://m.media-amazon.com/images/I/41Asj8yge2L.jpg", "https://m.media-amazon.com/images/I/41+Wtfpt98L.jpg", "https://m.media-amazon.com/images/I/41MVWpM-FwL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Eyes \u203a Mascara", "average_rating": 4.1, "small_description": ["CURLING FIX: This transparent fixing gel mascara offers perfect curl / volume / waterproof fix in any environment and climate ", "FIXER THAT STAYS PUT: Say \u201cno!\u201d to drooping or smudging and enjoy your lashes during the whole day ", "POWERFUL FIXER: Holds the curl of your lashes and creates a natural look ", "TREATMENT CARE: Infused with Black Food extracts to condition lashes ", "FIXER FIRST! Apply fixer at the whole length of lashes. Dry for 10-20 seconds and finish it off with mascara "], "total_reviews": 2410, "total_answered_questions": 28, "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09DYH9DW3/ref=twister_B08L8WLNYT?_encoding=UTF8&psc=1", "value": "For Perfect Lash #01 (21AD)", "price_string": "$7.00", "price": 7, "image": "https://m.media-amazon.com/images/I/31UOE4LszfL.jpg"}, {"is_selected": true, "url": null, "value": "For Perfect Lash #01 (Natural Volume up)", "price_string": "$6.40", "price": 6.4, "image": "https://m.media-amazon.com/images/I/31K2nwppT8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00GZC2KAK/ref=twister_B08L8WLNYT?_encoding=UTF8&psc=1", "value": "For Super Long Lash #02 (Natural Extension)", "price_string": "$7.00", "price": 7, "image": "https://m.media-amazon.com/images/I/21gKI41YXvL.jpg"}]}, "seller_id": "A34TZ8AIJ8CZKO", "seller_name": "ETUDE HOUSE Official", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B004RK7I2W", "category": "beauty", "query": "Makeup Remover", "page": 144, "small_description_old": "About this item CURLING FIX: This transparent fixing gel mascara offers perfect curl / volume / waterproof fix in any environment and climate FIXER THAT STAYS PUT: Say \u201cno!\u201d to drooping or smudging and enjoy your lashes during the whole day POWERFUL FIXER: Holds the curl of your lashes and creates a natural look TREATMENT CARE: Infused with Black Food extracts to condition lashes FIXER FIRST! Apply fixer at the whole length of lashes. Dry for 10-20 seconds and finish it off with mascara"}, {"name": "Women High Waist Tummy Control Fitness Yoga Pants Mesh Patchwork Leggings Sexy Lace Stitching Tights", "product_information": {"Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n March 11, 2020", "ASIN\n \u200f": "\u200e\n B085S5PJW3", "Best Sellers Rank": "#3,255,870 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#78,143 in Women's Activewear", "#78,143 in Women's Activewear": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: RNUYKE-Pants", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=RNUYKE-Pants", "full_description": "", "pricing": "$0.01$2.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/418KYXomJ6L.jpg", "https://m.media-amazon.com/images/I/41rMOs4BS4L.jpg", "https://m.media-amazon.com/images/I/41hHdd1QVOL.jpg", "https://m.media-amazon.com/images/I/41lb4Mn49sL.jpg", "https://m.media-amazon.com/images/I/41Bn-TpqYqL.jpg", "https://m.media-amazon.com/images/I/41sEhgfvOHL.jpg", "https://m.media-amazon.com/images/I/31Dxv0GBGwL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": 4.4, "small_description": ["Machine Wash ", "\ud83d\udc96 Welcome to the RNUYKE store - Our size is Asian size, which is smaller than the US size\uff0c please check the size table on the product description page carefully before buying this product.If you need other styles, look for RNUYKE. ", "\u2728 FEATURES - Classic design; Good quality fabric ;Lightweight & stretchy;Soft & breathable; Fabric is designed to contour perfectly to your body, giving you a streamlined look.Package include: 1\u00d7 Pant ", "\u2728 OCCASION - Perfect for Yoga, Exercise, Fitness, any type of Workout, or Everyday Use. Also suitable for Casual Daily Wear, Party, Going Out, Night Out, Street, Travel.A must-have pants in Women's wardrobe. ", "\u2728 Wash & Care-Hand Wash and Machine washable,better wash seperately ,hang dry,do not bleach.RNUYKE Yoga Pants combine fashion, function and performance. Easy to wear and can show your charming charm. ", "\u2728 Always Put Customer Satisfaction First-We offer flexible returns and free exchanges. If you have any questions. Please contact us via email and we will assist you within 24 hours. "], "total_reviews": 6, "total_answered_questions": "", "customization_options": {"Color": null, "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B085S5PJW3"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B085RZV112"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B085S5H4DD"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B085S5P7WB"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B085S5P7WB", "category": "fashion", "query": "Women's Pants", "page": 134, "small_description_old": "Machine Wash \ud83d\udc96 Welcome to the RNUYKE store - Our size is Asian size, which is smaller than the US size\uff0c please check the size table on the product description page carefully before buying this product.If you need other styles, look for RNUYKE. \u2728 FEATURES - Classic design; Good quality fabric ;Lightweight & stretchy;Soft & breathable; Fabric is designed to contour perfectly to your body, giving you a streamlined look.Package include: 1\u00d7 Pant \u2728 OCCASION - Perfect for Yoga, Exercise, Fitness, any type of Workout, or Everyday Use. Also suitable for Casual Daily Wear, Party, Going Out, Night Out, Street, Travel.A must-have pants in Women's wardrobe. \u2728 Wash & Care-Hand Wash and Machine washable,better wash seperately ,hang dry,do not bleach.RNUYKE Yoga Pants combine fashion, function and performance. Easy to wear and can show your charming charm. \u2728 Always Put Customer Satisfaction First-We offer flexible returns and free exchanges. If you have any questions. Please contact us via email and we will assist you within 24 hours."}, {"name": "YEK Modern Style Italian Elm Matte Nightstand with Self Closing, Ball Bearing Drawer Glides Nordic Minimalism Bedside Table White (Color : White)", "product_information": {"Item Weight": "\u200e22 pounds", "ASIN": "B09DVQ3646", "Date First Available": "August 28, 2021"}, "brand": "Brand: YEK", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=YEK", "full_description": "", "pricing": "$474.75", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41GFRbRKkoL.jpg", "https://m.media-amazon.com/images/I/31B3DmfpE9L.jpg", "https://m.media-amazon.com/images/I/41EtQsmKeML.jpg", "https://m.media-amazon.com/images/I/51FRhxLI6WL.jpg", "https://m.media-amazon.com/images/I/51MpDrbL5ZL.jpg", "https://m.media-amazon.com/images/I/41T5sg1r1hL.jpg", "https://m.media-amazon.com/images/I/414P8Z88xiL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Nightstands", "average_rating": "", "small_description": ["\u3010Multifunctional\u3011featuring a compact and flexible design; ideal for working with your laptop or tablets beside beds or sofas.Also use this table as a nightstand, a laptop computer table, study desk, reading, writing, drawing or anything else that you could possibly think of. ", "\u3010Smooth Drawer Slides\u3011The side table has a storage shelf and a drawer to provide more storage space. The drawer slides is made of special material, moving smoothly ", "\u3010Easy to install\u3011The main parts of our bedside table just 4 boards and legs, you can install it easily according to the instruction ", "\u3010Storage\u3011Modern nightstand for bedroom or living room use. This double-decker side table equipped with a shelf cabinet above and a drawer below, it's very suitable for side table, nightstand and sofa table ", "\u3010Material\u3011The material of our nightstands is high quality medium density composite wood and solid legs, eco-friendly and steady "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09DVPTHFG/ref=twister_B09DVRHCK9?_encoding=UTF8&psc=1", "value": "Grey", "price_string": "$474.75", "price": 474.75, "image": "https://m.media-amazon.com/images/I/419XsJO3BSL.jpg"}, {"is_selected": true, "url": null, "value": "White", "price_string": "$474.75", "price": 474.75, "image": "https://m.media-amazon.com/images/I/41GFRbRKkoL.jpg"}]}, "seller_id": "A2Y35068AC3HED", "seller_name": "ZHAOYANGSHENG", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09DVQ3646", "category": "garden", "query": "Nightstands", "page": 399, "small_description_old": "About this item \u3010Multifunctional\u3011featuring a compact and flexible design; ideal for working with your laptop or tablets beside beds or sofas.Also use this table as a nightstand, a laptop computer table, study desk, reading, writing, drawing or anything else that you could possibly think of. \u3010Smooth Drawer Slides\u3011The side table has a storage shelf and a drawer to provide more storage space. The drawer slides is made of special material, moving smoothly \u3010Easy to install\u3011The main parts of our bedside table just 4 boards and legs, you can install it easily according to the instruction \u3010Storage\u3011Modern nightstand for bedroom or living room use. This double-decker side table equipped with a shelf cabinet above and a drawer below, it's very suitable for side table, nightstand and sofa table \u3010Material\u3011The material of our nightstands is high quality medium density composite wood and solid legs, eco-friendly and steady \n \u203a See more product details"}, {"name": "Kitsch Satin Sleep Set, Softer Than Silk Pillowcase and Eyemask Set - Includes 1 Satin Pillowcase, 1 Satin Eye Mask, and 1 Satin Volume Scrunchie, Pillow case for Hair (Leopard)", "product_information": {"Product Dimensions": "4 x 1 x 1.57 inches", "Item Weight": "3 ounces", "Manufacturer": "Kitsch", "ASIN": "B07XCY8DND", "Customer Reviews": {"ratings_count": 721, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#34,019 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #120 in Eye Masks"], "Number of Pieces": "1", "Batteries Required?": "No"}, "brand": "Visit the Kitsch Store", "brand_url": "https://www.amazon.com/stores/Kitsch/page/5E40BB7F-46F2-49A6-8A71-9FAF24BC1A85?ref_=ast_bln", "full_description": "", "pricing": "$36.00", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/41ab5DMNQgL.jpg", "https://m.media-amazon.com/images/I/41S8XCZyZaL.jpg", "https://m.media-amazon.com/images/I/51NKN3CVljL.jpg", "https://m.media-amazon.com/images/I/41tpc3cvMrS.jpg", "https://m.media-amazon.com/images/I/41iMxblgmDS.jpg", "https://m.media-amazon.com/images/I/417wVieSdWS.jpg", "https://m.media-amazon.com/images/I/61us4JZGGJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Bath & Bathing Accessories \u203a Bathing Accessories \u203a Shower Caps", "average_rating": 4.7, "small_description": ["BEAUTY SLEEP SET. The Kitsch Satin Sleep Set includes one standard size satin pillowcase, along with a matching satin eye mask and a volume scrunchie! These are softer than any silk pillow case set. ", "FRIZZ-FREE HAIR. Unlike cotton, satin pillowcases lessen friction between your hair so you can wake up with beautiful hair without the frizz! They are softer than silk pillowcases. These satin cases are softer than a silk pillowcase for Hair and Skin ", "REDUCE BREAKAGE. Using a satin pillowcase and scrunchie for your hair keeps your hair\u2019s natural oils. Softer than silk these satin pillowcases for your hair are perfect, it will keep your hair healthy and reduce dryness, breakage, and tangles. ", "PROMOTES YOUTHFUL SKIN. Satin does not absorb moisture unlike cotton, so your skin stays hydrated while you sleep for a more youthful complexion. It reduces friction that can cause lines and wrinkles on your skin. ", "PROTECT THE LASHES. Softer than silk, our satin pillowcase and eye mask can help fragile eyelashes and eyebrows stay intact because the silky material glides over your skin instead of rubbing against it. "], "total_reviews": 721, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08PDWVGP8/ref=twister_B099FGSYRK?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$36.00", "price": 36, "image": "https://m.media-amazon.com/images/I/31JcKjGjKoL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07XCY9QXC/ref=twister_B099FGSYRK?_encoding=UTF8&psc=1", "value": "Blush", "price_string": "$35.99", "price": 35.99, "image": "https://m.media-amazon.com/images/I/31uSsZylYLL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08PDXX4J3/ref=twister_B099FGSYRK?_encoding=UTF8&psc=1", "value": "Ivory", "price_string": "$36.00", "price": 36, "image": "https://m.media-amazon.com/images/I/31GlXLcEEQL.jpg"}, {"is_selected": true, "url": null, "value": "Leopard", "price_string": "$36.00", "price": 36, "image": "https://m.media-amazon.com/images/I/41ab5DMNQgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08PDZRFG2/ref=twister_B099FGSYRK?_encoding=UTF8&psc=1", "value": "Silver", "price_string": "$36.00", "price": 36, "image": "https://m.media-amazon.com/images/I/31F+7OsuAKL.jpg"}]}, "seller_id": "A1PTC48M850VRX", "seller_name": "Kitsch LLC", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07XCY8DND", "category": "beauty", "query": "Hair Masks", "page": 42, "small_description_old": "About this item BEAUTY SLEEP SET. The Kitsch Satin Sleep Set includes one standard size satin pillowcase, along with a matching satin eye mask and a volume scrunchie! These are softer than any silk pillow case set. FRIZZ-FREE HAIR. Unlike cotton, satin pillowcases lessen friction between your hair so you can wake up with beautiful hair without the frizz! They are softer than silk pillowcases. These satin cases are softer than a silk pillowcase for Hair and Skin REDUCE BREAKAGE. Using a satin pillowcase and scrunchie for your hair keeps your hair\u2019s natural oils. Softer than silk these satin pillowcases for your hair are perfect, it will keep your hair healthy and reduce dryness, breakage, and tangles. PROMOTES YOUTHFUL SKIN. Satin does not absorb moisture unlike cotton, so your skin stays hydrated while you sleep for a more youthful complexion. It reduces friction that can cause lines and wrinkles on your skin. PROTECT THE LASHES. Softer than silk, our satin pillowcase and eye mask can help fragile eyelashes and eyebrows stay intact because the silky material glides over your skin instead of rubbing against it."}, {"name": "Women Cold Shoulder Tops, Summer Butterfly Print Shirts Fashion Casual Short Sleeve Plus-Size Tunic Top Tee and Blouse", "product_information": {"Item Weight\n \u200f": "\u200e\n 14.46 Ounces", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n May 12, 2021", "Manufacturer\n \u200f": "\u200e\n Clearance\uff0cOn Sale", "ASIN\n \u200f": "\u200e\n B094PWJFJH", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: YUNIAO", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=YUNIAO", "full_description": "------------------------------------------------------------Welcome To YUNIAO Store(\u25d5\u1d17\u25d5\u273f)------------------------------------------------------------Wish you a pleasant shopping experience in YUNIAOYUNIAO is committed to providing high-quality women's clothing and accessories.Whether it is before or after the purchase, if you have any questions, please feel free to contact the YUNIAO service team, we will solve it for you.Size Chart(1Inch=2.54cm):Please Allow 0.5-2Inch Differs Due to Manual Measurement, Thanks!Size Question:Q\uff1aI normally wear size Medium and i've a little worry about the szie, which size should i order?A\uff1awe are Asian Size,run smaller than US size,so i will suggest you choose one size or two size larger than you usual size , it will be more relax and comfortable.Size: S US: 4 UK: 8 EU: 34 Length: 72cm/28.35'' Bust: 90cm/35.43'' Size: M US: 6 UK: 10 EU: 36 Length: 74cm/29.13'' Bust: 94cm/37.01'' Size: L US: 8 UK: 12 EU: 38 Length: 76cm/29.92'' Bust: 98cm/38.58'' Size: XL US: 10 UK: 14 EU: 40 Length: 78cm/30.71'' Bust: 102cm/40.16'' Size: XXL US: 12 UK: 16 EU: 42 Length: 80cm/31.50'' Bust: 106cm/41.73'' Size: XXXL US: 14 UK: 18 EU: 44 Length: 82cm/32.28'' Bust: 110cm/43.31'' Size: XXXXL US: 16 UK: 20 EU: 46 Length: 84cm/33.07'' Bust: 114cm/44.88'' Size: XXXXXL US: 18 UK: 22 EU: 48 Length: 86cm/33.86'' Bust: 118cm/46.46''", "pricing": "$9.49$14.98", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41ajpGsttyS.jpg", "https://m.media-amazon.com/images/I/41ajpGsttyS.jpg", "https://m.media-amazon.com/images/I/51k9ffOvnnS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Tops, Tees & Blouses \u203a Tunics", "average_rating": 3.1, "small_description": ["Prime Wardrobe closure ", "xxl cute womens tops long sleeve yoga womens tops long sleeve dressy material womens tops long sleeve tunic sweatshirt womens tops long sleeve tunic green cute womens tops casual work fitted cropped tank tops for women womens tops long sleeve tunic with side tie womens tops long sleeve casual v neck sexy womens tops and blouses long sleeve cute womens tops going out plus size womens tops short sleeve loose fit v neck womens tops short sleeve blouse black plus size dresses for wedding guest women ", "shirts for women racer back retro shirts for women green pajama shirts for women plain black t shirts women long sleeve button up shirts for men athletic shirts women womens long sleeve shirts oversized button up shirts for women skull shirts for women womens a shirts women t shirts xlt shirts for women long workout shirts for women polo shirts for boys boys shirts size 8 womens short sleeve shirts hipster shirts for women couples tshirts for him and her womens shirts casual cowgirl shirts for ", "3xlt shirts for men big and tall polo t shirts for women beach shirts for women womens big and tall shirts womens dress shirts long sleeve white undershirts women funny shirts for women womens tshirts graphic womens work shirts womens shirts open back shirts for women baseball shirts for women long sleeve work shirts for women girls shirts size 10-12 long sleeve tops for women long sleeve tops for women cotton long sleeve tops for women formal long sleeve tops for women loose long sleeve tops ", "tops and blouses for fall womens long sleeve tops and blouses for work womens long sleeve tops and blouses plus size womens long sleeve tops and sweaters womens long sleeve tops athletic womens long sleeve tops casual womens long sleeve tops casual cotton womens long sleeve tops casual dress polo shirts for men slim fit short sleeve polo shirts for men slim fit pack polo shirts for men slim fit long sleeve womens shirts for leggings long sleeve womens shirts for leggings short sleeve womens ", "shirts for women lace black shirts for women turtleneck blue shirts for women 5xl off the shoulder shirts for women m strapless shirts for women white short sleeve shirts for women gold off the shoulder shirts for women exercise fashion shirts for women halter silver shirts for women hiking purple shirts for women xxl pink valentine shirts for women valentine shirts for women long sleeve cute valentine shirts for women valentine shirts for women v neck valentine shirts for women funny valentine "], "total_reviews": 14, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B094PTZ7DH"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B094Q7B3SS"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B094Q74YR2"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B094PQV3JS"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B094PPV5B4"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B094PWK2JN"}, {"is_selected": false, "is_available": true, "value": "4X-Large", "asin": "B094Q87YSF"}, {"is_selected": false, "is_available": true, "value": "5X-Large", "asin": "B094Q3FCC8"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B094PWJFJH/ref=twister_B094PR1KZS", "value": "A01#black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41qqJpnvQbS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B094PVDZ53/ref=twister_B094PR1KZS", "value": "A01#blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Y0p4gAvIS.jpg"}, {"is_selected": true, "url": null, "value": "A01#pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ajpGsttyS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B094QGK3RJ/ref=twister_B094PR1KZS", "value": "A01#red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41MT-4UIriS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B094QDMM6Z/ref=twister_B094PR1KZS", "value": "A01#sky Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41wAJRjSeDS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B094PVCVCL/ref=twister_B094PR1KZS", "value": "A01#purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/4163S-QsyeS.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B094Q7B3SS", "category": "fashion", "query": "Women's Tops, Tees & Blouses", "page": 25, "small_description_old": "Deals of The Day\uff7c\u3002uy 2 Save 8% Buy 5 Get 1 Free Made in The USA and 7-12 Days Delivery Dear Queen, please check our size chart, we suggest buy One size Up. Thank you Prime Wardrobe closure Return Policy: You may request for an replacement or refund within 30 days of receiving the order. xxl cute womens tops long sleeve yoga womens tops long sleeve dressy material womens tops long sleeve tunic sweatshirt womens tops long sleeve tunic green cute womens tops casual work fitted cropped tank tops for women womens tops long sleeve tunic with side tie womens tops long sleeve casual v neck sexy womens tops and blouses long sleeve cute womens tops going out plus size womens tops short sleeve loose fit v neck womens tops short sleeve blouse black plus size dresses for wedding guest women shirts for women racer back retro shirts for women green pajama shirts for women plain black t shirts women long sleeve button up shirts for men athletic shirts women womens long sleeve shirts oversized button up shirts for women skull shirts for women womens a shirts women t shirts xlt shirts for women long workout shirts for women polo shirts for boys boys shirts size 8 womens short sleeve shirts hipster shirts for women couples tshirts for him and her womens shirts casual cowgirl shirts for \n 3xlt shirts for men big and tall polo t shirts for women beach shirts for women womens big and tall shirts womens dress shirts long sleeve white undershirts women funny shirts for women womens tshirts graphic womens work shirts womens shirts open back shirts for women baseball shirts for women long sleeve work shirts for women girls shirts size 10-12 long sleeve tops for women long sleeve tops for women cotton long sleeve tops for women formal long sleeve tops for women loose long sleeve topstops and blouses for fall womens long sleeve tops and blouses for work womens long sleeve tops and blouses plus size womens long sleeve tops and sweaters womens long sleeve tops athletic womens long sleeve tops casual womens long sleeve tops casual cotton womens long sleeve tops casual dress polo shirts for men slim fit short sleeve polo shirts for men slim fit pack polo shirts for men slim fit long sleeve womens shirts for leggings long sleeve womens shirts for leggings short sleeve womensshirts for women lace black shirts for women turtleneck blue shirts for women 5xl off the shoulder shirts for women m strapless shirts for women white short sleeve shirts for women gold off the shoulder shirts for women exercise fashion shirts for women halter silver shirts for women hiking purple shirts for women xxl pink valentine shirts for women valentine shirts for women long sleeve cute valentine shirts for women valentine shirts for women v neck valentine shirts for women funny valentineShow more"}, {"name": "NiceTQ Replacement US 2Prong AC Power Cord Cable For Memorex MP3142 MP3221 MP3851 3848 8805 Portable CD Boombox Player", "product_information": {"Package Dimensions": "7.36 x 1.93 x 1.57 inches", "Item Weight": "3.17 ounces", "Manufacturer": "NiceTQ", "ASIN": "B074DVCKHB", "Customer Reviews": {"ratings_count": 94, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#2,965 in Audio & Video Power Cables"], "Is Discontinued By Manufacturer": "No", "Date First Available": "October 1, 2016"}, "brand": "Brand: NiceTQ", "brand_url": "https://www.amazon.com/NiceTQ/b/ref=bl_dp_s_web_10160341011?ie=UTF8&node=10160341011&field-lbr_brands_browse-bin=NiceTQ", "full_description": "Replacement US 2 Prong Power Charger Cable Cord Compatible with: Memorex MP3142 MP3221 MP3851 3848 8805 Portable CD Boombox Player Connect an AC adapter to an AC outlet, OR plug directly into a computer or other device with a built-in AC adapter Work with most brands PC like Toshiba, IBM, Sony, DELL, Compaq, HP, NEC, Acer, AST, etc Fit most 2 ports power adapters Length: 4FT Accessory Only, device not included Note: Suitable for US standard jack ONLY Package Included: 1 unit US 2 Prong Power Charger Cable Cord", "pricing": "$6.49", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41sWE36J6oL.jpg", "https://m.media-amazon.com/images/I/412jQTSLyYL.jpg", "https://m.media-amazon.com/images/I/412g3A53Q2L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Power Cables", "average_rating": 4.4, "small_description": ["Length: 4FT ", "Fit most 2 ports power adapters ", "Note: Suitable for US standard jack ONLY ", "Connect an AC adapter to an AC outlet, OR plug directly into a computer or other device with a built-in AC adapter "], "total_reviews": 94, "total_answered_questions": 6, "customization_options": "", "seller_id": "A2XRGU92RIKP09", "seller_name": "Nice Plaza", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B074DVCKHB", "category": "electronics", "query": "Boomboxes & Portable Radios", "page": 12, "small_description_old": "Length: 4FT Fit most 2 ports power adapters Compatible with: Memorex MP3142 MP3221 MP3851 3848 8805 Portable CD Boombox Player Note: Suitable for US standard jack ONLY Connect an AC adapter to an AC outlet, OR plug directly into a computer or other device with a built-in AC adapter"}, {"name": "Fjackets Real Lambskin Sherpa Jacket - Mens Leather Jacket", "product_information": {"Department\n \u200f": "\u200e\n Men", "Date First Available\n \u200f": "\u200e\n December 29, 2021", "ASIN\n \u200f": "\u200e\n B09PDY8RNW", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the fjackets Store", "brand_url": "https://www.amazon.com/stores/FJACKETS/page/945EDAF4-AFC8-4696-B18C-BE3F106B9450?ref_=ast_bln", "full_description": "", "pricing": "$187.00$219.00", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41BFuOLZqNS.jpg", "https://m.media-amazon.com/images/I/41BUq1-SDuS.jpg", "https://m.media-amazon.com/images/I/414dWLV9lbS.jpg", "https://m.media-amazon.com/images/I/31ncTT-YmrS.jpg", "https://m.media-amazon.com/images/I/4174pPUU9TS.jpg", "https://m.media-amazon.com/images/I/51jFgjG0dtL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Jackets & Coats \u203a Leather & Faux Leather", "average_rating": 4.7, "small_description": ["Button closure ", "\u25ba THE REAL LAMBSKIN LEATHER \u2013 This stylish \u00be length leather coat is the perfect transitional piece that will take you from season to season. The incredibly soft 100% real lambskin leather features a luxurious vintage aesthetic. ", "\u25ba PERFECT FOR INDOOR AND OUTDOOR \u2013 This high-quality Car Coat will give you a classic look for your drive, it comes with zip closure, viscose lining, upright collar and two outer zip pockets. This coat works well in office settings, or equally for outdoor walks. ", "\u25ba CONVENIENT POCKETS \u2013 The two large inside pockets offer convenient storage and front button fasteners enhance your individuality. The pockets are roomy enough for keeping daily essentials or small things like mobile phone or keys. ", "\u25ba FAST SHIPPING \u2013 We offer expedited US Shipping and standard worldwide shipping. Our items are shipped in secure packaging designed especially for leather jackets to avoid any damage during transit. ", "\u25ba FOR ALL BODY TYPES \u2013 The brown leather coat is the perfect style for nearly all body types. Whether worn with a sweater or a casual button-up on your way to work, the coat's streamlined design will add some panache on your commute. "], "total_reviews": 4, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09PDY8RNW/ref=twister_B098XQV8N4", "value": "Bristol Brown Leather Jacket", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41xcSuXmh2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098XTJZN5/ref=twister_B098XQV8N4", "value": "Delta Shearling Black Leather Jacket", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31rIX8zDsoS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PDZZH63/ref=twister_B098XQV8N4", "value": "Mitchel Shearling Black Leather Jacket Men", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41GRRLa-GML.jpg"}, {"is_selected": true, "url": null, "value": "Russo Shearling Black Leather Coat", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41BFuOLZqNS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PF1BRY3/ref=twister_B098XQV8N4", "value": "Thinsulate Black Leather Jacket", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41MWXPPMgnL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PF27FHD/ref=twister_B098XQV8N4", "value": "Thinsulate Brown Leather Jacket", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/419cVivGRAL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "X-Small", "asin": "B098XQV3TJ"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B098XPQC3M"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B098XQVKMZ"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B098XTJKG9"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B098XT346Y"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B098XRJ28D"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B098XT98Y8"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B098XT346Y", "category": "fashion", "query": "Men's Jackets & Coats", "page": 52, "small_description_old": "100% REAL LAMBSKIN LEATHER Button closure \u25ba THE REAL LAMBSKIN LEATHER \u2013 This stylish \u00be length leather coat is the perfect transitional piece that will take you from season to season. The incredibly soft 100% real lambskin leather features a luxurious vintage aesthetic. \u25ba PERFECT FOR INDOOR AND OUTDOOR \u2013 This high-quality Car Coat will give you a classic look for your drive, it comes with zip closure, viscose lining, upright collar and two outer zip pockets. This coat works well in office settings, or equally for outdoor walks. \u25ba CONVENIENT POCKETS \u2013 The two large inside pockets offer convenient storage and front button fasteners enhance your individuality. The pockets are roomy enough for keeping daily essentials or small things like mobile phone or keys. \u25ba FAST SHIPPING \u2013 We offer expedited US Shipping and standard worldwide shipping. Our items are shipped in secure packaging designed especially for leather jackets to avoid any damage during transit. \u25ba FOR ALL BODY TYPES \u2013 The brown leather coat is the perfect style for nearly all body types. Whether worn with a sweater or a casual button-up on your way to work, the coat's streamlined design will add some panache on your commute."}, {"name": "SunnyPoint Classic Side Table, Mobile Snack Table for Coffee Laptop Tablet, Slides Next to Sofa Couch, Wood Look Accent Furniture with Metal Frame (Black)", "product_information": {"Product Dimensions": "19.8 x 13.8 x 23.8 inches", "Item Weight": "11.03 pounds", "Manufacturer": "SunnyPoint", "ASIN": "B084ZPN17C", "Item model number": "ST001-B-US", "Customer Reviews": {"ratings_count": 147, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#332,154 in Home & Kitchen (See Top 100 in Home & Kitchen) #973 in End Tables"], "Date First Available": "February 20, 2020"}, "brand": "Brand: SunnyPoint", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=SunnyPoint", "full_description": "", "pricing": "$46.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/313W7AziV5L.jpg", "https://m.media-amazon.com/images/I/41KqKCh-qjL.jpg", "https://m.media-amazon.com/images/I/51d5t0xNzgL.jpg", "https://m.media-amazon.com/images/I/61gaZIySnYL.jpg", "https://m.media-amazon.com/images/I/41WdMpaQLEL.jpg", "https://m.media-amazon.com/images/I/31og50bObjL.jpg", "https://m.media-amazon.com/images/I/41LHL0zSh+L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Tables \u203a End Tables", "average_rating": 4.2, "small_description": ["ASSEMBLY REQUIRED; Tools Included; 10~15 Minutes Assembly Time. ", "Overall Size: 19.8 D x 13.8 W x 23.8 H Inch. Please See The Photo of Detail Dimension, Make Sure This SideTable Goes Well With Your Furniture. ", "Material: Sturdy Metal Frame With P2 TableTop Chipboard; Tabletop Is In 2 Pieces Structure. ", "Finishing: Matt-Black Powder Coating; Weight Capacity: Up to 50 lbs ", "Perfect To Use As Mobile Snack Table, Coffee Laptop Tablet, or Slides Next to Sofa Couch As a Side Table "], "total_reviews": 147, "total_answered_questions": "", "model": "ST001-B-US", "customization_options": {"Color": null}, "seller_id": "A11K1CWG7V50W", "seller_name": "SunnyPoint", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B084ZPN17C", "category": "garden", "query": "Coffee Tables", "page": 272, "small_description_old": "About this item\n \nASSEMBLY REQUIRED; Tools Included; 10~15 Minutes Assembly Time. Overall Size: 19.8 D x 13.8 W x 23.8 H Inch. Please See The Photo of Detail Dimension, Make Sure This SideTable Goes Well With Your Furniture. Material: Sturdy Metal Frame With P2 TableTop Chipboard; Tabletop Is In 2 Pieces Structure. Finishing: Matt-Black Powder Coating; Weight Capacity: Up to 50 lbs Perfect To Use As Mobile Snack Table, Coffee Laptop Tablet, or Slides Next to Sofa Couch As a Side Table"}, {"name": "Motorola Moto Edge 2021 Case, Moto Edge 5G UW Case with HD Screen Protectors, Androgate Military-Grade Metal Ring Kickstand 15ft Drop Tested Shockproof Cover Case, Purple", "product_information": {"Product Dimensions": "5.51 x 2.36 x 0.43 inches", "Item Weight": "2.39 ounces", "ASIN": "B09LC67HYC", "Item model number": "Moto Edge 2021 ZHZJ Case Purple", "Customer Reviews": {"ratings_count": 137, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#4,757 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #1,644 in Cell Phone Basic Cases"], "Is Discontinued By Manufacturer": "No", "Special Features": "Kickstand, Ring holder, Screen Protectors, Attaching to magnetic car mount", "Other display features": "Wireless", "Form Factor": "Case", "Colour": "Purple", "Included Components": "Kickstand", "Manufacturer": "E&M Tek", "Date First Available": "November 5, 2021"}, "brand": "Visit the Androgate Store", "brand_url": "https://www.amazon.com/stores/Androgate/page/2B096B86-7FD3-4380-B68D-6FC012780FB5?ref_=ast_bln", "full_description": "Androgate Super Ring Series Military Grade Phone Case for Motorola Moto Edge 2021/ Moto Edge 5G UW This is a dual layer designed case but it is extremely compact and sleek. The integrated metal ring which can be 360\u00b0 Rotatable works pefectly as a holer or a stand. What's more, the metal plate for holding the ring can attach easily to your magnetic car mount or holder when you drive. Enjoy your hands-free moments to watch a video or facetime with the Androgate Super Ring Series Case! Frequently Asked Questions: Question 1: Will it be bulky in hands since it is a dual layer case?Answer: No, it won't be bulky at all due to the compact design. And it adds minimum weight to your phone. Question 2: Does it support wireless charging?Answer: No, it does not allow for wiress charging. You have to remove the case before placing onto your wireless charger. Question 3: Does the case come with screen protectors? Answer: Yes, we make sure every package comes with 2PCs high quality HD film screen protectors. Question 4: Can the ring stand work both horizontally and vertically? Answer: Yes, it can. Horizontally, the mounting angle is about 70\u00b0 and it is perfect for nearly all people. Vertically, it can only mount at about 35\u00b0 above the level, which is fine for most people but others may find it a little bit low. It is a matter of options.RISK FREE GUARANTEEDWe are so confident with the quality of our products that all the Androgate phone cases are backed with a 100% money back guarantee and a 60-day warranty.", "pricing": "$9.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51EOq1fAvQL.jpg", "https://m.media-amazon.com/images/I/41xhf19F68L.jpg", "https://m.media-amazon.com/images/I/41ogF+MzPqL.jpg", "https://m.media-amazon.com/images/I/51o82flYcHL.jpg", "https://m.media-amazon.com/images/I/51WqzUXuXEL.jpg", "https://m.media-amazon.com/images/I/51PkL2Urg9L.jpg", "https://m.media-amazon.com/images/I/413yeOvJBwL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Cases, Holsters & Sleeves \u203a Basic Cases", "average_rating": 4.5, "small_description": ["\u30101 Phone Case and 2 Screen Protectors\u3011Tailor-designed for Motorola Moto Edge 2021/ Moto Edge 5G UW ", "\u3010Strong Protection\u3011Combination of TPU and Polycarbonate with reinforced corners for military-grade protection from drops and bumps. Raised bezels provide extra protection to the screen and camera. ", "\u3010Precise Cutouts\u3011Easy access to buttons, speaker, charging port and all other funcioning ports of Motorola Edge 2021/ Moto Edge 5G UW ", "\u3010Metal Ring Holder and Stand\u3011The metal ring is a great plus under multiple scenarios when it works as a holder, bracket or kickstand. The built-in magnetic metal sheet allows for easy attach to your magnetic car mount holder ", "\u3010Sleek Compact Profile\u3011The phone case is made from selected lightweight non-slip material to ensure a slim and tough protection with enhanced grip. "], "total_reviews": 137, "total_answered_questions": 3, "model": "Moto Edge 2021 ZHZJ Case Purple", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09LCBZHRY/ref=twister_B09LCPCTW8?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$9.95", "price": 9.95, "image": "https://m.media-amazon.com/images/I/51VnWzk34iL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LCHCW8J/ref=twister_B09LCPCTW8?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "$8.95", "price": 8.95, "image": "https://m.media-amazon.com/images/I/51yMDbAwNbL.jpg"}, {"is_selected": true, "url": null, "value": "Purple", "price_string": "$9.95", "price": 9.95, "image": "https://m.media-amazon.com/images/I/51EOq1fAvQL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LCC75Q5/ref=twister_B09LCPCTW8?_encoding=UTF8&psc=1", "value": "Red", "price_string": "$9.95", "price": 9.95, "image": "https://m.media-amazon.com/images/I/51VF0I-uFtL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LCF4VBD/ref=twister_B09LCPCTW8?_encoding=UTF8&psc=1", "value": "Teal", "price_string": "$9.95", "price": 9.95, "image": "https://m.media-amazon.com/images/I/51HydHxOljL.jpg"}]}, "seller_id": "A3JDQP9HMLTN4S", "seller_name": "E&M Tek", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09LC67HYC", "category": "electronics", "query": "Cell Phones", "page": 367, "small_description_old": "About this item \u30101 Phone Case and 2 Screen Protectors\u3011Tailor-designed for Motorola Moto Edge 2021/ Moto Edge 5G UW \u3010Strong Protection\u3011Combination of TPU and Polycarbonate with reinforced corners for military-grade protection from drops and bumps. Raised bezels provide extra protection to the screen and camera. \u3010Precise Cutouts\u3011Easy access to buttons, speaker, charging port and all other funcioning ports of Motorola Edge 2021/ Moto Edge 5G UW \u3010Metal Ring Holder and Stand\u3011The metal ring is a great plus under multiple scenarios when it works as a holder, bracket or kickstand. The built-in magnetic metal sheet allows for easy attach to your magnetic car mount holder \u3010Sleek Compact Profile\u3011The phone case is made from selected lightweight non-slip material to ensure a slim and tough protection with enhanced grip."}, {"name": "Large Simple Wall Mirror/White Bathroom Makeup Mirror Storable/Round Wood Frame Decorative Mirror, for Bedroom, Living Room, Store, Vanity Mirror", "product_information": {"Item Weight": "11 pounds", "Manufacturer": "Jyjzf-Mirrors", "ASIN": "B07WC14R63"}, "brand": "Brand: Jyjzf-Mirrors", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Jyjzf-Mirrors", "full_description": "\u263aOUR Shatterproof Mirrors are highly reflective surface with sharper image than standard glass mirrors. They are cut from high-quality, specialised mirrored acrylic. It is very simple to install, You can easily hang it at home after receiving the goods. You can rest assured about this issue. \u263a They also have the added advantage of being much lighter, shatterproof, impact resistant and therefore safer. These mirrors are 3mm thick which is as normal glass mirrors, but are 10 times stronger and weigh 80% less. \u270c We specialise in creating and cutting unique designs and mirrors, where you can be 100% assured of the quality of our acrylic mirror. All of our mirrors are cut in our workshop using laser technology to give the best possible finish and with smooth edges. We are proud of our customer services ensuring that all of our customers are always satisfied since we believe that a Happy Customer will always be our customer. \u2764 All our products comply with our return policy within 90 days Money-Back Guarantee. If You Have Any Problems With This Mirrors, please feel free to contact us and we will give you a full refund or send you a new replacement at no charge, you don't have to return the product.", "pricing": "$361.26", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41g+P4UMeVL.jpg", "https://m.media-amazon.com/images/I/41DyTvnWOAL.jpg", "https://m.media-amazon.com/images/I/41qJaIWsUmL.jpg", "https://m.media-amazon.com/images/I/41Ag-XddJdL.jpg", "https://m.media-amazon.com/images/I/41zb-DCJDyL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Mirrors \u203a Wall-Mounted Mirrors", "average_rating": "", "small_description": ["\u265a Our wall mounted mirror made of explosion-proof glass which can prevent portrait distortion, give you a real HD imaging. Fixed by solid wood frame, frame mirror is delicately processed and it does not cut the hand. ", "\u265a This mirror has the perfect size (diameter, 50/60/70cm ) can be used in any room. An attractively framed mirror is the affordable way to decorate your wall while bringing light and space into a room. ", "\u265a The glass mirror is secured and embedded in the frame and reinforced with solid backing for added stability. Wall mounted mirror can be hung directly on the wall and Ship with all mounting hardware. ", "\u265a Gorgeous shows wall mirror's features in entryway, living room, bathroom, bedroom or any type of room decor. Whether it is natural light or human light, it can provide enough light to the room. ", "\u265a The Mirror is wrapped with FOAMED PLASTICS in box and protected from damage in transit, this sufficient packaging is helpful for you to carry the mirror when you move house. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07W6VYT6V/ref=twister_B07W7Z92BM?_encoding=UTF8&psc=1", "value": "50cm(19.7in)", "price_string": "$268.11", "price": 268.11, "image": null}, {"is_selected": true, "url": null, "value": "60cm(23.6in)", "price_string": "$361.26", "price": 361.26, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07W5VKW6F/ref=twister_B07W7Z92BM?_encoding=UTF8&psc=1", "value": "70cm(27.5in)", "price_string": "$504.86", "price": 504.86, "image": null}]}, "seller_id": "A1JF588EVIJMZM", "seller_name": "WEI ZHEN US", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07WC14R63", "category": "garden", "query": "Decorative Mirrors", "page": 285, "small_description_old": "About this item \u265a Our wall mounted mirror made of explosion-proof glass which can prevent portrait distortion, give you a real HD imaging. Fixed by solid wood frame, frame mirror is delicately processed and it does not cut the hand. \u265a This mirror has the perfect size (diameter, 50/60/70cm ) can be used in any room. An attractively framed mirror is the affordable way to decorate your wall while bringing light and space into a room. \u265a The glass mirror is secured and embedded in the frame and reinforced with solid backing for added stability. Wall mounted mirror can be hung directly on the wall and Ship with all mounting hardware. \u265a Gorgeous shows wall mirror's features in entryway, living room, bathroom, bedroom or any type of room decor. Whether it is natural light or human light, it can provide enough light to the room. \u265a The Mirror is wrapped with FOAMED PLASTICS in box and protected from damage in transit, this sufficient packaging is helpful for you to carry the mirror when you move house."}, {"name": "RJSP 20pcs Disposable Sterilized Memory Foam Tattoo Grip Cover 22mm Packaged for Stainless Steel Or Disposable Tattoo Tubes", "product_information": {"Item Weight": "0.035 ounces", "ASIN": "B09T6FCCY9", "Date First Available": "February 23, 2022", "Department": "Unisex-adult", "Manufacturer": "RJSP", "Country of Origin": "China"}, "brand": "Brand: RURU", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=RURU", "full_description": "Details:Material:memory foamDimension:out diameter 22mmPacking:20pcs per boxThis memory cover for tattoo grip is a fantastic device for great tattooing.Description\uff1a1.memory foam material brings fine tenacity,comfort and durability.2.Individually packaged and Sterilized.3.out diameter of 22mm creates comfort,and absorb the vibration of coiled,rotary and pen tattoo machines.4.absorb the vibration of the machine,improve the coloring efficiency and reduce the skin damage.5.alleviates vibrations that cause carpal tunnel & hand issues in the every day or long term of tattoo working.6.Works with any stainless steel or disposable 1\" tattoo tube grip.Package include:20pcs/set Tattoo Grip Cover", "pricing": "$26.24", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/31sfklo6uQL.jpg", "https://m.media-amazon.com/images/I/41SDpLNGRoL.jpg", "https://m.media-amazon.com/images/I/31XaqtM5HBL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Piercing & Tattoo Supplies \u203a Tattoo Supplies \u203a Tattoo Machine Parts", "average_rating": "", "small_description": "Memory foam material brings fine tenacity,comfort and durability. Individually packaged and Sterilized. out diameter of 22mm creates comfort,and absorb the vibration of coiled,rotary and pen tattoo machines. absorb the vibration of the machine,improve the coloring efficiency and reduce the skin damage. alleviates vibrations that cause carpal tunnel & hand issues in the every day or long term of tattoo working.", "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2S3IO7T2RB60V", "seller_name": "REnJIEGO", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09T6FCCY9", "category": "beauty", "query": "Piercing & Tattoo Supplies", "page": 66, "small_description_old": "Memory foam material brings fine tenacity,comfort and durability. Individually packaged and Sterilized. out diameter of 22mm creates comfort,and absorb the vibration of coiled,rotary and pen tattoo machines. absorb the vibration of the machine,improve the coloring efficiency and reduce the skin damage. alleviates vibrations that cause carpal tunnel & hand issues in the every day or long term of tattoo working."}, {"name": "JBL Charge 5 Portable Waterproof Wireless Bluetooth Speaker Bundle with divvi! Protective Hardshell Case - Squad", "product_information": {"Package Dimensions": "12.4 x 9.69 x 5.94 inches", "Item Weight": "4.66 pounds", "ASIN": "B08ZNVVZ91", "Item model number": "Charge 5 Squad with Case", "Batteries": "1 Lithium ion batteries required. (included)", "Customer Reviews": {"ratings_count": 1277, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#716 in Portable Bluetooth Speakers #7,765 in MP3 & MP4 Player Accessories"], "Is Discontinued By Manufacturer": "No", "Date First Available": "March 22, 2021", "Manufacturer": "JBL"}, "brand": "Visit the JBL Store", "brand_url": "https://www.amazon.com/stores/JBL/page/17575AD5-FBC3-4ACB-8002-79EF7CF1DE1E?ref_=ast_bln", "full_description": "Take the amazing power of JBL Pro Sound with you. The camouflage JBL Charge 5 has an optimized long excursion driver, a separate tweeter, and dual JBL bass radiators, all delivering impressively rich and clear audio. Get that big room sound, even when outdoors.The fun doesn\u2019t have to stop. Packed with an incredible up to 20 hours of battery life (depending on volume and content), JBL Charge 5 lets you party all day and into the night.To the pool. To the park. JBL Charge 5 is IP67 waterproof and dustproof, so you can bring your speaker anywhere.Wirelessly connect up to 2 smartphones or tablets to the speaker and take turns enjoying JBL Pro sound.PartyBoost allows you to pair two JBL PartyBoost\u2013compatible speakers together for stereo sound or link multiple JBL PartyBoost\u2013compatible speakers to truly pump up your party.Don\u2019t put the party on pause. A built\u2013in powerbank lets you charge your devices without taking a break from the tunes.Keeping the camo Charge 5 speaker blemmish free is easy as putting on a slipper. divvi! hardshell case lines the inner shell with a soft velvet lining that won't leave a mark. Secure the speaker with the elastic band keeping the speaker snuggly in place. The EVA foam body protects your music from taking bumps and bruises from the ride.", "pricing": "$179.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51v87hmZcUL.jpg", "https://m.media-amazon.com/images/I/410276epbzL.jpg", "https://m.media-amazon.com/images/I/31qitgS06lL.jpg", "https://m.media-amazon.com/images/I/41JePQNPH6L.jpg", "https://m.media-amazon.com/images/I/41eexBpYyNL.jpg", "https://m.media-amazon.com/images/I/41e87gI6whL.jpg", "https://m.media-amazon.com/images/I/41uvPuqE8OL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Portable Audio & Video \u203a Portable Speakers & Docks \u203a Portable Bluetooth Speakers", "average_rating": 4.8, "small_description": ["This bundle includes (1) Camo JBL Charge 5 Portable Waterproof Wireless Bluetooth Speaker and (1) divvi! Charge 5 Protective Hardshell Case. ", "Bold JBL Original Pro Sound - Up to 20 hours of playtime (depending on volume and content) - IP67 waterproof and dustproof ", "Wireless Bluetooth Streaming - Crank up the fun with PartyBoost - Power up with the built\u2013in powerbank ", "*PLEASE NOTE* - The camouflage JBL Charge 5 does NOT include a USB wall adapter. ", "Case: EVA Foam Body protects the JBL Charge 5 Speaker - Soft velvet lining with nylon strap cradle - Storage compartment keeps accessories neatly organized - Blue Zipper with two pulls fasten case quickly "], "total_reviews": 1277, "total_answered_questions": 58, "model": "Charge 5 Squad with Case", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08ZQF2ZL8/ref=twister_B092WCDBSG?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$179.99", "price": 179.99, "image": "https://m.media-amazon.com/images/I/41sYA0uHgkL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08ZQ8G4VS/ref=twister_B092WCDBSG?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "$179.99", "price": 179.99, "image": "https://m.media-amazon.com/images/I/41zJeYy6J9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08ZNX6S5M/ref=twister_B092WCDBSG?_encoding=UTF8&psc=1", "value": "Gray", "price_string": "$179.99", "price": 179.99, "image": "https://m.media-amazon.com/images/I/51D-0-FrxwL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08ZNWMLZF/ref=twister_B092WCDBSG?_encoding=UTF8&psc=1", "value": "Red", "price_string": "$179.99", "price": 179.99, "image": "https://m.media-amazon.com/images/I/51YRjtqOhBL.jpg"}, {"is_selected": true, "url": null, "value": "Squad", "price_string": "$179.99", "price": 179.99, "image": "https://m.media-amazon.com/images/I/51v87hmZcUL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08ZNXW53L/ref=twister_B092WCDBSG?_encoding=UTF8&psc=1", "value": "Teal", "price_string": "$179.99", "price": 179.99, "image": "https://m.media-amazon.com/images/I/51E2vmoeg9L.jpg"}]}, "seller_id": "AAK72K4OIWDXL", "seller_name": "Huppins", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08ZNVVZ91", "category": "electronics", "query": "Bluetooth Speakers", "page": 5, "small_description_old": "About this item\n \nThis bundle includes (1) Camo JBL Charge 5 Portable Waterproof Wireless Bluetooth Speaker and (1) divvi! Charge 5 Protective Hardshell Case. Bold JBL Original Pro Sound - Up to 20 hours of playtime (depending on volume and content) - IP67 waterproof and dustproof Wireless Bluetooth Streaming - Crank up the fun with PartyBoost - Power up with the built\u2013in powerbank *PLEASE NOTE* - The camouflage JBL Charge 5 does NOT include a USB wall adapter. Case: EVA Foam Body protects the JBL Charge 5 Speaker - Soft velvet lining with nylon strap cradle - Storage compartment keeps accessories neatly organized - Blue Zipper with two pulls fasten case quickly"}, {"name": "DGQ Clip-on Sleeve Chapstick Pouch Keychain Lipstick Holder 1 PC Clear Lipstick Case Holder Plastic Cosmetic Storage Kit Makeup Travel Cases Organizer Bag", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 3.43 x 2.13 x 1.34 inches; 1.06 Ounces", "Manufacturer\n \u200f": "\u200e\n Leateck", "ASIN\n \u200f": "\u200e\n B08M6D6TVK", "Best Sellers Rank": "#321,343 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#264 in Cosmetic Travel Cases", "#264 in Cosmetic Travel Cases": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: DGQ", "brand_url": "https://www.amazon.com/DGQ/b/ref=bl_dp_s_web_20744926011?ie=UTF8&node=20744926011&field-lbr_brands_browse-bin=DGQ", "full_description": "DGQ Clip-on Sleeve Chapstick Pouch Keychain Lipstick Holder 1 PC Clear Lipstick Case Holder Plastic Cosmetic Storage Kit Makeup Travel Cases Organizer Bag Package Includes: 1pc X DGQ Lipstick Holder", "pricing": "$5.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31ZLFXsTMtL.jpg", "https://m.media-amazon.com/images/I/41JzfdY7HbL.jpg", "https://m.media-amazon.com/images/I/41XDewN0yoL.jpg", "https://m.media-amazon.com/images/I/41nqe5nPHOL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases \u203a Travel Cases", "average_rating": 4.1, "small_description": ["Perfect Size for Travel - This chapstick holder can fit most chapstick or lipstick of size within 8cm*3cm*2cm(3.1 in * 0.8 in * 1.2 in), Clear color allows you to easily and quickly select lipstick. ", "Securely Holds Your Lip Balm - Button design help it conveniently close with a button that holds the content in place and can avoid scratching at the same time, protect your lips on the slopes, at the beach or in the office. ", "Keychain Design for Easy Take Away - DGQ chapstick holder design with keychain, so that you can hang it on your bag and get your favorite lip balm or lipstick anytime, anywhere. ", "Small Case Great Use - This small lipstick case prevents your lipstick from separating and messing up your handbag. Attach them to your purse, keys, backpack, diaper bag, locker hook, make up bag, carry on bag, gym bag and wherever within your reach. ", "Clear PVC Material - It will come total 1 pc lip balm holders, high quality clear PVC material, perfectly holds standard sized lip balm such as Chapstick, Blistex, etc. "], "total_reviews": 29, "total_answered_questions": "", "customization_options": "", "seller_id": "A1DFM1G5Q2KS6T", "seller_name": "Leateck", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08M6D6TVK", "category": "beauty", "query": "Bags & Cases", "page": 63, "small_description_old": "Perfect Size for Travel - This chapstick holder can fit most chapstick or lipstick of size within 8cm*3cm*2cm(3.1 in * 0.8 in * 1.2 in), Clear color allows you to easily and quickly select lipstick. Securely Holds Your Lip Balm - Button design help it conveniently close with a button that holds the content in place and can avoid scratching at the same time, protect your lips on the slopes, at the beach or in the office. Keychain Design for Easy Take Away - DGQ chapstick holder design with keychain, so that you can hang it on your bag and get your favorite lip balm or lipstick anytime, anywhere. Small Case Great Use - This small lipstick case prevents your lipstick from separating and messing up your handbag. Attach them to your purse, keys, backpack, diaper bag, locker hook, make up bag, carry on bag, gym bag and wherever within your reach. Clear PVC Material - It will come total 1 pc lip balm holders, high quality clear PVC material, perfectly holds standard sized lip balm such as Chapstick, Blistex, etc."}, {"name": "2 Pieces Unicorn Cosmetic Bags Reversible Sequin Makeup Bags Cartoon Glitter Toiletry Bags Vanity Zipper Travel Pouches Cosmetics Pouch Pencil Case Purse for Women Girls Travel Birthday Christmas", "product_information": {"Package Dimensions": "9.84 x 7.87 x 0.75 inches", "Item Weight": "5 ounces", "Department": "Womens", "Manufacturer": "Frienda", "ASIN": "B09D842QY4", "Country of Origin": "China", "Customer Reviews": {"ratings_count": 2, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#956,196 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #18,030 in Cosmetic Bags"]}, "brand": "Brand: Frienda", "brand_url": "https://www.amazon.com/Frienda/b/ref=bl_dp_s_web_19625599011?ie=UTF8&node=19625599011&field-lbr_brands_browse-bin=Frienda", "full_description": "Features:Proper size:These cartoon unicorn purses measure about 8.1 x 5.9 inches, lightweight and proper size, ideal for you to store in suitcases easily, portable to carry around, handy to use during travel and trips.Suitable occasions:These cartoon unicorn makeup bags are proper for some important occasions like theme party, cosplay, carnival and gatherings, and you can also send them as sweet presents to your family members and friends.Specifications:Material: reversible sequins and soft fabricColor: as pictures shownSize: about 8.1 x 5.9 inchesStyle: unicorn theme patternQuantity: 2 piecesPackage includes:2 x Unicorn cosmetic bagsNote:Manual measurement, please allow slight errors on size.The color may exist slight difference due to different screen displays.", "pricing": "$6.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/61584MyHBlL.jpg", "https://m.media-amazon.com/images/I/51qtFZaOyAL.jpg", "https://m.media-amazon.com/images/I/51Ded3yCiIL.jpg", "https://m.media-amazon.com/images/I/61uwfopc99L.jpg", "https://m.media-amazon.com/images/I/51Fmn+cazwL.jpg", "https://m.media-amazon.com/images/I/51w8snGS9aL.jpg", "https://m.media-amazon.com/images/I/51rskz3KvXL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases \u203a Cosmetic Bags", "average_rating": 5, "small_description": ["Cartoon unicorn pattern: these unicorn makeup bags are printed with cartoon unicorn patterns, with glittering sequins, which are shining and lustrous, and unicorn on the bags are vivid and charming, featuring red, blue and other bright colors, and some lovely hearts and adorable stars are also included, and under the patterns, there are words [magic unicorn], and they will attract the eyes of most girls ", "2 Pieces to use, replace and share: there are 2 pieces glitter makeup bags in the package you will receive, enough to meet your multiple demands of daily use and replace, and you can also share them with your family members and friends ", "Reversible sequins: these unicorn cosmetic bags adopt reversible sequins outside, glittering and charming, and there is soft fabric inside, sturdy and easy to clean, and these eye-catching designs will enhance your personality and appearance among the people ", "Multi-functional bags: you can apply these cartoon unicorn bags as makeup bags, ideal for storing makeup accessories like lipsticks, foundations, eye shadow and cosmetic brushes, and they are also proper for pencils, pens, rulers, keys, necklaces and other delicate items, acting as pencil cases, handbags or purses as well ", "Zipper design: these cartoon unicorn handbag adopt zipper design, considerate and practical, easy for you to open and close, with nice workmanship, helping you to hold your products well, keep them from sliding out, convenient to use during various occasions "], "total_reviews": 2, "total_answered_questions": "", "customization_options": "", "seller_id": "A2Z7SJ46MF7F7N", "seller_name": "Boyee Lochto", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09D842QY4", "category": "beauty", "query": "Bags & Cases", "page": 50, "small_description_old": "Cartoon unicorn pattern: these unicorn makeup bags are printed with cartoon unicorn patterns, with glittering sequins, which are shining and lustrous, and unicorn on the bags are vivid and charming, featuring red, blue and other bright colors, and some lovely hearts and adorable stars are also included, and under the patterns, there are words [magic unicorn], and they will attract the eyes of most girls 2 Pieces to use, replace and share: there are 2 pieces glitter makeup bags in the package you will receive, enough to meet your multiple demands of daily use and replace, and you can also share them with your family members and friends Reversible sequins: these unicorn cosmetic bags adopt reversible sequins outside, glittering and charming, and there is soft fabric inside, sturdy and easy to clean, and these eye-catching designs will enhance your personality and appearance among the people Multi-functional bags: you can apply these cartoon unicorn bags as makeup bags, ideal for storing makeup accessories like lipsticks, foundations, eye shadow and cosmetic brushes, and they are also proper for pencils, pens, rulers, keys, necklaces and other delicate items, acting as pencil cases, handbags or purses as well Zipper design: these cartoon unicorn handbag adopt zipper design, considerate and practical, easy for you to open and close, with nice workmanship, helping you to hold your products well, keep them from sliding out, convenient to use during various occasions"}, {"name": "HUACHEN-LS Portable Speaker Wireless Bluetooth Speaker Smart Speaker Portable Heavy Bass Speakers for Phone for Home, Outdoors, Travel (Color : Black)", "product_information": {"Item Weight": "3.97 pounds", "ASIN": "B09NDGV4PL", "Date First Available": "December 10, 2021", "Department": "Unisex-adult", "Manufacturer": "HUACHEN-LS", "Country of Origin": "China"}, "brand": "Brand: HUACHEN-LS", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=HUACHEN-LS", "full_description": "Main Features20W powerful stereo soundPlay-time: Bluetooth (15h); WiFi (5h)Support voice serviceAdjustable bass and treble controlSupport: 2.4GHz router (not support 5GHz)Package Included1x bluetooth speaker1x USB Charging cable1x User manual", "pricing": "$305.91", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51kwjsNyJmL.jpg", "https://m.media-amazon.com/images/I/51JwFl6gUCL.jpg", "https://m.media-amazon.com/images/I/61rszrA7A2L.jpg", "https://m.media-amazon.com/images/I/41Ta0VKjqSL.jpg", "https://m.media-amazon.com/images/I/41Jtw4Cl5fL.jpg", "https://m.media-amazon.com/images/I/51iMDuj+yVL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Portable Audio & Video \u203a Portable Speakers & Docks \u203a Portable Bluetooth Speakers", "average_rating": "", "small_description": ["Integrate more genuine online streaming music and compatible smart phone home connected device. ", "Using 2 or more Series speakers can build a multiroom to play different songs or the same song. (add 16 speakers at most) ", "Rechargeable and portable, enjoy music anywhere. ", "Built in high-sensitivity microphone and support Bluetooth hands-free call. Answer the phone by just press the button. ", "Slim and light weight, easy to carry.Removable Leather StrapDesign for indoor &outdooruse. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "A3HEIMWXMA8LL9", "seller_name": "HUACHEN-LS", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09NDGV4PL", "category": "electronics", "query": "Bluetooth Speakers", "page": 409, "small_description_old": "About this item\n \nIntegrate more genuine online streaming music and compatible smart phone home connected device. Using 2 or more Series speakers can build a multiroom to play different songs or the same song. (add 16 speakers at most) Rechargeable and portable, enjoy music anywhere. Built in high-sensitivity microphone and support Bluetooth hands-free call. Answer the phone by just press the button. Slim and light weight, easy to carry.Removable Leather StrapDesign for indoor &outdooruse."}, {"name": "Organic Clif Kid Zbar - Iced Oatmeal Cookie - Case of 18-1.27 oz Bars .2 pack", "product_information": {"Item model number\n \u200f": "\u200e\n -102021-v1", "UPC\n \u200f": "\u200e\n 381753365777", "Manufacturer\n \u200f": "\u200e\n CLIF BAR", "ASIN\n \u200f": "\u200e\n B09JPCC7MJ", "Best Sellers Rank": "#36,312 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#73 in Breakfast Cereal Bars", "#73 in Breakfast Cereal Bars": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Clif Bar Store", "brand_url": "https://www.amazon.com/stores/ClifBarCompany/page/5DF27F05-0431-4691-B950-F0560079CBE6?ref_=ast_bln", "full_description": "Un horneado org\u00e1nico grano Snack fabricada con una mezcla nutritiva de hidratos de carbono, fibra, prote\u00ednas y grasas para mantener Kids 'energyso los ni\u00f1os pueden cerrar y zoom a lo largo. Una mezcla deliciosa y nutritiva de avena de grano entero org\u00e1nicos con un toque de canela y vainilla. USDA org\u00e1nica vitaminas y minerales que son importantes para ni\u00f1os sin jarabe de ma\u00edz de alta fructosa sin sabores artificiales o conservantes sint\u00e9ticos", "pricing": "$40.38", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/418jk8wvhZL.jpg", "https://m.media-amazon.com/images/I/31zWOkZma1L.jpg", "https://m.media-amazon.com/images/I/31wB-aIrjNL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Breakfast Foods \u203a Breakfast & Cereal Bars \u203a Cereal", "average_rating": 4.7, "small_description": [""], "total_reviews": 60, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09JPCTL8K/ref=twister_B09JPC5DQ5?_encoding=UTF8&psc=1", "value": ".10 pack", "price_string": "$187.38", "price": 187.38, "image": null}, {"is_selected": true, "url": null, "value": ".2 pack", "price_string": "$40.38", "price": 40.38, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JPCFPC2/ref=twister_B09JPC5DQ5?_encoding=UTF8&psc=1", "value": ".3 pack", "price_string": "$56.72", "price": 56.72, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JP9FDWX/ref=twister_B09JPC5DQ5?_encoding=UTF8&psc=1", "value": ".4 pack", "price_string": "$65.70", "price": 65.7, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07DLFFV2V/ref=twister_B09JPC5DQ5?_encoding=UTF8&psc=1", "value": "18 Count (Pack of 1)", "price_string": "$22.88", "price": 22.88, "image": null}]}, "seller_id": "AF8VTH5S9F4PG", "seller_name": "DAVATA", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09JPCC7MJ", "category": "grocery", "query": "Breakfast Foods", "page": 126, "small_description_old": ""}, {"name": "Crystal Rhinestone Starfish Hair Clip, Mini Dainty Metal Hairpin Clamps Accessories Barrettes Bobby Pin Ponytail Holder Statement (Mixed Color)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 3.54 x 2.76 x 1.38 inches; 1.95 Ounces", "UPC\n \u200f": "\u200e\n 723803713747", "Manufacturer\n \u200f": "\u200e\n Aguder", "ASIN\n \u200f": "\u200e\n B09MS5RTDD", "Best Sellers Rank": "#295,076 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,593 in Hair Styling Pins", "#1,593 in Hair Styling Pins": ""}, "brand": "Brand: Aguder", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Aguder", "full_description": "* ABOUT THIS ITEM * These fabulous and elegant hair pins is totally handmade, it is made of hight quality rhinestones. You can decorate any hairstyle and it will complement even the most restraint dress. * NOTICE * Please allow slight size difference due to manual measurement, because the photo display reasons, picture can not guarantee the color of page display product and the true colors of the products is completely consistent, I will try to explain it. * RETURN P0LICY * 1. Products with quality-related issues may be returned for a refund or exchange by contacting us within 3 days of receiving your items. 2. Any product that has been used does not qualify for return or exchange. 3. All returned items must be in brand-new condition, unused and with original label. * Maintenance * 1. Please try not to let accessory with water, alkali liquor and other caustic liquids. 2. Please take off accessory before take exercises. 3. Please make sure", "pricing": "$11.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/4184NUzHD-L.jpg", "https://m.media-amazon.com/images/I/41qO3sy1ZUL.jpg", "https://m.media-amazon.com/images/I/41Ka-jRcRCL.jpg", "https://m.media-amazon.com/images/I/413Gd79AmSL.jpg", "https://m.media-amazon.com/images/I/41UyR2758yL.jpg", "https://m.media-amazon.com/images/I/31C1hkllJ3L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Accessories \u203a Hair Pins", "average_rating": "", "small_description": ["Material: Premium Rhinestone + Premium Metal Alloy ", "Size: 5.8cm * 4cm (2.28inch * 1.57inch) ", "Good assistant for your make up and good to DIY your own hairstyle, glittering under the lights, beautiful hair adding items to make you more charming ", "Crystal hair clips fit for proms, parties, wedding, daily life and more special occasions; Suitable for women of all ages, a nice gift to ladies ", "Package: 3 x crystal hair pins (1 Black, 1 Gold, 1 Silver) with Gift Box "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "AF91DSWP5N685", "seller_name": "Agoder", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09MS5RTDD", "category": "beauty", "query": "Styling Products", "page": 159, "small_description_old": "About this item Material: Premium Rhinestone + Premium Metal Alloy Size: 5.8cm * 4cm (2.28inch * 1.57inch) Good assistant for your make up and good to DIY your own hairstyle, glittering under the lights, beautiful hair adding items to make you more charming Crystal hair clips fit for proms, parties, wedding, daily life and more special occasions; Suitable for women of all ages, a nice gift to ladies Package: 3 x crystal hair pins (1 Black, 1 Gold, 1 Silver) with Gift Box"}, {"name": "Asurion 1-Year Floor Care Protection Plan ($ 0-$50) for Used/REFURB", "product_information": {"Manufacturer": "Asurion", "ASIN": "B015D7YII4", "Item model number": "WCNP RRFLR 12ext 1", "Date First Available": "October 23, 2015"}, "brand": "Visit the ASURION Store", "brand_url": "https://www.amazon.com/stores/ASURION/page/84EB5403-C643-4F9D-8427-053F1AAE1EC6?ref_=ast_bln", "full_description": "Your Asurion Protection Plan documents will be sent to you via email to the address associated with your Amazon.com account. If your Asurion documents do not arrive within 2 business days after your purchase, please call (866) 551-5924 at anytime.", "pricing": "$4.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41I8fMGyKOL.jpg", "https://m.media-amazon.com/images/I/41PiXvqJ6bL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Home Audio \u203a Speakers \u203a Surround Sound Systems", "average_rating": "", "small_description": ["Asurion Protection Plan, Formerly Canopy, product service plans you know and trust "], "total_reviews": "", "total_answered_questions": "", "model": "WCNP RRFLR 12ext 1", "customization_options": "", "seller_id": "AF3DJOY0ZHFVY", "seller_name": "Asurion, LLC", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B015D7YII4", "category": "electronics", "query": "Surround Sound Systems", "page": 348, "small_description_old": "Asurion Protection Plan, Formerly Canopy, product service plans you know and trust"}, {"name": "Blue Diamond Almonds Nut Thins Gluten Free Cracker Crisps, Hint of Sea Salt, 4.25 Oz Boxes (Pack of 12)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 15 x 12 x 8 inches; 4.32 Ounces", "Item model number\n \u200f": "\u200e\n 10041570052782", "Manufacturer\n \u200f": "\u200e\n Blue Diamond", "ASIN\n \u200f": "\u200e\n B003I567W4", "Country of Origin\n \u200f": "\u200e\n USA", "Domestic Shipping": "Currently, item can be shipped only within the U.S. and to APO/FPO addresses. For APO/FPO shipments, please check with the manufacturer regarding warranty and support issues.", "International Shipping": "This item can be shipped to select countries outside of the U.S.Learn More", "Best Sellers Rank": "#910 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#1 in Flatbread Crackers", "#1 in Flatbread Crackers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Blue Diamond Almonds Store", "brand_url": "https://www.amazon.com/stores/BlueDiamondAlmonds/page/C8FF6C7C-87B5-4C40-8C3F-47553B4C8675?ref_=ast_bln", "full_description": "Nut Thins are a crunchy cracker made with nutritious almonds and baked to perfection. With just enough sea salt to bring out the flavor, we think you'll agree our Hint of Sea Salt Almond Nut Thins are a tasty guilt free treat. The perfect afternoon snack, they also make an ideal foundation for appetizer toppings and a crunchy chip for your favorite dip.", "pricing": "$34.44", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/51qPFhNZqsL.jpg", "https://m.media-amazon.com/images/I/510FKVtXfkL.jpg", "https://m.media-amazon.com/images/I/51IytF4z7NL.jpg", "https://m.media-amazon.com/images/I/51vIsiNU9AL.jpg", "https://m.media-amazon.com/images/I/510OysgXxSL.jpg", "https://m.media-amazon.com/images/I/61luZdrqhFL.jpg", "https://m.media-amazon.com/images/I/51BmylwfDDL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Crackers \u203a Flatbread", "average_rating": 4.6, "small_description": ["Contains twelve 4.25-ounce boxes of Blue Diamond Almonds Nut Thins ", "A crunchy gluten free cracker made with Almonds and a hint of sea salt for taste, certified Kosher ", "A tasty and healthy snack with 3 grams of protein per serving ", "Perfect with your favorite snack dips, cheeses, and spreads. Serve them at your next party and your guests won't leave until they're gone. ", "Free of cholesterol and saturated fat - great for adults in the office or kids at school "], "total_reviews": 10500, "total_answered_questions": 63, "customization_options": {"Flavor Name": [{"is_selected": false, "url": "https://www.amazon.com/dp/B000HPBRA0/ref=twister_B08KRHD7NG?_encoding=UTF8&psc=1", "value": "Country Ranch", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00C4S1BMM/ref=twister_B08KRHD7NG?_encoding=UTF8&psc=1", "value": "Multi-Seeds", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B007Z94RJ4/ref=twister_B08KRHD7NG", "value": "Original Almond", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B013DO2N90/ref=twister_B08KRHD7NG?_encoding=UTF8&psc=1", "value": "Pepper Jack", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "Sea Salt", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00C4S19UQ/ref=twister_B08KRHD7NG?_encoding=UTF8&psc=1", "value": "Sesame Seeds", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B000H11C6I/ref=twister_B08KRHD7NG?_encoding=UTF8&psc=1", "value": "Smokehouse", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B000HPBR8W/ref=twister_B08KRHD7NG?_encoding=UTF8&psc=1", "value": "Cheddar", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B000H154WQ/ref=twister_B08KRHD7NG?_encoding=UTF8&psc=1", "value": "Pecan", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00C4S19WY/ref=twister_B08KRHD7NG?_encoding=UTF8&psc=1", "value": "Flax Seeds", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00M8VSJW0/ref=twister_B08KRHD7NG?_encoding=UTF8&psc=1", "value": "Honey Cinnamon", "price_string": "", "price": 0, "image": null}], "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B00FBO8FF2/ref=twister_B08KRHD7NG?_encoding=UTF8&psc=1", "value": "4.25 Ounce (Pack of 1)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LKSQRL3/ref=twister_B08KRHD7NG", "value": "4.25 Ounce (Pack of 2)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B073JK81KY/ref=twister_B08KRHD7NG?_encoding=UTF8&psc=1", "value": "4.25 Ounce (Pack of 6)", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "4.25 Ounce (Pack of 12)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07XHRRB1T/ref=twister_B08KRHD7NG?_encoding=UTF8&psc=1", "value": "7.7 Ounce (Pack of 1)", "price_string": "", "price": 0, "image": null}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B003I567W4", "category": "grocery", "query": "Pantry Staples", "page": 32, "small_description_old": "About this item Contains twelve 4.25-ounce boxes of Blue Diamond Almonds Nut Thins A crunchy gluten free cracker made with Almonds and a hint of sea salt for taste, certified Kosher A tasty and healthy snack with 3 grams of protein per serving Perfect with your favorite snack dips, cheeses, and spreads. Serve them at your next party and your guests won't leave until they're gone. Free of cholesterol and saturated fat - great for adults in the office or kids at school"}, {"name": "SLLEA AC DC Adapter Replacement for Wilson 811710 814021 814004 Cell Phone Signal Booster Power", "product_information": {"Product Dimensions": "3 x 2 x 4 inches", "Item Weight": "3 ounces", "ASIN": "B09T5M3KKG", "Item model number": "PRJ-A-2022A2080ZZ1792", "Date First Available": "February 23, 2022", "Manufacturer": "SLLEA"}, "brand": "Brand: SLLEA", "brand_url": "https://www.amazon.com/SLLEA/b/ref=bl_dp_s_web_13765563011?ie=UTF8&node=13765563011&field-lbr_brands_browse-bin=SLLEA", "full_description": "SLLEA AC DC Adapter Replacement for Wilson 811710 814021 814004 Cell Phone Signal Booster PowerThis Charger from SLLEA is ideal for operating your device or charging its battery (if applicable) from any standard electrical power outlet either at home,office.Notice: 1. Input: 100 - 240 VAC 50/60Hz Worldwide Voltage Use Mains PSU; Please Confirm the output and plug tip before purchase. 2. Over Voltage Protection, Over Heat Protection, Brand New&High Quality.If you use this item for a long time, please keep it suitable ventilating and humidity. Do not put it on the skin products. Please feel free to contact us if you have further questions.We will be more than happy to assist you.Warranty: 30 Days Money Back Guarantee / 60 Days Free Exchange With Paid Return Label / 360 Days Anytime Worry-Free Warranty!Package Included:1 x AC / DC Power Supply Adapter", "pricing": "$14.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31VDQ8h6GcL.jpg", "https://m.media-amazon.com/images/I/41C3swxcOOL.jpg", "https://m.media-amazon.com/images/I/4180avv42+L.jpg", "https://m.media-amazon.com/images/I/41grzut91QL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Power Accessories \u203a AC Adapters", "average_rating": "", "small_description": ["CABLE LENGTH: TOTAL 4FT/1.2M. ", "SPECIFICATIONS: Input Voltage : AC 100-240V (Worldwide AC Input) ", "INDUSTRY QUALITY:100% Brand New Cables Are Tested BY Manufacture With High Quality.Approved by CE. Will not Cause a Fire,Safety USE ! ", "CONVENIENT&PORTABLE : This lightweight and easy-to-carry adapter is the ideal portable power source for your device! ", "WIDE COMPATIBILITY:AC DC Adapter Replacement for Wilson 811710 814021 814004 Cell Phone Signal Booster Power "], "total_reviews": "", "total_answered_questions": "", "model": "PRJ-A-2022A2080ZZ1792", "customization_options": "", "seller_id": "AMHTQ3EQ9HW3", "seller_name": "FXOAWENQIC", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09T5M3KKG", "category": "electronics", "query": "Signal Boosters", "page": 92, "small_description_old": "About this item\n \nCABLE LENGTH: TOTAL 4FT/1.2M. SPECIFICATIONS: Input Voltage : AC 100-240V (Worldwide AC Input) INDUSTRY QUALITY:100% Brand New Cables Are Tested BY Manufacture With High Quality.Approved by CE. Will not Cause a Fire,Safety USE ! CONVENIENT&PORTABLE : This lightweight and easy-to-carry adapter is the ideal portable power source for your device! WIDE COMPATIBILITY:AC DC Adapter Replacement for Wilson 811710 814021 814004 Cell Phone Signal Booster Power"}, {"name": "Hello Kitty Lovely Canvas Rectangle Multi-Purpose Cosmetic Pencil Travel Pouch 1PC : Pink/Red (Pink)", "product_information": {"Package Dimensions": "6.77 x 3.94 x 3.5 inches", "Item Weight": "3.24 ounces", "Department": "Womens", "ASIN": "B08XDKBH2P", "Best Sellers Rank": ["#588,024 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #10,515 in Cosmetic Bags"]}, "brand": "Brand: Stationery", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Stationery", "full_description": "Hello Kitty Canvas Rectangle Multi-Purpose Cosmetic Pencil Travel Pouch 1PC", "pricing": "$27.99", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51NMGgdadEL.jpg", "https://m.media-amazon.com/images/I/51vaWwrAH6L.jpg", "https://m.media-amazon.com/images/I/31VPeGSBz9L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases \u203a Cosmetic Bags", "average_rating": "", "small_description": ["Hello Kitty Canvas Rectangle Multi-Purpose Cosmetic Pencil Travel Pouch 1PC (OFFICIALLY LICENSED) ", "Can be used as cosmetic pouch, travel pouch, pencil case, multi-purpose ", "Zippered main compartment, cute little Hello Kitty face charm on Zipper-End ", "Size approx.: H 4\" x W 6.5\" x D 3\" "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Pink", "price_string": "$27.99", "price": 27.99, "image": "https://m.media-amazon.com/images/I/51NMGgdadEL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08XD7YXP3/ref=twister_B08XF2RW31?_encoding=UTF8&psc=1", "value": "Red", "price_string": "$27.99", "price": 27.99, "image": "https://m.media-amazon.com/images/I/51306PV+6gL.jpg"}]}, "seller_id": "AG5LCBN6NBU9L", "seller_name": "lesstory", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08XDKBH2P", "category": "beauty", "query": "Bags & Cases", "page": 107, "small_description_old": "Hello Kitty Canvas Rectangle Multi-Purpose Cosmetic Pencil Travel Pouch 1PC (OFFICIALLY LICENSED) Can be used as cosmetic pouch, travel pouch, pencil case, multi-purpose Zippered main compartment, cute little Hello Kitty face charm on Zipper-End Size approx.: H 4\" x W 6.5\" x D 3\" Material: Canvas"}, {"name": "Men's Shiny Sequins Suit Jacket Blazer One Button Weddings Prom Dinner Party Tuxedo BZ07", "product_information": {"Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n January 26, 2022", "ASIN\n \u200f": "\u200e\n B09R7H66FC", "": ""}, "brand": "Brand: ZOQIN", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=ZOQIN", "full_description": "ZOQIN dedicated to offer ideal products and pleasant shopping experience. Product Feature: Title:Men's Modern fashion lightweight suit jacket blazer Package included: 1* blazer jacket Occassion:This stylish suit jacket is suitable for weddings ,business meetings,fashion shows, parties,prom,daily life,homecoming and back to school,any fashion forward parties,any holiday,work and other Occasions. Note: (1) Please pay attention to the size details carefully before you buy. If you have problem about the size, pls feel free to contact us. (2) Due to the different colors of the display computer may slightly vary, it may be slight color differences. Thank you for your understanding. (3) Please allow 1-3cm measurement error because all measurements are measured by hand.Customer satisfaction is our top priority. Do not hesitate to contact us if the item does not meet your expectations. (4) Standard shipping usually takes 15-25 days.Express shipping usually takes 4-7 work days.", "pricing": "$59.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51SqNN7S1tL.jpg", "https://m.media-amazon.com/images/I/61qR3BceEBL.jpg", "https://m.media-amazon.com/images/I/61xUlLAdrQL.jpg", "https://m.media-amazon.com/images/I/516tFmwneBL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Suits & Sport Coats \u203a Sport Coats & Blazers", "average_rating": "", "small_description": ["100% Polyester ", "Button closure ", "Material:Slim fit casual blazer jacket is made of high-quality sequins and durable suit fabric which lets you gentle and unique.Comfortable and fashionable. ", "Not US Sizes:Available in wide range of sizes from Regular to Big & Tall.This classic fit blazer sizes are not same as US size. Please check the size chart carefully on product picture instead of the Amazon size chart. ", "Design:Shiny sequin blazer design in slim fit,featuring with notched laple,one button closure,left chest real pocket, two flap real pockets ; Professional tailoring offers you a sharper looking. ", "Match Tips:Modern fashion lightweight suit jacket match with white shirt and dress pants for a fashionable look. Great gift for Dad, Hubby, Son, Friends. ", "Occasions:Suitable for banquet, wedding, graduation, nightclub, disco, ceremony, dating, meeting, yacht party, prom, celebration, festival, etc. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Fuchsia", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51SqNN7S1tL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R7JB5GZ/ref=twister_B09R7J4GLV", "value": "Gold", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51lNhj3T4tL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R7GPVCJ/ref=twister_B09R7J4GLV", "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51OnCdSlZQL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R7JGVPZ/ref=twister_B09R7J4GLV", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51a7bFg2U7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R7GJJH7/ref=twister_B09R7J4GLV", "value": "Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41go30LyOKL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "X-Small", "asin": "B09R7H66FC"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B09R7GT416"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09R7GV577"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09R7HXVWD"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09R7JMKJB"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09R7HHSLZ"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B09R7JN8WK"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09R7H66FC", "category": "fashion", "query": "Men's Suits & Sport Coats", "page": 22, "small_description_old": "100% Polyester Button closure Material:Slim fit casual blazer jacket is made of high-quality sequins and durable suit fabric which lets you gentle and unique.Comfortable and fashionable. Not US Sizes:Available in wide range of sizes from Regular to Big & Tall.This classic fit blazer sizes are not same as US size. Please check the size chart carefully on product picture instead of the Amazon size chart. Design:Shiny sequin blazer design in slim fit,featuring with notched laple,one button closure,left chest real pocket, two flap real pockets ; Professional tailoring offers you a sharper looking. Match Tips:Modern fashion lightweight suit jacket match with white shirt and dress pants for a fashionable look. Great gift for Dad, Hubby, Son, Friends. Occasions:Suitable for banquet, wedding, graduation, nightclub, disco, ceremony, dating, meeting, yacht party, prom, celebration, festival, etc."}, {"name": "EASY SPA Natural Bristle Wooden Body Dry Brush for Bath Shower, Shower Scrubber With Long Handle, The Best Dry Brush For Cellulite And Lymphatic", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 15.7 x 4 x 1.4 inches; 6.28 Ounces", "UPC\n \u200f": "\u200e\n 686068569538", "Manufacturer\n \u200f": "\u200e\n EASY SPA", "ASIN\n \u200f": "\u200e\n B08BV94TBP", "Best Sellers Rank": "#685,827 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#2,775 in Bath & Body Brushes", "#2,775 in Bath & Body Brushes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Easy Spa Store", "brand_url": "https://www.amazon.com/stores/EASYSPA/page/0933FC5C-2E28-4639-8BE0-BBEE8BCA86E4?ref_=ast_bln", "full_description": "", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/41WXx9sipvL.jpg", "https://m.media-amazon.com/images/I/41YYISjfTTL.jpg", "https://m.media-amazon.com/images/I/51ubHrSNSnL.jpg", "https://m.media-amazon.com/images/I/41sQGUKz6GL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Bath & Bathing Accessories \u203a Bathing Accessories \u203a Bath & Body Brushes", "average_rating": 4.5, "small_description": ["TREAT YOURSELF TO THE BEST: this body brush is constructed out of natural bamboo. So such back scrubber for shower far more durable than plastic and thin wood. You don\u2019t need to constantly replace your bath brush. ", "DRY SKIN BRUSHING: our wooden brush will be perfect for exfoliating and detoxing. You can improve circulation and lymphatic drainage because this body exfoliating brush has natural boar bristles. ", "GOOD FOR YOUR SKIN: medium stiffness of our back brush bristles leave skin soft and smooth. It will be a perfect complement to bath accessories for women because it gives perfect glowing for the skin in 90 days. ", "GREAT FOR BODY CARE: our natural bristle body brush give an excellent effect on the feet. It also will be perfect for knees, legs to rub. ", "CONVENIENT USE: this shower brush with long handle and hanging string. That\u2019s why we recommend you to add this to your own shower accessories. "], "total_reviews": 15, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08BV94TBP", "category": "beauty", "query": "Bath & Bathing Accessories", "page": 123, "small_description_old": "About this item TREAT YOURSELF TO THE BEST: this body brush is constructed out of natural bamboo. So such back scrubber for shower far more durable than plastic and thin wood. You don\u2019t need to constantly replace your bath brush. DRY SKIN BRUSHING: our wooden brush will be perfect for exfoliating and detoxing. You can improve circulation and lymphatic drainage because this body exfoliating brush has natural boar bristles. GOOD FOR YOUR SKIN: medium stiffness of our back brush bristles leave skin soft and smooth. It will be a perfect complement to bath accessories for women because it gives perfect glowing for the skin in 90 days. GREAT FOR BODY CARE: our natural bristle body brush give an excellent effect on the feet. It also will be perfect for knees, legs to rub. CONVENIENT USE: this shower brush with long handle and hanging string. That\u2019s why we recommend you to add this to your own shower accessories."}, {"name": "Neutrogena Stubborn Acne AM Face Treatment with 2.5% Micronized Benzoyl Peroxide Acne Medicine, Oil-Free Daily Facial Treatment to Reduce Size & Redness of Breakouts, Paraben-Free, 2 oz", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 1.54 x 1.92 x 6.23 inches; 2.47 Ounces", "UPC\n \u200f": "\u200e\n 070501400289", "Manufacturer\n \u200f": "\u200e\n Johnson & Johnson", "ASIN\n \u200f": "\u200e\n B08D4MH7XQ", "Best Sellers Rank": "#837 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#4 in Facial Cleansing Gels #5 in Facial Peels #7 in Facial Sunscreens", "#4 in Facial Cleansing Gels": "", "#5 in Facial Peels": "", "#7 in Facial Sunscreens": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Neutrogena Store", "brand_url": "https://www.amazon.com/stores/Neutrogena/page/3BC8CF14-3F35-41A4-9BF3-705A7FB2B6B6?ref_=ast_bln", "full_description": "Help eliminate acne breakouts & redness with Neutrogena Stubborn Acne AM Treatment. From the #1 dermatologist-recommended acne brand, this daytime acne treatment reduces the size & redness of stubborn acne and post-acne marks in just a few hours. The clinically proven acne treatment is inspired by a dermatologist-recommended regimen for clear skin and contains 2.5% micronized benzoyl peroxide acne medication to penetrate deep into pores and kill acne-causing bacteria at the source. When used together with Neutrogena Stubborn Marks PM Treatment, 86% saw clearer skin after just four weeks. The daily treatment vanishes into skin, and is oil-, paraben-, phthalate-, dye-, and fragrance-free. For best results, use Neutrogena Stubborn Acne AM Treatment along with Neutrogena Stubborn Marks PM Treatment as part of your skincare routine.", "pricing": "$9.20", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon. In Stock.", "images": ["https://m.media-amazon.com/images/I/41kR+kTyqeL.jpg", "https://m.media-amazon.com/images/I/4109SNgcG3L.jpg", "https://m.media-amazon.com/images/I/51y6Q6HuNjL.jpg", "https://m.media-amazon.com/images/I/51WJ4Rk9PoL.jpg", "https://m.media-amazon.com/images/I/51tdInE1AFL.jpg", "https://m.media-amazon.com/images/I/41ux-SD7xVL.jpg", "https://m.media-amazon.com/images/I/51-cy-kOxuL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Face \u203a Treatments & Masks \u203a Facial Peels", "average_rating": 4.4, "small_description": ["2-ounces of Neutrogena Stubborn Acne AM - Treatment with 2.5% Benzoyl Peroxide works all day to help eliminate stubborn acne breakouts and redness ", "With a vanishing formula, this daytime acne face treatment reduces size and redness of acne in just hours with a dermatologist-recommended approach. The oil-free treatment is suitable for daily use on full face, not just breakouts ", "The clinically proven formula contains 2.5% micronized benzoyl peroxide, a powerful acne medication and recommended first line of treatment by dermatologists that penetrates deep into pores to help kill acne-causing bacteria at the source ", "Free of parabens, oil, phthalates, dyes & fragrances, this acne skincare treatment is part of a dermatologist-recommended regimen for clear skin. For best results, use this acne treatment with Neutrogena Stubborn Marks PM Treatment with Retinol ", "Our recommended skincare regimen for stubborn acne & post-acne marks, when used together, the retinol in the PM formula helps release pore-clogging dead skin cells, giving benzoyl peroxide a clear path to effectively target acne-causing bacteria "], "total_reviews": 3083, "total_answered_questions": 20, "customization_options": {"Style": [{"is_selected": true, "url": null, "value": "AM Face Treatment", "price_string": "$9.20", "price": 9.2, "image": "https://m.media-amazon.com/images/I/41kR+kTyqeL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08DBFXFXD/ref=twister_B09H5TZHSV?_encoding=UTF8&psc=1", "value": "Acne AM Face Treatment with Benzoyl Peroxide", "price_string": "$22.96", "price": 22.96, "image": "https://m.media-amazon.com/images/I/41ZaCEp0jFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B097NP2XZQ/ref=twister_B09H5TZHSV?_encoding=UTF8&psc=1", "value": "Daily Acne Facial Serum", "price_string": "$12.49", "price": 12.49, "image": "https://m.media-amazon.com/images/I/31PW+mfya6S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08CHDVN12/ref=twister_B09H5TZHSV?_encoding=UTF8&psc=1", "value": "Marks PM Treatment with Retinol SA", "price_string": "$12.45", "price": 12.45, "image": "https://m.media-amazon.com/images/I/31vYaTDaE2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B097NNQZVM/ref=twister_B09H5TZHSV?_encoding=UTF8&psc=1", "value": "Texture Daily Acne Gel Facial Cleanser", "price_string": "$9.97", "price": 9.97, "image": "https://m.media-amazon.com/images/I/31I4fEdY+TS.jpg"}]}, "seller_id": "A1V7VI81AOUJ8I", "seller_name": "D&S TRADING CORP", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": true, "asin": "B08D4MH7XQ", "category": "beauty", "query": "Scrubs & Body Treatments", "page": 7, "small_description_old": "About this item 2-ounces of Neutrogena Stubborn Acne AM - Treatment with 2.5% Benzoyl Peroxide works all day to help eliminate stubborn acne breakouts and redness With a vanishing formula, this daytime acne face treatment reduces size and redness of acne in just hours with a dermatologist-recommended approach. The oil-free treatment is suitable for daily use on full face, not just breakouts The clinically proven formula contains 2.5% micronized benzoyl peroxide, a powerful acne medication and recommended first line of treatment by dermatologists that penetrates deep into pores to help kill acne-causing bacteria at the source Free of parabens, oil, phthalates, dyes & fragrances, this acne skincare treatment is part of a dermatologist-recommended regimen for clear skin. For best results, use this acne treatment with Neutrogena Stubborn Marks PM Treatment with Retinol Our recommended skincare regimen for stubborn acne & post-acne marks, when used together, the retinol in the PM formula helps release pore-clogging dead skin cells, giving benzoyl peroxide a clear path to effectively target acne-causing bacteria"}, {"name": "Computers & Tablets Bassoon K3000 Tablet PC 8GB, 7 inch Android 4.4, Dual SIM, WCDMA, GPS(Black) (Color : Pink)", "product_information": {"Package Dimensions": "8.27 x 5.12 x 2.36 inches", "Item Weight": "1.58 pounds", "Manufacturer": "Dongdexiu", "ASIN": "B08GHLKGHJ", "Date First Available": "August 22, 2020"}, "brand": "Brand: Dongdexiu", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Dongdexiu", "full_description": "Same function as computerConvenient for carrySuit for working or travelingAbout the product1. RAM:512M, ROM:8G(Suppor TF card up to 32G)2. Dual cameras front 1.3 Mega pixel / back 3 Mega pixel3. MT6572 dual SIM dual standby4. OS Android 4.45. Support WiFi/BT/FM6. 7.0 inch LCD screen7. 3G Phone Call8. 3500mA battery", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51PjHtq6grL.jpg", "https://m.media-amazon.com/images/I/51PjHtq6grL.jpg", "https://m.media-amazon.com/images/I/41jYdkTp2zL.jpg", "https://m.media-amazon.com/images/I/41Ou47MDK2L.jpg", "https://m.media-amazon.com/images/I/41LCFDvKbUL.jpg", "https://m.media-amazon.com/images/I/41v1g4rxTjL.jpg", "https://m.media-amazon.com/images/I/4161vKsirPL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Computers & Tablets \u203a Tablets", "average_rating": "", "small_description": ["Tablet PC ", "Different Size Tablets ", "New and good function ", "Bassoon K3000 Tablet PC 8GB, 7 inch Android 4.4, Dual SIM, WCDMA, GPS(Black) "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08GHLKGHJ", "category": "electronics", "query": "Tablets", "page": 248, "small_description_old": "About this item\n \nTablet PC Different Size Tablets New and good function Bassoon K3000 Tablet PC 8GB, 7 inch Android 4.4, Dual SIM, WCDMA, GPS(Black)"}, {"name": "AC Pacific Modern Staggered 6-Shelf Luke Bookcase, Black", "product_information": {"Item Weight": "49.4 pounds", "Product Dimensions": "9.06 x 31.5 x 74.8 inches", "Country of Origin": "China", "Item model number": "LUKE"}, "brand": "Visit the AC Pacific Store", "brand_url": "https://www.amazon.com/stores/ACPacific/page/11141E65-C201-4DC2-B70F-95D1F44FD392?ref_=ast_bln", "full_description": "Whether you consider yourself a book worm or you're just looking to add some stylish shelf space to your home's d\u00e9cor, our Luke bookcase can satisfy both of those needs. It's staggered design gives this bookcase a modern aspect that can be applied to any room in your home. Place it in your living room where it can hold your precious family photos, or in your private study where it can store your collection of literature. These are just a few of the many uses you can find for the Luke bookcase. With such a versatile piece of furniture, how can you say no?", "pricing": "$161.00", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock (more on the way).", "images": ["https://m.media-amazon.com/images/I/31piXf7wF5L.jpg", "https://m.media-amazon.com/images/I/313tHzTfrBL.jpg", "https://m.media-amazon.com/images/I/519A21gclfL.jpg", "https://m.media-amazon.com/images/I/41yDP-jnYdL.jpg", "https://m.media-amazon.com/images/I/21-OcNxOm4L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Bookcases", "average_rating": 4.4, "small_description": ["100% Select Hardwoods ", "Boost storage - If you're having trouble finding a place for your electronics, books, pictures, etc. , This Bookcase is the perfect solution for you ", "Staggered design - With it's unique staggered Book shelves, you're sure to stand out from the crowd with our stylish LUKE Bookcase ", "Versatile - even though it has a unique aspect (staggered) to it, The LUKE Bookcase still manages to be adapt extremely well with any room you decide you place it in ", "Easy clean-up/Set up - remarkably Easy to build yourself and effortless to maintain afterwards, a simple routine dusting will keep your bookshelf looking like new ", "Size - 74. 8\" H x 31. 5\" W x 9. 1\" D "], "total_reviews": 74, "total_answered_questions": "", "model": "LUKE", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07J6T9WZB/ref=twister_B09TLPPVSL?_encoding=UTF8&psc=1", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31qpk1tVlsL.jpg"}, {"is_selected": true, "url": null, "value": "Midnight", "price_string": "$161.00", "price": 161, "image": "https://m.media-amazon.com/images/I/31piXf7wF5L.jpg"}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09N55XTPL", "category": "garden", "query": "Bookcases", "page": 67, "small_description_old": "About this item Boost storage - If you're having trouble finding a place for your electronics, books, pictures, etc. , This Bookcase is the perfect solution for you Staggered design - With it's unique staggered Book shelves, you're sure to stand out from the crowd with our stylish LUKE Bookcase Versatile - even though it has a unique aspect (staggered) to it, The LUKE Bookcase still manages to be adapt extremely well with any room you decide you place it in Easy clean-up/Set up - remarkably Easy to build yourself and effortless to maintain afterwards, a simple routine dusting will keep your bookshelf looking like new Size - 74. 8\" H x 31. 5\" W x 9. 1\" D"}, {"name": "Sony Alpha a7R III Mirrorless Digital Camera (Body Only) ILCE7RM3/B + 64GB Memory Card + NP-FZ-100 Battery + Corel Photo Software + Case + External Charger + Card Reader + HDMI Cable + More (Renewed)", "product_information": {"Product Dimensions": "5 x 2.9 x 3.76 inches", "Item Weight": "5.31 pounds", "ASIN": "B08WYZWYN1", "Best Sellers Rank": ["#451,944 in Electronics (See Top 100 in Electronics) #2,184 in Mirrorless Cameras"], "Date First Available": "February 18, 2021", "Manufacturer": "Sony"}, "brand": "Visit the Amazon Renewed Store", "brand_url": "https://www.amazon.com/Amazon-Renewed/b/ref=bl_dp_s_web_12653393011?ie=UTF8&node=12653393011&field-lbr_brands_browse-bin=Amazon+Renewed", "full_description": "Manufacturer Included Items:Sony Alpha a7R III Mirrorless Digital Camera (Body Only)Sony NP-FZ100 Rechargeable Lithium-Ion Battery (2280mAh)Sony BC-QZ1 Battery ChargerCable ProtectorShoulder StrapSony ALC-B1EM Body Cap for E-Mount CamerasAccessory Shoe CapEyepiece CupUSB Type-C CableBundle Items Include:1 x Sony Alpha a7R III Mirrorless Digital Camera (Body Only)1 x SanDisk SecureDigital 64GB Extreme PRO Memory Card1 x NP-FZ100 Rechargeable Lithium-Ion Battery1 x Corel Photo Software With PhotoMirage, AfterShot, Painter Essentials, PaintShop Pro, and Video Studio1 x Large Padded Case1 x NP-FZ100 charger1 x Memory Card Reader1 x Micro HDMI Cable1 x Deluxe Cleaning Set1 x 12 Inch Flexible Tripod1 x Memory Card Wallet", "pricing": "$2,284.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51P6iIZACLL.jpg", "https://m.media-amazon.com/images/I/51tWmDY9rOL.jpg", "https://m.media-amazon.com/images/I/51tWmDY9rOL.jpg", "https://m.media-amazon.com/images/I/41rYnXUgKDL.jpg", "https://m.media-amazon.com/images/I/41rYnXUgKDL.jpg", "https://m.media-amazon.com/images/I/51m024EKygL.jpg", "https://m.media-amazon.com/images/I/514y-DB2mnL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Digital Cameras \u203a Mirrorless Cameras", "average_rating": "", "small_description": ["Bundle Includes: 1 x Sony Alpha a7R III Mirrorless Digital Camera (Body Only), 1 x SanDisk SecureDigital 64GB Extreme PRO Memory Card, 1 x NP-FZ100 Rechargeable Lithium-Ion Battery, 1 x Corel Photo Software With PhotoMirage, AfterShot, Painter Essentials, PaintShop Pro, and Video Studio, 1 x Large Padded Case, 1 x NP-FZ100 charger, 1 x Memory Card Reader, 1 x Micro HDMI Cable, 1 x Deluxe Cleaning Set, 1 x 12 Inch Flexible Tripod, 1 x Memory Card Wallet ", "The Alpha a7R III Mirrorless Digital Camera from Sony is a versatile, high-performance camera characterized by not only its resolution, but by its multimedia versatility. Revolving around a full-frame 42.4MP Exmor R BSI CMOS sensor and updated BIONZ X image processor, the a7R III affords an impressive 10 fps continuous shooting rate along with improved autofocus performance for faster, more reliable subject tracking along with wide frame coverage. ", "This updated Fast Hybrid AF System employs a combination of 399 phase-detection points and 425 contrast-detection areas for quicker acquirement of focus in a variety of lighting conditions, and also maintains focus on subjects more effectively. In addition to speed and AF, the processing improvements also help to realize greater image clarity throughout the sensitivity range from ISO 100-32000, which can further be expanded to ISO 50-102400. ", "Video recording capabilities have also been extended for enhanced quality when recording UHD 4K video with the full width of the full-frame sensor, or when using a Super35 area and 5K oversampling to minimize moir and aliasing. Additionally, benefitting both stills and video operation, the a7R III retains the 5-axis SteadyShot INSIDE sensor-shift image stabilization, which is now effective to minimize the appearance of camera shake by up to 5.5 stops. ", "Key Features: 42MP Full-Frame Exmor R BSI CMOS Sensor - BIONZ X Image Processor & Front-End LSI - 399-Point AF System & 10 fps Shooting - UHD 4K30p Video with HLG & S-Log3 Gammas - 3.69m-Dot Tru-Finder OLED EVF - 3.0\" 1.44m-Dot Tilting Touchscreen LCD - 5-Axis SteadyShot INSIDE Stabilization - ISO 102400 & Pixel Shift Multi Shooting - Built-In Wi-Fi/Bluetooth, Dual SD Slots - USB 3.1 Gen 1 Type-C Port & PC Sync Port "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "ALAQLAKJ574UN", "seller_name": "6ave", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08WYZWYN1", "category": "electronics", "query": "Digital Cameras", "page": 178, "small_description_old": "About this item\n \nBundle Includes: 1 x Sony Alpha a7R III Mirrorless Digital Camera (Body Only), 1 x SanDisk SecureDigital 64GB Extreme PRO Memory Card, 1 x NP-FZ100 Rechargeable Lithium-Ion Battery, 1 x Corel Photo Software With PhotoMirage, AfterShot, Painter Essentials, PaintShop Pro, and Video Studio, 1 x Large Padded Case, 1 x NP-FZ100 charger, 1 x Memory Card Reader, 1 x Micro HDMI Cable, 1 x Deluxe Cleaning Set, 1 x 12 Inch Flexible Tripod, 1 x Memory Card Wallet The Alpha a7R III Mirrorless Digital Camera from Sony is a versatile, high-performance camera characterized by not only its resolution, but by its multimedia versatility. Revolving around a full-frame 42.4MP Exmor R BSI CMOS sensor and updated BIONZ X image processor, the a7R III affords an impressive 10 fps continuous shooting rate along with improved autofocus performance for faster, more reliable subject tracking along with wide frame coverage. This updated Fast Hybrid AF System employs a combination of 399 phase-detection points and 425 contrast-detection areas for quicker acquirement of focus in a variety of lighting conditions, and also maintains focus on subjects more effectively. In addition to speed and AF, the processing improvements also help to realize greater image clarity throughout the sensitivity range from ISO 100-32000, which can further be expanded to ISO 50-102400. Video recording capabilities have also been extended for enhanced quality when recording UHD 4K video with the full width of the full-frame sensor, or when using a Super35 area and 5K oversampling to minimize moir and aliasing. Additionally, benefitting both stills and video operation, the a7R III retains the 5-axis SteadyShot INSIDE sensor-shift image stabilization, which is now effective to minimize the appearance of camera shake by up to 5.5 stops. Key Features: 42MP Full-Frame Exmor R BSI CMOS Sensor - BIONZ X Image Processor & Front-End LSI - 399-Point AF System & 10 fps Shooting - UHD 4K30p Video with HLG & S-Log3 Gammas - 3.69m-Dot Tru-Finder OLED EVF - 3.0\" 1.44m-Dot Tilting Touchscreen LCD - 5-Axis SteadyShot INSIDE Stabilization - ISO 102400 & Pixel Shift Multi Shooting - Built-In Wi-Fi/Bluetooth, Dual SD Slots - USB 3.1 Gen 1 Type-C Port & PC Sync Port"}, {"name": "New Replace Remote NB555 Fit for ZV450MW8 ZV450MW8A ZV420MW8 SV08R242 Magnavox Video Recorder", "product_information": {"Product Dimensions": "7 x 2 x 0.6 inches", "Item Weight": "2 ounces", "ASIN": "B089R7JZHK", "Customer Reviews": {"ratings_count": 6, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#25,815 in Remote Controls (Electronics)"], "Date First Available": "July 21, 2019", "Manufacturer": "WINFLIKE"}, "brand": "Brand: WINFLIKE", "brand_url": "https://www.amazon.com/WINFLIKE/b/ref=bl_dp_s_web_19426686011?ie=UTF8&node=19426686011&field-lbr_brands_browse-bin=WINFLIKE", "full_description": "New Replace Remote NB555 NB555UD Fit For Magnavox Video Recorder Featurte\uff1a No programming or paring needed. Install new batteries and it is ready for use. Easy and full access to all the buttons Faster shipping and excellent service The Remote Compatible with below Model ZV450MW8 ZV450MW8A ZV420MW8 SV08R242 ZV450MWB Package Content: 1X Remote Control (Batteries and User Manual Not Included) If you have any question of the remote control, please contact us for further support.Thanks!", "pricing": "$9.90", "list_price": "", "availability_quantity": 14, "availability_status": "Only 14 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41GDrVsIILL.jpg", "https://m.media-amazon.com/images/I/41jBiphmq-L.jpg", "https://m.media-amazon.com/images/I/31gT5FLpusL.jpg", "https://m.media-amazon.com/images/I/41kvqV9VGFL.jpg", "https://m.media-amazon.com/images/I/41a8bsclTVL.jpg", "https://m.media-amazon.com/images/I/31Svyg7fE-L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Remote Controls & Accessories \u203a Remote Controls", "average_rating": 4.2, "small_description": ["Compatilbe model: ZV450MW8 ZV450MW8A ZV420MW8 SV08R242 ", "Do not need any program, only put into battery can work ", "battery install :1.5V two AAA Batteries ", "Easy to use IR remote control ", "Faster shipping and Excellent service "], "total_reviews": 6, "total_answered_questions": "", "customization_options": "", "seller_id": "A7NLKQ90MH545", "seller_name": "WINFLIKE INC", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B089R7JZHK", "category": "electronics", "query": "VCRs", "page": 303, "small_description_old": "About this item\n \nCompatilbe model: ZV450MW8 ZV450MW8A ZV420MW8 SV08R242 Do not need any program, only put into battery can work battery install :1.5V two AAA Batteries Easy to use IR remote control Faster shipping and Excellent service"}, {"name": "Lom-style Moroccan Hair Serum - Repairing Anti-frizz Serum No Silicones, Sulfates or Pbens with Organic Argan Oil 100 ml/3.38 oz Model (3301-9145)", "product_information": {"Item model number\n \u200f": "\u200e\n ha1r_6584", "Manufacturer\n \u200f": "\u200e\n Lom-style", "ASIN\n \u200f": "\u200e\n B09MDQ4HBT", "": ""}, "brand": "Brand: Lom-style", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Lom-style", "full_description": "Lom-style Moroccan Hair Serum - Repairing Anti-frizz Serum No Silicones, Sulfates or Pbens with Organic Argan Oil 100 ml/3.38 oz Model (3301-9145)", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41X20uxuvRS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Maternity", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09MDQ4HBT", "category": "beauty", "query": "Skin Care Maternity", "page": 51, "small_description_old": ""}, {"name": "Ambesonne Abstract Throw Pillow Cushion Cover, Geometric Composition with Different Colored Squares Striped Dotted Rhombus, Decorative Square Accent Pillow Case, 16\" X 16\", Grey Purple", "product_information": {"Package Dimensions": "8.2 x 8.1 x 0.02 inches", "Item Weight": "2.08 ounces", "Manufacturer": "Ambesonne", "ASIN": "B0743JKHBV", "Item model number": "min_36558_16X16", "Customer Reviews": {"ratings_count": 23, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#344,260 in Home & Kitchen (See Top 100 in Home & Kitchen) #4,759 in Throw Pillow Covers"], "Fabric Type": "Polyester", "Scent": "Unscented", "Number of Pieces": "1", "Batteries Required?": "No", "Import Designation": "Imported"}, "brand": "Visit the Ambesonne Store", "brand_url": "https://www.amazon.com/stores/Ambesonne/page/A02C8FF3-0DDA-4652-9837-02967AB9320F?ref_=ast_bln", "full_description": "Makeover and refresh your rooms with just a single touch! Start with these fun and decorative cushion cases. These unique designs match well with various color palettes of your sofa, couch, bed, bedding, rugs, curtains, bench, seating and all other decor accessories. Perfect for your home, office, cafe, study, studio, club, bar and others. Very durable and environmentally friendly, no dye substance harming the health of you and your family. Colors won't fade thanks to new digital printing methods. A perfect gift idea for your mom, dad, sister, brother, grandma, wife, husband and all other beloved ones with many of surprising designs. You can find a design for everybody and every interest in our Amazon collection. They will be shocked by the superior quality of the item when they open the present. Customized, personalized products are very popular. As manufacturers of digital printed home textiles, we follow current trends and bring you the latest home fashion. Either a gift to your family or friend, relative or boyfriend girlfriend, or to yourself, the item should be interesting and authentic. The digital images we display have the most accurate color possible, however due to differences in computer monitors, we cannot be responsible for variations in color between the actual product and your screen. Due to manual measurement, please kindly allow 1-2 cm discrepancy. This is ONLY the pillow cover, sold without the insert.", "pricing": "$14.95", "list_price": "", "availability_quantity": 6, "availability_status": "Only 6 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41XKZfhgPZL.jpg", "https://m.media-amazon.com/images/I/3179cC8YRyL.jpg", "https://m.media-amazon.com/images/I/51swynQ4LpL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Decorative Pillows, Inserts & Covers \u203a Throw Pillow Covers", "average_rating": 4.2, "small_description": ["Imported ", "16 Inches x 16 Inches - Double sided print - With Zipper. Cut and sewn by hand. Insert not included. ", "Made from - 100% Spun Polyester - waterproof, High quality fabric. Highly unique. Versatile. Fun. ", "Machine washable - Delicate cycle, Dryer safe. Durable enough for both indoor and outdoor. ", "Features - Vivid colors & Clear image. No fading - No dyes harming health of your family. ", "Modern Prints - Printed with state of the art digital printing technology. Imported or Made in USA "], "total_reviews": 23, "total_answered_questions": "", "model": "min_36558_16X16", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "16\" X 16\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0743JHQZH/ref=twister_B08QHZC6VG?_encoding=UTF8&psc=1", "value": "18 x 18-Inch", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0743JSN7K/ref=twister_B08QHZC6VG?_encoding=UTF8&psc=1", "value": "20\" X 20\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0743JTB1C/ref=twister_B08QHZC6VG?_encoding=UTF8&psc=1", "value": "24\" X 24\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0779Z1W14/ref=twister_B08QHZC6VG?_encoding=UTF8&psc=1", "value": "26\" X 16\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B078W5PS52/ref=twister_B08QHZC6VG?_encoding=UTF8&psc=1", "value": "26\" X 26\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B078W6TH26/ref=twister_B08QHZC6VG?_encoding=UTF8&psc=1", "value": "28\" X 28\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B078W64T5Y/ref=twister_B08QHZC6VG?_encoding=UTF8&psc=1", "value": "36\" X 16\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B078W5VHLP/ref=twister_B08QHZC6VG?_encoding=UTF8&psc=1", "value": "36\" X 36\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B078W7CJ98/ref=twister_B08QHZC6VG?_encoding=UTF8&psc=1", "value": "40\" X 40\"", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A257RQ85BTUV7H", "seller_name": "Pinklim", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B0743JKHBV", "category": "garden", "query": "Decorative Pillows", "page": 137, "small_description_old": "About this item Imported 16 Inches x 16 Inches - Double sided print - With Zipper. Cut and sewn by hand. Insert not included. Made from - 100% Spun Polyester - waterproof, High quality fabric. Highly unique. Versatile. Fun. Machine washable - Delicate cycle, Dryer safe. Durable enough for both indoor and outdoor. Features - Vivid colors & Clear image. No fading - No dyes harming health of your family. Modern Prints - Printed with state of the art digital printing technology. Imported or Made in USA"}, {"name": "Desert Essence Natural Whitening Plus Tea Tree Oil Bundle - 1 Unit of 6.25 Ounce Toothpaste & 16 Fl Ounce Mouthwash - Refreshing Taste - Promotes Healthy Mouth - Complete Oral Care", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 8.43 x 5.28 x 1.69 inches; 1.43 Pounds", "Item model number\n \u200f": "\u200e\n 3413NDE", "Department\n \u200f": "\u200e\n Unisex", "UPC\n \u200f": "\u200e\n 646816990359", "Manufacturer\n \u200f": "\u200e\n Desert Essence", "ASIN\n \u200f": "\u200e\n B01GGCZA7I", "Best Sellers Rank": "#90,811 in Health & Household (See Top 100 in Health & Household)#869 in Toothpaste", "#869 in Toothpaste": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Desert Essence Store", "brand_url": "https://www.amazon.com/stores/Desert+Essence/page/9A09AD80-7729-4619-BC78-C9FF930EBB80?ref_=ast_bln", "full_description": "", "pricing": "$14.89", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41zP0cD4o3L.jpg", "https://m.media-amazon.com/images/I/41G7vv1SRJL.jpg", "https://m.media-amazon.com/images/I/414jHvpu6kL.jpg", "https://m.media-amazon.com/images/I/41j8d1JEDpL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothpaste", "average_rating": 4.6, "small_description": ["BUNDLE - This bundle includes one unit of 6.25 oz Desert Essence Whitening Plus Toothpaste and one unit of 16 fl oz Desert Essence Whitening Plus Mouthwash. ", "BRIGHTER SMILE - The toothpaste helps fight stains naturally for a brighter smile. Helps reduce plaque buildup. Freshens breath. ", "REFRESHING BREATH - Brush your way to a brighter smile and fresher breath with this exclusive blend of Bamboo Stem Fiber and Baking Soda that helps fight stains naturally. ", "NO MORE PLAQUE - The mouthwash helps reduce plaque and freshen breath. Helps fight stains for whiter teeth. ", "SAFE FOR REGULAR USE - This dual-action mouthwash contains pure essential oils like Spearmint, Wintergreen, and Australian Tea Tree to keep the mouth feeling cool and fresh. "], "total_reviews": 131, "total_answered_questions": "", "customization_options": "", "seller_id": "A3GLCMFE5KXLDA", "seller_name": "SimplyNutrition", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B01GGCZA7I", "category": "beauty", "query": "Mouthwash", "page": 12, "small_description_old": "About this item BUNDLE - This bundle includes one unit of 6.25 oz Desert Essence Whitening Plus Toothpaste and one unit of 16 fl oz Desert Essence Whitening Plus Mouthwash. BRIGHTER SMILE - The toothpaste helps fight stains naturally for a brighter smile. Helps reduce plaque buildup. Freshens breath. REFRESHING BREATH - Brush your way to a brighter smile and fresher breath with this exclusive blend of Bamboo Stem Fiber and Baking Soda that helps fight stains naturally. NO MORE PLAQUE - The mouthwash helps reduce plaque and freshen breath. Helps fight stains for whiter teeth. SAFE FOR REGULAR USE - This dual-action mouthwash contains pure essential oils like Spearmint, Wintergreen, and Australian Tea Tree to keep the mouth feeling cool and fresh."}, {"name": "whdz Telescopes for Kids Adults Astronomy Beginners 34-199X Magnification Travel Telescope with Portable Tripod for Professional Adults Kids Moon Star Spotting Scope", "product_information": {"Item Weight": "4.41 pounds", "Manufacturer": "whdz", "ASIN": "B08Q2YQ35N"}, "brand": "Visit the WHDZ Store", "brand_url": "https://www.amazon.com/stores/WHDZ/page/7C9DC6A4-9EFA-4954-8F51-90FBD0DD582E?ref_=ast_bln", "full_description": "Product Name: Astronomical TelescopeMagnification: 34-199XItem Number: H79408Objective lens diameter: 50MMProduct specifications: 121*53*153MMFocal length: 600MMExit pupil diameter: 4MMEyepiece: K9 K25Unit weight: 1.975kgcolor: blueExit pupil distance: 13.6MMmaterial: metalField of view: 1.3\u00b0Packing quantity: 6Carton size: 77*37*47cmPacked weight: 3.2kg", "pricing": "$235.09", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/41LcZu5OCVL.jpg", "https://m.media-amazon.com/images/I/41qbmr3Z9zL.jpg", "https://m.media-amazon.com/images/I/51TR1T+n3rL.jpg", "https://m.media-amazon.com/images/I/51h1slISGyL.jpg", "https://m.media-amazon.com/images/I/41AvdWtqQfL.jpg", "https://m.media-amazon.com/images/I/418XC9ItdwL.jpg", "https://m.media-amazon.com/images/I/51W93KCIVkL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Binoculars & Scopes \u203a Binoculars", "average_rating": "", "small_description": ["-50mm large aperture: the optical lens group is fully transparent coating, the light transmission rate is high, and the image is sharp and transparent. -360\u00b0 all-round rotation: it is convenient for children to observe objects from different angles. ", "-Full frontal viewing is convenient and fast: convert the original inverted video into a frontal image. It can be used for scenery/starry bird watching. ", "-Compass function: Bringing convenience for travel, whether it is camping, jungle exploration, stargazing, or watching the moon, and cultivate children's wild survival skills. ", "-Multi-layer broadband blue coating: reduce the light loss and make the details appear more clearly. ", "-Retractable aluminum alloy tripod: stable and durable, reinforced high-strength aluminum alloy telescopic tripod. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AHJNDN0HKPF7J", "seller_name": "WWFL", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08Q2YQ35N", "category": "electronics", "query": "Binoculars & Scopes", "page": 320, "small_description_old": "About this item\n \n-50mm large aperture: the optical lens group is fully transparent coating, the light transmission rate is high, and the image is sharp and transparent. -360\u00b0 all-round rotation: it is convenient for children to observe objects from different angles. -Full frontal viewing is convenient and fast: convert the original inverted video into a frontal image. It can be used for scenery/starry bird watching. -Compass function: Bringing convenience for travel, whether it is camping, jungle exploration, stargazing, or watching the moon, and cultivate children's wild survival skills. -Multi-layer broadband blue coating: reduce the light loss and make the details appear more clearly. -Retractable aluminum alloy tripod: stable and durable, reinforced high-strength aluminum alloy telescopic tripod."}, {"name": "Runhit 2 in 1 Men\u2019s Running Shorts 5\" Quick Dry Workout Shorts for Men with Pockets Gym Athletic Shorts", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 11 x 8 x 0.5 inches; 8.57 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n June 7, 2021", "ASIN\n \u200f": "\u200e\n B096RVPR34", "Best Sellers Rank": "#70,821 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#149 in Men's Running Shorts #353 in Men's Athletic Shorts", "#149 in Men's Running Shorts": "", "#353 in Men's Athletic Shorts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Runhit Store", "brand_url": "https://www.amazon.com/stores/Runhit/page/2CE2A4B5-B4E1-4DF7-BD0C-62FFF605F6F6?ref_=ast_bln", "full_description": "", "pricing": "$14.98$17.98", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31vRmESe2iL.jpg", "https://m.media-amazon.com/images/I/41r2SOO7qzS.jpg", "https://m.media-amazon.com/images/I/51S1fUBbD-S.jpg", "https://m.media-amazon.com/images/I/514thkj7rhS.jpg", "https://m.media-amazon.com/images/I/51bd0dUWEDS.jpg", "https://m.media-amazon.com/images/I/51mRXfantiS.jpg", "https://m.media-amazon.com/images/I/51vnTL7wC-L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Active \u203a Active Shorts", "average_rating": 4.3, "small_description": ["88% Polyester, 12% Elastane ", "2 in 1 Running Shorts: Outer Layer Mens Running Shorts is 88% Polyester featuring quick dry and lightwight to keep you comfortable for workouts and training.Built-in 5 inch inseam compression shorts is 12% spandex featuring stretch and tight which can support muscle to improve performance and provide greater flexibility for additional flexibility. ", "Workout Short with Multi Phone Pocket : Running Shorts Men Built-in two side phone pocket makes your phone fit perfectly, In addition to the large pockets on both sides, we have added a back zip pocket, so you no longer worry about the storage of valuables such as keys and cards or others. ", "Elastic Waistband and Drawcord:Mens Workout Shorts featured elastic can perfect suit your waist. Drawcord ensures a comfortable fit and keeps gym athletic shorts from sliding down. ", "Unique Headphone Hole:Running Shorts Men With a unique headphone hole design that allows you to enjoy your music while you are exercising in the gym or workout in summer or winter. ", "Casual or Sports Shorts: Running Shorts perfect fit workout, gym, running,swim,fitness, fishing,training, basketball, jogging, exercise or other outdoor activities,daily wear, training, boxing, yoga and other outdoor or indoor activities etc. "], "total_reviews": 154, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B096RVPR34/ref=twister_B09B5RSY4Y", "value": "Black 1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31HyEsQV+gL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096P72KMQ/ref=twister_B09B5RSY4Y", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/318X3eHHImL.jpg"}, {"is_selected": true, "url": null, "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31vRmESe2iL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B096P8NM88"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B096P8QZVG"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B096P77XMD"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B096P6YWK6"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B096P5VB5N"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B096P77XMD", "category": "fashion", "query": "Men's Shorts", "page": 25, "small_description_old": "100% Polyester 2 in 1 Running Shorts: Outer Layer Mens Running Shorts is 88% Polyester featuring quick dry and lightwight to keep you comfortable for workouts and training.Built-in 5 inch inseam compression shorts is 12% spandex featuring stretch and tight which can support muscle to improve performance and provide greater flexibility for additional flexibility. Workout Short with Multi Phone Pocket : Running Shorts Men Built-in two side phone pocket makes your phone fit perfectly, In addition to the large pockets on both sides, we have added a back zip pocket, so you no longer worry about the storage of valuables such as keys and cards or others. Elastic Waistband and Drawcord:Mens Workout Shorts featured elastic can perfect suit your waist. Drawcord ensures a comfortable fit and keeps gym athletic shorts from sliding down. Unique Headphone Hole:Running Shorts Men With a unique headphone hole design that allows you to enjoy your music while you are exercising in the gym or workout in summer or winter. Casual or Sports Shorts: Running Shorts perfect fit workout, gym, running,swim,fitness, fishing,training, basketball, jogging, exercise or other outdoor activities,daily wear, training, boxing, yoga and other outdoor or indoor activities etc."}, {"name": "Retro Manufacturing HB-116-117-37-73 Hermosa Direct-Fit Radio for Classic Vehicle (Black Face and Buttons and Chrome Bezel)", "product_information": {"Manufacturer": "\u200eRetroSound", "Brand": "\u200eRetro Manufacturing", "Model": "\u200eHB-116-117-37-73", "Item Weight": "\u200e4 pounds", "Product Dimensions": "\u200e4 x 5.38 x 2 inches", "Item model number": "\u200eHB-116-117-37-73", "Manufacturer Part Number": "\u200eHB-116-117-37-73", "ASIN": "B00VI88X7U", "Customer Reviews": {"ratings_count": 10, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#149,271 in Electronics (See Top 100 in Electronics) #1,277 in Car Audio Receivers"], "Date First Available": "April 1, 2015"}, "brand": "Visit the Retro Manufacturing Store", "brand_url": "https://www.amazon.com/stores/RetroManufacturing/page/9A5EAA62-A2C8-450A-BBCA-E8EFDD1B6E61?ref_=ast_bln", "full_description": "", "pricing": "$284.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41NgdU47PzL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Car & Vehicle Electronics \u203a Car Electronics \u203a Car Audio \u203a Car Stereo Receivers", "average_rating": 5, "small_description": ["Bluetooth wireless connectivity for hands-free phone operation and wireless audio streaming ", "Built-In 25 watts x 4 channel power amplifier plus RCA pre-outs ", "Dual color (white or green) display ", "USB port plus two auxiliary inputs ", "Authentic push-button styling "], "total_reviews": 10, "total_answered_questions": 23, "model": "\u200eHB-116-117-37-73", "customization_options": "", "seller_id": "APCXIAF81D71I", "seller_name": "Retro Manufacturing, LLC", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B00VI88X7U", "category": "electronics", "query": "AV Receivers & Amplifiers", "page": 102, "small_description_old": "About this item\n \nBluetooth wireless connectivity for hands-free phone operation and wireless audio streaming Built-In 25 watts x 4 channel power amplifier plus RCA pre-outs Dual color (white or green) display USB port plus two auxiliary inputs Authentic push-button styling \n \u203a See more product details"}, {"name": "Disney Mickey And Friends Happy Birthday Mickey Confetti T-Shirt", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10 x 8 x 1 inches; 4.8 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n September 17, 2021", "Manufacturer\n \u200f": "\u200e\n Disney", "ASIN\n \u200f": "\u200e\n B09GL561XH", "Best Sellers Rank": "#529,414 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#18,844 in Boys' Novelty T-Shirts #19,825 in Girls' Novelty T-Shirts #33,162 in Women's Novelty T-Shirts", "#18,844 in Boys' Novelty T-Shirts": "", "#19,825 in Girls' Novelty T-Shirts": "", "#33,162 in Women's Novelty T-Shirts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Disney", "brand_url": "https://www.amazon.com/Disney/b/ref=bl_sl_s_ap_web_18726768011?ie=UTF8&node=18726768011&field-lbr_brands_browse-bin=Disney", "full_description": "Join Mickey Mouse, his counterpart Minnie Mouse, his lovable dog, Pluto, and all his friends in their awesome adventures with these classic officially licensed Disney Mickey And Friends graphic tee shirts!", "pricing": "$22.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/A1ntnF3PJOL.png", "https://m.media-amazon.com/images/I/417S+7cf-vL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Women \u203a Tops & Tees \u203a T-Shirts", "average_rating": 4.2, "small_description": ["Officially Licensed Disney Mickey And Friends Apparel ", "21DNMC00218A-001 ", "Lightweight, Classic fit, Double-needle sleeve and bottom hem "], "total_reviews": 5, "total_answered_questions": "", "customization_options": {"Fit Type": [{"is_selected": true, "url": null, "value": "Men", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09GL561XH?_encoding=UTF8&customId=B07HPYRS9G", "value": "Women", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09GL561XH?_encoding=UTF8&customId=B07535YPSW", "value": "Youth", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1giWWMJxUL.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09GL561XH?_encoding=UTF8&customId=B0752XK16C", "value": "Baby Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1kMlF-tngS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09GL561XH?_encoding=UTF8&customId=B0753779F2", "value": "Silver", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1mefQ2BdaL.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09GL561XH?_encoding=UTF8&customId=B07537TZ66", "value": "Heather Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/C1ce8y0uOwS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09GL561XH?_encoding=UTF8&customId=B075386ZN1", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B139gQIcJCS.png"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B07537H64L"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07537TYTF"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07537HNMY"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B075384W58"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07537HNN5"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B075382QWX"}, {"is_selected": false, "is_available": false, "value": "2T", "asin": "B07HPX1WJM"}, {"is_selected": false, "is_available": false, "value": "3T", "asin": "B07HPYDCTG"}, {"is_selected": false, "is_available": false, "value": "4T", "asin": "B07535YPSW"}, {"is_selected": false, "is_available": false, "value": "X-Small", "asin": "B07537TYVF"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09GL561XH", "category": "fashion", "query": "Men's T-Shirts", "page": 12, "small_description_old": "Solid colors: 100% Cotton; Heather Grey: 90% Cotton, 10% Polyester; All Other Heathers: 50% Cotton, 50% Polyester Imported Machine Wash Officially Licensed Disney Mickey And Friends Apparel 21DNMC00218A-001 Lightweight, Classic fit, Double-needle sleeve and bottom hem"}, {"name": "Woomtree Fresh Wasabi Paste, 4.2 oz -Tube | Korean Food |", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 6.25 x 2.5 x 1.5 inches; 4.2 Ounces", "Manufacturer\n \u200f": "\u200e\n Woomtree", "ASIN\n \u200f": "\u200e\n B08RJ279HW", "Best Sellers Rank": "#65,848 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#23 in Wasabi", "#23 in Wasabi": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Woomtree Store", "brand_url": "https://www.amazon.com/stores/Authentic+taste+of+Korea+/page/3E371122-07C1-4A39-9821-A4B30BEA4BCB?ref_=ast_bln", "full_description": "", "pricing": "$9.50", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/41eQHDKxLYL.jpg", "https://m.media-amazon.com/images/I/412wln8m43L.jpg", "https://m.media-amazon.com/images/I/51OaEqx-EmL.jpg", "https://m.media-amazon.com/images/I/41hHMAyvnJL.jpg", "https://m.media-amazon.com/images/I/51zw4yD3DvL.jpg", "https://m.media-amazon.com/images/I/51E2hEjjF6L.jpg", "https://m.media-amazon.com/images/I/51dYzmpBH+L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Condiments & Salad Dressings \u203a Wasabi", "average_rating": 4.3, "small_description": ["Woomtree fresh wasabi paste with the largest market share in the Korean wasabi market. We use 41% of raw wasabi, and the spicy taste and aroma of wasabi are contained in this product as it is. This is a high-quality product with fresh grain and texture. ", "How do we eat it? You can enjoy it by adding sashimi and sushi or use it as a sauce for meat and grilled fish. ", "Made in Korea: We only provide products made in Korea using the highest quality raw materials. ", "The product is easy to use and hygienic because it uses a simple tube package. In addition, the small volume package (4.2oz) is easy to carry. ", "Storage method: Store in a cool and dry place to avoid direct sunlight. After opening, seal it and refrigerate it. "], "total_reviews": 57, "total_answered_questions": "", "customization_options": "", "seller_id": "ANVS88HE6E0QT", "seller_name": "Woomtree", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08RJ279HW", "category": "grocery", "query": "Meat & Seafood", "page": 364, "small_description_old": "About this item Woomtree fresh wasabi paste with the largest market share in the Korean wasabi market. We use 41% of raw wasabi, and the spicy taste and aroma of wasabi are contained in this product as it is. This is a high-quality product with fresh grain and texture. How do we eat it? You can enjoy it by adding sashimi and sushi or use it as a sauce for meat and grilled fish. Made in Korea: We only provide products made in Korea using the highest quality raw materials. The product is easy to use and hygienic because it uses a simple tube package. In addition, the small volume package (4.2oz) is easy to carry. Storage method: Store in a cool and dry place to avoid direct sunlight. After opening, seal it and refrigerate it."}, {"name": "Palmer's Mens Body/face Lotion 8.5 Ounce", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 1 x 1 x 1 inches; 10.55 Ounces", "Item model number\n \u200f": "\u200e\n 4580-6", "Department\n \u200f": "\u200e\n Men", "UPC\n \u200f": "\u200e\n 795827231040 010181045806", "Manufacturer\n \u200f": "\u200e\n Palmer's", "ASIN\n \u200f": "\u200e\n B087Y28XLM", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#20,543 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#23 in Foot Pumices #418 in Body Lotions", "#23 in Foot Pumices": "", "#418 in Body Lotions": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Palmer's Store", "brand_url": "https://www.amazon.com/stores/Palmers/page/2A7F24B4-0C89-44D2-A389-6C5AB9D9A788?ref_=ast_bln", "full_description": "Palmers men's Body/face Ltn 8.5 Oz.", "pricing": "$5.99", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/41EDlwJbqjL.jpg", "https://m.media-amazon.com/images/I/51eNMrQ7agS.jpg", "https://m.media-amazon.com/images/I/41xthfdvSJL.jpg", "https://m.media-amazon.com/images/I/514LjbTa+OL.jpg", "https://m.media-amazon.com/images/I/51mBx9b+vzL.jpg", "https://m.media-amazon.com/images/I/51gq0kEZhnL.jpg", "https://m.media-amazon.com/images/I/31DHx7nD7ZS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Body \u203a Moisturizers \u203a Lotions", "average_rating": 4.7, "small_description": ["Palmer's Cocoa Butter Formula for men Contains pure cocoa butter and vitamin E to effectively combat rough, dry skin ", "This fast-absorbing moisturizer smoothens skin all over body and face ", "The fresh scent invigorates without overpowering ", "Paraben free ", "Palmer's is against animal testing "], "total_reviews": 534, "total_answered_questions": "", "customization_options": {"Scent": [{"is_selected": true, "url": null, "value": "Fresh", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41sMventjuS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B003USHXRC/ref=twister_B09KLG7RNG", "value": "butter", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/4102mYUkoAL.jpg"}], "Size": [{"is_selected": true, "url": null, "value": "8.5 Fl Oz (Pack of 1)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B003USHXRC/ref=twister_B09KLG7RNG", "value": "10.6 Fl Oz (Pack of 1)", "price_string": "", "price": 0, "image": null}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B087Y28XLM", "category": "beauty", "query": "Body Care", "page": 125, "small_description_old": "About this item Palmer's Cocoa Butter Formula for men Contains pure cocoa butter and vitamin E to effectively combat rough, dry skin This fast-absorbing moisturizer smoothens skin all over body and face The fresh scent invigorates without overpowering Paraben free Palmer's is against animal testing"}, {"name": "Old El Paso Hard and Soft Taco Kit, 12ct, 340g (3 pack) {Imported from Canada}", "product_information": {"Item Weight\n \u200f": "\u200e\n 1 Pounds", "Manufacturer\n \u200f": "\u200e\n ETC Unlimited", "ASIN\n \u200f": "\u200e\n B07SDSG3TT", "": ""}, "brand": "Brand: ETC Unlimited", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ETC+Unlimited", "full_description": "Enjoy the unmistakable crunch of Old El Paso Stand 'n Stuff Taco Shells and the softness of our tortillas, followed by the mouth-watering taste of deliciously seasoned beef, grated cheese, crisp lettuce and fresh tomatoes topped with Old El Paso Taco Sauce. Get together and enjoy Old El Paso Hard & Soft Taco Kit.", "pricing": "$49.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51Z+ZwfqfaL.jpg", "https://m.media-amazon.com/images/I/41Jolon2BLL.jpg", "https://m.media-amazon.com/images/I/51Fh7xGcWUL.jpg", "https://m.media-amazon.com/images/I/316jGYCxzGL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Fresh Meal Kits", "average_rating": "", "small_description": ["This is the combo pack of 3 Products. ", "DINNER: Add chicken or a meat alternative and toppings to make your taco night a balanced one ", "QUICK: Ready in 20 minutes ", "Simple: No artificial flavours or added colours ", "CONTAINS: 6 taco shells, 6 tortilla shells, mild taco sauce, and taco seasoning mix "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AMF1VGS564SD5", "seller_name": "caffeinecam", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07SDSG3TT", "category": "grocery", "query": "Fresh Meal Kits", "page": 27, "small_description_old": "About this item This is the combo pack of 3 Products. DINNER: Add chicken or a meat alternative and toppings to make your taco night a balanced one QUICK: Ready in 20 minutes Simple: No artificial flavours or added colours CONTAINS: 6 taco shells, 6 tortilla shells, mild taco sauce, and taco seasoning mix"}, {"name": "Rill Foods Tekoa Split Pea Soup Mix 16 oz", "product_information": "", "brand": "Brand: Rill Foods", "brand_url": "https://www.amazon.com/Rill-Foods/b/ref=bl_dp_s_web_8891554011?ie=UTF8&node=8891554011&field-lbr_brands_browse-bin=Rill+Foods", "full_description": "", "pricing": "$14.99", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51UPio02x+L.jpg", "https://m.media-amazon.com/images/I/41bf34X6fGL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Canned, Jarred & Packaged Foods \u203a Packaged Meals & Side Dishes \u203a Dry Soup Mixes", "average_rating": 4.5, "small_description": ["Made in a family owned business in Central Washington State ", "High quality Northwest ingredients, without artificial flavors, preservatives, or added MSG ", "Developed to retain the made from scratch quality; each package hand-processed ", "Easy for busy people to prepare ", "This is the all around wholesome Grandma used to make, made delicious by its simple healthy ingredients "], "total_reviews": 15, "total_answered_questions": "", "customization_options": "", "seller_id": "A3QT48C8JSC5GL", "seller_name": "Carter And Coles", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07L5T94C5", "category": "grocery", "query": "Meat Substitutes", "page": 94, "small_description_old": "About this item Made in a family owned business in Central Washington State High quality Northwest ingredients, without artificial flavors, preservatives, or added MSG Developed to retain the made from scratch quality; each package hand-processed Easy for busy people to prepare This is the all around wholesome Grandma used to make, made delicious by its simple healthy ingredients"}, {"name": "KINWAT 8 Pcs/Set Dental Flosser Pick Soft Elastic Massage Gingival Interdental Brush Massage Toothpick Toothbrush Floss Toiletry Kits", "product_information": {"Manufacturer\n \u200f": "\u200e\n KINWAT", "ASIN\n \u200f": "\u200e\n B07K23XNQN", "": ""}, "brand": "Brand: KINWAT", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=KINWAT", "full_description": "8 Pcs/Set Dental Flosser Pick Soft Elastic Massage Gingival Interdental Brush Massage Toothpick Toothbrush Floss Toiletry Kits", "pricing": "$22.09", "list_price": "", "availability_status": "Usually ships within 1 to 3 weeks.", "images": ["https://m.media-amazon.com/images/I/316iyF1Zx3L.jpg", "https://m.media-amazon.com/images/I/31Ain6Nb4UL.jpg", "https://m.media-amazon.com/images/I/31La7A3lVYL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Dental Floss & Picks \u203a Dental Floss", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AE2GRLEKNGEOJ", "seller_name": "H2W PTY", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07K23XNQN", "category": "beauty", "query": "Dental Floss & Picks", "page": 87, "small_description_old": ""}, {"name": "Hen of the Woods Bourbon Barrel Smoked Peppercorn Meat Rub - 3.5 ounce - Seasoning for Meat, Pork, Poultry or Seafood", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 4.88 x 1.85 x 1.73 inches; 3.5 Ounces", "UPC\n \u200f": "\u200e\n 857279006338", "Manufacturer\n \u200f": "\u200e\n Hen of the Woods Snacks", "ASIN\n \u200f": "\u200e\n B086VP8Q9T", "Country of Origin\n \u200f": "\u200e\n USA", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Hen of the Woods Store", "brand_url": "https://www.amazon.com/stores/HenoftheWoodsSnacks/page/A1F41B17-4950-4959-B4D9-A9EA7056EC8B?ref_=ast_bln", "full_description": "", "pricing": "$7.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41ELricpztL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": 4.2, "small_description": ["Steakhouse Flavor: Once we discovered a black peppercorn that had been smoked with the bourbon barrel staves of Kentucky\u2019s most premier distilleries, we knew we had a to create a blend that we couldn\u2019t live without. We started with a base of Canadian steak seasoning and added the smoked peppercorn to elevate a classic to another level. ", "Super Versatile: Our chefs created this seasoning for more than just grilling your favorite cut of beef. It can be used in all facets of cooking: BBQ, smoker, grill, or a roast in the oven. ", "A Necessary Accessory: This spice blend will bring that peppery smoked wood flavor to your brisket, prime rib, turkey, pork, steaks, chicken, or burgers. Sprinkle it on your veggies or rub it on your chicken wings. Professionals and home cooks alike will be amazed at how simple this killer seasoning will elevate any dish. ", "Chef Crafted Blend: Founded by chefs, all our flavors and hand-blended herbs and spices are expertly crafted in our kitchen to produce a truly unique taste. To achieve our craveable flavors, we thought outside of the box and used our culinary background to focus on what it takes to make seasonings fantastic: flavor, texture, and the respectful treatment of quality ingredients. ", "All Natural: Made with all natural fresh ingredients, our seasonings are non-GMO, gluten free, and contain no artificial ingredients or preservatives. Proudly made in the USA. "], "total_reviews": 3, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "3.5 Ounce", "price_string": "$7.99", "price": 7.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09S1JNPT8/ref=twister_B09SVG2RL5?_encoding=UTF8&psc=1", "value": "10.5 Ounce", "price_string": "$15.99", "price": 15.99, "image": null}]}, "seller_id": "A38Q0XM9EPBDVO", "seller_name": "Hen of the Woods Snack Foods", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B086VP8Q9T", "category": "grocery", "query": "Meat & Seafood", "page": 16, "small_description_old": "About this item Steakhouse Flavor: Once we discovered a black peppercorn that had been smoked with the bourbon barrel staves of Kentucky\u2019s most premier distilleries, we knew we had a to create a blend that we couldn\u2019t live without. We started with a base of Canadian steak seasoning and added the smoked peppercorn to elevate a classic to another level. Super Versatile: Our chefs created this seasoning for more than just grilling your favorite cut of beef. It can be used in all facets of cooking: BBQ, smoker, grill, or a roast in the oven. A Necessary Accessory: This spice blend will bring that peppery smoked wood flavor to your brisket, prime rib, turkey, pork, steaks, chicken, or burgers. Sprinkle it on your veggies or rub it on your chicken wings. Professionals and home cooks alike will be amazed at how simple this killer seasoning will elevate any dish. Chef Crafted Blend: Founded by chefs, all our flavors and hand-blended herbs and spices are expertly crafted in our kitchen to produce a truly unique taste. To achieve our craveable flavors, we thought outside of the box and used our culinary background to focus on what it takes to make seasonings fantastic: flavor, texture, and the respectful treatment of quality ingredients. All Natural: Made with all natural fresh ingredients, our seasonings are non-GMO, gluten free, and contain no artificial ingredients or preservatives. Proudly made in the USA."}, {"name": "Twin Size Platform Bed for Kids Teens Adults, Metal Platform Bed Frame with Headboard and Footboard, 4 Wooden Feets, 2 Steel Legs, Metal Slats Support, No Box Spring Needed, Easy Assembly (Gray)", "product_information": {"Product Dimensions": "78.1 x 40.2 x 37.4 inches", "Manufacturer": "Anwick", "ASIN": "B09QHT6WKQ", "Date First Available": "January 15, 2022"}, "brand": "Visit the Anwick Store", "brand_url": "https://www.amazon.com/stores/Anwick/page/6D55DE02-4500-46EB-9158-49A40DDF8D12?ref_=ast_bln", "full_description": "Metal Twin Size Platform Bed has everything you could ask for in a centerpiece for the bedroom. A strong, bold metal frame and rich wood grain finish give it a clean yet handsome look that can complement your style : be it rustic, industrial, minimalistic or somewhere in-between! The bed is accented by a tall black metal frame with a metal slat foundation made to support your foam, latex, or spring mattress without a box spring. Main Features:Platform Bed Frame Heavy Duty; Rectangular Hollow out Design;Headboard, footboard, 14 steel slats includedNo Box Spring Needed;Twin Bed Weight capability: 300 lbs4 Solid Wood Feets and 2 Steel Legs to Support the Bed;Overall Size: 74.8\u201d x 39\u201d x 37.4\u201d,", "pricing": "$68.99", "list_price": "", "availability_quantity": 18, "availability_status": "Only 18 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51LOVof6RBS.jpg", "https://m.media-amazon.com/images/I/51K6PE-FOjS.jpg", "https://m.media-amazon.com/images/I/31-YCk4TofS.jpg", "https://m.media-amazon.com/images/I/41BSCezh6vS.jpg", "https://m.media-amazon.com/images/I/31jxLf-+ajS.jpg", "https://m.media-amazon.com/images/I/41S6HHd654S.jpg", "https://m.media-amazon.com/images/I/31eNW7Y+q8S.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Beds, Frames & Bases \u203a Bed Frames", "average_rating": "", "small_description": ["1.\u3010Sturdy Platform Bed Frame\u3011This platform bed frame is made of high-qualit ", "2.\u3010Elegant Platform Bed\u3011The headboard and footboard of our twin size are designed with hollowed out design, 14 mattress slats are made of sturdy hard steel to support life of mattress and ensure durability and support. The smooth lines add sense of modern to your room. Perfect for any bedroom or guest room. ", "3.\u3010Comfortable Design\u3011Each part of the bed frame is tightly held together and there is no spring box needed. The bed will not easily shake or make large noise. The overall bed frame design can easily match other furniture in your home and provide a dozy and sweet sleeping environment for you. ", "4.\u3010Storage Space\u3011The height from bed slats to floor is 10.8\" which is spacious enough to be a large storage space. You can put children's toys, suitcases or storage containers under your bed. This useful design can save your space and make your room look more serenely uncluttered. ", "5.\u3010Easy Assembly \u3011All parts, tools and instructions are shipped straight to your door in one efficiently packed box for simple set-up that takes less than an hour with family members. If there is any problem with the bed board, please contact us, we will solve your problem within 24 hours. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09QX6WS79/ref=twister_B09QXHSW5Q?_encoding=UTF8&psc=1", "value": "Brown", "price_string": "$67.99", "price": 67.99, "image": "https://m.media-amazon.com/images/I/51sc8WgYLhS.jpg"}, {"is_selected": true, "url": null, "value": "Grey", "price_string": "$68.99", "price": 68.99, "image": "https://m.media-amazon.com/images/I/51LOVof6RBS.jpg"}]}, "seller_id": "AW5P2ZMU9V8E9", "seller_name": "Anwick", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QHT6WKQ", "category": "garden", "query": "Beds", "page": 193, "small_description_old": "About this item\n \n1.\u3010Sturdy Platform Bed Frame\u3011This platform bed frame is made of high-qualit 2.\u3010Elegant Platform Bed\u3011The headboard and footboard of our twin size are designed with hollowed out design, 14 mattress slats are made of sturdy hard steel to support life of mattress and ensure durability and support. The smooth lines add sense of modern to your room. Perfect for any bedroom or guest room. 3.\u3010Comfortable Design\u3011Each part of the bed frame is tightly held together and there is no spring box needed. The bed will not easily shake or make large noise. The overall bed frame design can easily match other furniture in your home and provide a dozy and sweet sleeping environment for you. 4.\u3010Storage Space\u3011The height from bed slats to floor is 10.8\" which is spacious enough to be a large storage space. You can put children's toys, suitcases or storage containers under your bed. This useful design can save your space and make your room look more serenely uncluttered. 5.\u3010Easy Assembly \u3011All parts, tools and instructions are shipped straight to your door in one efficiently packed box for simple set-up that takes less than an hour with family members. If there is any problem with the bed board, please contact us, we will solve your problem within 24 hours."}, {"name": "The Smokehouse Treat by Burgers' Smokehouse", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "UPC\n \u200f": "\u200e\n 773821667263", "Manufacturer\n \u200f": "\u200e\n Burgers' Smokehouse", "ASIN\n \u200f": "\u200e\n B01LA37T1S", "Best Sellers Rank": "#661,530 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#575 in Meat & Seafood Gifts", "#575 in Meat & Seafood Gifts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Burgers' Smokehouse Store", "brand_url": "https://www.amazon.com/stores/Burgers%27+Smokehouse/page/0AEFB3B3-F718-444C-9017-7BFD0B8B17D2?ref_=ast_bln", "full_description": "This pack offers fine smoked sausage and cheeses. It is great to serve to guests or to give as a gift for any occasion. Contains: One 12 oz. Smoked Ozark Sausage One 12 oz. Beef Sausage One 11 oz. Smoked Cheddar Cheese One 10 oz. Baby Swiss Cheese", "pricing": "$62.00", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/51aHD-sJ1FS.jpg", "https://m.media-amazon.com/images/I/51wF79IfbSL.jpg", "https://m.media-amazon.com/images/I/31Vq-3iRepL.jpg", "https://m.media-amazon.com/images/I/41PrrV5k9DL.jpg", "https://m.media-amazon.com/images/I/31oZy9X-KsL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Food & Beverage Gifts \u203a Meat & Seafood Gifts", "average_rating": 5, "small_description": ["The Best Cheese and Summer Sausages ", "Ready to Slice for Appetizers and Hor doeurves ", "Makes Entertaining Easy "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "ADYIY58L0SUY", "seller_name": "Burgers Smokehouse", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01LA37T1S", "category": "grocery", "query": "Meat & Seafood", "page": 249, "small_description_old": "The Best Cheese and Summer Sausages Ready to Slice for Appetizers and Hor doeurves Makes Entertaining Easy"}, {"name": "Hello Kitty Inspired 4pc Bright Smile Oral Hygiene Set! (1) Hello Kitty Soft Manual Toothbrush with Caps (1) Crest Kids Toothpaste Bundle Bonus Matching Mouth Wash Rinse Cup!", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 7 x 3 x 3 inches; 1 Pounds", "UPC\n \u200f": "\u200e\n 716770949882", "Manufacturer\n \u200f": "\u200e\n MZB accessories", "ASIN\n \u200f": "\u200e\n B07S8JZJ6Y", "Best Sellers Rank": "#1,155,543 in Health & Household (See Top 100 in Health & Household)#2,272 in Children's Dental Care Products", "#2,272 in Children's Dental Care Products": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: PG, FIRELY", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=PG%2C+FIRELY", "full_description": "bundle with licensed products", "pricing": "$14.90", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/512iVYE5XnL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Children's Dental Care", "average_rating": 4, "small_description": [""], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "AXVUVXYKXOBM4", "seller_name": "Zaham Discount", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07S8JZJ6Y", "category": "beauty", "query": "Children's Dental Care", "page": 206, "small_description_old": ""}, {"name": "LINDY 36920 0.5m DisplayPort to HDMI 10.2G Cable, Black", "product_information": {"Brand": "\u200eLindy", "Item model number": "\u200e36920", "Item Weight": "\u200e0.704 ounces", "Product Dimensions": "\u200e19.69 x 0.39 x 0.79 inches", "Item Dimensions LxWxH": "\u200e19.69 x 0.39 x 0.79 inches", "Color": "\u200eBlack", "Manufacturer": "\u200eLINDY", "ASIN": "\u200eB06Y44FL9J", "Is Discontinued By Manufacturer": "\u200eNo", "Date First Available": "\u200eMarch 22, 2018", "Customer Reviews": {"ratings_count": 31, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#15,865 in HDMI Cables"]}, "brand": "Brand: Lindy", "brand_url": "https://www.amazon.com/Lindy/b/ref=bl_dp_s_web_9237087011?ie=UTF8&node=9237087011&field-lbr_brands_browse-bin=Lindy", "full_description": "This cable allows you to connect your DisplayPort equipped computer to a 4K HDMI display or projector. Notes about audio support: Audio output over HDMI is only supported when the graphics card of the notebook or desktop computer supports audio output over DisplayPort. Several on-board graphics adapters such as Mobile Intel 4 Series Express Chipset in Notebooks (i.e. Dell E6400) do NOT support audio output over DisplayPort, even when HDMI support (Intel High Definition Audio HDMI Service) is installed for audio controllers. In such instances a separate audio connection has to be set up. 1 x LINDY DP to HDMI Adapter Cable", "pricing": "$17.31", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41wVN2QovbL.jpg", "https://m.media-amazon.com/images/I/41rbLNAC3LL.jpg", "https://m.media-amazon.com/images/I/416Z2qcr1qL.jpg", "https://m.media-amazon.com/images/I/313k+S5b+dL.jpg", "https://m.media-amazon.com/images/I/512eabGFEaL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Video Cables \u203a HDMI Cables", "average_rating": 4.4, "small_description": ["Supports video-mirroring and extended desktop modes ", "Connectors: DisplayPort Male to HDMI Male ", "Compliant with DP 1.2 specification and HDMI 1.4a\u00a0 ", "Supports up to 3840 x 2160@30Hz 24 Bit Colour ", "2 year warranty "], "total_reviews": 31, "total_answered_questions": "", "model": "\u200e36920", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "0.5m", "price_string": "$17.31", "price": 17.31, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B06Y42S3C5/ref=twister_B078HW4ZX5?_encoding=UTF8&psc=1", "value": "1m", "price_string": "$25.42", "price": 25.42, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B06Y4535N4/ref=twister_B078HW4ZX5?_encoding=UTF8&psc=1", "value": "2m (6.56') - rca plugs", "price_string": "$27.64", "price": 27.64, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B06Y42RVCG/ref=twister_B078HW4ZX5?_encoding=UTF8&psc=1", "value": "3m", "price_string": "$25.35", "price": 25.35, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0719H3H13/ref=twister_B078HW4ZX5?_encoding=UTF8&psc=1", "value": "5m", "price_string": "$36.09", "price": 36.09, "image": null}]}, "seller_id": "AP3VA1GJZM3EQ", "seller_name": "Amazon Global Store UK", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B06Y44FL9J", "category": "electronics", "query": "HDMI Cables", "page": 260, "small_description_old": "About this item\n \nSupports video-mirroring and extended desktop modes Connectors: DisplayPort Male to HDMI Male Compliant with DP 1.2 specification and HDMI 1.4a\u00a0 Supports up to 3840 x 2160@30Hz 24 Bit Colour 2 year warranty"}, {"name": "Urban CoCo Women's Floral Print Sleeveless Tank Top Maxi Dress", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 11.61 x 8.82 x 1.61 inches; 10.3 Ounces", "Item model number\n \u200f": "\u200e\n BGCY030HS", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n May 13, 2017", "ASIN\n \u200f": "\u200e\n B0723134D6", "Best Sellers Rank": "#66,740 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#277 in Women's Formal Dresses", "#277 in Women's Formal Dresses": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Urban CoCo Store", "brand_url": "https://www.amazon.com/stores/UrbanCoCo/page/4054C829-5B12-44AB-9023-867BDF972D65?ref_=ast_bln", "full_description": "", "pricing": "$19.86", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31BwMysLVDL.jpg", "https://m.media-amazon.com/images/I/31zVCUO+kKL.jpg", "https://m.media-amazon.com/images/I/31PDjiDWi9L.jpg", "https://m.media-amazon.com/images/I/310T+mrfbgL.jpg", "https://m.media-amazon.com/images/I/31Ogcfm5TBL.jpg", "https://m.media-amazon.com/images/I/314AcN7G-8L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Dresses \u203a Formal", "average_rating": 4.2, "small_description": ["Super soft and wash great, lightweight and comfortable, the pattern is done nicely,perfect fit ", "Floral print maxi dress features casual style, sexy scoop neck, floor-length ", "The dress's hemline fluttering gently with your moving,very charming body and tank top design,like a kind of beautiful scenery ", "Perfect maxi dress for formal party, wedding, banquet, dance ball, special occasion "], "total_reviews": 542, "total_answered_questions": 12, "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B072FCNCGP"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B071485GZF"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B0716TYXTZ"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B0725LD6Q5"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B0723134D6/ref=twister_B07FZXC2TF", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/314-QrgFxTL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08ND2KVSV/ref=twister_B07FZXC2TF", "value": "Deep Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31weaCdEhkL.jpg"}, {"is_selected": true, "url": null, "value": "Ink Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31BwMysLVDL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08ND396VJ/ref=twister_B07FZXC2TF", "value": "Navy Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31OD5FNItnL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098F2PVZR/ref=twister_B07FZXC2TF", "value": "Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31gABPctZPS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0739SCW5Z/ref=twister_B07FZXC2TF", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31IRUUbLCML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098F1MXTW/ref=twister_B07FZXC2TF", "value": "Royal Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31NOA1zM5cS.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B072FCNCGP", "category": "fashion", "query": "Women's Dresses", "page": 66, "small_description_old": "Super soft and wash great, lightweight and comfortable, the pattern is done nicely,perfect fit Floral print maxi dress features casual style, sexy scoop neck, floor-length The dress's hemline fluttering gently with your moving,very charming body and tank top design,like a kind of beautiful scenery Perfect maxi dress for formal party, wedding, banquet, dance ball, special occasion"}, {"name": "Romwe Women's Ruffle Hem Beach Cover Up Chiffon Swimsuit Wrap Skirts", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 14 x 10.5 x 0.5 inches; 3.53 Ounces", "Item model number\n \u200f": "\u200e\n 77-swCV2110203227070207-S", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 7, 2022", "ASIN\n \u200f": "\u200e\n B09N3CDKGV", "Best Sellers Rank": "#2,692,773 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#8,531 in Women's Swimwear Cover Ups", "#8,531 in Women's Swimwear Cover Ups": ""}, "brand": "Visit the ROMWE Store", "brand_url": "https://www.amazon.com/stores/ROMWE/page/FE926575-FA23-4AEC-818A-8B8C21E9D239?ref_=ast_bln", "full_description": "Size Chart: Small\u2014\u2014Length:29.5\",Waist Size:26.8\"/ Medium\u2014\u2014Length:30.3\",Waist Size:28.3\"/ Large\u2014\u2014Length:31.1\",Waist Size:30.7\"/", "pricing": "$19.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31zDNXxvCsL.jpg", "https://m.media-amazon.com/images/I/31-gGIBCVDL.jpg", "https://m.media-amazon.com/images/I/31YXnSbChLL.jpg", "https://m.media-amazon.com/images/I/31vKhnRAuyL.jpg", "https://m.media-amazon.com/images/I/41YCD4HjQtL.jpg", "https://m.media-amazon.com/images/I/315xuC+gZwL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Swimsuits & Cover Ups \u203a Cover-Ups", "average_rating": "", "small_description": ["Fabric: Soft fabric, comfortable and skin friendly ", "Design: Sheer chiffon, asymmetrical hem, wrap side ", "Occasion: Perfect for summer, swimwear, beachwear, beach party, pool party, SPA, vacation ", "Match: Great for womens bikini, swimwear, swimsuits, beachwear, bathing suits, monokini, tankini ", "Size: Please refer to the size chart as below(not amazon size) "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09N3CDKGV"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09N3DDKT9"}], "Color": null}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09N3CDKGV", "category": "fashion", "query": "Women's Swimsuits & Cover Ups", "page": 32, "small_description_old": "95% Polyester, 5% Elastane Tie closure Fabric: Soft fabric, comfortable and skin friendly Design: Sheer chiffon, asymmetrical hem, wrap side Occasion: Perfect for summer, swimwear, beachwear, beach party, pool party, SPA, vacation Match: Great for womens bikini, swimwear, swimsuits, beachwear, bathing suits, monokini, tankini Size: Please refer to the size chart as below(not amazon size)"}, {"name": "SWAGOFKGys Travel Toothbrushes\uff0c Double Side Tongue Cleaner Brush for Tongue Cleaning Oral Care Tool Silicone Tongue Scraper Toothbrush Fresh Breath (Color : Yellow)", "product_information": {"Item Weight": "1.32 pounds", "Department": "Unisex-adult", "Manufacturer": "SWAGOFKGys", "ASIN": "B09MW563KN", "Country of Origin": "China"}, "brand": "Brand: SWAGOFKG", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=SWAGOFKG", "full_description": "Color: blue yellow pink greenMaterial: PP+ TPRBrush: NylonFunction: Tongue cleaning", "pricing": "$22.90", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/219QkIeEtLL.jpg", "https://m.media-amazon.com/images/I/31xF9CEDXkL.jpg", "https://m.media-amazon.com/images/I/21SZSeMpWeL.jpg", "https://m.media-amazon.com/images/I/31d3aAsLrXL.jpg", "https://m.media-amazon.com/images/I/31dvRXNKncL.jpg", "https://m.media-amazon.com/images/I/3186mNQGTBL.jpg", "https://m.media-amazon.com/images/I/41YAtcoOp+L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothbrushes & Accessories \u203a Manual Toothbrushes", "average_rating": "", "small_description": ["\u25a0Regular and thorough oral hygiene Is as essential during periods of travel as it is when at home. ", "\u25a0HIGH DENSITY SOFT BRUSH FOR TONGUE CLEANNING ", "\u25a0FOOD GRADE SILICONE TONGUE SCRAPER ADD NANO SILVER ", "\u25a0Tongue Scrape Combo Dot-shaped particle arc blades comfortable ", "\u25a0Clean COMFORTABLE ELASTIC HANDLE Flexible neck soft and plastic ergonomic "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09MW54SN4/ref=twister_B09MW4L9YV?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "$22.90", "price": 22.9, "image": "https://m.media-amazon.com/images/I/219l3f1OO0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MW4WH5S/ref=twister_B09MW4L9YV?_encoding=UTF8&psc=1", "value": "Green", "price_string": "$22.90", "price": 22.9, "image": "https://m.media-amazon.com/images/I/21Gs7Q2PeuL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MW4BQDV/ref=twister_B09MW4L9YV?_encoding=UTF8&psc=1", "value": "Pink", "price_string": "$22.90", "price": 22.9, "image": "https://m.media-amazon.com/images/I/21ydb94EhQL.jpg"}, {"is_selected": true, "url": null, "value": "Yellow", "price_string": "$22.90", "price": 22.9, "image": "https://m.media-amazon.com/images/I/219QkIeEtLL.jpg"}]}, "seller_id": "ACLWCF65WY47X", "seller_name": "SANMINGSHIMEILIEQUXIYUANCHAZHUANG", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09MW563KN", "category": "beauty", "query": "Tongue Cleaners", "page": 25, "small_description_old": "\u25a0Regular and thorough oral hygiene Is as essential during periods of travel as it is when at home. \u25a0HIGH DENSITY SOFT BRUSH FOR TONGUE CLEANNING \u25a0FOOD GRADE SILICONE TONGUE SCRAPER ADD NANO SILVER \u25a0Tongue Scrape Combo Dot-shaped particle arc blades comfortable \u25a0Clean COMFORTABLE ELASTIC HANDLE Flexible neck soft and plastic ergonomic"}, {"name": "Best Choice Products Tufted Faux Leather 3-Seat L-Shape Sectional Sofa Couch Set w/Chaise Lounge, Ottoman Coffee Table Bench, Black", "product_information": {"Product Dimensions": "84.25 x 56 x 33 inches", "Item Weight": "93.9 pounds", "Manufacturer": "Best Choice Products", "ASIN": "B07G4HJR5V", "Item model number": "SKY4554", "Customer Reviews": {"ratings_count": 1794, "stars": "3.8 out of 5 stars"}, "Best Sellers Rank": ["#9,978 in Automotive (See Top 100 in Automotive) #3 in Powersports Knee & Shin Protection"], "Is Discontinued By Manufacturer": "No", "Date First Available": "April 11, 2018"}, "brand": "Visit the Best Choice Products Store", "brand_url": "https://www.amazon.com/stores/BestChoiceProducts/page/CA9B1139-406C-4CAE-B77E-5F0B3096C8E0?ref_=ast_bln", "full_description": "", "pricing": "$699.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41bOit1eOKL.jpg", "https://m.media-amazon.com/images/I/41oTi0uaWJL.jpg", "https://m.media-amazon.com/images/I/51G7pDq3GeL.jpg", "https://m.media-amazon.com/images/I/41mtSDO-nyL.jpg", "https://m.media-amazon.com/images/I/41uRQBAXjFL.jpg", "https://m.media-amazon.com/images/I/41hRpkaGIFL.jpg", "https://m.media-amazon.com/images/I/41jE8UWTldL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Automotive \u203a Motorcycle & Powersports \u203a Protective Gear \u203a Knee & Shin Protection", "average_rating": 3.8, "small_description": ["MODERN STYLE: Stylish L-shaped sectional sofa is made with a modern-contemporary, faux leather design that will complement any living space ", "MODULAR DESIGN: Matching ottoman bench can be used to kick your feet up for relaxation or pushed against the sofa to create a large chaise lounger ", "COMFORTABLE: Soft foam cushioning and supple faux leather makes this set a viable lounging option for hours of comfort ", "BUILT TO LAST: Made with durability in mind, this set's material is easy to clean, helping to ensure years of service with limited wear-and-tear ", "OVERALL DIMENSIONS: 84.25\"(L) x 56\"(W) x 33\"(H); Weight Capacity: 600 lbs.; Ships and arrives in 2 separate boxes. Delivery times may vary per box. "], "total_reviews": 1794, "total_answered_questions": "", "model": "SKY4554", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "$699.99", "price": 699.99, "image": "https://m.media-amazon.com/images/I/41bOit1eOKL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08679D6WD/ref=twister_B07VGBCV63?_encoding=UTF8&psc=1", "value": "Brown", "price_string": "$679.99", "price": 679.99, "image": "https://m.media-amazon.com/images/I/41jTo3nH4BS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07G4GFRGB/ref=twister_B07VGBCV63?_encoding=UTF8&psc=1", "value": "White", "price_string": "$649.99", "price": 649.99, "image": "https://m.media-amazon.com/images/I/410B+8Vuc4L.jpg"}]}, "seller_id": "A2GUMCXR7HBXM2", "seller_name": "BestChoiceproducts", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07G4HJR5V", "category": "garden", "query": "Living room Sets", "page": 7, "small_description_old": "About this item\n \nMODERN STYLE: Stylish L-shaped sectional sofa is made with a modern-contemporary, faux leather design that will complement any living space MODULAR DESIGN: Matching ottoman bench can be used to kick your feet up for relaxation or pushed against the sofa to create a large chaise lounger COMFORTABLE: Soft foam cushioning and supple faux leather makes this set a viable lounging option for hours of comfort BUILT TO LAST: Made with durability in mind, this set's material is easy to clean, helping to ensure years of service with limited wear-and-tear OVERALL DIMENSIONS: 84.25\"(L) x 56\"(W) x 33\"(H); Weight Capacity: 600 lbs.; Ships and arrives in 2 separate boxes. Delivery times may vary per box."}, {"name": "Studio Outback Pillow Covers Pillow Cover Set of 2 Throw Pillow Covers 18x18 Throw Pillows Embroidered Pillow Covers Pillows Decorative Pillow Covers Bedroom Decor Farmhouse Decor House D\u00e9cor", "product_information": {"Package Dimensions": "14.45 x 12.09 x 1.65 inches", "Item Weight": "1.09 pounds", "Manufacturer": "STUDIO OUTBACK", "ASIN": "B09HKZS7LV", "Country of Origin": "India", "Item model number": "1", "Best Sellers Rank": ["#3,603,501 in Home & Kitchen (See Top 100 in Home & Kitchen) #58,348 in Throw Pillow Covers"], "Fabric Type": "Cotton", "Batteries Required?": "No"}, "brand": "Brand: STUDIO OUTBACK", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=STUDIO+OUTBACK", "full_description": "Invest in home decor to make your home happier! Grab a comfy-cosy, crafty cushion to decorate and soften your interior design.", "pricing": "$24.99", "list_price": "", "availability_quantity": 5, "availability_status": "Only 5 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51yN4Stox7L.jpg", "https://m.media-amazon.com/images/I/51GFpIp6myL.jpg", "https://m.media-amazon.com/images/I/51QYrvnJONL.jpg", "https://m.media-amazon.com/images/I/51wQHrtT-GL.jpg", "https://m.media-amazon.com/images/I/518++oTLUFL.jpg", "https://m.media-amazon.com/images/I/51QzEHLpHQL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Decorative Pillows, Inserts & Covers \u203a Throw Pillow Covers", "average_rating": "", "small_description": ["Cotton ", "STYLE : This throw pillow adds a contemporary look to your life. A combination of embroidery, complementary colors and unique texture is just what your space needs\u00a0 ", "FABRIC: The cushion cover is made of high quality textured cotton. The fabric is sturdy and durable, not easily breaking or tearing while having a soft skin-friendly texture ", "SIZE: 18 x 18 inches/ 45 cm x 45 cm (1-2 cm deviation as these are handmade). Only cushion cover is sold, INSERT ARE NOT INCLUDED. These beautiful pillowcases is suitable for home decor, couch, sofa, chair, bed, car, party, hotel, office, cafe decor\u00a0 ", "EXQUISITE DECORATION: The Bright and Classic pillow covers are a great way to add beautiful color to the home when you put them on your existing couch. They make perfect gifts as well.\u00a0 "], "total_reviews": "", "total_answered_questions": "", "model": "1", "customization_options": {"Size": null, "Color": [{"is_selected": true, "url": null, "value": "Blue Combo", "price_string": "$24.99", "price": 24.99, "image": "https://m.media-amazon.com/images/I/51yN4Stox7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HL26XNT/ref=twister_B09HL1JXSQ?_encoding=UTF8&psc=1", "value": "Blue and Brown", "price_string": "$24.99", "price": 24.99, "image": "https://m.media-amazon.com/images/I/51qewDMjIdL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HL2MF4S/ref=twister_B09HL1JXSQ?_encoding=UTF8&psc=1", "value": "Green and Beige", "price_string": "$24.99", "price": 24.99, "image": "https://m.media-amazon.com/images/I/518xe8U6cBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HL146GQ/ref=twister_B09HL1JXSQ?_encoding=UTF8&psc=1", "value": "Multicolor", "price_string": "$24.99", "price": 24.99, "image": "https://m.media-amazon.com/images/I/51SNk+woo3L.jpg"}]}, "seller_id": "A1GRMFVTC0DPL0", "seller_name": "Outback Studio", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09HKZS7LV", "category": "garden", "query": "Decorative Pillows", "page": 378, "small_description_old": "About this item Cotton STYLE : This throw pillow adds a contemporary look to your life. A combination of embroidery, complementary colors and unique texture is just what your space needs\u00a0 FABRIC: The cushion cover is made of high quality textured cotton. The fabric is sturdy and durable, not easily breaking or tearing while having a soft skin-friendly texture SIZE: 18 x 18 inches/ 45 cm x 45 cm (1-2 cm deviation as these are handmade). Only cushion cover is sold, INSERT ARE NOT INCLUDED. These beautiful pillowcases is suitable for home decor, couch, sofa, chair, bed, car, party, hotel, office, cafe decor\u00a0 EXQUISITE DECORATION: The Bright and Classic pillow covers are a great way to add beautiful color to the home when you put them on your existing couch. They make perfect gifts as well."}, {"name": "iDealBed Luxe Series iQ5 Hybrid Luxury Plush Mattress 4i Custom Adjustable Bed Set, Wireless, Massage, Nightlight, Zero-Gravity, Anti-Snore, Memory Pre-Sets (Queen)", "product_information": {"Country of Origin": "\u200eUSA", "Item model number": "\u200eIQ5-LXPL-4IS-QN", "Is Discontinued By Manufacturer": "\u200eNo", "ASIN": "B07GRP1WCD", "Best Sellers Rank": ["#6,083,399 in Home & Kitchen (See Top 100 in Home & Kitchen) #49,580 in Bedroom Furniture"], "Date First Available": "October 10, 2017"}, "brand": "Visit the iDealBed Store", "brand_url": "https://www.amazon.com/stores/iDealBed/page/0E7AFA38-3C15-46FC-94F2-8E64C65A0C52?ref_=ast_bln", "full_description": "Prepare to experience the latest advancements in luxury sleep. We\u2019ve combined the newest innovations in iDeal Technology, engineering a mattress that provides the perfect blend of comfort and support for optimal sleep. The iDeal Smart Temp Soft Knit Luxury cover continuously draws heat away from your body allowing for an optimal temperature on the surface. iDeal Sense Gel Foam and iDeal Tech Liquid Gel Memory Foam produce an everlasting cooling sensation which prevents the mattress from sleeping hot. Using our iDeal Contour Dual Response Pocketed Coils, the iDealBed Luxe Series iQ5 Hybrid Luxury Plush Mattress provides the ultimate level of support, eliminating pressure points and sleepless nights. The iDeal Smart Adapt Foam allows for a buoyant floating feel effectively alleviating all pressure points. Designed, Developed, and Manufactured in the U.S.A Scientifically Engineered for Optimal Sleep A True Floating Feel for No Pressure Points iDeal Smart Adapt Foams adjust for Comfort in any sleep position Temperature Regulation Technology to keep the Mattress cool for deep sleep iDeal Smart Adapt Foams adjust for Comfort Certi-PUR US and Oeko-Tex 100 Certified Compatible with Adjustable Beds, Box Springs, Slatted Frame, or on the Floor Pair with an iDealBed Adjustable Bed for the Ultimate Sleep System Medium Soft Floating Comfort Level 120 Day Sleep Trial The iDealBed 4i Custom is the pinnacle of performance, combining perfectly executed precision and elegance into a single design. After years of research and development, meticulous craftsmanship has led to the creation of a modern engineering marvel unlike anything on the market. The folded design concept and simple 2-step assembly process have been created with the consumer in mind. Innovative foam padding added into the upper deck, increases structural support and extends the life-span of any mattress. The iDealBed 4i includes state-of-the-art features that allow full customization in the bedroom", "pricing": "$1,899.95", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/41bCeewNbeL.jpg", "https://m.media-amazon.com/images/I/41LOkqcy4HL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture", "average_rating": "", "small_description": ["iDealBed Engineered Hybrid Construction with Specialty Smart Foams and Adaptive Response Pocketed Coils for Optimal Sleep with Temperature Regulation, Adaptive Support, Pressure relief, and Comfort. Scientifically Developed for the Best Sleep Enhance comfort and sleep with Full articulation which allows the head to be adjusted up to 70\u00b0 and the foot up to 45\u00b0 ", "Full Featured Ergonomic Wireless Back-Lit Remote with 18 Buttons, 3 Pre-set positions Including Zero-Gravity, Anti-Snore, and Flat Button, 2 Programmable Position Memory Buttons ", "Ultra-Quiet Leggett & Platt Power Motors with 850 Lbs Capacity Per Unit, Zero Clearance Design made to fit inside Existing Bed Frame ", "Full body massage with 3 intensity levels, 4 modes including wave, pulse and constant with a 10 to 30-minute timer option "], "total_reviews": "", "total_answered_questions": "", "model": "\u200eIQ5-LXPL-4IS-QN", "customization_options": "", "seller_id": "A3UJQ2NI90PCNR", "seller_name": "DealBeds", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07GRP1WCD", "category": "garden", "query": "Mattresses", "page": 178, "small_description_old": "iDealBed Engineered Hybrid Construction with Specialty Smart Foams and Adaptive Response Pocketed Coils for Optimal Sleep with Temperature Regulation, Adaptive Support, Pressure relief, and Comfort. Scientifically Developed for the Best Sleep Enhance comfort and sleep with Full articulation which allows the head to be adjusted up to 70\u00b0 and the foot up to 45\u00b0 Full Featured Ergonomic Wireless Back-Lit Remote with 18 Buttons, 3 Pre-set positions Including Zero-Gravity, Anti-Snore, and Flat Button, 2 Programmable Position Memory Buttons Ultra-Quiet Leggett & Platt Power Motors with 850 Lbs Capacity Per Unit, Zero Clearance Design made to fit inside Existing Bed Frame Full body massage with 3 intensity levels, 4 modes including wave, pulse and constant with a 10 to 30-minute timer option \n \u203a See more product details"}, {"name": "Axxess AALC Remote RCA Level Controller (Discontinued by Manufacturer)", "product_information": {"Item Weight": "\u200e2.4 ounces", "Product Dimensions": "\u200e1.5 x 3 x 75 inches", "Country of Origin": "\u200eChina", "Item model number": "\u200eAALC", "Batteries": "\u200e2 AA batteries required.", "Is Discontinued By Manufacturer": "\u200eNo", "Height (inches)": "\u200e1.4 inches", "Width (inches)": "\u200e3 inches", "Weight": "\u200e0.15 Pounds", "ASIN": "B003FPD3IS", "Customer Reviews": {"ratings_count": 1240, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#682 in Remote Controls (Electronics)"], "Date First Available": "April 6, 2010"}, "brand": "Brand: AXXESS", "brand_url": "https://www.amazon.com/AXXESS/b/ref=bl_dp_s_web_21423200011?ie=UTF8&node=21423200011&field-lbr_brands_browse-bin=AXXESS", "full_description": "ash Mount Amplifier Level Control for Volume Adjustment", "pricing": "$6.91", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31VIwKmmpOL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Remote Controls & Accessories \u203a Remote Controls", "average_rating": 4.5, "small_description": ["Dash Mount Amplifier Level Control for Volume Adjustment ", "Can Adjust the Amplifier Gain While Driving.Mounting tabs for convenient mounting locations ", "Perfect for Balancing the System to Change Music Styles ", "Connects through RCA Level Inputs and Outputs ", "Ideal for bass control or front to rear volume control between amps ", "Remote level control can be used to control the volume of an amplified hard wire to it "], "total_reviews": 1240, "total_answered_questions": 47, "model": "\u200eAALC", "customization_options": {"Product Packaging": null}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B003FPD3IS", "category": "electronics", "query": "VCRs", "page": 275, "small_description_old": "Dash Mount Amplifier Level Control for Volume Adjustment Can Adjust the Amplifier Gain While Driving.Mounting tabs for convenient mounting locations Perfect for Balancing the System to Change Music Styles Connects through RCA Level Inputs and Outputs Ideal for bass control or front to rear volume control between amps Remote level control can be used to control the volume of an amplified hard wire to it Ideal for bass control or front to rear volume control between amps \n \u203a See more product details"}, {"name": "NIZYH Mini Portable Led Projector, Full HD Home Theater Movie Projector Compatible TV Stick, Laptop", "product_information": {"Item Weight": "0.035 ounces", "Department": "Unisex-adult", "Manufacturer": "shuma", "ASIN": "B09RZRQVGT", "Country of Origin": "China", "Form Factor": "Portable"}, "brand": "Brand: NIZYH", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=NIZYH", "full_description": "Specifications:Specifications:TFT LCD imaging systemVoltage: 12 V/1.5AMaterial: ABSBrightness: 13 LumensLamp: LEDPower: 16WLens:F=60Projection lens: fixed focus lensProjector distance\uff1a60-400cmAspect ratio: 4:3/16:9Color: 16.7KContrast: 400:1Resolution: 320 * 240Support resolution: 1920*1080Light source life: 20,000 hoursProjection picture size: 15--110 inchInput:USB/TF/AV/HDMI/IR/5V-2A/12V-1.5AOutput: 2.5mm earphoneSystem: MultimediaPlug type: US,EU,UKPower: 20W(Max)The light casts amazing colored circular lights on the wall, ceiling and floor.", "pricing": "$383.26", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/41yhKYG18+L.jpg", "https://m.media-amazon.com/images/I/41aYNZWWJTL.jpg", "https://m.media-amazon.com/images/I/51zuQAS+xyL.jpg", "https://m.media-amazon.com/images/I/51OOQpW7u6L.jpg", "https://m.media-amazon.com/images/I/41TxRxPgDAL.jpg", "https://m.media-amazon.com/images/I/41pquQM7MfL.jpg", "https://m.media-amazon.com/images/I/41GtOkQ4hCL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Video Projectors", "average_rating": "", "small_description": ["Support highest Resolution 1080P. ", "Light and portable, easy to take. Smallest size SMP in the word, mini. ", "Short-focus lens, the shortest projection, distance is 60-400cm only, suitable for broader situation. Multimedia system, high efficiency, simple, easy to operate it, super audio&video decoding 1080P support. ", "This high definition portable LCD Projector is specially designed for home theater, business conference, entertainment, education training, etc.. It is your outdoor camping entertainment playmate. ", "Support USB/TF/AV/HDMI/IR input. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2TEH27U763MQJ", "seller_name": "ZXJdedian", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09RZRQVGT", "category": "electronics", "query": "Projectors", "page": 130, "small_description_old": "About this item\n \nSupport highest Resolution 1080P. Light and portable, easy to take. Smallest size SMP in the word, mini. Short-focus lens, the shortest projection, distance is 60-400cm only, suitable for broader situation. Multimedia system, high efficiency, simple, easy to operate it, super audio&video decoding 1080P support. This high definition portable LCD Projector is specially designed for home theater, business conference, entertainment, education training, etc.. It is your outdoor camping entertainment playmate. Support USB/TF/AV/HDMI/IR input."}, {"name": "Billy Bob Replacement Thermal Adhesive Fitting Beads for Fake Teeth 2 Packages", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 3.94 x 2.83 x 0.43 inches; 0.32 Ounces", "Item model number\n \u200f": "\u200e\n BHBUSAZIN027904", "UPC\n \u200f": "\u200e\n 685646840014", "Manufacturer\n \u200f": "\u200e\n Billy Bob Products", "ASIN\n \u200f": "\u200e\n B00M777566", "Best Sellers Rank": "#38,658 in Health & Household (See Top 100 in Health & Household)#46 in Denture Adhesives", "#46 in Denture Adhesives": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Instant Smile Store", "brand_url": "https://www.amazon.com/stores/Instant+Smile/page/07F166CB-73E9-4B60-A926-E586B6D549A5?ref_=ast_bln", "full_description": "Fitting Instructions for teeth: Do not use over braces or caps! 1. Empty the packet of plastic fitting beads (white Beads) into a cup of very hot water. 2. Once the fitting plastic turns clear, remove with a metal spoon. 3. Form the clear fitting plastic into a \u201cworm\u201d shape with your fingers. 4. Press the \u201cclear worm\u201d onto the back wall of the teeth. If there are anchor holes in the gums, try to get some of the fitting material into the holes to help secure it. 5. In front of a mirror, use both hands and gently ease the teeth over your normal teeth. Use your thumbs to \"tuck\" the excess fitting plastic behind your teeth. 6. Once the fitting plastic begins to harden, gently ease down and remove. Do not allow the fitting plastic to fully harden around your teeth. If you are not happy with the fit, reheat and remold.", "pricing": "$4.99", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/41bi0l9Pe9L.jpg", "https://m.media-amazon.com/images/I/41gpdhfdu-L.jpg", "https://m.media-amazon.com/images/I/51heFBvRiuL.jpg", "https://m.media-amazon.com/images/I/51Lzua7MSAL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Denture Care \u203a Adhesives", "average_rating": 3.8, "small_description": ["Thermal Fitting Beads - Soften in Hot Water (Beads begin to soften at 130\u00ba F) ", "Used for all fake teeth styles or temporary teeth fixes ", "Molds in minutes! Can be used multiple times until you get the perfect fit ", "Works great for any Billy Bob Teeth/Instant Smile Flex products. ", "See instructional photos for more information "], "total_reviews": 1381, "total_answered_questions": 26, "customization_options": "", "seller_id": "A1LB3L8P2LV9VX", "seller_name": "Blue Frog Inc", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B00M777566", "category": "beauty", "query": "Denture Care", "page": 30, "small_description_old": "Thermal Fitting Beads - Soften in Hot Water (Beads begin to soften at 130\u00ba F) Used for all fake teeth styles or temporary teeth fixes Molds in minutes! Can be used multiple times until you get the perfect fit Works great for any Billy Bob Teeth/Instant Smile Flex products. See instructional photos for more information"}, {"name": "Bass and Treble HiFi Headphone Amplifier, mm Stereo Earphone 32 \u03a9 90DB -40\u00b0C~60\u00b0C Metal for Mobile Phone", "product_information": {"Item Weight": "1.06 ounces", "ASIN": "B09J8772MN", "Date First Available": "October 12, 2021", "Manufacturer": "Tgoon"}, "brand": "Brand: Tgoon", "brand_url": "https://www.amazon.com/Tgoon/b/ref=bl_dp_s_web_23494029011?ie=UTF8&node=23494029011&field-lbr_brands_browse-bin=Tgoon", "full_description": "Condition: 100% Brand NewItem Type: Headphone AmplifierMaterial: metalColor: as picture shownWeight: approx. 27gOutput power: Maximum: 300 mw * 2/16\u03a9Frequency response: 2-27KHZSignal-to-noise ratio: 90DBDynamic range: 90DBSeparation: 70DBDistortion: \u22640.006%Input impedance: 32 \u03a9Output impedance: \u2264300\u03a9Operating temperature: -40\u00b0C~60\u00b0CStorage temperature: -40\u00b0C~85\u00b0CStorage humidity: 10%~90%Lithium battery: 180mah for 15 hoursProtection: battery protection, over current protection, over voltage protection, short circuit protection", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31EIcC1QXKL.jpg", "https://m.media-amazon.com/images/I/514gYsKWuZL.jpg", "https://m.media-amazon.com/images/I/51a8CLUhLjL.jpg", "https://m.media-amazon.com/images/I/51aAov5MNVL.jpg", "https://m.media-amazon.com/images/I/41dZ5OMY2DL.jpg", "https://m.media-amazon.com/images/I/41zRkGCJ8XS.jpg", "https://m.media-amazon.com/images/I/311QUpkWlDL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Headphone Accessories \u203a Amps", "average_rating": "", "small_description": ["Make up for music high frequency dark, low frequency weak characteristics, through the sound adjustment technology, improve the phone audio sharp, noise ear hearing sense. ", "Adopting in car audio system and home audio system, as a preamplifier, it has more low frequency shock and better rhythm. ", "Mobile game: built-in 3D sound field technology, sound field positioning ability is powerful, can better achieve 3D sound effect, and support headset microphone conversation. ", "Support Music appreciation, SD05PRO powerful thrust, excellent sound quality performance, can better play the characteristics of high-quality headphones, make the sound to achieve a higher level of performance. ", "Mobile phone because of the cost of the architecture and limitation, audio output power was only about 5 mw, the machine can make up for the inadequacy of mobile audio output power, the audio output power up to 300 mw @ 16 \u03a9, get a better dynamic response and output sound pressure, can play a better performance of the high quality headphones. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09J8772MN", "category": "electronics", "query": "Receivers & Amplifiers", "page": 152, "small_description_old": "Make up for music high frequency dark, low frequency weak characteristics, through the sound adjustment technology, improve the phone audio sharp, noise ear hearing sense. Adopting in car audio system and home audio system, as a preamplifier, it has more low frequency shock and better rhythm. Mobile game: built-in 3D sound field technology, sound field positioning ability is powerful, can better achieve 3D sound effect, and support headset microphone conversation. Support Music appreciation, SD05PRO powerful thrust, excellent sound quality performance, can better play the characteristics of high-quality headphones, make the sound to achieve a higher level of performance. Mobile phone because of the cost of the architecture and limitation, audio output power was only about 5 mw, the machine can make up for the inadequacy of mobile audio output power, the audio output power up to 300 mw @ 16 \u03a9, get a better dynamic response and output sound pressure, can play a better performance of the high quality headphones."}, {"name": "Erza Scarlet Hoodie Unisex Manga Anime Merch for Women Men Teen - 003", "product_information": {"Department\n \u200f": "\u200e\n 3", "Date First Available\n \u200f": "\u200e\n January 27, 2022", "Manufacturer\n \u200f": "\u200e\n Kloudave", "ASIN\n \u200f": "\u200e\n B09RB2LMTL", "": ""}, "brand": "Brand: Generic", "brand_url": "https://www.amazon.com/Generic/b/ref=bl_sl_s_ap_web_2529470011?ie=UTF8&node=2529470011&field-lbr_brands_browse-bin=Generic", "full_description": "\ud83c\udfb6 Brand: Kloudave\ud83c\udfb6 Gender: Unisex\ud83c\udfb6 Suitable for: Father's day, Mother's day, Valentine's day, Thanksgiving ...\ud83c\udfb6 Style: Casual streetwear\ud83c\udfb6 Thickness: Moderate\ud83c\udfb6 Length: Regular \ud83c\udfb6 Warranty: Money-back guarantee", "pricing": "$19.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41aeCf8h+IL.jpg", "https://m.media-amazon.com/images/I/41NXqoFgW-L.jpg", "https://m.media-amazon.com/images/I/51+j4Y47NJL.jpg", "https://m.media-amazon.com/images/I/41qNs+Ff-qL.jpg", "https://m.media-amazon.com/images/I/51ZrBYlReqL.jpg", "https://m.media-amazon.com/images/I/41uPZYjD8iL.jpg", "https://m.media-amazon.com/images/I/41STGwEVRNL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Men \u203a Hoodies", "average_rating": "", "small_description": ["\u26a1 SIZE: US adult standard size. Say goodbye to the Asian size that always \"too small\". \u2705\u2705\u2705 Click \"Customize\" button to select a Style you want \u2705\u2705\u2705 ", "\u26a1 HIGH QUALITY MATERIAL: Tshirt 100% Cotton; Hoodie & Sweatshirt 50% Cotton/50% Polyester, durable and comfortable. Recommended to be washed with cold water and dry with medium heat ", "\u26a1 COOL STYLE: daily shirt t-shirt t shirts tshirt sweater for mens womens boys girls ", "\u26a1 PERFECT GIFT: our clothes is a perfect merchandise, christmas halloween birthday gifts for friends vintage retro parents family ", "\u26a1 COMMITMENT: if you ever felt sad with the item, please contact directly to us and we are always happy to help "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09RB2LMTL", "category": "fashion", "query": "Men's Fashion Hoodies & Sweatshirts", "page": 49, "small_description_old": "\u26a1 SIZE: US adult standard size. Say goodbye to the Asian size that always \"too small\". \u2705\u2705\u2705 Click \"Customize\" button to select a Style you want \u2705\u2705\u2705 \u26a1 HIGH QUALITY MATERIAL: Tshirt 100% Cotton; Hoodie & Sweatshirt 50% Cotton/50% Polyester, durable and comfortable. Recommended to be washed with cold water and dry with medium heat \u26a1 COOL STYLE: daily shirt t-shirt t shirts tshirt sweater for mens womens boys girls \u26a1 PERFECT GIFT: our clothes is a perfect merchandise, christmas halloween birthday gifts for friends vintage retro parents family \u26a1 COMMITMENT: if you ever felt sad with the item, please contact directly to us and we are always happy to help"}, {"name": "Beninos Sports Bras for Women - Activewear Tops for Yoga Running Fitness", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 13.86 x 10.39 x 1.5 inches; 2.4 Ounces", "Item model number\n \u200f": "\u200e\n D321 Green M", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n August 19, 2020", "ASIN\n \u200f": "\u200e\n B08G8899R5", "Best Sellers Rank": "#252,887 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,030 in Women's Sports Bras", "#1,030 in Women's Sports Bras": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Beninos Store", "brand_url": "https://www.amazon.com/stores/Beninos/page/1DC50D19-BB3F-49ED-A8A6-C80A651297C3?ref_=ast_bln", "full_description": "", "pricing": "$6.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41rzvjYVHcL.jpg", "https://m.media-amazon.com/images/I/41kjuaOnUyL.jpg", "https://m.media-amazon.com/images/I/41GgM-6YgIL.jpg", "https://m.media-amazon.com/images/I/417mBRPWD1L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Lingerie, Sleep & Lounge \u203a Lingerie \u203a Bras \u203a Sports Bras", "average_rating": 4, "small_description": ["Pullover Style Sports Bra,Machine Wash (Hand Wash Recommanded) ", "Active Workout Sports Bra & Tight Fitting for Support -- Super Comfort and Super Soft Fabric ", "These sports bras are well made from double, non-fading and quick-dry fabric that wicks moisture away from your skin, keep you staying cool and comfortable during workouts. ", "Perfect for jogging, yoga, pilates, cycling, gym fitness, and everyday exercise wear. "], "total_reviews": 26, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": false, "value": "Medium", "asin": "B08G8899R5"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B08G8DXR5N"}, {"is_selected": false, "is_available": false, "value": "X-Large", "asin": "B08G8C5NJR"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08G8899R5/ref=twister_B08G8MX5JG", "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ouFRQg8uL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08G8P7MXF/ref=twister_B08G8MX5JG", "value": "Naked", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ErNhYGlkL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08G8P19VM/ref=twister_B08G8MX5JG", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41MYMuZK+ZL.jpg"}, {"is_selected": true, "url": null, "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41rzvjYVHcL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08G8C5NJR/ref=twister_B08G8MX5JG", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Z8u5ImcgL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08G8DXR5N", "category": "fashion", "query": "Women's Activewear", "page": 153, "small_description_old": "90% nylon/10 % spandex Pull-On closure Hand Wash Only Pullover Style Sports Bra,Machine Wash (Hand Wash Recommanded) Active Workout Sports Bra & Tight Fitting for Support -- Super Comfort and Super Soft Fabric These sports bras are well made from double, non-fading and quick-dry fabric that wicks moisture away from your skin, keep you staying cool and comfortable during workouts. Perfect for jogging, yoga, pilates, cycling, gym fitness, and everyday exercise wear."}, {"name": "Essential Source - Bonita Hair Skin Nails 90 Softgels", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 4.8 x 2.36 x 2.24 inches; 6.38 Ounces", "UPC\n \u200f": "\u200e\n 752830269583", "Manufacturer\n \u200f": "\u200e\n Essential Source, Inc.", "ASIN\n \u200f": "\u200e\n B07HYCDLN6", "Best Sellers Rank": "#105,704 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#2,173 in Nail Polish", "#2,173 in Nail Polish": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Essential Source Store", "brand_url": "https://www.amazon.com/stores/Essential+Source/page/6D7D312F-C087-4B26-8683-80CA8D03E8E3?ref_=ast_bln", "full_description": "A 90 Day Supply of our time-tested Bonita Hair Skin Nail Softgels, providing unsurpassed beauty, at an amazing value. Beauty starts from within, and with just one Bonita softgel daily.", "pricing": "$44.96", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/418cM2b4emL.jpg", "https://m.media-amazon.com/images/I/41Gt+SGNgdL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Foot, Hand & Nail Care \u203a Nail Art & Polish \u203a Nail Polish", "average_rating": 4.6, "small_description": ["90 Count Value Size! Saves you 20% over buying three month supply ", "Advanced Complex with 15 Active Ingredients ", "Convenient Once-A-Day Softgel for Superior Bioavailabilty ", "Beautiful Hair, Skin, and Nails has never been so easy! ", "MANUFACTURER WARRANTY \u2013 Guarantees that the product will be free from manufacturer defect "], "total_reviews": 105, "total_answered_questions": 3, "customization_options": "", "seller_id": "A37GHHN8JBVZDY", "seller_name": "Essential Source, Inc.", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07HYCDLN6", "category": "beauty", "query": "Hair Loss Products", "page": 73, "small_description_old": "About this item 90 Count Value Size! Saves you 20% over buying three month supply Advanced Complex with 15 Active Ingredients Convenient Once-A-Day Softgel for Superior Bioavailabilty Beautiful Hair, Skin, and Nails has never been so easy! MANUFACTURER WARRANTY \u2013 Guarantees that the product will be free from manufacturer defect"}, {"name": "20pk Hawaiian Typhoon Microwave Popcorn Singles", "product_information": {"ASIN\n \u200f": "\u200e\n B001LDRMVU", "Best Sellers Rank": "#634,992 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#686 in Microwave Popcorn", "#686 in Microwave Popcorn": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$163.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/61HUKdNQIVL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Popcorn \u203a Microwave", "average_rating": 5, "small_description": [""], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A1DMK5KGB43W2R", "seller_name": "Hawaiian Hurricane Popcorn", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B001LDRMVU", "category": "grocery", "query": "Popcorn", "page": 157, "small_description_old": ""}, {"name": "L'Oreal Paris Cosmetics Colour Riche Ultra Matte Highly Pigmented Nude Lipstick, Lilac Impulse, 0.13 Ounce", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 0.81 x 0.81 x 3.02 inches; 0.82 Ounces", "Item model number\n \u200f": "\u200e\n 071249374542", "UPC\n \u200f": "\u200e\n 071249374542", "Manufacturer\n \u200f": "\u200e\n L'Oreal Paris", "ASIN\n \u200f": "\u200e\n B07C8NSB75", "Best Sellers Rank": "#6,195 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#53 in Lipstick", "#53 in Lipstick": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the L'Oreal Paris Store", "brand_url": "https://www.amazon.com/stores/LOrealParis/page/EF96A034-207F-4A7B-BFB9-820DB59A02DB?ref_=ast_bln", "full_description": "Find your perfect nude lipstick shade with intense hydration and a super matte finish. Color Riche Ultra Matte is a highly pigmented, ultra-rich matte collection curated with lip tone nude shades to enhance your natural hue. The end result, your rich nude lips but better. Colour Riche Ultra Matte are formulated with silky oils providing intense hydration for all day comfort and wear, while feeling light on lips. A luxurious lipstick formulated with a light diffusing gel that brings a soft-focus focus effect on the lips, making lips appear smooth and matte without a dry look. From warm pink shades to skin flattering nudes, find the perfect nude hue. Packaging May Vary", "pricing": "$7.99", "list_price": "", "availability_quantity": 18, "availability_status": "Only 18 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31d-+M8NEiL.jpg", "https://m.media-amazon.com/images/I/31cHn9w5xOL.jpg", "https://m.media-amazon.com/images/I/41vS++hUIHL.jpg", "https://m.media-amazon.com/images/I/51ywYymPamL.jpg", "https://m.media-amazon.com/images/I/311n4oup3vL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Lips \u203a Lipstick", "average_rating": 4.5, "small_description": ["L\u2019Oreal Paris Colour Riche Ultra Matte Nude Lipsticks - Highly pigmented, super matte finish - In one stroke, experience rich lip color and comfortable wear ", "Lip tone nude lipstick shades that enhance the natural color of your lips - 16 Nudes for every skin and lip tone -The End Result: Your lips but better ", "Formulated with Jojoba Oil to provide intense hydration all day and a comfortable lightweight feel on lips ", "Full coverage Matte, In a smooth gliding lipstick that enhances natural lip color and melts onto lips when applied ", "Blurs imperfections and fills in lip lines for more even looking lips without a dry look "], "total_reviews": 2219, "total_answered_questions": 23, "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07BMY4JPZ/ref=twister_B07CFXH9HJ?_encoding=UTF8&psc=1", "value": "All Out Pout", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31tsePRK66L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07C8NMM4D/ref=twister_B07CFXH9HJ", "value": "Berry Extreme", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31Q1El2f2PL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07BMY1FK7/ref=twister_B07CFXH9HJ?_encoding=UTF8&psc=1", "value": "Bold Mauve", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31I+xaarhUL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07C8XRGLH/ref=twister_B07CFXH9HJ?_encoding=UTF8&psc=1", "value": "Cutting Edge Cork", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31tyWnCDXBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07BMY4JQ9/ref=twister_B07CFXH9HJ?_encoding=UTF8&psc=1", "value": "Daring Blush", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31ztnSVAK7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07C8X7MCD/ref=twister_B07CFXH9HJ", "value": "Defiant Orchid", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31OBU-98PKL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07BN1YXY2/ref=twister_B07CFXH9HJ?_encoding=UTF8&psc=1", "value": "Full-Blown Fawn", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31WCR+73qML.jpg"}, {"is_selected": true, "url": null, "value": "Lilac Impulse", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21PXMdMCcDL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07C8NMM41/ref=twister_B07CFXH9HJ?_encoding=UTF8&psc=1", "value": "Passionate Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31S-zmEeXwL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07BMY4CJJ/ref=twister_B07CFXH9HJ?_encoding=UTF8&psc=1", "value": "Power Petal", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31lqS6IBeOL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07C8XLF2S/ref=twister_B07CFXH9HJ?_encoding=UTF8&psc=1", "value": "Radical Rosewood", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31+8hi2EUrL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07BN1J6CX/ref=twister_B07CFXH9HJ?_encoding=UTF8&psc=1", "value": "Rebel Rouge", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31fYt9usTGL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07BN24SLZ/ref=twister_B07CFXH9HJ", "value": "Risque Roses", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31XAcvMt4qL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07BMY1XNW/ref=twister_B07CFXH9HJ", "value": "Sienna Supreme", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/3125MetvI9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07BN1XQYX/ref=twister_B07CFXH9HJ", "value": "Ultra Nude", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31CASJCMvbL.jpg"}], "Size": [{"is_selected": true, "url": null, "value": "0.13 Ounce (Pack of 1)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07C8NMM4D/ref=twister_B07CFXH9HJ", "value": "0.13 Ounce", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A30P86TDUOKT9B", "seller_name": "SSTAR BEAUTY", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07C8NSB75", "category": "beauty", "query": "Lips Makeup", "page": 20, "small_description_old": "About this item L\u2019Oreal Paris Colour Riche Ultra Matte Nude Lipsticks - Highly pigmented, super matte finish - In one stroke, experience rich lip color and comfortable wear Lip tone nude lipstick shades that enhance the natural color of your lips - 16 Nudes for every skin and lip tone -The End Result: Your lips but better Formulated with Jojoba Oil to provide intense hydration all day and a comfortable lightweight feel on lips Full coverage Matte, In a smooth gliding lipstick that enhances natural lip color and melts onto lips when applied Blurs imperfections and fills in lip lines for more even looking lips without a dry look"}, {"name": "TOMS Womens Classic Canvas Slip-On,White,5.5 M US", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 11.5 x 6.5 x 4 inches; 2 Pounds", "Item model number\n \u200f": "\u200e\n 10014410", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n March 12, 2009", "ASIN\n \u200f": "\u200e\n B001J6NXFS", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the TOMS Store", "brand_url": "https://www.amazon.com/stores/TOMSShoesLLC/page/18E8A041-0EF9-4ACE-A877-34048F8EDEAA?ref_=ast_bln", "full_description": "Toms Women Canvas Classic White 001001B07-WHT: The foundation to the One for One movement: TOMS Original Classics. TOMS Shoes was founded in 2006 by Blake Mycoskie. The shoe is a unique slip-on design comprised of clean lines and lightweight fabrics in vibrant colors and prints. TOMS was founded when Blake was inspired on a trip to Argentina by the traditional, rope-soled Argentine \"alpargata.\" He was struck by the poverty and health issues of the country, and set out to reinvent the alpargata for the U.S. market, and in doing so to accomplish one goal: Making life more comfortable for those without shoes. To realize this purpose, Blake made a commitment to match every pair of TOMS purchased with a donation of a pair to a child in need. It's simple: If you buy a pair of TOMS, the company will give a pair to someone in need on your behalf. During its first year in business, TOMS sold 10,000 pairs of shoes, and Blake returned to Argentina to lead his first annual Shoe Drop during which he donated to the children who had inspired him. TOMS Shoes are now available in multiple colors and fabric combinations for men, women and a recently introduced line for children, aptly titled Tiny TOMS.", "pricing": "$76.24", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/41BJwxMek7L.jpg", "https://m.media-amazon.com/images/I/51UZCLJtlNL.jpg", "https://m.media-amazon.com/images/I/51ravHTnc3L.jpg", "https://m.media-amazon.com/images/I/41Yqvbm37DL.jpg", "https://m.media-amazon.com/images/I/41iiTCTcBdL.jpg", "https://m.media-amazon.com/images/I/31sJFzPfK7L.jpg", "https://m.media-amazon.com/images/I/412HGOIo2mL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Flats", "average_rating": 5, "small_description": ["Brand New ", "One-piece mixed-rubber outsole for resilience, flexibility and durability ", "Canvas upper with TOMS toe-stitch, and elastic V for easy on and off ", "TOMS classic suede insole with cushion for comfort ", "Latex arch insert for added support "], "total_reviews": 5, "total_answered_questions": "", "customization_options": "", "seller_id": "A31RXMRCNPZ6AJ", "seller_name": "REVOL USA", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B001J6NXFS", "category": "fashion", "query": "Women's Loafers & Slip-Ons", "page": 131, "small_description_old": "Brand New One-piece mixed-rubber outsole for resilience, flexibility and durability Canvas upper with TOMS toe-stitch, and elastic V for easy on and off TOMS classic suede insole with cushion for comfort Latex arch insert for added support"}, {"name": "DEUVOUM Summer Trend Mesh Shoes Men's Sports Shoes Solid Color Lace-Up Sneakers Fashion All-Match Walking Shoes Outdoor Hiking Shoes Non-Slip Shock-Absorbing Casual Sports Shoes", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 11.81 x 7.87 x 3.15 inches; 1.06 Pounds", "Item model number\n \u200f": "\u200e\n DEUVOUM-Trend Mesh Shoes-ZXC977", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n January 21, 2022", "Manufacturer\n \u200f": "\u200e\n DEUVOUM", "ASIN\n \u200f": "\u200e\n B09QXF3V3X", "": ""}, "brand": "Brand: DEUVOUM", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_sh_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=DEUVOUM", "full_description": "flip flops black sandals with heels for women sandals women 39 sandals women espadrille platform flip and slide trap platform espadrille sandals for women low wedge booties splitting wedge black pointed flats flip flop decor women's retro leopard zip flip-flop sandals ballet flats for girls foam flip flops my first slide cork sandals drawstring makeup bag opens baretraps sandals for women black wedges for women dressy beach flip flops men heavy duty flip flops wood heel sandals greece sandal flip flops kids under flip flops for women yellow wedges shoes for women black wedges men flip flops size 7 sandals toddler girls male flip flops flip flops men silver high heels for women purple heels toddler boy sandals birdies shoes women flats sorrel sandals women strappy wedge sandals for women bamboo platform boys flip flops mens flip flops 12 heel sandals for kids shoes wedges holographic sandals women lace up heeled sandals manual log splitter wedge extra wide sandals for men feet arch support women best flip flops women sandals size 9 slides navy flats for women woman sandals slide slippers for women strap sandals open toe sandals for men sandals women sandals low heel platform loafers for women ladies sandals size 8 lucky fake slides slip-n-slide women sandals heels flip flops for women reef sandal women sneaker sandals for women foam wedge flip flops premium orthopedic open toe sandals conrad flip flops platform slide sandals womens silver sandals on go sandals bunion correction sandals water slide paper water slide decal paper inkjet low profile platform ribbon fox fur slides slide sandals for boys silver platform sandals flip flop women mens gladiator sandals espadrilles sandals hiking sandals slide sandal emo boots platforms slide naughty sandals for women grass flip flops for men comfity studded sandals wedges sandals low wedge boots joanie wedge sandal prime flip flops womens flip flops size 12", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/41-En679KGS.jpg", "https://m.media-amazon.com/images/I/51d6YO9nn5S.jpg", "https://m.media-amazon.com/images/I/416XFuBP7dS.jpg", "https://m.media-amazon.com/images/I/51GRvyx0nUS.jpg", "https://m.media-amazon.com/images/I/51IBTz0IWbL.jpg", "https://m.media-amazon.com/images/I/41rbesEYVGS.jpg", "https://m.media-amazon.com/images/I/51iay+XtIgS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Athletic \u203a Golf", "average_rating": "", "small_description": ["\u2740\u3010ABOUT SHOE SIZE\u3011Our size is standard size, if you don't know what size to choose, please refer to the size menu in the second product picture. Sole size is manufacturing size, not US size. ", "Made in USA and Imported ", "\u2740\u3010SUPPORT & CUSHIONING\u3011The neutral support type provides high energy cushioning, and the breathable insole fits your feet for comfort during exercise, giving you all-weather support. Perfect for road runs, cross training, the gym or anywhere you want to take them! ", "Rubber sole ", "Shaft measures approximately \u2740\u3010EASY TO WEAR\u3011The shoes are made of high-quality elastic bands, which are more convenient to put on and take off, and will not be deformed by repeated pulling. centimeters from arch ", "Heel measures approximately \u2740\u3010SUITABLE FOR OCCASIONS\u3011Suitable for various occasions. Whether you are working, walking, fishing, traveling, dancing, these shoes will give you a comfortable experience. centimeters ", "Platform measures approximately \u2740\u3010GUARANTEE YOUR SHOPPING PLEASURE\u3011We take customer service seriously and hope you are satisfied with your shopping experience. If you have any questions or comments, please feel free to contact us and we will do our best to accommodate your needs. , Boot opening measures approximately 10.5\" around, wedge boots women's jody block heel turquoise floral sandals for women casual womens shoes comfortable walking jelly beartraps wedge ankle boots toe sandals for women black mink slides wedges shoes lace up heels funky cheap flip flops, keens sliding miter saw womens shoes hidden wedges platform feeder nomadic state of mind rope sandals plastic flip flops for women step stool wedge boots men wedge booties kids flip flops summer sandals for men platform tennis, fuzzy slide sandal navy blue flip flops for women mush mens slide sandals cali womens heel espadrilles wedges ballet girls water sandals 70s platform shoes for women slip on sneakers womens flip flops size 6 stand wedges barefoot, womens sport sandals orthotic sandals for women dress sandal heels furry slides for kids plantar fasciitis sandals for women faux fur slides for women womens red sandals black sandal heels for women yoga foam flip flops for women fairycore clothing ladies slides platform shoes for kids bare trap sandals for women sport sandals lace up sandals for women low heel mens platform shoes 71s espadrilles wedges women shoes sea breeze flip flops women wedge shoes women clothes, flats black wedge shoes square toe sandals low platform boots low block heel sandals platform sandals women chunky heel womens sandals wedge square heel sandals flip flop pointy flats for women metallic sandals for women women s sandals baseball flip flops womens slide whistle women's heels platform espadrilles women shoes womens wedge heels cork sandals women womens leather flip flops sandals womens sandals size 9 strappy platform sandals covered toe sandals"], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QXF3V3X", "category": "fashion", "query": "Men's Outdoor Shoes", "page": 191, "small_description_old": "\u2740\u3010ABOUT SHOE SIZE\u3011Our size is standard size, if you don't know what size to choose, please refer to the size menu in the second product picture. Sole size is manufacturing size, not US size. Made in USA and Imported \u2740\u3010SUPPORT & CUSHIONING\u3011The neutral support type provides high energy cushioning, and the breathable insole fits your feet for comfort during exercise, giving you all-weather support. Perfect for road runs, cross training, the gym or anywhere you want to take them! Rubber sole Shaft measures approximately \u2740\u3010EASY TO WEAR\u3011The shoes are made of high-quality elastic bands, which are more convenient to put on and take off, and will not be deformed by repeated pulling. centimeters from arch Heel measures approximately \u2740\u3010SUITABLE FOR OCCASIONS\u3011Suitable for various occasions. Whether you are working, walking, fishing, traveling, dancing, these shoes will give you a comfortable experience. centimeters Platform measures approximately \u2740\u3010GUARANTEE YOUR SHOPPING PLEASURE\u3011We take customer service seriously and hope you are satisfied with your shopping experience. If you have any questions or comments, please feel free to contact us and we will do our best to accommodate your needs. \n Boot opening measures approximately 10.5\" aroundpointy toe flats for women bamboo womens lace up block heel ankle twin deadlift platform womens flats size 9 flip-flops for women dress shoes high heels iqushion flip flop brown leather sandals sandals for women gold heel mens flip flopsflip flops flop socks for women womens loafer shoes viking platform sandals with heels black metal water dress sandals womens stiletto high heels strappy lace up round toe flats for women knee platform boots youth slides wedgeswedge dress black platform pumps slip n slide tarp insoles feet men women's wedge sandals fancy flip flops for women reef denim boots ankle booties mens size 13 women's flats cushion flip flops for women supportive sandals black shoesti stamping platform winter boots for women platform cotton hounds sandals low platform heels shower flip flops women gladiator sandals for women with heels 25 inch platform low heel wedge blue wedges for women rhinestone sandals wedges for kids metallic sandal heels tutu flip flops womens brown flip flops foldable slippers for women sandals for women gold ballet flats sandals leather flip flops for men clear wedge heels for women woman flip flops beach sandals forsandals cute flip flops payless sandals for women shoes for women platform for kids toddler slide slide for kids olive green sandals for women yucatan sandals mens toddler flats sandals women wedges shoes for women sandals platform sandals for women shoes for women sandals women's business casual shoes insoles for feet men arch fit sandals bohemian sandals women super posh gladiator comfy sandals ballet shoes for women flats comfortable smen's slides men sandalsShow more"}, {"name": "Kodak Playsport Zx3 HDMI Mini (Type C) Cable - HDMI Mini (Type C)", "product_information": {"Product Dimensions": "0.39 x 7.87 x 1.97 inches", "Manufacturer": "Link It", "ASIN": "B00A974J3I", "Best Sellers Rank": ["#17,764 in HDMI Cables"], "Date First Available": "November 18, 2012"}, "brand": "Brand: Link It", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Link+It", "full_description": "Link It - Kodak Digital Camcorder - - Zx3", "pricing": "$10.48", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31GkkvrNKAL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Video Cables \u203a HDMI Cables", "average_rating": "", "small_description": ["6 Ft / 1.8 M - Brand new HDMI cable ", "Backed by one year warranty "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AKOZURDVYWB0V", "seller_name": "DIGITMON", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00A974J3I", "category": "electronics", "query": "HDMI Cables", "page": 381, "small_description_old": "About this item 6 Ft / 1.8 M - Brand new HDMI cable Backed by one year warranty"}, {"name": "Farmasi Make Up Face Perfecting Pressed Powder No:03 Neutral Medium (2018)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 2.95 x 0.2 x 2.95 inches; 2.15 Ounces", "Manufacturer recommended age\n \u200f": "\u200e\n 4 months and up", "Manufacturer\n \u200f": "\u200e\n Farmasi", "ASIN\n \u200f": "\u200e\n B07LGBVH6L", "Best Sellers Rank": "#322,212 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,633 in Face Powder", "#1,633 in Face Powder": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: FARMASi", "brand_url": "https://www.amazon.com/FARMASi/b/ref=bl_dp_s_web_8380529011?ie=UTF8&node=8380529011&field-lbr_brands_browse-bin=FARMASi", "full_description": "With its special silky texture, It is very easy to apply Farmasi compact powder to enjoy a velvety softness and smooth look. Provides the skin with a natural bright finish, mattifying and evening out the complexion. The skin tone becomes flawless, radiant and matt all day long. Perfectly matches skin tone and texture. Leaves the skin feeling velvety soft and silky smooth.", "pricing": "$16.95", "list_price": "", "availability_quantity": 8, "availability_status": "Only 8 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31wMArq6jDL.jpg", "https://m.media-amazon.com/images/I/41W-ZGUgPjL.jpg", "https://m.media-amazon.com/images/I/51hWdB3KpvL.jpg", "https://m.media-amazon.com/images/I/513Ehsm5USL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Face \u203a Powder", "average_rating": 3.4, "small_description": ["With its special silky texture, It is very easy to apply Farmasi compact powder to enjoy a velvety softness and smooth look ", "Provides the skin with a natural bright finish, mattifying and evening out the complexion ", "The skin tone becomes flawless, radiant and matt all day long ", "Perfectly matches skin tone and texture. Leaves the skin feeling velvety soft and silky smooth "], "total_reviews": 4, "total_answered_questions": "", "customization_options": "", "seller_id": "A13OBUCFB19BC3", "seller_name": "Red Door Collections", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07LGBVH6L", "category": "beauty", "query": "Face Makeup", "page": 71, "small_description_old": "About this item With its special silky texture, It is very easy to apply Farmasi compact powder to enjoy a velvety softness and smooth look Provides the skin with a natural bright finish, mattifying and evening out the complexion The skin tone becomes flawless, radiant and matt all day long Perfectly matches skin tone and texture. Leaves the skin feeling velvety soft and silky smooth"}, {"name": "Clearance Deals Retro T-Shirt Bee Printed Blouse, 2021 Summer Fashion Boys Men 3D Round Neck Short Sleeve Tee Tops", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n July 18, 2017", "ASIN\n \u200f": "\u200e\n B0936M1T34", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the iLH Store", "brand_url": "https://www.amazon.com/stores/iLH/page/D0CC473F-4774-4BBC-963A-6A02C80DE40D?ref_=ast_bln", "full_description": "Product information: Season:Summer,Spring Collar:O neck Fit:Fits ture to size Your satisfaction are very important for us.We strive to offer you the best value and service possible. \u2764\u2764\u273f\u2605\u273f\u261eSize Charts: \u273f\u2605\u273fSize:S _ US:6 _ UK:10 _ EU:36 _ Bust:100cm/39.37'' _ Sleeve Length:21.2cm/8.35'' _ Length:67cm/26.38'' \u273f\u2605\u273fSize:M _ US:8 _ UK:12 _ EU:38 _ Bust:105cm/41.34'' _ Sleeve Length:22cm/8.66'' _ Length:68cm/26.77'' \u273f\u2605\u273fSize:L _ US:10 _ UK:14 _ EU:40 _ Bust:110cm/43.31'' _ Sleeve Length:22.5cm/8.86'' _ Length:69cm/27.17'' \u273f\u2605\u273fSize:XL _ US:12 _ UK:16 _ EU:42 _ Bust:115cm/45.28'' _ Sleeve Length:23cm/9.06'' _ Length:70cm/27.56'' \u273f\u2605\u273fSize:XXL _ US:14 _ UK:18 _ EU:44 _ Bust:120cm/47.24'' _ Sleeve Length:23.5cm/9.25'' _ Length:71cm/27.95'' \u273f\u2605\u273fSize:XXXL _ US:16 _ UK:20 _ EU:46 _ Bust:125cm/49.21'' _ Sleeve Length:24cm/9.45'' _ Length:72cm/28.35'' \u273f\u2605\u273fSize:XXXXL _ US:18 _ UK:22 _ EU:48 _ Bust:130cm/51.18'' _ Sleeve Length:24.5cm/9.65'' _ Length:73cm/28.74'' \u273f\u2605\u273fSize:XXXXXL _ US:20 _ UK:24 _ EU:50 _ Bust:135cm/53.15'' _ Sleeve Length:25cm/9.84'' _ Length:74cm/29.13'' Tips: Please allow 0.5~1.5 cm differs due to manual measurement, Thanks so much! \u2764\u2764\u2764\u2764\u2764\u2764 \u2605\u262a\u2605NOTE:\u2605\u262a\u2605 1.Please check the size detail carefully before you purchase. 2.Items are measured by hand,there will be a slight deviation. 3. Due to different computers display colors differently,the color of the actual item may vary slightly from the above images,Thanks for your understanding. 4.Any questions or problems to our products or service, please email us freely, we will reply and solve it for you ASAP.Click\"ZYooh\" for more new fashion style items", "pricing": "$9.99$11.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41GiHoSMxEL.jpg", "https://m.media-amazon.com/images/I/6197MWSDLgL.jpg", "https://m.media-amazon.com/images/I/41nNeGltmKL.jpg", "https://m.media-amazon.com/images/I/41jNF0KNDPL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Men \u203a Shirts \u203a T-Shirts", "average_rating": 4, "small_description": ["\u27645-7 Days Expedited Shipping.\u276415-20 Days Standard shipping.\u2764Within 24 Hours Shipping Out.\u2764 Heavyweight pocket tee shirt big tall short sleeve tri short sleeve sleeve big brother shirt 18 years boys shirt tank men peasant blouse independence day birthday boy shirt ", "\u2764Stylish and fashion Print design make you more attractive men summer men clothes keeper shirt lock shirt neck shirt folder shirt collar stays shirt 90s birthday boy shirt short sleeve shirt xxl tank men shirt men woven camisole tank top tee shirt flannel shirt extender plus size shirt 2021 shirt glorious comfort shirt for men big and tall for men funny under 10$ shirt ", "\u2764SIZE NOTE:Refer to ours SIZE CHART,Choose BIGGER size would be better,from customer's feedback,thanks.mens shirts trendy mens shirts tank tops funny mens shirts adult humor mens shirts athletic mens shirts athletic fit mens shirts anime mens shirts and shorts set mens shirts fashion hip hop mens shirts fashion design mens shirts fashion button up mens shirts fashion summer mens shirts 4xlt mens shirts big and tall mens shirts long sleeve 5xlt mens shirts big and tall ", "\u2764Satisfaction 100% Guaranteed:Click\"ZYooh\" for more new fashion style items;If you any have problems about our items,please feel free to contact us.Provide satisfactory response within 24 hours. mens shirts fashion mens shirts casual mens shirts big and tall tall mens shirts tall mens shirts tall hawaiian mens shirts tropical mens shirts tall sizes mens shirts t shirts graphic shirts for men hip hop shirts for men hawaiian shirts for men hip hop golf shirts for men dry fit golf shirts ", "funny polo golf shirts for men big and tal muscle shirts for men workout shirts for guys white shirts drip shirts for men work compression shirts for men summer 2022 men's t-shirt novelty funny shirt 3d graphic t-shirt outdoor basic cotton t-shirt sleeveless shirts gym shirts hem tank top graphic t-shirt under 10$ shirt birthday valentine's day gift t-shirt crew neck comfort soft t-shirt long sleeve work out blouse blouse tees shirts top button down shirt sport vest comfortsoft gifts t-shirt "], "total_reviews": 59, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41GiHoSMxEL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LV98V6T/ref=twister_B078WT46QV", "value": "E-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51ib4flOEFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LVB4PHL/ref=twister_B078WT46QV", "value": "E-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41g4lHvLpeL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LV8M2FX/ref=twister_B078WT46QV", "value": "E-orange", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51M0WA7EHFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LV9WY8C/ref=twister_B078WT46QV", "value": "E-purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51KgWkcXDdL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LVBGZ5R/ref=twister_B078WT46QV", "value": "E-white", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51UstZWdoIL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0936CHCSF/ref=twister_B078WT46QV", "value": "B-gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51cO7b51WmS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0936D5ZKD/ref=twister_B078WT46QV", "value": "B-yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/512CYcLrowS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09368BFVW/ref=twister_B078WT46QV", "value": "A-gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41V5+7Iz9SS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0936JG4QY/ref=twister_B078WT46QV", "value": "A-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41NuEEYk3HS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0936SL477/ref=twister_B078WT46QV", "value": "A-red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/412Cs9NmFDS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09362RMJG/ref=twister_B078WT46QV", "value": "C-yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51u6kZr7GML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0936GQVJ1/ref=twister_B078WT46QV", "value": "D-yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51T1yhFX8GS.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B0936M1T34"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B078WT8QFT"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B078WSND96"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B078WTQYVY"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B078WTSXWR"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B078WTJ4XY"}, {"is_selected": false, "is_available": true, "value": "4X-Large", "asin": "B09LV134G2"}, {"is_selected": false, "is_available": true, "value": "5X-Large", "asin": "B09LV2CYD9"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B078WSND96", "category": "fashion", "query": "Men's T-Shirts & Tanks", "page": 162, "small_description_old": "100% Polyester Button closure \u27645-7 Days Expedited Shipping.\u276415-20 Days Standard shipping.\u2764Within 24 Hours Shipping Out.\u2764 Heavyweight pocket tee shirt big tall short sleeve tri short sleeve sleeve big brother shirt 18 years boys shirt tank men peasant blouse independence day birthday boy shirt \u2764Stylish and fashion Print design make you more attractive men summer men clothes keeper shirt lock shirt neck shirt folder shirt collar stays shirt 90s birthday boy shirt short sleeve shirt xxl tank men shirt men woven camisole tank top tee shirt flannel shirt extender plus size shirt 2021 shirt glorious comfort shirt for men big and tall for men funny under 10$ shirt \u2764SIZE NOTE:Refer to ours SIZE CHART,Choose BIGGER size would be better,from customer's feedback,thanks.mens shirts trendy mens shirts tank tops funny mens shirts adult humor mens shirts athletic mens shirts athletic fit mens shirts anime mens shirts and shorts set mens shirts fashion hip hop mens shirts fashion design mens shirts fashion button up mens shirts fashion summer mens shirts 4xlt mens shirts big and tall mens shirts long sleeve 5xlt mens shirts big and tall \u2764Satisfaction 100% Guaranteed:Click\"ZYooh\" for more new fashion style items;If you any have problems about our items,please feel free to contact us.Provide satisfactory response within 24 hours. mens shirts fashion mens shirts casual mens shirts big and tall tall mens shirts tall mens shirts tall hawaiian mens shirts tropical mens shirts tall sizes mens shirts t shirts graphic shirts for men hip hop shirts for men hawaiian shirts for men hip hop golf shirts for men dry fit golf shirts funny polo golf shirts for men big and tal muscle shirts for men workout shirts for guys white shirts drip shirts for men work compression shirts for men summer 2022 men's t-shirt novelty funny shirt 3d graphic t-shirt outdoor basic cotton t-shirt sleeveless shirts gym shirts hem tank top graphic t-shirt under 10$ shirt birthday valentine's day gift t-shirt crew neck comfort soft t-shirt long sleeve work out blouse blouse tees shirts top button down shirt sport vest comfortsoft gifts t-shirt"}, {"name": "GLOBALWIN Men's Casual Slip On Penny Loafers Lightweight Driving Shoes", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 11.4 x 6.6 x 4.2 inches; 1.2 Pounds", "Item model number\n \u200f": "\u200e\n GW-M2005-3-SZ-7", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n February 18, 2020", "ASIN\n \u200f": "\u200e\n B082MTDLHK", "Best Sellers Rank": "#536,272 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,463 in Men's Loafers & Slip-Ons", "#1,463 in Men's Loafers & Slip-Ons": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the GLOBALWIN Store", "brand_url": "https://www.amazon.com/stores/GLOBALWIN/page/8CF086DD-E6F3-4A12-B56D-80CB1BDC24F3?ref_=ast_bln", "full_description": "", "pricing": "$29.99$49.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41yDXMLb34L.jpg", "https://m.media-amazon.com/images/I/4156VxW-1lL.jpg", "https://m.media-amazon.com/images/I/41x-YgHMh0L.jpg", "https://m.media-amazon.com/images/I/41xhhGuuKIL.jpg", "https://m.media-amazon.com/images/I/51FcZVVtztL.jpg", "https://m.media-amazon.com/images/I/31nHgu-NBcL.jpg", "https://m.media-amazon.com/images/I/31wruf2eujL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Loafers & Slip-Ons", "average_rating": 4, "small_description": ["Rubber sole ", "These slip on loafer shoes were craft from soft smooth faux leather lining and lightly padded insoles which keep feet flexible and comfortable.In addition, anti slip rubber solesenhance the stability and comfort. ", "Easy to slip on and off. Whether you\u2019re on foot or behind the wheel,these driving shoes features a rubber sole which will keep your feet comfortable all day long. ", "Available in Black, Grey and Brown. Choose from one of the classic colors for an elegant look or a casual look for all occasions. ", "Nothing more versatile than these. You can easily pair them with anything in your wardrobe. "], "total_reviews": 130, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": false, "value": "7", "asin": "B082MTDLHK"}, {"is_selected": false, "is_available": false, "value": "7.5", "asin": "B082MT7Q1H"}, {"is_selected": false, "is_available": false, "value": "8", "asin": "B082MTMMK7"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B082MT9162"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B082MTXJJX"}, {"is_selected": false, "is_available": true, "value": "9.5", "asin": "B082MTLWFZ"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B082MSMJZY"}, {"is_selected": false, "is_available": true, "value": "10.5", "asin": "B082MSNGXW"}, {"is_selected": false, "is_available": true, "value": "11", "asin": "B082MTCYN2"}, {"is_selected": false, "is_available": true, "value": "12", "asin": "B082MTFKXN"}, {"is_selected": false, "is_available": true, "value": "13", "asin": "B082MTFSV8"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B082MTC41P/ref=twister_B082MSZ24M", "value": "2005brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ry4PuBjKL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B082MTKG11/ref=twister_B082MSZ24M", "value": "2005grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/413URlNDFZL.jpg"}, {"is_selected": true, "url": null, "value": "2005black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41yDXMLb34L.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B082MT9162", "category": "fashion", "query": "Men's Loafers & Slip-Ons", "page": 18, "small_description_old": "Rubber sole These slip on loafer shoes were craft from soft smooth faux leather lining and lightly padded insoles which keep feet flexible and comfortable.In addition, anti slip rubber solesenhance the stability and comfort. Easy to slip on and off. Whether you\u2019re on foot or behind the wheel,these driving shoes features a rubber sole which will keep your feet comfortable all day long. Available in Black, Grey and Brown. Choose from one of the classic colors for an elegant look or a casual look for all occasions. Nothing more versatile than these. You can easily pair them with anything in your wardrobe."}, {"name": "Elk Lighting 57280/1 Stix 1 Light Wood with Seedy Glass Sconce", "product_information": {"Manufacturer": "\u200eElk Lighting", "Part Number": "\u200e57280/1", "Item Weight": "\u200e5.6 pounds", "Product Dimensions": "\u200e6 x 5 x 29 inches", "Country of Origin": "\u200eChina", "Item model number": "\u200e57280/1", "Is Discontinued By Manufacturer": "\u200eNo", "Size": "\u200enot specified", "Color": "\u200eLight Wood", "Style": "\u200eContemporary", "Finish": "\u200eLight Wood", "Material": "\u200eAlloy Steel, Glass", "Power Source": "\u200eCorded-electric", "Voltage": "\u200e120 Volts", "Wattage": "\u200e60 watts", "Item Package Quantity": "\u200e1", "Number Of Pieces": "\u200e1", "Type of Bulb": "\u200eIncandescent", "Measurement System": "\u200eEnglish/Standard", "Mounting Type": "\u200eProtruding", "Plug Format": "\u200eA- US style", "Certification": "\u200eUL Listed", "Usage": "\u200ePersonal, Lighting, Home, Upgrade", "Included Components": "\u200eFrame, Glass, Hardware, Backplate", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "Warranty Description": "\u200e1 year manufacturer.", "ASIN": "B07NLHNQCG", "Best Sellers Rank": ["#1,603,985 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #11,785 in Wall Sconces"], "Date First Available": "February 11, 2019"}, "brand": "Brand: ELK Lighting", "brand_url": "https://www.amazon.com/ELK-Lighting/b/ref=bl_dp_s_web_2591200011?ie=UTF8&node=2591200011&field-lbr_brands_browse-bin=ELK+Lighting", "full_description": "The Stix outdoor sconce features a small gathering of \"sticks\" embodying nature inspired characteristics delivering an organic style presentation to an outdoor facade. Slender seedy glass shades are perched on top. Finished in Light Wood.", "pricing": "$40.12", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/3176ctOBjuL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Wall Lights \u203a Wall Lamps & Sconces", "average_rating": "", "small_description": ["UL listed ", "light wood finish; seedy glass ", "5W X 6D X 29H ", "HCWO 16 inches ", "1 light 60 watt medium base bulb recommended; pictured with filament style bulb not included "], "total_reviews": "", "total_answered_questions": "", "model": "\u200e57280/1", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07NLHNQCG", "category": "garden", "query": "Sconces", "page": 292, "small_description_old": "About this item\n \nUL listed light wood finish; seedy glass 5W X 6D X 29H HCWO 16 inches 1 light 60 watt medium base bulb recommended; pictured with filament style bulb not included \n \u203a See more product details"}, {"name": "Profusion Cosmetics Mini Artistry Highlight & Contour I Palette Makeup Kit, Long Lasting and Soft Powder Formula - Light Medium", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 13.98 x 7.48 x 5.51 inches; 1.76 Ounces", "Item model number\n \u200f": "\u200e\n 1850-6A", "UPC\n \u200f": "\u200e\n 656497061859", "Manufacturer\n \u200f": "\u200e\n Profusion Cosmetics", "ASIN\n \u200f": "\u200e\n B07N864Q64", "Best Sellers Rank": "#57,773 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#113 in Makeup Palettes", "#113 in Makeup Palettes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Profusion Cosmetics Store", "brand_url": "https://www.amazon.com/stores/Profusion/page/F0C02478-364F-454C-918B-EF6E31BD1062?ref_=ast_bln", "full_description": "", "pricing": "$6.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31GeU+Q6WuL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Makeup Palettes", "average_rating": 4.4, "small_description": ["The Profusion Cosmetics 6 colour highlight and contour palette powder contour kit is the ultimate contouring and highlighting palette that enhances depth and light to emphasize prominent facial features. ", "Our Highlight & Contour Palette allows you to sculpt your face effortlessly, Perfect for both beginners and professionals, Achieve an ultra defined look with its Highlight & Contour shades. ", "6 highlighting and contouring shades perfect for emphasizing your favorite features, Define your features like a pro with our highlighter and contouring palette! All six contour and highlight shades can be mixed and matched. ", "Health and safe ingredients, With the same intensely pigmented formulation as our previous palettes, Hypoallergic, skin-friendly, Cruelty-free, Colors easy to apply. ", "The Profusion Cosmetics Contour Kit Suitable for all skin tones and skin types, Packaged in a sleek, travel-friendly palette, Great for everyday use or for special occasions. "], "total_reviews": 446, "total_answered_questions": 3, "customization_options": "", "seller_id": "A1TRIJHVS64G1A", "seller_name": "Profusion Cosmetics", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07N864Q64", "category": "beauty", "query": "Makeup Palettes", "page": 14, "small_description_old": "About this item The Profusion Cosmetics 6 colour highlight and contour palette powder contour kit is the ultimate contouring and highlighting palette that enhances depth and light to emphasize prominent facial features. Our Highlight & Contour Palette allows you to sculpt your face effortlessly, Perfect for both beginners and professionals, Achieve an ultra defined look with its Highlight & Contour shades. 6 highlighting and contouring shades perfect for emphasizing your favorite features, Define your features like a pro with our highlighter and contouring palette! All six contour and highlight shades can be mixed and matched. Health and safe ingredients, With the same intensely pigmented formulation as our previous palettes, Hypoallergic, skin-friendly, Cruelty-free, Colors easy to apply. The Profusion Cosmetics Contour Kit Suitable for all skin tones and skin types, Packaged in a sleek, travel-friendly palette, Great for everyday use or for special occasions."}, {"name": "Canvas Prints with Your Photos Framed Custom Canvas Prints Photo Prints Personalized Canvas Pictures Wall Art for Bedroom Living Room, Wedding Family Baby Pet", "product_information": {"ASIN": "B09P58VY9G", "Customer Reviews": {"ratings_count": 2, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#601,358 in Home & Kitchen (See Top 100 in Home & Kitchen) #22,297 in Posters & Prints"], "Date First Available": "December 24, 2021"}, "brand": "Brand: FULL HOUSE", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=FULL+HOUSE", "full_description": "", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/415sA0xLTuL.jpg", "https://m.media-amazon.com/images/I/41FXC1VlsIL.jpg", "https://m.media-amazon.com/images/I/51Wz2-BtgJL.jpg", "https://m.media-amazon.com/images/I/512TCjGTXLL.jpg", "https://m.media-amazon.com/images/I/413+N6c2rpL.jpg", "https://m.media-amazon.com/images/I/41sNWM07vJL.jpg", "https://m.media-amazon.com/images/I/31Aa0YBTwLL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Wall Art \u203a Posters & Prints", "average_rating": 5, "small_description": ["\ud83d\udcf8\u3010Unique DIY\u3011The canvas exclusively designed by us to look unique and beautiful, it can spice up your photos and really create your own custom canvas! It can be used to commemorate weddings/pets/landscapes/family etc... You can easily create your own artwork with your favorite photos! ", "\ud83d\udc8e\u3010High-quality Aluminum Frame\u3011Different from the wooden frames on the market, the frame of this customized painting is made of aviation-grade aluminum alloy, which is sturdy and durable, waterproof and dustproof, and can be hung in the bathroom. It has a high reuse rate and is easy to replace. You only need to open the cover to change your favorite screen. ", "\ud83d\udc95\u3010Best Gift\u3011You can customize the best memories you have captured into your exclusive canvas, and give it to your mom, boyfriend, girlfriend, wife, and friends on Valentine\u2019s Day, Christmas, Thanksgiving, birthday, graduation, and holidays. They are pleasantly surprised and add good memories. Our custom paintings are suitable for various decoration styles and can easily create a warm and loving atmosphere. ", "\ud83d\udce6\u3010Good Package\u3011Each of our custom paintings has an exclusively designed outer box packaging with a protective cover to prevent bumps and damage during transportation to ensure that your personalized canvas wall art is intact. ", "\ud83d\udca1\u3010Tips\u30111. Make sure to upload high-resolution pictures for high-quality printing. 2. After uploading the picture, please make sure to stretch it to cover the entire canvas area, and please don\u2019t leave white edges on the edges. "], "total_reviews": 2, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "12\" x 16\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P5BTYBV/ref=twister_B09P58F1BZ?_encoding=UTF8&psc=1", "value": "16\" x 12\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P58CG97/ref=twister_B09P58F1BZ?_encoding=UTF8&psc=1", "value": "16\" x 24\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P57P3W8/ref=twister_B09P58F1BZ?_encoding=UTF8&psc=1", "value": "20\" x 28\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P5799J2/ref=twister_B09P58F1BZ?_encoding=UTF8&psc=1", "value": "24\" x 16\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P58J5CP/ref=twister_B09P58F1BZ?_encoding=UTF8&psc=1", "value": "24\" x 36\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P58NYND/ref=twister_B09P58F1BZ?_encoding=UTF8&psc=1", "value": "28\" x 20\"", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P584QCT/ref=twister_B09P58F1BZ?_encoding=UTF8&psc=1", "value": "36\" x 24\"", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Style1-Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/412RdeWxsrL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P583GQK/ref=twister_B09P58F1BZ?_encoding=UTF8&psc=1", "value": "Style1-Gold", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51oA0kXA9PL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P584NDK/ref=twister_B09P58F1BZ?_encoding=UTF8&psc=1", "value": "Style2-Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51WPAA6nBCL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P58QRBZ/ref=twister_B09P58F1BZ?_encoding=UTF8&psc=1", "value": "Style2-Gold", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51td00HCspL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P575KVX/ref=twister_B09P58F1BZ?_encoding=UTF8&psc=1", "value": "Style3-Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51lVLFqBewL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P58J5CN/ref=twister_B09P58F1BZ?_encoding=UTF8&psc=1", "value": "Style3-Gold", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51JLFMrwkxL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B09P58VY9G", "category": "garden", "query": "Wall art", "page": 343, "small_description_old": "About this item\n \n\ud83d\udcf8\u3010Unique DIY\u3011The canvas exclusively designed by us to look unique and beautiful, it can spice up your photos and really create your own custom canvas! It can be used to commemorate weddings/pets/landscapes/family etc... You can easily create your own artwork with your favorite photos! \ud83d\udc8e\u3010High-quality Aluminum Frame\u3011Different from the wooden frames on the market, the frame of this customized painting is made of aviation-grade aluminum alloy, which is sturdy and durable, waterproof and dustproof, and can be hung in the bathroom. It has a high reuse rate and is easy to replace. You only need to open the cover to change your favorite screen. \ud83d\udc95\u3010Best Gift\u3011You can customize the best memories you have captured into your exclusive canvas, and give it to your mom, boyfriend, girlfriend, wife, and friends on Valentine\u2019s Day, Christmas, Thanksgiving, birthday, graduation, and holidays. They are pleasantly surprised and add good memories. Our custom paintings are suitable for various decoration styles and can easily create a warm and loving atmosphere. \ud83d\udce6\u3010Good Package\u3011Each of our custom paintings has an exclusively designed outer box packaging with a protective cover to prevent bumps and damage during transportation to ensure that your personalized canvas wall art is intact. \ud83d\udca1\u3010Tips\u30111. Make sure to upload high-resolution pictures for high-quality printing. 2. After uploading the picture, please make sure to stretch it to cover the entire canvas area, and please don\u2019t leave white edges on the edges."}, {"name": "50 PCS mixed batch disposable standard round large needle for tattoo needle, used for tattoo machine handle", "product_information": {"Item Weight\n \u200f": "\u200e\n 0.04 Ounces", "Manufacturer\n \u200f": "\u200e\n MINUOSHIPINDIAN", "ASIN\n \u200f": "\u200e\n B08HVH2DZF", "": ""}, "brand": "Brand: MINUOSHIPINDIAN", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=MINUOSHIPINDIAN", "full_description": "Available size: 13/5/7/9 RM (10 pieces of each size)", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31ipiLpWfnL.jpg", "https://m.media-amazon.com/images/I/41G1h35VLNL.jpg", "https://m.media-amazon.com/images/I/41HZ516gWmL.jpg", "https://m.media-amazon.com/images/I/41YmQqWMFDL.jpg", "https://m.media-amazon.com/images/I/41mPLM8Ks9L.jpg", "https://m.media-amazon.com/images/I/41aTf4t5rVL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Piercing & Tattoo Supplies \u203a Tattoo Supplies \u203a Tattoo Machine Parts", "average_rating": "", "small_description": ["1. It is made of high-quality stainless steel and is durable enough for your daily use ", "2. This is a necessity now or in the future ", "3. Each needle is individually packaged in its own factory, which is harmless to your health ", "4. Well-designed and easy to use ", "5. These tattoo needles will give you a satisfactory tattoo "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08HVH2DZF", "category": "beauty", "query": "Piercing & Tattoo Supplies", "page": 83, "small_description_old": "1. It is made of high-quality stainless steel and is durable enough for your daily use 2. This is a necessity now or in the future 3. Each needle is individually packaged in its own factory, which is harmless to your health 4. Well-designed and easy to use 5. These tattoo needles will give you a satisfactory tattoo"}, {"name": "Broad Bay This is Us Sign Solid Wood Personalized Family Farmhouse Decor Wall Art - 16.5\u201d x 10.5\u201d", "product_information": {"Item Weight": "\u200e2 pounds", "Product Dimensions": "\u200e16.5 x 0.75 x 10.5 inches", "ASIN": "B08NXTHM2W", "Customer Reviews": {"ratings_count": 93, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#360,702 in Home & Kitchen (See Top 100 in Home & Kitchen) #3,446 in Decorative Signs & Plaques"], "Date First Available": "October 25, 2020"}, "brand": "Visit the Broad Bay Store", "brand_url": "https://www.amazon.com/stores/BroadBayPersonalizedGifts/page/191FABB3-18E9-46C4-81B9-204D95B0BF2A?ref_=ast_bln", "full_description": "", "pricing": "$44.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41tlzh-6Y8S.jpg", "https://m.media-amazon.com/images/I/41FBerbvD6S.jpg", "https://m.media-amazon.com/images/I/41hd7dIItcS.jpg", "https://m.media-amazon.com/images/I/51HaWak9kNS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Home D\u00e9cor Accents \u203a Decorative Accessories \u203a Decorative Signs & Plaques", "average_rating": 4.8, "small_description": ["THE PERFECT FARMHOUSE DECOR: our white, rustic farmhouse-style decor signs are our most popular style and add a vintage, down-to-earth feel to any home. ", "PERSONALIZED WITH FRESCOPRINT: our superior Frescoprint technology beautifully embeds your design into the underlying natural wood. ", "IMPRESSIVE SIZE: 16.5\u201d x 10.5\u201d x .75\u201d and hangs on the wall or props up on your shelf as a beautiful farmhouse quote and family name decoration. ", "EXPERT CRAFTSMANSHIP: our signs are made from solid wood and never use cheap veneers, plywood, or particle board. "], "total_reviews": 93, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08NXTHM2W", "category": "garden", "query": "Wall art", "page": 334, "small_description_old": "About this item THE PERFECT FARMHOUSE DECOR: our white, rustic farmhouse-style decor signs are our most popular style and add a vintage, down-to-earth feel to any home. PERSONALIZED WITH FRESCOPRINT: our superior Frescoprint technology beautifully embeds your design into the underlying natural wood. IMPRESSIVE SIZE: 16.5\u201d x 10.5\u201d x .75\u201d and hangs on the wall or props up on your shelf as a beautiful farmhouse quote and family name decoration. EXPERT CRAFTSMANSHIP: our signs are made from solid wood and never use cheap veneers, plywood, or particle board. \n \u203a See more product details"}, {"name": "Berrichi Foaming Facial Cleanser Face Wash \u2013 Suitable For Sensitive Skin & Removing Eye Make Up \u2013 Foaming Face Wash Contains Effective Moisturizing and Anti-Aging Antioxidants From Algae", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 6.54 x 1.85 x 1.77 inches; 7.23 Ounces", "Manufacturer\n \u200f": "\u200e\n BERRICHI", "ASIN\n \u200f": "\u200e\n B09CTMLF8X", "Best Sellers Rank": "#586,010 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#5,043 in Facial Cleansing Washes", "#5,043 in Facial Cleansing Washes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the BERRICHI Store", "brand_url": "https://www.amazon.com/stores/Berrichi/page/B567A06F-1E2C-4A54-9C1D-699ACE2A9C97?ref_=ast_bln", "full_description": "", "pricing": "$19.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/21XwAyX7lBL.jpg", "https://m.media-amazon.com/images/I/41z+Z8hiVVL.jpg", "https://m.media-amazon.com/images/I/51OmQQ3A4yL.jpg", "https://m.media-amazon.com/images/I/51tIkvKAynL.jpg", "https://m.media-amazon.com/images/I/510nzkd8R3L.jpg", "https://m.media-amazon.com/images/I/51BifF3GWSL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Face \u203a Cleansers \u203a Washes", "average_rating": 4.4, "small_description": ["\u2714\ufe0fNatural & Organic Ingredients: As a completely unique ingredient, Foaming Cleanser is enriched with a unique finger lime extract Lime Pearl, which has a gentle exfoliating effect on the skin. Astaxanthin and other replenishing components assist in condition skin, leaving your face feeling extraordinarily smooth and clear. ", "\u2714\ufe0fEffects you will feel: Facial Moisturizer will moisturize, hydrate, renew, nourish, protect and prevent the signs of aging with the help of natural and organic ingredients in Face moisturizer which we can also call Organic Face Wash leaving your face feeling completely refreshed and clean. ", "\u2714\ufe0f Perfectly Balanced Skin: Berrichi face wash significantly reduces enlarged pores while also leaving your skin feeling revitalized. The Face Cleanser is suitable for sensitive skin and also for removing eye makeup. ", "\u2714\ufe0f Premium Berrichi Quality:Foaming face wash is useful, especially to effectively wash away dirt, pollution, and makeup with premium ingredients like Astaxanthin & Furcelleran without any rubbing. Get yours Today! ", "\u2714\ufe0f How to use: Before applying the Facial Foaming Cleanser, splash your face with water. Gently massage the foam on your skin, rinse thoroughly. The foam is suitable for everyday use, for all ages and for vegans. "], "total_reviews": 5, "total_answered_questions": "", "customization_options": "", "seller_id": "A3U21UC53KHM0V", "seller_name": "BERRICHI", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09CTMLF8X", "category": "beauty", "query": "Makeup Remover", "page": 197, "small_description_old": "About this item \u2714\ufe0fNatural & Organic Ingredients: As a completely unique ingredient, Foaming Cleanser is enriched with a unique finger lime extract Lime Pearl, which has a gentle exfoliating effect on the skin. Astaxanthin and other replenishing components assist in condition skin, leaving your face feeling extraordinarily smooth and clear. \u2714\ufe0fEffects you will feel: Facial Moisturizer will moisturize, hydrate, renew, nourish, protect and prevent the signs of aging with the help of natural and organic ingredients in Face moisturizer which we can also call Organic Face Wash leaving your face feeling completely refreshed and clean. \u2714\ufe0f Perfectly Balanced Skin: Berrichi face wash significantly reduces enlarged pores while also leaving your skin feeling revitalized. The Face Cleanser is suitable for sensitive skin and also for removing eye makeup. \u2714\ufe0f Premium Berrichi Quality:Foaming face wash is useful, especially to effectively wash away dirt, pollution, and makeup with premium ingredients like Astaxanthin & Furcelleran without any rubbing. Get yours Today! \u2714\ufe0f How to use: Before applying the Facial Foaming Cleanser, splash your face with water. Gently massage the foam on your skin, rinse thoroughly. The foam is suitable for everyday use, for all ages and for vegans."}, {"name": "My Sanity Question Giraffe Christmas Pattern Black Ugly Wool Christmas Sweater Pullover Long Sleeve Sweater for Men Women, Couple Matching, Friends", "product_information": {"Department\n \u200f": "\u200e\n Unisex-adult", "Date First Available\n \u200f": "\u200e\n October 12, 2021", "ASIN\n \u200f": "\u200e\n B09J95S478", "": ""}, "brand": "Brand: Generic", "brand_url": "https://www.amazon.com/Generic/b/ref=bl_sl_s_ap_web_2529470011?ie=UTF8&node=2529470011&field-lbr_brands_browse-bin=Generic", "full_description": "Material: Polyester 185GSM (~6.5 oz/m2). Provides insulation and extra down-like warmth. Bring more warmth and comfort, helping to block cold and chill.", "pricing": "$39.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51KqjjxlCOL.jpg", "https://m.media-amazon.com/images/I/41S--SSnDgL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Men \u203a Sweaters", "average_rating": "", "small_description": ["Material: Polyester 185GSM (~6.5 oz/m2). Provides insulation and extra down-like warmth. Bring more warmth and comfort, helping to block cold and chill. ", "Feature: Advanced cut and sew sublimation printing: Using cut and sew sublimation printing technology, the image is vivid, the color is bright and strong, no pollution, and it will never be discolored. ", "Washing Condition: Hand washes Cold, Hang, or Line Dry. High Quality: Brushed fleece, keep warm, soft, and comfortable. ", "GOOD FOR SEVERAL OCCASIONS - A useful gift to coffee lovers for a Christmas stocking stuffer, Xmas, Father's Day, bday, inexpensive holiday gift, valentine's day, birthdays, cool gift basket, white elephant gift exchange humor, secret santa, yankee swap, sarcastic gag gift bags and wraps, retirement, turning 40 50 60 or 70 years old, funniest creative small gifts ", "SATISFACTION GUARANTEE - All of our products are backed by our manufacturer's money back guarantee ensuring you receive a quality product free from defects; creates unique novelty drinkware with sayings that make fun gifts for him or her, parents, children, mom, dad, son, daughter, mother, father, brother, sister, grandma, grandpa, aunt, uncle, boys, girls, seniors, adults, teens, kids, man, woman, grandmother, grandfather, student, teacher, employees, boss, male, female "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09J95S478", "category": "fashion", "query": "Men's Sweaters", "page": 159, "small_description_old": "Material: Polyester 185GSM (~6.5 oz/m2). Provides insulation and extra down-like warmth. Bring more warmth and comfort, helping to block cold and chill. Feature: Advanced cut and sew sublimation printing: Using cut and sew sublimation printing technology, the image is vivid, the color is bright and strong, no pollution, and it will never be discolored. Washing Condition: Hand washes Cold, Hang, or Line Dry. High Quality: Brushed fleece, keep warm, soft, and comfortable. GOOD FOR SEVERAL OCCASIONS - A useful gift to coffee lovers for a Christmas stocking stuffer, Xmas, Father's Day, bday, inexpensive holiday gift, valentine's day, birthdays, cool gift basket, white elephant gift exchange humor, secret santa, yankee swap, sarcastic gag gift bags and wraps, retirement, turning 40 50 60 or 70 years old, funniest creative small gifts SATISFACTION GUARANTEE - All of our products are backed by our manufacturer's money back guarantee ensuring you receive a quality product free from defects; creates unique novelty drinkware with sayings that make fun gifts for him or her, parents, children, mom, dad, son, daughter, mother, father, brother, sister, grandma, grandpa, aunt, uncle, boys, girls, seniors, adults, teens, kids, man, woman, grandmother, grandfather, student, teacher, employees, boss, male, female"}, {"name": "Zebra Technologies ZT23043-T31200FZ Series ZT230 4\" TT Tabletop Printer, 300 dpi Resolution, Peel with Liner Take-Up, Power Cord with US Plug, Serial/USB/Internal Print Server 10/100/Ethernet, ZPL", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 12.7 x 20.7 x 16.3 inches; 20 Pounds", "Item model number\n \u200f": "\u200e\n ZT23043-T31200FZ", "Date First Available\n \u200f": "\u200e\n February 4, 2013", "Manufacturer\n \u200f": "\u200e\n Zebra", "ASIN\n \u200f": "\u200e\n B00AY1SXW2", "Best Sellers Rank": "#936,966 in Office Products (See Top 100 in Office Products)#1,856 in Desktop Label Printers", "#1,856 in Desktop Label Printers": ""}, "brand": "Visit the ZEBRA Store", "brand_url": "https://www.amazon.com/stores/ZEBRA/page/C8016798-5F10-4AC7-9E4D-377CEDB6F3CC?ref_=ast_bln", "full_description": "Zebra incorporated extensive customer feedback, as well as the legacy of its Stripe and S4M printers, to create the new ZT200 series printers, which feature space-saving design, effortless setup, intuitive user operation, and ease of service and maintenance. Whether you are adopting barcode technology for the first time or upgrading existing printer models, the ZT200 series is the right choice for a variety of labeling applications. This innovative new printer provides many user benefits. The ZT200 series offers a streamlined design and smaller footprint that takes up less physical space than the Stripe and S4M models. ZT200 series printers require minimal operator training and benefit from tool-less standard component maintenance and a durable design to minimize service. Your IT staff will appreciate the backwards compatibility, since it allows for new printers to be up and running with minimal time and effort. The ZT200 series has been designed for ease of use, versatility and outstanding value.", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/31lPYUFzm7L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Office Products \u203a Office Electronics \u203a Printers & Accessories \u203a Printers \u203a Label Printers", "average_rating": "", "small_description": ["Print methods: direct-thermal or thermal transfer (optional) ", "Bi-fold media door with large clear window ", "Side-loading supplies path for simplified media and ribbon loading ", "Bi-color LEDs for quick printer status ", "USB 2.0 and RS-232 serial ports "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00AY1SXW2", "category": "electronics", "query": "Printers & Scanners", "page": 154, "small_description_old": "About this item\n \nPrint methods: direct-thermal or thermal transfer (optional) Bi-fold media door with large clear window Side-loading supplies path for simplified media and ribbon loading Bi-color LEDs for quick printer status USB 2.0 and RS-232 serial ports"}, {"name": "YALFJV Women Long Sleeve Crew Neck Side Button T Shirts Tunic Dress Loose Asymmetric Hem Tunic Pullover to Wear with Leggings", "product_information": {"Item model number\n \u200f": "\u200e\n christmas trees", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n November 18, 2021", "Manufacturer\n \u200f": "\u200e\n nursing sweater", "ASIN\n \u200f": "\u200e\n B09M6CGBJC", "Best Sellers Rank": "#1,494,072 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#7,047 in Women's Athletic Shirts & Tees", "#7,047 in Women's Athletic Shirts & Tees": ""}, "brand": "Brand: YALFJV", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=YALFJV", "full_description": "\ud83c\udf84\ud83c\udf84\ud83c\udf84Welcome to YALFJV Store\ud83c\udf84\ud83c\udf84\ud83c\udf84 Skin Friendly Material: 35%Cotton,60%Polyester,5%Spandex, Super soft,strechy and lightweight ,but warm enough to keep you warm in spring or fall or winter. Design Will Not Make You Feel Too Tight When You Layer Up More In Cold Day. Occasion:Casual Top Is Good For Party, Club, Daily Life, Office, Home, Etc. This Hoodie Solves The Problem Of Not Knowing What To Wear On A Date. Match: Update your wardrobe with this super comfy Hoodie. Style with Denim Short, skinny jeans, jeans and leggings for a fashionable look! You can wear a beautiful little vest inside, the looming figure will make you more charming Matching with washed jeans, easy to match with everyday clothes, making you more charming In daily exercise, it is very easy to catch a cold after exercise. Wearing it will give you warmth. Plus the unique design of the clothes makes you more attractive Clothing Care: Machine or Hand Wash with Cold Water/Hang or Line Dry/No Bleach/No Dry Clean. Stretches well and material washes well with no to minimal shrinking. It does get softer with each wash. Warmth Warning: 1. Please check the size details carefully before you purchase. 2. Please allow 0.5inch-1inch inaccuracy because of the manual measurement. 3. It is better to hand gently wash the items by cold water, don't bleach, hang dry, and low iron. 4. Feel free to contact us if you need additional information or have comments or questions, our customer service team will be in contact with you in shortly. Thank you!", "pricing": "$10.71$18.34", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/315klBbTGGL.jpg", "https://m.media-amazon.com/images/I/41P0fYLd1mL.jpg", "https://m.media-amazon.com/images/I/31r+wPpktfL.jpg", "https://m.media-amazon.com/images/I/31s2pmwNUHL.jpg", "https://m.media-amazon.com/images/I/21PbsbajDOL.jpg", "https://m.media-amazon.com/images/I/41Yq8r-x8lL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Sports & Outdoors \u203a Sports \u203a Water Sports \u203a Swimming \u203a Swimwear", "average_rating": "", "small_description": ["\u265a\u3010IMPORTED MATERIAL\u3011:92%Polyester+8%Spandex;Ultra-Soft And Lightweight,Stretch Fabric Makes You Feel Super Comfortable,Loose And Skin-Friendly ", "\u265a\u3010SIZES & DELIVERY\u3011: Detailed size info please check our product picturesand description. About shipping:Standard Shipping 15-30 Days. If you have any questions, please feel free to contact us\uff01 ", "\u265a\u3010COMPLETE SIZE, CHOOSE AT WILL\u3011: Womens Tops Halloween Costumes for Women Sweaters for Women Plus Size Top for Women Long Sleeve Shirts for Women Cardigan for Women Shirts for Women Hoodies for Women Sweatshirts for Women ", "\u265a\u3010OCCASIONS & ALL MATCH\u3011: The fashion long sleeve shirts is perfect choice for your Daily Wear, Outdoor Activities, Shopping, Club, Party, Dating and any other occasions in Spring, Summer, Fall and Winter.You can easily pair this shirts with variety of tank tops, cami, jeans, denim shorts, skirts, jeggings, sneakers or heels to complete casual look closure ", "\u265a\u3010HOW TO CLEAN IT\u3011: Recommended Hand Wash, hang to dry in shade, prohibit bleaching,use laundary bags if you use washing machine ", "hoodie custom sweatshirt shirt Halloween black sweater vest mens cardigan sweater blouse with ruffles tunic tops Christmas stud earrings for women golf rain pullover fur coat storage bags breathable mesh jacket pillow top mattress cover full t shirt flowy dress silk tank top mint green cami tee shirts for men plus size denim vest ", "baby sweatshirt black hoodie royal blue cardigan Christmas tankini top mesh shirt womens pullover sweater cute heart windbreaker mens jacket t shirts for men graphic military coat sweater rainbow dress yoga pants for women usa tank top women cami short set saree blouse readymade gold lace tunic tops for women black graphic tee men fleece vest men Halloween , animal hoodie panda sweatshirt funny shirt Halloween work sweater girl cardigan wrap front blouse brown tunic Christmas dresses for women work casual wool pullover coat womens watertight ii rain jacket turtle neck top for women t shirt men plus size cocktail dress swim tank top men lacy cami women tee reflector vest, baby boy sweatshirt hoodie 3d green cardigan Christmas yellow bikini top sheer shirt knit pullover sweater camo jacket for women womens t shirts wall coat hooks sweater off shoulder dresses for women tie up sandals summer tank tops cami pack pineapple blouse ruffle tunic mens pocket tee shirts lace vest Halloween, sweatshirts for teen girls fleece hoodie women cashmere cardigan sweater Christmas tube tops for women long sleeve shirt women pullover hoodie jacket patches dry fit t shirts for men single coat hooks beige sweater sequin dress birthday gifts for women tank top for men lace back cami blouse top plus tunic dad tee sweater vest women Halloween"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09M6CGBJC/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt324-beige", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31-2ZOaHL7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M5WSXSK/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt325-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/313criNrPpL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M6KBQK9/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt326-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31kyoVjEj+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M6598NZ/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt327-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31TSxcCHKUL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M6C3TLD/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt328-red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31+waWzKbBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M62VPSW/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt329-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31DqG8RR8+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M6C27FJ/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt330-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/418QB5Rg9wL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M69QZVZ/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt331-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41SLNGZYGpL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M6C2JMW/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt332-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41VfdbkJNXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M69YK9N/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt333-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31-v8MXzksL.jpg"}, {"is_selected": true, "url": null, "value": "Xnj-tshirt334-gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/315klBbTGGL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M675D1L/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt335-navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31MFBlDLTFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M66QH2W/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt336-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41FRFwjQOOL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M6B7949/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt337-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41xuib19JdL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M6CPT92/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt338-white", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41DlbVrJEjL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M698Q66/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt339-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41XXESmlO2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M63DJW5/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt340-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41o4Sdz2cqL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M696HYJ/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt341-white", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/4108zGerWuL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M675D1K/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt342-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41lMI3gWKWL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M64QMM4/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt343-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41yZqQ92MhL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M6C3TKZ/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt344-white", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41rmUPOZWML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M62TSJ2/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt345-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41oP-AZqkcL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M5SYS9P/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt346-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ovsbuF9ZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M5ZLG2N/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt347-white", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41wIfXohlgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M6K7ZJJ/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt348-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Xzx5Wyh2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M67S5HF/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt349-wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41UQpBoIUiL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09M6F6SZ8/ref=twister_B09M6MCKX2", "value": "Xnj-tshirt350-white", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41iO1kLpDqL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09M5XZ7LM"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09M65VV9B"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09M5ZYRFV"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09M63B87V"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09M67WGHM"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09M63B87V", "category": "fashion", "query": "Women's Sweaters", "page": 172, "small_description_old": "\u265a\u3010IMPORTED MATERIAL\u3011:92%Polyester+8%Spandex;Ultra-Soft And Lightweight,Stretch Fabric Makes You Feel Super Comfortable,Loose And Skin-Friendly \u265a\u3010SIZES & DELIVERY\u3011: Detailed size info please check our product picturesand description. About shipping:Standard Shipping 15-30 Days. If you have any questions, please feel free to contact us\uff01 \u265a\u3010COMPLETE SIZE, CHOOSE AT WILL\u3011: Womens Tops Halloween Costumes for Women Sweaters for Women Plus Size Top for Women Long Sleeve Shirts for Women Cardigan for Women Shirts for Women Hoodies for Women Sweatshirts for Women \u265a\u3010OCCASIONS & ALL MATCH\u3011: The fashion long sleeve shirts is perfect choice for your Daily Wear, Outdoor Activities, Shopping, Club, Party, Dating and any other occasions in Spring, Summer, Fall and Winter.You can easily pair this shirts with variety of tank tops, cami, jeans, denim shorts, skirts, jeggings, sneakers or heels to complete casual look closure \u265a\u3010HOW TO CLEAN IT\u3011: Recommended Hand Wash, hang to dry in shade, prohibit bleaching,use laundary bags if you use washing machine hoodie custom sweatshirt shirt Halloween black sweater vest mens cardigan sweater blouse with ruffles tunic tops Christmas stud earrings for women golf rain pullover fur coat storage bags breathable mesh jacket pillow top mattress cover full t shirt flowy dress silk tank top mint green cami tee shirts for men plus size denim vest baby sweatshirt black hoodie royal blue cardigan Christmas tankini top mesh shirt womens pullover sweater cute heart windbreaker mens jacket t shirts for men graphic military coat sweater rainbow dress yoga pants for women usa tank top women cami short set saree blouse readymade gold lace tunic tops for women black graphic tee men fleece vest men Halloween \n animal hoodie panda sweatshirt funny shirt Halloween work sweater girl cardigan wrap front blouse brown tunic Christmas dresses for women work casual wool pullover coat womens watertight ii rain jacket turtle neck top for women t shirt men plus size cocktail dress swim tank top men lacy cami women tee reflector vestbaby boy sweatshirt hoodie 3d green cardigan Christmas yellow bikini top sheer shirt knit pullover sweater camo jacket for women womens t shirts wall coat hooks sweater off shoulder dresses for women tie up sandals summer tank tops cami pack pineapple blouse ruffle tunic mens pocket tee shirts lace vest Halloweensweatshirts for teen girls fleece hoodie women cashmere cardigan sweater Christmas tube tops for women long sleeve shirt women pullover hoodie jacket patches dry fit t shirts for men single coat hooks beige sweater sequin dress birthday gifts for women tank top for men lace back cami blouse top plus tunic dad tee sweater vest women HalloweenShow more"}, {"name": "doTERRA - On Guard Natural Whitening Toothpaste - 4.2 oz (2 Pack)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 1.4 x 2.7 x 8.5 inches; 4.96 Ounces", "Item model number\n \u200f": "\u200e\n No Model", "Date First Available\n \u200f": "\u200e\n February 17, 2014", "Manufacturer\n \u200f": "\u200e\n doTERRA", "ASIN\n \u200f": "\u200e\n B00KTPKPQA", "Best Sellers Rank": "#21,202 in Health & Household (See Top 100 in Health & Household)#238 in Toothpaste", "#238 in Toothpaste": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: DoTerra", "brand_url": "https://www.amazon.com/DoTerra/b/ref=bl_dp_s_web_7494830011?ie=UTF8&node=7494830011&field-lbr_brands_browse-bin=DoTerra", "full_description": "d\u014dTERRA On Guard® Natural Whitening Toothpaste 4.2oz (2 Pack)", "pricing": "$23.80", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/310iOx34-tL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothpaste", "average_rating": 4.8, "small_description": ["Helps calm and soothe dry, scratchy throats "], "total_reviews": 1187, "total_answered_questions": 13, "customization_options": "", "seller_id": "A30F56XD2WKR4", "seller_name": "Everything Essential", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B00KTPKPQA", "category": "beauty", "query": "Mouthwash", "page": 25, "small_description_old": "About this item Helps calm and soothe dry, scratchy throats"}, {"name": "Comfortable Bluetooth Headset, UX-M97 Wireless Headset with Microphone, Wireless Cell Phone Headset with Noise Isolation Mic Charging Base Mute Function for Xiaomi Poco F3 GT with Charging Dock", "product_information": {"Product Dimensions": "6.89 x 2.01 x 7.17 inches", "Item Weight": "3 ounces", "ASIN": "B09L86RDXS", "Item model number": "UX-M97", "Date First Available": "November 8, 2021", "Manufacturer": "UrbanX"}, "brand": "Brand: UrbanX", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=UrbanX", "full_description": "Description: Bluetooth version: V5.0 Bluetooth chip: V5.0 chip Communication distance: 33 Feet (10 meters) Bluetooth protocol: HSP, HFP, AVRCP, A2DP Decoding method: SBC BUILT-IN BATTERY: 180mAh / 3.7V Charging time: about 2 hours Standby time: 200 hours Working time: about 17 hours (50% volume) Headphone net weight: about 51g Charging base net weight: about 242g Headphone size: 163.21 x 142.27 x 48.5mm Charging base size: 79 * 73 * 31mm Specs: 1. Professionally Built for crystal clear sound 2. Comfortable and adjustable headband 3. Multipoint connection and wide compatibility 4. Easy pairing and wireless freedom 5. Noise-canceling boom microphone Package Included: 1 x UX-M97 Bluetooth Headset 1 * Charging Cable 1 * User Manual 1 * Portable Headphone Charging Dock", "pricing": "$41.95", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon. Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31B+n56ecLL.jpg", "https://m.media-amazon.com/images/I/41z6XzTr14L.jpg", "https://m.media-amazon.com/images/I/41TBuZXZxjL.jpg", "https://m.media-amazon.com/images/I/51wChYvbZiL.jpg", "https://m.media-amazon.com/images/I/51jHIAJDfrL.jpg", "https://m.media-amazon.com/images/I/51rR5w2C1EL.jpg", "https://m.media-amazon.com/images/I/512C2R0cjML.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Single Ear Bluetooth Headsets", "average_rating": "", "small_description": ["\u3010CREATED FOR COMFORT\u3011 - Weights only 1.7oz, featuring with balanced over-the-headset design and soft memory-foam padding, the headset provides you comfortable wearing experience for intensive all-day use. Designed with stretchable headband, you can adjust it to a suitable width according to your head's size. ", "\u3010NOISE CANCELING MIC\u3011 - Advanced noise-canceling technology isolates your voice from the noise around you, so you can stay focused on what you want. 270\u00b0 flexible mic can be positioned for better voice capture and background noise reduction.\u00a0Provide crystal-clear conversations even in the busiest work environment. Perfect for when you\u2019re working or studying from home or taking conference calls, in the car and outdoor. ", "\u3010EASY CONTROLS & MUTE FUNCTION\u3011- UX-M97 wireless\u00a0bluetooth headphones provides an intuitive and simple interface to adjust volume, play/pause\u00a0music,\u00a0and answer/end calls. One key to power on and enter pairing mode, wake up Siri, etc. Just press the \u201c+\u201d and \u201c-\u201d buttons simultaneously to mute your microphone, you can easily block the sound on your side during a conversation when needed. ", "\u3010MULTI-POINT CONNETCTION & WIRELESS FREEDOM\u3011 - Widely compatible with most Bluetooth-enabled devices, like cellphone, computer, tablet and laptop, etc. Simultaneously connect any two Bluetooth devices via Bluetooth 5.0 and seamlessly switch between the two at will. The 33 feet (10 Meter) wireless range provides freedom to roam while staying connected. Transition between phone chats, video conferencing or music throughout your day\u2014all with the same headset. ", "\u3010TALK ALL DAY & 3 MONTHS WARRANTY\u3011- With up to 15 hours of talk time, This UX-M97 trucker wireless headset allows you make reliable wireless calls throughout the day on a 2- hour single charge. Designed with a sleek magnetic charging base, you can easily drop it in for a charge and storage, you can also charge the headset with the usb cable directly. 3 MONTHS WARRANTY & always-ready friendly customer service ensured. "], "total_reviews": "", "total_answered_questions": "", "model": "UX-M97", "customization_options": "", "seller_id": "A2M1DK69L6WDGN", "seller_name": "UrbanX USA", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B09L86RDXS", "category": "electronics", "query": "Bluetooth Headsets", "page": 320, "small_description_old": "About this item\n \n\u3010CREATED FOR COMFORT\u3011 - Weights only 1.7oz, featuring with balanced over-the-headset design and soft memory-foam padding, the headset provides you comfortable wearing experience for intensive all-day use. Designed with stretchable headband, you can adjust it to a suitable width according to your head's size. \u3010NOISE CANCELING MIC\u3011 - Advanced noise-canceling technology isolates your voice from the noise around you, so you can stay focused on what you want. 270\u00b0 flexible mic can be positioned for better voice capture and background noise reduction.\u00a0Provide crystal-clear conversations even in the busiest work environment. Perfect for when you\u2019re working or studying from home or taking conference calls, in the car and outdoor. \u3010EASY CONTROLS & MUTE FUNCTION\u3011- UX-M97 wireless\u00a0bluetooth headphones provides an intuitive and simple interface to adjust volume, play/pause\u00a0music,\u00a0and answer/end calls. One key to power on and enter pairing mode, wake up Siri, etc. Just press the \u201c+\u201d and \u201c-\u201d buttons simultaneously to mute your microphone, you can easily block the sound on your side during a conversation when needed. \u3010MULTI-POINT CONNETCTION & WIRELESS FREEDOM\u3011 - Widely compatible with most Bluetooth-enabled devices, like cellphone, computer, tablet and laptop, etc. Simultaneously connect any two Bluetooth devices via Bluetooth 5.0 and seamlessly switch between the two at will. The 33 feet (10 Meter) wireless range provides freedom to roam while staying connected. Transition between phone chats, video conferencing or music throughout your day\u2014all with the same headset. \u3010TALK ALL DAY & 3 MONTHS WARRANTY\u3011- With up to 15 hours of talk time, This UX-M97 trucker wireless headset allows you make reliable wireless calls throughout the day on a 2- hour single charge. Designed with a sleek magnetic charging base, you can easily drop it in for a charge and storage, you can also charge the headset with the usb cable directly. 3 MONTHS WARRANTY & always-ready friendly customer service ensured."}, {"name": "Premium Tongue Scraper Cleaner, BPA Free Tongue Scrapers, Healthy Oral Care, Soft and 100% Effective Clean Tools, With Travel Carry Case", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.84 x 4.72 x 1.34 inches; 2.89 Ounces", "UPC\n \u200f": "\u200e\n 190372932655", "Manufacturer\n \u200f": "\u200e\n BUZHI", "ASIN\n \u200f": "\u200e\n B08LD3XCPQ", "Best Sellers Rank": "#95,549 in Health & Household (See Top 100 in Health & Household)#85 in Tongue Brushes, Scrapers & Cleaners", "#85 in Tongue Brushes, Scrapers & Cleaners": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: UWOIST", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=UWOIST", "full_description": "Why we need tongue scrapers? 1.Clinical studies have shown that using a tongue cleaner on a daily basis can remove dead skin cells, dirt and food debris from the surface of the tongue, then get rid of bad breath. 2.Tongue cleaning is an important oral hygienic practice, it can help to solve a variety of health issues, such as improving taste sensation, helping digestion, and thus boosting our immune system, improving body health. How to use tongue scrapers: 1.Wet our tongue and tongue scraper with water. 2.Open mouth and extend tongue as far out as we can. 3.Place the curved edge of tongue cleaner at the back of tongue, gently scrape from the inside out with the scraper. 4.Repeat 3 or 4 times. 5.Clean tongue scraper with water and leave it to dry. Note: 1.Be gentle enough to avoid harming our taste buds or breaking the skin. 2.If worried about gagging, Starting to scrape at middle of our tongue will be helpful. Professional Package Including: \u27642 x Pink tongue scraper \u27641 x Blue tongue scraper \u27641 x Green tongue scraper \u27641 x Travel Carry Case \u27641 x Instruction \u27641 x Package Bag", "pricing": "$4.29", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51cYnGktd4L.jpg", "https://m.media-amazon.com/images/I/51C3RvcsTOL.jpg", "https://m.media-amazon.com/images/I/41rD2LGoKwL.jpg", "https://m.media-amazon.com/images/I/51i-hynVPkL.jpg", "https://m.media-amazon.com/images/I/51CqLyqi5cL.jpg", "https://m.media-amazon.com/images/I/51Rnvr6+i8L.jpg", "https://m.media-amazon.com/images/I/51Qoe+mQcdL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Tongue Cleaners", "average_rating": 4.3, "small_description": ["\ud83c\udf40\u3010FAST & 100% EFFECTIVE\u3011: Just take 10 seconds, the odor-causing microbes can be removed. These tongue scraper can improve oral health, and make our breath fresher. It also be strongly recommended to use every morning and evening by dentist. ", "\ud83c\udf40\u3010SOFT & NO RISK\u3011: Silicon brush head is smooth on our tongue - without any risk of nicks for tongue and taste buds.The curved and smooth brush head surface can reach every part of our tongue. So we can scrape tongue with ease, more gentle and easier. ", "\ud83c\udf40\u3010 FOR ADULTS & KIDS \u3011Verified by multiple people, this width tongue cleaner is the perfect size for both adults and kids.The simple profile, wide head and ergonomic handle can help us to get rid of bad breath by removing food residue and exfoliated epithelial cells build up on tongue. ", "\ud83c\udf40\u3010 EASY TO CLEAN & STORE\u3011Maintaining great dental hygiene shouldn't take much time. We can clean them by cleaning tablet, lemon water or just water before and after each use. Then store it in tooth glass. ", "\ud83c\udf40\u3010CONVENIENT TO CARRY\u3011These 4PCS tongue scrapers set come with a premium travel storage case, can be convenient to carried for multi-place using, such as home, work, school, trip, camping or any other situation. "], "total_reviews": 123, "total_answered_questions": "", "customization_options": "", "seller_id": "AJ9TQIIPI3VFD", "seller_name": "UWOIST Direct", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08LD3XCPQ", "category": "beauty", "query": "Tongue Cleaners", "page": 3, "small_description_old": "\ud83c\udf40\u3010FAST & 100% EFFECTIVE\u3011: Just take 10 seconds, the odor-causing microbes can be removed. These tongue scraper can improve oral health, and make our breath fresher. It also be strongly recommended to use every morning and evening by dentist. \ud83c\udf40\u3010SOFT & NO RISK\u3011: Silicon brush head is smooth on our tongue - without any risk of nicks for tongue and taste buds.The curved and smooth brush head surface can reach every part of our tongue. So we can scrape tongue with ease, more gentle and easier. \ud83c\udf40\u3010 FOR ADULTS & KIDS \u3011Verified by multiple people, this width tongue cleaner is the perfect size for both adults and kids.The simple profile, wide head and ergonomic handle can help us to get rid of bad breath by removing food residue and exfoliated epithelial cells build up on tongue. \ud83c\udf40\u3010 EASY TO CLEAN & STORE\u3011Maintaining great dental hygiene shouldn't take much time. We can clean them by cleaning tablet, lemon water or just water before and after each use. Then store it in tooth glass. \ud83c\udf40\u3010CONVENIENT TO CARRY\u3011These 4PCS tongue scrapers set come with a premium travel storage case, can be convenient to carried for multi-place using, such as home, work, school, trip, camping or any other situation."}, {"name": "Grown Alchemist Purifying Body Exfoliant - Pearl, Peppermint & Ylang Ylang - Pearl Scrub Made with Organic Ingredients (170ml / 5.7oz)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 8 x 1.5 x 1.5 inches; 6.4 Ounces", "Item model number\n \u200f": "\u200e\n GRA0042", "Manufacturer\n \u200f": "\u200e\n Grown Alchemist", "ASIN\n \u200f": "\u200e\n B00OYBADQ2", "Best Sellers Rank": "#351,453 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,337 in Body Scrubs #1,562 in Body Scrubs & Treatments", "#1,337 in Body Scrubs": "", "#1,562 in Body Scrubs & Treatments": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Grown Alchemist Store", "brand_url": "https://www.amazon.com/stores/GrownAlchemist/page/854E107E-284A-451A-8E50-B12B1F5ED806?ref_=ast_bln", "full_description": "", "pricing": "$48.00", "list_price": "", "availability_quantity": 6, "availability_status": "Only 6 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/21wxPlmbkIL.jpg", "https://m.media-amazon.com/images/I/41Hp0yCe-XL.jpg", "https://m.media-amazon.com/images/I/31QGMEEKHgL.jpg", "https://m.media-amazon.com/images/I/41qRGS1l4TL.jpg", "https://m.media-amazon.com/images/I/51eSmDC0iLL.jpg", "https://m.media-amazon.com/images/I/51oTiHGQsQL.jpg", "https://m.media-amazon.com/images/I/A1+TaUFHP1L.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Body \u203a Body Scrubs", "average_rating": 4.6, "small_description": ["This revitalizing body exfoliant is formulated with active ingredients that gently remove dead skin cells, leaving skin noticeably deeply cleansed and smooth ", "Aragonite and Conchiolin proteins from Pearl remove dead skin cells, noticeably decongesting the skin and improving cell turnover, maximizing the skin's ability to absorb topical hydrators ", "Calming and soothing natural Peppermint Extract and aromas of Ylang Ylang, Sandalwood and Bergamot provide uplifting aromatic benefits ", "Suitable for all skin types and especially good for oily skin and skin requiring a body treatment ", "Real results without harmful chemicals. Grown Alchemist products are non-toxic, vegan, cruelty-free and formulated with certified organic ingredients "], "total_reviews": 20, "total_answered_questions": "", "customization_options": "", "seller_id": "A35626WGYD9KZ9", "seller_name": "Cali Direct", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B00OYBADQ2", "category": "beauty", "query": "Scrubs & Body Treatments", "page": 23, "small_description_old": "About this item This revitalizing body exfoliant is formulated with active ingredients that gently remove dead skin cells, leaving skin noticeably deeply cleansed and smooth Aragonite and Conchiolin proteins from Pearl remove dead skin cells, noticeably decongesting the skin and improving cell turnover, maximizing the skin's ability to absorb topical hydrators Calming and soothing natural Peppermint Extract and aromas of Ylang Ylang, Sandalwood and Bergamot provide uplifting aromatic benefits Suitable for all skin types and especially good for oily skin and skin requiring a body treatment Real results without harmful chemicals. Grown Alchemist products are non-toxic, vegan, cruelty-free and formulated with certified organic ingredients"}, {"name": "Definitely Not on Drugs | Funny Party, Rave, Festival Club Humor Unisex Tank Top", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 10 x 8 x 0.74 inches; 3.99 Ounces", "Item model number\n \u200f": "\u200e\n 0-1fba_defnotdrugs-2080802001", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n April 4, 2017", "ASIN\n \u200f": "\u200e\n B06Y1QQ7BT", "Best Sellers Rank": "#379,854 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#691 in Men's Novelty Tanks Tops #123,284 in Men's Fashion", "#691 in Men's Novelty Tanks Tops": "", "#123,284 in Men's Fashion": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Ann Arbor T-shirt Co. Store", "brand_url": "https://www.amazon.com/stores/AnnArborT-shirtCo/page/D54619E3-BDB7-4ED3-9BDF-89475A9FE745?ref_=ast_bln", "full_description": "", "pricing": "$19.95", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41R3KFzEsrL.jpg", "https://m.media-amazon.com/images/I/41Jwy7S7HSL.jpg", "https://m.media-amazon.com/images/I/31wgs3sFF-L.jpg", "https://m.media-amazon.com/images/I/51G8QmA9KgL.jpg", "https://m.media-amazon.com/images/I/41RAKj7js1L.jpg", "https://m.media-amazon.com/images/I/51crw7GZerL.jpg", "https://m.media-amazon.com/images/I/91XP7AXBblL.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Men \u203a Shirts \u203a Tanks Tops", "average_rating": 4.7, "small_description": ["MICHIGAN ARTISTS & PRINTERS | this design was drawn and screen printed (silk screened) with pride by our skilled illustrators and printers in Ann Arbor. If you're ever in the area, stop by for a free tour and see how we make your apparel! Tagless tag is printed on fabric inside collar, you can't feel it. ", "UNISEX MODERN FIT SIZING | this tank is slightly tapered to be a little less boxy than the old style of mass-market t-shirt. Nothing drastic, and most people wear the same size in our shirts as they do in all of their others, but you might go one size larger if you're on the fence. It is pre-shrunk, but like any high-cotton product, will still shrink slightly in the wash. Our model photos are the real thing - the actual tank top on our salesguy, Rich. He's 6' 2\", 200 lbs and wearing a large ", "SOFT FABRICS | Our tanks are a ringspun, 30/1 fine jersey knit on 100% USA-grown cotton. If you don't speak t-shirt geek, that means they are soft and smooth with a high thread-count, tight knit made out of fuzzy plants grown by American farmers. These are mid-weight tank tops - a bit lighter than your mass-market, thick gym class t-shirts, but substantial / not see-through. It's a nice balance between comfort and durability ", "TOP QUALITY INKS | We use QCM screen printing inks, manufactured in Pineville, North Carolina. These are high quality inks - vibrant and durable, and highly crack resistant. Some of our designs are intentionally faded or cracked (see product photos), but our inks always \"do what they are told\" by our printers. We use top of the line printing presses and ovens (to cure inks) made by M&R in Illinois ", "SAFE CHEMISTRY | QCM has been one of the most forward-thinking ink manufacturers in the industry, going phthalate-free over ten years ago - way ahead of the curve. They're also CFC free and rated as carcinogen-free by the state of California "], "total_reviews": 501, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B06Y1QQ7BT"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B06Y1C21SC"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B06Y1R75Q5"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B06Y1L3KFK"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B06Y19VWVS"}], "Color": null}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B06Y1C21SC", "category": "fashion", "query": "Men's T-Shirts & Tanks", "page": 33, "small_description_old": "MICHIGAN ARTISTS & PRINTERS | this design was drawn and screen printed (silk screened) with pride by our skilled illustrators and printers in Ann Arbor. If you're ever in the area, stop by for a free tour and see how we make your apparel! Tagless tag is printed on fabric inside collar, you can't feel it. UNISEX MODERN FIT SIZING | this tank is slightly tapered to be a little less boxy than the old style of mass-market t-shirt. Nothing drastic, and most people wear the same size in our shirts as they do in all of their others, but you might go one size larger if you're on the fence. It is pre-shrunk, but like any high-cotton product, will still shrink slightly in the wash. Our model photos are the real thing - the actual tank top on our salesguy, Rich. He's 6' 2\", 200 lbs and wearing a large SOFT FABRICS | Our tanks are a ringspun, 30/1 fine jersey knit on 100% USA-grown cotton. If you don't speak t-shirt geek, that means they are soft and smooth with a high thread-count, tight knit made out of fuzzy plants grown by American farmers. These are mid-weight tank tops - a bit lighter than your mass-market, thick gym class t-shirts, but substantial / not see-through. It's a nice balance between comfort and durability TOP QUALITY INKS | We use QCM screen printing inks, manufactured in Pineville, North Carolina. These are high quality inks - vibrant and durable, and highly crack resistant. Some of our designs are intentionally faded or cracked (see product photos), but our inks always \"do what they are told\" by our printers. We use top of the line printing presses and ovens (to cure inks) made by M&R in Illinois SAFE CHEMISTRY | QCM has been one of the most forward-thinking ink manufacturers in the industry, going phthalate-free over ten years ago - way ahead of the curve. They're also CFC free and rated as carcinogen-free by the state of California"}, {"name": "jsaierl Pajama Pants for Men Soft Long Tall Lounge with Pockets Jogger Yoga Pants Comfort PJs Sleepwear", "product_information": {"Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n February 15, 2022", "Manufacturer\n \u200f": "\u200e\n jsaierl", "ASIN\n \u200f": "\u200e\n B09SHWG2CM", "": ""}, "brand": "Brand: jsaierl", "brand_url": "https://www.amazon.com/jsaierl/b/ref=bl_sl_s_ap_web_23686356011?ie=UTF8&node=23686356011&field-lbr_brands_browse-bin=jsaierl", "full_description": "=^_^= Hi,\u00a0 Dear Friend, Welcome to jsaierl=^_^=\u00a0\u00a0\u00a0\u00a0\u00a0 \u2665Feature\u2665\u00a0\u00a0\u00a0 Package Content:1 x\u00a0Men's pants.\u2665Size Chart \u2665 \u27a4Note\uff1aPlease compare our size chart instead of Amazon size chart \u3010You'd better CHOOSE 1 or 2 SIZE UP\u3011 Size: S EU: 72 US: 29 Waist: 74cm/29.13'' Hip: 106cm/41.73'' Length: 90cm/35.43'' Size: M EU: 74 US: 30 Waist: 78cm/30.71'' Hip: 110cm/43.31'' Length: 91cm/35.83'' Size: L EU: 76 US: 31 Waist: 82cm/32.28'' Hip: 114cm/44.88'' Length: 92cm/36.22'' Size: XL EU: 78 US: 32 Waist: 86cm/33.86'' Hip: 118cm/46.46'' Length: 93cm/36.61'' Size: XXL EU: 80 US: 33 Waist: 90cm/35.43'' Hip: 122cm/48.03'' Length: 94cm/37.01'' Size: XXXL EU: 82 US: 34 Waist: 94cm/37.01'' Hip: 126cm/49.61'' Length: 96cm/37.80'' Size: XXXXL EU: 84 US: 36 Waist: 98cm/38.58'' Hip: 130cm/51.18'' Length: 98cm/38.58'' Size: XXXXXL EU: 86 US: 40 Waist: 102cm/40.16'' Hip: 134cm/52.76'' Length: 100cm/39.37'' \u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u261e\u00a0\u00a0\u00a0\u00a0\u00a0 Others: satin bathrobe mens plush bathrobe monogram bathrobe mens silk bathrobe bamboo bathrobe bathrobe belt dad bathrobe winter bathrobe womens terry bathrobe baby boy bathrobe light bathrobe green bathrobe bathrobe with hood cozy bathrobe black bathrobe women travel bathrobe womens silk bathrobe bridal bathrobe ladies terry cloth bathrobe thin bathrobe seersucker bathrobe women mens flannel bathrobe boys fleece bathrobe", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31xpwjLrRGL.jpg", "https://m.media-amazon.com/images/I/313+2C38SAL.jpg", "https://m.media-amazon.com/images/I/31u61oaFmwL.jpg", "https://m.media-amazon.com/images/I/4125VKmrdXL.jpg", "https://m.media-amazon.com/images/I/31g14egekCL.jpg", "https://m.media-amazon.com/images/I/41Bnsf-+k3L.jpg", "https://m.media-amazon.com/images/I/418MtdYCBtL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Sports & Outdoors \u203a Fan Shop \u203a Clothing \u203a Sweatshirts & Hoodies", "average_rating": "", "small_description": ["\u3010Premium Materials\u3011:Pajama pants are made of 100% cotton fabric,ensuring that you feel comfortable and soft at every angle.These plaid pants are ideal for you in winter or autumn. ", "\u3010Elastic Waist Band\u3011:Men's Pj Bottoms have elastic bands and drawstrings,which can be adjusted to suit your tightness.Tie the strap to make sure it is secured to your waist and doesn't sag. closure ", "\u3010Functional Pocket\u3011:Pajama pants for men have large and deep pockets on the side,you can conveniently store your belongings,phones,wallets,bank cards and keys,etc.No need to worry about running out of place. ", "\u3010Sleepwear & Loungewear\u3011These exceptionally soft and comfy mens pajama pants will keep you warm and comfy whether you're sleeping, sitting playing games, grabbing something from the fridge, or lounging around. ", "\u3010Perfect Gift\u3011:Soft Lounge Sleep Pants is a favorite for relaxing at home, watching TV, reading a book and sleeping, as unique ideal gift for your family, friends, husband, boyfriend, dad. ", "\u273fBig and tall robes for men microfiber robe black robes for men plush robe for men mens summer robes lightweight mens cotton robes lightweight bathrobe men mens bathrobes men's bathrobes robes for men mens robes lightweight long bathrobe men's bathrobes towel bathrobe bathrobe towel men's bathrobe bathrobe cotton mens bathrobe lightweight cotton robe men plus size kimono robe mens kimono robes mens cotton robe hooded robe kimono robe men matching robes waffle robe men towel robe for men ", "\u273fMens kimono robe mens robe plush mens robes cotton fuzzy robe pool robe mens waffle robe bathrobes for men silk robes for men linen robe mens hooded robe hooded bathrobe bath robes couples hooded robes for men silk robe for men red robe men towel wrap men terry bathrobe silk robe men turkish cotton bathrobe turkish robe fluffy hoodie mens plush robe black hooded robe men silk robe robe mens fuzzy pajama shorts plush clothes mens summer robes lightweight fluffy shorts mens summer robe summer ", "\u273fSpa robes fleece robe white silk robe pink robes for women robes for women fuzzy cotton bathrobes for women soft robe mens bath robe bath robes adult male girls robes red robe men boys robes size 8-10 robes for women robe womens robe silk robes for women silk robe mens robe robes bathrobe bath robes female robe for men women's robes satin robe bath robe terry cloth robes for women kimono robe black robe plus size robe womens bathrobe satin robe for women womens robes white robe "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09SHWG2CM/ref=twister_B09SKQ7R79", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31D1+nvh17L.jpg"}, {"is_selected": true, "url": null, "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31xpwjLrRGL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09SHWZ3C1/ref=twister_B09SKQ7R79", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31ZJrETf2gL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09SHVH1K7"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09SHX2NJ8"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09SHXW33P"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09SHX8KMM"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09SHVH1K7", "category": "fashion", "query": "Men's Sleep & Lounge", "page": 41, "small_description_old": "\u3010Premium Materials\u3011:Pajama pants are made of 100% cotton fabric,ensuring that you feel comfortable and soft at every angle.These plaid pants are ideal for you in winter or autumn. \u3010Elastic Waist Band\u3011:Men's Pj Bottoms have elastic bands and drawstrings,which can be adjusted to suit your tightness.Tie the strap to make sure it is secured to your waist and doesn't sag. closure \u3010Functional Pocket\u3011:Pajama pants for men have large and deep pockets on the side,you can conveniently store your belongings,phones,wallets,bank cards and keys,etc.No need to worry about running out of place. \u3010Sleepwear & Loungewear\u3011These exceptionally soft and comfy mens pajama pants will keep you warm and comfy whether you're sleeping, sitting playing games, grabbing something from the fridge, or lounging around. \u3010Perfect Gift\u3011:Soft Lounge Sleep Pants is a favorite for relaxing at home, watching TV, reading a book and sleeping, as unique ideal gift for your family, friends, husband, boyfriend, dad. \u273fBig and tall robes for men microfiber robe black robes for men plush robe for men mens summer robes lightweight mens cotton robes lightweight bathrobe men mens bathrobes men's bathrobes robes for men mens robes lightweight long bathrobe men's bathrobes towel bathrobe bathrobe towel men's bathrobe bathrobe cotton mens bathrobe lightweight cotton robe men plus size kimono robe mens kimono robes mens cotton robe hooded robe kimono robe men matching robes waffle robe men towel robe for men \u273fMens kimono robe mens robe plush mens robes cotton fuzzy robe pool robe mens waffle robe bathrobes for men silk robes for men linen robe mens hooded robe hooded bathrobe bath robes couples hooded robes for men silk robe for men red robe men towel wrap men terry bathrobe silk robe men turkish cotton bathrobe turkish robe fluffy hoodie mens plush robe black hooded robe men silk robe robe mens fuzzy pajama shorts plush clothes mens summer robes lightweight fluffy shorts mens summer robe summer \u273fSpa robes fleece robe white silk robe pink robes for women robes for women fuzzy cotton bathrobes for women soft robe mens bath robe bath robes adult male girls robes red robe men boys robes size 8-10 robes for women robe womens robe silk robes for women silk robe mens robe robes bathrobe bath robes female robe for men women's robes satin robe bath robe terry cloth robes for women kimono robe black robe plus size robe womens bathrobe satin robe for women womens robes white robe"}, {"name": "Princesse Marina De Bourbon - Symbol Fragrance For Women - Floral Blend Of Syringa, Honeysuckle, Tuberose, Jasmine Sambac, Musk, Iris And White Woods - Recommended For Casual Wear - 3.4 Oz Edp Spray", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 3 x 3 x 5 inches; 0.01 Ounces", "Item model number\n \u200f": "\u200e\n I0096915", "Manufacturer\n \u200f": "\u200e\n Princesse Marina de Bourbon", "ASIN\n \u200f": "\u200e\n B084DF7NLZ", "Country of Origin\n \u200f": "\u200e\n France", "Best Sellers Rank": "#726,571 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#10,771 in Women's Eau de Parfum", "#10,771 in Women's Eau de Parfum": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Marina de Bourbon", "brand_url": "https://www.amazon.com/Marina-de-Bourbon/b/ref=bl_dp_s_web_20132938011?ie=UTF8&node=20132938011&field-lbr_brands_browse-bin=Marina+de+Bourbon", "full_description": "Symbol Eau de Parfum by Princesse Marina De Bourbon is a Floral fragrance for women. This is a serenely elegant white floral fragrance from 2019 is enhanced by hints of animalic musk and sheer powder, Marina De Bourbon Symbol by the inimitable French perfume house is a luxurious spring and summertime scent that entrances with sheer accords of flowers and precious wood. The opening is shimmering and bright, mingling ethereal syringa and honeysuckle. Heart notes are a carnal and precious blend of tuberose, jasmine and base notes are iris, Musk and White Woods.", "pricing": "$39.86", "list_price": "", "availability_quantity": 12, "availability_status": "Only 12 left in stock - order soon. Only 12 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31R0O-NLC5L.jpg", "https://m.media-amazon.com/images/I/317ZTu5IYaL.jpg", "https://m.media-amazon.com/images/I/41s7kKbNPpL.jpg", "https://m.media-amazon.com/images/I/41umLPRsu0L.jpg", "https://m.media-amazon.com/images/I/510u6r6dB9L.jpg", "https://m.media-amazon.com/images/I/41yZ98n2gTL.jpg", "https://m.media-amazon.com/images/I/A1ZofPTWt8L.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Fragrance \u203a Women's \u203a Eau de Parfum", "average_rating": 3.1, "small_description": ["FEEL LIKE A PRINCESS OF FRANCE. Princess Marina de Bourbon invites you to embrace your inner femininity and elegance with this fresh, sunny perfume. ", "ELEGANT AND MODERN. This scent opens with notes of , white flowers, seringat, and honeysuckle. The heart of tuberose and jasmine dries down to a base of iris and wood. ", "A LONG-LASTING TRAIL OF REFINEMENT. All day long, this eau de parfum will wrap you in layers of luxury and transport you to the unique universe of Princess Marina de Bourbon. ", "TIMELESS LUXURY. The elegant design of this beautiful bottle is a symbol of modern luxury that will surely stand out in your fragrance collection. ", "ONCE UPON A TIME: FRENCH ELEGANCE. Our perfume house, led by a modern-day princess, uses the suggestive power of flowers and nature to create intimate and personal scents that echo memory and invite the spirit to travel. "], "total_reviews": 2, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B084DF7NLZ", "category": "beauty", "query": "Women's Fragrance", "page": 127, "small_description_old": "About this item FEEL LIKE A PRINCESS OF FRANCE. Princess Marina de Bourbon invites you to embrace your inner femininity and elegance with this fresh, sunny perfume. ELEGANT AND MODERN. This scent opens with notes of , white flowers, seringat, and honeysuckle. The heart of tuberose and jasmine dries down to a base of iris and wood. A LONG-LASTING TRAIL OF REFINEMENT. All day long, this eau de parfum will wrap you in layers of luxury and transport you to the unique universe of Princess Marina de Bourbon. TIMELESS LUXURY. The elegant design of this beautiful bottle is a symbol of modern luxury that will surely stand out in your fragrance collection. ONCE UPON A TIME: FRENCH ELEGANCE. Our perfume house, led by a modern-day princess, uses the suggestive power of flowers and nature to create intimate and personal scents that echo memory and invite the spirit to travel."}, {"name": "Amosfun 27Pcs Glitter Heart Cupcake Toppers Love Cake Toppers Fruit Dessert Toothpick Cake Picks for New Year Weeding Birthday Valentines Day Cake Decoration Assorted Color", "product_information": {"Product Dimensions": "6.1 x 1.18 x 0.04 inches", "Item Weight": "5.3 ounces", "Department": "Unisex", "Manufacturer": "Amosfun", "ASIN": "B08PBDHVN8", "Batteries Required?": "No"}, "brand": "Visit the Amosfun Store", "brand_url": "https://www.amazon.com/stores/Amosfun/page/19391F14-D8D4-4994-BF60-347EC29C0F3F?ref_=ast_bln", "full_description": "Description This item is a set of nice and practical cupcake toppers for Valentine's Day, they are crafted in chic and attractive LOVE letters, rose, heart and hot air balloon patterns, they will help you to create a beautiful cake scenic.Features- Color: Assorted Color.- Material: Acrylic.- Size: About 15.50X3.00X0.10cm/ 6.09X1.18X0.04inch.- Stunning cake picks in cute and attractive LOVE letters, rose, heart and hot air balloon design, lovely and cute.- Creative glitter wedding cupcake toppers, fashion and muti- use.- The wonderful decorations to make your cake standing out, gathering people's eyes and attraction.- Suitable for party, wedding, baby shower, etc.- Creative and funny, perfect decorations for cake, dessert and so on.- Color: Assorted Color.- Size: 15.5x3cm.Package Including 3 x golden love shape cupcake toppers 6 x red roses shape cupcake toppers 3 x golden frame love cupcake toppers 12 x red heart and love cupcake toppers 3 x red hot air balloon cupcake toppers", "pricing": "$17.59", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/414Lb+qTL1L.jpg", "https://m.media-amazon.com/images/I/41CLrBtIQFL.jpg", "https://m.media-amazon.com/images/I/41ek3f+-DdL.jpg", "https://m.media-amazon.com/images/I/41QBAeCwPRL.jpg", "https://m.media-amazon.com/images/I/41Ou53MdeGL.jpg", "https://m.media-amazon.com/images/I/41FD+iqEmxL.jpg", "https://m.media-amazon.com/images/I/41qIhEDRSUL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Cooking & Baking \u203a Frosting, Icing & Decorations \u203a Cake Toppers", "average_rating": "", "small_description": ["Stunning cake picks in cute and attractive LOVE letters, rose, heart and hot air balloon design, lovely and cute. ", "The wonderful decorations to make your cake standing out, gathering peoples eyes and attraction. ", "Creative and funny, perfect decorations for cake, dessert and so on. ", "Suitable for party, wedding, baby shower, etc. ", "Creative glitter wedding cupcake toppers, fashion and muti-use. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A321U5OH73UZ8M", "seller_name": "Minecarts", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08PBDHVN8", "category": "grocery", "query": "Toothpicks", "page": 36, "small_description_old": "About this item\n \nStunning cake picks in cute and attractive LOVE letters, rose, heart and hot air balloon design, lovely and cute. The wonderful decorations to make your cake standing out, gathering peoples eyes and attraction. Creative and funny, perfect decorations for cake, dessert and so on. Suitable for party, wedding, baby shower, etc. Creative glitter wedding cupcake toppers, fashion and muti-use."}, {"name": "Gloaiidjonh Women Cotton Crew Socks Cute Cartoon Anime Dinosaur Embroidery Mid Tube Hosiery", "product_information": {"Department": "Womens", "Manufacturer": "Gloaiidjonh", "ASIN": "B09MLG4MXX", "Best Sellers Rank": ["#846,130 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry) #2,099 in Women's Athletic Socks"]}, "brand": "Brand: Gloaiidjonh", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Gloaiidjonh", "full_description": "100% brand new and high quality Features: Japanese style, ribbed knitted cuffs, cute cartoon anime dinosaur pattern embroidered, mid-calf length socks. Made of high quality cotton, soft, elasticity, anti-skidding, breathability and comfortability, good for all year wear. Long enough to cover your ankles. Elastic and enhanced cuffs hold socks comfortably in place; they will not dig into your shins. Suitable for many occasions: casual, daily, home, work, sports, party, school, office, outdoor, indoor, etc. Perfect matching for all your low cut shoes, boat shoes, loafers, sneakers, and so on. Great gift idea. 1 pair of socks only, other accessories demo in the picture are not included! Specification: Material: Cotton Recommended Foot Size: 36-43 Optional Color: Black, Blue, Green, Pink, Purple, White Quantity: 1 pair(2pcs) Warm prompt: 1.Asian people size is 1 or 2 sizes smaller than European and American. 2.Please note that low temperature washed,do not bleach and place under the blazing sun for quite a long time. 3.As different measuring methods,it will occur 1-3 cm deviation about the items,please ensure that it is okay for you before ordering. 4.Because of different monitors and lamplight,the picture may not reflect the actual color of the item,really thank you for your kind understanding! Package includes: 1 pair(2pcs) x Socks(without retail package)", "pricing": "$4.93", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31yvVgfcJNL.jpg", "https://m.media-amazon.com/images/I/316dNoKjVtL.jpg", "https://m.media-amazon.com/images/I/41I1Q21GYCL.jpg", "https://m.media-amazon.com/images/I/31HHkukVwRL.jpg", "https://m.media-amazon.com/images/I/41IvsLPaMQL.jpg", "https://m.media-amazon.com/images/I/31XXhTH8txL.jpg", "https://m.media-amazon.com/images/I/31W7bb0zhdL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Active \u203a Athletic Socks", "average_rating": "", "small_description": ["Japanese style, ribbed knitted cuffs, cute cartoon anime dinosaur pattern embroidered, mid-calf length socks. ", "Made of high quality cotton, soft, elasticity, anti-skidding, breathability and comfortability, good for all year wear. ", "Long enough to cover your ankles. Elastic and enhanced cuffs hold socks comfortably in place; they will not dig into your shins. ", "Suitable for many occasions: casual, daily, home, work, sports, party, school, office, outdoor, indoor, etc. ", "Perfect matching for all your low cut shoes, boat shoes, loafers, sneakers, and so on. Great gift idea. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09MLGGFX3/ref=twister_B09MLFS1KL?_encoding=UTF8&psc=1", "value": "Bk", "price_string": "$4.93", "price": 4.93, "image": "https://m.media-amazon.com/images/I/31rvKaGGb8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MLG1MMV/ref=twister_B09MLFS1KL?_encoding=UTF8&psc=1", "value": "Bl", "price_string": "$4.93", "price": 4.93, "image": "https://m.media-amazon.com/images/I/31pewfII3EL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MLDGKVC/ref=twister_B09MLFS1KL?_encoding=UTF8&psc=1", "value": "Gn", "price_string": "$4.93", "price": 4.93, "image": "https://m.media-amazon.com/images/I/31De2b6n7XL.jpg"}, {"is_selected": true, "url": null, "value": "Pk", "price_string": "$4.93", "price": 4.93, "image": "https://m.media-amazon.com/images/I/31yvVgfcJNL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MLFM12R/ref=twister_B09MLFS1KL?_encoding=UTF8&psc=1", "value": "Pl", "price_string": "$4.93", "price": 4.93, "image": "https://m.media-amazon.com/images/I/31W7bb0zhdL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MLDL45Q/ref=twister_B09MLFS1KL?_encoding=UTF8&psc=1", "value": "W", "price_string": "$4.93", "price": 4.93, "image": "https://m.media-amazon.com/images/I/21w8+l738FL.jpg"}]}, "seller_id": "AB8XOSH3SMY7V", "seller_name": "xloaer33frln", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09MLG4MXX", "category": "fashion", "query": "Women's Socks & Hosiery", "page": 44, "small_description_old": "Japanese style, ribbed knitted cuffs, cute cartoon anime dinosaur pattern embroidered, mid-calf length socks. Made of high quality cotton, soft, elasticity, anti-skidding, breathability and comfortability, good for all year wear. Long enough to cover your ankles. Elastic and enhanced cuffs hold socks comfortably in place; they will not dig into your shins. Suitable for many occasions: casual, daily, home, work, sports, party, school, office, outdoor, indoor, etc. Perfect matching for all your low cut shoes, boat shoes, loafers, sneakers, and so on. Great gift idea."}, {"name": "Traditional Standing Floor Lamp Multi 4-Light 63\" Tall Antique Bronze Copper Gold Tortoise Glass Font Fabric Bell Shade Candelabra Decor for Living Room Reading House Bedroom - Barnes and Ivy", "product_information": {"Manufacturer": "\u200eLamps Plus", "Part Number": "\u200eFK02008-1", "Item Weight": "\u200e13.8 pounds", "Product Dimensions": "\u200e20 x 20 x 63 inches", "Item model number": "\u200e98142", "Size": "\u200epillows 14", "Color": "\u200eBrown", "Style": "\u200eTraditional", "Finish": "\u200ePainted", "Material": "\u200eMetal", "Shape": "\u200eBell", "Power Source": "\u200eAC", "Voltage": "\u200e120 Volts", "Wattage": "\u200e60.00", "Item Package Quantity": "\u200e1", "Type of Bulb": "\u200eLED", "Switch Style": "\u200eRotary", "Batteries Included?": "\u200eNo", "ASIN": "B00062IG3A", "Customer Reviews": {"ratings_count": 50, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#419,358 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #2,329 in Floor Lamps"], "Date First Available": "May 23, 2010"}, "brand": "Visit the Barnes and Ivy Store", "brand_url": "https://www.amazon.com/stores/BarnesandIvy/page/5D549552-29DE-40F9-B8B5-ACFC2B90BEE1?ref_=ast_bln", "full_description": "", "pricing": "$269.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41akFMnipwL.jpg", "https://m.media-amazon.com/images/I/211W3-54RKL.jpg", "https://m.media-amazon.com/images/I/41JCEEERIWL.jpg", "https://m.media-amazon.com/images/I/41kgo37wUtL.jpg", "https://m.media-amazon.com/images/I/41bWjWnlUnL.jpg", "https://m.media-amazon.com/images/I/51MYow8p5wL.jpg", "https://m.media-amazon.com/images/I/21VqHIxo4NL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Lamps & Shades \u203a Floor Lamps", "average_rating": 4.6, "small_description": ["63\" high overall. Base is 12 3/4\" wide. Shade is 9\" across top x 20\" across bottom x 11\" slant. ", "Uses three maximum 60 watt bulbs and one maximum 150 watt bulb (bulbs not included). On-off rotary switch for main bulb. Separate 4-position switch controls the 3 side lights. ", "Hand-painted tortoise shell finish glass font. Because the design is handcrafted, there will be slight variations in color and pattern. ", "Bronze finish base and pole with coppery gold highlights. Metal construction. Poly-blend fabric shade. 6-foot long cord. "], "total_reviews": 50, "total_answered_questions": "", "model": "\u200e98142", "customization_options": "", "seller_id": "AB7N2KJ4KAXC3", "seller_name": "LAMPS PLUS", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B00062IG3A", "category": "garden", "query": "Floor lamps", "page": 59, "small_description_old": "About this item\n \n63\" high overall. Base is 12 3/4\" wide. Shade is 9\" across top x 20\" across bottom x 11\" slant. Uses three maximum 60 watt bulbs and one maximum 150 watt bulb (bulbs not included). On-off rotary switch for main bulb. Separate 4-position switch controls the 3 side lights. Bronze finish with coppery gold highlights. Metal construction. Painted tortoise shell glass font. Poly-blend fabric shade. 6-foot long cord. \n \u203a See more product details"}, {"name": "CofeeMO Womens Lingerie Sleep Lounge Everyday Nursing Bras Printed Underwear Seamless Printed Bralette for Sex Naughty Play", "product_information": {"Item Weight\n \u200f": "\u200e\n 5.29 Ounces", "Item model number\n \u200f": "\u200e\n valentines day gifts for her", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n December 18, 2021", "Manufacturer\n \u200f": "\u200e\n Jophufed", "ASIN\n \u200f": "\u200e\n B09NS9N5BD", "Best Sellers Rank": "#5,124,569 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#172,345 in Women's Lingerie, Sleep & Lounge", "#172,345 in Women's Lingerie, Sleep & Lounge": ""}, "brand": "Brand: CofeeMO", "brand_url": "https://www.amazon.com/CofeeMO/b/ref=bl_sl_s_ap_web_23452762011?ie=UTF8&node=23452762011&field-lbr_brands_browse-bin=CofeeMO", "full_description": "lingerie for women lingerie plus size lingerie for women sexy lingerie for women lingerie for women for sex lingerie set for women sexy lingerie for women naughty for sex sexy lingerie women's lingerie, sleep & lounge lingerie for women for sex play lingerie set lingerie for women plus size womens lingerie lingerie for women for sex naughty red lingerie for women plus size lingerie valentines lingerie for women plus size lingerie for women for sex crotchless lingerie for women women's exotic lingerie sets valentines day lingerie lingerie crotchless babydoll lingerie for women lingerie plus size mens lingerie women's lingerie crotchless lingerie valentines lingerie cosplay lingerie teddy lingerie for women school girl lingerie for women corset lingerie for women stockings for women lingerie valentines day lingerie for women black lingerie for women anime lingerie womens lingerie sexy red lingerie women lingerie kawaii lingerie lingerie for men lingerie for women for sex play set sexy lingerie for women plus size fishnet lingerie for women lingerie bodysuit white lingerie for women latex lingerie", "pricing": "$14.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51JSP3QB7cL.jpg", "https://m.media-amazon.com/images/I/51oj5kmnPpL.jpg", "https://m.media-amazon.com/images/I/51tWftxD0gL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": "", "small_description": ["Welcome to this store ------ Jophufed, please choose whatever you want, hoping to buy the products you are satisfied with. ", "The purpose of our shop is: customer first, to give you the most satisfactory products and the most comfortable service to the greatest extent. ", "sexy lingerie for women ", "valentines day gifts for her closure ", "[\u2764Search Term] lingerie underwear babydoll sets suit sleepwear nightie pajamas nightgown underpants corsets thong chemise dress bodysuit kawaii pupi crotch maid nurse doctor apron schoolgirl stockings fishnet gauze garter teddy with choker halter bondaged lingerie school girl outfit slutty sexy maid chest leather dominatrixs pink dress body harness bodysuit crossdresser cute teddy lingerie for wome role playing rhinestone lingerie bridal wedding night cow camisoles tanks robe baby doll ", "[\u2764Search Term] lingerie for women sexy plus size naughty for sex for sex play sleep lounge set crotchless sex naughty cosplay sex plus size exotic school girl anime fishnet bridal stockings corset latex babydoll red lingerie teddy black lolita baby doll open cup lingerie red nursen sheer lingerie stockings japanese exotic lingerie body stockings green bra and panty honeymoon crotchless negligee purple one piece lingerie chest of drawers tall naughty costume male women skirt ", "[\u2764Search Term] white bags delicates wedding bride leather lingerie bodysuit sissy maternity see through bondaged strappy school girl slutty sexy maid chest naughty thong bikini swimsuit pack seamless shapewear g string underwear cotton tummy bottom sissy men wedding silk open crotch wedding night panties top garter corset lace bunny cat role play blue vintage ladies daddy 2 piece goth cupless yellow green party decorations deep v neck shiny off the shoulder built bra mesh nude , [\u2764Search Term] high waisted bathing suit breathable panties lace baby bodysuit fashion black white for women fishnet sexy shapewear going out lingerie bodysuit long sleeve pink one shoulder bra babydoll dress tops baby pajamas silk burt bee maternity short sleeve strapless fishnet long sleeve halter tummy control leather spanks catsuit v neck yellow one piece spark thong swimsuit high waist pack bikini seamless man no show male original rise g string slutty white, [\u2764NOTICE] Please refer to the accurate size chart (not amazon size chart) Tips\uff1aWe are Asian Size,run smaller than US size,so i will suggest you choose one size or two size larger than you usual size , it will be more relax and comfortable."], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09NS9N5BD/ref=twister_B09NSBP7QS", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51kol7VEUhL.jpg"}, {"is_selected": true, "url": null, "value": "Khaki", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51JSP3QB7cL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NSBQM3H/ref=twister_B09NSBP7QS", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/519KgJM7jDL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NSB7DR6/ref=twister_B09NSBP7QS", "value": "Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/517NS+oP4-L.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09NSBB4JG"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09NSC4PW3"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09NS9VMG4"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09NSC5VDG"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09NS9Y7XX"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09NSC5VDG", "category": "fashion", "query": "Women's Lingerie, Sleep & Lounge", "page": 17, "small_description_old": "Welcome to this store ------ Jophufed, please choose whatever you want, hoping to buy the products you are satisfied with. The purpose of our shop is: customer first, to give you the most satisfactory products and the most comfortable service to the greatest extent. sexy lingerie for women valentines day gifts for her closure [\u2764Search Term] lingerie underwear babydoll sets suit sleepwear nightie pajamas nightgown underpants corsets thong chemise dress bodysuit kawaii pupi crotch maid nurse doctor apron schoolgirl stockings fishnet gauze garter teddy with choker halter bondaged lingerie school girl outfit slutty sexy maid chest leather dominatrixs pink dress body harness bodysuit crossdresser cute teddy lingerie for wome role playing rhinestone lingerie bridal wedding night cow camisoles tanks robe baby doll [\u2764Search Term] lingerie for women sexy plus size naughty for sex for sex play sleep lounge set crotchless sex naughty cosplay sex plus size exotic school girl anime fishnet bridal stockings corset latex babydoll red lingerie teddy black lolita baby doll open cup lingerie red nursen sheer lingerie stockings japanese exotic lingerie body stockings green bra and panty honeymoon crotchless negligee purple one piece lingerie chest of drawers tall naughty costume male women skirt [\u2764Search Term] white bags delicates wedding bride leather lingerie bodysuit sissy maternity see through bondaged strappy school girl slutty sexy maid chest naughty thong bikini swimsuit pack seamless shapewear g string underwear cotton tummy bottom sissy men wedding silk open crotch wedding night panties top garter corset lace bunny cat role play blue vintage ladies daddy 2 piece goth cupless yellow green party decorations deep v neck shiny off the shoulder built bra mesh nude \n [\u2764Search Term] high waisted bathing suit breathable panties lace baby bodysuit fashion black white for women fishnet sexy shapewear going out lingerie bodysuit long sleeve pink one shoulder bra babydoll dress tops baby pajamas silk burt bee maternity short sleeve strapless fishnet long sleeve halter tummy control leather spanks catsuit v neck yellow one piece spark thong swimsuit high waist pack bikini seamless man no show male original rise g string slutty white[\u2764NOTICE] Please refer to the accurate size chart (not amazon size chart) Tips\uff1aWe are Asian Size,run smaller than US size,so i will suggest you choose one size or two size larger than you usual size , it will be more relax and comfortable.Show more"}, {"name": "Maybelline New York Expert Wear Eyeshadow Singles, 130s Turquoise Glass Perfect Pastels, 0.09 Ounce", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n Yes", "Product Dimensions\n \u200f": "\u200e\n 0.41 x 2.46 x 1.72 inches; 0.75 Ounces", "Item model number\n \u200f": "\u200e\n 041554248104", "UPC\n \u200f": "\u200e\n 883445446714 041554248104 883264430895 885134961720", "Manufacturer\n \u200f": "\u200e\n Maybelline New York", "ASIN\n \u200f": "\u200e\n B0046VILG4", "Best Sellers Rank": "#163,963 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,346 in Eyeshadow", "#1,346 in Eyeshadow": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Maybelline New York", "brand_url": "https://www.amazon.com/Maybelline-New-York/b/ref=bl_dp_s_web_2596277011?ie=UTF8&node=2596277011&field-lbr_brands_browse-bin=Maybelline+New+York", "full_description": "Easy to use. Lots to choose. All-day crease-proof wear. Rich, velvety textures. Glides on effortlessly with superior smoothness. Velvet-tip applicator blends without tugging or pulling. Safe for sensitive eyes and contact lens wearers, ophthalmologist-tested.", "pricing": "$7.98", "list_price": "", "availability_quantity": 5, "availability_status": "Only 5 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41IiEBGouZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Eyes \u203a Eyeshadow", "average_rating": 4.2, "small_description": [""], "total_reviews": 54, "total_answered_questions": "", "customization_options": "", "seller_id": "AP9T7G78KOHYP", "seller_name": "Mommy Dezarn's Miscellaneous", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0046VILG4", "category": "beauty", "query": "Eyes Care", "page": 201, "small_description_old": "About this item Maybelline Maybelline Maybelline"}, {"name": "\u7425\u73c0 \u5c0f\u7c73\u9505\u5df4 \u6df7\u5408\u53e3\u5473 \u9505\u5df4 \u81a8\u5316\u98df\u54c1 \u85af\u7247 \u96f6\u98df 760g/\u888b Hupo Guoba Snacks 760g/bag", "product_information": {"UPC\n \u200f": "\u200e\n 755426941368", "Manufacturer\n \u200f": "\u200e\n \u7425\u73c0", "ASIN\n \u200f": "\u200e\n B09KRL9W5C", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Brand: YUGAO", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=YUGAO", "full_description": "Product name: Hupo\u00a0 \u00a0Guoba\u00a0\u00a0 Shelf life: 360 days Storage: Store in a cool and dry place, avoid direct sunlight Taste: mixed taste Weight: 760g/bag\u00a0 Place of Origin: Mainland China How to eat: Open the bag and eat immediately. If there is any quality problem, please contact us in time PS: Alternate delivery of new and old packaging \u5546\u54c1\u540d\u79f0\uff1a\u7425\u73c0\u00a0 \u00a0 \u5c0f\u7c73\u9505\u5df4 \u4fdd\u8d28\u671f\uff1a360\u5929 \u50a8\u5b58\u65b9\u5f0f\uff1a\u5b58\u653e\u4e8e\u9634\u51c9\u5e72\u71e5\u5904\uff0c\u907f\u514d\u9633\u5149\u76f4\u5c04 \u53e3\u5473\uff1a\u6df7\u5408\u53e3\u5473 \u91cd\u91cf\uff1a760g/\u888b \u4ea7\u5730\uff1a\u4e2d\u56fd\u5927\u9646 \u98df\u7528\u65b9\u6cd5\uff1a\u5f00\u888b\u5373\u98df\u3001\u5982\u6709\u5546\u54c1\u8d28\u91cf\u95ee\u9898\uff0c\u8bf7\u53ca\u65f6\u4e0e\u6211\u4eec\u8054\u7cfb PS\uff1a\u65b0\u8001\u5305\u88c5\u4ea4\u66ff\u53d1\u8d27", "pricing": "$43.99", "list_price": "", "availability_quantity": 19, "availability_status": "Only 19 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/611oiAkG-IS.jpg", "https://m.media-amazon.com/images/I/51OYwiHgLGS.jpg", "https://m.media-amazon.com/images/I/51LaR0A0zWS.jpg", "https://m.media-amazon.com/images/I/51dfambXAiS.jpg", "https://m.media-amazon.com/images/I/51xJoHo30bS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Puffed Snacks", "average_rating": "", "small_description": ["\u5546\u54c1\u540d\u79f0\uff1a\u7425\u73c0 \u5c0f\u7c73\u9505\u5df4 Product name: Hupo Guoba ", "\u4fdd\u8d28\u671f\uff1a360\u5929 Shelf life: 360 days ", "\u50a8\u5b58\u65b9\u5f0f\uff1a\u5b58\u653e\u4e8e\u9634\u51c9\u5e72\u71e5\u5904\uff0c\u907f\u514d\u9633\u5149\u76f4\u5c04 Storage: Store in a cool and dry place, avoid direct sunlight ", "\u53e3\u5473\uff1a\u6df7\u5408\u53e3\u5473 Taste: mixed taste ", "\u91cd\u91cf\uff1a760g/\u888b Weight: 760g/bag "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AZR30JRDC9OX6", "seller_name": "Yao Zehua network technology", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09KRL9W5C", "category": "grocery", "query": "Puffed Snacks", "page": 101, "small_description_old": "\u5546\u54c1\u540d\u79f0\uff1a\u7425\u73c0 \u5c0f\u7c73\u9505\u5df4 Product name: Hupo Guoba \u4fdd\u8d28\u671f\uff1a360\u5929 Shelf life: 360 days \u50a8\u5b58\u65b9\u5f0f\uff1a\u5b58\u653e\u4e8e\u9634\u51c9\u5e72\u71e5\u5904\uff0c\u907f\u514d\u9633\u5149\u76f4\u5c04 Storage: Store in a cool and dry place, avoid direct sunlight \u53e3\u5473\uff1a\u6df7\u5408\u53e3\u5473 Taste: mixed taste \u91cd\u91cf\uff1a760g/\u888b Weight: 760g/bag"}, {"name": "KIKO MILANO - Gossamer Emotion Creamy Lipstick | Bold Lip Color Lip Shine | Cruelty Free Makeup | Professional Makeup Lipstick | Made in Italy (125 Cyclamen)", "product_information": {"Item model number\n \u200f": "\u200e\n KM0020102412544", "Manufacturer\n \u200f": "\u200e\n Kiko", "ASIN\n \u200f": "\u200e\n B077D7RL4P", "Best Sellers Rank": "#95,702 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#883 in Lipstick", "#883 in Lipstick": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Kiko Store", "brand_url": "https://www.amazon.com/stores/KIKOMILANO/page/D1C4D0B4-EA2B-40A0-988F-F87D820004E8?ref_=ast_bln", "full_description": "", "pricing": "$8.39", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41M9snQ+aYL.jpg", "https://m.media-amazon.com/images/I/31M4QXfd-TL.jpg", "https://m.media-amazon.com/images/I/01XWIXoeq2L.jpg", "https://m.media-amazon.com/images/I/51d44BClLVL.jpg", "https://m.media-amazon.com/images/I/51xRLZfhg8L.jpg", "https://m.media-amazon.com/images/I/51cH47-pUrL.jpg", "https://m.media-amazon.com/images/I/71kpzgb+fbL.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Lips \u203a Lipstick", "average_rating": 4.3, "small_description": ["Creamy lipstick in bold lip color variety with a shiny finish. The lip stick formula contains orchid extracts and hyaluronic filling spheres. ", "The smooth, supple texture combined with the intense, bright colors create a sensuous smile and lip shine. The lipstick glides on easily, allowing for lip care and leaving the lips silky soft. ", "Gossamer Emotion Creamy Lipstick comes in a new, modern tube with a metallic finish. Lip stick comes in a variety of colors, including red lipstick, nude lipstick, pink lipstick, rose lipstick and others. This lipstick's distinguishing characteristic is the unique button at the top of the cap. ", "The KIKO makeup lines undergoe a careful, in-depth clinical and dermatological testing to produce Hypoallergenic products formulated to minimize allergy risks. Products are non-comedogenic and of highest quality. "], "total_reviews": 150, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B077M3X2C8/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "101 Natural Rose", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ucNP-H2xL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B077H7L3YD/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "102 Pink Sand", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41vgVhimslL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B077RCXJN7/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "103 Powder Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41bUdBs+CJL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0784F8R5C/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "104 Vintage Rose", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41TQ3dxYlgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B077H9281D/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "105 Pinkish Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41RFWil716L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07DQKZZS6/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "113 Pearly Tulip Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41mcgJZ0MLL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B077GK4KFV/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "114 Litchi", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41+4Fjy10YL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B077DKXD17/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "118 Salmon", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41QMXQnFW1L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B079FBNVBP/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "119 Wild Rose", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41yWxpz9rHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B077DC7YHL/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "124 Azalea", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41rWQ1aSNVL.jpg"}, {"is_selected": true, "url": null, "value": "125 Cyclamen", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41M9snQ+aYL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B079SLFSN9/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "127 Black Currant", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41TrrzzaOiL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B077DFWCSP/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "131 Tea Rose", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41RZodqCWyL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B077D74FS3/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "132 Crimson", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Ouq6RYCeL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B077DTMBFS/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "133 Chesnut", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41fobi5olHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07DP3S816/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "Marsala", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41P5OZS928L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B077DFB3G7/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "Mauve", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Q9dn85c4L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07B4N5HZC/ref=twister_B077D9R3J1?_encoding=UTF8&psc=1", "value": "Sangria", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41VNUKH2s9L.jpg"}]}, "seller_id": "A156RGX0EFLDH6", "seller_name": "Kiko Milano Cosmetics", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B077D7RL4P", "category": "beauty", "query": "Lip Care", "page": 50, "small_description_old": "About this item Creamy lipstick in bold lip color variety with a shiny finish. The lip stick formula contains orchid extracts and hyaluronic filling spheres. The smooth, supple texture combined with the intense, bright colors create a sensuous smile and lip shine. The lipstick glides on easily, allowing for lip care and leaving the lips silky soft. Gossamer Emotion Creamy Lipstick comes in a new, modern tube with a metallic finish. Lip stick comes in a variety of colors, including red lipstick, nude lipstick, pink lipstick, rose lipstick and others. This lipstick's distinguishing characteristic is the unique button at the top of the cap. The KIKO makeup lines undergoe a careful, in-depth clinical and dermatological testing to produce Hypoallergenic products formulated to minimize allergy risks. Products are non-comedogenic and of highest quality."}, {"name": "3pcs biorepair fast sensitive toothpaste 75ml protect & REPAIR from acid erosion and plaque safe for whole family by Biorepair", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 6.97 x 6.1 x 1.61 inches; 14.25 Ounces", "Date First Available\n \u200f": "\u200e\n December 22, 2016", "Manufacturer\n \u200f": "\u200e\n coswell", "ASIN\n \u200f": "\u200e\n B00X2UAMXU", "": ""}, "brand": "Brand: Biorepair", "brand_url": "https://www.amazon.com/Biorepair/b/ref=bl_dp_s_web_20069293011?ie=UTF8&node=20069293011&field-lbr_brands_browse-bin=Biorepair", "full_description": "Biorepair is the toothpaste that actually repairs tooth enamel! Although on the surface most teeth look healthy, daily wear and tear causes hundreds of tiny flaws to appear in tooth enamel. Over time, plaque and bacteria can form in these flaws and can lead to more serious damage such as tooth decay and sensitivity. Biorepair works to repair tooth enamel, prevent decay and reduce sensitivity by filling in the tiny cracks and binding to the structure of the enamel. Due to its formula rich in microRepair, Biorepair Total Protective Repair repairs the enamel surface, protecting the natural health of the teeth from plaque, tartar build-up and tooth decay and acid erosion. EFFECTS: - prevents tooth decay - prevents plaque - removes and prevents tartar build-up - keeps fresh breath - repairs enamel and dentin microscratches IMPORTANT: children under six years of age can use Biorepair without adult supervision due to the absence of Fluoride.", "pricing": "$20.00", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51Cywwn8gWL.jpg", "https://m.media-amazon.com/images/I/41yaBvBVqmL.jpg", "https://m.media-amazon.com/images/I/417+dG1nqHL.jpg", "https://m.media-amazon.com/images/I/51IkCygUFIL.jpg", "https://m.media-amazon.com/images/I/41rMIvc6NGL.jpg", "https://m.media-amazon.com/images/I/51jtdg4SWFL.jpg", "https://m.media-amazon.com/images/I/512XSMQB+HL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothpaste", "average_rating": "", "small_description": ["It repairs the enamel surface, protecting against plaque, tartar build-up and cavities ", "Children under six years of age can use Biorepair without adult supervision due to the absence of Fluoride ", "No fluoride, no titanium dioxide, no SLS (Sodium Lauryl Sulfate), no parabens ", "The only toothpaste that repairs enamel: a healthy enamel is the solution for providing a healthy and beautiful smile ", "By Biorepair, Italian quality; Italian packaging "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "ABH5B4UIPT97K", "seller_name": "italian objects", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B00X2UAMXU", "category": "beauty", "query": "Toothpaste", "page": 120, "small_description_old": "About this item It repairs the enamel surface, protecting against plaque, tartar build-up and cavities Children under six years of age can use Biorepair without adult supervision due to the absence of Fluoride No fluoride, no titanium dioxide, no SLS (Sodium Lauryl Sulfate), no parabens The only toothpaste that repairs enamel: a healthy enamel is the solution for providing a healthy and beautiful smile By Biorepair, Italian quality; Italian packaging"}, {"name": "Ecco Men's Melbourne Plain Toe Slip on Loafer", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 13.5 x 8.2 x 5.2 inches; 13 Ounces", "Item model number\n \u200f": "\u200e\n 62173401001", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n November 27, 2018", "Manufacturer\n \u200f": "\u200e\n ECCO", "ASIN\n \u200f": "\u200e\n B07CN5BNZS", "Best Sellers Rank": "#811,877 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#2,123 in Men's Loafers & Slip-Ons", "#2,123 in Men's Loafers & Slip-Ons": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the ECCO Store", "brand_url": "https://www.amazon.com/stores/ECCOFootwear/page/3A737AFE-B708-46E5-9C51-F81094A69BEC?ref_=ast_bln", "full_description": "A formal slip-on loafer for work or weekend, this leather design with slim elastic detailing prioritizes comfort with uppers in a choice of full-grain ECCO leather or heritage-inspired ECCO the natural bovine leather. The elegant work wear silhouette is inspired by the classic slip-on, and reworked in a sleeker shape with chiseled detailing to appeal to the modern gentleman.", "pricing": "$114.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31iSSPkR5uL.jpg", "https://m.media-amazon.com/images/I/41xXpE4hK9L.jpg", "https://m.media-amazon.com/images/I/411SzZIgamL.jpg", "https://m.media-amazon.com/images/I/31iSrJ0EYSL.jpg", "https://m.media-amazon.com/images/I/31SDK39U0GL.jpg", "https://m.media-amazon.com/images/I/31P5iCCgoaL.jpg", "https://m.media-amazon.com/images/I/31jxCNSzoRL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Loafers & Slip-Ons", "average_rating": 4.6, "small_description": ["100% Leather ", "Imported ", "Rubber sole ", "Shaft measures approximately low-top from arch ", "A formal slip-on loafer for work or weekend ", "Direct-injected single density PU outsole is pliable, lightweight and flexible with ECCO FLUIDFORM Technology cushioning every step ", "Removable inlay sole designed with ECCO Comfort Fibre System helps keep footwear fresh and dry , Classic silhouette sleeker and elongated to make a contemporary impact, Airport friendly"], "total_reviews": 38, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": false, "value": "6-6.5", "asin": "B07CN5BJDP"}, {"is_selected": false, "is_available": false, "value": "7-7.5", "asin": "B07CN79QWZ"}, {"is_selected": false, "is_available": true, "value": "8-8.5", "asin": "B07CN5BNZS"}, {"is_selected": false, "is_available": true, "value": "9-9.5", "asin": "B07CN9RZ1C"}, {"is_selected": false, "is_available": true, "value": "10-10.5", "asin": "B07CNCQK2V"}, {"is_selected": false, "is_available": true, "value": "11-11.5", "asin": "B07CN5BGVQ"}, {"is_selected": false, "is_available": true, "value": "12-12.5", "asin": "B07CN5BLFL"}, {"is_selected": false, "is_available": true, "value": "13-13.5", "asin": "B07CN9RWRL"}, {"is_selected": false, "is_available": false, "value": "14-14.5", "asin": "B07CN9RZ4D"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07CN5BJDP/ref=twister_B07CNCQSTB", "value": "Amber", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31DPrSlejxL.jpg"}, {"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31iSSPkR5uL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07CN9RZ1C", "category": "fashion", "query": "Men's Loafers & Slip-Ons", "page": 6, "small_description_old": "100% Leather Imported Rubber sole Shaft measures approximately low-top from arch A formal slip-on loafer for work or weekend Direct-injected single density PU outsole is pliable, lightweight and flexible with ECCO FLUIDFORM Technology cushioning every step Removable inlay sole designed with ECCO Comfort Fibre System helps keep footwear fresh and dry \n Classic silhouette sleeker and elongated to make a contemporary impactAirport friendlyShow more"}, {"name": "guohanfsh 5/10Pcs Transparent Empty Spray Bottles 30ml Plastic Mini Refillable Cosmetic Perfume Containers 10pcs", "product_information": {"Item Weight\n \u200f": "\u200e\n 3.92 Ounces", "Manufacturer\n \u200f": "\u200e\n guohanfsh", "ASIN\n \u200f": "\u200e\n B07ZR54L56", "Country of Origin\n \u200f": "\u200e\n China", "Best Sellers Rank": "#934,171 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#18,398 in Refillable Cosmetic Containers #42,926 in Makeup Bags & Cases", "#18,398 in Refillable Cosmetic Containers": "", "#42,926 in Makeup Bags & Cases": ""}, "brand": "Brand: guohanfsh", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=guohanfsh", "full_description": "Specifications: Type: Empty Cosmetic Containers Color: by Random Size: 9.5cm x 3cm/3.74\" x 1.18\" (Approx.) Notes: Due to the light and screen setting difference, the item's color may be slightly different from the pictures. Please allow slight dimension difference due to different manual measurement. Package Includes: 5/10 x Empty Cosmetic Containers", "pricing": "$4.41", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41S2ld77bkL.jpg", "https://m.media-amazon.com/images/I/41tCIsJV4mL.jpg", "https://m.media-amazon.com/images/I/41dXu9gj3mL.jpg", "https://m.media-amazon.com/images/I/41n7dvIqfuL.jpg", "https://m.media-amazon.com/images/I/41-Rye6MxYL.jpg", "https://m.media-amazon.com/images/I/41aEWMtZLzL.jpg", "https://m.media-amazon.com/images/I/41r3z+nKQdL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases", "average_rating": "", "small_description": ["Plastic material made, durable for a long time use. ", "Clear style, easy for you to see inside. ", "Used for holding makeup, bath product. ", "Material: Plastic ", "Features: Clear, Empty, Storage Bottle "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07ZR5G5ZX/ref=twister_B089FHYZJC?_encoding=UTF8&psc=1", "value": "5pcs", "price_string": "$2.89", "price": 2.89, "image": null}, {"is_selected": true, "url": null, "value": "10pcs", "price_string": "$4.41", "price": 4.41, "image": null}]}, "seller_id": "AZYLX9DPWPJ0N", "seller_name": "guohanfsh", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07ZR54L56", "category": "beauty", "query": "Refillable Containers", "page": 116, "small_description_old": "Plastic material made, durable for a long time use. Clear style, easy for you to see inside. Used for holding makeup, bath product. Material: Plastic Features: Clear, Empty, Storage Bottle"}, {"name": "Savannah's Candy Kitchen | Gourmet Handmade Candy Gift Box - Pralines, Chocolate Turtle Gophers, Handmade Divinity (24)", "product_information": {"Manufacturer\n \u200f": "\u200e\n Savannah Candy Kitchen", "ASIN\n \u200f": "\u200e\n B07XP6DGJH", "Best Sellers Rank": "#281,389 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#3,257 in Candy & Chocolate Gifts", "#3,257 in Candy & Chocolate Gifts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Savannah's Candy Kitchen Store", "brand_url": "https://www.amazon.com/stores/Savannah%27s+Candy+Kitchen/page/453666F8-02F9-4B46-A6B3-3903B372E643?ref_=ast_bln", "full_description": "Can't decide which Savannah's Candy Kitchen favorite to gift? Then choose all of our most popular candies with this delectable trio! Our Savannah's Original Pralines, delicious Milk Chocolate Turtle Gophers, and Southern Pecan Divinity, hand packed into our signature Savannah Candy gift box. This charming gift box includes 8 Pecan Pralines, 8 Pecan Divinity and 8 of our milk chocolate caramel pecan gopher turtles. Taste the difference of superior quality candy handmade by career candy makers. Our Pecan Pralines are handmade in small batches then individually wrapped before being shipped to you. While our candies are shipped fresh there is something about a straight from the copper pot warm pralines that is hard to beat. To achieve that warm creamy fresh from the pot taste and texture you can warm a single praline in the microwave for 10 seconds or toss an entire pan of them in the oven for 5 minutes at 250\u00b0. Always remove wrapped before eating and allow to cool for 1 minute. Y'all enjoy!", "pricing": "$79.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51QBLdqrWbL.jpg", "https://m.media-amazon.com/images/I/51CYhsQPteL.jpg", "https://m.media-amazon.com/images/I/51zdFxX6W-L.jpg", "https://m.media-amazon.com/images/I/41CtrJ5Q3tL.jpg", "https://m.media-amazon.com/images/I/41gajs-aEoL.jpg", "https://m.media-amazon.com/images/I/51+F7j3Y8LL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Candy & Chocolate \u203a Candy & Chocolate Gifts", "average_rating": 3.9, "small_description": ["Savannah's Original Pralines ", "Gophers - like a turtle but better! ", "Gourmet Pecan Divinity ", "Savannah's Candy Kitchen Signature Candy Gift Box ", "100% Satisfaction Guarantee! "], "total_reviews": 7, "total_answered_questions": "", "customization_options": {"Number of Items": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07XPH5VRC/ref=twister_B07RF9SBGB?_encoding=UTF8&psc=1", "value": "12", "price_string": "$59.95", "price": 59.95, "image": null}, {"is_selected": true, "url": null, "value": "24", "price_string": "$79.95", "price": 79.95, "image": null}]}, "seller_id": "A39TW99N4LZZ4X", "seller_name": "Savannahs Candy Kitchen", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07XP6DGJH", "category": "grocery", "query": "Candy & Chocolate", "page": 180, "small_description_old": "Savannah's Original Pralines Gophers - like a turtle but better! Gourmet Pecan Divinity Savannah's Candy Kitchen Signature Candy Gift Box 100% Satisfaction Guarantee!"}, {"name": "Korean Seaweed Gift Set (4 kinds; Kimch, Wasabi, Green tea, Olive)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Manufacturer\n \u200f": "\u200e\n HAEJEO FOODS", "ASIN\n \u200f": "\u200e\n B07JHNMLN9", "": ""}, "brand": "Brand: Gwangcheon haejeo", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Gwangcheon+haejeo", "full_description": "[Gwangcheon haejeo Seaweed] Seaweed (Korean), 49.7%, corn oil (Russia, Brazil, Hungary, Serbia, etc.), perilla oil (perilla seeds: Chinese) [Gwangcheon haejeo mineral Seaweed] Seaweed (Korean)49.5%, corn oil (Russia, Brazil, Hungary and Serbia), perilla oil (perilla: Chinese), processed salt (Korean), sesame oil [Kimchi Spicy Gwangcheon haejeo Seaweed] Seaweed (Korean) 47%, corn oil (corn: foreign products - Russia, Brazil, Hungary, Serbia, etc.), perilla oil (perilla seeds: Chinese), kimchi leaf seasoning 3.8%, processed salt (Korean), sesame oil [Wasabi Gwangcheon haejeo Seaweed] Seaweed (Korean)49.5%, (Mustard: Chinese), processed salt (Korean), sesame oil, coated mustard jae-03, wasabi powder (wasabi powder) : Chinese) 0.3% [Green tea Gwangcheon haejeo Seaweed] Seaweed (Korean), 49.4%, corn oil (Russia, Brazil, Hungary, Serbia, etc.), perilla oil (perilla seeds: Chinese), processed salt (Korean), sesame oil, green tea (Korean 0.1% [Olive Gwangcheon haejeo Seaweed] Seaweed (Korean), 49.1%, corn oil (Russia, Brazil, Hungary, Serbia, etc.), perilla oil (China), processed salt (Korean), sesame oil and pressed olive oil", "pricing": "$120.31", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31VVEIXjAmL.jpg", "https://m.media-amazon.com/images/I/51UuPOkBRYL.jpg", "https://m.media-amazon.com/images/I/51RDbPK7ftL.jpg", "https://m.media-amazon.com/images/I/51UgdJJZuEL.jpg", "https://m.media-amazon.com/images/I/41mYqiKTQSL.jpg", "https://m.media-amazon.com/images/I/41hwlRU4LSL.jpg", "https://m.media-amazon.com/images/I/51Q2v+J+wmL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Seaweed Snacks", "average_rating": "", "small_description": "Great for Seaweed Gift set Seaweed snack - 2 pack, Launch(4g) - 15 pack, Big size(23g) - 10 pack, Small size(15g) - 9 pack", "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1AN4JQWD7UQRC", "seller_name": "ASUS International", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07JHNMLN9", "category": "grocery", "query": "Seaweed Snacks", "page": 61, "small_description_old": "Great for Seaweed Gift set Seaweed snack - 2 pack, Launch(4g) - 15 pack, Big size(23g) - 10 pack, Small size(15g) - 9 pack"}, {"name": "ASOMI50ml Perfume Set Aromatherapy Fragrance Perfume with Portable Empty Refill Bottle", "product_information": {"Manufacturer\n \u200f": "\u200e\n ASOMI", "ASIN\n \u200f": "\u200e\n B09G9V3G1N", "": ""}, "brand": "Brand: ASOMI", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ASOMI", "full_description": "Specification: Item Type: Perfume Material: Plant Extraction Net Content: 50ml Function:\u00a0Deodorization, aromatherapy Usage: Spray on the parts needed\u00a0 Package List: 1 x Spray Tube 1 x Empty Bottle\u00a0 1 x Bottle Body", "pricing": "$31.01", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31KcI8lacWS.jpg", "https://m.media-amazon.com/images/I/31mQE5RFCIS.jpg", "https://m.media-amazon.com/images/I/31k1h-vnCoS.jpg", "https://m.media-amazon.com/images/I/31nX-GcjfYS.jpg", "https://m.media-amazon.com/images/I/41WHBdq+1aL.jpg", "https://m.media-amazon.com/images/I/41WkwnDb7CL.jpg", "https://m.media-amazon.com/images/I/41QX754111L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases", "average_rating": "", "small_description": ["DIY Portable empty perfume bottle, easy to carry when going out, can be used anytime and anywhere. ", "Empty perfume bottle of lipstick shape, elegant and beautiful appearance, easy to use. ", "Experience the filling process by yourself, DIY portable perfume set to meet your needs. ", "Citrus, bergamot, bergamot pear of the top note, cardamom, lavender heart note and vanilla, amber base note. ", "Add your elegance and confident when dating, shopping, work, meeting and so on. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AQRQRV9SHBPC5", "seller_name": "Henan Boyu Information Technology Co., Ltd.", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09G9V3G1N", "category": "beauty", "query": "Sets Fragrance", "page": 142, "small_description_old": "DIY Portable empty perfume bottle, easy to carry when going out, can be used anytime and anywhere. Empty perfume bottle of lipstick shape, elegant and beautiful appearance, easy to use. Experience the filling process by yourself, DIY portable perfume set to meet your needs. Citrus, bergamot, bergamot pear of the top note, cardamom, lavender heart note and vanilla, amber base note. Add your elegance and confident when dating, shopping, work, meeting and so on."}, {"name": "Erwazi Android 6.0 Tablet, 7Inch Duad Core Tablet PC 1GB + 8GB Dual Camera WiFi Blue-Tooth Tablet Best for Childrens 2022 New Years Gift Boys Girls School Learning Birthday Gift (Green)", "product_information": {"ASIN": "B09P147DN2", "Manufacturer recommended age": "1 month and up", "Best Sellers Rank": ["#304,898 in Electronics (See Top 100 in Electronics) #5,986 in Computer Tablets"], "Mfg Recommended age": "1 month and up", "Manufacturer": "Erwazi"}, "brand": "Brand: Erwazi", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Erwazi", "full_description": "\ud83d\udc9d=^_^= Hi, Dear Friend, Welcome to ChenLINzi Store =^_^=\ud83d\udc9d \ud83d\ude80 Delivery Time \ud83d\ude80 The estimated delivery time Fast Delivery will be 10-25 business days by Standard delivery and 7-15 days by expedited delivery \ud83d\udc9d about Product \ud83d\udc9d Processor Mode: Q8 A33 Duad-Core,ARM Cortex A9 Family 1.0Ghz up to 1.3MHzRAM Installed Size: DDR 1GBBuilt-in Nand Flash: NAND FLASH 8GBDisplay Diagonal Size: 7\" TFT 16:9 width screenMax Resolution: 800X480panel: 5 points Capacitive ScreenCamera: 0.3 M pixelGravity Sensor: 4 DirectionsInput/ Output ConnectorsAudio/Video: Built in 1W stereo speaker x1, earphone x1USB Port: Micro USB Device/Host x1Memory Card: Micro SD card slot x1. Maximum capacity of 32GBCommunicationsWireless Connection: Wi-FiWireless Protocol: 802.11 b/g Wireless networkSoftwareImage: JPG, JPEG, BMP, PNGOther Software: Play Store, Skype, , iReader etc.Multi-language: SupportedGeneralBattery Type: 2000MAH Li-ion BatteryRun Time (up to): 5-10 HoursVoltage required: 120-240V/50-60HzDimensions / L x W x H: 182mm (L) x122mm (W) x 12mm (H)Package Content:1 x Tablet PC(With Packing)1x Charger1x Manual1x USB cable \u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708\u2708 11.11 sale christmas costume dress Black Friday sales, Black Friday deals, Black Friday clearance Cyber Monday sales, Cyber Monday deals, Cyber Monday specials, Cyber Monday clearance christmas christmas tree christmas ornaments christmas decorations clearance christmas gifts christmas pajamas ugly christmas sweater christmas", "pricing": "$36.99", "list_price": "", "availability_quantity": 18, "availability_status": "Only 18 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41qqxSJkAYL.jpg", "https://m.media-amazon.com/images/I/311VhT8KBPL.jpg", "https://m.media-amazon.com/images/I/51l7Eh8R63L.jpg", "https://m.media-amazon.com/images/I/516hNIEhaBL.jpg", "https://m.media-amazon.com/images/I/31sUjVQMXTL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Computers & Tablets \u203a Tablets", "average_rating": "", "small_description": ["\ud83c\udf08\u3010Android OS\u3011This Tablet runs on the latest Android 4.4 operating system, as the tablet just installed basic Goo-gle apps, Plus, high storage memory lets you save and store what you need to access on a moment\u2019s notice. ", "\ud83c\udfce\u3010Fast and Powerful\u3011powerful DUAL-core processor and 1GB RAM, provides strong performance and increases app startup speed. ", "\u2699\u3010Enjoy Your Favorite Apps\u3011The is a G-MS certified android tablet. You will have full access to Goo-gle services, such as G-mail, Y-outube, D-rive, Maps, Play Store, so you can download and e-njoy your favorite Apps as you like ", "\ud83c\udfa4\u3010Big Screen, Big Storage\u3011Vivid 7\" 1080p Full HD display with dual speakers, allowing for excellent picture and sound quality. Built-in 8GB memory and supports up to 8GB microSD cards to expand the storage, You can keep everything you like in this slim metal android tablet. ", "\ud83c\udf81\u3010Portable Entertainment\u3011With a 2000mAh lithium battery, you can e-njoy the tablet for a long time. 8Mp rear camera + 2Mp front camera, wifi connection, Blue-tooth 5.0, is designed for an improved entertainment experience. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09P12T74L/ref=twister_B09P144J4M?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$36.99", "price": 36.99, "image": "https://m.media-amazon.com/images/I/31sUjVQMXTL.jpg"}, {"is_selected": true, "url": null, "value": "Green", "price_string": "$36.99", "price": 36.99, "image": "https://m.media-amazon.com/images/I/41qqxSJkAYL.jpg"}]}, "seller_id": "AEIMBTUESVY35", "seller_name": "Belief dolls\ud83d\udd257-15 Days Fast Delivery\ud83d\udd25", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09P147DN2", "category": "electronics", "query": "Tablets", "page": 26, "small_description_old": "About this item\n \n\ud83c\udf08\u3010Android OS\u3011This Tablet runs on the latest Android 4.4 operating system, as the tablet just installed basic Goo-gle apps, Plus, high storage memory lets you save and store what you need to access on a moment\u2019s notice. \ud83c\udfce\u3010Fast and Powerful\u3011powerful DUAL-core processor and 1GB RAM, provides strong performance and increases app startup speed. \u2699\u3010Enjoy Your Favorite Apps\u3011The is a G-MS certified android tablet. You will have full access to Goo-gle services, such as G-mail, Y-outube, D-rive, Maps, Play Store, so you can download and e-njoy your favorite Apps as you like \ud83c\udfa4\u3010Big Screen, Big Storage\u3011Vivid 7\" 1080p Full HD display with dual speakers, allowing for excellent picture and sound quality. Built-in 8GB memory and supports up to 8GB microSD cards to expand the storage, You can keep everything you like in this slim metal android tablet. \ud83c\udf81\u3010Portable Entertainment\u3011With a 2000mAh lithium battery, you can e-njoy the tablet for a long time. 8Mp rear camera + 2Mp front camera, wifi connection, Blue-tooth 5.0, is designed for an improved entertainment experience."}, {"name": "Schoolyard Snacks Low Carb Keto Cheese Puffs - Cheddar Cheese - High Protein - All Natural - Gluten & Grain-Free - Healthy Chips - Low Calorie Food - 12 Pack Single Serve Bags - 100 Calories", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 8.11 x 7.76 x 5.75 inches; 1.17 Pounds", "UPC\n \u200f": "\u200e\n 850013770090", "Manufacturer\n \u200f": "\u200e\n The Cereal School", "ASIN\n \u200f": "\u200e\n B08P28NXH3", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#3,202 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#17 in Puffed Snacks", "#17 in Puffed Snacks": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Schoolyard Snacks Store", "brand_url": "https://www.amazon.com/stores/Schoolyard+Snacks/page/60EE21B2-3868-4D20-9009-6CBAF2E97DF1?ref_=ast_bln", "full_description": "", "pricing": "$25.49", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/415G0GOLOjL.jpg", "https://m.media-amazon.com/images/I/51xZczQPhZL.jpg", "https://m.media-amazon.com/images/I/512FSluAPBL.jpg", "https://m.media-amazon.com/images/I/41Gl+4WD4QL.jpg", "https://m.media-amazon.com/images/I/5197sUIxs6L.jpg", "https://m.media-amazon.com/images/I/51b9JnDHOjL.jpg", "https://m.media-amazon.com/images/I/51bFxG5QG8L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Puffed Snacks", "average_rating": 3.7, "small_description": ["Healthy Cheddar Cheese Puffs: We replaced the carbs in conventional cheese puffs with high-quality protein to bring you the healthiest Keto Cheese Puffs that taste savory and delicious, just like the traditional Cheddar Cheese snacks you love! Each batch of our all-natural Keto snacks is baked, never fried. 12 Pack ", "Compare To A Protein Bar: One bag of our cheese puffs has 14g of protein and is roughly the cost of a protein bar with similar nutritionals. And with all the protein, you\u2019ll stay full way longer. ", "On-The-Go Yum: We use only premium, all-natural, grain and gluten free ingredients with no flour, hydrogenated oils, or artificial ingredients. Each bag is a single serving snack with 1g net carb and only 100 calories per bag. An excellent choice for a diabetic snack. ", "Keto Approved & More: Our Cheddar Cheese Keto Puffs are not only Keto Approved, but are also free of artificial sweeteners, sugar, colors, soy and nuts. Non-GMO. Made in the USA in a NSF and Safe Quality Food-certified facility. ", "Started By Two Big Kids Who Never Grew Up: After graduating college and officially entering adulthood, we decided to start limiting our sugar intake. But we quickly realized everything we loved to eat growing up was suddenly off limits. It was our yearning for childhood comfort foods that made us start Schoolyard Snacks. We've reinvented timeless favorite cereals and snacks we all love into guilt-free treats that we feel good about eating every day (and night, let\u2019s be real!). "], "total_reviews": 3284, "total_answered_questions": 10, "customization_options": {"Flavor Name": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08YJKP2X3/ref=twister_B09Q9CJXCF?_encoding=UTF8&psc=1", "value": "BBQ", "price_string": "$25.49", "price": 25.49, "image": null}, {"is_selected": true, "url": null, "value": "Cheddar Cheese", "price_string": "$25.49", "price": 25.49, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08P268MJR/ref=twister_B09Q9CJXCF?_encoding=UTF8&psc=1", "value": "Sour Cream & Onion", "price_string": "", "price": 0, "image": null}]}, "seller_id": "AIY7HZGP8EBFE", "seller_name": "Schoolyard Snacks", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B08P28NXH3", "category": "grocery", "query": "Puffed Snacks", "page": 10, "small_description_old": "About this item Healthy Cheddar Cheese Puffs: We replaced the carbs in conventional cheese puffs with high-quality protein to bring you the healthiest Keto Cheese Puffs that taste savory and delicious, just like the traditional Cheddar Cheese snacks you love! Each batch of our all-natural Keto snacks is baked, never fried. 12 Pack Compare To A Protein Bar: One bag of our cheese puffs has 14g of protein and is roughly the cost of a protein bar with similar nutritionals. And with all the protein, you\u2019ll stay full way longer. On-The-Go Yum: We use only premium, all-natural, grain and gluten free ingredients with no flour, hydrogenated oils, or artificial ingredients. Each bag is a single serving snack with 1g net carb and only 100 calories per bag. An excellent choice for a diabetic snack. Keto Approved & More: Our Cheddar Cheese Keto Puffs are not only Keto Approved, but are also free of artificial sweeteners, sugar, colors, soy and nuts. Non-GMO. Made in the USA in a NSF and Safe Quality Food-certified facility. Started By Two Big Kids Who Never Grew Up: After graduating college and officially entering adulthood, we decided to start limiting our sugar intake. But we quickly realized everything we loved to eat growing up was suddenly off limits. It was our yearning for childhood comfort foods that made us start Schoolyard Snacks. We've reinvented timeless favorite cereals and snacks we all love into guilt-free treats that we feel good about eating every day (and night, let\u2019s be real!)."}, {"name": "Cicy Bell Womens Casual Blazers Open Front Long Sleeve Work Office Jackets Blazer", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 15.27 x 12.44 x 2.28 inches; 14.89 Ounces", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n August 13, 2019", "Manufacturer\n \u200f": "\u200e\n Cicy Bell", "ASIN\n \u200f": "\u200e\n B085HKWB8P", "Best Sellers Rank": "#50 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1 in Women's Blazers & Suit Jackets", "#1 in Women's Blazers & Suit Jackets": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$48.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41UXlJTjcBL.jpg", "https://m.media-amazon.com/images/I/41C-WqkLkvL.jpg", "https://m.media-amazon.com/images/I/41IL9A4lUiL.jpg", "https://m.media-amazon.com/images/I/415GSAnDYYL.jpg", "https://m.media-amazon.com/images/I/61fgdmSegYL.jpg", "https://m.media-amazon.com/images/I/519hkTguDML.jpg", "https://m.media-amazon.com/images/I/51eJQFejz-L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Suiting & Blazers \u203a Blazers", "average_rating": 3.8, "small_description": ["Button closure ", "Material: Polyester&Spandex. Soft fabric. This jacket comes with a full lining. Soft and Comfortable to Wear ", "Features: Basic lapel collar blazer jacket for women, a single front button design, two functional flap pockets, perfectly carrying some necessity, or nailing a chic look. ", "Occasion: Suitable for casual street look, business outfit, work office style, leisure time, daily life, holiday, vacation and so on. ", "Pair with: This blazer perfectly hug your chest and waist. Great With Your Favorite Skinny Jeans Leggings or Boots, and so on. ", "Garment Care: Machine Wash With Cold Water/ Line Dry/ Not Bleach. "], "total_reviews": 11356, "total_answered_questions": 95, "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B085HKWB8P/ref=twister_B07WCVTWK8", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41UTtIXu30L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085HHQYDV/ref=twister_B07WCVTWK8", "value": "Cream/Off White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ZNfTn+hiL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085HBHN41/ref=twister_B07WCVTWK8", "value": "Dark Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/411P9ZUwayL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098DQBFLH/ref=twister_B07WCVTWK8", "value": "Lavender", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ZeEE0gDlL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085H85XC1/ref=twister_B07WCVTWK8", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ln-aaTRaL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085HN7FG5/ref=twister_B07WCVTWK8", "value": "Orange", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Ca1fRoZ6L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085HF5YLF/ref=twister_B07WCVTWK8", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41n2BEwQLzL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098DS9RJ8/ref=twister_B07WCVTWK8", "value": "Z-army Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41YFjRZl9wL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098DT4KF2/ref=twister_B07WCVTWK8", "value": "Z-black&grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ALRnSkKoL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098DS9XPN/ref=twister_B07WCVTWK8", "value": "Z-brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/413nUtpLFzL.jpg"}, {"is_selected": true, "url": null, "value": "Z-burgundy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41UXlJTjcBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098DRXNXZ/ref=twister_B07WCVTWK8", "value": "Z-dark Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ACXtBmJiS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098DPTJ9T/ref=twister_B07WCVTWK8", "value": "Z-dark Khaki", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41-EyEuP-xL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08DKQMTSX/ref=twister_B07WCVTWK8", "value": "Z-khaki", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41xKzzoQZ2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08FHZBTML/ref=twister_B07WCVTWK8", "value": "Z-nude Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ZeP0c8UoL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08FC8X3J3/ref=twister_B07WCVTWK8", "value": "Z-pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41NfJV-DjCS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08DKNTCCB/ref=twister_B07WCVTWK8", "value": "Z-purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41A2CJ4xgfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098DQ96VF/ref=twister_B07WCVTWK8", "value": "Z-royal Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41gHdTBqIqS.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "X-Small", "asin": "B098DS1352"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B08DXN7HDY"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B08DXL22JN"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B08DXHPYVZ"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B08DXKTKVD"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B098DSBS7Z"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08DXL22JN", "category": "fashion", "query": "Women's Suiting & Blazers", "page": 1, "small_description_old": "Button closure Material: Polyester&Spandex. Soft fabric. This jacket comes with a full lining. Soft and Comfortable to Wear Features: Basic lapel collar blazer jacket for women, a single front button design, two functional flap pockets, perfectly carrying some necessity, or nailing a chic look. Occasion: Suitable for casual street look, business outfit, work office style, leisure time, daily life, holiday, vacation and so on. Pair with: This blazer perfectly hug your chest and waist. Great With Your Favorite Skinny Jeans Leggings or Boots, and so on. Garment Care: Machine Wash With Cold Water/ Line Dry/ Not Bleach."}, {"name": "Fitness Watch 1.69inch Full Touch Screen Smart Bracelet Waterproof Sports Band Blue Wearable Smart Devices", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 5.91 x 3.54 x 0.79 inches; 3.7 Ounces", "Date First Available\n \u200f": "\u200e\n September 10, 2021", "Manufacturer\n \u200f": "\u200e\n Heall", "ASIN\n \u200f": "\u200e\n B09FXPRZN5", "Country of Origin\n \u200f": "\u200e\n China", "Best Sellers Rank": "#362,129 in Electronics (See Top 100 in Electronics)#7,774 in Smartwatches", "#7,774 in Smartwatches": ""}, "brand": "Brand: Heall", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Heall", "full_description": "Description:This 1.69inch Full Touch Smart Bracelet supports vibrate to notify you of incoming calls and messages, you will not miss any messages and calls with this assistant. The waterproof design of our smart watch makes it a perfect tool foe outdoor running, exercising and workout.Features:Smart Watch-Color: As shown.-Material: Silicone.-Size:Host size 4.85x3.75x0.91 cm/1.91x1.48x0.36 inch. Machine size 26x4.85x0.91 cm/10.24x1.91x0.36 inch.Specification:App operating system: compatible with IOS8.0 or above, Android4.4 or aboveVibration reminder: motor vibration reminderScreen Size: 1.69 240*280Type: TFTUnit weight: 35gOperation: full touchBattery capacity: 200 mAhStandby time: 7-10 daysCharging method: magnetic data cableCharging time: about 2 hoursPackage Including1 * Bracelet1 * Charging cable1 * Instruction", "pricing": "$34.38", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41l2gB6n4kL.jpg", "https://m.media-amazon.com/images/I/51Ci7ABj+vL.jpg", "https://m.media-amazon.com/images/I/41k7GAhe-fL.jpg", "https://m.media-amazon.com/images/I/41sffXWHF3L.jpg", "https://m.media-amazon.com/images/I/418zuHLj21L.jpg", "https://m.media-amazon.com/images/I/51bp3qorElL.jpg", "https://m.media-amazon.com/images/I/51EBZG97bqL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Wearable Technology \u203a Smartwatches", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09FXPFL1P/ref=twister_B09FXT45HL?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$31.16", "price": 31.16, "image": "https://m.media-amazon.com/images/I/31btEpxATAL.jpg"}, {"is_selected": true, "url": null, "value": "Blue", "price_string": "$34.38", "price": 34.38, "image": "https://m.media-amazon.com/images/I/41l2gB6n4kL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09FXT358K/ref=twister_B09FXT45HL?_encoding=UTF8&psc=1", "value": "Pink", "price_string": "$31.16", "price": 31.16, "image": "https://m.media-amazon.com/images/I/31NHIzcvRBL.jpg"}]}, "seller_id": "A2R9W4YVFY5GQ7", "seller_name": "Tueheurtic", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09FXPRZN5", "category": "electronics", "query": "Wearable Technology", "page": 100, "small_description_old": "Full Touch Watch has more than 80 kinds of dials to choose, which also supports custom your own dials, you can upload your favorite one as the background Smart Wristband features multi-sports mode, multiple reminder modes, daily use function operation, make life more intelligent and convenient Smart Fitness Watch adopts silicone strap, which is durable and non-toxic, comfortabble to wear and safe to your skin Smart Fitness Watch features a 1.69inch high-definition screen, making the display effect delicate and everything clearly visible Waterproof Sports Watch with built-in 200mAh rechargeable lithium battery, boasts large capacity and low power consumption, 20 days of long standby, 10 days of daily use"}, {"name": "4EVER DLP Projector DMD Board CHIP Suitable for BenQ MP512 MP512ST MP514 Projector", "product_information": {"ASIN": "B07XTQ1ZMN", "Best Sellers Rank": ["#8,052 in Video Projectors"], "Date First Available": "September 11, 2019", "Manufacturer": "4EVER E.T.C"}, "brand": "Brand: 4EVER E.T.C", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=4EVER+E.T.C", "full_description": "This DMD chip for use with DLP projectors that have a native resolution of 800x600 pixels. This DMD chip measures 53x36mm (mirror size is 0.55\", aspect ratio 4:3) Please confirm your old chip model first or consult our technical consultants.", "pricing": "$125.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31m8qYaeM2L.jpg", "https://m.media-amazon.com/images/I/312qtsvEp1L.jpg", "https://m.media-amazon.com/images/I/31FgdnmNaNL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Video Projectors", "average_rating": "", "small_description": ["4EVER DLP Projector DMD BOARD CHIP Suitable For BenQ MP512 MP512ST MP514 Projector ", "Replacment part,one chip include ", "We are a professional projector repair company. If you don't know the model you need, please email us. ", "90 day warranty ", "If you haven't received it in 10 days, please email us "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3UZWHGC9QP6DB", "seller_name": "4EVER-YOUNG", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07XTQ1ZMN", "category": "electronics", "query": "Projectors", "page": 170, "small_description_old": "4EVER DLP Projector DMD BOARD CHIP Suitable For BenQ MP512 MP512ST MP514 Projector Replacment part,one chip include We are a professional projector repair company. If you don't know the model you need, please email us. 90 day warranty If you haven't received it in 10 days, please email us"}, {"name": "Friday The 13th Jason TGIF Pullover Hoodie", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 12 x 12 x 5 inches; 1.3 Pounds", "Department\n \u200f": "\u200e\n Unisex-adult", "Date First Available\n \u200f": "\u200e\n December 13, 2018", "Manufacturer\n \u200f": "\u200e\n Warner Bros.", "ASIN\n \u200f": "\u200e\n B07LBNRY7H", "Best Sellers Rank": "#3,660,832 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#77,737 in Men's Novelty Hoodies #722,130 in Women's Novelty Clothing #1,454,117 in Men's Fashion", "#77,737 in Men's Novelty Hoodies": "", "#722,130 in Women's Novelty Clothing": "", "#1,454,117 in Men's Fashion": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Warner Bros.", "brand_url": "https://www.amazon.com/Warner-Bros/b/ref=bl_sl_s_ap_web_20050228011?ie=UTF8&node=20050228011&field-lbr_brands_browse-bin=Warner+Bros.", "full_description": "", "pricing": "$46.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/B1i3u9-Q-KS.png", "https://m.media-amazon.com/images/I/318ERPG8FUL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Men \u203a Hoodies", "average_rating": 3.5, "small_description": ["Friday The 13th Jason TGIF Pullover Hoodie is available in adult unisex. This is a 100% authentic, officially licensed Friday The 13th hoodie! ", "Friday the 13th, Happy Birthday Jason Voorhees. Due to counselors lack of attention Jason drowns as a young boy at Camp Crystal Lake. He comes back for revenge. So if you are a camp counselor beware of a machete holding, hockey mask wearing maniac. ", "8.5 oz, Classic fit, Twill-taped neck "], "total_reviews": 4, "total_answered_questions": "", "customization_options": {"Fit Type": null, "Color": null, "Size": [{"is_selected": false, "is_available": true, "value": "Unisex Small", "asin": "B078RXQC7K"}, {"is_selected": false, "is_available": true, "value": "Unisex Medium", "asin": "B078RX4FQ4"}, {"is_selected": false, "is_available": true, "value": "Unisex Large", "asin": "B078RV2JNJ"}, {"is_selected": false, "is_available": true, "value": "Unisex XL", "asin": "B078RXL85P"}, {"is_selected": false, "is_available": true, "value": "Unisex 2XL", "asin": "B078RYQ4ZY"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07LBNRY7H", "category": "fashion", "query": "Men's Sweaters", "page": 85, "small_description_old": "Friday The 13th Jason TGIF Pullover Hoodie is available in adult unisex. This is a 100% authentic, officially licensed Friday The 13th hoodie! Friday the 13th, Happy Birthday Jason Voorhees. Due to counselors lack of attention Jason drowns as a young boy at Camp Crystal Lake. He comes back for revenge. So if you are a camp counselor beware of a machete holding, hockey mask wearing maniac. 8.5 oz, Classic fit, Twill-taped neck"}, {"name": "Giantex Wooden Daybed Frame Twin Size, Full Wooden Slats Support, Dual-use Sturdy Sofa Bed for Bedroom Living Room (Grey)", "product_information": {"Product Dimensions": "76 x 42 x 12 inches", "Item Weight": "46.5 pounds", "Manufacturer": "Giantex", "ASIN": "B094YFJ95K", "Item model number": "GT63521GY-HW", "Customer Reviews": {"ratings_count": 673, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#355,188 in Home & Kitchen (See Top 100 in Home & Kitchen) #860 in Bed Frames"], "Date First Available": "January 1, 2020"}, "brand": "Visit the Giantex Store", "brand_url": "https://www.amazon.com/stores/Giantex/page/5CAD1B16-908A-413E-8AEB-967B2F140721?ref_=ast_bln", "full_description": "", "pricing": "$219.99", "list_price": "", "availability_quantity": 6, "availability_status": "Only 6 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/513MVdPs+AS.jpg", "https://m.media-amazon.com/images/I/51Qlqb-f4RS.jpg", "https://m.media-amazon.com/images/I/51BB712Kj6S.jpg", "https://m.media-amazon.com/images/I/5119upmdA0S.jpg", "https://m.media-amazon.com/images/I/51T7UiomJGS.jpg", "https://m.media-amazon.com/images/I/41C7PlT1D8S.jpg", "https://m.media-amazon.com/images/I/51WciR8vWFS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Beds, Frames & Bases \u203a Bed Frames", "average_rating": 4.6, "small_description": ["\u3010Sturdy & Durable Daybed Frame\u3011: Made of high-quality pine wood, the frame of this wooden bed is not easy to be affected by humidity change and lead to crack. The strong legs and wide boards not only improve the weight capacity of the bed greatly but also ensure the stableness. ", "\u3010Dual-Use for Various Scenes\u3011: This daybed frame with rails in three sides not only can be a bed to be placed in your bedroom but also is ideal to be a sofa or seat in your living room. It can meet your different needs perfectly. Designed in twin size, the frame provides enough space for you to sleep or have rest. ", "\u3010Concise Design with Quality Accessories\u3011: Equipped with antirust and strong accessories, the parts of our bed are tightly connected with each other. It won\u2019t make noise when you turn over on the bed. Designed in modern and concise style, this wooden bed will match really well with the rest of your furniture or decors. ", "\u3010Providing Additional Storage Space\u3011: The height under the bed is about 12-inch which can make full use of space and is convenient for storing various items. It is perfect to place storage box to tidy your clothes, toys or quilts. And a trundle which the size is not larger than 76 x 42 x 12 inch (L x W x H) also can be stored under the frame. ", "\u3010Easy to Assemble\u3011: All the necessary accessories and the detailed installation instructions are packaged well in the product parcel. Therefore, it is not difficult to install the wooden bed frame in short time. Two people are recommended when assembling this frame. "], "total_reviews": 673, "total_answered_questions": "", "model": "GT63521GY-HW", "customization_options": {"Color": null}, "seller_id": "A1KP5NGF2WM32D", "seller_name": "Giantex", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B094YFJ95K", "category": "garden", "query": "Bedframes", "page": 58, "small_description_old": "About this item\n \n\u3010Sturdy & Durable Daybed Frame\u3011: Made of high-quality pine wood, the frame of this wooden bed is not easy to be affected by humidity change and lead to crack. The strong legs and wide boards not only improve the weight capacity of the bed greatly but also ensure the stableness. \u3010Dual-Use for Various Scenes\u3011: This daybed frame with rails in three sides not only can be a bed to be placed in your bedroom but also is ideal to be a sofa or seat in your living room. It can meet your different needs perfectly. Designed in twin size, the frame provides enough space for you to sleep or have rest. \u3010Concise Design with Quality Accessories\u3011: Equipped with antirust and strong accessories, the parts of our bed are tightly connected with each other. It won\u2019t make noise when you turn over on the bed. Designed in modern and concise style, this wooden bed will match really well with the rest of your furniture or decors. \u3010Providing Additional Storage Space\u3011: The height under the bed is about 12-inch which can make full use of space and is convenient for storing various items. It is perfect to place storage box to tidy your clothes, toys or quilts. And a trundle which the size is not larger than 76 x 42 x 12 inch (L x W x H) also can be stored under the frame. \u3010Easy to Assemble\u3011: All the necessary accessories and the detailed installation instructions are packaged well in the product parcel. Therefore, it is not difficult to install the wooden bed frame in short time. Two people are recommended when assembling this frame."}, {"name": "WADE CELLARS Chenin Blanc, 750 ML", "product_information": {"Manufacturer": "\u200eWADE CELLARS", "ASIN": "\u200eB08NYTKYSS", "Date First Available": "\u200eNovember 20, 2020"}, "brand": "Brand: WADE CELLARS", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=WADE+CELLARS", "full_description": "", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31oghhcIRAL.jpg", "https://m.media-amazon.com/images/I/315NKJqrxvL.jpg", "https://m.media-amazon.com/images/I/21MSdh4Q44L.jpg", "https://m.media-amazon.com/images/I/21O1UQID42L.jpg", "https://m.media-amazon.com/images/I/21Dogb8wWqL.jpg", "https://m.media-amazon.com/images/I/41yf3eeBZqL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Alcoholic Beverages \u203a Wine \u203a White", "average_rating": 4, "small_description": ["Country Of Origin: California ", "Type Of Wine: White ", "Alcohol By Volume: 12.9% ABV "], "total_reviews": 3, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08NYTKYSS", "category": "grocery", "query": "Alcoholic Beverages", "page": 192, "small_description_old": "About this item\n \nCountry Of Origin: California Type Of Wine: White Alcohol By Volume: 12.9% ABV"}, {"name": "Star Vixen Women's Cold-Shoulder Top", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10.47 x 10 x 0.63 inches; 6.38 Ounces", "Item model number\n \u200f": "\u200e\n 8128-IT", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n May 19, 2017", "Manufacturer\n \u200f": "\u200e\n Star Vixen Child Code", "ASIN\n \u200f": "\u200e\n B06Y38FM4F", "Best Sellers Rank": "#500,143 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#7,053 in Blouses & Button-Down Shirts #7,415 in Women's T-Shirts", "#7,053 in Blouses & Button-Down Shirts": "", "#7,415 in Women's T-Shirts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Star Vixen Store", "brand_url": "https://www.amazon.com/stores/Star+Vixen/page/19CC2C52-139E-47AA-93CC-B395BF0343A7?ref_=ast_bln", "full_description": "Update your classic scoop neck top with this chic style. Travel-friendly, comfortable and flattering in a soft and silky, wrinkle resistant knit fabric. Elastic detail at the cuff creates interest for a look that is easy to dress up or down. Style details include cut out 3/4 sleeve and scoop neck design. This is the perfect piece to update your basic top collection.", "pricing": "$9.38$30.32", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51+AmLCSQhL.jpg", "https://m.media-amazon.com/images/I/51unJd985fL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Tops, Tees & Blouses \u203a T-Shirts", "average_rating": 3.9, "small_description": ["92% Polyester, 8% Spandex ", "Made in the USA and Imported ", "Pull On closure ", "Hand Wash Only ", "*Soft Silky Knit fabric, 92% polyester, 8% Spandex ", "*Features 3/4 cold shoulder cutout detail with gathered detail at cuffs ", "*Update to the classic scoop neck top with a trendy cold shoulder look , *Work-ready and effortlessly chic, perfect for everyday, *Easy wear and care, Pull on Style in wrinkle resistant fabric"], "total_reviews": 180, "total_answered_questions": 3, "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B00V6AB76O"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B00V6AB7A0"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B00V6AB78M"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B00V6AB796"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B06Y39MD7F/ref=twister_B00V69TDJS", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41qsnxCyJsL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B06Y35HPK8/ref=twister_B00V69TDJS", "value": "Black Dot", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/517SwUpFeAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B018UBQG4Y/ref=twister_B00V69TDJS", "value": "Black Solid", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31xZpQI0ZgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00V6ABRC8/ref=twister_B00V69TDJS", "value": "Black/White Dot", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Gn94NNqWS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07X32BP77/ref=twister_B00V69TDJS", "value": "Brown Cheetah", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51GY7PCMupL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B06Y34K543/ref=twister_B00V69TDJS", "value": "Burgundy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41zYabOcHmL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WZXY2T4/ref=twister_B00V69TDJS", "value": "Charcoal", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31T2a2QX+EL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07X31DWFL/ref=twister_B00V69TDJS", "value": "Coral", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/410gMC8FAEL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WZXFFVM/ref=twister_B00V69TDJS", "value": "Dark Floral", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51+QJKtWfUL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07X64BVKB/ref=twister_B00V69TDJS", "value": "Fuchsia", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41vrtZ7IOrL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WZWFJMM/ref=twister_B00V69TDJS", "value": "Grey Cheetah", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/515YcBTponL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WZXJN75/ref=twister_B00V69TDJS", "value": "Heather Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31K+uNMHa1L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B06Y3H55J2/ref=twister_B00V69TDJS", "value": "Ivory", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31MMYfarQ7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B018UBQ9G4/ref=twister_B00V69TDJS", "value": "Ivory/Black Zebra", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51c6JuHW4xL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B06Y3664ZH/ref=twister_B00V69TDJS", "value": "Ivoryzebra", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51cNYXTNgLL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WZXFWB5/ref=twister_B00V69TDJS", "value": "Jade", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41pFoqHOWoL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WZXJN7R/ref=twister_B00V69TDJS", "value": "Light Floral", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51PNThi-v6L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WZWYBTQ/ref=twister_B00V69TDJS", "value": "Mauve", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31p0j1aSdmL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07X64MX8Y/ref=twister_B00V69TDJS", "value": "Mauve/Floral", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41xwsBwiv9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WZWYBV1/ref=twister_B00V69TDJS", "value": "Mint", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31FR4gJDF6L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07WZXXJWD/ref=twister_B00V69TDJS", "value": "Mustard", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31d5Nw0i1UL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B06Y36XK4R/ref=twister_B00V69TDJS", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41rp1ROPm6L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07X65JBJ3/ref=twister_B00V69TDJS", "value": "Navy/Floral", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51DPqFrgOPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07X443FBQ/ref=twister_B00V69TDJS", "value": "Navy/White Dot", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51XCippLLFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07X64Q5S5/ref=twister_B00V69TDJS", "value": "Olive", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31mEIGMJANL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B06Y35SLBX/ref=twister_B00V69TDJS", "value": "Red Dot", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51CwQs4yz2L.jpg"}, {"is_selected": true, "url": null, "value": "Red/White Dot", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51+AmLCSQhL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07X219HRN/ref=twister_B00V69TDJS", "value": "Rust", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/410KYJKOgXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07X64Q5S3/ref=twister_B00V69TDJS", "value": "Teal", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ZRezhNl1L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07X64QTQ5/ref=twister_B00V69TDJS", "value": "Burgundy Floral", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41URiKbLCgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07X219HS4/ref=twister_B00V69TDJS", "value": "Burgundy/Floral", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41i9pFfVzFL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B00V6AB796", "category": "fashion", "query": "Women's Tops, Tees & Blouses", "page": 58, "small_description_old": "*Soft Silky Knit fabric, 92% polyester, 8% Spandex *Features 3/4 cold shoulder cutout detail with gathered detail at cuffs *Update to the classic scoop neck top with a trendy cold shoulder look *Work-ready and effortlessly chic, perfect for everyday *Easy wear and care, Pull on Style in wrinkle resistant fabric"}, {"name": "Dual Magnetic Lashes, Magnets False Eyelashes, Soft 3D No Glue Fake Lashes Extension with Tweezers, Natural Look Eyelashes Set with 6 Pieces / 3 Pairs /Mini HD Makeup Mirror", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 6.93 x 5.31 x 1.3 inches; 6.28 Ounces", "UPC\n \u200f": "\u200e\n 735372628544", "Manufacturer\n \u200f": "\u200e\n tataback", "ASIN\n \u200f": "\u200e\n B09CGNH5XT", "Best Sellers Rank": "#106,052 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,243 in False Eyelashes", "#1,243 in False Eyelashes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: tataback", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=tataback", "full_description": "The Eyelashes made of Grade A handcrafted fiber that is ultra-soft and long for entire eyes. It is smudge-resistant and waterproof. A specially designed alloy applicator for magnetic eyelashes makes it very easy to wear. MAGNETIC EYELASHES The 100% handmade magnetic eyelashes can be used many times with proper use and storage. The magnetic eyelashes come with 5 strong magnets each. No Glue and Irritation-free The magnetic eyelashes no messy glues or adhesives required, easy to apply. The glue-free design minimizes irritation to your eyes and also prevents any damage to your natural eyelashes. Natural and Beautiful The most fashionable eyelashes may give you a natural and beautiful look. Put on these thin and long false eyelashes and your eyes would look bigger, beauty brighter, and more attractive, you will look naturally gorgeous and beautiful. NATURAL LOOK Enjoy natural-looking lashes that enhance the natural beauty of your eyes. They do not feel too heavy on the eyes but they keep your eyes look awake and alive. These lashes fan out to bring out the best of your eyes. Easy To Use 1. Place the upper lash on the upper part of the applicator, and place the lower lash on the lower part of the applicator. Make sure both lashes curve upwards and face inside of the applicator. 2. Bring the applicator as close as possible to your lash line, making sure your natural lashes are in between two prongs of the applicator. 3. Gently press the applicator together until the magnets connect automatically to each other.", "pricing": "$9.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/518GPzY109L.jpg", "https://m.media-amazon.com/images/I/512a6zK42bL.jpg", "https://m.media-amazon.com/images/I/51VcCyDdpzL.jpg", "https://m.media-amazon.com/images/I/51LfOuur2tL.jpg", "https://m.media-amazon.com/images/I/41BZMjIl4wL.jpg", "https://m.media-amazon.com/images/I/51MxeGmplHL.jpg", "https://m.media-amazon.com/images/I/51LWsrT8nBL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Makeup Brushes & Tools \u203a Eye \u203a False Eyelashes & Adhesives \u203a False Lashes", "average_rating": 1.9, "small_description": ["\ud83d\udc96\u3010Package includes\u3011The Reusable eyelash set includes 6 pairs of eyelashes. And it also includes a special magnetic eyelash clip, and a pretty box for packaging them. What's more ingenious is that there is a mirror inside the box and it have a beauty box that can be carried around (including Mini HD Makeup Mirror) With them, you can wear beautiful eyelashes anytime, anywhere, making you more beautiful. ", "\ud83d\udc96\u3010Natural Magnetic Eyelashes\u3011Made of premium synthetic fibers that result in luscious eyelashes, It can be fixed within seconds with the dual magnetic design, 2 magnet strips clip in each corner under your eyelashes, securing the top lash in place. strong magnetic force secures your eyelash is placed in the right place,and make your eyes look bright and attractive. ", "\ud83d\udc96\u3010Comfort & natural\u3011The magnetic fake eyelashes no messy glues or adhesives required, easy to apply. The glue-free design minimizes irritation to your eyes and also prevents any damage to your natural eyelashes.Makes you more comfortable and natural after applying eyelashes, and can be worn for a long time. ", "\ud83d\udc96\u3010How to Use\u3011Only attach the top and bottom eyelashes to the upper and lower prong of the tweezers, then clip and press the prongs together to have both lashes strips stick to each other. Then release and take away the tweezers. Designed for quick and easy application of magnetic lashes, this Eyelash companion is guaranteed to save your makeup time. These professional eyelash tweezers use innovative curved shapes to safely apply eyelashes in seconds with extreme precision. ", "\ud83d\udc96\u3010Quality Service\u3011 If you are not satisfied with our magnetic eyelashes kit, you can contact us immediately, and we will reply to you and solve your problem within 24 hours. "], "total_reviews": 10, "total_answered_questions": "", "customization_options": "", "seller_id": "ATH852DU1DPGK", "seller_name": "Bangke-US", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09CGNH5XT", "category": "beauty", "query": "Eyes Makeup", "page": 208, "small_description_old": "About this item \ud83d\udc96\u3010Package includes\u3011The Reusable eyelash set includes 6 pairs of eyelashes. And it also includes a special magnetic eyelash clip, and a pretty box for packaging them. What's more ingenious is that there is a mirror inside the box and it have a beauty box that can be carried around (including Mini HD Makeup Mirror) With them, you can wear beautiful eyelashes anytime, anywhere, making you more beautiful. \ud83d\udc96\u3010Natural Magnetic Eyelashes\u3011Made of premium synthetic fibers that result in luscious eyelashes, It can be fixed within seconds with the dual magnetic design, 2 magnet strips clip in each corner under your eyelashes, securing the top lash in place. strong magnetic force secures your eyelash is placed in the right place,and make your eyes look bright and attractive. \ud83d\udc96\u3010Comfort & natural\u3011The magnetic fake eyelashes no messy glues or adhesives required, easy to apply. The glue-free design minimizes irritation to your eyes and also prevents any damage to your natural eyelashes.Makes you more comfortable and natural after applying eyelashes, and can be worn for a long time. \ud83d\udc96\u3010How to Use\u3011Only attach the top and bottom eyelashes to the upper and lower prong of the tweezers, then clip and press the prongs together to have both lashes strips stick to each other. Then release and take away the tweezers. Designed for quick and easy application of magnetic lashes, this Eyelash companion is guaranteed to save your makeup time. These professional eyelash tweezers use innovative curved shapes to safely apply eyelashes in seconds with extreme precision. \ud83d\udc96\u3010Quality Service\u3011 If you are not satisfied with our magnetic eyelashes kit, you can contact us immediately, and we will reply to you and solve your problem within 24 hours."}, {"name": "Furniture HotSpot \u2013 Bakers Rack \u2013 White Stain - 30\" W x 15\" D x 64.5\" H", "product_information": {"Item Weight": "\u200e69 pounds", "Product Dimensions": "\u200e15 x 30 x 64.5 inches", "Item model number": "\u200eFH6321AK", "Is Discontinued By Manufacturer": "\u200eNo", "Assembled Height": "\u200e64.5 inches", "Assembled Width": "\u200e30 inches", "Assembled Length": "\u200e15 inches", "Weight": "\u200e69 Pounds", "ASIN": "B079V5YD92", "Best Sellers Rank": ["#5,042,736 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,057 in Standing Baker's Racks"], "Date First Available": "February 15, 2018"}, "brand": "Visit the Furniture HotSpot Store", "brand_url": "https://www.amazon.com/stores/FurnitureHotSpot/page/FD7C36FD-CB7E-4A0B-917F-EF735B83565D?ref_=ast_bln", "full_description": "Everything finds a home in this white bakers rack. Four shelves and two woven baskets provide ample storage space for everything but the kitchen sink. Bakers rack works as a coffee station, standalone pantry, microwave stand, or an extra buffet table. This kitchen rack with baskets will revamp your space without major construction.", "pricing": "$389.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31RJEsJwmRL.jpg", "https://m.media-amazon.com/images/I/31B9UBg4FAL.jpg", "https://m.media-amazon.com/images/I/315Acd6uTLL.jpg", "https://m.media-amazon.com/images/I/314LHGN7RwL.jpg", "https://m.media-amazon.com/images/I/31uLdSQaKCL.jpg", "https://m.media-amazon.com/images/I/51j7jOpNlkL.jpg", "https://m.media-amazon.com/images/I/615Uz9ECzqL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Kitchen Furniture \u203a Baker's Racks \u203a Standing Baker's Racks", "average_rating": "", "small_description": ["Kitchen bakers rack with storage features 4 shelves and 2 woven baskets ", "Microwaves stand works as a coffee station, buffet table, or freestanding pantry ", "Materials: Rattan baskets, pine wood, oak veneer, and engineered wood ", "Assembly: Required, instructions included ", "Dimensions: 30\" W x 15\" D x 64.5\" H "], "total_reviews": "", "total_answered_questions": "", "model": "\u200eFH6321AK", "customization_options": "", "seller_id": "A36SWJ2F9454W2", "seller_name": "Furniture HotSpot", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B079V5YD92", "category": "garden", "query": "Baker's Racks", "page": 59, "small_description_old": "About this item Kitchen bakers rack with storage features 4 shelves and 2 woven baskets Microwaves stand works as a coffee station, buffet table, or freestanding pantry Materials: Rattan baskets, pine wood, oak veneer, and engineered wood Assembly: Required, instructions included \n \u203a See more product details"}, {"name": "LIUEONG Lady Metal Buckle Platform Shoes Booties Comfortable High Top Boots Casual Shoes Comfort Women's Closed Toe Ankle Strap", "product_information": {"Item Weight\n \u200f": "\u200e\n 9.88 Ounces", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 14, 2022", "Manufacturer\n \u200f": "\u200e\n LIUEONG", "ASIN\n \u200f": "\u200e\n B09QKJYS8Y", "": ""}, "brand": "Brand: LIUEONG", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_sh_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=LIUEONG", "full_description": "Gender: Women/GrilUpper Material:Artificial PUSole Material: RubberInsole Material:PULining Material:imitation leatherSuitable Scenes:Outdoor,Fashion,LeisureStyle: Casual,SimpleToe Style: Round headClosing Method:Lace-upHeel High Style:Flat withShoes Heel High: 3cm/1.18''Platform Heigh: 2cm/0.78''(O ^ ~ ^ O)Size:35US:5.5 UK:3.5 EU:35 CN:225 Foot Length:22.5cm/8.9\" Foot wide:8-8.5cm/3.2-3.4\"(O ^ ~ ^ O)Size:36 US:6 UK:4 EU:35.5 CN:230 Foot Length:23cm/9.1\" Foot wide:8.5cm/3.4''(O ^ ~ ^ O)Size:37 US:6.5-7 UK:4.5 EU:36 CN:235 Foot Length:23.5cm/9.3'' Foot wide:8.5-9cm/3.4-3.5''(O ^ ~ ^ O)Size:38 US:7.5 UK:5 EU:37 CN:240 Foot Length:24cm/9.5'' Foot wide:9cm/3.5''(O ^ ~ ^ O)Size:39 US:8 UK:5.5 EU:38 CN:245 Foot Length:24.5cm/9.7'' Foot wide:9-9.5cm/3.5-3.7''(O ^ ~ ^ O)Size:40 US:8.5 UK:6 EU:39 CN:250 Foot Length:25cm/9.8'' Foot wide:9.5cm/3.7''(O ^ ~ ^ O)Size:41 US:9 UK:6.5 EU:39.5 CN:255 Foot Length:25.5cm/10\" Foot wide:9.5-10cm/3.7-3.9\"(O ^ ~ ^ O)Size:42 US:9.5-10 UK:7 EU:40 CN:260 Foot Length:26cm/10.2\" Foot wide:10cm/3.9\"(O ^ ~ ^ O)Size:43 US:10.5 UK:7.5 EU:41 CN:265 Foot Length:26.5cm/10.4\" Foot wide:10.5cm/4.1\"", "pricing": "$37.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31EvmBrjv9L.jpg", "https://m.media-amazon.com/images/I/41VXboaADuL.jpg", "https://m.media-amazon.com/images/I/41dlyCcu-0L.jpg", "https://m.media-amazon.com/images/I/51PnG6WccLS.jpg", "https://m.media-amazon.com/images/I/41rbesEYVGS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Boots \u203a Ankle & Bootie", "average_rating": "", "small_description": ["PU ", "Imported ", "Rubber sole ", "Heel measures approximately 5 centimeters ", "\u273fWide Calf Booties: Womens Suede Extra Width Boots, Low Heel, Flat, Non-Slip, Solid Color, Belt Buckle, Pointed Toe, Classic Design, Fashion Elegent, Faux Leather Cowboy Boots, lightweight high heel and Customized Arch, designed for steady steps, Provide all-day comfort, fit for Spring, Fall and Winter. ", "\u273fHIGH QUALITY: Casual Pointed Toe Cowgirl Boots are made of best Leather, soft comfort, TPR rubber anti-slip out-sole finished with cushioned insole, hug your feet to provide superior heel and toe wrap. easy to clean and wearable, breathable warm, keep feet dry, deodorant, Care for your feet. ", "\u273fMATCH: Whether You're Keeping it Casual or Dressing up! You all can easily pair this 2021 latest Winter Flat Short Boots with leggings, tight pants, jeans, sweatpants, to complete trendy Fall & winter look. They're best Birthday/Halloween/Christmas/Thanksgiving/Mather\u2018s day gifts for Women, Such as Mother, Aunt, Wife, Girlfriend, Colleagues ect. , slipper fuzzy slippers womens house slippers slippers women bride slippers slippers for women indoor and outdoor must haves from memory foam slippers for women mens slippers size 19 bedroom slippers women indoor slippers moccasins for men womens house shoes cloud slippers ladies slippers men's hiking shoes beach shoes men sports sandals hiking sandals water shoes men black womens jet ski mens sandals hiking shoes men sport shoes for men, men foam runners athletic shoes for men women size 9 mens slides size 11 aquatic slide sandals square toe sandals river shoes i love hot dads water sandals sandals for men girls sport shoes for women shoes for men water hiking shoes shoes for women camo for men slide sandals women womens slide sandal croc slides slippers men men slides for men mens sandals size 18 black slides black slides for women forum men's slides sandalias"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "6", "asin": "B09QKJSGQN"}, {"is_selected": false, "is_available": true, "value": "6.5", "asin": "B09QKJ981V"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B09QKLKH61"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B09QKJMCQ8"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B09QKJHF4Q"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B09QKJN2J4"}, {"is_selected": false, "is_available": true, "value": "9.5", "asin": "B09QKJR917"}, {"is_selected": false, "is_available": true, "value": "10.5", "asin": "B09QKKM9T6"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09QKJYS8Y/ref=twister_B09QG67PL2", "value": "Beige", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31LFtcvDRYL.jpg"}, {"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31EvmBrjv9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QKJNSJD/ref=twister_B09QG67PL2", "value": "Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31ujDJcQ8+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QKJCZQ7/ref=twister_B09QG67PL2", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31J4ZCSWsrL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QKJHF4Q", "category": "fashion", "query": "Women's Oxfords", "page": 72, "small_description_old": "PU Imported Rubber sole Heel measures approximately 5 centimeters \u273fWide Calf Booties: Womens Suede Extra Width Boots, Low Heel, Flat, Non-Slip, Solid Color, Belt Buckle, Pointed Toe, Classic Design, Fashion Elegent, Faux Leather Cowboy Boots, lightweight high heel and Customized Arch, designed for steady steps, Provide all-day comfort, fit for Spring, Fall and Winter. \u273fHIGH QUALITY: Casual Pointed Toe Cowgirl Boots are made of best Leather, soft comfort, TPR rubber anti-slip out-sole finished with cushioned insole, hug your feet to provide superior heel and toe wrap. easy to clean and wearable, breathable warm, keep feet dry, deodorant, Care for your feet. \u273fMATCH: Whether You're Keeping it Casual or Dressing up! You all can easily pair this 2021 latest Winter Flat Short Boots with leggings, tight pants, jeans, sweatpants, to complete trendy Fall & winter look. They're best Birthday/Halloween/Christmas/Thanksgiving/Mather\u2018s day gifts for Women, Such as Mother, Aunt, Wife, Girlfriend, Colleagues ect. \n slipper fuzzy slippers womens house slippers slippers women bride slippers slippers for women indoor and outdoor must haves from memory foam slippers for women mens slippers size 19 bedroom slippers women indoor slippers moccasins for men womens house shoes cloud slippers ladies slippers men's hiking shoes beach shoes men sports sandals hiking sandals water shoes men black womens jet ski mens sandals hiking shoes men sport shoes for menmen foam runners athletic shoes for men women size 9 mens slides size 11 aquatic slide sandals square toe sandals river shoes i love hot dads water sandals sandals for men girls sport shoes for women shoes for men water hiking shoes shoes for women camo for men slide sandals women womens slide sandal croc slides slippers men men slides for men mens sandals size 18 black slides black slides for women forum men's slides sandaliasShow more"}, {"name": "Sparkle-Dent Denture Whitener and Cleaner", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 4.25 x 2.25 x 2.24 inches; 9.12 Ounces", "UPC\n \u200f": "\u200e\n 092688000083", "Manufacturer\n \u200f": "\u200e\n U.S. Dental Corporation", "ASIN\n \u200f": "\u200e\n B078T46X81", "Best Sellers Rank": "#171,399 in Health & Household (See Top 100 in Health & Household)#146 in Denture Cleansers", "#146 in Denture Cleansers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Collections Etc Store", "brand_url": "https://www.amazon.com/stores/CollectionsEtc/page/2881891A-65D0-4495-AFA4-D49203E41622?ref_=ast_bln", "full_description": "Sparkle-Dent Denture Whitener And CleanerDescriptionSparkle Dent denture whitener and cleaner removes built-up tartar and stains, makes discolored dentures look like new! Dissolve capful in water and soak. Safe for soft liners. 8 oz. No Risk Purchase, Hassle-Free Returns - 100% Satisfaction Guaranteed With customer satisfaction as our number one priority, we proudly offer a Satisfaction Guarantee for all of our merchandise and services. From our appealing merchandise and incredible values, to our friendly customer service, we strive to provide a positive shopping experience by meeting or exceeding your expectations.If you are not completely satisfied within 60 days of your purchase (see return policy for details).Collections Etc - Providing Quality, Value And Service For More Than 50 Years! A lot has changed since the company's inception over 50 years ago, however the basics of developing and sourcing appealing and desirable merchandise remains the same driving force. Collections Etc is all about smiling more and paying less. They take pride in offering affordable items every day; from classic Home Decor to helpful Home Solutions, whimsical Garden Sculptures and unique Holiday Gift ideas for everyone in your family, even your pets!", "pricing": "$27.95", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41oi2ntaRGL.jpg", "https://m.media-amazon.com/images/I/41DGs3LNvnL.jpg", "https://m.media-amazon.com/images/I/31inPDRg6mL.jpg", "https://m.media-amazon.com/images/I/31xlCFexNZS.jpg", "https://m.media-amazon.com/images/I/5166XSWo0PL.jpg", "https://m.media-amazon.com/images/I/51rTGOHCs3L.jpg", "https://m.media-amazon.com/images/I/51rTGOHCs3L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Denture Care \u203a Cleansers", "average_rating": 4.6, "small_description": ["Sparkle Dent denture whitener and cleaner removes built-up tartar and stains, makes discolored dentures look like new. Dissolve capful in water and soak ", "Safe for soft liners ", "8 oz ", "Shop with confidence! For over 50 years, Collections Etc has been bringing unique, whimsical, inspirational, and home solution products to customers. All Collections Etc products come with a 60 day, easy return policy and 100% satisfaction guarantee. "], "total_reviews": 132, "total_answered_questions": 7, "customization_options": "", "seller_id": "A31C924Z0CHYU", "seller_name": "Purely Native", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B078T46X81", "category": "beauty", "query": "Denture Care", "page": 12, "small_description_old": "Sparkle Dent denture whitener and cleaner removes built-up tartar and stains, makes discolored dentures look like new. Dissolve capful in water and soak Safe for soft liners 8 oz Shop with confidence! For over 50 years, Collections Etc has been bringing unique, whimsical, inspirational, and home solution products to customers. All Collections Etc products come with a 60 day, easy return policy and 100% satisfaction guarantee."}, {"name": "NOW Foods, Better Stevia, Liquid, Maple, Zero-Calorie Liquid Sweetener, Low Glycemic Impact, Certified Non-GMO, 2-Ounce", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 3.15 x 1.57 x 2.36 inches; 1.13 Ounces", "Item model number\n \u200f": "\u200e\n Stevia Liquid Extract (Maple) 60mL", "UPC\n \u200f": "\u200e\n 733739069184", "Manufacturer\n \u200f": "\u200e\n NOW Foods", "ASIN\n \u200f": "\u200e\n B07F1JDWJP", "Country of Origin\n \u200f": "\u200e\n USA", "Domestic Shipping": "Currently, item can be shipped only within the U.S. and to APO/FPO addresses. For APO/FPO shipments, please check with the manufacturer regarding warranty and support issues.", "International Shipping": "This item is not eligible for international shipping.Learn More", "Best Sellers Rank": "#4,015 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#37 in Stevia Sugar Substitutes", "#37 in Stevia Sugar Substitutes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: NOW", "brand_url": "https://www.amazon.com/NOW/b/ref=bl_dp_s_web_12660347011?ie=UTF8&node=12660347011&field-lbr_brands_browse-bin=NOW", "full_description": "NOW BetterStevia is a zero-calorie, low glycemic, natural sweetener that makes a perfectly healthy substitute for table sugar and artificial sweeteners. Unlike chemical sweeteners, NOW BetterStevia is a certified organic\u00a0stevia extract. NOW Foods takes special measures to preserve Stevia\u2019s natural qualities in this unique, better-tasting stevia.", "pricing": "$10.04", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/41nSl8AWS2L.jpg", "https://m.media-amazon.com/images/I/51at9CCf7eL.jpg", "https://m.media-amazon.com/images/I/41ZTYZUds8L.jpg", "https://m.media-amazon.com/images/I/51-zgCciA+L.jpg", "https://m.media-amazon.com/images/I/51z7JqaqBtL.jpg", "https://m.media-amazon.com/images/I/51hCx7FKxfL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Cooking & Baking \u203a Syrups, Sugars & Sweeteners \u203a Sugar Substitutes \u203a Stevia", "average_rating": 4.5, "small_description": ["Perfect substitute for table sugar and artificial sweeteners ", "Free of: caffeine, dairy , egg, gluten, soy, and sugar ", "Keto friendly, Kosher, Non-GMO, Vegan/Vegetarian "], "total_reviews": 2956, "total_answered_questions": 28, "customization_options": {"Flavor Name": [{"is_selected": false, "url": "https://www.amazon.com/dp/B001B41CA6/ref=twister_B091PVN2T4?_encoding=UTF8&psc=1", "value": "Dark Chocolate", "price_string": "$9.15", "price": 9.15, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0776ZZQVR/ref=twister_B091PVN2T4?_encoding=UTF8&psc=1", "value": "French Vanilla", "price_string": "$12.95", "price": 12.95, "image": null}, {"is_selected": true, "url": null, "value": "Maple", "price_string": "$10.04", "price": 10.04, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07F1KVMBF/ref=twister_B091PVN2T4?_encoding=UTF8&psc=1", "value": "Peppermint Cookie", "price_string": "$9.93", "price": 9.93, "image": null}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07F1JDWJP", "category": "grocery", "query": "Milks & Creams", "page": 384, "small_description_old": "About this item Zero- calorie liquid sweetener Low glycemic Perfect substitute for table sugar and artificial sweeteners Free of: caffeine, dairy , egg, gluten, soy, and sugar Keto friendly, Kosher, Non-GMO, Vegan/Vegetarian"}, {"name": "2021 Kellogg's Cereal Straws Froot Loops Edible Breakfast Straw Alternatives for Milk, 90's Childhood Nostalgic Treat for Drinking and Eating, Cereals for Kids, Pack of 3, 18 Count", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 9 x 7 x 5 inches; 1.9 Pounds", "UPC\n \u200f": "\u200e\n 768395551650", "Manufacturer\n \u200f": "\u200e\n Galerie", "ASIN\n \u200f": "\u200e\n B09FNLS51H", "Country of Origin\n \u200f": "\u200e\n Greece", "Best Sellers Rank": "#8,322 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#103 in Cold Breakfast Cereals", "#103 in Cold Breakfast Cereals": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Galerie Store", "brand_url": "https://www.amazon.com/stores/Galerie/page/FB54FD86-659B-4696-B3A7-8381493FEFC2?ref_=ast_bln", "full_description": "", "pricing": "$24.99", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/51bWKZUpvQL.jpg", "https://m.media-amazon.com/images/I/41iAdg9By0L.jpg", "https://m.media-amazon.com/images/I/41QhTKO2VwL.jpg", "https://m.media-amazon.com/images/I/51kXHiFRkJL.jpg", "https://m.media-amazon.com/images/I/41tryLK+m2L.jpg", "https://m.media-amazon.com/images/I/41Y3qapUtLL.jpg", "https://m.media-amazon.com/images/I/31p8OBEKJxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Breakfast Foods \u203a Cereals \u203a Cold Cereals", "average_rating": 4.4, "small_description": ["YOU SPOKE WE LISTENED 12 years after the iconic Kellogg cereal straws were discontinued, you petitioned for them to return. Fans around the world were nostalgic for these fruity treats, so we took action. ", "90's KIDS REJOICE The snacks you knew and loved as a kid are revived! Wafer straws are filled with fruity goodness, making sipping fun! ", "PACK OF 3 includes 3 boxes of straws. Each box has 18 straws for a total of 54 cereal straws. Perfect for sharing with friends, or keeping all to yourself... we won't judge. ", "DUNK AND EAT Place cereal straw in milk, sip, and enjoy. Snack straws are made to make your milk taste just a little bit sweeter! ", "SHARE THE LOVE Froot Loop Cereal straws are a delicious treat that come with enough to share. Give them as a gift for birthdays, holidays, or just because! "], "total_reviews": 186, "total_answered_questions": "", "customization_options": {"Flavor Name": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09C6QF673/ref=twister_B09K7ZRZ58?_encoding=UTF8&psc=1", "value": "Cocoa Krispies", "price_string": "$14.99", "price": 14.99, "image": null}, {"is_selected": true, "url": null, "value": "Froot Loops", "price_string": "$24.99", "price": 24.99, "image": null}]}, "seller_id": "A2T71IW70GG371", "seller_name": "Galerie Candy and Gifts", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09FNLS51H", "category": "grocery", "query": "Milks & Creams", "page": 74, "small_description_old": "About this item YOU SPOKE WE LISTENED 12 years after the iconic Kellogg cereal straws were discontinued, you petitioned for them to return. Fans around the world were nostalgic for these fruity treats, so we took action. 90's KIDS REJOICE The snacks you knew and loved as a kid are revived! Wafer straws are filled with fruity goodness, making sipping fun! PACK OF 3 includes 3 boxes of straws. Each box has 18 straws for a total of 54 cereal straws. Perfect for sharing with friends, or keeping all to yourself... we won't judge. DUNK AND EAT Place cereal straw in milk, sip, and enjoy. Snack straws are made to make your milk taste just a little bit sweeter! SHARE THE LOVE Froot Loop Cereal straws are a delicious treat that come with enough to share. Give them as a gift for birthdays, holidays, or just because!"}, {"name": "AUTOKOLA Portable & Practical Hooks, Vintage Style Cast Iron Wall-Mounted Coat Rack Coat Hooks Hat Hooks Hall Tree, 3 3/4\", Coffee GG002", "product_information": {"Item Weight": "11 pounds", "ASIN": "B09QYYN4S4", "Country of Origin": "China", "Finish Types": "Iron, Coffee"}, "brand": "Brand: AUTOKOLA", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=AUTOKOLA", "full_description": "Introductions:The unique details of these hooks will bring vintage allure and stylish organization to your home.Use them inside the front door, by the kitchen entry, on the screen porch, in the bathroom for towels and robes,or anywhere you need charming organization.Specifications:1???Type: Wall-Mounted Hook2???Material: Heavy Durable Cast Iron Design3???Color: Coffee4???Dimensions: 3 3/4 Tall Top to Bottom, 2 from the Wall to the Front5???Weight: 3 oz Each6???Installation: Two Pre-Drilled Holes Make Mounting EasyPackage Includes:5 x Hooks( include the screw)", "pricing": "$14.99", "list_price": "", "availability_quantity": 9, "availability_status": "Only 9 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51IOZq568cL.jpg", "https://m.media-amazon.com/images/I/5160nsxj8-L.jpg", "https://m.media-amazon.com/images/I/515IOw2VxhL.jpg", "https://m.media-amazon.com/images/I/51s0DxV85bL.jpg", "https://m.media-amazon.com/images/I/51pQcl9xF3L.jpg", "https://m.media-amazon.com/images/I/511M5PfpSPL.jpg", "https://m.media-amazon.com/images/I/515sOmENU1L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Storage & Organization \u203a Home Storage Hooks \u203a Coat Hooks", "average_rating": "", "small_description": ["\u2605 PRACTICAL DESIGN \u2013 The wall-mounted hook aims at improving space utilization. It features both beauty and functionality. It weighs only 3 oz but offers a strong bearing capacity for enhanced stability, ensuring your satisfaction. Space-saving design is a convenient alternative to free-standing racks. All the details make it an indispensable choice for you! ", "\u2605 HIGH QUALITY & DURABLE \u2013The wall-mounted hook is made of superior cast iron, safe and stable material. High quality material and delicate workmanship ensure its long lifespan. Dimension: (2 x 3 3/4 ) (W x H) ", "\u2605 ASSEMBLY \u2013 Easy assembly required. Just secure the organizer to the wall by inserting the screws into the holes and the pre-drilled holes in the wall, then tighten the screws until the hook feels firmly fastened. Convenient to store and carry with its compact size and light weight. ", "\u2605 VERSATILITY - With a concise and convenient design, the wall-mounted hook suits any person and place. Ideal for helping you create extra hanging space in any room to organize and store of coats, clothing items, scarves, towels, pet leashes, etc. Widely used in living room, kitchen, bathroom, office, craft room, bedroom, entryway, closet and so much more. Endless possibilities! ", "\u2605 RISK-FREE PURCHASE - We provide a solution and lifetime customer service. Please just contact our customer service if you have any issue with our product. We will refund your money or replace your product at the first time. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "ADK9Z6OWJ7DTN", "seller_name": "Mihot Produce", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QYYN4S4", "category": "garden", "query": "Hall Trees", "page": 69, "small_description_old": "About this item\n \n\u2605 PRACTICAL DESIGN \u2013 The wall-mounted hook aims at improving space utilization. It features both beauty and functionality. It weighs only 3 oz but offers a strong bearing capacity for enhanced stability, ensuring your satisfaction. Space-saving design is a convenient alternative to free-standing racks. All the details make it an indispensable choice for you! \u2605 HIGH QUALITY & DURABLE \u2013The wall-mounted hook is made of superior cast iron, safe and stable material. High quality material and delicate workmanship ensure its long lifespan. Dimension: (2 x 3 3/4 ) (W x H) \u2605 ASSEMBLY \u2013 Easy assembly required. Just secure the organizer to the wall by inserting the screws into the holes and the pre-drilled holes in the wall, then tighten the screws until the hook feels firmly fastened. Convenient to store and carry with its compact size and light weight. \u2605 VERSATILITY - With a concise and convenient design, the wall-mounted hook suits any person and place. Ideal for helping you create extra hanging space in any room to organize and store of coats, clothing items, scarves, towels, pet leashes, etc. Widely used in living room, kitchen, bathroom, office, craft room, bedroom, entryway, closet and so much more. Endless possibilities! \u2605 RISK-FREE PURCHASE - We provide a solution and lifetime customer service. Please just contact our customer service if you have any issue with our product. We will refund your money or replace your product at the first time."}, {"name": "Athletic Works Women's Commuter Shorts (XS 0-2", "product_information": {"Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n June 8, 2021", "ASIN\n \u200f": "\u200e\n B096TLRVG6", "Best Sellers Rank": "#1,964,273 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#6,375 in Women's Athletic Shorts", "#6,375 in Women's Athletic Shorts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Athletic Works", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Athletic+Works", "full_description": "", "pricing": "$13.21", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31yvwwDrTgL.jpg", "https://m.media-amazon.com/images/I/31fSAuXM8gL.jpg", "https://m.media-amazon.com/images/I/31AUT0BJEYL.jpg", "https://m.media-amazon.com/images/I/31zuabEb7GL.jpg", "https://m.media-amazon.com/images/I/51jsGGYzSxL.jpg", "https://m.media-amazon.com/images/I/31zx4zt8JaL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Active \u203a Active Shorts", "average_rating": 5, "small_description": ["Drawstring closure ", "Machine Wash ", "Drawstring closure ", "Adult Women's Sizes ", "5\" Inseam ", "Pull-on; elasticized waist with drawstring ", "Zip pockets at sides; open back pocket, Machine Washable, 92% Cotton/8% Spandex "], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Size": null, "Color": [{"is_selected": true, "url": null, "value": "Green", "price_string": "$13.21", "price": 13.21, "image": "https://m.media-amazon.com/images/I/31yvwwDrTgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L38DFTR/ref=twister_B096TLRVG6?_encoding=UTF8&psc=1", "value": "Red", "price_string": "$19.79", "price": 19.79, "image": "https://m.media-amazon.com/images/I/31t4rJBbjLS.jpg"}]}, "seller_id": "A1KB813CX604OR", "seller_name": "TDM12", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08L373FLK", "category": "fashion", "query": "Women's Shorts", "page": 31, "small_description_old": "Adult Women's Sizes Pull-on; elasticized waist with drawstring Zip pockets at sides; open back pocket, Machine Washable, 92% Cotton/8% Spandex"}, {"name": "Nescafe Dolce Gusto Starbucks House Blend Americano x 3 Boxes (36 Capsules) 36 Drinks", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 13.39 x 4.53 x 4.53 inches; 1.12 Pounds", "Manufacturer\n \u200f": "\u200e\n Nestle", "ASIN\n \u200f": "\u200e\n B07YPYJ32Z", "Best Sellers Rank": "#50,020 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#1,586 in Single-Serve Coffee Capsules & Pods", "#1,586 in Single-Serve Coffee Capsules & Pods": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Dolce Gusto Store", "brand_url": "https://www.amazon.com/stores/Nescaf%C3%A9DolceGusto/page/33FCB6A8-2DE6-41AC-A0CF-5D934F014430?ref_=ast_bln", "full_description": "Rich with toffee notes, discover STARBUCKS\u00ae by NESCAF\u00c9\u00ae Dolce Gusto\u00ae Americano House Blend Medium Roast Coffee Pods.", "pricing": "$31.15", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51hs-NMRWzL.jpg", "https://m.media-amazon.com/images/I/51Jgb8+T5BL.jpg", "https://m.media-amazon.com/images/I/41QYnoO3zpL.jpg", "https://m.media-amazon.com/images/I/41PyykZ2GmL.jpg", "https://m.media-amazon.com/images/I/411brkpPS4L.jpg", "https://m.media-amazon.com/images/I/514VHPIlUiL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Beverages \u203a Coffee, Tea & Cocoa \u203a Coffee \u203a Single-Serve Capsules & Pods", "average_rating": 4.4, "small_description": ["\u2714 STARBUCKS first blend created back in 1971. A blend of fine Latin American beans roasted to a glistening, dark chestnut colour. ", "\u2714 Aroma, body and flavour all in balance with tastes of nuts and cocoa and just a touch of sweetness from the roast. ", "\u2714 Each of the 3 boxes contains 12 capsules of Americano House Blend Medium Roast coffee, designed for NESCAF\u00c9 Dolce Gusto coffee machines. ", "\u2714 With the hermetically sealed capsules, which preserve coffee freshness, you\u2019ll enjoy rich aromatic cups every time. ", "\u2714 Simply pop your Americano House Blend capsule into your Dolce Gusto machine. Your coffee will be ready right away. "], "total_reviews": 67, "total_answered_questions": "", "customization_options": "", "seller_id": "A34G8JZYKEEO1O", "seller_name": "Craig Powell", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07YPYJ32Z", "category": "grocery", "query": "Beverages", "page": 349, "small_description_old": "About this item \u2714 STARBUCKS first blend created back in 1971. A blend of fine Latin American beans roasted to a glistening, dark chestnut colour. \u2714 Aroma, body and flavour all in balance with tastes of nuts and cocoa and just a touch of sweetness from the roast. \u2714 Each of the 3 boxes contains 12 capsules of Americano House Blend Medium Roast coffee, designed for NESCAF\u00c9 Dolce Gusto coffee machines. \u2714 With the hermetically sealed capsules, which preserve coffee freshness, you\u2019ll enjoy rich aromatic cups every time. \u2714 Simply pop your Americano House Blend capsule into your Dolce Gusto machine. Your coffee will be ready right away."}, {"name": "Jimmy Choo Eau De Parfum Roll", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 3.78 x 3.78 x 1.5 inches; 12.95 Ounces", "Item model number\n \u200f": "\u200e\n 204728", "Department\n \u200f": "\u200e\n Womens", "UPC\n \u200f": "\u200e\n 617689039308 754495486985 885570453490 786502047285 885206302352 761193171556 709102020908 880108269826 338646002547 885520694836 885283549367 885111848488 883537352251 127435180067 880414607077 786500218205 791949983812 885892709046 880147325385 617689038073 885627819538 885196689372 885247103932 721866379030 761193171709 746480993455 880274623446 885123525001 885413203695 070963392603 885113884101", "Manufacturer\n \u200f": "\u200e\n Jimmy Choo", "ASIN\n \u200f": "\u200e\n B004LCZEJK", "Country of Origin\n \u200f": "\u200e\n France", "Best Sellers Rank": "#19,262 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#83 in Women's Eau de Parfum #123 in Beauty Gift Sets", "#83 in Women's Eau de Parfum": "", "#123 in Beauty Gift Sets": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$95.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51sy-MKCShS.jpg", "https://m.media-amazon.com/images/I/61Mca38O93L.jpg", "https://m.media-amazon.com/images/I/614EES5hoPL.jpg", "https://m.media-amazon.com/images/I/5175tVM3b7L.jpg", "https://m.media-amazon.com/images/I/41L8hLRR+CL.jpg", "https://m.media-amazon.com/images/I/41casqX85MS.jpg", "https://m.media-amazon.com/images/I/41WmS2hcvPL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Fragrance \u203a Women's \u203a Eau de Parfum", "average_rating": 4.6, "small_description": [""], "total_reviews": 7278, "total_answered_questions": 27, "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B007SHO3E2/ref=twister_B08KK26CKV?_encoding=UTF8&psc=1", "value": "0.33 Fl Oz (Pack of 1)", "price_string": "$28.00", "price": 28, "image": "https://m.media-amazon.com/images/I/213C8HPp4eL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B004LE66UO/ref=twister_B08KK26CKV?_encoding=UTF8&psc=1", "value": "1.3-Fl. Oz.", "price_string": "$66.00", "price": 66, "image": "https://m.media-amazon.com/images/I/41tWMMTblnL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B004LD7GJU/ref=twister_B08KK26CKV?_encoding=UTF8&psc=1", "value": "2 Fl Oz (Pack of 1)", "price_string": "$94.00", "price": 94, "image": "https://m.media-amazon.com/images/I/51Y2juPDSmL.jpg"}, {"is_selected": true, "url": null, "value": "3.38 Fl Oz (Pack of 1)", "price_string": "$95.00", "price": 95, "image": "https://m.media-amazon.com/images/I/51sy-MKCShS.jpg"}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B004LCZEJK", "category": "beauty", "query": "Women's Fragrance", "page": 6, "small_description_old": ""}, {"name": "Oatly Raspberry Swirl Frozen Dessert, 1 PT", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 4 x 3.9 x 3.83 inches; 11.36 Ounces", "Item model number\n \u200f": "\u200e\n 0190646630447", "UPC\n \u200f": "\u200e\n 190646630447", "Manufacturer\n \u200f": "\u200e\n Oatly", "ASIN\n \u200f": "\u200e\n B08SFVL56K", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Oatly Store", "brand_url": "https://www.amazon.com/stores/OATLY/page/9D688B56-E262-466C-AC95-B871EE02ABA4?ref_=ast_bln", "full_description": "Grocery Frozen", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/512ZsKYk7XL.jpg", "https://m.media-amazon.com/images/I/51IQnEXVkaL.jpg", "https://m.media-amazon.com/images/I/51D0kCvs7tL.jpg", "https://m.media-amazon.com/images/I/51eprAxeInL.jpg", "https://m.media-amazon.com/images/I/51TrtXHjY+L.jpg", "https://m.media-amazon.com/images/I/51kMjbWWKmL.jpg", "https://m.media-amazon.com/images/I/51HUsoDVLHL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Frozen \u203a Ice Cream & Novelties \u203a Non-Dairy Ice Cream & Novelties", "average_rating": 4.8, "small_description": ["No hydrogenated fats or high fructose corn syrup allowed in any food ", "No bleached or bromated flour "], "total_reviews": 277, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08SFVL56K", "category": "grocery", "query": "Sour Creams", "page": 73, "small_description_old": "About this item No hydrogenated fats or high fructose corn syrup allowed in any food No bleached or bromated flour"}, {"name": "Body Drench Quick Tan Instant Self-Tanner, Bronzing Mousse, Medium Dark, 4.2 oz", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 5 x 4 x 3 inches; 4.8 Ounces", "Item model number\n \u200f": "\u200e\n 20659", "UPC\n \u200f": "\u200e\n 616919135278 653619206594", "Manufacturer\n \u200f": "\u200e\n Body Drench", "ASIN\n \u200f": "\u200e\n B0065YIB8I", "Best Sellers Rank": "#201,633 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#287 in Body Self-Tanners", "#287 in Body Self-Tanners": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Body Drench Store", "brand_url": "https://www.amazon.com/stores/Body+Drench/page/849E4649-2681-482A-B2A0-2494B0FDE596?ref_=ast_bln", "full_description": "", "pricing": "$10.00", "list_price": "", "availability_quantity": 7, "availability_status": "Only 7 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31cS6gEAHZL.jpg", "https://m.media-amazon.com/images/I/51ru0BLYF+L.jpg", "https://m.media-amazon.com/images/I/51jID0r49mL.jpg", "https://m.media-amazon.com/images/I/51d4ltzxCVL.jpg", "https://m.media-amazon.com/images/I/51rTONWiGLL.jpg", "https://m.media-amazon.com/images/I/51MU+qpuTHL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Sunscreens & Tanning Products \u203a Self-Tanners \u203a Body Self-Tanners", "average_rating": 4.2, "small_description": ["SUNKISSED GLOW IN AN INSTANT: This salon-quality sunless tanning in a bottle will give you a natural-looking year-round tan without lying under the sun and exposed to harmful ultraviolet rays causing skin damage and get high risk of skin cancer. Very easy to use! Just spray into the skin, let dry and you're done! Your way to achieving that desired 'sexy tan' look without the sun! ", "SELF-TANNER FOR EVERYONE: Our sunless tanning spray is perfect for all skin types and tones even to those who have sensitive skin! It's moisturizing and tanning ingredients care for your skin while achieving that gorgeous tan look! Whether you have naturally fair or snow-white skin, Body Drench Quick Tan Bronzing Spray will help you achieve just the right color for you! What\u2019s not to love? You\u2019ll like this handy spray to bring with you on trips! ", "SPRAY AND GO: Get a perfectly sun-kissed complexion in a matter of minutes! Body Drench Quick Tan Bronzing Spray has 360 degrees nozzle for easy application. Very easy to use! All you have to do is to exfoliate your skin for smooth application, spray evenly over your body holding 10\" away, wash your hands once done, and let your skin dry before putting on clothes. For a deeper tan, use once a day until the desired perfect natural golden tan is achieved. To maintain tan, apply twice weekly. ", "ULTRA-FAST DRYING AND PROFESSIONAL FORMULA: This fast-absorbing self-tanner sprinkler from Body Drench makes it easier to get ready in a hurry. Formulated with color-correcting actives that are clinically proven to even your skin tone! It dries down on contact, so you won't need to worry about leaving part of your tan on your furniture. It's paraben-free and dermatologist-recommended, making it perfect for just about anyone with sensitive or easily-irritated complexions! ", "TOP TIER BODY CARE BRAND: Today, Body Drench is one of the most recognized names in the professional market and is distributed worldwide in over 40 countries. A favorite among salons and spa enthusiasts, these products are enjoyed by women of all ages. Body Drench believes that beauty starts with healthy skin and our commitment is to continue to produce nourishing products that will improve the way your skin looks and feels. "], "total_reviews": 204, "total_answered_questions": 5, "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07NJ51R8X/ref=twister_B07Y2HC3MQ?_encoding=UTF8&psc=1", "value": "2-Pack", "price_string": "$14.95", "price": 14.95, "image": null}, {"is_selected": true, "url": null, "value": "4.2 Ounce (Pack of 1)", "price_string": "$10.00", "price": 10, "image": null}]}, "seller_id": "A3HQNF3RWD6VPQ", "seller_name": "Rigle Inc", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B0065YIB8I", "category": "beauty", "query": "Body Care", "page": 194, "small_description_old": "About this item SUNKISSED GLOW IN AN INSTANT: This salon-quality sunless tanning in a bottle will give you a natural-looking year-round tan without lying under the sun and exposed to harmful ultraviolet rays causing skin damage and get high risk of skin cancer. Very easy to use! Just spray into the skin, let dry and you're done! Your way to achieving that desired 'sexy tan' look without the sun! SELF-TANNER FOR EVERYONE: Our sunless tanning spray is perfect for all skin types and tones even to those who have sensitive skin! It's moisturizing and tanning ingredients care for your skin while achieving that gorgeous tan look! Whether you have naturally fair or snow-white skin, Body Drench Quick Tan Bronzing Spray will help you achieve just the right color for you! What\u2019s not to love? You\u2019ll like this handy spray to bring with you on trips! SPRAY AND GO: Get a perfectly sun-kissed complexion in a matter of minutes! Body Drench Quick Tan Bronzing Spray has 360 degrees nozzle for easy application. Very easy to use! All you have to do is to exfoliate your skin for smooth application, spray evenly over your body holding 10\" away, wash your hands once done, and let your skin dry before putting on clothes. For a deeper tan, use once a day until the desired perfect natural golden tan is achieved. To maintain tan, apply twice weekly. ULTRA-FAST DRYING AND PROFESSIONAL FORMULA: This fast-absorbing self-tanner sprinkler from Body Drench makes it easier to get ready in a hurry. Formulated with color-correcting actives that are clinically proven to even your skin tone! It dries down on contact, so you won't need to worry about leaving part of your tan on your furniture. It's paraben-free and dermatologist-recommended, making it perfect for just about anyone with sensitive or easily-irritated complexions! TOP TIER BODY CARE BRAND: Today, Body Drench is one of the most recognized names in the professional market and is distributed worldwide in over 40 countries. A favorite among salons and spa enthusiasts, these products are enjoyed by women of all ages. Body Drench believes that beauty starts with healthy skin and our commitment is to continue to produce nourishing products that will improve the way your skin looks and feels."}, {"name": "Sound Bar,TV Bluetooth Speaker Portable Dual Loudspeakers Screen 3D Sound Effects, for TV, PC, Cell Phone, Tablets Projector", "product_information": {"Manufacturer": "CCOOL", "ASIN": "B07VHJY9KJ", "Date First Available": "July 18, 2019"}, "brand": "Brand: CCOOL", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=CCOOL", "full_description": "Connect your Bluetooth device to the sound bar to enjoy your favorite surround sound music. With a simple and easy setup, you can quickly pair your device with a sound bar and stream it from your music service, app or radio. For devices without Bluetooth, the device can be connected to the sound bar via the supplied audio cable.Input: Bluetooth, USB, RCA, fiberSpeaker: 2* full frequency + 2 * sound tubeChannel: 2.0 stereoBattery capacity: external power supply (with adapter)Working voltage: 19VOutput power: 40Wpackage:1x speaker1x adapter1x a minute and two audio lines1x instruction manual1x remote control", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/318AFAuqbqL.jpg", "https://m.media-amazon.com/images/I/31TH-Kg7OtL.jpg", "https://m.media-amazon.com/images/I/41SqiibNuKL.jpg", "https://m.media-amazon.com/images/I/511UkCHprRL.jpg", "https://m.media-amazon.com/images/I/41YTTrghq9L.jpg", "https://m.media-amazon.com/images/I/51kSnGkU4cL.jpg", "https://m.media-amazon.com/images/I/51X7LzkO0pL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Home Audio \u203a Speakers \u203a Sound Bars", "average_rating": "", "small_description": ["BUILT-IN ELECTRONIC BALANCE - The treble and bass can be independently adjusted according to different customer requirements through the remote control, the maximum range is 10db ", "SMALL AND LARGE SIZE---stylish and portable design Sound Bar is suitable for any home decoration. You can taste your stereo music time anywhere with wireless Bluetooth and extra TF card files. ", "HIGH-QUALITY BLUETOOTH SPEAKERS - Superior sound quality Experience a full-body sound quality music experience, dual high performance drives and unique enhanced bass. Compatible with all Bluetooth compatible devices, easy to pair and connect to all Bluetooth-enabled laptops, tablets, media players and mobile phones. ", "EASY TO USE - Gently tap on the side of the speaker to control music playback/pause, answer calls, Swift mode (Bluetton mode, TF card mode or line assist or volume up/down. Interesting experience. Built-in long-life battery design makes it Easy to use outdoors. ", "MULTI-FUNCTION AUDIO SPEAKERS - AUX input, TF card slot, USB disk / USB flash drive, Bluetooth connection. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07VHJY9KJ", "category": "electronics", "query": "Soundbars", "page": 293, "small_description_old": "About this item BUILT-IN ELECTRONIC BALANCE - The treble and bass can be independently adjusted according to different customer requirements through the remote control, the maximum range is 10db SMALL AND LARGE SIZE---stylish and portable design Sound Bar is suitable for any home decoration. You can taste your stereo music time anywhere with wireless Bluetooth and extra TF card files. HIGH-QUALITY BLUETOOTH SPEAKERS - Superior sound quality Experience a full-body sound quality music experience, dual high performance drives and unique enhanced bass. Compatible with all Bluetooth compatible devices, easy to pair and connect to all Bluetooth-enabled laptops, tablets, media players and mobile phones. EASY TO USE - Gently tap on the side of the speaker to control music playback/pause, answer calls, Swift mode (Bluetton mode, TF card mode or line assist or volume up/down. Interesting experience. Built-in long-life battery design makes it Easy to use outdoors. MULTI-FUNCTION AUDIO SPEAKERS - AUX input, TF card slot, USB disk / USB flash drive, Bluetooth connection."}, {"name": "Bluetooth Headset for PS3", "product_information": {"ASIN": "B001PTGCD4", "Release date": "September 29, 2010", "Customer Reviews": {"ratings_count": 36, "stars": "3.3 out of 5 stars"}, "Best Sellers Rank": ["#123,276 in Video Games (See Top 100 in Video Games) #30 in PlayStation 3 Headsets"], "Pricing": "The strikethrough price is the List Price. Savings represents a discount off the List Price.", "Product Dimensions": "9.9 x 6.2 x 2.6 inches; 8.8 Ounces", "Binding": "Video Game", "Rated": "Everyone", "Item model number": "10114324", "Is Discontinued By Manufacturer": "No", "Item Weight": "8.8 ounces", "Manufacturer": "i-CON by ASD", "Date First Available": "September 29, 2010"}, "brand": "Brand: i-CON by ASD", "brand_url": "https://www.amazon.com/i-CON-by-ASD/b/ref=bl_dp_s_web_3445121011?ie=UTF8&node=3445121011&field-lbr_brands_browse-bin=i-CON+by+ASD", "full_description": "The Bluetooth headset is the perfect accessory for Playstation 3 gamers who like to challenge players from all over the world. With the Bluetooth Headset, you can trash-talk opponents, make new friends in the games lobby and organize co-operative games. This device is also a convenient way to make hand-free calls using a Bluetooth compatible device. The headset features a rubberized neckband, adjustable boom and a comfortable over-the-ear design that can be customized to suit your style. The noise reducing microphone is designed to filter our ambient sound, which is especially useful in loud environments. Plus, the Bluetooth headset allows you to talk up to 9 hours on a single charge. Get into the game! For more information on i-CON by ASD products, please visit www(dot)ICON by ASD(dot)com.", "pricing": "", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31BKtogVI9L.jpg", "https://m.media-amazon.com/images/I/51h0Pw+5l+L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Video Games \u203a Legacy Systems \u203a PlayStation Systems \u203a PlayStation 3 \u203a Accessories \u203a Headsets", "average_rating": 3.3, "small_description": ["Bluetooth Wireless Headset for PS3 ", "Rubberized neckband, adjustable boom ", "Comfortable over-the-ear design ", "Noise reducing microphone filters ambient sound ", "Talk up to 9 hours on a single charge "], "total_reviews": 36, "total_answered_questions": "", "model": "10114324", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B001PTGCD4", "category": "electronics", "query": "Bluetooth Headsets", "page": 78, "small_description_old": "Bluetooth Wireless Headset for PS3 Rubberized neckband, adjustable boom Comfortable over-the-ear design Noise reducing microphone filters ambient sound Talk up to 9 hours on a single charge"}, {"name": "HCDZ Replacement Remote Control for LG AKB73655847 AKB73655848 AGF76578736 AKB73655858 LED LCD HDTV TV", "product_information": {"Package Dimensions": "5.91 x 3.94 x 1.18 inches", "Item Weight": "3.52 ounces", "ASIN": "B07RKLL1ZK", "Customer Reviews": {"ratings_count": 9, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#16,209 in Remote Controls (Electronics)"], "Date First Available": "May 5, 2019", "Manufacturer": "HCDZ"}, "brand": "Visit the HCDZ Store", "brand_url": "https://www.amazon.com/stores/HCDZ/page/163068EF-877D-4664-95AB-9923A33DF3C7?ref_=ast_bln", "full_description": "The remote is a replacement for LG television ,fits for various models , if you aren't sure , please let us know What's in the package: 1 X remote control , no battery and instructions includedit will work straight away when new batteries inserted", "pricing": "$17.88", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31slm3Bj8GL.jpg", "https://m.media-amazon.com/images/I/21J4QQ23XqL.jpg", "https://m.media-amazon.com/images/I/31yH-raynEL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Remote Controls & Accessories \u203a Remote Controls", "average_rating": 5, "small_description": ["New replacement IR remote control, only support LG LCD LED HD TV ", "No batteries and instructions included ", "No programming needed ", "90 days warranty "], "total_reviews": 9, "total_answered_questions": "", "customization_options": "", "seller_id": "AVXQ9J0G0VC0N", "seller_name": "Sure-Win", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07RKLL1ZK", "category": "electronics", "query": "Remotes", "page": 376, "small_description_old": "About this item\n \nNew replacement IR remote control, only support LG LCD LED HD TV No batteries and instructions included No programming needed 90 days warranty"}, {"name": "Set of 2 Mesh Laundry Bags Mini Pineapple And Starfish-1 Medium & 1 Small Bags Laundry,Blouse, Hosiery, Stocking, Underwear, Bra Lingerie, Travel Laundry Bag(8rp9i)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 24 x 20 x 0.2 inches", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n May 2, 2021", "Manufacturer\n \u200f": "\u200e\n Bolaz", "ASIN\n \u200f": "\u200e\n B093YT83QR", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Brand: Bolaz", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Bolaz", "full_description": "\u3010Printing\u3011One-sided full printing [Material] Polyester [Size] Two packs, one large and one small. M: 20x24in/50.8x60.96cm; S: 20x16in/50.8x40.46cm [Packing size] OPP bag, 24x28x1cm \u3010Product description\u3011Using polyester fabric, dense mesh, high-speed rotation in the washing machine, durable and avoid to be thrown; plastic pull and lock positions are sewn with protective elastic bands to make clothing avoid to be scratched and to be thrown out by the zipper . The use of laundry bags protects clothes to avoid entanglement, reduces deformation and wear, and protects clothes with metal zippers or buttons from damaging the inner wall of the washing machine. [Applicable scenarios] Washing machine, home storage, luggage storage, etc.", "pricing": "$15.99", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/51++o5N5NMS.jpg", "https://m.media-amazon.com/images/I/51XXbkRsgzS.jpg", "https://m.media-amazon.com/images/I/51jLKqczWvS.jpg", "https://m.media-amazon.com/images/I/51VYEY93LnS.jpg", "https://m.media-amazon.com/images/I/51erntFaH2S.jpg", "https://m.media-amazon.com/images/I/612cvZXMRSS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Accessories \u203a Wallets, Card Cases & Money Organizers \u203a Wallets", "average_rating": "", "small_description": ["Fiber ", "Imported ", "Set of 2 Mesh Laundry Bags-1 Medium & 1 Small for Laundry,Blouse, Hosiery, Stocking, Underwear, Bra and Lingerie, Travel Laundry Bag. ", "Durable and breathable polyester fibre material, healthy and clean. These Lingerie Bags for Laundry perform perfectly every time protecting your delicates, and keeping them like new. Use in the Dryer too. ", "You & your clothes will LOVE the premium, Strong mesh protecting your finest garments, it is the first choice to protect delicates, extend the life of lingerie, hosiery, intimates and more. ", "DELICATES LAUNDRY BAGS KEEP COLORS SEPARATE & SAFE ", "Multipurpose - Travel Organizer Bag: Ideal for packaging clothing. When you arecamping and traveling with friends, you can easily separate yours and yourfriends' clothes with travel laundry bag. When you share a washing machine with your roommate, you can easily identify your clothes with our DIY Printed laundry bags. It can be used for storage as well to sort your clothes in anorganised way in wardrobe. It is also a great helper for house moving. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1KITK4A5218C8", "seller_name": "SKYDA", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B093YT83QR", "category": "fashion", "query": "Women's Socks & Hosiery", "page": 203, "small_description_old": "About this item Fiber Imported Set of 2 Mesh Laundry Bags-1 Medium & 1 Small for Laundry,Blouse, Hosiery, Stocking, Underwear, Bra and Lingerie, Travel Laundry Bag. Durable and breathable polyester fibre material, healthy and clean. These Lingerie Bags for Laundry perform perfectly every time protecting your delicates, and keeping them like new. Use in the Dryer too. You & your clothes will LOVE the premium, Strong mesh protecting your finest garments, it is the first choice to protect delicates, extend the life of lingerie, hosiery, intimates and more. DELICATES LAUNDRY BAGS KEEP COLORS SEPARATE & SAFE Multipurpose - Travel Organizer Bag: Ideal for packaging clothing. When you arecamping and traveling with friends, you can easily separate yours and yourfriends' clothes with travel laundry bag. When you share a washing machine with your roommate, you can easily identify your clothes with our DIY Printed laundry bags. It can be used for storage as well to sort your clothes in anorganised way in wardrobe. It is also a great helper for house moving."}, {"name": "Rexona Womans Motion Sense Invisible Pure Deodorant Stick 40ml / 1.35 Oz Travel Size (Pack of 6)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 7 x 4 x 2 inches; 1.1 Pounds", "Date First Available\n \u200f": "\u200e\n December 16, 2016", "Manufacturer\n \u200f": "\u200e\n Rexona", "ASIN\n \u200f": "\u200e\n B01N1T77OM", "Best Sellers Rank": "#458,125 in Health & Household (See Top 100 in Health & Household)#2,410 in Antiperspirant Deodorant", "#2,410 in Antiperspirant Deodorant": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Rexona", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Rexona", "full_description": "REXONA WOMEN MotionSense INVISIBLE PURE 48h ANTI-PERSPIRANT SOLID STICK", "pricing": "$33.00", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51d0b74YbML.jpg", "https://m.media-amazon.com/images/I/31FV7YARjQL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Deodorants & Antiperspirants \u203a Antiperspirant Deodorant", "average_rating": 4.5, "small_description": ["48-hour odor protection and long-lasting scents ", "MotionSense INVISIBLE Pure 48h ", "Invisible Solid goes on dry and stays dry ", "ANTI-PERSPIRANT SOLID STICK 40 ml "], "total_reviews": 7, "total_answered_questions": "", "customization_options": "", "seller_id": "A2C6P53AQF6863", "seller_name": "Dialka", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01N1T77OM", "category": "beauty", "query": "Deodorants & Antiperspirants", "page": 81, "small_description_old": "About this item 48-hour odor protection and long-lasting scents MotionSense INVISIBLE Pure 48h Invisible Solid goes on dry and stays dry ANTI-PERSPIRANT SOLID STICK 40 ml"}, {"name": "Corner Floor Lamp, Smart RBG Floor Lamp with App Control, Timer, Magiacous Music Sync Modern Floor Lamp, Full\u00a0Spectrum Color Changing Standing Lamp, for Living Room, Bedroom, Game, Party\uff0cReading", "product_information": {"Brand": "\u200eMagiacous", "Manufacturer": "\u200eMagiacous", "Item Weight": "\u200e3.74 pounds", "Product Dimensions": "\u200e7.08 x 7.08 x 62.99 inches", "Assembled Height": "\u200e62.99 inches", "Assembled Length": "\u200e7.08 inches", "Assembled Width": "\u200e7.08 inches", "Style": "\u200eModern", "Color": "\u200eBlack", "Shape": "\u200eOval", "Finish Types": "\u200eMetallic", "Voltage": "\u200e110 Volts (AC)", "Special Features": "\u200eMultiple Preset Lighting Modes, DIY Mode, Adjustable Height, App Control+Button Control, Dimmable RGB Light, Auto-off Timer, Music Sync Mode", "Shade Color": "\u200eBlack", "Light Direction": "\u200eAdjustable", "Power Source": "\u200eCorded Electric", "Switch Style": "\u200eAPP", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "Type of Bulb": "\u200eLED", "Wattage": "\u200e12 watt_hours", "Bulb Features": "\u200eDimmable", "ASIN": "B09GBF12CY", "Customer Reviews": {"ratings_count": 42, "stars": "3.9 out of 5 stars"}, "Best Sellers Rank": ["#103,797 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #700 in Floor Lamps"], "Date First Available": "September 15, 2021"}, "brand": "Brand: Magiacous", "brand_url": "https://www.amazon.com/Magiacous/b/ref=bl_dp_s_web_23687045011?ie=UTF8&node=23687045011&field-lbr_brands_browse-bin=Magiacous", "full_description": "", "pricing": "$69.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31qod3Efb8L.jpg", "https://m.media-amazon.com/images/I/412AackJAzL.jpg", "https://m.media-amazon.com/images/I/41CVrxiOhnL.jpg", "https://m.media-amazon.com/images/I/41jvLnFmzXL.jpg", "https://m.media-amazon.com/images/I/41bDMvN-5mL.jpg", "https://m.media-amazon.com/images/I/31Qn3zRx-CL.jpg", "https://m.media-amazon.com/images/I/416f0VKMGsL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Lamps & Shades \u203a Floor Lamps", "average_rating": 3.9, "small_description": ["Colorful Corner Floor Lamp: RGB floor lamp with 16 million light colors, preset 7 classic modes/ 9 dynamic modes/ 6 fixed modes/ 4 music rhythm modes. Abundant lighting effects suit multiple scenes: living room, bedroom, study, dining room, kitchen, children's room, game room, etc. ", "Be Your Own Colorist with DIY: Decorate the room with your ideas, choose your favorite color combination from the color library, adjust the brightness, speed, and light effect of this corner floor lamp. Design the color-changing lamp into the daylight effect, rainbow effect, play your unlimited creativity ", "Sync Your Music: Standing floor lamp automatically synchronizes with your music or TV/PC sound via the built-in mic. Choose from 4 music modes for the pulsating light effect and enjoy a house concert, karaoke night, or party. Vertical mood lighting creates the ideal atmosphere for a more interesting living space ", "Free Control of Light: Smart APP control turns your phone into a portable remote control, which can adjust the color, brightness, speed, and light effect of this floor lamp more conveniently within 30 meters. The timer function can set the light from 1 minute to 24 hours between any length of time automatically off ", "Simple But Not Simple: A 63\u201d high corner floor lamp can be easily assembled in 2 minute with the just presses. Taking up little space but decorating the entire room. Increase or decrease the 4 detachable lamp posts can be changed to 31.88 inches/49.21 inches/63 inches 3 different heights. The stable round base will not fall in either direction "], "total_reviews": 42, "total_answered_questions": 14, "customization_options": "", "seller_id": "A1LQMDDV8CL36B", "seller_name": "Drtize-US", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09GBF12CY", "category": "garden", "query": "Floor lamps", "page": 11, "small_description_old": "About this item Colorful Corner Floor Lamp: RGB floor lamp with 16 million light colors, preset 7 classic modes/ 9 dynamic modes/ 6 fixed modes/ 4 music rhythm modes. Abundant lighting effects suit multiple scenes: living room, bedroom, study, dining room, kitchen, children's room, game room, etc. Be Your Own Colorist with DIY: Decorate the room with your ideas, choose your favorite color combination from the color library, adjust the brightness, speed, and light effect of this corner floor lamp. Design the color-changing lamp into the daylight effect, rainbow effect, play your unlimited creativity Sync Your Music: Standing floor lamp automatically synchronizes with your music or TV/PC sound via the built-in mic. Choose from 4 music modes for the pulsating light effect and enjoy a house concert, karaoke night, or party. Vertical mood lighting creates the ideal atmosphere for a more interesting living space Free Control of Light: Smart APP control turns your phone into a portable remote control, which can adjust the color, brightness, speed, and light effect of this floor lamp more conveniently within 30 meters. The timer function can set the light from 1 minute to 24 hours between any length of time automatically off Simple But Not Simple: A 63\u201d high corner floor lamp can be easily assembled in 2 minute with the just presses. Taking up little space but decorating the entire room. Increase or decrease the 4 detachable lamp posts can be changed to 31.88 inches/49.21 inches/63 inches 3 different heights. The stable round base will not fall in either direction \n \u203a See more product details"}, {"name": "\u30102+2 Pack\u3011 for Samsung Galaxy A12 5G \u30102pcs Screen Protector + 2pcs Camera Lens Protector\u3011 Tempered Glass Film [0.3mm Thickness] [9H Hardness HD Clear] [Bubble Free] [Case Friendly] [Anti-Scratch] [Shatterproof ] [Anti-Fingerprint]", "product_information": {"Package Dimensions": "7.09 x 4.02 x 0.39 inches", "Item Weight": "1.76 ounces", "ASIN": "B095PF5BXT", "Customer Reviews": {"ratings_count": 50, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#49,283 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #4,611 in Cell Phone Screen Protectors"], "Special Features": "9H Surface Hardness, Scratch Resistant", "Manufacturer": "SJTM", "Date First Available": "May 24, 2021"}, "brand": "Visit the seninhi Store", "brand_url": "https://www.amazon.com/stores/Seninhi/page/93DB1CFA-257B-4C58-A5CE-A7B7AEB8239F?ref_=ast_bln", "full_description": "", "pricing": "$6.50", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51eXjDS6SxL.jpg", "https://m.media-amazon.com/images/I/41GxTAMl1oL.jpg", "https://m.media-amazon.com/images/I/51jfsckWLDL.jpg", "https://m.media-amazon.com/images/I/41GhUlUsX6L.jpg", "https://m.media-amazon.com/images/I/51oOdXstSQS.jpg", "https://m.media-amazon.com/images/I/41ITdONDI3L.jpg", "https://m.media-amazon.com/images/I/51ps-wEdMhL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Maintenance, Upkeep & Repairs \u203a Screen Protectors", "average_rating": 4.4, "small_description": ["\u3010Compatible Model\u30112 pack screen protector and 2 pack camera lens protector for galaxy a12 [Not for any other device],dual protection the phone. ", "\u3010Phone Screen Protector\u3011\uff1aHighly durable Resistant Tempered Glass Screen Protector can Effectively Protect Your galaxy a12 from Unwanted Scuffs and Scratches by Keys and Some Other Hard Substances. High touch sensitivity gives \"True Touch\" feel. 99% HD Clear screen protector with High definition transparency film and maximum resolution which keeps the bright and colorful image quality. ", "\u3010Camera Lens Screen Protector\u3011:The camera lens protector for galaxy a12 designed according to original size,made of ultra-thin tempered glass to provide lens protection without affecting photos. Does not affect the flash, high-definition screen, the light transmittance reaches 99.99%. New Version adhesive won't easy to fall. ", "\u3010Easy to install & anti-fingerprints\u3011\uff1aSimple installation, no trouble, no bubbles. Anti-fingerprint, Highly durable and scratch resistant surface that is easier to clean and protect against dirt, dust and sweat effectively. ", "\u3010Satisfied With the Guarantee\u3011: If the product has any quality problems within 2 months after received, please contact me and I will give you a satisfactory solution 24 hours before. "], "total_reviews": 50, "total_answered_questions": "", "customization_options": "", "seller_id": "A2K8QT688XJL3O", "seller_name": "qianfuren32", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B095PF5BXT", "category": "electronics", "query": "Lenses", "page": 183, "small_description_old": "About this item \u3010Compatible Model\u30112 pack screen protector and 2 pack camera lens protector for galaxy a12 [Not for any other device],dual protection the phone. \u3010Phone Screen Protector\u3011\uff1aHighly durable Resistant Tempered Glass Screen Protector can Effectively Protect Your galaxy a12 from Unwanted Scuffs and Scratches by Keys and Some Other Hard Substances. High touch sensitivity gives \"True Touch\" feel. 99% HD Clear screen protector with High definition transparency film and maximum resolution which keeps the bright and colorful image quality. \u3010Camera Lens Screen Protector\u3011:The camera lens protector for galaxy a12 designed according to original size,made of ultra-thin tempered glass to provide lens protection without affecting photos. Does not affect the flash, high-definition screen, the light transmittance reaches 99.99%. New Version adhesive won't easy to fall. \u3010Easy to install & anti-fingerprints\u3011\uff1aSimple installation, no trouble, no bubbles. Anti-fingerprint, Highly durable and scratch resistant surface that is easier to clean and protect against dirt, dust and sweat effectively. \u3010Satisfied With the Guarantee\u3011: If the product has any quality problems within 2 months after received, please contact me and I will give you a satisfactory solution 24 hours before."}, {"name": "Vlogging Camera, 4K Digital Camera for YouTube with WiFi, 16X Digital Zoom 0221-bs291", "product_information": {"ASIN": "B09SZ4RMNY", "Date First Available": "February 21, 2022", "Manufacturer": "SuperiorTek"}, "brand": "Brand: SuperiorTek", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=SuperiorTek", "full_description": "Vlogging Camera, 4K Digital Camera for YouTube with WiFi, 16X Digital Zoom 0221-bs291", "pricing": "$150.00", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/21v3xQP+BKL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Digital Cameras \u203a Point & Shoot Digital Cameras", "average_rating": "", "small_description": "designed for vlog user dhdh291 gift for your kids dhfkje292 long lasting material uf75147", "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A26P136NFMFQF7", "seller_name": "Spring05", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09SZ4RMNY", "category": "electronics", "query": "Digital Cameras", "page": 221, "small_description_old": "designed for vlog user dhdh291 gift for your kids dhfkje292 long lasting material uf75147"}, {"name": "Clif Bar Builder's Bar, Variety Pack, 9 Chocolate and 9 Chocolate Peanut Butter, 2.4-Ounce Bars, 18 Count", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10.7 x 6.2 x 2.7 inches; 3 Pounds", "Date First Available\n \u200f": "\u200e\n March 4, 2008", "Manufacturer\n \u200f": "\u200e\n Clif Bar, Inc.", "ASIN\n \u200f": "\u200e\n B0015DH8AQ", "Best Sellers Rank": "#473,284 in Health & Household (See Top 100 in Health & Household)#314 in Sports Nutrition Food Bars", "#314 in Sports Nutrition Food Bars": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Clif Bar Store", "brand_url": "https://www.amazon.com/stores/ClifBarCompany/page/5DF27F05-0431-4691-B950-F0560079CBE6?ref_=ast_bln", "full_description": "A healthy baked snack, full of nutrient-rich ingredients like whole grains, fiber, and Omega-3's from flax. All-natural and 95 percent organic", "pricing": "$31.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51pnThF6FgL.jpg", "https://m.media-amazon.com/images/I/51ZCYtBRJbL.jpg", "https://m.media-amazon.com/images/I/51wnNBL4rSL.jpg", "https://m.media-amazon.com/images/I/51gRlPHnTrL.jpg", "https://m.media-amazon.com/images/I/51jwVqjJLfL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Health & Household \u203a Diet & Sports Nutrition \u203a Nutrition Bars & Drinks \u203a Nutrition Bars \u203a Food Bars", "average_rating": 3.7, "small_description": ["9g of Whole Grains ", "Good Source of Fiber (3-4g) ", "Women Specific Nutrition (Folic Acid, Calcium, Iron, B-0Vitamins) ", "Good Source of Antioxidants (A, C, & E) ", "20g of Protein "], "total_reviews": 111, "total_answered_questions": "", "customization_options": "", "seller_id": "A1LIC5VPVR55VZ", "seller_name": "Daily Market", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0015DH8AQ", "category": "grocery", "query": "Granola & Nutrition Bars", "page": 67, "small_description_old": "About this item 9g of Whole Grains Good Source of Fiber (3-4g) Women Specific Nutrition (Folic Acid, Calcium, Iron, B-0Vitamins) Good Source of Antioxidants (A, C, & E) 20g of Protein"}, {"name": "Smart Watch Tough/Outdoor 2022 for Men 1.69'' Full Touch Screen for Android/iOS iPhone,20 Sports Modes ,SpO2 Pedometer/Blood Pressure/Text/Sleep Monitor,Fitness Tracker,40-Days Standby,3ATM Waterproof,Dustproof", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 1.97 x 1.69 x 0.5 inches; 4.66 Ounces", "Item model number\n \u200f": "\u200e\n C16", "Department\n \u200f": "\u200e\n Unisex-adult", "Date First Available\n \u200f": "\u200e\n December 14, 2021", "Manufacturer\n \u200f": "\u200e\n Shenzhen Xindezheng Technology Co., LTD", "ASIN\n \u200f": "\u200e\n B09NLX2YXZ", "Best Sellers Rank": "#562,474 in Electronics (See Top 100 in Electronics)#10,481 in Smartwatches", "#10,481 in Smartwatches": ""}, "brand": "Brand: Greyfish", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Greyfish", "full_description": "Points 1. nRF52840+128M large memory\uff0cbluetooth5.0 2. Pioneer dynamic dial, support 4+1+1 dials 3. Tiled cool UI, supports drag and drop operation 4.Large memory, rich UI scenes 5. Support 20 sports modes+newly designed dynamic sports icons 6. 1.69inch HD screen\uff0cscreen resolution280*320 7. HRS3603Low-consumption high-definition heart rate monitor, more accurate detection 8. 350mA long battery endurance, reduce the trouble of charging at any time 9.3ATM Deep waterproof level, suitable for more environments", "pricing": "$129.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41ObTm8BWRL.jpg", "https://m.media-amazon.com/images/I/310ruaP5K6L.jpg", "https://m.media-amazon.com/images/I/21662RWX4-L.jpg", "https://m.media-amazon.com/images/I/515Tp6Q3MwL.jpg", "https://m.media-amazon.com/images/I/51-7QDDAz5L.jpg", "https://m.media-amazon.com/images/I/615WnG2nADS.jpg", "https://m.media-amazon.com/images/I/51thChECycL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Wearable Technology \u203a Smartwatches", "average_rating": "", "small_description": ["\u2726Suitable for outdoor harsh environment ", "\u27261.69 \"HD large screen ", "\u2726128MB large memory, Bluetooth 5.0 protocol ", "\u2726350mA large battery life,Standby 40 days ", "\u272620 Sports Modes ", "\u2726Cool UI, support drag and drop operation "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09NLWD3M5/ref=twister_B09NLX2YXZ?_encoding=UTF8&psc=1", "value": "Black-Black", "price_string": "$129.00", "price": 129, "image": "https://m.media-amazon.com/images/I/41+NMOawgBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NLXPBKR/ref=twister_B09NLX2YXZ?_encoding=UTF8&psc=1", "value": "Black-Green", "price_string": "$129.00", "price": 129, "image": "https://m.media-amazon.com/images/I/41XPtQKGUqL.jpg"}, {"is_selected": true, "url": null, "value": "Gold-Black", "price_string": "$129.00", "price": 129, "image": "https://m.media-amazon.com/images/I/41ObTm8BWRL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NLWN5BP/ref=twister_B09NLX2YXZ?_encoding=UTF8&psc=1", "value": "Gold-Green", "price_string": "$129.00", "price": 129, "image": "https://m.media-amazon.com/images/I/41A1fvxUINL.jpg"}]}, "seller_id": "A1JSTX1IAD1PS2", "seller_name": "GREYFISH", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09NLX1BC4", "category": "electronics", "query": "Wearable Technology", "page": 68, "small_description_old": "\u2726Suitable for outdoor harsh environment \u27261.69 \"HD large screen \u2726128MB large memory, Bluetooth 5.0 protocol \u2726350mA large battery life,Standby 40 days \u272620 Sports Modes \u2726Cool UI, support drag and drop operation"}, {"name": "Full Loft Bed with Desk and Storage Shelves, Wood Loft Bed with Ladder, for Kids, Teens, Adults (Espresso)", "product_information": {"Product Dimensions": "76 x 57.8 x 68.9 inches", "ASIN": "B08XX6QRK4", "Customer Reviews": {"ratings_count": null, "stars": "2.0 out of 5 stars"}, "Best Sellers Rank": ["#851,070 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,653 in Beds"], "Date First Available": "March 3, 2021"}, "brand": "Brand: Harper & Bright Designs", "brand_url": "https://www.amazon.com/Harper-Bright-Designs/b/ref=bl_dp_s_web_20695195011?ie=UTF8&node=20695195011&field-lbr_brands_browse-bin=Harper+%26+Bright+Designs", "full_description": "This traditional full size loft bed is constructed of high-quality solid rubber wood and MDF. Featuring an integrated desk and sturdy shelves, this bed is built with a comfortable sleeping space with a spacious and useful workstation underneath. The shelves can serve as a ladder as well, providing an easy access to the bed. Coming with support slats and stable guardrails, this loft bed can guarantee you a comfortable and safe experience. Definitely a great addition to your room. DescriptionMaterial: MDF and rubber woodColour: Espresso Numbers of slat:15 Function: Loft bed Decoration: With desk and shelves Numbers of package:2 Spring box: No need Assembly required: Yes DimensionsBed: 57.8\u2019\u2019 x 76\u2019\u2019 Total height: 68.9\u2019\u2019 Weight capacity: 450lb", "pricing": "$549.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51MhOafQx1L.jpg", "https://m.media-amazon.com/images/I/51gWxWQh4RL.jpg", "https://m.media-amazon.com/images/I/51XwjzYWFNL.jpg", "https://m.media-amazon.com/images/I/415+lT98SlL.jpg", "https://m.media-amazon.com/images/I/41LF84XqspL.jpg", "https://m.media-amazon.com/images/I/41So3+zHt0L.jpg", "https://m.media-amazon.com/images/I/41IpPDHcmrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Beds, Frames & Bases \u203a Beds", "average_rating": 2, "small_description": ["High Quality Loft Bed: The full size loft bed Crafted of Solid Rubber Wooden and MDF, the bed can stand the test of time, bed weight capability: 450lb, the loft bed in a clean painted finish, this bed strikes a clean-lined silhouette with a horizontal slatted headboard and footboard, matching guard rail. The raised base creates a cozy loft space for storage, work or play ", "High Security for kids: This loft bed frame adopt Solid Rubber Wooden Construction, make the bed is firm and does not shake. that loft bed includes 16.5\u201dfull-length guardrails, an integrated ladder, and 15 secured wood slats to ensure that you or your child will sleep in complete security and stability. ", "Multifunctional Design: The loft bed includes a desk and four shelves integrated to the wooden frame and has 52.4\u201d of under-bed clearance. This loft bed with a spacious and useful workstation underneath, the loft bed helps to store books, display decorations, or to place a laptop. This wood loft bed with an built-in ladders for a more convenient choice ", "Loft Bed Dimensions: 57.8\u2019\u2019 x 76\u2019\u2019,Total height: 68.9\u2019\u2019 .Standard full size loft bed frame fits standard full size mattress(mattress not included), no box spring or foundation needed ", "Easy to Assemble Loft Bed : Each order comes with a clear and detailed assembly instruction guide and all necessary tools are provided. NOTE: This item comes in 2 boxes and may not be delivered at the same time. Please wait patiently or contact us freely if you only receive part of them, our experienced customer service team will response in 24 hour "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A1A6C3E32PB46N", "seller_name": "Orien Life", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08XX6QRK4", "category": "garden", "query": "Beds", "page": 337, "small_description_old": "About this item\n \nHigh Quality Loft Bed: The full size loft bed Crafted of Solid Rubber Wooden and MDF, the bed can stand the test of time, bed weight capability: 450lb, the loft bed in a clean painted finish, this bed strikes a clean-lined silhouette with a horizontal slatted headboard and footboard, matching guard rail. The raised base creates a cozy loft space for storage, work or play High Security for kids: This loft bed frame adopt Solid Rubber Wooden Construction, make the bed is firm and does not shake. that loft bed includes 16.5\u201dfull-length guardrails, an integrated ladder, and 15 secured wood slats to ensure that you or your child will sleep in complete security and stability. Multifunctional Design: The loft bed includes a desk and four shelves integrated to the wooden frame and has 52.4\u201d of under-bed clearance. This loft bed with a spacious and useful workstation underneath, the loft bed helps to store books, display decorations, or to place a laptop. This wood loft bed with an built-in ladders for a more convenient choice Loft Bed Dimensions: 57.8\u2019\u2019 x 76\u2019\u2019,Total height: 68.9\u2019\u2019 .Standard full size loft bed frame fits standard full size mattress(mattress not included), no box spring or foundation needed Easy to Assemble Loft Bed : Each order comes with a clear and detailed assembly instruction guide and all necessary tools are provided. NOTE: This item comes in 2 boxes and may not be delivered at the same time. Please wait patiently or contact us freely if you only receive part of them, our experienced customer service team will response in 24 hour"}, {"name": "BDEUS Folding Mattress Folding Sofa 4\" Breathable High-Density Foam Mattress Tppper, Portable Guest Bed with Removable&Washable Cover, 75 x 25 inches", "product_information": {"Package Dimensions": "27.8 x 11.25 x 11.1 inches", "Item Weight": "11.18 pounds", "Manufacturer": "BDEUS", "ASIN": "B08R9QHFPC", "Customer Reviews": {"ratings_count": 81, "stars": "3.9 out of 5 stars"}, "Best Sellers Rank": ["#66,753 in Home & Kitchen (See Top 100 in Home & Kitchen) #113 in Mattresses Toppers #179 in Mattresses"], "Date First Available": "December 25, 2020"}, "brand": "Brand: BDEUS", "brand_url": "https://www.amazon.com/BDEUS/b/ref=bl_dp_s_web_23729345011?ie=UTF8&node=23729345011&field-lbr_brands_browse-bin=BDEUS", "full_description": "", "pricing": "$99.99", "list_price": "", "availability_quantity": 1, "availability_status": "In Stock. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41af4I9M6iL.jpg", "https://m.media-amazon.com/images/I/41NrMFeGmUL.jpg", "https://m.media-amazon.com/images/I/41NaTq7T8kL.jpg", "https://m.media-amazon.com/images/I/61-O2Za4ooL.jpg", "https://m.media-amazon.com/images/I/51466PK-OSL.jpg", "https://m.media-amazon.com/images/I/51SV2aSJyDL.jpg", "https://m.media-amazon.com/images/I/51jzAzZJbRL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Mattresses & Box Springs \u203a Mattresses", "average_rating": 3.9, "small_description": ["\u3010Well Selected Materials\u3011 Featuring 4\u201d high density thick sponge, this foldable mattress has good resilience and can support your body perfectly. The outer cover is made of breathable mesh fabric and the inner cover is made of fireproof glass fiber cloth, which ensure both comfortable and durable. ", "\u30103 in 1 Multifunctional Design\u3011 Our convertible folding mattress can be changed freely among sofa, lounge chair and bed to satisfy your different needs. This versatile mattress will be a perfect solution for small house with limited space which is great for Video gaming, reading, camping and sleeping. ", "\u3010Portable & Foldable Design\u3011 This sponge mattress can be folded into a compact size when not in use for space-saving. Simply slip the included carrying case over the portable, tri-fold mattress and zip it up to keep it neat and secure while you travel. It is great for your guests, gaming with kids, travelling, camping, and YOGA in any room, mobile home, tent or car. ", "\u3010Easy to Clean and Maintain\u3011Coming with the smooth zipper which is covered with a wrapping cloth, the cover of our foldable sponge mattress can be quickly removed for easy washing. Plus, both cover and sponge materials are well selected for long time use and there is no need for tedious maintenance at ordinary times. ", "\u3010BUY WITH CONFIDENCE\u3011 BDEUS fold mattress is consistent with the high standard of quality. We provide an honest 30-days money-back return policy. Please allow up to 72 hours for the mattress to fully expand. If you have any questions at all, do not hesitate to contact us. "], "total_reviews": 81, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08R9RKTY1/ref=twister_B08TMCTQ1K?_encoding=UTF8&psc=1", "value": "Twin", "price_string": "$119.99", "price": 119.99, "image": null}, {"is_selected": true, "url": null, "value": "Small Single", "price_string": "$99.99", "price": 99.99, "image": null}]}, "seller_id": "A2TXI9NC3C1XQI", "seller_name": "BDEUS", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B08R9QHFPC", "category": "garden", "query": "Mattresses", "page": 103, "small_description_old": "About this item\n \n\u3010Well Selected Materials\u3011 Featuring 4\u201d high density thick sponge, this foldable mattress has good resilience and can support your body perfectly. The outer cover is made of breathable mesh fabric and the inner cover is made of fireproof glass fiber cloth, which ensure both comfortable and durable. \u30103 in 1 Multifunctional Design\u3011 Our convertible folding mattress can be changed freely among sofa, lounge chair and bed to satisfy your different needs. This versatile mattress will be a perfect solution for small house with limited space which is great for Video gaming, reading, camping and sleeping. \u3010Portable & Foldable Design\u3011 This sponge mattress can be folded into a compact size when not in use for space-saving. Simply slip the included carrying case over the portable, tri-fold mattress and zip it up to keep it neat and secure while you travel. It is great for your guests, gaming with kids, travelling, camping, and YOGA in any room, mobile home, tent or car. \u3010Easy to Clean and Maintain\u3011Coming with the smooth zipper which is covered with a wrapping cloth, the cover of our foldable sponge mattress can be quickly removed for easy washing. Plus, both cover and sponge materials are well selected for long time use and there is no need for tedious maintenance at ordinary times. \u3010BUY WITH CONFIDENCE\u3011 BDEUS fold mattress is consistent with the high standard of quality. We provide an honest 30-days money-back return policy. Please allow up to 72 hours for the mattress to fully expand. If you have any questions at all, do not hesitate to contact us."}, {"name": "VR Headset Homido V2 for iPhone and Android", "product_information": {"Product Dimensions": "21.06 x 21.46 x 16.73 inches", "Item Weight": "14.1 ounces", "ASIN": "B01LZWDNX6", "Item model number": "HOMIDOV2", "Batteries": "2 AA batteries required.", "Customer Reviews": {"ratings_count": 379, "stars": "3.5 out of 5 stars"}, "Best Sellers Rank": ["#52,510 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #281 in Cell Phone Virtual Reality (VR) Headsets"], "Is Discontinued By Manufacturer": "No", "OS": "Android", "Other display features": "Wireless", "Manufacturer": "Homido", "Date First Available": "September 23, 2016"}, "brand": "Visit the homido Store", "brand_url": "https://www.amazon.com/stores/Homido/page/CEB01AEC-D6E1-4C5B-8682-D0F628A6DD95?ref_=ast_bln", "full_description": "Product size: 18Lx10Wx12Hcm 421g How is Homido USED? Watch a 3D film The film must be in Side-By-Side (SBS) format.You can download 3D SBS films from the Web and watch them on your phone using your normal video player. Or by streaming them from Youtube for example (search:\u201d side by side 3D) Watch a standard film Iphone: use\u201dHomido Player\u201d. Download from Google Play. Watch 360 degree videos Iphone: use Homido Player. Android: use \u201cKolor Eyes -360 degree video player\u201d, or \u201cVR player\u201d. Download from Google Play. You can also watch your own 360 degree videos or download them from the internet. Playing games Andriod/Iphone: use \u201cHomido Center\u201d. Download from Google Play / App Store. Homido Center will give you a list of all Homido=compatible applications. It can also save all Homido apps in a single location once they have seen installed. Homido Center will be updated every Friday. ACCESSORIES 1 pair of lenses 1 soft carrying case 1 strap 2 contact foam 1 cleaning cloth 1 user manual", "pricing": "$54.99", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41ZUQP92K1L.jpg", "https://m.media-amazon.com/images/I/41DMD+OVrNL.jpg", "https://m.media-amazon.com/images/I/31k9xz9kdiL.jpg", "https://m.media-amazon.com/images/I/41hAyIJK0iL.jpg", "https://m.media-amazon.com/images/I/41pYo4+ngbL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Virtual Reality (VR) Headsets", "average_rating": 3.5, "small_description": ["Wide Compatibility :\u00a0Compatibly Fits for All smartphones' screen size between 4 to 5.7 inch such as Samsung Galaxy Note 5/4/, Galaxy S7 Edge/Galaxy S6 S5 S4; Apple iPhone 7 7s 7 Plus 6s 6 Plus 5c 5s; LG/Sony Xperia/Huawei/Nexus/ASUS/HTC etc. ( The max length of smart phone is 159.6mm and max width is 79.3mm) ", "Adjustable pupil distance and object distance: To satisfy different groups of people. Adjust the pupil distance by rolling the gear on the left of the 3D VR GLASSES, and adjust the object distance by rolling the gear on the top of VR glass so as to get a better experience of watching movies. ", "Ergonomic Head belt Design : The T-shaped straps make it adjustable for different people. Its design can also help decrease the pressure on around your eyes so you will feel much more comfortable when enjoy the movie or game ", "Comfort design with sponge area - Extremely soft and thick foam is perfect long time use. And we prepare one replace sponge to meet your requirement if you have to wash sponge. ", "Perfect package\uff1a1set VR glasses in EVA carry case, it looks great, you can give your friend as a gift, and easy to carry. "], "total_reviews": 379, "total_answered_questions": 42, "model": "HOMIDOV2", "customization_options": "", "seller_id": "AJ14XRCVMS6T1", "seller_name": "Onestop Creations", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B01LZWDNX6", "category": "electronics", "query": "Wearable Technology", "page": 107, "small_description_old": "About this item Wide Compatibility :\u00a0Compatibly Fits for All smartphones' screen size between 4 to 5.7 inch such as Samsung Galaxy Note 5/4/, Galaxy S7 Edge/Galaxy S6 S5 S4; Apple iPhone 7 7s 7 Plus 6s 6 Plus 5c 5s; LG/Sony Xperia/Huawei/Nexus/ASUS/HTC etc. ( The max length of smart phone is 159.6mm and max width is 79.3mm) Adjustable pupil distance and object distance: To satisfy different groups of people. Adjust the pupil distance by rolling the gear on the left of the 3D VR GLASSES, and adjust the object distance by rolling the gear on the top of VR glass so as to get a better experience of watching movies. Ergonomic Head belt Design : The T-shaped straps make it adjustable for different people. Its design can also help decrease the pressure on around your eyes so you will feel much more comfortable when enjoy the movie or game Comfort design with sponge area - Extremely soft and thick foam is perfect long time use. And we prepare one replace sponge to meet your requirement if you have to wash sponge. Perfect package\uff1a1set VR glasses in EVA carry case, it looks great, you can give your friend as a gift, and easy to carry."}, {"name": "Demeter Fragrance Library 1 Oz Cologne Spray - Sugar Plum", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 1.8 x 0.7 x 3.9 inches; 0.64 Ounces", "Item model number\n \u200f": "\u200e\n DM09337", "UPC\n \u200f": "\u200e\n 648389285375", "Manufacturer\n \u200f": "\u200e\n Demeter F.L. Inc", "ASIN\n \u200f": "\u200e\n B017MOAUGA", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#675,539 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,926 in Women's Cologne", "#1,926 in Women's Cologne": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Demeter Fragrance Library Store", "brand_url": "https://www.amazon.com/stores/DemeterFragranceLibrary/page/A62FFC43-C077-43FD-BDFD-B68742B8D515?ref_=ast_bln", "full_description": "Sensual, sparkling and cheerful with the rich scent of orange blossom. Coppertone? Hawaiian tropic? An ultra-luxury brand? Whatever you use, it's a great scent. And here it is 365 days of the year. Any week. Any month. Any hour. Day or night. Turn that ski vacation into a bi-lateral \"I've been skiing in Chile and sunning in St. Tropez\" kind of jaunt. (At last virtually.).", "pricing": "$15.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/417j-l467IL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Fragrance \u203a Women's \u203a Cologne", "average_rating": 3.2, "small_description": ["A perfect Holiday fragrance. Sugar plums can be made from any kind or combination of dried fruits, not just plums, together with finely chopped nuts, honey and aromatic spices. Demeter's Sugar Plum is, not surprisingly, on the simple side, just plum, honey, powdered sugar and a secret combination of spices. ", "Sugar Plums are widely associated with Christmas, inspired by characters like the Sugar Plum Fairy in Tchaikovsky's \"Nutcracker\" and of course: A Visit from St. Nicholas by Clement C. Moore 'Twas the night before Christmas, when all thro' the house. ", "Not a creature was stirring, not even a mouse; The stockings were hung by the chimney with care, In hopes that St. Nicholas soon would be there; The children were nestled all snug in their beds, While visions of sugar plums danc'd in their heads. "], "total_reviews": 6, "total_answered_questions": "", "customization_options": "", "seller_id": "A2RZTH94F29GDO", "seller_name": "Demeter F. L., Inc.", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B017MOAUGA", "category": "beauty", "query": "Children's Fragrance", "page": 15, "small_description_old": "About this item A perfect Holiday fragrance. Sugar plums can be made from any kind or combination of dried fruits, not just plums, together with finely chopped nuts, honey and aromatic spices. Demeter's Sugar Plum is, not surprisingly, on the simple side, just plum, honey, powdered sugar and a secret combination of spices. Sugar Plums are widely associated with Christmas, inspired by characters like the Sugar Plum Fairy in Tchaikovsky's \"Nutcracker\" and of course: A Visit from St. Nicholas by Clement C. Moore 'Twas the night before Christmas, when all thro' the house. Not a creature was stirring, not even a mouse; The stockings were hung by the chimney with care, In hopes that St. Nicholas soon would be there; The children were nestled all snug in their beds, While visions of sugar plums danc'd in their heads."}, {"name": "Motts Cinnamon Applesauce, Pack of 18 -4.0 oz Containers", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 6 x 3.5 x 6.5 inches; 3.4 Pounds", "UPC\n \u200f": "\u200e\n 014800002102", "Manufacturer\n \u200f": "\u200e\n Motts LLP", "ASIN\n \u200f": "\u200e\n B00HWHS3ZS", "Best Sellers Rank": "#34,122 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#32 in Applesauce Snack Cups & Pouches", "#32 in Applesauce Snack Cups & Pouches": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Mott's Store", "brand_url": "https://www.amazon.com/stores/Motts/page/D313B3CA-E1D5-47BE-999F-82DE46AD57A9?ref_=ast_bln", "full_description": "18 - 4.0 oz containers of Motts Cinnamon Flavored Applesauce. This product is made from real fruit and may contain seeds, stems, or other pieces of natural fruit.", "pricing": "$17.53", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41+6gFVbY5L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Applesauce & Fruit Cups \u203a Applesauce", "average_rating": 4.7, "small_description": ["18 containers of Motts Cinnamon Applesauce ", "Excellent source of Vitamin C ", "Fat free, cholesterol free, sodium free ", "Natural cinnamon flavored applesauce ", "Great addition to kid's lunches! "], "total_reviews": 191, "total_answered_questions": "", "customization_options": "", "seller_id": "A7PMRZP4ANGFA", "seller_name": "Rasmar Unlimited", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B00HWHS3ZS", "category": "grocery", "query": "Applesauce & Fruit Cups", "page": 3, "small_description_old": "About this item 18 containers of Motts Cinnamon Applesauce Excellent source of Vitamin C Fat free, cholesterol free, sodium free Natural cinnamon flavored applesauce Great addition to kid's lunches!"}, {"name": "Abbey Avenue Grace Upholstered Queen Platform Bed, Blue", "product_information": {"Item Weight": "\u200e89 pounds", "Product Dimensions": "\u200e86 x 64 x 53 inches", "Country of Origin": "\u200eChina", "Item model number": "\u200eU-GRA-080QB", "ASIN": "B0769HRGD2", "Customer Reviews": {"ratings_count": 6, "stars": "3.8 out of 5 stars"}, "Best Sellers Rank": ["#3,534,830 in Home & Kitchen (See Top 100 in Home & Kitchen) #7,497 in Beds"], "Date First Available": "October 8, 2017"}, "brand": "Visit the Abbey Avenue Store", "brand_url": "https://www.amazon.com/stores/Abbey+Avenue/page/A7F29EB6-9A29-4CD9-9FEB-421A041483DA?ref_=ast_bln", "full_description": "The Abbey Avenue grace upholstered Queen platform bed in heirloom Blue will modernize your bedroom and make your d\u00e9cor Dreams come to fruition. Metal stud trim perfectly embellishes the sumptuous upholstery. Pair the grace bed with the grace chair to create a cozy reading corner in your bedroom.", "pricing": "$376.46", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock (more on the way).", "images": ["https://m.media-amazon.com/images/I/41bgWni7lIL.jpg", "https://m.media-amazon.com/images/I/41Fvv2rCPQL.jpg", "https://m.media-amazon.com/images/I/51uNTgE6yDL.jpg", "https://m.media-amazon.com/images/I/51mgtbHgaxL.jpg", "https://m.media-amazon.com/images/I/41WaKz58GkL.jpg", "https://m.media-amazon.com/images/I/41R6l4uDR-L.jpg", "https://m.media-amazon.com/images/G/01/showroom/icon-lightbulb.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Beds, Frames & Bases \u203a Beds", "average_rating": 3.8, "small_description": ["The Abbey Avenue grace upholstered Queen platform bed in heirloom Blue will modernize your bedroom and make your d\u00e9cor Dreams come to fruition. Metal stud trim perfectly embellishes the sumptuous upholstery. Pair the grace bed with the grace chair to create a cozy reading corner in your bedroom. ", "Euro slats, chrome silver nail head trim, Part of emery collection, ships in one box, no box Spring required, straight Leg feet ", "Wood frame: eucalyptus/plywood; feet: poplar solid wood; Cushion filling: foam ", "Heirloom. The Product Weight is 89 pounds ", "Metal stud trim perfectly embellishes the sumptuous upholstery "], "total_reviews": 6, "total_answered_questions": "", "model": "\u200eU-GRA-080QB", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B0769HWY65/ref=twister_B0776Y9D1N", "value": "Twin", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0769GF3YL/ref=twister_B0776Y9D1N?_encoding=UTF8&psc=1", "value": "Full", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "Queen", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41+ydMfhcXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0769HWY65/ref=twister_B0776Y9D1N", "value": "Charcoal", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41GauLu3KtL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0769HYKQ9/ref=twister_B0776Y9D1N?_encoding=UTF8&psc=1", "value": "Natural", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/412PyUk-GOL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0769HWY64/ref=twister_B0776Y9D1N", "value": "Teal", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41c7P-F2kNL.jpg"}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B0769HRGD2", "category": "garden", "query": "Beds", "page": 232, "small_description_old": "About this item The Abbey Avenue grace upholstered Queen platform bed in heirloom Blue will modernize your bedroom and make your d\u00e9cor Dreams come to fruition. Metal stud trim perfectly embellishes the sumptuous upholstery. Pair the grace bed with the grace chair to create a cozy reading corner in your bedroom. Euro slats, chrome silver nail head trim, Part of emery collection, ships in one box, no box Spring required, straight Leg feet Wood frame: eucalyptus/plywood; feet: poplar solid wood; Cushion filling: foam Heirloom. The Product Weight is 89 pounds Metal stud trim perfectly embellishes the sumptuous upholstery \n \u203a See more product details"}, {"name": "Baxton Studio Brandy Light Beige Fabric Upholstered Queen Size Storage Platform Bed", "product_information": {"Item Weight": "\u200e147 pounds", "Product Dimensions": "\u200e87.4 x 64.17 x 39.57 inches", "ASIN": "B071S7GPMS", "Customer Reviews": {"ratings_count": 2, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#3,812,792 in Home & Kitchen (See Top 100 in Home & Kitchen) #8,271 in Beds"], "Date First Available": "March 20, 2017"}, "brand": "Visit the Baxton Studio Store", "brand_url": "https://www.amazon.com/stores/Baxton+Studio/page/B74D640F-4D9C-4FDA-84A3-498F20DD4F80?ref_=ast_bln", "full_description": "Baxton Studio Brandy Light Beige Fabric Upholstered Queen Size Storage Platform Bed", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/41RjCn64YxL.jpg", "https://m.media-amazon.com/images/I/418fr4JBMFL.jpg", "https://m.media-amazon.com/images/I/31bbcn1JUoL.jpg", "https://m.media-amazon.com/images/I/41TtdlZJ8eL.jpg", "https://m.media-amazon.com/images/I/41P75xzs+1L.jpg", "https://m.media-amazon.com/images/I/51DBm2tcBZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Beds, Frames & Bases \u203a Beds", "average_rating": 4.7, "small_description": ["Finish: Beige ", "Material: Fabric \"Polyester 100%\"/MDF/Foam ", "Modern and contemporary fabric upholstered bed ", "Beige polyester upholstery with polyurethane foam padding ", "Slats (included) eliminate the need for a box spring "], "total_reviews": 2, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B071S7GPMS", "category": "garden", "query": "Beds", "page": 372, "small_description_old": "About this item Finish: Beige Material: Fabric \"Polyester 100%\"/MDF/Foam Modern and contemporary fabric upholstered bed Beige polyester upholstery with polyurethane foam padding Slats (included) eliminate the need for a box spring \n \u203a See more product details"}, {"name": "Junior's Cheesecake 8\" Apple Crumb Cheesecake (Serves 12-14)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10 x 10 x 5 inches; 3 Pounds", "ASIN\n \u200f": "\u200e\n B07WDRM4HG", "Best Sellers Rank": "#203,217 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#48 in Cheesecakes", "#48 in Cheesecakes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Junior's Store", "brand_url": "https://www.amazon.com/stores/Junior%27s/page/FFE26F2D-65DC-4B57-90B0-568F1EA81B0A?ref_=ast_bln", "full_description": "From the Legendary Brooklyn institution, Junior's Restaurant, our world popular New York cheesecake is baked on a bed of homemade apple pie filling made with cinnamon and spices and is finished with handmade streusel topping. It's the perfect combination of flavors.All of our desserts are homemade with premium ingredients in small batches and mixed for over 40 minutes; no water or fillers added. Made in a family-owned bakery with premium cream cheese, fresh heavy cream, eggs, and a touch of vanilla. The cheesecake is frozen and arrives in a special, protective, stay-fresh container guaranteeing your Junior\u2019s cheesecake arrives in perfect condition. May arrive defrosted but cool to the touch. Net Weight 3lbs, Serves 12-14. We ship Mondays, Tuesdays and Wednesdays via 2-day service. Orders must be received by Wednesday at 6am EST to ship that day. Order deadline for Christmas delivery is Tuesday 12/17 at 10pm EST.", "pricing": "$59.95", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/41hVPuqZDWL.jpg", "https://m.media-amazon.com/images/I/51hRQg3wI7L.jpg", "https://m.media-amazon.com/images/I/51yMvQBoxKL.jpg", "https://m.media-amazon.com/images/I/51RD9yNnBFL.jpg", "https://m.media-amazon.com/images/I/51sGXacLJRL.jpg", "https://m.media-amazon.com/images/I/512o2V3MSdL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Breads & Bakery \u203a Cakes \u203a Cheesecakes", "average_rating": 4.1, "small_description": ["Our original New York cheesecake is baked on a bed of homemade apple-pie filling, made with cinnamon and spices and sponge cake bottom, finished with homemade streusel crumb topping ", "What all New York-style cheesecakes aspire to be: creamy but not heavy, light without falling apart, and of course, that rich flavor ", "Makes for the perfect gift for holidays, birthdays, and corporate events ", "Made with premium ingredients in small batches in our family-owned bakery; baked in a time-honored tradition with premium cream cheese, heavy cream, eggs and a touch of vanilla; no water or fillers added ", "Shipped frozen in a special, protective, stay fresh container - may arrive cool to the touch; approx. Net weight 3 lbs, 8 inches in diameter; serves 12-14. Certified kosher-dairy by Kof-K. We ship Mondays, Tuesdays and Wednesdays via 2-day service. Orders must be received by Wednesday at 6am EST to ship that day. Order deadline for Christmas delivery is Tuesday 12/17 at 10pm EST. We will not be shipping the weeks of 12/23 and 12/30. "], "total_reviews": 52, "total_answered_questions": "", "customization_options": "", "seller_id": "A1ODNY5SL810IG", "seller_name": "Junior's Cheesecake", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07WDRM4HG", "category": "grocery", "query": "Breads & Bakery", "page": 164, "small_description_old": "About this item Our original New York cheesecake is baked on a bed of homemade apple-pie filling, made with cinnamon and spices and sponge cake bottom, finished with homemade streusel crumb topping What all New York-style cheesecakes aspire to be: creamy but not heavy, light without falling apart, and of course, that rich flavor Makes for the perfect gift for holidays, birthdays, and corporate events Made with premium ingredients in small batches in our family-owned bakery; baked in a time-honored tradition with premium cream cheese, heavy cream, eggs and a touch of vanilla; no water or fillers added Shipped frozen in a special, protective, stay fresh container - may arrive cool to the touch; approx. Net weight 3 lbs, 8 inches in diameter; serves 12-14. Certified kosher-dairy by Kof-K. We ship Mondays, Tuesdays and Wednesdays via 2-day service. Orders must be received by Wednesday at 6am EST to ship that day. Order deadline for Christmas delivery is Tuesday 12/17 at 10pm EST. We will not be shipping the weeks of 12/23 and 12/30."}, {"name": "Olympus Stylus 550 WP 10MP Waterproof Digital Camera with 3x Optical Zoom and 2.5-Inch LCD (Blue)", "product_information": {"Product Dimensions": "3.7 x 0.87 x 2.44 inches", "Item Weight": "5.9 ounces", "ASIN": "B001P06Q0W", "Item model number": "Stylus 550 Blue", "Batteries": "1 Lithium ion batteries required.", "Customer Reviews": {"ratings_count": 67, "stars": "3.8 out of 5 stars"}, "Best Sellers Rank": ["#315,610 in Electronics (See Top 100 in Electronics) #355 in Underwater Photography Cameras #2,993 in Digital Point & Shoot Cameras"], "Is Discontinued By Manufacturer": "No", "Date First Available": "January 7, 2008", "Manufacturer": "Olympus"}, "brand": "Visit the OLYMPUS Store", "brand_url": "https://www.amazon.com/stores/Olympus/page/194007F4-900D-462A-BD13-D0E06BA308BA?ref_=ast_bln", "full_description": "Thanks to waterproofing technology adopted from Olympus\u2019 Stylus Tough series cameras, the new 10-megapixel Stylus 550WP waterproof camera is optimized for those who want to take stunning images of their aquatic adventures, making it the perfect pool companion. Olympus Stylus 550WP Highlights Point-Dunk-and-Shoot Camera The Stylus-550WP can go where other cameras fear to tread and can perform as well under water as it does on land because of its slim lightweight, aluminum exterior that is sealed from the elements by interior rubber gaskets and O-rings. The Stylus-550WP can be submerged up to 10 feet under water, and the inclusion of an underwater scene mode makes it ideal for taking photos while snorkeling, in the pool, or riding the waterslide. Intelligent Auto Thinks for You In or out of the water, you won\u2019t miss the shot thanks to Intelligent Auto Mode. It automatically identifies what you are shooting (i.e. Portrait, Night + Portrait, Landscape, Macro and Sports) and adjusts the camera\u2019s settings to capture the best quality results. First-time users can dive into this quick and hassle-free feature that does the thinking for them and produces incredible images. Can\u2019t Hide with Face Detection! Portrait and group shots make family reunions live beyond the short event, and with Face Detection you\u2019ll capture even the shyest relatives. The new camera detects up to three faces within the frame and automatically focuses and optimizes exposure to capture sharp, brilliant portraits and group shots. With the waterproof Stylus-550WP, you\u2019ll capture amazing photos even if your next family reunion is at a water park! Versatile Memory All Olympus digital point-and-shoot cameras accept xD-Picture Card media. Starting with products available in August 2008, they also accept microSD memory cards to capture images. The Stylus-550WP offers the flexibility to use either xD-Picture Card or microSD memory cards, which is just one more advantage of Olympus point-and-shoot cameras. Freeze that Splash with Digital Image Stabilization The fast motion of moving sea life or paddling swimmers could easily cause blurry images. Digital Image Stabilization freezes the action with high ISO sensitivity and fast shutter speeds to help prevent blurry images often caused by a moving subject, resulting in crystal-clear snaps. Perfect Fix In-Camera Editing While it can\u2019t remove the red from your eyes caused by too much chlorine in the water, the Stylus-550WP offers Red-Eye Fix as well as other in-camera editing features such as Shadow Adjustment Edit, resizing and cropping, so you can edit photos right in the camera. With the Perfect Fix function, multiple editing features can be applied at once, so what you see on the 2.5-inch LCD will look amazing when you show it to your friends in the hot tub. Olympus Master 2 Software Olympus Master 2 Software provides the ultimate in digital imaging management. An intuitive user interface makes downloading to your computer quick and simple, and images are easily organized by folders or albums and searchable by date in Calendar view. A direct link makes uploading your images and videos to YouTube easier than ever. Additionally, with one-click editing tools, such as red-eye removal, images can be touched up before printing or emailing. Online support, templates, firmware upgrades and other user services are just a mouse-click away. Use the optional muvee Theater Pack to create professional quality slide shows and DVDs from your pictures using any of several built-in templates. Additionally, create scrapbooks, greeting cards and other fun prints using the optional ArcSoft Print Creations plug-in. What's in the Box Wrist strap, camera WIN/Mac USB cable, audio/video cable, Lithium-Ion Battery (LI-42B) & Charger (LI-41C), MASD-1 (microSD Adapter), manual, warranty card and Olympus Master 2 software (CD-ROM)", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41XKPabQHFL.jpg", "https://m.media-amazon.com/images/I/41nKUMsVXnL.jpg", "https://m.media-amazon.com/images/I/41tKzhCk3WL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Digital Cameras \u203a Point & Shoot Digital Cameras", "average_rating": 3.8, "small_description": ["10-megapixel resolution for photo-quality, poster-size prints ", "Lightweight, aluminum exterior; waterproof up to 10 feet ", "3x optical zoom; Face Detection ", "Perfect Fix in-camera editing ", "Compatible with xD Picture Cards and microSD memory cards (not included) "], "total_reviews": 67, "total_answered_questions": "", "model": "Stylus 550 Blue", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B001P06Q0C/ref=twister_B001P80G5A?_encoding=UTF8&psc=1", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31n1qIllffL.jpg"}, {"is_selected": true, "url": null, "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41XKPabQHFL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B001P06Q0W", "category": "electronics", "query": "Digital Cameras", "page": 140, "small_description_old": "About this item\n \n10-megapixel resolution for photo-quality, poster-size prints Lightweight, aluminum exterior; waterproof up to 10 feet 3x optical zoom; Face Detection Perfect Fix in-camera editing Compatible with xD Picture Cards and microSD memory cards (not included)"}, {"name": "GYYARSX Foot Stool Ottoman Home Plastic Environmental Protection Low Stool, Children Simplicity Lightweight Tread Footstool, White (Color : White, Size : 33X20X21CM)", "product_information": {"Item Weight": "\u200e10.6 ounces", "ASIN": "B08KLHMPP9", "Date First Available": "October 3, 2020"}, "brand": "Brand: GYYARSX-Rest Stool Seat", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=GYYARSX-Rest+Stool+Seat", "full_description": "Product descriptionIt's small enough to Pick up of the way easily, so it's suitable for anywhere in the home, office, or garageProduct DetailsName: plastic StoolColor: White(as shown)Material: plasticSize: (length X width X height): 33X20X21CMMaximum load: 80kgApplicable Object: adult / kidsPackage Includes1 X plastic StoolNote:Please allow slight dimension difference due to different manual measurementDue to factors such as shooting technology, light, display parameters, etc. the actual color received will be different from the photo. Please refer to the actual product. Thank you", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/31+QkV-g1UL.jpg", "https://m.media-amazon.com/images/I/51kl+u9qClL.jpg", "https://m.media-amazon.com/images/I/416MxKIIqaL.jpg", "https://m.media-amazon.com/images/I/31Kh2gZPclL.jpg", "https://m.media-amazon.com/images/I/311V+RhRNrL.jpg", "https://m.media-amazon.com/images/I/41nek7eRbaL.jpg", "https://m.media-amazon.com/images/I/3113OoS6XYL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Accent Furniture \u203a Ottomans", "average_rating": "", "small_description": ["Convenient Foot Stool: high-quality plastic materials, environmentally friendly materials, healthy and safe, smooth and thick, no burrs, strong and durable, and strong materials ", "Non-slip rubber pad: wear-resistant, non-slip, non-scratch the ground; easy stacking, saving space, small size, easy to collect and easy to take ", "Easy to clean\uff1alightweight material, sturdy, comfortable and safe step stool for children all ages ", "Multifunctiop\uff1aIdeal step stool for potty training, washing hand or taking items on high place, for use in bedroom, bathroom, kitchen and living room etc ", "After-Sales Service: Customer satisfaction is our only purpose. If you have any questions, please contact us in time. We will reply to your email within 24 hours "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08KLHMPP9", "category": "garden", "query": "Ottomans", "page": 391, "small_description_old": "About this item Convenient Foot Stool: high-quality plastic materials, environmentally friendly materials, healthy and safe, smooth and thick, no burrs, strong and durable, and strong materials Non-slip rubber pad: wear-resistant, non-slip, non-scratch the ground; easy stacking, saving space, small size, easy to collect and easy to take Easy to clean\uff1alightweight material, sturdy, comfortable and safe step stool for children all ages Multifunctiop\uff1aIdeal step stool for potty training, washing hand or taking items on high place, for use in bedroom, bathroom, kitchen and living room etc After-Sales Service: Customer satisfaction is our only purpose. If you have any questions, please contact us in time. We will reply to your email within 24 hours \n \u203a See more product details"}, {"name": "Sandisk Ultra SDXC 64GB 80MB/S C10 Flash Memory Card (SDSDUNC-064G-AN6IN)", "product_information": {"RAM": "\u200e64 GB", "Brand": "\u200eSanDisk", "Series": "\u200eSandisk Ultra Gb 10 Memory Card ' G 1", "Item model number": "\u200eSDSDUNC-064G-AN6IN", "Item Weight": "\u200e0.48 ounces", "Product Dimensions": "\u200e6 x 4 x 0.2 inches", "Item Dimensions LxWxH": "\u200e6 x 4 x 0.2 inches", "Color": "\u200eRed", "Manufacturer": "\u200eSanDisk", "ASIN": "\u200eB013WXK2QI", "Is Discontinued By Manufacturer": "\u200eNo", "Date First Available": "\u200eAugust 14, 2015", "Customer Reviews": {"ratings_count": 147, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#505 in SecureDigital Memory Cards"]}, "brand": "Visit the SanDisk Store", "brand_url": "https://www.amazon.com/stores/SanDisk/page/CD971F4B-EE23-4EA1-96E3-567678AC9C0A?ref_=ast_bln", "full_description": "The SanDisk Ultra SDHC Memory Card is twice as fast as ordinary SDHC and SDXC cards, allowing it to take better pictures and Full HD videos. Its faster write speeds and Class 10 video recording performance make it a great choice for compact to mid-range point-and-shoot cameras and camcorders to capture top quality Full HD 1080p video and amazing pictures. This is the 64GB edition.", "pricing": "$13.85", "list_price": "", "availability_quantity": 7, "availability_status": "Only 7 left in stock - order soon. In Stock.", "images": ["https://m.media-amazon.com/images/I/51pvrWJX2sL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Computer Accessories & Peripherals \u203a Memory Cards \u203a SD Cards", "average_rating": 4.6, "small_description": ["Twice As Fast As Ordinary Shdc & Sdxc Cards ", "Class 10 Performance For Full Hd Video (1080p) ", "Read Speeds Up To 80mbps ", "Engineered With Uhs-i Bus Architecture ", "Waterproof, Temperature proof, X-ray proof, Magnet proof & Shockproof "], "total_reviews": 147, "total_answered_questions": 9, "model": "\u200eSDSDUNC-064G-AN6IN", "customization_options": "", "seller_id": "AIIAYKZQOBT02", "seller_name": "OEMPCWorld", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B013WXK2QI", "category": "electronics", "query": "Flashes", "page": 279, "small_description_old": "About this item\n \nTwice As Fast As Ordinary Shdc & Sdxc Cards Class 10 Performance For Full Hd Video (1080p) Read Speeds Up To 80mbps Engineered With Uhs-i Bus Architecture Waterproof, Temperature proof, X-ray proof, Magnet proof & Shockproof"}, {"name": "ReadyWired HDMI Cord Cable for Apeman A80 Action Camera", "product_information": {"Manufacturer": "ReadyWired", "ASIN": "B07TPRMHFG", "Customer Reviews": {"ratings_count": null, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#14,718 in HDMI Cables"], "Is Discontinued By Manufacturer": "No", "Date First Available": "October 21, 2016"}, "brand": "Brand: ReadyWired", "brand_url": "https://www.amazon.com/ReadyWired/b/ref=bl_dp_s_web_20636303011?ie=UTF8&node=20636303011&field-lbr_brands_browse-bin=ReadyWired", "full_description": "Compatibility guaranteed * Length: 6 Ft.", "pricing": "$7.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41i3ZtYtlrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Video Cables \u203a HDMI Cables", "average_rating": 4, "small_description": ["Compatibility guaranteed ", "Length: 6 Ft. "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A2T00D4QGA0SIZ", "seller_name": "River City Electronics", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07TPRMHFG", "category": "electronics", "query": "HDMI Cables", "page": 334, "small_description_old": "About this item\n \nCompatibility guaranteed Length: 6 Ft."}, {"name": "BioCorneum Advanced Scar Treatment Gel with SPF 30 - Silishield Patented Crosslinking Silicone - 50 gram - Certified Distributor", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 6.26 x 1.54 x 1.54 inches; 1.76 Ounces", "UPC\n \u200f": "\u200e\n 767571217366", "Manufacturer\n \u200f": "\u200e\n Enaltus", "ASIN\n \u200f": "\u200e\n B07VTR9SYD", "Best Sellers Rank": "#7,332 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#25 in Scar Reducing Treatments #782 in Body Skin Care Products", "#25 in Scar Reducing Treatments": "", "#782 in Body Skin Care Products": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: bioCorneum", "brand_url": "https://www.amazon.com/bioCorneum/b/ref=bl_dp_s_web_20694054011?ie=UTF8&node=20694054011&field-lbr_brands_browse-bin=bioCorneum", "full_description": "BIOCORNEUM is the only advanced scar treatment with FDA-Cleared Silishield patented crosslinking medical grade silicone and SPF 30 that: prevents and minimizes the formation of hypertrophic scars decreases the appearance of old scars protects scars from sun exposure\u2019s darkening effects dries quickly to adhere to skin for 12 to 24 hours BIOCORNEUM can be used on scars resulting from surgical and cosmetic procedures, trauma, wounds and burns, and it can be effective on old or new scars. Silishield Patented Crosslinking Silicone FDA-Cleared Silishield Technology advances the benefits of traditional silicone sheeting through the comfort and ease of a gel. Patented crosslinking silicone creates an invisible shield that feels like a second skin and helps reduce the appearance of scars. It can reduce redness and discoloration, soften and flatten new and older hypertrophic and keloid scars resulting from surgical procedures, injuries and burns. Why BIOCORNEUM? BIOCORNEUM gives you more control over your recovery process. Scars can be an unwanted visual reminder of a past procedure or injury. But scars are not simply cosmetic. Scar tissue lacks the full function of skin that hasn\u2019t been injured or involved in a surgery. For example, flexibility and the sense of touch may be diminished or completely lost in the scar area. Effectively treating a scar can help to complete your healing process.2,3 Easy, Effective Care for Scar Recovery FDA-Cleared Silishield Technology plus SPF 30 sunscreen Silky-smooth clear gel is simple to apply and dries quickly Forms a breathable, flexible protective shield that moves like a second skin Self-adhering \u2013 won\u2019t peel, no tape required Ideal for skin that must flex a lot (such as around joints), irregular surfaces, as well as large scar areas Ideal for face, neck, chest, hands, and other areas exposed to the sun Once dry, continues to work when makeup, lotion, or additional SPF protection is applied over it", "pricing": "$47.49", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/41dLq9JQyEL.jpg", "https://m.media-amazon.com/images/I/51ArC0BEfAL.jpg", "https://m.media-amazon.com/images/I/41IFHuSB6OL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Health & Household \u203a Health Care \u203a First Aid \u203a Scars & Wounds", "average_rating": 4.6, "small_description": ["The only advanced scar treatment with FDA-Cleared Silishield patented crosslinking medical grade silicone and SPF 30 that prevents and minimizes the formation of hypertrophic scars ", "Decreases the appearance of old scars ", "Protects scars from sun exposure\u2019s darkening effects ", "Dries quickly to adhere to skin for 12 to 24 hours ", "BIOCORNEUM can be used on scars resulting from surgical and cosmetic procedures, trauma, wounds and burns, and it can be effective on old or new scars "], "total_reviews": 351, "total_answered_questions": 16, "customization_options": "", "seller_id": "A3KUOCZY7E9COL", "seller_name": "I\u2019M SHOPAHOLIC", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07VTR9SYD", "category": "beauty", "query": "Body Makeup", "page": 162, "small_description_old": "The only advanced scar treatment with FDA-Cleared Silishield patented crosslinking medical grade silicone and SPF 30 that prevents and minimizes the formation of hypertrophic scars Decreases the appearance of old scars Protects scars from sun exposure\u2019s darkening effects Dries quickly to adhere to skin for 12 to 24 hours BIOCORNEUM can be used on scars resulting from surgical and cosmetic procedures, trauma, wounds and burns, and it can be effective on old or new scars"}, {"name": "yanw 12' 3-RCA Gold Plated Cord Male to Male Video Audio for PC TV CAM DVD VCR", "product_information": {"Manufacturer": "yanw", "ASIN": "B08H22ZV67", "Date First Available": "August 31, 2020"}, "brand": "Brand: yanw", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=yanw", "full_description": "12' 3-RCA Gold Plated Cord Male to Male Video Audio for PC TV CAM DVD VCR", "pricing": "$13.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41s+lYY6OzL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Audio Cables \u203a RCA Cables", "average_rating": "", "small_description": ["100% Brand New, High Quality ", "Connector: 3 RCA Y/R/W Male to 3 RCA Y/R/W Male Length: 12 ft. Color: Black AWG: 28 AWG "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AXQT4CRB37RUF", "seller_name": "Yilin trade", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08H22ZV67", "category": "electronics", "query": "VCRs", "page": 151, "small_description_old": "100% Brand New, High Quality Connector: 3 RCA Y/R/W Male to 3 RCA Y/R/W Male Length: 12 ft. Color: Black AWG: 28 AWG"}, {"name": "Baseus Magnetic Power Bank, 10,000mAh MagSafe Wireless Portable Charger, PD 20W USB-C Battery Pack, Designed for iPhone iPhone 13/13 Pro Max/13 Mini/12/12 Pro/12 Pro Max/12 Mini", "product_information": {"Product Dimensions": "5.76 x 2.8 x 0.66 inches", "Item Weight": "8.1 ounces", "ASIN": "B09CPZH548", "Item model number": "PPCXW10", "Batteries": "2 Lithium Polymer batteries required. (included)", "Customer Reviews": {"ratings_count": 437, "stars": "4.1 out of 5 stars"}, "Best Sellers Rank": ["#5,642 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #132 in Cell Phone Replacement Batteries #134 in Cell Phone Portable Power Banks"], "Other display features": "Wireless", "Colour": "Blue", "Manufacturer": "Baseus", "Date First Available": "August 16, 2021"}, "brand": "Visit the Baseus Store", "brand_url": "https://www.amazon.com/stores/Baseus/page/57F14E36-CF64-4705-828D-E0641A5338C6?ref_=ast_bln", "full_description": "", "pricing": "$39.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41hsRQSlACL.jpg", "https://m.media-amazon.com/images/I/51LFzxj2oNL.jpg", "https://m.media-amazon.com/images/I/417yfs4k46L.jpg", "https://m.media-amazon.com/images/I/51R3rb05ObL.jpg", "https://m.media-amazon.com/images/I/411KYz4AERL.jpg", "https://m.media-amazon.com/images/I/51Ya+wmiEkL.jpg", "https://m.media-amazon.com/images/I/613M9s-YS5L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Maintenance, Upkeep & Repairs \u203a Replacement Parts \u203a Batteries", "average_rating": 4.1, "small_description": ["Snap and Charge \u2013 18 built-in magnets allow you precisely attach your phone that makes wireless charging a breeze ", "MagSafe for iPhone 12/13 \u2013 Works perfectly with iPhone 12/Pro/Pro Max/Mini, iPhone 13/Pro Max/Mini. (NOTE: except iPhone 13 Pro) There will appear MagSafe icon on iphone 12 series when charging wirelessly (Only compatible with MagSafe phone cases) ", "All-in-One \u2013 A magnetic power bank for MagSafe - compatible devices in addition with USB-A and Type-C ports to charge up to 3 devices simultaneously (max output 20W) ", "Large Battery \u2013 Special magnetic system for iPhone 12 series, 10000 mAh capacity allow to charge an iPhone 12 up to 2.4 times, 3 times for iPhone 12 mini, 1.6 times for a Samsung S20 ", "Safe-to-Use \u2013 The Baseus built-in protection chip prevents overcharge, short circuit, reboot, overheating, and combined with a status light to provide you a worry-free wireless charging experience ", "What You Get \u2013 Baseus Magnetic Power Bank, USB-A to USB-C cable, welcome guide, using manu, our 12-month warranty, and Baseus\u2019 friendly customer service. Please contact us when you have any problem about our product "], "total_reviews": 437, "total_answered_questions": 45, "model": "PPCXW10", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Blue", "price_string": "$39.99", "price": 39.99, "image": "https://m.media-amazon.com/images/I/41hsRQSlACL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PMF152X/ref=twister_B09HJYQNC2?_encoding=UTF8&psc=1", "value": "Purple", "price_string": "$40.99", "price": 40.99, "image": "https://m.media-amazon.com/images/I/41+DLl3pF3L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092MGGBG1/ref=twister_B09HJYQNC2?_encoding=UTF8&psc=1", "value": "White", "price_string": "$41.99", "price": 41.99, "image": "https://m.media-amazon.com/images/I/41-ZJxxIspL.jpg"}]}, "seller_id": "A33IAQUVRW6LGA", "seller_name": "Baseus US Tech", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09CPZH548", "category": "electronics", "query": "Power Protection", "page": 72, "small_description_old": "About this item Snap and Charge \u2013 18 built-in magnets allow you precisely attach your phone that makes wireless charging a breeze MagSafe for iPhone 12/13 \u2013 Works perfectly with iPhone 12/Pro/Pro Max/Mini, iPhone 13/Pro Max/Mini. (NOTE: except iPhone 13 Pro) There will appear MagSafe icon on iphone 12 series when charging wirelessly (Only compatible with MagSafe phone cases) All-in-One \u2013 A magnetic power bank for MagSafe - compatible devices in addition with USB-A and Type-C ports to charge up to 3 devices simultaneously (max output 20W) Large Battery \u2013 Special magnetic system for iPhone 12 series, 10000 mAh capacity allow to charge an iPhone 12 up to 2.4 times, 3 times for iPhone 12 mini, 1.6 times for a Samsung S20 Safe-to-Use \u2013 The Baseus built-in protection chip prevents overcharge, short circuit, reboot, overheating, and combined with a status light to provide you a worry-free wireless charging experience What You Get \u2013 Baseus Magnetic Power Bank, USB-A to USB-C cable, welcome guide, using manu, our 12-month warranty, and Baseus\u2019 friendly customer service. Please contact us when you have any problem about our product"}, {"name": "LALUZ Bathroom Light Fixtures, Gold Vanity Light Fixture with Clear Glass Shades ( L19.5\u201d\u00d7 W6\u201d\u00d7 H7.5\u201d)", "product_information": {"Brand": "\u200eLALUZ", "Manufacturer": "\u200eLALUZ", "Part Number": "\u200eBathroom Vanity Light Fixtures", "Item Weight": "\u200e3.29 pounds", "Product Dimensions": "\u200e19.5 x 6 x 7.5 inches", "Item model number": "\u200ebathroom vanity light", "Assembled Height": "\u200e7.5 inches", "Assembled Length": "\u200e19.5 inches", "Assembled Width": "\u200e6 inches", "Style": "\u200eModern", "Collection": "\u200eBathroom vanity light fixtures", "Color": "\u200eGold", "Shape": "\u200eCandle", "Material": "\u200eMetal", "Number of Lights": "\u200e3", "Included Components": "\u200eVanity light", "Maximum Compatible Wattage": "\u200e40 Watts", "Voltage": "\u200e120 Volts", "Special Features": "\u200eDimmable", "Shade Material": "\u200eGlass", "Light Direction": "\u200eDownlight", "Power Source": "\u200eCorded-electric", "Switch Style": "\u200eBathroom light", "Batteries Required?": "\u200eNo", "Certification": "\u200eUL Listed", "Type of Bulb": "\u200eHalogen", "Wattage": "\u200e40 watts", "ASIN": "B08DHS3TH5", "Customer Reviews": {"ratings_count": 35, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#234,631 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #1,052 in Vanity Lighting Fixtures"], "Date First Available": "July 23, 2020"}, "brand": "Visit the LALUZ Store", "brand_url": "https://www.amazon.com/stores/LALUZ/page/F339D644-AF8D-4EB6-B46B-A6CBD318CB26?ref_=ast_bln", "full_description": "LALUZ", "pricing": "$117.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41Ak2sSeyRL.jpg", "https://m.media-amazon.com/images/I/51qpoiHSorL.jpg", "https://m.media-amazon.com/images/I/41DpfyF-YeL.jpg", "https://m.media-amazon.com/images/I/51eMJSM5u-L.jpg", "https://m.media-amazon.com/images/I/417NZzH09vL.jpg", "https://m.media-amazon.com/images/I/315PW1Bf7kL.jpg", "https://m.media-amazon.com/images/I/41sIy9AxqkL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Wall Lights \u203a Vanity Lights", "average_rating": 4.5, "small_description": ["[ Classic & Modern ] The bathroom lights over mirror are defined by clean lines. Golden finish gives it an urban rustic appearance. Clear round glass shades give it a romance and elegance touch of mid-century. ", "[ Widely Usages ] The bathroom vanity light fixtures have a delightful appearance, making it a perfectly addition to your powder room, bathroom, entryway and bedroom. Just let it wake up your morning and company you to build a perfect makeup. ", "[ Perfect Size ] This bathroom light is 19.5\u201d in length, 6\u201d in width and 7.5\u201d in height, equipped with a canopy (5\u201d in diameter), coming with 3 clear glass shades. Just let the bathroom vanity light illuminate your places, decorate your home. ", "[ Easy Installation ] We have pre-assembled the bathroom lights, so just several simple assembly and installation steps are required. Wiring, screwing bulbs and shades in, then you can see how beautiful the bathroom lighting can be when shining. ", "[ Warm Tips ] This bathroom lighting fixtures over mirror are UL listed with 2 years warranty. Because of the unique glass shades, the vanity lighting requires 3\u00d7E12 Based regular incandescent bulbs (Max 40W). We recommend using E12 based Type B bulbs with this bathroom light fixture. "], "total_reviews": 35, "total_answered_questions": "", "model": "\u200ebathroom vanity light", "customization_options": "", "seller_id": "A2KSJDVYMJBVT9", "seller_name": "LALUZ LIGHTING", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08DHS3TH5", "category": "garden", "query": "Vanities", "page": 66, "small_description_old": "About this item [ Classic & Modern ] The bathroom lights over mirror are defined by clean lines. Golden finish gives it an urban rustic appearance. Clear round glass shades give it a romance and elegance touch of mid-century. [ Widely Usages ] The bathroom vanity light fixtures have a delightful appearance, making it a perfectly addition to your powder room, bathroom, entryway and bedroom. Just let it wake up your morning and company you to build a perfect makeup. [ Perfect Size ] This bathroom light is 19.5\u201d in length, 6\u201d in width and 7.5\u201d in height, equipped with a canopy (5\u201d in diameter), coming with 3 clear glass shades. Just let the bathroom vanity light illuminate your places, decorate your home. [ Easy Installation ] We have pre-assembled the bathroom lights, so just several simple assembly and installation steps are required. Wiring, screwing bulbs and shades in, then you can see how beautiful the bathroom lighting can be when shining. [ Warm Tips ] This bathroom lighting fixtures over mirror are UL listed with 2 years warranty. Because of the unique glass shades, the vanity lighting requires 3\u00d7E12 Based regular incandescent bulbs (Max 40W). We recommend using E12 based Type B bulbs with this bathroom light fixture. \n \u203a See more product details"}, {"name": "MIA Delena", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 13.9 x 7.9 x 4.8 inches; 1.5 Pounds", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n May 21, 2020", "ASIN\n \u200f": "\u200e\n B089234PQB", "Best Sellers Rank": "#1,620,916 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#24,496 in Women's Sandals", "#24,496 in Women's Sandals": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: MIA", "brand_url": "https://www.amazon.com/MIA/b/ref=bl_sl_s_sh_web_18203844011?ie=UTF8&node=18203844011&field-lbr_brands_browse-bin=MIA", "full_description": "", "pricing": "$21.89$55.08", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41K9TAZ-VML.jpg", "https://m.media-amazon.com/images/I/41lT+UVjNrL.jpg", "https://m.media-amazon.com/images/I/41fMMIioG9L.jpg", "https://m.media-amazon.com/images/I/41VCQNsP+dL.jpg", "https://m.media-amazon.com/images/I/418b4NXMkvL.jpg", "https://m.media-amazon.com/images/I/41oDxZjTMuL.jpg", "https://m.media-amazon.com/images/I/41oDxZjTMuL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Sandals", "average_rating": 4.6, "small_description": ["Synthetic upper ", "Ghillie lace-up closure ", "Lightly cushioned footbed ", "Jute-wrapped midsole ", "Lightly textured outsole "], "total_reviews": 7, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": false, "value": "6.5", "asin": "B089234PQB"}, {"is_selected": false, "is_available": true, "value": "7", "asin": "B088TWNTRB"}, {"is_selected": false, "is_available": false, "value": "7.5", "asin": "B0891Z9LGS"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B088TX6VRY"}, {"is_selected": false, "is_available": false, "value": "8.5", "asin": "B089231B1M"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B089234PQB/ref=twister_B0897DNRLW", "value": "Olive", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41kd1JMeYSL.jpg"}, {"is_selected": true, "url": null, "value": "Mustard", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41K9TAZ-VML.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B088TWNTRB", "category": "fashion", "query": "Women's Sandals", "page": 59, "small_description_old": "Made in USA or Imported From sneakers to stylish slip-ons, MIA Shoes are the best for all day comfort"}, {"name": "PONY DANCE Kitchen Curtain for Windows - Semi-Sheer Decorative Roman Shade for Bedroom Tie Up Blinds Short Window Covering, 42\" Wide by 45\" Long, Dark Blue, Set of 1", "product_information": {"Package Dimensions": "13.46 x 11.14 x 2.28 inches", "Item Weight": "12.8 ounces", "Manufacturer": "PONY DANCE", "ASIN": "B096RV56XP", "Country of Origin": "China", "Item model number": "PONY DANCE-Tie up shade", "Best Sellers Rank": ["#441,130 in Home & Kitchen (See Top 100 in Home & Kitchen) #32 in Balloon Window Shades #3,888 in Window Curtain Panels"], "Fabric Type": "100% Polyester", "Scent": "Unscented", "Material Care Instructions": "Machine Wash", "Batteries Required?": "No"}, "brand": "Visit the PONY DANCE Store", "brand_url": "https://www.amazon.com/stores/PONYDANCE/page/861E12AA-1A92-444C-93ED-48284279F3E5?ref_=ast_bln", "full_description": "", "pricing": "$16.95", "list_price": "", "availability_quantity": 20, "availability_status": "Only 20 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51aQ1mT1yHL.jpg", "https://m.media-amazon.com/images/I/51dg-9ZDE1L.jpg", "https://m.media-amazon.com/images/I/614XEUjbOqL.jpg", "https://m.media-amazon.com/images/I/61voP7mIavL.jpg", "https://m.media-amazon.com/images/I/61n1X8QUCTL.jpg", "https://m.media-amazon.com/images/I/61zBSCr6j6L.jpg", "https://m.media-amazon.com/images/I/91B4p95ZDyL.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Window Treatments \u203a Blinds & Shades \u203a Balloon Shades", "average_rating": "", "small_description": ["Ready Made - Includes 1 Tie Up Shade measuring 42\"W by 45\"L. The WIDTH fit 40\" max window(the panels can't be fully unfolded due to grommet top). 1.6\"-inner diameter grommets fit most standard curtain rod/pole. ", "Elegant Design - Tie-ups at about 1/4 length of the blind from the top. Decorate windows with elegant ties and adjust the length of curtain easily according to the windows' height or your preference. ", "Good Performance - Sheer ballon shade is made of 100% polyester linen texture fabric, protect privacy from outside. Perfect for windows in the kitchen, living room, bathroom, bedroom... ", "Various Styles - The tie-up shades can be stylized with beautiful ties or without them. Decorate your home elegantly with the unique design. ", "Care Instruction - Machine washable, no bleaching, hang to dry, warm iron if needed. Welcome to our store to find out many more curtains and draperies. "], "total_reviews": "", "total_answered_questions": "", "model": "PONY DANCE-Tie up shade", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "42\"W x 45\"L", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096RY1LVZ/ref=twister_B09N3GVT82?_encoding=UTF8&psc=1", "value": "42\"W x 54\"L", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0933HCY1L/ref=twister_B09N3GVT82", "value": "52\"W x 45\"L", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0933FSNZJ/ref=twister_B09N3GVT82", "value": "52\"W x 54\"L", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0933J2HR3/ref=twister_B09N3GVT82?_encoding=UTF8&psc=1", "value": "52\"W x 63\"L", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0933J2HR5/ref=twister_B09N3GVT82", "value": "52\"W x 72\"L", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0933GHQJ1/ref=twister_B09N3GVT82?_encoding=UTF8&psc=1", "value": "52\"W x 84\"L", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0933FYS1W/ref=twister_B09N3GVT82?_encoding=UTF8&psc=1", "value": "52\"W x 96\"L", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0933JQSHP/ref=twister_B09N3GVT82?_encoding=UTF8&psc=1", "value": "52\"W x 108\"L", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B096RZHD21/ref=twister_B09N3GVT82?_encoding=UTF8&psc=1", "value": "Beige", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/510j2dBnD+S.jpg"}, {"is_selected": true, "url": null, "value": "Dark Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61h1ckP03YS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096RZRCF7/ref=twister_B09N3GVT82?_encoding=UTF8&psc=1", "value": "Dove Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61LEWH5535S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B096RXLKFZ/ref=twister_B09N3GVT82?_encoding=UTF8&psc=1", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41h1Tg-5OXS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0933GV2NX/ref=twister_B09N3GVT82", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61fI4juvbZS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0933GZ9FD/ref=twister_B09N3GVT82", "value": "Charcoal Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61BXN5OceCS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0933F7KBW/ref=twister_B09N3GVT82", "value": "Dusty Blush", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51rVMZgoVFS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0933FPKJN/ref=twister_B09N3GVT82", "value": "Ivory", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41RDr+I1QbS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0933GKHF1/ref=twister_B09N3GVT82", "value": "Sea Mist", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61t52bWxnRS.jpg"}]}, "seller_id": "ABNEFWLI5HHKP", "seller_name": "PONY DANCE", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B096RV56XP", "category": "garden", "query": "Window Coverings", "page": 21, "small_description_old": "About this item 100% Polyester Ready Made - Includes 1 Tie Up Shade measuring 42\"W by 45\"L. The WIDTH fit 40\" max window(the panels can't be fully unfolded due to grommet top). 1.6\"-inner diameter grommets fit most standard curtain rod/pole. Elegant Design - Tie-ups at about 1/4 length of the blind from the top. Decorate windows with elegant ties and adjust the length of curtain easily according to the windows' height or your preference. Good Performance - Sheer ballon shade is made of 100% polyester linen texture fabric, protect privacy from outside. Perfect for windows in the kitchen, living room, bathroom, bedroom... Various Styles - The tie-up shades can be stylized with beautiful ties or without them. Decorate your home elegantly with the unique design. Care Instruction - Machine washable, no bleaching, hang to dry, warm iron if needed. Welcome to our store to find out many more curtains and draperies."}, {"name": "BAYCHEER Tiffany Style Stained Glass Bowl Shade Pendant Light Chandelier Decorative Hanging Lamp Pendant Lighting Adjustable Ceiling Fixture with Pull Chain 3 Lights for Living Room Dining Room", "product_information": {"Brand": "\u200eBAYCHEER", "Manufacturer": "\u200eBAYCHEER", "Part Number": "\u200e533053", "Item Weight": "\u200e6.6 pounds", "Package Dimensions": "\u200e20.3 x 20 x 16.2 inches", "Item model number": "\u200e533053", "Style": "\u200eTiffany", "Color": "\u200eE", "Shape": "\u200eBowl", "Material": "\u200eGlass", "Number of Lights": "\u200e1", "Voltage": "\u200e110 Volts", "Special Features": "\u200eNot Dimmable", "Shade Material": "\u200eGlass", "Light Direction": "\u200eUp/Down Light", "Power Source": "\u200eHardwire", "Switch Installation Type": "\u200eHanging", "Type of Bulb": "\u200eLED/Incandescent/Fluorescent", "Wattage": "\u200e60 watts", "ASIN": "B0854JTZMT", "Customer Reviews": {"ratings_count": 3, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#383,938 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #2,954 in Pendant Light Fixtures"], "Date First Available": "February 24, 2020"}, "brand": "Visit the BAYCHEER Store", "brand_url": "https://www.amazon.com/stores/BAYCHEER/page/7BA5389C-B783-4B58-8D83-9428F5D42322?ref_=ast_bln", "full_description": "Light Information Category: Chandeliers Lighting Theme: Period Lighting Styles: Victorian Shape: Dome Dimensions Canopy Width: 4\" (11 cm) Chain/cord Length: 19.5\" (50 cm) Shade Height: 8\" (21 cm) Shade Width: 16\" (40 cm) Shipping Weight: 3KG Chain/cord Adjustable Or Not: Chain/Cord Adjustable Bulb Information Bulb Base: E26/E27 Number Of Lights: 3 Lights Bulb Included Or Not: Bulb Not Included Wattage Per Bulb: Max 60W Bulb Type: LED/Incandescent/Fluorescent Color Finishes: Mutil-colored Others Colors: Yellow, Mutil-colored Materials: Art Glass, Metal Switch Types: Pull Chain, Hardwired Setting: Dining Room Lighting, Living Room Lighting, Bedroom Lighting Product Features: Switched Lighting Types: General Lighting", "pricing": "$169.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41lbxWcaUhL.jpg", "https://m.media-amazon.com/images/I/41pHd3JOBsL.jpg", "https://m.media-amazon.com/images/I/51Jxahv74WL.jpg", "https://m.media-amazon.com/images/I/51AeO8VZYhL.jpg", "https://m.media-amazon.com/images/I/61AKYm1GzuL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Ceiling Lights \u203a Pendant Lights", "average_rating": 4.6, "small_description": ["Tiffany-style glass, assembled using the copper solder technique. ", "Pendant lighting fit in Bedroom, Study Room, Living Room,Restaurant, Hotel\u00a1\u00ea?Hallway ,Stairway ,Balcony ,Cloakroom and so on. ", "Special Style: The unique design comes with an Pull Chain to create a beautiful pendant lamp decor on your wall, the Edison LED light is also great with a sufficient amount of lighting, eye protection. ", "Handmade Lamp Shade with Colorful Design, Romantic and soft lighting,Tiffany glass lamps are considered part of the Art Nouveau movement,it is not only home furnishing,but also can be kept as collectibles. "], "total_reviews": 3, "total_answered_questions": "", "model": "\u200e533053", "customization_options": "", "seller_id": "A42Y74NIMB22L", "seller_name": "BAYCHEER", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0854JTZMT", "category": "garden", "query": "Pendants and Chandeliers", "page": 47, "small_description_old": "About this item Tiffany-style glass, assembled using the copper solder technique. Pendant lighting fit in Bedroom, Study Room, Living Room,Restaurant, Hotel\u00a1\u00ea?Hallway ,Stairway ,Balcony ,Cloakroom and so on. Special Style: The unique design comes with an Pull Chain to create a beautiful pendant lamp decor on your wall, the Edison LED light is also great with a sufficient amount of lighting, eye protection. Handmade Lamp Shade with Colorful Design, Romantic and soft lighting,Tiffany glass lamps are considered part of the Art Nouveau movement,it is not only home furnishing,but also can be kept as collectibles. \n \u203a See more product details"}, {"name": "10 Packs Hair Storage Carrying Bags Big Satin Drawstring Pouches Gift Bag for Hair Extentions, Bundles, Wigs, Hair Tools (Rose red)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 13.46 x 10.75 x 1.42 inches; 10.58 Ounces", "Manufacturer\n \u200f": "\u200e\n Sanmum", "ASIN\n \u200f": "\u200e\n B08PFRP4RN", "Best Sellers Rank": "#328,579 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#5,226 in Cosmetic Bags", "#5,226 in Cosmetic Bags": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Sanmum", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Sanmum", "full_description": "Description: You can get a lot of things into the bags with the very big size, not only the gifts, but also the daily small clothes, needle things or used as the knitting organization bag. It is perfect for hair bundles, wigs, gift wrapping, kitting bags, toys, small clothes bags, birthday, parties, celebrations, business and so on. The drawstring design offers your great convenience to carry or open the bag, and it can hold hair bundles, wigs or any other items. These were made to ensure and remain robust and durable for repeated use. Material: satin fabric Size: approx. 15.5 inch x 11.5 inch (40x30cm) Package includes: 10x Wig storage bags", "pricing": "$17.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41D9NFXqxXL.jpg", "https://m.media-amazon.com/images/I/41WlvQYjykL.jpg", "https://m.media-amazon.com/images/I/41EoXoGlVgL.jpg", "https://m.media-amazon.com/images/I/41l+DLO7Z9L.jpg", "https://m.media-amazon.com/images/I/411u+mMenVL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases \u203a Cosmetic Bags", "average_rating": 4.7, "small_description": ["Size: Approx. 15.5x11.5 Inch(40x30cm), Each Bag Can Hold 5-8 Bundles or 1-3 wigs, 10 Pieces/Package ", "High Quality: The bag is made of smooth satin fabric, very lightweight and ultra soft. Very convenient to carry wigs when travel. ", "Drawstring Design: These silky satin bags are designed with two flat satin drawstrings at the both end for secure keeping. Making the bags open or close conveniently. And it is very easy for you to carry your items in them with these two strings. ", "Application: Perfect for storaging hair bundles, wigs, gift wrapping, kitting bags, toys, birthday, parties, celebrations, business and so on. Keep Your Wig Protected, Safe, and Secure While You Travel. ", "Versatile: You can get a lot of things into the bags with the very big size, not only the gifts, but also the daily small clothes, needle things or used as the knitting organization bag. "], "total_reviews": 9, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B091HGLM7W/ref=twister_B08PFPMW12?_encoding=UTF8&psc=1", "value": "5pcs Black+5pcs Rose red", "price_string": "$19.99", "price": 19.99, "image": "https://m.media-amazon.com/images/I/51LMteue4+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08PFSC8ZG/ref=twister_B08PFPMW12?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$18.99", "price": 18.99, "image": "https://m.media-amazon.com/images/I/41tF0IyV6OL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B091TQXJ6D/ref=twister_B08PFPMW12?_encoding=UTF8&psc=1", "value": "Purple", "price_string": "$17.99", "price": 17.99, "image": "https://m.media-amazon.com/images/I/41qJEnvKYkL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B091TT9XK9/ref=twister_B08PFPMW12?_encoding=UTF8&psc=1", "value": "Red", "price_string": "$17.99", "price": 17.99, "image": "https://m.media-amazon.com/images/I/41aua27qGjL.jpg"}, {"is_selected": true, "url": null, "value": "Rose red", "price_string": "$17.99", "price": 17.99, "image": "https://m.media-amazon.com/images/I/41D9NFXqxXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KTWVT1V/ref=twister_B08PFPMW12?_encoding=UTF8&psc=1", "value": "Yellow", "price_string": "$19.99", "price": 19.99, "image": "https://m.media-amazon.com/images/I/41r5N1wKA2L.jpg"}]}, "seller_id": "A2GCHPLGEGL6N0", "seller_name": "Sanmum-shop", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08PFRP4RN", "category": "beauty", "query": "Hair Extensions, Wigs & Accessories", "page": 48, "small_description_old": "About this item Size: Approx. 15.5x11.5 Inch(40x30cm), Each Bag Can Hold 5-8 Bundles or 1-3 wigs, 10 Pieces/Package High Quality: The bag is made of smooth satin fabric, very lightweight and ultra soft. Very convenient to carry wigs when travel. Drawstring Design: These silky satin bags are designed with two flat satin drawstrings at the both end for secure keeping. Making the bags open or close conveniently. And it is very easy for you to carry your items in them with these two strings. Application: Perfect for storaging hair bundles, wigs, gift wrapping, kitting bags, toys, birthday, parties, celebrations, business and so on. Keep Your Wig Protected, Safe, and Secure While You Travel. Versatile: You can get a lot of things into the bags with the very big size, not only the gifts, but also the daily small clothes, needle things or used as the knitting organization bag."}, {"name": "smaate 3D Screen Protector Compatible with CS201 CS201C Smartwatch MorePro 1.4inch and Kalinco Zoskvee UXD FITVII 1.3inch, 3-Pack, Square, Full Coverage, Curved Edge frame, Anti-shatter, Anti-scratch", "product_information": {"Package Dimensions": "3.82 x 3.74 x 0.59 inches", "Item Weight": "0.634 ounces", "ASIN": "B09JJWGGD9", "Item model number": "3DCS201PTR8", "Customer Reviews": {"ratings_count": 10, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#55,272 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #700 in Smartwatch Screen Protectors"], "Special Features": "Anti-Shatter", "Colour": "Black", "Manufacturer": "SMAATE", "Country of Origin": "China", "Date First Available": "October 15, 2021"}, "brand": "Visit the smaate Store", "brand_url": "https://www.amazon.com/stores/smaate/page/0CCED6A2-42E6-4DEC-BD2F-B71C923FA388?ref_=ast_bln", "full_description": "", "pricing": "$12.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41IX-Yt6pbL.jpg", "https://m.media-amazon.com/images/I/51wAeBK4RJL.jpg", "https://m.media-amazon.com/images/I/41nUWaRciML.jpg", "https://m.media-amazon.com/images/I/51BbCkKLeFL.jpg", "https://m.media-amazon.com/images/I/51820T-H+3L.jpg", "https://m.media-amazon.com/images/I/51ihWfjIEqL.jpg", "https://m.media-amazon.com/images/I/51fYDZnfqJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Smartwatch Accessories \u203a Smartwatch Screen Protectors", "average_rating": 4.7, "small_description": ["3D Screen protectors Compatible with Compatible with CS201 CS201C Zeroner Health Pro Smartwatch MorePro 1.4inch and Kalinco Zoskvee UXD 1.3inch, you must make sure your watch model number is same before buying ", "You must watch the instruction video here and read the instruction manual before you install the protector to watch\u2019s screen ", "3D Full covered screen protector: PMMA material, Fully Protect the screen of smart watch ", "HIGH SENSITIVITY: you can touch and control the screen fast and easily ", "HIGH TRANSPARENCY: you can see the screen display clearly ", "EASY INSTALLATION: If there are bubbles under the protector, please just peel off the protector and install it again ", "If you find that the bubbles appear again in the second day, you can put the watch on the table, with the screen side down. Then you put some heavy books on back of the watch, after 12 hours, the protector will keep on the screen tightly, bubbles will not appear again ", "If you finally finish all the proctors and still fail, please send message to smaate support in Amazon, they will supply fast and professional solution for you "], "total_reviews": 10, "total_answered_questions": "", "model": "3DCS201PTR8", "customization_options": {"Color": null}, "seller_id": "A3QCDLSUQX4XF2", "seller_name": "Smaate-US", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09JJWGGD9", "category": "electronics", "query": "Screen Protectors", "page": 273, "small_description_old": "About this item 3D Screen protectors Compatible with Compatible with CS201 CS201C Zeroner Health Pro Smartwatch MorePro 1.4inch and Kalinco Zoskvee UXD 1.3inch, you must make sure your watch model number is same before buying You must watch the instruction video here and read the instruction manual before you install the protector to watch\u2019s screen 3D Full covered screen protector: PMMA material, Fully Protect the screen of smart watch HIGH SENSITIVITY: you can touch and control the screen fast and easily HIGH TRANSPARENCY: you can see the screen display clearly EASY INSTALLATION: If there are bubbles under the protector, please just peel off the protector and install it again If you find that the bubbles appear again in the second day, you can put the watch on the table, with the screen side down. Then you put some heavy books on back of the watch, after 12 hours, the protector will keep on the screen tightly, bubbles will not appear again If you finally finish all the proctors and still fail, please send message to smaate support in Amazon, they will supply fast and professional solution for you"}, {"name": "Revita Tablets Hair Growth Vitamins by DS Laboratories, Supports Healthy Hair and Nails in Women and Men, Hair Loss & Hair Thinning Supplement, Biotin, Vitamin D, Iron, 90 Day Supply", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 4.49 x 4.45 x 3.23 inches; 3.88 Ounces", "Manufacturer\n \u200f": "\u200e\n DS Laboratories", "ASIN\n \u200f": "\u200e\n B082WKKPDH", "Best Sellers Rank": "#463,703 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#2,129 in Hair Regrowth Treatments", "#2,129 in Hair Regrowth Treatments": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the DS LABORATORIES Store", "brand_url": "https://www.amazon.com/stores/DS+Laboratories/page/B21595AE-0435-4E8D-9BDC-7AFC34FAF756?ref_=ast_bln", "full_description": "Revita hair growth support tablets is a nutraceutical featuring a unique blend of clinically effective ingredients shown to improve hair growth and quality. Our proprietary blend features Zinc, which promotes protein synthesis and helps protect against oxidative damage, along with Biotin, which converts nutrients to energy and aids in the maintenance of hair. Keratin provides strength and improves hair flexibility while iron delivers oxygen to the hair root and helps reduce hair fallout, promoting healthier hair growth.", "pricing": "$96.00", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/417nXx0tPZL.jpg", "https://m.media-amazon.com/images/I/31DW+RsiKAL.jpg", "https://m.media-amazon.com/images/I/31iOrGtph+L.jpg", "https://m.media-amazon.com/images/I/41Xry24g5eL.jpg", "https://m.media-amazon.com/images/I/51SVt0keg6L.jpg", "https://m.media-amazon.com/images/I/41gQdjZKcFL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Loss Products \u203a Hair Regrowth Treatments", "average_rating": 4.2, "small_description": ["1 Tablet a Day for Thicker, Fuller Hair: Revita Tablets are ideal for those concerned with hair loss, thinning hair, or excessive shedding. Our dietary supplement works on alopecia related factors such as oxidative damage, hormones, stress, and poor nutrition. With just 1 tablet a day you'll experience stronger, healthier hair growth. ", "Hair Growth Tablets for Women and Men: Our hair growth supplement for men and women is formulated to improve strength, texture, shine, and manageability of hair. Our formula is suitable for all hair types. ", "Reduce Hair Loss and Hair Thinning: Our hair growth supplement works from the inside out to promote healthier, stronger hair growth. It also helps to reduce future hair loss. ", "Effective Ingredients: Revita hair growth tablets feature a unique blend of ingredients that stimulate hair growth and improve quality. Our proprietary blend features Zinc to protect against oxidative damage, Biotin to aid in the maintenance of hair and Keratin to strengthen and improve flexibility. ", "How To Use: Take 1 Tablet a day at night preferably with a meal. For best results use within a full routine in combination with Revita Shampoo and Conditioner. See growth and fuller, thicker hair within 90 days of consistent use. *Results may vary. "], "total_reviews": 16, "total_answered_questions": "", "customization_options": "", "seller_id": "A1NB823A4GC6HZ", "seller_name": "DSLaboratories", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B082WKKPDH", "category": "beauty", "query": "Hair Loss Products", "page": 110, "small_description_old": "About this item Natural Hair Growth: Revita Tablets for hair growth and thinning hair are a dietary supplement that work on alopecia related factors such as oxidative damage, hormones, stress, and poor nutrition. Just 1 tablet a day supports healthier, fuller, longer hair. Healthy, Hair Growth Support: Designed to improve strength, texture, shine, and manageability of hair. Reduce Hair Loss and Hair Thinning: Our hair growth supplement works in the regrowth of hair, but also helps to reduce future hair loss. Our proprietary formula takes action from the inside out allowing you to achieve thicker, fuller, healthier hair. Effective Ingredients: Revita hair growth tablets feature a unique blend of ingredients that stimulate hair growth and improve quality. Our proprietary blend features Zinc to protect against oxidative damage, Biotin to aid in the maintenance of hair and Keratin to strengthen and improve flexibility. Nanosome Technology: DS Laboratories formulas feature our proprietary Nanosome Technology. This technology used for encapsulation allows for the continuous release of the active ingredients creating higher efficacy with longer lasting results."}, {"name": "Oculus Link Cable 16ft(5m), Recuown Oculus Quest 2 Link Cable, USB 3.2 Gen 1 Type A to C Cable, High Speed Data Transfer & Fast Charging Compatible with Oculus Quest / Quest 2 VR Headset and Gaming PC", "product_information": {"Package Dimensions": "8.7 x 6.46 x 2.05 inches", "Item Weight": "8.1 ounces", "ASIN": "B07H5GWRL4", "Customer Reviews": {"ratings_count": 19, "stars": "4.1 out of 5 stars"}, "Best Sellers Rank": ["#65,715 in Video Games (See Top 100 in Video Games) #1,043 in PC Virtual Reality Headsets"], "Is Discontinued By Manufacturer": "No", "Date First Available": "February 4, 2021", "Manufacturer": "Recuown"}, "brand": "Brand: Recuown", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Recuown", "full_description": "Oculus Quest 2 Link Cable 16FT Compatible with Oculus Quest and Quest 2 Choose the cable that professional gamers trust the most! Specifications: Color: Black Length: 5 Meters/16FT Data Transfer Speed: Up to 5Gbps Material: TPE Interface: Type A to C Support Charge: Yes Current: 3A Packing includes: 16FT USB 3.2 Gen 1 Type A to C Oculus Quest Link Cable *1 How to use it: 1.Plug the USB C end of the Oculus link cable into Quest / Quest 2 headset, then make sure to plug the other end of the cable into USB 3.0 or above specifications slot on the motherboard to ensure optimal performance. 2.Make sure you have the latest Oculus Home App software. Note: This product is for the cable only and does not come with an Oculus Quest VR device.", "pricing": "$19.99", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/417RX8o5cSS.jpg", "https://m.media-amazon.com/images/I/51772cCHzUL.jpg", "https://m.media-amazon.com/images/I/51DUgj7h7+L.jpg", "https://m.media-amazon.com/images/I/51XUwkwkS6L.jpg", "https://m.media-amazon.com/images/I/41P3Ie13KlL.jpg", "https://m.media-amazon.com/images/I/51Pmq5kR6kL.jpg", "https://m.media-amazon.com/images/I/51AXRHdQ3IL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Video Games \u203a PC \u203a Virtual Reality \u203a Headsets", "average_rating": 4.1, "small_description": ["\u3010Oculus Quest 2 Link Cable\u3011Perfect compatibility for Oculus Quest and Quest 2.The Oculus cable connects your Oculus Quest and Quest 2 to a gaming PC,you can enjoy your PC VR gaming time while simultaneously powering the Quest headset. ", "\u301016FT Optimal Length\u3011The Oculus link cable reaches 16 feet(5M),enables long-distance data transferring but not losing the signal,good flexibility while maintaining a consistent and robust connection.This lightweight and durable link cable is your best choice. ", "\u3010USB 3.2 Gen 1 Data Transfer\u3011The Quest link cable compatible with USB 3.2 gen 1,you can enjoy lightning-fast syncing connects Oculus Link Program with no lag.Please make sure to plug it into USB 3.0 or above specifications slot on the motherboard to ensure optimal performance. ", "\u301090 Degree Angle Friendly Design\u3011The USB C adopts a 90-degree bend design,and the Quest cable comes with a Velcro strap that you can use to hold it firmly on your Oculus Quest VR headset. ", "\u3010Wide Compatibility\u3011In addition to connecting Oculus Quest to your PC, it is also suitable for extended connection of USB device interfaces. ", "\u3010What You Get\u3011High quality USB-IF Certified Oculus Quest Link Cable 16FT *1,our worry-free WARRANTY and life-time customer service. "], "total_reviews": 19, "total_answered_questions": 6, "customization_options": "", "seller_id": "A2E326JD9IJWSF", "seller_name": "Hywanvest", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07H5GWRL4", "category": "electronics", "query": "Virtual Reality", "page": 263, "small_description_old": "About this item\n \n\u3010Oculus Quest 2 Link Cable\u3011Perfect compatibility for Oculus Quest and Quest 2.The Oculus cable connects your Oculus Quest and Quest 2 to a gaming PC,you can enjoy your PC VR gaming time while simultaneously powering the Quest headset. \u301016FT Optimal Length\u3011The Oculus link cable reaches 16 feet(5M),enables long-distance data transferring but not losing the signal,good flexibility while maintaining a consistent and robust connection.This lightweight and durable link cable is your best choice. \u3010USB 3.2 Gen 1 Data Transfer\u3011The Quest link cable compatible with USB 3.2 gen 1,you can enjoy lightning-fast syncing connects Oculus Link Program with no lag.Please make sure to plug it into USB 3.0 or above specifications slot on the motherboard to ensure optimal performance. \u301090 Degree Angle Friendly Design\u3011The USB C adopts a 90-degree bend design,and the Quest cable comes with a Velcro strap that you can use to hold it firmly on your Oculus Quest VR headset. \u3010Wide Compatibility\u3011In addition to connecting Oculus Quest to your PC, it is also suitable for extended connection of USB device interfaces. \u3010What You Get\u3011High quality USB-IF Certified Oculus Quest Link Cable 16FT *1,our worry-free WARRANTY and life-time customer service."}, {"name": "InterestPrint Gold Horse Pattern Men's 2-Piece Sleepwear Set, Long Sleeve Shirt with Pants Loungewear", "product_information": {"Item Weight\n \u200f": "\u200e\n 1.28 Pounds", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n December 10, 2021", "Manufacturer\n \u200f": "\u200e\n InterestPrint", "ASIN\n \u200f": "\u200e\n B09NDBK6HY", "": ""}, "brand": "Visit the InterestPrint Store", "brand_url": "https://www.amazon.com/stores/InterestPrint/page/C4D01415-68A2-43C9-9276-762A7B2F1F7D?ref_=ast_bln", "full_description": "Two-Piece Men's All Over Print Pajama Set Comfortable Fit: This sleepwear is made of 100% polyester.The comfortable and smooth fabric is durable and feels great on the skin. Pajama has good air permeability ensures every moment is as comfy as can be and keep warm without overheating. Well-fitting Yet Loose Style: Men's pajama set includes long sleeve tee and full length trousers, breathable, extra-soft, and comfortably warm. The top of pajama sets is pullover round neck design, you can easily dress without much hassle. The trousers of pajama sets has elastic waistband and leg-retracting designs for easy relaxation. Warm Tips: Sizes: S, M, L, XL, 2XL.Please calculate your size from the measurement chart for perfect fit. Garment care: Machine wash. Hand wash in cold water is recommended. Line dry, do not bleach or dry clean.", "pricing": "$43.59", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41kEp7XJz7L.jpg", "https://m.media-amazon.com/images/I/41sGkkMsPUL.jpg", "https://m.media-amazon.com/images/I/41MgNTOfxkL.jpg", "https://m.media-amazon.com/images/I/41doRj0tSmL.jpg", "https://m.media-amazon.com/images/I/31YCHtYvraL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Sleep & Lounge \u203a Sleep Sets", "average_rating": "", "small_description": ["100% Polyester ", "Sizes: S, M, L, XL, 2XL.Please calculate your size from the measurement chart for perfect fit. ", "This mens casual sleepwear made from 100% polyester - feels great on the skin and provides warm whenever in use. ", "The pajama set for men includes long-sleeve round neck tee and elastic waistband trousers, well-fitting yet loose. ", "Suitable as home wear, lounge set, sleepwear set, nightwear for relaxing in the house or getting a great night sleep. ", "Perfect for you as daily wear or you can gift it as holiday, birthday present for your dad, brothers or friends. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09NDBD66C"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09ND8YQK9"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09ND9DP7J"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09ND9PSBV"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09ND8LRZJ"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09ND8HH5M/ref=twister_B09ND9W7CC", "value": "Multi 1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41OVvDihIuL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09ND8M41Q/ref=twister_B09ND9W7CC", "value": "Multi 10", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41hdbHiI6QL.jpg"}, {"is_selected": true, "url": null, "value": "Multi 2", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41kEp7XJz7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NDB83HR/ref=twister_B09ND9W7CC", "value": "Multi 3", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41p8NEPHcpL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09ND98L3B/ref=twister_B09ND9W7CC", "value": "Multi 5", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41pl694yeVL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NDBDJXV/ref=twister_B09ND9W7CC", "value": "Multi 6", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Px2mbi9lL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09ND9Z617/ref=twister_B09ND9W7CC", "value": "Multi 7", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41bU3uJe6LL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09ND9DZ35/ref=twister_B09ND9W7CC", "value": "Multi 8", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41V4dAl+saL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09ND8QRFF/ref=twister_B09ND9W7CC", "value": "Multi 9", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41hgNShWooL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09ND94HVM/ref=twister_B09ND9W7CC", "value": "Multi 4", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41vmL9Nx8oL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09ND9DP7J", "category": "fashion", "query": "Men's Sleep & Lounge", "page": 43, "small_description_old": "100% Polyester Sizes: S, M, L, XL, 2XL.Please calculate your size from the measurement chart for perfect fit. This mens casual sleepwear made from 100% polyester - feels great on the skin and provides warm whenever in use. The pajama set for men includes long-sleeve round neck tee and elastic waistband trousers, well-fitting yet loose. Suitable as home wear, lounge set, sleepwear set, nightwear for relaxing in the house or getting a great night sleep. Perfect for you as daily wear or you can gift it as holiday, birthday present for your dad, brothers or friends."}, {"name": "Naturtint Permanent Hair Color 6G Dark Golden Blonde (Pack of 1), Ammonia Free, Vegan, Cruelty Free, up to 100% Gray Coverage, Long Lasting Results", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 6.89 x 3.39 x 2.24 inches; 5.6 Ounces", "Item model number\n \u200f": "\u200e\n 6.61176E+11", "UPC\n \u200f": "\u200e\n 661176010103 796433459200", "Manufacturer\n \u200f": "\u200e\n Naturtint", "ASIN\n \u200f": "\u200e\n B005P0T90C", "Best Sellers Rank": "#139,436 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,329 in Hair Color", "#1,329 in Hair Color": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Naturtint Store", "brand_url": "https://www.amazon.com/stores/Naturtint/page/71541D1D-6EC3-4D24-BE37-0F414E558A78?ref_=ast_bln", "full_description": "Naturtint Permanent Hair Color is the first permanent hair color certified by the USDA BioPreferred program, exceeding minimum USDA certified biobased content for hair styling products by using less petroleum-derived and more naturally derived substitutes. The same amazing colors you love, but now with a 100% naturally derived propylene glycol alternative. Everything you need to color is included in each kit, and now with the all-new 1.69-fluid ounce tube of the Naturtint Quinoa Multi-care Mask proven to nourish and help increase color retention by up to 20%! Created by an independently owned, woman-run company in Madrid, Spain, Naturtint has been the leader in scientifically innovative hair color and cleaner hair care for over 25 years. Naturtint\u2019s botanical-inspired formulas contain only the highest quality ingredients and are designed to deliver and maintain radiant color and shine.", "pricing": "$13.60", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon. In Stock.", "images": ["https://m.media-amazon.com/images/I/51V1eVEBtUL.jpg", "https://m.media-amazon.com/images/I/51LpxJ4GD4L.jpg", "https://m.media-amazon.com/images/I/51jSaRto7vL.jpg", "https://m.media-amazon.com/images/I/51flUnQBL6L.jpg", "https://m.media-amazon.com/images/I/513RDJZowhL.jpg", "https://m.media-amazon.com/images/I/51pAMIJE+QL.jpg", "https://m.media-amazon.com/images/I/71uNpPuMXLL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Coloring Products \u203a Hair Color", "average_rating": 4.4, "small_description": ["Easily apply from the comfort of your home. ", "Achieve unbeatable color, softness, and shine! ", "Formulated with high-quality ingredients for the very best results. ", "92% naturally derived using the ISO 16128 global standard. ", "No ammonia, no artificial fragrance, no parabens. ", "Forever Cruelty-free and Vegan. "], "total_reviews": 63, "total_answered_questions": "", "customization_options": "", "seller_id": "A3S3UA1JLT4HN5", "seller_name": "Heartland Mart", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B005P0T90C", "category": "beauty", "query": "Hair Coloring Products", "page": 98, "small_description_old": "About this item Easily apply from the comfort of your home. Achieve unbeatable color, softness, and shine! Formulated with high-quality ingredients for the very best results. 92% naturally derived using the ISO 16128 global standard. No ammonia, no artificial fragrance, no parabens. Up to 100% gray coverage. Forever Cruelty-free and Vegan."}, {"name": "Clarks Women's Un Adorn Sling Sandal", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10.6 x 8.2 x 4 inches; 1.2 Pounds", "Item model number\n \u200f": "\u200e\n 26148269", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n September 3, 2019", "Manufacturer\n \u200f": "\u200e\n Clarks", "ASIN\n \u200f": "\u200e\n B07XBRF319", "Best Sellers Rank": "#220,424 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#652 in Women's Platform & Wedge Sandals", "#652 in Women's Platform & Wedge Sandals": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Clarks Store", "brand_url": "https://www.amazon.com/stores/Clarks/page/6E7F4396-6004-497C-B702-21B18368E819?ref_=ast_bln", "full_description": "This stylish slingback features an EVA insole and durable rubber outsole that ensures traction and cushioning. The hook-and-loop closure provides a secure fit. Looks great with denim or shorts for all your summer plans.", "pricing": "$34.99$99.95", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31vcfnQDItL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Sandals \u203a Platforms & Wedges", "average_rating": 4.3, "small_description": ["Heel measures approximately 1.37\" ", "Comfort Features: Ortholite Footbed, Smooth Leather Linings, Durable Rubber Outsole, EVA Midsole, Arch Support ", "Adjustable Hook and Loop Straps ", "Premium Nubuck and Leather "], "total_reviews": 114, "total_answered_questions": 3, "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "5", "asin": "B07X9RT1QZ"}, {"is_selected": false, "is_available": true, "value": "5.5", "asin": "B07XCVM2DV"}, {"is_selected": false, "is_available": true, "value": "6", "asin": "B07XCVK9YZ"}, {"is_selected": false, "is_available": true, "value": "6 Wide", "asin": "B07XDTTRQD"}, {"is_selected": false, "is_available": false, "value": "6.5 Wide", "asin": "B07X9RSVJD"}, {"is_selected": false, "is_available": false, "value": "7", "asin": "B07XCVL967"}, {"is_selected": false, "is_available": true, "value": "7 Wide", "asin": "B07X8N2LND"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B07XCVLTQX"}, {"is_selected": false, "is_available": false, "value": "7.5 Wide", "asin": "B07XDWRF4M"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B07X8N3M9L"}, {"is_selected": false, "is_available": false, "value": "8 Wide", "asin": "B07X8N1L4L"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B07X9RTGYV"}, {"is_selected": false, "is_available": true, "value": "8.5 Wide", "asin": "B07XDY99LT"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B07XDRVVYM"}, {"is_selected": false, "is_available": true, "value": "9 Wide", "asin": "B07X9RSNRP"}, {"is_selected": false, "is_available": false, "value": "10", "asin": "B07XBRFCYJ"}, {"is_selected": false, "is_available": true, "value": "11", "asin": "B07X8N38NH"}, {"is_selected": false, "is_available": false, "value": "11 Wide", "asin": "B07XDW3D27"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07XDW3D27/ref=twister_B09KHB1J4L", "value": "Taupe Metallic Combi", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ypSKYNaWL.jpg"}, {"is_selected": true, "url": null, "value": "Black Combi", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31vcfnQDItL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07X8N2BNV/ref=twister_B09KHB1J4L", "value": "Navy Combi", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41dEHNLrrDL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07XDRVVYM", "category": "fashion", "query": "Women's Sandals", "page": 11, "small_description_old": "Rubber sole Heel measures approximately 1.37\" Comfort Features: Ortholite Footbed, Smooth Leather Linings, Durable Rubber Outsole, EVA Midsole, Arch Support Adjustable Hook and Loop Straps Premium Nubuck and Leather"}, {"name": "OMEALS Pasta Fagioli Six Vegetarian MRE Sustainable Premium Outdoor Fully Cooked Meals w/Heater - Extended Shelf Life - No Refrigeration - Perfect for Travelers, Emergency Supplies - USA 6 Pack", "product_information": {"Manufacturer\n \u200f": "\u200e\n OMEALS", "ASIN\n \u200f": "\u200e\n B097F54DT8", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#495,346 in Sports & Outdoors (See Top 100 in Sports & Outdoors)#279,666 in Outdoor Recreation (Sports & Outdoors)", "#279,666 in Outdoor Recreation (Sports & Outdoors)": ""}, "brand": "Brand: OMEALS", "brand_url": "https://www.amazon.com/OMEALS/b/ref=bl_dp_s_web_23712392011?ie=UTF8&node=23712392011&field-lbr_brands_browse-bin=OMEALS", "full_description": "OMEALS Pasta Fagioli-Vegetarian-MRE-Extended Shelf Life-Fully Cooked w/Heater-Perfect for Outdoor Enthusiasts, Travelers, Emergency Supplies-USA Made", "pricing": "$64.99", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/61zNAE551hL.jpg", "https://m.media-amazon.com/images/I/51iMmo1Ca2L.jpg", "https://m.media-amazon.com/images/I/51KO5c-fSwL.jpg", "https://m.media-amazon.com/images/I/61lcO02wENL.jpg", "https://m.media-amazon.com/images/I/61uS5Y757mL.jpg", "https://m.media-amazon.com/images/I/51JUC0wTByL.jpg", "https://m.media-amazon.com/images/I/61coFU9V+uL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Sports & Outdoors \u203a Outdoor Recreation", "average_rating": "", "small_description": ["HOMESTYLE & WHOLESOME: Pasta Fagioli-vegetarian, healthy & delicious--never frozen or freeze dried. Hearty pasta, savory marinara, vegetarian soy crumbles, beans and parmesan cheese. All natural, high in fiber, low in cholesterol and zero trans fat. ", "PORTABLE & CONVENIENT: Our specially patented pouch system is lightweight, pre-packaged w/utensils, tamper & water proof. Each meal kit can be eaten right out of the pouch minimizing meal prep & clean up time. No refrigeration or hydration needed! ", "SELF HEATING: Cold? Hungry? No stove? Our self heating system is state of the art and powered by NHX Heating Technology. Tested & certified, safe in confined spaces, non-flammable, odorless & non-toxic. Add any liquid and enjoy a hot meal in 5 minutes! ", "EXTENDED SHELF LIFE: Be prepared for life\u2019s unexpected circumstances and be stocked with OMEALS emergency shelf stable meals. Shelf life and fresh food guaranteed for three years or more with proper storage. ", "TRUSTED BRAND: Made in the USA, our team of outdoorsmen, athletes & chefs have worked together to deliver premium and HACCP certified meals ready to eat food components. Serving travelers, nature lovers, emergency, humanitarian groups & more. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B01D3UJFR2/ref=twister_B098PLLQX3?_encoding=UTF8&psc=1", "value": "1 Pack", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "6 Pack", "price_string": "$64.99", "price": 64.99, "image": null}]}, "seller_id": "A3VJEVLAWT2I1E", "seller_name": "GlobalEcom", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B097F54DT8", "category": "grocery", "query": "Fresh Meal Kits", "page": 8, "small_description_old": "About this item HOMESTYLE & WHOLESOME: Pasta Fagioli-vegetarian, healthy & delicious--never frozen or freeze dried. Hearty pasta, savory marinara, vegetarian soy crumbles, beans and parmesan cheese. All natural, high in fiber, low in cholesterol and zero trans fat. PORTABLE & CONVENIENT: Our specially patented pouch system is lightweight, pre-packaged w/utensils, tamper & water proof. Each meal kit can be eaten right out of the pouch minimizing meal prep & clean up time. No refrigeration or hydration needed! SELF HEATING: Cold? Hungry? No stove? Our self heating system is state of the art and powered by NHX Heating Technology. Tested & certified, safe in confined spaces, non-flammable, odorless & non-toxic. Add any liquid and enjoy a hot meal in 5 minutes! EXTENDED SHELF LIFE: Be prepared for life\u2019s unexpected circumstances and be stocked with OMEALS emergency shelf stable meals. Shelf life and fresh food guaranteed for three years or more with proper storage. TRUSTED BRAND: Made in the USA, our team of outdoorsmen, athletes & chefs have worked together to deliver premium and HACCP certified meals ready to eat food components. Serving travelers, nature lovers, emergency, humanitarian groups & more."}, {"name": "2 Pcs Eva Smokers with Fluorine Natural Herbal Halal Islamic Toothpowder Powder 40gm", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n December 15, 2014", "Manufacturer\n \u200f": "\u200e\n BonBalloon", "ASIN\n \u200f": "\u200e\n B07MJGQ6NK", "Country of Origin\n \u200f": "\u200e\n Egypt", "": ""}, "brand": "Brand: bonballoon", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=bonballoon", "full_description": "Item Description : 2 Pcs Eva Smokers With Fluorine Natural Herbal Halal Islamic Toothpowder Powder 40gm * Herbal Powder Toothpowder With Pure With Fluorine Extract * Removes Stains That Comes From Coffee And Smoking * Protect Your Teeth * These Toothpaste Do Not Contain Fluoride With Fluorine Extract Net Wt 40 gm . Storage Instructions : Store In A Cool Dry Place , Away From Strong Odor And Direct Sunlight . Made In Egypt !!! Quantity : ( 2 Pcs = 2.82 oz / 80 gm ) Color : See Pictures Weight (Approx.) : ( 1.41 - 1.76 oz / 40 - 50 gm ) Each Pack Material : 100% Natural - Manufacture & Expiration Dates Indicated On The Main Package Are In European Format Which Is DD/MM/YY .", "pricing": "$15.29", "list_price": "", "availability_status": "In stock. Usually ships within 3 to 4 days.", "images": ["https://m.media-amazon.com/images/I/51xS3mBPlyL.jpg", "https://m.media-amazon.com/images/I/41nlriyUR6L.jpg", "https://m.media-amazon.com/images/I/41KpJhHoWGL.jpg", "https://m.media-amazon.com/images/I/41i6OknzasL.jpg", "https://m.media-amazon.com/images/I/511ODRy+9xL.jpg", "https://m.media-amazon.com/images/I/41tk0FvEkVL.jpg", "https://m.media-amazon.com/images/I/513xDEd-HUL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothpaste", "average_rating": "", "small_description": ["2 Pcs Eva Smokers With Fluorine Natural Herbal Halal Islamic Toothpowder Powder 40gm ", "Quantity : 2 Pcs = 2.82 oz / 80 gm - Color : See Pictures . ", "Weight (Approx.) : ( 1.41 - 1.76 oz / 40 - 50 gm ) Each Pack ", "Material : 100% Natural ", "- Manufacture & Expiration Dates Indicated On The Main Package Are In European Format Which Is DD/MM/YY "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AZCSBCSKO20LZ", "seller_name": "BonBalloon", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07MJGQ6NK", "category": "beauty", "query": "Toothpaste", "page": 180, "small_description_old": "About this item 2 Pcs Eva Smokers With Fluorine Natural Herbal Halal Islamic Toothpowder Powder 40gm Quantity : 2 Pcs = 2.82 oz / 80 gm - Color : See Pictures . Weight (Approx.) : ( 1.41 - 1.76 oz / 40 - 50 gm ) Each Pack Material : 100% Natural - Manufacture & Expiration Dates Indicated On The Main Package Are In European Format Which Is DD/MM/YY"}, {"name": "Hillsdale Furniture Martino Bed Set with Rails, King, Smoke Silver", "product_information": {"Item Weight": "\u200e15.72 pounds", "Product Dimensions": "\u200e89.5 x 77.5 x 53.5 inches", "Country of Origin": "\u200eMalaysia", "Item model number": "\u200e1392BKR", "Assembled Height": "\u200e53.5 inches", "Assembled Width": "\u200e77.5 inches", "Assembled Length": "\u200e83.5 inches", "Weight": "\u200e77 Pounds", "ASIN": "B0048U51N4", "Customer Reviews": {"ratings_count": 42, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#368,100 in Home & Kitchen (See Top 100 in Home & Kitchen) #700 in Beds"], "Date First Available": "June 26, 2006"}, "brand": "Visit the Hillsdale Store", "brand_url": "https://www.amazon.com/stores/Hillsdale+Furniture/page/E747DF61-6C0E-4186-AA6F-DA2132FC3154?ref_=ast_bln", "full_description": "The martino bed is a perfect marriage of style and sophistication. the delicate scrollwork of the smoke silver grills in combination with the classic cherry finished posts create a unique design that compliments any home decor. available in smoke silver color and king size. set includes headboard, footboard and rails. headboard measures 53-1/2-inch height by 77-1/2-inch width. footboard measures 33-3/4-inch height by 77-1/2-inch width.", "pricing": "$353.26", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51bBqdwZyuL.jpg", "https://m.media-amazon.com/images/I/51cUIoIpI+L.jpg", "https://m.media-amazon.com/images/I/51SAAZ9JNuL.jpg", "https://m.media-amazon.com/images/I/41a88AKEomL.jpg", "https://m.media-amazon.com/images/I/51bBqdwZyuL.jpg", "https://m.media-amazon.com/images/I/61CzPe6B9EL.jpg", "https://m.media-amazon.com/images/G/01/showroom/icon-lightbulb.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Beds, Frames & Bases \u203a Beds", "average_rating": 4, "small_description": ["Simple and sophisticated King bed with wood posts and a decorative metal frame ", "Cherry finished wood posts are complimented by a smoke silver metal frame ", "Includes headboard, footboard and bed frame; mattress and box spring required, not included ", "Overall Dimensions:53.50H x 77.50W x 89.50L; Footboard Height: 33.75H ", "Assembly required ", "Forged from heavy gauge tubular steel and wood posts ", "Item will ship in four boxes; which may arrive separately , The touch of a clean, dry cloth is the only care your furniture will ever need, Residential Use Only, Recommended Weight Limit: 600lbs"], "total_reviews": 42, "total_answered_questions": "", "model": "\u200e1392BKR", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B0048U51N4", "category": "garden", "query": "Beds", "page": 137, "small_description_old": "About this item Simple and sophisticated King bed with wood posts and a decorative metal frame Cherry finished wood posts are complimented by a smoke silver metal frame Includes headboard, footboard and bed frame; mattress and box spring required, not included Overall Dimensions:53.50H x 77.50W x 89.50L; Footboard Height: 33.75H Assembly required Forged from heavy gauge tubular steel and wood posts Item will ship in four boxes; which may arrive separately \n The touch of a clean, dry cloth is the only care your furniture will ever needResidential Use OnlyRecommended Weight Limit: 600lbsShow more"}, {"name": "Greenberry's Coffee Co. - Fair Trade Honduras Whole Bean - Bold, Fresh, 100% Arabica, Medium Roast Beans, 12 oz", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 5 x 3 x 7.5 inches; 12 Ounces", "UPC\n \u200f": "\u200e\n 661631239018", "Manufacturer\n \u200f": "\u200e\n Greenberry's Coffee Co.", "ASIN\n \u200f": "\u200e\n B07VT81LP5", "Best Sellers Rank": "#415,882 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#4,368 in Roasted Coffee Beans", "#4,368 in Roasted Coffee Beans": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Greenberry's Coffee Co. Store", "brand_url": "https://www.amazon.com/stores/Greenberry%27s+Coffee+Co./page/E456591F-C21B-41E5-BE01-BDF46B0C68C1?ref_=ast_bln", "full_description": "", "pricing": "$12.99", "list_price": "", "availability_status": "In stock. Usually ships within 3 to 4 days.", "images": ["https://m.media-amazon.com/images/I/31SeQIX-5BL.jpg", "https://m.media-amazon.com/images/I/41TLdnwuQ1L.jpg", "https://m.media-amazon.com/images/I/51sJd0XrDOL.jpg", "https://m.media-amazon.com/images/I/416ljrrH1AL.jpg", "https://m.media-amazon.com/images/I/51Sw7qcjHhL.jpg", "https://m.media-amazon.com/images/I/41f+BcrXSwL.jpg", "https://m.media-amazon.com/images/I/31CbvNAdEnL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Beverages \u203a Coffee, Tea & Cocoa \u203a Coffee \u203a Roasted Coffee Beans", "average_rating": 4.7, "small_description": ["HONDURAS: Full body with a sweet and mild taste ", "QUALITY YOU CAN TASTE: We only use the best! We meticulously source our beans from only the finest farms cultivated by skilled farmers in the finest growing regions in the world, covering all coffee growing continents. ", "FRESH & DELICIOUS: Our in house roasting and packaging ensures that your coffee will arrive fresh and delicious. Brew a pot at home or in the office and taste the difference. ", "WORKS WITH ALL COFFEE BREWERS: Our whole bean coffee is suitable for any coffee machine or coffee maker: drip coffee, espresso maker, French press, Aeropress, pour over and k-cup machine. ", "GREENBERRY'S COFFEE CO: With almost 30 years\u2019 experience of coffee sourcing and craft roasting, we are your source for high end, specialty coffees. "], "total_reviews": 9, "total_answered_questions": "", "customization_options": "", "seller_id": "A2VEBX4F3BCK3J", "seller_name": "Greenberry's Coffee Company", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07VT81LP5", "category": "grocery", "query": "Food & Beverage Gifts", "page": 245, "small_description_old": "About this item HONDURAS: Full body with a sweet and mild taste QUALITY YOU CAN TASTE: We only use the best! We meticulously source our beans from only the finest farms cultivated by skilled farmers in the finest growing regions in the world, covering all coffee growing continents. FRESH & DELICIOUS: Our in house roasting and packaging ensures that your coffee will arrive fresh and delicious. Brew a pot at home or in the office and taste the difference. WORKS WITH ALL COFFEE BREWERS: Our whole bean coffee is suitable for any coffee machine or coffee maker: drip coffee, espresso maker, French press, Aeropress, pour over and k-cup machine. GREENBERRY'S COFFEE CO: With almost 30 years\u2019 experience of coffee sourcing and craft roasting, we are your source for high end, specialty coffees."}, {"name": "XLBHLH Black LED Chandelier Circular Dimmable 40W 1 Linear Aluminum Pendant Lighting Hanging Ceiling Light for Contemporary Dining Table Entry Kitchen Island", "product_information": {"Department": "Unisex", "Manufacturer": "XLBHLH", "ASIN": "B09PGQQQDL", "Country of Origin": "China", "Best Sellers Rank": ["#1,171,024 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #11,430 in Pendant Light Fixtures"], "Specification met": "UL, FCC, ETL, ROHS"}, "brand": "Brand: XLBHLH", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=XLBHLH", "full_description": "Product Description:Type: Chandelier.Material: iron+aluminum+silicone strip.Color: gold. black.size:90x24cm (35.4x9.4in).Hanging wire: 100cm (39.4in) adjustable.Power: 40W (inclusive).Voltage: 110V\uff5e240V (inclusive).Number of light sources: 3.Light source type: LED.Color temperature: 3 shades of light.Space: 8-15 square meters.Average service life: more than 50,000 hours.Certification: EU, RoHS, FCC, ETL, NOM, CCC, UL and other certifications.Suggested spaces are suitable for: living room, study room, guest room, bedroom, dining room, restaurant, bar, hall, coffee shop, etc.Does the light source include: Yes.Packing: 1\u00d7chandelier.", "pricing": "$297.33", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31W0V-nIuLL.jpg", "https://m.media-amazon.com/images/I/41z3FGG0HtL.jpg", "https://m.media-amazon.com/images/I/41eG5l6gfZL.jpg", "https://m.media-amazon.com/images/I/41jXNcxre6L.jpg", "https://m.media-amazon.com/images/I/41wPOJFhunL.jpg", "https://m.media-amazon.com/images/I/31MBmlDm8uL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Ceiling Lights \u203a Pendant Lights", "average_rating": "", "small_description": ["\ud83d\udca1Iron art load-bearing suction cup, high load-bearing capacity, safe and stable, please rest assured to use. ", "\ud83d\udca1Iron art paint lamp body, forged paint fixation, after multiple paint processes, it is durable. ", "\ud83d\udca1Thick aluminum lamp body, selected high-quality aluminum materials, processed by more than 60 processes such as stamping, polishing, polishing, pickling, etc., the surface is smooth and delicate, and it is still as new for long-term use. ", "\ud83d\udca1High-permeability silicone mask, made of high-quality silicone, has good light transmittance, and the light is soft and not glaring. ", "\ud83d\udca1 Three-tone light: The chandelier uses 40W energy-saving LED light source, adjustable warm light, white light, and neutral light. Adapt to the atmosphere of life at any time. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "$297.33", "price": 297.33, "image": "https://m.media-amazon.com/images/I/31W0V-nIuLL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PGPYPLT/ref=twister_B09PGQZRRF?_encoding=UTF8&psc=1", "value": "Gold", "price_string": "$297.33", "price": 297.33, "image": "https://m.media-amazon.com/images/I/41Y85--ORBL.jpg"}]}, "seller_id": "A2R819R59W4X0E", "seller_name": "XILEBAIHUO", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PGQQQDL", "category": "garden", "query": "Kitchen Islands", "page": 296, "small_description_old": "About this item \ud83d\udca1Iron art load-bearing suction cup, high load-bearing capacity, safe and stable, please rest assured to use. \ud83d\udca1Iron art paint lamp body, forged paint fixation, after multiple paint processes, it is durable. \ud83d\udca1Thick aluminum lamp body, selected high-quality aluminum materials, processed by more than 60 processes such as stamping, polishing, polishing, pickling, etc., the surface is smooth and delicate, and it is still as new for long-term use. \ud83d\udca1High-permeability silicone mask, made of high-quality silicone, has good light transmittance, and the light is soft and not glaring. \ud83d\udca1 Three-tone light: The chandelier uses 40W energy-saving LED light source, adjustable warm light, white light, and neutral light. Adapt to the atmosphere of life at any time."}, {"name": "2 Pack Metal Hair Pick for Afro Hair, Hair Pick Afro Comb for Curly Hair, Afro Picks for Women/Men Hair Styling Hairdressing Tool (Black)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 8.03 x 5.75 x 0.71 inches; 1.76 Ounces", "UPC\n \u200f": "\u200e\n 673869995369", "Manufacturer\n \u200f": "\u200e\n Yidaimei", "ASIN\n \u200f": "\u200e\n B09NPZHTTY", "Best Sellers Rank": "#96,222 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#658 in Hair Combs", "#658 in Hair Combs": ""}, "brand": "Brand: N\\A", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=N%5CA", "full_description": "SPECIFICATIONSColor: Black Afro comb for curly hairMaterial: Metal hair pick, Plastic handleSize: 6.6 x 2.9 inch Afro picks Package Includes: 2 pack metal hair pick for Afro hairFEATURES1. Afro comb with black fist shape handle, metal wide tooth comb, small and safe;2. Professional hair styling Afro comb to detangle braid hair or men styling hair pick;3. Suitable for all-age people who want have their own Afro comb DIY hair style;4. Suitable for curly hair and Afro hair, also work well for natural black hair, straight hair, tangled hair.", "pricing": "$4.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41tx3nUei-L.jpg", "https://m.media-amazon.com/images/I/51nE73n-5VL.jpg", "https://m.media-amazon.com/images/I/41LklBODScL.jpg", "https://m.media-amazon.com/images/I/51p5MotHduL.jpg", "https://m.media-amazon.com/images/I/51iGmIVwPPL.jpg", "https://m.media-amazon.com/images/I/41+qdUWyYXL.jpg", "https://m.media-amazon.com/images/I/41eqADJ73LL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Styling Tools & Appliances \u203a Hair Combs", "average_rating": "", "small_description": ["\u3010YOU WILL GET\u30112 pack metal hair pick in classic black color. Great for making Afro braid hairdressing and different curl, ideal for daily use and necessary Afro Comb for DIY hairstyle. ", "\u3010UNIQUE DESIGN\u3011Metal Afro comb with black fist shape handle, look more attractive. Great for combing curly, thick, tangled hair which can hair picks well and comfortable for long time using. ", "\u3010MATERIAL\u3011Afro picks material is plastic handle and metal teeth. Afro comb plastic handle can be more convenient and stable to touch; metal hair pick teeth not hurt your hair and scalp. ", "\u3010APPLICATION\u3011Black metal Afro combs for curly hair, straight hair, tangled hair, detangle braid, Afro braid hairdressing, Afro picks for hair styling can help you create different DIY hairstyles. ", "\u3010CUSTOMER SERVICE\u3011We strive to provide our customers highest quality metal hair pick and best service, if you have any problem, plz contact us, and we will give you a satisfied experience. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3KMGJYCW8OVUR", "seller_name": "yidaimei", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09NPZHTTY", "category": "beauty", "query": "Styling Products", "page": 35, "small_description_old": "About this item \u3010YOU WILL GET\u30112 pack metal hair pick in classic black color. Great for making Afro braid hairdressing and different curl, ideal for daily use and necessary Afro Comb for DIY hairstyle. \u3010UNIQUE DESIGN\u3011Metal Afro comb with black fist shape handle, look more attractive. Great for combing curly, thick, tangled hair which can hair picks well and comfortable for long time using. \u3010MATERIAL\u3011Afro picks material is plastic handle and metal teeth. Afro comb plastic handle can be more convenient and stable to touch; metal hair pick teeth not hurt your hair and scalp. \u3010APPLICATION\u3011Black metal Afro combs for curly hair, straight hair, tangled hair, detangle braid, Afro braid hairdressing, Afro picks for hair styling can help you create different DIY hairstyles. \u3010CUSTOMER SERVICE\u3011We strive to provide our customers highest quality metal hair pick and best service, if you have any problem, plz contact us, and we will give you a satisfied experience."}, {"name": "Daily Ritual Women's Cozy Knit Puff-Shoulder Dress", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 12.6 x 12.4 x 1.9 inches; 9.59 Ounces", "Item model number\n \u200f": "\u200e\n DR19313984", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n February 27, 2020", "Manufacturer\n \u200f": "\u200e\n Daily Ritual", "ASIN\n \u200f": "\u200e\n B07YDHC6JX", "Best Sellers Rank": "#868,457 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#25,195 in Women's Dresses", "#25,195 in Women's Dresses": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Daily Ritual Store", "brand_url": "https://www.amazon.com/stores/DailyRitual/page/3E358E87-E334-42FA-BAFF-147AD1825C7D?ref_=ast_bln", "full_description": "An Amazon brand - This classic dress features a scoop-neck, puff shoulder, and a figure flattering fabric for an effortless look that's ready to style", "pricing": "$13.06$29.20", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/3144RK70aKL.jpg", "https://m.media-amazon.com/images/I/31bTlPKM6UL.jpg", "https://m.media-amazon.com/images/I/41YkmuJHAmL.jpg", "https://m.media-amazon.com/images/I/41ywIz6p8EL.jpg", "https://m.media-amazon.com/images/I/51AgbK01arL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Dresses", "average_rating": 4, "small_description": ["48% Polyester, 48% Viscose, 4% Elastane ", "Imported ", "No Closure closure ", "Machine Wash ", "This classic dress features a scoop-neck, puff shoulder, and a figure flattering fabric for an effortless look that's ready to style ", "Cozy Knit\u2019s extraordinarily soft brushed surface and perfect amount of stretch keep you cozy, comfortable, and pulled-together all day long ", "Model is 5'11\" and wearing a size Small ", "Start every outfit with Daily Ritual's range of elevated basics "], "total_reviews": 156, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "X-Small", "asin": "B07YDJ5H2S"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B07YDHZ26N"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07YDK3ZR5"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07YDHR83R"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07YDHNZ6B"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07YDHXWDL"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07YDHC6JX/ref=twister_B07YDGX2LT", "value": "Black Marl", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31YuCfUrzYL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07YDJJNP8/ref=twister_B07YDGX2LT", "value": "Blue Marl", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31d8B7rGfGL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07YDHVYHM/ref=twister_B07YDGX2LT", "value": "Heather Grey Marl", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31RpyvEPhXL.jpg"}, {"is_selected": true, "url": null, "value": "Heather Grey Marl/White Stripe", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/3144RK70aKL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07YDHZ26K/ref=twister_B07YDGX2LT", "value": "Light Peach Marl", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/316p3vFQ0hL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07YDJ9BNG/ref=twister_B07YDGX2LT", "value": "Olive Marl", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/310Ymq5MLcL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07YDHNZ6B", "category": "fashion", "query": "Women's Dresses", "page": 11, "small_description_old": "48% Polyester, 48% Viscose, 4% Elastane Imported No Closure closure Machine Wash This classic dress features a scoop-neck, puff shoulder, and a figure flattering fabric for an effortless look that's ready to style Cozy Knit\u2019s extraordinarily soft brushed surface and perfect amount of stretch keep you cozy, comfortable, and pulled-together all day long Model is 5'11\" and wearing a size Small Start every outfit with Daily Ritual's range of elevated basics"}, {"name": "Sconza Candy Coated Milk Chocolate Almonds | Chocolate Covered Almonds with Shades of Blue & Silver Candy Shell | Pack of 1 (5 lbs. Bulk)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 9 x 3 x 13 inches; 5 Pounds", "UPC\n \u200f": "\u200e\n 041668756359", "Manufacturer\n \u200f": "\u200e\n Sconza", "ASIN\n \u200f": "\u200e\n B09K4S16YT", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#452,018 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#6,407 in Candy & Chocolate Assortments & Samplers", "#6,407 in Candy & Chocolate Assortments & Samplers": ""}, "brand": "Visit the Sconza Store", "brand_url": "https://www.amazon.com/stores/Sconza/page/14081A49-04BC-418F-A013-663AFDD116BF?ref_=ast_bln", "full_description": "", "pricing": "$41.99", "list_price": "", "availability_quantity": 6, "availability_status": "Only 6 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31QXnpfIp5L.jpg", "https://m.media-amazon.com/images/I/41M--VzemwL.jpg", "https://m.media-amazon.com/images/I/51FX6pw4+GL.jpg", "https://m.media-amazon.com/images/I/5134XcIM63L.jpg", "https://m.media-amazon.com/images/I/414wP+1gIiL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Chocolate \u203a Candy & Chocolate Assortments", "average_rating": "", "small_description": ["MILK CHOCOLATE COVERED ALMONDS: Lightly-roasted California almonds, draped in creamy milk chocolate then covered with dark blue, light blue or shimmer gray candy shell ", "PREMIUM INGREDIENTS: We source the freshest ingredients available; Every Sconza Chocolate is handcrafted with premium ingredients and sustainable practices ", "COMMUNITY & FAMILY FIRST: Many of our suppliers are our neighbors which makes for a close-knit community of food lovers dedicated to the highest quality and freshest produce, nuts and fruits ", "MADE TO BE SAVORED & SHARED: We believe that every bite should spark joy; That\u2019s why, for nearly four generations, our family has poured our hearts into making the perfect candies; Bringing the flavors of Old World Italy right to your home "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A39ZPZ109RZ5V4", "seller_name": "Sconza", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09K4S16YT", "category": "grocery", "query": "Candy & Chocolate", "page": 120, "small_description_old": "About this item MILK CHOCOLATE COVERED ALMONDS: Lightly-roasted California almonds, draped in creamy milk chocolate then covered with dark blue, light blue or shimmer gray candy shell PREMIUM INGREDIENTS: We source the freshest ingredients available; Every Sconza Chocolate is handcrafted with premium ingredients and sustainable practices COMMUNITY & FAMILY FIRST: Many of our suppliers are our neighbors which makes for a close-knit community of food lovers dedicated to the highest quality and freshest produce, nuts and fruits MADE TO BE SAVORED & SHARED: We believe that every bite should spark joy; That\u2019s why, for nearly four generations, our family has poured our hearts into making the perfect candies; Bringing the flavors of Old World Italy right to your home"}, {"name": "JYMYGS VR Headsets, 3D Virtual Reality Glasses Headset VR Goggles for 4.0-6.5in iPhone 12/Pro/Max/Mini/11/X/Xs/8/7 & Android Phone, for 3D VR Movies Video Games- Gift for Kids and Adults, N039JL", "product_information": {"Package Dimensions": "7.48 x 5.91 x 3.94 inches", "Item Weight": "1.54 pounds", "Department": "Unisex-adult", "Manufacturer": "JYMYGS", "ASIN": "B08ZYQC4PL"}, "brand": "Brand: JYMYGS", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=JYMYGS", "full_description": "Product size: 20x17x12cmProduct weight: 270gApplicable age: over 18 years oldSuitable for myopia: below 600 degrees\u25c6 Tips:-Due to different lighting conditions and display methods, there may be color differences, please refer to the actual product.-The product size is manually measured, there may be a gap with the actual size, the error is about 0.5-1cm is normal.-If you encounter any problems, please contact us in time, when you provide it to us, we will provide customers with 24-hour quality service.", "pricing": "$71.51", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41iqusRum5L.jpg", "https://m.media-amazon.com/images/I/51WodSF57LL.jpg", "https://m.media-amazon.com/images/I/41BH7z3EhiL.jpg", "https://m.media-amazon.com/images/I/41FFBqRXhML.jpg", "https://m.media-amazon.com/images/I/51Jj8hbsRuL.jpg", "https://m.media-amazon.com/images/I/51HqiadolZL.jpg", "https://m.media-amazon.com/images/I/51EmhzAGw4L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Virtual Reality (VR) Headsets", "average_rating": "", "small_description": ["\u2663 HD goggles- We insist on using lenses with a light transmittance of 94% or more, and use anti-reflection and anti-blue light coated lenses to prevent eye fatigue when using headphones. ", "\u2663 Support wearing glasses - Suitable for the nearsighted people with myopia under 600 degree. Also we designed the pupil distance button with a larger range to optimize your visual experience. ", "\u2663 Strong compatibility - VR goggles are compatible with iPhone ios, X, XR, XS, 8, 8 plus, 9, 9 plus, 10, 7, 7 plus, 6, 6s, 6s plus, 6 plus, 6, 5, 5 plus, 5c, 5s, SE, etc. Also compatible with Samsung Android Galaxy s8, s7, j3, s7 edge, s6, s6 edge, note5, a8+, note 3, note 4, note 5, note 7, note 8, note 9, s5 s6, s7, s8, s8 plus, s9, s9 plus, s10, s10 plus. ", "\u2663 Ergonomic Design - This adjustable T-shaped strap is made of lightweight material, which can decrease the pressure around your eyes, face and on your head, providing you more comfortable feeling. ", "\u2663 Download 3D Video Apps -- Works with over 500+ iOS/Android virtual reality apps. This VR can't automatically transform images to 3D format, you need to download APPs with 3D format video or watch panorama videos on YouTube, QR code, Apple Store or Google Play. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3VLB8GUWHMAU0", "seller_name": "taiyuanshiyijiamaoyiyouxianzerengongsi", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08ZYQC4PL", "category": "electronics", "query": "Virtual Reality", "page": 128, "small_description_old": "\u2663 HD goggles- We insist on using lenses with a light transmittance of 94% or more, and use anti-reflection and anti-blue light coated lenses to prevent eye fatigue when using headphones. \u2663 Support wearing glasses - Suitable for the nearsighted people with myopia under 600 degree. Also we designed the pupil distance button with a larger range to optimize your visual experience. \u2663 Strong compatibility - VR goggles are compatible with iPhone ios, X, XR, XS, 8, 8 plus, 9, 9 plus, 10, 7, 7 plus, 6, 6s, 6s plus, 6 plus, 6, 5, 5 plus, 5c, 5s, SE, etc. Also compatible with Samsung Android Galaxy s8, s7, j3, s7 edge, s6, s6 edge, note5, a8+, note 3, note 4, note 5, note 7, note 8, note 9, s5 s6, s7, s8, s8 plus, s9, s9 plus, s10, s10 plus. \u2663 Ergonomic Design - This adjustable T-shaped strap is made of lightweight material, which can decrease the pressure around your eyes, face and on your head, providing you more comfortable feeling. \u2663 Download 3D Video Apps -- Works with over 500+ iOS/Android virtual reality apps. This VR can't automatically transform images to 3D format, you need to download APPs with 3D format video or watch panorama videos on YouTube, QR code, Apple Store or Google Play."}, {"name": "Got Snow? Funny Snowmobile Snowboard Skiing Cold Weather Winter Sports Unisex Hooded Sweatshirt", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 10 x 8 x 1 inches", "Item model number\n \u200f": "\u200e\n gotsnowHD-frst-small", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n October 21, 2016", "ASIN\n \u200f": "\u200e\n B01MG1N8CH", "Best Sellers Rank": "#1,325,751 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#21,959 in Men's Novelty Hoodies #503,786 in Men's Fashion", "#21,959 in Men's Novelty Hoodies": "", "#503,786 in Men's Fashion": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Trenz Shirt Company", "brand_url": "https://www.amazon.com/Trenz-Shirt-Company/b/ref=bl_sl_s_ap_web_20523857011?ie=UTF8&node=20523857011&field-lbr_brands_browse-bin=Trenz+Shirt+Company", "full_description": "", "pricing": "$24.99$29.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41fhP+qOeuL.jpg", "https://m.media-amazon.com/images/I/51+K+3CD8PL.jpg", "https://m.media-amazon.com/images/I/51egQzv1oNL.jpg", "https://m.media-amazon.com/images/I/51zKelI46iS.jpg", "https://m.media-amazon.com/images/I/41o2fc4SvRS.jpg", "https://m.media-amazon.com/images/I/31q6YleLEXS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": 1, "small_description": ["AMZAZING FIT: This shirt has a great look and cool fit. Whether you are into pop culture, politics, political, patriotic, military, Christian, or funny graphic tees, we have it all! We are constantly evolving and growing to keep up with the high demand for unique and trendy apparel. Graphic t shirts are the perfect way to make a statement. T-shirts make a great gift for friends and family! Perfect gift for your wife, mom, daughter, son, father, husband, grandpa, grandma, co-workers, and friends. ", "AMZAZING FIT: This shirt has a great look and cool fit. Whether you are into pop culture, politics, political, patriotic, military, Christian, or funny graphic tees, we have it all! We are constantly evolving and growing to keep up with the high demand for unique and trendy apparel. Graphic t shirts are the perfect way to make a statement. T-shirts make a great gift for friends and family! Perfect gift for your wife, mom, daughter, son, father, husband, grandpa, grandma, co-workers, and friends. ", "AMZAZING FIT: This shirt has a great look and cool fit. Whether you are into pop culture, politics, political, patriotic, military, Christian, or funny graphic tees, we have it all! We are constantly evolving and growing to keep up with the high demand for unique and trendy apparel. Graphic t shirts are the perfect way to make a statement. T-shirts make a great gift for friends and family! Perfect gift for your wife, mom, daughter, son, father, husband, grandpa, grandma, co-workers, and friends. ", "HIGH QUALITY: We carry a giant selection of apparel to suit the needs of the whole family. All of our tshirts are printed in-house by our professional production team. This ensures that you are getting a unique, one-of-a-kind design. Our graphic t-shirts are printed in the USA with state of the art equipment to ensure vibrant colors and lasting durability. We have shirts for all occasions birthdays, Christmas, holidays, fathers day, mothers day, anniversary, and seasonal shirts. ", "GREAT FEEL: Our shirts are made of 6 oz., 100% preshrunk cotton for the perfect fit. Ash Grey is 99% cotton and 1% polyester. Sport Grey and antique colors are made of a 90% cotton and 10% polyester blend. All Heather and safety colors are made of a 50% cotton, 50% polyester blend. Features a tear-away label, double-needle sleeve and bottom hem, seamless double-needle collar, and a taped neck and shoulders. Our neon safety green is compliant with with ANSI / ISEA 107 high visibility standards. ", "HUGE SELECTION: Sarcastic, punny, or slightly offensive, we have something for every type of humor. Our tees are a great conversation starter that will get some laughs and turn heads everywhere you go. We cover a wide range of topics: Christian, military, patriotic, political, awareness, pop culture, pet rescue shirts and more. Share your sense of humor or advocate for your beliefs with our selection of hats, tees, hoodies, sweatshirts, tank tops, dolman tops, tumblers, and more! ", "UNISEX FIT: Unisex sizing fits both men and women but is based on standard mens sizing. Larger size t-shirts may cause the print to appear smaller. Oversized t-shirts are bvery popular, size up if you prefer a more relaxed fit. Size chart: small L28xW18, Medium, L29xW20, Large L30xW22, XL L31xW24, XXL L32xW26, 3XL L33xW28, 4XL L34xW30, 5XL L35x32. NOTE: A portion of all sales of our Canine Pet Rescue apparel is donated to animal shelters. "], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B01MG1K5E6"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B01M27NST3"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B01M5EGMDQ"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B01MG1LTMS"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B01M8LFFI0"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B01M8LF5I1"}, {"is_selected": false, "is_available": true, "value": "4X-Large", "asin": "B01M3T0RUG"}, {"is_selected": false, "is_available": true, "value": "5X-Large", "asin": "B01M7SS80C"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B01M675A8P/ref=twister_B09BDG1FSP", "value": "Forest Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/11kPObdhQCL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01MFAUKWZ/ref=twister_B09BDG1FSP", "value": "Heather Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51sMhLhVwKL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01MG1R1FQ/ref=twister_B09BDG1FSP", "value": "Kelly Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/11+Eiju-TgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01M3T0UDC/ref=twister_B09BDG1FSP", "value": "Maroon", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/111aJXxaVzL.jpg"}, {"is_selected": true, "url": null, "value": "Navy Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/11q6DTkSKgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01M3T0LPG/ref=twister_B09BDG1FSP", "value": "Brown", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/11QQqs5mgGL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01MCWR3J7/ref=twister_B09BDG1FSP", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/11y1flH993L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01M5EDSGR/ref=twister_B09BDG1FSP", "value": "Military Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/11IgukbqAvL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01MG1LTMS", "category": "fashion", "query": "Men's Polos", "page": 43, "small_description_old": "AMZAZING FIT: This shirt has a great look and cool fit. Whether you are into pop culture, politics, political, patriotic, military, Christian, or funny graphic tees, we have it all! We are constantly evolving and growing to keep up with the high demand for unique and trendy apparel. Graphic t shirts are the perfect way to make a statement. T-shirts make a great gift for friends and family! Perfect gift for your wife, mom, daughter, son, father, husband, grandpa, grandma, co-workers, and friends. AMZAZING FIT: This shirt has a great look and cool fit. Whether you are into pop culture, politics, political, patriotic, military, Christian, or funny graphic tees, we have it all! We are constantly evolving and growing to keep up with the high demand for unique and trendy apparel. Graphic t shirts are the perfect way to make a statement. T-shirts make a great gift for friends and family! Perfect gift for your wife, mom, daughter, son, father, husband, grandpa, grandma, co-workers, and friends. AMZAZING FIT: This shirt has a great look and cool fit. Whether you are into pop culture, politics, political, patriotic, military, Christian, or funny graphic tees, we have it all! We are constantly evolving and growing to keep up with the high demand for unique and trendy apparel. Graphic t shirts are the perfect way to make a statement. T-shirts make a great gift for friends and family! Perfect gift for your wife, mom, daughter, son, father, husband, grandpa, grandma, co-workers, and friends. HIGH QUALITY: We carry a giant selection of apparel to suit the needs of the whole family. All of our tshirts are printed in-house by our professional production team. This ensures that you are getting a unique, one-of-a-kind design. Our graphic t-shirts are printed in the USA with state of the art equipment to ensure vibrant colors and lasting durability. We have shirts for all occasions birthdays, Christmas, holidays, fathers day, mothers day, anniversary, and seasonal shirts. GREAT FEEL: Our shirts are made of 6 oz., 100% preshrunk cotton for the perfect fit. Ash Grey is 99% cotton and 1% polyester. Sport Grey and antique colors are made of a 90% cotton and 10% polyester blend. All Heather and safety colors are made of a 50% cotton, 50% polyester blend. Features a tear-away label, double-needle sleeve and bottom hem, seamless double-needle collar, and a taped neck and shoulders. Our neon safety green is compliant with with ANSI / ISEA 107 high visibility standards. HUGE SELECTION: Sarcastic, punny, or slightly offensive, we have something for every type of humor. Our tees are a great conversation starter that will get some laughs and turn heads everywhere you go. We cover a wide range of topics: Christian, military, patriotic, political, awareness, pop culture, pet rescue shirts and more. Share your sense of humor or advocate for your beliefs with our selection of hats, tees, hoodies, sweatshirts, tank tops, dolman tops, tumblers, and more! UNISEX FIT: Unisex sizing fits both men and women but is based on standard mens sizing. Larger size t-shirts may cause the print to appear smaller. Oversized t-shirts are bvery popular, size up if you prefer a more relaxed fit. Size chart: small L28xW18, Medium, L29xW20, Large L30xW22, XL L31xW24, XXL L32xW26, 3XL L33xW28, 4XL L34xW30, 5XL L35x32. NOTE: A portion of all sales of our Canine Pet Rescue apparel is donated to animal shelters."}, {"name": "Deodorant Stone Crystal Mist Natural Deodorant Spray 8 oz. Bundle, Pack of 4", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 7.3 x 4.3 x 1.7 inches; 1.25 Pounds", "Item model number\n \u200f": "\u200e\n SG_B01M0FH8J8_US", "UPC\n \u200f": "\u200e\n 816946020749", "ASIN\n \u200f": "\u200e\n B01M0FH8J8", "Best Sellers Rank": "#106,585 in Health & Household (See Top 100 in Health & Household)#912 in Deodorant", "#912 in Deodorant": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Unknown", "brand_url": "https://www.amazon.com/Unknown/b/ref=bl_dp_s_web_23515638011?ie=UTF8&node=23515638011&field-lbr_brands_browse-bin=Unknown", "full_description": "100% Natural Unscented Crystal Deodorant Mist - 24 Hour Protection - No aluminum chlorohydrate - Fragrance free - Non-Staining", "pricing": "$25.62", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41QkWVcVhIL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Deodorants & Antiperspirants \u203a Deodorant", "average_rating": 4.8, "small_description": [""], "total_reviews": 360, "total_answered_questions": "", "customization_options": "", "seller_id": "A1AKT0EVAUPPAX", "seller_name": "Amazing Pride", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B01M0FH8J8", "category": "beauty", "query": "Deodorants & Antiperspirants", "page": 83, "small_description_old": ""}, {"name": "3dRose Social Butterfly with a stamp on a monarch butterfly on... - Coffee Gift Baskets (cgb_349228_1)", "product_information": {"Item Weight\n \u200f": "\u200e\n 3 Pounds", "Manufacturer\n \u200f": "\u200e\n 3dRose", "ASIN\n \u200f": "\u200e\n B09D4L5H3V", "Country of Origin\n \u200f": "\u200e\n USA", "": ""}, "brand": "Visit the 3dRose Store", "brand_url": "https://www.amazon.com/stores/Budgie+Budgerigar/page/BE0ECDEA-FC51-4E2C-B041-4FCCEB91DA8E?ref_=ast_bln", "full_description": "Social Butterfly with a stamp on a monarch butterfly on white. Coffee Gift Basket is great for any occasion. This elegantly presented gift box comes with a 15oz mug, a biscotti cookie, 5 blends of gourmet coffee and includes a BONUS set of 4 soft coasters. Coffee selection includes French Vanilla, Kenya AA, Decaf Colombian Supremo, Chocolate and Italian Roast Espresso, sure to please a variety of coffee connoisseurs. All packaged in our signature 9\" x 9\" x 4\" black box.", "pricing": "$44.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51XMdlcQ6BL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Food & Beverage Gifts \u203a Coffee & Tea Gifts", "average_rating": "", "small_description": ["Includes: 1 15oz mug ", "4 soft coasters ", "5 - 2 oz bags of gourmet coffee ", "1 of each: French Vanilla, Kenya AA, Decaf Colombian Supremo, Chocolate, and Italian Roast Espresso ", "1 Biscotti cookie "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1Q4A7YXTO45KY", "seller_name": "3dRose LLC", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09D4L5H3V", "category": "grocery", "query": "Food & Beverage Gifts", "page": 321, "small_description_old": "About this item Includes: 1 15oz mug 4 soft coasters 5 - 2 oz bags of gourmet coffee 1 of each: French Vanilla, Kenya AA, Decaf Colombian Supremo, Chocolate, and Italian Roast Espresso 1 Biscotti cookie"}, {"name": "One Piece Swimsuit for Women Halter Cut Out Bathing Suit Sexy Criss Cross Swimwear Backless Tie Dye Monokini Beachwear", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 3.94 x 1.97 x 1.18 inches", "Item model number\n \u200f": "\u200e\n Amazon Eessential", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n February 10, 2022", "Manufacturer\n \u200f": "\u200e\n 10-20 Days Delivery", "ASIN\n \u200f": "\u200e\n B09S6MC95P", "": ""}, "brand": "Brand: Haozin", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Haozin", "full_description": "(\u10da\u2579\u25e1\u2579\u10da) Hello, Dear Customer, Welcome to \ud83c\udf34 Haozin \ud83c\udf34 Store, Your satisfaction is our eternal pursuit !\u00a0 \u25c4): Please allow 0.5-1cm difference due to manual measurement.\u00a0 \u25c4): Colors may appear slightly different via website due to computer picture resolution and monitor settings.\u00a0 \u25c4): Each of our products is attached with a size table, please select your appropriate size before ordering.Size: S --- Size: Small --- Cup: A/B --- Bust: 81-86cm/31.89-33.86'' --- Waist: 56-61cm/22.05-24.02'' --- Hip: 86-91cm/33.86-35.83'' Size: M --- Size: Medium --- Cup: B/C --- Bust: 86-91cm/33.86-35.83'' --- Waist: 61-66cm/24.02-25.98'' --- Hip: 91-97cm/35.83-38.19'' Size: L --- Size: Large --- Cup: C/D --- Bust: 91-97cm/35.83-38.19'' --- Waist: 66-71cm/25.98-27.95'' --- Hip: 97-102cm/38.19-40.16''swimsuit women 2 piece swimsuit for women 3 piece swimsuits for women baby boy swimsuit baby girl swimsuit baby swimsuit boy baby swimsuit girl black one piece swimsuits for women black swimsuit girls swimsuit girls swimsuits size 10-12 girls swimsuits size 14-16 high waisted swimsuits for women kids swimsuits long sleeve swimsuit long sleeve swimsuits for women matching swimsuits for couples maternity swimsuit two piece modest swimsuits for women", "pricing": "$14.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41yepTt+ahL.jpg", "https://m.media-amazon.com/images/I/51kZFyIaVxL.jpg", "https://m.media-amazon.com/images/I/51gQknHep9L.jpg", "https://m.media-amazon.com/images/I/51bjYxeszjL.jpg", "https://m.media-amazon.com/images/I/517lERBispL.jpg", "https://m.media-amazon.com/images/I/51CzaJQYOzL.jpg", "https://m.media-amazon.com/images/I/51n+J4MBNzL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Swimsuits & Cover Ups \u203a One-Pieces", "average_rating": "", "small_description": ["\ud83d\udc59The swimsuit is made of high-quality fabric. Soft, breathable, very comfortable to wear.Lightweight fabric, perfect for hot summer. ", "\ud83d\udc59Made in USA ", "\ud83d\udc59Just contact us immediately if you are not satisfied with this clothing, we will try our best to satisfy your request ", "\ud83d\udc59Summer essentials, suitable for swimming wear, beach party, hot spring, vacation, seaside, surfing and pool party closure ", "\ud83d\udc59Please check the size chart in the product description carefully before buying. If you are plump, I suggest you choose a larger size\uff0cbecause it is an Asian size and will be smaller than the American size\uff01\uff01\uff01\uff01 ", "plus size tankini bathing suits for women plus size tankini tops swimsuits women tankini swimsuits for women tankini swimsuit for women tankini bandeau tankini swim suits women tankini womens tankini swim top blouson tankini swimsuits for women bathing suits women 2 piece tankini tankinis swimwear for women tummy control girls tankini swimsuits 7-16 tankini for women womens tankini swimsuits with shorts black tankini bathing suits for women tummy control ", "womens rash guard shirts long sleeve zipper front one piece rash guard women rash guard shirt rash guard long sleeve rash guard womens under rash guard women womens rash guard swim shirt long sleeve womens rash guard shirt rash guard pants rash guard plus size women girl rash guard swimwear womens rash guards short sleeve women rash guard swimsuit women long sleeve rash guard surf rash guard women rash guard girls long sleeve crop rash guard , high waisted bikini blue and floral lace up bikini patriotic bikini women blue high waisted bikini bottoms maternity bikini swimsuit high leg high waist bikini big bust bikini tops for women bikini for women push up cheecky bikini bottoms high waist black bikini bottom high cut bikini bottoms surf bikini swimsuits bikini for women women two piece bathing suit bikini set bikini hight waisted bikinis for women body glove bikini bottoms, tankini shorts ruffle tankini high neck tankini top tankini sets for women juniors tankini swimsuits high waist tankini overlay tankini set sporty tankini swimsuits for women women tankini top tankini swimwear bathing suit tankini off shoulder tankini american flag tankini tankini tops for women tummy control ruffled tankini swimsuits for women plus size swimsuits for women tankini bra sized tankini tops maternity tankini top, women rash guard women womens rash guards long sleeve womens rash guards girls rash guard set womens' rash guard short sleeve rash guard woman rash guard long sleeve big and tall rash guard swim shirt loose fit rash guard women short sleeve rash guard womens bikinis for girls size 10-12 womens tankini swimsuits tops plaid bikini thong bikinis"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41yepTt+ahL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09S6KVT6C/ref=twister_B09S6LX4W2", "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41+ldy7BqUL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09S6MC95P"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09S6MR9PY"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09S6LZYHQ"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09S6LZYHQ", "category": "fashion", "query": "Women's Swimsuits & Cover Ups", "page": 140, "small_description_old": "\ud83d\udc59The swimsuit is made of high-quality fabric. Soft, breathable, very comfortable to wear.Lightweight fabric, perfect for hot summer. \ud83d\udc59Made in USA \ud83d\udc59Just contact us immediately if you are not satisfied with this clothing, we will try our best to satisfy your request \ud83d\udc59Summer essentials, suitable for swimming wear, beach party, hot spring, vacation, seaside, surfing and pool party closure \ud83d\udc59Please check the size chart in the product description carefully before buying. If you are plump, I suggest you choose a larger size\uff0cbecause it is an Asian size and will be smaller than the American size\uff01\uff01\uff01\uff01 one piece swimsuits for women plus size 26 one piece swimsuits for women plus size tummy control one piece swimsuits for teen girls one piece swimsuits for teen girls with padding one piece swimsuits for teen girls with skirt one piece swimsuits for teen girls black one piece swimsuits for teens cheap one piece swimsuits for teens athletic one piece swimsuits for teens juniors one piece swimsuits for teens black two piece swimsuits for women high waisted two piece swimsuits for women two piece swimsuits for women high cut two piece swimsuits for women strapless two piece swimsuits for women plus size two piece swimsuits for women plus size high waisted two piece swimsuits for women tummy control two piece swimsuits for women high waisted thong two piece swimsuits for women with skirt two piece swimsuits for women with shorts two piece swimsuits for women high waisted two piece swimsuits for women high waisted tummy control prime \n high waisted two piece swimsuits for women two piece swimsuits for women high cut two piece swimsuits for women strapless two piece swimsuits for women plus size two piece swimsuits for women plus size high waisted two piece swimsuits for women tummy control two piece swimsuits for women high waisted thong two piece swimsuits for women with skirt two piece swimsuits for women with shorts two piece swimsuits for women high waisted two piece swimsuits for women high waisted tummy control primeswimsuits for women plus size tummy control two piece swimsuits for women high waisted plus size two piece swimsuits for women two piece swimsuits for women high cut two piece swimsuits for women strapless two piece swimsuits for women plus size two piece swimsuit black two piece swimsuits for women tummy control two piece swimsuits for women high cut two piece swimsuits for women strapless two piece swimsuits for women plus size two piece swimsuits for women plus size high waisted two pieceplus size tankinis for plus size women two piece swimsuits for women plus size high waisted two piece swimsuit black two piece swimsuits for women tummy control two piece swimsuits for women tummy control push up bra two-piece suits for women tankinis swimwear for women tankinis swimwear for women plus size tankinis swimwear for women underwire tankinis swimwear for women adjustable strap tankinis for women with tummy control tankinis for girls tankinis plus size tankinisShow more"}, {"name": "ASICS mens Gel-cumulus 22", "product_information": {"Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n July 3, 2021", "Manufacturer\n \u200f": "\u200e\n ASICS", "ASIN\n \u200f": "\u200e\n B098LYVRDZ", "Best Sellers Rank": "#2,354,648 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#6,743 in Men's Running Shoes", "#6,743 in Men's Running Shoes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the ASICS Store", "brand_url": "https://www.amazon.com/stores/ASICS/page/3D51EC88-4320-4F70-8CAF-9E7C77D723E2?ref_=ast_bln", "full_description": "", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/21Xm3fmDnFL.jpg", "https://m.media-amazon.com/images/I/21pkKzcxWdL.jpg", "https://m.media-amazon.com/images/I/31GH0xdgfBL.jpg", "https://m.media-amazon.com/images/I/31aXHqIFbeL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Athletic \u203a Running", "average_rating": 4.1, "small_description": ["Contains reflective materials designed to enhance visibility during low light hours ", "Flytefoam Lyte midsole provides continuous cushion thanks to organic nano fibers ", "Vertical flex groove decouples the tooling along the line of progression for enhanced gait efficiency ", "ASICS high abrasion resistant (AHAR) rubber on the outsole that is softer and lighter to deliver a plush ride flexibility and overall comfort ", "Rearfoot and Forefoot GEL Cushioning Systems attenuates shock during impact and toe-off phases and allows movement in multiple planes as the foot transitions through the gait cycle "], "total_reviews": 4, "total_answered_questions": "", "customization_options": {"Size": null, "Color": null}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0821674CT", "category": "fashion", "query": "Men's Athletic Shoes", "page": 200, "small_description_old": "Synthetic-and-mesh Imported Rubber sole Contains reflective materials designed to enhance visibility during low light hours Flytefoam Lyte midsole provides continuous cushion thanks to organic nano fibers Vertical flex groove decouples the tooling along the line of progression for enhanced gait efficiency ASICS high abrasion resistant (AHAR) rubber on the outsole that is softer and lighter to deliver a plush ride flexibility and overall comfort Rearfoot and Forefoot GEL Cushioning Systems attenuates shock during impact and toe-off phases and allows movement in multiple planes as the foot transitions through the gait cycle"}, {"name": "yanw DC Power Cable Cord for Panasonic AG Mini-DV Camcorder K2GJ2DZ00023 VCR DC Out", "product_information": {"Manufacturer": "yanw", "ASIN": "B08HR1P3Z9", "Date First Available": "September 9, 2020"}, "brand": "Brand: yanw", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=yanw", "full_description": "DC Power Cable Cord For Panasonic AG Mini-DV Camcorder K2GJ2DZ00023 VCR DC OUT", "pricing": "$26.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41uAIjDgKZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Computer Accessories & Peripherals \u203a Cables & Accessories \u203a Cables & Interconnects \u203a USB Cables", "average_rating": "", "small_description": ["100% Brand New, High Quality ", "Tip Size: Ref to the pictures Cable Length: 6ft Manufactured with the Highest Quality Materials Overvoltage, Shortcircuit protection and Over Temperature Protection. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AXQT4CRB37RUF", "seller_name": "Yilin trade", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08HR1P3Z9", "category": "electronics", "query": "VCRs", "page": 150, "small_description_old": "100% Brand New, High Quality Tip Size: Ref to the pictures Cable Length: 6ft Manufactured with the Highest Quality Materials Overvoltage, Shortcircuit protection and Over Temperature Protection."}, {"name": "LAGOM 5 Layer Cotton Pad 100% Natural Hypoallergenic Separable Cleansing Puff Lint-Free Soft Facial Square Wipe Eye Cosmetic Toner Makeup Nail Polish Remover Sensitive Dry Oily Skin 2\"x2.75\" 80 Count", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 5.9 x 4.05 x 2.82 inches; 4.16 Ounces", "Item model number\n \u200f": "\u200e\n LGM-5LC-PAD-80", "Manufacturer\n \u200f": "\u200e\n LAGOM", "ASIN\n \u200f": "\u200e\n B09BW4S48B", "Country of Origin\n \u200f": "\u200e\n Korea, Republic of", "Best Sellers Rank": "#117,692 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#90 in Manual Facial Cleansing Brushes #173 in Cotton Pads & Rounds #461 in Skin Care Sets & Kits", "#90 in Manual Facial Cleansing Brushes": "", "#173 in Cotton Pads & Rounds": "", "#461 in Skin Care Sets & Kits": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the LAGOM Store", "brand_url": "https://www.amazon.com/stores/LAGOM/page/D28CB25E-FDDA-4D83-9781-EEE2CB7BC116?ref_=ast_bln", "full_description": "", "pricing": "$9.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/21yKOeWcg8L.jpg", "https://m.media-amazon.com/images/I/31l7rFSr4ML.jpg", "https://m.media-amazon.com/images/I/31zT+-HQ6gL.jpg", "https://m.media-amazon.com/images/I/31M7s6hflcL.jpg", "https://m.media-amazon.com/images/I/31J+i2pfsmL.jpg", "https://m.media-amazon.com/images/I/31fLf6CkJUL.jpg", "https://m.media-amazon.com/images/I/31sMO51YeuL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Cotton Balls & Swabs \u203a Cotton Pads & Rounds", "average_rating": 4.7, "small_description": ["100% PURE COTTON: Premium lint-free cotton pads to gently apply skin care products and wipe away dull skin cells. ", "MULTI LAYERS FOR PREMIUM ABSORBENCY: Its 5 layers help to absorb sufficiently and wipe gently against the skin. ", "FIRM AND DURABLE: The cotton pads are compressed and sealed at each end to ensure durability when using them. ", "SAFE FOR SENSITIVE SKIN: A soft and smooth surface that is safe to be used on even sensitive skin. ", "CUSTOMIZABLE USAGE: Separate the layers into the desired thickness from 1 to 5 layers depending on use purposes. ", "HOW TO USE: Separate into 2-3 layers for makeup and nail remover. You can soak the 5 layers with toner, separate and put each layer on the skin as if using a sheet mask. ", "SPECIAL INGREDIENTS: 100% Organic Premium Cotton "], "total_reviews": 38, "total_answered_questions": "", "customization_options": {"Style": [{"is_selected": true, "url": null, "value": "LAGOM 5 LAYER COTTON PAD", "price_string": "$9.00", "price": 9, "image": "https://m.media-amazon.com/images/I/21yKOeWcg8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09BW2GVM9/ref=twister_B09R453YQT?_encoding=UTF8&psc=1", "value": "CELLUP FACIAL CLEANSING BRUSH", "price_string": "$9.00", "price": 9, "image": "https://m.media-amazon.com/images/I/314kf+l50mL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07PX31XCM/ref=twister_B09R453YQT?_encoding=UTF8&psc=1", "value": "LAGOM TRAVEL KIT", "price_string": "$28.00", "price": 28, "image": "https://m.media-amazon.com/images/I/41DlHR0WGyL.jpg"}]}, "seller_id": "A3EV9THW1FQ5YC", "seller_name": "LAGOM AMERICA", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09BW4S48B", "category": "beauty", "query": "Makeup Remover", "page": 72, "small_description_old": "About this item 100% PURE COTTON: Premium lint-free cotton pads to gently apply skin care products and wipe away dull skin cells. MULTI LAYERS FOR PREMIUM ABSORBENCY: Its 5 layers help to absorb sufficiently and wipe gently against the skin. FIRM AND DURABLE: The cotton pads are compressed and sealed at each end to ensure durability when using them. SAFE FOR SENSITIVE SKIN: A soft and smooth surface that is safe to be used on even sensitive skin. CUSTOMIZABLE USAGE: Separate the layers into the desired thickness from 1 to 5 layers depending on use purposes. HOW TO USE: Separate into 2-3 layers for makeup and nail remover. You can soak the 5 layers with toner, separate and put each layer on the skin as if using a sheet mask. SPECIAL INGREDIENTS: 100% Organic Premium Cotton"}, {"name": "Jamo Studio Series S 803 HCS-WH White Home Cinema System & S 808 SUB White NA", "product_information": {"ASIN": "B08XXDGPKR", "Customer Reviews": {"ratings_count": null, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#287,190 in Electronics (See Top 100 in Electronics) #355 in Surround Sound Systems"], "Date First Available": "March 2, 2021"}, "brand": "Visit the Klipsch Store", "brand_url": "https://www.amazon.com/stores/Klipsch/page/4EE1E351-44E9-487A-B65F-92CCEB62C19A?ref_=ast_bln", "full_description": "Jamo Studio Series S 803 HCS-WH White Home Cinema SystemYou will receive: 1 Jamo Studio Series S 803 HCS-WH White home cinema system The S 803 HCS is the most compact system of the Jamo Studio 8 Series. Dual S 803 Dolby Atmos ready bookshelf speakers, a perfectly tuned center channel speaker, and two S 801 speakers for surround sound add up to and incredible yet compact home Theater. Complete 5.0 home theater contemporary design2 x s 803 Bookshelf speakers2 x s 801 speakers for surround sound1 x s 81 Cen center channel speaker Dolby Atmos ready for s 8 ATM speakers compact, yet powerfulfront-firing tube port allows for versatility in placement (in cabinets, against walls, etc.) and enhanced, cleaner bass response. Studio 8 waveguide technology focuses high frequencies for dynamic, powerful sound.beautiful, contemporary designfully magnetic grilles - no mounting holds or push pins - for a clean, minimalist front baffle design.Large, woven pattern linen grilles create visual interest with heavy texture and come in two unique colors - heather gray with white models, and charcoal Gray for black or walnut finishes. Wood grain accents around the tweeters, at the bases and feet give a handcrafted, natural look. A 3\" Taper on the cabinet accentuates the slim design aesthetic of studio 8 speakers.dolby Atmos readydolby Atmos ready speakers deliver sound that comes alive from all directions, including overhead, to fill any room with astonishing clarity, detail and depth.s 8 ATM Atmos moduledolby Atmos topper's metal feet innovatively align with patent-pending integrated conductive metal contacts on Capable tower and bookshelf speakers, so the back of the topper has a clean design, free from any inputs or wires.S 808 SUB White NAS 808 sub - Slim line subwoofer designed to maximize output in small spaces. Side firing 8\" Woofer with downward firing ports and a 100 watt amplifier.", "pricing": "$493.44", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31vSFeACDQL.jpg", "https://m.media-amazon.com/images/I/41FXEOQQp+L.jpg", "https://m.media-amazon.com/images/I/314gUfNYSZL.jpg", "https://m.media-amazon.com/images/I/31-+3sW3Y+L.jpg", "https://m.media-amazon.com/images/I/31o+UC1vUpL.jpg", "https://m.media-amazon.com/images/I/41cxtwhWcVL.jpg", "https://m.media-amazon.com/images/I/31ESd8lhr4L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Home Audio \u203a Speakers \u203a Surround Sound Systems", "average_rating": 4, "small_description": ["Product 1: Package Dimensions: 35.04 L x 11.02 H x 24.41 W (inches) ", "Product 1: Package Weight : 54.78 pounds ", "Product 1: Country of Origin : China ", "Product 2: Perfect combination of style and performance "], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Style": null}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08XXDGPKR", "category": "electronics", "query": "Surround Sound Systems", "page": 87, "small_description_old": "About this item Product 1: Package Dimensions: 35.04 L x 11.02 H x 24.41 W (inches) Product 1: Package Weight : 54.78 pounds Product 1: Country of Origin : China Product 2: Perfect combination of style and performance"}, {"name": "Welchs Orange Pineapple Juice Drink Blend, 16 Fluid Ounce -- 12 per case.", "product_information": {"ASIN\n \u200f": "\u200e\n B073J29HJW", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$49.99", "list_price": "", "availability_quantity": 13, "availability_status": "Only 13 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41e3AlYYKVL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": 4.3, "small_description": [""], "total_reviews": 3, "total_answered_questions": "", "customization_options": "", "seller_id": "A1PTN6GZHAH0WE", "seller_name": "YUM YUM SHOPPE", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B073J29HJW", "category": "grocery", "query": "Beverages", "page": 244, "small_description_old": ""}, {"name": "Designers Impressions Juno Oil Rubbed Bronze 2 Light Wall Sconce/Bathroom Fixture with Clear and Frosted Glass: 73470", "product_information": {"Brand": "\u200eDesigners Impressions", "Manufacturer": "\u200eDesigners Impressions", "Part Number": "\u200e73470", "Item Weight": "\u200e5.84 pounds", "Package Dimensions": "\u200e16.3 x 11.4 x 9.1 inches", "Item model number": "\u200e73470", "Is Discontinued By Manufacturer": "\u200eNo", "Style": "\u200eModern", "Color": "\u200eOil-rubbed Bronze", "Material": "\u200eMetal", "Finish Types": "\u200eBronze", "Number of Lights": "\u200e2", "Shade Material": "\u200eGlass", "Light Direction": "\u200eUplight", "Power Source": "\u200eAC", "Switch Installation Type": "\u200eWall Mount", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "Type of Bulb": "\u200eUp Light", "Wattage": "\u200e60 Watts", "ASIN": "B01NCQLFPH", "Customer Reviews": {"ratings_count": 309, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#232,717 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #1,426 in Wall Sconces"], "Date First Available": "December 28, 2016"}, "brand": "Brand: Designers Impressions", "brand_url": "https://www.amazon.com/Designers-Impressions/b/ref=bl_dp_s_web_20687231011?ie=UTF8&node=20687231011&field-lbr_brands_browse-bin=Designers+Impressions", "full_description": "", "pricing": "$55.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41gDGht3eVL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Wall Lights \u203a Wall Lamps & Sconces", "average_rating": 4.7, "small_description": ["Finish: Oil Rubbed Bronze --- Glass: Clear and Frosted ", "Height: 8-1/4\" ---- Width: 14-1/2\" ", "Bulb Requirements (Not Included): (2) Two Medium Base 60 Watt ", "All Mounting Hardware Included ---- Can only be mounted facing up ", "15 Year Warranty "], "total_reviews": 309, "total_answered_questions": 46, "model": "\u200e73470", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B01MY2P1N4/ref=twister_B08HSMQ2KB?_encoding=UTF8&psc=1", "value": "1 Light", "price_string": "$43.95", "price": 43.95, "image": null}, {"is_selected": true, "url": null, "value": "2 Light", "price_string": "$55.95", "price": 55.95, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01N1WTNQ6/ref=twister_B08HSMQ2KB?_encoding=UTF8&psc=1", "value": "3 Light", "price_string": "$69.95", "price": 69.95, "image": null}]}, "seller_id": "AMPOJ0D1ISDS0", "seller_name": "Cabinet Hardware 4 Less", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B01NCQLFPH", "category": "garden", "query": "Sconces", "page": 71, "small_description_old": "About this item Finish: Oil Rubbed Bronze --- Glass: Clear and Frosted Height: 8-1/4\" ---- Width: 14-1/2\" Bulb Requirements (Not Included): (2) Two Medium Base 60 Watt All Mounting Hardware Included ---- Can only be mounted facing up 15 Year Warranty \n \u203a See more product details"}, {"name": "Fab Habitat Seagrass Storage Basket Set - Wicker Pattern Baskets, Strong Handles - Organizer for Blankets, Towels, Pillows, Toys, Laundry, Baby, Kids, Home D\u00e9cor - Harlem - XL", "product_information": {"Item Weight": "\u200e2.25 pounds", "Product Dimensions": "\u200e19 x 19 x 16 inches", "Assembled Height": "\u200e16 inches", "Assembled Width": "\u200e19 inches", "Assembled Length": "\u200e19 inches", "Weight": "\u200e4 Pounds", "ASIN": "B07SXRVKZ2", "Customer Reviews": {"ratings_count": 85, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#27,409 in Baby (See Top 100 in Baby) #79 in Nursery Baskets & Liners #38,669 in Home Storage & Organization (Home & Kitchen)"], "Date First Available": "June 7, 2019"}, "brand": "Visit the Fab Habitat Store", "brand_url": "https://www.amazon.com/stores/Fab+Habitat/page/B22B9204-5D1A-43A3-9D38-E06130750A8B?ref_=ast_bln", "full_description": "The Harlem basket is the trendy solution for storing all those bits and bobs scattered around the house! In true Fab Habitat style, we added a pop of color to create a stylish and versatile storage solution. Firmly woven with 100% sustainable seagrass, this round-tapered basket is eco-friendly and incredibly durable so you can count on it to last. Use it for laundry, clean towels, freshly folded sheets, toy room, or any of the many of goods you would like to store away. The Harlem basket even makes a perfect large or small plant pot for indoor house plants. Ethically-sourced and Fairtrade, our baskets are handmade with love by local artisans. Strong, tightly-woven handles mean you can easily carry the basket around the home.", "pricing": "$69.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51GW7LT2-aL.jpg", "https://m.media-amazon.com/images/I/518AQ0V99QL.jpg", "https://m.media-amazon.com/images/I/5119UwaTSlL.jpg", "https://m.media-amazon.com/images/I/41NlnXCEdEL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Baby Products \u203a Nursery \u203a D\u00e9cor \u203a Baskets & Liners", "average_rating": 4.7, "small_description": ["HANDMADE WITH RECYCLE PLASTIC AND SUSTAINABLE SEAGRASS: Eco-Friendly Storage Basket Set with Handle. Basket Size - Height: 16\", Diameter: 19\". Actual colors and size may vary from the image(s) shown due to manufacturing limitations with natural materials. ", "STYLE THAT FITS MANY HOME STYLES: The earth tones match many different home styles, making storage more chic and fabulous in both modern and traditional homes. ", "MULTI-USE: These baskets are versatile enough to be used to store laundry, clean towels, freshly folded sheets, children's toys, as a plant pot or whatever you need to store away. ", "STORAGE MADE TO LAST: Because quality is just as important as style, our eco-friendly baskets are tightly woven from fibers made up of sustainable seasgrass and recycle plastic for added durability you can count on. For indoor use only. Strong, tightly-woven handles mean you can easily carry the baskets around the home. ", "CERTIFIED FAIR TRADE: Our baskets have been approved by the World Fair Trade Organization. We set high standards to ensure everything we sell has been made with respect to people and our planet. "], "total_reviews": 85, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B079ZSBPVG/ref=twister_B08PC17SCT?_encoding=UTF8&psc=1", "value": "Large", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "X-Large", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51y9S0m11uL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08PC2FF2H/ref=twister_B08PC17SCT", "value": "Harlem", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51OluMT3cNL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09BP21HML/ref=twister_B08PC17SCT?_encoding=UTF8&psc=1", "value": "Harlem - Sunset", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/510L0RWVIaL.jpg"}]}, "seller_id": "A27ALMBM57HK47", "seller_name": "Fab Habitat", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07SXRVKZ2", "category": "garden", "query": "Baskets and Storage", "page": 20, "small_description_old": "About this item HANDMADE WITH RECYCLE PLASTIC AND SUSTAINABLE SEAGRASS: Eco-Friendly Storage Basket Set with Handle. Basket Size - Height: 16\", Diameter: 19\". Actual colors and size may vary from the image(s) shown due to manufacturing limitations with natural materials. STYLE THAT FITS MANY HOME STYLES: The earth tones match many different home styles, making storage more chic and fabulous in both modern and traditional homes. MULTI-USE: These baskets are versatile enough to be used to store laundry, clean towels, freshly folded sheets, children's toys, as a plant pot or whatever you need to store away. STORAGE MADE TO LAST: Because quality is just as important as style, our eco-friendly baskets are tightly woven from fibers made up of sustainable seasgrass and recycle plastic for added durability you can count on. For indoor use only. Strong, tightly-woven handles mean you can easily carry the baskets around the home. CERTIFIED FAIR TRADE: Our baskets have been approved by the World Fair Trade Organization. We set high standards to ensure everything we sell has been made with respect to people and our planet. \n \u203a See more product details"}, {"name": "KAWIHEN Silicone Key Fob Cover Compatible with Chevrolet Chevy Cruze Equinox Impala Malibu Sonic Spark Volt Camaro 4 Buttons Key Fob Case Cover OHT01060512 KR55WK50073", "product_information": {"Manufacturer": "\u200eKAWIHEN", "Brand": "\u200eKAWIHEN", "Item Weight": "\u200e0.422 ounces", "Package Dimensions": "\u200e5 x 1.46 x 0.43 inches", "Is Discontinued By Manufacturer": "\u200eNo", "Manufacturer Part Number": "\u200eSG0704G", "OEM Part Number": "\u200eAVL-B01T1AC 5913598 20873621 20873623, OHT01060512 KR55WK50073 5913596 V2T01060512 V2T01060514", "ASIN": "B083G2416L", "Customer Reviews": {"ratings_count": 318, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#26,192 in Automotive (See Top 100 in Automotive) #253 in Antitheft Keyless Entry Systems #8,049 in Automotive Replacement Parts"], "Date First Available": "September 15, 2017"}, "brand": "Brand: KAWIHEN", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=KAWIHEN", "full_description": "The Silicone key fob Cover will save your money. Compatible with Chevrolet Compatible with 2010-2014 Chevrolet Camaro Compatible with 2011-2013 Chevrolet Cruze Compatible with 2010-2014 Chevrolet Equinox Compatible with 2014-2016 Chevrolet Impala Compatible with 2012-2014 Chevrolet Malibu Compatible with 2012-2014 Chevrolet Sonic Compatible with 2013 Chevrolet Spark Compatible with 2011-2013 Chevrolet Volt Compatible with Compatible with OHT01060512 KR55WK50073 5913596 V2T01060512 V2T01060514 AVL-B01T1AC 5913598 20873621 20873623 Compatible with Chevrolet 4 buttons key fob cover", "pricing": "$6.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31xSkXDiapL.jpg", "https://m.media-amazon.com/images/I/31XF0Z3n3vL.jpg", "https://m.media-amazon.com/images/I/41iJZxkIexL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Automotive \u203a Interior Accessories \u203a Anti-Theft \u203a Keyless Entry Systems", "average_rating": 4.6, "small_description": ["Silicone Rubber Protector Cover Fit for Remote Key Fob. ", "Perfect fit pretects from dust and dirt.Also with the buttons fading, it helps to see what one you are using. Highly recommend picking them up from the get to keep your key fob from deteriorating. ", "More thicker, More better hand-touching,More quality. ", "Conspicuous colors,The color of the easy to find. ", "Please refer to product description for applicable models.Compatible with OHT01060512 KR55WK50073 5913596 V2T01060512 V2T01060514 AVL-B01T1AC 5913598 20873621 20873623. "], "total_reviews": 318, "total_answered_questions": "", "customization_options": "", "seller_id": "A3EIVOZPK5BET2", "seller_name": "KAWIHEN", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B083G2416L", "category": "electronics", "query": "Car Accessories", "page": 154, "small_description_old": "Silicone Rubber Protector Cover Fit for Remote Key Fob. Perfect fit pretects from dust and dirt.Also with the buttons fading, it helps to see what one you are using. Highly recommend picking them up from the get to keep your key fob from deteriorating. More thicker, More better hand-touching,More quality. Conspicuous colors,The color of the easy to find. Please refer to product description for applicable models.Compatible with OHT01060512 KR55WK50073 5913596 V2T01060512 V2T01060514 AVL-B01T1AC 5913598 20873621 20873623. \n \u203a See more product details"}, {"name": "ClosetMaid 1312 4-Tier Wood Ladder Shelf Bookcase, Natural", "product_information": {"Product Dimensions": "19.69 x 23.62 x 70.87 inches", "Item Weight": "26 pounds", "Manufacturer": "ClosetMaid", "ASIN": "B01N9RL0AX", "Country of Origin": "China", "Item model number": "1312", "Customer Reviews": {"ratings_count": 1414, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#66,958 in Home & Kitchen (See Top 100 in Home & Kitchen) #17 in Ladder Shelves"], "Is Discontinued By Manufacturer": "No", "Specification met": "(unset)", "Assembly Required": "Yes", "Batteries Required?": "No", "Included Components": "Upper Metal Frame (2)^Metal Frame Leg (4)^Metal X Wire (1)^Metal Joint (4)^X-Large Shelf^Large Shelf^Medium Shelf^Small Shelf^Shelf Screws (16)^Outer Joint Screw (8)^Inner Joint Screw (8)^X Wire Screw (4)^X Wire Cap Nut (4)^Hex Key (2)^Hex Key^Wrench^L-Bracket (2)^Shelf Screw (2)^Wall Screw (2)^Drywall Anchor (2)", "Import Designation": "Imported"}, "brand": "Visit the ClosetMaid Store", "brand_url": "https://www.amazon.com/stores/ClosetMaid/page/378C77C4-E95C-428E-9A2F-AEBA489E8E3E?ref_=ast_bln", "full_description": "Add this ladder shelf from ClosetMaid to your home or office for sleek, stylish organization! designed with retro yet modern, simple appeal, this ladder shelf would fit in any room of your home, like the living area or office. This 4-Tier, A-line style shelf looks great with magazines, photo frames, decor and so much more", "pricing": "$73.99", "list_price": "", "availability_quantity": 1, "availability_status": "In Stock. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31e-Y6HTJHL.jpg", "https://m.media-amazon.com/images/I/41yodvQlNDL.jpg", "https://m.media-amazon.com/images/I/51CzaC3Td7L.jpg", "https://m.media-amazon.com/images/I/51wbV0IFbgL.jpg", "https://m.media-amazon.com/images/I/31T5p9uvLKL.jpg", "https://m.media-amazon.com/images/I/41EpusqGElL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Accent Furniture \u203a Ladder Shelves", "average_rating": 4.7, "small_description": ["Measures 70.87H x 23.62W x 19.69D ", "Create decorative storage and display space for any Area of the home with this 4-tier, a-frame style shelf ", "Ideal for books, photo frames, magazines and more ", "Distance between top shelves measures 15.43\"; Distance between lower shelf measures 14.49\" ", "Materials: Laminate wood and powder-coated steel base; All hardware included "], "total_reviews": 1414, "total_answered_questions": "", "model": "1312", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B01N7S3EJS/ref=twister_B09J19DYZP?_encoding=UTF8&psc=1", "value": "Grey", "price_string": "$73.99", "price": 73.99, "image": "https://m.media-amazon.com/images/I/31wlr7-evCL.jpg"}, {"is_selected": true, "url": null, "value": "Natural", "price_string": "$73.99", "price": 73.99, "image": "https://m.media-amazon.com/images/I/31e-Y6HTJHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HJLB3M9/ref=twister_B09J19DYZP?_encoding=UTF8&psc=1", "value": "Taupe", "price_string": "$85.99", "price": 85.99, "image": "https://m.media-amazon.com/images/I/31z28cT0HbL.jpg"}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B01N9RL0AX", "category": "garden", "query": "Book Cases", "page": 54, "small_description_old": "About this item Measures 70.87H x 23.62W x 19.69D Create decorative storage and display space for any Area of the home with this 4-tier, a-frame style shelf Ideal for books, photo frames, magazines and more Distance between top shelves measures 15.43\"; Distance between lower shelf measures 14.49\" Materials: Laminate wood and powder-coated steel base; All hardware included"}, {"name": "Spigen U100 Universal Kickstand Compatible with Any Cellphone - Black (US Patent Pending)", "product_information": {"Product Dimensions": "10 x 2 x 15 inches", "Item Weight": "0.634 ounces", "ASIN": "B01LW6NN8T", "Item model number": "000EM20860", "Customer Reviews": {"ratings_count": 3281, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#7,725 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #213 in Cell Phone Stands"], "Is Discontinued By Manufacturer": "No", "Other display features": "CE", "Colour": "Black", "Manufacturer": "Spigen", "Date First Available": "September 9, 2016"}, "brand": "Visit the Spigen Store", "brand_url": "https://www.amazon.com/stores/Spigen/page/1B6B4933-0D21-4FF4-AB37-F74CD4F5CB1C?ref_=ast_bln", "full_description": "", "pricing": "$11.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31T4nypeStL.jpg", "https://m.media-amazon.com/images/I/51pIga9oadL.jpg", "https://m.media-amazon.com/images/I/41PeeFcEuFL.jpg", "https://m.media-amazon.com/images/I/41pnUUEvgHL.jpg", "https://m.media-amazon.com/images/I/417tzlcZ5bL.jpg", "https://m.media-amazon.com/images/I/41CKyQ-cUlL.jpg", "https://m.media-amazon.com/images/I/41xjF0WUW4L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Stands", "average_rating": 4.2, "small_description": ["One-touch Technology with semi-automatic spring tension for easy opening ", "Premium metal minimalistic design with secure magnet closure ", "Universal compatibility with majority of mobile devices and phone cases ", "Durable 3M adhesive for secure attachment ", "Hands free viewing experience for your everyday convenience. (Landscape) "], "total_reviews": 3281, "total_answered_questions": 101, "model": "000EM20860", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "$11.99", "price": 11.99, "image": "https://m.media-amazon.com/images/I/31T4nypeStL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01N1JNAAK/ref=twister_B01LY8WFVF?_encoding=UTF8&psc=1", "value": "Rose Gold", "price_string": "$11.99", "price": 11.99, "image": "https://m.media-amazon.com/images/I/31Va8lbrnML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01HP15P60/ref=twister_B01LY8WFVF?_encoding=UTF8&psc=1", "value": "Silver", "price_string": "$11.99", "price": 11.99, "image": "https://m.media-amazon.com/images/I/311qH3n+GkL.jpg"}]}, "seller_id": "A2SFKRF5TPZMT5", "seller_name": "Spigen Inc", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B01LW6NN8T", "category": "electronics", "query": "Cell Phones", "page": 110, "small_description_old": "About this item One-touch Technology with semi-automatic spring tension for easy opening Premium metal minimalistic design with secure magnet closure Universal compatibility with majority of mobile devices and phone cases Durable 3M adhesive for secure attachment Hands free viewing experience for your everyday convenience. (Landscape)"}, {"name": "Stylus Pens for iPad, Touch Screens Stylus Pencils High Sensitivity Disc & Fiber Tip Universal Stylus with Magnetic Cap Compatible with iPad, iPhone, Android, Microsoft Tablets", "product_information": {"Product Dimensions": "6.4 x 2.6 x 0.39 inches", "Item Weight": "2.39 ounces", "ASIN": "B08T6Y8VVT", "Customer Reviews": {"ratings_count": 1419, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#18 in Styluses"], "Date First Available": "January 16, 2021", "Manufacturer": "OOCLCURFUL"}, "brand": "Brand: OOCLCURFUL", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=OOCLCURFUL", "full_description": "", "pricing": "$13.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41cG+1M-wGL.jpg", "https://m.media-amazon.com/images/I/51xDVUOxeGL.jpg", "https://m.media-amazon.com/images/I/41hUTbDQNML.jpg", "https://m.media-amazon.com/images/I/41eGkf3tCVL.jpg", "https://m.media-amazon.com/images/I/41c0xbziyQL.jpg", "https://m.media-amazon.com/images/I/51AfJXznxZL.jpg", "https://m.media-amazon.com/images/I/51ijB8sDCLL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Tablet Accessories \u203a Styluses", "average_rating": 4.6, "small_description": ["\u3010Two-Way Magnetic Cap Features\u3011 - Magnetically attached cap will absorb in each end of stylus pens. Maximum protection on both sides of the pen. Makes it feels more like a real pen, durable and convenient ", "\u30102 in 1 Design\u3011 - One end is disc tip, perfect for handwriting and detail drawing; The other end is durable fiber tip (just like you fingers but more accuracy ) perfect for normal use such as scroll webpage, gaming ", "\u3010Accuracy & Sensitivity\u3011 - Touch screen pencil tip is clear and thin which allows you to see through and point to right position. You can get a quieter and more accurate writing or painting experience ", "\u3010Universal Stylus\u3011 - All Touch Screens including iPhone, iPad, iPad pro, iPad mini, Cellphones, notes, Tablets, Touch screen computers, Kindles and all other touch screens ", "\u3010Replaceable Tips\u3011 - The two stylus pencils come with 4 spare disc tips and 2 spare fiber tips. The two ends of the stylus pen are replaceable "], "total_reviews": 1419, "total_answered_questions": 16, "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09G6GD8Z1/ref=twister_B09T6TCTGQ?_encoding=UTF8&psc=1", "value": "Black/Blue", "price_string": "$19.99", "price": 19.99, "image": "https://m.media-amazon.com/images/I/31SlwUX65OL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08T7CH16L/ref=twister_B09T6TCTGQ?_encoding=UTF8&psc=1", "value": "Jet Black/Off White", "price_string": "$18.99", "price": 18.99, "image": "https://m.media-amazon.com/images/I/31mxvADjezL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09G6G9LF2/ref=twister_B09T6TCTGQ?_encoding=UTF8&psc=1", "value": "White/Blue", "price_string": "$17.99", "price": 17.99, "image": "https://m.media-amazon.com/images/I/316Uu8P7CJL.jpg"}, {"is_selected": true, "url": null, "value": "white/rose gold", "price_string": "$13.99", "price": 13.99, "image": "https://m.media-amazon.com/images/I/41cG+1M-wGL.jpg"}]}, "seller_id": "A1LUD5NVDGTV07", "seller_name": "OOCLCURFUL", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08T6Y8VVT", "category": "electronics", "query": "iPhone Accessories", "page": 316, "small_description_old": "About this item\n \n\u3010Two-Way Magnetic Cap Features\u3011 - Magnetically attached cap will absorb in each end of stylus pens. Maximum protection on both sides of the pen. Makes it feels more like a real pen, durable and convenient \u30102 in 1 Design\u3011 - One end is disc tip, perfect for handwriting and detail drawing; The other end is durable fiber tip (just like you fingers but more accuracy ) perfect for normal use such as scroll webpage, gaming \u3010Accuracy & Sensitivity\u3011 - Touch screen pencil tip is clear and thin which allows you to see through and point to right position. You can get a quieter and more accurate writing or painting experience \u3010Universal Stylus\u3011 - All Touch Screens including iPhone, iPad, iPad pro, iPad mini, Cellphones, notes, Tablets, Touch screen computers, Kindles and all other touch screens \u3010Replaceable Tips\u3011 - The two stylus pencils come with 4 spare disc tips and 2 spare fiber tips. The two ends of the stylus pen are replaceable"}, {"name": "Rivetino Eyeshadow Palette, Professional 30 Color Spotlight Eye Shadow Matte Shimmer Makeup Pallet Highly Pigmented Colorful Powder Long Lasting Waterproof Eye Shadow", "product_information": {"Package Dimensions": "10.75 x 7.36 x 0.43 inches", "Item model number": "KJ2YPGIKS220HP7UT3UV", "ASIN": "B08RCVFMQ7", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#952,424 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #11,013 in Eyeshadow"], "Item Weight": "6.4 ounces", "Department": "Eyeshadow", "Manufacturer": "Rivetino", "Date First Available": "December 27, 2020"}, "brand": "Visit the Rivetino Store", "brand_url": "https://www.amazon.com/stores/Sazemood/page/C680F611-B67E-4462-A815-BE1E75734610?ref_=ast_bln", "full_description": "Features: Rich colors, long-lasting and waterproof.Specification: Name: 30-color Eyeshadow PalettePacking List:Eyeshadow Palette*1", "pricing": "$15.87", "list_price": "", "availability_quantity": 7, "availability_status": "Only 7 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41HGaOa3miL.jpg", "https://m.media-amazon.com/images/I/51vv8Aw-yyL.jpg", "https://m.media-amazon.com/images/I/51QNczCBMNL.jpg", "https://m.media-amazon.com/images/I/514yd-auL+L.jpg", "https://m.media-amazon.com/images/I/41j6ySfxRtL.jpg", "https://m.media-amazon.com/images/I/51KVQtXoSPL.jpg", "https://m.media-amazon.com/images/I/419Ae4vTVTL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Eyes \u203a Eyeshadow", "average_rating": 5, "small_description": ["\u2605 1 . Rich colors and multiple styles: Single color or mixed color use, can produce changeable effects, match your own colors. ", "\u2605 2 . Easily outline deep and enchanting eye makeup: Matte, pearlescent combination, suitable for professional makeup or daily makeup. ", "\u2605 3 . Both matte and shimmer tones have smooth powder, creamy and velvety softness. The powdery texture is fine and easy to color and blend evenly with skin. The color transition is natural. ", "\u2605 4 . Super soft and easy to mix, suitable for daily makeup, such as smoky eye makeup, wedding makeup, party makeup, casual makeup, etc. ", "\u2605 5 . Smooth, delicate texture, long shiny effect and shiny luster, giving you comfortable user experience and shiny eyes. Highly pigmented and durable colors, keep your eye shadow makeup for a long time. "], "total_reviews": 1, "total_answered_questions": "", "model": "KJ2YPGIKS220HP7UT3UV", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "01", "price_string": "$15.87", "price": 15.87, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08RCV253M/ref=twister_B08RCT29JD?_encoding=UTF8&psc=1", "value": "02", "price_string": "$8.73", "price": 8.73, "image": null}]}, "seller_id": "A25FT91HFTVLS0", "seller_name": "Rivetino", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08RCVFMQ7", "category": "beauty", "query": "Makeup Palettes", "page": 164, "small_description_old": "About this item \u2605 1 . Rich colors and multiple styles: Single color or mixed color use, can produce changeable effects, match your own colors. \u2605 2 . Easily outline deep and enchanting eye makeup: Matte, pearlescent combination, suitable for professional makeup or daily makeup. \u2605 3 . Both matte and shimmer tones have smooth powder, creamy and velvety softness. The powdery texture is fine and easy to color and blend evenly with skin. The color transition is natural. \u2605 4 . Super soft and easy to mix, suitable for daily makeup, such as smoky eye makeup, wedding makeup, party makeup, casual makeup, etc. \u2605 5 . Smooth, delicate texture, long shiny effect and shiny luster, giving you comfortable user experience and shiny eyes. Highly pigmented and durable colors, keep your eye shadow makeup for a long time."}, {"name": "Onkyo 5.2 Channel Full 4K Bluetooth AV Home Theater Receiver + Polk 8\" 2 Way High-Performance Natural Surround Sound in-Wall Speaker System (Set of 6)", "product_information": {"Manufacturer": "ONKYO", "ASIN": "B074PBDJG9", "Is Discontinued By Manufacturer": "No", "Date First Available": "August 9, 2017"}, "brand": "Visit the Onkyo Store", "brand_url": "https://www.amazon.com/stores/Onkyo/page/53779672-BBC0-427B-97A1-90A646894D54?ref_=ast_bln", "full_description": "Onkyo 5.2 Channel Surround Sound Multimedia Home Theater Speaker SystemPower your party with the Onkyo 5.2 Channel Full 4K Ultra HD A/V Receiver. It outputs 80W per channel. With 4K Ultra HD and 3D pass-through via HDMI, and a total of four HDMI inputs with one HDMI output, you can connect many sources to your display and speakers. For additional connectivity, this system has Bluetooth and a front-panel USB input, which will accept portable USB devices and is compatible with MP3, WMA, and MPEG-4/AAC tracks.AV Receiver5.2 channel A/V Receiver with 70W per channel4K Ultra HD and 3D Pass-Through via HDMIBuilt-in Wireless BluetoothLatest HDMI 2.0a and HDCP 2.2 SpecificationsDual Subwoofer OutputsDolby TruHD, DTS-HD Master AudioAM & FM Direct TuningConnectivityInputs4 x HDMI2 x composite video1 x USB (front)1 x digital coaxial1 x optical TOSLINK3 x stereo RCAOutputs1 x HDMI1 x composite video2 x subwoofer pre-out1 x 1/4\" (6.4 mm) headphone (front)Polk 8\" 100 Watt 2 WAY In-Wall front/center speaker systemNatural Sound In-Wall speaker systemVersatile, Perfect Design for Front and Center ChannelsHigh-Capacity, High-Quality Customized Crossover Network8\" Kevlar Cone Woofer1-5/8\" Aluminum Dome Midrange Driver1\" Titanium Dome TweeterSwivel Tweeter and Midrange Driver100 W Maximum Input CapabilityPaintable Grille with Protective Cover IncludedSpeaker Dimensions (W x H x D) 8-3/4\" X 12-3/4\" X 3-1/8\"", "pricing": "$1,099.95", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/414NZb9C0dL.jpg", "https://m.media-amazon.com/images/I/41bWz5NTfyL.jpg", "https://m.media-amazon.com/images/I/41xj5FLFlNL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Home Audio", "average_rating": "", "small_description": ["Compact and powerful - Enhance your TV experience with rich, dynamic sound of the Onkyo 5.1 Channel Built In Surround Sound Multimedia Home Theater Speaker System ", "Bluetooth Wireless - Wireless connectivity for streaming from your Bluetooth compatible mobile device; smartphone, tablet, music player ", "AM/FM Tuner - A built-in digital FM/AM Stereo Tuner with 60 station preset memory (30 FM, 30 AM) lets you choose from a wide variety of radio, talk and music programming ", "In-Wall Speakers - An easy-to-install in-Wall speaker system that has magnetic grilles and high sound quality designed to meet various custom installation requirements ", "Speaker Wire - Includes 100ft CubeCable High Speed Speaker Wire "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "ADJ3LLQFDHE8C", "seller_name": "superior sales", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B074PBDJG9", "category": "electronics", "query": "Surround Sound Systems", "page": 130, "small_description_old": "About this item Compact and powerful - Enhance your TV experience with rich, dynamic sound of the Onkyo 5.1 Channel Built In Surround Sound Multimedia Home Theater Speaker System Bluetooth Wireless - Wireless connectivity for streaming from your Bluetooth compatible mobile device; smartphone, tablet, music player AM/FM Tuner - A built-in digital FM/AM Stereo Tuner with 60 station preset memory (30 FM, 30 AM) lets you choose from a wide variety of radio, talk and music programming In-Wall Speakers - An easy-to-install in-Wall speaker system that has magnetic grilles and high sound quality designed to meet various custom installation requirements Speaker Wire - Includes 100ft CubeCable High Speed Speaker Wire"}, {"name": "Permo Vintage Rustic Industrial 3-Lights Kitchen Island Chandelier Triple 3 Heads Pendant Hanging Ceiling Lighting Fixture with Oval Cone Clear Glass Shade (Antique)", "product_information": {"Brand": "\u200ePERMO", "Manufacturer": "\u200ePermo", "Item Weight": "\u200e9.28 pounds", "Package Dimensions": "\u200e34.1 x 9.7 x 8.5 inches", "Is Discontinued By Manufacturer": "\u200eNo", "Style": "\u200eAntique", "Color": "\u200eOval-antique", "Shape": "\u200eOval", "Material": "\u200eGlass, Metal", "Finish Types": "\u200eAntique", "Number of Lights": "\u200e3", "Voltage": "\u200e110 Volts", "Special Features": "\u200eNot Dimmable", "Shade Material": "\u200eGlass", "Light Direction": "\u200eDownlight", "Power Source": "\u200eHardwired", "Switch Installation Type": "\u200eCeiling Mount", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "Type of Bulb": "\u200eLED; Compact Fluorescent; Halogen; Incandescent", "Wattage": "\u200e60 watts", "ASIN": "B07Q87P8DQ", "Customer Reviews": {"ratings_count": 171, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#236,217 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #1,656 in Pendant Light Fixtures"], "Date First Available": "May 27, 2015"}, "brand": "Visit the PERMO Store", "brand_url": "https://www.amazon.com/stores/PERMO/page/B382FCBC-9006-4ED1-AC6C-D2C7BA80F9C1?ref_=ast_bln", "full_description": "Master Your D\u00e9cor with Exciting Permo Lighting! -Only your imagination will limit you. 1.Perfect for large entertaining spaces to sparkle like an airborne jewel. 2.Perfect for your beautiful kitchen appliances shine with updated kitchen lighting. 3.Perfect for dining room lighting to add warmth and atmosphere to your family's meals. 4.Perfect for living room to give an instant contemporary feel to your loved ones and guests. 5.Perfect for warehouse barn around a bright light fixture,you'll find that this seemingly small change has a huge impact on the space. 6.Perfect for kitchen, kitchen counter,kitchen island,bedroom,dining room,living room, reading corner,Brooklyn cafe,craft room,bar,restaurant,club,hallway,staircase... etc -Care instructions: 1.Wipe clean using a soft, dry cloth or static duster. 2.Avoid using harsh chemicals and abrasives as they may damage the finish. 3.Do not exceed specified wattage. 4.Please keep in mind that none of the lighting products that we sell include light bulbs. If you're interested in purchasing a bulb, you can search for \"vintage edison bulb\" on Amazon. You can also search for \"permo lighting\" on Amazon as a quick way to find all of our other great products. -Return Policy: We want you to love it. If you don't, please feel free contact us for the after-sales-services.", "pricing": "$94.99", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31Q8ry7stvL.jpg", "https://m.media-amazon.com/images/I/41WTOCwF9aL.jpg", "https://m.media-amazon.com/images/I/31gi5ek0i8L.jpg", "https://m.media-amazon.com/images/I/31VuRAJlC5L.jpg", "https://m.media-amazon.com/images/I/31ulp6yYBCL.jpg", "https://m.media-amazon.com/images/I/31xv8j40gVL.jpg", "https://m.media-amazon.com/images/I/A1moX8360zL.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Ceiling Lights \u203a Pendant Lights", "average_rating": 4.6, "small_description": ["E26, bulb NOT included. Compatible bulb Type: LED; Compact Fluorescent (CFL); Halogen; Incandescent. (60W max) ", "Black hanging cord, hard wired fixture. Cord can be professionally shortened to the desired length up to 78.7\" (200 cm) for versatile placement options. ", "On/off switch located on socket. If you have a wall switch or dimmer already in place then just leave the twist switch in the on position and control it with your wall switch. ", "Straight bar ceiling plate length 33.5\" (85 cm) x height 2.5\" (6.3 cm). Shade diameter 5.6\" (14.3 cm); Hardwired (Installation Required); Includes all mounting hardware for quick and easy installation. ", "One year warranty against defects in materials and workmanship. Replacement can be applied for any shade damaged or missing parts upon open box. For more spare replacement glass shade,please search ASIN: B073S38J3N. "], "total_reviews": 171, "total_answered_questions": 51, "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07Q71LX2V/ref=twister_B00YC94Z24?_encoding=UTF8&psc=1", "value": "Funnel-antique", "price_string": "$132.99", "price": 132.99, "image": "https://m.media-amazon.com/images/I/31SyTeeFYOL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075TZPQMY/ref=twister_B00YC94Z24?_encoding=UTF8&psc=1", "value": "Funnel-black", "price_string": "$189.99", "price": 189.99, "image": "https://m.media-amazon.com/images/I/31BA+mnhNaL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07Q4S4PR6/ref=twister_B00YC94Z24?_encoding=UTF8&psc=1", "value": "Globe-antique", "price_string": "$189.99", "price": 189.99, "image": "https://m.media-amazon.com/images/I/31Xd4rs9yLL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075TZLXTB/ref=twister_B00YC94Z24?_encoding=UTF8&psc=1", "value": "Globe-black", "price_string": "$189.99", "price": 189.99, "image": "https://m.media-amazon.com/images/I/31So+zZ8NZL.jpg"}, {"is_selected": true, "url": null, "value": "Oval-antique", "price_string": "$94.99", "price": 94.99, "image": "https://m.media-amazon.com/images/I/31Q8ry7stvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075TZ2L2G/ref=twister_B00YC94Z24?_encoding=UTF8&psc=1", "value": "Oval-black", "price_string": "$189.99", "price": 189.99, "image": "https://m.media-amazon.com/images/I/31Qw7RwPGaL.jpg"}]}, "seller_id": "A2T7G9Q3QJ4JUS", "seller_name": "Permo Lighting", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07Q87P8DQ", "category": "garden", "query": "Pendants and Chandeliers", "page": 55, "small_description_old": "About this item E26, bulb NOT included. Compatible bulb Type: LED; Compact Fluorescent (CFL); Halogen; Incandescent. (60W max) Black hanging cord, hard wired fixture. Cord can be professionally shortened to the desired length up to 78.7\" (200 cm) for versatile placement options. On/off switch located on socket. If you have a wall switch or dimmer already in place then just leave the twist switch in the on position and control it with your wall switch. Straight bar ceiling plate length 33.5\" (85 cm) x height 2.5\" (6.3 cm). Shade diameter 5.6\" (14.3 cm); Hardwired (Installation Required); Includes all mounting hardware for quick and easy installation. One year warranty against defects in materials and workmanship. Replacement can be applied for any shade damaged or missing parts upon open box. For more spare replacement glass shade,please search ASIN: B073S38J3N. \n \u203a See more product details"}, {"name": "It's In My DNA Palestinian Shirt Arabic Gifts Palestine Flag Tank Top", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10 x 8 x 1 inches; 4.8 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n December 26, 2021", "Manufacturer\n \u200f": "\u200e\n It's In My DNA Tee", "ASIN\n \u200f": "\u200e\n B09P7H5YK7", "": ""}, "brand": "Brand: It's In My DNA Tee", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=It%27s+In+My+DNA+Tee", "full_description": "", "pricing": "$19.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/A1Ig7DnP6sL.png", "https://m.media-amazon.com/images/I/31tbrimDw7L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Women \u203a Tops & Tees \u203a Tanks & Camis", "average_rating": "", "small_description": ["Solid colors: 100% Cotton; Heather Grey: 90% Cotton, 10% Polyester; All Other Heathers: 50% Cotton, 50% Polyester ", "Imported ", "Machine Wash ", "Perfect Gift Idea for Men, Women, Kids - It's In My Palestinian T-Shirt. Great Present for Natives of Palestine, human rights activists, muslims, Football fan, Soccer lover, basketball player, tourist, traveler on Birthday, Christmas, Thanksgiving, Ramadan ", "I love Gaza City | Gaza City | Jerusalem TShirt for trip to Islamic Country, Retirement parents, dad, mom, mother, father, son, daughter, grandma, grandpa, brother, boyfriend, wife, husband. Combine This tee with jewelry, dress, key chain, scarf, hijab ", "Lightweight, Classic fit, Double-needle sleeve and bottom hem "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Fit Type": [{"is_selected": true, "url": null, "value": "Men", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P7H5YK7?_encoding=UTF8&customId=B07MZQH9ZH", "value": "Women", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1Ig7DnP6sL.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P7H5YK7?_encoding=UTF8&customId=B07MZQFLP1", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1FAfhw%2B74L.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P7H5YK7?_encoding=UTF8&customId=B07MZQFLPZ", "value": "Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1ZqcntcDVL.png"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B07MZP9QWJ"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07MZPH245"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07MZPVTSY"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07MZQH9YH"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07MZQ58TP"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09P7H5YK7", "category": "fashion", "query": "Men's Dress Shirts", "page": 198, "small_description_old": "Solid colors: 100% Cotton; Heather Grey: 90% Cotton, 10% Polyester; All Other Heathers: 50% Cotton, 50% Polyester Imported Machine Wash Perfect Gift Idea for Men, Women, Kids - It's In My Palestinian T-Shirt. Great Present for Natives of Palestine, human rights activists, muslims, Football fan, Soccer lover, basketball player, tourist, traveler on Birthday, Christmas, Thanksgiving, Ramadan I love Gaza City | Gaza City | Jerusalem TShirt for trip to Islamic Country, Retirement parents, dad, mom, mother, father, son, daughter, grandma, grandpa, brother, boyfriend, wife, husband. Combine This tee with jewelry, dress, key chain, scarf, hijab Lightweight, Classic fit, Double-needle sleeve and bottom hem"}, {"name": ":ratio PROTEIN Yogurt Cultured Dairy Snack, Vanilla, Low Sugar, 24 oz", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 4.62 x 4.5 x 4.62 inches; 1.5 Pounds", "UPC\n \u200f": "\u200e\n 070470181387", "Manufacturer\n \u200f": "\u200e\n General Mills", "ASIN\n \u200f": "\u200e\n B08X6N3L2Z", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the :ratio Store", "brand_url": "https://www.amazon.com/stores/+%3Aratio/page/DCBC09C0-77A0-47CF-AEA1-72FB84FA5233?ref_=ast_bln", "full_description": "At :ratio\u2122, we've done the math for you so you can spend less time reading labels and more time living. Made with ultra-filtered milk, we make it simple for you to strike a unique combination of protein, carbs, and sugar to keep you going.", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/51xHvdWQwQS.jpg", "https://m.media-amazon.com/images/I/41xKqQGmZkS.jpg", "https://m.media-amazon.com/images/I/419l747G9SS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Dairy, Cheese & Eggs \u203a Yogurt", "average_rating": 4.6, "small_description": ["PROTEIN: :ratio Protein has 28G protein, 4x the protein of leading traditional yogurt ", "DELICIOUS TASTE: Enjoy :ratio, a yogurt cultured dairy snack, featuring a creamy texture and ultra-smooth vanilla taste ", "GREAT BREAKFAST: With 28g protein, 4g sugar, 8g net carbs (8g net carbs = 10g total carbs - 2g sugar alcohol) :ratio Protein dairy snack is a great option for breakfast or an on-the-go snack ", "ENDLESS OPTIONS: Try :ratio Protein yogurt cultured dairy snacks in Strawberry, Blueberry, Key Lime and Coconut flavors ", "CONTAINS: 24 oz "], "total_reviews": 18, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08X6N3L2Z", "category": "grocery", "query": "Yogurt", "page": 13, "small_description_old": "About this item PROTEIN: :ratio Protein has 28G protein, 4x the protein of leading traditional yogurt DELICIOUS TASTE: Enjoy :ratio, a yogurt cultured dairy snack, featuring a creamy texture and ultra-smooth vanilla taste GREAT BREAKFAST: With 28g protein, 4g sugar, 8g net carbs (8g net carbs = 10g total carbs - 2g sugar alcohol) :ratio Protein dairy snack is a great option for breakfast or an on-the-go snack ENDLESS OPTIONS: Try :ratio Protein yogurt cultured dairy snacks in Strawberry, Blueberry, Key Lime and Coconut flavors CONTAINS: 24 oz"}, {"name": "T54FJ 8858x Laptop Battery for Dell Latitude E6420 E6430 E6440 E6520 E6530 E6540 E5520 E5530 E5420 E5430, Inspiron 17r-7720 17r-se-7720 17r-5720 15r-5520 15r-7520 [65Wh 11.1V 6 Cell]", "product_information": {"Package Dimensions": "9.72 x 3.62 x 1.93 inches", "Item Weight": "12.7 ounces", "ASIN": "B07WV38GWM", "Item model number": "E6420", "Batteries": "1 Lithium ion batteries required. (included)", "Customer Reviews": {"ratings_count": 153, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#11,597 in Electronics (See Top 100 in Electronics) #164 in Laptop Batteries"], "Date First Available": "August 22, 2019", "Manufacturer": "DongGuan Simer Electronics Co.,LTD", "Country of Origin": "China"}, "brand": "Brand: NATNO", "brand_url": "https://www.amazon.com/NATNO/b/ref=bl_dp_s_web_20552216011?ie=UTF8&node=20552216011&field-lbr_brands_browse-bin=NATNO", "full_description": "", "pricing": "$26.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/3113FA0N8RL.jpg", "https://m.media-amazon.com/images/I/41E3BWvo4tL.jpg", "https://m.media-amazon.com/images/I/51oi+h-yvpL.jpg", "https://m.media-amazon.com/images/I/41Y8e6sFYRL.jpg", "https://m.media-amazon.com/images/I/41fArpsy2LL.jpg", "https://m.media-amazon.com/images/I/412neAokmeL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Laptop Accessories \u203a Batteries", "average_rating": 4.2, "small_description": ["Battery type: Li-ion / Capacity: 65Wh / Voltage: 11.1 V / 6-cell ", "Compatible Model:Dell Latitude E6520 E6530 E6540 E6420 E6430 E6440 E6330 E6320 E6230 E6220 E5520 E5530 E5420 E5430 / Precision M2800 / Dell inspiron 14R 15R 17R 17R-SE Series 15R-4520 15R-5520 15R-5525 15R-7520 15R-SE-4520 15R-SE-5520 15R-SE-7520 15R-SE 15R Turbo 17R-4720 17R-5720 17R-7720 17R-SE-4720 17R-SE-5720 17R-SE-7720 17R Turbo 14R-4420 14R-5420 14R-5425 14R-7420 ", "Compatible P/N:N3X1D 71R31 P8TC7 P9TJ0 R48V3 PRRRF RU485 T54F3 T54FJ UJ499 YKF0M X57F1 04NW9 312-1163 312-1242 312-1310 312-1311 451-11947 8858X 8P3YX 911MD HCJWT KJ321 M5Y0X NHXVW 2P2MJ 312-1165 312-1323 312-1324 12-1325 451-11704 4YRJH CWVXW DHT0W M1Y7N PRV1Y 911MD ", "100% Brand NEW replacement / CE,FCC,RoHS Certified for Safety ", "30 Days Money Back or Free Exchange Guarantee,12 Months Warranty "], "total_reviews": 153, "total_answered_questions": 7, "model": "E6420", "customization_options": "", "seller_id": "A3VQWEI3QA784S", "seller_name": "Natno", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07WV38GWM", "category": "electronics", "query": "Batteries", "page": 142, "small_description_old": "About this item\n \nBattery type: Li-ion / Capacity: 65Wh / Voltage: 11.1 V / 6-cell Compatible Model:Dell Latitude E6520 E6530 E6540 E6420 E6430 E6440 E6330 E6320 E6230 E6220 E5520 E5530 E5420 E5430 / Precision M2800 / Dell inspiron 14R 15R 17R 17R-SE Series 15R-4520 15R-5520 15R-5525 15R-7520 15R-SE-4520 15R-SE-5520 15R-SE-7520 15R-SE 15R Turbo 17R-4720 17R-5720 17R-7720 17R-SE-4720 17R-SE-5720 17R-SE-7720 17R Turbo 14R-4420 14R-5420 14R-5425 14R-7420 Compatible P/N:N3X1D 71R31 P8TC7 P9TJ0 R48V3 PRRRF RU485 T54F3 T54FJ UJ499 YKF0M X57F1 04NW9 312-1163 312-1242 312-1310 312-1311 451-11947 8858X 8P3YX 911MD HCJWT KJ321 M5Y0X NHXVW 2P2MJ 312-1165 312-1323 312-1324 12-1325 451-11704 4YRJH CWVXW DHT0W M1Y7N PRV1Y 911MD 100% Brand NEW replacement / CE,FCC,RoHS Certified for Safety 30 Days Money Back or Free Exchange Guarantee,12 Months Warranty"}, {"name": "Seki Japan Face Beauty Trimmer, Women's Facial Razor, Disposable Facial Hair Removal Groomer, with Safety Cover 3 Pieces", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 5.83 x 2.36 x 0.28 inches; 0.71 Ounces", "UPC\n \u200f": "\u200e\n 191308814267", "Manufacturer\n \u200f": "\u200e\n Seki Japan", "ASIN\n \u200f": "\u200e\n B08NB29KXH", "Best Sellers Rank": "#403,982 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#377 in Eyebrow Hair Trimmers", "#377 in Eyebrow Hair Trimmers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Seki Japan", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Seki+Japan", "full_description": "Seki Japan Face Beauty Trimmer , Women's Facial Razor, Disposable Facial Hair Removal Groomer, with Safety Cover 3 PiecesPerfect for removing facial hair from the cheeks, chin, forehead, and eyebrows. It can also remove unwanted hair from your legs, arms, and armpits. Also good for shaping eyebrows and sideburns with ease. It is not only popular among women but also men with sensitive skin.The blade is made with high-quality stainless steel. Once it touches the hair, it can cut it off right away. It easily smooths away peach fuzz and also cuts thick unwanted hair off. There is an angle between the handle and the blade. The blade with the uneven surface has a safeguard to protect your skin from damage. You can use it safely.The safety cap makes it easy to carry around while traveling with your family or partners. You can put it in your bag and use it whenever you need. It is disposable, so you can throw it away after use.Handle: 8.5cm(3.3inch), Blade: 4cm(1.6inch), Weight: 8g(0.3oz)Seki city is known for its cutlery industry and manufactures the majority of cutlery, such as kitchen knives, Japanese swords, pocket knives, scissors, letter openers, etc., within the nation. The Seki cutlery is famous for its high quality not only domestically but also overseas. These strong and precise knives are made one by one by Japanese craftsmen.", "pricing": "$8.10", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31l7EEaDyRL.jpg", "https://m.media-amazon.com/images/I/4182I0q3riL.jpg", "https://m.media-amazon.com/images/I/41aj1eyyyLL.jpg", "https://m.media-amazon.com/images/I/41GlVa8dOzL.jpg", "https://m.media-amazon.com/images/I/416aGNwkZ7L.jpg", "https://m.media-amazon.com/images/I/31oUJpnGNpL.jpg", "https://m.media-amazon.com/images/I/41moWt6ab0L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Shave & Hair Removal \u203a Men's \u203a Eyebrow Trimmers", "average_rating": 5, "small_description": ["Perfect for removing facial hair from the cheeks, chin, forehead, and eyebrows. It can also remove unwanted hair from your legs, arms, and armpits. Also good for shaping eyebrows and sideburns with ease. It is not only popular among women but also men with sensitive skin. ", "The blade is made with high-quality stainless steel. Once it touches the hair, it can cut it off right away. It easily smooths away peach fuzz and also cuts thick unwanted hair off. There is an angle between the handle and the blade. The blade with the uneven surface has a safeguard to protect your skin from damage. You can use it safely. ", "The safety cap makes it easy to carry around while traveling with your family or partners. You can put it in your bag and use it whenever you need. It is disposable, so you can throw it away after use. ", "Handle: 8.5cm(3.3inch), Blade: 4cm(1.6inch), Weight: 8g(0.3oz) ", "Seki city is known for its cutlery industry and manufactures the majority of cutlery, such as kitchen knives, Japanese swords, pocket knives, scissors, letter openers, etc., within the nation. The Seki cutlery is famous for its high quality not only domestically but also overseas. These strong and precise knives are made one by one by Japanese craftsmen. "], "total_reviews": 3, "total_answered_questions": "", "customization_options": "", "seller_id": "A2IHFYXL8J5X97", "seller_name": "zipangu com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08NB29KXH", "category": "beauty", "query": "Shave & Hair Removal", "page": 42, "small_description_old": "About this item Perfect for removing facial hair from the cheeks, chin, forehead, and eyebrows. It can also remove unwanted hair from your legs, arms, and armpits. Also good for shaping eyebrows and sideburns with ease. It is not only popular among women but also men with sensitive skin. The blade is made with high-quality stainless steel. Once it touches the hair, it can cut it off right away. It easily smooths away peach fuzz and also cuts thick unwanted hair off. There is an angle between the handle and the blade. The blade with the uneven surface has a safeguard to protect your skin from damage. You can use it safely. The safety cap makes it easy to carry around while traveling with your family or partners. You can put it in your bag and use it whenever you need. It is disposable, so you can throw it away after use. Handle: 8.5cm(3.3inch), Blade: 4cm(1.6inch), Weight: 8g(0.3oz) Seki city is known for its cutlery industry and manufactures the majority of cutlery, such as kitchen knives, Japanese swords, pocket knives, scissors, letter openers, etc., within the nation. The Seki cutlery is famous for its high quality not only domestically but also overseas. These strong and precise knives are made one by one by Japanese craftsmen."}, {"name": "IETONE 3 Pcs Portable Cylinder Face Oil-Absorbing Volcanic Roller, Reusable Volcanic Stone Facial Oil Remover Tools, Women Face Care Makeup Styling Keeper, Skincare Massage T-zone Oil Control Tools", "product_information": {"Manufacturer\n \u200f": "\u200e\n IETONE", "ASIN\n \u200f": "\u200e\n B09QMGM5S3", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Visit the IETONE Store", "brand_url": "https://www.amazon.com/stores/IETONE/page/C10E7F47-7138-4965-BF35-23F6E6A19F96?ref_=ast_bln", "full_description": "Material:Plastic, Volcanic Size:7 x 2.5cm Color: Black, Pink, White Package included: 3 x Multicolor Women Face Care Oil Remover Sticks HOW TO USE You just need to aim it gently at the oily area on your face and gently roll and massage it to easily absorb the excess oil. After use, cover the lid and put it back to the original place without occupying any space. EASY TO USE Built-in special ball design, rolling is silkier and easier, gently or wherever the skin is shiny, rolling the face rollers. The oil on the face will disappear. PORTABLE This oil-absorbing roller is reusable and has a small and fashionable appearance. The mini size can be carried around, allowing you to massage your face or remove excess oil from your face before travel or parties. MASSAGE SKIN There are many small pores on the surface, just like pores on the skin. Soaking in essential oils can gradually absorb essential oil components. Combined with the modulated essential oils, it can solve many annoying skin problems. EASY TO CLEAN Unlike blotting papers for oily skin that are used once and thrown out, this oil-absorbing roller is reusable. To clean, twist the roller\u2019s ring to unlock, and pull out the stone. Wash with a gentle cleanser, rinse, and air-dry before locking it back in.", "pricing": "$10.99", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/31TNzn3k5wL.jpg", "https://m.media-amazon.com/images/I/41-VuHJ+2gL.jpg", "https://m.media-amazon.com/images/I/41Kv28jkpaL.jpg", "https://m.media-amazon.com/images/I/41nCm1vXX4L.jpg", "https://m.media-amazon.com/images/I/31BbcL-5gwL.jpg", "https://m.media-amazon.com/images/I/31nleqx08YL.jpg", "https://m.media-amazon.com/images/I/31g5hSBqMxL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Face \u203a Creams & Moisturizers \u203a Face Oil", "average_rating": "", "small_description": "HOW TO USE -- You just need to aim it gently at the oily area on your face and gently roll and massage it to easily absorb the excess oil. After use, cover the lid and put it back to the original place without occupying any space. EASY TO USE -- Built-in special ball design, rolling is silkier and easier, gently or wherever the skin is shiny, rolling the face rollers. The oil on the face will disappear. PORTABLE -- This oil-absorbing roller is reusable and has a small and fashionable appearance. The mini size can be carried around, allowing you to massage your face or remove excess oil from your face before travel or parties. MASSAGE SKIN -- There are many small pores on the surface, just like pores on the skin. Soaking in essential oils can gradually absorb essential oil components. Combined with the modulated essential oils, it can solve many annoying skin problems. EASY TO CLEAN -- Unlike blotting papers for oily skin that are used once and thrown out, this oil-absorbing roller is reusable. To clean, twist the roller\u2019s ring to unlock, and pull out the stone. Wash with a gentle cleanser, rinse, and air-dry before locking it back in.", "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AN3ZMEIQ7XRN7", "seller_name": "IETONE", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QMGM5S3", "category": "beauty", "query": "Makeup Remover", "page": 189, "small_description_old": "HOW TO USE -- You just need to aim it gently at the oily area on your face and gently roll and massage it to easily absorb the excess oil. After use, cover the lid and put it back to the original place without occupying any space. EASY TO USE -- Built-in special ball design, rolling is silkier and easier, gently or wherever the skin is shiny, rolling the face rollers. The oil on the face will disappear. PORTABLE -- This oil-absorbing roller is reusable and has a small and fashionable appearance. The mini size can be carried around, allowing you to massage your face or remove excess oil from your face before travel or parties. MASSAGE SKIN -- There are many small pores on the surface, just like pores on the skin. Soaking in essential oils can gradually absorb essential oil components. Combined with the modulated essential oils, it can solve many annoying skin problems. EASY TO CLEAN -- Unlike blotting papers for oily skin that are used once and thrown out, this oil-absorbing roller is reusable. To clean, twist the roller\u2019s ring to unlock, and pull out the stone. Wash with a gentle cleanser, rinse, and air-dry before locking it back in."}, {"name": "Oral Prevent Interdental Brushes Smart Grip 0.80\u00a0mm Green, 1 Pack of 6 Pieces", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 5.51 x 2.95 x 0.51 inches; 0.71 Ounces", "Item model number\n \u200f": "\u200e\n 65000", "Date First Available\n \u200f": "\u200e\n August 8, 2019", "Manufacturer\n \u200f": "\u200e\n Oral Prevent", "ASIN\n \u200f": "\u200e\n B081QR9F3V", "Best Sellers Rank": "#1,029,944 in Health & Household (See Top 100 in Health & Household)#60 in Gum Stimulators", "#60 in Gum Stimulators": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Oral Prevent", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Oral+Prevent", "full_description": "Professional and sustainable Dental Care does not have a interdental brushes not really. Inter clean oral prevent\u00a0\u2013\u00a0the injury for a lifetime of healthy teeth. A stronger effect Easy to use, as well as Plaquereduzierende speak oral prevent", "pricing": "$15.72", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41txhzRJR4L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Gum Stimulators", "average_rating": 5, "small_description": ["6\u00a0Brushes Per Blister Packaging with 1SCHUTZKAPPE ", "Hygienic grip seal packaging ", "Includes usage Description and size guide "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "AP3VA1GJZM3EQ", "seller_name": "Amazon Global Store UK", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B081QR9F3V", "category": "beauty", "query": "Gum Stimulators", "page": 5, "small_description_old": "6\u00a0Brushes Per Blister Packaging with 1SCHUTZKAPPE Hygienic grip seal packaging Includes usage Description and size guide"}, {"name": "2 Pack - Stirrings Simple Classic Cocktail Mix Mojito -- 25.4 fl oz", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 10.28 x 8.39 x 6.81 inches; 6.05 Pounds", "UPC\n \u200f": "\u200e\n 618020799455", "Manufacturer\n \u200f": "\u200e\n Stirrings", "ASIN\n \u200f": "\u200e\n B07KK49655", "Best Sellers Rank": "#360,358 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#129 in Martini Cocktail Mixers", "#129 in Martini Cocktail Mixers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Stirrings Store", "brand_url": "https://www.amazon.com/stores/Stirrings/page/2D772418-2CD7-4FFA-8DBF-730BDA75FCCC?ref_=ast_bln", "full_description": "Mix Up A Magnificent Mojito The Mojito is a cooling effervescent cocktail inspired by Havana's vibrant lifestyle in the 1920's. Today, it's spirit lives on in this sweet blend of natural mint flavor, cane sugar and lime juice. After its founding in Nantucket in 1997, Stirrings made it its mission to use only the very best ingredients - real juice, triple-filtered water and a touch of imagination - because after all, better ingredients, make better cocktails. Thank you for trying Stirrings products.", "pricing": "$16.36", "list_price": "", "availability_quantity": 6, "availability_status": "Only 6 left in stock - order soon. Only 6 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41I57tHKYGL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Beverages \u203a Bottled Beverages, Water & Drink Mixes \u203a Cocktail Mixers \u203a Martini", "average_rating": 5, "small_description": ["Key Lime Juice Cocktail Blend from Concentrate ", "Simply Add Spirit To Make About 8 Cocktails ", "Non-Alcoholic Cocktail Mix "], "total_reviews": 6, "total_answered_questions": "", "customization_options": "", "seller_id": "A3AFTPXK3AVV55", "seller_name": "Naturals N' More", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B07KK49655", "category": "grocery", "query": "Alcoholic Beverages", "page": 81, "small_description_old": "Stirrings Mojito 25.4 Oz (Pack of 2) Key Lime Juice Cocktail Blend from Concentrate Simply Add Spirit To Make About 8 Cocktails Non-Alcoholic Cocktail Mix"}, {"name": "L'Erbolario - Iris - Deodorant Cream - Floral and Powdery Scent - Anti-perspirant Properties - Maintains Freshness, Protects Skin - Made with Marshmallow, 1.6 Oz", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 1.7 x 1.7 x 4.6 inches; 2.4 Ounces", "Item model number\n \u200f": "\u200e\n I0096290", "Manufacturer\n \u200f": "\u200e\n LErbolario", "ASIN\n \u200f": "\u200e\n B005X7IXTK", "Best Sellers Rank": "#538,665 in Health & Household (See Top 100 in Health & Household)#4,472 in Deodorant", "#4,472 in Deodorant": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the L'Erbolario Store", "brand_url": "https://www.amazon.com/stores/L%27Erbolario/page/B1101FA4-55E4-4C26-ADCF-EDF4AD855058?ref_=ast_bln", "full_description": "The inebriating scent of iris will provide long-lasting freshness, thanks to this pleasant deodorant Cream. With its very delicate formula, it effectively eliminates the unpleasant effects of perspiration and inhibits microbial growth and thus the degradation of sweat, without altering your skin's natural flora. All this combined with the aqueous extracts of iris and marsh mallow, which ensure gentle protection for the delicate skin of the underarm area.", "pricing": "$35.50", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41Kuvd3DMvL.jpg", "https://m.media-amazon.com/images/I/41EnIUmD27L.jpg", "https://m.media-amazon.com/images/I/61b-jVEamjL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Deodorants & Antiperspirants \u203a Deodorant", "average_rating": 4.7, "small_description": ["THE FLORAL SCENT OF IRIS - Rich and buttery body cream with sensual fragrance ", "SOFT, SMOOTHING PROPERTIES - This cream has softening properties that will leave you skin silly smooth ", "WE AIM TO MINIMIZE ALLERGIES - We monitor the content of seven heavy metals (Nickel, chromium, cadmium, lead, mercury, arsenic, antimony) on each batch of each of our products to minimize allergy ", "FOUNDED IN NORTHERN ITALY - Originating as a small artisian herbalist shop, L'Erbolario was born in Lodi, Italy by Franco Bergamaschi and his wife Daniela Villa in 1978 ", "ENVIRONMENTAL SUSTAINABILITY - All our products are made in Italy, are good for mankind, the environment, are organic, and are cruelty free. We believe in natural beauty and won\u2019t settle for anything less than certified quality "], "total_reviews": 327, "total_answered_questions": "", "customization_options": {"Scent": [{"is_selected": true, "url": null, "value": "Floral", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Kuvd3DMvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00MBJM1A0/ref=twister_B09JX4MRW2", "value": "woody scent", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41I4RjYe71L.jpg"}], "Size": [{"is_selected": true, "url": null, "value": "1.7 Ounce (Pack of 1)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00MBJM1A0/ref=twister_B09JX4MRW2", "value": "1.6 Ounce (Pack of 1)", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A34HEBEJQZW4CQ", "seller_name": "Solid blanc", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B005X7IXTK", "category": "beauty", "query": "Deodorants & Antiperspirants", "page": 22, "small_description_old": "About this item THE FLORAL SCENT OF IRIS - Rich and buttery body cream with sensual fragrance SOFT, SMOOTHING PROPERTIES - This cream has softening properties that will leave you skin silly smooth WE AIM TO MINIMIZE ALLERGIES - We monitor the content of seven heavy metals (Nickel, chromium, cadmium, lead, mercury, arsenic, antimony) on each batch of each of our products to minimize allergy FOUNDED IN NORTHERN ITALY - Originating as a small artisian herbalist shop, L'Erbolario was born in Lodi, Italy by Franco Bergamaschi and his wife Daniela Villa in 1978 ENVIRONMENTAL SUSTAINABILITY - All our products are made in Italy, are good for mankind, the environment, are organic, and are cruelty free. We believe in natural beauty and won\u2019t settle for anything less than certified quality"}, {"name": "Simayixx Christmas Gift Wigs Hair Extensions 24 Inches Synthetic Long Natural Black Thick Clip Straight Hair Stylish Fasionable Fabulous Hair Piece 6 Pieces Popular Hairstyle(E)", "product_information": {"Manufacturer\n \u200f": "\u200e\n Simayixx", "ASIN\n \u200f": "\u200e\n B09MM9NCQQ", "": ""}, "brand": "Brand: Simayixx", "brand_url": "https://www.amazon.com/Simayixx/b/ref=bl_dp_s_web_19621370011?ie=UTF8&node=19621370011&field-lbr_brands_browse-bin=Simayixx", "full_description": "Description:Weight:approx.144gLength : 23.6 InchesFeature:You can wash and drying it convenient.You can try different hair style,but needn\u2019t go to the hair salon.Use it all year round\uff0cwhether for costume\uff0cfashion\uff0cor just for fun\uff0ctable for/Party/Costume/Carnival/Masquerade.Feel very comfortable.How to wear extension properlyStep-1:Take hair extension and make sure the clip is open positionStep-2:Move up of the hair where you want to clip the extension and then clip it inStep-3:Move down the hair to cover up the extension to be more natural lookingStep-4 Repeat the same for the rest and check clips are clip in tight then you done changing a brand new pretty styleNote:1.The real color of the item may be slightly different from the pictures shown on websitecaused by many factors such as brightness of your monitor and light brightness.2.Please allow slight deviation for the measurement data.3.Please allow 1cm-2cm error due to the hand measurement .4.Don't curl it or straighten it by using any hair machinePackage:1 set x Hair Extensions Wig", "pricing": "$7.83", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41QD4AazubL.jpg", "https://m.media-amazon.com/images/I/51SUcHJAt1L.jpg", "https://m.media-amazon.com/images/I/31kIf+5VOyL.jpg", "https://m.media-amazon.com/images/I/41gUknbGnEL.jpg", "https://m.media-amazon.com/images/I/413BuNA6s9L.jpg", "https://m.media-amazon.com/images/I/51PVzI0XnIL.jpg", "https://m.media-amazon.com/images/I/41xQlbuNYSL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Extensions, Wigs & Accessories \u203a Hairpieces", "average_rating": "", "small_description": ["HAIR MATERIAL: clips for hair extension product uses synthetic material. Suitable for ladies and girls who have less hair and need to increase hair volume. If you want to turn short hair into long hair. ", "AFTER WEARING EFFECT:It can make your hair look very real like your own hair. And this Hair Extension can make your hair look longer, thicker, which is very easy to wear. You can trim and reshape your hair style according to your own hair length. ", "Can be Restyle or Shorn into your favorite style. ", "Transforming your look in seconds, provides secure and comfortable attachment for all day wear. ", "THE CLEANING METHOD: First, soak the hair in warm water with moderate amount of shampoo for 5 minutes. Second, clean and comb the hair, and put it in warm water with proper amount of conditioner and then soak it for 10 minutes. Third, squeeze the water with your hand and put it in the ventilated shade area. Please do not blow with a hair dryer, and don't wear it when sleeping or swimming. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09MM9DW1N/ref=twister_B09MMCHF12?_encoding=UTF8&psc=1", "value": "A", "price_string": "$7.83", "price": 7.83, "image": "https://m.media-amazon.com/images/I/41Vu4CR0pfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MM9VK2F/ref=twister_B09MMCHF12?_encoding=UTF8&psc=1", "value": "B", "price_string": "$7.83", "price": 7.83, "image": "https://m.media-amazon.com/images/I/41OtLqu40NL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MMB9FVF/ref=twister_B09MMCHF12?_encoding=UTF8&psc=1", "value": "C", "price_string": "$7.83", "price": 7.83, "image": "https://m.media-amazon.com/images/I/41wQ-7q8xnL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MM94FHV/ref=twister_B09MMCHF12?_encoding=UTF8&psc=1", "value": "D", "price_string": "$7.83", "price": 7.83, "image": "https://m.media-amazon.com/images/I/41JmSJBf7QL.jpg"}, {"is_selected": true, "url": null, "value": "E", "price_string": "$7.83", "price": 7.83, "image": "https://m.media-amazon.com/images/I/41QD4AazubL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MM8M65X/ref=twister_B09MMCHF12?_encoding=UTF8&psc=1", "value": "F", "price_string": "$7.83", "price": 7.83, "image": "https://m.media-amazon.com/images/I/41860fFODGL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MMB5SGW/ref=twister_B09MMCHF12?_encoding=UTF8&psc=1", "value": "G", "price_string": "$7.83", "price": 7.83, "image": "https://m.media-amazon.com/images/I/41UZp8HpJLL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MMBCDN3/ref=twister_B09MMCHF12?_encoding=UTF8&psc=1", "value": "H", "price_string": "$7.83", "price": 7.83, "image": "https://m.media-amazon.com/images/I/41Q6FU+xiIL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MM9VK2D/ref=twister_B09MMCHF12?_encoding=UTF8&psc=1", "value": "I", "price_string": "$7.83", "price": 7.83, "image": "https://m.media-amazon.com/images/I/31FJp1lqUEL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MMBGKTR/ref=twister_B09MMCHF12?_encoding=UTF8&psc=1", "value": "J", "price_string": "$7.83", "price": 7.83, "image": "https://m.media-amazon.com/images/I/3183EZ039oL.jpg"}]}, "seller_id": "A3UHURKB8Z3LSH", "seller_name": "Simayixx", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09MM9NCQQ", "category": "beauty", "query": "Hair Extensions, Wigs & Accessories", "page": 126, "small_description_old": "About this item HAIR MATERIAL: clips for hair extension product uses synthetic material. Suitable for ladies and girls who have less hair and need to increase hair volume. If you want to turn short hair into long hair. AFTER WEARING EFFECT:It can make your hair look very real like your own hair. And this Hair Extension can make your hair look longer, thicker, which is very easy to wear. You can trim and reshape your hair style according to your own hair length. Can be Restyle or Shorn into your favorite style. Transforming your look in seconds, provides secure and comfortable attachment for all day wear. THE CLEANING METHOD: First, soak the hair in warm water with moderate amount of shampoo for 5 minutes. Second, clean and comb the hair, and put it in warm water with proper amount of conditioner and then soak it for 10 minutes. Third, squeeze the water with your hand and put it in the ventilated shade area. Please do not blow with a hair dryer, and don't wear it when sleeping or swimming."}, {"name": "Rich's JW Allen Filling, Bavarian Cream, 496 Oz", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 12.76 x 12.4 x 10.98 inches; 31 Pounds", "UPC\n \u200f": "\u200e\n 750903028815", "Manufacturer\n \u200f": "\u200e\n Rich Products Food Service", "ASIN\n \u200f": "\u200e\n B00B04344Y", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#124,168 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#114 in Pie & Pastry Fillings", "#114 in Pie & Pastry Fillings": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Rich's Store", "brand_url": "https://www.amazon.com/stores/Rich+Products+Corporation/page/728986CE-7D9D-44B1-BF79-5D8B0B9F9FD6?ref_=ast_bln", "full_description": "Rich's, also known as rich products Corporation, is a family-owned food company dedicated to inspiring possibilities. From cakes and icings to pizza, appetizers and specialty toppings, our products are used in homes, restaurants and bakeries around the world. Beyond great food, Our customers also gain insights to help them stay competitive, no matter their size. Our portfolio includes creative solutions geared at helping food industry professionals compete in foodservice, retail, in-store bakery, Deli, and prepared foods, among others. Working in 100 locations globally, with annual sales exceeding $3.8 billion, Rich's is a global leader with a focus on everything that family makes possible. Rich\u2019s - infinite possibilities. One family. See images and bullets for more information.", "pricing": "$55.25", "list_price": "", "availability_quantity": 5, "availability_status": "Only 5 left in stock (more on the way).", "images": ["https://m.media-amazon.com/images/I/41eoPcuXY7L.jpg", "https://m.media-amazon.com/images/I/41oSB-vZwAL.jpg", "https://m.media-amazon.com/images/I/310lHbT38wL.jpg", "https://m.media-amazon.com/images/I/51ETMxXXhRL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Cooking & Baking \u203a Pie & Pastry Fillings", "average_rating": 3.9, "small_description": ["Amazing FLAVOR Our Bavarian creme filling is rich, creamy and ideal for spreading on sweet doughs, pastries, cakes and more. ", "Time saving convenience this ready-to-use filling will save you tons of prep time. Ideal for in-store bakery and foodservice use! ", "Versatility This Bavarian creme filling is great for spreading on everything from Sweet doughs and pastries to cakes and more. ", "Embrace your creativity our variety of icing and frosting flavors and colors provide you with the tools to create something remarkable. ", "Experience and Quality rich products Corporation is a trusted partner of exceptional products and business Solutions for leading bakery and foodservice outlets around the globe. "], "total_reviews": 35, "total_answered_questions": 6, "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B00B04344Y", "category": "grocery", "query": "Deli & Prepared Foods", "page": 42, "small_description_old": "About this item Amazing FLAVOR Our Bavarian creme filling is rich, creamy and ideal for spreading on sweet doughs, pastries, cakes and more. Time saving convenience this ready-to-use filling will save you tons of prep time. Ideal for in-store bakery and foodservice use! Versatility This Bavarian creme filling is great for spreading on everything from Sweet doughs and pastries to cakes and more. Embrace your creativity our variety of icing and frosting flavors and colors provide you with the tools to create something remarkable. Experience and Quality rich products Corporation is a trusted partner of exceptional products and business Solutions for leading bakery and foodservice outlets around the globe."}, {"name": "Gomadic Outdoor Waterproof Carrying case Suitable for The Samsung Acton to use Underwater - Keeps Device Clean and Dry", "product_information": {"Item Weight": "3.2 ounces", "ASIN": "B0049KSSKQ", "Item model number": "WPC-3554", "Date First Available": "January 1, 2009", "Manufacturer": "Gomadic"}, "brand": "Brand: Gomadic", "brand_url": "https://www.amazon.com/Gomadic/b/ref=bl_dp_s_web_2529501011?ie=UTF8&node=2529501011&field-lbr_brands_browse-bin=Gomadic", "full_description": "Whether you are heading to the beach or off on a camping trip, the Gomadic Waterproof bag is an effective and inexpensive way of protecting your Samsung Acton from the environment. Constructed of super strong TPU material and employing a simple and secure closure mechanism, our Gomadic Waterproof Case will provide unparalleled protection from sand, snow, rain, dust and water. Great for the beach, amusement park, swimming pool, camping, hiking, biking, and kayaking, to just name a few. Custom designed to safely and securely fit your Samsung Acton, it effectively acts as cost effective insurance in case of an accident!", "pricing": "$26.45", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/419X7wCI+8L.jpg", "https://m.media-amazon.com/images/I/51d8RR2-g+L.jpg", "https://m.media-amazon.com/images/I/51T9GFbhHtL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Underwater Photography \u203a Housings", "average_rating": "", "small_description": ["Specifications: Inner dimensions (Samsung Acton specific) weight (Base 3oz. empty) / Cleaning Cloth (included) / Detachable Strap (Yes) ", "Case is easy to operate and can be safely opened and securely closed in seconds ", "Designed to accommodate 100.6 x 53.8 x 13.4 mm - perfect for the Samsung Acton ", "Perfect for the beach, waterparks, swimming pools or any place where the elements could potentially damage the Samsung Acton. ", "Case is UV Protected, Anti-Scratch, and Transparent soft with a neck strap and cleaning cloth included. "], "total_reviews": "", "total_answered_questions": "", "model": "WPC-3554", "customization_options": "", "seller_id": "A2A0S1EFTOKAMN", "seller_name": "Gomadic Corp.", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0049KSSKQ", "category": "electronics", "query": "Underwater Photography", "page": 374, "small_description_old": "About this item\n \nSpecifications: Inner dimensions (Samsung Acton specific) weight (Base 3oz. empty) / Cleaning Cloth (included) / Detachable Strap (Yes) Case is easy to operate and can be safely opened and securely closed in seconds Designed to accommodate 100.6 x 53.8 x 13.4 mm - perfect for the Samsung Acton Perfect for the beach, waterparks, swimming pools or any place where the elements could potentially damage the Samsung Acton. Case is UV Protected, Anti-Scratch, and Transparent soft with a neck strap and cleaning cloth included."}, {"name": "Modern Black Plug in Cord Pendant Lights with 11.5ft Cord LED Hanging Lamps for Ceiling Wall Mounted Industrial Chandelier Lighting Metal Aluminum Cylinder Nordic Design Included Warm Lighting 2700k", "product_information": {"Brand": "\u200eLUSTORM 1", "Manufacturer": "\u200eLUSTORM", "Item Weight": "\u200e1.3 pounds", "Package Dimensions": "\u200e11.5 x 3.6 x 3.6 inches", "Style": "\u200eArt Deco", "Material": "\u200eAluminum, Metal", "Finish Types": "\u200eAntique", "Voltage": "\u200e110 Volts (AC)", "Specific Uses": "\u200eIndoor use only", "Special Features": "\u200eCorded", "Shade Material": "\u200eMetal", "Light Direction": "\u200eAdjustable", "Switch Installation Type": "\u200eHanging,Ceiling,Wall", "Type of Bulb": "\u200eLED", "ASIN": "B09GK4XTJG", "Best Sellers Rank": ["#356,240 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #2,705 in Pendant Light Fixtures"], "Date First Available": "September 17, 2021"}, "brand": "Brand: LUSTORM 1", "brand_url": "https://www.amazon.com/LUSTORM-1/b/ref=bl_dp_s_web_23578869011?ie=UTF8&node=23578869011&field-lbr_brands_browse-bin=LUSTORM+1", "full_description": "black Cylinder\uf0b7Farmhouse style is a charming decor scheme that\u2019s as cozy as it is chic. Whether you have adopted the farmhouse trend for your entire home or you\u2019re looking for a dash of the style here and there, it\u2019s compatible with almost any decor. Farmhouse style is superbly versatile, and it\u2019s a great choice to pull together an eclectic collection or to add unexpected warmth to minimalist or modern schemes. \uf0b7If you love farmhouse decor but are not sure where to start, look at your lights! Lighting fixtures in the farmhouse style run the gamut from antique-inspired to warm industrial to shabby-chic. To nail your farmhouse lighting ideas, start with your materials: Hemp rope, metal, and glass. And don\u2019t forget the bulbs. An interesting shape or antique bulb can really make your farmhouse lighting ideas pop and give them an interesting focal point. \uf0b7Material: Plastic Rope+Metal Lamp body \uf0b7Light source:2700-2800k warm light \uf0b7Total Cord Length: 11.5Ft(350cm). \uf0b7Voltage: 110V \uf0b7Switch Type: On/Off switch (on the cord)", "pricing": "$27.99", "list_price": "", "availability_quantity": 19, "availability_status": "Only 19 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41-JBh1ahjL.jpg", "https://m.media-amazon.com/images/I/21IgyXT8EvL.jpg", "https://m.media-amazon.com/images/I/41-PNezmCgL.jpg", "https://m.media-amazon.com/images/I/31cLmEKF2xL.jpg", "https://m.media-amazon.com/images/I/31mPrgmeQqL.jpg", "https://m.media-amazon.com/images/I/31e7ZqOQf4L.jpg", "https://m.media-amazon.com/images/I/51FXM91mvtL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Ceiling Lights \u203a Pendant Lights", "average_rating": "", "small_description": ["\u3010Premium Material\u3011Light cord is made of premium high temperature cable,The light body is made of metal with a layer of black anti-rust, the strong material of this metal lamp shade can ensure that you can install and remove easily.and also it will bringing a retro look to your area. ", "\u3010Size\u301111.5ft/350cm adjustable back rope with on/off switch design,Size of light body is 20cm/7.87\u201d*10cm/3.93\u201d,The pendant light is included the 2700k warm white lights source(5w LED 400 Lumens), the bulb is not replaceable. ", "\u3010Easy to use\u3011The package includes all mounting hardware for quick and easy installation. Hang the cord with 2 wall mounted connectors, then just plug and play. It only takes a few minutes to light up your area. ", "\u3010Free to Decorate\u3011This vintage pendant light cord kit will fulfill your DIY idea, Not only perfect for home decoration like living room, dining room, basement, farmhouse but also for the special occasions such as weddings, parties and celebrations as well. ", "\u3010 Best Retro Decor \u3011The modern pendant hanging light with the marvelous look are ideal for your hallway, farmhouse, stairway, kitchen, hallway, bedroom, dining room perfectly. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2W03GL5ONJ1D7", "seller_name": "LUSTORM", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09GK4XTJG", "category": "garden", "query": "Pendants and Chandeliers", "page": 150, "small_description_old": "About this item \u3010Premium Material\u3011Light cord is made of premium high temperature cable,The light body is made of metal with a layer of black anti-rust, the strong material of this metal lamp shade can ensure that you can install and remove easily.and also it will bringing a retro look to your area. \u3010Size\u301111.5ft/350cm adjustable back rope with on/off switch design,Size of light body is 20cm/7.87\u201d*10cm/3.93\u201d,The pendant light is included the 2700k warm white lights source(5w LED 400 Lumens), the bulb is not replaceable. \u3010Easy to use\u3011The package includes all mounting hardware for quick and easy installation. Hang the cord with 2 wall mounted connectors, then just plug and play. It only takes a few minutes to light up your area. \u3010Free to Decorate\u3011This vintage pendant light cord kit will fulfill your DIY idea, Not only perfect for home decoration like living room, dining room, basement, farmhouse but also for the special occasions such as weddings, parties and celebrations as well. \u3010 Best Retro Decor \u3011The modern pendant hanging light with the marvelous look are ideal for your hallway, farmhouse, stairway, kitchen, hallway, bedroom, dining room perfectly. \n \u203a See more product details"}, {"name": "Artificial Areca Palm Tree-Faux Tropical Fake Plant - Floor Dypsis Lutescens Silk Plants in Pot - 5 Ft Tall Fake Tree for Home Decor - Living Room, Patio, Office Indoor/Outdoor, K160", "product_information": {"Product Dimensions": "6 x 6 x 60 inches", "Item Weight": "11.1 pounds", "Manufacturer": "FLOWORLD", "ASIN": "B0943TLW3L", "Country of Origin": "China", "Customer Reviews": {"ratings_count": 19, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#21,438 in Home & Kitchen (See Top 100 in Home & Kitchen) #15 in Artificial Trees"], "Date First Available": "May 4, 2021"}, "brand": "Visit the FLOWORLD Store", "brand_url": "https://www.amazon.com/stores/Home/page/2167CC44-B192-43BF-AF59-0DA21AE1CB6F?ref_=ast_bln", "full_description": "", "pricing": "$99.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51nnEP9Cb7L.jpg", "https://m.media-amazon.com/images/I/51W3yCG9tnL.jpg", "https://m.media-amazon.com/images/I/51T9KUYYiNL.jpg", "https://m.media-amazon.com/images/I/51bmSYhcP8L.jpg", "https://m.media-amazon.com/images/I/518ftMd7xNL.jpg", "https://m.media-amazon.com/images/I/51QpydDbtwL.jpg", "https://m.media-amazon.com/images/I/81pOj0ncbJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Artificial Plants & Flowers \u203a Artificial Trees", "average_rating": 4.5, "small_description": ["All Season Green: Our artificial Dracaena plants are evergreen and do not change their appearance, color, or shed leaves due to weather fluctuations, not affected by seasonal changes. This indoor home decor artificial tree will give you the same perky and lively feel to your living room, kitchen, or dining room all year round. ", "Highly Simulated Design: The life-like trunk elevates your ensemble with an authentic appeal, while the silk green leaves lend a splash of color to any lackluster room. They are almost indistinguishable from real plants with their vivid color and exquisite workmanship. ", "Premium Quality: The material used in making this fake tall plant is long-lasting, safe and of advanced quality. They are water resistant due to the resilient coating applied to the leaves. And its base is made of solid cement which is not easy to be knocked down by children or pets. ", "Sturdy and Adjustable: When the artificial tree is taken out of the box, Simply bend, separate, and fluff the branches and leaves to achieve desired height and fullness. The tree in the pot can be placed into a larger planter. ", "Free Maintenance: There will be no requirement for you to water, feed, repot or prune for our faux floor plant. Our floor plant can cope with any fluctuations in temperature. All you have to do is turn the tree from time to time if it is in direct sunlight and brush the leaves to remove any dust or dirt. "], "total_reviews": 19, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "Areca", "price_string": "$99.99", "price": 99.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0943R9LYN/ref=twister_B09PQFS9YW?_encoding=UTF8&psc=1", "value": "Dracaena", "price_string": "$69.99", "price": 69.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0943W7216/ref=twister_B09PQFS9YW?_encoding=UTF8&psc=1", "value": "Elastica", "price_string": "$59.99", "price": 59.99, "image": null}]}, "seller_id": "A1GZNCWDLD6KNR", "seller_name": "Floworld store", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B0943TLW3L", "category": "garden", "query": "Artificial Plants", "page": 5, "small_description_old": "About this item\n \nEvergreen Decor: Tired of your live plants seasonally shed their followers and leaves? Why not try our evergreen silk plants. Our faux tropical palm trees slanc are not affected by changes in seasons. This silk tree can be perfectly applied both indoor and outdoor. Highly Simulated Design: The life-like trunk elevates your ensemble with an authentic appeal, while the silk green leaves lend a splash of color to any lackluster room. They are almost indistinguishable from real plants with their vivid color and exquisite workmanship. Premium Quality: The material used in making this Areca Palm artificial is long-lasting, safe and of advanced quality. They are water resistant due to the resilient coating applied to the leaves. And its base is made of solid cement which is not easy to be knocked down by children or pets. Sturdy and Adjustable: When the large artificial tree is taken out of the box, Simply bend, separate, and fluff the branches and leaves to achieve desired height and fullness. The tree in the pot can be placed into a larger planter. Free Maintenance: There will be no requirement for you to water, feed, repot or prune for our fake tree. Our floor plant can cope with any fluctuations in temperature. All you have to do is turn the plant from time to time if it is in direct sunlight and brush the leaves to remove any dust or dirt."}, {"name": "Cottoncolors Brand Window Film 3D Ecology Non Toxic Static Decoration for UV Rejection Heat Control Energy Saving Privacy Glass Stickers,35.4x78.7 Inches", "product_information": {"Product Dimensions": "78.74 x 35.43 x 0.02 inches", "Item Weight": "1.1 pounds", "Manufacturer": "CottonColors", "ASIN": "B00KM40FHM", "Item model number": "BLKM012", "Customer Reviews": {"ratings_count": 172, "stars": "4.3 out of 5 stars"}, "Best Sellers Rank": ["#926,707 in Home & Kitchen (See Top 100 in Home & Kitchen) #892 in Window Films"], "Is Discontinued By Manufacturer": "No", "Temperature rating degrees": "70 Degrees Celsius", "Ultraviolet light protection": "UV Protection", "Is Dishwasher Safe": "No", "Batteries Required?": "No"}, "brand": "Visit the CottonColors Store", "brand_url": "https://www.amazon.com/stores/CottonColors/page/EF89A44E-522E-4450-9032-2E0DDEBD8555?ref_=ast_bln", "full_description": "", "pricing": "$25.99", "list_price": "", "availability_quantity": 8, "availability_status": "Only 8 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/61ZBN99P2GS.jpg", "https://m.media-amazon.com/images/I/61DxDOzJfjL.jpg", "https://m.media-amazon.com/images/I/515Afdj3Z2L.jpg", "https://m.media-amazon.com/images/I/61sASjE68wL.jpg", "https://m.media-amazon.com/images/I/51k2eDTnHuL.jpg", "https://m.media-amazon.com/images/I/51S2pprYNzL.jpg", "https://m.media-amazon.com/images/I/A1GdeWSL6HL.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Window Treatments \u203a Window Stickers & Films \u203a Window Films", "average_rating": 4.3, "small_description": ["Save Money For Air-conditions And Heaters: Blocking Out 45-85% Sunlight Heat In Summer; Reducing At Least 30% Warmness Lost In Winter. This One Is Environment Friendly, Contains NO DEHP,NO DBP,NO BBP,NO DINP,NO DIDP,NO DNOP; Size:35.4 In(W) x 78.7 In(L) Per Roll,Shipping Weight:About 700g. ", "Protect Your Body Health And Life Safety From Broken Glass: Increasing The Glass Strength Or Keeping Glass Fragments Tightly Attached On The Film By Its Original Shape, No Splashing And No Deformation. ", "Provide Good Privacy, Protect Skin And Eyes, And Prevent Furniture From Fading And Aging By Blocking Out More Than 96% Harmful Rays And Filtering Strong Light. Show You A Comfortable And Decorative Home Where Has no Disturbance From Dazzling Strong Light And UV Rays When You Are Enjoying The Natural Sunshine. ", "Easy To Fix, To Remove, And To Reuse. Get The Look Of Frosted Glass By Easy Do-it. No Fading, No Bubbles, Can Be Reused And Has A Long Using Time. ", "Widely Suitable For Any Places: Kitchen, Bedroom, Living Room, Dining Room, Office, Hotels, Classroom, Lobby, etc. But This One Is Not Recommended For A Total Privacy Needed Place Such As The Bathroom, For It Is A Little Seen Through Within A Close Distance. "], "total_reviews": 172, "total_answered_questions": "", "model": "BLKM012", "customization_options": "", "seller_id": "A1FEUI37C2J734", "seller_name": "Kingmax Products US", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B00KM40FHM", "category": "garden", "query": "Window Coverings", "page": 232, "small_description_old": "About this item\n \nSave Money For Air-conditions And Heaters: Blocking Out 45-85% Sunlight Heat In Summer; Reducing At Least 30% Warmness Lost In Winter. This One Is Environment Friendly, Contains NO DEHP,NO DBP,NO BBP,NO DINP,NO DIDP,NO DNOP; Size:35.4 In(W) x 78.7 In(L) Per Roll,Shipping Weight:About 700g. Protect Your Body Health And Life Safety From Broken Glass: Increasing The Glass Strength Or Keeping Glass Fragments Tightly Attached On The Film By Its Original Shape, No Splashing And No Deformation. Provide Good Privacy, Protect Skin And Eyes, And Prevent Furniture From Fading And Aging By Blocking Out More Than 96% Harmful Rays And Filtering Strong Light. Show You A Comfortable And Decorative Home Where Has no Disturbance From Dazzling Strong Light And UV Rays When You Are Enjoying The Natural Sunshine. Easy To Fix, To Remove, And To Reuse. Get The Look Of Frosted Glass By Easy Do-it. No Fading, No Bubbles, Can Be Reused And Has A Long Using Time. Widely Suitable For Any Places: Kitchen, Bedroom, Living Room, Dining Room, Office, Hotels, Classroom, Lobby, etc. But This One Is Not Recommended For A Total Privacy Needed Place Such As The Bathroom, For It Is A Little Seen Through Within A Close Distance."}, {"name": "Waterbridge Wave Milk Chocolate Hazelnut Crunch | Milk Chocolate | Hazelnut Crunch | Imported From Canada | 115g (pack of 1)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.02 x 2.72 x 2.56 inches; 5.29 Ounces", "UPC\n \u200f": "\u200e\n 777034013459", "ASIN\n \u200f": "\u200e\n B0916MNM1W", "Best Sellers Rank": "#579,633 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#7,918 in Candy & Chocolate Gifts", "#7,918 in Candy & Chocolate Gifts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Waterbridge", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Waterbridge", "full_description": "Waterbridge delivers a unique chocolate experience with a distinctly smooth taste, a delicious creamy hazelnut filling, a crisp wafer shell covered with chocolate. Hazelnut makes a toasty, buttery contribution to this elegant flavor pairing. A delicate milk chocolate shell with hazelnut pieces surrounds a smooth hazelnut-flavored milk chocolate center. Perfect for candy dishes and buffets, Birthday gifts, party bags, store counters, displays, parties, family get togethers, and more. Your satisfaction is our greatest concern!", "pricing": "$9.99", "list_price": "", "availability_quantity": 9, "availability_status": "Only 9 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31e8FHImltL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Candy & Chocolate \u203a Candy & Chocolate Gifts", "average_rating": 5, "small_description": ["Get Back To Chocolate: We couldn\u2019t find delicious chocolate that fit our specs, so we made our own! ", "Wave Milk Chocolate is a crispy, creamy, and delicious chocolate bar - an unexpected combination of tastes and textures perfect for sharing, gifts, and party favors for boys and girls. ", "The ingredients are chosen according to our high standards of excellence in quality, freshness, and commitment to environmental sustainability. ", "Hazelnut Crunch: Our most indulgent chocolate bar. Enjoy a rich hazelnut crunch inside dark chocolate. ", "Tempting Combination: A tempting combination of smooth chocolaty cream surrounding a whole hazelnut, within a delicate, crisp wafer all enveloped in milk chocolate and finely chopped hazelnuts. "], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Flavor Name": null}, "seller_id": "A3CJPS5XE2XP03", "seller_name": "Biggie online store", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B0916MNM1W", "category": "grocery", "query": "Milks & Creams", "page": 136, "small_description_old": "About this item Get Back To Chocolate: We couldn\u2019t find delicious chocolate that fit our specs, so we made our own! Wave Milk Chocolate is a crispy, creamy, and delicious chocolate bar - an unexpected combination of tastes and textures perfect for sharing, gifts, and party favors for boys and girls. The ingredients are chosen according to our high standards of excellence in quality, freshness, and commitment to environmental sustainability. Hazelnut Crunch: Our most indulgent chocolate bar. Enjoy a rich hazelnut crunch inside dark chocolate. Tempting Combination: A tempting combination of smooth chocolaty cream surrounding a whole hazelnut, within a delicate, crisp wafer all enveloped in milk chocolate and finely chopped hazelnuts."}, {"name": "4-Light Wall Sconces Vintage Bathroom Vanity Light Over Mirror in Brushed Nickel Finish", "product_information": {"Brand": "\u200eHOLKIRT", "Item Weight": "\u200e6.54 pounds", "Package Dimensions": "\u200e33 x 11.25 x 9 inches", "Item model number": "\u200eB3068-4BU-BN", "Style": "\u200eRetro", "Color": "\u200e4-light", "Material": "\u200eMetal", "Finish Types": "\u200eBrushed", "Number of Lights": "\u200e4", "Voltage": "\u200e110 Volts", "Special Features": "\u200eDimmable", "Shade Material": "\u200eGlass", "Light Direction": "\u200eUplight / Downlight", "Power Source": "\u200eAC", "Switch Installation Type": "\u200eWall Mount", "Type of Bulb": "\u200eLED, Fluorescent, Incandescent", "Wattage": "\u200e60 watts", "ASIN": "B08D74SKT2", "Customer Reviews": {"ratings_count": 42, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#461,210 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #3,016 in Wall Sconces"], "Date First Available": "July 18, 2020"}, "brand": "Visit the HOLKIRT Store", "brand_url": "https://www.amazon.com/stores/HOLKIRT/page/64CFEF91-03AD-4B82-9CC1-4A9C9023D233?ref_=ast_bln", "full_description": "Not just an ordinary vanity lights fixture, but also an art decoration.Light up your life,and bring you into a warm and wonderful exquisite home. Specification: Type:Industrial 4-Light Bath Vanity Wall Light Material: Glass,Metal Color: Clear,Brushed Nickel Bulb Base: E26 Bulb Type: Incandescent, LED,CFL NOTE: Bulb NOT Included Voltage:120V Watts: 60W Max. Features: Clear glass shade on brushed bickel metal back plate,brings contemporary and industrial style SUGGESTION:We suggest installation by a licensed electrician. Package Included: 1 x Glass Vanity Wall Light Warm Tips: *WE SUGGEST INSTALLATION BY A LICENSED ELECTRICIAN.This vanity wall light has been rated for up to 60-watt maximum for A bulb (NOT included). *Please cut off the electricity supply when you install it. *Please use it in dry environment. Note: *Compatible with E26 base bulb,up to 60 watts maximum(Not include). *Fully dimmable when used with a dimmer bulb and compatible dimmer switch(Not include). Return Policy: 1)All non-defective, undamaged products must be returned within 30 days after delivery. 2)Everything should be returned in original box if you don't need/want it. 3)If the product is damaged when you receive,or you have any other questions about the product,please email us first.We will reply you within 24 hours and take action to protect your profits.Thanks for your understanding and cooperation!!!", "pricing": "$119.00", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31ZRNoAHnnL.jpg", "https://m.media-amazon.com/images/I/416ITlcOt0L.jpg", "https://m.media-amazon.com/images/I/410AWZqKGTL.jpg", "https://m.media-amazon.com/images/I/31wCkJAJVvL.jpg", "https://m.media-amazon.com/images/I/41HlM0kFS1L.jpg", "https://m.media-amazon.com/images/I/31Ftk6vBouL.jpg", "https://m.media-amazon.com/images/I/41fzf3UdnDL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Wall Lights \u203a Wall Lamps & Sconces", "average_rating": 4.8, "small_description": ["Bathroom vanity light features a minimalist design in brushed nickel finish and clear glass shades. This wall sconce makes a statement with its sleek curves. Easily installs up or down and fits styles like industrial,farmhouse and traditional. ", "Applications:Perfect for use in bathrooms and over vanities. Adds charm to any interior ", "Dimension:10.23\"(H)*14.8\"(W) Overall;6.1\"(H)*4.9(W)Lamp shade. ", "Safety Use: ETL listed for dry locations, hardwired connection,mounted facing up and down direction ", "Bulb Require:ETL listed,hardwired,2*E26 bulb,60W MAX(Bulb NOT Included) "], "total_reviews": 42, "total_answered_questions": "", "model": "\u200eB3068-4BU-BN", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08NT1K4HZ/ref=twister_B09R3QNSBL?_encoding=UTF8&psc=1", "value": "1-Light", "price_string": "$49.99", "price": 49.99, "image": null}, {"is_selected": true, "url": null, "value": "4-Light", "price_string": "$119.00", "price": 119, "image": null}]}, "seller_id": "A3DVP2XQ5GDTN6", "seller_name": "HK LIGHTING", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": "", "asin": "B08D74SKT2", "category": "garden", "query": "Sconces", "page": 53, "small_description_old": "About this item Style:Red wine shape,clear glass lampshade on brushed nickel back plate,brings more shine to your life and easily to match any modern,vintage classic or farmhouse style decor. Bulb Require:ETL listed,hardwired,4*E26 bulb,60W MAX(Bulb NOT Included). Dimension: Light:29.13\"(L)*10.15\"(H);Glass shade:4.92\"(D)x 6.1\"(H);Canopy:6.3\"(H) x 4.72\"(W). Perfect fixtures for your master bathroom lights over mirror cabinet, vanity mirrors, makeup dressing table, bedroom, hallway and art display etc. \n \u203a See more product details"}, {"name": "LOP Legacy 12324 - Printable Table of Contents Dividers, White, 15-Tab, 3-Hole, Assorted Tab Colors", "product_information": {"Manufacturer": "\u200eLEGACY OFFICE PRODUCTS", "Brand": "\u200eLegacy", "Item Weight": "\u200e12.3 ounces", "Is Discontinued By Manufacturer": "\u200eNo", "Manufacturer Part Number": "\u200eLOP12324", "ASIN": "B004N1T7VK", "Date First Available": "November 11, 2010"}, "brand": "Brand: Legacy", "brand_url": "https://www.amazon.com/Legacy/b/ref=bl_dp_s_web_9306008011?ie=UTF8&node=9306008011&field-lbr_brands_browse-bin=Legacy", "full_description": "Divider set featuring a laser and inkjet printable contents page.", "pricing": "$11.98", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51H67WgWs+L.jpg", "https://m.media-amazon.com/images/I/31gSdARjH4L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Office Electronics Accessories \u203a Presentation Supplies \u203a Binding Machine Supplies", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3SQCSYVT0I3M9", "seller_name": "Linton Mailing Supplies", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B004N1T7VK", "category": "electronics", "query": "Legacy Systems", "page": 55, "small_description_old": ""}, {"name": "Salt & Sugar Bundle Kit, Lemon Mint Dead Sea Salt Scrub & Papaya Brown Sugar Scrub. Exfoliate Face & Body", "product_information": {"ASIN\n \u200f": "\u200e\n B094JTNPWK", "Best Sellers Rank": "#452,260 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,757 in Body Scrubs #2,058 in Body Scrubs & Treatments", "#1,757 in Body Scrubs": "", "#2,058 in Body Scrubs & Treatments": ""}, "brand": "Visit the O Naturals Store", "brand_url": "https://www.amazon.com/stores/O+NATURALS/page/D3E914C1-AF61-4960-944B-40998A2E517E?ref_=ast_bln", "full_description": "", "pricing": "$26.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41CSHsyZr9S.jpg", "https://m.media-amazon.com/images/I/41Y3mEQkLfS.jpg", "https://m.media-amazon.com/images/I/51ylKiETGlS.jpg", "https://m.media-amazon.com/images/I/51uLmmfcHrS.jpg", "https://m.media-amazon.com/images/I/51uwgr-k6eS.jpg", "https://m.media-amazon.com/images/I/41c2WSIinBS.jpg", "https://m.media-amazon.com/images/I/51rcqj0yb2S.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Body \u203a Body Scrubs", "average_rating": "", "small_description": ["MOISTURIZES DRY SKIN: Sweet Almond, Vitamin E, and Jojoba Oil will deeply moisturize the skin, making this the perfect hydrating scrub. ", "REDUCE BLEMISHES & MORE: Brown Sugar and Papaya help to reduce the appearance of acne scars, stretch marks, varicose veins, and other blemishes to leave you with clear skin. ", "ANTI CELLULITE: Brown Sugar and Papaya scrub away the appearance of cellulite with Papaya Brown Sugar smooths over cellulite marks, making this the perfect anti-cellulite scrub. ", "EXFOLIATING: This is a natural exfoliating skin scrub featuring Dead Sea Salt which exfoliates away dead skin and other debris from the skin\u2019s surface and pores making this face and body scrub the best natural exfoliant. ", "ANTI-AGING: Anti-oxidant rich essential oils reduce the signs of aging like wrinkles and fine lines. Cellulite massager leaving the skin refreshed, vibrant and smooth. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A16FXJBXHZ7USK", "seller_name": "ONE NATURALS", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B094JTNPWK", "category": "beauty", "query": "Scrubs & Body Treatments", "page": 28, "small_description_old": "About this item MOISTURIZES DRY SKIN: Sweet Almond, Vitamin E, and Jojoba Oil will deeply moisturize the skin, making this the perfect hydrating scrub. REDUCE BLEMISHES & MORE: Brown Sugar and Papaya help to reduce the appearance of acne scars, stretch marks, varicose veins, and other blemishes to leave you with clear skin. ANTI CELLULITE: Brown Sugar and Papaya scrub away the appearance of cellulite with Papaya Brown Sugar smooths over cellulite marks, making this the perfect anti-cellulite scrub. EXFOLIATING: This is a natural exfoliating skin scrub featuring Dead Sea Salt which exfoliates away dead skin and other debris from the skin\u2019s surface and pores making this face and body scrub the best natural exfoliant. ANTI-AGING: Anti-oxidant rich essential oils reduce the signs of aging like wrinkles and fine lines. Cellulite massager leaving the skin refreshed, vibrant and smooth."}, {"name": "Happy by Clinique Eau De Parfum Spray women,3.4 Fl Oz, Pack of 1", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 1.57 x 1.97 x 1.57 inches; 0.4 Ounces", "Item model number\n \u200f": "\u200e\n 422046", "UPC\n \u200f": "\u200e\n 027829255039 885115319670 020714218607", "Manufacturer\n \u200f": "\u200e\n Clinique", "ASIN\n \u200f": "\u200e\n B001B4NFV0", "Best Sellers Rank": "#107,202 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,185 in Women's Eau de Parfum", "#1,185 in Women's Eau de Parfum": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Clinique", "brand_url": "https://www.amazon.com/Clinique/b/ref=bl_dp_s_web_2587405011?ie=UTF8&node=2587405011&field-lbr_brands_browse-bin=Clinique", "full_description": "Happy to Be is a shimmering sexy different kind of floral scent for women. Beautiful notes of citrus pear hibiscus and syrigna flowers. Fun and flirty for every woman.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41O3g8CmOpL.jpg", "https://m.media-amazon.com/images/I/51KC8r9IbRL.jpg", "https://m.media-amazon.com/images/I/411c-0dnFDL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Fragrance \u203a Women's \u203a Eau de Parfum", "average_rating": 4.7, "small_description": ["Clinique ", "Country of origin is United States ", "The package dimension of the product is 3.8cmL x 6.4cmW x 15.2cmH ", "The package weight of the product is 1 pounds "], "total_reviews": 1825, "total_answered_questions": 3, "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08GYMW8RL/ref=twister_B07CKS1CP7?_encoding=UTF8&psc=1", "value": "2 Set", "price_string": "$25.00", "price": 25, "image": null}, {"is_selected": true, "url": null, "value": "3.4 Fl Oz (Pack of 1)", "price_string": "", "price": 0, "image": null}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B001B4NFV0", "category": "beauty", "query": "Women's Fragrance", "page": 41, "small_description_old": "About this item Clinique Country of origin is United States The package dimension of the product is 3.8cmL x 6.4cmW x 15.2cmH The package weight of the product is 1 pounds"}, {"name": "SONY RMT-V504A VHS Video DVD Combo RMT-V501E SLV-D100 SLV-D36 TV Remote Control", "product_information": {"Package Dimensions": "8 x 3 x 0.5 inches", "ASIN": "B00VC425OM", "Item model number": "LYSB00VC425OM-ELECTRNCS", "Customer Reviews": {"ratings_count": 2, "stars": "4.3 out of 5 stars"}, "Best Sellers Rank": ["#24,915 in Remote Controls (Electronics)"], "Is Discontinued By Manufacturer": "No", "Date First Available": "March 28, 2015", "Manufacturer": "Sony"}, "brand": "Visit the Sony Store", "brand_url": "https://www.amazon.com/stores/Sony/page/AEA5D08A-7FC6-45D4-B121-C8A6FA25219F?ref_=ast_bln", "full_description": "THIS AUCTION IS JUST FOR SONY RMT-V504A VHS Video DVD COMBO RMT-V501E SLV-D100 SLV-D36 TV REMOTE CONTROL, DO NOT INCLUDE ANYTHING ELSE. (NO TV BODY, NO POWER CORD, L) SOME SCRATCHES ON BACK", "pricing": "$18.97", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/513asRjq3tL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Remote Controls & Accessories \u203a Remote Controls", "average_rating": 4.3, "small_description": [""], "total_reviews": 2, "total_answered_questions": "", "model": "LYSB00VC425OM-ELECTRNCS", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B00VC425OM", "category": "electronics", "query": "VCRs", "page": 274, "small_description_old": ""}, {"name": "Starburst Cherry Liquid Water Enhancer 1.62 Fluid Ounces", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 4.84 x 1.81 x 1.18 inches; 4.66 Ounces", "UPC\n \u200f": "\u200e\n 072392137251", "Manufacturer\n \u200f": "\u200e\n Starburst", "ASIN\n \u200f": "\u200e\n B085LSKHM6", "Best Sellers Rank": "#108,171 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#105 in Water Flavoring Drops", "#105 in Water Flavoring Drops": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Starburst Store", "brand_url": "https://www.amazon.com/stores/STARBURST/page/EA1582BE-4222-4CC9-A715-51F2EEAC44FA?ref_=ast_bln", "full_description": "Starburst Water Enhancer transforms plain water into a refreshing, flavorful drink to mirror your favorite candy. A single squeeze of the bottle delivers a burst of the sweet flavor. The portable 1.62 fluid ounce bottle is perfect for your on the go life. This candy flavored drink mix is perfect for everyday life.", "pricing": "$6.80", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41JQmW+dYgL.jpg", "https://m.media-amazon.com/images/I/41IQ4pATNUL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Beverages \u203a Bottled Beverages, Water & Drink Mixes \u203a Powdered Drink Mixes & Flavorings \u203a Water Flavoring Drops", "average_rating": 4.3, "small_description": ["One 1.62 fl. oz. bottle of Cherry Liquid Drink Mix ", "Drink mix delivers candy flavor to any bottle of water ", "Convenient squeeze bottle can be taken anywhere ", "These bottles contain zero sugar "], "total_reviews": 88, "total_answered_questions": "", "customization_options": "", "seller_id": "A17YLQHBN6TBTE", "seller_name": "Coynebits", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B085LSKHM6", "category": "grocery", "query": "Beverages", "page": 212, "small_description_old": "About this item One 1.62 fl. oz. bottle of Cherry Liquid Drink Mix Drink mix delivers candy flavor to any bottle of water Convenient squeeze bottle can be taken anywhere These bottles contain zero sugar"}, {"name": "CMA Stockroom Kids Wood 5-Pocket Sling Bookshelf Book Display Rack Color Walnut", "product_information": {"Item Weight": "7 pounds", "ASIN": "B06XDG8XFX", "Customer Reviews": {"ratings_count": 3, "stars": "3.2 out of 5 stars"}, "Best Sellers Rank": ["#3,876,686 in Home & Kitchen (See Top 100 in Home & Kitchen) #717 in Kids' Bookcases, Cabinets & Shelves"], "Is Discontinued By Manufacturer": "No", "Date First Available": "March 2, 2017"}, "brand": "Brand: CMA Stockroom", "brand_url": "https://www.amazon.com/CMA-Stockroom/b/ref=bl_dp_s_web_13452853011?ie=UTF8&node=13452853011&field-lbr_brands_browse-bin=CMA+Stockroom", "full_description": "24\" High Kids Sling Bookshelf in Walnut with sturdy wood construction. 5 nylon fabric pockets designed for easy book storage and organization.High Quality:* Kids Book Shelf Sling Storage Bookcase Display Holder * Wood Construction - Firmly and Steady* Smooth cambered edges protect kids from being scratched * Collapsible Cubes - Space Saving and Easy Installation * Suitable for Books Storage in Kid bedroom, drawing room, etc Product Details: * Overall Dimension(LxWxH): 24-7/16\"x 10-7/16\"x 24\" * Pocket size(LxW): 23-5/8\" x 26-3/8\" * Pocket Depth: Approx. 6 11/16\" * Pocket Material: Polyester Fabric * Side Boards Thickness: 1/2''(1.24cm) * Tubes Size: 3/4\"Dia. x 23 5/8\"L (1.98 x 60cm) Also In The Box: * 5x Tubes * 2x Side boards * 1x Pocket Fabric * 1x Screw Sets * 1x Manual", "pricing": "$44.32", "list_price": "", "availability_quantity": 5, "availability_status": "Only 5 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41d6hJx3BoL.jpg", "https://m.media-amazon.com/images/I/41N+8eNt9oL.jpg", "https://m.media-amazon.com/images/I/41NQke9DPrL.jpg", "https://m.media-amazon.com/images/I/419jFDkZXUL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Kids' Furniture \u203a Bookcases, Cabinets & Shelves", "average_rating": 3.2, "small_description": ["Kids Book Shelf Sling Storage Bookcase Display Holder ", "Wood Construction - Firmly and Steady ", "Smooth cambered edges protect kids from being scratched ", "Collapsible Cubes - Space Saving and Easy Installation ", "Suitable for Books Storage in Kid bedroom, drawing room, etc "], "total_reviews": 3, "total_answered_questions": "", "customization_options": "", "seller_id": "A12SV6RINCZJP5", "seller_name": "LeeMas Inc", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B06XDG8XFX", "category": "garden", "query": "Bookcases", "page": 146, "small_description_old": "About this item\n \nKids Book Shelf Sling Storage Bookcase Display Holder Wood Construction - Firmly and Steady Smooth cambered edges protect kids from being scratched Collapsible Cubes - Space Saving and Easy Installation Suitable for Books Storage in Kid bedroom, drawing room, etc"}, {"name": "V-MORO HomePod Mini Wall Mount Holder, Outlet Mount Stand Hidden Cable Management for Apple HomePod Mini Smart Speaker Shelf Without Messy Wires Excellent Space Saving Punch-Free 2-Pack White", "product_information": {"Package Dimensions": "7.2 x 4.33 x 3.19 inches", "Item Weight": "7.3 ounces", "ASIN": "B0924PKLQ4", "Customer Reviews": {"ratings_count": 75, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#160 in Speaker Mounts"], "Colour": "White", "Manufacturer": "V-MORO", "Country of Origin": "China", "Date First Available": "April 9, 2021"}, "brand": "Visit the V-MORO Store", "brand_url": "https://www.amazon.com/stores/V-MORO/page/09B18574-5158-4AED-B8C5-53E7E79CF8B2?ref_=ast_bln", "full_description": "", "pricing": "$19.99", "list_price": "", "availability_quantity": 2, "availability_status": "In Stock. Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51iF4wj2tOS.jpg", "https://m.media-amazon.com/images/I/51-Y0HMFwbS.jpg", "https://m.media-amazon.com/images/I/41xm4rAHL3S.jpg", "https://m.media-amazon.com/images/I/51Kukl7ElPS.jpg", "https://m.media-amazon.com/images/I/51AjGiWkEKS.jpg", "https://m.media-amazon.com/images/I/31PTfRqst9S.jpg", "https://m.media-amazon.com/images/I/51pCgDs0ZkL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Mounts \u203a Speaker Mounts", "average_rating": 4.6, "small_description": ["ENJOY FREEDOM-Our stand is tailor-made for HomePod Mini Speaker and give your outlet a lot cleaner and tidier appearance. You can use it in the kitchen, bathroom, study, living room, bedroom, and enjoy music at picnic party or cocktail party.(HomePod Mini is not included) ", "PERFECT CORD ARRANGEMENT-Different from other HomePod Mini mounts on the market,unique hidden cable management design keeps the cord neatly tucked away, avoid ugly hanging cords.Perfectly hides the charging cable at the backside,No Messy Wires! ", "PREMIUM MATERIAL-The anti-silp silicone pad can prevent your device from unnecessary moving while it will not cause unwanted scratches. And the stable PC+ABS plastic frame can offer durable and long-lasting support. ", "EASY TO USE-No tools or accessories are needed, and the wall-mounted design does not cause damage to the wall. Just follow the steps in our manual for installation and it can be completed in 5 minutes. ", "AMAZING SOUND -The outlet wall mount helps HomePod Mini speaker system horizontally to receive and transmit stronger and more realistic sound, make sure your talking go smooth and accurate. "], "total_reviews": 75, "total_answered_questions": 4, "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09K393KZB/ref=twister_B09MT139DS?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$19.99", "price": 19.99, "image": "https://m.media-amazon.com/images/I/51dGYad0FJL.jpg"}, {"is_selected": true, "url": null, "value": "White", "price_string": "$19.99", "price": 19.99, "image": "https://m.media-amazon.com/images/I/51iF4wj2tOS.jpg"}]}, "seller_id": "A2E8K5Z6UKD07N", "seller_name": "V-moro", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B0924PKLQ4", "category": "electronics", "query": "Mounts", "page": 380, "small_description_old": "About this item ENJOY FREEDOM-Our stand is tailor-made for HomePod Mini Speaker and give your outlet a lot cleaner and tidier appearance. You can use it in the kitchen, bathroom, study, living room, bedroom, and enjoy music at picnic party or cocktail party.(HomePod Mini is not included) PERFECT CORD ARRANGEMENT-Different from other HomePod Mini mounts on the market,unique hidden cable management design keeps the cord neatly tucked away, avoid ugly hanging cords.Perfectly hides the charging cable at the backside,No Messy Wires! PREMIUM MATERIAL-The anti-silp silicone pad can prevent your device from unnecessary moving while it will not cause unwanted scratches. And the stable PC+ABS plastic frame can offer durable and long-lasting support. EASY TO USE-No tools or accessories are needed, and the wall-mounted design does not cause damage to the wall. Just follow the steps in our manual for installation and it can be completed in 5 minutes. AMAZING SOUND -The outlet wall mount helps HomePod Mini speaker system horizontally to receive and transmit stronger and more realistic sound, make sure your talking go smooth and accurate."}, {"name": "Women's Coat, FORUU Winter Faux Fur Fleece Outwear Warm Lapel Biker Motor Aviator Jacket", "product_information": {"Item model number\n \u200f": "\u200e\n ZYH20181011", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n October 12, 2018", "Manufacturer\n \u200f": "\u200e\n FORUU", "ASIN\n \u200f": "\u200e\n B07JCCL2CT", "Best Sellers Rank": "#1,941,008 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,278 in Women's Fur & Faux Fur Jackets & Coats", "#1,278 in Women's Fur & Faux Fur Jackets & Coats": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: FORUU womens Tops & Tees", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=FORUU+womens+Tops+%26+Tees", "full_description": "FORUU\u2014\u2014For You Features: 1.It is made of high quality materials,durable enought for your daily wearing 2.Stylish and fashion make you more attractive 3.Great for Everywhere in Winter,I am sure you will like it! Product information: Season: Winter Gender: Women Occasion: Casual Clothing Length: Regular Style: Fashion,Causal Our Product Fit:Fits ture to size Our Product Elasticity:Medium Our Product Feature:Fashion:Novelty Our Product Style:Casual Comfort Fashion Sport Our Product Thickness:Standard How to wash:Wash in Cold Water, Mild Soap Lay and Hang Dry.", "pricing": "$21.49$24.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51modP3dIdL.jpg", "https://m.media-amazon.com/images/I/51BlWGoaxqL.jpg", "https://m.media-amazon.com/images/I/51qJd5Att+L.jpg", "https://m.media-amazon.com/images/I/41Oo1T4n-GL.jpg", "https://m.media-amazon.com/images/I/419BLcgaN1L.jpg", "https://m.media-amazon.com/images/I/51r5uuzs4CL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Coats, Jackets & Vests \u203a Fur & Faux Fur", "average_rating": 2.4, "small_description": ["Elastic closure ", "This item is fit for workout working wedding visits vacation trips travel theater swimming studios sport sleep shopping running romantic party park outside outdoor opera office nightclubs night meetings life leisure jogging interview indoor honeymoon home holiday hiking hawaii hang gym fitness fishing first festivals family exercise evening dinner days dating date dance daily concert company cocktail club casual camping business boating birthday beach barbecue bar bang anniversary wear. ", "This item is suitable for dressing at Fourth of July honeymoon wedding anniversary Valentine's Day Christmas Mother's Day Thanksgiving Day Anniversary New Year's Day Easter Halloween St. Patrick's Day Christmas Eve Birthday April Fool Father's Day Independence Day Labor Day Spring Summer Autumn Winter National Day four seasons Back to school Black Friday and Cyber Monday Week BFCM Memorial Day Hanukkah time. ", "This item has a casual chiffon cotton linen 3/4 long short sleeves soft comfortable breathable v-neck o-neck solid stylish sexy cute chic elegant retro lace nylon blend silk zipper pocket striped hooded patchwork leopard printed floral batwing butterfly ruffled swing off shoulder polka dot classic lightweight plaid sleeveless loose fit buttons tunic tight slim cheap shiny thick smooth warm thin sweat-absorbent sun-proof denim yarn ethnic style mesh mini backless feature. ", "This item is fit for matching with a wigs watches vests underwear tunics tops tees tanks tankinis swimsuits sweatshirts sweatpants sweaters sunglasses socks sleepshirts skirts shorts shoes shirts scarves sandals pullovers polos pants pajamas nightgowns necklaces nail polish lipstick lingerie leggings knits jeans jackets hoodies high heels headscarf hats gowns glasses false eyelashes earrings dresses corsets cardigans cap camisoles camis bras bracelets blouse bikinis belts bags backpacks. ", "This item is the best gift for friends family mother sister lover girlfriend wife partner daughter classmate couple colleague work birthday present anniversary gift lovers parents fathers mothers children daughters sons girlfriend boyfriend uncles aunts child husband bride bridegroom baby boys girls teens junior grandfather grandmother 30th 40th 50th 60th 70th 80th birthday. "], "total_reviews": 39, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B07JB9347Z"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07ZXBGDXF"}, {"is_selected": false, "is_available": false, "value": "Large", "asin": "B07VM4Q54K"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07JCCKZT5"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07JCC6DQF"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B07JD6PZPG"}, {"is_selected": false, "is_available": true, "value": "4X-Large", "asin": "B07JVRZ7JH"}, {"is_selected": false, "is_available": true, "value": "5X-Large", "asin": "B07JB92J5Z"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07JCCL2CT/ref=twister_B07JCTMMGH", "value": "Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51FKdDgYFNL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07JVQFNRK/ref=twister_B07JCTMMGH", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51hxGgZ5+zL.jpg"}, {"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51modP3dIdL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07ZXBGDXF", "category": "fashion", "query": "Women's Shorts", "page": 64, "small_description_old": "100% Cotton Imported Elastic closure This item is fit for workout working wedding visits vacation trips travel theater swimming studios sport sleep shopping running romantic party park outside outdoor opera office nightclubs night meetings life leisure jogging interview indoor honeymoon home holiday hiking hawaii hang gym fitness fishing first festivals family exercise evening dinner days dating date dance daily concert company cocktail club casual camping business boating birthday beach barbecue bar bang anniversary wear. This item is suitable for dressing at Fourth of July honeymoon wedding anniversary Valentine's Day Christmas Mother's Day Thanksgiving Day Anniversary New Year's Day Easter Halloween St. Patrick's Day Christmas Eve Birthday April Fool Father's Day Independence Day Labor Day Spring Summer Autumn Winter National Day four seasons Back to school Black Friday and Cyber Monday Week BFCM Memorial Day Hanukkah time. This item has a casual chiffon cotton linen 3/4 long short sleeves soft comfortable breathable v-neck o-neck solid stylish sexy cute chic elegant retro lace nylon blend silk zipper pocket striped hooded patchwork leopard printed floral batwing butterfly ruffled swing off shoulder polka dot classic lightweight plaid sleeveless loose fit buttons tunic tight slim cheap shiny thick smooth warm thin sweat-absorbent sun-proof denim yarn ethnic style mesh mini backless feature. This item is fit for matching with a wigs watches vests underwear tunics tops tees tanks tankinis swimsuits sweatshirts sweatpants sweaters sunglasses socks sleepshirts skirts shorts shoes shirts scarves sandals pullovers polos pants pajamas nightgowns necklaces nail polish lipstick lingerie leggings knits jeans jackets hoodies high heels headscarf hats gowns glasses false eyelashes earrings dresses corsets cardigans cap camisoles camis bras bracelets blouse bikinis belts bags backpacks. This item is the best gift for friends family mother sister lover girlfriend wife partner daughter classmate couple colleague work birthday present anniversary gift lovers parents fathers mothers children daughters sons girlfriend boyfriend uncles aunts child husband bride bridegroom baby boys girls teens junior grandfather grandmother 30th 40th 50th 60th 70th 80th birthday."}, {"name": "Artificial Plant Lifelike Fake Plants, Artificial Hanging Plants Fake Fern Plant, Wall Decoration for Indoor Outdoor, Home Store Decor Centerpiece (Color : Persian Grass Leaf Fern, Size : Large)", "product_information": {"Item Weight": "0.035 ounces", "Department": "Unisex-adult", "Manufacturer": "SYXL", "ASIN": "B09PYR413Y", "Country of Origin": "China"}, "brand": "Brand: SYXL", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=SYXL", "full_description": "The maintenance is simple, no watering and fertilization are required, and it is evergreen in all seasons. If there is dust, just wipe it off with a damp cloth or duster.Name: Fake PlantSize: Length 75~110cm/29.5~43.3inMaterial: Hand-feel glue, professionally made plasticFlower name: Persian grass leaf fern, Asparagus grass leaf fern, Fortune leaf fernApplicable scenarios: ground, balcony, shop, home decorationNote: The size and color may vary slightly, please refer to the actual product!Note: It may be squeezed during transportation, just adjust it slightly by hand.This is a good choice for people who like plants but don't have time to take care of them to maintain their beauty.", "pricing": "$113.71", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41C8-6QYsML.jpg", "https://m.media-amazon.com/images/I/51ob00zU-JL.jpg", "https://m.media-amazon.com/images/I/513zj-qw3bL.jpg", "https://m.media-amazon.com/images/I/41qbypggZnL.jpg", "https://m.media-amazon.com/images/I/41LSmFV1OIL.jpg", "https://m.media-amazon.com/images/I/41rAZCpswqL.jpg", "https://m.media-amazon.com/images/I/51qWSC87DeL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Artificial Plants & Flowers \u203a Artificial Plants & Greenery", "average_rating": "", "small_description": ["Fake Plants Tall Indoor and Outdoor Spaces-These decorative artificial plants indoor gives your home the relaxing atmosphere and calming ambiance of live real plants, minus the hassle of upkeep and maintenance. ", "Highly realistic design: these fake hanging plants are exquisite craftsmanship and attention to detail. Their leaves are thick and look very natural. They will not wilt or fade. ", "Used for: The design style is modern and fashionable. It is a fake plant for bedroom aesthetics and kitchen decoration wall, outdoor decoration, porch decoration, balcony decoration, and indoor home decoration artificial plants. ", "No maintenance: It is a practical substitute for living plants. They will remain fresh and beautiful year after year. You don't have to worry about sunlight, water, pruning, fertilizing, or other maintenance efforts. ", "Multi-purpose: fake hanging ivy vines can be easily organized and fixed on hanging baskets, wall basins, wooden boxes, outdoor containers, hanging basins and fences. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "Large", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PYPCH43/ref=twister_B09PYN2GV2?_encoding=UTF8&psc=1", "value": "Medium", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PY7P99L/ref=twister_B09PYN2GV2?_encoding=UTF8&psc=1", "value": "Small", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09PY5NJFP/ref=twister_B09PYN2GV2?_encoding=UTF8&psc=1", "value": "Asparagus Grass Leaf Fern", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41yeSwkxj7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PY6FDPR/ref=twister_B09PYN2GV2?_encoding=UTF8&psc=1", "value": "Fortune Leaf Fern", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Yy5p3Cr0L.jpg"}, {"is_selected": true, "url": null, "value": "Persian Grass Leaf Fern", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41C8-6QYsML.jpg"}]}, "seller_id": "A3MXD7ROXLC9LR", "seller_name": "BENJISTORE", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PYR413Y", "category": "garden", "query": "Live Plants", "page": 315, "small_description_old": "About this item Fake Plants Tall Indoor and Outdoor Spaces-These decorative artificial plants indoor gives your home the relaxing atmosphere and calming ambiance of live real plants, minus the hassle of upkeep and maintenance. Highly realistic design: these fake hanging plants are exquisite craftsmanship and attention to detail. Their leaves are thick and look very natural. They will not wilt or fade. Used for: The design style is modern and fashionable. It is a fake plant for bedroom aesthetics and kitchen decoration wall, outdoor decoration, porch decoration, balcony decoration, and indoor home decoration artificial plants. No maintenance: It is a practical substitute for living plants. They will remain fresh and beautiful year after year. You don't have to worry about sunlight, water, pruning, fertilizing, or other maintenance efforts. Multi-purpose: fake hanging ivy vines can be easily organized and fixed on hanging baskets, wall basins, wooden boxes, outdoor containers, hanging basins and fences."}, {"name": "Morton & Basset Spices, Organic Italian Seasoning, 1.5 Ounce (Pack of 3)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 6.9 x 6.4 x 3.1 inches; 1.15 Pounds", "Item model number\n \u200f": "\u200e\n 617977", "UPC\n \u200f": "\u200e\n 162914426274 016291442627", "Manufacturer\n \u200f": "\u200e\n Morton & Bassett", "ASIN\n \u200f": "\u200e\n B004K6B5TK", "Best Sellers Rank": "#516,520 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#570 in Italian Seasonings", "#570 in Italian Seasonings": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Morton & Bassett Store", "brand_url": "https://www.amazon.com/stores/MortonBassett/page/8B02531C-790F-48C2-A8EE-767AB9A29326?ref_=ast_bln", "full_description": "What's the secret to making exceptional foods? Using exceptional ingredients! Morton Gothelf, the founder of Morton & Bassett Spices, had always been a great cook and always seemed to be entertaining friends. He was passionate about finding just the right ingredients to create the perfect combination of flavors. In searching for superior ingredients, he found that the best quality spices were difficult to obtain in a typical grocery or gourmet store. Morton began to find sources for the best spices and then started Morton & Bassett Spices in 1986, hoping to fill this niche. The combination of great ingredients, good value and clear bottles that showcased the product was a hit. Since 1986 the business has grown quickly thanks to the growing numbers of loyal Morton & Bassett customers. Once a good cook tries Morton & Bassett they inevitably become loyal fans. Today there are over 100 world class spices in the product line and more flavors are in the works.", "pricing": "$37.09", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/415f4IpLaSL.jpg", "https://m.media-amazon.com/images/I/51+VERG1QvL.jpg", "https://m.media-amazon.com/images/I/31adN0xYAtL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Herbs, Spices & Seasonings \u203a Mixed Spices & Seasonings \u203a Italian Seasoning", "average_rating": 3.5, "small_description": ["Premium quality spices ", "Perfect for use in all your favorite recipes ", "All natural ", "Truly a pantry staple ", "Great for baking, cooking, and more "], "total_reviews": 2, "total_answered_questions": "", "customization_options": "", "seller_id": "A3SBDOAENTRT1F", "seller_name": "VirVentures", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B004K6B5TK", "category": "grocery", "query": "Pantry Staples", "page": 153, "small_description_old": "About this item Premium quality spices Perfect for use in all your favorite recipes All natural Truly a pantry staple Great for baking, cooking, and more"}, {"name": "Replacement 60W Power Adapter L-Tip Connector for MacBook Pro Charger (Previous Generation 13.3-inch and13-inch)", "product_information": {"Package Dimensions": "5.39 x 3.98 x 2.05 inches", "Item Weight": "8.4 ounces", "ASIN": "B09HK6JF63", "Item model number": "A1184A1330A1344A1435", "Customer Reviews": {"ratings_count": 342, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#388 in Electronics (See Top 100 in Electronics) #11 in Laptop Chargers & Adapters"], "Date First Available": "September 30, 2021", "Manufacturer": "Dongguan Yanzi Electronic Technology Co., Ltd", "Country of Origin": "China"}, "brand": "Brand: Kivkny", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Kivkny", "full_description": "60 power Replacement charger first generation of power adapter L-type connector", "pricing": "$20.98", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/21GY4f-+G5S.jpg", "https://m.media-amazon.com/images/I/31KJm2Y6bOS.jpg", "https://m.media-amazon.com/images/I/31+j8JX2sgL.jpg", "https://m.media-amazon.com/images/I/41lUGqha4tL.jpg", "https://m.media-amazon.com/images/I/51h+8lqD7JL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Laptop Accessories \u203a Chargers & Adapters", "average_rating": 4.6, "small_description": "About this item\n \nReplacement charger AC adapter for notebook Pro 13\" Inch before Mid 2012 Input \uff1a AC 100-240V, 1.5a, 50-60Hz/output: 16.5V, 3.65a After-Sales Service: If anything goes wrong with the item, please do not hesitate to send email or contact us. We will reply you within 12 hours Safety: advanced technology and certificated with UL/CE/FCC/RoHS standard, can protect your equipment from over current, over voltage, over load, short-circuit Note:This is the first generation of charger, not the second. Knowing which Mac notebook model you have is important. Please check clearly before buying.", "total_reviews": 342, "total_answered_questions": 6, "model": "A1184A1330A1344A1435", "customization_options": "", "seller_id": "A2C8W87CQT057J", "seller_name": "Jo Hopkins", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09HK6JF63", "category": "electronics", "query": "Chargers", "page": 9, "small_description_old": "About this item\n \nReplacement charger AC adapter for notebook Pro 13\" Inch before Mid 2012 Input \uff1a AC 100-240V, 1.5a, 50-60Hz/output: 16.5V, 3.65a After-Sales Service: If anything goes wrong with the item, please do not hesitate to send email or contact us. We will reply you within 12 hours Safety: advanced technology and certificated with UL/CE/FCC/RoHS standard, can protect your equipment from over current, over voltage, over load, short-circuit Note:This is the first generation of charger, not the second. Knowing which Mac notebook model you have is important. Please check clearly before buying."}, {"name": "Colossal Innovative Nano Glass Callus Remover Foot File - Coarse Foot Rasp Colossal Foot Scrubber Salon Home Pedicure Foot Care Tool for Soft Feet (1PC)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 5.55 x 3.58 x 0.75 inches; 2.4 Ounces", "UPC\n \u200f": "\u200e\n 192354076050", "Manufacturer\n \u200f": "\u200e\n Sumi Eco", "ASIN\n \u200f": "\u200e\n B084PCSG5H", "Best Sellers Rank": "#34,767 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#119 in Foot Files", "#119 in Foot Files": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: SUMI ECO ECO-FRIENDLY", "brand_url": "https://www.amazon.com/SUMI-ECO-ECO-FRIENDLY/b/ref=bl_dp_s_web_20774419011?ie=UTF8&node=20774419011&field-lbr_brands_browse-bin=SUMI+ECO+ECO-FRIENDLY", "full_description": "", "pricing": "$9.90", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41CW3F9tV5L.jpg", "https://m.media-amazon.com/images/I/511pbbEvzOL.jpg", "https://m.media-amazon.com/images/I/41OuMgblSFL.jpg", "https://m.media-amazon.com/images/I/41yJ4wwYcEL.jpg", "https://m.media-amazon.com/images/I/41y3B416+LL.jpg", "https://m.media-amazon.com/images/I/415ryCJCtML.jpg", "https://m.media-amazon.com/images/I/91c8QiXSN6L.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Foot, Hand & Nail Care \u203a Tools & Accessories \u203a Foot Files", "average_rating": 4.4, "small_description": ["3D Nano Laser Cutting: Glass Pedicure foot file is adopting advanced laser-plating techniques which is the latest technology in the world to ensure 100% waterproof and safety. ", "Ultra Tempered Safe Glass: Blade is made of 100% professional surgical grade glass to allow safe sterilization, prevent corrosion. Sturdy design it's not easy to break off with long durability. Ergonomic Design, which is more convenient for you when using. Non-slip design ensure you can grip the foot file to remove the dry skin quickly and effective! ", "Perfect Solution to Remove Callus: Professional foot file is designed with 3D Nano Glass dot pattern surface, which can help you easily remove the thick callus, bad heel and tough deep skin, let your feet become baby-soft, smooth and beautiful again. ", "Work Well in Both Wet and Dry: Made of Top Grade Tempered Glass, which make it can be used on wet foot or any wet condition, giving equal good results on both wet and dry foot. ", "Save Your Money and TIme: Enjoy the Best quality pedicure at home! Just only several minutes, all calluses will be taken off! Clean with brush after use and it will like brand new in the next time, saving much time and money for you! Wonder Gift for families and friends! "], "total_reviews": 992, "total_answered_questions": 5, "customization_options": {"Color": null}, "seller_id": "A3SBT2PXLV7OIQ", "seller_name": "TOP10 SHOP", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B084PCSG5H", "category": "beauty", "query": "Foot, Hand & Nail Care", "page": 16, "small_description_old": "About this item 3D Nano Laser Cutting: Glass Pedicure foot file is adopting advanced laser-plating techniques which is the latest technology in the world to ensure 100% waterproof and safety. Ultra Tempered Safe Glass: Blade is made of 100% professional surgical grade glass to allow safe sterilization, prevent corrosion. Sturdy design it's not easy to break off with long durability. Ergonomic Design, which is more convenient for you when using. Non-slip design ensure you can grip the foot file to remove the dry skin quickly and effective! Perfect Solution to Remove Callus: Professional foot file is designed with 3D Nano Glass dot pattern surface, which can help you easily remove the thick callus, bad heel and tough deep skin, let your feet become baby-soft, smooth and beautiful again. Work Well in Both Wet and Dry: Made of Top Grade Tempered Glass, which make it can be used on wet foot or any wet condition, giving equal good results on both wet and dry foot. Save Your Money and TIme: Enjoy the Best quality pedicure at home! Just only several minutes, all calluses will be taken off! Clean with brush after use and it will like brand new in the next time, saving much time and money for you! Wonder Gift for families and friends!"}, {"name": "Phantasy Star Portable PSP", "product_information": {"ASIN": "B001JEPWD6", "Customer Reviews": {"ratings_count": 3, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#158,441 in Video Games (See Top 100 in Video Games) #1,113 in Sony PSP Accessories"], "Pricing": "The strikethrough price is the List Price. Savings represents a discount off the List Price.", "Package Dimensions": "6.9 x 4.1 x 0.6 inches; 3.68 Ounces", "Binding": "Video Game", "Is Discontinued By Manufacturer": "No", "Item Weight": "3.68 ounces", "Date First Available": "July 27, 2010"}, "brand": "Brand: SEGA", "brand_url": "https://www.amazon.com/SEGA/b/ref=bl_dp_s_web_3041165011?ie=UTF8&node=3041165011&field-lbr_brands_browse-bin=SEGA", "full_description": "", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51TPJVm3uQL.jpg", "https://m.media-amazon.com/images/I/519NYdI1DNL.jpg", "https://m.media-amazon.com/images/I/41TtFzbNjXL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Video Games \u203a Legacy Systems \u203a PlayStation Systems \u203a Sony PSP \u203a Accessories", "average_rating": 5, "small_description": [""], "total_reviews": 3, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B001JEPWD6", "category": "electronics", "query": "PlayStation", "page": 274, "small_description_old": ""}, {"name": "Yinimo Mens Gym Shorts Fashionable Loose Beach Drawstring Turkey Print Beach Cool Shorts", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 11.81 x 7.87 x 3.94 inches; 12.35 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n July 1, 2021", "Manufacturer\n \u200f": "\u200e\n Yinimo", "ASIN\n \u200f": "\u200e\n B09Q619YP7", "Best Sellers Rank": "#1,059,185 in Sports & Outdoors (See Top 100 in Sports & Outdoors)#1,413 in Sports Fan Shorts #2,821 in Men's Flat Front Shorts", "#1,413 in Sports Fan Shorts": "", "#2,821 in Men's Flat Front Shorts": ""}, "brand": "Brand: Yinimo", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Yinimo", "full_description": "\ud83d\ude08\ud83d\ude08 \u261e Welcome, we sincerely serve every customer, we are updating our products every day\u2714 \ud83d\udc29\ud83d\udc29 \ud83c\udf1f \u3010Product Information\u3011: \ud83d\udc7f Seasons: Autumn, Winter \ud83c\udf1f Gender: Male \ud83c\udf1fStyle: Fashion \ud83c\udf1fMaterial: Polyester \ud83c\udf1fPants length: shorts \ud83c\udf1f Pattern Type: None \ud83c\udf1fNeckline: As shown \ud83c\udf1fLength: normal \ud83c\udf1fDecoration: none \ud83c\udf1fSilhouette: none \ud83c\udf1f You will get: 1 x Men's Shorts \ud83c\udf1f \ud83d\udc7f\ud83d\udc7f\u3010Size Guide\u3011: It is recommended to take one size largerSize chart:Size: S EU: 72 US: 29 Waist: 74cm/29.13'' Hip: 106cm/41.73'' Inseam: 30cm/11.81'' Length: 52cm/20.47'' Size: M EU: 74 US: 30 Waist: 78cm/30.71'' Hip: 110cm/43.31'' Inseam: 31cm/12.20'' Length: 53cm/20.87'' Size: L EU: 76 US: 31 Waist: 82cm/32.28'' Hip: 114cm/44.88'' Inseam: 32cm/12.60'' Length: 54cm/21.26'' Size: XL EU: 78 US: 32 Waist: 86cm/33.86'' Hip: 118cm/46.46'' Inseam: 33cm/12.99'' Length: 55cm/21.65'' Size: XXL EU: 80 US: 33 Waist: 90cm/35.43'' Hip: 122cm/48.03'' Inseam: 34cm/13.39'' Length: 56cm/22.05'' Size: XXXL EU: 82 US: 34 Waist: 94cm/37.01'' Hip: 126cm/49.61'' Inseam: 35cm/13.78'' Length: 57cm/22.44'' Size: XXXXL EU: 84 US: 36 Waist: 98cm/38.58'' Hip: 130cm/51.18'' Inseam: 36cm/14.17'' Length: 58cm/22.83'' Size: XXXXXL EU: 86 US: 40 Waist: 102cm/40.16'' Hip: 134cm/52.76'' Inseam: 37cm/14.57'' Length: 59cm/23.23'' Product description:Product type: shortsPattern type: SolidSleeve type: Short SleeveNeck style: CrewneckClosure type: Pull-OnStyle name: CasualFront style: Flat FrontTarget gender: MaleAge range description: AdultFit type: RegularTheme: Alphabets", "pricing": "$19.19", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51O1+tw-amL.jpg", "https://m.media-amazon.com/images/I/51qgs5pk17L.jpg", "https://m.media-amazon.com/images/I/511nz5F0c4L.jpg", "https://m.media-amazon.com/images/I/51oD28kjapL.jpg", "https://m.media-amazon.com/images/I/51jB8RKvU-L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Shorts \u203a Flat Front", "average_rating": "", "small_description": "75% Polyester, 25% Cotton TIP - If you like a loose fit, please order one size up, thanks. HIGH QUALITY - These cotton casual shorts are very cool and stylish. High-quality materials ensure long-lasting flexibility to protect your skin from the sun's rays. Pull On closure COMFORT - Made of comfortable materials for gym workouts. The smooth fabric is comfortable enough to wear all day, ensuring you have a great wearing experience. Elastic waistband and adjustable drawstring fit your preference. Features - Elastic Waistband/External Drawcord/Comfort/Capri Length/Elastic Ankle Cuffs/Moisture Wicking/High Quality. Great for - Gym, Jogging, Workout, Training, Bodybuilding, Walking, Fitness, Running, Hiking, Holiday, Outdoor, Indoor and Casual Wear. \n 511 cargo shorts short romper 5 mesh shorts flex yoga shorts v3 shorts dry shorts tiewaist shorts binpaw shorts buttlifter shorts 14w shorts buds shorts short curtains laced up shorts 8x shorts lg cycling shorts oh shorts 56 shorts men tecrd shorts 0 short pants short sets 5 board shorts holligraphic shorts 3 board shorts ahapermint shorts aau shorts 24w shorts 10 athletic shorts xl gym shorts black cargo shorts kyaking shorts cargart shorts d1 shorts marurnity shorts 15-loohorts for men men nylon shorts 4x shorts for men mensyoga shorts 21 shorts for men mens soccer shorts wokout shorts men men short sleeve shirts mensbeach shorts bib overall shorts for men men knit shorts 4 x shorts for men 29 mens shorts meShow more", "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09Q619YP7/ref=twister_B09Q611Z12", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51piwj6CCQL.jpg"}, {"is_selected": true, "url": null, "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51O1+tw-amL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q637VT1/ref=twister_B09Q611Z12", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51GZVq3YH5L.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09Q61DTZ6"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09Q62NNW3"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09Q5ZQQFX"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09Q62JSKS"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09Q5ZRH89"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B09Q5ZHRVM"}, {"is_selected": false, "is_available": true, "value": "4X-Large", "asin": "B09Q5ZVLBS"}, {"is_selected": false, "is_available": true, "value": "5X-Large", "asin": "B09Q61L75M"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09Q5ZHRVM", "category": "fashion", "query": "Men's Shorts", "page": 66, "small_description_old": "75% Polyester, 25% Cotton TIP - If you like a loose fit, please order one size up, thanks. HIGH QUALITY - These cotton casual shorts are very cool and stylish. High-quality materials ensure long-lasting flexibility to protect your skin from the sun's rays. Pull On closure COMFORT - Made of comfortable materials for gym workouts. The smooth fabric is comfortable enough to wear all day, ensuring you have a great wearing experience. Elastic waistband and adjustable drawstring fit your preference. Features - Elastic Waistband/External Drawcord/Comfort/Capri Length/Elastic Ankle Cuffs/Moisture Wicking/High Quality. Great for - Gym, Jogging, Workout, Training, Bodybuilding, Walking, Fitness, Running, Hiking, Holiday, Outdoor, Indoor and Casual Wear. \n 511 cargo shorts short romper 5 mesh shorts flex yoga shorts v3 shorts dry shorts tiewaist shorts binpaw shorts buttlifter shorts 14w shorts buds shorts short curtains laced up shorts 8x shorts lg cycling shorts oh shorts 56 shorts men tecrd shorts 0 short pants short sets 5 board shorts holligraphic shorts 3 board shorts ahapermint shorts aau shorts 24w shorts 10 athletic shorts xl gym shorts black cargo shorts kyaking shorts cargart shorts d1 shorts marurnity shorts 15-loohorts for men men nylon shorts 4x shorts for men mensyoga shorts 21 shorts for men mens soccer shorts wokout shorts men men short sleeve shirts mensbeach shorts bib overall shorts for men men knit shorts 4 x shorts for men 29 mens shorts meShow more"}, {"name": "JiuRui Leisure Shorts 2021 Newest Summer Casual Shorts Men' s Cotton Fashion Style Man Shorts Male Casual Beach Shorts Plus Size 4XL 5XL Short (Color : Black, Size : 3X-Large)", "product_information": {"Item Weight": "14.1 ounces", "Department": "Mens", "Manufacturer": "JiuRui Electronic Firm", "ASIN": "B092T8CY89", "Country of Origin": "China"}, "brand": "Brand: JiuRui-504", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=JiuRui-504", "full_description": "Leisure swimsuits are perfect and well-fitting. It usually takes around 10- 25 days between shipment and delivery.Style: CasualMaterial: Cotton Applicable Season: summerLength: Knee Length Waist Type: MID Closure Type: Elastic waist Any question or problem, please feel free to contact us. We will reply within 24 hours.", "pricing": "$22.17", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31THlmtNerL.jpg", "https://m.media-amazon.com/images/I/411mGD+1tXL.jpg", "https://m.media-amazon.com/images/I/51cHg78qrrL.jpg", "https://m.media-amazon.com/images/I/41aqNOd1yIL.jpg", "https://m.media-amazon.com/images/I/41WCVt5z-JL.jpg", "https://m.media-amazon.com/images/I/51wtGAiM4uL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Shorts \u203a Flat Front", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A12G0315K7QJ4U", "seller_name": "Longgang JiuRui Electronic Firm", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B092T8CY89", "category": "fashion", "query": "Men's Shorts", "page": 134, "small_description_old": ""}, {"name": "Canon EOS 80D DSLR Camera w/Canon 18-135mm is USM, Canon 100-400mm is II USM & Commander 420-800mm Telephoto Lens + Elegant Accessory Kit (2X 64GB Memory Card, Canon Backpack, TTL Flash & More.)", "product_information": {"ASIN": "B07YBM2JHT", "Item model number": "Canon EOS 80D", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#650,733 in Electronics (See Top 100 in Electronics) #4,184 in DSLR Cameras"], "Date First Available": "September 24, 2019", "Manufacturer": "Canon"}, "brand": "Visit the Canon Store", "brand_url": "https://www.amazon.com/stores/Canon/page/5FDDA83E-27A1-472F-8444-4828B50C4243?ref_=ast_bln", "full_description": "This Bundle includes :Camera :Canon EOS 80D DSLR CameraLens :Canon EF-S 18-135mm f/3.5-5.6 IS USM LensCanon EF 100-400mm f/4.5-5.6L IS II USM LensCommander 420-800mm f/8 Telephoto LensAccessories :Canon Gadget BackpackCanon LP-E6N Battery PackCanon LC-E6 ChargerCanon Neck Strap2x 64GB Transcend Memory CardCommander C613 Speedlite TTL AutoflashBattery GripMonopod3x UV Filters (77mm, 67mm, 62mm) 2x Tulip Lens Hoods (77mm, 67mm, 62mm) Extra Replacement LP-E6N Battery PackLens Pen and Air Blower kitCleaning Cloth", "pricing": "$3,449.00", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51YBrcmi50L.jpg", "https://m.media-amazon.com/images/I/51MlgaHD+uL.jpg", "https://m.media-amazon.com/images/I/61XmZI3+uTL.jpg", "https://m.media-amazon.com/images/I/51KnV8R7pNL.jpg", "https://m.media-amazon.com/images/I/61JSdwVJ1IL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Digital Cameras \u203a DSLR Cameras", "average_rating": 5, "small_description": ["This Canon Camera Bundle comes a One Year Seller Warranty; Canon EOS 80D DSLR Camera - 24.2MP APS-C CMOS Sensor - DIGIC 6 Image Processor - 3.0\" 1.04m-Dot Vari-Angle Touchscreen - Full HD 1080p Video Recording at 60 fps - Up to 7 fps Shooting - Built-In Wi-Fi with NFC - RGB+IR 7560-Pixel Metering Sensor ", "Canon EF-S 18-135mm f/3.5-5.6 IS USM Lens - EF-S Mount Lens/APS-C Format - 28.8-216mm (35mm Equivalent) - Aperture Range: f/3.5 to f/38 - One UD Element, One Aspherical Element - Super Spectra Coating - NANO USM Autofocus System - Optical Image Stabilizer - Rounded 7-Blade Diaphragm - Compatible with PZ-E1 Power Zoom Adapter ", "Canon EF 100-400mm f/4.5-5.6L IS II USM Lens - A long-reaching telephoto zoom positioned as a versatile option for sports and wildlife photographers, this lens' list of attributes make it a viable telephoto zoom for a variety of shooting applications. Zoom control is complemented by a dedicated tension ring for adjusting zoom torque. Additionally, includes a tripod collar that can be attached or detached with the lens mounted to the camera ", "Commander 420-800mm f/8-16 HD Telephoto Zoom - A versatile lens for photographing distant subjects, that features a convenient threaded T-mount for adapting to a wide variety of shoots. Its 4 elements, 2 groups optical design features a super HD multi-coating, and a lens hood is incorporated into the design, to suppress lens flare, ghosting, and surface reflections for increased contrast and color neutrality when working in strong lighting conditions ", "Also includes : Canon Gadget Backpack - Canon LP-E6N Battery Pack and LC-E6 Charger - Canon Neck Strap - 2x 64GB Transcend Memory Card - Commander C613 Speedlite TTL Autoflash (Good to 180 ft) - Battery Grip - Monopod - 3x UV Filters - 3x Tulip Lens Hoods - Extra Replacement LP-E6N Battery Pack - Lens Pen and Air Blower kit - Cleaning Cloth "], "total_reviews": 1, "total_answered_questions": "", "model": "Canon EOS 80D", "customization_options": "", "seller_id": "A3KTZ4MX8F6OME", "seller_name": "PAGING ZONE", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07YBM2JHT", "category": "electronics", "query": "Digital Cameras", "page": 387, "small_description_old": "About this item\n \nThis Canon Camera Bundle comes a One Year Seller Warranty; Canon EOS 80D DSLR Camera - 24.2MP APS-C CMOS Sensor - DIGIC 6 Image Processor - 3.0\" 1.04m-Dot Vari-Angle Touchscreen - Full HD 1080p Video Recording at 60 fps - Up to 7 fps Shooting - Built-In Wi-Fi with NFC - RGB+IR 7560-Pixel Metering Sensor Canon EF-S 18-135mm f/3.5-5.6 IS USM Lens - EF-S Mount Lens/APS-C Format - 28.8-216mm (35mm Equivalent) - Aperture Range: f/3.5 to f/38 - One UD Element, One Aspherical Element - Super Spectra Coating - NANO USM Autofocus System - Optical Image Stabilizer - Rounded 7-Blade Diaphragm - Compatible with PZ-E1 Power Zoom Adapter Canon EF 100-400mm f/4.5-5.6L IS II USM Lens - A long-reaching telephoto zoom positioned as a versatile option for sports and wildlife photographers, this lens' list of attributes make it a viable telephoto zoom for a variety of shooting applications. Zoom control is complemented by a dedicated tension ring for adjusting zoom torque. Additionally, includes a tripod collar that can be attached or detached with the lens mounted to the camera Commander 420-800mm f/8-16 HD Telephoto Zoom - A versatile lens for photographing distant subjects, that features a convenient threaded T-mount for adapting to a wide variety of shoots. Its 4 elements, 2 groups optical design features a super HD multi-coating, and a lens hood is incorporated into the design, to suppress lens flare, ghosting, and surface reflections for increased contrast and color neutrality when working in strong lighting conditions Also includes : Canon Gadget Backpack - Canon LP-E6N Battery Pack and LC-E6 Charger - Canon Neck Strap - 2x 64GB Transcend Memory Card - Commander C613 Speedlite TTL Autoflash (Good to 180 ft) - Battery Grip - Monopod - 3x UV Filters - 3x Tulip Lens Hoods - Extra Replacement LP-E6N Battery Pack - Lens Pen and Air Blower kit - Cleaning Cloth"}, {"name": "Leica V-LUX (Typ 114) Digital Camera Explorer Kit - 64GB - Memory Card Wallet - Reader - Battery", "product_information": {"Brand Name": "\u200eLeica", "Item Weight": "\u200e7.52 pounds", "Product Dimensions": "\u200e16.1 x 12.3 x 6.6 inches", "Country of Origin": "\u200eChina", "Item model number": "\u200eLEIVLUXTYP114EXPKIT", "Special Features": "\u200eImage Stabilization", "ASIN": "B07ZDJZJFD", "Date First Available": "October 21, 2019"}, "brand": "Brand: Leica", "brand_url": "https://www.amazon.com/Leica/b/ref=bl_dp_s_web_2529774011?ie=UTF8&node=2529774011&field-lbr_brands_browse-bin=Leica", "full_description": "Leica V-LUX (Typ 114) Digital Camera Explorer KitReady to join you on your next adventure is the V-LUX (Typ 114) Digital Camera Explorer Kit from Leica which features the versatile, long-zoom V-LUX camera along with a red COOPH Leica Rope Strap and an ONA Bowery for Leica canvas camera bag.This set is bundled in a limited-edition Explorer Kit box and is available in a limited edition of 1500.The V-LUX is an advanced point-and-shoot digital camera with the form factor of a DSLR. It has a 20MP, 1\" MOS sensor, a 16x zoom lens, and UHD 4K video capability.The built-in DC Vario-Elmarit zoom lens has an impressive 25-400mm equivalent focal length range and Optical Image Stabilization helps minimize the appearance of camera shake, resulting in sharper imagery. Items Included With Your Purchase: Leica V-LUX (Typ 114) Digital Camera Explorer Kit ONA Bowery for Leica System Bag (Canvas, Field Tan) COOPH Leica Rope Strap (Red) Leica BP-DC12 Lithium-Ion Battery for Select V-Lux Digital Cameras (7.2V/1200 mAh) Battery Charger USB Cable Lens Cap Lens Hood Hot Shoe CoverTable Top Tripod, Lens Cleaning Kit & LCD Screen Protectors Blower Brush Lens Pen64GBMemory Card WalletUSB Card ReaderBattery", "pricing": "$1,314.95", "list_price": "", "availability_quantity": 8, "availability_status": "Only 8 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51HjLcoQVjL.jpg", "https://m.media-amazon.com/images/I/51Pv2hiPN2L.jpg", "https://m.media-amazon.com/images/I/512pkTrvEZL.jpg", "https://m.media-amazon.com/images/I/416oL7vX5xS.jpg", "https://m.media-amazon.com/images/I/41rJrE7cfoL.jpg", "https://m.media-amazon.com/images/I/31it8io49PS.jpg", "https://m.media-amazon.com/images/I/41WvwisCPeS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Digital Cameras \u203a Point & Shoot Digital Cameras", "average_rating": "", "small_description": ["20MP 1\" MOS Sensor. ", "DC Vario-Elmarit Lens (25-400mm Equiv.). ", "2.36m-Dot OLED Electronic Viewfinder. ", "3.0\" 920k-Dot Swivel LCD Monitor. ", "Ready to join you on your next adventure is the V-LUX (Typ 114) Digital Camera Explorer Kit from Leica which features the versatile, long-zoom V-LUX camera along with a red COOPH Leica Rope Strap and an ONA Bowery for Leica canvas camera bag. "], "total_reviews": "", "total_answered_questions": "", "model": "\u200eLEIVLUXTYP114EXPKIT", "customization_options": "", "seller_id": "A3DIJJ471X08L1", "seller_name": "Electronics Basket", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07ZDJZJFD", "category": "electronics", "query": "Digital Cameras", "page": 178, "small_description_old": "About this item 20MP 1\" MOS Sensor. DC Vario-Elmarit Lens (25-400mm Equiv.). 2.36m-Dot OLED Electronic Viewfinder. 3.0\" 920k-Dot Swivel LCD Monitor. Ready to join you on your next adventure is the V-LUX (Typ 114) Digital Camera Explorer Kit from Leica which features the versatile, long-zoom V-LUX camera along with a red COOPH Leica Rope Strap and an ONA Bowery for Leica canvas camera bag. \n \u203a See more product details"}, {"name": "Fujifilm T-160 VHS Videocassette", "product_information": {"Manufacturer": "\u200eFuji Photo Film Co. Ltd", "Brand": "\u200eFujifilm", "Package Dimensions": "\u200e8 x 4 x 1 inches", "Item model number": "\u200e600002347", "Is Discontinued By Manufacturer": "\u200eNo", "Manufacturer Part Number": "\u200e600002347", "ASIN": "B004EEG95I", "Best Sellers Rank": ["#341 in Camera & Photo VHS Blank Media #4,259 in Blank Media Products"], "Date First Available": "March 13, 2011"}, "brand": "Visit the Fujifilm Store", "brand_url": "https://www.amazon.com/stores/FUJIFILM/page/2528B9A9-8D24-443E-9D1B-EAFFFDE3CC60?ref_=ast_bln", "full_description": "VHS", "pricing": "$17.69", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41yrYhc2E1L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Accessories \u203a Blank Video Media \u203a VHS", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "model": "\u200e600002347", "customization_options": "", "seller_id": "A1CWR5CPF5J747", "seller_name": "book-exchange", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B004EEG95I", "category": "electronics", "query": "VCRs", "page": 301, "small_description_old": ""}, {"name": "Tattoo Ink Cup Holder Tattoo Ink Cup Holder Stainless Steel Tattoo For Tattoo Machine Supply With 21 Holes Tattoo Piercing Tattoo Supplies Machine Supply", "product_information": {"Manufacturer\n \u200f": "\u200e\n Burappoi", "ASIN\n \u200f": "\u200e\n B09MM1S15K", "": ""}, "brand": "Visit the Sonew Store", "brand_url": "https://www.amazon.com/stores/Sonew/page/A0672D9F-6012-4B78-BCA7-C03E02BA40D1?ref_=ast_bln", "full_description": "Specification: Condition: 100% Brand New Item Type: Tattoo Ink Cup Holder Material: Stainless Steel Size: Approx.13x6cm/5.1x2.4in Function: Hold Pigment Cup Package List: 1 xTattoo Ink Cup Rack", "pricing": "$6.69", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/319Omm306LL.jpg", "https://m.media-amazon.com/images/I/31PfB0PkOlL.jpg", "https://m.media-amazon.com/images/I/41Vu5ySD7ML.jpg", "https://m.media-amazon.com/images/I/41OFAdO4C2L.jpg", "https://m.media-amazon.com/images/I/41VUAA4ppIL.jpg", "https://m.media-amazon.com/images/I/31OKwsFlCrL.jpg", "https://m.media-amazon.com/images/I/31vPL3r-jYL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Piercing & Tattoo Supplies \u203a Tattoo Supplies \u203a Tattoo Inks", "average_rating": "", "small_description": ["Tattoo Cup Holder Stainless Steel Material: The Tattoo Paint Cup Holder Is Made Of Stainless Steel, High-Grade Quality, Sturdy And Durable, And Has A Long Service Life. The Bracket Is Sturdy And Stable, Which Can Prevent Accidental Damage During Operation. ", "Tattoo Ink Cup Trapezoidal Design: The Trapezoidal Rack Design Of The Tattoo Ink Cup Holder Makes The Cup Holder More Stable, Can Place The Ink Cups Well, And Can Also Be Better Classified. ", "Rack Tattoo Pigment Hole Shape Design: The Size Of The Tattoo Paint Pen Cap Holder Hole Size Is The Same As The General Market Size. It Can Be Applied To Small/Medium/Large Ink Caps To Fix The Tattoo Paint Cup And Effectively Prevent Accidental Overflow Of Tattoo Ink. ", "Cup Holder Stainless Large Capacity: The Tattoo Paint Cup Holder Has 6 Large Holes, 7 Middle Holes And 8 Small Holes, Which Can Hold 21 Tattoo Ink Or Paint Bottle Caps To Meet The Different Needs Of Tattoo Artists. ", "Steel Shelf Stand Wide Range Of Applications: The Tattoo Cup Holder Is Suitable For Storing Tattoo Pigments Or Inks. The Tattoo Ink Cup Holder Is A Necessary And Very Useful Tool For Tattoos Or Makeup, Suitable For Professional And Household Purposes. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1RSFLUUC6GGV9", "seller_name": "Burappoi dy", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09MM1S15K", "category": "beauty", "query": "Piercing & Tattoo Supplies", "page": 34, "small_description_old": "Tattoo Cup Holder Stainless Steel Material: The Tattoo Paint Cup Holder Is Made Of Stainless Steel, High-Grade Quality, Sturdy And Durable, And Has A Long Service Life. The Bracket Is Sturdy And Stable, Which Can Prevent Accidental Damage During Operation. Tattoo Ink Cup Trapezoidal Design: The Trapezoidal Rack Design Of The Tattoo Ink Cup Holder Makes The Cup Holder More Stable, Can Place The Ink Cups Well, And Can Also Be Better Classified. Rack Tattoo Pigment Hole Shape Design: The Size Of The Tattoo Paint Pen Cap Holder Hole Size Is The Same As The General Market Size. It Can Be Applied To Small/Medium/Large Ink Caps To Fix The Tattoo Paint Cup And Effectively Prevent Accidental Overflow Of Tattoo Ink. Cup Holder Stainless Large Capacity: The Tattoo Paint Cup Holder Has 6 Large Holes, 7 Middle Holes And 8 Small Holes, Which Can Hold 21 Tattoo Ink Or Paint Bottle Caps To Meet The Different Needs Of Tattoo Artists. Steel Shelf Stand Wide Range Of Applications: The Tattoo Cup Holder Is Suitable For Storing Tattoo Pigments Or Inks. The Tattoo Ink Cup Holder Is A Necessary And Very Useful Tool For Tattoos Or Makeup, Suitable For Professional And Household Purposes."}, {"name": "Elecsung Smart Mirror TV for Bathroom IP66 Waterproof Android System with Integrated HDTV(ATSC) Tuner and Built-in Wi-Fi&Bluetooth (27 inch Mirror)", "product_information": {"Brand Name": "\u200eElecsung", "Item Weight": "\u200e19 pounds", "Package Dimensions": "\u200e27.6 x 19.6 x 5.2 inches", "Item model number": "\u200eM27", "Color Name": "\u200eMirror", "Special Features": "\u200eSmart", "Speaker Type": "\u200eBuilt-In", "ASIN": "B09J4RS3V1", "Customer Reviews": {"ratings_count": 7, "stars": "3.8 out of 5 stars"}, "Best Sellers Rank": ["#138,755 in Electronics (See Top 100 in Electronics) #1,104 in LED & LCD TVs"], "Date First Available": "May 20, 2021"}, "brand": "Brand: elecsung", "brand_url": "https://www.amazon.com/elecsung/b/ref=bl_dp_s_web_23542339011?ie=UTF8&node=23542339011&field-lbr_brands_browse-bin=elecsung", "full_description": "Why A waterproof television is needed? A waterproof TV that is safe to use around humid environment. The TV is typically sealed in such a way that they can be splashed, rained on, or, in some cases, submerged in water and other liquids and still function. Features: Functions:ATV/DTV/Monitor Protection Grade: IP66 Speaker: Built-in Waterproof Speaker Remote Controller: IP68 Waterproof HDMIx 2: Supported WiFi: Supported (Integrated) RAM: 1G DDR3 Nand Flash : 8GBLCD Size (Diagonal):27\" Unit Size: 612x372x48mm/24.1\"W x 14.64\"H x 1.88\"D Unit Weight:8.6KGs Package Size: 27.5\"W x 18\"H x 5\"D, 700x462x120mm Gross Weight:10.9kgs Finish: Mirror Front Panel Material: Glass Specifications: Interface: TV/USBx2/ HDMIx1/LAN / Integrated WiFi&Bluetooth/Audio Out Android System: Android 7.1 (APPS or GAMES download available ) Power Input: 12V (Adapter for 100-240V input is available as accessory) Display Type: LEDAspect Ratio: 16:9Brightness(Cd/m2): 250Resolution: 1920x1080Response Time: 3.6msViewing Angle (H/V): 178/178(H/V) Built-in Speakers: 2pcsStandby Power: under 1WPower Consumption: 48WWorking Environment: -30 to 50 degreeWorking Humidity: 10%-90%Install:Recess Dimensions for in-wall 438.4W x 276.2H x 30D (W17.2\u201dxH10.9\u201dxD1.2\u201d), or Wall Bracket Dimensions for on-wall 27\"(VESA100x100mm) Package Include: Television+Accessories: Waterproof Controller(Without batteries)/Manual/ 100-240V Adapter/Power Cord/Wall Bracket/Embedded Back/Install tool.", "pricing": "$689.00", "list_price": "", "availability_quantity": 14, "availability_status": "Only 14 left in stock - order soon. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41UiSKU2aHL.jpg", "https://m.media-amazon.com/images/I/41M2OhdZgaL.jpg", "https://m.media-amazon.com/images/I/51j8Mg3h-rL.jpg", "https://m.media-amazon.com/images/I/41UaBAJSm8L.jpg", "https://m.media-amazon.com/images/I/41EiswxUohL.jpg", "https://m.media-amazon.com/images/I/41c4XKN0+lL.jpg", "https://m.media-amazon.com/images/I/51+JysQ6euS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Television & Video \u203a Televisions \u203a LED & LCD TVs", "average_rating": 3.8, "small_description": ["\u27a4MAGIC MIRROR TV-Mirror is always Up-to-Date, it presents TV programs when turned on and a mirror when turned off. The TV is IP66 waterproof and it is luxury installed in bathroom, hotel and kitchens. ", "\u27a4SMART FULL HD LED TV-Smart digital TV with Android 7.1 system, have access to channels without TV box. No Aerial Required! FULL HD ready TV, 16:9 screen, resolution:1920x1080, provides high quality and vivid pictures. For more specification, please refer to below product description. ", "\u27a4INTERFACE-TV/HDMI x 1/USB x 2/Audio Out Port/ LAN/Integrated Wi-Fi&Bluetooth. With Google Chromecast and Google Chrome, YouTube, NetFlix Download already. TV works on 12 Volt DC and mains 240-adaptors included. ", "\u27a4DIMENSION&INSTALLATION-Unit Size(WxHxD): 614x375x51mm/24.2\"W x 14.76\"H x 2\"D. Recess Dimensions for In-wall(mm): 575W x 276H x 30D (W22.63\u201dxH10.9\u201dxD1.2\u201d). Embedded bracket for in-wall and wall bracket for on-wall are included(provide installation instruction). ", "SHIPPING: Fullfilled by Amazon, 3 month Money back guarantee.Please contact us if need any assistance, all received message will be replied within 24 hours. All our TVs come with 1 year warranty. "], "total_reviews": 7, "total_answered_questions": 12, "model": "\u200eM27", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08S72RNJB/ref=twister_B09NPMCKDW?_encoding=UTF8&psc=1", "value": "22 inch", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09P343Q9J/ref=twister_B09NPMCKDW?_encoding=UTF8&psc=1", "value": "22 inch(without Bluetooth)", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "27 inch", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KRS2R4P/ref=twister_B09NPMCKDW?_encoding=UTF8&psc=1", "value": "32 inch", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09PH8RDPR/ref=twister_B09NPMCKDW?_encoding=UTF8&psc=1", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31bBnQLsXBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PH8MKXP/ref=twister_B09NPMCKDW?_encoding=UTF8&psc=1", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51gvtZTqAyL.jpg"}, {"is_selected": true, "url": null, "value": "Mirror", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21iQlYhiqVL.jpg"}]}, "seller_id": "A3VW456QORZP65", "seller_name": "Elecsung", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": "", "asin": "B09J4RS3V1", "category": "electronics", "query": "Televisions", "page": 6, "small_description_old": "About this item \u27a4MAGIC MIRROR TV-Mirror is always Up-to-Date, it presents TV programs when turned on and a mirror when turned off. The TV is IP66 waterproof and it is luxury installed in bathroom, hotel and kitchens. \u27a4SMART FULL HD LED TV-Smart digital TV with Android 7.1 system, have access to channels without TV box. No Aerial Required! FULL HD ready TV, 16:9 screen, resolution:1920x1080, provides high quality and vivid pictures. For more specification, please refer to below product description. \u27a4INTERFACE-TV/HDMI x 1/USB x 2/Audio Out Port/ LAN/Integrated Wi-Fi&Bluetooth. With Google Chromecast and Google Chrome, YouTube, NetFlix Download already. TV works on 12 Volt DC and mains 240-adaptors included. \u27a4DIMENSION&INSTALLATION-Unit Size(WxHxD): 612x372x48mm/24.1\"W x 14.64\"H x 1.88\"D. Recess Dimensions for In-wall(mm): 438.4W x 276.2H x 30D (W17.2\u201dxH10.9\u201dxD1.2\u201d). Embedded bracket for in-wall and wall bracket for on-wall are included(provide installation instruction). SHIPPING: Fullfilled by Amazon, 3 month Money back guarantee.Please contact us if need any assistance, all received message will be replied within 24 hours. All our TVs come with 1 year warranty. \n \u203a See more product details"}, {"name": "Small Stainless Steel Cosmetic Makeup Palette Spatula Rectangle Shape Foundation Mixing Plate Tool", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 4.72 x 2.76 x 0.12 inches; 1.41 Ounces", "UPC\n \u200f": "\u200e\n 741870117466", "Manufacturer\n \u200f": "\u200e\n Sonew", "ASIN\n \u200f": "\u200e\n B07CXTNVRJ", "Best Sellers Rank": "#380,530 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#957 in Makeup Palettes", "#957 in Makeup Palettes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Sonew Store", "brand_url": "https://www.amazon.com/stores/Sonew/page/A0672D9F-6012-4B78-BCA7-C03E02BA40D1?ref_=ast_bln", "full_description": "Description: This product is high quality Stainless Steel Makeup Palette Spatula. The palette has modern artistic temperament, smooth texture, which makes it practical and beautiful. Suitable for mixing foundation, lip colors, pigments, etc, and help you create your own beauty and fashion. Perfect for home and professional use. It is a small gift for your friends or yourself.\u00a0 So, what are you waiting for? You are worth it. Features: 1. Made of high quality stainless steel and durable enough for your daily use. 2. The palette has modern artistic temperament, smooth texture, which makes it practical and beautiful. 3. Suitable for mixing foundation, lip colors, pigments, etc, and help you create your own beauty and fashion. 4. Perfect for home and professional use. 5. It is a small gift for your friends or yourself. Specification: Material: Stainless Steel Palette Shape: Rectangle Color: As Pictures Show Package Weight: 83g Size of the Palette: approx. 11.5 * 7.5cm / 4.5 * 3.0inch Length of Spatula: approx. 11.7cm / 4.6inch Function: Mixing foundation, lip colors, pigments, etc Package Included: 1 x Palette ; 1 x Spatula Notes: 1. Please allow 1-3cm error due to manual measurement. Thanks for your understanding. 2. Monitors are not calibrated same, item color displayed in photos may be showing slightly different from the real object. Please take the real one as standard.", "pricing": "$11.49", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/21thyKlDpqL.jpg", "https://m.media-amazon.com/images/I/41NkkulyrWL.jpg", "https://m.media-amazon.com/images/I/41ImZkEUquL.jpg", "https://m.media-amazon.com/images/I/31b3gHDAfbL.jpg", "https://m.media-amazon.com/images/I/21dWyLBbR8L.jpg", "https://m.media-amazon.com/images/I/316HiabeBjL.jpg", "https://m.media-amazon.com/images/I/41ymmfi6FnL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Makeup Palettes", "average_rating": 4.6, "small_description": ["The palette has modern artistic temperament, smooth texture, which makes it practical and beautiful. ", "Suitable for mixing foundation, lip colors, pigments, etc, and help you create your own beauty and fashion. ", "Use the Spatula to mix the cosmetic and makeup.It is smooth and professional texture, easy to clean with just water or with a little detergent as you like. ", "Perfect for home and professional use. ", "Perfect after-sales service and pre-consult. We will try our best to solve your problem. "], "total_reviews": 56, "total_answered_questions": "", "customization_options": "", "seller_id": "AA5A30IAB960V", "seller_name": "Vertigo us", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07CXTNVRJ", "category": "beauty", "query": "Makeup Palettes", "page": 45, "small_description_old": "The palette has modern artistic temperament, smooth texture, which makes it practical and beautiful. Suitable for mixing foundation, lip colors, pigments, etc, and help you create your own beauty and fashion. Use the Spatula to mix the cosmetic and makeup.It is smooth and professional texture, easy to clean with just water or with a little detergent as you like. Perfect for home and professional use. Perfect after-sales service and pre-consult. We will try our best to solve your problem."}, {"name": "ShiSyan Statue Sculpture Figurine Statuette,Republic Of China Style Small Blue And White Porcelain Beauty Cheongsam Ornament Sculpture Vase Home Wine Cabinet Living Room Study Display Tv Cabinet Craft", "product_information": {"Item Weight": "0.035 ounces", "Manufacturer": "ShiSyan", "ASIN": "B08MB4NQGQ"}, "brand": "Brand: ShiSyan", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ShiSyan", "full_description": "It is a fantastic and very detailed, ornament Suitable for home interior Decoration sculptureWe have commodity security services. If the product you received has quality problems, please feel free to contact us, we can provide you with a return service.", "pricing": "$229.37", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/41oHRouvaJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Home D\u00e9cor Accents \u203a Sculptures \u203a Statues", "average_rating": "", "small_description": ["Material: Ceramic ", "Size: 40cm in height ", "This statue is perfect fo Collection sculpture thusiast It is a beautiful addition to your space. ", "A great gift idea for anyone who like Collecting people this beautiful sculpture, too Perfect for your home , office , restaurant\uff0ccabinet ,kitchen, Decoration statue Sculpture. ", "We have commodity security services. If the product you received has quality problems, please feel free to contact us, we can provide you with a return service. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2G7TWNE0N99WU", "seller_name": "SHIXIANGNG", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08MB4NQGQ", "category": "garden", "query": "China Cabinets", "page": 118, "small_description_old": "Material: Ceramic Size: 40cm in height This statue is perfect fo Collection sculpture thusiast It is a beautiful addition to your space. A great gift idea for anyone who like Collecting people this beautiful sculpture, too Perfect for your home , office , restaurant\uff0ccabinet ,kitchen, Decoration statue Sculpture. We have commodity security services. If the product you received has quality problems, please feel free to contact us, we can provide you with a return service."}, {"name": "Belvoir, Beverage Sparkling Elderflower Rose organic, 8.4 Fl Oz", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 6 x 2 x 2 inches; 1 Pounds", "ASIN\n \u200f": "\u200e\n B0121IVA5W", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Belvoir", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Belvoir", "full_description": "New Belvoir Elderflower and Rose Lemonade Presse Beverage, 8.4 Fluid Ounce -- 24 per case. \u2026", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31CRDrGsGkL.jpg", "https://m.media-amazon.com/images/I/31YsDqkw8bL.jpg", "https://m.media-amazon.com/images/I/51KG5WcWCDL.jpg", "https://m.media-amazon.com/images/I/41WRd1v4JNL.jpg", "https://m.media-amazon.com/images/I/31S+3ZQxJoL.jpg", "https://m.media-amazon.com/images/I/31cx3qH7JcL.jpg", "https://m.media-amazon.com/images/I/41mjDGFAo2L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": 4.9, "small_description": [""], "total_reviews": 13, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0121IVA5W", "category": "grocery", "query": "Alcoholic Beverages", "page": 77, "small_description_old": ""}, {"name": "Queen Size Tan Traditional Japanese Floor Futon Mattresses, Foldable Cushion Mats, Yoga, Meditaion 60\" Wide X 80\" Long", "product_information": {"Product Dimensions": "80 x 60 x 3 inches", "Item Weight": "26 pounds", "Manufacturer": "D&D Futon Furniture", "ASIN": "B009EEVDSQ", "Country of Origin": "USA", "Item model number": "JFM-36080", "Customer Reviews": {"ratings_count": 89, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#1,164,348 in Home & Kitchen (See Top 100 in Home & Kitchen) #208 in Futon Mattresses"], "Is Discontinued By Manufacturer": "No", "Date First Available": "December 6, 2013"}, "brand": "Brand: D&D Futon Furniture", "brand_url": "https://www.amazon.com/D-D-Futon-Furniture/b/ref=bl_dp_s_web_18746422011?ie=UTF8&node=18746422011&field-lbr_brands_browse-bin=D%26D+Futon+Furniture", "full_description": "This traditional Japanese futon mattress is made of cotton batting and able to be rolled up to keep in closet and rolled out right on the floor to sleep on. This makes for an efficient use of living space and storage, easily to move. This 3\" thickness futon mat is an ideal to sleep on floor. Moreover, it can be used in multi purposes such as for picnics, visitors, children playing games, taking a rest, massage, yoga, exercise .... You can use this Japanese futon mattress in any efficient places, such as guest room, living room, exercise room, patio, studio, dormitory, mobile house, massage studios and also bring it with you in your car when going to anywhere.", "pricing": "$149.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/411nRcojq1L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Futons \u203a Futon Mattresses", "average_rating": 4.4, "small_description": ["Brand new floor futon mattress, made in USA. ", "Queen Size Bed sized 3\" thick x 60\" wide x 80\" long. ", "Mattress filled with white cotton, comforting fiber and resilient foam. ", "Cover material is made of 100% polyester. "], "total_reviews": 89, "total_answered_questions": "", "model": "JFM-36080", "customization_options": "", "seller_id": "A16KD7O2BZGIZO", "seller_name": "D&D Futon Furniture", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B009EEVDSQ", "category": "garden", "query": "Mattresses", "page": 124, "small_description_old": "About this item\n \nBrand new floor futon mattress, made in USA. Queen Size Bed sized 3\" thick x 60\" wide x 80\" long. Mattress filled with white cotton, comforting fiber and resilient foam. Cover material is made of 100% polyester."}, {"name": "Spring Coil 1 Mattress, Queen", "product_information": {"Item Weight": "\u200e70 pounds", "Product Dimensions": "\u200e79 x 59 x 20 inches", "Country of Origin": "\u200eUSA", "Item model number": "\u200e90000-5/0-2", "Is Discontinued By Manufacturer": "\u200eNo", "ASIN": "B01A0L5FXA", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#3,964,464 in Home & Kitchen (See Top 100 in Home & Kitchen) #2,919 in Mattresses"], "Date First Available": "December 30, 2015"}, "brand": "Brand: Spring Coil", "brand_url": "https://www.amazon.com/Spring-Coil/b/ref=bl_dp_s_web_12678197011?ie=UTF8&node=12678197011&field-lbr_brands_browse-bin=Spring+Coil", "full_description": "Spring coil is a proud manufacturer of the finest quality mattresses and box springs, with the highest standards in durability, quality, comfort and beauty. All of our products are made in the USA to ensure that you get only the best! this item is part of our foam encased collection. This mattress is uniquely designed to give you the kind of undisturbed sleep nature intended. 396 innerspring vertical unit, with 13 3/4 SH gauge unit. Foam encased with edges supported with high density foam.208 Pad.3-Inch High density firm foam on each side. 4-Inch one side euro pillow top attached. 3-Inch high density firm foam in pillow. Heavy damask fabric-class b. Quilted with 3x3/8-inch Polly foam and 1x.5 Whisper shield blue on the top. Tack and jump quilt. Non skid filler cloth heavy duty. Available in all sizes. Height 13-inch. Wood foundation 8-inch high. Continental box. Meets federal standards 1632 and 1633 fire code. Orthopedic type.", "pricing": "$565.71", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/514EN+9E+IL.jpg", "https://m.media-amazon.com/images/I/51W2S7LkdaL.jpg", "https://m.media-amazon.com/images/I/41uVZh3S5aL.jpg", "https://m.media-amazon.com/images/I/41e6CmR7TsL.jpg", "https://m.media-amazon.com/images/I/51uu84aQOTL.jpg", "https://m.media-amazon.com/images/I/41NHpdFGe6L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Mattresses & Box Springs \u203a Mattresses", "average_rating": 5, "small_description": ["Orthopedic type mattress ", "Fully Assembled; mattress & box spring are ready to use ", "Firm pillow top mattress ", "418 innerspring verticoil unit for pressure point relief to reduce tossing & turning ", "Foam encased with edges supported with high density foam ", "Euro top for enhanced comfort ", "Strong & sturdy box spring "], "total_reviews": 1, "total_answered_questions": "", "model": "\u200e90000-5/0-2", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B01A0L5G2U/ref=twister_B01IC2VLAU?_encoding=UTF8&psc=1", "value": "Twin", "price_string": "$407.48", "price": 407.48, "image": null}, {"is_selected": true, "url": null, "value": "Queen", "price_string": "$565.71", "price": 565.71, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01A0L5GAC/ref=twister_B01IC2VLAU?_encoding=UTF8&psc=1", "value": "King", "price_string": "$845.47", "price": 845.47, "image": null}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B01A0L5FXA", "category": "garden", "query": "Mattresses", "page": 190, "small_description_old": "About this item Orthopedic type mattress Fully Assembled; mattress & box spring are ready to use Firm pillow top mattress 418 innerspring verticoil unit for pressure point relief to reduce tossing & turning Foam encased with edges supported with high density foam Euro top for enhanced comfort Strong & sturdy box spring \n \u203a See more product details"}, {"name": "Noverlife Pure White Makeup Cape, Short Comb-Out Beard Shaving Smock, Beauty Salon Styling Bib for Client, Barber Shop Shampoo Cloth Makeover Shawl for Cosmetics Artist Beautician Hairdresser", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 8.9 x 6.77 x 0.63 inches; 2.12 Ounces", "Manufacturer\n \u200f": "\u200e\n Noverlife", "ASIN\n \u200f": "\u200e\n B08DQWNJPQ", "Best Sellers Rank": "#74,416 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#139 in Hair Cutting Kits", "#139 in Hair Cutting Kits": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Noverlife", "brand_url": "https://www.amazon.com/Noverlife/b/ref=bl_dp_s_web_19645971011?ie=UTF8&node=19645971011&field-lbr_brands_browse-bin=Noverlife", "full_description": "", "pricing": "$7.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/419oOyA5bzL.jpg", "https://m.media-amazon.com/images/I/412cN8C3DmL.jpg", "https://m.media-amazon.com/images/I/41zc6wjDBNL.jpg", "https://m.media-amazon.com/images/I/51UE78OXl7L.jpg", "https://m.media-amazon.com/images/I/51WmJ7BlDRL.jpg", "https://m.media-amazon.com/images/I/51DREQ6TsAL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Cutting Tools \u203a Hair Cutting Kits", "average_rating": 4.7, "small_description": ["\u3010COMFORTABLE FABRIC\u3011-- Made from premium polyester, super lightweight to wear on, great for doing makeup on clients to catch any fallout and smudges. (NOTE: this cape is not water resistant.) ", "\u3010ADJUSTABLE NECKBAND\u3011-- Its one size fits all, and easy to custom fit with snap fasteners closure in the back. Measuring 67cm wide x 80cm long (26.5 x 31.5\"). ", "\u3010HANDY & CONVENIENT\u3011-- Mid length, falls just above the waistline, it's perfect for quick or light duty makeup applications and touch-ups, hair comb outs and styling, hair spray, or any other beauty tasks and allows for adequate coverage and protection. ", "\u3010WIDE USAGE\u3011-- Great for beautician, estheticians, makeup artists, hair and wardrobe stylists in makeup departments, hair styling stations, retail counters/salons, studio, performance or home use. ", "\u3010BENEFITS\u3011-- Draping your client in white will allow fuller light reflection into the face so that you can see the skin tonalities more clearly. This is especially important for novice makeup students/artists who are still learning to match skin tones in makeup. "], "total_reviews": 207, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08HMJ37Q7/ref=twister_B09NZJ5GT1?_encoding=UTF8&psc=1", "value": "Artsy (Snap Button Closure)", "price_string": "$6.99", "price": 6.99, "image": "https://m.media-amazon.com/images/I/51z9fZumDcL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08DR1P9ZS/ref=twister_B09NZJ5GT1?_encoding=UTF8&psc=1", "value": "Black (Snap Button Closure)", "price_string": "$7.99", "price": 7.99, "image": "https://m.media-amazon.com/images/I/31lyfJfiTfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08CDJ97D6/ref=twister_B09NZJ5GT1?_encoding=UTF8&psc=1", "value": "Blue Bohemian (Snap Button Closure)", "price_string": "$7.99", "price": 7.99, "image": "https://m.media-amazon.com/images/I/51KdIvbVhdL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08CDQ51LC/ref=twister_B09NZJ5GT1?_encoding=UTF8&psc=1", "value": "Hot Pink (Hook & Loop Closure)", "price_string": "$7.99", "price": 7.99, "image": "https://m.media-amazon.com/images/I/41IIajYVs6L.jpg"}, {"is_selected": true, "url": null, "value": "White (Snap Button Closure)", "price_string": "$7.99", "price": 7.99, "image": "https://m.media-amazon.com/images/I/419oOyA5bzL.jpg"}]}, "seller_id": "A3A5Q4GVX0DSZX", "seller_name": "Noverlife", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08DQWNJPQ", "category": "beauty", "query": "Hair Cutting Tools", "page": 24, "small_description_old": "\u3010COMFORTABLE FABRIC\u3011-- Made from premium polyester, super lightweight to wear on, great for doing makeup on clients to catch any fallout and smudges. (NOTE: this cape is not water resistant.) \u3010ADJUSTABLE NECKBAND\u3011-- Its one size fits all, and easy to custom fit with snap fasteners closure in the back. Measuring 67cm wide x 80cm long (26.5 x 31.5\"). \u3010HANDY & CONVENIENT\u3011-- Mid length, falls just above the waistline, it's perfect for quick or light duty makeup applications and touch-ups, hair comb outs and styling, hair spray, or any other beauty tasks and allows for adequate coverage and protection. \u3010WIDE USAGE\u3011-- Great for beautician, estheticians, makeup artists, hair and wardrobe stylists in makeup departments, hair styling stations, retail counters/salons, studio, performance or home use. \u3010BENEFITS\u3011-- Draping your client in white will allow fuller light reflection into the face so that you can see the skin tonalities more clearly. This is especially important for novice makeup students/artists who are still learning to match skin tones in makeup."}, {"name": "Warmter 32.5 Inch Large Elegant Bird of Paradise Artificial Flower for Home Office 3 Pcs (Yellow)", "product_information": {"Package Dimensions": "15.59 x 11.18 x 1.73 inches", "Item Weight": "11.3 ounces", "Manufacturer": "Warmter", "ASIN": "B07GLPCY1C", "Customer Reviews": {"ratings_count": 328, "stars": "4.1 out of 5 stars"}, "Best Sellers Rank": ["#153,329 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,729 in Artificial Flowers"], "Is Discontinued By Manufacturer": "No", "Specific Uses For Product": "Hotel Decor, Home Decor, Office Decor", "Batteries Required?": "No"}, "brand": "Brand: Warmter", "brand_url": "https://www.amazon.com/Warmter/b/ref=bl_dp_s_web_20793035011?ie=UTF8&node=20793035011&field-lbr_brands_browse-bin=Warmter", "full_description": "The bird of paradise have a flame like appearance,very tall and elegant, vibrantly real colors,giving hope and peace.Can be used in home, hotels,office,cafe,wedding,baby bathing.", "pricing": "$22.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51nj-iuUI0L.jpg", "https://m.media-amazon.com/images/I/41+NqVDZU8L.jpg", "https://m.media-amazon.com/images/I/61dYSjMG0hL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Artificial Plants & Flowers \u203a Artificial Flowers", "average_rating": 4.1, "small_description": ["The bird of paradise have a flame like appearance,very tall and elegant, vibrantly real colors,giving hope and peace. ", "32.5 inch large size,great colors and design.whether as a separate job or placing them in a large tropical arrangement of palm leaves, it is a good choice. ", "Material: plastic iron wire, the flower part is made of high quality plastic, and the branch part is made of plastic and iron wire,The iron wire is wrapped in the plastic to make it easy to bend or shape, which makes you satisfied. ", "Can be used in home, hotels,office,cafe,wedding,baby bathing.The bird of paradise have a flame like appearance,very tall and elegant, vibrantly real colors,giving hope and peace. ", "Approx height 32.5\",you will receive 3 items per pack. "], "total_reviews": 328, "total_answered_questions": "", "customization_options": "", "seller_id": "ALS54933CBK8Q", "seller_name": "Warmter", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07GLPCY1C", "category": "garden", "query": "Artificial Plants", "page": 48, "small_description_old": "About this item\n \nThe bird of paradise have a flame like appearance,very tall and elegant, vibrantly real colors,giving hope and peace. 32.5 inch large size,great colors and design.whether as a separate job or placing them in a large tropical arrangement of palm leaves, it is a good choice. Material: plastic iron wire, the flower part is made of high quality plastic, and the branch part is made of plastic and iron wire,The iron wire is wrapped in the plastic to make it easy to bend or shape, which makes you satisfied. Can be used in home, hotels,office,cafe,wedding,baby bathing.The bird of paradise have a flame like appearance,very tall and elegant, vibrantly real colors,giving hope and peace. Approx height 32.5\",you will receive 3 items per pack."}, {"name": "Kids Wireless Headphones, Adjustable Headband, Stereo Sound, 3.5mm Jack, Kids Bluetooth Headphones, Volume Control, Foldable, Build-in Microphone, Over-Ear Headphones for Kids for School Home, Travel", "product_information": {"Product Dimensions": "5.5 x 3.4 x 2.17 inches", "Item Weight": "9.9 ounces", "ASIN": "B09KQNH5C6", "Customer Reviews": {"ratings_count": 2, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#2,510 in Over-Ear Headphones"], "Date First Available": "January 1, 2022", "Manufacturer": "NVRADCHUA", "Country of Origin": "China"}, "brand": "Brand: NVRADCHUA", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=NVRADCHUA", "full_description": "", "pricing": "$14.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41B+OC0qnOL.jpg", "https://m.media-amazon.com/images/I/51-CeHdjipL.jpg", "https://m.media-amazon.com/images/I/51emhfCzRCL.jpg", "https://m.media-amazon.com/images/I/41L6wMlQnnL.jpg", "https://m.media-amazon.com/images/I/412lJElSIKL.jpg", "https://m.media-amazon.com/images/I/41PW6vE51FL.jpg", "https://m.media-amazon.com/images/I/41DYJYHl7cL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Headphones \u203a Over-Ear Headphones", "average_rating": 4, "small_description": ["\u3010WIRELESS & WIRED KIDS HEADPHONES\u3011 Stunning kid headphones, built with the latest high quality 5.0 Bluetooth chip, which allows kids wireless headphones to connect fast and stable, also with 3.5mm jack to connect any device. You can use them as wireless headphones and wired headphones, compatible with smartphones, laptops, tablets, computers, TVs and many other Bluetooth-enabled devices, making it possible to provide you with great music anywhere in the occasion. ", "\u3010Cute cat headphones\u3011It is designed with cute cartoon pattern, you can use it in any venue. Our over-ear headphones provide you with easy to control high quality sound, comfortable and soft ear cushions can protect your child's ears well, it is a beautiful birthday or Christmas gift for girls, children, teenagers, adult women. ", "\u3010Excellent sound quality and adjustable headband\u3011 This baby headphones is designed for children, no need to worry about the damage caused by rough handling. Stretchable, foldable design is convenient for travel and storage. Clear stereo sound quality provides you with the best listening enjoyment, full sound, supports connection to Bluetooth, 3.5mm headphone jack, SD card, connect and enjoy all the favorite content for boys and girls. ", "\u3010Long battery life and built-in microphone\u3011Our toddler headphones have a battery capacity of up to 400mAh and last up to 7 hours, so even when the battery runs out, you can still use it through the audio hole. Built-in microphone for taking calls, video chats, or online lessons. Perfect for: kids headphones for school, outdoor headphones for boys and girls ", "\u3010100% satisfaction after-sales service\u3011 Our brand always puts customers first, if you have any problems with your headphones, please feel free to contact us through seller support, we will provide you with attentive customer service within 24 hours. "], "total_reviews": 2, "total_answered_questions": 5, "customization_options": "", "seller_id": "A2AYFQ8VIZ6PZH", "seller_name": "Manyutech", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09KQNH5C6", "category": "electronics", "query": "Headphones", "page": 55, "small_description_old": "About this item\n \n\u3010WIRELESS & WIRED KIDS HEADPHONES\u3011 Stunning kid headphones, built with the latest high quality 5.0 Bluetooth chip, which allows kids wireless headphones to connect fast and stable, also with 3.5mm jack to connect any device. You can use them as wireless headphones and wired headphones, compatible with smartphones, laptops, tablets, computers, TVs and many other Bluetooth-enabled devices, making it possible to provide you with great music anywhere in the occasion. \u3010Cute cat headphones\u3011It is designed with cute cartoon pattern, you can use it in any venue. Our over-ear headphones provide you with easy to control high quality sound, comfortable and soft ear cushions can protect your child's ears well, it is a beautiful birthday or Christmas gift for girls, children, teenagers, adult women. \u3010Excellent sound quality and adjustable headband\u3011 This baby headphones is designed for children, no need to worry about the damage caused by rough handling. Stretchable, foldable design is convenient for travel and storage. Clear stereo sound quality provides you with the best listening enjoyment, full sound, supports connection to Bluetooth, 3.5mm headphone jack, SD card, connect and enjoy all the favorite content for boys and girls. \u3010Long battery life and built-in microphone\u3011Our toddler headphones have a battery capacity of up to 400mAh and last up to 7 hours, so even when the battery runs out, you can still use it through the audio hole. Built-in microphone for taking calls, video chats, or online lessons. Perfect for: kids headphones for school, outdoor headphones for boys and girls \u3010100% satisfaction after-sales service\u3011 Our brand always puts customers first, if you have any problems with your headphones, please feel free to contact us through seller support, we will provide you with attentive customer service within 24 hours."}, {"name": "JSPOYOU 2022 Newly T-Shirt for Mens Funny 3D Graphics Pattern Crewneck Short Sleeve Tees Big and Tall Summer Casual Comfy Top", "product_information": {"Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n January 11, 2022", "Manufacturer\n \u200f": "\u200e\n JSPOYOU-2021-Mens", "ASIN\n \u200f": "\u200e\n B09Q67CNXP", "": ""}, "brand": "Brand: JSPOYOU", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=JSPOYOU", "full_description": "\u2764\u2764\u3010Product Information\u3011\u2764\u2764 Gender: Men Material: Polyester, Fleece,Faux Leather Pattern Type: Printed Style: Casual Fashion,Athletics Fit Type: Standard Closure Type: Elastic What you get: 1 PC Man T-shirt tops \u2764\u2764\u3010Note\u3011\u2764\u2764 Size chart carefully before order. Please allow 1-3cm differs due to manual measurement, thanks (1 cm=0.39 inch,1 inch=2.54 cm) Due to possible physical differences between different monitors, the product photography is illustrative only and may not precisely reflect the actual color of the item received. \u2764\u2764\u3010Service\u3011\u2764\u2764 If you have any problem about our items, please send message to us, we will try to our best service to resolve your issues. \u3010Purchase Guarantee\u3011 please rest assured to buy afterwards! after receiving the order, if you have any questions, please feel free to send us an email, thank you for choosing our products, the quality is guaranteed. \u3010Our Shop\u3011standard shipping:7-10 days;expedited shipping:3-5 days. \u3010Search Term\u3011men suits slim fit men suits slim fit plaid men suits slim fit prom men suits regular fit men suits for wedding men suits for wedding regular fit men suits for wedding white men suits for wedding fushia men suits for wedding on the beach men suits big and tall men suits big and tall long men suits \u3010Search Term\u3011men's pants casual men's pants casual jeans casual elastic waist men's pants casual relaxed fit men's pants casual stretch relax men's pants casual big and tall men's pants casual cool breathable men's pants casual cargo men's pants casual works pants men's pants jeans men's pants jeans men's pants jeans relaxed fit men's pants jeans big and tall men's pants jeans tee t shirt tee shirts", "pricing": "$1.99$8.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51XsoZdj1GL.jpg", "https://m.media-amazon.com/images/I/51aI7mkropL.jpg", "https://m.media-amazon.com/images/I/519JOsrT8WL.jpg", "https://m.media-amazon.com/images/I/51jvFgeSglL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Shirts \u203a T-Shirts", "average_rating": "", "small_description": ["\u2192Note: Mens short/long sleeve shirt is Asian size,size runs small ,please refer to our size chart before purchase(NOT AMAZON SIZE) and choose 1-2 size up. ", "\u2192Fabric: High quality polo shirt fabric, 60% polyester & 40% cotton, breathable and comfortable, good for sports wear product,light and elastic, not easy to wrinkle,let you feel comfortable while during sports casual activities. ", "\u2192Feature: The men's athletic shirts come with long/short sleeves and a fitted design to your body, which will show your muscle lines and exercise results in the crowd. men's muscle t-shirts are perfect for sportswear and casual wear, provide exceptional comfort during your workouts. ", "\u2192Design: Short/long sleeve button down tshirts,big and tall tees,graphic print tops.a stylish round neck t-shirt decorated with abstract paintings to create a unique feeling, casual, comfortable, and not sultry in summer. it is also suitable for autumn wearing~ closure ", "\u2192Occasions: The men's 2022 Long sleeve tee shirts,great for beach, work,Christmas,loungewear,homewear,casual look,daily, dating,school,graduation day,party,holiday,gym workout,running, training,jogging.A great gifts for boy friend,friends,and families. ", "\u3010Search Term\u3011shorts cargo denim flat front pleated men's casual elastic waist outdoor comfy workout big and tall summer beach swimming outdoors lightweight multi-pocket stretchy cotton twill camo pants male running quick dry gym with pockets stretch bikers fashion ripped short jeans training yoga joggers capri slim fit tapered sweat capris slacks mens relaxed solid color shirt ", "\u3010Search Term\u3011tee shirts shirts for men hawaiian shirts flannel shirts long sleeve t shirts for mens dress shirts henley shirt mens tee shirts tuxedo shirt denim shirt tee t shirts mens flannel shirts button up shirts golf shirts compression shirt fishing shirts button down shirt oxford shirt men's clothing near me white long sleeve shirt long sleeve tee shirts , \u3010Search Term\u3011women graphic tees shirts for men blouse t shirt custom shirt shirts t shirt design hawaiian shirts shirts & tops off the shoulder tops t shirts for men tie dye shirts flannel shirts long sleeve shirts shirts mens shirt shirts christmas shirts plus size tops womens shirts t shirts for women tunic tops for women mens long sleeve shirts mens graphic tees workout tops women's tops and blouses, \u3010Search Term\u3011shirt blouse top shirts and blouses pajama tops white t cold shoulder black tunic funny plaid ladies bikini denim henley tuxedo vintage striped friends for girls crop big sister cute long sleeve oversized collared women graphic halloween lace tee cool mesh band design your own golf hoodie hawaiian men compression button up down yellow st patrick's day baseball cheap fishing oxford casual wife one family birthday tee pride 4th of july blouse, \u3010Search Term\u3011men's premium classic button down short sleeve dress shirt mens nightclub printed dress shirts non-iron regular fit button down party men shirt mens premium casual inner contrast dress shirt mens long sleeve henley shirts casual mandarin collar loose fit summer beach solid plain cotton shirt men casual solid color loose button cotton casual spring top mens cotton vest workout tank tops henley shirt v-neck sleeveless beach yoga casual tops"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "A-yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51XsoZdj1GL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q66TM1Q/ref=twister_B09Q6716KT", "value": "B-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/517w-X7NvdL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q66HPZY/ref=twister_B09Q6716KT", "value": "C-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51b4-5PLZhL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q67NJ8H/ref=twister_B09Q6716KT", "value": "D-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/5153Ojs-bvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q66SXS8/ref=twister_B09Q6716KT", "value": "D-gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41esuV8WpqL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09Q66TT1N/ref=twister_B09Q6716KT", "value": "D-navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41yKbe8tOZL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09Q67CNXP"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09Q66PBR8"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09Q67H373"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09Q683XN5"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09Q66FFDV"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09Q67H373", "category": "fashion", "query": "Men's Tuxedo Shirts", "page": 179, "small_description_old": "\u2192Note: Mens short/long sleeve shirt is Asian size,size runs small ,please refer to our size chart before purchase(NOT AMAZON SIZE) and choose 1-2 size up. \u2192Fabric: High quality polo shirt fabric, 60% polyester & 40% cotton, breathable and comfortable, good for sports wear product,light and elastic, not easy to wrinkle,let you feel comfortable while during sports casual activities. \u2192Feature: The men's athletic shirts come with long/short sleeves and a fitted design to your body, which will show your muscle lines and exercise results in the crowd. men's muscle t-shirts are perfect for sportswear and casual wear, provide exceptional comfort during your workouts. \u2192Design: Short/long sleeve button down tshirts,big and tall tees,graphic print tops.a stylish round neck t-shirt decorated with abstract paintings to create a unique feeling, casual, comfortable, and not sultry in summer. it is also suitable for autumn wearing~ closure \u2192Occasions: The men's 2022 Long sleeve tee shirts,great for beach, work,Christmas,loungewear,homewear,casual look,daily, dating,school,graduation day,party,holiday,gym workout,running, training,jogging.A great gifts for boy friend,friends,and families. \u3010Search Term\u3011shorts cargo denim flat front pleated men's casual elastic waist outdoor comfy workout big and tall summer beach swimming outdoors lightweight multi-pocket stretchy cotton twill camo pants male running quick dry gym with pockets stretch bikers fashion ripped short jeans training yoga joggers capri slim fit tapered sweat capris slacks mens relaxed solid color shirt \u3010Search Term\u3011tee shirts shirts for men hawaiian shirts flannel shirts long sleeve t shirts for mens dress shirts henley shirt mens tee shirts tuxedo shirt denim shirt tee t shirts mens flannel shirts button up shirts golf shirts compression shirt fishing shirts button down shirt oxford shirt men's clothing near me white long sleeve shirt long sleeve tee shirts \n \u3010Search Term\u3011women graphic tees shirts for men blouse t shirt custom shirt shirts t shirt design hawaiian shirts shirts & tops off the shoulder tops t shirts for men tie dye shirts flannel shirts long sleeve shirts shirts mens shirt shirts christmas shirts plus size tops womens shirts t shirts for women tunic tops for women mens long sleeve shirts mens graphic tees workout tops women's tops and blouses\u3010Search Term\u3011shirt blouse top shirts and blouses pajama tops white t cold shoulder black tunic funny plaid ladies bikini denim henley tuxedo vintage striped friends for girls crop big sister cute long sleeve oversized collared women graphic halloween lace tee cool mesh band design your own golf hoodie hawaiian men compression button up down yellow st patrick's day baseball cheap fishing oxford casual wife one family birthday tee pride 4th of july blouse\u3010Search Term\u3011men's premium classic button down short sleeve dress shirt mens nightclub printed dress shirts non-iron regular fit button down party men shirt mens premium casual inner contrast dress shirt mens long sleeve henley shirts casual mandarin collar loose fit summer beach solid plain cotton shirt men casual solid color loose button cotton casual spring top mens cotton vest workout tank tops henley shirt v-neck sleeveless beach yoga casual topsShow more"}, {"name": "Garnier Nutrisse Haircolor, 111 Extra-Light Ash Blonde 1 Each (Pack of 2)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 6.4 x 5 x 3.5 inches; 1 Pounds", "Date First Available\n \u200f": "\u200e\n July 11, 2016", "ASIN\n \u200f": "\u200e\n B01IA9EC06", "Best Sellers Rank": "#321,820 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#5,884 in Hair Coloring Products", "#5,884 in Hair Coloring Products": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Garnier", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Garnier", "full_description": "Size:Pack of 2 INDICATIONS:Garnier Nutrisse Nourishing Color Creme, 111 Extra- Light Ash BlondeExperience Garnier Nutrisse, a Nourishing Color Cream that gives you rich, healthy-looking color that really lasts. The exclusive color cream, enriched with conditioners and fruit-oil concentrate, penetrates into the hair fibers to nourish deep down while delivering rich, long-lasting color.", "pricing": "$17.96", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41CsyocagsL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Coloring Products", "average_rating": 3.9, "small_description": ["Garnier Nutrisse Nourishing Color, Extra Light Ash Blonde gives you rich, healthy looking color that really lasts. ", "Nourishing, protective conditioners. ", "Extra lightening formula. "], "total_reviews": 20, "total_answered_questions": "", "customization_options": "", "seller_id": "ASEVS99O6FS73", "seller_name": "Pharmapacks_", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01IA9EC06", "category": "beauty", "query": "Hair Coloring Products", "page": 160, "small_description_old": "Garnier Nutrisse Nourishing Color, Extra Light Ash Blonde gives you rich, healthy looking color that really lasts. Nourishing, protective conditioners. Extra lightening formula."}, {"name": "Terry Jacobs Honey Cleansing Milk Clover Blossom Extract | Moisturizing Skin Care Facial Cleanser for Normal and Dry Skin | Gentle Face Wash and Make Up Remover, Promotes Soft and Smooth Skin 8oz", "product_information": {"Manufacturer\n \u200f": "\u200e\n LE TROPIQUE, INC.", "ASIN\n \u200f": "\u200e\n B08FY843HB", "Best Sellers Rank": "#1,077,048 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#16,315 in Face Moisturizers", "#16,315 in Face Moisturizers": ""}, "brand": "Visit the Terry Jacobs Cosmetics for the Tropics Store", "brand_url": "https://www.amazon.com/stores/Terry+Jacobs+Cosmetics+for+the+Tropics/page/67F6D885-E289-408A-9645-982B7334FF25?ref_=ast_bln", "full_description": "", "pricing": "$29.95", "list_price": "", "availability_quantity": 5, "availability_status": "Only 5 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31H6QaKjjRL.jpg", "https://m.media-amazon.com/images/I/41VVtt28+pL.jpg", "https://m.media-amazon.com/images/I/41D4ma76MXL.jpg", "https://m.media-amazon.com/images/I/41uUypL2-0L.jpg", "https://m.media-amazon.com/images/I/41OiTPBzKvL.jpg", "https://m.media-amazon.com/images/I/41ojJWNk+ZL.jpg", "https://m.media-amazon.com/images/I/51fuqbMce5L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Face \u203a Cleansers \u203a Washes", "average_rating": "", "small_description": ["NON GREASY AND MOISTURIZING - Gentle Honey Cleansing Milk, dissolves make-up instantly and leaving skin soft and smooth. ", "COMBINATION OF CLOVER BLOSSOM EXTRACT AND HONEY - Gently removes even the toughest long-wear make up without drying, leaving skin hyrdated, fresh and smooth. ", "PERFECT CLEANSER FOR NORMAL AND DRY SKIN - Suitable cleanser for normal and dry skin. Great choice for ages 16-90 years old. ", "HOW TO USE- Massage into your skin and you make-up will dissolve beneath your fingertips. Wash or tissue off and your face is clean. Follow with oil-blotting astringent or Robert\u2019s Rose Water. ", "Honey Cleansing Milk is non-greasy and moisturizing, dissolving make-up instantly and leaving skin soft and smooth. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Scent": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08FY7RGH5/ref=twister_B08SGPDJ7X?_encoding=UTF8&psc=1", "value": "Calming Toner", "price_string": "$29.95", "price": 29.95, "image": "https://m.media-amazon.com/images/I/316PQhM6iTL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08FY83JF2/ref=twister_B08SGPDJ7X?_encoding=UTF8&psc=1", "value": "Citrus Rinse Toner", "price_string": "$29.95", "price": 29.95, "image": "https://m.media-amazon.com/images/I/31QP9axRQGL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08FY6L6WW/ref=twister_B08SGPDJ7X?_encoding=UTF8&psc=1", "value": "Foaming Cucumber Cleanser", "price_string": "$29.95", "price": 29.95, "image": "https://m.media-amazon.com/images/I/31Pv267jywL.jpg"}, {"is_selected": true, "url": null, "value": "Honey Cleansing Milk", "price_string": "$29.95", "price": 29.95, "image": "https://m.media-amazon.com/images/I/31H6QaKjjRL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08FY7KKSR/ref=twister_B08SGPDJ7X?_encoding=UTF8&psc=1", "value": "Non-Oily Eye Make-up Remover", "price_string": "$29.95", "price": 29.95, "image": "https://m.media-amazon.com/images/I/31a51Ycw3BL.jpg"}]}, "seller_id": "A396S2KHJQ83XJ", "seller_name": "Cosmetics for the Tropics by Terry Jacobs", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08FY843HB", "category": "beauty", "query": "Makeup Remover", "page": 118, "small_description_old": "About this item NON GREASY AND MOISTURIZING - Gentle Honey Cleansing Milk, dissolves make-up instantly and leaving skin soft and smooth. COMBINATION OF CLOVER BLOSSOM EXTRACT AND HONEY - Gently removes even the toughest long-wear make up without drying, leaving skin hyrdated, fresh and smooth. PERFECT CLEANSER FOR NORMAL AND DRY SKIN - Suitable cleanser for normal and dry skin. Great choice for ages 16-90 years old. HOW TO USE- Massage into your skin and you make-up will dissolve beneath your fingertips. Wash or tissue off and your face is clean. Follow with oil-blotting astringent or Robert\u2019s Rose Water. Honey Cleansing Milk is non-greasy and moisturizing, dissolving make-up instantly and leaving skin soft and smooth."}, {"name": "INOAR PROFESSIONAL - Smoothing System - Deep Cleansing Shampoo & Treatment Set (8.45 oz x 2)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 10.63 x 9.06 x 5.51 inches; 9.52 Ounces", "Manufacturer\n \u200f": "\u200e\n Inoar", "ASIN\n \u200f": "\u200e\n B079Y4B4YP", "Best Sellers Rank": "#101,162 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#32,873 in Hair Care Products", "#32,873 in Hair Care Products": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Inoar Store", "brand_url": "https://www.amazon.com/stores/INOAR+/page/89028011-4538-4B2C-BB03-CE514F8E6143?ref_=ast_bln", "full_description": "Inoar products are inspired by you! Our mission is to offer innovative beauty products that focus on quality, effectiveness, safety and socio-environmental responsibility, all with superior quality and an affordable price for all of our consumers.The Moroccan Keratin Smoothing System is a revolutionary treatment specially created to eliminate up to 95% of frizz and curls. This product restores hydration and instantly adds amazing shine and silkiness to the hair. Its formula is enriched with white clay and cocoa oil that provide rich conditioning and frizz reduction, promoting an elegant transformation of your hair for a sleek, smooth, and radiant finish. Enjoy ultra-luxurious hair with minimal effort and maximum impact! Depending on your hair type and hairstyle, after the first treatment there is already a straightening effect of 40% to 100% for a duration of 3 to 5 months.*Keratin treatment *Intense hydration *For silky, smooth & shiny hair *Nourishes & strengthens the hair *Enriched with white clay & cocoa oil *Cruelty-freeHOW TO USE: STEP 1 - Deep Cleansing Shampoo: Gently shampoo hair and work it through the scalp, massaging thoroughly. Repeat 2-3 times if necessary. Dry hair using a blowdryer at 80% if hair is moderately curly, and 100% if very curly. STEP 2 - Moroccan Keratin Smoothing Treatment: ALWAYS wear gloves during the application. Section the hair into 4 equal parts. Apply the Smoothing Treatment into thin sections of hair. Begin with \u00bd inch sections, working from scalp to ends, keeping \u00bd inch away from the scalp. Let sit for 20 minutes. After 20 minutes, blow hair 100% dry. Divide the hair into thin sections and flat iron 7-10 times. After the application and flat ironing (ideal iron temp: 400 \u00b0F), let it cool for 5 minutes. Rinse with lukewarm water, do not shampoo. Blow dry the hair using a paddle brush to obtain optimal results and shine.", "pricing": "$70.00", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/519K9HzUMBL.jpg", "https://m.media-amazon.com/images/I/516G5OtVYdL.jpg", "https://m.media-amazon.com/images/I/51nuhScKECL.jpg", "https://m.media-amazon.com/images/I/51ynoqHLawL.jpg", "https://m.media-amazon.com/images/I/51H50wMM1IL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care", "average_rating": 4.6, "small_description": ["STRAIGHTENING FOR THE CURLIEST HAIR TYPES: Moroccan Deep Cleansing Shampoo & Keratin Treatment was designed for curly and frizzy hair types. Their formulations are enriched with a special component that has a straightening effect from 40% to 100%! ", "ENRICHED WITH KERATIN TO HYDRATE & SMOOTH YOUR HAIR: Moroccan Deep Cleansing Shampoo & Keratin Treatment is the perfect combo to nourish and moisturize your hair. This revolutionary formulation infuses keratin deep into the hair's cuticle, promoting intense hydration and remarkable shine. ", "NO MORE FRIZZY HAIR: Unlike other salon treatments, the more often hair is treated with Moroccan Deep Cleansing Shampoo & Keratin Treatment, the healthier it becomes. Its formula is enriched with white clay and cocoa oil that provide rich conditioning and frizz reduction, promoting an elegant transformation of your hair for a sleek, smooth, and radiant finish. ", "FOR PROFESSIONAL USE ONLY: This keratin hair system is intended for use by hair care professionals only for a sleek, smooth, and radiant finish. ", "RESPECT FOR THE ENVIRONMENT: Inoar prioritizes the sustainable use of water and energy, ensuring a proper treatment of industrial waste. Our commitment to responsible social and environmental management has been recognized worldwide, and our company has obtained the 2015 and 2016 Chico Mendes Seal. "], "total_reviews": 134, "total_answered_questions": 10, "customization_options": "", "seller_id": "A2BGK80ZBB6CF7", "seller_name": "BIG HAIR", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B079Y4B4YP", "category": "beauty", "query": "Scalp Treatments", "page": 44, "small_description_old": "STRAIGHTENING FOR THE CURLIEST HAIR TYPES: Moroccan Deep Cleansing Shampoo & Keratin Treatment was designed for curly and frizzy hair types. Their formulations are enriched with a special component that has a straightening effect from 40% to 100%! ENRICHED WITH KERATIN TO HYDRATE & SMOOTH YOUR HAIR: Moroccan Deep Cleansing Shampoo & Keratin Treatment is the perfect combo to nourish and moisturize your hair. This revolutionary formulation infuses keratin deep into the hair's cuticle, promoting intense hydration and remarkable shine. NO MORE FRIZZY HAIR: Unlike other salon treatments, the more often hair is treated with Moroccan Deep Cleansing Shampoo & Keratin Treatment, the healthier it becomes. Its formula is enriched with white clay and cocoa oil that provide rich conditioning and frizz reduction, promoting an elegant transformation of your hair for a sleek, smooth, and radiant finish. FOR PROFESSIONAL USE ONLY: This keratin hair system is intended for use by hair care professionals only for a sleek, smooth, and radiant finish. RESPECT FOR THE ENVIRONMENT: Inoar prioritizes the sustainable use of water and energy, ensuring a proper treatment of industrial waste. Our commitment to responsible social and environmental management has been recognized worldwide, and our company has obtained the 2015 and 2016 Chico Mendes Seal."}, {"name": "Micvtve Key Holder for Wall Mount Sweet Home Organizer Decorative, Metal Wall Coat Rack Key Hanger for Front Door,Kitchen Holder", "product_information": {"Product Dimensions": "13.78 x 5.51 x 1.57 inches", "Item Weight": "11.7 ounces", "Manufacturer": "Micvtve", "ASIN": "B09PFWVXVS", "Country of Origin": "China", "Batteries Required?": "No"}, "brand": "Brand: Micvtve", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Micvtve", "full_description": "Micvtve Function: wall-mounted drying rack, coat rack, key rack.Weight: 325GColour: blackMaterial: ironSize: 35x18x3cmPackage Contents:1 * Key holderOnly the above package content, other products are not included.Note: Light shooting and different displays may cause the color of the item in the picture a little different from the real thing. The measurement allowed error is +/- 1-3cm.", "pricing": "$16.25", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31d5hKwVNgS.jpg", "https://m.media-amazon.com/images/I/31FTBKsS4OS.jpg", "https://m.media-amazon.com/images/I/41WJHt8XYPS.jpg", "https://m.media-amazon.com/images/I/41gARB2Y0-S.jpg", "https://m.media-amazon.com/images/I/51jhb1tGxgS.jpg", "https://m.media-amazon.com/images/I/51wdUpneJuS.jpg", "https://m.media-amazon.com/images/I/31ym0F0jCTS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Storage & Organization \u203a Home Storage Hooks \u203a Key Hooks", "average_rating": "", "small_description": "About this item\n \nWonderful blessing gifts: Very suitable for newlyweds, friends and family; for people with large families or multiple cars, these gifts are a great gift. Decorative key hook holder: This beautiful key holder \"Home Sweet Home\" provides 5 individual hooks for storing keys, earphones or small personal items. Includes mounting accessories: Each keychain used for wall, kitchen or interior decoration is also equipped with screws and pins for quick and easy installation. Comfortable and practical decoration: The slender black design allows these house and car keychains to be placed wherever you want to better organize the keys. Exquisite handcrafting places high demands on steel: These metal keychains are made of steel and have a unique style, function and durability.", "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A31ZXL2DEUVGVK", "seller_name": "RGRW", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09PFWVXVS", "category": "garden", "query": "Coat Racks", "page": 116, "small_description_old": "About this item\n \nWonderful blessing gifts: Very suitable for newlyweds, friends and family; for people with large families or multiple cars, these gifts are a great gift. Decorative key hook holder: This beautiful key holder \"Home Sweet Home\" provides 5 individual hooks for storing keys, earphones or small personal items. Includes mounting accessories: Each keychain used for wall, kitchen or interior decoration is also equipped with screws and pins for quick and easy installation. Comfortable and practical decoration: The slender black design allows these house and car keychains to be placed wherever you want to better organize the keys. Exquisite handcrafting places high demands on steel: These metal keychains are made of steel and have a unique style, function and durability."}, {"name": "Cracker Jack, Regular, 4.125 Ounce (Pack of 24)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 20.98 x 16.42 x 8.82 inches; 6.19 Pounds", "UPC\n \u200f": "\u200e\n 028400172516", "Manufacturer\n \u200f": "\u200e\n Cracker Jack", "ASIN\n \u200f": "\u200e\n B00NCSNO78", "Best Sellers Rank": "#546,585 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#837 in Wheat Crackers", "#837 in Wheat Crackers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Cracker Jack", "brand_url": "https://www.amazon.com/Cracker-Jack/b/ref=bl_dp_s_web_3023277011?ie=UTF8&node=3023277011&field-lbr_brands_browse-bin=Cracker+Jack", "full_description": "Cracker Jack, Regular, 4.125 Ounce (Pack of 24)", "pricing": "$87.00", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51F6dpxU3KL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Crackers \u203a Wheat", "average_rating": 5, "small_description": ["Pack of 24, 4.125 Ounce bags "], "total_reviews": 2, "total_answered_questions": "", "customization_options": "", "seller_id": "A1AKNTGVSLJNE3", "seller_name": "Speedy sale co", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00NCSNO78", "category": "grocery", "query": "Snack Crackers", "page": 176, "small_description_old": "About this item Pack of 24, 4.125 Ounce bags"}, {"name": "International Concepts 3-Tier X-Sided Bookcase, Unfinished", "product_information": {"Item Weight": "\u200e39.6 pounds", "Product Dimensions": "\u200e12 x 30 x 36 inches", "Country of Origin": "\u200eVietnam", "Item model number": "\u200eSH-3630X", "Assembled Height": "\u200e36 inches", "Assembled Width": "\u200e30 inches", "Assembled Length": "\u200e12 inches", "Weight": "\u200e40 Pounds", "ASIN": "B0029LHT7A", "Customer Reviews": {"ratings_count": 34, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#1,114,366 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,982 in Bookcases"], "Date First Available": "November 1, 2000"}, "brand": "Brand: International Concepts", "brand_url": "https://www.amazon.com/International-Concepts/b/ref=bl_dp_s_web_11351329011?ie=UTF8&node=11351329011&field-lbr_brands_browse-bin=International+Concepts", "full_description": "Your home is a natural extension of you. Add these innovative designs from International Concepts to spruce up any decor.", "pricing": "$130.76", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41rcHKnCPGL.jpg", "https://m.media-amazon.com/images/I/31Je9CV0p8L.jpg", "https://m.media-amazon.com/images/I/317BMFwcr3L.jpg", "https://m.media-amazon.com/images/I/41H5d7Ry2wL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Bookcases", "average_rating": 4.7, "small_description": ["Made from solid parawood ", "Ready to assemble ", "Unfinished, finishing kit is available for purchase ", "Rated for residential use only, not intended for commercial use "], "total_reviews": 34, "total_answered_questions": "", "model": "\u200eSH-3630X", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B0029LHT7A", "category": "garden", "query": "Book Cases", "page": 100, "small_description_old": "About this item Made from solid parawood Ready to assemble Unfinished, finishing kit is available for purchase Rated for residential use only, not intended for commercial use \n \u203a See more product details"}, {"name": "Baja Night Stand / 2 Drawer / Solid Wood / Rustic Bedside Table for Bedroom, Living Room, Sofa Couch, Hall / Metal Drawer Pulls, Barnwood Finish", "product_information": {"Item Weight": "\u200e34.1 pounds", "Product Dimensions": "\u200e16.5 x 22.5 x 25 inches", "Country of Origin": "\u200eBrazil", "Item model number": "\u200eBJ208", "ASIN": "B079N3VLRJ", "Customer Reviews": {"ratings_count": 202, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#148,610 in Home & Kitchen (See Top 100 in Home & Kitchen) #9,618 in Furniture"], "Date First Available": "November 1, 2011"}, "brand": "Visit the Camaflexi Store", "brand_url": "https://www.amazon.com/stores/Camaflexi/page/F8137312-A749-4162-9CCE-137C79D92EF9?ref_=ast_bln", "full_description": "Rustic elegance and contemporary style combine in the Baja nightstand by Camaflexi to create the perfect balance of sophistication and warmth in your bedroom. Constructed of 100% solid pine wood, the water based distressed finish showcases the natural beauty of the wood grains and decorative steel accents add additional appeal. Featuring two deep, extra generous size drawers, The Baja nightstand is perfectly designed for easy access storage at your bedside. Sturdy, durable and built to last \u2013 the quality and workmanship you\u2019ve come to expect from Camaflexi. Concerned for the environment, All Camaflexi furniture is eco-safe and crafted of solid pine wood sourced from renewable pine plantations. Outer distance between two front legs: 21. 8\u201d; outer distance between two side legs: 16. 5\u201d; drawer weight capacity: 40 lbs. Water based protective finish - non toxic, no VOC's.", "pricing": "$237.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51RQODFu7kL.jpg", "https://m.media-amazon.com/images/I/41sZ5oPBDVL.jpg", "https://m.media-amazon.com/images/I/41SZ3w7NDTL.jpg", "https://m.media-amazon.com/images/I/51xs0Gv54uL.jpg", "https://m.media-amazon.com/images/I/4145L8sJp7L.jpg", "https://m.media-amazon.com/images/I/51jaInc8c1L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture", "average_rating": 4.4, "small_description": ["Constructed of 100% solid wood - No MDF, No Particle Board, No Plywood ", "Easy to clean, water based, non-toxic, protective finish ", "Features two large pull out drawers for ample storage ", "Drawers feature attractive, easy to grasp, metal drawer pulls ", "Extra durable metal glides with safety stops for smooth and effortless motion on all drawers ", "Included components: Hardware "], "total_reviews": 202, "total_answered_questions": "", "model": "\u200eBJ208", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Brown", "price_string": "$237.00", "price": 237, "image": "https://m.media-amazon.com/images/I/51RQODFu7kL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B079N7Y1PY/ref=twister_B09B5VY39C?_encoding=UTF8&psc=1", "value": "Grey", "price_string": "$197.92", "price": 197.92, "image": "https://m.media-amazon.com/images/I/417bCHkc8lL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07TB9D4ZG/ref=twister_B09B5VY39C?_encoding=UTF8&psc=1", "value": "Walnut", "price_string": "$189.56", "price": 189.56, "image": "https://m.media-amazon.com/images/I/41QQY890mKL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B079NCTBGN/ref=twister_B09B5VY39C?_encoding=UTF8&psc=1", "value": "White", "price_string": "$237.00", "price": 237, "image": "https://m.media-amazon.com/images/I/41z3GHa0K8L.jpg"}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B079N3VLRJ", "category": "garden", "query": "Sofa Tables", "page": 192, "small_description_old": "About this item Constructed of 100% solid wood - No MDF, No Particle Board, No Plywood Easy to clean, water based, non-toxic, protective finish Features two large pull out drawers for ample storage Drawers feature attractive, easy to grasp, metal drawer pulls Extra durable metal glides with safety stops for smooth and effortless motion on all drawers Included components: Hardware \n \u203a See more product details"}, {"name": "Trail Mix On The Go Sweet & Salty-Peanuts Chocolate Gems & Sunflower Kernels", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 7.72 x 6.22 x 4.57 inches; 1.5 Ounces", "UPC\n \u200f": "\u200e\n 731299998302", "ASIN\n \u200f": "\u200e\n B08WKT3X4Z", "Best Sellers Rank": "#123,101 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#230 in Snack & Trail Mixes #2,694 in Snack Nuts & Seeds", "#230 in Snack & Trail Mixes": "", "#2,694 in Snack Nuts & Seeds": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Southern Grove", "brand_url": "https://www.amazon.com/Southern-Grove/b/ref=bl_dp_s_web_9175724011?ie=UTF8&node=9175724011&field-lbr_brands_browse-bin=Southern+Grove", "full_description": "Sweet and Salty Trail Mix On The Go (Peanuts Raisins Chocolate Gems and Sunflower Kernels). Two Packs, each with 8 bags.", "pricing": "$21.92", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/5115ohFo3JL.jpg", "https://m.media-amazon.com/images/I/51su4CrQNyL.jpg", "https://m.media-amazon.com/images/I/41PkXXb-XvL.jpg", "https://m.media-amazon.com/images/I/51VJmx-EnJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Snack & Trail Mixes", "average_rating": 5, "small_description": ["Two Packs of 8 pouches each (Total 16) Trail Mix Snack ", "Contains Peanuts, Raisins, Chcolate Gems and Sunflower Kernels ", "Pouches packed in small sizes (1.5oz) to ensure freshness ", "Grab a Bag On The Go Sweet & Salty Snack "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "A1DSBB7ZHML7HO", "seller_name": "Coop & Hunt", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08WKT3X4Z", "category": "grocery", "query": "Snack & Trail Mixes", "page": 17, "small_description_old": "About this item Two Packs of 8 pouches each (Total 16) Trail Mix Snack Contains Peanuts, Raisins, Chcolate Gems and Sunflower Kernels Pouches packed in small sizes (1.5oz) to ensure freshness Grab a Bag On The Go Sweet & Salty Snack"}, {"name": "Zermat Xtreme Roll-On Antiperspirant Deodorant for Boys 1.06 oz. Set of 2", "product_information": {"UPC\n \u200f": "\u200e\n 754169472825", "Manufacturer\n \u200f": "\u200e\n Zerma", "ASIN\n \u200f": "\u200e\n B08X31TV2P", "Best Sellers Rank": "#451,288 in Health & Household (See Top 100 in Health & Household)#2,386 in Antiperspirant Deodorant", "#2,386 in Antiperspirant Deodorant": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Zerma", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Zerma", "full_description": "2 Deodorants", "pricing": "$15.79", "list_price": "", "availability_quantity": 6, "availability_status": "Only 6 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41LhutDzhIL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Deodorants & Antiperspirants \u203a Antiperspirant Deodorant", "average_rating": 4.5, "small_description": [""], "total_reviews": 2, "total_answered_questions": "", "customization_options": "", "seller_id": "A38J0ZPFT60DQT", "seller_name": "Mega Fountain", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08X31TV2P", "category": "beauty", "query": "Deodorants & Antiperspirants", "page": 60, "small_description_old": ""}, {"name": "4 Way AudioSwitch Board High Reliability Audio Signal Input Switch Module Stable Performance for Audio Input Switch", "product_information": {"Date First Available\n \u200f": "\u200e\n February 7, 2021", "Manufacturer\n \u200f": "\u200e\n Jeanoko", "ASIN\n \u200f": "\u200e\n B08W4H39JR", "": ""}, "brand": "Brand: Jeanoko", "brand_url": "https://www.amazon.com/Jeanoko/b/ref=bl_dp_s_web_23731519011?ie=UTF8&node=23731519011&field-lbr_brands_browse-bin=Jeanoko", "full_description": "Feature:Specification:Item Type:\u00a0Audio\u00a0Input\u00a0Switch\u00a0ModuleVoltage: DC 7V-30V, AC 6V-20VFunction: Four inputs and one output (four groups of audio signals are simultaneously connected to one group of signal outputs)Method: Manual switchSequence: Clockwise A\u2192B\u2192C\u2192Dor counterclockwise D\u2192C\u2192B\u2192AFeatures: loss of relay switchingApplication: PC, TV, mobile phone, for\u00a0Xbox, home theater, etc.Package List:1 x Volume Adjustment Board1 x Audio Source Switching Board1 x Signal Board6 x Line", "pricing": "$16.09", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41W9r2eWXpL.jpg", "https://m.media-amazon.com/images/I/51iRevKNrXL.jpg", "https://m.media-amazon.com/images/I/51hmKYuyttL.jpg", "https://m.media-amazon.com/images/I/41JF5scmBlL.jpg", "https://m.media-amazon.com/images/I/41sx6FZVttL.jpg", "https://m.media-amazon.com/images/I/51ZprBCmg2L.jpg", "https://m.media-amazon.com/images/I/513VK1pLlrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Home Audio \u203a Wireless & Streaming Audio \u203a Wireless Audio Receivers & Adapters", "average_rating": "", "small_description": ["The input signal interface board is a small board composed of two groups of signals, and the input interface of each group of small boards has screw holes for flexible installation and fixation. ", "There are high quantity terminal blocks for easy wire connection. The audio input switch module is lightweight and easy to install ", "The audio input switch module is compact, with more convenient installation! ", "This product uses relays to switch various signals, basically achieving zero loss. Wide range of applications, suitable for computers, TVs, mobile phones, for Xbox, home theaters, etc. ", "Support four groups of input signals, with the signal switch knob, you can choose to make one of the signal output work. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1RXXB9HOC6W7Z", "seller_name": "LOPRGJO-US", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08W4H39JR", "category": "electronics", "query": "Receivers & Amplifiers", "page": 186, "small_description_old": "The input signal interface board is a small board composed of two groups of signals, and the input interface of each group of small boards has screw holes for flexible installation and fixation. There are high quantity terminal blocks for easy wire connection. The audio input switch module is lightweight and easy to install The audio input switch module is compact, with more convenient installation! This product uses relays to switch various signals, basically achieving zero loss. Wide range of applications, suitable for computers, TVs, mobile phones, for Xbox, home theaters, etc. Support four groups of input signals, with the signal switch knob, you can choose to make one of the signal output work."}, {"name": "MAPOLO Hand Drawn Christmas Elements Collection Men's Boys Casual Walking Shoes Sneaker Lightweight Stylish Athletic Tennis Sports Running Shoes for Outdoor Hiking Travel Driving", "product_information": {"Item Weight\n \u200f": "\u200e\n 2.12 Pounds", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n September 29, 2021", "Manufacturer\n \u200f": "\u200e\n MAPOLO", "ASIN\n \u200f": "\u200e\n B09HGJ2HZX", "": ""}, "brand": "Brand: MAPOLO", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_sh_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=MAPOLO", "full_description": "Welcome to MAPOLO store and choosing what you want! MAPOLO sneaker shoes are fashionable and chic. Slip into sneaker for a comfortable classic. Let comfort go hand in hand with beauty. \u2714Features: Convenient lace up design, with soft foam, offers foot comforts Comfortable non-slip sole and soft canvas insole can relieve foot pressure and fatigue during walking Exquisite craftsmanship. Not easy to go offline Products Content: Sneaker shoes X1 pair \u2714Daily Care Tips: Tips for anti-wear feet (new shoes may have a slight abrasion, the following methods are recommended): \u2605 Gently knead and rub the part of the foot with your hands to make the shoe soft, but do not use too much force \u2605 Cover the rubbing area with a wet and dry towel to soften it, and dry it in a cool place \u2605 Use white wine or alcohol to apply to the rubbing place in the shoes, soak it for about 5-15 minutes, wait for the shoes to become soft, and then put them on for walking \u2714Notes: When washing, do not soak it for a long time; place it in a ventilated place to air dry to avoid exposure to the sun; when not wearing it, put a few paper balls into the shoe to shape it \u2714Warm Tips: \u2605 Customers with generous feet are recommended to choose a larger size \u2605There are deviations in manual data measurement \u2605 The real color of the item may be slightly different from the pictures shown on website caused by many factors such as brightness of your monitor and light brightness \u2605Normally we will ship in 3-5 days according to your order status, and it will take about 2-3 weeks to delivery after shipping \u2605We always provide high quality service for the customer. Any question, please feel free to contact us. We appreciate every customer is important for us and we will help you solve it actively. Thanks!", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41cbGDdQlmL.jpg", "https://m.media-amazon.com/images/I/51XIvOs95IL.jpg", "https://m.media-amazon.com/images/I/31PKTFRuRuL.jpg", "https://m.media-amazon.com/images/I/41iuDEYObTL.jpg", "https://m.media-amazon.com/images/I/31W5uveaBpL.jpg", "https://m.media-amazon.com/images/I/41c4TnWw4sL.jpg", "https://m.media-amazon.com/images/I/41wF1Cjys1L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Shoes \u203a Athletic \u203a Walking", "average_rating": "", "small_description": ["Imported ", "Rubber sole ", "\u2611MATERIAL: Textured breathable canvas insole, oxford cloth, strong and durable; raw rubber sole, Soft and non-slip EVA/MD sole + breathable air mesh upper, lightweight and comfortable. ", "\u2611CONVENIENT: This casual sneaker shoes offers a comfortable fit and durability. Wearing these shoes, it will reflect your most excellent and personal fashion style. ", "\u2611OCCASION: Designed for fashion men, stylish and personalized that will easily match your relaxed style, slip on loafers perfect for indoor and outdoor activities like shopping running, jogging, walking, cycling, driving, active sports various occasions. ", "\u2611UNIQUE DESIGN: Personalized stylish sneakers designs. Men's canvas sneaker shoes with unique printing design is the best gift for your friends, boyfriend or your men's elder. Printing on shoes tongue and shoes body. Customized support. ", "\u2611PLEASE NOTE: US size 6-13.5. Please refer to our Size Chart to choose the suitable one for you before purchasing an order. Please choose shoes size that are 9mm longer than your feet(Measure your feet in the afternoon, because feet typically swell during the day). "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "6", "asin": "B09HGJ2HZX"}, {"is_selected": false, "is_available": true, "value": "7", "asin": "B09HGN4DB6"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B09HC62BR1"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B09HH2M5JK"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B09HC892LR"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B09HGNB1L3"}, {"is_selected": false, "is_available": true, "value": "9.5", "asin": "B09HC2PSSG"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B09HGPTJJJ"}, {"is_selected": false, "is_available": true, "value": "10.5", "asin": "B09HC79T6T"}, {"is_selected": false, "is_available": true, "value": "11", "asin": "B09HH6P68W"}, {"is_selected": false, "is_available": true, "value": "11.5", "asin": "B09HC4XG39"}, {"is_selected": false, "is_available": true, "value": "12.5", "asin": "B09HC4LRCY"}, {"is_selected": false, "is_available": true, "value": "13.5", "asin": "B09HC53GH2"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09HH6P68W", "category": "fashion", "query": "Men's Outdoor Shoes", "page": 169, "small_description_old": "Imported Rubber sole \u2611MATERIAL: Textured breathable canvas insole, oxford cloth, strong and durable; raw rubber sole, Soft and non-slip EVA/MD sole + breathable air mesh upper, lightweight and comfortable. \u2611CONVENIENT: This casual sneaker shoes offers a comfortable fit and durability. Wearing these shoes, it will reflect your most excellent and personal fashion style. \u2611OCCASION: Designed for fashion men, stylish and personalized that will easily match your relaxed style, slip on loafers perfect for indoor and outdoor activities like shopping running, jogging, walking, cycling, driving, active sports various occasions. \u2611UNIQUE DESIGN: Personalized stylish sneakers designs. Men's canvas sneaker shoes with unique printing design is the best gift for your friends, boyfriend or your men's elder. Printing on shoes tongue and shoes body. Customized support. \u2611PLEASE NOTE: US size 6-13.5. Please refer to our Size Chart to choose the suitable one for you before purchasing an order. Please choose shoes size that are 9mm longer than your feet(Measure your feet in the afternoon, because feet typically swell during the day)."}, {"name": "Type-C USB Charger Cable for TCL Flip Pro, Flip, Alcatel Go Flip 4", "product_information": {"Item model number\n \u200f": "\u200e\n TYPE-C USB", "Date First Available\n \u200f": "\u200e\n July 30, 2020", "Manufacturer\n \u200f": "\u200e\n AIPA", "ASIN\n \u200f": "\u200e\n B09GRD2SK4", "Best Sellers Rank": "#78,116 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories)#1,116 in Cell Phone Automobile Chargers", "#1,116 in Cell Phone Automobile Chargers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: AIPA", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=AIPA", "full_description": "", "pricing": "$8.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/21FpMjG2DnL.jpg", "https://m.media-amazon.com/images/I/31eTbZIqzpS.jpg", "https://m.media-amazon.com/images/I/41ATQ4CKZ1L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Chargers & Power Adapters \u203a Automobile Chargers", "average_rating": 5, "small_description": ["Type-C USB 2.0 Hi-speed data transmission rate and charging; supports up to 480 Mbps data transmission speed ", "Length: 3 ft; Color: Black ", "Plug and play ready to any USB power adapter for charging. ", "Compatible with PC/MAC for data transfer or software updates. ", "Number of items: 1 "], "total_reviews": 2, "total_answered_questions": "", "customization_options": "", "seller_id": "A1TJL0OMHBDH6Y", "seller_name": "AIPA", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09GRD2SK4", "category": "electronics", "query": "Chargers", "page": 394, "small_description_old": "About this item\n \nType-C USB 2.0 Hi-speed data transmission rate and charging; supports up to 480 Mbps data transmission speed Length: 3 ft; Color: Black Plug and play ready to any USB power adapter for charging. Compatible with PC/MAC for data transfer or software updates."}, {"name": "AODONG Onesie Pajamas for Women Onesies Romper Pajamas Printed Bodycon Jumpsuit Shorts Sexy One Piece Pjs Overall", "product_information": {"Item model number\n \u200f": "\u200e\n Gibobby Womens Pajamas", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n December 10, 2021", "Manufacturer\n \u200f": "\u200e\n Womens Onesie Pajamas", "ASIN\n \u200f": "\u200e\n B09NDRBS28", "": ""}, "brand": "Brand: AODONG", "brand_url": "https://www.amazon.com/AODONG/b/ref=bl_sl_s_ap_web_21412088011?ie=UTF8&node=21412088011&field-lbr_brands_browse-bin=AODONG", "full_description": "womens tie dye pajamas for women pj sets for women loungewear pajamas set short sleeve sleepwear shorts pjs lounge sets 12 piece short pajama set loose top and shorts sleepwear nightwear loungewear pj set two piece night shirt for sleeping plus size womens pajama set shorts small womens pajama sets cotton women pajamas set shorts womens loungewear sets shorts and crop top tie dye pajamas for women shorts set women pajamas set cotton capri Pajamas set for women shorts cotton plus size pajamas for women 2x set pajama sets for women shorts plus size pajamas for women capri set bamboo pajama set for women shorts tie dye pajama sets for women cotton capri loungewear for women plus sets pajama set for women pants 10\u00a0 pajamas soft striped womens short sleeve button sleepwear shorts shirt pj set womens silk satin pajamas set two-piece pj sets sleepwear loungewear button-down pj sets womens short sleeve tie dye long pajamas set one piece jumpsuit loose sleepwear night shirts with pockets womens short sleeve sleepwear button down satin 186 piece pajama set pajamas set", "pricing": "$2.99$7.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/512d-wcLRAL.jpg", "https://m.media-amazon.com/images/I/511C1WQJVoL.jpg", "https://m.media-amazon.com/images/I/51l3wtoxcOL.jpg", "https://m.media-amazon.com/images/I/51CpvkbhCIL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Lingerie, Sleep & Lounge \u203a Sleep & Lounge \u203a Sets", "average_rating": "", "small_description": ["onesie pajamas for women ", "\ud83d\udc95Best Gifts for Women/Wife/Girlfriend/\ud83d\udc95Buy it Now\ud83d\udc95 Today's Deals Big Promotion\ud83d\udc95Buy 2 get 8% off Buy 3 get 10% off Buy 4 get 12% off,Buy 5 get 16% off ", "Delivery Date Reference:Standard shipping:15-28 days Expedited shipping:3-5 days ", "\u2665Material: Sexy bodycon jumpsuits is made of high quality Polyester and Spandex. Super soft and comfortable to wear. Stretchy fabrics can show the curves of your figure. ", "\u2665Faeture:Women overalls romper suit, deep V neck homewear, butt button back flap, long sleeve trousers pajamas, button up closure front,provide a comfortable feeling. ", "\u2665Occasion: Women casual tracksuit one piece suit for spring, autumn, winter, daily wear, pilates, yoga, sports, tracksuits, club, party, shopping, beach, holiday, festivals, work office, sleeping wear. ", "\u2665Design: Button closure. Sexy one piece romper outfits for women clubwear. Deep V neck, long sleeves, christmas tree/candy/reindeer print long pants bodysuit. This causal jumpsuit makes you more lovely and beautiful. ", "\u2665\u3010Size\u3011Please refer to the size chart on the picture and choose your own body data, If you have any questions, please tell us at any time, we will reply as soon as possible within 24 hours. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09NDRBS28/ref=twister_B09NDR4CRP", "value": "Hot Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51s9WTadlNL.jpg"}, {"is_selected": true, "url": null, "value": "Wine", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/512d-wcLRAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NDR9GDN/ref=twister_B09NDR4CRP", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Hy5aeRdUL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09NDPW53Y"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09NDQZM17"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09NDS8F4V"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09NDRT9LX"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09NDS8F4V", "category": "fashion", "query": "Women's Jumpsuits, Rompers & Overalls", "page": 84, "small_description_old": "onesie pajamas for women \ud83d\udc95Best Gifts for Women/Wife/Girlfriend/\ud83d\udc95Buy it Now\ud83d\udc95 Today's Deals Big Promotion\ud83d\udc95Buy 2 get 8% off Buy 3 get 10% off Buy 4 get 12% off,Buy 5 get 16% off Delivery Date Reference:Standard shipping:15-28 days Expedited shipping:3-5 days \u2665Material: Sexy bodycon jumpsuits is made of high quality Polyester and Spandex. Super soft and comfortable to wear. Stretchy fabrics can show the curves of your figure. \u2665Faeture:Women overalls romper suit, deep V neck homewear, butt button back flap, long sleeve trousers pajamas, button up closure front,provide a comfortable feeling. \u2665Occasion: Women casual tracksuit one piece suit for spring, autumn, winter, daily wear, pilates, yoga, sports, tracksuits, club, party, shopping, beach, holiday, festivals, work office, sleeping wear. \u2665Design: Button closure. Sexy one piece romper outfits for women clubwear. Deep V neck, long sleeves, christmas tree/candy/reindeer print long pants bodysuit. This causal jumpsuit makes you more lovely and beautiful. \u2665\u3010Size\u3011Please refer to the size chart on the picture and choose your own body data, If you have any questions, please tell us at any time, we will reply as soon as possible within 24 hours."}, {"name": "(3 Pack) Supershieldz Designed for Samsung Galaxy Tab 4 7.0 inch Screen Protector, High Definition Clear Shield (PET)", "product_information": {"Product Dimensions": "8.7 x 6 x 0.2 inches", "Item Weight": "1.6 ounces", "ASIN": "B00JH23QMQ", "Item model number": "4328650293", "Customer Reviews": {"ratings_count": 1431, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#457 in Tablet Screen Protectors"], "Is Discontinued By Manufacturer": "No", "Special Features": "Scratch Resistant", "Other display features": "Wireless", "Colour": "HD Clear", "Manufacturer": "Supershieldz", "Date First Available": "March 26, 2015"}, "brand": "Visit the Supershieldz Store", "brand_url": "https://www.amazon.com/stores/Supershieldz/page/6879B3A0-989B-4F5A-8620-A88FE36AB21A?ref_=ast_bln", "full_description": "", "pricing": "$6.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51oz4I3+INL.jpg", "https://m.media-amazon.com/images/I/41O94YZc7qL.jpg", "https://m.media-amazon.com/images/I/81nFJcPDIAL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Tablet Accessories \u203a Screen Protectors", "average_rating": 4.5, "small_description": ["Made from the high quality Japanese PET film for easy installation and no residue when removed ", "High definition transparency film that ensures maximum resolution ", "Real touch sensitivity for a natural feel that provides flawless touch screen accuracy ", "Protects your screen from daily scratches, dust and scrapes ", "Include 3 pcs screen protectors "], "total_reviews": 1431, "total_answered_questions": 10, "model": "4328650293", "customization_options": "", "seller_id": "A279LIVC2BRR8I", "seller_name": "Supershieldz", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B00JH23QMQ", "category": "electronics", "query": "Screen Protectors", "page": 119, "small_description_old": "About this item Made from the high quality Japanese PET film for easy installation and no residue when removed High definition transparency film that ensures maximum resolution Real touch sensitivity for a natural feel that provides flawless touch screen accuracy Protects your screen from daily scratches, dust and scrapes Include 3 pcs screen protectors"}, {"name": "Dukhni Pure Attar Oil Blends - Alcohol Free, Vegan & Pure. Set of 6 x 6ml (0.2 Fl Oz Each) - Oud Mukhallat, Oud Mubakhar, Oud Abyad (White Oud), Oud Ya Aini, Attar Al Bakhoor, Ambar Oud", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 8.27 x 7.91 x 4.49 inches; 9.91 Ounces", "Manufacturer\n \u200f": "\u200e\n Aromatan Cosmetics Pvt. Ltd", "ASIN\n \u200f": "\u200e\n B089VWZB64", "Country of Origin\n \u200f": "\u200e\n India", "Best Sellers Rank": "#48,916 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#49 in Women's Fragrance Sets", "#49 in Women's Fragrance Sets": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Dukhni Store", "brand_url": "https://www.amazon.com/stores/DUKHNI/page/AAC70C2D-927D-4AA5-8395-1F39B7118D98?ref_=ast_bln", "full_description": "Why Dukhni? Dukhni is run by a family owned company founded in 1900 with lineage extending over 5 generations in traditional method of attar extraction, bakhoor incense for burning and blending perfumery products. Each Attar is enriched with Natural and blended oils. Dukhni Attar is 100% Halal and Alchohol Free", "pricing": "$21.99", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/51Yt+2IqB3L.jpg", "https://m.media-amazon.com/images/I/41SpPEOUpjL.jpg", "https://m.media-amazon.com/images/I/31NrA5YnLnL.jpg", "https://m.media-amazon.com/images/I/311FqapfPpL.jpg", "https://m.media-amazon.com/images/I/31hz8as09ZL.jpg", "https://m.media-amazon.com/images/I/31j8Bikmw1L.jpg", "https://m.media-amazon.com/images/I/31I3jqvfnpL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Fragrance \u203a Women's \u203a Sets", "average_rating": 4.1, "small_description": ["Contents: 6 Bottles of Pure Oil Blends x 6ml (0.2fl Oz) each. Oud Mukhallat, Oud Mubakhar, Oud Abyad (White Oud), Oud Ya Aini, Attar Al Bakhoor, Ambar ", "PURE OILS: Dukhni Attar Oils are all rigorously tested for the highest quality standards and blended by artisanal perfumers who have a deep understanding of pure oils. Alcohol Free, Vegan & Pure - Free from any nasty chemicals ", "PERFORMANCE: Very long lasting with a great propensity for short distance diffusion. Dukhni's Artisnal Perfume Oils should have longevity of upto 13-14 hours on your clothes. We are a FAIR TRADE focused company so all of our supplies are obtained through fair business practices, we do not test any products on animals and we do not harm the environment in any way with our products, our manufacturing or our business ", "EXPERIENCE the Aromatic Heritage of the Middle East! Dukhni's Artisanal Oils are produced by a family owned company with lineage in incense & perfumery making dating back to 1900 and extending over 5 generations. Each Attar is enriched with various natural ingredients including but not limited to aromatic woods, exotic flowers, natural barks, tree and tree extracts, resins, leaves & flowers; ", "Makes a fantastic gift and a super happy recipient! ENGAGE WITH US. WE WANT TO HEAR FROM YOU "], "total_reviews": 338, "total_answered_questions": "", "customization_options": {"Scent": [{"is_selected": false, "url": "https://www.amazon.com/dp/B089W84287/ref=twister_B089VN7LXN?_encoding=UTF8&psc=1", "value": "Ibt+Kha+Hab+Kas+Amb+BluG", "price_string": "$21.99", "price": 21.99, "image": "https://m.media-amazon.com/images/I/51YIouj-VFL.jpg"}, {"is_selected": true, "url": null, "value": "Muk+Mub+Abyad+Aini+Bak+AmbOud", "price_string": "$21.99", "price": 21.99, "image": "https://m.media-amazon.com/images/I/51Yt+2IqB3L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B089VWNT3C/ref=twister_B089VN7LXN?_encoding=UTF8&psc=1", "value": "Open+Ful+Dove+Shahi+Qamar+Ragh", "price_string": "$21.99", "price": 21.99, "image": "https://m.media-amazon.com/images/I/51LSUyoOdCL.jpg"}]}, "seller_id": "A1PE6B22I8JVUC", "seller_name": "Aromatan Cosmetics - USA", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B089VWZB64", "category": "beauty", "query": "Men's Fragrance", "page": 49, "small_description_old": "About this item Contents: 6 Bottles of Pure Oil Blends x 6ml (0.2fl Oz) each. Oud Mukhallat, Oud Mubakhar, Oud Abyad (White Oud), Oud Ya Aini, Attar Al Bakhoor, Ambar PURE OILS: Dukhni Attar Oils are all rigorously tested for the highest quality standards and blended by artisanal perfumers who have a deep understanding of pure oils. Alcohol Free, Vegan & Pure - Free from any nasty chemicals PERFORMANCE: Very long lasting with a great propensity for short distance diffusion. Dukhni's Artisnal Perfume Oils should have longevity of upto 13-14 hours on your clothes. We are a FAIR TRADE focused company so all of our supplies are obtained through fair business practices, we do not test any products on animals and we do not harm the environment in any way with our products, our manufacturing or our business EXPERIENCE the Aromatic Heritage of the Middle East! Dukhni's Artisanal Oils are produced by a family owned company with lineage in incense & perfumery making dating back to 1900 and extending over 5 generations. Each Attar is enriched with various natural ingredients including but not limited to aromatic woods, exotic flowers, natural barks, tree and tree extracts, resins, leaves & flowers; Makes a fantastic gift and a super happy recipient! ENGAGE WITH US. WE WANT TO HEAR FROM YOU"}, {"name": "Nintendo Switch Game Traveler Donkey Kong Country Tropical Freeze Deluxe Travel Case - Donkey Kong Surfer", "product_information": {"ASIN": "B07D4JGPHM", "Customer Reviews": {"ratings_count": 5, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#118,791 in Video Games (See Top 100 in Video Games) #14,973 in Nintendo Switch Accessories"], "Pricing": "The strikethrough price is the List Price. Savings represents a discount off the List Price.", "Product Dimensions": "10.5 x 2 x 5 inches; 12.8 Ounces", "Binding": "Video Game", "Item model number": "NNS52D", "Is Discontinued By Manufacturer": "No", "Item Weight": "12.8 ounces", "Manufacturer": "Nintendo Switch", "Date First Available": "September 23, 2018"}, "brand": "Visit the Nintendo Store", "brand_url": "https://www.amazon.com/stores/Nintendo/page/BE0EB5D0-0AD6-4564-8BC5-4A129A3A9CFD?ref_=ast_bln", "full_description": "Nintendo Switch Game Traveler Deluxe Travel Case features an image of Donkey Kong in Donkey Kong Country: Tropical Freeze. The case includes two red transparent game card cases and two red transparent SD card cases.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41D-Vt4YlUL.jpg", "https://m.media-amazon.com/images/I/41vMDdssivL.jpg", "https://m.media-amazon.com/images/I/41jl7Gju6pL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Video Games \u203a Nintendo Switch \u203a Accessories", "average_rating": 5, "small_description": ["Brand New in box. The product ships with all relevant accessories "], "total_reviews": 5, "total_answered_questions": "", "model": "NNS52D", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07D4JGPHM", "category": "electronics", "query": "Nintendo Switch", "page": 9, "small_description_old": "Brand New in box. The product ships with all relevant accessories"}, {"name": "Rimmel Oh My Lip Gloss, Stay My Rose, 0.22 Fluid Ounce", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 0.75 x 4.52 x 0.75 inches; 0.35 Ounces", "Item model number\n \u200f": "\u200e\n 34667354160", "Manufacturer\n \u200f": "\u200e\n Coty Beauty", "ASIN\n \u200f": "\u200e\n B00UYJEU8A", "Best Sellers Rank": "#66,390 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#270 in Lip Gloss", "#270 in Lip Gloss": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Rimmel Store", "brand_url": "https://www.amazon.com/stores/Rimmel/page/04CBA9CD-5FB3-4F55-ADCD-45D14428C64E?ref_=ast_bln", "full_description": "Rimmel stay glossy lip-gloss gives up to six-hour shine and color and contains soft silk and natural cotton. The lip sculpting wand provides precise definition.", "pricing": "$5.95", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31fSg8LIiSS.jpg", "https://m.media-amazon.com/images/I/31UhufWVcCL.jpg", "https://m.media-amazon.com/images/I/31TfBKR2GIL.jpg", "https://m.media-amazon.com/images/I/419sxZ7AdaS.jpg", "https://m.media-amazon.com/images/I/41u+MwYH+TL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Lips \u203a Lip Glosses", "average_rating": 4.5, "small_description": ["6-hour lip shine and color ", "Soft silk and natural cotton ", "Precise definition "], "total_reviews": 1559, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B019F0FGLI/ref=twister_B01BD86OPW?_encoding=UTF8&psc=1", "value": "All Night Long", "price_string": "$18.99", "price": 18.99, "image": "https://m.media-amazon.com/images/I/31Zqzq8l1rL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00UYJDX4C/ref=twister_B01BD86OPW?_encoding=UTF8&psc=1", "value": "Captivate Me", "price_string": "$8.95", "price": 8.95, "image": "https://m.media-amazon.com/images/I/21or8tQk3aL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00UYJDATA/ref=twister_B01BD86OPW?_encoding=UTF8&psc=1", "value": "Non Stop Glamour", "price_string": "$5.95", "price": 5.95, "image": "https://m.media-amazon.com/images/I/21PjXznAS2L.jpg"}, {"is_selected": true, "url": null, "value": "Stay My Rose", "price_string": "$5.95", "price": 5.95, "image": "https://m.media-amazon.com/images/I/31TfBKR2GIL.jpg"}]}, "seller_id": "A3SMGWNWXI7VZT", "seller_name": "Premium Buys LLC", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00UYJEU8A", "category": "beauty", "query": "Lips Makeup", "page": 142, "small_description_old": "About this item 6-hour lip shine and color Soft silk and natural cotton Precise definition"}, {"name": "Dr. Ohhira's Probiotic Magoroku Skin Care Treatment ProFormula - 1 - Tube", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 1.3 x 2.1 x 5 inches; 2.08 Ounces", "Department\n \u200f": "\u200e\n Men, women, unisex-adult", "UPC\n \u200f": "\u200e\n 695927121435 787734679398", "Manufacturer\n \u200f": "\u200e\n Essential Formulas", "ASIN\n \u200f": "\u200e\n B000JS0V70", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Essential Formulas Store", "brand_url": "https://www.amazon.com/stores/ESSENTIAL+FORMULAS/page/46F210F0-7F4F-4C26-A866-609CAF5A3142?ref_=ast_bln", "full_description": "", "pricing": "$30.76", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41vUHwL0tyL.jpg", "https://m.media-amazon.com/images/I/415Jg51iy3L.jpg", "https://m.media-amazon.com/images/I/3170qZRIGPL.jpg", "https://m.media-amazon.com/images/I/518CjA-wC4L.jpg", "https://m.media-amazon.com/images/I/41bgEleNsXL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": 4.3, "small_description": ["A superior clarifying, moisturizing and revitalizing skin lotion produced from a combination of the rejuvenating powers of natural ingredients, ancient Japanese fermentation skills, and 21st century technology ", "The proprietary blend of botanical ingredients and probiotics with prebiotic nutrients provides pH-balancing effects along with vital saccharides, amino acids, and antioxidants, contributing to the cycle of dermal health ", "This dermal probiotic balance can help maintain the appearance and integrity of collagen fibers, promote healthy skin cell rejuvenation, hydrate and replenish the skin, support the skin\u2019s healthy barrier function, and maintain radiant looking skin ", "All-natural ingredients from the Earth\u2019s bounty. Does not contain any synthetic fragrances, stabilizers, deodorants, preservatives, chemicals, or artificial colors. Not tested on animals "], "total_reviews": 101, "total_answered_questions": 13, "customization_options": {"Item Package Quantity": null}, "seller_id": "A1SGUUCL70EYZE", "seller_name": "Peak10 Health LLC", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B000JS0V70", "category": "beauty", "query": "Eyes Care", "page": 171, "small_description_old": "About this item A superior clarifying, moisturizing and revitalizing skin lotion produced from a combination of the rejuvenating powers of natural ingredients, ancient Japanese fermentation skills, and 21st century technology The proprietary blend of botanical ingredients and probiotics with prebiotic nutrients provides pH-balancing effects along with vital saccharides, amino acids, and antioxidants, contributing to the cycle of dermal health This dermal probiotic balance can help maintain the appearance and integrity of collagen fibers, promote healthy skin cell rejuvenation, hydrate and replenish the skin, support the skin\u2019s healthy barrier function, and maintain radiant looking skin All-natural ingredients from the Earth\u2019s bounty. Does not contain any synthetic fragrances, stabilizers, deodorants, preservatives, chemicals, or artificial colors. Not tested on animals"}, {"name": "Yaheetech Swivel Accent Chair Height Adjustable Modern Round Back Tilt Chair with Chrome Frame for Lounge, Pub, Bar - Dark Grey", "product_information": {"Product Dimensions": "28.15 x 22.64 x 36.02 inches", "Item Weight": "17.2 pounds", "Manufacturer": "Yaheetech", "ASIN": "B08FQTMCNM", "Customer Reviews": {"ratings_count": 2870, "stars": "4.7 out of 5 stars"}, "Best Sellers Rank": ["#24,277 in Home & Kitchen (See Top 100 in Home & Kitchen) #12 in Living Room Chairs"], "Date First Available": "May 28, 2020"}, "brand": "Visit the Yaheetech Store", "brand_url": "https://www.amazon.com/stores/Makeyourlifecomfortable/page/45E49FA9-D441-4518-9236-4BBE8AE0C8CD?ref_=ast_bln", "full_description": "", "pricing": "$109.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41+VUb+PLGL.jpg", "https://m.media-amazon.com/images/I/51nzUR3DO0L.jpg", "https://m.media-amazon.com/images/I/51KcJrgcieL.jpg", "https://m.media-amazon.com/images/I/41hv2-msHzL.jpg", "https://m.media-amazon.com/images/I/41+wJuERZgL.jpg", "https://m.media-amazon.com/images/I/41uqbZOWoLL.jpg", "https://m.media-amazon.com/images/I/51zGljUrXgL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Chairs", "average_rating": 4.7, "small_description": ["QUALITY TUFTED CHAIR: Our round-back swivel chair is founded atop a polished chrome finished metal pedestal base, and its seat is wrapped in luxurious-looking PU leather upholstery with great texture.\u00a0The strong structure can hold up to 125kg/275.6lb. ", "HEIGHT ADJUSTABLE: The seat height can be adjusted from 32cm/12.6\" to 46cm/18\" through a simple push/pull of the lever beneath the seat. The SGS-certified pneumatic cylinder is adopted to ensure your adjustment safety. ", "SIMPLE ASSEMBLY REQUIRED: This barrel chair comes in 4 parts, and tools, hardware and a step-by-step instruction manual are also included. It only takes you a few minutes to set up. ", "360-DEGREE SWIVEL CHAIR: The faux-leather wrapped round seat is founded atop a posh 360-degree swivel pedestal base, which allows effortlessly sitting, leaving the seat and changing sitting position without moving the base, especially practical in workspace and kitchen counter. ", "EASY CLEANING: The water-resistant PU leather surface and rustproof chrome finished pedestal base can be easily wiped clean with a damp cloth and mild cleansers. "], "total_reviews": 2870, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08625RGJN/ref=twister_B09HZRN1H4?_encoding=UTF8&psc=1", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41CdIAXRRGL.jpg"}, {"is_selected": true, "url": null, "value": "Dark Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41+VUb+PLGL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HC5JYKZ/ref=twister_B09HZRN1H4", "value": "Light Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31RwObU32fL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HC3F2JT/ref=twister_B09HZRN1H4", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31n7aIOTFSL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07F7PWF1D/ref=twister_B09HZRN1H4?_encoding=UTF8&psc=1", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41MH6KAPrcL.jpg"}], "Style": [{"is_selected": true, "url": null, "value": "PU Leather", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09HC5JYKZ/ref=twister_B09HZRN1H4", "value": "Velvet", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A3AN9QJNQ0FYAY", "seller_name": "Yaheetech", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08FQTMCNM", "category": "garden", "query": "Bases", "page": 59, "small_description_old": "About this item\n \nQUALITY TUFTED CHAIR: Our round-back swivel chair is founded atop a polished chrome finished metal pedestal base, and its seat is wrapped in luxurious-looking PU leather upholstery with great texture.\u00a0The strong structure can hold up to 125kg/275.6lb. HEIGHT ADJUSTABLE: The seat height can be adjusted from 32cm/12.6\" to 46cm/18\" through a simple push/pull of the lever beneath the seat. The SGS-certified pneumatic cylinder is adopted to ensure your adjustment safety. SIMPLE ASSEMBLY REQUIRED: This barrel chair comes in 4 parts, and tools, hardware and a step-by-step instruction manual are also included. It only takes you a few minutes to set up. 360-DEGREE SWIVEL CHAIR: The faux-leather wrapped round seat is founded atop a posh 360-degree swivel pedestal base, which allows effortlessly sitting, leaving the seat and changing sitting position without moving the base, especially practical in workspace and kitchen counter. EASY CLEANING: The water-resistant PU leather surface and rustproof chrome finished pedestal base can be easily wiped clean with a damp cloth and mild cleansers."}, {"name": "Easy Replacement Remote Control Suitable for Sony HCD-DX315 HCD-HDX475 HCD-HDZ230 DVD Home Theater System Receiver", "product_information": {"ASIN": "B01MSXI9M5", "Date First Available": "December 10, 2016", "Manufacturer": "EREMOTE"}, "brand": "Brand: EREMOTE", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=EREMOTE", "full_description": "Remote Control For SONY HCD-DX315 HCD-HDX475 HCD-HDZ230 DVD Home Theater System Receiver", "pricing": "$14.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31Zdgq3g22L.jpg", "https://m.media-amazon.com/images/I/317edrPTwXL.jpg", "https://m.media-amazon.com/images/I/31kkcMbhsvL.jpg", "https://m.media-amazon.com/images/I/31VUVSd0BdL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Office Products \u203a Office Electronics \u203a Video Projectors & Accessories \u203a Video Projector Accessories \u203a Remote Controls", "average_rating": "", "small_description": ["Easy to use ", "Replacement part,battery not include ", "3-6 days to delivery USA ", "Remote Control For SONY HCD-DX315 HCD-HDX475 HCD-HDZ230 DVD Home Theater System Receiver ", "Please note: The system shows that the product arrival time is 15-30 days. In fact, it only takes 4-7 days to arrive in the US states. If you have not arrived within 8 days, please contact us. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2VQ4DWMDRCEAD", "seller_name": "Easy-Remote", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01MSXI9M5", "category": "electronics", "query": "Home Theater Systems", "page": 367, "small_description_old": "Easy to use Replacement part,battery not include 3-6 days to delivery USA Remote Control For SONY HCD-DX315 HCD-HDX475 HCD-HDZ230 DVD Home Theater System Receiver Please note: The system shows that the product arrival time is 15-30 days. In fact, it only takes 4-7 days to arrive in the US states. If you have not arrived within 8 days, please contact us."}, {"name": "Orbecco WiFi Smart IR Remote Controller, Universal Control TV Air Conditioning Electric Fan Heater, Smart Home Infrared Universal Remote Controller Compatible with Alexa & Google Assistant, White", "product_information": {"Manufacturer": "\u200eOrbecco", "Part Number": "\u200eP723314111087", "Item Weight": "\u200e0.704 ounces", "Product Dimensions": "\u200e2.64 x 1.65 x 2.01 inches", "Material": "\u200eABS+PC", "Item Package Quantity": "\u200e1", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "ASIN": "B08GZ88BLT", "Customer Reviews": {"ratings_count": 73, "stars": "3.8 out of 5 stars"}, "Best Sellers Rank": ["#9,802 in Remote Controls (Electronics)"], "Date First Available": "August 29, 2020"}, "brand": "Brand: Orbecco", "brand_url": "https://www.amazon.com/Orbecco/b/ref=bl_dp_s_web_23697296011?ie=UTF8&node=23697296011&field-lbr_brands_browse-bin=Orbecco", "full_description": "", "pricing": "$16.99", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31ag+8T4o4L.jpg", "https://m.media-amazon.com/images/I/516A8UeKILL.jpg", "https://m.media-amazon.com/images/I/51lzTyGYQeL.jpg", "https://m.media-amazon.com/images/I/51fYJzKL-nL.jpg", "https://m.media-amazon.com/images/I/51HUOBcUR0L.jpg", "https://m.media-amazon.com/images/I/51NNo-cF38L.jpg", "https://m.media-amazon.com/images/I/51s6TYyRajL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Remote Controls & Accessories \u203a Remote Controls", "average_rating": 3.8, "small_description": ["Compatibility: Widely Compatible with Amazon Echo (1st Gen.), Echo Plus (1st Gen.), Echo (2nd Gen.), Echo Plus (2nd Gen.), Echo Dot (1st Gen.), Echo Dot (2nd Gen.), Echo Dot (3nd Gen.), Echo Input, Echo Spot, Echo Show 5, Echo Show (1st Gen.), Echo Show (2nd Gen.), Echo Flex; Google Home, Google Home Mini. ", "APP Remote Control: Anytime and anywhere, enjoy more flexible control of your home appliance via linking infrared remote controller. Requires Android 4.4/iOS 8.0 Above and 2.4GHz WiFi ONLY. ", "Hands-free Voice Control: Complete hands-free control by means of simple voice commands to remotely control most infrared control device. Such as TV, Air Conditioning, Electric Fan, Heater, Air Purifier, Projector etc. Say goodbye to cumbersome manual control. ", "DIY Learning Function: If you cannot find IR device brand in [Smart Life] APP, Orbecco WiFi smart IR remote controller can Learn and copy the same function from original remote. ", "Technical Specifications: Power Input: DC 5V/1A; IR Frequency: 38-56kHz; Infrared Distance: 7M; Range Coverage: 360\u00b0; Max Current: 110mA; Max Power: 0.55W; Wireless Standard: WIFI 2.4G 802.11 b/g/n; Material: ABS+PC; Operating Temperature: -10\u2103 - 50\u2103; Operating Humidity: \u226485%RH. "], "total_reviews": 73, "total_answered_questions": "", "customization_options": "", "seller_id": "A2D5XVOTTAZFBV", "seller_name": "WingIdeas NA", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08GZ88BLT", "category": "electronics", "query": "Remotes", "page": 378, "small_description_old": "About this item\n \nCompatibility: Widely Compatible with Amazon Echo (1st Gen.), Echo Plus (1st Gen.), Echo (2nd Gen.), Echo Plus (2nd Gen.), Echo Dot (1st Gen.), Echo Dot (2nd Gen.), Echo Dot (3nd Gen.), Echo Input, Echo Spot, Echo Show 5, Echo Show (1st Gen.), Echo Show (2nd Gen.), Echo Flex; Google Home, Google Home Mini. APP Remote Control: Anytime and anywhere, enjoy more flexible control of your home appliance via linking infrared remote controller. Requires Android 4.4/iOS 8.0 Above and 2.4GHz WiFi ONLY. Hands-free Voice Control: Complete hands-free control by means of simple voice commands to remotely control most infrared control device. Such as TV, Air Conditioning, Electric Fan, Heater, Air Purifier, Projector etc. Say goodbye to cumbersome manual control. DIY Learning Function: If you cannot find IR device brand in [Smart Life] APP, Orbecco WiFi smart IR remote controller can Learn and copy the same function from original remote. Technical Specifications: Power Input: DC 5V/1A; IR Frequency: 38-56kHz; Infrared Distance: 7M; Range Coverage: 360\u00b0; Max Current: 110mA; Max Power: 0.55W; Wireless Standard: WIFI 2.4G 802.11 b/g/n; Material: ABS+PC; Operating Temperature: -10\u2103 - 50\u2103; Operating Humidity: \u226485%RH. \n \u203a See more product details"}, {"name": "Men's 3/4 Workout Training Jogger Capri Pants Running Track Sweatpants Shorts with Pockets Summer Casual Sports Pants", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 0.39 x 0.39 x 0.39 inches; 0.35 Ounces", "Item model number\n \u200f": "\u200e\n Clearance!Hot Sale!Cheap!", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n July 22, 2021", "Manufacturer\n \u200f": "\u200e\n aihihe", "ASIN\n \u200f": "\u200e\n B09B2HJGJD", "Best Sellers Rank": "#928,212 in Sports & Outdoors (See Top 100 in Sports & Outdoors)#540 in Men's Golf Pants #1,167 in Sports Fan Shorts #1,723 in Cheerleading Clothing", "#540 in Men's Golf Pants": "", "#1,167 in Sports Fan Shorts": "", "#1,723 in Cheerleading Clothing": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: aihihe", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=aihihe", "full_description": "\u203b\u203b\u3010SIZE CHART\u3011\u203b\u203bSize:M/US:6 Waist:70cm/27.56'' Hip:102cm/40.16'' Pants length:61.5cm/24.21'' Size:L/US:8 Waist:70cm/27.56'' Hip:106cm/41.73'' Pants length:64cm/25.20'' Size:XL/US:10 Waist:72cm/28.35'' Hip:110cm/43.31'' Pants length:66.5cm/26.18'' Size:XXL/US:12 Waist:72cm/28.35'' Hip:114cm/44.88'' Pants length:69cm/27.17'' Size:XXXL/US:14 Waist:74cm/29.13'' Hip:118cm/46.46'' Pants length:71.5cm/28.15'' \u203b\u203b\u3010Product Information\u3011\u203b\u203b\ud83c\udf37Brand Name:aihihe\ud83c\udf37Gender:mens\ud83c\udf37Pants Length:Short\ud83c\udf37Season:Summer/Spring/Fall\ud83c\udf37Pocket Description:Cargo\ud83c\udf37Closure Type:Drawstring\ud83c\udf37Opacity Transparency: Non see-through\ud83c\udf37Material:Cotton BlendQ&AQuestion:Is the color a true colorAnswer:Yes they are a true colorQuestion:Do they fade after washing?Answer:they didn't fade.Question:Do they have front pockets can't tell in picturesAnswer:Yes,they do. Question:what happens if you put them in the dryer?Answer:They wrinkle but the dryer did not damage my shorts.Question:I wear american size 12. should i or should i go up to large?Answer:You can buy according to the size chart provided by the seller not amazon.", "pricing": "$7.99$14.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31VrqXy-n9S.jpg", "https://m.media-amazon.com/images/I/31Ox7FtTTOS.jpg", "https://m.media-amazon.com/images/I/51AjlBXJAyS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Active \u203a Active Pants", "average_rating": 1, "small_description": ["Cotton Blend ", "\u2714Note :Please refer to your waistline and check the size chart from the product picture before ordering. ", "Drawstring closure ", "\u2714Wash Tipe:Machine Wash,Normal Cycle,Hang Dry ", "\u2714Material: 95% Polyester, 5% Spandex. 02 is 95% Cotton, 5% Other Drawstring closure ", "\u2714Features:Mens juniors classic 3/4 joggers capri pants, elastic waist with drawstring allows custom fit, makes you comfort anytime anywhere. ", "\u2714CCASION:This is a thoughtful gift for your families, perfect for casual daily life, school, sports, running, fitness, yoga, track etc. , \u2714Shipping:Items will arrive in 15-20 business days (Standard Shipping) or in 3-5 business days (Expedited Shipping) .It\u2019s up to which shipping ways you chose., \u10e6\u3010Search\u3011short tops for women 3x plus size short tops for women summer plus size short tops for women c plus size short tops for women 2x plus size short tops for women pink plus size short tops for women 4x plus size short tops for women dressy plus size short tops for women button down tunic plus size short dresses plus size short dresses for women plus size short dresses summer plus size short dresses 5x plus size short dresses for a wedding plus size short dresses with pockets"], "total_reviews": 2, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09B2J66TG"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09B2KP244"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09B2JJLK9"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09B2H1523"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B09B2HN6NN"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09B2HJGJD/ref=twister_B09B2J2NZ3", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31jqOJoch+S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09B2JWK5C/ref=twister_B09B2J2NZ3", "value": "Dark Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/513yLp47XDS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09B2JN5C3/ref=twister_B09B2J2NZ3", "value": "Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/512pDO5WZKS.jpg"}, {"is_selected": true, "url": null, "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31VrqXy-n9S.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09B2HN6NN", "category": "fashion", "query": "Men's Pants", "page": 142, "small_description_old": "Cotton Blend \u2714Note :Please refer to your waistline and check the size chart from the product picture before ordering. Drawstring closure \u2714Wash Tipe:Machine Wash,Normal Cycle,Hang Dry \u2714Material: 95% Polyester, 5% Spandex. 02 is 95% Cotton, 5% Other Drawstring closure \u2714Features:Mens juniors classic 3/4 joggers capri pants, elastic waist with drawstring allows custom fit, makes you comfort anytime anywhere. \u2714CCASION:This is a thoughtful gift for your families, perfect for casual daily life, school, sports, running, fitness, yoga, track etc. \n \u2714Shipping:Items will arrive in 15-20 business days (Standard Shipping) or in 3-5 business days (Expedited Shipping) .It\u2019s up to which shipping ways you chose.\u10e6\u3010Search\u3011short tops for women 3x plus size short tops for women summer plus size short tops for women c plus size short tops for women 2x plus size short tops for women pink plus size short tops for women 4x plus size short tops for women dressy plus size short tops for women button down tunic plus size short dresses plus size short dresses for women plus size short dresses summer plus size short dresses 5x plus size short dresses for a wedding plus size short dresses with pocketsShow more"}, {"name": "jojofuny 27pcs Checkered Flag Race Flag Cupcake Topper Picks Toothpick Flag Dinner Flags Chequered Flag Race Car Themed Party Supplies for Car Lover Cake Decorations", "product_information": {"Product Dimensions": "2.56 x 1.38 x 0.04 inches", "Item Weight": "0.635 ounces", "ASIN": "B08W2WTW4Z", "Manufacturer recommended age": "12 months and up", "Best Sellers Rank": ["#979,312 in Toys & Games (See Top 100 in Toys & Games) #11,983 in Cake Toppers (Toys & Games) #37,564 in Cake Toppers (Grocery & Gourmet Food) #316,207 in Preschool Toys"], "Mfg Recommended age": "12 months and up", "Manufacturer": "jojofuny"}, "brand": "Brand: jojofuny", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=jojofuny", "full_description": "Description This item is designed specially for cakes decoration. It is crafted in chic car racing themed patterns, and will help you to create a beautiful cake scenic. It can also be used as funny appetizer picks, fruit picks, party food picks, cupcake picks, etc. Suitable for birthday, theme party, etc. Features- Color: Assorted Color- Material: paper+ bamboo stick- Size: 6. 50X3. 50X0. 10cm/ 2. 55X1. 38X0. 04in- Note: Contains 3 big cake flags and 24 small cake flags- Made by materials for safe and durable use. -: first- class safe food decoration materials. Excellent construction and perfect workmanship.- Wide range of application: suitable for birthday, wedding and other occasions.- These foods can also be used to decorate cookies, cakes, fruit, chocolate cakes, ice cream and more!- Decorate your foods to make them more unique and special.- Color: Assorted Color.- Size: 6. 5\u00c3\u20143. 5cm. Package Including 27 x cake toppers", "pricing": "$9.49", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51bl43dAVPL.jpg", "https://m.media-amazon.com/images/I/51FGXlmVguL.jpg", "https://m.media-amazon.com/images/I/51sIWs1vzCL.jpg", "https://m.media-amazon.com/images/I/51ebnDERzdL.jpg", "https://m.media-amazon.com/images/I/31nY4POvN2L.jpg", "https://m.media-amazon.com/images/I/51KKHbkEc9L.jpg", "https://m.media-amazon.com/images/I/41HLYx3iATL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Cooking & Baking \u203a Frosting, Icing & Decorations \u203a Cake Toppers", "average_rating": "", "small_description": ["Made by materials for safe and durable use. ", "Wide range of application: suitable for birthday, wedding and other occasions. ", "These foods can also be used to decorate cookies, cakes, fruit, chocolate cakes, ice cream and more! ", ": first- class safe food decoration materials. Excellent construction and perfect workmanship. ", "Decorate your foods to make them more unique and special. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2M32LDHISYHL6", "seller_name": "ZHONG ROY", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08W2WTW4Z", "category": "grocery", "query": "Toothpicks", "page": 24, "small_description_old": "About this item\n \nMade by materials for safe and durable use. Wide range of application: suitable for birthday, wedding and other occasions. These foods can also be used to decorate cookies, cakes, fruit, chocolate cakes, ice cream and more! : first- class safe food decoration materials. Excellent construction and perfect workmanship. Decorate your foods to make them more unique and special."}, {"name": "Perfume for women one day one love 3.4 oz eau de toilette spray girl perfume eau de toilette spray \u300cElegant fragrance\u300d", "product_information": {"Item model number\n \u200f": "\u200e\n AXCF79B6F3", "UPC\n \u200f": "\u200e\n 762779825719", "Manufacturer\n \u200f": "\u200e\n N\\B", "ASIN\n \u200f": "\u200e\n B09QYN9MYN", "": ""}, "brand": "Brand: N\\B", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=N%5CB", "full_description": "\u300cElegant fragrance\u300d", "pricing": "$33.49", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51evoNuGvfL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Fragrance", "average_rating": "", "small_description": "About this item \u300c\u300dPerfume for Women one day one love 3.4 oz Eau De Toilette Spray Guess Girl Perfume By Guess Eau De Toilette Spray \u300cThe advanced fragrance can bring out your charm perfectly.\u300d", "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "ARJHF0AJ3S07T", "seller_name": "linlihongsds", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QYN9MYN", "category": "beauty", "query": "Children's Fragrance", "page": 15, "small_description_old": "About this item \u300c\u300dPerfume for Women one day one love 3.4 oz Eau De Toilette Spray Guess Girl Perfume By Guess Eau De Toilette Spray \u300cThe advanced fragrance can bring out your charm perfectly.\u300d"}, {"name": "Sony Extra Bass Portable Bluetooth Speaker Black - SRS-XB33/BC (Renewed)", "product_information": {"Product Dimensions": "4.09 x 1.95 x 2.11 inches", "Item Weight": "3.04 pounds", "Manufacturer": "Sony", "ASIN": "B08FZDJRQ7", "Item model number": "SRSXB33/B-cr", "Batteries": "1 A batteries required.", "Customer Reviews": {"ratings_count": 962, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#724 in Portable Bluetooth Speakers #7,958 in MP3 & MP4 Player Accessories"], "Date First Available": "September 2, 2020"}, "brand": "Visit the Amazon Renewed Store", "brand_url": "https://www.amazon.com/Amazon-Renewed/b/ref=bl_dp_s_web_12653393011?ie=UTF8&node=12653393011&field-lbr_brands_browse-bin=Amazon+Renewed", "full_description": "This pre-owned or refurbished product has been professionally inspected and tested to work and look like new. How a product becomes part of Amazon Renewed, your destination for pre-owned, refurbished products: A customer buys a new product and returns it or trades it in for a newer or different model. That product is inspected and tested to work and look like new by Amazon-qualified suppliers. Then, the product is sold as an Amazon Renewed product on Amazon. If not satisfied with the purchase, renewed products are eligible for replacement or refund under the Amazon Renewed Guarantee.", "pricing": "$108.49", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41+lMIUpYbL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Portable Audio & Video \u203a Portable Speakers & Docks \u203a Portable Bluetooth Speakers", "average_rating": 4.5, "small_description": ["Play it loud with EXTRA BASS sound and LIVE SOUND mode ", "Built to last with a IP67 waterproof rustproof dustproof and shockproof design ", "Lasts all day long with up to 24 hours of battery life ", "X-Balanced Speaker Unit enhances sound quality and power ", "Boost your music with two speaker lights and multi-colored line lights and turn the lights on or off via the Fiestable App ", "Get things booming with Party Connect and sync up to 100 speakers ", "The speakerphone function offers a convenient way to talk hands-free, whether it\u2019s a conference call for work or a chat with friends , Efficiently charge with USB Type-C and use the XB33 to charge your smartphone or other small devices via USB connection, Control the party with the Sony Music Center app and the Fiestable app, Wireless with BLUETOOTH technology and NFC"], "total_reviews": 962, "total_answered_questions": 27, "model": "SRSXB33/B-cr", "customization_options": {"Style": [{"is_selected": true, "url": null, "value": "SRSXB33", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08G8CNP8M/ref=twister_B08H8MS84D?_encoding=UTF8&psc=1", "value": "SRSXB43", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08GM8M3YH/ref=twister_B08H8MS84D", "value": "SRSXB23", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ajrCi4-wL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08GM8M3YH/ref=twister_B08H8MS84D", "value": "Black XB23", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41FR1rMxkmL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08JFC3KFL/ref=twister_B08H8MS84D?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41aAEKED9RL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08GZVX7SG/ref=twister_B08H8MS84D", "value": "Coral Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41PXPMQHDLL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08DNH2YPZ/ref=twister_B08H8MS84D", "value": "Light Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41v1dNPakTL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08JM6WVT8/ref=twister_B08H8MS84D", "value": "Olive Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41R8HgN9C4L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08HJ4R3CG/ref=twister_B08H8MS84D?_encoding=UTF8&psc=1", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41X0NLtv97L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08JD357ZZ/ref=twister_B08H8MS84D?_encoding=UTF8&psc=1", "value": "Taupe", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41wtW7EfqOL.jpg"}]}, "seller_id": "A3D9SO4E4YL9QC", "seller_name": "Planet Open Box", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08FZDJRQ7", "category": "electronics", "query": "Boomboxes & Portable Radios", "page": 67, "small_description_old": "About this item Play it loud with EXTRA BASS sound and LIVE SOUND mode Built to last with a IP67 waterproof rustproof dustproof and shockproof design Lasts all day long with up to 24 hours of battery life X-Balanced Speaker Unit enhances sound quality and power Boost your music with two speaker lights and multi-colored line lights and turn the lights on or off via the Fiestable App Get things booming with Party Connect and sync up to 100 speakers The speakerphone function offers a convenient way to talk hands-free, whether it\u2019s a conference call for work or a chat with friends \n Efficiently charge with USB Type-C and use the XB33 to charge your smartphone or other small devices via USB connectionControl the party with the Sony Music Center app and the Fiestable appWireless with BLUETOOTH technology and NFCShow more"}, {"name": "8 Colors Blush Palette, 4 Powder + 4 Cream Blush Palette, Contour and Highlight Blush Palette, Natural Nude Makeup Brighten Skin Tone Portable Makeup Blush, Professional Facial Makeup Blush", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 7.01 x 4.13 x 0.63 inches; 5.01 Ounces", "Manufacturer\n \u200f": "\u200e\n LANGMANNI", "ASIN\n \u200f": "\u200e\n B09NYHTCVX", "Country of Origin\n \u200f": "\u200e\n China", "Best Sellers Rank": "#77,238 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#223 in Face Blushes", "#223 in Face Blushes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the LANGMANNI Store", "brand_url": "https://www.amazon.com/stores/LANGMANNI/page/0E3858C3-4F52-4954-BD68-B9EB5F0DB417?ref_=ast_bln", "full_description": "", "pricing": "$6.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51yGyhJO0jL.jpg", "https://m.media-amazon.com/images/I/41PnWDvLDzL.jpg", "https://m.media-amazon.com/images/I/41wJUniQR0L.jpg", "https://m.media-amazon.com/images/I/51Boq+PKSML.jpg", "https://m.media-amazon.com/images/I/41oyl87t1xL.jpg", "https://m.media-amazon.com/images/I/41g62dvVE4L.jpg", "https://m.media-amazon.com/images/I/51zVJ3E6PhL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Face \u203a Blush", "average_rating": 4.4, "small_description": ["[ 8-Color Blush Palette ] There are 8 colors in the blush palette, divided into 4 dry powders and 4 blush creams, with a variety of combinations that are easy to color, and intelligent color toning factors make the color rosy and translucent, and bring a natural matte effect to your skin tone. ", "[ Easy to Makeup ] It\u2019s texture is smooth and fine, has a super smooth and soft powder texture makes the makeup light and smooth, which allows it to blend evenly with the skin without flying powder and makes the makeup more exquisite, gives the skin a transparent texture, It can be mixed to create natural matte and highlight effects. ", "[ Waterproof Long Lasting ] The blush highlighter palette is rich in color and has good color rendering, waterproof. you can apply it evenly and colored well on your face, no need to worry about water and sweat, let you keep beautiful makeup all the time. ", "[ Perfect gift ] It\u2019s ready for as a Birthday gift to friends or families. Perfect for various occasions, such as dating, party, wedding, bar, ball, camping, office, school, or daily makeups. ", "[ Risk -free Money Back Guarantee ] We offers an unconditional 100% satisfaction guarantee. just contact us to get a refund. all you need to do is return it within 30 DAYS, and we will issue you a full refund. "], "total_reviews": 15, "total_answered_questions": 3, "customization_options": "", "seller_id": "A17Q7UW8KYABAJ", "seller_name": "LANGMANNI OFFICIAL STORE", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09NYHTCVX", "category": "beauty", "query": "Makeup Palettes", "page": 9, "small_description_old": "About this item [ 8-Color Blush Palette ] There are 8 colors in the blush palette, divided into 4 dry powders and 4 blush creams, with a variety of combinations that are easy to color, and intelligent color toning factors make the color rosy and translucent, and bring a natural matte effect to your skin tone. [ Easy to Makeup ] It\u2019s texture is smooth and fine, has a super smooth and soft powder texture makes the makeup light and smooth, which allows it to blend evenly with the skin without flying powder and makes the makeup more exquisite, gives the skin a transparent texture, It can be mixed to create natural matte and highlight effects. [ Waterproof Long Lasting ] The blush highlighter palette is rich in color and has good color rendering, waterproof. you can apply it evenly and colored well on your face, no need to worry about water and sweat, let you keep beautiful makeup all the time. [ Perfect gift ] It\u2019s ready for as a Birthday gift to friends or families. Perfect for various occasions, such as dating, party, wedding, bar, ball, camping, office, school, or daily makeups. [ Risk -free Money Back Guarantee ] We offers an unconditional 100% satisfaction guarantee. just contact us to get a refund. all you need to do is return it within 30 DAYS, and we will issue you a full refund."}, {"name": "Legendary Whitetails Men's Non-Typical Long Sleeve T-Shirt", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 1 x 1 x 1 inches; 8.78 Ounces", "Item model number\n \u200f": "\u200e\n 5933", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n September 7, 2017", "Manufacturer\n \u200f": "\u200e\n Legendary Whitetails", "ASIN\n \u200f": "\u200e\n B075G1H3HB", "Best Sellers Rank": "#19,814 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#156 in Men's T-Shirts #190 in Men's Novelty T-Shirts", "#156 in Men's T-Shirts": "", "#190 in Men's Novelty T-Shirts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Legendary Whitetails Store", "brand_url": "https://www.amazon.com/stores/LegendaryWhitetails/page/91DE944D-E499-4629-BE35-6FE0BEEBF513?ref_=ast_bln", "full_description": "The best, most comfortable long sleeve tee you can buy. Built with Legendary style. 100% preshrunk heavyweight cotton with seamless ribbed collar, set-in sleeves and relaxed cuff. Detailed with camo fabric inside the neck and side vents. Graphics on both sleeves and left chest. Big & Tall sizes are designed for men over 6'2\" and add 2\" in body length and 1-1\u20442\" in sleeve length.", "pricing": "$10.52$40.50", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41HD+WH998S.jpg", "https://m.media-amazon.com/images/I/51jV2h85wOS.jpg", "https://m.media-amazon.com/images/I/417jt6LQArS.jpg", "https://m.media-amazon.com/images/I/51-B78gADAS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Men \u203a Shirts \u203a T-Shirts", "average_rating": 4.7, "small_description": ["Tagless Label, eliminates scratching ", "Double needle stitching ", "Screen printed sleeves and left chest design ", "Extended tail and side vents ", "Camo collar, extended tail, and side vent taping "], "total_reviews": 7183, "total_answered_questions": 33, "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B075FZ5THV/ref=twister_B08ZJVTFGJ", "value": "Army", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41SxIOMtqjL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075G2FM7D/ref=twister_B08ZJVTFGJ", "value": "Big Game Field Camo", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61Fx6-JMD8S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075FZ62ZM/ref=twister_B08ZJVTFGJ", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41yv2sMd5LS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00EUHECK8/ref=twister_B08ZJVTFGJ", "value": "Cardinal", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/418aK2XBHmL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075G3JZ77/ref=twister_B08ZJVTFGJ", "value": "Charcoal Heather", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41GjLAqYsUL.jpg"}, {"is_selected": true, "url": null, "value": "Inferno", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41HD+WH998S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0893DNDNG/ref=twister_B08ZJVTFGJ", "value": "Mossy Oak Bottomland", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51xONW2t-nL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0846PRKGV/ref=twister_B08ZJVTFGJ", "value": "Mossy Oak Country", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51MSu94a6IS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08P3XGKKQ/ref=twister_B08ZJVTFGJ", "value": "Mossy Oak Country Dna", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61JPqxmJSNL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0893D649Z/ref=twister_B08ZJVTFGJ", "value": "Mossy Oak Coyote", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51pOF5S5XPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07G5FW2M8/ref=twister_B08ZJVTFGJ", "value": "Slate", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41SslSjz7RS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075G28PJ7/ref=twister_B08ZJVTFGJ", "value": "Swamp", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41KyfPEGsaS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B089WPJH9J/ref=twister_B08ZJVTFGJ", "value": "Turkey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41pXFVyf-uS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B089WQRW4P/ref=twister_B08ZJVTFGJ", "value": "Flag", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/4160K7tNFZS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B089WQXBV5/ref=twister_B08ZJVTFGJ", "value": "Country", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31RlQv-xAzS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B089WQXBST/ref=twister_B08ZJVTFGJ", "value": "Fish", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/416bTqEZfdS.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B00O30JKEU"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B00O30J87Y"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B00O30JLDK"}, {"is_selected": false, "is_available": true, "value": "Large Tall", "asin": "B00O30JCXY"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B00O30JBBM"}, {"is_selected": false, "is_available": true, "value": "X-Large Tall", "asin": "B00O30J9G4"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B00O30JF04"}, {"is_selected": false, "is_available": true, "value": "XX-Large Big Tall", "asin": "B00O30J70C"}, {"is_selected": false, "is_available": true, "value": "3X-Large Big", "asin": "B00O30JAFE"}, {"is_selected": false, "is_available": true, "value": "3X-Large Big Tall", "asin": "B075G12Q2H"}, {"is_selected": false, "is_available": true, "value": "4X-Large Big", "asin": "B075G26VHN"}, {"is_selected": false, "is_available": true, "value": "4X-Large Big Tall", "asin": "B075G1Q8MY"}, {"is_selected": false, "is_available": true, "value": "5X-Large Big", "asin": "B075G1SQ7T"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00O30JLDK", "category": "fashion", "query": "Men's T-Shirts", "page": 25, "small_description_old": "100% Cotton Imported Pull On closure Machine Wash Tagless Label, eliminates scratching Double needle stitching Screen printed sleeves and left chest design \n Extended tail and side ventsCamo collar, extended tail, and side vent tapingShow more"}, {"name": "Look Bella 10x Magnifying Compact Folding Double Mirror. Magnification for Hair Removal. Perfect for Purses. Distortion Free - Rose Gold", "product_information": {"Item Weight": "\u200e4.3 ounces", "Package Dimensions": "\u200e4.33 x 4.29 x 0.75 inches", "ASIN": "B084VWH12H", "Customer Reviews": {"ratings_count": 11, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#491,353 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #1,278 in Compact & Travel Mirrors"], "Date First Available": "February 17, 2020"}, "brand": "Brand: Look Bella", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Look+Bella", "full_description": "", "pricing": "$11.99", "list_price": "", "availability_quantity": 13, "availability_status": "Only 13 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41cTfTyL+NL.jpg", "https://m.media-amazon.com/images/I/41cGpXedahL.jpg", "https://m.media-amazon.com/images/I/41XPHtUg6rL.jpg", "https://m.media-amazon.com/images/I/41HKmRTvv5L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Mirrors \u203a Compact & Travel Mirrors", "average_rating": 4.8, "small_description": ["ULTRA SLIM & LIGHTWEIGHT - 4\" diameter and only 3/8\" thick. Compact size and powerful magnification make it the perfect companion in your luggage when traveling or in your purse when running errands. ", "STYLISH POUCH: Folds flat for storage in the included microfiber travel pouch with drawstring closure, letting you keep it close at hand at all times. Perfect for corporate or party gifts. ", "ANTI-DISTORTION 1X / 10X: Get a crystal clear view of your face. Ideal for applying make-up flawlessly, eyebrow tweezing or facial hair removal. ", "HANDS-FREE DESIGN! It fits perfectly in one hand but also stays open when resting on a table. "], "total_reviews": 11, "total_answered_questions": "", "customization_options": "", "seller_id": "A1RAJFABGG43ED", "seller_name": "FabLife", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B084VWH12H", "category": "beauty", "query": "Mirrors", "page": 63, "small_description_old": "About this item ULTRA SLIM & LIGHTWEIGHT - 4\" diameter and only 3/8\" thick. Compact size and powerful magnification make it the perfect companion in your luggage when traveling or in your purse when running errands. STYLISH POUCH: Folds flat for storage in the included microfiber travel pouch with drawstring closure, letting you keep it close at hand at all times. Perfect for corporate or party gifts. ANTI-DISTORTION 1X / 10X: Get a crystal clear view of your face. Ideal for applying make-up flawlessly, eyebrow tweezing or facial hair removal. HANDS-FREE DESIGN! It fits perfectly in one hand but also stays open when resting on a table. \n \u203a See more product details"}, {"name": "Paldo Fun & Yum Il Poom Seafood Instant Noodles with Spicy Seafood Based Broth, Best Oriental Style, Original Korean Ramyun, Spicy Ramen Challenge, K-Food, \uc77c\ud488 \ud574\ubb3c\ub77c\uba74 Family Pack, 120g (4.23 oz) x 20 PK", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 15.98 x 12.36 x 5.91 inches; 6.37 Pounds", "UPC\n \u200f": "\u200e\n 803211654778", "Manufacturer\n \u200f": "\u200e\n PALDO FUN & YUM", "ASIN\n \u200f": "\u200e\n B085W9G2QY", "Best Sellers Rank": "#125,527 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#408 in Packaged Noodle Soups", "#408 in Packaged Noodle Soups": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the PALDO FUN & YUM Store", "brand_url": "https://www.amazon.com/stores/PaldoFunYum/page/2528F987-E8E5-4727-9E1A-2C7B5F4F3FF3?ref_=ast_bln", "full_description": "", "pricing": "$39.93", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/518KAqhARsL.jpg", "https://m.media-amazon.com/images/I/513TEHxRmrL.jpg", "https://m.media-amazon.com/images/I/51A1FhF2PDL.jpg", "https://m.media-amazon.com/images/I/41C0hO5TFrL.jpg", "https://m.media-amazon.com/images/I/51Rc1NpwGIL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Soups, Stocks & Broths \u203a Noodle Soups", "average_rating": 4.1, "small_description": ["A TASTE OF KOREA: We have captures the delicious taste of various Korean dishes so that they can be prepared in minutes but accessible anywhere in the world. This particular dish is the best oriental style and original Korean Ramyun. We strive to satisfy the cravings for tasty food, K-food favorites. ", "INGREDIENTS: The wheat flour noodles here are regular ramen noodles, they cooked well and had a decent bite and flavor. We carefully select the highest quality ingredients of hot and spicy noodles. This noodle contains solid blocks of ocean delicacies such as squid, shrimp, mussel, and wrinkled sea squirt in a refreshing and spicy soup. No meat, no trans-fat, and no cholesterol. ", "QUICK AND EASY DIRECTIONS: Simply put the noodles and flakes in a pot. Cook for 5 minutes, stirring occasionally. Remove from heat, serve, and enjoy! With the mission of providing better food and services, we continue our efforts to create a variety of noodles, high quality, packed with delicious and unique flavors. Net weight 120 grams (4.23 oz) pack of 20. ", "ENJOY AS MEAL OR SNACK: Enjoy authentic Korean flavor in the comfort of your own home! Make a full meal by adding your favorite meat along with some vegetables. The bowl contains the noodle block, a sachet of seasoning powder and sachet of dried garnish. ", "PALDO FUN & YUM: At Paldo Fun & Yum, it is our priority to produce products that are safe and delicious to eat and we stand behind all of our high-quality products. Your feedback is very important as we are always looking for ways to improve our services and products. We always hope you are highly satisfied with our high quality and unique flavored food. Directly from the manufacturer - Official Paldo Fun & Yum. "], "total_reviews": 11, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B085WB952G/ref=twister_B085WBC7S9?_encoding=UTF8&psc=1", "value": "4.23 Ounce (Pack of 5)", "price_string": "$18.75", "price": 18.75, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085W9Z8T7/ref=twister_B085WBC7S9?_encoding=UTF8&psc=1", "value": "Jang Ramen 10 Pack", "price_string": "$25.48", "price": 25.48, "image": null}, {"is_selected": true, "url": null, "value": "Jang Ramen 20 Pack", "price_string": "$39.93", "price": 39.93, "image": null}]}, "seller_id": "A2QRBSXH3ZC81S", "seller_name": "H2H Trading", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B085W9G2QY", "category": "grocery", "query": "Meat Snacks", "page": 333, "small_description_old": "About this item A TASTE OF KOREA: We have captures the delicious taste of various Korean dishes so that they can be prepared in minutes but accessible anywhere in the world. This particular dish is the best oriental style and original Korean Ramyun. We strive to satisfy the cravings for tasty food, K-food favorites. INGREDIENTS: The wheat flour noodles here are regular ramen noodles, they cooked well and had a decent bite and flavor. We carefully select the highest quality ingredients of hot and spicy noodles. This noodle contains solid blocks of ocean delicacies such as squid, shrimp, mussel, and wrinkled sea squirt in a refreshing and spicy soup. No meat, no trans-fat, and no cholesterol. QUICK AND EASY DIRECTIONS: Simply put the noodles and flakes in a pot. Cook for 5 minutes, stirring occasionally. Remove from heat, serve, and enjoy! With the mission of providing better food and services, we continue our efforts to create a variety of noodles, high quality, packed with delicious and unique flavors. Net weight 120 grams (4.23 oz) pack of 20. ENJOY AS MEAL OR SNACK: Enjoy authentic Korean flavor in the comfort of your own home! Make a full meal by adding your favorite meat along with some vegetables. The bowl contains the noodle block, a sachet of seasoning powder and sachet of dried garnish. PALDO FUN & YUM: At Paldo Fun & Yum, it is our priority to produce products that are safe and delicious to eat and we stand behind all of our high-quality products. Your feedback is very important as we are always looking for ways to improve our services and products. We always hope you are highly satisfied with our high quality and unique flavored food. Directly from the manufacturer - Official Paldo Fun & Yum."}, {"name": "Copercn Dress Ankle Booties For Women Ladies Fashion Casual Chunky Block High Heels Dress Pump Thermal Short Boots Winter Fall Dressy Short Boots For Business Work Wedding Party Dresses", "product_information": {"Item Weight\n \u200f": "\u200e\n 1.1 Pounds", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n October 1, 2021", "Manufacturer\n \u200f": "\u200e\n Women's Boots", "ASIN\n \u200f": "\u200e\n B09HLK159K", "Best Sellers Rank": "#3,821,375 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#23,993 in Women's Ankle Boots & Booties", "#23,993 in Women's Ankle Boots & Booties": ""}, "brand": "Brand: Copercn", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_sh_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Copercn", "full_description": "\ud83d\udc9eProduct Details:1.Comfortable: Padded and footbed will mold to the shape of your foot, perfect for long distance walking, stop your feet from getting tired and reduce heel pain.2.Super Lightweight: Soft flexible and easy to carry, washable. Soft & non-slip rubber outsole gives you safe and secure footing and prevents from abrasion.3.Occasion: Summer essential, whether you wear shorts,T-shirts or skirts, simple sandals to make it look instantly stylish. Perfect for hiking, beach, leisure, work and so on.\ud83d\udc9eNOTE:1.Please refer to the SIZE CHART of SELLER in product images before ordering. (Not Amazon Size Chart).2.The shoes print CN Size, not EU Size!3.The size is manually measured, there will be an error of about 0.5 cm and you can choose a bigger size.4.Colors may appear slightly different via website due to computer picture resolution and monitor settings.5.If you have any doubts, please contact customer service for suggestions; We will reply you within 24 hours.", "pricing": "$17.99$23.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31wFlw8gJ4L.jpg", "https://m.media-amazon.com/images/I/41O0qrP7G6L.jpg", "https://m.media-amazon.com/images/I/41VjNhLjqbL.jpg", "https://m.media-amazon.com/images/I/415wTeEsZeL.jpg", "https://m.media-amazon.com/images/I/313K5-pcEVL.jpg", "https://m.media-amazon.com/images/I/51VN9Z42+BL.jpg", "https://m.media-amazon.com/images/I/41uQ+g8AZrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Boots \u203a Ankle & Bootie", "average_rating": "", "small_description": ["Pu ", "Rubber sole ", "\ud83c\udf3a\u3010Unique Style\u3011 Stay comfortable and on-trend, available in varieties color to pair, perfect with your daily outfits, whether in casual or dressing up!\ud83c\udf3a\u3010Non-slip\u3011 Wear resistant rubber outsole, textured, maintain grip on uneven and smooth terrain, walk safely on slippery and wet, adapt to different weather.\ud83c\udf3a\u3010Occasion\u3011 Suit for spring, summer and sutumn wear. Perfect paired with dresses, skirts, shorts, and denim. Suitable for work, shopping, date, hiking, comfort for all-day wear. ", "professional black white pink sunflower blue low heel sandals for women high size stripes stuart jewel wide comfortable plattform color block width heels dress closed toe dressy platform with arch support wedge flower lace up multicolor peep wedges shoes red bows womens slip and slides strappy summer women's gladiator flip flops ankle strap flat animal print brown leather thong open elastic hiking jeweled 1/2 slippers woman waterproof walking comfort shoe floral fun mid-height rain boots jaunt ", "shorty boot stylish light outdoor work mid calf lightweight cute booties fashion out garden tall anti-slipping ladies insoles piccadilly hunter short purple pool slide bow gold silver flats party leopard price girls beach clarks buck chunky lugged sole fly knit casual gore heeled round lengthens legs plaid more possibility clothes enough look great closet in wardrobe jeans overcoat sweater the are suitable street club school wedding office leisure ", "women boot leather shoes sneaker casual heels sandal work flat slip wide width clearance new comfort sexy pumps dressy platform business heel chunky low closed toe ankle knee high girl hiking fashion open winter short waterproof lightweight brown ", "western booties for women snip toe with heel womens fringe leather sole boot side zipper ankle boots white low black square waterproof dressy wedge high open heels knee block chunky cowgirl soda cheap wide calf round cowboy chelsea construction pointed brown sexy toes out short turquoise stitch red flats width tall squared wedding no cutouts platform pointy flat gray blue pink sparkle floral bottom jeans rise socks mid calves inch foot sunflower sprained slip plathform cutout green lace up "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null, "Size": [{"is_selected": false, "is_available": true, "value": "6.5", "asin": "B09HLK159K"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B09HMCKZQW"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B09HMCFZWG"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B09HMCRNWH"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B09HLL2VWR"}, {"is_selected": false, "is_available": true, "value": "9.5", "asin": "B09HM94ZPR"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09HMCKZQW", "category": "fashion", "query": "Women's Pumps", "page": 30, "small_description_old": "\ud83c\udf3a\u3010Unique Style\u3011 Stay comfortable and on-trend, available in varieties color to pair, perfect with your daily outfits, whether in casual or dressing up!\ud83c\udf3a\u3010Non-slip\u3011 Wear resistant rubber outsole, textured, maintain grip on uneven and smooth terrain, walk safely on slippery and wet, adapt to different weather.\ud83c\udf3a\u3010Occasion\u3011 Suit for spring, summer and sutumn wear. Perfect paired with dresses, skirts, shorts, and denim. Suitable for work, shopping, date, hiking, comfort for all-day wear. professional black white pink sunflower blue low heel sandals for women high size stripes stuart jewel wide comfortable plattform color block width heels dress closed toe dressy platform with arch support wedge flower lace up multicolor peep wedges shoes red bows womens slip and slides strappy summer women's gladiator flip flops ankle strap flat animal print brown leather thong open elastic hiking jeweled 1/2 slippers woman waterproof walking comfort shoe floral fun mid-height rain boots jaunt shorty boot stylish light outdoor work mid calf lightweight cute booties fashion out garden tall anti-slipping ladies insoles piccadilly hunter short purple pool slide bow gold silver flats party leopard price girls beach clarks buck chunky lugged sole fly knit casual gore heeled round lengthens legs plaid more possibility clothes enough look great closet in wardrobe jeans overcoat sweater the are suitable street club school wedding office leisure women boot leather shoes sneaker casual heels sandal work flat slip wide width clearance new comfort sexy pumps dressy platform business heel chunky low closed toe ankle knee high girl hiking fashion open winter short waterproof lightweight brown western booties for women snip toe with heel womens fringe leather sole boot side zipper ankle boots white low black square waterproof dressy wedge high open heels knee block chunky cowgirl soda cheap wide calf round cowboy chelsea construction pointed brown sexy toes out short turquoise stitch red flats width tall squared wedding no cutouts platform pointy flat gray blue pink sparkle floral bottom jeans rise socks mid calves inch foot sunflower sprained slip plathform cutout green lace up"}, {"name": "CLAIR BEAUTY Hemp & Rose Nourishing Under Eye Mask Patches - Moisturizing & Replenishing | Reduces Fine Lines & Wrinkles | Reduces Dehydration & Puffiness | Made in Korea - 5 Pairs", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 3 x 1 x 5 inches; 2.26 Ounces", "UPC\n \u200f": "\u200e\n 689513271659", "ASIN\n \u200f": "\u200e\n B082T4FKHD", "Best Sellers Rank": "#379,292 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,001 in Eye Masks", "#1,001 in Eye Masks": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Clair Beauty", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Clair+Beauty", "full_description": "Formulation is nourishing to the eye area. Will help soothe and give moisture to tired eyes. Great for fine lines and wrinkles.", "pricing": "$14.25", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51oDNQEuf+L.jpg", "https://m.media-amazon.com/images/I/51gWy9pqMLL.jpg", "https://m.media-amazon.com/images/I/51dtm4FtY5L.jpg", "https://m.media-amazon.com/images/I/516qj288c3L.jpg", "https://m.media-amazon.com/images/I/41LCkmOJg-L.jpg", "https://m.media-amazon.com/images/I/51t+Gsf+7gL.jpg", "https://m.media-amazon.com/images/I/51EY2lnBknL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Eyes \u203a Masks", "average_rating": 3.8, "small_description": [""], "total_reviews": 17, "total_answered_questions": "", "customization_options": "", "seller_id": "A1IQK78BGCHH16", "seller_name": "Connor Easton", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B082T4FKHD", "category": "beauty", "query": "Eyes Care", "page": 123, "small_description_old": ""}, {"name": "meyarn Interdental Brush for Braces Toothpick 50Count Tooth Floss Oral Hygiene Interdental Brush Toothpick Teeth Healthy Care Tight 0.8mm", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 2.36 x 0.2 x 2.36 inches; 3.53 Ounces", "UPC\n \u200f": "\u200e\n 785986325315", "Manufacturer\n \u200f": "\u200e\n meyarn", "ASIN\n \u200f": "\u200e\n B08XH9JMTG", "Best Sellers Rank": "#42,934 in Health & Household (See Top 100 in Health & Household)#205 in Dental Floss", "#205 in Dental Floss": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the meyarn Store", "brand_url": "https://www.amazon.com/stores/meyarn/page/1289E19E-704A-433E-8F2F-A6AA5C1481DB?ref_=ast_bln", "full_description": "", "pricing": "$11.89", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51P6MlkplmS.jpg", "https://m.media-amazon.com/images/I/419RGE9eIwS.jpg", "https://m.media-amazon.com/images/I/41bp0zTiIiS.jpg", "https://m.media-amazon.com/images/I/512BnajRcdS.jpg", "https://m.media-amazon.com/images/I/51qF7L8KgHS.jpg", "https://m.media-amazon.com/images/I/41rGi9DjK-L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Dental Floss & Picks \u203a Dental Floss", "average_rating": 4.4, "small_description": ["The round joint at the top is matched with DuPont filament bristles, flexible and resistant to breakage, and protects the gums from damage. Custom size, easy to clean the bracket residue. Non-slip I-shaped handle, comfortable and easy to hold without slipping. Individual package, hygienic, and portable. ", "According to the teeth gaps of different groups of people, we have different thicknesses of 0.6mm, 0.7mm, 0.8mm, 1.0mm, 1.2mm. It is recommended to choose 0.7mm for the first use. ", "Triangular-shaped nylon bristles increase plaque removal effectiveness ", "The ergonomically designed handle is easy to use, has high density, and is not easy to fall off, and it will not slip during use. ", "Independent packaging, clean and hygienic, fully guarantee the cleanliness of the product. "], "total_reviews": 54, "total_answered_questions": 10, "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08XJ71XLP/ref=twister_B08Y5C1T7X?_encoding=UTF8&psc=1", "value": "0.6mm", "price_string": "$8.49", "price": 8.49, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08XJ388B3/ref=twister_B08Y5C1T7X?_encoding=UTF8&psc=1", "value": "0.7mm", "price_string": "$8.49", "price": 8.49, "image": null}, {"is_selected": true, "url": null, "value": "0.8mm", "price_string": "$11.89", "price": 11.89, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08XJF919X/ref=twister_B08Y5C1T7X?_encoding=UTF8&psc=1", "value": "1.0mm", "price_string": "$8.49", "price": 8.49, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08XGRYWCV/ref=twister_B08Y5C1T7X?_encoding=UTF8&psc=1", "value": "1.2mm", "price_string": "$13.59", "price": 13.59, "image": null}]}, "seller_id": "A31FZEP9VRYXSN", "seller_name": "Meyarn", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08XH9JMTG", "category": "beauty", "query": "Lip Care", "page": 72, "small_description_old": "About this item The round joint at the top is matched with DuPont filament bristles, flexible and resistant to breakage, and protects the gums from damage. Custom size, easy to clean the bracket residue. Non-slip I-shaped handle, comfortable and easy to hold without slipping. Individual package, hygienic, and portable. According to the teeth gaps of different groups of people, we have different thicknesses of 0.6mm, 0.7mm, 0.8mm, 1.0mm, 1.2mm. It is recommended to choose 0.7mm for the first use. Triangular-shaped nylon bristles increase plaque removal effectiveness The ergonomically designed handle is easy to use, has high density, and is not easy to fall off, and it will not slip during use. Independent packaging, clean and hygienic, fully guarantee the cleanliness of the product."}, {"name": "Canadian Tuxedo T Shirt - Novelty Denim Tux T-Shirt", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10 x 8 x 1 inches; 4.8 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n October 9, 2018", "Manufacturer\n \u200f": "\u200e\n TUX-TEES", "ASIN\n \u200f": "\u200e\n B07JVVDJ6L", "Best Sellers Rank": "#5,328,894 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#485,102 in Girls' Novelty Clothing #489,260 in Boys' Novelty Clothing #716,845 in Boys' Fashion", "#485,102 in Girls' Novelty Clothing": "", "#489,260 in Boys' Novelty Clothing": "", "#716,845 in Boys' Fashion": ""}, "brand": "Brand: TUX-TEES", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=TUX-TEES", "full_description": "", "pricing": "$19.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/B1EryObaEWS.png", "https://m.media-amazon.com/images/I/417S+7cf-vL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Men \u203a Shirts \u203a T-Shirts", "average_rating": "", "small_description": ["Solid colors: 100% Cotton; Heather Grey: 90% Cotton, 10% Polyester; All Other Heathers: 50% Cotton, 50% Polyester ", "Imported ", "Machine Wash ", "Get this Canadian Tuxedo T Shirt as a gift for your favorite Canadian, cowboy, lumberjack, casual tuxedo wearer, denim lover, or jean fanatic. If you love dressing up while dressing down, sleeveless denim or bolo ties, this is the tshirt for you. ", "Wear this hilarious ironic t-shirt while, tapping maple trees, being polite, or wrestling moose in Quebec, Ontario, New Brunswick, Nova Scotia or British Columbia. Show your maple leaf and Canook pride. Perfect for a halloween costume or fancy dress party. ", "Lightweight, Classic fit, Double-needle sleeve and bottom hem "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Fit Type": [{"is_selected": true, "url": null, "value": "Men", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07JVVDJ6L?_encoding=UTF8&customId=B07HPYXX91", "value": "Women", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07JVVDJ6L?_encoding=UTF8&customId=B0752XJZ5Z", "value": "Youth", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Royal Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1rRKBtT74S.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07JVVDJ6L?_encoding=UTF8&customId=B0752XK16C", "value": "Baby Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1%2BX4VYCfoS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07JVVDJ6L?_encoding=UTF8&customId=B07537TZ66", "value": "Heather Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/C1xk9V1QWKS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07JVVDJ6L?_encoding=UTF8&customId=B07537PBB4", "value": "Heather Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1Rv34VM9pS.png"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B07537NG8H"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B0752XM8L9"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B0753882Y7"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07537TZ16"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07537PB3M"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B07537HNTB"}, {"is_selected": false, "is_available": false, "value": "2T", "asin": "B07HPZ61T9"}, {"is_selected": false, "is_available": false, "value": "3T", "asin": "B07HPX9TBH"}, {"is_selected": false, "is_available": false, "value": "4T", "asin": "B0752XJZ5Z"}, {"is_selected": false, "is_available": false, "value": "X-Small", "asin": "B07537RLH9"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07JVVDJ6L", "category": "fashion", "query": "Men's Tuxedo Shirts", "page": 11, "small_description_old": "Solid colors: 100% Cotton; Heather Grey: 90% Cotton, 10% Polyester; All Other Heathers: 50% Cotton, 50% Polyester Imported Machine Wash Get this Canadian Tuxedo T Shirt as a gift for your favorite Canadian, cowboy, lumberjack, casual tuxedo wearer, denim lover, or jean fanatic. If you love dressing up while dressing down, sleeveless denim or bolo ties, this is the tshirt for you. Wear this hilarious ironic t-shirt while, tapping maple trees, being polite, or wrestling moose in Quebec, Ontario, New Brunswick, Nova Scotia or British Columbia. Show your maple leaf and Canook pride. Perfect for a halloween costume or fancy dress party. Lightweight, Classic fit, Double-needle sleeve and bottom hem"}, {"name": "MNBVCXZ Watch Bands Compatible for Apple Watch Band 44mm 45mm 40mm 41mm with Protective Case for Men & Women, Sport Waterproof Strap for iWatch SE Series 7/6/5/4 (40mm 41mm,Midnight blue)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 9.76 x 1.8 x 0.7 inches; 1.13 Ounces", "Department\n \u200f": "\u200e\n All", "Date First Available\n \u200f": "\u200e\n August 15, 2021", "Manufacturer\n \u200f": "\u200e\n MNBVCXZ-US", "ASIN\n \u200f": "\u200e\n B09B7551X2", "Best Sellers Rank": "#170,668 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories)#8,067 in Smartwatch Bands", "#8,067 in Smartwatch Bands": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the MNBVCXZ Store", "brand_url": "https://www.amazon.com/stores/MNBVCXZ/page/A5D24F62-58FC-48C6-8473-766FE16B79B0?ref_=ast_bln", "full_description": "", "pricing": "$10.99", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41t98EQf1fL.jpg", "https://m.media-amazon.com/images/I/41kh83-qvvL.jpg", "https://m.media-amazon.com/images/I/511-CVyHQAL.jpg", "https://m.media-amazon.com/images/I/51IOPKQNazL.jpg", "https://m.media-amazon.com/images/I/514Ute3bQDL.jpg", "https://m.media-amazon.com/images/I/51q0bTJMvKL.jpg", "https://m.media-amazon.com/images/I/51yZoG+9OzL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Smartwatch Accessories \u203a Smartwatch Bands", "average_rating": 3.7, "small_description": [""], "total_reviews": 6, "total_answered_questions": "", "customization_options": "", "seller_id": "A2FSS8BZE9Z9RA", "seller_name": "BestMan-US", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09B7551X2", "category": "electronics", "query": "Wearable Technology", "page": 72, "small_description_old": "[Soft and breathable] Soft and breathable sports strap, you can use it in daily life such as trimming lawn branches, picnics with your family, and also perfect for men or women who have outdoor sports, like swimming, climbing and running, etc. [High-quality material] Designed with high-quality TPU material, soft and breathable sports strap. Lightweight design is not bulky, no matter how long you use it, you will feel comfortable. It is very suitable for women or men who have outdoor activities. [Full body protection] The 360-degree integrated protective cover can completely cover the edge of the watch, effectively protecting your iwatch from scratches and scratches on the surface. The protective cover and watch strap made of soft and elastic TPU are the first choice to prevent falling and damage. [Easy to install/remove] The soft frame is not easy to damage, it is quick and easy to install or remove, and it will never fall off. Note: The screen protector is not included. [Compatibility] Designed for Apple Watch 40mm 41mm Band. Compatible with iWatch SE / Series 7/ Series 6 / Series 5 / Series 4. Fits 5.51\"-8.27\" (140mm-210mm) wrist size."}, {"name": "Woolrich Women's Autumn Ridge Ii Slipper", "product_information": {"Item model number\n \u200f": "\u200e\n WW7725", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n November 8, 2018", "Manufacturer\n \u200f": "\u200e\n Woolrich", "ASIN\n \u200f": "\u200e\n B07KBQJV59", "Best Sellers Rank": "#1,985,987 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#8,491 in Women's Slippers", "#8,491 in Women's Slippers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Woolrich Store", "brand_url": "https://www.amazon.com/stores/WOOLRICH/page/5E7E6777-7C24-4797-AABD-EFA2EFFFF989?ref_=ast_bln", "full_description": "Woolrich, the original outdoor clothing company, was founded on the principals of solid outdoor gear for real outdoorsmen and women; real, functional product that solves problems and creates an emotional connection.", "pricing": "$24.99", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41DsD53YecL.jpg", "https://m.media-amazon.com/images/I/51XNpShi7tL.jpg", "https://m.media-amazon.com/images/I/51gbykLIuJL.jpg", "https://m.media-amazon.com/images/I/41F44gu6V+L.jpg", "https://m.media-amazon.com/images/I/41SnqmF0faL.jpg", "https://m.media-amazon.com/images/I/41Ag9zhZseL.jpg", "https://m.media-amazon.com/images/I/41cco7bJ8xL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Slippers", "average_rating": 4.3, "small_description": ["100% Suede/Faux Fur ", "Imported ", "Rubber sole ", "Suede upper and warm fleece lining. faux fur cuff. comfort-cushion insole. durable indoor/outdoor sole. ", "Suede upper and warm fleece lining ", "Faux fur cuff ", "Comfort-cushion insole ", "Durable indoor/outdoor sole "], "total_reviews": 33, "total_answered_questions": "", "customization_options": {"Size": null, "Color": null}, "seller_id": "A3V17JP5RCORRR", "seller_name": "Fanletic", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01N9I1E62", "category": "fashion", "query": "Women's Slippers", "page": 29, "small_description_old": "100% Suede/Faux Fur Imported Rubber sole Suede upper and warm fleece lining. faux fur cuff. comfort-cushion insole. durable indoor/outdoor sole. Suede upper and warm fleece lining Faux fur cuff Comfort-cushion insole Durable indoor/outdoor sole"}, {"name": "Digipartspower AC in Power Cord Outlet Socket Cable Plug Lead Compatible for Panasonic DMR-EH69 DMR-EH69GC-K DMR 69EH DVD VHS Combo Player-Recorder", "product_information": {"Item Weight": "3 ounces", "ASIN": "B0972M4N2W", "Date First Available": "June 11, 2021", "Manufacturer": "Digipartspower"}, "brand": "Brand: Digipartspower", "brand_url": "https://www.amazon.com/Digipartspower/b/ref=bl_dp_s_web_10217583011?ie=UTF8&node=10217583011&field-lbr_brands_browse-bin=Digipartspower", "full_description": "Digipartspower AC IN Power Cord Outlet Socket Cable Plug Lead compatible for Panasonic DMR-EH69 DMR-EH69GC-K DMR 69EH DVD VHS Combo Player-recorder", "pricing": "$10.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41kQKk7KoiL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Power Cables", "average_rating": "", "small_description": ["This is a BRAND NEW( Non-OEM ), Black, Double Barrel, 2 prong AC Power Cord with high quality for Printers, Laptops and many other electronics that use AC Adapters. ", "Use this cable with laptop computers, notebooks, game consoles, printers and any other electronic devices that use a 2-prong power cord. Plugs into any US standard wall outlet. ", "This product has good compatibility, so it can work well with other devices that fits it.(If you cannot sure the device type, please contact us.) ", "Confirmed Compatible with: Work with most brands PC like Toshiba, IBM, Sony, DELL, Compaq, HP, NEC, Acer, AST, etc. ", "\u3010NOTE\u3011\uff1aPlease ensure that you have ordered the right type before purchsing. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "ADB3XES086OPI", "seller_name": "Digipartspower", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0972M4N2W", "category": "electronics", "query": "DVD Players & Recorders", "page": 123, "small_description_old": "This is a BRAND NEW( Non-OEM ), Black, Double Barrel, 2 prong AC Power Cord with high quality for Printers, Laptops and many other electronics that use AC Adapters. Use this cable with laptop computers, notebooks, game consoles, printers and any other electronic devices that use a 2-prong power cord. Plugs into any US standard wall outlet. This product has good compatibility, so it can work well with other devices that fits it.(If you cannot sure the device type, please contact us.) Confirmed Compatible with: Work with most brands PC like Toshiba, IBM, Sony, DELL, Compaq, HP, NEC, Acer, AST, etc. \u3010NOTE\u3011\uff1aPlease ensure that you have ordered the right type before purchsing."}, {"name": "Amazon Brand - Happy Belly Amazon Brand Sliced Almonds, 12 Ounce", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 6.5 x 3.25 x 9.13 inches; 1 Pounds", "UPC\n \u200f": "\u200e\n 842379102073", "Manufacturer\n \u200f": "\u200e\n AFS Brands LLC", "ASIN\n \u200f": "\u200e\n B072MR7PPJ", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#15,570 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#47 in Almonds", "#47 in Almonds": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Happy Belly Store", "brand_url": "https://www.amazon.com/stores/HappyBelly/page/35E92FB8-2CD1-4FDA-87AE-5122F4A1A0F9?ref_=ast_bln", "full_description": "Happy Belly Sliced Almonds are pure almonds with nothing added. Thinly sliced and recipe-ready in a stand-up, resealable bag to help ensure maximum deliciousness in between openings.", "pricing": "$5.46", "list_price": "", "availability_status": "Usually ships within 8 days.", "images": ["https://m.media-amazon.com/images/I/418+htbGRaL.jpg", "https://m.media-amazon.com/images/I/31aahtXoqmL.jpg", "https://m.media-amazon.com/images/I/412UXGVvydL.jpg", "https://m.media-amazon.com/images/I/51dE7swOPrL.jpg", "https://m.media-amazon.com/images/I/31+TeZjEwZL.jpg", "https://m.media-amazon.com/images/I/31U0-5apPjL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Cooking & Baking \u203a Nuts & Seeds \u203a Almonds", "average_rating": 4.7, "small_description": ["One 12-ounce stand-up, resealable bag. ", "Pure almonds, nothing added. ", "Happy Belly Sliced Almonds are ready to go for all your recipe and snacking needs. ", "Satisfaction Guarantee: We're proud of our products. If you aren't satisfied, we'll refund you for any reason within a year of purchase. 1-877-485-0385 "], "total_reviews": 1262, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B072MR7PPJ", "category": "grocery", "query": "Dried Fruits & Raisins", "page": 122, "small_description_old": "About this item One 12-ounce stand-up, resealable bag. Pure almonds, nothing added. Happy Belly Sliced Almonds are ready to go for all your recipe and snacking needs. Satisfaction Guarantee: We're proud of our products. If you aren't satisfied, we'll refund you for any reason within a year of purchase. 1-877-485-0385 An Amazon brand"}, {"name": "AMONIDA LED Digital Clock, Adjustable Brightness Digital Alarm Clock Auto Dimming Multi Functional Decorative USB Charging for Bedroom for Office(White)", "product_information": {"Package Dimensions": "7.87 x 3.94 x 1.97 inches", "Item Weight": "8 ounces", "Manufacturer": "AMONIDA", "ASIN": "B09P8JXLSY"}, "brand": "Brand: AMONIDA", "brand_url": "https://www.amazon.com/AMONIDA/b/ref=bl_dp_s_web_20241647011?ie=UTF8&node=20241647011&field-lbr_brands_browse-bin=AMONIDA", "full_description": "Feature:1. Mirror Screen: This digital alarm clock uses a unique LED mirror design, in addition to being your daily clock, it can also be used as a makeup mirror.2. Temperature Display: Electronic alarm clock with temperature display function, two modes of Celsius \u2103 and Fahrenheit \u2109 can be switched to meet different needs.3. Automatic Dimming: High sensitivity light sensor, automatically adjust the display brightness according to the environment, you can also set it manually.4. Rechargeable: Built in 250mAhCE2032 button battery in mirror alarm clock, 5V voltage, support USB charging, and can be charged by computer, power bank, etc.5. Time Display: Digital clock with time display function, including month, day, and year (from 2000 to 2099) display, suitable for use in bedrooms, offices, studies, etc.How to Use:After\u00a0unplugging\u00a0the\u00a0isolation\u00a0sheet,\u00a0the\u00a0LED\u00a0display\u00a0rapidly\u00a0changes\u00a0from\u00a00000\u00a0to\u00a09999,\u00a0and\u00a0then\u00a0enters\u00a0the\u00a0normal\u00a0clock\u00a0mode\u00a0with\u00a0a\u00a0beep.Specification:Item Type: Digital Alarm ClockMaterial: ABSProduct Size: Approx. 18.4 x 9.4 x 4.2cm / 7.2 x 3.7 x 1.7inVoltage: 5VTime Display: (Month, Day, Year, From 2000 to 2099)Temperature Display: -10\u2103\uff5e50\u2103 (14\u2109\uff5e122\u2109)Mode Selection: dP-1, dP-2, dP-3Battery: CE2032 Button Battery 250mAh (Included)Weight: Approx. 227g/8.0oz Package List:1 x\u00a0Digital Alarm Clock1 x USB Power Cord1 x ManualNote:Manual measurement, please allow 0.4\u20110.7in error.", "pricing": "$19.69", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31Wf3lXlwQL.jpg", "https://m.media-amazon.com/images/I/41QHGrHUiJL.jpg", "https://m.media-amazon.com/images/I/51LA2m37LmL.jpg", "https://m.media-amazon.com/images/I/51SiGgUYNhL.jpg", "https://m.media-amazon.com/images/I/41Yiq2x70uL.jpg", "https://m.media-amazon.com/images/I/31he2nnKNKL.jpg", "https://m.media-amazon.com/images/I/41JyFHWF3CL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Home Audio \u203a Compact Radios & Stereos \u203a Clock Radios", "average_rating": "", "small_description": ["Mirror Screen: This digital alarm clock uses a unique LED mirror design, in addition to being your daily clock, it can also be used as a makeup mirror. ", "Time Display: Digital clock with time display function, including month, day, and year (from 2000 to 2099) display, suitable for use in bedrooms, offices, studies, etc. ", "Rechargeable: Built in 250mAhCE2032 button battery in mirror alarm clock, 5V voltage, support USB charging, and can be charged by computer, power bank, etc. ", "Automatic Dimming: High sensitivity light sensor, automatically adjust the display brightness according to the environment, you can also set it manually. ", "Temperature Display: Electronic alarm clock with temperature display function, two modes of Celsius \u2103 and Fahrenheit \u2109 can be switched to meet different needs. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09P8J9TPN/ref=twister_B09PKTHS7G?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$19.69", "price": 19.69, "image": "https://m.media-amazon.com/images/I/31MdolnuoZL.jpg"}, {"is_selected": true, "url": null, "value": "White", "price_string": "$19.69", "price": 19.69, "image": "https://m.media-amazon.com/images/I/31Wf3lXlwQL.jpg"}]}, "seller_id": "A2Q0PAAJNHHY5M", "seller_name": "Juicemo66", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09P8JXLSY", "category": "electronics", "query": "Clock Radios", "page": 137, "small_description_old": "Mirror Screen: This digital alarm clock uses a unique LED mirror design, in addition to being your daily clock, it can also be used as a makeup mirror. Time Display: Digital clock with time display function, including month, day, and year (from 2000 to 2099) display, suitable for use in bedrooms, offices, studies, etc. Rechargeable: Built in 250mAhCE2032 button battery in mirror alarm clock, 5V voltage, support USB charging, and can be charged by computer, power bank, etc. Automatic Dimming: High sensitivity light sensor, automatically adjust the display brightness according to the environment, you can also set it manually. Temperature Display: Electronic alarm clock with temperature display function, two modes of Celsius \u2103 and Fahrenheit \u2109 can be switched to meet different needs."}, {"name": "Can Organizer for Pantry Stackable Can Storage Dispenser Rack 2 Pack 3 Tier Can Holder for Pantry Hold up to 72 cans for Kitchen Cabinet, Black", "product_information": {"Product Dimensions": "16.5 x 13.3 x 14.7 inches", "Item Weight": "6.71 pounds", "ASIN": "B09LVDSDQG", "Best Sellers Rank": ["#91,994 in Kitchen & Dining (See Top 100 in Kitchen & Dining) #87 in Stacking Can Dispensers #2,541 in Home Cabinet Organizers"], "Date First Available": "November 15, 2021"}, "brand": "Visit the CADUKE Store", "brand_url": "https://www.amazon.com/stores/CADUKE/page/378286F0-37E9-47F2-81A6-EA190FBC38C0?ref_=ast_bln", "full_description": "", "pricing": "$45.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/61sBe+OMfLL.jpg", "https://m.media-amazon.com/images/I/51ahO7emvQL.jpg", "https://m.media-amazon.com/images/I/51PKlQQuzML.jpg", "https://m.media-amazon.com/images/I/51HAi-APKfL.jpg", "https://m.media-amazon.com/images/I/51miQotVQzL.jpg", "https://m.media-amazon.com/images/I/519Y7WGpXhL.jpg", "https://m.media-amazon.com/images/I/51H2UDr5p3L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Kitchen & Dining \u203a Storage & Organization \u203a Food Storage \u203a Stacking Can Dispensers", "average_rating": "", "small_description": ["Stackable & Tilt Design: The can rack organizer for pantry adopts stackable design allows flexible storage of various canned products or jars. This organizer is an essential addition to your kitchen. It can be placed anywhere, whether it\u2019s your pantry shelf, kitchen cabinet, countertop or restaurant. Tilt degrees when you remove the front cans; the back cans will roll to the front for easy removal and putting down when you remove the front cans. ", "Free Up Space: The size of the 3 tier can storage dispenser is 16.5*13.3*14.7 in, holding up to 72 cans. Reduce the occupation of countertop space and make messy cabinets or countertops tidy. Suitable for kitchen living room pantry cabinet. ", "Six Adjustable Dividers: The six adjustable dividers provide more flexibility to store different cans, jars, beverages that can be aligned and organized. It is practicable, and the can storage organizer rack is perfect for adding storage to your home. An excellent gift for family and friends. ", "Stable Structure: This stackable can rack is made of sturdy durable metal material and strong iron pipes. strong and durable. And the legs with rubber pads to prevent it from sliding or scratching the surface. ", "Easy to Assemble: The stacking can storage dispenser rack adopts an assembled design; tools and fittings are provided. You can complete it by following the detailed graphical assembly instructions. You will have a perfect can rack. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09LV9XF1H/ref=twister_B09T5NC1G4?_encoding=UTF8&psc=1", "value": "1 pack", "price_string": "$25.99", "price": 25.99, "image": null}, {"is_selected": true, "url": null, "value": "2 pack", "price_string": "$45.99", "price": 45.99, "image": null}]}, "seller_id": "A1SEZ9R7JEXTO6", "seller_name": "CADUKE Direct", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09LVDSDQG", "category": "garden", "query": "Cabinets", "page": 170, "small_description_old": "Stackable & Tilt Design: The can rack organizer for pantry adopts stackable design allows flexible storage of various canned products or jars. This organizer is an essential addition to your kitchen. It can be placed anywhere, whether it\u2019s your pantry shelf, kitchen cabinet, countertop or restaurant. Tilt degrees when you remove the front cans; the back cans will roll to the front for easy removal and putting down when you remove the front cans. Free Up Space: The size of the 3 tier can storage dispenser is 16.5*13.3*14.7 in, holding up to 72 cans. Reduce the occupation of countertop space and make messy cabinets or countertops tidy. Suitable for kitchen living room pantry cabinet. Six Adjustable Dividers: The six adjustable dividers provide more flexibility to store different cans, jars, beverages that can be aligned and organized. It is practicable, and the can storage organizer rack is perfect for adding storage to your home. An excellent gift for family and friends. Stable Structure: This stackable can rack is made of sturdy durable metal material and strong iron pipes. strong and durable. And the legs with rubber pads to prevent it from sliding or scratching the surface. Easy to Assemble: The stacking can storage dispenser rack adopts an assembled design; tools and fittings are provided. You can complete it by following the detailed graphical assembly instructions. You will have a perfect can rack."}, {"name": "FOHOG Collection Flannel Fleece Silky Soft Throw Shaggy Blanket Lightweight Comfy and Cozy Plush Microfiber Travel Silk 50\" X 60\" for Sofa Couch Bed (127 cm X 152 cm) (Buffalo Plaid)", "product_information": {"Package Dimensions": "9 x 6.5 x 4.5 inches", "Item Weight": "11 ounces", "Manufacturer": "FOHOG Collection", "ASIN": "B09KTB1VG6", "Customer Reviews": {"ratings_count": 13, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#1,008,083 in Home & Kitchen (See Top 100 in Home & Kitchen) #8,694 in Bed Throws"], "Fabric Type": "100% Microfiber Polyester", "Fill material Type": "100% Microfiber Polyester", "Material Care Instructions": "Machine Wash", "Warranty Description": "MONEY BACK GUARANTEE : If you are not satisfied with this blanket for any reason, just return it within 30 days for a full refund, no questions asked", "Batteries Required?": "No"}, "brand": "Brand: FOHOG Collection", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=FOHOG+Collection", "full_description": "* FOHOG Collection - Qualified Brand Products selection* Made of 100% Microfiber Polyester.* This blanket will make you feel warm just looking at it and once your cover yourself with it you will be pleasantly toasty and comfortable.* Specially made for all year round.* Can be used while snuggling and watching your favorite TV shows on the couch - Bring extra soft and comfort for an afternoon nap in bed covering with our fleece blanket - Perfect for indoor and outdoor use to provide continuous warmth in chilly weather, especially for camping and picnic * Perfect for using on couch sofa bed or Use the throw blankets in the car for travel, curl up on your back patio, spread them out at the beach for a nap. Also, it is perfect for animals such as dogs and ferrets, to warm them up in their crates * They're easy to take care for, and they are machine washable.* FOHOG Collection lasts a long time.", "pricing": "$11.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41q5PCDmRML.jpg", "https://m.media-amazon.com/images/I/51pG8oGkeuL.jpg", "https://m.media-amazon.com/images/I/51lFsInCkCL.jpg", "https://m.media-amazon.com/images/I/41Dd2XaCjFL.jpg", "https://m.media-amazon.com/images/I/41azoaM45QL.jpg", "https://m.media-amazon.com/images/I/41gtRsLkhZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Blankets & Throws \u203a Throws", "average_rating": 4.6, "small_description": ["100% Microfiber Polyester ", "Material: the warm plush throw blanket is made of 100% Microfiber Polyester for long use ", "Versatile Usage: Enjoy your family happy hours with FOHOG Collection plush and warm flannel fleece throw blankets while snuggling and watching your favorite TV shows on the couch - Bring extra soft and comfort for an afternoon nap in bed covering with our fleece blanket - Perfect for indoor and outdoor use to provide continuous warmth in chilly weather, especially for camping and picnic ", "Vibrant Decor: FOHOG Collection flannel fleece blanket is perfect for using on couch sofa bed or Use the throw blankets in the car for travel, curl up on your back patio, spread them out at the beach for a nap. Also, it is perfect for animals such as dogs and ferrets, to warm them up in their crates ", "Lightweight But Keep Warm: FOHOG Collection cozy fleece blanket makes you feel more breathable and lightweight to keep your body warm. Neat stitches enhance strong connections at seams and better structural strength with integrated outlook. FOHOG Collection makes your feel warm and soft always ", "Satisfaction Guaranteed: If you are not happy with your throw blanket for any reason, please contact us at customer service at any time. We will refund your money back with no questions asked - FOHOG Collection strives to provide 60 days return and replacement service & life-time free customer service - We want our customers to be 100% happy and satisfied "], "total_reviews": 13, "total_answered_questions": "", "customization_options": "", "seller_id": "ADYHFBWZVSE7P", "seller_name": "Urbanity Trading", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09KTB1VG6", "category": "garden", "query": "Throw Blankets", "page": 5, "small_description_old": "About this item\n \nMaterial: the warm plush throw blanket is made of 100% Microfiber Polyester for long use Versatile Usage: Enjoy your family happy hours with FOHOG Collection plush and warm flannel fleece throw blankets while snuggling and watching your favorite TV shows on the couch - Bring extra soft and comfort for an afternoon nap in bed covering with our fleece blanket - Perfect for indoor and outdoor use to provide continuous warmth in chilly weather, especially for camping and picnic Vibrant Decor: FOHOG Collection flannel fleece blanket is perfect for using on couch sofa bed or Use the throw blankets in the car for travel, curl up on your back patio, spread them out at the beach for a nap. Also, it is perfect for animals such as dogs and ferrets, to warm them up in their crates Lightweight But Keep Warm: FOHOG Collection cozy fleece blanket makes you feel more breathable and lightweight to keep your body warm. Neat stitches enhance strong connections at seams and better structural strength with integrated outlook. FOHOG Collection makes your feel warm and soft always Satisfaction Guaranteed: If you are not happy with your throw blanket for any reason, please contact us at customer service at any time. We will refund your money back with no questions asked - FOHOG Collection strives to provide 60 days return and replacement service & life-time free customer service - We want our customers to be 100% happy and satisfied"}, {"name": "Beaupretty 8pcs Kids Nightcaps Hair Bonnets Sleeping Caps Hair Protection Wide Rim Hat Bath Shower Accessories for Home", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 10.63 x 3.94 x 0.79 inches; 6.7 Ounces", "Manufacturer\n \u200f": "\u200e\n Beaupretty", "ASIN\n \u200f": "\u200e\n B09DD2C1XD", "": ""}, "brand": "Brand: Beaupretty", "brand_url": "https://www.amazon.com/Beaupretty/b/ref=bl_dp_s_web_23453093011?ie=UTF8&node=23453093011&field-lbr_brands_browse-bin=Beaupretty", "full_description": "DescriptionOur elastic sleeping caps are not canbe applied when sleeping, but also suitable to wear while washing face,taking shower, eating and so on, useful to keep their hair tidy and clean. The band with good elastic, fit for almost all sizes of kids forehead. Features- Color: Purple, yellow, black, white, pink, claret, rosy, light blue.- Material: Polyester.- Size: About 27. 00X10. 00X2. 00 cm/10. 61X3. 93X0. 79inch.- With elastic design, suitable for the different head circumference.- Hair caps are very soft, can be folded to very small size, lightweight, easy to carry at travel.- These elastic sleeping caps are made of polyester material, which is safe and reliable.- Kids hair bonnet for sleeping is lightweight, breathable and skin friend, easily wrap your kids hair with moderate tightness and keep your little one hairstyles easier in the morning.- Kids sleep cap can be applied for children' s sleeping cap, washing cap, and tools for girls to fix their hair while they are making up, washing face, or showering. Package Including 8 x hair bonnets", "pricing": "$19.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41iUG47dADL.jpg", "https://m.media-amazon.com/images/I/51Z-FQICdBL.jpg", "https://m.media-amazon.com/images/I/4147BKCU9iL.jpg", "https://m.media-amazon.com/images/I/41BaxJxYTxS.jpg", "https://m.media-amazon.com/images/I/41OVslFiWiL.jpg", "https://m.media-amazon.com/images/I/412v1-Vx7fL.jpg", "https://m.media-amazon.com/images/I/41riASYi1ZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Bath & Bathing Accessories \u203a Bathing Accessories \u203a Shower Caps", "average_rating": "", "small_description": ["Kids sleep cap can be applied for children' s sleeping cap, washing cap, and tools for girls to fix their hair while they are making up, washing face, or showering. ", "Hair caps are very soft, can be folded to very small size, lightweight, easy to carry at travel. ", "With elastic design, suitable for the different head circumference. ", "Kids hair bonnet for sleeping is lightweight, breathable and skin friend, easily wrap your kids hair with moderate tightness and keep your little one hairstyles easier in the morning. ", "These elastic sleeping caps are made of polyester material, which is safe and reliable. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A4EPCLNLR8WA6", "seller_name": "DealPe", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09DD2C1XD", "category": "beauty", "query": "Bath & Bathing Accessories", "page": 167, "small_description_old": "About this item Kids sleep cap can be applied for children' s sleeping cap, washing cap, and tools for girls to fix their hair while they are making up, washing face, or showering. Hair caps are very soft, can be folded to very small size, lightweight, easy to carry at travel. With elastic design, suitable for the different head circumference. Kids hair bonnet for sleeping is lightweight, breathable and skin friend, easily wrap your kids hair with moderate tightness and keep your little one hairstyles easier in the morning. These elastic sleeping caps are made of polyester material, which is safe and reliable."}, {"name": "Gwenie's Pastries Roasted Peanuts (Spicy Roasted, 1 Pack) Filipino Style Seasoning\u2026", "product_information": {"ASIN\n \u200f": "\u200e\n B07KYC4B45", "Best Sellers Rank": "#123,312 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#391 in Peanuts", "#391 in Peanuts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Gwenie's Pastries Store", "brand_url": "https://www.amazon.com/stores/Gwenie%E2%80%99sPastries/page/064D3EF6-2A36-4E0E-A642-342A05B4DB93?ref_=ast_bln", "full_description": "Gwenie's Pastries peanuts are roasted to perfection to satisfy all your sweet nutty cravings!Gwenie's peanuts delicous taste comes from our unique filipino style seasoning that includes garlic, salt, and soy oil.Our special recipe was perfected and honed over many months and hours of trials to deliver our unique taste that is loved by our customers.Gwenie's strives to make the finest treats on the market guaranteed to please your taste buds.These peanuts are freshly made with no added preservatives or artificial flavors just like home made and delivered to your door.Bring these peanuts to your next party event and you\u2019re sure to be a hit with these delicious treats, click \"Add to Cart\" right now to order yours today!", "pricing": "$5.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41uiNRGLvqL.jpg", "https://m.media-amazon.com/images/I/41hRcUH4WdL.jpg", "https://m.media-amazon.com/images/I/41jtm0fY7fL.jpg", "https://m.media-amazon.com/images/I/41vTz-Bq7+L.jpg", "https://m.media-amazon.com/images/I/51lF7+wUjPL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Cooking & Baking \u203a Nuts & Seeds \u203a Peanuts", "average_rating": 4.5, "small_description": ["\u2714\ufe0f\u00a0DELICIOUSNESS -\u00a0Perfectly seasonsed peanuts roasted to perfection by Gwenie's Pastries ", "\u2714\ufe0f\u00a0OUR QUALITY -\u00a0Ingredients procured only from the highest quality sources available ", "\u2714\ufe0f\u00a0FRESHNESS -\u00a0Our products are always fresh baked made to order ", "\u2714\ufe0f\u00a0FAST SHIPPING -\u00a02-3 day shipping on all orders delivered fast to your door to ensure freshness. Please allow 2 days prep time. ", "\u2714\ufe0f\u00a0Guarantee -\u00a0Satisfaction guaranteed or your money back no questions asked! Gwenie's Pastries\u00a0peanuts are roasted to perfection to satisfy all your sweet nutty cravings! "], "total_reviews": 117, "total_answered_questions": "", "customization_options": {"Flavor": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07KY8PVSL/ref=twister_B086MM5RYD?_encoding=UTF8&psc=1", "value": "Original", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "Spicy", "price_string": "", "price": 0, "image": null}], "Size": [{"is_selected": true, "url": null, "value": "5 Ounce (Pack of 1)", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07KX7BXHY/ref=twister_B086MM5RYD?_encoding=UTF8&psc=1", "value": "5 Ounce (Pack of 5)", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A1A7DFF2GKNDAF", "seller_name": "Gwenie's Pastries", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07KYC4B45", "category": "grocery", "query": "Breads & Bakery", "page": 238, "small_description_old": "About this item \u2714\ufe0f\u00a0DELICIOUSNESS -\u00a0Perfectly seasonsed peanuts roasted to perfection by Gwenie's Pastries \u2714\ufe0f\u00a0OUR QUALITY -\u00a0Ingredients procured only from the highest quality sources available \u2714\ufe0f\u00a0FRESHNESS -\u00a0Our products are always fresh baked made to order \u2714\ufe0f\u00a0FAST SHIPPING -\u00a02-3 day shipping on all orders delivered fast to your door to ensure freshness. Please allow 2 days prep time. \u2714\ufe0f\u00a0Guarantee -\u00a0Satisfaction guaranteed or your money back no questions asked! Gwenie's Pastries\u00a0peanuts are roasted to perfection to satisfy all your sweet nutty cravings!"}, {"name": "Mariani, Premium Sweetened Dried Cranberries, 30 Ounce", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.4 x 5.9 x 4.1 inches; 3.88 Pounds", "Manufacturer recommended age\n \u200f": "\u200e\n 3 months and up", "Manufacturer\n \u200f": "\u200e\n Mariani Nut Company", "ASIN\n \u200f": "\u200e\n B002AO9GSG", "Best Sellers Rank": "#485,335 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#429 in Dried Berries #2,722 in Dried Fruits & Raisins", "#429 in Dried Berries": "", "#2,722 in Dried Fruits & Raisins": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Mariani Nut Company", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Mariani+Nut+Company", "full_description": "Mariani, Premium Sweetened Dried Cranberries, 30oz Bag (Pack of 2)", "pricing": "$49.99", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51OTuHWoupL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Produce \u203a Dried Fruits & Vegetables \u203a Dried Fruits \u203a Dried Berries", "average_rating": 4.1, "small_description": [""], "total_reviews": 2, "total_answered_questions": "", "customization_options": "", "seller_id": "A35LCAOGWWYJSY", "seller_name": "Grocery Deals", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B002AO9GSG", "category": "grocery", "query": "Dried Fruits & Raisins", "page": 94, "small_description_old": ""}, {"name": "Set of 2 Mesh Laundry Bags Cute Colorful Llama-1 Medium & 1 Small Bags Laundry,Blouse, Hosiery, Stocking, Underwear, Bra Lingerie, Travel Laundry Bag(8rp7d)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 24 x 20 x 0.2 inches", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n April 27, 2021", "Manufacturer\n \u200f": "\u200e\n Bolaz", "ASIN\n \u200f": "\u200e\n B093KBGC44", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Brand: Bolaz", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Bolaz", "full_description": "\u3010Printing\u3011One-sided full printing [Material] Polyester [Size] Two packs, one large and one small. M: 20x24in/50.8x60.96cm; S: 20x16in/50.8x40.46cm [Packing size] OPP bag, 24x28x1cm \u3010Product description\u3011Using polyester fabric, dense mesh, high-speed rotation in the washing machine, durable and avoid to be thrown; plastic pull and lock positions are sewn with protective elastic bands to make clothing avoid to be scratched and to be thrown out by the zipper . The use of laundry bags protects clothes to avoid entanglement, reduces deformation and wear, and protects clothes with metal zippers or buttons from damaging the inner wall of the washing machine. [Applicable scenarios] Washing machine, home storage, luggage storage, etc.", "pricing": "$15.99", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/41jkjNpCjRS.jpg", "https://m.media-amazon.com/images/I/41xDEQjuKpS.jpg", "https://m.media-amazon.com/images/I/51hIyrxDqCS.jpg", "https://m.media-amazon.com/images/I/51Sg9YVU5AS.jpg", "https://m.media-amazon.com/images/I/516NeuZalxS.jpg", "https://m.media-amazon.com/images/I/51t9sh8-LrS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Accessories \u203a Wallets, Card Cases & Money Organizers \u203a Wallets", "average_rating": "", "small_description": ["Fiber ", "Imported ", "Zipper closure ", "Set of 2 Mesh Laundry Bags-1 Medium & 1 Small for Laundry,Blouse, Hosiery, Stocking, Underwear, Bra and Lingerie, Travel Laundry Bag. ", "Durable and breathable polyester fibre material, healthy and clean. These Lingerie Bags for Laundry perform perfectly every time protecting your delicates, and keeping them like new. Use in the Dryer too. ", "You & your clothes will LOVE the premium, Strong mesh protecting your finest garments, it is the first choice to protect delicates, extend the life of lingerie, hosiery, intimates and more. ", "DELICATES LAUNDRY BAGS KEEP COLORS SEPARATE & SAFE ", "Multipurpose - Travel Organizer Bag: Ideal for packaging clothing. When you arecamping and traveling with friends, you can easily separate yours and yourfriends' clothes with travel laundry bag. When you share a washing machine with your roommate, you can easily identify your clothes with our DIY Printed laundry bags. It can be used for storage as well to sort your clothes in anorganised way in wardrobe. It is also a great helper for house moving. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1KITK4A5218C8", "seller_name": "SKYDA", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B093KBGC44", "category": "fashion", "query": "Women's Socks & Hosiery", "page": 187, "small_description_old": "About this item Fiber Imported Set of 2 Mesh Laundry Bags-1 Medium & 1 Small for Laundry,Blouse, Hosiery, Stocking, Underwear, Bra and Lingerie, Travel Laundry Bag. Durable and breathable polyester fibre material, healthy and clean. These Lingerie Bags for Laundry perform perfectly every time protecting your delicates, and keeping them like new. Use in the Dryer too. You & your clothes will LOVE the premium, Strong mesh protecting your finest garments, it is the first choice to protect delicates, extend the life of lingerie, hosiery, intimates and more. DELICATES LAUNDRY BAGS KEEP COLORS SEPARATE & SAFE Multipurpose - Travel Organizer Bag: Ideal for packaging clothing. When you arecamping and traveling with friends, you can easily separate yours and yourfriends' clothes with travel laundry bag. When you share a washing machine with your roommate, you can easily identify your clothes with our DIY Printed laundry bags. It can be used for storage as well to sort your clothes in anorganised way in wardrobe. It is also a great helper for house moving."}, {"name": "Melange Amber Notes No. 1 Solid Perfume Blending Palette .69 ounces", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Item Weight\n \u200f": "\u200e\n 0.63 Ounces", "Manufacturer\n \u200f": "\u200e\n Melange Perfume", "ASIN\n \u200f": "\u200e\n B01L2JKW6E", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#601,072 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#30,154 in Perfumes & Fragrances", "#30,154 in Perfumes & Fragrances": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Melange Perfume Store", "brand_url": "https://www.amazon.com/stores/Melange+Perfume/page/FABFB58F-B3A2-4C24-9021-86A31AA09B34?ref_=ast_bln", "full_description": "", "pricing": "$30.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51S5HfV+GUL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Fragrance", "average_rating": 3.7, "small_description": ["Four hand poured solid perfumes designed to be worn alone or layered to create a custom fragrance. "], "total_reviews": 7, "total_answered_questions": "", "customization_options": "", "seller_id": "A1WE8QOT4TFON3", "seller_name": "Melange Perfume", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B01L2JKW6E", "category": "beauty", "query": "Sets Fragrance", "page": 120, "small_description_old": "About this item Four hand poured solid perfumes designed to be worn alone or layered to create a custom fragrance."}, {"name": "MEETWARM 16 inch Table Legs Wood Furniture Legs Tapered Round for Coffee End Tables Side Table Chair Mid-Century Modern DIY Furniture Leg Natural M8 Hanger Bolts, Set of 4", "product_information": {"Package Dimensions": "16.89 x 3.27 x 3.19 inches", "Item Weight": "2.1 pounds", "Manufacturer": "MEETWARM", "ASIN": "B085RBZCHH", "Customer Reviews": {"ratings_count": 179, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#675,158 in Home & Kitchen (See Top 100 in Home & Kitchen) #237 in Sofa Replacement Parts"], "Date First Available": "March 11, 2020"}, "brand": "Visit the MEETWARM Store", "brand_url": "https://www.amazon.com/stores/MEETWARM/page/3CDC71E7-4BF2-415A-8960-2FC669D95F63?ref_=ast_bln", "full_description": "", "pricing": "$23.99$21.59", "list_price": "", "availability_quantity": 3, "availability_status": "In Stock. Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41dGCRKV-jL.jpg", "https://m.media-amazon.com/images/I/41RbpeWqkzL.jpg", "https://m.media-amazon.com/images/I/51GCA3QUtQL.jpg", "https://m.media-amazon.com/images/I/51zixRTl7fL.jpg", "https://m.media-amazon.com/images/I/51tChWnvZ0L.jpg", "https://m.media-amazon.com/images/I/51H8yc7rwBL.jpg", "https://m.media-amazon.com/images/I/41bAns7AIrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Replacement Parts \u203a Sofa Parts", "average_rating": 4.4, "small_description": ["\u2764 PERFECT SIZE- Top diameter: 1-5/8\" (4 cm), Bottom diameter: 1\" (2.5 cm), Height for wood part: 16\"(40cm) ", "\u2764 RELIABLE QUALITY- These 16\" tall tapered wood legs made from 100% solid rubber hardwood in natural wood color with clear coated, heavy duty and sturdy. ", "\u2764 EASY TO INSTALL & PAINTED- Each leg is attached with a 5/16\" (M8 Metric) hanger bolt, and it can be stained and painted any color you like. Perfect for your DIY project, with the flexibility to make the piece your own style. ", "\u2764 BEAUTIFUL LOOK- This mid-century modern style furniture legs are classical,fashion and durable. Perfect choice for your coffee table, night stand, end tables and more. Replace the old legs with these wood furniture legs to make your furniture unique and distinctive. ", "\u2764 MULTIPURPOSE FURNITURE FEET- Solid wooden legs are also perfet for media console, benches, self-designed desk and chair. Wood is a natural material, every wood leg is unique. Variations in color and grain pattern is typical . Color and variation of the grain are normal and since wood is a natural material, each leg may differ slightly from the stock photo. "], "total_reviews": 179, "total_answered_questions": "", "customization_options": "", "seller_id": "A3MODDZ6MOVVN4", "seller_name": "Meetwarm", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B085RBZCHH", "category": "garden", "query": "Furniture Sets", "page": 81, "small_description_old": "About this item\n \n\u2764 PERFECT SIZE- Top diameter: 1-5/8\" (4 cm), Bottom diameter: 1\" (2.5 cm), Height for wood part: 16\"(40cm) \u2764 RELIABLE QUALITY- These 16\" tall tapered wood legs made from 100% solid rubber hardwood in natural wood color with clear coated, heavy duty and sturdy. \u2764 EASY TO INSTALL & PAINTED- Each leg is attached with a 5/16\" (M8 Metric) hanger bolt, and it can be stained and painted any color you like. Perfect for your DIY project, with the flexibility to make the piece your own style. \u2764 BEAUTIFUL LOOK- This mid-century modern style furniture legs are classical,fashion and durable. Perfect choice for your coffee table, night stand, end tables and more. Replace the old legs with these wood furniture legs to make your furniture unique and distinctive. \u2764 MULTIPURPOSE FURNITURE FEET- Solid wooden legs are also perfet for media console, benches, self-designed desk and chair. Wood is a natural material, every wood leg is unique. Variations in color and grain pattern is typical . Color and variation of the grain are normal and since wood is a natural material, each leg may differ slightly from the stock photo."}, {"name": "ZYUN Bathtub Cushion, Full Body Spa Bath Mat with Cushion, 3D Breathable Bathtub Mat, Non-Slip Bath Pillows, Neck and Back Support, for Parents, Children", "product_information": {"Manufacturer": "ZYUN", "ASIN": "B094QGVQLK"}, "brand": "Brand: ZYUN", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ZYUN", "full_description": "Name: Adult bath cushionMaterial: Polyester + Poly Dragon particlesColor: pinkSize: 93*40cmApplication: adultWeight: 0.5KG (without packaging)Great helper for bath time!This bath pillow will last longer and we are confident that you will love and enjoy it, this really is a luxurious addition to your bathroom accessory and it will make a great gift for your friends and loved ones.Super enjoyableIt is a comfortable and relaxing bath to bathe that has bath accessories for women in the bathtub. Leaning on an edge of the tub for a long period of time will hurt your neck, but these pillows can stay on as long as you are without the back pain want.Pefect gift choices.Note:Always let it dry naturally in a ventilated environment after each bath. Don't iron or expose to sunlight directly, don't dry it with a dryer.Since the product is manually measured, the actual product may have an error of 1-3cm (about 0.4*1.2inch), please confirm and purchase.", "pricing": "$32.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51PWa8FDeUS.jpg", "https://m.media-amazon.com/images/I/51T98+Pq4ES.jpg", "https://m.media-amazon.com/images/I/4119k8EyBxS.jpg", "https://m.media-amazon.com/images/I/415bnEOJV4S.jpg", "https://m.media-amazon.com/images/I/51PWa8FDeUS.jpg", "https://m.media-amazon.com/images/I/51+AgknLEbS.jpg", "https://m.media-amazon.com/images/I/41ybRr1fDpS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Bath & Bathing Accessories \u203a Bathing Accessories \u203a Bath Pillows", "average_rating": "", "small_description": ["Ergonomic Design: SPA pillow's unique rebound structure advantage can support your head, neck and back, enjoy with hot water bubble bath, and make your body comfortable and comfortable in the open air. ", "Explanation: 100% polyester, unlike various bathroom pillows, the bathroom mat is made of skin-friendly swimwear, which is healthy and does not irritate the skin, the interior is filled with expanded polystyrene particles, which is comfortable, highly elastic and safe. ", "Large size fits all: 36.6 inches * 15.7 inches, the bathtub pillow for the back and head can accommodate the head, neck, shoulders, and tailbone, and provides excellent back support for most adults and children. Pregnant women, bath accessories for the whole family! ", "Fits every tub: Spa experience guarantee: When soaking in the whirlpool, you can enjoy the soft fluff, soothing warm water and foam on the soft bed to completely relax. ", "Suitable for All Bathtub Types: Our handy portable bath pillow fits perfectly into all bathtub types and can be used by adults and children, it's also great for all body sizes and shapes. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3J2ZAPCGKW40L", "seller_name": "LLSLSQGZ", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B094QGVQLK", "category": "beauty", "query": "Bath & Bathing Accessories", "page": 202, "small_description_old": "Ergonomic Design: SPA pillow's unique rebound structure advantage can support your head, neck and back, enjoy with hot water bubble bath, and make your body comfortable and comfortable in the open air. Explanation: 100% polyester, unlike various bathroom pillows, the bathroom mat is made of skin-friendly swimwear, which is healthy and does not irritate the skin, the interior is filled with expanded polystyrene particles, which is comfortable, highly elastic and safe. Large size fits all: 36.6 inches * 15.7 inches, the bathtub pillow for the back and head can accommodate the head, neck, shoulders, and tailbone, and provides excellent back support for most adults and children. Pregnant women, bath accessories for the whole family! Fits every tub: Spa experience guarantee: When soaking in the whirlpool, you can enjoy the soft fluff, soothing warm water and foam on the soft bed to completely relax. Suitable for All Bathtub Types: Our handy portable bath pillow fits perfectly into all bathtub types and can be used by adults and children, it's also great for all body sizes and shapes."}, {"name": "Ethika Mens Mid Boxer Briefs | Cayenne Red", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.41 x 7.28 x 1.18 inches; 3.77 Ounces", "Item model number\n \u200f": "\u200e\n UMM1666-RED-S", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n November 21, 2019", "ASIN\n \u200f": "\u200e\n B07YYNLGSB", "Best Sellers Rank": "#348,010 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,254 in Men's Boxer Briefs", "#1,254 in Men's Boxer Briefs": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Ethika Store", "brand_url": "https://www.amazon.com/stores/Ethika/page/2D2B33BF-9449-4B53-8AFC-DB3EE38EAE42?ref_=ast_bln", "full_description": "", "pricing": "$17.95", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31ae32lH5jL.jpg", "https://m.media-amazon.com/images/I/31dBSQNdnpL.jpg", "https://m.media-amazon.com/images/I/31DDQC5ax1L.jpg", "https://m.media-amazon.com/images/I/310mJ41Z1jL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Underwear \u203a Boxer Briefs", "average_rating": 4.8, "small_description": ["The Mid, Shorter Mid Length Fit ", "No Pull-Down, No Gathering, Soft 4-Way Stretch Fabric ", "92% Cotton 8% Spandex Blend ", "Size Chart: S: 28-30 M: 30-32 L: 33-35 XL: 36-38 2XL: 39-41 3XL: 42-44 "], "total_reviews": 658, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B07YYNLGSB"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07YYNGTB2"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07YYPB289"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07YYNY2ZZ"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07YYNNH33"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07YYNY2ZZ", "category": "fashion", "query": "Men's Underwear", "page": 25, "small_description_old": "The Mid, Shorter Mid Length Fit No Pull-Down, No Gathering, Soft 4-Way Stretch Fabric 92% Cotton 8% Spandex Blend Size Chart: S: 28-30 M: 30-32 L: 33-35 XL: 36-38 2XL: 39-41 3XL: 42-44"}, {"name": "Merry Christmas Kitchen Mat 2 PCS Cushioned Anti Fatigue Kitchen Runner Rugs Truck with Xmas Tree Red and Black Buffalo Plaid Comfort Standing Desk Mat for Office Floor Mat 19.7\"x31.5\"+19.7\"x47.2\"", "product_information": {"Product Dimensions": "47.2 x 19.7 x 0.01 inches", "Item Weight": "1.97 pounds", "Manufacturer": "Gogobebe", "ASIN": "B09CQ45ZRB", "Item model number": "FBAGOOGMX20210816BHSWXF04743MDDBGOO", "Customer Reviews": {"ratings_count": 50, "stars": "3.6 out of 5 stars"}, "Best Sellers Rank": ["#189,430 in Kitchen & Dining (See Top 100 in Kitchen & Dining) #414 in Floor Comfort Mats #835 in Kitchen Rugs"], "Batteries Required?": "No"}, "brand": "Brand: Gogobebe", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Gogobebe", "full_description": "This is a kitchen mat that allows you to standing and working in the kitchen or laundry without fatigueKITCHEN SINK MAT SET DIMENSIONkitchen floor mat+kitchen runner rug\u25cf15.7x23.6in+15.7x47.2in\u25cf19.7x31.5in+19.7x47.2in\u25cf19.7x31.5in+19.7x63in\u25cf23.6x35.4in+23.6x70.9in\u25cf20x24in+20x48inKITCHEN RUG SET QUALITYNon-woven soft surface,thick and no deformationRubber polka dot backing,non-slip and prevent the carpet from shifting aroundLow profile design to be placed in any setting under doors wellKITCHEN MAT SET FEATURESNon-slip:Ensure standing,walking safetyAnti fatigue:Provide soft,comfortable support to help improve circulation and relieve pressure on your feet,knees,lower back,and jointsAPPLICABLE PLACESIndoor/Outdoor mat-Perfect for kitchen sink,living room,bathroom,hallway,entryway,patio,garden,terrace,garage,etc or hair salons,restaurants,offices,front desks,clubs,dormitory etc placeAPPLICABLE OCCASIONHoliday decoration-Perfect for birthday,family party,theme party\uff0canniversary,wedding,Halloween,Thanksgiving,Christmas and other occasionsSTYLE CHOICEModern,abstract,vintage,farmhouse,boho,fresh,rustic,buffalo plaid etc kitchen matCOLOR CHOICEblack,yellow,red,navy blue,teal,grey,turquoise,pink ect kitchen matNOTEUse handheld vacuum cleaner to remove surface dustUse cold water machine wash for deep cleaning,no bleaching,no wringing,dry flat or dry at low temperature for best results.Use a few days later ,the creases will disappear", "pricing": "$15.90", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51wK9c4Xk4L.jpg", "https://m.media-amazon.com/images/I/51Jvtzxof4L.jpg", "https://m.media-amazon.com/images/I/61w9lYSBa-L.jpg", "https://m.media-amazon.com/images/I/517N8C0d6zL.jpg", "https://m.media-amazon.com/images/I/61WZq82gYUL.jpg", "https://m.media-amazon.com/images/I/61YDOSuiSPL.jpg", "https://m.media-amazon.com/images/I/51CYJu0Q9zL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Kitchen & Dining \u203a Kitchen Utensils & Gadgets \u203a Kitchen Accessories \u203a Comfort Mats", "average_rating": 3.6, "small_description": ["\u3010Kitchen Floor Mat Package\u30111 pcs kitchen runner rug 19.7\"x47.2\",1 pcs rectangular floor mat 19.7\"x31.5\";This rug mat set is not only suitable for indoor kitchen sink,living room,bathroom makeup counter,hallway,entryway,but also for outdoor patio,garden,terrace,garage,etc anywhere you want to place it. ", "\u3010Premium Kitchen Rug Set\u3011Non-woven surface soft to stand on,no deformation,rubber polka dot backing,non-slip and prevent the carpet from shifting around,ensure standing,walking safety,place on dry floor,water under rug may result in slippage,rug must be placed on dry surface during use;Low profile design to be placed in any setting under doors well,not so thick and bulky that you would trip on it ", "\u3010Cozy Anti Fatigue Standing Mats\u3011The anti fatigue kitchen mat provide soft,comfortable support to help improve circulation and relieve pressure on your feet,knees,lower back,and joints.Ideal for kitchen front of the stove,counter/bench space,hair salons,restaurants,offices,front desks,laundry etc other places where people have to stand for long periods of time. ", "\u3010Stylish Kitchen Mat Set\u3011The exquisite carpet set fit various styles of home decor,perfect for birthday,family party,theme party,anniversary,wedding,Halloween,Thanksgiving,Christmas,etc occasions while washing dishes or getting dinner ready decorate your holiday life ", "\u3010Washable Kitchen Rug\u3011Kitchen mats and rugs are easy care,use handheld vacuum cleaner to remove surface dust or use cold water machine wash for deep cleaning,no bleaching,no wringing,dry flat or dry at low temperature for best results. "], "total_reviews": 50, "total_answered_questions": "", "model": "FBAGOOGMX20210816BHSWXF04743MDDBGOO", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09CQ3GNNF/ref=twister_B09CQ4LF6D?_encoding=UTF8&psc=1", "value": "15.7x23.6in+15.7x47.2in", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "19.7x31.5in+19.7x47.2in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09CQ2JXJ9/ref=twister_B09CQ4LF6D?_encoding=UTF8&psc=1", "value": "19.7x31.5in+19.7x63in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09CQ4ZRLV/ref=twister_B09CQ4LF6D?_encoding=UTF8&psc=1", "value": "20x24in+20x48in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JG4WYV9/ref=twister_B09CQ4LF6D", "value": "23.6x35.4in+23.6x70.9in", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09JG4TB4J/ref=twister_B09CQ4LF6D", "value": "Cargoo5209", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51V3PUKY7LL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09CQ5FX5R/ref=twister_B09CQ4LF6D?_encoding=UTF8&psc=1", "value": "Christmas-005goo7317", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41hGL+8xjEL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09CQ3Y977/ref=twister_B09CQ4LF6D?_encoding=UTF8&psc=1", "value": "Christmas-010goo9911", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51IK+L6T96L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JG5P75S/ref=twister_B09CQ4LF6D?_encoding=UTF8&psc=1", "value": "Christmasgoo1729", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51TkrTNHbTL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JG5MXBQ/ref=twister_B09CQ4LF6D?_encoding=UTF8&psc=1", "value": "Christmasgoo3302", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51p4xFbQ0lL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JG6PJG8/ref=twister_B09CQ4LF6D?_encoding=UTF8&psc=1", "value": "Christmasgoo3848", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51ABduhmKCL.jpg"}, {"is_selected": true, "url": null, "value": "Christmasgoo6658", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Jvtzxof4L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PFXGK61/ref=twister_B09CQ4LF6D?_encoding=UTF8&psc=1", "value": "Easter3540lgoo6518", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41AMSkYfiCL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PFXNY71/ref=twister_B09CQ4LF6D?_encoding=UTF8&psc=1", "value": "Eastergoo0555", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51mFlyDRDpL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PFXMDGS/ref=twister_B09CQ4LF6D", "value": "Luckygoo4356", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Hz7yCbjfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PFX7NRF/ref=twister_B09CQ4LF6D", "value": "Luckygoo4796", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51WpZjOYUPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PFXVZQJ/ref=twister_B09CQ4LF6D?_encoding=UTF8&psc=1", "value": "Rabbit3555lgoo1957", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ZtpWrCdgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JG4VN23/ref=twister_B09CQ4LF6D?_encoding=UTF8&psc=1", "value": "Snowmangoo0240", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51eHrBr17XL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PFXXFNM/ref=twister_B09CQ4LF6D", "value": "Spt-026goo3844", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51CXqvndz4L.jpg"}]}, "seller_id": "A1LBGXO68G0FZP", "seller_name": "Gogobebe", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09CQ45ZRB", "category": "garden", "query": "Desks", "page": 255, "small_description_old": "\u3010Kitchen Floor Mat Package\u30111 pcs kitchen runner rug 19.7\"x47.2\",1 pcs rectangular floor mat 19.7\"x31.5\";This rug mat set is not only suitable for indoor kitchen sink,living room,bathroom makeup counter,hallway,entryway,but also for outdoor patio,garden,terrace,garage,etc anywhere you want to place it. \u3010Premium Kitchen Rug Set\u3011Non-woven surface soft to stand on,no deformation,rubber polka dot backing,non-slip and prevent the carpet from shifting around,ensure standing,walking safety,place on dry floor,water under rug may result in slippage,rug must be placed on dry surface during use;Low profile design to be placed in any setting under doors well,not so thick and bulky that you would trip on it \u3010Cozy Anti Fatigue Standing Mats\u3011The anti fatigue kitchen mat provide soft,comfortable support to help improve circulation and relieve pressure on your feet,knees,lower back,and joints.Ideal for kitchen front of the stove,counter/bench space,hair salons,restaurants,offices,front desks,laundry etc other places where people have to stand for long periods of time. \u3010Stylish Kitchen Mat Set\u3011The exquisite carpet set fit various styles of home decor,perfect for birthday,family party,theme party,anniversary,wedding,Halloween,Thanksgiving,Christmas,etc occasions while washing dishes or getting dinner ready decorate your holiday life \u3010Washable Kitchen Rug\u3011Kitchen mats and rugs are easy care,use handheld vacuum cleaner to remove surface dust or use cold water machine wash for deep cleaning,no bleaching,no wringing,dry flat or dry at low temperature for best results."}, {"name": "Bungo Stray Anime Dogs Anime Character, Long Sleeve, Sweatshirt, Hoodie, T shirt", "product_information": {"Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n January 12, 2022", "Manufacturer\n \u200f": "\u200e\n Generic", "ASIN\n \u200f": "\u200e\n B09Q8RD8YN", "": ""}, "brand": "Brand: Generic", "brand_url": "https://www.amazon.com/Generic/b/ref=bl_sl_s_ap_web_2529470011?ie=UTF8&node=2529470011&field-lbr_brands_browse-bin=Generic", "full_description": "Description: T-Shirt Handmade - Design color will be black or white depending on shirt color you choose.\u25c6\u25c6 PREMIUM UNISEX: Unisex, ultra soft hand, tightly knit Shoulder to shoulder taping Cover stitched collar and sleeves Shoulder to shoulder taping Retail fit, side seams.\u25c6 SIZE AND COLOR: These shirts are unisex sizes so they are for both men and women Measurement and color charts are located in the listing photos Select size and color from the drop-down boxes.\u25c6 FABRIC CONTENT: 100% combed ring-spun cotton for solid colors Cotton and polyester blended for heathered colors.\u25c6 CARE INSTRUCTION: Turn garment inside out Machine wash cold with similar colors. Use mild detergent No Bleach Tumble dry low Do not iron if decorated Do not dry clean.", "pricing": "$19.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41IzOzebb-L.jpg", "https://m.media-amazon.com/images/I/51h-Z6p1McL.jpg", "https://m.media-amazon.com/images/I/61cwLi653YL.jpg", "https://m.media-amazon.com/images/I/61nW-FlTiGL.jpg", "https://m.media-amazon.com/images/I/61xiadvZZFL.jpg", "https://m.media-amazon.com/images/I/51Zv3PAalhL.jpg", "https://m.media-amazon.com/images/I/61VXhEECjAL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Men \u203a Hoodies", "average_rating": "", "small_description": ["100% Cotton ", "Machine Wash ", "\"MATERIAL: 100% soft cotton American Apparel mens or womens t-shirt. Printed with environmentally friendly water based inks. FAST SHIPPING: Shipped directly from USA.\" ", "100% SATISFACTION GUARANTEE: If you are not happy with our product, please feel free to contact us, we will give the best solution to you within 24 hours. ", "GREAT GIFT IDEAS: Buy it now and make it a great gift for yourself or your beloved ones on Birthday, Halloween, Christmas, New year, Father's day, Mother's day, Anniversary day, Valentine, New Year\u2019s Day, April Fools\u2019 Day, Easter, Good Friday, Easter Monday, May Day, Christmas Eve, Christmas Day, Boxing Day, New Year\u2019s Eve, Mother\u2019s Day, Father\u2019s Day, Valentine\u2019s Day, Bank holiday (public holiday), Chinese New Year, Independence Day, Thanksgiving, Halloween, Saint Patrick\u2019s Day... ", "\"SIZE: Standard fit t-shirt. Please see more details in our size picture chart for accurate sizes. INSTRUCTIONS: Wash cold and hang dry for best results SPECIAL T-SHIRT: You will become The Focus Of Attention when you wear our T-shirts.\" ", "Click Customize Now. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09Q8RD8YN", "category": "fashion", "query": "Men's Fashion Hoodies & Sweatshirts", "page": 45, "small_description_old": "100% Cotton Machine Wash \"MATERIAL: 100% soft cotton American Apparel mens or womens t-shirt. Printed with environmentally friendly water based inks. FAST SHIPPING: Shipped directly from USA.\" 100% SATISFACTION GUARANTEE: If you are not happy with our product, please feel free to contact us, we will give the best solution to you within 24 hours. GREAT GIFT IDEAS: Buy it now and make it a great gift for yourself or your beloved ones on Birthday, Halloween, Christmas, New year, Father's day, Mother's day, Anniversary day, Valentine, New Year\u2019s Day, April Fools\u2019 Day, Easter, Good Friday, Easter Monday, May Day, Christmas Eve, Christmas Day, Boxing Day, New Year\u2019s Eve, Mother\u2019s Day, Father\u2019s Day, Valentine\u2019s Day, Bank holiday (public holiday), Chinese New Year, Independence Day, Thanksgiving, Halloween, Saint Patrick\u2019s Day... \"SIZE: Standard fit t-shirt. Please see more details in our size picture chart for accurate sizes. INSTRUCTIONS: Wash cold and hang dry for best results SPECIAL T-SHIRT: You will become The Focus Of Attention when you wear our T-shirts.\" Click Customize Now."}, {"name": "HMR 500 Chocolate Shake Meal Replacement Triple Pack, 10g Protein, 100 Cal, 3 Boxes of 18 Single-Serve Powder Packets", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 11.25 x 8.75 x 5.5 inches; 1.15 Pounds", "Date First Available\n \u200f": "\u200e\n July 16, 2018", "Manufacturer\n \u200f": "\u200e\n HMR Weight Management Services Corp", "ASIN\n \u200f": "\u200e\n B07FM9K5S3", "Best Sellers Rank": "#14,472 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#70 in Meal Replacement Drinks", "#70 in Meal Replacement Drinks": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the HMR Store", "brand_url": "https://www.amazon.com/stores/HMR/page/37277A53-47BA-410F-83F0-872A73746533?ref_=ast_bln", "full_description": "", "pricing": "$126.75", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/41L2FGLH3jL.jpg", "https://m.media-amazon.com/images/I/41a+8S4tlVL.jpg", "https://m.media-amazon.com/images/I/51rJMvcLEqL.jpg", "https://m.media-amazon.com/images/I/51w3b1is+VL.jpg", "https://m.media-amazon.com/images/I/41Yp+WlsSLL.jpg", "https://m.media-amazon.com/images/I/41D1xUGSJRL.jpg", "https://m.media-amazon.com/images/I/61kpSjsSumL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Beverages \u203a Bottled Beverages, Water & Drink Mixes \u203a Meal Replacement & Protein Drinks \u203a Meal Replacement Drinks", "average_rating": 4.7, "small_description": ["The original HMR shake with the fewest calories of all HMR diet foods, the HMR 500 shake is deliciously creamy with a rich cocoa flavor. ", "Easy to make \u2013 just blend with ice for a filling shake or prepare as a tasty hot drink. ", "Support you weight loss goals swapping your higher-calorie meals or snacks with this lower calorie option \u2013 10 grams protein, 0 grams fat, and 100 calories per serving. ", "Add fruit or your favorite low-calorie flavoring for a quick smoothie or unlimited shake recipe options. ", "Single-serve packets (54 packets total) make this convenient to grab-and-go for travel, the office, or the gym. "], "total_reviews": 273, "total_answered_questions": 9, "customization_options": {"Flavor Name": [{"is_selected": true, "url": null, "value": "Chocolate", "price_string": "$126.75", "price": 126.75, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07FMMTQP3/ref=twister_B07FMKMPJM?_encoding=UTF8&psc=1", "value": "Vanilla", "price_string": "$126.75", "price": 126.75, "image": null}], "Size": null}, "seller_id": "A23B0QGLKFB2EB", "seller_name": "HMR Weight Management", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07FM9K5S3", "category": "grocery", "query": "Frozen", "page": 303, "small_description_old": "About this item The original HMR shake with the fewest calories of all HMR diet foods, the HMR 500 shake is deliciously creamy with a rich cocoa flavor. Easy to make \u2013 just blend with ice for a filling shake or prepare as a tasty hot drink. Support you weight loss goals swapping your higher-calorie meals or snacks with this lower calorie option \u2013 10 grams protein, 0 grams fat, and 100 calories per serving. Add fruit or your favorite low-calorie flavoring for a quick smoothie or unlimited shake recipe options. Single-serve packets (54 packets total) make this convenient to grab-and-go for travel, the office, or the gym."}, {"name": "Porthos Home Delilah Office Chair", "product_information": {"Item Weight": "\u200e24.6 pounds", "Product Dimensions": "\u200e20 x 22.44 x 35.4 inches", "Item model number": "\u200eSKC027A GRY", "ASIN": "B06XG74CXC", "Customer Reviews": {"ratings_count": 18, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#2,538,715 in Home & Kitchen (See Top 100 in Home & Kitchen) #4,755 in Home Office Desk Chairs"], "Date First Available": "March 6, 2017"}, "brand": "Visit the Porthos Home Store", "brand_url": "https://www.amazon.com/stores/PorthosHome/page/F2BEA44A-3345-4DED-B64A-A0BB34B58574?ref_=ast_bln", "full_description": "Brighten your home office with the delilah office chair from Porthos Home. The sleek armless design and caster wheels encourage mobility without keeping you confined to one position, while the gas lift allows you to customize the chair to your particular work space. The decorative brass studs add energy and boldness to any room, while the linen seat Insures all-day comfort. Ideal for the multitasker, this chair will help you stay productive and comfortable.", "pricing": "$154.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41SnZ1sHRlL.jpg", "https://m.media-amazon.com/images/I/411U5yLlXWL.jpg", "https://m.media-amazon.com/images/I/51BwrjV5dhL.jpg", "https://m.media-amazon.com/images/I/51uEbW6TWPL.jpg", "https://m.media-amazon.com/images/I/51Yj7KqnEwL.jpg", "https://m.media-amazon.com/images/I/518fHCU0AsL.jpg", "https://m.media-amazon.com/images/I/31RRt-ISrvL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Home Office Chairs \u203a Home Office Desk Chairs", "average_rating": 4.2, "small_description": ["Decorative brass Studs ", "Weight capacity: 286lbs ", "Adjustable Seat Height: 18.9-22.8 ", "The sleek armless design and caster wheels encourage mobility without keeping you confined to one position, while the gas lift allows you to customize the chair to your particular work space ", "The decorative brass studs add energy and boldness to any room, while the linen seat Insures all-day comfort "], "total_reviews": 18, "total_answered_questions": "", "model": "\u200eSKC027A GRY", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B06XG58DLW/ref=twister_B06Y2CYYMY?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "$105.98", "price": 105.98, "image": "https://m.media-amazon.com/images/I/41HpCq-5fKL.jpg"}, {"is_selected": true, "url": null, "value": "Grey", "price_string": "$154.99", "price": 154.99, "image": "https://m.media-amazon.com/images/I/41SnZ1sHRlL.jpg"}]}, "seller_id": "ACGAF9ED1O5NI", "seller_name": "Porthos Home", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B06XG74CXC", "category": "garden", "query": "Home Office Chairs", "page": 83, "small_description_old": "About this item Decorative brass Studs Weight capacity: 286lbs Adjustable Seat Height: 18.9-22.8 The sleek armless design and caster wheels encourage mobility without keeping you confined to one position, while the gas lift allows you to customize the chair to your particular work space The decorative brass studs add energy and boldness to any room, while the linen seat Insures all-day comfort \n \u203a See more product details"}, {"name": "Beekman 1802 Hotel Adler Bed Frame, Queen", "product_information": {"Item Weight": "\u200e150 pounds", "Product Dimensions": "\u200e84.5 x 64.25 x 59 inches", "Item model number": "\u200eM1K HI P", "ASIN": "B00KL9G3Z6", "Date First Available": "May 20, 2014"}, "brand": "Brand: Beekman 1802", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Beekman+1802", "full_description": "Beekman 1802 Hotel Adler Bed. Sleep is sweet and sleek on this bed frame crafted using slender iron bars. The head, foot and sideboards feature lovely linen panels adorned with brass tacks for just the right mix of fashion and formality. It's a piece that will make you wish you had more bedrooms in your home.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41CDKLZ+ptL.jpg", "https://m.media-amazon.com/images/I/41xJku7FVdL.jpg", "https://m.media-amazon.com/images/I/41xfkP3YlIL.jpg", "https://m.media-amazon.com/images/I/41EH+ody5ML.jpg", "https://m.media-amazon.com/images/I/41wfBunEdDL.jpg", "https://m.media-amazon.com/images/I/41284qSpb8L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Beds, Frames & Bases \u203a Bed Frames", "average_rating": "", "small_description": ["Beekman 1802 Hotel Adler Bed ", "Bed frame crafted using slender iron bars ", "Head, foot and sideboards feature lovely linen panels adorned with brass tacks "], "total_reviews": "", "total_answered_questions": "", "model": "\u200eM1K HI P", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00KL9G3Z6", "category": "garden", "query": "Bedframes", "page": 83, "small_description_old": "About this item Beekman 1802 Hotel Adler Bed Bed frame crafted using slender iron bars Head, foot and sideboards feature lovely linen panels adorned with brass tacks \n \u203a See more product details"}, {"name": "E.L.F. Cosmetics, Lip Primer & Plumper, Clear/Natural, 0.05 oz (1.6 g)/0.06 oz (1.7 g)", "product_information": {"ASIN\n \u200f": "\u200e\n B01LR85M1U", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the e.l.f. Store", "brand_url": "https://www.amazon.com/stores/elf/page/0D20CBB2-BB73-4B24-9CFB-34A96815C14A?ref_=ast_bln", "full_description": "", "pricing": "$12.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31o1KgehyEL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": 4.2, "small_description": [""], "total_reviews": 5, "total_answered_questions": "", "customization_options": "", "seller_id": "AG7X8DOJKUODM", "seller_name": "YoneLay", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01LR85M1U", "category": "beauty", "query": "Lips Makeup", "page": 94, "small_description_old": ""}, {"name": "Father Daughter Tshirt Player 1 Tshirt, Player 2, Mens 2XL & Pink Youth", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.5 x 7 x 1.4 inches; 8 Ounces", "Item model number\n \u200f": "\u200e\n Blk_SmMenPlayer1_s2_HPnk_Player2_PCS", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n January 21, 2016", "ASIN\n \u200f": "\u200e\n B01AX3JTN2", "Best Sellers Rank": "#303,388 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#16,283 in Men's Novelty T-Shirts #93,889 in Men's Fashion", "#16,283 in Men's Novelty T-Shirts": "", "#93,889 in Men's Fashion": ""}, "brand": "Visit the Texas Tees Store", "brand_url": "https://www.amazon.com/stores/Texas+Tees/page/7AF6BAD0-9190-41EF-B560-8FE91ADAD143?ref_=ast_bln", "full_description": "", "pricing": "$27.99$29.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/519l8azN+DS.jpg", "https://m.media-amazon.com/images/I/515-ZlHghJL.jpg", "https://m.media-amazon.com/images/I/514PMrXp8SL.jpg", "https://m.media-amazon.com/images/I/51POBUFRz5L.jpg", "https://m.media-amazon.com/images/I/517ketSQ-sL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Men \u203a Shirts \u203a T-Shirts", "average_rating": "", "small_description": ["100% Cotton ", "Made in the USA ", "Pull On closure ", "Machine Wash ", "Designed and Printed in the USA. Our dad daughter matching shirts make great gifts. ", "Please see additional images for size charts. We feel the shirts are normal sizing. If you are close to the end of a size range then we recommend ordering up 1 size. ", "Our daddy and daughter matching clothes have a screen printed design on a cotton shirt for comfort and softness. ", "Soft, preshrunk 100% ring-spun cotton jersey knit (blended cotton/polyester in heather colors). "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Adult (S)|Child (2T)", "asin": "B01AX3IX5M"}, {"is_selected": false, "is_available": true, "value": "Adult (S)|Child (3T)", "asin": "B01AX3IY06"}, {"is_selected": false, "is_available": true, "value": "Adult (S)|Child (4T)", "asin": "B01AX3IZ50"}, {"is_selected": false, "is_available": true, "value": "Adult (M)|Child (2T)", "asin": "B01AX3J3U6"}, {"is_selected": false, "is_available": true, "value": "Adult (M)|Child (3T)", "asin": "B01AX3J4TG"}, {"is_selected": false, "is_available": true, "value": "Adult (M)|Child (4T)", "asin": "B01AX3J5T0"}, {"is_selected": false, "is_available": true, "value": "Adult (L)|Child (2T)", "asin": "B01AX3JAS6"}, {"is_selected": false, "is_available": true, "value": "Adult (L)|Child (3T)", "asin": "B01AX3JBLC"}, {"is_selected": false, "is_available": true, "value": "Adult (L)|Child (4T)", "asin": "B01AX3JCD4"}, {"is_selected": false, "is_available": true, "value": "Adult (XL)|Child (2T)", "asin": "B01AX3JGO4"}, {"is_selected": false, "is_available": true, "value": "Adult (XL)|Child (3T)", "asin": "B01AX3JHHA"}, {"is_selected": false, "is_available": true, "value": "Adult (XL)|Child (4T)", "asin": "B01AX3JI9W"}, {"is_selected": false, "is_available": true, "value": "Adult (2X)|Child (2T)", "asin": "B01AX3JND8"}, {"is_selected": false, "is_available": true, "value": "Adult (2X)|Child (3T)", "asin": "B01AX3JO5A"}, {"is_selected": false, "is_available": true, "value": "Adult (2X)|Child (4T)", "asin": "B01AX3JP3G"}, {"is_selected": false, "is_available": true, "value": "Adult (3X)|Child (2T)", "asin": "B071YWZ6C9"}, {"is_selected": false, "is_available": true, "value": "Adult (3X)|Child (3T)", "asin": "B071L43V12"}, {"is_selected": false, "is_available": true, "value": "Adult (3X)|Child (4T)", "asin": "B071VGMCG3"}, {"is_selected": false, "is_available": true, "value": "Adult (S)|Child (10/12) YM", "asin": "B01AX3J1VC"}, {"is_selected": false, "is_available": true, "value": "Adult (S)|Child (12-18M)", "asin": "B01AX3IW1W"}, {"is_selected": false, "is_available": true, "value": "Adult (S)|Child (5/6)", "asin": "B01AX3J00Y"}, {"is_selected": false, "is_available": true, "value": "Adult (S)|Child (6/8) YS", "asin": "B01AX3J0V8"}, {"is_selected": false, "is_available": true, "value": "Adult (M)|Child (10/12) YM", "asin": "B01AX3J8TC"}, {"is_selected": false, "is_available": true, "value": "Adult (M)|Child (12-18M)", "asin": "B01AX3J306"}, {"is_selected": false, "is_available": true, "value": "Adult (M)|Child (5/6)", "asin": "B01AX3J6WQ"}, {"is_selected": false, "is_available": true, "value": "Adult (M)|Child (6/8) YS", "asin": "B01AX3J7SE"}, {"is_selected": false, "is_available": true, "value": "Adult (L)|Child (10/12) YM", "asin": "B01AX3JF2C"}, {"is_selected": false, "is_available": true, "value": "Adult (L)|Child (12-18M)", "asin": "B01AX3J9PA"}, {"is_selected": false, "is_available": true, "value": "Adult (L)|Child (5/6)", "asin": "B01AX3JD7E"}, {"is_selected": false, "is_available": true, "value": "Adult (L)|Child (6/8) YS", "asin": "B01AX3JE3W"}, {"is_selected": false, "is_available": true, "value": "Adult (XL)|Child (10/12) YM", "asin": "B01AX3JLEY"}, {"is_selected": false, "is_available": true, "value": "Adult (XL)|Child (12-18M)", "asin": "B01AX3JFWC"}, {"is_selected": false, "is_available": true, "value": "Adult (XL)|Child (5/6)", "asin": "B01AX3JJBE"}, {"is_selected": false, "is_available": true, "value": "Adult (XL)|Child (6/8) YS", "asin": "B01AX3JK72"}, {"is_selected": false, "is_available": true, "value": "Adult (2X)|Child (5/6)", "asin": "B01AX3JPVS"}, {"is_selected": false, "is_available": true, "value": "Adult (2X)|Child (6/8) YS", "asin": "B01AX3JQNU"}, {"is_selected": false, "is_available": true, "value": "Adult (2X)|Child (10/12) YM", "asin": "B01AX3JRIE"}, {"is_selected": false, "is_available": true, "value": "Adult (2X)|Child (12-18M)", "asin": "B01AX3JMGG"}, {"is_selected": false, "is_available": true, "value": "Adult (3X)|Child (5/6)", "asin": "B072F4TXZ6"}, {"is_selected": false, "is_available": true, "value": "Adult (3X)|Child (6/8) YS", "asin": "B0716M59JK"}, {"is_selected": false, "is_available": true, "value": "Adult (3X)|Child (10/12) YM", "asin": "B0727YS6N3"}, {"is_selected": false, "is_available": true, "value": "Adult (3X)|Child (12-18M)", "asin": "B072F4Q6P6"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B0711FL4VV/ref=twister_B0973Z8XLH", "value": "Pink Player 2 & Player 1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51yxyVklLPL.jpg"}, {"is_selected": true, "url": null, "value": "Red Player 2 & Player 1", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51EXWs58VsL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01AX3JMGG", "category": "fashion", "query": "Men's Dress Shirts", "page": 99, "small_description_old": "100% Cotton Made in the USA Pull On closure Machine Wash Designed and Printed in the USA. Our dad daughter matching shirts make great gifts. Please see additional images for size charts. We feel the shirts are normal sizing. If you are close to the end of a size range then we recommend ordering up 1 size. Our daddy and daughter matching clothes have a screen printed design on a cotton shirt for comfort and softness. Soft, preshrunk 100% ring-spun cotton jersey knit (blended cotton/polyester in heather colors)."}, {"name": "YEAQING Women's Sweatpants Pockets High Waist Gym Athletic Cinch Bottom Jogger Pants Baggy Lounge Trousers", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 1 x 2 x 1 inches; 12.63 Ounces", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n June 5, 2020", "ASIN\n \u200f": "\u200e\n B08M5RCVB2", "Best Sellers Rank": "#590,925 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#919 in Women's Sweatpants #10,869 in Women's Shops", "#919 in Women's Sweatpants": "", "#10,869 in Women's Shops": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the YEAQING Store", "brand_url": "https://www.amazon.com/stores/YEAQING/page/8C729749-9666-4C46-AE6D-97533A055B87?ref_=ast_bln", "full_description": "", "pricing": "$19.99$21.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/416OxLiuM3L.jpg", "https://m.media-amazon.com/images/I/41Xo-euPOZL.jpg", "https://m.media-amazon.com/images/I/41FWq1B14QL.jpg", "https://m.media-amazon.com/images/I/41SVJvGdH0L.jpg", "https://m.media-amazon.com/images/I/413o0UpLeDL.jpg", "https://m.media-amazon.com/images/I/41aag9Vg6OL.jpg", "https://m.media-amazon.com/images/I/410GKHdFFeL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Active \u203a Active Pants \u203a Sweatpants", "average_rating": 4.1, "small_description": ["Please refer to our size chart: S (Waist 27.56\", Length 37.76\"); M (Waist 29.53\", Length 40.16\"); L (Waist 31.5\", Length 40.55\"); XL (Waist 33.46\", Length 40.94\"). ", "Features: Classic high-waisted Sweatpants with pockets, Ankle-banded, Elastic High Waist, Yoga Workout Jogger Pants Lounge Trousers, Comfy to wear in summer spring or fall. ", "Occasion: This kind of casual sweatpants is very suitable for Mother's Day gifts, sports, fitness, workout, work, daily clothing, jogging, rock climbing, party, clubs, riding bike and motorcycles, travel, vacation, gym ", "Garment Care: Hand/Machine washing in cold water, Do not bleach, Hang dry is preferred. ", "Perfect After-Sales Service: We provide a 100% satisfaction guarantee for all yoga pants. If you have any questions about your products, please feel free to contact us. Your problem will be solved within 24 hours, so you don't have to worry about buying at all. "], "total_reviews": 145, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08M5RCVB2/ref=twister_B09BJM9PV4", "value": "A-pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41IbzTstCSL.jpg"}, {"is_selected": true, "url": null, "value": "Army Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/416OxLiuM3L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08PTVR26L/ref=twister_B09BJM9PV4", "value": "C-grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41gmpQhEJpL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08PTVVKVG/ref=twister_B09BJM9PV4", "value": "C-navy Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31Ebn+dwb9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L3BVHDK/ref=twister_B09BJM9PV4", "value": "A-navy Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/417MuAhpBQL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B089R83Q2W/ref=twister_B09BJM9PV4", "value": "A-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41SSWooQXoL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B089R82WQF/ref=twister_B09BJM9PV4", "value": "A-grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41aK1FEplPL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B08BCG734W"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B08BCDTDF5"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B08BC7JRLQ"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B08BCCKMFN"}, {"is_selected": false, "is_available": false, "value": "XX-Large", "asin": "B08PTNHMDW"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08BC7JRLQ", "category": "fashion", "query": "Women's Pants", "page": 93, "small_description_old": "Elastic closure Machine Wash Please refer to our size chart: S (Waist 27.56\", Length 37.76\"); M (Waist 29.53\", Length 40.16\"); L (Waist 31.5\", Length 40.55\"); XL (Waist 33.46\", Length 40.94\"). Features: Classic high-waisted Sweatpants with pockets, Ankle-banded, Elastic High Waist, Yoga Workout Jogger Pants Lounge Trousers, Comfy to wear in summer spring or fall. Occasion: This kind of casual sweatpants is very suitable for Mother's Day gifts, sports, fitness, workout, work, daily clothing, jogging, rock climbing, party, clubs, riding bike and motorcycles, travel, vacation, gym Garment Care: Hand/Machine washing in cold water, Do not bleach, Hang dry is preferred. Perfect After-Sales Service: We provide a 100% satisfaction guarantee for all yoga pants. If you have any questions about your products, please feel free to contact us. Your problem will be solved within 24 hours, so you don't have to worry about buying at all."}, {"name": "Premier HiDef Grey Electric Projection Screen with Low Voltage Motor Viewing Area: 50\" H x 80\" W", "product_information": {"Item Weight": "69 pounds", "Department": "Mounts", "Manufacturer": "Draper", "ASIN": "B001C6JXJU", "Item model number": "101646LP", "Date First Available": "October 1, 2009"}, "brand": "Brand: Draper Inc", "brand_url": "https://www.amazon.com/Draper-Inc/b/ref=bl_dp_s_web_9460892011?ie=UTF8&node=9460892011&field-lbr_brands_browse-bin=Draper+Inc", "full_description": "101646L Viewing Area: 50\" H x 80\" W Features: -16:10 format.-Motorized.-Ceiling trim kit for ceiling recessed installation.-12'' black drop is standard.-Black case with matching end caps.-With control options, it can be operated from any remote location.-Warranted for one year against defects in materials and workmanship.-Plug and Play with built-in Low Voltage Controller.-Product Type: Electric.-Mount Type: Wall/Ceiling mounted; Ceiling recessed.-Screen Format: 16:10.-Screen Surface: Grey.-Screen Gain: 1.0 (Standard); Less than 1.0.-Plug and Play Option: Yes.-Screen Tension: Tensioned screen.-Country of Manufacture: United States. Options: -Screen Material: HiDef GreyA grey front projection surface that provides greater contrast and black reproduction than standard surfaces, with a lower gain to handle today's super-bright projectors. The grey color enhances color contrast and black levels in the projected image and also allows for more ambient light in the audience area than traditional surfaces. Available on all tab-tensioned and permanently tensioned screens. Peak gain of 0.9.. Dimensions: -67'' Image Area: 35.25'' H x 56.5'' W.-67'' Product weight: 34 lbs.-76'' Image Area: 40'' H x 64'' W.-76'' Product weight: 36 lbs.-85'' Image Area: 45'' H x 72'' W.-85'' Product weight: 38 lbs.-94'' Image Area: 50'' H x 80'' W.-94'' product weight: 50 lbs.-109'' Image Area: 57.5'' H x 92'' W.-109'' Product weight: 58 lbs.-123'' Image Area: 65'' H x 104'' W.-123'' Product weight: 65 lbs.-137'' Image Area: 72.5'' H x 116'' W.-137'' Product weight: 75 lbs.-165'' Image Area: 87.5'' H x 140'' W.-165'' Product weight: 80 lbs. Collection: -Premier collection.-Collection: Premier.", "pricing": "$2,721.34", "list_price": "", "availability_status": "Usually ships within 3 to 5 weeks.", "images": ["https://m.media-amazon.com/images/I/31GASN8EhrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Television & Video \u203a Projection Screens", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "model": "101646LP", "customization_options": "", "seller_id": "A3NW5CBEVB81WR", "seller_name": "ACMElectronics", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B001C6JXJU", "category": "electronics", "query": "Projection Screens", "page": 270, "small_description_old": ""}, {"name": "Bifesta Mandom Eye Makeup Remover, 145ml", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 6.22 x 3.19 x 1.81 inches; 5.6 Ounces", "Item model number\n \u200f": "\u200e\n 52051", "UPC\n \u200f": "\u200e\n 787734529334 799457636459 787734796538 798813052872 885761175132 753927529221 783318849973 795864738526 885795591564", "Manufacturer\n \u200f": "\u200e\n Mandom", "ASIN\n \u200f": "\u200e\n B005F2EVMQ", "Best Sellers Rank": "#32,077 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#87 in Makeup Remover", "#87 in Makeup Remover": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Bifesta", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Bifesta", "full_description": "Cleansing Eye Make-Up Remover Size: 145Ml New Water Based. Cleansing Eye Make-Up Remover. Made In Japan.", "pricing": "$12.35", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41RREiNZwjL.jpg", "https://m.media-amazon.com/images/I/51D7BHIoIjL.jpg", "https://m.media-amazon.com/images/I/51b0TeKvIiL.jpg", "https://m.media-amazon.com/images/I/512VYwojeXL.jpg", "https://m.media-amazon.com/images/I/51nHr6Br18L.jpg", "https://m.media-amazon.com/images/I/51y1E6cWplL.jpg", "https://m.media-amazon.com/images/I/51xD+bEJC+L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Makeup Remover", "average_rating": 4.6, "small_description": ["Cleansing Eye Make-Up Remover ", "Size - 145 Ml ", "New Water Based "], "total_reviews": 428, "total_answered_questions": 4, "customization_options": "", "seller_id": "A3VB74EWP1LXTO", "seller_name": "Mayuko shop", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B005F2EVMQ", "category": "beauty", "query": "Lips Makeup", "page": 7, "small_description_old": "About this item Cleansing Eye Make-Up Remover Size - 145 Ml New Water Based"}, {"name": "Ed Hardy Men's Glory Lounge Shorts - Sand Storm - Large", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 11 x 10.1 x 10 inches; 0.81 Ounces", "Item model number\n \u200f": "\u200e\n EH81236JJ", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n July 6, 2018", "ASIN\n \u200f": "\u200e\n B00JGBJD3E", "Best Sellers Rank": "#3,366,408 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#3,501 in Men's Pajama Bottoms", "#3,501 in Men's Pajama Bottoms": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Ed Hardy Store", "brand_url": "https://www.amazon.com/stores/EdHardy/page/17E7AFCF-5B01-4ABE-9483-E2B1C24DBD02?ref_=ast_bln", "full_description": "", "pricing": "$43.00", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41BBQxA6s4L.jpg", "https://m.media-amazon.com/images/I/41IOJ2cqK4L.jpg", "https://m.media-amazon.com/images/I/41YvPOlgThL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Sleep & Lounge \u203a Sleep Bottoms", "average_rating": 4.8, "small_description": ["100% Cotton ", "Drawstring closure ", "Machine Wash "], "total_reviews": 8, "total_answered_questions": "", "customization_options": "", "seller_id": "AKKWP6ANN5CZF", "seller_name": "ricjoslope", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00JGBJD3E", "category": "fashion", "query": "Men's Shorts", "page": 106, "small_description_old": "100% Cotton Drawstring closure Machine Wash"}, {"name": "PRO OTG Adapter Works for LG V30 for OTG and USB Type-C Braided Cable. Use with Devices Like Keyboard, Mouse, Zip, Gamepad, hdmi, More (Gray)", "product_information": {"Item Weight": "0.5 ounces", "ASIN": "B085VFMXMZ", "Best Sellers Rank": ["#440,070 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #42,075 in Cell Phone Cables & Adapters"], "Date First Available": "January 21, 2022", "Manufacturer": "Big-E"}, "brand": "Brand: Big-E", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Big-E", "full_description": "\u26a1Professional Braided New USB-C OTG Works for LG V30 SmartPhone includes USB Female USB Type-C 2.0 Male OTG On-The-Go Cable! (New Style)Comes you direct from the manufacturer so we can deliver you a 100% quality item! What we like about this is that it features custom plug and play circuitry, plug it in, it works!\u2705SPECIFICATIONS:\u25cfUnleash the power of Works for your phone by giving it access the same USB peripherals that make Works for your PC easier use!\u25cfWorks with keyboards, mice, flash drives, game controllers, almost ANY USB Device that is set for OTG / On-The-Go\u25cfThe 4 Inch Cable is original standardized guaranteed the best results while making access easier.\u25cfConsider getting one for home, office and travel so you\u2019ll always be close a quick charge.\u25cfProvide power for USB peripherals so that the battery of Works for your android smart phone or tablet will not be drained so quickly like others ordinary OTG cable. Note: This Device can not power Works for your android smart phone or tablet itself.\u2705ENHANCEMENTS:\u25cfThe Big-E\u2122 OTG adapter gives Works for your host devices an opportunity add on any USB peripherals such as keyboards, mice, USB Hub, flash drives, external hard drives, USB card readers, game controllers or whatever.\u25cfCompatible with TV Stick, PlayStation Classic, Google Chromecast, android devices, Raspberry Pi Zero, NES N64 Nintendo Devices and MORE. Suitable for Android, Windows and other systems, no system restrictions.\u25cfThis can provide OTG ability Works for Works for your TV Stick, PlayStation Classic, Google Chromecast, Raspberry Pi Zero, NES N64 Nintendo Devices and many other streaming media player, and other items that have a USB Type-C Port with OTG Capabilities.", "pricing": "$7.99", "list_price": "", "availability_quantity": 19, "availability_status": "Only 19 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31OejFUJIIL.jpg", "https://m.media-amazon.com/images/I/51djD9Y3tOL.jpg", "https://m.media-amazon.com/images/I/41GLx3AiwWL.jpg", "https://m.media-amazon.com/images/I/41iGTRoSUjL.jpg", "https://m.media-amazon.com/images/I/41BLzAKjitL.jpg", "https://m.media-amazon.com/images/I/41LaJbaHv6L.jpg", "https://m.media-amazon.com/images/I/41lvh9ddTTL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Cables & Adapters", "average_rating": "", "small_description": ["USB On-The-Go\u2b50 : Plug in and use Works for your LG V30 with computer peripherals, such as flash drive, keyboard, hub, mouse and more, makes Works for your USB-C devices compatible with USB drives and any other USB devices that support USB On-The-Go. ", "USB 3.0 Super Speed Transfer\u2b50 : Full USB 3.0 super speed data transfer up 5Gbps, 10x faster than USB 2.0. Transfer files, HD movies and songs Works for your USB-C devices in seconds. ", "Tangle-free Design\u2b50 : Tangle-free Design, this USB 3.0 Cord is far more dependable than others in its price range. Premium cable adds additional durability and tangle free. ", "Durable ABS Nylon Body\u2b50 : Made out of durable ABS Plastic alloys, innovative engineering ensures durability and a long life span. ", "What is Included\u2b50 : Provided is this USB C OTG Adapter with 12-Month Warranty and 24/7 customer service, if you have any questions,we will resolve Works for your issue within 24 hours. Compatible with all USB C devices. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09QLK7NLK/ref=twister_B09QXT8L5F?_encoding=UTF8&psc=1", "value": "Gold", "price_string": "$12.99", "price": 12.99, "image": "https://m.media-amazon.com/images/I/31cGlenaBxL.jpg"}, {"is_selected": true, "url": null, "value": "Gray", "price_string": "$7.99", "price": 7.99, "image": "https://m.media-amazon.com/images/I/31OejFUJIIL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085VG974D/ref=twister_B09QXT8L5F?_encoding=UTF8&psc=1", "value": "Silver", "price_string": "$7.99", "price": 7.99, "image": "https://m.media-amazon.com/images/I/31chDDrv8UL.jpg"}]}, "seller_id": "A12HMNHPYHRY4W", "seller_name": "Big Eventures", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B085VFMXMZ", "category": "electronics", "query": "Streaming Media Players", "page": 136, "small_description_old": "USB On-The-Go\u2b50 : Plug in and use Works for your LG V30 with computer peripherals, such as flash drive, keyboard, hub, mouse and more, makes Works for your USB-C devices compatible with USB drives and any other USB devices that support USB On-The-Go. USB 3.0 Super Speed Transfer\u2b50 : Full USB 3.0 super speed data transfer up 5Gbps, 10x faster than USB 2.0. Transfer files, HD movies and songs Works for your USB-C devices in seconds. Tangle-free Design\u2b50 : Tangle-free Design, this USB 3.0 Cord is far more dependable than others in its price range. Premium cable adds additional durability and tangle free. Durable ABS Nylon Body\u2b50 : Made out of durable ABS Plastic alloys, innovative engineering ensures durability and a long life span. What is Included\u2b50 : Provided is this USB C OTG Adapter with 12-Month Warranty and 24/7 customer service, if you have any questions,we will resolve Works for your issue within 24 hours. Compatible with all USB C devices."}, {"name": "L'Occitane Citrus Verbena Eau de Toilette, 3.3 fl. oz.", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 2.2 x 1.33 x 5.7 inches; 7.04 Ounces", "Manufacturer\n \u200f": "\u200e\n AmazonUs/LOCAH", "ASIN\n \u200f": "\u200e\n B08X93ZXR5", "Country of Origin\n \u200f": "\u200e\n France", "Best Sellers Rank": "#63,541 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#249 in Women's Eau de Toilette", "#249 in Women's Eau de Toilette": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$75.00", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/31U-uDCCcML.jpg", "https://m.media-amazon.com/images/I/312hwIpP7EL.jpg", "https://m.media-amazon.com/images/I/31PNA-GHTWL.jpg", "https://m.media-amazon.com/images/I/414Qt63dmoL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Fragrance \u203a Women's \u203a Eau de Toilette", "average_rating": 4.6, "small_description": [""], "total_reviews": 123, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08X93ZXR5", "category": "beauty", "query": "Men's Fragrance", "page": 51, "small_description_old": ""}, {"name": "Signature Shakes\u2122 Seasoning Mix, 18oz (Sour Cream & Chives)", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 4.25 x 4.25 x 6.75 inches; 1.95 Pounds", "Manufacturer\n \u200f": "\u200e\n Gold Medal Products", "ASIN\n \u200f": "\u200e\n B08ZHP2QQG", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#536,306 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#676 in Unpopped Popcorn Kernels", "#676 in Unpopped Popcorn Kernels": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Popcorn Supply Company", "brand_url": "https://www.amazon.com/Popcorn-Supply-Company/b/ref=bl_dp_s_web_21612480011?ie=UTF8&node=21612480011&field-lbr_brands_browse-bin=Popcorn+Supply+Company", "full_description": "Mix this seasoning into dips, shake on fries, flavor up mashed potatoes, top popcorn, and more! You'll love the original flavor of Sour Cream & Chive Seasoning Signature Shakes Flavor #2351S. Restaurant style, also perfectly sized for self-service or resale. (18-oz bottle - Count: 1)", "pricing": "$28.99", "list_price": "", "availability_status": "In stock. Usually ships within 3 to 4 days.", "images": ["https://m.media-amazon.com/images/I/41EnoND2QPL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Snack Foods \u203a Popcorn \u203a Unpopped", "average_rating": 1, "small_description": ["Gold Medal's Seasoning Signature Shakes. ", "Try it with popcorn, mac and cheese, potatoes, dips, and more. ", "Restaurant-style, also perfectly sized for self-service or resale. ", "(18-oz bottle - Count: 1) ", "Made in USA "], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Flavor Name": [{"is_selected": false, "url": "https://www.amazon.com/dp/B08ZHQWJZ5/ref=twister_B08ZHKPXMV?_encoding=UTF8&psc=1", "value": "Bacon & Cheese", "price_string": "$28.99", "price": 28.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08ZHFFCPJ/ref=twister_B08ZHKPXMV?_encoding=UTF8&psc=1", "value": "Barbecue", "price_string": "$28.99", "price": 28.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08ZH8RY6L/ref=twister_B08ZHKPXMV?_encoding=UTF8&psc=1", "value": "Cheddar-Cheese", "price_string": "$32.99", "price": 32.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08ZHF35R7/ref=twister_B08ZHKPXMV?_encoding=UTF8&psc=1", "value": "Hot Jalapeno", "price_string": "$28.99", "price": 28.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08ZHJB2NB/ref=twister_B08ZHKPXMV?_encoding=UTF8&psc=1", "value": "Parmesan Garlic", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08ZHJV5WV/ref=twister_B08ZHKPXMV?_encoding=UTF8&psc=1", "value": "Ranch", "price_string": "$32.99", "price": 32.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08ZHLFGQM/ref=twister_B08ZHKPXMV?_encoding=UTF8&psc=1", "value": "Salt-And-Vinegar", "price_string": "$32.99", "price": 32.99, "image": null}, {"is_selected": true, "url": null, "value": "Sour Cream & Chives", "price_string": "$28.99", "price": 28.99, "image": null}]}, "seller_id": "A3NI681A613SJA", "seller_name": "bc brands, inc.", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08ZHP2QQG", "category": "grocery", "query": "Sour Creams", "page": 39, "small_description_old": "About this item Gold Medal's Seasoning Signature Shakes. Try it with popcorn, mac and cheese, potatoes, dips, and more. Restaurant-style, also perfectly sized for self-service or resale. (18-oz bottle - Count: 1) Made in USA"}, {"name": "Womens Short Sleeve Tops, Womens Casual Dandelion Printing T-Shirts Loose O-Neck Blouse Tops Funny Graphic Tee Shirts", "product_information": {"Item model number\n \u200f": "\u200e\n Womens Tee Shirts", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n December 7, 2021", "Manufacturer\n \u200f": "\u200e\n Shirts for Women", "ASIN\n \u200f": "\u200e\n B09N79394P", "Best Sellers Rank": "#1,292,517 in Sports & Outdoors (See Top 100 in Sports & Outdoors)#421 in Women's Diving Rash Guard Shirts #68,262 in Women's T-Shirts", "#421 in Women's Diving Rash Guard Shirts": "", "#68,262 in Women's T-Shirts": ""}, "brand": "Brand: POTO", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=POTO", "full_description": "", "pricing": "$1.01$1.74", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51iy+5gsVpL.jpg", "https://m.media-amazon.com/images/I/51Eq8PbHxpL.jpg", "https://m.media-amazon.com/images/I/41kh5U4tqZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Tops, Tees & Blouses \u203a T-Shirts", "average_rating": "", "small_description": ["Short Sleeve Tops for Women ", "BIG Promotion: Buy 2 get 8% off; Buy 3 get 10% off; Buy 4 get 12%; Buy 5 get 15%; Buy 7 get 20% off!!! The more you buy, the bigger the discount! ", "\u3010Shipping\u3011\uff1aItems will arrive in 10-18 business days. ", "\u3010Size Notice\u3011\uff1aOur products are in Asian sizes, which run smaller 1-2 size than the US size.Please refer to the size chart in the picture.For example, if you are M size in US, we advise L or XL for our size. closure ", "\u3010Ultral Soft T-Shirts\u3011: Polyester and Spandex. This casual tops is lightweight, skin-friendly and comfortable for all-day comfort wear and durability. Funny graphic Tops for women plus size, butterfly printed shirts, women's basic v neck short sleeve t shirts, youth & adult tie dye t-shirt, vintage floral graphic top, summer casual loose fit tunics, funny graphics o-neck tees, vintage tshirts for women, cute printed tunic shirts. ", "\u3010Funny Graphic Tops Features\u3011: Cute printed / 3D graphic / tie dye / floral / animal / butterfly short sleeve shirts. Women graphic tshirts,letter printed novelty loose fit, vintage printed t-shirts, casual plus size tunic tops. Be kind tshirt, happy camper t shirt, womens camping graphic tshirt, classic o-neck tees, women's cute juniors tops teen girl, happy camper short sleeve tunics, loose casual style, travel tees for women, funny tees for women with sayings. ", "\u3010Occasions and All-Match Tees\u3011: This tops for women suitable for any occasions and all season! Perfect for casual, streetwear, dance, clubwear, office, school, outdoor, lounge, vacation, outdoor, beach, workout, yoga, ,etc. Easy to match with any pants, leggings, jeans, shorts, skirts, dress etc. This cute o-neck tees make you look young and stylish and will be a favorite in your loungewear wardrobe. , \u3010Perfect Gift\u3011: A great gift for womens, juniors, teen girls, ladies, wife, girlfriend, mom, daughter for Easter, Birthday, Anniversary, Graduation, Valentines Day, Christmas, Mothers Day, Thanksgiving, etc. Recommend the opposite gentle washing. hand wash would be better., graphic t-shirts for women funny t-shirts for women t-shirts for women cotton t-shirts for women plus size t-shirts for women graphic vintage White black t-shirts for women tee for women short sleeve tee for women graphic tee for women plus size tee for women loose fit women tee shirts graphic oversize graphic t-shirts women graphic t-shirts teen girls graphic t-shirts trendy graphic tees for women vintage graphic tops for women sexy graphic tops for women plus size graphic tee shirts, tee shirts for women graphic tee shirts for women loose fit plus size tee shirts for women with sayings tee shirts for women plus size tee shirts for women short sleeve women's tee shirts v neck women's tee shirts 3/4 sleeve womens tee shirts tall women tee shirts tunic tops for women sexy casual summer yoga tops for women activewear crewneck t-shirts for women pack crewneck tees for women cotton white crew neck tees for women crewneck tops for women short sleeve crewneck tunic tops for leggings"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09N79394P/ref=twister_B09N79BMLT", "value": "A1-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51bXyITsCIL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N79QMPJ/ref=twister_B09N79BMLT", "value": "A1-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51ygz+QF4JL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N79S43F/ref=twister_B09N79BMLT", "value": "A1-gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51NW8y4ib7L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N79PXGB/ref=twister_B09N79BMLT", "value": "A1-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51akyVjB5aL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N78QK8J/ref=twister_B09N79BMLT", "value": "A1-purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51aa2IQtdOL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N79RJQ6/ref=twister_B09N79BMLT", "value": "A1-wine\u00a0red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51YZDfzv7ZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N79HL6C/ref=twister_B09N79BMLT", "value": "A1-yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51JD0IjIxsL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N78WN85/ref=twister_B09N79BMLT", "value": "A2-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51zCNbXxxAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N7B77PM/ref=twister_B09N79BMLT", "value": "A2-gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/517UBaWAMrL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N79LKML/ref=twister_B09N79BMLT", "value": "A2-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51IL+rWj3zL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N7BQM85/ref=twister_B09N79BMLT", "value": "A2-white", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51+I-NDlMdL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N79ZQ9S/ref=twister_B09N79BMLT", "value": "A2-yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/516vQi6P5gL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N7CMRVC/ref=twister_B09N79BMLT", "value": "A3-army\u00a0green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/519L9iVGepL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N7BB1MP/ref=twister_B09N79BMLT", "value": "A3-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51HIK0B3-lL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N79N2HT/ref=twister_B09N79BMLT", "value": "A3-gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/517fHuFCYiL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N79K587/ref=twister_B09N79BMLT", "value": "A3-navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/514pzeG1BgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N7C8YKH/ref=twister_B09N79BMLT", "value": "A3-orange", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51AIi0+xZ9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N7B3B1H/ref=twister_B09N79BMLT", "value": "A3-wine\u00a0red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51QqGtYvuYL.jpg"}, {"is_selected": true, "url": null, "value": "A4-gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51iy+5gsVpL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NPN5BG8/ref=twister_B09N79BMLT", "value": "A6-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/519JPaU-95L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NPNRNR2/ref=twister_B09N79BMLT", "value": "A6-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51pfV465wIL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NPM8HG7/ref=twister_B09N79BMLT", "value": "A6-red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51aSoQL4pfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NPNSF3Y/ref=twister_B09N79BMLT", "value": "A7-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51ZZZbizrqL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NPMJR3Z/ref=twister_B09N79BMLT", "value": "A7-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51YEiNz8iBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NPN99XD/ref=twister_B09N79BMLT", "value": "A7-red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51GBewD7FfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRRRL5Y/ref=twister_B09N79BMLT", "value": "B15-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51BAf4JtwvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRR1C7C/ref=twister_B09N79BMLT", "value": "B15-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51blYN+OILL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRQTMBV/ref=twister_B09N79BMLT", "value": "B15-red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51H4pSv9z+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRQJ745/ref=twister_B09N79BMLT", "value": "B16-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51O-lOcU4dL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRSBSND/ref=twister_B09N79BMLT", "value": "B16-blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/5157OMCunML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRRG83S/ref=twister_B09N79BMLT", "value": "B16-red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51BXyDTuukL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRQRGYH/ref=twister_B09N79BMLT", "value": "B17-army\u00a0green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41EolG-eyHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRRTSKH/ref=twister_B09N79BMLT", "value": "B17-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41DF5+BtP5L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRRJYV8/ref=twister_B09N79BMLT", "value": "B17-red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41YBzUpUKbL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRSBB8B/ref=twister_B09N79BMLT", "value": "B17-wine\u00a0red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41m6lmtN2uL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRQKF55/ref=twister_B09N79BMLT", "value": "B18-a", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41xwBwk+NJL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRR5XB1/ref=twister_B09N79BMLT", "value": "B11-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31LTd8KPqAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRRLMCY/ref=twister_B09N79BMLT", "value": "B13-a", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21YZs1y7vyL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRR7L6Q/ref=twister_B09N79BMLT", "value": "B19-a", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/313MYVGrKbL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRQX9K6/ref=twister_B09N79BMLT", "value": "B14-a", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/313XOtuikML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRQKT2P/ref=twister_B09N79BMLT", "value": "B21-a", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31c38QC+mPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NRQR7JM/ref=twister_B09N79BMLT", "value": "B12-a", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31YPa9ZtXBL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09NPNLQBK"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09NPMW9PW"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09NPN7FSP"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09NPMNDNK"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09NPNTLWQ"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B09NPML43M"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B09NPML43M", "category": "fashion", "query": "Women's Tops, Tees & Blouses", "page": 103, "small_description_old": "Short Sleeve Tops for Women BIG Promotion: Buy 2 get 8% off; Buy 3 get 10% off; Buy 4 get 12%; Buy 5 get 15%; Buy 7 get 20% off!!! The more you buy, the bigger the discount! \u3010Shipping\u3011\uff1aItems will arrive in 10-18 business days. \u3010Size Notice\u3011\uff1aOur products are in Asian sizes, which run smaller 1-2 size than the US size.Please refer to the size chart in the picture.For example, if you are M size in US, we advise L or XL for our size. closure \u3010Ultral Soft T-Shirts\u3011: Polyester and Spandex. This casual tops is lightweight, skin-friendly and comfortable for all-day comfort wear and durability. Funny graphic Tops for women plus size, butterfly printed shirts, women's basic v neck short sleeve t shirts, youth & adult tie dye t-shirt, vintage floral graphic top, summer casual loose fit tunics, funny graphics o-neck tees, vintage tshirts for women, cute printed tunic shirts. \u3010Funny Graphic Tops Features\u3011: Cute printed / 3D graphic / tie dye / floral / animal / butterfly short sleeve shirts. Women graphic tshirts,letter printed novelty loose fit, vintage printed t-shirts, casual plus size tunic tops. Be kind tshirt, happy camper t shirt, womens camping graphic tshirt, classic o-neck tees, women's cute juniors tops teen girl, happy camper short sleeve tunics, loose casual style, travel tees for women, funny tees for women with sayings. \u3010Occasions and All-Match Tees\u3011: This tops for women suitable for any occasions and all season! Perfect for casual, streetwear, dance, clubwear, office, school, outdoor, lounge, vacation, outdoor, beach, workout, yoga, ,etc. Easy to match with any pants, leggings, jeans, shorts, skirts, dress etc. This cute o-neck tees make you look young and stylish and will be a favorite in your loungewear wardrobe. \n \u3010Perfect Gift\u3011: A great gift for womens, juniors, teen girls, ladies, wife, girlfriend, mom, daughter for Easter, Birthday, Anniversary, Graduation, Valentines Day, Christmas, Mothers Day, Thanksgiving, etc. Recommend the opposite gentle washing. hand wash would be better.graphic t-shirts for women funny t-shirts for women t-shirts for women cotton t-shirts for women plus size t-shirts for women graphic vintage White black t-shirts for women tee for women short sleeve tee for women graphic tee for women plus size tee for women loose fit women tee shirts graphic oversize graphic t-shirts women graphic t-shirts teen girls graphic t-shirts trendy graphic tees for women vintage graphic tops for women sexy graphic tops for women plus size graphic tee shirtstee shirts for women graphic tee shirts for women loose fit plus size tee shirts for women with sayings tee shirts for women plus size tee shirts for women short sleeve women's tee shirts v neck women's tee shirts 3/4 sleeve womens tee shirts tall women tee shirts tunic tops for women sexy casual summer yoga tops for women activewear crewneck t-shirts for women pack crewneck tees for women cotton white crew neck tees for women crewneck tops for women short sleeve crewneck tunic tops for leggingsShow more"}, {"name": "French Connection Women's Zelda Sequin Dress", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 15.2 x 13.5 x 3.31 inches; 1.35 Pounds", "Item model number\n \u200f": "\u200e\n 71IEX", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n September 29, 2017", "Manufacturer\n \u200f": "\u200e\n French Connection Women's Collection", "ASIN\n \u200f": "\u200e\n B0756KN2XZ", "Best Sellers Rank": "#4,517,856 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#16,226 in Women's Club & Night Out Dresses", "#16,226 in Women's Club & Night Out Dresses": ""}, "brand": "Visit the French Connection Store", "brand_url": "https://www.amazon.com/stores/French+Connection/page/6FF6A981-5DDF-45B5-B93C-AE869E4CEDF3?ref_=ast_bln", "full_description": "This eye catching Zelda sequin dress is the perfect dress to make you feel sexy and chic at the same time.", "pricing": "$197.40$203.44", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41SrtDIknIL.jpg", "https://m.media-amazon.com/images/I/41ZXXD-RZNL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Dresses \u203a Club & Night Out", "average_rating": "", "small_description": ["100% Nylon ", "Imported ", "Dry Clean Only ", "Sequin dress ", "Long sleeved sequin dress ", "Colorful sequin dress ", "Sparkly dress ", "Mini dress "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "2", "asin": "B0756KN2XZ"}, {"is_selected": false, "is_available": true, "value": "6", "asin": "B0756N4SP2"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B0756KQCQY"}], "Color": null}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0756KQCQY", "category": "fashion", "query": "Women's Dresses", "page": 130, "small_description_old": "100% Nylon Imported Dry Clean Only Sequin dress Long sleeved sequin dress Colorful sequin dress Sparkly dress Mini dress"}, {"name": "The Cajun Spoon Chicken & Dumplings Mix", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 5.2 x 4.57 x 1.65 inches; 5.6 Ounces", "UPC\n \u200f": "\u200e\n 863219000236", "Manufacturer\n \u200f": "\u200e\n The Cajun Spoon", "ASIN\n \u200f": "\u200e\n B07G2SC9HW", "Best Sellers Rank": "#210,475 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#534 in Cajun Seasonings", "#534 in Cajun Seasonings": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: The Cajun Spoon", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=The+Cajun+Spoon", "full_description": "The Cajun Spoon's authentic Louisiana cuisine can now be made in your own home in 30 minutes or less! Our dry mixes are blended with the freshest ingredients with no MSG or artificial flavors, ensuring top quality easy-made meals for all to enjoy. Let us make your next dinner a success!", "pricing": "$11.94", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/516wyMxvkdL.jpg", "https://m.media-amazon.com/images/I/510J7Ix4kVL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Herbs, Spices & Seasonings \u203a Mixed Spices & Seasonings \u203a Cajun Seasoning", "average_rating": 4.5, "small_description": ["no MSG ", "no artificial flavors "], "total_reviews": 40, "total_answered_questions": "", "customization_options": "", "seller_id": "A1PCAUDZMYXM7B", "seller_name": "Grapes on Sale", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07G2SC9HW", "category": "grocery", "query": "Frozen", "page": 152, "small_description_old": "About this item no MSG no artificial flavors"}, {"name": "Wyndenhall 54-Inch Mansfield Solid Wood Console Sofa Table Rustic - Natural Aged Brown", "product_information": {"Product Dimensions": "16 x 54 x 30 inches", "Manufacturer": "WyndenHall", "ASIN": "B084HBQYTD", "Date First Available": "February 4, 2020"}, "brand": "Brand: CCT Global Sourcing", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=CCT+Global+Sourcing", "full_description": "Mansfield Solid Wood 54 inch Wide Rustic Console Sofa Table in Rustic Natural Aged Brown. . Features four drawers and open shelves. Handcrafted with care using the finest quality solid wood. . . Efforts are made to reproduce accurate colors, variations in color may occur due to computer monitor and photography. The product is warranted to be free from defects in material and workmanship for a period of (1) year from the date of purchase to the original owner.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/313kmfr3bRL.jpg", "https://m.media-amazon.com/images/I/31W7PFksoIL.jpg", "https://m.media-amazon.com/images/I/41nahAPCR7L.jpg", "https://m.media-amazon.com/images/I/31Qu1jLfkhL.jpg", "https://m.media-amazon.com/images/I/410yzkQ24TL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Tables \u203a Sofa & Console Tables", "average_rating": "", "small_description": ["Handcrafted with care using the finest quality solid wood ", "Hand-finished with a Rustic Natural Aged Brown stain and a protective NC lacquer to accentuate and highlight the grain and the uniqueness of each piece of furniture ", "Features four drawers and open shelves ", "Style includes elegantly tapered legs, molded crown edged table top and Antique Brass hardware. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B084HBQYTD", "category": "garden", "query": "Console tables", "page": 308, "small_description_old": "About this item\n \nHandcrafted with care using the finest quality solid wood Hand-finished with a Rustic Natural Aged Brown stain and a protective NC lacquer to accentuate and highlight the grain and the uniqueness of each piece of furniture Features four drawers and open shelves Style includes elegantly tapered legs, molded crown edged table top and Antique Brass hardware."}, {"name": "FUERMOR Light Purple Flash Backdrops 5x7ft Background for Wedding Photography Birthday Cake Table Home Decor YouTube Videos Photo Props FUTJ011", "product_information": {"Package Dimensions": "10.94 x 10.59 x 1.38 inches", "Item Weight": "10.8 ounces", "ASIN": "B07X9623L4", "Customer Reviews": {"ratings_count": 644, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#3,287 in Photographic Studio Photo Backgrounds"], "Date First Available": "July 1, 2019", "Manufacturer": "FUERMOR"}, "brand": "Visit the FUERMOR Store", "brand_url": "https://www.amazon.com/stores/FUERMOR/page/CB394195-0371-4ECD-A0D5-C6A9FB38D903?ref_=ast_bln", "full_description": "", "pricing": "$19.99", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51LaUFE9yPL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Lighting & Studio \u203a Photo Studio \u203a Backgrounds", "average_rating": 4.6, "small_description": ["\u25c6Material: Smooth,Feels like silk.Anti-wrinkle,Great quality,Lightweight fabric,Durable,Reusable.It can be washed and ironed. ", "\u25c6Pls noted:It's thin, can usuallybe seen through,therefore, we suggest that customers can buy two to use together. ", "\u25c6Size:5x7 ft(1.5mx2.1m),there is a rod pocket on the top for easy hanging.Manual measurement,there may be 1-3cm deviation exist, hope you can understand. ", "\u25c6Finish along all edges to prevent burrs.Each side is locked. ", "\u25c6Apply:It can be used for wedding,event party,birthday party,youtube videos,toy shooting,makeup videos,character portraits,business background and so on. "], "total_reviews": 644, "total_answered_questions": 18, "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "5x7ft", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B092HWLJXF/ref=twister_B092JBKZTL?_encoding=UTF8&psc=1", "value": "5x10ft", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07L6BLW8K/ref=twister_B092JBKZTL?_encoding=UTF8&psc=1", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51QNIFCzR1L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07L6BXKBX/ref=twister_B092JBKZTL?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61bUBUHkSnL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07L6CP1TB/ref=twister_B092JBKZTL?_encoding=UTF8&psc=1", "value": "Dark Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/61fbLElO7-L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07X7MVCFM/ref=twister_B092JBKZTL?_encoding=UTF8&psc=1", "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51jqQ7gurPL.jpg"}, {"is_selected": true, "url": null, "value": "Light Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51LaUFE9yPL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07BHD8RZK/ref=twister_B092JBKZTL?_encoding=UTF8&psc=1", "value": "Light Silver", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41uPQaF1S+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07B7HPGDT/ref=twister_B092JBKZTL?_encoding=UTF8&psc=1", "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51EuWSehFAL.jpg"}]}, "seller_id": "A1PQNKCYOMPWDE", "seller_name": "FUERMOR", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07X9623L4", "category": "electronics", "query": "Flashes", "page": 340, "small_description_old": "About this item\n \n\u25c6Material: Smooth,Feels like silk.Anti-wrinkle,Great quality,Lightweight fabric,Durable,Reusable.It can be washed and ironed. \u25c6Pls noted:It's thin, can usuallybe seen through,therefore, we suggest that customers can buy two to use together. \u25c6Size:5x7 ft(1.5mx2.1m),there is a rod pocket on the top for easy hanging.Manual measurement,there may be 1-3cm deviation exist, hope you can understand. \u25c6Finish along all edges to prevent burrs.Each side is locked. \u25c6Apply:It can be used for wedding,event party,birthday party,youtube videos,toy shooting,makeup videos,character portraits,business background and so on."}, {"name": "Btaidi 60PCS Retro 80s Aesthetic Picture for Wall Collage, 60 Set 4x6 inch, Colorful Collage Kit, Retro Room Decor for Girls, Wall Art Prints for Room, Dorm Photo Display, VSCO Posters for Bedroom", "product_information": {"Product Dimensions": "6 x 4 x 0.01 inches", "Item Weight": "9.6 ounces", "ASIN": "B08XZ58NCK", "Customer Reviews": {"ratings_count": 78, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#427,004 in Home & Kitchen (See Top 100 in Home & Kitchen) #12,778 in Posters & Prints"], "Date First Available": "March 4, 2021"}, "brand": "Visit the Btaidi Store", "brand_url": "https://www.amazon.com/stores/Btaidi/page/458AF87A-7975-4727-93DB-844657AAA29B?ref_=ast_bln", "full_description": "Btaidi 60 Set 80s 90s Retro Aesthetic Picture Cute Room Decor For Teen Girls Bedroom Aesthetic Wall Collage Kit,The Photo Collage Kit Vsco Room Decor,We Will Continue To Design Black And White Wall Collage Photo Kit\u3001Boho Aesthetic Wall Collage Kit \u3001Wall Collage Kit Aesthetic Pictures Beige\u3001 Vintage\u3001Beach Blue\u3001Neon Pink\u3001Purple\u3001White 80s 90s Retro Aesthetic Picture And So On,Please Follow Our Store And Brand Btaidi. The Wall Collage Kit Applicable For Wall Window Door Shelf Or You Could Use Strings And Clothespins To Hang Your Prints Above The Bed Or A Study Desk Or Use A Regular Scotch Tape Or Glue And A Large Poster Board To Curate An Aesthetic Photo Wall For Your Dorm Room Decor A Versatile Gift Perfect for Any Birthday, Christmas, Housewarming Gift That Shows Your Thoughtfulness And Flair For Gift Giving. Specifications: Material: Card-Stock Paper, Printed On Thick 14 Point Semi-Gloss Paper Size: Each Card Measures Approx. 4x6inch/10x15cm Color:As Picture Shown Because Of The Different Display Of Each Computer, The Pictures And Objects Will Be Slightly Different. Package Includes: 60 Set Pictures With 60 Different Style Photo Size Of Each Card: 4x6 Inch Coverage Of Whole Pack: 4.3*4.3 Ft ADD IT TO CART, GET START FOR YOUR FUNNY TIME!!!", "pricing": "$13.99$12.26", "list_price": "", "availability_quantity": 1, "availability_status": "In Stock. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/61lp2Ihq5YS.jpg", "https://m.media-amazon.com/images/I/51LdPsMctSS.jpg", "https://m.media-amazon.com/images/I/61OOucL2u7L.jpg", "https://m.media-amazon.com/images/I/613cik4FhBS.jpg", "https://m.media-amazon.com/images/I/61gW7A7x7iL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Wall Art \u203a Posters & Prints", "average_rating": 4.5, "small_description": ["\u3010PICTURES FOR BEDROOM WALL DECOR AESTHETIC\u3011This Photo Collage Kit For Teen Girls Bedroom Wall Aesthetic,The Package Include 60 Set 80s 90s Retro Aesthetic Picture Themed Wall Collage Kit .Printed On Card-stock 4x6 Inch ,Extra Sturdy,Fade-Resistant And Well-Printed. ", "\u3010 VISUALLY PHOTO COLLAGE KIT AESTHETIC FOR GIRLS\u3011 The Collage Kit Aesthetic Room Decor For Teen Girls Is The Newest Trends Interior Decorations. These Modern Style Wall Decor Photo Will Surely Make You Feel Relax And Inspire Every Day.You Could Create Your Own Aesthetic Masterpiece And Your Unique Personality And Style And Create Your Favorite Atmosphere In Your Own Space. ", "\u3010 UNLIMITED CREATIVITY FOR BEDROOM WALL\u3011 The Wall Collage Kit Pictures Decor For Bedroom Aesthetic,You Could Make It Easy To Set Up A Beautiful Collage Artwork On Your Bedroom Walls.Hang Your Aesthetic Posters Using Sticky Tack, Stick Them On The Wall, Put Them In Collage Frame, Or Hang Them!Add To The Aesthetic By Hanging Up String Lights. ", "\u3010 PERFECT GIFT IDEA CUTE ROOM DECOR\u3011 The Photo Wall Art Is A Gift Packaged With Its Beautiful And High Quality Packaging Box, It Not Only Makes The Gift Ready To Give, But Also Protect Your Wall Collage Kit Aesthetic Pictures From Any Possible Damage Or Bending.Makes A Great Gift For Girls That Love To Decorate Their Bedroom! ", "\u3010 100% SATISFACTION\u3011 If The Wall Collage Kit Don't Meet Your Expectations, Please Contact Our Customer Service And We Will Reply Shortly. We Care Deeply For Our Customers And Make You Our Top Priority! "], "total_reviews": 78, "total_answered_questions": "", "customization_options": "", "seller_id": "A17CUQ0MFBES74", "seller_name": "Btaidi", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": "", "asin": "B08XZ58NCK", "category": "garden", "query": "Wall art", "page": 248, "small_description_old": "About this item\n \n\u3010PICTURES FOR BEDROOM WALL DECOR AESTHETIC\u3011This Photo Collage Kit For Teen Girls Bedroom Wall Aesthetic,The Package Include 60 Set 80s 90s Retro Aesthetic Picture Themed Wall Collage Kit .Printed On Card-stock 4x6 Inch ,Extra Sturdy,Fade-Resistant And Well-Printed. \u3010 VISUALLY PHOTO COLLAGE KIT AESTHETIC FOR GIRLS\u3011 The Collage Kit Aesthetic Room Decor For Teen Girls Is The Newest Trends Interior Decorations. These Modern Style Wall Decor Photo Will Surely Make You Feel Relax And Inspire Every Day.You Could Create Your Own Aesthetic Masterpiece And Your Unique Personality And Style And Create Your Favorite Atmosphere In Your Own Space. \u3010 UNLIMITED CREATIVITY FOR BEDROOM WALL\u3011 The Wall Collage Kit Pictures Decor For Bedroom Aesthetic,You Could Make It Easy To Set Up A Beautiful Collage Artwork On Your Bedroom Walls.Hang Your Aesthetic Posters Using Sticky Tack, Stick Them On The Wall, Put Them In Collage Frame, Or Hang Them!Add To The Aesthetic By Hanging Up String Lights. \u3010 PERFECT GIFT IDEA CUTE ROOM DECOR\u3011 The Photo Wall Art Is A Gift Packaged With Its Beautiful And High Quality Packaging Box, It Not Only Makes The Gift Ready To Give, But Also Protect Your Wall Collage Kit Aesthetic Pictures From Any Possible Damage Or Bending.Makes A Great Gift For Girls That Love To Decorate Their Bedroom! \u3010 100% SATISFACTION\u3011 If The Wall Collage Kit Don't Meet Your Expectations, Please Contact Our Customer Service And We Will Reply Shortly. We Care Deeply For Our Customers And Make You Our Top Priority!"}, {"name": "Simply Smooth Xtend Keratin Replenishing Shampoo - Collagen Soothing, Moisturizing, Volumizing Daily Haircare Shampoo for All Hair Types - Sodium Chloride Free - 8.5 Oz", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 8.43 x 4.21 x 2.91 inches; 8.5 Ounces", "UPC\n \u200f": "\u200e\n 856836000154", "Manufacturer\n \u200f": "\u200e\n Simply Smooth", "ASIN\n \u200f": "\u200e\n B00NYLV8EY", "Best Sellers Rank": "#156,129 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#3,939 in Hair Shampoo", "#3,939 in Hair Shampoo": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$25.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31CPXJDyl1L.jpg", "https://m.media-amazon.com/images/I/51ARlqoJuTL.jpg", "https://m.media-amazon.com/images/I/51KsphK7O6L.jpg", "https://m.media-amazon.com/images/I/51--EdBP0FL.jpg", "https://m.media-amazon.com/images/I/51HLZPdI3AL.jpg", "https://m.media-amazon.com/images/I/51gYWByca-L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Shampoo & Conditioner \u203a Shampoos", "average_rating": 5, "small_description": [""], "total_reviews": 4, "total_answered_questions": "", "customization_options": "", "seller_id": "A2I438L31NUQ1K", "seller_name": "American Culture Brands", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B00NYLV8EY", "category": "beauty", "query": "Shampoo & Conditioner", "page": 105, "small_description_old": ""}, {"name": "Nautica Men's Solid Crew Neck Short-Sleeve Pocket T-Shirt", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 12.01 x 10 x 2.99 inches; 4.8 Ounces", "Item model number\n \u200f": "\u200e\n V41050", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n October 20, 2017", "Manufacturer\n \u200f": "\u200e\n Nautica", "ASIN\n \u200f": "\u200e\n B071L72WD4", "Best Sellers Rank": "#1,955 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#30 in Men's T-Shirts", "#30 in Men's T-Shirts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Nautica Store", "brand_url": "https://www.amazon.com/stores/Nautica/page/AE6F8A7E-6EEF-4FB0-8A5D-0ACDEA2E0DE4?ref_=ast_bln", "full_description": "Simply put, every guy needs a solid collection of pocket t-shirts in his collection. This cotton style from Nautica one ups its classic roots with a touch of stretch so you know it'll fit great and keep its shape for a long time to come.", "pricing": "$16.05$40.98", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31M-Cz1Y0YL.jpg", "https://m.media-amazon.com/images/I/21LHL1oDfiL.jpg", "https://m.media-amazon.com/images/I/21yHaHyvEOL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Shirts \u203a T-Shirts", "average_rating": 4.6, "small_description": ["Casual crew-neck styling ", "Short sleeves; pocket at chest with Nautica logo ", "One fit ", "Classic/one fit "], "total_reviews": 9347, "total_answered_questions": 45, "customization_options": {"Size": [{"is_selected": false, "is_available": false, "value": "X-Small", "asin": "B071L72WD4"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B07HRC2DX2"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07HRCFGG7"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07HRFW1GZ"}, {"is_selected": false, "is_available": false, "value": "Large Tall", "asin": "B075LJSXZ3"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07HRFSNL4"}, {"is_selected": false, "is_available": false, "value": "X-Large Tall", "asin": "B075LH5LWQ"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07HR8C86D"}, {"is_selected": false, "is_available": false, "value": "XX-Large Tall", "asin": "B075LPQXG2"}, {"is_selected": false, "is_available": false, "value": "3X-Large Tall", "asin": "B075LJQC6S"}, {"is_selected": false, "is_available": false, "value": "4X-Large Tall", "asin": "B075LTSTBN"}, {"is_selected": false, "is_available": false, "value": "5X-Large Tall", "asin": "B075LRNQ82"}, {"is_selected": false, "is_available": false, "value": "1X", "asin": "B075LJQC6F"}, {"is_selected": false, "is_available": false, "value": "2X", "asin": "B075LH3YLP"}, {"is_selected": false, "is_available": false, "value": "3X", "asin": "B075LTXHTN"}, {"is_selected": false, "is_available": false, "value": "4X", "asin": "B075LJ2M69"}, {"is_selected": false, "is_available": false, "value": "5X", "asin": "B075LQZX1K"}, {"is_selected": false, "is_available": false, "value": "6X", "asin": "B075LRGYCS"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B075LTSTBN/ref=twister_B06XWRBDL3", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/11t+Y6SX3sL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075LJSY6G/ref=twister_B06XWRBDL3", "value": "Noon Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/11v6kyeDopL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075LQMLX5/ref=twister_B06XWRBDL3", "value": "Grey Heather", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/216TtrsbgML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075LH5LX3/ref=twister_B06XWRBDL3", "value": "Nautica Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41cPON7Xx0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075LJ2M99/ref=twister_B06XWRBDL3", "value": "Bright White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/11B-JdMFrwL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075LQJXVB/ref=twister_B06XWRBDL3", "value": "True Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/01rdxxMaLRL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07J9PZH32/ref=twister_B06XWRBDL3", "value": "Pale Coral", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31FsRoICwIL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HRBKZ5J/ref=twister_B06XWRBDL3", "value": "Cradle Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/312cUZf7sXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HRBKZ9M/ref=twister_B06XWRBDL3", "value": "Bright Aqua", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31uZk51gz+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HRC27HF/ref=twister_B06XWRBDL3", "value": "Mint Spring", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31WGCQzx+EL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HR86ZV2/ref=twister_B06XWRBDL3", "value": "Monaco Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31JWylcvuSL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HR877R1/ref=twister_B06XWRBDL3", "value": "Charcoal Heather (Dark)", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41-vuPu+14L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HR86ZPW/ref=twister_B06XWRBDL3", "value": "Barolo", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41RAj46+1iL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HRBB388/ref=twister_B06XWRBDL3", "value": "Tidal Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/416QK-CAjzL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075LPLM8V/ref=twister_B06XWRBDL3", "value": "Charcoal Heather (Light)", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/414qjCZixXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075LRDXD8/ref=twister_B06XWRBDL3", "value": "Estate Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ZVrvTfDtL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01M60PQZP/ref=twister_B06XWRBDL3", "value": "Patina Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Kqux4yjvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00JN3CCEW/ref=twister_B06XWRBDL3", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/01daL7jNBAL.jpg"}, {"is_selected": true, "url": null, "value": "Bright Aqua Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31M-Cz1Y0YL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HR8LSR5/ref=twister_B06XWRBDL3", "value": "Bright Cobalt", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31qB4-HDNzL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HR8LPYJ/ref=twister_B06XWRBDL3", "value": "Coral Sands", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31F42XSzh1L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HRBWDQS/ref=twister_B06XWRBDL3", "value": "Deep Anchor Heather", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41lVSkgGQ8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HRBN2B2/ref=twister_B06XWRBDL3", "value": "Hawaiian Ocean", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41YOjG8AdXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HRCFGTN/ref=twister_B06XWRBDL3", "value": "Melon Berry", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/316pHRjLaZS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HR8PN1L/ref=twister_B06XWRBDL3", "value": "Pine Forest Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31-Uy020LiL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HRGMK3L/ref=twister_B06XWRBDL3", "value": "Shipwreck Burgundy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31BYXjRXheL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00JN3CFSK/ref=twister_B06XWRBDL3", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/11B-JdMFrwL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07HR8LPWL/ref=twister_B06XWRBDL3", "value": "Zest", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Cqo-nsIBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08KQK3S2R/ref=twister_B06XWRBDL3", "value": "Deep Atlantic", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31jlXQpu2LL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08KQL4NCR/ref=twister_B06XWRBDL3", "value": "Delft", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41UZomRuhHL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01M7MF7PP/ref=twister_B06XWRBDL3", "value": "Pale Coral Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31FsRoICwIL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07HRFSNL4", "category": "fashion", "query": "Men's Dress Shirts", "page": 3, "small_description_old": "95% Cotton, 5% Spandex Imported Pull On closure Machine Wash Casual crew-neck styling Short sleeves; pocket at chest with Nautica logo One fit Classic/one fit"}, {"name": "COSRX Acne Blemish Spot Drying Lotion 1.01 fl. oz / 30ml Dry and Reduce Blemish Spot, Pimple, Whitehead, Spot Treatment", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 3.23 x 1.97 x 3.15 inches; 0.28 Ounces", "Manufacturer\n \u200f": "\u200e\n COSRX INC.", "ASIN\n \u200f": "\u200e\n B09B321GS4", "Best Sellers Rank": "#21,949 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#436 in Body Lotions", "#436 in Body Lotions": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the COSRX Store", "brand_url": "https://www.amazon.com/stores/COSRX/page/C65C37C6-99CB-4105-9EFE-3E0C3F377888?ref_=ast_bln", "full_description": "", "pricing": "$16.00", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/316p731wosL.jpg", "https://m.media-amazon.com/images/I/31rE71ZDW5L.jpg", "https://m.media-amazon.com/images/I/41vTHz5qwfL.jpg", "https://m.media-amazon.com/images/I/41XkABP9HML.jpg", "https://m.media-amazon.com/images/I/41htO9PJe1L.jpg", "https://m.media-amazon.com/images/I/41cImVRZrgL.jpg", "https://m.media-amazon.com/images/I/41qqYV0TSJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Body \u203a Moisturizers \u203a Lotions", "average_rating": 4.4, "small_description": ["ACNE Treating Blemish Lotion: Spot treat your acne concerns! ", "Calm and Dry: For deep to surface level breakouts, apply to calm and dry out the gunk. ", "Key Ingredients: Calamine 12% Zinc Oxide 6% Salicylic Acid 1,500 ppm Vitamin B12 (Cyanocobalamin) ", "Spot and Blemish Free: Leave and let it do its work to clear your skin. ", "COSRX Standards:All COSRX products are formulated with skin-friendly ingredients that alleviate irritated skin. Hypoallergenic, Dermatologist tested, Animal Testing-FREE, Parabens-FREE, Sulfates-FREE, Phthalates-FREE "], "total_reviews": 67, "total_answered_questions": "", "customization_options": "", "seller_id": "A2E3ILYZ70ZIBL", "seller_name": "COSRX", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09B321GS4", "category": "beauty", "query": "Body Care", "page": 13, "small_description_old": "About this item ACNE Treating Blemish Lotion: Spot treat your acne concerns! Calm and Dry: For deep to surface level breakouts, apply to calm and dry out the gunk. Key Ingredients: Calamine 12% Zinc Oxide 6% Salicylic Acid 1,500 ppm Vitamin B12 (Cyanocobalamin) Spot and Blemish Free: Leave and let it do its work to clear your skin. COSRX Standards: Clean Beauty - All COSRX products are formulated with skin-friendly ingredients that alleviate irritated skin. Hypoallergenic, Dermatologist tested, Cruelty-FREE, Parabens-FREE, Sulfates-FREE, Phthalates-FREE"}, {"name": "Woody BL-EF Electric Fireplace 77\" TV Stand (White/Gray)", "product_information": {"Item Weight": "\u200e150 pounds", "Product Dimensions": "\u200e15.8 x 77.2 x 23.4 inches", "ASIN": "B09MNNBDTJ", "Customer Reviews": {"ratings_count": null, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#2,093,169 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,850 in Television Stands"], "Date First Available": "November 27, 2021"}, "brand": "Brand: Generic", "brand_url": "https://www.amazon.com/Generic/b/ref=bl_dp_s_web_2529470011?ie=UTF8&node=2529470011&field-lbr_brands_browse-bin=Generic", "full_description": "Woody BL-EF Electric Fireplace 77\" TV Stand - Modern TV Stand / TV Console / TV Cabinet / Central Entertainment Center Fits up to 85 inch TVs White/Black and White/Gray: high gloss fronts, legs, and body Oak/Gray: high gloss legs, matte fronts and body 40\" wide electric fireplace insert included with glass fronts, remote control and on/off control, 3 changeable flame colors, temperature control, timer setting, and dimmer Manufactured in and imported from the European Union Modern and unique contemporary design Perfect for those in need of living room storage space Flat packed and ready to ship Dimensions: 23.4 inches height x 77.2 inches width x 15.8 inches depth", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/21Y1ve72QDL.jpg", "https://m.media-amazon.com/images/I/41WKHNzuamL.jpg", "https://m.media-amazon.com/images/I/21sqjBO0LZL.jpg", "https://m.media-amazon.com/images/I/41j8b4F2IfL.jpg", "https://m.media-amazon.com/images/I/21VftGF0NeL.jpg", "https://m.media-amazon.com/images/I/31qa2o-agiL.jpg", "https://m.media-amazon.com/images/I/41wl9kgSQ4L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a TV & Media Furniture \u203a Television Stands & Entertainment Centers", "average_rating": 4, "small_description": ["Woody BL-EF Electric Fireplace 77\" TV Stand - Modern TV Stand / TV Console / TV Cabinet / Central Entertainment Center ", "Fits up to 85 inch TVs ", "White/Black and White/Gray: high gloss fronts, legs, and body ", "Oak/Gray: high gloss legs, matte fronts and body ", "40\" wide electric fireplace insert included with glass fronts, remote control and on/off control, 3 changeable flame colors, temperature control, timer setting, and dimmer ", "Manufactured in and imported from the European Union ", "Dimensions: 23.4 inches height x 77.2 inches width x 15.8 inches depth "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09MNNBDTJ", "category": "garden", "query": "TV Stands", "page": 305, "small_description_old": "About this item Woody BL-EF Electric Fireplace 77\" TV Stand - Modern TV Stand / TV Console / TV Cabinet / Central Entertainment Center Fits up to 85 inch TVs White/Black and White/Gray: high gloss fronts, legs, and body Oak/Gray: high gloss legs, matte fronts and body 40\" wide electric fireplace insert included with glass fronts, remote control and on/off control, 3 changeable flame colors, temperature control, timer setting, and dimmer Manufactured in and imported from the European Union Dimensions: 23.4 inches height x 77.2 inches width x 15.8 inches depth \n \u203a See more product details"}, {"name": "Christmastime Treasures - 1 LB Resealable Bag - Christmas Themed Sprinkle Mix - Features Snowflake Quins, Santa Boot Quins, Red, Silver, and Green Pearls and More - Ice Cream and Cake Sprinkles", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 9.17 x 6.34 x 1.65 inches; 1.01 Pounds", "UPC\n \u200f": "\u200e\n 764227315834", "Manufacturer\n \u200f": "\u200e\n Sprinkle Me This", "ASIN\n \u200f": "\u200e\n B09FK6LQ59", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#270,198 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#1,640 in Dessert Sprinkles", "#1,640 in Dessert Sprinkles": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Sprinkle Me This Store", "brand_url": "https://www.amazon.com/stores/SprinkleMeThis/page/023F835B-1515-496C-B06E-4CF9D3CB0910?ref_=ast_bln", "full_description": "We gathered up all the things that make Christmas special and filled a bag full of treasures! This 1lb resealable bag features a ton of Christmas themed sprinkles including stocking quins, snowflake quins, pearls in green, red, silver, and gold and so much more. Christmastime Treasurers will the be the sprinkle mix that will leave your guests amazed of everything in it. It's a great decoration for Christmas parties, holiday parties, office parties, birthday parties, baby showers, Chrismas festivals, and bake sales. Every time you sprinkle Christmastime Treasures, you'll find something you didn't see before such as gingerbread stars and men. mini red nonpareils, and green, white and gold jimmies. The mix of colors and quins is a great blend of Christmas sprinkles that is sure to be an amazing decoration for your cakes, cupcakes, pastries, donuts, and other holiday desserts. And if you and your guests can't get enough, use your Christmastime Treasures to decorate other tasty treats such as ice cream, ice cream cakes, milkshakes, sundaes, and even on your next gingerbread house.", "pricing": "$14.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/61vITVrLXuL.jpg", "https://m.media-amazon.com/images/I/51+YjzgEn2L.jpg", "https://m.media-amazon.com/images/I/51eUzmyDezL.jpg", "https://m.media-amazon.com/images/I/41dCH8umK+L.jpg", "https://m.media-amazon.com/images/I/51Tg7DQ05yL.jpg", "https://m.media-amazon.com/images/I/5137VvwTBQL.jpg", "https://m.media-amazon.com/images/I/61qDVKCK56L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Cooking & Baking \u203a Frosting, Icing & Decorations \u203a Sprinkles", "average_rating": 4, "small_description": ["We gathered up all the things that make Christmas special and filled a bag full of treasures! This 1lb resealable bag features a ton of Christmas themed sprinkles including stocking quins, snowflake quins, pearls in green, red, silver, and gold and so much more. ", "Christmastime Treasurers will the be the sprinkle mix that will leave your guests amazed of everything in it. It's a great decoration for Christmas parties, holiday parties, office parties, birthday parties, baby showers, Christmas festivals, and bake sales. ", "Every time you sprinkle Christmastime Treasures, you'll find something you didn't see before such as gingerbread stars and men. mini red nonpareils, and green, white and gold jimmies. ", "The mix of colors and quins is a great blend of Christmas sprinkles that is sure to be an amazing decoration for your cakes, cupcakes, pastries, donuts, and other holiday desserts. ", "And if you and your guests can't get enough, use your Christmastime Treasures to decorate other tasty treats such as ice cream, ice cream cakes, milkshakes, sundaes, and even on your next gingerbread house. "], "total_reviews": 11, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09FK738RS/ref=twister_B09FK7P2ZL?_encoding=UTF8&psc=1", "value": "4 Oz", "price_string": "$9.99", "price": 9.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09FK8HDZ9/ref=twister_B09FK7P2ZL?_encoding=UTF8&psc=1", "value": "8 Oz", "price_string": "$12.99", "price": 12.99, "image": null}, {"is_selected": true, "url": null, "value": "16 Oz (1 LB)", "price_string": "$14.99", "price": 14.99, "image": null}]}, "seller_id": "A1O85R2X252EWG", "seller_name": "The Wright Sales", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09FK6LQ59", "category": "grocery", "query": "Party Mix", "page": 51, "small_description_old": "We gathered up all the things that make Christmas special and filled a bag full of treasures! This 1lb resealable bag features a ton of Christmas themed sprinkles including stocking quins, snowflake quins, pearls in green, red, silver, and gold and so much more. Christmastime Treasurers will the be the sprinkle mix that will leave your guests amazed of everything in it. It's a great decoration for Christmas parties, holiday parties, office parties, birthday parties, baby showers, Christmas festivals, and bake sales. Every time you sprinkle Christmastime Treasures, you'll find something you didn't see before such as gingerbread stars and men. mini red nonpareils, and green, white and gold jimmies. The mix of colors and quins is a great blend of Christmas sprinkles that is sure to be an amazing decoration for your cakes, cupcakes, pastries, donuts, and other holiday desserts. And if you and your guests can't get enough, use your Christmastime Treasures to decorate other tasty treats such as ice cream, ice cream cakes, milkshakes, sundaes, and even on your next gingerbread house."}, {"name": "Dark Spot Remover for Face and Body,Brighten & Moisturizes Armpit, Neck, Knees, Private Parts - Body Moisturizer Intimate Skin Cream (orange)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 5.08 x 1.69 x 1.65 inches; 2.89 Ounces", "UPC\n \u200f": "\u200e\n 761865925517", "Manufacturer\n \u200f": "\u200e\n elvanya", "ASIN\n \u200f": "\u200e\n B08HNFTG83", "Best Sellers Rank": "#4,563 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#60 in Body Creams", "#60 in Body Creams": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Elvanya Store", "brand_url": "https://www.amazon.com/stores/Elvanya/page/7DFE7C3D-4EB9-462F-9246-1678D9C6D7B0?ref_=ast_bln", "full_description": "", "pricing": "$15.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51Ha78XQyDL.jpg", "https://m.media-amazon.com/images/I/41uNYAKC4EL.jpg", "https://m.media-amazon.com/images/I/41bnD6FvwHL.jpg", "https://m.media-amazon.com/images/I/41t-6yLGX6L.jpg", "https://m.media-amazon.com/images/I/41jzJ4hzFLL.jpg", "https://m.media-amazon.com/images/I/41V+uYPCj6L.jpg", "https://m.media-amazon.com/images/I/51FEhNJtSkL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Body \u203a Moisturizers \u203a Creams", "average_rating": 4, "small_description": ["Collagen and Bamboo Charcoal Infused - The natural based ingredients of this product such as collagen and bamboo charcoal helps the skin get more nourishment. The additional collagen provided by this product can help repair broken skin and tighten big pores. The bamboo charcoal infused in this product helps remove dirt, dust and unwanted smell. ", "Brighten the Skin - Achieve a more fairer skin with this product. Brightening cream that helps the skin achieve a shine glow in a short period of time. ", "Moisturizing the Skin - This product doesn't only brighten your skin but it also promotes skin moisturization with continued use. The scientifically formulated cream helps keep the skin moisturized and for a healthier you. ", "Can Be Used All Over the Body - Essential for making up those private areas such as the underarms, knees, elbows, neck, and in-between your legs. This body cream helps brighten those dark spots and keep skin moisturized to maintain healthier skin. ", "Get Your Beach Body Ready - Have your summer body, beach body ready in no time. Achieve the summer body you want while using this cream on those problem areas and be ready to flaunt your beach ready body. "], "total_reviews": 3665, "total_answered_questions": 30, "customization_options": {"Style": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09SGMQNF1/ref=twister_B09SMXKSMC?_encoding=UTF8&psc=1", "value": "greenset", "price_string": "$30.99", "price": 30.99, "image": "https://m.media-amazon.com/images/I/51ZNHh3-R1L.jpg"}, {"is_selected": true, "url": null, "value": "orange", "price_string": "$15.99", "price": 15.99, "image": "https://m.media-amazon.com/images/I/51Ha78XQyDL.jpg"}]}, "seller_id": "A1MSO4H43JWEWZ", "seller_name": "Glamhiv", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08HNFTG83", "category": "beauty", "query": "Body Makeup", "page": 13, "small_description_old": "About this item Collagen and Bamboo Charcoal Infused - The natural based ingredients of this product such as collagen and bamboo charcoal helps the skin get more nourishment. The additional collagen provided by this product can help repair broken skin and tighten big pores. The bamboo charcoal infused in this product helps remove dirt, dust and unwanted smell. Brighten the Skin - Achieve a more fairer skin with this product. Brightening cream that helps the skin achieve a shine glow in a short period of time. Moisturizing the Skin - This product doesn't only brighten your skin but it also promotes skin moisturization with continued use. The scientifically formulated cream helps keep the skin moisturized and for a healthier you. Can Be Used All Over the Body - Essential for making up those private areas such as the underarms, knees, elbows, neck, and in-between your legs. This body cream helps brighten those dark spots and keep skin moisturized to maintain healthier skin. Get Your Beach Body Ready - Have your summer body, beach body ready in no time. Achieve the summer body you want while using this cream on those problem areas and be ready to flaunt your beach ready body."}, {"name": "XUHUI Bookshelf for Office Plastic Desktop File Small Bookshelf, Desktop Creative Bookshelf for Office Storage Organizer, Thicker File Basket with Handle Bookcase (Color : Green)", "product_information": {"Item Weight": "\u200e2.2 pounds", "Country of Origin": "\u200eChina", "ASIN": "B09S5KV1MY", "Date First Available": "January 7, 2022"}, "brand": "Brand: XUHUI", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=XUHUI", "full_description": "Will bring a natural aesthetic style to your home. It also adds a sense of fashion and appeal to your space.Product: BookshelfMaterial: PSColor classification: green, blueWeight: 1000gSize: 6.2x10x12.5inOrigin: South KoreaProduct specifications: single packageIf you have any questions, please feel free to contact us via email and we will get back to you as soon as possible.", "pricing": "$88.03", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31abL+DKapL.jpg", "https://m.media-amazon.com/images/I/3162u04ikuL.jpg", "https://m.media-amazon.com/images/I/31Rvq4tVKSL.jpg", "https://m.media-amazon.com/images/I/41lQsYCr41L.jpg", "https://m.media-amazon.com/images/I/41omnZ8lEcL.jpg", "https://m.media-amazon.com/images/I/41d7Wmk6TcL.jpg", "https://m.media-amazon.com/images/I/41-o1wwgy1L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Office Products \u203a Office & School Supplies \u203a Desk Accessories & Workspace Organizers \u203a Platforms, Stands & Shelves \u203a Desktop & Off-Surface Shelves", "average_rating": "", "small_description": ["It is not only a place to store books, but also decorations that can make your house unique. ", "Organize and store, separate the small partition design in the middle, separate and organize files and books, and tidy your desktop space. ", "Handle design, open your mobile storage for easy access, move at any time, dust is not easy to accumulate and wash, the design is ventilated and not easy to get dirty. Ventilation and moisture resistance are simple and modern. ", "Multifunctional bookshelf mobile book basket, hand-held on both sides, convenient to move and take on more classified storage, single combination single combination design, classification combination makes storage clear. ", "Made of high-quality PS material, durable, odorless, hygienic and environmentally friendly, non-toxic, environmentally friendly When you open your mobile storage, you can easily carry and move it at any time. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09S5PFT8Z/ref=twister_B09SCZWZ5Z?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "$88.03", "price": 88.03, "image": "https://m.media-amazon.com/images/I/31L5oty0lEL.jpg"}, {"is_selected": true, "url": null, "value": "Green", "price_string": "$88.03", "price": 88.03, "image": "https://m.media-amazon.com/images/I/31abL+DKapL.jpg"}]}, "seller_id": "A1D4V62U85ASRU", "seller_name": "YUYUMINGMING", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09S5KV1MY", "category": "garden", "query": "Book Cases", "page": 179, "small_description_old": "About this item It adopts a simple and modern design, which is very suitable for any room, creating more storage space for your home without taking up too much space. Organize and store, separate the small partition design in the middle, separate and organize files and books, and tidy your desktop space. Handle design, open your mobile storage for easy access, move at any time, dust is not easy to accumulate and wash, the design is ventilated and not easy to get dirty. Ventilation and moisture resistance are simple and modern. Multifunctional bookshelf mobile book basket, hand-held on both sides, convenient to move and take on more classified storage, single combination single combination design, classification combination makes storage clear. Made of high-quality PS material, durable, odorless, hygienic and environmentally friendly, non-toxic, environmentally friendly When you open your mobile storage, you can easily carry and move it at any time. \n \u203a See more product details"}, {"name": "Hstore Life Skull Bluetooth Speakers, Portable Wireless Speaker Built-in Mic, Cool Creative Design Bass Stereo Speaker for Halloween, Party, Travel, Outdoor, Home Decor, Support TF/U Disk/AUX", "product_information": {"Product Dimensions": "2.9 x 2.6 x 3.5 inches", "Item Weight": "7.9 ounces", "Manufacturer": "Hstore Life", "ASIN": "B09RF2DLZX", "Best Sellers Rank": ["#3,859 in Portable Bluetooth Speakers #34,081 in MP3 & MP4 Player Accessories"]}, "brand": "Brand: Hstore Life", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Hstore+Life", "full_description": "\u25b6Brand\u25c0 Hstore Life Product Name: Skull Bluetooth Speaker Unique Bluetooth Skull Speaker A Unique Gift for Your Family and Friends This skull speaker is the Newest Designed, the unique artistic modeling is very attractive, Sunglasses-Skull Speaker. It's your best choice as a cool creative gift to your friends and family. Portable Nice Little Bluetooth Speaker with Amazing Sound This little portable speaker has a 8W loudspeaker, it features super cool skull shape and stereo sound quality, this speaker not only plays high quality music, but also very collectible. It also can be used for home decoration or marvelous party playtime. Support TWS Dual Wireless Stereo Pairing You can order 2 pieces of this speaker, and pair 2 speakers with a single device to enjoy the perfect stereo sound at the same time. The stereo sounds will be more wonderful. Please follow these steps: 1. Remove the previous Bluetooth connection records of these two speakers on your phone or bluetooth devices. 2. Turn on the two speakers at the same time. 3. Selecting one speaker and press the \"model\" button and hold on, You will hear a beeping sound within three seconds, which means that the two speakers are automatically paired successfully. When you hear the beep release the \"model\" button. 4. connect your device via bluetooth, then you can now enjoy the sound effects of the two speakers at the same time. Package included: 1 x Skull Bluetooth Speaker 1 x USB Cable", "pricing": "$129.59", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/411Yt2TjnfL.jpg", "https://m.media-amazon.com/images/I/41-IdnPgBzL.jpg", "https://m.media-amazon.com/images/I/41pFdlTvU0L.jpg", "https://m.media-amazon.com/images/I/51XpwBPP2rL.jpg", "https://m.media-amazon.com/images/I/41TYt4KO5BL.jpg", "https://m.media-amazon.com/images/I/41HLS5pWAKL.jpg", "https://m.media-amazon.com/images/I/412HWjKs3UL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Portable Audio & Video \u203a Portable Speakers & Docks \u203a Portable Bluetooth Speakers", "average_rating": "", "small_description": ["\u3010Attractive Creative Art Design\u3011TOUMENY Unique, innovative, outstanding skull head with glasses design, Perfectly Portable fits easily inside backpacks or computer bags. Easy to switch the songs and volume control and take the call and also good for home decoration or gift. ", "\u3010Extraordinary sound quality\u3011Built-in Hi-Fi chip and subwoofer chip, Smart noise-cancelling, and stereo enhancement technology, you will get clear uniform and amazing sound quality. The advanced audio processing tech, larger drivers, and more powerful amplifier modules results in a fully articulate sound at all volumes. ", "\u3010HAND MADE\u3011Hand-filling with the polymer resin, integral forming under vacuum at-0.2 MPA and then hand-painting. The matte black surface is particularly textured and makes you adore it. The material is lightweight and its total weight is only about 420g. ", "\u3010Long Playtime, Fast Recharge\u3011Built in 1200mah battery. lasts up to 6-7 hours of music playtime with full charge, recharge just 2 hours,Highly Durable Constructed with premium materials to keep you charging again and again,universal micro USB charging port design, and support TF card, U disk, Audio cable connection playing. ", "\u3010TRUE WIRELESS STEREO\u30118W audio level still not enough Loud? Thanks to TWS function, If you pair two this model speakers, you can achieve real wireless Bluetooth playing for left and right channels separated of two Bluetooth speakers. Just control the TWS master device, then music can be played in sync on both devices with double enhanced stereo sound, your space will be filled with music. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "ALQEQB23C43SS", "seller_name": "Lisin", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09RF2DLZX", "category": "electronics", "query": "Bluetooth Speakers", "page": 73, "small_description_old": "About this item\n \n\u3010Attractive Creative Art Design\u3011Unique, innovative, outstanding skull head with glasses design, Perfectly Portable fits easily inside backpacks or computer bags. Easy to switch the songs and volume control and take the call and also good for home decoration or gift. \u3010Extraordinary sound quality\u3011Built-in Hi-Fi chip and subwoofer chip, Smart noise-cancelling, and stereo enhancement technology, you will get clear uniform and amazing sound quality. The advanced audio processing tech, larger drivers, and more powerful amplifier modules results in a fully articulate sound at all volumes. \u3010HAND MADE\u3011Hand-filling with the polymer resin, integral forming under vacuum at-0.2 MPA and then hand-painting. The matte black surface is particularly textured and makes you adore it. The material is lightweight and its total weight is only about 420g. \u3010Long Playtime, Fast Recharge\u3011Built in 1200mah battery. lasts up to 6-7 hours of music playtime with full charge, recharge just 2 hours,Highly Durable Constructed with premium materials to keep you charging again and again,universal micro USB charging port design, and support TF card, U disk, Audio cable connection playing. \u3010TRUE WIRELESS STEREO\u30118W audio level still not enough Loud? Thanks to TWS function, If you pair two this model speakers, you can achieve real wireless Bluetooth playing for left and right channels separated of two Bluetooth speakers. Just control the TWS master device, then music can be played in sync on both devices with double enhanced stereo sound, your space will be filled with music."}, {"name": "ZGF face Massager Facial Lifting Skin Microcurrent Tightening Reduce Wrinkle Galvanic Spa Face Body Care Massager Home Use Beauty Device Tool. (Color : White)", "product_information": {"Item Weight": "0.035 ounces", "Department": "Unisex-adult", "Manufacturer": "ZGF", "ASIN": "B097TTFZ43", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#281,039 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #94 in Wrinkle & Anti-Aging Devices"]}, "brand": "Brand: ZGF", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ZGF", "full_description": "Thanks to its small size and wireless design, you can either use it at home and enjoy beauty salon at home, or carry it with you whenever you are on business travel or on vacation.Packing list:1x Microcurrent Beauty Device3x Replaceable Heads1x Base1x Charging Cord1x Storage Bag1x User ManualNote:Please allow some deviation due to manual measurement and make sure you do not mind before purchase.The color of the actual item may slightly vary from the images due to different computer screens and display settings.Thanks for your understanding!", "pricing": "$79.78", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/31-al-v+uMS.jpg", "https://m.media-amazon.com/images/I/413Fn7tXnKS.jpg", "https://m.media-amazon.com/images/I/51P5mZW7KBS.jpg", "https://m.media-amazon.com/images/I/510A-TOcmoS.jpg", "https://m.media-amazon.com/images/I/51mainQP8QS.jpg", "https://m.media-amazon.com/images/I/41BjPrRjHpS.jpg", "https://m.media-amazon.com/images/I/41SY6dcdsQS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Skin Care Tools \u203a Wrinkle & Anti-Aging Devices", "average_rating": 5, "small_description": ["The bio microcurrent device is multifunctional and capable of solving a various of skin problems including: lift and tighten skin, reduce fine lines and wrinkles, shrink large pores, stimulate collagen, elastin, circulation, and penetration, moisturize and rejuvenate skin. ", "It allows the introduction of essence, toner, lotion, facial mask, etc., which will promote the skin absorption of nutrients and largely improve your skin condition. "], "total_reviews": 1, "total_answered_questions": "", "customization_options": {"Color": null}, "seller_id": "A2IMH0FMZYLBJ5", "seller_name": "Xuan shop", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B097TTFZ43", "category": "beauty", "query": "Skin Care Tools", "page": 133, "small_description_old": "About this item The bio microcurrent device is multifunctional and capable of solving a various of skin problems including: lift and tighten skin, reduce fine lines and wrinkles, shrink large pores, stimulate collagen, elastin, circulation, and penetration, moisturize and rejuvenate skin. It allows the introduction of essence, toner, lotion, facial mask, etc., which will promote the skin absorption of nutrients and largely improve your skin condition."}, {"name": "Womens Mens house slippers Memory Foam Garden Plush Lining Slip On Rubber sole Indoor Outdoor House Casual Shoes \uff08Black adult-10.5-11)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 13.58 x 6.14 x 3.78 inches; 1.1 Pounds", "Date First Available\n \u200f": "\u200e\n October 6, 2021", "ASIN\n \u200f": "\u200e\n B09F2MFG1Q", "": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: ODOUK", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_sh_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=ODOUK", "full_description": "", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/417wl6qwtUL.jpg", "https://m.media-amazon.com/images/I/31LiLzAhpzL.jpg", "https://m.media-amazon.com/images/I/31ZSNNMeLgL.jpg", "https://m.media-amazon.com/images/I/41FGrhY0AHL.jpg", "https://m.media-amazon.com/images/I/41yt+4Z5vgL.jpg", "https://m.media-amazon.com/images/I/41sL5Nm1P4L.jpg", "https://m.media-amazon.com/images/I/41TwelZcV3L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": 3.3, "small_description": [""], "total_reviews": 3, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09F2MFG1Q", "category": "fashion", "query": "Men's Slippers", "page": 93, "small_description_old": ""}, {"name": "Touch Screen Replacement Parts Digitizer Glass Assembly Kit for iPad 2 2nd Gen 2011 (A1397 A1395 A1396) with Home Button + Camera Holder Adhesive Stickers Professional Tools (White)", "product_information": {"Package Dimensions": "10.98 x 8.43 x 0.87 inches", "Item Weight": "9.9 ounces", "Manufacturer": "Antrix", "ASIN": "B09G2ZL7CP", "Item model number": "screen-2w", "Customer Reviews": {"ratings_count": 5, "stars": "3.2 out of 5 stars"}, "Best Sellers Rank": ["#537 in Tablet Replacement Screens #63,161 in Tablet Accessories"], "Date First Available": "September 13, 2021"}, "brand": "Visit the Antrix Store", "brand_url": "https://www.amazon.com/stores/antrixpatch/page/55A48CE9-86D5-4713-8EAE-799F4EDC19EF?ref_=ast_bln", "full_description": "This premium iPad 2 Model A1397 A1395 A1396 (2011 model) touch screen is the perfect screen replacement for cracked screen/glass or non-functioning / unresponsive touch screen. We only use factroy OEM components that very similar to those used by the original manufacturer. We hope that your damaged ipad can be restored to a completely new state. *PLEASE NOTE* This is ONLY a front glass replacement digitizer for the iPad 2 Model A1397 A1395 A1396 (2011 model) . The LCD screen is not included.Compatibility\uff1aOnly Compatible with iPad 2 2011 Model A1397 A1395 A1396 (2011 model) WIFI GSM CDMA High quality product! Not Compatible with iPad Mini 2 or iPad Air 2. (Carefully check model number on back of device)Packaging Includes:Compatible for iPad 2 2011 Model A1397 A1395 A1396 (2011 model) Glass Screen Digitizer Complete Full Assembly Kit with Home Button, Camera Bracket and Adhesive PreInstalled.Tool kit included\uff1a3x1.5mm screwdriver 2x Plastics pry bar 2xOpen shell fragments 1xSuction cup 1* frameInstallation guide is Not included.The LCD screen is not included.Please NOTE:DO NOT glue the touch screen with your ipad until you TEST and make sure it works with your ipad. We recommend that you watch online video installation on youtube or consult professionals for help to ensure a successful installation. If you don't know how to install it, please dont take a risk, we suggest you to find a professional technician to do that. For any inquiries regarding the product or service, please contact us and we will do our best to solve your problem within 24 Hours. Thank you.", "pricing": "$14.95", "list_price": "", "availability_quantity": 13, "availability_status": "Only 13 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41bpVGt8LnL.jpg", "https://m.media-amazon.com/images/I/31WGHk1SeRL.jpg", "https://m.media-amazon.com/images/I/31m18K1TMnL.jpg", "https://m.media-amazon.com/images/I/41UztPDyeYL.jpg", "https://m.media-amazon.com/images/I/31pOar+lIeL.jpg", "https://m.media-amazon.com/images/I/31F2th46h1L.jpg", "https://m.media-amazon.com/images/I/51-29E8TnXL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Tablet Replacement Parts \u203a Screens", "average_rating": 3.2, "small_description": ["Compatible Model: Only for White iPad 2 2011 Model A1397 A1395 A1396 (2011 model).Please check the Model Number before purchasing this Item. You will find the Model Number on the back of your device.The wrong model could damage your pad. ", "Strict Quality Guarantee: All of digitiaers have passed strictly QC tested and 100% in good condition before shipment. Make sure no scratch/no dead area in touch screen and home button .We refuse any flaw digitizers, only provide A+ quality products. ", "Please Note: Item does not included LCD screen and install Instructions,but you can find lots of installation videos on YouTube. Install under professional guidance is a best choice. Please email to our service team If you need install help , We will do our best to help you repair it. ", "Double Packaging: The ipad digitizer is sent in double-layer packaging, hard airplane box + protective cotton, which can protect the digitizer from damage during transportation. ", "Package Included:1 * white iPad 2 2011 Model A1397 A1395 A1396 (2011 model) Gen Glass Touch Screen Digitizer Replacement, 1*Professional tools kit set.1* frame. "], "total_reviews": 5, "total_answered_questions": "", "model": "screen-2w", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "2 white", "price_string": "$14.95", "price": 14.95, "image": "https://m.media-amazon.com/images/I/41bpVGt8LnL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09G31XD56/ref=twister_B09NRDK9W6?_encoding=UTF8&psc=1", "value": "3 black", "price_string": "$13.95", "price": 13.95, "image": "https://m.media-amazon.com/images/I/41JlDw-UH+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09G2ZY96Y/ref=twister_B09NRDK9W6?_encoding=UTF8&psc=1", "value": "3 white", "price_string": "$14.95", "price": 14.95, "image": "https://m.media-amazon.com/images/I/41R5k1upWGL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JSSHLQH/ref=twister_B09NRDK9W6?_encoding=UTF8&psc=1", "value": "4 black", "price_string": "$9.95", "price": 9.95, "image": "https://m.media-amazon.com/images/I/41RtoO4snUL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09G2ZQMVJ/ref=twister_B09NRDK9W6?_encoding=UTF8&psc=1", "value": "4 white", "price_string": "$13.95", "price": 13.95, "image": "https://m.media-amazon.com/images/I/415PZtO1K0L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09G2ZP82D/ref=twister_B09NRDK9W6?_encoding=UTF8&psc=1", "value": "5 Cable", "price_string": "$3.95", "price": 3.95, "image": "https://m.media-amazon.com/images/I/21s-iPyL+BL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09G2ZBYDX/ref=twister_B09NRDK9W6?_encoding=UTF8&psc=1", "value": "5 black", "price_string": "$17.95", "price": 17.95, "image": "https://m.media-amazon.com/images/I/41Q-+T-FU1L.jpg"}]}, "seller_id": "A2BJM5WALYVYJQ", "seller_name": "T&T-US", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09G2ZL7CP", "category": "electronics", "query": "Video Glasses", "page": 110, "small_description_old": "Compatible Model: Only for White iPad 2 2011 Model A1397 A1395 A1396 (2011 model).Please check the Model Number before purchasing this Item. You will find the Model Number on the back of your device.The wrong model could damage your pad. Strict Quality Guarantee: All of digitiaers have passed strictly QC tested and 100% in good condition before shipment. Make sure no scratch/no dead area in touch screen and home button .We refuse any flaw digitizers, only provide A+ quality products. Please Note: Item does not included LCD screen and install Instructions,but you can find lots of installation videos on YouTube. Install under professional guidance is a best choice. Please email to our service team If you need install help , We will do our best to help you repair it. Double Packaging: The ipad digitizer is sent in double-layer packaging, hard airplane box + protective cotton, which can protect the digitizer from damage during transportation. Package Included:1 * white iPad 2 2011 Model A1397 A1395 A1396 (2011 model) Gen Glass Touch Screen Digitizer Replacement, 1*Professional tools kit set.1* frame."}, {"name": "Safco Products Napoli Bookcase, Sierra Cherry Veneer", "product_information": {"Item Weight": "\u200e136 pounds", "Product Dimensions": "\u200e16 x 36 x 68 inches", "Country of Origin": "\u200eChina", "Item model number": "\u200eVB5CRY", "Is Discontinued By Manufacturer": "\u200eNo", "Assembled Height": "\u200e68 inches", "Assembled Width": "\u200e36 inches", "Assembled Length": "\u200e16 inches", "Weight": "\u200e146 Pounds", "ASIN": "B000GLTJ3M", "Customer Reviews": {"ratings_count": null, "stars": "4.0 out of 5 stars"}, "Best Sellers Rank": ["#6,368,035 in Home & Kitchen (See Top 100 in Home & Kitchen) #9,446 in Bookcases"], "Date First Available": "June 26, 2006"}, "brand": "Visit the Safco Products Store", "brand_url": "https://www.amazon.com/stores/SafcoProducts/page/E8685520-E005-4038-8D57-A7CD3C31B71A?ref_=ast_bln", "full_description": "The Corsica Series Bookcases has open shelves for convenient storage. There is a choice of two, four or five shelf units. It comes with adjustable shelves. Mayline Heritage began in 1939, manufacturing drafting tables as the Engineering Supply company.\u00a0 today Mayline is one of the leading mid-market contract furniture Manufacturers in the U.S., offering a complete collection of office furniture, filing, storage, and customized solutions.\u00a0 Mayline understands you have unique workplace needs, so every effort is made to optimize the environment to fit both your style and your space.", "pricing": "$267.60", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41ZkV97GLDL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Bookcases", "average_rating": 4, "small_description": ["The Corsica Series Bookcases Has Open Shelves For Convenient Storage ", "There Is a Choice of Two, Four Or Five Shelf Units ", "It Comes With Adjustable Shelves ", "From The Brand Name: Mayline ", "Assembly Required: Yes "], "total_reviews": 1, "total_answered_questions": "", "model": "\u200eVB5CRY", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B000GLTJ3M", "category": "garden", "query": "Bookcases", "page": 143, "small_description_old": "About this item The Corsica Series Bookcases Has Open Shelves For Convenient Storage There Is a Choice of Two, Four Or Five Shelf Units It Comes With Adjustable Shelves From The Brand Name: Mayline Assembly Required: Yes \n \u203a See more product details"}, {"name": "CRAVINGS BY ZOE Valentine\u2019s Day Chocolate Truffles | Assorted Chocolate Gift Box Red | Gourmet Chocolate | Delicious Milk Chocolate, Dark Chocolate and White Chocolate Flavors with 16 Assorted Toppings - 7.5 oz, 16 Count", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10.79 x 5.2 x 1.34 inches; 12.31 Ounces", "UPC\n \u200f": "\u200e\n 860007436369", "ASIN\n \u200f": "\u200e\n B09LM3H2F5", "Best Sellers Rank": "#9,370 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#49 in Candy & Chocolate Gifts", "#49 in Candy & Chocolate Gifts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the CRAVINGS BY ZOE Store", "brand_url": "https://www.amazon.com/stores/CravingsbyZoe/page/27D31ACD-1761-4B77-9E34-0CAF3104AA15?ref_=ast_bln", "full_description": "", "pricing": "$24.95", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/51bOWOTdbTL.jpg", "https://m.media-amazon.com/images/I/41zO7miJt-L.jpg", "https://m.media-amazon.com/images/I/41ikxqMbZPL.jpg", "https://m.media-amazon.com/images/I/514IUOOPyBL.jpg", "https://m.media-amazon.com/images/I/51SitFi5SVL.jpg", "https://m.media-amazon.com/images/I/419isK2SLCL.jpg", "https://m.media-amazon.com/images/I/41p-7yndkIL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Snacks & Sweets \u203a Candy & Chocolate \u203a Candy & Chocolate Gifts", "average_rating": 4.4, "small_description": ["MOUTHWATERING ASSORTMENT - This irresistible chocolate gift box comes complete with a rich mixture of 16 savory gourmet chocolates in a lovely 7.5 ounce chocolate gift box. The assortment includes milk chocolate, dark chocolate and white chocolate shells with 16 delicious flavors. ", "GIFTING MADE EASY: Perfect for Valentines Day, Mother's Day or any occasion! Surprise someone special with this sweet Chocolate Truffles Gift Set presented in an impressive red and gold chocolate gift box. ", "DELICIOUS FILLINGS: Every last gourmet chocolate in the bunch is a mouthwatering treat that is filled with premium ingredients and flavors you can only dream of; including including Amaretto, Caramel, Champagne, Coffee, Hazelnut, Irish Cream, Raspberry, Sea Salt Caramel, and Tiramisu. ", "HAND-CRAFTED WITH LOVE IN THE USA: Our Craving's By Zoe chocolate truffles are hand crafted by our chocolatier in New Jersey, USA. Each bite is made with a velvety and rich chocolate using our family recipe. ", "ZOE'S PROMISE: Our customer's satisfaction is of utmost importance to us, that's why every piece is made with the finest ingredients and is carefully packaged and sealed in a luxury chocolate gift box. If you are not happy with your order, contact us and we'll make it right! "], "total_reviews": 113, "total_answered_questions": "", "customization_options": {"Style": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09LLTNP4F/ref=twister_B09NGGKC4H?_encoding=UTF8&psc=1", "value": "Happy Birthday Truffle Chocolate", "price_string": "$24.95", "price": 24.95, "image": "https://m.media-amazon.com/images/I/51SgznUgrML.jpg"}, {"is_selected": true, "url": null, "value": "Holiday Truffle Chocolate", "price_string": "$24.95", "price": 24.95, "image": "https://m.media-amazon.com/images/I/51bOWOTdbTL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LL9NHMF/ref=twister_B09NGGKC4H?_encoding=UTF8&psc=1", "value": "Truffle Collection Chocolate", "price_string": "$24.95", "price": 24.95, "image": "https://m.media-amazon.com/images/I/51O6BzK8fYL.jpg"}]}, "seller_id": "A3LGX7J4WBPWW3", "seller_name": "PriceFair", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09LM3H2F5", "category": "grocery", "query": "Candy & Chocolate", "page": 14, "small_description_old": "About this item MOUTHWATERING ASSORTMENT - This irresistible chocolate gift box comes complete with a rich mixture of 16 savory gourmet chocolates in a lovely 7.5 ounce chocolate gift box. The assortment includes milk chocolate, dark chocolate and white chocolate shells with 16 delicious flavors. GIFTING MADE EASY: Perfect for Valentines Day, Mother's Day or any occasion! Surprise someone special with this sweet Chocolate Truffles Gift Set presented in an impressive red and gold chocolate gift box. DELICIOUS FILLINGS: Every last gourmet chocolate in the bunch is a mouthwatering treat that is filled with premium ingredients and flavors you can only dream of; including including Amaretto, Caramel, Champagne, Coffee, Hazelnut, Irish Cream, Raspberry, Sea Salt Caramel, and Tiramisu. HAND-CRAFTED WITH LOVE IN THE USA: Our Craving's By Zoe chocolate truffles are hand crafted by our chocolatier in New Jersey, USA. Each bite is made with a velvety and rich chocolate using our family recipe. ZOE'S PROMISE: Our customer's satisfaction is of utmost importance to us, that's why every piece is made with the finest ingredients and is carefully packaged and sealed in a luxury chocolate gift box. If you are not happy with your order, contact us and we'll make it right!"}, {"name": "Grommet Blackout Curtains for Bedroom and Living Room - 2 Panels Set Thermal Insulated Room Darkening Curtains (52 x 84 Inch, Navy Blue, 2 Panels)", "product_information": {"Package Dimensions": "14.65 x 11.57 x 3.03 inches", "Item Weight": "10.6 ounces", "Manufacturer": "Tony's collection", "ASIN": "B09BYX42DW", "Customer Reviews": {"ratings_count": 19, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#132,442 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,534 in Window Curtain Panels"], "Date First Available": "August 5, 2021"}, "brand": "Visit the Tony's collection Store", "brand_url": "https://www.amazon.com/stores/Tonyscollection/page/67323EA6-CC31-40D7-A640-BAE49210EE93?ref_=ast_bln", "full_description": "", "pricing": "$28.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51blEZ0zvHL.jpg", "https://m.media-amazon.com/images/I/51p-znuOJSL.jpg", "https://m.media-amazon.com/images/I/519AJaPj5dL.jpg", "https://m.media-amazon.com/images/I/51-mTQAroAL.jpg", "https://m.media-amazon.com/images/I/51L0MmNF6pL.jpg", "https://m.media-amazon.com/images/I/514EyDA-K1L.jpg", "https://m.media-amazon.com/images/I/71jfbtR8C9L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Window Treatments \u203a Curtains & Drapes \u203a Panels", "average_rating": 4.8, "small_description": ["\ud83c\udfe1Blackout Curtains Package Includes: Set of 2 navy blue curtains & drapes; Each panel measures 52 Inches Wide by 82 Inches Long. Each panel integrates 8 stainless grommets suitable for most curtain rods on the market for hassle-free usage. ", "\ud83c\udfe1Window Curtains Design: Features one of the special patterns designed to add character to your home without clashing with your decor. The silver foil printed wave pattern will fit perfectly your bedroom, living room, home office, kitchen, kids room, nursey room, etc. ", "\ud83c\udfe1Blackout Effect: High-quality fabric construction that darkens considerably your room and provides a certain level of noise reduction and thermal insulation for improved privacy and comfort. Choose a darker color for up to 98% light blocking capacity. ", "\ud83c\udfe1Thermal Insulated: These Thermal Insulated Curtains help prevent energy losses by insulating hot summers and cold winters.They can reduce heat loss and penetration into any room. ", "\ud83c\udfe1Care Instructions: Our room darkening blackout curtain machine is washable, do not bleach, Iron at low. "], "total_reviews": 19, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09BYSPY16/ref=twister_B09BYMZBF1?_encoding=UTF8&psc=1", "value": "Beige", "price_string": "$30.99", "price": 30.99, "image": "https://m.media-amazon.com/images/I/51QdDYITXxL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09BZ1C7J8/ref=twister_B09BYMZBF1?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$26.99", "price": 26.99, "image": "https://m.media-amazon.com/images/I/519EGD4XHVL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09BZ3LD83/ref=twister_B09BYMZBF1?_encoding=UTF8&psc=1", "value": "Blush", "price_string": "$30.99", "price": 30.99, "image": "https://m.media-amazon.com/images/I/51ivHQWr5zL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09BZ46S5C/ref=twister_B09BYMZBF1?_encoding=UTF8&psc=1", "value": "Christmas Red", "price_string": "$30.99", "price": 30.99, "image": "https://m.media-amazon.com/images/I/51iHd7dVv2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09BZ6463J/ref=twister_B09BYMZBF1?_encoding=UTF8&psc=1", "value": "Grey", "price_string": "$30.99", "price": 30.99, "image": "https://m.media-amazon.com/images/I/516KtGNWx+L.jpg"}, {"is_selected": true, "url": null, "value": "Navy Blue", "price_string": "$28.99", "price": 28.99, "image": "https://m.media-amazon.com/images/I/51iboxQernL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09BYSBXZB/ref=twister_B09BYMZBF1?_encoding=UTF8&psc=1", "value": "Sliver", "price_string": "$28.99", "price": 28.99, "image": "https://m.media-amazon.com/images/I/51QyQ2nHX+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09BZ45R98/ref=twister_B09BYMZBF1?_encoding=UTF8&psc=1", "value": "Yellow", "price_string": "$30.99", "price": 30.99, "image": "https://m.media-amazon.com/images/I/51SUnwVEO5L.jpg"}], "Size": null}, "seller_id": "A2N28Y60VOGBOS", "seller_name": "Tony's collection", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09BYX42DW", "category": "garden", "query": "Living room Sets", "page": 161, "small_description_old": "About this item\n \n\ud83c\udfe1Blackout Curtains Package Includes:Set of 2 navy blue curtains & drapes; Each panel measures 52 Inch wide by 82 Inch long.Each panel integrate 8 stainless grommets suitable for most curtain rods on the market for a hassle-free usage. \ud83c\udfe1Window Curtains Design:Features one of special patterns designed to add character to your home without clashing with your decor.The silver foil printed wave pattern will fit perfectly your bedroom, living room, home office, kitchen,kids room and nursey room etc. \ud83c\udfe1Blackout Effect:High quality fabric construction that darkens considerably your room and provide a certain level of noise reduction and thermal insulation for improved privacy and comfort. Choose a darker color for up to 98% light blocking capacity. \ud83c\udfe1Thermal Insulated:These Thermal Insulated Curtains help prevent energy loses by insulating hot summers and cold winters.They can reduce heat loss and penetration into any room.and \ud83c\udfe1Care Instructions: Our room darkening blackout curtain machine washable, do not bleach, Iron at low."}, {"name": "LG UBK90 Streaming 4k Ultra-HD Blu-Ray Player with Dolby Vision Bundle with 1 YR CPS Enhanced Protection Pack", "product_information": {"Product Dimensions": "16.9 x 8.1 x 1.8 inches", "Item Weight": "3.6 pounds", "ASIN": "B07GH3J1Z1", "Item model number": "E3LGUBK90", "Customer Reviews": {"ratings_count": 22, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#104,288 in Electronics (See Top 100 in Electronics) #164 in Blu-Ray Disc Players"], "Is Discontinued By Manufacturer": "No", "Date First Available": "April 9, 2021", "Manufacturer": "LG"}, "brand": "Visit the LG Store", "brand_url": "https://www.amazon.com/stores/LGElectronicsSTG/page/E8585304-4D77-4965-9D22-B5F2CF409E38?ref_=ast_bln", "full_description": "Product Specifications PRODUCT HIGHLIGHTS Ultra HD Premium: Yes Multi-HDR: Yes 4K Blu-Ray Disc Playback: Yes 3D Blu-Ray/DVD Playback: Yes 4K Streaming Content: Netflix, YouTube Built-in Wi-Fi: Yes STREAMING CONTENT PROVIDERS Netflix: Yes YouTube: Yes FEATURES 3D: Yes SIMPLINK: Yes USB Playback: Yes External HDD Playback: Yes 4K Upscaling: Yes Noise Reduction: Yes NTSC-PAL Conversion: Yes FCC TTS: Yes FCC Closed Caption: Yes PLAYABLE DISC TYPE BD-ROM: Yes BD-R: Yes BD-RE: Yes DVD-ROM: Yes DVD-R: Yes DVD+R: Yes DVD+RW: Yes DVD-RW: Yes Audio CD: Yes CD-R: Yes CD-RW: Yes DTS-CD: Yes UBD-ROM/UBD-R/UBD-RE: Yes VIDEO FORMAT MPEG-1: Yes MPEG2 PS/TS: Yes MPEG4 AVC (H.264): Yes SMPTE: Yes H.265: Yes Xvid: Yes MKV: Yes AVC Rec: Yes AVCHD: Yes M4V: Yes WMV: Yes 3GP: Yes MP4: Yes MOV: Yes FLV: Yes VOB: Yes TS: Yes DAT: Yes AUDIO FORMAT LPCM: Yes Dolby TrueHD: Yes Dolby Digital Plus: Yes Dolby Digital: Yes Dolby Atmos: Yes DTS: Yes DTS 2.0 + Digital Out: No DTS-HD Master Audio: Yes FLAC: Yes AAC: Yes WMA: Yes MPEG 1/2 L2: Yes MP3: Yes CONNECTIVITY Ethernet: Yes HDMI Out: HDMI 2.0a x 1, HDMI 1.4 x 1 Optical Audio Output: Yes USB: Yes POWER Power Consumption: 17W Standby Power Consumption: <0.5W Voltage: 110-240V 50/60Hz Type: SMPS DIMENSIONS / WEIGHTS Product (WxHxD): 16.9\" x 1.8\" x 8.1\" Shipping Size (WxHxD): 18.9\" x 4.2\" x 11.1\" Product Weight: 3.6 lbs Shipping Weight: 5.7 lbs INCLUDED ACCESSORIES Remote C...", "pricing": "$245.00", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31XQG6mXCGL.jpg", "https://m.media-amazon.com/images/I/31Hl1BzwNBL.jpg", "https://m.media-amazon.com/images/I/31PS4wGlkqL.jpg", "https://m.media-amazon.com/images/I/31TuMLtRAgL.jpg", "https://m.media-amazon.com/images/I/31ou5FpFvwL.jpg", "https://m.media-amazon.com/images/I/318ZmDddc4L.jpg", "https://m.media-amazon.com/images/I/314i9QvwlPL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Television & Video \u203a Blu-ray Players & Recorders \u203a Blu-ray Players", "average_rating": 4.2, "small_description": ["Ultra HD Premium | Multi-HDR | 4K Blu-Ray Disc Playback | 3D Blu-Ray/DVD Playback | 4K Streaming Content | Built-in Wi-Fi ", "IN THE BOX: Remote Control | Batteries | Protection ", "1 Year Extended Protection Plan in ADDITION to the Included FULL Manufacturer Protection "], "total_reviews": 22, "total_answered_questions": 4, "model": "E3LGUBK90", "customization_options": "", "seller_id": "A1X0R2HE02EA1P", "seller_name": "Acme Products Inc.", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07GH3J1Z1", "category": "electronics", "query": "Blu-ray Players & Recorders", "page": 2, "small_description_old": "About this item\n \nLG Streaming 4k Ultra-HD Blu-Ray Player with Dolby Vision Ultra HD Premium | Multi-HDR | 4K Blu-Ray Disc Playback | 3D Blu-Ray/DVD Playback | 4K Streaming Content | Built-in Wi-Fi IN THE BOX: Remote Control | Batteries | Protection BUNDLE INCLUDES: LG Streaming 4k Ultra-HD Blu-Ray Player with Dolby Vision 1 Year Extended Protection Plan in ADDITION to the Included FULL Manufacturer Protection"}, {"name": "WYS-SIWA, Fashion Sexy Womens Lingerie Net Lace Top Thigh Stocking Pantyhose Hosiery collants Mulher Knee Socks (Color : Purple)", "product_information": {"Item Weight": "0.035 ounces", "Department": "Womens", "Manufacturer": "WYS-SIWA,", "ASIN": "B0897M3HYM"}, "brand": "Brand: Nologo", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Nologo", "full_description": "Item Type: StockingsFabric Type: BroadclothModel Number: 08YPattern Type: SolidItem Length: 59Obscene Picture: NoSexually Suggestive: NoSize: 120cmA: Sexy Lace Bowknot PantiesB: G-String Briefs Breathable UnderwearC: Hollow Cross Bandage KnickersD: sexy exotic thong adult plastic pantsE: incontinence pantiesF: Sexy Women's Underwear BriefsG: T-back Underwear Women SexyH: Female Seamless Lace LingerieI: Strappy Sexy Panties Intimates SexyJ: Lady Underwear Lingerie Briefs Sexy", "pricing": "$12.21", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/416bNxwnNYL.jpg", "https://m.media-amazon.com/images/I/41u5NREhTqL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Exotic Apparel \u203a Women \u203a Hosiery", "average_rating": "", "small_description": ["We will make every effort to you 5-star service. ", "Special Use: Exotic Apparel.Material: lace.Gender: Women ", "Very flexible\uff0cFree Size Fits Most Women/Girls,Suitable for 40-75kg(88.2-165.35lb) ", "Bring you the most comfortable enjoyment ", "Hot sexy, very charming "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B0897LYRWT/ref=twister_B0897MM3XK?_encoding=UTF8&psc=1", "value": "Khaki", "price_string": "$6.80", "price": 6.8, "image": "https://m.media-amazon.com/images/I/31Ha21qoAxL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0897M4HKP/ref=twister_B0897MM3XK?_encoding=UTF8&psc=1", "value": "Pink", "price_string": "$6.80", "price": 6.8, "image": "https://m.media-amazon.com/images/I/31005zoIQOL.jpg"}, {"is_selected": true, "url": null, "value": "Purple", "price_string": "$12.21", "price": 12.21, "image": "https://m.media-amazon.com/images/I/416bNxwnNYL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0897LRGSL/ref=twister_B0897MM3XK?_encoding=UTF8&psc=1", "value": "Red", "price_string": "$6.80", "price": 6.8, "image": "https://m.media-amazon.com/images/I/31y1UW2GsnL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0897LBRQ4/ref=twister_B0897MM3XK?_encoding=UTF8&psc=1", "value": "White", "price_string": "$6.80", "price": 6.8, "image": "https://m.media-amazon.com/images/I/31anR2jZauL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B0897M4YNF/ref=twister_B0897MM3XK?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$6.42", "price": 6.42, "image": "https://m.media-amazon.com/images/I/31t6q7NLcoL.jpg"}]}, "seller_id": "A16LKLLY0MPVHG", "seller_name": "ZITENGZHAI WENHUA", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0897M3HYM", "category": "fashion", "query": "Women's Socks & Hosiery", "page": 58, "small_description_old": "We will make every effort to you 5-star service. Special Use: Exotic Apparel.Material: lace.Gender: Women Very flexible\uff0cFree Size Fits Most Women/Girls,Suitable for 40-75kg(88.2-165.35lb) Bring you the most comfortable enjoyment Hot sexy, very charming"}, {"name": "JOLLY CHEF Shot Glass Set with Heavy Base, 2 Ounce 20 Pack Tequila Shot Glasses, Clear Shot Glass for Whiskey and Liqueurs,Ideal for Halloween ,Thanksgiving,Christmas (20 Pack)", "product_information": {"Package Dimensions": "11.14 x 6.46 x 4.76 inches", "Item Weight": "2 ounces", "ASIN": "B08D3GRMHK", "Customer Reviews": {"ratings_count": 423, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#23,296 in Kitchen & Dining (See Top 100 in Kitchen & Dining) #87 in Shot Glasses"], "Date First Available": "July 16, 2020"}, "brand": "Visit the JOLLY CHEF Store", "brand_url": "https://www.amazon.com/stores/JOLLYCHEF/page/8CF36ADB-836F-4CE5-9E64-CD0BEF8F49D5?ref_=ast_bln", "full_description": "Jolly Chef -Buy with confidence! Your JOLLY CHEF shot glasses arrive as a set of 20 and holds (2.0 oz.) each. They are well packaged in a thicken carton box and are the perfect gift for yourself or anyone who enjoys fine drinkware. What You Get. 1. Comes in a set of 20, holds 2.0 oz. 2. Solid rim with no bumps 3. Solid base is designed to be easy on the hand 4.Dishwasher safe without any worry 5.Here at Jolly Chef, we stand by the unparalleled quality of our products, if you are Quality Matters: Made of high-quality lead-free glass, strong, durable, and dishwasher safe. After use simply wash the shot glasses bulk with little soap and warm water or place them in your dishwasher. It is perfect for consistent use. Classic Look: Make a lasting first impression with this elegant shot glass. these 2.0 oz heavy base shot glass set having the best size for a perfect shot of your favorite drinking, not too flimsy, not too heavy.Ideal for Halloween, Thanksgiving, Christmas Multiple Uses : JOLLY CHEF shot glasses is perfect for whiskey, tequila, vodka, rum, liqueur, spirit, sake, alcohol, espressos, party decorations, gifting, bars, hotels, restaurants, nightclubs, catering, home, kitchen, housewarming, birthday, wedding, anniversary, retirement, etc.", "pricing": "$15.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/410z8+MvWEL.jpg", "https://m.media-amazon.com/images/I/51wb-+BUsQL.jpg", "https://m.media-amazon.com/images/I/51y4dUymAeL.jpg", "https://m.media-amazon.com/images/I/51CnSToc2xL.jpg", "https://m.media-amazon.com/images/I/512JBKau18L.jpg", "https://m.media-amazon.com/images/I/51vPdzHFwXL.jpg", "https://m.media-amazon.com/images/I/51Wbs5Ot6hL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Kitchen & Dining \u203a Dining & Entertaining \u203a Glassware & Drinkware \u203a Liqueur & Spirits Glasses \u203a Shot Glasses", "average_rating": 4.8, "small_description": ["\u3010Set of 20 pack\u3011- High quality shot glasses set of 20 ,made of high quality environmental protection lead-free crystal glass material. Sturdy and Durable ", "\u3010Heavy Base \u3011Add sophistication to your shot glass collection with JOLLY CHEF heavy-bottom design glass 20 piece set .The weighted base helps reduce tipping for less mess, which is always a good addition everywhere .Ideal for Hallowen ,Thanksgiving, Christmas . ", "\u3010Easy to Wash \u3011After used simply wash clear shot glasses with little soap and warm water or place them in your dishwasher.These party shot glasses are well-made and fuctional ,perfect for consistent use. ", "\u3010Perfect for\u3011whiskey, tequila, vodka, espressos, desserts, party decorations, gifting, bars, hotels, restaurants, night clubs, catering, home, kitchen, housewarming, birthday, wedding, anniversary, retirement, graduation, ", "\u3010100% Quality Gurantee\u3011Here at JOLLY CHEF, we stand by the unparalleled quality of our products .If you are not satisfied with these mall shot glasses set,contact us with in 30 days for a hassle-free full refund. "], "total_reviews": 423, "total_answered_questions": "", "customization_options": "", "seller_id": "A3RBQY1C1FM23S", "seller_name": "JOLLY CHEF", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08D3GRMHK", "category": "garden", "query": "Bases", "page": 104, "small_description_old": "About this item\n \n\u3010Set of 20 pack\u3011- High quality shot glasses set of 20 ,made of high quality environmental protection lead-free crystal glass material. Sturdy and Durable \u3010Heavy Base \u3011Add sophistication to your shot glass collection with JOLLY CHEF heavy-bottom design glass 20 piece set .The weighted base helps reduce tipping for less mess, which is always a good addition everywhere .Ideal for Hallowen ,Thanksgiving, Christmas . \u3010Easy to Wash \u3011After used simply wash clear shot glasses with little soap and warm water or place them in your dishwasher.These party shot glasses are well-made and fuctional ,perfect for consistent use. \u3010Perfect for\u3011whiskey, tequila, vodka, espressos, desserts, party decorations, gifting, bars, hotels, restaurants, night clubs, catering, home, kitchen, housewarming, birthday, wedding, anniversary, retirement, graduation, \u3010100% Quality Gurantee\u3011Here at JOLLY CHEF, we stand by the unparalleled quality of our products .If you are not satisfied with these mall shot glasses set,contact us with in 30 days for a hassle-free full refund."}, {"name": "SONY 3T120VR 6hrs. EP T-120 VHS Tapes (3-Pack)", "product_information": {"Product Dimensions": "7.5 x 4.05 x 3 inches", "Item Weight": "1.84 pounds", "ASIN": "B00UVRUFNE", "Item model number": "FBA_3T120VR", "Customer Reviews": {"ratings_count": 95, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#20 in Camera & Photo VHS Blank Media #310 in Blank Media Products"], "Is Discontinued By Manufacturer": "No", "Date First Available": "June 1, 2013", "Manufacturer": "Sony"}, "brand": "Visit the Sony Store", "brand_url": "https://www.amazon.com/stores/Sony/page/AEA5D08A-7FC6-45D4-B121-C8A6FA25219F?ref_=ast_bln", "full_description": "SONY 3T120VR 6hrs. EP T-120 VHS Tapes (3-pack)", "pricing": "$27.97", "list_price": "", "availability_quantity": 16, "availability_status": "Only 16 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51q7bK7JVRL.jpg", "https://m.media-amazon.com/images/I/51qeRs3C95L.jpg", "https://m.media-amazon.com/images/I/41ZFWhws1DL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Accessories \u203a Blank Video Media \u203a VHS", "average_rating": 4.2, "small_description": ["Packaging covering design may vary "], "total_reviews": 95, "total_answered_questions": "", "model": "FBA_3T120VR", "customization_options": "", "seller_id": "A3R8D3MFJ9733Y", "seller_name": "ABCX DIRECT", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B00UVRUFNE", "category": "electronics", "query": "VCRs", "page": 301, "small_description_old": "Packaging covering design may vary"}, {"name": "True + Luscious Sheer Halo Velvet Matte Oil-Control Face Powder Compact - Vegan, Cruelty Free, Talc Free. Multi-use Powder Foundation - 0.35 oz (Shade 0: Porcelain w/Neutral to Pink Undertones)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 1.18 x 1.18 x 1.18 inches; 0.01 Ounces", "Item model number\n \u200f": "\u200e\n 794504084108", "UPC\n \u200f": "\u200e\n 794504084108", "Manufacturer\n \u200f": "\u200e\n True + Luscious", "ASIN\n \u200f": "\u200e\n B075GC6LWC", "Best Sellers Rank": "#90,051 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#358 in Face Powder", "#358 in Face Powder": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the True + Luscious Store", "brand_url": "https://www.amazon.com/stores/TrueLuscious/page/1A2A4F50-9EC0-46F0-B6AE-D1C049D7446E?ref_=ast_bln", "full_description": "", "pricing": "$32.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31F8gxACDxL.jpg", "https://m.media-amazon.com/images/I/41JHn7eovLL.jpg", "https://m.media-amazon.com/images/I/51V5cPbH71L.jpg", "https://m.media-amazon.com/images/I/4109bwJpNsL.jpg", "https://m.media-amazon.com/images/I/51HFlk0wsPL.jpg", "https://m.media-amazon.com/images/I/51LR+BFdQ+L.jpg", "https://m.media-amazon.com/images/I/41kYwdHQ9wL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Face \u203a Powder", "average_rating": 4.1, "small_description": ["\u2714\ufe0f CLEAN FORMULA: Formulated without talc, mineral oil, gluten, phthalates, parabens, sulfates, fragrance. We use certified ethically sourced Mica. ", "\u2714\ufe0f OIL BALANCING, SKIN-LOVING: Infused with minerals, vitamins and oil-absorbing kaolin clay, this translucent powder will keep your complexion looking naturally matte and shine-free all day. Triple-milled powder looks natural, never cakey or dry. ", "\u2714\ufe0f MULTI-TASKING: Perfect for use over liquid or cream makeup as a setting powder, or on its own over your skincare as a powder foundation. ", "\u2714\ufe0f FRESH, MATTE, ALL DAY SHINE CONTROL: A silky, talc-free powder that creates smooth, buildable sheer-to-medium coverage to minimize pores, blur imperfections and even out skin tone. Calms redness and safe for use on acne-prone skin. Non-comedogenic. Suitable for all skin types. ", "\u2714\ufe0f ALL-VEGAN & CRUELTY FREE: True + Luscious is an all-vegan, certified cruelty-free, clean beauty brand. We never test on animals or use animal-derived ingredients at any point in our supply chain. Our mission: Good. Clean. Glam "], "total_reviews": 340, "total_answered_questions": 14, "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Shade 0: Porcelain w/ Neutral to Pink Undertones", "price_string": "$32.00", "price": 32, "image": "https://m.media-amazon.com/images/I/01jbwvf5+LL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075G9GVH6/ref=twister_B09RN9ZY1Y?_encoding=UTF8&psc=1", "value": "Shade 1: Ivory w/ Neutral Undertones", "price_string": "$32.00", "price": 32, "image": "https://m.media-amazon.com/images/I/012O0KYylFL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075GDY3B1/ref=twister_B09RN9ZY1Y?_encoding=UTF8&psc=1", "value": "Shade 2: Light Beige w/ Neutral Undertones", "price_string": "$32.00", "price": 32, "image": "https://m.media-amazon.com/images/I/01qwk7bGd-L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075GDK1P3/ref=twister_B09RN9ZY1Y?_encoding=UTF8&psc=1", "value": "Shade 3: Warm Beige w/ Golden Undertones", "price_string": "$32.00", "price": 32, "image": "https://m.media-amazon.com/images/I/01RmjalHudL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07J2T9H76/ref=twister_B09RN9ZY1Y?_encoding=UTF8&psc=1", "value": "Shade 4: Tan Beige w/ Neutral Undertones", "price_string": "$32.00", "price": 32, "image": "https://m.media-amazon.com/images/I/01i8d5EuhkL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07J2SPSRS/ref=twister_B09RN9ZY1Y?_encoding=UTF8&psc=1", "value": "Shade 5: Rich Tan w/ Neutral Undertones", "price_string": "$32.00", "price": 32, "image": "https://m.media-amazon.com/images/I/01F-HMtXwJL.jpg"}]}, "seller_id": "A38V1C9CKIQ8IG", "seller_name": "True + Luscious", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B075GC6LWC", "category": "beauty", "query": "Eyes Makeup", "page": 166, "small_description_old": "About this item \u2714\ufe0f CLEAN FORMULA: Formulated without talc, mineral oil, gluten, phthalates, parabens, sulfates, fragrance. We use certified ethically sourced Mica. \u2714\ufe0f OIL BALANCING, SKIN-LOVING: Infused with minerals, vitamins and oil-absorbing kaolin clay, this translucent powder will keep your complexion looking naturally matte and shine-free all day. Triple-milled powder looks natural, never cakey or dry. \u2714\ufe0f MULTI-TASKING: Perfect for use over liquid or cream makeup as a setting powder, or on its own over your skincare as a powder foundation. \u2714\ufe0f FRESH, MATTE, ALL DAY SHINE CONTROL: A silky, talc-free powder that creates smooth, buildable sheer-to-medium coverage to minimize pores, blur imperfections and even out skin tone. Calms redness and safe for use on acne-prone skin. Non-comedogenic. Suitable for all skin types. \u2714\ufe0f ALL-VEGAN & CRUELTY FREE: True + Luscious is an all-vegan, certified cruelty-free, clean beauty brand. We never test on animals or use animal-derived ingredients at any point in our supply chain. Our mission: Good. Clean. Glam"}, {"name": "Vamp Up Love is in the Hair! Castor Oil Hair Shampoo, Hair Conditioner and Hair Styling Spray with Natural Ingredients Smooth, Nourishes, Strengthen & Silky to Touch Hair (Shampoo)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 10 x 4 x 4 inches; 3 Pounds", "UPC\n \u200f": "\u200e\n 813842026516", "Manufacturer\n \u200f": "\u200e\n Kira Labs Inc", "ASIN\n \u200f": "\u200e\n B07FLKB8CV", "Best Sellers Rank": "#621,804 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#5,394 in Hair Sprays", "#5,394 in Hair Sprays": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: #Vamp Up", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=%23Vamp+Up", "full_description": "#Vamp Up Love is in the Hair! Natural Castor & Coconut Oil Super Strength Hair Shampoo gently cleans without causing dryness. Fortifies each strand against breakage and split ends. Leaves hair soft and silky with added shine and bounce.WHAT'S INSIDE?", "pricing": "$22.99", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41CKOPz716L.jpg", "https://m.media-amazon.com/images/I/41FbgpqEskL.jpg", "https://m.media-amazon.com/images/I/41g6LeEB55L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Styling Products \u203a Hair Sprays", "average_rating": 4.6, "small_description": ["Gently cleans without causing dryness. Fortifies each strand against breakage and split ends. Leaves hair soft and silky with added shine and bounce. ", "Helps strengthen hair and prevent split ends. Leaves hair silky & shiny. ", "Apply to wet hair, work into a lather, then rinse. Repeat as necessary. ", "Made in the USA according to FDA regulation. Bottle Size 32oz (960ml). "], "total_reviews": 8, "total_answered_questions": "", "customization_options": "", "seller_id": "A1XJ529DXMHVIR", "seller_name": "buvtz", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07FLKB8CV", "category": "beauty", "query": "Hair Loss Products", "page": 127, "small_description_old": "About this item Gently cleans without causing dryness. Fortifies each strand against breakage and split ends. Leaves hair soft and silky with added shine and bounce. Helps strengthen hair and prevent split ends. Leaves hair silky & shiny. Apply to wet hair, work into a lather, then rinse. Repeat as necessary. Made in the USA according to FDA regulation. Bottle Size 32oz (960ml)."}, {"name": "Women's V-Neck Rompers Printed Jumpsuit Long Sleeve Homewear Butt Flap Pajamas One-Piece Onesies Nightwear Sexy Bodysuit", "product_information": {"Item model number\n \u200f": "\u200e\n onesies with opening for women", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 6, 2022", "Manufacturer\n \u200f": "\u200e\n cotton adult onsie", "ASIN\n \u200f": "\u200e\n B09PVP9P28", "": ""}, "brand": "Visit the MITCOWBOYS Store", "brand_url": "https://www.amazon.com/stores/MITCOWBOYS/page/C6C4ADE1-48B8-40D9-8BEE-C1A094DE99FD?ref_=ast_bln", "full_description": "\u2b50 Size runs small, please refer to the size chart before selecting the size.Size:S US:4 UK:8 EU:34Bust:90cm/35.43'' Hip:98cm/38.58'' Length:141cm/55.51'' Shoulder:37cm/14.57'' Sleeve:59cm/23.23''Size:M\u00a0US:6 UK:10 EU:36Bust:86\u00a0cm/33.86'' Hip:94cm/37.01'' Length:140cm/55.12'' Shoulder:36cm/14.17'' Sleeve:58cm/22.83''Size:L US:8 UK:12 EU:38Bust:94cm/37.01'' Hip:102cm/40.16'' Length:142cm/55.91'' Shoulder:38cm/14.96'' Sleeve:60cm/23.62''Size:XL US:10 UK:14 EU:40Bust:98cm/38.58' 'Hip:106cm/41.73'' Length:143cm/56.30'' Shoulder:39cm/15.35'' Sleeve:61cm/24.02''Size:XXL US:12 UK:16 EU:42Bust:102cm/40.16'' Hip:110cm/43.31'' Length:144cm/56.69'' Shoulder:40cm/15.75'' Sleeve:62cm/24.41''Size:XXXL US:14 UK:18 EU:44Bust:106cm/41.73'' Hip:114cm/44.88'' Length:145cm/57.09'' Shoulder:41cm/16.14'' Sleeve:63cm/24.80''\u2014\u2014 \ud83d\udc97 \u2014\u2014 \ud83d\udc97 \u2014\u2014 \ud83d\udc97 \u2014\u2014 \ud83d\udc97 \u2014\u2014 \ud83d\udc97 \u2014\u2014 \ud83d\udc97 \u2014\u2014 \ud83d\udc97 \u2014\u2014 \ud83d\udc97 \u2014\u2014 \ud83d\udc97 \u2014\u2014 \ud83d\udc97 \u2014\u2014 \ud83d\udc97 \u2014\u2014 \ud83d\udc97 \u2014\u2014onesie pajamas for women adult onesie pajamas for women cute onesie pajamas for women onesie pajamas for women christmas onesie pajamas for women with butt flap adult onesie pajamas for women with butt flap womens onesies pajamas womens onesies pajamas sexy womens onesies pajamas butt flap womens onesies pajamas christmas womens onesies pajamas shorts onesie for women onesie for women sexy adult onesie for women onesie for women pajamas", "pricing": "$17.40$28.67", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41qhmQh1NLL.jpg", "https://m.media-amazon.com/images/I/41tnU1ar6hL.jpg", "https://m.media-amazon.com/images/I/41C0+5kIhyL.jpg", "https://m.media-amazon.com/images/I/31Mg1FJEnvL.jpg", "https://m.media-amazon.com/images/I/31M-ig35WQL.jpg", "https://m.media-amazon.com/images/I/41n4E++BcmL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Jumpsuits, Rompers & Overalls \u203a Jumpsuits", "average_rating": "", "small_description": ["women jumpsuit clearance ", "jumpsuits for women jumpsuit for women sexy women's jumpsuits, rompers & overalls jumpsuits for women dressy black jumpsuits for women sexy jumpsuits for women bodycon jumpsuits for women white jumpsuit for women womens jumpsuit sexy jumpsuit for men rompers and jumpsuits for women red jumpsuit for women long sleeve jumpsuit for women jumpsuits for women elegant women jumpsuit jumpsuits lucky label jumpsuit for women christmas jumpsuit for women sequin jumpsuits for women jumpsuit for women ", "unicorn onies women closure ", "sexy christmas outfits for women ", "\ud83d\udca5Package Included: 1 * Women's Fashion Adults Pajamas. The best choice for gifts\uff01Women's One-Piece Jumpsuit Pajamas ", "\ud83d\udca5Material: Made of polyester, Breathable and durable quality fabric, Soft and comfortable to wear.Some styles contain 90% plush, flannel, velvet! Absolutely warm, breathable and comfortable! ", "\ud83d\udca5Features: Solid, Print, Long Sleeve, V-Neck, Buttoned, Flap, Functional, Slim Fit, Casual, Home, Daily, Fashion, Long. , \ud83d\udca5Occasion: Perfect for Home, Christmas, Leisure, Sleepwear, Bedroom, Casual, Living room, Lounge, Daily wear, etc., \ud83d\udca5Attention: If you are not satisfied with your clothes, contact us any time, we will get you back within 24 hours try our best to make things right."], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09PVP9P28/ref=twister_B09PVN8JP3", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31mUmamphgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PVNWWFC/ref=twister_B09PVN8JP3", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41hwDE9G-tL.jpg"}, {"is_selected": true, "url": null, "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41qhmQh1NLL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09PVL5JSZ"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09PVP4G3T"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09PVNLVRW"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09PVPK93F"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09PVNRGVS"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PVNLVRW", "category": "fashion", "query": "Women's Jumpsuits, Rompers & Overalls", "page": 88, "small_description_old": "women jumpsuit clearance jumpsuits for women jumpsuit for women sexy women's jumpsuits, rompers & overalls jumpsuits for women dressy black jumpsuits for women sexy jumpsuits for women bodycon jumpsuits for women white jumpsuit for women womens jumpsuit sexy jumpsuit for men rompers and jumpsuits for women red jumpsuit for women long sleeve jumpsuit for women jumpsuits for women elegant women jumpsuit jumpsuits lucky label jumpsuit for women christmas jumpsuit for women sequin jumpsuits for women jumpsuit for women unicorn onies women closure sexy christmas outfits for women \ud83d\udca5Package Included: 1 * Women's Fashion Adults Pajamas. The best choice for gifts\uff01Women's One-Piece Jumpsuit Pajamas \ud83d\udca5Material: Made of polyester, Breathable and durable quality fabric, Soft and comfortable to wear.Some styles contain 90% plush, flannel, velvet! Absolutely warm, breathable and comfortable! \ud83d\udca5Features: Solid, Print, Long Sleeve, V-Neck, Buttoned, Flap, Functional, Slim Fit, Casual, Home, Daily, Fashion, Long. \n \ud83d\udca5Occasion: Perfect for Home, Christmas, Leisure, Sleepwear, Bedroom, Casual, Living room, Lounge, Daily wear, etc.\ud83d\udca5Attention: If you are not satisfied with your clothes, contact us any time, we will get you back within 24 hours try our best to make things right.Show more"}, {"name": "WYSTAO Decorative Mirror Modern Minimalist Living Room Metal Mirror Wall Hanging Hall Pendant Iron Golden Soft Decoration 40/50/60/70cm (Size : 70x70cm/27.6x27.6in)", "product_information": {"Item Weight": "13.23 pounds", "Manufacturer": "JUNGLE LEOPARD", "ASIN": "B082KBN23S"}, "brand": "Brand: WYSTAO", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=WYSTAO", "full_description": "Wall decorations can be double-decorated because they fill your space with stylish wall elements, and can also help by reflecting light in the room and visually extending the wall beyond the actual location. Dark or smaller rooms look brighter and brighter.Product Name: Wall-mounted decorative mirrorSize: 40x40cm/15.7x15.7in , 50x50cm/19.7x19.7in , 60x60cm/23.62x23.62in , 70x70cm/27.6x27.6inSupport customization, please contact usPacking: product + foam + carton + wooden frameMaterial: high quality mirror + MDF + hardwareFeatures: 1. Dust that can be treated with toothpaste or 30% cleaning solution2. Do not place the contact surface directly with overheated materials for a long time.3. Do not scratch and beat with sharp objectsprompt:\u25b2 We only sell decorative mirrors and measure products manually. The error is 1-2 cm is normal. There are some errors in photos and objects. This is normal and does not affect the use of the product.\u25b2If you have not received the goods within 30 days, or have any questions about the products, you can contact our customer service, your trust is our pursuit.\u25b2 If you are satisfied with our products, please leave your praise, this is the driving force for our progress.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/418Ayl5utiL.jpg", "https://m.media-amazon.com/images/I/41+YzJIDY0L.jpg", "https://m.media-amazon.com/images/I/51AWnDKyXrL.jpg", "https://m.media-amazon.com/images/I/51AGUF1VmBL.jpg", "https://m.media-amazon.com/images/I/51K74xLYecL.jpg", "https://m.media-amazon.com/images/I/412H55TlNdL.jpg", "https://m.media-amazon.com/images/I/41QJX80vp6L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Mirrors \u203a Wall-Mounted Mirrors", "average_rating": "", "small_description": ["\u25b2 High-definition crystal silver mirror: Select high-quality silver mirror to better reflect indoor light, achieve high-definition imaging, show the aesthetic pleasure of the head of the individual, and convey a sense of calm and elegant space. ", "\u25b2 Scene versatile: suitable for a variety of scenes, the matching effect will have a different feeling, or make people shine, or light luxury or art... support custom size ", "\u25b2 European creative decorative mirror: simple and creative, style is versatile, champagne border is more noble, luxurious quality ", "\u25b2 Metal wall-mounted mirror: can be placed according to the design of their own home, such as living room, bedroom, restaurant, etc. ", "\u25b2 Color border: The border has a good texture and a natural atmosphere. The color is colored with healthy environmentally friendly paint. It does not fade and is healthier. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B082J9W2BQ/ref=twister_B082K6SY6J?_encoding=UTF8&psc=1", "value": "40x40cm/15.7x15.7in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B082J8L643/ref=twister_B082K6SY6J?_encoding=UTF8&psc=1", "value": "50x50cm/19.7x19.7in", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B082J8RWGF/ref=twister_B082K6SY6J?_encoding=UTF8&psc=1", "value": "60x60cm/23.62x23.62in", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "70x70cm/27.6x27.6in", "price_string": "", "price": 0, "image": null}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B082KBN23S", "category": "garden", "query": "Decorative Mirrors", "page": 63, "small_description_old": "About this item \u25b2 High-definition crystal silver mirror: Select high-quality silver mirror to better reflect indoor light, achieve high-definition imaging, show the aesthetic pleasure of the head of the individual, and convey a sense of calm and elegant space. \u25b2 Scene versatile: suitable for a variety of scenes, the matching effect will have a different feeling, or make people shine, or light luxury or art... support custom size \u25b2 European creative decorative mirror: simple and creative, style is versatile, champagne border is more noble, luxurious quality \u25b2 Metal wall-mounted mirror: can be placed according to the design of their own home, such as living room, bedroom, restaurant, etc. \u25b2 Color border: The border has a good texture and a natural atmosphere. The color is colored with healthy environmentally friendly paint. It does not fade and is healthier."}, {"name": "[Herbloom] Organic Kombucha Serum & Collagen Cream for Face, Nourishing Set, Deep Hydrating Face Moisturizer with Triple Hyaluronic & Ceramide & Vegan Collagen, Organic Vegan Korean Skincare", "product_information": {"ASIN\n \u200f": "\u200e\n B09RFDP1C3", "Best Sellers Rank": "#315,935 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,134 in Facial Skin Care Sets & Kits", "#1,134 in Facial Skin Care Sets & Kits": ""}, "brand": "Visit the herbloom Store", "brand_url": "https://www.amazon.com/stores/HerbloomWemakeyoubloom/page/88799F69-FEB1-4FD7-A797-A8DFB52A61BC?ref_=ast_bln", "full_description": "", "pricing": "$63.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31iioZJ-VRL.jpg", "https://m.media-amazon.com/images/I/41HibRn6MXL.jpg", "https://m.media-amazon.com/images/I/41N7-IxoA1L.jpg", "https://m.media-amazon.com/images/I/41d995C63YL.jpg", "https://m.media-amazon.com/images/I/41lr3hF3iIL.jpg", "https://m.media-amazon.com/images/I/415MRmK17IL.jpg", "https://m.media-amazon.com/images/I/51-Eromr10L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Face \u203a Sets & Kits", "average_rating": "", "small_description": ["100% Natural Ingredients: KOREAN ORGANIC KOMBUCHA; Herbloom's Kombucha Face Toner & Serum; Herbloom's Kombucha Serum & Cream are mainly formulated with Kombucha Extract (Serum 70.5% & Cream 40.53%). We use organically grown fermented green tea for SUSTAINABLE SKIN and environment. ", "What KOMBUCHA Facial Serum & Cream are Includes: Kombucha contains antioxidants (4 times that of green tea), including probiotics, glucuronic acid, polyphenols and vitamins, produced during fermentation to help eliminate free radicals. ", "Benefit of Face Serum; The complex beneficial bacteria strengthens the skin's moisture barrier. With the powerful hydration of Triple Hyaluronic acid, ceramide, it helps provide deep moisturizing care. Dual functional cosmetic with anti-wrinkle/brightening. ", "Benefit of Face Cream; Light and gentle Moisturizer, this Vegan Collagen moisturizer for face has a lightweight, non-greasy texture that feels fresf on all skin type; Kombucha facial moisturizer can help contribute to smoothing out skin tone and texture, making your skin look firmer and more elastic. ", "Vegan and Cruelty Free face Toner & Serum; free of dyes, parabens, sulfates, phthalates, alcohol and Artificial fragrance. A reliable EWG green grade essence that is also supplied to postpartum care centers, facials and spas. (*Results may differ based on the individual, so it is essential that you do a patch test before use.) "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2A7OF607DTMKO", "seller_name": "Herbloom Korea", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09RFDP1C3", "category": "beauty", "query": "Skin Care Sets & Kits", "page": 131, "small_description_old": "About this item 100% Natural Ingredients: KOREAN ORGANIC KOMBUCHA; Herbloom's Kombucha Face Toner & Serum; Herbloom's Kombucha Serum & Cream are mainly formulated with Kombucha Extract (Serum 70.5% & Cream 40.53%). We use organically grown fermented green tea for SUSTAINABLE SKIN and environment. What KOMBUCHA Facial Serum & Cream are Includes: Kombucha contains antioxidants (4 times that of green tea), including probiotics, glucuronic acid, polyphenols and vitamins, produced during fermentation to help eliminate free radicals. Benefit of Face Serum; The complex beneficial bacteria strengthens the skin's moisture barrier. With the powerful hydration of Triple Hyaluronic acid, ceramide, it helps provide deep moisturizing care. Dual functional cosmetic with anti-wrinkle/brightening. Benefit of Face Cream; Light and gentle Moisturizer, this Vegan Collagen moisturizer for face has a lightweight, non-greasy texture that feels fresf on all skin type; Kombucha facial moisturizer can help contribute to smoothing out skin tone and texture, making your skin look firmer and more elastic. Vegan and Cruelty Free face Toner & Serum; free of dyes, parabens, sulfates, phthalates, alcohol and Artificial fragrance. A reliable EWG green grade essence that is also supplied to postpartum care centers, facials and spas. (*Results may differ based on the individual, so it is essential that you do a patch test before use.)"}, {"name": "SapplySource 6ft/1.8m UL Listed AC in Power Cord for Jensen CD-560 Wireless Bluetooth Boombox Portable CD Player AM/FM Radio Stereo Speaker System CD560 CD-560BLK JEN-CD-560", "product_information": {"ASIN": "B08SM5R231", "Date First Available": "January 11, 2021", "Manufacturer": "SapplySource"}, "brand": "Brand: SapplySource", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=SapplySource", "full_description": "SapplySource 6ft/1.8m UL Listed AC IN Power Cord Outlet Socket Cable Plug Lead For Jensen CD-560 Wireless Bluetooth Boombox Portable CD Player AM/FM Radio Stereo Speaker System CD560 CD-560BLK JEN-CD-560Notice:1. Please make sure the DC output and tip size of ac adapter are accordant before you order.2. If you use the adapter for a long time, please keep it suitable ventilating and humidity. Do not put it on the skin products.3. Please feel free to contact us if you have further questions.We will be more than happy to assist you", "pricing": "$18.94", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41JvsSMlkPL.jpg", "https://m.media-amazon.com/images/I/51TSjeOBKYL.jpg", "https://m.media-amazon.com/images/I/4110u9zSnYL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Power Cables", "average_rating": "", "small_description": ["\u2714SAFETY: SapplySource Products manufactured with the highest quality materials and include multiple smart features safeguarding against IV - incorrect voltage, SC - short circuit, IO - internal overheating.\u00a0Chargers are certificated with CE FCC etc. ", "\u2714Figure 8 Power Cords ,125V 10A NEMA 1-15P to IEC320 C7,Non-Polarized,NISPT-2 18AWG(approx.0.824mm2) extension cable connects from your equipment socket to a standard 2 pronged AC outlet receptacle. ", "\u2714NOTE: This Adapter is Brand New, High Quality Never USED (non-OEM). Please make sure the model of your device before buying ", "\u27146ft/1.8m UL Listed AC IN Power Cord Outlet Socket Cable Plug Lead For Jensen CD-560 Wireless Bluetooth Boombox Portable CD Player AM/FM Radio Stereo Speaker System CD560 CD-560BLK JEN-CD-560 ", "\u2714Replace your overused, old, broken, damaged, or misplaced power cable or add extra distance / extension between devices for convenience "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AB222WYDODEET", "seller_name": "Power Supply Source", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08SM5R231", "category": "electronics", "query": "Boomboxes & Portable Radios", "page": 91, "small_description_old": "\u2714SAFETY: SapplySource Products manufactured with the highest quality materials and include multiple smart features safeguarding against IV - incorrect voltage, SC - short circuit, IO - internal overheating.\u00a0Chargers are certificated with CE FCC etc. \u2714Figure 8 Power Cords ,125V 10A NEMA 1-15P to IEC320 C7,Non-Polarized,NISPT-2 18AWG(approx.0.824mm2) extension cable connects from your equipment socket to a standard 2 pronged AC outlet receptacle. \u2714NOTE: This Adapter is Brand New, High Quality Never USED (non-OEM). Please make sure the model of your device before buying \u27146ft/1.8m UL Listed AC IN Power Cord Outlet Socket Cable Plug Lead For Jensen CD-560 Wireless Bluetooth Boombox Portable CD Player AM/FM Radio Stereo Speaker System CD560 CD-560BLK JEN-CD-560 \u2714Replace your overused, old, broken, damaged, or misplaced power cable or add extra distance / extension between devices for convenience"}, {"name": "Non Sorbate Prunes 3lb Bags \u2014 Individual Bags", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Item Weight\n \u200f": "\u200e\n 3 Pounds", "UPC\n \u200f": "\u200e\n 028744331617", "Manufacturer\n \u200f": "\u200e\n Regal Gourmet Snacks", "ASIN\n \u200f": "\u200e\n B09LDGGBS8", "Best Sellers Rank": "#409,018 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#200 in Dried Prunes", "#200 in Dried Prunes": ""}, "brand": "Brand: Nutstop.com", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Nutstop.com", "full_description": "Non sorbate prunes are dried prunes that contain no preservatives. They provide extensive health benefits and are a versatile kitchen staple. Individual packing, 3lb Bags \u2014 Non Sorbate Prunes. Storage \u2022 Store in a cool, dry place. Shelf Life \u2022 Bags \u2013 up to 1 year. Allergen Information Manufactured on shared equipment with peanuts, soybeans, tree nuts, milk, eggs, wheat and whey.", "pricing": "$21.96", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41jxBN8Sp7L.jpg", "https://m.media-amazon.com/images/I/41Miyow4l+L.jpg", "https://m.media-amazon.com/images/I/51lq3OBCVIL.jpg", "https://m.media-amazon.com/images/I/51xK1pHGpKL.jpg", "https://m.media-amazon.com/images/I/41boOsDfZIL.jpg", "https://m.media-amazon.com/images/I/31QN81xYB3L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Produce \u203a Dried Fruits & Vegetables \u203a Dried Fruits \u203a Dried Prunes", "average_rating": "", "small_description": ["Individual packing 1lb Bag \u2014 3 Bags Non Sorbate Prunes. ", "Reach for a handful of prunes instead of candy when you want a sweet treat. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07KFPTVQN/ref=twister_B07KFN6Q61?_encoding=UTF8&psc=1", "value": "1 Pound Bag", "price_string": "$9.89", "price": 9.89, "image": null}, {"is_selected": true, "url": null, "value": "3 Pound Bags", "price_string": "$21.96", "price": 21.96, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LDF91LC/ref=twister_B07KFN6Q61?_encoding=UTF8&psc=1", "value": "5 Pound Bags", "price_string": "$31.94", "price": 31.94, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07KFQ6CYG/ref=twister_B07KFN6Q61?_encoding=UTF8&psc=1", "value": "10 Pound Case", "price_string": "$47.39", "price": 47.39, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07KFNMR3Y/ref=twister_B07KFN6Q61?_encoding=UTF8&psc=1", "value": "25 Pound Case", "price_string": "$90.50", "price": 90.5, "image": null}]}, "seller_id": "A3UFWWLV33YLRY", "seller_name": "Nutstop", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09LDGGBS8", "category": "grocery", "query": "Dried Fruits & Raisins", "page": 69, "small_description_old": "Individual packing 1lb Bag \u2014 3 Bags Non Sorbate Prunes. Reach for a handful of prunes instead of candy when you want a sweet treat."}, {"name": "SKNG U-Shaped Children's Soft Silicone Toothbrush, 360\u00b0 Silicone Toothbrush Set 2-6 Years Old Baby Toothbrush (Pink)", "product_information": {"Manufacturer\n \u200f": "\u200e\n SKNG", "ASIN\n \u200f": "\u200e\n B09GXPBPLG", "": ""}, "brand": "Brand: SKNG", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=SKNG", "full_description": "", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31HTbRUjC1L.jpg", "https://m.media-amazon.com/images/I/51lr8YiE9OL.jpg", "https://m.media-amazon.com/images/I/419rWpv1RsL.jpg", "https://m.media-amazon.com/images/I/41oiHdGownL.jpg", "https://m.media-amazon.com/images/I/41cIX899Z6L.jpg", "https://m.media-amazon.com/images/I/41SP+S3D0QL.jpg", "https://m.media-amazon.com/images/I/41c6DRWCboL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothbrushes & Accessories \u203a Manual Toothbrushes", "average_rating": "", "small_description": ["[Size]: 2-6 years old: the size of the toothbrush is 1.96*3.93, choose a U-shaped children's toothbrush of the appropriate size according to the age of the child. (If you need a 6-12 year old toothbrush, please enter my shop to search and place an order) ", "[Material]: U-shaped children's toothbrush uses food-grade silica gel +pp, and the product uses U-shaped soft rubber brush heads, smart teeth cleaning, safer and more assured. ", "[Cleaning function]: Starting from the baby's first tooth, mothers need to guide the child to develop good oral hygiene habits. ", "[Applicable people]: Silicone soft toothbrush is suitable for 2-6 years old baby. ", "[Comfortable grip]: Children's toothbrush has a comfortable round handle, which can be brushed with one twist and one turn. It is brushed twice a day. It is recommended to replace the toothbrush every 1-2 months. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09GX9VCGN/ref=twister_B09GXC5WN1?_encoding=UTF8&psc=1", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41SEzBExYSL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09GX9ZLF8/ref=twister_B09GXC5WN1?_encoding=UTF8&psc=1", "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/311mgnBdwYL.jpg"}, {"is_selected": true, "url": null, "value": "Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31HTbRUjC1L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09GXJ9WRX/ref=twister_B09GXC5WN1?_encoding=UTF8&psc=1", "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31ia1BDG4OL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09GXPBPLG", "category": "beauty", "query": "Children's Dental Care", "page": 124, "small_description_old": "About this item [Size]: 2-6 years old: the size of the toothbrush is 1.96*3.93, choose a U-shaped children's toothbrush of the appropriate size according to the age of the child. (If you need a 6-12 year old toothbrush, please enter my shop to search and place an order) [Material]: U-shaped children's toothbrush uses food-grade silica gel +pp, and the product uses U-shaped soft rubber brush heads, smart teeth cleaning, safer and more assured. [Cleaning function]: Starting from the baby's first tooth, mothers need to guide the child to develop good oral hygiene habits. [Applicable people]: Silicone soft toothbrush is suitable for 2-6 years old baby. [Comfortable grip]: Children's toothbrush has a comfortable round handle, which can be brushed with one twist and one turn. It is brushed twice a day. It is recommended to replace the toothbrush every 1-2 months."}, {"name": "Meijunter Islamic Women Swimwear Burkini Muslim Hijab Swimsuit Modest Swim Surf Wear Sun Protection Swimming 3 Pieces Suit", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 11.81 x 7.87 x 1.97 inches; 15.87 Ounces", "Item model number\n \u200f": "\u200e\n Meijunter", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n March 17, 2020", "Manufacturer\n \u200f": "\u200e\n Huizhou City Junsi Electronics Co., Ltd.", "ASIN\n \u200f": "\u200e\n B085ZY9357", "": ""}, "brand": "Brand: Meijunter", "brand_url": "https://www.amazon.com/Meijunter/b/ref=bl_sl_s_ap_web_20388779011?ie=UTF8&node=20388779011&field-lbr_brands_browse-bin=Meijunter", "full_description": "Description: Feature: \u25c6Gender: Women \u25c6Material: Synthetic. Main fabric nylon and spandex \u25c6Whether with steel ring: no underwire no chest pad \u25c6Sleeve Length: Long \u25c6Pants Length: Long \u25c6Applicable scene: swimming, wading or other sports Attention Please: \u25cfPlease allow 1~3cm difference due to manual measurements. \u25cfDue to colors of different displays are different, the actual product colour may be slightly different from the above images. Package Content: 1 * Tops 1 * Pants 1 * Cap", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41v6CZixxLL.jpg", "https://m.media-amazon.com/images/I/516+fJpP1EL.jpg", "https://m.media-amazon.com/images/I/41ns3ZnSSyL.jpg", "https://m.media-amazon.com/images/I/61ziHJaH+LL.jpg", "https://m.media-amazon.com/images/I/41iXBa0sWoL.jpg", "https://m.media-amazon.com/images/I/41Nmx0Sx7hL.jpg", "https://m.media-amazon.com/images/I/31uJvjXbqfL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Swimsuits & Cover Ups \u203a Cover-Ups", "average_rating": "", "small_description": ["Note: Before order, please follow the size chart that we provide (We provide the image size table), Don't read Amazon Size Chart. Please especially pay attention to the bust size. ", "Excellent quality material: 80% nylon + 20% Spandex. UV protection, high stretchy, durable and easy to dry ", "Stylish: The swimsuits not only fit for Muslim female, but also for other ladies who love the fashion and personalized design or need full coverage to escape ultraviolet rays and sunlight ", "Washing Care: Do not wash your swimsuit in warm or hot water. Use cold water to ensure the original color and shape of your swimsuit. Hand washing is recommended ", "Features: Durable, environmental protection, conservative full coverage, quick-drying, no underwire, no chest pad, long sleeve, trousers "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41v6CZixxLL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085ZY1TX5/ref=twister_B085ZYBMT6", "value": "Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41YswcBkKiL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085ZXMS14/ref=twister_B085ZYBMT6", "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/4111Wj+6VVL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Tag S = US 4", "asin": "B085ZY9357"}, {"is_selected": false, "is_available": true, "value": "Tag M = US 6", "asin": "B0861CVFS2"}, {"is_selected": false, "is_available": true, "value": "Tag L = US 8", "asin": "B085ZXRDZL"}, {"is_selected": false, "is_available": true, "value": "Tag 2XL = US 12", "asin": "B085ZXZPS9"}, {"is_selected": false, "is_available": true, "value": "Tag 3XL = US 14", "asin": "B085ZXLM7M"}, {"is_selected": false, "is_available": true, "value": "Tag 4XL = US 16", "asin": "B0861GWJV2"}, {"is_selected": false, "is_available": true, "value": "Tag XL = US 10", "asin": "B08612CR8R"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0861GWJV2", "category": "fashion", "query": "Women's Swimsuits & Cover Ups", "page": 101, "small_description_old": "Note: Before order, please follow the size chart that we provide (We provide the image size table), Don't read Amazon Size Chart. Please especially pay attention to the bust size. Excellent quality material: 80% nylon + 20% Spandex. UV protection, high stretchy, durable and easy to dry Stylish: The swimsuits not only fit for Muslim female, but also for other ladies who love the fashion and personalized design or need full coverage to escape ultraviolet rays and sunlight Washing Care: Do not wash your swimsuit in warm or hot water. Use cold water to ensure the original color and shape of your swimsuit. Hand washing is recommended Features: Durable, environmental protection, conservative full coverage, quick-drying, no underwire, no chest pad, long sleeve, trousers"}, {"name": "Laeacco Steampunk Clock Backdrops 6.5x6.5ft Vinyl Photography Background Shabby Clock Photo Backdrop Old Clock Punk Grunge Culture Adults Brave Boy Portraits Photo Studio Props", "product_information": {"Package Dimensions": "10 x 9 x 0.5 inches", "Item Weight": "3.36 ounces", "ASIN": "B07KK7G5YJ", "Item model number": "2x2NBK10650AA", "Customer Reviews": {"ratings_count": 10, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#67,120 in Photographic Studio Photo Backgrounds"], "Date First Available": "November 15, 2018", "Manufacturer": "Laeacco"}, "brand": "Visit the Laeacco Store", "brand_url": "https://www.amazon.com/stores/Laeacco/page/2C446C50-0D3E-4CFD-874D-A4CE97CFF4F8?ref_=ast_bln", "full_description": "Detail information:Material: Vinyl & Computer Painted(Not Washable)Color:As picture shownFeatures:Light Absorption,Non-reflectiveSize: 6.5 * 6.5 FT (2 * 2 M).Customized per Your Request Preparation: 2-3 daysUsage: For the Photography for Adults,Children,Newborn Baby,Toddlers,Lovers Families,Perfect for TV/Film Production,All Kinds of Wedding,Party,Event,Festival,Activities,Artistics Portraits.Advantage:Vinyl Cloth Backdrops Is Our Latest And Greatest Computer Painted Wrinkle-Free Fleece-Like Fabric. This Lightweight Fabric Will Give You The Intense Vivid Color That You Have Been Looking For A Backdrop.It Is An Ideal Property To Record Your Unforgettable Moments.We Also Supply Other Size of the Same Picture:3x3ft,5x3ft,4x5ft,5x5ft,4x6.5ft,5x6.5ft,8x10ft,10x10ft,6.5x10ft,8x8ft,8x15ft.How do I Customize? 1)Contact us by email and tell us the size/style that you need, then we can make it for you. 2)Or if you want to print your own pictures,pixel must be large enough,more than 1Mbit.Attention:According to rule of post office, length of item cannot be more than 1.2m. Items will be sent folded.So there may be creases.Here we suggest:1) Roll it up tightly with a cylinder for 3-4 days, it will be ok.2) Heat it with a steam iron on the back of item, then it will be smooth again.3) Stretch it and clamp it to a back drop stand for 3-4 days, it also works.4) Haning it for a few days.Notes:Please stand the right distance when u take photos. Don't stand too close to have a good shooting effects.Please understand that every computer screen is different, therefore,colors may vary slightly. Laeacco will always adhere the Customes is God service purpose .If you have any questions or needs ,just feel free to contact us,we will give you a satisfactory solution ASAP we can.", "pricing": "$24.59", "list_price": "", "availability_status": "Usually ships within 6 to 10 days.", "images": ["https://m.media-amazon.com/images/I/61lV1rUjz6L.jpg", "https://m.media-amazon.com/images/I/51-qbszDZOL.jpg", "https://m.media-amazon.com/images/I/51yDRjcohlL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Lighting & Studio \u203a Photo Studio \u203a Backgrounds", "average_rating": 4.8, "small_description": ["Size: 6.5(W)*6.5(H)FT / 2(W)x 2(H)M(2meter wide x2meter high). ", "Material: Vinyl;light weight;It can be folded & easy to carry (Pictorial cloth). ", "Fetures: High resolution,Strong articulation,High quality & not easy fade;Can swab with water,easy to keep clean;Glare free and roll out flat;It is great for photo studio photography;Excellent color treatment and realistic detail. ", "Type: Computer Painted/Printed;Printed on chemical fiber material;Using a series of high-tech digital production equipment carefully made digital pictures inkjet pictures.If necessary,please iron the back surface with steam iron but not dry iron. ", "Photography for event,home,festival,holiday,family,wedding,video studio,photo studio,club,school,and all kind of party;children kids newborn baby adults portraits or product photography;video backdrops or displays;TV &film production;used as wallpaper,curtain,tablecloth,ecoration and so on;digital photography;versatile backdrop and a work of art. "], "total_reviews": 10, "total_answered_questions": "", "model": "2x2NBK10650AA", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07KK8H1KH/ref=twister_B086JXQKJZ?_encoding=UTF8&psc=1", "value": "5x5FT", "price_string": "$17.99", "price": 17.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07KK6PN2W/ref=twister_B086JXQKJZ?_encoding=UTF8&psc=1", "value": "6x6FT", "price_string": "$23.29", "price": 23.29, "image": null}, {"is_selected": true, "url": null, "value": "6.5x6.5FT", "price_string": "$24.59", "price": 24.59, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07KK6KN46/ref=twister_B086JXQKJZ?_encoding=UTF8&psc=1", "value": "8x8FT", "price_string": "$34.89", "price": 34.89, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07KK6NMD5/ref=twister_B086JXQKJZ?_encoding=UTF8&psc=1", "value": "10x10FT", "price_string": "$55.99", "price": 55.99, "image": null}]}, "seller_id": "AQ6ITA2LVFXVN", "seller_name": "DEBRA ROBERTS", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07KK7G5YJ", "category": "electronics", "query": "Underwater Photography", "page": 169, "small_description_old": "About this item\n \nSize: 6.5(W)*6.5(H)FT / 2(W)x 2(H)M(2meter wide x2meter high). Material: Vinyl;light weight;It can be folded & easy to carry (Pictorial cloth). Fetures: High resolution,Strong articulation,High quality & not easy fade;Can swab with water,easy to keep clean;Glare free and roll out flat;It is great for photo studio photography;Excellent color treatment and realistic detail. Type: Computer Painted/Printed;Printed on chemical fiber material;Using a series of high-tech digital production equipment carefully made digital pictures inkjet pictures.If necessary,please iron the back surface with steam iron but not dry iron. Photography for event,home,festival,holiday,family,wedding,video studio,photo studio,club,school,and all kind of party;children kids newborn baby adults portraits or product photography;video backdrops or displays;TV &film production;used as wallpaper,curtain,tablecloth,ecoration and so on;digital photography;versatile backdrop and a work of art."}, {"name": "Universal TV Stand/ Base Tabletop TV Stand with Wall Mount for 40 to 86 inch 5 Level Height Adjustable, Heavy Duty Tempered Glass Base, Holds up to 132lbs Screens, HT03B-003", "product_information": {"Brand Name": "\u200eHemudu", "Item Weight": "\u200e20.3 pounds", "Product Dimensions": "\u200e22.8 x 13 x 34.2 inches", "Item model number": "\u200eHT03B-003", "Color Name": "\u200eBlack", "ASIN": "B07ZYVWCZ7", "Customer Reviews": {"ratings_count": 443, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#330 in TV Mounts #481 in Electronics Mounts"], "Date First Available": "November 3, 2019"}, "brand": "Visit the Hemudu Store", "brand_url": "https://www.amazon.com/stores/Hemudu/page/26856B9B-4D16-4DB6-BC69-309C929ACA82?ref_=ast_bln", "full_description": "", "pricing": "$73.95", "list_price": "", "availability_quantity": 1, "availability_status": "In Stock. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41C9ouL1A5S.jpg", "https://m.media-amazon.com/images/I/518aVOIdwRL.jpg", "https://m.media-amazon.com/images/I/41fWLDfTC6S.jpg", "https://m.media-amazon.com/images/I/51pB0vNQXjL.jpg", "https://m.media-amazon.com/images/I/51UnpDr3BbL.jpg", "https://m.media-amazon.com/images/I/41s7l5yV1BL.jpg", "https://m.media-amazon.com/images/I/71KVCyXxKFL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Television & Video \u203a Television Accessories \u203a TV Mounts, Stands & Turntables \u203a TV Ceiling & Wall Mounts", "average_rating": 4.4, "small_description": ["UNIVERSAL TABLE TOP TV STAND WITHOUT DRILLING HOLE ON WALL \u261e Designed with a heavy duty steel pole and 10mm thickness tempered glass base, this universal table top TV stand can easily hold your TV on your table with safety and stability, you don't need drill holes on your wall,besides this table top TV stand fits 40 to 86 inch TVs with VESA pattern from 100mmx100mm to 600mmx400mm, holds up to 132lbs screens ", "HEAVY DUTY TV STAND WITH EASY ASSEMBLY \u261e My intelligent stand can be installed within 15 minutes according to a detailed instruction manual, the tools and television screws included ", "FUNCTIONAL TV STAND WITH HEIGHT ADJUSTABLE AND CABLE MANAGEMENT \u261e My functional TV mount have 5 level height adjustment in order to choose your best space, besides integrated cable pass through port and collect the messy cables allows you to tidy your room clean ", "UNIVERSAL AND DURABILITY \u261e Our TV mounting bracket is compatible with Samsung, Sony, LG, Sharp, Insignia, Vizio, Haier, Toshiba, Sharp, Element, and TCL. Black tempered glass gives an added touch to your home theater system while providing security and stability when mounting your devices ", "SMART DESIGN \u261e This tabletop TV stand with black tempered glass base looks simple and elegant "], "total_reviews": 443, "total_answered_questions": 18, "model": "\u200eHT03B-003", "customization_options": "", "seller_id": "A1VGYYY1EQIBD2", "seller_name": "Hemudu", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B07ZYVWCZ7", "category": "electronics", "query": "Television Accessories", "page": 92, "small_description_old": "About this item UNIVERSAL TABLE TOP TV STAND WITHOUT DRILLING HOLE ON WALL \u261e Designed with a heavy duty steel pole and 10mm thickness tempered glass base, this universal table top TV stand can easily hold your TV on your table with safety and stability, you don't need drill holes on your wall,besides this table top TV stand fits 40 to 86 inch TVs with VESA pattern from 100mmx100mm to 600mmx400mm, holds up to 132lbs screens HEAVY DUTY TV STAND WITH EASY ASSEMBLY \u261e My intelligent stand can be installed within 15 minutes according to a detailed instruction manual, the tools and television screws included FUNCTIONAL TV STAND WITH HEIGHT ADJUSTABLE AND CABLE MANAGEMENT \u261e My functional TV mount have 5 level height adjustment in order to choose your best space, besides integrated cable pass through port and collect the messy cables allows you to tidy your room clean UNIVERSAL AND DURABILITY \u261e Our TV mounting bracket is compatible with Samsung, Sony, LG, Sharp, Insignia, Vizio, Haier, Toshiba, Sharp, Element, and TCL. Black tempered glass gives an added touch to your home theater system while providing security and stability when mounting your devices SMART DESIGN \u261e This tabletop TV stand with black tempered glass base looks simple and elegant \n \u203a See more product details"}, {"name": "DiGiorno Original Rising Crust Three Meat Frozen Pizza - 5 Pack (29.8 oz Each) - Crispy Crust - No Artificial Flavors", "product_information": {"Manufacturer\n \u200f": "\u200e\n Gourmet Kitchn", "ASIN\n \u200f": "\u200e\n B097DSB79F", "Best Sellers Rank": "#411,745 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#48 in Frozen Meat Pizzas", "#48 in Frozen Meat Pizzas": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Gourmet Kitchn", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Gourmet+Kitchn", "full_description": "HEALTHY GOURMET FOODS READY TO EATIn Gourmet Kitchn, we started as a frozen food company, but soon we realized how important it is to provide our clients with natural and healthy options.We want to connect people with the best artisan and gourmet foods ready to eat, including pet snacks and treats.", "pricing": "$119.99", "list_price": "", "availability_status": "In stock. Usually ships within 3 to 4 days.", "images": ["https://m.media-amazon.com/images/I/512TuiOB6HL.jpg", "https://m.media-amazon.com/images/I/61Qy8zq-JKL.jpg", "https://m.media-amazon.com/images/I/41xYn5IXvLL.jpg", "https://m.media-amazon.com/images/I/31GgPMW08sL.jpg", "https://m.media-amazon.com/images/I/517OJ2PvbXL.jpg", "https://m.media-amazon.com/images/I/51bUV6gTryL.jpg", "https://m.media-amazon.com/images/I/31+w-b-CviL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Frozen \u203a Pizza \u203a Meat", "average_rating": 3.4, "small_description": ["ONLY NATURAL INGREDIENTS: Preservative-free rising crust, top it with DiGiorno signature sauce, made from scratch using California vine-ripened tomatoes and 100 percent real cheese. ", "QUICK AND EASY PREPARATION: Bake it in conventional oven and you get a quality-restaurant pizza right at home. ", "PARTY FAVORITE: Serve this easy and convenient pizza at your next pizza party as a meal, or heat it up for an afternoon snack any day of the week. ", "16G OF PROTEIN PER SERVING: A perfect combination is one serving, a fresh salad and great company. ", "KEEP FROZEN: Cook until cheese in center is melted. ", "Unit count type: Ounce "], "total_reviews": 5, "total_answered_questions": "", "customization_options": {"Flavor": [{"is_selected": false, "url": "https://www.amazon.com/dp/B097DTFMLV/ref=twister_B097F4YMQ9?_encoding=UTF8&psc=1", "value": "Pepperoni", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B097DSW96F/ref=twister_B097F4YMQ9?_encoding=UTF8&psc=1", "value": "Supreme", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "Three Meat", "price_string": "", "price": 0, "image": null}], "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B097DSS5YM/ref=twister_B097F4YMQ9?_encoding=UTF8&psc=1", "value": "3 Pack", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "5 Pack", "price_string": "", "price": 0, "image": null}]}, "seller_id": "A28Z54X6O7TYDI", "seller_name": "Ready Set Gourmet", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B097DSB79F", "category": "grocery", "query": "Meat Snacks", "page": 67, "small_description_old": "ONLY NATURAL INGREDIENTS: Preservative-free rising crust, top it with DiGiorno signature sauce, made from scratch using California vine-ripened tomatoes and 100 percent real cheese. QUICK AND EASY PREPARATION: Bake it in conventional oven and you get a quality-restaurant pizza right at home. PARTY FAVORITE: Serve this easy and convenient pizza at your next pizza party as a meal, or heat it up for an afternoon snack any day of the week. 16G OF PROTEIN PER SERVING: A perfect combination is one serving, a fresh salad and great company. KEEP FROZEN: Cook until cheese in center is melted. Unit count type: Ounce"}, {"name": "Leopard Print Makeup Bag Cheetah Small Cosmetic Bags for Women Cosmetics Pouch Travel Accessories Case Portable Zippered Cosmetic Storage Organizer for Purse", "product_information": {"Product Dimensions": "9 x 6 x 2 inches", "Item Weight": "3.2 ounces", "Department": "Women", "ASIN": "B09MCF64RM", "Country of Origin": "China", "Best Sellers Rank": ["#281,005 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care) #4,301 in Cosmetic Bags"]}, "brand": "Visit the Baobeily Store", "brand_url": "https://www.amazon.com/stores/Baobeily/page/B04BE9FC-85C4-48D1-A99E-34389FAB2D7C?ref_=ast_bln", "full_description": "", "pricing": "$15.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51ma1lERh8L.jpg", "https://m.media-amazon.com/images/I/51CAKi9riUL.jpg", "https://m.media-amazon.com/images/I/41iIxfcWQTL.jpg", "https://m.media-amazon.com/images/I/51fxkn9HKNL.jpg", "https://m.media-amazon.com/images/I/514IQFOeh0L.jpg", "https://m.media-amazon.com/images/I/51+3itdCzUL.jpg", "https://m.media-amazon.com/images/I/B1Qic9NN0QS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases \u203a Cosmetic Bags", "average_rating": "", "small_description": ["\u3010DURABLE COSMETIC BAGS\u3011- Fashion makeup bags are easily pack and carry makeup, jewelry, cosmetic products, and hair accessories; these cosmetic pouches are the perfect balance between function and style ", "\u3010TRAVEL BAGS\u3011- Organization has never been easier, use these makeup bags for toiletries or small knick-knacks while traveling and they can also be easily stored in any purse, backpack, tote bag or suitcase. Sleek shape fits anywhere while on the go ", "\u3010HIGH QUALITY\u3011- Made of soft polyester material and with a fully lined interiors. With a zipper closure for keeping contents secure, and flat base for a freestanding handsfree design allowing easier access to your items while going through any routine ", "\u3010PERFECT SIZE\u3011-Each pouch measures approximately 8.26 x 5.51 x 3.34 inches. Easily carry cosmetics makeup tools like lipstick, eye shadow, or men's shaving kit, fit 7 inches makeup brush and 5 inches lipstick ", "\u3010MULTI-PURPOSE Cosmetic Pouch\u3011-Stash your odds and ends with the Baobeily cosmetic bags! As beautiful as they are functional, these makeup bags are perfect for both travel & everyday use. And the cosmetic bag makes a great gift for members of your bridal party, for birthdays, Christmas, or graduation! "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09MCG4H36/ref=twister_B09SZ75VBZ?_encoding=UTF8&psc=1", "value": "001 Leopard Print", "price_string": "$13.99", "price": 13.99, "image": "https://m.media-amazon.com/images/I/41YiqmH3jtL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MCDPYXQ/ref=twister_B09SZ75VBZ?_encoding=UTF8&psc=1", "value": "001 Zebra Print", "price_string": "$13.99", "price": 13.99, "image": "https://m.media-amazon.com/images/I/41mu1YCClJL.jpg"}, {"is_selected": true, "url": null, "value": "002 Leopard Print", "price_string": "$15.99", "price": 15.99, "image": "https://m.media-amazon.com/images/I/51ma1lERh8L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MCFWBB5/ref=twister_B09SZ75VBZ?_encoding=UTF8&psc=1", "value": "002 Zebra Print", "price_string": "$15.99", "price": 15.99, "image": "https://m.media-amazon.com/images/I/41GSGv2cmVL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09MCGMF42/ref=twister_B09SZ75VBZ?_encoding=UTF8&psc=1", "value": "003 Zebra Print", "price_string": "$17.99", "price": 17.99, "image": "https://m.media-amazon.com/images/I/51ihxRed7nL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NVWFMDW/ref=twister_B09SZ75VBZ?_encoding=UTF8&psc=1", "value": "A", "price_string": "$5.99", "price": 5.99, "image": "https://m.media-amazon.com/images/I/51hwRgC1eEL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NVWDVL8/ref=twister_B09SZ75VBZ?_encoding=UTF8&psc=1", "value": "B", "price_string": "$5.99", "price": 5.99, "image": "https://m.media-amazon.com/images/I/51xuaNGzOxL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NVWK1B6/ref=twister_B09SZ75VBZ?_encoding=UTF8&psc=1", "value": "C", "price_string": "$5.99", "price": 5.99, "image": "https://m.media-amazon.com/images/I/41jIpQAuNPL.jpg"}]}, "seller_id": "A27UYH8Q4Q7HVK", "seller_name": "Bravoheart", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09MCF64RM", "category": "beauty", "query": "Bags & Cases", "page": 43, "small_description_old": "\u3010DURABLE COSMETIC BAGS\u3011- Fashion makeup bags are easily pack and carry makeup, jewelry, cosmetic products, and hair accessories; these cosmetic pouches are the perfect balance between function and style \u3010TRAVEL BAGS\u3011- Organization has never been easier, use these makeup bags for toiletries or small knick-knacks while traveling and they can also be easily stored in any purse, backpack, tote bag or suitcase. Sleek shape fits anywhere while on the go \u3010HIGH QUALITY\u3011- Made of soft polyester material and with a fully lined interiors. With a zipper closure for keeping contents secure, and flat base for a freestanding handsfree design allowing easier access to your items while going through any routine \u3010PERFECT SIZE\u3011-Each pouch measures approximately 8.26 x 5.51 x 3.34 inches. Easily carry cosmetics makeup tools like lipstick, eye shadow, or men's shaving kit, fit 7 inches makeup brush and 5 inches lipstick \u3010MULTI-PURPOSE Cosmetic Pouch\u3011-Stash your odds and ends with the Baobeily cosmetic bags! As beautiful as they are functional, these makeup bags are perfect for both travel & everyday use. And the cosmetic bag makes a great gift for members of your bridal party, for birthdays, Christmas, or graduation!"}, {"name": "Gefen Pitted Sweet Cherries Kosher For Passover 15 Oz. Pack Of 6.", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 4.4 x 3 x 4.4 inches; 15 Ounces", "UPC\n \u200f": "\u200e\n 670628965137", "Manufacturer\n \u200f": "\u200e\n Joycie Foods", "ASIN\n \u200f": "\u200e\n B079ZBPR2X", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#748,528 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#374 in Canned & Jarred Cherries", "#374 in Canned & Jarred Cherries": ""}, "brand": "Brand: Gefen", "brand_url": "https://www.amazon.com/Gefen/b/ref=bl_dp_s_web_2529465011?ie=UTF8&node=2529465011&field-lbr_brands_browse-bin=Gefen", "full_description": "Product of USA. Pack of 6. Kosher for Passover. Pitted Sweet Cherries. This is a natural product, pitted mechanically & may contain occasional pits. Ingredients: Cherries, Water & Sugar.", "pricing": "$37.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/215XbR9msAL.jpg", "https://m.media-amazon.com/images/I/51YTVVit+gL.jpg", "https://m.media-amazon.com/images/I/31-SbhRo0KL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Canned, Jarred & Packaged Foods \u203a Fruits \u203a Cherries", "average_rating": "", "small_description": ["Product of USA. Pack of 6. ", "Kosher for Passover. ", "Pitted Sweet Cherries. ", "This is a natural product, pitted mechanically & may contain occasional pits. ", "Ingredients: Cherries, Water & Sugar. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1I7ZRDT3ARVVS", "seller_name": "joycepantry", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B079ZBPR2X", "category": "grocery", "query": "Fruit Snacks", "page": 285, "small_description_old": "About this item Product of USA. Pack of 6. Kosher for Passover. Pitted Sweet Cherries. This is a natural product, pitted mechanically & may contain occasional pits. Ingredients: Cherries, Water & Sugar."}, {"name": "PZCXBFH Women Sexy Sparkle Rhinestone Teddy Fishnet Bodysuit", "product_information": "", "brand": "Brand: PZCXBFH", "brand_url": "https://www.amazon.com/PZCXBFH/b/ref=bl_sl_s_ap_web_21578240011?ie=UTF8&node=21578240011&field-lbr_brands_browse-bin=PZCXBFH", "full_description": "", "pricing": "$7.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/511CznndbAL.jpg", "https://m.media-amazon.com/images/I/41nsgTcSCCS.jpg", "https://m.media-amazon.com/images/I/41siE-OmK0S.jpg", "https://m.media-amazon.com/images/I/51pnEi+17vL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Exotic Apparel \u203a Women \u203a Teddies & Bodysuits", "average_rating": 4.4, "small_description": ["Pull-on seal closure ", "Lingerie for women :black bodysuits pair well with any dress, skirt, shorts and pants. Suitable for night party, club, clubwear or casual. ", "Super cute and sexy, soft and comfortable for wear. A perfect accessory with other lingeries for a more sexy hot look. ", "Stretch and comfortable fabric with rhinestones on the surface which shows your curve and make you extremely sexy,All over seductive bright rhinestone embellished ", "FREE SIZE: The size is average, most women can wear it, the elastic fabric makes you comfortable to wear,One size is best for weights under 154 lbs. ", "Material: nylon and spandex.KINDLY REMIND: It is recommended to clean by hand, because machine wash may damage the lace; please note that low temperature washed, do not bleach and place under the blazing sun for quite a long time "], "total_reviews": 1371, "total_answered_questions": 6, "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B0971H6ZBL/ref=twister_B08R91Q169?_encoding=UTF8&psc=1", "value": "Black", "price_string": "$6.99", "price": 6.99, "image": "https://m.media-amazon.com/images/I/41-rVB76NAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B089ZZ7SRM/ref=twister_B08R91Q169?_encoding=UTF8&psc=1", "value": "4 Pieces", "price_string": "$15.99", "price": 15.99, "image": "https://m.media-amazon.com/images/I/51t4fRpESAL.jpg"}, {"is_selected": true, "url": null, "value": "Black Sleeveless", "price_string": "$7.99", "price": 7.99, "image": "https://m.media-amazon.com/images/I/511CznndbAL.jpg"}], "Size": null}, "seller_id": "A20GMH052DHGGW", "seller_name": "PZCXBFH", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08NTPQ4KP", "category": "fashion", "query": "Women's Bodysuit Tops", "page": 27, "small_description_old": "Nylon/Spandex Imported Pull-on seal closure Hand Wash Only Lingerie for women :black bodysuits pair well with any dress, skirt, shorts and pants. Suitable for night party, club, clubwear or casual. Super cute and sexy, soft and comfortable for wear. A perfect accessory with other lingeries for a more sexy hot look. Stretch and comfortable fabric with rhinestones on the surface which shows your curve and make you extremely sexy,All over seductive bright rhinestone embellished \n FREE SIZE: The size is average, most women can wear it, the elastic fabric makes you comfortable to wear,One size is best for weights under 154 lbs.Material: nylon and spandex.KINDLY REMIND: It is recommended to clean by hand, because machine wash may damage the lace; please note that low temperature washed, do not bleach and place under the blazing sun for quite a long timeShow more"}, {"name": "CubiCubi Computer Desk with Shelves, Office Desk with Drawers, 47 Inch Writing Desk with Storage Study Table for Home Office, Living Room, Bedroom, Rustic Brown", "product_information": {"Product Dimensions": "23.6 x 47.2 x 46.5 inches", "Item Weight": "60.5 pounds", "ASIN": "B09Q2ZBB1G", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#1,548,998 in Home & Kitchen (See Top 100 in Home & Kitchen) #5,487 in Home Office Desks"], "Date First Available": "January 10, 2022"}, "brand": "Visit the CubiCubi Store", "brand_url": "https://www.amazon.com/stores/CubiCubi/page/2BCA7720-8455-4DC6-8731-A1FFEF27BF7F?ref_=ast_bln", "full_description": "", "pricing": "", "list_price": "", "availability_status": "Currently unavailable. We don't know when or if this item will be back in stock.", "images": ["https://m.media-amazon.com/images/I/41PRkxWvSnL.jpg", "https://m.media-amazon.com/images/I/41Ox2VCKJ4L.jpg", "https://m.media-amazon.com/images/I/51xDV-ZI91L.jpg", "https://m.media-amazon.com/images/I/51OJLCtIq-L.jpg", "https://m.media-amazon.com/images/I/51xCVu9uyOL.jpg", "https://m.media-amazon.com/images/I/41KlvTG2wBL.jpg", "https://m.media-amazon.com/images/I/41jsfyeGtGL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Home Office Desks", "average_rating": 5, "small_description": ["Functional Computer Desk with Shelves and Drawers: Equipped with 3 Tier Storage Shelves, can efficiently store various items ", "Modern Simple Style computer desk has an industrial charm appearance, will be a beautiful d\u00e9cor for your home ", "Spacious & Sturdy: This desk provides ample space for writing, studying, gaming and other home office activities ", "Installation Guide\uff1aExcept for the manual, you can also refer to the installation video on the page ", "Materials\uff1aMelamine-faced board, Steel "], "total_reviews": 1, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B09Q2ZBB1G", "category": "garden", "query": "Desks", "page": 100, "small_description_old": "About this item\n \nFunctional Computer Desk with Shelves and Drawers: Equipped with 3 Tier Storage Shelves, can efficiently store various items Modern Simple Style computer desk has an industrial charm appearance, will be a beautiful d\u00e9cor for your home Spacious & Sturdy: This desk provides ample space for writing, studying, gaming and other home office activities Installation Guide\uff1aExcept for the manual, you can also refer to the installation video on the page Materials\uff1aMelamine-faced board, Steel"}, {"name": "Cameron Sino Rechargeble Battery for Sony PSP-3000 (1800mAh/6.66Wh)", "product_information": {"Product Dimensions": "2.29 x 1.43 x 0.51 inches", "Item Weight": "2.4 ounces", "ASIN": "B01DNNKHBC", "Item model number": "CS-SP112XL-6", "Date First Available": "March 31, 2016", "Manufacturer": "Cameron Sino"}, "brand": "Brand: Cameron Sino", "brand_url": "https://www.amazon.com/Cameron-Sino/b/ref=bl_dp_s_web_2529110011?ie=UTF8&node=2529110011&field-lbr_brands_browse-bin=Cameron+Sino", "full_description": "Cameron Sino Rechargeble Battery for Sony PSP-3000 (1800mAh/6.66Wh)\u00a0Cameron Sino designed specifically for you. All Products are Certificated with ISO9007,RoHS, and CE", "pricing": "$19.50", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41KC2BzM5sL.jpg", "https://m.media-amazon.com/images/I/41kp95fXOoL.jpg", "https://m.media-amazon.com/images/I/41HtxIvAOCL.jpg", "https://m.media-amazon.com/images/I/41MjQnNJTOL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "model": "CS-SP112XL-6", "customization_options": "", "seller_id": "A3ACR1CKYGTNCQ", "seller_name": "Record", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01DNNKHBC", "category": "electronics", "query": "PlayStation", "page": 363, "small_description_old": ""}, {"name": "FLAVIA DOVE Hot Chocolate, 18-Count Fresh Packs (Pack of 4)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 13.6 x 6.2 x 5 inches; 3.75 Pounds", "Item model number\n \u200f": "\u200e\n A117", "Date First Available\n \u200f": "\u200e\n February 24, 2011", "Manufacturer\n \u200f": "\u200e\n FLAVIA", "ASIN\n \u200f": "\u200e\n B004PD3K46", "Best Sellers Rank": "#73,648 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#118 in Powdered Chocolate Drink Mixes", "#118 in Powdered Chocolate Drink Mixes": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Flavia", "brand_url": "https://www.amazon.com/Flavia/b/ref=bl_dp_s_web_3028514011?ie=UTF8&node=3028514011&field-lbr_brands_browse-bin=Flavia", "full_description": "\"Silky smooth, delicious hot chocolate is made with the finest ingredients, including real chocolate liquor. Indulge yourself in an unforgettable chocolaty Dove experience. Each Freshpack contains the exact amount to brew a perfect single cup of hot chocolate and acts as the brew chamber for your drink so your cup never tastes like the last beverage that was brewed. Freshpacks are used in Flavia Creation 150, Creation 200 and Creation 500 (all sold separately). Simply slip the pouch into the pack door, and the machine pierces the pack seal to create your delicious beverage. For single-serve sustainability, innovative pouches are 100 percent recyclable through Terracycle. More from the Manufacturer \"", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41hA8J0gkmL.jpg", "https://m.media-amazon.com/images/I/51nZjnHHAkL.jpg", "https://m.media-amazon.com/images/I/51+Ep37gziL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Beverages \u203a Bottled Beverages, Water & Drink Mixes \u203a Powdered Drink Mixes & Flavorings \u203a Chocolate Drink Mixes", "average_rating": 4.7, "small_description": ["Fresh, convenient single-servings ", "Sealed from light and air to ensure perfect cup every time ", "No cross-contamination for drink purity ", "Silky smooth, Dove chocolate experience ", "Works in Flavia Creation 150, Creation 200 and Creation 500 "], "total_reviews": 121, "total_answered_questions": 10, "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B004PD3K46", "category": "grocery", "query": "Beverages", "page": 379, "small_description_old": "About this item\n \nFresh, convenient single-servings Sealed from light and air to ensure perfect cup every time No cross-contamination for drink purity Silky smooth, Dove chocolate experience Works in Flavia Creation 150, Creation 200 and Creation 500"}, {"name": "Armchair Makeup Stool Lounge Stools Home Office Desk Chair Dining Chair Home Office Chair Floor Chair Computer Chair Ergonomic Learning Back Desk", "product_information": {"Item Weight": "\u200e11.02 pounds", "Package Dimensions": "\u200e21.65 x 19.69 x 16.14 inches", "ASIN": "B08LNFNXSD", "Date First Available": "October 22, 2020"}, "brand": "Brand: Mgo", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Mgo", "full_description": "The elegant and fashionable design makes it suitable for any room. Simple but not simple. High-quality thick, durable, warm and not easily deformed. It provides comfortable support in a comfortable and convenient design. \u2605 Why Choose Us:- Ergonomic curved back is not only beautiful but also comfortable.- Very suitable for living room, bedroom, office, reception area, dormitory.- The padded middle back provides good and comfortable support when you tilt back.\u2605 Specifications: - Product Name: Stools- Set includes: 1 x Stools- Weight: 5kg / 11lb- Maximum weight: 300 lb\u2605 Benefits you will get:- Thick cushions provide a comfortable experience when working or playing video games.- It is easy to assemble and usually takes only 15 minutes to complete.- Add different colors and stylish atmosphere to your room.\u2605 Excellent Service:- We offer 100% Money Back or Exchange if the product has any quality issues, you can buy with confidence.- We offer 24 hours online customer service, please feel free to message us if you have any questions. Thanks for good communication!- We promises to ship within 24 hours, and the delivery time is 7-20 working days.", "pricing": "$381.81", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31Xgu6jgPjL.jpg", "https://m.media-amazon.com/images/I/41xbMJyiW6L.jpg", "https://m.media-amazon.com/images/I/517sBMF3G2L.jpg", "https://m.media-amazon.com/images/I/51YU+--JtkL.jpg", "https://m.media-amazon.com/images/I/51WBXAW2S9L.jpg", "https://m.media-amazon.com/images/I/41L9OjhJ1WL.jpg", "https://m.media-amazon.com/images/I/31aisH87BlL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Home Office Chairs \u203a Home Office Desk Chairs", "average_rating": "", "small_description": ["\u2605[high quality] - fabric more comfortable, high quality accessories. ", "\u2605[easy to install] - this office chair is super easy to assemble. It took about 10-15 minutes. ", "\u2605[Classic appearance] - Modern design with a modern sense, clear lines, simple, adding color and chic elegance. ", "\u2605[ergonomic office chair] - this office chair adopts humanized ergonomic design to provide comfortable sitting position. ", "\u2605[we guarantee] - we guarantee that you will like this ergonomic stool. However, if you are not satisfied with this chair, please contact us. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1DUXSP6CCYQSJ", "seller_name": "YGo", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08LNFNXSD", "category": "garden", "query": "Home Office Chairs", "page": 312, "small_description_old": "About this item \u2605[high quality] - fabric more comfortable, high quality accessories. \u2605[easy to install] - this office chair is super easy to assemble. It took about 10-15 minutes. \u2605[Classic appearance] - Modern design with a modern sense, clear lines, simple, adding color and chic elegance. \u2605[ergonomic office chair] - this office chair adopts humanized ergonomic design to provide comfortable sitting position. \u2605[we guarantee] - we guarantee that you will like this ergonomic stool. However, if you are not satisfied with this chair, please contact us. \n \u203a See more product details"}, {"name": "hongxinq Floating TV Stand with Storage Shelves, Chipboard Wall Mounted Hanging Television Cabinet, Modern Storage Cabinet for Living Room, Bedroom, 12Inx11.8Inx35.4In, White", "product_information": {"Product Dimensions": "\u200e11.8 x 12 x 35.4 inches", "ASIN": "B09F6SCW47", "Best Sellers Rank": ["#1,831,122 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,673 in Television Stands"], "Date First Available": "September 1, 2021"}, "brand": "Brand: hongxinq", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=hongxinq", "full_description": "Color: WhiteMaterial: ChipboardDimensions: 12inch x 11.8inch x 35.4inch (W x D x H)Assembly required: YesPackage: 1 TV Cabinet", "pricing": "$90.79", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41oG8oesYaL.jpg", "https://m.media-amazon.com/images/I/417hI3UR34L.jpg", "https://m.media-amazon.com/images/I/41HpKNSNHCL.jpg", "https://m.media-amazon.com/images/I/31Czmi4feoL.jpg", "https://m.media-amazon.com/images/I/31IicXbeSbL.jpg", "https://m.media-amazon.com/images/I/31uIvhyBTOL.jpg", "https://m.media-amazon.com/images/I/11nHnnuBdBL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a TV & Media Furniture \u203a Television Stands & Entertainment Centers", "average_rating": "", "small_description": ["\ud83c\udf8d\u3010Simple & Elegant\u3011: This hanging TV cabinet set is meant to be a focal point of your living room with a trendy yet practical design. ", "\ud83c\udf8d\u3010Provide Ample Space\u3011: Each cabinet has 2 shelves, making it an ideal place for storing all your books, magazines, DVDs or other items. ", "\ud83c\udf8d\u3010Premium Board Material\u3011: These wall-mounted TV cabinets are made of quality board, making them sturdy and stable. ", "\ud83c\udf8d\u3010Easy To Maintain\u3011: These wall cabinets are also easy to clean with a damp cloth. ", "\ud83c\udf8d\u3010Quality Service\u3011: This wall cabinet is shipped from United States,usually ships within 4-7 days. If you have any questions or problems about our product, do not hesitate to contact us by email, we will do our best to help you! "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09F6VD353/ref=twister_B09F6W3JZM?_encoding=UTF8&psc=1", "value": "Brown", "price_string": "$88.79", "price": 88.79, "image": "https://m.media-amazon.com/images/I/41wkj-PPtNL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09F6SFB5L/ref=twister_B09F6W3JZM?_encoding=UTF8&psc=1", "value": "Concrete Gray", "price_string": "$87.79", "price": 87.79, "image": "https://m.media-amazon.com/images/I/41blkIAFd-S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09F6VKLPH/ref=twister_B09F6W3JZM?_encoding=UTF8&psc=1", "value": "Grey", "price_string": "$84.79", "price": 84.79, "image": "https://m.media-amazon.com/images/I/41lRiL4Uu+L.jpg"}, {"is_selected": true, "url": null, "value": "White", "price_string": "$90.79", "price": 90.79, "image": "https://m.media-amazon.com/images/I/41oG8oesYaL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09F6WDCYQ/ref=twister_B09F6W3JZM?_encoding=UTF8&psc=1", "value": "White+brown", "price_string": "$86.79", "price": 86.79, "image": "https://m.media-amazon.com/images/I/41oG8oesYaL.jpg"}]}, "seller_id": "A14GUM04S65I83", "seller_name": "hongxinq", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09F6SCW47", "category": "garden", "query": "TV Stands", "page": 121, "small_description_old": "About this item \ud83e\uddf8This hanging TV cabinet set is meant to be a focal point of your living room with a trendy yet practical design. \ud83e\uddf8Each cabinet has 2 shelves, making it an ideal place for storing all your books, magazines, DVDs or other items. \ud83e\uddf8These wall-mounted TV cabinets are made of board, making them sturdy and stable. \ud83e\uddf8These wall cabinets are also easy to clean with a damp cloth. \ud83e\uddf8 Please be assured that this product is shipped from US, You can see your product asap. If you have any questions or problems about our product, do not hesitate to contact us by email, we will do our best to help you! \n \u203a See more product details"}, {"name": "Mattress Twin Full Queen King Floor Mat Foldable Mattress Futon Bed Futon Mattress Guest Bed Bed Tatami Mattress-C-150X200Cm(59X79Inch)", "product_information": {"Manufacturer": "QNMD", "ASIN": "B098M9KX7K", "Date First Available": "July 4, 2021"}, "brand": "Brand: QNMD", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=QNMD", "full_description": "Welcome to browse this shopProduct Description:The tatami mattress pad protectors is soft comfortable and breathable. It can be rolled up in a closet and then spread out on the floor to sleep. It can effectively use living space and storage space and move easily.Size Description:Twin: 90x200cm(35x79inch)Full: 120x200cm(47x79inch)Queen: 150x200cm(59x79inch)King: 180x200cm(71x79inch)Tips:Please note that the futon mattress is vacuum sealed at the time of delivery. When the package is opened, the futon mattress will be expanded back to the normal size.Our service aim is to satisfy every customer. If you have any questions, please feel free to contact us. We will do our best to solve the problem for you until you are satisfied.", "pricing": "$129.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51NcLVyB3uS.jpg", "https://m.media-amazon.com/images/I/51yKRTrirUS.jpg", "https://m.media-amazon.com/images/I/51AVnhemIVS.jpg", "https://m.media-amazon.com/images/I/51JnSbkhNgS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Futons \u203a Futon Mattresses", "average_rating": "", "small_description": ["Comfortable materials: high-quality materials, soft and comfortable, this futon pillow can provide a comfortable sleeping experience on the bed and the floor. ", "Multifunctional mattress-can be used as mattress cover, bedroom futon, living room futon, matt mat, floor mat, sleeping mat, tent mat, guest mattress. This mattress can be easily folded for travel or storage. ", "Cleaning: We always recommend using any mattress cover cloth to protect the mattress, only partially clean it, and then air it in a sunny day, or close the open windows for airing and drying. ", "Widely used: Bedding can be folded and stored. Let us make your room simple, clean and relaxing. It is also good to take the portable futon outdoors like camping. ", "Important note: The soft mattress has been folded and compressed for transportation, so when the product arrives, there may be some creases, so it takes 2-3 days to return to its normal thickness after opening the package. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "AKCIDZ4UZHDIL", "seller_name": "HP-BAIHUOGONGSI", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B098M9KX7K", "category": "garden", "query": "Mattresses", "page": 342, "small_description_old": "About this item\n \nComfortable materials: high-quality materials, soft and comfortable, this futon pillow can provide a comfortable sleeping experience on the bed and the floor. Multifunctional mattress-can be used as mattress cover, bedroom futon, living room futon, matt mat, floor mat, sleeping mat, tent mat, guest mattress. This mattress can be easily folded for travel or storage. Cleaning: We always recommend using any mattress cover cloth to protect the mattress, only partially clean it, and then air it in a sunny day, or close the open windows for airing and drying. Widely used: Bedding can be folded and stored. Let us make your room simple, clean and relaxing. It is also good to take the portable futon outdoors like camping. Important note: The soft mattress has been folded and compressed for transportation, so when the product arrives, there may be some creases, so it takes 2-3 days to return to its normal thickness after opening the package."}, {"name": "DANA MEN'S HOLIDAY COLLECTION Fragrance, Sampler Holiday Collection, 5 Piece", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 12 x 2 x 7 inches; 11.04 Ounces", "Item model number\n \u200f": "\u200e\n 16067CV", "UPC\n \u200f": "\u200e\n 046447160679", "Manufacturer\n \u200f": "\u200e\n DANA CLASSIC FRAGRANCES, INC.", "ASIN\n \u200f": "\u200e\n B01N9HLYS1", "Best Sellers Rank": "#269,018 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#484 in Women's Fragrance Sets", "#484 in Women's Fragrance Sets": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Dana Store", "brand_url": "https://www.amazon.com/stores/DANAClassicFragrances/page/C850645F-1EB0-49B4-9FE3-7E62155226F9?ref_=ast_bln", "full_description": "Collection includes: 1 - 0.5 fl. Oz. British sterling cologne splash 1 - 0.6 fl. Oz. English leather cologne splash 1 - 0.5 fl. Oz. Canoe eau de toilette splash 1 - 0.5 fl. Oz. British sterling h.I.M. Reserve eau de toilette splash 1 - 0.5 fl. Oz. Valor eau de toilette splash.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/414aywpL3OL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Fragrance \u203a Women's \u203a Sets", "average_rating": 4.3, "small_description": ["This is a brand new 100% authentic dana gift set made and sold by dana classic fragrances ", "5 travel-size dana fragrances, including iconic classic favorites and exciting new editions ", "Great to take along wherever you go ", "Our sampler collection makes the perfect holiday gift "], "total_reviews": 351, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01N9HLYS1", "category": "beauty", "query": "Sets Fragrance", "page": 74, "small_description_old": "About this item This is a brand new 100% authentic dana gift set made and sold by dana classic fragrances 5 travel-size dana fragrances, including iconic classic favorites and exciting new editions Great to take along wherever you go Our sampler collection makes the perfect holiday gift"}, {"name": "Sealy Baby Select 2-Cool 2-Stage Dual Firmness Lightweight Waterproof Standard Toddler & Baby Crib Mattress, Soybean Foam-Core, 51.63\u201d x 27.25\u201d", "product_information": {"Product Dimensions": "\u200e51.63 x 27.25 x 5.5 inches", "Item model number": "\u200eEM817-KJO1", "Is Discontinued By Manufacturer": "\u200eNo", "Care instructions": "\u200eWipe clean with damp cloth", "Number Of Items": "\u200e1", "Style": "\u200eMattress", "Batteries required": "\u200eNo", "Item Weight": "\u200e6.01 pounds", "ASIN": "B077KJXD99", "Customer Reviews": {"ratings_count": 349, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#19,189 in Baby (See Top 100 in Baby) #62 in Crib Mattresses"]}, "brand": "Visit the Sealy Store", "brand_url": "https://www.amazon.com/stores/Sealy/page/C36084AB-B70F-46BA-BC8A-42D47D3EDBF3?ref_=ast_bln", "full_description": "Kolcraft is a third-generation, family-owned company that has been dedicated to creating innovative baby products for more than 70 years. From our start in 1946, we began with baby steps\u2014specializing in pads for cribs, playards, and high chairs. For over 130 years, Sealy has been a proud supporter of you, bringing great rest to every kind of sleeper in the family. Sealy infant and toddler sleep products have been synonymous with comfort, quality and support, combining sleep innovations with premium materials to keep baby cozy, comfortable and well supported.", "pricing": "$179.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/410mffJ71xL.jpg", "https://m.media-amazon.com/images/I/51mf-6feGoL.jpg", "https://m.media-amazon.com/images/I/41QRLM9MMyL.jpg", "https://m.media-amazon.com/images/I/414Tusr26wL.jpg", "https://m.media-amazon.com/images/I/51tuTsfZWRL.jpg", "https://m.media-amazon.com/images/I/41cFJ3w8JIL.jpg", "https://m.media-amazon.com/images/I/41VBndfRlrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Baby Products \u203a Nursery \u203a Bedding \u203a Mattresses \u203a Crib Mattresses", "average_rating": 4.8, "small_description": ["2-STAGE DESIGN -- Firmer infant side made from high-density soy-enhanced foam. Sealy mattresses are tagged with a firmer infant side and softer comfort side for toddlers on the tag ", "WATERPROOF & STAIN RESISTANT -- Cool-Tex waterproof and stain-resistant fabric cover for luxury and comfort ", "COOL & BREATHABLE -- Exclusive infused soybean cool gel memory foam technology creates a cooler feeling top layer that absorbs baby\u2019s movement and responds with increased comfort. Lock-stitched binding will not unravel and won\u2019t trap liquids and odors ", "SAFETY & QUALITY -- This crib mattress passes safety, quality, and chemical tests to ensure your baby is safe and sound on a Sealy. CertiPUR-US Certified foam for durability and tested for chemical emissions ", "MADE IN THE USA -- Sealy Crib and Toddler Mattresses are designed, engineered and proudly made in the USA of U.S. and imported parts. Lifetime warranty on workmanship and materials "], "total_reviews": 349, "total_answered_questions": 11, "model": "\u200eEM817-KJO1", "customization_options": {"Style": [{"is_selected": true, "url": null, "value": "Mattress", "price_string": "$179.99", "price": 179.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08L4QHB39/ref=twister_B08M6SWH2T?_encoding=UTF8&psc=1", "value": "Mattriess+Pad Bundle", "price_string": "$199.98", "price": 199.98, "image": null}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B077KJXD99", "category": "garden", "query": "Mattresses", "page": 38, "small_description_old": "About this item 2-STAGE DESIGN -- Firmer infant side made from high-density soy-enhanced foam. Sealy mattresses are tagged with a firmer infant side and softer comfort side for toddlers on the tag WATERPROOF & STAIN RESISTANT -- Cool-Tex waterproof and stain-resistant fabric cover for luxury and comfort COOL & BREATHABLE -- Exclusive infused soybean cool gel memory foam technology creates a cooler feeling top layer that absorbs baby\u2019s movement and responds with increased comfort. Lock-stitched binding will not unravel and won\u2019t trap liquids and odors SAFETY & QUALITY -- This crib mattress passes safety, quality, and chemical tests to ensure your baby is safe and sound on a Sealy. CertiPUR-US Certified foam for durability and tested for chemical emissions MADE IN THE USA -- Sealy Crib and Toddler Mattresses are designed, engineered and proudly made in the USA of U.S. and imported parts. Lifetime warranty on workmanship and materials \n \u203a See more product details"}, {"name": "PATOPO Valentine Lingerie for Women for Sex Naughty Cami Crop Tops And Shorts Set 2 Pieces Sleepwear Set Heart Print Pajamas", "product_information": {"Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 6, 2022", "Manufacturer\n \u200f": "\u200e\n PATOPO", "ASIN\n \u200f": "\u200e\n B09PV9W2W7", "": ""}, "brand": "Brand: PATOPO", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=PATOPO", "full_description": "\u2764\u2764Gender:Women\u2764\u2764Occasion:Daily,casual,honeymoon,anniversaries,valentine's day,christmas day,date night or every special nights,wedding nght.\u2764\u2764Material:High quality lace and polyester,soft,stretchable,breathable and comfortable to wear\u2764\u2764Style:Sexy\u2764\u2764Thickness:Standard\u2764\u2764How to wash:Hand wash Cold,Hang or Line Dry\u2764\u2764When will you get it:15-25 days\u2764\u2764Service:If you need help,please let us know by email,we will help within 24 hours,and I wish you a happy shopping.\u2764\u2764What you get:Sexy lingerie for women\u2764Keywords\u2764(lingerie for women Lace Babydoll Strap Teddy V Neck Sleepwear lingerie for women plus size for sex naughty crotchless bodysuit elastic floral lace Lace Kimono Robe Mesh Nightgown Self Knot Front Teddy Lingerie One Piece Baby doll Chemises & Negligees lingerie for women for sex naughty Open Crotch Lingerie Sexy Lace Bodysuit Deep V Teddy One Piece Lace Babydoll Women's Pajama Sets Everyday Bras Women's Exotic Lingerie Sets Women's Exotic Teddies & Bodysuits Women's Exotic Costumes Silky Satin lingerie for women for sex play Nightie Backless Lingerie for Women Loose Sleepwear Mini Nightgown Solid Spaghetti Strap Chemise Dress Mini Slip Chemise Nightwear Deep V Lingerie Sleepwear See Through Lingerie One Piece Bodysuit Nightwear Onesies lingerie for women crotchless for sex Lace Bodysuit Deep V Teddy Mini Babydoll Outfits Plus Size Garter Belts Lace Lingerie Set with Removable Choker Strappy Bra and Panty Set Stockings Front Closure Nightwear Sexy Chemise Nightie Exotic NightgownsWomen's Plus Size Mesh Satin Lingerie Underwire Lace Up Halter Sleepwear Hollow Nightwear Backless Chemise Dress black bodysuit gifts for her Women's Exotic Lingerie Bodystockings Satin Sleepwear Lace Chemise Mini Teddy Halter Halter Embroidered)", "pricing": "$12.06", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41MPbjp1JEL.jpg", "https://m.media-amazon.com/images/I/41Ap+H7cdAL.jpg", "https://m.media-amazon.com/images/I/41Zf7TA9qRL.jpg", "https://m.media-amazon.com/images/I/41TyAZFdS2L.jpg", "https://m.media-amazon.com/images/I/41DB+u+MG9L.jpg", "https://m.media-amazon.com/images/I/41kPznOjxWL.jpg", "https://m.media-amazon.com/images/I/41rsx1ufPtL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Lingerie, Sleep & Lounge \u203a Sleep & Lounge \u203a Sets", "average_rating": "", "small_description": ["\u2765\u2765[Product]\u2767Valentine Lingerie for Women for Sex Naughty Cami Crop Tops And Shorts Set 2 Pieces Sleepwear Set Heart Print Pajamas,valentine's day day gifts for her,A variety of colors and styles are available,Hope you have a good shopping time.\u2618 ", "\u2765\u2765[Materials]\u2767Sexy lingerie for women,which made of high quality lace and polyester,the high quality fabric is soft,stretchable,breathable and comfortable to wear,perfect as sleepwear.\u2618 ", "\u2765\u2765[Occassions]\u2767Lingerie for women teddy nightwear perfect for wedding night,honeymoon,lingerie party,anniversaries,valentine's day,christmas day,date night or every special night,valentine's day gifts for her,lovely lingerie for women,which makes you more attractive and charming.\u2618 ", "\u2765\u2765[Varieties]\u2767A variety of colors and styles are available,such as lace red babydolls,sheer floral lace fabric,teddy nightwear,one piece bodysuit,deep v mini babydoll,backless sexy lace garter lingerie set,christmas lingerie,lace chemise,black lingerie,lace kimono robe,sheer robes,sexy nightgowns for women,wedding lingerie,lingerie cover up,holiday lingerie,sexy santa lingerie for women and so on.\u2618 ", "\u2765\u2765[Service]\u2767Please check the size chart before order.If you are not sure about the size,or any other questions,please send message to us,we are happy to serve you.\u2618 "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09PV9244F"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09PV8VFNJ"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09PVCMWWZ"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09PV9J15D"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09PVB4VMD"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09PV9W2W7/ref=twister_B09PV92QPS", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/418j32XtVvL.jpg"}, {"is_selected": true, "url": null, "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41MPbjp1JEL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PV9J15D", "category": "fashion", "query": "Women's Lingerie, Sleep & Lounge", "page": 109, "small_description_old": "\u2765\u2765[Product]\u2767Valentine Lingerie for Women for Sex Naughty Cami Crop Tops And Shorts Set 2 Pieces Sleepwear Set Heart Print Pajamas,valentine's day day gifts for her,A variety of colors and styles are available,Hope you have a good shopping time.\u2618 \u2765\u2765[Materials]\u2767Sexy lingerie for women,which made of high quality lace and polyester,the high quality fabric is soft,stretchable,breathable and comfortable to wear,perfect as sleepwear.\u2618 \u2765\u2765[Occassions]\u2767Lingerie for women teddy nightwear perfect for wedding night,honeymoon,lingerie party,anniversaries,valentine's day,christmas day,date night or every special night,valentine's day gifts for her,lovely lingerie for women,which makes you more attractive and charming.\u2618 \u2765\u2765[Varieties]\u2767A variety of colors and styles are available,such as lace red babydolls,sheer floral lace fabric,teddy nightwear,one piece bodysuit,deep v mini babydoll,backless sexy lace garter lingerie set,christmas lingerie,lace chemise,black lingerie,lace kimono robe,sheer robes,sexy nightgowns for women,wedding lingerie,lingerie cover up,holiday lingerie,sexy santa lingerie for women and so on.\u2618 \u2765\u2765[Service]\u2767Please check the size chart before order.If you are not sure about the size,or any other questions,please send message to us,we are happy to serve you.\u2618"}, {"name": "Lurrose 1 Set Empty Mascara Tubes Bottles Vials with Eyelash Wand Mini Funnels Reusable Refillable Eyelash Cream Container Bottle for DIY Cosmetics Travel", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 3.07 x 0.43 x 0.43 inches; 1.23 Ounces", "Item model number\n \u200f": "\u200e\n U043MU35513Y2Z3111N", "Manufacturer\n \u200f": "\u200e\n Lurrose", "ASIN\n \u200f": "\u200e\n B09Q53YH1W", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Visit the Lurrose Store", "brand_url": "https://www.amazon.com/stores/Lurrose/page/4CD32519-0F99-4F89-9BB9-7EFBF13048A8?ref_=ast_bln", "full_description": "Description This item is a set of portable mascara bottles, lip gloss and shadow tip liners. Made of premium material, they are durable and practical. Very easy to carry, compact and light, easy to put into the makeup bag. These empty bottles are suitable for making your DIY cosmetics tubes. Features- Color: As shown- Material: ABS, PETG, PP- Capacity: 4ml.- Size: 7. 80X1. 10X1. 10cm/ 3. 07X0. 43X0. 43in- Our cosmetics bottles are washable and reusable, and which can be used over and over again.- The transparent bottle allows you to check the remaining volume and color at any time. You can also choose your favorite color without opening, which makes it easy to dispense liquid.- Portable and lightweight, they are easy to carry. These tubes are small and can be carried in your pocket.- They can be used as a container for liquid cosmetics of various colors; a good choice for beginners to practice, daily use.- The empty cosmetics tube is made of high- grade and safe materials, very durable to use. a must for home travel.- Color: As Shown 1.- Size: 7. 8x1. 1cm. Package Including 2 x mascara tubes 2 x lip gloss bottles 2 x liquid eyeliner bottles 5 x funnels 6 x transparent inserts", "pricing": "$13.89", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31hLA0Qq+iL.jpg", "https://m.media-amazon.com/images/I/31Ymih2PqyL.jpg", "https://m.media-amazon.com/images/I/31vjaDo7ThL.jpg", "https://m.media-amazon.com/images/I/31esuLpBUQL.jpg", "https://m.media-amazon.com/images/I/316DCSOMpyL.jpg", "https://m.media-amazon.com/images/I/41rCZX2KgAL.jpg", "https://m.media-amazon.com/images/I/41yy7OWKadL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Tools & Accessories \u203a Bags & Cases", "average_rating": "", "small_description": ["Portable and lightweight, they are easy to carry. These tubes are small and can be carried in your pocket. ", "The empty cosmetics tube is made of high- grade and safe materials, very durable to use. a must for home travel. ", "The transparent bottle allows you to check the remaining volume and color at any time. You can also choose your favorite color without opening, which makes it easy to dispense liquid. ", "They can be used as a container for liquid cosmetics of various colors; a good choice for beginners to practice, daily use. ", "Our cosmetics bottles are washable and reusable, and which can be used over and over again. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A21CBG44KIFSH1", "seller_name": "WANGYULONG333", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09Q53YH1W", "category": "beauty", "query": "Refillable Containers", "page": 88, "small_description_old": "Portable and lightweight, they are easy to carry. These tubes are small and can be carried in your pocket. The empty cosmetics tube is made of high- grade and safe materials, very durable to use. a must for home travel. The transparent bottle allows you to check the remaining volume and color at any time. You can also choose your favorite color without opening, which makes it easy to dispense liquid. They can be used as a container for liquid cosmetics of various colors; a good choice for beginners to practice, daily use. Our cosmetics bottles are washable and reusable, and which can be used over and over again."}, {"name": "Projector Screen 100 Inch, 60-100 Inch Portable Foldable Non-crease White Projector Curtain Projection Screen 4:3, Portable Projection Screen HD 4K Foldable for Home Theater Cinema Indoor(84in)", "product_information": {"Product Dimensions": "0.39 x 0.39 x 0.39 inches", "Item Weight": "10.1 ounces", "ASIN": "B09476F64C", "Date First Available": "May 5, 2021", "Manufacturer": "Heayzoki"}, "brand": "Brand: Heayzoki", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Heayzoki", "full_description": "Features: Made of high quality synthetic polyester fabric, this projection screen are strong and durable. It is portable and can be folded into small volume packing, convenient to carry. No matter how you fold it, there will be no folding crease left. Designed with black edging and hanging holes, normally hung on wall or bound onto a frame. Suitable for outdoor camping movie, open-air cinema, translucent screen is designed for front or back projection. Specifications: Material: Synthetic polyester fabric Length-to-width Ratio: 4:3 Option(diagonal) Size(length x width) 60in 122 x 91cm/48 x 35.8in 72in 146 x 110cm/57.5 x 43.3in 84in 171 x 128cm/67.3 x 50.4in 100in 203 x 152cm/79.9 x 59.8in Black Edging Size: 3cm/1.2in Quantity: 1pc Package Includes: 1 x Projection Screen 8 x Adhesive 8 x Hooks Note: Please wipe the screen with wet cloth to clean it. Do not wash it by hand or machine.", "pricing": "$16.21", "list_price": "", "availability_quantity": 6, "availability_status": "Only 6 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/21MAVW4nv9S.jpg", "https://m.media-amazon.com/images/I/31lNhv2xycL.jpg", "https://m.media-amazon.com/images/I/51grEjDEpcL.jpg", "https://m.media-amazon.com/images/I/51Wp-n1aYGS.jpg", "https://m.media-amazon.com/images/I/41FCwXM9NFL.jpg", "https://m.media-amazon.com/images/I/31S5JdU5MEL.jpg", "https://m.media-amazon.com/images/I/31dpmxkGIEL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Television & Video \u203a Projection Screens", "average_rating": "", "small_description": ["Made of high quality synthetic polyester fabric, this projection screen are strong and durable ", "It is portable and can be folded into small volume packing, convenient to carry ", "No matter how you fold it, there will be no folding crease left ", "Designed with black edging and hanging holes, normally hung on wall or bound onto a frame ", "Suitable for outdoor camping movie, open-air cinema, translucent screen is designed for front or back projection "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B094756PC5/ref=twister_B09474QV1B?_encoding=UTF8&psc=1", "value": "100in", "price_string": "$18.41", "price": 18.41, "image": "https://m.media-amazon.com/images/I/21p+TqQ2OzS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B094761RVN/ref=twister_B09474QV1B?_encoding=UTF8&psc=1", "value": "60in", "price_string": "$13.31", "price": 13.31, "image": "https://m.media-amazon.com/images/I/31OrhzBLbWL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09474VQ11/ref=twister_B09474QV1B?_encoding=UTF8&psc=1", "value": "72in", "price_string": "$14.33", "price": 14.33, "image": "https://m.media-amazon.com/images/I/31MvnBUdesL.jpg"}, {"is_selected": true, "url": null, "value": "84in", "price_string": "$16.21", "price": 16.21, "image": "https://m.media-amazon.com/images/I/21MAVW4nv9S.jpg"}]}, "seller_id": "A1PRM9BYROQZA0", "seller_name": "Heayzokia", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09476F64C", "category": "electronics", "query": "Projection Screens", "page": 160, "small_description_old": "About this item\n \nMade of high quality synthetic polyester fabric, this projection screen are strong and durable It is portable and can be folded into small volume packing, convenient to carry No matter how you fold it, there will be no folding crease left Designed with black edging and hanging holes, normally hung on wall or bound onto a frame Suitable for outdoor camping movie, open-air cinema, translucent screen is designed for front or back projection"}, {"name": "Acer P6500 Large Venue 1080p Video Projector", "product_information": {"Brand Name": "\u200eAcer", "Item Weight": "\u200e9.92 pounds", "Product Dimensions": "\u200e14.5 x 11.6 x 4.6 inches", "Item model number": "\u200eMR.JMG11.007", "Is Discontinued By Manufacturer": "\u200eNo", "Color Name": "\u200eBlack", "Speaker Type": "\u200eStereo, Built-In", "Item display height": "\u200e22 inches", "ASIN": "B01C8RQ1NM", "Customer Reviews": {"ratings_count": 8, "stars": "3.1 out of 5 stars"}, "Best Sellers Rank": ["#2,476 in Video Projectors"], "Date First Available": "February 26, 2016"}, "brand": "Visit the Acer Store", "brand_url": "https://www.amazon.com/stores/Acer/page/0074ABD9-06D1-469D-B509-C3134D6FFFF2?ref_=ast_bln", "full_description": "The black P6500 Full HD DLP 3D Projector from Acer provides 5,000 lumens of brightness and a 20,000:1 contrast ratio for clear, bright 2D or 3D presentations, regardless of the ambient light in the room. It features Full HD 1920 x 1080 native resolution, a DLP chip system, and an ExtremeEco Mode that supports a long lamp life up to 4500 hours. The P6500 can project up to a 300\" diagonal image and features a variety of inputs, including three HDMI ports, two VGA terminals, and more. Other features include RJ-45 wired network connectivity, vertical keystone correction, and a built-in stereo speaker system. Temperature:32\u00b0F (0\u00b0C) to 104\u00b0F (40\u00b0C)", "pricing": "$1,619.94", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41pqrwY7-GL.jpg", "https://m.media-amazon.com/images/I/31CLFu527rL.jpg", "https://m.media-amazon.com/images/I/31mqB7hVDWL.jpg", "https://m.media-amazon.com/images/I/31FzwWLSs4L.jpg", "https://m.media-amazon.com/images/I/31VzMkZmCbL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Video Projectors", "average_rating": 3.1, "small_description": ["Standard Mode Brightness: 5000 lm ", "16:9 (Native), 4:3 (Compatible) ", "3000 Hour (Normal Mode); 4000 Hour (Economy Mode) ", "Full HD (1920 x 1080) "], "total_reviews": 8, "total_answered_questions": 4, "model": "\u200eMR.JMG11.007", "customization_options": "", "seller_id": "A1P2B8BHEL53LO", "seller_name": "altexnet", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B01C8RQ1NM", "category": "electronics", "query": "Projectors", "page": 92, "small_description_old": "About this item Standard Mode Brightness: 5000 lm 16:9 (Native), 4:3 (Compatible) 3000 Hour (Normal Mode); 4000 Hour (Economy Mode) Full HD (1920 x 1080) \n \u203a See more product details"}, {"name": "Ochine Folding Massage Table Professional Portable Massage Bed 84 Inch Fold Salon Bed Face Cradle Bed 3 Folding Portable Massage Table Facial Salon Spa Tattoo Bed with Aluminium Leg", "product_information": {"Manufacturer": "Ochine", "ASIN": "B099F1NHY1", "Best Sellers Rank": ["#983,676 in Health & Household (See Top 100 in Health & Household) #1,377 in Spa Beds & Tables #197,672 in Beauty Tools & Accessories"]}, "brand": "Brand: Ochine", "brand_url": "https://www.amazon.com/Ochine/b/ref=bl_dp_s_web_14108493011?ie=UTF8&node=14108493011&field-lbr_brands_browse-bin=Ochine", "full_description": "Folding Massage Table Professional Portable Massage Bed 84 Inch Fold Salon Bed Face Cradle Bed 3 Folding Portable Massage Table Facial Salon Spa Tattoo Bed with Aluminium LegIntroductions:Here comes this 3 Sections Folding Aluminum Tube SPA Bodybuilding Massage Table Kit, a fully-equipped plat for bodycare. Particularly designed into 3-section folding style, it is easy to fold and unfold for convenience. Also, the folded one wont take up too much space. It is in high strength and good hardness with the adopted wooden frame. Besides, premium leather also ensure its great softness and comfort. You will not feel any pain or hurt while lying on this massage table. Portable and convenient! Just take a try!Specifications:1. Material: Synthetic Leather  Aluminum2. Color: Black3. Dimensions: 73*24*32 Inch / 185*60*81cm (L x W x H)4. Weight Capacity: 226.8kg / 500lbs 5. Face Cradle Length: 84\" / 213cm6. Side Arms Width: 32\" / 81cm7. Range of Height: (24\"-32\") / (60-81)cm8. Subtype: 3 SectionsFeatures:1. Specially designed into 3-section folding style2. Aluminum tube ensures more solid and strong strength and stability3. It also delivers comfort with meticulous treatment4. Foldable design makes this table room-saving and convenient to use5. Adjustable headrest for convenience6. A fully-equipped massage table for SPAPackage includes\uff1a1 x Portable Massage Table 1 x Deluxe Multi Adjustable Headrest 1 x Front Armrest Sling2 x Side Arm-supports 1 x Face Hole Plug 1 x Standard Deluxe Carrying Bag", "pricing": "$129.99", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41PSMZ0Cj4L.jpg", "https://m.media-amazon.com/images/I/31cPGCuiUmL.jpg", "https://m.media-amazon.com/images/I/41ZHrWXALfL.jpg", "https://m.media-amazon.com/images/I/41Q-UwlTTdL.jpg", "https://m.media-amazon.com/images/I/41qIyzYQxhL.jpg", "https://m.media-amazon.com/images/I/31vtip6FAnL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Salon & Spa Equipment \u203a Spa Beds & Tables", "average_rating": "", "small_description": ["Folding Massage Table Professional Portable Massage Bed, Dimensions: 73*24*32 Inch (L x W x H), Face Cradle Length: 84 Inch, Weight Capacity: 500Lbs ", "Foldable design makes this table room-saving and convenient to use, Specially designed into 3-section folding style ", "Aluminum tube ensures more solid and strong strength and stability ", "Adjustable headrest for convenience. It also delivers comfort with meticulous treatment ", "A fully-equipped massage table for SPA "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B099F18LBJ/ref=twister_B099F2MB7J?_encoding=UTF8&psc=1", "value": "A", "price_string": "$139.99", "price": 139.99, "image": "https://m.media-amazon.com/images/I/41koDhKQJaL.jpg"}, {"is_selected": true, "url": null, "value": "B", "price_string": "$129.99", "price": 129.99, "image": "https://m.media-amazon.com/images/I/41PSMZ0Cj4L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099F19N24/ref=twister_B099F2MB7J?_encoding=UTF8&psc=1", "value": "C", "price_string": "$139.99", "price": 139.99, "image": "https://m.media-amazon.com/images/I/41T9WRi8GLL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09PL5YZ6J/ref=twister_B099F2MB7J?_encoding=UTF8&psc=1", "value": "D", "price_string": "$139.99", "price": 139.99, "image": "https://m.media-amazon.com/images/I/41v+6Tp5lwL.jpg"}]}, "seller_id": "A3P5M4LZMRGOCY", "seller_name": "Forart", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B099F1NHY1", "category": "beauty", "query": "Salon & Spa Equipment", "page": 38, "small_description_old": "Folding Massage Table Professional Portable Massage Bed, Dimensions: 73*24*32 Inch (L x W x H), Face Cradle Length: 84 Inch, Weight Capacity: 500Lbs Foldable design makes this table room-saving and convenient to use, Specially designed into 3-section folding style Aluminum tube ensures more solid and strong strength and stability Adjustable headrest for convenience. It also delivers comfort with meticulous treatment A fully-equipped massage table for SPA"}, {"name": "450 Bluetooth Marine Gauge Receiver and 6.5-Inch Speaker Package", "product_information": {"Date First Available\n \u200f": "\u200e\n March 25, 2021", "Manufacturer\n \u200f": "\u200e\n IM VERA", "ASIN\n \u200f": "\u200e\n B0912FQSMT", "": ""}, "brand": "Brand: IM VERA", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=IM+VERA", "full_description": "Brand by BOSS Audio", "pricing": "$224.02", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41omlEgTk9L.jpg", "https://m.media-amazon.com/images/I/517-4ODFZYL.jpg", "https://m.media-amazon.com/images/I/51v5wOaxVuL.jpg", "https://m.media-amazon.com/images/I/51jUVLdxlVL.jpg", "https://m.media-amazon.com/images/I/51m+MRe9WAL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Car & Vehicle Electronics \u203a Vehicle Electronics Accessories \u203a Vehicle Audio & Video Installation \u203a Speaker Installation \u203a Speaker Wire", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A284PRV19Y1MTF", "seller_name": "IPC-STORE\u2705", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B0912FQSMT", "category": "electronics", "query": "AV Receivers & Amplifiers", "page": 110, "small_description_old": "Brand: BOSS Audio Model: MCKGB450W.6 MPN: MCKGB450W.6 UPC: 791489125390 Features Marine gauge speaker and receiver package Features pair of 6.5-inch full range marine speakers with polypropylene cones and rubber surrounds 450-watt max power for amplified sound Compatible with audio out from smartphones and MP3 players White finish blends seamlessly with any marine vehicle USB, aux inputs and front, rear/subwoofer switchable preamp outputs Plays USB / MP3 / WMA, FM/AM, smartphones Bluetooth audio streaming allows you to play and control music and apps like Spotify/Pandora wirelessly Mount in 3-inch holes Dimensions: (L x W x H) 15 x 9 x 7 inches Weight: 6 pounds Item Specifics Brand BOSS Audio MPN MCKGB450W.6 Model MCKGB450W.6"}, {"name": "Padaleks Elastic Cute Flat Sandals for Women Comfortable Summer Beach Shoes Wedges Flip Flop Dressy Thong Sandal", "product_information": {"Item model number\n \u200f": "\u200e\n Sandals for Women", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 17, 2022", "Manufacturer\n \u200f": "\u200e\n Big promotion in Women Shoes", "ASIN\n \u200f": "\u200e\n B09QL5XVGG", "": ""}, "brand": "Brand: Padaleks", "brand_url": "https://www.amazon.com/Padaleks/b/ref=bl_sl_s_ap_web_19645877011?ie=UTF8&node=19645877011&field-lbr_brands_browse-bin=Padaleks", "full_description": "\u2603\u2603 Note: Before buying, please follow the size chart on the side to make a purchase.\u2603 Manual measurement please allow 1 - 3cm Size differences .\u2603 Due to the difference in the display, please allow a slight color difference. Thank you for your understanding. \u2731About Us \u2731If it is the quality question,we will resend or refund to you;If you receive damaged or wrong items,please contact me and attach some pictures about your product and packages to us,we will solve it for you If you have problems with your order, please contact us first before asking for help Amazon . We will solve it effectively for you. Thanks a lot.", "pricing": "$23.29", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41OIfpkVuUL.jpg", "https://m.media-amazon.com/images/I/41ZFCvHtlLL.jpg", "https://m.media-amazon.com/images/I/51YRWb0MGwL.jpg", "https://m.media-amazon.com/images/I/41ORmLTVx4L.jpg", "https://m.media-amazon.com/images/I/41ouvT1x12L.jpg", "https://m.media-amazon.com/images/I/51M14YyDbcL.jpg", "https://m.media-amazon.com/images/I/411YdZcthJL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Sandals \u203a Flats", "average_rating": "", "small_description": ["Best Gifts for Women/Mom/Friends/Girl/Girlfriend ", "Imported ", "Sandals Clearance On Sale, Buy 2 get 8% off, Buy 3 get 10% off, Buy 5 get 15% off, Buy 20 get 30% off, Buy 50 get 50% off. ", "Buckle closure ", "Hand Wash Only ", "Keyword: beach shoes hiking shoes soft shoes ladies shoes shoes nude shoes square head shoes platform shoes high heeled shoes high heels flip folds platform flip folds beach flip flops wedges flip flops thick heels flip flops comfortable slippers thong slippers bath slippers indoor slippers outdoor slippers women flip flop croc women flip flops with arch support women flip flops with heel women flip flops wedge women flip flops with strap ", "women flip flops white women flip flops with flower sandals women platform women's platform women platforms shoes 2 inch platform shoes for women yellow platform heels for women womens shoes platform dress women wedges close toes heeled sandals for women beach slippers wedges slippers thick heels slippers teen slippers peep toe slippers fish mouth slippers boy flip flops teen flip flops casual flip flops beach flip flops non slip flip flops , summer shoes breathable shoes soft shoes comfortable shoes platform shoes rhinestone shoes pointed toe shoes wedding shoes classic shoes mountain shoes rhinestone sandals pointed toe sandals shopping sandals wedding sandals classic sandals zipper sandals cross strap sandals ladies sandals mesh sandals flat sandals dress high sandals wedding flat sandals maternity sandals outdoor sandals children sandals canvas shoes pu leather shoes ladies shoes, summer sandals breathable sandals soft sandals comfortable sandals soft shoes comfortable shoes platform shoes rhinestone shoes pointed toe shoes wedding shoes teen flip flops casual flip flops beach flip flops non slip flip flops floral print flip flops kids slippers soft slippers comfortable slippers thong slippers bath slippers beach shoes hiking shoes soft shoes women hollow sandal women ankle flat sandal men sandal boy sandals, women flat sandal men flat sandal lace up sandal women size 9 sandal women size 6 sandal teen sandal girl flat sandal boy flat sandal wedding sandal wedding high sandal women flip flops sandals dress flat sandal dress high sandal wedding flat sandal men flat shoes outdoors shoes embroidery slippers black slippers cute slippers simple slippers floral slippers platform beach flip flops wedges flip flops thick heels flip flops low heel shoes teen shoes"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09QL5XVGG/ref=twister_B09QL6Y1T1", "value": "Beige", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/419OqCpCN+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QL6CJV7/ref=twister_B09QL6Y1T1", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41i4zHi1K9L.jpg"}, {"is_selected": true, "url": null, "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41OIfpkVuUL.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "7", "asin": "B09QL753VH"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B09QL8C83Z"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B09QL74ZL9"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B09QL82H1L"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B09QL7S8XQ"}, {"is_selected": false, "is_available": true, "value": "9.5", "asin": "B09QL86FL1"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QL82H1L", "category": "fashion", "query": "Women's Loafers & Slip-Ons", "page": 184, "small_description_old": "Best Gifts for Women/Mom/Friends/Girl/Girlfriend Imported Sandals Clearance On Sale, Buy 2 get 8% off, Buy 3 get 10% off, Buy 5 get 15% off, Buy 20 get 30% off, Buy 50 get 50% off. Buckle closure Hand Wash Only Keyword: beach shoes hiking shoes soft shoes ladies shoes shoes nude shoes square head shoes platform shoes high heeled shoes high heels flip folds platform flip folds beach flip flops wedges flip flops thick heels flip flops comfortable slippers thong slippers bath slippers indoor slippers outdoor slippers women flip flop croc women flip flops with arch support women flip flops with heel women flip flops wedge women flip flops with strap women flip flops white women flip flops with flower sandals women platform women's platform women platforms shoes 2 inch platform shoes for women yellow platform heels for women womens shoes platform dress women wedges close toes heeled sandals for women beach slippers wedges slippers thick heels slippers teen slippers peep toe slippers fish mouth slippers boy flip flops teen flip flops casual flip flops beach flip flops non slip flip flops \n summer shoes breathable shoes soft shoes comfortable shoes platform shoes rhinestone shoes pointed toe shoes wedding shoes classic shoes mountain shoes rhinestone sandals pointed toe sandals shopping sandals wedding sandals classic sandals zipper sandals cross strap sandals ladies sandals mesh sandals flat sandals dress high sandals wedding flat sandals maternity sandals outdoor sandals children sandals canvas shoes pu leather shoes ladies shoessummer sandals breathable sandals soft sandals comfortable sandals soft shoes comfortable shoes platform shoes rhinestone shoes pointed toe shoes wedding shoes teen flip flops casual flip flops beach flip flops non slip flip flops floral print flip flops kids slippers soft slippers comfortable slippers thong slippers bath slippers beach shoes hiking shoes soft shoes women hollow sandal women ankle flat sandal men sandal boy sandalswomen flat sandal men flat sandal lace up sandal women size 9 sandal women size 6 sandal teen sandal girl flat sandal boy flat sandal wedding sandal wedding high sandal women flip flops sandals dress flat sandal dress high sandal wedding flat sandal men flat shoes outdoors shoes embroidery slippers black slippers cute slippers simple slippers floral slippers platform beach flip flops wedges flip flops thick heels flip flops low heel shoes teen shoesShow more"}, {"name": "Laredo Womens Spellbound Studded Square Toe Dress Boots Mid Calf Low Heel 1-2\" - Black", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 12 x 4 x 8 inches; 1.3 Pounds", "Item model number\n \u200f": "\u200e\n Spellbound", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n March 19, 2014", "Manufacturer\n \u200f": "\u200e\n Laredo", "ASIN\n \u200f": "\u200e\n B00ITCBA8C", "Best Sellers Rank": "#199,962 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#508 in Women's Mid-Calf Boots", "#508 in Women's Mid-Calf Boots": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Laredo Store", "brand_url": "https://www.amazon.com/stores/Laredo+Boots/page/8003AFC9-083D-4467-8B0A-3A063B6FCB62?ref_=ast_bln", "full_description": "Laredo is known for its popular prices, authentic Western styling and excellent fit in men, women and children's boots. Every boot in the Laredo line offers excellent quality and style at an affordable price. They cover the style spectrum from ropers to classic Western to buckaroo styles, always keeping you in mind.", "pricing": "$132.00$150.26", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51egJTRNbXL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Shoes \u203a Boots \u203a Mid-Calf", "average_rating": 4.6, "small_description": ["Shaft measures approximately 11\" from arch ", "Heel measures approximately 1.5\" ", "Boot opening measures approximately 14\" around ", "Made in USA or Imported "], "total_reviews": 410, "total_answered_questions": 31, "customization_options": {"Size": [{"is_selected": false, "is_available": false, "value": "6", "asin": "B00ITCB9K6"}, {"is_selected": false, "is_available": true, "value": "6.5", "asin": "B00ITCBA8C"}, {"is_selected": false, "is_available": true, "value": "7", "asin": "B00ITCBARS"}, {"is_selected": false, "is_available": true, "value": "7.5", "asin": "B00ITCBBI6"}, {"is_selected": false, "is_available": true, "value": "8", "asin": "B00ITCBC1C"}, {"is_selected": false, "is_available": true, "value": "8.5", "asin": "B00ITCBCJY"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B00ITCBD3Y"}, {"is_selected": false, "is_available": true, "value": "9.5", "asin": "B00ITCBDP2"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B00ITCBERE"}, {"is_selected": false, "is_available": true, "value": "11", "asin": "B00KVW8UUE"}, {"is_selected": false, "is_available": false, "value": "12", "asin": "B07TKZ9571"}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51egJTRNbXL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B00ITCB9K6/ref=twister_B00J9DQTKE", "value": "Black/Tan", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Gw71n6klL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07TKZ9571/ref=twister_B00J9DQTKE", "value": "Off White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51GJh2F7DRL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B00ITCBD3Y", "category": "fashion", "query": "Women's Boots", "page": 20, "small_description_old": "100% Leather Imported Manmade sole Shaft measures approximately 11\" from arch Heel measures approximately 1.5\" Boot opening measures approximately 14\" around Made in USA or Imported"}, {"name": "Custom Polo Shirts for Men Design Your Own Personalized Logo Text Photo Polo Shirt Customize Classic Polo Shirt", "product_information": {"Department\n \u200f": "\u200e\n Unisex-adult", "Date First Available\n \u200f": "\u200e\n November 3, 2021", "ASIN\n \u200f": "\u200e\n B09KX5VHCH", "Best Sellers Rank": "#1,503,090 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#153 in Men's Novelty Polo Shirts #574,519 in Men's Fashion", "#153 in Men's Novelty Polo Shirts": "", "#574,519 in Men's Fashion": ""}, "brand": "Brand: RNANVI", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=RNANVI", "full_description": "Custom Cotton Polo Men Shirts Take your style and outfit to the next level with our mens fashion polo summer shirts! Look classy and elegant wherever you go. Walk down the street and receive compliments on your new polo shirt! Our designs are professionally embroidered with state-of-the-art equipment guaranteed with the highest quality and best results. Our embroidery will continue to look great after many years. We have more than 5 years of experience in the embroidery/printing industry to offer you stunning detail and rich lifelike colors. ADD SOME CLASS & STYLE TO YOUR OUTFIT! Made from high quality 100% cotton (90% cotton/10% Polyester in Oxford Gray color) for your comfort Resistant while still giving you free range of movement Lightweight to keep you fresh & dry Washer & dryer friendly for an easy care Design professionally embroidered GREAT GIFTS FOR MEN IDEA: Give a gift to your friends and loved ones that they will actually wear and enjoy. Our classy and casual polo shirt is the perfect mens gifts for birthdays, anniversaries, graduations, Christmas, bachelor party, Father\u2019s Day, Mother\u2019s Day or any other celebrations.", "pricing": "$5.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31PrgTdKd6L.jpg", "https://m.media-amazon.com/images/I/31AtIDzW82L.jpg", "https://m.media-amazon.com/images/I/31AtIDzW82L.jpg", "https://m.media-amazon.com/images/I/41Koz51KPsL.jpg", "https://m.media-amazon.com/images/I/51WlOFm0zYL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Men \u203a Shirts \u203a Polos", "average_rating": "", "small_description": ["Button closure ", "Custom Premium Quality Shirts: Take your outfit and style to the next level with our breathable 100% cotton ring-spun short sleeve polo mens shirts that bring you maximum comfort with elegance. ", "Resistant & Lightweight: Our mens polo shirts are light to keep you fresh and dry all day long but made to be resistant with double needle stitching all around while still giving you full flexibility and free range of movement. ", "Perfect Gift: Get one of our personalize polo shirts for yourself or as a thoughtful birthday, Christmas, or anniversary present for your loved ones. ", "Easy Everyday Care: Easy to wash and to re-use. Can be washed by hand or simply throw our mens shirts short sleeve casual polo into your washer and dryer and call it a day! ", "How To Customize: Click the yellow {CUSTOMIZE NEW} button on the right to start your customization and upload your photos or text. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09KXQ7PTZ/ref=twister_B09KX5VHCH?_encoding=UTF8&psc=1", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31C0uoc6bVL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KX5RD6Y/ref=twister_B09KX5VHCH?_encoding=UTF8&psc=1", "value": "Dark Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31jjdB1walL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KXCJKNM/ref=twister_B09KX5VHCH?_encoding=UTF8&psc=1", "value": "Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31O86GjBl9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KX3S2MJ/ref=twister_B09KX5VHCH?_encoding=UTF8&psc=1", "value": "Light Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31T2WVd1pJL.jpg"}, {"is_selected": true, "url": null, "value": "Navy Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31PrgTdKd6L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KX99L1Z/ref=twister_B09KX5VHCH?_encoding=UTF8&psc=1", "value": "Orange", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31rTB0o5AJL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KX5P6W3/ref=twister_B09KX5VHCH?_encoding=UTF8&psc=1", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31ywm6wvC6L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KXFFMB4/ref=twister_B09KX5VHCH?_encoding=UTF8&psc=1", "value": "Wine Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31OfZWRgW2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09KWYG77B/ref=twister_B09KX5VHCH?_encoding=UTF8&psc=1", "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31i4rvVLDPL.jpg"}], "Size": null}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09KXCHWGD", "category": "fashion", "query": "Men's Polos", "page": 34, "small_description_old": "Button closure Custom Premium Quality Shirts: Take your outfit and style to the next level with our breathable 100% cotton ring-spun short sleeve polo mens shirts that bring you maximum comfort with elegance. Resistant & Lightweight: Our mens polo shirts are light to keep you fresh and dry all day long but made to be resistant with double needle stitching all around while still giving you full flexibility and free range of movement. Perfect Gift: Get one of our personalize polo shirts for yourself or as a thoughtful birthday, Christmas, or anniversary present for your loved ones. Easy Everyday Care: Easy to wash and to re-use. Can be washed by hand or simply throw our mens shirts short sleeve casual polo into your washer and dryer and call it a day! How To Customize: Click the yellow {CUSTOMIZE NEW} button on the right to start your customization and upload your photos or text."}, {"name": "LENOVO TWS Earbuds", "product_information": {"Package Dimensions": "6.77 x 3.86 x 1.54 inches", "Item Weight": "4.8 ounces", "ASIN": "B08NWDG4N4", "Item model number": "ZA800000WW", "Batteries": "1 Lithium ion batteries required. (included)", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#6,462 in Earbud & In-Ear Headphones"], "Date First Available": "November 19, 2020", "Manufacturer": "Lenovo", "Country of Origin": "China"}, "brand": "Visit the Lenovo Store", "brand_url": "https://www.amazon.com/stores/LENOVO/page/2C6395BA-C701-4025-9D7E-BAE1BD647EEE?ref_=ast_bln", "full_description": "Lenovo TWS Earbuds", "pricing": "$25.78", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31l1ZPPWSeL.jpg", "https://m.media-amazon.com/images/I/316rKT837bL.jpg", "https://m.media-amazon.com/images/I/21g7f3D00XL.jpg", "https://m.media-amazon.com/images/I/21Zf-P-FCuL.jpg", "https://m.media-amazon.com/images/I/31tWINomC+L.jpg", "https://m.media-amazon.com/images/I/31pYl0caM1L.jpg", "https://m.media-amazon.com/images/I/31MI8gSCqcL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Headphones \u203a Earbud Headphones", "average_rating": 5, "small_description": ["UPC: 195348955232 ", "Weight: 0.3 lbs "], "total_reviews": 1, "total_answered_questions": "", "model": "ZA800000WW", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08NWDG4N4", "category": "electronics", "query": "Bluetooth Headsets", "page": 367, "small_description_old": "About this item\n \nUPC: 195348955232 Weight: 0.3 lbs"}, {"name": "Good Catch Plant-Based Seafood Sandwich Variety Pack | 6 Boxes of Frozen Vegan and Vegetarian Salmon Burgers, Fish Burgers, and Fish Fillets |Kosher, Fish-Free & Crab-Free| 12 Total Servings", "product_information": {"UPC\n \u200f": "\u200e\n 859543007621", "Manufacturer\n \u200f": "\u200e\n Gathered Foods", "ASIN\n \u200f": "\u200e\n B09NX4RGK7", "Best Sellers Rank": "#461,314 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#637 in Meat Substitutes", "#637 in Meat Substitutes": ""}, "brand": "Visit the GOOD CATCH Store", "brand_url": "https://www.amazon.com/stores/GoodCatch/page/9DA8763A-9E4A-4E35-AA14-7C9925E86187?ref_=ast_bln", "full_description": "", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51d+Or3BGXL.jpg", "https://m.media-amazon.com/images/I/51-lRiUM7BL.jpg", "https://m.media-amazon.com/images/I/41HpH0cg1cL.jpg", "https://m.media-amazon.com/images/I/41SuGBbDSjL.jpg", "https://m.media-amazon.com/images/I/61Ka-NK0j+L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Meat Substitutes", "average_rating": "", "small_description": ["PLANT-BASED SEAFOOD IS NOW A THING \u2014 Good Catch delivers chef-mastered rich flavors and flaky textures of seafood without the bycatch. The best part? Our products are friendlier to the oceans and the creatures that call our oceans home. ", "MADE WITH PROTEIN-POWERED INGREDIENTS \u2014 Our six-legume blend of peas, chickpeas, lentils, soy, fava beans and navy beans help us deliver the eating experience of real seafood. Taste, texture, protein\u2026everything but the fish. ", "THE SEAFOOD YOU CRAVE, WITHOUT THE STUFF YOU DON\u2019T \u2014 Think crispy, crunchy breaded fish fillets. Savory fish burgers and salmon burgers. It doesn\u2019t get much better than having restaurant-quality seafood meals on hand in your freezer. No GMO- or animal-derived ingredients, artificial flavors, palm or canola oil, hydrogenated fats, synthetic colors or mercury here ", "THE FROZEN SANDWICH VARIETY PACK INCLUDES \u2014 12 servings of freezer-to-skillet meals! 2 boxes (4 patties total) of our all-new Plant-Based Salmon Burgers, 2 boxes (4 fillets total) Plant-Based Breaded Fish Fillets, and 2 boxes (4 patties total) Plant-Based Fish Burgers. ", "GOOD FOR THE PLANET \u2014 Good Catch plant-based seafood is part of the solution to overfishing, polluted oceans and animal welfare concerns. We\u2019re on a mission to save our oceans and we believe plant-based foods can feed and help save the world. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B09NX4RGK7", "category": "grocery", "query": "Meat & Seafood", "page": 40, "small_description_old": "About this item PLANT-BASED SEAFOOD IS NOW A THING \u2014 Good Catch delivers chef-mastered rich flavors and flaky textures of seafood without the bycatch. The best part? Our products are friendlier to the oceans and the creatures that call our oceans home. MADE WITH PROTEIN-POWERED INGREDIENTS \u2014 Our six-legume blend of peas, chickpeas, lentils, soy, fava beans and navy beans help us deliver the eating experience of real seafood. Taste, texture, protein\u2026everything but the fish. THE SEAFOOD YOU CRAVE, WITHOUT THE STUFF YOU DON\u2019T \u2014 Think crispy, crunchy breaded fish fillets. Savory fish burgers and salmon burgers. It doesn\u2019t get much better than having restaurant-quality seafood meals on hand in your freezer. No GMO- or animal-derived ingredients, artificial flavors, palm or canola oil, hydrogenated fats, synthetic colors or mercury here THE FROZEN SANDWICH VARIETY PACK INCLUDES \u2014 12 servings of freezer-to-skillet meals! 2 boxes (4 patties total) of our all-new Plant-Based Salmon Burgers, 2 boxes (4 fillets total) Plant-Based Breaded Fish Fillets, and 2 boxes (4 patties total) Plant-Based Fish Burgers. GOOD FOR THE PLANET \u2014 Good Catch plant-based seafood is part of the solution to overfishing, polluted oceans and animal welfare concerns. We\u2019re on a mission to save our oceans and we believe plant-based foods can feed and help save the world."}, {"name": "ngruama8 USB Portable Mini Vinyl Turntable Audio Player Vinyl Turntable to MP3/WAV/CD Converter with PC 33RPM CRP008 Portable DVD Player for Car", "product_information": {"Item Weight": "2.2 pounds", "ASIN": "B09Q6CZ59K", "Date First Available": "January 11, 2022", "Department": "Unisex-adult", "Manufacturer": "kangruama", "Country of Origin": "China"}, "brand": "Brand: ngruama8", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ngruama8", "full_description": "USB powered operation.Compact and portable design.Can be used as personal vinyl record player.Notes: The vinyl records is not included.Port: 3.5mm,USB 2.0 Material: Plastic Package Contents: 1 x Mini USB Turntable,1 x CD-ROM,", "pricing": "$110.54", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41IEmzqx7bL.jpg", "https://m.media-amazon.com/images/I/31tBgKFGIML.jpg", "https://m.media-amazon.com/images/I/41aeabCyJGL.jpg", "https://m.media-amazon.com/images/I/31zjlTbBNgL.jpg", "https://m.media-amazon.com/images/I/31eh6nyxSsL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Home Audio \u203a Turntables & Accessories \u203a Turntables", "average_rating": "", "small_description": ["33 / 45 PRM phonograph turn to MP3 converter. ", "Converts your precious vinyl record collection to MP3 standalone, no computer required. ", "Also can convert vinyl record to MP3 by computer and software. ", "Plug and play, easy to use. ", "With playback, can check the recorded music on device directly. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1YHLT3A54ATFZ", "seller_name": "kangruama", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09Q6CZ59K", "category": "electronics", "query": "Turntables", "page": 136, "small_description_old": "33 / 45 PRM phonograph turn to MP3 converter. Converts your precious vinyl record collection to MP3 standalone, no computer required. Also can convert vinyl record to MP3 by computer and software. Plug and play, easy to use. With playback, can check the recorded music on device directly."}, {"name": "iiniim Men's Sexy Fishnet Stretch Bodysuit Underwear Mankini Wrestling Thong", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 6.5 x 5 x 1.4 inches; 0.81 Ounces", "Item model number\n \u200f": "\u200e\n YD10015793-10105390-US", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n March 4, 2020", "Manufacturer\n \u200f": "\u200e\n iiniim", "ASIN\n \u200f": "\u200e\n B085G4WYWM", "Best Sellers Rank": "#863,126 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#245 in Men's Exotic G-Strings & Thongs #318,337 in Men's Fashion", "#245 in Men's Exotic G-Strings & Thongs": "", "#318,337 in Men's Fashion": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: iiniim", "brand_url": "https://www.amazon.com/iiniim/b/ref=bl_sl_s_ap_web_20518430011?ie=UTF8&node=20518430011&field-lbr_brands_browse-bin=iiniim", "full_description": "Set Include: 1Pc Bodysuit Condition: New with tag Material: Polyester Color: Black(as pictures show) Tag No.---|---Adult Recommended Size---|-----------Chest----------|----------Waist----------|-----Length-- ---M------|-----------Medium-----------|----35.0-45.0\"/88-114cm---|---32.0-43.0\"/82-110cm---|---32.0\"/82cm ---L------|------------Large-----------|----37.0-47.0\"/93-120cm---|---34.0-46.0\"/87-116cm---|---33.5\"/85cm ---XL-----|-----------X-Large----------|----38.5-50.0\"/98-126cm---|---36.0-48.0\"/92-122cm---|---34.0\"/87cm --XXL-----|----------XX-Large----------|---40.5-52.0\"/103-132cm---|---38.0-50.0\"/97-128cm---|---35.5\"/90cm", "pricing": "$10.95", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51N8dxKfM4L.jpg", "https://m.media-amazon.com/images/I/51yuOmiJNcL.jpg", "https://m.media-amazon.com/images/I/41ztZr6lV+L.jpg", "https://m.media-amazon.com/images/I/51HlQibIHCL.jpg", "https://m.media-amazon.com/images/I/51aMFObBx-L.jpg", "https://m.media-amazon.com/images/I/51bnEwS3ScL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Exotic Apparel \u203a Men \u203a G-Strings & Thongs", "average_rating": 4.4, "small_description": ["Men's sexy mankini thong costume. ", "One side design,very special. ", "Perfect for lingerie night and self pleasure. ", "One Size fits most. Thigh circumference: 44-64cm/17.0-25.0\". "], "total_reviews": 22, "total_answered_questions": "", "customization_options": {"Color": null, "Size": [{"is_selected": false, "is_available": true, "value": "Medium", "asin": "B085G4WYWM"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B085FSLMKP"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B085FQ4YL5"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B085FY6CN3"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B085FQ4YL5", "category": "fashion", "query": "Men's Underwear", "page": 121, "small_description_old": "Material: Polyester Men's sexy mankini thong costume. One side design,very special. Perfect for lingerie night and self pleasure. One Size fits most. Thigh circumference: 44-64cm/17.0-25.0\"."}, {"name": "Women Aesthetic Short Sleeve Jumpsuit Bodycon Sexy V Neck Button Shorts Rompers Knitted One Piece Bodysuit Overall", "product_information": {"Item model number\n \u200f": "\u200e\n XDFH", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n July 20, 2021", "ASIN\n \u200f": "\u200e\n B099WX8JPZ", "Best Sellers Rank": "#3,548,542 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#12,142 in Women's Jumpsuits", "#12,142 in Women's Jumpsuits": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the FULA-bao Store", "brand_url": "https://www.amazon.com/stores/FULA-bao/page/3D45D8C2-0A7B-4F5A-BD46-27897854D0B8?ref_=ast_bln", "full_description": "", "pricing": "$13.99$24.89", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41UWOa7ceJS.jpg", "https://m.media-amazon.com/images/I/41mlyrW166S.jpg", "https://m.media-amazon.com/images/I/411bR-vQvQS.jpg", "https://m.media-amazon.com/images/I/31cnqf9GlRS.jpg", "https://m.media-amazon.com/images/I/61baeCCY1VS.jpg", "https://m.media-amazon.com/images/I/41lZPEObVvL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Jumpsuits, Rompers & Overalls \u203a Jumpsuits", "average_rating": 1.5, "small_description": ["100% Polyester ", "Imported ", "Pull On closure ", "Machine Wash ", "Material: This women onesies shorts make from polyester+ spandex, soft and breathable. casual v neck romper bodysuits, aesthetic clothes, Aesthetic summer streetwear. ", "Features: Turn down collar jumpsuit playsuit, slim fit romper shorts, knitted v neck jumpsuit romper, close-fitting style, short sleeve, zipper front or button down. Bodycon knitted outfits, floral print/solid color/ tie dye/letters printed jumpsuit, Aesthetic fashion. ", "Occasions: Bodycon romper clubwear outfit perfect for casual, daily wear, club, party, photoo shoot, shopping, home, work, party, birthday, BBQ, lounge, carnival, dinner, dating, honeymoon, weekend, rave, night out, sleep, pjs, workout, yoga, travel, vacation, seaside, beachwear , Style: This sexy women onesies shorts perfect to match with jeans ,skirts, high-waist pants. Also could be wear as jumpsuit or top shirt. Give you flattered look., Package incloud 1* Women Bodycon Short Jumpsut, Pls refer our size chart before order it. Short pants romper jumpsuit for women, polo shirt, single breasted, striped, open front, cute bodysuits catsuit, show off your sexy body curves, one piece set."], "total_reviews": 2, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B099WX8JPZ/ref=twister_B099WXPCDL", "value": "Green Stripe", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41mmiXvc5DS.jpg"}, {"is_selected": true, "url": null, "value": "Letter Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41UWOa7ceJS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099WYCQ7J/ref=twister_B099WXPCDL", "value": "Letter Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/412PtgXEAqS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099WZGY7D/ref=twister_B099WXPCDL", "value": "Floral Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41y3gwynr-S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099WZPKWJ/ref=twister_B099WXPCDL", "value": "Floral Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41iFCBeTOVS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099WXWCNB/ref=twister_B099WXPCDL", "value": "Letter Green B", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ElpPzUd-L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099WX1HM9/ref=twister_B099WXPCDL", "value": "Tie Dye Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41SSVe0GcPS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099WY9PDV/ref=twister_B099WXPCDL", "value": "Green Whirlpool", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41BxVIcJ87S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099WXTDBY/ref=twister_B099WXPCDL", "value": "Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41UnSFZXznS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B099WXPHQ9/ref=twister_B099WXPCDL", "value": "Tie Dye Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41yH71bDELS.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B099WX3CV5"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B099WZNN15"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B099WXZN99"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B099WX981B"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B099WYDYM7"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B099WX3CV5", "category": "fashion", "query": "Women's Jumpsuits, Rompers & Overalls", "page": 77, "small_description_old": "100% Polyester Imported Pull On closure Machine Wash Material: This women onesies shorts make from polyester+ spandex, soft and breathable. casual v neck romper bodysuits, aesthetic clothes, Aesthetic summer streetwear. Features: Turn down collar jumpsuit playsuit, slim fit romper shorts, knitted v neck jumpsuit romper, close-fitting style, short sleeve, zipper front or button down. Bodycon knitted outfits, floral print/solid color/ tie dye/letters printed jumpsuit, Aesthetic fashion. Occasions: Bodycon romper clubwear outfit perfect for casual, daily wear, club, party, photoo shoot, shopping, home, work, party, birthday, BBQ, lounge, carnival, dinner, dating, honeymoon, weekend, rave, night out, sleep, pjs, workout, yoga, travel, vacation, seaside, beachwear \n Style: This sexy women onesies shorts perfect to match with jeans ,skirts, high-waist pants. Also could be wear as jumpsuit or top shirt. Give you flattered look.Package incloud 1* Women Bodycon Short Jumpsut, Pls refer our size chart before order it. Short pants romper jumpsuit for women, polo shirt, single breasted, striped, open front, cute bodysuits catsuit, show off your sexy body curves, one piece set.Show more"}, {"name": "Memphis Audio MXASB35 35\" 10-Speaker ATV/UTV Sound Bar Bundle with Bar 2.1 Deep Bass Home Theater Bluetooth Soundbar with Wireless Sub Movies/Music", "product_information": {"Package Dimensions": "45.1 x 7.2 x 6.9 inches", "Item Weight": "42 pounds", "ASIN": "B09B4YH4RG", "Item model number": "MXASB35+Bar 2.1 Deep Bass", "Date First Available": "July 24, 2021", "Manufacturer": "Memphis Audio"}, "brand": "Brand: Memphis Audio", "brand_url": "https://www.amazon.com/Memphis-Audio/b/ref=bl_dp_s_web_8151049011?ie=UTF8&node=8151049011&field-lbr_brands_browse-bin=Memphis+Audio", "full_description": "Description of MXASB35:Memphis Xtreme Soundbars are the best performance powersports soundbar on the market. We utilized passive radiator technology to maximize the bass response of the soundbar for rich full sound on the trails. Each bar consists of 2 tweeters and 8 mids housed in a self powered plug and play soundbar. Simply bolt on, hook up the power and ground wires and hit the trails. Controling the MXASB35 sound bar is simple courtesy of the on board Bluetooth system allowing you to tuck your phone or device away safely and control your music on wet and muddy rides. Our soundbars are equipped with 2-channel outputs allowing you to expand your system with additional audio components. Pair the MXASB35 with an Xtreme Nanoboxx Bass System for the ulitmate offroad audio combo. Our reinforced clamp fits any bar between 1.25\"-2.5\" and is trail tested to handle the most extreme conditions.Features of Bar 2.1 Deep Bass:Bring the power: An impressive 300W of total system power puts you in control. Your movies and music have never sounded so good.Surround yourself with sound: JBI Surround Sound instantly brings movies, games, sports and music to life. Upgrade to an immersive sound experience for your TV without any extra wires or speakers.All about the bass: Why just listen to the bass when you can experience it? The 6.5'' wireless subwoofer delivers deep, thrilling sound.", "pricing": "$699.95", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31AkA+iirHL.jpg", "https://m.media-amazon.com/images/I/21KCPLWKUsL.jpg", "https://m.media-amazon.com/images/I/51fIZi0S6DL.jpg", "https://m.media-amazon.com/images/I/41tkqwZpDUL.jpg", "https://m.media-amazon.com/images/I/415ze7yEqjL.jpg", "https://m.media-amazon.com/images/I/31cxSqDEEPL.jpg", "https://m.media-amazon.com/images/I/314TbQ-B7vL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Home Audio \u203a Speakers \u203a Sound Bars", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "model": "MXASB35+Bar 2.1 Deep Bass", "customization_options": "", "seller_id": "A3LLMZ9K72U9P2", "seller_name": "Audiosavings", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09B4YH4RG", "category": "electronics", "query": "Soundbars", "page": 132, "small_description_old": "About this item\n \nPackage Includes: (1) Memphis Audio MXASB35 35\" 10-Speaker Powered Sound Bar w/Bluetooth Compatible with ATV/UTV, (1) JBI Bar 2.1 Deep Bass Home Theater Bluetooth Soundbar+Wireless Sub Movies/Music. What's in the box: Soundbar, Wireless subwoofer, Remote control with batteries, Power cord, HDMI cable, Wall-mount bracket kit with screws, Quick start guide, Warranty card, Safety sheet. Features of MXASB35: Passive radiators for enhanced mid bass, 10 Speaker soundbar system, Water and element resistant, Self powered plug & play solutions, Aux input, 2-channel output. Specifications: Size (in): 20\", RMS Power (w): 300, Peak Power (w): 600, Dimensions (in): 35.75 x 3.5 x 3.9, Clamp Fit: 1.25\" - 2.75\", Warranty (yrs): 1, Grill Included. Specifications of Bar 2.1 Deep Bass: Model: Bar 2.1 Deep Bass CNTR (Soundbar Unit), Bar 2.1 Deep Bass SUB (Subwoofer Unit), Power supply: 100 - 240V AC, ~ 50/60Hz, Total speaker power output (Max. @THD 1%): 300W, Output power (Max. @THD 1%), 2 x 50W (Soundbar); 200W (Subwoofer), Transducer: 4 x race track drivers + 2 x 1\u201d tweeter (Soundbar); 6.5\u201d (Subwoofer), Soundbar and Subwoofer standby power: <0.5W, Operating temperature: 0\u00b0C - 45\u00b0C, HDMI version: 1.4. Audio: HDMI Video input: 1, Frequency response: 40Hz - 20KHz, Audio inputs: 1 Optical, Bluetooth, USB (USB playback is available in US version. For other versions, USB is for Service only.) Dimensions: 965 x 58 x 85 (mm) / 38\u201d x 2.28\u201d x 3.35\u201d (Soundbar), 240 x 240 x 379 (mm) / 8.9\u201d x 8.9\u201d x 14.6\u201d (Subwoofer). Weight: 2.16 kg (Soundbar), 5.67 kg (Subwoofer), Packaging dimensions: 1045 x 310 x 405mm, Packaging weight (Gross weight): 10.4kg. Control and Connection: USB port: Type A, USB rating: 5V DC/ 0.5A, Supporting file format: mp3, wav, MP3 Codec: MPEG 1 Layer 2/3, MPEG 2 Layer 3, MPEG 2.5 Layer 3, MP3 sampling rate: 16KHz - 48 KHz, MP3 bitrate: 80kbps - 320kbps, WAV sample rate: 16KHz - 48 KHz, WAV bitrate: Up to 3000kbps, Bluetooth version: 4.2, Bluetooth profile: A2DP V1.3, AVRCP V1.5, Bluetooth frequency range: 2402MHz-2480MHz, Bluetooth Max. transmitting power: <10dBm (EIRP), Modulation Type: p/4 DQPSK."}, {"name": "Sheer Window Curtain Panels Cute Snowman Red Scarf Winter Snowflake,Semi Sheer Window Covering Privacy Drapes 2 Panel Sets Farm Vintage Board Green Grid Window Treatment for Kitchen/Living Room", "product_information": {"Package Dimensions": "9 x 6 x 0.6 inches", "Item Weight": "1.12 pounds", "Manufacturer": "Possta Decor", "ASIN": "B09LCM3NKN", "Date First Available": "November 9, 2021"}, "brand": "Brand: Possta Decor", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Possta+Decor", "full_description": "Material:Chiffon fabric is different from other materials. It is smooth and textured. It is even shiny under light,durable and not easy to spread. Semi-Sheer Window Curtain can make air circulate, it is ideal for decorating bedrooms, living rooms, and kitchens. Size: Gauze window panels have many sizes, you can choose according to your needs,52x45inx2(132x115cmx2)52x54inx2(132x137cmx2)52x63inx2(132x160cmx2)52x72inx2(132x182cmx2)52x84inx2(132x213cmx2)52x96inx2(132x243cmx2)52x108inx2(132x274cmx2)Important advantage: Our curtains can partially transmit light,provide proper brightness to the room,but it can hide the portrait inside to protect your privacy.Holiday dress up: The window treatment are suitable for Halloween, Thanksgiving Day, Christmas, graduation parties, birthday party, coffee shops and other festivals, and also can be used as gifts for friends and familys housewarming.Note: The material of the gauze curtain is relatively light and thin, please handle with care, not to pull it hard, does not affect normal and circular use.All dimensions are measured manually, and the deviation (range) is 1-2 cm. Due to the display differences of computer monitors, there may be slight color changes between the actual product and the screen.", "pricing": "$44.05", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51zMlk1EZAL.jpg", "https://m.media-amazon.com/images/I/51ymLDMOSfL.jpg", "https://m.media-amazon.com/images/I/51KwnGgenvL.jpg", "https://m.media-amazon.com/images/I/51stxUzF5WL.jpg", "https://m.media-amazon.com/images/I/51dJ1Qs9T9L.jpg", "https://m.media-amazon.com/images/I/41uzcA+Y5BS.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Window Treatments \u203a Curtains & Drapes \u203a Panels", "average_rating": "", "small_description": ["\u2714Material: The translucent voile tulle curtain is made of chiffon fabric. Compared with other materials, chiffon is an ideal translucent fabric, smooth and textured, durable and airy. ", "\u2714Features: Window treatment semi-sheer curtain can filter sunlight and balance the light level indoors and outdoors. window panels allows you to enjoy the beautiful scenery outside the window and prevents people from directly seeing your indoor room. ", "\u2714Size: 2 pieces of curtains measure - 52x72inx2(132x182cmx2)The well-made window drapes support customized design. You can choose various styles from our store, such as: landscape, farm animal, farmhouse scenery, floral, blossoms flower, sea ocean beach, etc. ", "\u2714Occasion: The curtains are suitable for home/kitchen/living room/bedroom/coffee shop/bathroom/sliding door/child room/nursery/hotel or any other places, which can create a romantic and elegant atmosphere and make you feel comfortable. ", "\u2714Cleaning: Gauze drapes support hand wash or machine wash, gentle cycle, easy to dry, and can be recycled multiple times. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09LBZXCMM/ref=twister_B09LCC33KN?_encoding=UTF8&psc=1", "value": "52x45inx2", "price_string": "$32.47", "price": 32.47, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LCH8FD4/ref=twister_B09LCC33KN?_encoding=UTF8&psc=1", "value": "52x54inx2", "price_string": "$36.03", "price": 36.03, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LC2ZZ7G/ref=twister_B09LCC33KN?_encoding=UTF8&psc=1", "value": "52x63inx2", "price_string": "$40.29", "price": 40.29, "image": null}, {"is_selected": true, "url": null, "value": "52x72inx2", "price_string": "$44.05", "price": 44.05, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LCJC2PD/ref=twister_B09LCC33KN?_encoding=UTF8&psc=1", "value": "52x84inx2", "price_string": "$48.09", "price": 48.09, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LC7G143/ref=twister_B09LCC33KN?_encoding=UTF8&psc=1", "value": "52x96inx2", "price_string": "$53.68", "price": 53.68, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09LCFZJFT/ref=twister_B09LCC33KN?_encoding=UTF8&psc=1", "value": "52x108inx2", "price_string": "$62.37", "price": 62.37, "image": null}], "Color": null}, "seller_id": "A3OU3P5TP046FM", "seller_name": "Possta Decor", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09LCM3NKN", "category": "garden", "query": "Window Coverings", "page": 108, "small_description_old": "About this item\n \n\u2714Material: The translucent voile tulle curtain is made of chiffon fabric. Compared with other materials, chiffon is an ideal translucent fabric, smooth and textured, durable and airy. \u2714Features: Window treatment semi-sheer curtain can filter sunlight and balance the light level indoors and outdoors. window panels allows you to enjoy the beautiful scenery outside the window and prevents people from directly seeing your indoor room. \u2714Size: 2 pieces of curtains measure - 52x72inx2(132x182cmx2)The well-made window drapes support customized design. You can choose various styles from our store, such as: landscape, farm animal, farmhouse scenery, floral, blossoms flower, sea ocean beach, etc. \u2714Occasion: The curtains are suitable for home/kitchen/living room/bedroom/coffee shop/bathroom/sliding door/child room/nursery/hotel or any other places, which can create a romantic and elegant atmosphere and make you feel comfortable. \u2714Cleaning: Gauze drapes support hand wash or machine wash, gentle cycle, easy to dry, and can be recycled multiple times."}, {"name": "Yeele 5x7ft Photography Backdrops - Magical The Underwater World Octopus Sea Turtle Castle Photo Background Newborn Baby Boy Portrait Pictures Photo Booth Shooting Studio Props", "product_information": {"Product Dimensions": "11 x 10 x 0.4 inches", "Item Weight": "5.3 ounces", "ASIN": "B07F6MN8RH", "Date First Available": "June 20, 2018", "Manufacturer": "Yeele", "Country of Origin": "China"}, "brand": "Brand: Yeele", "brand_url": "https://www.amazon.com/Yeele/b/ref=bl_dp_s_web_19834580011?ie=UTF8&node=19834580011&field-lbr_brands_browse-bin=Yeele", "full_description": "Customize Accepted\uff1a We company accept customization order according to your request!Just email us your picture and the size of it. FYI:Usually customize orders takes 1-3 days to produce and 2 weeks of delivery. Features: Material:Thin vinyl fabric. Type: Computer-printed. Size type: 3\u00d75 Ft=1\u00d71.5 Meters 5\u00d77 Ft=1.5\u00d72.2 Meters 6\u00d79 Ft=1.8\u00d72.7 Meters 8\u00d710 Ft=2.5\u00d73 Meters Light absorbant Non-reflective. No pocket no hole Package: 1x Photography backdrop. Suitable for: All kinds of business/commercial use,like wedding, studio,party etc. Vinyl backdrops are our latest and greatest computer painted wrinkle-free fleece-like fabric. Tips: 1.Vinyl fabrics are not washable.If there is a stain,take a damp cloth with little water or entle cleaner(like soap) and wipe clean. 2. All backdrop will send by folded.Here are the ways of removing the creases. a. Roll it up tightly with a cylinder, and waiting for 3-4days. b. Heat it with a steam iron on the back of item, then it will be smooth again.If necessary, please iron the back surface with steam iron but not dry iron.(Note: IP65 of waterproof). 3.We can customized any size for you,also we can print your own picture as backdrop;Double-face vinyl backdrop also available for selling; contact with us if you needs. About Color: Please note that every computer has different color and resolution settings so colors shown on your screen may vary slightly from the actual print depending on your setting.", "pricing": "$19.99", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/51CIrgB97nL.jpg", "https://m.media-amazon.com/images/I/51JsZJTlKBL.jpg", "https://m.media-amazon.com/images/I/517OpdWwv+L.jpg", "https://m.media-amazon.com/images/I/61frltno8IL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Lighting & Studio \u203a Photo Studio \u203a Backgrounds", "average_rating": "", "small_description": ["Versatile: Suitable for newborn children baby shower birthday party decorations,personal portrait product and family group photo.Can also be used for studio, booths, parties, and for weddings & business/commercial use\uff0cvideo recording. ", "Environmental Friendly:Made by Vinyl fabric, non-toxic harmless material,acid-free, recyclable! ", "HD backdrops:Using a series of high-tech digital production equipment carefully made digital pictures inkjet pictures.If necessary, please iron the back surface with steam iron but not dry iron. ", "Non reflective: Design is printed on vinyl cloth and helps minimize light reflection\uff0cno worry of ruining your pictures anymore! ", "Fade resistant:Pattern in our vinyl backdrop is realistic and fade-resistant; Color fidelity and artistic effect. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07F689H6F/ref=twister_B08LB9D1KF?_encoding=UTF8&psc=1", "value": "3x5ft", "price_string": "$11.99", "price": 11.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07F6LL22P/ref=twister_B08LB9D1KF?_encoding=UTF8&psc=1", "value": "4x5ft", "price_string": "$14.99", "price": 14.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07F69B9CQ/ref=twister_B08LB9D1KF?_encoding=UTF8&psc=1", "value": "4x6ft", "price_string": "$15.99", "price": 15.99, "image": null}, {"is_selected": true, "url": null, "value": "5x7ft", "price_string": "$19.99", "price": 19.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07F67QDD2/ref=twister_B08LB9D1KF?_encoding=UTF8&psc=1", "value": "6x8ft", "price_string": "$27.99", "price": 27.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07F682TW5/ref=twister_B08LB9D1KF?_encoding=UTF8&psc=1", "value": "6x9ft", "price_string": "$30.99", "price": 30.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07F67G8VB/ref=twister_B08LB9D1KF?_encoding=UTF8&psc=1", "value": "6.5x10ft", "price_string": "$33.99", "price": 33.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07F6GSG7N/ref=twister_B08LB9D1KF?_encoding=UTF8&psc=1", "value": "8x10ft", "price_string": "$43.99", "price": 43.99, "image": null}]}, "seller_id": "A14BCGE4EJFTMN", "seller_name": "Mr. Minh", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B07F6MN8RH", "category": "electronics", "query": "Underwater Photography", "page": 225, "small_description_old": "About this item\n \nVersatile: Suitable for newborn children baby shower birthday party decorations,personal portrait product and family group photo.Can also be used for studio, booths, parties, and for weddings & business/commercial use\uff0cvideo recording. Environmental Friendly:Made by Vinyl fabric, non-toxic harmless material,acid-free, recyclable! HD backdrops:Using a series of high-tech digital production equipment carefully made digital pictures inkjet pictures.If necessary, please iron the back surface with steam iron but not dry iron. Non reflective: Design is printed on vinyl cloth and helps minimize light reflection\uff0cno worry of ruining your pictures anymore! Fade resistant:Pattern in our vinyl backdrop is realistic and fade-resistant; Color fidelity and artistic effect."}, {"name": "Lice Shield Shampoo & Conditioner 2 in 1 - 10 oz - 2 pk", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 6.7 x 5.2 x 1.6 inches; 10 Ounces", "Item model number\n \u200f": "\u200e\n SG_B00JISMSG4_US", "Manufacturer\n \u200f": "\u200e\n Lice Shield", "ASIN\n \u200f": "\u200e\n B00JISMSG4", "Best Sellers Rank": "#294,853 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#562 in 2-in-1 Shampoo & Conditioner", "#562 in 2-in-1 Shampoo & Conditioner": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Lice Shield", "brand_url": "https://www.amazon.com/Lice-Shield/b/ref=bl_dp_s_web_20068112011?ie=UTF8&node=20068112011&field-lbr_brands_browse-bin=Lice+Shield", "full_description": "", "pricing": "$18.87", "list_price": "", "availability_quantity": 4, "availability_status": "Only 4 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/515sTMAU7JL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Shampoo & Conditioner \u203a 2-in-1 Shampoo & Conditioner", "average_rating": 4.5, "small_description": [""], "total_reviews": 37, "total_answered_questions": "", "customization_options": "", "seller_id": "ASEVS99O6FS73", "seller_name": "Pharmapacks_", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00JISMSG4", "category": "beauty", "query": "Shampoo & Conditioner", "page": 82, "small_description_old": ""}, {"name": "Once Upon A Time Queen Born In 1982 T Shirts It Was Me Tank Top", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10 x 8 x 1 inches; 4.8 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n February 5, 2022", "Manufacturer\n \u200f": "\u200e\n 40th Birthday Queen T Shirts", "ASIN\n \u200f": "\u200e\n B09RVF4JP1", "": ""}, "brand": "Brand: 40th Birthday Queen T Shirts", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=40th+Birthday+Queen+T+Shirts", "full_description": "Once Upon A Time Queen Born In 1982 T Shirts It Was Me. This storytime shirt will make the perfect cute gift for any men or women who are turning 40 and was born in 1982. Wear this top paired with whatever style clothes in your favorite to make an amazing outfit for a birthday celebration. Grandparents and parents will love this T Shirt for their 40th birthday. Toddlers, kids, youth, boys, and girls can get this tee for their family born in 1982. This t shirt is the perfect clothing piece to bring together any birthday look for anyone.", "pricing": "$19.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/A1Ig7DnP6sL.png", "https://m.media-amazon.com/images/I/31tbrimDw7L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Women \u203a Tops & Tees \u203a Tanks & Camis", "average_rating": "", "small_description": ["Solid colors: 100% Cotton; Heather Grey: 90% Cotton, 10% Polyester; All Other Heathers: 50% Cotton, 50% Polyester ", "Imported ", "Machine Wash ", "This storytime shirt will make the perfect cute gift for any men or women who are turning 40 and was born in 1982. Wear this top paired with whatever style clothes in your favorite to make an amazing outfit for a birthday celebration. ", "Grandparents and parents will love this T Shirt for their 40th birthday. Toddlers, kids, youth, boys, and girls can get this tee for their family born in 1982. This t shirt is the perfect clothing piece to bring together any birthday look for anyone. ", "Lightweight, Classic fit, Double-needle sleeve and bottom hem "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Fit Type": [{"is_selected": true, "url": null, "value": "Men", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RVF4JP1?_encoding=UTF8&customId=B07MZQH9ZH", "value": "Women", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1Ig7DnP6sL.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RVF4JP1?_encoding=UTF8&customId=B07MZQFLP1", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1FAfhw%2B74L.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RVF4JP1?_encoding=UTF8&customId=B07MZPNB6H", "value": "Dark Heather", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1XUGBPoYSS.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RVF4JP1?_encoding=UTF8&customId=B07MZQN1SQ", "value": "Neon Pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A12bY8bnkeL.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RVF4JP1?_encoding=UTF8&customId=B07MZP9QX2", "value": "Royal Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/B1Mrzcr47BS.png"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B07MZP9QWJ"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07MZPH245"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07MZPVTSY"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07MZQH9YH"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07MZQ58TP"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09RVF4JP1", "category": "fashion", "query": "Men's T-Shirts & Tanks", "page": 203, "small_description_old": "Solid colors: 100% Cotton; Heather Grey: 90% Cotton, 10% Polyester; All Other Heathers: 50% Cotton, 50% Polyester Imported Machine Wash This storytime shirt will make the perfect cute gift for any men or women who are turning 40 and was born in 1982. Wear this top paired with whatever style clothes in your favorite to make an amazing outfit for a birthday celebration. Grandparents and parents will love this T Shirt for their 40th birthday. Toddlers, kids, youth, boys, and girls can get this tee for their family born in 1982. This t shirt is the perfect clothing piece to bring together any birthday look for anyone. Lightweight, Classic fit, Double-needle sleeve and bottom hem"}, {"name": "FOREST DESIGNS Bull Nose Bookcase (Two Shelves) Ebony Oak", "product_information": {"Product Dimensions": "\u200e13 x 36 x 36 inches", "Country of Origin": "\u200eUSA", "Is Discontinued By Manufacturer": "\u200eNo", "ASIN": "B00RIK1LI0", "Date First Available": "January 2, 2015"}, "brand": "Visit the FOREST DESIGNS Store", "brand_url": "https://www.amazon.com/stores/Forest+Designs/page/2F3160CA-11B3-4BB8-9DC7-6970E45551DE?ref_=ast_bln", "full_description": "Since 1991 our experienced craftsmen have produced high quality furniture that is made in the USA. We use only premium quality solids and veneers. No particle board! To control quality we mill the wood in our modern manufacturing facility. From doors to moldings, every part is manufactured on-site. Every drawer features full extension glides. Exposed shelves have solid front moldings. Drawer boxes are constructed from Baltic Birch. A multiple step sanding process ensures a consistent surface for finishing. We use Sherwin Williams stains, sealants, and lacquers to complete the manufacturing process. And a lifetime warranty backs our workmanship.", "pricing": "$359.00", "list_price": "", "availability_status": "Usually ships within 3 to 5 weeks.", "images": ["https://m.media-amazon.com/images/I/41Dn6l1j5vL.jpg", "https://m.media-amazon.com/images/I/41fH5aObR2L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Bookcases", "average_rating": "", "small_description": ["Two Adjustable Shelves ", "Real Wood ", "Made in the USA ", "Custom Available ", "Lifetime Warranty "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2KUECQXWC0811", "seller_name": "Oak Arizona Furniture", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00RIK1LI0", "category": "garden", "query": "Bookcases", "page": 113, "small_description_old": "About this item Two Adjustable Shelves Real Wood Made in the USA Custom Available Lifetime Warranty \n \u203a See more product details"}, {"name": "KETO BARS : The Original High Fat, Low Carb, Ketogenic Bar. Gluten Free, Vegan, Homemade with simple ingredients. [Chocolate Peanut Butter, 10 Pack]", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 6.5 x 5.25 x 2 inches; 1.19 Pounds", "UPC\n \u200f": "\u200e\n 860000542616", "Manufacturer\n \u200f": "\u200e\n Keto Bars", "ASIN\n \u200f": "\u200e\n B07HYF111T", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#11,431 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#38 in Deli & Prepared Foods #164 in Sports Nutrition Protein Bars #560 in Sports Nutrition Protein", "#38 in Deli & Prepared Foods": "", "#164 in Sports Nutrition Protein Bars": "", "#560 in Sports Nutrition Protein": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Keto Bars Store", "brand_url": "https://www.amazon.com/stores/Keto+Bars+/page/D3BC1374-232B-48A3-BDF8-99F5C14162C5?ref_=ast_bln", "full_description": "", "pricing": "$29.95", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/51Ldigu9knL.jpg", "https://m.media-amazon.com/images/I/514J8KmAhfL.jpg", "https://m.media-amazon.com/images/I/41jMP1UdlcL.jpg", "https://m.media-amazon.com/images/I/51wuBz2pIwL.jpg", "https://m.media-amazon.com/images/I/51GIOk3KmLL.jpg", "https://m.media-amazon.com/images/I/41ttKc-uyjL.jpg", "https://m.media-amazon.com/images/I/41fTamgs0UL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Deli & Prepared Foods", "average_rating": 3.8, "small_description": ["\u2713 RECEIVE a box of 10-Keto Bars, 1.65 oz each in choice of flavors. WE KNOW KETO Our bars are \u2714\ufe0fLow Carbohydrates \u2714\ufe0fNo Sugar Added \u2714\ufe0fRich in Ketogenic Fats \u2714\ufe0fDairy Free \u2714\ufe0fGluten Free \u2714\ufe0fModerate Protein \u2714\ufe0fVegan \u2714\ufe0fNo Fiber Syrups. Perfect for ketogenic dieters and anyone looking for healthy snack alternative. Look no further, our snack is the perfect smart keto food choice. ", "\u2713 100% KETO That's right! Unlike competition, Keto Bars are actually 100% Keto! Up to 21g fat, only 3g net carbs, moderate protein & no sugar added. There are a lot of snack bars in the market claiming to be KETO, however, there is only ONE trusted keto bar brand. KETO BARS IS THE ORIGINAL keto bar. Our bars are a delicious blend of wholesome ingredients, rich in flavor that's both satisfying & delicious. Satisfy your cravings for treats with our mouthwatering, gourmet, good-for-you snack bars. ", "\u2713 RICH, DENSE AND JUST OHHH SO DELICIOUS Keto Bars. Eat it for breakfast, snacks in between meals, with coffee, we're that easy on the go, anytime-type of snack! Our healthy snacks are the perfect sweet treat for ketogenic dieters or anyone looking for low-carb, low-sugar, gluten and grain-free delicious sweet treats. ", "\u2713 SIMPLE INGREDIENTS @ Keto Bars, we only believe in wholesome ingredients. Check our nutritional facts, trust us, you will know how to pronounce alllll the ingredients. Choose between 4 delicious flavors: Chocolate Covered Strawberry, Chocolate Peanut Butter, Dark Chocolate Coconut Almond & Mint Chocolate OR sample them all with our sample pack variety. All of our bars are made in the USA & tested by our dream team of keto-believers. ", "\u2713 MADE IN OUR USA KITCHEN and made by true Keto believers. Our company concentrates on one-thing only \u2013 and that's making Keto Bars! Our community of Keto believers is everything to us! TRY our products with confidence, knowing that this is all we do, keto snacks. If you are not satisfied with our product or have questions regarding our product WE ARE HERE! So please reach out to us! "], "total_reviews": 2845, "total_answered_questions": 48, "customization_options": {"Flavor Name": [{"is_selected": false, "url": "https://www.amazon.com/dp/B082DRYJYR/ref=twister_B07MLDH4KK?_encoding=UTF8&psc=1", "value": "Chocolate Covered Strawberry", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "Chocolate Peanut Butter", "price_string": "$29.95", "price": 29.95, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07LGD6QK6/ref=twister_B07MLDH4KK?_encoding=UTF8&psc=1", "value": "Dark Chocolate Coconut Almond", "price_string": "$29.95", "price": 29.95, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07KJTJV86/ref=twister_B07MLDH4KK?_encoding=UTF8&psc=1", "value": "Mint Chocolate", "price_string": "$29.50", "price": 29.5, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07P89RG7L/ref=twister_B07MLDH4KK?_encoding=UTF8&psc=1", "value": "Sampler Pack", "price_string": "$35.95", "price": 35.95, "image": null}]}, "seller_id": "A2YVXFSFCBV1ST", "seller_name": "Keto Bars", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07HYF111T", "category": "grocery", "query": "Granola & Nutrition Bars", "page": 46, "small_description_old": "About this item \u2713 RECEIVE a box of 10-Keto Bars, 1.65 oz each in choice of flavors. WE KNOW KETO Our bars are \u2714\ufe0fLow Carbohydrates \u2714\ufe0fNo Sugar Added \u2714\ufe0fRich in Ketogenic Fats \u2714\ufe0fDairy Free \u2714\ufe0fGluten Free \u2714\ufe0fModerate Protein \u2714\ufe0fVegan \u2714\ufe0fNo Fiber Syrups. Perfect for ketogenic dieters and anyone looking for healthy snack alternative. Look no further, our snack is the perfect smart keto food choice. \u2713 100% KETO That's right! Unlike competition, Keto Bars are actually 100% Keto! Up to 21g fat, only 3g net carbs, moderate protein & no sugar added. There are a lot of snack bars in the market claiming to be KETO, however, there is only ONE trusted keto bar brand. KETO BARS IS THE ORIGINAL keto bar. Our bars are a delicious blend of wholesome ingredients, rich in flavor that's both satisfying & delicious. Satisfy your cravings for treats with our mouthwatering, gourmet, good-for-you snack bars. \u2713 RICH, DENSE AND JUST OHHH SO DELICIOUS Keto Bars. Eat it for breakfast, snacks in between meals, with coffee, we're that easy on the go, anytime-type of snack! Our healthy snacks are the perfect sweet treat for ketogenic dieters or anyone looking for low-carb, low-sugar, gluten and grain-free delicious sweet treats. \u2713 SIMPLE INGREDIENTS @ Keto Bars, we only believe in wholesome ingredients. Check our nutritional facts, trust us, you will know how to pronounce alllll the ingredients. Choose between 4 delicious flavors: Chocolate Covered Strawberry, Chocolate Peanut Butter, Dark Chocolate Coconut Almond & Mint Chocolate OR sample them all with our sample pack variety. All of our bars are made in the USA & tested by our dream team of keto-believers. \u2713 MADE IN OUR USA KITCHEN and made by true Keto believers. Our company concentrates on one-thing only \u2013 and that's making Keto Bars! Our community of Keto believers is everything to us! TRY our products with confidence, knowing that this is all we do, keto snacks. If you are not satisfied with our product or have questions regarding our product WE ARE HERE! So please reach out to us!"}, {"name": "Replacement Remote Control for Sharp MDR3, RRMCG0142AWSA", "product_information": {"Product Dimensions": "7 x 2.5 x 1 inches", "Item Weight": "4.5 ounces", "ASIN": "B00CHSKYKE", "Item model number": "RTRRMCG0142AWSA", "Best Sellers Rank": ["#48,292 in Remote Controls (Electronics)"], "Date First Available": "April 23, 2013", "Manufacturer": "Redi-Remote"}, "brand": "Brand: REDI REMOTE", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=REDI+REMOTE", "full_description": "This is a custom built replacement remote made by Redi Remote for the SHARP remote control number RRMCG0142AWSA. *This is NOT an original remote control. It is a custom replacement remote made by Redi-Remote* This remote control is specifically designed to be compatible with the following models of SHARP units: MDR3, RRMCG0142AWSA *If you have any concerns with the remote after purchase, please contact me directly* There is a cover over the lower half of the remote. This will slide down to reveal the lower half buttons.", "pricing": "$29.95", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/415XTc8ivvL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Remote Controls & Accessories \u203a Remote Controls", "average_rating": "", "small_description": ["Redi-Remotes cannot be programmed to control any auxillary devices. They will do every function for the specific unit they are designed to control. ", "Remote measures 7 1/2\" x 2 1/4\" x 3/4\" ", "Redi-Remotes are not equipped with laser pointers or LED lights. "], "total_reviews": "", "total_answered_questions": "", "model": "RTRRMCG0142AWSA", "customization_options": "", "seller_id": "AGRI50LQ7GYAC", "seller_name": "RemotesPro", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00CHSKYKE", "category": "electronics", "query": "VCRs", "page": 374, "small_description_old": "Redi-Remotes cannot be programmed to control any auxillary devices. They will do every function for the specific unit they are designed to control. Remote measures 7 1/2\" x 2 1/4\" x 3/4\" Redi-Remotes are not equipped with laser pointers or LED lights."}, {"name": "4-Channel Wireless Bluetooth Power Amplifier - 1000W Stereo Speaker Home Audio Receiver w/FM Radio, USB, Headphone, 2 Mic w/Echo, Front Loading CD DVD Player, LED, Rack Mount - Pyle PD1000BA.5", "product_information": {"Package Dimensions": "20.5 x 17.25 x 9.25 inches", "Item Weight": "23 pounds", "ASIN": "B096L3FNMR", "Customer Reviews": {"ratings_count": 26, "stars": "4.2 out of 5 stars"}, "Best Sellers Rank": ["#141,259 in Electronics (See Top 100 in Electronics) #989 in Audio Component Amplifiers"], "Date First Available": "June 3, 2021", "Manufacturer": "Pyle", "Country of Origin": "China"}, "brand": "Visit the Pyle Store", "brand_url": "https://www.amazon.com/stores/PyleUSA/page/D79E9149-99F8-49A4-8E8C-D24560694FC2?ref_=ast_bln", "full_description": "Features: - Audio / Video Home Theater Pre-Amplifier - 4-Ch. Pro Audio Receiver System - Connects to TVs Soundbars Speaker Systems - Built-in Bluetooth for Wireless Music Streaming - Front Loading CD/DVD Player - Powers up to (4) Loud Speakers - Front Panel Control Center with Dynamic VFD Display - AM/FM Stereo Radio - USB Flash Drive Reader - MP3 Digital Audio File Compatibility - (4) Pair Speaker Terminal Binding Posts - (2) Pair RCA (L/R) Audio Inputs - Aux (3.5mm) Input Jack - (2) 1/4'' Microphone Inputs - 1/4'' Headphone Jack - Subwoofer RCA (L/R) Output - Optical (Digital) Audio Output - Video Outputs: S-Video RCA YPbPr (Component Video) - Output dB (Decibel) Level LED Display - Mic Echo Treble Bass Volume Subwoofer Controls - Sleek Brushed Aluminum and Metal Chassis Housing - Built-in Ventilation Cooling Fan - Universal Rack Mountable Bluetooth Connectivity: - Works with All of Your Favorite Bluetooth Devices - (iPhone Android Smartphones iPad Tablets etc.) - Bluetooth Network Name: 'PYLE PRO' - Bluetooth Network Password: Not Required - Bluetooth Version: 5.0 - Bluetooth Wireless Range: 40'+ ft. What's in the Box: - Preamplifier Receiver - Remote Control - Detachable Rack Mount Brackets - RCA Connection Cables - AM + FM Antennas - Power Cable Technical Specs: - Amplifier Receiver Type: 4-Channel - Power Output: 1000 Watt MAX - 360 Watts x 2 @ 4 Ohm - 200 Watts x 2 @ 8 Ohm - Impedance: 8 Ohm - Aspect Ratio: 4:3/16:9 - Video System: PAL/NTSC - Audio S/N Ratio: >90dB - Frequency Range: +/-14 dB - Quartz Synthesized Radio Tuner - Radio Presets: 30 Station Memory - CD/DVD Disc Compatibility: DVD/CD/VCD/CD-R/CD-RW/MP4 - Power Supply: 115/230V, Switchable - Dimensions (L x W x H): 16.9\u2019\u2019 x 13.8\u2019\u2019 x 5.6\u2019\u2019 -inches", "pricing": "$242.99", "list_price": "", "availability_quantity": 1, "availability_status": "Temporarily out of stock. We are working hard to be back in stock. Place your order and we\u2019ll email you when we have an estimated delivery date. You won\u2019t be charged until the item ships. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41MZ-pT96uS.jpg", "https://m.media-amazon.com/images/I/51rmPOlZ86S.jpg", "https://m.media-amazon.com/images/I/51iG1hDDVWS.jpg", "https://m.media-amazon.com/images/I/51eXuCghZsS.jpg", "https://m.media-amazon.com/images/I/51eSOKrWZRS.jpg", "https://m.media-amazon.com/images/I/51kwScAPpPS.jpg", "https://m.media-amazon.com/images/I/51nuMwuTeYL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Home Audio \u203a Home Theater \u203a Receivers & Amplifiers \u203a Amplifiers", "average_rating": 4.2, "small_description": ["1000 WATT POWER: The Pyle 4 Channel Pre-Amplifier is perfect for your karaoke and home entertainment sound system. It gives you 1000W peak power to be used for multi speakers with 2-8 ohms impedance allowing you to enjoy high-quality audio ", "7 INPUTS: The personal digital amp box supports headphones, USB, iPod or MP3, FM tuner, AUX, with front loading CD DVD player, 2 microphone inputs with an echo effect for karaoke, 1 RCA preamp output and 2 mono RCA dedicated for subwoofer ", "BLUETOOTH-COMPATIBLE: The professional integrated indoor house stereo receiver is equipped with bluetooth wireless music streaming. Works with today\u2019s latest devices including smartphones, tablets, laptops and computers w/ hassle-free receiver pairing ", "EQ CONTROLS: The speaker sound amplifying device has crisp buttons for the audio sources and selectors, rotary knob for equalization and master volume adjustments. It also features blue LED illuminated buttons and knobs for high visibility ", "DISPLAY METER: The compact and rack mount amplifier has a built-in digital fluorescent display meter which displays all the functions and input used. A remote control is also included in the package for distant audio adjustments "], "total_reviews": 26, "total_answered_questions": 7, "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B096L3FNMR", "category": "electronics", "query": "AV Receivers & Amplifiers", "page": 139, "small_description_old": "1000 WATT POWER: The Pyle 4 Channel Pre-Amplifier is perfect for your karaoke and home entertainment sound system. It gives you 1000W peak power to be used for multi speakers with 2-8 ohms impedance allowing you to enjoy high-quality audio 7 INPUTS: The personal digital amp box supports headphones, USB, iPod or MP3, FM tuner, AUX, with front loading CD DVD player, 2 microphone inputs with an echo effect for karaoke, 1 RCA preamp output and 2 mono RCA dedicated for subwoofer BLUETOOTH-COMPATIBLE: The professional integrated indoor house stereo receiver is equipped with bluetooth wireless music streaming. Works with today\u2019s latest devices including smartphones, tablets, laptops and computers w/ hassle-free receiver pairing EQ CONTROLS: The speaker sound amplifying device has crisp buttons for the audio sources and selectors, rotary knob for equalization and master volume adjustments. It also features blue LED illuminated buttons and knobs for high visibility DISPLAY METER: The compact and rack mount amplifier has a built-in digital fluorescent display meter which displays all the functions and input used. A remote control is also included in the package for distant audio adjustments"}, {"name": "One Lucky Teacher St Patrick Day Shamrock Tee Teachers Custom Personalized Unisex T-Shirts Long Sleeve Hoodie Sweatshirt Gifts", "product_information": {"Department": "Womens, Mens, Unisex-Adult, Unisex-Child, Baby", "Manufacturer": "Generic", "ASIN": "B09QQJJ3KM", "Date First Available": "January 19, 2022"}, "brand": "Brand: Generic", "brand_url": "https://www.amazon.com/Generic/b/ref=bl_dp_s_web_2529470011?ie=UTF8&node=2529470011&field-lbr_brands_browse-bin=Generic", "full_description": "\u2b50 MATERIAL: - Cotton Spun Ring - Extremely smooth and soft. - Ventilated, creating a comfortable feeling for the wearer. - High ability to absorb moisture, absorb sweat. \u2b50 USER MANUAL: - You can wash in a washing machine but should be turned upside down to keep the prints longer. - Do not wash white shirts and dark shirts together. - Do not rub the print hard. - Do not pour detergent directly on the printed image. - Do not dry clean. - Use an iron with a moderate temperature.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51oD3tHBGxL.jpg", "https://m.media-amazon.com/images/I/513f7zFlG6L.jpg", "https://m.media-amazon.com/images/I/61S79QSajwL.jpg", "https://m.media-amazon.com/images/I/61BYHjkkYnL.jpg", "https://m.media-amazon.com/images/I/41uVA6nSuqL.jpg", "https://m.media-amazon.com/images/I/51HNocWbNhL.jpg", "https://m.media-amazon.com/images/I/51zQ5fSSxpL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Men \u203a Hoodies", "average_rating": "", "small_description": ["\u2b50Made in USA. How to measure the Size & available Colors to each type will be appear after click \"Customize\". ", "\u2b50Available products for this Design: T-Shirt, 3/4 Sleeve Baseball Tee, V-Neck, Long Sleeve, Tank top, Racerback Tank, Sweatshirt, Hoodie for Baby, Kids, Youth, Adult. ", "\u2b50All designs are printed on-site at our high-tech printing facility on the highest quality and most durable fabrics. Full sizes from XS to 5XL. Light fabric, 100% Cotton, durable and comfortable. Machine wash by cold water with shirts of the same color. When washing, turn the shirt inside out. Dry low heat. ", "\u2b50You can customize the picture or add the name, age,quotes... you want to print on the shirt. Perfect Gifts Mother's Day, Father's Day, Christmas, Holidays, Birthdays, ... great gifts for friends, family, childrens, parents. ", "\u2b50Costumes for men and women. You will be the center of attention wearing our t-shirts. Customize Now! "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QQJJ3KM", "category": "fashion", "query": "Men's Fashion Hoodies & Sweatshirts", "page": 51, "small_description_old": "\u2b50Made in USA. How to measure the Size & available Colors to each type will be appear after click \"Customize\". \u2b50Available products for this Design: T-Shirt, 3/4 Sleeve Baseball Tee, V-Neck, Long Sleeve, Tank top, Racerback Tank, Sweatshirt, Hoodie for Baby, Kids, Youth, Adult. \u2b50All designs are printed on-site at our high-tech printing facility on the highest quality and most durable fabrics. Full sizes from XS to 5XL. Light fabric, 100% Cotton, durable and comfortable. Machine wash by cold water with shirts of the same color. When washing, turn the shirt inside out. Dry low heat. \u2b50You can customize the picture or add the name, age,quotes... you want to print on the shirt. Perfect Gifts Mother's Day, Father's Day, Christmas, Holidays, Birthdays, ... great gifts for friends, family, childrens, parents. \u2b50Costumes for men and women. You will be the center of attention wearing our t-shirts. Customize Now!"}, {"name": "80W Bluetooth Speaker,Desong Portable Wireless Bluetooth Speaker TWS Subwoofer with Battery Capacity 10400mAh Power Bank Function TWS Mic, EQ Sound,IPX5 Waterproof Portable Speaker for Home,Party", "product_information": {"Product Dimensions": "9.72 x 5.12 x 2.8 inches", "Item Weight": "4.38 pounds", "ASIN": "B09DVS5MQW", "Item model number": "S02", "Batteries": "1 Lithium Polymer batteries required. (included)", "Customer Reviews": {"ratings_count": 5, "stars": "3.4 out of 5 stars"}, "Best Sellers Rank": ["#2,872 in Portable Bluetooth Speakers #26,027 in MP3 & MP4 Player Accessories"], "Is Discontinued By Manufacturer": "No", "Date First Available": "August 28, 2021", "Manufacturer": "Desong", "Country of Origin": "China"}, "brand": "Visit the Desong Store", "brand_url": "https://www.amazon.com/stores/DESONG/page/39285778-618F-453C-8500-A3F72F541319?ref_=ast_bln", "full_description": "", "pricing": "$99.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/31hcGMRIcJL.jpg", "https://m.media-amazon.com/images/I/51vPkFWul-L.jpg", "https://m.media-amazon.com/images/I/51S15bwvpXL.jpg", "https://m.media-amazon.com/images/I/41iFJ9chd4L.jpg", "https://m.media-amazon.com/images/I/41x0piM9U2L.jpg", "https://m.media-amazon.com/images/I/41+kOEvbMQL.jpg", "https://m.media-amazon.com/images/I/41pu9gmkzoL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Portable Audio & Video \u203a Portable Speakers & Docks \u203a Portable Bluetooth Speakers", "average_rating": 3.4, "small_description": ["\u301080W High Power Speaker\u301180W Surging Volume, 2.1 Surround Sound ,Combination of single 50W wooferand dual15W tweeter Transparenttreble,naturalmidrange,full bass. 80W (Max 100W) 3 drivers and large subwoofer provides full spectrum audio with incredible bass effect and clarity. ", "\u3010TWS Interconnection \u3011 360\u00b0 Panoramic Sound Two Desong S02 Can Form a huge160W sound field TWS supports BT wireless and AUX plug-in playback TWS technology.Just control the master device, then audio can be played in sync on both devices. ", "\u3010Lager Battery\u3011Bluetooth Speaker with rechargeable battery, one full charge lets you play music for up to 18 straight hours at 30% volume(Playtime varies according to volume level and audio content). You can use the S02 to charge your tablet and smartphone at any time. ", "\u30103 Sound Effects\u30113 Sound Effects ,The Speaker Can be switched to Full Frequency, Surround, Heawy Bass, through the EQ button. Satisfies all your music needs. "], "total_reviews": 5, "total_answered_questions": "", "model": "S02", "customization_options": "", "seller_id": "A1W942NKGQGF0Q", "seller_name": "DESONG US", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09DVS5MQW", "category": "electronics", "query": "Bluetooth Speakers", "page": 116, "small_description_old": "About this item\n \n\u301080W High Power Speaker\u301180W Surging Volume, 2.1 Surround Sound ,Combination of single 50W wooferand dual15W tweeter Transparenttreble,naturalmidrange,full bass. 80W (Max 100W) 3 drivers and large subwoofer provides full spectrum audio with incredible bass effect and clarity. \u3010TWS Interconnection \u3011 360\u00b0 Panoramic Sound Two Desong S02 Can Form a huge160W sound field TWS supports BT wireless and AUX plug-in playback TWS technology.Just control the master device, then audio can be played in sync on both devices. \u3010Lager Battery\u3011Bluetooth Speaker with 10400mAh rechargeable battery, one full charge lets you play music for up to 18 straight hours at 30% volume(Playtime varies according to volume level and audio content). You can use the S02 to charge your tablet and smartphone at any time. \u30103 Sound Effects\u30113 Sound Effects ,The Speaker Can be switched to Full Frequency, Surround, Heawy Bass, through the EQ button. Satisfies all your music needs."}, {"name": "Ellie Shoes Women's 414-Wonder Boot", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 13.7 x 12.3 x 5.25 inches; 1.25 Pounds", "Item model number\n \u200f": "\u200e\n 414-WONDERRED", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n May 2, 2017", "Manufacturer\n \u200f": "\u200e\n Ellie Shoes", "ASIN\n \u200f": "\u200e\n B06Y55RLKX", "Best Sellers Rank": "#279,408 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#149 in Women's Over-the-Knee Boots", "#149 in Women's Over-the-Knee Boots": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Ellie Shoes Store", "brand_url": "https://www.amazon.com/stores/Ellie+Shoes/page/951823F0-1C71-4FFC-8146-21A371ED64A3?ref_=ast_bln", "full_description": "4 inch Our household brand offers pumps, platforms, sling back, peep-toe, & boots with various heel heights ranging from 3\" to 8\". This line of shoes caters to the boudoir, fetish and sexy communities as well as dancers and performers.", "pricing": "$59.99$107.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31eyfyzz-5L.jpg", "https://m.media-amazon.com/images/I/31CRP1PHPQL.jpg", "https://m.media-amazon.com/images/I/31dDN8n2YkL.jpg", "https://m.media-amazon.com/images/I/31HMMVd37TL.jpg", "https://m.media-amazon.com/images/I/51WDWtCfYIL.jpg", "https://m.media-amazon.com/images/I/31j6cIgTnOL.jpg", "https://m.media-amazon.com/images/I/41QgB12WHHL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Costumes & Accessories \u203a Women \u203a Footwear", "average_rating": 3.9, "small_description": ["100% Polyurethane ", "Imported ", "Rubber sole ", "Shaft measures approximately 24\" from arch ", "Heel measures approximately 3 inches\" ", "Platform measures approximately 1.0 inches ", "Boot opening measures approximately 18\" around , Great for halloween, Superhero womens boot, Wonder"], "total_reviews": 25, "total_answered_questions": 6, "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "6", "asin": "B06Y55RLKX"}, {"is_selected": false, "is_available": true, "value": "7", "asin": "B06Y52T6KC"}, {"is_selected": false, "is_available": true, "value": "9", "asin": "B06Y4VYJ5Q"}, {"is_selected": false, "is_available": true, "value": "10", "asin": "B06Y532XCY"}, {"is_selected": false, "is_available": false, "value": "11", "asin": "B01JAU9588"}, {"is_selected": false, "is_available": false, "value": "12", "asin": "B01LQHHDHS"}, {"is_selected": false, "is_available": true, "value": "8 US/8 M US", "asin": "B06Y56YLP7"}], "Color": [{"is_selected": true, "url": null, "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31eyfyzz-5L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07XGN2P3K/ref=twister_B06Y4BJKTZ", "value": "Multi-colored", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31o7P+vrUZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B001D0H5QS/ref=twister_B06Y4BJKTZ", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/314QKaU8skL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B01JAU9588/ref=twister_B06Y4BJKTZ", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41zZ-0+v5KL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B06Y52T6KC", "category": "fashion", "query": "Women's Boots", "page": 28, "small_description_old": "100% Polyurethane Imported Rubber sole Shaft measures approximately 24\" from arch Heel measures approximately 3 inches\" Platform measures approximately 1.0 inches Boot opening measures approximately 18\" around \n Great for halloweenSuperhero womens bootWonderShow more"}, {"name": "Taykoo All in One Eyeshadow Powder Makeup Kit, 20g Pressed Powder Blusher Cosmetic Palette Kit Makeup Sets", "product_information": {"Manufacturer\n \u200f": "\u200e\n Taykoo", "ASIN\n \u200f": "\u200e\n B09NSMMHTY", "Country of Origin\n \u200f": "\u200e\n China", "": ""}, "brand": "Brand: Taykoo", "brand_url": "https://www.amazon.com/Taykoo/b/ref=bl_dp_s_web_20119520011?ie=UTF8&node=20119520011&field-lbr_brands_browse-bin=Taykoo", "full_description": "Specification:Color: as shownSize: 12.9*9.3*2.8(cm)Net content: 20gFeatures:1. All-in-One Makeup Kit: They include eye shadow palette, blushers, lip glaze, pressed powder, etc. This multi-purpose kit is perfect for achieving any full- face look.2. Waterproof and long-lasting-shiny colors and high-quality ingredients of the skin, which can last all day. Highly coloured and durable colors keep your perfect eye shadow make-up for a long time. Smooth texture powder has waterproof features, unique technology improvement, and let your eye shadow makeup last a long time.3. Rich colors, mixing ability-feel light and soft, and easily create clear and bright makeup. Turn any night into a wonderful thing to adapt to these dazzling ranges. For people over the age of 12, created with neutral ingredients, our eye shadow is designed for all ages.4. Suitable for most skin-separate containers for each color. Suitable for a variety of skin colors; Easy to use and easy to wear. You can now create the same famous T-shape you see in fashion magazines and TV, from classic eyes to sexy cat eyes and sexy smoke eyes!5. Wide application-perfect party makeup / leisure makeup / wedding makeup, etc. The Makeup Palette includes a variety of colors, including neutrality, vitality, shimmer and spots. Whether it's dark or mysterious or daring, this series of eye shadows can attract people's attention. Different colors are suitable for different appearances. Suitable for professional salons, personal use, parties, festivals-Christmas, Halloween, birthday, Valentine's day, etc.Package Includes:1 * All-in-One Makeup KitNotes:1. 1 inch = 2.54 cm2. Please allow 2-3cm error due to manual measurement. Please make sure you do not mind before purchasing.3. Color may not appear as exactly as in real life due to variations between the computer monitors.", "pricing": "$15.69", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41WXblK1lRL.jpg", "https://m.media-amazon.com/images/I/51hxz5fWdkL.jpg", "https://m.media-amazon.com/images/I/41O0ZHZCoDL.jpg", "https://m.media-amazon.com/images/I/51JJFmHAKwL.jpg", "https://m.media-amazon.com/images/I/410FoT6BKEL.jpg", "https://m.media-amazon.com/images/I/41H09SQulpL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Makeup \u203a Eyes \u203a Eyeshadow", "average_rating": "", "small_description": ["All-in-One Makeup Kit: They include eye shadow palette, blushers, lip glaze, pressed powder, etc. This multi-purpose kit is perfect for achieving any full- face look. ", "Waterproof and long-lasting-shiny colors and high-quality ingredients of the skin, which can last all day. Highly coloured and durable colors keep your perfect eye shadow make-up for a long time. Smooth texture powder has waterproof features, unique technology improvement, and let your eye shadow makeup last a long time. ", "Rich colors, mixing ability-feel light and soft, and easily create clear and bright makeup. Turn any night into a wonderful thing to adapt to these dazzling ranges. For people over the age of 12, created with neutral ingredients, our eye shadow is designed for all ages. ", "Suitable for most skin-separate containers for each color. Suitable for a variety of skin colors; Easy to use and easy to wear. You can now create the same famous T-shape you see in fashion magazines and TV, from classic eyes to sexy cat eyes and sexy smoke eyes! ", "Wide application-perfect party makeup / leisure makeup / wedding makeup, etc. The Makeup Palette includes a variety of colors, including neutrality, vitality, shimmer and spots. Whether it's dark or mysterious or daring, this series of eye shadows can attract people's attention. Different colors are suitable for different appearances. Suitable for professional salons, personal use, parties, festivals-Christmas, Halloween, birthday, Valentine's day, etc. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A39JOC8PKQIH1G", "seller_name": "Cullya", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09NSMMHTY", "category": "beauty", "query": "Makeup Palettes", "page": 135, "small_description_old": "All-in-One Makeup Kit: They include eye shadow palette, blushers, lip glaze, pressed powder, etc. This multi-purpose kit is perfect for achieving any full- face look. Waterproof and long-lasting-shiny colors and high-quality ingredients of the skin, which can last all day. Highly coloured and durable colors keep your perfect eye shadow make-up for a long time. Smooth texture powder has waterproof features, unique technology improvement, and let your eye shadow makeup last a long time. Rich colors, mixing ability-feel light and soft, and easily create clear and bright makeup. Turn any night into a wonderful thing to adapt to these dazzling ranges. For people over the age of 12, created with neutral ingredients, our eye shadow is designed for all ages. Suitable for most skin-separate containers for each color. Suitable for a variety of skin colors; Easy to use and easy to wear. You can now create the same famous T-shape you see in fashion magazines and TV, from classic eyes to sexy cat eyes and sexy smoke eyes! Wide application-perfect party makeup / leisure makeup / wedding makeup, etc. The Makeup Palette includes a variety of colors, including neutrality, vitality, shimmer and spots. Whether it's dark or mysterious or daring, this series of eye shadows can attract people's attention. Different colors are suitable for different appearances. Suitable for professional salons, personal use, parties, festivals-Christmas, Halloween, birthday, Valentine's day, etc."}, {"name": "Riffi Body & Shoulder Massage (767) - Massage Belt for Body and Shoulder, Riffi Shower and Massage Accessories for Men & Women - 2 Pack", "product_information": {"Manufacturer\n \u200f": "\u200e\n Riffi", "ASIN\n \u200f": "\u200e\n B083WSK6F2", "": ""}, "brand": "Brand: Riffi", "brand_url": "https://www.amazon.com/Riffi/b/ref=bl_dp_s_web_19261907011?ie=UTF8&node=19261907011&field-lbr_brands_browse-bin=Riffi", "full_description": "WHY RIFFI BODY & SHOULDER MASSAGE STRIP?Daily massage with Riffi products gets the circulation going, invigorates blood flow, strengthens your immune system, and releases muscular tension. Riffi massage revitalizes and stimulates the entire blood circulatory system via opening the pores of your skin to absorb more oxygen, while providing you with a deep cleaning for healthier and younger looking skin. Ideal for Fa Shower Gel/Body Wash usage. Note: The picture displayed above is to illustrate the size and style of the Riffi product. The color of your ordered Riffi product may differ.", "pricing": "$23.45", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31BiVSEUa1L.jpg", "https://m.media-amazon.com/images/I/41IfRYgG-4L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Bath & Bathing Accessories \u203a Bathing Accessories", "average_rating": "", "small_description": ["EFFECTIVE MASSAGE BELT: Comes in 2 Pack. Experience Spa treatment at home with our Riffi shoulder massage belt. It gently peals of dead skin and makes you love the way your skin feels. Best body-exfoliating scrub belt that lifts away dead skin. Color may vary! ", "SKIN TEXTURE IMPROVEMENT: These Riffi body and shoulder massage belt works well on different skin textures. We recommend repeated use for rough/dry skin to soften it. These deep exfoliating belts promote blood circulation to outer skin. Very effective in combating rashes, acne, and issues of such sort. ", "PERFECT SIZE: Riffi exfoliating body and shoulder massage belt comes in a universal size and works well for both men & women. ", "SUPER EASY CLEANUP: Once done using, simply rinse it in clean. No special care needed for this Riffi shower massage belt. ", "VARIETY OF RIFFI SHOWER ACCESSORIES: Along with body and shoulder massage strips, we offer other Riffi bath and shower accessories such as back brush, body and shoulder massage belt, massage brush double sided, and much more. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2B996SBT66OUH", "seller_name": "Fa Bath & Body Products", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B083WSK6F2", "category": "beauty", "query": "Bathing Accessories", "page": 124, "small_description_old": "EFFECTIVE MASSAGE BELT: Comes in 2 Pack. Experience Spa treatment at home with our Riffi shoulder massage belt. It gently peals of dead skin and makes you love the way your skin feels. Best body-exfoliating scrub belt that lifts away dead skin. Color may vary! SKIN TEXTURE IMPROVEMENT: These Riffi body and shoulder massage belt works well on different skin textures. We recommend repeated use for rough/dry skin to soften it. These deep exfoliating belts promote blood circulation to outer skin. Very effective in combating rashes, acne, and issues of such sort. PERFECT SIZE: Riffi exfoliating body and shoulder massage belt comes in a universal size and works well for both men & women. SUPER EASY CLEANUP: Once done using, simply rinse it in clean. No special care needed for this Riffi shower massage belt. VARIETY OF RIFFI SHOWER ACCESSORIES: Along with body and shoulder massage strips, we offer other Riffi bath and shower accessories such as back brush, body and shoulder massage belt, massage brush double sided, and much more."}, {"name": "Amazon Brand - Daily Ritual Women's 100% Cotton Oversized Fit V-Neck Pullover Sweater", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 11 x 13 x 1 inches; 13.83 Ounces", "Item model number\n \u200f": "\u200e\n DR1892220", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n October 25, 2018", "Manufacturer\n \u200f": "\u200e\n Daily Ritual", "ASIN\n \u200f": "\u200e\n B07DKCN8CF", "Best Sellers Rank": "#35,198 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#248 in Women's Pullover Sweaters #1,195 in Women's Shops", "#248 in Women's Pullover Sweaters": "", "#1,195 in Women's Shops": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Daily Ritual Store", "brand_url": "https://www.amazon.com/stores/DailyRitual/page/3E358E87-E334-42FA-BAFF-147AD1825C7D?ref_=ast_bln", "full_description": "An Amazon brand - Made from a thicker 100% cotton knit, this long-sleeve v-neck sweater features a comfortable, relaxed fit Lark & Ro\u2019s collection of women\u2019s dresses, blouses, dress shirts, cardigans, jackets, outerwear, and more marries soft fabrics with classic designs for easily paired pieces that take care of business. Our stylish selection includes office clothes for work, warm coats, and 100% cashmere sweaters as well as casual tops and formal dresses for parties and wedding guests", "pricing": "$20.66$29.20", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41D54yBGD-L.jpg", "https://m.media-amazon.com/images/I/41kS12q27dL.jpg", "https://m.media-amazon.com/images/I/41VDNN1TFEL.jpg", "https://m.media-amazon.com/images/I/319CVF1eGLL.jpg", "https://m.media-amazon.com/images/I/51qWxGRY2HL.jpg", "https://m.media-amazon.com/images/I/41JfFlGwL8L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Sweaters \u203a Pullovers", "average_rating": 3.9, "small_description": ["Imported ", "No Closure closure ", "Machine Wash ", "Made from a thicker 100% cotton knit, this long-sleeve v-neck sweater features a comfortable, relaxed fit ", "Defined ribbing at neckline, cuffs, and hem; slightly cropped length ", "Start every outfit with Daily Ritual's range of elevated basics ", "Model is 5'11\" and wearing a size Small; we recommend sizing down in this style if you prefer a closer to body fit "], "total_reviews": 799, "total_answered_questions": 14, "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "X-Small", "asin": "B07DKGVDZK"}, {"is_selected": false, "is_available": true, "value": "Small", "asin": "B07DKDRQ5V"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07DKCS3YX"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07DK869KV"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07DKGJR74"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07DKDKQ2M"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B07DKGVYRD/ref=twister_B07DKGFJGB", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31QbEtQ4CKL.jpg"}, {"is_selected": true, "url": null, "value": "Burgundy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41D54yBGD-L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07DKFCGTW/ref=twister_B07DKGFJGB", "value": "Charcoal Heather", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41cn5LGMtyL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07DKJCTG1/ref=twister_B07DKGFJGB", "value": "Light Heather Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41egkcVXTgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07DK81HZ6/ref=twister_B07DKGFJGB", "value": "Lilac", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41BumJwQFYL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07DKCDXZJ/ref=twister_B07DKGFJGB", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31Q7esJsHKL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07DLGG4LG/ref=twister_B07DKGFJGB", "value": "Oatmeal Heather", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31K04r2VIyL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07DKH6M3B/ref=twister_B07DKGFJGB", "value": "Olive", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41EefABNmAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07DKDM2FZ/ref=twister_B07DKGFJGB", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31022GR-kSL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B07DKGJR74", "category": "fashion", "query": "Women's Sweaters", "page": 1, "small_description_old": "Made from a thicker 100% cotton knit, this long-sleeve v-neck sweater features a comfortable, relaxed fit Defined ribbing at neckline, cuffs, and hem; slightly cropped length Start every outfit with Daily Ritual's range of elevated basics Model is 5'11\" and wearing a size Small; we recommend sizing down in this style if you prefer a closer to body fit"}, {"name": "XXBR Summer T-shirts for Mens, Soldier Short Sleeve 3D Street Vintage Printed Shirt Slim Fit Muscle Casual Tee Tops", "product_information": {"Item Weight\n \u200f": "\u200e\n 5.64 Ounces", "Item model number\n \u200f": "\u200e\n PDFME-220127", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n January 27, 2022", "Manufacturer\n \u200f": "\u200e\n XXVR", "ASIN\n \u200f": "\u200e\n B09R9ZZR82", "": ""}, "brand": "Brand: XXVR", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=XXVR", "full_description": "Hi! We've waited so long for you\uff0cWelcome to PDFME Store.Sincerity, enthusiasm and professional are our service tenet, you can create your own fashion in our store. I believe you can be satisfied with this experience!Gender: Mens / Teen BoysSeason: Spring / Summer / WinterOccasion: Daily, Sports, Workout, Holiday Vacation, Beach, Office, Casual, Party, Gym, StreetMaterial: Polyester, Cotton, SpandexStyle: Cool, Causal, Fashion, Outdoor LifeStyle, StylishFeatures:\u3010Material\u3011Material: 90% Polyester, 10% Cotton, super comfy, soft and skin friendly.\u3010Fashion Tops\u3011These trendy shirts tee tops are prefect with sports pants, shorts, jeans, sandals, sneakers for a trendy look;\u3010Occasions\u3011Fashion Spring Casual Shirts/Workout Athletic T-Shirt/Slim Fit Sports Zipper Tee Tops, bring you men's athletic performance shirts that deliver more flexibility and a wider range of motions. Suitable for daily wear, Running, cycling,gym,training or yoga,boxing, casual, street. Perfect gifts for your boyfriend, son, husband.\u3010Size\u3011Size: Asian Size; Before ordering, please carefully check the size chart; Please allow 1-2cm differences due to manual measurementSize Chart:Size: M Bust: 100cm/39.37'' Sleeve: 19cm/7.48'' Length: 67cm/26.38''\u00a0Size: L Bust: 104cm/40.94'' Sleeve: 19.5cm/7.68'' Length: 69cm/27.17''\u00a0Size: XL Bust: 108cm/42.52'' Sleeve: 20cm/7.87'' Length: 71cm/27.95''\u00a0Size: XXL Bust: 112cm/44.09'' Sleeve: 20.5cm/8.07'' Length: 73cm/28.74''\u00a0Size: XXXL Bust: 118cm/46.46'' Sleeve: 21cm/8.27'' Length: 75cm/29.53''", "pricing": "$8.98$11.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/51LcvCR84iL.jpg", "https://m.media-amazon.com/images/I/51htmswcEAL.jpg", "https://m.media-amazon.com/images/I/51X+pWk0ezL.jpg", "https://m.media-amazon.com/images/I/51Q-poAZuTL.jpg", "https://m.media-amazon.com/images/I/5193K+1bAEL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Active \u203a Sets \u203a Active Tracksuits", "average_rating": "", "small_description": ["About shipping: Standard Shipping 7-21 Days,within 48 hours Shipping Out. ", "S=US 4-6, M=US 6-8, L=US 8-10, XL=US 10-12, XXL=US 12-14, 3XL=US 14-16. Our size is Asian Size, please try to choose one size larger when ordering. ", "Mens Spring T-shirts Short Sleeve Shirts Polo Button Down Summer Tshirt Tops Promotion Cheap Discount Clearance Hot Sale ", "spring graphic t-shirts/father's day casual shirts/summer zipper tee tops/button down shirt for mens/juniors/male/teens closure ", "\u2714 Today's Big Promotion \u2714 Buy 3 get 15% off, Buy 6 get 35% off Buy 10 get 50% off. ", "short sleeve tee mens,hooded short sleeve shirt,men's casual button down shirts,hawaiian shirts near me,navy blue button up shirt,vintage short sleeve shirts,short sleeve hawaiian shirt,red and white t shirt,athletic fit dress shirts,camo shirts for men,t shirt cotton,green collared shirt,camo short sleeve shirt,4x t shirts,woven shirt,mens waffle shirt,short sleeve work shirt,red and black flannel shirt,waffle thermal shirt,viscose shirt men,vertical striped shirt mens ", "flannel jackets mens,hooded flannels,white shirt with collar,tee s,button up shirts white,button down shirts white,shirts for men short sleeve,fall shirts for men,jeans shirt,check shirt,plain white t shirt,navy blue shirt,printed shirts for men,sports t shirts,short sleeve tops,red t shirt,branded shirts for men,plain black t shirt,button down,collar t shirt,crew neck t shirt,best shirts for men,olive green shirt,blue t shirt,light blue shirt,gym t shirt,sky blue shirt,half sleeve shirt , black graphic tees,mens rugby shirts,dashiki shirt,red shirt for men,merino t shirt,printed t shirts for men,charlie brown shirt,red short sleeve shirt,best flannel shirts,blue shirts,plain black shirt,brown t shirt,camouflage t shirt,mens oversized t shirt,slim fit shirts,cool shirts for men,striped short sleeve shirt,french cuff,mens shirts sale,white short sleeve,navy blue t shirt,merino wool t shirt,chinese collar shirts,vertical striped shirt,men's v neck t shirts,green shirt men, t shirts cotton short sleeve shirts white plain shirt tri blend t shirt mens longline t shirt striped short sleeve black and white graphic tee cool shirts plain tee shirts royal blue graphic tee no sleeve shirt muscle fit shirt t shirts mens type of shirt grey graphic tee green t shirt mens long tees vintage tees men grey shirt mens nirvana in utero shirt for men orange shirt mens style t shirt golf tee shirts black and red graphic tee white designer t shirt fish shirt 5x t shirts, button up t shirt black graphic t shirt 3xlt t shirts king shirt white designer shirt 6xl shirts black and white shirt graphic tees near me red white and blue shirts 6xl t shirts short sleeve hoodie black and yellow graphic tee black and white striped shirt mens orange t shirt mens crew shirts large tall t shirts 1776 t shirt mens mesh shirt green t shirts best graphic tees for men hooded t shirt mens mens green shirt white graphic t shirt navy blue short sleeve shirt men's"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09R9ZZR82/ref=twister_B09R9YHW82", "value": "152- Coffee", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51erecxWRmL.jpg"}, {"is_selected": true, "url": null, "value": "152- Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51LcvCR84iL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R9YFJFG/ref=twister_B09R9YHW82", "value": "153- Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41MZ3IvZ1QL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R9XGDJL/ref=twister_B09R9YHW82", "value": "153- Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41azQW7uVKL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R9Z87M6/ref=twister_B09R9YHW82", "value": "154- Coffee", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41gz2fRl3TL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RB1BST1/ref=twister_B09R9YHW82", "value": "154- Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41UtFciDe4L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RB4LXX1/ref=twister_B09R9YHW82", "value": "155- Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41cMmZzD4hL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R9ZV87K/ref=twister_B09R9YHW82", "value": "155- Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/414Ux1yMcuL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R9YMG7L/ref=twister_B09R9YHW82", "value": "156- Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41df6uHSPJL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R9YQXRR/ref=twister_B09R9YHW82", "value": "156- Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41cUsdQtouL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R9YPWNQ/ref=twister_B09R9YHW82", "value": "157- Green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41oSTyqSnyL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R9ZZ2QC/ref=twister_B09R9YHW82", "value": "157- Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41wmeJEMOGL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09RB18SR7/ref=twister_B09R9YHW82", "value": "158- Purple", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41jAC4hGpxL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09R9YJN4R/ref=twister_B09R9YHW82", "value": "159- Yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/418X1qDLV9L.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09R9ZF84H"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09R9YXTG5"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09R9YCM6R"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09R9XTHR7"}, {"is_selected": false, "is_available": true, "value": "3X-Large", "asin": "B09R9XKKHN"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09R9YCM6R", "category": "fashion", "query": "Men's Henleys", "page": 121, "small_description_old": "About shipping: Standard Shipping 7-21 Days,within 48 hours Shipping Out. S=US 4-6, M=US 6-8, L=US 8-10, XL=US 10-12, XXL=US 12-14, 3XL=US 14-16. Our size is Asian Size, please try to choose one size larger when ordering. Mens Spring T-shirts Short Sleeve Shirts Polo Button Down Summer Tshirt Tops Promotion Cheap Discount Clearance Hot Sale spring graphic t-shirts/father's day casual shirts/summer zipper tee tops/button down shirt for mens/juniors/male/teens closure \u2714 Today's Big Promotion \u2714 Buy 3 get 15% off, Buy 6 get 35% off Buy 10 get 50% off. short sleeve tee mens,hooded short sleeve shirt,men's casual button down shirts,hawaiian shirts near me,navy blue button up shirt,vintage short sleeve shirts,short sleeve hawaiian shirt,red and white t shirt,athletic fit dress shirts,camo shirts for men,t shirt cotton,green collared shirt,camo short sleeve shirt,4x t shirts,woven shirt,mens waffle shirt,short sleeve work shirt,red and black flannel shirt,waffle thermal shirt,viscose shirt men,vertical striped shirt mens flannel jackets mens,hooded flannels,white shirt with collar,tee s,button up shirts white,button down shirts white,shirts for men short sleeve,fall shirts for men,jeans shirt,check shirt,plain white t shirt,navy blue shirt,printed shirts for men,sports t shirts,short sleeve tops,red t shirt,branded shirts for men,plain black t shirt,button down,collar t shirt,crew neck t shirt,best shirts for men,olive green shirt,blue t shirt,light blue shirt,gym t shirt,sky blue shirt,half sleeve shirt \n black graphic tees,mens rugby shirts,dashiki shirt,red shirt for men,merino t shirt,printed t shirts for men,charlie brown shirt,red short sleeve shirt,best flannel shirts,blue shirts,plain black shirt,brown t shirt,camouflage t shirt,mens oversized t shirt,slim fit shirts,cool shirts for men,striped short sleeve shirt,french cuff,mens shirts sale,white short sleeve,navy blue t shirt,merino wool t shirt,chinese collar shirts,vertical striped shirt,men's v neck t shirts,green shirt ment shirts cotton short sleeve shirts white plain shirt tri blend t shirt mens longline t shirt striped short sleeve black and white graphic tee cool shirts plain tee shirts royal blue graphic tee no sleeve shirt muscle fit shirt t shirts mens type of shirt grey graphic tee green t shirt mens long tees vintage tees men grey shirt mens nirvana in utero shirt for men orange shirt mens style t shirt golf tee shirts black and red graphic tee white designer t shirt fish shirt 5x t shirtsbutton up t shirt black graphic t shirt 3xlt t shirts king shirt white designer shirt 6xl shirts black and white shirt graphic tees near me red white and blue shirts 6xl t shirts short sleeve hoodie black and yellow graphic tee black and white striped shirt mens orange t shirt mens crew shirts large tall t shirts 1776 t shirt mens mesh shirt green t shirts best graphic tees for men hooded t shirt mens mens green shirt white graphic t shirt navy blue short sleeve shirt men'sShow more"}, {"name": "Trupedic x Mozaic -\u00a010 inch Queen Size Standard Futon Mattress (Frame Not Included) | Basic Midnight Black | Great for Kid's Rooms or Guest Areas - Many Color Options", "product_information": {"Item Weight": "\u200e69 pounds", "Product Dimensions": "\u200e80 x 60 x 10 inches", "Country of Origin": "\u200eUSA", "Item model number": "\u200eAMZ940001SF1", "ASIN": "B09B7ZKMVY", "Customer Reviews": {"ratings_count": null, "stars": "5.0 out of 5 stars"}, "Best Sellers Rank": ["#3,124,162 in Home & Kitchen (See Top 100 in Home & Kitchen) #655 in Futon Mattresses"], "Date First Available": "July 26, 2021"}, "brand": "Brand: Mozaic Company", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Mozaic+Company", "full_description": "Unlike other futon mattresses, Trupedic offers a wide variety of colors that is fit for any room! Our durable polyester fabric comes in colors that will work for a child's room, guest area, craft room, and so much more! Trupedic's futon mattresses are next level comfort. Our fill material includes CertiPUR-US certified foam wrapped in cotton, which is naturally breathable to reduce heat absorption. The Trupedic futon mattress will fit most futon frames on the market. Pair your favorite color with your favorite futon frame, and you are set for a great nights sleep! Life happens, and you may need to clean up a mess here and there. No fear! Our durable polyester fabric is easy to clean. Just spot clean with cold water and mild detergent. The cover is not removable. [WARRANTY] - All Trupedic items come with a limited 90 day manufacturer's warranty. Hurry, don\u2019t wait! Get the Trupedic experience NOW!\"", "pricing": "$272.10", "list_price": "", "availability_status": "Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/31Ha-dh1S6L.jpg", "https://m.media-amazon.com/images/I/41zfSkbH9qL.jpg", "https://m.media-amazon.com/images/I/31+ezBePRML.jpg", "https://m.media-amazon.com/images/I/21GsBjhxonL.jpg", "https://m.media-amazon.com/images/I/31EwCqUE69L.jpg", "https://m.media-amazon.com/images/I/210HI+FT9pL.jpg", "https://m.media-amazon.com/images/I/41x3CNZJfKL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Living Room Furniture \u203a Futons \u203a Futon Mattresses", "average_rating": 5, "small_description": ["[UNIVERSAL USE] - Unlike other futon mattresses, Trupedic offers a wide variety of colors that is fit for any room! Our durable polyester fabric comes in colors that will work for a child's room, guest area, craft room, and so much more! ", "[UNMATCHED COMFORT LEVEL] - Trupedic's futon mattresses are next level comfort. Our fill material includes CertiPUR-US certified foam wrapped in cotton, which is naturally breathable to reduce heat absorption. ", "[FITS MOST FRAMES] - The Trupedic futon mattress will fit most futon frames on the market. Pair your favorite color with your favorite futon frame, and you are set for a great nights sleep! ", "[HOW TO TAKE CARE OF YOUR FUTON MATTRESS] - Life happens, and you may need to clean up a mess here and there. No fear! Our durable polyester fabric is easy to clean. Just spot clean with cold water and mild detergent. The cover is not removable. [WARRANTY] - All Trupedic items come with a limited 90 day manufacturer's warranty. Hurry, don\u2019t wait! Get the Trupedic experience NOW!\" ", "[WHAT IS INCLUDED] - One (1) Queen Size Standard Futon Mattress measuring 80 in x 60 in x 10 in. Frame is NOT included with purchase. "], "total_reviews": 1, "total_answered_questions": "", "model": "\u200eAMZ940001SF1", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09B827ZR5/ref=twister_B09L21VWYP", "value": "Basil Suede", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41ymR4DU2ML.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08K99LJPC/ref=twister_B09L21VWYP", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31tsaZre+CL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09B7XFJ9C/ref=twister_B09L21VWYP?_encoding=UTF8&psc=1", "value": "Icey Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31tsaZre+CL.jpg"}, {"is_selected": true, "url": null, "value": "Midnight Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/01D7VVeME8L.jpg"}], "Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09B827ZR5/ref=twister_B09L21VWYP", "value": "Full", "price_string": "", "price": 0, "image": null}, {"is_selected": true, "url": null, "value": "Queen", "price_string": "", "price": 0, "image": null}], "Style": [{"is_selected": true, "url": null, "value": "Contemporary", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08K99LJPC/ref=twister_B09L21VWYP", "value": "Casual", "price_string": "", "price": 0, "image": null}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09B7ZKMVY", "category": "garden", "query": "Mattresses", "page": 29, "small_description_old": "About this item [UNIVERSAL USE] - Unlike other futon mattresses, Trupedic offers a wide variety of colors that is fit for any room! Our durable polyester fabric comes in colors that will work for a child's room, guest area, craft room, and so much more! [UNMATCHED COMFORT LEVEL] - Trupedic's futon mattresses are next level comfort. Our fill material includes CertiPUR-US certified foam wrapped in cotton, which is naturally breathable to reduce heat absorption. [FITS MOST FRAMES] - The Trupedic futon mattress will fit most futon frames on the market. Pair your favorite color with your favorite futon frame, and you are set for a great nights sleep! [HOW TO TAKE CARE OF YOUR FUTON MATTRESS] - Life happens, and you may need to clean up a mess here and there. No fear! Our durable polyester fabric is easy to clean. Just spot clean with cold water and mild detergent. The cover is not removable. [WARRANTY] - All Trupedic items come with a limited 90 day manufacturer's warranty. Hurry, don\u2019t wait! Get the Trupedic experience NOW!\" [WHAT IS INCLUDED] - One (1) Queen Size Standard Futon Mattress measuring 80 in x 60 in x 10 in. Frame is NOT included with purchase. \n \u203a See more product details"}, {"name": "Michael Kors Mix Media Full Zip", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 15.24 x 12.52 x 2.83 inches; 1.43 Pounds", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n February 22, 2021", "ASIN\n \u200f": "\u200e\n B08X4GMMZV", "Best Sellers Rank": "#2,096,630 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#41,695 in Men's Shirts", "#41,695 in Men's Shirts": ""}, "brand": "Visit the Michael Kors Store", "brand_url": "https://www.amazon.com/stores/MichaelKors/page/A9D4BA20-3814-439B-982C-F41837F1C8DF?ref_=ast_bln", "full_description": "", "pricing": "$68.23", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31pJqi3rV5S.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "", "average_rating": "", "small_description": ["Heather ", "Made in USA or Imported ", "Zipper closure "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Large", "asin": "B08X4GMMZV"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B08X4GPXSR"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B08X4F97ZR"}], "Color": [{"is_selected": true, "url": null, "value": "Opal Heather", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31pJqi3rV5S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08X4F7YDF/ref=twister_B08X78W365", "value": "Tide Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31Vyzs5NxLS.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08X4GMMZV", "category": "fashion", "query": "Men's Dress Shirts", "page": 75, "small_description_old": "Heather Made in USA or Imported Zipper closure"}, {"name": "G710EM Glass Battery Back Cover Compatible with LG G7 ThinQ G710EM G710PM G710VMP G710ULM G710EMW G710EAW G710AWM G710N (Raspberry Rose)", "product_information": {"Product Dimensions": "7.48 x 3.15 x 0.59 inches", "Item Weight": "3.2 ounces", "ASIN": "B07S7D6RQC", "Item model number": "L569", "Customer Reviews": {"ratings_count": 16, "stars": "4.8 out of 5 stars"}, "Best Sellers Rank": ["#181,140 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #764 in Replacement Cell Phone Backs"], "Other display features": "Wireless", "Colour": "Raspberry Rose", "Manufacturer": "sunrise glow", "Date First Available": "May 24, 2019"}, "brand": "Visit the Sunrise glow Store", "brand_url": "https://www.amazon.com/stores/SUNRISE+GLOW/page/E0B471E5-B533-4AC6-B5DC-089FCE103F61?ref_=ast_bln", "full_description": "", "pricing": "$14.99", "list_price": "", "availability_quantity": 14, "availability_status": "Only 14 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41rFoiR7IKL.jpg", "https://m.media-amazon.com/images/I/41X2-xdXzUL.jpg", "https://m.media-amazon.com/images/I/31RRNib+ymL.jpg", "https://m.media-amazon.com/images/I/31abaX8DQ1L.jpg", "https://m.media-amazon.com/images/I/31RvMN6RGfL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Accessories \u203a Maintenance, Upkeep & Repairs \u203a Replacement Parts \u203a Back Covers", "average_rating": 4.8, "small_description": ["\u3010pay attention Please \u3011This is a glass battery back cover replacement part for LG G7 ThinQ does not include the battery. ", "\u3010 About the product \u3011This is a glass battery back cover replacement part for LG G7 ThinQ. It can be used to replace your damaged glass battery back cover ,Please check if the model is correct before purchase. ", "\u3010 About use\u3011The package contains tools. Please watch the operation video on YouTube before using it. If you have any questions, please contact us in time, we will reply you within 24 hours. ", "\u3010 About after-sales\u3011 If there are any non-human factors quality problems, the warranty period is 180 days. Please contact us in time, we will reply you within 24 hours. ", "\u3010 Disclaimer \u3011We are not responsible for the damage caused during the installation process. If you have any questions, please contact us in time, we will reply you within 24 hours. "], "total_reviews": 16, "total_answered_questions": "", "model": "L569", "customization_options": "", "seller_id": "A1XH8XQCCV83JG", "seller_name": "Niubeer", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07S7D6RQC", "category": "electronics", "query": "Video Glasses", "page": 118, "small_description_old": "About this item \u3010pay attention Please \u3011This is a glass battery back cover replacement part for LG G7 ThinQ does not include the battery. \u3010 About the product \u3011This is a glass battery back cover replacement part for LG G7 ThinQ. It can be used to replace your damaged glass battery back cover ,Please check if the model is correct before purchase. \u3010 About use\u3011The package contains tools. Please watch the operation video on YouTube before using it. If you have any questions, please contact us in time, we will reply you within 24 hours. \u3010 About after-sales\u3011 If there are any non-human factors quality problems, the warranty period is 180 days. Please contact us in time, we will reply you within 24 hours. \u3010 Disclaimer \u3011We are not responsible for the damage caused during the installation process. If you have any questions, please contact us in time, we will reply you within 24 hours."}, {"name": "YADSHENG Bed Frame Contemporary Veritcal Slat Accent Metal Home Bedroom Bed Frame Full Size Black Finish Beds (Color : Black, Size : One Size)", "product_information": {"Item Weight": "\u200e110.2 pounds", "Package Dimensions": "\u200e33.07 x 24.41 x 21.26 inches", "ASIN": "B083ZPYNHH", "Date First Available": "January 18, 2020"}, "brand": "Brand: YADSHENG", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=YADSHENG", "full_description": "Vintage design of headboard make a cozy and sweet sleeping environment in bedroom, guest room, dorm or hotel.In a beautiful transitional style, this black metal full size bedframe will set the tone in a master bedroom or guestroom. The elegant open arch accents along the headboard and footboard gives a contemporary upgrade to this classic design bringing an instant makeover to any bedroom. Constructed from sturdy metal tube with strong metal slats along the base for firm mattress support and no box spring required. Easy to assemble, you'll be ready for a restful sleep in your new bed in no time! Mattress is not included.Specifications- Materials: Metal- Weight Capacity: 400lbs", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41tWZPr61oL.jpg", "https://m.media-amazon.com/images/I/41yIKpqP8GL.jpg", "https://m.media-amazon.com/images/I/51NSdBOo7PL.jpg", "https://m.media-amazon.com/images/I/51R0kmytzXL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Bedroom Furniture \u203a Beds, Frames & Bases \u203a Bed Frames", "average_rating": "", "small_description": ["Headboard and Footboard Design:The bed frame is designed with a headboard & footboard to meet your sufficient needs, bringing a warm and elegant feel to your sweet home. ", "- Bed frame is constructed from sturdy metal tube in a matte black finish. ", "- Fits standard full/double size mattress (not included). ", "- Strong metal slats along the entire base for a mattress, no box spring required. ", "- Suitable for any d\u00e9cor in a bedroom or guest room. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": null, "Color": null}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B083ZPYNHH", "category": "garden", "query": "Bedframes", "page": 355, "small_description_old": "About this item Headboard and Footboard Design:The bed frame is designed with a headboard & footboard to meet your sufficient needs, bringing a warm and elegant feel to your sweet home. - Bed frame is constructed from sturdy metal tube in a matte black finish. - Fits standard full/double size mattress (not included). - Strong metal slats along the entire base for a mattress, no box spring required. - Suitable for any d\u00e9cor in a bedroom or guest room. \n \u203a See more product details"}, {"name": "Robert Piguet Fracas Extrait De Parfum Spray for Women", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 3.39 x 2.56 x 2.52 inches; 3 Ounces", "UPC\n \u200f": "\u200e\n 838184002448", "ASIN\n \u200f": "\u200e\n B08QDRGTDY", "Country of Origin\n \u200f": "\u200e\n France", "Best Sellers Rank": "#417,079 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#6,178 in Women's Eau de Parfum", "#6,178 in Women's Eau de Parfum": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$150.00", "list_price": "", "availability_quantity": 10, "availability_status": "Only 10 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31v5heVn+xL.jpg", "https://m.media-amazon.com/images/I/510qIrRVc0L.jpg", "https://m.media-amazon.com/images/I/51EWZhKLYAL.jpg", "https://m.media-amazon.com/images/I/A1mMxRcKmjL.png", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Fragrance \u203a Women's \u203a Eau de Parfum", "average_rating": 4, "small_description": [""], "total_reviews": 8, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "0.25 Fl Oz", "price_string": "$150.00", "price": 150, "image": "https://m.media-amazon.com/images/I/31v5heVn+xL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B075V9R1RY/ref=twister_B08W2BR179?_encoding=UTF8&psc=1", "value": "1.7 Fl Oz", "price_string": "$400.00", "price": 400, "image": "https://m.media-amazon.com/images/I/31HPci6ww8L.jpg"}]}, "seller_id": "A2S5ZN23G9MYPP", "seller_name": "Robert Piguet Parfums", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B08QDRGTDY", "category": "beauty", "query": "Sets Fragrance", "page": 161, "small_description_old": ""}, {"name": "MTFY Cute Faux Fur Desk Chair for Girls Women, Comfy Fluffy Modern Home Office Chair with Wheels, Elegant Swivel Fuzzy Vanity Chair Makeup Arm Chair for Living Room, Bedroom", "product_information": {"Product Dimensions": "23 x 23 x 32 inches", "Manufacturer": "MTFY", "ASIN": "B08P8LRFZ4", "Customer Reviews": {"ratings_count": 11, "stars": "4.9 out of 5 stars"}, "Best Sellers Rank": ["#711,689 in Home & Kitchen (See Top 100 in Home & Kitchen) #1,519 in Home Office Desk Chairs"], "Date First Available": "November 28, 2020"}, "brand": "Brand: MTFY", "brand_url": "https://www.amazon.com/MTFY/b/ref=bl_dp_s_web_19835606011?ie=UTF8&node=19835606011&field-lbr_brands_browse-bin=MTFY", "full_description": "", "pricing": "$95.99", "list_price": "", "availability_status": "In stock. Usually ships within 4 to 5 days.", "images": ["https://m.media-amazon.com/images/I/51N6n2g7nNL.jpg", "https://m.media-amazon.com/images/I/41kyKIYnaUL.jpg", "https://m.media-amazon.com/images/I/51WweZsJ8GL.jpg", "https://m.media-amazon.com/images/I/513hsPvL1aL.jpg", "https://m.media-amazon.com/images/I/51tMaNnE1hL.jpg", "https://m.media-amazon.com/images/I/51gy1QWLgbL.jpg", "https://m.media-amazon.com/images/I/517HEHz7TqL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Home Office Chairs \u203a Home Office Desk Chairs", "average_rating": 4.9, "small_description": ["\u3010MODERN & ERGONOMIC DESK CHAIR\u3011- This desk chair perfectly blends modern and stylish elements which makes the desk chair complement a variety of home decoration styles like living room, office, or bedroom decor. With upholstered seat and ergonomi backrest/armrest, our ergonomic desk chair can perfectly fit the curve of human body and relieve back fatigue. ", "\u3010COMFORTABLE FAUX FUR CHAIR\u3011- Covered with soft and comfortable faux fur and filled with high density cotton, this modern office desk chair provides a soft touch and comfortable sitting. The wide base ensures extraordinary stability, which makes the computer chair strong enough to support up to 250 pounds. ", "\u3010HEIGHT ADJUSTABLE & 360 SWIVEL\u3011- The home office chair adopt high-quality gas cylinder to adjust the seat height to help you find the most comfortable position base on various needs. And the tilt mechanism allows you to lean back for extra comfort. The swivel desk chair has 5 mute universal wheels which is very convenient for movement. Smooth c ", "\u3010WIDELY USE DESK CHAIR\u3011- The modern desk chair with the furry cover and metal base adapts ideally to any office and home furniture and can be used in a variety of ways. It could be a computer chair, desk chair, office chair, leisure chair, armrest chair whatever you want to be. It also can a ", "\u3010EASY TO ASSEMBLE DESK CHAIR\u3011- The home office desk chair is easy to install, just spend 10 minutes to finish them. US Warehouse stock for quick delivery. We will provide you with professional customer service both before and after your purchase. Please contact us freely if you have any problem on this product. "], "total_reviews": 11, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09QL1B4SR/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 1-yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Ab67QVfrL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QL18564/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 2-brown Pu", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/511l-5o7DfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QL25LG9/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 2-grey Fabric", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51yjUNdBQAL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QKZDW4M/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 2-grey Pu", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41UlM6jTJvL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QKYZ498/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 2-yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51R6QZ3VlWL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09SD5WQ2Y/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 3-camel", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41GWNSR3vpL.jpg"}, {"is_selected": true, "url": null, "value": "Type 3-pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51N6n2g7nNL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QKYXRT8/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 3-white", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51r6BpWrkEL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QKZ6JXW/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 3-white3", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/412+NoaUpVL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QKZY2QP/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 3-white4", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/516VFKuYhbL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09SCQRYLW/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 3-white5", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/519mbIJnC6L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QKZWSXX/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 4-yellow", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51dAFb7sGYS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QL1ZDYH/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 6-grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51ei6ArWyzL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QL22C1Z/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 6-navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51mfGy+654L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09SCKLKTC/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 7-black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31eMUYF3zfL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09SDBGM55/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 7-fushia", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41Qpom-nfnS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09SCXWX98/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 7-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31wFcGuzUkL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09SDBJKDW/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 7-grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31HXtZxmroL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09SD7HNHD/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 7-ivory", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/319eo6S2FuL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09SCTW5LC/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 7-mustard", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31DUC+uTNBL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09SCXV8LL/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 7-navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31Bb-HJTOYL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09SDG5D1M/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type 7-pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31igDT1sydL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08GG7TCW9/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type21-bean Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51Cn8QdykpL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08GG722WB/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type21-grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51-ZROXqoGL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08M423L1N/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type22-beige", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/4184xyydHxL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08M3XBBB1/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type22-navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51u+QQY+QaL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08M3ZP8CR/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type22-pink", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/519MC2t6-2L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08TWPKTF3/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type24-green", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51rk8mKGVcL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08TWQFGVG/ref=twister_B08GG7TZ1G?_encoding=UTF8&psc=1", "value": "Type24-orange", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51LGd3tvN8L.jpg"}]}, "seller_id": "A1NA5ATA1CGHVJ", "seller_name": "huaxinstore", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08P8LRFZ4", "category": "garden", "query": "Home Office Chairs", "page": 97, "small_description_old": "About this item\n \n\u3010MODERN & ERGONOMIC DESK CHAIR\u3011- This desk chair perfectly blends modern and stylish elements which makes the desk chair complement a variety of home decoration styles like living room, office, or bedroom decor. With upholstered seat and ergonomi backrest/armrest, our ergonomic desk chair can perfectly fit the curve of human body and relieve back fatigue. \u3010COMFORTABLE FAUX FUR CHAIR\u3011- Covered with soft and comfortable faux fur and filled with high density cotton, this modern office desk chair provides a soft touch and comfortable sitting. The wide base ensures extraordinary stability, which makes the computer chair strong enough to support up to 250 pounds. \u3010HEIGHT ADJUSTABLE & 360 SWIVEL\u3011- The home office chair adopt high-quality gas cylinder to adjust the seat height to help you find the most comfortable position base on various needs. And the tilt mechanism allows you to lean back for extra comfort. The swivel desk chair has 5 mute universal wheels which is very convenient for movement. Smooth c \u3010WIDELY USE DESK CHAIR\u3011- The modern desk chair with the furry cover and metal base adapts ideally to any office and home furniture and can be used in a variety of ways. It could be a computer chair, desk chair, office chair, leisure chair, armrest chair whatever you want to be. It also can a \u3010EASY TO ASSEMBLE DESK CHAIR\u3011- The home office desk chair is easy to install, just spend 10 minutes to finish them. US Warehouse stock for quick delivery. We will provide you with professional customer service both before and after your purchase. Please contact us freely if you have any problem on this product."}, {"name": "100 Pieces -50 Peanut Butter Packets WITH 25 each Strawberry and Grape Jelly Individual Servings", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Package Dimensions\n \u200f": "\u200e\n 9.33 x 9.33 x 6.57 inches; 4.54 Pounds", "UPC\n \u200f": "\u200e\n 601202916368", "Manufacturer\n \u200f": "\u200e\n Smuckers JAK", "ASIN\n \u200f": "\u200e\n B07BHQ6ZFT", "Best Sellers Rank": "#34,887 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#150 in Peanut Butter #651 in Jams, Jellies & Sweet Spreads", "#150 in Peanut Butter": "", "#651 in Jams, Jellies & Sweet Spreads": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: JA Kitchens", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=JA+Kitchens", "full_description": "100 packets of individual serving size condiments included in this package. Each box contains 50 servings of peanut butter, 25 packets of Strawberry Jelly, and 25 Packets of Grape Concord Jelly. Make a sandwich easily and quickly. Take these camping with you as they are shelf stable! Simply pack bread and the included scraper, and lunch is ready for the day! This specially packed box includes a small, white scraper that is designed specifically for removing the condiments from their packets and spreading it on your bread.", "pricing": "$36.97", "list_price": "", "availability_quantity": 15, "availability_status": "Only 15 left in stock - order soon. Only 15 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51q0whtKABL.jpg", "https://m.media-amazon.com/images/I/61qdboborJL.jpg", "https://m.media-amazon.com/images/I/51vT-EiNeqL.jpg", "https://m.media-amazon.com/images/I/310juSJbnTL.jpg", "https://m.media-amazon.com/images/I/51dpZ7cC31L.jpg", "https://m.media-amazon.com/images/I/51lxNBWh7yL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Pantry Staples \u203a Nut & Seed Butters \u203a Peanut Butter", "average_rating": 4.5, "small_description": ["Included is the perfect size scraper/spreader to spread your jams and jellies! ", "Condiments are packed in a sturdy box to prevent damage during shipping. ", "Single servings of Peanut Butter and Jelly allow for easy sandwiches on the go. ", "Ideal for school lunches, travel, or to keep at work for a quick sandwich. ", "Individual servings of assorted packs allow for variety with the classic PB&J. "], "total_reviews": 225, "total_answered_questions": 6, "customization_options": "", "seller_id": "A14BRFEUEV81YJ", "seller_name": "Kneaded Kitchens", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B07BHQ6ZFT", "category": "grocery", "query": "Pantry Staples", "page": 40, "small_description_old": "About this item Included is the perfect size scraper/spreader to spread your jams and jellies! Condiments are packed in a sturdy box to prevent damage during shipping. Single servings of Peanut Butter and Jelly allow for easy sandwiches on the go. Ideal for school lunches, travel, or to keep at work for a quick sandwich. Individual servings of assorted packs allow for variety with the classic PB&J."}, {"name": "Axe Excite Deodorant Anti-perspirant Body Spray 5 Oz/150 Ml &.", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 1.97 x 1.97 x 5.63 inches; 4.73 Ounces", "Item model number\n \u200f": "\u200e\n CGAXE184", "Manufacturer\n \u200f": "\u200e\n Axe Dry", "ASIN\n \u200f": "\u200e\n B004Q5CYH2", "Best Sellers Rank": "#476,710 in Health & Household (See Top 100 in Health & Household)#4,001 in Deodorant", "#4,001 in Deodorant": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the AXE Store", "brand_url": "https://www.amazon.com/stores/Axe/page/754088FC-DF60-4B39-80C1-2B01D5EB486A?ref_=ast_bln", "full_description": "Axe Excite Deodorant Body Spray. 5 oz.", "pricing": "$8.98", "list_price": "", "availability_status": "In stock. Usually ships within 2 to 3 days.", "images": ["https://m.media-amazon.com/images/I/41XTshtYdzL.jpg", "https://m.media-amazon.com/images/I/41XTshtYdzL.jpg", "https://m.media-amazon.com/images/I/41XTshtYdzL.jpg", "https://m.media-amazon.com/images/I/41cgaFvqL8L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Deodorants & Antiperspirants \u203a Deodorant", "average_rating": 4.4, "small_description": ["Fresh Smooth Antiperspirant Spray. ", "Stay Dry For 48 Hours. ", "Complete Deodorant Protection. "], "total_reviews": 52, "total_answered_questions": "", "customization_options": "", "seller_id": "A1CCMYZ90QAIFA", "seller_name": "G.S. Sales15", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B004Q5CYH2", "category": "beauty", "query": "Deodorants & Antiperspirants", "page": 46, "small_description_old": "About this item Axe Excite Deodorant Body Spray 5 oz. Fresh Smooth Antiperspirant Spray. Stay Dry For 48 Hours. Complete Deodorant Protection."}, {"name": "FAMILIFE Manicure Pedicure Kit Professional Nail Clippers Set Men and Women 12 Pieces and Nail Clippers Set 11 in 1 Stainless Steel Pedicure Tools", "product_information": {"ASIN\n \u200f": "\u200e\n B09JNRTFGQ", "Best Sellers Rank": "#785,997 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#1,824 in Manicure & Pedicure Kits", "#1,824 in Manicure & Pedicure Kits": ""}, "brand": "Visit the FAMILIFE Store", "brand_url": "https://www.amazon.com/stores/FAMILIFE/page/1125791C-77A1-4034-B53F-CB8BF04ADAD2?ref_=ast_bln", "full_description": "FAMILIFE Brown Men and Women Manicure SetFAMILIFE introduces a professional manicure set for Men and Women. Complete with 12 stainless steel manicure instruments, the manicure kit features immaculate sharpness and long-lasting durability. Brown PU leather case makes it an elegant accessory for your nail care regimen and a luxury gift for woman and men on Thanksgiving Day, Birthday, or Christmas", "pricing": "$42.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41fSG5OiXWL.jpg", "https://m.media-amazon.com/images/I/51Cfm3PuwZL.jpg", "https://m.media-amazon.com/images/I/51eOXzdeljL.jpg", "https://m.media-amazon.com/images/I/41CeZwiII2L.jpg", "https://m.media-amazon.com/images/I/51GG+YBUwAL.jpg", "https://m.media-amazon.com/images/I/51wqS+bCnzL.jpg", "https://m.media-amazon.com/images/I/41vqAZCyvDL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Foot, Hand & Nail Care \u203a Tools & Accessories \u203a Sets & Kits", "average_rating": "", "small_description": ["11 pcs Manicure tools: FAMILIFE stainless steel manicure tools kit concludes 11 tools, 1x Fingernail Clipper, 1x Toenail Clipper, 1x Cuticle Nipper, 1x Obtuse Push Broach, 1X Nail File, 1x Eyebrow Tweezers, 1x V-Shape Push Stick, 1x Ingrown Toenail Clipper, 1xBeauty Scissors, 1xCuticle Knife, 1xEar Pick, equipped with care tools for hands, feet, and face ", "12 in 1 Manicure Pedicure Kit : Our stainless steel manicure tools are made of high-quality steel, which is strong and durable, and it will not fade, extremely hard, and sharp. The clippers are very comfortable in your hands and do not struggle on thick nails. A set of hand tools, pedicure tools and facial cleaning tools. ", "Mani Pedi Kit with Luxury Fashion Case: Our Stainless Steel Manicure Kit with a brown gorgeous leather case makes it a fashionable and popular gift for your relatives, friends, parents, and the husband; Lightweight in design makes it be your perfect travel partner or travel size toiletries, offering exceptional foot, hand, and facial grooming tools. ", "High Quality Manicure Kits : Our manicure and pedicure tools are made of professional Stainless Steel, which is hygiene, strong, durable, and minimize the risk of infections, perfect for all types of nails and trims. Easy to Ca ", "Best gifts for nail accessories : 12-piece grooming kit with exquisite gift box. It is the best gift for men and women, family and friends, such as Valentine's Day gifts and birthday gifts. Include instructions: Our nail clippers kit comes with instructions and logos for each tool, allowing you to more easily identify the purpose of the tool and more convenient for you "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2RELGW0SDTJXD", "seller_name": "Yangbo Trading", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09JNRTFGQ", "category": "beauty", "query": "Foot, Hand & Nail Care", "page": 154, "small_description_old": "11 pcs Manicure tools: FAMILIFE stainless steel manicure tools kit concludes 11 tools, 1x Fingernail Clipper, 1x Toenail Clipper, 1x Cuticle Nipper, 1x Obtuse Push Broach, 1X Nail File, 1x Eyebrow Tweezers, 1x V-Shape Push Stick, 1x Ingrown Toenail Clipper, 1xBeauty Scissors, 1xCuticle Knife, 1xEar Pick, equipped with care tools for hands, feet, and face 12 in 1 Manicure Pedicure Kit : Our stainless steel manicure tools are made of high-quality steel, which is strong and durable, and it will not fade, extremely hard, and sharp. The clippers are very comfortable in your hands and do not struggle on thick nails. A set of hand tools, pedicure tools and facial cleaning tools. Mani Pedi Kit with Luxury Fashion Case: Our Stainless Steel Manicure Kit with a brown gorgeous leather case makes it a fashionable and popular gift for your relatives, friends, parents, and the husband; Lightweight in design makes it be your perfect travel partner or travel size toiletries, offering exceptional foot, hand, and facial grooming tools. High Quality Manicure Kits : Our manicure and pedicure tools are made of professional Stainless Steel, which is hygiene, strong, durable, and minimize the risk of infections, perfect for all types of nails and trims. Easy to Ca Best gifts for nail accessories : 12-piece grooming kit with exquisite gift box. It is the best gift for men and women, family and friends, such as Valentine's Day gifts and birthday gifts. Include instructions: Our nail clippers kit comes with instructions and logos for each tool, allowing you to more easily identify the purpose of the tool and more convenient for you"}, {"name": "Hoomall Kids U-Shaped Toothbrush, Manual Toothbrush with U-Shaped Bristles Food Grade Silicone Toothbrush Head, 360\u00b0 Oral Teeth Cleaning Design for Toddlers and Children(Blue-Dinosaur\uff0c9545mm)", "product_information": {"Package Dimensions": "5.91 x 2.95 x 1.18 inches", "ASIN": "B09JT22PGY", "Best Sellers Rank": ["#789,631 in Health & Household (See Top 100 in Health & Household) #3,947 in Manual Toothbrushes"], "Item Weight": "1.13 ounces", "Manufacturer": "Hoomall", "Country of Origin": "China", "Date First Available": "October 19, 2021"}, "brand": "Visit the Hoomall Store", "brand_url": "https://www.amazon.com/stores/Hoomall/page/F53928D7-CA61-42BA-B9E6-355335B57EE6?ref_=ast_bln", "full_description": "\ud83c\udf40Product informationColor: pink , blue, white Material: Silicone Suitable for children: 2-8 years old\ud83c\udf40Notes:1. Due to manual measurement, please allow a difference of 1-3mm, thank you for your understanding!2. Please note that due to the difference of different monitors, the picture may not reflect the actual color of the product.\ud83c\udf40Set includes: 1x children's toothbrush\"\"", "pricing": "$10.95", "list_price": "", "availability_quantity": 3, "availability_status": "Only 3 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31UcTKpsAZL.jpg", "https://m.media-amazon.com/images/I/41vDKRrK5YL.jpg", "https://m.media-amazon.com/images/I/41wZIB0UG0L.jpg", "https://m.media-amazon.com/images/I/31F87IG1qTL.jpg", "https://m.media-amazon.com/images/I/51q6O33XzfL.jpg", "https://m.media-amazon.com/images/I/41SuSYvLAWL.jpg", "https://m.media-amazon.com/images/I/4111pNyYqpL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothbrushes & Accessories \u203a Manual Toothbrushes", "average_rating": "", "small_description": ["\u2714 Elaborate design: This U-shaped brush head is made of high-quality silica gel. It can clean the brush head 360\u00b0 completely. It can clean teeth correctly without twisting the wrist. It is specially designed for children's delicate and sensitive teeth. ", "\u2714 Gentle teeth: This whitening massage toothbrush uses high-quality, soft bristles, which can gently stimulate and massage the gums while preventing overload operation. It is suitable for those who are too sensitive to brushing and have oral problems. ", "\u2714 Creative design: The ergonomic U-shaped brush head is very suitable for the shape of children's tooth structure, specially designed for children's delicate gums and sensitive teeth. And the soft brush head helps to enter hard-to-reach areas and achieve more thorough cleaning. ", "\u2714 Comfortable handle: The handle of this toothbrush is made of high-quality materials, which is sturdy and durable; it does not need to be strenuous, it can be held firmly when brushing, and it is designed for children, which is light and comfortable. ", "\u2714 Quality assurance service: If you have any questions about this toothbrush, please feel free to contact us. The email will be processed within 24 hours. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": null, "Color": [{"is_selected": true, "url": null, "value": "Blue-dinosaur", "price_string": "$10.95", "price": 10.95, "image": "https://m.media-amazon.com/images/I/31UcTKpsAZL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JT3FK7Z/ref=twister_B09JT3LDLV?_encoding=UTF8&psc=1", "value": "Blue-donut", "price_string": "$10.95", "price": 10.95, "image": "https://m.media-amazon.com/images/I/41CCM2DE0sL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JT3H9DD/ref=twister_B09JT3LDLV?_encoding=UTF8&psc=1", "value": "Pink-dinosaur", "price_string": "$10.95", "price": 10.95, "image": "https://m.media-amazon.com/images/I/31810TiXmNL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JT54SPV/ref=twister_B09JT3LDLV?_encoding=UTF8&psc=1", "value": "Pink-donut", "price_string": "$10.95", "price": 10.95, "image": "https://m.media-amazon.com/images/I/31MIAhjnrQL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09JT5VT18/ref=twister_B09JT3LDLV?_encoding=UTF8&psc=1", "value": "White-dinosaur", "price_string": "$10.95", "price": 10.95, "image": "https://m.media-amazon.com/images/I/313yuCL+yfL.jpg"}]}, "seller_id": "AJ9UH7MIPMFFE", "seller_name": "HOMELEYSC", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09JT3Z6JV", "category": "beauty", "query": "Children's Dental Care", "page": 156, "small_description_old": "About this item \u2714 Elaborate design: This U-shaped brush head is made of high-quality silica gel. It can clean the brush head 360\u00b0 completely. It can clean teeth correctly without twisting the wrist. It is specially designed for children's delicate and sensitive teeth. \u2714 Gentle teeth: This whitening massage toothbrush uses high-quality, soft bristles, which can gently stimulate and massage the gums while preventing overload operation. It is suitable for those who are too sensitive to brushing and have oral problems. \u2714 Creative design: The ergonomic U-shaped brush head is very suitable for the shape of children's tooth structure, specially designed for children's delicate gums and sensitive teeth. And the soft brush head helps to enter hard-to-reach areas and achieve more thorough cleaning. \u2714 Comfortable handle: The handle of this toothbrush is made of high-quality materials, which is sturdy and durable; it does not need to be strenuous, it can be held firmly when brushing, and it is designed for children, which is light and comfortable. \u2714 Quality assurance service: If you have any questions about this toothbrush, please feel free to contact us. The email will be processed within 24 hours."}, {"name": "Dead End Adult Comical Boxer Shorts and Tote - Multi-Pack", "product_information": {"Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n April 7, 2021", "ASIN\n \u200f": "\u200e\n B0921YZ2DZ", "Best Sellers Rank": "#3,437,252 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,754 in Men's Boxer Shorts", "#1,754 in Men's Boxer Shorts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Lazy One Store", "brand_url": "https://www.amazon.com/stores/LazyOne/page/1DF90DC5-51D9-41E7-9F4E-96992E42C8CA?ref_=ast_bln", "full_description": "Dead End Adult Comical Boxer Shorts and Tote - Multi-Pack", "pricing": "$15.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41ulWPdV8JL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Underwear \u203a Boxers", "average_rating": 4.9, "small_description": ["Set Includes: Boxer Shorts and 13\"x14\" Reusable Tote ", "Dead End Print with Skeleton and Volture Comical Design ", "Elastic waistband ", "Button Fly ", "For Both Men and Women "], "total_reviews": 5, "total_answered_questions": "", "customization_options": {"Size": null, "Color": null}, "seller_id": "A3RQ2JQOONCGQ2", "seller_name": "BAKK Enterprise", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B01GEVN2HG", "category": "fashion", "query": "Men's Underwear", "page": 196, "small_description_old": "100% Cotton Imported Machine Wash Set Includes: Boxer Shorts and 13\"x14\" Reusable Tote Dead End Print with Skeleton and Volture Comical Design Elastic waistband Button Fly For Both Men and Women"}, {"name": "Burband Womens High Waist Bike Shorts Tummy Control Workout Yoga Pants Running Exercise Running Shorts with Side Pockets", "product_information": {"Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n January 13, 2022", "Manufacturer\n \u200f": "\u200e\n Burband", "ASIN\n \u200f": "\u200e\n B09QCSCTBL", "Best Sellers Rank": "#902,363 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#1,363 in Women's Athletic Swimwear #3,080 in Women's Athletic Shorts #5,463 in Women's Cycling Clothing", "#1,363 in Women's Athletic Swimwear": "", "#3,080 in Women's Athletic Shorts": "", "#5,463 in Women's Cycling Clothing": ""}, "brand": "Brand: Burband", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=Burband", "full_description": "\u00b7Material: High-quality Cotton, Polyester,Spandex, Soft/ Lightweight/Breathable/Stretchy fabric, make you feel comfortable when wearing. \u00b7Features: Burband Women's pants combines comfort and beauty style comfort fit and performance high rise curvy mid-rise slim destroyed flare elastic waist bell bottom pants bootcut jean high waisted-rise stretch skinny ripped distressed pull-on leggings. \u00b7Occasion: Suitable for a casual everyday look OOTD and any occasions especially for office parties clubbing cossplay office for work dating yoga dance school vacation. Great for winter summer fall spring. \u00b7Burband Womens Pants are so easy to care, machine wash in cold water or hand wash. Summer shorts beach shorts denim jeans shorts active shorts plus size shorts comfy shorts.You can pair this tops with jackets jeans shorts and joggers. \u00b7Note: Size runs small,Please check the size chart before purchase and choose 1-2 size up. Please allow 0.5-1.0 inches measuring deviation due to manual measurement and different stretch of fabrics \u00b7womens pants for work bell bottom jeans flare jeans summer shorts denim shorts linen pants yoga pantsworkout leggings pants jeans denim joggers capris shorts slacks pants for work high waist relaxed fit linen plus size loose fit yoga pants skinny jeans ripped. womens comfy casual pajama pants floral print drawstring palazzo lounge pants wide leg stretch comfort office pants boot cut super comfy pull-on twill pants capri bermuda relaxed stretch twill pants casual comfy solid tie dye wide leg regular fit straight leg pants bootcut elastic waist pants jersey. \u00b7Others:womens destroyed flare jeans elastic waist bell bottom raw hem denim pants modern bootcut jean high waisted-rise stretch destroyed ripped distressed jeans skinny jeggings plus size totally shaping bootcut jeans ripped slim fit jeans boyfriend distressed ankle denim pants womens fringe cuff boyfriend jean", "pricing": "$6.82", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/31IBFWvlQtL.jpg", "https://m.media-amazon.com/images/I/317t0WDkq7L.jpg", "https://m.media-amazon.com/images/I/310KD08WSTL.jpg", "https://m.media-amazon.com/images/I/51rZBHLy0NL.jpg", "https://m.media-amazon.com/images/I/41IiBPVWnkL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Women \u203a Clothing \u203a Active \u203a Active Shorts", "average_rating": "", "small_description": ["\u3010Design\u3011- Soft, lightweight, breathable. Burband Women's pants combines comfort and beauty style comfort fit performance high rise curvy mid-rise slim destroyed flare elastic waist bell bottom pants bootcut jean high waisted-rise stretch skinny ripped distressed pull-on leggings. ", "\u3010Pair with\u3011- This lounge pants are perfect to pair with short sleeve t-shirt,summer tank tops,jackets,cardigan, jeans, shorts,casual sweatpants,suitable for spring,summer,autumn. ", "\u3010Occasion\u3011- The top is ideal for casual activities and work occasion, such as dating, clubbing, working, traveling, homewear, beach Etc. closure ", "\u3010Garment Care\u3011- Wash Recommended With Cold Water/Do Not Bleach/Hang Or Line Dry/Wash. ", "\u3010Feature\u3011- Casual baggy wide leg elastic waist straight leg skinny leg loose fitting high waist elastic waist drawstring bootcut deep pockets joggers lounge flannel pants yoga traning workout pants running pants outdoor lounge sets pants pajamas plaid pants sleep night lounge pants workout leggings for women. ", "\u3010Feature\u3011- Burband womens pants cotton linen capri flannel sleepwear family matching pajamas running workout jogger lounge sweatpants palazzo pajamas pants bell bottoms denim pants flare jeans skinny jeans wide leg pants cargo pants ripped jeans with holes. ", "christmas pajamas for family christmas pj's matching sets for women men with cartoon printed top and pants 2 pieces matching family christmas pajamas holiday sleepwear jammies clothes xmas printed and plaid long sleeve pjs set family christmas pjs matching sets christmas pajamas for family plaid sleepwear pants matching xmas pjs for family matching christmas pajamas for family funny holiday cute print tops and plaid pants xmas sleepwear pjs set ugly christmas sweaters for women , waist plaid ski rain waterproof 2020 mens jackets coats hoodie lightweight causal fashion butterfly ruffled swing off shoulder polka dot classic lightweight plaid sleeveless loose fit buttons tunic tight slim shirt mens long sleeve shirts casual shirts for men stylish windbreaker slim fit winter fur hood outwear motorcycle rain sport jackets tops for women men graphic tees shirts, mens flannel plaid shirts button down long sleeve casual shirts fleece jogger pants for men- mens sweatpants with adjustable drawstring for workout running unisex adults fashion off striped hoodie sweatshirt hip hop pullover sweater shirt trendy hooded top men's turtleneck t-shirt slim fit long sleeve basic thermal casual pullover shirts plain sweatshirts for men crewneck long sleeve with color block strips designs fall clothes men's crewneck sweater"], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31IBFWvlQtL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QCSY1CF/ref=twister_B09QCS4VKW", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/412wUeRkSLL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QCVZ7F8/ref=twister_B09QCS4VKW", "value": "Dark Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31mh8tqoxoL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QCT73RP/ref=twister_B09QCS4VKW", "value": "Gray", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/317nHr5vqsL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QCTT3BZ/ref=twister_B09QCS4VKW", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31d6Mq2cf6L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QCSV5F1/ref=twister_B09QCS4VKW", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31zBJ2y0rzL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09QCTBYFM/ref=twister_B09QCS4VKW", "value": "Silver", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/51F8oH9Ko0L.jpg"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B09QCSCTBL"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B09QCVCYVY"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B09QCSFSK5"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B09QCT3MYV"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B09QCS5GYQ"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QCVCYVY", "category": "fashion", "query": "Women's Shorts", "page": 76, "small_description_old": "\u3010Design\u3011- Soft, lightweight, breathable. Burband Women's pants combines comfort and beauty style comfort fit performance high rise curvy mid-rise slim destroyed flare elastic waist bell bottom pants bootcut jean high waisted-rise stretch skinny ripped distressed pull-on leggings. \u3010Pair with\u3011- This lounge pants are perfect to pair with short sleeve t-shirt,summer tank tops,jackets,cardigan, jeans, shorts,casual sweatpants,suitable for spring,summer,autumn. \u3010Occasion\u3011- The top is ideal for casual activities and work occasion, such as dating, clubbing, working, traveling, homewear, beach Etc. closure \u3010Garment Care\u3011- Wash Recommended With Cold Water/Do Not Bleach/Hang Or Line Dry/Wash. \u3010Feature\u3011- Casual baggy wide leg elastic waist straight leg skinny leg loose fitting high waist elastic waist drawstring bootcut deep pockets joggers lounge flannel pants yoga traning workout pants running pants outdoor lounge sets pants pajamas plaid pants sleep night lounge pants workout leggings for women. \u3010Feature\u3011- Burband womens pants cotton linen capri flannel sleepwear family matching pajamas running workout jogger lounge sweatpants palazzo pajamas pants bell bottoms denim pants flare jeans skinny jeans wide leg pants cargo pants ripped jeans with holes. christmas pajamas for family christmas pj's matching sets for women men with cartoon printed top and pants 2 pieces matching family christmas pajamas holiday sleepwear jammies clothes xmas printed and plaid long sleeve pjs set family christmas pjs matching sets christmas pajamas for family plaid sleepwear pants matching xmas pjs for family matching christmas pajamas for family funny holiday cute print tops and plaid pants xmas sleepwear pjs set ugly christmas sweaters for women \n waist plaid ski rain waterproof 2020 mens jackets coats hoodie lightweight causal fashion butterfly ruffled swing off shoulder polka dot classic lightweight plaid sleeveless loose fit buttons tunic tight slim shirt mens long sleeve shirts casual shirts for men stylish windbreaker slim fit winter fur hood outwear motorcycle rain sport jackets tops for women men graphic tees shirtsmens flannel plaid shirts button down long sleeve casual shirts fleece jogger pants for men- mens sweatpants with adjustable drawstring for workout running unisex adults fashion off striped hoodie sweatshirt hip hop pullover sweater shirt trendy hooded top men's turtleneck t-shirt slim fit long sleeve basic thermal casual pullover shirts plain sweatshirts for men crewneck long sleeve with color block strips designs fall clothes men's crewneck sweaterShow more"}, {"name": "Nikon 50mm f/1.8G AF-S NIKKOR Lens U.S.A. Warranty with Free 58mm Filter Kit (UV/CPL/ND2)", "product_information": {"Product Dimensions": "6.8 x 5.1 x 5 inches", "Item Weight": "2.25 pounds", "ASIN": "B006G5CYAM", "Item model number": "50mm f/1.8G AF-S", "Customer Reviews": {"ratings_count": 33, "stars": "4.5 out of 5 stars"}, "Best Sellers Rank": ["#399 in Digital Camera Accessory Kits"], "Date First Available": "May 1, 2020", "Manufacturer": "Nikon"}, "brand": "Visit the Nikon Store", "brand_url": "https://www.amazon.com/stores/Nikon/page/A0A04D76-D946-42B4-A00A-7B9D20E8B166?ref_=ast_bln", "full_description": "Your DSLR's best friend A must-have for standard portraits and everyday use, the AF-S NIKKOR 50mm f/1.8G is a lens that will absolutely surprise you. The 50mm focal length (75mm equivalent on DX format cameras) with a fast f/1.8 aperture allows you to capture stunning images with a shallow depth-of-field, letting your subjects stand out from their backgrounds. The AF-S NIKKOR 50mm f/1.8G may soon become your new favorite lens. Brilliance In Any Light - Get astonishing low light results This lightweight standard lens is a great travel companion because you never know when a beautiful, sunny day will turn cloudy and rainy. With its fast f/1.8 aperture, the AF-S NIKKOR 50mm f/1.8G will capture even low-light situations with stunning brilliance. Beautiful Background Blur - Achieve more natural depth of field Whether you're shooting portraits, food or nature - indoors or outdoors - the AF-S NIKKOR 50mm f/1.8G renders a beautiful, natural background blur (Bokeh) at its wider aperture settings. And its 50mm focal length is perfect for creating natural perspective in your photographs. Capture Every Detail - Shoot tack-sharp portraits every time Nikon's Super Integrated Coating (SIC) enhances light transmission efficiency and offers superior color consistency and reduced flare, while the AF-S NIKKOR 50mm f/1.8G's Aspherical Lens Element (AS) virtually eliminates coma and other types of aberrations, eve", "pricing": "$216.95", "list_price": "", "availability_quantity": 7, "availability_status": "Only 7 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31D1ljxOBvL.jpg", "https://m.media-amazon.com/images/I/51r5V-BQ5aL.jpg", "https://m.media-amazon.com/images/I/519X2n0miQL.jpg", "https://m.media-amazon.com/images/I/313VnaClBwL.jpg", "https://m.media-amazon.com/images/I/4185tqjOR9L.jpg", "https://m.media-amazon.com/images/I/41hBFh5TQ-L.jpg", "https://m.media-amazon.com/images/I/21osBtw-ShL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Accessories \u203a Digital Camera Accessories \u203a Accessory Kits", "average_rating": 4.5, "small_description": ["Nikon AF-S NIKKOR 50mm f/1.8G Lens - LC-58C 58mm Lens Cap - LF-4 Rear Lens Cap - HB-47 Bayonet Lens Hood for AF-S 50mm f/1.4G - CL-1013 Soft Lens Case - Nikon 5 Year USA Warranty (1 Year International + 4 Year USA Extension) - Bundle Includes: - 58mm Filter Kit (UV/CPL/ND2) ", "This updated classic with a fast maximum aperture is ideal for everyday shooting, perfect in low lighting situations and great for producing images with beautiful background blur (Bokeh) ", "The AF-S NIKKOR 50mm f/1.8G includes Silent Wave Motor technology (SWM) for fast and precise autofocus, M/A Focus Mode Switch for seamless changes between manual and autofocus operation and an aspherical lens element for outstanding optical performance with high contrast ", "This lightweight standard lens is a great travel companion because you never know when a beautiful, sunny day will turn cloudy and rainy. With its fast f/1.8 aperture, the AF-S NIKKOR 50mm f/1.8G will capture even low-light situations with stunning brilliance ", "Whether you're shooting portraits, food or nature-indoors or outdoors-the AF-S NIKKOR 50mm f/1.8G renders a beautiful, natural background blur (Bokeh) at its wider aperture settings "], "total_reviews": 33, "total_answered_questions": 7, "model": "50mm f/1.8G AF-S", "customization_options": "", "seller_id": "A17MC6HOH9AVE6", "seller_name": "Adorama", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B006G5CYAM", "category": "electronics", "query": "Lenses", "page": 56, "small_description_old": "About this item\n \nNikon AF-S NIKKOR 50mm f/1.8G Lens - LC-58C 58mm Lens Cap - LF-4 Rear Lens Cap - HB-47 Bayonet Lens Hood for AF-S 50mm f/1.4G - CL-1013 Soft Lens Case - Nikon 5 Year USA Warranty (1 Year International + 4 Year USA Extension) - Bundle Includes: - 58mm Filter Kit (UV/CPL/ND2) This updated classic with a fast maximum aperture is ideal for everyday shooting, perfect in low lighting situations and great for producing images with beautiful background blur (Bokeh) The AF-S NIKKOR 50mm f/1.8G includes Silent Wave Motor technology (SWM) for fast and precise autofocus, M/A Focus Mode Switch for seamless changes between manual and autofocus operation and an aspherical lens element for outstanding optical performance with high contrast This lightweight standard lens is a great travel companion because you never know when a beautiful, sunny day will turn cloudy and rainy. With its fast f/1.8 aperture, the AF-S NIKKOR 50mm f/1.8G will capture even low-light situations with stunning brilliance Whether you're shooting portraits, food or nature-indoors or outdoors-the AF-S NIKKOR 50mm f/1.8G renders a beautiful, natural background blur (Bokeh) at its wider aperture settings"}, {"name": "Cubes Storage Organizer DIY Plastic Stackable Shelves Multifunctional Modular Bookcase Closet Cabinet Interlocking Plastic Cubes with Divider Design Modular Cabinet for Books Clothes Toys Artworks", "product_information": {"Product Dimensions": "35.43 x 11.81 x 35.43 inches", "Item Weight": "8.8 pounds", "Department": "Organizer Wardrobe Closet", "Manufacturer": "Houssem", "ASIN": "B09J4RH84G", "Country of Origin": "China", "material_composition": "PP & ABS & Metal"}, "brand": "Brand: Houssem", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Houssem", "full_description": "Specification:Name: ShelfMaterial: PP combination sheet, ABS buckle, iron wire frame.Color: black, transparent whiteThe product size is divided into 4 types: 6 grids, 9 grids, 12 grids, 16 grids (without door, refer to the picture)Single piece combination piece size: about 30x30cm/11.81x11.81inch - 6 grid: product size: 60 x 30 x 90cm(LxWxH), Net weight: 2.6kg packing size: 37x32x9cm/14.57x12.60x3.54inch, gross weight: 3kg - 9 grids: product size: 90 x 30 x 90cm(LxWxH), Net weight: 3.6kgpacking size: 37x32x11cm/14.57x12.60x4.33inch, gross weight: 4kg - 12 grid: product size: 90 x 30 x 120cm(LxWxH), Net weight: 4.6kg packing size: 37x32x14cm/14.57x12.60x5.51inch, gross weight: 5kg - 16 grid: product size: 120 x 30 x 120cm(LxWxH), Net weight: 6.6kg packing size: 37x32x19cm/14.57x12.60x7.48inch, gross weight: 7kgThe packaging must pass the international carton drop test.Packing List:1 x Organizer Wardrobe Closet1 x User Manual", "pricing": "$15.99", "list_price": "", "availability_quantity": 19, "availability_status": "Only 19 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/412+rnm7wCL.jpg", "https://m.media-amazon.com/images/I/41q1Io90akL.jpg", "https://m.media-amazon.com/images/I/41HUvdcUO4L.jpg", "https://m.media-amazon.com/images/I/41MKvHmPQxL.jpg", "https://m.media-amazon.com/images/I/41D5-oXOtHL.jpg", "https://m.media-amazon.com/images/I/51w+7NKza6L.jpg", "https://m.media-amazon.com/images/I/41Wm3Jg-HrL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Storage & Organization \u203a Clothing & Closet Storage \u203a Mounted Closet Systems", "average_rating": "", "small_description": ["\u2605Easy Installation: We have configured the rubber mallet, which is better than the ordinary wooden hammers on the market, making your installation easier. Includes the accessories of the product itself, The ABS connectors and PP plastic plates, giving you multi-way DIY assembly methods. you can combine them into different shapes to fit your space. We have attached detailed instructions to the product, we hope you can read the product description carefully before assembly. ", "\u2605DIY Storage Cubes: Made of PP plastic, the sheet is waterproof, moisture-proof and anti-dust.We have 6 cubes, 9 cubes, 12 cubes to meet any storage needs of you. ", "\u2605Prevent Dumping and Ensure Safe Use: Anti-toppling fittings are provided to fix it on the wall for safety, loading capacity of each grid: 10 lbs. Even if you have children at home, you don't need to worry about the safety of using Storage Cubes . ", "\u2605Multiple Ways of Using: Not only can be placed anywhere in your house or office, but also can be used as a partition to provide the private space for you , You can store all sort of items as you want: books, clothes, toys, artworks, decorations and more. ", "\u2605After-sale Guarantee: Shipped from US, You can receive package within 3-5 Business Days. If you have any problems with the kitchen sink you can feel free to contact us and we are happy to solve them for you in any time "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09J4RT7KG/ref=twister_B09J4RCDFF?_encoding=UTF8&psc=1", "value": "Black 9-Cube", "price_string": "$16.99", "price": 16.99, "image": null}, {"is_selected": true, "url": null, "value": "White 9-Cube", "price_string": "$15.99", "price": 15.99, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09J4RJ8T3/ref=twister_B09J4RCDFF?_encoding=UTF8&psc=1", "value": "Black 12-Cube", "price_string": "$25.99", "price": 25.99, "image": null}]}, "seller_id": "A5TKNQP907K0R", "seller_name": "Middays", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09J4RH84G", "category": "garden", "query": "Book Cases", "page": 198, "small_description_old": "\u2605Easy Installation: We have configured the rubber mallet, which is better than the ordinary wooden hammers on the market, making your installation easier. Includes the accessories of the product itself, The ABS connectors and PP plastic plates, giving you multi-way DIY assembly methods. you can combine them into different shapes to fit your space. We have attached detailed instructions to the product, we hope you can read the product description carefully before assembly. \u2605DIY Storage Cubes: Made of PP plastic, the sheet is waterproof, moisture-proof and anti-dust.We have 6 cubes, 9 cubes, 12 cubes to meet any storage needs of you. \u2605Prevent Dumping and Ensure Safe Use: Anti-toppling fittings are provided to fix it on the wall for safety, loading capacity of each grid: 10 lbs. Even if you have children at home, you don't need to worry about the safety of using Storage Cubes . \u2605Multiple Ways of Using: Not only can be placed anywhere in your house or office, but also can be used as a partition to provide the private space for you , You can store all sort of items as you want: books, clothes, toys, artworks, decorations and more. \u2605After-sale Guarantee: Shipped from US, You can receive package within 3-5 Business Days. If you have any problems with the kitchen sink you can feel free to contact us and we are happy to solve them for you in any time"}, {"name": "Valentine\u2018s Day Love Blue Throw Pillow Covers 18x18 for Home Decor- Love Heart Flower - Modern Linen Cushion Cover Square Home Pillowcase Love Theme Decorative Pillow Covers for Sofa Bed Chair Car", "product_information": {"Package Dimensions": "8.98 x 8.9 x 0.87 inches", "Item Weight": "2.89 ounces", "Manufacturer": "Belamour", "ASIN": "B08QVDNJC7", "Customer Reviews": {"ratings_count": 3, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#2,124,979 in Home & Kitchen (See Top 100 in Home & Kitchen) #33,646 in Throw Pillow Covers"], "Batteries Required?": "No"}, "brand": "Brand: Hying", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Hying", "full_description": "Heart Flower Valentine\u2018s Day Throw Pillow Covers (Blue). Modern Cushion Cover Square Indoor Outdoor Home Pillowcase Decoration for Sofa Bed Chair Car, 18 x 18 Inch Type: Valentines Day Pillow Covers/Shell, Farmhouse Pillow Covers, Pillowcase of Love Theme Size: 18\" x 18\", compatible with 18\" x 18\" pillow inserts. Pattern: As the picture shows Quantity: 1 Piece of Pillow Cover of Love Theme (18\u201d x 18\u201d) Occasion: Perfect valentines home decorations for your sofa, couch, bench, patio, living room, car ect indoors and outdoors. Cutest home d\u00e9cor for you and your lover. This series of pillow covers is not only suitable for Valentine's day, but also suitable for any season and holiday. Hideen Zipper: Premium quality concealed zipper for an elegant look and easily insert the pillows. Tight zigzag over-lock stitches to avoid fraying and ripping. Material and No Inserts: Made of soft and durable cotton linen, with vibrant pictures. Decor your home with such a cute thing! Add warm touch to your home decor. Tips: 1.There may be dimension errors to some degree due to manual measurement. 2.There are only 1 piece of pillow covers and the inserts are not included! 3.There may be some slight differences between the color tone of the pictures and that of the actual items due to lighting effects, monitor's brightness and contrast 4.We suggest hand Wash or machine wash in cold water Separately, gently cycle only, Dot Not Bleach, Tumble Dry Low, Do Not Iron.", "pricing": "$7.99", "list_price": "", "availability_quantity": 13, "availability_status": "Only 13 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41OJE+O61rL.jpg", "https://m.media-amazon.com/images/I/51UVRkZ4SQL.jpg", "https://m.media-amazon.com/images/I/41UO+ZcZ8dL.jpg", "https://m.media-amazon.com/images/I/41NqhKg3h4L.jpg", "https://m.media-amazon.com/images/I/41sArE5ud-L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Bedding \u203a Decorative Pillows, Inserts & Covers \u203a Throw Pillow Covers", "average_rating": 4.6, "small_description": ["\u3010Package Includes\u30111 Piece of Love Throw Pillow Cover 18 x 18 (Heart shape Flowers) Inches around (45cm x 45cm), 1~2 cm deviation is allowed due to hand-cutting and sewing.No Insert or Filler.Pattern is only on the front and the other side is natural burlap color. ", "\u3010Material\u3011Valentine's day Love themed decoration pillowcase is made of cotton linen, keep natural texture also soft, durable, comfortable and very healthy and eco-friendly. ", "\u3010 Unique Valentine's Day Decorations Pillows Covers Home Decor\u3011Heart Shape Flowers pattern clearly printed on the throw pillow covers, vivid colors is just as picture shows. Perfect valentines home decorations for living room, couch, sofa, patio bench, loveseat, car ect indoor and outdoor. This series of pillow covers is not only suitable for Valentine's day, but also suitable for any season and holiday. ", "\u3010Convenient & Durable\u3011This pillow cover has an invisible zipper. Easy to put your pillow insert on/ off. Washable in the cold water, dry it like other daily things, color will keep freash new, would not fade. ", "\u3010Valentine's Day Love Pillow Cover\u3011Use this series of romantic love design Valentines Day Love theme pattern helps you creating perfect warm atmosphere and get a lot of compliments. Our creative valentine's day decorative pillow covers also would be a perfect home decor gift for family/ friends. "], "total_reviews": 3, "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Love Heart Flower", "price_string": "$7.99", "price": 7.99, "image": "https://m.media-amazon.com/images/I/41OJE+O61rL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08QV7HRHH/ref=twister_B08V1R3ZFG?_encoding=UTF8&psc=1", "value": "Love You Forever", "price_string": "$7.99", "price": 7.99, "image": "https://m.media-amazon.com/images/I/51RsoAZpZ7L.jpg"}]}, "seller_id": "A2P4FKWZI12DOJ", "seller_name": "Belamour", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08QVDNJC7", "category": "garden", "query": "Decorative Pillows", "page": 277, "small_description_old": "About this item \u3010Package Includes\u30111 Piece of Love Throw Pillow Cover 18 x 18 (Heart shape Flowers) Inches around (45cm x 45cm), 1~2 cm deviation is allowed due to hand-cutting and sewing.No Insert or Filler.Pattern is only on the front and the other side is natural burlap color. \u3010Material\u3011Valentine's day Love themed decoration pillowcase is made of cotton linen, keep natural texture also soft, durable, comfortable and very healthy and eco-friendly. \u3010 Unique Valentine's Day Decorations Pillows Covers Home Decor\u3011Heart Shape Flowers pattern clearly printed on the throw pillow covers, vivid colors is just as picture shows. Perfect valentines home decorations for living room, couch, sofa, patio bench, loveseat, car ect indoor and outdoor. This series of pillow covers is not only suitable for Valentine's day, but also suitable for any season and holiday. \u3010Convenient & Durable\u3011This pillow cover has an invisible zipper. Easy to put your pillow insert on/ off. Washable in the cold water, dry it like other daily things, color will keep freash new, would not fade. \u3010Valentine's Day Love Pillow Cover\u3011Use this series of romantic love design Valentines Day Love theme pattern helps you creating perfect warm atmosphere and get a lot of compliments. Our creative valentine's day decorative pillow covers also would be a perfect home decor gift for family/ friends."}, {"name": "KCB Karachi Biscuit 200 Grams", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 6 x 2 x 4 inches; 8.8 Ounces", "UPC\n \u200f": "\u200e\n 812042002443", "Manufacturer\n \u200f": "\u200e\n KCB", "ASIN\n \u200f": "\u200e\n B01ITTAW1U", "Best Sellers Rank": "#387,247 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#9,518 in Grocery Cookies", "#9,518 in Grocery Cookies": ""}, "brand": "Brand: KCB", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=KCB", "full_description": "Karachi Biscuit is a famous product from the connoisseur of baking. Located in Hyderabad, Karachi Bakery has been delighting hearts since 1952. These Fruit Biscuits are nutty and buttery and are baked with fresh ingredients. These biscuits are absolutely", "pricing": "$7.58", "list_price": "", "availability_quantity": 8, "availability_status": "Only 8 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51kYgOlymhL.jpg", "https://m.media-amazon.com/images/I/41s+zbyPUsL.jpg", "https://m.media-amazon.com/images/I/51i3cyqq-sL.jpg", "https://m.media-amazon.com/images/I/51GePnVIRoL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Breads & Bakery \u203a Cookies", "average_rating": "", "small_description": ["Karachi Fruit Biscuits ", "100 % Vegetarian ", "Protein Rich. ", "Egg free recipe ", "Longer shelf life "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A1VQ7U1SVA2NIF", "seller_name": "Tez Pharmacy", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B01ITTAW1U", "category": "grocery", "query": "Grocery Cookies", "page": 253, "small_description_old": "About this item Karachi Fruit Biscuits 100 % Vegetarian Protein Rich. Egg free recipe Longer shelf life"}, {"name": "LALUZ Faux-Wood Pendant Lighting, Farmhouse Hanging Lamp with Water Glass Shade for Kitchen Island, Living Room, Foyer, A03182", "product_information": {"Brand": "\u200eLALUZ", "Manufacturer": "\u200eLALUZ", "Part Number": "\u200eA03182", "Item Weight": "\u200e9.53 pounds", "Product Dimensions": "\u200e7 x 7 x 13 inches", "Item model number": "\u200eA03182", "Is Discontinued By Manufacturer": "\u200eNo", "Assembled Height": "\u200e13 inches", "Assembled Length": "\u200e7 inches", "Assembled Width": "\u200e7 inches", "Item Package Quantity": "\u200e1", "Style": "\u200eRustic", "Color": "\u200eA03182", "Shape": "\u200eLantern", "Material": "\u200eGlass, Metal", "Number of Lights": "\u200e1", "Included Components": "\u200ePendant lighting shade;screw;wire connector;user instruction", "Maximum Compatible Wattage": "\u200e60 Watts", "Voltage": "\u200e120 Volts", "Specific Uses": "\u200eHanging lantern light, Kitchen island lighting, Foyer lighting, Pendant lighting, Farmhouse lighting for kitchen island, Hanging lantern pendant", "Special Features": "\u200e\u2b50 Farmhouse pendant light, \u2b50 Adjustable height, \u2b50 High-temperature resistance, \u2b50 Ideal for kitchen island, living room, bedroom, dining room, \u2b50 Easy to install, \u2b50 24-Month warranty type", "Shade Material": "\u200eGlass", "Light Direction": "\u200eDownlight", "Power Source": "\u200eHardwire", "Switch Installation Type": "\u200eHanging,Pendant Lighting", "Batteries Included?": "\u200eNo", "Batteries Required?": "\u200eNo", "Certification": "\u200eUL Listed", "Type of Bulb": "\u200eIncandescent", "Wattage": "\u200e60 watts", "ASIN": "B06ZYS6NW4", "Customer Reviews": {"ratings_count": 11, "stars": "3.9 out of 5 stars"}, "Date First Available": "April 19, 2017"}, "brand": "Visit the LALUZ Store", "brand_url": "https://www.amazon.com/stores/LALUZ/page/F339D644-AF8D-4EB6-B46B-A6CBD318CB26?ref_=ast_bln", "full_description": "", "pricing": "$59.99", "list_price": "", "availability_quantity": 2, "availability_status": "Only 2 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/51RDv5pBbbL.jpg", "https://m.media-amazon.com/images/I/51Jm4NvhbzL.jpg", "https://m.media-amazon.com/images/I/51e-dtEZYEL.jpg", "https://m.media-amazon.com/images/I/51JoIdQ6RNL.jpg", "https://m.media-amazon.com/images/I/51yPY9avjfL.jpg", "https://m.media-amazon.com/images/I/51H5HxBt1-L.jpg", "https://m.media-amazon.com/images/I/41N-bu5s0tL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Ceiling Lights \u203a Pendant Lights", "average_rating": 3.9, "small_description": ["\u2b50[ FARMHOUSE PENDANT LIGHTING ]: Characteristic of a rustic faux-wood rectangular frame and enveloped of ripple glass panels, this farmhouse lighting creates a natural atmosphere around your room, adding a fresh look to your overall decoration. ", "\u2b50[ FEEL FREE TO INSTALL ]: With our detailed instruction, you can totally be your own electrician. Every pendant light comes from handmade design, thus providing simple but efficient steps for your installation. ", "\u2b50[ ADJUSTABLE HEIGHT ]: Round Canopy: 4. 7\" in diameter; Product Dimension: 7\"L x 7\"W x 11\"H; Chain: 59\u201d. This kitchen lighting can be adjusted from 6\u201d to 59\u201d to decorate your room and create multiple styles of lighting. ", "\u2b50[ WHERE WE SUGGEST TO HANG ]: This hanging lantern pendant is suitable for kitchen island, living room, reading room, foyer, entry, door way and so on, whether flat, sloped, slanted or vaulted ceiling. ", "\u2b50[ BUY WITH CONFIDENCE ]: Works with E26 base max 60w bulbs (not included) and fully dimmable with compatible dimmer switch. UL listed for safety. 24 months warranty. "], "total_reviews": 11, "total_answered_questions": 8, "model": "\u200eA03182", "customization_options": {"Color": null}, "seller_id": "A2KSJDVYMJBVT9", "seller_name": "LALUZ LIGHTING", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B06ZYS6NW4", "category": "garden", "query": "Kitchen Islands", "page": 296, "small_description_old": "About this item \u2b50[ FARMHOUSE PENDANT LIGHTING ]: Characteristic of a rustic faux-wood rectangular frame and enveloped of ripple glass panels, this farmhouse lighting creates a natural atmosphere around your room, adding a fresh look to your overall decoration. \u2b50[ FEEL FREE TO INSTALL ]: With our detailed instruction, you can totally be your own electrician. Every pendant light comes from handmade design, thus providing simple but efficient steps for your installation. \u2b50[ ADJUSTABLE HEIGHT ]: Round Canopy: 4. 7\" in diameter; Product Dimension: 7\"L x 7\"W x 11\"H; Chain: 59\u201d. This kitchen lighting can be adjusted from 6\u201d to 59\u201d to decorate your room and create multiple styles of lighting. \u2b50[ WHERE WE SUGGEST TO HANG ]: This hanging lantern pendant is suitable for kitchen island, living room, reading room, foyer, entry, door way and so on, whether flat, sloped, slanted or vaulted ceiling. \u2b50[ BUY WITH CONFIDENCE ]: Works with E26 base max 60w bulbs (not included) and fully dimmable with compatible dimmer switch. UL listed for safety. 24 months warranty. \n \u203a See more product details"}, {"name": "SHOWV Face_Masks for Adult,Unisex Face_Masks 50 PCs Breathable Comfortable Facial Mouth Cover with High Filtration Cover", "product_information": {"Department\n \u200f": "\u200e\n Unisex-adult", "Date First Available\n \u200f": "\u200e\n January 18, 2022", "Manufacturer\n \u200f": "\u200e\n SHOWV", "ASIN\n \u200f": "\u200e\n B09QMGN5GP", "": ""}, "brand": "Brand: SHOWV", "brand_url": "https://www.amazon.com/s/ref=bl_sl_s_ap_web_7141123011?ie=UTF8&node=7141123011&field-brandtextbin=SHOWV", "full_description": "\u273fSHOWV 3Ply\u00a0Disposable\u00a0Face_Masks\u273f Choose the color and size you want and buy it! \u273fGuarantee of Quality \u273f If you have received our goods and found that you are not satisfied with the quality, color or size, do not worry, we offer a free return service within 30 days! \u273fFull of Sincerity\u273f SHOWV\u00a0hopes that every customer who comes to our store can take the goods they really love and have a pleasant shopping experience. \u273f\u00a0Description:\u00a0 The 3 ply non-woven disposable mask is made of 3 ply non-woven material, it is healthy and safe for you to use. Breathable material and cute patterns, which makes it useful and fashionable. Special 3 ply non-woven design, provides some protections against dust, automobile exhaust, pollen, etc. Elastic ear loop, easy to wear and no pressure to the ears. nail salon or any other areas where protection might be required \u273f\u00a0Features:\u00a0 1. Made of environmental friendly material, moisture-proof, non-toxic, non-irritating, soft and comfortable. 2. Breathable material and cute patterns, which makes it useful and fashionable. 3. Special 3 ply non-woven design, provides protections against dust, automobile exhaust, pollen, etc. 4. Perfect design, when you wear it , it fits seamlessly into your face. Elastic ear loop is easy to wear and no pressure to the ears. 5. Nail salon or any other areas where protection might be required. 6. Package included: 10/30/50/100pcs masks.", "pricing": "$11.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41Py7sQCVfL.jpg", "https://m.media-amazon.com/images/I/41fDGx+dRiL.jpg", "https://m.media-amazon.com/images/I/41J5H0RKBTL.jpg", "https://m.media-amazon.com/images/I/41GznIUdy6L.jpg", "https://m.media-amazon.com/images/I/41GznIUdy6L.jpg", "https://m.media-amazon.com/images/I/41JvjuM9jKL.jpg", "https://m.media-amazon.com/images/I/41I5HDDd4mL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Skin Care \u203a Face \u203a Treatments & Masks \u203a Masks", "average_rating": "", "small_description": ["90% cotton/10% rayon ", "Fitted elastic ear loops closure ", "Suitable for: adults/teens ", "Package including 50PCs face_masks. 3Ply face protection masks. ", "Made of skin-friendly material, smelless. ", "Take good care of your yourself and your family during this special time. ", "100% Satisfaction Guarantee: Your safety and health we care most, please feel free to contact us if you have any questions. We will do whatever necessary to resolve your problem to ensure you get the best shopping experience. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": null, "Size": null}, "seller_id": "A3IFIG8JUWPZCV", "seller_name": "SHOWV", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09QMGX7V3", "category": "beauty", "query": "Skin Care Maternity", "page": 35, "small_description_old": "90% Cotton, 10% Rayon Fitted elastic ear loops closure Suitable for: adults/teens Package including 50PCs face_masks. 3Ply face protection masks. Made of skin-friendly material, smelless. Take good care of your yourself and your family during this special time. 100% Satisfaction Guarantee: Your safety and health we care most, please feel free to contact us if you have any questions. We will do whatever necessary to resolve your problem to ensure you get the best shopping experience."}, {"name": "Jacques Torres Chocolate - Caramel Popcorn 6 oz Bag", "product_information": "", "brand": "Visit the Jacques Torres Chocolate Store", "brand_url": "https://www.amazon.com/stores/JacquesTorresChocolate/page/280084DB-51DE-4E17-9EAB-EDD29323E8D0?ref_=ast_bln", "full_description": "", "pricing": "$11.00", "list_price": "", "availability_status": "In stock. Usually ships within 3 to 4 days.", "images": ["https://m.media-amazon.com/images/I/41UouKLFJKL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Food & Beverage Gifts \u203a Snack Gifts", "average_rating": 3.5, "small_description": ["A crunchy, buttery delight ", "Drizzled with Jacques Torres' signature dark chocolate ", "Perfect as a gift, or a snack for yourself ", "Delicious blend of sweet and salty "], "total_reviews": 3, "total_answered_questions": "", "customization_options": "", "seller_id": "A2XULX9WCCBH32", "seller_name": "Jacques Torres Chocolate", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00VQJ07CA", "category": "grocery", "query": "Popcorn", "page": 130, "small_description_old": "About this item A crunchy, buttery delight Drizzled with Jacques Torres' signature dark chocolate Perfect as a gift, or a snack for yourself Delicious blend of sweet and salty"}, {"name": "ONGHAHYIS Shower Scrubbing Mitt Gloves Body Brush Take A Shower in 1 Minute Exfoliating Scrub Foot Scrubber Cath Sponge High-Elastic Five-Finger Bath Towel (Color : Random Color 1pc)", "product_information": {"Item Weight": "1.1 pounds", "Department": "Unisex-adult", "Manufacturer": "ONGHAHYIS", "ASIN": "B09NLZFMRG", "Country of Origin": "China"}, "brand": "Brand: ONGHAHYIS", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=ONGHAHYIS", "full_description": "High elasticity five-finger nylon bath towel, bath gloves, back towel can be hung to remove ash, exfoliate and exfoliate.Using environmentally friendly nylon material, combined with shower gel/soap, it produces a lot of foam, five fingers move freely, and the whole body is easy to take a bath with no dead ends, super easy to use!Matte towel cloth, effective decontaminationThe secret weapon for smoothing the skin is more comprehensive than the traditional scrubbing towel. It also has a massage effect and increases blood circulation in the skin.Made of highly elastic nylon material, suitable for all kinds of peopleTake a quick and clean bath in 1 minute to wipe off body dirt, make bathing easier, and make bathing time simple and happy", "pricing": "$22.16", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41c9qDtrT-L.jpg", "https://m.media-amazon.com/images/I/41dmyMAkd9L.jpg", "https://m.media-amazon.com/images/I/51iJNox3UyL.jpg", "https://m.media-amazon.com/images/I/41c9qDtrT-L.jpg", "https://m.media-amazon.com/images/I/41l7KWcLEyL.jpg", "https://m.media-amazon.com/images/I/51Qqh-eVclL.jpg", "https://m.media-amazon.com/images/I/51bvj1fc7ZL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Personal Care \u203a Bath & Bathing Accessories \u203a Bathing Accessories \u203a Bath Sponges", "average_rating": "", "small_description": ["ONGHAHYIS ", "\"Our body scrub exfoliating mitts provide deep exfoliation to visibly remove dead skin.Your skin will look smoother and feel softer. ", "After taking a hot shower or sauna or soak for 5-10 minutes, Working it over your body in circular motions until the skin gets crumpling in nasty pieces. ", "After regular periodic use, skin will benefit from deep clean-feeling soft, smooth, and healthy.Replace traditional bath towel, easy to clean, to grasp, good for removing dirt off. ", "perfect for both men and women of all ages. Healthier and Safer. more effective than other exfoliating washcloth. You can use it long time for Bath, Hammam and Sauna. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09NLYG95Z/ref=twister_B09NLZVFNJ?_encoding=UTF8&psc=1", "value": "Beige 1 Pair", "price_string": "$22.86", "price": 22.86, "image": "https://m.media-amazon.com/images/I/41dmyMAkd9L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NLZ3SSC/ref=twister_B09NLZVFNJ?_encoding=UTF8&psc=1", "value": "Pink 1 Pair", "price_string": "$22.86", "price": 22.86, "image": "https://m.media-amazon.com/images/I/51TcLldxABL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NLZ6GM8/ref=twister_B09NLZVFNJ?_encoding=UTF8&psc=1", "value": "Purple 1 Pair", "price_string": "$22.86", "price": 22.86, "image": "https://m.media-amazon.com/images/I/51xfIEVBubL.jpg"}, {"is_selected": true, "url": null, "value": "Random Color 1pc", "price_string": "$22.16", "price": 22.16, "image": "https://m.media-amazon.com/images/I/41c9qDtrT-L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NLZ7BF6/ref=twister_B09NLZVFNJ?_encoding=UTF8&psc=1", "value": "Rose Red 1 Pair", "price_string": "$22.86", "price": 22.86, "image": "https://m.media-amazon.com/images/I/51LuQCHkbCL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09NLZNQM7/ref=twister_B09NLZVFNJ?_encoding=UTF8&psc=1", "value": "Tea Green 1 Pair", "price_string": "$22.86", "price": 22.86, "image": "https://m.media-amazon.com/images/I/41dmyMAkd9L.jpg"}]}, "seller_id": "A2PW0ZKQTWUWHA", "seller_name": "sunjinfangamz", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09NLZFMRG", "category": "beauty", "query": "Bathing Accessories", "page": 172, "small_description_old": "ONGHAHYIS \"Our body scrub exfoliating mitts provide deep exfoliation to visibly remove dead skin.Your skin will look smoother and feel softer. After taking a hot shower or sauna or soak for 5-10 minutes, Working it over your body in circular motions until the skin gets crumpling in nasty pieces. After regular periodic use, skin will benefit from deep clean-feeling soft, smooth, and healthy.Replace traditional bath towel, easy to clean, to grasp, good for removing dirt off. perfect for both men and women of all ages. Healthier and Safer. more effective than other exfoliating washcloth. You can use it long time for Bath, Hammam and Sauna."}, {"name": "CLANMILUMS Men's Classic Comfort Soft Regular Fit Short Sleeve Henley T-Shirt Tee", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 12.08 x 10.04 x 2.32 inches; 7.76 Ounces", "Department\n \u200f": "\u200e\n Mens", "Date First Available\n \u200f": "\u200e\n March 14, 2020", "ASIN\n \u200f": "\u200e\n B085WR1RJ4", "Best Sellers Rank": "#524,908 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#474 in Men's Henley Shirts", "#474 in Men's Henley Shirts": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the CLANMILUMS Store", "brand_url": "https://www.amazon.com/stores/CLANMILUMS/page/E9CC1472-7B82-443D-B0B2-341B1FE10281?ref_=ast_bln", "full_description": "", "pricing": "$17.99$19.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41fbW+1v2IL.jpg", "https://m.media-amazon.com/images/I/41ONv6eQguL.jpg", "https://m.media-amazon.com/images/I/61e55N1fO6L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Men \u203a Clothing \u203a Shirts \u203a Henleys", "average_rating": 4.3, "small_description": ["65%COTTON\uff0c35%POLYESTER ", "Wash cold ", "Material: 65%COTTON\uff0c35%POLYESTER ", "Short sleeve & casual slim fit henley shirts, comfortable and slim fit casual wear, lightweight, basic designed. High Softness & Wearability. ", "Casual slim fit short sleeve henley T-Shirts soft to the touch for comfy wearing, pure cotton feels terrific all day long. ", "Suitable Occasion: Casual, Office, Work, Date, Party, Travel, Street, etc. Looking handsome while retaining ease of movement and added comfort. ", "Garment Care: Hand Wash Recommended / Machine Wash Cold "], "total_reviews": 123, "total_answered_questions": "", "customization_options": {"Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B085WR3G15"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07R5HDZNG"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07R9THP5L"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B085WQKRRJ"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B085WQL482"}], "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B085WR1RJ4/ref=twister_B085WSFMGG", "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/31qnAlnQY5L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085WR3BK2/ref=twister_B085WSFMGG", "value": "Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/417dvyazG4L.jpg"}, {"is_selected": true, "url": null, "value": "Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41fbW+1v2IL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09N72B1HV/ref=twister_B085WSFMGG", "value": "Light Grey", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/412yIb8PQgL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085WQHFBJ/ref=twister_B085WSFMGG", "value": "Red", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41znYjbpYIL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B085WQ8K21/ref=twister_B085WSFMGG", "value": "White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/21Bda6Lt2ML.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B085WQKRRJ", "category": "fashion", "query": "Men's Henleys", "page": 10, "small_description_old": "65%COTTON\uff0c35%POLYESTER Wash cold Material: 65%COTTON\uff0c35%POLYESTER Short sleeve & casual slim fit henley shirts, comfortable and slim fit casual wear, lightweight, basic designed. High Softness & Wearability. Casual slim fit short sleeve henley T-Shirts soft to the touch for comfy wearing, pure cotton feels terrific all day long. Suitable Occasion: Casual, Office, Work, Date, Party, Travel, Street, etc. Looking handsome while retaining ease of movement and added comfort. Garment Care: Hand Wash Recommended / Machine Wash Cold"}, {"name": "Calista Embellish Texturizing Definer Travel Size, Salon Quality Lightweight Styling Paste for All Hair Types, 1.7 oz (Packaging May Vary)", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 2.55 x 2.55 x 1 inches; 0.35 Ounces", "Item model number\n \u200f": "\u200e\n ETR111", "UPC\n \u200f": "\u200e\n 856482001512", "Manufacturer\n \u200f": "\u200e\n calista", "ASIN\n \u200f": "\u200e\n B01E7UY7AC", "Country of Origin\n \u200f": "\u200e\n USA", "Best Sellers Rank": "#47,531 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#2,298 in Hair Styling Products", "#2,298 in Hair Styling Products": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "", "brand_url": "", "full_description": "", "pricing": "$18.00", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/21Hb1cswEyL.jpg", "https://m.media-amazon.com/images/I/31w0-UCBSAL.jpg", "https://m.media-amazon.com/images/I/51Fmmgg-QFL.jpg", "https://m.media-amazon.com/images/I/41hCg0HgDZL.jpg", "https://m.media-amazon.com/images/I/41rwwddiI7L.jpg", "https://m.media-amazon.com/images/I/31kYIWwWucL.jpg", "https://m.media-amazon.com/images/I/51G41XAoovL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Styling Products", "average_rating": 4.2, "small_description": [""], "total_reviews": 458, "total_answered_questions": 11, "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B01E7UY7AC", "category": "beauty", "query": "Styling Products", "page": 9, "small_description_old": ""}, {"name": "Henn&Hart Contemporary Metal Floor Lamp in Blackened Bronze, (FL0656)", "product_information": {"Manufacturer": "\u200eHenn & Hart", "Brand": "\u200eHenn&Hart", "Item Weight": "\u200e9.92 pounds", "Product Dimensions": "\u200e14.25 x 14.25 x 60 inches", "Item model number": "\u200eFL0656", "Color": "\u200eBlackened Bronze", "Shape": "\u200eRound", "Material Type": "\u200eMetal", "Number of Items": "\u200e1", "Manufacturer Part Number": "\u200eFL0656", "ASIN": "B08TR23329", "Best Sellers Rank": ["#680,730 in Tools & Home Improvement (See Top 100 in Tools & Home Improvement) #3,721 in Floor Lamps"], "Date First Available": "January 21, 2021"}, "brand": "Visit the Henn&Hart Store", "brand_url": "https://www.amazon.com/stores/HennHart/page/D6B7BC7B-D72C-4A1A-BADE-006342C737A7?ref_=ast_bln", "full_description": "This contemporary floor lamp takes simplicity to a new level of sophistication with a blend of softly tapered shapes. This perfectly balanced design features a tulip-shaped base in blackened bronze or golden brass. An elongated shade of chiffon white linen shade emphasizes the lamp's verticality and creates a column of glowing light to illuminate any corner of your home.", "pricing": "$79.00", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock (more on the way).", "images": ["https://m.media-amazon.com/images/I/41wuSV8jkqL.jpg", "https://m.media-amazon.com/images/I/118oYDhZN4L.jpg", "https://m.media-amazon.com/images/I/21t4z-nvMNL.jpg", "https://m.media-amazon.com/images/I/41FVy58u0LL.jpg", "https://m.media-amazon.com/images/I/31uxnSedpEL.jpg", "https://m.media-amazon.com/images/I/41sPNBODqSS.jpg", "https://m.media-amazon.com/images/I/51aaL7Q9eKL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Tools & Home Improvement \u203a Lighting & Ceiling Fans \u203a Lamps & Shades \u203a Floor Lamps", "average_rating": "", "small_description": ["Handcrafted blackened bronze finish is applied to the steel frame ", "Paired with an elongated tapered cylindrical shade ", "Includes an 8 ft. cord ", "Foot switch on Cord ", "Rated for one 100W incandescent bulb; 9W LED bulb, 23W fluorescent CFL bulb, or 9W self-ballasted LED bulb. E26-base bulb ", "Included components: lamp and shade "], "total_reviews": "", "total_answered_questions": "", "model": "\u200eFL0656", "customization_options": {"Color": [{"is_selected": true, "url": null, "value": "Blackened Bronze", "price_string": "$79.00", "price": 79, "image": "https://m.media-amazon.com/images/I/21aE8khyZLS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08TQJHN5H/ref=twister_B093P2QPZL?_encoding=UTF8&psc=1", "value": "Brass", "price_string": "$129.99", "price": 129.99, "image": "https://m.media-amazon.com/images/I/31No833qkHS.jpg"}]}, "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B08TR23329", "category": "garden", "query": "Floor lamps", "page": 189, "small_description_old": "About this item\n \nHandcrafted blackened bronze finish is applied to the steel frame Paired with an elongated tapered cylindrical shade Includes an 8 ft. cord Foot switch on Cord Rated for one 100W incandescent bulb; 9W LED bulb, 23W fluorescent CFL bulb, or 9W self-ballasted LED bulb. E26-base bulb Included components: lamp and shade"}, {"name": "Pinsofy Underwater Ball Arm Adapter, Diving Ball Head Base Adapter High Strength for Underwater Photography", "product_information": {"Package Dimensions": "2.76 x 1.57 x 1.57 inches", "Item Weight": "2.12 ounces", "ASIN": "B09PKHJN8P", "Date First Available": "January 2, 2022", "Manufacturer": "Pinsofy"}, "brand": "Brand: Pinsofy", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Pinsofy", "full_description": "Feature:1. Aluminum Material: Adopts high quality aluminum alloy material with integrated design for high hardness and strength.2. Harden Processing: Has hard coating and anodized treatment, making the ball arm adapter connector durable for long term use.3. Hot Shoe Connector: Has a hot shoe base at the bottom that can be fixed directly to the waterproof housing or other hot shoe equipment.4. Portable: Compact in size, light in weight, so that the diving ball head adapter easy to carry.5. Applicable Situation: Suitable for diving, underwater photography and other underwater shooting.Specification:Item Type: Underwater Ball Arm AdapterMaterial: Aluminum AlloyColor: BlackApplication: For Diving, Underwater PhotographyWeight: Approx.54g/1.9oz Package List:1 x Ball Arm Adapter", "pricing": "$18.36", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/315f-9r3baL.jpg", "https://m.media-amazon.com/images/I/41CmQTdg4ZL.jpg", "https://m.media-amazon.com/images/I/31cTeAQabqL.jpg", "https://m.media-amazon.com/images/I/51fokiFO0jL.jpg", "https://m.media-amazon.com/images/I/315MH+NRgbL.jpg", "https://m.media-amazon.com/images/I/31SPEBzgG8L.jpg", "https://m.media-amazon.com/images/I/41M8eENceSL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Underwater Photography \u203a Underwater Lighting \u203a Parts & Accessories", "average_rating": "", "small_description": ["Aluminum Material: Adopts high quality aluminum alloy material with integrated design for high hardness and strength. ", "Portable: Compact in size, light in weight, so that the diving ball head adapter easy to carry. ", "Harden Processing: Has hard coating and anodized treatment, making the ball arm adapter connector durable for long term use. ", "Hot Shoe Connector: Has a hot shoe base at the bottom that can be fixed directly to the waterproof housing or other hot shoe equipment. ", "Applicable Situation: Suitable for diving, underwater photography and other underwater shooting. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A2I7XCKXB4ZTQC", "seller_name": "Pinsofk", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09PKHJN8P", "category": "electronics", "query": "Underwater Photography", "page": 45, "small_description_old": "Aluminum Material: Adopts high quality aluminum alloy material with integrated design for high hardness and strength. Portable: Compact in size, light in weight, so that the diving ball head adapter easy to carry. Harden Processing: Has hard coating and anodized treatment, making the ball arm adapter connector durable for long term use. Hot Shoe Connector: Has a hot shoe base at the bottom that can be fixed directly to the waterproof housing or other hot shoe equipment. Applicable Situation: Suitable for diving, underwater photography and other underwater shooting."}, {"name": "Disney Winnie The Pooh Tigger Upside Down Portrait Tank Top", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10 x 8 x 1 inches; 4.8 Ounces", "Department\n \u200f": "\u200e\n Womens", "Date First Available\n \u200f": "\u200e\n November 26, 2019", "Manufacturer\n \u200f": "\u200e\n Disney", "ASIN\n \u200f": "\u200e\n B08226NDZW", "Best Sellers Rank": "#1,383,132 in Clothing, Shoes & Jewelry (See Top 100 in Clothing, Shoes & Jewelry)#7,711 in Women's Novelty Tanks & Camis #241,176 in Men's Novelty Clothing #526,407 in Men's Fashion", "#7,711 in Women's Novelty Tanks & Camis": "", "#241,176 in Men's Novelty Clothing": "", "#526,407 in Men's Fashion": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Brand: Disney", "brand_url": "https://www.amazon.com/Disney/b/ref=bl_sl_s_ap_web_18726768011?ie=UTF8&node=18726768011&field-lbr_brands_browse-bin=Disney", "full_description": "Explore the wonderful world of Disney with your friends from Winnie The Pooh, The Aristocats, Lilo & Stitch, and more! Don't forget to pack these officially licensed graphic tees, hoodies, and sweatshirts for your adventure!", "pricing": "$25.99", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/A1Ig7DnP6sL.png", "https://m.media-amazon.com/images/I/31tbrimDw7L.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Clothing, Shoes & Jewelry \u203a Novelty & More \u203a Clothing \u203a Novelty \u203a Women \u203a Tops & Tees \u203a Tanks & Camis", "average_rating": 4.6, "small_description": ["Solid colors: 100% Cotton; Heather Grey: 90% Cotton, 10% Polyester; All Other Heathers: 50% Cotton, 50% Polyester ", "Imported ", "Machine Wash ", "Officially Licensed Disney Winnie The Pooh Apparel ", "19DNWP00021A-002 ", "Lightweight, Classic fit, Double-needle sleeve and bottom hem "], "total_reviews": 25, "total_answered_questions": "", "customization_options": {"Fit Type": [{"is_selected": true, "url": null, "value": "Men", "price_string": "", "price": 0, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08226NDZW?_encoding=UTF8&customId=B07MZQH9ZH", "value": "Women", "price_string": "", "price": 0, "image": null}], "Color": [{"is_selected": true, "url": null, "value": "Black", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1Ig7DnP6sL.png"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08226NDZW?_encoding=UTF8&customId=B07MZQFLP1", "value": "Navy", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/A1FAfhw%2B74L.png"}], "Size": [{"is_selected": false, "is_available": true, "value": "Small", "asin": "B07MZP9QWJ"}, {"is_selected": false, "is_available": true, "value": "Medium", "asin": "B07MZPH245"}, {"is_selected": false, "is_available": true, "value": "Large", "asin": "B07MZPVTSY"}, {"is_selected": false, "is_available": true, "value": "X-Large", "asin": "B07MZQH9YH"}, {"is_selected": false, "is_available": true, "value": "XX-Large", "asin": "B07MZQ58TP"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": true, "asin": "B08226NDZW", "category": "fashion", "query": "Men's T-Shirts & Tanks", "page": 11, "small_description_old": "Solid colors: 100% Cotton; Heather Grey: 90% Cotton, 10% Polyester; All Other Heathers: 50% Cotton, 50% Polyester Imported Machine Wash Officially Licensed Disney Winnie The Pooh Apparel 19DNWP00021A-002 Lightweight, Classic fit, Double-needle sleeve and bottom hem"}, {"name": "", "product_information": {"Manufacturer": "\u200eGGACEN", "ASIN": "\u200eB09P71WY8C", "": "", "Item model number": "\u200eWindow Sticker", "Date First Available": "\u200eDecember 20, 2021"}, "brand": "Brand: GGACEN", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_mw_0?ie=UTF8&search-alias=aps&field-keywords=GGACEN", "full_description": "", "pricing": "$18.00", "list_price": "", "availability_status": "In stock. Usually ships within 3 to 4 days.", "images": [""], "product_category": "", "average_rating": "", "small_description": ["\u2714 Technique: Decorative window film is Digital Printing,the color is more brighter than traditional printing\u3002 size:L23.6 x H35.4 inch ", "\u2714 Economical and practical\uff1aNo more heavy troublesome curtains or blinds, the high quality window privacy film helps decorate your space at a minimum cost. ", "\u2714 Applicable scene:smooth and clean Glass Surfaces in the Bathroom, Balcony, Living Room, Bedroom, Bathroom, Office. ", "\u2714 Operate\uff1a\u2605Cleaning windows\u2605 tearing off the base film\u2605Products and glass should be sprayed with a lot of water at installation then Secure the film by squeegeeing from center to edge\u2605remove all water and air bubbles ", "\u2714 Window Film: Independent designer team and factory production, to provide high-quality products while ensuring timely delivery. If you have any questions or suggestions during the purchase process, please contact us immediately. "], "total_reviews": "", "total_answered_questions": "", "model": "\u200eWindow Sticker", "customization_options": "", "seller_id": "A1BTQRLYXVC1JR", "seller_name": "CanKan Technology limited123", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09P71WY8C", "category": "garden", "query": "Window Coverings", "page": 215, "small_description_old": "\u2714 Technique: Decorative window film is Digital Printing,the color is more brighter than traditional printing\u3002 size:L23.6 x H35.4 inch\u2714 Economical and practical\uff1aNo more heavy troublesome curtains or blinds, the high quality window privacy film helps decorate your space at a minimum cost.\u2714 Applicable scene:smooth and clean Glass Surfaces in the Bathroom, Balcony, Living Room, Bedroom, Bathroom, Office.\u2714 Operate\uff1a\u2605Cleaning windows\u2605 tearing off the base film\u2605Products and glass should be sprayed with a lot of water at installation then Secure the film by squeegeeing from center to edge\u2605remove all water and air bubbles\u2714 Window Film: Independent designer team and factory production, to provide high-quality products while ensuring timely delivery. If you have any questions or suggestions during the purchase process, please contact us immediately."}, {"name": "Remote for RCA Wi-fi Streaming Media Player DSB772E with 1080p HDMI output", "product_information": {"Brand Name": "\u200eRCA", "Item model number": "\u200eDSB772E", "ASIN": "B00R249C5G", "Date First Available": "December 16, 2014"}, "brand": "Visit the RCA Store", "brand_url": "https://www.amazon.com/stores/RCATVs/page/3E34B8D8-734C-41A9-BDE2-4E14527E2992?ref_=ast_bln", "full_description": "This remote is the one shown in image 2. Apparently there are 3 remotes for this media player. This remote is the most reliable and has physical soft touch buttons. Unlike the flat one that comes with the unit. It is rounded at the bottom and is a replacement for the original.", "pricing": "$49.95", "list_price": "", "availability_quantity": 18, "availability_status": "Only 18 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/211g8Qdr8zL.jpg", "https://m.media-amazon.com/images/I/21QKklm8oFL.jpg", "https://m.media-amazon.com/images/I/41knQdQ+PVL.jpg", "https://m.media-amazon.com/images/I/41s0JK6HiWL.jpg", "https://m.media-amazon.com/images/I/41-ZqJrXZPL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Accessories & Supplies \u203a Audio & Video Accessories \u203a Cables & Interconnects \u203a Audio Cables \u203a RCA Cables", "average_rating": "", "small_description": [""], "total_reviews": "", "total_answered_questions": "", "model": "\u200eDSB772E", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B00R249C5G", "category": "electronics", "query": "Streaming Media Players", "page": 19, "small_description_old": ""}, {"name": "Laptop Battery Compatible with HP 807956-001 807957-001 HS04 HS03 240 245 246 250 255 256 G4 G5 807612-421 807611-421 807611-131 TPN-I119 HSTNN-LB6U 15-AY039WM 807611-421 15-AY041WM 15-AY009DX", "product_information": "", "brand": "Brand: Boyuteceer", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=Boyuteceer", "full_description": "", "pricing": "$22.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41T9v6TingL.jpg", "https://m.media-amazon.com/images/I/31BQA-QZF9L.jpg", "https://m.media-amazon.com/images/I/41sgHwhmF4L.jpg", "https://m.media-amazon.com/images/I/41nn475d76L.jpg", "https://m.media-amazon.com/images/I/41axUXcdBzL.jpg", "https://m.media-amazon.com/images/I/41px7QTko2L.jpg", "https://m.media-amazon.com/images/I/41sbimojfEL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Computers & Accessories \u203a Laptop Accessories \u203a Batteries", "average_rating": 4.6, "small_description": ["\u3010Specifications\u3011: Battery type: Lithium ion / Voltage:14.8V / Capacity: 2600mAh /Cells: 4-cell/ Color: Black.As a professional laptop battery seller, we we focus on our battery quality all the time. Built-in circuit protection, overcharge protection, over voltage protection ensures both safety and stability. Products are CE-/FCC-/RoHS-Certified. ", "\u3010Compatible P/N\u3011: 807611-131 , 807611-141 , 807611-221 , 807611-241 , 807611-251 , 807611-421 , 807611-831 , 807612-131 , 807612-141 , 807612-221 , 807612-241 , 807612-251 , 807612-421 , 807612-422 , 807612-831 , 807956-001 , 807957-001 , 843532-851 , 843533-851. ", "\u3010Compatible P/N\u3011: HS03 , HSO3 , HS03031-CL , HS04 , HS04041 , HS04041-CL , HSTNN-DB7I , HSTNN-LB6U , HSTNN-LB6V , HSTNN-PB6S , HSTNN-PB6T , HSTNN-PB6V , M2Q95AA#ABA , M2Q95AA , MT245 , N2L85AA#ABB , N2L85AA , TPN-C125 , TPN-C126 , TPN-I119 , TPN-I120 , TPN-I124. ", "\u3010Compatible Model\u3011:HP 240 G4 , HP 240 G5 , HP 245 G4 , HP 245 G5 , HP 246 G4 , HP 246 G5 , HP 250 G4 , HP 250 G5 , HP 255 G4 , HP 255 G5 , HP 256 G4 , HP 256 G5 , HP 340 G3 , HP 346 G3 , HP 348 G3 , HP 348 G4 , HP Pavilion 14-ac0XX, 14-ac1XX, 14-af0XX, 14g-ad1XX, 14q-aj1XX, 15-ac0XX, 15-af0XX, 15g-ad0XX, 15q-aj0XX 15-ac 15-af 15-ay 15-ba 15g-ad 15q-aj 14-ac 14-af 14-am 14-ad 14q-aj 17-x 17-y. ", "\u3010Warranty\u3011: Your shopping experience is important to us. Any questions, please feel free to contact us. we promise that we will help you to solve questions ASAP. 24 x 7 Email Support, free exchange in 12 months, 60 days money back guarantee. "], "total_reviews": 30, "total_answered_questions": "", "customization_options": "", "seller_id": "AF12JYSOLQL02", "seller_name": "BYTEC", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09CYYD51R", "category": "electronics", "query": "Batteries", "page": 72, "small_description_old": "About this item\n \n\u3010Specifications\u3011: Battery type: Lithium ion / Voltage:14.8V / Capacity: 2600mAh /Cells: 4-cell/ Color: Black.As a professional laptop battery seller, we we focus on our battery quality all the time. Built-in circuit protection, overcharge protection, over voltage protection ensures both safety and stability. Products are CE-/FCC-/RoHS-Certified. \u3010Compatible P/N\u3011: 807611-131 , 807611-141 , 807611-221 , 807611-241 , 807611-251 , 807611-421 , 807611-831 , 807612-131 , 807612-141 , 807612-221 , 807612-241 , 807612-251 , 807612-421 , 807612-422 , 807612-831 , 807956-001 , 807957-001 , 843532-851 , 843533-851. \u3010Compatible P/N\u3011: HS03 , HSO3 , HS03031-CL , HS04 , HS04041 , HS04041-CL , HSTNN-DB7I , HSTNN-LB6U , HSTNN-LB6V , HSTNN-PB6S , HSTNN-PB6T , HSTNN-PB6V , M2Q95AA#ABA , M2Q95AA , MT245 , N2L85AA#ABB , N2L85AA , TPN-C125 , TPN-C126 , TPN-I119 , TPN-I120 , TPN-I124. \u3010Compatible Model\u3011:HP 240 G4 , HP 240 G5 , HP 245 G4 , HP 245 G5 , HP 246 G4 , HP 246 G5 , HP 250 G4 , HP 250 G5 , HP 255 G4 , HP 255 G5 , HP 256 G4 , HP 256 G5 , HP 340 G3 , HP 346 G3 , HP 348 G3 , HP 348 G4 , HP Pavilion 14-ac0XX, 14-ac1XX, 14-af0XX, 14g-ad1XX, 14q-aj1XX, 15-ac0XX, 15-af0XX, 15g-ad0XX, 15q-aj0XX 15-ac 15-af 15-ay 15-ba 15g-ad 15q-aj 14-ac 14-af 14-am 14-ad 14q-aj 17-x 17-y. \u3010Warranty\u3011: Your shopping experience is important to us. Any questions, please feel free to contact us. we promise that we will help you to solve questions ASAP. 24 x 7 Email Support, free exchange in 12 months, 60 days money back guarantee."}, {"name": "Hair Cutting Scissors Shears, Professional Hairdressing Scissors Kit Hair Cutting Thinning Scissors Barber/Salon/Home Styling Tool Hairdressing Shears BY JJKY (Color : Scissors Blue)", "product_information": {"Item Weight": "0.035 ounces", "Department": "Unisex-adult", "Manufacturer": "Baaileyzaa", "ASIN": "B09GP6G1MT", "Date First Available": "September 20, 2021"}, "brand": "Brand: JJKY", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=JJKY", "full_description": "Professional Hairdressing Scissors Kit Hair Cutting Thinning Scissors Barber/Salon/Home Styling Tool Hairdressing Shears7PCS/Kit Package Included: 1 x regular hair scissors;1 x thinning scissor; 1 x cleaning cloth; 1 x grooming comb; 2 x hairpins; 1 x cover case.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41gJ34H79SL.jpg", "https://m.media-amazon.com/images/I/41rqtJBTJYL.jpg", "https://m.media-amazon.com/images/I/51HRuSatc4L.jpg", "https://m.media-amazon.com/images/I/41iyF4IvNLL.jpg", "https://m.media-amazon.com/images/I/417WybRb4hL.jpg", "https://m.media-amazon.com/images/I/41lPKq46+EL.jpg", "https://m.media-amazon.com/images/I/31o0uYOdAjL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Hair Cutting Tools \u203a Shears", "average_rating": "", "small_description": ["High-Quality Hair Cutting Scissors: The hair cutting scissors are made of high-quality Japanese stainless steel. Hair cutting scissors have the characteristics of heat resistance, corrosion resistance, rust resistance, and colorfastness. The hair cutting scissors use precision blades and hand-polished blades to reconcile, which can cut hair easily and evenly. ", "Extremely Sharp And Fine Cutting: The blades of this professional hairdressing scissors are extremely sharp and durable, thanks to the extremely fine grinding and heat treatment process. The most obvious characteristics of these hair cutting scissors are extremely fine cut, ergonomic, easy to operate, sharp and durable, and unique in appearance. ", "Ergonomic Handle: The hairdressing scissors adopt a non-slip handle, an ergonomic shape, and an integrated finger rest, which is comfortable and easy to cut. The eccentric handle of the hair cutting scissors adopts an anatomical thumb grip design, which can reduce thumb pressure, reduce the risk of fatigue after long-term use, and prevent carpal tunnel syndrome. Barber scissors provide stylists with more freedom of movement. ", "Designed for Precision Trimming: This hair cutting scissors is designed for professionals who pay attention to weight, maneuverability, durability and ergonomics. This incredible hair cutting scissors can cut all kinds of hair easily. It is lighter than other hair clippers, passes through the hair easier, does not have more damage, has no split ends, and no pulls. Barber scissors are suitable for amateurs or professionals, hairdressers or salons. ", "Lifetime Warranty: We fully believe in the quality, durability and practicality of these hair cutting scissors, so we provide a lifetime warranty. Time will prove that these hair cutting scissors are very good, very durable, and can effectively perform their functions. We provide 100% satisfaction or refund. Investment is risk-free. "], "total_reviews": "", "total_answered_questions": "", "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09GP654TN/ref=twister_B09GP6VXTW?_encoding=UTF8&psc=1", "value": "7PCS", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41qR90L97SL.jpg"}, {"is_selected": true, "url": null, "value": "Scissors Blue", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41gJ34H79SL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B09GP583RB/ref=twister_B09GP6VXTW?_encoding=UTF8&psc=1", "value": "Scissors White", "price_string": "", "price": 0, "image": "https://m.media-amazon.com/images/I/41J6ChDsukL.jpg"}]}, "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B09GP6G1MT", "category": "beauty", "query": "Hair Cutting Tools", "page": 132, "small_description_old": "About this item\n \nHigh-Quality Hair Cutting Scissors: The hair cutting scissors are made of high-quality Japanese stainless steel. Hair cutting scissors have the characteristics of heat resistance, corrosion resistance, rust resistance, and colorfastness. The hair cutting scissors use precision blades and hand-polished blades to reconcile, which can cut hair easily and evenly. Extremely Sharp And Fine Cutting: The blades of this professional hairdressing scissors are extremely sharp and durable, thanks to the extremely fine grinding and heat treatment process. The most obvious characteristics of these hair cutting scissors are extremely fine cut, ergonomic, easy to operate, sharp and durable, and unique in appearance. Ergonomic Handle: The hairdressing scissors adopt a non-slip handle, an ergonomic shape, and an integrated finger rest, which is comfortable and easy to cut. The eccentric handle of the hair cutting scissors adopts an anatomical thumb grip design, which can reduce thumb pressure, reduce the risk of fatigue after long-term use, and prevent carpal tunnel syndrome. Barber scissors provide stylists with more freedom of movement. Designed for Precision Trimming: This hair cutting scissors is designed for professionals who pay attention to weight, maneuverability, durability and ergonomics. This incredible hair cutting scissors can cut all kinds of hair easily. It is lighter than other hair clippers, passes through the hair easier, does not have more damage, has no split ends, and no pulls. Barber scissors are suitable for amateurs or professionals, hairdressers or salons. Lifetime Warranty: We fully believe in the quality, durability and practicality of these hair cutting scissors, so we provide a lifetime warranty. Time will prove that these hair cutting scissors are very good, very durable, and can effectively perform their functions. We provide 100% satisfaction or refund. Investment is risk-free."}, {"name": "MCK95701700 - Mckesson Brand Toothpaste McKesson Mint Flavor 2.75 oz. Tube", "product_information": {"Manufacturer\n \u200f": "\u200e\n Mckesson Brand", "ASIN\n \u200f": "\u200e\n B00Q5DO1KQ", "Best Sellers Rank": "#1,151,064 in Health & Household (See Top 100 in Health & Household)#6,371 in Toothpaste", "#6,371 in Toothpaste": ""}, "brand": "Visit the McKesson Store", "brand_url": "https://www.amazon.com/stores/McKesson/page/23D9C9DC-B946-439A-B154-AD86255E3D5E?ref_=ast_bln", "full_description": "McKesson Fluoride Toothpaste. 2.75 oz. (78 g). Mint Flavor. Helps protect against cavities.. Not Made With Natural Rubber Latex.", "pricing": "$6.27", "list_price": "", "availability_quantity": 6, "availability_status": "Only 6 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/41UOn-xw6JL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Toothpaste", "average_rating": "", "small_description": ["Application - Toothpaste ", "Container_Type - Tube ", "Size - 2.75 oz. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "ABOPLAY6RS86X", "seller_name": "global-wholesale", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00Q5DO1KQ", "category": "beauty", "query": "Toothpaste", "page": 101, "small_description_old": "About this item Application - Toothpaste Container_Type - Tube Flavor - Mint Flavor Size - 2.75 oz. Type - Paste"}, {"name": "tgin Miracle Repairx Protective Leave In Conditioner For Natural Hair - Dry Hair - Curly Hair - 13 Oz", "product_information": {"Is Discontinued By Manufacturer\n \u200f": "\u200e\n No", "Product Dimensions\n \u200f": "\u200e\n 2.5 x 2.5 x 6 inches; 13 Ounces", "UPC\n \u200f": "\u200e\n 858999006370", "Manufacturer\n \u200f": "\u200e\n tgin (Thank God It's Natural)", "ASIN\n \u200f": "\u200e\n B07K6TCDR9", "Best Sellers Rank": "#7,260 in Beauty & Personal Care (See Top 100 in Beauty & Personal Care)#220 in Hair Conditioner", "#220 in Hair Conditioner": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the Thank God It's Natural Store", "brand_url": "https://www.amazon.com/stores/Thank+God+It%27s+Natural/page/A7FA8546-1259-430F-A4A3-36113CF33ED9?ref_=ast_bln", "full_description": "", "pricing": "$11.59", "list_price": "", "availability_status": "In Stock. In Stock.", "images": ["https://m.media-amazon.com/images/I/31dRz-1UGWL.jpg", "https://m.media-amazon.com/images/I/41nEa9qOmLS.jpg", "https://m.media-amazon.com/images/I/41uhjUFpSsL.jpg", "https://m.media-amazon.com/images/I/41NHfRlOUtL.jpg", "https://m.media-amazon.com/images/I/414IhfBxfIS.jpg", "https://m.media-amazon.com/images/I/41L4quoyd6S.jpg", "https://m.media-amazon.com/images/I/51Klu-92xtL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Hair Care \u203a Shampoo & Conditioner \u203a Conditioners", "average_rating": 4.6, "small_description": ["Miracle RepaiRx Protective Leave In Conditioner adds definition while replenishing moisture to hair, restoring softness and shine. This intense conditioner uses black castor oil and biotin to treat hair, reducing split ends and promoting hair growth. ", "Our MRx leave in conditioner is a lightweight formula with no build -up that leaves hair feeling soft and manageable. ", "Penetrates hair\u2019s cuticle to allow for thorough conditioning ", "Miracle RepaiRx Collection, like our other tgin products, do not have parabens, sulfates, petrolatum, lanolin, artificial colors, animal testing. ", "Black, Women Owned: Our team at tgin is 96% women and 100% black-owned. "], "total_reviews": 1563, "total_answered_questions": 20, "customization_options": {"Size": [{"is_selected": true, "url": null, "value": "13 Fl Oz (Pack of 1)", "price_string": "$11.59", "price": 11.59, "image": null}, {"is_selected": false, "url": "https://www.amazon.com/dp/B08ZR7G1NV/ref=twister_B097Z2ZGWV?_encoding=UTF8&psc=1", "value": "32 Fl Oz (Pack of 1)", "price_string": "$29.99", "price": 29.99, "image": null}]}, "seller_id": "A31XD1D9G4DTZQ", "seller_name": "Thank God It's Natural", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07K6TCDR9", "category": "beauty", "query": "Hair Loss Products", "page": 9, "small_description_old": "About this item Miracle RepaiRx Protective Leave In Conditioner adds definition while replenishing moisture to hair, restoring softness and shine. This intense conditioner uses black castor oil and biotin to treat hair, reducing split ends and promoting hair growth. Our MRx leave in conditioner is a lightweight formula with no build -up that leaves hair feeling soft and manageable. Penetrates hair\u2019s cuticle to allow for thorough conditioning Miracle RepaiRx Collection, like our other tgin products, do not have parabens, sulfates, petrolatum, lanolin, artificial colors, animal testing. Black, Women Owned: Our team at tgin is 96% women and 100% black-owned."}, {"name": "Square iPhone 11 Case,Tzomsze Cute Full Camera Lens Protection & Electroplate Reinforced Corners Shockproof Edge Bumper Case Compatible with iPhone 11 [6.1 inches] -Candy Pink", "product_information": {"Product Dimensions": "6 x 3.2 x 0.48 inches", "Item Weight": "1.5 ounces", "ASIN": "B098SV78BW", "Customer Reviews": {"ratings_count": 1444, "stars": "4.6 out of 5 stars"}, "Best Sellers Rank": ["#2,227 in Cell Phones & Accessories (See Top 100 in Cell Phones & Accessories) #723 in Cell Phone Basic Cases"], "Special Features": "TPU Cushion, Plain, Reinforced Corners, Shockproof, Square,Candy", "Other display features": "Wireless", "Form Factor": "Bumper", "Colour": "Electroplate Pink-11", "Included Components": "Phone case", "Manufacturer": "Tzomsze", "Date First Available": "July 7, 2021"}, "brand": "Visit the Tzomsze Store", "brand_url": "https://www.amazon.com/stores/Tzomsze/page/7A3064DF-F05C-461B-905E-09BABDA1ACDA?ref_=ast_bln", "full_description": "", "pricing": "$10.59", "list_price": "", "availability_quantity": 1, "availability_status": "In Stock. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31iiIxdxD9S.jpg", "https://m.media-amazon.com/images/I/41IiCqSbFHS.jpg", "https://m.media-amazon.com/images/I/51bV+24e6bS.jpg", "https://m.media-amazon.com/images/I/512l11Y-WdS.jpg", "https://m.media-amazon.com/images/I/41e3jLzvlHS.jpg", "https://m.media-amazon.com/images/I/41KNIMivqFS.jpg", "https://m.media-amazon.com/images/I/61ujVlnf4TL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Cell Phones & Accessories \u203a Cases, Holsters & Sleeves \u203a Basic Cases", "average_rating": 4.6, "small_description": ["\u3010Compatible models\u3011Designed specifically for Apple iPhone 11 (6.1 inches), only applicable to iPhone 11, not compatible with any other models. Please confirm your phone model before purchasing. Can work with wireless charging. ", "\u3010Square Love Heart Plating Design\u3011The love-heart square iPhone 11 case is made of flexible TPU and bumper edge & camera edge adopts electroplating Gold Technology, does not fade, and feels soft and comfortable makes your iphone look unique, and has a beautiful Elegant shiny appearance. Slim profile and snug-fit with sleek grip, provide you with a high-quality touch. ", "\u3010Camera Lens Protection\u3011Cover with raised lips on front and back camera lens protector, provide full body heavy duty drop protection without bulk. This luxury phone case Camera lens has an upgraded design, compared with regular cases, this case equipped with an installed lens protection cover that is higher than the lens which makes your lens dust free and enhance lens protection. ", "\u3010Luxurious and Exquisite Design\u3011The back cover case for iPhone 12 ProMax is thoughtfully designed with precise cutouts of speakers, camera, audio, and other functional ports so that you can enjoy easy and precise access to all ports and functionality controls without having to remove the phone back case. lanyard hole on the side is used to attach accessories like ring holder strap or wristlet. Elegant design is perfect to be a gift for men, women, girls, and boys. ", "\u3010Square Corner Drop Protection\u3011 : This square case combines 4 square TPU air guard corners and edges which act as the bumper frame. Soft TPU material can provides your precious iPhone 11 with full degree protection against drops, scrapes and other impacts.The easy-to-grip and anti-slip design make it easy for you to hold and use your iPhone. "], "total_reviews": 1444, "total_answered_questions": 8, "customization_options": {"Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B098SX5ZML/ref=twister_B098SYQLG5?_encoding=UTF8&psc=1", "value": "Electroplate Black-11", "price_string": "$10.59", "price": 10.59, "image": "https://m.media-amazon.com/images/I/51jbN7rfQlS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098T1PCWC/ref=twister_B098SYQLG5?_encoding=UTF8&psc=1", "value": "Electroplate Dark Green-11", "price_string": "$10.59", "price": 10.59, "image": "https://m.media-amazon.com/images/I/51qdKYIbTBS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098SZN2C7/ref=twister_B098SYQLG5?_encoding=UTF8&psc=1", "value": "Electroplate Green-11", "price_string": "$10.99", "price": 10.99, "image": "https://m.media-amazon.com/images/I/51okwIiAYfS.jpg"}, {"is_selected": true, "url": null, "value": "Electroplate Pink-11", "price_string": "$10.59", "price": 10.59, "image": "https://m.media-amazon.com/images/I/51MSDyV4Q1S.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098SZFG2R/ref=twister_B098SYQLG5?_encoding=UTF8&psc=1", "value": "Electroplate Purple-11", "price_string": "$10.99", "price": 10.99, "image": "https://m.media-amazon.com/images/I/51OUgHi65YS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098SY7M1W/ref=twister_B098SYQLG5?_encoding=UTF8&psc=1", "value": "Electroplate Red-11", "price_string": "$10.59", "price": 10.59, "image": "https://m.media-amazon.com/images/I/51SlIZyJRZS.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098SYYW37/ref=twister_B098SYQLG5?_encoding=UTF8&psc=1", "value": "Electroplate Sea Blue-11", "price_string": "$10.99", "price": 10.99, "image": "https://m.media-amazon.com/images/I/51Y+Kjuqx+L.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B098SYQKZR/ref=twister_B098SYQLG5?_encoding=UTF8&psc=1", "value": "Electroplate Whitte-11", "price_string": "$10.59", "price": 10.59, "image": "https://m.media-amazon.com/images/I/51Vq2WWxjGS.jpg"}]}, "seller_id": "A3OYVXWWCIMOF4", "seller_name": "TZOMSZE", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": true, "asin": "B098SV78BW", "category": "electronics", "query": "iPhone Accessories", "page": 400, "small_description_old": "About this item \u3010Compatible models\u3011Designed specifically for Apple iPhone 11 (6.1 inches), only applicable to iPhone 11, not compatible with any other models. Please confirm your phone model before purchasing. Can work with wireless charging. \u3010Square Love Heart Plating Design\u3011The love-heart square iPhone 11 case is made of flexible TPU and bumper edge & camera edge adopts electroplating Gold Technology, does not fade, and feels soft and comfortable makes your iphone look unique, and has a beautiful Elegant shiny appearance. Slim profile and snug-fit with sleek grip, provide you with a high-quality touch. \u3010Camera Lens Protection\u3011Cover with raised lips on front and back camera lens protector, provide full body heavy duty drop protection without bulk. This luxury phone case Camera lens has an upgraded design, compared with regular cases, this case equipped with an installed lens protection cover that is higher than the lens which makes your lens dust free and enhance lens protection. \u3010Luxurious and Exquisite Design\u3011The back cover case for iPhone 12 ProMax is thoughtfully designed with precise cutouts of speakers, camera, audio, and other functional ports so that you can enjoy easy and precise access to all ports and functionality controls without having to remove the phone back case. lanyard hole on the side is used to attach accessories like ring holder strap or wristlet. Elegant design is perfect to be a gift for men, women, girls, and boys. \u3010Square Corner Drop Protection\u3011 : This square case combines 4 square TPU air guard corners and edges which act as the bumper frame. Soft TPU material can provides your precious iPhone 11 with full degree protection against drops, scrapes and other impacts.The easy-to-grip and anti-slip design make it easy for you to hold and use your iPhone."}, {"name": "Benro A2573F Aluminium Tripod with S6PRO Video Head", "product_information": {"Product Dimensions": "35.8 x 8.3 x 8.2 inches", "Item Weight": "7.87 pounds", "ASIN": "B082HFQM2B", "Item model number": "A2573FS6PRO", "Customer Reviews": {"ratings_count": 19, "stars": "4.3 out of 5 stars"}, "Best Sellers Rank": ["#539 in Complete Tripod Units"], "Date First Available": "November 28, 2019", "Manufacturer": "Benro"}, "brand": "Visit the Benro Store", "brand_url": "https://www.amazon.com/stores/Benro/page/908D5620-E372-41CB-BF22-11919B2BA742?ref_=ast_bln", "full_description": "The Benro A2573F Aluminum Single Tube Tripod with S6Pro Fluid Video Head is a versatile system supporting up to 13.2 lb loads. It has a compact design with single-tube legs, and it features a 65mm flat base that allows moving the head from the tripod directly to sliders, jibs, and other support gear.", "pricing": "$314.95", "list_price": "", "availability_quantity": 1, "availability_status": "Only 1 left in stock - order soon. Only 1 left in stock - order soon.", "images": ["https://m.media-amazon.com/images/I/31KMUQTAoDL.jpg", "https://m.media-amazon.com/images/I/21zCVAsz6DL.jpg", "https://m.media-amazon.com/images/I/3111mh7gDzL.jpg", "https://m.media-amazon.com/images/I/415uz5ARJUL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Electronics \u203a Camera & Photo \u203a Tripods & Monopods \u203a Complete Tripods", "average_rating": 4.3, "small_description": ["13.2 lb Payload/5+0 Steps Counterbalance ", "65mm Flat Base with 3/8\"-16 Thread ", "Low-Angle 17.5\" to 71\" Height (2 Stages) ", "Three Leg Positions; Leveling Adapter "], "total_reviews": 19, "total_answered_questions": "", "model": "A2573FS6PRO", "customization_options": "", "seller_id": "A3FR7YOQDCCAIT", "seller_name": "Dodd Camera", "fulfilled_by_amazon": true, "fast_track_message": " \n \n", "aplus_present": "", "asin": "B082HFQM2B", "category": "electronics", "query": "Tripods & Monopods", "page": 56, "small_description_old": "About this item\n \n13.2 lb Payload/5+0 Steps Counterbalance 65mm Flat Base with 3/8\"-16 Thread Low-Angle 17.5\" to 71\" Height (2 Stages) Three Leg Positions; Leveling Adapter"}, {"name": "Xerox AltaLink B8055 A3 Mono Laser Multifunction Copier - 55ppm, Copy, Print, Scan, Email, Auto Duplex, Network, Single Pass Duplex Auto Doc Feeder, 2 Trays, High Capacity Tandem Tray", "product_information": {"ASIN": "B07JMS4SL4", "Item model number": "B8055", "Is Discontinued By Manufacturer": "No", "Date First Available": "October 22, 2018", "Manufacturer": "Xerox"}, "brand": "Brand: ABD Office Solutions", "brand_url": "https://www.amazon.com/ABD-Office-Solutions/b/ref=bl_dp_s_web_14259388011?ie=UTF8&node=14259388011&field-lbr_brands_browse-bin=ABD+Office+Solutions", "full_description": "Xerox AltaLink B8055: 55ppm tabloid/ledger-size black and white MFP laser ideal for large-sized offices. 200K Monthly Duty Cycle, Auto Duplex Print/Scan, Copy, 1200 x 1200 dpi Image Quality, Up to 11x17 Media Size, Single Pass Duplex Document Feeder, 4600-sheet Paper Input Capacity, 110 -127 VAC 50/60 Hz, Power Cord. Fully refurbished in-house with 30-Day Parts Warranty. This machine is built with Xerox ConnectKey Technology. It enables powerful, single-touch scanning workflows in various formats such as text searchable and single/multi-page PDFs. You can also scan, fax and print directly from your phone or tablet by connecting with the printer using Xerox Mobile Link App. This app sends data to and prints data from cloud storage. Specifications: Standard: Copy, Print, Scan, 2 Trays, High Capacity Tandem Tray Print speed: Up to 55 ppm Duty cycle: Up to 200,000 pages/month Print resolution: Up to 1200 x 1200 dpi Paper size: Up to 11 x 17 in. / A3 Paper input capacity (std / max.): 4,600 sheets / 8,000 sheets with options Warranty: 30-Day Parts Warranty What's Included: Xerox AltaLink B8055 Average 30% consumables Power cord Optional Accessories: Contact us for availability and pricing Feeders: High Capacity Feeder, Envelope Tray Finishers: Sort and Collate, Staple, Hole Punch, Booklet, Z Fold, C Fold Internal Accessories: Fax, Wireless Adapter, Software Packages", "pricing": "$4,299.99", "list_price": "", "availability_status": "Usually ships within 6 to 10 days.", "images": ["https://m.media-amazon.com/images/I/31eArzcnSCL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Office Products \u203a Office Electronics \u203a Copiers", "average_rating": "", "small_description": ["Standard Functions: Copy, Print, Scan, Network, Single Pass Duplex Automatic Document Feeder, NFC Tap-to-Pair ", "Print Speed: Up to 55 pages per minute ", "Media Sizes: 11\" x 17\", 8.5\" x 11\", 8.5\" x 14\" (A3/Tabloid or Ledger, A4/Letter and Legal) ", "Paper Input Capacity (std. / max.): 4,600 sheets / 8,000 sheets with options ", "This is a used machine that has been fully refurbished and checked by our in-house certified technicians. Standard Configuration: Print / Copy / Scan / 2 Trays / High Capacity Tandem Tray. Machine ships with average 30% consumables and power cord only. Comes with 30-Day Parts Warranty. "], "total_reviews": "", "total_answered_questions": "", "model": "B8055", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": " \n \n", "aplus_present": "", "asin": "B07JMS4SL4", "category": "electronics", "query": "Printers & Scanners", "page": 215, "small_description_old": "About this item\n \nStandard Functions: Copy, Print, Scan, Network, Single Pass Duplex Automatic Document Feeder, NFC Tap-to-Pair Print Speed: Up to 55 pages per minute Media Sizes: 11\" x 17\", 8.5\" x 11\", 8.5\" x 14\" (A3/Tabloid or Ledger, A4/Letter and Legal) Paper Input Capacity (std. / max.): 4,600 sheets / 8,000 sheets with options This is a used machine that has been fully refurbished and checked by our in-house certified technicians. Standard Configuration: Print / Copy / Scan / 2 Trays / High Capacity Tandem Tray. Machine ships with average 30% consumables and power cord only. Comes with 30-Day Parts Warranty."}, {"name": "Professional Clean Flossers Extra Strong Flosser Pick, Fresh Mint, 100 Count (Pack of 6)", "product_information": {"Package Dimensions\n \u200f": "\u200e\n 10.79 x 7.87 x 2.83 inches; 15.87 Ounces", "Date First Available\n \u200f": "\u200e\n October 30, 2019", "Manufacturer\n \u200f": "\u200e\n VINSULLA", "ASIN\n \u200f": "\u200e\n B09JBZQJ9M", "Best Sellers Rank": "#269,203 in Health & Household (See Top 100 in Health & Household)#924 in Dental Floss", "#924 in Dental Floss": ""}, "brand": "Brand: VINSULLA", "brand_url": "https://www.amazon.com/VINSULLA/b/ref=bl_dp_s_web_21397761011?ie=UTF8&node=21397761011&field-lbr_brands_browse-bin=VINSULLA", "full_description": "", "pricing": "$18.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/41bcYec+2yL.jpg", "https://m.media-amazon.com/images/I/41iLGanLKHL.jpg", "https://m.media-amazon.com/images/I/41bUyTLTLdL.jpg", "https://m.media-amazon.com/images/I/51Mt+-09afL.jpg", "https://m.media-amazon.com/images/I/51IgajU2aNL.jpg", "https://m.media-amazon.com/images/I/41OufSsNeuL.jpg", "https://m.media-amazon.com/images/I/41LzrSEWPiL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Beauty & Personal Care \u203a Oral Care \u203a Dental Floss & Picks \u203a Dental Floss", "average_rating": "", "small_description": ["Ergonomic Design: Widened finger rest for greater comfort and control. Ribbed grip and wider handle for improved control. ", "High Quality: The Dental floss is made of food-grade polymer scribed.It is high Toughness strong rally and smooth round wire, it will not hurt the teeth. Not easy to break and bending resistance.The floss handle is made of polystyrene and is extremely durable. ", "Easily Remove Plaque: Extra strong floss effectively removes plaque and food particles.Easily slides between teeth to remove unwanted and unsightly food debris. ", "Fresh Mint: Minty flavor leaves your mouth and gums feeling clean and refreshed. ", "Satisfaction Guarantee: We're proud of our products. If you aren't satisfied,or have any questions about our products, please feel free to contact us. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A240XKQA2DV1DP", "seller_name": "AlwaysDeals4You", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B09JBZQJ9M", "category": "beauty", "query": "Dental Floss & Picks", "page": 30, "small_description_old": "About this item Ergonomic Design: Widened finger rest for greater comfort and control. Ribbed grip and wider handle for improved control. High Quality: The Dental floss is made of food-grade polymer scribed.It is high Toughness strong rally and smooth round wire, it will not hurt the teeth. Not easy to break and bending resistance.The floss handle is made of polystyrene and is extremely durable. Easily Remove Plaque: Extra strong floss effectively removes plaque and food particles.Easily slides between teeth to remove unwanted and unsightly food debris. Fresh Mint: Minty flavor leaves your mouth and gums feeling clean and refreshed. Satisfaction Guarantee: We're proud of our products. If you aren't satisfied,or have any questions about our products, please feel free to contact us."}, {"name": "OS Home and Office Sierra Writing Desk, Medium, Mission Ash", "product_information": {"Item Weight": "\u200e49 pounds", "Product Dimensions": "\u200e20 x 40 x 30 inches", "Country of Origin": "\u200eVietnam", "Item model number": "\u200eSRA25-AH", "ASIN": "B09DZVSFJL", "Best Sellers Rank": ["#5,203,174 in Home & Kitchen (See Top 100 in Home & Kitchen) #16,809 in Home Office Desks"], "Date First Available": "August 30, 2021"}, "brand": "Brand: OS Home and Office", "brand_url": "https://www.amazon.com/OS-Home-and-Office/b/ref=bl_dp_s_web_7494434011?ie=UTF8&node=7494434011&field-lbr_brands_browse-bin=OS+Home+and+Office", "full_description": "Imagine how impressed your friends will be when they see the new Sierra Mission Desk in your home office. Certain to proclaim your taste for serious style; this craftsman style desk is a winner on so many levels. Envision this mature yet down-home desk housing your tablets, paperwork or laptop as you sit before it in classic style. Studies have proven that more than half of American workers judge others on how clean or dirty their workspaces are, but with an Oak finish in an Ash Stain, this desk is easy to clean and is outfitted with an attractive metal handle drawer to keep your documents and pens in the perfect place. Whether you homes style is mature and Transitional, urban and Contemporary, or cultured and Cosmopolitan, the all new Sierra Mission Desk is the perfect style statement for your d\u00e9cor that is as attractive as it is affordable. Add to cart now and start enjoying this precocious specimen of home office chattel for years to come.", "pricing": "$199.64", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51Na9jDZ7CL.jpg", "https://m.media-amazon.com/images/I/31eUW1iFevL.jpg", "https://m.media-amazon.com/images/I/51GS1RDmYlL.jpg", "https://m.media-amazon.com/images/I/31kzTNJAftL.jpg", "https://m.media-amazon.com/images/I/41+BhmhWz7L.jpg", "https://m.media-amazon.com/images/I/61obkBuQ2WL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Furniture \u203a Home Office Furniture \u203a Home Office Desks", "average_rating": "", "small_description": ["Constructed from Solid wood and Wood Veneers ", "Attractive Ash Furniture Grade Finish ", "Interesting Mission Style ", "Attractive metal pewter drawer pull ", "Spacious pencil drawer operates on sturdy metal drawer guides "], "total_reviews": "", "total_answered_questions": "", "model": "\u200eSRA25-AH", "customization_options": "", "seller_id": "", "seller_name": "Amazon.com", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": "", "asin": "B09DZVSFJL", "category": "garden", "query": "Home Office Desks", "page": 160, "small_description_old": "About this item Constructed from Solid wood and Wood Veneers Attractive Ash Furniture Grade Finish Interesting Mission Style Attractive metal pewter drawer pull Spacious pencil drawer operates on sturdy metal drawer guides \n \u203a See more product details"}, {"name": "XWZH Mirrors for Wall Mirrors for Living Room Nordic Style Decorative Mirror Creative Bedroom Washroom Bathroom Wall Hanging Round Mirror", "product_information": {"Item Weight": "0.035 ounces", "Manufacturer": "XWZH", "ASIN": "B08TGV7SP2"}, "brand": "Brand: XWZH", "brand_url": "https://www.amazon.com/s/ref=bl_dp_s_web_0?ie=UTF8&search-alias=aps&field-keywords=XWZH", "full_description": "Wall mirror Wooden Mirror Wall Decorative Hotel Home Vanity Sliver MirrorProduct Name: MirrorMaterial:Wood frame+glassSize:56CMApplicable space: Hotel, bar, restaurant, bathroom, dressing table, bedroom, living room, entrance, etc.Style: modern minimalist, American, European", "pricing": "$513.08", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/319pHlO3RFL.jpg", "https://m.media-amazon.com/images/I/31aw8c3Pv7L.jpg", "https://m.media-amazon.com/images/I/31kCg0bzt0L.jpg", "https://m.media-amazon.com/images/I/512veWSZenL.jpg", "https://m.media-amazon.com/images/I/41PLFauK+CL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Mirrors \u203a Wall-Mounted Mirrors", "average_rating": "", "small_description": ["Every large mirror has sleek 1-inch beveled edge it gives the feeling of even more light and depth, ", "Use it as a decorative wall mirror in your living room, entryway, or bedroom, or use it as a bathroom vanity mirror ", "D-ring hangers already attached for easy wall mounting. Hangs vertical or horizontal ", "The mirror can be hung either landscape or portrait depending on available wall space, either way the mirror will create a wonderful look. "], "total_reviews": "", "total_answered_questions": "", "customization_options": "", "seller_id": "A3CF2O9ZIEDICD", "seller_name": "RED LIGHTING FAN", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B08TGV7SP2", "category": "garden", "query": "Decorative Mirrors", "page": 320, "small_description_old": "About this item\n \nEvery large mirror has sleek 1-inch beveled edge it gives the feeling of even more light and depth, Use it as a decorative wall mirror in your living room, entryway, or bedroom, or use it as a bathroom vanity mirror D-ring hangers already attached for easy wall mounting. Hangs vertical or horizontal The mirror can be hung either landscape or portrait depending on available wall space, either way the mirror will create a wonderful look."}, {"name": "JINCHAN Tie Up Valance Moroccan Tile Print Curtain Valance Bedroom Curtain Quatrefoil Flax Linen Blend Textured Geometry Lattice Rod Pocket Window Treatment Set Living Room 1 Panel 18\" L Grey", "product_information": {"Product Dimensions": "18 x 52 x 0.01 inches", "Item Weight": "10.5 ounces", "Manufacturer": "CKNY HOME FASHION", "ASIN": "B07DRFDWVT", "Country of Origin": "China", "Item model number": "009MRCATIEUP-5018C01", "Customer Reviews": {"ratings_count": 206, "stars": "4.4 out of 5 stars"}, "Best Sellers Rank": ["#333,969 in Home & Kitchen (See Top 100 in Home & Kitchen) #3,087 in Window Curtain Panels"], "Is Discontinued By Manufacturer": "No", "Date First Available": "January 7, 2019"}, "brand": "Visit the jinchan Store", "brand_url": "https://www.amazon.com/stores/JINCHAN/page/10C0A298-9E63-42AB-B2FE-37E13854E2B8?ref_=ast_bln", "full_description": "", "pricing": "$12.99", "list_price": "", "availability_status": "In Stock.", "images": ["https://m.media-amazon.com/images/I/51FMGcayk7L.jpg", "https://m.media-amazon.com/images/I/51Xkk89lNgL.jpg", "https://m.media-amazon.com/images/I/51FxGDUjaVL.jpg", "https://m.media-amazon.com/images/I/51mFB9vpjlL.jpg", "https://m.media-amazon.com/images/I/51jwEpsJJgL.jpg", "https://m.media-amazon.com/images/I/51N2ub1nkuL.jpg", "https://m.media-amazon.com/images/I/51D7jGkDTeL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Home & Kitchen \u203a Home D\u00e9cor Products \u203a Window Treatments \u203a Curtains & Drapes \u203a Panels", "average_rating": 4.4, "small_description": ["Geometric Style: Moroccan print design with its visually clean lines gives the curtain a modern twist from a rustic flax linen look. ", "Light Reducing: These curtains allows for privacy while allowing some light to filter through. Enjoy your favorite show with no glare on your screen. ", "Easy Care: Machine washable in cold water, gentle cycle, tumble dry low. light iron if needed. "], "total_reviews": 206, "total_answered_questions": "", "model": "009MRCATIEUP-5018C01", "customization_options": {"Size": null, "Color": [{"is_selected": false, "url": "https://www.amazon.com/dp/B09QCPQ1HM/ref=twister_B08Q75N1HC?_encoding=UTF8&psc=1", "value": "*Soft Grey", "price_string": "$12.99", "price": 12.99, "image": "https://m.media-amazon.com/images/I/61dJvsxVT5L.jpg"}, {"is_selected": true, "url": null, "value": "Soft Grey", "price_string": "$12.99", "price": 12.99, "image": "https://m.media-amazon.com/images/I/61clNT5ROkL.jpg"}, {"is_selected": false, "url": "https://www.amazon.com/dp/B07DRCCDJ5/ref=twister_B08Q75N1HC?_encoding=UTF8&psc=1", "value": "Taupe", "price_string": "$11.99", "price": 11.99, "image": "https://m.media-amazon.com/images/I/61jd2WK+J8L.jpg"}]}, "seller_id": "A4IAF22BU8ZKC", "seller_name": "CKNY", "fulfilled_by_amazon": true, "fast_track_message": "", "aplus_present": true, "asin": "B07DRFDWVT", "category": "garden", "query": "Living room Sets", "page": 186, "small_description_old": "About this item\n \nGeometric Style: Moroccan print design with its visually clean lines gives the curtain a modern twist from a rustic flax linen look. Light Reducing: These curtains allows for privacy while allowing some light to filter through. Enjoy your favorite show with no glare on your screen. Easy Care: Machine washable in cold water, gentle cycle, tumble dry low. light iron if needed."}, {"name": "AriZona Arnold Palmer Zero Half & Half Iced Tea Lemonade", "product_information": {"Product Dimensions\n \u200f": "\u200e\n 5.6 x 7.15 x 10.25 inches; 8.69 Pounds", "UPC\n \u200f": "\u200e\n 613008730444", "Manufacturer\n \u200f": "\u200e\n Arizona Beverages USA", "ASIN\n \u200f": "\u200e\n B00BT1QVW0", "Best Sellers Rank": "#106,492 in Grocery & Gourmet Food (See Top 100 in Grocery & Gourmet Food)#1,248 in Tea Samplers", "#1,248 in Tea Samplers": "", "Customer Reviews": {"ratings_count": null, "stars": null}}, "brand": "Visit the AriZona Store", "brand_url": "https://www.amazon.com/stores/AriZona/page/A324D639-8C2F-467A-A9BC-A054A93595FF?ref_=ast_bln", "full_description": "AriZona Arnold Palmer Zero No Calories Half & Half Iced Tea Lemonade.", "pricing": "", "list_price": "", "availability_status": "", "images": ["https://m.media-amazon.com/images/I/41QmPfNOleL.jpg", "https://images-na.ssl-images-amazon.com/images/G/01/x-locale/common/transparent-pixel.gif"], "product_category": "Grocery & Gourmet Food \u203a Beverages \u203a Coffee, Tea & Cocoa \u203a Tea \u203a Tea Samplers", "average_rating": 3.2, "small_description": [""], "total_reviews": 19, "total_answered_questions": "", "customization_options": "", "seller_id": "", "seller_name": "", "fulfilled_by_amazon": "", "fast_track_message": "", "aplus_present": "", "asin": "B00BT1QVW0", "category": "grocery", "query": "Beverages", "page": 397, "small_description_old": ""}] \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/requirements.txt b/openmanus_rl/agentgym/agentenv-webshop/webshop/requirements.txt new file mode 100644 index 00000000..77eda3bc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/requirements.txt @@ -0,0 +1,24 @@ +beautifulsoup4==4.11.1 +cleantext==1.1.4 +env==0.1.0 +Flask==2.1.2 +gdown +gradio +gym==0.24.0 +numpy==1.22.4 +pandas==1.4.2 +pyserini==0.17.0 +pytest +PyYAML==6.0 +rank_bm25==0.2.2 +requests==2.27.1 +requests_mock +rich==12.4.4 +scikit_learn==1.1.1 +selenium==4.2.0 +spacy==3.3.0 +thefuzz==0.19.0 +torch==1.11.0 +tqdm==4.64.0 +train==0.0.5 +transformers==4.19.2 diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/run_dev.sh b/openmanus_rl/agentgym/agentenv-webshop/webshop/run_dev.sh new file mode 100644 index 00000000..73442e28 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/run_dev.sh @@ -0,0 +1,3 @@ +#!/bin/bash +export FLASK_ENV=development +python -m web_agent_site.app --log --attrs diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/run_envs/run_web_agent_site_env.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/run_envs/run_web_agent_site_env.py new file mode 100644 index 00000000..c9b9049b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/run_envs/run_web_agent_site_env.py @@ -0,0 +1,41 @@ +""" +Test the site gym environment. + +TODO: move to testing dir for more rigorous tests +""" +import gym +from rich import print +from rich.markup import escape + +from web_agent_site.envs import WebAgentSiteEnv +from web_agent_site.models import ( + HumanPolicy, + RandomPolicy, +) +from web_agent_site.utils import DEBUG_PROD_SIZE + + +if __name__ == '__main__': + #env = gym.make('WebAgentSite-v0') + #env = WebAgentSiteEnv(render=True, pause=2.0) + #env = WebAgentSiteEnv(observation_mode='html', render=False) + env = WebAgentSiteEnv(observation_mode='text', render=False, num_products=DEBUG_PROD_SIZE) + global_step = 0 + + try: + #policy = HumanPolicy() + policy = RandomPolicy() + + observation = env.observation + while True: + print(observation) + available_actions = env.get_available_actions() + print('Available actions:', available_actions) + action = policy.forward(observation, available_actions) + observation, reward, done, info = env.step(action) + print(f'Taking action "{escape(action)}" -> Reward = {reward}') + if done: + break + global_step += 1 + finally: + env.close() \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/run_envs/run_web_agent_text_env.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/run_envs/run_web_agent_text_env.py new file mode 100644 index 00000000..ddc54bc9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/run_envs/run_web_agent_text_env.py @@ -0,0 +1,32 @@ +""" +Test the text gym environment. + +TODO: move to testing dir for more rigorous tests +""" +import gym +from rich import print +from rich.markup import escape + +from web_agent_site.envs import WebAgentTextEnv +from web_agent_site.models import RandomPolicy +from web_agent_site.utils import DEBUG_PROD_SIZE + +if __name__ == '__main__': + env = gym.make('WebAgentTextEnv-v0', observation_mode='text', num_products=DEBUG_PROD_SIZE) + env.reset() + + try: + policy = RandomPolicy() + + observation = env.observation + while True: + print(observation) + available_actions = env.get_available_actions() + print('Available actions:', available_actions) + action = policy.forward(observation, available_actions) + observation, reward, done, info = env.step(action) + print(f'Taking action "{escape(action)}" -> Reward = {reward}') + if done: + break + finally: + env.close() \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/run_prod.sh b/openmanus_rl/agentgym/agentenv-webshop/webshop/run_prod.sh new file mode 100644 index 00000000..7ae92ebf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/run_prod.sh @@ -0,0 +1,2 @@ +#!/bin/bash +python -m web_agent_site.app --log diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/run_web_agent_site_env.sh b/openmanus_rl/agentgym/agentenv-webshop/webshop/run_web_agent_site_env.sh new file mode 100644 index 00000000..e6c1cd95 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/run_web_agent_site_env.sh @@ -0,0 +1,2 @@ +#!/bin/bash +python -m run_envs.run_web_agent_site_env diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/run_web_agent_text_env.sh b/openmanus_rl/agentgym/agentenv-webshop/webshop/run_web_agent_text_env.sh new file mode 100644 index 00000000..02f107c0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/run_web_agent_text_env.sh @@ -0,0 +1,2 @@ +#!/bin/bash +python -m run_envs.run_web_agent_text_env diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/search_engine/convert_product_file_format.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/search_engine/convert_product_file_format.py new file mode 100644 index 00000000..3985cd81 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/search_engine/convert_product_file_format.py @@ -0,0 +1,47 @@ +import sys +import json +from tqdm import tqdm +sys.path.insert(0, '../') + +from web_agent_site.utils import DEFAULT_FILE_PATH +from web_agent_site.engine.engine import load_products + +all_products, *_ = load_products(filepath=DEFAULT_FILE_PATH) + + +docs = [] +for p in tqdm(all_products, total=len(all_products)): + option_texts = [] + options = p.get('options', {}) + for option_name, option_contents in options.items(): + option_contents_text = ', '.join(option_contents) + option_texts.append(f'{option_name}: {option_contents_text}') + option_text = ', and '.join(option_texts) + + doc = dict() + doc['id'] = p['asin'] + doc['contents'] = ' '.join([ + p['Title'], + p['Description'], + p['BulletPoints'][0], + option_text, + ]).lower() + doc['product'] = p + docs.append(doc) + + +with open('./resources_100/documents.jsonl', 'w+') as f: + for doc in docs[:100]: + f.write(json.dumps(doc) + '\n') + +with open('./resources/documents.jsonl', 'w+') as f: + for doc in docs: + f.write(json.dumps(doc) + '\n') + +with open('./resources_1k/documents.jsonl', 'w+') as f: + for doc in docs[:1000]: + f.write(json.dumps(doc) + '\n') + +with open('./resources_100k/documents.jsonl', 'w+') as f: + for doc in docs[:100000]: + f.write(json.dumps(doc) + '\n') diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/search_engine/lucene_searcher.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/search_engine/lucene_searcher.py new file mode 100644 index 00000000..ebe69552 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/search_engine/lucene_searcher.py @@ -0,0 +1,15 @@ +import json +from pyserini.search.lucene import LuceneSearcher +from rich import print + + +searcher = LuceneSearcher('indexes') +hits = searcher.search('rubber sole shoes', k=20) + +for hit in hits: + doc = searcher.doc(hit.docid) + print(doc) + obj = json.loads(doc.raw())['product']['Title'] + print(obj) + +print(len(hits)) diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/search_engine/run_indexing.sh b/openmanus_rl/agentgym/agentenv-webshop/webshop/search_engine/run_indexing.sh new file mode 100644 index 00000000..9674da96 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/search_engine/run_indexing.sh @@ -0,0 +1,31 @@ +python -m pyserini.index.lucene \ + --collection JsonCollection \ + --input resources_100 \ + --index indexes_100 \ + --generator DefaultLuceneDocumentGenerator \ + --threads 1 \ + --storePositions --storeDocvectors --storeRaw + +python -m pyserini.index.lucene \ + --collection JsonCollection \ + --input resources \ + --index indexes \ + --generator DefaultLuceneDocumentGenerator \ + --threads 1 \ + --storePositions --storeDocvectors --storeRaw + +python -m pyserini.index.lucene \ + --collection JsonCollection \ + --input resources_1k \ + --index indexes_1k \ + --generator DefaultLuceneDocumentGenerator \ + --threads 1 \ + --storePositions --storeDocvectors --storeRaw + +python -m pyserini.index.lucene \ + --collection JsonCollection \ + --input resources_100k \ + --index indexes_100k \ + --generator DefaultLuceneDocumentGenerator \ + --threads 1 \ + --storePositions --storeDocvectors --storeRaw diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/setup.sh b/openmanus_rl/agentgym/agentenv-webshop/webshop/setup.sh new file mode 100644 index 00000000..a18db938 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/setup.sh @@ -0,0 +1,73 @@ +#!/bin/bash + +# Displays information on how to use script +helpFunction() +{ + echo "Usage: $0 [-d small|all]" + echo -e "\t-d small|all - Specify whether to download entire dataset (all) or just 1000 (small)" + exit 1 # Exit script after printing help +} + +# Get values of command line flags +while getopts d: flag +do + case "${flag}" in + d) data=${OPTARG};; + esac +done + +if [ -z "$data" ]; then + echo "[ERROR]: Missing -d flag" + helpFunction +fi + +# Install Python Dependencies +pip install -r requirements.txt; + +# Install Environment Dependencies via `conda` +conda install -c pytorch faiss-cpu; +conda install -c conda-forge openjdk=11; + +# Download dataset into `data` folder via `gdown` command +# mkdir -p data; +# cd data; +# if [ "$data" == "small" ]; then +# gdown https://drive.google.com/uc?id=1EgHdxQ_YxqIQlvvq5iKlCrkEKR6-j0Ib; # items_shuffle_1000 - product scraped info +# gdown https://drive.google.com/uc?id=1IduG0xl544V_A_jv3tHXC0kyFi7PnyBu; # items_ins_v2_1000 - product attributes +# elif [ "$data" == "all" ]; then +# gdown https://drive.google.com/uc?id=1A2whVgOO0euk5O13n2iYDM0bQRkkRduB; # items_shuffle +# gdown https://drive.google.com/uc?id=1s2j6NgHljiZzQNL3veZaAiyW_qDEgBNi; # items_ins_v2 +# else +# echo "[ERROR]: argument for `-d` flag not recognized" +# helpFunction +# fi +# gdown https://drive.google.com/uc?id=14Kb5SPBk_jfdLZ_CDBNitW98QLDlKR5O # items_human_ins +# cd .. + +# Download spaCy large NLP model +python -m spacy download en_core_web_lg + +# Build search engine index +cd search_engine +mkdir -p resources resources_100 resources_1k resources_100k +python convert_product_file_format.py # convert items.json => required doc format +mkdir -p indexes +bash ./run_indexing.sh +cd .. + +# Create logging folder + samples of log data +get_human_trajs () { + PYCMD=$(cat < + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +Amazon.com: Amazon Basics Foldable, 14" Black Metal Platform Bed Frame with Tool-Free Assembly, No Box Spring Needed - Full : Home & Kitchen + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    + + +
    + +
    + + + + + + + + + + +
    +
    + + +
    +
    + + + + + + +
    +
    + + +
    +
    + + +
    +
    + + + + + + + + + + + + + + + + + +
    +
    +
    + + + + + + + +
    +
    + +
    + + +
    + + + + + + + +
    +
    + + + + + + + + + + + + + +
    +
    + +
    +
    + + + + + + + + + + + + + + + +
    + +
    +
    + + +
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    +
    +
    Last purchased Aug 26, 2021.
    + Size: Full | Style: 14-Inch | View order
    + + +
    + + + + + + + + +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + + + + + + + + + + + + + + + + + + + + + +
    +
    + +

    Add to your order

    3 Year Baby Protection Plan
    from Asurion, LLC $21.99
    • NO ADDITIONAL COST: You pay $0 for repairs – parts, labor and shipping included.
    • COVERAGE: Plan starts on the date of purchase. Drops, spills and cracked screens due to normal use covered for portable products and power surges covered from day one. Malfunctions covered after the manufacturer's warranty.
    • PRODUCT ELIGIBILITY: Plans cover products purchased in the last 30 days.
    • EASY CLAIMS PROCESS: File a claim anytime online or by phone. Most claims approved within minutes. We will send you an Amazon e-gift card for the purchase price of your covered product. In some cases, we will replace or repair it.
    Added to Cart
    Learn more

    Add to your order


    from
    Added to Cart
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    + + + + + + + + + + + + + + + + + + + + + + + + + +
    Pay the same price with no interest or additional fees. Learn more
    +
    & + FREE Returns +
    + Return this item for free
    • Free returns are available for the shipping address you chose. You can return the item for any reason in new and unused condition: no shipping charges
    • Learn more about free returns.
    + +
    +
    FREE delivery Tuesday, July 12
    Or fastest delivery Tomorrow, July 8. Order within 2 hrs 22 mins
    + +
    + +
    +
    + +
    + +
    + +
    +
    + +
    +
    + +
    +
    In Stock.
    + +
    + + +
    + +
    +
    + +
    +
    + +
    +
    + +
    +
    Ships from and sold by Amazon.com. + + +
    + +
    +
    +
    + Include + +
    Add a Protection Plan: +
    + + +
    + + +
    +
    Add to your order
    + +
    +

    3 Year Baby Protection Plan

    from Asurion, LLC
    • NO ADDITIONAL COST: You pay $0 for repairs – parts, labor and shipping included.
    • COVERAGE: Plan starts on the date of purchase. Drops, spills and cracked screens due to normal use covered for portable products and power surges covered from day one. Malfunctions covered after the manufacturer's warranty.
    • PRODUCT ELIGIBILITY: Plans cover products purchased in the last 30 days.
    • EASY CLAIMS PROCESS: File a claim anytime online or by phone. Most claims approved within minutes. We will send you an Amazon e-gift card for the purchase price of your covered product. In some cases, we will replace or repair it.
    +
    +

    2 Year Baby Protection Plan

    from Asurion, LLC
    • NO ADDITIONAL COST: You pay $0 for repairs – parts, labor and shipping included.
    • COVERAGE: Plan starts on the date of purchase. Drops, spills and cracked screens due to normal use covered for portable products and power surges covered from day one. Malfunctions covered after the manufacturer's warranty.
    • PRODUCT ELIGIBILITY: Plans cover products purchased in the last 30 days.
    • EASY CLAIMS PROCESS: File a claim anytime online or by phone. Most claims approved within minutes. We will send you an Amazon e-gift card for the purchase price of your covered product. In some cases, we will replace or repair it.
    +
    + +
    +
    +
    +
    +
    +
    + + + + + + + + + + + + + + + + + + + + + + + +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    +
    +
    & + FREE Returns +
    + Return this item for free
    • Free returns are available for the shipping address you chose. You can return the item for any reason in new and unused condition: no shipping charges
    • Learn more about free returns.
    +
    +
    +
    +
    +
    +
    +
    FREE delivery Tuesday, July 12
    Or fastest delivery Tomorrow, July 8. Order within 2 hrs 22 mins
    + +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    In Stock.
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + + + + +
    [{"displayPrice":null,"priceAmount":37.65,"currencySymbol":"$","integerValue":null,"decimalSeparator":null,"fractionalValue":null,"symbolPosition":null,"hasSpace":false,"showFractionalPartIfEmpty":false,"offerListingId":"nC25xGH7APsizSLuE3823m%2BP5qrkIc8%2Fh2xOAurVK%2B0gs2HNO7rZBuaLxPX1fHMChGOP8FtihNtGfuCmCJo%2B2nqVaALiCVKGtSo5ZClWo2iL0Xeq2GAU%2BdUoQvYO96DqX5fTD8pgm4r0MAO5ZrnlGA%3D%3D","locale":null,"buyingOptionType":"LEGACY_INSTALLMENTS"},{"displayPrice":"$112.94","priceAmount":112.94,"currencySymbol":"$","integerValue":"112","decimalSeparator":".","fractionalValue":"94","symbolPosition":"left","hasSpace":false,"showFractionalPartIfEmpty":true,"offerListingId":"nC25xGH7APsizSLuE3823m%2BP5qrkIc8%2Fh2xOAurVK%2B0gs2HNO7rZBuaLxPX1fHMChGOP8FtihNtGfuCmCJo%2B2nqVaALiCVKGtSo5ZClWo2iL0Xeq2GAU%2BdUoQvYO96DqX5fTD8pgm4r0MAO5ZrnlGA%3D%3D","locale":"en-US","buyingOptionType":"NEW"}]
    $$112.94 + () + Includes selected options. Includes initial monthly payment and selected options. + Details +
    Price
    Subtotal
    $$112.94
    Subtotal
    Initial payment breakdown
    Shipping cost, delivery date, and order total (including tax) shown at checkout.
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    Your transaction is secure
    We work hard to protect your security and privacy. Our payment security system encrypts your information during transmission. We don’t share your credit card details with third-party sellers, and we don’t sell your information to others. Learn more
    +
    +
    +
    +
    +
    + Ships from
    +
    +
    +
    + Amazon.com
    +
    +
    +
    + Sold by
    +
    +
    +
    + Amazon.com
    +
    +
    +
    + Packaging
    +
    +
    +
    + Shows what's inside. Item often ships in manufacturer container to reduce packaging. If this is a gift, consider shipping to a different address.
    +
    +
    +
    Ships from
    Amazon.com
    Sold by
    Amazon.com
    Packaging
    Shows what's inside. Item often ships in manufacturer container to reduce packaging. If this is a gift, consider shipping to a different address.
    + +
    +
    +
    +
    +
    +
    +
    +
    + +
    Return policy: + + Eligible for Return, Refund or Replacement within 30 days of receipt +
    +
    This item can be returned in its original condition for a full refund or replacement within 30 days of receipt.
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    + + +
    +
    + +
    + Amazon Basics Foldable, 1... has been added to your Cart
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + + +
    +
    + Include + +
    Add a Protection Plan: +
    + + +
    + + +
    +
    Add to your order
    + +
    +

    3 Year Baby Protection Plan

    from Asurion, LLC
    • NO ADDITIONAL COST: You pay $0 for repairs – parts, labor and shipping included.
    • COVERAGE: Plan starts on the date of purchase. Drops, spills and cracked screens due to normal use covered for portable products and power surges covered from day one. Malfunctions covered after the manufacturer's warranty.
    • PRODUCT ELIGIBILITY: Plans cover products purchased in the last 30 days.
    • EASY CLAIMS PROCESS: File a claim anytime online or by phone. Most claims approved within minutes. We will send you an Amazon e-gift card for the purchase price of your covered product. In some cases, we will replace or repair it.
    +
    +

    2 Year Baby Protection Plan

    from Asurion, LLC
    • NO ADDITIONAL COST: You pay $0 for repairs – parts, labor and shipping included.
    • COVERAGE: Plan starts on the date of purchase. Drops, spills and cracked screens due to normal use covered for portable products and power surges covered from day one. Malfunctions covered after the manufacturer's warranty.
    • PRODUCT ELIGIBILITY: Plans cover products purchased in the last 30 days.
    • EASY CLAIMS PROCESS: File a claim anytime online or by phone. Most claims approved within minutes. We will send you an Amazon e-gift card for the purchase price of your covered product. In some cases, we will replace or repair it.
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + + + + + + + + + + + + + + + + + + + + + + + +
    +
    + + + +
    Added to

    Sorry, there was a problem.

    There was an error retrieving your Wish Lists. Please try again.

    Sorry, there was a problem.

    List unavailable.
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + + +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + + +
    + + + +
    +
    +
    +
    +
    +
    +
    Have one to sell?
    +
    +
    +
    +
    +
    +
    +
    + +
    +
    + +
    +
    + +
    + +
    +
    + + + +
    +
    +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    Select a wall color and floor material
    +
    Change wall color
    +
    +
    Change flooring
    +
    Wood
    +
    +
    Carpet
    +
    +
    +
    +
    +
    +
    Buy and swap this furniture in our full experience
    +
    Change wall color, flooring--and furniture!--by clicking below.
    + + Try Showroom now + +
    +
    +
    +
    +
    +
    + +
    + +
    + +
    +
    +
    +
    + +
    +
    +
    +
    + +
    +
    + + +

    Amazon Basics Foldable, 14" Black Metal Platform Bed Frame with Tool-Free Assembly, No Box Spring Needed - Full +

    + +
    + + +
    + + 4.8 out of 5 stars + + 82,602 ratings + + +
    +
    +
    +
    +
    Amazon's Choice highlights highly rated, well-priced products available to ship immediately.
    Amazon's Choice + in Bed Frames by Amazon Basics +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + + +
    $112.94
    +
    +
    +
    +
    +
    + +
    +
    +
    +
    + + +
    +
    +
    +
    + & + FREE Returns +
    + Return this item for free
    • Free returns are available for the shipping address you chose. You can return the item for any reason in new and unused condition: no shipping charges
    • Learn more about free returns.
    +
    +
    +
    +
    +
    + + or 3 monthly payments of $37.65
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    +
    +
    + + + +
    +
    +
    +
    + Get $50 off instantly: Pay $62.94 upon approval for the Amazon Rewards Visa Card. No annual fee. +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    Available at a lower price from other sellers that may not offer free Prime shipping.
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + Full +
    • +
      + +
    • +
      +
    • +
      + +
    • +
      + +
    + 14-Inch +
    • +
      +
    • +
      + +
    + +
    + + + +
    +
    + + + + + + + +
    Get expert assemblyDetails
    • +
      +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +

    Enhance your purchase

    +

    Failed to load details.

    +
    +
    +
    +
    + + + +
    +
    +
    +
    Size Full
    Material Alloy Steel
    Color Black
    Furniture Finish Black
    Style 14-Inch
    +
    +
    +

    +

    About this item

    • Product dimensions: 75" L x 54" W x 14" H | Weight: 41.4 pounds
    • Designed for sleepers up to 250 pounds
    • Full size platform bed frame offers a quiet, noise-free, supportive foundation for a mattress. No box spring needed
    • Folding mechanism makes the frame easy to store and move in tight spaces
    • Provides extra under-the-bed storage space with a vertical clearance of about 13 inches
    + See more product details
    +
    +
    +
    +
    +
    +
    +

    Customer ratings by feature

    Easy to install
    4.9 4.9
    Easy to assemble
    4.9 4.9
    Durability
    4.7 4.7
    Storage Capacity
    4.7 4.7
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    +
    + + +
    + +
    + +
    + + + + + + + + +
    + + +
    +
    + + +
    + +
    +
    +
    + Choose your next adventure with virtual tours +
    + +
    + Amazon Explore Browse now +
    +
    +
    +
    +
    + + + +
    +
    + +
    +
    +
    +
    + + +
    +
    +
    +
    + +
    +
    +
    +
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    + + + + + + + +
    +
    +
    +
    + + +
    + + +
    +
    + + + + + + + + + + + +
    + + +

    Frequently bought together

    • Amazon Basics Foldable, 14" Black Metal Platform Bed Frame with Tool-Free Assembly, No Box Spring Needed - Full
    • +
    • SafeRest Mattress Protector – Full, Premium, Cotton, Waterproof Mattress Cover Protectors – White
    • +
    • Olee Sleep 10 inch Aquarius Memory Foam Mattress - Full
    Total price:
    To see our price, add these items to your cart.
    These items are shipped from and sold by different sellers.
    Choose items to buy together.
    + + + +
    + + +
    +
    + + +
    +
    +
    +
    +

    + Discover similar items

    +

    +

    + +
    +
    + + + + +
    +
    +
    + +
    + +
    +
    + $0 - $100 + + $100 - $500 + + $500 - $1000 + + $1000 - $2500 + + $2500 - $5000 + + >$5000 +
    +
    + +
    + +
    +
    + & Up + + & Up + + & Up + + & Up +
    +
    + +
    + +
    +
    + California King + + King + + Twin + + Full XL + + Queen + + Full + + Twin XL +
    +
    + +
    + +
    +
    + Multi + + Blue + + Orange + + Brown + + Clear + + Purple + + Yellow + + Beige + + Black + + Gold + + Ivory + + Red + + Grey + + Silver + + Green + + Pink + + White +
    +
    + +
    + +
    +
    + Mellow + + Amazon Basics + + IMUsee + + GreenForest + + Baysitone + + Allewie + + FurnitureR + + Home Styles + + Catrimown + + Yaheetech + + SHA CERLIN + + MALOUF + + YITAHOME + + ikalido + + DG Casa +
    +
    + +
    +
    + Rattan + + Metal + + Fabric + + Wood + + Suede + + Leather + + Stone + + Plastic + + Glass + + Bamboo + + Vinyl + + Polyurethane + + Fiberglass +
    +
    + +
    +
    + Wenge + + Nickel + + Cherry + + Alder + + Stainless + + Gold + + Brass + + Pewter + + Copper + + Beech + + Walnut + + Maple + + Cedar + + Silver + + Espresso + + Black + + White + + Oak + + Chrome + + Ash + + Unfinished + + Mahogany + + Bronze + + Pine + + Ebony + + Birch +
    +
    + +
    + +
    +
    + Bunk + + Canopy + + Day Bed + + Loft + + Platform + + Poster + + Rollaway + + Sleigh + + Trundle +
    +
    + +
    + +
    +
    + Farmhouse + + French + + Country + + Art Deco + + Mid-Century Modern + + Italian + + Coastal + + Old World + + Mediterranean + + Contemporary + + Asian + + Transitional + + Vintage + + Mission + + Lodge + + Eclectic + + Casual + + Fine + + Glam + + Antique + + Victorian + + Southwestern + + Scandinavian + + Retro + + Classic + + Bohemian + + Baroque + + Traditional + + Shabby Chic + + American + + Tropical + + English + + Cottage + + Country Rustic + + European + + Industrial + + Garden + + Colonial + + Cape Cod + + Rustic + + Modern + + French Country +
    +
    + +
    +
    + Cashmere + + Chenille + + Cotton + + Felt + + Leather + + Linen + + Linen Blend + + Microfibre + + Polyester + + Polyurethane + + Suede + + Twill + + Velvet + + Vinyl + + Wool +
    +
    + +
    +
    + Lacquered + + Laminated + + Painted + + Polished + + Powder Coated + + Unfinished +
    +
    + +
    + +
    +
    + 60 to 69 in + + Up to 39 in + + 70 in & above + + 50 to 59 in + + 40 to 49 in +
    +
    + +
    + +
    +
    + 40 in & above + + Up to 9 in + + 30 to 39 in + + 10 to 29 in +
    +
    + +
    +
    + Bookcase + + Drawer + + Footboard + + Guardrails + + Headboard + + Mattress + + Slat + + Slide + + Staircase + + Storage Box +
    +
    + +
    + +
    +
    + 85 in & above + + Up to 74 in + + 75 to 79 in + + 80 to 84 in +
    +
    +
    + + Clear All +
    +
    +
    +
    +
    +
    +
    + No results available. Please adjust the filters and try again.
    +
    + No more recommendations. Try adjusting your filters. +
    + +
    +
    + +
    + +
    +
    + Less like this
    +
    + +
    +
    2
    + +
    +
    + $140 List: $249.00
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    + +
    +
    + Less like this
    +
    + +
    +
    1
    + +
    +
    + $144 List: $199.00
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    + +
    +
    + Less like this
    +
    + +
    +
    13
    + +
    +
    + $135
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    + +
    +
    + Less like this
    +
    + +
    +
    62
    + +
    +
    + $129
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    + +
    +
    + Less like this
    +
    + +
    +
    29
    + +
    +
    + $100
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    + +
    +
    + Less like this
    +
    + +
    +
    1107
    + +
    +
    + $149
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    + +
    +
    + Less like this
    +
    + +
    +
    2
    + +
    +
    + $80
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    + +
    +
    + Less like this
    +
    + +
    +
    215
    + +
    +
    + $239
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    + +
    +
    + Less like this
    +
    + +
    +
    + +
    +
    + $183
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    + +
    +
    + Less like this
    +
    + +
    +
    + +
    +
    + $109
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    + +
    +
    + Less like this
    +
    + +
    +
    1
    + +
    +
    + $475
    +
    +
    +
    +
    +
    +
    +
    +
    + +
    + +
    +
    + Less like this
    +
    + +
    +
    + +
    +
    + $208
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + + +
    + + +
    +
    +
    + + +
    +
    + + +
    +
    + + +
    + + +
    +
    +
    + + + + +
    +
    + + +
    +
    + + +
    +
    + + +
    +
    +
    +
    + + + + +
    +
    +
    +
    + + +
    + + +
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    +
    + + +
    +

    + Have a question? +

    +

    + Find answers in product info, Q&As, reviews +

    + + + +
    + +
    + + + + + + + + + + + + + + + + + + + + + +
    + + + + + + + + + + + + + + + + + + +
    + + + + +
    + + +
    +
    +
    +
    +
    +
    +
    +
    + + + + + + +
    + +
    +
    +
    + There was a problem completing your request. Please try your search again later. +
    +
    + + + + All + + + + + + + Product Information + + + + + + + Customer Q&A's + + + + + + + Customer Reviews + + + + +
    +
    +
    +
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    +
    + + + + + + + + + + + + + + +
    +
    +

    + Your question might be answered by sellers, manufacturers, or customers who bought this product. +

    +
    +

    + Please make sure that you are posting in the form of a question. +

    +

    + Please enter a question. +

    +
    +
    + +
    +
    +
    +
    + + + + + + + +
    +
    + + +
    +
    +
    +
    + + +

    What's in the box

  • steel leg
  • +
    +
    +
    +

    +

    From the manufacturer

    + + + + +
    +

    Amazon Basics Foldable Metal Bed Frame and Mattress Support

    Amazon Basics foldable metal bed frame and support: no box spring needed

    Efficient Mattress Foundation

    The foldable metal bed frames feature steel legs and cross beams with vertical wires to support your mattress. Twin through Cal King sizes available.

    Quiet Support

    Stable, Quiet Support

    The platform bed frame provides quiet, noise-free support, even when rolling over from one side to the other during the night.

    Steel Construction with clearance for underbed storage

    Steel Construction

    Made of durable steel in a black finish, the bed frames provide long-lasting performance, and create convenient space for underbed storage.

    No-Tool Assembly, with foldable frame for easy storage

    No-Tool Assembly

    With a quick and easy tool-free assembly, the bed frame provides a sturdy foundation for sleeping that neatly folds away for storage as needed.

    + +
    +
    Amazon Basics - The basic idea: Highly rated products at low prices
    + +
    +
    Amazon Basics products for home improvement, office, school, pets, auto, kitchen, computer and more
    + +
    +
    +
    +
    +
    + +
    +
    +

    Product Description

    +

    Product Description

    Amazon Basics Foldable, 14" Black Metal Platform Bed Frame with Tool-Free Assembly, No Box Spring Needed - Full

    From the Manufacturer

    Amazon Basics

    + + + + +
    +
    +
    +
    + +
    +

    + Product information

    +

    Technical Details

    Additional Information

    Warranty & Support

    Product Warranty: For warranty information about this product, please click here. [PDF ]

    Feedback

    + Would you like to tell us about a lower price? +
    +
    +
    + + +
    +
    +
    + + +
    + + + +
    + +
    +
    +
    +

    Compare with similar items


    + Amazon Basics Foldable, 14" Black Metal Platform Bed Frame with Tool-Free Assembly, No Box Spring Needed - Full
    +
    +
    +
    ZINUS SmartBase Euro Slats Mattress Foundation / 14 Inch Metal Platform Bed Frame / No Box Spring Needed / Sturdy Steel & Wood Frame / Underbed Storage, Full
    +
    +
    Amazon Basics Metal Bed Frame, 9-Leg Base for Box Spring and Mattress - Full, 74.5 x 53.5-Inches, Tool-Free Easy Assembly
    +
    +
    Zinus Abel 14 Inch Metal Platform Bed Frame / Mattress Foundation / No Box Spring Needed / Steel Slat Support / Easy Quick Lock Assembly, Full
    +
    +
    ZINUS Lorelai 14 Inch Metal Platform Bed Frame / Mattress Foundation with Steel Slat Support / No Box Spring Needed / Easy Assembly, Full
    Customer Rating 4.8 out of 5 stars (82602) 4.5 out of 5 stars (9940) 4.5 out of 5 stars (22750) 4.6 out of 5 stars (43042) 4.7 out of 5 stars (34469)
    Price $112.94 $76.49 $59.08 $99.00 $96.00
    Shipping FREE Shipping. +Details FREE Shipping. +Details FREE Shipping. +Details FREE Shipping. +Details FREE Shipping. +Details
    Sold By Amazon.com Amazon.com Amazon.com Amazon.com Amazon.com
    Color Black Black Black Black Black
    Is Assembly Required? No Yes Yes Yes Yes
    Item Dimensions 75 x 54 x 14 inches 54 x 75 x 14 inches 74.5 x 53.5 x 7 inches 75 x 53.5 x 14 inches 74.49 x 53.5 x 13.98 inches
    Material Alloy Steel Alloy Steel Alloy Steel Alloy Steel Alloy Steel
    Number of Pieces 1 1
    +
    + + +
    +
    + + +
    +
    +
    +
    + + +
    + + +
    +
    +
    + + +
    +
    + + +
    +
    + + +
    +
    + + +
    +
    + + +
    + + +
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    + + + + + + + + +
    +
    + + +
    +
    + + +
    +
    + + +
    + + +
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    +
    + + + + + + + + + + + + +
    +
    +
    +
    + Customer Questions & Answers +
    + + +
    + +
    + + + + + + + + + + + + + + +
    + + + + + +
    +
    + + +
    +
    + + + + + +

    Customer reviews

    4.8 out of 5 stars
    4.8 out of 5
    + 82,602 global ratings
    +
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    + + + 5 star + + + + + + +
    +
    +
    + + + + + 84% + + + +
    + + + 4 star + + + + + + +
    +
    +
    + + + + + 11% + + + +
    + + + 3 star + + + + + + +
    +
    +
    + + + + + 3% + + + +
    + + + 2 star + + + + + + +
    +
    +
    + + + + + 1% + + + +
    + + + 1 star + + + + + + +
    +
    +
    + + + + + 2% + + + +
    +
    + + + + + + + +
    + + + + + + + +
    + + + +
    + +
    + + + + + + + + + + + + + + + + + + +
    + + + + +

    + + + + + + + + + + + Top reviews from the United States +

    + + +
    Reviewed in the United States on March 2, 2018
    Size: KingStyle: 14-InchVerified Purchase
    +
    4,042 people found this helpful
    +
    + Sending feedback...
    Thank you for your feedback.
    + Report abuse +
    Reviewed in the United States on July 6, 2018
    Size: KingStyle: 14-InchVerified Purchase
    +
    1,882 people found this helpful
    +
    + Sending feedback...
    Thank you for your feedback.
    + Report abuse +
    Reviewed in the United States on October 31, 2019
    Size: TwinStyle: 14-InchVerified Purchase
    + + + + + + + + + + + + + + + +
    + + + + +
    +
    + Customer image +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + + +
    +
    Lana
    +
    + + + 5.0 out of 5 stars + + Sliding mattress issue - SOLVED! + +
    + + + + + + + + + Reviewed in the United States on October 31, 2019 + + + + + + +
    + + It's a great bed frame overall. It works exceptionally well with the Milliard Tri Folding Mattress. A perfect solution for a guest. It's much better than an airbed. As other reviewers mentioned, the mattress does slide a bit. So here is how to fix it. All you need is metal flat brackets, screws, nuts, and washers. All of that I bought on Amazon. The holes are already in the frame, so no drilling needed. Just attached the brackets to the frame and they will hold the mattress in place. When you need to fold the bed, you can simply fold them down. Please see the pics for references. + +
    + + Images in this review + +
    + + + Customer image + + Customer image + + Customer image + + Customer image + + +
    +
    +
    + + +
    + + + + +
    + Customer imageCustomer imageCustomer imageCustomer image
    +
    +
    +
    751 people found this helpful
    +
    + Sending feedback...
    Thank you for your feedback.
    + Report abuse +
    + Reviewed in the United States on November 16, 2017
    Size: QueenStyle: 14-InchVine Customer Review of Free Product( What's this? )
    + + + + + + + + + + + + + + + +
    + + + + +
    +
    + Customer image +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + + + + + + 5.0 out of 5 stars + + Well thought out design for an easy to move bed frame that offers tons of useful storage space underneath. + +
    + + + + + + + + + Reviewed in the United States on November 16, 2017 + + + + + + +
    + + This type of bed frame quickly became a favorite because they offer incredible value, easy movability and STORAGE SPACE!

    What I Love:
    — Easy to put together. The legs lock open and the two frames attach to each other with a super easy connector. No tools needed.
    — Sturdy.
    — Easy storage The diagonal struts on the legs angle toward the head and foot ends of the bed allowing for easy slide in/slide out of storage boxes. Standard plastic storage boxes, such as Sterilite's 58 Qt, 12.25" high storage box fits perfectly underneath. Eight of those boxes will easily fit under this frame with slide in - slide out ease.
    — Inset legs. The legs are inset a few inches from the edge of the frame, so less chance of stubbing a toe. My last one had legs that were flush to the outside edges of the frame and I was forever smacking into one of them. The inset legs are not visible if using a bedskirt; the flush legs are.
    — Disassembles and folds up quickly for moving or clearing a room for painting, floor refinishing, carpet cleaning. This is a great bed frame for apartment dwellers and other renters who move fairly often. Very easy to move. Much easier and more compact than a box spring.

    What I Did About the One Thing I Don't Love:
    — No wheels or casters come on this frame. I bought a set of those round furniture moving dots and put them under the legs to make it easier to move for cleaning, etc. +
    +
    + + Images in this review + +
    + + + Customer image + + +
    +
    +
    + + +
    + + + + +
    + Customer image
    +
    +
    +
    1,643 people found this helpful
    +
    + Sending feedback...
    Thank you for your feedback.
    + Report abuse +
    Reviewed in the United States on December 18, 2017
    Size: TwinStyle: 14-InchVerified Purchase
    +
    1,088 people found this helpful
    +
    + Sending feedback...
    Thank you for your feedback.
    + Report abuse +
    Reviewed in the United States on January 4, 2018
    +
    536 people found this helpful
    +
    + Sending feedback...
    Thank you for your feedback.
    + Report abuse +
    Reviewed in the United States on February 11, 2018
    Size: FullStyle: 14-InchVerified Purchase
    + + + + + + + + + + + + + + + +
    + + + + +
    +
    + Customer image +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + + +
    +
    Kwam
    +
    + + + 5.0 out of 5 stars + + Definitely Great + +
    + + + + + + + + + Reviewed in the United States on February 11, 2018 + + + + + + +
    + + I bought this because the Zinus one wasn't 2 day shipping and I'm glad I did. The set up was very easy. You unfold it, lock the legs, put both pieces together and lock them together. It took maybe 5 minutes. I don't experience any sinking with myself or two people on the bed. It also does not move or slide when I plop down (I'm 192 LBS).

    I do wish it was higher from the ground, as most frames usually sit the bed higher. As far as a frame, I'm looking into seeing if I'm able to mount one with the Zinus brackets.

    Great frame. I'm surprised I don't need a box frame. +
    +
    + + Images in this review + +
    + + + Customer image + + +
    +
    +
    + + +
    + + + + +
    + Customer image
    +
    +
    +
    475 people found this helpful
    +
    + Sending feedback...
    Thank you for your feedback.
    + Report abuse +
    Reviewed in the United States on September 10, 2018
    Size: QueenStyle: 14-InchVerified Purchase
    + + + + + + + + + + + + + + + +
    + + + + +
    +
    + Customer image +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + + + + + + 1.0 out of 5 stars + + Big design flaw of this platform + +
    + + + + + + + + + Reviewed in the United States on September 10, 2018 + + + + + + +
    + + This Amazon basics platform is doing it's job well as a foundation but has a big design flaw. The edges of the vertical supporting rods have sharp edges, they should be flattened or covered with some smooth surface. I just placed my brand new mattress on this platform. With just a little movement, it ripped off my new mattress at all the sharp edges making it's warranty void. Please think of this scenario before making any purchase or place smooth cloth cloth over the platform to save your mattress. I have bought a mattress cover too. But i just placed the mattress to check if it is fitting fine on this. But in the first attempt itself, it ripped off my mattress. + +
    + + Images in this review + +
    + + + Customer image + + Customer image + + Customer image + + Customer image + + +
    +
    +
    + + +
    + + + + +
    + Customer imageCustomer imageCustomer imageCustomer image
    +
    +
    +
    4,039 people found this helpful
    +
    + Sending feedback...
    Thank you for your feedback.
    + Report abuse +
    +
    + + + + + + + +
    + + + + +
    +

    + + + Top reviews from other countries + + + +

    + + +
    + +
    +
    + +
    +
    KJ
    5.0 out of 5 stars + + + + + + + + + + Great sturdy bed frame. + +
    Reviewed in Canada on December 15, 2019
    Size: QueenStyle: 14-InchVerified Purchase
    + + + + + + + + + + + + + + + +
    + + + + +
    +
    + Customer image +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + + +
    +
    KJ
    +
    + + + 5.0 out of 5 stars + + Great sturdy bed frame. + +
    + + + + + + + + + Reviewed in Canada on December 15, 2019 + + + + + + +
    + + Works great as a guest bed frame. I can store it in a closet or the tub in the second bathroom since I only need that tub/ shower when I have guests anyway.
    I put pool noodles on the ends to kept the frame from damaging the wall or bottom of tub. +
    +
    + + Images in this review + +
    + + + Customer image + + +
    +
    +
    + + +
    + + + + +
    + Customer image
    +
    +
    +
    194 people found this helpful
    + Report abuse +
    Ravichandran V.S.
    1.0 out of 5 stars + + + + + + + + + + Not good. Don't buy. + +
    Reviewed in India on July 3, 2019
    Size: TwinStyle: 14-InchVerified Purchase
    + + + + + + + + + + + + + + + +
    + + + + +
    +
    + Customer image +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + + +
    +
    Ravichandran V.S.
    +
    + + + 1.0 out of 5 stars + + Not good. Don't buy. + +
    + + + + + + + + + Reviewed in India on July 3, 2019 + + + + + + +
    + + The iron rods wielded inside the bed frame are thin and weak. They bend within one week of usage. One of the weldings came off eithin 5 days if usage and the iron rod came out. Its now poking the person using the cot. Hence it has become the costly cloth hanger. + +
    + + Images in this review + +
    + + + Customer image + + +
    +
    +
    + + +
    + + + + +
    + Customer image
    +
    +
    +
    176 people found this helpful
    + Report abuse +
    Amazon Customer
    2.0 out of 5 stars + + + + + + + + + + Good frame but weak rods in between + +
    Reviewed in India on April 11, 2019
    Size: TwinStyle: 14-InchVerified Purchase
    +
    120 people found this helpful
    + Report abuse +
    Koyel P
    4.0 out of 5 stars + + + + + + + + + + Good quality material amd a value for money bed for singles. + +
    Reviewed in India on August 4, 2019
    Size: TwinStyle: 14-InchVerified Purchase
    + + + + + + + + + + + + + + + +
    + + + + +
    +
    + Customer image +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    +
    + + +
    +
    Koyel P
    +
    + + + 4.0 out of 5 stars + + Good quality material amd a value for money bed for singles. + +
    + + + + + + + + + Reviewed in India on August 4, 2019 + + + + + + +
    + + The bed is perfect for a short person like me. It doesn't creak at all which some people have faced. I have put 2 thick mattresses on the top so O haven't faced any difficulties of rods digging into my back. Material seems sturdy, but I don't kniw whether it will rust in the near future or not. The bed is definitely a value for money. I was searching for a foldable bed(unlike the other camp beds where you use ply on top and the material is made up of wrought iron) and I stumbled into this. The product description says that it is made up of durable steel, so hopefully it won't rust too quickly. Overall I am very much satisfied with the bed, as ot solves my purpose. + +
    + + Images in this review + +
    + + + Customer image + + Customer image + + +
    +
    +
    + + +
    + + + + +
    + Customer imageCustomer image
    +
    +
    +
    69 people found this helpful
    + Report abuse +
    KJSEvans
    1.0 out of 5 stars + + + + + + + + + + Useless frame, doesn't properly support a mattress + +
    Reviewed in Canada on October 14, 2018
    Size: TwinStyle: 14-InchVerified Purchase
    +
    86 people found this helpful
    + Report abuse +
    +
    +
    +
    +
    +
    +
    + +
    +
    + + + +
    +
    + + + + + + + + + + + + + + + + +
    +
    + + + + + + + + + + + + + + + + +
    +
    + + + + + + + +
    +
    + + + + + + + + + + + + + + +
    +
    + + + + + + + + + + + + +
    +
    + +
    +
    + + +
    + + +
    +
    +
    + + + + +
    +
    + + +
    + +
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    + +
    + + +
    +
    + + + + + + + +
    +
    + + +
    +
    + + + + + + + + + +
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    +
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    + +
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    + + diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_item_page_ebay b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_item_page_ebay new file mode 100644 index 00000000..7d3c04c8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_item_page_ebay @@ -0,0 +1,1651 @@ + + + + + + + + + + + + + + + + + + + + + + + + Puma RS-Dreamer J. Cole Basketball Shoes Red 193990-16 Men's Size 10.0 | eBay + + + + + + + + +
    +
    +
    +
    +
    +
    +
    +
    + + +
    +
    + + + +
    +
    +
    +
    +
    +
    +
    + + + + + + + + +
    +
    +
    +
    +
    +
    + + + + + + + +
    +
    + +
    +
    + + +
    +
    + +
    +
    +

    Picture Information

    +
    + + + + + + +
    +
    + + + + + + + +
    +
    +
    +
    +
    +
    +
    Mouse over to Zoom
    -
    Click to enlarge
    +
    +
    +
    + + + +
    Hover to zoom
    +
    + +
    +
    + +
    +
    + + +
    +
    +
    + +
    +
      +
    • + +
    • +
    • + +
    • +
    +
    + +
    +
    +
    +
    +
    + + + + + +
    +
    + + + + +
    +
    +

    Shop with confidence

    eBay Money Back Guarantee
    Get the item you ordered or get your money back.
    +

    Seller information

    96.4% Positive feedback
    +
    +
    +
    +

    Puma RS-Dreamer J. Cole Basketball Shoes Red 193990-16 Men's Size 10.0

    +
    +
    + + + + + + + +
    +
    +
    + Puma RS-Dreamer J. Cole Basketball Shoes Red 193990-16 Men's Size 10.0 +
    +
    + +

    Item Information

    +
    + +
    +
    Condition:
    New without box
    + + + + +
    + +
    +
    Time left:
    +
    + +
    +
    d
    +
    h
    +
    m
    +
    s
    +
    day
    +
    hour
    +
    hours
    +
    + +
    + + + 6d 22h + +
    + +  |  + + + + +
    +
    +
    +
    +
    + +
    + +
    +
    +
    +
    +
    +
    +
    Current bid:
    +
    + US $0.01 + + + + [ 1 bid + ] + + +
    shipping
    + + + + +
    + + +
    +
    + Enter US $0.06 or more
    +
    + +
    +
    +
    +
    + + + [ 1 bid + ] + +
    +
    + + + + Place bid +
    Resume bidding, if the page does not update immediately.
    +
    +
    +
    + + + + +
    +
    +
    +
    +
    + +
    +
    + + + + + + + + + + + +

    An error occurred, please try again.

    +
    +
    +
    + +
    + +
    +
    Shipping:
    FREE Expedited Shipping | See detailsfor shipping
    Located in: South San Francisco, California, United States
    Delivery:
    Estimated between Tue, Jul 19 and Fri, Jul 22 to 08540
    Delivery time is estimated using our proprietary method which is based on the buyer's proximity to the item location, the shipping service selected, the seller's shipping history, and other factors. Delivery times may vary, especially during peak periods.
    +
    +
    Returns:
    Seller does not accept returns | See details- for more information about returns
    + +
    +
    Payments:
         
    Earn up to 5x points when you use your eBay Mastercard®. Learn moreLearn more about earning points with eBay Mastercard
    + +
    +
    +
    +
    +
    +
    +
    +
    + +
    + + +
    +
    + +
    + +
    +
    +
    + + +
    + + +
    + +
    + + +
    +
    +
    +
    + + +
    +
    +
    + +
    + +
    + eBay item number:
    403760625150
    +
    +
    + Seller assumes all responsibility for this listing.
    + +

    Item specifics

    Condition:
    New without box: A brand-new, unused, and unworn item (including handmade items) that is not in ...
    Closure:
    Lace Up
    US Shoe Size:
    10
    Occasion:
    Activewear, Casual
    Silhouette:
    Puma
    Fabric Type:
    Mesh
    Vintage:
    No
    Cushioning Level:
    Moderate
    Department:
    Men
    Style:
    Sneaker
    Outsole Material:
    Rubber
    Features:
    Breathable, Comfort, Cushioned, Performance
    Season:
    Fall, Spring, Summer, Winter
    Idset_Mpn:
    193990-21
    Shoe Shaft Style:
    Low Top
    Style Code:
    193990-16
    Pattern:
    Solid
    Character:
    J. Cole
    Lining Material:
    Synthetic
    Color:
    Red
    Brand:
    PUMA
    Type:
    Athletic
    Customized:
    No
    Model:
    RS-Dreamer
    Theme:
    Sports
    Shoe Width:
    Standard
    Upper Material:
    Textile
    Insole Material:
    Synthetic
    Performance/Activity:
    Basketball
    Product Line:
    Puma Dreamer
    +
    +
    + +
    +
    +
    +
    + + +
    +
    +
    +
    +
    +
    + Seller assumes all responsibility for this listing.
    +
    +
    +

    Shipping and handling

    Item location:
    South San Francisco, California, United States
    Ships to: 
    United States
    Excludes: 
    Barbados, French Guiana, French Polynesia, Guadeloupe, Libya, Martinique, New Caledonia, Reunion, Russian Federation, Ukraine, Venezuela
    Shipping and handling
    To
    Service
    Delivery*
    Free shipping
    United States
    Expedited Shipping (USPS Priority Mail®)
    Estimated between Tue, Jul 19 and Fri, Jul 22 to 08540
    Handling time
    Will usually ship within 3 business days of receiving cleared payment.
    Taxes
    Taxes may be applicable at checkout. Learn moreLearn more about paying tax on ebay.
    +
    +
    +
    +

    Return policy

    Return policy details
    Seller does not accept returns
    Refer to eBay Return policy - eBay Return policy - opens in a new tab or window for more details. You are covered by the eBay Money Back Guarantee - eBay Money Back Guarantee - opens in a new tab or window if you receive an item that is not as described in the listing.
    +
    +

    Payment details

    Payment methods
         
    Special financing available
    Select PayPal Credit at checkout to have the option to pay over time.
    Qualifying purchases could enjoy No Interest if paid in full in 6 months on purchases of $99 or more. Other offers may also be available.
    Interest will be charged to your account from the purchase date if the balance is not paid in full within 6 months. Minimum monthly payments are required. Subject to credit approval. See terms- for PayPal Credit, opens in a new window or tab
    The PayPal Credit account is issued by Synchrony Bank.
    +
    +
    +
    +
    + +
    +
    +
    +

    No ratings or reviews yet

    +
    +
    + +
    +
    + + +
    + + +
    + +

    Additional site navigation

    + +
    +
    + + + + + + + + + +
    + + + + + + + diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_item_page_ws b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_item_page_ws new file mode 100644 index 00000000..7109a700 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_item_page_ws @@ -0,0 +1,163 @@ + + + + + + + + + + + + +
    +
    +
    +
    +

    Instruction:
    i want an xx-small sized slim fit button down shirt with long sleeves. pick something in white, and price lower than 50.00 dollars

    +
    +
    +
    +
    +
    + +
    +
    +
    +
    + +
    +
    +
    +
    +
    + +
    + +
    +

    color

    +
    + + + + + + + + + + + + + + + + + + + +
    +
    + +
    +

    size

    +
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    +
    + +
    +
    +

    PMUYBHF Womens Fashion Flat Shoes Comfortable Running Shoes Sneakers Tennis Athletic Shoe Casual Walking Shoes

    +

    Price: $100.0

    +

    Rating: N.A.

    +
    +
    +
    + +
    +
    +
    +
    + +
    +
    +
    +
    + +
    +
    + +
    +
    +
    +
    +
    + +
    +
    +
    +
    +
    + + + \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_item_page_ws_desc b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_item_page_ws_desc new file mode 100644 index 00000000..badf99b1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_item_page_ws_desc @@ -0,0 +1,44 @@ + + + + + + + + + + + + +
    +
    +
    +
    +

    Instruction:
    i want an xx-small sized slim fit button down shirt with long sleeves. pick something in white, and price lower than 50.00 dollars

    +
    +
    +
    +
    +
    + +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +

    Here Are The Things You Want To Knowa─=≡Σ(((つ̀ώ)つSTORE INTRODUCTION:>>>>Our store helps our customers improve their quality of life~As a distributor, we value quality and service.Focus on the high quality and durability of the product.Committed to creating a store that satisfies and reassures our customers.TIPS:>>>>1. Please allow minor errors in the data due to manual measurements.2. Due to the color settings of the display, the actual color may be slightly different from the online image.QUALITY PROMISE:>>>>Our goal is to continuously provide a range of quality products.We place a huge emphasis on the values of quality and reliability.We have always insisted on fulfilling this commitment.In short, we want our customers to have the same great product experience every time and be trusted to deliver on this commitment.Please give us a chance to serve you.OTHER:>>>>athletic sneaker laces athletic sneakers white athletic sneakers for women clearance leather Sneaker leather sneakers women leather sneakers for menleather sneaker laces leather sneaker platform basketball shoes basketball shoes for men basketball shoe laces basketball shoe grip basketball shoes for women fitness shoes for men fitness shoes women workout fitness shoes women fitness shoes women size 5 fitness shoes men workout fitness shoes for men high top sneakers for women walking shoes sneakers with arch support for women

    +
    +
    +
    +
    +
    +
    + + \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_item_page_ws_feat b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_item_page_ws_feat new file mode 100644 index 00000000..80990de2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_item_page_ws_feat @@ -0,0 +1,62 @@ + + + + + + + + + + + + +
    +
    +
    +
    +

    Instruction:
    i want an xx-small sized slim fit button down shirt with long sleeves. pick something in white, and price lower than 50.00 dollars

    +
    +
    +
    +
    +
    + +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
      + +
    • Pure Running Shoe

    • + +
    • Comfort Flat Sneakers

    • + +
    • [FEATURES]: Soles with unique non-slip pattern, it has great abrasion resistant and provide protection when you walking or running. (Pure Running Shoe Mesh Walking Shoes Fashion Sneakers Slip On Sneakers Wedge Platform Loafers Modern Walking Shoes Sock Sneakers Platform Loafers Shoes Non Slip Running Shoes Athletic Tennis Shoes Blade Type Sneakers Lace-up Sneaker) sole

    • + +
    • [WIDE ANKLE DESIGN]: Perfect accord with human body engineering, green, healthy concept design make the walking shoes wear more comfortable, wide width wlking shoes. (Low Top Walking Shoes Fashion Canvas Sneakers Slip On Shoes Casual Walking Shoes Hidden Wedge Sneaker Low Top Canvas Sneakers Lace-up Classic Casual Shoes Walking Tennis Shoes Lightweight Casual Sneakers Slip on Sock Sneakers Air Cushion Platform Loafers Slip-On Mule Sneaker )

    • + +
    • [CUSHION WITH ARCH SUPPORT]: Gives you a comfort for all day long. Wear these lightweight walking shoes, let every step of moving on a comfortable feeling. (Fashion Casual Shoes Athletic Workout Shoes Fitness Sneaker Athletic Running Shoes Air Cushion Sneakers Stylish Athletic Shoes Lace Up Canvas Shoes Slip on Walking Shoe Fashion Sneakers Low Top Classic Sneakers Comfort Fall Shoes Memory Foam Slip On Sneakers Air Cushion Sneakers Running Walking Shoes)

    • + +
    • [NON-SLIP SOLE]: Made from ultra soft and lightweight RUBBER material,with the function of shock absorbing and cushioning,offering the best durability and traction. (Wedge Sneakers Walking Tennis Shoes Slip On Running Shoes Lightweight Fashion Sneakers Fashion Travel Shoes Walking Running Shoes Non Slip Running Shoes Athletic Tennis Sneakers Sports Walking Shoes Platform Fashion Sneaker Memory Foam Tennis Sneakers Running Jogging Shoes Sock Sneakers Canvas Fashion Sneakers)

    • + +
    • [OCCASIONS]: Ultra lightweight design provides actual feelings of being barefooted and like walking on the feather, perfect for walking, hiking, bike riding, working, shopping, indoor, outdoor, casual, sports, travel, exercise, vacation, and etc. (Flat Fashion Sneakers Lightweight Walking Sneakers Platform Loafers Sport Running Shoes Casual Flat Loafers Slip-On Sneaker Casual Walking Shoes High Top Canvas Sneakers Lace up Sneakers Workout Walking Shoes Tennis Fitness Sneaker)

    • + +
    • [Customers Are Our Priority]: We follow the principle of customer first, so if you encounter any problems after buying shoes, we will try our best to solve them for you. (Breathable Air Cushion Sneakers Walking Tennis Shoes Air Athletic Running Shoes Air Cushion Shoes Mesh Sneakers Fashion Tennis Shoes Jogging Walking Sneakers Breathable Casual Sneakers Fashion Walking Shoes Athletic Running Sneakers Walking Work Shoes Air Running Shoes Slip on Sneakers Mesh Walking Shoes)

    • + +
    +
    +
    +
    +
    +
    +
    + + \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_results_amz b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_results_amz new file mode 100644 index 00000000..71c83ab1 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_results_amz @@ -0,0 +1,9725 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +Amazon.com : red basketball shoes + + + + + + + + + +
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    + + + diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_results_ebay b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_results_ebay new file mode 100644 index 00000000..68c7bfa7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_results_ebay @@ -0,0 +1,119 @@ + +red basketball shoes: Search Result | eBay +
    Sponsored

    45,000+ results for red basketball shoes

    Update your shipping location

  • Shop on eBay

    Opens in a new window or tab
    Brand New
    $20.00
    or Best Offer
  • + + \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_results_ws b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_results_ws new file mode 100644 index 00000000..d19465ba --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/mocks/mock_parse_results_ws @@ -0,0 +1,358 @@ + + + + + + + + + + + + +
    +
    +
    +
    +

    Instruction:
    i want an xx-small sized slim fit button down shirt with long sleeves. pick something in white, and price lower than 50.00 dollars

    +
    +
    +
    +
    +
    + +
    +
    +
    +
    +
    +

    Page 1 (Total results: 50)

    +
    + +
    +
    +
    +
    + +
    +
    + +
    +
    + +
    + +
    +
    + +
    +
    +
      +
      +
      + +

      B09GKFNQWT

      +

      BinGoDug Men's Basketball Shoes, Men's Fashion Sneakers, Air Basketball Shoes for Men, Womens Basketball Shoes, Mens Basketball Shoes, Boys Basketball Shoes, Youth Basketball Shoes Men Women

      +
      +
      $24.49 to $39.99
      +
      + +
      +
      +
    +
    +
    + +
    +
    + +
    +
    +
      +
      +
      + +

      B09BFY2R3R

      +

      RQWEIN Comfortable Mesh Sneakers Men's Roading Running Shoes Tennis Shoes Casual Fashion Sneakers Outdoor Non Slip Gym Athletic Sport Shoes

      +
      +
      $1.89 to $7.58
      +
      + +
      +
      +
    +
    +
    + +
    +
    + +
    +
    +
      +
      +
      + +

      B09P87V3LZ

      +

      PMUYBHF Womens Fashion Flat Shoes Comfortable Running Shoes Sneakers Tennis Athletic Shoe Casual Walking Shoes

      +
      +
      $100.0
      +
      + +
      +
      +
    +
    +
    + +
    +
    + +
    +
    +
      +
      +
      + +

      B09N6SNKC1

      +

      PMUYBHF Fashion Travel Shoes Jogging Walking Sneakers Air Cushion Platform Loafers Air Cushion Mesh Shoes Walking Dance Shoes

      +
      +
      $100.0
      +
      + +
      +
      +
    +
    +
    + +
    +
    + +
    +
    +
      +
      +
      + +

      B09N6X5S74

      +

      PMUYBHF Women's Ballet Flats Walking Flats Shoes Dressy Work Low Wedge Arch Suport Flats Shoes Slip On Dress Shoes

      +
      +
      $100.0
      +
      + +
      +
      +
    +
    +
    + +
    +
    + +
    +
    +
      +
      +
      + +

      B09MDB9V5W

      +

      PWKSELW High-top Men's Basketball Shoes Outdoor Sports Shoes Cushioning Training Shoes Casual Running Shoes

      +
      +
      $100.0
      +
      + +
      +
      +
    +
    +
    + +
    +
    + +
    +
    +
      +
      +
      + +

      B09N6PDFRF

      +

      Women's Flat Shoes Classic Round Toe Slip Office Black Ballet Flats Walking Flats Shoes Casual Ballet Flats

      +
      +
      $100.0
      +
      + +
      +
      +
    +
    +
    + +
    +
    + +
    +
    +
      +
      +
      + +

      B09N8ZHFNM

      +

      Women's Mid-Calf Boots Wide Calf Boots for Women Fashion Zipper Womens Shoes Pu Leather Casual Boots Womens Slip-On Womens Flat Shoes Med Heel Womens' Boots Winter Snow Boot Comfy Boots(,5.5)

      +
      +
      $100.0
      +
      + +
      +
      +
    +
    +
    + +
    +
    + +
    +
    +
      +
      +
      + +

      B09P87DWGR

      +

      PMUYBHF Womens Leisure Fitness Running Sport Warm Sneakers Shoes Slip-On Mule Sneakers Womens Mules

      +
      +
      $100.0
      +
      + +
      +
      +
    +
    +
    + +
    +
    + +
    +
    +
      +
      +
      + +

      B09R9MMTKR

      +

      Men Dress Shoes Leather Modern Classic Business Shoes Lace Up Classic Office Shoes Business Formal Shoes for Men

      +
      +
      $100.0
      +
      + +
      +
      +
    +
    +
    + +
    +
    + + \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/test_predict_help.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/test_predict_help.py new file mode 100644 index 00000000..44384a82 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/transfer/test_predict_help.py @@ -0,0 +1,468 @@ +import json +import pytest +import requests_mock + +from transfer.predict_help import ( + convert_dict_to_actions, + parse_item_page_amz, parse_results_amz, + parse_item_page_ebay, parse_results_ebay, + parse_item_page_ws, parse_results_ws, + Page, WEBSHOP_URL, WEBSHOP_SESSION +) + +@requests_mock.Mocker(kw="mock") +def test_parse_item_page_ws(**kwargs): + # Read mock response data + mock_file = open("tests/transfer/mocks/mock_parse_item_page_ws", "rb") + mock_body = mock_file.read() + mock_file.close() + + mock_desc_file = open("tests/transfer/mocks/mock_parse_item_page_ws_desc", "rb") + mock_desc_body = mock_desc_file.read() + mock_desc_file.close() + + mock_feat_file = open("tests/transfer/mocks/mock_parse_item_page_ws_feat", "rb") + mock_feat_body = mock_feat_file.read() + mock_feat_file.close() + + mock_asin = "B09P87V3LZ" + mock_query = "red basketball shoes" + mock_options = {} + + # Invoke function, check response + query_str = '+'.join(mock_query.split()) + options_str = json.dumps(mock_options) + url = ( + f"{WEBSHOP_URL}/item_page/{WEBSHOP_SESSION}/" + f"{mock_asin}/{query_str}/1/{options_str}" + ) + url_desc = ( + f"{WEBSHOP_URL}/item_sub_page/{WEBSHOP_SESSION}/" + f"{mock_asin}/{query_str}/1/Description/{options_str}" + ) + url_feat = ( + f"{WEBSHOP_URL}/item_sub_page/{WEBSHOP_SESSION}/" + f"{mock_asin}/{query_str}/1/Features/{options_str}" + ) + print(f"Item Page URL: {url}") + print(f"Item Description URL: {url_desc}") + print(f"Item Features URL: {url_feat}") + + kwargs["mock"].get(url, content=mock_body) + kwargs["mock"].get(url_desc, content=mock_desc_body) + kwargs["mock"].get(url_feat, content=mock_feat_body) + + output = parse_item_page_ws(mock_asin, mock_query, 1, mock_options) + expected = { + 'MainImage': 'https://m.media-amazon.com/images/I/51ltvkzGhGL.jpg', + 'Price': '100.0', + 'Rating': 'N.A.', + 'Title': 'PMUYBHF Womens Fashion Flat Shoes Comfortable Running Shoes ' + 'Sneakers Tennis Athletic Shoe Casual Walking Shoes', + 'asin': mock_asin, + 'option_to_image': { + '6.5': 'http://3.83.245.205:3000/item_page/abc/B09P87V3LZ/%5B%27red%27%2C%20%27basketball%27%2C%20%27shoes%27%5D/1/%7B%27size%27:%20%276.5%27%7D', + '7.5': 'http://3.83.245.205:3000/item_page/abc/B09P87V3LZ/%5B%27red%27%2C%20%27basketball%27%2C%20%27shoes%27%5D/1/%7B%27size%27:%20%277.5%27%7D', + '8': 'http://3.83.245.205:3000/item_page/abc/B09P87V3LZ/%5B%27red%27%2C%20%27basketball%27%2C%20%27shoes%27%5D/1/%7B%27size%27:%20%278%27%7D', + '8.5': 'http://3.83.245.205:3000/item_page/abc/B09P87V3LZ/%5B%27red%27%2C%20%27basketball%27%2C%20%27shoes%27%5D/1/%7B%27size%27:%20%278.5%27%7D', + '9': 'http://3.83.245.205:3000/item_page/abc/B09P87V3LZ/%5B%27red%27%2C%20%27basketball%27%2C%20%27shoes%27%5D/1/%7B%27size%27:%20%279%27%7D', + 'black': 'http://3.83.245.205:3000/item_page/abc/B09P87V3LZ/%5B%27red%27%2C%20%27basketball%27%2C%20%27shoes%27%5D/1/%7B%27color%27:%20%27black%27%7D', + 'purple': 'http://3.83.245.205:3000/item_page/abc/B09P87V3LZ/%5B%27red%27%2C%20%27basketball%27%2C%20%27shoes%27%5D/1/%7B%27color%27:%20%27purple%27%7D', + 'red': 'http://3.83.245.205:3000/item_page/abc/B09P87V3LZ/%5B%27red%27%2C%20%27basketball%27%2C%20%27shoes%27%5D/1/%7B%27color%27:%20%27red%27%7D' + }, + 'options': { + 'color': ['black', 'purple', 'red'], + 'size': ['6.5', '7.5', '8', '8.5', '9'] + }, + 'BulletPoints': 'Pure Running Shoe\nComfort Flat Sneakers\n[FEATURES]: Soles with unique non-slip pattern, it has great ' + 'abrasion resistant and provide protection when you walking or running. (Pure Running Shoe Mesh Walking Shoes Fashion ' + 'Sneakers Slip On Sneakers Wedge Platform Loafers Modern Walking Shoes Sock Sneakers Platform Loafers Shoes Non Slip ' + 'Running Shoes Athletic Tennis Shoes Blade Type Sneakers Lace-up Sneaker) sole\n[WIDE ANKLE DESIGN]: Perfect accord with human body ' + 'engineering, green, healthy concept design make the walking shoes wear more comfortable, wide width wlking shoes. (Low ' + 'Top Walking Shoes Fashion Canvas Sneakers Slip On Shoes Casual Walking Shoes Hidden Wedge Sneaker Low Top Canvas ' + 'Sneakers Lace-up Classic Casual Shoes Walking Tennis Shoes Lightweight Casual Sneakers Slip on Sock Sneakers Air ' + 'Cushion Platform Loafers Slip-On Mule Sneaker )\n[CUSHION WITH ARCH SUPPORT]: Gives you a comfort for all day ' + 'long. Wear these lightweight walking shoes, let every step of moving on a comfortable feeling. (Fashion Casual Shoes ' + 'Athletic Workout Shoes Fitness Sneaker Athletic Running Shoes Air Cushion Sneakers Stylish Athletic Shoes Lace Up ' + 'Canvas Shoes Slip on Walking Shoe Fashion Sneakers Low Top Classic Sneakers Comfort Fall Shoes Memory Foam Slip On ' + 'Sneakers Air Cushion Sneakers Running Walking Shoes)\n[NON-SLIP SOLE]: Made from ultra soft and lightweight RUBBER ' + 'material,with the function of shock absorbing and cushioning,offering the best durability and traction. (Wedge ' + 'Sneakers Walking Tennis Shoes Slip On Running Shoes Lightweight Fashion Sneakers Fashion Travel Shoes Walking ' + 'Running Shoes Non Slip Running Shoes Athletic Tennis Sneakers Sports Walking Shoes Platform Fashion Sneaker ' + 'Memory Foam Tennis Sneakers Running Jogging Shoes Sock Sneakers Canvas Fashion Sneakers)\n[OCCASIONS]: Ultra lightweight design provides actual ' + 'feelings of being barefooted and like walking on the feather, perfect for walking, hiking, bike riding, working, ' + 'shopping, indoor, outdoor, casual, sports, travel, exercise, vacation, and etc. (Flat Fashion Sneakers Lightweight ' + 'Walking Sneakers Platform Loafers Sport Running Shoes Casual Flat Loafers Slip-On Sneaker Casual Walking Shoes High Top ' + 'Canvas Sneakers Lace up Sneakers Workout Walking Shoes Tennis Fitness Sneaker)\n' + '[Customers Are Our Priority]: We follow the principle of customer first, so if you encounter any problems after ' + 'buying shoes, we will try our best to solve them for you. (Breathable Air Cushion Sneakers Walking Tennis Shoes Air ' + 'Athletic Running Shoes Air Cushion Shoes Mesh Sneakers Fashion Tennis Shoes Jogging Walking Sneakers Breathable ' + 'Casual Sneakers Fashion Walking Shoes Athletic Running Sneakers Walking Work Shoes Air Running Shoes Slip on ' + 'Sneakers Mesh Walking Shoes)', + 'Description': 'Here Are The Things You Want To Knowa─=≡Σ(((つ̀ώ)つSTORE INTRODUCTION:>>>>Our store helps our customers improve their ' + 'quality of life~As a distributor, we value quality and service.Focus on the high quality and durability of the ' + 'product.Committed to creating a store that satisfies and reassures our customers.TIPS:>>>>1. Please allow minor errors ' + 'in the data due to manual measurements.2. Due to the color settings of the display, the actual color may be slightly ' + 'different from the online image.QUALITY PROMISE:>>>>Our goal is to continuously provide a range of quality products.We ' + 'place a huge emphasis on the values of quality and reliability.We have always insisted on fulfilling this ' + 'commitment.In short, we want our customers to have the same great product experience every time and be trusted to deliver ' + 'on this commitment.Please give us a chance to serve you.OTHER:>>>>athletic sneaker laces athletic sneakers white ' + 'athletic sneakers for women clearance leather Sneaker leather sneakers women leather sneakers for menleather sneaker laces ' + 'leather sneaker platform basketball shoes basketball shoes for men basketball shoe laces basketball shoe grip basketball ' + 'shoes for women fitness shoes for men fitness shoes women workout fitness shoes women fitness shoes women size 5 ' + 'fitness shoes men workout fitness shoes for men high top sneakers for women walking shoes sneakers with arch support for women' + } + assert output == expected + +@requests_mock.Mocker(kw="mock") +def test_parse_item_page_ebay(**kwargs): + # Read mock response data + mock_file = open("tests/transfer/mocks/mock_parse_item_page_ebay", "rb") + mock_body = mock_file.read() + mock_file.close() + mock_asin = "403760625150" + + # Invoke function, check response + kwargs["mock"].get(f"https://www.ebay.com/itm/{mock_asin}", content=mock_body) + output = parse_item_page_ebay(mock_asin) + expected = { + 'BulletPoints': 'Item specifics Condition:New without box: A brand-new, ' + 'unused, and unworn item (including handmade items) that is ' + 'not in ... Read moreabout the conditionNew without box: A ' + 'brand-new, unused, and unworn item (including handmade ' + 'items) that is not in original packaging or may be missing ' + 'original packaging materials (such as the original box or ' + 'bag). The original tags may not be attached. For example, ' + 'new shoes (with absolutely no signs of wear) that are no ' + 'longer in their original box fall into this category. See ' + 'all condition definitionsopens in a new window or tab ' + 'Closure:Lace Up US Shoe Size:10 Occasion:Activewear, Casual ' + 'Silhouette:Puma Fabric Type:Mesh Vintage:No Cushioning ' + 'Level:Moderate Department:Men Style:Sneaker Outsole ' + 'Material:Rubber Features:Breathable, Comfort, Cushioned, ' + 'Performance Season:Fall, Spring, Summer, Winter ' + 'Idset_Mpn:193990-21 Shoe Shaft Style:Low Top Style ' + 'Code:193990-16 Pattern:Solid Character:J. Cole Lining ' + 'Material:Synthetic Color:Red Brand:PUMA Type:Athletic ' + 'Customized:No Model:RS-Dreamer Theme:Sports Shoe ' + 'Width:Standard Upper Material:Textile Insole ' + 'Material:Synthetic Performance/Activity:Basketball Product ' + 'Line:Puma Dreamer', + 'Description': 'N/A', + 'MainImage': 'https://i.ebayimg.com/images/g/4ggAAOSwpk1ioTWz/s-l500.jpg', + 'Price': 'N/A', + 'Rating': None, + 'Title': "Puma RS-Dreamer J. Cole Basketball Shoes Red 193990-16 Men's Size 10.0", + 'asin': '403760625150', + 'option_to_image': {}, + 'options': {}, + } + assert output == expected + +@requests_mock.Mocker(kw="mock") +def test_parse_item_page_amz(**kwargs): + # Read mock response data + mock_file = open("tests/transfer/mocks/mock_parse_item_page_amz", "rb") + mock_body = mock_file.read() + mock_file.close() + mock_asin = "B073WRF565" + + # Invoke function, check response + kwargs["mock"].get(f"https://www.amazon.com/dp/{mock_asin}", content=mock_body) + output = parse_item_page_amz(mock_asin) + expected = { + 'asin': 'B073WRF565', + 'Title': 'Amazon Basics Foldable 14" Black Metal Platform Bed Frame with Tool-Free Assembly No Box Spring Needed - Full', + 'Price': 'N/A', + 'Rating': '4.8 out of 5 stars', + 'BulletPoints': ' \n About this item ' + 'Product dimensions: 75" L x 54" W x 14" H | Weight: 41.4 pounds ' + 'Designed for sleepers up to 250 pounds Full size platform bed frame offers a quiet, noise-free, ' + 'supportive foundation for a mattress. No box spring needed Folding mechanism makes the frame easy ' + 'to store and move in tight spaces Provides extra under-the-bed storage space with a vertical clea' + 'rance of about 13 inches \n › See more product details ', + 'Description': 'Amazon Basics Foldable, 14" Black Metal Platform Bed Frame with Tool-Free Assembly, No Box Spring Needed - Full Amazon Basics', + 'MainImage': 'https://images-na.ssl-images-amazon.com/images/I/41WIGwt-asL.__AC_SY300_SX300_QL70_FMwebp_.jpg', + 'options': {'size': ['Twin', 'Full', 'Queen', 'King'], + 'style': ['14-Inch', '18-Inch']}, + 'option_to_image': {} + } + assert output == expected + +@requests_mock.Mocker(kw="mock") +def test_parse_results_ebay(**kwargs): + # Read mock response data + mock_file = open("tests/transfer/mocks/mock_parse_results_ebay", "rb") + mock_body = mock_file.read() + mock_file.close() + mock_query = "red basketball shoes" + + # Invoke function, check response + query = mock_query.replace(" ", "+") + kwargs["mock"].get(f'https://www.ebay.com/sch/i.html?_nkw={query}&_pgn=1', content=mock_body) + output = parse_results_ebay(mock_query, 1) + expected = [{ + 'Price': ['100.00', '150.00'], + 'Title': "Reebok Answer IV Men's Basketball Shoes", + 'asin': '175065123030' + }, { + 'Price': '$119.90', + 'Title': "Air Jordan Stay Loyal Shoes Black Red White DB2884-001 Men's Multi " + 'Size NEW', + 'asin': '265672133690' + }, { + 'Price': '$100.00', + 'Title': "Fila Men's Stackhouse Spaghetti Basketball Shoes Black Red White " + '1BM01788-113', + 'asin': '175282509234' + }, { + 'Price': ['61.99', + '85.99' + ], + 'Title': 'Puma Disc Rebirth 19481203 Mens Black Red Synthetic Athletic ' + 'Basketball Shoes', + 'asin': '313944854658' + }, { + 'Price': '$0.01', + 'Title': "Puma RS-Dreamer J. Cole Basketball Shoes Red 193990-16 Men's Size " + '10.0', + 'asin': '403760625150' + }, { + 'Price': '$45.00', + 'Title': 'Nike Mens 9.5 PG 5 Maroon Red White Basketball Shoes Sneaker DM ' + '5045–601 Flaw', + 'asin': '115456853186' + }, { + 'Price': ['114.90', + '119.90' + ], + 'Title': "Air Jordan Stay Loyal Shoes White Black Red DB2884-106 Men's Multi " + 'Size NEW', + 'asin': '155046831159' + }, { + 'Price': '$8.99', + 'Title': "Harden Volume 3 Men's Basketball Shoes Size 9.5", + 'asin': '175342407862' + }, { + 'Price': '$59.97', + 'Title': "Men's Nike Precision 5 Basketball Shoes Gym Red Black Grey Bred " + 'Multi Size NEW', + 'asin': '134149634710' + }] + assert output == expected + +@requests_mock.Mocker(kw="mock") +def test_parse_results_amz(**kwargs): + # Read mock response data + mock_file = open("tests/transfer/mocks/mock_parse_results_amz", "rb") + mock_body = mock_file.read() + mock_file.close() + mock_query = "red basketball shoes" + + # Invoke function, check response + query = mock_query.replace(" ", "+") + kwargs["mock"].get(f"https://www.amazon.com/s?k={query}&page=1", content=mock_body) + output = parse_results_amz(mock_query, 1) + expected = [{ + 'Price': '59.49', + 'Title': 'High Top Mens Basketball Shoes Lou Williams Streetball Master ' + 'Breathable Non Slip Outdoor Sneakers Cushioning Workout Shoes for ' + 'Fitness', + 'asin': 'B083QCWF61' + }, { + 'Price': '45.99', + 'Title': 'Kids Basketball Shoes High-top Sports Shoes Sneakers Durable ' + 'Lace-up Non-Slip Running Shoes Secure for Little Kids Big Kids and ' + 'Boys Girls', + 'asin': 'B08FWWWQ11' + }, { + 'Price': '64.99', + 'Title': 'Unisex-Adult Lockdown 5 Basketball Shoe', + 'asin': 'B0817BFNC4' + }, { + 'Price': '63.75', + 'Title': 'Unisex-Child Team Hustle D 9 (Gs) Sneaker', + 'asin': 'B07HHTS79M' + }, { + 'Price': '74.64', + 'Title': 'Unisex-Adult D.O.N. Issue 3 Basketball Shoe', + 'asin': 'B08N8DQLS2' + }, { + 'Price': '104.90', + 'Title': "Men's Lebron Witness IV Basketball Shoes", + 'asin': 'B07TKMMHVB' + }, { + 'Price': '36.68', + 'Title': "Unisex-Child Pre-School Jet '21 Basketball Shoe", + 'asin': 'B08N6VRHV4' + }, { + 'Price': '59.98', + 'Title': "Men's Triple Basketball Shoe", + 'asin': 'B08QCL8VKM' + }, { + 'Price': '45.98', + 'Title': 'Unisex-Child Pre School Lockdown 4 Basketball Shoe', + 'asin': 'B07HKP12DH' + }, { + 'Price': '143.72', + 'Title': "Men's Basketball Shoes", + 'asin': 'B07SNR7HRF' + }] + assert output == expected + +@requests_mock.Mocker(kw="mock") +def test_parse_results_ws(**kwargs): + # Read mock response data + mock_file = open("tests/transfer/mocks/mock_parse_results_ws", "rb") + mock_body = mock_file.read() + mock_file.close() + mock_query = "red basketball shoes" + + # Invoke function, check response + query_str = mock_query.replace(" ", "+") + url = ( + f'{WEBSHOP_URL}/search_results/{WEBSHOP_SESSION}/' + f'{query_str}/1' + ) + kwargs["mock"].get(url, content=mock_body) + output = parse_results_ws(mock_query, 1) + expected = [{ + 'Price': [24.49, 39.99], + 'Title': "BinGoDug Men's Basketball Shoes, Men's Fashion Sneakers, Air " + 'Basketball Shoes for Men, Womens Basketball Shoes, Mens Basketball ' + 'Shoes, Boys Basketball Shoes, Youth Basketball Shoes Men Women', + 'asin': 'B09GKFNQWT' + }, { + 'Price': [1.89, 7.58], + 'Title': "RQWEIN Comfortable Mesh Sneakers Men's Roading Running Shoes " + 'Tennis Shoes Casual Fashion Sneakers Outdoor Non Slip Gym Athletic ' + 'Sport Shoes', + 'asin': 'B09BFY2R3R' + }, { + 'Price': 100.0, + 'Title': 'PMUYBHF Womens Fashion Flat Shoes Comfortable Running Shoes ' + 'Sneakers Tennis Athletic Shoe Casual Walking Shoes', + 'asin': 'B09P87V3LZ' + }, { + 'Price': 100.0, + 'Title': 'PMUYBHF Fashion Travel Shoes Jogging Walking Sneakers Air Cushion ' + 'Platform Loafers Air Cushion Mesh Shoes Walking Dance Shoes', + 'asin': 'B09N6SNKC1' + }, { + 'Price': 100.0, + 'Title': "PMUYBHF Women's Ballet Flats Walking Flats Shoes Dressy Work Low " + 'Wedge Arch Suport Flats Shoes Slip On Dress Shoes', + 'asin': 'B09N6X5S74' + }, { + 'Price': 100.0, + 'Title': "PWKSELW High-top Men's Basketball Shoes Outdoor Sports Shoes " + 'Cushioning Training Shoes Casual Running Shoes', + 'asin': 'B09MDB9V5W' + }, { + 'Price': 100.0, + 'Title': "Women's Flat Shoes Classic Round Toe Slip Office Black Ballet " + 'Flats Walking Flats Shoes Casual Ballet Flats', + 'asin': 'B09N6PDFRF' + }, { + 'Price': 100.0, + 'Title': "Women's Mid-Calf Boots Wide Calf Boots for Women Fashion Zipper " + 'Womens Shoes Pu Leather Casual Boots Womens Slip-On Womens Flat ' + "Shoes Med Heel Womens' Boots Winter Snow Boot Comfy Boots(,5.5)", + 'asin': 'B09N8ZHFNM' + }, { + 'Price': 100.0, + 'Title': 'PMUYBHF Womens Leisure Fitness Running Sport Warm Sneakers Shoes ' + 'Slip-On Mule Sneakers Womens Mules', + 'asin': 'B09P87DWGR' + }, { + 'Price': 100.0, + 'Title': 'Men Dress Shoes Leather Modern Classic Business Shoes Lace Up ' + 'Classic Office Shoes Business Formal Shoes for Men', + 'asin': 'B09R9MMTKR' + }] + assert output == expected + +def test_convert_dict_to_actions(): + # Test RESULTS page type + asin = "334490012932" + page_num = 2 + products = [{ + 'asin': '125331076844', + 'Title': 'Modern Tall Torchiere Floor Lamp Brushed Nickel Chrome Metal Decor Living Room', + 'Price': '$129.95' + }, { + 'asin': '125109985453', + 'Title': 'Floor Lamps Set of 2 Polished Steel Crystal Glass for Living Room Bedroom', + 'Price': '$179.99' + }, { + 'asin': '125265434055', + 'Title': 'Floor Lamp Nickel/Polished Concrete Finish with Off-White Linen Fabric Shade', + 'Price': '$130.68' + }, { + 'asin': '195197281169', + 'Title': 'New ListingVintage Mid Century Modern Glass Amber Globe Tension Pole Floor Lamp Light', + 'Price': '$165.00' + }, { + 'asin': '195197512929', + 'Title': 'New ListingVTG Brass Floor Lamp Glass Shade 63.5" Tall 12" Diameter Glass Shade Original', + 'Price': '$279.45' + }, { + 'asin': '304550250934', + 'Title': 'Vintage Mid Century Modern 3 Light Tension Pole Floor Lamp glass shades atomic a', + 'Price': '$149.99' + }, { + 'asin': '175338033811', + 'Title': 'Antique FOSTORIA Ornate Brass Piano Adjustable Floor Oil Lamp up to 76" Tall !!', + 'Price': '$1,995.00' + }, { + 'asin': '334490012932', + 'Title': 'Vintage Mid Century Glass Shade Amber Globe 3 Tension Pole Floor Lamp Light MCM', + 'Price': '$128.00' + }, { + 'asin': '185433933521', + 'Title': 'Brass & Pink Glass Lotus 6 Petal Lamp Shades Set Of Two Replacement Parts As Is', + 'Price': '$90.00' + }] + + actions = convert_dict_to_actions(Page.RESULTS, products, asin, page_num) + + assert actions['valid'] == [ + 'click[back to search]', + 'click[< prev]', + 'click[item - Modern Tall Torchiere Floor Lamp Brushed Nickel Chrome Metal Decor Living Room]', + 'click[item - Floor Lamps Set of 2 Polished Steel Crystal Glass for Living Room Bedroom]', + 'click[item - Floor Lamp Nickel/Polished Concrete Finish with Off-White Linen Fabric Shade]', + 'click[item - New ListingVintage Mid Century Modern Glass Amber Globe Tension Pole Floor Lamp Light]', + 'click[item - New ListingVTG Brass Floor Lamp Glass Shade 63.5" Tall 12" Diameter Glass Shade Original]', + 'click[item - Vintage Mid Century Modern 3 Light Tension Pole Floor Lamp glass shades atomic a]', + 'click[item - Antique FOSTORIA Ornate Brass Piano Adjustable Floor Oil Lamp up to 76" Tall !!]', + 'click[item - Vintage Mid Century Glass Shade Amber Globe 3 Tension Pole Floor Lamp Light MCM]', + 'click[item - Brass & Pink Glass Lotus 6 Petal Lamp Shades Set Of Two Replacement Parts As Is]' + ] + + # Test ITEM_PAGE page type + asin = "224636269803" + products = { + '224636269803': { + 'asin': '224636269803', + 'Title': 'Sony SRS-XB01 EXTRA BASS Portable Water-Resistant Wireless Bluetooth Speaker', + 'Price': '24.99', + 'MainImage': 'https://i.ebayimg.com/images/g/jVEAAOSwCLBhXLuD/s-l500.jpg', + 'Rating': None, + 'options': { + 'Color': ['Black', 'White', 'Red', 'Blue'] + }, + 'option_to_image': {}, + 'Description': "eBay Sony EXTRA BASS Portable Water-Resistant Wireless Bluetooth SpeakerBRAND NEW ITEMFREE SHIPPING WITHIN USA30 DAY RETURN POLICYKey FeaturesEXTRA BASS for deep, punchy soundCompact portable designUp to 6 hours of battery lifeWater resistant for worry-free useSupplied with color-coordinated strap What's in the Box?Sony EXTRA BASS Portable Bluetooth SpeakerPower supplyUser manual HIGHLIGHTSMUSIC THAT TRAVELSSmall size but mighty in volume to deliver powerful beats wherever you travelHANDS FREE CALLINGWith the built-in microphone, taking calls from your smartphone is easy. SPLASHPROOF CASINGTake to the pool or beach without worrying about water damaging the speaker unit UPGRADE THE AUDIOWirelessly connects 2 speakers and achieve stereo sound with speaker add function LONGER BATTERY LIFELonger Virtual Happy Hours with this rechargeable speaker's 6 hour battery life Technical SpecsFeatureValueBrandSonyTypePortable speakerModel NumberSRSXB01BluetoothYesFrequency range2.4 GHzMax. Communication Range32 ftBattery LifeApprox. 6 hrsWater ProtectionIPX5Input and Output TerminalsStereo Mini Jack (IN)Dimensions (W x H x D)Approx. 3 1/4 × 2 3/8 × 2 1/4 inWeightApprox. 5.65 oz", + 'BulletPoints': "Item specifics Condition:New: A brand-new, unused, unopened, undamaged item in its original packaging (where packaging is ... Read moreabout the conditionNew: A brand-new, unused, unopened, undamaged item in its original packaging (where packaging is applicable). Packaging should be the same as what is found in a retail store, unless the item is handmade or was packaged by the manufacturer in non-retail packaging, such as an unprinted box or plastic bag. See the seller's listing for full details. See all condition definitionsopens in a new window or tab Model:EXTRA BASS Connectivity:Bluetooth, Wireless Type:Portable Speaker System Compatible Model:EXTRA BASS, Portable Water-Resistant Features:Bluetooth, Water-Resistant MPN:SRS-XB01/B, SRS-XB01/L, SRS-XB01/R, SRS-XB01/W Brand:Sony" + } + } + + actions = convert_dict_to_actions(Page.ITEM_PAGE, products, asin, 1) + + assert actions['valid'] == ['click[back to search]', 'click[< prev]', 'click[description]', 'click[features]', 'click[buy now]', 'click[Black]', 'click[White]', 'click[Red]', 'click[Blue]'] + + # Test SUB_PAGE page type + actions = convert_dict_to_actions(Page.SUB_PAGE, {}, "12345", 1) + + assert actions['valid'] == ['click[back to search]', 'click[< prev]'] \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/web-agent-site/engine/test_goal.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/web-agent-site/engine/test_goal.py new file mode 100644 index 00000000..2f7b0822 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/web-agent-site/engine/test_goal.py @@ -0,0 +1,200 @@ +import pytest +from math import isclose +from web_agent_site.engine.goal import * + +def test_get_type_reward(): + # Exact Match + goal = { + 'query': "Query 1", + 'product_category': "a › b › c", + 'name': "Name 1" + } + purchased = { + 'query': "Query 1", + 'product_category': "a › b › c", + 'name': "Name 1" + } + result = get_type_reward(purchased, goal) + assert result['r_type'] == 1. + assert result['query_match'] == True + assert result['category_match'] == True + assert result['title_score'] == 1 + + # Query Mismatch + purchased['query'] = 'Query 2' + result = get_type_reward(purchased, goal) + assert result['query_match'] == False + + # Out of order / non-matching / partially matching / duplicate categories + purchased['product_category'] = "b › c › a" + result = get_type_reward(purchased, goal) + assert result['category_match'] == True + purchased['product_category'] = "d › e › f" + result = get_type_reward(purchased, goal) + assert result['category_match'] == False + purchased['product_category'] = "a › d › b" + result = get_type_reward(purchased, goal) + assert result['category_match'] == True + purchased['product_category'] = "a › a › b" + result = get_type_reward(purchased, goal) + assert result['category_match'] == True + purchased['product_category'] = "a › a › d" + result = get_type_reward(purchased, goal) + assert result['category_match'] == False + + # Similar product names + goal['name'] = "Mens D.O.N. Issue 2 Gca Basketball Sneakers Shoes Casual - Off White" + purchased['name'] = "PEAK High Top Mens Basketball Shoes Lou Williams Streetball Master Breathable Non Slip Outdoor Sneakers" + result = get_type_reward(purchased, goal) + assert isclose(result['title_score'], 0.333, abs_tol=1e-2) + + # Slightly similar product names + goal['name'] = "Saireed UL Listed 2 Prong Power Cord for JBL Bar 3.1 Bar 2.1 Channel 4K Ultra HD Soundbar Home Theater System Subwoofer" + purchased['name'] = "BRST AC Power Cord Outlet Socket Cable Plug Lead for Panasonic SC-HT830V DVD/VCR Combo Home Theater System" + result = get_type_reward(purchased, goal) + assert isclose(result['title_score'], 0.3, abs_tol=1e-2) + + goal['name'] = "Saireed UL Listed 2 Prong Power Cord for JBL Bar 3.1 Bar 2.1 Channel 4K Ultra HD Soundbar" + purchased['name'] = "BRST AC Power Cord Outlet Socket Cable Plug Lead for Panasonic SC-HT830V DVD/VCR Combo Home Theater System" + result = get_type_reward(purchased, goal) + assert isclose(result['title_score'], 0.15, abs_tol=1e-2) + + # Completely different product names + goal['name'] = "Rusticware 921ORB Kitchen and Bath Cabinet Knob" + purchased['name'] = "Minkissy 2pcs Stainless Steel Eyebrow Tweezers Blackhead Acne Remover Portable Makeup Tweezers (Silver)" + result = get_type_reward(purchased, goal) + assert result['title_score'] < 0.05 + +def test_get_attribute_reward(): + # Exact Match + goal = { + 'attributes': ["tea tree", "essential oils", "natural ingredients"], + } + purchased = { + 'Attributes': ["tea tree", "essential oil", "natural ingredients"] + } + r_attr, num_attr_matches = get_attribute_reward(purchased, goal) + assert r_attr == 1 + assert num_attr_matches == 3 + + # Partial Match + goal = { + 'attributes': ["tea tree", "essential oils", "natural ingredients"] + } + purchased = { + 'Attributes': ["essential oil", "natural ingredients"], + 'Title': "", + 'BulletPoints': [], + 'Description': "" + } + r_attr, num_attr_matches = get_attribute_reward(purchased, goal) + assert r_attr == 2./3. + assert num_attr_matches == 2 + + # Goal attributes found in purchased non-goals + goal = { + 'attributes': ["tea tree", "essential oils", "natural ingredients"] + } + purchased = { + 'Attributes': [], + 'Title': "", + 'BulletPoints': ["This shampoo has essential oils and smells like lemons"], + 'Description': "Best shampoo on the market, made with natural ingredients" + } + r_attr, num_attr_matches = get_attribute_reward(purchased, goal) + assert r_attr == 2./3. + assert num_attr_matches == 2 + + # No match + goal = { + 'attributes': ["tea tree", "essential oils", "natural ingredients"] + } + purchased = { + 'Attributes': ["tea bag", "earl gray", "lipton"], + 'Title': "English tea for breakfast", + 'BulletPoints': ["Soothing aroma", "Calming, great feeling"], + 'Description': "Best tea made by Lipton, great to pair with breakfast" + } + r_attr, num_attr_matches = get_attribute_reward(purchased, goal) + assert r_attr == 0 + assert num_attr_matches == 0 + +def test_get_option_reward(): + # Exact Match + goal = ["grey", "XL", "pack of 12"] + purchased = ["pack of 12", "grey", "XL"] + r_option, matches = get_option_reward(purchased, goal) + assert matches == len(goal) + assert r_option == 1 + + # Partial Match + goal = ["grey", "XL", "pack of 12"] + purchased = ["pack of 12", "blue", "XL"] + r_option, matches = get_option_reward(purchased, goal) + assert matches == len(goal) - 1 + assert r_option == 2./3. + + # Fuzzy Match + goal = ["cool powder snow", "XL", "pack of 12"] + purchased = ["pack of 12", "powder snow", "XL"] + r_option, matches = get_option_reward(purchased, goal) + assert matches == len(goal) + assert r_option == 1 + + # Empty Goal Options + goal = [] + purchased = ["goal 1", "goal 2"] + r_option, matches = get_option_reward(purchased, goal) + assert matches == 0 + assert r_option == None + + # Empty Purchased Options + goal = ["goal 1", "goal 2"] + purchased = [] + r_option, matches = get_option_reward(purchased, goal) + assert matches == 0 + assert r_option == 0 + +def test_get_reward(): + # Exact Match + goal = { + 'query': "Query 1", + 'product_category': "a › b › c", + 'name': "Mens D.O.N. Issue 2 Gca Basketball Sneakers Shoes Casual - Off White", + 'attributes': ["tea tree", "essential oils", "natural ingredients"], + 'goal_options': {"color": "grey", "size": "XL"}, + 'price_upper': 40.00 + } + purchased = { + 'query': "Query 1", + 'product_category': "a › b › c", + 'name': "Mens D.O.N. Issue 2 Gca Basketball Sneakers Shoes Casual - Off White", + 'Attributes': ["tea tree", "essential oil", "natural ingredients"], + 'Title': "", + 'BulletPoints': [], + 'Description': "", + 'goal_options': {"color": "grey", "size": "XL"} + } + total_reward = get_reward(purchased, goal, 35, purchased['goal_options']) + assert total_reward == 1 + + # Variation in r_attributes reward + purchased['Attributes'] = [] + purchased['Title'] = "" + purchased['BulletPoints'] = "This shampoo has essential oils and smells like lemons" + purchased['Description'] = "Best shampoo on the market, made with natural ingredients" + total_reward = get_reward(purchased, goal, 35, purchased['goal_options']) + assert isclose(total_reward, 2./3., abs_tol=1e-2) + + # Variation in r_option reward + goal['goal_options'] = {"color": "grey", "size": "XL", "amount": "pack of 12"} + total_reward = get_reward(purchased, goal, 35, purchased['goal_options']) + assert isclose(total_reward, 0.5714, abs_tol=1e-2) + + # Variation in r_type reward + goal['name'] = "Saireed UL Listed 2 Prong Power Cord for JBL Bar 3.1 Bar 2.1 Channel 4K Ultra HD Soundbar" + purchased['name'] = "BRST AC Power Cord Outlet Socket Cable Plug Lead for Panasonic SC-HT830V DVD/VCR Combo Home Theater System" + purchased['query'] = "Query 2" + purchased['product_category'] = "a › d › e" + total_reward = get_reward(purchased, goal, 35, purchased['goal_options']) + assert isclose(total_reward, 0.2857, abs_tol=1e-2) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/web-agent-site/engine/test_normalize.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/web-agent-site/engine/test_normalize.py new file mode 100644 index 00000000..2a0f0b2e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/web-agent-site/engine/test_normalize.py @@ -0,0 +1,53 @@ +import pytest +from web_agent_site.engine.normalize import * + +def test_normalize_color(): + suite = [ + ("", ""), + ("black forest", "black"), + ("violet lavender", "lavender"), + ("steelivy fuchsia", "fuchsia"), + ("123alabaster", "alabaster"), + ("webshop", "webshop") + ] + for color_string, expected in suite: + output = normalize_color(color_string) + assert type(output) is str + assert output == expected + +def test_normalize_color_size(): + product_prices = { + (1, "black forest", "3 meter"): 10.29, + (2, "violet lavender", "xx-large"): 23.42, + (3, "steelivy fuchsia", "random value"): 193.87, + (4, "123alabaster", "40cm plus"): 67.23, + (5, "webshop", "142"): 1.02, + (6, "webshopsteel", "2 petite"): 57.99, + (7, "leather black", "91ft walnut feet"): 6.20, + } + color_mapping_expected = { + 'N.A.': 'not_matched', + "black forest": "black", + "violet lavender": "lavender", + "steelivy fuchsia": "fuchsia", + "123alabaster": "alabaster", + "webshop": "not_matched", + "webshopsteel": "steel", + "leather black": "black" + } + size_mapping_expected = { + 'N.A.': 'not_matched', + "3 meter": '(.*)meter', + "xx-large": 'xx-large', + "random value": "not_matched", + "40cm plus": '(.*)plus', + "142": "numeric_size", + "2 petite": "(.*)petite", + "91ft walnut feet": '(.*)ft', + } + + color_mapping, size_mapping = normalize_color_size(product_prices) + assert type(color_mapping) == dict + assert type(size_mapping) == dict + assert color_mapping == color_mapping_expected + assert size_mapping == size_mapping_expected diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/web-agent-site/test_utils.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/web-agent-site/test_utils.py new file mode 100644 index 00000000..c02c94b5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/tests/web-agent-site/test_utils.py @@ -0,0 +1,49 @@ +import logging +import pytest +import random +import shutil +from pathlib import Path +from web_agent_site.utils import * + +def test_random_idx(): + random.seed(24) + weights = [random.randint(0, 10) for _ in range(0, 50)] + cml_weights = [0] + for w in weights: + cml_weights.append(cml_weights[-1] + w) + idx_1, expected_1 = random_idx(cml_weights), 44 + idx_2, expected_2 = random_idx(cml_weights), 15 + idx_3, expected_3 = random_idx(cml_weights), 36 + assert idx_1 == expected_1 + assert idx_2 == expected_2 + assert idx_3 == expected_3 + +def test_setup_logger(): + LOG_DIR = 'user_session_logs_test/' + user_log_dir = Path(LOG_DIR) + user_log_dir.mkdir(parents=True, exist_ok=True) + session_id = "ABC" + + logger = setup_logger(session_id, user_log_dir) + log_file = Path(LOG_DIR + "/" + session_id + ".jsonl") + assert Path(log_file).is_file() + assert logger.level == logging.INFO + + content = "Hello there" + logger.info(content) + assert log_file.read_text().strip("\n") == content + + shutil.rmtree(LOG_DIR) + +def test_generate_mturk_code(): + suite = [ + ('', 'DA39A3EE5E'), + ('ABC', '3C01BDBB26'), + ('123', '40BD001563'), + ('1A1', '10E7DB0A44'), + ('$%^ABC', '5D5607D24E') + ] + for session_id, expected in suite: + output = generate_mturk_code(session_id) + assert type(expected) is str + assert output == expected \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/transfer/README.md b/openmanus_rl/agentgym/agentenv-webshop/webshop/transfer/README.md new file mode 100644 index 00000000..90a6d1aa --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/transfer/README.md @@ -0,0 +1,23 @@ +# Sim-to-real Transfer +This folder contains code for transferring agents trained on WebShop to perform on third party websites, specifically [Amazon](http://amazon.com) and [eBay](http://ebay.com). The imitation learning and reinforcement learning agents exercised by the transfer code can be found on WebShop's Hugging Face [page](https://huggingface.co/webshop). + +Interact with a demo of the transfer code, deployed as a 🤗 Hugging Face space [here](https://huggingface.co/spaces/webshop/amazon_shop)! + +## 🛠️ Usage +The Gradio app deployed as the aforementioned Hugging Face space can be started locally by running `python app.py` in this folder. The initial `setup.sh` script should have installed all the required dependencies. + +## ➡️ Transfer Logic +The Sim-to-real transfer code follows this general logical flow: + + + +The contents of this directory each serve the following purposes: +* `app.py`: Run to launch interactive [Gradio](https://gradio.app/) demo of app +* `predict_help.py`: Amazon, eBay web scraping code +* `webshop_lite.py`: A condensed version of WebShop's templating engine + +If you are interested in *transferring an agent's functionality to an new website or platform*, you will need to... +1. implement two new functions: `parse_results_.py` and `parse_item_page_.py`. The corresponding interfaces and working examples for Amazon can be found [here](https://github.com/princeton-nlp/webshop/tree/master/transfer/predict_help.py#L262) and [here](https://github.com/princeton-nlp/webshop/tree/master/transfer/predict_help.py#L296). +2. Invoke these functions in the [`run_episode`](https://github.com/princeton-nlp/webshop/tree/master/transfer/app.py#L105) function in the `app.py` file. Specifically, you should add a single call to... + * `parse_results...` in the [conditional]((https://github.com/princeton-nlp/webshop/tree/master/transfer/predict_help.py#L220)) handling `Page.RESULTS` page types + * `parse_item_page...` in the [conditional]((https://github.com/princeton-nlp/webshop/tree/master/transfer/predict_help.py#L240)) handling `Page.ITEMS` page types \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/transfer/__init__.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/transfer/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/transfer/app.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/transfer/app.py new file mode 100644 index 00000000..ee5e71df --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/transfer/app.py @@ -0,0 +1,315 @@ +import gradio as gr +import json, time, torch +from transformers import BartTokenizer, BartForConditionalGeneration, AutoModel, AutoTokenizer + +from webshop_lite import dict_to_fake_html +from predict_help import ( + Page, convert_dict_to_actions, convert_html_to_text, + parse_results_amz, parse_item_page_amz, + parse_results_ws, parse_item_page_ws, + parse_results_ebay, parse_item_page_ebay, + WEBSHOP_URL, WEBSHOP_SESSION +) + +ENVIRONMENTS = ['amazon', 'webshop', 'ebay'] + +# IL+RL: 'webshop/il-rl-choice-bert-image_1' +# IL: 'webshop/il-choice-bert-image_0' +BERT_MODEL_PATH = 'webshop/il-choice-bert-image_0' + +# load IL models +bart_tokenizer = BartTokenizer.from_pretrained('facebook/bart-large') +bart_model = BartForConditionalGeneration.from_pretrained('webshop/il_search_bart') + +bert_tokenizer = AutoTokenizer.from_pretrained('bert-base-uncased', truncation_side='left') +bert_tokenizer.add_tokens(['[button]', '[button_]', '[clicked button]', '[clicked button_]'], special_tokens=True) +bert_model = AutoModel.from_pretrained(BERT_MODEL_PATH, trust_remote_code=True) + +def process_str(s): + s = s.lower().replace('"', '').replace("'", "").strip() + s = s.replace('[sep]', '[SEP]') + return s + + +def process_goal(state): + state = state.lower().replace('"', '').replace("'", "") + state = state.replace('amazon shopping game\ninstruction:', '').replace('webshop\ninstruction:', '') + state = state.replace('\n[button] search [button_]', '').strip() + if ', and price lower than' in state: + state = state.split(', and price lower than')[0] + return state + + +def data_collator(batch): + state_input_ids, state_attention_mask, action_input_ids, action_attention_mask, sizes, labels, images = [], [], [], [], [], [], [] + for sample in batch: + state_input_ids.append(sample['state_input_ids']) + state_attention_mask.append(sample['state_attention_mask']) + action_input_ids.extend(sample['action_input_ids']) + action_attention_mask.extend(sample['action_attention_mask']) + sizes.append(sample['sizes']) + labels.append(sample['labels']) + images.append(sample['images']) + max_state_len = max(sum(x) for x in state_attention_mask) + max_action_len = max(sum(x) for x in action_attention_mask) + return { + 'state_input_ids': torch.tensor(state_input_ids)[:, :max_state_len], + 'state_attention_mask': torch.tensor(state_attention_mask)[:, :max_state_len], + 'action_input_ids': torch.tensor(action_input_ids)[:, :max_action_len], + 'action_attention_mask': torch.tensor(action_attention_mask)[:, :max_action_len], + 'sizes': torch.tensor(sizes), + 'images': torch.tensor(images), + 'labels': torch.tensor(labels), + } + + +def bart_predict(input): + input_ids = bart_tokenizer(input)['input_ids'] + input_ids = torch.tensor(input_ids).unsqueeze(0) + output = bart_model.generate(input_ids, max_length=512, num_return_sequences=5, num_beams=5) + return bart_tokenizer.batch_decode(output.tolist(), skip_special_tokens=True)[0] + + +def bert_predict(obs, info, softmax=True): + valid_acts = info['valid'] + assert valid_acts[0].startswith('click[') + state_encodings = bert_tokenizer(process_str(obs), max_length=512, truncation=True, padding='max_length') + action_encodings = bert_tokenizer(list(map(process_str, valid_acts)), max_length=512, truncation=True, padding='max_length') + batch = { + 'state_input_ids': state_encodings['input_ids'], + 'state_attention_mask': state_encodings['attention_mask'], + 'action_input_ids': action_encodings['input_ids'], + 'action_attention_mask': action_encodings['attention_mask'], + 'sizes': len(valid_acts), + 'images': info['image_feat'].tolist(), + 'labels': 0 + } + batch = data_collator([batch]) + outputs = bert_model(**batch) + if softmax: + idx = torch.multinomial(torch.nn.functional.softmax(outputs.logits[0], dim=0), 1)[0].item() + else: + idx = outputs.logits[0].argmax(0).item() + return valid_acts[idx] + +def get_return_value(env, asin, options, search_terms, page_num, product): + asin_url = None + + # Determine product URL + options based on environment + if env == 'webshop': + query_str = "+".join(search_terms.split()) + options_str = json.dumps(options) + asin_url = ( + f'{WEBSHOP_URL}/item_page/{WEBSHOP_SESSION}/' + f'{asin}/{query_str}/{page_num}/{options_str}' + ) + else: + asin_url = f"https://www.ebay.com/itm/{asin}" if env == 'ebay' else \ + f"https://www.amazon.com/dp/{asin}" + + # Extract relevant fields for product + product_reduced = {k: v for k, v in product.items() if k in ["asin", "Title", "Description", "BulletPoints"]} + product_reduced["Description"] = product_reduced["Description"][:100] + "..." + product_reduced["Features"] = product_reduced.pop("BulletPoints") + product_reduced["Features"] = product_reduced["Features"][:100] + "..." + + # Create HTML to show link to product + html = """Chosen Product""" + html += f"""Product Image:
    """ if len(product["MainImage"]) > 0 else "" + html += f"""Link to Product: + {asin_url} + """ + + return product_reduced, options if len(options) > 0 else "None Selected", html + + +def predict(obs, info): + """ + Given WebShop environment observation and info, predict an action. + """ + valid_acts = info['valid'] + if valid_acts[0].startswith('click['): + return bert_predict(obs, info) + else: + return "search[" + bart_predict(process_goal(obs)) + "]" + +def run_episode(goal, env, verbose=True): + """ + Interact with amazon to find a product given input goal. + Input: text goal + Output: a url of found item on amazon. + """ + env = env.lower() + if env not in ENVIRONMENTS: + print(f"[ERROR] Environment {env} not recognized") + + obs = "Amazon Shopping Game\nInstruction:" + goal + "\n[button] search [button]" + info = {'valid': ['search[stuff]'], 'image_feat': torch.zeros(512)} + product_map = {} + title_to_asin_map = {} + search_results_cache = {} + visited_asins, clicked_options = set(), set() + sub_page_type, page_type, page_num = None, None, None + search_terms, prod_title, asin = None, None, None + options = {} + + for i in range(100): + # Run prediction + action = predict(obs, info) + if verbose: + print("====") + print(action) + + # Previous Page Type, Action -> Next Page Type + action_content = action[action.find("[")+1:action.find("]")] + prev_page_type = page_type + if action.startswith('search['): + page_type = Page.RESULTS + search_terms = action_content + page_num = 1 + elif action.startswith('click['): + if action.startswith('click[item -'): + prod_title = action_content[len("item -"):].strip() + found = False + for key in title_to_asin_map: + if prod_title == key: + asin = title_to_asin_map[key] + page_type = Page.ITEM_PAGE + visited_asins.add(asin) + found = True + break + if not found: + raise Exception("Product to click not found") + + elif any(x.value in action for x in [Page.DESC, Page.FEATURES, Page.REVIEWS]): + page_type = Page.SUB_PAGE + sub_page_type = Page(action_content.lower()) + + elif action == 'click[< prev]': + if sub_page_type is not None: + page_type, sub_page_type = Page.ITEM_PAGE, None + elif prev_page_type == Page.ITEM_PAGE: + page_type = Page.RESULTS + options, clicked_options = {}, set() + elif prev_page_type == Page.RESULTS and page_num > 1: + page_type = Page.RESULTS + page_num -= 1 + + elif action == 'click[next >]': + page_type = Page.RESULTS + page_num += 1 + + elif action.lower() == 'click[back to search]': + page_type = Page.SEARCH + + elif action == 'click[buy now]': + return get_return_value(env, asin, options, search_terms, page_num, product_map[asin]) + + elif prev_page_type == Page.ITEM_PAGE: + found = False + for opt_name, opt_values in product_map[asin]["options"].items(): + if action_content in opt_values: + options[opt_name] = action_content + page_type = Page.ITEM_PAGE + clicked_options.add(action_content) + found = True + break + if not found: + raise Exception("Unrecognized action: " + action) + else: + raise Exception("Unrecognized action:" + action) + + if verbose: + print(f"Parsing {page_type.value} page...") + + # URL -> Real HTML -> Dict of Info + if page_type == Page.RESULTS: + if search_terms in search_results_cache: + data = search_results_cache[search_terms] + if verbose: + print(f"Loading cached results page for \"{search_terms}\"") + else: + begin = time.time() + if env == 'amazon': + data = parse_results_amz(search_terms, page_num, verbose) + if env == 'webshop': + data = parse_results_ws(search_terms, page_num, verbose) + if env == 'ebay': + data = parse_results_ebay(search_terms, page_num, verbose) + end = time.time() + if verbose: + print(f"Parsing search results took {end-begin} seconds") + + search_results_cache[search_terms] = data + for d in data: + title_to_asin_map[d['Title']] = d['asin'] + elif page_type == Page.ITEM_PAGE or page_type == Page.SUB_PAGE: + if asin in product_map: + if verbose: + print("Loading cached item page for", asin) + data = product_map[asin] + else: + begin = time.time() + if env == 'amazon': + data = parse_item_page_amz(asin, verbose) + if env == 'webshop': + data = parse_item_page_ws(asin, search_terms, page_num, options, verbose) + if env == 'ebay': + data = parse_item_page_ebay(asin, verbose) + end = time.time() + if verbose: + print("Parsing item page took", end-begin, "seconds") + product_map[asin] = data + elif page_type == Page.SEARCH: + if verbose: + print("Executing search") + obs = "Amazon Shopping Game\nInstruction:" + goal + "\n[button] search [button]" + info = {'valid': ['search[stuff]'], 'image_feat': torch.zeros(512)} + continue + else: + raise Exception("Page of type `", page_type, "` not found") + + # Dict of Info -> Fake HTML -> Text Observation + begin = time.time() + html_str = dict_to_fake_html(data, page_type, asin, sub_page_type, options, product_map, goal) + obs = convert_html_to_text(html_str, simple=False, clicked_options=clicked_options, visited_asins=visited_asins) + end = time.time() + if verbose: + print("[Page Info -> WebShop HTML -> Observation] took", end-begin, "seconds") + + # Dict of Info -> Valid Action State (Info) + begin = time.time() + prod_arg = product_map if page_type == Page.ITEM_PAGE else data + info = convert_dict_to_actions(page_type, prod_arg, asin, page_num) + end = time.time() + if verbose: + print("Extracting available actions took", end-begin, "seconds") + + if i == 50: + return get_return_value(env, asin, options, search_terms, page_num, product_map[asin]) + +gr.Interface( + fn=run_episode, + inputs=[ + gr.inputs.Textbox(lines=7, label="Input Text"), + gr.inputs.Radio(['Amazon', 'eBay'], type="value", default="Amazon", label='Environment') + ], + outputs=[ + gr.outputs.JSON(label="Selected Product"), + gr.outputs.JSON(label="Selected Options"), + gr.outputs.HTML() + ], + examples=[ + ["I want to find a gold floor lamp with a glass shade and a nickel finish that i can use for my living room, and price lower than 270.00 dollars", "Amazon"], + ["I need some cute heart-shaped glittery cupcake picks as a gift to bring to a baby shower", "Amazon"], + ["I want to buy ballet shoes which have rubber sole in grey suede color and a size of 6", "Amazon"], + ["I would like a 7 piece king comforter set decorated with flowers and is machine washable", "Amazon"], + ["I'm trying to find white bluetooth speakers that are not only water resistant but also come with stereo sound", "eBay"], + ["find me the soy free 3.5 ounce 4-pack of dang thai rice chips, and make sure they are the aged cheddar flavor. i also need the ones in the resealable bags", "eBay"], + ["I am looking for a milk chocolate of 1 pound size in a single pack for valentine day", "eBay"], + ["I'm looking for a mini pc intel core desktop computer which supports with windows 11", "eBay"] + ], + title="WebShop", + article="

    To learn more about this project, check out the project page!

    ", + description="

    Sim-to-real transfer of agent trained on WebShop to search a desired product on Amazon from any natural language query!

    ", +).launch(inline=False) diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/transfer/predict_help.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/transfer/predict_help.py new file mode 100644 index 00000000..6333978c --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/transfer/predict_help.py @@ -0,0 +1,457 @@ +from bs4 import BeautifulSoup +from bs4.element import Comment +from enum import Enum +import re, time +from urllib.parse import urlencode + +import json, requests, torch + +class Page(Enum): + DESC = "description" + FEATURES = "features" + ITEM_PAGE = "item_page" + RESULTS = "results" + REVIEWS = "reviews" + SEARCH = "search" + SUB_PAGE = "item_sub_page" + +HEADER_ = 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_7) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/101.0.4951.64 Safari/537.36' +DEBUG_HTML = "temp.html" +NUM_PROD_LIMIT = 10 + +WEBSHOP_URL = "http://3.83.245.205:3000" +WEBSHOP_SESSION = "abc" + + +def parse_results_ebay(query, page_num=None, verbose=True): + query_string = '+'.join(query.split()) + page_num = 1 if page_num is None else page_num + url = f'https://www.ebay.com/sch/i.html?_nkw={query_string}&_pgn={page_num}' + if verbose: + print(f"Search Results URL: {url}") + webpage = requests.get(url, headers={'User-Agent': HEADER_, 'Accept-Language': 'en-US, en;q=0.5'}) + soup = BeautifulSoup(webpage.text, 'html.parser') + products = soup.select('.s-item__wrapper.clearfix') + + results = [] + for item in products[:NUM_PROD_LIMIT]: + title = item.select_one('.s-item__title').text.strip() + if "shop on ebay" in title.lower(): + # Skip "Shop on ebay" product title + continue + link = item.select_one('.s-item__link')['href'] + asin = link.split("?")[0][len("https://www.ebay.com/itm/"):] + + try: + price = item.select_one('.s-item__price').text + if "to" in price: + prices = price.split(" to ") + price = [p.strip("$") for p in prices] + except: + price = None + + results.append({ + "asin": asin, + "Title": title, + "Price": price + }) + if verbose: + print(f"Scraped {len(results)} products") + return results + + +def parse_item_page_ebay(asin, verbose=True): + product_dict = {} + product_dict["asin"] = asin + + url = f"https://www.ebay.com/itm/{asin}" + if verbose: + print(f"Item Page URL: {url}") + begin = time.time() + webpage = requests.get(url, headers={'User-Agent': HEADER_, 'Accept-Language': 'en-US, en;q=0.5'}) + end = time.time() + if verbose: + print(f"Item page scraping took {end-begin} seconds") + soup = BeautifulSoup(webpage.content, "html.parser") + + # Title + try: + product_dict["Title"] = soup.find('h1', {'class': 'x-item-title__mainTitle'}).text.strip() + except: + product_dict["Title"] = "N/A" + + # Price: Get price string, extract decimal numbers from string + try: + price_str = soup.find('div', {'class': 'mainPrice'}).text + prices = re.findall('\d*\.?\d+', price_str) + product_dict["Price"] = prices[0] + except: + product_dict["Price"] = "N/A" + + # Main Image + try: + img_div = soup.find('div', {'id': 'mainImgHldr'}) + img_link = img_div.find('img', {'id': 'icImg'})["src"] + product_dict["MainImage"] = img_link + except: + product_dict["MainImage"] = "" + + # Rating + try: + rating = soup.find('span', {'class': 'reviews-star-rating'})["title"].split()[0] + except: + rating = None + product_dict["Rating"] = rating + + # Options + options, options_to_images = {}, {} # TODO: options_to_images possible? + try: + option_blocks = soup.findAll('select', {'class': 'msku-sel'}) + for block in option_blocks: + name = block["name"].strip().strip(":") + option_tags = block.findAll("option") + opt_list = [] + for option_tag in option_tags: + if "select" not in option_tag.text.lower(): + # Do not include "- select -" (aka `not selected`) choice + opt_list.append(option_tag.text) + options[name] = opt_list + except: + options = {} + product_dict["options"], product_dict["option_to_image"] = options, options_to_images + + # Description + desc = None + try: + # Ebay descriptions are shown in `iframe`s + desc_link = soup.find('iframe', {'id': 'desc_ifr'})["src"] + desc_webpage = requests.get(desc_link, headers={'User-Agent': HEADER_, 'Accept-Language': 'en-US, en;q=0.5'}) + desc_soup = BeautifulSoup(desc_webpage.content, "html.parser") + desc = ' '.join(desc_soup.text.split()) + except: + desc = "N/A" + product_dict["Description"] = desc + + # Features + features = None + try: + features = soup.find('div', {'class': 'x-about-this-item'}).text + except: + features = "N/A" + product_dict["BulletPoints"] = features + + return product_dict + + +def parse_results_ws(query, page_num=None, verbose=True): + query_string = '+'.join(query.split()) + page_num = 1 if page_num is None else page_num + url = ( + f'{WEBSHOP_URL}/search_results/{WEBSHOP_SESSION}/' + f'{query_string}/{page_num}' + ) + if verbose: + print(f"Search Results URL: {url}") + webpage = requests.get(url, headers={'User-Agent': HEADER_, 'Accept-Language': 'en-US, en;q=0.5'}) + soup = BeautifulSoup(webpage.content, 'html.parser') + products = soup.findAll('div', {'class': 'list-group-item'}) + + results = [] + for product in products: + asin = product.find('a', {'class': 'product-link'}) + title = product.find('h4', {'class': 'product-title'}) + price = product.find('h5', {'class': 'product-price'}) + + if "\n" in title: + title = title.text.split("\n")[0].strip() + else: + title = title.text.strip().strip("\n") + + if "to" in price.text: + # Parse if price presented as range + prices = price.text.split(" to ") + price = [float(p.strip().strip("\n$")) for p in prices] + else: + price = float(price.text.strip().strip("\n$")) + + results.append({ + "asin": asin.text, + "Title": title, + "Price": price + }) + + if verbose: + print(f"Scraped {len(results)} products") + return results + + +def parse_item_page_ws(asin, query, page_num, options, verbose=True): + product_dict = {} + product_dict["asin"] = asin + + query_string = '+'.join(query.split()) + options_string = json.dumps(options) + url = ( + f'{WEBSHOP_URL}/item_page/{WEBSHOP_SESSION}/' + f'{asin}/{query_string}/{page_num}/{options_string}' + ) + if verbose: + print(f"Item Page URL: {url}") + webpage = requests.get(url, headers={'User-Agent': HEADER_, 'Accept-Language': 'en-US, en;q=0.5'}) + soup = BeautifulSoup(webpage.content, 'html.parser') + + # Title, Price, Rating, and MainImage + product_dict["Title"] = soup.find('h2').text + + h4_headers = soup.findAll("h4") + for header in h4_headers: + text = header.text + if "Price" in text: + product_dict["Price"] = text.split(":")[1].strip().strip("$") + elif "Rating" in text: + product_dict["Rating"] = text.split(":")[1].strip() + + product_dict["MainImage"] = soup.find('img')['src'] + + # Options + options, options_to_image = {}, {} + option_blocks = soup.findAll("div", {'class': 'radio-toolbar'}) + for block in option_blocks: + name = block.find("input")["name"] + labels = block.findAll("label") + inputs = block.findAll("input") + opt_list = [] + for label, input in zip(labels, inputs): + opt = label.text + opt_img_path = input["onclick"].split("href=")[1].strip('\';') + opt_img_url = f'{WEBSHOP_URL}{opt_img_path}' + + opt_list.append(opt) + options_to_image[opt] = opt_img_url + options[name] = opt_list + product_dict["options"] = options + product_dict["option_to_image"] = options_to_image + + # Description + url = ( + f'{WEBSHOP_URL}/item_sub_page/{WEBSHOP_SESSION}/' + f'{asin}/{query_string}/{page_num}/Description/{options_string}' + ) + if verbose: + print(f"Item Description URL: {url}") + webpage = requests.get(url, headers={'User-Agent': HEADER_, 'Accept-Language': 'en-US, en;q=0.5'}) + soup = BeautifulSoup(webpage.content, 'html.parser') + product_dict["Description"] = soup.find(name="p", attrs={'class': 'product-info'}).text.strip() + + # Features + url = ( + f'{WEBSHOP_URL}/item_sub_page/{WEBSHOP_SESSION}/' + f'{asin}/{query_string}/{page_num}/Features/{options_string}' + ) + if verbose: + print(f"Item Features URL: {url}") + webpage = requests.get(url, headers={'User-Agent': HEADER_, 'Accept-Language': 'en-US, en;q=0.5'}) + soup = BeautifulSoup(webpage.content, 'html.parser') + bullets = soup.find(name="ul").findAll(name="li") + product_dict["BulletPoints"] = '\n'.join([b.text.strip() for b in bullets]) + + return product_dict + + +# Query -> Search Result ASINs +def parse_results_amz(query, page_num=None, verbose=True): + url = 'https://www.amazon.com/s?k=' + query.replace(" ", "+") + if page_num is not None: + url += "&page=" + str(page_num) + if verbose: + print(f"Search Results URL: {url}") + webpage = requests.get(url, headers={'User-Agent': HEADER_, 'Accept-Language': 'en-US, en;q=0.5'}) + soup = BeautifulSoup(webpage.content, 'html.parser') + products = soup.findAll('div', {'data-component-type': 's-search-result'}) + if products is None: + temp = open(DEBUG_HTML, "w") + temp.write(str(soup)) + temp.close() + raise Exception("Couldn't find search results page, outputted html for inspection") + results = [] + + for product in products[:NUM_PROD_LIMIT]: + asin = product['data-asin'] + title = product.find("h2", {'class': "a-size-mini"}) + price_div = product.find("div", {'class': 's-price-instructions-style'}) + price = price_div.find("span", {'class': 'a-offscreen'}) + + result = { + 'asin': asin, + 'Title': title.text.strip(), + 'Price': price.text.strip().strip("$") + } + results.append(result) + if verbose: + print("Scraped", len(results), "products") + return results + + +# Scrape information of each product +def parse_item_page_amz(asin, verbose=True): + product_dict = {} + product_dict["asin"] = asin + + url = f"https://www.amazon.com/dp/{asin}" + if verbose: + print("Item Page URL:", url) + begin = time.time() + webpage = requests.get(url, headers={'User-Agent': HEADER_, 'Accept-Language': 'en-US, en;q=0.5'}) + end = time.time() + if verbose: + print(f"Item page scraping took {end-begin} seconds") + soup = BeautifulSoup(webpage.content, "html.parser") + + # Title + try: + title = soup.find("span", attrs={"id": 'productTitle'}) + title = title.string.strip().replace(',', '') + except AttributeError: + title = "N/A" + product_dict["Title"] = title + + # Price + try: + parent_price_span = soup.find(name="span", class_="apexPriceToPay") + price_span = parent_price_span.find(name="span", class_="a-offscreen") + price = float(price_span.getText().replace("$", "")) + except AttributeError: + price = "N/A" + product_dict["Price"] = price + + # Rating + try: + rating = soup.find(name="span", attrs={"id": "acrPopover"}) + if rating is None: + rating = "N/A" + else: + rating = rating.text + except AttributeError: + rating = "N/A" + product_dict["Rating"] = rating.strip("\n").strip() + + # Features + try: + features = soup.find(name="div", attrs={"id": "feature-bullets"}).text + except AttributeError: + features = "N/A" + product_dict["BulletPoints"] = features + + # Description + try: + desc_body = soup.find(name="div", attrs={"id": "productDescription_feature_div"}) + desc_div = desc_body.find(name="div", attrs={"id": "productDescription"}) + desc_ps = desc_div.findAll(name="p") + desc = " ".join([p.text for p in desc_ps]) + except AttributeError: + desc = "N/A" + product_dict["Description"] = desc.strip() + + # Main Image + try: + imgtag = soup.find("img", {"id":"landingImage"}) + imageurl = dict(imgtag.attrs)["src"] + except AttributeError: + imageurl = "" + product_dict["MainImage"] = imageurl + + # Options + options, options_to_image = {}, {} + try: + option_body = soup.find(name='div', attrs={"id": "softlinesTwister_feature_div"}) + if option_body is None: + option_body = soup.find(name='div', attrs={"id": "twister_feature_div"}) + option_blocks = option_body.findAll(name='ul') + for block in option_blocks: + name = json.loads(block["data-a-button-group"])["name"] + # Options + opt_list = [] + for li in block.findAll("li"): + img = li.find(name="img") + if img is not None: + opt = img["alt"].strip() + opt_img = img["src"] + if len(opt) > 0: + options_to_image[opt] = opt_img + else: + opt = li.text.strip() + if len(opt) > 0: + opt_list.append(opt) + options[name.replace("_name", "").replace("twister_", "")] = opt_list + except AttributeError: + options = {} + product_dict["options"], product_dict["option_to_image"] = options, options_to_image + return product_dict + + +# Get text observation from html +# TODO[john-b-yang]: Similar to web_agent_site/envs/...text_env.py func def, merge? +def convert_html_to_text(html, simple=False, clicked_options=None, visited_asins=None): + def tag_visible(element): + ignore = {'style', 'script', 'head', 'title', 'meta', '[document]'} + return ( + element.parent.name not in ignore and not isinstance(element, Comment) + ) + html_obj = BeautifulSoup(html, 'html.parser') + texts = html_obj.findAll(text=True) + visible_texts = filter(tag_visible, texts) + if simple: + return ' [SEP] '.join(t.strip() for t in visible_texts if t != '\n') + else: + observation = '' + for t in visible_texts: + if t == '\n': continue + if t.parent.name == 'button': # button + processed_t = f'[button] {t} [button]' + elif t.parent.name == 'label': # options + if f'{t}' in clicked_options: + processed_t = f' [clicked button] {t} [clicked button]' + observation = f'You have clicked {t}.\n' + observation + else: + processed_t = f' [button] {t} [button]' + elif t.parent.get('class') == ["product-link"]: # asins + if f'{t}' in visited_asins: + processed_t = f'\n[clicked button] {t} [clicked button]' + else: + processed_t = f'\n[button] {t} [button]' + else: # regular, unclickable text + processed_t = str(t) + observation += processed_t + '\n' + return observation + + +# Get action from dict of values retrieved from html +def convert_dict_to_actions(page_type, products=None, asin=None, page_num=None) -> dict: + info = {"valid": []} + if page_type == Page.RESULTS: + info["valid"] = ['click[back to search]'] + if products is None or page_num is None: + print(page_num) + print(products) + raise Exception('Provide `products`, `page_num` to get `results` valid actions') + # Decide whether to add `next >` as clickable based on # of search results + if len(products) > 10: + info["valid"].append('click[next >]') + # Add `< prev` as clickable if not first page of search results + if page_num > 1: + info["valid"].append('click[< prev]') + for product in products: + info["valid"].append("click[item - " + product["Title"] + "]") + if page_type == Page.ITEM_PAGE: + if products is None or asin is None: + raise Exception('Provide `products` and `asin` to get `item_page` valid actions') + info["valid"] = ['click[back to search]', 'click[< prev]', 'click[description]',\ + 'click[features]', 'click[buy now]'] # To do: reviews + if "options" in products[asin]: + for key, values in products[asin]["options"].items(): + for value in values: + info["valid"].append("click[" + value + "]") + if page_type == Page.SUB_PAGE: + info["valid"] = ['click[back to search]', 'click[< prev]'] + info['image_feat'] = torch.zeros(512) + return info \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/transfer/webshop_lite.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/transfer/webshop_lite.py new file mode 100644 index 00000000..558e194e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/transfer/webshop_lite.py @@ -0,0 +1,102 @@ +import os + +from flask import render_template_string, Flask +from predict_help import Page + +app=Flask(__name__) +app.debug=True + +SESSION_ID = "ABC" +TEMPLATE_DIR = "../web_agent_site/templates/" +KEYWORDS = ["placeholder (not needed)"] # To Do: Does this matter? +QUERY = "" +product_map = {} + +def read_html_template(path): + with open(path) as f: + template = f.read() + return template + +@app.route('/', methods=['GET', 'POST']) +def index(session_id, **kwargs): + print("Hello world") + +@app.route('/', methods=['GET', 'POST']) +def search_results(data): + path = os.path.join(TEMPLATE_DIR, 'results_page.html') + html = render_template_string( + read_html_template(path=path), + session_id=SESSION_ID, + products=data, + keywords=KEYWORDS, + page=1, + total=len(data), + instruction_text=QUERY, + ) + return html + +@app.route('/', methods=['GET', 'POST']) +def item_page(session_id, asin, keywords, page, options): + path = os.path.join(TEMPLATE_DIR, 'item_page.html') + html = render_template_string( + read_html_template(path=path), + session_id=session_id, + product_info=product_map[asin], + keywords=keywords, + page=page, + asin=asin, + options=options, + instruction_text=QUERY + ) + return html + +@app.route('/', methods=['GET', 'POST']) +def item_sub_page(session_id, asin, keywords, page, sub_page, options): + path = os.path.join(TEMPLATE_DIR, sub_page.value.lower() + "_page.html") + html = render_template_string( + read_html_template(path), + session_id=session_id, + product_info=product_map[asin], + keywords=keywords, + page=page, + asin=asin, + options=options, + instruction_text=QUERY + ) + return html + +@app.route('/', methods=['GET', 'POST']) +def done(asin, options, session_id, **kwargs): + path = os.path.join(TEMPLATE_DIR, 'done_page.html') + html = render_template_string( + read_html_template(path), + session_id=session_id, + reward=1, + asin=asin, + options=product_map[asin]["options"], + reward_info=kwargs.get('reward_info'), + goal_attrs=kwargs.get('goal_attrs'), + purchased_attrs=kwargs.get('purchased_attrs'), + goal=kwargs.get('goal'), + mturk_code=kwargs.get('mturk_code'), + query=kwargs.get('query'), + category=kwargs.get('category'), + product_category=kwargs.get('product_category'), + ) + return html + +# Project Dictionary Information onto Fake Amazon +def dict_to_fake_html(data, page_type, asin=None, sub_page_type=None, options=None, prod_map={}, query=""): + global QUERY, product_map + QUERY = query + product_map = prod_map + with app.app_context(), app.test_request_context(): + if page_type == Page.RESULTS: + return search_results(data) + if page_type == Page.ITEM_PAGE: + return item_page(SESSION_ID, asin, KEYWORDS, 1, options) + if page_type == Page.SUB_PAGE: + if sub_page_type is not None: + return item_sub_page(SESSION_ID, asin, KEYWORDS, 1, sub_page_type, options) + else: + raise Exception("Sub page of type", sub_page_type, "unrecognized") \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/__init__.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/app.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/app.py new file mode 100644 index 00000000..a1a5e6cf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/app.py @@ -0,0 +1,280 @@ +import argparse, json, logging, random +from pathlib import Path +from ast import literal_eval + +from flask import ( + Flask, + request, + redirect, + url_for +) + +from rich import print + +from web_agent_site.engine.engine import ( + load_products, + init_search_engine, + convert_web_app_string_to_var, + get_top_n_product_from_keywords, + get_product_per_page, + map_action_to_html, + END_BUTTON +) +from web_agent_site.engine.goal import get_reward, get_goals +from web_agent_site.utils import ( + generate_mturk_code, + setup_logger, + DEFAULT_FILE_PATH, + DEBUG_PROD_SIZE, +) + +app = Flask(__name__) + +search_engine = None +all_products = None +product_item_dict = None +product_prices = None +attribute_to_asins = None +goals = None +weights = None + +user_sessions = dict() +user_log_dir = None +SHOW_ATTRS_TAB = False + +@app.route('/') +def home(): + return redirect(url_for('index', session_id="abc")) + +@app.route('/', methods=['GET', 'POST']) +def index(session_id): + global user_log_dir + global all_products, product_item_dict, \ + product_prices, attribute_to_asins, \ + search_engine, \ + goals, weights, user_sessions + + if search_engine is None: + all_products, product_item_dict, product_prices, attribute_to_asins = \ + load_products( + filepath=DEFAULT_FILE_PATH, + num_products=DEBUG_PROD_SIZE + ) + search_engine = init_search_engine(num_products=DEBUG_PROD_SIZE) + goals = get_goals(all_products, product_prices) + random.seed(233) + random.shuffle(goals) + weights = [goal['weight'] for goal in goals] + + if session_id not in user_sessions and 'fixed' in session_id: + goal_dix = int(session_id.split('_')[-1]) + goal = goals[goal_dix] + instruction_text = goal['instruction_text'] + user_sessions[session_id] = {'goal': goal, 'done': False} + if user_log_dir is not None: + setup_logger(session_id, user_log_dir) + elif session_id not in user_sessions: + goal = random.choices(goals, weights)[0] + instruction_text = goal['instruction_text'] + user_sessions[session_id] = {'goal': goal, 'done': False} + if user_log_dir is not None: + setup_logger(session_id, user_log_dir) + else: + instruction_text = user_sessions[session_id]['goal']['instruction_text'] + + if request.method == 'POST' and 'search_query' in request.form: + keywords = request.form['search_query'].lower().split(' ') + return redirect(url_for( + 'search_results', + session_id=session_id, + keywords=keywords, + page=1, + )) + if user_log_dir is not None: + logger = logging.getLogger(session_id) + logger.info(json.dumps(dict( + page='index', + url=request.url, + goal=user_sessions[session_id]['goal'], + ))) + return map_action_to_html( + 'start', + session_id=session_id, + instruction_text=instruction_text, + ) + + +@app.route( + '/search_results///', + methods=['GET', 'POST'] +) +def search_results(session_id, keywords, page): + instruction_text = user_sessions[session_id]['goal']['instruction_text'] + page = convert_web_app_string_to_var('page', page) + keywords = convert_web_app_string_to_var('keywords', keywords) + top_n_products = get_top_n_product_from_keywords( + keywords, + search_engine, + all_products, + product_item_dict, + attribute_to_asins, + ) + products = get_product_per_page(top_n_products, page) + html = map_action_to_html( + 'search', + session_id=session_id, + products=products, + keywords=keywords, + page=page, + total=len(top_n_products), + instruction_text=instruction_text, + ) + logger = logging.getLogger(session_id) + logger.info(json.dumps(dict( + page='search_results', + url=request.url, + goal=user_sessions[session_id]['goal'], + content=dict( + keywords=keywords, + search_result_asins=[p['asin'] for p in products], + page=page, + ) + ))) + return html + + +@app.route( + '/item_page/////', + methods=['GET', 'POST'] +) +def item_page(session_id, asin, keywords, page, options): + options = literal_eval(options) + product_info = product_item_dict[asin] + + goal_instruction = user_sessions[session_id]['goal']['instruction_text'] + product_info['goal_instruction'] = goal_instruction + + html = map_action_to_html( + 'click', + session_id=session_id, + product_info=product_info, + keywords=keywords, + page=page, + asin=asin, + options=options, + instruction_text=goal_instruction, + show_attrs=SHOW_ATTRS_TAB, + ) + logger = logging.getLogger(session_id) + logger.info(json.dumps(dict( + page='item_page', + url=request.url, + goal=user_sessions[session_id]['goal'], + content=dict( + keywords=keywords, + page=page, + asin=asin, + options=options, + ) + ))) + return html + + +@app.route( + '/item_sub_page//////', + methods=['GET', 'POST'] +) +def item_sub_page(session_id, asin, keywords, page, sub_page, options): + options = literal_eval(options) + product_info = product_item_dict[asin] + + goal_instruction = user_sessions[session_id]['goal']['instruction_text'] + product_info['goal_instruction'] = goal_instruction + + html = map_action_to_html( + f'click[{sub_page}]', + session_id=session_id, + product_info=product_info, + keywords=keywords, + page=page, + asin=asin, + options=options, + instruction_text=goal_instruction + ) + logger = logging.getLogger(session_id) + logger.info(json.dumps(dict( + page='item_sub_page', + url=request.url, + goal=user_sessions[session_id]['goal'], + content=dict( + keywords=keywords, + page=page, + asin=asin, + options=options, + ) + ))) + return html + + +@app.route('/done///', methods=['GET', 'POST']) +def done(session_id, asin, options): + options = literal_eval(options) + goal = user_sessions[session_id]['goal'] + purchased_product = product_item_dict[asin] + price = product_prices[asin] + + reward, reward_info = get_reward( + purchased_product, + goal, + price=price, + options=options, + verbose=True + ) + user_sessions[session_id]['done'] = True + user_sessions[session_id]['reward'] = reward + print(user_sessions) + + logger = logging.getLogger(session_id) + logger.info(json.dumps(dict( + page='done', + url=request.url, + goal=goal, + content=dict( + asin=asin, + options=options, + price=price, + ), + reward=reward, + reward_info=reward_info, + ))) + del logging.root.manager.loggerDict[session_id] + + return map_action_to_html( + f'click[{END_BUTTON}]', + session_id=session_id, + reward=reward, + asin=asin, + options=options, + reward_info=reward_info, + query=purchased_product['query'], + category=purchased_product['category'], + product_category=purchased_product['product_category'], + goal_attrs=user_sessions[session_id]['goal']['attributes'], + purchased_attrs=purchased_product['Attributes'], + goal=goal, + mturk_code=generate_mturk_code(session_id), + ) + + +if __name__ == "__main__": + parser = argparse.ArgumentParser(description="WebShop flask app backend configuration") + parser.add_argument("--log", action='store_true', help="Log actions on WebShop in trajectory file") + parser.add_argument("--attrs", action='store_true', help="Show attributes tab in item page") + + args = parser.parse_args() + if args.log: + user_log_dir = Path('user_session_logs/mturk') + user_log_dir.mkdir(parents=True, exist_ok=True) + SHOW_ATTRS_TAB = args.attrs + + app.run(host='0.0.0.0', port=3000) diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/attributes/annotate.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/attributes/annotate.py new file mode 100644 index 00000000..474de749 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/attributes/annotate.py @@ -0,0 +1,70 @@ +import yaml +from pathlib import Path +from rich import print + +ATTR_DIR = './data/attributes' + +ATTR_PATHS = [ + 'narrow_2-gram.yaml', + 'narrow_1-gram.yaml', + 'broad_2-gram.yaml', + 'broad_1-gram.yaml', +] +ATTR_PATHS = [Path(ATTR_DIR) / af for af in ATTR_PATHS] + + +def annotate(attr_path): + with open(attr_path) as f: + attrs_by_cat = yaml.safe_load(f) + + unique_attrs = set() + all_attrs = [] + for _, attrs in attrs_by_cat.items(): + attrs = [a.split('|')[0].strip() for a in attrs] + unique_attrs.update(attrs) + all_attrs += attrs + print(f'Total unique attributes: {len(unique_attrs)}') + total = len(all_attrs) + num_left = len(all_attrs) + + annotated_attrs_by_cat = dict() + for category, attrs in attrs_by_cat.items(): + print( + f'Category: [ {category} ] | ' + f'Number of attributes: {len(attrs)}\n' + ) + annotated_attrs = [] + for i, attr in enumerate(attrs): + attr, score = attr.split(' | ') + print( + f'{"[" + str(i) + "]":<5} ' + f'[bold green]{attr:<30}[/bold green] | ' + f'[red]{category}[/red] | ' + f'{score}' + ) + tags = input( + 'Annotate [1: ITEM, 2: PROP, 3: USE, ' + '⎵: next example, q: next category] > ' + ) + print('\n') + tags = tags.strip() + annotated_attrs.append(f'{attr} | {score} | {tags}') + if 'q' in tags: + break + + num_left -= len(attrs) + print(f'{num_left} / {total} total attributes left.') + + ans = input('Starting the next category... [y/n] > ') + if ans == 'n': + break + +def main(): + for attr_path in ATTR_PATHS: + annotate(attr_path) + +if __name__ == '__main__': + """ + python -m web_agent_site.attributes.annotate + """ + main() diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/attributes/generate_attrs.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/attributes/generate_attrs.py new file mode 100644 index 00000000..9b139666 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/attributes/generate_attrs.py @@ -0,0 +1,171 @@ +import json +import yaml +import random +from pathlib import Path +from collections import defaultdict + +from sklearn.feature_extraction.text import TfidfVectorizer +from sklearn.feature_extraction import text as sk_text +import pandas as pd +from tqdm import tqdm +from rich import print + +ITEMS_PATH = './data/ITEMS_mar1.json' +REVIEWS_PATH = './data/reviews.json' +ATTR_DIR = './data/attributes' + +random.seed(0) + + +def get_stop_words(): + extra_stop_words = set([str(i) for i in range(1000)]) + stop_words = sk_text.ENGLISH_STOP_WORDS.union(extra_stop_words) + return stop_words + + +def load_products(num=None): + """ + Loads products from the `items.json` file and combine them with reviews + through `asin`. + Return: dict[asin, product] + """ + with open(ITEMS_PATH) as f: + all_products = json.load(f) + if num is not None: + random.shuffle(all_products) + all_products = all_products[:num] + products = dict() + asins = set() + for p in all_products: + asin = p['asin'] + if asin in asins: + continue + asins.add(asin) + products[asin] = p + + with open(REVIEWS_PATH) as f: + reviews = json.load(f) + reviews = {r['asin']: r for r in reviews} + + for asin, p in products.items(): + if asin in reviews: + p['review'] = reviews[asin] + else: + p['review'] = None + return products + + +def get_top_attrs(attributes, k): + attr_to_asins = defaultdict(list) + + for asin, attr_scores in attributes.items(): + top_attr_scoress = attr_scores[:k] + for attr, score in top_attr_scoress: + attr_to_asins[attr].append(asin) + total = len([asin for asin, _ in attributes.items()]) + + top_attrs = [ + (attr, len(asins) / total) + for attr, asins in attr_to_asins.items() + ] + top_attrs = sorted(top_attrs, key=lambda x: -x[1]) + top_attrs = [f'{attr} | {score:.4f}' for attr, score in top_attrs] + return top_attrs + + +def get_corpus( + products, + keys=('name', 'small_description'), + category_type='category' + ): + """ + keys: `name`, `small_description`, `review` + category_type: `category`, `query` + """ + all_products = list(products.values()) + + asins_by_cat = defaultdict(set) + corpus_by_cat = defaultdict(list) + for p in all_products: + category = p[category_type] + asin = p['asin'] + if asin in asins_by_cat[category]: + continue + asins_by_cat[category].add(asin) + + text = [] + for key in keys: + if key == 'review': + rs = p['review']['reviews'] + if r is not None: + text_ = ' '.join([r['review'].lower() for r in rs]) + else: + text_ = '' + else: + text_ = p[key].lower() + text.append(text_) + text = ' '.join(text) + corpus_by_cat[category].append((asin, text)) + return corpus_by_cat + + +def generate_ngram_attrs(corpus_by_cat, ngram_range, k, attrs): + vectorizer = TfidfVectorizer( + stop_words=get_stop_words(), + ngram_range=ngram_range, + max_features=1000, + ) + + top_attrs_by_cat = dict() + for category, corpus in tqdm(corpus_by_cat.items(), + total=len(corpus_by_cat)): + asins = [_[0] for _ in corpus] + texts = [_[1] for _ in corpus] + vec = vectorizer.fit_transform(texts).todense() + df = pd.DataFrame(vec, columns=vectorizer.get_feature_names_out()) + + attrs_by_cat = dict() + for asin, (row_name, row) in zip(asins, df.iterrows()): + attr_scores = sorted( + list(zip(row.index, row)), + key=lambda x: -x[1] + ) + attrs_by_cat[asin] = attr_scores + attrs[asin] = attr_scores + top_attrs_by_cat[category.lower()] = get_top_attrs(attrs_by_cat, k=k) + print(top_attrs_by_cat.keys()) + return top_attrs_by_cat + + +def generate_attrs(corpus_by_cat, k, save_name): + attrs = dict() + for n in range(1, 3): + ngram_range = (n, n) + top_attrs_by_cat = \ + generate_ngram_attrs(corpus_by_cat, ngram_range, k, attrs) + + if save_name is not None: + save_path = Path(ATTR_DIR) / f'{save_name}_{n}-gram.yaml' + with open(save_path, 'w') as f: + yaml.dump(top_attrs_by_cat, f, default_flow_style=False) + print(f'Saved: {save_path}') + + save_path = Path(ATTR_DIR) / f'{save_name}_attrs_unfiltered.json' + with open(save_path, 'w') as f: + json.dump(attrs, f) + print(f'Saved: {save_path}') + + +if __name__ == '__main__': + """ + python -m web_agent_site.attributes.generate_attrs + + Inspect in notebooks/attributes.ipynb. + """ + products = load_products(num=40000) + + corpus_by_cat_broad = get_corpus(products, category_type='category') + generate_attrs(corpus_by_cat_broad, k=5, save_name='broad') + + corpus_by_cat_narrow = get_corpus(products, category_type='query') + generate_attrs(corpus_by_cat_narrow, k=5, save_name='narrow') diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/engine/__init__.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/engine/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/engine/engine.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/engine/engine.py new file mode 100644 index 00000000..2e5eee3f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/engine/engine.py @@ -0,0 +1,362 @@ +""" +""" +import os +import re +import json +import random +from collections import defaultdict +from ast import literal_eval +from decimal import Decimal + +import cleantext +from tqdm import tqdm +from rank_bm25 import BM25Okapi +from flask import render_template_string +from rich import print +from pyserini.search.lucene import LuceneSearcher + +from web_agent_site.utils import ( + BASE_DIR, + DEFAULT_FILE_PATH, + DEFAULT_REVIEW_PATH, + DEFAULT_ATTR_PATH, + HUMAN_ATTR_PATH +) + +TEMPLATE_DIR = os.path.join(BASE_DIR, 'templates') + +SEARCH_RETURN_N = 50 +PRODUCT_WINDOW = 10 +TOP_K_ATTR = 10 + +END_BUTTON = 'Buy Now' +NEXT_PAGE = 'Next >' +PREV_PAGE = '< Prev' +BACK_TO_SEARCH = 'Back to Search' + +ACTION_TO_TEMPLATE = { + 'Description': 'description_page.html', + 'Features': 'features_page.html', + 'Reviews': 'review_page.html', + 'Attributes': 'attributes_page.html', +} + +def map_action_to_html(action, **kwargs): + action_name, action_arg = parse_action(action) + if action_name == 'start': + path = os.path.join(TEMPLATE_DIR, 'search_page.html') + html = render_template_string( + read_html_template(path=path), + session_id=kwargs['session_id'], + instruction_text=kwargs['instruction_text'], + ) + elif action_name == 'search': + path = os.path.join(TEMPLATE_DIR, 'results_page.html') + html = render_template_string( + read_html_template(path=path), + session_id=kwargs['session_id'], + products=kwargs['products'], + keywords=kwargs['keywords'], + page=kwargs['page'], + total=kwargs['total'], + instruction_text=kwargs['instruction_text'], + ) + elif action_name == 'click' and action_arg == END_BUTTON: + path = os.path.join(TEMPLATE_DIR, 'done_page.html') + html = render_template_string( + read_html_template(path), + session_id=kwargs['session_id'], + reward=kwargs['reward'], + asin=kwargs['asin'], + options=kwargs['options'], + reward_info=kwargs.get('reward_info'), + goal_attrs=kwargs.get('goal_attrs'), + purchased_attrs=kwargs.get('purchased_attrs'), + goal=kwargs.get('goal'), + mturk_code=kwargs.get('mturk_code'), + query=kwargs.get('query'), + category=kwargs.get('category'), + product_category=kwargs.get('product_category'), + ) + elif action_name == 'click' and action_arg in ACTION_TO_TEMPLATE: + path = os.path.join(TEMPLATE_DIR, ACTION_TO_TEMPLATE[action_arg]) + html = render_template_string( + read_html_template(path), + session_id=kwargs['session_id'], + product_info=kwargs['product_info'], + keywords=kwargs['keywords'], + page=kwargs['page'], + asin=kwargs['asin'], + options=kwargs['options'], + instruction_text=kwargs.get('instruction_text') + ) + elif action_name == 'click': + path = os.path.join(TEMPLATE_DIR, 'item_page.html') + html = render_template_string( + read_html_template(path), + session_id=kwargs['session_id'], + product_info=kwargs['product_info'], + keywords=kwargs['keywords'], + page=kwargs['page'], + asin=kwargs['asin'], + options=kwargs['options'], + instruction_text=kwargs.get('instruction_text'), + show_attrs=kwargs['show_attrs'] + ) + else: + raise ValueError('Action name not recognized.') + return html + + +def read_html_template(path): + with open(path) as f: + template = f.read() + return template + + +def parse_action(action): + """ + Parse action string to action name and its arguments. + """ + pattern = re.compile(r'(.+)\[(.+)\]') + m = re.match(pattern, action) + if m is None: + action_name = action + action_arg = None + else: + action_name, action_arg = m.groups() + return action_name, action_arg + + +def convert_web_app_string_to_var(name, string): + if name == 'keywords': + keywords = string + if keywords.startswith('['): + keywords = literal_eval(keywords) + else: + keywords = [keywords] + var = keywords + elif name == 'page': + page = string + page = int(page) + var = page + else: + raise ValueError('Name of variable not recognized.') + return var + + +def get_top_n_product_from_keywords( + keywords, + search_engine, + all_products, + product_item_dict, + attribute_to_asins=None, + ): + if keywords[0] == '': + top_n_products = random.sample(all_products, k=SEARCH_RETURN_N) + elif keywords[0] == '': + attribute = ' '.join(keywords[1:]).strip() + asins = attribute_to_asins[attribute] + top_n_products = [p for p in all_products if p['asin'] in asins] + elif keywords[0] == '': + category = keywords[1].strip() + top_n_products = [p for p in all_products if p['category'] == category] + elif keywords[0] == '': + query = ' '.join(keywords[1:]).strip() + top_n_products = [p for p in all_products if p['query'] == query] + else: + keywords = ' '.join(keywords) + hits = search_engine.search(keywords, k=SEARCH_RETURN_N) + docs = [search_engine.doc(hit.docid) for hit in hits] + top_n_asins = [json.loads(doc.raw())['id'] for doc in docs] + top_n_products = [product_item_dict[asin] for asin in top_n_asins if asin in product_item_dict] + return top_n_products + + +def get_product_per_page(top_n_products, page): + return top_n_products[(page - 1) * PRODUCT_WINDOW:page * PRODUCT_WINDOW] + + +def generate_product_prices(all_products): + product_prices = dict() + for product in all_products: + asin = product['asin'] + pricing = product['pricing'] + if not pricing: + price = 100.0 + elif len(pricing) == 1: + price = pricing[0] + else: + price = random.uniform(*pricing[:2]) + product_prices[asin] = price + return product_prices + + +def init_search_engine(num_products=None): + if num_products == 100: + indexes = 'indexes_100' + elif num_products == 1000: + indexes = 'indexes_1k' + elif num_products == 100000: + indexes = 'indexes_100k' + elif num_products is None: + indexes = 'indexes' + else: + raise NotImplementedError(f'num_products being {num_products} is not supported yet.') + search_engine = LuceneSearcher(os.path.join(BASE_DIR, f'../search_engine/{indexes}')) + return search_engine + + +def clean_product_keys(products): + for product in products: + product.pop('product_information', None) + product.pop('brand', None) + product.pop('brand_url', None) + product.pop('list_price', None) + product.pop('availability_quantity', None) + product.pop('availability_status', None) + product.pop('total_reviews', None) + product.pop('total_answered_questions', None) + product.pop('seller_id', None) + product.pop('seller_name', None) + product.pop('fulfilled_by_amazon', None) + product.pop('fast_track_message', None) + product.pop('aplus_present', None) + product.pop('small_description_old', None) + print('Keys cleaned.') + return products + + +def load_products(filepath, num_products=None, human_goals=True): + # TODO: move to preprocessing step -> enforce single source of truth + with open(filepath) as f: + products = json.load(f) + print('Products loaded.') + products = clean_product_keys(products) + + # with open(DEFAULT_REVIEW_PATH) as f: + # reviews = json.load(f) + all_reviews = dict() + all_ratings = dict() + # for r in reviews: + # all_reviews[r['asin']] = r['reviews'] + # all_ratings[r['asin']] = r['average_rating'] + + if human_goals: + with open(HUMAN_ATTR_PATH) as f: + human_attributes = json.load(f) + with open(DEFAULT_ATTR_PATH) as f: + attributes = json.load(f) + with open(HUMAN_ATTR_PATH) as f: + human_attributes = json.load(f) + print('Attributes loaded.') + + asins = set() + all_products = [] + attribute_to_asins = defaultdict(set) + if num_products is not None: + # using item_shuffle.json, we assume products already shuffled + products = products[:num_products] + for i, p in tqdm(enumerate(products), total=len(products)): + asin = p['asin'] + if asin == 'nan' or len(asin) > 10: + continue + + if asin in asins: + continue + else: + asins.add(asin) + + products[i]['category'] = p['category'] + products[i]['query'] = p['query'] + products[i]['product_category'] = p['product_category'] + + products[i]['Title'] = p['name'] + products[i]['Description'] = p['full_description'] + products[i]['Reviews'] = all_reviews.get(asin, []) + products[i]['Rating'] = all_ratings.get(asin, 'N.A.') + for r in products[i]['Reviews']: + if 'score' not in r: + r['score'] = r.pop('stars') + if 'review' not in r: + r['body'] = '' + else: + r['body'] = r.pop('review') + products[i]['BulletPoints'] = p['small_description'] \ + if isinstance(p['small_description'], list) else [p['small_description']] + + pricing = p.get('pricing') + if pricing is None or not pricing: + pricing = [100.0] + price_tag = '$100.0' + else: + pricing = [ + float(Decimal(re.sub(r'[^\d.]', '', price))) + for price in pricing.split('$')[1:] + ] + if len(pricing) == 1: + price_tag = f"${pricing[0]}" + else: + price_tag = f"${pricing[0]} to ${pricing[1]}" + pricing = pricing[:2] + products[i]['pricing'] = pricing + products[i]['Price'] = price_tag + + options = dict() + customization_options = p['customization_options'] + option_to_image = dict() + if customization_options: + for option_name, option_contents in customization_options.items(): + if option_contents is None: + continue + option_name = option_name.lower() + + option_values = [] + for option_content in option_contents: + option_value = option_content['value'].strip().replace('/', ' | ').lower() + option_image = option_content.get('image', None) + + option_values.append(option_value) + option_to_image[option_value] = option_image + options[option_name] = option_values + products[i]['options'] = options + products[i]['option_to_image'] = option_to_image + + # without color, size, price, availability + # if asin in attributes and 'attributes' in attributes[asin]: + # products[i]['Attributes'] = attributes[asin]['attributes'] + # else: + # products[i]['Attributes'] = ['DUMMY_ATTR'] + # products[i]['instruction_text'] = \ + # attributes[asin].get('instruction', None) + # products[i]['instruction_attributes'] = \ + # attributes[asin].get('instruction_attributes', None) + + # without color, size, price, availability + if asin in attributes and 'attributes' in attributes[asin]: + products[i]['Attributes'] = attributes[asin]['attributes'] + else: + products[i]['Attributes'] = ['DUMMY_ATTR'] + + if human_goals: + if asin in human_attributes: + products[i]['instructions'] = human_attributes[asin] + else: + products[i]['instruction_text'] = \ + attributes[asin].get('instruction', None) + + products[i]['instruction_attributes'] = \ + attributes[asin].get('instruction_attributes', None) + + products[i]['MainImage'] = p['images'][0] + products[i]['query'] = p['query'].lower().strip() + + all_products.append(products[i]) + + for p in all_products: + for a in p['Attributes']: + attribute_to_asins[a].add(p['asin']) + + product_item_dict = {p['asin']: p for p in all_products} + product_prices = generate_product_prices(all_products) + return all_products, product_item_dict, product_prices, attribute_to_asins diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/engine/goal.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/engine/goal.py new file mode 100644 index 00000000..18f71ccf --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/engine/goal.py @@ -0,0 +1,280 @@ +""" +Functions for specifying goals and reward calculations. +""" +import itertools +import random +import spacy +from collections import defaultdict +from rich import print +from thefuzz import fuzz +from web_agent_site.engine.normalize import normalize_color + +nlp = spacy.load("en_core_web_lg") + +PRICE_RANGE = [10.0 * i for i in range(1, 100)] + +def get_goals(all_products, product_prices, human_goals=True): + if human_goals: + return get_human_goals(all_products, product_prices) + else: + return get_synthetic_goals(all_products, product_prices) + +def get_human_goals(all_products, product_prices): + goals = [] + cnt_atts = defaultdict(int) + cnt = 0 + print(f"all_product{str(len(all_products))}") + for item in all_products: + asin = item['asin'] + if 'instructions' not in item: continue + for product in item['instructions']: + attributes = product['instruction_attributes'] + if len(attributes) == 0: + cnt += 1 + continue + + + + + for i in range(0,4): + if product_prices is not None: + price = product_prices[asin] + price_range = [p for p in PRICE_RANGE if p > price][:4] + if len(price_range) >= 2: + # _, price_upper = sorted(random.sample(price_range, 2)) + if i>=len(price_range): + continue + price_upper = price_range[i] + price_text = \ + f', and price lower than {price_upper:.2f} dollars' + else: + price_upper = 1000000 + price_text = '' + else: + price_upper = 1000000 + + goals.append({ + 'asin': asin, + 'category': item['category'], + 'query': item['query'], + 'name': item['name'], + 'product_category': item['product_category'], + 'instruction_text': product['instruction'].strip('.') + price_text, + 'attributes': attributes, + 'price_upper': price_upper, + 'goal_options': product['instruction_options'], + }) + for att in attributes: + cnt_atts[att] += 1 + # goals += product_goals + for goal in goals: + goal['weight'] = 1 + print(cnt, 'skipped') + return goals + + +def get_synthetic_goals(all_products, product_prices): + print(f"all_product{str(len(all_products))}") + goals = [] + cnt_atts = defaultdict(int) + random.seed(233) + + for product in all_products: + if ('instruction_text' not in product or + product['instruction_text'] is None): + continue + product_goals = [] + asin = product['asin'] + attributes = product['instruction_attributes'] + assert len(attributes) > 0 + if product_prices is not None: + price = product_prices[asin] + price_range = [p for p in PRICE_RANGE if p > price][:4] + if len(price_range) >= 2: + _, price_upper = sorted(random.sample(price_range, 2)) + price_text = \ + f', and price lower than {price_upper:.2f} dollars' + else: + price_upper = 1000000 + price_text = '' + else: + price_upper = 1000000 + price_text = '' + + instruction_text = product['instruction_text'] + + options = product['options'] + option_names = sorted(options) + combinations = list(itertools.product( + *(options[option_name] for option_name in option_names) + )) + for combination in combinations: + goal_options = dict() + for i, o in enumerate(combination): +# option_text.append(f'{option_names[i]}: {o}') + goal_options[option_names[i]] = o + option_text = ', and '.join([ + f'{k}: {v}' for k, v in goal_options.items() + ]) + option_text = ' with ' + option_text if option_text else '' + product_goals.append({ + 'asin': asin, + 'category': product['category'], + 'query': product['query'], + 'name': product['name'], + 'product_category': product['product_category'], + 'instruction_text': f'{instruction_text}{option_text}{price_text}', + 'attributes': attributes, + 'price_upper': price_upper, + 'goal_options': goal_options, + 'name': product['Title'], + }) + for att in attributes: + cnt_atts[att] += 1 + + goals += product_goals + for goal in goals: + goal['weight'] = sum(1. / cnt_atts[att] for att in goal['attributes']) / len(goal['attributes']) + return goals + + +def get_type_reward(purchased_product, goal): + """Determines the type reward - captures whether chosen product is in the same category""" + query_match = purchased_product['query'] == goal['query'] + + # Check number of unique categories that match, ignoring order + purchased_product_category = [x.strip() for x in purchased_product['product_category'].split('›')] + goal_product_category = [x.strip() for x in goal['product_category'].split('›')] + category_match = len(set(purchased_product_category) & set(goal_product_category)) >= 2 + + # Determine whether types align based on product name similarity + purchased_type = purchased_product['name'] + desired_type = goal['name'] + + purchased_type_parse = nlp(purchased_type) + desired_type_parse = nlp(desired_type) + + purchased_type_parse = [t.text.lower() for t in purchased_type_parse if t.pos_ in ('PNOUN', 'NOUN', 'PROPN')] + desired_type_parse = [t.text.lower() for t in desired_type_parse if t.pos_ in ('PNOUN', 'NOUN', 'PROPN')] + + n_intersect_type = len( + set(purchased_type_parse) & set(desired_type_parse) + ) + if len(desired_type_parse) == 0: + title_score = 0.2 + else: + title_score = n_intersect_type / len(desired_type_parse) + + r_type = 1.0 + + # Adjust r_type score based on query, category title matching/scores + match = query_match or category_match or title_score > 0.2 + if not match: + r_type = 0.5 + + if title_score < 0.1: + r_type = 0.1 + + if title_score == 0.0: + r_type = 0.0 + + return dict( + r_type=r_type, + query_match=query_match, + category_match=category_match, + title_score=title_score, + ) + + +def get_attribute_reward(purchased_product, goal): + """Determines whether purchased products shares same attributes as goal""" + purchased_attrs = purchased_product['Attributes'] + goal_attrs = goal['attributes'] + + num_attr_matches = 0 + for g_attr in goal_attrs: + matched = False + # Check whether goal attribute found in purchased product attribute list + for p_attr in purchased_attrs: + score = fuzz.token_set_ratio(p_attr, g_attr) + if score > 85: + num_attr_matches += 1 + matched = True + break + # If not in purchased attrs, check Title, Bullet Points (Features), Desc + if ( + not matched and + ( + g_attr in purchased_product['Title'].lower() or + g_attr in ' '.join(purchased_product['BulletPoints']).lower() or + g_attr in purchased_product['Description'].lower() + ) + ): + num_attr_matches += 1 + matched = True + + r_attr = num_attr_matches / len(goal_attrs) + return r_attr, num_attr_matches + + +def get_option_reward(purchased_options, goal_options): + """Calculate reward for purchased product's options w.r.t. goal options""" + purchased_options = [normalize_color(o) for o in purchased_options] + goal_options = [normalize_color(o) for o in goal_options] + + # Perform fuzzy matching of each purchased option against each goal option + num_option_matches = 0 + for g_option in goal_options: + for p_option in purchased_options: + score = fuzz.token_set_ratio(p_option, g_option) + if score > 85: + num_option_matches += 1 + break + + # Calculate option reward as fraction of goal options hit + r_option = num_option_matches / len(goal_options) if len(goal_options) > 0 else None + return r_option, num_option_matches + + +def get_reward(purchased_product, goal, price, options, **kwargs): + """Get cumulative reward score for purchased product and goal""" + r_type_dict = get_type_reward(purchased_product, goal) + + r_price = ( + price <= goal['price_upper'] + ) if goal['price_upper'] > 0 else None + + r_att, num_attr_matches = get_attribute_reward(purchased_product, goal) + + r_option, num_option_matches = get_option_reward( + list(options.values()), + goal['goal_options'].items() + if isinstance(goal['goal_options'], dict) + else goal['goal_options'] + ) + + total_reward = ( + (num_attr_matches + num_option_matches + r_price) \ + / (len(goal['attributes']) + len(goal['goal_options']) + 1) + ) + + total_reward *= r_type_dict['r_type'] + + # If verbose flag enabled, store score sub-components into dictionary + if kwargs.get('verbose', False): + info = { + 'r_type': r_type_dict['r_type'], + 'r_att': r_att, + 'w_att': len(goal['attributes']) / (len(goal['attributes']) + len(goal['goal_options']) + 1), + 'query_match': r_type_dict['query_match'], + 'category_match': r_type_dict['category_match'], + 'title_score': r_type_dict['title_score'], + } + if r_option is not None: + info['r_option'] = r_option + info['w_option'] = len(goal['goal_options']) / (len(goal['attributes']) + len(goal['goal_options']) + 1) + if r_price is not None: + info['r_price'] = r_price + info['w_price'] = 1 / (len(goal['attributes']) + len(goal['goal_options']) + 1) + return total_reward, info + return total_reward diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/engine/normalize.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/engine/normalize.py new file mode 100644 index 00000000..e1305696 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/engine/normalize.py @@ -0,0 +1,103 @@ +import re +from typing import Tuple + +COLOR_SET = [ + 'alabaster', 'apricot', 'aqua', 'ash', 'asphalt', 'azure', + 'banana', 'beige', 'black', 'blue', 'blush', 'bordeaux', 'bronze', + 'brown', 'burgundy', 'camel', 'camo', 'caramel', 'champagne', + 'charcoal', 'cheetah', 'chestnut', 'chocolate', 'christmas', 'coffee', + 'cognac', 'copper', 'coral', 'cranberry', 'cream', 'crystal', 'dark', + 'denim', 'eggplant', 'elephant', 'espresso', 'fuchsia', 'gold', 'granite', + 'grape', 'graphite', 'grass', 'gray', 'green', 'grey', 'heather', 'indigo', + 'ivory', 'ivy', 'khaki', 'lavender', 'lemon', 'leopard', 'light', 'lilac', + 'lime', 'magenta', 'maroon', 'mauve', 'merlot', 'midnight', 'mint', 'mocha', + 'multicolor', 'mushroom', 'mustard', 'natural', 'navy', 'nude', 'olive', + 'orange', 'peach', 'pewter', 'pink', 'plum', 'purple', 'rainbow', 'red', + 'rose', 'royal', 'rust', 'sand', 'sapphire', 'seashell', 'silver', 'skull', + 'slate', 'steel', 'stone', 'stonewash', 'sunflower', 'tan', 'taupe', 'teal', + 'tiger', 'turquoise', 'violet', 'walnut', 'wheat', 'white', 'wine', 'yellow', +] + +SIZE_SET = [ + 'xx-large', '3x-large', '4x-large', '5x-large', 'x-large', 'x-small', + 'medium', 'large', 'small', + 'queen', 'twin', 'full', 'king', 'one size', + 'pack', +] + +SIZE_PATTERNS = [ + re.compile(r'(.*)neck(.*)sleeve'), + re.compile(r'(.*) women \| (.*) men'), + re.compile(r'(.*)w x(.*)l'), + re.compile(r'(.*)w by (.*)l'), + re.compile(r'(.*)w x(.*)h'), + re.compile(r'(.*)wide'), + re.compile(r'(.*)x-wide'), + re.compile(r'(.*)narrow'), + re.compile(r'(.*)petite'), + re.compile(r'(.*)inch'), + re.compile(r'(.*)plus'), + re.compile(r'(.*)mm'), + re.compile(r'women(.*)'), + re.compile(r'(.*)x(.*)'), + re.compile(r'(.*)ft'), + re.compile(r'(.*)feet'), + re.compile(r'(.*)meter'), + re.compile(r'(.*)yards'), + re.compile(r'(.*)\*(.*)'), + re.compile(r'(.*)\-(.*)'), + re.compile(r'(\d+)"$'), + re.compile(r'(\d+)f$'), + re.compile(r'(\d+)m$'), + re.compile(r'(\d+)cm$'), + re.compile(r'(\d+)g$'), +] +SIZE_PATTERNS = [re.compile(s) for s in SIZE_SET] + SIZE_PATTERNS + +def normalize_color(color_string: str) -> str: + """Extracts the first color found if exists""" + for norm_color in COLOR_SET: + if norm_color in color_string: + return norm_color + return color_string + +def normalize_color_size(product_prices: dict) -> Tuple[dict, dict]: + """Get mappings of all colors, sizes to corresponding values in COLOR_SET, SIZE_PATTERNS""" + + # Get all colors, sizes from list of all products + all_colors, all_sizes = set(), set() + for (_, color, size), _ in product_prices.items(): + all_colors.add(color.lower()) + all_sizes.add(size.lower()) + + # Create mapping of each original color value to corresponding set value + color_mapping = {'N.A.': 'not_matched'} + for c in all_colors: + matched = False + for base in COLOR_SET: + if base in c: + color_mapping[c] = base + matched = True + break + if not matched: + color_mapping[c] = 'not_matched' + + # Create mapping of each original size value to corresponding set value + size_mapping = {'N.A.': 'not_matched'} + for s in all_sizes: + matched = False + for pattern in SIZE_PATTERNS: + m = re.search(pattern, s) + if m is not None: + matched = True + size_mapping[s] = pattern.pattern + break + if not matched: + if s.replace('.', '', 1).isdigit(): + size_mapping[s] = 'numeric_size' + matched= True + if not matched: + size_mapping[s] = 'not_matched' + + return color_mapping, size_mapping + diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/envs/__init__.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/envs/__init__.py new file mode 100644 index 00000000..2f7ab62a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/envs/__init__.py @@ -0,0 +1,14 @@ +from gym.envs.registration import register + +from web_agent_site.envs.web_agent_site_env import WebAgentSiteEnv +from web_agent_site.envs.web_agent_text_env import WebAgentTextEnv + +register( + id='WebAgentSiteEnv-v0', + entry_point='web_agent_site.envs:WebAgentSiteEnv', +) + +register( + id='WebAgentTextEnv-v0', + entry_point='web_agent_site.envs:WebAgentTextEnv', +) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/envs/chromedriver b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/envs/chromedriver new file mode 100644 index 00000000..b97d4794 Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/envs/chromedriver differ diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/envs/web_agent_site_env.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/envs/web_agent_site_env.py new file mode 100644 index 00000000..eb4b0124 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/envs/web_agent_site_env.py @@ -0,0 +1,217 @@ +import gym +import random +import requests +import string +import time + +from bs4 import BeautifulSoup +from bs4.element import Comment +from gym import spaces +from os.path import join, dirname, abspath +from selenium import webdriver +from selenium.webdriver.chrome.service import Service +from selenium.webdriver.chrome.options import Options +from selenium.webdriver.common.keys import Keys +from selenium.common.exceptions import ElementNotInteractableException +from web_agent_site.engine.engine import parse_action, END_BUTTON + +class WebAgentSiteEnv(gym.Env): + """Gym environment for HTML mode of WebShop environment""" + + def __init__(self, observation_mode='html', **kwargs): + """ + Constructor for HTML environment + + Arguments: + observation_mode (`str`) -- ['html' | 'text'] (default 'html') + pause (`float`) -- Pause (in seconds) after taking an action. + This is mainly for demo purposes. + Recommended value: 2.0s + render (`bool`) -- Show browser if set to `True`. + session ('str') -- Session ID to initialize environment with + """ + super(WebAgentSiteEnv, self).__init__() + self.observation_mode = observation_mode + self.kwargs = kwargs + + # Create a browser driver to simulate the WebShop site + service = Service(join(dirname(abspath(__file__)), 'chromedriver')) + options = Options() + if 'render' not in kwargs or not kwargs['render']: + options.add_argument("--headless") # don't show browser + self.browser = webdriver.Chrome(service=service, options=options) + + # Set flags and values for WebShop session + self.text_to_clickable = None + self.assigned_session = kwargs.get('session') + self.session = None + self.reset() + + def step(self, action): + """ + Takes an action, updates WebShop environment, and returns (observation, reward, done, info) + + Arguments: + action (`str`): An action should be of the following structure: + - search[keywords] + - click[value] + If action not valid, perform nothing. + """ + reward = 0.0 + done = False + info = None + + # Map action to executed command on the WebShop environment via the broswer driver + action_name, action_arg = parse_action(action) + if action_name == 'search': + try: + search_bar = self.browser.find_element_by_id('search_input') + except Exception: + pass + else: + search_bar.send_keys(action_arg) + search_bar.submit() + elif action_name == 'click': + try: + self.text_to_clickable[action_arg].click() + except ElementNotInteractableException: + # Perform force click with JavaScript + button = self.text_to_clickable[action_arg] + self.browser.execute_script("arguments[0].click();", button) + reward = self.get_reward() + if action_arg == END_BUTTON: + done = True + elif action_name == 'end': + done = True + else: + print('Invalid action. No action performed.') + + if 'pause' in self.kwargs: + time.sleep(self.kwargs['pause']) + return self.observation, reward, done, info + + def get_available_actions(self): + """Returns list of available actions at the current step""" + # Determine if a search bar is available + try: + search_bar = self.browser.find_element_by_id('search_input') + except Exception: + has_search_bar = False + else: + has_search_bar = True + + # Collect buttons, links, and options as clickables + buttons = self.browser.find_elements_by_class_name('btn') + product_links = self.browser.find_elements_by_class_name('product-link') + buying_options = self.browser.find_elements_by_css_selector("input[type='radio']") + + self.text_to_clickable = { + f'{b.text}': b + for b in buttons + product_links + } + for opt in buying_options: + opt_value = opt.get_attribute('value') + self.text_to_clickable[f'{opt_value}'] = opt + return dict( + has_search_bar=has_search_bar, + clickables=list(self.text_to_clickable.keys()), + ) + + def _parse_html(self, html=None, url=None): + """ + Returns web request result wrapped in BeautifulSoup object + + Arguments: + url (`str`): If no url or html is provided, use the current + observation (HTML) for parsing. + """ + if html is None: + if url is not None: + html = requests.get(url) + else: + html = self.state['html'] + html_obj = BeautifulSoup(html, 'html.parser') + return html_obj + + def get_reward(self): + """Get reward value at current step of the environment""" + html_obj = self._parse_html() + r = html_obj.find(id='reward') + r = float(r.findChildren("pre")[0].string) if r is not None else 0.0 + return r + + def get_instruction_text(self): + """Get corresponding instruction text for environment current step""" + html_obj = self._parse_html(self.browser.page_source) + instruction_text = html_obj.find(id='instruction-text').h4.text + return instruction_text + + def convert_html_to_text(self, html): + """Strip HTML of tags and add separators to convert observation into simple mode""" + texts = self._parse_html(html).findAll(text=True) + visible_texts = filter(tag_visible, texts) + observation = ' [SEP] '.join(t.strip() for t in visible_texts if t != '\n') + return observation + + @property + def state(self): + """ + State that includes all information. The actual observation are + likely to be a subset or reduced form of the state. + """ + return dict( + url=self.browser.current_url, + html=self.browser.page_source, + instruction_text=self.instruction_text, + ) + + @property + def observation(self): + """Compiles state into either the `html` or `text` observation mode""" + html = self.state['html'] + if self.observation_mode == 'html': + return html + elif self.observation_mode == 'text': + return self.convert_html_to_text(html) + else: + raise ValueError( + f'Observation mode {self.observation_mode} not supported.' + ) + + @property + def action_space(self): + # Recommended to use `get_available_actions` instead + return NotImplementedError + + @property + def observation_space(self): + return NotImplementedError + + def reset(self): + """Create a new session and reset environment variables""" + if self.assigned_session is not None: + self.session = self.assigned_session + else: + self.session = ''.join(random.choices(string.ascii_lowercase, k=5)) + init_url = f'http://127.0.0.1:3000/{self.session}' + self.browser.get(init_url) + + self.instruction_text = self.get_instruction_text() + + return self.observation, None + + def render(self, mode='human'): + # TODO: Render observation in terminal or WebShop website + return NotImplementedError + + def close(self): + # TODO: When DB used instead of JSONs, tear down DB here + self.browser.close() + print('Browser closed.') + +def tag_visible(element): + """Helper method to strip HTML block of extraneous tags""" + ignore = {'style', 'script', 'head', 'title', 'meta', '[document]'} + return ( + element.parent.name not in ignore and not isinstance(element, Comment) + ) diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/envs/web_agent_text_env.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/envs/web_agent_text_env.py new file mode 100644 index 00000000..1a311815 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/envs/web_agent_text_env.py @@ -0,0 +1,650 @@ +import gym +import json +import random +import string +import time +import torch + +from bs4 import BeautifulSoup +from bs4.element import Comment +from collections import defaultdict +from flask import Flask +from web_agent_site.engine.engine import ( + load_products, + init_search_engine, + get_top_n_product_from_keywords, + map_action_to_html, + parse_action, + get_product_per_page, + ACTION_TO_TEMPLATE, + END_BUTTON, NEXT_PAGE, PREV_PAGE, BACK_TO_SEARCH, +) +from web_agent_site.engine.goal import get_reward, get_goals +from web_agent_site.utils import ( + DEFAULT_FILE_PATH, + FEAT_CONV, + FEAT_IDS, + random_idx +) + +app = Flask(__name__) +class WebAgentTextEnv(gym.Env): + """Gym environment for Text mode of WebShop environment""" + def __init__( + self, + observation_mode='html', + file_path=DEFAULT_FILE_PATH, + server=None, + **kwargs + ): + """ + Constructor for text environment + + Arguments: + observation_mode (`str`) -- ['html' | 'text'] (default 'html') + get_image + filter_goals + limit_goals + num_products + human_goals + session + session_prefix + show_attrs + """ + super(WebAgentTextEnv, self).__init__() + self.observation_mode = observation_mode + self.kwargs = kwargs + + self.file_path = file_path + + self.base_url = 'http://127.0.0.1:3000' + self.server = SimServer( + self.base_url, + self.file_path, + self.kwargs.get('filter_goals'), + self.kwargs.get('limit_goals', -1), + self.kwargs.get('num_products'), + self.kwargs.get('human_goals'), + self.kwargs.get('show_attrs', False), + ) if server is None else server + self.browser = SimBrowser(self.server) + + self.session = self.kwargs.get('session') + self.session_prefix = self.kwargs.get('session_prefix') + if self.kwargs.get('get_image', 0): + self.feats = torch.load(FEAT_CONV) + self.ids = torch.load(FEAT_IDS) + self.ids = {url: idx for idx, url in enumerate(self.ids)} + self.prev_obs = [] + self.prev_actions = [] + self.num_prev_obs = self.kwargs.get('num_prev_obs', 0) + self.num_prev_actions = self.kwargs.get('num_prev_actions', 0) + self.reset() + + def step(self, action): + """ + Takes an action, updates WebShop environment, and returns (observation, reward, done, info) + + Arguments: + action (`str`): An action should be of the following structure: + - search[keywords] + - click[value] + If action not valid, perform nothing. + """ + info = None + self.get_available_actions() + + # Determine action type (click, search) and argument + action_name, action_arg = parse_action(action) + if action_arg is not None: + action_arg = action_arg.lower() + if (action_name == 'search' and + action_arg is not None and + action_arg != ''): + status = self.browser.search(action_arg) + elif (action_name == 'click' and + action_arg in self.text_to_clickable.keys() and + action_arg != 'search'): + status = self.browser.click(action_arg, self.text_to_clickable) + else: + status = dict(reward=0, done=False) + + # Update observation, state with the new action + ob = self.observation + text_list = [ob] + self.prev_actions.append(action) + for i in range(1, 1 + max(self.num_prev_obs, self.num_prev_actions)): + if len(self.prev_actions) >= i and self.num_prev_actions >= i: + text_list.append(self.prev_actions[-i]) + if len(self.prev_obs) >= i and self.num_prev_obs >= i: + text_list.append(self.prev_obs[-i]) + state = ' [SEP] '.join(text_list[::-1]) + self.prev_obs.append(ob) + return state, status['reward'], status['done'], info + + def get_available_actions(self): + """Returns list of available actions at the current step""" + html_obj = self._parse_html() + + # Collect search bar, buttons, links, and options as clickables + search_bar = html_obj.find(id='search_input') + has_search_bar = True if search_bar is not None else False + buttons = html_obj.find_all(class_='btn') + product_links = html_obj.find_all(class_='product-link') + buying_options = html_obj.select('input[type="radio"]') + + self.text_to_clickable = { + f'{b.get_text()}'.lower(): b + for b in buttons + product_links + } + for opt in buying_options: + opt_value = opt.get('value') + self.text_to_clickable[f'{opt_value}'] = opt + return dict( + has_search_bar=has_search_bar, + clickables=list(self.text_to_clickable.keys()), + ) + + def get_image(self): + """Scrape image from page HTML and return as a list of pixel values""" + html_obj = self._parse_html(self.browser.page_source) + image_url = html_obj.find(id='product-image') + if image_url is not None: + image_url = image_url['src'] + if image_url in self.ids: + image_idx = self.ids[image_url] + image = self.feats[image_idx] + return image + return torch.zeros(512) + + def get_instruction_text(self): + """Get corresponding instruction text for current environment session""" + html_obj = self._parse_html(self.browser.page_source) + instruction_text = html_obj.find(id='instruction-text').h4.text + return instruction_text + + def _parse_html(self, html=None): + """ + Returns web request result wrapped in BeautifulSoup object + + Arguments: + url (`str`): If no url or html is provided, use the current + observation (HTML) for parsing. + """ + if html is None: + html = self.state['html'] + html_obj = BeautifulSoup(html, 'html.parser') + return html_obj + + @property + def observation(self): + """Compiles state into either the `html` or `text` observation mode""" + html = self.state['html'] + if self.observation_mode == 'html': + return html + elif self.observation_mode == 'text': + return self.convert_html_to_text(html, simple=True) + elif self.observation_mode == 'text_rich': + return self.convert_html_to_text(html, simple=False) + elif self.observation_mode == 'url': + return self.state['url'] + else: + raise ValueError( + f'Observation mode {self.observation_mode} not supported.' + ) + + @property + def state(self): + """ + State that includes all information. The actual observation are + likely to be a subset or reduced form of the state. + """ + return dict( + url=self.browser.current_url, + html=self.browser.page_source, + instruction_text=self.instruction_text, + ) + + def convert_html_to_text(self, html, simple=False): + """Strip HTML of tags and add separators to convert observation into simple mode""" + texts = self._parse_html(html).findAll(text=True) + visible_texts = filter(tag_visible, texts) + if simple: + # For `simple` mode, return just [SEP] separators + return ' [SEP] '.join(t.strip() for t in visible_texts if t != '\n') + else: + # Otherwise, return an observation with tags mapped to specific, unique separators + observation = '' + for t in visible_texts: + if t == '\n': continue + if t.parent.name == 'button': # button + processed_t = f'[button] {t} [button_]' + elif t.parent.name == 'label': # options + if f'"{t}"' in self.state['url']: + processed_t = f' [clicked button] {t} [clicked button_]' + observation = f'You have clicked {t}.\n' + observation + else: + processed_t = f' [button] {t} [button_]' + elif t.parent.get('class') == ["product-link"]: # product asins + if f'{t}' in self.server.user_sessions[self.session]['asins']: + processed_t = f'\n[clicked button] {t} [clicked button_]' + else: + processed_t = f'\n[button] {t} [button_]' + else: # regular, unclickable text + processed_t = str(t) + observation += processed_t + '\n' + return observation + + def reset(self, session=None, instruction_text=None): + """Create a new session and reset environment variables""" + session_int = None + if session is not None: + self.session = str(session) + if isinstance(session, int): + session_int = session + else: + self.session = ''.join(random.choices(string.ascii_lowercase, k=10)) + if self.session_prefix is not None: + self.session = self.session_prefix + self.session + + init_url = f'{self.base_url}/{self.session}' + self.browser.get(init_url, session_id=self.session, session_int=session_int) + + self.text_to_clickable = None + self.instruction_text = self.get_instruction_text() if instruction_text is None else instruction_text + obs = self.observation + self.prev_obs = [obs] + self.prev_actions = [] + return obs, None + + def render(self, mode='human'): + pass + + def close(self): + pass + + +def tag_visible(element): + ignore = {'style', 'script', 'head', 'title', 'meta', '[document]'} + return ( + element.parent.name not in ignore and not isinstance(element, Comment) + ) + + +class SimServer: + """Lightweight simulator of WebShop Flask application for generating HTML observations""" + def __init__( + self, + base_url, + file_path, + filter_goals=None, + limit_goals=-1, + num_products=None, + human_goals=0, + show_attrs=False, + ): + """ + Constructor for simulated server serving WebShop application + + Arguments: + filter_goals (`func`) -- Select specific goal(s) for consideration based on criteria of custom function + limit_goals (`int`) -- Limit to number of goals available + num_products (`int`) -- Number of products to search across + human_goals (`bool`) -- If true, load human goals; otherwise, load synthetic goals + """ + # Load all products, goals, and search engine + self.base_url = base_url + self.all_products, self.product_item_dict, self.product_prices, _ = \ + load_products(filepath=file_path, num_products=num_products, human_goals=human_goals) + self.search_engine = init_search_engine(num_products=num_products) + self.goals = get_goals(self.all_products, self.product_prices, human_goals) + self.show_attrs = show_attrs + print(f'Loaded {len(self.goals)} goals.') + + + # HBY: Fix outcome for random shuffling of goals + random.seed(233) + random.shuffle(self.goals) + + # Apply `filter_goals` parameter if exists to select speific goal(s) + if filter_goals is not None: + self.goals = [ + goal for (i, goal) in enumerate(self.goals) + if filter_goals(i, goal) + ] + + # Imposes `limit` on goals via random selection + if limit_goals != -1 and limit_goals < len(self.goals): + print("has limit") + self.weights = [goal['weight'] for goal in self.goals] + self.cum_weights = [0] + for w in self.weights: + self.cum_weights.append(self.cum_weights[-1] + w) + idxs = [] + while len(idxs) < limit_goals: + idx = random_idx(self.cum_weights) + if idx not in idxs: + idxs.append(idx) + self.goals = [self.goals[i] for i in idxs] + print(f'Loaded {len(self.goals)} goals.') + + # Set extraneous housekeeping variables + self.weights = [goal['weight'] for goal in self.goals] + self.cum_weights = [0] + for w in self.weights: + self.cum_weights.append(self.cum_weights[-1] + w) + self.user_sessions = dict() + self.search_time = 0 + self.render_time = 0 + self.sample_time = 0 + self.assigned_instruction_text = None # TODO: very hacky, should remove + + @app.route('/', methods=['GET', 'POST']) + def index(self, session_id, **kwargs): + """Redirect to the search page with the given session ID""" + html = map_action_to_html( + 'start', + session_id=session_id, + instruction_text=kwargs['instruction_text'], + ) + url = f'{self.base_url}/{session_id}' + return html, url + + @app.route('/', methods=['GET', 'POST']) + def search_results(self, session_id, **kwargs): + """Initialize session and return the search results page""" + session = self.user_sessions[session_id] + keywords = kwargs['keywords'] # TODO: why is this using kwargs? why not session? + assert isinstance(keywords, list) + page = 1 if 'page' not in kwargs else kwargs['page'] + session["page"] = page + session["keywords"] = keywords + session["actions"]["search"] += 1 + session["asin"] = None + session["options"] = {} + + # Perform search on keywords from items and record amount of time it takes + old_time = time.time() + top_n_products = get_top_n_product_from_keywords( + keywords, + self.search_engine, + self.all_products, + self.product_item_dict, + ) + self.search_time += time.time() - old_time + + # Get product list from search result asins and get list of corresponding URLs + products = get_product_per_page(top_n_products, page) + + keywords_url_string = '+'.join(keywords) + url = ( + f'{self.base_url}/search_results/{session_id}/' + f'{keywords_url_string}/{page}' + ) + + # Render HTML search page and record amount of time taken + old_time = time.time() + html = map_action_to_html( + 'search', + session_id=session_id, + products=products, + keywords=session["keywords"], + page=page, + total=len(top_n_products), + instruction_text=session["goal"]["instruction_text"], + ) + self.render_time += time.time() - old_time + return html, url + + @app.route('/', methods=['GET', 'POST']) + def item_page(self, session_id, **kwargs): + """Render and return the HTML for a product item page""" + session = self.user_sessions[session_id] + clickable_name = kwargs['clickable_name'] + text_to_clickable = kwargs['text_to_clickable'] + clickable = text_to_clickable[clickable_name] + + # Update session logs with information of last product asin selected + if (clickable.get('class') is not None and + clickable.get('class')[0] == 'product-link'): + session["asin"] = clickable_name.upper() + session["actions"]["asin"] += 1 + session["asins"].add(session["asin"]) + elif clickable.get('name') is not None: + clickable_key = clickable['name'].lower() + session["options"][clickable_key] = clickable_name + session["actions"]["options"] += 1 + + # Set fields + url of page, then render page's HTML + product_info = self.product_item_dict[session["asin"]] + keywords_url_string = '+'.join(session["keywords"]) + option_string = json.dumps(session['options']) + + url = ( + f'{self.base_url}/item_page/{session_id}/' + f'{session["asin"]}/{keywords_url_string}/' + f'{session["page"]}/{option_string}' + ) + + html = map_action_to_html( + 'click', + session_id=session_id, + product_info=product_info, + keywords=session["keywords"], + page=session["page"], + asin=session["asin"], + options=session["options"], + instruction_text=session["goal"]["instruction_text"], + show_attrs=self.show_attrs, + ) + return html, url + + @app.route('/', methods=['GET', 'POST']) + def item_sub_page(self, session_id, **kwargs): + """Render and return the HTML for a product's sub page (i.e. description, features)""" + session = self.user_sessions[session_id] + clickable_name = kwargs['clickable_name'] + for k in ACTION_TO_TEMPLATE: + if clickable_name.lower() == k.lower(): + clickable_name = k + break + + # Set fields + url of page, then render page's HTML + product_info = self.product_item_dict[session["asin"]] + session["actions"][clickable_name] += 1 + keywords_url_string = '+'.join(session["keywords"]) + url = ( + f'{self.base_url}/item_sub_page/{session_id}/' + f'{session["asin"]}/{keywords_url_string}/{session["page"]}/' + f'{clickable_name}/{session["options"]}' + ) + html = map_action_to_html( + f'click[{clickable_name}]', + session_id=session_id, + product_info=product_info, + keywords=session["keywords"], + page=session["page"], + asin=session["asin"], + options=session["options"], + instruction_text=session["goal"]["instruction_text"], + ) + return html, url + + @app.route('/', methods=['GET', 'POST']) + def done(self, session_id, **kwargs): + """Render and return HTML for done page""" + session = self.user_sessions[session_id] + goal = self.user_sessions[session_id]['goal'] + purchased_product = self.product_item_dict[session["asin"]] + session["actions"]["purchase"] += 1 + price = self.product_prices.get(session["asin"]) + + # Calculate reward for selected product and set variables for page details + reward, info = get_reward( + purchased_product, + goal, + price=price, + options=session["options"], + verbose=True + ) + + self.user_sessions[session_id]['verbose_info'] = info + self.user_sessions[session_id]['done'] = True + self.user_sessions[session_id]['reward'] = reward + + url = ( + f'{self.base_url}/done/{session_id}/' + f'{session["asin"]}/{session["options"]}' + ) + html = map_action_to_html( + f'click[{END_BUTTON}]', + session_id=session_id, + reward=reward, + asin=session["asin"], + options=session["options"], + instruction_text=session["goal"]["instruction_text"], + ) + return html, url, reward + + def receive(self, session_id, current_url, session_int=None, **kwargs): + """Map action to the corresponding page""" + status = dict(reward=0.0, done=False) + + with app.app_context(), app.test_request_context(): + # Create/determine goal, instruction_text from current session + if session_id not in self.user_sessions: + idx = session_int if (session_int is not None and isinstance(session_int, int)) else random_idx(self.cum_weights) + print(f"---------------1----------------") + goal = self.goals[idx] + instruction_text = goal['instruction_text'] + self.user_sessions[session_id] = {'goal': goal, 'done': False} + else: + print(f"---------------2----------------") + instruction_text = \ + self.user_sessions[session_id]['goal']['instruction_text'] + if self.assigned_instruction_text is not None: + print(f"---------------3----------------") + instruction_text = self.assigned_instruction_text # TODO: very hacky, should remove + self.user_sessions[session_id]['goal']['instruction_text'] = instruction_text + session = self.user_sessions[session_id] + + if not kwargs: + print(f"---------------4----------------") + # If no action, reset the session variables + kwargs['instruction_text'] = instruction_text + html, url = self.index(session_id, **kwargs) + self.user_sessions[session_id].update( + { + 'keywords': None, + 'page': None, + 'asin': None, + 'asins': set(), + 'options': dict(), + 'actions': defaultdict(int) + } + ) + elif 'keywords' in kwargs: + # If search keywords are available, run a search + html, url = self.search_results(session_id, **kwargs) + elif 'clickable_name' in kwargs: + clickable_name = kwargs['clickable_name'].lower() + if clickable_name == END_BUTTON.lower(): + # If "buy now" clicked, calculate reward and flag session as terminated + html, url, reward = self.done(session_id, **kwargs) + status['reward'] = reward + status['done'] = True + elif clickable_name == BACK_TO_SEARCH.lower(): + # If "back to search" clicked, recursively reset the session back to search page + html, url, status = self.receive(session_id, current_url) + elif (clickable_name == NEXT_PAGE.lower() and + self.get_page_name(current_url) == 'search_results'): + # If "next page" clicked from search results, re-render with `page` enumerated + html, url, status = self.receive( + session_id, + current_url, + keywords=session["keywords"], + page=session["page"] + 1, + ) + elif (clickable_name == PREV_PAGE.lower() and + self.get_page_name(current_url) == 'search_results'): + # If "prev page" clicked from search results, re-render with `page` denumerated + html, url, status = self.receive( + session_id, + current_url, + keywords=session["keywords"], + page=session["page"] - 1, + ) + elif (clickable_name == PREV_PAGE.lower() and + self.get_page_name(current_url) == 'item_sub_page'): + # If "prev page" clicked from sub page, return to corresponding item page + html, url = self.item_page(session_id, **kwargs) + elif (clickable_name == PREV_PAGE.lower() and + self.get_page_name(current_url) == 'item_page'): + # If "prev page" clicked from item page, return to search results page + html, url = self.search_results( + session_id, + keywords=session["keywords"], + page=session["page"], + **kwargs + ) + elif clickable_name in [k.lower() for k in ACTION_TO_TEMPLATE]: + # Render item_sub_page if clickable is description, features, or reviews + html, url = self.item_sub_page(session_id, **kwargs) + else: + # Otherwise, render current item page + html, url = self.item_page(session_id, **kwargs) + return html, url, status + + def get_page_name(self, url): + """Determine which page (i.e. item_page, search_results) the given URL is pointing at""" + if url is None: + return None + page_names = [ + 'search_results', + 'item_page', + 'item_sub_page', + 'done' + ] + for page_name in page_names: + if page_name in url: + return page_name + return '' # index page + + +class SimBrowser: + """Simulated browser for rendering the HTML source of WebShop environment pages""" + def __init__(self, server): + self.server = server + self.current_url = None + self.page_source = None + self.session_id = None + + def get(self, url, session_id=None, session_int=None): + """Set browser variables to corresponding link, page HTML for URL""" + self.session_id = url.split('/')[-1] if session_id is None else session_id + self.page_source, _, _ = \ + self.server.receive(self.session_id, self.current_url, session_int=session_int) + self.current_url = url + + def click(self, clickable_name, text_to_clickable): + """Wrapper for `receive` handler for performing click action on current page""" + self.page_source, self.current_url, status = \ + self.server.receive( + self.session_id, + current_url=self.current_url, + clickable_name=clickable_name, + text_to_clickable=text_to_clickable, + ) + return status + + def search(self, keywords): + """Wrapper for `receive` handler for performing search action on current page""" + if isinstance(keywords, str): + keywords = keywords.split(' ') + self.page_source, self.current_url, status = \ + self.server.receive( + self.session_id, + current_url=self.current_url, + keywords=keywords, + ) + return status diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/models/__init__.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/models/__init__.py new file mode 100644 index 00000000..61eb5c90 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/models/__init__.py @@ -0,0 +1,4 @@ +from web_agent_site.models.models import ( + HumanPolicy, + RandomPolicy, +) diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/models/models.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/models/models.py new file mode 100644 index 00000000..8fbd3fb2 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/models/models.py @@ -0,0 +1,52 @@ +""" +Model implementations. The model interface should be suitable for both +the ``site env'' and the ``text env''. +""" +import random + +random.seed(4) + + +class BasePolicy: + def __init__(self): + pass + + def forward(observation, available_actions): + """ + Args: + observation (`str`): + HTML string + + available_actions (): + ... + Returns: + action (`str`): + Return string of the format ``action_name[action_arg]''. + Examples: + - search[white shoes] + - click[button=Reviews] + - click[button=Buy Now] + """ + raise NotImplementedError + + +class HumanPolicy(BasePolicy): + def __init__(self): + super().__init__() + + def forward(self, observation, available_actions): + action = input('> ') + return action + + +class RandomPolicy(BasePolicy): + def __init__(self): + super().__init__() + + def forward(self, observation, available_actions): + if available_actions['has_search_bar']: + action = 'search[shoes]' + else: + action_arg = random.choice(available_actions['clickables']) + action = f'click[{action_arg}]' + return action diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/static/images/no-image-available.png b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/static/images/no-image-available.png new file mode 100644 index 00000000..660a049c Binary files /dev/null and b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/static/images/no-image-available.png differ diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/static/style.css b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/static/style.css new file mode 100644 index 00000000..4ff582c5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/static/style.css @@ -0,0 +1,200 @@ +.text { + font-family: Arial, Helvetica; +} + +* { + -webkit-border-radius: 1px !important; + -moz-border-radius: 1px !important; + border-radius: 1px !important; + } + +#logo { + color: #666; + width:100%; +} + +#logo h1 { + font-size: 60px; + text-shadow: 1px 2px 3px #999; + font-family: Roboto, sans-serif; + font-weight: 700; + letter-spacing: -1px; +} + +#logo p{ + padding-bottom: 20px; +} + +#thankyou { + color: #666; + width:100%; + font-size: 60px; + font-family: Roboto, sans-serif; + font-weight: 700; + padding-bottom: 20px; + letter-spacing: -1px; +} + +#form-buscar >.form-group >.input-group > .form-control { + height: 40px; +} + +#form-buscar >.form-group >.input-group > .input-group-btn > .btn{ + height: 40px; + font-size: 16px; + font-weight: 300; +} + +#form-buscar >.form-group >.input-group > .input-group-btn > .btn .glyphicon{ + margin-right:12px; +} + +#form-buscar >.form-group >.input-group > .form-control { + font-size: 16px; + font-weight: 300; +} + +#form-buscar >.form-group >.input-group > .form-control:focus { + border-color: #33A444; + outline: 0; + -webkit-box-shadow: inset 0 1px 1px rgba(0,0,0,.075), 0 0 1px rgba(0, 109, 0, 0.8); + box-shadow: inset 0 1px 1px rgba(0,0,0,.075), 0 0 1px rgba(0, 109, 0, 0.8); +} + +body { + background: white; + min-height: 100vh +} + +.text-gray { + color: #aaa +} + +.result-img { + max-height: 300px; + max-width: 300px; + overflow: hidden; +} + +.item-page-img { + max-height: 600px; + max-width: 370px; + overflow: hidden; +} + +.top-buffer { margin-top:10px; } + +.product-info { + font-size: 18px; +} + +.star-active { + color: #FBC02D; + margin-top: 10px; + margin-bottom: 10px +} + +.star-active:hover { + color: #F9A825; + cursor: pointer +} + +.star-inactive { + color: #CFD8DC; + margin-top: 10px; + margin-bottom: 10px +} + +.blue-text { + color: #116396 +} + +.btn { + margin-left: 0px; + margin-right: 0px; +} +/* Boostrap Buttons Styling */ + +.btn-primary { + font-size: 13px; + color: rgba(58, 133, 191, 0.75); + letter-spacing: 1px; + line-height: 15px; + border: 2px solid rgba(58, 133, 191, 0.75); + border-radius: 40px; + background: transparent; +} + +.btn-primary:hover { + color: #FFF; + background: rgba(58, 133, 191, 0.75); +} + +.btn-success { + font-size: 13px; + color: rgba(103, 192, 103, 0.75); + letter-spacing: 1px; + line-height: 15px; + border: 2px solid rgba(103, 192, 103, 0.75); + border-radius: 40px; + background: transparent; +} + +.btn-success:hover { + color: #FFF; + background: rgb(103, 192, 103, 0.75); +} + +.btn.purchase { + color: rgb(0, 0, 0); + background: rgb(250, 167, 13); +} + +.btn.purchase:hover { + color: rgb(0, 0, 0); + background: rgb(253, 199, 98); +} + +.radio-toolbar { + margin: 5px; +} + +.radio-toolbar input[type="radio"] { + opacity: 0; + position: fixed; + width: 0; +} + +.radio-toolbar label { + display: inline-block; + background-color: rgb(245, 241, 241); + padding: 10px 10px; + font-size: 14px; + border: 1px solid #444; + border-radius: 4px; +} + +.radio-toolbar label:hover { + background-color: rgb(255, 247, 217); +} + +.radio-toolbar input[type="radio"]:focus + label { + border: 1px solid #444; +} + +.radio-toolbar input[type="radio"]:checked + label { + background-color: rgb(255, 234, 163); + border: 1px solid #444; +} + +#instruction-text { + margin-top:10px; + margin-bottom:10px; + border: #797474 solid; + border-radius: 20px; + padding: 5px; +} + +pre { + white-space: pre-line; +} \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/attributes_page.html b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/attributes_page.html new file mode 100644 index 00000000..68ec6b98 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/attributes_page.html @@ -0,0 +1,58 @@ + + + + + + + + + + + +
    +
    +
    +
    +

    Instruction:
    {{ instruction_text }}

    +
    +
    +
    +
    +
    + +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
      + {% for attribute in product_info.Attributes %} +
    • {{attribute}}

    • + {% endfor %} +
    +
    +
    +
    +
    +
    {{product_info.category}}
    +
    +
    +
    {{product_info.query}}
    +
    +
    +
    {{product_info.product_category}}
    +
    +
    +
    +
    +
    +
    + + \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/description_page.html b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/description_page.html new file mode 100644 index 00000000..5fd598e6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/description_page.html @@ -0,0 +1,43 @@ + + + + + + + + + + + +
    +
    +
    +
    +

    Instruction:
    {{ instruction_text }}

    +
    +
    +
    +
    +
    + +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +

    {{product_info.Description}}

    +
    +
    +
    +
    +
    +
    + + \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/done_page.html b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/done_page.html new file mode 100644 index 00000000..4803dc89 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/done_page.html @@ -0,0 +1,50 @@ + + + + + + + + + + +
    +
    +
    +
    +

    Thank you for shopping with us!

    +
    +
    +

    Your code:

    +

    {{ mturk_code }}
    (Paste it in your MTurk interface.)

    +
    +

    Purchased

    +
    +

    asin
    {{ asin }}

    +

    options
    {{ options | tojson }}

    +

    attrs
    {{ purchased_attrs }}

    +

    category
    {{ category }}

    +

    query
    {{ query }}

    +

    product category
    {{ product_category }}

    +

    Target

    +
    +

    asin
    {{ goal.asin }}

    +

    options
    {{ goal.goal_options }}

    +

    attrs
    {{ goal.attributes }}

    +

    price upper
    {{ goal.price_upper }}

    +

    instuction text
    {{ goal.instruction_text }}

    +

    category
    {{ goal.category }}

    +

    product category
    {{ goal.product_category }}

    +

    query
    {{ goal.query }}

    +

    Goal
    {{ goal | pprint }}

    +

    Reward

    +
    +
    +

    Your score (min 0.0, max 1.0)
    {{ reward }}

    + +
    +
    +
    +
    + + diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/features_page.html b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/features_page.html new file mode 100644 index 00000000..4baab104 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/features_page.html @@ -0,0 +1,47 @@ + + + + + + + + + + + +
    +
    +
    +
    +

    Instruction:
    {{ instruction_text }}

    +
    +
    +
    +
    +
    + +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    +
      + {% for bulletpoint in product_info.BulletPoints %} +
    • {{bulletpoint}}

    • + {% endfor %} +
    +
    +
    +
    +
    +
    +
    + + \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/item_page.html b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/item_page.html new file mode 100644 index 00000000..a4b4bb3f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/item_page.html @@ -0,0 +1,119 @@ + + + + + + + + + + + +
    +
    +
    +
    +

    Instruction:
    {{ instruction_text }}

    +
    +
    +
    +
    +
    + +
    +
    +
    +
    + +
    +
    +
    +
    +
    + +
    + {% for option_name, option_contents in product_info.options.items() %} +
    +

    {{ option_name }}

    +
    + {% for option_content in option_contents %} + {% set current_options = options.copy() %} + {% set _ = current_options.update({option_name: option_content}) %} + {% set url = url_for('item_page', session_id=session_id, asin=asin, keywords=keywords, page=page, options=current_options) %} + + + {% endfor %} +
    +
    + {% endfor %} +
    +
    +

    {{product_info.Title}}

    +

    Price: {{product_info.Price}}

    +

    Rating: {{product_info.Rating}}

    +
    +
    +
    + +
    +
    +
    +
    + +
    +
    +
    +
    + +
    +
    + {% if show_attrs %} +
    +
    + +
    +
    + {% endif %} +
    +
    +
    +
    +
    + +
    +
    +
    +
    +
    + + + \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/results_page.html b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/results_page.html new file mode 100644 index 00000000..03373f57 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/results_page.html @@ -0,0 +1,89 @@ + + + + + + + + + + + +
    + + \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/review_page.html b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/review_page.html new file mode 100644 index 00000000..80584290 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/review_page.html @@ -0,0 +1,59 @@ + + + + + + + + + + + +
    +
    +
    +
    +

    Instruction:
    {{ instruction_text }}

    +
    +
    +
    +
    +
    + +
    +
    +
    +
    + +
    +
    +
    +
    +
    +
    +
    + {% for review in product_info.Reviews %} +
    +
    +

    "{{review.title}}"

    +

    + {{review.score}} + {% for i in range(review.score | int) %} + + {% endfor %} + {% for i in range(5 - review.score | int) %} + + {% endfor %} +

    +

    {{review.body}}

    +
    +
    + {% endfor %} +
    +
    +
    +
    +
    +
    + + \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/search_page.html b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/search_page.html new file mode 100644 index 00000000..f834614a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/templates/search_page.html @@ -0,0 +1,34 @@ + + + + + + + + + + +
    +
    +
    + +
    +

    Instruction:
    {{ instruction_text }}

    +
    +
    +
    +
    + + + + +
    +
    +
    +
    +
    +
    + + \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/utils.py b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/utils.py new file mode 100644 index 00000000..160247ac --- /dev/null +++ b/openmanus_rl/agentgym/agentenv-webshop/webshop/web_agent_site/utils.py @@ -0,0 +1,50 @@ +import bisect +import hashlib +import logging +import random +from os.path import dirname, abspath, join + +BASE_DIR = dirname(abspath(__file__)) +DEBUG_PROD_SIZE = None # set to `None` to disable + +DEFAULT_ATTR_PATH = join(BASE_DIR, '../data/items_ins_v2_1000.json') +DEFAULT_FILE_PATH = join(BASE_DIR, '../data/items_shuffle_1000.json') +# DEFAULT_ATTR_PATH = join(BASE_DIR, '../data/items_ins_v2.json') +# DEFAULT_FILE_PATH = join(BASE_DIR, '../data/items_shuffle.json') +DEFAULT_REVIEW_PATH = join(BASE_DIR, '../data/reviews.json') + +FEAT_CONV = join(BASE_DIR, '../data/feat_conv.pt') +FEAT_IDS = join(BASE_DIR, '../data/feat_ids.pt') + +HUMAN_ATTR_PATH = join(BASE_DIR, '../data/items_human_ins.json') +HUMAN_ATTR_PATH = join(BASE_DIR, '../data/items_human_ins.json') + +def random_idx(cum_weights): + """Generate random index by sampling uniformly from sum of all weights, then + selecting the `min` between the position to keep the list sorted (via bisect) + and the value of the second to last index + """ + pos = random.uniform(0, cum_weights[-1]) + idx = bisect.bisect(cum_weights, pos) + idx = min(idx, len(cum_weights) - 2) + return idx + +def setup_logger(session_id, user_log_dir): + """Creates a log file and logging object for the corresponding session ID""" + logger = logging.getLogger(session_id) + formatter = logging.Formatter('%(message)s') + file_handler = logging.FileHandler( + user_log_dir / f'{session_id}.jsonl', + mode='w' + ) + file_handler.setFormatter(formatter) + logger.setLevel(logging.INFO) + logger.addHandler(file_handler) + return logger + +def generate_mturk_code(session_id: str) -> str: + """Generates a redeem code corresponding to the session ID for an MTurk + worker once the session is completed + """ + sha = hashlib.sha1(session_id.encode()) + return sha.hexdigest()[:10].upper() \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv/agentenv.egg-info/PKG-INFO b/openmanus_rl/agentgym/agentenv/agentenv.egg-info/PKG-INFO new file mode 100644 index 00000000..fac5375e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv.egg-info/PKG-INFO @@ -0,0 +1,14 @@ +Metadata-Version: 2.4 +Name: agentenv +Version: 0.1.0 +Author-email: KYLN24 +License: MIT +Requires-Python: >=3.11 +Description-Content-Type: text/markdown +Requires-Dist: torch>=2.0.0 +Requires-Dist: transformers>=4.35.2 +Requires-Dist: trl>=0.8.6 +Requires-Dist: scipy>=1.11.4 +Requires-Dist: accelerate>=0.23.0 +Requires-Dist: jsonlines>=4.0.0 +Requires-Dist: wandb>=0.16.4 diff --git a/openmanus_rl/agentgym/agentenv/agentenv.egg-info/SOURCES.txt b/openmanus_rl/agentgym/agentenv/agentenv.egg-info/SOURCES.txt new file mode 100644 index 00000000..c2aff12a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv.egg-info/SOURCES.txt @@ -0,0 +1,32 @@ +pyproject.toml +agentenv/__init__.py +agentenv.egg-info/PKG-INFO +agentenv.egg-info/SOURCES.txt +agentenv.egg-info/dependency_links.txt +agentenv.egg-info/requires.txt +agentenv.egg-info/top_level.txt +agentenv/controller/__init__.py +agentenv/controller/agent.py +agentenv/controller/env.py +agentenv/controller/task.py +agentenv/controller/utils.py +agentenv/envs/__init__.py +agentenv/envs/academia.py +agentenv/envs/alfworld.py +agentenv/envs/babyai.py +agentenv/envs/gaia.py +agentenv/envs/lmrlgym.py +agentenv/envs/movie.py +agentenv/envs/sciworld.py +agentenv/envs/sheet.py +agentenv/envs/sqlgym.py +agentenv/envs/textcraft.py +agentenv/envs/todo.py +agentenv/envs/weather.py +agentenv/envs/webarena.py +agentenv/envs/webshop.py +agentenv/trainer/__init__.py +agentenv/trainer/agentevol_trainer.py +agentenv/trainer/bc_trainer.py +agentenv/trainer/distributed_evaluator.py +agentenv/trainer/utils.py \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv/agentenv.egg-info/dependency_links.txt b/openmanus_rl/agentgym/agentenv/agentenv.egg-info/dependency_links.txt new file mode 100644 index 00000000..8b137891 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv.egg-info/dependency_links.txt @@ -0,0 +1 @@ + diff --git a/openmanus_rl/agentgym/agentenv/agentenv.egg-info/requires.txt b/openmanus_rl/agentgym/agentenv/agentenv.egg-info/requires.txt new file mode 100644 index 00000000..15233de6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv.egg-info/requires.txt @@ -0,0 +1,7 @@ +torch>=2.0.0 +transformers>=4.35.2 +trl>=0.8.6 +scipy>=1.11.4 +accelerate>=0.23.0 +jsonlines>=4.0.0 +wandb>=0.16.4 diff --git a/openmanus_rl/agentgym/agentenv/agentenv.egg-info/top_level.txt b/openmanus_rl/agentgym/agentenv/agentenv.egg-info/top_level.txt new file mode 100644 index 00000000..e607aa98 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv.egg-info/top_level.txt @@ -0,0 +1 @@ +agentenv diff --git a/openmanus_rl/agentgym/agentenv/agentenv/__init__.py b/openmanus_rl/agentgym/agentenv/agentenv/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv/agentenv/controller/__init__.py b/openmanus_rl/agentgym/agentenv/agentenv/controller/__init__.py new file mode 100644 index 00000000..c6a623d0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/controller/__init__.py @@ -0,0 +1,4 @@ +from .agent import Agent +from .env import BaseEnvClient, StepOutput +from .task import BaseTask, ConversationMessage, TokenizedConversationOutput +from .utils import Evaluator diff --git a/openmanus_rl/agentgym/agentenv/agentenv/controller/agent.py b/openmanus_rl/agentgym/agentenv/agentenv/controller/agent.py new file mode 100644 index 00000000..83c018c6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/controller/agent.py @@ -0,0 +1,12 @@ +from transformers import PreTrainedModel, PreTrainedTokenizerBase + + +class Agent: + + def __init__( + self, + model: PreTrainedModel, + tokenizer: PreTrainedTokenizerBase, + ) -> None: + self.model = model + self.tokenizer = tokenizer diff --git a/openmanus_rl/agentgym/agentenv/agentenv/controller/env.py b/openmanus_rl/agentgym/agentenv/agentenv/controller/env.py new file mode 100644 index 00000000..e890b899 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/controller/env.py @@ -0,0 +1,37 @@ +from abc import ABCMeta, abstractmethod +from dataclasses import dataclass + + +@dataclass +class StepOutput: + state: str + reward: float + done: bool + + +class BaseEnvClient(metaclass=ABCMeta): + conversation_start = () + + @abstractmethod + def __len__(self) -> int: + """ + Return the total size of the environment. + """ + + @abstractmethod + def observe(self) -> str: + """ + Parse env server response and give a text message to prompt the LLM. + """ + + @abstractmethod + def step(self, action) -> StepOutput: + """ + Parse model output from the action and call the env server. + """ + + @abstractmethod + def reset(self, idx: int) -> None: + """ + Reset the environment. + """ diff --git a/openmanus_rl/agentgym/agentenv/agentenv/controller/task.py b/openmanus_rl/agentgym/agentenv/agentenv/controller/task.py new file mode 100644 index 00000000..3fa2ba63 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/controller/task.py @@ -0,0 +1,234 @@ +from dataclasses import dataclass +from typing import Any, Callable, Mapping, Optional, Sequence, TypedDict + +import torch +from torch.nn.parallel import DistributedDataParallel +from transformers import GenerationConfig, PreTrainedModel, PreTrainedTokenizerBase +from transformers.generation.utils import GenerateOutput + +from agentenv.controller import BaseEnvClient + +ConversationMessage = TypedDict( + "ConversationMessage", {"from": str, "loss": Optional[bool], "value": str} +) + + +@dataclass +class ExperienceOutput: + conversation: list[ConversationMessage] + reward: float + text: str + seq_ids: list[int] + attention_mask: list[int] + action_mask: list[int] + + +TokenizedConversationOutput = TypedDict( + "TokenizedConversationOutput", + { + "text": str, + "input_ids": list[int], + "action_mask": list[int], + }, +) + + +class BaseTask: + env_client_cls: Callable + env_name: str + + def __init__( + self, + client_args: Mapping[str, Any], + n_clients: int = 1, + ) -> None: + """ + Initializes the Task object. + + Args: + client_args (Mapping[str, Any]): A mapping of client arguments. + n_clients (int, optional): The number of clients. Defaults to 1. Larger than 1 for batch generation. Batch generation is not implemented yet. + """ + if self.env_client_cls is None or self.env_name is None: + raise NotImplementedError + self.clients = [self.env_client_cls(**client_args) for _ in range(n_clients)] + self.len = len(self.clients[0]) + + def _tokenize_conversation_one( + self, + message: ConversationMessage, + tokenizer: PreTrainedTokenizerBase, + ) -> TokenizedConversationOutput: + """ + This function applied Llama Chat template on the given vicuna-styled conversation message. + You can provide your own _tokenize_conversation_one to adapt to your own task. + """ + if message["from"] == "human": + text = f"[INST] {message['value']} [/INST]" + input_ids = tokenizer.encode(text, add_special_tokens=False) + else: + text = f"{message['value']}" + input_ids = tokenizer.encode(text, add_special_tokens=False) + text = f" {text}" + if message["loss"]: + action_mask = [1] * len(input_ids) + else: + action_mask = [0] * len(input_ids) + + return TokenizedConversationOutput( + { + "text": text, + "input_ids": input_ids, + "action_mask": action_mask, + } + ) + + def _tokenize_conversation( + self, + conversation: list[ConversationMessage], + tokenizer: PreTrainedTokenizerBase, + ) -> TokenizedConversationOutput: + text = "" + input_ids = [] + action_mask = [] + + for message in conversation: + message_out = self._tokenize_conversation_one(message, tokenizer) + text += message_out["text"] + input_ids += message_out["input_ids"] + action_mask += message_out["action_mask"] + + return TokenizedConversationOutput( + { + "text": text, + "input_ids": input_ids, + "action_mask": action_mask, + } + ) + + def _generate_experience_one( + self, + model: PreTrainedModel, + tokenizer: PreTrainedTokenizerBase, + client: BaseEnvClient, + idx: int, + generation_config: Optional[GenerationConfig] = None, + max_rounds: Optional[int] = None, + ) -> ExperienceOutput: + client.reset(idx) + reward = 0.0 + done = False + state = client.observe() + conversation = list(client.conversation_start) + conversation.append( + ConversationMessage({"from": "human", "loss": None, "value": state}) + ) + conversation_tokenized = self._tokenize_conversation(conversation, tokenizer) + rounds = 0 + + while not done: + input_length = len(conversation_tokenized["input_ids"]) + # if input_length exceeds 4096, break + if input_length > 4096: + break + output = model.generate( + torch.tensor( + [conversation_tokenized["input_ids"]], device=model.device + ), + generation_config=generation_config, + ) + if isinstance(output, GenerateOutput): + output = output.sequences + + generated_tokens = output[0][input_length:].cpu().numpy().tolist() + if generated_tokens[-1] != tokenizer.eos_token_id: + generated_tokens += [tokenizer.eos_token_id] + + generated_text = tokenizer.decode(generated_tokens) + conversation_tokenized["text"] += f" {generated_text}" + conversation_tokenized["input_ids"] += generated_tokens + conversation_tokenized["action_mask"] += [1] * len(generated_tokens) + + generated_text = generated_text[ + : -len(tokenizer.eos_token) + ] # not endswith eos_token + conversation.append( + ConversationMessage( + {"from": "gpt", "loss": True, "value": generated_text} + ) + ) + + step_output = client.step(generated_text) + state, reward, done = ( + step_output.state, + step_output.reward, + step_output.done, + ) + env_message = ConversationMessage( + {"from": "human", "loss": None, "value": state} + ) + env_message_tokenized = self._tokenize_conversation_one( + env_message, tokenizer + ) + + conversation.append(env_message) + conversation_tokenized["text"] += env_message_tokenized["text"] + conversation_tokenized["input_ids"] += env_message_tokenized["input_ids"] + conversation_tokenized["action_mask"] += env_message_tokenized[ + "action_mask" + ] + + rounds += 1 + if max_rounds is not None and rounds >= max_rounds: + break + + return ExperienceOutput( + conversation=conversation, + reward=reward, + text=conversation_tokenized["text"], + seq_ids=conversation_tokenized["input_ids"], + attention_mask=[1] * len(conversation_tokenized["input_ids"]), + action_mask=conversation_tokenized["action_mask"], + ) + + def _generate_experience_batch( + self, + model: PreTrainedModel, + tokenizer: PreTrainedTokenizerBase, + idxs: Sequence[int], + generation_config: Optional[GenerationConfig] = None, + max_rounds: Optional[int] = None, + ) -> list[ExperienceOutput]: + # TODO: "Batch experience generation is not implemented. Generate one by one.", + client = self.clients[0] + result = [self._generate_experience_one( + model=model, + tokenizer=tokenizer, + client=client, + idx=idx, + generation_config=generation_config, + max_rounds=max_rounds, + ) for idx in idxs] + return result + + def generate_experience( + self, + model: PreTrainedModel, + tokenizer: PreTrainedTokenizerBase, + idxs: Sequence[int] | int, + generation_config: Optional[GenerationConfig] = None, + max_rounds: Optional[int] = None, + ) -> list[ExperienceOutput]: + if isinstance(idxs, int): + idxs = [idxs] + + if isinstance(model, DistributedDataParallel): + model = model.module + + return self._generate_experience_batch( + model=model, + tokenizer=tokenizer, + idxs=idxs, + generation_config=generation_config, + max_rounds=max_rounds, + ) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/controller/utils.py b/openmanus_rl/agentgym/agentenv/agentenv/controller/utils.py new file mode 100644 index 00000000..d087354f --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/controller/utils.py @@ -0,0 +1,98 @@ +from dataclasses import dataclass +from typing import Optional, Sequence, TypedDict + +import numpy as np + +from agentenv.controller.agent import Agent +from agentenv.controller.task import BaseTask, ExperienceOutput, GenerationConfig + +ConversationMessage = TypedDict( + "ConversationMessage", {"from": str, "loss": Optional[bool], "value": str} +) + + +@dataclass +class EvaluationOutput: + experiences: Sequence[ExperienceOutput] + score: float + success: float + + +class BaseAgentEnvController: + def __init__(self, agent: Agent, tasks: Sequence[BaseTask]) -> None: + self.agent = agent + self.tasks = tasks + + def generate_experience( + self, + idxs: Sequence[int] | Sequence[Sequence[int]] | None = None, + generation_config: Optional[GenerationConfig] = None, + max_rounds: Optional[int] = None, + ) -> list[ExperienceOutput]: + experience = [] + if isinstance(idxs[0], int): + experience += self.tasks[0].generate_experience( + self.agent.model, + self.agent.tokenizer, + idxs, + generation_config, + max_rounds, + ) + elif isinstance(idxs[0], Sequence): + for idx, task in enumerate(self.tasks): + experience += task.generate_experience( + self.agent.model, + self.agent.tokenizer, + idxs[idx], + generation_config, + max_rounds, + ) + else: + raise ValueError("Incorrect Format for idxs") + + return experience + + +class Evaluator(BaseAgentEnvController): + def eval( + self, + generation_config: Optional[GenerationConfig] = None, + max_rounds: Optional[int] = None, + idxs: Sequence[int] | Sequence[Sequence[int]] | None = None, + ) -> EvaluationOutput: + exps = self.generate_experience( + idxs=idxs if idxs is not None else [list(range(len(task.clients[0]))) for task in self.tasks], + generation_config=generation_config, + max_rounds=max_rounds, + ) + rewards = np.array([exp.reward for exp in exps]) + return EvaluationOutput( + experiences=exps, score=rewards.mean(), success=(rewards == 1).mean() + ) + + +class BaseTrainer(BaseAgentEnvController): + def __init__(self, agent: Agent, tasks: Sequence[BaseTask]) -> None: + super().__init__(agent, tasks) + + def train(self): + pass + + def eval( + self, + generation_config: Optional[GenerationConfig] = None, + max_rounds: Optional[int] = None, + idxs: Sequence[int] | Sequence[Sequence[int]] = None, + ) -> EvaluationOutput: + exps = self.generate_experience( + idxs=idxs, + generation_config=generation_config, + max_rounds=max_rounds, + ) + rewards = np.array([exp.reward for exp in exps]) + return EvaluationOutput( + experiences=exps, score=rewards.mean(), success=(rewards == 1).mean() + ) + + def save_model(self): + pass diff --git a/openmanus_rl/agentgym/agentenv/agentenv/envs/__init__.py b/openmanus_rl/agentgym/agentenv/agentenv/envs/__init__.py new file mode 100644 index 00000000..42c3547a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/envs/__init__.py @@ -0,0 +1,13 @@ +from .academia import AcademiaEnvClient, AcademiaTask +from .alfworld import AlfWorldEnvClient, AlfWorldTask +from .babyai import BabyAIEnvClient, BabyAITask +from .lmrlgym import MazeEnvClient, MazeTask, WordleEnvClient, WordleTask +from .movie import MovieEnvClient, MovieTask +from .sciworld import SciworldEnvClient, SciworldTask +from .sheet import SheetEnvClient, SheetTask +from .sqlgym import SqlGymEnvClient, SqlGymTask +from .textcraft import TextCraftEnvClient, TextCraftTask +from .todo import TodoEnvClient, TodoTask +from .weather import WeatherEnvClient, WeatherTask +from .webarena import WebarenaEnvClient, WebarenaTask +from .webshop import WebshopEnvClient, WebshopTask diff --git a/openmanus_rl/agentgym/agentenv/agentenv/envs/academia.py b/openmanus_rl/agentgym/agentenv/agentenv/envs/academia.py new file mode 100644 index 00000000..ccbb3a78 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/envs/academia.py @@ -0,0 +1,92 @@ +from typing import Any, Mapping, Dict + +import requests +from requests.exceptions import RequestException + +from agentenv.controller import BaseEnvClient, BaseTask, ConversationMessage, StepOutput + + +class AcademiaEnvClient(BaseEnvClient): + conversation_start = ( + ConversationMessage( + { + "from": "human", + "loss": None, + "value": "You are an autonomous intelligent agent. You can use actions to help people solve problems.\nWe detail name, description, input(parameters) and output(returns) of each action as follows:\nName: loadPaperNet()\nDescription: Load PaperNet. In this net, nodes are papers and edges are citation relationships between papers.\n\nName: loadAuthorNet()\nDescription: Load AuthorNet. In this net, nodes are authors and edges are collaboration relationships between authors.\n\nName: neighbourCheck(graph, node)\nDescription: List the first-order neighbors connect to the node. In paperNet, neigbours are cited papers of the paper. In authorNet, neigbours are collaborators of the author.\nParameters:\n- graph (Type: string, Enum: [PaperNet, AuthorNet]): The name of the graph to check\n- node (Type: string): The node for which neighbors will be listed\nReturns:\n- neighbors (Type: array)\n\nName: paperNodeCheck(node)\nDescription: Return detailed attribute information of a specified paper in PaperNet\nParameters:\n- node (Type: string): Name of the paper.\nReturns:\n- authors : The authors of the paper\n- year : The puslished year of the paper\n- venue : The published venue of the paper\n- n_citation : The number of citations of the paper\n- keywords : The keywords of the paper\n- doc_type : The document type of the paper\n\nName: authorNodeCheck(node)\nDescription: Return detailed attribute information of a specified author in AuthorNet\nParameters:\n- node (Type: string): name of the author.\nReturns:\n- name : The name of the author\n- org : The organization of the author\n\nName: authorEdgeCheck(node1, node2)\nDescription: Return detailed attribute information of the edge between two specified nodes in a AuthorNet.\nParameters:\n- node1 (Type: string): The first node of the edge\n- node2 (Type: string): The second node of the edge\nReturns:\n- papers : All papers that the two authors have co-authored\n\nName: finish(answer)\nDescription: Return an answer and finish the task\nParameters:\n- answer (Type: ['string', 'number', 'array']): The answer to be returned\n\nYou should call loadPaperNet or loadAuthorNet first! If you are finished, you will call \"finish\" action.\nPlease refer to the format of examples below to solve the requested goal. Please provide your thought to solve the question. You should give the thought with no more than 3 sentences. You need to give your thought together with your action!\n\nYour response must be in the format of:\nThought: [your thought]\n\nAction: [your action] with Action Input: [your action input]\n\nHere is an example:\n\nGoal: When was the paper Learning the Principle of Least Action with Reinforcement Learning. published?\nThought: The question is asking some basic information of a paper. I need to load the paper graph.\n\nAction: loadPaperNet with Action Input: {}\nObservation: PaperNet is loaded.\nThought: The question is asking the published date of a paper, we need to check the node from the PaperNet.\n\nAction: paperNodeCheck with Action Input: {\"node\":\"Learning the Principle of Least Action with Reinforcement Learning.\"}\nObservation: {'year': 2021, 'venue': 'AAAI Spring Symposium - MLPS', 'n_citation': 0, 'keywords': [], 'doc_type': 'Conference'}\nThought: The published date of the paper is 2021.\n\nAction: finish with Action Input: {\"answer\": \"2021\"}\nObservation: 2021\n", + } + ), + ConversationMessage({"from": "gpt", "loss": False, "value": "Ok."}), + ) + + def __init__( + self, env_server_base: str, data_len: int, *args, timeout: int = 300, **kwargs + ): + super().__init__(*args, **kwargs) + self.env_server_base = env_server_base + self.timeout = timeout + self.data_len = data_len + self.id = 0 + data = dict() + data["id"] = 0 + ok = requests.post( + f"{self.env_server_base}/create", + json=data, + timeout=self.timeout, + ) + if ok.status_code != 200: + raise RequestException(f"Failed to create environment: {ok}") + + self.env_id = ok.json() + + def __len__(self): + return self.data_len + + def _post(self, path: str, data: Dict[str, Any]) -> Dict[str, Any]: + data["env_idx"] = self.env_id + res = requests.post( + f"{self.env_server_base}/{path}", + json=data, + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def _get(self, path: str) -> Dict[str, Any]: + res = requests.get( + f"{self.env_server_base}/{path}?env_idx={self.env_id}", + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def observe(self) -> Dict[str, Any]: + response = self._get("observation") + return response + + def step(self, action: str) -> StepOutput: + # action is the original output of llm + response = self._post("step", {"action": action}) + return StepOutput( + state=response["observation"], + reward=response["reward"], + done=response["done"], + ) + + def reset(self, id: int) -> Dict[str, Any]: + self.id = id + response = self._post("reset", {"id": self.id}) + return response + + +class AcademiaTask(BaseTask): + env_client_cls = AcademiaEnvClient + env_name = "Academia" + + def __init__( + self, + client_args: Mapping[str, Any] | Mapping[str, Any], + n_clients: int, + *args, + **kwargs, + ): + super().__init__(client_args, n_clients, *args, **kwargs) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/envs/alfworld.py b/openmanus_rl/agentgym/agentenv/agentenv/envs/alfworld.py new file mode 100644 index 00000000..bb7f69e6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/envs/alfworld.py @@ -0,0 +1,114 @@ +from typing import Any, Mapping + +import requests +from requests.exceptions import RequestException + +from agentenv.controller import BaseEnvClient, BaseTask, ConversationMessage, StepOutput + + +class AlfWorldEnvClient(BaseEnvClient): + conversation_start = ( + ConversationMessage( + { + "from": "human", + "loss": None, + "value": 'Interact with a household to solve a task. Imagine you are an intelligent agent in a household environment and your target is to perform actions to complete the task goal. At the beginning of your interactions, you will be given the detailed description of the current environment and your goal to accomplish. For each of your turn, you will be given a list of actions which you can choose one to perform in this turn. You should choose from two actions: "THOUGHT" or "ACTION". If you choose "THOUGHT", you should first think about the current condition and plan for your future actions, and then output your action in this turn. Your output must strictly follow this format:"Thought:\nyour thoughts.\n\nAction:\nyour next action"; If you choose "ACTION", you should directly output the action in this turn. Your output must strictly follow this format:"Action:\nyour next action". After your each turn, the environment will give you immediate feedback based on which you plan your next few steps. if the envrionment output "Nothing happened", that means the previous action is invalid and you should try more options.\n Reminder: \n1. the action must be chosen from the given available actions. Any actions except provided available actions will be regarded as illegal. \n2. Think when necessary, try to act directly more in the process.', + } + ), + ConversationMessage( + { + "from": "gpt", + "loss": False, + "value": "OK. I'll follow your instructions and try my best to solve the task.", + } + ), + ) + + def __init__( + self, + env_server_base: str, + data_len: int, + *args, + timeout: int = 300, + **kwargs, + ): + super().__init__(*args, **kwargs) + self.env_server_base = env_server_base + self.timeout = timeout + self.data_len = data_len + + ok = requests.post(f"{self.env_server_base}/create", timeout=self.timeout) + if ok.status_code != 200: + raise RequestException(f"Failed to create environment: {ok}") + + ok = ok.json() + print(ok) + self.env_id = ok["id"] + self.info = None + + def __len__(self): + return self.data_len + + def _post(self, path: str, data: dict[str, Any]) -> dict[str, Any]: + data["id"] = self.env_id + res = requests.post( + f"{self.env_server_base}/{path}", + json=data, + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def _get(self, path: str) -> dict[str, Any]: + res = requests.get( + f"{self.env_server_base}/{path}?id={self.env_id}", + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def observe(self) -> str: + return f"{self.info['observation']}\nAVAILABLE ACTIONS: {','.join(self.info['available_actions'])}" + + def step(self, action: str) -> StepOutput: + if action.endswith("
    "): + action = action[:-5] + _action = action.split("Action:") + if len(_action) > 1: + action = _action[1].strip() + else: + action = _action[0].strip() + print(f"Action: {action}") + response = self._post("step", {"action": action}) + print(response) + self.info = { + "observation": response["observation"], + "available_actions": response["available_actions"], + "reward": response["reward"], + "done": response["done"], + } + return StepOutput( + state=response["observation"], + reward=response["reward"], + done=response["done"], + ) + + def reset(self, game: int, world_type: str = "Text") -> dict[str, Any]: + response = self._post("reset", {"game": game, "world_type": world_type}) + self.info = { + "observation": response["observation"], + "available_actions": response["available_actions"], + "reward": 0, + "done": False, + } + return response + + +class AlfWorldTask(BaseTask): + env_client_cls = AlfWorldEnvClient + env_name = "AlfWorld" + + def __init__( + self, client_args: Mapping[str, Any], *args, n_clients: int = 1, **kwargs + ) -> None: + super().__init__(client_args, n_clients, *args, **kwargs) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/envs/babyai.py b/openmanus_rl/agentgym/agentenv/agentenv/envs/babyai.py new file mode 100644 index 00000000..2af36839 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/envs/babyai.py @@ -0,0 +1,103 @@ +from typing import Any, Mapping +import requests +from requests.exceptions import RequestException +from agentenv.controller import BaseEnvClient, BaseTask, ConversationMessage, StepOutput + + +class BabyAIEnvClient(BaseEnvClient): + conversation_start = ( + ConversationMessage( + { + "from": "human", + "loss": None, + "value": 'You are an exploration master that wants to finish every goal you are given. Every round I will give you an observation, and you have to respond an action and your thought based on the observation to finish the given task. You are placed in a room and you need to accomplish the given goal with actions.\n\nYou can use the following actions: \n\n- turn right \n\n- turn left \n\n- move forward \n\n- go to \n\n- pick up \n\n- go through : must be an open door. \n\n- toggle and go through : can be a closed door or a locked door. If you want to open a locked door, you need to carry a key that is of the same color as the locked door. \n\n- toggle: there is a closed or locked door right in front of you and you can toggle it.\nYour response should use the following format:\nThought:\n\n\nAction:\n', + } + ), + ConversationMessage( + { + "from": "gpt", + "loss": False, + "value": "OK. I'll follow your instructions and try my best to solve the task.", + } + ), + ) + + def __init__( + self, env_server_base: str, data_len: int, *args, timeout: int = 300, **kwargs + ): + super().__init__(*args, **kwargs) + self.env_server_base = env_server_base + self.timeout = timeout + self.data_len = data_len + + ok = requests.post(f"{self.env_server_base}/create", timeout=self.timeout) + if ok.status_code != 200: + raise RequestException(f"Failed to create environment: {ok}") + + ok = ok.json() + self.env_id = ok["id"] + + def __len__(self): + return self.data_len + + def _post(self, path: str, data: dict[str, Any]) -> dict[str, Any]: + data["id"] = self.env_id + res = requests.post( + f"{self.env_server_base}/{path}", + json=data, + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def _get(self, path: str) -> dict[str, Any]: + res = requests.get( + f"{self.env_server_base}/{path}?id={self.env_id}", + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def observe(self) -> str: + return self.info["observation"] + + def step(self, action: str) -> StepOutput: + if action.endswith(""): + action = action[:-5] + _action = action.split("Action:") + if len(_action) > 1: + action = _action[1].strip() + else: + action = _action[0].strip() + response = self._post("step", {"action": action}) + self.info = { + "observation": response["observation"], + "reward": response["reward"], + "score": response["score"], + "done": response["done"], + } + return StepOutput( + state=response["observation"], + reward=response["score"], + done=response["done"], + ) + + def reset(self, data_idx: int = 0) -> dict[str, Any]: + response = self._post("reset", {"data_idx": data_idx}) + self.info = { + "observation": response["observation"], + "reward": response["reward"], + "score": response["score"], + "done": response["done"], + } + return response + + +class BabyAITask(BaseTask): + env_client_cls = BabyAIEnvClient + env_name = "BabyAI" + + def __init__( + self, client_args: Mapping[str, Any], *args, n_clients: int = 1, **kwargs + ) -> None: + super().__init__(client_args, n_clients, *args, **kwargs) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/envs/gaia.py b/openmanus_rl/agentgym/agentenv/agentenv/envs/gaia.py new file mode 100644 index 00000000..823a76e8 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/envs/gaia.py @@ -0,0 +1,146 @@ +import os +import sys +from typing import Any, Dict, Optional + +import requests +from requests.exceptions import RequestException + +from agentenv.controller.env import BaseEnvClient, StepOutput +from agentenv.controller.task import BaseTask, ConversationMessage + + +class GaiaEnvClient(BaseEnvClient): + """GAIA环境客户端,用于与GAIA环境服务器交互""" + + conversation_start = ("我是GAIA环境助手,请告诉我你想要做什么?",) + + def __init__( + self, + server_url: str, + data_dir: str = "agentenv_gaia/data/", + level: str = "level1", + dataset: str = "validation", + tool_list: Optional[list] = None, + ): + """初始化GAIA环境客户端 + + Args: + server_url: 环境服务器URL + data_dir: 数据目录 + level: 难度级别 + dataset: 数据集类型 + tool_list: 可用工具列表 + """ + super().__init__() + self.server_url = server_url + self.data_dir = data_dir + self.level = level + self.dataset = dataset + self.tool_list = tool_list + self.env_id = None + self.current_state = None + self.session = requests.Session() # 使用会话提高HTTP连接效率 + self._create_env() + + def __len__(self) -> int: + """返回环境的总数据集大小""" + # 目前需要手动指定或从服务器获取,这里暂时返回一个固定值 + # 实际应用中应当从环境获取真实大小 + return 100 + + def _create_env(self): + """创建环境实例""" + params = { + "data_dir": self.data_dir, + "level": self.level, + "dataset": self.dataset, + "tool_list": self.tool_list, + } + response = self.session.post(f"{self.server_url}/createEnv", json=params) + response.raise_for_status() + self.env_id = response.json()["env_id"] + + def observe(self) -> str: + """获取当前环境状态的观察""" + if self.env_id is None: + raise ValueError("环境尚未初始化") + + response = self.session.get( + f"{self.server_url}/observation", params={"env_id": self.env_id} + ) + response.raise_for_status() + self.current_state = response.json()["observation"] + return self.current_state + + def get_available_actions(self) -> Dict[str, Any]: + """获取可用动作列表""" + if self.env_id is None: + raise ValueError("环境尚未初始化") + + response = self.session.get( + f"{self.server_url}/available_actions", params={"env_id": self.env_id} + ) + response.raise_for_status() + return response.json() + + def step(self, action: str) -> StepOutput: + """执行动作并返回结果""" + if self.env_id is None: + raise ValueError("环境尚未初始化") + + payload = {"env_id": self.env_id, "action": action} + response = self.session.post(f"{self.server_url}/step", json=payload) + response.raise_for_status() + result = response.json() + + return StepOutput( + observation=result["observation"], + reward=result.get("reward", 0), + done=result.get("done", False), + info=result.get("info", {}), + ) + + def reset(self, idx: int) -> None: + """重置环境到指定索引的任务""" + if self.env_id is None: + self._create_env() + + payload = {"env_id": self.env_id, "idx": idx} + response = self.session.post(f"{self.server_url}/reset", json=payload) + response.raise_for_status() + result = response.json() + self.current_state = result["observation"] + + +class GaiaTask(BaseTask): + """GAIA任务类,连接GAIA环境客户端""" + + env_client_cls = GaiaEnvClient + env_name = "gaia" + + def __init__(self, client_args, n_clients=1): + """初始化GAIA任务 + + Args: + client_args: 客户端参数 + n_clients: 客户端数量 + """ + super().__init__(client_args, n_clients) + + def _tokenize_conversation_one(self, conversation): + """处理GAIA特定的对话格式 + + Args: + conversation: 对话历史 + + Returns: + 处理后的对话标记 + """ + # 如果需要特殊处理GAIA对话格式,可以在这里实现 + # 默认使用父类的标记化方法 + return super()._tokenize_conversation_one(conversation) + + +if __name__ == "__main__": + client = GaiaEnvClient(server_url="http://localhost:8000") + print(client.observe()) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/envs/lmrlgym.py b/openmanus_rl/agentgym/agentenv/agentenv/envs/lmrlgym.py new file mode 100644 index 00000000..912d5aa9 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/envs/lmrlgym.py @@ -0,0 +1,365 @@ +import json +from typing import Any, Mapping + +import requests +from requests.exceptions import RequestException + +from agentenv.controller import BaseEnvClient, BaseTask, ConversationMessage, StepOutput + + +# ---------------------------------------- +# maze +# ---------------------------------------- + + +class MazeEnvClient(BaseEnvClient): + conversation_start = ( + ConversationMessage( + {"from": "human", "loss": None, "value": "You are an expert maze solver."} + ), + ConversationMessage( + { + "from": "gpt", + "loss": False, + "value": "OK. I'll follow your instructions and try my best to solve the task.", + } + ), + ) + _fully_first_observation = """\ +Your objective is to reach the goal in as few steps as possible. At each step you will be given information about where the goal is, your current position, +and the walls that surround you. + +When you move right you increase your y position by 1, when you move down you increase your x position by 1. + +Here is an example. + +``` +environment: The goal is at position 8, 6. Your current position is at position 5, 6. There is a wall above you. +action: move left +environment: The goal is at position 8, 6. Your current position is at position 5, 5. There are walls above you, below you. +action: move left +environment: The goal is at position 8, 6. Your current position is at position 5, 4. There are walls above you, below you. +action: move up +environment: The goal is at position 8, 6. Your current position is at position 5, 4. There are walls above you, below you. +action: move left +environment: The goal is at position 8, 6. Your current position is at position 5, 3. There are walls to your left, below you. +action: move down +environment: The goal is at position 8, 6. Your current position is at position 5, 3. There are walls to your left, below you. +action: move left +environment: The goal is at position 8, 6. Your current position is at position 5, 3. There are walls to your left, below you. +action: move down +environment: The goal is at position 8, 6. Your current position is at position 5, 3. There are walls to your left, below you. +action: move left +environment: The goal is at position 8, 6. Your current position is at position 5, 3. There are walls to your left, below you. +action: move right +environment: The goal is at position 8, 6. Your current position is at position 5, 4. There are walls above you, below you. +action: move down +environment: The goal is at position 8, 6. Your current position is at position 5, 4. There are walls above you, below you. +action: move right +environment: The goal is at position 8, 6. Your current position is at position 5, 5. There are walls above you, below you. +action: move right +environment: The goal is at position 8, 6. Your current position is at position 5, 6. There is a wall above you. +action: move down +environment: The goal is at position 8, 6. Your current position is at position 6, 6. There are walls to your right, to your left. +action: move down +environment: The goal is at position 8, 6. Your current position is at position 7, 6. There are walls to your right, to your left. +action: move right +environment: The goal is at position 8, 6. Your current position is at position 7, 6. There are walls to your right, to your left. +action: move down +environment: Success +``` + +Your possible actions are "move up", "move down", "move left", "move right". Formally, your return should be in this format: +Thought:\n\n\nAction:\n + +Now let's start a new game. Return your action and your thought in the format above strictly. Now, make the optimal action given the current environment state: +""".strip() + _partially_first_observation = """\ +Your objective is to reach the goal in as few steps as possible. At each step you will see your move history, and the walls that surround you. + +Here is an example. +``` +environment: There are walls above you, below you. +action: move up +environment: There are walls above you, below you. +action: move left +environment: There is a wall above you. +action: move left +environment: There are walls above you, below you. +action: move up +environment: There are walls above you, below you. +action: move up +environment: There are walls above you, below you. +action: move up +environment: There are walls above you, below you. +action: move right +environment: There is a wall above you. +action: move down +environment: There are walls to your right, to your left. +action: move down +environment: There are walls to your right, to your left. +action: move right +environment: There are walls to your right, to your left. +action: move down +environment: Success +``` + +Your possible actions are "move up", "move down", "move left", "move right". Formally, your return should be in this format: +Thought:\n\n\nAction:\n + +Now let's start a new game. Return your action and your thought in the format above strictly. Now, make the optimal action given the current environment state: +""".strip() + + def __init__( + self, + env_server_base: str, + data_len: int, + *args, + timeout: int = 300, + **kwargs, + ): + super().__init__(*args, **kwargs) + self.env_server_base = env_server_base + self.timeout = timeout + self.data_len = data_len + + ok = requests.post(f"{self.env_server_base}/create", timeout=self.timeout) + if ok.status_code != 200: + raise RequestException(f"Failed to create environment: {ok}") + + ok = ok.json() + print(ok) + self.env_id = ok["id"] + self.info = { + "reward": 0, + "done": False, + } + + def __len__(self): + return self.data_len + + def _post(self, path: str, data: dict[str, Any]) -> dict[str, Any]: + data["id"] = self.env_id + res = requests.post( + f"{self.env_server_base}/{path}", + json=data, + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def _get(self, path: str) -> dict[str, Any]: + res = requests.get( + f"{self.env_server_base}/{path}?id={self.env_id}", + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def observe(self) -> str: + return self.info["observation"] + + def step(self, action: str) -> StepOutput: + print(action) + if action.endswith(""): + action = action[:-5] + _action = action.split("Action:") + if len(_action) > 1: + action = _action[1].strip() + else: + action = _action[0].strip() + print(f"Action: {action}") + response = self._post("step", {"action": action}) + print(response) + self.info.update( + { + "observation": response["observation"], + "reward": self.info["reward"] + response["reward"], + "done": response["done"], + } + ) + return StepOutput( + state=response["observation"], + reward=response["reward"], + done=response["done"], + ) + + def reset(self, idx: int = 0) -> dict[str, Any]: + response = self._post("reset", {"game": idx}) + print(response) + self.first_observation = self._fully_first_observation + response["observation"] = ( + self.first_observation + "\n" + response["observation"] + ) + self.info.update( + { + "observation": response["observation"], + "reward": 0, + "done": False, + } + ) + return response + + +class MazeTask(BaseTask): + env_client_cls = MazeEnvClient + env_name = "LMRL-Gym.maze" + + def __init__( + self, client_args: Mapping[str, Any], *args, n_clients: int = 1, **kwargs + ) -> None: + super().__init__(client_args, n_clients, *args, **kwargs) + + +# ---------------------------------------- +# wordle +# ---------------------------------------- + + +class WordleEnvClient(BaseEnvClient): + conversation_start = ( + ConversationMessage( + {"from": "human", "loss": None, "value": "You are an expert wordle player."} + ), + ConversationMessage( + { + "from": "gpt", + "loss": False, + "value": "OK. I'll follow your instructions and try my best to solve the task.", + } + ), + ) + first_observation = """\ +Welcome to the game of Wordle. Your objective is to guess a hidden 5 letter word. You have 6 attempts to guess it correctly and you should try to guess it in as few attempts as possible. When guessing the word, you should format your word as a space separated sequence of letters, like "s h i r e" for example. After guessing the word, you will receive feedback from the game environment in the form of a sequence of 5 space separated letters like "b y g g b", where each letter indicates some information about the hidden word. The environment will return one of three letters – "b", "g", or "y" – for each letter in the word you guessed. We describe the meaning of each letter below: + +"b": If the environment returns a "b", it means that the letter at that position in your guessed word is not in the hidden word. +"y": If the environment returns a "y", it means that the letter at that position in your guessed word is in the hidden word but is not in the correct position. +"g": If the environment returns a "g", it means that the letter at that position in your guessed word is in the hidden word and is in the correct position. + +As a note, if you guess an invalid word (e.g. not a 5 letter word or a word not in the vocabulary), the environment will respond with an "invalid word" message. In general though, you should use this information returned by the environment to update your belief about what the hidden word might be and adjust your next guess accordingly. + +Here is the complete list of valid vocabulary words that are accepted by the game: +``` +{{vocab}} +``` + +Here is an example. If the current status of the game is given as: +``` +guess 1: p a n i c +feedback 1: b b y b b +guess 2: f e l o n +feedback 2: g b b y g +``` +Based on the feedback from the environment, you know that the first letter is "f", the last letter is "n", and there is an "o" somewhere in the word, but it is not in the second to last position. You also know that there is not a "p", "a", "i", "c", "e", or "l" in the word. Knowing this, you might guess the next word to be: +Thought:\nI know that the first letter is "f", the last letter is "n", and there is an "o" somewhere in the word, but it is not in the second to last position. I also know that there is not a "p", "a", "i", "c", "e", or "l" in the word. A good word from the vocabulary to try might therefore be \"f r o w n\", since it is in the vocabulary, meets all known letter constraints, and we get to gain more information about the position of "o". Therefore this is a good guess to try next.\n\nAction:\nf r o w n + +Formally, your return should be in this format: +Thought:\n\n\nAction:\n + +The guessed word is in the vocabulary, meets all known letter constraints, and we get to gain more information about the position of "o", so it is a good guess to try next. + +Now let's start a new game. Remember, the word you guess should be strictly in the vocabulary. You should return your thought and your word strictly in the formation mentioned above. +""".strip() + + def __init__( + self, + env_server_base: str, + data_len: int, + *args, + timeout: int = 300, + **kwargs, + ): + super().__init__(*args, **kwargs) + self.env_server_base = env_server_base + self.timeout = timeout + self.data_len = data_len + + ok = requests.post(f"{self.env_server_base}/create", timeout=self.timeout) + if ok.status_code != 200: + raise RequestException(f"Failed to create environment: {ok}") + + ok = ok.json() + print(ok) + self.env_id = ok["id"] + vocab = self._get("filtered_vocab") + self.info = { + "observation": self.first_observation.replace( + "{{vocab}}", "\n".join(vocab) + ), + "vocab": vocab, + "reward": 0, + "done": False, + } + print(self.info["observation"]) + + def __len__(self): + return self.data_len + + def _post(self, path: str, data: dict[str, Any]) -> dict[str, Any]: + data["id"] = self.env_id + res = requests.post( + f"{self.env_server_base}/{path}", + json=data, + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def _get(self, path: str) -> dict[str, Any]: + res = requests.get( + f"{self.env_server_base}/{path}?id={self.env_id}", + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def observe(self) -> str: + return self.info["observation"] + + def step(self, action: str) -> StepOutput: + print(action) + if action.endswith(""): + action = action[:-5] + _action = action.split("Action:") + if len(_action) > 1: + action = _action[1].strip() + else: + action = _action[0].strip() + print(f"Action: {action}") + response = self._post("step", {"action": action}) + print(response) + self.info.update( + { + "observation": response["observation"], + "reward": self.info["reward"] + response["reward"], + "done": response["done"], + } + ) + return StepOutput( + state=response["observation"], + reward=response["reward"], + done=response["done"], + ) + + def reset(self, idx: int = 0) -> dict[str, Any]: + response = self._post("reset", {"seed": idx}) + self.info.update( + { + "observation": self.first_observation.replace( + "{{vocab}}", "\n".join(self.info["vocab"]) + ), + "reward": 0, + "done": False, + } + ) + return response + + +class WordleTask(BaseTask): + env_client_cls = WordleEnvClient + env_name = "LMRL-Gym.wordle" + + def __init__( + self, client_args: Mapping[str, Any], *args, n_clients: int = 1, **kwargs + ) -> None: + super().__init__(client_args, n_clients, *args, **kwargs) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/envs/movie.py b/openmanus_rl/agentgym/agentenv/agentenv/envs/movie.py new file mode 100644 index 00000000..4c33fb89 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/envs/movie.py @@ -0,0 +1,92 @@ +from typing import Any, Mapping, Dict + +import requests +from requests.exceptions import RequestException + +from agentenv.controller import BaseEnvClient, BaseTask, ConversationMessage, StepOutput + + +class MovieEnvClient(BaseEnvClient): + conversation_start = ( + ConversationMessage( + { + "from": "human", + "loss": None, + "value": "You are an autonomous intelligent agent. You can use actions to help people solve problems.\nWe detail name, description, input(parameters) and output(returns) of each action as follows:\nName: get_search_movie(movie_name)\nDescription: Search for a movie by name and return basic details\nParameters:\n- movie_name (Type: string): The name of the movie to search for.\nReturns:\n- id : The ID of the found movie.\n- overview : The overview description of the movie.\n- title : The title of the movie.\n\nName: get_movie_details(movie_id)\nDescription: Get detailed information about a movie by ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- budget : The budget of the movie.\n- genres : The genres of the movie.\n- revenue : The revenue of the movie.\n- vote_average : The average vote score of the movie.\n- release_date : The release date of the movie.\n\nName: get_movie_production_companies(movie_id)\nDescription: Get the production companies of a movie by its ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- production_companies : The production companies of the movie.\n\nName: get_movie_production_countries(movie_id)\nDescription: Get the production countries of a movie by its ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- production_countries : The production countries of the movie.\n\nName: get_movie_cast(movie_id)\nDescription: Retrieve the list of the top 10 cast members from a movie by its ID.\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- cast : List of the top 10 cast members.\n\nName: get_movie_crew(movie_id)\nDescription: Retrieve the list of crew members (limited to 10) from a movie by its ID. The list primarily includes Director, Producer, and Writer roles.\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- crew : List of the top 10 of crew members\n\nName: get_movie_keywords(movie_id)\nDescription: Get the keywords associated with a movie by ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- keywords : The keywords associated with the movie.\n\nName: get_search_person(person_name)\nDescription: Search for a person by name.\nParameters:\n- person_name (Type: string): The name of the person to search for.\nReturns:\n- id : The ID of the found person.\n- name : The name of the person.\n\nName: get_person_details(person_id)\nDescription: Get detailed information about a person by ID\nParameters:\n- person_id (Type: string): The ID of the person.\nReturns:\n- biography : The biography of the person.\n- birthday : The birthday of the person.\n- place_of_birth : The place of birth of the person.\n\nName: get_person_cast(person_id)\nDescription: Retrieve the top 10 movie cast roles of a person by their ID\nParameters:\n- person_id (Type: string): The ID of the person.\nReturns:\n- cast : A list of movies where the person has acted, limited to top 10\n\nName: get_person_crew(person_id)\nDescription: Retrieve the top 10 movie crew roles of a person by their ID\nParameters:\n- person_id (Type: string): The ID of the person.\nReturns:\n- crew : A list of movies where the person has participated as crew, limited to top 10\n\nName: get_person_external_ids(person_id)\nDescription: Get the external ids for a person by ID\nParameters:\n- person_id (Type: string): The ID of the person.\nReturns:\n- imdb_id : The IMDB id of the person.\n- facebook_id : The Facebook id of the person.\n- instagram_id : The Instagram id of the person.\n- twitter_id : The Twitter id of the person.\n\nName: get_movie_alternative_titles(movie_id)\nDescription: Get the alternative titles for a movie by ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- titles : The alternative titles of the movie.\n- id : The ID of the movie.\n\nName: get_movie_translation(movie_id)\nDescription: Get the description translation for a movie by ID\nParameters:\n- movie_id (Type: string): The ID of the movie.\nReturns:\n- translations : The description translation of the movie.\n- id : The ID of the movie.\n\nName: check_valid_actions()\nDescription: Get supported actions for current tool.\nReturns:\n- actions (Type: array): Supported actions for current tool.\n\nName: finish(answer)\nDescription: Return an answer and finish the task\nParameters:\n- answer (Type: ['string', 'number', 'array']): The answer to be returned\n\nIf you want to get the movie_id or person_id, Please call \"get_search_person\", \"get_search_movie\"! Do not generate it by yourself which maybe wrong. If you are finished, you will call \"finish\" action. \nPlease refer to the format of examples below to solve the requested goal. Please provide your thought to solve the question. You should give the thought with no more than 3 sentences. You need to give your thought together with your action!\n\nYour response must be in the format of:\nThought: [your thought]\n\nAction: [your action] with Action Input: [your action input]\n\nHere is an example:\n\nGoal: When did the movie Scream 6 come out?\nThought: I need to know the ID of the movie Scream 6 first.\n\nAction: get_search_movie with Action Input: {\"movie_name\": \"Scream 6\"}\nObservation: {'id': 934433, 'overview': 'Following the latest Ghostface killings, the four survivors leave Woodsboro behind and start a fresh chapter.', 'title': 'Scream VI'}\nThought: I can get the release date from get_movie_details know.\n\nAction: get_movie_details with Action Input: {\"movie_id\": \"934433\"}\nObservation: {'budget': 35000000, 'genres': [{'id': 27, 'name': 'Horror'}, {'id': 53, 'name': 'Thriller'}, {'id': 9648, 'name': 'Mystery'}], 'revenue': 168961389, 'vote_average': 7.175, 'release_date': '2023-03-08'}\nThought: The release date is 2023-03-08.\n\nAction: finish with Action Input: {\"answer\": \"2023-03-08\"}\nObservation: 2023-03-08\n", + } + ), + ConversationMessage({"from": "gpt", "loss": False, "value": "Ok."}), + ) + + def __init__( + self, env_server_base: str, data_len: int, *args, timeout: int = 300, **kwargs + ): + super().__init__(*args, **kwargs) + self.env_server_base = env_server_base + self.timeout = timeout + self.data_len = data_len + self.id = 0 + data = dict() + data["id"] = 0 + ok = requests.post( + f"{self.env_server_base}/create", + json=data, + timeout=self.timeout, + ) + if ok.status_code != 200: + raise RequestException(f"Failed to create environment: {ok}") + + self.env_id = ok.json() + + def __len__(self): + return self.data_len + + def _post(self, path: str, data: Dict[str, Any]) -> Dict[str, Any]: + data["env_idx"] = self.env_id + res = requests.post( + f"{self.env_server_base}/{path}", + json=data, + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def _get(self, path: str) -> Dict[str, Any]: + res = requests.get( + f"{self.env_server_base}/{path}?env_idx={self.env_id}", + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def observe(self) -> Dict[str, Any]: + response = self._get("observation") + return response + + def step(self, action: str) -> StepOutput: + # action is the original output of llm + response = self._post("step", {"action": action}) + return StepOutput( + state=response["observation"], + reward=response["reward"], + done=response["done"], + ) + + def reset(self, id: int) -> Dict[str, Any]: + self.id = id + response = self._post("reset", {"id": self.id}) + return response + + +class MovieTask(BaseTask): + env_client_cls = MovieEnvClient + env_name = "Movie" + + def __init__( + self, + client_args: Mapping[str, Any] | Mapping[str, Any], + n_clients: int, + *args, + **kwargs, + ): + super().__init__(client_args, n_clients, *args, **kwargs) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/envs/sciworld.py b/openmanus_rl/agentgym/agentenv/agentenv/envs/sciworld.py new file mode 100644 index 00000000..69414e83 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/envs/sciworld.py @@ -0,0 +1,103 @@ +from typing import Any, Mapping +import requests +from requests.exceptions import RequestException +from agentenv.controller import BaseEnvClient, BaseTask, ConversationMessage, StepOutput + + +class SciworldEnvClient(BaseEnvClient): + conversation_start = ( + ConversationMessage( + { + "from": "human", + "loss": None, + "value": 'You are an agent for science world. Every round I will give you an observation, you have to respond an action based on the observation to finish the given task. Here are the actions you may take: [{"action": "open/close OBJ", "description": "open/close a container"}, {"action": "de/activate OBJ", "description": "activate/deactivate a device"}, {"action": "connect OBJ to OBJ", "description": "connect electrical components"}, {"action": "disconnect OBJ", "description": "disconnect electrical components"}, {"action": "use OBJ [on OBJ]", "description": "use a device/item"}, {"action": "look around", "description": "describe the current room"}, {"action": "look at OBJ", "description": "describe an object in detail"}, {"action": "look in OBJ", "description": "describe a container\'s contents"}, {"action": "read OBJ", "description": "read a note or book"}, {"action": "move OBJ to OBJ", "description": "move an object to a container"}, {"action": "pick up OBJ", "description": "move an object to the inventory"}, {"action": "put down OBJ", "description": "drop an inventory item"}, {"action": "pour OBJ into OBJ", "description": "pour a liquid into a container"}, {"action": "dunk OBJ into OBJ", "description": "dunk a container into a liquid"}, {"action": "mix OBJ", "description": "chemically mix a container"}, {"action": "go to LOC", "description": "move to a new location"}, {"action": "eat OBJ", "description": "eat a food"}, {"action": "flush OBJ", "description": "flush a toilet"}, {"action": "focus on OBJ", "description": "signal intent on a task object"}, {"action": "wait", "description": "take no action for 10 iterations"}, {"action": "wait1", "description": "take no action for 1 iteration"}, {"action": "task", "description": "describe current task"}, {"action": "inventory", "description": "list your inventory"}]\nYour response should use the following format:\nThought:\nyour thoughts.\n\nAction:\nyour next action', + } + ), + ConversationMessage( + { + "from": "gpt", + "loss": False, + "value": "OK. I'll follow your instructions and try my best to solve the task.", + } + ), + ) + + def __init__( + self, env_server_base: str, data_len: int, *args, timeout: int = 300, **kwargs + ): + super().__init__(*args, **kwargs) + self.env_server_base = env_server_base + self.timeout = timeout + self.data_len = data_len + + ok = requests.post(f"{self.env_server_base}/create", timeout=self.timeout) + if ok.status_code != 200: + raise RequestException(f"Failed to create environment: {ok}") + + ok = ok.json() + self.env_id = ok["id"] + + def __len__(self): + return self.data_len + + def _post(self, path: str, data: dict[str, Any]) -> dict[str, Any]: + data["id"] = self.env_id + res = requests.post( + f"{self.env_server_base}/{path}", + json=data, + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def _get(self, path: str) -> dict[str, Any]: + res = requests.get( + f"{self.env_server_base}/{path}?id={self.env_id}", + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def observe(self) -> str: + return self.info["observation"] + + def step(self, action: str) -> StepOutput: + if action.endswith(""): + action = action[:-5] + _action = action.split("Action:") + if len(_action) > 1: + action = _action[1].strip() + else: + action = _action[0].strip() + response = self._post("step", {"action": action}) + self.info = { + "observation": response["observation"], + "reward": response["reward"], + "score": response["score"], + "done": response["done"], + } + return StepOutput( + state=response["observation"], + reward=response["score"], + done=response["done"], + ) + + def reset(self, data_idx: int = 0) -> dict[str, Any]: + response = self._post("reset", {"data_idx": data_idx}) + self.info = { + "observation": response["task_description"] + '\n' + response["observation"], + "reward": 0, + "score": 0, + "done": False, + } + return response + + +class SciworldTask(BaseTask): + env_client_cls = SciworldEnvClient + env_name = "SciWorld" + + def __init__( + self, client_args: Mapping[str, Any], *args, n_clients: int = 1, **kwargs + ) -> None: + super().__init__(client_args, n_clients, *args, **kwargs) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/envs/sheet.py b/openmanus_rl/agentgym/agentenv/agentenv/envs/sheet.py new file mode 100644 index 00000000..398f987d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/envs/sheet.py @@ -0,0 +1,92 @@ +from typing import Any, Mapping, Dict + +import requests +from requests.exceptions import RequestException + +from agentenv.controller import BaseEnvClient, BaseTask, ConversationMessage, StepOutput + + +class SheetEnvClient(BaseEnvClient): + conversation_start = ( + ConversationMessage( + { + "from": "human", + "loss": None, + "value": "You are an autonomous intelligent agent. You can use actions to help people solve problems.\nWe detail name, description, input(parameters) and output(returns) of each action as follows:\nName: open_sheet(name)\nDescription: Open a sheet by name\nParameters:\n- name (Type: string): The name of the sheet to open.\nReturns:\n- result (Type: object): The opened worksheet object or an error message.\n\nName: del_sheet(name)\nDescription: Deletes the specified sheet.\nParameters:\n- name (Type: string): The name of the sheet to be deleted.\nReturns:\n- result (Type: object): Whether the operation was successful.\n\nName: freeze_data(dimension, num)\nDescription: Freeze rows and/or columns on the worksheet\nParameters:\n- dimension (Type: string): The dimension to freeze, either 'rows' or 'columns'\n- num (Type: integer): Number of rows/cols to freeze.\nReturns:\n- result (Type: object): Whether the operation was successful.\n\nName: get_A1_annotation(row, col)\nDescription: Translate the cell position (row,col) into A1 annotation\nParameters:\n- row (Type: integer): Row index.\n- col (Type: integer): Column index.\nReturns:\n- result (Type: string): The A1 notation of the cell or an error message.\n\nName: insert_cols(values_list, col_idx)\nDescription: Insert columns into sheet at specified column index\nParameters:\n- values_list (Type: array[array[string]]): A list of lists, each list containing one column's values, which can be expressions\n- col_idx (Type: integer): Start column to update. Defaults to 1.\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: insert_rows(values_list, row_idx)\nDescription: Insert rows into sheet at specified row index\nParameters:\n- values_list (Type: array[array[string]]): A list of lists, each list containing one row's values, which can be expressions\n- row_idx (Type: integer): Start row to update. Defaults to 1.\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: delete_batch_data(dimension, index_list)\nDescription: Delete a batch of data in the sheet\nParameters:\n- dimension (Type: string): The dimension to delete, either 'row' or 'col'.\n- index_list (Type: array[integer]): List of the indexes of rows/cols for deletion.\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: update_cell(position, value)\nDescription: Update the value of the cell\nParameters:\n- position (Type: string): A1 notation of the cell position.\n- value: The value to set.\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: update_cell_by_formula(start_position, end_position, position_list, result_position, operator)\nDescription: Update the value of the target cell by applying formulas on some specified cells. Note: Either specify position_list or start_position and end_position.\nParameters:\n- start_position (Type: string): The starting position of the range. Default: 'B1'.\n- end_position (Type: string): The ending position of the range. Default: 'D2'.\n- position_list (Type: array[string]): A list of cell positions in A1 notation.\n- result_position (Type: string): The position of the cell where the result of the formula will be stored in. Default: 'G2'.\n- operator (Type: string): The operator to be applied on selected cells. Choose one from ['SUM', 'AVERAGE', 'COUNT', 'MAX', 'MIN', 'MINUS', 'PRODUCT'].\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: update_range(start_position, end_position, values_list)\nDescription: Update a range of the cells from a list\nParameters:\n- start_position (Type: string): A1 notation of the start cell.\n- end_position (Type: string): A1 notation of the end cell.\n- values_list (Type: array[array[Any]]): List of values to be inserted, which can be expressions\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: sort_sheet_by_col(col_num, order)\nDescription: Sorts the current sheet using given sort orders\nParameters:\n- col_num (Type: integer): The index of the sort column.\n- order (Type: string): The sort order. Possible values are 'asc' or 'des'.\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: merge_cells(start_position, end_position)\nDescription: Merge cells in sheet\nParameters:\n- start_position (Type: string): Starting cell position(top left) in A1 annotation.\n- end_position (Type: string): Ending cell position(bottom right) in A1 annotation.\nReturns:\n- result (Type: object): The updated worksheet data or an error message.\n\nName: update_note(position, content)\nDescription: Update a note in a certain cell\nParameters:\n- position (Type: string): cell position in A1 annotation.\n- content (Type: string): The text note to insert.\nReturns:\n- result (Type: string): The updated note or an error message.\n\nName: get_all_values()\nDescription: Display all cell values in current sheet\nReturns:\n- result (Type: array[array[Any]]): Return all cell values or an error message.\n\nName: get_range_values(start_position, end_position)\nDescription: Returns a list of cell data from a specified range.\nParameters:\n- start_position (Type: string): Starting cell position in A1 annotation.\n- end_position (Type: string): Ending cell position in A1 annotation.\nReturns:\n- result (Type: array[array[Any]]): List of cell data from the specified range or an error message.\n\nName: get_cell_value(position)\nDescription: Get the value of a specific cell\nParameters:\n- position (Type: string): Cell position in A1 annotation.\nReturns:\n- result : Cell value or an error message.\n\nName: get_value_by_formula(start_position, end_position, position_list, operator)\nDescription: Calculate a value applying formulas on specified cells. Note: Either specify position_list or start_position and end_position.\nParameters:\n- start_position (Type: string): The starting position of the range. Default: 'B1'.\n- end_position (Type: string): The ending position of the range. Default: 'D2'.\n- position_list (Type: array[string]): A list of cell positions in A1 notation.\n- operator (Type: string): The operator to be applied on selected cells. Choose one from ['SUM', 'AVERAGE', 'COUNT', 'MAX', 'MIN', 'MINUS', 'PRODUCT'].\nReturns:\n- result (Type: string): Calculated result or an error message.\n\nName: filter_cells(query, in_row, in_column)\nDescription: Find all cells matching the query, return all cells' position.\nParameters:\n- query (Type: ['string', 're.RegexObject']): A string to match or compiled regular expression.\n- in_row (Type: ['integer', 'None']): Row number to scope the search. Default is all rows\n- in_column (Type: ['integer', 'None']): Column number to scope the search. Default is all columns\nReturns:\n- result (Type: array[string]): List of cell addresses that match the query or an error message.\n\nName: get_note(position)\nDescription: Get the note at the certain cell, or return empty string if the cell does not have a note.\nParameters:\n- position (Type: string): Cell position in A1 annotation.\nReturns:\n- result (Type: string): Note content or an error message.\n\nName: finish()\nDescription: Return an answer and finish the task\nReturns:\n- result (Type: array[array[Any]]): Return all cell values or an error message.\n\nHere are some common senses you may need: \n1.You should open sheet mentioned in goal before operating it\n2.You should use A1 notation to display the cell position in the sheet.\n3.The col and row are start with 1\n4.freeze the first row before sort col\n\nPlease first open the sheet! Check the sheet content by get_all_values first! If you are finished, you will call \"finish\" action.\nPlease refer to the format of examples below to solve the requested goal. Please provide your thought to solve the question. You should give the thought with no more than 3 sentences. You need to give your thought together with your action!\n\nYour response must be in the format of:\nThought: [your thought]\n\nAction: [your action] with Action Input: [your action input]\n\nHere is an example:\n\nGoal: \"Sheet90\" saves the clothing inventory information, please delete items with price changed by more than 25%, update the price of other items.\nThought: I will complete the goal in \"Sheet90\".\n\nAction: open_sheet with Action Input:{\"name\": \"Sheet90\"}\nObservation: You have open the {sheet_name}\nThought: I need to retrieve the inventory from \"Sheet90\" to identify which items' price changes exceeding 25%\n\nAction: get_all_values with Action Input: {}\nObservation: [['Category', 'Brand', 'Size', 'Price', 'Stock', 'Price Update'], ['T-shirt', 'Nike', 'M', '25.00', '100', '20.00%'], ['Jeans', \"Levi's\", '32', '59.00', '150', '-10.00%'], ['Shoes', 'Adidas', '8', '99.00', '80', '-45.00%'], ['Bags', 'Louis Vuitton', 'Universal', '699.00', '20', '30.00%'], ['Watches', 'Omega', 'Universal', '999.00', '10', '56.00%']]\nThought: The items with price changes of more than 20% are \"Shoes\", \"Bags\" and \"Watches\", so I will delete the records for these items.\n\nAction: delete_batch_data with Action Input: {\"dimension\": \"row\", \"index_list\": [3, 4, 5]}\nObservation: [['Category', 'Brand', 'Size', 'Price', 'Stock', 'Price Update'], ['T-shirt', 'Nike', 'M', '25.00', '100', '20.00%'], ['Jeans', \"Levi's\", '32', '59.00', '150', '-10.00%']]\nThought: It seems delete successfully, the next step is to calculate the changed prices of remaining items by using the provided formula \"PRODUCT\" and we calculate \"T-shirt\" first.\n\nAction: get_value_by_formula with Action Input: {\"position_list\": [\"D2\", \"F2\"], operator=\"PRODUCT\"}\nObservation: 5\nThought: Calculate the changed prices of \"Jeans\" by using a formula \"PRODUCT\".\n\nAction: get_value_by_formula with Action Input: {\"position_list\": [\"D3\", \"F3\"], operator=\"PRODUCT\"}\nObservation: -5.9\nThought: We have calculated the changed price, we can update the price column at once\n\nAction: update_range with Action Input: {\"start_position\": \"D2\", \"end_position\": \"D3\", values_list=[[25.00 + 5, 59.00 - 5.9]]}\nObservation: [['Category', 'Brand', 'Size', 'Price', 'Stock', 'Price Update'], ['T-shirt', 'Nike', 'M', '30.00', '100', '20.00%'], ['Jeans', \"Levi's\", '32', '53.10', '150', '-10.00%']]\nThought: After I check the result, it seems update successfully. we could call \"finish\"\n\nAction: finish with Action Input: {}\nObservation: [['Category', 'Brand', 'Size', 'Price', 'Stock', 'Price Update'], ['T-shirt', 'Nike', 'M', '30.00', '100', '20.00%'], ['Jeans', \"Levi's\", '32', '53.10', '150', '-10.00%']]\n", + } + ), + ConversationMessage({"from": "gpt", "loss": False, "value": "Ok."}), + ) + + def __init__( + self, env_server_base: str, data_len: int, *args, timeout: int = 300, **kwargs + ): + super().__init__(*args, **kwargs) + self.env_server_base = env_server_base + self.timeout = timeout + self.data_len = data_len + self.id = 0 + data = dict() + data["id"] = 0 + ok = requests.post( + f"{self.env_server_base}/create", + json=data, + timeout=self.timeout, + ) + if ok.status_code != 200: + raise RequestException(f"Failed to create environment: {ok}") + + self.env_id = ok.json() + + def __len__(self): + return self.data_len + + def _post(self, path: str, data: Dict[str, Any]) -> Dict[str, Any]: + data["env_idx"] = self.env_id + res = requests.post( + f"{self.env_server_base}/{path}", + json=data, + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def _get(self, path: str) -> Dict[str, Any]: + res = requests.get( + f"{self.env_server_base}/{path}?env_idx={self.env_id}", + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def observe(self) -> Dict[str, Any]: + response = self._get("observation") + return response + + def step(self, action: str) -> StepOutput: + # action is the original output of llm + response = self._post("step", {"action": action}) + return StepOutput( + state=response["observation"], + reward=response["reward"], + done=response["done"], + ) + + def reset(self, id: int) -> Dict[str, Any]: + self.id = id + response = self._post("reset", {"id": self.id}) + return response + + +class SheetTask(BaseTask): + env_client_cls = SheetEnvClient + env_name = "Sheet" + + def __init__( + self, + client_args: Mapping[str, Any] | Mapping[str, Any], + n_clients: int, + *args, + **kwargs, + ): + super().__init__(client_args, n_clients, *args, **kwargs) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/envs/sqlgym.py b/openmanus_rl/agentgym/agentenv/agentenv/envs/sqlgym.py new file mode 100644 index 00000000..c498eacb --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/envs/sqlgym.py @@ -0,0 +1,100 @@ +from typing import Any, Mapping + +import requests +from requests.exceptions import RequestException + +from agentenv.controller import BaseEnvClient, BaseTask, ConversationMessage, StepOutput + + +class SqlGymEnvClient(BaseEnvClient): + conversation_start = ( + ConversationMessage( + { + "from": "human", + "value": "Given you a description of a SQlite database system, I will ask you a question, then you should help me operate the SQLite database with SQL to answer the question.\n\nYou have to explain the problem and your solution to me and write down your thoughts.\nAfter thinking and explaining thoroughly, you should give a SQL statement to solve the question.\n\nyour response should be like this:\nThought: Your thought here.\n\nAction: ```sql\nSELECT * FROM table WHERE condition;\n```\n\nYou MUST put SQL in markdown format without any other comments. Your SQL should be in one line. Every time you can only execute one SQL statement.", + "loss": None, + } + ), + ConversationMessage({"from": "gpt", "value": "Ok.", "loss": False}), + ) + + def __init__( + self, env_server_base: str, data_len: int, *args, timeout: int = 300, **kwargs + ): + super().__init__(*args, **kwargs) + self.env_server_base = env_server_base + self.timeout = timeout + self.data_len = data_len + + ok = requests.post( + f"{self.env_server_base}/create", + timeout=self.timeout, + ) + if ok.status_code != 200: + raise RequestException(f"Failed to create environment: {ok}") + + self.env_id = ok.json() + + def __len__(self): + return self.data_len + + def _post(self, path: str, data: dict[str, Any]) -> dict[str, Any]: + data["env_idx"] = self.env_id + max_retries = 5 + for _ in range(max_retries): + res = requests.post( + f"{self.env_server_base}/{path}", + json=data, + timeout=self.timeout, + ) + if res.status_code == 503: + import time + + time.sleep(0.1) + elif res.status_code == 200: + break + else: + print("---------------------") + print(res.status_code) + print(data) + assert res.status_code == 200 + return res.json() + + def _get(self, path: str) -> dict[str, Any]: + res = requests.get( + f"{self.env_server_base}/{path}?env_idx={self.env_id}", + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def step(self, action: str) -> StepOutput: + action = action.split("```sql")[-1].split("```")[0].strip() + response = self._post("step", {"action": action}) + return StepOutput( + state=response["state"], + reward=response["reward"], + done=response["done"], + ) + + def observe(self) -> dict[str, Any]: + response = self._get("observation") + return response + + def reset(self, idx: int) -> dict[str, Any]: + response = self._post("reset", {"item_id": idx}) + return response + + +class SqlGymTask(BaseTask): + env_client_cls = SqlGymEnvClient + env_name = "SQLGym" + + def __init__( + self, + client_args: Mapping[str, Any] | Mapping[str, Any], + n_clients: int, + *args, + **kwargs, + ): + super().__init__(client_args, n_clients, *args, **kwargs) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/envs/textcraft.py b/openmanus_rl/agentgym/agentenv/agentenv/envs/textcraft.py new file mode 100644 index 00000000..1ed2e617 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/envs/textcraft.py @@ -0,0 +1,121 @@ +from typing import Any, Mapping + +import re + +import requests +from requests.exceptions import RequestException + +from agentenv.controller import BaseEnvClient, BaseTask, ConversationMessage, StepOutput + + +class TextCraftEnvClient(BaseEnvClient): + conversation_start = ( + ConversationMessage( + { + "from": "human", + "loss": None, + "value": 'You are given few useful crafting recipes to craft items in Minecraft. Crafting commands are of the format "craft [target object] using [input ingredients]".\nEvery round I will give you an observation, you have to respond an action based on the state and instruction. You can "get" an object (ingredients) from the inventory or the environment, look-up the game inventory by "inventory", or "craft" (target) using any of the crafting commands. You can use ONLY these crafting commands provided, do not use your own crafting commands. However, if the crafting command uses a generic ingredient like "planks", you can use special types of the same ingredient e.g. "dark oak planks" in the command instead.\nYour response should use the following format:\n\nThought:\n ... \n\nAction:\n ... ', + } + ), + ConversationMessage( + { + "from": "gpt", + "loss": False, + "value": "OK. I'll follow your instructions and try my best to solve the task.", + } + ), + ) + + def __init__( + self, + env_server_base: str, + data_len: int, + *args, + timeout: int = 300, + minecraft_dir: str = "agentenv_textcraft/", + commands: str = None, + goal: str = None, + **kwargs, + ): + super().__init__(*args, **kwargs) + self.env_server_base = env_server_base + self.timeout = timeout + self.data_len = data_len + + dir_info = {"minecraft_dir": minecraft_dir, "commands": commands, "goal": goal} + ok = requests.post( + f"{self.env_server_base}/create", timeout=self.timeout, json=dir_info + ) + if ok.status_code != 200: + raise RequestException(f"Failed to create environment: {ok}") + + ok = ok.json() + print(ok) + self.env_id = ok["id"] + self.info = { + "observation": ok["observation"], + "reward": 0, + "done": False, + } + + def __len__(self): + return self.data_len + + def _post(self, path: str, data: dict[str, Any]) -> dict[str, Any]: + data["id"] = self.env_id + res = requests.post( + f"{self.env_server_base}/{path}", + json=data, + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def _get(self, path: str) -> dict[str, Any]: + res = requests.get( + f"{self.env_server_base}/{path}?id={self.env_id}", + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def observe(self) -> str: + return self.info["observation"] + + def step(self, action: str) -> StepOutput: + action = action.split("Instruction:")[0].split("Action:")[-1] + action = re.sub(r"[^A-Za-z0-9, ]+", "", action) + action = " ".join(action.split()).strip() + response = self._post("step", {"action": action}) + print(response) + self.info = { + "observation": response["observation"], + "reward": response["reward"], + "done": response["done"], + } + return StepOutput( + state=response["observation"], + reward=response["reward"], + done=response["done"], + ) + + def reset(self, idx: int = 0) -> dict[str, Any]: + response = self._post("reset", {"data_idx": idx}) + self.info.update( + { + "observation": response["observation"], + "reward": 0, + "done": False, + } + ) + return response + + +class TextCraftTask(BaseTask): + env_client_cls = TextCraftEnvClient + env_name = "TextCraft" + + def __init__( + self, client_args: Mapping[str, Any], *args, n_clients: int = 1, **kwargs + ) -> None: + super().__init__(client_args, n_clients, *args, **kwargs) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/envs/todo.py b/openmanus_rl/agentgym/agentenv/agentenv/envs/todo.py new file mode 100644 index 00000000..0bb3deee --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/envs/todo.py @@ -0,0 +1,92 @@ +from typing import Any, Mapping, Dict + +import requests +from requests.exceptions import RequestException + +from agentenv.controller import BaseEnvClient, BaseTask, ConversationMessage, StepOutput + + +class TodoEnvClient(BaseEnvClient): + conversation_start = ( + ConversationMessage( + { + "from": "human", + "loss": None, + "value": "You are an autonomous intelligent agent. You can use actions to help people solve problems.\nWe detail name, description, input(parameters) and output(returns) of each action as follows:\nName: get_user_current_date()\nDescription: Get the user's current date.\nReturns:\nThe current date in 'YYYY-MM-DD' format.\n\nName: get_user_current_location()\nDescription: Get the user's current city.\nReturns:\nThe user's current city.\n\nName: get_projects()\nDescription: Get all projects in the Todoist account\nReturns:\n- Array of objects with properties:\n - id (Type: string)\n - name (Type: string)\n - order (Type: integer)\n - color (Type: string)\n - is_favorite (Type: boolean)\n\nName: update_project(project_id, is_favorite)\nDescription: Update a project\nParameters:\n- project_id (Type: string)\n- is_favorite (Type: string, Enum: [True, False])\nReturns:\nInformation of the updated project\n\nName: get_tasks(project_id)\nDescription: Get all tasks for a given project\nParameters:\n- project_id (Type: string)\nReturns:\n- Array of objects with properties:\n - id (Type: string)\n - project_id (Type: \u201dstring)\n - order (Type: integer)\n - content (Type: string): Name of the task.\n - is_completed (Type: boolean)\n - priority (Type: integer): Task priority from 1 (normal) to 4 (urgent).\n - due_date (Type: string): The due date of the task.\n\nName: get_task_description(task_id)\nDescription: Get the description of a specific task in the Todoist account.\nParameters:\n- task_id (Type: string)\nReturns:\n- id (Type: string): Unique identifier of the task.\n- content (Type: string): Name of the task.\n- description (Type: string): Description of the task. Incluing the Place, Tips, etc.\n\nName: get_task_duration(task_id)\nDescription: Get the duration of a specific task in the Todoist account.\nParameters:\n- task_id (Type: string)\nReturns:\n- id (Type: string)\n- content (Type: string): Name of the task.\n- duration (Type: string): Duration of the task in the format of 'amount(unit)'.\n\nName: complete_task(task_id)\nDescription: Mark a task as completed\nParameters:\n- task_id (Type: string)\nReturns:\ninformation of the completed task\n\nName: update_task(task_id, due_date)\nDescription: Update a task\nParameters:\n- task_id (Type: string)\n- due_date (Type: string)\nReturns:\nInformation of the updated task\n\nName: delete_task(task_id)\nDescription: Delete a specific task from the Todoist account.\nParameters:\n- task_id (Type: string): Unique identifier of the task to delete.\nReturns:\nInformation of the deleted task.\n\nName: check_valid_actions()\nDescription: Get supported actions for current tool.\nReturns:\nSupported actions for current tool.\n\nName: finish(answer)\nDescription: Call this action, when find the answer for the current task or complete essential operations.\nParameters:\n- answer (Type: ['string', 'number', 'array']): If the task is a question answering task, this is the answer to be returned. If the task is an operation task, the answer in 'done'\n\nIf you want to get the project_id or task_id, please call \"get_projects\" or \"get_tasks\". Do not generate it by yourself which maybe wrong. If you are finished, you will call \"finish\" action. \nPlease refer to the format of examples below to solve the requested goal. Please provide your thought to solve the question. You should give the thought with no more than 3 sentences. You need to give your thought together with your action!\n\nYour response must be in the format of:\nThought: [your thought]\n\nAction: [your action] with Action Input: [your action input]\n\nHere is an example:\n\nGoal: Is Prepare for history quiz a task of School project? Please answer yes or no.\nThought: To check whether Prepare for history quiz is a task of School project. I should first get the project id of School.\n\nAction: get_projects with Action Input: {}\nObservation: [{'id': '12345', 'order': 0, 'color': 'charcoal', 'name': 'School', 'is_favorite': false}]\nThought: From the result, the project id of School is 12345, then I can get all tasks of this project. And check whether Prepare for history quiz is in the result.\n\nAction: get_tasks with Action Input: {\"project_id\": \"12345\"}\nObservation: [{'id': '123451', 'order': 0, 'content': 'Prepare for history quiz', 'is_completed': false, 'priority': 1, 'due_date': '2030-10-10'}, {'id': '123452', 'order': 1, 'content': 'Prepare for math quiz', 'is_completed': false, 'priority': 1, 'due_date': '2030-11-10'}]\nThought: Prepare for history quiz is in the result, so it is a task of School project. I will call action: finish to terminate the conversation.\n\nAction: finish with Action Input: {\"answer\": \"yes\"}\nObservation: yes\n", + } + ), + ConversationMessage({"from": "gpt", "loss": False, "value": "Ok."}), + ) + + def __init__( + self, env_server_base: str, data_len: int, *args, timeout: int = 300, **kwargs + ): + super().__init__(*args, **kwargs) + self.env_server_base = env_server_base + self.timeout = timeout + self.data_len = data_len + self.id = 0 + data = dict() + data["id"] = 0 + ok = requests.post( + f"{self.env_server_base}/create", + json=data, + timeout=self.timeout, + ) + if ok.status_code != 200: + raise RequestException(f"Failed to create environment: {ok}") + + self.env_id = ok.json() + + def __len__(self): + return self.data_len + + def _post(self, path: str, data: Dict[str, Any]) -> Dict[str, Any]: + data["env_idx"] = self.env_id + res = requests.post( + f"{self.env_server_base}/{path}", + json=data, + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def _get(self, path: str) -> Dict[str, Any]: + res = requests.get( + f"{self.env_server_base}/{path}?env_idx={self.env_id}", + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def observe(self) -> Dict[str, Any]: + response = self._get("observation") + return response + + def step(self, action: str) -> StepOutput: + # action is the original output of llm + response = self._post("step", {"action": action}) + return StepOutput( + state=response["observation"], + reward=response["reward"], + done=response["done"], + ) + + def reset(self, id: int) -> Dict[str, Any]: + self.id = id + response = self._post("reset", {"id": self.id}) + return response + + +class TodoTask(BaseTask): + env_client_cls = TodoEnvClient + env_name = "Todo" + + def __init__( + self, + client_args: Mapping[str, Any] | Mapping[str, Any], + n_clients: int, + *args, + **kwargs, + ): + super().__init__(client_args, n_clients, *args, **kwargs) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/envs/weather.py b/openmanus_rl/agentgym/agentenv/agentenv/envs/weather.py new file mode 100644 index 00000000..9931bd06 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/envs/weather.py @@ -0,0 +1,92 @@ +from typing import Any, Mapping, Dict + +import requests +from requests.exceptions import RequestException + +from agentenv.controller import BaseEnvClient, BaseTask, ConversationMessage, StepOutput + + +class WeatherEnvClient(BaseEnvClient): + conversation_start = ( + ConversationMessage( + { + "from": "human", + "loss": None, + "value": "You are an autonomous intelligent agent. You can use actions to help people solve problems.\nWe detail name, description, input(parameters) and output(returns) of each action as follows:\nName: get_user_current_date()\nDescription: Get the user's current date.\nReturns:\nThe current date in 'YYYY-MM-DD' format.\n\nName: get_user_current_location()\nDescription: Get the user's current city.\nReturns:\nThe user's current city.\n\nName: get_historical_temp(latitude, longitude, start_date, end_date)\nDescription: Get historical temperature data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the historical data (YYYY-MM-DD).\n- end_date (Type: string): The end date of the historical data (YYYY-MM-DD).\nReturns:\nHistorical temperature data.\n\nName: get_historical_rain(latitude, longitude, start_date, end_date)\nDescription: Get historical rainfall data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the historical data (YYYY-MM-DD).\n- end_date (Type: string): The end date of the historical data (YYYY-MM-DD).\nReturns:\nHistorical rainfall data.\n\nName: get_historical_snow(latitude, longitude, start_date, end_date)\nDescription: Get historical snowfall data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the historical data (YYYY-MM-DD).\n- end_date (Type: string): The end date of the historical data (YYYY-MM-DD).\nReturns:\nHistorical snowfall data.\n\nName: get_snow_forecast(latitude, longitude, start_date, end_date)\nDescription: Get snowfall forecast data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the forecast (YYYY-MM-DD).\n- end_date (Type: string): The end date of the forecast (YYYY-MM-DD).\nReturns:\nSnowfall forecast data.\n\nName: get_current_snow(latitude, longitude, current_date)\nDescription: Get current snowfall data for a specified location and date.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- current_date (Type: string): The current date to retrieve snowfall data (YYYY-MM-DD).\nReturns:\nCurrent snowfall data.\n\nName: get_current_temp(latitude, longitude, current_date)\nDescription: Get current temperature data for a specified location and date.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- current_date (Type: string): The current date to retrieve temperature data (YYYY-MM-DD).\nReturns:\nCurrent temperature data.\n\nName: get_latitude_longitude(name)\nDescription: Get latitude and longitude information for a specified location name.\nParameters:\n- name (Type: string): The name of the location. (e.g., city name)\nReturns:\nlatitude and longitude information for the specified location.\n\nName: get_elevation(latitude, longitude)\nDescription: Get elevation data for a specified location.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\nReturns:\nElevation data for the specified location.\n\nName: get_temp_forecast(latitude, longitude, start_date, end_date)\nDescription: Get temperature forecast data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the forecast (YYYY-MM-DD).\n- end_date (Type: string): The end date of the forecast (YYYY-MM-DD).\nReturns:\nTemperature forecast data.\n\nName: get_rain_forecast(latitude, longitude, start_date, end_date)\nDescription: Get rainfall forecast data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the forecast (YYYY-MM-DD).\n- end_date (Type: string): The end date of the forecast (YYYY-MM-DD).\nReturns:\nRainfall forecast data.\n\nName: get_current_rain(latitude, longitude, current_date)\nDescription: Get current rainfall data for a specified location and date.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- current_date (Type: string): The current date to retrieve rainfall data (YYYY-MM-DD).\nReturns:\nCurrent rainfall data.\n\nName: get_distance(latitude1, longitude1, latitude2, longitude2)\nDescription: Calculate the distance between two sets of latitude and longitude coordinates.\nParameters:\n- latitude1 (Type: number): The latitude of the first location.\n- longitude1 (Type: number): The longitude of the first location.\n- latitude2 (Type: number): The latitude of the second location.\n- longitude2 (Type: number): The longitude of the second location.\nReturns:\nThe distance between the two sets of coordinates in kilometers.\n\nName: get_historical_air_quality_index(latitude, longitude, start_date, end_date)\nDescription: Get historical air quality index data for a specified location and date range.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- start_date (Type: string): The start date of the historical data (YYYY-MM-DD).\n- end_date (Type: string): The end date of the historical data (YYYY-MM-DD).\nReturns:\nHistorical air quality index (PM2.5) data.\n\nName: get_current_air_quality_index(latitude, longitude, current_date)\nDescription: Get current air quality index data for a specified location and date.\nParameters:\n- latitude (Type: number): The latitude of the location.\n- longitude (Type: number): The longitude of the location.\n- current_date (Type: string): The current date to retrieve air quality index data (YYYY-MM-DD).\nReturns:\nCurrent air quality index (PM2.5) data.\n\nName: get_air_quality_level(air_quality_index)\nDescription: Determine the air quality level based on the air quality index (AQI).\nParameters:\n- air_quality_index (Type: number): The air quality index (AQI) value.\nReturns:\nThe air quality level, which can be 'good', 'fair', 'moderate', 'poor', 'very poor', or 'extremely poor'.\n\nName: check_valid_actions()\nDescription: Get supported actions for current tool.\nReturns:\n- actions (Type: array): Supported actions for current tool.\n\nName: finish(answer)\nDescription: Return an answer and finish the task\nParameters:\n- answer (Type: ['string', 'number', 'array']): The answer to be returned\n\nIf you want to get the latitude and longitude information of a city, you must call \"get_latitude_longitude\"! Do not generate it by yourself which maybe wrong. If you are finished, you will call \"finish\" action.\nPlease refer to the format of examples below to solve the requested goal. Please provide your thought to solve the question. You should give the thought with no more than 3 sentences. You need to give your thought together with your action!\n\nYour response must be in the format of:\nThought: [your thought]\n\nAction: [your action] with Action Input: [your action input]\n\nHere is an example:\n\nGoal: What is the lowest temperature yesterday?\nThought: This question is about the lowest temperature yesterday, I should first get the location information of the user.\n\nAction: get_user_current_location with Action Input: {}\nObservation: Shanghai\nThought: The user is currently in Shanghai. I should first get the latitude and longitude information of Shanghai.\n\nAction: get_latitude_longitude with Action Input: {\"name\": \"Shanghai\"}\nObservation: {'results': [{'name': 'Shanghai', 'latitude': 31.22222, 'longitude': 121.45806, 'country_code': 'CN'}, {'name': 'Shanghai', 'latitude': 34.85009, 'longitude': -87.08501, 'country_code': 'US'}, {'name': 'Cornelia', 'latitude': 38.64363, 'longitude': -93.73938, 'country_code': 'US'}]}\nThought: I have got the latitude and longitude information of Shanghai, I should get the current date to get the date of yesterday.\n\nAction: get_user_current_date with Action Input: {}\nObservation: 2015-01-02\nThought: Current date in 2015-01-02, so yesterday is 2015-01-01. Now, I can get the temperature data of Shanghai in 2015-01-01.\n\nAction: get_historical_temp with Action Input: {\"latitude\": 31.22222, \"longitude\": 121.45806, \"start_date\": \"2015-01-01\", \"end_date\": \"2015-01-01\"}\nObservation: {'latitude': 31.200005, 'longitude': 121.5, 'daily_units': {'time': 'iso8601', 'temperature_2m_max': '\u00b0C', 'temperature_2m_min': '\u00b0C', 'temperature_2m_mean': '\u00b0C'}, 'daily': {'time': ['2015-01-01'], 'temperature_2m_max': [4.3], 'temperature_2m_min': [-3.6], 'temperature_2m_mean': [-0.1]}}\nThought: The average temperature is -0.1, I will call finish to end the task.\n\nAction: finish with Action Input: {\"answer\": -0.1}\nObservation: -0.1\n", + } + ), + ConversationMessage({"from": "gpt", "loss": False, "value": "Ok."}), + ) + + def __init__( + self, env_server_base: str, data_len: int, *args, timeout: int = 300, **kwargs + ): + super().__init__(*args, **kwargs) + self.env_server_base = env_server_base + self.timeout = timeout + self.data_len = data_len + self.id = 0 + data = dict() + data["id"] = 0 + ok = requests.post( + f"{self.env_server_base}/create", + json=data, + timeout=self.timeout, + ) + if ok.status_code != 200: + raise RequestException(f"Failed to create environment: {ok}") + + self.env_id = ok.json() + + def __len__(self): + return self.data_len + + def _post(self, path: str, data: Dict[str, Any]) -> Dict[str, Any]: + data["env_idx"] = self.env_id + res = requests.post( + f"{self.env_server_base}/{path}", + json=data, + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def _get(self, path: str) -> Dict[str, Any]: + res = requests.get( + f"{self.env_server_base}/{path}?env_idx={self.env_id}", + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def observe(self) -> Dict[str, Any]: + response = self._get("observation") + return response + + def step(self, action: str) -> StepOutput: + # action is the original output of llm + response = self._post("step", {"action": action}) + return StepOutput( + state=response["observation"], + reward=response["reward"], + done=response["done"], + ) + + def reset(self, id: int) -> Dict[str, Any]: + self.id = id + response = self._post("reset", {"id": self.id}) + return response + + +class WeatherTask(BaseTask): + env_client_cls = WeatherEnvClient + env_name = "Weather" + + def __init__( + self, + client_args: Mapping[str, Any] | Mapping[str, Any], + n_clients: int, + *args, + **kwargs, + ): + super().__init__(client_args, n_clients, *args, **kwargs) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/envs/webarena.py b/openmanus_rl/agentgym/agentenv/agentenv/envs/webarena.py new file mode 100644 index 00000000..2cc35cf0 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/envs/webarena.py @@ -0,0 +1,88 @@ +from typing import Any, Mapping, Dict + +import requests +from requests.exceptions import RequestException + +from agentenv.controller import BaseEnvClient, BaseTask, ConversationMessage, StepOutput + + +class WebarenaEnvClient(BaseEnvClient): + conversation_start = ( + ConversationMessage( + { + "from": "human", + "loss": None, + "value": "You are an autonomous intelligent agent tasked with navigating a web browser. You will be given web-based tasks. These tasks will be accomplished through the use of specific actions you can issue.\n\nHere's the information you'll have:\nThe user's objective: This is the task you're trying to complete.\nThe current web page's accessibility tree: This is a simplified representation of the webpage, providing key information.\nThe current web page's URL: This is the page you're currently navigating.\nThe open tabs: These are the tabs you have open.\nThe previous action: This is the action you just performed. It may be helpful to track your progress.\n\nThe actions you can perform fall into several categories:\n\nPage Operation Actions:\n`click [id]`: This action clicks on an element with a specific id on the webpage.\n`type [id] [content] [press_enter_after=0|1]`: Use this to type the content into the field with id. By default, the \"Enter\" key is pressed after typing unless press_enter_after is set to 0.\n`hover [id]`: Hover over an element with id.\n`press [key_comb]`: Simulates the pressing of a key combination on the keyboard (e.g., Ctrl+v).\n`scroll [direction=down|up]`: Scroll the page up or down.\n\nTab Management Actions:\n`new_tab`: Open a new, empty browser tab.\n`tab_focus [tab_index]`: Switch the browser's focus to a specific tab using its index.\n`close_tab`: Close the currently active tab.\n\nURL Navigation Actions:\n`goto [url]`: Navigate to a specific URL.\n`go_back`: Navigate to the previously viewed page.\n`go_forward`: Navigate to the next page (if a previous 'go_back' action was performed).\n\nCompletion Action:\n`stop [answer]`: Issue this action when you believe the task is complete. If the objective is to find a text-based answer, provide the answer in the bracket. If you believe the task is impossible to complete, provide the answer as \"N/A\" in the bracket.\n\nHomepage:\nIf you want to visit other websites, check out the homepage at http://homepage.com. It has a list of websites you can visit.\nhttp://homepage.com/password.html lists all the account name and password for the websites. You can use them to log in to the websites.\n\nTo be successful, it is very important to follow the following rules:\n1. You should only issue an action that is valid given the current observation\n2. You should only issue one action at a time.\n3. You should follow the examples to reason step by step and then issue the next action.\n4. Generate the action in the correct format. Start with a \"In summary, the next action I will perform is\" phrase, followed by action inside ``````. For example, \"In summary, the next action I will perform is ```click [1234]```\".\n5. Issue stop action when you think you have achieved the objective. Don't generate anything after stop.", + } + ), + ConversationMessage({"from": "gpt", "loss": False, "value": "Ok."}), + ) + + def __init__( + self, env_server_base: str, data_len: int, *args, timeout: int = 300, **kwargs + ): + super().__init__(*args, **kwargs) + self.env_server_base = env_server_base + self.timeout = timeout + self.data_len = data_len + + ok = requests.post( + f"{self.env_server_base}/create", + timeout=self.timeout, + ) + if ok.status_code != 200: + raise RequestException(f"Failed to create environment: {ok}") + + self.env_id = ok.json()["env_idx"] + + def __len__(self): + return self.data_len + + def _post(self, path: str, data: Dict[str, Any]) -> Dict[str, Any]: + data["env_idx"] = self.env_id + res = requests.post( + f"{self.env_server_base}/{path}", + json=data, + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def _get(self, path: str) -> Dict[str, Any]: + res = requests.get( + f"{self.env_server_base}/{path}?env_idx={self.env_id}", + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def observe(self) -> Dict[str, Any]: + response = self._get("observation") + return response + + def step(self, action: str) -> StepOutput: + # action is the original output of llm + response = self._post("step", {"action": action}) + return StepOutput( + state=response["observation"], + reward=response["reward"], + done=response["terminated"], + ) + + def reset(self, idx: int) -> Dict[str, Any]: + response = self._post("reset", {"seed": 0, "idx": idx}) + return response + + +class WebarenaTask(BaseTask): + env_client_cls = WebarenaEnvClient + env_name = "Webarena" + + def __init__( + self, + client_args: Mapping[str, Any] | Mapping[str, Any], + n_clients: int, + *args, + **kwargs, + ): + super().__init__(client_args, n_clients, *args, **kwargs) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/envs/webshop.py b/openmanus_rl/agentgym/agentenv/agentenv/envs/webshop.py new file mode 100644 index 00000000..ec1574b6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/envs/webshop.py @@ -0,0 +1,108 @@ +from typing import Any, Mapping + +import requests +from requests.exceptions import RequestException + +from agentenv.controller import BaseEnvClient, BaseTask, ConversationMessage, StepOutput + + +class WebshopEnvClient(BaseEnvClient): + conversation_start = ( + ConversationMessage( + { + "from": "human", + "loss": None, + "value": "You are web shopping.\nI will give you instructions about what to do.\nYou have to follow the instructions.\nEvery round I will give you an observation and a list of available actions, you have to respond an action based on the state and instruction.\nYou can use search action if search is available.\nYou can click one of the buttons in clickables.\nAn action should be of the following structure:\nsearch[keywords]\nclick[value]\nIf the action is not valid, perform nothing.\nKeywords in search are up to you, but the value in click must be a value in the list of available actions.\nRemember that your keywords in search should be carefully designed.\nYour response should use the following format:\n\nThought:\nI think ... \n\nAction: \nclick[something]", + } + ), + ConversationMessage({"from": "gpt", "loss": False, "value": "Ok."}), + ) + + def __init__( + self, env_server_base: str, data_len: int, *args, timeout: int = 300, **kwargs + ): + super().__init__(*args, **kwargs) + self.env_server_base = env_server_base + self.timeout = timeout + self.data_len = data_len + + ok = requests.post( + f"{self.env_server_base}/create", + timeout=self.timeout, + ) + if ok.status_code != 200: + raise RequestException(f"Failed to create environment: {ok}") + + self.env_id = ok.json() + + def __len__(self): + return self.data_len + + + def _post(self, path: str, data: dict[str, Any]) -> dict[str, Any]: + data["env_idx"] = self.env_id + max_retries = 5 + for attempt in range(max_retries): + res = requests.post( + f"{self.env_server_base}/{path}", + json=data, + timeout=self.timeout, + ) + if res.status_code == 503: + import time + + time.sleep(0.1) + elif res.status_code == 200: + break + else: + print("---------------------") + print(res.status_code) + print(data) + assert res.status_code == 200 + return res.json() + + def _get(self, path: str) -> dict[str, Any]: + res = requests.get( + f"{self.env_server_base}/{path}?env_idx={self.env_id}", + timeout=self.timeout, + ) + assert res.status_code == 200 + return res.json() + + def observe(self) -> dict[str, Any]: + response = self._get("observation") + return response + + def step(self, action: str) -> StepOutput: + if action.endswith(""): + action = action[:-5] + _action = action.split("Action:") + if len(_action) > 1: + action = _action[1].strip() + else: + action = _action[0].strip() + response = self._post("step", {"action": action}) + return StepOutput( + state=response["state"], + reward=response["reward"], + done=response["done"], + ) + + def reset(self, idx: int) -> dict[str, Any]: + response = self._post("reset", {"session_id": idx}) + response[0] = self.observe() + return response + + +class WebshopTask(BaseTask): + env_client_cls = WebshopEnvClient + env_name = "WebShop" + + def __init__( + self, + client_args: Mapping[str, Any] | Mapping[str, Any], + n_clients: int, + *args, + **kwargs, + ): + super().__init__(client_args, n_clients, *args, **kwargs) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/rollout/rollout.md b/openmanus_rl/agentgym/agentenv/agentenv/rollout/rollout.md new file mode 100644 index 00000000..a261221b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/rollout/rollout.md @@ -0,0 +1,231 @@ +# AgentGym Rollout Controller Design Document + +## Overview + +This document outlines the design and implementation of the Rollout Controller for the AgentGym framework. The Rollout Controller extends AgentGym's capabilities by adding support for advanced exploration strategies (Tree of Thoughts, Monte Carlo Tree Search, etc.) and trajectory storage, while maintaining compatibility with the existing architecture. + +## Motivation + +The standard AgentGym implementation uses a straightforward ReAct approach for agent interaction with environments. While this works well for simple scenarios, more complex reasoning and decision-making often benefit from advanced exploration strategies that consider multiple possible action paths. Additionally, storing and analyzing trajectories is crucial for reinforcement learning and model improvement. + +## Architecture + +The Rollout Controller architecture consists of three main components: + +1. **Rollout Strategies**: Implementations of different exploration algorithms +2. **Trajectory Storage**: Systems for persisting and retrieving trajectories +3. **Rollout Controller**: Main controller that integrates strategies and storage with AgentGym + +### Integration with AgentGym + +The implementation extends the existing AgentGym components rather than replacing them: + +- `RolloutController` extends `BaseAgentEnvController` from AgentGym +- All strategies accept and return `ExperienceOutput` objects for compatibility +- The controller uses `BaseTask` and `BaseEnvClient` from AgentGym for environment interaction +``` + BaseAgentEnvController + ↑ + | + RolloutController ←→ IRolloutStrategy + | ↑ + | | + | BaseRolloutStrategy + | ↑ + | | + | ┌─────┴─────────┐ + | | | + | StandardReAct ToT/MCTS/etc. + | + ↓ + ITrajectoryStorage + ↑ + ┌───────┴───────┐ + | | + MongoDBStorage FileStorage +``` +## Components + +### Rollout Strategies + +All strategies implement the `IRolloutStrategy` interface, ensuring a consistent API: + +```python +class IRolloutStrategy(ABC): + @abstractmethod + def execute( + self, + model: PreTrainedModel, + tokenizer: PreTrainedTokenizerBase, + client: BaseEnvClient, + initial_observation: str, + generation_config: Optional[GenerationConfig] = None, + max_rounds: Optional[int] = None + ) -> List[ExperienceOutput]: + """Execute the strategy and return trajectories""" + pass +``` + +#### Implemented Strategies + +1. **StandardReActStrategy**: The default strategy used in AgentGym, which follows a linear path of observation → action → observation. + +2. **ToTStrategy (Tree of Thoughts)**: Implements a tree exploration approach where: + - The agent considers multiple possible actions at each step + - For each action, it explores the resulting states recursively + - This creates a tree of potential trajectories + - Parameters control the breadth (number of branches) and depth of exploration + +3. **MCTSStrategy (Monte Carlo Tree Search)**: Implements the MCTS algorithm for more efficient exploration of large action spaces: + - Selection: Choose promising nodes to explore + - Expansion: Add new child nodes + - Simulation: Run rollouts to estimate node value + - Backpropagation: Update node values based on simulation results + +### Trajectory Storage + +The `ITrajectoryStorage` interface defines methods for saving and retrieving trajectories: + +```python +class ITrajectoryStorage: + def save_trajectory(self, env_name, task_id, strategy_name, trajectory, metadata=None) -> str: + pass + + def save_trajectories(self, env_name, task_ids, strategy_name, trajectories, metadata=None) -> List[str]: + pass + + def get_trajectory(self, trajectory_id) -> Optional[Dict]: + pass + + def get_trajectories(self, env_name=None, task_id=None, strategy_name=None, limit=100) -> List[Dict]: + pass + + def get_best_trajectory(self, env_name, task_id) -> Optional[Dict]: + pass +``` + +#### Implementations + +1. **MongoDBTrajectoryStorage**: Stores trajectories in MongoDB for scalable, queryable access. +2. **FileTrajectoryStorage**: A simpler implementation that stores trajectories in JSONL files. + +### Rollout Controller + +The `RolloutController` class orchestrates the rollout process: + +```python +class RolloutController(BaseAgentEnvController): + def __init__( + self, + agent: Agent, + tasks: List[BaseTask], + strategy: Optional[IRolloutStrategy] = None, + storage: Optional[ITrajectoryStorage] = None, + max_workers: int = 10 + ): + # initialization... + + def rollout( + self, + generation_config: Optional[GenerationConfig] = None, + max_rounds: Optional[int] = None, + idxs: Optional[List[int]] = None, + save_to_storage: bool = True, + parallel: bool = True, + batch_size: int = 1, + metadata: Optional[Dict[str, Any]] = None + ) -> List[ExperienceOutput]: + # implementation... +``` + +Key features: +- **Configurable strategy**: Use different exploration strategies for different tasks +- **Parallel execution**: Process multiple environments concurrently +- **Trajectory storage**: Automatically save trajectories for later analysis +- **Batch processing**: Process environments in batches for memory efficiency + +## Usage Examples + +### Basic Usage with Tree of Thoughts + +```python +from agentenv.controller import Agent +from agentenv.envs import WebshopTask +from transformers import AutoModelForCausalLM, AutoTokenizer, GenerationConfig + +from rollout_controller import RolloutController +from strategies import ToTStrategy +from database import MongoDBTrajectoryStorage + +# Load model and tokenizer +model = AutoModelForCausalLM.from_pretrained("model_path") +tokenizer = AutoTokenizer.from_pretrained("model_path") +agent = Agent(model, tokenizer) + +# Create task +task = WebshopTask( + client_args={"env_server_base": "http://localhost:36001", "data_len": 200}, + n_clients=1 +) + +# Create storage +storage = MongoDBTrajectoryStorage() + +# Create strategy +strategy = ToTStrategy(num_branches=3, depth=2) + +# Create controller +controller = RolloutController( + agent=agent, + tasks=[task], + strategy=strategy, + storage=storage +) + +# Run rollout +results = controller.rollout( + generation_config=GenerationConfig(max_length=4096), + max_rounds=7, + idxs=[0, 1, 2], # Run on first three tasks + parallel=True +) + +# Analyze results +for result in results: + print(f"Reward: {result.reward}") +``` + +### Switching Strategies + +```python +from strategies import MCTSStrategy + +# Switch to MCTS strategy +mcts_strategy = MCTSStrategy(num_simulations=50, exploration_weight=1.0) +controller.set_strategy(mcts_strategy) + +# Run rollout with new strategy +results = controller.rollout(idxs=[0, 1, 2]) +``` + +## Implementation Considerations + +### Concurrency and Thread Safety + +- The controller uses ThreadPoolExecutor for parallel rollouts +- Each rollout uses a separate environment client instance +- Careful consideration of thread safety in strategy implementations + +### Memory Management + +- Batch processing to avoid excessive memory usage +- Proper cleanup of resources after rollout +- Copy-on-write for environment branching + +### Error Handling + +- Robust error handling at multiple levels +- Failed rollouts don't interrupt the entire process +- Detailed error reporting + +## TODO \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv/agentenv/rollout/rollout_controller.py b/openmanus_rl/agentgym/agentenv/agentenv/rollout/rollout_controller.py new file mode 100644 index 00000000..f9ca3324 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/rollout/rollout_controller.py @@ -0,0 +1,225 @@ +from typing import List, Dict, Any, Optional, Union +from concurrent.futures import ThreadPoolExecutor, as_completed +import threading +import time + +from agentenv.controller import Agent, BaseAgentEnvController, BaseTask +from agentenv.controller.task import ExperienceOutput +from transformers import GenerationConfig + +from .rollout_strategy import IRolloutStrategy, StandardReActStrategy +from .rollout_db import ITrajectoryStorage, MongoDBTrajectoryStorage + + +class RolloutController(BaseAgentEnvController): + """ + Advanced rollout controller for AgentGym that extends BaseAgentEnvController + and supports multiple rollout strategies and trajectory storage. + """ + + def __init__( + self, + agent: Agent, + tasks: List[BaseTask], + strategy: Optional[IRolloutStrategy] = None, + storage: Optional[ITrajectoryStorage] = None, + max_workers: int = 10 + ): + """ + Initialize rollout controller with agent, tasks, strategy, and storage. + + Args: + agent: Agent instance with model and tokenizer + tasks: List of BaseTask instances + strategy: Rollout strategy to use (defaults to StandardReActStrategy) + storage: Trajectory storage implementation + max_workers: Maximum number of worker threads for parallel rollout + """ + super().__init__(agent, tasks) + self.strategy = strategy or StandardReActStrategy() + self.storage = storage + self.max_workers = max_workers + self.executor = ThreadPoolExecutor(max_workers=max_workers) + + def set_strategy(self, strategy: IRolloutStrategy): + """Change the rollout strategy""" + self.strategy = strategy + + def set_storage(self, storage: ITrajectoryStorage): + """Set or change the trajectory storage""" + self.storage = storage + + def get_storage(self) -> Optional[ITrajectoryStorage]: + """Get the current trajectory storage instance + + Returns: + The current storage instance or None if not set + """ + return self.storage + + def rollout( + self, + generation_config: Optional[GenerationConfig] = None, + max_rounds: Optional[int] = None, + idxs: Optional[List[int]] = None, + save_to_storage: bool = True, + parallel: bool = True, + batch_size: int = 1, + metadata: Optional[Dict[str, Any]] = None + ) -> List[ExperienceOutput]: + """ + Execute rollout using the selected strategy. + """ + if not save_to_storage or self.storage is None: + save_to_storage = False + + if idxs is None: + idxs = [] + for task in self.tasks: + idxs.append(list(range(len(task.clients[0])))) + elif isinstance(idxs[0], int): + idxs = [idxs] + [[] for _ in range(len(self.tasks) - 1)] + + task = self.tasks[0] + task_idxs = idxs[0] + + results = [] + + if parallel: + # Process in batches + for i in range(0, len(task_idxs), batch_size): + batch_idxs = task_idxs[i:i+batch_size] + + # Submit tasks to thread pool + futures = {} + for idx in batch_idxs: + future = self.executor.submit( + self._rollout_one, + task=task, + idx=idx, + generation_config=generation_config, + max_rounds=max_rounds, + save_to_storage=save_to_storage, + metadata=metadata + ) + futures[future] = idx + + # Collect results + for future in as_completed(futures): + idx = futures[future] + try: + exp_outputs = future.result() + results.extend(exp_outputs) + except Exception as e: + print(f"Error in rollout for task {idx}: {e}") + else: + # Sequential processing + for idx in task_idxs: + try: + exp_outputs = self._rollout_one( + task=task, + idx=idx, + generation_config=generation_config, + max_rounds=max_rounds, + save_to_storage=save_to_storage, + metadata=metadata + ) + results.extend(exp_outputs) + except Exception as e: + print(f"Error in rollout for task {idx}: {e}") + + return results + + def _rollout_one( + self, + task: BaseTask, + idx: int, + generation_config: Optional[GenerationConfig], + max_rounds: Optional[int], + save_to_storage: bool, + metadata: Optional[Dict[str, Any]] + ) -> List[ExperienceOutput]: + """ + Execute rollout for a single task. + + Args: + task: Task to run + idx: Task ID + generation_config: Generation configuration + max_rounds: Maximum rounds + save_to_storage: Whether to save trajectories + metadata: Additional metadata + + Returns: + List of ExperienceOutput objects + """ + # Get client + client = task.clients[0] + + # Reset environment + client.reset(idx) + + # Get initial observation + initial_observation = client.observe() + + # Execute strategy + trajectories = self.strategy.execute( + model=self.agent.model, + tokenizer=self.agent.tokenizer, + client=client, + initial_observation=initial_observation, + generation_config=generation_config, + max_rounds=max_rounds + ) + + # Save trajectories if requested + if save_to_storage and self.storage is not None and trajectories: + self._save_trajectories(task.env_name, idx, trajectories, metadata) + + return trajectories + + def _save_trajectories( + self, + env_name: str, + task_id: int, + trajectories: List[ExperienceOutput], + metadata: Optional[Dict[str, Any]] + ) -> List[str]: + """ + Save trajectories using the storage. + + Args: + env_name: Environment name + task_id: Task ID + trajectories: List of ExperienceOutput objects + metadata: Additional metadata + + Returns: + List of trajectory IDs + """ + # Convert ExperienceOutput to dict format for storage + trajectory_dicts = [] + + for traj in trajectories: + traj_dict = { + "reward": float(traj.reward), + "conversation": [ + { + "from": msg["from"], + "value": msg["value"], + "loss": msg.get("loss") + } for msg in traj.conversation + ], + "text": traj.text + } + trajectory_dicts.append(traj_dict) + + # Save using storage + trajectory_ids = self.storage.save_trajectories( + env_name=env_name, + task_ids=[task_id] * len(trajectories), + trajectories=trajectory_dicts, + metadata=metadata + ) + + return trajectory_ids \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv/agentenv/rollout/rollout_db.py b/openmanus_rl/agentgym/agentenv/agentenv/rollout/rollout_db.py new file mode 100644 index 00000000..603048fc --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/rollout/rollout_db.py @@ -0,0 +1,252 @@ +import pymongo +from datetime import datetime +import uuid +from typing import Dict, List, Any, Optional, Union +import json + +from agentenv.controller.task import ExperienceOutput, ConversationMessage + + +class ITrajectoryStorage: + """Interface for trajectory storage""" + + def save_trajectory(self, env_name: str, task_id: int, strategy_name: str, trajectory: ExperienceOutput, metadata: Optional[Dict[str, Any]] = None) -> str: + """Save a trajectory to storage and return its ID""" + pass + + def save_trajectories(self, env_name: str, task_ids: List[int], strategy_name: str, trajectories: List[ExperienceOutput], metadata: Optional[Dict[str, Any]] = None) -> List[str]: + """Save multiple trajectories to storage and return their IDs""" + pass + + def get_trajectory(self, trajectory_id: str) -> Optional[Dict[str, Any]]: + """Retrieve a trajectory by ID""" + pass + + def get_trajectories(self, env_name: Optional[str] = None, task_id: Optional[int] = None, strategy_name: Optional[str] = None, limit: int = 100) -> List[Dict[str, Any]]: + """Retrieve trajectories matching the filters""" + pass + + def get_best_trajectory(self, env_name: str, task_id: int) -> Optional[Dict[str, Any]]: + """Get the trajectory with the highest reward for a specific task""" + pass + + +class MongoDBTrajectoryStorage(ITrajectoryStorage): + """MongoDB implementation of trajectory storage""" + + def __init__(self, connection_string: str = "mongodb://localhost:27017/", db_name: str = "agentgym"): + """Initialize MongoDB connection""" + self.client = pymongo.MongoClient(connection_string) + self.db = self.client[db_name] + self.collection = self.db["trajectories"] + + # Create indexes for efficient querying + self.collection.create_index([("env_name", 1)]) + self.collection.create_index([("task_id", 1)]) + self.collection.create_index([("strategy_name", 1)]) + self.collection.create_index([("timestamp", -1)]) + self.collection.create_index([("reward", -1)]) + + def save_trajectory(self, env_name: str, task_id: int, strategy_name: str, trajectory: ExperienceOutput, metadata: Optional[Dict[str, Any]] = None) -> str: + """Save a trajectory to MongoDB""" + trajectory_id = str(uuid.uuid4()) + + # Create document + doc = { + "trajectory_id": trajectory_id, + "env_name": env_name, + "task_id": task_id, + "strategy_name": strategy_name, + "timestamp": datetime.now(), + "reward": float(trajectory.reward), + "conversation": [ + { + "from": msg["from"], + "value": msg["value"], + "loss": msg.get("loss") + } for msg in trajectory.conversation + ], + "metadata": metadata or {} + } + + # Insert document + self.collection.insert_one(doc) + return trajectory_id + + def save_trajectories(self, env_name: str, task_ids: List[int], strategy_name: str, trajectories: List[ExperienceOutput], metadata: Optional[Dict[str, Any]] = None) -> List[str]: + """Save multiple trajectories to MongoDB""" + if len(task_ids) != len(trajectories): + raise ValueError("Number of task IDs must match number of trajectories") + + trajectory_ids = [] + docs = [] + + for i, (task_id, trajectory) in enumerate(zip(task_ids, trajectories)): + trajectory_id = str(uuid.uuid4()) + trajectory_ids.append(trajectory_id) + + # Create document + doc = { + "trajectory_id": trajectory_id, + "env_name": env_name, + "task_id": task_id, + "strategy_name": strategy_name, + "timestamp": datetime.now(), + "reward": float(trajectory.reward), + "conversation": [ + { + "from": msg["from"], + "value": msg["value"], + "loss": msg.get("loss") + } for msg in trajectory.conversation + ], + "metadata": metadata or {} + } + docs.append(doc) + + # Insert documents + if docs: + self.collection.insert_many(docs) + + return trajectory_ids + + def get_trajectory(self, trajectory_id: str) -> Optional[Dict[str, Any]]: + """Retrieve a trajectory by ID""" + doc = self.collection.find_one({"trajectory_id": trajectory_id}) + return doc + + def get_trajectories(self, env_name: Optional[str] = None, task_id: Optional[int] = None, strategy_name: Optional[str] = None, limit: int = 100) -> List[Dict[str, Any]]: + """Retrieve trajectories matching the filters""" + # Build query + query = {} + if env_name: + query["env_name"] = env_name + if task_id is not None: + query["task_id"] = task_id + if strategy_name: + query["strategy_name"] = strategy_name + + # Execute query + cursor = self.collection.find(query).sort("timestamp", -1).limit(limit) + return list(cursor) + + def get_best_trajectory(self, env_name: str, task_id: int) -> Optional[Dict[str, Any]]: + """Get the trajectory with the highest reward for a specific task""" + query = {"env_name": env_name, "task_id": task_id} + doc = self.collection.find_one(query, sort=[("reward", -1)]) + return doc + + +class FileTrajectoryStorage(ITrajectoryStorage): + """Simple file-based implementation of trajectory storage""" + + def __init__(self, file_path: str = "trajectories.jsonl"): + """Initialize file storage""" + self.file_path = file_path + + # Ensure file exists + try: + with open(self.file_path, 'a') as f: + pass + except: + # Create directory if it doesn't exist + import os + os.makedirs(os.path.dirname(os.path.abspath(self.file_path)), exist_ok=True) + with open(self.file_path, 'w') as f: + pass + + def save_trajectory(self, env_name: str, task_id: int, strategy_name: str, trajectory: ExperienceOutput, metadata: Optional[Dict[str, Any]] = None) -> str: + """Save a trajectory to file""" + trajectory_id = str(uuid.uuid4()) + + # Create document + doc = { + "trajectory_id": trajectory_id, + "env_name": env_name, + "task_id": task_id, + "strategy_name": strategy_name, + "timestamp": datetime.now().isoformat(), + "reward": float(trajectory.reward), + "conversation": [ + { + "from": msg["from"], + "value": msg["value"], + "loss": msg.get("loss") + } for msg in trajectory.conversation + ], + "metadata": metadata or {} + } + + # Append to file + with open(self.file_path, 'a') as f: + f.write(json.dumps(doc) + '\n') + + return trajectory_id + + def save_trajectories(self, env_name: str, task_ids: List[int], strategy_name: str, trajectories: List[ExperienceOutput], metadata: Optional[Dict[str, Any]] = None) -> List[str]: + """Save multiple trajectories to file""" + if len(task_ids) != len(trajectories): + raise ValueError("Number of task IDs must match number of trajectories") + + trajectory_ids = [] + + for task_id, trajectory in zip(task_ids, trajectories): + trajectory_id = self.save_trajectory(env_name, task_id, strategy_name, trajectory, metadata) + trajectory_ids.append(trajectory_id) + + return trajectory_ids + + def get_trajectory(self, trajectory_id: str) -> Optional[Dict[str, Any]]: + """Retrieve a trajectory by ID""" + with open(self.file_path, 'r') as f: + for line in f: + doc = json.loads(line.strip()) + if doc.get("trajectory_id") == trajectory_id: + return doc + return None + + def get_trajectories(self, env_name: Optional[str] = None, task_id: Optional[int] = None, strategy_name: Optional[str] = None, limit: int = 100) -> List[Dict[str, Any]]: + """Retrieve trajectories matching the filters""" + results = [] + + with open(self.file_path, 'r') as f: + for line in f: + if not line.strip(): + continue + doc = json.loads(line.strip()) + + # Apply filters + if env_name and doc.get("env_name") != env_name: + continue + if task_id is not None and doc.get("task_id") != task_id: + continue + if strategy_name and doc.get("strategy_name") != strategy_name: + continue + + results.append(doc) + if len(results) >= limit: + break + + # Sort by timestamp (descending) + results.sort(key=lambda x: x.get("timestamp", ""), reverse=True) + return results + + def get_best_trajectory(self, env_name: str, task_id: int) -> Optional[Dict[str, Any]]: + """Get the trajectory with the highest reward for a specific task""" + matching_trajectories = [] + + with open(self.file_path, 'r') as f: + for line in f: + if not line.strip(): + continue + doc = json.loads(line.strip()) + + # Apply filters + if doc.get("env_name") == env_name and doc.get("task_id") == task_id: + matching_trajectories.append(doc) + + if not matching_trajectories: + return None + + # Return trajectory with highest reward + return max(matching_trajectories, key=lambda x: x.get("reward", 0)) \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv/agentenv/rollout/rollout_strategy.py b/openmanus_rl/agentgym/agentenv/agentenv/rollout/rollout_strategy.py new file mode 100644 index 00000000..f9f3fbc3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/rollout/rollout_strategy.py @@ -0,0 +1,343 @@ +from typing import List, Dict, Any, Optional, TypedDict, Union +from abc import ABC, abstractmethod +import copy +import random + +from agentenv.controller import BaseEnvClient, StepOutput +from agentenv.controller.task import ConversationMessage, ExperienceOutput +from transformers import PreTrainedModel, PreTrainedTokenizerBase, GenerationConfig + + +class TrajectoryNode(TypedDict): + """Node in a trajectory tree/graph""" + observation: str + thought: str + action: str + reward: float + done: bool + children: List['TrajectoryNode'] + + +class IRolloutStrategy(ABC): + """Interface for rollout strategies""" + @abstractmethod + def execute( + self, + model: PreTrainedModel, + tokenizer: PreTrainedTokenizerBase, + client: BaseEnvClient, + initial_observation: str, + generation_config: Optional[GenerationConfig] = None, + max_rounds: Optional[int] = None + ) -> List[ExperienceOutput]: + """Execute the strategy and return trajectories""" + pass + + +class BaseRolloutStrategy(IRolloutStrategy): + """Base class for rollout strategies with common functionality""" + + def __init__(self, name: str): + self.name = name + + def _create_experience_output( + self, + conversation: List[ConversationMessage], + reward: float, + text: str, + tokenizer: PreTrainedTokenizerBase + ) -> ExperienceOutput: + """Convert conversation to ExperienceOutput format""" + tokenized = tokenizer.encode(text, add_special_tokens=False) + return ExperienceOutput( + conversation=conversation, + reward=reward, + text=text, + seq_ids=tokenized, + attention_mask=[1] * len(tokenized), + action_mask=[0] * len(tokenized) # Simplified; actual mask would be more complex + ) + + +class StandardReActStrategy(BaseRolloutStrategy): + """Standard ReAct strategy used in original AgentGym""" + + def __init__(self): + super().__init__("StandardReAct") + + def execute( + self, + model: PreTrainedModel, + tokenizer: PreTrainedTokenizerBase, + client: BaseEnvClient, + initial_observation: str, + generation_config: Optional[GenerationConfig] = None, + max_rounds: Optional[int] = None + ) -> List[ExperienceOutput]: + """Execute standard ReAct strategy""" + # This is basically the same as BaseTask._generate_experience_one + # but adapted to our interface + + conversation = list(client.conversation_start) + conversation.append( + ConversationMessage({"from": "human", "loss": None, "value": initial_observation}) + ) + + text = "" + for msg in conversation: + if msg["from"] == "human": + text += f"\nHuman: {msg['value']}" + else: + text += f"\nAssistant: {msg['value']}" + + rounds = 0 + reward = 0.0 + done = False + + while not done: + if max_rounds is not None and rounds >= max_rounds: + break + + # Generate agent's response + input_ids = tokenizer.encode(text, return_tensors="pt").to(model.device) + output = model.generate( + input_ids, + generation_config=generation_config + ) + + # Decode response + generated_text = tokenizer.decode( + output[0][input_ids.shape[1]:], + skip_special_tokens=True + ) + + # Add to conversation + conversation.append( + ConversationMessage({"from": "gpt", "loss": True, "value": generated_text}) + ) + text += f"\nAssistant: {generated_text}" + + # Take action in environment + step_output = client.step(generated_text) + state, reward, done = step_output.state, step_output.reward, step_output.done + + # Add environment feedback to conversation + conversation.append( + ConversationMessage({"from": "human", "loss": None, "value": state}) + ) + text += f"\nHuman: {state}" + + rounds += 1 + + # Create and return a single trajectory + experience = self._create_experience_output( + conversation=conversation, + reward=reward, + text=text, + tokenizer=tokenizer + ) + + return [experience] + + +class ToTStrategy(BaseRolloutStrategy): + """Tree of Thoughts strategy""" + + def __init__(self, num_branches: int = 3, depth: int = 2): + super().__init__("ToT") + self.num_branches = num_branches + self.depth = depth + + def execute( + self, + model: PreTrainedModel, + tokenizer: PreTrainedTokenizerBase, + client: BaseEnvClient, + initial_observation: str, + generation_config: Optional[GenerationConfig] = None, + max_rounds: Optional[int] = None + ) -> List[ExperienceOutput]: + """Execute Tree of Thoughts strategy""" + # Generate trajectory tree + tree = self._generate_tree( + model=model, + tokenizer=tokenizer, + client=client, + observation=initial_observation, + conversation=[ + *list(client.conversation_start), + ConversationMessage({"from": "human", "loss": None, "value": initial_observation}) + ], + depth=self.depth, + generation_config=generation_config, + max_rounds=max_rounds + ) + + # Extract all paths from tree + trajectories = self._extract_paths(tree, tokenizer) + + return trajectories + + def _generate_tree( + self, + model: PreTrainedModel, + tokenizer: PreTrainedTokenizerBase, + client: BaseEnvClient, + observation: str, + conversation: List[ConversationMessage], + depth: int, + generation_config: Optional[GenerationConfig] = None, + max_rounds: Optional[int] = None, + current_round: int = 0 + ) -> TrajectoryNode: + """Generate a trajectory tree node and its children recursively""" + # Clone the client to avoid altering the original + client_copy = copy.deepcopy(client) + + # Build text from conversation + text = "" + for msg in conversation: + if msg["from"] == "human": + text += f"\nHuman: {msg['value']}" + else: + text += f"\nAssistant: {msg['value']}" + + # Generate agent's response + input_ids = tokenizer.encode(text, return_tensors="pt").to(model.device) + + # Create the current node + node = { + "observation": observation, + "thought": "", + "action": "", + "reward": 0.0, + "done": False, + "children": [] + } + + # Check if we've reached max rounds + if max_rounds is not None and current_round >= max_rounds: + return node + + # Generate multiple branches + for _ in range(self.num_branches): + # Add temperature to promote diversity + branch_generation_config = copy.deepcopy(generation_config) + branch_generation_config.temperature = 0.7 # Adjust as needed + + output = model.generate( + input_ids, + generation_config=branch_generation_config + ) + + # Decode response + generated_text = tokenizer.decode( + output[0][input_ids.shape[1]:], + skip_special_tokens=True + ) + + # Create branch conversation + branch_conversation = copy.deepcopy(conversation) + branch_conversation.append( + ConversationMessage({"from": "gpt", "loss": True, "value": generated_text}) + ) + + # Take action in environment + branch_client = copy.deepcopy(client_copy) + step_output = branch_client.step(generated_text) + state, reward, done = step_output.state, step_output.reward, step_output.done + + # Add environment feedback + branch_conversation.append( + ConversationMessage({"from": "human", "loss": None, "value": state}) + ) + + # Create child node + child_node = { + "observation": observation, + "thought": "", # Could extract a thought if using a specific format + "action": generated_text, + "reward": reward, + "done": done, + "children": [] + } + + # Recursively generate children if not at max depth and not done + if depth > 1 and not done: + child_children = self._generate_tree( + model=model, + tokenizer=tokenizer, + client=branch_client, + observation=state, + conversation=branch_conversation, + depth=depth-1, + generation_config=generation_config, + max_rounds=max_rounds, + current_round=current_round+1 + ) + child_node["children"] = [child_children] + + node["children"].append(child_node) + + return node + + def _extract_paths( + self, + tree: TrajectoryNode, + tokenizer: PreTrainedTokenizerBase, + path: Optional[List[Dict[str, Any]]] = None + ) -> List[ExperienceOutput]: + """Extract all paths from tree and convert to ExperienceOutput""" + if path is None: + path = [] + + # Add current node to path + current_path = path + [{ + "observation": tree["observation"], + "action": tree["action"] + }] + + # If leaf node, convert path to ExperienceOutput + if not tree["children"]: + # Build conversation from path + conversation = [] + for step in current_path: + if step["observation"]: + conversation.append( + ConversationMessage({"from": "human", "loss": None, "value": step["observation"]}) + ) + if step["action"]: + conversation.append( + ConversationMessage({"from": "gpt", "loss": True, "value": step["action"]}) + ) + + # Build text from conversation + text = "" + for msg in conversation: + if msg["from"] == "human": + text += f"\nHuman: {msg['value']}" + else: + text += f"\nAssistant: {msg['value']}" + + # Create ExperienceOutput + experience = self._create_experience_output( + conversation=conversation, + reward=tree["reward"], + text=text, + tokenizer=tokenizer + ) + + return [experience] + + # Recursively extract paths from children + trajectories = [] + for child in tree["children"]: + trajectories.extend(self._extract_paths(child, tokenizer, current_path)) + + return trajectories + + +class MCTSStrategy(BaseRolloutStrategy): + """Monte Carlo Tree Search strategy""" + + # TODO \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv/agentenv/rollout/trajectory_manager.py b/openmanus_rl/agentgym/agentenv/agentenv/rollout/trajectory_manager.py new file mode 100644 index 00000000..eb058509 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/rollout/trajectory_manager.py @@ -0,0 +1,351 @@ +from typing import Dict, List, Any, Optional, Union, TypeVar, Generic +import uuid +import json +import os +from datetime import datetime +import pymongo +from tensordict import TensorDict +import torch +import numpy as np +import verl + + +class TrajectoryManager: + """ + Manages trajectory storage and retrieval operations, decoupled from rollout logic. + Supports different storage backends and conversion to Verl DataProto format. + """ + + def __init__(self, storage_backend: str = 'mongodb', connection_config: Dict[str, Any] = None): + """ + Initialize the trajectory manager with the specified storage backend. + + Args: + storage_backend: Type of storage ('mongodb', 'file', 'memory') + connection_config: Configuration for connecting to the storage + """ + self.storage_backend = storage_backend + self.connection_config = connection_config or {} + + # Initialize the appropriate storage backend + if storage_backend == 'mongodb': + self._init_mongodb() + elif storage_backend == 'file': + self._init_file_storage() + elif storage_backend == 'memory': + self._init_memory_storage() + else: + raise ValueError(f"Unsupported storage backend: {storage_backend}") + + def _init_mongodb(self): + """Initialize MongoDB storage backend""" + conn_str = self.connection_config.get('connection_string', 'mongodb://localhost:27017/') + db_name = self.connection_config.get('db_name', 'agentgym') + collection_name = self.connection_config.get('collection_name', 'trajectories') + + self.client = pymongo.MongoClient(conn_str) + self.db = self.client[db_name] + self.collection = self.db[collection_name] + + # Create indexes for efficient querying + self.collection.create_index([("env_name", 1)]) + self.collection.create_index([("task_id", 1)]) + self.collection.create_index([("timestamp", -1)]) + self.collection.create_index([("reward", -1)]) + + def _init_file_storage(self): + """Initialize file-based storage backend""" + self.file_path = self.connection_config.get('file_path', 'trajectories.jsonl') + os.makedirs(os.path.dirname(os.path.abspath(self.file_path)), exist_ok=True) + + # Ensure file exists + if not os.path.exists(self.file_path): + with open(self.file_path, 'w') as f: + pass + + def _init_memory_storage(self): + """Initialize in-memory storage backend""" + self.memory_storage = [] + + def save_trajectory(self, env_name: str, task_id: int, trajectory: Dict, metadata: Dict = None) -> str: + """ + Save a single trajectory to storage. + + Args: + env_name: Name of the environment + task_id: ID of the task + trajectory: Trajectory data + metadata: Additional metadata + + Returns: + Unique ID of the saved trajectory + """ + trajectory_id = str(uuid.uuid4()) + + # Create document + doc = { + "trajectory_id": trajectory_id, + "env_name": env_name, + "task_id": task_id, + "timestamp": datetime.now().isoformat(), + "reward": float(trajectory.get("reward", 0.0)), + "conversation": trajectory.get("conversation", []), + "metadata": metadata or {} + } + + # Save according to backend + if self.storage_backend == 'mongodb': + self.collection.insert_one(doc) + elif self.storage_backend == 'file': + with open(self.file_path, 'a') as f: + f.write(json.dumps(doc) + '\n') + elif self.storage_backend == 'memory': + self.memory_storage.append(doc) + + return trajectory_id + + def save_trajectories(self, env_name: str, task_ids: List[int], trajectories: List[Dict], metadata: Dict = None) -> List[str]: + """ + Save multiple trajectories to storage. + + Args: + env_name: Name of the environment + task_ids: List of task IDs + trajectories: List of trajectory data + metadata: Additional metadata + + Returns: + List of unique IDs of the saved trajectories + """ + if len(task_ids) != len(trajectories): + raise ValueError("Number of task IDs must match number of trajectories") + + trajectory_ids = [] + + # MongoDB can do bulk insert + if self.storage_backend == 'mongodb': + docs = [] + for task_id, trajectory in zip(task_ids, trajectories): + trajectory_id = str(uuid.uuid4()) + trajectory_ids.append(trajectory_id) + + doc = { + "trajectory_id": trajectory_id, + "env_name": env_name, + "task_id": task_id, + "timestamp": datetime.now().isoformat(), + "reward": float(trajectory.get("reward", 0.0)), + "conversation": trajectory.get("conversation", []), + "metadata": metadata or {} + } + docs.append(doc) + + if docs: + self.collection.insert_many(docs) + else: + # File and memory backends handle one at a time + for task_id, trajectory in zip(task_ids, trajectories): + trajectory_id = self.save_trajectory(env_name, task_id, trajectory, metadata) + trajectory_ids.append(trajectory_id) + + return trajectory_ids + + def get_trajectory(self, trajectory_id: str) -> Optional[Dict]: + """ + Retrieve a trajectory by ID. + + Args: + trajectory_id: Unique ID of the trajectory + + Returns: + Trajectory data or None if not found + """ + if self.storage_backend == 'mongodb': + doc = self.collection.find_one({"trajectory_id": trajectory_id}) + return doc + elif self.storage_backend == 'file': + with open(self.file_path, 'r') as f: + for line in f: + if not line.strip(): + continue + doc = json.loads(line.strip()) + if doc.get("trajectory_id") == trajectory_id: + return doc + return None + elif self.storage_backend == 'memory': + for doc in self.memory_storage: + if doc.get("trajectory_id") == trajectory_id: + return doc + return None + + def _trajectory_to_tensor_dict(self, trajectory: Dict) -> TensorDict: + """ + Convert a trajectory to a TensorDict format suitable for Verl. + + Args: + trajectory: Trajectory data + + Returns: + TensorDict representation of the trajectory + """ + # Extract relevant data from trajectory + conversation = trajectory.get("conversation", []) + + # Create tensor representations + observations = [] + actions = [] + rewards = [] + + for i, msg in enumerate(conversation): + if msg.get("from") == "human": + # This is an observation + observations.append(msg.get("value", "")) + elif msg.get("from") == "gpt": + # This is an action + actions.append(msg.get("value", "")) + + # If not the last message, we can extract reward + if i < len(conversation) - 1: + rewards.append(0) # Intermediate rewards are 0 + + # Add final reward + final_reward = trajectory.get("reward", 0.0) + if rewards: + rewards[-1] = final_reward + + # Convert to tensors + dummy_obs = torch.zeros(len(observations), 10) # Placeholder + dummy_actions = torch.zeros(len(actions), 5) # Placeholder + reward_tensor = torch.tensor(rewards + [final_reward]) + + # Create TensorDict + td = TensorDict({ + "observation": dummy_obs, + "action": dummy_actions, + "reward": reward_tensor, + "done": torch.tensor([0] * (len(rewards)) + [1]), # Last step is done + }, batch_size=[len(rewards) + 1]) + + return td + + def to_data_proto(self, trajectories: List[Dict]) -> 'verl.DataProto': + """ + Convert trajectories to Verl's DataProto format. + + Args: + trajectories: List of trajectory data + + Returns: + Verl DataProto containing the trajectories + """ + if not HAS_VERL: + raise ImportError("Verl is not installed. Please install it to use this feature.") + + # Convert each trajectory to TensorDict + tensor_dicts = [self._trajectory_to_tensor_dict(traj) for traj in trajectories] + + # Combine TensorDicts if there are multiple + if len(tensor_dicts) > 1: + # This is a simplified approach - may need adjustment based on your exact needs + combined_td = torch.cat(tensor_dicts, dim=0) + elif len(tensor_dicts) == 1: + combined_td = tensor_dicts[0] + else: + # Empty batch + combined_td = TensorDict({}, batch_size=[0]) + + # Create meta information + meta_info = { + "env_names": [traj.get("env_name") for traj in trajectories], + "task_ids": [traj.get("task_id") for traj in trajectories], + "trajectory_ids": [traj.get("trajectory_id") for traj in trajectories], + "timestamp": datetime.now().isoformat() + } + + # Create DataProto + data_proto = verl.DataProto(batch=combined_td, meta_info=meta_info) + + return data_proto + + @classmethod + def from_data_proto(cls, data_proto: 'verl.DataProto') -> List[Dict]: + """ + Convert a Verl DataProto back to a list of trajectories. + + Args: + data_proto: Verl DataProto containing trajectories + + Returns: + List of trajectory dictionaries + """ + # Extract TensorDict and meta information + batch = data_proto.batch + meta_info = data_proto.meta_info + + # Extract relevant data + env_names = meta_info.get("env_names", []) + task_ids = meta_info.get("task_ids", []) + trajectory_ids = meta_info.get("trajectory_ids", []) + + # Determine number of trajectories + num_trajectories = len(env_names) + + # Convert back to trajectory dictionaries + trajectories = [] + + for i in range(num_trajectories): + trajectory = { + "trajectory_id": trajectory_ids[i] if i < len(trajectory_ids) else str(uuid.uuid4()), + "env_name": env_names[i] if i < len(env_names) else "unknown", + "task_id": task_ids[i] if i < len(task_ids) else -1, + "reward": 0.0, + "conversation": [] + } + trajectories.append(trajectory) + + return trajectories + + def delete_trajectory(self, trajectory_id: str) -> bool: + """ + Delete a trajectory by ID. + + Args: + trajectory_id: Unique ID of the trajectory + + Returns: + True if deleted successfully, False otherwise + """ + if self.storage_backend == 'mongodb': + result = self.collection.delete_one({"trajectory_id": trajectory_id}) + return result.deleted_count > 0 + + elif self.storage_backend == 'file': + # For file backend, we need to read all lines, filter out the one to delete, + # and rewrite the file + lines = [] + found = False + + with open(self.file_path, 'r') as f: + for line in f: + if not line.strip(): + continue + + doc = json.loads(line.strip()) + if doc.get("trajectory_id") == trajectory_id: + found = True + else: + lines.append(line) + + if found: + with open(self.file_path, 'w') as f: + f.writelines(lines) + + return found + + elif self.storage_backend == 'memory': + for i, doc in enumerate(self.memory_storage): + if doc.get("trajectory_id") == trajectory_id: + self.memory_storage.pop(i) + return True + + return False \ No newline at end of file diff --git a/openmanus_rl/agentgym/agentenv/agentenv/trainer/__init__.py b/openmanus_rl/agentgym/agentenv/agentenv/trainer/__init__.py new file mode 100644 index 00000000..06120dff --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/trainer/__init__.py @@ -0,0 +1,3 @@ +from .distributed_evaluator import DistributedEvaluator +from .agentevol_trainer import AgentEvolTrainer +from .bc_trainer import BCTrainer diff --git a/openmanus_rl/agentgym/agentenv/agentenv/trainer/agentevol_trainer.py b/openmanus_rl/agentgym/agentenv/agentenv/trainer/agentevol_trainer.py new file mode 100644 index 00000000..938eab3a --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/trainer/agentevol_trainer.py @@ -0,0 +1,623 @@ +import json +import os +from collections import defaultdict +from dataclasses import asdict +from datetime import timedelta +from functools import partial +from typing import Sequence + +import jsonlines +import numpy as np +import torch +import wandb +from accelerate import Accelerator, InitProcessGroupKwargs +from accelerate.utils import broadcast, gather_object +from agentenv.controller.agent import Agent +from agentenv.controller.task import BaseTask, GenerationConfig +from agentenv.controller.utils import BaseTrainer +from agentenv.trainer.utils import set_seed +from datasets import Dataset, DatasetDict +from torch.utils.data import DataLoader +from tqdm import tqdm +from transformers import AdamW, GenerationConfig, get_linear_schedule_with_warmup + + +class AgentEvolTrainer(BaseTrainer): + def __init__(self, agent: Agent, tasks: Sequence[BaseTask], args) -> None: + self.agent = agent + self.tasks = tasks + self.args = asdict(args) + + # data & loader + self.raw_dataset = None + self.train_dataset = None + self.train_dataloader = None + self.test_dataloader = None + self.inference_dataloader = None + + # accelerator + self.accelerator = None + + # train in parallel + self.optimizer = None + self.scheduler = None + + # log dict + self.best_eval_log_dict = {} + self.summary_log_dict = {} + + self.create_accelerator() + self.set_seed() + self.setup_tokenizer() + self.get_raw_dataset() + self.get_train_dataloader() + self.get_inference_test_dataloader() + self.setup_wandb() + self.init_train_stuff() + + def create_accelerator(self): + """ + Create the accelerator. + """ + self.accelerator = Accelerator( + gradient_accumulation_steps=self.args["gradient_accumulation_steps"], + kwargs_handlers=[InitProcessGroupKwargs(timeout=timedelta(seconds=18000))], + ) + + def set_seed(self): + """ + Set the random seed. + """ + set_seed(self.args["seed"] + self.accelerator.process_index) + + def setup_tokenizer(self): + """ + Setup the tokenizer. + """ + self.agent.tokenizer.pad_token_id = 0 + self.agent.tokenizer.eos_token_id = 2 + self.accelerator.print(f"[Vocab size]: {len(self.agent.tokenizer)}") + self.agent.model.resize_token_embeddings(len(self.agent.tokenizer)) + + def get_raw_dataset(self): + with self.accelerator.main_process_first(): + self.raw_dataset = DatasetDict( + { + "train": Dataset.from_list(json.load(open(self.args["train_file"], "r"))), + "inference": Dataset.from_list(json.load(open(self.args["inference_file"], "r"))), + "test": Dataset.from_list(json.load(open(self.args["test_file"], "r"))), + } + ) + self.accelerator.print("Raw data:", self.raw_dataset) + + def get_train_dataloader(self): + """ + create train_dataset 和 train_dataloader + """ + + def tokenize_fn(batch, args, tokenizer): + # tokenizer.chat_template = "{% if messages[0]['role'] == 'system' %}{% set loop_messages = messages[1:] %}{% set system_message = messages[0]['content'] %}{% else %}{% set loop_messages = messages %}{% set system_message = false %}{% endif %}{% for message in loop_messages %}{% if (message['role'] == 'user') != (loop.index0 % 2 == 0) %}{{ raise_exception('Conversation roles must alternate user/assistant/user/assistant/...') }}{% endif %}{% if loop.index0 == 0 and system_message != false %}{% set content = '<>\\n' + system_message + '\\n<>\\n\\n' + message['content'] %}{% else %}{% set content = message['content'] %}{% endif %}{% if message['role'] == 'user' %}{{ bos_token + '[INST] ' + content | trim + ' [/INST]' }}{% elif message['role'] == 'assistant' %}{{ ' ' + content | trim + ' ' + eos_token }}{% endif %}{% endfor %}" + assert tokenizer.eos_token_id is not None, ( + tokenizer.eos_token_id, + tokenizer.eos_token, + ) + new_batch = defaultdict(list) + all_keys = list(batch.keys()) + for item_values in zip(*(batch[k] for k in all_keys)): + item = {k: item_values[i] for i, k in enumerate(all_keys)} + item_id, conversations = (item["item_id"], item["conversations"]) + + input_ids = [] + labels = [] + for message in conversations: + if message["from"] == "human": + text = f"[INST] {message['value']} [/INST]" + input_encode = tokenizer.encode(text, add_special_tokens=False) + input_ids.extend(input_encode) + labels.extend([-100] * len(input_encode)) + else: + # message["from"] == "gpt": + text = f" {message['value']}" + input_encode = tokenizer.encode(text, add_special_tokens=False) + input_encode += [tokenizer.eos_token_id] + input_ids.extend(input_encode) + labels.extend(input_encode) + + attention_mask = [1] * len(input_ids) + + # Truncation + input_ids_max_length = len(input_ids) + # assert input_ids_max_length <= args['max_input_length'], input_ids_max_length + input_ids = input_ids[: args["max_input_length"]] + labels = labels[: args["max_input_length"]] + attention_mask = attention_mask[: args["max_input_length"]] + + ## + new_batch["input_ids"].append(input_ids) + new_batch["labels"].append(labels) + new_batch["attention_mask"].append(attention_mask) + ## + new_batch["item_id"].append(item_id) + new_batch["input_ids_max_length"].append(input_ids_max_length) + + return new_batch + + tokenized_dataset = DatasetDict( + { + "train": self.raw_dataset["train"].map( + tokenize_fn, + fn_kwargs={ + "args": self.args, + "tokenizer": self.agent.tokenizer, + }, + batched=True, + remove_columns=self.raw_dataset["train"].column_names, + num_proc=8, + load_from_cache_file=False, + ) + } + ) + self.accelerator.print("Processed data:", tokenized_dataset) + for mode, dataset in tokenized_dataset.items(): + self.accelerator.print( + f"\n{mode}_input_ids_max_length", + max(dataset["input_ids_max_length"]), + ) + + def collate_fn(batch, tokenizer): + max_input_length = max([len(item["input_ids"]) for item in batch]) + max_target_length = max([len(item["labels"]) for item in batch]) + input_ids = [] + attention_mask = [] + labels = [] + + for item in batch: + input_ids.append( + item["input_ids"] + [tokenizer.pad_token_id] * (max_input_length - len(item["input_ids"])) + ) + attention_mask.append( + item["attention_mask"] + [0] * (max_input_length - len(item["attention_mask"])) + ) + labels.append(item["labels"] + [-100] * (max_target_length - len(item["labels"]))) + + forward_kwargs = { + "input_ids": torch.LongTensor(input_ids), + "attention_mask": torch.BoolTensor(attention_mask), + "labels": torch.LongTensor(labels), + } + return {"forward_kwargs": forward_kwargs} + + self.train_dataset = tokenized_dataset["train"] + self.train_dataloader = DataLoader( + tokenized_dataset["train"], + shuffle=True, + batch_size=self.args["batch_size"], + num_workers=self.args["num_workers"], + pin_memory=True, + collate_fn=partial(collate_fn, tokenizer=self.agent.tokenizer), + ) + self.accelerator.print("Number of train batches:", len(self.train_dataloader)) + + def get_inference_test_dataloader(self): + """ + create inference_dataloader, test_dataloader + """ + + def collate_fn(batch): + result = {"data_idxs": [int(item["item_id"].split("_")[-1]) for item in batch]} + return result + + with self.accelerator.main_process_first(): + self.inference_dataloader = DataLoader( + self.raw_dataset["inference"], + batch_size=self.args["eval_batch_size"], + num_workers=self.args["num_workers"], + pin_memory=True, + collate_fn=partial(collate_fn), + ) + + self.test_dataloader = DataLoader( + self.raw_dataset["test"], + batch_size=self.args["eval_batch_size"], + num_workers=self.args["num_workers"], + pin_memory=True, + collate_fn=partial(collate_fn), + ) + self.accelerator.print("Number of inference batches:", len(self.inference_dataloader)) + self.accelerator.print("Number of test batches:", len(self.test_dataloader)) + + def setup_wandb(self): + """ + Set the wandb. + """ + if torch.distributed.get_rank() == 0 and self.args["wandb_log"]: + wandb.init( + project=self.args["wandb_project"], + name=self.args["wandb_run_name"], + ) + wandb.config.update(self.args) + + if self.accelerator.is_main_process and self.args["wandb_log"]: + wandb.run.summary.update( + { + "pad_token_id": self.agent.tokenizer.pad_token_id, + "eos_token_id": self.agent.tokenizer.eos_token_id, + "unk_token_id": self.agent.tokenizer.unk_token_id, + "vocab_size": len(self.agent.tokenizer), + } + ) + + def save_model(self, model, tokenizer, save_path): + os.makedirs(save_path, exist_ok=True) + + unwrapped_model = self.accelerator.unwrap_model(model) + unwrapped_model.save_pretrained( + save_path, + is_main_process=self.accelerator.is_main_process, + save_function=self.accelerator.save, + state_dict=self.accelerator.get_state_dict(model), + ) + tokenizer.save_pretrained(save_path) + + def init_train_stuff(self): + """ + Initialize the training stuff, including the optimizer, scheduler, etc. + Prepare the model, optimizer, and dataloader. + """ + num_training_steps = ( + len(self.train_dataloader) // self.accelerator.num_processes * self.args["n_epochs"] + ) // self.args["gradient_accumulation_steps"] + warmup_step = ( + self.args["warmup_step"] + if self.args["warmup_step"] is not None and self.args["warmup_step"] >= 0 + else int(0.1 * num_training_steps) + ) + optimizer_grouped_parameters = [ + { + "params": [ + p + for n, p in self.agent.model.named_parameters() + if not any(nd in n for nd in ["bias", "LayerNorm.weight"]) + ], + "weight_decay": self.args["weight_decay"], + }, + { + "params": [ + p + for n, p in self.agent.model.named_parameters() + if any(nd in n for nd in ["bias", "LayerNorm.weight"]) + ], + "weight_decay": 0.0, + }, + ] + + self.optimizer = AdamW(optimizer_grouped_parameters, lr=self.args["learning_rate"], eps=1e-8) + self.scheduler = get_linear_schedule_with_warmup( + self.optimizer, + num_warmup_steps=warmup_step, + num_training_steps=num_training_steps, + ) + + self.accelerator.print( + f"***** Running training *****\n" + f" Num examples = {len(self.train_dataset)}\n" + f" Num Epochs = {self.args['n_epochs']}\n" + f" Instantaneous batch size per device = {self.args['batch_size']}\n" + f" Total train batch size (w. parallel, distributed & accumulation) = {self.args['batch_size']*self.accelerator.num_processes*self.args['gradient_accumulation_steps']}\n" + f" Total optimization steps = {num_training_steps}\n" + f" Warm up step: {warmup_step}\n" + f" Learning rate: {self.args['learning_rate']}\n" + ) + + ( + self.agent.model, + self.optimizer, + self.train_dataloader, + self.inference_dataloader, + self.test_dataloader, + ) = self.accelerator.prepare( + self.agent.model, + self.optimizer, + self.train_dataloader, + self.inference_dataloader, + self.test_dataloader, + ) + + def train_one_epoch(self, epoch, global_step): + clip_grad_norm = self.args.get("clip_grad_norm", None) + logging_step_freq = self.args.get("logging_step_freq", None) + self.agent.model.train() + epoch_result_dict = defaultdict(list) + with tqdm( + enumerate(self.train_dataloader), + total=len(self.train_dataloader), + disable=not self.accelerator.is_main_process, + desc=f"Train Loop | Epoch {epoch}", + ) as t: + for idx, batch in t: + with self.accelerator.accumulate(self.agent.model): + output = self.agent.model(**batch["forward_kwargs"]) + # Get some metrics + loss = output[0] + result_dict, extra = {}, None + # Update + self.accelerator.backward(loss) + if self.accelerator.sync_gradients: + if clip_grad_norm is not None: + self.accelerator.clip_grad_norm_(self.agent.model.parameters(), clip_grad_norm) + self.optimizer.step() + self.optimizer.zero_grad() + if self.accelerator.sync_gradients: + self.scheduler.step() + + if self.accelerator.sync_gradients: + global_step += 1 + # Step update metric + epoch_result_dict["loss"].append(loss.item()) + for k, v in result_dict.items(): + epoch_result_dict[k].append(v) + + # Step logging + train_log_dict = {} + if logging_step_freq is not None and global_step % logging_step_freq == 0: + train_log_dict = { + f"T.{k}": sum(v) / len(v) if isinstance(v, list) else v + for k, v in epoch_result_dict.items() + } + + if train_log_dict: + log_dict = { + "lr": self.scheduler.get_last_lr()[0], + **train_log_dict, + } + if self.accelerator.is_main_process and self.args["wandb_log"]: + wandb.log(log_dict, step=global_step) + log_dict = { + "wandb": self.args["wandb_project"] + "|" + self.args["wandb_run_name"], + **log_dict, + } + log_dict = {k: f"{v:.5g}" if isinstance(v, float) else v for k, v in log_dict.items()} + self.accelerator.print( + f"[E={epoch}/{self.args['n_epochs']}, S={global_step}] {log_dict}" + ) + + # Keep only max_record items + for k, v in epoch_result_dict.items(): + if len(v) > 1: + epoch_result_dict[k] = v[-1:] + + # Metric summary: + epoch_result_dict = { + k: (sum(v) / len(v) if isinstance(v, list) else v) for k, v in epoch_result_dict.items() + } + return epoch_result_dict, global_step + + def train(self): + """ + Train the model. + """ + global_step = 0 + n_epochs = self.args["n_epochs"] + logging_epoch_freq = self.args["logging_epoch_freq"] + evaluating_epoch_freq = self.args["evaluating_epoch_freq"] + saving_epoch_freq = self.args["saving_epoch_freq"] + model_save_path = self.args["model_save_path"] + os.makedirs(model_save_path, exist_ok=True) + with tqdm(range(1, n_epochs + 1), total=n_epochs, disable=False) as t: + for epoch in t: + train_epoch_result_dict, global_step = self.train_one_epoch(epoch, global_step) + + eval_log_dict = {} + is_best = False + if evaluating_epoch_freq is not None and epoch % evaluating_epoch_freq == 0: + evaluate_result_dict = { + f"Eval.Gen.{k}": v for k, v in self.eval_test_dataloader().items() + } + eval_log_dict.update(evaluate_result_dict) + if eval_log_dict["Eval.Gen.success"] > self.best_eval_log_dict.get( + "Eval.Gen.success_best", 0 + ): + is_best = True + self.best_eval_log_dict["Eval.Gen.success_best"] = eval_log_dict["Eval.Gen.success"] + if "Eval.Gen.success" not in self.summary_log_dict: + self.summary_log_dict["Eval.Gen.success"] = [] + self.summary_log_dict["Eval.Gen.success"].append(eval_log_dict["Eval.Gen.success"]) + + train_log_dict = {} + if logging_epoch_freq is not None and epoch % logging_epoch_freq == 0: + train_log_dict = { + f"T.{k}": sum(v) / len(v) if isinstance(v, list) else v + for k, v in train_epoch_result_dict.items() + } + + if train_log_dict or eval_log_dict: + log_dict = { + "lr": self.scheduler.get_last_lr()[0], + **train_log_dict, + **eval_log_dict, + **self.best_eval_log_dict, + } + if self.accelerator.is_main_process and self.args["wandb_log"]: + wandb.log(log_dict, step=global_step) + log_dict = { + "wandb": self.args["wandb_project"] + "|" + self.args["wandb_run_name"], + **log_dict, + } + log_dict = {k: f"{v:.5g}" if isinstance(v, float) else v for k, v in log_dict.items()} + self.accelerator.print(f"[E={epoch}/{self.args['n_epochs']}, S={global_step}] {log_dict}") + + if saving_epoch_freq is not None and epoch % saving_epoch_freq == 0: + # if is_best: + self.save_model(self.agent.model, self.agent.tokenizer, model_save_path) + self.agent.model = self.accelerator.unwrap_model(self.agent.model) + return + + def eval_test_dataloader(self, dataloader=None): + self.agent.model.eval() + all_rewards = [] + all_success = [] + if dataloader is None: + dataloader = self.test_dataloader + + for step, batch in tqdm( + enumerate(dataloader), + total=len(dataloader), + disable=not self.accelerator.is_main_process, + desc="Evaluation Gen Loop", + ): + data_idxs = batch["data_idxs"] + + with torch.no_grad(): + exps = self.eval( + generation_config=GenerationConfig( + max_length=4096, + do_sample=False, + eos_token_id=self.agent.tokenizer.eos_token_id, + pad_token_id=( + self.agent.tokenizer.pad_token_id + if self.agent.tokenizer.pad_token_id is not None + else self.agent.tokenizer.unk_token_id + ), + ), + max_rounds=self.args["max_round"], + idxs=data_idxs, + ) + + cur_batch_rewards = torch.FloatTensor([exp.reward for exp in exps.experiences]).to( + self.accelerator.device + ) + cur_batch_success = torch.FloatTensor( + [1 if exp.reward == 1 else 0 for exp in exps.experiences] + ).to(self.accelerator.device) + all_device_batch_rewards = self.accelerator.gather(cur_batch_rewards) + all_device_batch_success = self.accelerator.gather(cur_batch_success) + all_rewards.extend(all_device_batch_rewards.cpu().numpy().tolist()) + all_success.extend(all_device_batch_success.cpu().numpy().tolist()) + # fix for duplicated data + all_rewards = all_rewards[: len(dataloader.dataset)] + all_success = all_success[: len(dataloader.dataset)] + + if self.accelerator.is_main_process and self.accelerator.is_local_main_process: + mean_reward = torch.FloatTensor([np.mean(all_rewards)]).to(self.accelerator.device) + mean_success = torch.FloatTensor([np.mean(all_success)]).to(self.accelerator.device) + else: + mean_reward = torch.FloatTensor([-1.0]).to(self.accelerator.device) + mean_success = torch.FloatTensor([-1.0]).to(self.accelerator.device) + + mean_reward = broadcast(mean_reward).cpu().numpy().tolist()[0] + mean_success = broadcast(mean_success).cpu().numpy().tolist()[0] + self.accelerator.print("\n\n==== Test Evaluation ====\n") + self.accelerator.print(f"Score: {mean_reward:.5f}") + self.accelerator.print(f"Success: {mean_success:.5f}") + + return {"score": mean_reward, "success": mean_success} + + def inference_and_filter(self, dataloader, iter): + self.agent.model.eval() + all_rewards = [] + all_success = [] + + iter_data_file_path = os.path.join(self.args["iter_data_path"], f"webshop_iter_{iter + 1}.jsonl") + + for _, batch in tqdm( + enumerate(dataloader), + total=len(dataloader), + disable=not self.accelerator.is_main_process, + desc="Inference Gen Loop", + ): + data_idxs = batch["data_idxs"] + + with torch.no_grad(): + exps = self.eval( + generation_config=GenerationConfig( + max_length=4096, + do_sample=True, + temperature=1.2, + eos_token_id=self.agent.tokenizer.eos_token_id, + pad_token_id=( + self.agent.tokenizer.pad_token_id + if self.agent.tokenizer.pad_token_id is not None + else self.agent.tokenizer.unk_token_id + ), + ), + max_rounds=self.args["max_round"], + idxs=data_idxs, + ) + + cur_batch_rewards = torch.FloatTensor([exp.reward for exp in exps.experiences]).to( + self.accelerator.device + ) + cur_batch_success = torch.FloatTensor( + [1 if exp.reward == 1 else 0 for exp in exps.experiences] + ).to(self.accelerator.device) + cur_batch_data_idx = torch.tensor(data_idxs).to(self.accelerator.device) + + # gather operation + all_device_batch_rewards = self.accelerator.gather(cur_batch_rewards) + all_device_batch_success = self.accelerator.gather(cur_batch_success) + all_device_batch_exp = gather_object(exps.experiences) + all_device_data_idx = self.accelerator.gather(cur_batch_data_idx) + all_rewards.extend(all_device_batch_rewards.cpu().numpy().tolist()) + all_success.extend(all_device_batch_success.cpu().numpy().tolist()) + + # write inference results to file + if self.accelerator.is_main_process: + inference_file_path = os.path.join( + self.args["model_save_path"], f"inference_iter_{iter + 1}.jsonl" + ) + with jsonlines.open(inference_file_path, mode="a") as f: + for idx, exp in enumerate(all_device_batch_exp): + cur_idx = all_device_data_idx[idx] + conversation = exp.conversation + cur_reward = exp.reward + cur_success = 1 if exp.reward == 1 else 0 + item_id = f"{self.args['task_name']}_{cur_idx}" + f.write( + { + "conversations": conversation, + "item_id": item_id, + "reward": cur_reward, + "success": cur_success, + } + ) + # filter data with high reward + with jsonlines.open(iter_data_file_path, mode="a") as f: + for idx, exp in enumerate(all_device_batch_exp): + if exp.reward > 0.99: + cur_idx = all_device_data_idx[idx] + conversation = exp.conversation + item_id = f"webshop_{cur_idx}" + f.write({"conversations": conversation, "item_id": item_id}) + + # fix for duplicated data + all_rewards = all_rewards[: len(dataloader.dataset)] + all_success = all_success[: len(dataloader.dataset)] + + if self.accelerator.is_main_process and self.accelerator.is_local_main_process: + mean_reward = torch.FloatTensor([np.mean(all_rewards)]).to(self.accelerator.device) + mean_success = torch.FloatTensor([np.mean(all_success)]).to(self.accelerator.device) + else: + mean_reward = torch.FloatTensor([-1.0]).to(self.accelerator.device) + mean_success = torch.FloatTensor([-1.0]).to(self.accelerator.device) + + mean_reward = broadcast(mean_reward).cpu().numpy().tolist()[0] + mean_success = broadcast(mean_success).cpu().numpy().tolist()[0] + self.accelerator.print("\n\n==== Inference Evaluation ====\n") + self.accelerator.print(f"Score: {mean_reward:.5f}") + self.accelerator.print(f"Success: {mean_success:.5f}") + + # add original data + if self.accelerator.is_main_process and self.accelerator.is_local_main_process: + with jsonlines.open(iter_data_file_path, mode="a") as f: + for data_item in self.raw_dataset["train"]: + item_id = data_item["item_id"] + conversations = data_item["conversations"] + f.write({"conversations": conversations, "item_id": item_id}) + + return {"score": mean_reward, "success": mean_success} + + def evol(self): + self.accelerator.print(f"[Iter {self.args['iter_num']+1}]") + + self.accelerator.print("[Agent Evol Trainer] Start training.") + self.train() diff --git a/openmanus_rl/agentgym/agentenv/agentenv/trainer/bc_trainer.py b/openmanus_rl/agentgym/agentenv/agentenv/trainer/bc_trainer.py new file mode 100644 index 00000000..07d85016 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/trainer/bc_trainer.py @@ -0,0 +1,617 @@ +import json +import os +from collections import defaultdict +from dataclasses import asdict +from datetime import timedelta +from functools import partial +from typing import Sequence + +import jsonlines +import numpy as np +import torch +import wandb +from accelerate import Accelerator, InitProcessGroupKwargs +from accelerate.utils import broadcast, gather_object +from agentenv.controller import Agent +from agentenv.controller.agent import Agent +from agentenv.controller.task import BaseTask +from agentenv.controller.utils import BaseTrainer +from agentenv.trainer.utils import set_seed +from datasets import Dataset, DatasetDict +from torch.utils.data import DataLoader +from tqdm import tqdm +from transformers import AdamW, GenerationConfig, get_linear_schedule_with_warmup + + +class BCTrainer(BaseTrainer): + def __init__(self, agent: Agent, tasks: Sequence[BaseTask], args) -> None: + self.agent = agent + self.tasks = tasks + self.args = asdict(args) + + # data & loader + self.train_dataset = None + self.train_dataloader = None + self.test_dataloader = None + + # accelerator + self.accelerator = None + + # train in parallel + self.optimizer = None + self.scheduler = None + + # log dict + self.best_eval_log_dict = {} + self.summary_log_dict = {} + + self.create_accelerator() + self.set_seed() + self.setup_tokenizer() + self.get_raw_dataset() + self.get_train_dataloader() + self.get_inference_test_dataloader() + self.setup_wandb() + self.init_train_stuff() + + def create_accelerator(self): + """ + Create the accelerator. + """ + self.accelerator = Accelerator( + gradient_accumulation_steps=self.args["gradient_accumulation_steps"], + kwargs_handlers=[InitProcessGroupKwargs(timeout=timedelta(seconds=18000))], + ) # wait for processing upto 5hrs + + def set_seed(self): + """ + Set the random seed. + """ + set_seed(self.args["seed"] + self.accelerator.process_index) + + def setup_tokenizer(self): + """ + Setup the tokenizer. + """ + self.agent.tokenizer.pad_token_id = 0 + self.agent.tokenizer.eos_token_id = 2 + self.accelerator.print(f"[Vocab size]: {len(self.agent.tokenizer)}") + self.agent.model.resize_token_embeddings(len(self.agent.tokenizer)) + + def get_raw_dataset(self): + with self.accelerator.main_process_first(): + self.raw_dataset = DatasetDict( + { + "train": Dataset.from_list( + json.load(open(self.args["train_file"], "r")) + ), + "inference": Dataset.from_list( + json.load(open(self.args["inference_file"], "r")) + ), + "test": Dataset.from_list( + json.load(open(self.args["test_file"], "r")) + ), + } + ) + self.accelerator.print("Raw data:", self.raw_dataset) + + def get_train_dataloader(self): + """ + create train_dataset and train_dataloader + """ + + def tokenize_fn(batch, args, tokenizer): + # tokenizer.chat_template = "{% if messages[0]['role'] == 'system' %}{% set loop_messages = messages[1:] %}{% set system_message = messages[0]['content'] %}{% else %}{% set loop_messages = messages %}{% set system_message = false %}{% endif %}{% for message in loop_messages %}{% if (message['role'] == 'user') != (loop.index0 % 2 == 0) %}{{ raise_exception('Conversation roles must alternate user/assistant/user/assistant/...') }}{% endif %}{% if loop.index0 == 0 and system_message != false %}{% set content = '<>\\n' + system_message + '\\n<>\\n\\n' + message['content'] %}{% else %}{% set content = message['content'] %}{% endif %}{% if message['role'] == 'user' %}{{ bos_token + '[INST] ' + content | trim + ' [/INST]' }}{% elif message['role'] == 'assistant' %}{{ ' ' + content | trim + ' ' + eos_token }}{% endif %}{% endfor %}" + assert tokenizer.eos_token_id is not None, ( + tokenizer.eos_token_id, + tokenizer.eos_token, + ) + new_batch = defaultdict(list) + all_keys = list(batch.keys()) + for item_values in zip(*(batch[k] for k in all_keys)): + item = {k: item_values[i] for i, k in enumerate(all_keys)} + item_id, conversations = (item["item_id"], item["conversations"]) + + input_ids = [] + labels = [] + + for message in conversations: + if message["from"] == "human": + text = f"[INST] {message['value']} [/INST]" + input_encode = tokenizer.encode(text, add_special_tokens=False) + input_ids.extend(input_encode) + labels.extend([-100] * len(input_encode)) + else: + # message["from"] == "gpt": + # text = f" {message['value']}" + text = f" {message['value']}" + input_encode = tokenizer.encode(text, add_special_tokens=False) + input_encode += [tokenizer.eos_token_id] + input_ids.extend(input_encode) + labels.extend(input_encode) + + attention_mask = [1] * len(input_ids) + + # Truncation + input_ids_max_length = len(input_ids) + # assert input_ids_max_length <= args['max_input_length'], input_ids_max_length + input_ids = input_ids[: args["max_input_length"]] + labels = labels[: args["max_input_length"]] + attention_mask = attention_mask[: args["max_input_length"]] + + ## + new_batch["input_ids"].append(input_ids) + new_batch["labels"].append(labels) + new_batch["attention_mask"].append(attention_mask) + ## + new_batch["item_id"].append(item_id) + new_batch["input_ids_max_length"].append(input_ids_max_length) + + return new_batch + + tokenized_dataset = DatasetDict( + { + "train": self.raw_dataset["train"].map( + tokenize_fn, + fn_kwargs={ + "args": self.args, + "tokenizer": self.agent.tokenizer, + }, + batched=True, + remove_columns=self.raw_dataset["train"].column_names, + num_proc=8, + load_from_cache_file=False, + ) + } + ) + self.accelerator.print("Processed data:", tokenized_dataset) + for mode, dataset in tokenized_dataset.items(): + self.accelerator.print( + f"\n{mode}_input_ids_max_length", + max(dataset["input_ids_max_length"]), + ) + + def collate_fn(batch, tokenizer): + max_input_length = max([len(item["input_ids"]) for item in batch]) + max_target_length = max([len(item["labels"]) for item in batch]) + input_ids = [] + attention_mask = [] + labels = [] + + for item in batch: + input_ids.append( + item["input_ids"] + + [tokenizer.pad_token_id] + * (max_input_length - len(item["input_ids"])) + ) + attention_mask.append( + item["attention_mask"] + + [0] * (max_input_length - len(item["attention_mask"])) + ) + labels.append( + item["labels"] + [-100] * (max_target_length - len(item["labels"])) + ) + + forward_kwargs = { + "input_ids": torch.LongTensor(input_ids), + "attention_mask": torch.BoolTensor(attention_mask), + "labels": torch.LongTensor(labels), + } + return {"forward_kwargs": forward_kwargs} + + self.train_dataset = tokenized_dataset["train"] + self.train_dataloader = DataLoader( + tokenized_dataset["train"], + shuffle=True, + batch_size=self.args["batch_size"], + num_workers=self.args["num_workers"], + pin_memory=True, + collate_fn=partial(collate_fn, tokenizer=self.agent.tokenizer), + ) + self.accelerator.print("Number of train batches:", len(self.train_dataloader)) + + def get_inference_test_dataloader(self): + """ + create inference_dataloader, test_dataloader + """ + + def collate_fn(batch): + result = { + "data_idxs": [int(item["item_id"].split("_")[-1]) for item in batch] + } + return result + + with self.accelerator.main_process_first(): + + self.inference_dataloader = DataLoader( + self.raw_dataset["inference"], + batch_size=self.args["eval_batch_size"], + num_workers=self.args["num_workers"], + pin_memory=True, + collate_fn=partial(collate_fn), + ) + + self.test_dataloader = DataLoader( + self.raw_dataset["test"], + batch_size=self.args["eval_batch_size"], + num_workers=self.args["num_workers"], + pin_memory=True, + collate_fn=partial(collate_fn), + ) + self.accelerator.print( + "Number of inference batches:", len(self.inference_dataloader) + ) + self.accelerator.print("Number of test batches:", len(self.test_dataloader)) + + def setup_wandb(self): + """ + Set the wandb. + """ + # os.environ["WANDB_MODE"] = "offline" + if torch.distributed.get_rank() == 0 and self.args["wandb_log"]: + wandb.init( + project=self.args["wandb_project"], + name=self.args["wandb_run_name"], + ) + wandb.config.update(self.args) + + if self.accelerator.is_main_process and self.args["wandb_log"]: + wandb.run.summary.update( + { + "pad_token_id": self.agent.tokenizer.pad_token_id, + "eos_token_id": self.agent.tokenizer.eos_token_id, + "unk_token_id": self.agent.tokenizer.unk_token_id, + "vocab_size": len(self.agent.tokenizer), + } + ) + + def save_model(self, model, tokenizer, save_path): + os.makedirs(save_path, exist_ok=True) + + unwrapped_model = self.accelerator.unwrap_model(model) + unwrapped_model.save_pretrained( + save_path, + is_main_process=self.accelerator.is_main_process, + save_function=self.accelerator.save, + state_dict=self.accelerator.get_state_dict(model), + ) + tokenizer.save_pretrained(save_path) + + def init_train_stuff(self): + """ + Initialize the training stuff, including the optimizer, scheduler, etc. + Prepare the model, optimizer, and dataloader. + """ + num_training_steps = ( + len(self.train_dataloader) + // self.accelerator.num_processes + * self.args["n_epochs"] + ) // self.args["gradient_accumulation_steps"] + warmup_step = ( + self.args["warmup_step"] + if self.args["warmup_step"] is not None and self.args["warmup_step"] >= 0 + else int(0.1 * num_training_steps) + ) + optimizer_grouped_parameters = [ + { + "params": [ + p + for n, p in self.agent.model.named_parameters() + if not any(nd in n for nd in ["bias", "LayerNorm.weight"]) + ], + "weight_decay": self.args["weight_decay"], + }, + { + "params": [ + p + for n, p in self.agent.model.named_parameters() + if any(nd in n for nd in ["bias", "LayerNorm.weight"]) + ], + "weight_decay": 0.0, + }, + ] + + self.optimizer = AdamW( + optimizer_grouped_parameters, lr=self.args["learning_rate"], eps=1e-8 + ) + self.scheduler = get_linear_schedule_with_warmup( + self.optimizer, + num_warmup_steps=warmup_step, + num_training_steps=num_training_steps, + ) + + self.accelerator.print( + f"***** Running training *****\n" + f" Num examples = {len(self.train_dataset)}\n" + f" Num Epochs = {self.args['n_epochs']}\n" + f" Instantaneous batch size per device = {self.args['batch_size']}\n" + f" Total train batch size (w. parallel, distributed & accumulation) = {self.args['batch_size']*self.accelerator.num_processes*self.args['gradient_accumulation_steps']}\n" + f" Total optimization steps = {num_training_steps}\n" + f" Warm up step: {warmup_step}\n" + f" Learning rate: {self.args['learning_rate']}\n" + ) + + ( + self.agent.model, + self.optimizer, + self.train_dataloader, + self.inference_dataloader, + self.test_dataloader, + ) = self.accelerator.prepare( + self.agent.model, + self.optimizer, + self.train_dataloader, + self.inference_dataloader, + self.test_dataloader, + ) + + def train_one_epoch(self, epoch, global_step): + clip_grad_norm = self.args.get("clip_grad_norm", None) + logging_step_freq = self.args.get("logging_step_freq", None) + self.agent.model.train() + epoch_result_dict = defaultdict(list) + with tqdm( + enumerate(self.train_dataloader), + total=len(self.train_dataloader), + disable=not self.accelerator.is_main_process, + desc=f"Train Loop | Epoch {epoch}", + ) as t: + for idx, batch in t: + with self.accelerator.accumulate(self.agent.model): + output = self.agent.model(**batch["forward_kwargs"]) + # train_data_idx = batch["item_id"] + # # Print train_data_idx + # self.accelerator.print("Train data idx:", train_data_idx) + # Get some metrics + loss = output[0] + result_dict, extra = {}, None + # Update + self.accelerator.backward(loss) + if self.accelerator.sync_gradients: + if clip_grad_norm is not None: + self.accelerator.clip_grad_norm_( + self.agent.model.parameters(), clip_grad_norm + ) + self.optimizer.step() + self.optimizer.zero_grad() + if self.accelerator.sync_gradients: + self.scheduler.step() + + if self.accelerator.sync_gradients: + global_step += 1 + # Step update metric + epoch_result_dict["loss"].append(loss.item()) + for k, v in result_dict.items(): + epoch_result_dict[k].append(v) + + # Step logging + train_log_dict = {} + if ( + logging_step_freq is not None + and global_step % logging_step_freq == 0 + ): + train_log_dict = { + f"T.{k}": sum(v) / len(v) if isinstance(v, list) else v + for k, v in epoch_result_dict.items() + } + + if train_log_dict: + log_dict = { + "lr": self.scheduler.get_last_lr()[0], + **train_log_dict, + } + if self.accelerator.is_main_process and self.args["wandb_log"]: + wandb.log(log_dict, step=global_step) + log_dict = { + "wandb": self.args["wandb_project"] + + "|" + + self.args["wandb_run_name"], + **log_dict, + } + log_dict = { + k: f"{v:.5g}" if isinstance(v, float) else v + for k, v in log_dict.items() + } + self.accelerator.print( + f"[E={epoch}/{self.args['n_epochs']}, S={global_step}] {log_dict}" + ) + + # Keep only max_record items + for k, v in epoch_result_dict.items(): + if len(v) > 1: + epoch_result_dict[k] = v[-1:] + + # Metric summary: + epoch_result_dict = { + k: (sum(v) / len(v) if isinstance(v, list) else v) + for k, v in epoch_result_dict.items() + } + return epoch_result_dict, global_step + + def train(self): + """ + Train the model. + """ + global_step = 0 + n_epochs = self.args["n_epochs"] + logging_epoch_freq = self.args["logging_epoch_freq"] + evaluating_epoch_freq = self.args["evaluating_epoch_freq"] + saving_epoch_freq = self.args["saving_epoch_freq"] + model_save_path = self.args["model_save_path"] + os.makedirs(model_save_path, exist_ok=True) + with tqdm(range(1, n_epochs + 1), total=n_epochs, disable=False) as t: + for epoch in t: + train_epoch_result_dict, global_step = self.train_one_epoch( + epoch, global_step + ) + + eval_log_dict = {} + is_best = False + if ( + evaluating_epoch_freq is not None + and epoch % evaluating_epoch_freq == 0 + ): + evaluate_result_dict = { + f"Eval.Gen.{k}": v + for k, v in self.eval_test_dataloader().items() + } + eval_log_dict.update(evaluate_result_dict) + if eval_log_dict["Eval.Gen.success"] > self.best_eval_log_dict.get( + "Eval.Gen.success_best", 0 + ): + is_best = True + self.best_eval_log_dict["Eval.Gen.success_best"] = ( + eval_log_dict["Eval.Gen.success"] + ) + if "Eval.Gen.success" not in self.summary_log_dict: + self.summary_log_dict["Eval.Gen.success"] = [] + self.summary_log_dict["Eval.Gen.success"].append( + eval_log_dict["Eval.Gen.success"] + ) + + train_log_dict = {} + if logging_epoch_freq is not None and epoch % logging_epoch_freq == 0: + train_log_dict = { + f"T.{k}": sum(v) / len(v) if isinstance(v, list) else v + for k, v in train_epoch_result_dict.items() + } + + if train_log_dict or eval_log_dict: + log_dict = { + "lr": self.scheduler.get_last_lr()[0], + **train_log_dict, + **eval_log_dict, + **self.best_eval_log_dict, + } + if self.accelerator.is_main_process and self.args["wandb_log"]: + wandb.log(log_dict, step=global_step) + log_dict = { + "wandb": self.args["wandb_project"] + + "|" + + self.args["wandb_run_name"], + **log_dict, + } + log_dict = { + k: f"{v:.5g}" if isinstance(v, float) else v + for k, v in log_dict.items() + } + self.accelerator.print( + f"[E={epoch}/{self.args['n_epochs']}, S={global_step}] {log_dict}" + ) + + if saving_epoch_freq is not None and epoch % saving_epoch_freq == 0: + # if is_best: + save_path = os.path.join(model_save_path, f"train_epoch_{epoch}") + self.save_model(self.agent.model, self.agent.tokenizer, save_path) + self.agent.model = self.accelerator.unwrap_model(self.agent.model) + + def eval_test_dataloader( + self, + dataloader=None, + do_sample=False, + temperature=1.0, + record_to_file=True, + ): + # test + self.agent.model.eval() + all_rewards = [] + all_success = [] + if dataloader is None: + dataloader = self.test_dataloader + + for _, batch in tqdm( + enumerate(dataloader), + total=len(dataloader), + disable=not self.accelerator.is_main_process, + desc="Evaluation Gen Loop", + ): + data_idxs = batch["data_idxs"] + self.accelerator.print("==== Batch inference data idxs ====", data_idxs) + with torch.no_grad(): + exps = self.eval( + generation_config=GenerationConfig( + max_length=4096, + do_sample=do_sample, + temperature=temperature, + eos_token_id=self.agent.tokenizer.eos_token_id, + pad_token_id=( + self.agent.tokenizer.pad_token_id + if self.agent.tokenizer.pad_token_id is not None + else self.agent.tokenizer.unk_token_id + ), + ), + max_rounds=self.args["max_round"], + idxs=data_idxs, + ) + + cur_batch_rewards = torch.FloatTensor( + [exp.reward for exp in exps.experiences] + ).to(self.accelerator.device) + cur_batch_success = torch.FloatTensor( + [1 if exp.reward == 1 else 0 for exp in exps.experiences] + ).to(self.accelerator.device) + cur_batch_data_idx = torch.tensor(data_idxs).to(self.accelerator.device) + + # gather operation + all_device_batch_rewards = self.accelerator.gather(cur_batch_rewards) + all_device_batch_success = self.accelerator.gather(cur_batch_success) + all_device_batch_exp = gather_object(exps.experiences) + all_device_data_idx = self.accelerator.gather(cur_batch_data_idx) + all_rewards.extend(all_device_batch_rewards.cpu().numpy().tolist()) + all_success.extend(all_device_batch_success.cpu().numpy().tolist()) + + # write inference results to file + if record_to_file and self.accelerator.is_main_process: + # write to file + inference_file_path = os.path.join( + self.args["model_save_path"], "inference.jsonl" + ) + with jsonlines.open(inference_file_path, mode="a") as f: + for idx, exp in enumerate(all_device_batch_exp): + cur_idx = all_device_data_idx[idx] + conversation = exp.conversation + cur_reward = exp.reward + cur_success = 1 if exp.reward == 1 else 0 + item_id = f"{self.args['task_name']}_{cur_idx}" + f.write( + { + "conversations": conversation, + "item_id": item_id, + "reward": cur_reward, + "success": cur_success, + } + ) + + # fix for duplicated data + all_rewards = all_rewards[: len(dataloader.dataset)] + all_success = all_success[: len(dataloader.dataset)] + + if self.accelerator.is_main_process and self.accelerator.is_local_main_process: + mean_reward = torch.FloatTensor([np.mean(all_rewards)]).to( + self.accelerator.device + ) + mean_success = torch.FloatTensor([np.mean(all_success)]).to( + self.accelerator.device + ) + else: + mean_reward = torch.FloatTensor([-1.0]).to(self.accelerator.device) + mean_success = torch.FloatTensor([-1.0]).to(self.accelerator.device) + + mean_reward = broadcast(mean_reward).cpu().numpy().tolist()[0] + mean_success = broadcast(mean_success).cpu().numpy().tolist()[0] + self.accelerator.print("\n\n==== Test Evaluation ====\n") + self.accelerator.print(f"Score: {mean_reward:.5f}") + self.accelerator.print(f"Success: {mean_success:.5f}") + + return {"score": mean_reward, "success": mean_success} + + def train_and_inference(self): + self.accelerator.print("[BC Trainer] Start training.") + self.train() + self.accelerator.print("[BC Trainer] Start inference.") + self.eval_test_dataloader( + dataloader=self.inference_dataloader, + do_sample=True, + temperature=1.2, + record_to_file=True, + ) diff --git a/openmanus_rl/agentgym/agentenv/agentenv/trainer/distributed_evaluator.py b/openmanus_rl/agentgym/agentenv/agentenv/trainer/distributed_evaluator.py new file mode 100644 index 00000000..97c2a627 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/trainer/distributed_evaluator.py @@ -0,0 +1,187 @@ +import json +import os +from dataclasses import asdict +from datetime import timedelta +from functools import partial +from typing import Sequence + +import jsonlines +import numpy as np +import torch +from accelerate import Accelerator, InitProcessGroupKwargs +from accelerate.utils import broadcast, gather_object +from agentenv.controller import Agent +from agentenv.controller.agent import Agent +from agentenv.controller.task import BaseTask, GenerationConfig +from agentenv.controller.utils import BaseTrainer +from agentenv.trainer.utils import set_seed +from datasets import Dataset, DatasetDict +from torch.utils.data import DataLoader +from tqdm import tqdm +from transformers import AdamW, GenerationConfig + + +class DistributedEvaluator(BaseTrainer): + def __init__(self, agent: Agent, tasks: Sequence[BaseTask], args) -> None: + self.agent = agent + self.tasks = tasks + self.args = asdict(args) + + # data & loader + self.raw_dataset = None + + # accelerator + self.accelerator = None + + self.create_accelerator() + self.set_seed() + self.setup_tokenizer() + self.get_raw_dataset() + self.get_inference_dataloader() + + def create_accelerator(self): + """ + Create the accelerator. + """ + self.accelerator = Accelerator( + kwargs_handlers=[InitProcessGroupKwargs(timeout=timedelta(seconds=18000))], + ) + + def set_seed(self): + """ + Set the random seed. + """ + set_seed(self.args["seed"] + self.accelerator.process_index) + + def setup_tokenizer(self): + """ + Setup the tokenizer. + """ + self.agent.tokenizer.pad_token_id = 0 + self.agent.tokenizer.eos_token_id = 2 + self.accelerator.print(f"[Vocab size]: {len(self.agent.tokenizer)}") + self.agent.model.resize_token_embeddings(len(self.agent.tokenizer)) + + def get_raw_dataset(self): + with self.accelerator.main_process_first(): + self.raw_dataset = DatasetDict( + { + "inference": Dataset.from_list( + json.load(open(self.args["inference_file"], "r")) + ), + } + ) + self.accelerator.print("Raw data:", self.raw_dataset) + + def get_inference_dataloader(self): + def collate_fn(batch): + result = { + "data_idxs": [int(item["item_id"].split("_")[-1]) for item in batch] + } + return result + + with self.accelerator.main_process_first(): + self.inference_dataloader = DataLoader( + self.raw_dataset["inference"], + batch_size=self.args["eval_batch_size"], + num_workers=self.args["num_workers"], + pin_memory=True, + collate_fn=partial(collate_fn), + ) + + self.accelerator.print( + "Number of inference batches:", len(self.inference_dataloader) + ) + + def generate(self, dataloader=None): + self.optimizer = AdamW(self.agent.model.parameters()) + self.agent.model, self.optimizer, self.inference_dataloader = ( + self.accelerator.prepare( + self.agent.model, self.optimizer, self.inference_dataloader + ) + ) + self.agent.model.eval() + all_rewards = [] + all_success = [] + if dataloader is None: + dataloader = self.inference_dataloader + + for _, batch in tqdm( + enumerate(dataloader), + total=len(dataloader), + disable=not self.accelerator.is_main_process, + desc="Inference Gen Loop", + ): + data_idxs = batch["data_idxs"] + with torch.no_grad(): + exps = self.eval( + generation_config=GenerationConfig( + max_length=4096, + do_sample=self.args["do_sample"], + temperature=self.args["temperature"], + eos_token_id=self.agent.tokenizer.eos_token_id, + pad_token_id=( + self.agent.tokenizer.pad_token_id + if self.agent.tokenizer.pad_token_id is not None + else self.agent.tokenizer.unk_token_id + ), + ), + max_rounds=self.args["max_round"], + idxs=data_idxs, + ) + + cur_batch_rewards = torch.FloatTensor( + [exp.reward for exp in exps.experiences] + ).to(self.accelerator.device) + cur_batch_success = torch.FloatTensor( + [1 if exp.reward == 1 else 0 for exp in exps.experiences] + ).to(self.accelerator.device) + cur_batch_data_idx = torch.tensor(data_idxs).to(self.accelerator.device) + + # gather operation + all_device_batch_rewards = self.accelerator.gather(cur_batch_rewards) + all_device_batch_success = self.accelerator.gather(cur_batch_success) + all_device_batch_exp = gather_object(exps.experiences) + all_device_data_idx = self.accelerator.gather(cur_batch_data_idx) + all_rewards.extend(all_device_batch_rewards.cpu().numpy().tolist()) + all_success.extend(all_device_batch_success.cpu().numpy().tolist()) + + # write inference results to file + if self.accelerator.is_main_process: + with jsonlines.open(self.args["output_file"], mode="a") as f: + for idx, exp in enumerate(all_device_batch_exp): + cur_idx = all_device_data_idx[idx] + conversation = exp.conversation + cur_reward = exp.reward + cur_success = 1 if exp.reward == 1 else 0 + item_id = f"{self.args['task_name']}_{cur_idx}" + f.write( + { + "conversations": conversation, + "item_id": item_id, + "reward": cur_reward, + "success": cur_success, + } + ) + + # fix for duplicated data + all_rewards = all_rewards[: len(dataloader.dataset)] + all_success = all_success[: len(dataloader.dataset)] + + if self.accelerator.is_main_process and self.accelerator.is_local_main_process: + mean_reward = torch.FloatTensor([np.mean(all_rewards)]).to( + self.accelerator.device + ) + mean_success = torch.FloatTensor([np.mean(all_success)]).to( + self.accelerator.device + ) + else: + mean_reward = torch.FloatTensor([-1.0]).to(self.accelerator.device) + mean_success = torch.FloatTensor([-1.0]).to(self.accelerator.device) + + mean_reward = broadcast(mean_reward).cpu().numpy().tolist()[0] + mean_success = broadcast(mean_success).cpu().numpy().tolist()[0] + self.accelerator.print("\n\n==== Inference Evaluation ====\n") + self.accelerator.print(f"Score: {mean_reward:.5f}") + self.accelerator.print(f"Success: {mean_success:.5f}") + diff --git a/openmanus_rl/agentgym/agentenv/agentenv/trainer/utils.py b/openmanus_rl/agentgym/agentenv/agentenv/trainer/utils.py new file mode 100644 index 00000000..47569299 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/agentenv/trainer/utils.py @@ -0,0 +1,14 @@ +import random + +import numpy as np +import torch + + +def set_seed(seed): + random.seed(seed) + np.random.seed(seed) + torch.manual_seed(seed) + if torch.cuda.is_available(): + torch.cuda.manual_seed_all(seed) + torch.backends.cudnn.deterministic = True + torch.backends.cudnn.benchmark = False diff --git a/openmanus_rl/agentgym/agentenv/examples/agentevol/train_agentevol.py b/openmanus_rl/agentgym/agentenv/examples/agentevol/train_agentevol.py new file mode 100644 index 00000000..efc29812 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/agentevol/train_agentevol.py @@ -0,0 +1,120 @@ +from dataclasses import dataclass, field + +import torch +import transformers +from agentenv.controller import Agent +from agentenv.envs import ( + AlfWorldTask, + SciworldTask, + TextCraftTask, + WebarenaTask, + WebshopTask, +) +from agentenv.trainer.agentevol_trainer import AgentEvolTrainer +from transformers import AutoModelForCausalLM, AutoTokenizer + + +@dataclass +class TrainingArguments: + # data path + train_file: str = field(metadata={"help": "Training dataset."}) + inference_file: str = field( + default="./data/train/webshop_train.json", metadata={"help": "Inference dataset."} + ) + test_file: str = field(default="./data/test/webshop_test.json", metadata={"help": "Test dataset."}) + iter_data_path: str = field( + default="./iter_data/train_iter_0.json", metadata={"help": "Iter data path (dir)"} + ) + # model path + model_train_path: str = field( + default="meta-llama/Llama-2-7b-chat-hf", + metadata={"help": "Path of initial train model"}, + ) + model_save_path: str = field( + default="outputs/model", + metadata={"help": "Directory to save the trained model."}, + ) + task_name: str = field(default="webshop", metadata={"help": "Task name for evaluation"}) + # train config + batch_size: int = field( + default=4, + metadata={"help": "Batch size for training."}, + ) + eval_batch_size: int = field(default=8, metadata={"help": "Batch size for evaluation."}) + n_epochs: int = field(default=40) + num_workers: int = field(default=8, metadata={"help": "Number of subprocesses to use for data loading."}) + learning_rate: float = field(default=2e-5, metadata={"help": "Learning rate."}) + weight_decay: float = field(default=1e-6, metadata={"help": "Weight decay for regularization."}) + warmup_step: int = field(default=0, metadata={"help": "Number of warmup steps"}) + clip_grad_norm: float = field(default=1, metadata={"help": "Gradient clipping threshold."}) + gradient_accumulation_steps: int = field(default=1) + evaluating_epoch_freq: int = field(default=1) + logging_epoch_freq: int = field(default=1) + saving_epoch_freq: int = field(default=1) + evaluating_step_freq: int = field(default=None) + logging_step_freq: int = field(default=None) + seed: int = field(default=42) + max_input_length: int = field(default=700) + + # agent evol + sample_num: int = field(default=5) + iter_num: int = field(default=0) + + # environment + max_round: int = field( + default=6, + metadata={"help": "Interaction rounds between agents and environment"}, + ) + + # wandb stuff + wandb_log: bool = field(default=False) + wandb_project: str = field(default="AgentGym_agent_evol") + wandb_run_name: str = field(default="agent_evol") + + # environment parameters + env_server_base: str = field(default=None) + data_len: int = field(default=200) + timeout: int = field(default=2400) + + +def main(): + parser = transformers.HfArgumentParser(TrainingArguments) + (args,) = parser.parse_args_into_dataclasses() + + tokenizer = AutoTokenizer.from_pretrained(args.model_train_path) + model = AutoModelForCausalLM.from_pretrained( + args.model_train_path, low_cpu_mem_usage=True, torch_dtype=torch.bfloat16 + ) + model.gradient_checkpointing_enable() + + # task_name - task dict + task_classes = { + "webshop": WebshopTask, + "alfworld": AlfWorldTask, + "sciworld": SciworldTask, + "textcraft": TextCraftTask, + "webarena": WebarenaTask, + } + + # select task according to the name + task_class = task_classes.get(args.task_name.lower(), None) + if task_class is None: + raise ValueError(f"Unsupported task name: {args.task_name}") + + # set environment parameters + env_args = { + "env_server_base": args.env_server_base, + "data_len": args.data_len, + "timeout": args.timeout, + } + + trainer = AgentEvolTrainer( + Agent(model, tokenizer), + [task_class(client_args=env_args, n_clients=1)], + args, + ) + trainer.evol() + + +if __name__ == "__main__": + main() diff --git a/openmanus_rl/agentgym/agentenv/examples/agentevol/train_agentevol_multi_task.sh b/openmanus_rl/agentgym/agentenv/examples/agentevol/train_agentevol_multi_task.sh new file mode 100644 index 00000000..873f8e44 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/agentevol/train_agentevol_multi_task.sh @@ -0,0 +1,243 @@ +# slurm config +numgpu=8 + +exp_name="agentevol_llama2_7b_all_task" +iter_num=4 +n_epochs=1 + +# accelerator config +num_processes=8 +main_process_port=8872 +config_file="" + +# training arguments +iter_data_path="./iter_data/iter_data_all_task" + +# agent model +model_train_path="meta-llama/Llama-2-7b-chat-hf" +output_dir="outputs/${exp_name}" + +batch_size=2 +eval_batch_size=1 +gradient_accumulation_steps=2 +max_input_length=4096 +max_round=10 +num_workers=8 +learning_rate=1e-5 +weight_decay=0 +warmup_step=-100 +clip_grad_norm=1 +seed=42 + +# logging and saving +logging_epoch_freq=1 +logging_step_freq=10 +saving_epoch_freq=1 +evaluating_epoch_freq=100 + +# wandb config +wandb_log=True +wandb_project="agentenv" +wandb_run_name="${exp_name}" + +# environment parameters +data_len=200 +timeout=2400 + +task_list=("webshop" "alfworld" "textcraft" "sciworld" "sqlgym" "lmrlgym_wordle" "lmrlgym_maze" "babyai" "weather" "movie" "todo" "academia" "sheet" "webarena") + +# eval parameters +test_file_list=( + "PATH/TO/webshop_test.json" + "PATH/TO/alfworld_test.json" + "PATH/TO/textcraft_test.json" + "PATH/TO/sciworld_test_small.json" + "PATH/TO/sqlgym_test_small.json" + "PATH/TO/wordle_test.json" + "PATH/TO/maze_test.json" + "PATH/TO/babyai_test.json" + "PATH/TO/tool_weather_test.json" + "PATH/TO/tool_movie_test.json" + "PATH/TO/tool_todo_test.json" + "PATH/TO/tool_academia_test.json" + "PATH/TO/tool_sheet_test.json" + "PATH/TO/webarena_test.json" +) + +# inference parameters +sample_num=3 +inference_file_list=("webshop.json" "alfworld.json" "textcraft.json" "sciworld.json" "sqlgym.json" "wordle.json" "maze.json" "babyai.json" "weather.json" "movie.json" "todo.json" "academia.json" "sheet.json" "webarena.json") +max_round_list=("10" "30" "20" "30" "1" "8" "15" "20" "10" "12" "15" "12" "15" "25") +env_server_base_list=( + "http://127.0.0.1:59312" + "http://127.0.0.1:59315" + "http://127.0.0.1:59221" + "http://127.0.0.1:59313" + "http://127.0.0.1:59320" + "http://127.0.0.1:59321/wordle" + "http://127.0.0.1:59322/maze" + "http://127.0.0.1:59229" + "http://127.0.0.1:59213" + "http://127.0.0.1:59214" + "http://127.0.0.1:59216" + "http://127.0.0.1:59215" + "http://127.0.0.1:59217" + "http://127.0.0.1:59210" +) + + +for ((ITER = 0; ITER < iter_num; ITER++)) +do + iter_save_path="${output_dir}/iter_${ITER}" + mkdir -p "${iter_save_path}" + + # Step 1: Train + accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + train_agentevol.py \ + --train_file ${iter_data_path}/train_iter_${ITER}.json \ + --inference_file ${test_file_list[0]} \ + --test_file ${test_file_list[0]} \ + --iter_num ${ITER} \ + --iter_data_path ${iter_data_path} \ + --model_train_path ${model_train_path} \ + --model_save_path ${iter_save_path}/model \ + --task_name ${task_list[0]} \ + --batch_size ${batch_size} \ + --eval_batch_size ${eval_batch_size} \ + --n_epochs ${n_epochs} \ + --num_workers ${num_workers} \ + --learning_rate ${learning_rate} \ + --weight_decay ${weight_decay} \ + --warmup_step ${warmup_step} \ + --clip_grad_norm ${clip_grad_norm} \ + --logging_epoch_freq ${logging_epoch_freq} \ + --logging_step_freq ${logging_step_freq} \ + --saving_epoch_freq ${saving_epoch_freq} \ + --evaluating_epoch_freq ${evaluating_epoch_freq} \ + --seed ${seed} \ + --max_input_length ${max_input_length} \ + --sample_num ${sample_num} \ + --max_round ${max_round_list[0]} \ + --gradient_accumulation_steps ${gradient_accumulation_steps} \ + --wandb_log ${wandb_log} \ + --wandb_project ${wandb_project} \ + --wandb_run_name ${wandb_run_name} \ + --env_server_base ${env_server_base_list[0]} \ + --data_len ${data_len} \ + --timeout ${timeout} \ + > ${iter_save_path}/train_iter_${ITER}.log 2>&1 + + # Step 2: Distributed evaluation on test dataset + for index in {0..7}; + do + cur_task=${task_list[$index]} + cur_port=$((main_process_port + index)) + cur_test_file="${test_file_list[$index]}" + cur_max_round=${max_round_list[$index]} + cur_env_server_base=${env_server_base_list[$index]} + cur_eval_output_file="${iter_save_path}/eval_iter_${ITER}_task_${cur_task}.jsonl" + + accelerate launch \ + --config_file ${config_file} \ + --num_processes=${num_processes} \ + --main_process_port=${cur_port} \ + ../../utils/distributed_eval_task.py \ + --model_path ${iter_save_path}/model \ + --output_file ${cur_eval_output_file} \ + --inference_file ${cur_test_file} \ + --task_name ${cur_task} \ + --eval_batch_size ${eval_batch_size} \ + --num_workers ${num_workers} \ + --seed ${seed} \ + --do_sample False \ + --max_round ${cur_max_round} \ + --env_server_base ${cur_env_server_base} \ + --data_len ${data_len} \ + --timeout ${timeout} \ + > ${iter_save_path}/eval_${cur_task}.log 2>&1 + done + + # Step 2: Single process evaluation on test dataset + for index in {8..12}; + do + cur_task=${task_list[$index]} + cur_test_file="${test_file_list[$index]}" + cur_max_round=${max_round_list[$index]} + cur_env_server_base=${env_server_base_list[$index]} + cur_eval_output_file="${iter_save_path}/eval_iter_${ITER}_task_${cur_task}.jsonl" + python -u base_eval_template.py \ + --model_path ${iter_save_path}/model \ + --data_path ${cur_test_file} \ + --output_file ${cur_eval_output_file} \ + --task_name ${cur_task} \ + --seed ${seed} \ + --max_round ${cur_max_round} \ + --env_server_base ${cur_env_server_base} \ + > ${iter_save_path}/eval_${cur_task}.log 2>&1 + done + + + # Step 3: Distributed inference on exploration dataset + inference_output_file=${iter_save_path}/inference_iter_${ITER}.jsonl + for index in {0..7}; + do + cur_task=${task_list[$index]} + cur_port=$((main_process_port + index)) + cur_inference_file=./small_exploration_data/${inference_file_list[$index]} + cur_max_round=${max_round_list[$index]} + cur_env_server_base=${env_server_base_list[$index]} + cur_inference_output_file=${iter_save_path}/inference_${cur_task}_iter_${ITER}.jsonl + + accelerate launch \ + --config_file ${config_file} \ + --num_processes=${num_processes} \ + --main_process_port=${cur_port} \ + ../../utils/distributed_eval_task.py \ + --model_path ${iter_save_path}/model \ + --output_file ${cur_inference_output_file} \ + --inference_file ${cur_inference_file} \ + --task_name ${cur_task} \ + --eval_batch_size ${eval_batch_size} \ + --num_workers ${num_workers} \ + --seed ${seed} \ + --do_sample False \ + --max_round ${cur_max_round} \ + --env_server_base ${cur_env_server_base} \ + --data_len ${data_len} \ + --timeout ${timeout} \ + > ${iter_save_path}/inference_${cur_task}.log 2>&1 + done + + # Step 3: Single process inference on exploration dataset + for index in {8..10}; + do + cur_task=${task_list[$index]} + cur_inference_file=./small_exploration_data/${inference_file_list[$index]} + cur_max_round=${max_round_list[$index]} + cur_env_server_base=${env_server_base_list[$index]} + cur_inference_output_file=${iter_save_path}/inference_${cur_task}_iter_${ITER}.jsonl + + python -u base_eval_template.py \ + --model_path ${iter_save_path}/model \ + --data_path ${cur_inference_file} \ + --output_file ${cur_inference_output_file} \ + --task_name ${cur_task} \ + --seed ${seed} \ + --max_round ${cur_max_round} \ + --env_server_base ${cur_env_server_base} \ + > ${iter_save_path}/inference_${cur_task}.log 2>&1 + done + + + # Step 4: Filter + next_iter_file=${iter_data_path}/train_iter_$((ITER + 1)).json + python ../../utils/agentevol_filter.py \ + --inference_output_file_path ${iter_save_path} \ + --cur_iter_file ${iter_data_path}/train_iter_${ITER}.json \ + --next_iter_file ${next_iter_file} \ + --add_original_data True \ + > ${iter_save_path}/filter.log 2>&1 +done diff --git a/openmanus_rl/agentgym/agentenv/examples/agentevol/train_agentevol_webshop.sh b/openmanus_rl/agentgym/agentenv/examples/agentevol/train_agentevol_webshop.sh new file mode 100644 index 00000000..eba514f5 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/agentevol/train_agentevol_webshop.sh @@ -0,0 +1,165 @@ +numgpu=8 + +exp_name="agentevol_webshop_500" + +n_epochs='1' + +# accelerator config +num_processes='8' +main_process_port='8849' +config_file="" + +# training arguments +iter_data_path='./iter_data/iter_data_webshop_500' + +# agent model +model_train_path="meta-llama/Llama-2-7b-chat-hf" +output_dir="outputs/${exp_name}" + +batch_size="2" +eval_batch_size="1" +gradient_accumulation_steps="2" +max_input_length="4096" +max_round="10" +num_workers="8" +learning_rate="1e-5" +weight_decay="0" +warmup_step="-100" +clip_grad_norm="1" +seed="42" + +# logging and saving +logging_epoch_freq="1" +logging_step_freq="10" +saving_epoch_freq="1" + +evaluating_epoch_freq="100" + +# wandb config +wandb_log="True" +wandb_project="agentenv" +wandb_run_name="${exp_name}" + +# environment parameters +data_len="200" +timeout="2400" + +task_list=("webshop" "alfworld" "textcraft" "sciworld") + +# eval parameters +test_file_list=("PATH/TO/webshop_test.json" "PATH/TO/alfworld_test.json" "PATH/TO/textcraft_test.json" "PATH/TO/sciworld_test.json") + +# inference parameters +do_sample="True" +temperature="1.2" +sample_num="2" +inference_file_list=("webshop.json" "alfworld.json" "textcraft.json" "sciworld.json") +max_round_list=("6" "30" "20" "30") +env_server_base_list=("http://127.0.0.1:36003" "http://127.0.0.1:36012" "http://127.0.0.1:36013" "http://127.0.0.1:36015") + + +for ((ITER = 0; ITER < 2; ITER++)) +do + iter_save_path="${output_dir}/iter_${ITER}" + mkdir -p "${iter_save_path}" + + # step1: train + accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + train_agentevol.py \ + --train_file "${iter_data_path}/train_iter_${ITER}.json" \ + --inference_file "${test_file_list[0]}" \ + --test_file "${test_file_list[0]}" \ + --iter_num "${ITER}" \ + --iter_data_path "${iter_data_path}" \ + --model_train_path "${model_train_path}" \ + --model_save_path "${iter_save_path}/model" \ + --task_name "${task_list[0]}" \ + --batch_size "${batch_size}" \ + --eval_batch_size "${eval_batch_size}" \ + --n_epochs "${n_epochs}" \ + --num_workers "${num_workers}" \ + --learning_rate "${learning_rate}" \ + --weight_decay "${weight_decay}" \ + --warmup_step "${warmup_step}" \ + --clip_grad_norm "${clip_grad_norm}" \ + --logging_epoch_freq "${logging_epoch_freq}" \ + --logging_step_freq "${logging_step_freq}" \ + --saving_epoch_freq "${saving_epoch_freq}" \ + --evaluating_epoch_freq "${evaluating_epoch_freq}" \ + --seed "${seed}" \ + --max_input_length "${max_input_length}" \ + --sample_num "${sample_num}" \ + --max_round "${max_round_list[0]}" \ + --gradient_accumulation_steps "${gradient_accumulation_steps}" \ + --wandb_log "${wandb_log}" \ + --wandb_project "${wandb_project}" \ + --wandb_run_name "${wandb_run_name}" \ + --env_server_base "${env_server_base_list[0]}" \ + --data_len "${data_len}" \ + --timeout "${timeout}" \ + > "${iter_save_path}/train_iter_${ITER}.log" 2>&1 + + # step2: eval on test dataset + cur_task=${task_list[0]} + cur_test_file=${test_file_list[0]} + cur_max_round=${max_round_list[0]} + cur_env_server_base=${env_server_base_list[0]} + cur_eval_output_file="${iter_save_path}/eval_iter_${ITER}_task_${cur_task}.jsonl" + + accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + ../../utils/distributed_eval_task.py \ + --model_path "${iter_save_path}/model" \ + --output_file "${cur_eval_output_file}" \ + --inference_file "${cur_test_file}" \ + --task_name "${cur_task}" \ + --eval_batch_size "${eval_batch_size}" \ + --num_workers "${num_workers}" \ + --seed "${seed}" \ + --do_sample "False" \ + --max_round "${cur_max_round}" \ + --env_server_base "${cur_env_server_base}" \ + --data_len "${data_len}" \ + --timeout "${timeout}" \ + > "${iter_save_path}/eval_${cur_task}.log" 2>&1 + + # step3: inference on train dataset + inference_output_file="${iter_save_path}/inference_iter_${ITER}.jsonl" + cur_task=${task_list[0]} + cur_inference_file=${iter_data_path}/${inference_file_list[0]} + cur_max_round=${max_round_list[0]} + cur_env_server_base=${env_server_base_list[0]} + + accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + ../../utils/distributed_eval_task.py \ + --model_path "${iter_save_path}/model" \ + --output_file "${inference_output_file}" \ + --inference_file "${cur_inference_file}" \ + --task_name "${cur_task}" \ + --eval_batch_size "${eval_batch_size}" \ + --num_workers "${num_workers}" \ + --seed "${seed}" \ + --do_sample "${do_sample}" \ + --temperature "${temperature}" \ + --max_round "${cur_max_round}" \ + --env_server_base "${cur_env_server_base}" \ + --data_len "${data_len}" \ + --timeout "${timeout}" \ + > "${iter_save_path}/inference_${cur_task}.log" 2>&1 + + # step4: filter + next_iter_file="${iter_data_path}/train_iter_$((ITER + 1)).json" + python ../../utils/agentevol_filter.py \ + --inference_output_file_path ${iter_save_path} \ + --cur_iter_file "${iter_data_path}/train_iter_${ITER}.json" \ + --next_iter_file "${next_iter_file}" \ + > "${iter_save_path}/filter.log" 2>&1 +done diff --git a/openmanus_rl/agentgym/agentenv/examples/basic/base_eval_script.sh b/openmanus_rl/agentgym/agentenv/examples/basic/base_eval_script.sh new file mode 100644 index 00000000..9173425d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/basic/base_eval_script.sh @@ -0,0 +1,19 @@ +# Evaluation args +model_path="" +inference_file="" +output_file="" +task_name="" +seed="42" + +# environment parameters +max_round="" +env_server_base="" + +python -u base_eval_template.py \ + --model_path "${model_path}" \ + --inference_file "${inference_file}" \ + --output_file "${output_file}" \ + --task_name "${task_name}" \ + --seed "${seed}" \ + --max_round "${max_round}" \ + --env_server_base "${env_server_base}" diff --git a/openmanus_rl/agentgym/agentenv/examples/basic/base_eval_template.py b/openmanus_rl/agentgym/agentenv/examples/basic/base_eval_template.py new file mode 100644 index 00000000..bca133d6 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/basic/base_eval_template.py @@ -0,0 +1,149 @@ +# Sequential Evaluation template + +import json +import jsonlines +import time +from dataclasses import dataclass, field +import transformers +from tqdm import tqdm +from transformers import AutoModelForCausalLM, AutoTokenizer, GenerationConfig +from agentenv.controller import Agent, Evaluator +from agentenv.envs import ( + AlfWorldTask, + BabyAITask, + SciworldTask, + TextCraftTask, + WebarenaTask, + WebshopTask, + SqlGymTask, + MazeTask, + WordleTask, + WeatherTask, + TodoTask, + MovieTask, + SheetTask, + AcademiaTask +) + + +@dataclass +class EvalArguments: + model_path: str + inference_file: str = field(metadata={"help": "Test dataset."}) + output_file: str + task_name: str = field( + default="webshop", metadata={"help": "Task name for evaluation"} + ) + seed: int = field(default=42) + + # conversation rounds + max_round: int = field( + default=6, + metadata={"help": "Interaction rounds between agents and environment"}, + ) + + # environment parameters + env_server_base: str = field(default=None) + data_len: int = field(default=200) + timeout: int = field(default=2400) + +def main(): + parser = transformers.HfArgumentParser(EvalArguments) + (args,) = parser.parse_args_into_dataclasses() + args = vars(args) + print(args) + print(json.dumps(args, indent=2, ensure_ascii=False)) + + MODEL_PATH = args['model_path'] + DATA_PATH = args['inference_file'] + + tokenizer = AutoTokenizer.from_pretrained(MODEL_PATH) + model = AutoModelForCausalLM.from_pretrained(MODEL_PATH, device_map="auto", trust_remote_code=True).eval() + + # task_name - task dict + task_classes = { + "webshop": WebshopTask, + "alfworld": AlfWorldTask, + "babyai": BabyAITask, + "sciworld": SciworldTask, + "textcraft": TextCraftTask, + "webarena": WebarenaTask, + "sqlgym": SqlGymTask, + 'maze': MazeTask, + 'wordle': WordleTask, + "weather": WeatherTask, + "todo": TodoTask, + "movie": MovieTask, + "sheet": SheetTask, + "academia": AcademiaTask + } + + # select task according to the name + task_class = task_classes.get(args['task_name'].lower(), None) + if task_class is None: + raise ValueError(f"Unsupported task name: {args.task_name}") + + # set environment parameters + env_args = { + "env_server_base": args['env_server_base'], + "data_len": args['data_len'], + "timeout": args['timeout'], + } + + # set env client + evaluator = Evaluator( + Agent(model, tokenizer), + [task_class(client_args=env_args, n_clients=1)], + ) + + with open(DATA_PATH, 'r') as file: + test_data = json.load(file) + + data_idxs = [[int(item["item_id"].split("_")[-1])] for item in test_data] + + total_score = 0.0 + total_success = 0.0 + start_time = time.time() + for data_idx in tqdm(data_idxs, total=len(data_idxs), desc="[Evaluation Loop]"): + exps = evaluator.eval( + generation_config=GenerationConfig( + max_length=4096, + eos_token_id=tokenizer.eos_token_id, + pad_token_id=tokenizer.pad_token_id + if tokenizer.pad_token_id is not None + else tokenizer.unk_token_id, + ), + max_rounds=args['max_round'], + idxs=data_idx + ) + total_score += exps.score + total_success += exps.success + + cur_experiences = exps.experiences + # write inference results to file + with jsonlines.open(args['output_file'], mode="a") as f: + for exp in cur_experiences: + conversation = exp.conversation + cur_reward = exp.reward + cur_success = 1 if exp.reward == 1 else 0 + item_id = f"{args['task_name']}_{data_idx}" + f.write( + { + "conversations": conversation, + "item_id": item_id, + "reward": cur_reward, + "success": cur_success, + } + ) + process_time = time.time() - start_time + + Score = total_score / len(data_idxs) + Success = total_success / len(data_idxs) + print("\n\n==== EVALUATION ====\n") + print(f"Score: {Score}") + print(f"Success: {Success}") + print(f"Time: {process_time} seconds") + + +if __name__ == "__main__": + main() diff --git a/openmanus_rl/agentgym/agentenv/examples/behavioral_cloning/train_behavioral_clone.py b/openmanus_rl/agentgym/agentenv/examples/behavioral_cloning/train_behavioral_clone.py new file mode 100644 index 00000000..caa1d299 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/behavioral_cloning/train_behavioral_clone.py @@ -0,0 +1,124 @@ +from dataclasses import dataclass, field + +import torch +import transformers +from agentenv.controller import Agent +from agentenv.envs import ( + AlfWorldTask, + SciworldTask, + TextCraftTask, + WebarenaTask, + WebshopTask, +) +from agentenv.trainer.bc_trainer import BCTrainer +from transformers import AutoModelForCausalLM, AutoTokenizer + + +@dataclass +class TrainingArguments: + train_file: str = field(metadata={"help": "Training dataset."}) + inference_file: str = field( + default="./data/train/webshop_train.json", metadata={"help": "Inference dataset."} + ) + test_file: str = field(default="./data/test/webshop_test.json", metadata={"help": "Test dataset."}) + # model path + model_train_path: str = field( + default="/mnt/petrelfs/share_data/llm_llama/llama2/llama-2-7b-chat-hf", + metadata={"help": "Path of initial train model"}, + ) + model_save_path: str = field( + default="outputs/model", + metadata={"help": "Directory to save the trained model."}, + ) + task_name: str = field( + default="webshop", metadata={"help": "Task name for evaluation"} + ) + batch_size: int = field( + default=4, + metadata={"help": "Batch size for training."}, + ) + eval_batch_size: int = field( + default=8, metadata={"help": "Batch size for evaluation."} + ) + n_epochs: int = field(default=40) + num_workers: int = field( + default=8, metadata={"help": "Number of subprocesses to use for data loading."} + ) + learning_rate: float = field(default=2e-5, metadata={"help": "Learning rate."}) + weight_decay: float = field( + default=1e-6, metadata={"help": "Weight decay for regularization."} + ) + warmup_step: int = field( + default=0, + metadata={"help": "Number of warmup steps for learning rate scheduling."}, + ) + clip_grad_norm: float = field( + default=1, metadata={"help": "Gradient clipping threshold."} + ) + gradient_accumulation_steps: int = field(default=1) + evaluating_epoch_freq: int = field(default=1) + logging_epoch_freq: int = field(default=1) + saving_epoch_freq: int = field(default=1) + logging_step_freq: int = field(default=None) + seed: int = field(default=42) + max_input_length: int = field(default=700) + + # environment + max_round: int = field( + default=6, + metadata={"help": "Interaction rounds between agents and environment"}, + ) + + # wandb stuff + wandb_log: bool = field(default=False) + wandb_project: str = field(default="AgentGym_behavioral_clone") + wandb_run_name: str = field(default="behavioral_clone") + + # environment parameters + env_server_base: str = field(default=None) + data_len: int = field(default=200) + timeout: int = field(default=2400) + + +def main(): + parser = transformers.HfArgumentParser(TrainingArguments) + (args,) = parser.parse_args_into_dataclasses() + + tokenizer = AutoTokenizer.from_pretrained(args.model_train_path) + model = AutoModelForCausalLM.from_pretrained( + args.model_train_path, low_cpu_mem_usage=True, torch_dtype=torch.bfloat16 + ) + model.gradient_checkpointing_enable() + + # task_name - task dict + task_classes = { + "webshop": WebshopTask, + "alfworld": AlfWorldTask, + "sciworld": SciworldTask, + "textcraft": TextCraftTask, + "webarena": WebarenaTask, + } + + # select task according to the name + task_class = task_classes.get(args.task_name.lower(), None) + if task_class is None: + raise ValueError(f"Unsupported task name: {args.task_name}") + + # set environment parameters + env_args = { + "env_server_base": args.env_server_base, + "data_len": args.data_len, + "timeout": args.timeout, + } + + trainer = BCTrainer( + Agent(model, tokenizer), + [task_class(client_args=env_args, n_clients=1)], + args, + ) + + trainer.train() + + +if __name__ == "__main__": + main() diff --git a/openmanus_rl/agentgym/agentenv/examples/behavioral_cloning/train_behavioral_clone_alfworld.sh b/openmanus_rl/agentgym/agentenv/examples/behavioral_cloning/train_behavioral_clone_alfworld.sh new file mode 100644 index 00000000..564aa4a7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/behavioral_cloning/train_behavioral_clone_alfworld.sh @@ -0,0 +1,109 @@ +exp_name="behavioral_clone_alfworld_1000" + +n_epochs='1' + +# accelerator config +num_processes='8' +main_process_port='8895' +config_file="" + +# training arguments +train_file='PATH/TO/alfworld_train_1000.json' +model_train_path="meta-llama/Llama-2-7b-chat-hf" +model_save_path="outputs/${exp_name}/" + +batch_size="2" +eval_batch_size="1" +gradient_accumulation_steps="2" +max_input_length="4096" +num_workers="8" +learning_rate="1e-5" +weight_decay="0" +warmup_step="-100" +clip_grad_norm="1" +seed="42" + +logging_epoch_freq="1" +evaluating_epoch_freq="100" +saving_epoch_freq="1" +logging_step_freq="5" + +# wandb config +wandb_log="True" +wandb_project="agentenv" +wandb_run_name="${exp_name}" + +# environment parameters +data_len="200" +timeout="2400" + +# eval +task_list=("webshop" "alfworld" "textcraft" "sciworld") +# eval parameters +test_file_list=("PATH/TO/webshop_test.json" "PATH/TO/alfworld_test.json" "PATH/TO/textcraft_test.json" "PATH/TO/sciworld_test_small.json") +do_sample="False" +temperature="1.0" +sample_num="2" +max_round_list=("6" "30" "20" "30") +env_server_base_list=("http://127.0.0.1:36004" "http://127.0.0.1:36002" "http://127.0.0.1:36008" "http://127.0.0.1:36010") + +mkdir -p "${model_save_path}" +# step1: train +accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + train_behavioral_clone.py \ + --train_file "${train_file}" \ + --inference_file "${test_file_list[1]}" \ + --test_file "${test_file_list[1]}" \ + --model_train_path "${model_train_path}" \ + --model_save_path "${model_save_path}" \ + --task_name "${task_list[1]}" \ + --batch_size "${batch_size}" \ + --eval_batch_size "${eval_batch_size}" \ + --n_epochs "${n_epochs}" \ + --num_workers "${num_workers}" \ + --learning_rate "${learning_rate}" \ + --weight_decay "${weight_decay}" \ + --warmup_step "${warmup_step}" \ + --clip_grad_norm "${clip_grad_norm}" \ + --evaluating_epoch_freq "${evaluating_epoch_freq}" \ + --logging_epoch_freq "${logging_epoch_freq}" \ + --saving_epoch_freq "${saving_epoch_freq}" \ + --logging_step_freq "${logging_step_freq}" \ + --seed "${seed}" \ + --max_input_length "${max_input_length}" \ + --max_round "${max_round_list[1]}" \ + --gradient_accumulation_steps "${gradient_accumulation_steps}" \ + --wandb_log "${wandb_log}" \ + --wandb_project "${wandb_project}" \ + --wandb_run_name "${wandb_run_name}" \ + --env_server_base "${env_server_base_list[1]}" \ + --data_len "${data_len}" \ + --timeout "${timeout}" + +# step2: eval on test dataset +cur_task=${task_list[1]} +test_file=${test_file_list[1]} +max_round=${max_round_list[1]} +env_server_base=${env_server_base_list[1]} +eval_output_file="${model_save_path}/eval_${cur_task}.jsonl" + +accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + ../../utils/distributed_eval_task.py \ + --model_path "${model_save_path}/train_epoch_${n_epochs}" \ + --output_file "${eval_output_file}" \ + --inference_file "${test_file}" \ + --task_name "${cur_task}" \ + --eval_batch_size "${eval_batch_size}" \ + --num_workers "${num_workers}" \ + --seed "${seed}" \ + --do_sample "${do_sample}" \ + --max_round "${max_round}" \ + --env_server_base "${env_server_base}" \ + --data_len "${data_len}" \ + --timeout "${timeout}" diff --git a/openmanus_rl/agentgym/agentenv/examples/behavioral_cloning/train_behavioral_clone_multi_task.sh b/openmanus_rl/agentgym/agentenv/examples/behavioral_cloning/train_behavioral_clone_multi_task.sh new file mode 100644 index 00000000..9586708e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/behavioral_cloning/train_behavioral_clone_multi_task.sh @@ -0,0 +1,111 @@ +exp_name="behavioral_clone_eval_alfworld_mix_24110" + +n_epochs='1' + +# accelerator config +num_processes='8' +main_process_port='8897' +config_file="" + +# training arguments +train_file='PATH/TO/mix_data_24110.json' +inference_file='PATH/TO/webshop_test.json' +model_train_path="meta-llama/Llama-2-7b-chat-hf" +model_save_path="outputs/${exp_name}/" + +batch_size="2" +eval_batch_size="1" +gradient_accumulation_steps="2" +max_input_length="4096" +num_workers="8" +learning_rate="1e-5" +weight_decay="0" +warmup_step="-100" +clip_grad_norm="1" +seed="42" + +logging_epoch_freq="1" +evaluating_epoch_freq="100" +saving_epoch_freq="1" +logging_step_freq="5" + +# wandb config +wandb_log="True" +wandb_project="agentenv" +wandb_run_name="${exp_name}" + +# environment parameters +data_len="200" +timeout="2400" + +# eval +task_list=("webshop" "alfworld" "textcraft" "sciworld") +# eval parameters +test_file_list=("PATH/TO/webshop_test.json" "PATH/TO/alfworld_test.json" "PATH/TO/textcraft_test.json" "PATH/TO/sciworld_test_small.json") +do_sample="False" +temperature="1.0" +sample_num="2" +max_round_list=("6" "30" "20" "30") +env_server_base_list=("http://127.0.0.1:36004" "http://127.0.0.1:36002" "http://127.0.0.1:36008" "http://127.0.0.1:36010") + +mkdir -p "${model_save_path}" +# step1: train +accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + train_behavioral_clone.py \ + --train_file "${train_file}" \ + --model_train_path "${model_train_path}" \ + --model_save_path "${model_save_path}" \ + --task_name "${task_list[1]}" \ + --batch_size "${batch_size}" \ + --eval_batch_size "${eval_batch_size}" \ + --n_epochs "${n_epochs}" \ + --num_workers "${num_workers}" \ + --learning_rate "${learning_rate}" \ + --weight_decay "${weight_decay}" \ + --warmup_step "${warmup_step}" \ + --clip_grad_norm "${clip_grad_norm}" \ + --evaluating_epoch_freq "${evaluating_epoch_freq}" \ + --logging_epoch_freq "${logging_epoch_freq}" \ + --saving_epoch_freq "${saving_epoch_freq}" \ + --logging_step_freq "${logging_step_freq}" \ + --seed "${seed}" \ + --max_input_length "${max_input_length}" \ + --max_round "${max_round_list[1]}" \ + --gradient_accumulation_steps "${gradient_accumulation_steps}" \ + --wandb_log "${wandb_log}" \ + --wandb_project "${wandb_project}" \ + --wandb_run_name "${wandb_run_name}" \ + --env_server_base "${env_server_base_list[1]}" \ + --data_len "${data_len}" \ + --timeout "${timeout}" + +# step2: eval on test dataset +for index in "${!task_list[@]}"; +do + cur_task=${task_list[$index]} + cur_test_file="${test_file_list[$index]}" + cur_max_round=${max_round_list[$index]} + cur_env_server_base=${env_server_base_list[$index]} + cur_eval_output_file="${model_save_path}/eval_${cur_task}.jsonl" + + accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + ../../utils/distributed_eval_task.py \ + --model_path "${model_save_path}/train_epoch_${n_epochs}" \ + --output_file "${cur_eval_output_file}" \ + --inference_file "${cur_test_file}" \ + --task_name "${cur_task}" \ + --eval_batch_size "${eval_batch_size}" \ + --num_workers "${num_workers}" \ + --seed "${seed}" \ + --do_sample "${do_sample}" \ + --max_round "${cur_max_round}" \ + --env_server_base "${cur_env_server_base}" \ + --data_len "${data_len}" \ + --timeout "${timeout}" +done diff --git a/openmanus_rl/agentgym/agentenv/examples/behavioral_cloning/train_behavioral_clone_sciworld.sh b/openmanus_rl/agentgym/agentenv/examples/behavioral_cloning/train_behavioral_clone_sciworld.sh new file mode 100644 index 00000000..df0c60ff --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/behavioral_cloning/train_behavioral_clone_sciworld.sh @@ -0,0 +1,110 @@ +exp_name="behavioral_clone_sciworld_2120" + +n_epochs='1' + +# accelerator config +num_processes='8' +main_process_port='8897' +config_file="" + +# training arguments +train_file='PATH/TO/sciworld_train.json' +inference_file='PATH/TO/webshop_test.json' +model_train_path="meta-llama/Llama-2-7b-chat-hf" +model_save_path="outputs/${exp_name}/" + +batch_size="2" +eval_batch_size="1" +gradient_accumulation_steps="2" +max_input_length="4096" +num_workers="8" +learning_rate="1e-5" +weight_decay="0" +warmup_step="-100" +clip_grad_norm="1" +seed="42" + +logging_epoch_freq="1" +evaluating_epoch_freq="100" +saving_epoch_freq="1" +logging_step_freq="5" + +# wandb config +wandb_log="True" +wandb_project="agentenv" +wandb_run_name="${exp_name}" + +# environment parameters +data_len="200" +timeout="2400" + +# eval +task_list=("webshop" "alfworld" "textcraft" "sciworld") +# eval parameters +test_file_list=("PATH/TO/webshop_test.json" "PATH/TO/alfworld_test.json" "PATH/TO/textcraft_test.json" "PATH/TO/sciworld_test_small.json") +do_sample="False" +temperature="1.0" +sample_num="2" +max_round_list=("6" "30" "20" "30") +env_server_base_list=("http://127.0.0.1:36004" "http://127.0.0.1:36002" "http://127.0.0.1:36008" "http://127.0.0.1:36010") + +mkdir -p "${model_save_path}" +# step1: train +accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + train_behavioral_clone.py \ + --train_file "${train_file}" \ + --inference_file "${test_file_list[3]}" \ + --test_file "${test_file_list[3]}" \ + --model_train_path "${model_train_path}" \ + --model_save_path "${model_save_path}" \ + --task_name "${task_list[3]}" \ + --batch_size "${batch_size}" \ + --eval_batch_size "${eval_batch_size}" \ + --n_epochs "${n_epochs}" \ + --num_workers "${num_workers}" \ + --learning_rate "${learning_rate}" \ + --weight_decay "${weight_decay}" \ + --warmup_step "${warmup_step}" \ + --clip_grad_norm "${clip_grad_norm}" \ + --evaluating_epoch_freq "${evaluating_epoch_freq}" \ + --logging_epoch_freq "${logging_epoch_freq}" \ + --saving_epoch_freq "${saving_epoch_freq}" \ + --logging_step_freq "${logging_step_freq}" \ + --seed "${seed}" \ + --max_input_length "${max_input_length}" \ + --max_round "${max_round_list[3]}" \ + --gradient_accumulation_steps "${gradient_accumulation_steps}" \ + --wandb_log "${wandb_log}" \ + --wandb_project "${wandb_project}" \ + --wandb_run_name "${wandb_run_name}" \ + --env_server_base "${env_server_base_list[3]}" \ + --data_len "${data_len}" \ + --timeout "${timeout}" + +# step2: eval on test dataset +cur_task=${task_list[3]} +test_file=${test_file_list[3]} +max_round=${max_round_list[3]} +env_server_base=${env_server_base_list[3]} +eval_output_file="${model_save_path}/eval_${cur_task}.jsonl" + +accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + ../../utils/distributed_eval_task.py \ + --model_path "${model_save_path}/train_epoch_${n_epochs}" \ + --output_file "${eval_output_file}" \ + --inference_file "${test_file}" \ + --task_name "${cur_task}" \ + --eval_batch_size "${eval_batch_size}" \ + --num_workers "${num_workers}" \ + --seed "${seed}" \ + --do_sample "${do_sample}" \ + --max_round "${max_round}" \ + --env_server_base "${env_server_base}" \ + --data_len "${data_len}" \ + --timeout "${timeout}" diff --git a/openmanus_rl/agentgym/agentenv/examples/distributed_eval_scripts/distributed_eval_alfworld.sh b/openmanus_rl/agentgym/agentenv/examples/distributed_eval_scripts/distributed_eval_alfworld.sh new file mode 100644 index 00000000..112b7aa7 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/distributed_eval_scripts/distributed_eval_alfworld.sh @@ -0,0 +1,47 @@ +exp_name="eval_alfworld" +inference_file='' # Path to the trainset file which contains idxs for the task. + +num_processes='8' +main_process_port='8877' +weight_decay="0" + +### Default variables +task_name="alfworld" # change this to evaluate on a different task +output_dir="" +config_file="" + +# agent model +model_path="" + +eval_batch_size="1" +num_workers="8" +seed="42" +do_sample="False" +temperature="1.0" + +max_round="30" +env_server_base="" # Set this to the base url of the EnvServer. +timeout="2400" + + +######### +mkdir -p "${output_dir}" + +accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + ../../utils/distributed_eval_task.py \ + --model_path "${model_path}" \ + --output_file "${output_dir}/inference.jsonl" \ + --inference_file "${inference_file}" \ + --task_name "${task_name}" \ + --eval_batch_size "${eval_batch_size}" \ + --num_workers "${num_workers}" \ + --seed "${seed}" \ + --do_sample "${do_sample}" \ + --temperature "${temperature}" \ + --max_round "${max_round}" \ + --env_server_base "${env_server_base}" \ + --data_len 200 \ + --timeout "${timeout}" diff --git a/openmanus_rl/agentgym/agentenv/examples/distributed_eval_scripts/distributed_eval_multi_task.sh b/openmanus_rl/agentgym/agentenv/examples/distributed_eval_scripts/distributed_eval_multi_task.sh new file mode 100644 index 00000000..58437608 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/distributed_eval_scripts/distributed_eval_multi_task.sh @@ -0,0 +1,81 @@ +exp_name="eval_multi_task" + +# accelerator config +num_processes='8' +main_process_port='8897' +config_file="" + +# training arguments +model_path="THUDM/agentlm-7b" + +eval_batch_size="1" +num_workers="8" +seed="42" + +# environment parameters +data_len="200" +timeout="2400" + +# eval config +do_sample="False" +temperature="1.0" +sample_num="1" + +# eval +task_list=( + "webshop" + "alfworld" + "textcraft" + "babyai" +) + +# eval parameters +test_file_list=( + "PATH/TO/THE/webshop_test.json" + "PATH/TO/THE/alfworld_test.json" + "PATH/TO/THE/textcraft_test.json" + "PATH/TO/THE/babyai_test.json" +) + +# inference parameters +max_round_list=( + "10" + "30" + "20" + "20" +) +env_server_base_list=( + "http://127.0.0.1:59311" + "http://127.0.0.1:59220" + "http://127.0.0.1:59317" + "http://127.0.0.1:59330" +) + +# step2: eval on test dataset +for index in "${!task_list[@]}"; do + cur_task=${task_list[$index]} + cur_test_file="${test_file_list[$index]}" + cur_max_round=${max_round_list[$index]} + cur_env_server_base=${env_server_base_list[$index]} + + echo "${cur_eval_output_file}" + echo "${cur_task}" + + accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + ../../utils/distributed_eval_task.py \ + --model_path "${model_path}" \ + --output_file "${cur_eval_output_file}" \ + --inference_file "${cur_test_file}" \ + --task_name "${cur_task}" \ + --eval_batch_size "${eval_batch_size}" \ + --num_workers "${num_workers}" \ + --seed "${seed}" \ + --do_sample "${do_sample}" \ + --max_round "${cur_max_round}" \ + --env_server_base "${cur_env_server_base}" \ + --data_len "${data_len}" \ + --timeout "${timeout}" +done diff --git a/openmanus_rl/agentgym/agentenv/examples/dpo/dpo_trainer.py b/openmanus_rl/agentgym/agentenv/examples/dpo/dpo_trainer.py new file mode 100644 index 00000000..5a319576 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/dpo/dpo_trainer.py @@ -0,0 +1,1292 @@ +# DPO Authors: Rafael Rafailov, Archit Sharma, Eric Mitchell, Stefano Ermon, Christopher D. Manning, and Chelsea Finn 2023 +# Copyright 2023 The HuggingFace Team. All rights reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +import inspect +import random +import warnings +from collections import defaultdict +from contextlib import nullcontext +from copy import deepcopy +from functools import wraps +from typing import Any, Callable, Dict, List, Literal, Optional, Tuple, Union + +import numpy as np +import torch +import torch.nn as nn +import torch.nn.functional as F +from accelerate.utils import is_deepspeed_available, tqdm +from datasets import Dataset +from torch.utils.data import DataLoader +from transformers import ( + AutoModelForCausalLM, + DataCollator, + PreTrainedModel, + PreTrainedTokenizerBase, + Trainer, + TrainingArguments, +) +from transformers.trainer_callback import TrainerCallback +from transformers.trainer_utils import EvalLoopOutput +from trl.import_utils import is_peft_available, is_wandb_available +from trl.models import PreTrainedModelWrapper, create_reference_model +from trl.trainer.utils import ( + DPODataCollatorWithPadding, + disable_dropout_in_model, + pad_to_length, + trl_sanitze_kwargs_for_tagging, +) + +if is_peft_available(): + from peft import PeftModel, get_peft_model, prepare_model_for_kbit_training + + +if is_wandb_available(): + import wandb + +if is_deepspeed_available(): + import deepspeed + + +class DPOMultiTrainer(Trainer): + r""" + Initialize DPOTrainer. + + Args: + model (`transformers.PreTrainedModel`): + The model to train, preferably an `AutoModelForSequenceClassification`. + ref_model (`PreTrainedModelWrapper`): + Hugging Face transformer model with a casual language modelling head. Used for implicit reward computation and loss. If no + reference model is provided, the trainer will create a reference model with the same architecture as the model to be optimized. + beta (`float`, defaults to 0.1): + The beta factor in DPO loss. Higher beta means less divergence from the initial policy. For the IPO loss, beta is the regularization parameter denoted by tau in the paper. + label_smoothing (`float`, defaults to 0): + The robust DPO label smoothing parameter from the [cDPO](https://ericmitchell.ai/cdpo.pdf) report that should be between 0 and 0.5. + loss_type (`str`, defaults to `"sigmoid"`): + The type of DPO loss to use. Either `"sigmoid"` the default DPO loss,`"hinge"` loss from [SLiC](https://arxiv.org/abs/2305.10425) paper, `"ipo"` from [IPO](https://arxiv.org/abs/2310.12036) paper, or `"kto"` from the HALOs [report](https://github.com/ContextualAI/HALOs/blob/main/assets/report.pdf). + args (`transformers.TrainingArguments`): + The arguments to use for training. + data_collator (`transformers.DataCollator`): + The data collator to use for training. If None is specified, the default data collator (`DPODataCollatorWithPadding`) will be used + which will pad the sequences to the maximum length of the sequences in the batch, given a dataset of paired sequences. + label_pad_token_id (`int`, defaults to `-100`): + The label pad token id. This argument is required if you want to use the default data collator. + padding_value (`int`, defaults to `0`): + The padding value if it is different to the tokenizer's pad_token_id. + truncation_mode (`str`, defaults to `keep_end`): + The truncation mode to use, either `keep_end` or `keep_start`. This argument is required if you want to use the default data collator. + train_dataset (`datasets.Dataset`): + The dataset to use for training. + eval_dataset (`datasets.Dataset`): + The dataset to use for evaluation. + tokenizer (`transformers.PreTrainedTokenizerBase`): + The tokenizer to use for training. This argument is required if you want to use the default data collator. + model_init (`Callable[[], transformers.PreTrainedModel]`): + The model initializer to use for training. If None is specified, the default model initializer will be used. + callbacks (`List[transformers.TrainerCallback]`): + The callbacks to use for training. + optimizers (`Tuple[torch.optim.Optimizer, torch.optim.lr_scheduler.LambdaLR]`): + The optimizer and scheduler to use for training. + preprocess_logits_for_metrics (`Callable[[torch.Tensor, torch.Tensor], torch.Tensor]`): + The function to use to preprocess the logits before computing the metrics. + max_length (`int`, defaults to `None`): + The maximum length of the sequences in the batch. This argument is required if you want to use the default data collator. + max_prompt_length (`int`, defaults to `None`): + The maximum length of the prompt. This argument is required if you want to use the default data collator. + max_target_length (`int`, defaults to `None`): + The maximum length of the target. This argument is required if you want to use the default data collator and your model is an encoder-decoder. + peft_config (`Dict`, defaults to `None`): + The PEFT configuration to use for training. If you pass a PEFT configuration, the model will be wrapped in a PEFT model. + is_encoder_decoder (`Optional[bool]`, `optional`, defaults to `None`): + If no model is provided, we need to know if the model_init returns an encoder-decoder. + disable_dropout (`bool`, defaults to `True`): + Whether or not to disable dropouts in `model` and `ref_model`. + generate_during_eval (`bool`, defaults to `False`): + Whether to sample and log generations during evaluation step. + compute_metrics (`Callable[[EvalPrediction], Dict]`, *optional*): + The function to use to compute the metrics. Must take a `EvalPrediction` and return + a dictionary string to metric values. + precompute_ref_log_probs (`bool`, defaults to `False`): + Flag to precompute reference model log probabilities and evaluation datasets. This is useful if you want to train + without the reference model and reduce the total GPU memory needed. + model_init_kwargs: (`Optional[Dict]`, *optional*): + Dict of Optional kwargs to pass when instantiating the model from a string + ref_model_init_kwargs: (`Optional[Dict]`, *optional*): + Dict of Optional kwargs to pass when instantiating the ref model from a string + """ + + _tag_names = ["trl", "dpo"] + + def __init__( + self, + model: Union[PreTrainedModel, nn.Module, str] = None, + ref_model: Optional[Union[PreTrainedModel, nn.Module, str]] = None, + beta: float = 0.1, + label_smoothing: float = 0, + loss_type: Literal["sigmoid", "hinge", "ipo", "kto"] = "sigmoid", + args: TrainingArguments = None, + data_collator: Optional[DataCollator] = None, + label_pad_token_id: int = -100, + padding_value: int = None, + truncation_mode: str = "keep_end", + train_dataset: Optional[Dataset] = None, + eval_dataset: Optional[Union[Dataset, Dict[str, Dataset]]] = None, + tokenizer: Optional[PreTrainedTokenizerBase] = None, + model_init: Optional[Callable[[], PreTrainedModel]] = None, + callbacks: Optional[List[TrainerCallback]] = None, + optimizers: Tuple[torch.optim.Optimizer, torch.optim.lr_scheduler.LambdaLR] = ( + None, + None, + ), + preprocess_logits_for_metrics: Optional[ + Callable[[torch.Tensor, torch.Tensor], torch.Tensor] + ] = None, + max_length: Optional[int] = None, + max_prompt_length: Optional[int] = None, + max_target_length: Optional[int] = None, + peft_config: Optional[Dict] = None, + is_encoder_decoder: Optional[bool] = None, + disable_dropout: bool = True, + generate_during_eval: bool = False, + compute_metrics: Optional[Callable[[EvalLoopOutput], Dict]] = None, + precompute_ref_log_probs: bool = False, + model_init_kwargs: Optional[Dict] = None, + ref_model_init_kwargs: Optional[Dict] = None, + ): + if model_init_kwargs is None: + model_init_kwargs = {} + elif not isinstance(model, str): + raise ValueError( + "You passed model_kwargs to the DPOTrainer. But your model is already instantiated." + ) + + if ref_model_init_kwargs is None: + ref_model_init_kwargs = {} + elif not isinstance(ref_model, str): + raise ValueError( + "You passed ref_model_kwargs to the DPOTrainer. But your ref_model is already instantiated." + ) + + if isinstance(model, str): + warnings.warn( + "You passed a model_id to the DPOTrainer. This will automatically create an " + "`AutoModelForCausalLM` or a `PeftModel` (if you passed a `peft_config`) for you." + ) + model = AutoModelForCausalLM.from_pretrained(model, **model_init_kwargs) + + if isinstance(ref_model, str): + warnings.warn( + "You passed a ref model_id to the DPOTrainer. This will automatically create an " + "`AutoModelForCausalLM`" + ) + ref_model = AutoModelForCausalLM.from_pretrained( + ref_model, **ref_model_init_kwargs + ) + + if not is_peft_available() and peft_config is not None: + raise ValueError( + "PEFT is not installed and you passed a `peft_config` in the trainer's kwargs, please install it to use the PEFT models" + ) + elif is_peft_available() and peft_config is not None: + # if model is a peft model and we have a peft_config, we merge and unload it first + if isinstance(model, PeftModel): + model = model.merge_and_unload() + + if getattr(model, "is_loaded_in_8bit", False) or getattr( + model, "is_loaded_in_4bit", False + ): + _support_gc_kwargs = hasattr( + args, "gradient_checkpointing_kwargs" + ) and "gradient_checkpointing_kwargs" in list( + inspect.signature(prepare_model_for_kbit_training).parameters + ) + + preprare_model_kwargs = { + "use_gradient_checkpointing": args.gradient_checkpointing + } + + if _support_gc_kwargs: + preprare_model_kwargs["gradient_checkpointing_kwargs"] = ( + args.gradient_checkpointing_kwargs + ) + + model = prepare_model_for_kbit_training(model, **preprare_model_kwargs) + elif getattr(args, "gradient_checkpointing", False): + # For backward compatibility with older versions of transformers + if hasattr(model, "enable_input_require_grads"): + model.enable_input_require_grads() + else: + + def make_inputs_require_grad(module, input, output): + output.requires_grad_(True) + + model.get_input_embeddings().register_forward_hook( + make_inputs_require_grad + ) + + # get peft model with the given config + model = get_peft_model(model, peft_config) + + # For models that use gradient_checkpoiting, we need to attach a hook that enables input + # to explicitly have `requires_grad=True`, otherwise training will either silently + # fail or completely fail. + elif getattr(args, "gradient_checkpointing", False): + # For backward compatibility with older versions of transformers + if hasattr(model, "enable_input_require_grads"): + model.enable_input_require_grads() + else: + + def make_inputs_require_grad(module, input, output): + output.requires_grad_(True) + + model.get_input_embeddings().register_forward_hook( + make_inputs_require_grad + ) + + if generate_during_eval and not is_wandb_available(): + raise ValueError( + "`generate_during_eval=True` requires Weights and Biases to be installed." + " Please install `wandb` to resolve." + ) + + if model is not None: + self.is_encoder_decoder = model.config.is_encoder_decoder + elif is_encoder_decoder is None: + raise ValueError( + "When no model is provided, you need to pass the parameter is_encoder_decoder." + ) + else: + self.is_encoder_decoder = is_encoder_decoder + + self.is_peft_model = is_peft_available() and isinstance(model, PeftModel) + + if ref_model: + self.ref_model = ref_model + elif self.is_peft_model or precompute_ref_log_probs: + # The `model` with adapters turned off will be used as the reference model + self.ref_model = None + else: + self.ref_model = create_reference_model(model) + + if data_collator is None: + if tokenizer is None: + raise ValueError( + "max_length or a tokenizer must be specified when using the default DPODataCollatorWithPadding" + ) + if max_length is None: + warnings.warn( + "When using DPODataCollatorWithPadding, you should set `max_length` in the DPOTrainer's init" + " it will be set to `512` by default, but you should do it yourself in the future.", + UserWarning, + ) + max_length = 512 + if max_prompt_length is None: + warnings.warn( + "When using DPODataCollatorWithPadding, you should set `max_prompt_length` in the DPOTrainer's init" + " it will be set to `128` by default, but you should do it yourself in the future.", + UserWarning, + ) + max_prompt_length = 128 + + if max_target_length is None and self.is_encoder_decoder: + warnings.warn( + "When using DPODataCollatorWithPadding with an encoder decoder architecture, you should set `max_target_length` in the DPOTrainer's init" + " it will be set to `128` by default, but you should do it yourself in the future.", + UserWarning, + ) + max_target_length = 128 + + data_collator = DPODataCollatorWithPadding( + pad_token_id=tokenizer.pad_token_id, + label_pad_token_id=label_pad_token_id, + is_encoder_decoder=self.is_encoder_decoder, + ) + + if args.remove_unused_columns: + args.remove_unused_columns = False + # warn users + warnings.warn( + "When using DPODataCollatorWithPadding, you should set `remove_unused_columns=False` in your TrainingArguments" + " we have set it for you, but you should do it yourself in the future.", + UserWarning, + ) + + self.use_dpo_data_collator = True + else: + self.use_dpo_data_collator = False + + if disable_dropout: + disable_dropout_in_model(model) + if self.ref_model is not None: + disable_dropout_in_model(self.ref_model) + + self.max_length = max_length + self.generate_during_eval = generate_during_eval + self.label_pad_token_id = label_pad_token_id + self.padding_value = ( + padding_value if padding_value is not None else tokenizer.pad_token_id + ) + self.max_prompt_length = max_prompt_length + self.truncation_mode = truncation_mode + self.max_target_length = max_target_length + self.tokenizer = tokenizer + self.precompute_ref_log_probs = precompute_ref_log_probs + + # Since ref_logs are precomputed on the first call to get_train/eval_dataloader + # keep track of first called to avoid computation of future calls + self._precomputed_train_ref_log_probs = False + self._precomputed_eval_ref_log_probs = False + + if loss_type in ["hinge", "ipo", "kto_pair"] and label_smoothing > 0: + warnings.warn( + "You are using a loss type that does not support label smoothing. Ignoring label_smoothing parameter." + ) + + self.beta = beta + self.label_smoothing = label_smoothing + self.loss_type = loss_type + + self._stored_metrics = defaultdict(lambda: defaultdict(list)) + + # tokenize the dataset + # train_dataset = train_dataset.map(self.tokenize_row) + # if eval_dataset is not None: + # eval_dataset = eval_dataset.map(self.tokenize_row) + + super().__init__( + model=model, + args=args, + data_collator=data_collator, + train_dataset=train_dataset, + eval_dataset=eval_dataset, + tokenizer=tokenizer, + model_init=model_init, + compute_metrics=compute_metrics, + callbacks=callbacks, + optimizers=optimizers, + preprocess_logits_for_metrics=preprocess_logits_for_metrics, + ) + + if not hasattr(self, "accelerator"): + raise AttributeError( + "Your `Trainer` does not have an `accelerator` object. Consider upgrading `transformers`." + ) + + # Deepspeed Zero-3 does not support precompute_ref_log_probs + if self.is_deepspeed_enabled: + if ( + self.accelerator.state.deepspeed_plugin.zero_stage == 3 + and self.precompute_ref_log_probs + ): + raise ValueError( + "You cannot use `precompute_ref_log_probs=True` with Deepspeed ZeRO-3. Please set `precompute_ref_log_probs=False`." + ) + + if self.ref_model is None: + if not (self.is_peft_model or self.precompute_ref_log_probs): + raise ValueError( + "No reference model and model is not a Peft model. Try setting `precompute_ref_log_probs=True`" + ) + else: + if self.is_deepspeed_enabled: + self.ref_model = self._prepare_deepspeed(self.ref_model) + else: + self.ref_model = self.accelerator.prepare_model( + self.ref_model, evaluation_mode=False + ) + + def _prepare_deepspeed(self, model: PreTrainedModelWrapper): + # Adapted from accelerate: https://github.com/huggingface/accelerate/blob/739b135f8367becb67ffaada12fe76e3aa60fefd/src/accelerate/accelerator.py#L1473 + deepspeed_plugin = self.accelerator.state.deepspeed_plugin + config_kwargs = deepcopy(deepspeed_plugin.deepspeed_config) + + if model is not None: + if hasattr(model, "config"): + hidden_size = ( + max(model.config.hidden_sizes) + if getattr(model.config, "hidden_sizes", None) + else getattr(model.config, "hidden_size", None) + ) + if ( + hidden_size is not None + and config_kwargs["zero_optimization"]["stage"] == 3 + ): + # Note that `stage3_prefetch_bucket_size` can produce DeepSpeed messages like: `Invalidate trace cache @ step 0: expected module 1, but got module 0` + # This is expected and is not an error, see: https://github.com/microsoft/DeepSpeed/discussions/4081 + config_kwargs.update( + { + "zero_optimization.reduce_bucket_size": hidden_size + * hidden_size, + "zero_optimization.stage3_param_persistence_threshold": 10 + * hidden_size, + "zero_optimization.stage3_prefetch_bucket_size": 0.9 + * hidden_size + * hidden_size, + } + ) + + # If ZeRO-3 is used, we shard both the active and reference model. + # Otherwise, we assume the reference model fits in memory and is initialized on each device with ZeRO disabled (stage 0) + if config_kwargs["zero_optimization"]["stage"] != 3: + config_kwargs["zero_optimization"]["stage"] = 0 + model, *_ = deepspeed.initialize(model=model, config=config_kwargs) + model.eval() + return model + + def get_train_dataloader(self) -> DataLoader: + """ + Returns the training [`~torch.utils.data.DataLoader`]. + + Subclass of transformers.src.transformers.trainer.get_train_dataloader to precompute `ref_log_probs`. + """ + + if self.precompute_ref_log_probs and not self._precomputed_train_ref_log_probs: + dataloader_params = { + "batch_size": self.args.per_device_train_batch_size, + "collate_fn": self.data_collator, + "num_workers": self.args.dataloader_num_workers, + "pin_memory": self.args.dataloader_pin_memory, + "shuffle": False, + } + + # prepare dataloader + data_loader = self.accelerator.prepare( + DataLoader(self.train_dataset, **dataloader_params) + ) + + reference_chosen_logps = [] + reference_rejected_logps = [] + for padded_batch in tqdm( + iterable=data_loader, desc="Train dataset reference log probs" + ): + reference_chosen_logp, reference_rejected_logp = ( + self.compute_reference_log_probs(padded_batch) + ) + reference_chosen_logp, reference_rejected_logp = ( + self.accelerator.gather_for_metrics( + (reference_chosen_logp, reference_rejected_logp) + ) + ) + reference_chosen_logps.append(reference_chosen_logp.cpu()) + reference_rejected_logps.append(reference_rejected_logp.cpu()) + + all_reference_chosen_logps = ( + torch.cat(reference_chosen_logps).float().numpy() + ) + all_reference_rejected_logps = ( + torch.cat(reference_rejected_logps).float().numpy() + ) + + self.train_dataset = self.train_dataset.add_column( + name="reference_chosen_logps", column=all_reference_chosen_logps + ) + self.train_dataset = self.train_dataset.add_column( + name="reference_rejected_logps", column=all_reference_rejected_logps + ) + + self._precomputed_train_ref_log_probs = True + + return super().get_train_dataloader() + + def get_eval_dataloader(self, eval_dataset: Optional[Dataset] = None) -> DataLoader: + """ + Returns the evaluation [`~torch.utils.data.DataLoader`]. + + Subclass of transformers.src.transformers.trainer.get_eval_dataloader to precompute `ref_log_probs`. + + Args: + eval_dataset (`torch.utils.data.Dataset`, *optional*): + If provided, will override `self.eval_dataset`. If it is a [`~datasets.Dataset`], columns not accepted + by the `model.forward()` method are automatically removed. It must implement `__len__`. + """ + if eval_dataset is None and self.eval_dataset is None: + raise ValueError("Trainer: evaluation requires an eval_dataset.") + eval_dataset = eval_dataset if eval_dataset is not None else self.eval_dataset + + if self.precompute_ref_log_probs and not self._precomputed_eval_ref_log_probs: + dataloader_params = { + "batch_size": self.args.per_device_eval_batch_size, + "collate_fn": self.data_collator, + "num_workers": self.args.dataloader_num_workers, + "pin_memory": self.args.dataloader_pin_memory, + "shuffle": False, + } + + # prepare dataloader + data_loader = self.accelerator.prepare( + DataLoader(eval_dataset, **dataloader_params) + ) + + reference_chosen_logps = [] + reference_rejected_logps = [] + for padded_batch in tqdm( + iterable=data_loader, desc="Eval dataset reference log probs" + ): + reference_chosen_logp, reference_rejected_logp = ( + self.compute_reference_log_probs(padded_batch) + ) + reference_chosen_logp, reference_rejected_logp = ( + self.accelerator.gather_for_metrics( + (reference_chosen_logp, reference_rejected_logp) + ) + ) + reference_chosen_logps.append(reference_chosen_logp.cpu()) + reference_rejected_logps.append(reference_rejected_logp.cpu()) + + all_reference_chosen_logps = ( + torch.cat(reference_chosen_logps).float().numpy() + ) + all_reference_rejected_logps = ( + torch.cat(reference_rejected_logps).float().numpy() + ) + + eval_dataset = eval_dataset.add_column( + name="reference_chosen_logps", column=all_reference_chosen_logps + ) + eval_dataset = eval_dataset.add_column( + name="reference_rejected_logps", column=all_reference_rejected_logps + ) + + # Save calculated reference_chosen_logps and reference_rejected_logps to the eval_dataset for subsequent runs + if self.eval_dataset is not None: + self.eval_dataset = eval_dataset + self._precomputed_eval_ref_log_probs = True + + return super().get_eval_dataloader(eval_dataset=eval_dataset) + + def build_tokenized_answer(self, prompt, answer): + """ + Llama tokenizer does satisfy `enc(a + b) = enc(a) + enc(b)`. + It does ensure `enc(a + b) = enc(a) + enc(a + b)[len(enc(a)):]`. + Reference: + https://github.com/EleutherAI/lm-evaluation-harness/pull/531#issuecomment-1595586257 + """ + + full_tokenized = self.tokenizer(prompt + answer, add_special_tokens=False) + prompt_input_ids = self.tokenizer(prompt, add_special_tokens=False)["input_ids"] + + answer_input_ids = full_tokenized["input_ids"][len(prompt_input_ids) :] + answer_attention_mask = full_tokenized["attention_mask"][ + len(prompt_input_ids) : + ] + + # Concat tokens to form `enc(a) + enc(a + b)[len(enc(a)):]` + full_concat_input_ids = np.concatenate([prompt_input_ids, answer_input_ids]) + + # Prepare input tokens for token by token comparison + full_input_ids = np.array(full_tokenized["input_ids"]) + + if len(full_input_ids) != len(full_concat_input_ids): + raise ValueError( + "Prompt input ids and answer input ids should have the same length." + ) + + # On some tokenizers, like Llama-2 tokenizer, there are occasions where tokens + # can be merged together when tokenizing prompt+answer. This could result + # on the last token from the prompt being different when tokenized on its own + # vs when done as prompt+answer. + response_token_ids_start_idx = len(prompt_input_ids) + + # If tokenized prompt is different than both prompt+answer, then it means the + # last token has changed due to merging. + if ( + prompt_input_ids + != full_tokenized["input_ids"][:response_token_ids_start_idx] + ): + response_token_ids_start_idx -= 1 + + prompt_input_ids = full_tokenized["input_ids"][:response_token_ids_start_idx] + prompt_attention_mask = full_tokenized["attention_mask"][ + :response_token_ids_start_idx + ] + + if len(prompt_input_ids) != len(prompt_attention_mask): + raise ValueError( + "Prompt input ids and attention mask should have the same length." + ) + + answer_input_ids = full_tokenized["input_ids"][response_token_ids_start_idx:] + answer_attention_mask = full_tokenized["attention_mask"][ + response_token_ids_start_idx: + ] + + return dict( + prompt_input_ids=prompt_input_ids, + prompt_attention_mask=prompt_attention_mask, + input_ids=answer_input_ids, + attention_mask=answer_attention_mask, + ) + + def tokenize_row( + self, feature, model: Union[PreTrainedModel, nn.Module] = None + ) -> Dict: + """Tokenize a single row from a DPO specific dataset. + + At this stage, we don't convert to PyTorch tensors yet; we just handle the truncation + in case the prompt + chosen or prompt + rejected responses is/are too long. First + we truncate the prompt; if we're still too long, we truncate the chosen/rejected. + + We also create the labels for the chosen/rejected responses, which are of length equal to + the sum of the length of the prompt and the chosen/rejected response, with + label_pad_token_id for the prompt tokens. + """ + batch = {} + prompt = feature["prompt"] + chosen = feature["chosen"] + rejected = feature["rejected"] + + # Check issues below for more details + # 1. https://github.com/huggingface/trl/issues/907 + # 2. https://github.com/EleutherAI/lm-evaluation-harness/pull/531#issuecomment-1595586257 + # 3. https://github.com/LianjiaTech/BELLE/issues/337 + + if not isinstance(prompt, str): + raise ValueError(f"prompt should be an str but got {type(prompt)}") + prompt_tokens = self.tokenizer(prompt, add_special_tokens=False) + prompt_tokens = {f"prompt_{k}": v for k, v in prompt_tokens.items()} + + if not isinstance(chosen, str): + raise ValueError(f"chosen should be an str but got {type(chosen)}") + chosen_tokens = self.build_tokenized_answer(prompt, chosen) + + if not isinstance(rejected, str): + raise ValueError(f"rejected should be an str but got {type(rejected)}") + rejected_tokens = self.build_tokenized_answer(prompt, rejected) + + # add BOS token to head of prompt + prompt_tokens["prompt_input_ids"] = [ + self.tokenizer.bos_token_id + ] + prompt_tokens["prompt_input_ids"] + chosen_tokens["prompt_input_ids"] = [ + self.tokenizer.bos_token_id + ] + chosen_tokens["prompt_input_ids"] + rejected_tokens["prompt_input_ids"] = [ + self.tokenizer.bos_token_id + ] + rejected_tokens["prompt_input_ids"] + + prompt_tokens["prompt_attention_mask"] = [1] + prompt_tokens[ + "prompt_attention_mask" + ] + chosen_tokens["prompt_attention_mask"] = [1] + chosen_tokens[ + "prompt_attention_mask" + ] + rejected_tokens["prompt_attention_mask"] = [1] + rejected_tokens[ + "prompt_attention_mask" + ] + + # add EOS token to end of answer + chosen_tokens["input_ids"].append(self.tokenizer.eos_token_id) + chosen_tokens["attention_mask"].append(1) + + rejected_tokens["input_ids"].append(self.tokenizer.eos_token_id) + rejected_tokens["attention_mask"].append(1) + + longer_response_length = max( + len(chosen_tokens["input_ids"]), len(rejected_tokens["input_ids"]) + ) + + # if combined sequence is too long, truncate the prompt + for answer_tokens in [chosen_tokens, rejected_tokens, prompt_tokens]: + if ( + len(answer_tokens["prompt_input_ids"]) + longer_response_length + > self.max_length + ): + if self.truncation_mode == "keep_start": + for k in ["prompt_input_ids", "prompt_attention_mask"]: + answer_tokens[k] = answer_tokens[k][: self.max_prompt_length] + elif self.truncation_mode == "keep_end": + for k in ["prompt_input_ids", "prompt_attention_mask"]: + answer_tokens[k] = answer_tokens[k][-self.max_prompt_length :] + else: + raise ValueError(f"Unknown truncation mode: {self.truncation_mode}") + + # if that's still too long, truncate the response + for answer_tokens in [chosen_tokens, rejected_tokens]: + if ( + len(answer_tokens["prompt_input_ids"]) + longer_response_length + > self.max_length + ): + for k in ["input_ids", "attention_mask"]: + answer_tokens[k] = answer_tokens[k][ + : self.max_length - self.max_prompt_length + ] + + # Create labels + chosen_sequence_tokens = { + k: chosen_tokens[f"prompt_{k}"] + chosen_tokens[k] + for k in ["input_ids", "attention_mask"] + } + rejected_sequence_tokens = { + k: rejected_tokens[f"prompt_{k}"] + rejected_tokens[k] + for k in ["input_ids", "attention_mask"] + } + chosen_sequence_tokens["labels"] = chosen_sequence_tokens["input_ids"][:] + chosen_sequence_tokens["labels"][: len(chosen_tokens["prompt_input_ids"])] = [ + self.label_pad_token_id + ] * len(chosen_tokens["prompt_input_ids"]) + rejected_sequence_tokens["labels"] = rejected_sequence_tokens["input_ids"][:] + rejected_sequence_tokens["labels"][ + : len(rejected_tokens["prompt_input_ids"]) + ] = [self.label_pad_token_id] * len(rejected_tokens["prompt_input_ids"]) + + for k, toks in { + "chosen_": chosen_sequence_tokens, + "rejected_": rejected_sequence_tokens, + "": prompt_tokens, + }.items(): + for type_key, tokens in toks.items(): + if type_key == "token_type_ids": + continue + batch[f"{k}{type_key}"] = tokens + + return batch + + def compute_reference_log_probs(self, padded_batch: Dict) -> Dict: + """Computes log probabilities of the reference model for a single padded batch of a DPO specific dataset.""" + # compute reference logps + with torch.no_grad(): + if self.ref_model is None: + with ( + self.accelerator.unwrap_model(self.model).disable_adapter() + if self.is_peft_model + else nullcontext() + ): + ( + reference_chosen_logps, + reference_rejected_logps, + _, + _, + ) = self.concatenated_forward(self.model, padded_batch) + else: + ( + reference_chosen_logps, + reference_rejected_logps, + _, + _, + ) = self.concatenated_forward(self.ref_model, padded_batch) + + return reference_chosen_logps, reference_rejected_logps + + @staticmethod + def concatenated_inputs( + batch: Dict[str, Union[List, torch.LongTensor]], + is_encoder_decoder: bool = False, + label_pad_token_id: int = -100, + padding_value: int = 0, + device: Optional[torch.device] = None, + ) -> Dict[str, torch.LongTensor]: + """Concatenate the chosen and rejected inputs into a single tensor. + + Args: + batch: A batch of data. Must contain the keys 'chosen_input_ids' and 'rejected_input_ids', which are tensors of shape (batch_size, sequence_length). + is_encoder_decoder: Whether the model is an encoder-decoder model. + label_pad_token_id: The label pad token id. + padding_value: The padding value to use for the concatenated inputs_ids. + device: The device for the concatenated inputs. + + Returns: + A dictionary containing the concatenated inputs under the key 'concatenated_input_ids'. + """ + concatenated_batch = {} + + if is_encoder_decoder: + max_length = max( + batch["chosen_labels"].shape[1], batch["rejected_labels"].shape[1] + ) + else: + max_length = max( + batch["chosen_input_ids"].shape[1], batch["rejected_input_ids"].shape[1] + ) + + for k in batch: + if k.startswith("chosen") and isinstance(batch[k], torch.Tensor): + if "labels" in k or is_encoder_decoder: + pad_value = label_pad_token_id + elif k.endswith("_input_ids"): + pad_value = padding_value + elif k.endswith("_attention_mask"): + pad_value = 0 + concatenated_key = k.replace("chosen", "concatenated") + concatenated_batch[concatenated_key] = pad_to_length( + batch[k], max_length, pad_value=pad_value + ) + for k in batch: + if k.startswith("rejected") and isinstance(batch[k], torch.Tensor): + if "labels" in k or is_encoder_decoder: + pad_value = label_pad_token_id + elif k.endswith("_input_ids"): + pad_value = padding_value + elif k.endswith("_attention_mask"): + pad_value = 0 + concatenated_key = k.replace("rejected", "concatenated") + concatenated_batch[concatenated_key] = torch.cat( + ( + concatenated_batch[concatenated_key], + pad_to_length(batch[k], max_length, pad_value=pad_value), + ), + dim=0, + ).to(device=device) + + if is_encoder_decoder: + concatenated_batch["concatenated_input_ids"] = ( + batch["prompt_input_ids"].repeat(2, 1).to(device=device) + ) + concatenated_batch["concatenated_attention_mask"] = ( + batch["prompt_attention_mask"].repeat(2, 1).to(device=device) + ) + + return concatenated_batch + + def dpo_loss( + self, + policy_chosen_logps: torch.FloatTensor, + policy_rejected_logps: torch.FloatTensor, + reference_chosen_logps: torch.FloatTensor, + reference_rejected_logps: torch.FloatTensor, + reference_free: bool = False, + ) -> Tuple[torch.FloatTensor, torch.FloatTensor, torch.FloatTensor]: + """Compute the DPO loss for a batch of policy and reference model log probabilities. + + Args: + policy_chosen_logps: Log probabilities of the policy model for the chosen responses. Shape: (batch_size,) + policy_rejected_logps: Log probabilities of the policy model for the rejected responses. Shape: (batch_size,) + reference_chosen_logps: Log probabilities of the reference model for the chosen responses. Shape: (batch_size,) + reference_rejected_logps: Log probabilities of the reference model for the rejected responses. Shape: (batch_size,) + reference_free: If True, we ignore the _provided_ reference model and implicitly use a reference model that assigns equal probability to all responses. + + Returns: + A tuple of three tensors: (losses, chosen_rewards, rejected_rewards). + The losses tensor contains the DPO loss for each example in the batch. + The chosen_rewards and rejected_rewards tensors contain the rewards for the chosen and rejected responses, respectively. + """ + pi_logratios = policy_chosen_logps - policy_rejected_logps + if reference_free: + ref_logratios = 0 + else: + ref_logratios = reference_chosen_logps - reference_rejected_logps + + logits = pi_logratios - ref_logratios + + # The beta is a temperature parameter for the DPO loss, typically something in the range of 0.1 to 0.5. + # We ignore the reference model as beta -> 0. The label_smoothing parameter encodes our uncertainty about the labels and + # calculates a conservative DPO loss. + if self.loss_type == "sigmoid": + losses = ( + -F.logsigmoid(self.beta * logits) * (1 - self.label_smoothing) + - F.logsigmoid(-self.beta * logits) * self.label_smoothing + ) + elif self.loss_type == "hinge": + losses = torch.relu(1 - self.beta * logits) + elif self.loss_type == "ipo": + # eqn (17) of the paper where beta is the regularization parameter for the IPO loss, denoted by tau in the paper. + losses = (logits - 1 / (2 * self.beta)) ** 2 + elif self.loss_type == "kto_pair": + # eqn (7) of the HALOs paper + chosen_KL = ( + (policy_chosen_logps - reference_chosen_logps).mean().clamp(min=0) + ) + rejected_KL = ( + (policy_rejected_logps - reference_rejected_logps).mean().clamp(min=0) + ) + + chosen_logratios = policy_chosen_logps - reference_chosen_logps + rejected_logratios = policy_rejected_logps - reference_rejected_logps + # As described in the KTO report, the KL term for chosen (rejected) is estimated using the rejected (chosen) half. + losses = torch.cat( + ( + 1 - F.sigmoid(self.beta * (chosen_logratios - rejected_KL)), + 1 - F.sigmoid(self.beta * (chosen_KL - rejected_logratios)), + ), + 0, + ) + else: + raise ValueError( + f"Unknown loss type: {self.loss_type}. Should be one of ['sigmoid', 'hinge', 'ipo', 'kto_pair']" + ) + + chosen_rewards = ( + self.beta * (policy_chosen_logps - reference_chosen_logps).detach() + ) + rejected_rewards = ( + self.beta * (policy_rejected_logps - reference_rejected_logps).detach() + ) + + return losses, chosen_rewards, rejected_rewards + + @staticmethod + def get_batch_logps( + logits: torch.FloatTensor, + labels: torch.LongTensor, + average_log_prob: bool = False, + label_pad_token_id: int = -100, + is_encoder_decoder: bool = False, + ) -> torch.FloatTensor: + """Compute the log probabilities of the given labels under the given logits. + + Args: + logits: Logits of the model (unnormalized). Shape: (batch_size, sequence_length, vocab_size) + labels: Labels for which to compute the log probabilities. Label tokens with a value of label_pad_token_id are ignored. Shape: (batch_size, sequence_length) + average_log_prob: If True, return the average log probability per (non-masked) token. Otherwise, return the sum of the log probabilities of the (non-masked) tokens. + + Returns: + A tensor of shape (batch_size,) containing the average/sum log probabilities of the given labels under the given logits. + """ + if logits.shape[:-1] != labels.shape: + raise ValueError( + "Logits (batch and sequence length dim) and labels must have the same shape." + ) + + if not is_encoder_decoder: + labels = labels[:, 1:].clone() + logits = logits[:, :-1, :] + loss_mask = labels != label_pad_token_id + + # dummy token; we'll ignore the losses on these tokens later + labels[labels == label_pad_token_id] = 0 + + per_token_logps = torch.gather( + logits.log_softmax(-1), dim=2, index=labels.unsqueeze(2) + ).squeeze(2) + + if average_log_prob: + return (per_token_logps * loss_mask).sum(-1) / loss_mask.sum(-1) + else: + return (per_token_logps * loss_mask).sum(-1) + + def concatenated_forward( + self, model: nn.Module, batch: Dict[str, Union[List, torch.LongTensor]] + ) -> Tuple[ + torch.FloatTensor, torch.FloatTensor, torch.FloatTensor, torch.FloatTensor + ]: + """Run the given model on the given batch of inputs, concatenating the chosen and rejected inputs together. + + We do this to avoid doing two forward passes, because it's faster for FSDP. + """ + concatenated_batch = self.concatenated_inputs( + batch, + is_encoder_decoder=self.is_encoder_decoder, + label_pad_token_id=self.label_pad_token_id, + padding_value=self.padding_value, + device=self.accelerator.device, + ) + len_chosen = batch["chosen_labels"].shape[0] + + model_kwargs = ( + { + "labels": concatenated_batch["concatenated_labels"], + "decoder_input_ids": concatenated_batch.pop( + "concatenated_decoder_input_ids", None + ), + } + if self.is_encoder_decoder + else {} + ) + all_logits = model( + concatenated_batch["concatenated_input_ids"], + attention_mask=concatenated_batch["concatenated_attention_mask"], + **model_kwargs, + ).logits + + all_logps = self.get_batch_logps( + all_logits, + concatenated_batch["concatenated_labels"], + average_log_prob=False, + is_encoder_decoder=self.is_encoder_decoder, + label_pad_token_id=self.label_pad_token_id, + ) + + chosen_logps = all_logps[:len_chosen] + rejected_logps = all_logps[len_chosen:] + + chosen_logits = all_logits[:len_chosen] + rejected_logits = all_logits[len_chosen:] + + return (chosen_logps, rejected_logps, chosen_logits, rejected_logits) + + def get_batch_loss_metrics( + self, + model, + batch: Dict[str, Union[List, torch.LongTensor]], + train_eval: Literal["train", "eval"] = "train", + ): + """Compute the DPO loss and other metrics for the given batch of inputs for train or test.""" + metrics = {} + + ( + policy_chosen_logps, + policy_rejected_logps, + policy_chosen_logits, + policy_rejected_logits, + ) = self.concatenated_forward(model, batch) + + # if reference_chosen_logps and reference_rejected_logps in batch use them, otherwise use the reference model + if "reference_chosen_logps" in batch and "reference_rejected_logps" in batch: + reference_chosen_logps = batch["reference_chosen_logps"] + reference_rejected_logps = batch["reference_rejected_logps"] + else: + with torch.no_grad(): + if self.ref_model is None: + with self.accelerator.unwrap_model(self.model).disable_adapter(): + ( + reference_chosen_logps, + reference_rejected_logps, + _, + _, + ) = self.concatenated_forward(self.model, batch) + else: + ( + reference_chosen_logps, + reference_rejected_logps, + _, + _, + ) = self.concatenated_forward(self.ref_model, batch) + + losses, chosen_rewards, rejected_rewards = self.dpo_loss( + policy_chosen_logps, + policy_rejected_logps, + reference_chosen_logps, + reference_rejected_logps, + ) + reward_accuracies = (chosen_rewards > rejected_rewards).float() + + prefix = "eval_" if train_eval == "eval" else "" + metrics[f"{prefix}rewards/chosen"] = chosen_rewards.cpu().mean() + metrics[f"{prefix}rewards/rejected"] = rejected_rewards.cpu().mean() + metrics[f"{prefix}rewards/accuracies"] = reward_accuracies.cpu().mean() + metrics[f"{prefix}rewards/margins"] = ( + (chosen_rewards - rejected_rewards).cpu().mean() + ) + metrics[f"{prefix}logps/rejected"] = policy_rejected_logps.detach().cpu().mean() + metrics[f"{prefix}logps/chosen"] = policy_chosen_logps.detach().cpu().mean() + metrics[f"{prefix}logits/rejected"] = ( + policy_rejected_logits.detach().cpu().mean() + ) + metrics[f"{prefix}logits/chosen"] = policy_chosen_logits.detach().cpu().mean() + + return losses.mean(), metrics + + def compute_loss( + self, + model: Union[PreTrainedModel, nn.Module], + inputs: Dict[str, Union[torch.Tensor, Any]], + return_outputs=False, + ) -> Union[torch.Tensor, Tuple[torch.Tensor, Dict[str, torch.Tensor]]]: + if not self.use_dpo_data_collator: + warnings.warn( + "compute_loss is only implemented for DPODataCollatorWithPadding, and you passed a datacollator that is different than " + "DPODataCollatorWithPadding - you might see unexpected behavior. Alternatively, you can implement your own prediction_step method if you are using a custom data collator" + ) + loss, metrics = self.get_batch_loss_metrics(model, inputs, train_eval="train") + + # force log the metrics + if self.accelerator.is_main_process: + self.store_metrics(metrics, train_eval="train") + + if return_outputs: + return (loss, metrics) + return loss + + def get_batch_samples( + self, model, batch: Dict[str, torch.LongTensor] + ) -> Tuple[str, str]: + """Generate samples from the model and reference model for the given batch of inputs.""" + + policy_output = model.generate( + input_ids=batch["prompt_input_ids"], + attention_mask=batch["prompt_attention_mask"], + max_length=self.max_length, + do_sample=True, + pad_token_id=self.tokenizer.pad_token_id, + ) + + # if reference_output in batch use that otherwise use the reference model + if "reference_output" in batch: + reference_output = batch["reference_output"] + else: + if self.ref_model is None: + with self.accelerator.unwrap_model(self.model).disable_adapter(): + reference_output = self.model.generate( + input_ids=batch["prompt_input_ids"], + attention_mask=batch["prompt_attention_mask"], + max_length=self.max_length, + do_sample=True, + pad_token_id=self.tokenizer.pad_token_id, + ) + else: + reference_output = self.ref_model.generate( + input_ids=batch["prompt_input_ids"], + attention_mask=batch["prompt_attention_mask"], + max_length=self.max_length, + do_sample=True, + pad_token_id=self.tokenizer.pad_token_id, + ) + + policy_output = pad_to_length( + policy_output, self.max_length, self.tokenizer.pad_token_id + ) + policy_output_decoded = self.tokenizer.batch_decode( + policy_output, skip_special_tokens=True + ) + + reference_output = pad_to_length( + reference_output, self.max_length, self.tokenizer.pad_token_id + ) + reference_output_decoded = self.tokenizer.batch_decode( + reference_output, skip_special_tokens=True + ) + + return policy_output_decoded, reference_output_decoded + + def prediction_step( + self, + model: Union[PreTrainedModel, nn.Module], + inputs: Dict[str, Union[torch.Tensor, Any]], + prediction_loss_only: bool, + ignore_keys: Optional[List[str]] = None, + ): + if not self.use_dpo_data_collator: + warnings.warn( + "prediction_step is only implemented for DPODataCollatorWithPadding, and you passed a datacollator that is different than " + "DPODataCollatorWithPadding - you might see unexpected behavior. Alternatively, you can implement your own prediction_step method if you are using a custom data collator" + ) + if ignore_keys is None: + if hasattr(model, "config"): + ignore_keys = getattr(model.config, "keys_to_ignore_at_inference", []) + else: + ignore_keys = [] + + with torch.no_grad(): + loss, metrics = self.get_batch_loss_metrics( + model, inputs, train_eval="eval" + ) + + # force log the metrics + if self.accelerator.is_main_process: + self.store_metrics(metrics, train_eval="eval") + + if prediction_loss_only: + return (loss.detach(), None, None) + + # logits for the chosen and rejected samples from model + logits_dict = { + "eval_logits/chosen": metrics["eval_logits/chosen"], + "eval_logits/rejected": metrics["eval_logits/rejected"], + } + logits = tuple( + v.unsqueeze(dim=0) for k, v in logits_dict.items() if k not in ignore_keys + ) + logits = torch.stack(logits).mean(axis=1).to(self.accelerator.device) + labels = torch.zeros(logits.shape[0], device=self.accelerator.device) + + return (loss.detach(), logits, labels) + + def store_metrics( + self, metrics: Dict[str, float], train_eval: Literal["train", "eval"] = "train" + ) -> None: + for key, value in metrics.items(): + self._stored_metrics[train_eval][key].append(value) + + def evaluation_loop( + self, + dataloader: DataLoader, + description: str, + prediction_loss_only: Optional[bool] = None, + ignore_keys: Optional[List[str]] = None, + metric_key_prefix: str = "eval", + ) -> EvalLoopOutput: + """ + Overriding built-in evaluation loop to store metrics for each batch. + Prediction/evaluation loop, shared by `Trainer.evaluate()` and `Trainer.predict()`. + + Works both with or without labels. + """ + + # Sample and save to game log if requested (for one batch to save time) + if self.generate_during_eval: + # Generate random indices within the range of the total number of samples + num_samples = len(dataloader.dataset) + random_indices = random.sample( + range(num_samples), k=self.args.eval_batch_size + ) + + # Use dataloader.dataset.select to get the random batch without iterating over the DataLoader + random_batch_dataset = dataloader.dataset.select(random_indices) + random_batch = self.data_collator(random_batch_dataset) + random_batch = self._prepare_inputs(random_batch) + + policy_output_decoded, ref_output_decoded = self.get_batch_samples( + self.model, random_batch + ) + + self.log( + { + "game_log": wandb.Table( + columns=["Prompt", "Policy", "Ref Model"], + rows=[ + [prompt, pol[len(prompt) :], ref[len(prompt) :]] + for prompt, pol, ref in zip( + random_batch["prompt"], + policy_output_decoded, + ref_output_decoded, + ) + ], + ) + } + ) + self.state.log_history.pop() + + # Base evaluation + initial_output = super().evaluation_loop( + dataloader, + description, + prediction_loss_only, + ignore_keys, + metric_key_prefix, + ) + + return initial_output + + def log(self, logs: Dict[str, float]) -> None: + """ + Log `logs` on the various objects watching training, including stored metrics. + + Args: + logs (`Dict[str, float]`): + The values to log. + """ + # logs either has 'loss' or 'eval_loss' + train_eval = "train" if "loss" in logs else "eval" + # Add averaged stored metrics to logs + for key, metrics in self._stored_metrics[train_eval].items(): + logs[key] = torch.tensor(metrics).mean().item() + del self._stored_metrics[train_eval] + return super().log(logs) + + @wraps(Trainer.push_to_hub) + def push_to_hub( + self, + commit_message: Optional[str] = "End of training", + blocking: bool = True, + **kwargs, + ) -> str: + """ + Overwrite the `push_to_hub` method in order to force-add the tag "sft" when pushing the + model on the Hub. Please refer to `~transformers.Trainer.push_to_hub` for more details. + """ + kwargs = trl_sanitze_kwargs_for_tagging( + tag_names=self._tag_names, kwargs=kwargs + ) + + return super().push_to_hub( + commit_message=commit_message, blocking=blocking, **kwargs + ) diff --git a/openmanus_rl/agentgym/agentenv/examples/dpo/make_dpo_dataset.py b/openmanus_rl/agentgym/agentenv/examples/dpo/make_dpo_dataset.py new file mode 100644 index 00000000..764eaa80 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/dpo/make_dpo_dataset.py @@ -0,0 +1,97 @@ +import argparse +import json + +from tqdm import tqdm + + +def load_data(file_path): + if file_path.endswith(".jsonl"): + with open(file_path, "r", encoding="utf8") as f: + data = [json.loads(line) for line in f] + else: + assert file_path.endswith(".json") + with open(file_path, "r", encoding="utf8") as f: + data = json.load(f) + print(f"Loaded {len(data)} data from {file_path}") + return data + + +def make_dpo_data(chosen, rejected, prompt_length): + return { + "id": int(chosen["item_id"].split("_")[-1]), + "prompt": chosen["conversations"][:prompt_length], + "chosen": chosen["conversations"][prompt_length:], + "rejected": rejected["conversations"][prompt_length:], + } + + +def main(args): + expert = load_data(args.expert) + experience = load_data(args.experience) + + if args.task is not None: + expert = [x for x in expert if x["item_id"].startswith(args.task)] + experience = [x for x in experience if x["item_id"].startswith(args.task)] + + # deduplicate + new_expert = {} + for x in expert: + idx = x["item_id"] + if idx not in new_expert: + new_expert[idx] = x + elif x["reward"] < new_expert[idx]["reward"]: + new_expert[idx] = x + expert = list(new_expert.values()) + + new_experience = {} + for x in experience: + idx = x["item_id"] + if idx not in new_experience: + new_experience[idx] = x + elif x["reward"] < new_experience[idx]["reward"]: + new_experience[idx] = x + experience = list(new_experience.values()) + + if len(expert) != len(experience): + raise ValueError( + f"Length of expert ({len(expert)}) and experience ({len(experience)}) are different." + ) + + expert.sort(key=lambda x: x["item_id"]) + experience.sort(key=lambda x: x["item_id"]) + + print(f"Length of expert and experience: {len(expert)}") + + dpo_data = [] + for e, x in tqdm(zip(expert, experience)): + if e["item_id"] != x["item_id"]: + raise ValueError(f"Item ID of expert ({e['item_id']}) and experience ({x['item_id']}) are different.") + reward_expert = e.get("reward", 1.0) + reward_experience = x["reward"] + if ( + reward_expert - reward_experience >= args.reward_gap + and reward_expert >= args.expert_threshold + ): + dpo_data.append(make_dpo_data(e, x, args.prompt_length)) + elif ( + reward_experience - reward_expert >= args.reward_gap + and reward_experience >= args.expert_threshold + ): + dpo_data.append(make_dpo_data(x, e, args.prompt_length)) + + print(f"Length of DPO dataset: {len(dpo_data)}") + + with open(args.output, "w", encoding="utf8") as f: + json.dump(dpo_data, f, ensure_ascii=True, indent=4) + + +if __name__ == "__main__": + parser = argparse.ArgumentParser() + parser.add_argument("--expert", type=str, required=True) + parser.add_argument("--prompt_length", type=int, default=3) + parser.add_argument("--experience", type=str, required=True) + parser.add_argument("--reward_gap", type=float, default=0.01) + parser.add_argument("--expert_threshold", type=float, default=0.7) + parser.add_argument("--output", type=str, required=True) + parser.add_argument("--task", type=str, required=False) + main(parser.parse_args()) diff --git a/openmanus_rl/agentgym/agentenv/examples/dpo/train_dpo.sh b/openmanus_rl/agentgym/agentenv/examples/dpo/train_dpo.sh new file mode 100644 index 00000000..662cbf0e --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/dpo/train_dpo.sh @@ -0,0 +1,38 @@ +BC_MODEL_PATH= +DATASET_FILE_PATH=PATH/TO/dpo_dataset.json +OUTPUT_PATH= + +BETA=0.5 +LR=5e-7 + +set -e + +if [ ! -d ${OUTPUT_PATH} ]; then + mkdir -p ${OUTPUT_PATH} +fi + +torchrun --nproc_per_node=8 train_dpo_multiturn.py \ + --model_name_or_path ${BC_MODEL_PATH} \ + --ref_model_name_or_path ${BC_MODEL_PATH} \ + --trust_remote_code True \ + --per_device_train_batch_size 2 \ + --per_device_eval_batch_size 4 \ + --gradient_accumulation_steps 4 \ + --evaluation_strategy "no" \ + --save_strategy "epoch" \ + --save_total_limit 5 \ + --num_train_epochs 3 \ + --beta ${BETA} \ + --learning_rate ${LR} \ + --weight_decay 0.1 \ + --warmup_ratio 0.1 \ + --lr_scheduler_type "constant_with_warmup" \ + --logging_steps 1 \ + --data_path ${DATASET_FILE_PATH} \ + --output_dir ${OUTPUT_PATH}/model \ + --fsdp "full_shard auto_wrap" \ + --fsdp_transformer_layer_cls_to_wrap 'LlamaDecoderLayer' \ + --model_max_length 4096 \ + --max_prompt_length 1024 \ + --max_target_length 3072 \ + --gradient_checkpointing True diff --git a/openmanus_rl/agentgym/agentenv/examples/dpo/train_dpo_multiturn.py b/openmanus_rl/agentgym/agentenv/examples/dpo/train_dpo_multiturn.py new file mode 100644 index 00000000..65604366 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/dpo/train_dpo_multiturn.py @@ -0,0 +1,227 @@ +import os +import pathlib +from dataclasses import dataclass, field +from functools import partial +from typing import Optional + +import torch +import transformers +from datasets import load_dataset +from dpo_trainer import DPOMultiTrainer + + +@dataclass +class ModelArguments: + model_name_or_path: str = field() + ref_model_name_or_path: Optional[str] = field() + trust_remote_code: bool = field( + default=False, + metadata={ + "help": "Whether or not to allow for custom models defined on the Hub in their own modeling files" + }, + ) + padding_side: str = field( + default="right", metadata={"help": "The padding side in tokenizer"} + ) + beta: Optional[float] = field( + default=0.1, metadata={"help": "the beta parameter for DPO loss"} + ) + + +@dataclass +class DataArguments: + data_path: str = field( + default=None, metadata={"help": "Path to the training data."} + ) + + +@dataclass +class TrainingArguments(transformers.TrainingArguments): + cache_dir: Optional[str] = field(default=None) + optim: str = field(default="adamw_torch") + bf16: bool = field(default=True) + tf32: bool = field(default=True) + model_max_length: int = field( + default=4096, + metadata={ + "help": "Maximum sequence length. Sequences will be right padded (and possibly truncated)." + }, + ) + max_prompt_length: int = field( + default=512, + metadata={"help": "Maximum target length."}, + ) + max_target_length: int = field( + default=2048, + metadata={"help": "Maximum target length."}, + ) + remove_unused_columns: bool = field(default=False) + + +def tokenize_conversation( + conversation, + tokenizer, +): + def tokenize_conversation_one( + message, + tokenizer, + ): + if message["from"] == "human": + input_ids = tokenizer.encode( + f"[INST] {message['value']} [/INST]", add_special_tokens=False + ) + else: + input_ids = tokenizer.encode( + f"{message['value']}", add_special_tokens=False + ) + if message["loss"]: + labels = list(input_ids) + else: + labels = [-100] * len(input_ids) + + return { + "input_ids": input_ids, + "labels": labels, + } + + input_ids = [] + labels = [] + + for message in conversation: + message_out = tokenize_conversation_one(message, tokenizer) + input_ids += message_out["input_ids"] + labels += message_out["labels"] + + return input_ids, [1] * len(input_ids), labels + + +def preprocess_multi_turn( + source, + tokenizer: transformers.PreTrainedTokenizer, +) -> dict[str, list[int]]: + prompt = source["prompt"] + prompt = [ + { + "role": "user" if x["from"] == "human" else "assistant", + "content": x["value"], + } + for x in prompt + ] + prompt_input_ids = tokenizer.apply_chat_template(prompt) + prompt_attention_mask = [1] * len(prompt_input_ids) + + chosen_input_ids, chosen_attention_mask, chosen_labels = tokenize_conversation( + source["chosen"], tokenizer + ) + chosen_input_ids = list(prompt_input_ids) + chosen_input_ids + chosen_attention_mask = list(prompt_attention_mask) + chosen_attention_mask + chosen_labels = [-100] * len(prompt_input_ids) + chosen_labels + + rejected_input_ids, rejected_attention_mask, rejected_labels = ( + tokenize_conversation( + source["rejected"], + tokenizer, + ) + ) + rejected_input_ids = list(prompt_input_ids) + rejected_input_ids + rejected_attention_mask = list(prompt_attention_mask) + rejected_attention_mask + rejected_labels = [-100] * len(prompt_input_ids) + rejected_labels + + return dict( + chosen_input_ids=chosen_input_ids, + chosen_attention_mask=chosen_attention_mask, + chosen_labels=chosen_labels, + rejected_input_ids=rejected_input_ids, + rejected_attention_mask=rejected_attention_mask, + rejected_labels=rejected_labels, + prompt_input_ids=prompt_input_ids, + prompt_attention_mask=prompt_attention_mask, + ) + + +def train(): + parser = transformers.HfArgumentParser( + (ModelArguments, DataArguments, TrainingArguments) + ) + parser.add_argument("--local-rank", type=int, default=0) + model_args, data_args, training_args = parser.parse_args_into_dataclasses() + + global local_rank # pylint: disable=W0604:global-at-module-level + local_rank = training_args.local_rank + + config = transformers.AutoConfig.from_pretrained( + model_args.model_name_or_path, + cache_dir=training_args.cache_dir, + trust_remote_code=model_args.trust_remote_code, + ) + + # Load model and tokenizer + model = transformers.AutoModelForCausalLM.from_pretrained( + model_args.model_name_or_path, + config=config, + cache_dir=training_args.cache_dir, + trust_remote_code=model_args.trust_remote_code, + torch_dtype=torch.bfloat16, + attn_implementation="flash_attention_2", + ) + model.gradient_checkpointing_enable() + + if model_args.ref_model_name_or_path is None: + model_args.ref_model_name_or_path = model_args.model_name_or_path + model_ref = transformers.AutoModelForCausalLM.from_pretrained( + model_args.ref_model_name_or_path, + config=config, + cache_dir=training_args.cache_dir, + trust_remote_code=model_args.trust_remote_code, + torch_dtype=torch.bfloat16, + attn_implementation="flash_attention_2", + ).eval() + + tokenizer = transformers.AutoTokenizer.from_pretrained( + model_args.model_name_or_path, + cache_dir=training_args.cache_dir, + model_max_length=training_args.model_max_length, + padding_side=model_args.padding_side, + use_fast=True, + trust_remote_code=model_args.trust_remote_code, + ) + + if tokenizer.pad_token != tokenizer.unk_token: + tokenizer.pad_token = tokenizer.unk_token + + # Load data + dataset = load_dataset("json", data_files=data_args.data_path) + preprocess = partial( + preprocess_multi_turn, + tokenizer=tokenizer, + ) + train_dataset = dataset["train"].map(preprocess) + trainer = DPOMultiTrainer( + model=model, + ref_model=model_ref, + args=training_args, + beta=model_args.beta, + train_dataset=train_dataset, + tokenizer=tokenizer, + max_length=training_args.model_max_length, + max_target_length=training_args.max_target_length, + max_prompt_length=training_args.max_prompt_length, + generate_during_eval=True, + ) + + if list(pathlib.Path(training_args.output_dir).glob("checkpoint-*")): + trainer.train(resume_from_checkpoint=True) + else: + trainer.train() + + # Save model + model.config.use_cache = True + trainer.save_state() + trainer.save_model() + + +if __name__ == "__main__": + global local_rank, world_size # pylint: disable=W0604:global-at-module-level + local_rank = int(os.getenv("LOCAL_RANK", "0")) + world_size = int(os.getenv("WORLD_SIZE", "1")) + train() diff --git a/openmanus_rl/agentgym/agentenv/examples/dpo/train_dpo_webshop.sh b/openmanus_rl/agentgym/agentenv/examples/dpo/train_dpo_webshop.sh new file mode 100644 index 00000000..558520c3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/examples/dpo/train_dpo_webshop.sh @@ -0,0 +1,109 @@ +BC_MODEL_PATH= +DATASET_FILE_PATH=PATH/TO/Webshop_train.json +OUTPUT_PATH= +TESTSET_DATA_PATH=PATH/TO/Webshop_test.json + +REWARD_GAP=0.1 +EXPERT_THRESHOLD=0.9 + +BETA=0.5 +LR=5e-7 + +ENV_SERVER_BASE_URL= + +set -e + +if [ ! -d ${OUTPUT_PATH} ]; then + mkdir -p ${OUTPUT_PATH} +fi + +# echo "Stage 0: evaluate the BC model" +# accelerate launch ../../utils/distributed_eval_task.py \ +# --model_path ${BC_MODEL_PATH} \ +# --output_file ${OUTPUT_PATH}/bc_webshop_eval.jsonl \ +# --inference_file ${TESTSET_DATA_PATH} \ +# --task_name "webshop" \ +# --eval_batch_size 1 \ +# --num_workers 8 \ +# --do_sample False \ +# --max_round 10 \ +# --env_server_base ${ENV_SERVER_BASE_URL} \ +# --data_len 200 \ +# --timeout 2400 + +echo "Stage 1: sample twice to get pair data" +accelerate launch ../../utils/distributed_eval_task.py \ + --model_path ${BC_MODEL_PATH} \ + --output_file ${OUTPUT_PATH}/dpo_webshop_inference_a.jsonl \ + --inference_file ${DATASET_FILE_PATH} \ + --task_name "webshop" \ + --eval_batch_size 1 \ + --num_workers 8 \ + --do_sample True \ + --temperature 1.0 \ + --max_round 10 \ + --env_server_base ${ENV_SERVER_BASE_URL} \ + --data_len 200 \ + --timeout 2400 +accelerate launch ../../utils/distributed_eval_task.py \ + --model_path ${BC_MODEL_PATH} \ + --output_file ${OUTPUT_PATH}/dpo_webshop_inference_b.jsonl \ + --inference_file ${DATASET_FILE_PATH} \ + --task_name "webshop" \ + --eval_batch_size 1 \ + --num_workers 8 \ + --do_sample True \ + --temperature 1.0 \ + --max_round 10 \ + --env_server_base ${ENV_SERVER_BASE_URL} \ + --data_len 200 \ + --timeout 2400 + +echo "Stage 2: make the dpo dataset" +python -u make_dpo_dataset.py \ + --expert ${OUTPUT_PATH}/dpo_webshop_inference_a.jsonl \ + --experience ${OUTPUT_PATH}/dpo_webshop_inference_b.jsonl \ + --reward_gap ${REWARD_GAP} \ + --expert_threshold ${EXPERT_THRESHOLD} \ + --output ${OUTPUT_PATH}/dpo_webshop_dataset.jsonl + +echo "Stage 3: train the dpo model" +torchrun --nproc_per_node=8 train_dpo_multiturn.py \ + --model_name_or_path ${BC_MODEL_PATH} \ + --ref_model_name_or_path ${BC_MODEL_PATH} \ + --trust_remote_code True \ + --per_device_train_batch_size 2 \ + --per_device_eval_batch_size 4 \ + --gradient_accumulation_steps 4 \ + --evaluation_strategy "no" \ + --save_strategy "no" \ + --save_total_limit 5 \ + --num_train_epochs 3 \ + --beta ${BETA} \ + --learning_rate ${LR} \ + --weight_decay 0.1 \ + --warmup_ratio 0.1 \ + --lr_scheduler_type "constant_with_warmup" \ + --logging_steps 5 \ + --data_path ${OUTPUT_PATH}/dpo_webshop_dataset.jsonl \ + --output_dir ${OUTPUT_PATH}/dpo_webshop_model \ + --fsdp "full_shard auto_wrap" \ + --fsdp_transformer_layer_cls_to_wrap 'LlamaDecoderLayer' \ + --model_max_length 4096 \ + --max_prompt_length 1024 \ + --max_target_length 3072 \ + --gradient_checkpointing True + +echo "Stage 4: evaluate the dpo model" +accelerate launch ../../utils/distributed_eval_task.py \ + --model_path ${OUTPUT_PATH}/dpo_webshop_model \ + --output_file ${OUTPUT_PATH}/dpo_webshop_eval.jsonl \ + --inference_file ${TESTSET_DATA_PATH} \ + --task_name "webshop" \ + --eval_batch_size 1 \ + --num_workers 8 \ + --do_sample False \ + --max_round 10 \ + --env_server_base ${ENV_SERVER_BASE_URL} \ + --data_len 200 \ + --timeout 2400 diff --git a/openmanus_rl/agentgym/agentenv/pyproject.toml b/openmanus_rl/agentgym/agentenv/pyproject.toml new file mode 100644 index 00000000..777154b3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/pyproject.toml @@ -0,0 +1,20 @@ +[project] +name = "agentenv" +version = "0.1.0" +description = "" +authors = [ + {name = "KYLN24", email = "hlguo20@fudan.edu.cn"}, +] +dependencies = [ + "torch>=2.0.0", + "transformers>=4.35.2", + "trl>=0.8.6", + "scipy>=1.11.4", + "accelerate>=0.23.0", + "jsonlines>=4.0.0", + "wandb>=0.16.4" +] +requires-python = ">=3.11" +readme = "README.md" +license = {text = "MIT"} + diff --git a/openmanus_rl/agentgym/agentenv/utils/agentevol_filter.py b/openmanus_rl/agentgym/agentenv/utils/agentevol_filter.py new file mode 100644 index 00000000..1ca42986 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/utils/agentevol_filter.py @@ -0,0 +1,103 @@ +import argparse +import json +import os + +import jsonlines + +task_list = [ + "webshop", + "alfworld", + "textcraft", + "sciworld", + "sqlgym", + "lmrlgym_wordle", + "lmrlgym_maze", + "weather", + "movie", + "todo", + "babyai", +] +threshold_list = [0.99, 0.99, 0.99, 99, 0.99, 0.99, 0.99, 0.99, 0.99, 0.99, 0] + + +def extract_category(item_id): + for i, task in enumerate(task_list): + if item_id.startswith(task): + return task + return None + + +def filter_jsonl(inference_output_file_path, cur_iter_file, next_iter_file, add_original_data): + data = [] + for filename in os.listdir(inference_output_file_path): + if filename.startswith("inference") and filename.endswith(".jsonl"): + cur_file_path = os.path.join(inference_output_file_path, filename) + + with jsonlines.open(cur_file_path) as reader: + for line in reader.iter(skip_invalid=True): + data.append(line) + + filtered_data = [] + for d in data: + category = extract_category(d["item_id"]) + threshold = threshold_list[task_list.index(category)] + if d["reward"] > threshold: + filtered_data.append(d) + + # filter duplicate items with same item_id + unique_item_ids = set() + unique_filtered_data = [] + # count category + category_count = {} + + for entry in filtered_data: + item_id = entry.get("item_id") + # remove duplicate item_id + if item_id not in unique_item_ids: + unique_item_ids.add(item_id) + unique_filtered_data.append(entry) + category = extract_category(item_id) + if category in category_count: + category_count[category] += 1 + else: + category_count[category] = 1 + + for category, count in category_count.items(): + print(f"{category}: {count}") + + print(len(unique_filtered_data)) + # append original data + if add_original_data: + with open(cur_iter_file, "r") as f: + unique_filtered_data += json.load(f) + + print(len(unique_filtered_data)) + + with open(next_iter_file, "w", encoding="utf-8") as f: + json.dump(unique_filtered_data, f, ensure_ascii=False, indent=4) + + +def main(): + parser = argparse.ArgumentParser(description="Filter JSONL file based on reward threshold.") + + parser.add_argument("--inference_output_file_path", type=str, help="current iter inference file path") + parser.add_argument("--cur_iter_file", type=str, help="current iter train file") + parser.add_argument("--next_iter_file", type=str, help="next iter train file") + parser.add_argument("--add_original_data", type=bool, default=False, help="Add original data") + parser.add_argument( + "--inference_output_file", type=str, default="inference.jsonl", help="current iter inference file" + ) + args = parser.parse_args() + + print("add original data", args.add_original_data) + + filter_jsonl( + args.inference_output_file_path, + args.cur_iter_file, + args.next_iter_file, + args.add_original_data, + ) + + +if __name__ == "__main__": + main() diff --git a/openmanus_rl/agentgym/agentenv/utils/distributed_eval_task.py b/openmanus_rl/agentgym/agentenv/utils/distributed_eval_task.py new file mode 100644 index 00000000..f3043fed --- /dev/null +++ b/openmanus_rl/agentgym/agentenv/utils/distributed_eval_task.py @@ -0,0 +1,109 @@ +import time +from dataclasses import asdict, dataclass, field + +import torch +import transformers +from agentenv.controller import Agent +from agentenv.envs import ( + AcademiaTask, + AlfWorldTask, + BabyAITask, + MazeTask, + MovieTask, + SciworldTask, + SheetTask, + SqlGymTask, + TextCraftTask, + TodoTask, + WeatherTask, + WebarenaTask, + WebshopTask, + WordleTask, +) +from agentenv.trainer.distributed_evaluator import DistributedEvaluator +from transformers import AutoModelForCausalLM, AutoTokenizer + + +@dataclass +class EvalArguments: + model_path: str + # required path + output_file: str + inference_file: str = field(metadata={"help": "Inference dataset."}) + task_name: str = field(default="webshop", metadata={"help": "Task name for evaluation"}) + + # eval config + eval_batch_size: int = field(default=8, metadata={"help": "Batch size for evaluation."}) + num_workers: int = field(default=8, metadata={"help": "Number of subprocesses to use for data loading."}) + seed: int = field(default=42) + do_sample: bool = field(default=False, metadata={"help": "Do sampling or not."}) + temperature: float = field(default=1.0, metadata={"help": "Sampling temperature."}) + + # conversation rounds + max_round: int = field( + default=6, + metadata={"help": "Interaction rounds between agents and environment"}, + ) + + weight_decay: float = field(default=1e-6, metadata={"help": "Weight decay for regularization."}) + + # environment parameters + env_server_base: str = field(default=None) + data_len: int = field(default=200) + timeout: int = field(default=2400) + + +def main(): + parser = transformers.HfArgumentParser(EvalArguments) + (args,) = parser.parse_args_into_dataclasses() + + tokenizer = AutoTokenizer.from_pretrained(args.model_path) + model = AutoModelForCausalLM.from_pretrained( + args.model_path, low_cpu_mem_usage=True, torch_dtype=torch.bfloat16 + ) + model.gradient_checkpointing_enable() + + # task_name - task dict + task_classes = { + "webshop": WebshopTask, + "alfworld": AlfWorldTask, + "babyai": BabyAITask, + "sciworld": SciworldTask, + "textcraft": TextCraftTask, + "webarena": WebarenaTask, + "sqlgym": SqlGymTask, + "lmrlgym_maze": MazeTask, + "lmrlgym_wordle": WordleTask, + "weather": WeatherTask, + "todo": TodoTask, + "movie": MovieTask, + "sheet": SheetTask, + "academia": AcademiaTask, + "babyai": BabyAITask, + } + + # select task according to the name + task_class = task_classes.get(args.task_name.lower(), None) + if task_class is None: + raise ValueError(f"Unsupported task name: {args.task_name}") + + # set environment parameters + env_args = { + "env_server_base": args.env_server_base, + "data_len": args.data_len, + "timeout": args.timeout, + } + + distributed_evaluator = DistributedEvaluator( + Agent(model, tokenizer), + [task_class(client_args=env_args, n_clients=1)], + args, + ) + start_time = time.time() + distributed_evaluator.generate() + process_time = time.time() - start_time + print(f"==== {process_time} seconds ====") + + +if __name__ == "__main__": + main() diff --git a/openmanus_rl/agentgym/agentenv_gaia/README.md b/openmanus_rl/agentgym/agentenv_gaia/README.md new file mode 100644 index 00000000..33a70d4b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv_gaia/README.md @@ -0,0 +1,68 @@ +# GAIA环境模块 + +这个模块实现了GAIA数据集的环境服务器和客户端,用于在AgentGym框架中支持GAIA任务。 + +## 功能特点 + +- 支持GAIA数据集的加载和处理 +- 提供HTTP API服务端,支持并发操作 +- 提供客户端接口,集成到AgentGym框架 + +## 安装方法 + +```bash +# 从当前目录安装 +pip install -e . +``` + +## 使用方法 + +### 启动环境服务器 + +```python +from agentenv_gaia import launch_server + +# 启动GAIA环境服务器 +launch_server(host="0.0.0.0", port=8000) +``` + +### 客户端使用 + +```python +from agentenv_gaia import GaiaEnvClient, GaiaTask +from agentenv.controller.agent import Agent +from agentenv.controller.utils import Evaluator +from transformers import AutoModelForCausalLM, AutoTokenizer + +# 初始化LLM模型 +model_path = "your_model_path" +model = AutoModelForCausalLM.from_pretrained(model_path) +tokenizer = AutoTokenizer.from_pretrained(model_path) +agent = Agent(model, tokenizer) + +# 初始化GAIA任务 +client_args = { + "server_url": "http://localhost:8000", + "data_dir": "path/to/data", + "level": "level1", + "dataset": "validation" +} +task = GaiaTask(client_args) + +# 创建评估器 +evaluator = Evaluator(agent, [task]) + +# 评估LLM在GAIA任务上的性能 +generation_config = {"max_new_tokens": 512, "do_sample": True, "temperature": 0.7} +results = evaluator.eval(generation_config, max_rounds=10, idxs=[0, 1, 2]) +print(results) +``` + +## 环境参数说明 + +GAIA环境支持以下参数: + +- `data_dir`: GAIA数据集目录路径 +- `level`: 难度级别,可选值为"level1"、"level2"等 +- `dataset`: 数据集类型,可选值为"train"、"validation"、"test" +- `tool_list`: 可用工具列表,默认为None(使用所有可用工具) diff --git a/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/__init__.py b/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/enviroment.py b/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/enviroment.py new file mode 100644 index 00000000..708d3971 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/enviroment.py @@ -0,0 +1,220 @@ +import json +from dataclasses import dataclass +from typing import Any, Dict, Optional, Tuple + +from gymnasium import Env + +from agentenv_gaia.utils.load_data import load_gaia_data +from agentenv_gaia.utils.openmanus_imports import get_tool_collection + + +@dataclass +class StepOutput: + observation: str + reward: float + done: bool + info: Dict[str, Any] = None + + +class GaiaEnv(Env): + """GAIA环境类,实现GAIA基准测试的环境逻辑""" + + def __init__( + self, + data_dir: str = "data/", + level: str = "level1", + dataset: str = "validation", + tool_list: Optional[list] = None, + ): + """初始化GAIA环境 + + Args: + data_dir: 数据目录路径 + level: GAIA级别,可选"level1"、"level2"等 + dataset: 数据集类型,可选"validation"、"test"等 + tool_list: 需要使用的工具列表,默认为None + """ + super().__init__() + + self.data_dir = data_dir + self.level = level + self.dataset_type = dataset + self.tool_list = tool_list + + # 加载数据集 + self.dataset = self._load_dataset() + + # 初始化工具集合 + self.tools = self._init_tools() + + # 当前状态信息 + self.current_idx = None + self.current_state = None + self.available_actions = [] + self.history = [] + + def _load_dataset(self): + """加载GAIA数据集""" + return load_gaia_data( + data_dir=self.data_dir, level=self.level, dataset=self.dataset_type + ) + + def _init_tools(self): + """初始化工具集""" + return get_tool_collection(self.tool_list) + + def get_observation(self): + """获取当前环境状态的观察""" + return { + "observation": self.current_state, + "available_actions": self.available_actions, + } + + def get_available_actions(self): + """获取可用动作列表""" + return {"available_actions": self.available_actions} + + def step(self, action): + """执行动作并返回结果 + + Args: + action: 智能体执行的动作 + + Returns: + tuple: (observation, reward, done, truncated, info),符合gymnasium.Env的接口 + """ + # 处理动作 + if isinstance(action, str): + # 分析动作内容,确定使用哪个工具 + tool_name, tool_input = self._parse_action(action) + + # 执行工具调用 + if tool_name in self.tools.tool_map: + tool_result = self.tools.execute(name=tool_name, tool_input=tool_input) + observation = str(tool_result) + else: + observation = f"工具 {tool_name} 不存在或不可用。" + else: + observation = "不支持的动作格式。" + + # 更新环境状态 + self.current_state = observation + + # 计算奖励和是否完成 + reward = self._calculate_reward(action) + done = self._check_done() + + # 记录历史 + self.history.append({"action": action, "observation": observation}) + + # 返回结果(符合gymnasium.Env的接口) + return observation, reward, done, False, {"action_count": len(self.history)} + + def _parse_action(self, action: str) -> Tuple[str, Dict[str, Any]]: + """解析动作,提取工具名称和参数 + + 简单实现,实际使用中可能需要更复杂的解析逻辑 + + Args: + action: 动作字符串 + + Returns: + tuple: (工具名称, 工具参数字典) + """ + # 这里是一个简单的实现,假设动作格式为"工具名: 参数1=值1, 参数2=值2" + try: + tools = json.loads(action) + return tools["tool_name"], tools["tool_input"] + except Exception: + return "invalid_tool", {} + + def reset(self, *, seed=None, options=None): + """重置环境到初始状态 + + Args: + seed: 随机种子 + options: 可选参数,可以包含指定的任务索引 options={'idx': task_idx} + + Returns: + tuple: (observation, info),符合gymnasium.Env的接口 + """ + super().reset(seed=seed) + + # 确定任务索引 + idx = 0 + if options and "idx" in options: + idx = options["idx"] + + self.current_idx = idx + + if idx < len(self.dataset): + # 获取任务数据 + task_data = self.dataset.iloc[idx] + + # 设置初始状态 + self.current_state = task_data["question"] + + # 设置可用动作 + self.available_actions = self._get_initial_actions(task_data) + + # 清空历史 + self.history = [] + + return self.current_state, {"task_data": task_data} + else: + raise ValueError(f"索引 {idx} 超出数据集范围") + + def _get_initial_actions(self, task_data): + """获取初始可用动作列表 + + Args: + task_data: 任务数据 + + Returns: + list: 可用动作列表 + """ + # 根据任务类型返回不同的可用工具列表 + task_type = task_data.get("task", "") + + # 返回所有工具作为初始可用工具 + return [tool.name for tool in self.tools] + + def _calculate_reward(self, action): + """计算执行动作后的奖励 + + Args: + action: 执行的动作 + + Returns: + float: 奖励值 + """ + # 在这个简单实现中,所有动作的奖励都是0,只有最终状态才有奖励 + return 0.0 + + def _check_done(self): + """检查任务是否完成 + + Returns: + bool: 任务是否完成 + """ + # 简单实现:达到一定步骤数或发现特定关键词表示任务完成 + if len(self.history) >= 10: # 最多10步 + return True + + # 检查最后一个观察是否包含"final_answer"或"答案"等关键词 + if self.history and isinstance(self.history[-1].get("action", ""), str): + action = self.history[-1]["action"].lower() + if "final_answer" in action or "答案" in action: + return True + + return False + + def render(self): + """渲染环境(可选实现)""" + # GAIA环境是纯文本环境,可以简单地打印当前状态 + return self.current_state + + def close(self): + """关闭环境,释放资源""" + # 清理任何需要释放的资源 + pass diff --git a/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/launch.py b/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/launch.py new file mode 100644 index 00000000..e7ffc9b4 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/launch.py @@ -0,0 +1,29 @@ +import argparse +import os + +from agentenv_gaia.server import launch as server_launch + + +def main(): + """ + GAIA环境服务器启动脚本 + """ + parser = argparse.ArgumentParser(description="启动GAIA环境服务器") + parser.add_argument("--host", type=str, default="0.0.0.0", help="服务器主机地址") + parser.add_argument("--port", type=int, default=8000, help="服务器端口") + parser.add_argument("--data-dir", type=str, default="data/", help="数据目录路径") + + args = parser.parse_args() + + # 确保数据目录存在 + os.makedirs(os.path.join(args.data_dir, "gaia"), exist_ok=True) + + print(f"启动GAIA环境服务器,监听地址: {args.host}:{args.port}") + print(f"数据目录: {args.data_dir}") + + # 启动服务器 + server_launch(host=args.host, port=args.port) + + +if __name__ == "__main__": + main() diff --git a/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/server.py b/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/server.py new file mode 100644 index 00000000..594ded7d --- /dev/null +++ b/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/server.py @@ -0,0 +1,145 @@ +import threading +import uuid +from typing import Any, Dict, List, Optional + +import uvicorn +from fastapi import FastAPI, HTTPException +from pydantic import BaseModel + +from agentenv_gaia.enviroment import GaiaEnv + + +# 请求模型定义 +class CreateEnvRequest(BaseModel): + data_dir: Optional[str] = "data/" + level: Optional[str] = "level1" + dataset: Optional[str] = "validation" + tool_list: Optional[List[str]] = None + + +class StepRequest(BaseModel): + env_id: str + action: str + + +class ResetRequest(BaseModel): + env_id: str + idx: int = 0 + + +# 环境服务器类 +class GaiaEnvServer: + def __init__(self, max_envs=100): + self.env_instances = {} # 存储环境实例 + self.env_locks = {} # 环境锁,用于并发控制 + self.max_envs = max_envs + + def create_env(self, params: CreateEnvRequest): + """创建新的环境实例""" + if len(self.env_instances) >= self.max_envs: + raise HTTPException(status_code=503, detail="达到最大环境实例数量限制") + + env_id = str(uuid.uuid4()) + self.env_instances[env_id] = GaiaEnv( + data_dir=params.data_dir, + level=params.level, + dataset=params.dataset, + tool_list=params.tool_list, + ) + self.env_locks[env_id] = threading.Lock() + + return {"env_id": env_id, "status": "created"} + + def get_observation(self, env_id: str): + """获取环境观察""" + self._check_env_id(env_id) + + with self.env_locks[env_id]: + return self.env_instances[env_id].get_observation() + + def get_available_actions(self, env_id: str): + """获取可用动作""" + self._check_env_id(env_id) + + with self.env_locks[env_id]: + return self.env_instances[env_id].get_available_actions() + + def step(self, env_id: str, action: str): + """执行动作""" + self._check_env_id(env_id) + + with self.env_locks[env_id]: + observation, reward, done, truncated, info = self.env_instances[ + env_id + ].step(action) + return { + "observation": observation, + "reward": reward, + "done": done, + "info": info, + } + + def reset(self, env_id: str, idx: int = 0): + """重置环境""" + self._check_env_id(env_id) + + with self.env_locks[env_id]: + observation, info = self.env_instances[env_id].reset(options={"idx": idx}) + return {"observation": observation, "info": info} + + def _check_env_id(self, env_id: str): + """检查环境ID是否存在""" + if env_id not in self.env_instances: + raise HTTPException(status_code=404, detail=f"环境实例 {env_id} 不存在") + + +# 创建服务器实例 +server = GaiaEnvServer() + +# 创建FastAPI应用 +app = FastAPI(title="GAIA Environment Server") + + +@app.get("/") +def hello(): + return {"message": "欢迎使用GAIA环境服务器"} + + +@app.post("/createEnv") +def create_env(params: CreateEnvRequest = CreateEnvRequest()): + return server.create_env(params) + + +@app.get("/observation") +def get_observation(env_id: str): + return server.get_observation(env_id) + + +@app.get("/available_actions") +def get_available_actions(env_id: str): + return server.get_available_actions(env_id) + + +@app.post("/step") +def step(request: StepRequest): + return server.step(request.env_id, request.action) + + +@app.post("/reset") +def reset(request: ResetRequest): + return server.reset(request.env_id, request.idx) + + +# 启动函数 +def launch(host="0.0.0.0", port=8000): + """启动GAIA环境服务器 + + Args: + host: 服务器主机地址 + port: 服务器端口 + """ + uvicorn.run(app, host=host, port=port) + + +if __name__ == "__main__": + launch() diff --git a/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/utils/load_data.py b/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/utils/load_data.py new file mode 100644 index 00000000..7305a9f3 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/utils/load_data.py @@ -0,0 +1,176 @@ +import os +from collections import Counter + +import datasets +import pandas as pd + +# If you use proxy to download dataset from Hugging Face, plz: +os.environ["CURL_CA_BUNDLE"] = "" + + +def preprocess_file_paths(row, data_dir): + if len(row["file_name"]) > 0: + row["file_name"] = os.path.join(data_dir, row["file_name"]) + return row + + +def preprocess_data(ds, data_dir): + ds = ds.rename_columns( + {"Question": "question", "Final answer": "true_answer", "Level": "task"} + ) + ds = ds.map(preprocess_file_paths, fn_kwargs={"data_dir": data_dir}) + df = pd.DataFrame(ds) + print("Loaded dataset:") + print(df["task"].value_counts()) + return df + + +# Load dataset, specify download mode +def load_gaia_data( + data_dir: str = "data/", + level: str = "level1", + dataset: str = "validation", +): + path = os.path.join(data_dir, f"gaia/{level}/{dataset}") + # make sure the path exists + os.makedirs(path, exist_ok=True) + try: + ds = datasets.load_from_disk(path) + ds = preprocess_data(ds, data_dir) + + except FileNotFoundError: + print(f"Dataset {path} not found, downloading from Hugging Face") + # Make you have set the HF token in the environment variable + ds = datasets.load_dataset( + "gaia-benchmark/GAIA", + f"2023_{level}", + trust_remote_code=True, + download_mode="force_redownload", + )[dataset] + + # Save the dataset to a file + ds.save_to_disk(path) + ds = preprocess_data(ds, data_dir) + return ds + + +def parse_tools(tools_list): + """ + 解析工具列表并生成工具集合统计 + + Args: + tools_list: 包含工具描述的字符串列表 + + Returns: + Dictionary: 包含所有工具及其出现频率 + """ + all_tools = [] + + # 定义工具名称映射,将相似工具统一命名 + tool_mapping = { + # 浏览器类 + "web browser": "web_browser", + "a web browser": "web_browser", + "a web browser.": "web_browser", + # 搜索引擎类 + "search engine": "search_engine", + "a search engine": "search_engine", + "a search engine.": "search_engine", + "google search": "search_engine", + # 计算器类 + "calculator": "calculator", + "a calculator": "calculator", + "a calculator.": "calculator", + "calculator (or ability to count)": "calculator", + # 图像识别类 + "image recognition": "image_recognition", + "image recognition tools": "image_recognition", + "image recognition/ocr": "image_recognition", + "color recognition": "image_recognition", + # 文档查看类 + "pdf access": "document_viewer", + "pdf viewer": "document_viewer", + "word document access": "document_viewer", + "text editor": "document_viewer", + "powerpoint viewer": "document_viewer", + "access to excel files": "document_viewer", + "excel": "document_viewer", + # 音频视频类 + "video parsing": "media_processor", + "audio capability": "media_processor", + "video processing software": "media_processor", + "audio processing software": "media_processor", + "video recognition tools": "media_processor", + "a speech-to-text tool": "media_processor", + "a speech-to-text audio processing tool": "media_processor", + # 其他工具 + "a word reversal tool / script": "text_processor", + "markdown": "text_processor", + "no tools required": "none", + "a file interface": "file_interface", + "python": "programming", + "access to academic journal websites": "academic_resources", + "rubik's cube model": "special_tools", + "wikipedia": "academic_resources", + } + + # 工具分类的中文描述 + category_names = { + "web_browser": "网页浏览器", + "search_engine": "搜索引擎", + "calculator": "计算器", + "image_recognition": "图像识别", + "document_viewer": "文档查看器", + "media_processor": "媒体处理", + "text_processor": "文本处理", + "file_interface": "文件接口", + "programming": "编程工具", + "academic_resources": "学术资源", + "special_tools": "特殊工具", + "none": "无需工具", + } + + for tools_str in tools_list: + if tools_str == "None" or tools_str is None: + continue + + # 按行分割 + tools = tools_str.split("\n") + + for tool in tools: + # 移除数字编号和前导空格 + cleaned_tool = tool.strip() + # 使用正则表达式或简单方法移除前面的数字和点 + if cleaned_tool and cleaned_tool[0].isdigit(): + # 找到第一个点后的内容 + if "." in cleaned_tool: + cleaned_tool = cleaned_tool.split(".", 1)[1].strip() + + if cleaned_tool and cleaned_tool.lower() != "none": + tool_lower = cleaned_tool.lower() + # 使用映射表规范化工具名称 + normalized_tool = tool_mapping.get(tool_lower, tool_lower) + all_tools.append(normalized_tool) + + # 统计工具出现频率 + tool_counter = Counter(all_tools) + + # 按出现频率排序 + sorted_tools = dict(sorted(tool_counter.items(), key=lambda x: x[1], reverse=True)) + + return sorted_tools, category_names + + +if __name__ == "__main__": + ds = load_gaia_data() + tools_data = [i["Tools"] for i in ds["Annotator Metadata"]] + print("原始工具列表:") + print(tools_data) + + # 解析工具集合 + tool_set, category_names = parse_tools(tools_data) + print("\n工具集合统计:") + for tool, count in tool_set.items(): + # 显示工具类别的中文名称 + tool_name = category_names.get(tool, tool) + print(f"{tool_name} ({tool}): {count}次") diff --git a/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/utils/openmanus_imports.py b/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/utils/openmanus_imports.py new file mode 100644 index 00000000..521ee513 --- /dev/null +++ b/openmanus_rl/agentgym/agentenv_gaia/agentenv_gaia/utils/openmanus_imports.py @@ -0,0 +1,95 @@ +import os +import sys +from pathlib import Path +from typing import Any, Dict, List, Type + + +def get_openmanus_path(): + """获取OpenManus目录的绝对路径""" + path = Path(os.getcwd()).parent / "OpenManus" + + print("using OpenManus path:", path) + if path.exists() and path.is_dir(): + return str(path.absolute()) + + # 如果找不到,尝试一个固定的相对路径 + return "./OpenManus" + + +# 获取并添加OpenManus路径 +openmanus_path = get_openmanus_path() + +# 确保OpenManus路径只被添加一次 +if openmanus_path not in sys.path: + sys.path.insert(0, openmanus_path) + + +# 导入常用的OpenManus工具 +def import_tools() -> Dict[str, Type]: + """导入并返回OpenManus基础工具""" + try: + from app.tool import BrowserUseTool, StrReplaceEditor, Terminate, ToolCollection + from app.tool.python_execute import PythonExecute + + return { + "browser_use": BrowserUseTool, + "terminate": Terminate, + "python_execute": PythonExecute, + "str_replace_editor": StrReplaceEditor, + } + except ImportError as e: + print(f"导入OpenManus工具时出错: {e}") + print(f"当前sys.path: {sys.path}") + print(f"OpenManus路径: {openmanus_path}") + raise + + +def get_tool_collection(tool_list: List[str] = None) -> Any: + """ + 获取工具集合 + + Args: + tool_list: 需要的工具列表,默认为["BrowserUseTool", "PythonExecute", "Terminate"] + + Returns: + ToolCollection实例 + """ + from app.tool import ToolCollection + + if tool_list is None: + tool_list = ["browser_use", "python_execute", "terminate"] + + tools_dict = import_tools() + + all_tools = ToolCollection( + *(tools_dict[tool]() for tool in tool_list if tool in tools_dict) + ) + return all_tools + + +if __name__ == "__main__": + + def test_str_replace_editor(): + + import asyncio + import os + + test_path = os.path.join(os.getcwd(), "hello.txt") + f = open(test_path, "w") + f.write("hello world") + f.close() + tools = get_tool_collection(["str_replace_editor"]) + result = asyncio.run( + tools.execute( + name="str_replace_editor", + tool_input={ + "command": "str_replace", + "path": test_path, + "old_str": "hello", + "new_str": "hi", + }, + ) + ) + print(result) + + test_str_replace_editor() diff --git a/openmanus_rl/agentgym/agentenv_gaia/pyproject.toml b/openmanus_rl/agentgym/agentenv_gaia/pyproject.toml new file mode 100644 index 00000000..568d082b --- /dev/null +++ b/openmanus_rl/agentgym/agentenv_gaia/pyproject.toml @@ -0,0 +1,19 @@ +[project] +name = "agentenv_gaia" +version = "0.1.0" +description = "" +authors = [ + {name = "rxdaozhang",email = "896836861@qq.com"} +] +readme = "README.md" +requires-python = ">=3.11" +dependencies = [ +] + +[tool.poetry] +packages = [{include = "agentenv_gaia", from = "src"}] + + +[build-system] +requires = ["poetry-core>=2.0.0,<3.0.0"] +build-backend = "poetry.core.masonry.api" diff --git a/openmanus_rl/agentgym/agentenv_gaia/tests/__init__.py b/openmanus_rl/agentgym/agentenv_gaia/tests/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/openmanus_rl/agentgym/assets/agentgym.png b/openmanus_rl/agentgym/assets/agentgym.png new file mode 100644 index 00000000..1549e22b Binary files /dev/null and b/openmanus_rl/agentgym/assets/agentgym.png differ diff --git a/openmanus_rl/agentgym/assets/evolution.png b/openmanus_rl/agentgym/assets/evolution.png new file mode 100644 index 00000000..5eb570f3 Binary files /dev/null and b/openmanus_rl/agentgym/assets/evolution.png differ diff --git a/openmanus_rl/agentgym/assets/main_results.png b/openmanus_rl/agentgym/assets/main_results.png new file mode 100644 index 00000000..ef628d73 Binary files /dev/null and b/openmanus_rl/agentgym/assets/main_results.png differ diff --git a/openmanus_rl/agentgym/assets/platform.png b/openmanus_rl/agentgym/assets/platform.png new file mode 100644 index 00000000..dbf9891d Binary files /dev/null and b/openmanus_rl/agentgym/assets/platform.png differ diff --git a/openmanus_rl/agentgym/docs/tutorials/en/01-evaluation.md b/openmanus_rl/agentgym/docs/tutorials/en/01-evaluation.md new file mode 100644 index 00000000..18ba1a0f --- /dev/null +++ b/openmanus_rl/agentgym/docs/tutorials/en/01-evaluation.md @@ -0,0 +1,129 @@ +# Evaluation + +This article introduces how to evaluate LLM-based agents on WebShop task via Agent GYM. + +## Setup the Environment + +Firstly, please install `agentenv` package. You can refer to the [`README.md`](/README.md) in the root path of this project. Then, you can launch the WebShop environment server through the following instructions. + + +```bash +# Change to the agentenv-webshop directory +cd agentenv-webshop + +# WebShop depends on specific versions of Python, PyTorch, Faiss and Java. +# To avoid any conflict, please create a new Conda virtual environment. +conda create -n webshop -f environment.yml + +# After creating, activate it. +conda activate -n webshop + +# Then, run `setup.sh` to setup the environment. +bash ./setup.sh +# The script will resolve the dependencies in correct order, download the dataset and install the agentenv-webshop server. +# This script will download data from Google Drive. Please make sure that the network is available. +``` + +## Launch the Server + +After configuration of the environment, you can launch the WebShop environment server fron the `webshop` Conda Environment. + +```bash +# Make sure the webshop Conda environment is activated. +conda activate webshop + +# Launch the server on port 36001 or other ports you like. +webshop --port 36001 +``` + +## Write the Evaluation Script + +The `webshop` Conda should only be used to launch the WebShop environment server. Other code should be executed in your own Conda environment, where the `agentenv` package have been installed. + +Please refer to `examples/basic/eval_agentlm_webshop.py`. + +```python +# Evaluate AgentLM-7B on WebShop task. +# 200 data pieces, max_length=4096, max_rounds=20 + +import json +from transformers import AutoModelForCausalLM, AutoTokenizer, GenerationConfig + +from agentenv.controller import Agent, Evaluator +from agentenv.envs import WebshopTask + +MODEL_PATH = "THUDM/agentlm-7b" + +tokenizer = AutoTokenizer.from_pretrained(MODEL_PATH) +model = AutoModelForCausalLM.from_pretrained(MODEL_PATH, device_map="auto", trust_remote_code=True).eval() + +evaluator = Evaluator( + Agent(model, tokenizer), + [ + WebshopTask( + client_args={ + "env_server_base": "http://127.0.0.1:36001", # If you have modified the port, modify it here. + "data_len": 200, # Currently, the data_len argument is of no use. It will be removed in future versions. + "timeout": 300, + }, + # The n_clients argument is reserved for subsequent implementations of batch generation. Please leave it at 1. + n_clients=1, + ) + ], +) + +exps = evaluator.eval( + generation_config=GenerationConfig( + max_length=4096, + eos_token_id=tokenizer.eos_token_id, + pad_token_id=tokenizer.pad_token_id + if tokenizer.pad_token_id is not None + else tokenizer.eos_token_id, + ), + max_rounds=7, + idxs=list(range(200)), +) + +print("\n\n==== EVALUATION ====\n") +print(f"Score: {exps.score}") +print(f"Success: {exps.success}") + +print("\n\n==== EXPERIENCES ====\n") +for idx, exp in enumerate(exps.experiences[:3]): + print(f"\n\n==== EXP {idx} ====\n") + for message in exp.conversation: + if message["from"] == "gpt": + print(f"\n### Agent\n{message['value']}") + else: + print(f"\n### Env\n{message['value']}") + +``` + +This script evaluate the `THUDM/AgentLM-7b` model on tasks with id from 0 to 199. + +## Evaluation on Multi-GPU + +`agentenv/utils/distributed_eval_task.py` evaluates the models on multi-gpu. Please refer to `agentenv/examples/distributed_eval_scripts/distributed_eval_alfworld.sh`. + + +To use the script, you need to prepare an inference_file with the ids of the data. This is the required format: + +```json +[ + { + "item_id": "webshop_0", + "conversations": [] + }, + { + "item_id": "webshop_1", + "conversations": [] + }, + { + "item_id": "webshop_2", + "conversations": [] + }, + ... +] +``` + +While evaluating the model, this script also saves the trajectories to a file, which can be used for further training or analysis. AgentGYM gives the split of the train and test set. You can get the dataset from [Hugging Face](https://huggingface.co/AgentGym). diff --git a/openmanus_rl/agentgym/docs/tutorials/en/02-behavioral-cloning.md b/openmanus_rl/agentgym/docs/tutorials/en/02-behavioral-cloning.md new file mode 100644 index 00000000..81ae5d43 --- /dev/null +++ b/openmanus_rl/agentgym/docs/tutorials/en/02-behavioral-cloning.md @@ -0,0 +1,290 @@ +# Behavioral Cloning + +To make the models + +In order to adapt the model to Agent-related tasks, this article describes how behavioral cloning of the model can be performed using the AgentGYM framework. + +AgentGYM is a platform for general-capable agents. Currently, we support the training of models using the Llama 2 Chat template. + +## Prepare the Dataset + +AgentGYM gives the split of the train and test set. You can get the dataset from [Hugging Face](https://huggingface.co/AgentGym). This is the required format for the dataset file: + +```json +[ + { + "item_id": "webshop_0", + "conversations": [ + { + "from": "human", + "loss": null, + "value": "Description of the task" + }, + { + "from": "gpt", + "loss": false, + "value": "Ok." + }, + { + "from": "human", + "loss": null, + "value": "Observation from the environment." + }, + { + "from": "gpt", + "loss": true, + "value": "Thought: ...\n\nAction: ..." + }, + ... + ], + }, + ... +] +``` + +## Train + +This section introduces how to perform behavioral cloning through `agentenv.trainer.bc_trainer.BCTrainer`. Please refer to `agentenv/agentenv/trainer/bc_trainer.py`. + +```python +from dataclasses import dataclass, field + +import torch +import transformers +from agentenv.controller import Agent +from agentenv.envs import ( + AlfWorldTask, + SciworldTask, + TextCraftTask, + WebarenaTask, + WebshopTask, +) +from agentenv.trainer.bc_trainer import BCTrainer +from transformers import AutoModelForCausalLM, AutoTokenizer + + +@dataclass +class TrainingArguments: + train_file: str = field(metadata={"help": "Training dataset."}) + inference_file: str = field( + default="./data/train/webshop_train.json", metadata={"help": "Inference dataset."} + ) + test_file: str = field(default="./data/test/webshop_test.json", metadata={"help": "Test dataset."}) + # model path + model_train_path: str = field( + default="/mnt/petrelfs/share_data/llm_llama/llama2/llama-2-7b-chat-hf", + metadata={"help": "Path of initial train model"}, + ) + model_save_path: str = field( + default="outputs/model", + metadata={"help": "Directory to save the trained model."}, + ) + task_name: str = field( + default="webshop", metadata={"help": "Task name for evaluation"} + ) + batch_size: int = field( + default=4, + metadata={"help": "Batch size for training."}, + ) + eval_batch_size: int = field( + default=8, metadata={"help": "Batch size for evaluation."} + ) + n_epochs: int = field(default=40) + num_workers: int = field( + default=8, metadata={"help": "Number of subprocesses to use for data loading."} + ) + learning_rate: float = field(default=2e-5, metadata={"help": "Learning rate."}) + weight_decay: float = field( + default=1e-6, metadata={"help": "Weight decay for regularization."} + ) + warmup_step: int = field( + default=0, + metadata={"help": "Number of warmup steps for learning rate scheduling."}, + ) + clip_grad_norm: float = field( + default=1, metadata={"help": "Gradient clipping threshold."} + ) + gradient_accumulation_steps: int = field(default=1) + evaluating_epoch_freq: int = field(default=1) + logging_epoch_freq: int = field(default=1) + saving_epoch_freq: int = field(default=1) + logging_step_freq: int = field(default=None) + seed: int = field(default=42) + max_input_length: int = field(default=700) + + # environment + max_round: int = field( + default=6, + metadata={"help": "Interaction rounds between agents and environment"}, + ) + + # wandb stuff + wandb_log: bool = field(default=False) + wandb_project: str = field(default="AgentGym_behavioral_clone") + wandb_run_name: str = field(default="behavioral_clone") + + # environment parameters + env_server_base: str = field(default=None) + data_len: int = field(default=200) + timeout: int = field(default=2400) + + +def main(): + parser = transformers.HfArgumentParser(TrainingArguments) + (args,) = parser.parse_args_into_dataclasses() + + tokenizer = AutoTokenizer.from_pretrained(args.model_train_path) + model = AutoModelForCausalLM.from_pretrained( + args.model_train_path, low_cpu_mem_usage=True, torch_dtype=torch.bfloat16 + ) + model.gradient_checkpointing_enable() + + # task_name - task dict + task_classes = { + "webshop": WebshopTask, + "alfworld": AlfWorldTask, + "sciworld": SciworldTask, + "textcraft": TextCraftTask, + "webarena": WebarenaTask, + } + + # select task according to the name + task_class = task_classes.get(args.task_name.lower(), None) + if task_class is None: + raise ValueError(f"Unsupported task name: {args.task_name}") + + # set environment parameters + env_args = { + "env_server_base": args.env_server_base, + "data_len": args.data_len, + "timeout": args.timeout, + } + + trainer = BCTrainer( + Agent(model, tokenizer), + [task_class(client_args=env_args, n_clients=1)], + args, + ) + + trainer.train() + + +if __name__ == "__main__": + main() +``` + +To launch the training using `accelerate`, please refer to `agentenv/examples/behavioral_cloning/train_behavioral_clone_multi_task.sh`. + +```bash +exp_name="behavioral_clone_eval_alfworld_mix_24110" + +n_epochs='1' + +# accelerator config +num_processes='8' +main_process_port='8897' +config_file="" + +# training arguments +train_file='PATH/TO/mix_data_24110.json' +inference_file='PATH/TO/webshop_test.json' +model_train_path="meta-llama/Llama-2-7b-chat-hf" +model_save_path="outputs/${exp_name}/" + +batch_size="2" +eval_batch_size="1" +gradient_accumulation_steps="2" +max_input_length="4096" +num_workers="8" +learning_rate="1e-5" +weight_decay="0" +warmup_step="-100" +clip_grad_norm="1" +seed="42" + +logging_epoch_freq="1" +evaluating_epoch_freq="100" +saving_epoch_freq="1" +logging_step_freq="5" + +# wandb config +wandb_log="True" +wandb_project="agentenv" +wandb_run_name="${exp_name}" + +# environment parameters +data_len="200" +timeout="2400" + +# eval +task_list=("webshop" "alfworld" "textcraft" "sciworld") +# eval parameters +test_file_list=("PATH/TO/webshop_test.json" "PATH/TO/alfworld_test.json" "PATH/TO/textcraft_test.json" "PATH/TO/sciworld_test_small.json") +do_sample="False" +temperature="1.0" +sample_num="2" +max_round_list=("6" "30" "20" "30") +env_server_base_list=("http://127.0.0.1:36004" "http://127.0.0.1:36002" "http://127.0.0.1:36008" "http://127.0.0.1:36010") + +mkdir -p "${model_save_path}" +# step1: train +accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + train_behavioral_clone.py \ + --train_file "${train_file}" \ + --model_train_path "${model_train_path}" \ + --model_save_path "${model_save_path}" \ + --task_name "${task_list[1]}" \ + --batch_size "${batch_size}" \ + --eval_batch_size "${eval_batch_size}" \ + --n_epochs "${n_epochs}" \ + --num_workers "${num_workers}" \ + --learning_rate "${learning_rate}" \ + --weight_decay "${weight_decay}" \ + --warmup_step "${warmup_step}" \ + --clip_grad_norm "${clip_grad_norm}" \ + --evaluating_epoch_freq "${evaluating_epoch_freq}" \ + --logging_epoch_freq "${logging_epoch_freq}" \ + --saving_epoch_freq "${saving_epoch_freq}" \ + --logging_step_freq "${logging_step_freq}" \ + --seed "${seed}" \ + --max_input_length "${max_input_length}" \ + --max_round "${max_round_list[1]}" \ + --gradient_accumulation_steps "${gradient_accumulation_steps}" \ + --wandb_log "${wandb_log}" \ + --wandb_project "${wandb_project}" \ + --wandb_run_name "${wandb_run_name}" \ + --env_server_base "${env_server_base_list[1]}" \ + --data_len "${data_len}" \ + --timeout "${timeout}" + +# step2: eval on test dataset +for index in "${!task_list[@]}"; +do + cur_task=${task_list[$index]} + cur_test_file="${test_file_list[$index]}" + cur_max_round=${max_round_list[$index]} + cur_env_server_base=${env_server_base_list[$index]} + cur_eval_output_file="${model_save_path}/eval_${cur_task}.jsonl" + + accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + ../../utils/distributed_eval_task.py \ + --model_path "${model_save_path}/train_epoch_${n_epochs}" \ + --output_file "${cur_eval_output_file}" \ + --inference_file "${cur_test_file}" \ + --task_name "${cur_task}" \ + --eval_batch_size "${eval_batch_size}" \ + --num_workers "${num_workers}" \ + --seed "${seed}" \ + --do_sample "${do_sample}" \ + --max_round "${cur_max_round}" \ + --env_server_base "${cur_env_server_base}" \ + --data_len "${data_len}" \ + --timeout "${timeout}" +done +``` diff --git a/openmanus_rl/agentgym/docs/tutorials/en/03-AgentEvol.md b/openmanus_rl/agentgym/docs/tutorials/en/03-AgentEvol.md new file mode 100644 index 00000000..b67169dd --- /dev/null +++ b/openmanus_rl/agentgym/docs/tutorials/en/03-AgentEvol.md @@ -0,0 +1,11 @@ +# Self Evolution + +AgentGYM proposes the AgentEvol algorithm, enabling the model to evolve itself. + +## Launch the EnvServer + +Self-evolution requires the model to explore in the environmens. Please refer to [01-evaluation](docs/tutorials/01-evaluation.md) and `README.md` in each environment server folder to start the corresponding environment server. If you launches multiple servers, please note the port numbers. + +## Self Evolution + +`agentenv/examples/agentevol` gives a reference implementation of the self-evolution algorithm. Please refer to `examples/agentevol/train_agentevol_multi_task.sh` to start training. diff --git a/openmanus_rl/agentgym/docs/tutorials/zh/01-evaluation.md b/openmanus_rl/agentgym/docs/tutorials/zh/01-evaluation.md new file mode 100644 index 00000000..b02e8389 --- /dev/null +++ b/openmanus_rl/agentgym/docs/tutorials/zh/01-evaluation.md @@ -0,0 +1,126 @@ +# 测评 + +本文介绍如何使用 Agent GYM 平台评测模型在 WebShop 任务上的表现。 + +## 环境配置 + +首先,请参考 [项目根目录中的 `README.md`](/README.md) 安装 `agentenv` 包。然后,请按照以下流程启动 WebShop 环境服务器。 + +```bash +# 切换到 agentenv-webshop 文件夹 +cd agentenv-webshop + +# WebShop 依赖特殊的 Python、PyTorch、Faiss 和 Java 版本,为避免冲突,请创建一个新的 Conda 环境。 +conda create -n webshop -f environment.yml + +# 创建环境后,请激活这个环境。 +conda activate -n webshop + +# 然后,运行 setup.sh 配置 WebShop 的运行环境。 +bash ./setup.sh +# 这一脚本将按照正确的顺序安装依赖、下载 webshop 的数据并安装 agentenv-webshop 服务器。 +# 该过程涉及从 Google Drive 下载文件,请确保网络通畅。 +``` + +## 启动服务 + +完成环境配置后,你可以从 `webshop` 的 conda 环境中启动 WebShop 环境服务器了。 + +```bash +# 请确保处于对应的 Conda 环境中 +conda activate webshop + +# 在对应的端口上启动服务器,端口号请按需修改 +webshop --port 36001 +``` + +## 编写评测脚本 + +前文创建的 `webshop` Conda 环境仅用于启动 WebShop 环境服务器。而其他代码可以在自己常用的环境中运行,也就是您安装 `agentenv` 包的环境。 + +请参考 `examples/basic/eval_agentlm_webshop.py`。 + +```python +# Evaluate AgentLM-7B on WebShop task. +# 200 data pieces, max_length=4096, max_rounds=20 + +import json +from transformers import AutoModelForCausalLM, AutoTokenizer, GenerationConfig + +from agentenv.controller import Agent, Evaluator +from agentenv.envs import WebshopTask + +MODEL_PATH = "THUDM/agentlm-7b" + +tokenizer = AutoTokenizer.from_pretrained(MODEL_PATH) +model = AutoModelForCausalLM.from_pretrained(MODEL_PATH, device_map="auto", trust_remote_code=True).eval() + +evaluator = Evaluator( + Agent(model, tokenizer), + [ + WebshopTask( + client_args={ + "env_server_base": "http://127.0.0.1:36001", # 如果你在前文修改了端口号,请在这里一并修改 + "data_len": 200, # data_len 参数目前没有实际用途,将会在后续开发中重构 + "timeout": 300, + }, + # n_clients 参数保留用于后续批量生成的实现,现阶段留为 1 即可 + n_clients=1, + ) + ], +) + +exps = evaluator.eval( + generation_config=GenerationConfig( + max_length=4096, + eos_token_id=tokenizer.eos_token_id, + pad_token_id=tokenizer.pad_token_id + if tokenizer.pad_token_id is not None + else tokenizer.eos_token_id, + ), + max_rounds=7, + idxs=list(range(200)), +) + +print("\n\n==== EVALUATION ====\n") +print(f"Score: {exps.score}") +print(f"Success: {exps.success}") + +print("\n\n==== EXPERIENCES ====\n") +for idx, exp in enumerate(exps.experiences[:3]): + print(f"\n\n==== EXP {idx} ====\n") + for message in exp.conversation: + if message["from"] == "gpt": + print(f"\n### Agent\n{message['value']}") + else: + print(f"\n### Env\n{message['value']}") + +``` + +这段代码在 id 为 0~199 的任务上评测了 `THUDM/AgentLM-7b` 模型的性能。 + +## 多卡测评 + +`agentenv/utils/distributed_eval_task.py` 给出了单机多卡并行推理的脚本。请参考 `agentenv/examples/distributed_eval_scripts/distributed_eval_alfworld.sh` 中的示例来使用该脚本评测模型性能。 + +该脚本需要准备一个包含数据 id 的 inference_file。其格式类似: + +```json +[ + { + "item_id": "webshop_0", + "conversations": [] + }, + { + "item_id": "webshop_1", + "conversations": [] + }, + { + "item_id": "webshop_2", + "conversations": [] + }, + ... +] +``` + +该脚本除了评测模型能力,还会将模型的交互轨迹(trajectory)保存到文件中。这份数据可以用于后续的自我进化训练。AgentGYM 提供了各个环境的训练集/验证集 id 划分,你可以从 [Hugging Face](https://huggingface.co/AgentGym) 获取我们的数据集。 diff --git a/openmanus_rl/agentgym/docs/tutorials/zh/02-behavioral-cloning.md b/openmanus_rl/agentgym/docs/tutorials/zh/02-behavioral-cloning.md new file mode 100644 index 00000000..29226f2a --- /dev/null +++ b/openmanus_rl/agentgym/docs/tutorials/zh/02-behavioral-cloning.md @@ -0,0 +1,288 @@ +# 行为克隆 + +为使模型适应 Agent 相关任务,本文介绍如何使用 AgentGYM 框架对模型进行行为克隆。 + +本框架是通用智能体的微调平台,目前支持采用 Llama 2 Chat 模板的模型的训练。 + +## 准备数据集 + +AgentGYM 提供了各个环境的训练集/验证集 id 划分,你可以从 [Hugging Face](https://huggingface.co/AgentGym) 获取我们的数据集。数据集的格式类似: + +```json +[ + { + "item_id": "webshop_0", + "conversations": [ + { + "from": "human", + "loss": null, + "value": "任务的描述" + }, + { + "from": "gpt", + "loss": false, + "value": "Ok." + }, + { + "from": "human", + "loss": null, + "value": "环境输出" + }, + { + "from": "gpt", + "loss": true, + "value": "Thought: Agent 的思考\n\nAction: Agent 的动作" + }, + ... + ], + }, + ... +] +``` + +## 训练 + +本节介绍如何使用 `agentenv` 包的 `agentenv.trainer.bc_trainer.BCTrainer` 进行行为克隆。请参考 `agentenv/agentenv/trainer/bc_trainer.py` + +```python +from dataclasses import dataclass, field + +import torch +import transformers +from agentenv.controller import Agent +from agentenv.envs import ( + AlfWorldTask, + SciworldTask, + TextCraftTask, + WebarenaTask, + WebshopTask, +) +from agentenv.trainer.bc_trainer import BCTrainer +from transformers import AutoModelForCausalLM, AutoTokenizer + + +@dataclass +class TrainingArguments: + train_file: str = field(metadata={"help": "Training dataset."}) + inference_file: str = field( + default="./data/train/webshop_train.json", metadata={"help": "Inference dataset."} + ) + test_file: str = field(default="./data/test/webshop_test.json", metadata={"help": "Test dataset."}) + # model path + model_train_path: str = field( + default="/mnt/petrelfs/share_data/llm_llama/llama2/llama-2-7b-chat-hf", + metadata={"help": "Path of initial train model"}, + ) + model_save_path: str = field( + default="outputs/model", + metadata={"help": "Directory to save the trained model."}, + ) + task_name: str = field( + default="webshop", metadata={"help": "Task name for evaluation"} + ) + batch_size: int = field( + default=4, + metadata={"help": "Batch size for training."}, + ) + eval_batch_size: int = field( + default=8, metadata={"help": "Batch size for evaluation."} + ) + n_epochs: int = field(default=40) + num_workers: int = field( + default=8, metadata={"help": "Number of subprocesses to use for data loading."} + ) + learning_rate: float = field(default=2e-5, metadata={"help": "Learning rate."}) + weight_decay: float = field( + default=1e-6, metadata={"help": "Weight decay for regularization."} + ) + warmup_step: int = field( + default=0, + metadata={"help": "Number of warmup steps for learning rate scheduling."}, + ) + clip_grad_norm: float = field( + default=1, metadata={"help": "Gradient clipping threshold."} + ) + gradient_accumulation_steps: int = field(default=1) + evaluating_epoch_freq: int = field(default=1) + logging_epoch_freq: int = field(default=1) + saving_epoch_freq: int = field(default=1) + logging_step_freq: int = field(default=None) + seed: int = field(default=42) + max_input_length: int = field(default=700) + + # environment + max_round: int = field( + default=6, + metadata={"help": "Interaction rounds between agents and environment"}, + ) + + # wandb stuff + wandb_log: bool = field(default=False) + wandb_project: str = field(default="AgentGym_behavioral_clone") + wandb_run_name: str = field(default="behavioral_clone") + + # environment parameters + env_server_base: str = field(default=None) + data_len: int = field(default=200) + timeout: int = field(default=2400) + + +def main(): + parser = transformers.HfArgumentParser(TrainingArguments) + (args,) = parser.parse_args_into_dataclasses() + + tokenizer = AutoTokenizer.from_pretrained(args.model_train_path) + model = AutoModelForCausalLM.from_pretrained( + args.model_train_path, low_cpu_mem_usage=True, torch_dtype=torch.bfloat16 + ) + model.gradient_checkpointing_enable() + + # task_name - task dict + task_classes = { + "webshop": WebshopTask, + "alfworld": AlfWorldTask, + "sciworld": SciworldTask, + "textcraft": TextCraftTask, + "webarena": WebarenaTask, + } + + # select task according to the name + task_class = task_classes.get(args.task_name.lower(), None) + if task_class is None: + raise ValueError(f"Unsupported task name: {args.task_name}") + + # set environment parameters + env_args = { + "env_server_base": args.env_server_base, + "data_len": args.data_len, + "timeout": args.timeout, + } + + trainer = BCTrainer( + Agent(model, tokenizer), + [task_class(client_args=env_args, n_clients=1)], + args, + ) + + trainer.train() + + +if __name__ == "__main__": + main() +``` + +使用 accelerate 来启动训练,请参考 `agentenv/examples/behavioral_cloning/train_behavioral_clone_multi_task.sh` + +```bash +exp_name="behavioral_clone_eval_alfworld_mix_24110" + +n_epochs='1' + +# accelerator config +num_processes='8' +main_process_port='8897' +config_file="" + +# training arguments +train_file='PATH/TO/mix_data_24110.json' +inference_file='PATH/TO/webshop_test.json' +model_train_path="meta-llama/Llama-2-7b-chat-hf" +model_save_path="outputs/${exp_name}/" + +batch_size="2" +eval_batch_size="1" +gradient_accumulation_steps="2" +max_input_length="4096" +num_workers="8" +learning_rate="1e-5" +weight_decay="0" +warmup_step="-100" +clip_grad_norm="1" +seed="42" + +logging_epoch_freq="1" +evaluating_epoch_freq="100" +saving_epoch_freq="1" +logging_step_freq="5" + +# wandb config +wandb_log="True" +wandb_project="agentenv" +wandb_run_name="${exp_name}" + +# environment parameters +data_len="200" +timeout="2400" + +# eval +task_list=("webshop" "alfworld" "textcraft" "sciworld") +# eval parameters +test_file_list=("PATH/TO/webshop_test.json" "PATH/TO/alfworld_test.json" "PATH/TO/textcraft_test.json" "PATH/TO/sciworld_test_small.json") +do_sample="False" +temperature="1.0" +sample_num="2" +max_round_list=("6" "30" "20" "30") +env_server_base_list=("http://127.0.0.1:36004" "http://127.0.0.1:36002" "http://127.0.0.1:36008" "http://127.0.0.1:36010") + +mkdir -p "${model_save_path}" +# step1: train +accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + train_behavioral_clone.py \ + --train_file "${train_file}" \ + --model_train_path "${model_train_path}" \ + --model_save_path "${model_save_path}" \ + --task_name "${task_list[1]}" \ + --batch_size "${batch_size}" \ + --eval_batch_size "${eval_batch_size}" \ + --n_epochs "${n_epochs}" \ + --num_workers "${num_workers}" \ + --learning_rate "${learning_rate}" \ + --weight_decay "${weight_decay}" \ + --warmup_step "${warmup_step}" \ + --clip_grad_norm "${clip_grad_norm}" \ + --evaluating_epoch_freq "${evaluating_epoch_freq}" \ + --logging_epoch_freq "${logging_epoch_freq}" \ + --saving_epoch_freq "${saving_epoch_freq}" \ + --logging_step_freq "${logging_step_freq}" \ + --seed "${seed}" \ + --max_input_length "${max_input_length}" \ + --max_round "${max_round_list[1]}" \ + --gradient_accumulation_steps "${gradient_accumulation_steps}" \ + --wandb_log "${wandb_log}" \ + --wandb_project "${wandb_project}" \ + --wandb_run_name "${wandb_run_name}" \ + --env_server_base "${env_server_base_list[1]}" \ + --data_len "${data_len}" \ + --timeout "${timeout}" + +# step2: eval on test dataset +for index in "${!task_list[@]}"; +do + cur_task=${task_list[$index]} + cur_test_file="${test_file_list[$index]}" + cur_max_round=${max_round_list[$index]} + cur_env_server_base=${env_server_base_list[$index]} + cur_eval_output_file="${model_save_path}/eval_${cur_task}.jsonl" + + accelerate launch \ + --config_file "${config_file}" \ + --num_processes=${num_processes} \ + --main_process_port=${main_process_port} \ + ../../utils/distributed_eval_task.py \ + --model_path "${model_save_path}/train_epoch_${n_epochs}" \ + --output_file "${cur_eval_output_file}" \ + --inference_file "${cur_test_file}" \ + --task_name "${cur_task}" \ + --eval_batch_size "${eval_batch_size}" \ + --num_workers "${num_workers}" \ + --seed "${seed}" \ + --do_sample "${do_sample}" \ + --max_round "${cur_max_round}" \ + --env_server_base "${cur_env_server_base}" \ + --data_len "${data_len}" \ + --timeout "${timeout}" +done +``` diff --git a/openmanus_rl/agentgym/docs/tutorials/zh/03-AgentEvol.md b/openmanus_rl/agentgym/docs/tutorials/zh/03-AgentEvol.md new file mode 100644 index 00000000..e01000cd --- /dev/null +++ b/openmanus_rl/agentgym/docs/tutorials/zh/03-AgentEvol.md @@ -0,0 +1,11 @@ +# 自我进化 + +AgentGYM 提出了 AgentEvol 算法,使模型能自我进化。 + +## 启动环境服务器 + +自我进化需要模型在环境中探索,请参考 [01-evaluation](docs/tutorials/zh/01-evaluation.md) 及各个环境服务器文件夹中的 `README.md` 启动对应的环境服务器。如果启动多个环境服务器,请注意端口号的选择。 + +## 自我进化 + +`agentenv/examples/agentevol` 给出了自我进化算法的参考实现。请参考 `examples/agentevol/train_agentevol_multi_task.sh` 启动训练。 diff --git a/openmanus_rl/llm_agent/__init__.py b/openmanus_rl/llm_agent/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/openmanus_rl/llm_agent/openmanus.py b/openmanus_rl/llm_agent/openmanus.py new file mode 100644 index 00000000..fa646d09 --- /dev/null +++ b/openmanus_rl/llm_agent/openmanus.py @@ -0,0 +1,875 @@ +import torch +import re +from collections import defaultdict +import os +from typing import List, Dict, Any, Tuple +from dataclasses import dataclass +from .tensor_helper import TensorHelper, TensorConfig +from verl import DataProto +from transformers import GenerationConfig +import importlib # Added import +import traceback # For error logging +from concurrent.futures import ThreadPoolExecutor, as_completed # For parallel rollout +from verl.utils.tracking import Tracking +from omegaconf import DictConfig # Import DictConfig for type hint +import numpy as np + +@dataclass +class AgentConfig: + """ + Configuration class for OpenManusAgent. + + Attributes: + max_turns: Maximum number of turns in a conversation + max_start_length: Maximum length of initial input + max_prompt_length: Maximum length of prompt + max_response_length: Maximum length of response + max_obs_length: Maximum length of observation + num_gpus: Number of GPUs to use + env_name: Name of the environment (e.g., "webshop") + env_ports: List of ports for parallel servers + env_server_base: Base URL for environment server + react_format: Whether to use ReAct format + env_data_len: Number of data samples in the environment (used for client init) + rollout_strategy: Strategy to use for rollout (StandardReAct/ToT/MCTS) + max_workers: Maximum number of worker threads + algorithm_config: DictConfig = None # Pass relevant part of algorithm config + """ + # All required fields without default values + max_turns: int + max_start_length: int + max_prompt_length: int + max_response_length: int + max_obs_length: int + num_gpus: int + env_name: str + env_ports: List[int] # List of ports for parallel servers + env_server_base: str + + # All optional fields with default values + react_format: bool = True + env_data_len: int = 200 # Default, might need adjustment + rollout_strategy: str = "StandardReAct" # Strategy is now internal logic + # storage_backend: str = "mongodb" # Storage handled elsewhere or not needed here + max_workers: int = 10 # For parallelizing rollouts within the agent + + # Add algorithm config relevant to reward allocation + algorithm_config: DictConfig = None # Pass relevant part of algorithm config + +class OpenManusAgent: + def __init__( + self, + tokenizer, + actor_rollout_wg, # This is the Verl component for generation + config: AgentConfig, + is_validation: bool = False, + logger: Tracking = None, # Add logger parameter for trajectory saving + ): + """ + Initialize OpenManusAgent with rollout controller integration. + + Args: + tokenizer: Tokenizer for text processing + actor_rollout_wg: Actor rollout wrapper for generation + config: Agent configuration including env details and algorithm config + is_validation: Whether in validation mode + logger: Logger for tracking and visualization + """ + self.tokenizer = tokenizer + self.actor_rollout_wg = actor_rollout_wg + self.config = config # AgentConfig now holds algorithm_config + self.is_validation = is_validation + self.logger = logger + + self.tensor_fn = TensorHelper(TensorConfig( + pad_token_id=tokenizer.pad_token_id, + max_prompt_length=config.max_prompt_length, + max_obs_length=config.max_obs_length, + max_start_length=config.max_start_length + )) + + # Initialize multiple environment clients + self.clients = self._init_env_clients() # Changed method name + + # Adjust thread pool size based on number of clients, up to max_workers + num_clients = len(self.clients) + actual_workers = min(num_clients, self.config.max_workers) + if actual_workers < num_clients: + print(f"[Warning] Number of clients ({num_clients}) exceeds max_workers ({self.config.max_workers}). Using {actual_workers} workers.") + print(f"[Info] Initializing ThreadPoolExecutor with {actual_workers} workers for {num_clients} clients.") + self.executor = ThreadPoolExecutor(max_workers=actual_workers) + + def _init_env_clients(self) -> List[Any]: # Renamed and return type changed + """ + Initialize and return a list of specific AgentGym environment clients + based on the ports provided in the config. + """ + clients = [] + env_name_lower = self.config.env_name.lower() + + # Mapping from env_name (lowercase) to Task class name + ENV_TO_TASK_CLASS = { + "academia": "AcademiaTask", "alfworld": "AlfWorldTask", "babyai": "BabyAITask", + "maze": "MazeTask", "wordle": "WordleTask", "movie": "MovieTask", + "sciworld": "SciworldTask", "sheet": "SheetTask", "sqlgym": "SqlGymTask", + "textcraft": "TextCraftTask", "todo": "TodoTask", "weather": "WeatherTask", + "webarena": "WebarenaTask", "webshop": "WebshopTask", + } + + if env_name_lower not in ENV_TO_TASK_CLASS: + raise ValueError(f"Unsupported environment name: {self.config.env_name}. Supported: {list(ENV_TO_TASK_CLASS.keys())}") + + task_class_name = ENV_TO_TASK_CLASS[env_name_lower] + print(f"[Info] Initializing {len(self.config.env_ports)} Env Client(s) for: {self.config.env_name} (via Task: {task_class_name})") + + # Dynamically import the Task class + try: + envs_module = importlib.import_module("agentenv.envs") + TaskClass = getattr(envs_module, task_class_name) + except (ImportError, AttributeError) as e: + raise ImportError(f"Could not import Task class {task_class_name} from agentenv.envs: {e}") + + for i, port in enumerate(self.config.env_ports): + server_url = f"{self.config.env_server_base}:{port}" + print(f" - Client {i+1}: Connecting to {server_url}") + + client_args={ + "env_server_base": server_url, + "data_len": self.config.env_data_len, + "timeout": 300, + } + + try: + # Instantiate the task to get the client. + # We need one client per specified port. + # Assuming TaskClass handles client creation correctly when n_clients=1. + # If TaskClass itself manages multiple internal clients, this might need adjustment. + task_instance = TaskClass(client_args=client_args, n_clients=1) + if hasattr(task_instance, 'clients') and task_instance.clients: + client = task_instance.clients[0] + print(f" - Client {i+1}: Successfully obtained client: {type(client)}") + clients.append(client) + else: + print(f" - Client {i+1}: Error - Task class {task_class_name} did not provide a client for port {port}.") + # Decide how to handle failure: raise error or skip this client? Skipping for now. + # raise ValueError(f"Task class {task_class_name} did not provide a client for port {port}.") + except Exception as e: + print(f" - Client {i+1}: Error initializing Task or getting client for port {port}: {e}") + print(traceback.format_exc()) # Print detailed traceback + # Decide how to handle failure: raise error or skip? Skipping for now. + # raise + + if not clients: + raise RuntimeError("Failed to initialize any environment clients.") + + print(f"[Info] Successfully initialized {len(clients)} environment clients.") + return clients + + def _batch_tokenize(self, responses: List[str]) -> torch.Tensor: + """Tokenize a batch of responses.""" + return self.tokenizer( + responses, + add_special_tokens=False, + return_tensors='pt', + padding="longest" + )['input_ids'] + + def _postprocess_responses(self, responses: torch.Tensor) -> Tuple[torch.Tensor, List[str]]: + """ + Process responses to stop at tool call or final response. + Handles tags like and or and . + + Args: + responses: Tensor containing response token IDs + + Returns: + Tuple of (processed response tensor, processed response strings) + """ + # Decode responses to strings + responses_str = self.tokenizer.batch_decode( + responses, + skip_special_tokens=True + ) + + # Process each response to extract action/response content + processed_responses = [] + for resp in responses_str: + if '' in resp: + # Stop at end of action + processed = resp.split('')[0] + '' + elif '' in resp: + # Stop at end of response + processed = resp.split('')[0] + '' + else: + # No recognized end tag, keep as is + processed = resp + processed_responses.append(processed) + + # Re-tokenize processed responses + responses = self._batch_tokenize(processed_responses) + + return responses, processed_responses + + def _process_next_obs(self, next_obs: List[str]) -> torch.Tensor: + """ + Process next observations from environment. + Tokenizes observations and handles maximum length constraints. + + Args: + next_obs: List of observation strings from the environment + + Returns: + Tensor of tokenized observations + """ + # Tokenize observations with consistent padding + next_obs_ids = self.tokenizer( + next_obs, + padding='longest', + return_tensors='pt', + add_special_tokens=False, # Prevents adding special tokens + )['input_ids'] + + # Truncate if observations are too long + if next_obs_ids.shape[1] > self.config.max_obs_length: + print(f"[WARNING] OBSERVATION TOO LONG, CONSIDER CHANGING YOUR CONFIG, {next_obs_ids.shape[1]} & {self.config.max_obs_length}") + # Truncate to max_obs_length + next_obs_ids = next_obs_ids[:, :self.config.max_obs_length] + + return next_obs_ids + + def _update_rolling_state(self, rollings: DataProto, cur_responses: torch.Tensor, + next_obs_ids: torch.Tensor) -> DataProto: + """Update rolling state with new responses and observations.""" + # Concatenate and handle padding + new_input_ids = self.tensor_fn.concatenate_with_padding([ + rollings.batch['input_ids'], + cur_responses, + next_obs_ids + ]) + + # Create attention mask and position ids + new_attention_mask = self.tensor_fn.create_attention_mask(new_input_ids) + new_position_ids = self.tensor_fn.create_position_ids(new_attention_mask) + + # Cut to appropriate length + effective_len = new_attention_mask.sum(dim=1).max() + max_len = min(self.config.max_prompt_length, effective_len) + + new_rollings = DataProto.from_dict({ + 'input_ids': new_input_ids[:, -max_len:], + 'position_ids': new_position_ids[:, -max_len:], + 'attention_mask': new_attention_mask[:, -max_len:] + }) + new_rollings.meta_info.update(rollings.meta_info) + + return new_rollings + + def _run_single_rollout(self, initial_prompt_ids: torch.Tensor, task_idx: int, client: Any) -> Dict[str, Any]: + """ + Runs the interaction loop for a single environment instance using the provided client. + Now includes the final computed reward from the environment step in the result. + + Args: + initial_prompt_ids: Token IDs for the initial prompt/observation. + task_idx: The index for resetting the environment. + client: The specific environment client instance to use for this rollout. + + Returns: + A dictionary containing the trajectory, step rewards, final reward, + final env score, turns, and original task index. + """ + trajectory = [] + step_rewards = [] # Store rewards per step + final_reward = 0.0 # Reward from the *last step* + final_env_score = 0.0 # Final score from env info + done = False + turns = 0 + current_input_ids = None + + try: + # Reset environment using the provided client + # Some envs might need a specific seed or config reset + # print(f"[Agent._run_single_rollout][{task_idx}] Resetting env...") + reset_info = client.reset(task_idx) # Capture potential info from reset + initial_obs_text = client.observe() + # print(f"[Agent._run_single_rollout][{task_idx}] Initial Obs: {initial_obs_text[:100]}...") + + # Handle initial observation + if not initial_obs_text: + # print(f"[Agent._run_single_rollout][{task_idx} @ {client.env_server_base}] Warning: Received empty initial observation. Using initial prompt from batch.") + # Use the initial prompt text passed in + initial_prompt_text = self.tokenizer.decode(initial_prompt_ids[0], skip_special_tokens=True) + trajectory.append({"from": "human", "value": initial_prompt_text}) + current_input_ids = initial_prompt_ids + else: + trajectory.append({"from": "human", "value": initial_obs_text}) + current_input_ids = self.tokenizer(initial_obs_text, return_tensors='pt', add_special_tokens=False)['input_ids'] + + # --- Interaction Loop --- + for t in range(self.config.max_turns): + turns = t + 1 + if current_input_ids is None: + # print(f"[Agent._run_single_rollout][{task_idx}] Breaking loop: current_input_ids is None") + break + + # Handle input that exceeds max length + if current_input_ids.shape[1] > self.config.max_prompt_length: + # print(f"[Agent._run_single_rollout][{task_idx} @ {client.env_server_base}] Warning: Truncating input {current_input_ids.shape} > {self.config.max_prompt_length}.") + current_input_ids = current_input_ids[:, -self.config.max_prompt_length:] + + # Prepare input + current_attention_mask = self.tensor_fn.create_attention_mask(current_input_ids) + current_position_ids = self.tensor_fn.create_position_ids(current_attention_mask) + # device = 'cuda' # Assume target device is cuda; worker group handles internal placement + gen_input_proto = DataProto.from_dict({ + 'input_ids': current_input_ids, # Pass tensor directly (likely CPU) + 'attention_mask': current_attention_mask, + 'position_ids': current_position_ids + }) # may need to put this on the correct device + + world_size = self.actor_rollout_wg.world_size + original_size = 1 # We know batch size is 1 here + padded_gen_input_proto = gen_input_proto + padding_size = 0 + if world_size > 1 and original_size % world_size != 0: + padding_size = world_size - (original_size % world_size) + padded_batch = {} + for k, v in gen_input_proto.batch.items(): + # Use the single sequence as padding template + pad_sequence = v[0:1].repeat(padding_size, *[1] * (len(v.shape) - 1)) + padded_batch[k] = torch.cat([v, pad_sequence], dim=0) + padded_gen_input_proto = DataProto.from_dict(padded_batch) + # Copy meta_info if needed + if hasattr(gen_input_proto, 'meta_info'): + padded_gen_input_proto.meta_info = gen_input_proto.meta_info.copy() + + + # --- Prepare Generation Config --- + generation_config = GenerationConfig( + max_new_tokens=self.config.max_response_length, + eos_token_id=self.tokenizer.eos_token_id, + pad_token_id=self.tokenizer.pad_token_id, + temperature=1.0, # Consider adjusting temperature/sampling based on validation vs training + do_sample=True + ) + + if not hasattr(padded_gen_input_proto, 'meta_info'): + padded_gen_input_proto.meta_info = {} + padded_gen_input_proto.meta_info['generation_config'] = generation_config + + # Generation happens on the actor worker group's device + gen_output_proto = self.actor_rollout_wg.generate_sequences(padded_gen_input_proto) + # response_ids = gen_output_proto.batch['response_ids'] # Original line causing KeyError + response_ids = gen_output_proto.batch['responses'] # Use the correct key ('responses') assuming it holds IDs + + if padding_size > 0: + response_ids = response_ids[:-padding_size] + + # Decode the response IDs to get the text for the trajectory + response_text = self.tokenizer.decode(response_ids[0], skip_special_tokens=True) + + # print(f"[Agent._run_single_rollout][{task_idx}][Turn {t+1}] Response: {response_text[:100]}...") + trajectory.append({"from": "gpt", "value": response_text}) + + # Post-process response to get action + action_types, action_contents = self.postprocess_predictions([response_text]) + action_text = action_contents[0] + + # Execute environment step using the provided client + if action_text is None: action_text = "" + step_output = client.step(action_text) + next_obs_text = step_output.state + reward = step_output.reward + done = step_output.done + info = {} # Initialize info as empty dict, as StepOutput doesn't explicitly return it + print(f"[Agent._run_single_rollout][{task_idx}][Turn {t+1}] Env Step Result: Reward={reward}, Done={done}, Info={info}") + + # Store the reward from this specific step + step_rewards.append(reward) + final_reward = reward # Keep track of the reward from the last executed step + final_env_score = info.get('score', 0.0) # Use .get for safety + + # Add reward and info to the trajectory for this agent step + # This helps the RewardComposer access step-specific info if needed + trajectory[-1]['reward'] = reward + trajectory[-1]['info'] = info + + # Process next observation + if not done: + print(f"[Agent._run_single_rollout][{task_idx}][Turn {t+1}] Next Obs: {next_obs_text[:100]}...") + trajectory.append({"from": "env", "value": next_obs_text}) + next_obs_ids = self.tokenizer(next_obs_text, return_tensors='pt', add_special_tokens=False)['input_ids'] + # Ensure tensors are concatenated on the same device (e.g., CPU or model's device if needed later) + current_input_ids = torch.cat([ + current_input_ids.to(response_ids.device), # Move to same device as response_ids + response_ids, + next_obs_ids.to(response_ids.device) # Move to same device + ], dim=1) + else: + print(f"[Agent._run_single_rollout][{task_idx}][Turn {t+1}] Done received.") + break + + except Exception as e: + print(f"[Agent._run_single_rollout][{task_idx} @ {getattr(client, 'env_server_base', 'unknown_client')}] Error during rollout: {e}") + print(traceback.format_exc()) + # Reset results on error + trajectory = trajectory # Keep partial trajectory for debugging? + step_rewards = [] + final_reward = 0.0 + final_env_score = 0.0 + done = True # Mark as done on error + + # Return the collected information + return { + 'trajectory': trajectory, # Full interaction history + 'step_rewards': step_rewards, # List of rewards from each env.step call + 'reward': final_reward, # Reward from the *last* env.step call + 'env_score': final_env_score, # Final score reported by env info + 'turns': turns, + 'task_idx': task_idx, + 'done': done # Whether the episode finished naturally or via error + } + + def run_llm_loop(self, gen_batch: DataProto, output_dir: str = None, global_steps: int = 0) -> DataProto: + """ + Run the LLM interaction loop for a batch of initial prompts using multiple clients. + + Args: + gen_batch: DataProto containing initial prompts + output_dir: Directory to save visualizations + global_steps: Current training step + + Returns: + DataProto containing processed results + """ + initial_prompts_ids = gen_batch.batch['input_ids'] + batch_size = initial_prompts_ids.shape[0] + num_clients = len(self.clients) + if num_clients == 0: + raise RuntimeError("No environment clients available for rollout.") + + print(f"[Agent.run_llm_loop] Starting rollout for batch size: {batch_size} using {num_clients} clients.") + + # Setup initial state tracking + original_left_side = {'input_ids': initial_prompts_ids[:, -self.config.max_start_length:]} + original_right_side = { + 'responses': initial_prompts_ids[:, []], + 'responses_with_info_mask': initial_prompts_ids[:, []] + } + + # Initialize active mask and tracking statistics + active_mask = torch.ones(batch_size, dtype=torch.bool) + turns_stats = torch.zeros(batch_size, dtype=torch.int) + valid_action_stats = torch.zeros(batch_size, dtype=torch.int) + active_num_list = [active_mask.sum().item()] + rollings = gen_batch + + # --- Parallel Rollout Execution --- + futures = {} + rollout_results_list = [None] * batch_size # Preallocate list to store results in order + + # Submit tasks to the thread pool, distributing across clients + for i in range(batch_size): + task_idx = i + initial_prompt = initial_prompts_ids[i:i+1] # Keep batch dim + + # Select a client for this task (round-robin) + client_index = i % num_clients + selected_client = self.clients[client_index] + + # Submit the rollout task with the selected client + future = self.executor.submit(self._run_single_rollout, initial_prompt, task_idx, selected_client) + futures[future] = i # Store original batch index + + print(f"[Agent.run_llm_loop] Submitted {batch_size} rollout tasks to {self.executor._max_workers} workers.") + + # Collect results + completed_count = 0 + for future in as_completed(futures): + original_index = futures[future] + try: + result_dict = future.result() + rollout_results_list[original_index] = result_dict + completed_count += 1 + # print(f"Completed task {original_index + 1}/{batch_size}") # Optional progress logging + + except Exception as e: + print(f"[Agent.run_llm_loop] Error collecting result for batch index {original_index} (task_idx {original_index}): {e}") + print(traceback.format_exc()) + # Store a placeholder or error indicator + rollout_results_list[original_index] = { + 'trajectory': [], 'step_rewards': [], 'reward': 0.0, + 'turns': 0, 'env_score': 0.0, 'task_idx': original_index, + 'error': str(e) + } + + print(f"[Agent.run_llm_loop] Collected results from {completed_count}/{batch_size} rollouts.") + + # Filter out potential None entries if some tasks failed critically + valid_results = [res for res in rollout_results_list if res is not None] + + if not valid_results: + print("[Agent.run_llm_loop] Error: No valid rollout results collected.") + # Return empty DataProto but with correct structure if possible + return DataProto.from_dict({ + "input_ids": torch.empty((0,0), dtype=torch.long), + "attention_mask": torch.empty((0,0), dtype=torch.long), + "position_ids": torch.empty((0,0), dtype=torch.long), + "info_mask": torch.empty((0,0), dtype=torch.long), + "token_level_rewards": torch.empty((0,0), dtype=torch.float) + }) + + # --- Format Results into DataProto --- + processed_data = self._convert_rollout_results_to_dataproto(valid_results, gen_batch) + + print(f"[Agent.run_llm_loop] Finished processing rollout results.") + return processed_data + + def _convert_rollout_results_to_dataproto(self, results: List[Dict], original_batch: DataProto) -> DataProto: + """ + Convert the list of dictionaries (each containing trajectory, step_rewards, env_score) + from the internal rollout loop into a DataProto suitable for PPO training. + Creates 'token_level_rewards' based on the chosen reward allocation strategy. + + Args: + results: List of result dictionaries from _run_single_rollout. + original_batch: Original batch DataProto with metadata. + + Returns: + DataProto: Processed data with token-level rewards and metadata. + """ + batch_input_ids = [] + batch_attention_mask = [] + batch_position_ids = [] + batch_info_mask = [] + batch_token_level_rewards = [] # Store final token-level rewards for PPO + batch_meta_info = defaultdict(list) + batch_responses = [] # Initialize batch_responses + + # Get reward allocation strategy from config + reward_allocation = "last_token" # Default + if self.config.algorithm_config: + reward_allocation = self.config.algorithm_config.get('reward_allocation', 'last_token') + print(f"[Agent._convert_rollout] Using reward allocation strategy: {reward_allocation}") + + # Get the index mapping from the original batch + original_indices = original_batch.meta_info.get('idx', list(range(original_batch.batch['input_ids'].shape[0]))) + if isinstance(original_indices, torch.Tensor): + original_indices = original_indices.tolist() + original_indices_map = {idx_val: i for i, idx_val in enumerate(original_indices)} + + print(f"[Agent._convert_rollout] Formatting {len(results)} trajectories.") + for result_dict in results: + # Extract trajectory and other info + trajectory = result_dict.get('trajectory', []) + # Choose which reward signal to use for allocation + reward_to_distribute = result_dict.get('env_score', 0.0) + + turns = result_dict.get('turns', 0) + task_idx = result_dict.get('task_idx', -1) + + # Get the original batch index + original_batch_idx = original_indices_map.get(task_idx, -1) + if original_batch_idx == -1: + print(f"[Agent._convert_rollout] Warning: Task idx {task_idx} not found in original batch. Skipping.") + continue + + # --- Concatenate conversation and identify agent segments --- + conversation_ids_list = [] + info_mask_parts = [] + segment_lengths = [] # Store length of each segment (human/gpt) + agent_response_indices = [] # Store indices of agent responses (in the segment list) + valid_actions = 0 # Count of agent turns + + if not trajectory: + # Handle empty trajectory + initial_prompt_ids = original_batch.batch['input_ids'][original_batch_idx:original_batch_idx+1] + conversation_ids_list.append(initial_prompt_ids) + info_mask_parts.append(torch.ones_like(initial_prompt_ids)) + segment_lengths.append(initial_prompt_ids.shape[1]) + else: + for turn_idx, msg in enumerate(trajectory): + msg_text = msg.get("value", "") + msg_from = msg.get("from", "") + if not msg_text: continue + + msg_ids = self.tokenizer(msg_text, add_special_tokens=False, return_tensors='pt')['input_ids'] + conversation_ids_list.append(msg_ids) + segment_lengths.append(msg_ids.shape[1]) + + if msg_from == "gpt": + # Agent responses are normal tokens (not masked) + info_mask_parts.append(torch.ones_like(msg_ids)) + valid_actions += 1 + agent_response_indices.append(len(conversation_ids_list) - 1) + elif msg_from == "env": + # Environment observations should be info-masked + info_mask_parts.append(torch.zeros_like(msg_ids)) + else: # human or other + # Human/prompt parts are normal tokens + info_mask_parts.append(torch.ones_like(msg_ids)) + + if not conversation_ids_list: + print(f"[Agent._convert_rollout] Warning: No valid conversation segments for task_idx {task_idx}. Skipping.") + continue + + # --- Pad and Truncate --- + full_input_ids = torch.cat(conversation_ids_list, dim=1) + full_info_mask = torch.cat(info_mask_parts, dim=1) + seq_len = full_input_ids.shape[1] + target_len = self.config.max_prompt_length + padding_len = max(0, target_len - seq_len) + agent_indices_in_padded = [] # List of (start, end) indices for agent tokens in the final padded tensor + + if seq_len > target_len: + # Truncate left if sequence is too long + removed_len = seq_len - target_len + current_removed = 0 + first_segment_idx = 0 + while current_removed < removed_len and first_segment_idx < len(segment_lengths): + len_to_remove = min(segment_lengths[first_segment_idx], removed_len - current_removed) + segment_lengths[first_segment_idx] -= len_to_remove + current_removed += len_to_remove + if segment_lengths[first_segment_idx] == 0: + first_segment_idx += 1 + + # Adjust agent response indices + adjusted_agent_response_indices = [idx - first_segment_idx for idx in agent_response_indices if idx >= first_segment_idx] + segment_lengths = segment_lengths[first_segment_idx:] + + full_input_ids = full_input_ids[:, -target_len:] + full_info_mask = full_info_mask[:, -target_len:] + seq_len = target_len + padding_len = 0 # No padding needed after truncation + elif seq_len < target_len: + # Pad left if sequence is too short + pad_tensor = torch.full((1, padding_len), self.tokenizer.pad_token_id, dtype=torch.long, device=full_input_ids.device) + full_input_ids = torch.cat([pad_tensor, full_input_ids], dim=1) + # Info mask for padding should be 0 (masked out) + info_pad = torch.zeros_like(pad_tensor) + full_info_mask = torch.cat([info_pad, full_info_mask], dim=1) + adjusted_agent_response_indices = agent_response_indices # Indices remain the same relative to segments + + # Calculate agent token indices in the padded/truncated tensor + current_token_idx_in_padded = padding_len + for segment_idx, length in enumerate(segment_lengths): + is_agent_response = segment_idx in adjusted_agent_response_indices + start_idx = current_token_idx_in_padded + end_idx = current_token_idx_in_padded + length - 1 + if is_agent_response and length > 0: + agent_indices_in_padded.append((start_idx, end_idx)) + current_token_idx_in_padded += length + + # --- Create Token Level Rewards Tensor based on Allocation Strategy --- + token_level_rewards = torch.zeros_like(full_input_ids, dtype=torch.float32) + + if agent_indices_in_padded: # Only allocate if there are agent responses + if reward_allocation == "last_token": + # Assign reward only to the last token of the last agent segment + last_segment_start, last_segment_end = agent_indices_in_padded[-1] + if last_segment_end < target_len: # Ensure index is within bounds + token_level_rewards[0, last_segment_end] = reward_to_distribute + + elif reward_allocation == "uniform_positive": + # Distribute positive rewards evenly across all agent tokens + if reward_to_distribute > 0: + total_agent_tokens = sum(end - start + 1 for start, end in agent_indices_in_padded) + reward_per_token = reward_to_distribute / max(1, total_agent_tokens) + for start, end in agent_indices_in_padded: + token_level_rewards[0, start : end + 1] = reward_per_token + # Negative rewards are assigned to the last token (or ignored) + elif reward_to_distribute < 0: + last_segment_start, last_segment_end = agent_indices_in_padded[-1] + if last_segment_end < target_len: + token_level_rewards[0, last_segment_end] = reward_to_distribute + + elif reward_allocation == "discounted": + # Distribute reward starting from the last agent segment, discounted backward + gamma = self.config.algorithm_config.get('gamma', 1.0) if self.config.algorithm_config else 1.0 + current_reward = reward_to_distribute + # Iterate segments backward + for start, end in reversed(agent_indices_in_padded): + segment_len = end - start + 1 + reward_for_segment = current_reward / segment_len + token_level_rewards[0, start : end + 1] = reward_for_segment + # Apply discount for the next (earlier) segment + current_reward *= (gamma ** segment_len) + else: + print(f"[Agent._convert_rollout] Warning: Unknown reward_allocation strategy '{reward_allocation}'. Defaulting to last_token.") + last_segment_start, last_segment_end = agent_indices_in_padded[-1] + if last_segment_end < target_len: + token_level_rewards[0, last_segment_end] = reward_to_distribute + + # --- Create Attention Mask and Position IDs --- + full_attention_mask = self.tensor_fn.create_attention_mask(full_input_ids) + full_position_ids = self.tensor_fn.create_position_ids(full_attention_mask) + + # --- Store Processed Data --- + batch_input_ids.append(full_input_ids) + batch_attention_mask.append(full_attention_mask) + batch_position_ids.append(full_position_ids) + batch_info_mask.append(full_info_mask) # Store the info mask + batch_token_level_rewards.append(token_level_rewards) # Store calculated rewards + + # --- Extract and pad response-only tokens --- + response_segments = [] + total_response_len = 0 + + for r_start, r_end in agent_indices_in_padded: + segment = full_input_ids[0, r_start : r_end + 1] + response_segments.append(segment) + total_response_len += segment.shape[0] + + # Get the configured response length from config + configured_resp_len = self.config.max_response_length + + if response_segments: + # Concatenate all response segments + response_only_ids_cat = torch.cat(response_segments, dim=0).unsqueeze(0) # Shape (1, total_response_len) + resp_pad_len = max(0, configured_resp_len - total_response_len) + + # Pad or truncate to configured length + if resp_pad_len > 0: + # Pad to configured length if shorter + resp_pad = torch.full((1, resp_pad_len), self.tokenizer.pad_token_id, dtype=torch.long, device=response_only_ids_cat.device) + response_only_ids_padded = torch.cat([response_only_ids_cat, resp_pad], dim=1) + print(f"[Agent._convert_rollout] Padded response from {total_response_len} to {configured_resp_len}") + elif total_response_len > configured_resp_len: + # Truncate if response is too long + print(f"[Agent._convert_rollout] Truncating response from {total_response_len} to {configured_resp_len}") + response_only_ids_padded = response_only_ids_cat[:, :configured_resp_len] + else: + # No adjustment needed + response_only_ids_padded = response_only_ids_cat + + # Double-check the final shape meets expectations + if response_only_ids_padded.shape[1] != configured_resp_len: + print(f"[Agent._convert_rollout] WARNING: Response length mismatch: got {response_only_ids_padded.shape[1]}, expected {configured_resp_len}") + # Force correction if still wrong + if response_only_ids_padded.shape[1] < configured_resp_len: + extra_pad = torch.full((1, configured_resp_len - response_only_ids_padded.shape[1]), + self.tokenizer.pad_token_id, dtype=torch.long, + device=response_only_ids_padded.device) + response_only_ids_padded = torch.cat([response_only_ids_padded, extra_pad], dim=1) + else: + response_only_ids_padded = response_only_ids_padded[:, :configured_resp_len] + else: + # Handle case with no agent responses (e.g., empty trajectory) + print(f"[Agent._convert_rollout] No agent responses found for item, creating empty response of length {configured_resp_len}") + response_only_ids_padded = torch.full((1, configured_resp_len), + self.tokenizer.pad_token_id, dtype=torch.long, + device=full_input_ids.device) + + # Append to batch list + batch_responses.append(response_only_ids_padded) + + # Add metadata + batch_meta_info["task_idx"].append(task_idx) + batch_meta_info["turns_stats"].append(turns) + batch_meta_info["valid_action_stats"].append(valid_actions) + batch_meta_info["reward"].append(result_dict.get('reward', 0.0)) # Last step reward + batch_meta_info["env_score"].append(result_dict.get('env_score', 0.0)) # Final env score + batch_meta_info["rollout_trajectory"].append(trajectory) + # Copy relevant metadata from original_batch + for key, value in original_batch.meta_info.items(): + if key not in ['idx', 'reward', 'env_score']: # Avoid duplication + if isinstance(value, list) and len(value) > original_batch_idx: + batch_meta_info[key].append(value[original_batch_idx]) + elif not isinstance(value, list): # Keep non-list metadata + if task_idx == original_indices[0]: # Add only once per batch + batch_meta_info[key] = value + + # --- Stack Tensors --- + if not batch_input_ids: + print("[Agent._convert_rollout] No valid trajectories formatted. Returning empty DataProto.") + # Return structure matching trainer expectations, even if empty + return DataProto.from_dict({ + "input_ids": torch.empty((0,0), dtype=torch.long), + "attention_mask": torch.empty((0,0), dtype=torch.long), + "position_ids": torch.empty((0,0), dtype=torch.long), + "info_mask": torch.empty((0,0), dtype=torch.long), + "token_level_rewards": torch.empty((0,0), dtype=torch.float) + }) + + # Create final batch data + final_batch = { + "input_ids": torch.cat(batch_input_ids, dim=0), + "attention_mask": torch.cat(batch_attention_mask, dim=0), + "position_ids": torch.cat(batch_position_ids, dim=0), + "info_mask": torch.cat(batch_info_mask, dim=0), + "token_level_rewards": torch.cat(batch_token_level_rewards, dim=0), + "responses": torch.cat(batch_responses, dim=0) + } + + # Create DataProto and add metadata + data_proto = DataProto.from_dict(final_batch) + for key, value in batch_meta_info.items(): + try: + if isinstance(value, list) and all(isinstance(item, (int, float)) for item in value): + data_proto.meta_info[key] = torch.tensor(value) + # Handle numpy arrays if they appear + elif isinstance(value, np.ndarray): + data_proto.meta_info[key] = torch.from_numpy(value) + else: + # Keep as list for non-numeric types (like trajectories) + data_proto.meta_info[key] = value + except (ValueError, TypeError, RuntimeError) as e: + # Fallback: keep as list if tensor conversion fails + print(f"[Agent._convert_rollout] Warning: Could not convert metadata '{key}' to tensor: {e}. Keeping as list.") + data_proto.meta_info[key] = value + + # Explicitly add final env scores as a tensor if possible + if "env_score" in batch_meta_info: + try: + data_proto.meta_info["env_scores"] = torch.tensor(batch_meta_info["env_score"], dtype=torch.float32) + except (ValueError, TypeError): + # Fallback case + print("[Agent._convert_rollout] Could not convert env_scores to tensor, keeping original list.") + data_proto.meta_info["env_scores"] = batch_meta_info["env_score"] + + print(f"[Agent._convert_rollout] Final batch shapes: input_ids={final_batch['input_ids'].shape}, token_level_rewards={final_batch['token_level_rewards'].shape}, responses={final_batch['responses'].shape}") + return data_proto + + + def postprocess_predictions(self, predictions: List[Any]) -> Tuple[List[str], List[str]]: + """ + Process predictions into actions and content based on XML-like tags. + Does not require tool_manager. + + Args: + predictions: List of raw predictions (strings from LLM) + + Returns: + Tuple of (action types list ['action' or 'response' or None], + action contents list [text inside tags or empty string]) + """ + actions = [] + contents = [] + + for prediction in predictions: + if isinstance(prediction, str): + # Extract action or response tags + action_pattern = r'(.*?)' + response_pattern = r'(.*?)' + + action_match = re.search(action_pattern, prediction, re.DOTALL) + response_match = re.search(response_pattern, prediction, re.DOTALL) + + if action_match: + actions.append('action') + contents.append(action_match.group(1).strip()) + elif response_match: + actions.append('response') + contents.append(response_match.group(1).strip()) + else: + # If no recognized tag, assume it's neither a specific action nor response + actions.append(None) + contents.append('') # Return empty content if no tag found + else: + # Handle non-string predictions if necessary, e.g., raise error or log warning + print(f"[Warning] Received non-string prediction: {type(prediction)}. Cannot process.") + actions.append(None) + contents.append('') + # Or raise ValueError(f"Invalid prediction type: {type(prediction)}") + + return actions, contents diff --git a/openmanus_rl/llm_agent/tensor_helper.py b/openmanus_rl/llm_agent/tensor_helper.py new file mode 100644 index 00000000..15a7c7c0 --- /dev/null +++ b/openmanus_rl/llm_agent/tensor_helper.py @@ -0,0 +1,75 @@ +import torch +from typing import Dict, Tuple, List +from dataclasses import dataclass + +@dataclass +class TensorConfig: + pad_token_id: int + max_prompt_length: int + max_obs_length: int + max_start_length: int + +class TensorHelper: + def __init__(self, config: TensorConfig): + self.config = config + + def cut_to_effective_len(self, tensor_dict: Dict[str, torch.Tensor], + keys: List[str], cut_left: bool = True) -> Dict[str, torch.Tensor]: + """Cut tensors to their effective length based on attention mask.""" + effective_len = tensor_dict['attention_mask'].sum(dim=1).max() + result = tensor_dict.copy() + + for key in keys: + if cut_left: + result[key] = tensor_dict[key][:, -effective_len:] + else: + result[key] = tensor_dict[key][:, :effective_len] + return result + + def convert_pad_structure(self, tensor: torch.Tensor, pad_to_left: bool = True) -> Tuple[torch.Tensor, torch.Tensor]: + """Convert padding structure and return sorted tensor with indices.""" + mask = tensor != self.config.pad_token_id if pad_to_left else tensor == self.config.pad_token_id + sorted_indices = mask.to(torch.int64).argsort(dim=1, stable=True) + return tensor.gather(1, sorted_indices), sorted_indices + + def create_attention_mask(self, input_ids: torch.Tensor) -> torch.Tensor: + """Create attention mask from input ids.""" + return torch.where(input_ids != self.config.pad_token_id, 1, 0) + + def create_position_ids(self, attention_mask: torch.Tensor) -> torch.Tensor: + """Create position ids from attention mask.""" + return (torch.cumsum(attention_mask, dim=1) - 1) * attention_mask + + def concatenate_with_padding(self, tensors: List[torch.Tensor], + pad_to_left: bool = True) -> torch.Tensor: + """Concatenate tensors and handle padding.""" + concatenated = torch.cat(tensors, dim=1) + padded_tensor, _ = self.convert_pad_structure(concatenated, pad_to_left) + return padded_tensor + + def _example_level_pad(self, responses: torch.Tensor, + responses_str: List[str], + active_mask: torch.Tensor) -> Tuple[torch.Tensor, List[str]]: + """ + Pad responses for non-active examples with pad tokens. + """ + assert active_mask.sum() == responses.shape[0] + # Create masked responses tensor + batch_size = active_mask.shape[0] + seq_len = responses.shape[1] + padded_responses = torch.full( + (batch_size, seq_len), self.config.pad_token_id, + dtype=responses.dtype, device=responses.device + ) + padded_responses[active_mask] = responses + + # Create masked response strings + padded_responses_str = [""] * batch_size + + s = 0 + for i, is_active in enumerate(active_mask): + if is_active: + padded_responses_str[i] = responses_str[s] + s += 1 + + return padded_responses, padded_responses_str \ No newline at end of file diff --git a/openmanus_rl/llm_agent/tool_manager.py b/openmanus_rl/llm_agent/tool_manager.py new file mode 100644 index 00000000..a7b8edc7 --- /dev/null +++ b/openmanus_rl/llm_agent/tool_manager.py @@ -0,0 +1,96 @@ +# tool_manager.py +from typing import Any, Dict, List, Callable, Optional, Union +import inspect + +class ToolManager: + """ + Manages the registration and execution of tools for the agent. + """ + + def __init__(self): + self.tools = {} + self.tool_descriptions = {} + + def register_tool(self, func: Callable, name: Optional[str] = None, description: str = ""): + """ + Register a tool function. + + Args: + func: The function to register + name: Optional name for the tool (defaults to function name) + description: Description of what the tool does + """ + tool_name = name if name else func.__name__ + self.tools[tool_name] = func + + # Create description with parameter info + sig = inspect.signature(func) + params = [] + for param_name, param in sig.parameters.items(): + if param.default == inspect.Parameter.empty: + params.append(f"{param_name}") + else: + params.append(f"{param_name}={param.default}") + + param_str = ", ".join(params) + full_desc = f"{tool_name}({param_str}): {description}" + + self.tool_descriptions[tool_name] = full_desc + + def get_tool_descriptions(self) -> List[str]: + """Get descriptions of all registered tools.""" + return list(self.tool_descriptions.values()) + + def get_tool_names(self) -> List[str]: + """Get names of all registered tools.""" + return list(self.tools.keys()) + + def call_tool(self, tool_name: str, *args, **kwargs) -> Any: + """ + Call a tool by name with given arguments. + + Args: + tool_name: Name of the tool to call + *args, **kwargs: Arguments to pass to the tool + + Returns: + The result of the tool execution + + Raises: + ValueError: If the tool doesn't exist or arguments are invalid + """ + if tool_name not in self.tools: + raise ValueError(f"Unknown tool: {tool_name}") + + tool_func = self.tools[tool_name] + + try: + result = tool_func(*args, **kwargs) + return result + except Exception as e: + raise ValueError(f"Error calling tool {tool_name}: {str(e)}") + + def get_prompt_instructions(self) -> str: + """ + Get formatted instructions for including in the agent prompt. + """ + tool_descs = "\n".join([f"- {desc}" for desc in self.get_tool_descriptions()]) + + instructions = f"""You have access to the following tools: + +{tool_descs} + +To use a tool, respond with: +tool_name(arg1, arg2, ...) + +After gathering information and completing your reasoning, provide your final response with: +Your final response here + +Follow the ReAct format: +1. Reason: Think through the problem step by step +2. Action: Use tools when you need information +3. Observation: Review the tool's output +4. Repeat steps 1-3 as needed +5. Conclude with your final response +""" + return instructions \ No newline at end of file diff --git a/openmanus_rl/utils/__init__.py b/openmanus_rl/utils/__init__.py new file mode 100644 index 00000000..5355cc93 --- /dev/null +++ b/openmanus_rl/utils/__init__.py @@ -0,0 +1,3 @@ +""" +Utility modules for OpenManus-RL. +""" \ No newline at end of file diff --git a/openmanus_rl/utils/visualization.py b/openmanus_rl/utils/visualization.py new file mode 100644 index 00000000..e7c593d3 --- /dev/null +++ b/openmanus_rl/utils/visualization.py @@ -0,0 +1,206 @@ +""" +Visualization utilities for OpenManus agent trajectories. +Replaces dependency on ragen.utils.plot with custom implementation. +""" + +import os +import re +import json +import datetime +import numpy as np +import matplotlib.pyplot as plt +from typing import List, Dict, Any, Optional, Union, Tuple +from PIL import Image + + +def parse_llm_output(text: str, strategy: str = "raw") -> Dict[str, Any]: + """ + Parse LLM output text according to different strategies. + + Args: + text: Raw text output from LLM + strategy: Parsing strategy, options: + - "raw": Return raw text + - "action_response": Extract and tags + - "react": Parse ReAct format (Thought, Action, Observation) + + Returns: + Dictionary with parsed components + """ + result = {"raw": text} + + if strategy == "raw": + return result + + if strategy == "action_response": + # Extract action and response tags + action_match = re.search(r'(.*?)', text, re.DOTALL) + response_match = re.search(r'(.*?)', text, re.DOTALL) + + result["action"] = action_match.group(1).strip() if action_match else None + result["response"] = response_match.group(1).strip() if response_match else None + return result + + if strategy == "react": + # Parse ReAct format (Thought, Action, Observation) + thought_match = re.search(r'(?:Think:|Thought:)\s*(.*?)(?:Act:|Action:|$)', text, re.DOTALL) + action_match = re.search(r'(?:Act:|Action:)\s*(.*?)(?:Obs:|Observation:|$)', text, re.DOTALL) + obs_match = re.search(r'(?:Obs:|Observation:)\s*(.*?)$', text, re.DOTALL) + + result["thought"] = thought_match.group(1).strip() if thought_match else None + result["action"] = action_match.group(1).strip() if action_match else None + result["observation"] = obs_match.group(1).strip() if obs_match else None + return result + + # Default case + return result + + +def save_trajectory_to_output( + trajectories: List[Dict[str, Any]], + save_dir: str, + format: str = "html", + prefix: str = "trajectory" +) -> List[str]: + """ + Save agent trajectories to output files. + + Args: + trajectories: List of trajectory dictionaries + save_dir: Directory to save output files + format: Output format (html, json, txt) + prefix: Filename prefix + + Returns: + List of saved file paths + """ + os.makedirs(save_dir, exist_ok=True) + timestamp = datetime.datetime.now().strftime("%Y%m%d_%H%M%S") + saved_files = [] + + for i, traj in enumerate(trajectories): + filename = f"{prefix}_{timestamp}_{i}" + + if format == "json": + # Save as JSON + filepath = os.path.join(save_dir, f"{filename}.json") + with open(filepath, 'w') as f: + json.dump(traj, f, indent=2) + saved_files.append(filepath) + + elif format == "html": + # Save as HTML with visualization + filepath = os.path.join(save_dir, f"{filename}.html") + _create_html_visualization(traj, filepath) + saved_files.append(filepath) + + elif format == "txt": + # Save as plain text + filepath = os.path.join(save_dir, f"{filename}.txt") + with open(filepath, 'w') as f: + f.write(_trajectory_to_text(traj)) + saved_files.append(filepath) + + # If trajectory contains state images, save them too + if "state" in traj and isinstance(traj["state"], list): + state_dir = os.path.join(save_dir, f"{filename}_states") + os.makedirs(state_dir, exist_ok=True) + + for j, state_img in enumerate(traj["state"]): + if isinstance(state_img, np.ndarray): + img_path = os.path.join(state_dir, f"state_{j:03d}.png") + Image.fromarray(state_img).save(img_path) + saved_files.append(img_path) + + return saved_files + + +def _trajectory_to_text(trajectory: Dict[str, Any]) -> str: + """Convert a trajectory to formatted text.""" + text = "AGENT TRAJECTORY\n" + "="*50 + "\n\n" + + # Add answers/responses + if "answer" in trajectory and isinstance(trajectory["answer"], list): + for i, answer in enumerate(trajectory["answer"]): + text += f"STEP {i+1}:\n" + text += f"Agent Response:\n{answer}\n\n" + + # Add parsed responses if available + if "parsed_response" in trajectory and isinstance(trajectory["parsed_response"], list): + text += "\nPARSED RESPONSES\n" + "-"*50 + "\n\n" + for i, parsed in enumerate(trajectory["parsed_response"]): + text += f"Step {i+1} Parsed:\n" + for key, value in parsed.items(): + if value: + text += f" {key}: {value}\n" + text += "\n" + + return text + + +def _create_html_visualization(trajectory: Dict[str, Any], filepath: str) -> None: + """Create HTML visualization of a trajectory.""" + html = """ + + + + Agent Trajectory Visualization + + + +

    Agent Trajectory Visualization

    + """ + + # Process each step + steps = len(trajectory.get("answer", [])) + for i in range(steps): + html += f'

    Step {i+1}

    ' + + # Add agent response + if "answer" in trajectory and i < len(trajectory["answer"]): + html += f'
    {trajectory["answer"][i]}
    ' + + # Add parsed components + if "parsed_response" in trajectory and i < len(trajectory["parsed_response"]): + parsed = trajectory["parsed_response"][i] + html += '
    ' + + if "thought" in parsed and parsed["thought"]: + html += f'
    Thought: {parsed["thought"]}
    ' + + if "action" in parsed and parsed["action"]: + html += f'
    Action: {parsed["action"]}
    ' + + if "observation" in parsed and parsed["observation"]: + html += f'
    Observation: {parsed["observation"]}
    ' + + html += '
    ' + + # Add state image if available + if "state" in trajectory and isinstance(trajectory["state"], list) and i < len(trajectory["state"]): + html += f'
    State {i}
    ' + + html += '
    ' + + html += """ + + + """ + + with open(filepath, 'w') as f: + f.write(html) + + +# Compatibility alias for easier migration +def plot_trajectory(*args, **kwargs): + """Compatibility function for legacy code.""" + return save_trajectory_to_output(*args, **kwargs) \ No newline at end of file diff --git a/pyproject.toml b/pyproject.toml new file mode 100644 index 00000000..84babdbf --- /dev/null +++ b/pyproject.toml @@ -0,0 +1,79 @@ + +# ------------------------------- +# build-system +# ------------------------------- +[build-system] +requires = [ + "setuptools>=61.0", + "wheel" +] +build-backend = "setuptools.build_meta" + +# ------------------------------- +# project (PEP 621 metadata) +# ------------------------------- +[project] +name = "verl" +# We'll mark the version as "dynamic" because it's read from the file "verl/version/version" +# (PEP 621 calls this "dynamic version"). +# The actual version is specified in the [tool.setuptools.dynamic] section below. +dynamic = ["version"] + +description = "veRL: Volcano Engine Reinforcement Learning for LLM" +license = {file = "LICENSE"} # or "Apache-2.0", if you prefer an SPDX identifier +readme = {file = "README.md", content-type = "text/markdown"} +requires-python = ">=3.8" + +authors = [ + { name = "Bytedance - Seed - MLSys", email = "zhangchi.usc1992@bytedance.com" }, + { name = "Bytedance - Seed - MLSys", email = "gmsheng@connect.hku.hk" }, +] + +# Dependencies corresponding to install_requires in setup.py +dependencies = [ + "accelerate", + "codetiming", + "datasets", + "dill", + "hydra-core", + "numpy", + "pybind11", + "ray", + "tensordict", + "transformers<4.48", + "vllm<=0.6.3", +] + +# Optional dependencies (extras_require in setup.py) +[project.optional-dependencies] +test = [ + "pytest", "yapf" +] + +# URLs +[project.urls] +Homepage = "https://github.com/volcengine/verl" + +# ------------------------------- +# tool.setuptools - Additional config +# ------------------------------- +[tool.setuptools] +# True means `setuptools` will attempt to include all relevant files in package_data automatically. +# This corresponds to `include_package_data=True` in setup.py. +include-package-data = true + +# We read the version from a file in 'verl/version/version' +[tool.setuptools.dynamic] +version = {file = "verl/version/version"} + +# If you need to mimic `package_dir={'': '.'}`: +[tool.setuptools.package-dir] +"" = "." + +# If you need to include specific non-Python data (like YAML files or version file): +# This is the rough equivalent of package_data={'': ['version/*'], 'verl': ['trainer/config/*.yaml']} +[tool.setuptools.package-data] +verl = [ + "version/*", + "trainer/config/*.yaml" +] diff --git a/requirements.txt b/requirements.txt new file mode 100644 index 00000000..52be24bb --- /dev/null +++ b/requirements.txt @@ -0,0 +1,17 @@ +accelerate +codetiming +datasets +dill +flash-attn +hydra-core +numpy +pandas +pybind11 +ray +tensordict<0.9 +transformers<4.48 +vllm<=0.6.3 +wandb +IPython +matplotlib +omegaconf \ No newline at end of file diff --git a/scripts/.gitkeep b/scripts/.gitkeep new file mode 100644 index 00000000..e69de29b diff --git a/scripts/train_sft.sh b/scripts/train_sft.sh new file mode 100644 index 00000000..ba09cc8a --- /dev/null +++ b/scripts/train_sft.sh @@ -0,0 +1,77 @@ +#!/bin/bash +set -x + +# Set default values for required parameters +default_nproc=2 +default_save_path="./output" +default_use_lora=true +default_data_prefix="sft/data/" + +# Parse command line arguments +nproc_per_node=${1:-$default_nproc} +save_path=${2:-$default_save_path} +use_lora=${3:-$default_use_lora} +data_prefix=${4:-$default_data_prefix} + +# Shift the processed arguments +shift $(($# > 3 ? 4 : $#)) + +# Display usage information if needed +if [ "$1" = "help" ] || [ "$1" = "--help" ] || [ "$1" = "-h" ]; then + echo "Usage: $(basename $0) [nproc_per_node] [save_path] [use_lora] [data_prefix] [other_configs...]" + echo " nproc_per_node: Number of processes per node (default: $default_nproc)" + echo " save_path: Directory to save model and logs (default: $default_save_path)" + echo " use_lora: Whether to use LoRA for fine-tuning (true/false, default: $default_use_lora)" + echo " data_prefix: Path prefix for training data (default: $default_data_prefix)" + exit 0 +fi + +# Create save directory if it doesn't exist +if [ ! -d "$save_path" ]; then + mkdir -p "$save_path" + echo "Created directory: $save_path" +fi + +# Setup LoRA parameters if enabled +lora_config="" +if [ "$use_lora" = true ]; then + lora_config="model.lora_rank=64 model.lora_alpha=32 model.target_modules=all-linear" +fi + +# Extract environment type from data path for naming +env_type=$(basename $data_prefix) + +# Generate a unique experiment name with timestamp +timestamp=$(date +"%Y%m%d_%H%M%S") +experiment_name="finetune_${env_type}_${timestamp}" + +# Run the training process +echo "Starting fine-tuning" +echo "Processes per node: $nproc_per_node" +echo "Save path: $save_path" +echo "Data path: $data_prefix" +echo "LoRA enabled: $use_lora" + +torchrun --standalone --nnodes=1 --nproc_per_node=$nproc_per_node \ + -m verl.trainer.fsdp_sft_trainer \ + data.train_files=${data_prefix}/train.parquet \ + data.val_files=${data_prefix}/test.parquet \ + data.prompt_key=prompt \ + data.response_key=response \ + data.max_length=2048 \ + optim.lr=1e-4 \ + data.train_batch_size=128 \ + data.micro_batch_size=4 \ + model.partial_pretrain=Qwen/Qwen2.5-0.5B \ + trainer.default_local_dir=$save_path \ + trainer.experiment_name=$experiment_name \ + trainer.logger=['console','wandb'] \ + trainer.total_epochs=5 \ + trainer.default_hdfs_dir=null \ + trainer.validate_before_training=True \ + model.enable_gradient_checkpointing=False \ + $lora_config \ + "$@" \ + 2>&1 | tee $save_path/train.log + +echo "Training completed. Logs saved to $save_path/train.log" \ No newline at end of file diff --git a/setup.py b/setup.py new file mode 100644 index 00000000..9aab68a3 --- /dev/null +++ b/setup.py @@ -0,0 +1,54 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +# setup.py is the fallback installation script when pyproject.toml does not work +from setuptools import setup, find_packages +import os + +version_folder = os.path.dirname(os.path.join(os.path.abspath(__file__))) + +with open(os.path.join(version_folder, 'verl/version/version')) as f: + __version__ = f.read().strip() + + +with open('requirements.txt') as f: + required = f.read().splitlines() + install_requires = [item.strip() for item in required if item.strip()[0] != '#'] + +extras_require = { + 'test': ['pytest', 'yapf'] +} + +from pathlib import Path +this_directory = Path(__file__).parent +long_description = (this_directory / "README.md").read_text() + +setup( + name='verl', + version=__version__, + package_dir={'': '.'}, + packages=find_packages(where='.'), + url='https://github.com/volcengine/verl', + license='Apache 2.0', + author='Bytedance - Seed - MLSys', + author_email='zhangchi.usc1992@bytedance.com, gmsheng@connect.hku.hk', + description='veRL: Volcano Engine Reinforcement Learning for LLM', + install_requires=install_requires, + extras_require=extras_require, + package_data={'': ['version/*'], + 'verl': ['trainer/config/*.yaml'],}, + include_package_data=True, + long_description=long_description, + long_description_content_type='text/markdown' +) \ No newline at end of file diff --git a/test/test_openmanus.py b/test/test_openmanus.py new file mode 100644 index 00000000..43a0f0ce --- /dev/null +++ b/test/test_openmanus.py @@ -0,0 +1,85 @@ +import pytest +import os +import sys +from pathlib import Path + +# Import target functions/classes +from openmanus_rl.llm_agent.openmanus import OpenManusAgent, create_react_prompt + +# 将 OpenManus-RL 路径加入 sys.path,确保能够找到 openmanus_rl 包 +PROJECT_ROOT = Path(__file__).resolve().parent.parent / "OpenManus-RL" +if PROJECT_ROOT.exists() and str(PROJECT_ROOT) not in sys.path: + sys.path.insert(0, str(PROJECT_ROOT)) + + +class DummyToolManager: + """简易 ToolManager,仅返回固定的提示指令。""" + + def get_prompt_instructions(self): + return "These are tool instructions." + + +class MinimalAgent(OpenManusAgent): + """覆盖 __init__ 以绕过复杂依赖,仅用于测试无状态方法。""" + + def __init__(self): # pylint: disable=super-init-not-called + pass + + +# ------------------------------ +# postprocess_predictions 测试 +# ------------------------------ + +def test_postprocess_action(): + agent = MinimalAgent() + predictions = ["CLICK_BUTTON"] + actions, contents = agent.postprocess_predictions(predictions) + assert actions == ["action"] + assert contents == ["CLICK_BUTTON"] + + +def test_postprocess_response(): + agent = MinimalAgent() + predictions = ["Hello World"] + actions, contents = agent.postprocess_predictions(predictions) + assert actions == ["response"] + assert contents == ["Hello World"] + + +def test_postprocess_no_tag(): + agent = MinimalAgent() + predictions = ["Hello there"] + actions, contents = agent.postprocess_predictions(predictions) + assert actions == [None] + assert contents == [""] + + +def test_postprocess_invalid_type(): + """非字符串输入应抛出 ValueError。""" + agent = MinimalAgent() + with pytest.raises(ValueError): + agent.postprocess_predictions([123]) + + +def test_postprocess_multiple_tags(): + """确保仅解析第一个 标签内容。""" + agent = MinimalAgent() + predictions = ["foobar"] + actions, contents = agent.postprocess_predictions(predictions) + assert actions == ["action"] + assert contents == ["foo"] + + +# ------------------------------ +# create_react_prompt 测试 +# ------------------------------ + +def test_create_react_prompt_contains_sections(): + task_description = "Navigate to the red door." + tool_manager = DummyToolManager() + prompt = create_react_prompt(task_description, tool_manager) + + # Prompt 应包含任务描述、工具指令和固定结尾 + assert task_description in prompt + assert tool_manager.get_prompt_instructions() in prompt + assert "Let's solve this step by step." in prompt \ No newline at end of file diff --git a/train_grpo.sh b/train_grpo.sh new file mode 100644 index 00000000..68dce71e --- /dev/null +++ b/train_grpo.sh @@ -0,0 +1,374 @@ +#!/bin/bash + +# --- Configuration (defaults, can be overridden via env vars) --- +export CUDA_VISIBLE_DEVICES=${CUDA_VISIBLE_DEVICES:-0,1,2,3,4,5,6,7} +WAND_PROJECT=${WAND_PROJECT:-'OpenManus-rl'} +export BASE_MODEL=${BASE_MODEL:-'Qwen/Qwen2.5-3B'} +AGENTGYM_HOST=${AGENTGYM_HOST:-'0.0.0.0'} # Default to 0.0.0.0 for external access +AGENTGYM_SQL_BIRD_PATH=${AGENTGYM_SQL_BIRD_PATH:-} # Used only for sqlgym +export NCCL_IB_DISABLE=1 +export NCCL_P2P_DISABLE=1 +export PYTHONPATH="./openmanus_rl/agentgym/agentenv:${PYTHONPATH}" + +# --- Argument Parsing --- +usage() { + echo "Usage: $0 --env_name [--num_servers ] [--base_port ] [--data_dir ] [--exp_name_suffix ]" + echo "Supported env_names: webshop, webarena, maze, wordle, alfworld, sciworld, babyai, textcraft, weather, movie, academia, todo, sheet, sqlgym" + echo " --num_servers: Number of parallel AgentGym servers to launch (default: 1)." + echo " --base_port: Starting port number for servers (default varies by env)." + echo "Assumes dedicated conda environments like 'agentenv-webshop' are already created and set up." + exit 1 +} + +AGENTGYM_ENV_NAME="webshop" # Default environment +NUM_SERVERS=1 # Default number of servers +BASE_PORT_OVERRIDE="" +DATA_DIR_OVERRIDE="" +EXP_NAME_SUFFIX="" + +while [[ $# -gt 0 ]]; do + key="$1" + case $key in + --env_name) + AGENTGYM_ENV_NAME="$2"; shift; shift;; + --num_servers) + NUM_SERVERS="$2"; shift; shift;; + --base_port) # Changed from --port to --base_port + BASE_PORT_OVERRIDE="$2"; shift; shift;; + --data_dir) + DATA_DIR_OVERRIDE="$2"; shift; shift;; + --exp_name_suffix) + EXP_NAME_SUFFIX="_$2"; shift; shift;; + *) + echo "Unknown option: $1"; usage;; + esac +done + +if ! [[ "$NUM_SERVERS" =~ ^[1-9][0-9]*$ ]]; then + echo "Error: --num_servers must be a positive integer." + usage +fi + +if [ -z "$AGENTGYM_ENV_NAME" ]; then + echo "Error: --env_name is required."; usage +fi + +# --- Determine Base Environment (where verl runs) --- +BASE_CONDA_ENV=${CONDA_DEFAULT_ENV:-openmanus-rl} +echo "[Info] Detected base conda environment: $BASE_CONDA_ENV" +echo "[Info] Verl trainer will run in this environment." + +# --- Environment Specific Setup --- +LAUNCH_CMD="" +DEFAULT_BASE_PORT="" # Renamed from DEFAULT_PORT +URL_PATH="" + +case $AGENTGYM_ENV_NAME in + webshop) + LAUNCH_CMD="webshop --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36001;; + webarena) + LAUNCH_CMD="webarena --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=8000;; + maze) + LAUNCH_CMD="lmrlgym --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36001; URL_PATH="/maze/";; + wordle) + LAUNCH_CMD="lmrlgym --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36001; URL_PATH="/wordle/";; + alfworld) + LAUNCH_CMD="alfworld --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36001;; + sciworld) + LAUNCH_CMD="sciworld --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36001;; + babyai) + LAUNCH_CMD="babyai --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36001;; + textcraft) + LAUNCH_CMD="textcraft --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36001;; + weather|movie|academia|todo|sheet) + LAUNCH_CMD="\\\$AGENTGYM_ENV_NAME --host $AGENTGYM_HOST --port \\\$AGENTGYM_PORT" # Escaped env name var + DEFAULT_BASE_PORT=8000;; + sqlgym) + if [ -z "$AGENTGYM_SQL_BIRD_PATH" ]; then echo "Error: AGENTGYM_SQL_BIRD_PATH must be set for sqlgym."; exit 1; fi + LAUNCH_CMD="AGENTENV_SQLGYM_BIRD_PATH=$AGENTGYM_SQL_BIRD_PATH sqlgym --host $AGENTGYM_HOST --port \\\$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36002;; + *) + echo "Error: Unsupported environment name '$AGENTGYM_ENV_NAME'"; usage;; +esac + +# --- Environment Dependency Installation (in‑place) --- +ENV_SETUP_DIR="openmanus_rl/agentgym/agentenv-${AGENTGYM_ENV_NAME}" +if [ -d "$ENV_SETUP_DIR" ]; then + echo -e "\n[Setup] Preparing AgentGym environment '$AGENTGYM_ENV_NAME' from $ENV_SETUP_DIR ..." + pushd "$ENV_SETUP_DIR" > /dev/null || { echo "Failed to enter $ENV_SETUP_DIR"; exit 1; } + + # install requirements + if [ -f "requirements.txt" ]; then + echo "[Setup] Installing Python requirements ..." + pip install --no-cache-dir -r requirements.txt + fi + # run setup.sh + if [ -f "setup.sh" ]; then + echo "[Setup] Running setup.sh ..." + bash setup.sh + fi + # editable install + if [ -f "setup.py" ] || [ -f "pyproject.toml" ]; then + echo "[Setup] Installing environment package (editable) ..." + pip install -e . + fi + popd > /dev/null + echo "[Setup] Environment '$AGENTGYM_ENV_NAME' ready." +else + echo "[Setup] WARNING: $ENV_SETUP_DIR not found; skipping env‑specific installation." +fi + +# --- Start AgentGym Servers in Dedicated Environment --- +TARGET_ENV_NAME="agentenv-${AGENTGYM_ENV_NAME}" +AGENTGYM_PGIDS=() # Array to store PGIDs (changed from PIDS) +AGENTGYM_PORTS=() # Array to store ports + +# Check if target env exists +if ! conda env list | grep -Eq "^${TARGET_ENV_NAME}\\s"; then + echo "[Error] Dedicated environment '$TARGET_ENV_NAME' not found. Please create it first." + exit 1 +fi + +# Determine base port +AGENTGYM_BASE_PORT=${BASE_PORT_OVERRIDE:-$DEFAULT_BASE_PORT} + +echo -e "\\n[Server] Starting $NUM_SERVERS AgentGym server(s) for ${AGENTGYM_ENV_NAME} in env '$TARGET_ENV_NAME'..." +echo "[Server] Base Port: ${AGENTGYM_BASE_PORT}" + +# Create logs directory +mkdir -p logs + +for (( i=0; i<$NUM_SERVERS; i++ )); do + # Calculate port for this server instance + export AGENTGYM_PORT=$((AGENTGYM_BASE_PORT + i)) + AGENTGYM_PORTS+=($AGENTGYM_PORT) # Store port + + # Prepare the specific launch command for this instance + CURRENT_LAUNCH_CMD=$(eval echo $LAUNCH_CMD) # Substitute $AGENTGYM_PORT + + echo "[Server $(($i+1))/$NUM_SERVERS] Launching on ${AGENTGYM_HOST}:${AGENTGYM_PORT}..." + echo "[Server $(($i+1))/$NUM_SERVERS] Command: $CURRENT_LAUNCH_CMD" + + # Run server in background using conda run + LOG_FILE="logs/${TARGET_ENV_NAME}_server_${AGENTGYM_PORT}.log" + echo "[Server $(($i+1))/$NUM_SERVERS] Logging to $LOG_FILE" + + # Use setsid to ensure the server runs in its own process group + setsid conda run --no-capture-output -n "$TARGET_ENV_NAME" bash -c "$CURRENT_LAUNCH_CMD" > "$LOG_FILE" 2>&1 & + PGID=$! # PID of setsid becomes the Process Group ID + + # Check if PGID was obtained + if [ -z "$PGID" ]; then + echo "[Error] Failed to get PGID for AgentGym server instance $i on port $AGENTGYM_PORT." + # Attempt to kill already launched servers before exiting + for pgid in "${AGENTGYM_PGIDS[@]}"; do kill -- -$pgid 2>/dev/null; done # Kill process group + exit 1 + fi + AGENTGYM_PGIDS+=($PGID) # Store PGID + echo "[Server $(($i+1))/$NUM_SERVERS] Launched (PGID: $PGID)." + sleep 2 # Small delay between starting servers +done + +# --- Wait and Check Servers --- +echo "[Server] Checking if AgentGym servers (${AGENTGYM_PORTS[*]}) are responsive..." +ALL_SERVERS_RUNNING=true +MAX_RETRIES=5 # Number of times to check each server +RETRY_DELAY=3 # Seconds to wait between retries +CONNECT_TIMEOUT=1 # Seconds for nc connection timeout + +for (( i=0; i<${#AGENTGYM_PORTS[@]}; i++ )); do + PORT=${AGENTGYM_PORTS[i]} + PGID=${AGENTGYM_PGIDS[i]} # Corresponding PGID for logging/debug + LOG_FILE="logs/${TARGET_ENV_NAME}_server_${PORT}.log" + SERVER_UP=false + + # Determine host to check (use localhost if host is 0.0.0.0) + CHECK_HOST=$AGENTGYM_HOST + if [ "$CHECK_HOST" == "0.0.0.0" ]; then + CHECK_HOST="127.0.0.1" + fi + + echo "[Server Check] Checking server on ${CHECK_HOST}:${PORT} (PGID: $PGID)..." + for (( attempt=1; attempt<=$MAX_RETRIES; attempt++ )); do + # Use netcat (nc) to check if port is open. -z: zero-I/O mode, -w: timeout + # Redirect errors to /dev/null to avoid clutter + if nc -z -w $CONNECT_TIMEOUT "$CHECK_HOST" "$PORT" > /dev/null 2>&1; then + echo "[Server Check] Server on port $PORT is responsive." + SERVER_UP=true + break # Exit retry loop for this server + else + if [ $attempt -lt $MAX_RETRIES ]; then + echo "[Server Check] Server on port $PORT not responsive (Attempt $attempt/$MAX_RETRIES). Retrying in $RETRY_DELAY seconds..." + sleep $RETRY_DELAY + else + echo "[Error] Server on port $PORT (PGID: $PGID) failed to respond after $MAX_RETRIES attempts." + echo "[Error] Check server log for details: $LOG_FILE" + fi + fi + done + + if [ "$SERVER_UP" = false ]; then + ALL_SERVERS_RUNNING=false + # No need to check remaining servers if one failed + break + fi +done + +if [ "$ALL_SERVERS_RUNNING" = false ]; then + echo "[Error] Not all AgentGym servers started successfully or became responsive. Initiating cleanup..." + # Manually trigger cleanup for potentially started PGIDs before exiting + # We duplicate part of the trap logic here for immediate cleanup on check failure + CLEANUP_PGIDS_ON_FAIL=(${AGENTGYM_PGIDS[*]}); + for pgid_fail in "${CLEANUP_PGIDS_ON_FAIL[@]}"; do + echo "[Cleanup] Killing process group -$pgid_fail due to failed startup check." + kill -- -$pgid_fail 2>/dev/null; + done + wait 2>/dev/null # Give kill commands a moment + echo "[Error] Exiting script due to server startup failure." + exit 1 # Exit with error code +fi + +echo "[Server] All AgentGym servers appear to be responsive and running." + +# Setup trap to kill all server process groups on script exit/interrupt +# Note the use of kill -- -$pgid to target the entire process group +trap "echo '[Cleanup] Stopping AgentGym server process groups (PGIDs: ${AGENTGYM_PGIDS[*]})...'; CLEANUP_PGIDS=(${AGENTGYM_PGIDS[*]}); for pgid in \${CLEANUP_PGIDS[@]}; do echo '[Cleanup] Killing process group -\$pgid'; kill -- -\$pgid 2>/dev/null; done; wait 2>/dev/null; echo '[Cleanup] Done.'" EXIT + +# --- Data and Experiment Naming --- +export DATA_DIR=${DATA_DIR_OVERRIDE:-"./data/$AGENTGYM_ENV_NAME"} # Default data dir based on env name +export EXPERIMENT_NAME="OpenManus-rl-grpo-${BASE_MODEL##*/}-${AGENTGYM_ENV_NAME}${EXP_NAME_SUFFIX}" + +# --- Run GRPO Training in Base Environment --- +echo -e "\\n[Trainer] Running GRPO training in base environment '$BASE_CONDA_ENV'..." +export VLLM_ATTENTION_BACKEND=${VLLM_ATTENTION_BACKEND:-XFORMERS} + +# Construct server base URL, adding path if needed +AGENTGYM_SERVER_BASE="http://$AGENTGYM_HOST" # Base URL without port +# Construct the list of ports as a comma-separated string for OmegaConf +AGENTGYM_PORTS_STR=$(IFS=,; echo "${AGENTGYM_PORTS[*]}") + +echo "[Trainer] Using Data Directory: $DATA_DIR" +echo "[Trainer] Experiment Name: $EXPERIMENT_NAME" +echo "[Trainer] AgentGym Base URL: $AGENTGYM_SERVER_BASE" +echo "[Trainer] AgentGym Ports: $AGENTGYM_PORTS_STR" # Pass list of ports + +# Check if train/test files exist +TRAIN_FILE="$DATA_DIR/train.parquet" +TEST_FILE="$DATA_DIR/test.parquet" + +if [ ! -f "$TRAIN_FILE" ]; then + echo "[Warning] Train file not found at $TRAIN_FILE. Ensure data generation script was run for $AGENTGYM_ENV_NAME." +fi +if [ ! -f "$TEST_FILE" ]; then + echo "[Warning] Test file not found at $TEST_FILE. Ensure data generation script was run for $AGENTGYM_ENV_NAME." +fi + +# Ensure base environment is activated correctly for trainer +echo "[Trainer] Ensuring base environment '$BASE_CONDA_ENV' is active..." +CONDA_BASE=$(conda info --base) +source "${CONDA_BASE}/etc/profile.d/conda.sh" +conda activate "$BASE_CONDA_ENV" || { echo "Error: Failed to activate base env '$BASE_CONDA_ENV'"; exit 1; } + +# Check and install dependencies within the base environment +echo "[Trainer] Checking and installing required dependencies in '$BASE_CONDA_ENV'..." +for pkg in tensordict codetiming ray wandb transformers; do + if ! python -c "import $pkg" &>/dev/null; then + echo "[Trainer] Installing missing dependency: $pkg" + pip install $pkg + fi +done + +TRAINER_LOG_FILE="logs/${EXPERIMENT_NAME}.log" +echo "[Trainer] Logging trainer output to $TRAINER_LOG_FILE" +echo "[Trainer] Starting GRPO training..." + +# --- Construct Hydra Overrides Array --- +hydra_overrides=( + "data.train_files=$TRAIN_FILE" + "data.val_files=$TEST_FILE" + "data.env_name=$AGENTGYM_ENV_NAME" + "data.env_server_base=$AGENTGYM_SERVER_BASE" + "data.env_ports=[${AGENTGYM_PORTS_STR}]" + "data.train_data_num=null" + "data.val_data_num=null" + "data.train_batch_size=512" + "data.val_batch_size=256" + "data.max_prompt_length=4096" + "data.max_response_length=500" + "data.max_start_length=2048" + "data.max_obs_length=500" + "data.shuffle_train_dataloader=True" + "algorithm.adv_estimator=grpo" + "actor_rollout_ref.model.path=$BASE_MODEL" + "actor_rollout_ref.model.enable_gradient_checkpointing=true" + "actor_rollout_ref.model.use_remove_padding=True" + "+actor_rollout_ref.model.torch_dtype=bfloat16" + "actor_rollout_ref.actor.optim.lr=1e-6" + "actor_rollout_ref.actor.optim.lr_warmup_steps_ratio=0.95" + "actor_rollout_ref.actor.use_kl_loss=true" + "actor_rollout_ref.actor.ppo_mini_batch_size=256" + "actor_rollout_ref.actor.ppo_micro_batch_size=64" + "actor_rollout_ref.actor.fsdp_config.param_offload=true" + "actor_rollout_ref.actor.fsdp_config.grad_offload=true" + "actor_rollout_ref.actor.fsdp_config.optimizer_offload=true" + "actor_rollout_ref.rollout.log_prob_micro_batch_size=128" + "actor_rollout_ref.rollout.tensor_model_parallel_size=1" + "actor_rollout_ref.rollout.name=vllm" + "actor_rollout_ref.rollout.gpu_memory_utilization=0.6" + "actor_rollout_ref.ref.log_prob_micro_batch_size=128" + "actor_rollout_ref.ref.fsdp_config.param_offload=True" + "actor_rollout_ref.actor.kl_loss_coef=0.001" + "actor_rollout_ref.actor.kl_loss_type=low_var_kl" + "algorithm.no_think_rl=false" + "actor_rollout_ref.rollout.n_agent=5" + "actor_rollout_ref.rollout.temperature=1" + "actor_rollout_ref.actor.state_masking=true" + "critic.optim.lr=1e-5" + "critic.model.use_remove_padding=True" + "critic.optim.lr_warmup_steps_ratio=0.05" + "critic.model.path=$BASE_MODEL" + "critic.model.enable_gradient_checkpointing=true" + "+critic.model.torch_dtype=bfloat16" + "critic.ppo_micro_batch_size=8" + "critic.model.fsdp_config.param_offload=true" + "critic.model.fsdp_config.grad_offload=true" + "critic.model.fsdp_config.optimizer_offload=true" + "algorithm.kl_ctrl.kl_coef=0.001" + "trainer.logger=['wandb']" + "+trainer.val_only=false" + "+trainer.val_before_train=true" + "trainer.default_hdfs_dir=null" + "trainer.n_gpus_per_node=8" + "trainer.nnodes=1" + "trainer.save_freq=100" + "trainer.test_freq=50" + "trainer.project_name=$WAND_PROJECT" + "trainer.experiment_name=$EXPERIMENT_NAME" + "trainer.total_epochs=15" + "trainer.total_training_steps=305" + "trainer.default_hdfs_dir=null" + "trainer.default_local_dir=verl_checkpoints/$EXPERIMENT_NAME" + "max_turns=2" +) + +# --- Execute Python Training Script --- +PYTHONUNBUFFERED=1 python3 -m verl.trainer.main_ppo \ + --config-name ppo_trainer --config-path config \ + "${hydra_overrides[@]}" \ + 2>&1 | tee "$TRAINER_LOG_FILE" # Log trainer output + +TRAINER_EXIT_CODE=$? + +echo "GRPO training finished with exit code $TRAINER_EXIT_CODE." + +# Cleanup is handled by the trap + +exit $TRAINER_EXIT_CODE \ No newline at end of file diff --git a/train_ppo.sh b/train_ppo.sh new file mode 100644 index 00000000..08852b9b --- /dev/null +++ b/train_ppo.sh @@ -0,0 +1,358 @@ +#!/bin/bash + +# --- Configuration (defaults, can be overridden via env vars) --- +export CUDA_VISIBLE_DEVICES=${CUDA_VISIBLE_DEVICES:-1,2,3,4} +WAND_PROJECT=${WAND_PROJECT:-'OpenManus-rl'} +export BASE_MODEL=${BASE_MODEL:-'Qwen/Qwen2.5-3B'} +AGENTGYM_HOST=${AGENTGYM_HOST:-'0.0.0.0'} # Default to 0.0.0.0 for external access +AGENTGYM_SQL_BIRD_PATH=${AGENTGYM_SQL_BIRD_PATH:-} # Used only for sqlgym +export NCCL_IB_DISABLE=1 +export NCCL_P2P_DISABLE=1 +export PYTHONPATH="./openmanus_rl/agentgym/agentenv:${PYTHONPATH}" + +# --- Argument Parsing --- +usage() { + echo "Usage: $0 --env_name [--num_servers ] [--base_port ] [--data_dir ] [--exp_name_suffix ]" + echo "Supported env_names: webshop, webarena, maze, wordle, alfworld, sciworld, babyai, textcraft, weather, movie, academia, todo, sheet, sqlgym" + echo " --num_servers: Number of parallel AgentGym servers to launch (default: 1)." + echo " --base_port: Starting port number for servers (default varies by env)." + echo "Assumes dedicated conda environments like 'agentenv-webshop' are already created and set up." + exit 1 +} + +AGENTGYM_ENV_NAME="webshop" # Default environment +NUM_SERVERS=1 # Default number of servers +BASE_PORT_OVERRIDE="" +DATA_DIR_OVERRIDE="" +EXP_NAME_SUFFIX="" + +while [[ $# -gt 0 ]]; do + key="$1" + case $key in + --env_name) + AGENTGYM_ENV_NAME="$2"; shift; shift;; + --num_servers) + NUM_SERVERS="$2"; shift; shift;; + --base_port) # Changed from --port to --base_port + BASE_PORT_OVERRIDE="$2"; shift; shift;; + --data_dir) + DATA_DIR_OVERRIDE="$2"; shift; shift;; + --exp_name_suffix) + EXP_NAME_SUFFIX="_$2"; shift; shift;; + *) + echo "Unknown option: $1"; usage;; + esac +done + +if ! [[ "$NUM_SERVERS" =~ ^[1-9][0-9]*$ ]]; then + echo "Error: --num_servers must be a positive integer." + usage +fi + +if [ -z "$AGENTGYM_ENV_NAME" ]; then + echo "Error: --env_name is required."; usage +fi + +# --- Determine Base Environment (where verl runs) --- +BASE_CONDA_ENV=${CONDA_DEFAULT_ENV:-openmanus-rl} +echo "[Info] Detected base conda environment: $BASE_CONDA_ENV" +echo "[Info] Verl trainer will run in this environment." + + +# --- Environment Specific Setup (Determine LAUNCH_CMD, DEFAULT_BASE_PORT, URL_PATH) --- + +LAUNCH_CMD="" +DEFAULT_BASE_PORT="" # Renamed from DEFAULT_PORT +URL_PATH="" +# MODULE_LAUNCH_NAME="" + +AGENTGYM_HOST=${AGENTGYM_HOST:-'0.0.0.0'} + +case $AGENTGYM_ENV_NAME in + webshop) + LAUNCH_CMD="webshop --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36005;; + webarena) + LAUNCH_CMD="webarena --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=8000;; + maze) + LAUNCH_CMD="lmrlgym --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36001; URL_PATH="/maze/";; + wordle) + LAUNCH_CMD="lmrlgym --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36001; URL_PATH="/wordle/";; + alfworld) + LAUNCH_CMD="alfworld --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36001;; + sciworld) + LAUNCH_CMD="sciworld --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36001;; + babyai) + LAUNCH_CMD="babyai --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36001;; + textcraft) + LAUNCH_CMD="textcraft --host $AGENTGYM_HOST --port \$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36001;; + weather|movie|academia|todo|sheet) + LAUNCH_CMD="\\\$AGENTGYM_ENV_NAME --host $AGENTGYM_HOST --port \\\$AGENTGYM_PORT" # Escaped env name var + DEFAULT_BASE_PORT=8000;; + sqlgym) + if [ -z "$AGENTGYM_SQL_BIRD_PATH" ]; then echo "Error: AGENTGYM_SQL_BIRD_PATH must be set for sqlgym."; exit 1; fi + LAUNCH_CMD="AGENTENV_SQLGYM_BIRD_PATH=$AGENTGYM_SQL_BIRD_PATH sqlgym --host $AGENTGYM_HOST --port \\\$AGENTGYM_PORT" + DEFAULT_BASE_PORT=36002;; + *) + echo "Error: Unsupported environment name '$AGENTGYM_ENV_NAME'"; usage;; +esac + +# --- Start AgentGym Servers in Dedicated Environment --- +TARGET_ENV_NAME="agentenv-${AGENTGYM_ENV_NAME}" +AGENTGYM_PGIDS=() # Array to store PGIDs (changed from PIDS) +AGENTGYM_PORTS=() # Array to store ports + +# Check if target env exists +if ! conda env list | grep -Eq "^${TARGET_ENV_NAME}\\s"; then + echo "[Error] Dedicated environment '$TARGET_ENV_NAME' not found. Please create it first." + exit 1 +fi + +# Determine base port +AGENTGYM_BASE_PORT=${BASE_PORT_OVERRIDE:-$DEFAULT_BASE_PORT} + +echo -e "\\n[Server] Starting $NUM_SERVERS AgentGym server(s) for ${AGENTGYM_ENV_NAME} in env '$TARGET_ENV_NAME'..." +echo "[Server] Base Port: ${AGENTGYM_BASE_PORT}" + +# Create logs directory +mkdir -p logs + +for (( i=0; i<$NUM_SERVERS; i++ )); do + # Calculate port for this server instance + export AGENTGYM_PORT=$((AGENTGYM_BASE_PORT + i)) + AGENTGYM_PORTS+=($AGENTGYM_PORT) # Store port + + # Prepare the specific launch command for this instance + CURRENT_LAUNCH_CMD=$(eval echo $LAUNCH_CMD) # Substitute $AGENTGYM_PORT + + echo "[Server $(($i+1))/$NUM_SERVERS] Launching on ${AGENTGYM_HOST}:${AGENTGYM_PORT}..." + echo "[Server $(($i+1))/$NUM_SERVERS] Command: $CURRENT_LAUNCH_CMD" + + # Run server in background using conda run within a new process group (setsid) + LOG_FILE="logs/${TARGET_ENV_NAME}_server_${AGENTGYM_PORT}.log" + echo "[Server $(($i+1))/$NUM_SERVERS] Logging to $LOG_FILE" + + # Use setsid to ensure the server runs in its own process group + setsid conda run --no-capture-output -n "$TARGET_ENV_NAME" bash -c "$CURRENT_LAUNCH_CMD" > "$LOG_FILE" 2>&1 & + PGID=$! # PID of setsid becomes the Process Group ID + + # Check if PGID was obtained + if [ -z "$PGID" ]; then + echo "[Error] Failed to get PGID for AgentGym server instance $i on port $AGENTGYM_PORT." + # Attempt to kill already launched servers before exiting + for pgid in "${AGENTGYM_PGIDS[@]}"; do kill -- -$pgid 2>/dev/null; done # Kill process group + exit 1 + fi + AGENTGYM_PGIDS+=($PGID) # Store PGID + echo "[Server $(($i+1))/$NUM_SERVERS] Launched (PGID: $PGID)." + sleep 2 # Small delay between starting servers +done + +# --- Wait and Check Servers --- +echo "[Server] Checking if AgentGym servers (${AGENTGYM_PORTS[*]}) are responsive..." +ALL_SERVERS_RUNNING=true +MAX_RETRIES=5 # Number of times to check each server +RETRY_DELAY=3 # Seconds to wait between retries +CONNECT_TIMEOUT=1 # Seconds for nc connection timeout + +for (( i=0; i<${#AGENTGYM_PORTS[@]}; i++ )); do + PORT=${AGENTGYM_PORTS[i]} + PGID=${AGENTGYM_PGIDS[i]} # Corresponding PGID for logging/debug + LOG_FILE="logs/${TARGET_ENV_NAME}_server_${PORT}.log" + SERVER_UP=false + + # Determine host to check (use localhost if host is 0.0.0.0) + CHECK_HOST=$AGENTGYM_HOST + if [ "$CHECK_HOST" == "0.0.0.0" ]; then + CHECK_HOST="127.0.0.1" + fi + + echo "[Server Check] Checking server on ${CHECK_HOST}:${PORT} (PGID: $PGID)..." + for (( attempt=1; attempt<=$MAX_RETRIES; attempt++ )); do + # Use netcat (nc) to check if port is open. -z: zero-I/O mode, -w: timeout + # Redirect errors to /dev/null to avoid clutter + if nc -z -w $CONNECT_TIMEOUT "$CHECK_HOST" "$PORT" > /dev/null 2>&1; then + echo "[Server Check] Server on port $PORT is responsive." + SERVER_UP=true + break # Exit retry loop for this server + else + if [ $attempt -lt $MAX_RETRIES ]; then + echo "[Server Check] Server on port $PORT not responsive (Attempt $attempt/$MAX_RETRIES). Retrying in $RETRY_DELAY seconds..." + sleep $RETRY_DELAY + else + echo "[Error] Server on port $PORT (PGID: $PGID) failed to respond after $MAX_RETRIES attempts." + echo "[Error] Check server log for details: $LOG_FILE" + fi + fi + done + + if [ "$SERVER_UP" = false ]; then + ALL_SERVERS_RUNNING=false + # No need to check remaining servers if one failed + break + fi +done + +if [ "$ALL_SERVERS_RUNNING" = false ]; then + echo "[Error] Not all AgentGym servers started successfully or became responsive. Initiating cleanup..." + # Manually trigger cleanup for potentially started PGIDs before exiting + # We duplicate part of the trap logic here for immediate cleanup on check failure + CLEANUP_PGIDS_ON_FAIL=(${AGENTGYM_PGIDS[*]}); + for pgid_fail in "${CLEANUP_PGIDS_ON_FAIL[@]}"; do + echo "[Cleanup] Killing process group -$pgid_fail due to failed startup check." + kill -- -$pgid_fail 2>/dev/null; + done + wait 2>/dev/null # Give kill commands a moment + echo "[Error] Exiting script due to server startup failure." + exit 1 # Exit with error code +fi + +echo "[Server] All AgentGym servers appear to be responsive and running." + + +# Setup trap to kill all server process groups on script exit/interrupt +# Note the use of kill -- -$pgid to target the entire process group +trap "echo '[Cleanup] Stopping AgentGym server process groups (PGIDs: ${AGENTGYM_PGIDS[*]})...'; CLEANUP_PGIDS=(${AGENTGYM_PGIDS[*]}); for pgid in \${CLEANUP_PGIDS[@]}; do echo '[Cleanup] Killing process group -\$pgid'; kill -- -\$pgid 2>/dev/null; done; wait 2>/dev/null; echo '[Cleanup] Done.'" EXIT + +# --- Data and Experiment Naming --- +export DATA_DIR=${DATA_DIR_OVERRIDE:-"./data/$AGENTGYM_ENV_NAME"} # Default data dir based on env name +export EXPERIMENT_NAME="OpenManus-rl-ppo-${BASE_MODEL##*/}-${AGENTGYM_ENV_NAME}${EXP_NAME_SUFFIX}" + + +# --- Run PPO Training in Base Environment --- +echo -e "\\n[Trainer] Running PPO training in base environment '$BASE_CONDA_ENV'..." +export VLLM_ATTENTION_BACKEND=${VLLM_ATTENTION_BACKEND:-XFORMERS} + +# Construct server base URL, adding path if needed +AGENTGYM_SERVER_BASE="http://$AGENTGYM_HOST" # Base URL without port +# Construct the list of ports as a comma-separated string for OmegaConf +AGENTGYM_PORTS_STR=$(IFS=,; echo "${AGENTGYM_PORTS[*]}") + +echo "[Trainer] Using Data Directory: $DATA_DIR" +echo "[Trainer] Experiment Name: $EXPERIMENT_NAME" + +echo "[Trainer] AgentGym Base URL: $AGENTGYM_SERVER_BASE" +echo "[Trainer] AgentGym Ports: $AGENTGYM_PORTS_STR" # Pass list of ports + +# Check if train/test files exist +TRAIN_FILE="$DATA_DIR/train.parquet" +TEST_FILE="$DATA_DIR/test.parquet" + +echo "[Trainer] Train file: $TRAIN_FILE" +echo "[Trainer] Test file: $TEST_FILE" + +if [ ! -f "$TRAIN_FILE" ]; then + echo "[Warning] Train file not found at $TRAIN_FILE. Ensure data generation script was run for $AGENTGYM_ENV_NAME." +fi +if [ ! -f "$TEST_FILE" ]; then + echo "[Warning] Test file not found at $TEST_FILE. Ensure data generation script was run for $AGENTGYM_ENV_NAME." +fi + +# Ensure base environment is activated correctly for trainer +echo "[Trainer] Ensuring base environment '$BASE_CONDA_ENV' is active..." +CONDA_BASE=$(conda info --base) +source "${CONDA_BASE}/etc/profile.d/conda.sh" +conda activate "$BASE_CONDA_ENV" || { echo "Error: Failed to activate base env '$BASE_CONDA_ENV'"; exit 1; } + +# Check and install dependencies within the base environment +echo "[Trainer] Checking and installing required dependencies in '$BASE_CONDA_ENV'..." +for pkg in tensordict codetiming ray wandb transformers; do + if ! python -c "import $pkg" &>/dev/null; then + echo "[Trainer] Installing missing dependency: $pkg" + pip install $pkg + fi +done + +TRAINER_LOG_FILE="logs/${EXPERIMENT_NAME}.log" +echo "[Trainer] Logging trainer output to $TRAINER_LOG_FILE" +echo "[Trainer] Starting PPO training..." + +# --- Construct Hydra Overrides Array --- +hydra_overrides=( + "data.train_files=$TRAIN_FILE" + "data.val_files=$TEST_FILE" + "data.env_name=$AGENTGYM_ENV_NAME" + "data.env_server_base=$AGENTGYM_SERVER_BASE" + "data.env_ports=[${AGENTGYM_PORTS_STR}]" + "data.train_data_num=null" + "data.val_data_num=null" + "data.train_batch_size=4" + "data.val_batch_size=2" + "data.max_prompt_length=4096" + "data.max_response_length=1000" + "data.max_start_length=2048" + "data.max_obs_length=1000" + "data.shuffle_train_dataloader=True" + "algorithm.adv_estimator=gae" + "actor_rollout_ref.model.path=$BASE_MODEL" + "actor_rollout_ref.actor.optim.lr=1e-6" + "actor_rollout_ref.model.enable_gradient_checkpointing=true" + "actor_rollout_ref.model.use_remove_padding=True" + "actor_rollout_ref.actor.optim.lr_warmup_steps_ratio=0.95" + "actor_rollout_ref.actor.ppo_mini_batch_size=2" + "actor_rollout_ref.actor.ppo_micro_batch_size=4" + "actor_rollout_ref.actor.fsdp_config.param_offload=true" + "actor_rollout_ref.actor.fsdp_config.grad_offload=true" + "actor_rollout_ref.actor.fsdp_config.optimizer_offload=true" + "+actor_rollout_ref.model.torch_dtype=bfloat16" + "actor_rollout_ref.rollout.log_prob_micro_batch_size=128" + "actor_rollout_ref.rollout.tensor_model_parallel_size=1" + "actor_rollout_ref.rollout.name=vllm" + "actor_rollout_ref.rollout.gpu_memory_utilization=0.6" + "actor_rollout_ref.ref.log_prob_micro_batch_size=128" + "actor_rollout_ref.ref.fsdp_config.param_offload=True" + "actor_rollout_ref.rollout.n_agent=1" + "actor_rollout_ref.rollout.temperature=1" + "actor_rollout_ref.actor.state_masking=true" + "critic.optim.lr=1e-5" + "critic.model.use_remove_padding=True" + "critic.optim.lr_warmup_steps_ratio=0.05" + "critic.model.path=$BASE_MODEL" + "critic.model.enable_gradient_checkpointing=true" + "critic.ppo_micro_batch_size=4" + "critic.model.fsdp_config.param_offload=true" + "critic.model.fsdp_config.grad_offload=true" + "critic.model.fsdp_config.optimizer_offload=true" + "+critic.model.torch_dtype=bfloat16" + "algorithm.kl_ctrl.kl_coef=0.001" + "algorithm.no_think_rl=false" + "algorithm.reward_score_fn=agentgym" + "trainer.critic_warmup=0" + "trainer.logger=['wandb']" + "+trainer.val_only=false" + "+trainer.val_before_train=true" + "trainer.default_hdfs_dir=null" + "trainer.n_gpus_per_node=3" + "trainer.nnodes=1" + "trainer.save_freq=100" + "trainer.test_freq=50" + "trainer.project_name=$WAND_PROJECT" + "trainer.experiment_name=$EXPERIMENT_NAME" + "trainer.total_epochs=15" + "trainer.total_training_steps=305" + "trainer.default_hdfs_dir=null" + "trainer.default_local_dir=verl_checkpoints/$EXPERIMENT_NAME" + "max_turns=2" +) + +# --- Execute Python Training Script --- +PYTHONUNBUFFERED=1 python3 -m verl.trainer.main_ppo \ + --config-name ppo_trainer --config-path config \ + "${hydra_overrides[@]}" \ + 2>&1 | tee "$TRAINER_LOG_FILE" # Log trainer output + +TRAINER_EXIT_CODE=$? + +echo "PPO training finished with exit code $TRAINER_EXIT_CODE." + +# Cleanup is handled by the trap + + +exit $TRAINER_EXIT_CODE \ No newline at end of file diff --git a/verl/__init__.py b/verl/__init__.py new file mode 100644 index 00000000..f0687177 --- /dev/null +++ b/verl/__init__.py @@ -0,0 +1,27 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import os + +version_folder = os.path.dirname(os.path.join(os.path.abspath(__file__))) + +with open(os.path.join(version_folder, 'version/version')) as f: + __version__ = f.read().strip() + +from .protocol import DataProto + +from .utils.logging_utils import set_basic_config +import logging + +set_basic_config(level=logging.WARNING) diff --git a/verl/models/README.md b/verl/models/README.md new file mode 100644 index 00000000..677b92f3 --- /dev/null +++ b/verl/models/README.md @@ -0,0 +1,35 @@ +# Models +Common modelzoo such as huggingface/transformers stuggles when using Pytorch native model parallelism. Following the design principle of vLLM, we keep a simple, parallelizable, highly-optimized with packed inputs in verl. +## Adding a New Huggingface Model +### Step 1: Copy the model file from HF to verl +- Add a new file under verl/models/hf +- Copy ONLY the model file from huggingface/transformers/models to verl/models/hf + +### Step 2: Modify the model file to use packed inputs +- Remove all the code related to inference (kv cache) +- Modify the inputs to include only + - input_ids (total_nnz,) + - cu_seqlens (total_nnz + 1,) + - max_seqlen_in_batch: int +- Note that this requires using flash attention with causal mask. + +### Step 2.5: Add tests +- Add a test to compare this version and the huggingface version +- Following the infrastructure and add tests to tests/models/hf + +### Step 3: Add a function to apply tensor parallelism +- Please follow + - https://pytorch.org/docs/stable/distributed.tensor.parallel.html + - https://pytorch.org/tutorials/intermediate/TP_tutorial.html +- General comments + - Tensor Parallelism in native Pytorch is NOT auto-parallelism. The way it works is to specify how model parameters and input/output reshards using configs. These configs are then registered as hooks to perform input/output resharding before/after model forward. + +### Step 4: Add a function to apply data parallelism +- Please use FSDP2 APIs +- See demo here https://github.com/pytorch/torchtitan/blob/main/torchtitan/parallelisms/parallelize_llama.py#L413 + +### Step 5: Add a function to apply pipeline parallelism +- Comes in Pytorch 2.4 +- Currently only in alpha in nightly version +- Check torchtitan for more details + diff --git a/verl/models/__init__.py b/verl/models/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/models/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/models/llama/__init__.py b/verl/models/llama/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/models/llama/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/models/llama/megatron/__init__.py b/verl/models/llama/megatron/__init__.py new file mode 100644 index 00000000..b188b3ee --- /dev/null +++ b/verl/models/llama/megatron/__init__.py @@ -0,0 +1,24 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from .modeling_llama_megatron import ( + # original model with megatron + ParallelLlamaModel, + ParallelLlamaForCausalLM, + # rmpad with megatron + ParallelLlamaForCausalLMRmPad, + ParallelLlamaForValueRmPad, + # rmpad with megatron and pipeline parallelism + ParallelLlamaForCausalLMRmPadPP, + ParallelLlamaForValueRmPadPP) diff --git a/verl/models/llama/megatron/checkpoint_utils/__init__.py b/verl/models/llama/megatron/checkpoint_utils/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/models/llama/megatron/checkpoint_utils/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/models/llama/megatron/checkpoint_utils/llama_loader.py b/verl/models/llama/megatron/checkpoint_utils/llama_loader.py new file mode 100644 index 00000000..00fb0a9c --- /dev/null +++ b/verl/models/llama/megatron/checkpoint_utils/llama_loader.py @@ -0,0 +1,446 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import torch +import time +from typing import Dict, Any, Callable, Optional +import torch.distributed as dist + + +def _megatron_calc_layer_map(config): + """Calculate the mapping of global layer_idx to local layer_idx + Returns: + layer_map (Dict: int -> tuple(int, int, int)): + mapping from the global layer index to + a tuple of (pp_rank, virtual_pp_rank, layer_idx inside model) + """ + import megatron + from megatron.core import mpu + + pp_size = mpu.get_pipeline_model_parallel_world_size() + virtual_pp_size = mpu.get_virtual_pipeline_model_parallel_world_size() or 1 + + layer_map = dict() + num_layers_per_model = config.num_hidden_layers // pp_size // virtual_pp_size + assert num_layers_per_model * pp_size * virtual_pp_size == config.num_hidden_layers + + for pp_rank_idx in range(pp_size): + for virtual_pp_rank_idx in range(virtual_pp_size): + layer_offset = (virtual_pp_rank_idx * (config.num_hidden_layers // virtual_pp_size) + + pp_rank_idx * num_layers_per_model) + for layer_idx in range(num_layers_per_model): + layer_map[layer_offset + layer_idx] = ( + pp_rank_idx, + virtual_pp_rank_idx, + layer_idx, + ) + return layer_map + + +def load_state_dict_to_megatron_llama(state_dict, wrapped_models, config, params_dtype, is_value_model=False): + """Load merged state_dict to sharded Megatron module in training. + """ + import megatron + from megatron.core import mpu + from megatron.utils import print_rank_0, unwrap_model + from megatron.core.transformer.module import Float16Module + from megatron.core import DistributedDataParallel as LocalDDP + from torch.nn.parallel import DistributedDataParallel as torchDDP + + start_time = time.time() + + def _get_gpt_model(model): + return model + + def broadcast_params(module): + for param in module.parameters(): + torch.distributed.broadcast(param.data, + src=mpu.get_data_parallel_src_rank(), + group=mpu.get_data_parallel_group()) + + dp_rank = mpu.get_data_parallel_rank() + pp_rank = mpu.get_pipeline_model_parallel_rank() + pp_size = mpu.get_pipeline_model_parallel_world_size() + virtual_pp_size = mpu.get_virtual_pipeline_model_parallel_world_size() or 1 + mp_group = mpu.get_model_parallel_group() + + if torch.distributed.get_rank() == 0: + assert mp_group.rank() == 0, f"mp_rank:[{mp_group.rank}] != 0 on rank #0" + assert pp_rank == 0, f"pp_rank:[{pp_rank}] != 0 on rank #0" + assert dp_rank == 0, f"dp_rank:[{dp_rank}] != 0 on rank #0" + + if not isinstance(wrapped_models, (list, tuple)): + wrapped_models = list(wrapped_models) + + assert len(wrapped_models) == virtual_pp_size + num_layers_per_model = config.num_hidden_layers // pp_size // virtual_pp_size + assert num_layers_per_model * pp_size * virtual_pp_size == config.num_hidden_layers + + models = [None] * len(wrapped_models) + + for i, wrapped_model in enumerate(wrapped_models): + models[i] = unwrap_model(wrapped_model, (torchDDP, LocalDDP, Float16Module)) + gpt_model_module = _get_gpt_model(models[i]) + assert len(gpt_model_module.model.layers) == num_layers_per_model + + def _broadcast_tensor(tensor, name) -> torch.Tensor: + """broadcast tensor from rank0 across mp_group""" + nonlocal state_dict + nonlocal mp_group + if torch.distributed.get_rank() == 0: + if name in state_dict: + weight = state_dict[name] + tensor_shape = weight.shape + else: + tensor_shape = None + else: + weight = None + tensor_shape = None + + obj_list = [tensor_shape] + dist.broadcast_object_list(obj_list, src=0, group=mp_group) + tensor_shape = obj_list[0] + + if tensor_shape is None: + # all or none ranks in the mp_group should reach here + print_rank_0(f"tensor:[{name}] not in state_dict, skip load") + return + + if tensor is None: + tensor = torch.empty( + tensor_shape, + dtype=params_dtype, + device=torch.cuda.current_device(), + requires_grad=False, + ) + if torch.distributed.get_rank() == 0: + tensor.data.copy_(weight) + dist.broadcast(tensor, src=0, group=mp_group) + + def _broadcast_tp_shard_tensor_vocab(tensor, name, chunk_dim=0, mutate_func=None) -> torch.Tensor: + """broadcast tensor in tp shards across mp_group""" + nonlocal state_dict + nonlocal mp_group + tp_rank = mpu.get_tensor_model_parallel_rank() + tp_size = mpu.get_tensor_model_parallel_world_size() + + if torch.distributed.get_rank() == 0: + if name in state_dict: + full_weight = state_dict[name] + + if mutate_func is not None: + full_weight = mutate_func(full_weight) + tensor_chunk = torch.chunk(full_weight, tp_size, dim=chunk_dim) + chunk_shape = tensor_chunk[0].shape + else: + chunk_shape = None + else: + chunk_shape = None + + obj_list = [chunk_shape] + dist.broadcast_object_list(obj_list, src=0, group=mp_group) + chunk_shape = obj_list[0] + if chunk_shape is None: + # all or none ranks in the mp_group should reach here + print_rank_0(f"tp_shard tensor:[{name}] not in state_dict, skip loading") + return + + if tensor is None: + sync_tensor = torch.empty( + chunk_shape, + dtype=params_dtype, + device=torch.cuda.current_device(), + requires_grad=False, + ) + else: + assert (tensor.shape == chunk_shape + ), f"rank #{torch.distributed.get_rank()} tensor {name} shape {tensor.shape} != {chunk_shape}" + sync_tensor = torch.empty_like(tensor, device=torch.cuda.current_device(), requires_grad=False) + + for i in range(tp_size): + if torch.distributed.get_rank() == 0: + sync_tensor.data.copy_(tensor_chunk[i]) + dist.broadcast(sync_tensor, src=0, group=mp_group) + if (i == tp_rank) and (tensor is not None): + tensor.data.copy_(sync_tensor) + + def _broadcast_tp_shard_tensor(tensor, name, chunk_dim=0, mutate_func=None) -> torch.Tensor: + """broadcast tensor in tp shards across mp_group""" + nonlocal state_dict + nonlocal mp_group + tp_rank = mpu.get_tensor_model_parallel_rank() + tp_size = mpu.get_tensor_model_parallel_world_size() + + if torch.distributed.get_rank() == 0: + if name in state_dict: + full_weight = state_dict[name] + if mutate_func is not None: + full_weight = mutate_func(full_weight) + tensor_chunk = torch.chunk(full_weight, tp_size, dim=chunk_dim) + chunk_shape = tensor_chunk[0].shape + else: + chunk_shape = None + else: + chunk_shape = None + + obj_list = [chunk_shape] + dist.broadcast_object_list(obj_list, src=0, group=mp_group) + chunk_shape = obj_list[0] + if chunk_shape is None: + # all or none ranks in the mp_group should reach here + print_rank_0(f"tp_shard tensor:[{name}] not in state_dict, skip loading") + return + + if tensor is None: + sync_tensor = torch.empty( + chunk_shape, + dtype=params_dtype, + device=torch.cuda.current_device(), + requires_grad=False, + ) + else: + assert (tensor.shape == chunk_shape + ), f"rank #{torch.distributed.get_rank()} tensor {name} shape {tensor.shape} != {chunk_shape}" + sync_tensor = torch.empty_like(tensor, device=torch.cuda.current_device(), requires_grad=False) + + for i in range(tp_size): + if torch.distributed.get_rank() == 0: + sync_tensor.data.copy_(tensor_chunk[i]) + dist.broadcast(sync_tensor, src=0, group=mp_group) + if (i == tp_rank) and (tensor is not None): + tensor.data.copy_(sync_tensor) + + def _broadcast_tp_shard_tensor_gate_up(tensor, gate_name, up_name) -> torch.Tensor: + """broadcast tensor in tp shards across mp_group""" + nonlocal state_dict + nonlocal mp_group + tp_rank = mpu.get_tensor_model_parallel_rank() + tp_size = mpu.get_tensor_model_parallel_world_size() + + if torch.distributed.get_rank() == 0: + gate_weight = state_dict[gate_name] + up_weight = state_dict[up_name] + new_gate_up_weight = torch.empty(config.intermediate_size * 2, + config.hidden_size, + dtype=params_dtype, + device=torch.cuda.current_device()) + for i in range(tp_size): + intermediate_size_tp = config.intermediate_size // tp_size + gate_weight_tp = gate_weight[i * intermediate_size_tp:(i + 1) * intermediate_size_tp] + up_weight_tp = up_weight[i * intermediate_size_tp:(i + 1) * intermediate_size_tp] + new_gate_up_weight[intermediate_size_tp * 2 * i:intermediate_size_tp * 2 * (i + 1)].copy_( + torch.cat([gate_weight_tp, up_weight_tp], dim=0)) + + tensor_chunk = torch.chunk(new_gate_up_weight, tp_size, dim=0) + chunk_shape = tensor_chunk[0].shape + else: + chunk_shape = None + + obj_list = [chunk_shape] + dist.broadcast_object_list(obj_list, src=0, group=mp_group) + chunk_shape = obj_list[0] + if chunk_shape is None: + # all or none ranks in the mp_group should reach here + print_rank_0(f"tp_shard tensor:[{gate_name, up_name}] not in state_dict, skip loading") + return + + if tensor is None: + sync_tensor = torch.empty( + chunk_shape, + dtype=params_dtype, + device=torch.cuda.current_device(), + requires_grad=False, + ) + else: + assert ( + tensor.shape == chunk_shape + ), f"rank #{torch.distributed.get_rank() == 0:} tensor {gate_name, up_name} shape {tensor.shape} != {chunk_shape}" + sync_tensor = torch.empty_like(tensor, device=torch.cuda.current_device(), requires_grad=False) + + for i in range(tp_size): + if torch.distributed.get_rank() == 0: + sync_tensor.data.copy_(tensor_chunk[i]) + dist.broadcast(sync_tensor, src=0, group=mp_group) + if (i == tp_rank) and (tensor is not None): + tensor.data.copy_(sync_tensor) + + def _broadcast_tp_shard_tensor_qkv(tensor, q_name, k_name, v_name) -> torch.Tensor: + """broadcast tensor in tp shards across mp_group""" + nonlocal state_dict + nonlocal mp_group + tp_rank = mpu.get_tensor_model_parallel_rank() + tp_size = mpu.get_tensor_model_parallel_world_size() + + if torch.distributed.get_rank() == 0: + assert (q_name in state_dict and k_name in state_dict and v_name in state_dict) + full_weight_q = state_dict[q_name] + full_weight_k = state_dict[k_name] + full_weight_v = state_dict[v_name] + + hidden_size_per_head = config.hidden_size // config.num_attention_heads + + if config.num_key_value_heads >= tp_size: + q_size_tp = config.hidden_size // tp_size + kv_size_tp = hidden_size_per_head * config.num_key_value_heads // tp_size + total_size = q_size_tp + 2 * kv_size_tp + new_weight_qkv = torch.empty(total_size * tp_size, + config.hidden_size, + dtype=params_dtype, + device=torch.cuda.current_device()) + for i in range(tp_size): + q_part = full_weight_q[i * q_size_tp:(i + 1) * q_size_tp] + k_part = full_weight_k[i * kv_size_tp:(i + 1) * kv_size_tp] + v_part = full_weight_v[i * kv_size_tp:(i + 1) * kv_size_tp] + new_weight_qkv[i * total_size:(i + 1) * total_size].copy_(torch.cat([q_part, k_part, v_part], + dim=0)) + + else: + q_size_tp = config.hidden_size // tp_size + kv_size_tp = hidden_size_per_head + total_size = q_size_tp + 2 * kv_size_tp + new_weight_qkv = torch.empty(total_size * tp_size, + config.hidden_size, + dtype=params_dtype, + device=torch.cuda.current_device()) + for i in range(tp_size): + q_part = full_weight_q[i * q_size_tp:(i + 1) * q_size_tp] + start_idx = i * config.num_key_value_heads // tp_size * hidden_size_per_head + end_idx = (i * config.num_key_value_heads // tp_size + 1) * hidden_size_per_head + k_part = full_weight_k[start_idx:end_idx] + v_part = full_weight_v[start_idx:end_idx] + new_weight_qkv[i * total_size:(i + 1) * total_size].copy_(torch.cat([q_part, k_part, v_part], + dim=0)) + + tensor_chunk = torch.chunk(new_weight_qkv, tp_size, dim=0) + chunk_shape = tensor_chunk[0].shape + else: + chunk_shape = None + + obj_list = [chunk_shape] + dist.broadcast_object_list(obj_list, src=0, group=mp_group) + chunk_shape = obj_list[0] + if chunk_shape is None: + # all or none ranks in the mp_group should reach here + print_rank_0(f"tp_shard tensor:[{name}] not in state_dict, skip loading") + return + + if tensor is None: + sync_tensor = torch.empty( + chunk_shape, + dtype=params_dtype, + device=torch.cuda.current_device(), + requires_grad=False, + ) + else: + assert (tensor.shape == chunk_shape + ), f"rank #{torch.distributed.get_rank()} tensor {q_name} shape {tensor.shape} != {chunk_shape}" + sync_tensor = torch.empty_like(tensor, device=torch.cuda.current_device(), requires_grad=False) + + for i in range(tp_size): + if torch.distributed.get_rank() == 0: + sync_tensor.data.copy_(tensor_chunk[i]) + dist.broadcast(sync_tensor, src=0, group=mp_group) + if (i == tp_rank) and (tensor is not None): + tensor.data.copy_(sync_tensor) + + if dp_rank == 0: + # Embeddings + # ------------------- + print_rank_0("loading embeddings...") + gpt_model_module = _get_gpt_model(models[0]) + embed_tokens_weight = None + if pp_rank == 0: + embed_tokens_weight = gpt_model_module.model.embed_tokens.weight + _broadcast_tp_shard_tensor_vocab(embed_tokens_weight, "model.embed_tokens.weight") + + # Transformer layers + # ------------------- + layer_map = _megatron_calc_layer_map(config) + + for layer in range(config.num_hidden_layers): + print_rank_0(f"loading layer #{layer}...") + layer_name = f"model.layers.{layer}" + dst_pp_rank, dst_virtual_pp_rank, dst_layer_idx = layer_map[layer] + + gpt_model_module = _get_gpt_model(models[dst_virtual_pp_rank]) + sync_layer = gpt_model_module.model.layers[dst_layer_idx] + + _broadcast_tensor( + sync_layer.input_layernorm.weight if dst_pp_rank == pp_rank else None, + f"{layer_name}.input_layernorm.weight", + ) + + _broadcast_tp_shard_tensor_qkv( + sync_layer.self_attn.qkv_proj.weight if dst_pp_rank == pp_rank else None, + f"{layer_name}.self_attn.q_proj.weight", + f"{layer_name}.self_attn.k_proj.weight", + f"{layer_name}.self_attn.v_proj.weight", + ) + + _broadcast_tp_shard_tensor( + sync_layer.self_attn.o_proj.weight if dst_pp_rank == pp_rank else None, + f"{layer_name}.self_attn.o_proj.weight", + chunk_dim=1, + ) + + _broadcast_tensor( + sync_layer.post_attention_layernorm.weight if dst_pp_rank == pp_rank else None, + f"{layer_name}.post_attention_layernorm.weight", + ) + + _broadcast_tp_shard_tensor_gate_up(sync_layer.mlp.gate_up_proj.weight if dst_pp_rank == pp_rank else None, + f"{layer_name}.mlp.gate_proj.weight", f"{layer_name}.mlp.up_proj.weight") + + _broadcast_tp_shard_tensor( + sync_layer.mlp.down_proj.weight if dst_pp_rank == pp_rank else None, + f"{layer_name}.mlp.down_proj.weight", + chunk_dim=1, + ) + # Final Layernorm + # ------------------- + print_rank_0("loading final layernorm...") + gpt_model_module = _get_gpt_model(models[-1]) + _broadcast_tensor( + getattr(gpt_model_module.model.norm, "weight", None), + "model.norm.weight", + ) + + print_rank_0("loading lm_head...") + lm_head_weight = None + if pp_rank + 1 == pp_size: + lm_head_weight = gpt_model_module.lm_head.weight + + if is_value_model: + # if torch.distributed.get_rank() == 0: + if 'lm_head.weight' in state_dict and state_dict['lm_head.weight'].shape[0] == 1: + _broadcast_tensor(lm_head_weight, "lm_head.weight") + elif 'reward_head.weight' in state_dict and state_dict['reward_head.weight'].shape[0] == 1: + _broadcast_tensor(lm_head_weight, "reward_head.weight") + print_rank_0('load lm_head from value_head weight') + else: + _broadcast_tensor(None, "lm_head.weight") + print_rank_0('fail to match lm_head in value_model') + # else: + + # _broadcast_tensor(lm_head_weight, "lm_head.weight") + + else: + _broadcast_tp_shard_tensor(lm_head_weight, "lm_head.weight") + dist.barrier() + # Broadcast weights inside data parallel groups + for wrapped_model in wrapped_models: + broadcast_params(wrapped_model) + + torch.cuda.empty_cache() + print_rank_0(f"loading megatron ckpt done, time elapsed {time.time() - start_time}s") diff --git a/verl/models/llama/megatron/checkpoint_utils/llama_saver.py b/verl/models/llama/megatron/checkpoint_utils/llama_saver.py new file mode 100644 index 00000000..0764b6fe --- /dev/null +++ b/verl/models/llama/megatron/checkpoint_utils/llama_saver.py @@ -0,0 +1,449 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import megatron +from megatron.core import mpu +from megatron.utils import print_rank_0, unwrap_model +from megatron.model import Float16Module +from megatron.model import DistributedDataParallel as LocalDDP +from torch.nn.parallel import DistributedDataParallel as torchDDP +import torch +import time +from typing import Optional +import torch.distributed as dist +from megatron import get_args + + +def _megatron_calc_global_rank(tp_rank: int = 0, dp_rank: int = 0, pp_rank: int = 0): + """given TP,DP,PP rank to get the global rank.""" + + args = get_args() + tp_size = mpu.get_tensor_model_parallel_world_size() + dp_size = mpu.get_data_parallel_world_size() + pp_size = mpu.get_pipeline_model_parallel_world_size() + assert (tp_size * dp_size * pp_size == torch.distributed.get_world_size() + ), f"{tp_size} x {dp_size} x {pp_size} != {torch.distributed.get_world_size()}" + if args.switch_dp_and_pp_grouping: + # TP-PP-DP grouping + return (dp_rank * pp_size + pp_rank) * tp_size + tp_rank + else: + # TP-DP-PP grouping + return (pp_rank * dp_size + dp_rank) * tp_size + tp_rank + + +def _megatron_calc_layer_map(config): + """Calculate the mapping of global layer_idx to local layer_idx + Returns: + layer_map (Dict: int -> tuple(int, int, int)): + mapping from the global layer index to + a tuple of (pp_rank, virtual_pp_rank, layer_idx inside model) + """ + import megatron + from megatron.core import mpu + + pp_size = mpu.get_pipeline_model_parallel_world_size() + virtual_pp_size = mpu.get_virtual_pipeline_model_parallel_world_size() or 1 + + args = megatron.get_args() + layer_map = dict() + num_layers_per_model = config.num_hidden_layers // pp_size // virtual_pp_size + assert num_layers_per_model * pp_size * virtual_pp_size == config.num_hidden_layers + + for pp_rank_idx in range(pp_size): + for virtual_pp_rank_idx in range(virtual_pp_size): + layer_offset = (virtual_pp_rank_idx * (config.num_hidden_layers // virtual_pp_size) + + pp_rank_idx * num_layers_per_model) + for layer_idx in range(num_layers_per_model): + layer_map[layer_offset + layer_idx] = ( + pp_rank_idx, + virtual_pp_rank_idx, + layer_idx, + ) + return layer_map + + +def merge_megatron_ckpt_llama(wrapped_models, config, is_value_model=False, dtype='bf16'): + """Merge sharded parameters of a Megatron module into a merged checkpoint. + + Args: + wrapped_modelss (list of megatron.model.DistributedDataParallel): + The local DDP wrapped megatron modules. + dtype (str or None): + The data type of state_dict. if None, the data type of the original parameters + is used. + gpt_model_key: key to access model + Returns: + state_dict (dict): + The merged state_dict in rank 0, and an empty dictionary in other ranks. + """ + start_time = time.time() + args = megatron.get_args() + + def _get_gpt_model(model): + return model + + dp_rank = mpu.get_data_parallel_rank() + pp_size = mpu.get_pipeline_model_parallel_world_size() + pp_rank = mpu.get_pipeline_model_parallel_rank() + virtual_pp_size = mpu.get_virtual_pipeline_model_parallel_world_size() or 1 + mp_group = mpu.get_model_parallel_group() + + if dist.get_rank() == 0: + assert mp_group.rank() == 0, f"mp_rank:[{mp_group.rank}] != 0 on rank #0" + assert pp_rank == 0, f"pp_rank:[{pp_rank}] != 0 on rank #0" + assert dp_rank == 0, f"dp_rank:[{dp_rank}] != 0 on rank #0" + + if not isinstance(wrapped_models, (list, tuple)): + wrapped_models = list(wrapped_models) + + assert len(wrapped_models) == virtual_pp_size + num_layers_per_model = config.num_hidden_layers // pp_size // virtual_pp_size + assert num_layers_per_model * pp_size * virtual_pp_size == config.num_hidden_layers + + models = [None] * len(wrapped_models) + + for i, wrapped_model in enumerate(wrapped_models): + models[i] = unwrap_model(wrapped_model, (torchDDP, LocalDDP, Float16Module)) + assert len(models[i].model.layers + ) == num_layers_per_model, 'len model layers {} not equal to num_layers_per_model {}'.format( + len(models[i].model.layers), num_layers_per_model) + + state_dict = dict() + + def _get_cpu_tensor(tensor: torch.Tensor): + if tensor is None: + return None + if tensor.device == torch.device("cpu"): + return tensor.detach().clone() + return tensor.detach().cpu() + + def _broadcast_tensor(tensor, name, src_pp_rank) -> torch.Tensor: + """broadcast tensor across mp_group""" + nonlocal state_dict + nonlocal mp_group + src_rank = _megatron_calc_global_rank(tp_rank=0, dp_rank=0, pp_rank=src_pp_rank) + + if torch.distributed.get_rank() == src_rank: + if tensor is None: + weight = None + tensor_shape = None + else: + weight = tensor + tensor_shape = weight.shape + else: + weight = None + tensor_shape = None + + obj_list = [tensor_shape] + dist.broadcast_object_list(obj_list, src=src_rank, group=mp_group) + tensor_shape = obj_list[0] + + if tensor_shape is None: + # all or none ranks in the mp_group should reach here + print_rank_0(f"tensor:[{name}] not exist, skip collect") + return + + if weight is None: + weight = torch.empty( + tensor_shape, + dtype=args.params_dtype, + device=torch.cuda.current_device(), + requires_grad=False, + ) + + dist.broadcast(weight, src=src_rank, group=mp_group) + + if torch.distributed.get_rank() == 0: + state_dict[name] = _get_cpu_tensor(weight) + + def _broadcast_tp_shard_tensor(tensor, name, src_pp_rank, concat_dim=0, mutate_func=None) -> torch.Tensor: + """broadcast tensor in tp shards across mp_group""" + nonlocal state_dict + nonlocal mp_group + tp_rank = mpu.get_tensor_model_parallel_rank() + tp_size = mpu.get_tensor_model_parallel_world_size() + src_rank = _megatron_calc_global_rank(tp_rank=0, dp_rank=0, pp_rank=src_pp_rank) + + if torch.distributed.get_rank() == src_rank: + chunk_shape = tensor.shape + else: + chunk_shape = None + + obj_list = [chunk_shape] + dist.broadcast_object_list(obj_list, src=src_rank, group=mp_group) + chunk_shape = obj_list[0] + if chunk_shape is None: + # all or none ranks in the mp_group should reach here + print_rank_0(f"tp_shard tensor:[{name}] not exist, skip collecting") + return + + buffer_tensor = torch.empty( + chunk_shape, + dtype=args.params_dtype, + device=torch.cuda.current_device(), + requires_grad=False, + ) + + chunk_tensors = [None] * tp_size + + for i in range(tp_size): + cur_src_rank = _megatron_calc_global_rank(tp_rank=i, dp_rank=0, pp_rank=src_pp_rank) + sync_tensor = tensor if torch.distributed.get_rank() == cur_src_rank else buffer_tensor + dist.broadcast(sync_tensor, src=cur_src_rank, group=mp_group) + + if torch.distributed.get_rank() == 0: + chunk_tensors[i] = _get_cpu_tensor(sync_tensor) + + if torch.distributed.get_rank() == 0: + full_tensor = torch.concat(chunk_tensors, dim=concat_dim) + if mutate_func is not None: + full_tensor = mutate_func(full_tensor) + state_dict[name] = full_tensor + + def _broadcast_tp_shard_tensor_gate_up(tensor, gate_name, up_name, src_pp_rank) -> torch.Tensor: + """broadcast tensor in tp shards across mp_group""" + nonlocal state_dict + nonlocal mp_group + tp_rank = mpu.get_tensor_model_parallel_rank() + tp_size = mpu.get_tensor_model_parallel_world_size() + src_rank = _megatron_calc_global_rank(tp_rank=0, dp_rank=0, pp_rank=src_pp_rank) + + if torch.distributed.get_rank() == src_rank: + chunk_shape = tensor.shape + else: + chunk_shape = None + + obj_list = [chunk_shape] + dist.broadcast_object_list(obj_list, src=src_rank, group=mp_group) + chunk_shape = obj_list[0] + if chunk_shape is None: + # all or none ranks in the mp_group should reach here + print_rank_0(f"tp_shard tensor:[{gate_name, up_name}] not exist, skip collecting") + return + + buffer_tensor = torch.empty( + chunk_shape, + dtype=args.params_dtype, + device=torch.cuda.current_device(), + requires_grad=False, + ) + + chunk_tensors = [None] * tp_size + + for i in range(tp_size): + cur_src_rank = _megatron_calc_global_rank(tp_rank=i, dp_rank=0, pp_rank=src_pp_rank) + sync_tensor = tensor if torch.distributed.get_rank() == cur_src_rank else buffer_tensor + dist.broadcast(sync_tensor, src=cur_src_rank, group=mp_group) + + if torch.distributed.get_rank() == 0: + chunk_tensors[i] = _get_cpu_tensor(sync_tensor) + + if torch.distributed.get_rank() == 0: + full_tensor = torch.concat(chunk_tensors, dim=0) + intermediate_size_tp = config.intermediate_size // tp_size + gate_weight_list = [] + up_weight_list = [] + for i in range(tp_size): + gate_up_weight_tp = full_tensor[intermediate_size_tp * 2 * i:intermediate_size_tp * 2 * (i + 1)] + gate_weight_tp = gate_up_weight_tp[:intermediate_size_tp] + up_weight_tp = gate_up_weight_tp[intermediate_size_tp:] + gate_weight_list.append(gate_weight_tp) + up_weight_list.append(up_weight_tp) + + state_dict[gate_name] = torch.cat(gate_weight_list, dim=0) + state_dict[up_name] = torch.cat(up_weight_list, dim=0) + + def _broadcast_tp_shard_tensor_qkv(tensor, q_name, k_name, v_name, src_pp_rank): + """broadcast tensor in tp shards across mp_group""" + nonlocal state_dict + nonlocal mp_group + tp_rank = mpu.get_tensor_model_parallel_rank() + tp_size = mpu.get_tensor_model_parallel_world_size() + src_rank = _megatron_calc_global_rank(tp_rank=0, dp_rank=0, pp_rank=src_pp_rank) + + if torch.distributed.get_rank() == src_rank: + chunk_shape = tensor.shape + else: + chunk_shape = None + + obj_list = [chunk_shape] + dist.broadcast_object_list(obj_list, src=src_rank, group=mp_group) + chunk_shape = obj_list[0] + if chunk_shape is None: + # all or none ranks in the mp_group should reach here + print_rank_0(f"tp_shard tensor:[{q_name}] not exist, skip collecting") + return + + buffer_tensor = torch.empty( + chunk_shape, + dtype=args.params_dtype, + device=torch.cuda.current_device(), + requires_grad=False, + ) + + chunk_tensors = [None] * tp_size + + for i in range(tp_size): + cur_src_rank = _megatron_calc_global_rank(tp_rank=i, dp_rank=0, pp_rank=src_pp_rank) + sync_tensor = tensor if torch.distributed.get_rank() == cur_src_rank else buffer_tensor + dist.broadcast(sync_tensor, src=cur_src_rank, group=mp_group) + + if torch.distributed.get_rank() == 0: + chunk_tensors[i] = _get_cpu_tensor(sync_tensor) + + if torch.distributed.get_rank() == 0: + full_tensor = torch.concat(chunk_tensors, dim=0) + q_weight_list = [] + k_weight_list = [] + v_weight_list = [] + hidden_size_per_head = config.hidden_size // config.num_attention_heads + + if config.num_key_value_heads >= tp_size: + q_size_tp = config.hidden_size // tp_size + kv_size_tp = hidden_size_per_head * config.num_key_value_heads // tp_size + total_size = q_size_tp + 2 * kv_size_tp + for i in range(tp_size): + qkv_part = full_tensor[i * total_size:(i + 1) * total_size] + q_part = qkv_part[:q_size_tp] + k_part = qkv_part[q_size_tp:q_size_tp + kv_size_tp] + v_part = qkv_part[q_size_tp + kv_size_tp:total_size] + q_weight_list.append(q_part) + k_weight_list.append(k_part) + v_weight_list.append(v_part) + else: + q_size_tp = config.hidden_size // tp_size + kv_size_tp = hidden_size_per_head + total_size = q_size_tp + 2 * kv_size_tp + for i in range(tp_size): + qkv_part = full_tensor[i * total_size:(i + 1) * total_size] + q_part = qkv_part[:q_size_tp] + k_part = qkv_part[q_size_tp:q_size_tp + kv_size_tp] + v_part = qkv_part[q_size_tp + kv_size_tp:total_size] + q_weight_list.append(q_part) + if i * config.num_key_value_heads % tp_size == 0: + k_weight_list.append(k_part) + v_weight_list.append(v_part) + + state_dict[q_name] = torch.cat(q_weight_list, dim=0) + state_dict[k_name] = torch.cat(k_weight_list, dim=0) + state_dict[v_name] = torch.cat(v_weight_list, dim=0) + + # empty cache before collecting weights + torch.cuda.empty_cache() + # Embeddings + # ------------------- + if dp_rank == 0: + # Embeddings + # ------------------- + print_rank_0("collecting embeddings...") + gpt_model_module = _get_gpt_model(models[0]) + _broadcast_tp_shard_tensor( + gpt_model_module.model.embed_tokens.weight if pp_rank == 0 else None, + "model.embed_tokens.weight", + src_pp_rank=0, + ) + + # Transformer layers + # ------------------- + layer_map = _megatron_calc_layer_map(config) + for layer in range(config.num_hidden_layers): + print_rank_0(f"collecting layer #{layer}...") + layer_name = f"model.layers.{layer}" + src_pp_rank, src_virtual_pp_rank, src_layer_idx = layer_map[layer] + + gpt_model_module = _get_gpt_model(models[src_virtual_pp_rank]) + sync_layer = gpt_model_module.model.layers[src_layer_idx] + + _broadcast_tensor( + sync_layer.input_layernorm.weight, + f"{layer_name}.input_layernorm.weight", + src_pp_rank=src_pp_rank, + ) + + _broadcast_tp_shard_tensor_qkv( + sync_layer.self_attn.qkv_proj.weight, + f"{layer_name}.self_attn.q_proj.weight", + f"{layer_name}.self_attn.k_proj.weight", + f"{layer_name}.self_attn.v_proj.weight", + src_pp_rank=src_pp_rank, + ) + + _broadcast_tp_shard_tensor( + sync_layer.self_attn.o_proj.weight, + f"{layer_name}.self_attn.o_proj.weight", + concat_dim=1, + src_pp_rank=src_pp_rank, + ) + + _broadcast_tensor( + sync_layer.post_attention_layernorm.weight, + f"{layer_name}.post_attention_layernorm.weight", + src_pp_rank=src_pp_rank, + ) + + _broadcast_tp_shard_tensor_gate_up(sync_layer.mlp.gate_up_proj.weight, + f"{layer_name}.mlp.gate_proj.weight", + f"{layer_name}.mlp.up_proj.weight", + src_pp_rank=src_pp_rank) + + _broadcast_tp_shard_tensor( + sync_layer.mlp.down_proj.weight, + f"{layer_name}.mlp.down_proj.weight", + concat_dim=1, + src_pp_rank=src_pp_rank, + ) + + # Final Layernorm + # ------------------- + print_rank_0("collecting final layernorm...") + gpt_model_module = _get_gpt_model(models[-1]) + _broadcast_tensor( + getattr(gpt_model_module.model.norm, "weight", None), + "model.norm.weight", + src_pp_rank=pp_size - 1, + ) + + print_rank_0("collecting lm_head...") + + if is_value_model: + _broadcast_tensor(getattr(gpt_model_module.lm_head, "weight", None) if pp_rank == pp_size - 1 else None, + "reward_head.weight", + src_pp_rank=pp_size - 1) + + else: + _broadcast_tp_shard_tensor( + getattr(gpt_model_module.lm_head, "weight", None) if pp_rank == pp_size - 1 else None, + "lm_head.weight", + src_pp_rank=pp_size - 1, + ) + + dist.barrier() + + torch.cuda.empty_cache() + if torch.distributed.get_rank() == 0: + if dtype == "fp16": + dtype = torch.float16 + elif dtype == "bf16": + dtype = torch.bfloat16 + elif dtype is None or dtype == "fp32": + dtype = torch.float32 + else: + print(f'Unknown/unsupported dtype to save: {dtype}"') + exit(1) + for k, v in state_dict.items(): + if dtype != v.dtype: + state_dict[k] = v.to(dtype) + + print_rank_0(f"merge megatron ckpt done, time elapsed {time.time() - start_time}s") + return state_dict diff --git a/verl/models/llama/megatron/layers/__init__.py b/verl/models/llama/megatron/layers/__init__.py new file mode 100644 index 00000000..3761bae7 --- /dev/null +++ b/verl/models/llama/megatron/layers/__init__.py @@ -0,0 +1,18 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from .parallel_attention import ParallelLlamaAttention +from .parallel_decoder import ParallelLlamaDecoderLayer, ParallelLlamaDecoderLayerRmPad +from .parallel_mlp import ParallelLlamaMLP +from .parallel_rmsnorm import ParallelLlamaRMSNorm diff --git a/verl/models/llama/megatron/layers/parallel_attention.py b/verl/models/llama/megatron/layers/parallel_attention.py new file mode 100644 index 00000000..f14653fc --- /dev/null +++ b/verl/models/llama/megatron/layers/parallel_attention.py @@ -0,0 +1,418 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2022 EleutherAI and the HuggingFace Inc. team. All rights reserved. +# +# This code is based on EleutherAI's GPT-NeoX library and the GPT-NeoX +# and OPT implementations in this library. It has been modified from its +# original forms to accommodate minor architectural differences compared +# to GPT-NeoX and OPT used by the Meta AI team that trained the model. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import math +from typing import Optional, Tuple + +import torch +from megatron.core import parallel_state as mpu +from megatron.core import tensor_parallel +from megatron.core import ModelParallelConfig +from torch import nn +from transformers import LlamaConfig +from verl.models.llama.megatron.layers.parallel_linear import QKVParallelLinear + +from verl.utils.megatron import tensor_parallel as tp_utils + + +class LlamaRotaryEmbedding(nn.Module): + + def __init__(self, dim, max_position_embeddings=2048, base=10000, device=None): + super().__init__() + + self.dim = dim + self.max_position_embeddings = max_position_embeddings + self.base = base + inv_freq = 1.0 / (self.base**(torch.arange(0, self.dim, 2).float().to(device) / self.dim)) + self.register_buffer("inv_freq", inv_freq, persistent=False) + + # Build here to make `torch.jit.trace` work. + self._set_cos_sin_cache(seq_len=max_position_embeddings, + device=self.inv_freq.device, + dtype=torch.get_default_dtype()) + + def _set_cos_sin_cache(self, seq_len, device, dtype): + self.max_seq_len_cached = seq_len + t = torch.arange(self.max_seq_len_cached, device=device, dtype=self.inv_freq.dtype) + + freqs = torch.einsum("i,j->ij", t, self.inv_freq) + # Different from paper, but it uses a different permutation in order to obtain the same calculation + emb = torch.cat((freqs, freqs), dim=-1) + self.register_buffer("cos_cached", emb.cos().to(dtype), persistent=False) + self.register_buffer("sin_cached", emb.sin().to(dtype), persistent=False) + + def forward(self, x, seq_len=None): + # x: [bs, num_attention_heads, seq_len, head_size] + if seq_len > self.max_seq_len_cached: + self._set_cos_sin_cache(seq_len=seq_len, device=x.device, dtype=x.dtype) + + return ( + self.cos_cached[:seq_len].to(dtype=x.dtype), + self.sin_cached[:seq_len].to(dtype=x.dtype), + ) + + +class LlamaLinearScalingRotaryEmbedding(LlamaRotaryEmbedding): + """LlamaRotaryEmbedding extended with linear scaling. Credits to the Reddit user /u/kaiokendev""" + + def __init__(self, dim, max_position_embeddings=2048, base=10000, device=None, scaling_factor=1.0): + self.scaling_factor = scaling_factor + super().__init__(dim, max_position_embeddings, base, device) + + def _set_cos_sin_cache(self, seq_len, device, dtype): + self.max_seq_len_cached = seq_len + t = torch.arange(self.max_seq_len_cached, device=device, dtype=self.inv_freq.dtype) + t = t / self.scaling_factor + + freqs = torch.einsum("i,j->ij", t, self.inv_freq) + # Different from paper, but it uses a different permutation in order to obtain the same calculation + emb = torch.cat((freqs, freqs), dim=-1) + self.register_buffer("cos_cached", emb.cos().to(dtype), persistent=False) + self.register_buffer("sin_cached", emb.sin().to(dtype), persistent=False) + + +class LlamaDynamicNTKScalingRotaryEmbedding(LlamaRotaryEmbedding): + """LlamaRotaryEmbedding extended with Dynamic NTK scaling. Credits to the Reddit users /u/bloc97 and /u/emozilla""" + + def __init__(self, dim, max_position_embeddings=2048, base=10000, device=None, scaling_factor=1.0): + self.scaling_factor = scaling_factor + super().__init__(dim, max_position_embeddings, base, device) + + def _set_cos_sin_cache(self, seq_len, device, dtype): + self.max_seq_len_cached = seq_len + + if seq_len > self.max_position_embeddings: + base = self.base * ((self.scaling_factor * seq_len / self.max_position_embeddings) - + (self.scaling_factor - 1))**(self.dim / (self.dim - 2)) + inv_freq = 1.0 / (base**(torch.arange(0, self.dim, 2).float().to(device) / self.dim)) + self.register_buffer("inv_freq", inv_freq, persistent=False) + + t = torch.arange(self.max_seq_len_cached, device=device, dtype=self.inv_freq.dtype) + + freqs = torch.einsum("i,j->ij", t, self.inv_freq) + # Different from paper, but it uses a different permutation in order to obtain the same calculation + emb = torch.cat((freqs, freqs), dim=-1) + self.register_buffer("cos_cached", emb.cos().to(dtype), persistent=False) + self.register_buffer("sin_cached", emb.sin().to(dtype), persistent=False) + + +def rotate_half(x): + """Rotates half the hidden dims of the input.""" + x1 = x[..., :x.shape[-1] // 2] + x2 = x[..., x.shape[-1] // 2:] + return torch.cat((-x2, x1), dim=-1) + + +def apply_rotary_pos_emb(q, k, cos, sin, position_ids): + cos = cos[position_ids].unsqueeze(1) # [bs, 1, seq_len, dim] + sin = sin[position_ids].unsqueeze(1) # [bs, 1, seq_len, dim] + q_embed = (q * cos) + (rotate_half(q) * sin) + k_embed = (k * cos) + (rotate_half(k) * sin) + return q_embed, k_embed + + +def repeat_kv(hidden_states: torch.Tensor, n_rep: int) -> torch.Tensor: + """ + This is the equivalent of torch.repeat_interleave(x, dim=1, repeats=n_rep). The hidden states go from (batch, + num_key_value_heads, seqlen, head_dim) to (batch, num_attention_heads, seqlen, head_dim) + """ + batch, num_key_value_heads, slen, head_dim = hidden_states.shape + if n_rep == 1: + return hidden_states + hidden_states = hidden_states[:, :, None, :, :].expand(batch, num_key_value_heads, n_rep, slen, head_dim) + return hidden_states.reshape(batch, num_key_value_heads * n_rep, slen, head_dim) + + +class ParallelLlamaAttention(nn.Module): + """Multi-headed attention from 'Attention Is All You Need' paper""" + + def __init__(self, config: LlamaConfig, megatron_config: ModelParallelConfig): + super().__init__() + self.config = config + self.megatron_config = megatron_config + self.hidden_size = config.hidden_size + self.num_heads = config.num_attention_heads + self.head_dim = self.hidden_size // self.num_heads + self.num_key_value_heads = config.num_key_value_heads + self.num_key_value_groups = self.num_heads // self.num_key_value_heads + self.max_position_embeddings = config.max_position_embeddings + self.rope_theta = config.rope_theta + + # assign values after tp + tp_size = mpu.get_tensor_model_parallel_world_size() + assert self.num_heads % tp_size == 0, f'num_head must be divisible by tp_size. Got num_head={self.num_heads}, tp_size={tp_size}' + assert self.num_key_value_heads % tp_size == 0, \ + f'num_key_value_heads must be divisible by tp_size. Got num_key_value_heads={self.num_key_value_heads}, tp_size={tp_size}' + + self.num_heads_per_tp = self.num_heads // tp_size + self.num_key_value_heads_per_tp = self.num_key_value_heads // tp_size + self.hidden_size_per_tp = self.hidden_size // tp_size + + if (self.head_dim * self.num_heads) != self.hidden_size: + raise ValueError(f"hidden_size must be divisible by num_heads (got `hidden_size`: {self.hidden_size}" + f" and `num_heads`: {self.num_heads}).") + + column_kwargs = tp_utils.get_default_kwargs_for_column_parallel_linear() + row_kwargs = tp_utils.get_default_kwargs_for_row_parallel_linear() + + if megatron_config is not None: + assert column_kwargs.get('config', False), 'must have ModelParallelConfig' + assert row_kwargs.get('config', False), 'must have ModelParallelConfig' + tp_utils.update_kwargs_with_config(column_kwargs, megatron_config) + tp_utils.update_kwargs_with_config(row_kwargs, megatron_config) + + # [self.q_size, self.k_size, self.v_size] + self.qkv_proj = QKVParallelLinear(input_size=self.hidden_size, + num_heads=self.num_heads, + num_key_value_heads=self.num_key_value_heads, + head_dim=self.head_dim, + bias=config.attention_bias, + gather_output=False, + skip_bias_add=False, + **column_kwargs) + + self.q_size = self.num_heads_per_tp * self.head_dim + self.k_size = self.num_key_value_heads_per_tp * self.head_dim + self.v_size = self.num_key_value_heads_per_tp * self.head_dim + + self.o_proj = tensor_parallel.RowParallelLinear(input_size=self.num_heads * self.head_dim, + output_size=self.hidden_size, + bias=config.attention_bias, + input_is_parallel=True, + skip_bias_add=False, + **row_kwargs) + + self._init_rope() + + def _init_rope(self): + if self.config.rope_scaling is None: + self.rotary_emb = LlamaRotaryEmbedding( + self.head_dim, + max_position_embeddings=self.max_position_embeddings, + base=self.rope_theta, + ) + else: + scaling_type = self.config.rope_scaling["type"] + scaling_factor = self.config.rope_scaling["factor"] + if scaling_type == "linear": + self.rotary_emb = LlamaLinearScalingRotaryEmbedding( + self.head_dim, + max_position_embeddings=self.max_position_embeddings, + scaling_factor=scaling_factor, + base=self.rope_theta, + ) + elif scaling_type == "dynamic": + self.rotary_emb = LlamaDynamicNTKScalingRotaryEmbedding( + self.head_dim, + max_position_embeddings=self.max_position_embeddings, + scaling_factor=scaling_factor, + base=self.rope_theta, + ) + else: + raise ValueError(f"Unknown RoPE scaling type {scaling_type}") + + def _shape(self, tensor: torch.Tensor, seq_len: int, bsz: int): + return tensor.view(bsz, seq_len, self.num_heads, self.head_dim).transpose(1, 2).contiguous() + + def forward( + self, + hidden_states: torch.Tensor, + attention_mask: Optional[torch.Tensor] = None, + position_ids: Optional[torch.LongTensor] = None, + ) -> Tuple[torch.Tensor, Optional[torch.Tensor], Optional[Tuple[torch.Tensor]]]: + bsz, q_len, _ = hidden_states.size() + qkv = self.qkv_proj(hidden_states)[0] + query_states, key_states, value_states = qkv.split([self.q_size, self.k_size, self.v_size], dim=-1) + + query_states = query_states.view(bsz, q_len, self.num_heads_per_tp, self.head_dim).transpose(1, 2) + key_states = key_states.view(bsz, q_len, self.num_key_value_heads_per_tp, self.head_dim).transpose(1, 2) + value_states = value_states.view(bsz, q_len, self.num_key_value_heads_per_tp, self.head_dim).transpose(1, 2) + + kv_seq_len = key_states.shape[-2] + cos, sin = self.rotary_emb(value_states, seq_len=kv_seq_len) + query_states, key_states = apply_rotary_pos_emb(query_states, key_states, cos, sin, position_ids) + + key_states = repeat_kv(key_states, self.num_key_value_groups) + value_states = repeat_kv(value_states, self.num_key_value_groups) + + attn_weights = torch.matmul(query_states, key_states.transpose(2, 3)) / math.sqrt(self.head_dim) + + if attn_weights.size() != (bsz, self.num_heads_per_tp, q_len, kv_seq_len): + raise ValueError( + f"Attention weights should be of size {(bsz, self.num_heads_per_tp, q_len, kv_seq_len)}, but is" + f" {attn_weights.size()}") + + if attention_mask is not None: + if attention_mask.size() != (bsz, 1, q_len, kv_seq_len): + raise ValueError( + f"Attention mask should be of size {(bsz, 1, q_len, kv_seq_len)}, but is {attention_mask.size()}") + attn_weights = attn_weights + attention_mask + + # upcast attention to fp32 + attn_weights = nn.functional.softmax(attn_weights, dim=-1, dtype=torch.float32).to(query_states.dtype) + attn_output = torch.matmul(attn_weights, value_states) + + if attn_output.size() != (bsz, self.num_heads_per_tp, q_len, self.head_dim): + raise ValueError( + f"`attn_output` should be of size {(bsz, self.num_heads_per_tp, q_len, self.head_dim)}, but is" + f" {attn_output.size()}") + + attn_output = attn_output.transpose(1, 2).contiguous() + attn_output = attn_output.reshape(bsz, q_len, self.hidden_size_per_tp) + attn_output = self.o_proj(attn_output)[0] + return attn_output + + +""" +Remove padding Attention +- Using Flash-attn 2 +- Compatible with sequence parallel +""" + +from transformers.utils import is_flash_attn_2_available +import torch.nn.functional as F + +from einops import rearrange + +if is_flash_attn_2_available(): + from flash_attn import flash_attn_varlen_func + from flash_attn.bert_padding import index_first_axis, pad_input, unpad_input # noqa + + +def apply_rotary_pos_emb_rmpad(q, k, cos, sin, position_ids, indices, sequence_length): + batch_size = position_ids.shape[0] + + q = pad_input(q, indices, batch_size, sequence_length) # (batch_size, seqlen, num_head, head_dim) + k = pad_input(k, indices, batch_size, sequence_length) + cos = cos[position_ids].unsqueeze(2) # [bs, seq_len, 1, dim] + sin = sin[position_ids].unsqueeze(2) # [bs, seq_len, 1, dim] + q_embed = (q * cos) + (rotate_half(q) * sin) + k_embed = (k * cos) + (rotate_half(k) * sin) + + q_embed = index_first_axis(rearrange(q_embed, "b s ... -> (b s) ..."), indices) + k_embed = index_first_axis(rearrange(k_embed, "b s ... -> (b s) ..."), indices) + + return q_embed, k_embed + + +from flash_attn.layers.rotary import apply_rotary_emb + + +# use flash-attn rotary embeddings with rmpad +# cos/sin shoudl be: (seq_length, rotary_dim / 2) +def apply_rotary_pos_emb_rmpad_flash(q, k, cos, sin, cu_seqlens, max_seqlen): + q_embed = apply_rotary_emb(q, + cos, + sin, + interleaved=False, + inplace=False, + cu_seqlens=cu_seqlens, + max_seqlen=max_seqlen) + k_embed = apply_rotary_emb(k, + cos, + sin, + interleaved=False, + inplace=False, + cu_seqlens=cu_seqlens, + max_seqlen=max_seqlen) + return q_embed, k_embed + + +class ParallelLlamaAttentionRmPad(ParallelLlamaAttention): + + def forward(self, + hidden_states: torch.Tensor, + position_ids: Optional[torch.LongTensor] = None, + sequence_length: int = None, + indices: torch.Tensor = None, + cu_seqlens: torch.Tensor = None, + max_seqlen_in_batch: int = None): + total_nnz, _, _ = hidden_states.size() # This is the total_nnz padded after sequence parallel + + if self.megatron_config.sequence_parallel: + total_nnz = total_nnz * mpu.get_tensor_model_parallel_world_size() + + qkv = self.qkv_proj(hidden_states)[0] + query_states, key_states, value_states = qkv.split([self.q_size, self.k_size, self.v_size], + dim=-1) # (total_nnz, 1, hidden_size) + + if self.megatron_config.sequence_parallel: + sequence_parallel_pad = total_nnz - cu_seqlens[-1] + total_nnz = cu_seqlens[-1] # total_nnz before sp padding + query_states = query_states[:total_nnz] + key_states = key_states[:total_nnz] + value_states = value_states[:total_nnz] + + # Flash attention requires the input to have the shape + # batch_size x seq_length x head_dime x hidden_dim + # therefore we just need to keep the original shape + query_states = query_states.view(total_nnz, self.num_heads_per_tp, self.head_dim) + key_states = key_states.view(total_nnz, self.num_key_value_heads_per_tp, self.head_dim) + value_states = value_states.view(total_nnz, self.num_key_value_heads_per_tp, self.head_dim) + + cos, sin = self.rotary_emb(value_states, seq_len=sequence_length) + cos, sin = cos[:, :cos.shape[1] // 2], sin[:, :sin.shape[1] // 2] # flash attn only needs half + query_states, key_states = apply_rotary_pos_emb_rmpad_flash(query_states, + key_states, + cos, + sin, + cu_seqlens=cu_seqlens, + max_seqlen=max_seqlen_in_batch) + # query_states, key_states = apply_rotary_pos_emb_rmpad(query_states, key_states, cos, sin, position_ids, indices, + + # TODO: llama does not have dropout in the config?? + # It is recommended to use dropout with FA according to the docs + # when training. + dropout_rate = 0.0 # if not self.training else self.attn_dropout + + # In PEFT, usually we cast the layer norms in float32 for training stability reasons + # therefore the input hidden states gets silently casted in float32. Hence, we need + # cast them back in float16 just to be sure everything works as expected. + # This might slowdown training & inference so it is recommended to not cast the LayerNorms + # in fp32. (LlamaRMSNorm handles it correctly) + input_dtype = query_states.dtype + if input_dtype == torch.float32: + query_states = query_states.to(torch.float16) + key_states = key_states.to(torch.float16) + value_states = value_states.to(torch.float16) + + attn_output_unpad = flash_attn_varlen_func( + query_states, + key_states, + value_states, + cu_seqlens_q=cu_seqlens, + cu_seqlens_k=cu_seqlens, + max_seqlen_q=max_seqlen_in_batch, + max_seqlen_k=max_seqlen_in_batch, + dropout_p=dropout_rate, + softmax_scale=None, + causal=True, + ) + + attn_output_unpad = attn_output_unpad.to(input_dtype) + attn_output_unpad = attn_output_unpad.reshape(total_nnz, 1, self.hidden_size_per_tp).contiguous() + + # sequence parallel reduce_scatter is performed inside RowColumnParallel if enabled + # Here we need to repad + if self.megatron_config.sequence_parallel: + attn_output_unpad = F.pad(attn_output_unpad, pad=(0, 0, 0, 0, 0, sequence_parallel_pad)) + + attn_output_unpad = self.o_proj(attn_output_unpad)[0] + return attn_output_unpad diff --git a/verl/models/llama/megatron/layers/parallel_decoder.py b/verl/models/llama/megatron/layers/parallel_decoder.py new file mode 100644 index 00000000..93050a37 --- /dev/null +++ b/verl/models/llama/megatron/layers/parallel_decoder.py @@ -0,0 +1,146 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2022 EleutherAI and the HuggingFace Inc. team. All rights reserved. +# +# This code is based on EleutherAI's GPT-NeoX library and the GPT-NeoX +# and OPT implementations in this library. It has been modified from its +# original forms to accommodate minor architectural differences compared +# to GPT-NeoX and OPT used by the Meta AI team that trained the model. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from typing import Optional, Tuple + +import torch +from torch import nn +from transformers import LlamaConfig +from megatron.core import ModelParallelConfig + +from .parallel_attention import ParallelLlamaAttention, ParallelLlamaAttentionRmPad +from .parallel_mlp import ParallelLlamaMLP +from .parallel_rmsnorm import ParallelLlamaRMSNorm + + +class ParallelLlamaDecoderLayer(nn.Module): + + def __init__(self, config: LlamaConfig, megatron_config: ModelParallelConfig): + super().__init__() + self.hidden_size = config.hidden_size + self.self_attn = ParallelLlamaAttention(config=config, megatron_config=megatron_config) + + self.mlp = ParallelLlamaMLP(config, megatron_config=megatron_config) + self.input_layernorm = ParallelLlamaRMSNorm(config, megatron_config) + self.post_attention_layernorm = ParallelLlamaRMSNorm(config, megatron_config) + + def forward( + self, + hidden_states: torch.Tensor, + attention_mask: Optional[torch.Tensor] = None, + position_ids: Optional[torch.LongTensor] = None, + ) -> Tuple[torch.FloatTensor, Optional[Tuple[torch.FloatTensor, torch.FloatTensor]]]: + """ + Args: + hidden_states (`torch.FloatTensor`): input to the layer of shape `(batch, seq_len, embed_dim)` + attention_mask (`torch.FloatTensor`, *optional*): attention mask of size + `(batch, 1, tgt_len, src_len)` where padding elements are indicated by very large negative values. + output_attentions (`bool`, *optional*): + Whether or not to return the attentions tensors of all attention layers. See `attentions` under + returned tensors for more detail. + use_cache (`bool`, *optional*): + If set to `True`, `past_key_values` key value states are returned and can be used to speed up decoding + (see `past_key_values`). + past_key_value (`Tuple(torch.FloatTensor)`, *optional*): cached past key and value projection states + """ + + residual = hidden_states + + hidden_states = self.input_layernorm(hidden_states) + + # Note: sequence parallel is hidden inside ColumnParallelLinear + # reduce scatter is hidden inside RowParallelLinear + + # Self Attention + hidden_states = self.self_attn( + hidden_states=hidden_states, + attention_mask=attention_mask, + position_ids=position_ids, + ) + + # TODO: add sequence parallel operator reduce_scatter here + + hidden_states = residual + hidden_states + + # Fully Connected + residual = hidden_states + hidden_states = self.post_attention_layernorm(hidden_states) + + # TODO: add sequence parallel operator all_gather here + + hidden_states = self.mlp(hidden_states) + + # TODO: add sequence parallel operator reduce_scatter here + + hidden_states = residual + hidden_states + + outputs = hidden_states + + return outputs + + +class ParallelLlamaDecoderLayerRmPad(nn.Module): + + def __init__(self, config: LlamaConfig, megatron_config: ModelParallelConfig): + super().__init__() + self.config = config + self.megatron_config = megatron_config + self.hidden_size = config.hidden_size + self.self_attn = ParallelLlamaAttentionRmPad(config=config, megatron_config=megatron_config) + + self.mlp = ParallelLlamaMLP(config, megatron_config=megatron_config) + self.input_layernorm = ParallelLlamaRMSNorm(config, megatron_config) + self.post_attention_layernorm = ParallelLlamaRMSNorm(config, megatron_config) + + def forward( + self, + hidden_states: torch.Tensor, + position_ids: Optional[torch.LongTensor] = None, + sequence_length: int = None, + indices: torch.Tensor = None, + cu_seqlens: int = None, + max_seqlen_in_batch: int = None + ) -> Tuple[torch.FloatTensor, Optional[Tuple[torch.FloatTensor, torch.FloatTensor]]]: + residual = hidden_states # (total_nnz // sp, 1, hidden_size) + + hidden_states = self.input_layernorm(hidden_states) + + # Self Attention + # (total_nnz // sp, 1, hidden_size) -> all-gather (total_nnz, 1, hidden_size) + # -> col + row -> reduce-scatter -> (total_nnz // sp, 1, hidden_size) + hidden_states = self.self_attn(hidden_states=hidden_states, + position_ids=position_ids, + sequence_length=sequence_length, + indices=indices, + cu_seqlens=cu_seqlens, + max_seqlen_in_batch=max_seqlen_in_batch) + + hidden_states = residual + hidden_states + + # Fully Connected + # shape changes same as attn + residual = hidden_states + hidden_states = self.post_attention_layernorm(hidden_states) + hidden_states = self.mlp(hidden_states) + hidden_states = residual + hidden_states + + outputs = hidden_states + + return outputs diff --git a/verl/models/llama/megatron/layers/parallel_linear.py b/verl/models/llama/megatron/layers/parallel_linear.py new file mode 100644 index 00000000..bfe5cf4e --- /dev/null +++ b/verl/models/llama/megatron/layers/parallel_linear.py @@ -0,0 +1,74 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/model_executor/layers/linear.py + +from typing import Optional, Tuple + +from megatron.core import tensor_parallel + + +class QKVParallelLinear(tensor_parallel.ColumnParallelLinear): + + def __init__(self, + input_size, + num_heads, + num_key_value_heads, + head_dim, + *, + bias=True, + gather_output=True, + skip_bias_add=False, + **kwargs): + # Keep input parameters, and already restrict the head numbers + self.input_size = input_size + self.q_output_size = num_heads * head_dim + self.kv_output_size = num_key_value_heads * head_dim + self.head_dim = head_dim + self.gather_output = gather_output + self.skip_bias_add = skip_bias_add + + input_size = self.input_size + output_size = (num_heads + 2 * num_key_value_heads) * self.head_dim + + super().__init__(input_size=input_size, + output_size=output_size, + bias=bias, + gather_output=gather_output, + skip_bias_add=skip_bias_add, + **kwargs) + + +class MergedColumnParallelLinear(tensor_parallel.ColumnParallelLinear): + + def __init__(self, + input_size, + gate_ouput_size, + up_output_size, + *, + bias=True, + gather_output=True, + skip_bias_add=False, + **kwargs): + # Keep input parameters, and already restrict the head numbers + self.input_size = input_size + self.output_size = gate_ouput_size + up_output_size + self.gather_output = gather_output + self.skip_bias_add = skip_bias_add + + super().__init__(input_size=self.input_size, + output_size=self.output_size, + bias=bias, + gather_output=gather_output, + skip_bias_add=skip_bias_add, + **kwargs) diff --git a/verl/models/llama/megatron/layers/parallel_mlp.py b/verl/models/llama/megatron/layers/parallel_mlp.py new file mode 100644 index 00000000..21ad9b16 --- /dev/null +++ b/verl/models/llama/megatron/layers/parallel_mlp.py @@ -0,0 +1,74 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2022 EleutherAI and the HuggingFace Inc. team. All rights reserved. +# +# This code is based on EleutherAI's GPT-NeoX library and the GPT-NeoX +# and OPT implementations in this library. It has been modified from its +# original forms to accommodate minor architectural differences compared +# to GPT-NeoX and OPT used by the Meta AI team that trained the model. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from megatron.core import parallel_state as mpu +from megatron.core import tensor_parallel +from megatron.core import ModelParallelConfig +from torch import nn +from transformers.activations import ACT2FN +from verl.models.llama.megatron.layers.parallel_linear import MergedColumnParallelLinear + +from verl.utils.megatron import tensor_parallel as tp_utils + + +class ParallelLlamaMLP(nn.Module): + + def __init__(self, config, megatron_config: ModelParallelConfig = None) -> None: + super().__init__() + self.config = config + self.hidden_size = config.hidden_size + self.intermediate_size = config.intermediate_size + # The weight is only [hidden_size, intermediate_size // model_parallel_world_size] + + column_kwargs = tp_utils.get_default_kwargs_for_column_parallel_linear() + row_kwargs = tp_utils.get_default_kwargs_for_row_parallel_linear() + + if megatron_config is not None: + assert column_kwargs.get('config', False), 'must have ModelParallelConfig' + assert row_kwargs.get('config', False), 'must have ModelParallelConfig' + tp_utils.update_kwargs_with_config(row_kwargs, megatron_config) + tp_utils.update_kwargs_with_config(column_kwargs, megatron_config) + + tp_size = mpu.get_tensor_model_parallel_world_size() + + self.gate_up_proj = MergedColumnParallelLinear( + input_size=self.hidden_size, + gate_ouput_size=self.intermediate_size, + up_output_size=self.intermediate_size, + bias=False, + gather_output=False, + skip_bias_add=False, + **column_kwargs, + ) + self.gate_size = self.intermediate_size // tp_size + + self.down_proj = tensor_parallel.RowParallelLinear(input_size=self.intermediate_size, + output_size=self.hidden_size, + bias=False, + input_is_parallel=True, + skip_bias_add=False, + **row_kwargs) + + self.act_fn = ACT2FN[config.hidden_act] + + def forward(self, x): + gate_up = self.gate_up_proj(x)[0] + gate, up = gate_up.split(self.gate_size, dim=-1) + return self.down_proj(self.act_fn(gate) * up)[0] diff --git a/verl/models/llama/megatron/layers/parallel_rmsnorm.py b/verl/models/llama/megatron/layers/parallel_rmsnorm.py new file mode 100644 index 00000000..7027036b --- /dev/null +++ b/verl/models/llama/megatron/layers/parallel_rmsnorm.py @@ -0,0 +1,46 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import numbers +import torch +from megatron.core import ModelParallelConfig +from torch import nn +from transformers import LlamaConfig + +from apex.normalization.fused_layer_norm import fused_rms_norm_affine +from verl.utils.megatron import sequence_parallel as sp_utils + + +class ParallelLlamaRMSNorm(nn.Module): + + def __init__(self, config: LlamaConfig, megatron_config: ModelParallelConfig): + """ + LlamaRMSNorm is equivalent to T5LayerNorm + """ + super().__init__() + if isinstance(config.hidden_size, numbers.Integral): + normalized_shape = (config.hidden_size,) + self.normalized_shape = torch.Size(normalized_shape) + self.weight = nn.Parameter(torch.ones(self.normalized_shape)) + self.variance_epsilon = config.rms_norm_eps + + if megatron_config.sequence_parallel: + sp_utils.mark_parameter_as_sequence_parallel(self.weight) + + def forward(self, hidden_states): + return fused_rms_norm_affine(input=hidden_states, + weight=self.weight, + normalized_shape=self.normalized_shape, + eps=self.variance_epsilon, + memory_efficient=True) \ No newline at end of file diff --git a/verl/models/llama/megatron/modeling_llama_megatron.py b/verl/models/llama/megatron/modeling_llama_megatron.py new file mode 100644 index 00000000..c693f33c --- /dev/null +++ b/verl/models/llama/megatron/modeling_llama_megatron.py @@ -0,0 +1,656 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2022 EleutherAI and the HuggingFace Inc. team. All rights reserved. +# +# This code is based on EleutherAI's GPT-NeoX library and the GPT-NeoX +# and OPT implementations in this library. It has been modified from its +# original forms to accommodate minor architectural differences compared +# to GPT-NeoX and OPT used by the Meta AI team that trained the model. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +"""PyTorch LLaMA model with Megatron-style acceleration.""" + +from typing import Optional, Tuple, Union + +import torch +import torch.utils.checkpoint +from megatron.core import tensor_parallel +from megatron.core import ModelParallelConfig +from torch import nn +from transformers.modeling_outputs import BaseModelOutputWithPast +from transformers.models.llama.configuration_llama import LlamaConfig +from transformers.models.llama.modeling_llama import CausalLMOutputWithPast + +from verl.utils.megatron import sequence_parallel as sp_utils +from verl.utils.megatron import tensor_parallel as tp_utils +from .layers import ParallelLlamaDecoderLayer, ParallelLlamaRMSNorm, ParallelLlamaDecoderLayerRmPad +""" +TODO: +1. Add weight initialization. Here we need to be careful on TP weight init. +2. Add sequence parallel +3. Load checkpoint from meta LLama pretrained checkpoint +""" + + +# Copied from transformers.models.bart.modeling_bart._make_causal_mask +def _make_causal_mask(input_ids_shape: torch.Size, dtype: torch.dtype, device: torch.device): + """ + Make causal mask used for bi-directional self-attention. + """ + bsz, tgt_len = input_ids_shape + mask = torch.full((tgt_len, tgt_len), torch.finfo(dtype).min, device=device) + mask_cond = torch.arange(mask.size(-1), device=device) + mask.masked_fill_(mask_cond < (mask_cond + 1).view(mask.size(-1), 1), 0) + mask = mask.to(dtype) + return mask[None, None, :, :].expand(bsz, 1, tgt_len, tgt_len) + + +# Copied from transformers.models.bart.modeling_bart._expand_mask +def _expand_mask(mask: torch.Tensor, dtype: torch.dtype, tgt_len: Optional[int] = None): + """ + Expands attention_mask from `[bsz, seq_len]` to `[bsz, 1, tgt_seq_len, src_seq_len]`. + """ + bsz, src_len = mask.size() + tgt_len = tgt_len if tgt_len is not None else src_len + + expanded_mask = mask[:, None, None, :].expand(bsz, 1, tgt_len, src_len).to(dtype) + + inverted_mask = 1.0 - expanded_mask + + return inverted_mask.masked_fill(inverted_mask.to(torch.bool), torch.finfo(dtype).min) + + +class ParallelLlamaModel(nn.Module): + """ + Transformer decoder consisting of *config.num_hidden_layers* layers. Each layer is a [`LlamaDecoderLayer`] + + Args: + config: LlamaConfig + """ + + def __init__(self, config: LlamaConfig, megatron_config: ModelParallelConfig): + super().__init__() + self.padding_idx = config.pad_token_id + self.vocab_size = config.vocab_size + embedding_kwargs = tp_utils.get_default_kwargs_for_parallel_embedding() + if megatron_config is not None: + assert embedding_kwargs.get('config', False), 'must have ModelParallelConfig' + tp_utils.update_kwargs_with_config(embedding_kwargs, self.megatron_config) + self.embed_tokens = tensor_parallel.VocabParallelEmbedding(num_embeddings=config.vocab_size, + embedding_dim=config.hidden_size, + **embedding_kwargs) + + self.layers = nn.ModuleList( + [ParallelLlamaDecoderLayer(config, megatron_config) for _ in range(config.num_hidden_layers)]) + self.norm = ParallelLlamaRMSNorm(config, megatron_config) + + # Copied from transformers.models.bart.modeling_bart.BartDecoder._prepare_decoder_attention_mask + def _prepare_decoder_attention_mask(self, attention_mask, input_shape, inputs_embeds): + # create causal mask + # [bsz, seq_len] -> [bsz, 1, tgt_seq_len, src_seq_len] + combined_attention_mask = None + if input_shape[-1] > 1: + combined_attention_mask = _make_causal_mask( + input_shape, + inputs_embeds.dtype, + device=inputs_embeds.device, + ) + + if attention_mask is not None: + # [bsz, seq_len] -> [bsz, 1, tgt_seq_len, src_seq_len] + expanded_attn_mask = _expand_mask(attention_mask, inputs_embeds.dtype, + tgt_len=input_shape[-1]).to(inputs_embeds.device) + combined_attention_mask = (expanded_attn_mask if combined_attention_mask is None else expanded_attn_mask + + combined_attention_mask) + + return combined_attention_mask + + def forward( + self, + input_ids: torch.LongTensor = None, + attention_mask: Optional[torch.Tensor] = None, + position_ids: Optional[torch.LongTensor] = None, + ) -> Union[Tuple, BaseModelOutputWithPast]: + """ + + Args: + input_ids: input ids. shape (batch_size, seq_length) + attention_mask: attention_mask. shape (batch_size, seq_length) + position_ids: position ids. shape (batch_size, seq_length) + + Returns: + + """ + batch_size, seq_length = input_ids.shape + inputs_embeds = self.embed_tokens(input_ids) + # embed positions + + attention_mask = self._prepare_decoder_attention_mask(attention_mask, (batch_size, seq_length), inputs_embeds) + + hidden_states = inputs_embeds + + for idx, decoder_layer in enumerate(self.layers): + layer_outputs = decoder_layer( + hidden_states, + attention_mask=attention_mask, + position_ids=position_ids, + ) + + hidden_states = layer_outputs + + hidden_states = self.norm(hidden_states) + + return hidden_states + + +class ParallelLlamaForCausalLM(nn.Module): + + def __init__(self, config: LlamaConfig, megatron_config: ModelParallelConfig): + super().__init__() + self.model = ParallelLlamaModel(config, megatron_config=megatron_config) + self.vocab_size = config.vocab_size + + column_kwargs = tp_utils.get_default_kwargs_for_column_parallel_linear() + if megatron_config is not None: + assert column_kwargs.get('config', False), 'must have ModelParallelConfig' + tp_utils.update_kwargs_with_config(column_kwargs, self.megatron_config) + + self.lm_head = tensor_parallel.ColumnParallelLinear(input_size=config.hidden_size, + output_size=config.vocab_size, + bias=False, + gather_output=False, + skip_bias_add=False, + **column_kwargs) + + def forward( + self, + input_ids: torch.LongTensor = None, + attention_mask: Optional[torch.Tensor] = None, + position_ids: Optional[torch.LongTensor] = None, + ) -> Union[Tuple, CausalLMOutputWithPast]: + r""" + Args: + labels (`torch.LongTensor` of shape `(batch_size, sequence_length)`, *optional*): + Labels for computing the masked language modeling loss. Indices should either be in `[0, ..., + config.vocab_size]` or -100 (see `input_ids` docstring). Tokens with indices set to `-100` are ignored + (masked), the loss is only computed for the tokens with labels in `[0, ..., config.vocab_size]`. + + Returns: + ```""" + + # decoder outputs consists of (dec_features, layer_state, dec_hidden, dec_attn) + outputs = self.model( + input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + ) + + hidden_states = outputs + logits = self.lm_head(hidden_states)[0] + + logits = tensor_parallel.gather_from_tensor_model_parallel_region(logits) + + logits = logits.float() + return CausalLMOutputWithPast( + loss=None, + logits=logits, + past_key_values=None, + hidden_states=None, + attentions=None, + ) + + +from flash_attn.bert_padding import index_first_axis, pad_input, unpad_input # noqa + + +class ParallelLlamaModelRmPad(nn.Module): + """ + Transformer decoder consisting of *config.num_hidden_layers* layers. Each layer is a [`LlamaDecoderLayer`] + + Args: + config: LlamaConfig + """ + + def __init__(self, config: LlamaConfig, megatron_config: ModelParallelConfig): + super().__init__() + self.padding_idx = config.pad_token_id + self.vocab_size = config.vocab_size + embedding_kwargs = tp_utils.get_default_kwargs_for_parallel_embedding() + self.megatron_config = megatron_config + if megatron_config is not None: + assert embedding_kwargs.get('config', False), 'must have ModelParallelConfig' + tp_utils.update_kwargs_with_config(embedding_kwargs, self.megatron_config) + self.embed_tokens = tensor_parallel.VocabParallelEmbedding(num_embeddings=config.vocab_size, + embedding_dim=config.hidden_size, + **embedding_kwargs) + + self.layers = nn.ModuleList( + [ParallelLlamaDecoderLayerRmPad(config, megatron_config) for _ in range(config.num_hidden_layers)]) + self.norm = ParallelLlamaRMSNorm(config, megatron_config) + + def forward(self, + input_ids: torch.Tensor, + position_ids: Optional[torch.LongTensor] = None, + sequence_length: int = None, + indices: torch.Tensor = None, + cu_seqlens: int = None, + max_seqlen_in_batch: int = None) -> Union[Tuple, BaseModelOutputWithPast]: + """ + + Args: + input_ids: input ids. shape (1, totol_nnz) + position_ids: position ids. shape (batch_size, seq_length) + + Returns: + + """ + inputs_embeds = self.embed_tokens(input_ids) # (1, total_nnz) -> (1, total_nnz, hidden_size) + + # (1, total_nnz, hidden_size) -> (total_nnz, 1, hidden_size) -> (total_nnz // sp, 1, hidden_size) + inputs_embeds = inputs_embeds.transpose(0, 1) + if self.megatron_config.sequence_parallel: + inputs_embeds = tensor_parallel.scatter_to_sequence_parallel_region(inputs_embeds) + + hidden_states = inputs_embeds + for idx, decoder_layer in enumerate(self.layers): + layer_outputs = decoder_layer(hidden_states, + position_ids=position_ids, + sequence_length=sequence_length, + indices=indices, + cu_seqlens=cu_seqlens, + max_seqlen_in_batch=max_seqlen_in_batch) + + hidden_states = layer_outputs + + hidden_states = self.norm(hidden_states) + + return hidden_states + + +class ParallelLlamaForCausalLMRmPad(nn.Module): + + def __init__(self, config: LlamaConfig, megatron_config: ModelParallelConfig): + super().__init__() + self.config = config + self.megatron_config = megatron_config + self.model = ParallelLlamaModelRmPad(config, megatron_config=megatron_config) + self.vocab_size = config.vocab_size + self._init_head() + + def _init_head(self): + column_kwargs = tp_utils.get_default_kwargs_for_column_parallel_linear() + if self.megatron_config is not None: + assert column_kwargs.get('config', False), 'must have ModelParallelConfig' + tp_utils.update_kwargs_with_config(column_kwargs, self.megatron_config) + self.lm_head = tensor_parallel.ColumnParallelLinear(input_size=self.config.hidden_size, + output_size=self.config.vocab_size, + bias=False, + gather_output=False, + skip_bias_add=False, + **column_kwargs) + + def _forward_head(self, hidden_states): + # all_gather from sequence parallel region is performed inside lm_head + logits = self.lm_head(hidden_states)[0] + logits = logits.float() # (total_nnz_padded, 1, vocab_size // tp) + logits = tensor_parallel.gather_from_tensor_model_parallel_region(logits) # (total_nnz_padded, 1, vocab_size) + return logits + + def forward( + self, + input_ids: torch.LongTensor = None, + attention_mask: Optional[torch.Tensor] = None, + position_ids: Optional[torch.LongTensor] = None, + ) -> Union[Tuple, CausalLMOutputWithPast]: + r""" + Args: + labels (`torch.LongTensor` of shape `(batch_size, sequence_length)`, *optional*): + Labels for computing the masked language modeling loss. Indices should either be in `[0, ..., + config.vocab_size]` or -100 (see `input_ids` docstring). Tokens with indices set to `-100` are ignored + (masked), the loss is only computed for the tokens with labels in `[0, ..., config.vocab_size]`. + + Returns: + ```""" + batch_size, sequence_length = input_ids.shape + + # remove padding here + input_ids, indices, cu_seqlens, max_seqlen_in_batch, *_ = unpad_input(input_ids.unsqueeze(dim=-1), + attention_mask) # (total_nnz, 1) + + # pad input_ids to multiple of tp for all tp ranks + # TODO: for better performance, the sp padding should be removed at each layer. Not sure the performance gap + if self.megatron_config.sequence_parallel: + input_ids = sp_utils.pad_to_sequence_parallel(input_ids) + + input_ids = input_ids.transpose(0, 1) # (1, total_nnz+pad) + + outputs = self.model(input_ids=input_ids, + position_ids=position_ids, + sequence_length=sequence_length, + indices=indices, + cu_seqlens=cu_seqlens, + max_seqlen_in_batch=max_seqlen_in_batch) + + hidden_states = outputs + + logits = self._forward_head(hidden_states) + + # remove padding from sequence parallel + if self.megatron_config.sequence_parallel: + totol_nnz = cu_seqlens[-1] + logits = logits[:totol_nnz] # (total_nnz_padded) + + logits = torch.squeeze(logits, dim=1) # remove the artificial batch dimension + # add removed padding back + logits = pad_input(logits, indices, batch_size, + seqlen=sequence_length) # (batch_size, sequence_length, vocab_size) + + return CausalLMOutputWithPast( + loss=None, + logits=logits, + past_key_values=None, + hidden_states=None, + attentions=None, + ) + + +class ParallelLlamaForValueRmPad(ParallelLlamaForCausalLMRmPad): + + def _init_head(self): + column_kwargs = tp_utils.get_default_kwargs_for_column_parallel_linear() + if self.megatron_config is not None: + assert column_kwargs.get('config', False), 'must have ModelParallelConfig' + tp_utils.update_kwargs_with_config(column_kwargs, self.megatron_config) + self.lm_head = nn.Linear(in_features=self.config.hidden_size, out_features=1, bias=False) + # lm_head is effectively the same as sequence parallel + sp_utils.mark_parameter_as_sequence_parallel(self.lm_head.weight) + + def _forward_head(self, hidden_states): + logits = self.lm_head(hidden_states) # (total_nnz_padded // tp, 1, 1) + logits = logits.float() + if self.megatron_config.sequence_parallel: + logits = tensor_parallel.gather_from_sequence_parallel_region(logits, tensor_parallel_output_grad=False) + return logits + + def forward( + self, + input_ids: torch.LongTensor = None, + attention_mask: Optional[torch.Tensor] = None, + position_ids: Optional[torch.LongTensor] = None, + ) -> Union[Tuple, CausalLMOutputWithPast]: + output = super().forward(input_ids, attention_mask, position_ids) + output.logits = torch.squeeze(output.logits, dim=-1) + return output + + +""" +Support pipeline parallelism +""" + + +class ParallelLlamaModelRmPadPP(nn.Module): + """ + Transformer decoder consisting of *config.num_hidden_layers* layers. Each layer is a [`LlamaDecoderLayer`] + This model definition supports pipeline parallelism. To support pp and vpp, + - This model only contains layer in this pp stage and vpp chunk + - When calling get_model in Megatron, this rank will instantiate all the vpp chunks in this pp. + Args: + config: LlamaConfig + """ + + def __init__(self, config: LlamaConfig, megatron_config: ModelParallelConfig, pre_process, post_process): + super().__init__() + self.padding_idx = config.pad_token_id + self.vocab_size = config.vocab_size + self.pre_process = pre_process + self.post_process = post_process + self.megatron_config = megatron_config + embedding_kwargs = tp_utils.get_default_kwargs_for_parallel_embedding() + if megatron_config is not None: + assert embedding_kwargs.get('config', False), 'must have ModelParallelConfig' + tp_utils.update_kwargs_with_config(embedding_kwargs, self.megatron_config) + if pre_process: + self.embed_tokens = tensor_parallel.VocabParallelEmbedding(num_embeddings=config.vocab_size, + embedding_dim=config.hidden_size, + **embedding_kwargs) + else: + self.embed_tokens = None + + # pp_rank = megatron_config.pipeline_model_parallel_rank + pp_size = megatron_config.pipeline_model_parallel_size + self.num_layer_per_pp = config.num_hidden_layers // pp_size + vpp_size = megatron_config.virtual_pipeline_model_parallel_size + + if vpp_size is not None: + self.num_layer_vpp_chunk = self.num_layer_per_pp // vpp_size + self.num_layer_this_model = self.num_layer_vpp_chunk + # vpp_rank = megatron_config.virtual_pipeline_model_parallel_rank + # self.offset = vpp_rank * ( + # config.num_hidden_layers // megatron_config.virtual_pipeline_model_parallel_size) + \ + # (megatron_config.pipeline_model_parallel_rank * self.num_layer_vpp_chunk) + else: + self.num_layer_this_model = self.num_layer_per_pp + # self.offset = pp_rank * self.num_layer_per_pp + + layers = [] + for i in range(self.num_layer_this_model): + layer = ParallelLlamaDecoderLayerRmPad(config, megatron_config) + # setattr(layer, 'hidden_layer_index', self.offset + i) + layers.append(layer) + + self.layers = nn.ModuleList(layers) + + if post_process: + self.norm = ParallelLlamaRMSNorm(config, megatron_config) + else: + self.norm = None + + def set_input_tensor(self, input_tensor): + """Set input tensor to be used instead of forward()'s input. + + When doing pipeline parallelism the input from the previous + stage comes from communication, not from the input, so the + model's forward_step_func won't have it. This function is thus + used by internal code to bypass the input provided by the + forward_step_func""" + self.input_tensor = input_tensor + + def forward(self, + input_ids: torch.Tensor, + position_ids: Optional[torch.LongTensor] = None, + sequence_length: int = None, + indices: torch.Tensor = None, + cu_seqlens: int = None, + max_seqlen_in_batch: int = None) -> Union[Tuple, BaseModelOutputWithPast]: + """ + + Args: + input_ids: input ids. shape (1, totol_nnz) + position_ids: position ids. shape (batch_size, seq_length) + + Returns: + + """ + if self.pre_process: + inputs_embeds = self.embed_tokens(input_ids) # (1, total_nnz) -> (1, total_nnz, hidden_size) + + # vocab parallel embedding will not do sequence parallel reduce-scatter in open source megatron + # so need to deal with it by handle here: + # (1, total_nnz, hidden_size) -> (total_nnz, 1, hidden_size) -> (total_nnz // sp, 1, hidden_size) + inputs_embeds = inputs_embeds.transpose(0, 1) + if self.megatron_config.sequence_parallel: + inputs_embeds = tensor_parallel.scatter_to_sequence_parallel_region(inputs_embeds) + + hidden_states = inputs_embeds + else: + # self.hidden_states should be passed by Megatron + hidden_states = self.input_tensor + + for idx, decoder_layer in enumerate(self.layers): + layer_outputs = decoder_layer(hidden_states, + position_ids=position_ids, + sequence_length=sequence_length, + indices=indices, + cu_seqlens=cu_seqlens, + max_seqlen_in_batch=max_seqlen_in_batch) + + hidden_states = layer_outputs + + if self.post_process: + hidden_states = self.norm(hidden_states) + + return hidden_states + + +class ParallelLlamaForCausalLMRmPadPP(nn.Module): + + def __init__(self, config: LlamaConfig, megatron_config: ModelParallelConfig, pre_process, post_process): + super().__init__() + self.config = config + self.megatron_config = megatron_config + self.model = ParallelLlamaModelRmPadPP(config, + megatron_config=megatron_config, + pre_process=pre_process, + post_process=post_process) + self.share_embeddings_and_output_weights = None # workaround, megatron requires this attr + self.vocab_size = config.vocab_size + self.pre_process = pre_process + self.post_process = post_process + if post_process: + self._init_head() + + def set_input_tensor(self, input_tensor): + """Set input tensor to be used instead of forward()'s input. + + When doing pipeline parallelism the input from the previous + stage comes from communication, not from the input, so the + model's forward_step_func won't have it. This function is thus + used by internal code to bypass the input provided by the + forward_step_func""" + assert len(input_tensor) == 1 + self.model.set_input_tensor(input_tensor[0]) + + def _init_head(self): + column_kwargs = tp_utils.get_default_kwargs_for_column_parallel_linear() + if self.megatron_config is not None: + assert column_kwargs.get('config', False), 'must have ModelParallelConfig' + tp_utils.update_kwargs_with_config(column_kwargs, self.megatron_config) + self.lm_head = tensor_parallel.ColumnParallelLinear(input_size=self.config.hidden_size, + output_size=self.config.vocab_size, + bias=False, + gather_output=False, + skip_bias_add=False, + **column_kwargs) + + def _forward_head(self, hidden_states): + # all_gather from sequence parallel region is performed inside lm_head + # logits shape before forward_head hidden_states.shape: [4, 32, 4096] + logits = self.lm_head(hidden_states)[0] + # logits shape after forward_head logits.shape: [8, 32, 8] + logits = logits.float() # (total_nnz_padded, 1, vocab_size // tp) + return logits + + def forward( + self, + # original input + *, + input_ids: torch.LongTensor = None, + attention_mask: Optional[torch.Tensor] = None, + position_ids: Optional[torch.LongTensor] = None, + ) -> Union[Tuple, CausalLMOutputWithPast]: + r""" + Args: + labels (`torch.LongTensor` of shape `(batch_size, sequence_length)`, *optional*): + Labels for computing the masked language modeling loss. Indices should either be in `[0, ..., + config.vocab_size]` or -100 (see `input_ids` docstring). Tokens with indices set to `-100` are ignored + (masked), the loss is only computed for the tokens with labels in `[0, ..., config.vocab_size]`. + + Returns: + ```""" + + # Note that input_ids, attention_mask and position_ids should be passed to every pp layer. + # In the first pp, input_ids will be used, in other pp layers hidden_states will be used inside self.model + batch_size, sequence_length = input_ids.shape + # remove padding here + input_ids_rmpad, indices, cu_seqlens, max_seqlen_in_batch, *_ = unpad_input(input_ids.unsqueeze(dim=-1), + attention_mask) # (total_nnz, 1) + + # pad input_ids to multiple of tp for all tp ranks + # TODO: for better performance, the sp padding should be removed at each layer. Not sure the performance gap + if self.megatron_config.sequence_parallel: + input_ids_rmpad = sp_utils.pad_to_sequence_parallel(input_ids_rmpad) + + input_ids_rmpad = input_ids_rmpad.transpose(0, 1) # (1, total_nnz+pad) + + outputs = self.model(input_ids=input_ids_rmpad, + position_ids=position_ids, + sequence_length=sequence_length, + indices=indices, + cu_seqlens=cu_seqlens, + max_seqlen_in_batch=max_seqlen_in_batch) + + if self.post_process: + hidden_states = outputs + # print(f'hidden_states.shape = {hidden_states.shape}') # torch.Size([4, 32, 4096]) + logits = self._forward_head(hidden_states) + logits = torch.squeeze(logits, dim=1) # remove the artificial batch dimension # torch.Size([8, 32, 16]) + + # remove padding from sequence parallel + if self.megatron_config.sequence_parallel: + totol_nnz = cu_seqlens[-1] + logits = logits[:totol_nnz] # (total_nnz_padded) + # add removed padding back. If input is already rmpad, we let the caller pad_input + logits = pad_input(logits, indices, batch_size, + seqlen=sequence_length) # (batch_size, sequence_length, vocab_size) + + return CausalLMOutputWithPast( + loss=None, + logits=logits, + past_key_values=None, + hidden_states=None, + attentions=None, + ) + else: + return outputs + + +class ParallelLlamaForValueRmPadPP(ParallelLlamaForCausalLMRmPadPP): + + def _init_head(self): + column_kwargs = tp_utils.get_default_kwargs_for_column_parallel_linear() + if self.megatron_config is not None: + assert column_kwargs.get('config', False), 'must have ModelParallelConfig' + tp_utils.update_kwargs_with_config(column_kwargs, self.megatron_config) + self.lm_head = nn.Linear(in_features=self.config.hidden_size, out_features=1, bias=False) + # lm_head is effectively the same as sequence parallel + sp_utils.mark_parameter_as_sequence_parallel(self.lm_head.weight) + + def _forward_head(self, hidden_states): + logits = self.lm_head(hidden_states) # (total_nnz_padded // tp, 1, 1) + logits = logits.float() + if self.megatron_config.sequence_parallel: + logits = tensor_parallel.gather_from_sequence_parallel_region(logits, tensor_parallel_output_grad=False) + return logits + + def forward( + self, + *, + input_ids: torch.LongTensor = None, + attention_mask: Optional[torch.Tensor] = None, + position_ids: Optional[torch.LongTensor] = None, + ) -> Union[Tuple, CausalLMOutputWithPast]: + output = super().forward(input_ids=input_ids, attention_mask=attention_mask, position_ids=position_ids) + if self.post_process: + output.logits = torch.squeeze(output.logits, dim=-1) + return output + else: + return output diff --git a/verl/models/registry.py b/verl/models/registry.py new file mode 100644 index 00000000..55ddbd44 --- /dev/null +++ b/verl/models/registry.py @@ -0,0 +1,66 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import importlib +from typing import List, Optional, Type + +import torch.nn as nn + +# Supported models using HF Rmpad +# TODO(sgm): HF may supported more than listed here, we should add more after testing +from transformers import LlamaConfig, MistralConfig, GemmaConfig, Qwen2Config + +_REOVEPAD_MODELS = {'llama': LlamaConfig, 'mistral': MistralConfig, 'gemma': GemmaConfig, 'qwen2': Qwen2Config} + + +def check_model_support_rmpad(model_type: str): + assert isinstance(model_type, str) + if not model_type in _REOVEPAD_MODELS.keys(): + raise ValueError(f"Model architecture {model_type} is not supported for now. " + f"RMPad supported architectures: {_REOVEPAD_MODELS.keys()}." + f"Please set `use_remove_padding=False` in the model config.") + + +# Supported models in Megatron-LM +# Architecture -> (module, class). +_MODELS = { + "LlamaForCausalLM": + ("llama", ("ParallelLlamaForCausalLMRmPadPP", "ParallelLlamaForValueRmPadPP", "ParallelLlamaForCausalLMRmPad")), + "MistralForCausalLM": ("mistral", ("ParallelMistralForCausalLMRmPadPP", "ParallelMistralForValueRmPadPP", + "ParallelMistralForCausalLMRmPad")) +} + + +# return model class +class ModelRegistry: + + @staticmethod + def load_model_cls(model_arch: str, value=False) -> Optional[Type[nn.Module]]: + if model_arch not in _MODELS: + return None + + megatron = "megatron" + + module_name, model_cls_name = _MODELS[model_arch] + if not value: # actor/ref + model_cls_name = model_cls_name[0] + elif value: # critic/rm + model_cls_name = model_cls_name[1] + + module = importlib.import_module(f"verl.models.{module_name}.{megatron}.modeling_{module_name}_megatron") + return getattr(module, model_cls_name, None) + + @staticmethod + def get_supported_archs() -> List[str]: + return list(_MODELS.keys()) diff --git a/verl/models/transformers/__init__.py b/verl/models/transformers/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/models/transformers/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/models/transformers/llama.py b/verl/models/transformers/llama.py new file mode 100644 index 00000000..4e8a5b19 --- /dev/null +++ b/verl/models/transformers/llama.py @@ -0,0 +1,145 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import os +import torch +from typing import Optional, List, Union, Tuple, Unpack, Callable + +from transformers.models.llama.modeling_llama import apply_rotary_pos_emb, repeat_kv +from transformers.cache_utils import Cache +from transformers.utils import logging +from transformers.modeling_flash_attention_utils import _flash_attention_forward +from verl.utils.ulysses import gather_heads_scatter_seq, gather_seq_scatter_heads, get_ulysses_sequence_parallel_world_size + +logger = logging.get_logger(__name__) + +def llama_flash_attn_forward( + self, + hidden_states: torch.Tensor, + attention_mask: Optional[torch.LongTensor] = None, + position_ids: Optional[torch.LongTensor] = None, + past_key_value: Optional[Cache] = None, + output_attentions: bool = False, + use_cache: bool = False, + cache_position: Optional[torch.LongTensor] = None, + position_embeddings: Optional[Tuple[torch.Tensor, torch.Tensor]] = None, # will become mandatory in v4.46 + **kwargs, + ) -> Tuple[torch.Tensor, Optional[torch.Tensor], Optional[Tuple[torch.Tensor]]]: + """ + adapt from transformers 4.47.1 + """ + output_attentions = False + + bsz, q_len, _ = hidden_states.size() + + query_states = self.q_proj(hidden_states) + key_states = self.k_proj(hidden_states) + value_states = self.v_proj(hidden_states) + + # Flash attention requires the input to have the shape + # batch_size x seq_length x head_dim x hidden_dim + # therefore we just need to keep the original shape + query_states = query_states.view(bsz, q_len, self.num_heads, self.head_dim).transpose(1, 2) + key_states = key_states.view(bsz, q_len, self.num_key_value_heads, self.head_dim).transpose(1, 2) + value_states = value_states.view(bsz, q_len, self.num_key_value_heads, self.head_dim).transpose(1, 2) + + # trade off: repeat first and then all to all + # key_states = repeat_kv(key_states, self.num_key_value_groups) + # value_states = repeat_kv(value_states, self.num_key_value_groups) + + ########## AlltoAll for Ulysses ########## + ulysses_sp_size = get_ulysses_sequence_parallel_world_size() + + if ulysses_sp_size > 1: + # (bsz, n_head, seq_len/n, head_dim) -> (bsz, n_head/n, seq_len, head_dim) + query_states = gather_seq_scatter_heads(query_states, seq_dim=2, head_dim=1) + key_states = gather_seq_scatter_heads(key_states, seq_dim=2, head_dim=1) + value_states = gather_seq_scatter_heads(value_states, seq_dim=2, head_dim=1) + + full_q_len = query_states.size(2) # full seq length + + if position_embeddings is None: + logger.warning_once( + "The attention layers in this model are transitioning from computing the RoPE embeddings internally " + "through `position_ids` (2D tensor with the indexes of the tokens), to using externally computed " + "`position_embeddings` (Tuple of tensors, containing cos and sin). In v4.46 `position_ids` will be " + "removed and `position_embeddings` will be mandatory.") + cos, sin = self.rotary_emb(value_states, position_ids) + else: + cos, sin = position_embeddings + query_states, key_states = apply_rotary_pos_emb(query_states, key_states, cos, sin) + + if past_key_value is not None: + # sin and cos are specific to RoPE models; cache_position needed for the static cache + cache_kwargs = {"sin": sin, "cos": cos, "cache_position": cache_position} + key_states, value_states = past_key_value.update(key_states, value_states, self.layer_idx, cache_kwargs) + + # TODO: These transpose are quite inefficient but Flash Attention requires the layout [batch_size, sequence_length, num_heads, head_dim]. We would need to refactor the KV cache + # to be able to avoid many of these transpose/reshape/view. + query_states = query_states.transpose(1, 2) + key_states = key_states.transpose(1, 2) + value_states = value_states.transpose(1, 2) + + dropout_rate = self.attention_dropout if self.training else 0.0 + + # In PEFT, usually we cast the layer norms in float32 for training stability reasons + # therefore the input hidden states gets silently casted in float32. Hence, we need + # cast them back in the correct dtype just to be sure everything works as expected. + # This might slowdown training & inference so it is recommended to not cast the LayerNorms + # in fp32. (LlamaRMSNorm handles it correctly) + + input_dtype = query_states.dtype + if input_dtype == torch.float32: + if torch.is_autocast_enabled(): + target_dtype = torch.get_autocast_gpu_dtype() + # Handle the case where the model is quantized + elif hasattr(self.config, "_pre_quantization_dtype"): + target_dtype = self.config._pre_quantization_dtype + else: + target_dtype = self.q_proj.weight.dtype + + logger.warning_once( + f"The input hidden states seems to be silently casted in float32, this might be related to" + f" the fact you have upcasted embedding or layer norm layers in float32. We will cast back the input in" + f" {target_dtype}.") + + query_states = query_states.to(target_dtype) + key_states = key_states.to(target_dtype) + value_states = value_states.to(target_dtype) + + attn_output = _flash_attention_forward( + query_states, + key_states, + value_states, + attention_mask, + full_q_len, + position_ids=position_ids, + dropout=dropout_rate, + sliding_window=getattr(self, "sliding_window", None), + use_top_left_mask=self._flash_attn_uses_top_left_mask, + is_causal=self.is_causal, + **kwargs, + ) + + attn_output = attn_output.reshape(bsz, full_q_len, -1, self.head_dim).contiguous() + ########## AlltoAll for Ulysses ########## + if ulysses_sp_size > 1: + attn_output = gather_heads_scatter_seq(attn_output, seq_dim=1, head_dim=2) + attn_output = attn_output.reshape(bsz, q_len, -1).contiguous() + attn_output = self.o_proj(attn_output) + + if not output_attentions: + attn_weights = None + + return attn_output, attn_weights, past_key_value diff --git a/verl/models/transformers/monkey_patch.py b/verl/models/transformers/monkey_patch.py new file mode 100644 index 00000000..a11148b4 --- /dev/null +++ b/verl/models/transformers/monkey_patch.py @@ -0,0 +1,74 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Apply monkey-patch function to models +""" + +#### Open Source Models +#### transformers version < 4.48 + + +def apply_monkey_patch_to_llama(): + from transformers.models.llama.modeling_llama import LlamaFlashAttention2 + from verl.models.transformers.llama import llama_flash_attn_forward + LlamaFlashAttention2.forward = llama_flash_attn_forward + + +def apply_monkey_patch_to_qwen2(): + from transformers.models.qwen2.modeling_qwen2 import Qwen2FlashAttention2 + from verl.models.transformers.qwen2 import qwen2_flash_attn_forward + Qwen2FlashAttention2.forward = qwen2_flash_attn_forward + + +_PATCH_NAME_TO_FUNC = { + 'llama': apply_monkey_patch_to_llama, + 'qwen2': apply_monkey_patch_to_qwen2, +} + +from transformers import PretrainedConfig + + +def apply_monkey_patch(config: PretrainedConfig, verbose=True): + if not is_transformers_version_in_range("4.45.0", "4.47.1"): + raise AssertionError("The installed `transformers` version doesn't support ulysses patch. " + "Please install a version between 4.45.0 and 4.47.1 to use this ulysses feature.") + success_apply_monkey_patch = False + if config.model_type in _PATCH_NAME_TO_FUNC: + _PATCH_NAME_TO_FUNC[config.model_type]() + success_apply_monkey_patch = True + + if success_apply_monkey_patch and verbose: + print(f'Applying monkey patch to model {config.model_type}') + elif not success_apply_monkey_patch: + raise NotImplementedError(f'Ulysses for model {config.model_type} is not implemented, \ + please set `ulysses_sequence_parallel_size=1`') + + return success_apply_monkey_patch + + +from functools import lru_cache +from packaging import version +import importlib.metadata + + +@lru_cache() +def is_transformers_version_in_range(min_version: str, max_version: str) -> bool: + try: + # Get the installed version of the transformers library + transformers_version = importlib.metadata.version("transformers") + except importlib.metadata.PackageNotFoundError: + raise ModuleNotFoundError("The `transformers` package is not installed.") + + # Check if the version is within the specified range + return version.parse(min_version) <= version.parse(transformers_version) <= version.parse(max_version) diff --git a/verl/models/transformers/qwen2.py b/verl/models/transformers/qwen2.py new file mode 100644 index 00000000..b267b843 --- /dev/null +++ b/verl/models/transformers/qwen2.py @@ -0,0 +1,137 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import os +import torch +from typing import Optional, Tuple + +from transformers.models.llama.modeling_llama import apply_rotary_pos_emb, repeat_kv +from transformers.cache_utils import Cache +from transformers.utils import logging +from transformers.modeling_flash_attention_utils import _flash_attention_forward +from verl.utils.ulysses import gather_heads_scatter_seq, gather_seq_scatter_heads, get_ulysses_sequence_parallel_world_size + +logger = logging.get_logger(__name__) + + +def qwen2_flash_attn_forward( + self, + hidden_states: torch.Tensor, + attention_mask: Optional[torch.Tensor] = None, + position_ids: Optional[torch.LongTensor] = None, + past_key_value: Optional[Cache] = None, + output_attentions: bool = False, + use_cache: bool = False, + cache_position: Optional[torch.LongTensor] = None, + position_embeddings: Optional[Tuple[torch.Tensor, torch.Tensor]] = None, # will become mandatory in v4.46 +): + bsz, q_len, _ = hidden_states.size() + + query_states = self.q_proj(hidden_states) + key_states = self.k_proj(hidden_states) + value_states = self.v_proj(hidden_states) + + query_states = query_states.view(bsz, q_len, -1, self.head_dim).transpose(1, 2) + key_states = key_states.view(bsz, q_len, -1, self.head_dim).transpose(1, 2) + value_states = value_states.view(bsz, q_len, -1, self.head_dim).transpose(1, 2) + + ########## AlltoAll for Ulysses ########## + ulysses_sp_size = get_ulysses_sequence_parallel_world_size() + + if ulysses_sp_size > 1: + # (bsz, n_head, seq_len/n, head_dim) -> (bsz, n_head/n, seq_len, head_dim) + query_states = gather_seq_scatter_heads(query_states, seq_dim=2, head_dim=1) + key_states = gather_seq_scatter_heads(key_states, seq_dim=2, head_dim=1) + value_states = gather_seq_scatter_heads(value_states, seq_dim=2, head_dim=1) + + full_q_len = query_states.size(2) # full seq length + + if position_embeddings is None: + logger.warning_once( + "The attention layers in this model are transitioning from computing the RoPE embeddings internally " + "through `position_ids` (2D tensor with the indexes of the tokens), to using externally computed " + "`position_embeddings` (Tuple of tensors, containing cos and sin). In v4.46 `position_ids` will be " + "removed and `position_embeddings` will be mandatory.") + cos, sin = self.rotary_emb(value_states, position_ids) + else: + cos, sin = position_embeddings + query_states, key_states = apply_rotary_pos_emb(query_states, key_states, cos, sin) + + if past_key_value is not None: + cache_kwargs = {"sin": sin, "cos": cos, "cache_position": cache_position} # Specific to RoPE models + key_states, value_states = past_key_value.update(key_states, value_states, self.layer_idx, cache_kwargs) + + # repeat k/v heads if n_kv_heads < n_heads + key_states = repeat_kv(key_states, self.num_key_value_groups) + value_states = repeat_kv(value_states, self.num_key_value_groups) + dropout_rate = 0.0 if not self.training else self.attention_dropout + + # In PEFT, usually we cast the layer norms in float32 for training stability reasons + # therefore the input hidden states gets silently casted in float32. Hence, we need + # cast them back in float16 just to be sure everything works as expected. + input_dtype = query_states.dtype + if input_dtype == torch.float32: + if torch.is_autocast_enabled(): + target_dtype = torch.get_autocast_gpu_dtype() + # Handle the case where the model is quantized + elif hasattr(self.config, "_pre_quantization_dtype"): + target_dtype = self.config._pre_quantization_dtype + else: + target_dtype = self.q_proj.weight.dtype + + logger.warning_once( + f"The input hidden states seems to be silently casted in float32, this might be related to" + f" the fact you have upcasted embedding or layer norm layers in float32. We will cast back the input in" + f" {target_dtype}.") + + query_states = query_states.to(target_dtype) + key_states = key_states.to(target_dtype) + value_states = value_states.to(target_dtype) + + # Reashape to the expected shape for Flash Attention + query_states = query_states.transpose(1, 2) + key_states = key_states.transpose(1, 2) + value_states = value_states.transpose(1, 2) + + if (self.config.use_sliding_window and getattr(self.config, "sliding_window", None) is not None and + self.layer_idx >= self.config.max_window_layers): + sliding_window = self.config.sliding_window + else: + sliding_window = None + + attn_output = _flash_attention_forward( + query_states, + key_states, + value_states, + attention_mask, + full_q_len, + position_ids=position_ids, + dropout=dropout_rate, + sliding_window=sliding_window, + is_causal=self.is_causal, + use_top_left_mask=self._flash_attn_uses_top_left_mask, + ) + + # use full_q_len to reshape + attn_output = attn_output.reshape(bsz, full_q_len, -1, self.head_dim).contiguous() + ########## AlltoAll for Ulysses ########## + if ulysses_sp_size > 1: + attn_output = gather_heads_scatter_seq(attn_output, seq_dim=1, head_dim=2) + attn_output = attn_output.reshape(bsz, q_len, -1).contiguous() + attn_output = self.o_proj(attn_output) + + if not output_attentions: + attn_weights = None + + return attn_output, attn_weights, past_key_value diff --git a/verl/models/weight_loader_registry.py b/verl/models/weight_loader_registry.py new file mode 100644 index 00000000..17f0c5ca --- /dev/null +++ b/verl/models/weight_loader_registry.py @@ -0,0 +1,23 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + + +def get_weight_loader(arch: str): + from verl.models.llama.megatron.checkpoint_utils.llama_loader import load_state_dict_to_megatron_llama + _MODEL_WEIGHT_MEGATRON_LOADER_REGISTRY = {'LlamaForCausalLM': load_state_dict_to_megatron_llama} + + if arch in _MODEL_WEIGHT_MEGATRON_LOADER_REGISTRY: + return _MODEL_WEIGHT_MEGATRON_LOADER_REGISTRY[arch] + raise ValueError(f"Model architectures {arch} are not supported for now. " + f"Supported architectures: {_MODEL_WEIGHT_MEGATRON_LOADER_REGISTRY.keys()}") diff --git a/verl/protocol.py b/verl/protocol.py new file mode 100644 index 00000000..e1ab0af2 --- /dev/null +++ b/verl/protocol.py @@ -0,0 +1,662 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Implement base data transfer protocol between any two functions, modules. +We can subclass Protocol to define more detailed batch info with specific keys +""" + +import pickle +import numpy as np +import copy +from dataclasses import dataclass, field +from typing import Callable, Dict, List, Union + +import torch +import tensordict +from tensordict import TensorDict +from torch.utils.data import DataLoader, Dataset + +from verl.utils.py_functional import union_two_dict + +__all__ = ['DataProto', 'union_tensor_dict'] + +try: + tensordict.set_lazy_legacy(False).set() +except: + pass + + +def pad_dataproto_to_divisor(data: 'DataProto', size_divisor: int): + """Pad a DataProto to size divisible by size_divisor + + Args: + size_divisor (int): size divisor + + Returns: + data: (DataProto): the padded DataProto + pad_size (int) + """ + assert isinstance(data, DataProto), 'data must be a DataProto' + if len(data) % size_divisor != 0: + pad_size = size_divisor - len(data) % size_divisor + data_padded = DataProto.concat([data, data[:pad_size]]) + else: + pad_size = 0 + data_padded = data + return data_padded, pad_size + + +def unpad_dataproto(data: 'DataProto', pad_size): + if pad_size != 0: + data = data[:-pad_size] + return data + + +def union_tensor_dict(tensor_dict1: TensorDict, tensor_dict2: TensorDict) -> TensorDict: + """Union two tensordicts.""" + assert tensor_dict1.batch_size == tensor_dict2.batch_size, \ + f'Two tensor dict must have identical batch size. Got {tensor_dict1.batch_size} and {tensor_dict2.batch_size}' + for key in tensor_dict2.keys(): + if key not in tensor_dict1.keys(): + tensor_dict1[key] = tensor_dict2[key] + else: + assert tensor_dict1[key].equal(tensor_dict2[key]), \ + f'{key} in tensor_dict1 and tensor_dict2 are not the same object' + + return tensor_dict1 + + +def union_numpy_dict(tensor_dict1: dict[np.ndarray], tensor_dict2: dict[np.ndarray]) -> dict[np.ndarray]: + for key, val in tensor_dict2.items(): + if key in tensor_dict1: + assert isinstance(tensor_dict2[key], np.ndarray) + assert isinstance(tensor_dict1[key], np.ndarray) + assert np.all(tensor_dict2[key] == tensor_dict1[key]), \ + f'{key} in tensor_dict1 and tensor_dict2 are not the same object' + tensor_dict1[key] = val + + return tensor_dict1 + + +def list_of_dict_to_dict_of_list(list_of_dict: list[dict]): + if len(list_of_dict) == 0: + return {} + keys = list_of_dict[0].keys() + output = {key: [] for key in keys} + for data in list_of_dict: + for key, item in data.items(): + assert key in output + output[key].append(item) + return output + + +def fold_batch_dim(data: 'DataProto', new_batch_size): + """ + Fold a batch dim from [bsz, xxx] into [new_bsz, bsz // new_bsz, xxx] + """ + batch_size = data.batch.batch_size[0] + + assert batch_size % new_batch_size == 0 + + tensor: TensorDict = data.batch + non_tensor = data.non_tensor_batch + + tensor = tensor.view(new_batch_size, -1) + tensor.auto_batch_size_(batch_dims=1) + + for key, val in non_tensor.items(): + non_tensor[key] = np.reshape(val, newshape=(new_batch_size, -1, *val.shape[1:])) + + return DataProto(batch=tensor, non_tensor_batch=non_tensor, meta_info=data.meta_info) + + +def unfold_batch_dim(data: 'DataProto', batch_dims=2): + """ + Unfold the first n dims as new batch dim + """ + tensor: TensorDict = data.batch + non_tensor = data.non_tensor_batch + tensor.auto_batch_size_(batch_dims=batch_dims) + tensor = tensor.view(-1) + + batch_size = tensor.batch_size[0] + + non_tensor_new = {} + + for key, val in non_tensor.items(): + non_tensor_new[key] = np.reshape(val, newshape=(batch_size, *val.shape[batch_dims:])) + + return DataProto(batch=tensor, non_tensor_batch=non_tensor_new, meta_info=data.meta_info) + + +def collate_fn(x: list['DataProtoItem']): + batch = [] + non_tensor_batch = [] + for data in x: + batch.append(data.batch) + non_tensor_batch.append(data.non_tensor_batch) + batch = torch.stack(batch).contiguous() + non_tensor_batch = list_of_dict_to_dict_of_list(non_tensor_batch) + for key, val in non_tensor_batch.items(): + non_tensor_batch[key] = np.array(val, dtype=object) + return DataProto(batch=batch, non_tensor_batch=non_tensor_batch) + + +@dataclass +class DataProtoItem: + # TODO(zhangchi.usc1992) add consistency check + batch: TensorDict = None + non_tensor_batch: Dict = field(default_factory=dict) + meta_info: Dict = field(default_factory=dict) + + +@dataclass +class DataProto: + """ + A DataProto is a data structure that aims to provide a standard protocol for data exchange between functions. + It contains a batch (TensorDict) and a meta_info (Dict). The batch is a TensorDict https://pytorch.org/tensordict/. + TensorDict allows you to manipulate a dictionary of Tensors like a single Tensor. Ideally, the tensors with the + same batch size should be put inside batch. + """ + batch: TensorDict = None + non_tensor_batch: Dict = field(default_factory=dict) + meta_info: Dict = field(default_factory=dict) + + def __post_init__(self): + # perform necessary checking + self.check_consistency() + + def __len__(self): + if self.batch is not None: + return self.batch.batch_size[0] + elif self.non_tensor_batch is not None and len(self.non_tensor_batch) > 0: + random_key = list(self.non_tensor_batch.keys())[0] + return self.non_tensor_batch[random_key].shape[0] + else: + return 0 + + def __getitem__(self, item): + tensor_data = self.batch[item] + non_tensor_data = {key: val[item] for key, val in self.non_tensor_batch.items()} + return DataProtoItem(batch=tensor_data, non_tensor_batch=non_tensor_data, meta_info=self.meta_info) + + def __getstate__(self): + import io + buffer = io.BytesIO() + if tensordict.__version__ >= '0.5.0' and self.batch is not None: + self.batch = self.batch.contiguous() + self.batch = self.batch.consolidate() + torch.save(self.batch, buffer) + buffer_bytes = buffer.getvalue() + return buffer_bytes, self.non_tensor_batch, self.meta_info + + def __setstate__(self, data): + import io + batch_deserialized_bytes, non_tensor_batch, meta_info = data + batch_deserialized = io.BytesIO(initial_bytes=batch_deserialized_bytes) + batch = torch.load(batch_deserialized, + weights_only=False, + map_location='cpu' if not torch.cuda.is_available() else None) + self.batch = batch + self.non_tensor_batch = non_tensor_batch + self.meta_info = meta_info + + def save_to_disk(self, filepath): + with open(filepath, 'wb') as f: + pickle.dump(self, f) + + @staticmethod + def load_from_disk(filepath) -> 'DataProto': + with open(filepath, 'rb') as f: + data = pickle.load(f) + return data + + def print_size(self, prefix=""): + size_of_tensordict = 0 + for key, tensor in self.batch.items(): + size_of_tensordict += tensor.element_size() * tensor.numel() + size_of_numpy_array = 0 + for key, numpy_array in self.non_tensor_batch.items(): + size_of_numpy_array += numpy_array.nbytes + + size_of_numpy_array /= 1024**3 + size_of_tensordict /= 1024**3 + + message = f'Size of tensordict: {size_of_tensordict} GB, size of non_tensor_batch: {size_of_numpy_array} GB' + + if prefix: + message = f'{prefix}, ' + message + print(message) + + def check_consistency(self): + """Check the consistency of the DataProto. Mainly for batch and non_tensor_batch + We expose this function as a public one so that user can call themselves directly + """ + if self.batch is not None: + assert len(self.batch.batch_size) == 1, 'only support num_batch_dims=1' + + if self.non_tensor_batch is not None: + for key, val in self.non_tensor_batch.items(): + assert isinstance(val, np.ndarray) + + if self.batch is not None and len(self.non_tensor_batch) != 0: + # TODO: we can actually lift this restriction if needed + assert len(self.batch.batch_size) == 1, 'only support num_batch_dims=1 when non_tensor_batch is not empty.' + + batch_size = self.batch.batch_size[0] + for key, val in self.non_tensor_batch.items(): + assert isinstance( + val, np.ndarray + ) and val.dtype == object, 'data in the non_tensor_batch must be a numpy.array with dtype=object' + assert val.shape[ + 0] == batch_size, f'key {key} length {len(val)} is not equal to batch size {batch_size}' + + @classmethod + def from_single_dict(cls, data: Dict[str, Union[torch.Tensor, np.ndarray]], meta_info=None): + tensors = {} + non_tensors = {} + + for key, val in data.items(): + if isinstance(val, torch.Tensor): + tensors[key] = val + elif isinstance(val, np.ndarray): + non_tensors[key] = val + else: + raise ValueError(f'Unsupported type in data {type(val)}') + + return DataProto.from_dict(tensors=tensors, non_tensors=non_tensors, meta_info=meta_info) + + @classmethod + def from_dict(cls, tensors: Dict[str, torch.Tensor], non_tensors=None, meta_info=None, num_batch_dims=1): + """Create a DataProto from a dict of tensors. This assumes that + 1. All the tensor in tensors have the same dim0 + 2. Only dim0 is the batch dim + """ + assert len(tensors) > 0, 'tensors must not be empty' + assert num_batch_dims > 0, 'num_batch_dims must be greater than zero' + if non_tensors is not None: + assert num_batch_dims == 1, 'only support num_batch_dims=1 when non_tensors is not None.' + + if meta_info is None: + meta_info = {} + if non_tensors is None: + non_tensors = {} + + assert isinstance(non_tensors, dict) + + # get and check batch size + batch_size = None + pivot_key = None + for key, tensor in tensors.items(): + if batch_size is None: + batch_size = tensor.shape[:num_batch_dims] + pivot_key = key + else: + current_batch = tensor.shape[:num_batch_dims] + assert batch_size == current_batch, \ + f'Not all the tensor in tensors have the same batch size with batch_dims={num_batch_dims}. Got {pivot_key} has {batch_size}, {key} has {current_batch}' + + for key, val in non_tensors.items(): + non_tensors[key] = np.array(val, dtype=object) + + tensor_dict = TensorDict(source=tensors, batch_size=batch_size) + return cls(batch=tensor_dict, non_tensor_batch=non_tensors, meta_info=meta_info) + + def to(self, device) -> 'DataProto': + """move the batch to device + + Args: + device (torch.device, str): torch device + + Returns: + DataProto: the current DataProto + + """ + if self.batch is not None: + self.batch = self.batch.to(device) + return self + + def select(self, batch_keys=None, non_tensor_batch_keys=None, meta_info_keys=None, deepcopy=False) -> 'DataProto': + """Select a subset of the DataProto via batch_keys and meta_info_keys + + Args: + batch_keys (list, optional): a list of strings indicating the keys in batch to select + meta_info_keys (list, optional): a list of keys indicating the meta info to select + + Returns: + DataProto: the DataProto with the selected batch_keys and meta_info_keys + """ + # TODO (zhangchi.usc1992) whether to copy + if batch_keys is not None: + batch_keys = tuple(batch_keys) + sub_batch = self.batch.select(*batch_keys) + else: + sub_batch = self.batch + + if non_tensor_batch_keys is not None: + non_tensor_batch = {key: val for key, val in self.non_tensor_batch.items() if key in non_tensor_batch_keys} + else: + non_tensor_batch = self.non_tensor_batch + + if deepcopy: + non_tensor_batch = copy.deepcopy(non_tensor_batch) + + if meta_info_keys is not None: + sub_meta_info = {key: val for key, val in self.meta_info.items() if key in meta_info_keys} + else: + sub_meta_info = self.meta_info + + if deepcopy: + sub_meta_info = copy.deepcopy(sub_meta_info) + + return DataProto(batch=sub_batch, non_tensor_batch=non_tensor_batch, meta_info=sub_meta_info) + + def pop(self, batch_keys=None, non_tensor_batch_keys=None, meta_info_keys=None) -> 'DataProto': + """Pop a subset of the DataProto via `batch_keys` and `meta_info_keys` + + Args: + batch_keys (list, optional): a list of strings indicating the keys in batch to pop + meta_info_keys (list, optional): a list of keys indicating the meta info to pop + + Returns: + DataProto: the DataProto with the poped batch_keys and meta_info_keys + """ + assert batch_keys is not None + if meta_info_keys is None: + meta_info_keys = [] + if non_tensor_batch_keys is None: + non_tensor_batch_keys = [] + + tensors = {} + # tensor batch + for key in batch_keys: + assert key in self.batch.keys() + tensors[key] = self.batch.pop(key) + non_tensors = {} + # non tensor batch + for key in non_tensor_batch_keys: + assert key in self.non_tensor_batch.keys() + non_tensors[key] = self.non_tensor_batch.pop(key) + meta_info = {} + for key in meta_info_keys: + assert key in self.meta_info.keys() + meta_info[key] = self.meta_info.pop(key) + return DataProto.from_dict(tensors=tensors, non_tensors=non_tensors, meta_info=meta_info) + + def rename(self, old_keys=None, new_keys=None) -> 'DataProto': + """ + Note that this function only rename the key in the batch + """ + + def validate_input(keys): + if keys is not None: + if isinstance(keys, str): + keys = [keys] + elif isinstance(keys, list): + pass + else: + raise TypeError(f'keys must be a list or a string, but got {type(keys)}') + return keys + + old_keys = validate_input(old_keys) + new_keys = validate_input(new_keys) + + if len(new_keys) != len(old_keys): + raise ValueError( + f'new_keys and old_keys must have the same length, but got {len(new_keys)} and {len(old_keys)}') + + self.batch.rename_key_(tuple(old_keys), tuple(new_keys)) + + return self + + def union(self, other: 'DataProto') -> 'DataProto': + """Union with another DataProto. Union batch and meta_info separately. + Throw an error if + - there are conflict keys in batch and they are not equal + - the batch size of two data batch is not the same + - there are conflict keys in meta_info and they are not the same. + + Args: + other (DataProto): another DataProto to union + + Returns: + DataProto: the DataProto after union + """ + self.batch = union_tensor_dict(self.batch, other.batch) + self.non_tensor_batch = union_numpy_dict(self.non_tensor_batch, other.non_tensor_batch) + self.meta_info = union_two_dict(self.meta_info, other.meta_info) + return self + + def make_iterator(self, mini_batch_size, epochs, seed=None, dataloader_kwargs=None): + """Make an iterator from the DataProto. This is built upon that TensorDict can be used as a normal Pytorch + dataset. See https://pytorch.org/tensordict/tutorials/data_fashion for more details. + + Args: + mini_batch_size (int): mini-batch size when iterating the dataset. We require that + ``batch.batch_size[0] % mini_batch_size == 0`` + epochs (int): number of epochs when iterating the dataset. + dataloader_kwargs: internally, it returns a DataLoader over the batch. + The dataloader_kwargs is the kwargs passed to the DataLoader + + Returns: + Iterator: an iterator that yields a mini-batch data at a time. The total number of iteration steps is + ``self.batch.batch_size * epochs // mini_batch_size`` + """ + assert self.batch.batch_size[0] % mini_batch_size == 0, f"{self.batch.batch_size[0]} % {mini_batch_size} != 0" + # we can directly create a dataloader from TensorDict + if dataloader_kwargs is None: + dataloader_kwargs = {} + + if seed is not None: + generator = torch.Generator() + generator.manual_seed(seed) + else: + generator = None + + assert isinstance(dataloader_kwargs, Dict) + train_dataloader = DataLoader(dataset=self, + batch_size=mini_batch_size, + collate_fn=collate_fn, + generator=generator, + **dataloader_kwargs) + + def get_data(): + for _ in range(epochs): + for d in train_dataloader: + d.meta_info = self.meta_info + yield d + + return iter(get_data()) + + def chunk(self, chunks: int) -> List['DataProto']: + """Split the batch among dim=0 into chunks. The meta_info is passed to each DataProto after split. + + Args: + chunks (int): the number of chunks to split on dim=0 + + Returns: + List[DataProto]: a list of DataProto after splitting + """ + assert len( + self) % chunks == 0, f'only support equal chunk. Got size of DataProto {len(self)} and chunk {chunks}.' + + if self.batch is not None: + batch_lst = self.batch.chunk(chunks=chunks, dim=0) + else: + batch_lst = [None for _ in range(chunks)] + + non_tensor_batch_lst = [{} for _ in range(chunks)] + for key, val in self.non_tensor_batch.items(): + if isinstance(val, np.ndarray): + # Original logic for numpy arrays + non_tensor_lst = np.array_split(val, chunks) + elif isinstance(val, list): + # Handle Python lists by splitting them + list_len = len(val) + # Ensure the list length is divisible by chunks for simplicity + # If not, this might require more complex logic to distribute remainder + if list_len % chunks != 0: + print(f"[DataProto.chunk] Warning: List length {list_len} for key '{key}' is not divisible by {chunks}. Chunking might be uneven or fail.") + # For now, proceed assuming it should work or raise error if strict division needed + chunk_size = list_len // chunks + non_tensor_lst = [val[i * chunk_size:(i + 1) * chunk_size] for i in range(chunks)] + else: + # Handle other unexpected types if necessary, or raise error + raise TypeError(f"Unsupported type '{type(val)}' found in non_tensor_batch for key '{key}'. Expected np.ndarray or list.") + + assert len(non_tensor_lst) == chunks, f"Splitting failed for key '{key}'" + for i in range(chunks): + non_tensor_batch_lst[i][key] = non_tensor_lst[i] + + output = [] + for i in range(chunks): + output.append( + DataProto(batch=batch_lst[i], non_tensor_batch=non_tensor_batch_lst[i], meta_info=self.meta_info)) + + return output + + @staticmethod + def concat(data: List['DataProto']) -> 'DataProto': + """Concat a list of DataProto. The batch is concatenated among dim=0. + The meta_info is assumed to be identical and will use the first one. + + Args: + data (List[DataProto]): list of DataProto + + Returns: + DataProto: concatenated DataProto + """ + batch_lst = [] + for batch in data: + batch_lst.append(batch.batch) + if batch_lst[0] is not None: + new_batch = torch.cat(batch_lst, dim=0) + else: + new_batch = None + + non_tensor_batch = list_of_dict_to_dict_of_list(list_of_dict=[d.non_tensor_batch for d in data]) + for key, val in non_tensor_batch.items(): + non_tensor_batch[key] = np.concatenate(val, axis=0) + + return DataProto(batch=new_batch, non_tensor_batch=non_tensor_batch, meta_info=data[0].meta_info) + + def reorder(self, indices): + """ + Note that this operation is in-place + """ + if self.batch is not None: + self.batch = self.batch[indices] + if self.non_tensor_batch: + indices_list = indices.tolist() # 转换为 Python 列表 + new_non_tensor_batch = {} + for key, val in self.non_tensor_batch.items(): + if isinstance(val, list): + new_non_tensor_batch[key] = [val[i] for i in indices_list] + else: + new_non_tensor_batch[key] = val + self.non_tensor_batch = new_non_tensor_batch + + def repeat(self, repeat_times=2, interleave=True): + """ + Repeat the batch data a specified number of times. + + Args: + repeat_times (int): Number of times to repeat the data. + interleave (bool): Whether to interleave the repeated data. + + Returns: + DataProto: A new DataProto with repeated data. + """ + if self.batch is not None: + if interleave: + # Interleave the data + repeated_tensors = { + key: tensor.repeat_interleave(repeat_times, dim=0) for key, tensor in self.batch.items() + } + else: + # Stack the data + repeated_tensors = { + key: tensor.unsqueeze(0).expand(repeat_times, *tensor.shape).reshape(-1, *tensor.shape[1:]) + for key, tensor in self.batch.items() + } + + repeated_batch = TensorDict( + source=repeated_tensors, + batch_size=(self.batch.batch_size[0] * repeat_times,), + ) + else: + repeated_batch = None + + repeated_non_tensor_batch = {} + for key, val in self.non_tensor_batch.items(): + if interleave: + repeated_non_tensor_batch[key] = np.repeat(val, repeat_times, axis=0) + else: + repeated_non_tensor_batch[key] = np.tile(val, (repeat_times,) + (1,) * (val.ndim - 1)) + + return DataProto( + batch=repeated_batch, + non_tensor_batch=repeated_non_tensor_batch, + meta_info=self.meta_info, + ) + + +import ray + + +@dataclass +class DataProtoFuture: + """ + DataProtoFuture aims to eliminate actual data fetching on driver. By doing so, the driver doesn't have to wait + for data so that asynchronous execution becomes possible. + DataProtoFuture contains a list of futures from another WorkerGroup of size world_size. + - collect_fn is a Callable that reduces the list of futures to a DataProto + - dispatch_fn is a Callable that partitions the DataProto into a list of DataProto of size world_size and then select + + Potential issue: we can optimize dispatch_fn(collect_fn) such that only needed data is fetched on destination + - DataProtoFuture only supports directly passing from the output of a method to another input. You can't perform any + operation on the DataProtoFuture in driver. + """ + collect_fn: Callable + futures: List[ray.ObjectRef] + dispatch_fn: Callable = None + + @staticmethod + def concat(data: List[ray.ObjectRef]) -> 'DataProtoFuture': + output = DataProtoFuture(collect_fn=DataProto.concat, futures=data) + return output + + def chunk(self, chunks: int) -> List['DataProtoFuture']: + from functools import partial + + arg_future_lst = [] + for i in range(chunks): + # note that we can't directly pass i and chunks + def dispatch_fn(x, i, chunks): + return x.chunk(chunks=chunks)[i] + + arg_future = DataProtoFuture(collect_fn=self.collect_fn, + dispatch_fn=partial(dispatch_fn, i=i, chunks=chunks), + futures=self.futures) + arg_future_lst.append(arg_future) + return arg_future_lst + + def get(self): + output = ray.get(self.futures) # dp_size. + for o in output: + assert isinstance(o, DataProto) + output = self.collect_fn(output) # select dp, concat + if self.dispatch_fn is not None: + output = self.dispatch_fn(output) # split in batch dim, select using dp + return output diff --git a/verl/protocol_old.py b/verl/protocol_old.py new file mode 100644 index 00000000..aad93827 --- /dev/null +++ b/verl/protocol_old.py @@ -0,0 +1,647 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Implement base data transfer protocol between any two functions, modules. +We can subclass Protocol to define more detailed batch info with specific keys +""" + +import pickle +import numpy as np +import copy +from dataclasses import dataclass, field +from typing import Callable, Dict, List, Union + +import torch +import tensordict +from tensordict import TensorDict +from torch.utils.data import DataLoader, Dataset + +from verl.utils.py_functional import union_two_dict + +__all__ = ['DataProto', 'union_tensor_dict'] + +try: + tensordict.set_lazy_legacy(False).set() +except: + pass + + +def pad_dataproto_to_divisor(data: 'DataProto', size_divisor: int): + """Pad a DataProto to size divisible by size_divisor + + Args: + size_divisor (int): size divisor + + Returns: + data: (DataProto): the padded DataProto + pad_size (int) + """ + assert isinstance(data, DataProto), 'data must be a DataProto' + if len(data) % size_divisor != 0: + pad_size = size_divisor - len(data) % size_divisor + data_padded = DataProto.concat([data, data[:pad_size]]) + else: + pad_size = 0 + data_padded = data + return data_padded, pad_size + + +def unpad_dataproto(data: 'DataProto', pad_size): + if pad_size != 0: + data = data[:-pad_size] + return data + + +def union_tensor_dict(tensor_dict1: TensorDict, tensor_dict2: TensorDict) -> TensorDict: + """Union two tensordicts.""" + assert tensor_dict1.batch_size == tensor_dict2.batch_size, \ + f'Two tensor dict must have identical batch size. Got {tensor_dict1.batch_size} and {tensor_dict2.batch_size}' + for key in tensor_dict2.keys(): + if key not in tensor_dict1.keys(): + tensor_dict1[key] = tensor_dict2[key] + else: + assert tensor_dict1[key].equal(tensor_dict2[key]), \ + f'{key} in tensor_dict1 and tensor_dict2 are not the same object' + + return tensor_dict1 + + +def union_numpy_dict(tensor_dict1: dict[np.ndarray], tensor_dict2: dict[np.ndarray]) -> dict[np.ndarray]: + for key, val in tensor_dict2.items(): + if key in tensor_dict1: + assert isinstance(tensor_dict2[key], np.ndarray) + assert isinstance(tensor_dict1[key], np.ndarray) + assert np.all(tensor_dict2[key] == tensor_dict1[key]), \ + f'{key} in tensor_dict1 and tensor_dict2 are not the same object' + tensor_dict1[key] = val + + return tensor_dict1 + + +def list_of_dict_to_dict_of_list(list_of_dict: list[dict]): + if len(list_of_dict) == 0: + return {} + keys = list_of_dict[0].keys() + output = {key: [] for key in keys} + for data in list_of_dict: + for key, item in data.items(): + assert key in output + output[key].append(item) + return output + + +def fold_batch_dim(data: 'DataProto', new_batch_size): + """ + Fold a batch dim from [bsz, xxx] into [new_bsz, bsz // new_bsz, xxx] + """ + batch_size = data.batch.batch_size[0] + + assert batch_size % new_batch_size == 0 + + tensor: TensorDict = data.batch + non_tensor = data.non_tensor_batch + + tensor = tensor.view(new_batch_size, -1) + tensor.auto_batch_size_(batch_dims=1) + + for key, val in non_tensor.items(): + non_tensor[key] = np.reshape(val, newshape=(new_batch_size, -1, *val.shape[1:])) + + return DataProto(batch=tensor, non_tensor_batch=non_tensor, meta_info=data.meta_info) + + +def unfold_batch_dim(data: 'DataProto', batch_dims=2): + """ + Unfold the first n dims as new batch dim + """ + tensor: TensorDict = data.batch + non_tensor = data.non_tensor_batch + tensor.auto_batch_size_(batch_dims=batch_dims) + tensor = tensor.view(-1) + + batch_size = tensor.batch_size[0] + + non_tensor_new = {} + + for key, val in non_tensor.items(): + non_tensor_new[key] = np.reshape(val, newshape=(batch_size, *val.shape[batch_dims:])) + + return DataProto(batch=tensor, non_tensor_batch=non_tensor_new, meta_info=data.meta_info) + + +def collate_fn(x: list['DataProtoItem']): + batch = [] + non_tensor_batch = [] + for data in x: + batch.append(data.batch) + non_tensor_batch.append(data.non_tensor_batch) + batch = torch.stack(batch).contiguous() + non_tensor_batch = list_of_dict_to_dict_of_list(non_tensor_batch) + for key, val in non_tensor_batch.items(): + non_tensor_batch[key] = np.array(val, dtype=object) + return DataProto(batch=batch, non_tensor_batch=non_tensor_batch) + + +@dataclass +class DataProtoItem: + # TODO(zhangchi.usc1992) add consistency check + batch: TensorDict = None + non_tensor_batch: Dict = field(default_factory=dict) + meta_info: Dict = field(default_factory=dict) + + +@dataclass +class DataProto: + """ + A DataProto is a data structure that aims to provide a standard protocol for data exchange between functions. + It contains a batch (TensorDict) and a meta_info (Dict). The batch is a TensorDict https://pytorch.org/tensordict/. + TensorDict allows you to manipulate a dictionary of Tensors like a single Tensor. Ideally, the tensors with the + same batch size should be put inside batch. + """ + batch: TensorDict = None + non_tensor_batch: Dict = field(default_factory=dict) + meta_info: Dict = field(default_factory=dict) + + def __post_init__(self): + # perform necessary checking + self.check_consistency() + + def __len__(self): + if self.batch is not None: + return self.batch.batch_size[0] + elif self.non_tensor_batch is not None and len(self.non_tensor_batch) > 0: + random_key = list(self.non_tensor_batch.keys())[0] + return self.non_tensor_batch[random_key].shape[0] + else: + return 0 + + def __getitem__(self, item): + tensor_data = self.batch[item] + non_tensor_data = {key: val[item] for key, val in self.non_tensor_batch.items()} + return DataProtoItem(batch=tensor_data, non_tensor_batch=non_tensor_data, meta_info=self.meta_info) + + def __getstate__(self): + import io + buffer = io.BytesIO() + if tensordict.__version__ >= '0.5.0' and self.batch is not None: + self.batch = self.batch.contiguous() + self.batch = self.batch.consolidate() + torch.save(self.batch, buffer) + buffer_bytes = buffer.getvalue() + return buffer_bytes, self.non_tensor_batch, self.meta_info + + def __setstate__(self, data): + import io + batch_deserialized_bytes, non_tensor_batch, meta_info = data + batch_deserialized = io.BytesIO(initial_bytes=batch_deserialized_bytes) + batch = torch.load(batch_deserialized, + weights_only=False, + map_location='cpu' if not torch.cuda.is_available() else None) + self.batch = batch + self.non_tensor_batch = non_tensor_batch + self.meta_info = meta_info + + def save_to_disk(self, filepath): + with open(filepath, 'wb') as f: + pickle.dump(self, f) + + @staticmethod + def load_from_disk(filepath) -> 'DataProto': + with open(filepath, 'rb') as f: + data = pickle.load(f) + return data + + def print_size(self, prefix=""): + size_of_tensordict = 0 + for key, tensor in self.batch.items(): + size_of_tensordict += tensor.element_size() * tensor.numel() + size_of_numpy_array = 0 + for key, numpy_array in self.non_tensor_batch.items(): + size_of_numpy_array += numpy_array.nbytes + + size_of_numpy_array /= 1024**3 + size_of_tensordict /= 1024**3 + + message = f'Size of tensordict: {size_of_tensordict} GB, size of non_tensor_batch: {size_of_numpy_array} GB' + + if prefix: + message = f'{prefix}, ' + message + print(message) + + def check_consistency(self): + """Check the consistency of the DataProto. Mainly for batch and non_tensor_batch + We expose this function as a public one so that user can call themselves directly + """ + if self.batch is not None: + assert len(self.batch.batch_size) == 1, 'only support num_batch_dims=1' + + if self.non_tensor_batch is not None: + for key, val in self.non_tensor_batch.items(): + assert isinstance(val, np.ndarray) + + if self.batch is not None and len(self.non_tensor_batch) != 0: + # TODO: we can actually lift this restriction if needed + assert len(self.batch.batch_size) == 1, 'only support num_batch_dims=1 when non_tensor_batch is not empty.' + + batch_size = self.batch.batch_size[0] + for key, val in self.non_tensor_batch.items(): + assert isinstance( + val, np.ndarray + ) and val.dtype == object, 'data in the non_tensor_batch must be a numpy.array with dtype=object' + assert val.shape[ + 0] == batch_size, f'key {key} length {len(val)} is not equal to batch size {batch_size}' + + @classmethod + def from_single_dict(cls, data: Dict[str, Union[torch.Tensor, np.ndarray]], meta_info=None): + tensors = {} + non_tensors = {} + + for key, val in data.items(): + if isinstance(val, torch.Tensor): + tensors[key] = val + elif isinstance(val, np.ndarray): + non_tensors[key] = val + else: + raise ValueError(f'Unsupported type in data {type(val)}') + + return DataProto.from_dict(tensors=tensors, non_tensors=non_tensors, meta_info=meta_info) + + @classmethod + def from_dict(cls, tensors: Dict[str, torch.Tensor], non_tensors=None, meta_info=None, num_batch_dims=1): + """Create a DataProto from a dict of tensors. This assumes that + 1. All the tensor in tensors have the same dim0 + 2. Only dim0 is the batch dim + """ + assert len(tensors) > 0, 'tensors must not be empty' + assert num_batch_dims > 0, 'num_batch_dims must be greater than zero' + if non_tensors is not None: + assert num_batch_dims == 1, 'only support num_batch_dims=1 when non_tensors is not None.' + + if meta_info is None: + meta_info = {} + if non_tensors is None: + non_tensors = {} + + assert isinstance(non_tensors, dict) + + # get and check batch size + batch_size = None + pivot_key = None + for key, tensor in tensors.items(): + if batch_size is None: + batch_size = tensor.shape[:num_batch_dims] + pivot_key = key + else: + current_batch = tensor.shape[:num_batch_dims] + assert batch_size == current_batch, \ + f'Not all the tensor in tensors have the same batch size with batch_dims={num_batch_dims}. Got {pivot_key} has {batch_size}, {key} has {current_batch}' + + for key, val in non_tensors.items(): + non_tensors[key] = np.array(val, dtype=object) + + tensor_dict = TensorDict(source=tensors, batch_size=batch_size) + return cls(batch=tensor_dict, non_tensor_batch=non_tensors, meta_info=meta_info) + + def to(self, device) -> 'DataProto': + """move the batch to device + + Args: + device (torch.device, str): torch device + + Returns: + DataProto: the current DataProto + + """ + if self.batch is not None: + self.batch = self.batch.to(device) + return self + + def select(self, batch_keys=None, non_tensor_batch_keys=None, meta_info_keys=None, deepcopy=False) -> 'DataProto': + """Select a subset of the DataProto via batch_keys and meta_info_keys + + Args: + batch_keys (list, optional): a list of strings indicating the keys in batch to select + meta_info_keys (list, optional): a list of keys indicating the meta info to select + + Returns: + DataProto: the DataProto with the selected batch_keys and meta_info_keys + """ + # TODO (zhangchi.usc1992) whether to copy + if batch_keys is not None: + batch_keys = tuple(batch_keys) + sub_batch = self.batch.select(*batch_keys) + else: + sub_batch = self.batch + + if non_tensor_batch_keys is not None: + non_tensor_batch = {key: val for key, val in self.non_tensor_batch.items() if key in non_tensor_batch_keys} + else: + non_tensor_batch = self.non_tensor_batch + + if deepcopy: + non_tensor_batch = copy.deepcopy(non_tensor_batch) + + if meta_info_keys is not None: + sub_meta_info = {key: val for key, val in self.meta_info.items() if key in meta_info_keys} + else: + sub_meta_info = self.meta_info + + if deepcopy: + sub_meta_info = copy.deepcopy(sub_meta_info) + + return DataProto(batch=sub_batch, non_tensor_batch=non_tensor_batch, meta_info=sub_meta_info) + + def pop(self, batch_keys=None, non_tensor_batch_keys=None, meta_info_keys=None) -> 'DataProto': + """Pop a subset of the DataProto via `batch_keys` and `meta_info_keys` + + Args: + batch_keys (list, optional): a list of strings indicating the keys in batch to pop + meta_info_keys (list, optional): a list of keys indicating the meta info to pop + + Returns: + DataProto: the DataProto with the poped batch_keys and meta_info_keys + """ + assert batch_keys is not None + if meta_info_keys is None: + meta_info_keys = [] + if non_tensor_batch_keys is None: + non_tensor_batch_keys = [] + + tensors = {} + # tensor batch + for key in batch_keys: + assert key in self.batch.keys() + tensors[key] = self.batch.pop(key) + non_tensors = {} + # non tensor batch + for key in non_tensor_batch_keys: + assert key in self.non_tensor_batch.keys() + non_tensors[key] = self.non_tensor_batch.pop(key) + meta_info = {} + for key in meta_info_keys: + assert key in self.meta_info.keys() + meta_info[key] = self.meta_info.pop(key) + return DataProto.from_dict(tensors=tensors, non_tensors=non_tensors, meta_info=meta_info) + + def rename(self, old_keys=None, new_keys=None) -> 'DataProto': + """ + Note that this function only rename the key in the batch + """ + + def validate_input(keys): + if keys is not None: + if isinstance(keys, str): + keys = [keys] + elif isinstance(keys, list): + pass + else: + raise TypeError(f'keys must be a list or a string, but got {type(keys)}') + return keys + + old_keys = validate_input(old_keys) + new_keys = validate_input(new_keys) + + if len(new_keys) != len(old_keys): + raise ValueError( + f'new_keys and old_keys must have the same length, but got {len(new_keys)} and {len(old_keys)}') + + self.batch.rename_key_(tuple(old_keys), tuple(new_keys)) + + return self + + def union(self, other: 'DataProto') -> 'DataProto': + """Union with another DataProto. Union batch and meta_info separately. + Throw an error if + - there are conflict keys in batch and they are not equal + - the batch size of two data batch is not the same + - there are conflict keys in meta_info and they are not the same. + + Args: + other (DataProto): another DataProto to union + + Returns: + DataProto: the DataProto after union + """ + self.batch = union_tensor_dict(self.batch, other.batch) + self.non_tensor_batch = union_numpy_dict(self.non_tensor_batch, other.non_tensor_batch) + self.meta_info = union_two_dict(self.meta_info, other.meta_info) + return self + + def make_iterator(self, mini_batch_size, epochs, seed=None, dataloader_kwargs=None): + """Make an iterator from the DataProto. This is built upon that TensorDict can be used as a normal Pytorch + dataset. See https://pytorch.org/tensordict/tutorials/data_fashion for more details. + + Args: + mini_batch_size (int): mini-batch size when iterating the dataset. We require that + ``batch.batch_size[0] % mini_batch_size == 0`` + epochs (int): number of epochs when iterating the dataset. + dataloader_kwargs: internally, it returns a DataLoader over the batch. + The dataloader_kwargs is the kwargs passed to the DataLoader + + Returns: + Iterator: an iterator that yields a mini-batch data at a time. The total number of iteration steps is + ``self.batch.batch_size * epochs // mini_batch_size`` + """ + assert self.batch.batch_size[0] % mini_batch_size == 0, f"{self.batch.batch_size[0]} % {mini_batch_size} != 0" + # we can directly create a dataloader from TensorDict + if dataloader_kwargs is None: + dataloader_kwargs = {} + + if seed is not None: + generator = torch.Generator() + generator.manual_seed(seed) + else: + generator = None + + assert isinstance(dataloader_kwargs, Dict) + train_dataloader = DataLoader(dataset=self, + batch_size=mini_batch_size, + collate_fn=collate_fn, + generator=generator, + **dataloader_kwargs) + + def get_data(): + for _ in range(epochs): + for d in train_dataloader: + d.meta_info = self.meta_info + yield d + + return iter(get_data()) + + def chunk(self, chunks: int) -> List['DataProto']: + """Split the batch among dim=0 into chunks. The meta_info is passed to each DataProto after split. + + Args: + chunks (int): the number of chunks to split on dim=0 + + Returns: + List[DataProto]: a list of DataProto after splitting + """ + assert len( + self) % chunks == 0, f'only support equal chunk. Got size of DataProto {len(self)} and chunk {chunks}.' + + if self.batch is not None: + batch_lst = self.batch.chunk(chunks=chunks, dim=0) + else: + batch_lst = [None for _ in range(chunks)] + + non_tensor_batch_lst = [{} for _ in range(chunks)] + for key, val in self.non_tensor_batch.items(): + assert isinstance(val, np.ndarray) + non_tensor_lst = np.array_split(val, chunks) + assert len(non_tensor_lst) == chunks + for i in range(chunks): + non_tensor_batch_lst[i][key] = non_tensor_lst[i] + + output = [] + for i in range(chunks): + output.append( + DataProto(batch=batch_lst[i], non_tensor_batch=non_tensor_batch_lst[i], meta_info=self.meta_info)) + + return output + + @staticmethod + def concat(data: List['DataProto']) -> 'DataProto': + """Concat a list of DataProto. The batch is concatenated among dim=0. + The meta_info is assumed to be identical and will use the first one. + + Args: + data (List[DataProto]): list of DataProto + + Returns: + DataProto: concatenated DataProto + """ + batch_lst = [] + for batch in data: + batch_lst.append(batch.batch) + if batch_lst[0] is not None: + new_batch = torch.cat(batch_lst, dim=0) + else: + new_batch = None + + non_tensor_batch = list_of_dict_to_dict_of_list(list_of_dict=[d.non_tensor_batch for d in data]) + for key, val in non_tensor_batch.items(): + non_tensor_batch[key] = np.concatenate(val, axis=0) + + return DataProto(batch=new_batch, non_tensor_batch=non_tensor_batch, meta_info=data[0].meta_info) + + def reorder(self, indices): + """ + Note that this operation is in-place + """ + if self.batch is not None: + self.batch = self.batch[indices] + if self.non_tensor_batch: + indices_list = indices.tolist() # 转换为 Python 列表 + new_non_tensor_batch = {} + for key, val in self.non_tensor_batch.items(): + if isinstance(val, list): + new_non_tensor_batch[key] = [val[i] for i in indices_list] + else: + new_non_tensor_batch[key] = val + self.non_tensor_batch = new_non_tensor_batch + + def repeat(self, repeat_times=2, interleave=True): + """ + Repeat the batch data a specified number of times. + + Args: + repeat_times (int): Number of times to repeat the data. + interleave (bool): Whether to interleave the repeated data. + + Returns: + DataProto: A new DataProto with repeated data. + """ + if self.batch is not None: + if interleave: + # Interleave the data + repeated_tensors = { + key: tensor.repeat_interleave(repeat_times, dim=0) for key, tensor in self.batch.items() + } + else: + # Stack the data + repeated_tensors = { + key: tensor.unsqueeze(0).expand(repeat_times, *tensor.shape).reshape(-1, *tensor.shape[1:]) + for key, tensor in self.batch.items() + } + + repeated_batch = TensorDict( + source=repeated_tensors, + batch_size=(self.batch.batch_size[0] * repeat_times,), + ) + else: + repeated_batch = None + + repeated_non_tensor_batch = {} + for key, val in self.non_tensor_batch.items(): + if interleave: + repeated_non_tensor_batch[key] = np.repeat(val, repeat_times, axis=0) + else: + repeated_non_tensor_batch[key] = np.tile(val, (repeat_times,) + (1,) * (val.ndim - 1)) + + return DataProto( + batch=repeated_batch, + non_tensor_batch=repeated_non_tensor_batch, + meta_info=self.meta_info, + ) + + +import ray + + +@dataclass +class DataProtoFuture: + """ + DataProtoFuture aims to eliminate actual data fetching on driver. By doing so, the driver doesn't have to wait + for data so that asynchronous execution becomes possible. + DataProtoFuture contains a list of futures from another WorkerGroup of size world_size. + - collect_fn is a Callable that reduces the list of futures to a DataProto + - dispatch_fn is a Callable that partitions the DataProto into a list of DataProto of size world_size and then select + + Potential issue: we can optimize dispatch_fn(collect_fn) such that only needed data is fetched on destination + - DataProtoFuture only supports directly passing from the output of a method to another input. You can't perform any + operation on the DataProtoFuture in driver. + """ + collect_fn: Callable + futures: List[ray.ObjectRef] + dispatch_fn: Callable = None + + @staticmethod + def concat(data: List[ray.ObjectRef]) -> 'DataProtoFuture': + output = DataProtoFuture(collect_fn=DataProto.concat, futures=data) + return output + + def chunk(self, chunks: int) -> List['DataProtoFuture']: + from functools import partial + + arg_future_lst = [] + for i in range(chunks): + # note that we can't directly pass i and chunks + def dispatch_fn(x, i, chunks): + return x.chunk(chunks=chunks)[i] + + arg_future = DataProtoFuture(collect_fn=self.collect_fn, + dispatch_fn=partial(dispatch_fn, i=i, chunks=chunks), + futures=self.futures) + arg_future_lst.append(arg_future) + return arg_future_lst + + def get(self): + output = ray.get(self.futures) # dp_size. + for o in output: + assert isinstance(o, DataProto) + output = self.collect_fn(output) # select dp, concat + if self.dispatch_fn is not None: + output = self.dispatch_fn(output) # split in batch dim, select using dp + return output diff --git a/verl/setup.py b/verl/setup.py new file mode 100644 index 00000000..6fb08dd6 --- /dev/null +++ b/verl/setup.py @@ -0,0 +1,51 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +# setup.py is the fallback installation script when pyproject.toml does not work +from setuptools import setup, find_packages +import os + +__version__ = 0.1 + + +with open('requirements.txt') as f: + required = f.read().splitlines() + install_requires = [item.strip() for item in required if item.strip()[0] != '#'] + +extras_require = { + 'test': ['pytest', 'yapf'] +} + +from pathlib import Path +this_directory = Path(__file__).parent +long_description = (this_directory / "README.md").read_text() + +setup( + name='verl', + version=__version__, + package_dir={'': '.'}, + packages=find_packages(where='.'), + url='https://github.com/volcengine/verl', + license='Apache 2.0', + author='Bytedance - Seed - MLSys', + author_email='zhangchi.usc1992@bytedance.com, gmsheng@connect.hku.hk', + description='veRL: Volcano Engine Reinforcement Learning for LLM', + install_requires=install_requires, + extras_require=extras_require, + package_data={'': ['version/*'], + 'verl': ['trainer/config/*.yaml'],}, + include_package_data=True, + long_description=long_description, + long_description_content_type='text/markdown' +) \ No newline at end of file diff --git a/verl/single_controller/__init__.py b/verl/single_controller/__init__.py new file mode 100644 index 00000000..bd850b79 --- /dev/null +++ b/verl/single_controller/__init__.py @@ -0,0 +1,20 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import os + +version_folder = os.path.dirname(os.path.join(os.path.abspath(__file__))) + +with open(os.path.join(version_folder, 'version/version')) as f: + __version__ = f.read().strip() diff --git a/verl/single_controller/base/__init__.py b/verl/single_controller/base/__init__.py new file mode 100644 index 00000000..75846436 --- /dev/null +++ b/verl/single_controller/base/__init__.py @@ -0,0 +1,16 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from .worker import Worker +from .worker_group import WorkerGroup, ClassWithInitArgs, ResourcePool diff --git a/verl/single_controller/base/decorator.py b/verl/single_controller/base/decorator.py new file mode 100644 index 00000000..6fdacb6d --- /dev/null +++ b/verl/single_controller/base/decorator.py @@ -0,0 +1,410 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from enum import Enum +from functools import wraps +from typing import Dict, List, Tuple +from types import FunctionType +from verl.protocol import DataProtoFuture + +# here we add a magic number of avoid user-defined function already have this attribute +MAGIC_ATTR = 'attrs_3141562937' + + +class Dispatch(Enum): + RANK_ZERO = 0 + ONE_TO_ALL = 1 + ALL_TO_ALL = 2 + MEGATRON_COMPUTE = 3 + MEGATRON_PP_AS_DP = 4 + MEGATRON_PP_ONLY = 5 + MEGATRON_COMPUTE_PROTO = 6 + MEGATRON_PP_AS_DP_PROTO = 7 + DP_COMPUTE = 8 + DP_COMPUTE_PROTO = 9 + DP_COMPUTE_PROTO_WITH_FUNC = 10 + DP_COMPUTE_METRIC = 11 + + +class Execute(Enum): + ALL = 0 + RANK_ZERO = 1 + + +def _split_args_kwargs_data_proto(chunks, *args, **kwargs): + from verl.protocol import DataProto, DataProtoFuture + splitted_args = [] + for arg in args: + assert isinstance(arg, (DataProto, DataProtoFuture)) + splitted_args.append(arg.chunk(chunks=chunks)) + + splitted_kwargs = {} + for key, val in kwargs.items(): + assert isinstance(val, (DataProto, DataProtoFuture)) + splitted_kwargs[key] = val.chunk(chunks=chunks) + + return splitted_args, splitted_kwargs + + +def dispatch_one_to_all(worker_group, *args, **kwargs): + args = tuple([arg] * worker_group.world_size for arg in args) + kwargs = {k: [v] * worker_group.world_size for k, v in kwargs.items()} + return args, kwargs + + +def dispatch_all_to_all(worker_group, *args, **kwargs): + return args, kwargs + + +def collect_all_to_all(worker_group, output): + return output + + +def dispatch_megatron_compute(worker_group, *args, **kwargs): + """ + User passes in dp data. The data is dispatched to all tp/pp ranks with the same dp + """ + from verl.single_controller.base.megatron.worker_group import MegatronWorkerGroup + assert isinstance(worker_group, + MegatronWorkerGroup), f'worker_group must be MegatronWorkerGroup, Got {type(worker_group)}' + + all_args = [] + for arg in args: + assert isinstance(arg, (Tuple, List)) and len(arg) == worker_group.dp_size + transformed_args = [] + for i in range(worker_group.world_size): + local_dp_rank = worker_group.get_megatron_rank_info(rank=i).dp_rank + transformed_args.append(arg[local_dp_rank]) + all_args.append(transformed_args) + all_args = tuple(all_args) + + all_kwargs = {} + for k, v in kwargs.items(): + assert isinstance(v, (Tuple, List)) and len(v) == worker_group.dp_size + transformed_v = [] + for i in range(worker_group.world_size): + local_dp_rank = worker_group.get_megatron_rank_info(rank=i).dp_rank + transformed_v.append(v[local_dp_rank]) + all_kwargs[k] = transformed_v + return all_args, all_kwargs + + +def collect_megatron_compute(worker_group, output): + """ + Only collect the data from the tp=0 and pp=last and every dp ranks + """ + from verl.single_controller.base.megatron.worker_group import MegatronWorkerGroup + assert isinstance(worker_group, MegatronWorkerGroup) + output_in_dp = [] + pp_size = worker_group.get_megatron_global_info().pp_size + for global_rank in range(worker_group.world_size): + local_rank_info = worker_group.get_megatron_rank_info(rank=global_rank) + if local_rank_info.tp_rank == 0 and local_rank_info.pp_rank == pp_size - 1: + output_in_dp.append(output[global_rank]) + return output_in_dp + + +def dispatch_megatron_compute_data_proto(worker_group, *args, **kwargs): + """ + All the args and kwargs must be DataProto. The batch will be chunked by dp_size and passed to each rank + """ + from verl.single_controller.base.megatron.worker_group import MegatronWorkerGroup + assert isinstance(worker_group, MegatronWorkerGroup) + + splitted_args, splitted_kwargs = _split_args_kwargs_data_proto(worker_group.dp_size, *args, **kwargs) + return dispatch_megatron_compute(worker_group, *splitted_args, **splitted_kwargs) + + +def _concat_data_proto_or_future(output: List): + from verl.protocol import DataProto, DataProtoFuture + import ray + + # make sure all the elements in output has the same type + for o in output: + assert type(o) == type(output[0]) + + o = output[0] + + if isinstance(o, DataProto): + return DataProto.concat(output) + elif isinstance(o, ray.ObjectRef): + return DataProtoFuture.concat(output) + else: + raise NotImplementedError + + +def collect_megatron_compute_data_proto(worker_group, output): + """ + Each output must be a DataProto. We concat the dim=0 of output + """ + from verl.protocol import DataProto + import ray + + output = collect_megatron_compute(worker_group, output) + for o in output: + assert isinstance(o, (DataProto, ray.ObjectRef)), f"expecting {o} to be DataProto, but got {type(o)}" + + return _concat_data_proto_or_future(output) + + +def dispatch_megatron_pp_as_dp(worker_group, *args, **kwargs): + """ + treat pp as dp. + """ + from verl.single_controller.base.megatron.worker_group import MegatronWorkerGroup + assert isinstance(worker_group, MegatronWorkerGroup) + + pp_size = worker_group.pp_size + dp_size = worker_group.dp_size + + pp_dp_size = pp_size * dp_size + + all_args = [] + for arg in args: + assert isinstance(arg, (List, Tuple)) and len(arg) == pp_dp_size + transformed_args = [] + for i in range(worker_group.world_size): + local_dp_rank = worker_group.get_megatron_rank_info(rank=i).dp_rank + local_pp_rank = worker_group.get_megatron_rank_info(rank=i).pp_rank + # compute the rank in arg. Note that the order is dp then pp + # Also note that the outputs within a pp group will be firstly allgathered, then only the output of pp0 will be collected. + # For pp=2 dp=4, a batch of data "ABCDEFGH" should be dispatched and collected in below order: + # dispatch: pp_allgther: collect: + # dp 0 1 2 3 dp 0 1 2 3 + # pp +---------+ pp +-------------+ + # 0 | A C E G | 0 | AB CD EF GH | ABCDEFGH + # 1 | B D F H | 1 | AB CD EF GH | + # +---------+ +-------------+ + arg_rank = local_dp_rank * worker_group.pp_size + local_pp_rank + + transformed_args.append(arg[arg_rank]) + all_args.append(transformed_args) + all_args = tuple(all_args) + + all_kwargs = {} + for k, v in kwargs.items(): + assert isinstance(v, (List, Tuple)) and len(v) == pp_dp_size, f'expect len(v)=={pp_dp_size}, got {len(v)}' + transformed_v = [] + for i in range(worker_group.world_size): + local_dp_rank = worker_group.get_megatron_rank_info(rank=i).dp_rank + local_pp_rank = worker_group.get_megatron_rank_info(rank=i).pp_rank + # compute the rank in arg. Note that the order is dp then pp + arg_rank = local_dp_rank * worker_group.pp_size + local_pp_rank + transformed_v.append(v[arg_rank]) + all_kwargs[k] = transformed_v + return all_args, all_kwargs + + +def collect_megatron_pp_as_dp(worker_group, output): + """ + treat pp as dp. Only collect data on tp=0 + """ + from verl.single_controller.base.megatron.worker_group import MegatronWorkerGroup + assert isinstance(worker_group, MegatronWorkerGroup) + output_in_dp = [] + for global_rank in range(worker_group.world_size): + local_rank_info = worker_group.get_megatron_rank_info(rank=global_rank) + if local_rank_info.tp_rank == 0 and local_rank_info.pp_rank == 0: + output_in_dp.append(output[global_rank]) + return output_in_dp + + +def collect_megatron_pp_only(worker_group, output): + """ + Only collect output of megatron pp. This is useful when examine weight names as they are identical in tp/dp + """ + from verl.single_controller.base.megatron.worker_group import MegatronWorkerGroup + assert isinstance(worker_group, MegatronWorkerGroup) + output_in_pp = [] + for global_rank in range(worker_group.world_size): + local_rank_info = worker_group.get_megatron_rank_info(rank=global_rank) + if local_rank_info.tp_rank == 0 and local_rank_info.dp_rank == 0: + output_in_pp.append(output[global_rank]) + return output_in_pp + + +def dispatch_megatron_pp_as_dp_data_proto(worker_group, *args, **kwargs): + from verl.single_controller.base.megatron.worker_group import MegatronWorkerGroup + assert isinstance(worker_group, MegatronWorkerGroup) + + pp_dp_size = worker_group.dp_size * worker_group.pp_size + splitted_args, splitted_kwargs = _split_args_kwargs_data_proto(pp_dp_size, *args, **kwargs) + return dispatch_megatron_pp_as_dp(worker_group, *splitted_args, **splitted_kwargs) + + +def collect_megatron_pp_as_dp_data_proto(worker_group, output): + from verl.protocol import DataProto + from verl.single_controller.base.megatron.worker_group import MegatronWorkerGroup + assert isinstance(worker_group, MegatronWorkerGroup) + + output = collect_megatron_pp_as_dp(worker_group, output) + return _concat_data_proto_or_future(output) + + +def dispatch_dp_compute(worker_group, *args, **kwargs): + from verl.single_controller.base.worker_group import WorkerGroup + assert isinstance(worker_group, WorkerGroup) + for arg in args: + assert isinstance(arg, (Tuple, List)) and len(arg) == worker_group.world_size + for k, v in kwargs.items(): + assert isinstance(v, (Tuple, List)) and len(v) == worker_group.world_size + return args, kwargs + + +def collect_dp_compute(worker_group, output): + from verl.single_controller.base.worker_group import WorkerGroup + assert isinstance(worker_group, WorkerGroup) + assert len(output) == worker_group.world_size + return output + + +def dispatch_dp_compute_data_proto(worker_group, *args, **kwargs): + from verl.single_controller.base.worker_group import WorkerGroup + assert isinstance(worker_group, WorkerGroup) + splitted_args, splitted_kwargs = _split_args_kwargs_data_proto(worker_group.world_size, *args, **kwargs) + return splitted_args, splitted_kwargs + + +def dispatch_dp_compute_data_proto_with_func(worker_group, *args, **kwargs): + from verl.single_controller.base.worker_group import WorkerGroup + assert isinstance(worker_group, WorkerGroup) + assert type(args[0]) == FunctionType # NOTE: The first one args is a function! + + splitted_args, splitted_kwargs = _split_args_kwargs_data_proto(worker_group.world_size, *args[1:], **kwargs) + splitted_args_with_func = [[args[0]] * worker_group.world_size] + splitted_args + return splitted_args_with_func, splitted_kwargs + + +def collect_dp_compute_data_proto(worker_group, output): + from verl.protocol import DataProto + import ray + + for o in output: + assert isinstance(o, (DataProto, ray.ObjectRef)), f"expecting {o} to be DataProto, but got {type(o)}" + + output = collect_dp_compute(worker_group, output) + return _concat_data_proto_or_future(output) + + +def get_predefined_dispatch_fn(dispatch_mode): + predefined_dispatch_mode_fn = { + Dispatch.ONE_TO_ALL: { + 'dispatch_fn': dispatch_one_to_all, + 'collect_fn': collect_all_to_all, + }, + Dispatch.ALL_TO_ALL: { + 'dispatch_fn': dispatch_all_to_all, + 'collect_fn': collect_all_to_all, + }, + Dispatch.MEGATRON_COMPUTE: { + 'dispatch_fn': dispatch_megatron_compute, + 'collect_fn': collect_megatron_compute, + }, + Dispatch.MEGATRON_PP_AS_DP: { + 'dispatch_fn': dispatch_megatron_pp_as_dp, + 'collect_fn': collect_megatron_pp_as_dp, + }, + Dispatch.MEGATRON_PP_ONLY: { + 'dispatch_fn': dispatch_one_to_all, + 'collect_fn': collect_megatron_pp_only + }, + Dispatch.MEGATRON_COMPUTE_PROTO: { + 'dispatch_fn': dispatch_megatron_compute_data_proto, + 'collect_fn': collect_megatron_compute_data_proto + }, + Dispatch.MEGATRON_PP_AS_DP_PROTO: { + 'dispatch_fn': dispatch_megatron_pp_as_dp_data_proto, + 'collect_fn': collect_megatron_pp_as_dp_data_proto + }, + Dispatch.DP_COMPUTE: { + 'dispatch_fn': dispatch_dp_compute, + 'collect_fn': collect_dp_compute + }, + Dispatch.DP_COMPUTE_PROTO: { + 'dispatch_fn': dispatch_dp_compute_data_proto, + 'collect_fn': collect_dp_compute_data_proto + }, + Dispatch.DP_COMPUTE_PROTO_WITH_FUNC: { + 'dispatch_fn': dispatch_dp_compute_data_proto_with_func, + 'collect_fn': collect_dp_compute_data_proto + }, + Dispatch.DP_COMPUTE_METRIC: { + 'dispatch_fn': dispatch_dp_compute_data_proto, + 'collect_fn': collect_dp_compute + } + } + return predefined_dispatch_mode_fn[dispatch_mode] + + +def get_predefined_execute_fn(execute_mode): + """ + Note that here we only asks execute_all and execute_rank_zero to be implemented + Leave the choice of how these two functions handle argument 'blocking' to users + """ + predefined_execute_mode_fn = { + Execute.ALL: { + 'execute_fn_name': 'execute_all' + }, + Execute.RANK_ZERO: { + 'execute_fn_name': 'execute_rank_zero' + } + } + return predefined_execute_mode_fn[execute_mode] + + +def _check_dispatch_mode(dispatch_mode): + assert isinstance(dispatch_mode, + (Dispatch, Dict)), f'dispatch_mode must be a Dispatch or a Dict. Got {dispatch_mode}' + if isinstance(dispatch_mode, Dict): + necessary_keys = ['dispatch_fn', 'collect_fn'] + for key in necessary_keys: + assert key in dispatch_mode, f'key {key} should be in dispatch_mode if it is a dictionary' + + +def _check_execute_mode(execute_mode): + assert isinstance(execute_mode, Execute), f'execute_mode must be a Execute. Got {execute_mode}' + + +def _materialize_futures(*args, **kwargs): + new_args = [] + for arg in args: + if isinstance(arg, DataProtoFuture): + arg = arg.get() + # add more type to materialize + new_args.append(arg) + for k, v in kwargs.items(): + if isinstance(v, DataProtoFuture): + kwargs[k] = v.get() + + new_args = tuple(new_args) + return new_args, kwargs + + +def register(dispatch_mode=Dispatch.ALL_TO_ALL, execute_mode=Execute.ALL, blocking=True, materialize_futures=True): + _check_dispatch_mode(dispatch_mode=dispatch_mode) + _check_execute_mode(execute_mode=execute_mode) + + def decorator(func): + + @wraps(func) + def inner(*args, **kwargs): + if materialize_futures: + args, kwargs = _materialize_futures(*args, **kwargs) + return func(*args, **kwargs) + + attrs = {'dispatch_mode': dispatch_mode, 'execute_mode': execute_mode, 'blocking': blocking} + setattr(inner, MAGIC_ATTR, attrs) + return inner + + return decorator diff --git a/verl/single_controller/base/megatron/__init__.py b/verl/single_controller/base/megatron/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/single_controller/base/megatron/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/single_controller/base/megatron/worker.py b/verl/single_controller/base/megatron/worker.py new file mode 100644 index 00000000..2d84d29f --- /dev/null +++ b/verl/single_controller/base/megatron/worker.py @@ -0,0 +1,39 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import os +from dataclasses import dataclass +from verl.single_controller.base.worker import Worker, DistRankInfo, DistGlobalInfo + + +class MegatronWorker(Worker): + + def __init__(self, cuda_visible_devices=None) -> None: + super().__init__(cuda_visible_devices) + + def get_megatron_global_info(self): + from megatron.core import parallel_state as mpu + tp_size = mpu.get_tensor_model_parallel_world_size() + dp_size = mpu.get_data_parallel_world_size() + pp_size = mpu.get_pipeline_model_parallel_world_size() + info = DistGlobalInfo(tp_size=tp_size, dp_size=dp_size, pp_size=pp_size) + return info + + def get_megatron_rank_info(self): + from megatron.core import parallel_state as mpu + tp_rank = mpu.get_tensor_model_parallel_rank() + dp_rank = mpu.get_data_parallel_rank() + pp_rank = mpu.get_pipeline_model_parallel_rank() + info = DistRankInfo(tp_rank=tp_rank, dp_rank=dp_rank, pp_rank=pp_rank) + return info \ No newline at end of file diff --git a/verl/single_controller/base/megatron/worker_group.py b/verl/single_controller/base/megatron/worker_group.py new file mode 100644 index 00000000..67c21d30 --- /dev/null +++ b/verl/single_controller/base/megatron/worker_group.py @@ -0,0 +1,51 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from typing import Dict + +from .worker import DistRankInfo, DistGlobalInfo +from verl.single_controller.base import ResourcePool, WorkerGroup + + +class MegatronWorkerGroup(WorkerGroup): + + def __init__(self, resource_pool: ResourcePool, **kwargs): + super().__init__(resource_pool=resource_pool, **kwargs) + self._megatron_rank_info = None + self._megatron_global_info: DistGlobalInfo = None + + def init_megatron(self, default_megatron_kwargs: Dict = None): + raise NotImplementedError(f"MegatronWorkerGroup.init_megatron should be overwritten") + + def get_megatron_rank_info(self, rank: int) -> DistRankInfo: + assert 0 <= rank < self.world_size, f'rank must be from [0, world_size), Got {rank}' + return self._megatron_rank_info[rank] + + @property + def tp_size(self): + assert self._megatron_global_info is not None, "MegatronWorkerGroup._megatron_global_info must be initialized" + return self._megatron_global_info.tp_size + + @property + def dp_size(self): + assert self._megatron_global_info is not None, "MegatronWorkerGroup._megatron_global_info must be initialized" + return self._megatron_global_info.dp_size + + @property + def pp_size(self): + assert self._megatron_global_info is not None, "MegatronWorkerGroup._megatron_global_info must be initialized" + return self._megatron_global_info.pp_size + + def get_megatron_global_info(self): + return self._megatron_global_info diff --git a/verl/single_controller/base/register_center/__init__.py b/verl/single_controller/base/register_center/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/single_controller/base/register_center/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/single_controller/base/register_center/ray.py b/verl/single_controller/base/register_center/ray.py new file mode 100644 index 00000000..430290cf --- /dev/null +++ b/verl/single_controller/base/register_center/ray.py @@ -0,0 +1,29 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import ray + + +@ray.remote +class WorkerGroupRegisterCenter: + + def __init__(self, rank_zero_info): + self.rank_zero_info = rank_zero_info + + def get_rank_zero_info(self): + return self.rank_zero_info + + +def create_worker_group_register_center(name, info): + return WorkerGroupRegisterCenter.options(name=name).remote(info) diff --git a/verl/single_controller/base/worker.py b/verl/single_controller/base/worker.py new file mode 100644 index 00000000..ad6bab93 --- /dev/null +++ b/verl/single_controller/base/worker.py @@ -0,0 +1,186 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +the class for Worker +""" +import os +import socket +from dataclasses import dataclass +from verl.single_controller.base.decorator import register, Dispatch, Execute + + +@dataclass +class DistRankInfo: + tp_rank: int + dp_rank: int + pp_rank: int + + +@dataclass +class DistGlobalInfo: + tp_size: int + dp_size: int + pp_size: int + + +class WorkerHelper: + + def _get_node_ip(self): + + def get_node_ip_by_sdk(): + if os.getenv("WG_BACKEND", None) == "ray": + import ray + return ray._private.services.get_node_ip_address() + elif os.getenv("WG_BACKEND", None) == "torch_rpc": + from verl.single_controller.torchrpc.k8s_client import get_ip_addr + return get_ip_addr() + return None + + host_ipv4 = os.getenv("MY_HOST_IP", None) + host_ipv6 = os.getenv("MY_HOST_IPV6", None) + host_ip_by_env = host_ipv4 or host_ipv6 + host_ip_by_sdk = get_node_ip_by_sdk() + + host_ip = host_ip_by_env or host_ip_by_sdk + return host_ip + + def _get_free_port(self): + with socket.socket() as sock: + sock.bind(('', 0)) + return sock.getsockname()[1] + + def get_availale_master_addr_port(self): + return self._get_node_ip(), str(self._get_free_port()) + + def _get_pid(self): + return + + +class WorkerMeta: + keys = [ + "WORLD_SIZE", "RANK", "LOCAL_WORLD_SIZE", "LOCAL_RANK", "MASTER_ADDR", "MASTER_PORT", "CUDA_VISIBLE_DEVICES" + ] + + def __init__(self, store) -> None: + self._store = store + + def to_dict(self): + return {f"_{key.lower()}": self._store.get(f"_{key.lower()}", None) for key in WorkerMeta.keys} + + +# we assume that in each WorkerGroup, there is a Master Worker +class Worker(WorkerHelper): + + def __new__(cls, *args, **kwargs): + instance = super().__new__(cls) + + # note that here we use int to distinguish + disable_worker_init = int(os.environ.get('DISABLE_WORKER_INIT', 0)) + if disable_worker_init: + return instance + + rank = os.environ.get("RANK", None) + worker_group_prefix = os.environ.get("WG_PREFIX", None) + + # when decorator @ray.remote applies, __new__ will be called while we don't want to apply _configure_before_init + if None not in [rank, worker_group_prefix] and 'ActorClass(' not in cls.__name__: + instance._configure_before_init(f"{worker_group_prefix}_register_center", int(rank)) + + return instance + + def _configure_before_init(self, register_center_name: str, rank: int): + assert isinstance(rank, int), f"rank must be int, instead of {type(rank)}" + + if rank == 0: + master_addr, master_port = self.get_availale_master_addr_port() + rank_zero_info = { + "MASTER_ADDR": master_addr, + "MASTER_PORT": master_port, + } + + if os.getenv("WG_BACKEND", None) == "ray": + from verl.single_controller.base.register_center.ray import create_worker_group_register_center + self.register_center = create_worker_group_register_center(name=register_center_name, + info=rank_zero_info) + + os.environ.update(rank_zero_info) + + def __init__(self, cuda_visible_devices=None) -> None: + # construct a meta from envrionment variable. Note that the import must be inside the class because it is executed remotely + import os + world_size = int(os.environ['WORLD_SIZE']) + rank = int(os.environ['RANK']) + self._rank = rank + self._world_size = world_size + + master_addr = os.environ["MASTER_ADDR"] + master_port = os.environ["MASTER_PORT"] + + local_world_size = int(os.getenv("LOCAL_WORLD_SIZE", "1")) + local_rank = int(os.getenv("LOCAL_RANK", "0")) + + store = { + '_world_size': world_size, + '_rank': rank, + '_local_world_size': local_world_size, + '_local_rank': local_rank, + '_master_addr': master_addr, + '_master_port': master_port + } + if cuda_visible_devices is not None: + store['_cuda_visible_devices'] = cuda_visible_devices + + meta = WorkerMeta(store=store) + self._configure_with_meta(meta=meta) + + def _configure_with_meta(self, meta: WorkerMeta): + """ + This function should only be called inside by WorkerGroup + """ + assert isinstance(meta, WorkerMeta) + self.__dict__.update(meta.to_dict()) # this is hacky + # print(f"__dict__: {self.__dict__}") + for key in WorkerMeta.keys: + val = self.__dict__.get(f"_{key.lower()}", None) + if val is not None: + # print(f"set {key} to {val}") + os.environ[key] = str(val) + os.environ["REDIS_STORE_SERVER_HOST"] = str(self._master_addr).replace("[", "").replace( + "]", "") if self._master_addr else "" + + def get_master_addr_port(self): + return self._master_addr, self._master_port + + def get_cuda_visible_devices(self): + import os + cuda_visible_devices = os.environ.get("CUDA_VISIBLE_DEVICES", "not set") + return cuda_visible_devices + + @property + def world_size(self): + return self._world_size + + @property + def rank(self): + return self._rank + + @register(dispatch_mode=Dispatch.DP_COMPUTE_PROTO_WITH_FUNC) + def execute_with_func_generator(self, func, *args, **kwargs): + ret_proto = func(self, *args, **kwargs) + return ret_proto + + @register(dispatch_mode=Dispatch.ALL_TO_ALL, execute_mode=Execute.RANK_ZERO) + def execute_func_rank_zero(self, func, *args, **kwargs): + result = func(*args, **kwargs) + return result \ No newline at end of file diff --git a/verl/single_controller/base/worker_group.py b/verl/single_controller/base/worker_group.py new file mode 100644 index 00000000..bd584580 --- /dev/null +++ b/verl/single_controller/base/worker_group.py @@ -0,0 +1,196 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +the class of WorkerGroup +""" +import logging +import threading +import signal +import time +from typing import List, Any, Callable, Dict + +from verl.single_controller.base.decorator import MAGIC_ATTR, Dispatch, get_predefined_dispatch_fn, get_predefined_execute_fn + + +class ResourcePool: + + def __init__(self, process_on_nodes=None, max_collocate_count: int = 10, n_gpus_per_node=8) -> None: + if process_on_nodes is None: + process_on_nodes = [] + self._store = process_on_nodes + self.max_collocate_count = max_collocate_count + self.n_gpus_per_node = n_gpus_per_node # this is left for future huawei GPU that contains 16 GPUs per node + + def add_node(self, process_count): + self._store.append(process_count) + + @property + def world_size(self): + return sum(self._store) + + def __call__(self) -> Any: + return self._store + + @property + def store(self): + return self._store + + def local_world_size_list(self) -> List[int]: + nested_local_world_size_list = [ + [local_world_size for _ in range(local_world_size)] for local_world_size in self._store + ] + return [item for row in nested_local_world_size_list for item in row] + + def local_rank_list(self) -> List[int]: + nested_local_rank_list = [[i for i in range(local_world_size)] for local_world_size in self._store] + return [item for row in nested_local_rank_list for item in row] + + +class ClassWithInitArgs: + """ + This class stores a class constructor and the args/kwargs to construct the class. + It is used to instantiate the remote class. + """ + + def __init__(self, cls, *args, **kwargs) -> None: + self.cls = cls + self.args = args + self.kwargs = kwargs + + # def add_arg(self, arg): + # self.args += (arg,) + + # def add_kwarg(self, key, value): + # self.kwargs[key] = value + + def __call__(self) -> Any: + return self.cls(*self.args, **self.kwargs) + + +def check_workers_alive(workers: List, is_alive: Callable, gap_time: float = 1) -> None: + import time + while True: + for worker in workers: + if not is_alive(worker): + logging.warning(f"worker {worker} is not alive" + " sending signal to main thread") + signal.raise_signal(signal.SIGABRT) + time.sleep(gap_time) + + +class WorkerGroup: + + def __init__(self, resource_pool: ResourcePool, **kwargs) -> None: + self._is_init_with_detached_workers = True if resource_pool is None else False + + if resource_pool is not None: + # handle the case when WorkGroup is attached to an existing one + self._procecss_dispatch_config = resource_pool() + else: + self._procecss_dispatch_config = None + + self._workers = [] + self._worker_names = [] + + self._master_addr = None + self._master_port = None + + self._checker_thread: threading.Thread = None + + def _is_worker_alive(self, worker): + raise NotImplementedError(f"WorkerGroup._is_worker_alive called, should be implemented in derived class.") + + def _block_until_all_workers_alive(self) -> None: + while True: + all_state = [self._is_worker_alive(worker) for worker in self._workers] + if False in all_state: + time.sleep(1) + else: + break + + def start_worker_aliveness_check(self, every_n_seconds=1) -> None: + # before starting checking worker aliveness, make sure all workers are already alive + self._block_until_all_workers_alive() + + self._checker_thread = threading.Thread(target=check_workers_alive, + args=(self._workers, self._is_worker_alive, every_n_seconds)) + self._checker_thread.start() + + @property + def world_size(self): + return len(self._workers) + + # execute_all_async and execute_rank_zero_async should be implemented by RayWorkerGroup, TorchRPCWorkerGroup, + # MegatronWorkerGroup, XperfWorkerGroup should skip + + def _bind_worker_method(self, user_defined_cls, func_generator): + """ + Bind the worker method to the WorkerGroup + """ + + for method_name in dir(user_defined_cls): + + try: + method = getattr(user_defined_cls, method_name) + assert callable(method), f"{method_name} in {user_defined_cls} is not callable" + except Exception as e: + # if it is a property, it will fail because Class doesn't have instance property + continue + + if hasattr(method, MAGIC_ATTR): + # this method is decorated by register + attribute = getattr(method, MAGIC_ATTR) + assert isinstance(attribute, Dict), f'attribute must be a dictionary. Got {type(attribute)}' + assert 'dispatch_mode' in attribute, f'attribute must contain dispatch_mode in its key' + + dispatch_mode = attribute['dispatch_mode'] + execute_mode = attribute['execute_mode'] + blocking = attribute['blocking'] + + # get dispatch fn + if isinstance(dispatch_mode, Dispatch): + # get default dispatch fn + fn = get_predefined_dispatch_fn(dispatch_mode=dispatch_mode) + dispatch_fn = fn['dispatch_fn'] + collect_fn = fn['collect_fn'] + else: + assert isinstance(dispatch_mode, dict) + assert 'dispatch_fn' in dispatch_mode + assert 'collect_fn' in dispatch_mode + dispatch_fn = dispatch_mode['dispatch_fn'] + collect_fn = dispatch_mode['collect_fn'] + + # get execute_fn_name + execute_mode = get_predefined_execute_fn(execute_mode=execute_mode) + wg_execute_fn_name = execute_mode['execute_fn_name'] + + # get execute_fn from string + try: + execute_fn = getattr(self, wg_execute_fn_name) + assert callable(execute_fn), 'execute_fn must be callable' + except Exception as e: + print(f'execute_fn {wg_execute_fn_name} is invalid') + raise + + # bind a new method to the RayWorkerGroup + func = func_generator(self, + method_name, + dispatch_fn=dispatch_fn, + collect_fn=collect_fn, + execute_fn=execute_fn, + blocking=blocking) + + try: + setattr(self, method_name, func) + except Exception as e: + raise ValueError(f'Fail to set method_name {method_name}') diff --git a/verl/single_controller/ray/__init__.py b/verl/single_controller/ray/__init__.py new file mode 100644 index 00000000..4d578344 --- /dev/null +++ b/verl/single_controller/ray/__init__.py @@ -0,0 +1,16 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from .base import RayResourcePool, RayClassWithInitArgs, RayWorkerGroup, create_colocated_worker_cls +from .megatron import (MegatronRayWorkerGroup, DistRankInfo, DistGlobalInfo) \ No newline at end of file diff --git a/verl/single_controller/ray/base.py b/verl/single_controller/ray/base.py new file mode 100644 index 00000000..eaa1b00d --- /dev/null +++ b/verl/single_controller/ray/base.py @@ -0,0 +1,459 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import time +from typing import Dict, List, Any, Tuple + +import ray +from ray.util import list_named_actors +from ray.util.placement_group import placement_group, PlacementGroup +from ray.util.scheduling_strategies import PlacementGroupSchedulingStrategy, NodeAffinitySchedulingStrategy +from ray.experimental.state.api import get_actor + +from verl.single_controller.base import WorkerGroup, ResourcePool, ClassWithInitArgs, Worker + +__all__ = ['Worker'] + + +def get_random_string(length: int) -> str: + import random + import string + letters_digits = string.ascii_letters + string.digits + return ''.join(random.choice(letters_digits) for _ in range(length)) + + +def func_generator(self, method_name, dispatch_fn, collect_fn, execute_fn, blocking): + + def func(*args, **kwargs): + args, kwargs = dispatch_fn(self, *args, **kwargs) + output = execute_fn(method_name, *args, **kwargs) + if blocking: + output = ray.get(output) + output = collect_fn(self, output) + return output + + return func + + +class RayResourcePool(ResourcePool): + + def __init__(self, + process_on_nodes: List[int] = None, + use_gpu: bool = True, + name_prefix: str = "", + max_colocate_count: int = 5, + detached=False) -> None: + super().__init__(process_on_nodes, max_colocate_count) + self.use_gpu = use_gpu + # print(f"in RayProcessDispatchConfiguration: name_prefix = {name_prefix}") + self.name_prefix = name_prefix + self.pgs = None + self.detached = detached + + def get_placement_groups(self, strategy="STRICT_PACK", name=None): + if self.pgs is not None: + return self.pgs + + pg_name_prefix = name if name else \ + f"{self.name_prefix}verl_group_{'_'.join([str(count) for count in self._store])}:" + # print(f"pg_name_prefix = {pg_name_prefix}") + pg_scheme = [[{ + "CPU": self.max_collocate_count, + "GPU": 1 + } if self.use_gpu else { + "CPU": self.max_collocate_count + } for _ in range(process_count)] for process_count in self._store] + + lifetime = 'detached' if self.detached else None + + pgs = [ + placement_group(bundles=bundles, strategy=strategy, name=pg_name_prefix + str(idx), lifetime=lifetime) + for idx, bundles in enumerate(pg_scheme) + ] + + ray.get([pg.ready() for pg in pgs]) + + self.pgs = pgs + return pgs + + +def extract_pg_from_exist(resource_pools: Dict[str, RayResourcePool], src_role_names: List[str], + resource_pool: RayResourcePool) -> List: + + src_pgs = [ + pg for role_name, resource_pool in resource_pools.items() for pg in resource_pool.get_placement_groups() + if role_name in src_role_names + ] + + sorted_src_pgs = sorted(src_pgs, key=lambda pg: pg.bundle_count, reverse=True) + sorted_process_on_nodes = sorted([(val, idx) for idx, val in enumerate(resource_pool.store)], reverse=True) + + unsorted_pgs: List[Tuple[int, PlacementGroup]] = [] + searching_idx = 0 + for request_process, original_idx in sorted_process_on_nodes: + assert searching_idx < len(sorted_src_pgs), f"no enough nodes for request: searching {searching_idx} th node" + assert request_process <= sorted_src_pgs[searching_idx].bundle_count, \ + f"requesting {request_process} processes, bundle count cannot satisfy" + unsorted_pgs.append((original_idx, sorted_src_pgs[searching_idx])) + searching_idx += 1 + + return [pg for _, pg in sorted(unsorted_pgs)] + + +def merge_resource_pool(rp1: RayResourcePool, rp2: RayResourcePool) -> RayResourcePool: + assert rp1.use_gpu == rp2.use_gpu, 'Both RayResourcePool must either use_gpu or not' + assert rp1.max_collocate_count == rp2.max_collocate_count, 'Both RayResourcePool must has the same max_collocate_count' + assert rp1.n_gpus_per_node == rp2.n_gpus_per_node, 'Both RayResourcePool must has the same n_gpus_per_node' + assert rp1.detached == rp2.detached, 'Detached ResourcePool cannot be merged with non-detached ResourcePool' + + new_store = rp1.store + rp2.store + + merged = RayResourcePool(new_store, rp1.use_gpu, f"{rp1.name_prefix}_{rp2.name_prefix}") + merged.pgs = rp1.get_placement_groups() + rp2.get_placement_groups() + + return merged + + +class RayClassWithInitArgs(ClassWithInitArgs): + + def __init__(self, cls, *args, **kwargs) -> None: + # self._options = kwargs.pop('options', dict()) + super().__init__(cls, *args, **kwargs) + self._options = {} + self._additional_resource = {} + + def set_additional_resource(self, additional_resource): + self._additional_resource = additional_resource + + def update_options(self, options: Dict): + self._options.update(options) + + def __call__(self, + placement_group, + placement_group_bundle_idx, + use_gpu: bool = True, + num_gpus=1, + sharing_with=None) -> Any: + if sharing_with is not None: + target_node_id = ray.get(sharing_with.get_node_id.remote()) + cuda_visible_devices = ray.get(sharing_with.get_cuda_visible_devices.remote()) + options = {"scheduling_strategy": NodeAffinitySchedulingStrategy(node_id=target_node_id, soft=False)} + return self.cls.options(**options).remote(*self.args, + cuda_visible_devices=cuda_visible_devices, + **self.kwargs) + + options = { + "scheduling_strategy": + PlacementGroupSchedulingStrategy(placement_group=placement_group, + placement_group_bundle_index=placement_group_bundle_idx) + } + options.update(self._options) + + if use_gpu: + options["num_gpus"] = num_gpus + + if len(self._additional_resource) > 1: + for k, v in self._additional_resource.items(): + options[k] = v + + # print("cls:", self.cls) + # print("args: ", self.args) + # print("kwargs: ", self.kwargs) + return self.cls.options(**options).remote(*self.args, **self.kwargs) + + +class RayWorkerGroup(WorkerGroup): + + def __init__(self, + resource_pool: RayResourcePool = None, + ray_cls_with_init: RayClassWithInitArgs = None, + bin_pack: bool = True, + name_prefix: str = None, + detached=False, + worker_names=None, + **kwargs) -> None: + super().__init__(resource_pool=resource_pool, **kwargs) + self.ray_cls_with_init = ray_cls_with_init + self.name_prefix = get_random_string(length=6) if name_prefix is None else name_prefix + + if worker_names is not None: + assert self._is_init_with_detached_workers + self._worker_names = worker_names + + if self._is_init_with_detached_workers: + self._init_with_detached_workers(worker_names=worker_names) + else: + self._init_with_resource_pool(resource_pool=resource_pool, + ray_cls_with_init=ray_cls_with_init, + bin_pack=bin_pack, + detached=detached) + + if ray_cls_with_init is not None: + self._bind_worker_method(self.ray_cls_with_init.cls, func_generator) + + def _is_worker_alive(self, worker: ray.actor.ActorHandle): + worker_state_dict = get_actor(worker._actor_id.hex()) + return worker_state_dict.get("state", "undefined") == "ALIVE" if worker_state_dict is not None else False + + def _init_with_detached_workers(self, worker_names): + workers = [ray.get_actor(name=name) for name in worker_names] + self._workers = workers + self._world_size = len(worker_names) + + def _init_with_resource_pool(self, resource_pool, ray_cls_with_init, bin_pack, detached): + use_gpu = resource_pool.use_gpu + + strategy = "PACK" + if bin_pack: + strategy = "STRICT_PACK" + pgs = resource_pool.get_placement_groups(strategy=strategy) + world_size = resource_pool.world_size + self._world_size = world_size + # cia.add_kwarg("_world_size", world_size) + num_gpus = 1 / resource_pool.max_collocate_count + + rank = -1 + for pg_idx, local_world_size in enumerate(resource_pool.store): + pg = pgs[pg_idx] + assert local_world_size <= pg.bundle_count, \ + f"when generating for {self.name_prefix}, for the " + for local_rank in range(local_world_size): + rank += 1 + + # we pass in environment variable at option so that Worker can use environment variable to set + env_vars = { + 'WORLD_SIZE': str(world_size), + 'RANK': str(rank), + 'WG_PREFIX': self.name_prefix, + 'WG_BACKEND': 'ray', + 'RAY_LOCAL_WORLD_SIZE': str(local_world_size), + 'RAY_LOCAL_RANK': str(local_rank), + } + if rank != 0: + env_vars['MASTER_ADDR'] = self._master_addr + env_vars['MASTER_PORT'] = self._master_port + + import re + cia_name = type(ray_cls_with_init.cls).__name__ + match = re.search(r"ActorClass\(([^)]+)\)", cia_name) # ray.remote(Obj) -> "ActorClass(Obj)" + cia_name = match.group(1) if match else cia_name # "ActorClass(Obj)" -> "Obj" + name = f"{self.name_prefix}{cia_name}_{pg_idx}:{local_rank}" # e.g. Worker_2:5 + + ray_cls_with_init.update_options({'runtime_env': {'env_vars': env_vars}, 'name': name}) + + if detached: + ray_cls_with_init.update_options({'lifetime': 'detached'}) + + # create a worker + worker = ray_cls_with_init(placement_group=pg, + placement_group_bundle_idx=local_rank, + use_gpu=use_gpu, + num_gpus=num_gpus) + self._workers.append(worker) + self._worker_names.append(name) + + if rank == 0: + register_center_actor = None + for _ in range(120): + if f"{self.name_prefix}_register_center" not in list_named_actors(): + time.sleep(1) + else: + register_center_actor = ray.get_actor(f"{self.name_prefix}_register_center") + break + assert register_center_actor is not None, f"failed to get register_center_actor: {self.name_prefix}_register_center in {list_named_actors(all_namespaces=True)}" + rank_zero_info = ray.get(register_center_actor.get_rank_zero_info.remote()) + self._master_addr, self._master_port = rank_zero_info['MASTER_ADDR'], rank_zero_info['MASTER_PORT'] + # print(f"rank_zero_info: {rank_zero_info}") + # print(f"master_addr: {self._master_addr}, master_port: {self._master_port}") + + @property + def worker_names(self): + return self._worker_names + + @classmethod + def from_detached(cls, worker_names=None, ray_cls_with_init=None): + worker_group = cls(resource_pool=None, + ray_cls_with_init=ray_cls_with_init, + name_prefix=None, + worker_names=worker_names) + return worker_group + + def spawn(self, prefix_set): + """ + spawn to a dictionary of worker groups, each with a subset of method with prefix. + + """ + + def _rebind_actor_methods(worker_group, actor_name): + """ + bind the method with actor_prefix to its original name + """ + prefix: str = actor_name + '_' + for method_name in dir(worker_group): + if method_name.startswith(prefix): + # only valid when Python >= 3.9 + original_method_name = method_name.removeprefix(prefix) + method = getattr(worker_group, method_name) + setattr(worker_group, original_method_name, method) + + new_worker_group_dict = {} + for prefix in prefix_set: + new_worker_group = self.from_detached(worker_names=self._worker_names, + ray_cls_with_init=self.ray_cls_with_init) + + _rebind_actor_methods(new_worker_group, prefix) + new_worker_group_dict[prefix] = new_worker_group + return new_worker_group_dict + + def execute_rank_zero_sync(self, method_name: str, *args, **kwargs): + return ray.get(self.execute_all_async(method_name, **args, **kwargs)) + + def execute_rank_zero_async(self, method_name: str, *args, **kwargs): + remote_call = getattr(self._workers[0], method_name) + return remote_call.remote(*args, **kwargs) + + def execute_rank_zero(self, method_name: str, *args, **kwargs): + return self.execute_rank_zero_async(method_name, *args, **kwargs) + + def execute_all(self, method_name: str, *args, **kwargs): + return self.execute_all_async(method_name, *args, **kwargs) + + def execute_all_sync(self, method_name: str, *args, **kwargs): + return ray.get(self.execute_all_async(method_name, *args, **kwargs)) + + def execute_all_async(self, method_name: str, *args, **kwargs): + # 这里我们假设,如果 args 和 kwargs 里面所有的参数都是 list,且所有的 list 长度都与 len(self._workers) 一致的话,我们会把 + # list 中的每一个分别发到对应的 worker 上去 + # print(f"execute_all_async: method {method_name}({args}, {kwargs})") + length = len(self._workers) + if all(isinstance(arg, list) for arg in args) and all(isinstance(kwarg, list) for kwarg in kwargs.values()): + if all(len(arg) == length for arg in args) and all(len(kwarg) == length for kwarg in kwargs.values()): + # print(f"splitting args and kwargs into {length} shards") + result = [] + for i in range(length): + sliced_args = tuple(arg[i] for arg in args) + sliced_kwargs = {k: v[i] for k, v in kwargs.items()} + remote_call = getattr(self._workers[i], method_name) + result.append(remote_call.remote(*sliced_args, **sliced_kwargs)) + return result + + return [getattr(worker, method_name).remote(*args, **kwargs) for worker in self._workers] + + @property + def master_address(self): + return self._master_addr + + @property + def master_port(self): + return self._master_port + + @property + def workers(self): + return self._workers + + @property + def world_size(self): + return self._world_size + + +""" +Utilities that enables creating workers inside the same ray.Actor, +with code written in separate ray.Actors. +""" + +from unittest.mock import patch +from verl.single_controller.base.decorator import MAGIC_ATTR +import os + + +def _bind_workers_method_to_parent(cls, key, user_defined_cls): + """ + Binds the methods of each worker to the WorkerDict. + Note that we only bind public methods that are decorated by register + """ + for method_name in dir(user_defined_cls): + try: + method = getattr(user_defined_cls, method_name) + assert callable(method), f"{method_name} in {user_defined_cls} is not callable" + except Exception as e: + # if it is a property, it will fail because Class doesn't have instance property + continue + + if hasattr(method, MAGIC_ATTR): + + def generate_function(name): + + def func(self, *args, **kwargs): + # dispatch to the actual worker + return getattr(self.worker_dict[key], name)(*args, **kwargs) + + return func + + func = generate_function(method_name) + # pass MAGIC_ATTR for outer worker group + setattr(func, MAGIC_ATTR, getattr(method, MAGIC_ATTR)) + try: + method_name_with_prefix = key + '_' + method_name + setattr(cls, method_name_with_prefix, func) + # print(f'Binding {method_name_with_prefix}') + except Exception as e: + raise ValueError(f'Fail to set method_name {method_name}') + + +def _unwrap_ray_remote(cls): + if hasattr(cls, '__ray_actor_class__'): + cls = cls.__ray_actor_class__ + return cls + + +def create_colocated_worker_cls(class_dict: dict[str, RayClassWithInitArgs]): + """ + This function should return a class instance that delegates the calls to every + cls in cls_dict + """ + cls_dict = {} + init_args_dict = {} + worker_cls = None + for key, cls in class_dict.items(): + if worker_cls == None: + worker_cls = cls.cls.__ray_actor_class__.__base__ + else: + assert worker_cls == cls.cls.__ray_actor_class__.__base__, \ + 'the worker class should be the same when share the same process' + cls_dict[key] = cls.cls + init_args_dict[key] = {'args': cls.args, 'kwargs': cls.kwargs} + + assert cls_dict.keys() == init_args_dict.keys() + + # TODO: create a class with customizable name + class WorkerDict(worker_cls): + + def __init__(self): + super().__init__() + self.worker_dict = {} + for key, user_defined_cls in cls_dict.items(): + user_defined_cls = _unwrap_ray_remote(user_defined_cls) + # directly instantiate the class without remote + with patch.dict(os.environ, {'DISABLE_WORKER_INIT': '1'}): + self.worker_dict[key] = user_defined_cls(*init_args_dict[key].get('args', ()), + **init_args_dict[key].get('kwargs', {})) + + # now monkey-patch the methods from inner class to WorkerDict + for key, user_defined_cls in cls_dict.items(): + user_defined_cls = _unwrap_ray_remote(user_defined_cls) + _bind_workers_method_to_parent(WorkerDict, key, user_defined_cls) + + remote_cls = ray.remote(WorkerDict) + remote_cls = RayClassWithInitArgs(cls=remote_cls) + return remote_cls diff --git a/verl/single_controller/ray/megatron.py b/verl/single_controller/ray/megatron.py new file mode 100644 index 00000000..2cdb49f9 --- /dev/null +++ b/verl/single_controller/ray/megatron.py @@ -0,0 +1,62 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from typing import Dict, Optional + +import ray + +from .base import RayWorkerGroup, RayResourcePool, RayClassWithInitArgs +from verl.single_controller.base.megatron.worker import DistRankInfo, DistGlobalInfo +from verl.single_controller.base.megatron.worker_group import MegatronWorkerGroup + + +# NOTE(sgm): for opensource megatron-core +class NVMegatronRayWorkerGroup(RayWorkerGroup, MegatronWorkerGroup): + """ + MegatronWorkerGroup will query each worker of its megatron rank info and store it inside the WorkerGroup + so that the dispatcher can use it to dispatch data. + """ + + def __init__(self, resource_pool: RayResourcePool, ray_cls_with_init: RayClassWithInitArgs, **kwargs): + super().__init__(resource_pool=resource_pool, ray_cls_with_init=ray_cls_with_init, **kwargs) + self._megatron_rank_info: DistRankInfo = self.execute_all_sync(method_name='get_megatron_rank_info') + self._megatron_global_info: DistGlobalInfo = ray.get( + self.execute_rank_zero_async(method_name='get_megatron_global_info')) + + +class MegatronRayWorkerGroup(RayWorkerGroup, MegatronWorkerGroup): + """ + MegatronWorkerGroup will query each worker of its megatron rank info and store it inside the WorkerGroup + so that the dispatcher can use it to dispatch data. + """ + + def __init__(self, + resource_pool: RayResourcePool, + ray_cls_with_init: RayClassWithInitArgs, + default_megatron_kwargs: Dict = None, + **kwargs): + super().__init__(resource_pool=resource_pool, + ray_cls_with_init=ray_cls_with_init, + default_megatron_kwargs=default_megatron_kwargs, + **kwargs) + self.init_megatron(default_megatron_kwargs=default_megatron_kwargs) + self._megatron_rank_info: DistRankInfo = self.execute_all_sync(method_name='get_megatron_rank_info') + self._megatron_global_info: DistGlobalInfo = ray.get( + self.execute_rank_zero_async(method_name='get_megatron_global_info')) + + def init_megatron(self, default_megatron_kwargs: Optional[Dict] = None): + # after super, we will call init of each worker + if not self._is_init_with_detached_workers: + # only init_megatron if the WorkerGroup is created from scratch + self.execute_all_sync(method_name='init_megatron', default_megatron_kwargs=default_megatron_kwargs) diff --git a/verl/single_controller/version/version b/verl/single_controller/version/version new file mode 100644 index 00000000..7bcd0e36 --- /dev/null +++ b/verl/single_controller/version/version @@ -0,0 +1 @@ +0.0.2 \ No newline at end of file diff --git a/verl/third_party/__init__.py b/verl/third_party/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/third_party/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/third_party/vllm/__init__.py b/verl/third_party/vllm/__init__.py new file mode 100644 index 00000000..290c8378 --- /dev/null +++ b/verl/third_party/vllm/__init__.py @@ -0,0 +1,51 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from importlib.metadata import version, PackageNotFoundError + + +def get_version(pkg): + try: + return version(pkg) + except PackageNotFoundError: + return None + + +package_name = 'vllm' +package_version = get_version(package_name) + +if package_version == '0.3.1': + vllm_version = '0.3.1' + from .vllm_v_0_3_1.llm import LLM + from .vllm_v_0_3_1.llm import LLMEngine + from .vllm_v_0_3_1 import parallel_state +elif package_version == '0.4.2': + vllm_version = '0.4.2' + from .vllm_v_0_4_2.llm import LLM + from .vllm_v_0_4_2.llm import LLMEngine + from .vllm_v_0_4_2 import parallel_state +elif package_version == '0.5.4': + vllm_version = '0.5.4' + from .vllm_v_0_5_4.llm import LLM + from .vllm_v_0_5_4.llm import LLMEngine + from .vllm_v_0_5_4 import parallel_state +elif package_version == '0.6.3': + vllm_version = '0.6.3' + from .vllm_v_0_6_3.llm import LLM + from .vllm_v_0_6_3.llm import LLMEngine + from .vllm_v_0_6_3 import parallel_state +else: + raise ValueError( + f'vllm version {package_version} not supported. Currently supported versions are 0.3.1, 0.4.2, 0.5.4 and 0.6.3.' + ) diff --git a/verl/third_party/vllm/vllm_v_0_3_1/__init__.py b/verl/third_party/vllm/vllm_v_0_3_1/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_3_1/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/third_party/vllm/vllm_v_0_3_1/arg_utils.py b/verl/third_party/vllm/vllm_v_0_3_1/arg_utils.py new file mode 100644 index 00000000..1ae8f3b8 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_3_1/arg_utils.py @@ -0,0 +1,228 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/engine/arg_utils.py +import argparse +import dataclasses +from dataclasses import dataclass +from typing import Dict, Optional, Tuple + +import torch.nn as nn +from vllm.config import (CacheConfig, DeviceConfig, ModelConfig, ParallelConfig, SchedulerConfig, LoRAConfig) +from transformers import PretrainedConfig +from .config import ModelConfig + + +@dataclass +class EngineArgs: + """Arguments for vLLM engine.""" + model_hf_config: PretrainedConfig = None + dtype: str = 'auto' + kv_cache_dtype: str = 'auto' + seed: int = 0 + max_model_len: Optional[int] = None + worker_use_ray: bool = False + pipeline_parallel_size: int = 1 + tensor_parallel_size: int = 1 + max_parallel_loading_workers: Optional[int] = None + block_size: int = 16 + swap_space: int = 4 # GiB + gpu_memory_utilization: float = 0.90 + max_num_batched_tokens: Optional[int] = None + max_num_seqs: int = 256 + max_paddings: int = 256 + disable_log_stats: bool = False + revision: Optional[str] = None + tokenizer_revision: Optional[str] = None + quantization: Optional[str] = None + load_format: str = 'model' + enforce_eager: bool = False + max_context_len_to_capture: int = 8192 + disable_custom_all_reduce: bool = False + enable_lora: bool = False + max_loras: int = 1 + max_lora_rank: int = 16 + lora_extra_vocab_size: int = 256 + lora_dtype = 'auto' + max_cpu_loras: Optional[int] = None + device: str = 'cuda' + + @staticmethod + def add_cli_args(parser: argparse.ArgumentParser) -> argparse.ArgumentParser: + """Shared CLI arguments for vLLM engine.""" + # Model arguments + # TODO(shengguangming): delete the unused args + parser.add_argument('--model', + type=str, + default='facebook/opt-125m', + help='name or path of the huggingface model to use') + parser.add_argument('--tokenizer', + type=str, + default=EngineArgs.tokenizer, + help='name or path of the huggingface tokenizer to use') + parser.add_argument('--revision', + type=str, + default=None, + help='the specific model version to use. It can be a branch ' + 'name, a tag name, or a commit id. If unspecified, will use ' + 'the default version.') + parser.add_argument('--tokenizer-revision', + type=str, + default=None, + help='the specific tokenizer version to use. It can be a branch ' + 'name, a tag name, or a commit id. If unspecified, will use ' + 'the default version.') + parser.add_argument('--tokenizer-mode', + type=str, + default=EngineArgs.tokenizer_mode, + choices=['auto', 'slow'], + help='tokenizer mode. "auto" will use the fast ' + 'tokenizer if available, and "slow" will ' + 'always use the slow tokenizer.') + parser.add_argument('--trust-remote-code', action='store_true', help='trust remote code from huggingface') + parser.add_argument('--download-dir', + type=str, + default=EngineArgs.download_dir, + help='directory to download and load the weights, ' + 'default to the default cache dir of ' + 'huggingface') + parser.add_argument('--load-format', + type=str, + default=EngineArgs.load_format, + choices=['auto', 'pt', 'safetensors', 'npcache', 'dummy'], + help='The format of the model weights to load. ' + '"auto" will try to load the weights in the safetensors format ' + 'and fall back to the pytorch bin format if safetensors format ' + 'is not available. ' + '"pt" will load the weights in the pytorch bin format. ' + '"safetensors" will load the weights in the safetensors format. ' + '"npcache" will load the weights in pytorch format and store ' + 'a numpy cache to speed up the loading. ' + '"dummy" will initialize the weights with random values, ' + 'which is mainly for profiling.') + parser.add_argument('--dtype', + type=str, + default=EngineArgs.dtype, + choices=['auto', 'half', 'float16', 'bfloat16', 'float', 'float32'], + help='data type for model weights and activations. ' + 'The "auto" option will use FP16 precision ' + 'for FP32 and FP16 models, and BF16 precision ' + 'for BF16 models.') + parser.add_argument('--max-model-len', + type=int, + default=None, + help='model context length. If unspecified, ' + 'will be automatically derived from the model.') + # Parallel arguments + parser.add_argument('--worker-use-ray', + action='store_true', + help='use Ray for distributed serving, will be ' + 'automatically set when using more than 1 GPU') + parser.add_argument('--pipeline-parallel-size', + '-pp', + type=int, + default=EngineArgs.pipeline_parallel_size, + help='number of pipeline stages') + parser.add_argument('--tensor-parallel-size', + '-tp', + type=int, + default=EngineArgs.tensor_parallel_size, + help='number of tensor parallel replicas') + # KV cache arguments + parser.add_argument('--block-size', + type=int, + default=EngineArgs.block_size, + choices=[8, 16, 32], + help='token block size') + # TODO(woosuk): Support fine-grained seeds (e.g., seed per request). + parser.add_argument('--seed', type=int, default=EngineArgs.seed, help='random seed') + parser.add_argument('--swap-space', + type=int, + default=EngineArgs.swap_space, + help='CPU swap space size (GiB) per GPU') + parser.add_argument('--gpu-memory-utilization', + type=float, + default=EngineArgs.gpu_memory_utilization, + help='the percentage of GPU memory to be used for' + 'the model executor') + parser.add_argument('--max-num-batched-tokens', + type=int, + default=EngineArgs.max_num_batched_tokens, + help='maximum number of batched tokens per ' + 'iteration') + parser.add_argument('--max-num-seqs', + type=int, + default=EngineArgs.max_num_seqs, + help='maximum number of sequences per iteration') + parser.add_argument('--disable-log-stats', action='store_true', help='disable logging statistics') + # Quantization settings. + parser.add_argument('--quantization', + '-q', + type=str, + choices=['awq', None], + default=None, + help='Method used to quantize the weights') + return parser + + @classmethod + def from_cli_args(cls, args: argparse.Namespace) -> 'EngineArgs': + # Get the list of attributes of this dataclass. + attrs = [attr.name for attr in dataclasses.fields(cls)] + # Set the attributes from the parsed arguments. + engine_args = cls(**{attr: getattr(args, attr) for attr in attrs}) + return engine_args + + def create_engine_configs( + self, + ) -> Tuple[ModelConfig, CacheConfig, ParallelConfig, SchedulerConfig]: + device_config = DeviceConfig(self.device) + model_config = ModelConfig(self.model_hf_config, self.dtype, self.seed, self.load_format, self.revision, + self.tokenizer_revision, self.max_model_len, self.quantization, self.enforce_eager, + self.max_context_len_to_capture) + cache_config = CacheConfig(self.block_size, self.gpu_memory_utilization, self.swap_space, self.kv_cache_dtype, + model_config.get_sliding_window()) + parallel_config = ParallelConfig(self.pipeline_parallel_size, self.tensor_parallel_size, self.worker_use_ray, + self.max_parallel_loading_workers, self.disable_custom_all_reduce) + scheduler_config = SchedulerConfig(self.max_num_batched_tokens, self.max_num_seqs, model_config.max_model_len, + self.max_paddings) + lora_config = LoRAConfig(max_lora_rank=self.max_lora_rank, + max_loras=self.max_loras, + lora_extra_vocab_size=self.lora_extra_vocab_size, + lora_dtype=self.lora_dtype, + max_cpu_loras=self.max_cpu_loras if self.max_cpu_loras and self.max_cpu_loras > 0 else + None) if self.enable_lora else None + return (model_config, cache_config, parallel_config, scheduler_config, device_config, lora_config) + + +@dataclass +class AsyncEngineArgs(EngineArgs): + """Arguments for asynchronous vLLM engine.""" + engine_use_ray: bool = False + disable_log_requests: bool = False + max_log_len: Optional[int] = None + + @staticmethod + def add_cli_args(parser: argparse.ArgumentParser) -> argparse.ArgumentParser: + parser = EngineArgs.add_cli_args(parser) + parser.add_argument('--engine-use-ray', + action='store_true', + help='use Ray to start the LLM engine in a ' + 'separate process as the server process.') + parser.add_argument('--disable-log-requests', action='store_true', help='disable logging requests') + parser.add_argument('--max-log-len', + type=int, + default=None, + help='max number of prompt characters or prompt ' + 'ID numbers being printed in log. ' + 'Default: unlimited.') + return parser diff --git a/verl/third_party/vllm/vllm_v_0_3_1/config.py b/verl/third_party/vllm/vllm_v_0_3_1/config.py new file mode 100644 index 00000000..1e1fead8 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_3_1/config.py @@ -0,0 +1,577 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/config.py + +from typing import Optional, Union, ClassVar +from dataclasses import dataclass +import torch +from transformers import PretrainedConfig +from packaging.version import Version + +from vllm.logger import init_logger +from vllm.transformers_utils.config import get_config +from vllm.utils import get_cpu_memory, is_hip, get_nvcc_cuda_version + +logger = init_logger(__name__) + +_GB = 1 << 30 + + +class ModelConfig: + """Configuration for the model. + + Args: + model: Name or path of the huggingface model to use. + tokenizer: Name or path of the huggingface tokenizer to use. + tokenizer_mode: Tokenizer mode. "auto" will use the fast tokenizer if + available, and "slow" will always use the slow tokenizer. + trust_remote_code: Trust remote code (e.g., from HuggingFace) when + downloading the model and tokenizer. + download_dir: Directory to download and load the weights, default to the + default cache directory of huggingface. + load_format: The format of the model weights to load: + "auto" will try to load the weights in the safetensors format and + fall back to the pytorch bin format if safetensors format is + not available. + "pt" will load the weights in the pytorch bin format. + "safetensors" will load the weights in the safetensors format. + "npcache" will load the weights in pytorch format and store + a numpy cache to speed up the loading. + "dummy" will initialize the weights with random values, which is + mainly for profiling. + dtype: Data type for model weights and activations. The "auto" option + will use FP16 precision for FP32 and FP16 models, and BF16 precision + for BF16 models. + seed: Random seed for reproducibility. + revision: The specific model version to use. It can be a branch name, + a tag name, or a commit id. If unspecified, will use the default + version. + tokenizer_revision: The specific tokenizer version to use. It can be a + branch name, a tag name, or a commit id. If unspecified, will use + the default version. + max_model_len: Maximum length of a sequence (including prompt and + output). If None, will be derived from the model. + quantization: Quantization method that was used to quantize the model + weights. If None, we assume the model weights are not quantized. + enforce_eager: Whether to enforce eager execution. If True, we will + disable CUDA graph and always execute the model in eager mode. + If False, we will use CUDA graph and eager execution in hybrid. + max_context_len_to_capture: Maximum context len covered by CUDA graphs. + When a sequence has context length larger than this, we fall back + to eager mode. + """ + + def __init__( + self, + hf_config: PretrainedConfig, + dtype: str, + seed: int, + load_format: str = 'model', + revision: Optional[str] = None, + tokenizer_revision: Optional[str] = None, + max_model_len: Optional[int] = None, + quantization: Optional[str] = None, + trust_remote_code: Optional[bool] = True, + enforce_eager: bool = False, + max_context_len_to_capture: Optional[int] = None, + ) -> None: + self.model = hf_config._name_or_path + self.tokenizer = hf_config._name_or_path + self.load_format = load_format + self.seed = seed + self.revision = revision + self.tokenizer_revision = tokenizer_revision + self.quantization = quantization + self.trust_remote_code = trust_remote_code + self.enforce_eager = enforce_eager + self.max_context_len_to_capture = max_context_len_to_capture + + # self.hf_config = get_config(model, trust_remote_code, revision) + self.hf_config = hf_config + self.dtype = _get_and_verify_dtype(self.hf_config, dtype) + self.max_model_len = _get_and_verify_max_len(self.hf_config, max_model_len) + # self._verify_load_format() + # self._verify_tokenizer_mode() + self._verify_quantization() + self._verify_cuda_graph() + + def _verify_load_format(self) -> None: + load_format = self.load_format.lower() + if load_format not in ["auto", "pt", "safetensors", "npcache", "dummy", "model"]: + raise ValueError(f"Unknown load format: {self.load_format}. Must be one of " + "'auto', 'pt', 'safetensors', 'npcache', 'dummy' or 'model'.") + self.load_format = load_format + + # def _verify_tokenizer_mode(self) -> None: + # tokenizer_mode = self.tokenizer_mode.lower() + # if tokenizer_mode not in ["auto", "slow"]: + # raise ValueError( + # f"Unknown tokenizer mode: {self.tokenizer_mode}. Must be " + # "either 'auto' or 'slow'.") + # self.tokenizer_mode = tokenizer_mode + + def _verify_quantization(self) -> None: + supported_quantization = ["awq", "gptq", "squeezellm"] + rocm_not_supported_quantization = ["awq", "gptq"] + if self.quantization is not None: + self.quantization = self.quantization.lower() + + # Parse quantization method from the HF model config, if available. + hf_quant_config = getattr(self.hf_config, "quantization_config", None) + if hf_quant_config is not None: + hf_quant_method = str(hf_quant_config["quant_method"]).lower() + if self.quantization is None: + self.quantization = hf_quant_method + elif self.quantization != hf_quant_method: + raise ValueError("Quantization method specified in the model config " + f"({hf_quant_method}) does not match the quantization " + f"method specified in the `quantization` argument " + f"({self.quantization}).") + + if self.quantization is not None: + if self.quantization not in supported_quantization: + raise ValueError(f"Unknown quantization method: {self.quantization}. Must " + f"be one of {supported_quantization}.") + if is_hip() and self.quantization in rocm_not_supported_quantization: + raise ValueError(f"{self.quantization} quantization is currently not supported " + f"in ROCm.") + logger.warning(f"{self.quantization} quantization is not fully " + "optimized yet. The speed can be slower than " + "non-quantized models.") + + def _verify_cuda_graph(self) -> None: + if self.max_context_len_to_capture is None: + self.max_context_len_to_capture = self.max_model_len + self.max_context_len_to_capture = min(self.max_context_len_to_capture, self.max_model_len) + if (self.quantization in ["gptq", "squeezellm"] and not self.enforce_eager): + # Related issue: https://github.com/vllm-project/vllm/issues/2147 + logger.warning(f"{self.quantization} does not support CUDA graph " + "yet. Disabling CUDA graph.") + self.enforce_eager = True + + def verify_with_parallel_config( + self, + parallel_config: "ParallelConfig", + ) -> None: + total_num_attention_heads = self.hf_config.num_attention_heads + tensor_parallel_size = parallel_config.tensor_parallel_size + if total_num_attention_heads % tensor_parallel_size != 0: + raise ValueError(f"Total number of attention heads ({total_num_attention_heads})" + " must be divisible by tensor parallel size " + f"({tensor_parallel_size}).") + + total_num_hidden_layers = self.hf_config.num_hidden_layers + pipeline_parallel_size = parallel_config.pipeline_parallel_size + if total_num_hidden_layers % pipeline_parallel_size != 0: + raise ValueError(f"Total number of hidden layers ({total_num_hidden_layers}) " + "must be divisible by pipeline parallel size " + f"({pipeline_parallel_size}).") + + def get_sliding_window(self) -> Optional[int]: + return getattr(self.hf_config, "sliding_window", None) + + def get_vocab_size(self) -> int: + return self.hf_config.vocab_size + + def get_hidden_size(self) -> int: + return self.hf_config.hidden_size + + def get_head_size(self) -> int: + # FIXME(woosuk): This may not be true for all models. + return self.hf_config.hidden_size // self.hf_config.num_attention_heads + + def get_total_num_kv_heads(self) -> int: + """Returns the total number of KV heads.""" + # For GPTBigCode & Falcon: + # NOTE: for falcon, when new_decoder_architecture is True, the + # multi_query flag is ignored and we use n_head_kv for the number of + # KV heads. + falcon_model_types = ["falcon", "RefinedWeb", "RefinedWebModel"] + new_decoder_arch_falcon = (self.hf_config.model_type in falcon_model_types and + getattr(self.hf_config, "new_decoder_architecture", False)) + if not new_decoder_arch_falcon and getattr(self.hf_config, "multi_query", False): + # Multi-query attention, only one KV head. + # Currently, tensor parallelism is not supported in this case. + return 1 + + attributes = [ + # For Falcon: + "n_head_kv", + "num_kv_heads", + # For LLaMA-2: + "num_key_value_heads", + # For ChatGLM: + "multi_query_group_num", + ] + for attr in attributes: + num_kv_heads = getattr(self.hf_config, attr, None) + if num_kv_heads is not None: + return num_kv_heads + + # For non-grouped-query attention models, the number of KV heads is + # equal to the number of attention heads. + return self.hf_config.num_attention_heads + + def get_num_kv_heads(self, parallel_config: "ParallelConfig") -> int: + """Returns the number of KV heads per GPU.""" + total_num_kv_heads = self.get_total_num_kv_heads() + # If tensor parallelism is used, we divide the number of KV heads by + # the tensor parallel size. We will replicate the KV heads in the + # case where the number of KV heads is smaller than the tensor + # parallel size so each GPU has at least one KV head. + return max(1, total_num_kv_heads // parallel_config.tensor_parallel_size) + + def get_num_layers(self, parallel_config: "ParallelConfig") -> int: + total_num_hidden_layers = self.hf_config.num_hidden_layers + return total_num_hidden_layers // parallel_config.pipeline_parallel_size + + +class CacheConfig: + """Configuration for the KV cache. + + Args: + block_size: Size of a cache block in number of tokens. + gpu_memory_utilization: Fraction of GPU memory to use for the + vLLM execution. + swap_space: Size of the CPU swap space per GPU (in GiB). + cache_dtype: Data type for kv cache storage. + """ + + def __init__( + self, + block_size: int, + gpu_memory_utilization: float, + swap_space: int, + cache_dtype: str, + sliding_window: Optional[int] = None, + ) -> None: + self.block_size = block_size + self.gpu_memory_utilization = gpu_memory_utilization + self.swap_space_bytes = swap_space * _GB + self.cache_dtype = cache_dtype + self.sliding_window = sliding_window + self._verify_args() + self._verify_cache_dtype() + + # Will be set after profiling. + self.num_gpu_blocks = None + self.num_cpu_blocks = None + + def _verify_args(self) -> None: + if self.gpu_memory_utilization > 1.0: + raise ValueError("GPU memory utilization must be less than 1.0. Got " + f"{self.gpu_memory_utilization}.") + + def _verify_cache_dtype(self) -> None: + if self.cache_dtype == "auto": + pass + elif self.cache_dtype == "fp8_e5m2": + nvcc_cuda_version = get_nvcc_cuda_version() + if nvcc_cuda_version < Version("11.8"): + raise ValueError("FP8 is not supported when cuda version is lower than 11.8.") + device_name = torch.cuda.get_device_name() + if "AMD" in device_name: + raise NotImplementedError("FP8_E5M2 KV Cache on AMD GPU has not been supported yet.") + logger.info("Using fp8_e5m2 data type to store kv cache. It reduces " + "the GPU memory footprint and boosts the performance. " + "But it may cause slight accuracy drop. " + "Currently we only support fp8 without scaling factors and " + "make e5m2 as a default format.") + else: + raise ValueError(f"Unknown kv cache dtype: {self.cache_dtype}") + + def verify_with_parallel_config( + self, + parallel_config: "ParallelConfig", + ) -> None: + total_cpu_memory = get_cpu_memory() + # FIXME(woosuk): Here, it is assumed that the GPUs in a tensor parallel + # group are in the same node. However, the GPUs may span multiple nodes. + num_gpus_per_node = parallel_config.tensor_parallel_size + cpu_memory_usage = self.swap_space_bytes * num_gpus_per_node + + msg = (f"{cpu_memory_usage / _GB:.2f} GiB out of " + f"the {total_cpu_memory / _GB:.2f} GiB total CPU memory is " + "allocated for the swap space.") + if cpu_memory_usage > 0.7 * total_cpu_memory: + raise ValueError("Too large swap space. " + msg) + elif cpu_memory_usage > 0.4 * total_cpu_memory: + logger.warning("Possibly too large swap space. " + msg) + + +class ParallelConfig: + """Configuration for the distributed execution. + + Args: + pipeline_parallel_size: Number of pipeline parallel groups. + tensor_parallel_size: Number of tensor parallel groups. + worker_use_ray: Whether to use Ray for model workers. Will be set to + True if either pipeline_parallel_size or tensor_parallel_size is + greater than 1. + max_parallel_loading_workers: Maximum number of multiple batches + when load model sequentially. To avoid RAM OOM when using tensor + parallel and large models. + disable_custom_all_reduce: Disable the custom all-reduce kernel and + fall back to NCCL. + """ + + def __init__( + self, + pipeline_parallel_size: int, + tensor_parallel_size: int, + worker_use_ray: bool, + max_parallel_loading_workers: Optional[int] = None, + disable_custom_all_reduce: bool = False, + ) -> None: + self.pipeline_parallel_size = pipeline_parallel_size + self.tensor_parallel_size = tensor_parallel_size + self.worker_use_ray = worker_use_ray + self.max_parallel_loading_workers = max_parallel_loading_workers + self.disable_custom_all_reduce = disable_custom_all_reduce + + self.world_size = pipeline_parallel_size * tensor_parallel_size + if self.world_size > 1: + self.worker_use_ray = True + self._verify_args() + + def _verify_args(self) -> None: + if self.pipeline_parallel_size > 1: + raise NotImplementedError("Pipeline parallelism is not supported yet.") + if not self.disable_custom_all_reduce and self.world_size > 1: + if is_hip(): + self.disable_custom_all_reduce = True + logger.info("Disabled the custom all-reduce kernel because it is not " + "supported on AMD GPUs.") + elif self.pipeline_parallel_size > 1: + self.disable_custom_all_reduce = True + logger.info("Disabled the custom all-reduce kernel because it is not " + "supported with pipeline parallelism.") + + # FIXME(woosuk): Fix the stability issues and re-enable the custom + # all-reduce kernel. + if not self.disable_custom_all_reduce and self.world_size > 1: + self.disable_custom_all_reduce = True + logger.info("Custom all-reduce kernels are temporarily disabled due to " + "stability issues. We will re-enable them once the issues are " + "resolved.") + + +class SchedulerConfig: + """Scheduler configuration. + + Args: + max_num_batched_tokens: Maximum number of tokens to be processed in + a single iteration. + max_num_seqs: Maximum number of sequences to be processed in a single + iteration. + max_model_len: Maximum length of a sequence (including prompt + and generated text). + max_paddings: Maximum number of paddings to be added to a batch. + """ + + def __init__( + self, + max_num_batched_tokens: Optional[int], + max_num_seqs: int, + max_model_len: int, + max_paddings: int, + ) -> None: + if max_num_batched_tokens is not None: + self.max_num_batched_tokens = max_num_batched_tokens + else: + # If max_model_len is too short, use 2048 as the default value for + # higher throughput. + self.max_num_batched_tokens = max(max_model_len, 2048) + self.max_num_seqs = max_num_seqs + self.max_model_len = max_model_len + self.max_paddings = max_paddings + self._verify_args() + + def _verify_args(self) -> None: + if self.max_num_batched_tokens < self.max_model_len: + raise ValueError(f"max_num_batched_tokens ({self.max_num_batched_tokens}) is " + f"smaller than max_model_len ({self.max_model_len}). " + "This effectively limits the maximum sequence length to " + "max_num_batched_tokens and makes vLLM reject longer " + "sequences. Please increase max_num_batched_tokens or " + "decrease max_model_len.") + if self.max_num_batched_tokens < self.max_num_seqs: + raise ValueError(f"max_num_batched_tokens ({self.max_num_batched_tokens}) must " + "be greater than or equal to max_num_seqs " + f"({self.max_num_seqs}).") + + +class DeviceConfig: + + def __init__(self, device: str = "cuda") -> None: + self.device = torch.device(device) + + +@dataclass +class LoRAConfig: + max_lora_rank: int + max_loras: int + max_cpu_loras: Optional[int] = None + lora_dtype: Optional[torch.dtype] = None + lora_extra_vocab_size: int = 256 + # This is a constant. + lora_vocab_padding_size: ClassVar[int] = 256 + + def __post_init__(self): + # Keep this in sync with csrc/punica/bgmv/bgmv_config.h + possible_max_ranks = (8, 16, 32, 64) + possible_lora_extra_vocab_size = (0, 256, 512) + if self.max_lora_rank not in possible_max_ranks: + raise ValueError(f"max_lora_rank ({self.max_lora_rank}) must be one of " + f"{possible_max_ranks}.") + if self.lora_extra_vocab_size not in possible_lora_extra_vocab_size: + raise ValueError(f"lora_extra_vocab_size ({self.lora_extra_vocab_size}) " + f"must be one of {possible_lora_extra_vocab_size}.") + if self.max_loras < 1: + raise ValueError(f"max_loras ({self.max_loras}) must be >= 1.") + if self.max_cpu_loras is None: + self.max_cpu_loras = self.max_loras + elif self.max_cpu_loras < self.max_loras: + raise ValueError(f"max_cpu_loras ({self.max_cpu_loras}) must be >= " + f"max_loras ({self.max_loras})") + + def verify_with_model_config(self, model_config: ModelConfig): + if self.lora_dtype in (None, "auto"): + self.lora_dtype = model_config.dtype + elif isinstance(self.lora_dtype, str): + self.lora_dtype = getattr(torch, self.lora_dtype) + if model_config.quantization is not None: + raise ValueError("LoRA is not supported with quantized models yet.") + + def verify_with_scheduler_config(self, scheduler_config: SchedulerConfig): + if scheduler_config.max_num_batched_tokens > 65528: + raise ValueError("Due to limitations of the custom LoRA CUDA kernel, " + "max_num_batched_tokens must be <= 65528 when " + "LoRA is enabled.") + + +_STR_DTYPE_TO_TORCH_DTYPE = { + "half": torch.float16, + "float16": torch.float16, + "float": torch.float32, + "float32": torch.float32, + "bfloat16": torch.bfloat16, +} + +_ROCM_NOT_SUPPORTED_DTYPE = ["float", "float32"] + + +def _get_and_verify_dtype( + config: PretrainedConfig, + dtype: Union[str, torch.dtype], +) -> torch.dtype: + # NOTE: getattr(config, "torch_dtype", torch.float32) is not correct + # because config.torch_dtype can be None. + config_dtype = getattr(config, "torch_dtype", None) + if config_dtype is None: + config_dtype = torch.float32 + + if isinstance(dtype, str): + dtype = dtype.lower() + if dtype == "auto": + if config_dtype == torch.float32: + # Following the common practice, we use float16 for float32 + # models. + torch_dtype = torch.float16 + else: + torch_dtype = config_dtype + else: + if dtype not in _STR_DTYPE_TO_TORCH_DTYPE: + raise ValueError(f"Unknown dtype: {dtype}") + torch_dtype = _STR_DTYPE_TO_TORCH_DTYPE[dtype] + elif isinstance(dtype, torch.dtype): + torch_dtype = dtype + else: + raise ValueError(f"Unknown dtype: {dtype}") + + if is_hip() and torch_dtype == torch.float32: + rocm_supported_dtypes = [ + k for k, v in _STR_DTYPE_TO_TORCH_DTYPE.items() if (k not in _ROCM_NOT_SUPPORTED_DTYPE) + ] + raise ValueError(f"dtype \'{dtype}\' is not supported in ROCm. " + f"Supported dtypes are {rocm_supported_dtypes}") + + # Verify the dtype. + if torch_dtype != config_dtype: + if torch_dtype == torch.float32: + # Upcasting to float32 is allowed. + pass + elif config_dtype == torch.float32: + # Downcasting from float32 to float16 or bfloat16 is allowed. + pass + else: + # Casting between float16 and bfloat16 is allowed with a warning. + logger.warning(f"Casting {config_dtype} to {torch_dtype}.") + + return torch_dtype + + +def _get_and_verify_max_len( + hf_config: PretrainedConfig, + max_model_len: Optional[int], +) -> int: + """Get and verify the model's maximum length.""" + derived_max_model_len = float("inf") + possible_keys = [ + # OPT + "max_position_embeddings", + # GPT-2 + "n_positions", + # MPT + "max_seq_len", + # ChatGLM2 + "seq_length", + # Others + "max_sequence_length", + "max_seq_length", + "seq_len", + ] + for key in possible_keys: + max_len_key = getattr(hf_config, key, None) + if max_len_key is not None: + derived_max_model_len = min(derived_max_model_len, max_len_key) + if derived_max_model_len == float("inf"): + if max_model_len is not None: + # If max_model_len is specified, we use it. + return max_model_len + + default_max_len = 2048 + logger.warning("The model's config.json does not contain any of the following " + "keys to determine the original maximum length of the model: " + f"{possible_keys}. Assuming the model's maximum length is " + f"{default_max_len}.") + derived_max_model_len = default_max_len + + rope_scaling = getattr(hf_config, "rope_scaling", None) + if rope_scaling is not None: + assert "factor" in rope_scaling + scaling_factor = rope_scaling["factor"] + if rope_scaling["type"] == "yarn": + derived_max_model_len = rope_scaling["original_max_position_embeddings"] + derived_max_model_len *= scaling_factor + + if max_model_len is None: + max_model_len = derived_max_model_len + elif max_model_len > derived_max_model_len: + raise ValueError(f"User-specified max_model_len ({max_model_len}) is greater than " + f"the derived max_model_len ({max_len_key}={derived_max_model_len}" + " in model's config.json). This may lead to incorrect model " + "outputs or CUDA errors. Make sure the value is correct and " + "within the model context size.") + return int(max_model_len) diff --git a/verl/third_party/vllm/vllm_v_0_3_1/llm.py b/verl/third_party/vllm/vllm_v_0_3_1/llm.py new file mode 100644 index 00000000..8d247599 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_3_1/llm.py @@ -0,0 +1,275 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/entrypoints/llm.py + +from typing import Dict, List, Optional, Tuple, Union + +from tqdm import tqdm +from transformers import PreTrainedTokenizer, PreTrainedTokenizerFast +from transformers import PretrainedConfig +import torch.nn as nn +from .arg_utils import EngineArgs +from .llm_engine_sp import LLMEngine +from vllm.lora.request import LoRARequest +from vllm.outputs import RequestOutput +from vllm.sampling_params import SamplingParams +from vllm.utils import Counter +import torch +from torch.nn.utils.rnn import pad_sequence +from verl.workers.rollout.tokenizer import HybridEngineBaseTokenizer + + +class LLM: + """An LLM for generating texts from given prompts and sampling parameters. + + This class includes a tokenizer, a language model (possibly distributed + across multiple GPUs), and GPU memory space allocated for intermediate + states (aka KV cache). Given a batch of prompts and sampling parameters, + this class generates texts from the model, using an intelligent batching + mechanism and efficient memory management. + + NOTE: This class is intended to be used for offline inference. For online + serving, use the `AsyncLLMEngine` class instead. + NOTE: For the comprehensive list of arguments, see `EngineArgs`. + + Args: + model: A HuggingFace Transformers model instance. + tokenizer: A HuggingFace Transformers tokenizer instance. + tokenizer_mode: The tokenizer mode. "auto" will use the fast tokenizer + if available, and "slow" will always use the slow tokenizer. + trust_remote_code: Trust remote code (e.g., from HuggingFace) when + downloading the model and tokenizer. + tensor_parallel_size: The number of GPUs to use for distributed + execution with tensor parallelism. + dtype: The data type for the model weights and activations. Currently, + we support `float32`, `float16`, and `bfloat16`. If `auto`, we use + the `torch_dtype` attribute specified in the model config file. + However, if the `torch_dtype` in the config is `float32`, we will + use `float16` instead. + quantization: The method used to quantize the model weights. Currently, + we support "awq". If None, we assume the model weights are not + quantized and use `dtype` to determine the data type of the weights. + revision: The specific model version to use. It can be a branch name, + a tag name, or a commit id. + tokenizer_revision: The specific tokenizer version to use. It can be a + branch name, a tag name, or a commit id. + seed: The seed to initialize the random number generator for sampling. + gpu_memory_utilization: The ratio (between 0 and 1) of GPU memory to + reserve for the model weights, activations, and KV cache. Higher + values will increase the KV cache size and thus improve the model's + throughput. However, if the value is too high, it may cause out-of- + memory (OOM) errors. + swap_space: The size (GiB) of CPU memory per GPU to use as swap space. + This can be used for temporarily storing the states of the requests + when their `best_of` sampling parameters are larger than 1. If all + requests will have `best_of=1`, you can safely set this to 0. + Otherwise, too small values may cause out-of-memory (OOM) errors. + enforce_eager: Whether to enforce eager execution. If True, we will + disable CUDA graph and always execute the model in eager mode. + If False, we will use CUDA graph and eager execution in hybrid. + max_context_len_to_capture: Maximum context len covered by CUDA graphs. + When a sequence has context length larger than this, we fall back + to eager mode. + disable_custom_all_reduce: See ParallelConfig + """ + + def __init__( + self, + model: Union[nn.Module, Dict], # model itself or its parameter dict + tokenizer: Union[PreTrainedTokenizer, PreTrainedTokenizerFast, HybridEngineBaseTokenizer], + model_hf_config: PretrainedConfig, + tokenizer_mode: str = "auto", + trust_remote_code: bool = False, + tensor_parallel_size: int = 1, + dtype: str = "auto", + quantization: Optional[str] = None, + revision: Optional[str] = None, + tokenizer_revision: Optional[str] = None, + seed: int = 0, + gpu_memory_utilization: float = 0.9, + swap_space: int = 4, + enforce_eager: bool = False, + max_context_len_to_capture: int = 8192, + disable_custom_all_reduce: bool = False, + **kwargs, + ) -> None: + if "disable_log_stats" not in kwargs: + kwargs["disable_log_stats"] = True + engine_args = EngineArgs( + model_hf_config=model_hf_config, + tensor_parallel_size=tensor_parallel_size, + dtype=dtype, + quantization=quantization, + revision=revision, + tokenizer_revision=tokenizer_revision, + seed=seed, + gpu_memory_utilization=gpu_memory_utilization, + swap_space=swap_space, + enforce_eager=enforce_eager, + max_context_len_to_capture=max_context_len_to_capture, + disable_custom_all_reduce=disable_custom_all_reduce, + **kwargs, + ) + tokenizer_cls = (PreTrainedTokenizer, PreTrainedTokenizerFast, HybridEngineBaseTokenizer) + if not isinstance(tokenizer, tokenizer_cls): + raise ValueError( + f"Unexpected tokenizer type: {type(tokenizer)}. Must be" + "one of the following: PreTrainedTokenizer, PreTrainedTokenizerFast, verl.workers.rollout.HybridEngineBaseTokenizer" + ) + self.llm_engine = LLMEngine.from_engine_args(model, tokenizer, engine_args) + self.request_counter = Counter() + + def init_cache_engine(self): + self.llm_engine.init_cache_engine() + + def free_cache_engine(self): + self.llm_engine.free_cache_engine() + + def get_tokenizer(self) -> Union[PreTrainedTokenizer, PreTrainedTokenizerFast]: + return self.llm_engine.tokenizer + + def set_tokenizer( + self, + tokenizer: Union[PreTrainedTokenizer, PreTrainedTokenizerFast], + ) -> None: + self.llm_engine.tokenizer = tokenizer + + def generate( + self, + prompts: Optional[Union[str, List[str]]] = None, + sampling_params: Optional[SamplingParams] = None, + prompt_token_ids: Optional[List[List[int]]] = None, + prefix_pos: Optional[Union[int, List[int]]] = None, + use_tqdm: bool = True, + lora_request: Optional[LoRARequest] = None, + ) -> List[RequestOutput]: + """Generates the completions for the input prompts. + + NOTE: This class automatically batches the given prompts, considering + the memory constraint. For the best performance, put all of your prompts + into a single list and pass it to this method. + + Args: + prompts: A list of prompts to generate completions for. + sampling_params: The sampling parameters for text generation. If + None, we use the default sampling parameters. + prompt_token_ids: A list of token IDs for the prompts. If None, we + use the tokenizer to convert the prompts to token IDs. + use_tqdm: Whether to use tqdm to display the progress bar. + + Returns: + A list of `RequestOutput` objects containing the generated + completions in the same order as the input prompts. + """ + if prompts is None and prompt_token_ids is None: + raise ValueError("Either prompts or prompt_token_ids must be " + "provided.") + if isinstance(prompts, str): + # Convert a single prompt to a list. + prompts = [prompts] + if prompts is not None and prompt_token_ids is not None: + if len(prompts) != len(prompt_token_ids): + raise ValueError("The lengths of prompts and prompt_token_ids " + "must be the same.") + if sampling_params is None: + # Use default sampling params. + sampling_params = SamplingParams() + + # Add requests to the engine. + num_requests = len(prompts) if prompts is not None else len(prompt_token_ids) + for i in range(num_requests): + prompt = prompts[i] if prompts is not None else None + prefix_pos_i = prefix_pos[i] if prefix_pos is not None else None + token_ids = None if prompt_token_ids is None else prompt_token_ids[i] + if not isinstance(token_ids, list): + # NOTE(shengguangming): convert the rollout input into List[str] + token_ids = self._pre_process_inputs(token_ids) + self._add_request(prompt, sampling_params, token_ids, lora_request=lora_request, prefix_pos=prefix_pos_i) + return self._run_engine(use_tqdm) + + def _add_request( + self, + prompt: Optional[str], + sampling_params: SamplingParams, + prompt_token_ids: Optional[List[int]], + lora_request: Optional[LoRARequest] = None, + prefix_pos: Optional[int] = None, + ) -> None: + request_id = str(next(self.request_counter)) + self.llm_engine.add_request(request_id, + prompt, + sampling_params, + prompt_token_ids, + lora_request=lora_request, + prefix_pos=prefix_pos) + + def _run_engine(self, use_tqdm: bool) -> List[RequestOutput]: + # Initialize tqdm. + if use_tqdm: + num_requests = self.llm_engine.get_num_unfinished_requests() + pbar = tqdm(total=num_requests, desc="Processed prompts") + # Run the engine. + outputs: List[RequestOutput] = [] + while self.llm_engine.has_unfinished_requests(): + step_outputs = self.llm_engine.step() + for output in step_outputs: + if output.finished: + outputs.append(output) + if use_tqdm: + pbar.update(1) + if use_tqdm: + pbar.close() + # Sort the outputs by request ID. + # This is necessary because some requests may be finished earlier than + # its previous requests. + outputs = sorted(outputs, key=lambda x: int(x.request_id)) + # TODO(shengguangming): maybe we can hack the autoregressive logics without only apply post process for better performance + return self._post_process_outputs(outputs) + + # NOTE(shengguangming): add for verl + # TODO(sgm): we can optimize it by making the dataloader yield List[int] without padding. + def _pre_process_inputs(self, prompt_token_ids: torch.Tensor) -> List[int]: + # remove the left padding in the prompt token_id + pad_token_id = self.llm_engine.tokenizer.pad_token_id if self.llm_engine.tokenizer.pad_token_id is not None else self.llm_engine.tokenizer.eos_token_id + non_pad_index = torch.nonzero(prompt_token_ids != pad_token_id, as_tuple=False)[0][0] + token_ids = prompt_token_ids[non_pad_index:].tolist() + return token_ids + + # NOTE(shengguangming): add for verl + def _post_process_outputs(self, outputs: List[RequestOutput]) -> Tuple[torch.Tensor, torch.Tensor]: + output_token_ids = [] + logprobs = [] + for output in outputs: # List[RequestOutput] + output = output.outputs + for output in output: # List[CompletionOutput], usually len == 1 + output_token_ids.append(torch.tensor(output.token_ids)) + # TODO(shengguangming): can be optimzied by rewrite the Sampler._get_logprobs() logits + logprobs_dicts = output.logprobs + if logprobs_dicts is not None: + logprob = [] + for logprobs_dict, id in zip(logprobs_dicts, output.token_ids): + logprob.append(logprobs_dict[id]) + logprobs.append(torch.tensor(logprob)) + + pad_token_id = self.llm_engine.tokenizer.pad_token_id if self.llm_engine.tokenizer.pad_token_id is not None else self.llm_engine.tokenizer.eos_token_id + output_token_ids = pad_sequence(output_token_ids, batch_first=True, padding_value=pad_token_id) + if len(logprobs) > 0: + logprobs = pad_sequence(logprobs, batch_first=True, padding_value=pad_token_id) + return output_token_ids, logprobs + + def sync_model_weights(self, actor_weights: Dict[str, torch.Tensor]) -> None: + self.llm_engine.sync_model_weights(actor_weights=actor_weights) + + def offload_model_weights(self) -> None: + self.llm_engine.offload_model_weights() diff --git a/verl/third_party/vllm/vllm_v_0_3_1/llm_engine_sp.py b/verl/third_party/vllm/vllm_v_0_3_1/llm_engine_sp.py new file mode 100644 index 00000000..e264a858 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_3_1/llm_engine_sp.py @@ -0,0 +1,765 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/engine/llm_engine.py + +import os +import socket +import time +import torch +from typing import TYPE_CHECKING, Any, Dict, Iterable, List, Optional, Tuple, Union + +from vllm.lora.request import LoRARequest +from vllm.config import (CacheConfig, DeviceConfig, ModelConfig, ParallelConfig, SchedulerConfig, LoRAConfig) +from vllm.core.scheduler import Scheduler, SchedulerOutputs +from vllm.logger import init_logger +from vllm.outputs import RequestOutput +from vllm.sampling_params import SamplingParams +from vllm.sequence import (SamplerOutput, Sequence, SequenceGroup, SequenceGroupMetadata, SequenceGroupOutput, + SequenceOutput, SequenceStatus) +from vllm.transformers_utils.tokenizer import detokenize_incrementally +from vllm.engine.metrics import StatLogger, Stats +from vllm.utils import Counter +import torch.nn as nn +from .arg_utils import EngineArgs +from .tokenizer import TokenizerGroup + +logger = init_logger(__name__) +_LOCAL_LOGGING_INTERVAL_SEC = 5 + + +class LLMEngine: + """An LLM engine that receives requests and generates texts. + + This is the main class for the vLLM engine. It receives requests + from clients and generates texts from the LLM. It includes a tokenizer, a + language model (possibly distributed across multiple GPUs), and GPU memory + space allocated for intermediate states (aka KV cache). This class utilizes + iteration-level scheduling and efficient memory management to maximize the + serving throughput. + + The `LLM` class wraps this class for offline batched inference and the + `AsyncLLMEngine` class wraps this class for online serving. + + NOTE: The config arguments are derived from the `EngineArgs` class. For the + comprehensive list of arguments, see `EngineArgs`. + + Args: + model_config: The configuration related to the LLM model. + cache_config: The configuration related to the KV cache memory + management. + parallel_config: The configuration related to distributed execution. + scheduler_config: The configuration related to the request scheduler. + distributed_init_method: The initialization method for distributed + execution. See `torch.distributed.init_process_group` for details. + placement_group: Ray placement group for distributed execution. + Required for distributed execution. + log_stats: Whether to log statistics. + """ + + def __init__( + self, + model: Union[nn.Module, Dict], # model itself or its parameter dict + tokenizer: nn.Module, + model_config: ModelConfig, + cache_config: CacheConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + device_config: DeviceConfig, + lora_config: Optional[LoRAConfig], + distributed_init_method: str, + placement_group: Optional[None], + log_stats: bool, + ) -> None: + logger.info("Initializing an LLM engine with config: " + f"model={model_config.model!r}, " + f"tokenizer={model_config.tokenizer!r}, " + # f"tokenizer_mode={model_config.tokenizer_mode}, " + f"revision={model_config.revision}, " + f"tokenizer_revision={model_config.tokenizer_revision}, " + # f"trust_remote_code={model_config.trust_remote_code}, " + f"dtype={model_config.dtype}, " + f"max_seq_len={model_config.max_model_len}, " + # f"download_dir={model_config.download_dir!r}, " + # f"load_format={model_config.load_format}, " + f"disable_custom_all_reduce={parallel_config.disable_custom_all_reduce}, " + f"tensor_parallel_size={parallel_config.tensor_parallel_size}, " + f"quantization={model_config.quantization}, " + f"seed={model_config.seed})") + # TODO(woosuk): Print more configs in debug mode. + + self.model_config = model_config # TODO: currently is hfconfig + self.cache_config = cache_config + self.lora_config = lora_config + assert self.cache_config.sliding_window == getattr(self.model_config.hf_config, "sliding_window", None) + self.parallel_config = parallel_config + self.scheduler_config = scheduler_config + self.device_config = device_config + self.log_stats = log_stats + self._verify_args() + + # self.model = model # should not store the model, it should be deleted + # TODO(shengguangming): maybe we can choose init here or from arguments + self._init_tokenizer(tokenizer) + + self.seq_counter = Counter() + + # Create the parallel GPU workers. + self._init_workers_sp(model, distributed_init_method) + + # Profile the memory usage and initialize the cache. + self._init_cache_sp() + + # Create the scheduler. + # NOTE(shengguangming): each process will have independent scheduler + self.scheduler = Scheduler(scheduler_config, cache_config, lora_config) + + # Metric Logging. + if self.log_stats: + self.stat_logger = StatLogger(local_interval=_LOCAL_LOGGING_INTERVAL_SEC) + + # Logging. + self.last_logging_time = 0.0 + # List of (timestamp, num_tokens) + self.num_prompt_tokens: List[Tuple[float, int]] = [] + # List of (timestamp, num_tokens) + self.num_generation_tokens: List[Tuple[float, int]] = [] + + def _init_tokenizer(self, tokenizer, **tokenizer_init_kwargs): + init_kwargs = dict(enable_lora=bool(self.lora_config), + max_num_seqs=self.scheduler_config.max_num_seqs, + max_input_length=None) + init_kwargs.update(tokenizer_init_kwargs) + self.tokenizer: TokenizerGroup = TokenizerGroup(tokenizer, **init_kwargs) + + # TODO: check get_lora_tokenizer func + def get_tokenizer_for_seq(self, sequence: Sequence): + return self.tokenizer.get_lora_tokenizer(sequence.lora_request) + + def _init_workers_sp(self, model, distributed_init_method: str): + # Lazy import the Worker to avoid importing torch.cuda/xformers + # before CUDA_VISIBLE_DEVICES is set in the Worker + from .worker import Worker # pylint: disable=import-outside-toplevel + + rank = int(os.getenv("RANK")) + + self.worker = Worker( + model, + self.model_config, + self.parallel_config, + self.scheduler_config, + self.device_config, + rank, + distributed_init_method, + lora_config=self.lora_config, + kv_cache_dtype=self.cache_config.cache_dtype, + ) + + # NOTE(shengguangming): torch.distributed.init_process_group will be called inside the init_model() + self.worker.init_model() + self.worker.load_model() + + def _verify_args(self) -> None: + self.model_config.verify_with_parallel_config(self.parallel_config) + self.cache_config.verify_with_parallel_config(self.parallel_config) + + def _init_cache_sp(self) -> None: + """Profiles the memory usage and initializes the KV cache.""" + # Get the maximum number of blocks that can be allocated on GPU and CPU. + num_blocks = self.worker.profile_num_available_blocks( + block_size=self.cache_config.block_size, + gpu_memory_utilization=self.cache_config.gpu_memory_utilization, + cpu_swap_space=self.cache_config.swap_space_bytes, + cache_dtype=self.cache_config.cache_dtype, + ) + + # NOTE(shengguangming): Now we don't use a shared centralized controler but each process will + # have its own scheduler + num_gpu_blocks = num_blocks[0] + num_cpu_blocks = num_blocks[1] + + # FIXME(woosuk): Change to debug log. + logger.info(f"# GPU blocks: {num_gpu_blocks}, " + f"# CPU blocks: {num_cpu_blocks}") + + if num_gpu_blocks <= 0: + raise ValueError("No available memory for the cache blocks. " + "Try increasing `gpu_memory_utilization` when " + "initializing the engine.") + + max_seq_len = self.cache_config.block_size * num_gpu_blocks + if self.model_config.max_model_len > max_seq_len: + raise ValueError(f"The model's max seq len ({self.model_config.max_model_len}) " + "is larger than the maximum number of tokens that can be " + f"stored in KV cache ({max_seq_len}). Try increasing " + "`gpu_memory_utilization` or decreasing `max_model_len` when " + "initializing the engine.") + + self.cache_config.num_gpu_blocks = num_gpu_blocks + self.cache_config.num_cpu_blocks = num_cpu_blocks + + # Initialize the cache. + self.worker.init_cache_engine(cache_config=self.cache_config) + self.worker.warm_up_model() + + def init_cache_engine(self): + self.worker.init_cache_engine(cache_config=self.cache_config) + + def free_cache_engine(self): + self.worker.free_cache_engine() + + @classmethod + def from_engine_args(cls, model, tokenizer, engine_args: EngineArgs) -> "LLMEngine": + """Creates an LLM engine from the engine arguments.""" + # Create the engine configs. + engine_configs = engine_args.create_engine_configs() + parallel_config = engine_configs[2] + # Initialize the cluster. + distributed_init_method, placement_group = initialize_cluster(parallel_config) + # Create the LLM engine. + engine = cls(model, + tokenizer, + *engine_configs, + distributed_init_method, + placement_group, + log_stats=not engine_args.disable_log_stats) + return engine + + def add_request( + self, + request_id: str, + prompt: Optional[str], + sampling_params: SamplingParams, + prompt_token_ids: Optional[List[int]] = None, + arrival_time: Optional[float] = None, + lora_request: Optional[LoRARequest] = None, + prefix_pos: Optional[int] = None, + ) -> None: + """Add a request to the engine's request pool. + + The request is added to the request pool and will be processed by the + scheduler as `engine.step()` is called. The exact scheduling policy is + determined by the scheduler. + + Args: + request_id: The unique ID of the request. + prompt: The prompt string. Can be None if prompt_token_ids is + provided. + sampling_params: The sampling parameters for text generation. + prompt_token_ids: The token IDs of the prompt. If None, we + use the tokenizer to convert the prompts to token IDs. + arrival_time: The arrival time of the request. If None, we use + the current monotonic time. + prefix_pos: If not None, we use the given position as the prefix + position for each prompt. We will cache the prefix's KV + cache and reuse it for the next request with the same prefix. + This is an experimental feature, and may be replaced with + automatic prefix caching in the future. + + Details: + - Set arrival_time to the current time if it is None. + - Set prompt_token_ids to the encoded prompt if it is None. + - Create `best_of` number of :class:`~vllm.Sequence` objects. + - Create a :class:`~vllm.SequenceGroup` object + from the list of :class:`~vllm.Sequence`. + - Add the :class:`~vllm.SequenceGroup` object to the scheduler. + + Example: + >>> # initialize engine + >>> engine = LLMEngine.from_engine_args(engine_args) + >>> # set request arguments + >>> example_prompt = "Who is the president of the United States?" + >>> sampling_params = SamplingParams(temperature=0.0) + >>> request_id = 0 + >>> + >>> # add the request to the engine + >>> engine.add_request( + >>> str(request_id), + >>> example_prompt, + >>> SamplingParams(temperature=0.0)) + >>> # continue the request processing + >>> ... + """ + if lora_request is not None and not self.lora_config: + raise ValueError(f"Got lora_request {lora_request} but LoRA is " + "not enabled!") + if arrival_time is None: + arrival_time = time.monotonic() + if prompt_token_ids is None: + assert prompt is not None + prompt_token_ids = self.tokenizer.encode(prompt) + + # Create the sequences. + block_size = self.cache_config.block_size + seq_id = next(self.seq_counter) + seq = Sequence(seq_id, prompt, prompt_token_ids, block_size, lora_request) + + # Check whether the input specifies prefix + prefix = self.scheduler.prefix_pool.add_or_get_prefix(prompt_token_ids[:prefix_pos], lora_request.lora_int_id if + lora_request else 0) if prefix_pos is not None else None + + # Create the sequence group. + seq_group = SequenceGroup(request_id, [seq], sampling_params, arrival_time, lora_request, prefix) + + # Add the sequence group to the scheduler. + self.scheduler.add_seq_group(seq_group) + + def abort_request(self, request_id: Union[str, Iterable[str]]) -> None: + """Aborts a request(s) with the given ID. + + Args: + request_id: The ID(s) of the request to abort. + + Details: + - Refer to the + :meth:`~vllm.core.scheduler.Scheduler.abort_seq_group` + from class :class:`~vllm.core.scheduler.Scheduler`. + + Example: + >>> # initialize engine and add a request with request_id + >>> request_id = str(0) + >>> # abort the request + >>> engine.abort_request(request_id) + """ + self.scheduler.abort_seq_group(request_id) + + def get_model_config(self) -> ModelConfig: + """Gets the model configuration.""" + return self.model_config + + def get_num_unfinished_requests(self) -> int: + """Gets the number of unfinished requests.""" + return self.scheduler.get_num_unfinished_seq_groups() + + def has_unfinished_requests(self) -> bool: + """Returns True if there are unfinished requests.""" + return self.scheduler.has_unfinished_seqs() + + def _check_beam_search_early_stopping( + self, + early_stopping: Union[bool, str], + sampling_params: SamplingParams, + best_running_seq: Sequence, + current_worst_seq: Sequence, + ) -> bool: + assert sampling_params.use_beam_search + length_penalty = sampling_params.length_penalty + if early_stopping is True: + return True + + current_worst_score = (current_worst_seq.get_beam_search_score( + length_penalty=length_penalty, eos_token_id=self.get_tokenizer_for_seq(current_worst_seq).eos_token_id)) + if early_stopping is False: + highest_attainable_score = (best_running_seq.get_beam_search_score( + length_penalty=length_penalty, eos_token_id=self.get_tokenizer_for_seq(best_running_seq).eos_token_id)) + else: + assert early_stopping == "never" + if length_penalty > 0.0: + # If length_penalty > 0.0, beam search will prefer longer + # sequences. The highest attainable score calculation is + # based on the longest possible sequence length in this case. + max_possible_length = max(best_running_seq.get_prompt_len() + sampling_params.max_tokens, + self.scheduler_config.max_model_len) + highest_attainable_score = (best_running_seq.get_beam_search_score( + length_penalty=length_penalty, + eos_token_id=self.get_tokenizer_for_seq(best_running_seq).eos_token_id, + seq_len=max_possible_length)) + else: + # Otherwise, beam search will prefer shorter sequences. The + # highest attainable score calculation is based on the current + # sequence length. + highest_attainable_score = (best_running_seq.get_beam_search_score( + length_penalty=length_penalty, + eos_token_id=self.get_tokenizer_for_seq(best_running_seq).eos_token_id)) + + def _process_sequence_group_outputs(self, seq_group: SequenceGroup, outputs: SequenceGroupOutput) -> None: + + # Process prompt logprobs + prompt_logprobs = outputs.prompt_logprobs + if prompt_logprobs is not None: + seq_group.prompt_logprobs = prompt_logprobs + + # Process samples + samples = outputs.samples + parent_seqs = seq_group.get_seqs(status=SequenceStatus.RUNNING) + existing_finished_seqs = seq_group.get_finished_seqs() + parent_child_dict = {parent_seq.seq_id: [] for parent_seq in parent_seqs} + for sample in samples: + parent_child_dict[sample.parent_seq_id].append(sample) + # List of (child, parent) + child_seqs: List[Tuple[Sequence, Sequence]] = [] + + # Process the child samples for each parent sequence + for parent in parent_seqs: + child_samples: List[SequenceOutput] = parent_child_dict[parent.seq_id] + if len(child_samples) == 0: + # This parent sequence has no children samples. Remove + # the parent sequence from the sequence group since it will + # not be used in the future iterations. + parent.status = SequenceStatus.FINISHED_ABORTED + seq_group.remove(parent.seq_id) + self.scheduler.free_seq(parent) + continue + # Fork the parent sequence if there are multiple child samples. + for child_sample in child_samples[:-1]: + new_child_seq_id = next(self.seq_counter) + child = parent.fork(new_child_seq_id) + child.append_token_id(child_sample.output_token, child_sample.logprobs) + child_seqs.append((child, parent)) + # Continue the parent sequence for the last child sample. + # We reuse the parent sequence here to reduce redundant memory + # copies, especially when using non-beam search sampling methods. + last_child_sample = child_samples[-1] + parent.append_token_id(last_child_sample.output_token, last_child_sample.logprobs) + child_seqs.append((parent, parent)) + + for seq, _ in child_seqs: + # self._decode_sequence(seq, seq_group.sampling_params) + self._check_stop(seq, seq_group.sampling_params) + + # Non-beam search case + if not seq_group.sampling_params.use_beam_search: + # For newly created child sequences, add them to the sequence group + # and fork them in block manager if they are not finished. + for seq, parent in child_seqs: + if seq is not parent: + seq_group.add(seq) + if not seq.is_finished(): + self.scheduler.fork_seq(parent, seq) + + # Free the finished and selected parent sequences' memory in block + # manager. Keep them in the sequence group as candidate output. + # NOTE: we need to fork the new sequences before freeing the + # old sequences. + for seq, parent in child_seqs: + if seq is parent and seq.is_finished(): + self.scheduler.free_seq(seq) + return + + # Beam search case + # Select the child sequences to keep in the sequence group. + selected_child_seqs = [] + unselected_child_seqs = [] + beam_width = seq_group.sampling_params.best_of + length_penalty = seq_group.sampling_params.length_penalty + + # Select the newly finished sequences with the highest scores + # to replace existing finished sequences. + # Tuple of (seq, parent, is_new) + existing_finished_seqs = [(seq, None, False) for seq in existing_finished_seqs] + new_finished_seqs = [(seq, parent, True) for seq, parent in child_seqs if seq.is_finished()] + all_finished_seqs = existing_finished_seqs + new_finished_seqs + # Sort the finished sequences by their scores. + all_finished_seqs.sort(key=lambda x: x[0].get_beam_search_score( + length_penalty=length_penalty, eos_token_id=self.get_tokenizer_for_seq(x[0]).eos_token_id), + reverse=True) + for seq, parent, is_new in all_finished_seqs[:beam_width]: + if is_new: + # A newly generated child sequence finishes and has a high + # score, so we will add it into the sequence group. + selected_child_seqs.append((seq, parent)) + for seq, parent, is_new in all_finished_seqs[beam_width:]: + if is_new: + # A newly generated child sequence finishes but has a low + # score, so we will not add it into the sequence group. + # Additionally, if this sequence is a continuation of a + # parent sequence, we will need remove the parent sequence + # from the sequence group. + unselected_child_seqs.append((seq, parent)) + else: + # An existing finished sequence has a low score, so we will + # remove it from the sequence group. + seq_group.remove(seq.seq_id) + + # select the top beam_width sequences from the running + # sequences for the next iteration to continue the beam + # search. + running_child_seqs = [(seq, parent) for seq, parent in child_seqs if not seq.is_finished()] + # Sort the running sequences by their scores. + running_child_seqs.sort(key=lambda x: x[0].get_beam_search_score( + length_penalty=length_penalty, eos_token_id=self.get_tokenizer_for_seq(x[0]).eos_token_id), + reverse=True) + + # Check if we can stop the beam search. + if len(running_child_seqs) == 0: + # No running sequences, stop the beam search. + stop_beam_search = True + elif len(all_finished_seqs) < beam_width: + # Not enough finished sequences, continue the beam search. + stop_beam_search = False + else: + # Check the early stopping criteria + best_running_seq = running_child_seqs[0][0] + current_worst_seq = all_finished_seqs[beam_width - 1][0] + stop_beam_search = self._check_beam_search_early_stopping(seq_group.sampling_params.early_stopping, + seq_group.sampling_params, best_running_seq, + current_worst_seq) + + if stop_beam_search: + # Stop the beam search and remove all the running sequences from + # the sequence group. + unselected_child_seqs.extend(running_child_seqs) + else: + # Continue the beam search and select the top beam_width sequences + # to continue the beam search. + selected_child_seqs.extend(running_child_seqs[:beam_width]) + # The remaining running sequences will not be used in the next + # iteration. Again, if these sequences are continuations of + # parent sequences, we will need to remove the parent sequences + # from the sequence group. + unselected_child_seqs.extend(running_child_seqs[beam_width:]) + + # For newly created child sequences, add them to the sequence group + # and fork them in block manager if they are not finished. + for seq, parent in selected_child_seqs: + if seq is not parent: + seq_group.add(seq) + if not seq.is_finished(): + self.scheduler.fork_seq(parent, seq) + + # Free the finished and selected parent sequences' memory in block + # manager. Keep them in the sequence group as candidate output. + for seq, parent in selected_child_seqs: + if seq is parent and seq.is_finished(): + self.scheduler.free_seq(seq) + + # Remove the unselected parent sequences from the sequence group and + # free their memory in block manager. + for seq, parent in unselected_child_seqs: + if seq is parent: + # Remove the parent sequence if it is not selected for next + # iteration + seq_group.remove(seq.seq_id) + self.scheduler.free_seq(seq) + + def _process_model_outputs(self, output: SamplerOutput, scheduler_outputs: SchedulerOutputs) -> List[RequestOutput]: + # Update the scheduled sequence groups with the model outputs. + scheduled_seq_groups = scheduler_outputs.scheduled_seq_groups + for seq_group, outputs in zip(scheduled_seq_groups, output): + self._process_sequence_group_outputs(seq_group, outputs) + + # Free the finished sequence groups. + self.scheduler.free_finished_seq_groups() + + # Create the outputs. + request_outputs: List[RequestOutput] = [] + for seq_group in scheduled_seq_groups: + request_output = RequestOutput.from_seq_group(seq_group) + request_outputs.append(request_output) + for seq_group in scheduler_outputs.ignored_seq_groups: + request_output = RequestOutput.from_seq_group(seq_group) + request_outputs.append(request_output) + + # Update prefix state, now all the uncomputed prefixes are computed. + for seq_group in scheduled_seq_groups: + if (seq_group.prefix is not None and seq_group.prefix.allocated and not seq_group.prefix.computed): + seq_group.prefix.computed = True + + # Log stats. + if self.log_stats: + self.stat_logger.log(self._get_stats(scheduler_outputs)) + + return request_outputs + + def step(self) -> List[RequestOutput]: + """Performs one decoding iteration and returns newly generated results. + + This function performs one decoding iteration of the engine. It first + schedules the sequences to be executed in the next iteration and the + token blocks to be swapped in/out/copy. Then, it executes the model + and updates the scheduler with the model outputs. Finally, it decodes + the sequences and returns the newly generated results. + """ + seq_group_metadata_list, scheduler_outputs = self.scheduler.schedule() + if not scheduler_outputs.is_empty(): + output = self.worker.execute_model( + seq_group_metadata_list=seq_group_metadata_list, # TODO: check this input + blocks_to_swap_in=scheduler_outputs.blocks_to_swap_in, + blocks_to_swap_out=scheduler_outputs.blocks_to_swap_out, + blocks_to_copy=scheduler_outputs.blocks_to_copy,) + else: + return [RequestOutput.from_seq_group(seq_group) for seq_group in scheduler_outputs.ignored_seq_groups] + + return self._process_model_outputs(output, scheduler_outputs) + + def do_log_stats(self) -> None: + """Forced log when no requests active.""" + if self.log_stats: + self.stat_logger.log(self._get_stats(scheduler_outputs=None)) + + def _get_stats(self, scheduler_outputs: Optional[SchedulerOutputs]) -> Stats: + """Get Stats to be Logged to Prometheus.""" + now = time.monotonic() + + # KV Cache Usage in %. + num_total_gpu = self.cache_config.num_gpu_blocks + num_free_gpu = self.scheduler.block_manager.get_num_free_gpu_blocks() + gpu_cache_usage = 1.0 - (num_free_gpu / num_total_gpu) + + num_total_cpu = self.cache_config.num_cpu_blocks + cpu_cache_usage = 0. + if num_total_cpu > 0: + num_free_cpu = self.scheduler.block_manager.get_num_free_cpu_blocks() + cpu_cache_usage = 1.0 - (num_free_cpu / num_total_cpu) + + # Scheduler State + num_running = len(self.scheduler.running) + num_swapped = len(self.scheduler.swapped) + num_waiting = len(self.scheduler.waiting) + + # Iteration stats if we have scheduler output. + num_prompt_tokens = 0 + num_generation_tokens = 0 + time_to_first_tokens = [] + time_per_output_tokens = [] + time_e2e_requests = [] + if scheduler_outputs is not None: + prompt_run = scheduler_outputs.prompt_run + + # Number of Tokens. + if prompt_run: + num_prompt_tokens = scheduler_outputs.num_batched_tokens + else: + num_generation_tokens = scheduler_outputs.num_batched_tokens + + # Latency Timings. + time_last_iters = [] + for seq_group in scheduler_outputs.scheduled_seq_groups: + # Time since last token. (n.b. updates seq_group.last_token_time) + time_last_iters.append(seq_group.get_last_latency(now)) + # Time since arrival for all finished requests. + if seq_group.is_finished(): + time_e2e_requests.append(now - seq_group.arrival_time) + + time_to_first_tokens = time_last_iters if prompt_run else [] + time_per_output_tokens = [] if prompt_run else time_last_iters + + return Stats( + now=now, + num_running=num_running, + num_swapped=num_swapped, + num_waiting=num_waiting, + gpu_cache_usage=gpu_cache_usage, + cpu_cache_usage=cpu_cache_usage, + num_prompt_tokens=num_prompt_tokens, + num_generation_tokens=num_generation_tokens, + time_to_first_tokens=time_to_first_tokens, + time_per_output_tokens=time_per_output_tokens, + time_e2e_requests=time_e2e_requests, + ) + + # TODO: we may not need to decode + def _decode_sequence(self, seq: Sequence, prms: SamplingParams) -> None: + """Decodes the new token for a sequence.""" + (new_tokens, new_output_text, prefix_offset, read_offset) = detokenize_incrementally( + self.get_tokenizer_for_seq(seq), + all_input_ids=seq.get_token_ids(), + prev_tokens=seq.tokens, + prefix_offset=seq.prefix_offset, + read_offset=seq.read_offset, + skip_special_tokens=prms.skip_special_tokens, + spaces_between_special_tokens=prms.spaces_between_special_tokens, + ) + if seq.tokens is None: + seq.tokens = new_tokens + else: + seq.tokens.extend(new_tokens) + seq.prefix_offset = prefix_offset + seq.read_offset = read_offset + seq.output_text += new_output_text + + def _check_stop(self, seq: Sequence, sampling_params: SamplingParams) -> None: + """Stop the finished sequences.""" + # for stop_str in sampling_params.stop: + # if seq.output_text.endswith(stop_str): + # self._finalize_sequence(seq, sampling_params, stop_str) + # seq.status = SequenceStatus.FINISHED_STOPPED + # return + # if seq.get_last_token_id() in sampling_params.stop_token_ids: + # stop_str = self.get_tokenizer_for_seq(seq).convert_ids_to_tokens(seq.get_last_token_id()) + # self._finalize_sequence(seq, sampling_params, stop_str) + # seq.status = SequenceStatus.FINISHED_STOPPED + # return + + # Check if the sequence has reached max_model_len. + if seq.get_len() > self.scheduler_config.max_model_len: + seq.status = SequenceStatus.FINISHED_LENGTH_CAPPED + return + + # Check if the sequence has reached max_tokens. + if seq.get_output_len() == sampling_params.max_tokens: + seq.status = SequenceStatus.FINISHED_LENGTH_CAPPED + return + + # Check if the sequence has generated the EOS token. + if ((not sampling_params.ignore_eos) and + seq.get_last_token_id() == self.get_tokenizer_for_seq(seq).eos_token_id): + seq.status = SequenceStatus.FINISHED_STOPPED + return + + def _finalize_sequence(self, seq: Sequence, sampling_params: SamplingParams, stop_string: str) -> None: + if not sampling_params.include_stop_str_in_output and stop_string: + # Truncate the output text so that the stop string is + # not included in the output. + seq.output_text = seq.output_text[:-len(stop_string)] + + def add_lora(self, lora_request: LoRARequest) -> bool: + assert lora_request.lora_int_id > 0, "lora_id must be greater than 0." + return self.worker.add_lora(lora_request) + + def remove_lora(self, lora_id: int) -> bool: + assert lora_id > 0, "lora_id must be greater than 0." + return self.worker.remove_lora(lora_id) + + def list_loras(self) -> List[int]: + return self.worker.list_loras() + + def sync_model_weights(self, actor_weights: Dict[str, torch.Tensor]) -> None: + self.worker.sync_model_weights(actor_weights=actor_weights) + + def offload_model_weights(self) -> None: + self.worker.offload_model_weights() + + +def initialize_cluster( + parallel_config: ParallelConfig, + engine_use_ray: bool = False, + ray_address: Optional[str] = None, +) -> Tuple[str, Optional[None]]: + """Initialize the distributed cluster probably with Ray. + + Args: + parallel_config: The configurations for parallel execution. + engine_use_ray: Whether to use Ray for async engine. + ray_address: The address of the Ray cluster. If None, uses + the default Ray cluster address. + + Returns: + A tuple of (`distributed_init_method`, `placement_group`). The + `distributed_init_method` is the address for initializing the + distributed backend. `placement_group` includes the specification + of the resources for each distributed worker. + """ + + # Initialize cluster locally. + port = get_open_port() + # We need to setup the distributed init method to make sure + # the distributed megatron code (e.g., get world size) works correctly. + distributed_init_method = f"tcp://localhost:{port}" + return distributed_init_method, None + + +def get_open_port(): + with socket.socket(socket.AF_INET, socket.SOCK_STREAM) as s: + s.bind(("", 0)) + return s.getsockname()[1] diff --git a/verl/third_party/vllm/vllm_v_0_3_1/model_loader.py b/verl/third_party/vllm/vllm_v_0_3_1/model_loader.py new file mode 100644 index 00000000..450e2f4b --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_3_1/model_loader.py @@ -0,0 +1,275 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/tree/main/vllm/model_executor/model_loader +"""Utilities for selecting and loading models.""" +import contextlib +from typing import Dict, Type, Union + +import torch +import torch.nn as nn +from transformers import PretrainedConfig, PreTrainedModel +from megatron.core.tensor_parallel.utils import VocabUtility + +from vllm.model_executor.models import ModelRegistry +from vllm.model_executor.weight_utils import (get_quant_config, initialize_dummy_weights) + +from .config import ModelConfig +from vllm.config import DeviceConfig, LoRAConfig +from .weight_loaders import * +from vllm.model_executor.sampling_metadata import SamplingMetadata, SamplingTensors +from vllm.sequence import SamplerOutput +from typing import Optional +from vllm.model_executor.layers.sampler import Sampler +from vllm.model_executor.layers.sampler import _prune_hidden_states, _apply_logits_processors, _apply_penalties, _apply_top_k_top_p, _apply_min_p, _apply_penalties, _sample, _get_logprobs, _build_sampler_output + + +@contextlib.contextmanager +def _set_default_torch_dtype(dtype: torch.dtype): + """Sets the default torch dtype to the given dtype.""" + old_dtype = torch.get_default_dtype() + torch.set_default_dtype(dtype) + yield + torch.set_default_dtype(old_dtype) + + +def _get_model_architecture(config: PretrainedConfig) -> Type[nn.Module]: + architectures = getattr(config, "architectures", []) + for arch in architectures: + model_cls = ModelRegistry.load_model_cls(arch) + if model_cls is not None: + return model_cls + raise ValueError(f"Model architectures {architectures} are not supported for now. " + f"Supported architectures: {ModelRegistry.get_supported_archs()}") + + +from vllm.model_executor.layers.linear import * +from vllm.model_executor.layers.vocab_parallel_embedding import VocabParallelEmbedding, ParallelLMHead +from vllm.model_executor.layers.activation import ScaledActivation + +__LAYER_WEIGHT_LOADER_REGISTRY__ = { + ColumnParallelLinear: parallel_weight_loader, + MergedColumnParallelLinear: parallel_weight_loader, + QKVParallelLinear: parallel_weight_loader, + RowParallelLinear: parallel_weight_loader, + VocabParallelEmbedding: parallel_weight_loader, + ParallelLMHead: parallel_weight_loader + # "ScaledActivation.weight_loader": ScaledActivation, # TODO(shengguangming): latest commit in vllm fix awq for this function and add load_weights + # "default_weight_loader": default_weight_loader +} + +# NOTE(gmsheng): change the weight_loader function in runtime +for layer_class, weight_loader in __LAYER_WEIGHT_LOADER_REGISTRY__.items(): + layer_class.weight_loader = weight_loader + +__MODEL_WEIGHT_LOADER_REGISTRY__ = { + 'GPT2LMHeadModel': gpt2_weight_loader, + 'LlamaForCausalLM': llama_weight_loader, + 'LLaMAForCausalLM': llama_weight_loader, + 'MistralForCausalLM': mistral_weight_loader, +} + +# FIXME(shengguangming): the vLLM vocab will pad to 64, which may incur out of bounds +# so we need to rewrite the init function of vocab +DEFAULT_VOCAB_PADDING_SIZE = 64 + + +def vocab_init(self, + num_embeddings: int, + embedding_dim: int, + params_dtype: Optional[torch.dtype] = None, + org_num_embeddings: Optional[int] = None, + padding_size: int = DEFAULT_VOCAB_PADDING_SIZE): + super(VocabParallelEmbedding, self).__init__() + + # Keep the input dimensions. + # TODO (pad to be divided by 4) + self.num_embeddings = num_embeddings + self.org_vocab_size = org_num_embeddings or num_embeddings + + # self.num_embeddings_padded = pad_vocab_size(num_embeddings, + # padding_size) + self.embedding_dim = embedding_dim + if params_dtype is None: + params_dtype = torch.get_default_dtype() + self.tp_size = get_tensor_model_parallel_world_size() + # Divide the weight matrix along the vocaburaly dimension. + + self.vocab_start_index, self.vocab_end_index = (VocabUtility.vocab_range_from_global_vocab_size( + self.num_embeddings, get_tensor_model_parallel_rank(), self.tp_size)) + self.num_embeddings_per_partition = (self.vocab_end_index - self.vocab_start_index) + self.weight = Parameter( + torch.empty( + self.num_embeddings_per_partition, + self.embedding_dim, + # device=torch.cuda.current_device(), + dtype=params_dtype)) + set_weight_attrs(self.weight, {"parallel_dim": 0, "weight_loader": self.weight_loader}) + + +VocabParallelEmbedding.__init__ = vocab_init + + +def _get_model_weight_loader(arch: str): + if arch in __MODEL_WEIGHT_LOADER_REGISTRY__: + return __MODEL_WEIGHT_LOADER_REGISTRY__[arch] + raise ValueError(f"Model architectures {arch} are not supported for now. " + f"Supported architectures: {ModelRegistry.get_supported_archs()}") + + +def get_model(actor_model: Union[PreTrainedModel, Dict], + model_config: ModelConfig, + device_config: DeviceConfig, + lora_config: Optional[LoRAConfig] = None) -> nn.Module: + model_class = _get_model_architecture(model_config.hf_config) + + # Get the quantization config. + linear_method = None + quant_config = None + if model_config.quantization is not None: + quant_config = get_quant_config(model_config.quantization, model_config.model, model_config.hf_config, + model_config.download_dir) + capability = torch.cuda.get_device_capability() + capability = capability[0] * 10 + capability[1] + if capability < quant_config.get_min_capability(): + raise ValueError(f"The quantization method {model_config.quantization} is not " + "supported for the current GPU. " + f"Minimum capability: {quant_config.get_min_capability()}. " + f"Current capability: {capability}.") + supported_dtypes = quant_config.get_supported_act_dtypes() + if model_config.dtype not in supported_dtypes: + raise ValueError(f"{model_config.dtype} is not supported for quantization " + f"method {model_config.quantization}. Supported dtypes: " + f"{supported_dtypes}") + linear_method = quant_config.get_linear_method() + + with _set_default_torch_dtype(model_config.dtype): + # Create a model instance. + # The weights will be initialized as empty tensors. + # with torch.device(device_config.device): + # NOTE(sgm): init the model in cpu + model = model_class(model_config.hf_config, linear_method) + + if model_config.load_format == "dummy": + model = model.cuda() + # NOTE(woosuk): For accurate performance evaluation, we assign + # random values to the weights. + initialize_dummy_weights(model) + elif model_config.load_format == 'model' or model_config.load_format == 'auto': + # NOTE(shengguangming) Load the weights from the actor model + if isinstance(actor_model, nn.Module): + load_weights(actor_weights=dict(actor_model.named_parameters(remove_duplicate=False)), vllm_model=model) + else: + load_weights(actor_weights=actor_model, vllm_model=model) + + # NOTE(sgm) Some weights are point to gpu, but still need this. + model = model.cuda() # NOTE (zhangchi.usc1992) We need this for vllm to profile memory usage + return model.eval() + + +# the actor model is .state_dict() +def load_weights(actor_weights: Dict, vllm_model: nn.Module): + weight_loader = _get_model_weight_loader(vllm_model.__class__.__name__) + weight_loader(actor_weights, vllm_model) + # NOTE(sgm) to reduce peak memory usage, we offload vllm model to cpu + # after init, and we need this after sync model weights for in first iter. + vllm_model = vllm_model.cuda() + + +# FIXME(sgm): hack the Sampler function in vllm v0.3.1 +# as they use ray, the sampler result will only need to return to the driver node, +# therefore gather is enough. However, we use SPMD instead of a central scheduler, +# all_gather is required (aligned with v0.2.6) +def _get_logits(self, hidden_states: torch.Tensor, embedding: torch.Tensor, + embedding_bias: Optional[torch.Tensor]) -> torch.Tensor: + # Get the logits for the next tokens. + logits = torch.matmul(hidden_states, embedding.t()) + if embedding_bias is not None: + logits += embedding_bias + logits = tensor_model_parallel_all_gather(logits) + # Remove paddings in vocab (if any). + if logits is not None: + logits = logits[:, :self.org_vocab_size] + return logits + + +def forward( + self, + embedding: torch.Tensor, + hidden_states: torch.Tensor, + sampling_metadata: SamplingMetadata, + embedding_bias: Optional[torch.Tensor] = None, +) -> Optional[SamplerOutput]: + # Get the hidden states that we use for sampling. + hidden_states = _prune_hidden_states(hidden_states, sampling_metadata) + + # Get the logits for the next tokens. + logits = self._get_logits(hidden_states, embedding, embedding_bias) + # save origin logprobs for sampler_output + origin_logprobs = torch.log_softmax(logits, dim=-1, dtype=torch.float) + + # Only perform sampling in the driver worker. + # Note: `_get_logits` is still distributed across TP workers because + # the `embedding` weight is distributed across TP workers. + # TODO(zhuohan): Change the get_logits part to a separate stage. + if not sampling_metadata.perform_sampling: + return None + + assert logits is not None + _, vocab_size = logits.shape + + # Apply logits processors (if any). + logits = _apply_logits_processors(logits, sampling_metadata) + + # Prepare sampling tensors with pinned memory to avoid blocking. + (sampling_tensors, do_penalties, do_top_p_top_k, + do_min_p) = SamplingTensors.from_sampling_metadata(sampling_metadata, vocab_size, logits.device, logits.dtype) + + # Apply presence and frequency penalties. + if do_penalties: + logits = _apply_penalties(logits, sampling_tensors.prompt_tokens, sampling_tensors.output_tokens, + sampling_tensors.presence_penalties, sampling_tensors.frequency_penalties, + sampling_tensors.repetition_penalties) + + # Apply temperature scaling. + # Use in-place division to avoid creating a new tensor. + logits.div_(sampling_tensors.temperatures.unsqueeze_(dim=1)) + + if do_top_p_top_k: + logits = _apply_top_k_top_p(logits, sampling_tensors.top_ps, sampling_tensors.top_ks) + + if do_min_p: + logits = _apply_min_p(logits, sampling_tensors.min_ps) + + # We use float32 for probabilities and log probabilities. + # Compute the probabilities. + probs = torch.softmax(logits, dim=-1, dtype=torch.float) + # Compute the log probabilities. + # Use log_softmax to ensure numerical stability. + logprobs = torch.log_softmax(logits, dim=-1, dtype=torch.float) + + # Sample the next tokens. + sample_results = _sample(probs, logprobs, sampling_metadata) + + # Get the logprobs query results. + # prompt_logprobs, sample_logprobs = _get_logprobs( + # logprobs, sampling_metadata, sample_results) + prompt_logprobs, sample_logprobs = _get_logprobs(origin_logprobs, sampling_metadata, sample_results) + + return _build_sampler_output(sample_results, sampling_metadata, prompt_logprobs, sample_logprobs) + + +from vllm.model_executor.layers.sampler import Sampler + +Sampler._get_logits = _get_logits +Sampler.forward = forward diff --git a/verl/third_party/vllm/vllm_v_0_3_1/model_runner.py b/verl/third_party/vllm/vllm_v_0_3_1/model_runner.py new file mode 100644 index 00000000..4acf3422 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_3_1/model_runner.py @@ -0,0 +1,285 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/worker/model_runner.py + +from typing import Dict, List, Optional, Tuple, Set, Union +import contextlib +import time +import numpy as np +import torch +import torch.nn as nn + +from vllm.config import (DeviceConfig, ModelConfig, LoRAConfig, ParallelConfig, SchedulerConfig) +from vllm.logger import init_logger +from vllm.model_executor import InputMetadata, SamplingMetadata +from vllm.sampling_params import SamplingParams, SamplingType +from vllm.sequence import SamplerOutput, SequenceData, SequenceGroupMetadata +from vllm.lora.worker_manager import LRUCacheWorkerLoRAManager +from vllm.lora.layers import LoRAMapping +from vllm.lora.request import LoRARequest +from vllm.utils import in_wsl +from vllm.worker.model_runner import ModelRunner, CUDAGraphRunner, _async_h2d + +from .model_loader import get_model + +logger = init_logger(__name__) + +KVCache = Tuple[torch.Tensor, torch.Tensor] +_PAD_SLOT_ID = -1 +LORA_WARMUP_RANK = 8 +# Capture graphs for batch size 1, 2, 4, 8, 16, 24, 32, 40, ..., 256. +# NOTE: _get_graph_batch_size needs to be updated if this list is changed. +_BATCH_SIZES_TO_CAPTURE = [1, 2, 4] + [8 * i for i in range(1, 33)] + + +class ModelRunner(ModelRunner): + + def __init__( + self, + model: Union[nn.Module, Dict], # model itself or its parameter dict + model_config: ModelConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + device_config: DeviceConfig, + lora_config: Optional[LoRAConfig], + kv_cache_dtype: Optional[str] = "auto", + ): + self.model_config = model_config + self.parallel_config = parallel_config + self.scheduler_config = scheduler_config + self.lora_config = lora_config + + # model_config can be None in tests/samplers/test_sampler.py. + # FIXME(woosuk): This is a hack to make the tests work. Refactor this. + self.sliding_window = (model_config.get_sliding_window() if model_config is not None else None) + + self.device_config = (device_config if device_config is not None else DeviceConfig()) + self.device = self.device_config.device + + self.model = model # this will be replaced by get_model() + self.block_size = None # Set after initial profiling. + self.lora_manager = None + + self.graph_runners: Dict[int, CUDAGraphRunner] = {} + self.graph_memory_pool = None # Set during graph capture. + + self.max_context_len_to_capture = (self.model_config.max_context_len_to_capture + if self.model_config is not None else 0) + # When using CUDA graph, the input block tables must be padded to + # max_context_len_to_capture. However, creating the block table in + # Python can be expensive. To optimize this, we cache the block table + # in numpy and only copy the actual input content at every iteration. + # The shape of the cached block table will be + # (max batch size to capture, max context len to capture / block size). + self.graph_block_tables = None # Set after initial profiling. + # cache in_wsl result + self.in_wsl = in_wsl() + self.kv_cache_dtype = kv_cache_dtype + + def load_model(self) -> None: + self.model = get_model(actor_model=self.model, + model_config=self.model_config, + device_config=self.device_config, + lora_config=self.lora_config) + vocab_size = self.model.config.vocab_size + + if self.lora_config: + assert hasattr( + self.model, + "supported_lora_modules") and self.model.supported_lora_modules, "Model does not support LoRA" + assert hasattr(self.model, "embedding_modules"), "Model does not have embedding_modules" + assert hasattr(self.model, "embedding_padding_modules"), "Model does not have embedding_padding_modules" + self.lora_manager = LRUCacheWorkerLoRAManager( + self.scheduler_config.max_num_seqs, + self.scheduler_config.max_num_batched_tokens + self.scheduler_config.max_paddings, vocab_size, + self.lora_config, self.device, self.model.embedding_modules, self.model.embedding_padding_modules) + self.model = self.lora_manager.create_lora_manager(self.model) + + def _prepare_sample( + self, + seq_group_metadata_list: List[SequenceGroupMetadata], + prompt_lens: List[int], + subquery_lens: Optional[List[int]], + ) -> SamplingMetadata: + seq_groups: List[Tuple[List[int], SamplingParams]] = [] + selected_token_indices: List[int] = [] + selected_token_start_idx = 0 + categorized_sample_indices = {t: [] for t in SamplingType} + categorized_sample_indices_start_idx = 0 + + max_subquery_len = max(subquery_lens) if subquery_lens else 1 + for i, seq_group_metadata in enumerate(seq_group_metadata_list): + seq_ids = list(seq_group_metadata.seq_data.keys()) + sampling_params = seq_group_metadata.sampling_params + seq_groups.append((seq_ids, sampling_params)) + + if seq_group_metadata.is_prompt: + assert len(seq_ids) == 1 + assert subquery_lens is not None + subquery_len = subquery_lens[i] + if sampling_params.prompt_logprobs is not None: + # NOTE: prompt token positions do not need sample, skip + categorized_sample_indices_start_idx += subquery_len - 1 + + categorized_sample_indices[sampling_params.sampling_type].append(categorized_sample_indices_start_idx) + categorized_sample_indices_start_idx += 1 + + if sampling_params.prompt_logprobs is not None: + selected_token_indices.extend( + range(selected_token_start_idx, selected_token_start_idx + subquery_len - 1)) + selected_token_indices.append(selected_token_start_idx + subquery_len - 1) + selected_token_start_idx += max_subquery_len + else: + num_seqs = len(seq_ids) + selected_token_indices.extend(range(selected_token_start_idx, selected_token_start_idx + num_seqs)) + selected_token_start_idx += num_seqs + + categorized_sample_indices[sampling_params.sampling_type].extend( + range(categorized_sample_indices_start_idx, categorized_sample_indices_start_idx + num_seqs)) + categorized_sample_indices_start_idx += num_seqs + + selected_token_indices = _async_h2d(selected_token_indices, + dtype=torch.long, + target_device=self.device, + pin_memory=not self.in_wsl) + categorized_sample_indices = { + t: _async_h2d(seq_ids, dtype=torch.int, target_device=self.device, pin_memory=not self.in_wsl) + for t, seq_ids in categorized_sample_indices.items() + } + + seq_data: Dict[int, SequenceData] = {} + for seq_group_metadata in seq_group_metadata_list: + seq_data.update(seq_group_metadata.seq_data) + + sampling_metadata = SamplingMetadata( + seq_groups=seq_groups, + seq_data=seq_data, + prompt_lens=prompt_lens, + selected_token_indices=selected_token_indices, + categorized_sample_indices=categorized_sample_indices, + ) + return sampling_metadata + + def prepare_input_tensors( + self, + seq_group_metadata_list: Optional[List[SequenceGroupMetadata]], + ) -> Tuple[torch.Tensor, torch.Tensor, InputMetadata, SamplingMetadata, Set[int], LoRAMapping]: + # NOTE: We assume that all sequences in the group are all prompts or + # all decodes. + is_prompt = seq_group_metadata_list[0].is_prompt + # Prepare input tensors. + if is_prompt: + (input_tokens, input_positions, input_metadata, prompt_lens, subquery_lens, lora_index_mapping, + lora_prompt_mapping, lora_requests) = self._prepare_prompt(seq_group_metadata_list) + else: + (input_tokens, input_positions, input_metadata, lora_index_mapping, lora_prompt_mapping, + lora_requests) = self._prepare_decode(seq_group_metadata_list) + prompt_lens = [] + subquery_lens = None + sampling_metadata = self._prepare_sample(seq_group_metadata_list, prompt_lens, subquery_lens) + if self.lora_config: + flat_lora_index_mapping = [item for sublist in lora_index_mapping for item in sublist] + lora_mapping = LoRAMapping( + flat_lora_index_mapping, + lora_prompt_mapping, + ) + else: + lora_mapping = None + + return (input_tokens, input_positions, input_metadata, sampling_metadata, lora_requests, lora_mapping) + + @torch.inference_mode() + def execute_model( + self, + seq_group_metadata_list: Optional[List[SequenceGroupMetadata]], + kv_caches: List[Tuple[torch.Tensor, torch.Tensor]], + ) -> Optional[SamplerOutput]: + (input_tokens, input_positions, input_metadata, sampling_metadata, lora_requests, + lora_mapping) = self.prepare_input_tensors(seq_group_metadata_list) + + if self.lora_config: + self.set_active_loras(lora_requests, lora_mapping) + + # Execute the model. + if input_metadata.use_cuda_graph: + graph_batch_size = input_tokens.shape[0] + model_executable = self.graph_runners[graph_batch_size] + else: + model_executable = self.model + hidden_states = model_executable( + input_ids=input_tokens, + positions=input_positions, + kv_caches=kv_caches, + input_metadata=input_metadata, + ) + + # Sample the next token. + output = self.model.sample( + hidden_states=hidden_states, + sampling_metadata=sampling_metadata, + ) + return output + + @torch.inference_mode() + def profile_run(self) -> None: + # Enable top-k sampling to reflect the accurate memory usage. + vocab_size = self.model_config.get_vocab_size() + # FIXME(sgm): this sampling params will call cumsum(), causing the + # deterministic cumsum throw error + sampling_params = SamplingParams(top_p=0.99, top_k=vocab_size - 1) + max_num_batched_tokens = self.scheduler_config.max_num_batched_tokens + max_num_seqs = self.scheduler_config.max_num_seqs + + # This represents the maximum number of different requests + # that will have unique loras, an therefore the max amount of memory + # consumption create dummy lora request copies from the lora request + # passed in, which contains a lora from the lora warmup path. + dummy_lora_requests = [] + dummy_lora_requests_per_seq = [] + if self.lora_config: + for idx in range(self.lora_config.max_loras): + lora_id = idx + 1 + dummy_lora_request = LoRARequest( + lora_name=f"warmup_{lora_id}", + lora_int_id=lora_id, + lora_local_path="/not/a/real/path", + ) + self.lora_manager.add_dummy_lora(dummy_lora_request, rank=LORA_WARMUP_RANK) + dummy_lora_requests.append(dummy_lora_request) + dummy_lora_requests_per_seq = [ + dummy_lora_requests[idx % len(dummy_lora_requests)] for idx in range(max_num_seqs) + ] + + # Profile memory usage with max_num_sequences sequences and the total + # number of tokens equal to max_num_batched_tokens. + seqs: List[SequenceGroupMetadata] = [] + for group_id in range(max_num_seqs): + seq_len = (max_num_batched_tokens // max_num_seqs + (group_id < max_num_batched_tokens % max_num_seqs)) + seq_data = SequenceData([0] * seq_len) + seq = SequenceGroupMetadata( + request_id=str(group_id), + is_prompt=True, + seq_data={group_id: seq_data}, + sampling_params=sampling_params, + block_tables=None, + lora_request=dummy_lora_requests_per_seq[group_id] if dummy_lora_requests_per_seq else None, + ) + seqs.append(seq) + + # Run the model with the dummy inputs. + num_layers = self.model_config.get_num_layers(self.parallel_config) + kv_caches = [(None, None)] * num_layers + self.execute_model(seqs, kv_caches) + torch.cuda.synchronize() + return diff --git a/verl/third_party/vllm/vllm_v_0_3_1/parallel_state.py b/verl/third_party/vllm/vllm_v_0_3_1/parallel_state.py new file mode 100644 index 00000000..c3b7a45c --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_3_1/parallel_state.py @@ -0,0 +1,147 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Adapted from +# https://github.com/NVIDIA/Megatron-LM/blob/main/megatron/core/parallel_state.py +# Copyright (c) 2022, NVIDIA CORPORATION. All rights reserved. +"""Model and data parallel groups.""" + +import torch +import torch.distributed + +import vllm.model_executor.parallel_utils.parallel_state as ps +""" +This version is strongly tied with Megatron to implement HybridEngine and weight sharing between vllm and Megatron. +- We assume the Megatron tp+dp+pp world is already established before calling this function. + +""" + +# Tensor model parallel group that the current rank belongs to. +_TENSOR_MODEL_PARALLEL_GROUP = None + +# Micro Data parallel group. Micro data parallel group is additional dp group that origins from splitting training tp +# into infer_tp and micro_tp. By default, we use order micro_dp - tp +_MICRO_DATA_PARALLEL_GROUP = None + + +def initialize_model_parallel_from_megatron( + tensor_model_parallel_size=None # we set None for backward compatibility to set infer_tp = train_tp +) -> None: + from megatron.core import parallel_state as mpu + from megatron.distributed import new_group + # Get world size and rank. Ensure some consistencies. + assert torch.distributed.is_initialized() + + if tensor_model_parallel_size is None: + tensor_model_parallel_size = mpu.get_tensor_model_parallel_world_size() + else: + assert isinstance(tensor_model_parallel_size, int) + + # Build the tensor model-parallel groups. + assert ps._TENSOR_MODEL_PARALLEL_GROUP is None, ("tensor model parallel group is already initialized") + + assert tensor_model_parallel_size <= mpu.get_tensor_model_parallel_world_size( + ), 'Not implemented for infer_tp > train_tp' + + global _TENSOR_MODEL_PARALLEL_GROUP + global _MICRO_DATA_PARALLEL_GROUP + + assert mpu.get_tensor_model_parallel_world_size() % tensor_model_parallel_size == 0 + + micro_dp_size = mpu.get_tensor_model_parallel_world_size() // tensor_model_parallel_size + + world_size: int = torch.distributed.get_world_size() + + num_micro_dp_groups = world_size // micro_dp_size + + rank = torch.distributed.get_rank() + + # Build the micro dp groups. + assert _MICRO_DATA_PARALLEL_GROUP is None, ("micro data parallel group is already initialized") + for i in range(num_micro_dp_groups): + ranks = range(i * micro_dp_size, (i + 1) * micro_dp_size) + group = new_group(rank=rank, ranks=ranks, group_type='micro_dp') + if rank in ranks: + _MICRO_DATA_PARALLEL_GROUP = group + + if tensor_model_parallel_size == mpu.get_tensor_model_parallel_world_size(): + # using the same tp group as Megatron + ps._TENSOR_MODEL_PARALLEL_GROUP = mpu.get_tensor_model_parallel_group() + + _TENSOR_MODEL_PARALLEL_GROUP = mpu.get_tensor_model_parallel_group() + # no _MICRO_DATA_PARALLEL_GROUP + else: + # initialize a micro_dp group and a tp group + # assume training tp=4, infer tp=2, then, weight is partitioned as + # [1], [2], [3], [4] for training and [1,2], [1,2], [3,4], [3,4] for inference + + # Build the inference tp groups + train_tp = mpu.get_tensor_model_parallel_world_size() + num_tensor_model_parallel_groups_per_train_tp = train_tp // tensor_model_parallel_size + num_tensor_model_parallel_groups = world_size // tensor_model_parallel_size + assert _TENSOR_MODEL_PARALLEL_GROUP is None, ("tensor model parallel group is already initialized") + for i in range(num_tensor_model_parallel_groups // num_tensor_model_parallel_groups_per_train_tp): + start = train_tp * i + end = train_tp * (i + 1) + for j in range(num_tensor_model_parallel_groups_per_train_tp): + ranks = list(range(start, end, num_tensor_model_parallel_groups_per_train_tp)) + for i in range(len(ranks)): + ranks[i] += j + # group = torch.distributed.new_group(ranks) + group = new_group(rank=rank, ranks=ranks, group_type='infer_tp') + if rank in ranks: + _TENSOR_MODEL_PARALLEL_GROUP = group + ps._TENSOR_MODEL_PARALLEL_GROUP = _TENSOR_MODEL_PARALLEL_GROUP + # Build the pipeline model-parallel groups. + # global _PIPELINE_MODEL_PARALLEL_GROUP + # global _PIPELINE_GLOBAL_RANKS + # assert ps._PIPELINE_MODEL_PARALLEL_GROUP is None, ("pipeline model parallel group is already initialized") + + # ps._PIPELINE_MODEL_PARALLEL_GROUP = mpu.get_pipeline_model_parallel_group() + # ps._PIPELINE_GLOBAL_RANKS = mpu.get_pipeline_model_parallel_ranks() + + +""" +Tensor model parallel utilities +""" + + +def get_tensor_model_parallel_group(): + """Get the tensor model parallel group the caller rank belongs to.""" + assert _TENSOR_MODEL_PARALLEL_GROUP is not None, ("tensor model parallel group is not initialized") + return _TENSOR_MODEL_PARALLEL_GROUP + + +def get_tensor_model_parallel_world_size(): + """Return world size for the tensor model parallel group.""" + return torch.distributed.get_world_size(group=get_tensor_model_parallel_group()) + + +def get_tensor_model_parallel_rank(): + """Return my rank for the tensor model parallel group.""" + return torch.distributed.get_rank(group=get_tensor_model_parallel_group()) + + +def get_tensor_model_parallel_src_rank(): + """Calculate the global rank corresponding to the first local rank + in the tensor model parallel group.""" + global_rank = torch.distributed.get_rank() + local_world_size = get_tensor_model_parallel_world_size() + return (global_rank // local_world_size) * local_world_size + + +""" +Micro Data parallel group +""" + + +def get_micro_data_parallel_group(): + assert _MICRO_DATA_PARALLEL_GROUP is not None + return _MICRO_DATA_PARALLEL_GROUP + + +def get_micro_data_parallel_world_size(): + return torch.distributed.get_world_size(group=get_micro_data_parallel_group()) + + +def get_micro_data_parallel_rank(): + return torch.distributed.get_rank(group=get_micro_data_parallel_group()) diff --git a/verl/third_party/vllm/vllm_v_0_3_1/tokenizer.py b/verl/third_party/vllm/vllm_v_0_3_1/tokenizer.py new file mode 100644 index 00000000..b8de24af --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_3_1/tokenizer.py @@ -0,0 +1,72 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/transformers_utils/tokenizer_group/tokenizer_group.py + +from typing import List, Optional, Tuple, Union + +from transformers import (AutoTokenizer, PreTrainedTokenizer, PreTrainedTokenizerFast) + +from vllm.lora.request import LoRARequest +from vllm.utils import make_async, LRUCache +from vllm.transformers_utils.tokenizers import * + + +class TokenizerGroup: + """A group of tokenizers that can be used for LoRA adapters.""" + + def __init__(self, tokenizer: PreTrainedTokenizer, enable_lora: bool, max_num_seqs: int, + max_input_length: Optional[int]): + self.enable_lora = enable_lora + self.max_input_length = max_input_length + self.tokenizer = tokenizer + if enable_lora: + self.lora_tokenizers = LRUCache(capacity=max_num_seqs) + else: + self.lora_tokenizers = None + + def encode(self, + prompt: str, + request_id: Optional[str] = None, + lora_request: Optional[LoRARequest] = None) -> List[int]: + tokenizer = self.get_lora_tokenizer(lora_request) + return tokenizer.encode(prompt) + + async def encode_async(self, + prompt: str, + request_id: Optional[str] = None, + lora_request: Optional[LoRARequest] = None) -> List[int]: + tokenizer = await self.get_lora_tokenizer_async(lora_request) + return tokenizer.encode(prompt) + + def get_lora_tokenizer(self, lora_request: Optional[LoRARequest]) -> "PreTrainedTokenizer": + if not lora_request or not self.enable_lora: + return self.tokenizer + if lora_request.lora_int_id not in self.lora_tokenizers: + # TODO(sgm): the lora tokenizer is also passed, but may be different + tokenizer = self.tokenizer + # tokenizer = (get_lora_tokenizer( + # lora_request, **self.tokenizer_config) or self.tokenizer) + self.lora_tokenizers.put(lora_request.lora_int_id, tokenizer) + return tokenizer + else: + return self.lora_tokenizers.get(lora_request.lora_int_id) + + # FIXME(sgm): for simplicity, we assign the special token here + @property + def pad_token_id(self): + return self.tokenizer.pad_token_id + + @property + def eos_token_id(self): + return self.tokenizer.eos_token_id diff --git a/verl/third_party/vllm/vllm_v_0_3_1/weight_loaders.py b/verl/third_party/vllm/vllm_v_0_3_1/weight_loaders.py new file mode 100644 index 00000000..72aa26d0 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_3_1/weight_loaders.py @@ -0,0 +1,95 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/tree/main/vllm/model_executor/models + +from typing import Dict +import torch +import torch.nn as nn + + +# NOTE(shengguangming): replace the origin weight loader function in the class +def parallel_weight_loader(self, param: torch.Tensor, loaded_weight: torch.Tensor) -> None: + """Parallel Linear weight loader.""" + assert param.size() == loaded_weight.size( + ), 'the parameter size is not align with the loaded weight size, param size: {}, loaded_weight size: {}'.format( + param.size(), loaded_weight.size()) + assert param.data.dtype == loaded_weight.data.dtype, "if we want to shared weights, the data type should also be the same" + + param.data = loaded_weight.data + + +def default_weight_loader(param: torch.Tensor, loaded_weight: torch.Tensor) -> None: + """Default weight loader.""" + assert param.size() == loaded_weight.size() + assert param.data.dtype == loaded_weight.data.dtype, "if we want to shared weights, the data type should also be the same" + + param.data = loaded_weight.data + + +def gpt2_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "lm_head.weight" in name: + # GPT-2 ties the weights of the embedding layer and the final + # linear layer. + continue + if ".attn.bias" in name or ".attn.masked_bias" in name: + # Skip attention mask. + # NOTE: "c_attn.bias" should not be skipped. + continue + if not name.startswith("transformer."): + name = "transformer." + name + param = params_dict[name] + # The HF's GPT-2 implementation uses Conv1D instead of Linear. + # Because of this, we need to transpose the weights. + # Note(zhuohan): the logic below might break quantized models. + for conv1d_weight_name in ["c_attn", "c_proj", "c_fc"]: + if conv1d_weight_name not in name: + continue + if not name.endswith(".weight"): + continue + # TODO: check megatron + loaded_weight = loaded_weight.t() + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def llama_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + # NOTE(shengguangming): the megatron llama may have this prefix + prefix = '0.module.module.' + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + if name[:len(prefix)] == prefix: + name = name[len(prefix):] + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def mistral_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + # TODO: need to implement a general way to deal with prefix + prefix = '0.module.module.' + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + if name[:len(prefix)] == prefix: + name = name[len(prefix):] + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) diff --git a/verl/third_party/vllm/vllm_v_0_3_1/worker.py b/verl/third_party/vllm/vllm_v_0_3_1/worker.py new file mode 100644 index 00000000..50eebd70 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_3_1/worker.py @@ -0,0 +1,314 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/worker/worker.py +"""A GPU worker class.""" +import os +import gc +from typing import Dict, List, Tuple, Optional, Union, Set + +import torch +import torch.distributed +import torch.nn as nn + +from vllm.config import (CacheConfig, DeviceConfig, ModelConfig, ParallelConfig, SchedulerConfig, LoRAConfig) +from vllm.model_executor import InputMetadata, set_random_seed +from vllm.model_executor.parallel_utils.parallel_state import (initialize_model_parallel) +from vllm.sampling_params import SamplingParams, SamplingType +from vllm.sequence import SamplerOutput, SequenceData, SequenceGroupMetadata +from vllm.worker.cache_engine import CacheEngine +from vllm.model_executor.parallel_utils.custom_all_reduce import init_custom_ar +from vllm.model_executor.parallel_utils.parallel_state import get_tensor_model_parallel_group + +from .model_runner import ModelRunner +from .model_loader import load_weights +from .parallel_state import initialize_model_parallel_from_megatron +from vllm.lora.request import LoRARequest + + +class Worker: + """A worker class that executes (a partition of) the model on a GPU. + + Each worker is associated with a single GPU. The worker is responsible for + maintaining the KV cache and executing the model on the GPU. In case of + distributed inference, each worker is assigned a partition of the model. + """ + + def __init__( + self, + model: Union[nn.Module, Dict], # model itself or its parameter dict + model_config: ModelConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + device_config: DeviceConfig, + rank: Optional[int] = None, + distributed_init_method: Optional[str] = None, + lora_config: Optional[LoRAConfig] = None, + kv_cache_dtype: Optional[str] = "auto", + ) -> None: + # self.model = model # will be replaced in the init_model + self.model_config = model_config + self.parallel_config = parallel_config + self.scheduler_config = scheduler_config + self.rank = rank + self.distributed_init_method = distributed_init_method + self.lora_config = lora_config + + self.model_runner = ModelRunner( + model, + model_config, + parallel_config, + scheduler_config, + device_config, + lora_config=self.lora_config, + kv_cache_dtype=kv_cache_dtype, + ) + + # Uninitialized cache engine. Will be initialized by + # self.init_cache_engine(). + self.cache_config = None + self.block_size = None + self.sliding_window = None + self.cache_engine = None + self.cache_events = None + self.gpu_cache = None + + # For offloading inference engine params + self.cpu_model = None + + def init_model(self, cupy_port: Optional[int] = None): + # torch.distributed.all_reduce does not free the input tensor until + # the synchronization point. This causes the memory usage to grow + # as the number of all_reduce calls increases. This env var disables + # this behavior. + # Related issue: + # https://discuss.pytorch.org/t/cuda-allocation-lifetime-for-inputs-to-distributed-all-reduce/191573 + os.environ["TORCH_NCCL_AVOID_RECORD_STREAMS"] = "1" + + # Env vars will be set by TORCHRUN. + self.rank = self.rank if self.rank is not None else int(os.getenv("RANK", "-1")) + local_rank = int(os.getenv("LOCAL_RANK", "0")) + self.device = torch.device(f"cuda:{local_rank}") + if self.rank < 0: + raise ValueError("Invalid or unspecified rank.") + torch.cuda.set_device(self.device) + + _check_if_gpu_supports_dtype(self.model_config.dtype) + + # Initialize the distributed environment. + # TODO: do not use cupy + _init_distributed_environment(self.parallel_config, self.rank, self.distributed_init_method) + if not self.parallel_config.disable_custom_all_reduce: + init_custom_ar() + # Initialize the model. + set_random_seed(self.model_config.seed) + # self.model = get_model(actor_model=self.model, model_config=self.model_config) + + def load_model(self): + self.model_runner.load_model() + + @torch.inference_mode() + def profile_num_available_blocks( + self, + block_size: int, + gpu_memory_utilization: float, + cpu_swap_space: int, + cache_dtype: str, + ) -> Tuple[int, int]: + # Profile the memory usage of the model and get the maximum number of + # cache blocks that can be allocated with the remaining free memory. + torch.cuda.empty_cache() + # torch.cuda.reset_peak_memory_stats() + + # Execute a forward pass with dummy inputs to profile the memory usage + # of the model. + self.model_runner.profile_run() + + # Calculate the number of blocks that can be allocated with the + # profiled peak memory. + torch.cuda.synchronize() + free_gpu_memory, total_gpu_memory = torch.cuda.mem_get_info() + peak_memory = total_gpu_memory - free_gpu_memory + + cache_block_size = CacheEngine.get_cache_block_size(block_size, cache_dtype, self.model_config, + self.parallel_config) + # NOTE(sgm) use the remaining memory + num_gpu_blocks = int((free_gpu_memory * gpu_memory_utilization) // cache_block_size) + # num_gpu_blocks = int((total_gpu_memory * gpu_memory_utilization - peak_memory) // cache_block_size) + num_cpu_blocks = int(cpu_swap_space // cache_block_size) + num_gpu_blocks = max(num_gpu_blocks, 0) + num_cpu_blocks = max(num_cpu_blocks, 0) + if self.model_runner.lora_manager: + self.model_runner.remove_all_loras() + gc.collect() + torch.cuda.empty_cache() + # Synchronize number of blocks with all the rank + num_gpu_blocks = torch.tensor([num_gpu_blocks], device='cuda') + num_cpu_blocks = torch.tensor([num_cpu_blocks], device='cuda') + torch.distributed.all_reduce(num_gpu_blocks, + op=torch.distributed.ReduceOp.MIN, + group=get_tensor_model_parallel_group()) + torch.distributed.all_reduce(num_cpu_blocks, + op=torch.distributed.ReduceOp.MIN, + group=get_tensor_model_parallel_group()) + num_gpu_blocks = num_gpu_blocks.item() + num_cpu_blocks = num_cpu_blocks.item() + return num_gpu_blocks, num_cpu_blocks + + def init_cache_engine(self, cache_config: CacheConfig) -> None: + if self.cache_engine is None and self.gpu_cache is None: + self.cache_config = cache_config + self.cache_engine = CacheEngine(self.cache_config, self.model_config, self.parallel_config) + self.cache_events = self.cache_engine.events + self.gpu_cache = self.cache_engine.gpu_cache + self.model_runner.set_block_size(self.cache_engine.block_size) + + def free_cache_engine(self): + # ensure `enforce_eager=True` + self.cache_engine = None + self.gpu_cache = None + + def warm_up_model(self) -> None: + if not self.model_config.enforce_eager: + self.model_runner.capture_model(self.gpu_cache) + # Reset the seed to ensure that the random state is not affected by + # the model initialization and profiling. + set_random_seed(self.model_config.seed) + + def cache_swap( + self, + blocks_to_swap_in: Dict[int, int], + blocks_to_swap_out: Dict[int, int], + blocks_to_copy: Dict[int, List[int]], + ) -> None: + # Issue cache operations. + issued_cache_op = False + if blocks_to_swap_in: + self.cache_engine.swap_in(blocks_to_swap_in) + issued_cache_op = True + if blocks_to_swap_out: + self.cache_engine.swap_out(blocks_to_swap_out) + issued_cache_op = True + if blocks_to_copy: + self.cache_engine.copy(blocks_to_copy) + issued_cache_op = True + + cache_events = self.cache_events if issued_cache_op else None + + # Wait for cache operations to finish. + # TODO(woosuk): Profile swapping overhead and optimize if needed. + if cache_events is not None: + for event in cache_events: + event.wait() + + @torch.inference_mode() + def execute_model( + self, + seq_group_metadata_list: List[SequenceGroupMetadata], + blocks_to_swap_in: Dict[int, int], + blocks_to_swap_out: Dict[int, int], + blocks_to_copy: Dict[int, List[int]], + ) -> SamplerOutput: + num_seq_groups = len(seq_group_metadata_list) + self.cache_swap(blocks_to_swap_in, blocks_to_swap_out, blocks_to_copy) + + # If there is no input, we don't need to execute the model. + if num_seq_groups == 0: + return {} + output = self.model_runner.execute_model(seq_group_metadata_list, self.gpu_cache) + return output + + # # Prepare input tensors. + # # NOTE(shengguangming): currently we pad in our dataloader and unpad it in pre_process_input, j + # # we can just input un-padded sequence for better performance + # input_tokens, input_positions, input_metadata = self._prepare_inputs(seq_group_metadata_list) + + # # Execute the model. + # output = self.model( + # input_ids=input_tokens, + # positions=input_positions, + # kv_caches=self.gpu_cache, + # input_metadata=input_metadata, + # cache_events=cache_events, + # ) + # return output + + # assume the input is .state_dict() + def sync_model_weights(self, actor_weights: Dict): + load_weights(actor_weights, self.model_runner.model) + + def offload_model_weights(self) -> None: + if self.cpu_model == None: + self.cpu_model = {} + for name, params in self.model_runner.model.named_parameters(): + self.cpu_model[name] = torch.empty_like(params, device='cpu') + params.data = self.cpu_model[name] + else: + for name, params in self.model_runner.model.named_parameters(): + params.data = self.cpu_model[name] + + def add_lora(self, lora_request: LoRARequest) -> bool: + return self.model_runner.add_lora(lora_request) + + def remove_lora(self, lora_id: int) -> bool: + return self.model_runner.remove_lora(lora_id) + + def list_loras(self) -> Set[int]: + return self.model_runner.list_loras() + + +def _init_distributed_environment( + parallel_config: ParallelConfig, + rank: int, + distributed_init_method: Optional[str] = None, +) -> None: + """Initialize the distributed environment.""" + if torch.distributed.is_initialized(): + print('The distributed environment has been initialized before vLLM') + elif not distributed_init_method: + raise ValueError("distributed_init_method must be set if torch.distributed " + "is not already initialized") + else: + torch.distributed.init_process_group( + backend="nccl", + world_size=parallel_config.world_size, + rank=rank, + # init_method=distributed_init_method, + ) + + # A small all_reduce for warmup. + torch.distributed.all_reduce(torch.zeros(1).cuda()) + # TODO (shengguangming): maybe we should also flag the megatron is initialized + if torch.distributed.get_world_size() > 1: + initialize_model_parallel_from_megatron(tensor_model_parallel_size=parallel_config.tensor_parallel_size) + else: + initialize_model_parallel() + + +def _pad_to_alignment(x: List[int], multiple_of: int, pad: int) -> List[int]: + return x + [pad] * ((-len(x)) % multiple_of) + + +def _pad_to_max(x: List[int], max_len: int, pad: int) -> List[int]: + return x + [pad] * (max_len - len(x)) + + +def _check_if_gpu_supports_dtype(torch_dtype: torch.dtype): + # Check if the GPU supports the dtype. + if torch_dtype == torch.bfloat16: + compute_capability = torch.cuda.get_device_capability() + if compute_capability[0] < 8: + gpu_name = torch.cuda.get_device_name() + raise ValueError("Bfloat16 is only supported on GPUs with compute capability " + f"of at least 8.0. Your {gpu_name} GPU has compute capability " + f"{compute_capability[0]}.{compute_capability[1]}.") diff --git a/verl/third_party/vllm/vllm_v_0_4_2/__init__.py b/verl/third_party/vllm/vllm_v_0_4_2/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_4_2/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/third_party/vllm/vllm_v_0_4_2/arg_utils.py b/verl/third_party/vllm/vllm_v_0_4_2/arg_utils.py new file mode 100644 index 00000000..089bbd74 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_4_2/arg_utils.py @@ -0,0 +1,320 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/engine/arg_utils.py + +import os +import argparse +import dataclasses +from dataclasses import dataclass +from typing import List, Optional, Union + +import torch.nn as nn + +from transformers import PretrainedConfig +from .config import ModelConfig, LoadConfig + +from vllm.config import (CacheConfig, DecodingConfig, DeviceConfig, EngineConfig, LoRAConfig, ParallelConfig, + SchedulerConfig, SpeculativeConfig, TokenizerPoolConfig, VisionLanguageConfig) +from vllm.model_executor.layers.quantization import QUANTIZATION_METHODS +from vllm.utils import str_to_int_tuple + + +def nullable_str(val: str): + if not val or val == "None": + return None + return val + + +@dataclass +class EngineArgs: + """Arguments for vLLM engine.""" + model_hf_config: PretrainedConfig = None + skip_tokenizer_init: bool = False + served_model_name: Optional[Union[str, List[str]]] = None # TODO + download_dir: Optional[str] = None + load_format: str = 'auto' + dtype: str = 'auto' + kv_cache_dtype: str = 'auto' + quantization_param_path: Optional[str] = None + seed: int = 0 + max_model_len: Optional[int] = None + worker_use_ray: bool = False + pipeline_parallel_size: int = 1 + tensor_parallel_size: int = 1 + max_parallel_loading_workers: Optional[int] = None + block_size: int = 16 + enable_prefix_caching: bool = False + use_v2_block_manager: bool = False + swap_space: int = 4 # GiB + gpu_memory_utilization: float = 0.90 + max_num_batched_tokens: Optional[int] = None + max_num_seqs: int = 256 + max_logprobs: int = 5 # OpenAI default value + disable_log_stats: bool = False + revision: Optional[str] = None + code_revision: Optional[str] = None + tokenizer_revision: Optional[str] = None + quantization: Optional[str] = None + enforce_eager: bool = False + max_context_len_to_capture: Optional[int] = None + max_seq_len_to_capture: int = 8192 + disable_custom_all_reduce: bool = False + tokenizer_pool_size: int = 0 + tokenizer_pool_type: str = "ray" + tokenizer_pool_extra_config: Optional[dict] = None + enable_lora: bool = False + max_loras: int = 1 + max_lora_rank: int = 16 + fully_sharded_loras: bool = False + lora_extra_vocab_size: int = 256 + lora_dtype = 'auto' + max_cpu_loras: Optional[int] = None + device: str = 'auto' + ray_workers_use_nsight: bool = False + num_gpu_blocks_override: Optional[int] = None + num_lookahead_slots: int = 0 + model_loader_extra_config: Optional[dict] = None + + # Related to Vision-language models such as llava + image_input_type: Optional[str] = None + image_token_id: Optional[int] = None + image_input_shape: Optional[str] = None + image_feature_size: Optional[int] = None + scheduler_delay_factor: float = 0.0 + enable_chunked_prefill: bool = False + + guided_decoding_backend: str = 'outlines' + # Speculative decoding configuration. + speculative_model: Optional[str] = None + num_speculative_tokens: Optional[int] = None + speculative_max_model_len: Optional[int] = None + ngram_prompt_lookup_max: Optional[int] = None + ngram_prompt_lookup_min: Optional[int] = None + + @staticmethod + def add_cli_args(parser: argparse.ArgumentParser) -> argparse.ArgumentParser: + """Shared CLI arguments for vLLM engine.""" + # Model arguments + # TODO(shengguangming): delete the unused args + parser.add_argument('--model', + type=str, + default='facebook/opt-125m', + help='name or path of the huggingface model to use') + parser.add_argument('--tokenizer', + type=str, + default=EngineArgs.tokenizer, + help='name or path of the huggingface tokenizer to use') + parser.add_argument('--revision', + type=str, + default=None, + help='the specific model version to use. It can be a branch ' + 'name, a tag name, or a commit id. If unspecified, will use ' + 'the default version.') + parser.add_argument('--tokenizer-revision', + type=str, + default=None, + help='the specific tokenizer version to use. It can be a branch ' + 'name, a tag name, or a commit id. If unspecified, will use ' + 'the default version.') + parser.add_argument('--tokenizer-mode', + type=str, + default=EngineArgs.tokenizer_mode, + choices=['auto', 'slow'], + help='tokenizer mode. "auto" will use the fast ' + 'tokenizer if available, and "slow" will ' + 'always use the slow tokenizer.') + parser.add_argument('--trust-remote-code', action='store_true', help='trust remote code from huggingface') + parser.add_argument('--download-dir', + type=str, + default=EngineArgs.download_dir, + help='directory to download and load the weights, ' + 'default to the default cache dir of ' + 'huggingface') + parser.add_argument('--load-format', + type=str, + default=EngineArgs.load_format, + choices=['auto', 'pt', 'safetensors', 'npcache', 'dummy'], + help='The format of the model weights to load. ' + '"auto" will try to load the weights in the safetensors format ' + 'and fall back to the pytorch bin format if safetensors format ' + 'is not available. ' + '"pt" will load the weights in the pytorch bin format. ' + '"safetensors" will load the weights in the safetensors format. ' + '"npcache" will load the weights in pytorch format and store ' + 'a numpy cache to speed up the loading. ' + '"dummy" will initialize the weights with random values, ' + 'which is mainly for profiling.') + parser.add_argument('--dtype', + type=str, + default=EngineArgs.dtype, + choices=['auto', 'half', 'float16', 'bfloat16', 'float', 'float32'], + help='data type for model weights and activations. ' + 'The "auto" option will use FP16 precision ' + 'for FP32 and FP16 models, and BF16 precision ' + 'for BF16 models.') + parser.add_argument('--max-model-len', + type=int, + default=None, + help='model context length. If unspecified, ' + 'will be automatically derived from the model.') + # Parallel arguments + parser.add_argument('--worker-use-ray', + action='store_true', + help='use Ray for distributed serving, will be ' + 'automatically set when using more than 1 GPU') + parser.add_argument('--pipeline-parallel-size', + '-pp', + type=int, + default=EngineArgs.pipeline_parallel_size, + help='number of pipeline stages') + parser.add_argument('--tensor-parallel-size', + '-tp', + type=int, + default=EngineArgs.tensor_parallel_size, + help='number of tensor parallel replicas') + # KV cache arguments + parser.add_argument('--block-size', + type=int, + default=EngineArgs.block_size, + choices=[8, 16, 32], + help='token block size') + # TODO(woosuk): Support fine-grained seeds (e.g., seed per request). + parser.add_argument('--seed', type=int, default=EngineArgs.seed, help='random seed') + parser.add_argument('--swap-space', + type=int, + default=EngineArgs.swap_space, + help='CPU swap space size (GiB) per GPU') + parser.add_argument('--gpu-memory-utilization', + type=float, + default=EngineArgs.gpu_memory_utilization, + help='the percentage of GPU memory to be used for' + 'the model executor') + parser.add_argument('--max-num-batched-tokens', + type=int, + default=EngineArgs.max_num_batched_tokens, + help='maximum number of batched tokens per ' + 'iteration') + parser.add_argument('--max-num-seqs', + type=int, + default=EngineArgs.max_num_seqs, + help='maximum number of sequences per iteration') + parser.add_argument('--disable-log-stats', action='store_true', help='disable logging statistics') + # Quantization settings. + parser.add_argument('--quantization', + '-q', + type=str, + choices=['awq', None], + default=None, + help='Method used to quantize the weights') + return parser + + @classmethod + def from_cli_args(cls, args: argparse.Namespace) -> 'EngineArgs': + # Get the list of attributes of this dataclass. + attrs = [attr.name for attr in dataclasses.fields(cls)] + # Set the attributes from the parsed arguments. + engine_args = cls(**{attr: getattr(args, attr) for attr in attrs}) + return engine_args + + def create_engine_config( + self, + ) -> EngineConfig: + device_config = DeviceConfig(self.device) + # NOTE(sgm): we only modify ModelConfig, other configs are import from vllm + model_config = ModelConfig(self.model_hf_config, self.dtype, self.seed, self.revision, self.code_revision, + self.tokenizer_revision, self.max_model_len, self.quantization, + self.quantization_param_path, self.enforce_eager, self.max_context_len_to_capture, + self.max_seq_len_to_capture, self.max_logprobs, self.skip_tokenizer_init, + self.served_model_name) + cache_config = CacheConfig(self.block_size, self.gpu_memory_utilization, + self.swap_space, self.kv_cache_dtype, self.num_gpu_blocks_override, + model_config.get_sliding_window(), self.enable_prefix_caching) + parallel_config = ParallelConfig( + self.pipeline_parallel_size, self.tensor_parallel_size, self.worker_use_ray, + self.max_parallel_loading_workers, self.disable_custom_all_reduce, + TokenizerPoolConfig.create_config( + self.tokenizer_pool_size, + self.tokenizer_pool_type, + self.tokenizer_pool_extra_config, + ), self.ray_workers_use_nsight) + + # Use the world_size set by TORCHRUN + world_size = int(os.getenv("WORLD_SIZE", "-1")) + assert world_size != -1, "The world_size is set to -1, not initialized by TORCHRUN" + parallel_config.world_size = world_size + + # TODO: spec config + speculative_config = SpeculativeConfig.maybe_create_spec_config( + target_model_config=model_config, + target_parallel_config=parallel_config, + target_dtype=self.dtype, + speculative_model=self.speculative_model, + num_speculative_tokens=self.num_speculative_tokens, + speculative_max_model_len=self.speculative_max_model_len, + enable_chunked_prefill=self.enable_chunked_prefill, + use_v2_block_manager=self.use_v2_block_manager, + ngram_prompt_lookup_max=self.ngram_prompt_lookup_max, + ngram_prompt_lookup_min=self.ngram_prompt_lookup_min, + ) + + scheduler_config = SchedulerConfig( + self.max_num_batched_tokens, + self.max_num_seqs, + model_config.max_model_len, + self.use_v2_block_manager, + num_lookahead_slots=(self.num_lookahead_slots + if speculative_config is None else speculative_config.num_lookahead_slots), + delay_factor=self.scheduler_delay_factor, + enable_chunked_prefill=self.enable_chunked_prefill, + ) + + lora_config = LoRAConfig(max_lora_rank=self.max_lora_rank, + max_loras=self.max_loras, + fully_sharded_loras=self.fully_sharded_loras, + lora_extra_vocab_size=self.lora_extra_vocab_size, + lora_dtype=self.lora_dtype, + max_cpu_loras=self.max_cpu_loras if self.max_cpu_loras and self.max_cpu_loras > 0 else + None) if self.enable_lora else None + + load_config = LoadConfig( + load_format=self.load_format, + download_dir=self.download_dir, + model_loader_extra_config=self.model_loader_extra_config, + ) + + if self.image_input_type: + if (not self.image_token_id or not self.image_input_shape or not self.image_feature_size): + raise ValueError('Specify `image_token_id`, `image_input_shape` and ' + '`image_feature_size` together with `image_input_type`.') + vision_language_config = VisionLanguageConfig( + image_input_type=VisionLanguageConfig.get_image_input_enum_type(self.image_input_type), + image_token_id=self.image_token_id, + image_input_shape=str_to_int_tuple(self.image_input_shape), + image_feature_size=self.image_feature_size, + ) + else: + vision_language_config = None + + decoding_config = DecodingConfig(guided_decoding_backend=self.guided_decoding_backend) + + return EngineConfig(model_config=model_config, + cache_config=cache_config, + parallel_config=parallel_config, + scheduler_config=scheduler_config, + device_config=device_config, + lora_config=lora_config, + vision_language_config=vision_language_config, + speculative_config=speculative_config, + load_config=load_config, + decoding_config=decoding_config) diff --git a/verl/third_party/vllm/vllm_v_0_4_2/config.py b/verl/third_party/vllm/vllm_v_0_4_2/config.py new file mode 100644 index 00000000..6af04417 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_4_2/config.py @@ -0,0 +1,200 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/config.py + +import enum +import json +from typing import List, Optional, Union +from dataclasses import dataclass, field, fields + +from transformers import PretrainedConfig + +from vllm.logger import init_logger +from vllm.model_executor.layers.quantization import get_quantization_config +from vllm.transformers_utils.config import get_hf_text_config +from vllm.utils import is_hip +# Add for verl +from vllm.config import ModelConfig, _get_and_verify_dtype, _get_and_verify_max_len + +GPTQMarlinConfig = get_quantization_config("gptq_marlin") + +logger = init_logger(__name__) + +_GB = 1 << 30 + + +class ModelConfig(ModelConfig): + """Configuration for the model. + + Args: + model: Name or path of the huggingface model to use. + tokenizer: Name or path of the huggingface tokenizer to use. + tokenizer_mode: Tokenizer mode. "auto" will use the fast tokenizer if + available, and "slow" will always use the slow tokenizer. + trust_remote_code: Trust remote code (e.g., from HuggingFace) when + downloading the model and tokenizer. + download_dir: Directory to download and load the weights, default to the + default cache directory of huggingface. + load_format: The format of the model weights to load: + "auto" will try to load the weights in the safetensors format and + fall back to the pytorch bin format if safetensors format is + not available. + "pt" will load the weights in the pytorch bin format. + "safetensors" will load the weights in the safetensors format. + "npcache" will load the weights in pytorch format and store + a numpy cache to speed up the loading. + "dummy" will initialize the weights with random values, which is + mainly for profiling. + dtype: Data type for model weights and activations. The "auto" option + will use FP16 precision for FP32 and FP16 models, and BF16 precision + for BF16 models. + seed: Random seed for reproducibility. + revision: The specific model version to use. It can be a branch name, + a tag name, or a commit id. If unspecified, will use the default + version. + code_revision: The specific revision to use for the model code on + Hugging Face Hub. It can be a branch name, a tag name, or a + commit id. If unspecified, will use the default version. + tokenizer_revision: The specific tokenizer version to use. It can be a + branch name, a tag name, or a commit id. If unspecified, will use + the default version. + max_model_len: Maximum length of a sequence (including prompt and + output). If None, will be derived from the model. + quantization: Quantization method that was used to quantize the model + weights. If None, we assume the model weights are not quantized. + quantization_param_path: Path to JSON file containing scaling factors. + Used to load KV cache scaling factors into the model when KV cache + type is FP8_E4M3 on ROCm (AMD GPU). In the future these will also + be used to load activation and weight scaling factors when the + model dtype is FP8_E4M3 on ROCm. + enforce_eager: Whether to enforce eager execution. If True, we will + disable CUDA graph and always execute the model in eager mode. + If False, we will use CUDA graph and eager execution in hybrid. + max_context_len_to_capture: Maximum context len covered by CUDA graphs. + When a sequence has context length larger than this, we fall back + to eager mode (DEPRECATED. Use max_seq_len_to_capture instead). + max_seq_len_to_capture: Maximum sequence len covered by CUDA graphs. + When a sequence has context length larger than this, we fall back + to eager mode + skip_tokenizer_init: If true, skip initialization of tokenizer and + detokenizer. + served_model_name: The model name used in metrics tag `model_name`, + matches the model name exposed via the APIs. If multiple model + names provided, the first name will be used. If not specified, + the model name will be the same as `model`. + """ + + def __init__( + self, + hf_config: PretrainedConfig, + dtype: str, + seed: int, + revision: Optional[str] = None, + code_revision: Optional[str] = None, + tokenizer_revision: Optional[str] = None, + max_model_len: Optional[int] = None, + quantization: Optional[str] = None, + quantization_param_path: Optional[str] = None, + enforce_eager: bool = False, + max_context_len_to_capture: Optional[int] = None, + max_seq_len_to_capture: Optional[int] = None, + max_logprobs: int = 5, + skip_tokenizer_init: bool = False, + served_model_name: Optional[Union[str, List[str]]] = None, + ) -> None: + self.model = hf_config._name_or_path + self.tokenizer = hf_config._name_or_path + self.seed = seed + self.revision = revision + self.code_revision = code_revision + self.tokenizer_revision = tokenizer_revision + self.quantization = quantization + self.quantization_param_path = quantization_param_path + self.enforce_eager = enforce_eager + self.max_context_len_to_capture = max_context_len_to_capture + if self.max_context_len_to_capture is not None: + raise ValueError("`max_context_len_to_capture` is deprecated. " + "Use `max_seq_len_to_capture` instead.") + self.max_seq_len_to_capture = (max_seq_len_to_capture or max_context_len_to_capture) + self.max_logprobs = max_logprobs + self.skip_tokenizer_init = skip_tokenizer_init + + # self.hf_config = get_config(model, trust_remote_code, revision) + self.hf_config = hf_config + self.hf_text_config = get_hf_text_config(hf_config) + # TODO: for multimodal model + self.dtype = _get_and_verify_dtype(self.hf_config, dtype) + self.max_model_len = _get_and_verify_max_len(self.hf_config, max_model_len) + # self.served_model_name = get_served_model_name(model, + # served_model_name) + # self._verify_load_format() + # self._verify_tokenizer_mode() + self._verify_quantization() + self._verify_cuda_graph() + + +class LoadFormat(str, enum.Enum): + AUTO = 'auto' + MEGATRON = "megatron" + HF = "hf" + DTENSOR = 'dtensor' + DUMMY_HF = 'dummy_hf' + DUMMY_MEGATRON = 'dummy_megatron' + DUMMY_DTENSOR = 'dummy_dtensor' + + +@dataclass +class LoadConfig: + """ + download_dir: Directory to download and load the weights, default to the + default cache directory of huggingface. + load_format: The format of the model weights to load: + "auto" will try to load the weights in the safetensors format and + fall back to the pytorch bin format if safetensors format is + not available. + "pt" will load the weights in the pytorch bin format. + "safetensors" will load the weights in the safetensors format. + "npcache" will load the weights in pytorch format and store + a numpy cache to speed up the loading. + "dummy" will initialize the weights with random values, which is + mainly for profiling. + "tensorizer" will use CoreWeave's tensorizer library for + fast weight loading. + """ + + load_format: Union[str, LoadFormat, "BaseModelLoader"] = LoadFormat.AUTO + download_dir: Optional[str] = None + model_loader_extra_config: Optional[Union[str, dict]] = field(default_factory=dict) + + def __post_init__(self): + model_loader_extra_config = self.model_loader_extra_config or {} + if isinstance(model_loader_extra_config, str): + self.model_loader_extra_config = json.loads(model_loader_extra_config) + self._verify_load_format() + + def _verify_load_format(self) -> None: + if not isinstance(self.load_format, str): + return + + load_format = self.load_format.lower() + self.load_format = LoadFormat(load_format) + + rocm_not_supported_load_format: List[str] = [] + if is_hip() and load_format in rocm_not_supported_load_format: + rocm_supported_load_format = [ + f for f in LoadFormat.__members__ if (f not in rocm_not_supported_load_format) + ] + raise ValueError(f"load format '{load_format}' is not supported in ROCm. " + f"Supported load formats are " + f"{rocm_supported_load_format}") diff --git a/verl/third_party/vllm/vllm_v_0_4_2/dtensor_weight_loaders.py b/verl/third_party/vllm/vllm_v_0_4_2/dtensor_weight_loaders.py new file mode 100644 index 00000000..6668b750 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_4_2/dtensor_weight_loaders.py @@ -0,0 +1,269 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/tree/main/vllm/model_executor/models + +from typing import Dict, Iterable, Tuple +import torch +import torch.nn as nn +from torch.distributed._tensor import DTensor, Shard, Replicate + +from vllm.model_executor.layers.linear import * +from vllm.model_executor.models import ModelRegistry +from vllm.model_executor.model_loader.weight_utils import default_weight_loader + + +def gemma_dtensor_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + ("qkv_proj", "q_proj", "q"), + ("qkv_proj", "k_proj", "k"), + ("qkv_proj", "v_proj", "v"), + ("gate_up_proj", "gate_proj", 0), + ("gate_up_proj", "up_proj", 1), + ] + + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + for (param_name, shard_name, shard_id) in stacked_params_mapping: + if shard_name not in name: + continue + stacked_name = name.replace(shard_name, param_name) + # Skip loading extra bias for GPTQ models. + if stacked_name.endswith(".bias") and stacked_name not in params_dict: + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[stacked_name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype), shard_id) + break + else: + # lm_head is not used in vllm as it is tied with embed_token. + # To prevent errors, skip loading lm_head.weight. + if "lm_head.weight" in name: + continue + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + # GemmaRMSNorm is different from Llama's in that it multiplies + # (1 + weight) to the output, instead of just weight. + if "norm.weight" in name: + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + + norm_weight = local_loaded_weight + 1.0 + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, norm_weight.to(dtype=param.dtype)) + else: + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype)) + + +def gptbigcode_dtensor_load_weights(actor_weights: Dict, vllm_model: nn.Module): + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "lm_head.weight" in name: + continue + if ".attn.bias" in name: + # Skip attention mask. + # NOTE: "c_attn.bias" should not be skipped. + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype)) + + +def starcoder2_dtensor_load_weights(actor_weights: Dict, vllm_model: nn.Module): + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + ("qkv_proj", "q_proj", "q"), + ("qkv_proj", "k_proj", "k"), + ("qkv_proj", "v_proj", "v"), + ] + + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + + for (param_name, weight_name, shard_id) in stacked_params_mapping: + if weight_name not in name: + continue + name = name.replace(weight_name, param_name) + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = param.weight_loader + weight_loader(param, local_loaded_weight.to(dtype=param.dtype), shard_id) + break + else: + if vllm_model.config.tie_word_embeddings and "lm_head.weight" in name: + continue + param = params_dict[name] + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype)) + + +def llama_dtensor_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + (".qkv_proj", ".q_proj", "q"), + (".qkv_proj", ".k_proj", "k"), + (".qkv_proj", ".v_proj", "v"), + (".gate_up_proj", ".gate_proj", 0), + (".gate_up_proj", ".up_proj", 1), + ] + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + if ("rotary_emb.cos_cached" in name or "rotary_emb.sin_cached" in name): + # Models trained using ColossalAI may include these tensors in + # the checkpoint. Skip them. + continue + # With tie_word_embeddings, we can skip lm_head.weight + # The weight might appear unnecessarily in the files if the model is + # processed with quantization, LoRA, fine-tuning, etc. + if vllm_model.config.tie_word_embeddings and "lm_head.weight" in name: + continue + for (param_name, weight_name, shard_id) in stacked_params_mapping: + if weight_name not in name: + continue + name = name.replace(weight_name, param_name) + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = param.weight_loader + weight_loader(param, local_loaded_weight.to(dtype=param.dtype), shard_id) + break + else: + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight) + + +def qwen2_dtensor_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + ("qkv_proj", "q_proj", "q"), + ("qkv_proj", "k_proj", "k"), + ("qkv_proj", "v_proj", "v"), + ("gate_up_proj", "gate_proj", 0), + ("gate_up_proj", "up_proj", 1), + ] + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + if vllm_model.config.tie_word_embeddings and "lm_head.weight" in name: + continue + for (param_name, weight_name, shard_id) in stacked_params_mapping: + if weight_name not in name: + continue + name = name.replace(weight_name, param_name) + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = param.weight_loader + weight_loader(param, local_loaded_weight.to(dtype=param.dtype), shard_id) + break + else: + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + param = params_dict[name] + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype)) + + +def gpt2_dtensor_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + pass + + +def redistribute_dtensor(param_name: str, loaded_weights: DTensor, parallelize_plan: Dict = None): + param_name = _process_parameter_names(name=param_name) + if parallelize_plan is not None: + assert param_name in parallelize_plan.keys(), \ + f"param name: {param_name} not in parallelize_plan :{parallelize_plan.keys()}" + placement = parallelize_plan[param_name] + local_loaded_weights = loaded_weights.redistribute(device_mesh=loaded_weights.device_mesh, + placements=placement).to_local() + else: + local_loaded_weights = loaded_weights.full_tensor() + return local_loaded_weights + + +def _process_parameter_names(name): + # Remove '.weight' if it exists at the end of the string + if name.endswith(".weight"): + name = name[:-7] + + # Remove 'model.layers.x.' or 'model.' prefix + if "model.layers" in name: + parts = name.split('.') + # Reconstruct the string without 'model.layers.x.' + name = '.'.join(parts[3:]) # parts[0] is 'model', parts[1] is 'layers', parts[2] is 'x' + elif name.startswith("model."): + name = name[6:] # Remove 'model.' + + return name + + +__MODEL_DTENSOR_WEIGHT_LOADER_REGISTRY__ = { + 'GPT2LMHeadModel': gpt2_dtensor_weight_loader, + 'LlamaForCausalLM': llama_dtensor_weight_loader, + 'LLaMAForCausalLM': llama_dtensor_weight_loader, + 'MistralForCausalLM': llama_dtensor_weight_loader, # mistral is the same as llama in vLLM + 'InternLMForCausalLM': llama_dtensor_weight_loader, + 'AquilaModel': llama_dtensor_weight_loader, + 'AquilaForCausalLM': llama_dtensor_weight_loader, + 'Phi3ForCausalLM': llama_dtensor_weight_loader, + 'GemmaForCausalLM': gemma_dtensor_weight_loader, + 'GPTBigCodeForCausalLM': gptbigcode_dtensor_load_weights, + 'Starcoder2ForCausalLM': starcoder2_dtensor_load_weights, + 'Qwen2ForCausalLM': qwen2_dtensor_weight_loader +} + + +# the actor model is .state_dict() +# Load dtensor weights +def load_dtensor_weights(actor_weights: Dict, vllm_model: nn.Module): + weight_loader = _get_model_weight_loader(vllm_model.__class__.__name__) + weight_loader(actor_weights, vllm_model) + # NOTE(sgm) to reduce peak memory usage, we offload vllm model to cpu + # after init, and we need this after sync model weights for in first iter. + vllm_model = vllm_model.cuda() + + +def _get_model_weight_loader(arch: str): + if arch in __MODEL_DTENSOR_WEIGHT_LOADER_REGISTRY__: + return __MODEL_DTENSOR_WEIGHT_LOADER_REGISTRY__[arch] + raise ValueError(f"Model architectures {arch} are not supported for now. " + f"Supported architectures: {__MODEL_DTENSOR_WEIGHT_LOADER_REGISTRY__.keys()}") + + +# NOTE(sgm): we use per-parameter weight loader in each vllm sub +def update_dtensor_weight_loader(): + pass diff --git a/verl/third_party/vllm/vllm_v_0_4_2/hf_weight_loader.py b/verl/third_party/vllm/vllm_v_0_4_2/hf_weight_loader.py new file mode 100644 index 00000000..0d562e59 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_4_2/hf_weight_loader.py @@ -0,0 +1,91 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/tree/main/vllm/model_executor/models + +from typing import Dict, Union, Optional, Iterable, Tuple + +import torch +import torch.nn as nn + +from vllm.model_executor.model_loader.utils import set_default_torch_dtype +from vllm.model_executor.model_loader.weight_utils import default_weight_loader + + +def update_hf_weight_loader(): + from vllm.model_executor.models.gemma import GemmaForCausalLM + GemmaForCausalLM.load_weights = gemma_load_weights + + +def gemma_load_weights(self, weights: Iterable[Tuple[str, torch.Tensor]]): + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + ("qkv_proj", "q_proj", "q"), + ("qkv_proj", "k_proj", "k"), + ("qkv_proj", "v_proj", "v"), + ("gate_up_proj", "gate_proj", 0), + ("gate_up_proj", "up_proj", 1), + ] + params_dict = dict(self.named_parameters()) + loaded_params = set() + for name, loaded_weight in weights: + for (param_name, shard_name, shard_id) in stacked_params_mapping: + if shard_name not in name: + continue + name = name.replace(shard_name, param_name) + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + param = params_dict[name] + weight_loader = param.weight_loader + weight_loader(param, loaded_weight, shard_id) + break + else: + # lm_head is not used in vllm as it is tied with embed_token. + # To prevent errors, skip loading lm_head.weight. + if "lm_head.weight" in name: + continue + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + # GemmaRMSNorm is different from Llama's in that it multiplies + # (1 + weight) to the output, instead of just weight. + if "norm.weight" in name: + norm_weight = loaded_weight + 1.0 # prevent inplace modify actor weights + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, norm_weight) + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + loaded_params.add(name) + unloaded_params = params_dict.keys() - loaded_params + if unloaded_params: + raise RuntimeError("Some weights are not initialized from checkpoints: " + f"{unloaded_params}") + + +def load_hf_weights(actor_weights: Dict, vllm_model: nn.Module): + assert isinstance(actor_weights, Dict) + with set_default_torch_dtype(next(vllm_model.parameters()).dtype): # TODO + vllm_model.load_weights(actor_weights.items()) + for _, module in vllm_model.named_modules(): + quant_method = getattr(module, "quant_method", None) + if quant_method is not None: + quant_method.process_weights_after_loading(module) + # FIXME: Remove this after Mixtral is updated + # to use quant_method. + if hasattr(module, "process_weights_after_loading"): + module.process_weights_after_loading() + vllm_model = vllm_model.cuda() diff --git a/verl/third_party/vllm/vllm_v_0_4_2/llm.py b/verl/third_party/vllm/vllm_v_0_4_2/llm.py new file mode 100644 index 00000000..94623a41 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_4_2/llm.py @@ -0,0 +1,306 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/entrypoints/llm.py + +from typing import Dict, List, Optional, Tuple, Union + +from tqdm import tqdm +from transformers import PreTrainedTokenizer, PreTrainedTokenizerFast +from transformers import PretrainedConfig +import torch.nn as nn +from .arg_utils import EngineArgs +from .llm_engine_sp import LLMEngine +from vllm.lora.request import LoRARequest +from vllm.outputs import RequestOutput +from vllm.sampling_params import SamplingParams +from vllm.sequence import MultiModalData +from vllm.usage.usage_lib import UsageContext +from vllm.utils import Counter +import torch +from torch.nn.utils.rnn import pad_sequence +from verl.workers.rollout.tokenizer import HybridEngineBaseTokenizer + + +class LLM: + """An LLM for generating texts from given prompts and sampling parameters. + + This class includes a tokenizer, a language model (possibly distributed + across multiple GPUs), and GPU memory space allocated for intermediate + states (aka KV cache). Given a batch of prompts and sampling parameters, + this class generates texts from the model, using an intelligent batching + mechanism and efficient memory management. + + NOTE: This class is intended to be used for offline inference. For online + serving, use the `AsyncLLMEngine` class instead. + NOTE: For the comprehensive list of arguments, see `EngineArgs`. + + Args: + model: A HuggingFace Transformers model instance. + tokenizer: A HuggingFace Transformers tokenizer instance. + tokenizer_mode: The tokenizer mode. "auto" will use the fast tokenizer + if available, and "slow" will always use the slow tokenizer. + trust_remote_code: Trust remote code (e.g., from HuggingFace) when + downloading the model and tokenizer. + tensor_parallel_size: The number of GPUs to use for distributed + execution with tensor parallelism. + dtype: The data type for the model weights and activations. Currently, + we support `float32`, `float16`, and `bfloat16`. If `auto`, we use + the `torch_dtype` attribute specified in the model config file. + However, if the `torch_dtype` in the config is `float32`, we will + use `float16` instead. + quantization: The method used to quantize the model weights. Currently, + we support "awq". If None, we assume the model weights are not + quantized and use `dtype` to determine the data type of the weights. + revision: The specific model version to use. It can be a branch name, + a tag name, or a commit id. + tokenizer_revision: The specific tokenizer version to use. It can be a + branch name, a tag name, or a commit id. + seed: The seed to initialize the random number generator for sampling. + gpu_memory_utilization: The ratio (between 0 and 1) of GPU memory to + reserve for the model weights, activations, and KV cache. Higher + values will increase the KV cache size and thus improve the model's + throughput. However, if the value is too high, it may cause out-of- + memory (OOM) errors. + swap_space: The size (GiB) of CPU memory per GPU to use as swap space. + This can be used for temporarily storing the states of the requests + when their `best_of` sampling parameters are larger than 1. If all + requests will have `best_of=1`, you can safely set this to 0. + Otherwise, too small values may cause out-of-memory (OOM) errors. + enforce_eager: Whether to enforce eager execution. If True, we will + disable CUDA graph and always execute the model in eager mode. + If False, we will use CUDA graph and eager execution in hybrid. + max_context_len_to_capture: Maximum context len covered by CUDA graphs. + When a sequence has context length larger than this, we fall back + to eager mode. + disable_custom_all_reduce: See ParallelConfig + """ + + def __init__( + self, + model: Union[nn.Module, Dict], # model itself or its parameter dict + tokenizer: Union[PreTrainedTokenizer, PreTrainedTokenizerFast, HybridEngineBaseTokenizer], + model_hf_config: PretrainedConfig, + tokenizer_mode: str = "auto", + trust_remote_code: bool = False, + tensor_parallel_size: int = 1, + dtype: str = "auto", + quantization: Optional[str] = None, + revision: Optional[str] = None, + tokenizer_revision: Optional[str] = None, + seed: int = 0, + gpu_memory_utilization: float = 0.9, + swap_space: int = 4, + enforce_eager: bool = False, + max_context_len_to_capture: int = None, + disable_custom_all_reduce: bool = False, + load_format = 'auto', + **kwargs, + ) -> None: + if "disable_log_stats" not in kwargs: + kwargs["disable_log_stats"] = True + engine_args = EngineArgs( + model_hf_config=model_hf_config, + tensor_parallel_size=tensor_parallel_size, + dtype=dtype, + quantization=quantization, + revision=revision, + tokenizer_revision=tokenizer_revision, + seed=seed, + gpu_memory_utilization=gpu_memory_utilization, + swap_space=swap_space, + enforce_eager=enforce_eager, + max_context_len_to_capture=max_context_len_to_capture, + disable_custom_all_reduce=disable_custom_all_reduce, + load_format=load_format, + **kwargs, + ) + tokenizer_cls = (PreTrainedTokenizer, PreTrainedTokenizerFast, HybridEngineBaseTokenizer) + if not isinstance(tokenizer, tokenizer_cls): + raise ValueError( + f"Unexpected tokenizer type: {type(tokenizer)}. Must be" + "one of the following: PreTrainedTokenizer, PreTrainedTokenizerFast, verl.workers.rollout.HybridEngineBaseTokenizer" + ) + self.llm_engine = LLMEngine.from_engine_args(model, tokenizer, engine_args) + self.request_counter = Counter() + + def init_cache_engine(self): + self.llm_engine.init_cache_engine() + + def free_cache_engine(self): + self.llm_engine.free_cache_engine() + + def get_tokenizer(self) -> Union[PreTrainedTokenizer, PreTrainedTokenizerFast]: + return self.llm_engine.tokenizer + + def set_tokenizer( + self, + tokenizer: Union[PreTrainedTokenizer, PreTrainedTokenizerFast], + ) -> None: + self.llm_engine.tokenizer = tokenizer + + def generate( + self, + prompts: Optional[Union[str, List[str]]] = None, + sampling_params: Optional[Union[SamplingParams, List[SamplingParams]]] = None, + prompt_token_ids: Optional[List[List[int]]] = None, + use_tqdm: bool = True, + lora_request: Optional[LoRARequest] = None, + multi_modal_data: Optional[MultiModalData] = None, + ) -> List[RequestOutput]: + """Generates the completions for the input prompts. + + NOTE: This class automatically batches the given prompts, considering + the memory constraint. For the best performance, put all of your prompts + into a single list and pass it to this method. + + Args: + prompts: A list of prompts to generate completions for. + sampling_params: The sampling parameters for text generation. If + None, we use the default sampling parameters. + When it is a single value, it is applied to every prompt. + When it is a list, the list must have the same length as the + prompts and it is paired one by one with the prompt. + prompt_token_ids: A list of token IDs for the prompts. If None, we + use the tokenizer to convert the prompts to token IDs. + use_tqdm: Whether to use tqdm to display the progress bar. + lora_request: LoRA request to use for generation, if any. + multi_modal_data: Multi modal data. + + Returns: + A list of `RequestOutput` objects containing the generated + completions in the same order as the input prompts. + """ + if prompts is None and prompt_token_ids is None: + raise ValueError("Either prompts or prompt_token_ids must be " + "provided.") + if self.llm_engine.model_config.skip_tokenizer_init \ + and prompts is not None: + raise ValueError("prompts must be None if skip_tokenizer_init " + "is True") + if isinstance(prompts, str): + # Convert a single prompt to a list. + prompts = [prompts] + if (prompts is not None and prompt_token_ids is not None and len(prompts) != len(prompt_token_ids)): + raise ValueError("The lengths of prompts and prompt_token_ids " + "must be the same.") + + if prompts is not None: + num_requests = len(prompts) + else: + assert prompt_token_ids is not None + num_requests = len(prompt_token_ids) + + if sampling_params is None: + # Use default sampling params. + sampling_params = SamplingParams() + + elif isinstance(sampling_params, list) and len(sampling_params) != num_requests: + raise ValueError("The lengths of prompts and sampling_params " + "must be the same.") + if multi_modal_data: + multi_modal_data.data = multi_modal_data.data.to(torch.float16) + + # Add requests to the engine. + for i in range(num_requests): + prompt = prompts[i] if prompts is not None else None + token_ids = None if prompt_token_ids is None else prompt_token_ids[i] + if not isinstance(token_ids, list): + # NOTE(shengguangming): convert the rollout input into List[str] + token_ids = self._pre_process_inputs(token_ids) + self._add_request( + prompt, + sampling_params[i] if isinstance(sampling_params, list) else sampling_params, + token_ids, + lora_request=lora_request, + # Get ith image while maintaining the batch dim. + multi_modal_data=MultiModalData(type=multi_modal_data.type, data=multi_modal_data.data[i].unsqueeze(0)) + if multi_modal_data else None, + ) + return self._run_engine(use_tqdm) + + def _add_request( + self, + prompt: Optional[str], + sampling_params: SamplingParams, + prompt_token_ids: Optional[List[int]], + lora_request: Optional[LoRARequest] = None, + multi_modal_data: Optional[MultiModalData] = None, + ) -> None: + request_id = str(next(self.request_counter)) + self.llm_engine.add_request(request_id, + prompt, + sampling_params, + prompt_token_ids, + lora_request=lora_request, + multi_modal_data=multi_modal_data) + + def _run_engine(self, use_tqdm: bool) -> List[RequestOutput]: + # Initialize tqdm. + if use_tqdm: + num_requests = self.llm_engine.get_num_unfinished_requests() + pbar = tqdm(total=num_requests, desc="Processed prompts", dynamic_ncols=True) + # Run the engine. + outputs: List[RequestOutput] = [] + while self.llm_engine.has_unfinished_requests(): + step_outputs = self.llm_engine.step() + for output in step_outputs: + if output.finished: + outputs.append(output) + if use_tqdm: + pbar.update(1) + if use_tqdm: + pbar.close() + # Sort the outputs by request ID. + # This is necessary because some requests may be finished earlier than + # its previous requests. + outputs = sorted(outputs, key=lambda x: int(x.request_id)) + # TODO(shengguangming): maybe we can hack the autoregressive logics without only apply post process for better performance + return self._post_process_outputs(outputs) + + # NOTE(shengguangming): add for verl + # TODO(sgm): we can optimize it by making the dataloader yield List[int] without padding. + def _pre_process_inputs(self, prompt_token_ids: torch.Tensor) -> List[int]: + # remove the left padding in the prompt token_id + pad_token_id = self.llm_engine.tokenizer.pad_token_id if self.llm_engine.tokenizer.pad_token_id is not None else self.llm_engine.tokenizer.eos_token_id + non_pad_index = torch.nonzero(prompt_token_ids != pad_token_id, as_tuple=False)[0][0] + token_ids = prompt_token_ids[non_pad_index:].tolist() + return token_ids + + # NOTE(shengguangming): add for verl + def _post_process_outputs(self, request_outputs: List[RequestOutput]) -> Tuple[torch.Tensor, torch.Tensor]: + output_token_ids = [] + logprobs = [] + for request_output in request_outputs: # List[RequestOutput] + outputs = request_output.outputs + for output in outputs: # List[CompletionOutput], usually len == 1 + output_token_ids.append(torch.tensor(output.token_ids)) + # TODO(shengguangming): can be optimzied by rewrite the Sampler._get_logprobs() logits + logprobs_dicts = output.logprobs + if logprobs_dicts is not None: + logprob = [] + for logprobs_dict, id in zip(logprobs_dicts, output.token_ids): + logprob.append(logprobs_dict[id].logprob) + logprobs.append(torch.tensor(logprob)) + + pad_token_id = self.llm_engine.tokenizer.pad_token_id if self.llm_engine.tokenizer.pad_token_id is not None else self.llm_engine.tokenizer.eos_token_id + output_token_ids = pad_sequence(output_token_ids, batch_first=True, padding_value=pad_token_id) + if len(logprobs) > 0: + logprobs = pad_sequence(logprobs, batch_first=True, padding_value=pad_token_id) + return output_token_ids, logprobs + + def sync_model_weights(self, actor_weights: Dict[str, torch.Tensor], load_format: str) -> None: + self.llm_engine.sync_model_weights(actor_weights=actor_weights, load_format=load_format) + + def offload_model_weights(self) -> None: + self.llm_engine.offload_model_weights() diff --git a/verl/third_party/vllm/vllm_v_0_4_2/llm_engine_sp.py b/verl/third_party/vllm/vllm_v_0_4_2/llm_engine_sp.py new file mode 100644 index 00000000..75bf11ab --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_4_2/llm_engine_sp.py @@ -0,0 +1,283 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/engine/llm_engine.py + +import torch +from typing import Dict, Optional, Union, Type + +import vllm +from vllm.config import (CacheConfig, DecodingConfig, DeviceConfig, LoRAConfig, ParallelConfig, SchedulerConfig, + SpeculativeConfig, VisionLanguageConfig) +from vllm.core.scheduler import Scheduler +from vllm.engine.output_processor.interfaces import (SequenceGroupOutputProcessor) +from vllm.engine.output_processor.stop_checker import StopChecker +from vllm.executor.executor_base import ExecutorBase +from vllm.logger import init_logger +from vllm.transformers_utils.detokenizer import Detokenizer +from vllm.engine.metrics import StatLogger +from vllm.usage.usage_lib import (UsageContext, is_usage_stats_enabled, usage_message) +from vllm.utils import Counter +from vllm.engine.llm_engine import _load_generation_config_dict +from vllm.engine.llm_engine import LLMEngine + +import torch.nn as nn +from .arg_utils import EngineArgs +from .tokenizer import TokenizerGroup +from .config import ModelConfig, LoadConfig + +logger = init_logger(__name__) +_LOCAL_LOGGING_INTERVAL_SEC = 5 + + +class LLMEngine(LLMEngine): + """An LLM engine that receives requests and generates texts. + + This is the main class for the vLLM engine. It receives requests + from clients and generates texts from the LLM. It includes a tokenizer, a + language model (possibly distributed across multiple GPUs), and GPU memory + space allocated for intermediate states (aka KV cache). This class utilizes + iteration-level scheduling and efficient memory management to maximize the + serving throughput. + + The `LLM` class wraps this class for offline batched inference and the + `AsyncLLMEngine` class wraps this class for online serving. + + NOTE: The config arguments are derived from the `EngineArgs` class. For the + comprehensive list of arguments, see `EngineArgs`. + + Args: + model: the actor model initialize outside vllm (add for verl) + tokenizer: the initialized tokenizer (add for verl) + model_config: The configuration related to the LLM model. + cache_config: The configuration related to the KV cache memory + management. + parallel_config: The configuration related to distributed execution. + scheduler_config: The configuration related to the request scheduler. + distributed_init_method: The initialization method for distributed + execution. See `torch.distributed.init_process_group` for details. + placement_group: Ray placement group for distributed execution. + Required for distributed execution. + log_stats: Whether to log statistics. + """ + + def __init__( + self, + # NOTE(sgm): first two arguments are added for verl + model: Union[nn.Module, Dict], # model itself or its parameter dict + tokenizer: nn.Module, + # NOTE(sgm): vllm original arguments + model_config: ModelConfig, + cache_config: CacheConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + device_config: DeviceConfig, + load_config: LoadConfig, + lora_config: Optional[LoRAConfig], + vision_language_config: Optional[VisionLanguageConfig], + speculative_config: Optional[SpeculativeConfig], + decoding_config: Optional[DecodingConfig], + executor_class: Type[ExecutorBase], + log_stats: bool, + usage_context: UsageContext = UsageContext.ENGINE_CONTEXT, + ) -> None: + logger.info( + "Initializing an LLM engine (v%s) with config: " + "model=%r, speculative_config=%r, tokenizer=%r, " + "skip_tokenizer_init=%s, tokenizer_mode=%s, revision=%s, " + "tokenizer_revision=%s, trust_remote_code=%s, dtype=%s, " + "max_seq_len=%d, download_dir=%r, load_format=%s, " + "tensor_parallel_size=%d, disable_custom_all_reduce=%s, " + "quantization=%s, enforce_eager=%s, kv_cache_dtype=%s, " + "quantization_param_path=%s, device_config=%s, " + "decoding_config=%r, seed=%d, served_model_name=%s)", + vllm.__version__, + model_config.model, + speculative_config, + model_config.tokenizer, + model_config.skip_tokenizer_init, + # model_config.tokenizer_mode, + model_config.revision, + model_config.tokenizer_revision, + # model_config.trust_remote_code, + model_config.dtype, + model_config.max_model_len, + load_config.download_dir, + load_config.load_format, + parallel_config.tensor_parallel_size, + parallel_config.disable_custom_all_reduce, + model_config.quantization, + model_config.enforce_eager, + cache_config.cache_dtype, + model_config.quantization_param_path, + device_config.device, + decoding_config, + model_config.seed, + # model_config.served_model_name, + ) + # TODO(woosuk): Print more configs in debug mode. + + self.model_config = model_config # TODO: currently is hfconfig + self.cache_config = cache_config + self.lora_config = lora_config + self.vision_language_config = vision_language_config + self.parallel_config = parallel_config + self.scheduler_config = scheduler_config + self.device_config = device_config + self.speculative_config = speculative_config + self.load_config = load_config + self.decoding_config = decoding_config or DecodingConfig() + self.log_stats = log_stats + + # self.model = model # should not store the model, it should be deleted + # TODO(shengguangming): maybe we can choose init here or from arguments + if not self.model_config.skip_tokenizer_init: + # TODO: check tokenizer class + self._init_tokenizer(tokenizer) + self.detokenizer = Detokenizer(self.tokenizer) + else: + self.detokenizer = None + self.tokenizer = None + + self.seq_counter = Counter() + # TODO: don't know what's the usage + self.generation_config_fields = _load_generation_config_dict(model_config) + + self.model_executor = executor_class( + model=model, # add for spmd_gpu_executor + model_config=model_config, + cache_config=cache_config, + parallel_config=parallel_config, + scheduler_config=scheduler_config, + device_config=device_config, + lora_config=lora_config, + vision_language_config=vision_language_config, + speculative_config=speculative_config, + load_config=load_config, + ) + + # Profile the memory usage and initialize the cache. + self._initialize_kv_caches() + + # If usage stat is enabled, collect relevant info. + if is_usage_stats_enabled(): + from vllm.model_executor.model_loader import (get_architecture_class_name) + usage_message.report_usage( + get_architecture_class_name(model_config), + usage_context, + extra_kvs={ + # Common configuration + "dtype": str(model_config.dtype), + "tensor_parallel_size": parallel_config.tensor_parallel_size, + "block_size": cache_config.block_size, + "gpu_memory_utilization": cache_config.gpu_memory_utilization, + + # Quantization + "quantization": model_config.quantization, + "kv_cache_dtype": cache_config.cache_dtype, + + # Feature flags + "enable_lora": bool(lora_config), + "enable_prefix_caching": cache_config.enable_prefix_caching, + "enforce_eager": model_config.enforce_eager, + "disable_custom_all_reduce": parallel_config.disable_custom_all_reduce, + }) + + if self.tokenizer: + # Ping the tokenizer to ensure liveness if it runs in a + # different process. + self.tokenizer.ping() + + # Create the scheduler. + # NOTE: the cache_config here have been updated with the numbers of + # GPU and CPU blocks, which are profiled in the distributed executor. + # NOTE(shengguangming): each process will have independent scheduler + self.scheduler = Scheduler(scheduler_config, cache_config, lora_config) + + # Metric Logging. + if self.log_stats: + self.stat_logger = StatLogger(local_interval=_LOCAL_LOGGING_INTERVAL_SEC, + labels=dict(model_name=model_config.served_model_name), + max_model_len=self.model_config.max_model_len) + self.stat_logger.info("cache_config", self.cache_config) + + # Create sequence output processor, e.g. for beam search or + # speculative decoding. + self.output_processor = (SequenceGroupOutputProcessor.create_output_processor( + self.scheduler_config, + self.detokenizer, + self.scheduler, + self.seq_counter, + self.get_tokenizer_for_seq, + stop_checker=StopChecker( + self.scheduler_config.max_model_len, + self.get_tokenizer_for_seq, + ), + )) + + # TODO(sgm): add for verl but we may not tokenizer in Rollout + def _init_tokenizer(self, tokenizer, **tokenizer_init_kwargs): + init_kwargs = dict(enable_lora=bool(self.lora_config), + max_num_seqs=self.scheduler_config.max_num_seqs, + max_input_length=None) + init_kwargs.update(tokenizer_init_kwargs) + self.tokenizer: TokenizerGroup = TokenizerGroup(tokenizer, **init_kwargs) + + def init_cache_engine(self): + # TODO: check whether we should rebuild the CUDAGraph every iter when offload/load KVCache + # Re-capture CUDAGraph would be time-consuming + self.model_executor.init_cache_engine() + + def free_cache_engine(self): + self.model_executor.free_cache_engine() + + # NOTE(sgm): currently, we only support GPU executor + # The GPUExecutor remove the Ray dependency + @classmethod + def from_engine_args( + cls, + model, + tokenizer, + engine_args: EngineArgs, + usage_context: UsageContext = UsageContext.ENGINE_CONTEXT, + ) -> "LLMEngine": + """Creates an LLM engine from the engine arguments.""" + # Create the engine configs. + engine_config = engine_args.create_engine_config() + + # Initialize the cluster and specify the executor class. + assert engine_config.device_config.device_type == "cuda", \ + "Currently, the vllm in verl only support running on GPU" + + if engine_config.parallel_config.world_size == 1: + engine_config.load_config.load_format = "dummy_hf" + + from .spmd_gpu_executor import SPMDGPUExecutor + executor_class = SPMDGPUExecutor + + # Create the LLM engine. + engine = cls( + model, + tokenizer, + **engine_config.to_dict(), + executor_class=executor_class, + log_stats=not engine_args.disable_log_stats, + usage_context=usage_context, + ) + return engine + + def sync_model_weights(self, actor_weights: Dict[str, torch.Tensor], load_format: str) -> None: + self.model_executor.sync_model_weights(actor_weights=actor_weights, load_format=load_format) + + def offload_model_weights(self) -> None: + self.model_executor.offload_model_weights() diff --git a/verl/third_party/vllm/vllm_v_0_4_2/megatron_weight_loaders.py b/verl/third_party/vllm/vllm_v_0_4_2/megatron_weight_loaders.py new file mode 100644 index 00000000..1a7c2e2c --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_4_2/megatron_weight_loaders.py @@ -0,0 +1,348 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/tree/main/vllm/model_executor/models + +from typing import Dict +import torch +import torch.nn as nn + +from vllm.model_executor.layers.linear import * +from vllm.model_executor.layers.vocab_parallel_embedding import VocabParallelEmbedding, ParallelLMHead +from vllm.model_executor.layers.activation import ScaledActivation +from vllm.model_executor.models import ModelRegistry + + +# NOTE(shengguangming): replace the origin weight loader function in the class +def parallel_weight_loader(self, param: torch.Tensor, loaded_weight: torch.Tensor) -> None: + """Parallel Linear weight loader.""" + assert param.size() == loaded_weight.size( + ), 'the parameter size is not align with the loaded weight size, param size: {}, loaded_weight size: {}'.format( + param.size(), loaded_weight.size()) + assert param.data.dtype == loaded_weight.data.dtype, "if we want to shared weights, the data type should also be the same" + + param.data = loaded_weight.data + + +def default_weight_loader(param: torch.Tensor, loaded_weight: torch.Tensor) -> None: + """Default weight loader.""" + assert param.size() == loaded_weight.size() + assert param.data.dtype == loaded_weight.data.dtype, "if we want to shared weights, the data type should also be the same" + + param.data = loaded_weight.data + + +def gpt2_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "lm_head.weight" in name: + # GPT-2 ties the weights of the embedding layer and the final + # linear layer. + continue + if ".attn.bias" in name or ".attn.masked_bias" in name: + # Skip attention mask. + # NOTE: "c_attn.bias" should not be skipped. + continue + if not name.startswith("transformer."): + name = "transformer." + name + param = params_dict[name] + # The HF's GPT-2 implementation uses Conv1D instead of Linear. + # Because of this, we need to transpose the weights. + # Note(zhuohan): the logic below might break quantized models. + for conv1d_weight_name in ["c_attn", "c_proj", "c_fc"]: + if conv1d_weight_name not in name: + continue + if not name.endswith(".weight"): + continue + # TODO: check megatron + loaded_weight = loaded_weight.t() + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def llama_megatron_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + # NOTE(shengguangming): the megatron llama may have this prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def llama_megatron_core_te_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_mapping = [ + # (megatron core gpt model name, vllm model name) + ("embedding.word_embeddings", "model.embed_tokens"), + ("self_attention.linear_qkv.layer_norm_weight", "input_layernorm.weight"), + ("self_attention.linear_qkv.layer_norm_bias", "input_layernorm.bias"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_proj", 'self_attn.o_proj'), + ('pre_mlp_layernorm', 'post_attention_layernorm'), + ('mlp.linear_fc1.layer_norm_weight', 'post_attention_layernorm.weight'), + ('mlp.linear_fc1.layer_norm_bias', 'post_attention_layernorm.bias'), + ('mlp.linear_fc1', 'mlp.gate_up_proj'), + ('mlp.linear_fc2', 'mlp.down_proj'), + ('decoder.final_layernorm', 'model.norm'), + ('output_layer', 'lm_head'), + ] + # NOTE(shengguangming): the megatron llama may have this prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + name = _replace_name(name, params_mapping) + if name.endswith('.bias') and name not in params_dict: + continue + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def llama_megatron_core_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_mapping = [ + # (megatron core gpt model name, vllm model name) + ("embedding.word_embeddings", "model.embed_tokens"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_proj", 'self_attn.o_proj'), + ( + 'input_layernorm', + 'input_layernorm', + ), + ('pre_mlp_layernorm', 'post_attention_layernorm'), + ('mlp.linear_fc1', 'mlp.gate_up_proj'), + ('mlp.linear_fc2', 'mlp.down_proj'), + ('decoder.final_layernorm', 'model.norm'), + ('output_layer', 'lm_head'), + ] + # NOTE(shengguangming): the megatron llama may have this prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + name = _replace_name(name, params_mapping) + if name.endswith('.bias') and name not in params_dict: + continue + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def _replace_name(megatron_name, name_mapping): + for m_name, v_name in name_mapping: + if m_name not in megatron_name: + continue + if 'layers' in megatron_name: # deal with decoder layers + megatron_name = megatron_name.replace('decoder', 'model') + megatron_name_list = megatron_name.split('.') + if 'layer_norm_weight' in megatron_name_list or 'layer_norm_bias' in megatron_name_list: + param_name_list = megatron_name_list[:3] + param_name_list.append(v_name) + param_name = '.'.join(param_name_list) + else: + param_name_list = megatron_name_list[:3] + weight_or_bias = megatron_name_list[-1] + param_name_list.append(v_name) + param_name_list.append(weight_or_bias) + param_name = '.'.join(param_name_list) + return param_name + else: + param_name = megatron_name.replace(m_name, v_name) + return param_name + + +def llama_megatron_core_te_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_mapping = [ + # (megatron core gpt model name, vllm model name) + ("embedding.word_embeddings", "model.embed_tokens"), + ("self_attention.linear_qkv.layer_norm_weight", "input_layernorm.weight"), + ("self_attention.linear_qkv.layer_norm_bias", "input_layernorm.bias"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_proj", 'self_attn.o_proj'), + ('pre_mlp_layernorm', 'post_attention_layernorm'), + ('mlp.linear_fc1.layer_norm_weight', 'post_attention_layernorm.weight'), + ('mlp.linear_fc1.layer_norm_bias', 'post_attention_layernorm.bias'), + ('mlp.linear_fc1', 'mlp.gate_up_proj'), + ('mlp.linear_fc2', 'mlp.down_proj'), + ('decoder.final_layernorm', 'model.norm'), + ('output_layer', 'lm_head'), + ] + # NOTE(shengguangming): the megatron llama may have this prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + name = _replace_name(name, params_mapping) + if name.endswith('.bias') and name not in params_dict: + continue + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def llama_megatron_core_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_mapping = [ + # (megatron core gpt model name, vllm model name) + ("embedding.word_embeddings", "model.embed_tokens"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_proj", 'self_attn.o_proj'), + ( + 'input_layernorm', + 'input_layernorm', + ), + ('pre_mlp_layernorm', 'post_attention_layernorm'), + ('mlp.linear_fc1', 'mlp.gate_up_proj'), + ('mlp.linear_fc2', 'mlp.down_proj'), + ('decoder.final_layernorm', 'model.norm'), + ('output_layer', 'lm_head'), + ] + # NOTE(shengguangming): the megatron llama may have this prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + name = _replace_name(name, params_mapping) + if name.endswith('.bias') and name not in params_dict: + continue + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def _replace_name(megatron_name, name_mapping): + for m_name, v_name in name_mapping: + if m_name not in megatron_name: + continue + if 'layers' in megatron_name: # deal with decoder layers + megatron_name = megatron_name.replace('decoder', 'model') + megatron_name_list = megatron_name.split('.') + if 'layer_norm_weight' in megatron_name_list or 'layer_norm_bias' in megatron_name_list: + param_name_list = megatron_name_list[:3] + param_name_list.append(v_name) + param_name = '.'.join(param_name_list) + else: + param_name_list = megatron_name_list[:3] + weight_or_bias = megatron_name_list[-1] + param_name_list.append(v_name) + param_name_list.append(weight_or_bias) + param_name = '.'.join(param_name_list) + return param_name + else: + param_name = megatron_name.replace(m_name, v_name) + return param_name + + +def mistral_megatron_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + # TODO: need to implement a general way to deal with prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +__LAYER_WEIGHT_MEGATRON_LOADER_REGISTRY__ = { + ColumnParallelLinear: parallel_weight_loader, + MergedColumnParallelLinear: parallel_weight_loader, + QKVParallelLinear: parallel_weight_loader, + RowParallelLinear: parallel_weight_loader, + VocabParallelEmbedding: parallel_weight_loader, + ParallelLMHead: parallel_weight_loader + # "ScaledActivation.weight_loader": ScaledActivation, # TODO(shengguangming): latest commit in vllm fix awq for this function and add load_weights + # "default_weight_loader": default_weight_loader +} + +# for layer_class, weight_loader in __LAYER_WEIGHT_MEGATRON_LOADER_REGISTRY__.items(): +# # setattr(layer_class, 'megatron_weight_loader', weight_loader) +# layer_class.weight_loader = weight_loader + +__MODEL_MEGATRON_WEIGHT_LOADER_REGISTRY__ = { + 'GPT2LMHeadModel': gpt2_weight_loader, + 'LlamaForCausalLM': llama_megatron_core_te_weight_loader, # use te backend for open-source megatron + 'LLaMAForCausalLM': llama_megatron_core_te_weight_loader, + 'MistralForCausalLM': mistral_megatron_weight_loader, +} + + +# the actor model is .state_dict() +# Load megatron weights +def load_megatron_weights(actor_weights: Dict, vllm_model: nn.Module): + weight_loader = _get_model_weight_loader(vllm_model.__class__.__name__) + weight_loader(actor_weights, vllm_model) + # NOTE(sgm) to reduce peak memory usage, we offload vllm model to cpu + # after init, and we need this after sync model weights for in first iter. + vllm_model = vllm_model.cuda() + + +def _get_model_weight_loader(arch: str): + if arch in __MODEL_MEGATRON_WEIGHT_LOADER_REGISTRY__: + return __MODEL_MEGATRON_WEIGHT_LOADER_REGISTRY__[arch] + raise ValueError(f"Model architectures {arch} are not supported for now. " + f"Supported architectures: {ModelRegistry.get_supported_archs()}") + + +def update_megatron_weight_loader(): + for layer_class, weight_loader in __LAYER_WEIGHT_MEGATRON_LOADER_REGISTRY__.items(): + layer_class.weight_loader = weight_loader + VocabParallelEmbedding.__init__ = vocab_init + + +# FIXME(shengguangming): the vLLM vocab will pad to 64, which may incur out of bounds +# so we need to rewrite the init function of vocab +DEFAULT_VOCAB_PADDING_SIZE = 64 + + +def vocab_init(self, + num_embeddings: int, + embedding_dim: int, + params_dtype: Optional[torch.dtype] = None, + org_num_embeddings: Optional[int] = None, + padding_size: int = DEFAULT_VOCAB_PADDING_SIZE): + super(VocabParallelEmbedding, self).__init__() + + # Keep the input dimensions. + # TODO (pad to be divided by 4) + self.num_embeddings = num_embeddings + self.org_vocab_size = org_num_embeddings or num_embeddings + + # self.num_embeddings_padded = pad_vocab_size(num_embeddings, + # padding_size) + self.embedding_dim = embedding_dim + if params_dtype is None: + params_dtype = torch.get_default_dtype() + self.tp_size = get_tensor_model_parallel_world_size() + # Divide the weight matrix along the vocaburaly dimension. + + # TODO: remove dependencies from megatron + from megatron.core.tensor_parallel.utils import VocabUtility + self.vocab_start_index, self.vocab_end_index = (VocabUtility.vocab_range_from_global_vocab_size( + self.num_embeddings, get_tensor_model_parallel_rank(), self.tp_size)) + self.num_embeddings_per_partition = (self.vocab_end_index - self.vocab_start_index) + self.weight = Parameter( + torch.empty( + self.num_embeddings_per_partition, + self.embedding_dim, + # device=torch.cuda.current_device(), + dtype=params_dtype)) + set_weight_attrs(self.weight, {"parallel_dim": 0, "weight_loader": self.weight_loader}) diff --git a/verl/third_party/vllm/vllm_v_0_4_2/model_loader.py b/verl/third_party/vllm/vllm_v_0_4_2/model_loader.py new file mode 100644 index 00000000..5f401345 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_4_2/model_loader.py @@ -0,0 +1,265 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/tree/main/vllm/model_executor/model_loader +"""Utilities for selecting and loading models.""" +from typing import Dict, Union, Optional, Iterable, Tuple + +import torch +import torch.nn as nn +from transformers import PreTrainedModel + +from vllm.config import (DeviceConfig, LoRAConfig, ParallelConfig, SchedulerConfig, VisionLanguageConfig) +from vllm.model_executor.model_loader import BaseModelLoader +from vllm.model_executor.model_loader.loader import _initialize_model +from vllm.model_executor.model_loader.utils import set_default_torch_dtype +from vllm.distributed.communication_op import tensor_model_parallel_all_gather + +from .config import ModelConfig, LoadFormat, LoadConfig +from .megatron_weight_loaders import load_megatron_weights, update_megatron_weight_loader +from .dtensor_weight_loaders import load_dtensor_weights, update_dtensor_weight_loader +from .hf_weight_loader import update_hf_weight_loader + + +def get_model(actor_model: Union[PreTrainedModel, Dict], model_config: ModelConfig, load_config: LoadConfig, + device_config: DeviceConfig, parallel_config: ParallelConfig, scheduler_config: SchedulerConfig, + lora_config: Optional[LoRAConfig], vision_language_config: Optional[VisionLanguageConfig]) -> nn.Module: + loader = get_model_loader(load_config) + if load_config.load_format.startswith('dummy'): + return loader.load_model(model_config=model_config, + device_config=device_config, + lora_config=lora_config, + vision_language_config=vision_language_config, + parallel_config=parallel_config, + scheduler_config=scheduler_config) + else: + return loader.load_model(actor_model=actor_model, + model_config=model_config, + device_config=device_config, + lora_config=lora_config, + vision_language_config=vision_language_config, + parallel_config=parallel_config, + scheduler_config=scheduler_config) + + +def get_model_loader(load_config: LoadConfig) -> BaseModelLoader: + """Get a model loader based on the load format.""" + + if isinstance(load_config.load_format, type): + return load_config.load_format(load_config) + + if load_config.load_format == LoadFormat.AUTO: + update_megatron_weight_loader() + return MegatronLoader(load_config) + + # NOTE(sgm): change the weight_loader function in runtime + if load_config.load_format == LoadFormat.MEGATRON: + update_megatron_weight_loader() + return MegatronLoader(load_config) + + if load_config.load_format == LoadFormat.HF: + update_hf_weight_loader() + return HFLoader(load_config) + + if load_config.load_format == LoadFormat.DTENSOR: + update_dtensor_weight_loader() + return DTensorLoader(load_config) + + if load_config.load_format == LoadFormat.DUMMY_HF: + update_hf_weight_loader() + return DummyModelLoader(load_config) + + if load_config.load_format == LoadFormat.DUMMY_MEGATRON: + update_megatron_weight_loader() + return DummyModelLoader(load_config) + + if load_config.load_format == LoadFormat.DUMMY_DTENSOR: + update_dtensor_weight_loader() + return DummyModelLoader(load_config) + + raise ValueError('load format not supported in verl: {}, only support {} and {}'.format( + load_config.load_format, LoadFormat.MEGATRON, LoadFormat.HF)) + + +class DummyModelLoader(BaseModelLoader): + """Model loader that will set model weights to random values.""" + + def __init__(self, load_config: LoadConfig): + super().__init__(load_config) + if load_config.model_loader_extra_config: + raise ValueError(f"Model loader extra config is not supported for " + f"load format {load_config.load_format}") + + def load_model(self, *, model_config: ModelConfig, device_config: DeviceConfig, lora_config: Optional[LoRAConfig], + vision_language_config: Optional[VisionLanguageConfig], parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig) -> nn.Module: + with set_default_torch_dtype(model_config.dtype): + with torch.device(device_config.device): + model = _initialize_model(model_config, self.load_config, lora_config, vision_language_config) + # NOTE(woosuk): For accurate performance evaluation, we assign + # random values to the weights. + # initialize_dummy_weights(model) + return model.eval() + + +class MegatronLoader(BaseModelLoader): + """Model loader that can load the model weights from partitioned megatron model.""" + + def __init__(self, load_config: LoadConfig): + super().__init__(load_config) + if load_config.model_loader_extra_config: + raise ValueError(f"Model loader extra config is not supported for " + f"load format {load_config.load_format}") + + def _get_weights_iterator(actor_model: Union[PreTrainedModel, Dict]): + # NOTE(shengguangming) Load the weights from the actor model + pass + # if isinstance(actor_model, nn.Module): + # load_weights(actor_weights=dict(actor_model.named_parameters(remove_duplicate=False)), vllm_model=model) + # else: + # load_weights(actor_weights=actor_model, vllm_model=model) + # return actor_model + + def load_model(self, actor_model: Union[PreTrainedModel, + Dict], model_config: ModelConfig, device_config: DeviceConfig, + lora_config: Optional[LoRAConfig], vision_language_config: Optional[VisionLanguageConfig], + parallel_config: ParallelConfig, scheduler_config: SchedulerConfig) -> nn.Module: + with set_default_torch_dtype(model_config.dtype): + with torch.device(device_config.device): + model = _initialize_model(model_config, self.load_config, lora_config, vision_language_config) + + # TODO(sgm): This is a hack, we need to register the load_weight() func for each model in vllm + if isinstance(actor_model, nn.Module): + load_megatron_weights(actor_weights=dict(actor_model.named_parameters(remove_duplicate=False)), + vllm_model=model) + else: + load_megatron_weights(actor_weights=actor_model, vllm_model=model) + + for _, module in model.named_modules(): + quant_method = getattr(module, "quant_method", None) + if quant_method is not None: + quant_method.process_weights_after_loading(module) + # FIXME: Remove this after Mixtral is updated + # to use quant_method. + if hasattr(module, "process_weights_after_loading"): + module.process_weights_after_loading() + # NOTE(sgm) Some weights are point to gpu, but still need this. + model = model.cuda() # NOTE (zhangchi.usc1992) We need this for vllm to profile memory usage + return model.eval() + + +class HFLoader(BaseModelLoader): + """Model loader that can load the model weights from model's full params.""" + + def __init__(self, load_config: LoadConfig): + super().__init__(load_config) + if load_config.model_loader_extra_config: + raise ValueError(f"Model loader extra config is not supported for " + f"load format {load_config.load_format}") + + def _get_weights_iterator(self, actor_model: Union[PreTrainedModel, Dict]): + if isinstance(actor_model, Dict): + return actor_model.items() + elif isinstance(actor_model, nn.Module): + return dict(actor_model.named_parameters()).items() + else: + raise ValueError(f'actor model should be Dict or nn.Module, but get {type(actor_model)}') + + def load_model(self, actor_model: Union[PreTrainedModel, + Dict], model_config: ModelConfig, device_config: DeviceConfig, + lora_config: Optional[LoRAConfig], vision_language_config: Optional[VisionLanguageConfig], + parallel_config: ParallelConfig, scheduler_config: SchedulerConfig) -> nn.Module: + with set_default_torch_dtype(model_config.dtype): + # with torch.device(device_config.device): + # NOTE(sgm): init the model in cpu + model = _initialize_model(model_config, self.load_config, lora_config, vision_language_config) + model.load_weights(self._get_weights_iterator(actor_model)) + for _, module in model.named_modules(): + quant_method = getattr(module, "quant_method", None) + if quant_method is not None: + quant_method.process_weights_after_loading(module) + # FIXME: Remove this after Mixtral is updated + # to use quant_method. + if hasattr(module, "process_weights_after_loading"): + module.process_weights_after_loading() + # NOTE(sgm) Some weights are point to gpu, but still need this. + model = model.cuda() # NOTE (zhangchi.usc1992) We need this for vllm to profile memory usage + return model.eval() + + +class DTensorLoader(BaseModelLoader): + """Model loader that can load the model weights from partitioned megatron model.""" + + def __init__(self, load_config: LoadConfig): + super().__init__(load_config) + if load_config.model_loader_extra_config: + raise ValueError(f"Model loader extra config is not supported for " + f"load format {load_config.load_format}") + + def _get_weights_iterator(actor_model: Union[PreTrainedModel, Dict]): + # NOTE(shengguangming) Load the weights from the actor model + pass + # if isinstance(actor_model, nn.Module): + # load_weights(actor_weights=dict(actor_model.named_parameters(remove_duplicate=False)), vllm_model=model) + # else: + # load_weights(actor_weights=actor_model, vllm_model=model) + # return actor_model + + def load_model(self, actor_model: Union[PreTrainedModel, + Dict], model_config: ModelConfig, device_config: DeviceConfig, + lora_config: Optional[LoRAConfig], vision_language_config: Optional[VisionLanguageConfig], + parallel_config: ParallelConfig, scheduler_config: SchedulerConfig) -> nn.Module: + with set_default_torch_dtype(model_config.dtype): + with torch.device(device_config.device): + model = _initialize_model(model_config, self.load_config, lora_config, vision_language_config) + + # TODO(sgm): This is a hack, we need to register the load_weight() func for each model in vllm + if isinstance(actor_model, nn.Module): + load_dtensor_weights(actor_weights=dict(actor_model.named_parameters(remove_duplicate=False)), + vllm_model=model) + else: + load_dtensor_weights(actor_weights=actor_model, vllm_model=model) + + for _, module in model.named_modules(): + quant_method = getattr(module, "quant_method", None) + if quant_method is not None: + quant_method.process_weights_after_loading(module) + # FIXME: Remove this after Mixtral is updated + # to use quant_method. + if hasattr(module, "process_weights_after_loading"): + module.process_weights_after_loading() + # NOTE(sgm) Some weights are point to gpu, but still need this. + model = model.cuda() # NOTE (zhangchi.usc1992) We need this for vllm to profile memory usage + return model.eval() + + +# FIXME(sgm): hack the _get_logits function in vllm v0.4.2 +# as they use ray, the _get_logits result will only need to return to the driver node, +# therefore gather is enough. However, we use SPMD instead of a central scheduler, +# all_gather is required (aligned with v0.2.6) +def _get_logits(self, hidden_states: torch.Tensor, embedding: torch.Tensor, + embedding_bias: Optional[torch.Tensor]) -> torch.Tensor: + # Get the logits for the next tokens. + logits = torch.matmul(hidden_states, embedding.t()) + if embedding_bias is not None: + logits += embedding_bias + logits = tensor_model_parallel_all_gather(logits) + # Remove paddings in vocab (if any). + if logits is not None: + logits = logits[:, :self.org_vocab_size] + return logits + + +from vllm.model_executor.layers.logits_processor import LogitsProcessor + +LogitsProcessor._get_logits = _get_logits diff --git a/verl/third_party/vllm/vllm_v_0_4_2/model_runner.py b/verl/third_party/vllm/vllm_v_0_4_2/model_runner.py new file mode 100644 index 00000000..1604b036 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_4_2/model_runner.py @@ -0,0 +1,281 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/worker/model_runner.py + +import torch +import torch.nn as nn +from enum import IntEnum +from typing import Dict, List, Optional, Set, Tuple, Union + +from vllm.attention import (AttentionMetadata, get_attn_backend) +from vllm.config import (DeviceConfig, LoRAConfig, ParallelConfig, SchedulerConfig, VisionLanguageConfig) +from vllm.logger import init_logger +from vllm.lora.layers import LoRAMapping +from vllm.lora.request import LoRARequest +from vllm.lora.worker_manager import LRUCacheWorkerLoRAManager +from vllm.model_executor import SamplingMetadata +from vllm.sequence import (MultiModalData, SamplerOutput, SequenceData, SequenceGroupMetadata) +from vllm.utils import (CudaMemoryProfiler, is_hip, is_pin_memory_available) +from vllm.worker.model_runner import ModelRunner, CUDAGraphRunner + +from .model_loader import get_model +from .config import ModelConfig, LoadConfig + +logger = init_logger(__name__) + + +# How batches are constructed. +class BatchType(IntEnum): + # Every batch is prefill. + PREFILL = 0 + # Every batch is decode. + DECODE = 1 + # Batch is a mixture of prefill and decode. + MIXED = 2 + + +class ModelRunner(ModelRunner): + + def __init__( + self, + model: Union[nn.Module, Dict], # model itself or its parameter dict + model_config: ModelConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + device_config: DeviceConfig, + load_config: LoadConfig, + lora_config: Optional[LoRAConfig], + kv_cache_dtype: Optional[str] = "auto", + vision_language_config: Optional[VisionLanguageConfig] = None, + ): + self.model_config = model_config + self.parallel_config = parallel_config + self.scheduler_config = scheduler_config + self.lora_config = lora_config + self.load_config = load_config + + # model_config can be None in tests/samplers/test_sampler.py. + # FIXME(woosuk): This is a hack to make the tests work. Refactor this. + self.sliding_window = (model_config.get_sliding_window() if model_config is not None else None) + self.device_config = (device_config if device_config is not None else DeviceConfig()) + self.device = self.device_config.device + + # NOTE(sgm): add for verl + self.model = model # this will be replaced by get_model() + + # Set after load_model. + self.lora_manager: LRUCacheWorkerLoRAManager = None + + self.graph_runners: Dict[int, CUDAGraphRunner] = {} + self.graph_memory_pool: Optional[Tuple[int, int]] = None # Set during graph capture. + + self.max_seq_len_to_capture = (self.model_config.max_seq_len_to_capture if self.model_config is not None else 0) + + self.pin_memory = is_pin_memory_available() + self.kv_cache_dtype = kv_cache_dtype + self.vision_language_config = vision_language_config + + self.attn_backend = get_attn_backend(self.model_config.dtype if model_config is not None else None) + + # Lazy initialization + self.block_size: int # Set after initial profiling. + # When using CUDA graph, the input block tables must be padded to + # max_seq_len_to_capture. However, creating the block table in + # Python can be expensive. To optimize this, we cache the block table + # in numpy and only copy the actual input content at every iteration. + # The shape of the cached block table will be + # (max batch size to capture, max context len to capture / block size). + self.graph_block_tables: torch.Tensor # Set after initial profiling. + + # Set if the backend is flashinfer. + self.flashinfer_workspace_buffer: torch.Tensor + + # NOTE(sgm): initialize model using the actor model + def load_model(self) -> None: + with CudaMemoryProfiler() as m: + self.model = get_model(actor_model=self.model, + model_config=self.model_config, + device_config=self.device_config, + lora_config=self.lora_config, + load_config=self.load_config, + parallel_config=self.parallel_config, + scheduler_config=self.scheduler_config, + vision_language_config=self.vision_language_config) + self.model_memory_usage = m.consumed_memory + logger.info("Loading model weights took %.4f GB", self.model_memory_usage / float(2**30)) + + if self.lora_config: + assert hasattr(self.model, "supported_lora_modules") and self.model.supported_lora_modules, ( + "Model does not support LoRA") + assert hasattr(self.model, "embedding_modules"), "Model does not have embedding_modules" + assert hasattr(self.model, "embedding_padding_modules"), "Model does not have embedding_padding_modules" + self.lora_manager = LRUCacheWorkerLoRAManager(self.scheduler_config.max_num_seqs, + self.scheduler_config.max_num_batched_tokens, self.vocab_size, + self.lora_config, self.device, self.model.embedding_modules, + self.model.embedding_padding_modules) + self.model = self.lora_manager.create_lora_manager(self.model) + + if self.kv_cache_dtype == "fp8" and is_hip(): + # Currently scaled KV cache is only enabled on ROCm + if self.model_config.quantization_param_path is not None: + if callable(getattr(self.model, "load_kv_cache_scales", None)): + self.model.load_kv_cache_scales(self.model_config.quantization_param_path) + else: + raise RuntimeError( + "Using FP8 KV cache and scaling factors provided but " + "model %s does not support loading scaling factors.", self.model.__class__) + else: + logger.warning("Using FP8 KV cache but no scaling factors " + "provided. Defaulting to scaling factors of 1.0. " + "This may lead to less accurate results!") + elif self.model_config.quantization_param_path is not None: + logger.warning("KV cache scaling factors provided, " + "but the KV cache data type is not FP8. " + "KV cache scaling factors will not be used.") + + def prepare_input_tensors( + self, + seq_group_metadata_list: List[SequenceGroupMetadata], + ) -> Tuple[torch.Tensor, torch.Tensor, AttentionMetadata, SamplingMetadata, Set[LoRARequest], LoRAMapping, + torch.Tensor]: + # NOTE(sgm): all workers prepare the input in the same way + prefill_reqs = [] + decode_reqs = [] + for seq_group_meta in seq_group_metadata_list: + if seq_group_meta.is_prompt: + prefill_reqs.append(seq_group_meta) + else: + decode_reqs.append(seq_group_meta) + + # Prepare input tensors. + ( + input_tokens, + input_positions, + prefill_attn_metadata, + seq_lens, + query_lens, + lora_index_mapping, + lora_prompt_mapping, + lora_requests, + multi_modal_input, + slot_mapping, + ) = self._prepare_prompt(prefill_reqs) + ( + decode_input_tokens, + decode_input_positions, + decode_attn_metadata, + decode_lora_index_mapping, + decode_lora_prompt_mapping, + decode_lora_requests, + decode_slot_mapping, + ) = self._prepare_decode(decode_reqs) + sampling_metadata = SamplingMetadata.prepare(seq_group_metadata_list, seq_lens, query_lens, self.device, + self.pin_memory) + + if not self.scheduler_config.chunked_prefill_enabled: + assert (len(prefill_reqs) and len(decode_reqs)) == 0 + + num_prefills = len(seq_lens) + num_prefill_tokens = len(input_tokens) + num_decode_tokens = len(decode_input_tokens) + + # Coalesce tensors. Note that attn_metadata is currently not + # coalesced for simplicity. + input_tokens.extend(decode_input_tokens) + input_positions.extend(decode_input_positions) + slot_mapping.extend(decode_slot_mapping) + lora_index_mapping.extend(decode_lora_index_mapping) + lora_prompt_mapping.extend(decode_lora_prompt_mapping) + lora_requests.update(decode_lora_requests) + + input_tokens = torch.tensor(input_tokens, dtype=torch.long, device=self.device) + input_positions = torch.tensor(input_positions, dtype=torch.long, device=self.device) + slot_mapping = torch.tensor(slot_mapping, dtype=torch.long, device=self.device) + + if self.lora_config: + lora_mapping = LoRAMapping( + lora_index_mapping, + lora_prompt_mapping, + ) + else: + lora_mapping = None + + # Broadcast the metadata. + # If batch contains both prefill and decode, it sends 2 broadcasts. + # If it only contains 1 type, it triggers a single broadcast. + if (prefill_attn_metadata is not None and decode_attn_metadata is not None): + batch_type = BatchType.MIXED + elif prefill_attn_metadata is not None: + batch_type = BatchType.PREFILL + else: + batch_type = BatchType.DECODE + + attn_metadata = AttentionMetadata( + num_prefills=num_prefills, + slot_mapping=slot_mapping, + num_prefill_tokens=num_prefill_tokens, + num_decode_tokens=num_decode_tokens, + prefill_metadata=prefill_attn_metadata, + decode_metadata=decode_attn_metadata, + kv_cache_dtype=self.kv_cache_dtype, + ) + + return (input_tokens, input_positions, attn_metadata, sampling_metadata, lora_requests, lora_mapping, + multi_modal_input) + + @torch.inference_mode() + def execute_model( + self, + seq_group_metadata_list: List[SequenceGroupMetadata], + kv_caches: List[torch.Tensor], + ) -> Optional[SamplerOutput]: + (input_tokens, input_positions, attn_metadata, sampling_metadata, lora_requests, lora_mapping, + multi_modal_input) = self.prepare_input_tensors(seq_group_metadata_list) + + if self.lora_config: + self.set_active_loras(lora_requests, lora_mapping) + + # Currently cuda graph is only supported by the decode phase. + prefill_meta = attn_metadata.prefill_metadata + decode_meta = attn_metadata.decode_metadata + if prefill_meta is None and decode_meta.use_cuda_graph: + graph_batch_size = input_tokens.shape[0] + model_executable = self.graph_runners[graph_batch_size] + else: + model_executable = self.model + execute_model_kwargs = { + "input_ids": input_tokens, + "positions": input_positions, + "kv_caches": kv_caches, + "attn_metadata": attn_metadata, + } + if self.vision_language_config: + execute_model_kwargs.update({"image_input": multi_modal_input}) + hidden_states = model_executable(**execute_model_kwargs) + + # Compute the logits. + logits = self.model.compute_logits(hidden_states, sampling_metadata) + + # Only perform sampling in the driver worker. + # if not self.is_driver_worker: + # return None + + # TODO(sgm): perform sampling on rank 0 + # Sample the next token. + output = self.model.sample( + logits=logits, + sampling_metadata=sampling_metadata, + ) + + return output diff --git a/verl/third_party/vllm/vllm_v_0_4_2/parallel_state.py b/verl/third_party/vllm/vllm_v_0_4_2/parallel_state.py new file mode 100644 index 00000000..be7464a2 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_4_2/parallel_state.py @@ -0,0 +1,294 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Adapted from +# https://github.com/NVIDIA/Megatron-LM/blob/main/megatron/core/parallel_state.py +# Copyright (c) 2022, NVIDIA CORPORATION. All rights reserved. +"""Model and data parallel groups.""" +import os +import torch +import torch.distributed +from typing import Optional + +import vllm.distributed.parallel_state as ps + +import vllm.envs as envs +from vllm.logger import init_logger + +from torch.distributed.device_mesh import init_device_mesh + +logger = init_logger(__name__) +""" +This version is strongly tied with Megatron to implement HybridEngine and weight sharing between vllm and Megatron. +- We assume the Megatron tp+dp+pp world is already established before calling this function. + +""" + +# Device mesh for using DTensor +_DEVICE_MESH = None + +# Tensor model parallel group that the current rank belongs to. +_TP_DEVICE_GROUP = None +_TP_CPU_GROUP = None + + +# This method is for initializing the ParallelGroup when using HybridEngine +def initialize_parallel_state( + distributed_init_method: str = "env://", + backend: str = "nccl", + tensor_model_parallel_size: int = 1, + num_tp_per_train_tp: int = 1, + pipeline_model_parallel_size: int = 1, +): + # torch.distributed.all_reduce does not free the input tensor until + # the synchronization point. This causes the memory usage to grow + # as the number of all_reduce calls increases. This env var disables + # this behavior. + # Related issue: + # https://discuss.pytorch.org/t/cuda-allocation-lifetime-for-inputs-to-distributed-all-reduce/191573 + os.environ["TORCH_NCCL_AVOID_RECORD_STREAMS"] = "1" + + # NOTE(sgm): Modify for verl, Env vars will be set by TORCHRUN. + rank = int(os.getenv("RANK", "-1")) + local_rank = int(os.getenv("LOCAL_RANK", "0")) + + # Use the world_size set by TORCHRUN + world_size = int(os.getenv("WORLD_SIZE", "-1")) + assert world_size != -1, "The world_size is set to -1, not initialized by TORCHRUN" + ps.init_distributed_environment(world_size, rank, distributed_init_method, local_rank, backend) + if torch.distributed.get_world_size() > 1: + # NOTE: build a sepearate inference group with infer tp & micro dp + initialize_model_parallel_for_vllm(tensor_model_parallel_size=tensor_model_parallel_size, + num_tensor_model_parallel_groups_per_train_tp=num_tp_per_train_tp) + else: + initialize_model_parallel(tensor_model_parallel_size, pipeline_model_parallel_size, backend) + + +def ensure_model_parallel_initialized( + tensor_model_parallel_size: int, + pipeline_model_parallel_size: int = 1, + backend: Optional[str] = None, +) -> None: + """Helper to initialize model parallel groups if they are not initialized, + or ensure tensor-parallel and pipeline-parallel sizes are equal to expected + values if the model parallel groups are initialized. + """ + # get the backend of _DEVICE_WORLD_GROUP + backend = backend or torch.distributed.get_backend() + if not model_parallel_is_initialized(): + initialize_model_parallel(tensor_model_parallel_size, pipeline_model_parallel_size, backend) + return + + assert (get_tensor_model_parallel_world_size() == tensor_model_parallel_size), ( + "tensor parallel group already initialized, but of unexpected size: " + f"{get_tensor_model_parallel_world_size()=} vs. " + f"{tensor_model_parallel_size=}") + # assert (get_pipeline_model_parallel_world_size( + # ) == pipeline_model_parallel_size), ( + # "pipeline parallel group already initialized, but of unexpected size: " + # f"{get_pipeline_model_parallel_world_size()=} vs. " + # f"{pipeline_model_parallel_size=}") + + +def model_parallel_is_initialized(): + """Check if tensor and pipeline parallel groups are initialized.""" + return (ps._TP_DEVICE_GROUP is not None) + # and _PIPELINE_MODEL_PARALLEL_GROUP is not None) + + +def initialize_model_parallel_for_vllm(tensor_model_parallel_size: int, + num_tensor_model_parallel_groups_per_train_tp: int = 1) -> None: + from torch.distributed import new_group + # Get world size and rank. Ensure some consistencies. + assert torch.distributed.is_initialized() + + assert isinstance(tensor_model_parallel_size, int) + + # assert num_tensor_model_parallel_groups_per_train_tp == 1 and not different_tp_group + # assert num_tensor_model_parallel_groups_per_train_tp > 1 and different_tp_group + + # Build the tensor model-parallel groups. + assert ps._TP_DEVICE_GROUP is None, ("tensor model parallel group is already initialized") + + global _TP_DEVICE_GROUP + global _TP_CPU_GROUP + global _DEVICE_MESH + + world_size: int = torch.distributed.get_world_size() + + rank = torch.distributed.get_rank() + + backend = torch.distributed.get_backend() + + num_tensor_model_parallel_groups = world_size // tensor_model_parallel_size + + if num_tensor_model_parallel_groups_per_train_tp == 1: + # if tensor_model_parallel_size == train_tensor_parallel_size: + # using the same tp group as Megatron/vllm + for i in range(num_tensor_model_parallel_groups): + ranks = range(i * tensor_model_parallel_size, (i + 1) * tensor_model_parallel_size) + group = torch.distributed.new_group(ranks, backend=backend) + cpu_group = torch.distributed.new_group(ranks, backend="gloo") + if rank in ranks: + _TP_DEVICE_GROUP = group + _TP_CPU_GROUP = cpu_group + ps._TP_DEVICE_GROUP = group + ps._TP_CPU_GROUP = cpu_group + + # no _MICRO_DATA_PARALLEL_GROUP + else: + # initialize a micro_dp group and a tp group + # assume training tp=4, infer tp=2, then, weight is partitioned as + # [1], [2], [3], [4] for training and [1,2], [1,2], [3,4], [3,4] for inference + + # Build the inference tp groups + # train_tp = train_tensor_parallel_size + train_tp = num_tensor_model_parallel_groups_per_train_tp * tensor_model_parallel_size + # num_tensor_model_parallel_groups_per_train_tp = train_tp // tensor_model_parallel_size + assert _TP_DEVICE_GROUP is None, ("tensor model parallel group is already initialized") + for i in range(num_tensor_model_parallel_groups // num_tensor_model_parallel_groups_per_train_tp): + start = train_tp * i + end = train_tp * (i + 1) + for j in range(num_tensor_model_parallel_groups_per_train_tp): + ranks = list(range(start, end, num_tensor_model_parallel_groups_per_train_tp)) + for i in range(len(ranks)): + ranks[i] += j + group = torch.distributed.new_group(ranks) + cpu_group = torch.distributed.new_group(ranks, backend='gloo') + if rank in ranks: + _TP_DEVICE_GROUP = group + _TP_CPU_GROUP = cpu_group + ps._TP_DEVICE_GROUP = _TP_DEVICE_GROUP + ps._TP_CPU_GROUP = cpu_group + + # Build the pipeline model-parallel groups. + # global _PIPELINE_MODEL_PARALLEL_GROUP + # global _PIPELINE_GLOBAL_RANKS + # assert ps._PIPELINE_MODEL_PARALLEL_GROUP is None, ("pipeline model parallel group is already initialized") + + # ps._PIPELINE_MODEL_PARALLEL_GROUP = mpu.get_pipeline_model_parallel_group() + # ps._PIPELINE_GLOBAL_RANKS = mpu.get_pipeline_model_parallel_ranks() + + +def initialize_model_parallel( + tensor_model_parallel_size: int = 1, + pipeline_model_parallel_size: int = 1, + backend: Optional[str] = None, +) -> None: + """ + NOTE: This method is a hack from the open-sourced version without + asertion of world_size = tp * pp + + Initialize model parallel groups. + + Arguments: + tensor_model_parallel_size: number of GPUs used for tensor model + parallelism. + pipeline_model_parallel_size: number of GPUs used for pipeline model + parallelism. + + Let's say we have a total of 8 GPUs denoted by g0 ... g7 and we + use 2 GPUs to parallelize the model tensor, and 4 GPUs to parallelize + the model pipeline. The present function will + create 4 tensor model-parallel groups and 2 pipeline model-parallel groups: + 4 tensor model-parallel groups: + [g0, g1], [g2, g3], [g4, g5], [g6, g7] + 2 pipeline model-parallel groups: + [g0, g2, g4, g6], [g1, g3, g5, g7] + Note that for efficiency, the caller should make sure adjacent ranks + are on the same DGX box. For example if we are using 2 DGX-1 boxes + with a total of 16 GPUs, rank 0 to 7 belong to the first box and + ranks 8 to 15 belong to the second box. + """ + # Get world size and rank. Ensure some consistencies. + assert torch.distributed.is_initialized() + world_size: int = torch.distributed.get_world_size() + # get the backend of _DEVICE_WORLD_GROUP + backend = backend or torch.distributed.get_backend() + + # NOTE(sgm) we don't assert world_size == tp * pp + # DP is not managed by vllm but by the veRL WorkerGroup + + num_tensor_model_parallel_groups: int = (world_size // tensor_model_parallel_size) + num_pipeline_model_parallel_groups: int = (world_size // pipeline_model_parallel_size) + rank = torch.distributed.get_rank() + + # Build device mesh for TP + if num_tensor_model_parallel_groups > 1: + device_mesh = init_device_mesh("cuda", (num_tensor_model_parallel_groups, tensor_model_parallel_size), + mesh_dim_names=("replicate", "tp_shard")) + else: + device_mesh = init_device_mesh("cuda", (tensor_model_parallel_size,), mesh_dim_names=["tp_shard"]) + shard_group = device_mesh.get_group(mesh_dim="tp_shard") + + # Build the tensor model-parallel groups. + global _TP_DEVICE_GROUP, _TP_CPU_GROUP + global _DEVICE_MESH + assert _TP_DEVICE_GROUP is None, ("tensor model parallel group is already initialized") + assert _DEVICE_MESH is None, ("device mesh in vllm is already initialized") + + _DEVICE_MESH = device_mesh + # for i in range(num_tensor_model_parallel_groups): + # ranks = range(i * tensor_model_parallel_size, (i + 1) * tensor_model_parallel_size) + # group = torch.distributed.new_group(ranks, backend=backend) + # cpu_group = torch.distributed.new_group(ranks, backend="gloo") + # assert torch.distributed.get_process_group_ranks(shard_group) == torch.distributed.get_process_group_ranks(cpu_group) + # ranks = torch.distributed.get_process_group_ranks(shard_group) + # cpu_group = torch.distributed.new_group(ranks, backend="gloo") # TODO: this will hang + # cpu_group = torch.distributed.new_group(, backend="gloo") + # if rank == 0: + # print(f'rank: {rank}') + # print(f'ranks: {ranks}') + # print(f'torch.distributed.get_process_group_ranks(shard_group): {torch.distributed.get_process_group_ranks(shard_group)}') + # if rank in ranks: + _TP_DEVICE_GROUP = shard_group + ps._TP_DEVICE_GROUP = _TP_DEVICE_GROUP + # ps._TP_CPU_GROUP = cpu_group # TODO: will hang when used with device mesh + + # TODO: init using device mesh + # Build the pipeline model-parallel groups. + assert ps._PIPELINE_MODEL_PARALLEL_GROUP is None, ("pipeline model parallel group is already initialized") + for i in range(num_pipeline_model_parallel_groups): + ranks = range(i, world_size, num_pipeline_model_parallel_groups) + group = torch.distributed.new_group(ranks, backend=backend) + if rank in ranks: + ps._PIPELINE_MODEL_PARALLEL_GROUP = group + ps._PIPELINE_GLOBAL_RANKS = ranks + + +""" +Device mesh utilities +""" + + +def get_device_mesh(): + assert _DEVICE_MESH is not None, ("device mesh is not initialized") + return _DEVICE_MESH + + +""" +Tensor model parallel utilities +""" + + +def get_tensor_model_parallel_group(): + """Get the tensor model parallel group the caller rank belongs to.""" + assert _TP_DEVICE_GROUP is not None, ("tensor model parallel group is not initialized") + return _TP_DEVICE_GROUP + + +def get_tensor_model_parallel_world_size(): + """Return world size for the tensor model parallel group.""" + return torch.distributed.get_world_size(group=get_tensor_model_parallel_group()) + + +def get_tensor_model_parallel_rank(): + """Return my rank for the tensor model parallel group.""" + return torch.distributed.get_rank(group=get_tensor_model_parallel_group()) + + +def get_tensor_model_parallel_src_rank(): + """Calculate the global rank corresponding to the first local rank + in the tensor model parallel group.""" + global_rank = torch.distributed.get_rank() + local_world_size = get_tensor_model_parallel_world_size() + return (global_rank // local_world_size) * local_world_size diff --git a/verl/third_party/vllm/vllm_v_0_4_2/spmd_gpu_executor.py b/verl/third_party/vllm/vllm_v_0_4_2/spmd_gpu_executor.py new file mode 100644 index 00000000..b97bb600 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_4_2/spmd_gpu_executor.py @@ -0,0 +1,218 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/executor/gpu_executor.py +import os +import socket +from typing import Any, Dict, List, Optional, Set, Tuple + +import torch +import vllm.envs as envs +from vllm.executor.executor_base import ExecutorBase, ExecutorAsyncBase +from vllm.logger import init_logger +from vllm.lora.request import LoRARequest +from vllm.sequence import SamplerOutput, ExecuteModelRequest + +from vllm.config import (CacheConfig, DeviceConfig, LoRAConfig, ParallelConfig, SchedulerConfig, SpeculativeConfig, + VisionLanguageConfig) +from .config import ModelConfig, LoadConfig + +logger = init_logger(__name__) + + +class SPMDGPUExecutor(ExecutorBase): + """SPMD-based multi-GPU executor implementations.""" + + def __init__( + self, + model, # pytorch model itself or its parameter dict + model_config: ModelConfig, + cache_config: CacheConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + device_config: DeviceConfig, + load_config: LoadConfig, + lora_config: Optional[LoRAConfig], + vision_language_config: Optional[VisionLanguageConfig], + speculative_config: Optional[SpeculativeConfig], + ) -> None: + self.model_config = model_config + self.cache_config = cache_config + self.lora_config = lora_config + self.load_config = load_config + self.parallel_config = parallel_config + self.scheduler_config = scheduler_config + self.device_config = device_config + self.vision_language_config = vision_language_config + self.speculative_config = speculative_config + + distributed_init_method = initialize_cluster(parallel_config) + self._init_executor(model, distributed_init_method) + + # TODO(sgm): verl not support speculative decode now + def _init_executor(self, model, distributed_init_method) -> None: + assert (not self.speculative_config), "Speculative decoding not yet supported for multi-GPU backend." + + # Create the parallel worker for each GPU. + self._init_workers_sp(model, distributed_init_method) + + def _init_workers_sp(self, model, distributed_init_method: str): + # Lazy import the Worker to avoid importing torch.cuda/xformers + # before CUDA_VISIBLE_DEVICES is set in the Worker + from .worker import Worker # pylint: disable=import-outside-toplevel + + rank = int(os.getenv("RANK")) + local_rank = int(os.getenv("LOCAL_RANK")) + print(f'local rank {local_rank}') + + self.worker = Worker( + model, + self.model_config, + self.parallel_config, + self.scheduler_config, + self.device_config, + self.cache_config, + self.load_config, + local_rank, + rank, + distributed_init_method, + lora_config=self.lora_config, + vision_language_config=self.vision_language_config, + ) + + # NOTE(shengguangming): torch.distributed.init_process_group will be called inside the init_model() + self.worker.init_device() + self.worker.load_model() + + def determine_num_available_blocks(self) -> Tuple[int, int]: + """Determine the number of available KV blocks. + + This invokes `determine_num_available_blocks` on each worker and takes + the min of the results, guaranteeing that the selected cache sizes are + compatible with all workers. + + Returns: + - tuple[num_gpu_blocks, num_cpu_blocks] + """ + # Get the maximum number of blocks that can be allocated on GPU and CPU. + num_blocks = self.worker.determine_num_available_blocks() + + # NOTE(shengguangming): Now we don't use a shared centralized controler but each process will + # have its own scheduler + num_gpu_blocks = num_blocks[0] + num_cpu_blocks = num_blocks[1] + + return num_gpu_blocks, num_cpu_blocks + + def initialize_cache(self, num_gpu_blocks: int, num_cpu_blocks: int) -> None: + """Initialize the KV cache in all workers. + """ + + # NOTE: We log here to avoid multiple logs when number of workers is + # greater than one. We could log in the engine, but not all executors + # have GPUs. + logger.info("# GPU blocks: %d, # CPU blocks: %d", num_gpu_blocks, num_cpu_blocks) + + self.cache_config.num_gpu_blocks = num_gpu_blocks + self.cache_config.num_cpu_blocks = num_cpu_blocks + + if torch.distributed.get_rank() == 0: + print( + f'before init cache memory allocated: {torch.cuda.memory_allocated() / 1e9}GB, reserved: {torch.cuda.memory_reserved() / 1e9}GB' + ) + self.worker.initialize_cache(num_gpu_blocks=num_gpu_blocks, num_cpu_blocks=num_cpu_blocks) + if torch.distributed.get_rank() == 0: + print( + f'after init cache memory allocated: {torch.cuda.memory_allocated() / 1e9}GB, reserved: {torch.cuda.memory_reserved() / 1e9}GB' + ) + + # NOTE(sgm): This will not profile & capture the model(CUDAGraph) when rebuilding KVCache + def init_cache_engine(self) -> None: + self.worker._init_cache_engine() + + def free_cache_engine(self) -> None: + self.worker.free_cache_engine() + + def execute_model(self, execute_model_req) -> List[SamplerOutput]: + all_outputs = self.worker.execute_model(execute_model_req=execute_model_req) + + # NOTE(sgm): + # Each GPU in vllm under verl has its own spmd_gpu_executor, therefore all GPUs should return the outputs + # In vllm with ray, only the driver worker returns the sampling results. + return all_outputs + + def add_lora(self, lora_request: LoRARequest) -> bool: + assert lora_request.lora_int_id > 0, "lora_id must be greater than 0." + return self.worker.add_lora(lora_request=lora_request) + + def remove_lora(self, lora_id: int) -> bool: + assert lora_id > 0, "lora_id must be greater than 0." + return self.worker.remove_lora(lora_id=lora_id) + + def list_loras(self) -> Set[int]: + return self.worker.list_loras() + + def check_health(self) -> None: + # SPMDExecutor will always be healthy as long as + # it's running. + return + + # NOTE(sgm): add for verl + def offload_model_weights(self) -> None: + self.worker.offload_model_weights() + + def sync_model_weights(self, actor_weights: Dict[str, torch.Tensor], load_format: str) -> None: + self.worker.sync_model_weights(actor_weights=actor_weights, load_format=load_format) + + +def initialize_cluster( + parallel_config: ParallelConfig, + engine_use_ray: bool = False, + ray_address: Optional[str] = None, +) -> Tuple[str, Optional[None]]: + """Initialize the distributed cluster probably with Ray. + + Args: + parallel_config: The configurations for parallel execution. + + Returns: + The `distributed_init_method` is the address for initializing the + distributed backend. + """ + + # Initialize cluster locally. + port = get_open_port() + # We need to setup the distributed init method to make sure + # the distributed megatron code (e.g., get world size) works correctly. + # distributed_init_method = f"tcp://localhost:{port}" + distributed_init_method = 'env://' + return distributed_init_method + + +def get_open_port(): + with socket.socket(socket.AF_INET, socket.SOCK_STREAM) as s: + s.bind(("", 0)) + return s.getsockname()[1] + + +# TODO(sgm): not implemented async executor yet +class SPMDGPUExecutorAsync(SPMDGPUExecutor, ExecutorAsyncBase): + + async def execute_model_async(self, execute_model_req: ExecuteModelRequest) -> List[SamplerOutput]: + """Executes one model step on the given sequences.""" + raise NotImplementedError + + async def check_health_async(self) -> None: + """Checks if the executor is healthy. If not, it should raise an + exception.""" + self.check_health() diff --git a/verl/third_party/vllm/vllm_v_0_4_2/tokenizer.py b/verl/third_party/vllm/vllm_v_0_4_2/tokenizer.py new file mode 100644 index 00000000..aa625a03 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_4_2/tokenizer.py @@ -0,0 +1,77 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/transformers_utils/tokenizer_group/tokenizer_group.py + +from typing import List, Optional, Tuple, Union + +from transformers import (AutoTokenizer, PreTrainedTokenizer, PreTrainedTokenizerFast) + +from vllm.lora.request import LoRARequest +from vllm.utils import make_async, LRUCache +from vllm.transformers_utils.tokenizers import * + + +class TokenizerGroup: + """A group of tokenizers that can be used for LoRA adapters.""" + + def __init__(self, tokenizer: PreTrainedTokenizer, enable_lora: bool, max_num_seqs: int, + max_input_length: Optional[int]): + self.enable_lora = enable_lora + self.max_input_length = max_input_length + self.tokenizer = tokenizer + self.lora_tokenizers = LRUCache[PreTrainedTokenizer](capacity=max_num_seqs) if enable_lora else None + + def ping(self) -> bool: + """Check if the tokenizer group is alive.""" + return True + + def get_max_input_len(self, lora_request: Optional[LoRARequest] = None) -> Optional[int]: + """Get the maximum input length for the LoRA request.""" + return self.max_input_length + + def encode(self, + prompt: str, + request_id: Optional[str] = None, + lora_request: Optional[LoRARequest] = None) -> List[int]: + tokenizer = self.get_lora_tokenizer(lora_request) + return tokenizer.encode(prompt) + + async def encode_async(self, + prompt: str, + request_id: Optional[str] = None, + lora_request: Optional[LoRARequest] = None) -> List[int]: + tokenizer = await self.get_lora_tokenizer_async(lora_request) + return tokenizer.encode(prompt) + + def get_lora_tokenizer(self, lora_request: Optional[LoRARequest]) -> "PreTrainedTokenizer": + if not lora_request or not self.enable_lora: + return self.tokenizer + if lora_request.lora_int_id not in self.lora_tokenizers: + # TODO(sgm): the lora tokenizer is also passed, but may be different + tokenizer = self.tokenizer + # tokenizer = (get_lora_tokenizer( + # lora_request, **self.tokenizer_config) or self.tokenizer) + self.lora_tokenizers.put(lora_request.lora_int_id, tokenizer) + return tokenizer + else: + return self.lora_tokenizers.get(lora_request.lora_int_id) + + # FIXME(sgm): for simplicity, we assign the special token here + @property + def pad_token_id(self): + return self.tokenizer.pad_token_id + + @property + def eos_token_id(self): + return self.tokenizer.eos_token_id diff --git a/verl/third_party/vllm/vllm_v_0_4_2/worker.py b/verl/third_party/vllm/vllm_v_0_4_2/worker.py new file mode 100644 index 00000000..1fab3e41 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_4_2/worker.py @@ -0,0 +1,292 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/worker/worker.py +"""A GPU worker class.""" +import os +import gc +from typing import Dict, List, Tuple, Optional, Union + +import torch +import torch.distributed +import torch.nn as nn + +from vllm.config import (CacheConfig, DeviceConfig, LoRAConfig, ParallelConfig, SchedulerConfig, VisionLanguageConfig) +from vllm.model_executor import set_random_seed +from vllm.sequence import SamplerOutput, ExecuteModelRequest +from vllm.worker.cache_engine import CacheEngine +from vllm.distributed.device_communicators import pynccl_utils +from vllm.distributed.device_communicators.custom_all_reduce import (init_custom_ar) +# TODO(sgm): check why vllm has similar file in vllm.model_executor.parallel_utils.parallel_state +from vllm.distributed import get_tensor_model_parallel_cpu_group, init_distributed_environment, get_tensor_model_parallel_group +from vllm.worker.worker import Worker, _check_if_gpu_supports_dtype + +from .model_runner import ModelRunner +from .megatron_weight_loaders import load_megatron_weights +from .hf_weight_loader import load_hf_weights +from .dtensor_weight_loaders import load_dtensor_weights +from .parallel_state import (ensure_model_parallel_initialized) +from .config import ModelConfig, LoadConfig, LoadFormat + + +class Worker(Worker): + """A worker class that executes (a partition of) the model on a GPU. + + Each worker is associated with a single GPU. The worker is responsible for + maintaining the KV cache and executing the model on the GPU. In case of + distributed inference, each worker is assigned a partition of the model. + """ + + def __init__( + self, + model: Union[nn.Module, Dict], # model itself or its parameter dict + model_config: ModelConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + device_config: DeviceConfig, + cache_config: CacheConfig, + load_config: LoadConfig, + local_rank: int, + rank: int, + distributed_init_method: str, + lora_config: Optional[LoRAConfig] = None, + vision_language_config: Optional[VisionLanguageConfig] = None, + is_driver_worker: bool = False, + ) -> None: + # self.model = model # will be replaced in the init_model + self.model_config = model_config + self.parallel_config = parallel_config + self.scheduler_config = scheduler_config + self.device_config = device_config + self.cache_config = cache_config + self.local_rank = local_rank + self.rank = rank + self.distributed_init_method = distributed_init_method + self.lora_config = lora_config + self.load_config = load_config + self.is_driver_worker = is_driver_worker + if self.is_driver_worker: + assert self.rank == 0, "The driver worker must have rank 0." + + self.vision_language_config = vision_language_config + if self.vision_language_config: + assert not self.lora_config, ("To be tested: vision language model with LoRA settings.") + + self.model_runner = ModelRunner( + model, + model_config, + parallel_config, + scheduler_config, + device_config, + load_config=load_config, + lora_config=self.lora_config, + kv_cache_dtype=self.cache_config.cache_dtype, + vision_language_config=vision_language_config, + ) + + # Uninitialized cache engine. Will be initialized by + # init_cache_engine. + self.cache_engine: CacheEngine = None + self.gpu_cache: List[torch.Tensor] = None + + # NOTE(sgm): For offloading inference engine params + self.cpu_model = None + + def init_device(self) -> None: + if self.device_config.device.type == "cuda": + # torch.distributed.all_reduce does not free the input tensor until + # the synchronization point. This causes the memory usage to grow + # as the number of all_reduce calls increases. This env var disables + # this behavior. + # Related issue: + # https://discuss.pytorch.org/t/cuda-allocation-lifetime-for-inputs-to-distributed-all-reduce/191573 + os.environ["TORCH_NCCL_AVOID_RECORD_STREAMS"] = "1" + + # NOTE(sgm): Modify for verl, Env vars will be set by TORCHRUN. + self.rank = self.rank if self.rank is not None else int(os.getenv("RANK", "-1")) + local_rank = int(os.getenv("LOCAL_RANK", "0")) + self.device = torch.device(f"cuda:{local_rank}") + if self.rank < 0: + raise ValueError("Invalid or unspecified rank.") + torch.cuda.set_device(self.device) + + # Use the world_size set by TORCHRUN + world_size = int(os.getenv("WORLD_SIZE", "-1")) + assert world_size != -1, "The world_size is set to -1, not initialized by TORCHRUN" + self.parallel_config.world_size = world_size + + _check_if_gpu_supports_dtype(self.model_config.dtype) + torch.cuda.empty_cache() + self.init_gpu_memory = torch.cuda.mem_get_info()[0] + else: + raise RuntimeError(f"Not support device type: {self.device_config.device}") + + # Initialize the distributed environment. + init_worker_distributed_environment(self.parallel_config, self.rank, self.distributed_init_method, + self.local_rank) + # Set random seed. + set_random_seed(self.model_config.seed) + # self.model = get_model(actor_model=self.model, model_config=self.model_config) + + @torch.inference_mode() + def determine_num_available_blocks(self) -> Tuple[int, int]: + """Profiles the peak memory usage of the model to determine how many + KV blocks may be allocated without OOMs. + + The engine will first conduct a profiling of the existing memory usage. + Then, it calculate the maximum possible number of GPU and CPU blocks + that can be allocated with the remaining free memory. + + .. tip:: + You may limit the usage of GPU memory + by adjusting the `gpu_memory_utilization` parameter. + """ + # Profile the memory usage of the model and get the maximum number of + # cache blocks that can be allocated with the remaining free memory. + torch.cuda.empty_cache() + # torch.cuda.reset_peak_memory_stats() + + # Execute a forward pass with dummy inputs to profile the memory usage + # of the model. + self.model_runner.profile_run() + + # Calculate the number of blocks that can be allocated with the + # profiled peak memory. + torch.cuda.synchronize() + free_gpu_memory, total_gpu_memory = torch.cuda.mem_get_info() + peak_memory = total_gpu_memory - free_gpu_memory + + assert peak_memory > 0, ("Error in memory profiling. This happens when the GPU memory was " + "not properly cleaned up before initializing the vLLM instance.") + + cache_block_size = self.get_cache_block_size_bytes() + + # NOTE(sgm) use the remaining memory + num_gpu_blocks = int((free_gpu_memory * self.cache_config.gpu_memory_utilization) // cache_block_size) + # num_gpu_blocks = int((total_gpu_memory * self.cache_config.gpu_memory_utilization - peak_memory) // cache_block_size) + + num_cpu_blocks = int(self.cache_config.swap_space_bytes // cache_block_size) + num_gpu_blocks = max(num_gpu_blocks, 0) + num_cpu_blocks = max(num_cpu_blocks, 0) + if self.model_runner.lora_manager: + self.model_runner.remove_all_loras() + + # NOTE(sgm): Add for verl, synchronize number of blocks with all the rank + num_gpu_blocks = torch.tensor([num_gpu_blocks], device='cuda') + num_cpu_blocks = torch.tensor([num_cpu_blocks], device='cuda') + torch.distributed.all_reduce(num_gpu_blocks, + op=torch.distributed.ReduceOp.MIN, + group=get_tensor_model_parallel_group()) + torch.distributed.all_reduce(num_cpu_blocks, + op=torch.distributed.ReduceOp.MIN, + group=get_tensor_model_parallel_group()) + num_gpu_blocks = num_gpu_blocks.item() + num_cpu_blocks = num_cpu_blocks.item() + gc.collect() + torch.cuda.empty_cache() + return num_gpu_blocks, num_cpu_blocks + + def _init_cache_engine(self): + if self.cache_engine is None and self.gpu_cache is None: + super()._init_cache_engine() + + def free_cache_engine(self): + # ensure `enforce_eager=True` + self.cache_engine = None + self.gpu_cache = None + + @torch.inference_mode() + def execute_model(self, execute_model_req: Optional[ExecuteModelRequest] = None) -> List[SamplerOutput]: + + if execute_model_req is None: + seq_group_metadata_list = None + else: + seq_group_metadata_list = execute_model_req.seq_group_metadata_list + + # NOTE(sgm): each SPMD rank will have identical input + assert seq_group_metadata_list is not None + assert execute_model_req is not None + num_seq_groups = len(seq_group_metadata_list) + blocks_to_swap_in = execute_model_req.blocks_to_swap_in + blocks_to_swap_out = execute_model_req.blocks_to_swap_out + blocks_to_copy = execute_model_req.blocks_to_copy + + self.cache_swap(blocks_to_swap_in, blocks_to_swap_out, blocks_to_copy) + + # If there is no input, we don't need to execute the model. + if num_seq_groups == 0: + return [] + + output = self.model_runner.execute_model(seq_group_metadata_list, self.gpu_cache) + + # Worker only supports single-step execution. Wrap the output in a list + # to conform to interface. + return [output] + + # assume the input is .state_dict() + def sync_model_weights(self, actor_weights: Dict, load_format: str): + if load_format in [LoadFormat.MEGATRON, LoadFormat.AUTO]: + load_megatron_weights(actor_weights, self.model_runner.model) + elif load_format == LoadFormat.HF: + # full model state dict without no sharding + load_hf_weights(actor_weights, self.model_runner.model) + elif load_format == LoadFormat.DTENSOR: + load_dtensor_weights(actor_weights, self.model_runner.model) + + def offload_model_weights(self) -> None: + if self.cpu_model == None: + self.cpu_model = {} + for name, params in self.model_runner.model.named_parameters(): + self.cpu_model[name] = torch.empty_like(params, device='cpu') + params.data = self.cpu_model[name] + else: + for name, params in self.model_runner.model.named_parameters(): + params.data = self.cpu_model[name] + + +def init_worker_distributed_environment( + parallel_config: ParallelConfig, + rank: int, + distributed_init_method: Optional[str] = "env://", + local_rank: int = -1, +) -> None: + """Initialize the distributed environment.""" + # NOTE(sgm) use tcp://localhost:xxxx will hang in HF setting without megatron + init_distributed_environment(parallel_config.world_size, rank, distributed_init_method, local_rank) + + ensure_model_parallel_initialized(tensor_model_parallel_size=parallel_config.tensor_parallel_size, + pipeline_model_parallel_size=parallel_config.pipeline_parallel_size) + + # TODO(sgm): check whether need this + # if pynccl_utils.is_initialized(): + # pynccl_world_size = pynccl_utils.get_world_size() + # if pynccl_world_size != parallel_config.world_size: + # raise RuntimeError( + # "pynccl is already initialized but the pynccl world " + # "size does not match parallel_config.world_size " + # f"({pynccl_world_size} vs. {parallel_config.world_size}).") + # elif parallel_config.world_size > 1: + # # NOTE(woosuk): We don't initialize pynccl process group when world size + # # is 1. + # # NOTE(kaichao): By default, pynccl is initialized for tp group. + # pynccl_utils.init_process_group( + # group=get_tensor_model_parallel_cpu_group()) + + # # Initialize a custom fast all-reduce implementation. + # if not parallel_config.disable_custom_all_reduce: + # init_custom_ar() + + # A small all_reduce for warmup. + torch.distributed.all_reduce(torch.zeros(1).cuda()) + # if pynccl_utils.is_initialized(): + # pynccl_utils.all_reduce(torch.zeros(1).cuda()) diff --git a/verl/third_party/vllm/vllm_v_0_5_4/__init__.py b/verl/third_party/vllm/vllm_v_0_5_4/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_5_4/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/third_party/vllm/vllm_v_0_5_4/arg_utils.py b/verl/third_party/vllm/vllm_v_0_5_4/arg_utils.py new file mode 100644 index 00000000..6c577277 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_5_4/arg_utils.py @@ -0,0 +1,453 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/engine/arg_utils.py + +import os +import argparse +import dataclasses +import json +from dataclasses import dataclass +from typing import TYPE_CHECKING, List, Optional, Tuple, Type, Union + +import torch.nn as nn + +from transformers import PretrainedConfig +from .config import ModelConfig, LoadConfig + +from vllm.config import (CacheConfig, DecodingConfig, DeviceConfig, EngineConfig, LoRAConfig, MultiModalConfig, + ObservabilityConfig, ParallelConfig, PromptAdapterConfig, SchedulerConfig, SpeculativeConfig, + TokenizerPoolConfig) +from vllm.executor.executor_base import ExecutorBase +from vllm.logger import init_logger +from vllm.utils import FlexibleArgumentParser +from vllm.model_executor.layers.quantization import QUANTIZATION_METHODS +from vllm.utils import str_to_int_tuple + +if TYPE_CHECKING: + from vllm.transformers_utils.tokenizer_group.base_tokenizer_group import (BaseTokenizerGroup) + +logger = init_logger(__name__) + + +def nullable_str(val: str): + if not val or val == "None": + return None + return val + + +@dataclass +class EngineArgs: + """Arguments for vLLM engine.""" + model_hf_config: PretrainedConfig = None # for verl + served_model_name = None # TODO(sgm): check this + # tokenizer: Optional[str] = None # TODO(sgm): check this + skip_tokenizer_init: bool = False + tokenizer_mode: str = 'auto' + trust_remote_code: bool = False + download_dir: Optional[str] = None + load_format: str = 'auto' + dtype: str = 'auto' + kv_cache_dtype: str = 'auto' + quantization_param_path: Optional[str] = None + seed: int = 0 + max_model_len: Optional[int] = None + worker_use_ray: bool = False + # Note: Specifying a custom executor backend by passing a class + # is intended for expert use only. The API may change without + # notice. + distributed_executor_backend: Optional[Union[str, Type[ExecutorBase]]] = None + pipeline_parallel_size: int = 1 + tensor_parallel_size: int = 1 + max_parallel_loading_workers: Optional[int] = None + block_size: int = 16 + enable_prefix_caching: bool = False + disable_sliding_window: bool = False + use_v2_block_manager: bool = False + swap_space: int = 4 # GiB + cpu_offload_gb: int = 0 # GiB + gpu_memory_utilization: float = 0.90 + max_num_batched_tokens: Optional[int] = None + max_num_seqs: int = 256 + max_logprobs: int = 20 # Default value for OpenAI Chat Completions API + disable_log_stats: bool = False + revision: Optional[str] = None + code_revision: Optional[str] = None + rope_scaling: Optional[dict] = None + rope_theta: Optional[float] = None + tokenizer_revision: Optional[str] = None + quantization: Optional[str] = None + enforce_eager: bool = False + max_context_len_to_capture: Optional[int] = None + max_seq_len_to_capture: int = 8192 + disable_custom_all_reduce: bool = False + tokenizer_pool_size: int = 0 + # Note: Specifying a tokenizer pool by passing a class + # is intended for expert use only. The API may change without + # notice. + tokenizer_pool_type: Union[str, Type["BaseTokenizerGroup"]] = "ray" + tokenizer_pool_extra_config: Optional[dict] = None + enable_lora: bool = False + max_loras: int = 1 + max_lora_rank: int = 16 + enable_prompt_adapter: bool = False + max_prompt_adapters: int = 1 + max_prompt_adapter_token: int = 0 + fully_sharded_loras: bool = False + lora_extra_vocab_size: int = 256 + long_lora_scaling_factors: Optional[Tuple[float]] = None + lora_dtype: str = 'auto' + max_cpu_loras: Optional[int] = None + device: str = 'auto' + ray_workers_use_nsight: bool = False + num_gpu_blocks_override: Optional[int] = None + num_lookahead_slots: int = 0 + model_loader_extra_config: Optional[dict] = None + ignore_patterns: Optional[Union[str, List[str]]] = None + preemption_mode: Optional[str] = None + + scheduler_delay_factor: float = 0.0 + enable_chunked_prefill: Optional[bool] = None + + guided_decoding_backend: str = 'outlines' + # Speculative decoding configuration. + speculative_model: Optional[str] = None + speculative_draft_tensor_parallel_size: Optional[int] = None + num_speculative_tokens: Optional[int] = None + speculative_max_model_len: Optional[int] = None + speculative_disable_by_batch_size: Optional[int] = None + ngram_prompt_lookup_max: Optional[int] = None + ngram_prompt_lookup_min: Optional[int] = None + spec_decoding_acceptance_method: str = 'rejection_sampler' + typical_acceptance_sampler_posterior_threshold: Optional[float] = None + typical_acceptance_sampler_posterior_alpha: Optional[float] = None + qlora_adapter_name_or_path: Optional[str] = None + disable_logprobs_during_spec_decoding: Optional[bool] = None + + otlp_traces_endpoint: Optional[str] = None + + @staticmethod + def add_cli_args(parser: argparse.ArgumentParser) -> argparse.ArgumentParser: + """Shared CLI arguments for vLLM engine.""" + # Model arguments + # TODO(shengguangming): delete the unused args + parser.add_argument('--model', + type=str, + default='facebook/opt-125m', + help='name or path of the huggingface model to use') + parser.add_argument('--tokenizer', + type=str, + default=EngineArgs.tokenizer, + help='name or path of the huggingface tokenizer to use') + parser.add_argument('--revision', + type=str, + default=None, + help='the specific model version to use. It can be a branch ' + 'name, a tag name, or a commit id. If unspecified, will use ' + 'the default version.') + parser.add_argument('--tokenizer-revision', + type=str, + default=None, + help='the specific tokenizer version to use. It can be a branch ' + 'name, a tag name, or a commit id. If unspecified, will use ' + 'the default version.') + parser.add_argument('--tokenizer-mode', + type=str, + default=EngineArgs.tokenizer_mode, + choices=['auto', 'slow'], + help='tokenizer mode. "auto" will use the fast ' + 'tokenizer if available, and "slow" will ' + 'always use the slow tokenizer.') + parser.add_argument('--trust-remote-code', action='store_true', help='trust remote code from huggingface') + parser.add_argument('--download-dir', + type=str, + default=EngineArgs.download_dir, + help='directory to download and load the weights, ' + 'default to the default cache dir of ' + 'huggingface') + parser.add_argument('--load-format', + type=str, + default=EngineArgs.load_format, + choices=['auto', 'pt', 'safetensors', 'npcache', 'dummy'], + help='The format of the model weights to load. ' + '"auto" will try to load the weights in the safetensors format ' + 'and fall back to the pytorch bin format if safetensors format ' + 'is not available. ' + '"pt" will load the weights in the pytorch bin format. ' + '"safetensors" will load the weights in the safetensors format. ' + '"npcache" will load the weights in pytorch format and store ' + 'a numpy cache to speed up the loading. ' + '"dummy" will initialize the weights with random values, ' + 'which is mainly for profiling.') + parser.add_argument('--dtype', + type=str, + default=EngineArgs.dtype, + choices=['auto', 'half', 'float16', 'bfloat16', 'float', 'float32'], + help='data type for model weights and activations. ' + 'The "auto" option will use FP16 precision ' + 'for FP32 and FP16 models, and BF16 precision ' + 'for BF16 models.') + parser.add_argument('--max-model-len', + type=int, + default=None, + help='model context length. If unspecified, ' + 'will be automatically derived from the model.') + # Parallel arguments + parser.add_argument('--worker-use-ray', + action='store_true', + help='use Ray for distributed serving, will be ' + 'automatically set when using more than 1 GPU') + parser.add_argument('--pipeline-parallel-size', + '-pp', + type=int, + default=EngineArgs.pipeline_parallel_size, + help='number of pipeline stages') + parser.add_argument('--tensor-parallel-size', + '-tp', + type=int, + default=EngineArgs.tensor_parallel_size, + help='number of tensor parallel replicas') + # KV cache arguments + parser.add_argument('--block-size', + type=int, + default=EngineArgs.block_size, + choices=[8, 16, 32], + help='token block size') + # TODO(woosuk): Support fine-grained seeds (e.g., seed per request). + parser.add_argument('--seed', type=int, default=EngineArgs.seed, help='random seed') + parser.add_argument('--swap-space', + type=int, + default=EngineArgs.swap_space, + help='CPU swap space size (GiB) per GPU') + parser.add_argument('--gpu-memory-utilization', + type=float, + default=EngineArgs.gpu_memory_utilization, + help='the percentage of GPU memory to be used for' + 'the model executor') + parser.add_argument('--max-num-batched-tokens', + type=int, + default=EngineArgs.max_num_batched_tokens, + help='maximum number of batched tokens per ' + 'iteration') + parser.add_argument('--max-num-seqs', + type=int, + default=EngineArgs.max_num_seqs, + help='maximum number of sequences per iteration') + parser.add_argument('--disable-log-stats', action='store_true', help='disable logging statistics') + # Quantization settings. + parser.add_argument('--quantization', + '-q', + type=str, + choices=['awq', None], + default=None, + help='Method used to quantize the weights') + return parser + + @classmethod + def from_cli_args(cls, args: argparse.Namespace) -> 'EngineArgs': + # Get the list of attributes of this dataclass. + attrs = [attr.name for attr in dataclasses.fields(cls)] + # Set the attributes from the parsed arguments. + engine_args = cls(**{attr: getattr(args, attr) for attr in attrs}) + return engine_args + + def create_engine_config( + self, + ) -> EngineConfig: + # bitsandbytes quantization needs a specific model loader + # so we make sure the quant method and the load format are consistent + if (self.quantization == "bitsandbytes" or + self.qlora_adapter_name_or_path is not None) and \ + self.load_format != "bitsandbytes": + raise ValueError("BitsAndBytes quantization and QLoRA adapter only support " + f"'bitsandbytes' load format, but got {self.load_format}") + + if (self.load_format == "bitsandbytes" or + self.qlora_adapter_name_or_path is not None) and \ + self.quantization != "bitsandbytes": + raise ValueError("BitsAndBytes load format and QLoRA adapter only support " + f"'bitsandbytes' quantization, but got {self.quantization}") + + assert self.cpu_offload_gb >= 0, ("CPU offload space must be non-negative" + f", but got {self.cpu_offload_gb}") + + multimodal_config = MultiModalConfig() + device_config = DeviceConfig(self.device) + # NOTE(sgm): we only modify ModelConfig, other configs are import from vllm + model_config = ModelConfig(hf_config=self.model_hf_config, + tokenizer_mode=self.tokenizer_mode, + trust_remote_code=self.trust_remote_code, + dtype=self.dtype, + seed=self.seed, + revision=self.revision, + code_revision=self.code_revision, + rope_scaling=self.rope_scaling, + rope_theta=self.rope_theta, + tokenizer_revision=self.tokenizer_revision, + max_model_len=self.max_model_len, + quantization=self.quantization, + quantization_param_path=self.quantization_param_path, + enforce_eager=self.enforce_eager, + max_context_len_to_capture=self.max_context_len_to_capture, + max_seq_len_to_capture=self.max_seq_len_to_capture, + max_logprobs=self.max_logprobs, + disable_sliding_window=self.disable_sliding_window, + skip_tokenizer_init=self.skip_tokenizer_init, + served_model_name=self.served_model_name, + multimodal_config=multimodal_config) + cache_config = CacheConfig( + block_size=self.block_size, + gpu_memory_utilization=self.gpu_memory_utilization, + swap_space=self.swap_space, + cache_dtype=self.kv_cache_dtype, + num_gpu_blocks_override=self.num_gpu_blocks_override, + sliding_window=model_config.get_sliding_window(), + enable_prefix_caching=self.enable_prefix_caching, + cpu_offload_gb=self.cpu_offload_gb, + ) + parallel_config = ParallelConfig(pipeline_parallel_size=self.pipeline_parallel_size, + tensor_parallel_size=self.tensor_parallel_size, + worker_use_ray=self.worker_use_ray, + max_parallel_loading_workers=self.max_parallel_loading_workers, + disable_custom_all_reduce=self.disable_custom_all_reduce, + tokenizer_pool_config=TokenizerPoolConfig.create_config( + self.tokenizer_pool_size, + self.tokenizer_pool_type, + self.tokenizer_pool_extra_config, + ), + ray_workers_use_nsight=self.ray_workers_use_nsight, + distributed_executor_backend=self.distributed_executor_backend) + + # NOTE[VERL]: Use the world_size set by TORCHRUN + world_size = int(os.getenv("WORLD_SIZE", "-1")) + assert world_size != -1, "The world_size is set to -1, not initialized by TORCHRUN" + parallel_config.world_size = world_size + + max_model_len = model_config.max_model_len + use_long_context = max_model_len > 32768 + if self.enable_chunked_prefill is None: + # If not explicitly set, enable chunked prefill by default for + # long context (> 32K) models. This is to avoid OOM errors in the + # initial memory profiling phase. + if use_long_context: + is_gpu = device_config.device_type == "cuda" + use_sliding_window = (model_config.get_sliding_window() is not None) + use_spec_decode = self.speculative_model is not None + has_seqlen_agnostic_layers = (model_config.contains_seqlen_agnostic_layers(parallel_config)) + if (is_gpu and not use_sliding_window and not use_spec_decode and not self.enable_lora and + not self.enable_prompt_adapter and not self.enable_prefix_caching and + not has_seqlen_agnostic_layers): + self.enable_chunked_prefill = True + logger.warning("Chunked prefill is enabled by default for models with " + "max_model_len > 32K. Currently, chunked prefill might " + "not work with some features or models. If you " + "encounter any issues, please disable chunked prefill " + "by setting --enable-chunked-prefill=False.") + if self.enable_chunked_prefill is None: + self.enable_chunked_prefill = False + + if not self.enable_chunked_prefill and use_long_context: + logger.warning( + "The model has a long context length (%s). This may cause OOM " + "errors during the initial memory profiling phase, or result " + "in low performance due to small KV cache space. Consider " + "setting --max-model-len to a smaller value.", max_model_len) + + # TODO: spec config + speculative_config = SpeculativeConfig.maybe_create_spec_config( + target_model_config=model_config, + target_parallel_config=parallel_config, + target_dtype=self.dtype, + speculative_model=self.speculative_model, + speculative_draft_tensor_parallel_size = \ + self.speculative_draft_tensor_parallel_size, + num_speculative_tokens=self.num_speculative_tokens, + speculative_disable_by_batch_size=self. + speculative_disable_by_batch_size, + speculative_max_model_len=self.speculative_max_model_len, + enable_chunked_prefill=self.enable_chunked_prefill, + use_v2_block_manager=self.use_v2_block_manager, + disable_log_stats=self.disable_log_stats, + ngram_prompt_lookup_max=self.ngram_prompt_lookup_max, + ngram_prompt_lookup_min=self.ngram_prompt_lookup_min, + draft_token_acceptance_method=\ + self.spec_decoding_acceptance_method, + typical_acceptance_sampler_posterior_threshold=self. + typical_acceptance_sampler_posterior_threshold, + typical_acceptance_sampler_posterior_alpha=self. + typical_acceptance_sampler_posterior_alpha, + disable_logprobs=self.disable_logprobs_during_spec_decoding, + ) + + scheduler_config = SchedulerConfig( + max_num_batched_tokens=self.max_num_batched_tokens, + max_num_seqs=self.max_num_seqs, + max_model_len=model_config.max_model_len, + use_v2_block_manager=self.use_v2_block_manager, + num_lookahead_slots=(self.num_lookahead_slots + if speculative_config is None else speculative_config.num_lookahead_slots), + delay_factor=self.scheduler_delay_factor, + enable_chunked_prefill=self.enable_chunked_prefill, + embedding_mode=model_config.embedding_mode, + preemption_mode=self.preemption_mode, + ) + lora_config = LoRAConfig(max_lora_rank=self.max_lora_rank, + max_loras=self.max_loras, + fully_sharded_loras=self.fully_sharded_loras, + lora_extra_vocab_size=self.lora_extra_vocab_size, + long_lora_scaling_factors=self.long_lora_scaling_factors, + lora_dtype=self.lora_dtype, + max_cpu_loras=self.max_cpu_loras if self.max_cpu_loras and self.max_cpu_loras > 0 else + None) if self.enable_lora else None + + if self.qlora_adapter_name_or_path is not None and \ + self.qlora_adapter_name_or_path != "": + if self.model_loader_extra_config is None: + self.model_loader_extra_config = {} + self.model_loader_extra_config["qlora_adapter_name_or_path"] = self.qlora_adapter_name_or_path + + load_config = LoadConfig( + load_format=self.load_format, + download_dir=self.download_dir, + model_loader_extra_config=self.model_loader_extra_config, + ignore_patterns=self.ignore_patterns, + ) + + prompt_adapter_config = PromptAdapterConfig( + max_prompt_adapters=self.max_prompt_adapters, + max_prompt_adapter_token=self.max_prompt_adapter_token) \ + if self.enable_prompt_adapter else None + + decoding_config = DecodingConfig(guided_decoding_backend=self.guided_decoding_backend) + + observability_config = ObservabilityConfig(otlp_traces_endpoint=self.otlp_traces_endpoint) + + if (model_config.get_sliding_window() is not None and scheduler_config.chunked_prefill_enabled and + not scheduler_config.use_v2_block_manager): + raise ValueError("Chunked prefill is not supported with sliding window. " + "Set --disable-sliding-window to disable sliding window.") + + return EngineConfig( + model_config=model_config, + cache_config=cache_config, + parallel_config=parallel_config, + scheduler_config=scheduler_config, + device_config=device_config, + lora_config=lora_config, + multimodal_config=multimodal_config, + speculative_config=speculative_config, + load_config=load_config, + decoding_config=decoding_config, + observability_config=observability_config, + prompt_adapter_config=prompt_adapter_config, + ) diff --git a/verl/third_party/vllm/vllm_v_0_5_4/config.py b/verl/third_party/vllm/vllm_v_0_5_4/config.py new file mode 100644 index 00000000..5fc61e6f --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_5_4/config.py @@ -0,0 +1,246 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/config.py + +import enum +import json +from typing import List, Optional, Union +from dataclasses import dataclass, field, fields + +import torch +from transformers import PretrainedConfig + +from vllm.logger import init_logger +from vllm.model_executor.layers.quantization import get_quantization_config +from vllm.transformers_utils.config import get_hf_text_config +from vllm.utils import is_hip, print_warning_once +# Add for verl +from vllm.config import ModelConfig, _get_and_verify_dtype, _get_and_verify_max_len, get_served_model_name + +GPTQMarlinConfig = get_quantization_config("gptq_marlin") + +logger = init_logger(__name__) + +_GB = 1 << 30 + + +class ModelConfig(ModelConfig): + """Configuration for the model. + + Args: + model: Name or path of the huggingface model to use. + tokenizer: Name or path of the huggingface tokenizer to use. + tokenizer_mode: Tokenizer mode. "auto" will use the fast tokenizer if + available, and "slow" will always use the slow tokenizer. + trust_remote_code: Trust remote code (e.g., from HuggingFace) when + downloading the model and tokenizer. + download_dir: Directory to download and load the weights, default to the + default cache directory of huggingface. + load_format: The format of the model weights to load: + "auto" will try to load the weights in the safetensors format and + fall back to the pytorch bin format if safetensors format is + not available. + "pt" will load the weights in the pytorch bin format. + "safetensors" will load the weights in the safetensors format. + "npcache" will load the weights in pytorch format and store + a numpy cache to speed up the loading. + "dummy" will initialize the weights with random values, which is + mainly for profiling. + dtype: Data type for model weights and activations. The "auto" option + will use FP16 precision for FP32 and FP16 models, and BF16 precision + for BF16 models. + seed: Random seed for reproducibility. + revision: The specific model version to use. It can be a branch name, + a tag name, or a commit id. If unspecified, will use the default + version. + code_revision: The specific revision to use for the model code on + Hugging Face Hub. It can be a branch name, a tag name, or a + commit id. If unspecified, will use the default version. + tokenizer_revision: The specific tokenizer version to use. It can be a + branch name, a tag name, or a commit id. If unspecified, will use + the default version. + max_model_len: Maximum length of a sequence (including prompt and + output). If None, will be derived from the model. + quantization: Quantization method that was used to quantize the model + weights. If None, we assume the model weights are not quantized. + quantization_param_path: Path to JSON file containing scaling factors. + Used to load KV cache scaling factors into the model when KV cache + type is FP8_E4M3 on ROCm (AMD GPU). In the future these will also + be used to load activation and weight scaling factors when the + model dtype is FP8_E4M3 on ROCm. + enforce_eager: Whether to enforce eager execution. If True, we will + disable CUDA graph and always execute the model in eager mode. + If False, we will use CUDA graph and eager execution in hybrid. + max_context_len_to_capture: Maximum context len covered by CUDA graphs. + When a sequence has context length larger than this, we fall back + to eager mode (DEPRECATED. Use max_seq_len_to_capture instead). + max_seq_len_to_capture: Maximum sequence len covered by CUDA graphs. + When a sequence has context length larger than this, we fall back + to eager mode + skip_tokenizer_init: If true, skip initialization of tokenizer and + detokenizer. + served_model_name: The model name used in metrics tag `model_name`, + matches the model name exposed via the APIs. If multiple model + names provided, the first name will be used. If not specified, + the model name will be the same as `model`. + """ + + def __init__( + self, + hf_config: PretrainedConfig, + tokenizer_mode: str, + trust_remote_code: bool, + dtype: Union[str, torch.dtype], + seed: int, + revision: Optional[str] = None, + code_revision: Optional[str] = None, + rope_scaling: Optional[dict] = None, + rope_theta: Optional[float] = None, + tokenizer_revision: Optional[str] = None, + max_model_len: Optional[int] = None, + quantization: Optional[str] = None, + quantization_param_path: Optional[str] = None, + enforce_eager: bool = False, + max_context_len_to_capture: Optional[int] = None, + max_seq_len_to_capture: Optional[int] = None, + max_logprobs: int = 20, + disable_sliding_window: bool = False, + skip_tokenizer_init: bool = False, + served_model_name: Optional[Union[str, List[str]]] = None, + multimodal_config: Optional["MultiModalConfig"] = None, + ) -> None: + self.model = hf_config._name_or_path + self.tokenizer = hf_config._name_or_path + # NOTE(sgm): same as open-sourced + self.tokenizer_mode = tokenizer_mode + self.trust_remote_code = trust_remote_code + self.seed = seed + self.revision = revision + self.code_revision = code_revision + self.rope_scaling = rope_scaling + self.rope_theta = rope_theta + # The tokenizer version is consistent with the model version by default. + if tokenizer_revision is None: + self.tokenizer_revision = revision + else: + self.tokenizer_revision = tokenizer_revision + self.quantization = quantization + self.quantization_param_path = quantization_param_path + self.enforce_eager = enforce_eager + if max_context_len_to_capture is not None: + raise ValueError("`max_context_len_to_capture` is deprecated. " + "Use `max_seq_len_to_capture` instead.") + self.max_seq_len_to_capture = max_seq_len_to_capture + self.max_logprobs = max_logprobs + self.disable_sliding_window = disable_sliding_window + self.skip_tokenizer_init = skip_tokenizer_init + + # self.hf_config = get_config(model, trust_remote_code, revision) + self.hf_config = hf_config + self.hf_text_config = get_hf_text_config(hf_config) + self.dtype = _get_and_verify_dtype(self.hf_text_config, dtype) + # self.served_model_name = get_served_model_name(model, + # served_model_name) + # self._verify_load_format() + # self._verify_tokenizer_mode() + if (not self.disable_sliding_window and self.hf_text_config.model_type == "gemma2" and + self.hf_text_config.sliding_window is not None): + print_warning_once("Gemma 2 uses sliding window attention for every odd layer, " + "which is currently not supported by vLLM. Disabling sliding " + "window and capping the max length to the sliding window size " + f"({self.hf_text_config.sliding_window}).") + self.disable_sliding_window = True + + self.max_model_len = _get_and_verify_max_len(hf_config=self.hf_text_config, + max_model_len=max_model_len, + disable_sliding_window=self.disable_sliding_window, + sliding_window_len=self.get_hf_config_sliding_window()) + self.served_model_name = get_served_model_name( + self.model, # str + served_model_name) + self.multimodal_config = multimodal_config + + if not self.skip_tokenizer_init: + self._verify_tokenizer_mode() + self._verify_embedding_mode() + self._verify_quantization() + self._verify_cuda_graph() + + +class LoadFormat(str, enum.Enum): + AUTO = 'auto' + MEGATRON = "megatron" + HF = "hf" + DTENSOR = 'dtensor' + DUMMY_HF = 'dummy_hf' + DUMMY_MEGATRON = 'dummy_megatron' + DUMMY_DTENSOR = 'dummy_dtensor' + + +# TODO: check whether this is necessary +@dataclass +class LoadConfig: + """ + download_dir: Directory to download and load the weights, default to the + default cache directory of huggingface. + load_format: The format of the model weights to load: + "auto" will try to load the weights in the safetensors format and + fall back to the pytorch bin format if safetensors format is + not available. + "pt" will load the weights in the pytorch bin format. + "safetensors" will load the weights in the safetensors format. + "npcache" will load the weights in pytorch format and store + a numpy cache to speed up the loading. + "dummy" will initialize the weights with random values, which is + mainly for profiling. + "tensorizer" will use CoreWeave's tensorizer library for + fast weight loading. + "bitsandbytes" will load nf4 type weights. + ignore_patterns: The list of patterns to ignore when loading the model. + Default to "original/**/*" to avoid repeated loading of llama's + checkpoints. + + """ + + load_format: Union[str, LoadFormat, "BaseModelLoader"] = LoadFormat.AUTO + download_dir: Optional[str] = None + model_loader_extra_config: Optional[Union[str, dict]] = field(default_factory=dict) + ignore_patterns: Optional[Union[List[str], str]] = None + + def __post_init__(self): + model_loader_extra_config = self.model_loader_extra_config or {} + if isinstance(model_loader_extra_config, str): + self.model_loader_extra_config = json.loads(model_loader_extra_config) + self._verify_load_format() + + if self.ignore_patterns is not None and len(self.ignore_patterns) > 0: + logger.info("Ignoring the following patterns when downloading weights: %s", self.ignore_patterns) + else: + self.ignore_patterns = ["original/**/*"] + + def _verify_load_format(self) -> None: + if not isinstance(self.load_format, str): + return + + load_format = self.load_format.lower() + self.load_format = LoadFormat(load_format) + + rocm_not_supported_load_format: List[str] = [] + if is_hip() and load_format in rocm_not_supported_load_format: + rocm_supported_load_format = [ + f for f in LoadFormat.__members__ if (f not in rocm_not_supported_load_format) + ] + raise ValueError(f"load format '{load_format}' is not supported in ROCm. " + f"Supported load formats are " + f"{rocm_supported_load_format}") diff --git a/verl/third_party/vllm/vllm_v_0_5_4/dtensor_weight_loaders.py b/verl/third_party/vllm/vllm_v_0_5_4/dtensor_weight_loaders.py new file mode 100644 index 00000000..732b543d --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_5_4/dtensor_weight_loaders.py @@ -0,0 +1,340 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/tree/main/vllm/model_executor/models + +from typing import Dict, Iterable, Tuple +import torch +import torch.nn as nn +from torch.distributed._tensor import DTensor, Shard, Replicate + +from vllm.model_executor.layers.linear import * +from vllm.model_executor.models import ModelRegistry +from vllm.model_executor.model_loader.weight_utils import default_weight_loader +from vllm.model_executor.models.utils import is_pp_missing_parameter + + +def gemma_dtensor_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + ("qkv_proj", "q_proj", "q"), + ("qkv_proj", "k_proj", "k"), + ("qkv_proj", "v_proj", "v"), + ("gate_up_proj", "gate_proj", 0), + ("gate_up_proj", "up_proj", 1), + ] + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + for (param_name, shard_name, shard_id) in stacked_params_mapping: + if shard_name not in name: + continue + stacked_name = name.replace(shard_name, param_name) + # Skip loading extra bias for GPTQ models. + if stacked_name.endswith(".bias") and stacked_name not in params_dict: + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[stacked_name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype), shard_id) + break + else: + # lm_head is not used in vllm as it is tied with embed_token. + # To prevent errors, skip loading lm_head.weight. + if "lm_head.weight" in name: + continue + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype)) + + +def gptbigcode_dtensor_load_weights(actor_weights: Dict, vllm_model: nn.Module): + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "lm_head.weight" in name: + continue + if ".attn.bias" in name: + # Skip attention mask. + # NOTE: "c_attn.bias" should not be skipped. + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype)) + + +def starcoder2_dtensor_load_weights(actor_weights: Dict, vllm_model: nn.Module): + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + ("qkv_proj", "q_proj", "q"), + ("qkv_proj", "k_proj", "k"), + ("qkv_proj", "v_proj", "v"), + ] + + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + + for (param_name, weight_name, shard_id) in stacked_params_mapping: + if weight_name not in name: + continue + name = name.replace(weight_name, param_name) + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = param.weight_loader + weight_loader(param, local_loaded_weight.to(dtype=param.dtype), shard_id) + break + else: + if vllm_model.config.tie_word_embeddings and "lm_head.weight" in name: + continue + param = params_dict[name] + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype)) + + +def llama_dtensor_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + (".qkv_proj", ".q_proj", "q"), + (".qkv_proj", ".k_proj", "k"), + (".qkv_proj", ".v_proj", "v"), + (".gate_up_proj", ".gate_proj", 0), + (".gate_up_proj", ".up_proj", 1), + ] + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + if ("rotary_emb.cos_cached" in name or "rotary_emb.sin_cached" in name): + # Models trained using ColossalAI may include these tensors in + # the checkpoint. Skip them. + continue + # With tie_word_embeddings, we can skip lm_head.weight + # The weight might appear unnecessarily in the files if the model is + # processed with quantization, LoRA, fine-tuning, etc. + if vllm_model.config.tie_word_embeddings and "lm_head.weight" in name: + continue + for (param_name, weight_name, shard_id) in stacked_params_mapping: + if weight_name not in name: + continue + name = name.replace(weight_name, param_name) + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = param.weight_loader + weight_loader(param, local_loaded_weight.to(dtype=param.dtype), shard_id) + break + else: + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight) + + +def qwen2_dtensor_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + ("qkv_proj", "q_proj", "q"), + ("qkv_proj", "k_proj", "k"), + ("qkv_proj", "v_proj", "v"), + ("gate_up_proj", "gate_proj", 0), + ("gate_up_proj", "up_proj", 1), + ] + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + if vllm_model.config.tie_word_embeddings and "lm_head.weight" in name: + continue + for (param_name, weight_name, shard_id) in stacked_params_mapping: + if weight_name not in name: + continue + name = name.replace(weight_name, param_name) + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = param.weight_loader + weight_loader(param, local_loaded_weight.to(dtype=param.dtype), shard_id) + break + else: + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + param = params_dict[name] + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype)) + + +from vllm.model_executor.layers.fused_moe import FusedMoE + + +def deepseekv2_dtensor_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + ("gate_up_proj", "gate_proj", 0), + ("gate_up_proj", "up_proj", 1), + ] + + # Params for weights, fp8 weight scales, fp8 activation scales + # (param_name, weight_name, expert_id, shard_id) + expert_params_mapping = FusedMoE.make_expert_params_mapping(ckpt_gate_proj_name="gate_proj", + ckpt_down_proj_name="down_proj", + ckpt_up_proj_name="up_proj", + num_experts=vllm_model.config.n_routed_experts) + + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + for (param_name, weight_name, shard_id) in stacked_params_mapping: + # Skip non-stacked layers and experts (experts handled below). + if weight_name not in name: + continue + # We have mlp.experts[0].gate_proj in the checkpoint. + # Since we handle the experts below in expert_params_mapping, + # we need to skip here BEFORE we update the name, otherwise + # name will be updated to mlp.experts[0].gate_up_proj, which + # will then be updated below in expert_params_mapping + # for mlp.experts[0].gate_gate_up_proj, which breaks load. + if (("mlp.experts." in name) and name not in params_dict): + continue + name = name.replace(weight_name, param_name) + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + + if is_pp_missing_parameter(name, vllm_model): + continue + + param = params_dict[name] + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype), shard_id) + break + else: + for mapping in expert_params_mapping: + param_name, weight_name, expert_id, shard_id = mapping + if weight_name not in name: + continue + name = name.replace(weight_name, param_name) + + if is_pp_missing_parameter(name, vllm_model): + continue + + param = params_dict[name] + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, + local_loaded_weight.to(dtype=param.dtype), + weight_name, + shard_id=shard_id, + expert_id=expert_id) + break + else: + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + + if is_pp_missing_parameter(name, vllm_model): + continue + + param = params_dict[name] + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype)) + + +def gpt2_dtensor_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + pass + + +def redistribute_dtensor(param_name: str, loaded_weights: DTensor, parallelize_plan: Dict = None): + param_name = _process_parameter_names(name=param_name) + if parallelize_plan is not None: + assert param_name in parallelize_plan.keys(), \ + f"param name: {param_name} not in parallelize_plan :{parallelize_plan.keys()}" + placement = parallelize_plan[param_name] + local_loaded_weights = loaded_weights.redistribute(device_mesh=loaded_weights.device_mesh, + placements=placement).to_local() + else: + local_loaded_weights = loaded_weights.full_tensor() + return local_loaded_weights + + +def _process_parameter_names(name): + # Remove '.weight' if it exists at the end of the string + if name.endswith(".weight"): + name = name[:-7] + + # Remove 'model.layers.x.' or 'model.' prefix + if "model.layers" in name: + parts = name.split('.') + # Reconstruct the string without 'model.layers.x.' + name = '.'.join(parts[3:]) # parts[0] is 'model', parts[1] is 'layers', parts[2] is 'x' + elif name.startswith("model."): + name = name[6:] # Remove 'model.' + + return name + + +__MODEL_DTENSOR_WEIGHT_LOADER_REGISTRY__ = { + 'GPT2LMHeadModel': gpt2_dtensor_weight_loader, + 'LlamaForCausalLM': llama_dtensor_weight_loader, + 'LLaMAForCausalLM': llama_dtensor_weight_loader, + 'MistralForCausalLM': llama_dtensor_weight_loader, # mistral is the same as llama in vLLM + 'InternLMForCausalLM': llama_dtensor_weight_loader, + 'AquilaModel': llama_dtensor_weight_loader, + 'AquilaForCausalLM': llama_dtensor_weight_loader, + 'Phi3ForCausalLM': llama_dtensor_weight_loader, + 'GemmaForCausalLM': gemma_dtensor_weight_loader, + 'Gemma2ForCausalLM': gemma_dtensor_weight_loader, + 'GPTBigCodeForCausalLM': gptbigcode_dtensor_load_weights, + 'Starcoder2ForCausalLM': starcoder2_dtensor_load_weights, + 'Qwen2ForCausalLM': qwen2_dtensor_weight_loader, + 'DeepseekV2ForCausalLM': deepseekv2_dtensor_weight_loader +} + + +# the actor model is .state_dict() +# Load dtensor weights +def load_dtensor_weights(actor_weights: Dict, vllm_model: nn.Module): + weight_loader = _get_model_weight_loader(vllm_model.__class__.__name__) + weight_loader(actor_weights, vllm_model) + # NOTE(sgm) to reduce peak memory usage, we offload vllm model to cpu + # after init, and we need this after sync model weights for in first iter. + vllm_model = vllm_model.cuda() + + +def _get_model_weight_loader(arch: str): + if arch in __MODEL_DTENSOR_WEIGHT_LOADER_REGISTRY__: + return __MODEL_DTENSOR_WEIGHT_LOADER_REGISTRY__[arch] + raise ValueError(f"Model architectures {arch} are not supported for now. " + f"Supported architectures: {__MODEL_DTENSOR_WEIGHT_LOADER_REGISTRY__.keys()}") + + +# NOTE(sgm): we use per-parameter weight loader in each vllm sub +def update_dtensor_weight_loader(): + pass diff --git a/verl/third_party/vllm/vllm_v_0_5_4/hf_weight_loader.py b/verl/third_party/vllm/vllm_v_0_5_4/hf_weight_loader.py new file mode 100644 index 00000000..7af4953f --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_5_4/hf_weight_loader.py @@ -0,0 +1,44 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/tree/main/vllm/model_executor/models + +from typing import Dict, Union, Optional, Iterable, Tuple + +import torch +import torch.nn as nn + +from vllm.model_executor.model_loader.utils import set_default_torch_dtype +from vllm.model_executor.model_loader.weight_utils import default_weight_loader + + +def update_hf_weight_loader(): + print('no hf weight loader need to be updated') + return + + +def load_hf_weights(actor_weights: Dict, vllm_model: nn.Module): + assert isinstance(actor_weights, Dict) + with set_default_torch_dtype(next(vllm_model.parameters()).dtype): # TODO + if vllm_model.config.tie_word_embeddings and "lm_head.weight" in actor_weights.keys(): + del actor_weights["lm_head.weight"] + vllm_model.load_weights(actor_weights.items()) + for _, module in vllm_model.named_modules(): + quant_method = getattr(module, "quant_method", None) + if quant_method is not None: + quant_method.process_weights_after_loading(module) + # FIXME: Remove this after Mixtral is updated + # to use quant_method. + if hasattr(module, "process_weights_after_loading"): + module.process_weights_after_loading() + vllm_model = vllm_model.cuda() diff --git a/verl/third_party/vllm/vllm_v_0_5_4/llm.py b/verl/third_party/vllm/vllm_v_0_5_4/llm.py new file mode 100644 index 00000000..5f56f1e0 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_5_4/llm.py @@ -0,0 +1,239 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/entrypoints/llm.py + +from contextlib import contextmanager +from typing import ClassVar, List, Optional, Sequence, Union, cast, overload, Dict, Tuple + +from tqdm import tqdm +from transformers import PreTrainedTokenizer, PreTrainedTokenizerFast +from transformers import PretrainedConfig +import torch.nn as nn +from .arg_utils import EngineArgs +from .llm_engine_sp import LLMEngine +from vllm import LLM +from vllm.inputs import (PromptInputs, TextPrompt, TokensPrompt, parse_and_batch_prompt) +from vllm.logger import init_logger +from vllm.lora.request import LoRARequest +from vllm.model_executor.guided_decoding import (GuidedDecodingRequest, get_local_guided_decoding_logits_processor) +from vllm.model_executor.guided_decoding.guided_fields import LLMGuidedOptions +from vllm.outputs import EmbeddingRequestOutput, RequestOutput +from vllm.pooling_params import PoolingParams +from vllm.prompt_adapter.request import PromptAdapterRequest +from vllm.sampling_params import SamplingParams +from vllm.transformers_utils.tokenizer import get_cached_tokenizer +from vllm.usage.usage_lib import UsageContext +from vllm.utils import Counter, deprecate_kwargs +import torch +from torch.nn.utils.rnn import pad_sequence +from verl.workers.rollout.tokenizer import HybridEngineBaseTokenizer + + +class LLM(LLM): + """An LLM for generating texts from given prompts and sampling parameters. + + This class includes a tokenizer, a language model (possibly distributed + across multiple GPUs), and GPU memory space allocated for intermediate + states (aka KV cache). Given a batch of prompts and sampling parameters, + this class generates texts from the model, using an intelligent batching + mechanism and efficient memory management. + + NOTE: This class is intended to be used for offline inference. For online + serving, use the `AsyncLLMEngine` class instead. + NOTE: For the comprehensive list of arguments, see `EngineArgs`. + + Args: + model: A HuggingFace Transformers model instance. + tokenizer: A HuggingFace Transformers tokenizer instance. + tokenizer_mode: The tokenizer mode. "auto" will use the fast tokenizer + if available, and "slow" will always use the slow tokenizer. + trust_remote_code: Trust remote code (e.g., from HuggingFace) when + downloading the model and tokenizer. + tensor_parallel_size: The number of GPUs to use for distributed + execution with tensor parallelism. + dtype: The data type for the model weights and activations. Currently, + we support `float32`, `float16`, and `bfloat16`. If `auto`, we use + the `torch_dtype` attribute specified in the model config file. + However, if the `torch_dtype` in the config is `float32`, we will + use `float16` instead. + quantization: The method used to quantize the model weights. Currently, + we support "awq". If None, we assume the model weights are not + quantized and use `dtype` to determine the data type of the weights. + revision: The specific model version to use. It can be a branch name, + a tag name, or a commit id. + tokenizer_revision: The specific tokenizer version to use. It can be a + branch name, a tag name, or a commit id. + seed: The seed to initialize the random number generator for sampling. + gpu_memory_utilization: The ratio (between 0 and 1) of GPU memory to + reserve for the model weights, activations, and KV cache. Higher + values will increase the KV cache size and thus improve the model's + throughput. However, if the value is too high, it may cause out-of- + memory (OOM) errors. + swap_space: The size (GiB) of CPU memory per GPU to use as swap space. + This can be used for temporarily storing the states of the requests + when their `best_of` sampling parameters are larger than 1. If all + requests will have `best_of=1`, you can safely set this to 0. + Otherwise, too small values may cause out-of-memory (OOM) errors. + enforce_eager: Whether to enforce eager execution. If True, we will + disable CUDA graph and always execute the model in eager mode. + If False, we will use CUDA graph and eager execution in hybrid. + max_context_len_to_capture: Maximum context len covered by CUDA graphs. + When a sequence has context length larger than this, we fall back + to eager mode. + disable_custom_all_reduce: See ParallelConfig + """ + + def __init__( + self, + model: Union[nn.Module, Dict], # model itself or its parameter dict + tokenizer: Union[PreTrainedTokenizer, PreTrainedTokenizerFast, HybridEngineBaseTokenizer], + model_hf_config: PretrainedConfig, + tokenizer_mode: str = "auto", + trust_remote_code: bool = False, + skip_tokenizer_init: bool = False, + tensor_parallel_size: int = 1, + dtype: str = "auto", + quantization: Optional[str] = None, + revision: Optional[str] = None, + tokenizer_revision: Optional[str] = None, + seed: int = 0, + gpu_memory_utilization: float = 0.9, + swap_space: int = 4, + cpu_offload_gb: float = 0, + enforce_eager: bool = False, + max_context_len_to_capture: Optional[int] = None, + max_seq_len_to_capture: int = 8192, + disable_custom_all_reduce: bool = False, + load_format = 'auto', + **kwargs, + ) -> None: + if "disable_log_stats" not in kwargs: + kwargs["disable_log_stats"] = True + engine_args = EngineArgs( + model_hf_config=model_hf_config, + tensor_parallel_size=tensor_parallel_size, + dtype=dtype, + quantization=quantization, + revision=revision, + tokenizer_revision=tokenizer_revision, + seed=seed, + gpu_memory_utilization=gpu_memory_utilization, + swap_space=swap_space, + cpu_offload_gb=cpu_offload_gb, + enforce_eager=enforce_eager, + max_context_len_to_capture=max_context_len_to_capture, + max_seq_len_to_capture=max_seq_len_to_capture, + disable_custom_all_reduce=disable_custom_all_reduce, + load_format=load_format, + skip_tokenizer_init=skip_tokenizer_init, + **kwargs, + ) + tokenizer_cls = (PreTrainedTokenizer, PreTrainedTokenizerFast, HybridEngineBaseTokenizer) + if not isinstance(tokenizer, tokenizer_cls): + raise ValueError( + f"Unexpected tokenizer type: {type(tokenizer)}. Must be" + "one of the following: PreTrainedTokenizer, PreTrainedTokenizerFast, verl.workers.rollout.HybridEngineBaseTokenizer" + ) + self.llm_engine = LLMEngine.from_engine_args(model, tokenizer, engine_args) # TODO: check usagecontext + self.request_counter = Counter() + + def init_cache_engine(self): + self.llm_engine.init_cache_engine() + + def free_cache_engine(self): + self.llm_engine.free_cache_engine() + + def get_tokenizer(self) -> Union[PreTrainedTokenizer, PreTrainedTokenizerFast]: + return self.llm_engine.tokenizer + + def set_tokenizer( + self, + tokenizer: Union[PreTrainedTokenizer, PreTrainedTokenizerFast], + ) -> None: + self.llm_engine.tokenizer = tokenizer + + def _run_engine(self, *, use_tqdm: bool) -> List[Union[RequestOutput, EmbeddingRequestOutput]]: + # Initialize tqdm. + if use_tqdm: + num_requests = self.llm_engine.get_num_unfinished_requests() + pbar = tqdm( + total=num_requests, + desc="Processed prompts", + dynamic_ncols=True, + postfix=(f"est. speed input: {0:.2f} toks/s, " + f"output: {0:.2f} toks/s"), + ) + # Run the engine. + outputs: List[Union[RequestOutput, EmbeddingRequestOutput]] = [] + total_in_toks = 0 + total_out_toks = 0 + while self.llm_engine.has_unfinished_requests(): + step_outputs = self.llm_engine.step() + for output in step_outputs: + if output.finished: + outputs.append(output) + if use_tqdm: + if isinstance(output, RequestOutput): + # Calculate tokens only for RequestOutput + total_in_toks += len(output.prompt_token_ids) + in_spd = total_in_toks / pbar.format_dict["elapsed"] + total_out_toks += sum(len(stp.token_ids) for stp in output.outputs) + out_spd = total_out_toks / pbar.format_dict["elapsed"] + pbar.postfix = (f"est. speed input: {in_spd:.2f} toks/s, " + f"output: {out_spd:.2f} toks/s") + pbar.update(1) + if use_tqdm: + pbar.close() + # Sort the outputs by request ID. + # This is necessary because some requests may be finished earlier than + # its previous requests. + outputs = sorted(outputs, key=lambda x: int(x.request_id)) + return self._post_process_outputs(outputs) + + # # NOTE(shengguangming): add for verl + # # TODO(sgm): we can optimize it by making the dataloader yield List[int] without padding. + # def _pre_process_inputs(self, prompt_token_ids: torch.Tensor) -> List[int]: + # # remove the left padding in the prompt token_id + # pad_token_id = self.llm_engine.tokenizer.pad_token_id if self.llm_engine.tokenizer.pad_token_id is not None else self.llm_engine.tokenizer.eos_token_id + # non_pad_index = torch.nonzero(prompt_token_ids != pad_token_id, as_tuple=False)[0][0] + # token_ids = prompt_token_ids[non_pad_index:].tolist() + # return token_ids + + # NOTE(shengguangming): add for verl + def _post_process_outputs(self, request_outputs: List[RequestOutput]) -> Tuple[torch.Tensor, torch.Tensor]: + output_token_ids = [] + logprobs = [] + for request_output in request_outputs: # List[RequestOutput] + outputs = request_output.outputs + for output in outputs: # List[CompletionOutput], usually len == 1 + output_token_ids.append(torch.tensor(output.token_ids)) + # TODO(shengguangming): can be optimzied by rewrite the Sampler._get_logprobs() logits + logprobs_dicts = output.logprobs + if logprobs_dicts is not None: + logprob = [] + for logprobs_dict, id in zip(logprobs_dicts, output.token_ids): + logprob.append(logprobs_dict[id].logprob) + logprobs.append(torch.tensor(logprob)) + + pad_token_id = self.llm_engine.tokenizer.pad_token_id if self.llm_engine.tokenizer.pad_token_id is not None else self.llm_engine.tokenizer.eos_token_id + output_token_ids = pad_sequence(output_token_ids, batch_first=True, padding_value=pad_token_id) + if len(logprobs) > 0: + logprobs = pad_sequence(logprobs, batch_first=True, padding_value=pad_token_id) + return output_token_ids, logprobs + + def sync_model_weights(self, actor_weights: Dict[str, torch.Tensor], load_format: str) -> None: + self.llm_engine.sync_model_weights(actor_weights=actor_weights, load_format=load_format) + + def offload_model_weights(self) -> None: + self.llm_engine.offload_model_weights() diff --git a/verl/third_party/vllm/vllm_v_0_5_4/llm_engine_sp.py b/verl/third_party/vllm/vllm_v_0_5_4/llm_engine_sp.py new file mode 100644 index 00000000..8d161e74 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_5_4/llm_engine_sp.py @@ -0,0 +1,328 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/engine/llm_engine.py + +import torch +from typing import Dict, Optional, Union, Type + +import vllm.envs as envs +from vllm.config import (CacheConfig, DecodingConfig, DeviceConfig, EngineConfig, LoRAConfig, MultiModalConfig, + ObservabilityConfig, ParallelConfig, PromptAdapterConfig, SchedulerConfig, SpeculativeConfig) +from vllm.core.scheduler import Scheduler +from vllm.engine.output_processor.interfaces import (SequenceGroupOutputProcessor) +from vllm.engine.output_processor.stop_checker import StopChecker +from vllm.executor.executor_base import ExecutorBase +from vllm.inputs import INPUT_REGISTRY, LLMInputs, PromptInputs +from vllm.logger import init_logger +from vllm.transformers_utils.detokenizer import Detokenizer +from vllm.engine.metrics import (LoggingStatLogger, PrometheusStatLogger, StatLoggerBase, Stats) +from vllm.tracing import (SpanAttributes, SpanKind, extract_trace_context, init_tracer) +from vllm.usage.usage_lib import (UsageContext, is_usage_stats_enabled, usage_message) +from vllm.utils import Counter +from vllm.engine.llm_engine import _load_generation_config_dict +from vllm.engine.llm_engine import LLMEngine +from vllm.version import __version__ as VLLM_VERSION + +import torch.nn as nn +from .arg_utils import EngineArgs +from .tokenizer import TokenizerGroup +from .config import ModelConfig, LoadConfig + +logger = init_logger(__name__) +_LOCAL_LOGGING_INTERVAL_SEC = 5 + + +class LLMEngine(LLMEngine): + """An LLM engine that receives requests and generates texts. + + This is the main class for the vLLM engine. It receives requests + from clients and generates texts from the LLM. It includes a tokenizer, a + language model (possibly distributed across multiple GPUs), and GPU memory + space allocated for intermediate states (aka KV cache). This class utilizes + iteration-level scheduling and efficient memory management to maximize the + serving throughput. + + The `LLM` class wraps this class for offline batched inference and the + `AsyncLLMEngine` class wraps this class for online serving. + + NOTE: The config arguments are derived from the `EngineArgs` class. For the + comprehensive list of arguments, see `EngineArgs`. + + Args: + model: the actor model initialize outside vllm (add for verl) + tokenizer: the initialized tokenizer (add for verl) + model_config: The configuration related to the LLM model. + cache_config: The configuration related to the KV cache memory + management. + parallel_config: The configuration related to distributed execution. + scheduler_config: The configuration related to the request scheduler. + distributed_init_method: The initialization method for distributed + execution. See `torch.distributed.init_process_group` for details. + placement_group: Ray placement group for distributed execution. + Required for distributed execution. + log_stats: Whether to log statistics. + """ + + def __init__( + self, + # NOTE(sgm): first two arguments are added for verl + model: Union[nn.Module, Dict], # model itself or its parameter dict + tokenizer: nn.Module, + # NOTE(sgm): vllm original arguments + model_config: ModelConfig, + cache_config: CacheConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + device_config: DeviceConfig, + load_config: LoadConfig, + lora_config: Optional[LoRAConfig], + multimodal_config: Optional[MultiModalConfig], + speculative_config: Optional[SpeculativeConfig], + decoding_config: Optional[DecodingConfig], + observability_config: Optional[ObservabilityConfig], + prompt_adapter_config: Optional[PromptAdapterConfig], + executor_class: Type[ExecutorBase], + log_stats: bool, + usage_context: UsageContext = UsageContext.ENGINE_CONTEXT, + stat_loggers: Optional[Dict[str, StatLoggerBase]] = None, + ) -> None: + logger.info( + "Initializing an LLM engine (v%s) with config: " + "model=%r, speculative_config=%r, tokenizer=%r, " + "skip_tokenizer_init=%s, revision=%s, " + "rope_scaling=%r, rope_theta=%r, tokenizer_revision=%s, " + "trust_remote_code=%s, dtype=%s, max_seq_len=%d, " + "download_dir=%r, load_format=%s, tensor_parallel_size=%d, " + "pipeline_parallel_size=%d, " + "disable_custom_all_reduce=%s, quantization=%s, " + "enforce_eager=%s, kv_cache_dtype=%s, " + "quantization_param_path=%s, device_config=%s, " + "decoding_config=%r, observability_config=%r, " + "seed=%d, served_model_name=%s, use_v2_block_manager=%s, " + "enable_prefix_caching=%s)", + VLLM_VERSION, + model_config.model, + speculative_config, + model_config.tokenizer, + model_config.skip_tokenizer_init, + model_config.revision, + model_config.rope_scaling, + model_config.rope_theta, + model_config.tokenizer_revision, + model_config.trust_remote_code, + model_config.dtype, + model_config.max_model_len, + load_config.download_dir, + load_config.load_format, + parallel_config.tensor_parallel_size, + parallel_config.pipeline_parallel_size, + parallel_config.disable_custom_all_reduce, + model_config.quantization, + model_config.enforce_eager, + cache_config.cache_dtype, + model_config.quantization_param_path, + device_config.device, + decoding_config, + observability_config, + model_config.seed, + model_config.served_model_name, + scheduler_config.use_v2_block_manager, + cache_config.enable_prefix_caching, + ) + # TODO(woosuk): Print more configs in debug mode. + + self.model_config = model_config + self.cache_config = cache_config + self.lora_config = lora_config + self.multimodal_config = multimodal_config + self.parallel_config = parallel_config + self.scheduler_config = scheduler_config + self.device_config = device_config + self.speculative_config = speculative_config + self.load_config = load_config + self.decoding_config = decoding_config or DecodingConfig() + self.prompt_adapter_config = prompt_adapter_config + self.observability_config = observability_config or ObservabilityConfig() + self.log_stats = log_stats + + # self.model = model # should not store the model, it should be deleted + # TODO(shengguangming): maybe we can choose init here or from arguments + if not self.model_config.skip_tokenizer_init: + self.tokenizer = self._init_tokenizer(tokenizer) + self.detokenizer = Detokenizer(self.tokenizer) + else: + self.tokenizer = None + self.detokenizer = None + + self.seq_counter = Counter() + self.generation_config_fields = _load_generation_config_dict(model_config) + + self.input_processor = INPUT_REGISTRY.create_input_processor(self.model_config) + + self.model_executor = executor_class( + model=model, # add for spmd_gpu_executor + model_config=model_config, + cache_config=cache_config, + parallel_config=parallel_config, + scheduler_config=scheduler_config, + device_config=device_config, + lora_config=lora_config, + multimodal_config=multimodal_config, + speculative_config=speculative_config, + load_config=load_config, + prompt_adapter_config=prompt_adapter_config, + ) + + # Profile the memory usage and initialize the cache. + if not self.model_config.embedding_mode: + self._initialize_kv_caches() + + # If usage stat is enabled, collect relevant info. + if is_usage_stats_enabled(): + from vllm.model_executor.model_loader import (get_architecture_class_name) + usage_message.report_usage( + get_architecture_class_name(model_config), + usage_context, + extra_kvs={ + # Common configuration + "dtype": str(model_config.dtype), + "tensor_parallel_size": parallel_config.tensor_parallel_size, + "block_size": cache_config.block_size, + "gpu_memory_utilization": cache_config.gpu_memory_utilization, + + # Quantization + "quantization": model_config.quantization, + "kv_cache_dtype": str(cache_config.cache_dtype), + + # Feature flags + "enable_lora": bool(lora_config), + "enable_prompt_adapter": bool(prompt_adapter_config), + "enable_prefix_caching": cache_config.enable_prefix_caching, + "enforce_eager": model_config.enforce_eager, + "disable_custom_all_reduce": parallel_config.disable_custom_all_reduce, + }) + + if self.tokenizer: + # Ping the tokenizer to ensure liveness if it runs in a + # different process. + self.tokenizer.ping() + + # Create the scheduler. + # NOTE: the cache_config here have been updated with the numbers of + # GPU and CPU blocks, which are profiled in the distributed executor. + self.scheduler = [ + Scheduler(scheduler_config, cache_config, lora_config, parallel_config.pipeline_parallel_size) + for _ in range(parallel_config.pipeline_parallel_size) + ] + + # Metric Logging. + if self.log_stats: + if stat_loggers is not None: + self.stat_loggers = stat_loggers + else: + self.stat_loggers = { + "logging": + LoggingStatLogger(local_interval=_LOCAL_LOGGING_INTERVAL_SEC), + "prometheus": + PrometheusStatLogger(local_interval=_LOCAL_LOGGING_INTERVAL_SEC, + labels=dict(model_name=model_config.served_model_name), + max_model_len=self.model_config.max_model_len), + } + self.stat_loggers["prometheus"].info("cache_config", self.cache_config) + + self.tracer = None + if self.observability_config.otlp_traces_endpoint: + self.tracer = init_tracer("vllm.llm_engine", self.observability_config.otlp_traces_endpoint) + + # Create sequence output processor, e.g. for beam search or + # speculative decoding. + self.output_processor = (SequenceGroupOutputProcessor.create_output_processor( + self.scheduler_config, + self.detokenizer, + self.scheduler, + self.seq_counter, + self.get_tokenizer_for_seq, + stop_checker=StopChecker( + self.scheduler_config.max_model_len, + self.get_tokenizer_for_seq, + ), + )) + + # TODO(sgm): add for verl but we may not tokenizer in Rollout + def _init_tokenizer(self, tokenizer, **tokenizer_init_kwargs): + init_kwargs = dict(enable_lora=bool(self.lora_config), + max_num_seqs=self.scheduler_config.max_num_seqs, + max_input_length=None) + init_kwargs.update(tokenizer_init_kwargs) + return TokenizerGroup(tokenizer, **init_kwargs) + + def init_cache_engine(self): + # TODO: check whether we should rebuild the CUDAGraph every iter when offload/load KVCache + # Re-capture CUDAGraph would be time-consuming + self.model_executor.init_cache_engine() + + def free_cache_engine(self): + self.model_executor.free_cache_engine() + + # NOTE(sgm): currently, we only support GPU executor + # The GPUExecutor remove the Ray dependency + @classmethod + def _get_executor_cls(cls, engine_config: EngineConfig) -> Type[ExecutorBase]: + assert engine_config.device_config.device_type == "cuda", \ + "Currently, the vllm in verl only support running on GPU" + + if engine_config.parallel_config.world_size == 1: + engine_config.load_config.load_format = "dummy_hf" + + from .spmd_gpu_executor import SPMDGPUExecutor + executor_class = SPMDGPUExecutor + return executor_class + + @classmethod + def from_engine_args( + cls, + model, + tokenizer, + engine_args: EngineArgs, + usage_context: UsageContext = UsageContext.ENGINE_CONTEXT, + stat_loggers: Optional[Dict[str, StatLoggerBase]] = None, + ) -> "LLMEngine": + """Creates an LLM engine from the engine arguments.""" + # Create the engine configs. + engine_config = engine_args.create_engine_config() + executor_class = cls._get_executor_cls(engine_config) + # Initialize the cluster and specify the executor class. + assert engine_config.device_config.device_type == "cuda", \ + "Currently, the vllm in verl only support running on GPU" + + from .spmd_gpu_executor import SPMDGPUExecutor + executor_class = SPMDGPUExecutor + + # Create the LLM engine. + engine = cls( + model, + tokenizer, + **engine_config.to_dict(), + executor_class=executor_class, + log_stats=not engine_args.disable_log_stats, + usage_context=usage_context, + stat_loggers=stat_loggers, + ) + return engine + + def sync_model_weights(self, actor_weights: Dict[str, torch.Tensor], load_format: str) -> None: + self.model_executor.sync_model_weights(actor_weights=actor_weights, load_format=load_format) + + def offload_model_weights(self) -> None: + self.model_executor.offload_model_weights() diff --git a/verl/third_party/vllm/vllm_v_0_5_4/megatron_weight_loaders.py b/verl/third_party/vllm/vllm_v_0_5_4/megatron_weight_loaders.py new file mode 100644 index 00000000..4f2b19a9 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_5_4/megatron_weight_loaders.py @@ -0,0 +1,307 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/tree/main/vllm/model_executor/models + +from typing import Dict +import torch +import torch.nn as nn + +from vllm.model_executor.layers.linear import * +from vllm.model_executor.layers.vocab_parallel_embedding import VocabParallelEmbedding, ParallelLMHead +from vllm.model_executor.layers.activation import ScaledActivation +from vllm.model_executor.models import ModelRegistry + + +# NOTE(shengguangming): replace the origin weight loader function in the class +def parallel_weight_loader(self, param: torch.Tensor, loaded_weight: torch.Tensor) -> None: + """Parallel Linear weight loader.""" + assert param.size() == loaded_weight.size( + ), 'the parameter size is not align with the loaded weight size, param size: {}, loaded_weight size: {}'.format( + param.size(), loaded_weight.size()) + assert param.data.dtype == loaded_weight.data.dtype, "if we want to shared weights, the data type should also be the same" + + param.data = loaded_weight.data + + +def default_weight_loader(param: torch.Tensor, loaded_weight: torch.Tensor) -> None: + """Default weight loader.""" + assert param.size() == loaded_weight.size() + assert param.data.dtype == loaded_weight.data.dtype, "if we want to shared weights, the data type should also be the same" + + param.data = loaded_weight.data + + +def gpt2_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "lm_head.weight" in name: + # GPT-2 ties the weights of the embedding layer and the final + # linear layer. + continue + if ".attn.bias" in name or ".attn.masked_bias" in name: + # Skip attention mask. + # NOTE: "c_attn.bias" should not be skipped. + continue + if not name.startswith("transformer."): + name = "transformer." + name + param = params_dict[name] + # The HF's GPT-2 implementation uses Conv1D instead of Linear. + # Because of this, we need to transpose the weights. + # Note(zhuohan): the logic below might break quantized models. + for conv1d_weight_name in ["c_attn", "c_proj", "c_fc"]: + if conv1d_weight_name not in name: + continue + if not name.endswith(".weight"): + continue + # TODO: check megatron + loaded_weight = loaded_weight.t() + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def llama_megatron_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + # NOTE(shengguangming): the megatron llama may have this prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def llama_megatron_core_te_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_mapping = [ + # (megatron core gpt model name, vllm model name) + ("embedding.word_embeddings", "model.embed_tokens"), + ("self_attention.linear_qkv.layer_norm_weight", "input_layernorm.weight"), + ("self_attention.linear_qkv.layer_norm_bias", "input_layernorm.bias"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_proj", 'self_attn.o_proj'), + ('pre_mlp_layernorm', 'post_attention_layernorm'), + ('mlp.linear_fc1.layer_norm_weight', 'post_attention_layernorm.weight'), + ('mlp.linear_fc1.layer_norm_bias', 'post_attention_layernorm.bias'), + ('mlp.linear_fc1', 'mlp.gate_up_proj'), + ('mlp.linear_fc2', 'mlp.down_proj'), + ('decoder.final_layernorm', 'model.norm'), + ('output_layer', 'lm_head'), + ] + # NOTE(shengguangming): the megatron llama may have this prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + name = _replace_name(name, params_mapping) + if name.endswith('.bias') and name not in params_dict: + continue + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def llama_megatron_core_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_mapping = [ + # (megatron core gpt model name, vllm model name) + ("embedding.word_embeddings", "model.embed_tokens"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_proj", 'self_attn.o_proj'), + ( + 'input_layernorm', + 'input_layernorm', + ), + ('pre_mlp_layernorm', 'post_attention_layernorm'), + ('mlp.linear_fc1', 'mlp.gate_up_proj'), + ('mlp.linear_fc2', 'mlp.down_proj'), + ('decoder.final_layernorm', 'model.norm'), + ('output_layer', 'lm_head'), + ] + # NOTE(shengguangming): the megatron llama may have this prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + name = _replace_name(name, params_mapping) + if name.endswith('.bias') and name not in params_dict: + continue + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def _replace_name(megatron_name, name_mapping): + for m_name, v_name in name_mapping: + if m_name not in megatron_name: + continue + if 'layers' in megatron_name: # deal with decoder layers + megatron_name = megatron_name.replace('decoder', 'model') + megatron_name_list = megatron_name.split('.') + if 'layer_norm_weight' in megatron_name_list or 'layer_norm_bias' in megatron_name_list: + param_name_list = megatron_name_list[:3] + param_name_list.append(v_name) + param_name = '.'.join(param_name_list) + else: + param_name_list = megatron_name_list[:3] + weight_or_bias = megatron_name_list[-1] + param_name_list.append(v_name) + param_name_list.append(weight_or_bias) + param_name = '.'.join(param_name_list) + return param_name + else: + param_name = megatron_name.replace(m_name, v_name) + return param_name + + +def llama_megatron_core_te_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_mapping = [ + # (megatron core gpt model name, vllm model name) + ("embedding.word_embeddings", "model.embed_tokens"), + ("self_attention.linear_qkv.layer_norm_weight", "input_layernorm.weight"), + ("self_attention.linear_qkv.layer_norm_bias", "input_layernorm.bias"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_proj", 'self_attn.o_proj'), + ('pre_mlp_layernorm', 'post_attention_layernorm'), + ('mlp.linear_fc1.layer_norm_weight', 'post_attention_layernorm.weight'), + ('mlp.linear_fc1.layer_norm_bias', 'post_attention_layernorm.bias'), + ('mlp.linear_fc1', 'mlp.gate_up_proj'), + ('mlp.linear_fc2', 'mlp.down_proj'), + ('decoder.final_layernorm', 'model.norm'), + ('output_layer', 'lm_head'), + ] + # NOTE(shengguangming): the megatron llama may have this prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + name = _replace_name(name, params_mapping) + if name.endswith('.bias') and name not in params_dict: + continue + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def llama_megatron_core_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_mapping = [ + # (megatron core gpt model name, vllm model name) + ("embedding.word_embeddings", "model.embed_tokens"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_proj", 'self_attn.o_proj'), + ( + 'input_layernorm', + 'input_layernorm', + ), + ('pre_mlp_layernorm', 'post_attention_layernorm'), + ('mlp.linear_fc1', 'mlp.gate_up_proj'), + ('mlp.linear_fc2', 'mlp.down_proj'), + ('decoder.final_layernorm', 'model.norm'), + ('output_layer', 'lm_head'), + ] + # NOTE(shengguangming): the megatron llama may have this prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + name = _replace_name(name, params_mapping) + if name.endswith('.bias') and name not in params_dict: + continue + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def _replace_name(megatron_name, name_mapping): + for m_name, v_name in name_mapping: + if m_name not in megatron_name: + continue + if 'layers' in megatron_name: # deal with decoder layers + megatron_name = megatron_name.replace('decoder', 'model') + megatron_name_list = megatron_name.split('.') + if 'layer_norm_weight' in megatron_name_list or 'layer_norm_bias' in megatron_name_list: + param_name_list = megatron_name_list[:3] + param_name_list.append(v_name) + param_name = '.'.join(param_name_list) + else: + param_name_list = megatron_name_list[:3] + weight_or_bias = megatron_name_list[-1] + param_name_list.append(v_name) + param_name_list.append(weight_or_bias) + param_name = '.'.join(param_name_list) + return param_name + else: + param_name = megatron_name.replace(m_name, v_name) + return param_name + + +def mistral_megatron_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + # TODO: need to implement a general way to deal with prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +__LAYER_WEIGHT_MEGATRON_LOADER_REGISTRY__ = { + ColumnParallelLinear: parallel_weight_loader, + MergedColumnParallelLinear: parallel_weight_loader, + QKVParallelLinear: parallel_weight_loader, + RowParallelLinear: parallel_weight_loader, + VocabParallelEmbedding: parallel_weight_loader, + ParallelLMHead: parallel_weight_loader + # "ScaledActivation.weight_loader": ScaledActivation, # TODO(shengguangming): latest commit in vllm fix awq for this function and add load_weights + # "default_weight_loader": default_weight_loader +} + +# for layer_class, weight_loader in __LAYER_WEIGHT_MEGATRON_LOADER_REGISTRY__.items(): +# # setattr(layer_class, 'megatron_weight_loader', weight_loader) +# layer_class.weight_loader = weight_loader + +__MODEL_MEGATRON_WEIGHT_LOADER_REGISTRY__ = { + 'GPT2LMHeadModel': gpt2_weight_loader, + 'LlamaForCausalLM': llama_megatron_weight_loader, # use te backend for open-source megatron + 'LLaMAForCausalLM': llama_megatron_weight_loader, + 'MistralForCausalLM': mistral_megatron_weight_loader, +} + + +# the actor model is .state_dict() +# Load megatron weights +def load_megatron_weights(actor_weights: Dict, vllm_model: nn.Module): + weight_loader = _get_model_weight_loader(vllm_model.__class__.__name__) + weight_loader(actor_weights, vllm_model) + # NOTE(sgm) to reduce peak memory usage, we offload vllm model to cpu + # after init, and we need this after sync model weights for in first iter. + vllm_model = vllm_model.cuda() + + +def _get_model_weight_loader(arch: str): + if arch in __MODEL_MEGATRON_WEIGHT_LOADER_REGISTRY__: + return __MODEL_MEGATRON_WEIGHT_LOADER_REGISTRY__[arch] + raise ValueError(f"Model architectures {arch} are not supported for now. " + f"Supported architectures: {ModelRegistry.get_supported_archs()}") + + +def update_megatron_weight_loader(): + for layer_class, weight_loader in __LAYER_WEIGHT_MEGATRON_LOADER_REGISTRY__.items(): + layer_class.weight_loader = weight_loader diff --git a/verl/third_party/vllm/vllm_v_0_5_4/model_loader.py b/verl/third_party/vllm/vllm_v_0_5_4/model_loader.py new file mode 100644 index 00000000..1b675bb7 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_5_4/model_loader.py @@ -0,0 +1,302 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/tree/main/vllm/model_executor/model_loader + +from typing import Dict, Union, Optional, Iterable, Tuple + +import torch +import torch.nn as nn +from transformers import PreTrainedModel + +from vllm.config import (CacheConfig, DeviceConfig, LoadConfig, LoRAConfig, ModelConfig, MultiModalConfig, + ParallelConfig, SchedulerConfig) +from vllm.model_executor.model_loader import BaseModelLoader +from vllm.model_executor.model_loader.loader import _initialize_model +from vllm.model_executor.model_loader.utils import set_default_torch_dtype +from vllm.distributed.communication_op import tensor_model_parallel_all_gather + +from .config import ModelConfig, LoadFormat, LoadConfig +from .megatron_weight_loaders import load_megatron_weights, update_megatron_weight_loader +from .dtensor_weight_loaders import load_dtensor_weights, update_dtensor_weight_loader +from .hf_weight_loader import update_hf_weight_loader + + +def get_model(actor_model: Union[PreTrainedModel, Dict], + model_config: ModelConfig, + load_config: LoadConfig, + device_config: DeviceConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + lora_config: Optional[LoRAConfig], + multimodal_config: Optional[MultiModalConfig], + cache_config: CacheConfig = None) -> nn.Module: + loader = get_model_loader(load_config) + if load_config.load_format.startswith('dummy'): + return loader.load_model(model_config=model_config, + device_config=device_config, + lora_config=lora_config, + multimodal_config=multimodal_config, + parallel_config=parallel_config, + scheduler_config=scheduler_config, + cache_config=cache_config) + else: + return loader.load_model(actor_model=actor_model, + model_config=model_config, + device_config=device_config, + lora_config=lora_config, + multimodal_config=multimodal_config, + parallel_config=parallel_config, + scheduler_config=scheduler_config, + cache_config=cache_config) + + +def get_model_loader(load_config: LoadConfig) -> BaseModelLoader: + """Get a model loader based on the load format.""" + + if isinstance(load_config.load_format, type): + return load_config.load_format(load_config) + + if load_config.load_format == LoadFormat.AUTO: + update_megatron_weight_loader() + return MegatronLoader(load_config) + + # NOTE(sgm): change the weight_loader function in runtime + if load_config.load_format == LoadFormat.MEGATRON: + update_megatron_weight_loader() + return MegatronLoader(load_config) + + if load_config.load_format == LoadFormat.HF: + update_hf_weight_loader() + return HFLoader(load_config) + + if load_config.load_format == LoadFormat.DTENSOR: + update_dtensor_weight_loader() + return DTensorLoader(load_config) + + if load_config.load_format == LoadFormat.DUMMY_HF: + update_hf_weight_loader() + return DummyModelLoader(load_config) + + if load_config.load_format == LoadFormat.DUMMY_MEGATRON: + update_megatron_weight_loader() + return DummyModelLoader(load_config) + + if load_config.load_format == LoadFormat.DUMMY_DTENSOR: + update_dtensor_weight_loader() + return DummyModelLoader(load_config) + + raise ValueError('load format not supported in verl: {}, only support {} and {}'.format( + load_config.load_format, LoadFormat.MEGATRON, LoadFormat.HF)) + + +class DummyModelLoader(BaseModelLoader): + """Model loader that will set model weights to random values.""" + + def __init__(self, load_config: LoadConfig): + super().__init__(load_config) + if load_config.model_loader_extra_config: + raise ValueError(f"Model loader extra config is not supported for " + f"load format {load_config.load_format}") + + def load_model(self, *, model_config: ModelConfig, device_config: DeviceConfig, lora_config: Optional[LoRAConfig], + multimodal_config: Optional[MultiModalConfig], parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, cache_config: CacheConfig) -> nn.Module: + with set_default_torch_dtype(model_config.dtype): + with torch.device(device_config.device): + model = _initialize_model(model_config, self.load_config, lora_config, multimodal_config, cache_config, + scheduler_config) + # NOTE(woosuk): For accurate performance evaluation, we assign + # random values to the weights. + # initialize_dummy_weights(model) + return model.eval() + + +class MegatronLoader(BaseModelLoader): + """Model loader that can load the model weights from partitioned megatron model.""" + + def __init__(self, load_config: LoadConfig): + super().__init__(load_config) + if load_config.model_loader_extra_config: + raise ValueError(f"Model loader extra config is not supported for " + f"load format {load_config.load_format}") + + def _get_weights_iterator(actor_model: Union[PreTrainedModel, Dict]): + # NOTE(shengguangming) Load the weights from the actor model + pass + # if isinstance(actor_model, nn.Module): + # load_weights(actor_weights=dict(actor_model.named_parameters(remove_duplicate=False)), vllm_model=model) + # else: + # load_weights(actor_weights=actor_model, vllm_model=model) + # return actor_model + + def load_model(self, actor_model: Union[PreTrainedModel, Dict], model_config: ModelConfig, + device_config: DeviceConfig, lora_config: Optional[LoRAConfig], + multimodal_config: Optional[MultiModalConfig], parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, cache_config: CacheConfig) -> nn.Module: + with set_default_torch_dtype(model_config.dtype): + with torch.device(device_config.device): + model = _initialize_model(model_config, self.load_config, lora_config, multimodal_config, cache_config, + scheduler_config) + + # TODO(sgm): This is a hack, we need to register the load_weight() func for each model in vllm + if isinstance(actor_model, nn.Module): + load_megatron_weights(actor_weights=dict(actor_model.named_parameters(remove_duplicate=False)), + vllm_model=model) + else: + load_megatron_weights(actor_weights=actor_model, vllm_model=model) + + for _, module in model.named_modules(): + quant_method = getattr(module, "quant_method", None) + if quant_method is not None: + quant_method.process_weights_after_loading(module) + # FIXME: Remove this after Mixtral is updated + # to use quant_method. + if hasattr(module, "process_weights_after_loading"): + module.process_weights_after_loading() + # NOTE(sgm) Some weights are point to gpu, but still need this. + model = model.cuda() # NOTE (zhangchi.usc1992) We need this for vllm to profile memory usage + return model.eval() + + +class HFLoader(BaseModelLoader): + """Model loader that can load the model weights from model's full params.""" + + def __init__(self, load_config: LoadConfig): + super().__init__(load_config) + if load_config.model_loader_extra_config: + raise ValueError(f"Model loader extra config is not supported for " + f"load format {load_config.load_format}") + + def _get_weights_iterator(self, actor_model: Union[PreTrainedModel, Dict]): + if isinstance(actor_model, Dict): + return actor_model.items() + elif isinstance(actor_model, nn.Module): + return dict(actor_model.named_parameters()).items() + else: + raise ValueError(f'actor model should be Dict or nn.Module, but get {type(actor_model)}') + + def load_model(self, actor_model: Union[PreTrainedModel, Dict], model_config: ModelConfig, + device_config: DeviceConfig, lora_config: Optional[LoRAConfig], + multimodal_config: Optional[MultiModalConfig], parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, cache_config: CacheConfig) -> nn.Module: + with set_default_torch_dtype(model_config.dtype): + # with torch.device(device_config.device): + # NOTE(sgm): init the model in cpu + model = _initialize_model(model_config, self.load_config, lora_config, multimodal_config, cache_config, + scheduler_config) + model.load_weights(self._get_weights_iterator(actor_model)) + for _, module in model.named_modules(): + quant_method = getattr(module, "quant_method", None) + if quant_method is not None: + quant_method.process_weights_after_loading(module) + # FIXME: Remove this after Mixtral is updated + # to use quant_method. + if hasattr(module, "process_weights_after_loading"): + module.process_weights_after_loading() + # NOTE(sgm) Some weights are point to gpu, but still need this. + model = model.cuda() # NOTE (zhangchi.usc1992) We need this for vllm to profile memory usage + return model.eval() + + +class DTensorLoader(BaseModelLoader): + """Model loader that can load the model weights from partitioned megatron model.""" + + def __init__(self, load_config: LoadConfig): + super().__init__(load_config) + if load_config.model_loader_extra_config: + raise ValueError(f"Model loader extra config is not supported for " + f"load format {load_config.load_format}") + + def _get_weights_iterator(actor_model: Union[PreTrainedModel, Dict]): + # NOTE(shengguangming) Load the weights from the actor model + pass + # if isinstance(actor_model, nn.Module): + # load_weights(actor_weights=dict(actor_model.named_parameters(remove_duplicate=False)), vllm_model=model) + # else: + # load_weights(actor_weights=actor_model, vllm_model=model) + # return actor_model + + def load_model(self, actor_model: Union[PreTrainedModel, Dict], model_config: ModelConfig, + device_config: DeviceConfig, lora_config: Optional[LoRAConfig], + multimodal_config: Optional[MultiModalConfig], parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, cache_config: CacheConfig) -> nn.Module: + with set_default_torch_dtype(model_config.dtype): + with torch.device(device_config.device): + model = _initialize_model(model_config, self.load_config, lora_config, multimodal_config, cache_config, + scheduler_config) + + # TODO(sgm): This is a hack, we need to register the load_weight() func for each model in vllm + if isinstance(actor_model, nn.Module): + load_dtensor_weights(actor_weights=dict(actor_model.named_parameters(remove_duplicate=False)), + vllm_model=model) + else: + load_dtensor_weights(actor_weights=actor_model, vllm_model=model) + + for _, module in model.named_modules(): + quant_method = getattr(module, "quant_method", None) + if quant_method is not None: + quant_method.process_weights_after_loading(module) + # FIXME: Remove this after Mixtral is updated + # to use quant_method. + if hasattr(module, "process_weights_after_loading"): + module.process_weights_after_loading() + # NOTE(sgm) Some weights are point to gpu, but still need this. + model = model.cuda() # NOTE (zhangchi.usc1992) We need this for vllm to profile memory usage + return model.eval() + + +# FIXME(sgm): hack the _get_logits function in vllm v0.4.2 +# as they use ray, the _get_logits result will only need to return to the driver node, +# therefore gather is enough. However, we use SPMD instead of a central scheduler, +# all_gather is required (aligned with v0.2.6) +def _get_logits(self, hidden_states: torch.Tensor, embedding: torch.Tensor, + embedding_bias: Optional[torch.Tensor]) -> torch.Tensor: + # Get the logits for the next tokens. + logits = torch.matmul(hidden_states, embedding.t()) + if embedding_bias is not None: + logits += embedding_bias + logits = tensor_model_parallel_all_gather(logits) + # Remove paddings in vocab (if any). + if logits is not None: + logits = logits[:, :self.org_vocab_size] + return logits + + +from vllm.model_executor.layers.logits_processor import LogitsProcessor + + +def logitsprocessor_init(self, + vocab_size: int, + org_vocab_size: Optional[int] = None, + scale: float = 1.0, + logits_as_input: bool = False, + soft_cap: Optional[float] = None) -> None: + """ + Args: + scale: A scaling factor to apply to the logits. + """ + super(LogitsProcessor, self).__init__() + self.scale = scale + self.vocab_size = vocab_size + # Whether the input is logits (default is hidden states). + self.logits_as_input = logits_as_input + # original vocabulary size (without LoRA). + self.org_vocab_size = org_vocab_size or vocab_size + # Soft cap the logits. Used in Gemma 2. + self.soft_cap = soft_cap + # Whether to use gather or all-gather to gather the logits. + self.use_gather = False + + +LogitsProcessor.__init__ = logitsprocessor_init # use all_gather diff --git a/verl/third_party/vllm/vllm_v_0_5_4/model_runner.py b/verl/third_party/vllm/vllm_v_0_5_4/model_runner.py new file mode 100644 index 00000000..d6ab2325 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_5_4/model_runner.py @@ -0,0 +1,150 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/worker/model_runner.py + +import torch +import torch.nn as nn +from enum import IntEnum +from typing import Dict, List, Optional, Set, Tuple, Union +import warnings + +import vllm.envs as envs +from vllm.attention import (AttentionMetadata, get_attn_backend) +from vllm.config import (CacheConfig, DeviceConfig, LoRAConfig, MultiModalConfig, ParallelConfig, PromptAdapterConfig, + SchedulerConfig) +from vllm.logger import init_logger +from vllm.lora.layers import LoRAMapping +from vllm.lora.request import LoRARequest +from vllm.lora.worker_manager import LRUCacheWorkerLoRAManager +from vllm.model_executor import SamplingMetadata +from vllm.model_executor.models.interfaces import (supports_lora, supports_vision) +from vllm.utils import (CudaMemoryProfiler, is_hip, is_pin_memory_available) +from vllm.worker.model_runner import ModelRunner, CUDAGraphRunner +from vllm.prompt_adapter.worker_manager import (LRUCacheWorkerPromptAdapterManager) + +from .model_loader import get_model +from .config import ModelConfig, LoadConfig + +logger = init_logger(__name__) + + +# How batches are constructed. +class BatchType(IntEnum): + # Every batch is prefill. + PREFILL = 0 + # Every batch is decode. + DECODE = 1 + # Batch is a mixture of prefill and decode. + MIXED = 2 + + +class ModelRunner(ModelRunner): + + def __init__( + self, + model: Union[nn.Module, Dict], # [verl] model itself or its parameter dict + model_config: ModelConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + device_config: DeviceConfig, + cache_config: CacheConfig, + load_config: LoadConfig, + lora_config: Optional[LoRAConfig], + kv_cache_dtype: Optional[str] = "auto", + is_driver_worker: bool = False, + prompt_adapter_config: Optional[PromptAdapterConfig] = None, + multimodal_config: Optional[MultiModalConfig] = None, + return_hidden_states: bool = False, + ): + + super().__init__( + model_config, + parallel_config, + scheduler_config, + device_config, + cache_config, + load_config, + lora_config, + kv_cache_dtype, + is_driver_worker=True, # a hack + prompt_adapter_config=prompt_adapter_config, + multimodal_config=multimodal_config, + return_hidden_states=return_hidden_states) + + # NOTE(sgm): add for verl + self.model = model # this will be replaced by get_model() + + # NOTE(sgm): initialize model using the actor model + def load_model(self) -> None: + logger.info("Starting to load model %s...", self.model_config.model) + with CudaMemoryProfiler() as m: + self.model = get_model(actor_model=self.model, + model_config=self.model_config, + device_config=self.device_config, + lora_config=self.lora_config, + load_config=self.load_config, + parallel_config=self.parallel_config, + scheduler_config=self.scheduler_config, + multimodal_config=self.multimodal_config, + cache_config=self.cache_config) + self.model_memory_usage = m.consumed_memory + logger.info("Loading model weights took %.4f GB", self.model_memory_usage / float(2**30)) + + if self.lora_config: + assert supports_lora(self.model), "Model does not support LoRA" + assert not supports_vision(self.model), "To be tested: vision language model with LoRA settings." + + self.lora_manager = LRUCacheWorkerLoRAManager( + self.scheduler_config.max_num_seqs, + self.scheduler_config.max_num_batched_tokens, + self.vocab_size, + self.lora_config, + self.device, + self.model.embedding_modules, + self.model.embedding_padding_modules, + max_position_embeddings=self.model.config.max_position_embeddings, + ) + self.model = self.lora_manager.create_lora_manager(self.model) + + if self.prompt_adapter_config: + self.prompt_adapter_manager = LRUCacheWorkerPromptAdapterManager( + self.scheduler_config.max_num_seqs, self.scheduler_config.max_num_batched_tokens, self.device, + self.prompt_adapter_config) + self.model = (self.prompt_adapter_manager.create_prompt_adapter_manager(self.model)) + + if self.kv_cache_dtype == "fp8" and is_hip(): + # Currently only ROCm accepts kv-cache scaling factors + # via quantization_param_path and this will be deprecated + # in the future. + if self.model_config.quantization_param_path is not None: + if callable(getattr(self.model, "load_kv_cache_scales", None)): + warnings.warn( + "Loading kv cache scaling factor from JSON is " + "deprecated and will be removed. Please include " + "kv cache scaling factors in the model checkpoint.", + FutureWarning, + stacklevel=2) + self.model.load_kv_cache_scales(self.model_config.quantization_param_path) + logger.info("Loaded KV cache scaling factors from %s", self.model_config.quantization_param_path) + else: + raise RuntimeError( + "Using FP8 KV cache and scaling factors provided but " + "model %s does not support loading scaling factors.", self.model.__class__) + else: + logger.warning("Using FP8 KV cache but no scaling factors " + "provided. Defaulting to scaling factors of 1.0. " + "This may lead to less accurate results!") + + if envs.VLLM_TEST_DYNAMO_GRAPH_CAPTURE: + self.model = torch.compile(self.model, fullgraph=True, backend="eager") diff --git a/verl/third_party/vllm/vllm_v_0_5_4/parallel_state.py b/verl/third_party/vllm/vllm_v_0_5_4/parallel_state.py new file mode 100644 index 00000000..0830093b --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_5_4/parallel_state.py @@ -0,0 +1,303 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Adapted from +# https://github.com/NVIDIA/Megatron-LM/blob/main/megatron/core/parallel_state.py +# Copyright (c) 2022, NVIDIA CORPORATION. All rights reserved. +"""Model and data parallel groups.""" +import os +import torch +import torch.distributed +from typing import Optional + +import vllm.distributed.parallel_state as ps +from vllm.distributed.parallel_state import get_pp_group, get_world_group, init_distributed_environment, init_model_parallel_group + +import vllm.envs as envs +from vllm.logger import init_logger + +from torch.distributed.device_mesh import init_device_mesh + +logger = init_logger(__name__) +""" +This version is strongly tied with Megatron to implement HybridEngine and weight sharing between vllm and Megatron. +- We assume the Megatron tp+dp+pp world is already established before calling this function. + +""" + +# Device mesh for using DTensor +_DEVICE_MESH = None + +# Tensor model parallel group that the current rank belongs to. +_TP = None +# Pipeline model parallel group that the current rank belongs to. +_PP = None + + +# This method is for initializing the ParallelGroup when using HybridEngine +def initialize_parallel_state( + distributed_init_method: str = "env://", + backend: str = "nccl", + tensor_model_parallel_size: int = 1, + num_tp_per_train_tp: int = 1, + pipeline_model_parallel_size: int = 1, +): + # torch.distributed.all_reduce does not free the input tensor until + # the synchronization point. This causes the memory usage to grow + # as the number of all_reduce calls increases. This env var disables + # this behavior. + # Related issue: + # https://discuss.pytorch.org/t/cuda-allocation-lifetime-for-inputs-to-distributed-all-reduce/191573 + os.environ["TORCH_NCCL_AVOID_RECORD_STREAMS"] = "1" + + # NOTE(sgm): Modify for verl, Env vars will be set by TORCHRUN. + rank = int(os.getenv("RANK", "-1")) + local_rank = int(os.getenv("LOCAL_RANK", "0")) + + # Use the world_size set by TORCHRUN + world_size = int(os.getenv("WORLD_SIZE", "-1")) + assert world_size != -1, "The world_size is set to -1, not initialized by TORCHRUN" + init_distributed_environment(world_size, rank, distributed_init_method, local_rank, backend) + if torch.distributed.get_world_size() > 1: + # NOTE: build a sepearate inference group with infer tp & micro dp + initialize_model_parallel_for_vllm(tensor_model_parallel_size=tensor_model_parallel_size, + num_tensor_model_parallel_groups_per_train_tp=num_tp_per_train_tp) + else: + initialize_model_parallel(tensor_model_parallel_size, pipeline_model_parallel_size, backend) + + +def ensure_model_parallel_initialized( + tensor_model_parallel_size: int, + pipeline_model_parallel_size: int = 1, + backend: Optional[str] = None, +) -> None: + """Helper to initialize model parallel groups if they are not initialized, + or ensure tensor-parallel and pipeline-parallel sizes are equal to expected + values if the model parallel groups are initialized. + """ + # get the backend of _DEVICE_WORLD_GROUP + backend = backend or torch.distributed.get_backend(get_world_group().device_group) + if not model_parallel_is_initialized(): + initialize_model_parallel(tensor_model_parallel_size, pipeline_model_parallel_size, backend) + return + + assert (get_tensor_model_parallel_world_size() == tensor_model_parallel_size), ( + "tensor parallel group already initialized, but of unexpected size: " + f"{get_tensor_model_parallel_world_size()=} vs. " + f"{tensor_model_parallel_size=}") + pp_world_size = get_pp_group().world_size + assert (pp_world_size == pipeline_model_parallel_size), ( + "pipeline parallel group already initialized, but of unexpected size: " + f"{pp_world_size=} vs. " + f"{pipeline_model_parallel_size=}") + + +# TODO(sgm): deviate from the v0.5.4, not pp now +def model_parallel_is_initialized(): + """Check if tensor and pipeline parallel groups are initialized.""" + return (ps._TP is not None) + # and _PIPELINE_MODEL_PARALLEL_GROUP is not None) + + +def initialize_model_parallel_for_vllm(tensor_model_parallel_size: int, + num_tensor_model_parallel_groups_per_train_tp: int = 1, + pipeline_model_parallel_size: int = 1) -> None: + from torch.distributed import new_group + # Get world size and rank. Ensure some consistencies. + assert torch.distributed.is_initialized() + + assert isinstance(tensor_model_parallel_size, int) + + # assert num_tensor_model_parallel_groups_per_train_tp == 1 and not different_tp_group + # assert num_tensor_model_parallel_groups_per_train_tp > 1 and different_tp_group + + # Build the tensor model-parallel groups. + assert ps._TP is None, ("tensor model parallel group is already initialized") + + global _TP + + world_size: int = torch.distributed.get_world_size() + + rank = torch.distributed.get_rank() + + backend = torch.distributed.get_backend() + + num_tensor_model_parallel_groups = world_size // tensor_model_parallel_size + + if num_tensor_model_parallel_groups_per_train_tp == 1: + # if tensor_model_parallel_size == train_tensor_parallel_size: + # using the same tp group as Megatron/vllm + assert _TP is None, ("tensor model parallel group is already initialized") + group_ranks = [] + for i in range(num_tensor_model_parallel_groups): + ranks = range(i * tensor_model_parallel_size, (i + 1) * tensor_model_parallel_size) + group_ranks.append(ranks) + _TP = init_model_parallel_group( + group_ranks=group_ranks, + local_rank=get_world_group().local_rank, + backend=backend, + use_custom_allreduce=False, # TODO: check why True is not work in Ray trainer + use_message_queue_broadcaster=True) + ps._TP = _TP + # _MICRO_DATA_PARALLEL_GROUP is move to hybrid engine + else: + # initialize a micro_dp group and a tp group + # assume training tp=4, infer tp=2, then, weight is partitioned as + # [1], [2], [3], [4] for training and [1,2], [1,2], [3,4], [3,4] for inference + + # Build the inference tp groups + # train_tp = train_tensor_parallel_size + train_tp = num_tensor_model_parallel_groups_per_train_tp * tensor_model_parallel_size + # num_tensor_model_parallel_groups_per_train_tp = train_tp // tensor_model_parallel_size + assert _TP is None, ("tensor model parallel group is already initialized") + group_ranks = [] + for i in range(num_tensor_model_parallel_groups // num_tensor_model_parallel_groups_per_train_tp): + start = train_tp * i + end = train_tp * (i + 1) + for j in range(num_tensor_model_parallel_groups_per_train_tp): + ranks = list(range(start, end, num_tensor_model_parallel_groups_per_train_tp)) + for i in range(len(ranks)): + ranks[i] += j + group_ranks.append(ranks) + _TP = init_model_parallel_group( + group_ranks=group_ranks, + local_rank=get_world_group().local_rank, + backend=backend, + use_custom_allreduce=False, # TODO: check why True is not work in Ray trainer + use_message_queue_broadcaster=True) + ps._TP = _TP + + # Build the pipeline model-parallel groups. + # global _PIPELINE_MODEL_PARALLEL_GROUP + # global _PIPELINE_GLOBAL_RANKS + # assert ps._PIPELINE_MODEL_PARALLEL_GROUP is None, ("pipeline model parallel group is already initialized") + + # ps._PIPELINE_MODEL_PARALLEL_GROUP = mpu.get_pipeline_model_parallel_group() + # ps._PIPELINE_GLOBAL_RANKS = mpu.get_pipeline_model_parallel_ranks() + + # TODO: init using device mesh (not support hybrid engine now) + # Build the pipeline model-parallel groups. + num_pipeline_model_parallel_groups: int = (world_size // pipeline_model_parallel_size) + global _PP + assert _PP is None, ("pipeline model parallel group is already initialized") + group_ranks = [] + for i in range(num_pipeline_model_parallel_groups): + ranks = list(range(i, world_size, num_pipeline_model_parallel_groups)) + group_ranks.append(ranks) + # pipeline parallel does not need custom allreduce + _PP = init_model_parallel_group(group_ranks, get_world_group().local_rank, backend, use_custom_allreduce=False) + ps._PP = _PP # for verl + + +def initialize_model_parallel( + tensor_model_parallel_size: int = 1, + pipeline_model_parallel_size: int = 1, + backend: Optional[str] = None, +) -> None: + """ + NOTE: This method is a hack from the open-sourced version without + asertion of world_size = tp * pp + + Initialize model parallel groups. + + Arguments: + tensor_model_parallel_size: number of GPUs used for tensor model + parallelism. + pipeline_model_parallel_size: number of GPUs used for pipeline model + parallelism. + + Let's say we have a total of 8 GPUs denoted by g0 ... g7 and we + use 2 GPUs to parallelize the model tensor, and 4 GPUs to parallelize + the model pipeline. The present function will + create 4 tensor model-parallel groups and 2 pipeline model-parallel groups: + 4 tensor model-parallel groups: + [g0, g1], [g2, g3], [g4, g5], [g6, g7] + 2 pipeline model-parallel groups: + [g0, g2, g4, g6], [g1, g3, g5, g7] + Note that for efficiency, the caller should make sure adjacent ranks + are on the same DGX box. For example if we are using 2 DGX-1 boxes + with a total of 16 GPUs, rank 0 to 7 belong to the first box and + ranks 8 to 15 belong to the second box. + """ + # Get world size and rank. Ensure some consistencies. + assert torch.distributed.is_initialized() + world_size: int = torch.distributed.get_world_size() + backend = backend or torch.distributed.get_backend(ps.get_world_group().device_group) + + # NOTE(sgm) we don't assert world_size == tp * pp + # DP is not managed by vllm but by the veRL WorkerGroup + # if (world_size != + # tensor_model_parallel_size * pipeline_model_parallel_size): + # raise RuntimeError( + # f"world_size ({world_size}) is not equal to " + # f"tensor_model_parallel_size ({tensor_model_parallel_size}) x " + # f"pipeline_model_parallel_size ({pipeline_model_parallel_size})") + + num_tensor_model_parallel_groups: int = (world_size // tensor_model_parallel_size) + rank = torch.distributed.get_rank() + global _TP + assert _TP is None, ("tensor model parallel group is already initialized") + group_ranks = [] + for i in range(num_tensor_model_parallel_groups): + ranks = list(range(i * tensor_model_parallel_size, (i + 1) * tensor_model_parallel_size)) + group_ranks.append(ranks) + + # message queue broadcaster is only used in tensor model parallel group + _TP = init_model_parallel_group( + group_ranks, + get_world_group().local_rank, + backend, + use_custom_allreduce=False, # TODO: check why True is not work in Ray trainer + use_message_queue_broadcaster=True) + ps._TP = _TP + + # TODO: init using device mesh (not support hybrid engine now) + # Build the pipeline model-parallel groups. + num_pipeline_model_parallel_groups: int = (world_size // pipeline_model_parallel_size) + global _PP + assert _PP is None, ("pipeline model parallel group is already initialized") + group_ranks = [] + for i in range(num_pipeline_model_parallel_groups): + ranks = list(range(i, world_size, num_pipeline_model_parallel_groups)) + group_ranks.append(ranks) + # pipeline parallel does not need custom allreduce + _PP = init_model_parallel_group(group_ranks, get_world_group().local_rank, backend, use_custom_allreduce=False) + ps._PP = _PP # for verl + + +""" +Device mesh utilities +""" + + +def get_device_mesh(): + assert _DEVICE_MESH is not None, ("device mesh is not initialized") + return _DEVICE_MESH + + +""" +Tensor model parallel utilities +""" + + +def get_tensor_model_parallel_group(): + """Get the tensor model parallel group the caller rank belongs to.""" + assert _TP is not None, ("tensor model parallel group is not initialized") + return _TP.device_group + + +def get_tensor_model_parallel_world_size(): + """Return world size for the tensor model parallel group.""" + return torch.distributed.get_world_size(group=get_tensor_model_parallel_group()) + + +def get_tensor_model_parallel_rank(): + """Return my rank for the tensor model parallel group.""" + return torch.distributed.get_rank(group=get_tensor_model_parallel_group()) + + +def get_tensor_model_parallel_src_rank(): + """Calculate the global rank corresponding to the first local rank + in the tensor model parallel group.""" + global_rank = torch.distributed.get_rank() + local_world_size = get_tensor_model_parallel_world_size() + return (global_rank // local_world_size) * local_world_size diff --git a/verl/third_party/vllm/vllm_v_0_5_4/spmd_gpu_executor.py b/verl/third_party/vllm/vllm_v_0_5_4/spmd_gpu_executor.py new file mode 100644 index 00000000..e9040d52 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_5_4/spmd_gpu_executor.py @@ -0,0 +1,253 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/executor/gpu_executor.py + +import os +import socket +from typing import Any, Dict, List, Optional, Set, Tuple + +import torch +import vllm.envs as envs +from vllm.executor.executor_base import ExecutorBase, ExecutorAsyncBase +from vllm.logger import init_logger +from vllm.lora.request import LoRARequest +from vllm.sequence import SamplerOutput, ExecuteModelRequest + +from vllm.config import (CacheConfig, DeviceConfig, LoRAConfig, MultiModalConfig, ParallelConfig, PromptAdapterConfig, + SchedulerConfig, SpeculativeConfig) +from .config import ModelConfig, LoadConfig + +logger = init_logger(__name__) + + +class SPMDGPUExecutor(ExecutorBase): + """SPMD-based multi-GPU executor implementations.""" + + def __init__( + self, + model, # pytorch model itself or its parameter dict + model_config: ModelConfig, + cache_config: CacheConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + device_config: DeviceConfig, + load_config: LoadConfig, + lora_config: Optional[LoRAConfig], + multimodal_config: Optional[MultiModalConfig], + speculative_config: Optional[SpeculativeConfig], + prompt_adapter_config: Optional[PromptAdapterConfig], + ) -> None: + self.model_config = model_config + self.cache_config = cache_config + self.lora_config = lora_config + self.load_config = load_config + self.parallel_config = parallel_config + self.scheduler_config = scheduler_config + self.device_config = device_config + self.multimodal_config = multimodal_config + self.speculative_config = speculative_config + self.prompt_adapter_config = prompt_adapter_config + + distributed_init_method = initialize_cluster(parallel_config) + self._init_executor(model, distributed_init_method) + + # TODO(sgm): verl not support speculative decode now + def _init_executor(self, model, distributed_init_method) -> None: + assert (not self.speculative_config), "Speculative decoding not yet supported for multi-GPU backend." + + # Create the parallel worker for each GPU. + self._init_workers_sp(model, distributed_init_method) + + def _init_workers_sp(self, model, distributed_init_method: str): + # Lazy import the Worker to avoid importing torch.cuda/xformers + # before CUDA_VISIBLE_DEVICES is set in the Worker + from .worker import Worker # pylint: disable=import-outside-toplevel + + rank = int(os.getenv("RANK")) + local_rank = int(os.getenv("LOCAL_RANK")) + print(f'local rank {local_rank}') + + # see https://github.com/NVIDIA/nccl/issues/1234 + os.environ['NCCL_CUMEM_ENABLE'] = '0' + + self.worker = Worker( + model, + self.model_config, + self.parallel_config, + self.scheduler_config, + self.device_config, + self.cache_config, + self.load_config, + local_rank, + rank, + distributed_init_method, + lora_config=self.lora_config, + multimodal_config=self.multimodal_config, + speculative_config=None, + prompt_adapter_config=self.speculative_config, + is_driver_worker=True, + model_runner_cls=None, # use the default one + ) + + # NOTE(shengguangming): torch.distributed.init_process_group will be called inside the init_model() + self.worker.init_device() + self.worker.load_model() + + def determine_num_available_blocks(self) -> Tuple[int, int]: + """Determine the number of available KV blocks. + + This invokes `determine_num_available_blocks` on each worker and takes + the min of the results, guaranteeing that the selected cache sizes are + compatible with all workers. + + Returns: + - tuple[num_gpu_blocks, num_cpu_blocks] + """ + # Get the maximum number of blocks that can be allocated on GPU and CPU. + num_blocks = self.worker.determine_num_available_blocks() + + # NOTE(shengguangming): Now we don't use a shared centralized controler but each process will + # have its own scheduler + num_gpu_blocks = num_blocks[0] + num_cpu_blocks = num_blocks[1] + + return num_gpu_blocks, num_cpu_blocks + + def initialize_cache(self, num_gpu_blocks: int, num_cpu_blocks: int) -> None: + """Initialize the KV cache in all workers. + """ + + # NOTE: We log here to avoid multiple logs when number of workers is + # greater than one. We could log in the engine, but not all executors + # have GPUs. + logger.info("# GPU blocks: %d, # CPU blocks: %d", num_gpu_blocks, num_cpu_blocks) + + self.cache_config.num_gpu_blocks = num_gpu_blocks + self.cache_config.num_cpu_blocks = num_cpu_blocks + + if torch.distributed.get_rank() == 0: + print( + f'before init cache memory allocated: {torch.cuda.memory_allocated() / 1e9}GB, reserved: {torch.cuda.memory_reserved() / 1e9}GB' + ) + self.worker.initialize_cache(num_gpu_blocks=num_gpu_blocks, num_cpu_blocks=num_cpu_blocks) + if torch.distributed.get_rank() == 0: + print( + f'after init cache memory allocated: {torch.cuda.memory_allocated() / 1e9}GB, reserved: {torch.cuda.memory_reserved() / 1e9}GB' + ) + + # NOTE(sgm): This will not profile & capture the model(CUDAGraph) when rebuilding KVCache + def init_cache_engine(self) -> None: + self.worker._init_cache_engine() + + def free_cache_engine(self) -> None: + self.worker.free_cache_engine() + + def execute_model(self, execute_model_req) -> List[SamplerOutput]: + all_outputs = self.worker.execute_model(execute_model_req=execute_model_req) + + # NOTE(sgm): + # Each GPU in vllm under verl has its own spmd_gpu_executor, therefore all GPUs should return the outputs + # In vllm with ray, only the driver worker returns the sampling results. + return all_outputs + + def add_lora(self, lora_request: LoRARequest) -> bool: + assert lora_request.lora_int_id > 0, "lora_id must be greater than 0." + return self.worker.add_lora(lora_request=lora_request) + + def remove_lora(self, lora_id: int) -> bool: + assert lora_id > 0, "lora_id must be greater than 0." + return self.worker.remove_lora(lora_id=lora_id) + + def list_loras(self) -> Set[int]: + return self.worker.list_loras() + + def check_health(self) -> None: + # SPMDExecutor will always be healthy as long as + # it's running. + return + + # NOTE(sgm) add for verl to pass the abstract class test, not used + from vllm.prompt_adapter.request import PromptAdapterRequest + + def add_prompt_adapter(self, prompt_adapter_request: PromptAdapterRequest) -> bool: + assert prompt_adapter_request.prompt_adapter_id > 0, \ + "prompt_adapter_id must be greater than 0." + return self.worker.add_prompt_adapter(prompt_adapter_request) + + def list_prompt_adapters(self) -> Set[int]: + return self.worker.list_prompt_adapters() + + def pin_lora(self, lora_id: int) -> bool: + assert lora_id > 0, "lora_id must be greater than 0." + return self.worker.pin_lora(lora_id) + + def pin_prompt_adapter(self, prompt_adapter_id: int) -> bool: + assert prompt_adapter_id > 0, \ + "prompt_adapter_id must be greater than 0." + return self.worker.pin_prompt_adapter(prompt_adapter_id) + + def remove_prompt_adapter(self, prompt_adapter_id: int) -> bool: + assert prompt_adapter_id > 0, \ + "prompt_adapter_id must be greater than 0." + return self.worker.remove_prompt_adapter(prompt_adapter_id) + + # NOTE(sgm): add for verl + def offload_model_weights(self) -> None: + self.worker.offload_model_weights() + + def sync_model_weights(self, actor_weights: Dict[str, torch.Tensor], load_format: str) -> None: + self.worker.sync_model_weights(actor_weights=actor_weights, load_format=load_format) + + +def initialize_cluster( + parallel_config: ParallelConfig, + engine_use_ray: bool = False, + ray_address: Optional[str] = None, +) -> Tuple[str, Optional[None]]: + """Initialize the distributed cluster probably with Ray. + + Args: + parallel_config: The configurations for parallel execution. + + Returns: + The `distributed_init_method` is the address for initializing the + distributed backend. + """ + + # Initialize cluster locally. + port = get_open_port() + # We need to setup the distributed init method to make sure + # the distributed megatron code (e.g., get world size) works correctly. + # distributed_init_method = f"tcp://localhost:{port}" + distributed_init_method = 'env://' + return distributed_init_method + + +def get_open_port(): + with socket.socket(socket.AF_INET, socket.SOCK_STREAM) as s: + s.bind(("", 0)) + return s.getsockname()[1] + + +# TODO(sgm): not implemented async executor yet +class SPMDGPUExecutorAsync(SPMDGPUExecutor, ExecutorAsyncBase): + + async def execute_model_async(self, execute_model_req: ExecuteModelRequest) -> List[SamplerOutput]: + """Executes one model step on the given sequences.""" + raise NotImplementedError + + async def check_health_async(self) -> None: + """Checks if the executor is healthy. If not, it should raise an + exception.""" + self.check_health() diff --git a/verl/third_party/vllm/vllm_v_0_5_4/tokenizer.py b/verl/third_party/vllm/vllm_v_0_5_4/tokenizer.py new file mode 100644 index 00000000..aa625a03 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_5_4/tokenizer.py @@ -0,0 +1,77 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/transformers_utils/tokenizer_group/tokenizer_group.py + +from typing import List, Optional, Tuple, Union + +from transformers import (AutoTokenizer, PreTrainedTokenizer, PreTrainedTokenizerFast) + +from vllm.lora.request import LoRARequest +from vllm.utils import make_async, LRUCache +from vllm.transformers_utils.tokenizers import * + + +class TokenizerGroup: + """A group of tokenizers that can be used for LoRA adapters.""" + + def __init__(self, tokenizer: PreTrainedTokenizer, enable_lora: bool, max_num_seqs: int, + max_input_length: Optional[int]): + self.enable_lora = enable_lora + self.max_input_length = max_input_length + self.tokenizer = tokenizer + self.lora_tokenizers = LRUCache[PreTrainedTokenizer](capacity=max_num_seqs) if enable_lora else None + + def ping(self) -> bool: + """Check if the tokenizer group is alive.""" + return True + + def get_max_input_len(self, lora_request: Optional[LoRARequest] = None) -> Optional[int]: + """Get the maximum input length for the LoRA request.""" + return self.max_input_length + + def encode(self, + prompt: str, + request_id: Optional[str] = None, + lora_request: Optional[LoRARequest] = None) -> List[int]: + tokenizer = self.get_lora_tokenizer(lora_request) + return tokenizer.encode(prompt) + + async def encode_async(self, + prompt: str, + request_id: Optional[str] = None, + lora_request: Optional[LoRARequest] = None) -> List[int]: + tokenizer = await self.get_lora_tokenizer_async(lora_request) + return tokenizer.encode(prompt) + + def get_lora_tokenizer(self, lora_request: Optional[LoRARequest]) -> "PreTrainedTokenizer": + if not lora_request or not self.enable_lora: + return self.tokenizer + if lora_request.lora_int_id not in self.lora_tokenizers: + # TODO(sgm): the lora tokenizer is also passed, but may be different + tokenizer = self.tokenizer + # tokenizer = (get_lora_tokenizer( + # lora_request, **self.tokenizer_config) or self.tokenizer) + self.lora_tokenizers.put(lora_request.lora_int_id, tokenizer) + return tokenizer + else: + return self.lora_tokenizers.get(lora_request.lora_int_id) + + # FIXME(sgm): for simplicity, we assign the special token here + @property + def pad_token_id(self): + return self.tokenizer.pad_token_id + + @property + def eos_token_id(self): + return self.tokenizer.eos_token_id diff --git a/verl/third_party/vllm/vllm_v_0_5_4/worker.py b/verl/third_party/vllm/vllm_v_0_5_4/worker.py new file mode 100644 index 00000000..a5deb675 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_5_4/worker.py @@ -0,0 +1,323 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/worker/worker.py +"""A GPU worker class.""" +import os +import gc +from typing import Dict, List, Tuple, Optional, Union, Type + +import torch +import torch.distributed +import torch.nn as nn + +from vllm.config import (CacheConfig, DeviceConfig, LoRAConfig, MultiModalConfig, ParallelConfig, PromptAdapterConfig, + SchedulerConfig, SpeculativeConfig) +from vllm.model_executor import set_random_seed +from vllm.sequence import (ExecuteModelRequest, IntermediateTensors, SamplerOutput) +from vllm.worker.cache_engine import CacheEngine +# TODO(sgm): check why vllm has similar file in vllm.model_executor.parallel_utils.parallel_state +from vllm.distributed import (init_distributed_environment, set_custom_all_reduce, get_tensor_model_parallel_group) +from vllm.worker.worker_base import WorkerInput +from vllm.worker.worker import Worker, _check_if_gpu_supports_dtype +from vllm.worker.model_runner_base import ModelRunnerBase, ModelRunnerInputBase +from vllm.worker.embedding_model_runner import EmbeddingModelRunner +from vllm.worker.model_runner import GPUModelRunnerBase +from .model_runner import ModelRunner +from .megatron_weight_loaders import load_megatron_weights +from .hf_weight_loader import load_hf_weights +from .dtensor_weight_loaders import load_dtensor_weights +from .parallel_state import (ensure_model_parallel_initialized) +from .config import ModelConfig, LoadConfig, LoadFormat + + +class Worker(Worker): + """A worker class that executes (a partition of) the model on a GPU. + + Each worker is associated with a single GPU. The worker is responsible for + maintaining the KV cache and executing the model on the GPU. In case of + distributed inference, each worker is assigned a partition of the model. + """ + + def __init__( + self, + model: Union[nn.Module, Dict], # model itself or its parameter dict + model_config: ModelConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + device_config: DeviceConfig, + cache_config: CacheConfig, + load_config: LoadConfig, + local_rank: int, + rank: int, + distributed_init_method: str, + lora_config: Optional[LoRAConfig] = None, + multimodal_config: Optional[MultiModalConfig] = None, + speculative_config: Optional[SpeculativeConfig] = None, + prompt_adapter_config: Optional[PromptAdapterConfig] = None, + is_driver_worker: bool = False, + model_runner_cls: Optional[Type[GPUModelRunnerBase]] = None, + ) -> None: + # self.model = model # will be replaced in the init_model + self.model_config = model_config + self.parallel_config = parallel_config + self.parallel_config.rank = rank + self.scheduler_config = scheduler_config + self.device_config = device_config + self.cache_config = cache_config + self.local_rank = local_rank + self.rank = rank + self.distributed_init_method = distributed_init_method + self.lora_config = lora_config + self.load_config = load_config + self.prompt_adapter_config = prompt_adapter_config + self.is_driver_worker = is_driver_worker # TODO: we don't need driver + # if parallel_config and is_driver_worker: + # assert rank % parallel_config.tensor_parallel_size == 0, \ + # "Driver worker should be rank 0 of tensor parallel group." + if self.model_config.trust_remote_code: + # note: lazy import to avoid importing torch before initializing + from vllm.utils import init_cached_hf_modules + init_cached_hf_modules() + self.multimodal_config = multimodal_config + + # Return hidden states from target model if the draft model is an + # mlp_speculator + speculative_args = {} if speculative_config is None \ + or (speculative_config.draft_model_config.model == + model_config.model) \ + or (speculative_config.draft_model_config.hf_config.model_type + not in ["medusa", "mlp_speculator"]) \ + else {"return_hidden_states": True} + + # TODO(sgm): set correct model runner class + ModelRunnerClass: Type[GPUModelRunnerBase] = ModelRunner + if model_runner_cls is not None: + ModelRunnerClass = model_runner_cls + elif self.model_config.embedding_mode: + ModelRunnerClass = EmbeddingModelRunner + self.model_runner: GPUModelRunnerBase = ModelRunnerClass( + model, # [VERL]: add for verl + model_config, + parallel_config, + scheduler_config, + device_config, + cache_config, + load_config=load_config, + lora_config=self.lora_config, + kv_cache_dtype=self.cache_config.cache_dtype, + is_driver_worker=is_driver_worker, + prompt_adapter_config=prompt_adapter_config, + multimodal_config=multimodal_config, + **speculative_args, + ) + + # Uninitialized cache engine. Will be initialized by + # initialize_cache. + self.cache_engine: List[CacheEngine] = None + # Initialize gpu_cache as embedding models don't initialize kv_caches + self.gpu_cache: Optional[List[List[torch.Tensor]]] = None + + # NOTE(sgm): [VERL] For offloading inference engine params + self.cpu_model = None + + def init_device(self) -> None: + if self.device_config.device.type == "cuda": + # torch.distributed.all_reduce does not free the input tensor until + # the synchronization point. This causes the memory usage to grow + # as the number of all_reduce calls increases. This env var disables + # this behavior. + # Related issue: + # https://discuss.pytorch.org/t/cuda-allocation-lifetime-for-inputs-to-distributed-all-reduce/191573 + os.environ["TORCH_NCCL_AVOID_RECORD_STREAMS"] = "1" + + # NOTE(sgm): Modify for verl, Env vars will be set by TORCHRUN. + self.rank = self.rank if self.rank is not None else int(os.getenv("RANK", "-1")) + local_rank = int(os.getenv("LOCAL_RANK", "0")) + self.device = torch.device(f"cuda:{local_rank}") + if self.rank < 0: + raise ValueError("Invalid or unspecified rank.") + torch.cuda.set_device(self.device) + + # Use the world_size set by TORCHRUN + world_size = int(os.getenv("WORLD_SIZE", "-1")) + assert world_size != -1, "The world_size is set to -1, not initialized by TORCHRUN" + self.parallel_config.world_size = world_size + + _check_if_gpu_supports_dtype(self.model_config.dtype) + torch.cuda.empty_cache() + self.init_gpu_memory = torch.cuda.mem_get_info()[0] + else: + raise RuntimeError(f"Not support device type: {self.device_config.device}") + + # Initialize the distributed environment. + init_worker_distributed_environment(self.parallel_config, self.rank, self.distributed_init_method, + self.local_rank) + # Set random seed. + set_random_seed(self.model_config.seed) + # self.model = get_model(actor_model=self.model, model_config=self.model_config) + + @torch.inference_mode() + def determine_num_available_blocks(self) -> Tuple[int, int]: + """Profiles the peak memory usage of the model to determine how many + KV blocks may be allocated without OOMs. + + The engine will first conduct a profiling of the existing memory usage. + Then, it calculate the maximum possible number of GPU and CPU blocks + that can be allocated with the remaining free memory. + + .. tip:: + You may limit the usage of GPU memory + by adjusting the `gpu_memory_utilization` parameter. + """ + # Profile the memory usage of the model and get the maximum number of + # cache blocks that can be allocated with the remaining free memory. + torch.cuda.empty_cache() + # torch.cuda.reset_peak_memory_stats() + + # Execute a forward pass with dummy inputs to profile the memory usage + # of the model. + self.model_runner.profile_run() + + # Calculate the number of blocks that can be allocated with the + # profiled peak memory. + torch.cuda.synchronize() + free_gpu_memory, total_gpu_memory = torch.cuda.mem_get_info() + peak_memory = total_gpu_memory - free_gpu_memory + + assert peak_memory > 0, ("Error in memory profiling. This happens when the GPU memory was " + "not properly cleaned up before initializing the vLLM instance.") + + cache_block_size = self.get_cache_block_size_bytes() + + # NOTE(sgm) [VERL] use the remaining memory + num_gpu_blocks = int((free_gpu_memory * self.cache_config.gpu_memory_utilization) // cache_block_size) + # num_gpu_blocks = int((total_gpu_memory * self.cache_config.gpu_memory_utilization - peak_memory) // cache_block_size) + + num_cpu_blocks = int(self.cache_config.swap_space_bytes // cache_block_size) + num_gpu_blocks = max(num_gpu_blocks, 0) + num_cpu_blocks = max(num_cpu_blocks, 0) + if self.model_runner.lora_manager: + self.model_runner.remove_all_loras() + + # NOTE(sgm): Add for [VERL], synchronize number of blocks with all the rank + num_gpu_blocks = torch.tensor([num_gpu_blocks], device='cuda') + num_cpu_blocks = torch.tensor([num_cpu_blocks], device='cuda') + + torch.distributed.all_reduce(num_gpu_blocks, + op=torch.distributed.ReduceOp.MIN, + group=get_tensor_model_parallel_group().device_group) + torch.distributed.all_reduce(num_cpu_blocks, + op=torch.distributed.ReduceOp.MIN, + group=get_tensor_model_parallel_group().device_group) + num_gpu_blocks = num_gpu_blocks.item() + num_cpu_blocks = num_cpu_blocks.item() + gc.collect() + torch.cuda.empty_cache() + return num_gpu_blocks, num_cpu_blocks + + def _init_cache_engine(self): + if self.cache_engine is None and self.gpu_cache is None: + super()._init_cache_engine() + + def free_cache_engine(self): + # ensure `enforce_eager=True` + self.cache_engine = None + self.gpu_cache = None + + # NOTE(sgm): [VERL]: adapt from _execute_model_spmd() + def execute_model(self, + execute_model_req: ExecuteModelRequest, + intermediate_tensors: Optional[IntermediateTensors] = None) -> Optional[List[SamplerOutput]]: + """ + Execute model in Single Program Multiple Data (SPMD) fashion. + All workers take the same request, prepare the input and + execute the model. + """ + assert execute_model_req is not None, ("_execute_model_spmd() requires each worker to take in an " + "ExecuteModelRequest") + worker_input: WorkerInput = self.prepare_worker_input(execute_model_req=execute_model_req) + model_input: ModelRunnerInputBase = (self.model_runner.prepare_model_input( + execute_model_req.seq_group_metadata_list)) + + # verl.worker.workerbase.WorkerBase + # swap cache + super().execute_worker(worker_input) + + # If there is no input, we don't need to execute the model. + if worker_input.num_seq_groups == 0: + return [] + + return self.model_runner.execute_model( + model_input, self.kv_cache[worker_input.virtual_engine] if self.kv_cache is not None else None, + intermediate_tensors) + + # assume the input is .state_dict() + def sync_model_weights(self, actor_weights: Dict, load_format: str): + if load_format in [LoadFormat.MEGATRON, LoadFormat.AUTO]: + load_megatron_weights(actor_weights, self.model_runner.model) + elif load_format == LoadFormat.HF: + # full model state dict without no sharding + load_hf_weights(actor_weights, self.model_runner.model) + elif load_format == LoadFormat.DTENSOR: + load_dtensor_weights(actor_weights, self.model_runner.model) + + def offload_model_weights(self) -> None: + if self.cpu_model == None: + self.cpu_model = {} + for name, params in self.model_runner.model.named_parameters(): + self.cpu_model[name] = torch.empty_like(params, device='cpu') + params.data = self.cpu_model[name] + else: + for name, params in self.model_runner.model.named_parameters(): + params.data = self.cpu_model[name] + + +def init_worker_distributed_environment( + parallel_config: ParallelConfig, + rank: int, + distributed_init_method: Optional[str] = "env://", + local_rank: int = -1, +) -> None: + """Initialize the distributed environment.""" + set_custom_all_reduce(not parallel_config.disable_custom_all_reduce) + + # NOTE(sgm) use tcp://localhost:xxxx will hang in HF setting without megatron + init_distributed_environment(parallel_config.world_size, rank, distributed_init_method, local_rank) + + ensure_model_parallel_initialized(tensor_model_parallel_size=parallel_config.tensor_parallel_size, + pipeline_model_parallel_size=parallel_config.pipeline_parallel_size) + + # TODO(sgm): check whether need this + # if pynccl_utils.is_initialized(): + # pynccl_world_size = pynccl_utils.get_world_size() + # if pynccl_world_size != parallel_config.world_size: + # raise RuntimeError( + # "pynccl is already initialized but the pynccl world " + # "size does not match parallel_config.world_size " + # f"({pynccl_world_size} vs. {parallel_config.world_size}).") + # elif parallel_config.world_size > 1: + # # NOTE(woosuk): We don't initialize pynccl process group when world size + # # is 1. + # # NOTE(kaichao): By default, pynccl is initialized for tp group. + # pynccl_utils.init_process_group( + # group=get_tensor_model_parallel_cpu_group()) + + # # Initialize a custom fast all-reduce implementation. + # if not parallel_config.disable_custom_all_reduce: + # init_custom_ar() + + # A small all_reduce for warmup. + torch.distributed.all_reduce(torch.zeros(1).cuda()) + # if pynccl_utils.is_initialized(): + # pynccl_utils.all_reduce(torch.zeros(1).cuda()) diff --git a/verl/third_party/vllm/vllm_v_0_6_3/__init__.py b/verl/third_party/vllm/vllm_v_0_6_3/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_6_3/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/third_party/vllm/vllm_v_0_6_3/arg_utils.py b/verl/third_party/vllm/vllm_v_0_6_3/arg_utils.py new file mode 100644 index 00000000..bc4685c5 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_6_3/arg_utils.py @@ -0,0 +1,78 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/engine/arg_utils.py + +import os +from dataclasses import dataclass + +from transformers import PretrainedConfig +from vllm.config import EngineConfig +from vllm.engine.arg_utils import EngineArgs + +from .config import LoadConfig, ModelConfig + + +@dataclass +class EngineArgs(EngineArgs): + model_hf_config: PretrainedConfig = None # for verl + + def __post_init__(self): + pass + + def create_model_config(self) -> ModelConfig: + return ModelConfig( + hf_config=self.model_hf_config, + tokenizer_mode=self.tokenizer_mode, + trust_remote_code=self.trust_remote_code, + dtype=self.dtype, + seed=self.seed, + revision=self.revision, + code_revision=self.code_revision, + rope_scaling=self.rope_scaling, + rope_theta=self.rope_theta, + tokenizer_revision=self.tokenizer_revision, + max_model_len=self.max_model_len, + quantization=self.quantization, + quantization_param_path=self.quantization_param_path, + enforce_eager=self.enforce_eager, + max_context_len_to_capture=self.max_context_len_to_capture, + max_seq_len_to_capture=self.max_seq_len_to_capture, + max_logprobs=self.max_logprobs, + disable_sliding_window=self.disable_sliding_window, + skip_tokenizer_init=self.skip_tokenizer_init, + served_model_name=self.served_model_name, + limit_mm_per_prompt=self.limit_mm_per_prompt, + use_async_output_proc=not self.disable_async_output_proc, + override_neuron_config=self.override_neuron_config, + config_format=self.config_format, + mm_processor_kwargs=self.mm_processor_kwargs, + ) + + def create_load_config(self) -> LoadConfig: + return LoadConfig( + load_format=self.load_format, + download_dir=self.download_dir, + model_loader_extra_config=self.model_loader_extra_config, + ignore_patterns=self.ignore_patterns, + ) + + def create_engine_config(self) -> EngineConfig: + engine_config = super().create_engine_config() + + # NOTE[VERL]: Use the world_size set by torchrun + world_size = int(os.getenv("WORLD_SIZE", "-1")) + assert world_size != -1, "The world_size is set to -1, not initialized by TORCHRUN" + engine_config.parallel_config.world_size = world_size + + return engine_config diff --git a/verl/third_party/vllm/vllm_v_0_6_3/config.py b/verl/third_party/vllm/vllm_v_0_6_3/config.py new file mode 100644 index 00000000..d7cee451 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_6_3/config.py @@ -0,0 +1,105 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/config.py + +import enum +import json +from dataclasses import dataclass, field +from typing import TYPE_CHECKING, List, Optional, Union + +from transformers import PretrainedConfig + +# Add for verl +from vllm.config import ModelConfig +from vllm.logger import init_logger +from vllm.utils import is_hip + +if TYPE_CHECKING: + from vllm.model_executor.model_loader.loader import BaseModelLoader + +logger = init_logger(__name__) + + +class LoadFormat(str, enum.Enum): + AUTO = "auto" + MEGATRON = "megatron" + HF = "hf" + DTENSOR = "dtensor" + DUMMY_HF = "dummy_hf" + DUMMY_MEGATRON = "dummy_megatron" + DUMMY_DTENSOR = "dummy_dtensor" + + +class ModelConfig(ModelConfig): + + def __init__(self, hf_config: PretrainedConfig, *args, **kwargs) -> None: + super().__init__(model=hf_config._name_or_path, tokenizer=hf_config._name_or_path, *args, **kwargs) + self.hf_config = hf_config + + +@dataclass +class LoadConfig: + """ + download_dir: Directory to download and load the weights, default to the + default cache directory of huggingface. + load_format: The format of the model weights to load: + "auto" will try to load the weights in the safetensors format and + fall back to the pytorch bin format if safetensors format is + not available. + "pt" will load the weights in the pytorch bin format. + "safetensors" will load the weights in the safetensors format. + "npcache" will load the weights in pytorch format and store + a numpy cache to speed up the loading. + "dummy" will initialize the weights with random values, which is + mainly for profiling. + "tensorizer" will use CoreWeave's tensorizer library for + fast weight loading. + "bitsandbytes" will load nf4 type weights. + ignore_patterns: The list of patterns to ignore when loading the model. + Default to "original/**/*" to avoid repeated loading of llama's + checkpoints. + + """ + + load_format: Union[str, LoadFormat, "BaseModelLoader"] = LoadFormat.AUTO + download_dir: Optional[str] = None + model_loader_extra_config: Optional[Union[str, dict]] = field(default_factory=dict) + ignore_patterns: Optional[Union[List[str], str]] = None + + def __post_init__(self): + model_loader_extra_config = self.model_loader_extra_config or {} + if isinstance(model_loader_extra_config, str): + self.model_loader_extra_config = json.loads(model_loader_extra_config) + self._verify_load_format() + + if self.ignore_patterns is not None and len(self.ignore_patterns) > 0: + logger.info("Ignoring the following patterns when downloading weights: %s", self.ignore_patterns) + else: + self.ignore_patterns = ["original/**/*"] + + def _verify_load_format(self) -> None: + if not isinstance(self.load_format, str): + return + + load_format = self.load_format.lower() + self.load_format = LoadFormat(load_format) + + rocm_not_supported_load_format: List[str] = [] + if is_hip() and load_format in rocm_not_supported_load_format: + rocm_supported_load_format = [ + f for f in LoadFormat.__members__ if (f not in rocm_not_supported_load_format) + ] + raise ValueError(f"load format '{load_format}' is not supported in ROCm. " + f"Supported load formats are " + f"{rocm_supported_load_format}") diff --git a/verl/third_party/vllm/vllm_v_0_6_3/dtensor_weight_loaders.py b/verl/third_party/vllm/vllm_v_0_6_3/dtensor_weight_loaders.py new file mode 100644 index 00000000..a3042cab --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_6_3/dtensor_weight_loaders.py @@ -0,0 +1,380 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/tree/main/vllm/model_executor/model_loader + +from typing import Dict + +import torch.nn as nn +from torch.distributed._tensor import DTensor +from vllm.model_executor.model_loader.weight_utils import default_weight_loader +from vllm.model_executor.models.utils import is_pp_missing_parameter + + +def gemma_dtensor_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + ("qkv_proj", "q_proj", "q"), + ("qkv_proj", "k_proj", "k"), + ("qkv_proj", "v_proj", "v"), + ("gate_up_proj", "gate_proj", 0), + ("gate_up_proj", "up_proj", 1), + ] + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + for param_name, shard_name, shard_id in stacked_params_mapping: + if shard_name not in name: + continue + stacked_name = name.replace(shard_name, param_name) + # Skip loading extra bias for GPTQ models. + if stacked_name.endswith(".bias") and stacked_name not in params_dict: + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[stacked_name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype), shard_id) + break + else: + # lm_head is not used in vllm as it is tied with embed_token. + # To prevent errors, skip loading lm_head.weight. + if "lm_head.weight" in name: + continue + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype)) + + +def gptbigcode_dtensor_load_weights(actor_weights: Dict, vllm_model: nn.Module): + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "lm_head.weight" in name: + continue + if ".attn.bias" in name: + # Skip attention mask. + # NOTE: "c_attn.bias" should not be skipped. + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype)) + + +def starcoder2_dtensor_load_weights(actor_weights: Dict, vllm_model: nn.Module): + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + ("qkv_proj", "q_proj", "q"), + ("qkv_proj", "k_proj", "k"), + ("qkv_proj", "v_proj", "v"), + ] + + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + + for param_name, weight_name, shard_id in stacked_params_mapping: + if weight_name not in name: + continue + name = name.replace(weight_name, param_name) + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = param.weight_loader + weight_loader(param, local_loaded_weight.to(dtype=param.dtype), shard_id) + break + else: + if vllm_model.config.tie_word_embeddings and "lm_head.weight" in name: + continue + param = params_dict[name] + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype)) + + +def llama_dtensor_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + (".qkv_proj", ".q_proj", "q"), + (".qkv_proj", ".k_proj", "k"), + (".qkv_proj", ".v_proj", "v"), + (".gate_up_proj", ".gate_proj", 0), + (".gate_up_proj", ".up_proj", 1), + ] + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + if "rotary_emb.cos_cached" in name or "rotary_emb.sin_cached" in name: + # Models trained using ColossalAI may include these tensors in + # the checkpoint. Skip them. + continue + # With tie_word_embeddings, we can skip lm_head.weight + # The weight might appear unnecessarily in the files if the model is + # processed with quantization, LoRA, fine-tuning, etc. + if vllm_model.config.tie_word_embeddings and "lm_head.weight" in name: + continue + for param_name, weight_name, shard_id in stacked_params_mapping: + if weight_name not in name: + continue + name = name.replace(weight_name, param_name) + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = param.weight_loader + weight_loader(param, local_loaded_weight.to(dtype=param.dtype), shard_id) + break + else: + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight) + + +def qwen2_dtensor_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + ("qkv_proj", "q_proj", "q"), + ("qkv_proj", "k_proj", "k"), + ("qkv_proj", "v_proj", "v"), + ("gate_up_proj", "gate_proj", 0), + ("gate_up_proj", "up_proj", 1), + ] + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + if vllm_model.config.tie_word_embeddings and "lm_head.weight" in name: + continue + for param_name, weight_name, shard_id in stacked_params_mapping: + if weight_name not in name: + continue + name = name.replace(weight_name, param_name) + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = param.weight_loader + weight_loader(param, local_loaded_weight.to(dtype=param.dtype), shard_id) + break + else: + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + param = params_dict[name] + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype)) + + +def qwen2vl_dtensor_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + ("qkv_proj", "q_proj", "q"), + ("qkv_proj", "k_proj", "k"), + ("qkv_proj", "v_proj", "v"), + ("gate_up_proj", "gate_proj", 0), + ("gate_up_proj", "up_proj", 1), + ] + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + if vllm_model.config.tie_word_embeddings and "lm_head.weight" in name: + continue + for param_name, weight_name, shard_id in stacked_params_mapping: + if weight_name not in name: + continue + name = name.replace(weight_name, param_name) + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + param = params_dict[name] + weight_loader = param.weight_loader + weight_loader(param, local_loaded_weight.to(dtype=param.dtype), shard_id) + break + else: + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + param = params_dict[name] + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype)) + + +from vllm.model_executor.layers.fused_moe import FusedMoE + + +def deepseekv2_dtensor_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + stacked_params_mapping = [ + # (param_name, shard_name, shard_id) + ("gate_up_proj", "gate_proj", 0), + ("gate_up_proj", "up_proj", 1), + ] + + # Params for weights, fp8 weight scales, fp8 activation scales + # (param_name, weight_name, expert_id, shard_id) + expert_params_mapping = FusedMoE.make_expert_params_mapping( + ckpt_gate_proj_name="gate_proj", + ckpt_down_proj_name="down_proj", + ckpt_up_proj_name="up_proj", + num_experts=vllm_model.config.n_routed_experts, + ) + + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + for param_name, weight_name, shard_id in stacked_params_mapping: + # Skip non-stacked layers and experts (experts handled below). + if weight_name not in name: + continue + # We have mlp.experts[0].gate_proj in the checkpoint. + # Since we handle the experts below in expert_params_mapping, + # we need to skip here BEFORE we update the name, otherwise + # name will be updated to mlp.experts[0].gate_up_proj, which + # will then be updated below in expert_params_mapping + # for mlp.experts[0].gate_gate_up_proj, which breaks load. + if ("mlp.experts." in name) and name not in params_dict: + continue + name = name.replace(weight_name, param_name) + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + + if is_pp_missing_parameter(name, vllm_model): + continue + + param = params_dict[name] + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype), shard_id) + break + else: + for mapping in expert_params_mapping: + param_name, weight_name, expert_id, shard_id = mapping + if weight_name not in name: + continue + name = name.replace(weight_name, param_name) + + if is_pp_missing_parameter(name, vllm_model): + continue + + param = params_dict[name] + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader( + param, + local_loaded_weight.to(dtype=param.dtype), + weight_name, + shard_id=shard_id, + expert_id=expert_id, + ) + break + else: + # Skip loading extra bias for GPTQ models. + if name.endswith(".bias") and name not in params_dict: + continue + + if is_pp_missing_parameter(name, vllm_model): + continue + + param = params_dict[name] + local_loaded_weight = redistribute_dtensor(param_name=name, loaded_weights=loaded_weight) + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, local_loaded_weight.to(dtype=param.dtype)) + + +def gpt2_dtensor_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + pass + + +def redistribute_dtensor(param_name: str, loaded_weights: DTensor, parallelize_plan: Dict = None): + param_name = _process_parameter_names(name=param_name) + if parallelize_plan is not None: + assert ( + param_name + in parallelize_plan.keys()), f"param name: {param_name} not in parallelize_plan :{parallelize_plan.keys()}" + placement = parallelize_plan[param_name] + local_loaded_weights = loaded_weights.redistribute(device_mesh=loaded_weights.device_mesh, + placements=placement).to_local() + else: + local_loaded_weights = loaded_weights.full_tensor() + return local_loaded_weights + + +def _process_parameter_names(name): + # Remove '.weight' if it exists at the end of the string + if name.endswith(".weight"): + name = name[:-7] + + # Remove 'model.layers.x.' or 'model.' prefix + if "model.layers" in name: + parts = name.split(".") + # Reconstruct the string without 'model.layers.x.' + name = ".".join(parts[3:]) # parts[0] is 'model', parts[1] is 'layers', parts[2] is 'x' + elif name.startswith("model."): + name = name[6:] # Remove 'model.' + + return name + + +__MODEL_DTENSOR_WEIGHT_LOADER_REGISTRY__ = { + "GPT2LMHeadModel": gpt2_dtensor_weight_loader, + "LlamaForCausalLM": llama_dtensor_weight_loader, + "LLaMAForCausalLM": llama_dtensor_weight_loader, + "MistralForCausalLM": llama_dtensor_weight_loader, # mistral is the same as llama in vLLM + "InternLMForCausalLM": llama_dtensor_weight_loader, + "AquilaModel": llama_dtensor_weight_loader, + "AquilaForCausalLM": llama_dtensor_weight_loader, + "Phi3ForCausalLM": llama_dtensor_weight_loader, + "GemmaForCausalLM": gemma_dtensor_weight_loader, + "Gemma2ForCausalLM": gemma_dtensor_weight_loader, + "GPTBigCodeForCausalLM": gptbigcode_dtensor_load_weights, + "Starcoder2ForCausalLM": starcoder2_dtensor_load_weights, + "Qwen2ForCausalLM": qwen2_dtensor_weight_loader, + "DeepseekV2ForCausalLM": deepseekv2_dtensor_weight_loader, + "Qwen2VLForConditionalGeneration": qwen2vl_dtensor_weight_loader, +} + + +# the actor model is .state_dict() +# Load dtensor weights +def load_dtensor_weights(actor_weights: Dict, vllm_model: nn.Module): + weight_loader = _get_model_weight_loader(vllm_model.__class__.__name__) + weight_loader(actor_weights, vllm_model) + # NOTE(sgm) to reduce peak memory usage, we offload vllm model to cpu + # after init, and we need this after sync model weights for in first iter. + vllm_model = vllm_model.cuda() + + +def _get_model_weight_loader(arch: str): + if arch in __MODEL_DTENSOR_WEIGHT_LOADER_REGISTRY__: + return __MODEL_DTENSOR_WEIGHT_LOADER_REGISTRY__[arch] + raise ValueError(f"Model architectures {arch} are not supported for now. " + f"Supported architectures: {__MODEL_DTENSOR_WEIGHT_LOADER_REGISTRY__.keys()}") + + +# NOTE(sgm): we use per-parameter weight loader in each vllm sub +def update_dtensor_weight_loader(): + pass diff --git a/verl/third_party/vllm/vllm_v_0_6_3/hf_weight_loader.py b/verl/third_party/vllm/vllm_v_0_6_3/hf_weight_loader.py new file mode 100644 index 00000000..a3e5b22b --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_6_3/hf_weight_loader.py @@ -0,0 +1,41 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/tree/main/vllm/model_executor/model_loader + +from typing import Dict + +import torch.nn as nn +from vllm.model_executor.model_loader.utils import set_default_torch_dtype + + +def update_hf_weight_loader(): + print("no hf weight loader need to be updated") + return + + +def load_hf_weights(actor_weights: Dict, vllm_model: nn.Module): + assert isinstance(actor_weights, Dict) + with set_default_torch_dtype(next(vllm_model.parameters()).dtype): # TODO + if vllm_model.config.tie_word_embeddings and "lm_head.weight" in actor_weights.keys(): + del actor_weights["lm_head.weight"] + vllm_model.load_weights(actor_weights.items()) + for _, module in vllm_model.named_modules(): + quant_method = getattr(module, "quant_method", None) + if quant_method is not None: + quant_method.process_weights_after_loading(module) + # FIXME: Remove this after Mixtral is updated + # to use quant_method. + if hasattr(module, "process_weights_after_loading"): + module.process_weights_after_loading() + vllm_model = vllm_model.cuda() diff --git a/verl/third_party/vllm/vllm_v_0_6_3/llm.py b/verl/third_party/vllm/vllm_v_0_6_3/llm.py new file mode 100644 index 00000000..cd3d646d --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_6_3/llm.py @@ -0,0 +1,200 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/entrypoints/llm.py + +from typing import Dict, List, Optional, Tuple, Union + +import torch +import torch.nn as nn +from torch.nn.utils.rnn import pad_sequence +from transformers import PretrainedConfig, PreTrainedTokenizer, PreTrainedTokenizerFast +from verl.workers.rollout.tokenizer import HybridEngineBaseTokenizer +from vllm import LLM +from vllm.outputs import EmbeddingRequestOutput, RequestOutput +from vllm.utils import Counter + +from .arg_utils import EngineArgs +from .llm_engine_sp import LLMEngine + + +class LLM(LLM): + """An LLM for generating texts from given prompts and sampling parameters. + + This class includes a tokenizer, a language model (possibly distributed + across multiple GPUs), and GPU memory space allocated for intermediate + states (aka KV cache). Given a batch of prompts and sampling parameters, + this class generates texts from the model, using an intelligent batching + mechanism and efficient memory management. + + NOTE: This class is intended to be used for offline inference. For online + serving, use the `AsyncLLMEngine` class instead. + NOTE: For the comprehensive list of arguments, see `EngineArgs`. + + Args: + model: A HuggingFace Transformers model instance. + tokenizer: A HuggingFace Transformers tokenizer instance. + tokenizer_mode: The tokenizer mode. "auto" will use the fast tokenizer + if available, and "slow" will always use the slow tokenizer. + trust_remote_code: Trust remote code (e.g., from HuggingFace) when + downloading the model and tokenizer. + tensor_parallel_size: The number of GPUs to use for distributed + execution with tensor parallelism. + dtype: The data type for the model weights and activations. Currently, + we support `float32`, `float16`, and `bfloat16`. If `auto`, we use + the `torch_dtype` attribute specified in the model config file. + However, if the `torch_dtype` in the config is `float32`, we will + use `float16` instead. + quantization: The method used to quantize the model weights. Currently, + we support "awq". If None, we assume the model weights are not + quantized and use `dtype` to determine the data type of the weights. + revision: The specific model version to use. It can be a branch name, + a tag name, or a commit id. + tokenizer_revision: The specific tokenizer version to use. It can be a + branch name, a tag name, or a commit id. + seed: The seed to initialize the random number generator for sampling. + gpu_memory_utilization: The ratio (between 0 and 1) of GPU memory to + reserve for the model weights, activations, and KV cache. Higher + values will increase the KV cache size and thus improve the model's + throughput. However, if the value is too high, it may cause out-of- + memory (OOM) errors. + swap_space: The size (GiB) of CPU memory per GPU to use as swap space. + This can be used for temporarily storing the states of the requests + when their `best_of` sampling parameters are larger than 1. If all + requests will have `best_of=1`, you can safely set this to 0. + Otherwise, too small values may cause out-of-memory (OOM) errors. + enforce_eager: Whether to enforce eager execution. If True, we will + disable CUDA graph and always execute the model in eager mode. + If False, we will use CUDA graph and eager execution in hybrid. + max_context_len_to_capture: Maximum context len covered by CUDA graphs. + When a sequence has context length larger than this, we fall back + to eager mode. + disable_custom_all_reduce: See ParallelConfig + """ + + def __init__( + self, + model: Union[nn.Module, Dict], # model itself or its parameter dict + tokenizer: Union[PreTrainedTokenizer, PreTrainedTokenizerFast, HybridEngineBaseTokenizer], + model_hf_config: PretrainedConfig, + tokenizer_mode: str = "auto", + trust_remote_code: bool = False, + skip_tokenizer_init: bool = False, + tensor_parallel_size: int = 1, + dtype: str = "auto", + quantization: Optional[str] = None, + revision: Optional[str] = None, + tokenizer_revision: Optional[str] = None, + seed: int = 0, + gpu_memory_utilization: float = 0.9, + swap_space: int = 4, + cpu_offload_gb: float = 0, + enforce_eager: bool = False, + max_context_len_to_capture: Optional[int] = None, + max_seq_len_to_capture: int = 8192, + disable_custom_all_reduce: bool = False, + load_format="auto", + **kwargs, + ) -> None: + if "disable_log_stats" not in kwargs: + kwargs["disable_log_stats"] = True + removed_vision_keys = ("image_token_id", "image_feature_size", "image_input_shape", "image_input_type") + if any(k in kwargs for k in removed_vision_keys): + raise TypeError("There is no need to pass vision-related arguments anymore.") + engine_args = EngineArgs( + model_hf_config=model_hf_config, + # tokenizer=tokenizer, + tokenizer_mode=tokenizer_mode, + skip_tokenizer_init=skip_tokenizer_init, + trust_remote_code=trust_remote_code, + tensor_parallel_size=tensor_parallel_size, + dtype=dtype, + quantization=quantization, + revision=revision, + tokenizer_revision=tokenizer_revision, + seed=seed, + gpu_memory_utilization=gpu_memory_utilization, + swap_space=swap_space, + cpu_offload_gb=cpu_offload_gb, + enforce_eager=enforce_eager, + max_context_len_to_capture=max_context_len_to_capture, + max_seq_len_to_capture=max_seq_len_to_capture, + disable_custom_all_reduce=disable_custom_all_reduce, + load_format=load_format, + **kwargs, + ) + tokenizer_cls = (PreTrainedTokenizer, PreTrainedTokenizerFast, HybridEngineBaseTokenizer) + if not isinstance(tokenizer, tokenizer_cls): + raise ValueError( + f"Unexpected tokenizer type: {type(tokenizer)}. Must be" + "one of the following: PreTrainedTokenizer, PreTrainedTokenizerFast, verl.workers.rollout.HybridEngineBaseTokenizer" + ) + self.llm_engine = LLMEngine.from_engine_args(model, tokenizer, engine_args) # TODO: check usagecontext + self.request_counter = Counter() + + def init_cache_engine(self): + self.llm_engine.init_cache_engine() + + def free_cache_engine(self): + self.llm_engine.free_cache_engine() + + def get_tokenizer(self) -> Union[PreTrainedTokenizer, PreTrainedTokenizerFast]: + return self.llm_engine.tokenizer + + def set_tokenizer( + self, + tokenizer: Union[PreTrainedTokenizer, PreTrainedTokenizerFast], + ) -> None: + self.llm_engine.tokenizer = tokenizer + + def _run_engine(self, *, use_tqdm: bool) -> List[Union[RequestOutput, EmbeddingRequestOutput]]: + outputs = super()._run_engine(use_tqdm=use_tqdm) + return self._post_process_outputs(outputs) + + # # NOTE(shengguangming): add for verl + # # TODO(sgm): we can optimize it by making the dataloader yield List[int] without padding. + # def _pre_process_inputs(self, prompt_token_ids: torch.Tensor) -> List[int]: + # # remove the left padding in the prompt token_id + # pad_token_id = self.llm_engine.tokenizer.pad_token_id if self.llm_engine.tokenizer.pad_token_id is not None else self.llm_engine.tokenizer.eos_token_id + # non_pad_index = torch.nonzero(prompt_token_ids != pad_token_id, as_tuple=False)[0][0] + # token_ids = prompt_token_ids[non_pad_index:].tolist() + # return token_ids + + # NOTE(shengguangming): add for verl + def _post_process_outputs(self, request_outputs: List[RequestOutput]) -> Tuple[torch.Tensor, torch.Tensor]: + output_token_ids = [] + logprobs = [] + for request_output in request_outputs: # List[RequestOutput] + outputs = request_output.outputs + for output in outputs: # List[CompletionOutput], usually len == 1 + output_token_ids.append(torch.tensor(output.token_ids)) + # TODO(shengguangming): can be optimzied by rewrite the Sampler._get_logprobs() logits + logprobs_dicts = output.logprobs + if logprobs_dicts is not None: + logprob = [] + for logprobs_dict, id in zip(logprobs_dicts, output.token_ids): + logprob.append(logprobs_dict[id].logprob) + logprobs.append(torch.tensor(logprob)) + + pad_token_id = (self.llm_engine.tokenizer.pad_token_id if self.llm_engine.tokenizer.pad_token_id is not None + else self.llm_engine.tokenizer.eos_token_id) + output_token_ids = pad_sequence(output_token_ids, batch_first=True, padding_value=pad_token_id) + if len(logprobs) > 0: + logprobs = pad_sequence(logprobs, batch_first=True, padding_value=pad_token_id) + return output_token_ids, logprobs + + def sync_model_weights(self, actor_weights: Dict[str, torch.Tensor], load_format: str) -> None: + self.llm_engine.sync_model_weights(actor_weights=actor_weights, load_format=load_format) + + def offload_model_weights(self) -> None: + self.llm_engine.offload_model_weights() diff --git a/verl/third_party/vllm/vllm_v_0_6_3/llm_engine_sp.py b/verl/third_party/vllm/vllm_v_0_6_3/llm_engine_sp.py new file mode 100644 index 00000000..10b112b2 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_6_3/llm_engine_sp.py @@ -0,0 +1,408 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/engine/llm_engine.py + +from functools import partial +from typing import Callable, Dict, Optional, Type, Union + +import torch +import torch.nn as nn +from vllm.config import ( + CacheConfig, + DecodingConfig, + DeviceConfig, + EngineConfig, + LoadConfig, + LoRAConfig, + ModelConfig, + ObservabilityConfig, + ParallelConfig, + PromptAdapterConfig, + SchedulerConfig, + SpeculativeConfig, +) +from vllm.core.scheduler import Scheduler +from vllm.engine.arg_utils import EngineArgs +from vllm.engine.llm_engine import LLMEngine, SchedulerContext, SchedulerOutputState, _load_generation_config_dict +from vllm.engine.metrics_types import StatLoggerBase +from vllm.engine.output_processor.interfaces import SequenceGroupOutputProcessor +from vllm.engine.output_processor.stop_checker import StopChecker +from vllm.executor.executor_base import ExecutorBase +from vllm.inputs import INPUT_REGISTRY, InputRegistry +from vllm.inputs.preprocess import InputPreprocessor +from vllm.logger import init_logger +from vllm.sequence import Sequence +from vllm.tracing import init_tracer +from vllm.transformers_utils.detokenizer import Detokenizer +from vllm.transformers_utils.tokenizer import AnyTokenizer +from vllm.usage.usage_lib import UsageContext, is_usage_stats_enabled, usage_message +from vllm.utils import Counter, weak_bind +from vllm.version import __version__ as VLLM_VERSION + +from .arg_utils import EngineArgs +from .config import LoadConfig, ModelConfig +from .tokenizer import TokenizerGroup + +logger = init_logger(__name__) +_LOCAL_LOGGING_INTERVAL_SEC = 5 + + +class LLMEngine(LLMEngine): + """An LLM engine that receives requests and generates texts. + + This is the main class for the vLLM engine. It receives requests + from clients and generates texts from the LLM. It includes a tokenizer, a + language model (possibly distributed across multiple GPUs), and GPU memory + space allocated for intermediate states (aka KV cache). This class utilizes + iteration-level scheduling and efficient memory management to maximize the + serving throughput. + + The :class:`~vllm.LLM` class wraps this class for offline batched inference + and the :class:`AsyncLLMEngine` class wraps this class for online serving. + + The config arguments are derived from :class:`~vllm.EngineArgs`. (See + :ref:`engine_args`) + + Args: + model_config: The configuration related to the LLM model. + cache_config: The configuration related to the KV cache memory + management. + parallel_config: The configuration related to distributed execution. + scheduler_config: The configuration related to the request scheduler. + device_config: The configuration related to the device. + lora_config (Optional): The configuration related to serving multi-LoRA. + speculative_config (Optional): The configuration related to speculative + decoding. + executor_class: The model executor class for managing distributed + execution. + prompt_adapter_config (Optional): The configuration related to serving + prompt adapters. + log_stats: Whether to log statistics. + usage_context: Specified entry point, used for usage info collection. + """ + + def __init__( + self, + # NOTE(sgm): first two arguments are added for verl + model: Union[nn.Module, Dict], # model itself or its parameter dict + tokenizer: nn.Module, + # NOTE(sgm): vllm original arguments + model_config: ModelConfig, + cache_config: CacheConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + device_config: DeviceConfig, + load_config: LoadConfig, + lora_config: Optional[LoRAConfig], + speculative_config: Optional[SpeculativeConfig], + decoding_config: Optional[DecodingConfig], + observability_config: Optional[ObservabilityConfig], + prompt_adapter_config: Optional[PromptAdapterConfig], + executor_class: Type[ExecutorBase], + log_stats: bool, + usage_context: UsageContext = UsageContext.ENGINE_CONTEXT, + stat_loggers: Optional[Dict[str, StatLoggerBase]] = None, + input_registry: InputRegistry = INPUT_REGISTRY, + use_cached_outputs: bool = False, + ) -> None: + logger.info( + "Initializing an LLM engine (v%s) with config: " + "model=%r, speculative_config=%r, tokenizer=%r, " + "skip_tokenizer_init=%s, tokenizer_mode=%s, revision=%s, " + "override_neuron_config=%s, " + "rope_scaling=%r, rope_theta=%r, tokenizer_revision=%s, " + "trust_remote_code=%s, dtype=%s, max_seq_len=%d, " + "download_dir=%r, load_format=%s, tensor_parallel_size=%d, " + "pipeline_parallel_size=%d, " + "disable_custom_all_reduce=%s, quantization=%s, " + "enforce_eager=%s, kv_cache_dtype=%s, " + "quantization_param_path=%s, device_config=%s, " + "decoding_config=%r, observability_config=%r, " + "seed=%d, served_model_name=%s, use_v2_block_manager=%s, " + "num_scheduler_steps=%d, chunked_prefill_enabled=%s " + "multi_step_stream_outputs=%s, enable_prefix_caching=%s, " + "use_async_output_proc=%s, use_cached_outputs=%s, " + "mm_processor_kwargs=%s)", + VLLM_VERSION, + model_config.model, + speculative_config, + model_config.tokenizer, + model_config.skip_tokenizer_init, + model_config.tokenizer_mode, + model_config.revision, + model_config.override_neuron_config, + model_config.rope_scaling, + model_config.rope_theta, + model_config.tokenizer_revision, + model_config.trust_remote_code, + model_config.dtype, + model_config.max_model_len, + load_config.download_dir, + load_config.load_format, + parallel_config.tensor_parallel_size, + parallel_config.pipeline_parallel_size, + parallel_config.disable_custom_all_reduce, + model_config.quantization, + model_config.enforce_eager, + cache_config.cache_dtype, + model_config.quantization_param_path, + device_config.device, + decoding_config, + observability_config, + model_config.seed, + model_config.served_model_name, + scheduler_config.use_v2_block_manager, + scheduler_config.num_scheduler_steps, + scheduler_config.chunked_prefill_enabled, + scheduler_config.multi_step_stream_outputs, + cache_config.enable_prefix_caching, + model_config.use_async_output_proc, + use_cached_outputs, + model_config.mm_processor_kwargs, + ) + # TODO(woosuk): Print more configs in debug mode. + self.model_config = model_config + self.cache_config = cache_config + self.lora_config = lora_config + self.parallel_config = parallel_config + self.scheduler_config = scheduler_config + self.device_config = device_config + self.speculative_config = speculative_config + self.load_config = load_config + self.decoding_config = decoding_config or DecodingConfig() + self.prompt_adapter_config = prompt_adapter_config + self.observability_config = observability_config or ObservabilityConfig() + self.log_stats = log_stats + self.use_cached_outputs = use_cached_outputs + + if not self.model_config.skip_tokenizer_init: + self.tokenizer = self._init_tokenizer(tokenizer) + self.detokenizer = Detokenizer(self.tokenizer) + tokenizer_group = self.get_tokenizer_group() + else: + self.tokenizer = None + self.detokenizer = None + tokenizer_group = None + + # Ensure that the function doesn't contain a reference to self, + # to avoid engine GC issues + def get_tokenizer_for_seq(sequence: Sequence) -> AnyTokenizer: + assert tokenizer_group, "tokenizer_group cannot be None, " "make sure skip_tokenizer_init is False" + return tokenizer_group.get_lora_tokenizer(sequence.lora_request) + + self.seq_counter = Counter() + self.generation_config_fields = _load_generation_config_dict(model_config) + + self.input_preprocessor = InputPreprocessor(model_config, self.tokenizer) + + self.input_registry = input_registry + self.input_processor = input_registry.create_input_processor(model_config) + + self.model_executor = executor_class( + model=model, # add for spmd_gpu_executor + model_config=model_config, + cache_config=cache_config, + parallel_config=parallel_config, + scheduler_config=scheduler_config, + device_config=device_config, + lora_config=lora_config, + speculative_config=speculative_config, + load_config=load_config, + prompt_adapter_config=prompt_adapter_config, + observability_config=self.observability_config, + ) + + if not self.model_config.embedding_mode: + self._initialize_kv_caches() + + # If usage stat is enabled, collect relevant info. + if is_usage_stats_enabled(): + from vllm.model_executor.model_loader import get_architecture_class_name + + usage_message.report_usage( + get_architecture_class_name(model_config), + usage_context, + extra_kvs={ + # Common configuration + "dtype": str(model_config.dtype), + "tensor_parallel_size": parallel_config.tensor_parallel_size, + "block_size": cache_config.block_size, + "gpu_memory_utilization": cache_config.gpu_memory_utilization, + # Quantization + "quantization": model_config.quantization, + "kv_cache_dtype": str(cache_config.cache_dtype), + # Feature flags + "enable_lora": bool(lora_config), + "enable_prompt_adapter": bool(prompt_adapter_config), + "enable_prefix_caching": cache_config.enable_prefix_caching, + "enforce_eager": model_config.enforce_eager, + "disable_custom_all_reduce": parallel_config.disable_custom_all_reduce, + }, + ) + + if self.tokenizer: + # Ping the tokenizer to ensure liveness if it runs in a + # different process. + self.tokenizer.ping() + + self.cached_scheduler_outputs = [ + SchedulerOutputState() for _ in range(self.parallel_config.pipeline_parallel_size) + ] + + self.scheduler_contexts = [ + SchedulerContext(multi_step_stream_outputs=self.scheduler_config.multi_step_stream_outputs) + for _ in range(self.parallel_config.pipeline_parallel_size) + ] + + if model_config.use_async_output_proc: + process_model_outputs = weak_bind(self._process_model_outputs) + + self.async_callbacks = [ + partial(process_model_outputs, ctx=self.scheduler_contexts[v_id]) + for v_id in range(self.parallel_config.pipeline_parallel_size) + ] + else: + self.async_callbacks = [] + + # Currently used by AsyncLLMEngine to ensure quick append + # of request outputs to asyncio queues + self.process_request_outputs_callback: Optional[Callable] = None + + # Create the scheduler. + # NOTE: the cache_config here have been updated with the numbers of + # GPU and CPU blocks, which are profiled in the distributed executor. + self.scheduler = [ + Scheduler( + scheduler_config, + cache_config, + lora_config, + parallel_config.pipeline_parallel_size, + self.async_callbacks[v_id] if model_config.use_async_output_proc else None, + ) for v_id in range(parallel_config.pipeline_parallel_size) + ] + + # Metric Logging. + if self.log_stats: + if stat_loggers is not None: + self.stat_loggers = stat_loggers + else: + # Lazy import for prometheus multiprocessing. + # We need to set PROMETHEUS_MULTIPROC_DIR environment variable + # before prometheus_client is imported. + # See https://prometheus.github.io/client_python/multiprocess/ + from vllm.engine.metrics import LoggingStatLogger, PrometheusStatLogger + + self.stat_loggers = { + "logging": + LoggingStatLogger(local_interval=_LOCAL_LOGGING_INTERVAL_SEC), + "prometheus": + PrometheusStatLogger( + local_interval=_LOCAL_LOGGING_INTERVAL_SEC, + labels=dict(model_name=model_config.served_model_name), + max_model_len=self.model_config.max_model_len, + ), + } + self.stat_loggers["prometheus"].info("cache_config", self.cache_config) + + self.tracer = None + if self.observability_config.otlp_traces_endpoint: + self.tracer = init_tracer("vllm.llm_engine", self.observability_config.otlp_traces_endpoint) + + # Create sequence output processor, e.g. for beam search or + # speculative decoding. + self.output_processor = SequenceGroupOutputProcessor.create_output_processor( + self.scheduler_config, + self.detokenizer, + self.scheduler, + self.seq_counter, + get_tokenizer_for_seq, + stop_checker=StopChecker( + self.scheduler_config.max_model_len, + get_tokenizer_for_seq, + ), + ) + + # TODO(sgm): add for verl but we may not tokenizer in Rollout + def _init_tokenizer(self, tokenizer, **tokenizer_init_kwargs): + init_kwargs = dict(enable_lora=bool(self.lora_config), + max_num_seqs=self.scheduler_config.max_num_seqs, + max_input_length=None) + init_kwargs.update(tokenizer_init_kwargs) + return TokenizerGroup(tokenizer, **init_kwargs) + + def init_cache_engine(self): + # TODO: check whether we should rebuild the CUDAGraph every iter when offload/load KVCache + # Re-capture CUDAGraph would be time-consuming + self.model_executor.init_cache_engine() + + def free_cache_engine(self): + self.model_executor.free_cache_engine() + + # NOTE(sgm): currently, we only support GPU executor + # The GPUExecutor remove the Ray dependency + @classmethod + def _get_executor_cls(cls, engine_config: EngineConfig) -> Type[ExecutorBase]: + distributed_executor_backend = engine_config.parallel_config.distributed_executor_backend + # Initialize the cluster and specify the executor class.] + assert (engine_config.device_config.device_type == "cuda" + ), "Currently, the vllm in verl only support running on GPU" + + # print('Waiting for debugger'); import os,debugpy; debugpy.listen(('localhost', 5678 + int(os.getenv('RANK', '0')))); debugpy.wait_for_client() + if engine_config.parallel_config.world_size == 1: + engine_config.load_config.load_format = "dummy_hf" + + from .spmd_gpu_executor import SPMDGPUExecutor + + executor_class = SPMDGPUExecutor + + return executor_class + + @classmethod + def from_engine_args( + cls, + model, + tokenizer, + engine_args: EngineArgs, + usage_context: UsageContext = UsageContext.ENGINE_CONTEXT, + stat_loggers: Optional[Dict[str, StatLoggerBase]] = None, + ) -> "LLMEngine": + """Creates an LLM engine from the engine arguments.""" + # Create the engine configs. + engine_config = engine_args.create_engine_config() + executor_class = cls._get_executor_cls(engine_config) + # Initialize the cluster and specify the executor class. + assert (engine_config.device_config.device_type == "cuda" + ), "Currently, the vllm in verl only support running on GPU" + + from .spmd_gpu_executor import SPMDGPUExecutor + + executor_class = SPMDGPUExecutor + + # Create the LLM engine. + engine = cls( + model, + tokenizer, + **engine_config.to_dict(), + executor_class=executor_class, + log_stats=not engine_args.disable_log_stats, + usage_context=usage_context, + stat_loggers=stat_loggers, + ) + return engine + + def sync_model_weights(self, actor_weights: Dict[str, torch.Tensor], load_format: str) -> None: + self.model_executor.sync_model_weights(actor_weights=actor_weights, load_format=load_format) + + def offload_model_weights(self) -> None: + self.model_executor.offload_model_weights() diff --git a/verl/third_party/vllm/vllm_v_0_6_3/megatron_weight_loaders.py b/verl/third_party/vllm/vllm_v_0_6_3/megatron_weight_loaders.py new file mode 100644 index 00000000..7fd6c0e6 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_6_3/megatron_weight_loaders.py @@ -0,0 +1,308 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/tree/main/vllm/model_executor/model_loader + +from typing import Dict + +import torch +import torch.nn as nn +from vllm.model_executor.layers.linear import * +from vllm.model_executor.layers.vocab_parallel_embedding import ParallelLMHead, VocabParallelEmbedding +from vllm.model_executor.models import ModelRegistry + + +# NOTE(shengguangming): replace the origin weight loader function in the class +def parallel_weight_loader(self, param: torch.Tensor, loaded_weight: torch.Tensor) -> None: + """Parallel Linear weight loader.""" + assert (param.size() == loaded_weight.size( + )), "the parameter size is not align with the loaded weight size, param size: {}, loaded_weight size: {}".format( + param.size(), loaded_weight.size()) + assert (param.data.dtype == loaded_weight.data.dtype + ), "if we want to shared weights, the data type should also be the same" + + param.data = loaded_weight.data + + +def default_weight_loader(param: torch.Tensor, loaded_weight: torch.Tensor) -> None: + """Default weight loader.""" + assert param.size() == loaded_weight.size() + assert (param.data.dtype == loaded_weight.data.dtype + ), "if we want to shared weights, the data type should also be the same" + + param.data = loaded_weight.data + + +def gpt2_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_dict = dict(vllm_model.named_parameters(remove_duplicate=False)) + for name, loaded_weight in actor_weights.items(): + if "lm_head.weight" in name: + # GPT-2 ties the weights of the embedding layer and the final + # linear layer. + continue + if ".attn.bias" in name or ".attn.masked_bias" in name: + # Skip attention mask. + # NOTE: "c_attn.bias" should not be skipped. + continue + if not name.startswith("transformer."): + name = "transformer." + name + param = params_dict[name] + # The HF's GPT-2 implementation uses Conv1D instead of Linear. + # Because of this, we need to transpose the weights. + # Note(zhuohan): the logic below might break quantized models. + for conv1d_weight_name in ["c_attn", "c_proj", "c_fc"]: + if conv1d_weight_name not in name: + continue + if not name.endswith(".weight"): + continue + # TODO: check megatron + loaded_weight = loaded_weight.t() + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def llama_megatron_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + # NOTE(shengguangming): the megatron llama may have this prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def llama_megatron_core_te_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_mapping = [ + # (megatron core gpt model name, vllm model name) + ("embedding.word_embeddings", "model.embed_tokens"), + ("self_attention.linear_qkv.layer_norm_weight", "input_layernorm.weight"), + ("self_attention.linear_qkv.layer_norm_bias", "input_layernorm.bias"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_proj", "self_attn.o_proj"), + ("pre_mlp_layernorm", "post_attention_layernorm"), + ("mlp.linear_fc1.layer_norm_weight", "post_attention_layernorm.weight"), + ("mlp.linear_fc1.layer_norm_bias", "post_attention_layernorm.bias"), + ("mlp.linear_fc1", "mlp.gate_up_proj"), + ("mlp.linear_fc2", "mlp.down_proj"), + ("decoder.final_layernorm", "model.norm"), + ("output_layer", "lm_head"), + ] + # NOTE(shengguangming): the megatron llama may have this prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + name = _replace_name(name, params_mapping) + if name.endswith(".bias") and name not in params_dict: + continue + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def llama_megatron_core_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_mapping = [ + # (megatron core gpt model name, vllm model name) + ("embedding.word_embeddings", "model.embed_tokens"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_proj", "self_attn.o_proj"), + ( + "input_layernorm", + "input_layernorm", + ), + ("pre_mlp_layernorm", "post_attention_layernorm"), + ("mlp.linear_fc1", "mlp.gate_up_proj"), + ("mlp.linear_fc2", "mlp.down_proj"), + ("decoder.final_layernorm", "model.norm"), + ("output_layer", "lm_head"), + ] + # NOTE(shengguangming): the megatron llama may have this prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + name = _replace_name(name, params_mapping) + if name.endswith(".bias") and name not in params_dict: + continue + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def _replace_name(megatron_name, name_mapping): + for m_name, v_name in name_mapping: + if m_name not in megatron_name: + continue + if "layers" in megatron_name: # deal with decoder layers + megatron_name = megatron_name.replace("decoder", "model") + megatron_name_list = megatron_name.split(".") + if "layer_norm_weight" in megatron_name_list or "layer_norm_bias" in megatron_name_list: + param_name_list = megatron_name_list[:3] + param_name_list.append(v_name) + param_name = ".".join(param_name_list) + else: + param_name_list = megatron_name_list[:3] + weight_or_bias = megatron_name_list[-1] + param_name_list.append(v_name) + param_name_list.append(weight_or_bias) + param_name = ".".join(param_name_list) + return param_name + else: + param_name = megatron_name.replace(m_name, v_name) + return param_name + + +def llama_megatron_core_te_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_mapping = [ + # (megatron core gpt model name, vllm model name) + ("embedding.word_embeddings", "model.embed_tokens"), + ("self_attention.linear_qkv.layer_norm_weight", "input_layernorm.weight"), + ("self_attention.linear_qkv.layer_norm_bias", "input_layernorm.bias"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_proj", "self_attn.o_proj"), + ("pre_mlp_layernorm", "post_attention_layernorm"), + ("mlp.linear_fc1.layer_norm_weight", "post_attention_layernorm.weight"), + ("mlp.linear_fc1.layer_norm_bias", "post_attention_layernorm.bias"), + ("mlp.linear_fc1", "mlp.gate_up_proj"), + ("mlp.linear_fc2", "mlp.down_proj"), + ("decoder.final_layernorm", "model.norm"), + ("output_layer", "lm_head"), + ] + # NOTE(shengguangming): the megatron llama may have this prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + name = _replace_name(name, params_mapping) + if name.endswith(".bias") and name not in params_dict: + continue + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def llama_megatron_core_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + params_mapping = [ + # (megatron core gpt model name, vllm model name) + ("embedding.word_embeddings", "model.embed_tokens"), + ("self_attention.linear_qkv", "self_attn.qkv_proj"), + ("self_attention.linear_proj", "self_attn.o_proj"), + ( + "input_layernorm", + "input_layernorm", + ), + ("pre_mlp_layernorm", "post_attention_layernorm"), + ("mlp.linear_fc1", "mlp.gate_up_proj"), + ("mlp.linear_fc2", "mlp.down_proj"), + ("decoder.final_layernorm", "model.norm"), + ("output_layer", "lm_head"), + ] + # NOTE(shengguangming): the megatron llama may have this prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + name = _replace_name(name, params_mapping) + if name.endswith(".bias") and name not in params_dict: + continue + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +def _replace_name(megatron_name, name_mapping): + for m_name, v_name in name_mapping: + if m_name not in megatron_name: + continue + if "layers" in megatron_name: # deal with decoder layers + megatron_name = megatron_name.replace("decoder", "model") + megatron_name_list = megatron_name.split(".") + if "layer_norm_weight" in megatron_name_list or "layer_norm_bias" in megatron_name_list: + param_name_list = megatron_name_list[:3] + param_name_list.append(v_name) + param_name = ".".join(param_name_list) + else: + param_name_list = megatron_name_list[:3] + weight_or_bias = megatron_name_list[-1] + param_name_list.append(v_name) + param_name_list.append(weight_or_bias) + param_name = ".".join(param_name_list) + return param_name + else: + param_name = megatron_name.replace(m_name, v_name) + return param_name + + +def mistral_megatron_weight_loader(actor_weights: Dict, vllm_model: nn.Module) -> nn.Module: + # TODO: need to implement a general way to deal with prefix + params_dict = dict(vllm_model.named_parameters()) + for name, loaded_weight in actor_weights.items(): + if "rotary_emb.inv_freq" in name: + continue + else: + param = params_dict[name] + weight_loader = getattr(param, "weight_loader", default_weight_loader) + weight_loader(param, loaded_weight) + + +__LAYER_WEIGHT_MEGATRON_LOADER_REGISTRY__ = { + ColumnParallelLinear: parallel_weight_loader, + MergedColumnParallelLinear: parallel_weight_loader, + QKVParallelLinear: parallel_weight_loader, + RowParallelLinear: parallel_weight_loader, + VocabParallelEmbedding: parallel_weight_loader, + ParallelLMHead: parallel_weight_loader, + # "ScaledActivation.weight_loader": ScaledActivation, # TODO(shengguangming): latest commit in vllm fix awq for this function and add load_weights + # "default_weight_loader": default_weight_loader +} + +# for layer_class, weight_loader in __LAYER_WEIGHT_MEGATRON_LOADER_REGISTRY__.items(): +# # setattr(layer_class, 'megatron_weight_loader', weight_loader) +# layer_class.weight_loader = weight_loader + +__MODEL_MEGATRON_WEIGHT_LOADER_REGISTRY__ = { + "GPT2LMHeadModel": gpt2_weight_loader, + "LlamaForCausalLM": llama_megatron_weight_loader, # use te backend for open-source megatron + "LLaMAForCausalLM": llama_megatron_weight_loader, + "MistralForCausalLM": mistral_megatron_weight_loader, +} + + +# the actor model is .state_dict() +# Load megatron weights +def load_megatron_weights(actor_weights: Dict, vllm_model: nn.Module): + weight_loader = _get_model_weight_loader(vllm_model.__class__.__name__) + weight_loader(actor_weights, vllm_model) + # NOTE(sgm) to reduce peak memory usage, we offload vllm model to cpu + # after init, and we need this after sync model weights for in first iter. + vllm_model = vllm_model.cuda() + + +def _get_model_weight_loader(arch: str): + if arch in __MODEL_MEGATRON_WEIGHT_LOADER_REGISTRY__: + return __MODEL_MEGATRON_WEIGHT_LOADER_REGISTRY__[arch] + raise ValueError(f"Model architectures {arch} are not supported for now. " + f"Supported architectures: {ModelRegistry.get_supported_archs()}") + + +def update_megatron_weight_loader(): + for layer_class, weight_loader in __LAYER_WEIGHT_MEGATRON_LOADER_REGISTRY__.items(): + layer_class.weight_loader = weight_loader diff --git a/verl/third_party/vllm/vllm_v_0_6_3/model_loader.py b/verl/third_party/vllm/vllm_v_0_6_3/model_loader.py new file mode 100644 index 00000000..f146a0ea --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_6_3/model_loader.py @@ -0,0 +1,338 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/tree/main/vllm/model_executor/models +"""Utilities for selecting and loading models.""" +from typing import Dict, Optional, Union + +import torch +import torch.nn as nn +from transformers import PreTrainedModel +from vllm.config import CacheConfig, DeviceConfig, LoadConfig, LoRAConfig, ModelConfig, ParallelConfig, SchedulerConfig +from vllm.distributed.communication_op import tensor_model_parallel_all_gather +from vllm.model_executor.model_loader import BaseModelLoader +from vllm.model_executor.model_loader.loader import _initialize_model +from vllm.model_executor.model_loader.utils import set_default_torch_dtype + +from .config import LoadConfig, LoadFormat, ModelConfig +from .dtensor_weight_loaders import load_dtensor_weights, update_dtensor_weight_loader +from .hf_weight_loader import update_hf_weight_loader +from .megatron_weight_loaders import load_megatron_weights, update_megatron_weight_loader + + +def get_model( + actor_model: Union[PreTrainedModel, Dict], + model_config: ModelConfig, + load_config: LoadConfig, + device_config: DeviceConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + lora_config: Optional[LoRAConfig], + cache_config: CacheConfig = None, +) -> nn.Module: + loader = get_model_loader(load_config) + if load_config.load_format.startswith("dummy"): + return loader.load_model( + model_config=model_config, + device_config=device_config, + lora_config=lora_config, + parallel_config=parallel_config, + scheduler_config=scheduler_config, + cache_config=cache_config, + ) + else: + return loader.load_model( + actor_model=actor_model, + model_config=model_config, + device_config=device_config, + lora_config=lora_config, + parallel_config=parallel_config, + scheduler_config=scheduler_config, + cache_config=cache_config, + ) + + +def get_model_loader(load_config: LoadConfig) -> BaseModelLoader: + """Get a model loader based on the load format.""" + + if isinstance(load_config.load_format, type): + return load_config.load_format(load_config) + + if load_config.load_format == LoadFormat.AUTO: + update_megatron_weight_loader() + return MegatronLoader(load_config) + + # NOTE(sgm): change the weight_loader function in runtime + if load_config.load_format == LoadFormat.MEGATRON: + update_megatron_weight_loader() + return MegatronLoader(load_config) + + if load_config.load_format == LoadFormat.HF: + update_hf_weight_loader() + return HFLoader(load_config) + + if load_config.load_format == LoadFormat.DTENSOR: + update_dtensor_weight_loader() + return DTensorLoader(load_config) + + if load_config.load_format == LoadFormat.DUMMY_HF: + update_hf_weight_loader() + return DummyModelLoader(load_config) + + if load_config.load_format == LoadFormat.DUMMY_MEGATRON: + update_megatron_weight_loader() + return DummyModelLoader(load_config) + + if load_config.load_format == LoadFormat.DUMMY_DTENSOR: + update_dtensor_weight_loader() + return DummyModelLoader(load_config) + + raise ValueError("load format not supported in verl: {}, only support {} and {}".format( + load_config.load_format, LoadFormat.MEGATRON, LoadFormat.HF)) + + +class DummyModelLoader(BaseModelLoader): + """Model loader that will set model weights to random values.""" + + def __init__(self, load_config: LoadConfig): + super().__init__(load_config) + if load_config.model_loader_extra_config: + raise ValueError(f"Model loader extra config is not supported for " + f"load format {load_config.load_format}") + + def download_model(self, model_config: ModelConfig) -> None: + pass + + def load_model( + self, + *, + model_config: ModelConfig, + device_config: DeviceConfig, + lora_config: Optional[LoRAConfig], + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + cache_config: CacheConfig, + ) -> nn.Module: + with set_default_torch_dtype(model_config.dtype): + with torch.device(device_config.device): + model = _initialize_model(model_config, self.load_config, lora_config, cache_config, scheduler_config) + # NOTE(woosuk): For accurate performance evaluation, we assign + # random values to the weights. + # initialize_dummy_weights(model) + return model.eval() + + +class MegatronLoader(BaseModelLoader): + """Model loader that can load the model weights from partitioned megatron model.""" + + def __init__(self, load_config: LoadConfig): + super().__init__(load_config) + if load_config.model_loader_extra_config: + raise ValueError(f"Model loader extra config is not supported for " + f"load format {load_config.load_format}") + + def download_model(self, model_config: ModelConfig) -> None: + pass # Nothing to download + + def _get_weights_iterator(actor_model: Union[PreTrainedModel, Dict]): + # NOTE(shengguangming) Load the weights from the actor model + pass + # if isinstance(actor_model, nn.Module): + # load_weights(actor_weights=dict(actor_model.named_parameters(remove_duplicate=False)), vllm_model=model) + # else: + # load_weights(actor_weights=actor_model, vllm_model=model) + # return actor_model + + def load_model( + self, + actor_model: Union[PreTrainedModel, Dict], + model_config: ModelConfig, + device_config: DeviceConfig, + lora_config: Optional[LoRAConfig], + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + cache_config: CacheConfig, + ) -> nn.Module: + with set_default_torch_dtype(model_config.dtype): + with torch.device(device_config.device): + model = _initialize_model(model_config, self.load_config, lora_config, cache_config, scheduler_config) + + # TODO(sgm): This is a hack, we need to register the load_weight() func for each model in vllm + if isinstance(actor_model, nn.Module): + load_megatron_weights(actor_weights=dict(actor_model.named_parameters(remove_duplicate=False)), + vllm_model=model) + else: + load_megatron_weights(actor_weights=actor_model, vllm_model=model) + + for _, module in model.named_modules(): + quant_method = getattr(module, "quant_method", None) + if quant_method is not None: + quant_method.process_weights_after_loading(module) + # FIXME: Remove this after Mixtral is updated + # to use quant_method. + if hasattr(module, "process_weights_after_loading"): + module.process_weights_after_loading() + # NOTE(sgm) Some weights are point to gpu, but still need this. + model = model.cuda() # NOTE (zhangchi.usc1992) We need this for vllm to profile memory usage + return model.eval() + + +class HFLoader(BaseModelLoader): + """Model loader that can load the model weights from model's full params.""" + + def __init__(self, load_config: LoadConfig): + super().__init__(load_config) + if load_config.model_loader_extra_config: + raise ValueError(f"Model loader extra config is not supported for " + f"load format {load_config.load_format}") + + def download_model(self, model_config: ModelConfig) -> None: + pass # Nothing to download + + def _get_weights_iterator(self, actor_model: Union[PreTrainedModel, Dict]): + if isinstance(actor_model, Dict): + return actor_model.items() + elif isinstance(actor_model, nn.Module): + return dict(actor_model.named_parameters()).items() + else: + raise ValueError(f"actor model should be Dict or nn.Module, but get {type(actor_model)}") + + def load_model( + self, + actor_model: Union[PreTrainedModel, Dict], + model_config: ModelConfig, + device_config: DeviceConfig, + lora_config: Optional[LoRAConfig], + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + cache_config: CacheConfig, + ) -> nn.Module: + with set_default_torch_dtype(model_config.dtype): + # with torch.device(device_config.device): + # NOTE(sgm): init the model in cpu + model = _initialize_model(model_config, self.load_config, lora_config, cache_config, scheduler_config) + model.load_weights(self._get_weights_iterator(actor_model)) + for _, module in model.named_modules(): + quant_method = getattr(module, "quant_method", None) + if quant_method is not None: + quant_method.process_weights_after_loading(module) + # FIXME: Remove this after Mixtral is updated + # to use quant_method. + if hasattr(module, "process_weights_after_loading"): + module.process_weights_after_loading() + # NOTE(sgm) Some weights are point to gpu, but still need this. + model = model.cuda() # NOTE (zhangchi.usc1992) We need this for vllm to profile memory usage + return model.eval() + + +class DTensorLoader(BaseModelLoader): + """Model loader that can load the model weights from partitioned megatron model.""" + + def __init__(self, load_config: LoadConfig): + super().__init__(load_config) + if load_config.model_loader_extra_config: + raise ValueError(f"Model loader extra config is not supported for " + f"load format {load_config.load_format}") + + def download_model(self, model_config: ModelConfig) -> None: + pass # Nothing to download + + def _get_weights_iterator(actor_model: Union[PreTrainedModel, Dict]): + # NOTE(shengguangming) Load the weights from the actor model + pass + # if isinstance(actor_model, nn.Module): + # load_weights(actor_weights=dict(actor_model.named_parameters(remove_duplicate=False)), vllm_model=model) + # else: + # load_weights(actor_weights=actor_model, vllm_model=model) + # return actor_model + + def load_model( + self, + actor_model: Union[PreTrainedModel, Dict], + model_config: ModelConfig, + device_config: DeviceConfig, + lora_config: Optional[LoRAConfig], + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + cache_config: CacheConfig, + ) -> nn.Module: + with set_default_torch_dtype(model_config.dtype): + with torch.device(device_config.device): + model = _initialize_model(model_config, self.load_config, lora_config, cache_config, scheduler_config) + + # TODO(sgm): This is a hack, we need to register the load_weight() func for each model in vllm + if isinstance(actor_model, nn.Module): + load_dtensor_weights(actor_weights=dict(actor_model.named_parameters(remove_duplicate=False)), + vllm_model=model) + else: + load_dtensor_weights(actor_weights=actor_model, vllm_model=model) + + for _, module in model.named_modules(): + quant_method = getattr(module, "quant_method", None) + if quant_method is not None: + quant_method.process_weights_after_loading(module) + # FIXME: Remove this after Mixtral is updated + # to use quant_method. + if hasattr(module, "process_weights_after_loading"): + module.process_weights_after_loading() + # NOTE(sgm) Some weights are point to gpu, but still need this. + model = model.cuda() # NOTE (zhangchi.usc1992) We need this for vllm to profile memory usage + return model.eval() + + +# FIXME(sgm): hack the _get_logits function in vllm v0.4.2 +# as they use ray, the _get_logits result will only need to return to the driver node, +# therefore gather is enough. However, we use SPMD instead of a central scheduler, +# all_gather is required (aligned with v0.2.6) +def _get_logits(self, hidden_states: torch.Tensor, embedding: torch.Tensor, + embedding_bias: Optional[torch.Tensor]) -> torch.Tensor: + # Get the logits for the next tokens. + logits = torch.matmul(hidden_states, embedding.t()) + if embedding_bias is not None: + logits += embedding_bias + logits = tensor_model_parallel_all_gather(logits) + # Remove paddings in vocab (if any). + if logits is not None: + logits = logits[:, :self.org_vocab_size] + return logits + + +from vllm.model_executor.layers.logits_processor import LogitsProcessor + + +def logitsprocessor_init( + self, + vocab_size: int, + org_vocab_size: Optional[int] = None, + scale: float = 1.0, + logits_as_input: bool = False, + soft_cap: Optional[float] = None, +) -> None: + """ + Args: + scale: A scaling factor to apply to the logits. + """ + super(LogitsProcessor, self).__init__() + self.scale = scale + self.vocab_size = vocab_size + # Whether the input is logits (default is hidden states). + self.logits_as_input = logits_as_input + # original vocabulary size (without LoRA). + self.org_vocab_size = org_vocab_size or vocab_size + # Soft cap the logits. Used in Gemma 2. + self.soft_cap = soft_cap + # Whether to use gather or all-gather to gather the logits. + self.use_gather = False + + +LogitsProcessor.__init__ = logitsprocessor_init # use all_gather diff --git a/verl/third_party/vllm/vllm_v_0_6_3/model_runner.py b/verl/third_party/vllm/vllm_v_0_6_3/model_runner.py new file mode 100644 index 00000000..b0cceffb --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_6_3/model_runner.py @@ -0,0 +1,182 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/worker/model_runner.py + +import warnings +from enum import IntEnum +from typing import Dict, Optional, Union + +import torch +import torch.nn as nn +import vllm.envs as envs +from vllm.compilation.levels import CompilationLevel +from vllm.config import ( + CacheConfig, + DeviceConfig, + LoadConfig, + LoRAConfig, + ModelConfig, + ObservabilityConfig, + ParallelConfig, + PromptAdapterConfig, + SchedulerConfig, +) +from vllm.inputs import INPUT_REGISTRY, InputRegistry +from vllm.logger import init_logger +from vllm.lora.worker_manager import LRUCacheWorkerLoRAManager +from vllm.model_executor.models.interfaces import supports_lora +from vllm.multimodal import MULTIMODAL_REGISTRY, MultiModalRegistry +from vllm.prompt_adapter.worker_manager import LRUCacheWorkerPromptAdapterManager +from vllm.utils import DeviceMemoryProfiler, is_hip, supports_dynamo +from vllm.worker.model_runner import ModelRunner + +from .config import LoadConfig, ModelConfig +from .model_loader import get_model + +logger = init_logger(__name__) + + +# How batches are constructed. +class BatchType(IntEnum): + # Every batch is prefill. + PREFILL = 0 + # Every batch is decode. + DECODE = 1 + # Batch is a mixture of prefill and decode. + MIXED = 2 + + +class ModelRunner(ModelRunner): + + def __init__( + self, + model: Union[nn.Module, Dict], # [verl] model itself or its parameter dict + model_config: ModelConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + device_config: DeviceConfig, + cache_config: CacheConfig, + load_config: LoadConfig, + lora_config: Optional[LoRAConfig], + kv_cache_dtype: Optional[str] = "auto", + is_driver_worker: bool = False, + prompt_adapter_config: Optional[PromptAdapterConfig] = None, + return_hidden_states: bool = False, + observability_config: Optional[ObservabilityConfig] = None, + input_registry: InputRegistry = INPUT_REGISTRY, + mm_registry: MultiModalRegistry = MULTIMODAL_REGISTRY, + ): + + super().__init__( + model_config, + parallel_config, + scheduler_config, + device_config, + cache_config, + load_config, + lora_config, + kv_cache_dtype, + is_driver_worker=True, # a hack + prompt_adapter_config=prompt_adapter_config, + return_hidden_states=return_hidden_states, + observability_config=observability_config, + input_registry=input_registry, + mm_registry=mm_registry, + ) + + # NOTE(sgm): add for verl + self.model = model # this will be replaced by get_model() + + def load_model(self) -> None: + logger.info("Starting to load model %s...", self.model_config.model) + with DeviceMemoryProfiler() as m: + self.model = get_model( + self.model, + model_config=self.model_config, + device_config=self.device_config, + load_config=self.load_config, + lora_config=self.lora_config, + parallel_config=self.parallel_config, + scheduler_config=self.scheduler_config, + cache_config=self.cache_config, + ) + + self.model_memory_usage = m.consumed_memory + logger.info("Loading model weights took %.4f GB", self.model_memory_usage / float(2**30)) + + if self.lora_config: + assert supports_lora(self.model), f"{self.model.__class__.__name__} does not support LoRA yet." + + if supports_multimodal(self.model): + logger.warning("Regarding multimodal models, vLLM currently " + "only supports adding LoRA to language model.") + # It's necessary to distinguish between the max_position_embeddings + # of VLMs and LLMs. + if hasattr(self.model.config, "max_position_embeddings"): + max_pos_embeddings = self.model.config.max_position_embeddings + else: + max_pos_embeddings = self.model.config.text_config.max_position_embeddings + + self.lora_manager = LRUCacheWorkerLoRAManager( + self.scheduler_config.max_num_seqs, + self.scheduler_config.max_num_batched_tokens, + self.vocab_size, + self.lora_config, + self.device, + self.model.embedding_modules, + self.model.embedding_padding_modules, + max_position_embeddings=max_pos_embeddings, + ) + self.model = self.lora_manager.create_lora_manager(self.model) + + if self.prompt_adapter_config: + self.prompt_adapter_manager = LRUCacheWorkerPromptAdapterManager( + self.scheduler_config.max_num_seqs, + self.scheduler_config.max_num_batched_tokens, + self.device, + self.prompt_adapter_config, + ) + self.model = self.prompt_adapter_manager.create_prompt_adapter_manager(self.model) + + if self.kv_cache_dtype == "fp8" and is_hip(): + # Currently only ROCm accepts kv-cache scaling factors + # via quantization_param_path and this will be deprecated + # in the future. + if self.model_config.quantization_param_path is not None: + if callable(getattr(self.model, "load_kv_cache_scales", None)): + warnings.warn( + "Loading kv cache scaling factor from JSON is " + "deprecated and will be removed. Please include " + "kv cache scaling factors in the model checkpoint.", + FutureWarning, + stacklevel=2, + ) + self.model.load_kv_cache_scales(self.model_config.quantization_param_path) + logger.info("Loaded KV cache scaling factors from %s", self.model_config.quantization_param_path) + else: + raise RuntimeError( + "Using FP8 KV cache and scaling factors provided but " + "model %s does not support loading scaling factors.", + self.model.__class__, + ) + else: + logger.warning("Using FP8 KV cache but no scaling factors " + "provided. Defaulting to scaling factors of 1.0. " + "This may lead to less accurate results!") + + if envs.VLLM_TORCH_COMPILE_LEVEL == CompilationLevel.DYNAMO_AS_IS and supports_dynamo(): + from vllm.plugins import get_torch_compile_backend + + backend = get_torch_compile_backend() or "eager" + self.model = torch.compile(self.model, fullgraph=envs.VLLM_TEST_DYNAMO_FULLGRAPH_CAPTURE, backend=backend) diff --git a/verl/third_party/vllm/vllm_v_0_6_3/parallel_state.py b/verl/third_party/vllm/vllm_v_0_6_3/parallel_state.py new file mode 100644 index 00000000..0150c1c6 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_6_3/parallel_state.py @@ -0,0 +1,312 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Adapted from +# https://github.com/NVIDIA/Megatron-LM/blob/main/megatron/core/parallel_state.py +# Copyright (c) 2022, NVIDIA CORPORATION. All rights reserved. +"""Model and data parallel groups.""" +import os +from typing import Optional + +import torch +import torch.distributed +import vllm.distributed.parallel_state as ps +from vllm.distributed.parallel_state import ( + get_pp_group, + get_world_group, + init_distributed_environment, + init_model_parallel_group, +) +from vllm.logger import init_logger + +logger = init_logger(__name__) +""" +This version is strongly tied with Megatron to implement HybridEngine and weight sharing between vllm and Megatron. +- We assume the Megatron tp+dp+pp world is already established before calling this function. + +""" + +# Device mesh for using DTensor +_DEVICE_MESH = None + +# Tensor model parallel group that the current rank belongs to. +_TP = None +# Pipeline model parallel group that the current rank belongs to. +_PP = None + + +# This method is for initializing the ParallelGroup when using HybridEngine +def initialize_parallel_state( + distributed_init_method: str = "env://", + backend: str = "nccl", + tensor_model_parallel_size: int = 1, + num_tp_per_train_tp: int = 1, + pipeline_model_parallel_size: int = 1, +): + # torch.distributed.all_reduce does not free the input tensor until + # the synchronization point. This causes the memory usage to grow + # as the number of all_reduce calls increases. This env var disables + # this behavior. + # Related issue: + # https://discuss.pytorch.org/t/cuda-allocation-lifetime-for-inputs-to-distributed-all-reduce/191573 + os.environ["TORCH_NCCL_AVOID_RECORD_STREAMS"] = "1" + + # NOTE(sgm): Modify for verl, Env vars will be set by TORCHRUN. + rank = int(os.getenv("RANK", "-1")) + local_rank = int(os.getenv("LOCAL_RANK", "0")) + + # Use the world_size set by TORCHRUN + world_size = int(os.getenv("WORLD_SIZE", "-1")) + assert world_size != -1, "The world_size is set to -1, not initialized by TORCHRUN" + init_distributed_environment(world_size, rank, distributed_init_method, local_rank, backend) + if torch.distributed.get_world_size() > 1: + # NOTE: build a sepearate inference group with infer tp & micro dp + initialize_model_parallel_for_vllm( + tensor_model_parallel_size=tensor_model_parallel_size, + num_tensor_model_parallel_groups_per_train_tp=num_tp_per_train_tp, + ) + else: + initialize_model_parallel(tensor_model_parallel_size, pipeline_model_parallel_size, backend) + + +def ensure_model_parallel_initialized( + tensor_model_parallel_size: int, + pipeline_model_parallel_size: int = 1, + backend: Optional[str] = None, +) -> None: + """Helper to initialize model parallel groups if they are not initialized, + or ensure tensor-parallel and pipeline-parallel sizes are equal to expected + values if the model parallel groups are initialized. + """ + # get the backend of _DEVICE_WORLD_GROUP + backend = backend or torch.distributed.get_backend(get_world_group().device_group) + if not model_parallel_is_initialized(): + initialize_model_parallel(tensor_model_parallel_size, pipeline_model_parallel_size, backend) + return + + assert get_tensor_model_parallel_world_size() == tensor_model_parallel_size, ( + "tensor parallel group already initialized, but of unexpected size: " + f"{get_tensor_model_parallel_world_size()=} vs. " + f"{tensor_model_parallel_size=}") + pp_world_size = get_pp_group().world_size + assert pp_world_size == pipeline_model_parallel_size, ( + "pipeline parallel group already initialized, but of unexpected size: " + f"{pp_world_size=} vs. " + f"{pipeline_model_parallel_size=}") + + +# TODO(sgm): deviate from the v0.5.4, not pp now +def model_parallel_is_initialized(): + """Check if tensor and pipeline parallel groups are initialized.""" + return ps._TP is not None + # and _PIPELINE_MODEL_PARALLEL_GROUP is not None) + + +def initialize_model_parallel_for_vllm( + tensor_model_parallel_size: int, + num_tensor_model_parallel_groups_per_train_tp: int = 1, + pipeline_model_parallel_size: int = 1, +) -> None: + pass + + # Get world size and rank. Ensure some consistencies. + assert torch.distributed.is_initialized() + + assert isinstance(tensor_model_parallel_size, int) + + # assert num_tensor_model_parallel_groups_per_train_tp == 1 and not different_tp_group + # assert num_tensor_model_parallel_groups_per_train_tp > 1 and different_tp_group + + # Build the tensor model-parallel groups. + assert ps._TP is None, "tensor model parallel group is already initialized" + + global _TP + + world_size: int = torch.distributed.get_world_size() + + rank = torch.distributed.get_rank() + + backend = torch.distributed.get_backend() + + num_tensor_model_parallel_groups = world_size // tensor_model_parallel_size + + if num_tensor_model_parallel_groups_per_train_tp == 1: + # if tensor_model_parallel_size == train_tensor_parallel_size: + # using the same tp group as Megatron/vllm + assert _TP is None, "tensor model parallel group is already initialized" + group_ranks = [] + for i in range(num_tensor_model_parallel_groups): + ranks = range(i * tensor_model_parallel_size, (i + 1) * tensor_model_parallel_size) + group_ranks.append(ranks) + _TP = init_model_parallel_group( + group_ranks=group_ranks, + local_rank=get_world_group().local_rank, + backend=backend, + use_custom_allreduce=False, # TODO: check why True is not work in Ray trainer + use_message_queue_broadcaster=True, + ) + ps._TP = _TP + # _MICRO_DATA_PARALLEL_GROUP is move to hybrid engine + else: + # initialize a micro_dp group and a tp group + # assume training tp=4, infer tp=2, then, weight is partitioned as + # [1], [2], [3], [4] for training and [1,2], [1,2], [3,4], [3,4] for inference + + # Build the inference tp groups + # train_tp = train_tensor_parallel_size + train_tp = num_tensor_model_parallel_groups_per_train_tp * tensor_model_parallel_size + # num_tensor_model_parallel_groups_per_train_tp = train_tp // tensor_model_parallel_size + assert _TP is None, "tensor model parallel group is already initialized" + group_ranks = [] + for i in range(num_tensor_model_parallel_groups // num_tensor_model_parallel_groups_per_train_tp): + start = train_tp * i + end = train_tp * (i + 1) + for j in range(num_tensor_model_parallel_groups_per_train_tp): + ranks = list(range(start, end, num_tensor_model_parallel_groups_per_train_tp)) + for i in range(len(ranks)): + ranks[i] += j + group_ranks.append(ranks) + _TP = init_model_parallel_group( + group_ranks=group_ranks, + local_rank=get_world_group().local_rank, + backend=backend, + use_custom_allreduce=False, # TODO: check why True is not work in Ray trainer + use_message_queue_broadcaster=True, + ) + ps._TP = _TP + + # Build the pipeline model-parallel groups. + # global _PIPELINE_MODEL_PARALLEL_GROUP + # global _PIPELINE_GLOBAL_RANKS + # assert ps._PIPELINE_MODEL_PARALLEL_GROUP is None, ("pipeline model parallel group is already initialized") + + # ps._PIPELINE_MODEL_PARALLEL_GROUP = mpu.get_pipeline_model_parallel_group() + # ps._PIPELINE_GLOBAL_RANKS = mpu.get_pipeline_model_parallel_ranks() + + # TODO: init using device mesh (not support hybrid engine now) + # Build the pipeline model-parallel groups. + num_pipeline_model_parallel_groups: int = world_size // pipeline_model_parallel_size + global _PP + assert _PP is None, "pipeline model parallel group is already initialized" + group_ranks = [] + for i in range(num_pipeline_model_parallel_groups): + ranks = list(range(i, world_size, num_pipeline_model_parallel_groups)) + group_ranks.append(ranks) + # pipeline parallel does not need custom allreduce + _PP = init_model_parallel_group(group_ranks, get_world_group().local_rank, backend, use_custom_allreduce=False) + ps._PP = _PP # for verl + + +def initialize_model_parallel( + tensor_model_parallel_size: int = 1, + pipeline_model_parallel_size: int = 1, + backend: Optional[str] = None, +) -> None: + """ + NOTE: This method is a hack from the open-sourced version without + asertion of world_size = tp * pp + + Initialize model parallel groups. + + Arguments: + tensor_model_parallel_size: number of GPUs used for tensor model + parallelism. + pipeline_model_parallel_size: number of GPUs used for pipeline model + parallelism. + + Let's say we have a total of 8 GPUs denoted by g0 ... g7 and we + use 2 GPUs to parallelize the model tensor, and 4 GPUs to parallelize + the model pipeline. The present function will + create 4 tensor model-parallel groups and 2 pipeline model-parallel groups: + 4 tensor model-parallel groups: + [g0, g1], [g2, g3], [g4, g5], [g6, g7] + 2 pipeline model-parallel groups: + [g0, g2, g4, g6], [g1, g3, g5, g7] + Note that for efficiency, the caller should make sure adjacent ranks + are on the same DGX box. For example if we are using 2 DGX-1 boxes + with a total of 16 GPUs, rank 0 to 7 belong to the first box and + ranks 8 to 15 belong to the second box. + """ + # Get world size and rank. Ensure some consistencies. + assert torch.distributed.is_initialized() + world_size: int = torch.distributed.get_world_size() + backend = backend or torch.distributed.get_backend(ps.get_world_group().device_group) + + # NOTE(sgm) we don't assert world_size == tp * pp + # DP is not managed by vllm but by the VeRL WorkerGroup + # if (world_size != + # tensor_model_parallel_size * pipeline_model_parallel_size): + # raise RuntimeError( + # f"world_size ({world_size}) is not equal to " + # f"tensor_model_parallel_size ({tensor_model_parallel_size}) x " + # f"pipeline_model_parallel_size ({pipeline_model_parallel_size})") + + num_tensor_model_parallel_groups: int = world_size // tensor_model_parallel_size + rank = torch.distributed.get_rank() + global _TP + assert _TP is None, "tensor model parallel group is already initialized" + group_ranks = [] + for i in range(num_tensor_model_parallel_groups): + ranks = list(range(i * tensor_model_parallel_size, (i + 1) * tensor_model_parallel_size)) + group_ranks.append(ranks) + + # message queue broadcaster is only used in tensor model parallel group + _TP = init_model_parallel_group( + group_ranks, + get_world_group().local_rank, + backend, + use_custom_allreduce=False, # TODO: check why True is not work in Ray trainer + use_message_queue_broadcaster=True, + ) + ps._TP = _TP + + # TODO: init using device mesh (not support hybrid engine now) + # Build the pipeline model-parallel groups. + num_pipeline_model_parallel_groups: int = world_size // pipeline_model_parallel_size + global _PP + assert _PP is None, "pipeline model parallel group is already initialized" + group_ranks = [] + for i in range(num_pipeline_model_parallel_groups): + ranks = list(range(i, world_size, num_pipeline_model_parallel_groups)) + group_ranks.append(ranks) + # pipeline parallel does not need custom allreduce + _PP = init_model_parallel_group(group_ranks, get_world_group().local_rank, backend, use_custom_allreduce=False) + ps._PP = _PP # for verl + + +""" +Device mesh utilities +""" + + +def get_device_mesh(): + assert _DEVICE_MESH is not None, "device mesh is not initialized" + return _DEVICE_MESH + + +""" +Tensor model parallel utilities +""" + + +def get_tensor_model_parallel_group(): + """Get the tensor model parallel group the caller rank belongs to.""" + assert _TP is not None, "tensor model parallel group is not initialized" + return _TP.device_group + + +def get_tensor_model_parallel_world_size(): + """Return world size for the tensor model parallel group.""" + return torch.distributed.get_world_size(group=get_tensor_model_parallel_group()) + + +def get_tensor_model_parallel_rank(): + """Return my rank for the tensor model parallel group.""" + return torch.distributed.get_rank(group=get_tensor_model_parallel_group()) + + +def get_tensor_model_parallel_src_rank(): + """Calculate the global rank corresponding to the first local rank + in the tensor model parallel group.""" + global_rank = torch.distributed.get_rank() + local_world_size = get_tensor_model_parallel_world_size() + return (global_rank // local_world_size) * local_world_size diff --git a/verl/third_party/vllm/vllm_v_0_6_3/spmd_gpu_executor.py b/verl/third_party/vllm/vllm_v_0_6_3/spmd_gpu_executor.py new file mode 100644 index 00000000..229a424c --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_6_3/spmd_gpu_executor.py @@ -0,0 +1,256 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/executor/gpu_executor.py + +import os +import socket +from typing import Dict, List, Optional, Set, Tuple + +import torch +from vllm.config import ( + CacheConfig, + DeviceConfig, + LoRAConfig, + ObservabilityConfig, + ParallelConfig, + PromptAdapterConfig, + SchedulerConfig, + SpeculativeConfig, +) +from vllm.executor.executor_base import ExecutorAsyncBase, ExecutorBase +from vllm.logger import init_logger +from vllm.lora.request import LoRARequest +from vllm.model_executor.layers.sampler import SamplerOutput +from vllm.sequence import ExecuteModelRequest + +from .config import LoadConfig, ModelConfig + +logger = init_logger(__name__) + + +class SPMDGPUExecutor(ExecutorBase): + """SPMD-based multi-GPU executor implementations.""" + + def __init__( + self, + model, # pytorch model itself or its parameter dict + model_config: ModelConfig, + cache_config: CacheConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + device_config: DeviceConfig, + load_config: LoadConfig, + lora_config: Optional[LoRAConfig], + speculative_config: Optional[SpeculativeConfig], + prompt_adapter_config: Optional[PromptAdapterConfig], + observability_config: Optional[ObservabilityConfig], + ) -> None: + self.model_config = model_config + self.cache_config = cache_config + self.lora_config = lora_config + self.load_config = load_config + self.parallel_config = parallel_config + self.scheduler_config = scheduler_config + self.device_config = device_config + self.speculative_config = speculative_config + self.prompt_adapter_config = prompt_adapter_config + self.observability_config = observability_config + + distributed_init_method = initialize_cluster(parallel_config) + self._init_executor(model, distributed_init_method) + + # TODO(sgm): verl not support speculative decode now + def _init_executor(self, model, distributed_init_method) -> None: + assert not self.speculative_config, "Speculative decoding not yet supported for multi-GPU backend." + + # Create the parallel worker for each GPU. + self._init_workers_sp(model, distributed_init_method) + + def _init_workers_sp(self, model, distributed_init_method: str): + # Lazy import the Worker to avoid importing torch.cuda/xformers + # before CUDA_VISIBLE_DEVICES is set in the Worker + from .worker import Worker # pylint: disable=import-outside-toplevel + + rank = int(os.getenv("RANK")) + local_rank = int(os.getenv("LOCAL_RANK")) + print(f"local rank {local_rank}") + + # see https://github.com/NVIDIA/nccl/issues/1234 + os.environ["NCCL_CUMEM_ENABLE"] = "0" + + self.worker = Worker( + model, + self.model_config, + self.parallel_config, + self.scheduler_config, + self.device_config, + self.cache_config, + self.load_config, + local_rank, + rank, + distributed_init_method, + lora_config=self.lora_config, + speculative_config=None, + prompt_adapter_config=self.speculative_config, + is_driver_worker=True, + model_runner_cls=None, # use the default one + ) + + # NOTE(shengguangming): torch.distributed.init_process_group will be called inside the init_model() + self.worker.init_device() + self.worker.load_model() + + def determine_num_available_blocks(self) -> Tuple[int, int]: + """Determine the number of available KV blocks. + + This invokes `determine_num_available_blocks` on each worker and takes + the min of the results, guaranteeing that the selected cache sizes are + compatible with all workers. + + Returns: + - tuple[num_gpu_blocks, num_cpu_blocks] + """ + # Get the maximum number of blocks that can be allocated on GPU and CPU. + num_blocks = self.worker.determine_num_available_blocks() + + # NOTE(shengguangming): Now we don't use a shared centralized controler but each process will + # have its own scheduler + num_gpu_blocks = num_blocks[0] + num_cpu_blocks = num_blocks[1] + + return num_gpu_blocks, num_cpu_blocks + + def initialize_cache(self, num_gpu_blocks: int, num_cpu_blocks: int) -> None: + """Initialize the KV cache in all workers.""" + + # NOTE: We log here to avoid multiple logs when number of workers is + # greater than one. We could log in the engine, but not all executors + # have GPUs. + logger.info("# GPU blocks: %d, # CPU blocks: %d", num_gpu_blocks, num_cpu_blocks) + + self.cache_config.num_gpu_blocks = num_gpu_blocks + self.cache_config.num_cpu_blocks = num_cpu_blocks + + if torch.distributed.get_rank() == 0: + print( + f"before init cache memory allocated: {torch.cuda.memory_allocated() / 1e9}GB, reserved: {torch.cuda.memory_reserved() / 1e9}GB" + ) + self.worker.initialize_cache(num_gpu_blocks=num_gpu_blocks, num_cpu_blocks=num_cpu_blocks) + if torch.distributed.get_rank() == 0: + print( + f"after init cache memory allocated: {torch.cuda.memory_allocated() / 1e9}GB, reserved: {torch.cuda.memory_reserved() / 1e9}GB" + ) + + # NOTE(sgm): This will not profile & capture the model(CUDAGraph) when rebuilding KVCache + def init_cache_engine(self) -> None: + self.worker._init_cache_engine() + + def free_cache_engine(self) -> None: + self.worker.free_cache_engine() + + def execute_model(self, execute_model_req) -> List[SamplerOutput]: + all_outputs = self.worker.execute_model(execute_model_req=execute_model_req) + + # NOTE(sgm): + # Each GPU in vllm under verl has its own spmd_gpu_executor, therefore all GPUs should return the outputs + # In vllm with ray, only the driver worker returns the sampling results. + return all_outputs + + def add_lora(self, lora_request: LoRARequest) -> bool: + assert lora_request.lora_int_id > 0, "lora_id must be greater than 0." + return self.worker.add_lora(lora_request=lora_request) + + def remove_lora(self, lora_id: int) -> bool: + assert lora_id > 0, "lora_id must be greater than 0." + return self.worker.remove_lora(lora_id=lora_id) + + def list_loras(self) -> Set[int]: + return self.worker.list_loras() + + def check_health(self) -> None: + # SPMDExecutor will always be healthy as long as + # it's running. + return + + # NOTE(sgm) add for verl to pass the abstract class test, not used + from vllm.prompt_adapter.request import PromptAdapterRequest + + def add_prompt_adapter(self, prompt_adapter_request: PromptAdapterRequest) -> bool: + assert prompt_adapter_request.prompt_adapter_id > 0, "prompt_adapter_id must be greater than 0." + return self.worker.add_prompt_adapter(prompt_adapter_request) + + def list_prompt_adapters(self) -> Set[int]: + return self.worker.list_prompt_adapters() + + def pin_lora(self, lora_id: int) -> bool: + assert lora_id > 0, "lora_id must be greater than 0." + return self.worker.pin_lora(lora_id) + + def pin_prompt_adapter(self, prompt_adapter_id: int) -> bool: + assert prompt_adapter_id > 0, "prompt_adapter_id must be greater than 0." + return self.worker.pin_prompt_adapter(prompt_adapter_id) + + def remove_prompt_adapter(self, prompt_adapter_id: int) -> bool: + assert prompt_adapter_id > 0, "prompt_adapter_id must be greater than 0." + return self.worker.remove_prompt_adapter(prompt_adapter_id) + + # NOTE(sgm): add for verl + def offload_model_weights(self) -> None: + self.worker.offload_model_weights() + + def sync_model_weights(self, actor_weights: Dict[str, torch.Tensor], load_format: str) -> None: + self.worker.sync_model_weights(actor_weights=actor_weights, load_format=load_format) + + +def initialize_cluster( + parallel_config: ParallelConfig, + engine_use_ray: bool = False, + ray_address: Optional[str] = None, +) -> Tuple[str, Optional[None]]: + """Initialize the distributed cluster probably with Ray. + + Args: + parallel_config: The configurations for parallel execution. + + Returns: + The `distributed_init_method` is the address for initializing the + distributed backend. + """ + + # Initialize cluster locally. + port = get_open_port() + # We need to setup the distributed init method to make sure + # the distributed megatron code (e.g., get world size) works correctly. + # distributed_init_method = f"tcp://localhost:{port}" + distributed_init_method = "env://" + return distributed_init_method + + +def get_open_port(): + with socket.socket(socket.AF_INET, socket.SOCK_STREAM) as s: + s.bind(("", 0)) + return s.getsockname()[1] + + +# TODO(sgm): not implemented async executor yet +class SPMDGPUExecutorAsync(SPMDGPUExecutor, ExecutorAsyncBase): + + async def execute_model_async(self, execute_model_req: ExecuteModelRequest) -> List[SamplerOutput]: + """Executes one model step on the given sequences.""" + raise NotImplementedError + + async def check_health_async(self) -> None: + """Checks if the executor is healthy. If not, it should raise an + exception.""" + self.check_health() diff --git a/verl/third_party/vllm/vllm_v_0_6_3/tokenizer.py b/verl/third_party/vllm/vllm_v_0_6_3/tokenizer.py new file mode 100644 index 00000000..b0b4d0e2 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_6_3/tokenizer.py @@ -0,0 +1,40 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/transformers_utils/tokenizer_group/tokenizer_group.py + +from typing import Optional + +from transformers import PreTrainedTokenizer +from vllm.transformers_utils.tokenizer_group import TokenizerGroup +from vllm.utils import LRUCache + + +class TokenizerGroup(TokenizerGroup): + """A group of tokenizers that can be used for LoRA adapters.""" + + def __init__(self, tokenizer: PreTrainedTokenizer, enable_lora: bool, max_num_seqs: int, + max_input_length: Optional[int]): + self.enable_lora = enable_lora + self.max_input_length = max_input_length + self.tokenizer = tokenizer + self.lora_tokenizers = LRUCache[PreTrainedTokenizer](capacity=max_num_seqs) if enable_lora else None + + # FIXME(sgm): for simplicity, we assign the special token here + @property + def pad_token_id(self): + return self.tokenizer.pad_token_id + + @property + def eos_token_id(self): + return self.tokenizer.eos_token_id diff --git a/verl/third_party/vllm/vllm_v_0_6_3/worker.py b/verl/third_party/vllm/vllm_v_0_6_3/worker.py new file mode 100644 index 00000000..cb1a7ab8 --- /dev/null +++ b/verl/third_party/vllm/vllm_v_0_6_3/worker.py @@ -0,0 +1,333 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2023 The vLLM team. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/vllm-project/vllm/blob/main/vllm/worker/worker.py +"""A GPU worker class.""" +import gc +import os +from typing import Dict, List, Optional, Tuple, Type, Union + +import torch +import torch.distributed +import torch.nn as nn +from vllm.config import ( + CacheConfig, + DeviceConfig, + LoRAConfig, + ParallelConfig, + PromptAdapterConfig, + SchedulerConfig, + SpeculativeConfig, +) + +# TODO(sgm): check why vllm has similar file in vllm.model_executor.parallel_utils.parallel_state +from vllm.distributed import get_tensor_model_parallel_group, init_distributed_environment, set_custom_all_reduce +from vllm.model_executor import set_random_seed +from vllm.model_executor.layers.sampler import SamplerOutput +from vllm.sequence import ExecuteModelRequest, IntermediateTensors +from vllm.worker.cache_engine import CacheEngine +from vllm.worker.embedding_model_runner import EmbeddingModelRunner +from vllm.worker.model_runner import GPUModelRunnerBase +from vllm.worker.model_runner_base import ModelRunnerInputBase +from vllm.worker.worker import Worker, _check_if_gpu_supports_dtype +from vllm.worker.worker_base import WorkerInput + +from .config import LoadConfig, LoadFormat, ModelConfig +from .dtensor_weight_loaders import load_dtensor_weights +from .hf_weight_loader import load_hf_weights +from .megatron_weight_loaders import load_megatron_weights +from .model_runner import ModelRunner +from .parallel_state import ensure_model_parallel_initialized + + +class Worker(Worker): + """A worker class that executes (a partition of) the model on a GPU. + + Each worker is associated with a single GPU. The worker is responsible for + maintaining the KV cache and executing the model on the GPU. In case of + distributed inference, each worker is assigned a partition of the model. + """ + + def __init__( + self, + model: Union[nn.Module, Dict], # model itself or its parameter dict + model_config: ModelConfig, + parallel_config: ParallelConfig, + scheduler_config: SchedulerConfig, + device_config: DeviceConfig, + cache_config: CacheConfig, + load_config: LoadConfig, + local_rank: int, + rank: int, + distributed_init_method: str, + lora_config: Optional[LoRAConfig] = None, + speculative_config: Optional[SpeculativeConfig] = None, + prompt_adapter_config: Optional[PromptAdapterConfig] = None, + is_driver_worker: bool = False, + model_runner_cls: Optional[Type[GPUModelRunnerBase]] = None, + ) -> None: + # self.model = model # will be replaced in the init_model + self.model_config = model_config + self.parallel_config = parallel_config + self.parallel_config.rank = rank + self.scheduler_config = scheduler_config + self.device_config = device_config + self.cache_config = cache_config + self.local_rank = local_rank + self.rank = rank + self.distributed_init_method = distributed_init_method + self.lora_config = lora_config + self.load_config = load_config + self.prompt_adapter_config = prompt_adapter_config + self.is_driver_worker = is_driver_worker # TODO: we don't need driver + # if parallel_config and is_driver_worker: + # assert rank % parallel_config.tensor_parallel_size == 0, \ + # "Driver worker should be rank 0 of tensor parallel group." + if self.model_config.trust_remote_code: + # note: lazy import to avoid importing torch before initializing + from vllm.utils import init_cached_hf_modules + + init_cached_hf_modules() + + # Return hidden states from target model if the draft model is an + # mlp_speculator + speculative_args = ( + {} if speculative_config is None or (speculative_config.draft_model_config.model == model_config.model) or + (speculative_config.draft_model_config.hf_config.model_type not in ["medusa", "mlp_speculator"]) else { + "return_hidden_states": True + }) + + # TODO(sgm): set correct model runner class + ModelRunnerClass: Type[GPUModelRunnerBase] = ModelRunner + if model_runner_cls is not None: + ModelRunnerClass = model_runner_cls + elif self.model_config.embedding_mode: + ModelRunnerClass = EmbeddingModelRunner + self.model_runner: GPUModelRunnerBase = ModelRunnerClass( + model, # [VERL]: add for verl + model_config, + parallel_config, + scheduler_config, + device_config, + cache_config, + load_config=load_config, + lora_config=self.lora_config, + kv_cache_dtype=self.cache_config.cache_dtype, + is_driver_worker=is_driver_worker, + prompt_adapter_config=prompt_adapter_config, + **speculative_args, + ) + + # Uninitialized cache engine. Will be initialized by + # initialize_cache. + self.cache_engine: List[CacheEngine] = None + # Initialize gpu_cache as embedding models don't initialize kv_caches + self.gpu_cache: Optional[List[List[torch.Tensor]]] = None + + # NOTE(sgm): [VERL] For offloading inference engine params + self.cpu_model = None + + def init_device(self) -> None: + if self.device_config.device.type == "cuda": + # torch.distributed.all_reduce does not free the input tensor until + # the synchronization point. This causes the memory usage to grow + # as the number of all_reduce calls increases. This env var disables + # this behavior. + # Related issue: + # https://discuss.pytorch.org/t/cuda-allocation-lifetime-for-inputs-to-distributed-all-reduce/191573 + os.environ["TORCH_NCCL_AVOID_RECORD_STREAMS"] = "1" + + # NOTE(sgm): Modify for verl, Env vars will be set by TORCHRUN. + self.rank = self.rank if self.rank is not None else int(os.getenv("RANK", "-1")) + local_rank = int(os.getenv("LOCAL_RANK", "0")) + self.device = torch.device(f"cuda:{local_rank}") + if self.rank < 0: + raise ValueError("Invalid or unspecified rank.") + torch.cuda.set_device(self.device) + + # Use the world_size set by TORCHRUN + world_size = int(os.getenv("WORLD_SIZE", "-1")) + assert world_size != -1, "The world_size is set to -1, not initialized by TORCHRUN" + self.parallel_config.world_size = world_size + + _check_if_gpu_supports_dtype(self.model_config.dtype) + torch.cuda.empty_cache() + self.init_gpu_memory = torch.cuda.mem_get_info()[0] + else: + raise RuntimeError(f"Not support device type: {self.device_config.device}") + + # Initialize the distributed environment. + init_worker_distributed_environment(self.parallel_config, self.rank, self.distributed_init_method, + self.local_rank) + # Set random seed. + set_random_seed(self.model_config.seed) + # self.model = get_model(actor_model=self.model, model_config=self.model_config) + + @torch.inference_mode() + def determine_num_available_blocks(self) -> Tuple[int, int]: + """Profiles the peak memory usage of the model to determine how many + KV blocks may be allocated without OOMs. + + The engine will first conduct a profiling of the existing memory usage. + Then, it calculate the maximum possible number of GPU and CPU blocks + that can be allocated with the remaining free memory. + + .. tip:: + You may limit the usage of GPU memory + by adjusting the `gpu_memory_utilization` parameter. + """ + # Profile the memory usage of the model and get the maximum number of + # cache blocks that can be allocated with the remaining free memory. + torch.cuda.empty_cache() + # torch.cuda.reset_peak_memory_stats() + + # Execute a forward pass with dummy inputs to profile the memory usage + # of the model. + self.model_runner.profile_run() + + # Calculate the number of blocks that can be allocated with the + # profiled peak memory. + torch.cuda.synchronize() + free_gpu_memory, total_gpu_memory = torch.cuda.mem_get_info() + peak_memory = total_gpu_memory - free_gpu_memory + + assert peak_memory > 0, ("Error in memory profiling. This happens when the GPU memory was " + "not properly cleaned up before initializing the vLLM instance.") + + cache_block_size = self.get_cache_block_size_bytes() + + # NOTE(sgm) [VERL] use the remaining memory + num_gpu_blocks = int((free_gpu_memory * self.cache_config.gpu_memory_utilization) // cache_block_size) + # num_gpu_blocks = int((total_gpu_memory * self.cache_config.gpu_memory_utilization - peak_memory) // cache_block_size) + + num_cpu_blocks = int(self.cache_config.swap_space_bytes // cache_block_size) + num_gpu_blocks = max(num_gpu_blocks, 0) + num_cpu_blocks = max(num_cpu_blocks, 0) + if self.model_runner.lora_manager: + self.model_runner.remove_all_loras() + + # NOTE(sgm): Add for [VERL], synchronize number of blocks with all the rank + num_gpu_blocks = torch.tensor([num_gpu_blocks], device="cuda") + num_cpu_blocks = torch.tensor([num_cpu_blocks], device="cuda") + + torch.distributed.all_reduce(num_gpu_blocks, + op=torch.distributed.ReduceOp.MIN, + group=get_tensor_model_parallel_group().device_group) + torch.distributed.all_reduce(num_cpu_blocks, + op=torch.distributed.ReduceOp.MIN, + group=get_tensor_model_parallel_group().device_group) + num_gpu_blocks = num_gpu_blocks.item() + num_cpu_blocks = num_cpu_blocks.item() + gc.collect() + torch.cuda.empty_cache() + return num_gpu_blocks, num_cpu_blocks + + def _init_cache_engine(self): + if self.cache_engine is None and self.gpu_cache is None: + super()._init_cache_engine() + + def free_cache_engine(self): + # ensure `enforce_eager=True` + self.cache_engine = None + self.gpu_cache = None + + # NOTE(sgm): [VERL]: adapt from _execute_model_spmd() + def execute_model(self, + execute_model_req: ExecuteModelRequest, + intermediate_tensors: Optional[IntermediateTensors] = None) -> Optional[List[SamplerOutput]]: + """ + Execute model in Single Program Multiple Data (SPMD) fashion. + All workers take the same request, prepare the input and + execute the model. + """ + assert execute_model_req is not None, ("_execute_model_spmd() requires each worker to take in an " + "ExecuteModelRequest") + worker_input: WorkerInput = self.prepare_worker_input(execute_model_req=execute_model_req) + model_input: ModelRunnerInputBase = self.model_runner.prepare_model_input( + execute_model_req.seq_group_metadata_list) + + # verl.worker.workerbase.WorkerBase + # swap cache + super().execute_worker(worker_input) + + # If there is no input, we don't need to execute the model. + if worker_input.num_seq_groups == 0: + return [] + + return self.model_runner.execute_model( + model_input, + self.kv_cache[worker_input.virtual_engine] if self.kv_cache is not None else None, + intermediate_tensors, + ) + + # assume the input is .state_dict() + def sync_model_weights(self, actor_weights: Dict, load_format: str): + if load_format in [LoadFormat.MEGATRON, LoadFormat.AUTO]: + load_megatron_weights(actor_weights, self.model_runner.model) + elif load_format == LoadFormat.HF: + # full model state dict without no sharding + load_hf_weights(actor_weights, self.model_runner.model) + elif load_format == LoadFormat.DTENSOR: + load_dtensor_weights(actor_weights, self.model_runner.model) + + def offload_model_weights(self) -> None: + if self.cpu_model == None: + self.cpu_model = {} + for name, params in self.model_runner.model.named_parameters(): + self.cpu_model[name] = torch.empty_like(params, device="cpu") + params.data = self.cpu_model[name] + else: + for name, params in self.model_runner.model.named_parameters(): + params.data = self.cpu_model[name] + + +def init_worker_distributed_environment( + parallel_config: ParallelConfig, + rank: int, + distributed_init_method: Optional[str] = "env://", + local_rank: int = -1, +) -> None: + """Initialize the distributed environment.""" + set_custom_all_reduce(not parallel_config.disable_custom_all_reduce) + + # NOTE(sgm) use tcp://localhost:xxxx will hang in HF setting without megatron + init_distributed_environment(parallel_config.world_size, rank, distributed_init_method, local_rank) + + ensure_model_parallel_initialized( + tensor_model_parallel_size=parallel_config.tensor_parallel_size, + pipeline_model_parallel_size=parallel_config.pipeline_parallel_size, + ) + + # TODO(sgm): check whether need this + # if pynccl_utils.is_initialized(): + # pynccl_world_size = pynccl_utils.get_world_size() + # if pynccl_world_size != parallel_config.world_size: + # raise RuntimeError( + # "pynccl is already initialized but the pynccl world " + # "size does not match parallel_config.world_size " + # f"({pynccl_world_size} vs. {parallel_config.world_size}).") + # elif parallel_config.world_size > 1: + # # NOTE(woosuk): We don't initialize pynccl process group when world size + # # is 1. + # # NOTE(kaichao): By default, pynccl is initialized for tp group. + # pynccl_utils.init_process_group( + # group=get_tensor_model_parallel_cpu_group()) + + # # Initialize a custom fast all-reduce implementation. + # if not parallel_config.disable_custom_all_reduce: + # init_custom_ar() + + # A small all_reduce for warmup. + torch.distributed.all_reduce(torch.zeros(1).cuda()) + # if pynccl_utils.is_initialized(): + # pynccl_utils.all_reduce(torch.zeros(1).cuda()) diff --git a/verl/trainer/__init__.py b/verl/trainer/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/trainer/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/trainer/config/evaluation.yaml b/verl/trainer/config/evaluation.yaml new file mode 100644 index 00000000..0d8ccff8 --- /dev/null +++ b/verl/trainer/config/evaluation.yaml @@ -0,0 +1,6 @@ +data: + path: /tmp/math_Qwen2-7B-Instruct.parquet + prompt_key: prompt + response_key: responses + data_source_key: data_source + reward_model_key: reward_model \ No newline at end of file diff --git a/verl/trainer/config/generation.yaml b/verl/trainer/config/generation.yaml new file mode 100644 index 00000000..ed805a8c --- /dev/null +++ b/verl/trainer/config/generation.yaml @@ -0,0 +1,35 @@ +trainer: + nnodes: 1 + n_gpus_per_node: 8 + +data: + path: ~/data/rlhf/math/test.parquet + prompt_key: prompt + n_samples: 5 + output_path: /opt/tiger/math_Qwen2-7B-Instruct.parquet + batch_size: 128 + +model: + path: ~/models/Qwen2-7B-Instruct + external_lib: null +rollout: + name: vllm + temperature: 1.0 + top_k: 50 # 0 for hf rollout, -1 for vllm rollout + top_p: 0.7 + prompt_length: 1536 + response_length: 512 + # for vllm rollout + dtype: bfloat16 # should align with FSDP + gpu_memory_utilization: 0.5 + ignore_eos: False + micro_batch_size: 256 + enforce_eager: True + free_cache_engine: True + load_format: dummy_dtensor + tensor_model_parallel_size: 1 + max_num_batched_tokens: 8192 + max_num_seqs: 1024 + log_prob_micro_batch_size: 8 + # for hf rollout + do_sample: True \ No newline at end of file diff --git a/verl/trainer/config/ppo_megatron_trainer.yaml b/verl/trainer/config/ppo_megatron_trainer.yaml new file mode 100644 index 00000000..6ae26851 --- /dev/null +++ b/verl/trainer/config/ppo_megatron_trainer.yaml @@ -0,0 +1,148 @@ +data: + tokenizer: null + train_files: ~/data/rlhf/gsm8k/train.parquet + val_files: ~/data/rlhf/gsm8k/test.parquet + prompt_key: prompt + max_prompt_length: 512 + max_response_length: 512 + train_batch_size: 1024 + val_batch_size: 1312 + return_raw_input_ids: False # This should be set to true when the tokenizer between policy and rm differs + return_raw_chat: False + +actor_rollout_ref: + hybrid_engine: True + model: + path: ~/models/deepseek-llm-7b-chat + external_lib: null + override_config: {} + enable_gradient_checkpointing: False + actor: + strategy: megatron # This is for backward-compatibility + ppo_mini_batch_size: 256 + ppo_micro_batch_size: 64 + clip_ratio: 0.2 + entropy_coeff: 0.001 + ppo_epochs: 1 + shuffle: True + optim: + lr: 1e-6 + clip_grad: 1.0 + lr_warmup_steps_ratio: 0. # the total steps will be injected during runtime + min_lr_ratio: null # only useful for warmup with cosine + warmup_style: constant # select from constant/cosine + total_training_steps: -1 # must be override by program + megatron: + tensor_model_parallel_size: 4 + pipeline_model_parallel_size: 1 + num_layers_per_virtual_pipeline_stage: null # vpp will hang. need debug. + sequence_parallel: True + seed: 1 + load_weight: True + ref: + megatron: + tensor_model_parallel_size: 4 + pipeline_model_parallel_size: 1 + num_layers_per_virtual_pipeline_stage: null # vpp will hang. need debug. + sequence_parallel: True + seed: 1 + load_weight: True + param_offload: False + log_prob_micro_batch_size: 32 + rollout: + name: vllm + temperature: 1.0 + top_k: -1 # 0 for hf rollout, -1 for vllm rollout + top_p: 1 + prompt_length: ${data.max_prompt_length} # for xperf_gpt + response_length: ${data.max_response_length} + # for vllm rollout + dtype: bfloat16 # should align with FSDP + gpu_memory_utilization: 0.5 + ignore_eos: False + enforce_eager: True + free_cache_engine: True + load_format: dummy_megatron + tensor_model_parallel_size: 2 + max_num_batched_tokens: 8192 + max_num_seqs: 1024 + log_prob_micro_batch_size: 2 + # for hf rollout + do_sample: True + layer_name_map: + qkv_layer_name: qkv + gate_proj_layer_name: gate_up + # number of responses (i.e. num sample times) + n: 1 + +critic: + strategy: megatron + optim: + lr: 1e-5 + clip_grad: 1.0 + lr_warmup_steps_ratio: 0. # the total steps will be injected during runtime + min_lr_ratio: null # only useful for warmup with cosine + warmup_style: constant # select from constant/cosine + total_training_steps: -1 # must be override by program + model: + path: ~/models/deepseek-llm-7b-chat + tokenizer_path: ${actor_rollout_ref.model.path} + override_config: {} + external_lib: ${actor_rollout_ref.model.external_lib} + enable_gradient_checkpointing: False + megatron: + tensor_model_parallel_size: 4 + pipeline_model_parallel_size: 1 + num_layers_per_virtual_pipeline_stage: null # vpp will hang. need debug. + sequence_parallel: True + seed: 1 + load_weight: True + ppo_mini_batch_size: ${actor_rollout_ref.actor.ppo_mini_batch_size} + ppo_micro_batch_size: 2 + ppo_epochs: ${actor_rollout_ref.actor.ppo_epochs} + shuffle: ${actor_rollout_ref.actor.shuffle} + cliprange_value: 0.5 + kl_ctrl: + type: fixed + kl_coef: 0.001 + +reward_model: + enable: False + strategy: megatron + megatron: + tensor_model_parallel_size: 4 + pipeline_model_parallel_size: 1 + num_layers_per_virtual_pipeline_stage: null # vpp will hang. need debug. + sequence_parallel: True + seed: 1 + model: + input_tokenizer: ${actor_rollout_ref.model.path} # set this to null if the chat template is identical + path: ~/models/FsfairX-LLaMA3-RM-v0.1 + external_lib: ${actor_rollout_ref.model.external_lib} + load_weight: True + param_offload: False + micro_batch_size: 64 + max_length: null + +algorithm: + gamma: 1.0 + lam: 1.0 + adv_estimator: gae + kl_penalty: kl # how to estimate kl divergence + kl_ctrl: + type: fixed + kl_coef: 0.001 + +trainer: + total_epochs: 30 + total_training_steps: null + project_name: verl_examples + experiment_name: gsm8k + logger: ['console', 'wandb'] + nnodes: 1 + n_gpus_per_node: 8 + save_freq: -1 + test_freq: 2 + critic_warmup: 0 + default_hdfs_dir: ~/experiments/gsm8k/ppo/${trainer.experiment_name} + default_local_dir: checkpoints/${trainer.project_name}/${trainer.experiment_name} diff --git a/verl/trainer/config/ppo_trainer.yaml b/verl/trainer/config/ppo_trainer.yaml new file mode 100644 index 00000000..5a09d893 --- /dev/null +++ b/verl/trainer/config/ppo_trainer.yaml @@ -0,0 +1,203 @@ +data: + tokenizer: null + train_files: ~/data/rlhf/gsm8k/train.parquet + val_files: ~/data/rlhf/gsm8k/test.parquet + train_data_num: null + val_data_num: null + prompt_key: prompt + max_prompt_length: 512 + max_response_length: 512 + max_start_length: 256 + max_obs_length: 512 + train_batch_size: 1024 + val_batch_size: 1312 + return_raw_input_ids: False # This should be set to true when the tokenizer between policy and rm differs + return_raw_chat: False + shuffle_train_dataloader: True + env_name: webshop # 默认环境名称 + env_server_base: "http://0.0.0.0" # 默认服务器基地址 + env_ports: [36001] # 默认端口列表 + env_data_len: 200 # 默认数据长度 + +actor_rollout_ref: + hybrid_engine: True + model: + path: ~/models/deepseek-llm-7b-chat + external_lib: null + override_config: { } + enable_gradient_checkpointing: False + use_remove_padding: False + actor: + strategy: fsdp # This is for backward-compatibility + ppo_mini_batch_size: 256 + ppo_micro_batch_size: 64 + use_dynamic_bsz: False + ppo_max_token_len_per_gpu: 16384 # n * ${data.max_prompt_length} + ${data.max_response_length} + grad_clip: 1.0 + state_masking: False + clip_ratio: 0.2 + entropy_coeff: 0.001 + use_kl_loss: False # True for GRPO + kl_loss_coef: 0.001 # for grpo + kl_loss_type: low_var_kl # for grpo + ppo_epochs: 1 + shuffle: False + ulysses_sequence_parallel_size: 1 # sp size + optim: + lr: 1e-6 + lr_warmup_steps_ratio: 0. # the total steps will be injected during runtime + min_lr_ratio: null # only useful for warmup with cosine + warmup_style: constant # select from constant/cosine + total_training_steps: -1 # must be override by program + fsdp_config: + wrap_policy: + # transformer_layer_cls_to_wrap: None + min_num_params: 0 + param_offload: False + grad_offload: False + optimizer_offload: False + fsdp_size: -1 + ref: + fsdp_config: + param_offload: False + wrap_policy: + # transformer_layer_cls_to_wrap: None + min_num_params: 0 + fsdp_size: -1 + log_prob_micro_batch_size: 128 + log_prob_use_dynamic_bsz: ${actor_rollout_ref.actor.use_dynamic_bsz} + log_prob_max_token_len_per_gpu: ${actor_rollout_ref.actor.ppo_max_token_len_per_gpu} + ulysses_sequence_parallel_size: ${actor_rollout_ref.actor.ulysses_sequence_parallel_size} # sp size + rollout: + name: vllm + temperature: 1.0 + top_k: -1 # 0 for hf rollout, -1 for vllm rollout + top_p: 0.95 + prompt_length: ${data.max_prompt_length} # not use for opensource + response_length: ${data.max_response_length} + # for vllm rollout + dtype: bfloat16 # should align with FSDP + gpu_memory_utilization: 0.5 + ignore_eos: False + enforce_eager: True + free_cache_engine: True + load_format: dummy_dtensor + tensor_model_parallel_size: 2 + max_num_batched_tokens: 8192 + max_num_seqs: 1024 + log_prob_micro_batch_size: 128 + log_prob_use_dynamic_bsz: ${actor_rollout_ref.actor.use_dynamic_bsz} + log_prob_max_token_len_per_gpu: ${actor_rollout_ref.actor.ppo_max_token_len_per_gpu} + # for hf rollout + do_sample: True + # number of responses (i.e. num sample times) + n: 1 # > 1 for grpo + n_agent: 1 # different here used for agent tasks only + +critic: + strategy: fsdp + optim: + lr: 1e-5 + lr_warmup_steps_ratio: 0. # the total steps will be injected during runtime + min_lr_ratio: null # only useful for warmup with cosine + warmup_style: constant # select from constant/cosine + total_training_steps: -1 # must be override by program + model: + path: ~/models/deepseek-llm-7b-chat + tokenizer_path: ${actor_rollout_ref.model.path} + override_config: { } + external_lib: ${actor_rollout_ref.model.external_lib} + enable_gradient_checkpointing: False + use_remove_padding: False + fsdp_config: + param_offload: False + grad_offload: False + optimizer_offload: False + wrap_policy: + # transformer_layer_cls_to_wrap: None + min_num_params: 0 + fsdp_size: -1 + ppo_mini_batch_size: ${actor_rollout_ref.actor.ppo_mini_batch_size} + ppo_micro_batch_size: 64 + forward_micro_batch_size: ${critic.ppo_micro_batch_size} + use_dynamic_bsz: ${actor_rollout_ref.actor.use_dynamic_bsz} + ppo_max_token_len_per_gpu: 32768 # (${actor_rollout_ref.actor.ppo_max_token_len_per_gpu}) * 2 + forward_max_token_len_per_gpu: ${critic.ppo_max_token_len_per_gpu} + ulysses_sequence_parallel_size: 1 # sp size + ppo_epochs: ${actor_rollout_ref.actor.ppo_epochs} + shuffle: ${actor_rollout_ref.actor.shuffle} + grad_clip: 1.0 + cliprange_value: 0.5 + +reward_model: + enable: False + strategy: fsdp + model: + input_tokenizer: ${actor_rollout_ref.model.path} # set this to null if the chat template is identical + path: ~/models/FsfairX-LLaMA3-RM-v0.1 + external_lib: ${actor_rollout_ref.model.external_lib} + use_remove_padding: False + fsdp_config: + min_num_params: 0 + param_offload: False + micro_batch_size: 64 + max_length: null + ulysses_sequence_parallel_size: 1 # sp size + use_dynamic_bsz: ${critic.use_dynamic_bsz} + forward_max_token_len_per_gpu: ${critic.forward_max_token_len_per_gpu} + +retriever: + url: "http://127.0.0.1:8000/retrieve" + topk: 3 + +algorithm: + gamma: 1.0 + lam: 1.0 + adv_estimator: gae + reward_score_fn: agentgym # Base scoring function (or other default) + no_think_rl: False + kl_penalty: kl # how to estimate kl divergence + kl_ctrl: + type: fixed + kl_coef: 0.001 + # --- New Reward Components Configuration --- + reward_components: + goal_reward: # Base reward from env success/score + enabled: true + weight: 1.0 + length_penalty: + enabled: false # Default to disabled + weight: -0.01 # Penalty weight (negative) + max_length: 450 # Max length before penalty + min_length: 20 # Min length before penalty (optional) + penalty_type: "linear" # Options: "linear", "quadratic", "log" + format_reward: + enabled: false # Default to disabled + weight: 0.2 # Reward weight (positive) + # Define patterns per environment or use a default + patterns_by_env: + webshop: ['.*', '.*'] + # alfworld: ['go to .*', 'take .* from .*', 'put .* in/on .*'] + default: [] # Default empty list if no env-specific patterns + # --- New Reward Allocation Strategy --- + reward_allocation: "last_token" # Options: "last_token", "uniform_positive", "discounted" + state_masking: + start_state_marker: "" + end_state_marker: "" + +trainer: + total_epochs: 30 + total_training_steps: null + project_name: verl_examples + experiment_name: gsm8k + logger: [ 'console', 'wandb' ] + nnodes: 1 + n_gpus_per_node: 8 + save_freq: -1 + test_freq: -1 + critic_warmup: 0 + default_hdfs_dir: ~/experiments/gsm8k/ppo/${trainer.experiment_name} + default_local_dir: checkpoints/${trainer.project_name}/${trainer.experiment_name} + +max_turns: 10 +do_search: true \ No newline at end of file diff --git a/verl/trainer/config/sft_trainer.yaml b/verl/trainer/config/sft_trainer.yaml new file mode 100644 index 00000000..7f2e9d86 --- /dev/null +++ b/verl/trainer/config/sft_trainer.yaml @@ -0,0 +1,42 @@ +data: + train_batch_size: 256 + micro_batch_size: 16 # this is also val batch size + train_files: ~/data/gsm8k/train.parquet + val_files: ~/data/gsm8k/test.parquet + prompt_key: question + response_key: answer + max_length: 1024 + truncation: error + balance_dp_token: False + chat_template: null +model: + partial_pretrain: ~/models/gemma-1.1-7b-it + fsdp_config: + wrap_policy: + min_num_params: 0 + cpu_offload: False + offload_params: False + external_lib: null + enable_gradient_checkpointing: False + trust_remote_code: False + lora_rank: 0 # Set to positive value to enable LoRA (e.g., 32) + lora_alpha: 16 # LoRA scaling factor + target_modules: [q_proj, v_proj] # Target modules for LoRA adaptation +optim: + lr: 1e-5 + betas: [0.9, 0.95] + weight_decay: 0.01 + warmup_steps_ratio: 0.1 + clip_grad: 1.0 + +trainer: + default_local_dir: /tmp/sft_model + default_hdfs_dir: hdfs://tmp/experiments/gsm8k/gemma-1.1-7b-it/ # change the hdfs path here + resume_path: null + project_name: gsm8k-sft + experiment_name: test + total_epochs: 4 + total_training_steps: null + validate_before_training: False + logger: ['console'] + seed: 1 diff --git a/verl/trainer/fsdp_sft_trainer.py b/verl/trainer/fsdp_sft_trainer.py new file mode 100644 index 00000000..77ccebf1 --- /dev/null +++ b/verl/trainer/fsdp_sft_trainer.py @@ -0,0 +1,435 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +A lightweight one-file FSDP SFT Trainer +TODO(zhangchi.usc1992) +- Add calculation of mfu +- Add validation +""" + +import os + +os.environ['NCCL_DEBUG'] = 'WARN' +os.environ['TOKENIZERS_PARALLELISM'] = 'true' + +import logging +import re +import torch +import torch.distributed +from torch import nn, optim +from torch.distributed.fsdp import FullyShardedDataParallel as FSDP, MixedPrecision, ShardingStrategy, CPUOffload +from transformers import AutoTokenizer, AutoModelForCausalLM, PreTrainedModel, AutoConfig +from verl.utils.torch_functional import get_cosine_schedule_with_warmup +from tensordict import TensorDict +from torch.utils.data import DataLoader, DistributedSampler + +from verl.utils.fsdp_utils import get_fsdp_wrap_policy, init_fn, get_init_weight_context_manager +from verl.utils.dataset import SFTDataset +from verl.utils.fs import copy_local_path_from_hdfs +from verl.utils.tracking import Tracking + +from torch.distributed.device_mesh import DeviceMesh + +import verl.utils.hdfs_io as hdfs_io +from verl.utils.debug import log_gpu_memory_usage +from peft import LoraConfig, TaskType, get_peft_model + +logger = logging.getLogger(__file__) +logger.setLevel(os.getenv('VERL_SFT_LOGGING_LEVEL', 'WARN')) + + +def extract_step(path): + match = re.search(r'global_step_(\d+)', path) + if match: + return int(match.group(1)) + return None + + +def convert_to_regular_types(obj): + """Convert Hydra configs and other special types to regular Python types.""" + from omegaconf import ListConfig, DictConfig + if isinstance(obj, (ListConfig, DictConfig)): + return {k: convert_to_regular_types(v) for k, v in obj.items()} if isinstance(obj, DictConfig) else list(obj) + elif isinstance(obj, (list, tuple)): + return [convert_to_regular_types(x) for x in obj] + elif isinstance(obj, dict): + return {k: convert_to_regular_types(v) for k, v in obj.items()} + return obj + + +class FSDPSFTTrainer(object): + + def __init__(self, config, device_mesh: DeviceMesh): + self.config = config + self.device_mesh = device_mesh + # build tokenizer first + local_model_path = copy_local_path_from_hdfs(src=self.config.model.partial_pretrain, verbose=True) + from verl.utils import hf_tokenizer + self.tokenizer = hf_tokenizer(local_model_path, trust_remote_code=self.config.model.trust_remote_code) + if self.config.data.chat_template is not None: + raise ValueError('Apply Chat template from config is not supported yet.') + + # normalize dp size + self._normalize_config_bsz() + + self._build_dataloader() + # build model + self._build_model_optimizer() + + # TODO: add checkpoint manager + if self.device_mesh.get_rank() == 0: + print(self.config) + + def _normalize_config_bsz(self): + dp_size = self.device_mesh.size() + if self.device_mesh.get_rank() == 0: + print(f'Normalize batch size by dp {dp_size}') + + assert self.config.data.train_batch_size % dp_size == 0 + assert self.config.data.micro_batch_size % dp_size == 0 + + self.config.data.train_batch_size //= dp_size + self.config.data.micro_batch_size //= dp_size + + def _build_dataloader(self): + config = self.config + # build dataset + self.train_dataset = SFTDataset(parquet_files=config.data.train_files, + tokenizer=self.tokenizer, + prompt_key=config.data.prompt_key, + prompt_dict_keys=config.data.get('prompt_dict_keys', None), + response_key=config.data.response_key, + response_dict_keys=config.data.get('response_dict_keys', None), + max_length=config.data.max_length, + truncation=config.data.truncation) + self.val_dataset = SFTDataset(parquet_files=config.data.val_files, + tokenizer=self.tokenizer, + prompt_key=config.data.prompt_key, + prompt_dict_keys=config.data.get('prompt_dict_keys', None), + response_key=config.data.response_key, + response_dict_keys=config.data.get('response_dict_keys', None), + max_length=config.data.max_length, + truncation=config.data.truncation) + + # build dataloader + rank = self.device_mesh.get_rank() + world_size = self.device_mesh.size() + self.train_sampler = DistributedSampler(self.train_dataset, + shuffle=True, + num_replicas=world_size, + rank=rank, + drop_last=True) + self.train_dataloader = DataLoader(dataset=self.train_dataset, + batch_size=config.data.train_batch_size, + sampler=self.train_sampler, + num_workers=8, + pin_memory=True, + drop_last=True) + + self.val_sampler = DistributedSampler(self.val_dataset, + shuffle=True, + num_replicas=world_size, + rank=rank, + drop_last=True) + self.val_dataloader = DataLoader(dataset=self.val_dataset, + batch_size=config.data.micro_batch_size, + sampler=self.val_sampler, + num_workers=8, + pin_memory=True, + drop_last=True) + + def _build_model_optimizer(self): + # TODO (zhangchi.usc1992): + # 1. support pretrain from random weights + # 2. support init directly from sharded weights + local_model_path = copy_local_path_from_hdfs(src=self.config.model.partial_pretrain, verbose=True) + + if self.config.model.get('external_lib', None) is not None: + # This is used to import external_lib into the huggingface systems + import importlib + importlib.import_module(self.config.model.external_lib) + + log_gpu_memory_usage('Before model allocation', logger=logger) + + trust_remote_code = self.config.model.trust_remote_code + # load config first + config = AutoConfig.from_pretrained(local_model_path, trust_remote_code=trust_remote_code) + + # This may be very large + init_context = get_init_weight_context_manager(use_meta_tensor=not config.tie_word_embeddings) + + with init_context(): + self.model: PreTrainedModel = AutoModelForCausalLM.from_pretrained(local_model_path, + config=config, + torch_dtype=torch.float32, + attn_implementation='flash_attention_2', + trust_remote_code=trust_remote_code) + if self.config.model.get('lora_rank', 0) > 0: + self.model.enable_input_require_grads() + # Convert config to regular Python types before creating PEFT model + lora_config = { + 'task_type': TaskType.CAUSAL_LM, + 'r': self.config.model.lora_rank, + 'lora_alpha': self.config.model.lora_alpha, + 'target_modules': convert_to_regular_types(self.config.model.target_modules), + 'bias': "none" + } + self.model = get_peft_model(self.model, LoraConfig(**lora_config)) + + if self.config.model.enable_gradient_checkpointing: + self.model.gradient_checkpointing_enable(gradient_checkpointing_kwargs={'use_reentrant': False}) + + log_gpu_memory_usage('After model allocation', logger=logger) + + mixed_precision = MixedPrecision(param_dtype=torch.bfloat16, + reduce_dtype=torch.float32, + buffer_dtype=torch.float32) + + auto_wrap_policy = get_fsdp_wrap_policy(self.model, + config=self.config.model.fsdp_config.wrap_policy, + is_lora=self.config.model.get('lora_rank', 0) > 0) + if self.device_mesh.get_rank() == 0: + print(auto_wrap_policy) + + if not self.config.model.fsdp_config.cpu_offload: + cpu_offload = None + else: + cpu_offload = CPUOffload(offload_params=self.config.model.fsdp_config.offload_params) + + self.fsdp_model = FSDP(module=self.model, + auto_wrap_policy=auto_wrap_policy, + param_init_fn=init_fn, + sharding_strategy=ShardingStrategy.FULL_SHARD, + mixed_precision=mixed_precision, + device_mesh=self.device_mesh, + sync_module_states=True, + device_id=torch.cuda.current_device(), + cpu_offload=cpu_offload, + use_orig_params=False) + + log_gpu_memory_usage('After FSDP wrapping', logger=logger) + + self.optimizer = optim.AdamW(self.fsdp_model.parameters(), + lr=self.config.optim.lr, + betas=self.config.optim.betas, + weight_decay=self.config.optim.weight_decay) + + log_gpu_memory_usage('After initialize optimizer', logger=logger) + + steps_per_epoch = len(self.train_dataloader) + total_steps = steps_per_epoch * self.config.trainer.total_epochs + + if self.device_mesh.get_rank() == 0: + print( + f'Number of steps/epoch {steps_per_epoch}, number of epochs {self.config.trainer.total_epochs}, total number of steps {total_steps}' + ) + + num_warmup_steps = int(total_steps * self.config.optim.warmup_steps_ratio) + + self.lr_scheduler = get_cosine_schedule_with_warmup(optimizer=self.optimizer, + num_warmup_steps=num_warmup_steps, + num_training_steps=total_steps) + + def _compute_loss(self, batch): + loss_mask = batch.pop('loss_mask')[:, :-1].reshape(-1).cuda() + labels = batch['input_ids'][:, 1:].cuda() + + with torch.autocast(device_type='cuda', dtype=torch.bfloat16): + output = self.fsdp_model(input_ids=batch['input_ids'], + attention_mask=batch['attention_mask'], + position_ids=batch['position_ids'], + use_cache=False) # prevent model thinks it it generating + + logits = output.logits + + shift_logits = logits[..., :-1, :].contiguous() + shift_labels = labels.contiguous() + # Flatten the tokens + loss_fct = nn.CrossEntropyLoss(reduction='none') + shift_logits = shift_logits.view(-1, self.model.config.vocab_size) + shift_labels = shift_labels.view(-1) + # Enable model parallelism + shift_labels = shift_labels.to(shift_logits.device) + loss = loss_fct(shift_logits, shift_labels) + loss = loss * loss_mask + + valid_token_this_rank = torch.sum(loss_mask) + + if self.config.data.balance_dp_token: + torch.distributed.all_reduce(valid_token_this_rank) # becomes total valid tokens in all ranks + dp_size = torch.distributed.get_world_size() + else: + dp_size = 1 + + loss = torch.sum(loss) / valid_token_this_rank * dp_size # possible bugs here for dp + return loss + + def training_step(self, batch: TensorDict): + self.fsdp_model.train() + + log_gpu_memory_usage('Before optimizer zero_grad', logger=logger) + + self.optimizer.zero_grad() + + log_gpu_memory_usage('After optimizer zero_grad', logger=logger) + + micro_batches = batch.split(self.config.data.micro_batch_size) + n_micro_batches = len(micro_batches) + step_loss = 0 + for micro_batch in micro_batches: + loss = self._compute_loss(batch=micro_batch) / n_micro_batches + loss.backward() + step_loss += loss.item() + + self.fsdp_model.clip_grad_norm_(max_norm=self.config.optim.clip_grad) + + log_gpu_memory_usage('Before optimizer step', logger=logger) + + self.optimizer.step() + + log_gpu_memory_usage('After optimizer step', logger=logger) + + self.lr_scheduler.step() + + # reduce loss across dp ranks + lr = self.lr_scheduler.get_last_lr()[0] + + log_gpu_memory_usage('After offload weights', logger=logger) + + step_loss = torch.tensor(step_loss).cuda() + torch.distributed.all_reduce(step_loss, op=torch.distributed.ReduceOp.AVG) + return {'train/loss': step_loss.detach().item(), 'train/lr(1e-3)': lr * 1e3} + + def validation_step(self, batch: TensorDict): + self.fsdp_model.eval() + with torch.no_grad(): + loss = self._compute_loss(batch) + torch.distributed.all_reduce(loss, op=torch.distributed.ReduceOp.AVG) + return loss + + def save_checkpoint(self, step): + # save checkpoint + from torch.distributed.fsdp import FullStateDictConfig, StateDictType + cfg = FullStateDictConfig(offload_to_cpu=True, rank0_only=True) + with FSDP.state_dict_type(self.fsdp_model, StateDictType.FULL_STATE_DICT, cfg): + state_dict = self.fsdp_model.state_dict() + + path = os.path.join(self.config.trainer.default_local_dir, f'global_step_{step}') + # save huggingface model + if self.device_mesh.get_rank() == 0: + os.makedirs(path, exist_ok=True) + self.model.save_pretrained(path, state_dict=state_dict) + self.tokenizer.save_pretrained(path) + if self.config.trainer.default_hdfs_dir: + hdfs_io.makedirs(self.config.trainer.default_hdfs_dir, exist_ok=True) + hdfs_io.copy(src=path, dst=self.config.trainer.default_hdfs_dir, dirs_exist_ok=True) + torch.distributed.barrier() + + def fit(self): + rank = self.device_mesh.get_rank() + + # TODO: add a unified tracking + if rank == 0: + tracking = Tracking(project_name=self.config.trainer.project_name, + experiment_name=self.config.trainer.experiment_name, + default_backend=self.config.trainer.logger) + + global_step = 0 + # compute the total training steps. + # the total training steps in SFT is mainly for early exit + total_training_steps = len(self.train_dataloader) * self.config.trainer.total_epochs + + if self.config.trainer.total_training_steps is not None: + total_training_steps = self.config.trainer.total_training_steps + + self.total_training_steps = total_training_steps + print(f'Total training steps: {self.total_training_steps}') + + # TODO (zhangchi.usc1992) add back checkpoint manager. Currently, it blocks when uploading to hdfs. So very slow. + + if self.config.trainer.validate_before_training: + # validate before training + val_losses = [] + for data in self.val_dataloader: + data = TensorDict(data, batch_size=self.config.data.micro_batch_size).cuda() + val_loss = self.validation_step(data) + val_losses.append(val_loss) + if rank == 0: + val_loss = torch.mean(torch.stack(val_losses)) + metric = {'val/loss': val_loss.detach().item()} + tracking.log(data=metric, step=global_step) + torch.distributed.barrier() + + for epoch in range(self.config.trainer.total_epochs): + self.train_sampler.set_epoch(epoch=epoch) + for data in self.train_dataloader: + data = TensorDict(data, batch_size=self.config.data.train_batch_size).cuda() + metric = self.training_step(data) + if rank == 0: + tracking.log(data=metric, step=global_step) + global_step += 1 + + # for early exit validation + if global_step >= self.total_training_steps: + # Perform final validation + val_losses = [] + for val_data in self.val_dataloader: + val_data = TensorDict(val_data, batch_size=self.config.data.micro_batch_size).cuda() + val_loss = self.validation_step(val_data) + val_losses.append(val_loss) + if rank == 0: + avg_val_loss = torch.mean(torch.stack(val_losses)) + metric = {'val/loss': avg_val_loss.detach().item()} + tracking.log(data=metric, step=global_step) + torch.distributed.barrier() + + # Save final checkpoint + self.save_checkpoint(step=global_step) + return + + # validation + val_losses = [] + for data in self.val_dataloader: + data = TensorDict(data, batch_size=self.config.data.micro_batch_size).cuda() + val_loss = self.validation_step(data) + val_losses.append(val_loss) + if rank == 0: + val_loss = torch.mean(torch.stack(val_losses)) + metric = {'val/loss': val_loss.detach().item()} + tracking.log(data=metric, step=global_step) + torch.distributed.barrier() + + # save checkpoint + self.save_checkpoint(step=global_step) + + +from verl.trainer.fsdp_sft_trainer import FSDPSFTTrainer +import hydra + +from torch.distributed.device_mesh import init_device_mesh + +from verl.utils.distributed import initialize_global_process_group + + +@hydra.main(config_path='config', config_name='sft_trainer', version_base=None) +def main(config): + local_rank, rank, world_size = initialize_global_process_group() + + device_mesh = init_device_mesh(device_type='cuda', mesh_shape=(world_size,), mesh_dim_names=('dp',)) + trainer = FSDPSFTTrainer(config=config, device_mesh=device_mesh) + trainer.fit() + + +if __name__ == '__main__': + main() diff --git a/verl/trainer/main_eval.py b/verl/trainer/main_eval.py new file mode 100644 index 00000000..018bdd8f --- /dev/null +++ b/verl/trainer/main_eval.py @@ -0,0 +1,69 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Offline evaluate the performance of a generated file using reward model and ground truth verifier. +The input is a parquet file that contains N generated sequences and (optional) the ground truth. + +""" + +import hydra +from verl.utils.fs import copy_local_path_from_hdfs +from verl.utils.reward_score import math, gsm8k +import pandas as pd +import numpy as np + + +def select_reward_fn(data_source): + if data_source == 'lighteval/MATH': + return math.compute_score + else: + raise NotImplementedError + + +@hydra.main(config_path='config', config_name='evaluation', version_base=None) +def main(config): + local_path = copy_local_path_from_hdfs(config.data.path) + dataset = pd.read_parquet(local_path) + prompts = dataset[config.data.prompt_key] + responses = dataset[config.data.response_key] + data_sources = dataset[config.data.data_source_key] + reward_model_data = dataset[config.data.reward_model_key] + + passes = 0 + + total = len(dataset) + + for i in range(total): + response_lst = responses[i] + data_source = data_sources[i] + # select reward score based on data_source + prompt = prompts[i] + reward_data = reward_model_data[i] + reward_fn = select_reward_fn(data_source) + ground_truth = reward_data['ground_truth'] + score_lst = [] + for r in response_lst: + score = reward_fn(r, ground_truth) + score_lst.append(score) + + max_score = np.max(score_lst) + + if max_score == 1: + passes += 1 + + print(f'pass@5: {passes / total}') + + +if __name__ == '__main__': + main() diff --git a/verl/trainer/main_generation.py b/verl/trainer/main_generation.py new file mode 100644 index 00000000..8c3bd923 --- /dev/null +++ b/verl/trainer/main_generation.py @@ -0,0 +1,137 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Generate responses given a dataset of prompts +""" +import ray +import numpy as np +import hydra +import os + +os.environ['NCCL_DEBUG'] = 'WARN' +os.environ['TOKENIZERS_PARALLELISM'] = 'true' +# os.environ['TORCH_COMPILE_DISABLE'] = '1' + +from verl.utils.model import compute_position_id_with_mask + +import pandas as pd + +from transformers import AutoTokenizer + +from verl import DataProto +from verl.utils.fs import copy_local_path_from_hdfs +from verl.workers.fsdp_workers import ActorRolloutRefWorker +from verl.utils.hdfs_io import makedirs +from verl.single_controller.ray import RayClassWithInitArgs, RayResourcePool, RayWorkerGroup + + +@hydra.main(config_path='config', config_name='generation', version_base=None) +def main(config): + from pprint import pprint + from omegaconf import OmegaConf + pprint(OmegaConf.to_container(config, resolve=True)) # resolve=True will eval symbol values + OmegaConf.resolve(config) + local_path = copy_local_path_from_hdfs(config.model.path) + from verl.utils import hf_tokenizer + tokenizer = hf_tokenizer(local_path) + + if config.rollout.temperature == 0.: + assert config.data.n_samples == 1, 'When temperature=0, n_samples must be 1.' + + # read dataset. Note that the dataset should directly contain chat template format (e.g., a list of dictionary) + dataset = pd.read_parquet(config.data.path) + chat_lst = dataset[config.data.prompt_key].tolist() + + chat_lst = [chat.tolist() for chat in chat_lst] + + tokenizer.padding_side = 'left' + if tokenizer.pad_token is None: + tokenizer.pad_token = tokenizer.eos_token + + ray_cls_with_init = RayClassWithInitArgs(cls=ray.remote(ActorRolloutRefWorker), config=config, role='rollout') + resource_pool = RayResourcePool(process_on_nodes=[config.trainer.n_gpus_per_node] * config.trainer.nnodes) + wg = RayWorkerGroup(resource_pool=resource_pool, ray_cls_with_init=ray_cls_with_init) + wg.init_model() + + total_samples = len(dataset) + # real_batch_size = data.batch['input_ids'].shape[0] + config_batch_size = config.data.batch_size + dp_size = wg.world_size // config.rollout.tensor_model_parallel_size + num_batch = (total_samples // config_batch_size) + 1 + output_lst = [[] for _ in range(config.data.n_samples)] + + for batch_idx in range(num_batch): + print(f'[{batch_idx+1}/{num_batch}] Start to process.') + batch_chat_lst = chat_lst[batch_idx * config_batch_size:(batch_idx + 1) * config_batch_size] + inputs = tokenizer.apply_chat_template(batch_chat_lst, + add_generation_prompt=True, + padding=True, + truncation=True, + max_length=config.rollout.prompt_length, + return_tensors='pt', + return_dict=True, + tokenize=True) + input_ids = inputs['input_ids'] + attention_mask = inputs['attention_mask'] + position_ids = compute_position_id_with_mask(attention_mask) + + batch_dict = {'input_ids': input_ids, 'attention_mask': attention_mask, 'position_ids': position_ids} + + data = DataProto.from_dict(batch_dict) + real_batch_size = data.batch['input_ids'].shape[0] + if real_batch_size % dp_size != 0: + dummy_data_size = dp_size - real_batch_size % dp_size + dummy_data = data[:dummy_data_size] + data = DataProto.concat([data, dummy_data]) + print( + f'dp_size {dp_size} is not divisible by real_batch_size {real_batch_size}, add {dummy_data_size} dummy data' + ) + + batch_size = data.batch['input_ids'].shape[0] + assert batch_size % dp_size == 0, f'batch_size {batch_size} is not divisible by dp_size {dp_size}' + + print(f'[{batch_idx+1}/{num_batch}] Start to generate.') + # START TO GENERATE FOR n_samples TIMES + for i in range(config.data.n_samples): + output = wg.generate_sequences(data) + # remove dummy data + output = output[:real_batch_size] + output_text = tokenizer.batch_decode(output.batch['input_ids'][:, -config.rollout.response_length:], + skip_special_tokens=False) + + # remove the padding + pad_token = tokenizer.pad_token + output_text_unpad = [] + for text in output_text: + output_text_unpad.append(text.replace(pad_token, '')) + + output_lst[i].extend(output_text_unpad) + + # convert output_lst from (n_samples, n_data) to (n_data, n_sampels) + output_lst = np.array(output_lst, dtype=object) + output_lst = np.transpose(output_lst, axes=(1, 0)).tolist() + + # add to the data frame + dataset[f'responses'] = output_lst + + # write to a new parquet + output_dir = os.path.dirname(config.data.output_path) + makedirs(output_dir, exist_ok=True) + dataset.to_parquet(config.data.output_path) + + return output_text + + +if __name__ == '__main__': + main() diff --git a/verl/trainer/main_ppo.py b/verl/trainer/main_ppo.py new file mode 100644 index 00000000..a1c547d9 --- /dev/null +++ b/verl/trainer/main_ppo.py @@ -0,0 +1,353 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Note that we don't combine the main with ray_trainer as ray_trainer is used by other main. +""" + +from verl import DataProto +import torch +from verl.utils.reward_score import qa_em +from verl.utils.reward_score import agentgym +from verl.trainer.ppo.ray_trainer import RayPPOTrainer +import re +import numpy as np +from omegaconf import OmegaConf +import ray +import hydra +import os + +def _select_rm_score_fn(data_source): + # 定义已知的AgentGym环境列表 + KNOWN_AGENTGYM_ENVS = [ + "webshop", "webarena", "maze", "wordle", "alfworld", + "sciworld", "babyai", "textcraft", "weather", "movie", + "academia", "todo", "sheet", "sqlgym" + ] + + # 检查数据源是否为AgentGym环境 + if data_source in KNOWN_AGENTGYM_ENVS: + from verl.utils.reward_score import agentgym_compute_score + return agentgym_compute_score + elif data_source in ['nq', 'triviaqa', 'popqa', 'hotpotqa', '2wikimultihopqa', 'musique', 'bamboogle']: + return qa_em.compute_score_em + else: + raise NotImplementedError + + +class RewardManager(): + """The reward manager. + """ + + def __init__(self, tokenizer, num_examine, format_score=0.) -> None: + self.tokenizer = tokenizer + self.num_examine = num_examine # the number of batches of decoded responses to print to the console + self.format_score = format_score + + def __call__(self, data: DataProto): + """We will expand this function gradually based on the available datasets""" + + # If there is rm score, we directly return rm score. Otherwise, we compute via rm_score_fn + if 'rm_scores' in data.batch.keys(): + return data.batch['rm_scores'] + + reward_tensor = torch.zeros_like(data.batch['responses'], dtype=torch.float32) + + # all_scores = [] + + already_print_data_sources = {} + + for i in range(len(data)): + data_item = data[i] # DataProtoItem + + prompt_ids = data_item.batch['prompts'] + + prompt_length = prompt_ids.shape[-1] + + valid_prompt_length = data_item.batch['attention_mask'][:prompt_length].sum() + valid_prompt_ids = prompt_ids[-valid_prompt_length:] + + response_ids = data_item.batch['responses'] + valid_response_length = data_item.batch['attention_mask'][prompt_length:].sum() + valid_response_ids = response_ids[:valid_response_length] + + # decode + sequences = torch.cat((valid_prompt_ids, valid_response_ids)) + sequences_str = self.tokenizer.decode(sequences) + + ground_truth = data_item.non_tensor_batch['reward_model']['ground_truth'] + + # select rm_score + data_source = data_item.non_tensor_batch['data_source'] + compute_score_fn = _select_rm_score_fn(data_source) + + score = compute_score_fn(solution_str=sequences_str, ground_truth=ground_truth, format_score=self.format_score) + + reward_tensor[i, valid_response_length - 1] = score + # all_scores.append(score) + + if data_source not in already_print_data_sources: + already_print_data_sources[data_source] = 0 + + if already_print_data_sources[data_source] < self.num_examine: + already_print_data_sources[data_source] += 1 + print(sequences_str) + + # print(f"[DEBUG] all_scores: {all_scores}") + # print(f"[DEBUG] all_scores shape: {np.array(all_scores).shape}") + # print(f"[DEBUG] all_scores mean: {np.mean(all_scores)}") + # print(f"[DEBUG] all_scores max: {np.max(all_scores)}") + # print(f"[DEBUG] all_scores min: {np.min(all_scores)}") + # print(f"[DEBUG] all_scores std: {np.std(all_scores)}") + + return reward_tensor + + +@hydra.main(config_path='config', config_name='ppo_trainer', version_base=None) +def main(config): + # Based on verl/verl/trainer/main_ppo.py + # Save original CUDA_VISIBLE_DEVICES for diagnostics + import os, torch, ray + original_cuda_visible = os.environ.get("CUDA_VISIBLE_DEVICES", "") + + # Ensure necessary env vars for potential conflicts are preserved + os.environ["ENSURE_CUDA_VISIBLE_DEVICES"] = original_cuda_visible + + # Print CUDA environment before ray init + print(f"[main] Before Ray init - CUDA available: {torch.cuda.is_available()}") + print(f"[main] CUDA_VISIBLE_DEVICES: {original_cuda_visible}") + if torch.cuda.is_available(): + device_count = torch.cuda.device_count() + print(f"[main] Device count: {device_count}") + for i in range(device_count): + print(f"[main] Device {i}: {torch.cuda.get_device_name(i)}") + + if not ray.is_initialized(): + # Use ray_init config if available, otherwise default + num_cpus = config.get("ray_init", {}).get("num_cpus", None) + + # Get number of GPUs from config for Ray initialization + num_gpus = config.trainer.n_gpus_per_node + print(f"[main] Initializing Ray... Requesting {num_cpus} CPUs and {num_gpus} GPUs") + + # Create explicit runtime_env that preserves CUDA_VISIBLE_DEVICES + runtime_env = { + 'env_vars': { + 'TOKENIZERS_PARALLELISM': 'true', + 'NCCL_DEBUG': 'WARN', + 'VLLM_LOGGING_LEVEL': 'WARN', + # Explicitly propagate the original CUDA_VISIBLE_DEVICES + 'CUDA_VISIBLE_DEVICES': original_cuda_visible + } + } + + # Initialize Ray with explicit runtime environment + ray.init( + runtime_env=runtime_env, + num_cpus=num_cpus, + num_gpus=num_gpus + ) + + # Verify Ray's resource allocation + print(f"[main] Ray initialized with resources: {ray.available_resources()}") + print(f"[main] Ray runtime_env: {ray.get_runtime_context().runtime_env}") + + # Create and run the TaskRunner actor + print("[main] Creating TaskRunner actor...") + + # IMPORTANT: REMOVE the explicit GPU request for TaskRunner. + # It only needs CPU for orchestration. GPUs are for worker groups. + # Original line: runner = TaskRunner.options(num_gpus=1).remote() + runner = TaskRunner.remote() # TaskRunner itself does not need a GPU + + print("[main] Calling TaskRunner.run...") + ray.get(runner.run.remote(config)) + print("[main] TaskRunner finished.") + +# Define the TaskRunner Actor based on verl/verl structure +@ray.remote(num_cpus=1) # Base configuration, but we'll use .options() to add GPUs +class TaskRunner: + def run(self, config): + import torch, os, sys + print(f"\n{'='*40}") + print(f"TaskRunner.run started in PID: {os.getpid()}, Host: {os.uname()[1]}") + print(f"Python executable: {sys.executable}") + print(f"CUDA debug info in TaskRunner.run:") + print(f" CUDA_VISIBLE_DEVICES = {os.environ.get('CUDA_VISIBLE_DEVICES', 'Not set')}") + print(f" torch.cuda.is_available() = {torch.cuda.is_available()}") + print(f" torch.cuda.device_count() = {torch.cuda.device_count()}") + if torch.cuda.is_available(): + for i in range(torch.cuda.device_count()): + print(f" Device {i}: {torch.cuda.get_device_name(i)}") + # Print memory info + try: + free_mem, total_mem = torch.cuda.mem_get_info(i) + free_gb = free_mem / (1024**3) + total_gb = total_mem / (1024**3) + print(f" - GPU {i} Memory: {free_gb:.2f}GB free / {total_gb:.2f}GB total") + except: + print(" - Memory info not available for this device") + else: + print(" CRITICAL: No CUDA devices visible to TaskRunner!") + print(f"{'='*40}\n") + + from verl.utils.fs import copy_local_path_from_hdfs # Keep relevant imports inside + from transformers import AutoTokenizer + from pprint import pprint + + # print initial config + print("--- Initial Config (Resolved) ---") + pprint(OmegaConf.to_container(config, resolve=True)) + print("---------------------------------") + # Ensure config is fully resolved for subsequent use + OmegaConf.resolve(config) + + # download the checkpoint from hdfs + print(f"Copying model from {config.actor_rollout_ref.model.path}...") + local_path = copy_local_path_from_hdfs(config.actor_rollout_ref.model.path) + print(f"Model copied to local path: {local_path}") + + # instantiate tokenizer + print(f"Loading tokenizer from {local_path}...") + from verl.utils import hf_tokenizer + tokenizer = hf_tokenizer(local_path) + print("Tokenizer loaded.") + + # define worker classes based on strategy + print(f"Determining worker strategy: {config.actor_rollout_ref.actor.strategy}") + if config.actor_rollout_ref.actor.strategy == 'fsdp': + assert config.actor_rollout_ref.actor.strategy == config.critic.strategy + from verl.workers.fsdp_workers import ActorRolloutRefWorker, CriticWorker + from verl.single_controller.ray import RayWorkerGroup + ray_worker_group_cls = RayWorkerGroup + actor_rollout_cls = ActorRolloutRefWorker # Assuming non-async for OpenManus + print("Using FSDP workers.") + + elif config.actor_rollout_ref.actor.strategy == 'megatron': + assert config.actor_rollout_ref.actor.strategy == config.critic.strategy + from verl.workers.megatron_workers import ActorRolloutRefWorker, CriticWorker + from verl.single_controller.ray.megatron import NVMegatronRayWorkerGroup + ray_worker_group_cls = NVMegatronRayWorkerGroup + actor_rollout_cls = ActorRolloutRefWorker + print("Using Megatron workers.") + else: + raise NotImplementedError(f"Unsupported strategy: {config.actor_rollout_ref.actor.strategy}") + + from verl.trainer.ppo.ray_trainer import ResourcePoolManager, Role, RayPPOTrainer # Import RayPPOTrainer here + + # Define base role mapping + role_worker_mapping = { + # Use the determined actor_rollout_cls + Role.ActorRollout: ray.remote(actor_rollout_cls), + Role.Critic: ray.remote(CriticWorker), + } + print(f"Base role mapping created: {list(role_worker_mapping.keys())}") + + global_pool_id = 'global_pool' + resource_pool_spec = { + global_pool_id: [config.trainer.n_gpus_per_node] * config.trainer.nnodes, + } + mapping = { + Role.ActorRollout: global_pool_id, + Role.Critic: global_pool_id, + } + print(f"Resource pool spec: {resource_pool_spec}") + print(f"Initial mapping: {mapping}") + + # --- Conditionally Add RefPolicy and RewardModel --- + # Use reference model if KL penalty is applied in either way + # Adjusted logic to match verl/verl structure more closely + use_kl_in_reward = config.algorithm.get('use_kl_in_reward', False) # Default to False if not present + use_kl_loss = config.actor_rollout_ref.actor.get('use_kl_loss', False) # Default to False if not present + if use_kl_in_reward or use_kl_loss: + print("KL penalty enabled, adding RefPolicy worker.") + # RefPolicy typically uses the same base class as ActorRollout + role_worker_mapping[Role.RefPolicy] = ray.remote(actor_rollout_cls) + mapping[Role.RefPolicy] = global_pool_id + else: + print("KL penalty not enabled, skipping RefPolicy worker.") + + # Setup RewardModel worker if enabled + if config.reward_model.enable: + print("RewardModel enabled, setting up worker.") + # Determine RewardModelWorker class based on strategy (similar to verl/verl) + if config.reward_model.strategy == 'fsdp': + from verl.workers.fsdp_workers import RewardModelWorker + print("Using FSDP RewardModelWorker.") + elif config.reward_model.strategy == 'megatron': + from verl.workers.megatron_workers import RewardModelWorker + print("Using Megatron RewardModelWorker.") + else: + raise NotImplementedError(f"Unsupported reward_model strategy: {config.reward_model.strategy}") + role_worker_mapping[Role.RewardModel] = ray.remote(RewardModelWorker) + mapping[Role.RewardModel] = global_pool_id + else: + print("RewardModel not enabled, skipping worker setup.") + + # --- Reward Function/Composer Setup --- + reward_fn = None + val_reward_fn = None + reward_component_config = {} + + # Define known AgentGym environments (mirroring agentgym.py or train_ppo.sh) + KNOWN_AGENTGYM_ENVS = [ + "webshop", "webarena", "maze", "wordle", "alfworld", + "sciworld", "babyai", "textcraft", "weather", "movie", + "academia", "todo", "sheet", "sqlgym" + ] + is_agentgym_run = config.data.env_name in KNOWN_AGENTGYM_ENVS + + # Load reward components config + reward_component_config = OmegaConf.to_container( + config.algorithm.get('reward_components', {}), resolve=True + ) + print(f"Reward component configuration: {reward_component_config}") + + # Initialize RewardManager only if NOT an AgentGym run AND if RewardManager class exists + if not is_agentgym_run: + print("Not an AgentGym run. Attempting to load RewardManager (if defined)...") + try: + # Assuming RewardManager is defined globally or imported elsewhere + from verl.trainer.ppo.ray_trainer import RewardManager # Or adjust import path + reward_fn = RewardManager(tokenizer=tokenizer, num_examine=0, format_score=config.get('format_score', 0.)) + val_reward_fn = RewardManager(tokenizer=tokenizer, num_examine=1, format_score=config.get('format_score', 0.)) + print("RewardManager loaded for train and validation.") + except (ImportError, NameError): + print("RewardManager class not found or import failed. Skipping RewardManager setup.") + pass # reward_fn and val_reward_fn remain None + else: + print("AgentGym run detected. Skipping RewardManager setup (RewardComposer will be used).") + + # --- Initialize Trainer --- + print("Initializing ResourcePoolManager...") + resource_pool_manager = ResourcePoolManager(resource_pool_spec=resource_pool_spec, mapping=mapping) + print("Initializing RayPPOTrainer...") + trainer = RayPPOTrainer( + config=config, + tokenizer=tokenizer, + # processor=processor, # Add processor if/when needed for multimodal + role_worker_mapping=role_worker_mapping, + resource_pool_manager=resource_pool_manager, + ray_worker_group_cls=ray_worker_group_cls, + reward_fn=reward_fn, # Pass potentially None + val_reward_fn=val_reward_fn, # Pass potentially None + reward_component_config=reward_component_config, # Pass the parsed config + ) + print("RayPPOTrainer initialized. Initializing workers...") + trainer.init_workers() + print("Workers initialized. Starting training loop (trainer.fit())...") + trainer.fit() + print("Trainer finished.") + +if __name__ == '__main__': + main() diff --git a/verl/trainer/ppo/__init__.py b/verl/trainer/ppo/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/trainer/ppo/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/trainer/ppo/core_algos.py b/verl/trainer/ppo/core_algos.py new file mode 100644 index 00000000..d3f4aff3 --- /dev/null +++ b/verl/trainer/ppo/core_algos.py @@ -0,0 +1,274 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2022 The HuggingFace Team. All rights reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Core functions to implement PPO algorithms. +The function implemented in this file should be used by trainer with different distributed strategies to +implement PPO +""" + +import numpy as np +import torch +from collections import defaultdict + +import verl.utils.torch_functional as verl_F + + +class AdaptiveKLController: + """ + Adaptive KL controller described in the paper: + https://arxiv.org/pdf/1909.08593.pdf + """ + + def __init__(self, init_kl_coef, target_kl, horizon): + self.value = init_kl_coef + self.target = target_kl + self.horizon = horizon + + def update(self, current_kl, n_steps): + target = self.target + proportional_error = np.clip(current_kl / target - 1, -0.2, 0.2) + mult = 1 + proportional_error * n_steps / self.horizon + self.value *= mult + + +class FixedKLController: + """Fixed KL controller.""" + + def __init__(self, kl_coef): + self.value = kl_coef + + def update(self, current_kl, n_steps): + pass + + +def get_kl_controller(config): # seems never used? + if config.critic.kl_ctrl.type == 'fixed': + kl_ctrl = FixedKLController(kl_coef=config.critic.kl_ctrl.kl_coef) + elif config.critic.kl_ctrl.type == 'adaptive': + assert config.kl_ctrl.horizon > 0, f'horizon must be larger than 0. Got {config.critic.kl_ctrl.horizon}' + kl_ctrl = AdaptiveKLController(init_kl_coef=config.critic.kl_ctrl.kl_coef, + target_kl=config.critic.kl_ctrl.target_kl, + horizon=config.critic.kl_ctrl.horizon) + else: + raise ValueError('Unknown kl_ctrl type') + + return kl_ctrl + + +def compute_gae_advantage_return(token_level_rewards: torch.Tensor, values: torch.Tensor, eos_mask: torch.Tensor, + gamma: torch.Tensor, lam: torch.Tensor): + """Adapted from https://github.com/huggingface/trl/blob/main/trl/trainer/ppo_trainer.py + + Args: + token_level_rewards: `(torch.Tensor)` + shape: (bs, response_length) + values: `(torch.Tensor)` + shape: (bs, response_length) + eos_mask: `(torch.Tensor)` + shape: (bs, response_length). [EOS] mask. The token after [EOS] have mask zero. + gamma: `(float)` + discounted factor used in RL + lam: `(float)` + lambda value when computing Generalized Advantage Estimation (https://arxiv.org/abs/1506.02438) + + Returns: + advantages: `(torch.Tensor)` + shape: (bs, response_length) + Returns: `(torch.Tensor)` + shape: (bs, response_length) + + """ + with torch.no_grad(): + lastgaelam = 0 + advantages_reversed = [] + gen_len = token_level_rewards.shape[-1] + + for t in reversed(range(gen_len)): + nextvalues = values[:, t + 1] if t < gen_len - 1 else 0.0 + delta = token_level_rewards[:, t] + gamma * nextvalues - values[:, t] + lastgaelam = delta + gamma * lam * lastgaelam + advantages_reversed.append(lastgaelam) + advantages = torch.stack(advantages_reversed[::-1], dim=1) + + returns = advantages + values + advantages = verl_F.masked_whiten(advantages, eos_mask) + return advantages, returns + + +# NOTE(sgm): this implementation only consider outcome supervision, where the reward is a scalar. +def compute_grpo_outcome_advantage(token_level_rewards: torch.Tensor, + eos_mask: torch.Tensor, + index: torch.Tensor, + epsilon: float = 1e-6): + """ + Compute advantage for GRPO, operating only on Outcome reward + (with only one scalar reward for each response). + Args: + token_level_rewards: `(torch.Tensor)` + shape: (bs, response_length) + eos_mask: `(torch.Tensor)` + shape: (bs, response_length) + + Returns: + advantages: `(torch.Tensor)` + shape: (bs, response_length) + Returns: `(torch.Tensor)` + shape: (bs, response_length) + """ + response_length = token_level_rewards.shape[-1] + non_zero_mask = (token_level_rewards != 0) + scores = (token_level_rewards * non_zero_mask).sum(dim=-1) + + id2score = defaultdict(list) + id2mean = {} + id2std = {} + + with torch.no_grad(): + bsz = scores.shape[0] + for i in range(bsz): + id2score[index[i]].append(scores[i]) + for idx in id2score: + if len(id2score[idx]) == 1: + id2mean[idx] = torch.tensor(0.0) + id2std[idx] = torch.tensor(1.0) + elif len(id2score[idx]) > 1: + id2mean[idx] = torch.mean(torch.tensor(id2score[idx])) + id2std[idx] = torch.std(torch.tensor([id2score[idx]])) + else: + raise ValueError(f"no score in prompt index: {idx}") + for i in range(bsz): + scores[i] = (scores[i] - id2mean[index[i]]) / (id2std[index[i]] + epsilon) + scores = scores.unsqueeze(-1).tile([1, response_length]) * eos_mask + + return scores, scores + + +def compute_rewards(token_level_scores, old_log_prob, ref_log_prob, kl_ratio): + kl = old_log_prob - ref_log_prob + return token_level_scores - kl * kl_ratio + + +def compute_policy_loss(old_log_prob, log_prob, advantages, eos_mask, cliprange): + """Adapted from https://github.com/huggingface/trl/blob/main/trl/trainer/ppo_trainer.py#L1122 + + Args: + old_log_prob: `(torch.Tensor)` + shape: (bs, response_length) + log_prob: `(torch.Tensor)` + shape: (bs, response_length) + advantages: `(torch.Tensor)` + shape: (bs, response_length) + eos_mask: `(torch.Tensor)` + shape: (bs, response_length) + cliprange: (float) + The clip range used in PPO. See https://arxiv.org/abs/1707.06347 + + Returns: + pg_loss: `a scalar torch.Tensor` + policy gradient loss computed via PPO + pg_clipfrac: (float) + a float number indicating the fraction of policy gradient loss being clipped + + """ + negative_approx_kl = log_prob - old_log_prob + ratio = torch.exp(negative_approx_kl) + ppo_kl = verl_F.masked_mean(-negative_approx_kl, eos_mask) + + pg_losses = -advantages * ratio + pg_losses2 = -advantages * torch.clamp(ratio, 1.0 - cliprange, 1.0 + cliprange) + + pg_loss = verl_F.masked_mean(torch.max(pg_losses, pg_losses2), eos_mask) + pg_clipfrac = verl_F.masked_mean(torch.gt(pg_losses2, pg_losses).float(), eos_mask) + return pg_loss, pg_clipfrac, ppo_kl + + +def compute_entropy_loss(logits, eos_mask): + """Compute Categorical entropy loss + + Args: + logits: `(torch.Tensor)` + shape: (bs, response_length, vocab_size) + eos_mask: `(torch.Tensor)` + shape: (bs, response_length) + + Returns: + entropy: a scalar torch.Tensor + + """ + # compute entropy + entropy = verl_F.entropy_from_logits(logits) # (bs, response_len) + entropy_loss = verl_F.masked_mean(entropy, mask=eos_mask) + return entropy_loss + + +def compute_value_loss(vpreds, returns, values, eos_mask, cliprange_value): + """Compute the value loss. Copied from https://github.com/huggingface/trl/blob/main/trl/trainer/ppo_trainer.py#L1151 + + Args: + vpreds (`torch.FloatTensor`): + Predicted values of the value head, shape (`batch_size`, `response_length`) + values (`torch.FloatTensor`): + Old values of value head, shape (`batch_size`, `response_length`) + returns: (`torch.FloatTensor`): + Ground truth returns, shape (`batch_size`, `response_length`) + + Returns: + vf_loss: a scalar (`torch.FloatTensor`): + value function loss + vf_clipfrac: a float + The ratio of vf being clipped + + """ + vpredclipped = verl_F.clip_by_value(vpreds, values - cliprange_value, values + cliprange_value) + vf_losses1 = (vpreds - returns)**2 + vf_losses2 = (vpredclipped - returns)**2 + vf_loss = 0.5 * verl_F.masked_mean(torch.max(vf_losses1, vf_losses2), eos_mask) + vf_clipfrac = verl_F.masked_mean(torch.gt(vf_losses2, vf_losses1).float(), eos_mask) + return vf_loss, vf_clipfrac + + +def kl_penalty(logprob: torch.FloatTensor, ref_logprob: torch.FloatTensor, kl_penalty) -> torch.FloatTensor: + """Compute KL divergence given logprob and ref_logprob. + Copied from https://github.com/huggingface/trl/blob/main/trl/trainer/ppo_trainer.py#L1104 + + Args: + logprob: + ref_logprob: + + Returns: + + """ + if kl_penalty == "kl": + return logprob - ref_logprob + + if kl_penalty == "abs": + return (logprob - ref_logprob).abs() + + if kl_penalty == "mse": + return 0.5 * (logprob - ref_logprob).square() + + # J. Schulman. Approximating kl divergence, 2020. + # # URL http://joschu.net/blog/kl-approx.html. + if kl_penalty == 'low_var_kl': + kl = ref_logprob - logprob + ratio = torch.exp(kl) + kld = (ratio - kl - 1).contiguous() + return torch.clamp(kld, min=-10, max=10) + + if kl_penalty == "full": + # so, here logprob and ref_logprob should contain the logits for every token in vocabulary + raise NotImplementedError + + raise NotImplementedError diff --git a/verl/trainer/ppo/ray_trainer.py b/verl/trainer/ppo/ray_trainer.py new file mode 100644 index 00000000..6b3933d6 --- /dev/null +++ b/verl/trainer/ppo/ray_trainer.py @@ -0,0 +1,1682 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +FSDP PPO Trainer with Ray-based single controller. +This trainer supports model-agonistic model initialization with huggingface +""" + +import os +import uuid +from contextlib import contextmanager +from dataclasses import dataclass, field +from enum import Enum +from pprint import pprint +from typing import Type, Dict + +import re +import json +from collections import defaultdict + +import numpy as np +from codetiming import Timer +from omegaconf import OmegaConf, open_dict +from verl import DataProto +from verl.protocol import pad_dataproto_to_divisor, unpad_dataproto +from verl.single_controller.base import Worker +from verl.single_controller.ray import RayResourcePool, RayWorkerGroup, RayClassWithInitArgs +from verl.single_controller.ray.base import create_colocated_worker_cls +from verl.trainer.ppo import core_algos +from verl.utils.seqlen_balancing import get_seqlen_balanced_partitions, log_seqlen_unbalance + +import re +from openmanus_rl.llm_agent.openmanus import OpenManusAgent, AgentConfig +from verl.utils.reward_score import SUPPORTED_REWARD_SCORE_FNS +from verl.utils.reward_score.agentgym import compute_score as agentgym_compute_score +from verl.utils.reward_score.reward_components import RewardComposer, GoalReward, LengthPenalty, FormatReward +from verl.utils.tracking import Tracking + +import ray + +WorkerType = Type[Worker] + +# Define known AgentGym envs centrally here +KNOWN_AGENTGYM_ENVS = [ + "webshop", "webarena", "maze", "wordle", "alfworld", + "sciworld", "babyai", "textcraft", "weather", "movie", + "academia", "todo", "sheet", "sqlgym" +] + +class Role(Enum): + """ + To create more roles dynamically, you can subclass Role and add new members + """ + Actor = 0 + Rollout = 1 + ActorRollout = 2 + Critic = 3 + RefPolicy = 4 + RewardModel = 5 + ActorRolloutRef = 6 + + +@dataclass +class ResourcePoolManager: + """ + Define a resource pool specification. Resource pool will be initialized first. + Mapping + """ + resource_pool_spec: dict[str, list[int]] + mapping: dict[Role, str] + resource_pool_dict: dict[str, RayResourcePool] = field(default_factory=dict) + + def create_resource_pool(self): + for resource_pool_name, process_on_nodes in self.resource_pool_spec.items(): + # max_colocate_count means the number of WorkerGroups (i.e. processes) in each RayResourcePool + # For FSDP backend, we recommend using max_colocate_count=1 that merge all WorkerGroups into one. + # For Megatron backend, we recommend using max_colocate_count>1 that can utilize different WorkerGroup for differnt models + resource_pool = RayResourcePool(process_on_nodes=process_on_nodes, + use_gpu=True, + max_colocate_count=1, + name_prefix=resource_pool_name) + self.resource_pool_dict[resource_pool_name] = resource_pool + + def get_resource_pool(self, role: Role) -> RayResourcePool: + """Get the resource pool of the worker_cls""" + return self.resource_pool_dict[self.mapping[role]] + + +import torch +from verl.utils.torch_functional import masked_mean + + +def apply_kl_penalty(data: DataProto, kl_ctrl: core_algos.AdaptiveKLController, kl_penalty='kl'): + responses = data.batch['responses'] + response_length = responses.size(1) + token_level_scores = data.batch['token_level_scores'] # Shape (batch_size, total_length) + total_length = token_level_scores.size(1) + # batch_size = data.batch.batch_size[0] # Get scalar batch size from TensorDict property + + # --- FIX: Get batch size from a tensor inside batch --- + # Using data.batch.batch_size directly might fail if TensorDict is empty or inconsistent during init + # It's safer to get it from a guaranteed tensor like input_ids or attention_mask if available + # However, batch_size for kl_ctrl update needs to be scalar sum of batch sizes across ranks + # Let's rely on the TensorDict property for now, assuming it's consistent by this point. + # If this causes issues later, we might need to pass effective batch size differently. + batch_size_scalar = data.batch.batch_size[0] # Get scalar batch size for kl_ctrl.update + # --- END FIX --- + + # Get the attention mask for the full sequence + attention_mask = data.batch['attention_mask'] # Shape (batch_size, total_length) + # Extract the mask corresponding only to the response part + response_mask = attention_mask[:, -response_length:] # Shape (batch_size, response_length) + + # compute kl between ref_policy and current policy + if 'ref_log_prob' in data.batch.keys() and 'old_log_probs' in data.batch.keys(): + # Assuming old_log_probs and ref_log_prob have shape (batch_size, response_length) + kld = core_algos.kl_penalty(data.batch['old_log_probs'], data.batch['ref_log_prob'], + kl_penalty=kl_penalty) # Shape (batch_size, response_length) + kld = kld * response_mask # Apply mask, shape remains (batch_size, response_length) + beta = kl_ctrl.value + else: + beta = 0 + # kld should have the same shape as the response part it would be subtracted from + kld = torch.zeros_like(response_mask, dtype=torch.float32) # Shape (batch_size, response_length) + + # Initialize token_level_rewards as a copy of scores (prompt rewards are scores) + token_level_rewards = token_level_scores.clone() + + # --- FIX: Apply KL penalty only to the response part --- + # Extract the scores corresponding to the response tokens + response_scores = token_level_scores[:, -response_length:] # Shape (batch_size, response_length) + # Calculate the rewards for the response tokens + response_rewards = response_scores - beta * kld # Shape (batch_size, response_length) + # Place the calculated response rewards back into the full rewards tensor + # Ensure rewards are only applied where the response mask is 1 + token_level_rewards[:, -response_length:][response_mask] = response_rewards[response_mask] + # --- END FIX --- + + # Calculate current_kl based on the response part + current_kl = masked_mean(kld, mask=response_mask, axis=-1) # average over sequence + current_kl = torch.mean(current_kl, dim=0).item() + + # Update KL controller + kl_ctrl.update(current_kl=current_kl, n_steps=batch_size_scalar) # Use scalar batch_size + + # Update the DataProto with the final token_level_rewards + data.batch['token_level_rewards'] = token_level_rewards + + metrics = {'critic/kl': current_kl, 'critic/kl_coeff': beta} + + return data, metrics + + +def compute_advantage(data: DataProto, adv_estimator, gamma=1.0, lam=1.0, num_repeat=1): + """ + Compute advantage estimates based on the specified estimator (GAE or GRPO). + Now with improved error handling and debugging. + """ + try: + # prepare response group + if adv_estimator == 'gae': + # Check if values field exists, which is required for GAE + if 'values' not in data.batch: + # CHANGE: Throw an error instead of automatically falling back to GRPO + error_msg = "'values' not found in batch, required for GAE. Please ensure critic.compute_values is called before compute_advantage." + print(f"[compute_advantage][ERROR] {error_msg}") + raise ValueError(error_msg) + # Remove the automatic fallback code below + # print(f"[compute_advantage] WARNING: 'values' not found in batch, required for GAE. Falling back to GRPO estimator.") + # Fall back to GRPO estimator which doesn't require values + # adv_estimator = 'grpo' + # print(f"[compute_advantage] Switched to estimator: {adv_estimator}") + else: + values = data.batch['values'] # Assume shape (batch_size, response_length), e.g., (4, 1000) + responses = data.batch['responses'] # Shape (batch_size, response_length), e.g., (4, 1000) + token_level_rewards = data.batch['token_level_rewards'] # Shape (batch_size, total_length), e.g., (4, 4096) + attention_mask = data.batch['attention_mask'] # Shape (batch_size, total_length), e.g., (4, 4096) + + response_length = responses.size(-1) # e.g., 1000 + + # Print shapes for debugging + print(f"[compute_advantage][GAE] Response length: {response_length}") + print(f"[compute_advantage][GAE] Values shape: {values.shape}") + print(f"[compute_advantage][GAE] Token level rewards shape: {token_level_rewards.shape}") + print(f"[compute_advantage][GAE] Attention mask shape: {attention_mask.shape}") + + # --- FIX: Extract response-only parts for GAE calculation --- + # Rewards corresponding to the response part + response_rewards = token_level_rewards[:, -response_length:] # Shape (4, 1000) + # Values corresponding to the response part (already assumed to be this shape) + # response_values = values # Shape (4, 1000) # Incorrect assumption, values is full length + # ---> FIX: Slice the values tensor to match the response length <--- + response_values = values[:, -response_length:] + # Mask corresponding to the response part + response_eos_mask = attention_mask[:, -response_length:] # Shape (4, 1000) + # --- END FIX --- + + # Call GAE with aligned tensors + advantages_response, returns_response = core_algos.compute_gae_advantage_return( + token_level_rewards=response_rewards, + values=response_values, # Pass the correctly sliced values + eos_mask=response_eos_mask, + gamma=gamma, + lam=lam + ) + # advantages_response/returns_response have shape (batch_size, response_length) + + # --- FIX: Pad advantages and returns back to the full sequence length --- + total_length = token_level_rewards.size(1) # e.g., 4096 + advantages = torch.zeros_like(token_level_rewards) + returns = torch.zeros_like(token_level_rewards) + + advantages[:, -response_length:] = advantages_response + returns[:, -response_length:] = returns_response + # Apply mask again to ensure padding remains zero + advantages = advantages * attention_mask + returns = returns * attention_mask + # --- END FIX --- + + data.batch['advantages'] = advantages # Shape (4, 4096) + data.batch['returns'] = returns # Shape (4, 4096) + # Successfully computed GAE, return here + return data + + # If we reach here, we're using GRPO or we fell back to GRPO + if adv_estimator == 'grpo': + print(f"[compute_advantage] Computing GRPO advantages...") + if 'token_level_rewards' not in data.batch: + raise KeyError("Missing 'token_level_rewards' in batch, required for GRPO advantage computation") + if 'uid' not in data.non_tensor_batch: + raise KeyError("Missing 'uid' in non_tensor_batch, required for GRPO advantage computation") + if 'responses' not in data.batch: + raise KeyError("Missing 'responses' in batch, required for GRPO advantage computation") + + token_level_rewards = data.batch['token_level_rewards'] + index = data.non_tensor_batch['uid'] + responses = data.batch['responses'] + response_length = responses.size(-1) + attention_mask = data.batch['attention_mask'] + response_mask = attention_mask[:, -response_length:] + + print(f"[compute_advantage] GRPO inputs - token_level_rewards shape: {token_level_rewards.shape}, " + + f"response_length: {response_length}, response_mask shape: {response_mask.shape}, index length: {len(index)}") + + # GRPO computation with proper response rewards + advantages, returns = core_algos.compute_grpo_outcome_advantage( + token_level_rewards=token_level_rewards[:, -response_length:], + eos_mask=response_mask, + index=index + ) + + # Verify the computation results + print(f"[compute_advantage] GRPO outputs - advantages shape: {advantages.shape}, returns shape: {returns.shape}") + + # Pad back to full sequence length + total_length = token_level_rewards.size(1) + padded_advantages = torch.zeros_like(token_level_rewards) + padded_returns = torch.zeros_like(token_level_rewards) + padded_advantages[:, -response_length:] = advantages + padded_returns[:, -response_length:] = returns + + # Apply attention mask and store results + data.batch['advantages'] = padded_advantages * attention_mask + data.batch['returns'] = padded_returns * attention_mask + + print(f"[compute_advantage] GRPO advantages/returns computed successfully") + else: + raise NotImplementedError + + # Check if the computed advantages and returns are valid + if torch.isnan(data.batch['advantages']).any() or torch.isnan(data.batch['returns']).any(): + raise ValueError(f"NaN values detected in computed advantages or returns with {adv_estimator}") + + # Return the updated DataProto + return data + + except Exception as e: + import traceback + print(f"[compute_advantage][ERROR] Failed to compute advantages with {adv_estimator}: {e}") + print(traceback.format_exc()) + raise RuntimeError(f"Advantage computation failed for {adv_estimator}: {e}") + + +def reduce_metrics(metrics: dict): + for key, val in metrics.items(): + metrics[key] = np.mean(val) + return metrics + + +def _compute_response_info(batch): + response_length = batch.batch['responses'].shape[-1] + + prompt_mask = batch.batch['attention_mask'][:, :-response_length] + response_mask = batch.batch['attention_mask'][:, -response_length:] + + prompt_length = prompt_mask.sum(-1).float() + response_length = response_mask.sum(-1).float() # (batch_size,) + + return dict( + response_mask=response_mask, + prompt_length=prompt_length, + response_length=response_length, + ) + + +def compute_data_metrics(batch, use_critic=True): + # TODO: add response length + sequence_score = batch.batch['token_level_scores'].sum(-1) + sequence_reward = batch.batch['token_level_rewards'].sum(-1) + + advantages = batch.batch['advantages'] + returns = batch.batch['returns'] + + max_response_length = batch.batch['responses'].shape[-1] + + prompt_mask = batch.batch['attention_mask'][:, :-max_response_length].bool() + response_mask = batch.batch['attention_mask'][:, -max_response_length:].bool() + + max_prompt_length = prompt_mask.size(-1) + + response_info = _compute_response_info(batch) + prompt_length = response_info['prompt_length'] + response_length = response_info['response_length'] + + # Ensure dimensions match between advantages and response_mask + adv_shape = advantages.shape[-1] + mask_shape = response_mask.shape[-1] + + if adv_shape != mask_shape: + print(f"Shape mismatch detected: advantages({adv_shape}) vs response_mask({mask_shape})") + if adv_shape > mask_shape: + # If advantages is longer, use only the last portion + valid_adv = torch.masked_select(advantages[:, -mask_shape:], response_mask) + else: + # If response_mask is longer, use only the first portion + valid_adv = torch.masked_select(advantages, response_mask[:, :adv_shape]) + else: + valid_adv = torch.masked_select(advantages, response_mask) + + # Similar handling for returns and values + if adv_shape != mask_shape: + if adv_shape > mask_shape: + valid_returns = torch.masked_select(returns[:, -mask_shape:], response_mask) + else: + valid_returns = torch.masked_select(returns, response_mask[:, :adv_shape]) + else: + valid_returns = torch.masked_select(returns, response_mask) + + if use_critic: + values = batch.batch['values'] + # Ensure dimensions match between values and response_mask + val_shape = values.shape[-1] + if val_shape != mask_shape: + if val_shape > mask_shape: + valid_values = torch.masked_select(values[:, -mask_shape:], response_mask) + else: + valid_values = torch.masked_select(values, response_mask[:, :val_shape]) + else: + valid_values = torch.masked_select(values, response_mask) + + return_diff_var = torch.var(valid_returns - valid_values) + return_var = torch.var(valid_returns) + + metrics = { + # score + 'critic/score/mean': + torch.mean(sequence_score).detach().item(), + 'critic/score/max': + torch.max(sequence_score).detach().item(), + 'critic/score/min': + torch.min(sequence_score).detach().item(), + # reward + 'critic/rewards/mean': + torch.mean(sequence_reward).detach().item(), + 'critic/rewards/max': + torch.max(sequence_reward).detach().item(), + 'critic/rewards/min': + torch.min(sequence_reward).detach().item(), + # adv + 'critic/advantages/mean': + torch.mean(valid_adv).detach().item(), + 'critic/advantages/max': + torch.max(valid_adv).detach().item(), + 'critic/advantages/min': + torch.min(valid_adv).detach().item(), + # returns + 'critic/returns/mean': + torch.mean(valid_returns).detach().item(), + 'critic/returns/max': + torch.max(valid_returns).detach().item(), + 'critic/returns/min': + torch.min(valid_returns).detach().item(), + **({ + # values + 'critic/values/mean': torch.mean(valid_values).detach().item(), + 'critic/values/max': torch.max(valid_values).detach().item(), + 'critic/values/min': torch.min(valid_values).detach().item(), + # vf explained var + 'critic/vf_explained_var': (1.0 - return_diff_var / (return_var + 1e-5)).detach().item(), + } if use_critic else {}), + + # response length + 'response_length/mean': + torch.mean(response_length).detach().item(), + 'response_length/max': + torch.max(response_length).detach().item(), + 'response_length/min': + torch.min(response_length).detach().item(), + 'response_length/clip_ratio': + torch.mean(torch.eq(response_length, max_response_length).float()).detach().item(), + # prompt length + 'prompt_length/mean': + torch.mean(prompt_length).detach().item(), + 'prompt_length/max': + torch.max(prompt_length).detach().item(), + 'prompt_length/min': + torch.min(prompt_length).detach().item(), + 'prompt_length/clip_ratio': + torch.mean(torch.eq(prompt_length, max_prompt_length).float()).detach().item(), + + # metrics for actions + 'env/number_of_actions/mean': + float(np.array(batch.meta_info['turns_stats'], dtype=np.int16).mean()), + 'env/number_of_actions/max': + float(np.array(batch.meta_info['turns_stats'], dtype=np.int16).max()), + 'env/number_of_actions/min': + float(np.array(batch.meta_info['turns_stats'], dtype=np.int16).min()), + 'env/finish_ratio': + 1 - float(np.array(batch.meta_info['active_mask'], dtype=np.int16).mean()), + 'env/number_of_valid_action': + float(np.array(batch.meta_info['valid_action_stats'], dtype=np.int16).mean()), + 'env/ratio_of_valid_action': + float((np.array(batch.meta_info['valid_action_stats'], dtype=np.int16) / np.array(batch.meta_info['turns_stats'], dtype=np.int16)).mean()), + 'env/number_of_valid_search': + float(np.array(batch.meta_info['valid_search_stats'], dtype=np.int16).mean()), + } + + return metrics + + +def compute_timing_metrics(batch, timing_raw): + response_info = _compute_response_info(batch) + num_prompt_tokens = torch.sum(response_info['prompt_length']).item() + num_response_tokens = torch.sum(response_info['response_length']).item() + num_overall_tokens = num_prompt_tokens + num_response_tokens + + num_tokens_of_section = { + 'gen': num_response_tokens, + **{ + name: num_overall_tokens for name in ['ref', 'values', 'adv', 'update_critic', 'update_actor', 'rollout'] + }, + } + + return { + **{ + f'timing_s/{name}': value for name, value in timing_raw.items() + }, + **{ + f'timing_per_token_ms/{name}': timing_raw[name] * 1000 / num_tokens_of_section[name] for name in set(num_tokens_of_section.keys( + )) & set(timing_raw.keys()) + }, + } + + +@contextmanager +def _timer(name: str, timing_raw: Dict[str, float]): + with Timer(name=name, logger=None) as timer: + yield + timing_raw[name] = timer.last + + +def get_safe_device(requested_device='cuda', allow_cpu_fallback=True): + """ + Get a torch device, with improved error handling for CUDA availability. + + Args: + requested_device: The preferred device, e.g., 'cuda', 'cuda:0', etc. + allow_cpu_fallback: If True, will return CPU device if CUDA is not available + + Returns: + A torch device that matches the requested device or CPU if CUDA is not available + and allow_cpu_fallback is True. + + Raises: + RuntimeError: If CUDA is requested but not available and allow_cpu_fallback=False + """ + import torch, os + + # Check if CUDA is available when requested + if 'cuda' in str(requested_device) and not torch.cuda.is_available(): + cuda_visible = os.environ.get('CUDA_VISIBLE_DEVICES', 'Not set') + if allow_cpu_fallback: + print(f"[WARNING] CUDA requested ({requested_device}) but not available. " + f"CUDA_VISIBLE_DEVICES={cuda_visible}. Falling back to CPU.") + return torch.device('cpu') + else: + raise RuntimeError(f"CUDA requested ({requested_device}) but not available. " + f"CUDA_VISIBLE_DEVICES={cuda_visible}") + + # If requesting a specific CUDA device, verify it exists + if str(requested_device).startswith('cuda:') and torch.cuda.is_available(): + try: + device_idx = int(str(requested_device).split(':')[1]) + if device_idx >= torch.cuda.device_count(): + if allow_cpu_fallback: + print(f"[WARNING] CUDA device {device_idx} requested but only " + f"{torch.cuda.device_count()} devices available. " + f"Using device cuda:0 instead.") + return torch.device('cuda:0') + else: + raise RuntimeError( + f"CUDA device {device_idx} requested but only {torch.cuda.device_count()} " + f"devices available. Please specify a valid device index." + ) + except ValueError: + if allow_cpu_fallback: + print(f"[WARNING] Invalid CUDA device format: {requested_device}. Using default cuda device.") + return torch.device('cuda') + else: + raise RuntimeError(f"Invalid CUDA device format: {requested_device}. Use 'cuda:n' where n is an integer.") + + # For non-CUDA devices or if CUDA is properly available + try: + return torch.device(requested_device) + except Exception as e: + if allow_cpu_fallback: + print(f"[WARNING] Error creating device {requested_device}: {e}. Falling back to CPU.") + return torch.device('cpu') + else: + raise RuntimeError(f"Error creating device {requested_device}: {e}") + + +class RayPPOTrainer(object): + """ + Note that this trainer runs on the driver process on a single CPU/GPU node. + """ + + # TODO: support each role have individual ray_worker_group_cls, + # i.e., support different backend of different role + def __init__( + self, + config, + tokenizer, + role_worker_mapping: dict[Role, WorkerType], + resource_pool_manager: ResourcePoolManager, + ray_worker_group_cls: RayWorkerGroup = RayWorkerGroup, + reward_fn=None, + val_reward_fn=None, + reward_component_config: dict = None): + + # Check CUDA availability but don't fail if not available + # Instead, log detailed information for diagnostics + print("\n" + "="*60) + print("[RayPPOTrainer.__init__] CUDA Availability Check:") + import os + print(f" CUDA_VISIBLE_DEVICES = {os.environ.get('CUDA_VISIBLE_DEVICES', 'Not set')}") + + if not torch.cuda.is_available(): + print(f" WARNING: CUDA is not available in RayPPOTrainer!") + print(f" This might cause issues for GPU-intensive operations.") + print(f" Try checking if CUDA_VISIBLE_DEVICES was modified by Ray.") + # Continue but warn rather than failing + else: + # Print CUDA info for debugging + device_count = torch.cuda.device_count() + print(f" CUDA is available. Found {device_count} devices.") + for i in range(device_count): + print(f" - GPU {i}: {torch.cuda.get_device_name(i)}") + + # Additional GPU memory info if available + try: + for i in range(device_count): + free_mem, total_mem = torch.cuda.mem_get_info(i) + free_gb = free_mem / (1024**3) + total_gb = total_mem / (1024**3) + print(f" - GPU {i} Memory: {free_gb:.2f}GB free / {total_gb:.2f}GB total") + except: + print(" (GPU memory info not available)") + print("="*60 + "\n") + + self.tokenizer = tokenizer + self.config = config + self.reward_fn = reward_fn + self.val_reward_fn = val_reward_fn + self.reward_component_config = reward_component_config or {} + + self.hybrid_engine = config.actor_rollout_ref.hybrid_engine + assert self.hybrid_engine, 'Currently, only support hybrid engine' + + if self.hybrid_engine: + assert Role.ActorRollout in role_worker_mapping, f'{role_worker_mapping.keys()=}' + + self.role_worker_mapping = role_worker_mapping + self.resource_pool_manager = resource_pool_manager + self.use_reference_policy = Role.RefPolicy in role_worker_mapping + self.use_rm = Role.RewardModel in role_worker_mapping + self.ray_worker_group_cls = ray_worker_group_cls + + # define KL control + if self.use_reference_policy: + if config.algorithm.kl_ctrl.type == 'fixed': + self.kl_ctrl = core_algos.FixedKLController(kl_coef=config.algorithm.kl_ctrl.kl_coef) + elif config.algorithm.kl_ctrl.type == 'adaptive': + assert config.algorithm.kl_ctrl.horizon > 0, f'horizon must be larger than 0. Got {config.critic.kl_ctrl.horizon}' + self.kl_ctrl = core_algos.AdaptiveKLController(init_kl_coef=config.algorithm.kl_ctrl.kl_coef, + target_kl=config.algorithm.kl_ctrl.target_kl, + horizon=config.algorithm.kl_ctrl.horizon) + else: + raise NotImplementedError + else: + self.kl_ctrl = core_algos.FixedKLController(kl_coef=0.) + + self._create_dataloader() + self._init_logger() + self._init_reward_composer() + + def _init_logger(self): + self.logger = Tracking(project_name=self.config.trainer.project_name, + experiment_name=self.config.trainer.experiment_name, + default_backend=self.config.trainer.logger, + config=OmegaConf.to_container(self.config, resolve=True)) + + def _init_reward_composer(self): + """Initializes the RewardComposer based on the configuration.""" + components = [] + cfg = self.reward_component_config + print(f"[Trainer._init_reward_composer] Initializing with config: {cfg}") + + # --- Build Reward Components List --- + # Example: Dynamically add components based on config + if cfg.get('goal_reward', {}).get('enabled', True): + components.append(GoalReward(weight=cfg['goal_reward'].get('weight', 1.0))) + print(" - Added GoalReward") + + if cfg.get('length_penalty', {}).get('enabled', False): + lp_cfg = cfg['length_penalty'] + components.append(LengthPenalty( + weight=lp_cfg.get('weight', -0.01), + max_length=lp_cfg.get('max_length', 500), + min_length=lp_cfg.get('min_length', 10), + penalty_type=lp_cfg.get('penalty_type', "linear") + )) + print(" - Added LengthPenalty") + + if cfg.get('format_reward', {}).get('enabled', False): + fmt_cfg = cfg['format_reward'] + # Get patterns specific to the current env or use default + patterns = fmt_cfg.get('patterns_by_env', {}).get( + self.config.data.env_name, # Assumes env_name is available in self.config.data + fmt_cfg.get('patterns_by_env', {}).get('default', []) + ) + components.append(FormatReward( + weight=fmt_cfg.get('weight', 0.2), + required_patterns=patterns + )) + print(f" - Added FormatReward with patterns: {patterns}") + + self.reward_composer = RewardComposer(components=components) + print(f"[Trainer._init_reward_composer] Composer initialized with {len(components)} components.") + + def _create_dataloader(self): + from torch.utils.data import DataLoader + # TODO: we have to make sure the batch size is divisible by the dp size + from verl.utils.dataset.rl_dataset import RLHFDataset, collate_fn + self.train_dataset = RLHFDataset(parquet_files=self.config.data.train_files, + tokenizer=self.tokenizer, + prompt_key=self.config.data.prompt_key, + max_prompt_length=self.config.data.max_prompt_length, + filter_prompts=True, + return_raw_chat=self.config.data.get('return_raw_chat', False), + truncation='error') + if self.config.data.train_data_num is not None: + if self.config.data.train_data_num > len(self.train_dataset.dataframe): + print(f"[WARNING] training dataset size is smaller than desired size. Using the dataset as the original size {len(self.train_dataset.dataframe)}") + else: + self.train_dataset.dataframe = self.train_dataset.dataframe.sample(self.config.data.train_data_num, random_state=42) + print(f"filtered training dataset size: {len(self.train_dataset.dataframe)}") + + self.train_dataloader = DataLoader(dataset=self.train_dataset, + batch_size=self.config.data.train_batch_size, + shuffle=self.config.data.shuffle_train_dataloader, + drop_last=True, + collate_fn=collate_fn) + + self.val_dataset = RLHFDataset(parquet_files=self.config.data.val_files, + tokenizer=self.tokenizer, + prompt_key=self.config.data.prompt_key, + max_prompt_length=self.config.data.max_prompt_length, + filter_prompts=True, + return_raw_chat=self.config.data.get('return_raw_chat', False), + truncation='error') + if self.config.data.val_data_num is not None: + if self.config.data.val_data_num > len(self.val_dataset.dataframe): + print(f"[WARNING] validation dataset size is smaller than desired size. Using the dataset as the original size {len(self.val_dataset.dataframe)}") + else: + self.val_dataset.dataframe = self.val_dataset.dataframe.sample(self.config.data.val_data_num, random_state=42) + print(f"filtered validation dataset size: {len(self.val_dataset.dataframe)}") + + self.val_dataloader = DataLoader(dataset=self.val_dataset, + batch_size=self.config.data.val_batch_size, + shuffle=True, + drop_last=True, + collate_fn=collate_fn) + + print(f'Size of train dataloader: {len(self.train_dataloader)}') + print(f'Size of val dataloader: {len(self.val_dataloader)}') + + assert len(self.train_dataloader) >= 1 + assert len(self.val_dataloader) >= 1 + + # inject total_training_steps to actor/critic optim_config. This is hacky. + total_training_steps = len(self.train_dataloader) * self.config.trainer.total_epochs + + if self.config.trainer.total_training_steps is not None: + total_training_steps = self.config.trainer.total_training_steps + + self.total_training_steps = total_training_steps + print(f'Total training steps: {self.total_training_steps}') + + OmegaConf.set_struct(self.config, True) + with open_dict(self.config): + self.config.actor_rollout_ref.actor.optim.total_training_steps = total_training_steps + self.config.critic.optim.total_training_steps = total_training_steps + + @torch.no_grad() + def _validate(self): + print(f'[Trainer] Validate start at Global steps: {self.global_steps}') + + if self.config.data.env_name in KNOWN_AGENTGYM_ENVS: + print(f"[Trainer] Detected AgentGym environment ({self.config.data.env_name}), using OpenManusAgent for validation.") + + # --- Instantiate AgentConfig --- + # Ensure all required fields for AgentConfig are available in self.config.data + # and self.config.algorithm + agent_config = AgentConfig( + max_turns=self.config.max_turns, # Make sure max_turns is accessible + max_start_length=self.config.data.max_start_length, + max_prompt_length=self.config.data.max_prompt_length, + max_response_length=self.config.data.max_response_length, + max_obs_length=self.config.data.max_obs_length, + num_gpus=self.config.trainer.n_gpus_per_node, # Or however GPUs are configured + env_name=self.config.data.env_name, + env_ports=self.config.data.env_ports, + env_server_base=self.config.data.env_server_base, + react_format=getattr(self.config.data, 'react_format', True), # Optional, with default + env_data_len=self.config.data.val_data_num or 200, # Use validation specific if available + rollout_strategy=getattr(self.config.data, 'rollout_strategy', "StandardReAct"), # Optional + max_workers=getattr(self.config.data, 'max_workers', 10), # Optional + # Pass the relevant part of the algorithm config + algorithm_config=self.config.algorithm, + ) + + # --- Instantiate OpenManusAgent --- + # Need to define self.log_dir before this point if used in run_llm_loop + # Assuming self.log_dir is defined elsewhere, e.g., in __init__ or fit + if not hasattr(self, 'log_dir'): + # Define a default or derive from config if necessary + self.log_dir = self.config.trainer.get("default_local_dir", "./verl_checkpoints/default_log_dir") + print(f"[Trainer._validate] Warning: self.log_dir not found, using default: {self.log_dir}") + + self.validation_agent = OpenManusAgent( + tokenizer=self.tokenizer, + actor_rollout_wg=self.actor_rollout_wg, + config=agent_config, + is_validation=True, + logger=self.logger # Pass logger here if needed by agent internally + ) + + # --- Run Validation Loop using OpenManusAgent --- + all_metrics = defaultdict(list) + + for val_batch in self.val_dataloader: + # Ensure batch is on the correct device (or handled by agent) + # val_batch = val_batch.to(self.rank) # May not be needed if agent handles device placement + + # Agent's run_llm_loop returns a DataProto with results including rewards/scores + processed_batch = self.validation_agent.run_llm_loop(val_batch, self.log_dir, self.global_steps) + + # --- Extract metrics from the agent's output --- + # The reward/score should ideally be in processed_batch.meta_info + # Let's assume 'env_score' holds the final task score per item + if 'env_score' in processed_batch.meta_info: + scores = processed_batch.meta_info['env_score'] + if isinstance(scores, torch.Tensor): + scores = scores.cpu().tolist() + all_metrics['val_reward_score'].extend(scores) # Use a consistent key + all_metrics['env_score'].extend(scores) # Also log as env_score + + # Log other stats if available + if 'turns_stats' in processed_batch.meta_info: + turns = processed_batch.meta_info['turns_stats'] + if isinstance(turns, torch.Tensor): turns = turns.cpu().tolist() + all_metrics['turns_stats'].extend(turns) + + if 'valid_action_stats' in processed_batch.meta_info: + valid_actions = processed_batch.meta_info['valid_action_stats'] + if isinstance(valid_actions, torch.Tensor): valid_actions = valid_actions.cpu().tolist() + all_metrics['valid_action_stats'].extend(valid_actions) + + # Add any other relevant metrics from the agent's output meta_info + # ... + + # --- Optional: Save Trajectories/Visualizations --- + # Make sure save_trajectory_to_output is imported + from openmanus_rl.utils.visualization import save_trajectory_to_output + + if self.logger and 'rollout_trajectory' in processed_batch.meta_info: + # Assuming save_rollout_data can handle the trajectory format + # You might need to adapt this based on the logger's interface + try: + task_indices = processed_batch.meta_info.get('task_idx', list(range(len(processed_batch)))) + if isinstance(task_indices, torch.Tensor): task_indices = task_indices.cpu().tolist() + + for idx, trajectory in enumerate(processed_batch.meta_info['rollout_trajectory']): + if idx < 5: # Limit saving to avoid excessive logging + original_task_idx = task_indices[idx] + save_trajectory_to_output( + trajectory, + output_dir=self.log_dir, + global_step=self.global_steps, + task_idx=original_task_idx, + prefix="val" + ) + except Exception as e: + print(f"[Trainer] Warning: Failed to save validation trajectory: {e}") + import traceback + # traceback.print_exc() # Uncomment for more details + + # --- Aggregate and Log Metrics --- + final_metrics = {} + for key, values in all_metrics.items(): + if values: + try: + final_metrics[f'{key}_mean'] = np.mean(values) + final_metrics[f'{key}_std'] = np.std(values) + final_metrics[f'{key}_median'] = np.median(values) + except Exception as e: + print(f"[Trainer] Warning: Could not compute stats for metric '{key}': {e}") + else: + final_metrics[f'{key}_mean'] = 0 # Or NaN, or skip + + # Log aggregated metrics (using self.logger.log for structured data) + if final_metrics: + self.logger.log(final_metrics, step=self.global_steps) + print(f"[Trainer] Validation Metrics @ step {self.global_steps}: {final_metrics}") + else: + print("[Trainer] Warning: No validation metrics collected.") + + return final_metrics # Return the computed metrics + + + # --- Original Validation Logic (for non-AgentGym envs) --- + else: + print("[Trainer] Using standard validation logic (non-AgentGym).") + # ... (Keep the existing validation logic for other environments) ... + self.actor_rollout_wg.eval() + # Check if ref_policy_wg exists before calling eval + if hasattr(self, 'ref_policy_wg') and self.use_reference_policy: + self.ref_policy_wg.eval() + # Check if critic_wg exists before calling eval + if hasattr(self, 'critic_wg') and self.use_critic: + self.critic_wg.eval() + if self.config.reward_model.enable and hasattr(self, 'reward_model_wg'): + self.reward_model_wg.eval() + + all_metrics = defaultdict(list) + + # Ensure self.rank is defined if needed by val_step + if not hasattr(self, 'rank'): + self.rank = 0 # Assuming rank 0 for validation if not otherwise set + print("[Trainer._validate] Warning: self.rank not found, assuming 0.") + + # Ensure val_step exists + if not hasattr(self, 'val_step'): + print("[Trainer._validate] Error: val_step method is missing for standard validation.") + return {} # Return empty metrics + + for val_batch in self.val_dataloader: + # Move batch to device if needed by val_step + # Assuming val_step handles device placement or self.rank determines device + # val_batch = val_batch.to(self.rank) + metrics = self.val_step(val_batch) + for k, v in metrics.items(): + all_metrics[k].append(v) + + # Aggregate metrics + aggregated_metrics = {} + for k, v in all_metrics.items(): + if v and isinstance(v[0], torch.Tensor): + try: + aggregated_metrics[k] = torch.mean(torch.stack(v)).item() + except Exception as e: + print(f"[Trainer] Warning: Could not aggregate metric '{k}': {e}") + elif v: + try: + aggregated_metrics[k] = np.mean(v) # Handle non-tensor metrics if any + except Exception as e: + print(f"[Trainer] Warning: Could not aggregate non-tensor metric '{k}': {e}") + + + self.logger.log(aggregated_metrics, step=self.global_steps) + print(f"[Trainer] Standard Validation Metrics: {aggregated_metrics}") + return aggregated_metrics + + def verify_worker_cuda_setup(self, worker_name, worker_group): + """Verify if worker has correctly set up CUDA devices""" + print(f"\n--- Verifying CUDA for {worker_name} --- ") + try: + worker_info = None + if hasattr(worker_group, 'get_worker_info') and callable(getattr(worker_group, 'get_worker_info')): + # Wrap remote call in try-except + try: + worker_info = ray.get(worker_group.get_worker_info.remote()) + print(f"[CUDA DEBUG] {worker_name} worker info (from group): {worker_info}") + except Exception as e_info: + print(f"[CUDA DEBUG][ERROR] Failed to get worker_info for {worker_name}: {e_info}") + + # Remotely check worker's internal CUDA status + gpu_status = None + model_device_info = None + if hasattr(worker_group, 'run_function') and callable(getattr(worker_group, 'run_function')): + # Define check functions to run remotely + def check_gpu_setup_remote(): + import torch, os + cuda_visible = os.environ.get('CUDA_VISIBLE_DEVICES', 'Not set') + is_available = torch.cuda.is_available() + count = torch.cuda.device_count() if is_available else 0 + devices = [torch.cuda.get_device_name(i) for i in range(count)] if count > 0 else [] + return { + 'pid': os.getpid(), + 'host': os.uname()[1], + 'CUDA_VISIBLE_DEVICES': cuda_visible, + 'torch.cuda.is_available': is_available, + 'torch.cuda.device_count': count, + 'device_names': devices + } + + def check_model_device_remote(worker_instance): + # Assuming the model is accessible via an attribute like 'model' or similar + # This needs adjustment based on actual worker implementation + model_attr_names = ['actor_module_fsdp', 'critic_module', 'ref_module_fsdp', 'reward_module'] + devices = {} + for attr_name in model_attr_names: + if hasattr(worker_instance, attr_name): + model = getattr(worker_instance, attr_name) + if hasattr(model, 'device'): + devices[attr_name] = str(model.device) + elif hasattr(model, 'module') and hasattr(model.module, 'device'): # Check wrapped module + devices[attr_name] = str(model.module.device) + elif hasattr(model, 'parameters'): + try: + first_param_device = next(model.parameters()).device + devices[attr_name] = str(first_param_device) + except StopIteration: + devices[attr_name] = "No parameters" + return devices if devices else "Model or device info not accessible" + + try: + # Use run_function_on_all_workers_sync or similar if available, + # otherwise run on rank 0. Adjust based on RayWorkerGroup implementation. + # Assuming run_function runs on rank 0 by default if not specified: + worker_gpu_check = worker_group.run_function.remote(check_gpu_setup_remote) + gpu_status = ray.get(worker_gpu_check) + print(f"[CUDA DEBUG] {worker_name} internal GPU status: {gpu_status}") + + # Pass 'self' to check model device on the worker instance + model_device_check = worker_group.run_function.remote(check_model_device_remote, args=[worker_group.workers[0]]) # Check on rank 0 + model_device_info = ray.get(model_device_check) + print(f"[CUDA DEBUG] {worker_name} internal model device info: {model_device_info}") + + except Exception as e_remote: + print(f"[CUDA DEBUG][ERROR] Error running remote check on {worker_name}: {e_remote}") + + else: + print(f"[CUDA DEBUG] {worker_name} does not support remote function execution for detailed checks.") + + print(f"--- Verification for {worker_name} complete --- \n") + return gpu_status, model_device_info + + except Exception as e: + print(f"[CUDA DEBUG][ERROR] Error checking {worker_name} CUDA setup: {e}") + import traceback + traceback.print_exc() + print(f"--- Verification for {worker_name} failed --- \n") + return False, None + + def init_workers(self): + """Init resource pool and worker group - add GPU device checks and pass assignments""" + # Print driver's view of CUDA before starting workers (main_task context) + import os, ray + print(f"\n[Trainer.init_workers @ {os.uname()[1]}] Running in PID: {os.getpid()}") + + # Check CUDA availability but use a CPU fallback if needed + cuda_device = get_safe_device(allow_cpu_fallback=True) # This will print warnings if CUDA is not available + + print(f"[Trainer.init_workers] Using primary device: {cuda_device}") + + # Get available resources from Ray + ray_resources = ray.available_resources() + print(f"[Trainer.init_workers] Ray available resources: {ray_resources}") + ray_gpus = ray_resources.get('GPU', 0) + print(f"[Trainer.init_workers] Ray has {ray_gpus} GPUs available for allocation") + + # Configure resource pools + total_gpus_needed = 1 # Default minimum + if hasattr(self.config, 'trainer') and hasattr(self.config.trainer, 'n_gpus_per_node'): + total_gpus_needed = self.config.trainer.n_gpus_per_node + + print(f"[Trainer.init_workers] Configuring resource pools with {total_gpus_needed} GPUs per node") + + # Create the resource pool with the specified number of GPUs per node + try: + self.resource_pool_manager.create_resource_pool() + print(f"[Trainer.init_workers] Resource pools created: {list(self.resource_pool_manager.resource_pool_dict.keys())}") + except Exception as e: + print(f"[Trainer.init_workers] Error creating resource pools: {e}") + import traceback + traceback.print_exc() + raise RuntimeError(f"Failed to create resource pools: {e}") + + self.resource_pool_to_cls = {pool: {} for pool in self.resource_pool_manager.resource_pool_dict.values()} + + # --- Map Roles to Classes and Resource Pools --- + # create actor and rollout - WITHOUT specifying ray_options + if self.hybrid_engine: + resource_pool = self.resource_pool_manager.get_resource_pool(Role.ActorRollout) + + # Create without ray_options - use original approach + actor_rollout_cls = RayClassWithInitArgs( + cls=self.role_worker_mapping[Role.ActorRollout], + config=self.config.actor_rollout_ref, + role='actor_rollout' + ) + self.resource_pool_to_cls[resource_pool]['actor_rollout'] = actor_rollout_cls + print(f"[Trainer.init_workers] ActorRollout mapped to pool '{resource_pool.name_prefix}'") + else: + raise NotImplementedError + + # create critic - WITHOUT specifying ray_options + if self.config.algorithm.adv_estimator == 'gae': + resource_pool = self.resource_pool_manager.get_resource_pool(Role.Critic) + + critic_cls = RayClassWithInitArgs( + cls=self.role_worker_mapping[Role.Critic], + config=self.config.critic + ) + self.resource_pool_to_cls[resource_pool]['critic'] = critic_cls + self.use_critic = True + print(f"[Trainer.init_workers] Critic mapped to pool '{resource_pool.name_prefix}'") + elif self.config.algorithm.adv_estimator == 'grpo': + self.use_critic = False + # <<< Add log here >>> + print(f"[Trainer.init_workers] adv_estimator is '{self.config.algorithm.adv_estimator}', setting self.use_critic = False") + else: + raise NotImplementedError + + # create reference policy if needed - WITHOUT specifying ray_options + if self.use_reference_policy: + resource_pool = self.resource_pool_manager.get_resource_pool(Role.RefPolicy) + + ref_policy_cls = RayClassWithInitArgs( + cls=self.role_worker_mapping[Role.RefPolicy], + config=self.config.actor_rollout_ref, + role='ref' + ) + self.resource_pool_to_cls[resource_pool]['ref'] = ref_policy_cls + print(f"[Trainer.init_workers] RefPolicy mapped to pool '{resource_pool.name_prefix}'") + + # create a reward model if reward_fn is None - WITHOUT specifying ray_options + if self.use_rm: + resource_pool = self.resource_pool_manager.get_resource_pool(Role.RewardModel) + + rm_cls = RayClassWithInitArgs( + cls=self.role_worker_mapping[Role.RewardModel], + config=self.config.reward_model + ) + self.resource_pool_to_cls[resource_pool]['rm'] = rm_cls + print(f"[Trainer.init_workers] RewardModel mapped to pool '{resource_pool.name_prefix}'") + + # ... rest of the method remains unchanged + # initialize WorkerGroup + all_wg = {} + self.wg_dicts = [] + print("\n[Trainer.init_workers] Initializing Worker Groups...") + for resource_pool, class_dict in self.resource_pool_to_cls.items(): + print(f" Initializing group for resource pool: {resource_pool.name_prefix}") + worker_dict_cls = create_colocated_worker_cls(class_dict=class_dict) + # Pass resource requests (like num_gpus) defined in RayClassWithInitArgs to the group + wg_dict = self.ray_worker_group_cls(resource_pool=resource_pool, ray_cls_with_init=worker_dict_cls) + print(f" Spawning workers for group {resource_pool.name_prefix}...") + try: + spawn_wg = wg_dict.spawn(prefix_set=class_dict.keys()) + all_wg.update(spawn_wg) + self.wg_dicts.append(wg_dict) + print(f" Successfully spawned workers: {list(spawn_wg.keys())}") + + # --- Log assigned resources --- + # Note: Getting precise GPU IDs assigned by Ray to specific actors + # after spawn can be tricky from the outside. + # We'll rely on checks *inside* the worker for now. + # Logging the group's overall placement gives some clue. + if hasattr(wg_dict, 'get_placement_group') and callable(getattr(wg_dict, 'get_placement_group')): + pg = wg_dict.get_placement_group() + if pg: + print(f" Group {resource_pool.name_prefix} placement group details: {pg.bundle_specs}") + else: + print(f" Group {resource_pool.name_prefix} does not have a placement group.") + else: + print(f" Cannot get placement group details for group {resource_pool.name_prefix}.") + + except Exception as e: + print(f"[ERROR] Failed to spawn workers for group {resource_pool.name_prefix}: {e}") + import traceback + traceback.print_exc() + raise # Re-raise the exception to stop execution + + # --- Assign worker groups --- + # Use .get for safety in case spawning failed for a group + if self.use_critic: + self.critic_wg = all_wg.get('critic') + if self.critic_wg: + print("[Trainer.init_workers] Initializing Critic model...") + # TODO: Modify init_model call to pass assigned GPU IDs if known + self.critic_wg.init_model() + else: + print("[Trainer.init_workers][ERROR] Critic worker group not found after spawn.") + # Decide how to handle this - maybe raise an error? + + if self.use_reference_policy: + self.ref_policy_wg = all_wg.get('ref') + if self.ref_policy_wg: + print("[Trainer.init_workers] Initializing RefPolicy model...") + # TODO: Modify init_model call + self.ref_policy_wg.init_model() + else: + print("[Trainer.init_workers][ERROR] RefPolicy worker group not found after spawn.") + + if self.use_rm: + self.rm_wg = all_wg.get('rm') + if self.rm_wg: + print("[Trainer.init_workers] Initializing RewardModel model...") + # TODO: Modify init_model call + self.rm_wg.init_model() + else: + print("[Trainer.init_workers][ERROR] RewardModel worker group not found after spawn.") + + # Initialize actor_rollout last + self.actor_rollout_wg = all_wg.get('actor_rollout') + if self.actor_rollout_wg: + print("[Trainer.init_workers] Initializing ActorRollout model...") + # TODO: Modify init_model call + self.actor_rollout_wg.init_model() + else: + print("[Trainer.init_workers][ERROR] ActorRollout worker group not found after spawn.") + + # --- Verify CUDA setup for each initialized worker group --- + print("\n[Trainer.init_workers] Verifying CUDA setup for initialized workers...") + if self.actor_rollout_wg: + self.verify_worker_cuda_setup("actor_rollout", self.actor_rollout_wg) + if self.use_critic and self.critic_wg: + self.verify_worker_cuda_setup("critic", self.critic_wg) + if self.use_reference_policy and self.ref_policy_wg: + self.verify_worker_cuda_setup("ref_policy", self.ref_policy_wg) + if self.use_rm and self.rm_wg: + self.verify_worker_cuda_setup("reward_model", self.rm_wg) + + print("[Trainer.init_workers] Worker initialization and verification complete.") + + def _save_checkpoint(self): + actor_local_path = os.path.join(self.config.trainer.default_local_dir, 'actor', + f'global_step_{self.global_steps}') + actor_remote_path = None if self.config.trainer.default_hdfs_dir is None else os.path.join( + self.config.trainer.default_hdfs_dir, 'actor') + self.actor_rollout_wg.save_checkpoint(actor_local_path, actor_remote_path) + + if self.use_critic: + critic_local_path = os.path.join(self.config.trainer.default_local_dir, 'critic', + f'global_step_{self.global_steps}') + critic_remote_path = None if self.config.trainer.default_hdfs_dir is None else os.path.join( + self.config.trainer.default_hdfs_dir, 'critic') + self.critic_wg.save_checkpoint(critic_local_path, critic_remote_path) + + def _balance_batch(self, batch: DataProto, metrics, logging_prefix='global_seqlen'): + """Reorder the data on single controller such that each dp rank gets similar total tokens""" + attention_mask = batch.batch['attention_mask'] + batch_size = attention_mask.shape[0] + global_seqlen_lst = attention_mask.view(batch_size, -1).sum(-1).tolist() # (train_batch_size,) + world_size = self.actor_rollout_wg.world_size + global_partition_lst = get_seqlen_balanced_partitions(global_seqlen_lst, + k_partitions=world_size, + equal_size=True) + # reorder based on index. The data will be automatically equally partitioned by dispatch function + global_idx = torch.tensor([j for partition in global_partition_lst for j in partition]) + batch.reorder(global_idx) + global_balance_stats = log_seqlen_unbalance(seqlen_list=global_seqlen_lst, + partitions=global_partition_lst, + prefix=logging_prefix) + metrics.update(global_balance_stats) + + def fit(self): + """ + The training loop of PPO/GRPO, modified to properly handle advantage computation. + """ + logger = self.logger + self.global_steps = 0 + # Define log_dir here based on config + self.log_dir = self.config.trainer.get("default_local_dir", "./verl_checkpoints/default_log_dir") + os.makedirs(self.log_dir, exist_ok=True) + print(f"[Trainer.fit] Log directory set to: {self.log_dir}") + + # Determine if this is an AgentGym run upfront + self.is_agentgym_run = self.config.data.env_name in KNOWN_AGENTGYM_ENVS + print(f"[Trainer.fit] Is AgentGym run: {self.is_agentgym_run}") + + # Get advantage estimator strategy + adv_estimator = self.config.algorithm.adv_estimator + print(f"[Trainer.fit] Using advantage estimator: {adv_estimator}") + # <<< Add log here >>> + print(f"[Trainer.fit] Value of self.use_critic at start of loop: {self.use_critic}") + + # 如果使用GRPO但仍然设置了use_critic为True,发出警告 + if adv_estimator == 'grpo' and self.use_critic: + print(f"[Trainer.fit] WARNING: Using GRPO estimator with critic enabled. For pure GRPO, critic is not required.") + + # we start from step 1 + self.global_steps += 1 + + # Agent config preparation (Only needed if AgentGym run) + generation_manager = None + if self.is_agentgym_run: + print(f"[Trainer.fit] Initializing OpenManusAgent for AgentGym environment: {self.config.data.env_name}") + try: + gen_config = AgentConfig( + max_turns=self.config.max_turns, + max_start_length=self.config.data.max_start_length, + max_prompt_length=self.config.data.max_prompt_length, + max_response_length=self.config.data.max_response_length, + max_obs_length=self.config.data.max_obs_length, + num_gpus=self.config.trainer.n_gpus_per_node, + env_name=self.config.data.env_name, + env_ports=self.config.data.env_ports, + env_server_base=self.config.data.env_server_base, + env_data_len=self.config.data.get('env_data_len', 200), + max_workers=self.config.actor_rollout_ref.rollout.get('max_workers', 10), + algorithm_config=self.config.algorithm, + ) + print(f"[Trainer.fit] AgentConfig initialized successfully") + + agent_logger = self.logger if hasattr(self, 'logger') else None + print(f"[Trainer.fit] Creating OpenManusAgent...") + generation_manager = OpenManusAgent( + tokenizer=self.tokenizer, + actor_rollout_wg=self.actor_rollout_wg, + config=gen_config, + is_validation = False, + logger=agent_logger + ) + print(f"[Trainer.fit] OpenManusAgent created successfully") + except Exception as e: + print(f"[Trainer.fit][ERROR] Failed to initialize OpenManusAgent: {e}") + import traceback + traceback.print_exc() + raise + + # start training loop + print(f"[Trainer.fit] Starting training loop for {self.config.trainer.total_epochs} epochs") + for epoch in range(self.config.trainer.total_epochs): + print(f"[Trainer.fit] Starting epoch {epoch}") + for batch_idx, batch_dict in enumerate(self.train_dataloader): + print(f"[Trainer.fit][STEP] === Epoch {epoch}, Step {self.global_steps}, Batch {batch_idx} ===") + metrics = {} + timing_raw = {} + + print(f"[Trainer.fit][STEP {self.global_steps}] Creating DataProto from batch dictionary") + batch: DataProto = DataProto.from_single_dict(batch_dict) + original_batch_size = batch.batch['input_ids'].shape[0] + print(f"[Trainer.fit][STEP {self.global_steps}] Original batch size: {original_batch_size}") + + # Keep necessary keys for agent/rollout in gen_batch + gen_batch = batch.pop(batch_keys=[ + 'input_ids', 'attention_mask', 'position_ids' + ]) + # Add metadata if missing + if 'idx' not in gen_batch.meta_info: + gen_batch.meta_info['idx'] = torch.arange(original_batch_size) + if 'reward_model' not in gen_batch.meta_info: + gen_batch.meta_info['reward_model'] = [{} for _ in range(original_batch_size)] + + #################### + # Rollout / Generation Step + #################### + print(f"[Trainer.fit][STEP {self.global_steps}] Starting rollout/generation step") + final_gen_batch_output = None + with _timer('step', timing_raw): + if self.is_agentgym_run: + # --- AgentGym Path --- + print(f"[Trainer.fit][STEP {self.global_steps}] Using AgentGym path") + with _timer('gen', timing_raw): + # Prepare output directory if logging images during training (less common) + output_dir = os.path.join( + self.log_dir, # Use the defined log_dir + f"train_step_{self.global_steps}" + ) + print(f"[Trainer.fit][STEP {self.global_steps}] Calling generation_manager.run_llm_loop...") + try: + final_gen_batch_output = generation_manager.run_llm_loop( + gen_batch=gen_batch, + output_dir=output_dir, + global_steps=self.global_steps + ) + print(f"[Trainer.fit][STEP {self.global_steps}] Returned from generation_manager.run_llm_loop") + except Exception as e: + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] Encountered error in run_llm_loop: {e}") + import traceback + traceback.print_exc() + continue # Skip to next batch if rollout failed + + if not final_gen_batch_output or final_gen_batch_output.batch is None or final_gen_batch_output.batch.is_empty(): + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] AgentGym rollout returned empty batch. Skipping step.") + continue # Skip to next training batch + + # Add log probs (needed for PPO loss calculation later) + print(f"[Trainer.fit][STEP {self.global_steps}] Computing log probabilities") + with torch.no_grad(), _timer('logp', timing_raw): + if 'input_ids' in final_gen_batch_output.batch: + logp_mbs = self.config.actor_rollout_ref.rollout.log_prob_micro_batch_size + final_gen_batch_output.meta_info['micro_batch_size'] = logp_mbs + temperature = self.config.actor_rollout_ref.rollout.temperature + final_gen_batch_output.meta_info['temperature'] = temperature + use_dyn_bsz = self.config.actor_rollout_ref.rollout.log_prob_use_dynamic_bsz + final_gen_batch_output.meta_info['use_dynamic_bsz'] = use_dyn_bsz + print(f"[Trainer.fit][STEP {self.global_steps}] Calling actor_rollout_wg.compute_log_prob...") + try: + output_logp = self.actor_rollout_wg.compute_log_prob(final_gen_batch_output) + final_gen_batch_output = final_gen_batch_output.union(output_logp) + print(f"[Trainer.fit][STEP {self.global_steps}] Log probabilities computed successfully") + except Exception as e: + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] Error computing log probabilities: {e}") + import traceback + traceback.print_exc() + continue # Skip to next batch if compute_log_prob failed + else: + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] Cannot compute log probabilities, 'input_ids' not found in batch") + continue # Skip this batch + + batch = final_gen_batch_output + print(f"[Trainer.fit][STEP {self.global_steps}] Setting up token_level_scores") + if 'token_level_rewards' in batch.batch: + batch.batch['token_level_scores'] = batch.batch['token_level_rewards'].clone() + print(f"[Trainer.fit][STEP {self.global_steps}] Cloned token_level_rewards to token_level_scores") + else: + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] 'token_level_rewards' not found in batch. Creating zero scores.") + if 'input_ids' in batch.batch: + batch.batch['token_level_scores'] = torch.zeros_like(batch.batch['input_ids'], dtype=torch.float) + else: + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] Cannot create zero 'token_level_scores' because 'input_ids' is missing.") + continue + + # --- FIX: Convert UID list to NumPy array with dtype=object --- + print(f"[Trainer.fit][STEP {self.global_steps}] Setting up UID for batch") + if 'idx' in batch.meta_info: + # Ensure idx tensor is moved to CPU before converting to list + uid_list = batch.meta_info['idx'].cpu().tolist() + batch.non_tensor_batch['uid'] = np.array(uid_list, dtype=object) # Explicitly set dtype=object + print(f"[Trainer.fit][STEP {self.global_steps}] Used existing idx as UID") + else: # Fallback UID + uid_list = [str(uuid.uuid4()) for _ in range(batch.batch['input_ids'].shape[0])] + batch.non_tensor_batch['uid'] = np.array(uid_list, dtype=object) # Explicitly set dtype=object + print(f"[Trainer.fit][STEP {self.global_steps}] Created new UUIDs as UID") + # --- END FIX --- + + else: + # --- Original Path (Non-AgentGym) --- + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] Non-AgentGym training path not implemented. Skipping.") + continue # Skip processing for now + + # Apply batch repetition if configured (AFTER generation/rollout) + if self.config.actor_rollout_ref.rollout.n > 1: + print(f"[Trainer.fit][STEP {self.global_steps}] Repeating batch {self.config.actor_rollout_ref.rollout.n} times") + batch = batch.repeat(repeat_times=self.config.actor_rollout_ref.rollout.n, interleave=True) + + #################### + # Post-Rollout Processing (Common for both paths after merging) + #################### + print(f"[Trainer.fit][STEP {self.global_steps}] Balancing batch") + self._balance_batch(batch, metrics=metrics) + print(f"[Trainer.fit][STEP {self.global_steps}] Batch balanced successfully") + + # --- COMPLETELY RESTRUCTURED COMPUTATION FLOW --- + # Follow verl implementation pattern: First compute critic values, then compute advantages once + + # --- 1. Compute Critic Values (if needed for GAE) --- + if self.use_critic and adv_estimator == 'gae': + print(f"[DEBUG] ****** COMPUTING CRITIC VALUES (Step: {self.global_steps}) ******") + print(f"[Trainer.fit][STEP {self.global_steps}] Computing critic values for GAE") + print(f"[DEBUG] Before values computation, batch keys: {list(batch.batch.keys())}") + + with _timer('compute_values', timing_raw): + try: + # REMOVED: Logic to get worker device and move tensors to CUDA + # TaskRunner should not perform device placement. + + # Check current device for logging purposes + ref_tensor = None + current_device = 'cpu' # Default assumption + for key in ['input_ids', 'attention_mask', 'position_ids']: + if key in batch.batch: + ref_tensor = batch.batch[key] + current_device = ref_tensor.device + break + + if ref_tensor is not None: + print(f"[DEBUG] Current batch tensor device: {current_device}") + + # Call critic worker to compute values - pass tensors as they are + print(f"[DEBUG] Sending batch to critic_wg.compute_values (tensors on {current_device})...") + values_output = self.critic_wg.compute_values(batch) + + # Check if values were returned correctly + if 'values' in values_output.batch: + values_tensor = values_output.batch['values'] + print(f"[DEBUG] Values computed successfully: shape={values_tensor.shape}, device={values_tensor.device}") + + # Directly assign values to batch (avoiding union operation) + batch.batch['values'] = values_tensor.clone() # Use clone for safety + + # Create a backup copy for safety + self._values_backup = values_tensor.clone() + print(f"[DEBUG] Values assigned to batch and backup created") + print(f"[DEBUG] After values assignment, batch keys: {list(batch.batch.keys())}") + else: + raise ValueError("CriticWorker.compute_values did not return required 'values' field") + except Exception as e: + print(f"[ERROR] Failed to compute critic values: {e}") + import traceback + traceback.print_exc() + continue # Skip to next batch if values computation failed + + # --- 2. Compute Advantages (ONLY ONCE) --- + print(f"[DEBUG] ****** COMPUTING ADVANTAGES (Step: {self.global_steps}) ******") + print(f"[Trainer.fit][STEP {self.global_steps}] Computing advantages with estimator: {adv_estimator}") + print(f"[DEBUG] Before advantage computation, batch keys: {list(batch.batch.keys())}") + + # Safety check for GAE - ensure values are present + if self.use_critic and adv_estimator == 'gae' and 'values' not in batch.batch: + if hasattr(self, '_values_backup'): + print(f"[WARNING] Values key missing before advantage computation - restoring from backup") + batch.batch['values'] = self._values_backup.clone() + else: + print(f"[ERROR] Values required for GAE but missing from batch and no backup available") + continue # Skip this batch + + # Get device for compute_advantage computation + # (ideally should match the device of the batch tensors) + target_device = 'cuda' if torch.cuda.is_available() else 'cpu' + + # Check if all tensors are on the same device + device_check = {} + for key, tensor in batch.batch.items(): + if isinstance(tensor, torch.Tensor): + device_check[key] = tensor.device + + if len(set(str(dev) for dev in device_check.values())) > 1: + print(f"[WARNING] Detected tensors on different devices: {device_check}") + print(f"[DEBUG] Moving all tensors to {target_device} for consistent computation") + + # Move all tensors to the target device + for key, tensor in batch.batch.items(): + if isinstance(tensor, torch.Tensor) and str(tensor.device) != str(target_device): + batch.batch[key] = tensor.to(target_device) + + # Log key tensor devices for debugging + if 'values' in batch.batch: + print(f"[DEBUG] Device for values: {batch.batch['values'].device}") + if 'token_level_rewards' in batch.batch: + print(f"[DEBUG] Device for token_level_rewards: {batch.batch['token_level_rewards'].device}") + + with _timer('adv', timing_raw): + try: + # SINGLE advantage computation + batch = compute_advantage( + data=batch, + adv_estimator=adv_estimator, + gamma=self.config.algorithm.get('gamma', 1.0), + lam=self.config.algorithm.get('lambda', 1.0) + ) + print(f"[DEBUG] Advantages computed successfully") + print(f"[DEBUG] After advantage computation, batch keys: {list(batch.batch.keys())}") + + # Check device of computed advantages + if 'advantages' in batch.batch: + print(f"[DEBUG] Device for advantages: {batch.batch['advantages'].device}") + if 'returns' in batch.batch: + print(f"[DEBUG] Device for returns: {batch.batch['returns'].device}") + except Exception as e: + print(f"[ERROR] Failed to compute advantages: {e}") + import traceback + traceback.print_exc() + continue # Skip to next batch if advantage computation failed + + # --- KL Penalty (if using reference policy) --- + if self.use_reference_policy and 'ref_log_prob' in batch.batch and 'old_log_probs' in batch.batch: + print(f"[Trainer.fit][STEP {self.global_steps}] Applying KL penalty") + with _timer('kl_penalty', timing_raw): + try: + batch, kl_metrics = apply_kl_penalty(batch, self.kl_ctrl, kl_penalty=self.config.algorithm.get('kl_penalty', 'kl')) + metrics.update(kl_metrics) + print(f"[Trainer.fit][STEP {self.global_steps}] KL penalty applied successfully") + except Exception as e: + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] Error applying KL penalty: {e}") + import traceback + traceback.print_exc() + # Continue anyway, this isn't critical + + # --- Compute Critic Values --- + if self.use_critic: + print(f"[Trainer.fit][STEP {self.global_steps}] Updating critic model") + if 'advantages' not in batch.batch or 'returns' not in batch.batch: + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] Missing 'advantages' or 'returns' in batch, required for critic update. Skipping critic update.") + continue # We change this from a warning to error and skip the batch + else: + with _timer('update_critic', timing_raw): + print(f"[Trainer.fit][STEP {self.global_steps}] Calling critic_wg.update_critic...") + try: + # REMOVED: Explicit device checking and moving logic before calling worker + # The worker itself should handle device placement. + + # Log tensor devices for debugging purposes before sending + adv_device = batch.batch['advantages'].device + returns_device = batch.batch['returns'].device + print(f"[DEBUG] Pre-critic update tensor devices (in TaskRunner): advantages={adv_device}, returns={returns_device}") + + # Call update_critic + critic_output = self.critic_wg.update_critic(batch) + + # Process results (assuming they are returned to CPU or handled correctly) + critic_output_metrics = reduce_metrics(critic_output.meta_info['metrics']) + metrics.update(critic_output_metrics) + print(f"[Trainer.fit][STEP {self.global_steps}] Critic model updated successfully") + except Exception as e: + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] Error updating critic: {e}") + import traceback + traceback.print_exc() + continue # Skip to next batch if critic update failed + else: + print(f"[Trainer.fit][STEP {self.global_steps}] Skipping critic update (not enabled for {adv_estimator})") + + # --- Update Actor --- + print(f"[Trainer.fit][STEP {self.global_steps}] Updating actor model") + if self.config.trainer.critic_warmup <= self.global_steps: + if 'advantages' not in batch.batch or 'old_log_probs' not in batch.batch: + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] Missing 'advantages' or 'old_log_probs' in batch, required for actor update. Skipping actor update.") + continue # We change this from a warning to error and skip the batch + else: + with _timer('update_actor', timing_raw): + print(f"[Trainer.fit][STEP {self.global_steps}] Calling actor_rollout_wg.update_actor...") + try: + # First check if state_masking is enabled and create loss mask if needed + # This logic should remain as it manipulates the batch content before sending + if self.is_agentgym_run and hasattr(self.config.actor_rollout_ref.actor, 'state_masking') and self.config.actor_rollout_ref.actor.state_masking: + print(f"[Trainer.fit][STEP {self.global_steps}] State masking is enabled, creating loss_mask") + batch, actor_metrics = self._create_loss_mask(batch, metrics) + metrics.update(actor_metrics) + else: + print(f"[Trainer.fit][STEP {self.global_steps}] State masking is not enabled, creating default loss_mask") + response_length = batch.batch['responses'].shape[-1] + batch.batch['loss_mask'] = torch.ones_like(batch.batch['attention_mask'][:, -response_length:]) + + # REMOVED: Explicit device checking and moving logic before calling worker + # The worker itself should handle device placement. + + # Log tensor devices for debugging purposes before sending + loss_mask_device = batch.batch['loss_mask'].device + adv_device = batch.batch['advantages'].device + old_log_probs_device = batch.batch['old_log_probs'].device + print(f"[DEBUG] Pre-actor update tensor devices (in TaskRunner): loss_mask={loss_mask_device}, advantages={adv_device}, old_log_probs={old_log_probs_device}") + + # Call update_actor + actor_output = self.actor_rollout_wg.update_actor(batch) + + # Process results + actor_output_metrics = reduce_metrics(actor_output.meta_info['metrics']) + metrics.update(actor_output_metrics) + print(f"[Trainer.fit][STEP {self.global_steps}] Actor model updated successfully") + except Exception as e: + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] Error updating actor: {e}") + import traceback + traceback.print_exc() + continue # Skip to next batch if actor update failed + else: + print(f"[Trainer.fit][STEP {self.global_steps}] Skipping actor update (in critic warmup phase)") + + # --- Save Checkpoint --- + if self.config.trainer.save_freq > 0 and self.global_steps % self.config.trainer.save_freq == 0: + print(f"[Trainer.fit][STEP {self.global_steps}] Saving checkpoint") + with _timer('save_checkpoint', timing_raw): + try: + self._save_checkpoint() + print(f"[Trainer.fit][STEP {self.global_steps}] Checkpoint saved successfully") + except Exception as e: + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] Error saving checkpoint: {e}") + import traceback + traceback.print_exc() + + # --- Collect and Log Metrics --- + print(f"[Trainer.fit][STEP {self.global_steps}] Collecting and logging metrics") + try: + # Check for necessary keys before computing metrics + required_keys = ['token_level_scores', 'token_level_rewards', 'advantages', 'returns', 'responses', 'attention_mask'] + if self.use_critic: required_keys.append('values') + # Add meta_info keys needed for env metrics + required_meta_keys = ['turns_stats', 'active_mask', 'valid_action_stats', 'valid_search_stats'] + + # Ensure all required meta keys exist (add defaults if missing) + for meta_key in required_meta_keys: + if meta_key not in batch.meta_info: + if meta_key == 'active_mask': + batch.meta_info[meta_key] = np.ones(batch.batch['input_ids'].shape[0], dtype=np.int16) + else: + batch.meta_info[meta_key] = np.zeros(batch.batch['input_ids'].shape[0], dtype=np.int16) + print(f"[Trainer.fit][STEP {self.global_steps}] Added default value for missing meta key: {meta_key}") + + can_compute_metrics = all(key in batch.batch for key in required_keys) and all(key in batch.meta_info for key in required_meta_keys) + if can_compute_metrics: + print(f"[Trainer.fit][STEP {self.global_steps}] Computing all metrics") + metrics.update(compute_data_metrics(batch=batch, use_critic=self.use_critic)) + metrics.update(compute_timing_metrics(batch=batch, timing_raw=timing_raw)) + else: + missing_keys = [k for k in required_keys if k not in batch.batch] + missing_meta = [k for k in required_meta_keys if k not in batch.meta_info] + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] Cannot compute metrics due to missing keys: {missing_keys}, {missing_meta}") + # Log timing separately if main metrics can't be computed + metrics.update(compute_timing_metrics(batch=batch, timing_raw=timing_raw)) + except KeyError as e: + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] Metrics calculation failed due to KeyError: {e}") + except Exception as e: # Catch other potential errors during metric calculation + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] Error during metric calculation: {e}") + import traceback + traceback.print_exc() + + # Log metrics + print(f"[Trainer.fit][STEP {self.global_steps}] Logging metrics to tracking system") + try: + logger.log(data=metrics, step=self.global_steps) + except Exception as e: + print(f"[Trainer.fit][STEP {self.global_steps}][ERROR] Error logging metrics: {e}") + + print(f"[Trainer.fit][STEP {self.global_steps}] Completed step {self.global_steps}") + self.global_steps += 1 + + if self.global_steps >= self.total_training_steps: + print(f"[Trainer.fit] Reached total training steps ({self.total_training_steps}). Exiting.") + return + + print(f"[Trainer.fit] Completed epoch {epoch}") + + print(f"[Trainer.fit] Training complete") + + def _create_loss_mask(self, batch, metrics): + """Create loss mask for state tokens.""" + response_length = batch.batch['responses'].shape[-1] + response_mask = batch.batch['attention_mask'][:, -response_length:] + + loss_mask = batch.batch['info_mask'][:, -response_length:] + batch.batch['loss_mask'] = loss_mask + + metrics.update({ + 'state_tokens/total': loss_mask.sum().item(), + 'state_tokens/coverage': (loss_mask.sum() / response_mask.sum()).item(), + }) + + return batch, metrics diff --git a/verl/trainer/runtime_env.yaml b/verl/trainer/runtime_env.yaml new file mode 100644 index 00000000..87bd05a9 --- /dev/null +++ b/verl/trainer/runtime_env.yaml @@ -0,0 +1,5 @@ +working_dir: ./ +excludes: ["/.git/"] +env_vars: + TORCH_NCCL_AVOID_RECORD_STREAMS: "1" + VLLM_ATTENTION_BACKEND: "XFORMERS" \ No newline at end of file diff --git a/verl/utils/__init__.py b/verl/utils/__init__.py new file mode 100644 index 00000000..e453070a --- /dev/null +++ b/verl/utils/__init__.py @@ -0,0 +1,18 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from . import tokenizer +from .tokenizer import * + +__all__ = tokenizer.__all__ \ No newline at end of file diff --git a/verl/utils/config.py b/verl/utils/config.py new file mode 100644 index 00000000..5c9298c4 --- /dev/null +++ b/verl/utils/config.py @@ -0,0 +1,23 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from typing import Dict + +from omegaconf import DictConfig + + +def update_dict_with_config(dictionary: Dict, config: DictConfig): + for key in dictionary: + if hasattr(config, key): + dictionary[key] = getattr(config, key) diff --git a/verl/utils/dataset/README.md b/verl/utils/dataset/README.md new file mode 100644 index 00000000..f886a70a --- /dev/null +++ b/verl/utils/dataset/README.md @@ -0,0 +1,16 @@ +# Dataset Format +## RLHF dataset +We combine all the data sources into a single parquet files. We directly organize the prompt into the chat format so that multi-turn chats can be easily incorporated. In the prompt, we may add instruction following texts to guide the model output the answers in a particular format so that we can extract the answers. + +Math problems +```json +{ + "data_source": "openai/gsm8k", + "prompt": [{"role": "user", "content": "Natalia sold clips to 48 of her friends in April, and then she sold half as many clips in May. How many clips did Natalia sell altogether in April and May? Let's think step by step and output the final answer after \"####\""}], + "ability": "math", + "reward_model": { + "style": "rule", + "ground_truth": ["72"] + }, +} +``` diff --git a/verl/utils/dataset/__init__.py b/verl/utils/dataset/__init__.py new file mode 100644 index 00000000..a7f9b71c --- /dev/null +++ b/verl/utils/dataset/__init__.py @@ -0,0 +1,16 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from .rl_dataset import RLHFDataset +from .rm_dataset import RMDataset \ No newline at end of file diff --git a/verl/utils/dataset/rl_dataset.py b/verl/utils/dataset/rl_dataset.py new file mode 100644 index 00000000..6b5f65f4 --- /dev/null +++ b/verl/utils/dataset/rl_dataset.py @@ -0,0 +1,155 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from omegaconf import ListConfig +import os +from typing import List, Union + +import pandas as pd + +import torch +import numpy as np +from torch.utils.data import Dataset, DataLoader +from transformers import AutoTokenizer, PreTrainedTokenizer +from verl.utils.fs import copy_local_path_from_hdfs + +from verl.utils.model import compute_position_id_with_mask +import verl.utils.torch_functional as verl_F + + +def collate_fn(data_list: list[dict]) -> dict: + tensors = {} + non_tensors = {} + + for data in data_list: + for key, val in data.items(): + if isinstance(val, torch.Tensor): + if key not in tensors: + tensors[key] = [] + tensors[key].append(val) + else: + if key not in non_tensors: + non_tensors[key] = [] + non_tensors[key].append(val) + + for key, val in tensors.items(): + tensors[key] = torch.stack(val, dim=0) + + for key, val in non_tensors.items(): + non_tensors[key] = np.array(val, dtype=object) + + output = {} + output.update(tensors) + output.update(non_tensors) + return output + + +class RLHFDataset(Dataset): + """ + We assume the dataset contains a column that contains prompts and other information + """ + + def __init__(self, + parquet_files: Union[str, List[str]], + tokenizer: PreTrainedTokenizer, + prompt_key='prompt', + max_prompt_length=1024, + filter_prompts=True, + cache_dir='~/.cache/verl/rlhf', + chat_template_func=None, + return_raw_chat=False, + truncation='error'): + if not isinstance(parquet_files, (List, ListConfig)): + parquet_files = [parquet_files] + + self.parquet_files = parquet_files + self.cache_dir = os.path.expanduser(cache_dir) + self.tokenizer = tokenizer + + self.prompt_key = prompt_key + self.max_prompt_length = max_prompt_length + self.filter_prompts = filter_prompts + + self.return_raw_chat = return_raw_chat + self.chat_template_func = chat_template_func + self.truncation = truncation + + self._download() + self._read_files_and_tokenize() + + def _download(self): + from verl.utils.fs import copy_local_path_from_hdfs + for i, parquet_file in enumerate(self.parquet_files): + self.parquet_files[i] = copy_local_path_from_hdfs(src=parquet_file, cache_dir=self.cache_dir) + + def _read_files_and_tokenize(self): + dataframes = [] + for parquet_file in self.parquet_files: + # read parquet files and cache + dataframe = pd.read_parquet(parquet_file) + dataframes.append(dataframe) + self.dataframe = pd.concat(dataframes) + + print(f'original dataset len: {len(self.dataframe)}') + + # filter out too long prompts + tokenizer = self.tokenizer + prompt_key = self.prompt_key + + # nvm if prompt is too long + # self.dataframe = self.dataframe[self.dataframe.apply(lambda doc: len( + # tokenizer.apply_chat_template(doc[prompt_key], add_generation_prompt=True)) <= self.max_prompt_length, + # axis=1)] + + print(f'filter dataset len: {len(self.dataframe)}') + + def __len__(self): + return len(self.dataframe) + + def __getitem__(self, item): + """ + Note that we also return the raw_input_ids so that it can be combined with other chat template + """ + row_dict = self.dataframe.iloc[item].to_dict() + + chat = row_dict.pop(self.prompt_key) + + if self.tokenizer.chat_template: + prompt_with_chat_template = self.tokenizer.apply_chat_template(chat, add_generation_prompt=True, tokenize=False) + else: + prompt_with_chat_template = chat[0]['content'] + # prompt_with_chat_template = chat + + input_ids, attention_mask = verl_F.tokenize_and_postprocess_data(prompt=prompt_with_chat_template, + tokenizer=self.tokenizer, + max_length=self.max_prompt_length, + pad_token_id=self.tokenizer.pad_token_id, + left_pad=True, + truncation=self.truncation) + + position_ids = compute_position_id_with_mask(attention_mask) + + row_dict['input_ids'] = input_ids[0] + row_dict['attention_mask'] = attention_mask[0] + row_dict['position_ids'] = position_ids[0] + + # encode prompts without chat template + if self.return_raw_chat: + row_dict['raw_prompt'] = chat.tolist() + + # add index for each prompt + index = row_dict.get("extra_info", {}).get("index", 0) + row_dict["index"] = index + + return row_dict diff --git a/verl/utils/dataset/rm_dataset.py b/verl/utils/dataset/rm_dataset.py new file mode 100644 index 00000000..cba178db --- /dev/null +++ b/verl/utils/dataset/rm_dataset.py @@ -0,0 +1,143 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import os +from typing import List, Union + +import pandas as pd + +import torch +from torch.utils.data import Dataset +from transformers import AutoTokenizer + +from verl.utils import hf_tokenizer + + +def download_files_distributed(download_fn): + import torch.distributed + if torch.distributed.is_initialized(): + if torch.distributed.get_rank() == 0: + # download files + download_fn() + + torch.distributed.barrier() + else: + # download anyway + download_fn() + + +class RMDataset(Dataset): + + def __init__(self, + parquet_files: Union[str, List[str]], + tokenizer, + prompt_key='prompt', + chosen_key='chosen', + rejected_key='rejected', + max_length=1024, + add_eos=True, + cache_dir='~/.cache/verl/rm'): + if not isinstance(parquet_files, List): + parquet_files = [parquet_files] + + self.parquet_files = parquet_files + self.cache_dir = os.path.expanduser(cache_dir) + if isinstance(tokenizer, str): + tokenizer = hf_tokenizer(tokenizer) + self.tokenizer = tokenizer + + self.prompt_key = prompt_key + self.chosen_key = chosen_key + self.rejected_key = rejected_key + + self.add_eos = add_eos + self.max_length = max_length + + self._download() + self._read_files_and_tokenize() + + def _download(self): + + def _download_files(): + from verl.utils.fs import copy, _is_non_local + os.makedirs(self.cache_dir, exist_ok=True) + assert os.path.exists(self.cache_dir) + for i, parquet_file in enumerate(self.parquet_files): + if _is_non_local(parquet_file): + dst = os.path.join(self.cache_dir, os.path.basename(parquet_file)) + if not os.path.exists(dst): + copy(src=parquet_file, dst=dst) + self.parquet_files[i] = dst + + download_files_distributed(_download_files) + + def _read_files_and_tokenize(self): + dataframes = [] + for parquet_file in self.parquet_files: + # read parquet files and cache + dataframe = pd.read_parquet(parquet_file) + dataframes.append(dataframe) + self.dataframe = pd.concat(dataframes) + self.prompts = self.dataframe[self.prompt_key].tolist() + self.chosen_responses = self.dataframe[self.chosen_key].tolist() + self.rejected_responses = self.dataframe[self.rejected_key].tolist() + + def __len__(self): + return len(self.prompts) + + def _pad_to_length(self, input_ids, attention_mask): + curr_length = input_ids.shape[-1] + + if curr_length < self.max_length: + input_ids = torch.cat( + (input_ids, torch.zeros(size=(self.max_length - curr_length,), dtype=input_ids.dtype)), dim=-1) + attention_mask = torch.cat( + (attention_mask, torch.zeros(size=(self.max_length - curr_length,), dtype=attention_mask.dtype)), + dim=-1) + elif curr_length > self.max_length: + input_ids = input_ids[:self.max_length] + attention_mask = attention_mask[:self.max_length] + + return input_ids, attention_mask + + def __getitem__(self, item): + prompt = self.prompts[item] + chosen_response = self.chosen_responses[item] + rejected_response = self.rejected_responses[item] + + prompt_ids = self.tokenizer(prompt, return_tensors='pt')['input_ids'][0] + chosen_response_ids = self.tokenizer(chosen_response, return_tensors='pt')['input_ids'][0] + rejected_response_ids = self.tokenizer(rejected_response, return_tensors='pt')['input_ids'][0] + + if self.add_eos: + chosen_response_ids = torch.cat((chosen_response_ids, torch.tensor([self.tokenizer.eos_token_id])), dim=-1) + rejected_response_ids = torch.cat((rejected_response_ids, torch.tensor([self.tokenizer.eos_token_id])), + dim=-1) + + chosen_input_ids = torch.cat((prompt_ids, chosen_response_ids), dim=-1) + chosen_attention_mask = torch.ones_like(chosen_input_ids) + + rejected_input_ids = torch.cat((prompt_ids, rejected_response_ids), dim=-1) + rejected_attention_mask = torch.ones_like(rejected_input_ids) + + chosen_input_ids, chosen_attention_mask = self._pad_to_length(chosen_input_ids, chosen_attention_mask) + rejected_input_ids, rejected_attention_mask = self._pad_to_length(rejected_input_ids, rejected_attention_mask) + + input_ids = torch.stack((chosen_input_ids, rejected_input_ids), dim=0) + attention_mask = torch.stack((rejected_input_ids, rejected_attention_mask), dim=0) + + return { + 'input_ids': input_ids, + 'attention_mask': attention_mask, + } \ No newline at end of file diff --git a/verl/utils/debug/__init__.py b/verl/utils/debug/__init__.py new file mode 100644 index 00000000..0d0b3432 --- /dev/null +++ b/verl/utils/debug/__init__.py @@ -0,0 +1,15 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from .performance import log_gpu_memory_usage \ No newline at end of file diff --git a/verl/utils/debug/performance.py b/verl/utils/debug/performance.py new file mode 100644 index 00000000..615475a6 --- /dev/null +++ b/verl/utils/debug/performance.py @@ -0,0 +1,30 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import torch +import torch.distributed as dist +import logging + + +def log_gpu_memory_usage(head: str, logger: logging.Logger = None, level=logging.DEBUG, rank: int = 0): + if (not dist.is_initialized()) or (rank is None) or (dist.get_rank() == rank): + memory_allocated = torch.cuda.memory_allocated() / 1024**3 + memory_reserved = torch.cuda.memory_reserved() / 1024**3 + + message = f'{head}, memory allocated (GB): {memory_allocated}, memory reserved (GB): {memory_reserved}' + + if logger is None: + print(message) + else: + logger.log(msg=message, level=level) diff --git a/verl/utils/debug/trajectory_tracker.py b/verl/utils/debug/trajectory_tracker.py new file mode 100644 index 00000000..33b25468 --- /dev/null +++ b/verl/utils/debug/trajectory_tracker.py @@ -0,0 +1,108 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Trajectory tracker can be inserted into code to save the intermediate results. +The results will be dump to hdfs for offline comparison. +Each process will have a client that first move all the tensors to CPU +""" + +from verl.utils.hdfs_io import makedirs, copy +import torch +import os +import ray +import io +import tempfile + +from collections import deque + +remote_copy = ray.remote(copy) + + +@ray.remote +def save_to_hdfs(data: io.BytesIO, name, hdfs_dir, verbose): + filename = name + '.pth' + with tempfile.TemporaryDirectory() as tmpdirname: + local_filepath = os.path.join(tmpdirname, filename) + with open(local_filepath, 'wb') as f: + f.write(data.getbuffer()) + # upload to hdfs + + if verbose: + print(f'Saving {local_filepath} to {hdfs_dir}') + try: + copy(local_filepath, hdfs_dir) + except Exception as e: + print(e) + + +@ray.remote +class TrajectoryTracker(): + + def __init__(self, hdfs_dir, verbose) -> None: + self.hdfs_dir = hdfs_dir + makedirs(hdfs_dir) + self.verbose = verbose + + self.handle = deque() + + def dump(self, data: io.BytesIO, name): + # get a temp file and write to it + self.handle.append(save_to_hdfs.remote(data, name, self.hdfs_dir, self.verbose)) + + def wait_for_hdfs(self): + while len(self.handle) != 0: + future = self.handle.popleft() + ray.get(future) + + +def dump_data(data, name): + enable = os.getenv('VERL_ENABLE_TRACKER', '0') == '1' + if not enable: + return + buffer = io.BytesIO() + torch.save(data, buffer) + tracker = get_trajectory_tracker() + ray.get(tracker.dump.remote(buffer, name)) + + +def get_trajectory_tracker(): + hdfs_dir = os.getenv('VERL_TRACKER_HDFS_DIR', default=None) + verbose = os.getenv('VERL_TRACKER_VERBOSE', default='0') == '1' + assert hdfs_dir is not None + tracker = TrajectoryTracker.options(name="global_tracker", get_if_exists=True, + lifetime="detached").remote(hdfs_dir, verbose) + return tracker + + +if __name__ == '__main__': + # testing + os.environ['VERL_ENABLE_TRACKER'] = '1' + os.environ['VERL_TRACKER_HDFS_DIR'] = '~/debug/test' + + @ray.remote + def process(iter): + data = {'obs': torch.randn(10, 20)} + dump_data(data, f'process_{iter}_obs') + + ray.init() + + output_lst = [] + + for i in range(10): + output_lst.append(process.remote(i)) + + out = ray.get(output_lst) + + tracker = get_trajectory_tracker() + ray.get(tracker.wait_for_hdfs.remote()) diff --git a/verl/utils/distributed.py b/verl/utils/distributed.py new file mode 100644 index 00000000..6fea5a29 --- /dev/null +++ b/verl/utils/distributed.py @@ -0,0 +1,28 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +"""Utilities for distributed training.""" +import os + + +def initialize_global_process_group(timeout_second=36000): + import torch.distributed + from datetime import timedelta + torch.distributed.init_process_group('nccl', timeout=timedelta(seconds=timeout_second)) + local_rank = int(os.environ["LOCAL_RANK"]) + rank = int(os.environ["RANK"]) + world_size = int(os.environ["WORLD_SIZE"]) + + if torch.distributed.is_initialized(): + torch.cuda.set_device(local_rank) + return local_rank, rank, world_size diff --git a/verl/utils/flops_counter.py b/verl/utils/flops_counter.py new file mode 100644 index 00000000..3c5ac1a9 --- /dev/null +++ b/verl/utils/flops_counter.py @@ -0,0 +1,123 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import torch +from transformers import PretrainedConfig, Qwen2Config, LlamaConfig + +VALID_CONFIG_TYPE = (Qwen2Config, LlamaConfig) + + +def get_device_flops(unit="T"): + + def unit_convert(number, level): + units = ["B", "K", "M", "G", "T", "P"] + if number <= 0: + return number + ptr = 0 + while ptr < len(units) and units[ptr] != level: + number /= 1000 + ptr += 1 + return number + + device_name = torch.cuda.get_device_name() + flops = float("inf") # INF flops for unkown gpu type + if "H100" in device_name or "H800" in device_name: + flops = 989e12 + elif "A100" in device_name or "A800" in device_name: + flops = 312e12 + elif "L40" in device_name: + flops = 181.05e12 + elif "L20" in device_name: + flops = 119.5e12 + elif "H20" in device_name: + flops = 148e12 + elif "910B" in device_name: + flops = 354e12 + flops_unit = unit_convert(flops, unit) + return flops_unit + + +class FlopsCounter: + """ + Used to count mfu during training loop + + Example: + flops_counter = FlopsCounter(config) + flops_achieved, flops_promised = flops_counter.estimate_flops(tokens_list, delta_time) + + """ + + def __init__(self, config: PretrainedConfig): + if not isinstance(config, VALID_CONFIG_TYPE): + print(f"Only support config type of {VALID_CONFIG_TYPE}, but got {type(config)}. " + f"MFU will always be zero.") + + self.estimate_func = {"qwen2": self._estimate_qwen2_flops, 'llama': self._estimate_qwen2_flops} + self.config = config + + def _estimate_unknown_flops(self, tokens_sum, batch_seqlens, delta_time): + return 0 + + def _estimate_qwen2_flops(self, tokens_sum, batch_seqlens, delta_time): + assert isinstance(self.config, (Qwen2Config, LlamaConfig)) + hidden_size = self.config.hidden_size + vocab_size = self.config.vocab_size + num_hidden_layers = self.config.num_hidden_layers + num_key_value_heads = self.config.num_key_value_heads + num_attention_heads = self.config.num_attention_heads + intermediate_size = self.config.intermediate_size + + head_dim = hidden_size // num_attention_heads + q_size = num_attention_heads * head_dim + k_size = num_key_value_heads * head_dim + v_size = num_key_value_heads * head_dim + + # non-attn per layer parm + # Qwen2/LLama use SwiGelu, gate, having up and down linear layer in mlp + mlp_N = hidden_size * intermediate_size * 3 + attn_linear_N = hidden_size * (q_size + k_size + v_size + num_attention_heads * head_dim) + emd_and_lm_head_N = vocab_size * hidden_size * 2 + # non-attn all_layer parm + dense_N = (mlp_N + attn_linear_N) * num_hidden_layers + emd_and_lm_head_N + # non-attn all_layer & all_token fwd & bwd flops + dense_N_flops = 6 * dense_N * tokens_sum + + # attn all_layer & all_token fwd & bwd flops + seqlen_square_sum = 0 + for seqlen in batch_seqlens: + seqlen_square_sum += seqlen * seqlen + attn_qkv_flops = 12 * seqlen_square_sum * head_dim * num_attention_heads * num_hidden_layers + + # all_layer & all_token fwd & bwd flops + flops_all_token = dense_N_flops + attn_qkv_flops + flops_achieved = flops_all_token * (1.0 / delta_time) / 1e12 + return flops_achieved + + def estimate_flops(self, batch_seqlens, delta_time): + """ + Estimate the FLOPS based on the number of valid tokens in the current batch and the time taken. + + Args: + batch_seqlens (List[int]): A list where each element represents the number of valid tokens in the current batch. + delta_time (float): The time taken to process the batch, in seconds. + + Returns: + estimated_flops (float): The estimated FLOPS based on the input tokens and time. + promised_flops (float): The expected FLOPS of the current device. + """ + tokens_sum = sum(batch_seqlens) + func = self.estimate_func.get(self.config.model_type, self._estimate_unknown_flops) + estimated_flops = func(tokens_sum, batch_seqlens, delta_time) + promised_flops = get_device_flops() + return estimated_flops, promised_flops diff --git a/verl/utils/fs.py b/verl/utils/fs.py new file mode 100644 index 00000000..80c1889b --- /dev/null +++ b/verl/utils/fs.py @@ -0,0 +1,88 @@ +#!/usr/bin/env python +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +# -*- coding: utf-8 -*- +"""File-system agnostic IO APIs""" +import os +import tempfile +import hashlib + +from .hdfs_io import copy, makedirs, exists + +__all__ = ["copy", "exists", "makedirs"] + +_HDFS_PREFIX = "hdfs://" + + +def _is_non_local(path): + return path.startswith(_HDFS_PREFIX) + + +def md5_encode(path: str) -> str: + return hashlib.md5(path.encode()).hexdigest() + + +def get_local_temp_path(hdfs_path: str, cache_dir: str) -> str: + """Return a local temp path that joins cache_dir and basename of hdfs_path + + Args: + hdfs_path: + cache_dir: + + Returns: + + """ + # make a base64 encoding of hdfs_path to avoid directory conflict + encoded_hdfs_path = md5_encode(hdfs_path) + temp_dir = os.path.join(cache_dir, encoded_hdfs_path) + os.makedirs(temp_dir, exist_ok=True) + dst = os.path.join(temp_dir, os.path.basename(hdfs_path)) + return dst + + +def copy_local_path_from_hdfs(src: str, cache_dir=None, filelock='.file.lock', verbose=False) -> str: + """Copy src from hdfs to local if src is on hdfs or directly return src. + If cache_dir is None, we will use the default cache dir of the system. Note that this may cause conflicts if + the src name is the same between calls + + Args: + src (str): a HDFS path of a local path + + Returns: + a local path of the copied file + """ + from filelock import FileLock + + assert src[-1] != '/', f'Make sure the last char in src is not / because it will cause error. Got {src}' + + if _is_non_local(src): + # download from hdfs to local + if cache_dir is None: + # get a temp folder + cache_dir = tempfile.gettempdir() + os.makedirs(cache_dir, exist_ok=True) + assert os.path.exists(cache_dir) + local_path = get_local_temp_path(src, cache_dir) + # get a specific lock + filelock = md5_encode(src) + '.lock' + lock_file = os.path.join(cache_dir, filelock) + with FileLock(lock_file=lock_file): + if not os.path.exists(local_path): + if verbose: + print(f'Copy from {src} to {local_path}') + copy(src, local_path) + return local_path + else: + return src diff --git a/verl/utils/fsdp_utils.py b/verl/utils/fsdp_utils.py new file mode 100644 index 00000000..d0243cd1 --- /dev/null +++ b/verl/utils/fsdp_utils.py @@ -0,0 +1,329 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from typing import Dict +import functools +import json +import math +import itertools +import os +from contextlib import contextmanager +from torch.distributed.fsdp.wrap import size_based_auto_wrap_policy, transformer_auto_wrap_policy +from transformers.trainer_pt_utils import get_module_class_from_name +import torch +import torch.nn as nn +import torch.distributed as dist + + +def init_fn(x: torch.nn.Module): + if not torch.distributed.get_rank() == 0: + x = x.to_empty(device=torch.cuda.current_device(), recurse=False) + torch.cuda.empty_cache() + return x + + +def get_init_weight_context_manager(use_meta_tensor=True): + from accelerate import init_empty_weights + cpu_init_weights = lambda: torch.device('cpu') + if use_meta_tensor: + init_context = init_empty_weights if torch.distributed.get_rank() != 0 else cpu_init_weights + else: + init_context = cpu_init_weights + return init_context + + +# Copyright 2020-present the HuggingFace Inc. team. +# Adapted from https://github.com/huggingface/transformers/src/transformers/trainer.py +def get_fsdp_wrap_policy(module, config=None, is_lora=False): + """Get FSDP wrap policy for the module. + + Args: + module: The module to get wrap policy for + config: Configuration for wrap policy + is_lora: Whether to enable lambda policy for LoRA modules + """ + if config is None: + config = {} + + if config.get('disable', False): + return None + + default_transformer_cls_names_to_wrap = getattr(module, "_no_split_modules", None) + fsdp_transformer_layer_cls_to_wrap = config.get("transformer_layer_cls_to_wrap", + default_transformer_cls_names_to_wrap) + min_num_params = config.get('min_num_params', 0) + auto_wrap_policy = None + + policies = [] + + from torch.distributed.fsdp.wrap import _or_policy, lambda_auto_wrap_policy, transformer_auto_wrap_policy + + # Add lambda policy for LoRA modules if is_lora is True + if is_lora: + + def lambda_policy_fn(module): + if (len(list(module.named_children())) == 0 and getattr(module, "weight", None) is not None and + module.weight.requires_grad): + return True + return False + + lambda_policy = functools.partial(lambda_auto_wrap_policy, lambda_fn=lambda_policy_fn) + policies.append(lambda_policy) + + if min_num_params > 0: + size_policy = functools.partial(size_based_auto_wrap_policy, min_num_params=min_num_params) + policies.append(size_policy) + elif fsdp_transformer_layer_cls_to_wrap is not None: + transformer_cls_to_wrap = set() + for layer_class in fsdp_transformer_layer_cls_to_wrap: + transformer_cls = get_module_class_from_name(module, layer_class) + if transformer_cls is None: + raise Exception("Could not find the transformer layer class to wrap in the model.") + else: + transformer_cls_to_wrap.add(transformer_cls) + + transformer_policy = functools.partial( + transformer_auto_wrap_policy, + transformer_layer_cls=transformer_cls_to_wrap, + ) + policies.append(transformer_policy) + + if len(policies) > 0: + auto_wrap_policy = functools.partial(_or_policy, policies=policies) + + return auto_wrap_policy + + +def offload_fsdp_grad(module): + for _, param in module.named_parameters(): + if param.grad is not None: + param.grad = param.grad.to("cpu", non_blocking=True) + torch.cuda.empty_cache() + + +def load_fsdp_grad(module, device_id): + for _, param in module.named_parameters(): + if param.grad is not None: + param.grad = param.grad.to(device_id, non_blocking=True) + torch.cuda.empty_cache() + + +def offload_fsdp_param_and_grad(module, offload_grad=False): + for _, param in module.named_parameters(): + if hasattr(param, "_local_shard"): + param._local_shard = param._local_shard.to("cpu", non_blocking=True) + param.data = param.data.to('cpu', non_blocking=True) + if offload_grad and param.grad is not None: + param.grad = param.grad.to("cpu", non_blocking=True) + torch.cuda.empty_cache() + + +def load_fsdp_param_and_grad(module, device_id, load_grad=False): + for _, param in module.named_parameters(): + if hasattr(param, "_local_shard"): + param._local_shard = param._local_shard.to(device_id, non_blocking=True) + param.data = param.data.to(device_id, non_blocking=True) + if load_grad and param.grad is not None: + param.grad = param.grad.to(device_id, non_blocking=True) + torch.cuda.empty_cache() + + +def offload_fsdp_optimizer(optimizer): + for param_group in optimizer.param_groups: + for param in param_group['params']: + state = optimizer.state[param] + for key, value in state.items(): + if isinstance(value, torch.Tensor): + state[key] = value.to("cpu", non_blocking=True) + torch.cuda.empty_cache() + + +def load_fsdp_optimizer(optimizer, device_id): + for param_group in optimizer.param_groups: + for param in param_group['params']: + state = optimizer.state[param] + for key, value in state.items(): + if isinstance(value, torch.Tensor): + state[key] = value.to(device_id, non_blocking=True) + torch.cuda.empty_cache() + + +@contextmanager +def meta_device_init(): + """ + Create model parameters with meta device. + + Note buffers in model will still be initialized in default device (e.g., CPU), + since the buffers can be non-persistent and filled with expected values that can + NOT be captured in meta device. + """ + device = torch.device("meta") + old_register_parameter = nn.Module.register_parameter + registered = set() + + def register_empty_parameter(module, name, param): + old_register_parameter(module, name, param) + # we will skip register shared parameters as it + # is already registered previously + if param is not None and param not in registered: + param_cls = type(module._parameters[name]) + kwargs = module._parameters[name].__dict__ + kwargs["requires_grad"] = param.requires_grad + module._parameters[name] = param_cls(module._parameters[name].to(device), **kwargs) + registered.add(module._parameters[name]) + + try: + nn.Module.register_parameter = register_empty_parameter + yield + finally: + registered.clear() + nn.Module.register_parameter = old_register_parameter + + +def parallel_load_safetensors(filepath): + """ + Parallel load safetensors from huggingface checkpoint + + Huggingface checkpoint contains: + + - config.json: a json file for model configuration + - model.safetensor.index.json: a json file for safetensors (parameters & buffers) index + - model-000x-of-ooxx.safetensors: a binary file for safetensors (parameters & buffers) chunks + + Or (when model is small), + + - model.safetensors: a binary file for all parameters and buffers + + Each rank will own a part of model chunks and load them directly into GPU memory. + """ + from safetensors.torch import load_file + + safetensors2param = {} + + index_file = os.path.join(filepath, "model.safetensors.index.json") + if os.path.exists(index_file): + index = json.load(open(index_file, "rb")) + for param_name, filename in index["weight_map"].items(): + safetensors2param.setdefault(filename, []).append(param_name) + else: + # in this case, the model is small and we can load it all at once + param_file = os.path.join(filepath, "model.safetensors") + assert os.path.exists(param_file), f"Cannot find {param_file}" + states = load_file(param_file) + for param_name in states: + safetensors2param.setdefault("model.safetensors", []).append(param_name) + del states + + total_files = len(safetensors2param) + ckpt_chunks = sorted(safetensors2param.keys()) + world_size = dist.get_world_size() + size = int(math.ceil(total_files / world_size)) + ckpt_chunks = [ckpt_chunks[rank * size:rank * size + size] for rank in range(world_size)] + + shard_states = {} + device = torch.cuda.current_device() + for rank, files in enumerate(ckpt_chunks): + if rank == dist.get_rank(): + for file in files: + file = os.path.join(filepath, file) + states = load_file(file, device=device) + # print(f"rank {rank} loading {file}...") + shard_states.update(states) + else: + for file in files: + for param_name in safetensors2param[file]: + shard_states[param_name] = rank + return shard_states + + +def parallel_init_module_fn(module: torch.nn.Module, shard_states: Dict[str, torch.nn.Parameter]): + """ + Generate a function to initialize sub-modules in the `module` with `shard_states` + from huggingface checkpoint. + + Args: + module (torch.nn.Module): the global module to be initialized + shard_states (Dict[str, torch.nn.Parameter]): the shard states from huggingface checkpoint + + Returns: + init_fn (Callable): a function to initialize sub-modules in the `module` with `shard_states` + """ + + state2fqn = {} + for name, state in itertools.chain(module.named_parameters(remove_duplicate=False), + module.named_buffers(remove_duplicate=False)): + state2fqn.setdefault(state, []).append(name) + # remove standalone parameters and buffers + shared = {s for s, names in state2fqn.items() if len(names) > 1} + materialized_states = {} + + @torch.no_grad() + def create_and_sync_state(param_name, state, is_param): + assert param_name in shard_states, f"{param_name} not loaded" + device = torch.cuda.current_device() + if is_param: + param = torch.nn.Parameter(torch.empty_like(state.data, device=device), requires_grad=state.requires_grad) + else: # buffer + param = torch.empty_like(state.data, device=device) + loaded = shard_states[param_name] + if isinstance(loaded, (torch.nn.Parameter, torch.Tensor)): + # NOTE: loaded.dtype can be different with param.dtype + param.data.copy_(loaded.data) + dist.broadcast(param.data, src=dist.get_rank()) + else: + assert isinstance(loaded, int) # the rank that holds the state + dist.broadcast(param.data, src=loaded) + shard_states.pop(param_name) + del loaded + return param + + def init_fn(sub_mod: torch.nn.Module, recurse: bool = True): + param_and_buffers = tuple(sub_mod.named_parameters(recurse=False)) + tuple(sub_mod.named_buffers(recurse=False)) + # param_and_buffers = sorted(sub_mod.named_parameters(recurse=False), key=lambda x: x[0]) + for name, state in param_and_buffers: + if not state.is_meta: + continue + is_param = name in sub_mod._parameters + fqn = state2fqn[state].pop(0) + # non-persistent buffers will not be saved in state dict, we can safely skip it + if (not is_param) and fqn not in shard_states: + if state.is_meta: + raise RuntimeError( + f"find a non-persistent buffer ({fqn}) initiated with device meta. " + "Such buffer is not saved in checkpoint and user should guarantee to init in CPU / GPU device.") + continue + # for shared parameter, we get it from the first time it is created + if state in shared: + if state not in materialized_states: + materialized_states[state] = create_and_sync_state(fqn, state, is_param) + else: + if fqn in shard_states: + shard_states.pop(fqn) + materialize_state = materialized_states[state] + # for not shared parameter, we create it directly + else: + materialize_state = create_and_sync_state(fqn, state, is_param) + if is_param: + sub_mod._parameters[name] = materialize_state + else: + sub_mod._buffers[name] = materialize_state + if recurse: + for module in sub_mod.children(): + init_fn(module, recurse=True) + + # for debug + # if len(shard_states) == 0: print("clear") + return sub_mod + + return init_fn \ No newline at end of file diff --git a/verl/utils/hdfs_io.py b/verl/utils/hdfs_io.py new file mode 100644 index 00000000..08c4ecb9 --- /dev/null +++ b/verl/utils/hdfs_io.py @@ -0,0 +1,144 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import os +import shutil +import logging + +logger = logging.getLogger(__file__) +logger.setLevel(os.getenv('VERL_SFT_LOGGING_LEVEL', 'WARN')) + +_HDFS_PREFIX = "hdfs://" + +_HDFS_BIN_PATH = shutil.which('hdfs') + + +def exists(path: str, **kwargs) -> bool: + r"""Works like os.path.exists() but supports hdfs. + + Test whether a path exists. Returns False for broken symbolic links. + + Args: + path (str): path to test + + Returns: + bool: True if the path exists, False otherwise + """ + if _is_non_local(path): + return _exists(path, **kwargs) + return os.path.exists(path) + + +def _exists(file_path: str): + """ hdfs capable to check whether a file_path is exists """ + if file_path.startswith("hdfs"): + return _run_cmd(_hdfs_cmd(f"-test -e {file_path}")) == 0 + return os.path.exists(file_path) + + +def makedirs(name, mode=0o777, exist_ok=False, **kwargs) -> None: + r"""Works like os.makedirs() but supports hdfs. + + Super-mkdir; create a leaf directory and all intermediate ones. Works like + mkdir, except that any intermediate path segment (not just the rightmost) + will be created if it does not exist. If the target directory already + exists, raise an OSError if exist_ok is False. Otherwise no exception is + raised. This is recursive. + + Args: + name (str): directory to create + mode (int): file mode bits + exist_ok (bool): if True, do not raise an exception if the directory already exists + kwargs: keyword arguments for hdfs + + """ + if _is_non_local(name): + # TODO(haibin.lin): + # - handle OSError for hdfs(?) + # - support exist_ok for hdfs(?) + _mkdir(name, **kwargs) + else: + os.makedirs(name, mode=mode, exist_ok=exist_ok) + + +def _mkdir(file_path: str) -> bool: + """hdfs mkdir""" + if file_path.startswith("hdfs"): + _run_cmd(_hdfs_cmd(f"-mkdir -p {file_path}")) + else: + os.makedirs(file_path, exist_ok=True) + return True + + +def copy(src: str, dst: str, **kwargs) -> bool: + r"""Works like shutil.copy() for file, and shutil.copytree for dir, and supports hdfs. + + Copy data and mode bits ("cp src dst"). Return the file's destination. + The destination may be a directory. + If source and destination are the same file, a SameFileError will be + raised. + + Arg: + src (str): source file path + dst (str): destination file path + kwargs: keyword arguments for hdfs copy + + Returns: + str: destination file path + + """ + if _is_non_local(src) or _is_non_local(dst): + # TODO(haibin.lin): + # - handle SameFileError for hdfs files(?) + # - return file destination for hdfs files + return _copy(src, dst) + else: + if os.path.isdir(src): + return shutil.copytree(src, dst, **kwargs) + else: + return shutil.copy(src, dst, **kwargs) + + +def _copy(from_path: str, to_path: str, timeout: int = None) -> bool: + if to_path.startswith("hdfs"): + if from_path.startswith("hdfs"): + returncode = _run_cmd(_hdfs_cmd(f"-cp -f {from_path} {to_path}"), timeout=timeout) + else: + returncode = _run_cmd(_hdfs_cmd(f"-put -f {from_path} {to_path}"), timeout=timeout) + else: + if from_path.startswith("hdfs"): + returncode = _run_cmd(_hdfs_cmd(f"-get \ + {from_path} {to_path}"), timeout=timeout) + else: + try: + shutil.copy(from_path, to_path) + returncode = 0 + except shutil.SameFileError: + returncode = 0 + except Exception as e: + logger.warning(f"copy {from_path} {to_path} failed: {e}") + returncode = -1 + return returncode == 0 + + +def _run_cmd(cmd: str, timeout=None): + return os.system(cmd) + + +def _hdfs_cmd(cmd: str) -> str: + return f"{_HDFS_BIN_PATH} dfs {cmd}" + + +def _is_non_local(path: str): + return path.startswith(_HDFS_PREFIX) diff --git a/verl/utils/import_utils.py b/verl/utils/import_utils.py new file mode 100644 index 00000000..e5690512 --- /dev/null +++ b/verl/utils/import_utils.py @@ -0,0 +1,48 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Utilities to check if packages are available. +We assume package availability won't change during runtime. +""" + +from functools import cache +from typing import List + + +@cache +def is_megatron_core_available(): + try: + from megatron.core import parallel_state as mpu + return True + except ImportError: + return False + + +@cache +def is_vllm_available(): + try: + import vllm + return True + except ImportError: + return False + + +def import_external_libs(external_libs=None): + if external_libs is None: + return + if not isinstance(external_libs, List): + external_libs = [external_libs] + import importlib + for external_lib in external_libs: + importlib.import_module(external_lib) diff --git a/verl/utils/logger/__init__.py b/verl/utils/logger/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/utils/logger/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/utils/logger/aggregate_logger.py b/verl/utils/logger/aggregate_logger.py new file mode 100644 index 00000000..ac57cf58 --- /dev/null +++ b/verl/utils/logger/aggregate_logger.py @@ -0,0 +1,42 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +A Ray logger will receive logging info from different processes. +""" +import numbers +from typing import Dict + + +def concat_dict_to_str(dict: Dict, step): + output = [f'step:{step}'] + for k, v in dict.items(): + if isinstance(v, numbers.Number): + output.append(f'{k}:{v:.3f}') + output_str = ' - '.join(output) + return output_str + + +class LocalLogger: + + def __init__(self, remote_logger=None, enable_wandb=False, print_to_console=False): + self.print_to_console = print_to_console + if print_to_console: + print('Using LocalLogger is deprecated. The constructor API will change ') + + def flush(self): + pass + + def log(self, data, step): + if self.print_to_console: + print(concat_dict_to_str(data, step=step), flush=True) \ No newline at end of file diff --git a/verl/utils/logging_utils.py b/verl/utils/logging_utils.py new file mode 100644 index 00000000..1bf6e1f0 --- /dev/null +++ b/verl/utils/logging_utils.py @@ -0,0 +1,22 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import logging + + +def set_basic_config(level): + """ + This function sets the global logging format and level. It will be called when import verl + """ + logging.basicConfig(format='%(levelname)s:%(asctime)s:%(message)s', level=level) diff --git a/verl/utils/megatron/__init__.py b/verl/utils/megatron/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/utils/megatron/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/utils/megatron/memory.py b/verl/utils/megatron/memory.py new file mode 100644 index 00000000..5e8570ed --- /dev/null +++ b/verl/utils/megatron/memory.py @@ -0,0 +1,41 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import torch + + +class MemoryBuffer: + + def __init__(self, numel, numel_padded, dtype): + self.numel = numel + self.numel_padded = numel_padded + self.dtype = dtype + self.data = torch.zeros(self.numel_padded, + dtype=self.dtype, + device=torch.cuda.current_device(), + requires_grad=False) + + def zero(self): + """Reset the buffer to zero.""" + self.data.zero_() + + def get(self, shape, start_index): + """Return a tensor with the input `shape` as a view into the + 1-D data starting at `start_index`.""" + end_index = start_index + shape.numel() + assert end_index <= self.numel, \ + 'requested tensor is out of the buffer range.' + buffer_tensor = self.data[start_index:end_index] + buffer_tensor = buffer_tensor.view(shape) + return buffer_tensor diff --git a/verl/utils/megatron/optimizer.py b/verl/utils/megatron/optimizer.py new file mode 100644 index 00000000..9ae70b08 --- /dev/null +++ b/verl/utils/megatron/optimizer.py @@ -0,0 +1,92 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright (c) 2024, NVIDIA CORPORATION. All rights reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from apex.optimizers import FusedAdam as Adam +from apex.optimizers import FusedSGD as SGD +from megatron.optimizer.distrib_optimizer import DistributedOptimizer +from megatron.optimizer.grad_scaler import ConstantGradScaler, DynamicGradScaler +from megatron.optimizer import Float16OptimizerWithFloat16Params, FP32Optimizer +from megatron.optimizer import get_param_groups + +from verl.utils.megatron.optimizer_config import OptimizerConfig + + +def get_megatron_optimizer( + model, + config: OptimizerConfig, + no_weight_decay_cond=None, + scale_lr_cond=None, + lr_mult=1.0, + check_for_nan_in_loss_and_grad=False, + overlap_param_gather=False # add for verl +): + # Base optimizer. + param_groups = get_param_groups(model, no_weight_decay_cond, scale_lr_cond, lr_mult) + + if config.optimizer == 'adam': + optimizer = Adam(param_groups, + lr=config.lr, + weight_decay=config.weight_decay, + betas=(config.adam_beta1, config.adam_beta2), + eps=config.adam_eps) + elif config.optimizer == 'sgd': + optimizer = SGD(param_groups, lr=config.lr, weight_decay=config.weight_decay, momentum=config.sgd_momentum) + else: + raise Exception('{} optimizer is not supported.'.format(config.optimizer)) + + # Determine whether the params have main-grad field. + params_have_main_grad = True + + # Mixed precision optimizer. + # - Note: both the Float16Optimizer and the DistributedOptimizer inherit + # from the MixedPrecisionOptimizer, which manages any optimizer where + # the model params and main params are distinct. + if config.fp16 or config.bf16 or config.use_distributed_optimizer: + + # Grad scaler: + # if loss-scale is provided, instantiate the constant scaler. + # if we are using fp16 and loss-scale is not present, use a + # dynamic scaler. + # otherwise we are running in bf16 with no loss-scale so + # leave it as None. + grad_scaler = None + + # Constant loss scale. + if config.loss_scale: + grad_scaler = ConstantGradScaler(config.loss_scale) + + # Dynamic loss scale. + else: + if config.fp16: + grad_scaler = DynamicGradScaler(initial_scale=config.initial_loss_scale, + min_scale=config.min_loss_scale, + growth_factor=2.0, + backoff_factor=0.5, + growth_interval=config.loss_scale_window, + hysteresis=config.hysteresis) + + # Megatron optimizer. + if config.use_distributed_optimizer: + return DistributedOptimizer(optimizer, config.clip_grad, config.log_num_zeros_in_grad, + check_for_nan_in_loss_and_grad, params_have_main_grad, config.fp16, config.bf16, + config.params_dtype, grad_scaler, model, overlap_param_gather) + else: + return Float16OptimizerWithFloat16Params(optimizer, config.clip_grad, config.log_num_zeros_in_grad, + check_for_nan_in_loss_and_grad, params_have_main_grad, config.fp16, + config.bf16, config.params_dtype, grad_scaler, model) + + # FP32. + return FP32Optimizer(optimizer, config.clip_grad, config.log_num_zeros_in_grad, check_for_nan_in_loss_and_grad, + params_have_main_grad, model) diff --git a/verl/utils/megatron/optimizer_config.py b/verl/utils/megatron/optimizer_config.py new file mode 100644 index 00000000..3401de41 --- /dev/null +++ b/verl/utils/megatron/optimizer_config.py @@ -0,0 +1,129 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright (c) 2024, NVIDIA CORPORATION. All rights reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from dataclasses import dataclass +from typing import Callable, Optional + +import torch + + +@dataclass +class OptimizerConfig: + """Configuration for optimizer.""" + + ############## + # General + ############## + optimizer: str = 'adam' + """Optimizer to use (one of Adam or SGD).""" + + lr: Optional[float] = None + """Initial learning rate. Depending on decay style and initial warmup, the learning rate at each + iteration would be different. + """ + + min_lr: Optional[float] = None + """Minumum value for learning rate. The scheduler clip values below this threshold.""" + + decoupled_lr: Optional[float] = None + """Separate learning rate for the input and output layer.""" + + decoupled_min_lr: Optional[float] = None + """Minimum value for learning rate for the input and output layer. The scheduler clip values + below this threshold. + """ + + weight_decay: float = 0.01 + """Weight decay coefficient for L2 regularization.""" + + ############## + # Precision + ############## + fp16: bool = False + """If true, train with fp16 mixed precision training. Defaults to False.""" + + bf16: bool = False + """If true, train with bf16 mixed precision training. Defaults to False.""" + + params_dtype: torch.dtype = torch.float32 + """dtype used when intializing the weights. Defaults to torch.float32.""" + + ############### + # Loss scaling + ############### + loss_scale: Optional[float] = None + """Static loss scaling, positive power of 2 values can improve fp16 convergence. If None, + dynamic loss scaling is used. + """ + + initial_loss_scale: float = 2**32 + """Initial loss-scale for dynamic loss scaling.""" + + min_loss_scale: float = 1.0 + """Minimum loss scale for dynamic loss scaling.""" + + loss_scale_window: float = 1000 + """Window over which to raise/lower dynamic scale.""" + + hysteresis: int = 2 + """Hysteresis for dynamic loss scaling.""" + + ############## + # Optimizer + ############## + # Adam + adam_beta1: float = 0.9 + """First coefficient for computing running averages of gradient and its square in Adam + optimizer. + """ + + adam_beta2: float = 0.999 + """Second coefficient for computing running averages of gradient and its square in Adam + optimizer. + """ + + adam_eps: float = 1e-08 + """Term added to the denominator to improve numerical stability in Adam optimizer.""" + + # SGD. + sgd_momentum: float = 0.9 + """Momentum factor for SGD optimizer.""" + + ####################### + # Distributed optimizer + ####################### + use_distributed_optimizer: bool = False + """Distribute optimizer state over data-parallel replicas.""" + + overlap_grad_reduce: bool = False + """If true, overlap grad reduce-scatter with backward compute in distributed optimizer.""" + + overlap_param_gather: bool = False + """If true, overlap param all-gather with forward compute in distributed optimizer.""" + + ################ + # Miscellaneous + ################ + clip_grad: float = 1.0 + """Gradient clipping based on global L2 norm.""" + + log_num_zeros_in_grad: bool = False + """If true, calculate and log the number of zeros in gradient.""" + + barrier_with_L1_time: bool = False + """If true, use barrier with level 1 time measurements.""" + + timers: Callable = None + """Function to get timers.""" diff --git a/verl/utils/megatron/pipeline_parallel.py b/verl/utils/megatron/pipeline_parallel.py new file mode 100644 index 00000000..3a3790bb --- /dev/null +++ b/verl/utils/megatron/pipeline_parallel.py @@ -0,0 +1,51 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright (c) 2024, NVIDIA CORPORATION. All rights reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import torch +from megatron.core import parallel_state as mpu + +from .sequence_parallel import pad_to_sequence_parallel + + +def compute_transformers_input_shapes(batches, meta_info): + from flash_attn.bert_padding import unpad_input # flash 2 is a must for Megatron + # pre-compute input shapes for each micro-batch at each pp stage + input_shapes = [] + for model_inputs in batches: + input_ids = model_inputs['input_ids'] + attention_mask = model_inputs['attention_mask'] + input_ids_rmpad = unpad_input(input_ids.unsqueeze(dim=-1), attention_mask)[0] # (total_nnz, 1) + if meta_info['sequence_parallel']: + input_ids_rmpad = pad_to_sequence_parallel(input_ids_rmpad) + # compute shapes for model_inputs + input_shapes.append( + torch.Size([ + input_ids_rmpad.shape[0] // mpu.get_tensor_model_parallel_world_size(), 1, meta_info['hidden_size'] + ])) + else: + # compute shapes for model_inputs + input_shapes.append(torch.Size([input_ids_rmpad.shape[0], 1, meta_info['hidden_size']])) + return input_shapes + + +def make_batch_generator(batches, vpp_size): + if vpp_size > 1: + # has vpp + batch_generator = [batches] * vpp_size # number of vpp chunks + batch_generator = [iter(b) for b in batch_generator] + else: + # no vpp + batch_generator = iter(batches) + return batch_generator diff --git a/verl/utils/megatron/sequence_parallel.py b/verl/utils/megatron/sequence_parallel.py new file mode 100644 index 00000000..4b76cb29 --- /dev/null +++ b/verl/utils/megatron/sequence_parallel.py @@ -0,0 +1,54 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright (c) 2024, NVIDIA CORPORATION. All rights reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import torch +import torch.nn.functional as F +from megatron.core import parallel_state as mpu + + +def mark_parameter_as_sequence_parallel(parameter): + setattr(parameter, 'sequence_parallel', True) + + +def is_sequence_parallel_param(param): + return hasattr(param, 'sequence_parallel') and param.sequence_parallel + + +def pad_to_sequence_parallel(unpad_tokens: torch.Tensor): + """pad the tokens such that the total length is a multiple of sp world size + + Args: + unpad_tokens: (total_nnz, ...). Tokens after removing padding + + Returns: + + """ + total_nnz = unpad_tokens.shape[0] + sp_world_size = mpu.get_tensor_model_parallel_world_size() + + if total_nnz % sp_world_size == 0: + pad_size = 0 + else: + pad_size = sp_world_size - total_nnz % sp_world_size + + if pad_size > 0: + if unpad_tokens.ndim == 1: + unpad_tokens = F.pad(unpad_tokens, (0, pad_size)) + elif unpad_tokens.ndim == 2: + unpad_tokens = F.pad(unpad_tokens, (0, 0, 0, pad_size)) + else: + raise NotImplementedError(f'Padding dim {unpad_tokens.ndim()} is not supported') + + return unpad_tokens diff --git a/verl/utils/megatron/tensor_parallel.py b/verl/utils/megatron/tensor_parallel.py new file mode 100644 index 00000000..25a8ce42 --- /dev/null +++ b/verl/utils/megatron/tensor_parallel.py @@ -0,0 +1,184 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright (c) 2024, NVIDIA CORPORATION. All rights reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Utilities for using tensor_parallel in megatron +""" +from typing import Dict +import torch +from torch.nn import init +import torch.distributed as dist +from megatron.core import ModelParallelConfig +from megatron.core import parallel_state as mpu, tensor_parallel +import verl.utils.torch_functional as verl_F + + +def update_kwargs_with_config(dictionary: Dict, config: ModelParallelConfig): + dictionary['config'] = config + return dictionary + + +def get_default_kwargs_for_model_parallel_config(): + model_parallel_config_kwargs = { + 'params_dtype': torch.float32, + 'use_cpu_initialization': False, + 'perform_initialization': True, + 'gradient_accumulation_fusion': False, + 'sequence_parallel': False, + } + return model_parallel_config_kwargs + + +def get_default_model_parallel_config(): + return ModelParallelConfig(**get_default_kwargs_for_model_parallel_config()) + + +def get_common_default_kwargs_for_parallel_linear(): + default_model_parallel_config = get_default_model_parallel_config() + common_default_kwargs = { + 'init_method': init.xavier_normal_, + 'stride': 1, + 'keep_master_weight_for_test': False, + 'config': default_model_parallel_config, + } + return common_default_kwargs + + +def get_default_kwargs_for_column_parallel_linear(): + model_parallel_config_kwargs = get_default_kwargs_for_model_parallel_config() + column_parallel_config_kwargs = { + 'async_tensor_model_parallel_allreduce': False, + } + model_parallel_config_kwargs.update(column_parallel_config_kwargs) + column_default_kwargs = { + 'config': ModelParallelConfig(**model_parallel_config_kwargs), + } + common_default_kwargs = get_common_default_kwargs_for_parallel_linear() + common_default_kwargs.update(column_default_kwargs) + return common_default_kwargs + + +def get_default_kwargs_for_row_parallel_linear(): + common_default_kwargs = get_common_default_kwargs_for_parallel_linear() + return common_default_kwargs + + +def get_default_kwargs_for_parallel_embedding(): + model_parallel_config_kwargs = get_default_kwargs_for_model_parallel_config() + embedding_default_kwargs = { + 'init_method': init.xavier_normal_, + 'config': ModelParallelConfig(**model_parallel_config_kwargs), + } + return embedding_default_kwargs + + +def is_tensor_parallel_param(param): + return (hasattr(param, 'tensor_model_parallel') and param.tensor_model_parallel) + + +def get_tensor_parallel_partition_dim(param): + assert is_tensor_parallel_param(param) + return param.partition_dim + + +def get_tensor_parallel_partition_stride(param): + assert is_tensor_parallel_param(param) + return param.partition_stride + + +class _VocabParallelEntropy(torch.autograd.Function): + + @staticmethod + def forward(ctx, vocab_parallel_logits: torch.Tensor) -> torch.Tensor: + logits_max = vocab_parallel_logits.max(dim=-1, keepdim=True).values + dist.all_reduce(logits_max, op=dist.ReduceOp.MAX, group=mpu.get_tensor_model_parallel_group()) + normalized_vocab_parallel_logits = vocab_parallel_logits - logits_max + normalized_exp_logits = normalized_vocab_parallel_logits.exp() + normalized_sum_exp_logits = normalized_exp_logits.sum(dim=-1, keepdim=True) + dist.all_reduce(normalized_sum_exp_logits, group=mpu.get_tensor_model_parallel_group()) + softmax_logits = normalized_exp_logits / normalized_sum_exp_logits + sum_softmax_times_logits = (softmax_logits * vocab_parallel_logits).sum(dim=-1, keepdim=True) + dist.all_reduce(sum_softmax_times_logits, group=mpu.get_tensor_model_parallel_group()) + entropy = logits_max + normalized_sum_exp_logits.log() - sum_softmax_times_logits + ctx.save_for_backward(vocab_parallel_logits, softmax_logits, sum_softmax_times_logits) + return entropy.squeeze(dim=-1) + + @staticmethod + def backward(ctx, grad_output: torch.Tensor) -> torch.Tensor: + vocab_parallel_logits, softmax_logits, sum_softmax_times_logits = ctx.saved_tensors + grad_input = grad_output.unsqueeze(dim=-1) * softmax_logits * (sum_softmax_times_logits - vocab_parallel_logits) + return grad_input + + +def vocab_parallel_entropy(vocab_parallel_logits: torch.Tensor) -> torch.Tensor: + """Compute entropy when the logits are sharded in tp ranks + + Args: + vocab_parallel_logits: (total_nnz, vocab_size // tp_size) + + Returns: (total_nnz,) + + """ + return _VocabParallelEntropy.apply(vocab_parallel_logits) + + +def vocab_parallel_log_probs_from_logits(logits, labels): + """TODO(zhangchi.usc1992): We may change the implementation later""" + return -tensor_parallel.vocab_parallel_cross_entropy(vocab_parallel_logits=logits, target=labels) + + +def vocab_parallel_log_probs_from_logits_response_rmpad(input_ids, attention_mask, logits_rmpad, response_length): + """Similar to log_probs_from_logits_response_rmpad, but the logits_rmpad is now spliited across tensor parallel region. + This will further reduce the peak memory usage during training + + Args: + input_ids: [batch_size, seqlen] + attention_mask: [batch_size, seqlen] + logits_rmpad: [total_nnz, vocab_size // tp_size] + response_length: int + + """ + from flash_attn.bert_padding import pad_input, unpad_input + + batch_size, seqlen = input_ids.shape + input_ids_rmpad, indices, *_ = unpad_input(input_ids.unsqueeze(-1), attention_mask=attention_mask) + input_ids_rmpad = input_ids_rmpad.squeeze(-1) + input_ids_rmpad_rolled = torch.roll(input_ids_rmpad, shifts=-1, dims=0) + full_log_probs_rmpad = vocab_parallel_log_probs_from_logits(logits=logits_rmpad, + labels=input_ids_rmpad_rolled) # (total_nnz,) + full_output = pad_input(hidden_states=full_log_probs_rmpad.unsqueeze(-1), + indices=indices, + batch=batch_size, + seqlen=seqlen) + output = full_output.squeeze(-1)[:, -response_length - 1:-1] # [batch_size, response_length] + return output + + +def vocab_parallel_compute_entropy_loss(logits, eos_mask): + """Compute Categorical entropy loss + + Args: + logits: `(torch.Tensor)` + shape: (bs, response_length, vocab_size) + eos_mask: `(torch.Tensor)` + shape: (bs, response_length) + + Returns: + entropy: a scalar torch.Tensor + + """ + # compute entropy + entropy = vocab_parallel_entropy(logits) + entropy_loss = verl_F.masked_mean(entropy, mask=eos_mask) + return entropy_loss diff --git a/verl/utils/megatron_utils.py b/verl/utils/megatron_utils.py new file mode 100644 index 00000000..fcb6b65a --- /dev/null +++ b/verl/utils/megatron_utils.py @@ -0,0 +1,253 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright (c) 2024, NVIDIA CORPORATION. All rights reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +"""Pretrain utilities.""" +from typing import Any, Dict +import time +from omegaconf import DictConfig +from verl.utils.torch_dtypes import PrecisionType +from verl.utils.memory_buffer import build_memory_reference_from_module +import torch +import torch.nn as nn +import torch.nn.functional as F + +from megatron.core import mpu, tensor_parallel +from megatron.core.utils import get_model_config +from megatron.core.transformer import TransformerConfig +from megatron.core.transformer.module import Float16Module +# from megatron.core.distributed import DistributedDataParallelConfig +from megatron.core.distributed import DistributedDataParallel as DDP +from megatron.core.enums import ModelType + + +def get_model(model_provider_func, model_type=ModelType.encoder_or_decoder, wrap_with_ddp=True): + """Build the model.""" + # Build model. + if mpu.get_pipeline_model_parallel_world_size() > 1 and \ + mpu.get_virtual_pipeline_model_parallel_world_size() is not None: + assert model_type != ModelType.encoder_and_decoder, \ + "Interleaved schedule not supported for model with both encoder and decoder" + model = [] + for i in range(mpu.get_virtual_pipeline_model_parallel_world_size()): + mpu.set_virtual_pipeline_model_parallel_rank(i) + # Set pre_process and post_process only after virtual rank is set. + pre_process = mpu.is_pipeline_first_stage() + post_process = mpu.is_pipeline_last_stage() + this_model = model_provider_func(pre_process=pre_process, post_process=post_process) + this_model.model_type = model_type + model.append(this_model) + else: + pre_process = mpu.is_pipeline_first_stage() + post_process = mpu.is_pipeline_last_stage() + add_encoder = True + add_decoder = True + if model_type == ModelType.encoder_and_decoder: + if mpu.get_pipeline_model_parallel_world_size() > 1: + assert mpu.get_pipeline_model_parallel_split_rank() is not None, \ + "Split rank needs to be specified for model with both encoder and decoder" + rank = mpu.get_pipeline_model_parallel_rank() + split_rank = mpu.get_pipeline_model_parallel_split_rank() + world_size = mpu.get_pipeline_model_parallel_world_size() + pre_process = rank == 0 or rank == split_rank + post_process = (rank == (split_rank - 1)) or (rank == (world_size - 1)) + add_encoder = mpu.is_pipeline_stage_before_split() + add_decoder = mpu.is_pipeline_stage_after_split() + model = model_provider_func(pre_process=pre_process, + post_process=post_process, + add_encoder=add_encoder, + add_decoder=add_decoder) + else: + model = model_provider_func(pre_process=pre_process, post_process=post_process) + model.model_type = model_type + + if not isinstance(model, list): + model = [model] + + # Set tensor model parallel attributes if not set. + # Only parameters that are already tensor model parallel have these + # attributes set for them. We should make sure the default attributes + # are set for all params so the optimizer can use them. + for model_module in model: + for param in model_module.parameters(): + tensor_parallel.set_defaults_if_not_set_tensor_model_parallel_attributes(param) + + # Print number of parameters. + if mpu.get_data_parallel_rank() == 0: + print(' > number of parameters on (tensor, pipeline) ' + 'model parallel rank ({}, {}): {}'.format( + mpu.get_tensor_model_parallel_rank(), mpu.get_pipeline_model_parallel_rank(), + sum([sum([p.nelement() for p in model_module.parameters()]) for model_module in model])), + flush=True) + + # GPU allocation. + for model_module in model: + model_module.cuda(torch.cuda.current_device()) + + # Fp16 conversion. + config = get_model_config(model[0]) + if config.fp16 or config.bf16: # the ModelParallelConfig in GPTModel + model = [Float16Module(config, model_module) for model_module in model] + + if wrap_with_ddp: + model = [ + DDP(config=config, + module=model_chunk, + data_parallel_group=mpu.get_data_parallel_group(with_context_parallel=True), + accumulate_allreduce_grads_in_fp32=True, + overlap_grad_reduce=False, + use_distributed_optimizer=True, + disable_bucketing=(model_chunk_idx > 0)) for (model_chunk_idx, model_chunk) in enumerate(model) + ] + # # Broadcast params from data parallel src rank to other data parallel ranks. + # if args.data_parallel_random_init: + for model_module in model: + model_module.broadcast_params() + return model + + +ALL_MODULE_WRAPPER_CLASSNAMES = (DDP, Float16Module) + + +def unwrap_model(model, module_instances=ALL_MODULE_WRAPPER_CLASSNAMES): + return_list = True + if not isinstance(model, list): + model = [model] + return_list = False + unwrapped_model = [] + for model_module in model: + while isinstance(model_module, module_instances): + model_module = model_module.module + unwrapped_model.append(model_module) + if not return_list: + return unwrapped_model[0] + return unwrapped_model + + +from transformers import PretrainedConfig + + +def convert_config(hf_config: PretrainedConfig, megatron_config) -> TransformerConfig: + print(f'megatron config {megatron_config}') + dt = PrecisionType.to_dtype(megatron_config['param_dtype']) + print(f'pipeline_dtype=megatron_config {dt}') + transformer_config = TransformerConfig( + num_layers=hf_config.num_hidden_layers, + hidden_size=hf_config.hidden_size, + num_attention_heads=hf_config.num_attention_heads, + num_query_groups=hf_config.num_key_value_heads, + ffn_hidden_size=hf_config.intermediate_size, + # max_position_embeddings=hf_config.max_position_embeddings, + activation_func=F.silu, + normalization='RMSNorm', + # rotary_percent=False, # default, + gated_linear_unit=True, # for llama + use_cpu_initialization=True, + apply_residual_connection_post_layernorm=False, # check what's this mean + add_bias_linear=False, + tensor_model_parallel_size=mpu.get_tensor_model_parallel_world_size(), + pipeline_model_parallel_size=mpu.get_pipeline_model_parallel_world_size(), + virtual_pipeline_model_parallel_size=mpu.get_virtual_pipeline_model_parallel_world_size(), + pipeline_dtype=PrecisionType.to_dtype(megatron_config['param_dtype']), + params_dtype=PrecisionType.to_dtype(megatron_config['param_dtype']), + sequence_parallel=megatron_config['sequence_parallel_enabled'], + variable_seq_lengths=True, + masked_softmax_fusion=True, + bf16=PrecisionType.to_dtype(megatron_config['param_dtype']) is torch.bfloat16) + if torch.distributed.get_rank() == 0: + print(f'tensor_parallel_size={transformer_config.tensor_model_parallel_size} \n \ + pipeline_model_parallel_size={transformer_config.pipeline_model_parallel_size} \n \ + virtual_pipeline_model_parallel_size={transformer_config.virtual_pipeline_model_parallel_size} \n \ + pipeline_dtype={transformer_config.pipeline_dtype} \n \ + params_dtype={transformer_config.params_dtype} \n \ + sequence_parallel={transformer_config.sequence_parallel} \n \ + variable_seq_lengths={transformer_config.variable_seq_lengths} \n \ + masked_softmax_fusion={transformer_config.masked_softmax_fusion} \n ') + + return transformer_config + + +# from megatron.core.optimizer import OptimizerConfig + +from verl.utils.megatron.optimizer_config import OptimizerConfig + + +def init_megatron_optim_config(optim_config: Dict) -> OptimizerConfig: + config = OptimizerConfig( + optimizer='adam', + lr=optim_config.get('lr'), + clip_grad=optim_config.get('clip_grad'), + weight_decay=1e-2, + bf16=True, + params_dtype=torch.bfloat16, + use_distributed_optimizer=True, + ) + return config + + +from megatron.core import ModelParallelConfig + + +def init_model_parallel_config(config: DictConfig) -> ModelParallelConfig: + # TODO(sgm): check how to disable megatron timers + timers = FakeTimers() + return ModelParallelConfig(tensor_model_parallel_size=config.get('tensor_model_parallel_size'), + pipeline_model_parallel_size=config.get('pipeline_model_parallel_size'), + virtual_pipeline_model_parallel_size=config.get('virtual_pipeline_model_parallel_size'), + sequence_parallel=config.get('sequence_parallel'), + params_dtype=PrecisionType.to_dtype(config.get('param_dtype')), + pipeline_dtype=PrecisionType.to_dtype(config.get('param_dtype')), + bf16=True, + fp16=False, + timers=timers) + + +class FakeTimers: + """Disable All Megatron Timing with FakeTimers""" + + def __init__(self): + from megatron.timers import DummyTimer + self.dummy_timer = DummyTimer() + + def __call__(self, *args: Any, **kwds: Any) -> Any: + return self.dummy_timer + + +def offload_megatron_param_and_grad(module_list: nn.ModuleList, offload_grad=False, hybrid_engine=None): + if hybrid_engine is not None: + pp_rank = mpu.get_pipeline_model_parallel_rank() + for buffer in hybrid_engine.memory_buffers[pp_rank].values(): + buffer.data = buffer.data.to('cpu', non_blocking=True) + build_memory_reference_from_module(module_list, hybrid_engine.memory_buffers[pp_rank], maintain_weight=True) + else: + for module in module_list: + for _, param in module.named_parameters(): + param.data = param.data.to('cpu', non_blocking=True) + if offload_grad and param.grad is not None: + param.grad = param.grad.to("cpu", non_blocking=True) + torch.cuda.empty_cache() + + +def load_megatron_param_and_grad(module_list: nn.ModuleList, device_id, load_grad=False, hybrid_engine=None): + if hybrid_engine is not None: + pp_rank = mpu.get_pipeline_model_parallel_rank() + for buffer in hybrid_engine.memory_buffers[pp_rank].values(): + buffer.data = buffer.data.to(device_id, non_blocking=True) + build_memory_reference_from_module(module_list, hybrid_engine.memory_buffers[pp_rank], maintain_weight=True) + else: + for module in module_list: + for _, param in module.named_parameters(): + param.data = param.data.to(device_id, non_blocking=True) + if load_grad and param.grad is not None: + param.grad = param.grad.to(device_id, non_blocking=True) + torch.cuda.empty_cache() diff --git a/verl/utils/memory_buffer.py b/verl/utils/memory_buffer.py new file mode 100644 index 00000000..2e07e42f --- /dev/null +++ b/verl/utils/memory_buffer.py @@ -0,0 +1,214 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +This file contains utilities to manipulate torch memory buffers +""" + +from typing import Dict, List + +import torch +from torch import nn + + +class MemoryBuffer: + """ + A memory buffer is a contiguous torch tensor that may combine multiple tensors sharing with the underlying + memory. It must have a unique type to support this behavior. + """ + + def __init__(self, numel: int, numel_padded: int, dtype: torch.dtype): + self.numel = numel + self.numel_padded = numel_padded + self.dtype = dtype + self.data = torch.zeros(self.numel_padded, dtype=self.dtype, device='cuda', requires_grad=False) + + def zero(self): + """Reset the buffer to zero.""" + self.data.zero_() + + def get(self, shape, start_index): + """Return a tensor with the input `shape` as a view into the + 1-D data starting at `start_index`.""" + end_index = start_index + shape.numel() + assert end_index <= self.numel, \ + 'requested tensor is out of the buffer range.' + buffer_tensor = self.data[start_index:end_index] + buffer_tensor = buffer_tensor.view(shape) + return buffer_tensor + + +def calc_padded_numel(shape: torch.Size, dtype: torch.dtype): + """for cuda memory alignment, make sure alignment by 128-bits""" + align_numel = 128 // torch.finfo(dtype).bits + numel = shape.numel() + return (numel + align_numel - 1) // align_numel * align_numel + + +def get_weight_buffer_meta_from_module(module: nn.Module) -> Dict[str, Dict]: + """ + Return a dictionary containing name to a shape and dtype. + """ + weight_buffer_meta = {} + for name, param in sorted(module.named_parameters()): + weight_buffer_meta[name] = {'shape': param.shape, 'dtype': param.dtype} + return weight_buffer_meta + + +def build_memory_buffer(weight_buffer_meta: Dict[str, Dict]) -> Dict[torch.dtype, MemoryBuffer]: + """Build the memory buffer given weight_buffer_meta + + Args: + weight_buffer_meta: contains mapping from name to a dictionary containing shape and dtype of the tensors + + Returns: a large memory buffer for each dtype that can hold all the tensors + + """ + memory_buffers = {} + total_numel_map = {} # map from dtype to the total numel + for name, meta_info in sorted(weight_buffer_meta.items()): + shape = meta_info['shape'] + dtype = meta_info['dtype'] + + assert isinstance(shape, torch.Size) + assert isinstance(dtype, torch.dtype) + + if dtype not in total_numel_map: + total_numel_map[dtype] = 0 + + total_numel_map[dtype] += calc_padded_numel(shape, dtype) + + for dtype, total_numel in total_numel_map.items(): + memory_buffers[dtype] = MemoryBuffer(total_numel, total_numel, dtype) + + return memory_buffers + + +def build_memory_reference_from_module(module: torch.nn.Module, + memory_buffers: Dict[torch.dtype, MemoryBuffer], + maintain_weight=True): + start_index = {} + for dtype in memory_buffers.keys(): + start_index[dtype] = 0 + for name, param in sorted(module.named_parameters()): + memory_buffer = memory_buffers[param.dtype] + buffer = memory_buffer.get(shape=param.shape, start_index=start_index[param.dtype]) + # need to increment start_index + start_index[param.dtype] += calc_padded_numel(param.shape, dtype) + if maintain_weight: + buffer.copy_(param.data) + param.data = buffer + + +def build_memory_reference(weight_buffer_meta: Dict[str, Dict], memory_buffers: Dict[torch.dtype, MemoryBuffer]): + """Build the memory references. The memory buffers are built using the build_memory_buffer API. + This API will allocate a weight buffer pointer to the memory buffer according to the weight_buffer_meta. + + Args: + weight_buffer_meta: + memory_buffers: + + Returns: + + """ + start_idx = {} + weight_buffers = {} + for dtype in memory_buffers.keys(): + start_idx[dtype] = 0 + + for name, meta_info in sorted(weight_buffer_meta.items()): + shape = meta_info['shape'] + dtype = meta_info['dtype'] + + buffer = memory_buffers[dtype].get(shape, start_index=start_idx[dtype]) + start_idx[dtype] += calc_padded_numel(shape, dtype) + weight_buffers[name] = buffer + + return weight_buffers + + +class MemoryBufferModuleWrapper: + """ + Note that we do not design MemoryBufferModuleWrapper as an nn.Module due to + - It will change the checkpoint name + """ + + def __init__(self, module: nn.Module): + super().__init__() + self.module = module + self.weight_buffer_meta = get_weight_buffer_meta_from_module(self.module) + self.memory_buffers = build_memory_buffer(self.weight_buffer_meta) + build_memory_reference_from_module(self.module, self.memory_buffers) + + def get_memory_buffers(self): + return self.memory_buffers + + def get_weight_buffer_meta(self): + return self.weight_buffer_meta + + +class MegatronMemoryBufferForRollout(object): + """ + We assume that + - inference engine has tp + dp + - actor has tp + pp + dp + - the tp between inference engine and actor should be the same + - memory_buffers: contains a list of memory_buffers, each is a dict from dtype to MemoryBuffer + - weight_buffers: contains a list of weight_buffers, each is a dict from name to param + - named_parameters: a dict from name to parameter that normalizes the names from pp and vpp. Note that + the named_parameters may not be directly compatible with inference engine. User has to take care of + this part such as the layout mismatches. (e.g. qkv transpose) + - Note that weight_buffer, named_parameters and memory_buffers share the same underlying GPU memory. + - When doing weight sync, the data is transfer via memory buffers + """ + + def __init__(self, transform_memory_param_fn): + self._memory_buffers = [] + self._weight_buffers = [] + self._named_parameters = {} + self.transform_memory_param_fn = transform_memory_param_fn + + def initialize_weight_buffer(self, weight_buffer_meta_pp: List[Dict[str, Dict]]): + """ + Initialize the weight buffer. The weight buffer is obtained according to the actor. We will construct + a large buffer for each dtype in the weight_buffer. + + Args: + weight_buffer_meta: contains pp models, each pp models contains a dictionary of mapping from + + Returns: None + + """ + self.weight_buffer_meta_pp = weight_buffer_meta_pp + + for weight_buffer_meta in self.weight_buffer_meta_pp: + memory_buffer = build_memory_buffer(weight_buffer_meta) + self._memory_buffers.append(memory_buffer) + self._weight_buffers.append(None) + + def build_memory_reference(self): + for i, weight_buffer_meta in enumerate(self.weight_buffer_meta_pp): + self._weight_buffers[i] = build_memory_reference(weight_buffer_meta, self._memory_buffers[i]) + self._named_parameters = self.transform_memory_param_fn(self._weight_buffers) + + @property + def named_parameters(self): + return self._named_parameters + + @property + def weight_buffers(self): + return self._weight_buffers + + @property + def memory_buffers(self): + return self._memory_buffers diff --git a/verl/utils/model.py b/verl/utils/model.py new file mode 100644 index 00000000..9002451a --- /dev/null +++ b/verl/utils/model.py @@ -0,0 +1,332 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Utilities to create common models from huggingface +""" +import os +import warnings +from typing import Dict, Type + +import numpy as np +import torch +from torch import nn +from transformers import AutoConfig, AutoModelForCausalLM, PretrainedConfig, MistralForSequenceClassification +from verl.models.registry import ModelRegistry + + +class LambdaLayer(nn.Module): + + def __init__(self, fn): + super().__init__() + self.fn = fn + + def forward(self, *args, **kwargs): + return self.fn(*args, **kwargs) + + +def squeeze(x): + return torch.squeeze(x, dim=-1) + + +def update_model_config(module_config, override_config_kwargs): + for key, val in override_config_kwargs.items(): + setattr(module_config, key, val) + + +def get_huggingface_actor_config(model_name: str, override_config_kwargs=None, trust_remote_code=False) -> Dict: + if override_config_kwargs is None: + override_config_kwargs = {} + assert isinstance(override_config_kwargs, Dict), \ + f'override_config_kwargs must be a dict, got {type(override_config_kwargs)}' + module_config = AutoConfig.from_pretrained(model_name, trust_remote_code=trust_remote_code) + update_model_config(module_config, override_config_kwargs) + + return module_config + + +def create_huggingface_actor(model_name: str, override_config_kwargs=None, automodel_kwargs=None) -> nn.Module: + """ + + Args: + model_name: + actor_override_config_kwargs: + + Returns: + + """ + if override_config_kwargs is None: + override_config_kwargs = {} + if automodel_kwargs is None: + automodel_kwargs = {} + assert isinstance(override_config_kwargs, Dict), \ + f'override_config_kwargs must be a dict, got {type(override_config_kwargs)}' + module_config = get_huggingface_actor_config(model_name, + override_config_kwargs, + trust_remote_code=automodel_kwargs.get('trust_remote_code', False)) + module: nn.Module = AutoModelForCausalLM.from_config(module_config, **automodel_kwargs) + return module + + +def create_huggingface_critic(model_name: str, override_config_kwargs=None, automodel_kwargs=None) -> nn.Module: + """ + + Args: + model_name: + override_config_kwargs: + + Returns: + + """ + critic_module: nn.Module = create_huggingface_actor(model_name, + override_config_kwargs=override_config_kwargs, + automodel_kwargs=automodel_kwargs) + if automodel_kwargs is None: + automodel_kwargs = {} + torch_dtype = automodel_kwargs.get('torch_dtype', torch.float32) + critic_module.lm_head = nn.Sequential(nn.Linear(critic_module.config.hidden_size, 1, dtype=torch_dtype), + LambdaLayer(fn=squeeze)) + return critic_module + + +def get_model_size(model: nn.Module, scale='auto'): + n_params = sum(p.numel() for p in model.parameters()) + + if scale == 'auto': + if n_params > 1e9: + scale = 'B' + elif n_params > 1e6: + scale = 'M' + elif n_params > 1e3: + scale = 'K' + else: + scale = '' + + if scale == 'B': + n_params = n_params / 1e9 + elif scale == 'M': + n_params = n_params / 1e6 + elif scale == 'K': + n_params = n_params / 1e3 + elif scale == '': + pass + else: + raise NotImplemented(f'Unknown scale {scale}') + + return n_params, scale + + +def print_model_size(model: nn.Module, name: str = None): + n_params, scale = get_model_size(model, scale='auto') + if name is None: + name = model.__class__.__name__ + print(f'{name} contains {n_params:.2f}{scale} parameters') + + +def create_random_mask(input_ids: torch.Tensor, + max_ratio_of_valid_token: float, + max_ratio_of_left_padding: float, + min_ratio_of_valid_token: float = 0): + """Create a random mask given input_ids. Support left padding and right padding. + Process: + - Sample valid token length + - Sample left_padding length + - Generate padding + + Args: + input_ids: + shape (batch_size, seq_len) + + Returns: + + """ + assert max_ratio_of_valid_token > 0 and max_ratio_of_valid_token <= 1. + assert max_ratio_of_left_padding >= 0 and max_ratio_of_left_padding < 1. + assert min_ratio_of_valid_token <= max_ratio_of_valid_token + + batch_size, sequence_length = input_ids.shape + max_num_valid_tokens = int(sequence_length * max_ratio_of_valid_token) + min_num_valid_tokens = max(1, int(sequence_length * min_ratio_of_valid_token)) + max_left_padding = int(sequence_length * max_ratio_of_left_padding) + assert max_num_valid_tokens + max_left_padding <= sequence_length + assert max_num_valid_tokens > 0 and max_ratio_of_valid_token <= sequence_length + masks = torch.ones_like(input_ids, dtype=torch.int64) + # TODO: we can make this faster + for i in range(batch_size): + num_left_padding = np.random.randint(low=0, high=max_left_padding + 1, dtype=np.int64) + num_valid = np.random.randint(low=min_num_valid_tokens, high=max_num_valid_tokens + 1, dtype=np.int64) + + for index in range(num_left_padding): + masks[i, index] = 0 + + for index in range(num_left_padding + num_valid, sequence_length): + masks[i, index] = 0 + return masks + + +def compute_position_id_with_mask(mask): + return torch.clip(torch.cumsum(mask, dim=-1) - 1, min=0, max=None) + + +def normalize_pp_vpp_params(params, num_hidden_layers, layer_name='layers'): + """ + Normalize the pp vpp params into a complete named parameters. + This is useful when gather parameters from pp ranks and passed to a model without pp + + params: List[List[Dict[str, param]]] + params contains a list of pp, with a list of vpp named_parameters in each vpp chunk. + output: Dict[str, param] + + """ + + def normalize_model_name(name, pp_rank, vpp_rank, pp_size, vpp_size, num_layers): + """ + Transform the model name in each model_chunk in each pp stage into the name in inference engine + """ + if vpp_size > 1: + # print(f'try to bind vpp params to inference engine...') + layers_per_pp = num_layers // pp_size + layers_per_vpp = layers_per_pp // vpp_size + pp_offset = layers_per_vpp * pp_rank + vpp_offset = (layers_per_vpp * pp_size) * vpp_rank + layer_offset = pp_offset + vpp_offset + else: + layers_per_pp = num_layers // pp_size + layer_offset = layers_per_pp * pp_rank + + if layer_name in name: # belong to an intermediate layer + split_name = name.split('.') + # find the num next to split_name + for i, name in enumerate(split_name): + if name == layer_name: + break + layer_num_idx = i + 1 + # check the name + assert len(split_name) >= layer_num_idx + 1, f'split_name = {split_name}' + assert split_name[layer_num_idx].isdigit(), f'split_name = {split_name}' + # increment layer_num_idx by layer_offset + split_name[layer_num_idx] = str(int(split_name[layer_num_idx]) + layer_offset) + name = '.'.join(split_name) # weight name in inference_tp_model + return name + + pp_size = len(params) + normalized_name_to_param = {} + for pp_rank in range(len(params)): + vpp_size = len(params[pp_rank]) + for vpp_rank in range(vpp_size): + for name, param in params[pp_rank][vpp_rank].items(): + normalized_name = normalize_model_name(name, pp_rank, vpp_rank, pp_size, vpp_size, num_hidden_layers) + normalized_name_to_param[normalized_name] = param + + return normalized_name_to_param + + +def get_parallel_model_from_config(config, megatron_config, pre_process=None, post_process=None, value=False): + from megatron.core import ModelParallelConfig + assert isinstance(megatron_config, ModelParallelConfig) + model_class = _get_parallel_model_architecture_from_config(config, value) + + model = model_class(config, megatron_config, pre_process=pre_process, post_process=post_process) + return model + + +def _get_parallel_model_architecture_from_config(config: PretrainedConfig, value=False) -> Type[nn.Module]: + architectures = getattr(config, "architectures", []) + for arch in architectures: + model_cls = ModelRegistry.load_model_cls(arch, value) + if model_cls is not None: + return model_cls + raise ValueError(f"Model architectures {architectures} are not supported for now. " + f"Supported architectures: {ModelRegistry.get_supported_archs()}") + + +def load_megatron_model_weights(config, + model_config, + parallel_model, + params_dtype, + is_value_model=False, + local_cache_path='~/.cache/verl/rlhf'): + assert hasattr(model_config, "architectures"), "architectures cannot be empty when load weight!" + architectures = getattr(model_config, "architectures", []) + local_cache_path = os.path.expanduser(local_cache_path) + + if config.model.path.startswith("hdfs:"): + from verl.utils.fs import copy_local_path_from_hdfs + print(f'start download from {config.model.path}') + local_model_path = copy_local_path_from_hdfs(src=config.model.path, cache_dir=local_cache_path) + print('finish download') + else: + print(f"load from local dir {config.model.path}") + local_model_path = config.model.path + + # TODO: to find a better way to load mistral7b-rm lm_head + if 'mistral7b-rm' in config.model.path: + model = MistralForSequenceClassification.from_pretrained(local_model_path) # use score head instead of lm_head + state_dict = model.state_dict() + state_dict['lm_head.weight'] = state_dict['score.weight'] + state_dict['model.embed_tokens.weight'] = state_dict[ + 'model.embed_tokens.weight'][:32000] # workaround, 32001 -> 32000 + is_value_model = True + else: + with warnings.catch_warnings(): + warnings.simplefilter("ignore") + model = AutoModelForCausalLM.from_pretrained(local_model_path) + state_dict = model.state_dict() + + from verl.models.weight_loader_registry import get_weight_loader + print(f'before weight loader: architectures = {architectures}...') + for arch in architectures: + print(f'call weight loader arch = {arch}, model config = {model.config}') + weight_loader = get_weight_loader(arch) + weight_loader(state_dict=state_dict, + wrapped_models=parallel_model, + config=model.config, + params_dtype=params_dtype, + is_value_model=is_value_model) + + +# pad input_ids_rmpad, cu_seqlens and max_seqlen_in_batch to be divisible by tp +def pad_packed_inputs(unpad_tokens: torch.Tensor, cu_seqlens, max_seqlen_in_batch, size): + """pad the tokens such that the total length is a multiple of size. + This function is useful when applying sequence parallel and context parallel + + Args: + unpad_tokens: (total_nnz, ...). Tokens after removing padding + cu_seqlens: (total_nnz + 1,) + max_seqlen_in_batch: int + + Returns: + + """ + F = nn.functional + + total_nnz = unpad_tokens.shape[0] + + if total_nnz % size == 0: + pad_size = 0 + else: + pad_size = size - total_nnz % size + + # we assume adding a new data in the batch with seqlen pad_size + if pad_size > 0: + if unpad_tokens.ndim == 1: + unpad_tokens = F.pad(unpad_tokens, (0, pad_size)) + elif unpad_tokens.ndim == 2: + unpad_tokens = F.pad(unpad_tokens, (0, 0, 0, pad_size)) + else: + raise NotImplementedError(f'Padding dim {unpad_tokens.ndim()} is not supported') + + cu_seqlens = F.pad(cu_seqlens, (0, 1), value=pad_size + cu_seqlens[-1]) + max_seqlen_in_batch = max(max_seqlen_in_batch, pad_size) + + return unpad_tokens, cu_seqlens, max_seqlen_in_batch diff --git a/verl/utils/py_functional.py b/verl/utils/py_functional.py new file mode 100644 index 00000000..8f5a0e17 --- /dev/null +++ b/verl/utils/py_functional.py @@ -0,0 +1,56 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Contain small python utility functions +""" + +from typing import Dict +from types import SimpleNamespace + + +def union_two_dict(dict1: Dict, dict2: Dict): + """Union two dict. Will throw an error if there is an item not the same object with the same key. + + Args: + dict1: + dict2: + + Returns: + + """ + for key, val in dict2.items(): + if key in dict1: + assert dict2[key] == dict1[key], \ + f'{key} in meta_dict1 and meta_dict2 are not the same object' + dict1[key] = val + + return dict1 + + +def append_to_dict(data: Dict, new_data: Dict): + for key, val in new_data.items(): + if key not in data: + data[key] = [] + data[key].append(val) + + +class NestedNamespace(SimpleNamespace): + + def __init__(self, dictionary, **kwargs): + super().__init__(**kwargs) + for key, value in dictionary.items(): + if isinstance(value, dict): + self.__setattr__(key, NestedNamespace(value)) + else: + self.__setattr__(key, value) diff --git a/verl/utils/ray_utils.py b/verl/utils/ray_utils.py new file mode 100644 index 00000000..9a75df6c --- /dev/null +++ b/verl/utils/ray_utils.py @@ -0,0 +1,43 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Contains commonly used utilities for ray +""" + +import ray + +import concurrent.futures + + +def parallel_put(data_list, max_workers=None): + + def put_data(index, data): + return index, ray.put(data) + + if max_workers is None: + max_workers = min(len(data_list), 16) + + with concurrent.futures.ThreadPoolExecutor(max_workers=max_workers) as executor: + data_list_f = [executor.submit(put_data, i, data) for i, data in enumerate(data_list)] + res_lst = [] + for future in concurrent.futures.as_completed(data_list_f): + res_lst.append(future.result()) + + # reorder based on index + output = [None for _ in range(len(data_list))] + for res in res_lst: + index, data_ref = res + output[index] = data_ref + + return output diff --git a/verl/utils/rendezvous/__init__.py b/verl/utils/rendezvous/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/utils/rendezvous/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/utils/rendezvous/ray_backend.py b/verl/utils/rendezvous/ray_backend.py new file mode 100644 index 00000000..c0d2bd90 --- /dev/null +++ b/verl/utils/rendezvous/ray_backend.py @@ -0,0 +1,77 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import logging +import time + +from cupy.cuda.nccl import NcclCommunicator, get_unique_id + +import ray +from ray.util import list_named_actors + + +@ray.remote +class NCCLIDStore: + + def __init__(self, nccl_id): + self._nccl_id = nccl_id + + def get(self): + return self._nccl_id + + +def get_nccl_id_store_by_name(name): + all_actors = list_named_actors(all_namespaces=True) + matched_actors = [actor for actor in all_actors if actor.get("name", None) == name] + if len(matched_actors) == 1: + actor = matched_actors[0] + return ray.get_actor(**actor) + elif len(matched_actors) > 1: + logging.warning(f"multiple actors with same name found: {matched_actors}") + elif len(matched_actors) == 0: + logging.info(f"failed to get any actor named {name}") + return None + + +def create_nccl_communicator_in_ray(rank: int, + world_size: int, + group_name: str, + max_retries: int = 100, + interval_s: int = 5): + if rank == 0: + nccl_id = get_unique_id() + nccl_id_store = NCCLIDStore.options(name=group_name).remote(nccl_id) + + assert ray.get(nccl_id_store.get.remote()) == nccl_id + communicator = NcclCommunicator( + ndev=world_size, + commId=nccl_id, + rank=0, + ) + return communicator + else: + for i in range(max_retries): + nccl_id_store = get_nccl_id_store_by_name(group_name) + if nccl_id_store is not None: + logging.info(f"nccl_id_store {group_name} got") + nccl_id = ray.get(nccl_id_store.get.remote()) + logging.info(f"nccl id for {group_name} got: {nccl_id}") + communicator = NcclCommunicator( + ndev=world_size, + commId=nccl_id, + rank=rank, + ) + return communicator + logging.info(f"failed to get nccl_id for {i+1} time, sleep for {interval_s} seconds") + time.sleep(interval_s) diff --git a/verl/utils/reward_score/__init__.py b/verl/utils/reward_score/__init__.py new file mode 100644 index 00000000..38c1b8e9 --- /dev/null +++ b/verl/utils/reward_score/__init__.py @@ -0,0 +1,29 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from .multiply import compute_score as multiply_compute_score +from .countdown import compute_score as countdown_compute_score +from .gsm8k import compute_score as gsm8k_compute_score +from .math import compute_score as math_compute_score +from .qa_em import compute_score as qa_em_compute_score +from .agentgym import compute_score as agentgym_compute_score + +SUPPORTED_REWARD_SCORE_FNS = { + 'multiply': multiply_compute_score, + 'countdown': countdown_compute_score, + 'gsm8k': gsm8k_compute_score, + 'math': math_compute_score, + 'qa_em': qa_em_compute_score, + 'agentgym': agentgym_compute_score, +} diff --git a/verl/utils/reward_score/agentgym.py b/verl/utils/reward_score/agentgym.py new file mode 100644 index 00000000..46186db5 --- /dev/null +++ b/verl/utils/reward_score/agentgym.py @@ -0,0 +1,57 @@ +import re +from typing import Dict, Any, List, Optional + +def _normalize_text(text: str) -> str: + """Lowercase and remove punctuation and extra whitespace.""" + if not text: + return "" + text = text.lower() + # Keep spaces and alphanumeric, remove others + text = re.sub(r'[^a-z0-9\s]', '', text) + text = ' '.join(text.split()) # Remove extra whitespace + return text + + +def compute_score( + env_name: str, + **kwargs + ) -> float: + """ + Computes a score for an AgentGym environment based on rollout results passed via kwargs. + + It expects the full interaction trajectory and reward model info. + + Args: + env_name: The name of the AgentGym environment. + **kwargs: Must contain 'trajectory' (List[Dict]) and 'reward_model_info' (Dict). + + Returns: + The calculated score as a float (typically 0.0 or 1.0). + """ + trajectory = kwargs.get('trajectory') + reward_model_info = kwargs.get('reward_model_info') + env_name_lower = env_name.lower() + score = 0.0 + + if not trajectory or not reward_model_info: + print(f"Warning: 'trajectory' or 'reward_model_info' missing in kwargs for env '{env_name}'. Cannot compute score.") + return 0.0 + + style = reward_model_info.get("style") + + try: + # --- WebShop Specific Logic --- + if env_name_lower in ["webshop", "webarena", "maze", "wordle", "alfworld", "sciworld", "babyai", "textcraft", "weather", "movie", "academia", "todo", "sheet", "sqlgym"]: + print(f"Warning: Trajectory-based scoring logic not yet implemented for env '{env_name}'. Returning 0.") + # Implement specific scoring functions for these envs based on their trajectory structure and success criteria + score = 0.0 + + else: + print(f"Warning: Unknown AgentGym environment '{env_name}' for reward scoring. Returning 0.") + + except Exception as e: + print(f"Error computing AgentGym score from trajectory for env='{env_name}', style='{style}': {e}") + # Optionally log traceback: import traceback; print(traceback.format_exc()) + score = 0.0 # Return 0 on error + + return score \ No newline at end of file diff --git a/verl/utils/reward_score/countdown.py b/verl/utils/reward_score/countdown.py new file mode 100644 index 00000000..14d41401 --- /dev/null +++ b/verl/utils/reward_score/countdown.py @@ -0,0 +1,111 @@ +import re +import random +import ast +import operator + + +def extract_solution(solution_str): + """Extract the equation from the solution string.""" + # Remove everything before the first "Assistant:" + if "Assistant:" in solution_str: + solution_str = solution_str.split("Assistant:", 1)[1] + elif "<|im_start|>assistant" in solution_str: + solution_str = solution_str.split("<|im_start|>assistant", 1)[1] + else: + return None + solution_str = solution_str.split('\n')[-1] + + answer_pattern = r'(.*?)' + match = re.finditer(answer_pattern, solution_str) + matches = list(match) + if matches: + final_answer = matches[-1].group(1).strip() + else: + final_answer = None + return final_answer + + +def validate_equation(equation_str, available_numbers): + """Validate that equation only uses available numbers and each number once.""" + try: + # Extract all numbers from the equation + numbers_in_eq = [int(n) for n in re.findall(r'\d+', equation_str)] + + # Check if all numbers in equation are available + available_numbers = sorted(available_numbers) + numbers_in_eq = sorted(numbers_in_eq) + + # Each number should be used exactly once + return numbers_in_eq == available_numbers + except: + return False + + +def evaluate_equation(equation_str): + """Safely evaluate the arithmetic equation using eval() with precautions.""" + try: + # Define a regex pattern that only allows numbers, operators, parentheses, and whitespace + allowed_pattern = r'^[\d+\-*/().\s]+$' + if not re.match(allowed_pattern, equation_str): + raise ValueError("Invalid characters in equation.") + + # Evaluate the equation with restricted globals and locals + result = eval(equation_str, {"__builtins__": None}, {}) + return result + except Exception as e: + return None + + +def compute_score(solution_str, ground_truth, method='strict', format_score=0.1, score=1.): + """The scoring function for countdown task. + + Args: + solution_str: the solution text + ground_truth: dictionary containing target number and available numbers + method: the method to extract the solution + format_score: the score for correct format but wrong answer + score: the score for the correct answer + """ + target = ground_truth['target'] + numbers = ground_truth['numbers'] + + equation = extract_solution(solution_str=solution_str) + do_print = random.randint(1, 64) == 1 + + if do_print: + print(f"--------------------------------") + print(f"Target: {target} | Numbers: {numbers}") + print(f"Extracted equation: {equation}") + print(f"Solution string: {solution_str}") + + if equation is None: + if do_print: + print(f"No equation found") + return 0 + + # Validate equation uses correct numbers + if not validate_equation(equation, numbers): + if do_print: + print(f"Invalid equation") + return format_score + + # Evaluate equation + try: + result = evaluate_equation(equation) + if result is None: + if do_print: + print(f"Could not evaluate equation") + return format_score + + if abs(result - target) < 1e-5: # Account for floating point precision + if do_print: + print(f"Correct equation: {equation} = {result}") + return score + else: + if do_print: + print(f"Wrong result: equation = {result}, target = {target}") + return format_score + except: + if do_print: + print(f"Error evaluating equation") + return format_score \ No newline at end of file diff --git a/verl/utils/reward_score/gsm8k.py b/verl/utils/reward_score/gsm8k.py new file mode 100644 index 00000000..70910376 --- /dev/null +++ b/verl/utils/reward_score/gsm8k.py @@ -0,0 +1,63 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import re + + +def extract_solution(solution_str, method='strict'): + assert method in ['strict', 'flexible'] + + if method == 'strict': + # this also tests the formatting of the model + solution = re.search("#### (\\-?[0-9\\.\\,]+)", solution_str) + if solution is None: + final_answer = None + else: + final_answer = solution.group(0) + final_answer = final_answer.split('#### ')[1].replace(',', '').replace('$', '') + elif method == 'flexible': + answer = re.findall("(\\-?[0-9\\.\\,]+)", solution_str) + final_answer = None + if len(answer) == 0: + # no reward is there is no answer + pass + else: + invalid_str = ['', '.'] + # find the last number that is not '.' + for final_answer in reversed(answer): + if final_answer not in invalid_str: + break + return final_answer + + +def compute_score(solution_str, ground_truth, method='strict', format_score=0., score=1.): + """The scoring function for GSM8k. + + Reference: Trung, Luong, et al. "Reft: Reasoning with reinforced fine-tuning." Proceedings of the 62nd Annual Meeting of the Association for Computational Linguistics (Volume 1: Long Papers). 2024. + + Args: + solution_str: the solution text + ground_truth: the ground truth + method: the method to extract the solution, choices are 'strict' and 'flexible' + format_score: the score for the format + score: the score for the correct answer + """ + answer = extract_solution(solution_str=solution_str, method=method) + if answer is None: + return 0 + else: + if answer == ground_truth: + return score + else: + return format_score \ No newline at end of file diff --git a/verl/utils/reward_score/math.py b/verl/utils/reward_score/math.py new file mode 100644 index 00000000..50792aa6 --- /dev/null +++ b/verl/utils/reward_score/math.py @@ -0,0 +1,227 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# Copyright 2022 EleutherAI and the HuggingFace Inc. team. All rights reserved. +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# Adapted from https://github.com/EleutherAI/lm-evaluation-harness/blob/main/lm_eval/tasks/hendrycks_math/utils.py + + +def compute_score(solution_str, ground_truth) -> float: + retval = 0. + try: + string_in_last_boxed = last_boxed_only_string(solution_str) + if string_in_last_boxed is not None: + answer = remove_boxed(string_in_last_boxed) + if is_equiv(answer, ground_truth): + retval = 1. + except Exception as e: + print(e) + + return retval + + +# string normalization from https://github.com/EleutherAI/lm-evaluation-harness/blob/master/lm_eval/tasks/hendrycks_math.py +def is_equiv(str1, str2, verbose=False): + if str1 is None and str2 is None: + print("WARNING: Both None") + return True + if str1 is None or str2 is None: + return False + + try: + ss1 = strip_string(str1) + ss2 = strip_string(str2) + if verbose: + print(ss1, ss2) + return ss1 == ss2 + except Exception: + return str1 == str2 + + +def remove_boxed(s): + if "\\boxed " in s: + left = "\\boxed " + assert s[:len(left)] == left + return s[len(left):] + + left = "\\boxed{" + + assert s[:len(left)] == left + assert s[-1] == "}" + + return s[len(left):-1] + + +def last_boxed_only_string(string): + idx = string.rfind("\\boxed") + if "\\boxed " in string: + return "\\boxed " + string.split("\\boxed ")[-1].split("$")[0] + if idx < 0: + idx = string.rfind("\\fbox") + if idx < 0: + return None + + i = idx + right_brace_idx = None + num_left_braces_open = 0 + while i < len(string): + if string[i] == "{": + num_left_braces_open += 1 + if string[i] == "}": + num_left_braces_open -= 1 + if num_left_braces_open == 0: + right_brace_idx = i + break + i += 1 + + if right_brace_idx is None: + retval = None + else: + retval = string[idx:right_brace_idx + 1] + + return retval + + +def fix_fracs(string): + substrs = string.split("\\frac") + new_str = substrs[0] + if len(substrs) > 1: + substrs = substrs[1:] + for substr in substrs: + new_str += "\\frac" + if substr[0] == "{": + new_str += substr + else: + try: + assert len(substr) >= 2 + except AssertionError: + return string + a = substr[0] + b = substr[1] + if b != "{": + if len(substr) > 2: + post_substr = substr[2:] + new_str += "{" + a + "}{" + b + "}" + post_substr + else: + new_str += "{" + a + "}{" + b + "}" + else: + if len(substr) > 2: + post_substr = substr[2:] + new_str += "{" + a + "}" + b + post_substr + else: + new_str += "{" + a + "}" + b + string = new_str + return string + + +def fix_a_slash_b(string): + if len(string.split("/")) != 2: + return string + a = string.split("/")[0] + b = string.split("/")[1] + try: + a = int(a) + b = int(b) + assert string == "{}/{}".format(a, b) + new_string = "\\frac{" + str(a) + "}{" + str(b) + "}" + return new_string + except AssertionError: + return string + + +def remove_right_units(string): + # "\\text{ " only ever occurs (at least in the val set) when describing units + if "\\text{ " in string: + splits = string.split("\\text{ ") + assert len(splits) == 2 + return splits[0] + else: + return string + + +def fix_sqrt(string): + if "\\sqrt" not in string: + return string + splits = string.split("\\sqrt") + new_string = splits[0] + for split in splits[1:]: + if split[0] != "{": + a = split[0] + new_substr = "\\sqrt{" + a + "}" + split[1:] + else: + new_substr = "\\sqrt" + split + new_string += new_substr + return new_string + + +def strip_string(string): + # linebreaks + string = string.replace("\n", "") + + # remove inverse spaces + string = string.replace("\\!", "") + + # replace \\ with \ + string = string.replace("\\\\", "\\") + + # replace tfrac and dfrac with frac + string = string.replace("tfrac", "frac") + string = string.replace("dfrac", "frac") + + # remove \left and \right + string = string.replace("\\left", "") + string = string.replace("\\right", "") + + # Remove circ (degrees) + string = string.replace("^{\\circ}", "") + string = string.replace("^\\circ", "") + + # remove dollar signs + string = string.replace("\\$", "") + + # remove units (on the right) + string = remove_right_units(string) + + # remove percentage + string = string.replace("\\%", "") + string = string.replace("\%", "") # noqa: W605 + + # " 0." equivalent to " ." and "{0." equivalent to "{." Alternatively, add "0" if "." is the start of the string + string = string.replace(" .", " 0.") + string = string.replace("{.", "{0.") + # if empty, return empty string + if len(string) == 0: + return string + if string[0] == ".": + string = "0" + string + + # to consider: get rid of e.g. "k = " or "q = " at beginning + if len(string.split("=")) == 2: + if len(string.split("=")[0]) <= 2: + string = string.split("=")[1] + + # fix sqrt3 --> sqrt{3} + string = fix_sqrt(string) + + # remove spaces + string = string.replace(" ", "") + + # \frac1b or \frac12 --> \frac{1}{b} and \frac{1}{2}, etc. Even works with \frac1{72} (but not \frac{72}1). Also does a/b --> \\frac{a}{b} + string = fix_fracs(string) + + # manually change 0.5 --> \frac{1}{2} + if string == "0.5": + string = "\\frac{1}{2}" + + # NOTE: X/Y changed to \frac{X}{Y} in dataset, but in simple cases fix in case the model output is X/Y + string = fix_a_slash_b(string) + + return string diff --git a/verl/utils/reward_score/multiply.py b/verl/utils/reward_score/multiply.py new file mode 100644 index 00000000..71737f94 --- /dev/null +++ b/verl/utils/reward_score/multiply.py @@ -0,0 +1,58 @@ +import re +import random + + +def extract_solution(solution_str): + # Remove everything before the first "Assistant:" + if "Assistant:" in solution_str: + solution_str = solution_str.split("Assistant:", 1)[1] + else: + return None + + answer_pattern = r'(.*?)' + match = re.finditer(answer_pattern, solution_str) + matches = list(match) + if matches: + final_answer = matches[-1].group(1).strip() + else: + final_answer = None + if final_answer is not None: + try: + int_final_answer = int(final_answer) + except ValueError: + final_answer = None + return final_answer + + +def compute_score(solution_str, ground_truth, method='strict', format_score=0.1, score=1.): + """The scoring function for GSM8k. + + Reference: Trung, Luong, et al. "Reft: Reasoning with reinforced fine-tuning." Proceedings of the 62nd Annual Meeting of the Association for Computational Linguistics (Volume 1: Long Papers). 2024. + + Args: + solution_str: the solution text + ground_truth: the ground truth + method: the method to extract the solution, choices are 'strict' and 'flexible' + format_score: the score for the format + score: the score for the correct answer + """ + answer = extract_solution(solution_str=solution_str) + do_print = random.randint(1, 64) == 1 + if do_print: + print(f"--------------------------------") + print(f"Ground truth: {ground_truth} | Extracted answer: {answer}") + print(f"Solution string: {solution_str}") + + if answer is None: + if do_print: + print(f"No answer found") + return 0 + else: + if int(answer) == int(ground_truth): + if do_print: + print(f"Correct answer: {answer}") + return score + else: + if do_print: + print(f"Incorrect answer {answer} | Ground truth: {ground_truth}") + return format_score diff --git a/verl/utils/reward_score/qa_em.py b/verl/utils/reward_score/qa_em.py new file mode 100644 index 00000000..01f8a36e --- /dev/null +++ b/verl/utils/reward_score/qa_em.py @@ -0,0 +1,153 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import re +import string +import random + +def normalize_answer(s): + def remove_articles(text): + return re.sub(r"\b(a|an|the)\b", " ", text) + + def white_space_fix(text): + return " ".join(text.split()) + + def remove_punc(text): + exclude = set(string.punctuation) + return "".join(ch for ch in text if ch not in exclude) + + def lower(text): + return text.lower() + + return white_space_fix(remove_articles(remove_punc(lower(s)))) + + +def em_check(prediction, golden_answers): + if isinstance(golden_answers, str): + golden_answers = [golden_answers] + normalized_prediction = normalize_answer(prediction) + score = 0 + for golden_answer in golden_answers: + golden_answer = normalize_answer(golden_answer) + if golden_answer == normalized_prediction: + score = 1 + break + return score + + +def subem_check(prediction, golden_answers): + if isinstance(golden_answers, str): + golden_answers = [golden_answers] + normalized_prediction = normalize_answer(prediction) + score = 0 + for golden_answer in golden_answers: + golden_answer = normalize_answer(golden_answer) + if golden_answer in normalized_prediction: + score = 1 + break + return score + + +def extract_solution(solution_str): + """Extract the equation from the solution string.""" + # Remove everything before the first "Assistant:" + # if "Assistant:" in solution_str: + # solution_str = solution_str.split("Assistant:", 1)[1] + # elif "<|im_start|>assistant" in solution_str: + # solution_str = solution_str.split("<|im_start|>assistant", 1)[1] + # else: + # return None + # solution_str = solution_str.split('\n')[-1] + + answer_pattern = r'(.*?)' + match = re.finditer(answer_pattern, solution_str, re.DOTALL) + matches = list(match) + + # If there are 0 or exactly 1 matches, return None + if len(matches) <= 1: + return None + + # If there are 2 or more matches, return the last one + return matches[-1].group(1).strip() + + +def compute_score_em(solution_str, ground_truth, method='strict', format_score=0., score=1.): + """The scoring function for exact match (EM). + + Args: + solution_str: the solution text + ground_truth: the ground truth + method: the method to extract the solution, choices are 'strict' and 'flexible' + format_score: the score for the format + score: the score for the correct answer + """ + answer = extract_solution(solution_str=solution_str) + do_print = random.randint(1, 64) == 1 + + if do_print: + print(f"--------------------------------") + print(f"Golden answers: {ground_truth['target']}") + print(f"Extracted answer: {answer}") + print(f"Solution string: {solution_str}") + + if answer is None: + return 0 + else: + if em_check(answer, ground_truth['target']): + return score + else: + return format_score + + +def compute_score_subem(solution_str, ground_truth, method='strict', format_score=0., score=1.): + """The scoring function for substring exact match (EM). + + Args: + solution_str: the solution text + ground_truth: the ground truth + method: the method to extract the solution, choices are 'strict' and 'flexible' + format_score: the score for the format + score: the score for the correct answer + """ + answer = extract_solution(solution_str=solution_str) + do_print = random.randint(1, 64) == 1 + + if do_print: + print(f"--------------------------------") + print(f"Golden answers: {ground_truth['target']}") + print(f"Extracted answer: {answer}") + print(f"Solution string: {solution_str}") + + if answer is None: + return 0 + else: + if subem_check(answer, ground_truth['target']): + return score + else: + return format_score + +# Define the main compute_score function that's being imported +def compute_score(solution_str, ground_truth, method='strict', format_score=0., score=1.): + """The main scoring function for exact match (EM). + + This is a wrapper around compute_score_em which is the default implementation. + + Args: + solution_str: the solution text + ground_truth: the ground truth + method: the method to extract the solution, choices are 'strict' and 'flexible' + format_score: the score for the format + score: the score for the correct answer + """ + return compute_score_em(solution_str, ground_truth, method, format_score, score) diff --git a/verl/utils/reward_score/reward_components.py b/verl/utils/reward_score/reward_components.py new file mode 100644 index 00000000..c175cfd0 --- /dev/null +++ b/verl/utils/reward_score/reward_components.py @@ -0,0 +1,241 @@ +# verl/utils/reward_score/reward_components.py +import re +import numpy as np +from abc import ABC, abstractmethod +from typing import List, Dict, Any, Tuple + +class RewardComponent(ABC): + """Abstract base class for all reward components.""" + def __init__(self, weight: float = 1.0, name: str = ""): + """ + Initializes the reward component. + + Args: + weight (float): The weight to apply to the computed reward score. + name (str): An optional name for the component. Defaults to the class name. + """ + self.weight = weight + self.name = name or self.__class__.__name__ + + @abstractmethod + def compute(self, trajectory: List[Dict[str, Any]], **kwargs) -> float: + """ + Computes the reward score based on the trajectory and other context. + Must be implemented by subclasses. + + Args: + trajectory (List[Dict[str, Any]]): A list of dictionaries representing the + conversation or rollout steps. Each dict + typically contains 'from' (e.g., 'human', 'gpt') + and 'value' (the text content). Agent steps + might also include 'reward', 'info', etc. + **kwargs: Additional context that might be needed, such as original prompt, + environment configuration, reward model info, etc. + + Returns: + float: The computed reward score (before applying the weight). + """ + pass + + def __call__(self, trajectory: List[Dict[str, Any]], **kwargs) -> float: + """ + Computes and returns the weighted reward score. + + Args: + trajectory (List[Dict[str, Any]]): The rollout trajectory. + **kwargs: Additional context passed to the compute method. + + Returns: + float: The final weighted reward score for this component. + """ + # Apply the component's weight to the computed score + return self.weight * self.compute(trajectory, **kwargs) + +# --- Example Concrete Reward Components --- + +class GoalReward(RewardComponent): + """Provides reward based on task success/failure indicated in the final step info.""" + def compute(self, trajectory: List[Dict[str, Any]], **kwargs) -> float: + """ + Checks the 'info' dictionary of the last step in the trajectory for success indicators. + Assumes AgentGym-like 'info' structure or relevant keys in 'reward_model_info'. + + Args: + trajectory: The rollout trajectory. + **kwargs: May contain 'reward_model_info' for non-AgentGym scenarios. + + Returns: + 1.0 for success, -1.0 for failure (optional), or score value, otherwise 0.0. + """ + if not trajectory: + return 0.0 + + # Check the last step first, assuming it contains final env info + last_step = trajectory[-1] + if isinstance(last_step.get('info'), dict): + info = last_step['info'] + if info.get('success') is True: + return 1.0 + if info.get('fail') is True: + return -1.0 # Optional penalty for failure + # Use 'score' if success/fail flags are not present + return float(info.get('score', 0.0)) + + # Fallback: Check reward_model_info if provided (for non-AgentGym?) + reward_model_info = kwargs.get('reward_model_info', {}) + if reward_model_info.get('success') is True: # Example key + return 1.0 + + # Default to 0 if no clear success/failure/score indicator is found + return 0.0 + +class LengthPenalty(RewardComponent): + """Applies a penalty based on the length of the last agent response.""" + def __init__(self, weight: float = -0.01, max_length: int = 500, min_length: int = 10, penalty_type: str = "linear"): + """ + Initializes the length penalty component. + + Args: + weight (float): The weight for the penalty (typically negative). + max_length (int): Responses longer than this will be penalized. + min_length (int): Responses shorter than this can optionally be penalized. + penalty_type (str): The type of penalty calculation ('linear', 'quadratic', 'log'). + """ + super().__init__(weight=weight) + assert max_length > min_length, "max_length must be greater than min_length" + self.max_length = max_length + self.min_length = min_length + self.penalty_type = penalty_type + + def _get_last_response_length(self, trajectory: List[Dict[str, Any]]) -> int: + """Helper to find the length of the last 'gpt' response.""" + for msg in reversed(trajectory): + if msg.get('from') == 'gpt': + # Consider using token length for better consistency + # For now, using character length + return len(msg.get('value', "")) + return 0 + + def compute(self, trajectory: List[Dict[str, Any]], **kwargs) -> float: + """ + Calculates the penalty based on the length of the last agent response. + + Args: + trajectory: The rollout trajectory. + **kwargs: Not used by this component. + + Returns: + A non-positive value representing the penalty (0 if within bounds). + """ + length = self._get_last_response_length(trajectory) + penalty = 0.0 + + if length > self.max_length: + diff = length - self.max_length + if self.penalty_type == "linear": + penalty = diff + elif self.penalty_type == "quadratic": + penalty = diff ** 2 + elif self.penalty_type == "log": + # Use log1p to handle diff=0 gracefully (log(1)=0) + penalty = np.log1p(diff) + else: + raise ValueError(f"Unknown penalty_type: {self.penalty_type}") + elif length < self.min_length: + diff = self.min_length - length + # Apply similar penalty logic for being too short (optional) + if self.penalty_type == "linear": + penalty = diff # Example: Linear penalty for being too short + # Add quadratic/log if needed for short responses + + # The penalty value itself is positive or zero, weight makes it negative + return penalty + + +class FormatReward(RewardComponent): + """Rewards responses that match specific regular expression patterns.""" + def __init__(self, weight: float = 0.5, required_patterns: List[str] = None): + """ + Initializes the format reward component. + + Args: + weight (float): The reward weight (typically positive). + required_patterns (List[str]): A list of regex patterns. A reward is given + if the last response matches *any* of these patterns. + """ + super().__init__(weight=weight) + # Compile regex patterns for efficiency + self.required_patterns = [re.compile(p, re.DOTALL) for p in required_patterns] if required_patterns else [] + + def _get_last_response(self, trajectory: List[Dict[str, Any]]) -> str: + """Helper to find the text of the last 'gpt' response.""" + for msg in reversed(trajectory): + if msg.get('from') == 'gpt': + return msg.get('value', "") + return "" + + def compute(self, trajectory: List[Dict[str, Any]], **kwargs) -> float: + """ + Checks if the last agent response matches any of the required patterns. + + Args: + trajectory: The rollout trajectory. + **kwargs: Not used by this component. + + Returns: + 1.0 if a match is found, 0.0 otherwise (before applying weight). + """ + if not self.required_patterns: + return 0.0 + + last_response = self._get_last_response(trajectory) + + # Check if any pattern matches + for pattern in self.required_patterns: + if pattern.search(last_response): + # Reward is 1.0 if format matches, weight scales it + return 1.0 + + # No pattern matched + return 0.0 + +# --- Reward Composer --- +class RewardComposer: + """Combines multiple reward components to compute a total reward.""" + def __init__(self, components: List[RewardComponent]): + """ + Initializes the composer with a list of reward components. + + Args: + components (List[RewardComponent]): The reward components to combine. + """ + self.components = components + + def compute_total_reward(self, trajectory: List[Dict[str, Any]], **kwargs) -> Tuple[float, Dict[str, float]]: + """ + Computes the total weighted reward by summing the outputs of all components. + + Args: + trajectory (List[Dict[str, Any]]): The rollout trajectory. + **kwargs: Additional context passed to each component's compute method. + + Returns: + Tuple[float, Dict[str, float]]: A tuple containing: + - The total weighted reward. + - A dictionary breaking down the reward contributed by each component (by name). + """ + total_reward = 0.0 + reward_breakdown = {} + for component in self.components: + try: + # Call the component's __call__ method to get the weighted reward + component_reward = component(trajectory, **kwargs) + total_reward += component_reward + # Store the individual weighted reward for analysis + reward_breakdown[component.name] = component_reward + except Exception as e: + # Log error but continue, potentially assigning 0 reward for the failed component + print(f"Error computing reward for component {component.name}: {e}") + reward_breakdown[component.name] = 0.0 # Or handle as needed + + return total_reward, reward_breakdown \ No newline at end of file diff --git a/verl/utils/seqlen_balancing.py b/verl/utils/seqlen_balancing.py new file mode 100644 index 00000000..fee45da0 --- /dev/null +++ b/verl/utils/seqlen_balancing.py @@ -0,0 +1,265 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from typing import List, Tuple, Callable +import heapq + +import torch +from torch import distributed as dist + +from tensordict import TensorDict +import copy + + +def karmarkar_karp(seqlen_list: List[int], k_partitions: int, equal_size: bool): + # see: https://en.wikipedia.org/wiki/Largest_differencing_method + class Set: + + def __init__(self) -> None: + self.sum = 0 + self.items = [] + + def add(self, idx: int, val: int): + self.items.append((idx, val)) + self.sum += val + + def merge(self, other): + for idx, val in other.items: + self.items.append((idx, val)) + self.sum += val + + def __lt__(self, other): + if self.sum != other.sum: + return self.sum < other.sum + if len(self.items) != len(other.items): + return len(self.items) < len(other.items) + return self.items < other.items + + class State: + + def __init__(self, items: List[Tuple[int, int]], k: int) -> None: + self.k = k + # sets should always be decreasing order + self.sets = [Set() for _ in range(k)] + assert len(items) in [1, k], f"{len(items)} not in [1, {k}]" + for i, (idx, seqlen) in enumerate(items): + self.sets[i].add(idx=idx, val=seqlen) + self.sets = sorted(self.sets, reverse=True) + + def spread(self): + return self.sets[0].sum - self.sets[-1].sum + + def get_partitions(self): + partitions = [] + for i in range(len(self.sets)): + cur_partition = [] + for idx, _ in self.sets[i].items: + cur_partition.append(idx) + partitions.append(cur_partition) + return partitions + + def merge(self, other): + for i in range(self.k): + self.sets[i].merge(other.sets[self.k - 1 - i]) + self.sets = sorted(self.sets, reverse=True) + + @property + def spread(self) -> int: + return self.sets[0].sum - self.sets[-1].sum + + def __lt__(self, other): + # least heap, let the state with largest spread to be popped first, + # if the spread is the same, let the state who has the largest set + # to be popped first. + if self.spread != other.spread: + return self.spread > other.spread + return self.sets[0] > other.sets[0] + + def __repr__(self) -> str: + repr_str = "[" + for i in range(self.k): + if i > 0: + repr_str += "," + repr_str += "{" + for j, (_, seqlen) in enumerate(self.sets[i].items): + if j > 0: + repr_str += "," + repr_str += str(seqlen) + repr_str += "}" + repr_str += "]" + return repr_str + + sorted_seqlen_list = sorted([(seqlen, i) for i, seqlen in enumerate(seqlen_list)]) + states_pq = [] + if equal_size: + assert len(seqlen_list) % k_partitions == 0, f"{len(seqlen_list)} % {k_partitions} != 0" + for offset in range(0, len(sorted_seqlen_list), k_partitions): + items = [] + for i in range(k_partitions): + seqlen, idx = sorted_seqlen_list[offset + i] + items.append((idx, seqlen)) + heapq.heappush(states_pq, State(items=items, k=k_partitions)) + else: + for seqlen, idx in sorted_seqlen_list: + heapq.heappush(states_pq, State(items=[(idx, seqlen)], k=k_partitions)) + + while len(states_pq) > 1: + state0 = heapq.heappop(states_pq) + state1 = heapq.heappop(states_pq) + # merge states + state0.merge(state1) + heapq.heappush(states_pq, state0) + + final_state = states_pq[0] + partitions = final_state.get_partitions() + if equal_size: + for i, partition in enumerate(partitions): + assert len(partition) * \ + k_partitions == len(seqlen_list), f"{len(partition)} * {k_partitions} != {len(seqlen_list)}" + return partitions + + +def greedy_partition(seqlen_list: List[int], k_partitions: int, equal_size: bool): + bias = sum(seqlen_list) + 1 if equal_size else 0 + sorted_seqlen = [(seqlen + bias, i) for i, seqlen in enumerate(seqlen_list)] + partitions = [[] for _ in range(k_partitions)] + partition_sums = [0 for _ in range(k_partitions)] + for seqlen, i in sorted_seqlen: + min_idx = None + for j in range(k_partitions): + if min_idx is None or partition_sums[j] < partition_sums[min_idx]: + min_idx = j + partitions[min_idx].append(i) + partition_sums[min_idx] += seqlen + if equal_size: + for i, partition in enumerate(partitions): + assert len(partition) * \ + k_partitions == len(seqlen_list), f"{len(partition)} * {k_partitions} != {len(seqlen_list)}" + return partitions + + +def get_seqlen_balanced_partitions(seqlen_list: List[int], k_partitions: int, equal_size: bool): + """ get order of seq lengths to make partitions balanced, this is + used in balacing sum of seqlength across dp ranks and microbatches + Parameters: + seqlen_list (List[int]): + seq lengths of each items + k_partitions (int): + resulting number of partitions + equal_size (bool): + if True, number of items in each partitions must be equal. + if False, only consider balancing the sum, each partition can have + variable number of items + Returns: + partitions (List[List[int]]): + return k_partitions list containing the index of items. + """ + assert len(seqlen_list) >= k_partitions, f"number of items:[{len(seqlen_list)}] < k_partitions:[{k_partitions}]" + + def _check_and_sort_partitions(partitions): + assert len(partitions) == k_partitions, f"{len(partitions)} != {k_partitions}" + seen_idx = set() + sorted_partitions = [None] * k_partitions + for i, partition in enumerate(partitions): + assert len(partition) > 0, f"the {i}-th partition is empty" + for idx in partition: + seen_idx.add(idx) + sorted_partitions[i] = sorted(partition) + assert seen_idx == set(range(len(seqlen_list))) + return sorted_partitions + + partitions = karmarkar_karp(seqlen_list=seqlen_list, k_partitions=k_partitions, equal_size=equal_size) + return _check_and_sort_partitions(partitions) + + +def log_seqlen_unbalance(seqlen_list: List[int], partitions: List[List[int]], prefix): + # add some metrics of seqlen sum on dp ranks + k_partition = len(partitions) + # assert len(seqlen_list) % k_partition == 0 + batch_size = len(seqlen_list) // k_partition + min_sum_seqlen = None + max_sum_seqlen = None + total_sum_seqlen = 0 + for offset in range(0, len(seqlen_list), batch_size): + cur_sum_seqlen = sum(seqlen_list[offset:offset + batch_size]) + if min_sum_seqlen is None or cur_sum_seqlen < min_sum_seqlen: + min_sum_seqlen = cur_sum_seqlen + if max_sum_seqlen is None or cur_sum_seqlen > max_sum_seqlen: + max_sum_seqlen = cur_sum_seqlen + total_sum_seqlen += cur_sum_seqlen + + balanced_sum_seqlen_list = [] + for partition in partitions: + cur_sum_seqlen_balanced = sum([seqlen_list[i] for i in partition]) + balanced_sum_seqlen_list.append(cur_sum_seqlen_balanced) + # print("balanced_sum_seqlen_list: ", balanced_sum_seqlen_list) + min_sum_seqlen_balanced = min(balanced_sum_seqlen_list) + max_sum_seqlen_balanced = max(balanced_sum_seqlen_list) + + return { + f'{prefix}/min': min_sum_seqlen, + f'{prefix}/max': max_sum_seqlen, + f'{prefix}/minmax_diff': max_sum_seqlen - min_sum_seqlen, + f'{prefix}/balanced_min': min_sum_seqlen_balanced, + f'{prefix}/balanced_max': max_sum_seqlen_balanced, + f'{prefix}/mean': total_sum_seqlen / len(partitions) + } + + +def ceildiv(a, b): + return -(a // -b) + + +def rearrange_micro_batches(batch: TensorDict, max_token_len, dp_group=None): + """Split the batch into a list of micro_batches, where the max_token_len is smaller than max_token_len + and the number of valid tokens in each micro batch is well balanced. + """ + # this is per local micro_bsz + max_seq_len = batch['attention_mask'].shape[-1] + assert max_token_len >= max_seq_len, \ + f'max_token_len must be greater than the sequence length. Got {max_token_len=} and {max_seq_len=}' + + seq_len_effective: torch.Tensor = batch['attention_mask'].sum(dim=1) + total_seqlen = seq_len_effective.sum().item() + num_micro_batches = ceildiv(total_seqlen, max_token_len) + if dist.is_initialized(): + num_micro_batches = torch.tensor([num_micro_batches], device='cuda') + dist.all_reduce(num_micro_batches, op=dist.ReduceOp.MAX, group=dp_group) + num_micro_batches = num_micro_batches.cpu().item() + + seq_len_effective = seq_len_effective.tolist() + assert num_micro_batches <= len(seq_len_effective) + + micro_bsz_idx = get_seqlen_balanced_partitions(seq_len_effective, num_micro_batches, equal_size=False) + + micro_batches = [] + + for partition in micro_bsz_idx: + curr_micro_batch = [] + for idx in partition: + curr_micro_batch.append(batch[idx:idx + 1]) + curr_micro_batch = torch.cat(curr_micro_batch) + + micro_batches.append(curr_micro_batch) + + return micro_batches, micro_bsz_idx + + +def get_reverse_idx(idx_map): + reverse_idx_map = copy.deepcopy(idx_map) + + for i, idx in enumerate(idx_map): + reverse_idx_map[idx] = i + + return reverse_idx_map diff --git a/verl/utils/tokenizer.py b/verl/utils/tokenizer.py new file mode 100644 index 00000000..b64b6623 --- /dev/null +++ b/verl/utils/tokenizer.py @@ -0,0 +1,58 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +"""Utils for tokenization.""" +import warnings + +__all__ = ['hf_tokenizer'] + + +def set_pad_token_id(tokenizer): + """Set pad_token_id to eos_token_id if it is None. + + Args: + tokenizer (transformers.PreTrainedTokenizer): The tokenizer to be set. + + """ + if tokenizer.pad_token_id is None: + tokenizer.pad_token_id = tokenizer.eos_token_id + warnings.warn(f'tokenizer.pad_token_id is None. Now set to {tokenizer.eos_token_id}') + if tokenizer.pad_token is None: + tokenizer.pad_token = tokenizer.eos_token + warnings.warn(f'tokenizer.pad_token is None. Now set to {tokenizer.eos_token}') + + +def hf_tokenizer(name_or_path, correct_pad_token=True, correct_gemma2=True, **kwargs): + """Create a huggingface pretrained tokenizer. + + Args: + name (str): The name of the tokenizer. + correct_pad_token (bool): Whether to correct the pad token id. + correct_gemma2 (bool): Whether to correct the gemma2 tokenizer. + **kwargs: The keyword arguments for the tokenizer. + + Returns: + transformers.PreTrainedTokenizer: The pretrained tokenizer. + + """ + from transformers import AutoTokenizer + if correct_gemma2 and isinstance(name_or_path, str) and 'gemma-2-2b-it' in name_or_path: + # the EOS token in gemma2 is ambiguious, which may worsen RL performance. + # https://huggingface.co/google/gemma-2-2b-it/commit/17a01657f5c87135bcdd0ec7abb4b2dece04408a + warnings.warn('Found gemma-2-2b-it tokenizer. Set eos_token and eos_token_id to and 107.') + kwargs['eos_token'] = '' + kwargs['eos_token_id'] = 107 + tokenizer = AutoTokenizer.from_pretrained(name_or_path, **kwargs) + if correct_pad_token: + set_pad_token_id(tokenizer) + return tokenizer \ No newline at end of file diff --git a/verl/utils/torch_dtypes.py b/verl/utils/torch_dtypes.py new file mode 100644 index 00000000..bb63df13 --- /dev/null +++ b/verl/utils/torch_dtypes.py @@ -0,0 +1,82 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Adapted from Cruise. +""" + +import torch + +from typing import Union + +HALF_LIST = [16, "16", "fp16", "float16"] +FLOAT_LIST = [32, "32", "fp32", "float32"] +BFLOAT_LIST = ["bf16", "bfloat16"] + + +class PrecisionType(object): + """Type of precision used. + + >>> PrecisionType.HALF == 16 + True + >>> PrecisionType.HALF in (16, "16") + True + """ + + HALF = "16" + FLOAT = "32" + FULL = "64" + BFLOAT = "bf16" + MIXED = "mixed" + + @staticmethod + def supported_type(precision: Union[str, int]) -> bool: + return any(x == precision for x in PrecisionType) + + @staticmethod + def supported_types() -> list[str]: + return [x.value for x in PrecisionType] + + @staticmethod + def is_fp16(precision): + return precision in HALF_LIST + + @staticmethod + def is_fp32(precision): + return precision in FLOAT_LIST + + @staticmethod + def is_bf16(precision): + return precision in BFLOAT_LIST + + @staticmethod + def to_dtype(precision): + if precision in HALF_LIST: + return torch.float16 + elif precision in FLOAT_LIST: + return torch.float32 + elif precision in BFLOAT_LIST: + return torch.bfloat16 + else: + raise RuntimeError(f"unexpected precision: {precision}") + + @staticmethod + def to_str(precision): + if precision == torch.float16: + return 'fp16' + elif precision == torch.float32: + return 'fp32' + elif precision == torch.bfloat16: + return 'bf16' + else: + raise RuntimeError(f"unexpected precision: {precision}") diff --git a/verl/utils/torch_functional.py b/verl/utils/torch_functional.py new file mode 100644 index 00000000..3d53ca7a --- /dev/null +++ b/verl/utils/torch_functional.py @@ -0,0 +1,492 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Contain small torch utilities +""" + +from typing import Dict, Union, List, Optional + +import os +import torch +import torch.distributed +import torch.nn.functional as F +from tensordict import TensorDict +from torch import nn + +try: + from flash_attn.ops.triton.cross_entropy import cross_entropy_loss + FLAH_ATTN_CROSS_ENTROPY_LOSS_AVAILABLE = True +except ImportError: + FLAH_ATTN_CROSS_ENTROPY_LOSS_AVAILABLE = False + + +def gather_from_labels(data, label): + """Gather the label from data. The value in label should be [0, vocab_size) + + Args: + data: (..., vocab_size) + label (torch.IntTensor) : (...,) + + Returns: + + """ + + output = torch.gather(data, -1, label.unsqueeze(-1)).squeeze(-1) + return output + + +def logprobs_from_logits(logits, labels): + """ + See: https://github.com/pytorch/pytorch/issues/563#issuecomment-330103591 + """ + if FLAH_ATTN_CROSS_ENTROPY_LOSS_AVAILABLE: + batch_dim = logits.shape[:-1] + last_dim = logits.shape[-1] + logits = logits.reshape(-1, last_dim) + labels = labels.reshape(-1) + output = logprobs_from_logits_flash_attn(logits, labels) + output = output.view(*batch_dim) + else: + output = logprobs_from_logits_naive(logits, labels) + return output + + +def logprobs_from_logits_flash_attn(logits, labels): + output = -cross_entropy_loss(logits, labels)[0] + return output + + +def logprobs_from_logits_naive(logits, labels): + logp = F.log_softmax(logits, dim=-1) + logpy = gather_from_labels(logp, labels) + return logpy + + +def logprobs_of_labels_v2(logits: torch.FloatTensor, labels): + """ + A memory efficient implementation of logprobs_from_logits + """ + assert logits.dtype == torch.float32, 'Using bf16 logits with logprobs_of_labels_v2 may lead to divergence' + logprobs_labels = torch.gather(logits, dim=-1, index=labels.unsqueeze(-1)) + logprobs_labels = logprobs_labels - torch.logsumexp(logits, dim=-1, keepdim=True) + return logprobs_labels.squeeze(-1) + + +def clip_by_value(x, tensor_min, tensor_max): + """ + Tensor extenstion to torch.clamp + https://github.com/pytorch/pytorch/issues/2793#issuecomment-428784713 + """ + clipped = torch.max(torch.min(x, tensor_max), tensor_min) + return clipped + + +def entropy_from_logits(logits: torch.Tensor): + """Calculate entropy from logits.""" + pd = torch.nn.functional.softmax(logits, dim=-1) + entropy = torch.logsumexp(logits, dim=-1) - torch.sum(pd * logits, dim=-1) + return entropy + + +def masked_sum(values, mask, axis=None): + """Compute mean of tensor with a masked values.""" + return (values * mask).sum(axis=axis) + + +def masked_mean(values, mask, axis=None): + """Compute mean of tensor with a masked values.""" + return (values * mask).sum(axis=axis) / mask.sum(axis=axis) + + +def masked_var(values, mask, unbiased=True): + """Compute variance of tensor with masked values.""" + mean = masked_mean(values, mask) + centered_values = values - mean + variance = masked_mean(centered_values**2, mask) + if unbiased: + mask_sum = mask.sum() + if mask_sum == 0: + raise ValueError("At least one element in the mask has to be 1.") + # note that if mask_sum == 1, then there is a division by zero issue + # to avoid it you just need to use a larger minibatch_size + if mask_sum == 1: + raise ValueError("The sum of the mask is one, which can cause a division by zero.") + bessel_correction = mask_sum / (mask_sum - 1) + variance = variance * bessel_correction + return variance + + +def masked_whiten(values, mask, shift_mean=True): + """Whiten values with masked values.""" + mean, var = masked_mean(values, mask), masked_var(values, mask) + whitened = (values - mean) * torch.rsqrt(var + 1e-8) + if not shift_mean: + whitened += mean + return whitened + + +def get_eos_mask(response_id: torch.Tensor, eos_token: int = 2, dtype=torch.int64): + ''' + e.g. end of sentence token=1 + response_id: [0, 0, 2, 42, 3, 5, 1, 0, 0] + eos_mask: [1, 1, 1, 1, 1, 1, 1, 0, 0] + ''' + eos_mask = response_id.eq(eos_token).long() + eos_mask = (torch.cumsum(eos_mask, dim=1) - eos_mask).bool() + eos_mask = torch.logical_not(eos_mask).to(dtype) + return eos_mask + + +def compute_grad_norm(model: nn.Module): + total_grad_square = 0 + total_params = 0 + for param in model.parameters(): + if param.grad is not None: + total_grad_square += torch.sum(torch.square(param.grad.detach())).item() + return total_grad_square + + +def broadcast_dict_tensor(tensors: Union[Dict[str, torch.Tensor], TensorDict], src, group): + """ + TODO: optimize this. Technically, we only need one broadcast + """ + + for key in tensors.sorted_keys: + torch.distributed.broadcast(tensors[key], src=src, group=group, async_op=False) + + +def allgather_dict_tensors(tensors: Union[Dict[str, torch.Tensor], TensorDict], size, group, dim=0): + """ + TODO: optimize this. + - We can use async ops + - We can use only one allgather + Args: + tensors: + size: + group: + + Returns: + + """ + if isinstance(tensors, TensorDict): + is_tensor_dict = True + tensors_as_dict = tensors.to_dict() + else: + tensors_as_dict = tensors + is_tensor_dict = False + + output = {} + sorted_keys = sorted(tensors_as_dict.keys()) + for key in sorted_keys: + val = tensors_as_dict[key] + output[key] = [torch.empty_like(val) for _ in range(size)] + torch.distributed.all_gather(output[key], val, group=group, async_op=False) + output[key] = torch.cat(output[key], dim=dim) + + if is_tensor_dict: + output = TensorDict(source=output, batch_size=tensors.batch_size[0] * size) + + return output + + +def split_dict_tensor_into_batches(tensors: TensorDict, batch_size) -> List[TensorDict]: + assert tensors.batch_size[0] % batch_size == 0, \ + f'input data batch size: {tensors.batch_size[0]}, split batch size: {batch_size}' + return tensors.split(batch_size) + + +def pad_sequence_to_length(tensors, max_seq_len, pad_token_id, left_pad=False): + """ + pad a 2D tensors (e.g. responses, logprobs) in the last dim to max_seq_length. + input shape: [bs, seq_length] + output shape: [bs, max_seq_length] + (0, max_seq_len - tensors.shape[-1]) means right pad to max_seq_length and no left pad + """ + if tensors.shape[-1] >= max_seq_len: + return tensors + pad_tuple = (max_seq_len - tensors.shape[-1], 0) if left_pad else (0, max_seq_len - tensors.shape[-1]) + return F.pad(tensors, pad_tuple, 'constant', pad_token_id) + + +from transformers import PreTrainedTokenizer + + +def tokenize_and_postprocess_data(prompt: str, + tokenizer: PreTrainedTokenizer, + max_length: int, + pad_token_id: int, + left_pad=True, + truncation='error'): + """ + input_data is the output from tokenizer. + """ + assert truncation in ['left', 'right', 'error'] + + input_data = tokenizer(prompt, return_tensors='pt', add_special_tokens=False) + + input_ids = input_data['input_ids'] + attention_mask = input_data['attention_mask'] + + assert input_ids.ndim == 2 + + sequence_length = input_ids.shape[-1] + if sequence_length < max_length: + input_ids = pad_sequence_to_length(input_ids, + max_seq_len=max_length, + pad_token_id=pad_token_id, + left_pad=left_pad) + attention_mask = pad_sequence_to_length(attention_mask, + max_seq_len=max_length, + pad_token_id=0, + left_pad=left_pad) + elif sequence_length > max_length: + if truncation == 'left': + # actually, left truncation may not be reasonable + input_ids = input_ids[:, -max_length:] + attention_mask = attention_mask[:, -max_length:] + elif truncation == 'right': + input_ids = input_ids[:, :max_length] + attention_mask = attention_mask[:, :max_length] + elif truncation == 'error': + raise NotImplementedError(f'{sequence_length=} is larger than {max_length=}') + else: + raise NotImplementedError(f'Unknown truncation method {truncation}') + + return input_ids, attention_mask + + +def remove_pad_token(input_ids: torch.Tensor, attention_mask: torch.Tensor): + """ Remove the pad token. + + Args: + input_ids shape: [bs, seq_length] + attention_mask shape: [bs, seq_length] + Returns: + no_padding_batch(List[List[int]]): contains the rmpad token ids per query. + """ + no_padding_batch = [] + for ids, mask in zip(input_ids, attention_mask): + no_padding_batch.append((ids[len(ids) - mask.sum():]).cpu().numpy().tolist()) + return no_padding_batch + + +def log_probs_from_logits_response(input_ids, logits, response_length): + """Compute the response log_probs from full logits. Note that logits = model(input_ids) + + Args: + input_ids: [batch_size, seqlen] + logits: [batch_size, seqlen, vocab_size] + + Returns: + response_log_prob: + """ + response_logits = logits[:, -response_length - 1:-1] + response = input_ids[:, -response_length:] + response_log_prob = logprobs_from_logits(logits=response_logits, labels=response) + return response_log_prob + + +def log_probs_from_logits_response_rmpad(input_ids, attention_mask, logits_rmpad, response_length): + """Compute the log_probs from logits with rmpad logits and pad input. Note that + logits_rmpad = model(input_ids_rmpad). For each sentences, there is a shift between + logits and input_ids. + The reason for this function to is to compute logprobs_from_logits in rmpad mode because it is memory-intensive + for large vocab_size + + Args: + input_ids: [batch_size, seqlen] + attention_mask: [batch_size, seqlen] + logits_rmpad: [total_nnz, vocab_size] + response_length: int + """ + from flash_attn.bert_padding import pad_input, unpad_input + + batch_size, seqlen = input_ids.shape + input_ids_rmpad, indices, *_ = unpad_input(input_ids.unsqueeze(-1), attention_mask=attention_mask) + input_ids_rmpad = input_ids_rmpad.squeeze(-1) + input_ids_rmpad_rolled = torch.roll(input_ids_rmpad, shifts=-1, dims=0) + full_log_probs_rmpad = logprobs_from_logits(logits=logits_rmpad, labels=input_ids_rmpad_rolled) # (total_nnz,) + full_output = pad_input(hidden_states=full_log_probs_rmpad.unsqueeze(-1), + indices=indices, + batch=batch_size, + seqlen=seqlen) + output = full_output.squeeze(-1)[:, -response_length - 1:-1] # [batch_size, response_length] + return output + + +def log_probs_from_logits_all_rmpad(input_ids_rmpad, logits_rmpad, indices, batch_size, seqlen, response_length): + """Compute the log_probs from logits with rmpad input_ids and logits. Note that + logits_rmpad = model(input_ids_rmpad). For each sentences, there is a shift between + logits and input_ids. + The reason for this function to is to compute logprobs_from_logits in rmpad mode because it is memory-intensive + for large vocab_size + + Args: + input_ids_rmpad: [1, total_nnz] + logits_rmpad: [total_nnz, vocab_size] + indices: [total_nnz] + batch_size: int + seqlen: int + response_length: int + """ + from flash_attn.bert_padding import pad_input + input_ids_rmpad = input_ids_rmpad.transpose(0, 1) # transpose back to [total_nnz, 1] + input_ids_rmpad = input_ids_rmpad.squeeze(-1) + input_ids_rmpad_rolled = torch.roll(input_ids_rmpad, shifts=-1, dims=0) + full_log_probs_rmpad = logprobs_from_logits(logits=logits_rmpad, labels=input_ids_rmpad_rolled) # (total_nnz,) + full_output = pad_input(hidden_states=full_log_probs_rmpad.unsqueeze(-1), + indices=indices, + batch=batch_size, + seqlen=seqlen) + output = full_output.squeeze(-1)[:, -response_length - 1:-1] # [batch_size, response_length] + return output + + +from transformers.generation.logits_process import (TemperatureLogitsWarper, TopKLogitsWarper, TopPLogitsWarper) + + +def post_process_logits(input_ids, logits, temperature, top_k, top_p): + if temperature != 1.: + logits = logits.div_(temperature) # inplace operation to avoid OOM + # TODO: add them back + # if top_k is not None and top_k > 0: + # logits = TopKLogitsWarper(top_k=top_k)(input_ids, logits) + # if top_p is not None and top_p < 1.0 and top_p > 0.0: + # logits = TopPLogitsWarper(top_p=top_p)(input_ids, logits) + return logits + + +""" +Optimizer related +""" + +from torch.optim import Optimizer +from torch.optim.lr_scheduler import LambdaLR +import math + + +def get_cosine_schedule_with_warmup( + optimizer: Optimizer, + num_warmup_steps: int, + num_training_steps: int, + min_lr_ratio: float = 0.0, + num_cycles: float = 0.5, + last_epoch: int = -1, +): + """ + Create a schedule with a learning rate that decreases following the values of the cosine function between the + initial lr set in the optimizer to 0, after a warmup period during which it increases linearly between 0 and the + initial lr set in the optimizer. + Args: + optimizer (:class:`~torch.optim.Optimizer`): + The optimizer for which to schedule the learning rate. + num_warmup_steps (:obj:`int`): + The number of steps for the warmup phase. + num_training_steps (:obj:`int`): + The total number of training steps. + min_lr_ratio (:obj:`float`, `optional`, defaults to 0.0): + The minimum lr ratio w.r.t the maximum. + num_cycles (:obj:`float`, `optional`, defaults to 0.5): + The number of waves in the cosine schedule (the defaults is to just decrease from the max value to 0 + following a half-cosine). + last_epoch (:obj:`int`, `optional`, defaults to -1): + The index of the last epoch when resuming training. + Return: + :obj:`torch.optim.lr_scheduler.LambdaLR` with the appropriate schedule. + """ + assert min_lr_ratio >= 0 and min_lr_ratio <= 1. + coef = (1 - min_lr_ratio) * 0.5 + intercept = (1 + min_lr_ratio) * 0.5 + + def lr_lambda(current_step): + if current_step < num_warmup_steps: + return float(current_step) / float(max(1, num_warmup_steps)) + progress = float(current_step - num_warmup_steps) / float(max(1, num_training_steps - num_warmup_steps)) + x = math.cos(math.pi * float(num_cycles) * 2.0 * progress) + return max(0.0, x * coef + intercept) + + return LambdaLR(optimizer, lr_lambda, last_epoch) + + +def get_constant_schedule_with_warmup( + optimizer: Optimizer, + num_warmup_steps: int, + last_epoch: int = -1, +): + + def lr_lambda(current_step): + return min(1, float(current_step) / float(max(1, num_warmup_steps))) + + return LambdaLR(optimizer, lr_lambda, last_epoch) + + +def prepare_decoder_attention_mask(attention_mask, input_shape, inputs_embeds): + # create causal mask + # [bsz, seq_len] -> [bsz, 1, tgt_seq_len, src_seq_len] + combined_attention_mask = None + if input_shape[-1] > 1: + combined_attention_mask = _make_causal_mask( + input_shape, + inputs_embeds.dtype, + device=inputs_embeds.device, + ) + + if attention_mask is not None: + # [bsz, seq_len] -> [bsz, 1, tgt_seq_len, src_seq_len] + expanded_attn_mask = _expand_mask(attention_mask, inputs_embeds.dtype, + tgt_len=input_shape[-1]).to(inputs_embeds.device) + combined_attention_mask = (expanded_attn_mask if combined_attention_mask is None else expanded_attn_mask + + combined_attention_mask) + + return combined_attention_mask + + +# Copied from transformers.models.bart.modeling_bart._make_causal_mask +def _make_causal_mask(input_ids_shape: torch.Size, dtype: torch.dtype, device: torch.device): + """ + Make causal mask used for bi-directional self-attention. + """ + bsz, tgt_len = input_ids_shape + mask = torch.full((tgt_len, tgt_len), torch.finfo(dtype).min, device=device) + mask_cond = torch.arange(mask.size(-1), device=device) + mask.masked_fill_(mask_cond < (mask_cond + 1).view(mask.size(-1), 1), 0) + mask = mask.to(dtype) + return mask[None, None, :, :].expand(bsz, 1, tgt_len, tgt_len) + + +# Copied from transformers.models.bart.modeling_bart._expand_mask +def _expand_mask(mask: torch.Tensor, dtype: torch.dtype, tgt_len: Optional[int] = None): + """ + Expands attention_mask from `[bsz, seq_len]` to `[bsz, 1, tgt_seq_len, src_seq_len]`. + """ + bsz, src_len = mask.size() + tgt_len = tgt_len if tgt_len is not None else src_len + + expanded_mask = mask[:, None, None, :].expand(bsz, 1, tgt_len, src_len).to(dtype) + + inverted_mask = 1.0 - expanded_mask + + return inverted_mask.masked_fill(inverted_mask.to(torch.bool), torch.finfo(dtype).min) + + +def get_unpad_data(attention_mask): + seqlens_in_batch = attention_mask.sum(dim=-1, dtype=torch.int32) + indices = torch.nonzero(attention_mask.flatten(), as_tuple=False).flatten() + max_seqlen_in_batch = seqlens_in_batch.max().item() + cu_seqlens = F.pad(torch.cumsum(seqlens_in_batch, dim=0, dtype=torch.int32), (1, 0)) + return ( + indices, + cu_seqlens, + max_seqlen_in_batch, + ) diff --git a/verl/utils/tracking.py b/verl/utils/tracking.py new file mode 100644 index 00000000..b1fbd6f3 --- /dev/null +++ b/verl/utils/tracking.py @@ -0,0 +1,103 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +A unified tracking interface that supports logging data to different backend +""" +import dataclasses +from enum import Enum +from functools import partial +from pathlib import Path +from typing import List, Union, Dict, Any + + +class Tracking(object): + supported_backend = ['wandb', 'mlflow', 'console'] + + def __init__(self, project_name, experiment_name, default_backend: Union[str, List[str]] = 'console', config=None): + if isinstance(default_backend, str): + default_backend = [default_backend] + for backend in default_backend: + if backend == 'tracking': + import warnings + warnings.warn("`tracking` logger is deprecated. use `wandb` instead.", DeprecationWarning) + else: + assert backend in self.supported_backend, f'{backend} is not supported' + + self.logger = {} + + if 'tracking' in default_backend or 'wandb' in default_backend: + import wandb + import os + WANDB_API_KEY = os.environ.get("WANDB_API_KEY", None) + if WANDB_API_KEY: + wandb.login(key=WANDB_API_KEY) + wandb.init(project=project_name, name=experiment_name, config=config) + self.logger['wandb'] = wandb + + if 'mlflow' in default_backend: + import mlflow + mlflow.start_run(run_name=experiment_name) + mlflow.log_params(_compute_mlflow_params_from_objects(config)) + self.logger['mlflow'] = _MlflowLoggingAdapter() + + if 'console' in default_backend: + from verl.utils.logger.aggregate_logger import LocalLogger + self.console_logger = LocalLogger(print_to_console=True) + self.logger['console'] = self.console_logger + + def log(self, data, step, backend=None): + for default_backend, logger_instance in self.logger.items(): + if backend is None or default_backend in backend: + logger_instance.log(data=data, step=step) + + +class _MlflowLoggingAdapter: + + def log(self, data, step): + import mlflow + mlflow.log_metrics(metrics=data, step=step) + + +def _compute_mlflow_params_from_objects(params) -> Dict[str, Any]: + if params is None: + return {} + + return _flatten_dict(_transform_params_to_json_serializable(params, convert_list_to_dict=True), sep='/') + + +def _transform_params_to_json_serializable(x, convert_list_to_dict: bool): + _transform = partial(_transform_params_to_json_serializable, convert_list_to_dict=convert_list_to_dict) + + if dataclasses.is_dataclass(x): + return _transform(dataclasses.asdict(x)) + if isinstance(x, dict): + return {k: _transform(v) for k, v in x.items()} + if isinstance(x, list): + if convert_list_to_dict: + return {'list_len': len(x)} | {f'{i}': _transform(v) for i, v in enumerate(x)} + else: + return [_transform(v) for v in x] + if isinstance(x, Path): + return str(x) + if isinstance(x, Enum): + return x.value + + return x + + +def _flatten_dict(raw: Dict[str, Any], *, sep: str) -> Dict[str, Any]: + import pandas as pd + ans = pd.json_normalize(raw, sep=sep).to_dict(orient='records')[0] + assert isinstance(ans, dict) + return ans diff --git a/verl/utils/ulysses.py b/verl/utils/ulysses.py new file mode 100644 index 00000000..c085becc --- /dev/null +++ b/verl/utils/ulysses.py @@ -0,0 +1,288 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Utilities for DeepSpeed Ulysses Sequence Parallelism. +DeepSpeed Ulysses Paper: https://arxiv.org/abs/2309.14509 +Inspired from: https://github.com/microsoft/DeepSpeed/blob/master/deepspeed/sequence/layer.py +""" +from typing import Any, Optional, List, Tuple + +import torch +from torch import Tensor +import torch.distributed as dist +from torch.distributed import ProcessGroup + +_ULYSSES_SEQUENCE_PARALLEL_GROUP = None + + +def set_ulysses_sequence_parallel_group(group: dist.ProcessGroup): + """ + Set ulysses sequence parallel process group. + """ + global _ULYSSES_SEQUENCE_PARALLEL_GROUP + _ULYSSES_SEQUENCE_PARALLEL_GROUP = group + + +def get_ulysses_sequence_parallel_group() -> Optional[dist.ProcessGroup]: + """ + Get ulysses sequence parallel process group. + """ + global _ULYSSES_SEQUENCE_PARALLEL_GROUP + return _ULYSSES_SEQUENCE_PARALLEL_GROUP + + +def get_ulysses_sequence_parallel_world_size(group: ProcessGroup = None) -> int: + """ + Get ulysses sequence parallel world size. + """ + group = get_ulysses_sequence_parallel_group() if group is None else group + return dist.get_world_size(group) if group else 1 + + +def get_ulysses_sequence_parallel_rank(group: ProcessGroup = None) -> int: + """ + Get ulysses sequence parallel rank. + """ + group = get_ulysses_sequence_parallel_group() if group is None else group + return dist.get_rank(group) if group else 0 + + +def gather_seq_scatter_heads( + x: Tensor, + seq_dim: int, + head_dim: int, + unpadded_dim_size: int = 0, + group: ProcessGroup = None, +) -> Tensor: + """ + A func to sync embedding input with alltoall in sequence parallel + gather sequence dimension and scatter head dim: + e.g. seq_dim: 1, head_dim: 2 + [bsz, seq/n, h, ...] -> [bsz, seq, h/n, ...] + """ + group = get_ulysses_sequence_parallel_group() if group is None else group + if not group: + return x + sp_world = get_ulysses_sequence_parallel_world_size(group) + x = SeqAllToAll.apply(group, x, head_dim, seq_dim) + if unpadded_dim_size and unpadded_dim_size % sp_world != 0: + padding_size = x.size(seq_dim) - unpadded_dim_size + x = _unpad_tensor(x, seq_dim, padding_size) + return x + + +def gather_heads_scatter_seq(x: Tensor, head_dim: int, seq_dim: int, group: ProcessGroup = None) -> Tensor: + """ + A func to sync attention result with alltoall in sequence parallel + gather head dimension and scatter seq dim: + e.g. seq_dim: 1, head_dim: 2 + [bsz, seq, h/n, ...] -> [bsz, seq/n, h, ...] + """ + group = get_ulysses_sequence_parallel_group() if group is None else group + if not group: + return x + dim_size = x.size(seq_dim) + sp_world = get_ulysses_sequence_parallel_world_size(group) + if dim_size % sp_world != 0: + padding_size = sp_world - (dim_size % sp_world) + x = _pad_tensor(x, seq_dim, padding_size) + return SeqAllToAll.apply(group, x, seq_dim, head_dim, False) + + +def _pad_tensor(x: Tensor, dim: int, padding_size: int) -> Tensor: + shape = list(x.shape) + shape[dim] = padding_size + pad = torch.zeros(shape, dtype=x.dtype, device=x.device) + return torch.cat([x, pad], dim=dim) + + +def _unpad_tensor(x: Tensor, dim: int, padding_size: int) -> Tensor: + slc = [slice(None)] * len(x.shape) + slc[dim] = slice(0, -padding_size) + return x[slc] + + +def slice_input_tensor(x: Tensor, dim: int, padding: bool = True, group: ProcessGroup = None) -> Tensor: + group = get_ulysses_sequence_parallel_group() if group is None else group + sp_world_size = dist.get_world_size(group) + sp_rank = get_ulysses_sequence_parallel_rank() + dim_size = x.size(dim) + # pad before slice + if padding and dim_size % sp_world_size: + padding_size = sp_world_size - (dim_size % sp_world_size) + x = _pad_tensor(x, dim, padding_size) + # slice the input tensor + parts = x.size(dim) // sp_world_size + slc = [slice(None)] * len(x.shape) + slc[dim] = slice(sp_rank * parts, (sp_rank + 1) * parts) + return x[slc].contiguous() + + +def all_to_all_tensor( + local_input: Tensor, + scatter_dim: int, + gather_dim: int, + group: Optional[dist.ProcessGroup] = None, + async_op: bool = False, +): + group = get_ulysses_sequence_parallel_group() if group is None else group + seq_world_size = dist.get_world_size(group) + input_list = [t.contiguous() for t in torch.tensor_split(local_input, seq_world_size, scatter_dim)] + output_list = [torch.empty_like(input_list[0]) for _ in range(seq_world_size)] + comm = dist.all_to_all(output_list, input_list, group=group, async_op=async_op) + if async_op: + + def wait(): + comm.wait() + return torch.cat(output_list, dim=gather_dim).contiguous() + + return wait + return torch.cat(output_list, dim=gather_dim).contiguous() + + +def all_gather_tensor(local_tensor: Tensor, group: Optional[dist.ProcessGroup] = None, async_op: bool = False): + group = get_ulysses_sequence_parallel_group() if group is None else group + sp_world_size = dist.get_world_size(group=group) + output_shape = list(local_tensor.shape) + output_shape[0] = output_shape[0] * sp_world_size + output = torch.empty(output_shape, dtype=local_tensor.dtype, device=local_tensor.device) + dist.all_gather_into_tensor(output, local_tensor, group=group, async_op=async_op) + return output + + +class SeqAllToAll(torch.autograd.Function): + + @staticmethod + def forward( + ctx: Any, + group: dist.ProcessGroup, + local_input: Tensor, + scatter_dim: int, + gather_dim: int, + async_op: bool = False, + ) -> Tensor: + ctx.group = group + ctx.scatter_dim = scatter_dim + ctx.gather_dim = gather_dim + ctx.async_op = async_op + return all_to_all_tensor(local_input, scatter_dim, gather_dim, group, async_op) + + @staticmethod + def backward(ctx: Any, *grad_output: Tensor) -> Tuple[None, Tensor, None, None]: + if ctx.async_op: + input_t = torch.cat(grad_output[1:], dim=ctx.gather_dim).contiguous() + else: + input_t = grad_output[0] + return ( + None, + all_to_all_tensor(input_t, ctx.gather_dim, ctx.scatter_dim, ctx.group, False), + None, + None, + None, + None, + ) + + +class Gather(torch.autograd.Function): + + @staticmethod + def forward(ctx: Any, + group: dist.ProcessGroup, + local_tensor: Tensor, + gather_dim: int, + grad_scaler: bool = True, + async_op=False) -> Tensor: + ctx.group = group + ctx.gather_dim = gather_dim + ctx.grad_scaler = grad_scaler + ctx.async_op = async_op + + sp_world_size = dist.get_world_size(group=group) + ctx.sp_world_size = sp_world_size + + sp_rank = dist.get_rank(group=group) + ctx.sp_rank = sp_rank + + local_shape = list(local_tensor.size()) + split_size = local_shape[0] + part_size = local_shape[gather_dim] # store original size + ctx.part_size = part_size + + output = all_gather_tensor(local_tensor, group, async_op) + return torch.cat(output.split(split_size, dim=0), dim=gather_dim) + + @staticmethod + def backward(ctx: Any, grad_output: Tensor) -> Any: + if ctx.grad_scaler: + grad_output = grad_output * ctx.sp_world_size + return (None, grad_output.split(ctx.part_size, + dim=ctx.gather_dim)[ctx.sp_rank].contiguous(), None, None, None, None) + + +def gather_outpus_and_unpad(x: Tensor, + gather_dim: int, + unpad_dim: int = None, + padding_size: int = 0, + grad_scaler: bool = True, + group: Optional[dist.ProcessGroup] = None): + group = get_ulysses_sequence_parallel_group() if group is None else group + sp_size = get_ulysses_sequence_parallel_world_size() + if group == None: + return x + x = Gather.apply(group, x, gather_dim, grad_scaler) + if unpad_dim is not None: + assert isinstance(padding_size, int), 'padding size is not given or is not an integer' + if padding_size == 0: + return x + x = _unpad_tensor(x, unpad_dim, padding_size) + return x + + +def ulysses_pad_and_slice_inputs(input_ids_rmpad: torch.Tensor, + position_ids_rmpad: Optional[torch.Tensor] = None, + sp_size: int = 1): + """ + Pad and slice input_ids to be divisible by sp_size + Pad position_ids to be divisible by sp_size. + + Note both input_ids_rmpad and position_ids_rmpad will be padded, + but only input_ids will be sliced. + + The is the utility of pre-forward for ulysses sequence parallelism + + Args: + input_ids_rmpad: shape of [bsz, seqlen] + position_ids_rmpad: shape of [bsz, seqlen], where bsz must be 1 + sp_size (int): ulysses sequence parallelism size + + Returns: + torch.Tensor: padded and sliced input_ids + torch.Tensor: padded and sliced position_ids + int: pad size + """ + if position_ids_rmpad is not None: + assert position_ids_rmpad.size(0) == 1 + assert input_ids_rmpad.size(1) == position_ids_rmpad.size(1) + if sp_size <= 1: + return input_ids_rmpad, position_ids_rmpad, 0 + _, total_seq_len = input_ids_rmpad.shape + pad_size = (sp_size - total_seq_len % sp_size) % sp_size + if pad_size > 0: + input_ids_rmpad = torch.nn.functional.pad(input_ids_rmpad, (0, pad_size), value=0) + if position_ids_rmpad is not None: + pad_pos_ids = torch.arange(pad_size, device=position_ids_rmpad.device).unsqueeze(0) + position_ids_rmpad = torch.cat((position_ids_rmpad, pad_pos_ids), dim=-1) + # we don't need to slice position ids + input_ids_rmpad = slice_input_tensor(input_ids_rmpad, dim=1, padding=False) + return input_ids_rmpad, position_ids_rmpad, pad_size diff --git a/verl/version/version b/verl/version/version new file mode 100644 index 00000000..ceab6e11 --- /dev/null +++ b/verl/version/version @@ -0,0 +1 @@ +0.1 \ No newline at end of file diff --git a/verl/workers/__init__.py b/verl/workers/__init__.py new file mode 100644 index 00000000..1ce90c5e --- /dev/null +++ b/verl/workers/__init__.py @@ -0,0 +1,13 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/verl/workers/actor/__init__.py b/verl/workers/actor/__init__.py new file mode 100644 index 00000000..7a1404e1 --- /dev/null +++ b/verl/workers/actor/__init__.py @@ -0,0 +1,18 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from .base import BasePPOActor +from .dp_actor import DataParallelPPOActor + +__all__ = ["BasePPOActor", "DataParallelPPOActor"] diff --git a/verl/workers/actor/base.py b/verl/workers/actor/base.py new file mode 100644 index 00000000..144f0b90 --- /dev/null +++ b/verl/workers/actor/base.py @@ -0,0 +1,66 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +The base class for Actor +""" +from abc import ABC, abstractmethod +from typing import Iterable, Dict + +from verl import DataProto +import torch + +__all__ = ['BasePPOActor'] + + +class BasePPOActor(ABC): + + def __init__(self, config): + """The base class for PPO actor + + Args: + config (DictConfig): a config passed to the PPOActor. We expect the type to be + DictConfig (https://omegaconf.readthedocs.io/), but it can be any namedtuple in general. + """ + super().__init__() + self.config = config + + @abstractmethod + def compute_log_prob(self, data: DataProto) -> torch.Tensor: + """Compute logits given a batch of data. + + Args: + data (DataProto): a batch of data represented by DataProto. It must contain key ```input_ids```, + ```attention_mask``` and ```position_ids```. + + Returns: + DataProto: a DataProto containing the key ```log_probs``` + + + """ + pass + + @abstractmethod + def update_policy(self, data: DataProto) -> Dict: + """Update the policy with an iterator of DataProto + + Args: + data (DataProto): an iterator over the DataProto that returns by + ```make_minibatch_iterator``` + + Returns: + Dict: a dictionary contains anything. Typically, it contains the statistics during updating the model + such as ```loss```, ```grad_norm```, etc,. + + """ + pass diff --git a/verl/workers/actor/dp_actor.py b/verl/workers/actor/dp_actor.py new file mode 100644 index 00000000..fb16f8e3 --- /dev/null +++ b/verl/workers/actor/dp_actor.py @@ -0,0 +1,376 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Single Process Actor +""" + +import itertools +from typing import Iterable, Tuple + +import torch +from torch import nn +from torch.distributed.fsdp import FullyShardedDataParallel as FSDP + +from verl import DataProto +from verl.trainer.ppo import core_algos +from verl.workers.actor import BasePPOActor +from verl.utils.py_functional import append_to_dict +from verl.utils.torch_functional import logprobs_from_logits, masked_mean +from verl.utils.ulysses import ulysses_pad_and_slice_inputs, gather_outpus_and_unpad +from verl.utils.seqlen_balancing import rearrange_micro_batches, get_reverse_idx +import verl.utils.torch_functional as verl_F + +from flash_attn.bert_padding import pad_input, unpad_input, rearrange, index_first_axis +import tensordict + +__all__ = ['DataParallelPPOActor'] + + +class DataParallelPPOActor(BasePPOActor): + + def __init__( + self, + config, + actor_module: nn.Module, + actor_optimizer: torch.optim.Optimizer = None, + ): + """When optimizer is None, it is Reference Policy""" + super().__init__(config) + self.actor_module = actor_module + self.actor_optimizer = actor_optimizer + self.use_remove_padding = self.config.get('use_remove_padding', False) + print(f'Actor use_remove_padding={self.use_remove_padding}') + self.ulysses_sequence_parallel_size = self.config.ulysses_sequence_parallel_size + self.use_ulysses_sp = self.ulysses_sequence_parallel_size > 1 + + self.compute_entropy_from_logits = torch.compile(verl_F.entropy_from_logits, dynamic=True) + + def _forward_micro_batch(self, micro_batch, temperature) -> Tuple[torch.Tensor, torch.Tensor]: + """ + Returns: + entropy: # (bs, response_len) + log_probs: # (bs, response_len) + """ + response_length = micro_batch['responses'].size(-1) + with torch.autocast(device_type='cuda', dtype=torch.bfloat16): + input_ids = micro_batch['input_ids'] + batch_size, seqlen = input_ids.shape + attention_mask = micro_batch['attention_mask'] + position_ids = micro_batch['position_ids'] + + if self.use_remove_padding: + input_ids_rmpad, indices, *_ = unpad_input(input_ids.unsqueeze(-1), + attention_mask) # input_ids_rmpad (total_nnz, ...) + input_ids_rmpad = input_ids_rmpad.transpose(0, 1) # (1, total_nnz) + + # unpad the position_ids to align the rotary + position_ids_rmpad = index_first_axis(rearrange(position_ids.unsqueeze(-1), "b s ... -> (b s) ..."), + indices).transpose(0, 1) + + # for compute the log_prob + input_ids_rmpad_rolled = torch.roll(input_ids_rmpad, shifts=-1, dims=1) # (1, total_nnz) + + # pad and slice the inputs if sp > 1 + if self.use_ulysses_sp: + input_ids_rmpad, position_ids_rmpad, pad_size = ulysses_pad_and_slice_inputs(input_ids_rmpad, \ + position_ids_rmpad, \ + sp_size=self.ulysses_sequence_parallel_size) + input_ids_rmpad_rolled, _, _ = ulysses_pad_and_slice_inputs(input_ids_rmpad_rolled, None, + self.ulysses_sequence_parallel_size) + + input_ids_rmpad_rolled = input_ids_rmpad_rolled.squeeze(0) # ((total_nnz / sp) + pad) + + # only pass input_ids and position_ids to enable flash_attn_varlen + output = self.actor_module(input_ids=input_ids_rmpad, + attention_mask=None, + position_ids=position_ids_rmpad, + use_cache=False) # prevent model thinks we are generating + logits_rmpad = output.logits.squeeze(0) # (total_nnz, vocab_size) + + logits_rmpad.div_(temperature) + + # compute entropy + entropy_rmpad = self.compute_entropy_from_logits(logits_rmpad) # ((total_nnz / sp) + pad) + + # if use_sp: ((total_nnz / sp) + pad) ; if not use_sp: (batch, seqlen) + log_probs = logprobs_from_logits(logits=logits_rmpad, labels=input_ids_rmpad_rolled) + + # gather log_prob if sp > 1 + if self.use_ulysses_sp: + # gather and unpad for the ulysses sp + log_probs = gather_outpus_and_unpad(log_probs, gather_dim=0, unpad_dim=0, padding_size=pad_size) + entropy_rmpad = gather_outpus_and_unpad(entropy_rmpad, + gather_dim=0, + unpad_dim=0, + padding_size=pad_size) + # pad back to (bsz, seqlen) + full_entropy = pad_input(hidden_states=entropy_rmpad.unsqueeze(-1), + indices=indices, + batch=batch_size, + seqlen=seqlen) + full_log_probs = pad_input(hidden_states=log_probs.unsqueeze(-1), + indices=indices, + batch=batch_size, + seqlen=seqlen) + + # only return response part: + entropy = full_entropy.squeeze(-1)[:, -response_length - 1:-1] # (bsz, response_length) + log_probs = full_log_probs.squeeze(-1)[:, -response_length - 1:-1] # (bsz, response_length) + + else: # not using rmpad and no ulysses sp + output = self.actor_module(input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + use_cache=False) # prevent model thinks we are generating + logits = output.logits + logits.div_(temperature) + logits = logits[:, -response_length - 1:-1] # (bsz, response_length) + log_probs = logprobs_from_logits(logits, micro_batch['responses']) + entropy = verl_F.entropy_from_logits(logits) # (bsz, response_length) + + return entropy, log_probs + + def _optimizer_step(self): + assert self.config.grad_clip is not None + + if isinstance(self.actor_module, FSDP): + grad_norm = self.actor_module.clip_grad_norm_(max_norm=self.config.grad_clip) + else: + grad_norm = torch.nn.utils.clip_grad_norm_(self.actor_module.parameters(), max_norm=self.config.grad_clip) + self.actor_optimizer.step() + return grad_norm + + def compute_log_prob(self, data: DataProto) -> torch.Tensor: + """Compute the log probability of the responses given input_ids, attention_mask and position_ids + + Args: + data (DataProto): a DataProto containing keys + + ``input_ids``: tensor of shape [batch_size, sequence_length]. torch.int64. Note that input_ids is the + concatenation of prompt and response. Note that ``sequence_length = prompt_length + response_length``. + + ``attention_mask``: tensor of shape [batch_size, sequence_length]. torch.int64. + + ``position_ids``: tensor of shape [batch_size, sequence_length]. torch.int64. + + ``responses``: tensor of shape [batch_size, response_length]. torch.int64. + + Returns: + torch.Tensor: the log_prob tensor + """ + # set to eval + self.actor_module.eval() + + micro_batch_size = data.meta_info['micro_batch_size'] + temperature = data.meta_info['temperature'] # temperature must be in the data.meta_info to avoid slient error + use_dynamic_bsz = data.meta_info['use_dynamic_bsz'] + + select_keys = ['responses', 'input_ids', 'attention_mask', 'position_ids'] + + # --- DEBUG: Log device before select --- + original_device = 'Unknown' + if 'input_ids' in data.batch: + original_device = data.batch['input_ids'].device + print(f"[DP_Actor.compute_log_prob] Original data device: {original_device}") + + batch = data.select(batch_keys=select_keys).batch + + # --- DEBUG: Log device after select --- + select_device = 'Unknown' + if 'input_ids' in batch: + select_device = batch['input_ids'].device + print(f"[DP_Actor.compute_log_prob] Device after select: {select_device}") + + # Move data to CPU for splitting + print(f"[DP_Actor.compute_log_prob] Moving batch to CPU before split") + batch_cpu_dict = {k: v.to('cpu') if isinstance(v, torch.Tensor) else v for k, v in batch.items()} + batch_cpu = tensordict.TensorDict(source=batch_cpu_dict, batch_size=batch.batch_size) + print(f"[DP_Actor.compute_log_prob] Created TensorDict on CPU with batch_size={batch_cpu.batch_size}") + + if use_dynamic_bsz: + # split using dynamic bsz + max_token_len = data.meta_info['max_token_len'] * self.ulysses_sequence_parallel_size + print(f"[DP_Actor.compute_log_prob] Using dynamic batch size with max_token_len={max_token_len}") + micro_batches, indices = rearrange_micro_batches(batch=batch_cpu, max_token_len=max_token_len) + else: + print(f"[DP_Actor.compute_log_prob] Using fixed batch size with micro_batch_size={micro_batch_size}") + micro_batches = batch_cpu.split(micro_batch_size) + + log_probs_lst = [] + for mb_idx, micro_batch in enumerate(micro_batches): + # --- DEBUG: Log micro_batch device before moving to CUDA --- + mb_device = 'Unknown' + if 'input_ids' in micro_batch: + mb_device = micro_batch['input_ids'].device + print(f"[DP_Actor.compute_log_prob] Micro-batch {mb_idx} device before potential CUDA move: {mb_device}") + + # Conditionally move to CUDA if available + target_device = torch.device(f'cuda:{torch.cuda.current_device()}') if torch.cuda.is_available() else torch.device('cpu') + needs_move = False + if 'input_ids' in micro_batch: + if micro_batch['input_ids'].device != target_device: + needs_move = True + + if needs_move and torch.cuda.is_available(): + print(f"[DP_Actor.compute_log_prob] Moving micro-batch {mb_idx} to {target_device}") + micro_batch = micro_batch.to(target_device) + # --- DEBUG: Log micro_batch device after moving to CUDA --- + after_device = 'Unknown' + if 'input_ids' in micro_batch: + after_device = micro_batch['input_ids'].device + print(f"[DP_Actor.compute_log_prob] Micro-batch {mb_idx} device after move: {after_device}") + + with torch.no_grad(): + _, log_probs = self._forward_micro_batch(micro_batch, temperature=temperature) + # --- DEBUG: Log log_probs device --- + print(f"[DP_Actor.compute_log_prob] Log probs device for micro-batch {mb_idx}: {log_probs.device}") + log_probs_lst.append(log_probs) + + print(f"[DP_Actor.compute_log_prob] Concatenating {len(log_probs_lst)} micro-batches") + log_probs = torch.concat(log_probs_lst, dim=0) + print(f"[DP_Actor.compute_log_prob] Concatenated log_probs device: {log_probs.device}") + + if use_dynamic_bsz: + indices = list(itertools.chain.from_iterable(indices)) + assert len(indices) == log_probs.size(0), f"{len(indices)} vs. {log_probs.size()}" + revert_indices = torch.tensor(get_reverse_idx(indices), dtype=torch.long, device=log_probs.device) + log_probs = log_probs[revert_indices] + + return log_probs + + def update_policy(self, data: DataProto): + # make sure we are in training mode + self.actor_module.train() + + assert self.config.ppo_mini_batch_size % self.config.ppo_micro_batch_size == 0 + self.gradient_accumulation = self.config.ppo_mini_batch_size // self.config.ppo_micro_batch_size + temperature = data.meta_info['temperature'] # temperature must be in the data.meta_info to avoid slient error + + select_keys = ['responses', 'input_ids', 'attention_mask', 'position_ids', 'old_log_probs', 'advantages'] + if self.config.state_masking: + select_keys.append('loss_mask') + if self.config.use_kl_loss: + select_keys.append('ref_log_prob') + batch = data.select(batch_keys=select_keys).batch + + # --- DEBUG and FIX: Log device information and move data to CPU before split --- + print(f"[DP_Actor.update_policy] Moving batch to CPU before split") + batch_device = 'Unknown' + if 'input_ids' in batch: + batch_device = batch['input_ids'].device + print(f"[DP_Actor.update_policy] Device BEFORE move to CPU: {batch_device}") + + # Fix: First create a dictionary with CPU tensors, then create a TensorDict + batch_cpu_dict = {k: v.to('cpu') if isinstance(v, torch.Tensor) else v for k, v in batch.items()} + batch_cpu = tensordict.TensorDict(source=batch_cpu_dict, batch_size=batch.batch_size) + print(f"[DP_Actor.update_policy] Created TensorDict on CPU with batch_size={batch_cpu.batch_size}") + + # Split to make minibatch iterator for updating the actor + # See PPO paper for details. https://arxiv.org/abs/1707.06347 + print(f"[DP_Actor.update_policy] Device for split: cpu") + dataloader = batch_cpu.split(self.config.ppo_mini_batch_size) + print(f"[DP_Actor.update_policy] Dataloader created after split") + + metrics = {} + for batch_idx, data in enumerate(dataloader): + # --- DEBUG: Log mini-batch device --- + mb_device = 'Unknown' + if 'input_ids' in data: + mb_device = data['input_ids'].device + print(f"[DP_Actor.update_policy] Mini-batch {batch_idx} device: {mb_device}") + + # split batch into micro_batches + mini_batch = data + if self.config.use_dynamic_bsz: + max_token_len = self.config.ppo_max_token_len_per_gpu * self.ulysses_sequence_parallel_size + micro_batches, _ = rearrange_micro_batches(batch=mini_batch, max_token_len=max_token_len) + else: + # split batch into micro_batches + micro_batches = mini_batch.split(self.config.ppo_micro_batch_size) + + self.actor_optimizer.zero_grad() + + for micro_batch_idx, data in enumerate(micro_batches): + # --- DEBUG: Log micro-batch device before moving to CUDA --- + before_cuda_device = 'Unknown' + if 'input_ids' in data: + before_cuda_device = data['input_ids'].device + print(f"[DP_Actor.update_policy] Micro-batch {batch_idx}-{micro_batch_idx} device BEFORE .cuda(): {before_cuda_device}") + + # Conditionally move data to CUDA + if torch.cuda.is_available(): + data = data.cuda() # actor device is cpu when using offload + + # --- DEBUG: Log micro-batch device after moving to CUDA --- + after_cuda_device = 'Unknown' + if 'input_ids' in data: + after_cuda_device = data['input_ids'].device + print(f"[DP_Actor.update_policy] Micro-batch {batch_idx}-{micro_batch_idx} device AFTER .cuda(): {after_cuda_device}") + else: + print(f"[DP_Actor.update_policy] CUDA not available, staying on CPU") + + responses = data['responses'] + response_length = responses.size(1) + attention_mask = data['attention_mask'] + response_mask = attention_mask[:, -response_length:] + if self.config.state_masking: + response_mask = data['loss_mask'] + old_log_prob = data['old_log_probs'] + advantages = data['advantages'] + + clip_ratio = self.config.clip_ratio + entropy_coeff = self.config.entropy_coeff + + # all return: (bsz, response_length) + entropy, log_prob = self._forward_micro_batch(micro_batch=data, temperature=temperature) + + pg_loss, pg_clipfrac, ppo_kl = core_algos.compute_policy_loss(old_log_prob=old_log_prob, + log_prob=log_prob, + advantages=advantages, + eos_mask=response_mask, + cliprange=clip_ratio) + # compute entropy loss from entropy + entropy_loss = verl_F.masked_mean(entropy, response_mask) + + # compute policy loss + policy_loss = pg_loss - entropy_loss * entropy_coeff + + if self.config.use_kl_loss: + ref_log_prob = data['ref_log_prob'] + # compute kl loss + kld = core_algos.kl_penalty(logprob=log_prob, + ref_logprob=ref_log_prob, + kl_penalty=self.config.kl_loss_type) + kl_loss = masked_mean(kld, response_mask) + + policy_loss = policy_loss + kl_loss * self.config.kl_loss_coef + metrics['actor/kl_loss'] = kl_loss.detach().item() + metrics['actor/kl_coef'] = self.config.kl_loss_coef + + loss = policy_loss / self.gradient_accumulation + loss.backward() + + data = { + 'actor/entropy_loss': entropy_loss.detach().item(), + 'actor/pg_loss': pg_loss.detach().item(), + 'actor/pg_clipfrac': pg_clipfrac.detach().item(), + 'actor/ppo_kl': ppo_kl.detach().item(), + } + append_to_dict(metrics, data) + + grad_norm = self._optimizer_step() + data = {'actor/grad_norm': grad_norm.detach().item()} + append_to_dict(metrics, data) + self.actor_optimizer.zero_grad() + return metrics diff --git a/verl/workers/actor/megatron_actor.py b/verl/workers/actor/megatron_actor.py new file mode 100644 index 00000000..e674a28f --- /dev/null +++ b/verl/workers/actor/megatron_actor.py @@ -0,0 +1,368 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Megatron Actor. +In megatron actor, the differences are: +1. We only make minibatch + +Note that our model doesn't have to be `MegatronModule` because we don't share embedding in the last layer +""" + +from functools import partial +from typing import Iterable, Dict + +import torch +from torch import nn +import torch.distributed +# from megatron import get_args +from megatron.optimizer import DistributedOptimizer +from verl.utils.megatron.optimizer_config import OptimizerConfig +from megatron.core import parallel_state as mpu +from megatron.core import ModelParallelConfig +from megatron.core.pipeline_parallel import get_forward_backward_func +# from megatron.core.optimizer import DistributedOptimizer + +from omegaconf import OmegaConf +from verl.utils.megatron.tensor_parallel import vocab_parallel_compute_entropy_loss, vocab_parallel_log_probs_from_logits +from verl.utils.megatron.pipeline_parallel import (compute_transformers_input_shapes, make_batch_generator) +from verl import DataProto +from verl.trainer.ppo import core_algos +from verl.workers.actor import BasePPOActor +from verl.utils.py_functional import append_to_dict +from verl.utils.torch_functional import logprobs_from_logits, broadcast_dict_tensor, split_dict_tensor_into_batches + +__all__ = ['MegatronPPOActor'] + + +class MegatronPPOActor(BasePPOActor): + + def __init__(self, config, model_config, megatron_config: ModelParallelConfig, actor_module: nn.ModuleList, + actor_optimizer: DistributedOptimizer, actor_optimizer_config: OptimizerConfig): + """MeagtronPPOActor class. This class implements the simple PPO logics when the model is built with Megatron. + + Args: + config (OmegaConf): the basic config that contains the hyper-parameters of PPO Actor. It must contain + + ``ppo_micro_batch_size``: minibatch size when updating ppo. + + ``ppo_mini_batch_size``: minibatch size when updating ppo using the batch data. + + ``ppo_epochs``: number of epochs to update the actor using the batch data. + + ``shuffle``: whether to shuffle the data after each ppo epoch. + + ``clip_ratio``: clip ratio of the ppo algorithm. See https://arxiv.org/abs/1707.06347. + + ``entropy_coeff``: entropy coefficient of the PPO loss. See https://arxiv.org/abs/1707.06347. + model_config (OmegaConf): model configuration. It must contains ``model_config.vocab_size`` and + ``model_config.hidden_size`` + megatron_config (OmegaConf): megatron configuration. It must contains + + ``sequence_parallel_enabled``: whether the sequence parallel is enabled. + + ``param_dtype``: the dtype of the parameters. + + ``virtual_pipeline_model_parallel_size``: virtual pipeline model parallel size. a.k.a number of chunks in each pp stage. + actor_module (nn.ModuleList): actor module is a ModuleList that contains a list of nn.Module in this pp stage. + each nn.Module in this rank holds a vpp module chunk. See https://arxiv.org/pdf/2104.04473.pdf for more details. + The actor module has some constraints to follow in order to use the updating logics implemented here + + 1. It must implement unpad_input before any computation and pad_input after all the computation. Remove padding is an + optimization that removes the padding tokens. See unpad_input and pad_input function in flash-attn + (https://github.com/Dao-AILab/flash-attention/blob/main/flash_attn/bert_padding.py). + + 2. Each pp stage must return the hidden state with the same shape [total_nnz, 1, hidden_size], + where total_nnz is the number of valid tokens in this batch. If sequence parallel is enabled, the size + of the hidden state is [total_nnz // tp, 1, hidden_size]. + actor_optimizer (DistributedOptimizer): currently, we only support DistributedOptimizer in Megatron. It implements + zero1 optimizer that shards the optimizer state across dp ranks. + + >>> def megatron_actor_model_provider(pre_process, post_process): + >>> vpp_rank = mpu.get_virtual_pipeline_model_parallel_rank() + >>> parallel_model = ParallelMistralForCausalLMRmPadPP(config=actor_model_config, + >>> megatron_config=megatron_config, + >>> pre_process=pre_process, + >>> post_process=post_process).cuda() + >>> return parallel_model + >>> from megatron.training import get_model + >>> from megatron.optimizer import get_megatron_optimizer + >>> actor_module = get_model(megatron_actor_model_provider, wrap_with_ddp=True) + >>> actor_module = nn.ModuleList(actor_module) + >>> actor_optimizer = get_megatron_optimizer(actor_module) + >>> actor = MegatronPPOActor(config=config, + >>> model_config=actor_model_config, + >>> megatron_config=megatron_config, + >>> actor_module=actor_module, + >>> actor_optimizer=actor_optimizer) + """ + super().__init__(config) + self.model_config = model_config + self.megatron_config = megatron_config + # self.megatron_args = get_args() + self.actor_module = actor_module + self.actor_optimizer: DistributedOptimizer = actor_optimizer + self.actor_optimizer_config = actor_optimizer_config + + self.optimizer_step_args = OmegaConf.create({ + 'skip_grad': None, + 'overlap_dp_param_comm': False, + 'overlap_dp_grad_comm': False, + 'gradient_accumulation_steps': 1, + 'sequence_parallel': self.megatron_config.sequence_parallel, + 'DDP_impl': 'local', + 'layernorm_allreduce_bucket_threshold': 0, + 'pipeline_model_parallel_split_rank': None, + 'reduce_grads_use_alltoall': False + }) + + def compute_log_prob(self, data: DataProto) -> torch.Tensor: + """Compute the log probability of the responses given input_ids, attention_mask and position_ids + + Args: + data (DataProto): a DataProto containing keys + + ``input_ids``: tensor of shape [batch_size, sequence_length]. torch.int64. Note that input_ids is the + concatenation of prompt and response. Note that ``sequence_length = prompt_length + response_length``. + + ``attention_mask``: tensor of shape [batch_size, sequence_length]. torch.int64. + + ``position_ids``: tensor of shape [batch_size, sequence_length]. torch.int64. + + ``responses``: tensor of shape [batch_size, response_length]. torch.int64. + + Returns: + DataProto: torch.Tensor: the log_prob tensor + """ + data.batch = data.batch.contiguous() + + def compute_logprobs_fn(output, data): + response = data['responses'] + response_length = response.size(1) + logits = output['logits'] + logits = logits[:, -response_length - 1:-1] + log_probs = vocab_parallel_log_probs_from_logits(logits, response) + return {'log_probs': log_probs} + + # We make recompute_old_log_prob by default here. + # TODO (zhangchi.usc1992): actually, this function should only return log_prob and this logic should be handled by user outside + recompute_old_log_prob = self.config.get('recompute_old_log_prob', True) + + if recompute_old_log_prob or 'old_log_probs' not in data.batch.keys(): + select_keys = ['responses', 'input_ids', 'attention_mask', 'position_ids'] + batch = data.select(batch_keys=select_keys).batch + input_ids = batch['input_ids'] + batch_size = input_ids.size(0) + response = batch['responses'] + response_length = response.size(1) + with torch.no_grad(): + output = self.forward_backward_batch(data, forward_only=True, post_process_fn=compute_logprobs_fn) + if mpu.is_pipeline_last_stage(ignore_virtual=True): + # only on last rank. It should be on every tp rank + log_probs = torch.cat([o['log_probs'] for o in output], dim=0) # (bs, seq_size) + log_probs = log_probs.to(torch.float32) + else: + log_probs = torch.empty(size=(batch_size, response_length), + dtype=torch.float32, + device=input_ids.device) + + # broadcast across pp ranks + torch.distributed.broadcast(tensor=log_probs, + src=mpu.get_pipeline_model_parallel_last_rank(), + group=mpu.get_pipeline_model_parallel_group(), + async_op=False) + + # add empty cache after each compute + torch.cuda.empty_cache() + + return log_probs + + def make_minibatch_iterator(self, data: DataProto) -> Iterable[DataProto]: + """Make minibatch iterator for updating the actor + + Args: + data (DataProto): a DataProto containing keys + + ``input_ids``: tensor of shape [batch_size, sequence_length]. torch.int64, where ``sequence_length = prompt_length + response_length`` + + ``attention_mask``: tensor of shape [batch_size, sequence_length]. torch.int64 + + ``position_ids``: tensor of shape [batch_size, sequence_length]. torch.int64 + + ``responses``: tensor of shape [batch_size, response_length]. torch.int64. Note that responses = input_ids[:, -response_length:] + + ``old_log_probs``: tensor of shape [batch_size, response_length]. torch.float32. The log probability of responses. + + ``advantages``: tensor of shape [batch_size, response_length]. torch.float32. The advantages of responses. + See PPO paper for details. https://arxiv.org/abs/1707.06347 + + Returns: + + """ + select_keys = ['responses', 'input_ids', 'attention_mask', 'position_ids', 'old_log_probs', 'advantages'] + data = data.select(batch_keys=select_keys) + return data.make_iterator(mini_batch_size=self.config.ppo_mini_batch_size, + epochs=self.config.ppo_epochs, + dataloader_kwargs={'shuffle': self.config.shuffle}) + + def forward_backward_batch(self, data: DataProto, forward_only=False, post_process_fn=None): + """ + We assume: + - The model takes input: (input_ids, attention_mask, position_ids). No rmpad for the input + - The communication shape is (total_nnz_pad_to_sp // tp_size, 1, hidden_size) if sequence parallel is enabled + """ + # broadcast from last pp rank to all other pp ranks + # TODO: actually, we just need to control the sampling order. + broadcast_dict_tensor(data.batch, + src=mpu.get_pipeline_model_parallel_last_rank(), + group=mpu.get_pipeline_model_parallel_group()) + # split into micro-batches + data.batch['attention_mask'] = data.batch['attention_mask'].to(bool) + + if data.meta_info.get('micro_batch_size', None) is not None: + batch_size = data.meta_info['micro_batch_size'] + else: + batch_size = self.config.ppo_micro_batch_size + batches = split_dict_tensor_into_batches(data.batch, batch_size=batch_size) + # compute input shapes for pp stages + input_shapes = compute_transformers_input_shapes( + batches, + meta_info={ + 'sequence_parallel': self.megatron_config.sequence_parallel, + 'hidden_size': self.model_config.hidden_size + }) + n_micro_batch = len(batches) + seq_len = batches[0]['input_ids'].shape[1] + + forward_backward_func = get_forward_backward_func() + + def loss_func(output, data, meta_info): + if forward_only: + if post_process_fn is None: + return 1.0, {'logits': output.logits} + else: + return 1.0, post_process_fn(output, data) + + responses = data['responses'] + response_length = responses.size(1) + attention_mask = data['attention_mask'] + response_mask = attention_mask[:, -response_length:] + old_log_prob = data['old_log_probs'] + advantages = data['advantages'] + + clip_ratio = meta_info['clip_ratio'] + entropy_coeff = meta_info['entropy_coeff'] + + # compute policy loss + logits = output.logits + logits = logits[:, -response_length - 1:-1] + log_prob = vocab_parallel_log_probs_from_logits(logits, responses) + pg_loss, pg_clipfrac, ppo_kl = core_algos.compute_policy_loss(old_log_prob=old_log_prob, + log_prob=log_prob, + advantages=advantages, + eos_mask=response_mask, + cliprange=clip_ratio) + entropy_loss = vocab_parallel_compute_entropy_loss(logits, eos_mask=response_mask) + policy_loss = pg_loss - entropy_loss * entropy_coeff + # return loss and stats + stats = { + 'actor/entropy_loss': entropy_loss.detach().item(), + 'actor/pg_loss': pg_loss.detach().item(), + 'actor/pg_clipfrac': pg_clipfrac.detach().item(), + 'actor/ppo_kl': ppo_kl.detach().item() + } + return policy_loss, stats + + def forward_step(batch_iter, model): + batch = next(batch_iter) + input_ids = batch['input_ids'] + attention_mask = batch['attention_mask'] + position_ids = batch['position_ids'] + output = model(input_ids=input_ids, attention_mask=attention_mask, position_ids=position_ids) + if forward_only: + meta_info = None + else: + meta_info = {'clip_ratio': self.config.clip_ratio, 'entropy_coeff': self.config.entropy_coeff} + return output, partial(loss_func, data=batch, meta_info=meta_info) + + # batch should be a list of batches inside micro-batches + batch_generator = make_batch_generator(batches, vpp_size=len(self.actor_module)) + + # TODO: we may use the new schedule instead + # for flash-attn: (seq_len, batch_size, hidden_size) = (mbs*seq_len, 1, hidden_size) + if mpu.get_pipeline_model_parallel_world_size() > 1: + losses_reduced = forward_backward_func( + forward_step_func=forward_step, + data_iterator=batch_generator, + model=self.actor_module, + num_microbatches=n_micro_batch, + input_shapes=input_shapes, # must set for flash-attn sequence packing + seq_length=batch_size * seq_len, # no use when input_shapes was set + hidden_size=self.model_config.hidden_size, # no use when input_shapes was set + micro_batch_size=1, # no use when input_shapes was set + forward_only=forward_only, + ) + else: + losses_reduced = forward_backward_func( + forward_step_func=forward_step, + data_iterator=batch_generator, + model=self.actor_module, + num_microbatches=n_micro_batch, + seq_length=batch_size * seq_len, # in use for pp = 1 + hidden_size=self.model_config.hidden_size, # in use for pp = 1 + micro_batch_size=1, # in use for pp = 1 + forward_only=forward_only, + ) + # loss_reduces contains the stats returned from loss_func + return losses_reduced + + def update_policy(self, dataloader: Iterable[DataProto]) -> Dict: + """Update the policy with an iterator of DataProto + + Args: + dataloader (Iterable[DataProto]): an iterator over the DataProto that returns by ``make_minibatch_iterator`` + The keys of each data batch is described in the make_minibatch_iterator. + + Returns: + Dict: a dictionary containing the statistics. Note that the statistics are only valid in the last pp stage + and users have to combine the output in each dp rank manually. + + """ + metrics = {} + for data in dataloader: + # data = data.batch.to(self.actor_module.device) + self.actor_optimizer.zero_grad() + # use use_contiguous_buffers_in_local_ddp and no overlap_dp_param_comm + for chunk in self.actor_module: + # if use distributed optimizer, zero grad buffer will be handled by optimizer + chunk.zero_grad_buffer(zero_buffer=(not self.actor_optimizer_config.use_distributed_optimizer)) + + metric_micro_batch = self.forward_backward_batch(data) + for metric in metric_micro_batch: + append_to_dict(metrics, metric) # append the metric from this micro-batch to global metrics. + + update_successful, grad_norm, num_zeros_in_grad = self.actor_optimizer.step( + self.megatron_config, self.megatron_config.timers) + if update_successful: + # allgather already execute in optimizer.step in new megatron + pass + else: + raise NotImplementedError + + for metric in metric_micro_batch: + append_to_dict(metrics, metric) # append the metric from this micro-batch to global metrics. + + # add empty cache after each compute + torch.cuda.empty_cache() + + return metrics diff --git a/verl/workers/critic/__init__.py b/verl/workers/critic/__init__.py new file mode 100644 index 00000000..80808f10 --- /dev/null +++ b/verl/workers/critic/__init__.py @@ -0,0 +1,18 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from .base import BasePPOCritic +from .dp_critic import DataParallelPPOCritic + +__all__ = ["BasePPOCritic", "DataParallelPPOCritic"] diff --git a/verl/workers/critic/base.py b/verl/workers/critic/base.py new file mode 100644 index 00000000..9d1055df --- /dev/null +++ b/verl/workers/critic/base.py @@ -0,0 +1,40 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Base class for a critic +""" +from abc import ABC, abstractmethod + +import torch + +from verl import DataProto + +__all__ = ['BasePPOCritic'] + + +class BasePPOCritic(ABC): + + def __init__(self, config): + super().__init__() + self.config = config + + @abstractmethod + def compute_values(self, data: DataProto) -> torch.Tensor: + """Compute values""" + pass + + @abstractmethod + def update_critic(self, data: DataProto): + """Update the critic""" + pass diff --git a/verl/workers/critic/dp_critic.py b/verl/workers/critic/dp_critic.py new file mode 100644 index 00000000..9b4e2db3 --- /dev/null +++ b/verl/workers/critic/dp_critic.py @@ -0,0 +1,341 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Implement a multiprocess PPOCritic +""" +import itertools +from typing import Iterable + +import torch +import torch.distributed +from torch import nn, optim + +from torch.distributed.fsdp import FullyShardedDataParallel as FSDP + +from verl import DataProto +from verl.trainer.ppo import core_algos +from verl.workers.critic import BasePPOCritic +from verl.utils.py_functional import append_to_dict +from verl.utils.torch_functional import masked_mean +from verl.utils.ulysses import ulysses_pad_and_slice_inputs, gather_outpus_and_unpad +from verl.utils.seqlen_balancing import rearrange_micro_batches, get_reverse_idx + +from flash_attn.bert_padding import pad_input, unpad_input, rearrange, index_first_axis + +__all__ = ['DataParallelPPOCritic'] + + +class DataParallelPPOCritic(BasePPOCritic): + + def __init__(self, config, critic_module: nn.Module, critic_optimizer: optim.Optimizer): + super().__init__(config=config) + self.critic_module = critic_module + self.critic_optimizer = critic_optimizer + self.use_remove_padding = self.config.model.get('use_remove_padding', False) + print(f'Critic use_remove_padding={self.use_remove_padding}') + + assert self.config.ppo_mini_batch_size % self.config.ppo_micro_batch_size == 0 + self.gradient_accumulation = self.config.ppo_mini_batch_size // self.config.ppo_micro_batch_size + + self.ulysses_sequence_parallel_size = self.config.get('ulysses_sequence_parallel_size', 1) + + def _forward_micro_batch(self, micro_batch): + response_length = micro_batch['responses'].size(-1) + with torch.autocast(device_type='cuda', dtype=torch.bfloat16): + input_ids = micro_batch['input_ids'] + batch, seqlen = input_ids.shape + attention_mask = micro_batch['attention_mask'] + position_ids = micro_batch['position_ids'] + + if self.use_remove_padding: + input_ids_rmpad, indices, *_ = unpad_input(input_ids.unsqueeze(-1), + attention_mask) # input_ids_rmpad (total_nnz, ...) + input_ids_rmpad = input_ids_rmpad.transpose(0, 1) # (1, total_nnz) + + # unpad the position_ids to align the rotary + position_ids_rmpad = index_first_axis(rearrange(position_ids.unsqueeze(-1), "b s ... -> (b s) ..."), + indices).transpose(0, 1) + + # pad and slice the inputs if sp > 1 + if self.ulysses_sequence_parallel_size > 1: + input_ids_rmpad, position_ids_rmpad, pad_size = ulysses_pad_and_slice_inputs(input_ids_rmpad, \ + position_ids_rmpad, \ + sp_size=self.ulysses_sequence_parallel_size) + + # only pass input_ids and position_ids to enable flash_attn_varlen + output = self.critic_module(input_ids=input_ids_rmpad, + attention_mask=None, + position_ids=position_ids_rmpad, + use_cache=False) # prevent model thinks we are generating + values_rmpad = output.logits + values_rmpad = values_rmpad.squeeze(0) # (total_nnz) + + # gather output if sp > 1 + if self.ulysses_sequence_parallel_size > 1: + values_rmpad = gather_outpus_and_unpad(values_rmpad, + gather_dim=0, + unpad_dim=0, + padding_size=pad_size) + + # pad it back + values = pad_input(values_rmpad, indices=indices, batch=batch, seqlen=seqlen).squeeze(-1) + values = values[:, -response_length - 1:-1] + else: + output = self.critic_module(input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids, + use_cache=False) # prevent model thinks we are generating + values = output.logits + values = values[:, -response_length - 1:-1].squeeze(-1) + return values + + def _optimizer_step(self): + assert self.config.grad_clip is not None + + if isinstance(self.critic_module, FSDP): + grad_norm = self.critic_module.clip_grad_norm_(self.config.grad_clip) + else: + grad_norm = torch.nn.utils.clip_grad_norm_(self.critic_module.parameters(), max_norm=self.config.grad_clip) + self.critic_optimizer.step() + return grad_norm + + def compute_values(self, data: DataProto) -> torch.Tensor: + self.critic_module.eval() + micro_batch_size = data.meta_info['micro_batch_size'] + select_keys = ['responses', 'input_ids', 'attention_mask', 'position_ids'] + + # --- DEBUG: Record original data device --- + original_device = 'Unknown' + if 'input_ids' in data.batch: + original_device = data.batch['input_ids'].device + print(f"[DP_Critic.compute_values] Start - Original data device: {original_device}") + + batch = data.select(batch_keys=select_keys).batch + + # --- DEBUG: Record device after select --- + select_device = 'Unknown' + if 'input_ids' in batch: + select_device = batch['input_ids'].device + print(f"[DP_Critic.compute_values] Device AFTER select: {select_device}") + + use_dynamic_bsz = data.meta_info['use_dynamic_bsz'] + + # --- FIX: Move data to CPU before split --- + print(f"[DP_Critic.compute_values] Moving batch to CPU before split") + + # Fix error: Use TensorDict constructor instead of plain dictionary + batch_cpu_dict = {k: v.to('cpu') if isinstance(v, torch.Tensor) else v for k, v in batch.items()} + batch_cpu = tensordict.TensorDict(source=batch_cpu_dict, batch_size=batch.batch_size) + print(f"[DP_Critic.compute_values] Created TensorDict on CPU with batch_size={batch_cpu.batch_size}") + + if use_dynamic_bsz: + # split using dynamic bsz + max_token_len = data.meta_info['max_token_len'] * self.ulysses_sequence_parallel_size + print(f"[DP_Critic.compute_values] Using dynamic batch size with max_token_len={max_token_len}") + micro_batches, indices = rearrange_micro_batches(batch=batch_cpu, max_token_len=max_token_len) + else: + print(f"[DP_Critic.compute_values] Using fixed batch size with micro_batch_size={micro_batch_size}") + micro_batches = batch_cpu.split(micro_batch_size) + + values_lst = [] + for mb_idx, micro_batch in enumerate(micro_batches): + # --- DEBUG: Record micro_batch device --- + mb_device = 'Unknown' + if 'input_ids' in micro_batch: + mb_device = micro_batch['input_ids'].device + print(f"[DP_Critic.compute_values] Micro-batch {mb_idx} device BEFORE potential .cuda(): {mb_device}") + + # Conditionally move to CUDA + target_device = torch.device(f'cuda:{torch.cuda.current_device()}') if torch.cuda.is_available() else torch.device('cpu') + needs_move = False + if 'input_ids' in micro_batch: + if micro_batch['input_ids'].device != target_device: + needs_move = True + + if needs_move and torch.cuda.is_available(): + print(f"[DP_Critic.compute_values] Moving micro-batch {mb_idx} to {target_device}") + micro_batch = micro_batch.to(target_device) + elif not torch.cuda.is_available(): + print(f"[DP_Critic.compute_values] WARNING: CUDA not available. Staying on CPU.") + else: + print(f"[DP_Critic.compute_values] Micro-batch {mb_idx} already on target device. Skipping move.") + + # --- DEBUG: Record device after move --- + after_mb_device = 'Unknown' + if 'input_ids' in micro_batch: + after_mb_device = micro_batch['input_ids'].device + print(f"[DP_Critic.compute_values] Micro-batch {mb_idx} device AFTER potential .cuda(): {after_mb_device}") + + with torch.no_grad(): + values = self._forward_micro_batch(micro_batch) + # --- DEBUG: Record values device --- + print(f"[DP_Critic.compute_values] Micro-batch {mb_idx} values device: {values.device}") + values_lst.append(values) + + print(f"[DP_Critic.compute_values] Concatenating {len(values_lst)} micro-batches") + values = torch.concat(values_lst, dim=0) + print(f"[DP_Critic.compute_values] Concatenated values device: {values.device}") + + responses = data.batch['responses'] + attention_mask = data.batch['attention_mask'] + response_length = responses.size(1) + + # Ensure values and attention_mask are on the same device + if values.device != attention_mask.device: + print(f"[DP_Critic.compute_values] Moving values from {values.device} to {attention_mask.device}") + values = values.to(attention_mask.device) + + values = values * attention_mask[:, -response_length - 1:-1] + + if use_dynamic_bsz: + indices = list(itertools.chain.from_iterable(indices)) + assert len(indices) == values.size(0), f"{len(indices)} vs. {values.size()}" + revert_indices = torch.tensor(get_reverse_idx(indices), dtype=torch.long, device=values.device) + values = values[revert_indices] + + print(f"[DP_Critic.compute_values] Final values shape: {values.shape}, device: {values.device}") + return values + + def update_critic(self, data: DataProto): + # make sure we are in training mode + self.critic_module.train() + metrics = {} + + # --- DEBUG: Log initial input data device --- + initial_device = 'Unknown' + if 'input_ids' in data.batch: + initial_device = data.batch['input_ids'].device + print(f"[DP_Critic.update_critic] Start - Input data device: {initial_device}") + # --- END DEBUG --- + + select_keys = ['input_ids', 'responses', 'attention_mask', 'position_ids', 'values', 'returns'] + # --- DEBUG: Log device before select --- + print(f"[DP_Critic.update_critic] Device BEFORE select: {initial_device}") + batch = data.select(batch_keys=select_keys).batch + # --- DEBUG: Log device after select --- + select_device = 'Unknown' + if 'input_ids' in batch: + select_device = batch['input_ids'].device + print(f"[DP_Critic.update_critic] Device AFTER select: {select_device}") + # --- END DEBUG --- + + # --- Key fix: Move data to CPU before split --- + print(f"[DP_Critic.update_critic] Moving batch to CPU before split") + # Fix error: Use TensorDict constructor instead of plain dictionary + batch_cpu_dict = {k: v.to('cpu') if isinstance(v, torch.Tensor) else v for k, v in batch.items()} + batch_cpu = tensordict.TensorDict(source=batch_cpu_dict, batch_size=batch.batch_size) + print(f"[DP_Critic.update_critic] Created TensorDict on CPU with batch_size={batch_cpu.batch_size}") + + # Split to make minibatch iterator for updating the actor + # See PPO paper for details. https://arxiv.org/abs/1707.06347 + # --- DEBUG: Log device before split --- + split_device = 'cpu' # Should be CPU at this point + print(f"[DP_Critic.update_critic] Device BEFORE split: {split_device}") + dataloader = batch_cpu.split(self.config.ppo_mini_batch_size) + # --- DEBUG: Log device after split (dataloader is iterator) --- + print(f"[DP_Critic.update_critic] Dataloader created after split") + # --- END DEBUG --- + + for batch_idx, data in enumerate(dataloader): + # --- DEBUG: Log mini_batch device before micro-batch split --- + mb_device = 'Unknown' + if 'input_ids' in data: + mb_device = data['input_ids'].device + print(f"[DP_Critic.update_critic] Mini-batch {batch_idx} device: {mb_device}") + # --- END DEBUG --- + + # split batch into micro_batches + mini_batch = data + if self.config.use_dynamic_bsz: + max_token_len = self.config.ppo_max_token_len_per_gpu * self.ulysses_sequence_parallel_size + micro_batches, _ = rearrange_micro_batches(batch=mini_batch, max_token_len=max_token_len) + else: + micro_batches = mini_batch.split(self.config.ppo_micro_batch_size) + + self.critic_optimizer.zero_grad() + + for micro_batch_idx, data in enumerate(micro_batches): + # --- DEBUG: Log device before potential .cuda() --- + before_cuda_device = 'Unknown' + target_device = torch.device(f'cuda:{torch.cuda.current_device()}') if torch.cuda.is_available() else torch.device('cpu') + needs_move = False + if 'input_ids' in data: + before_cuda_device = data['input_ids'].device + if before_cuda_device != target_device: + needs_move = True + print(f"[DP_Critic.update_critic] Micro-batch {batch_idx}-{micro_batch_idx} device BEFORE move check: {before_cuda_device}") + # --- END DEBUG --- + + # Conditional .cuda() call + if needs_move and torch.cuda.is_available(): + print(f"[DP_Critic.update_critic] Moving micro-batch {batch_idx}-{micro_batch_idx} from {before_cuda_device} to {target_device}") + data = data.to(target_device) + elif not torch.cuda.is_available(): + print(f"[DP_Critic.update_critic] WARNING: CUDA not available, cannot move micro-batch {batch_idx}-{micro_batch_idx}") + else: + print(f"[DP_Critic.update_critic] Micro-batch {batch_idx}-{micro_batch_idx} already on target device {target_device}. Skipping move.") + + # --- DEBUG: Log device after potential .cuda() --- + after_cuda_device = 'Unknown' + if 'input_ids' in data: + after_cuda_device = data['input_ids'].device + print(f"[DP_Critic.update_critic] Micro-batch {batch_idx}-{micro_batch_idx} device AFTER move check: {after_cuda_device}") + # --- END DEBUG --- + + input_ids = data['input_ids'] + responses = data['responses'] + attention_mask = data['attention_mask'] + position_ids = data['position_ids'] + values = data['values'] + returns = data['returns'] + response_length = responses.size(1) + + eos_mask = attention_mask[:, -response_length - 1:-1] + + # --- DEBUG: Log device before forward pass --- + forward_input_device = 'Unknown' + if 'input_ids' in data: + forward_input_device = data['input_ids'].device + print(f"[DP_Critic.update_critic] Micro-batch {batch_idx}-{micro_batch_idx} device BEFORE forward pass: {forward_input_device}") + # --- END DEBUG --- + + vpreds = self._forward_micro_batch(data) + + # --- DEBUG: Log vpreds device --- + print(f"[DP_Critic.update_critic] Micro-batch {batch_idx}-{micro_batch_idx} vpreds device: {vpreds.device}") + # --- END DEBUG --- + + # assert not torch.any(torch.isnan(vpreds)).item() + + vf_loss, vf_clipfrac = core_algos.compute_value_loss(vpreds=vpreds, + values=values, + returns=returns, + eos_mask=eos_mask, + cliprange_value=self.config.cliprange_value) + loss = vf_loss / self.gradient_accumulation + loss.backward() + + data = { + 'critic/vf_loss': vf_loss.detach().item(), + 'critic/vf_clipfrac': vf_clipfrac.detach().item(), + 'critic/vpred_mean': masked_mean(vpreds, eos_mask).detach().item(), + } + + append_to_dict(metrics, data) + + grad_norm = self._optimizer_step() + data = {'critic/grad_norm': grad_norm.detach().item()} + append_to_dict(metrics, data) + self.critic_optimizer.zero_grad() + return metrics diff --git a/verl/workers/critic/megatron_critic.py b/verl/workers/critic/megatron_critic.py new file mode 100644 index 00000000..a39ad4b4 --- /dev/null +++ b/verl/workers/critic/megatron_critic.py @@ -0,0 +1,229 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Implement a multiprocess PPOCritic +""" + +from functools import partial +from typing import Iterable + +import torch +import torch.distributed +from omegaconf import OmegaConf +from torch import nn + +from verl import DataProto +from verl.trainer.ppo import core_algos +from verl.workers.critic import BasePPOCritic +from verl.utils.megatron.pipeline_parallel import (compute_transformers_input_shapes, make_batch_generator) +from verl.utils.py_functional import append_to_dict +from verl.utils.torch_dtypes import PrecisionType +from verl.utils.torch_functional import masked_mean, broadcast_dict_tensor, split_dict_tensor_into_batches +from verl.utils.megatron import sequence_parallel as sp_utils +from verl.utils.megatron.optimizer_config import OptimizerConfig + +from megatron.optimizer import DistributedOptimizer +from megatron.core import parallel_state as mpu +from megatron.core.pipeline_parallel import get_forward_backward_func + + +class MegatronPPOCritic(BasePPOCritic): + + def __init__(self, config, model_config, megatron_config, critic_module: nn.ModuleList, + critic_optimizer: DistributedOptimizer, critic_optimizer_config: OptimizerConfig): + super().__init__(config=config) + + self.model_config = model_config + self.megatron_config = megatron_config + + self.critic_module = critic_module + self.critic_optimizer = critic_optimizer + self.critic_optimizer_config = critic_optimizer_config + + # we create a separate nametuple for optimizer step so that global args won't affect it. + self.optimizer_step_args = OmegaConf.create({ + 'skip_grad': None, + 'overlap_dp_param_comm': False, + 'overlap_dp_grad_comm': False, + 'gradient_accumulation_steps': 1, + 'sequence_parallel': self.megatron_config.sequence_parallel, + 'DDP_impl': 'local', + 'layernorm_allreduce_bucket_threshold': 0, + 'pipeline_model_parallel_split_rank': None, + 'reduce_grads_use_alltoall': False + }) + + if self.config.kl_ctrl.type == 'fixed': + self.kl_ctrl = core_algos.FixedKLController(kl_coef=self.config.kl_ctrl.kl_coef) + elif self.config.kl_ctrl.type == 'adaptive': + assert self.config.kl_ctrl.horizon > 0, f'horizon must be larger than 0. Got {self.config.kl_ctrl.horizon}' + self.kl_ctrl = core_algos.AdaptiveKLController(init_kl_coef=self.config.kl_ctrl.kl_coef, + target_kl=self.config.kl_ctrl.target_kl, + horizon=self.config.kl_ctrl.horizon) + else: + raise NotImplementedError + + def compute_values(self, data: DataProto) -> DataProto: + # data.batch = data.batch.to(self.critic_module.module.device) + responses = data.batch['responses'] + attention_mask = data.batch['attention_mask'] + response_length = responses.size(1) + with torch.no_grad(): + output = self.forward_backward_batch(data=data, forward_only=True) + if mpu.is_pipeline_last_stage(ignore_virtual=True): + # only on last rank. It should be on every tp rank + values = torch.cat([o['vpreds'] for o in output], dim=0) # (bs, seq_size, vocal_size) + values = values.to(torch.float32) + else: + values = torch.empty_like(attention_mask, dtype=torch.float32) + + # each tp ranks should contain the same value + values = values * attention_mask + values = values[:, -response_length - 1:-1] + values = values.contiguous() + + # sync among pp ranks + torch.distributed.broadcast(tensor=values, + src=mpu.get_pipeline_model_parallel_last_rank(), + group=mpu.get_pipeline_model_parallel_group()) + + # add empty cache after each compute + torch.cuda.empty_cache() + + return values + + def make_minibatch_iterator(self, data: DataProto) -> Iterable[DataProto]: + select_keys = ['input_ids', 'responses', 'attention_mask', 'position_ids', 'values', 'returns'] + data = data.select(batch_keys=select_keys) + return data.make_iterator(mini_batch_size=self.config.ppo_mini_batch_size, + epochs=self.config.ppo_epochs, + dataloader_kwargs={'shuffle': self.config.shuffle}) + + def forward_backward_batch(self, data: DataProto, forward_only=False): + # broadcast from last pp rank to all other pp ranks + data.batch = data.batch.contiguous() + broadcast_dict_tensor(data.batch, + src=mpu.get_pipeline_model_parallel_last_rank(), + group=mpu.get_pipeline_model_parallel_group()) + # split into micro-batches + data.batch['attention_mask'] = data.batch['attention_mask'].to(bool) + batches = split_dict_tensor_into_batches(data.batch, batch_size=self.config.ppo_micro_batch_size) + n_micro_batch = len(batches) + seq_len = batches[0]['input_ids'].shape[1] + + # compute input shapes for pp stages + input_shapes = compute_transformers_input_shapes( + batches, + meta_info={ + 'sequence_parallel': self.megatron_config.sequence_parallel, + 'hidden_size': self.model_config.hidden_size + }) + + forward_backward_func = get_forward_backward_func() + + def loss_func(output, data, meta_info): + if forward_only: + return 1.0, {'vpreds': output.logits} + + responses = data['responses'] + attention_mask = data['attention_mask'] + values = data['values'] + returns = data['returns'] + response_length = responses.size(1) + + eos_mask = attention_mask[:, -response_length:] + + cliprange_value = self.config.cliprange_value + + vpreds = output.logits # (bs, sequence_length) + vpreds = vpreds[:, -response_length - 1:-1] + + vf_loss, vf_clipfrac = core_algos.compute_value_loss(vpreds=vpreds, + values=values, + returns=returns, + eos_mask=eos_mask, + cliprange_value=cliprange_value) + stats = { + 'critic/vf_loss': vf_loss.detach().item(), + 'critic/vf_clipfrac': vf_clipfrac.detach().item(), + 'critic/vpred_mean': masked_mean(vpreds, eos_mask).detach().item(), + } + + return vf_loss, stats + + def forward_step(batch_iter, model): + batch = next(batch_iter) + input_ids = batch['input_ids'] + attention_mask = batch['attention_mask'] + position_ids = batch['position_ids'] + output = model(input_ids=input_ids, attention_mask=attention_mask, position_ids=position_ids) + return output, partial(loss_func, data=batch, meta_info={}) + + # batch should be a list of batches inside micro-batches + batch_generator = make_batch_generator(batches, vpp_size=len(self.critic_module)) + + # TODO: we may use the new schedule instead + # for flash-attn: (seq_len, batch_size, hidden_size) = (mbs*seq_len, 1, hidden_size) + if mpu.get_pipeline_model_parallel_world_size() > 1: + losses_reduced = forward_backward_func( + forward_step_func=forward_step, + data_iterator=batch_generator, + model=self.critic_module, + num_microbatches=n_micro_batch, + input_shapes=input_shapes, # must set for flash-attn sequence packing + seq_length=self.config.ppo_micro_batch_size * seq_len, # no use when input_shapes was set + hidden_size=self.model_config.hidden_size, # no use when input_shapes was set + micro_batch_size=1, # no use when input_shapes was set + forward_only=forward_only, + ) + else: + losses_reduced = forward_backward_func( + forward_step_func=forward_step, + data_iterator=batch_generator, + model=self.critic_module, + num_microbatches=n_micro_batch, + seq_length=self.config.ppo_micro_batch_size * seq_len, # in use for pp = 1 + hidden_size=self.model_config.hidden_size, # in use for pp = 1 + micro_batch_size=1, # in use for pp = 1 + forward_only=forward_only, + ) + # loss_reduces contains the stats returned from loss_func + return losses_reduced + + def update_critic(self, dataloader: Iterable[DataProto]): + metrics = {} + + for data in dataloader: + # data = data.batch.to(self.critic_module.device) + self.critic_optimizer.zero_grad() + # use use_contiguous_buffers_in_local_ddp and no overlap_dp_param_comm + for chunk in self.critic_module: + chunk.zero_grad_buffer(zero_buffer=(not self.critic_optimizer_config.use_distributed_optimizer)) + + metric_micro_batch = self.forward_backward_batch(data) + + update_successful, grad_norm, num_zeros_in_grad = self.critic_optimizer.step( + self.megatron_config, self.megatron_config.timers) + if update_successful: + # allgather already execute in optimizer.step in new megatron + pass + else: + raise NotImplementedError + + for metric in metric_micro_batch: + append_to_dict(metrics, metric) # append the metric from this micro-batch to global metrics. + + # add empty cache after each compute + torch.cuda.empty_cache() + return metrics diff --git a/verl/workers/fsdp_workers.py b/verl/workers/fsdp_workers.py new file mode 100644 index 00000000..4a76ecbe --- /dev/null +++ b/verl/workers/fsdp_workers.py @@ -0,0 +1,1101 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +The main entry point to run the PPO algorithm +""" + +import logging +import os +import warnings + +import torch +import torch.distributed +import verl.utils.hdfs_io as hdfs_io +import verl.utils.torch_functional as verl_F +from omegaconf import DictConfig, open_dict +from verl import DataProto +from verl.single_controller.base import Worker +from verl.single_controller.base.decorator import register, Dispatch +from verl.utils import hf_tokenizer +from verl.utils.debug import log_gpu_memory_usage +from verl.utils.fs import copy_local_path_from_hdfs +from verl.utils.fsdp_utils import get_fsdp_wrap_policy, offload_fsdp_grad, init_fn, get_init_weight_context_manager +from verl.utils.fsdp_utils import offload_fsdp_optimizer, offload_fsdp_param_and_grad, load_fsdp_optimizer, \ + load_fsdp_param_and_grad +from verl.utils.import_utils import import_external_libs +from verl.utils.model import compute_position_id_with_mask +from verl.utils.flops_counter import FlopsCounter +from verl.workers.sharding_manager.fsdp_ulysses import FSDPUlyssesShardingManager + +from codetiming import Timer + +logger = logging.getLogger(__file__) +logger.setLevel(os.getenv('VERL_PPO_LOGGING_LEVEL', 'WARN')) + + +class ActorRolloutRefWorker(Worker): + """ + This worker can be instantiated as a standalone actor or a standalone rollout or a standalone reference policy + or a hybrid engine based on the config.rollout + """ + + def __init__(self, config: DictConfig, role: str): + super().__init__() + self.config = config + import torch.distributed + if not torch.distributed.is_initialized(): + torch.distributed.init_process_group(backend="nccl") + + # build device mesh for FSDP + world_size = torch.distributed.get_world_size() + from torch.distributed.device_mesh import init_device_mesh + # TODO(sgm): support FSDP hybrid shard for larger model + self.device_mesh = init_device_mesh('cuda', mesh_shape=(world_size,), mesh_dim_names=['fsdp']) + + # build device mesh for Ulysses Sequence Parallel + self.ulysses_device_mesh = None + self.ulysses_sequence_parallel_size = self.config.actor.get('ulysses_sequence_parallel_size', 1) + dp = world_size // self.ulysses_sequence_parallel_size + if self.ulysses_sequence_parallel_size > 1: + self.ulysses_device_mesh = init_device_mesh('cuda', + mesh_shape=(dp, self.ulysses_sequence_parallel_size), + mesh_dim_names=['dp', 'sp']) + + self.ulysses_sharding_manager = FSDPUlyssesShardingManager(self.ulysses_device_mesh) + + self.role = role + assert self.role in ['actor', 'rollout', 'ref', 'actor_rollout', 'actor_rollout_ref'] + + self._is_actor = self.role in ['actor', 'actor_rollout', 'actor_rollout_ref'] + self._is_rollout = self.role in ['rollout', 'actor_rollout', 'actor_rollout_ref'] + self._is_ref = self.role in ['ref', 'actor_rollout_ref'] + + self._is_offload_param = False + self._is_offload_grad = False + self._is_offload_optimizer = False + if self._is_actor: + self._is_offload_param = self.config.actor.fsdp_config.get('param_offload', False) + self._is_offload_grad = self.config.actor.fsdp_config.get('grad_offload', False) + self._is_offload_optimizer = self.config.actor.fsdp_config.get('optimizer_offload', False) + elif self._is_ref: + # TODO: it seems that manual offload is slowly than FSDP offload + self._is_offload_param = self.config.ref.fsdp_config.get('param_offload', False) + + # normalize config + if self._is_actor: + self.config.actor.ppo_mini_batch_size //= (self.device_mesh.shape[0] // self.ulysses_sequence_parallel_size) + self.config.actor.ppo_micro_batch_size //= (self.device_mesh.shape[0] // + self.ulysses_sequence_parallel_size) + self.config.actor.ppo_mini_batch_size *= self.config.rollout.n + self.config.actor.ppo_micro_batch_size *= self.config.rollout.n + if self._is_rollout: + self.config.rollout.log_prob_micro_batch_size //= (self.device_mesh.shape[0] // + self.ulysses_sequence_parallel_size) + self.config.rollout.log_prob_micro_batch_size *= self.config.rollout.n + if self._is_ref: + self.config.ref.log_prob_micro_batch_size //= (self.device_mesh.shape[0] // + self.ulysses_sequence_parallel_size) + self.config.ref.log_prob_micro_batch_size *= self.config.rollout.n + + def _build_model_optimizer(self, + model_path, + fsdp_config, + optim_config, + override_model_config, + use_remove_padding=False, + enable_gradient_checkpointing=False, + trust_remote_code=False): + from verl.utils.model import print_model_size, update_model_config + from verl.utils.torch_dtypes import PrecisionType + from transformers import AutoModelForCausalLM, AutoConfig + from torch.distributed.fsdp import FullyShardedDataParallel as FSDP, ShardingStrategy, MixedPrecision + from torch import optim + + log_gpu_memory_usage('Before init from HF AutoModel', logger=logger) + local_path = copy_local_path_from_hdfs(model_path) + + # note that we have to create model in fp32. Otherwise, the optimizer is in bf16, which is incorrect + # TODO(zhangchi.usc1992): 1. support create from random initialized model. 2. Support init with FSDP directly + self.tokenizer = hf_tokenizer(local_path, trust_remote_code=trust_remote_code) + + torch_dtype = fsdp_config.get('model_dtype', None) + if torch_dtype is None and hasattr(self.config, 'model') and hasattr(self.config.model, 'torch_dtype'): + torch_dtype = self.config.model.torch_dtype + print(f"[ActorRolloutRefWorker] Using torch_dtype from model config: {torch_dtype}") + if torch_dtype is None: + torch_dtype = torch.float32 if self._is_actor else torch.bfloat16 + else: + torch_dtype = PrecisionType.to_dtype(torch_dtype) + print(f"[ActorRolloutRefWorker] Final torch_dtype: {torch_dtype}") + + # override model kwargs + actor_model_config = AutoConfig.from_pretrained(local_path, trust_remote_code=trust_remote_code) + + if use_remove_padding: + from verl.models.registry import check_model_support_rmpad + check_model_support_rmpad(actor_model_config.model_type) + + if use_remove_padding and self.ulysses_sequence_parallel_size > 1: + from verl.models.transformers.monkey_patch import apply_monkey_patch + apply_monkey_patch(actor_model_config, verbose=True) + + override_config_kwargs = { + 'bos_token_id': self.tokenizer.bos_token_id, + 'eos_token_id': self.tokenizer.eos_token_id, + 'pad_token_id': self.tokenizer.pad_token_id, + } + override_config_kwargs.update(override_model_config) + update_model_config(actor_model_config, override_config_kwargs=override_config_kwargs) + if self.rank == 0: + print(f'Model config after override: {actor_model_config}') + + # NOTE(fix me): tie_word_embedding causes meta_tensor init to hang + init_context = get_init_weight_context_manager(use_meta_tensor=not actor_model_config.tie_word_embeddings) + + with init_context(), warnings.catch_warnings(): + warnings.simplefilter("ignore") + actor_module = AutoModelForCausalLM.from_pretrained(pretrained_model_name_or_path=local_path, + torch_dtype=torch_dtype, + config=actor_model_config, + attn_implementation='flash_attention_2', + trust_remote_code=trust_remote_code) + # some parameters may not in torch_dtype. TODO(zhangchi.usc1992) remove this after we switch to fsdp2 + actor_module.to(torch_dtype) + + if enable_gradient_checkpointing: + actor_module.gradient_checkpointing_enable(gradient_checkpointing_kwargs={'use_reentrant': False}) + torch.distributed.barrier() + + if self.rank == 0: + print_model_size(actor_module) + + log_gpu_memory_usage('After init from HF AutoModel', logger=logger) + + # We wrap FSDP for rollout as well + mixed_precision_config = fsdp_config.get('mixed_precision', None) + if mixed_precision_config is not None: + param_dtype = PrecisionType.to_dtype(mixed_precision_config.get('param_dtype', 'bf16')) + reduce_dtype = PrecisionType.to_dtype(mixed_precision_config.get('reduce_dtype', 'fp32')) + buffer_dtype = PrecisionType.to_dtype(mixed_precision_config.get('buffer_dtype', 'fp32')) + else: + param_dtype = torch.bfloat16 + reduce_dtype = torch.float32 + buffer_dtype = torch.float32 + + mixed_precision = MixedPrecision(param_dtype=param_dtype, reduce_dtype=reduce_dtype, buffer_dtype=buffer_dtype) + + if self._is_ref: + mixed_precision = None + + auto_wrap_policy = get_fsdp_wrap_policy(module=actor_module, config=fsdp_config.get('wrap_policy', None)) + + if self._is_rollout and self.config.rollout.name == 'hf': + # TODO(zhangchi.usc1992, shengguangming) fix me. Current, auto_wrap_policy causes HFRollout to hang in Gemma + auto_wrap_policy = None + + print(f'wrap_policy: {auto_wrap_policy}') + + # TODO(sgm): support hybrid + if auto_wrap_policy is None: + sharding_strategy = ShardingStrategy.SHARD_GRAD_OP + else: + sharding_strategy = ShardingStrategy.FULL_SHARD + + # TODO: add transformer policy + actor_module_fsdp = FSDP( + actor_module, + param_init_fn=init_fn, + use_orig_params=False, + auto_wrap_policy=auto_wrap_policy, + device_id=torch.cuda.current_device(), + sharding_strategy=sharding_strategy, # zero3 + mixed_precision=mixed_precision, + sync_module_states=True, + device_mesh=self.device_mesh, + forward_prefetch=False) + + log_gpu_memory_usage('After Actor FSDP init', logger=logger) + + # TODO: add more optimizer args into config + if self._is_actor: + from verl.utils.torch_functional import get_constant_schedule_with_warmup + actor_optimizer = optim.AdamW(actor_module_fsdp.parameters(), + lr=optim_config.lr, + betas=optim_config.get('betas', (0.9, 0.999)), + weight_decay=optim_config.get('weight_decay', 1e-2)) + + total_steps = optim_config.get('total_training_steps', 0) + num_warmup_steps_ratio = optim_config.get('lr_warmup_steps_ratio', 0.) + num_warmup_steps = int(num_warmup_steps_ratio * total_steps) + + print(f'Total steps: {total_steps}, num_warmup_steps: {num_warmup_steps}') + + actor_lr_scheduler = get_constant_schedule_with_warmup(optimizer=actor_optimizer, + num_warmup_steps=num_warmup_steps) + else: + actor_optimizer = None + actor_lr_scheduler = None + + log_gpu_memory_usage('After actor optimizer init', logger=logger) + + # After model creation but before FSDP wrapping, explicitly move model to GPU if CUDA is available + if torch.cuda.is_available(): + try: + # Check if torch_dtype is specified in the config + torch_dtype_str = fsdp_config.get("torch_dtype", "bfloat16") + if torch_dtype_str == "bfloat16": + torch_dtype = torch.bfloat16 + elif torch_dtype_str == "float16": + torch_dtype = torch.float16 + else: + torch_dtype = torch.float32 + + print(f"[ActorRolloutRefWorker._build_model_optimizer] Moving model to CUDA with dtype={torch_dtype}") + # Explicitly move model to CUDA to satisfy Flash Attention 2.0 requirements + actor_module_fsdp._fsdp_wrapped_module = actor_module_fsdp._fsdp_wrapped_module.to(device="cuda", dtype=torch_dtype) + except Exception as e: + print(f"[ActorRolloutRefWorker._build_model_optimizer] ERROR moving model to CUDA: {e}") + import traceback + traceback.print_exc() + else: + print(f"[ActorRolloutRefWorker._build_model_optimizer] WARNING: CUDA not available, Flash Attention 2.0 will not work") + + return actor_module_fsdp, actor_optimizer, actor_lr_scheduler, actor_model_config + + def _build_rollout(self): + from torch.distributed.device_mesh import init_device_mesh + # TODO(sgm): support FSDP hybrid shard for larger model + infer_tp = self.config.rollout.tensor_model_parallel_size + dp = self.world_size // infer_tp + assert self.world_size % infer_tp == 0, f'rollout world_size: {self.world_size} is not divisible by infer_tp: {infer_tp}' + rollout_device_mesh = init_device_mesh('cuda', mesh_shape=(dp, infer_tp), mesh_dim_names=['dp', 'infer_tp']) + + if self.config.rollout.name == 'hf': + from verl.workers.rollout import HFRollout + from verl.workers.sharding_manager import BaseShardingManager + rollout = HFRollout(module=self.actor_module_fsdp, config=self.config.rollout) + rollout_sharding_manager = BaseShardingManager() + # TODO: a sharding manager that do nothing? + elif self.config.rollout.name == 'vllm': + from verl.workers.rollout.vllm_rollout import vLLMRollout + from verl.workers.sharding_manager import FSDPVLLMShardingManager + log_gpu_memory_usage('Before building vllm rollout', logger=None) + rollout = vLLMRollout(actor_module=self.actor_module_fsdp, + config=self.config.rollout, + tokenizer=self.tokenizer, + model_hf_config=self.actor_model_config) + log_gpu_memory_usage('After building vllm rollout', logger=None) + if torch.distributed.get_world_size() == 1: + self.config.rollout.load_format = 'dummy_hf' + rollout_sharding_manager = FSDPVLLMShardingManager(module=self.actor_module_fsdp, + inference_engine=rollout.inference_engine, + model_config=self.actor_model_config, + full_params='hf' in self.config.rollout.load_format, + device_mesh=rollout_device_mesh) + log_gpu_memory_usage('After building sharding manager', logger=None) + + return rollout, rollout_sharding_manager + + @register(dispatch_mode=Dispatch.ONE_TO_ALL) + def init_model(self): + from verl.workers.actor import DataParallelPPOActor + # This is used to import external_lib into the huggingface systems + import_external_libs(self.config.model.get('external_lib', None)) + + from omegaconf import OmegaConf + override_model_config = OmegaConf.to_container(self.config.model.get('override_config', OmegaConf.create())) + + use_remove_padding = self.config.model.get('use_remove_padding', False) + + if self._is_actor or self._is_rollout: + # we need the model for actor and rollout + if self._is_actor: + optim_config = self.config.actor.optim + fsdp_config = self.config.actor.fsdp_config + else: + optim_config = None + fsdp_config = OmegaConf.create() + self.actor_module_fsdp, self.actor_optimizer, self.actor_lr_scheduler, self.actor_model_config = self._build_model_optimizer( + model_path=self.config.model.path, + fsdp_config=fsdp_config, + optim_config=optim_config, + override_model_config=override_model_config, + use_remove_padding=use_remove_padding, + enable_gradient_checkpointing=self.config.model.get('enable_gradient_checkpointing', False), + trust_remote_code=self.config.model.get('trust_remote_code', False)) + + # get the original unwrapped module + self.actor_module = self.actor_module_fsdp._fsdp_wrapped_module + + if self._is_offload_param: + # param is require during state_dict in sharding manager + offload_fsdp_grad(module=self.actor_module_fsdp) + log_gpu_memory_usage('After offload actor grad during init', logger=logger) + if self._is_offload_optimizer: + offload_fsdp_optimizer(optimizer=self.actor_optimizer) + log_gpu_memory_usage('After offload actor optimizer during init', logger=logger) + # load from checkpoint + if self._is_actor: + OmegaConf.set_struct(self.config.actor, True) + with open_dict(self.config.actor): + self.config.actor.use_remove_padding = use_remove_padding + self.actor = DataParallelPPOActor(config=self.config.actor, + actor_module=self.actor_module_fsdp, + actor_optimizer=self.actor_optimizer) + + if self._is_rollout: + self.rollout, self.rollout_sharding_manager = self._build_rollout() + + if self._is_ref: + self.ref_module_fsdp = self._build_model_optimizer(model_path=self.config.model.path, + fsdp_config=self.config.ref.fsdp_config, + optim_config=None, + override_model_config=override_model_config, + use_remove_padding=use_remove_padding, + trust_remote_code=self.config.model.get( + 'trust_remote_code', False))[0] + if self._is_offload_param: + offload_fsdp_param_and_grad(module=self.ref_module_fsdp, offload_grad=self._is_offload_grad) + + OmegaConf.set_struct(self.config.ref, True) + with open_dict(self.config.ref): + self.config.ref.use_remove_padding = use_remove_padding + self.ref_policy = DataParallelPPOActor(config=self.config.ref, actor_module=self.ref_module_fsdp) + + if self._is_actor: + self.flops_counter = FlopsCounter(self.actor_model_config) + + torch.cuda.empty_cache() + + @register(dispatch_mode=Dispatch.DP_COMPUTE_PROTO) + def update_actor(self, data: DataProto): + data = data.to('cuda') + + assert self._is_actor + if self._is_offload_param: + load_fsdp_param_and_grad(module=self.actor_module_fsdp, + device_id=torch.cuda.current_device(), + load_grad=self._is_offload_grad) + if self._is_offload_optimizer: + load_fsdp_optimizer(optimizer=self.actor_optimizer, device_id=torch.cuda.current_device()) + + data.batch = data.batch.cuda() + + log_gpu_memory_usage('Before update policy', logger=logger) + + with self.ulysses_sharding_manager: + data = self.ulysses_sharding_manager.preprocess_data(data=data) + # perform training + with Timer(name='update_policy', logger=None) as timer: + metrics = self.actor.update_policy(data=data) + delta_time = timer.last + global_num_tokens = data.meta_info['global_token_num'] + estimated_flops, promised_flops = self.flops_counter.estimate_flops(global_num_tokens, delta_time) + metrics['mfu/actor'] = estimated_flops * self.config.actor.ppo_epochs / promised_flops / self.world_size + + self.actor_lr_scheduler.step() + lr = self.actor_lr_scheduler.get_last_lr()[0] + metrics['actor/lr'] = lr + + log_gpu_memory_usage('After update policy', logger=logger) + + # TODO: here, we should return all metrics + output = DataProto(meta_info={'metrics': metrics}) + + output = self.ulysses_sharding_manager.postprocess_data(data=output) + output = output.to('cpu') + + if self._is_offload_param: + offload_fsdp_param_and_grad(module=self.actor_module_fsdp, offload_grad=self._is_offload_grad) + if self._is_offload_optimizer: + offload_fsdp_optimizer(optimizer=self.actor_optimizer) + torch.cuda.empty_cache() + return output + + @register(dispatch_mode=Dispatch.DP_COMPUTE_PROTO) + def compute_log_prob(self, data: DataProto) -> DataProto: + """mostly copying from generate_sequences""" + data = data.to('cuda') + + assert self._is_rollout + if self._is_offload_param: + load_fsdp_param_and_grad(module=self.actor_module_fsdp, + device_id=torch.cuda.current_device(), + load_grad=self._is_offload_grad) + + data.batch = data.batch.cuda() + meta_info = {'eos_token_id': self.tokenizer.eos_token_id, 'pad_token_id': self.tokenizer.pad_token_id} + data.meta_info.update(meta_info) + + with self.ulysses_sharding_manager: + data = self.ulysses_sharding_manager.preprocess_data(data) + old_log_probs = self.actor.compute_log_prob(data=data) + output = DataProto.from_dict(tensors={'old_log_probs': old_log_probs}) + output = self.ulysses_sharding_manager.postprocess_data(output) + + output = output.to('cpu') + + if self._is_offload_param: + # NOTE(sgm): the grad is already in CPU, only offload param here + offload_fsdp_param_and_grad(module=self.actor_module_fsdp, offload_grad=self._is_offload_grad) + # clear kv cache + torch.cuda.empty_cache() + log_gpu_memory_usage('After recompute log prob', logger=logger) + return output + + @register(dispatch_mode=Dispatch.DP_COMPUTE_PROTO) + def generate_sequences(self, prompts: DataProto): + prompts = prompts.to('cuda') + # set to False if it is validation + recompute_log_prob = prompts.meta_info.get('recompute_log_prob', True) + + assert self._is_rollout + if self._is_offload_param: + load_fsdp_param_and_grad(module=self.actor_module_fsdp, + device_id=torch.cuda.current_device(), + load_grad=self._is_offload_grad) + + prompts.batch = prompts.batch.cuda() + meta_info = {'eos_token_id': self.tokenizer.eos_token_id, 'pad_token_id': self.tokenizer.pad_token_id} + prompts.meta_info.update(meta_info) + with self.rollout_sharding_manager: + log_gpu_memory_usage('After entering rollout sharding manager', logger=logger) + + prompts = self.rollout_sharding_manager.preprocess_data(prompts) + output = self.rollout.generate_sequences(prompts=prompts) + + log_gpu_memory_usage('After rollout generation', logger=logger) + + output = self.rollout_sharding_manager.postprocess_data(output) + + if self._is_actor and recompute_log_prob: + # we should always recompute old_log_probs when it is HybridEngine + output.meta_info['micro_batch_size'] = self.config.rollout.log_prob_micro_batch_size + output.meta_info['max_token_len'] = self.config.rollout.log_prob_max_token_len_per_gpu + output.meta_info['use_dynamic_bsz'] = self.config.rollout.log_prob_use_dynamic_bsz + output.meta_info['temperature'] = self.config.rollout.temperature + # perform recompute log_prob + with self.ulysses_sharding_manager: + output = self.ulysses_sharding_manager.preprocess_data(output) + old_log_probs = self.actor.compute_log_prob(data=output) + output.batch['old_log_probs'] = old_log_probs + output = self.ulysses_sharding_manager.postprocess_data(output) + + output = output.to('cpu') + + if self._is_offload_param: + # NOTE(sgm): the grad is already in CPU, only offload param here + offload_fsdp_param_and_grad(module=self.actor_module_fsdp, offload_grad=self._is_offload_grad) + # clear kv cache + torch.cuda.empty_cache() + log_gpu_memory_usage('After recompute log prob', logger=logger) + return output + + @register(dispatch_mode=Dispatch.DP_COMPUTE_PROTO) + def compute_ref_log_prob(self, data: DataProto): + assert self._is_ref + + data = data.to('cuda') + + if self._is_offload_param: + load_fsdp_param_and_grad(module=self.ref_module_fsdp, + device_id=torch.cuda.current_device(), + load_grad=self._is_offload_grad) + + micro_batch_size = self.config.ref.log_prob_micro_batch_size + data.meta_info['micro_batch_size'] = micro_batch_size + data.meta_info['temperature'] = self.config.rollout.temperature + data.meta_info['max_token_len'] = self.config.ref.log_prob_max_token_len_per_gpu + data.meta_info['use_dynamic_bsz'] = self.config.ref.log_prob_use_dynamic_bsz + with self.ulysses_sharding_manager: + data = self.ulysses_sharding_manager.preprocess_data(data) + output = self.ref_policy.compute_log_prob(data=data) + output = DataProto.from_dict(tensors={'ref_log_prob': output}) + output = self.ulysses_sharding_manager.postprocess_data(output) + + output = output.to('cpu') + + if self._is_offload_param: + offload_fsdp_param_and_grad(module=self.ref_module_fsdp, offload_grad=self._is_offload_grad) + torch.cuda.empty_cache() + return output + + @register(dispatch_mode=Dispatch.ONE_TO_ALL) + def save_checkpoint(self, local_path, hdfs_path=None): + assert self._is_actor + import torch + if self._is_offload_param: + load_fsdp_param_and_grad(module=self.actor_module_fsdp, + device_id=torch.cuda.current_device(), + load_grad=self._is_offload_grad) + + # TODO: support DCP and save sharded checkpoints + import torch.distributed + from torch.distributed.fsdp import FullyShardedDataParallel as FSDP, StateDictType, FullStateDictConfig + cfg = FullStateDictConfig(offload_to_cpu=True, rank0_only=True) + with FSDP.state_dict_type(self.actor.actor_module, StateDictType.FULL_STATE_DICT, cfg): + state_dict = self.actor.actor_module.state_dict() + if self.rank == 0: + print(f'Saving actor checkpoint to {local_path}') + os.makedirs(local_path, exist_ok=True) + self.actor_module.save_pretrained(local_path, state_dict=state_dict) + self.tokenizer.save_pretrained(local_path) + if hdfs_path is not None: + print(f'Uploading actor checkpoint to {hdfs_path}') + hdfs_io.makedirs(hdfs_path, exist_ok=True) + hdfs_io.copy(src=local_path, dst=hdfs_path) + + torch.distributed.barrier() + if self._is_offload_param: + offload_fsdp_param_and_grad(module=self.actor_module_fsdp, offload_grad=self._is_offload_grad) + + +class CriticWorker(Worker): + + def __init__(self, config): + super().__init__() + import torch.distributed + if not torch.distributed.is_initialized(): + torch.distributed.init_process_group(backend="nccl") + self.config = config + + # build device mesh for Ulysses Sequence Parallel + world_size = torch.distributed.get_world_size() + from torch.distributed.device_mesh import init_device_mesh + self.ulysses_device_mesh = None + self.ulysses_sequence_parallel_size = self.config.get('ulysses_sequence_parallel_size', 1) + dp = world_size // self.ulysses_sequence_parallel_size + if self.ulysses_sequence_parallel_size > 1: + self.ulysses_device_mesh = init_device_mesh('cuda', + mesh_shape=(dp, self.ulysses_sequence_parallel_size), + mesh_dim_names=['dp', 'sp']) + + self.ulysses_sharding_manager = FSDPUlyssesShardingManager(self.ulysses_device_mesh) + + # set FSDP offload params + self._is_offload_param = self.config.model.fsdp_config.param_offload + self._is_offload_grad = self.config.model.fsdp_config.grad_offload + self._is_offload_optimizer = self.config.model.fsdp_config.optimizer_offload + + # normalize config + self.config.ppo_mini_batch_size //= (torch.distributed.get_world_size() // self.ulysses_sequence_parallel_size) + self.config.ppo_micro_batch_size //= (torch.distributed.get_world_size() // self.ulysses_sequence_parallel_size) + self.config.forward_micro_batch_size //= (torch.distributed.get_world_size() // + self.ulysses_sequence_parallel_size) + + def _build_critic_model_optimizer(self, config): + # the following line is necessary + from verl.utils.model import LambdaLayer, print_model_size, squeeze + from verl.utils.torch_dtypes import PrecisionType + from torch.distributed.fsdp import FullyShardedDataParallel as FSDP, ShardingStrategy, MixedPrecision + from torch import optim + + local_path = copy_local_path_from_hdfs(config.model.path) + # note that the tokenizer between actor and critic may be different. So override tokenizer info with actor info + # using random initialized model from any architecture. May not be the same as Actor. + + tokenizer_path = copy_local_path_from_hdfs(config.model.tokenizer_path) + self.tokenizer = hf_tokenizer(tokenizer_path, trust_remote_code=config.model.get('trust_remote_code', False)) + + from omegaconf import OmegaConf + override_config = OmegaConf.to_container(self.config.model.get('override_config', OmegaConf.create())) + override_config_kwargs = { + 'bos_token_id': self.tokenizer.bos_token_id, + 'eos_token_id': self.tokenizer.eos_token_id, + 'pad_token_id': self.tokenizer.pad_token_id, + } + override_config_kwargs.update(override_config) + if self.rank == 0: + print(f'Critic overriding config {override_config_kwargs}') + + # <<< 检查并使用 model.torch_dtype >>> + # 首先检查是否在 config.model 中直接指定了 torch_dtype + if hasattr(config.model, 'torch_dtype'): + torch_dtype = config.model.torch_dtype + print(f"[CriticWorker] Using torch_dtype from model config: {torch_dtype}") + else: + # 如果没有,回退到检查 fsdp_config 中的 model_dtype + torch_dtype = self.config.model.fsdp_config.get('model_dtype', 'bf16') # 改为默认 bf16 而非 fp32 + print(f"[CriticWorker] Using model_dtype from fsdp_config: {torch_dtype}") + + torch_dtype = PrecisionType.to_dtype(torch_dtype) + print(f"[CriticWorker] Final torch_dtype: {torch_dtype}") + + from transformers import AutoConfig, AutoModelForTokenClassification + from torch import nn + + trust_remote_code = False + critic_model_config = AutoConfig.from_pretrained(local_path, trust_remote_code=trust_remote_code) + critic_model_config.num_labels = 1 + + use_remove_padding = config.model.get('use_remove_padding', False) + if use_remove_padding: + from verl.models.registry import check_model_support_rmpad + check_model_support_rmpad(critic_model_config.model_type) + + if use_remove_padding and self.ulysses_sequence_parallel_size > 1: + from verl.models.transformers.monkey_patch import apply_monkey_patch + apply_monkey_patch(critic_model_config, verbose=True) + + init_context = get_init_weight_context_manager() + with init_context(), warnings.catch_warnings(): + warnings.simplefilter("ignore") + setattr(critic_model_config, 'classifier_dropout', 0.) + setattr(critic_model_config, 'hidden_dropout', '0') + critic_module = AutoModelForTokenClassification.from_pretrained(pretrained_model_name_or_path=local_path, + torch_dtype=torch_dtype, + config=critic_model_config, + attn_implementation='flash_attention_2', + trust_remote_code=trust_remote_code) + + # some parameters may not in torch_dtype + critic_module.to(torch_dtype) + + if config.model.get('enable_gradient_checkpointing', False): + critic_module.gradient_checkpointing_enable(gradient_checkpointing_kwargs={'use_reentrant': False}) + if self.rank == 0: + print_model_size(critic_module) + + self.critic_model_config = critic_model_config + + fsdp_config = self.config.model.fsdp_config + mixed_precision_config = fsdp_config.get('mixed_precision', None) + if mixed_precision_config is not None: + param_dtype = PrecisionType.to_dtype(mixed_precision_config.get('param_dtype', 'bf16')) + reduce_dtype = PrecisionType.to_dtype(mixed_precision_config.get('reduce_dtype', 'fp32')) + buffer_dtype = PrecisionType.to_dtype(mixed_precision_config.get('buffer_dtype', 'fp32')) + else: + param_dtype = torch.bfloat16 + reduce_dtype = torch.float32 + buffer_dtype = torch.float32 + + mixed_precision = MixedPrecision(param_dtype=param_dtype, reduce_dtype=reduce_dtype, buffer_dtype=buffer_dtype) + + auto_wrap_policy = get_fsdp_wrap_policy(module=critic_module, config=self.config.model.fsdp_config.wrap_policy) + + log_gpu_memory_usage('Before critic FSDP', logger=None) + + critic_module = FSDP(critic_module, + param_init_fn=init_fn, + use_orig_params=False, + auto_wrap_policy=auto_wrap_policy, + device_id=torch.cuda.current_device(), + sharding_strategy=ShardingStrategy.FULL_SHARD, + mixed_precision=mixed_precision, + sync_module_states=True, + forward_prefetch=False) + + log_gpu_memory_usage('After critic FSDP', logger=None) + + critic_optimizer = optim.AdamW(critic_module.parameters(), + lr=config.optim.lr, + betas=config.optim.get('betas', (0.9, 0.999)), + weight_decay=config.optim.get('weight_decay', 1e-2)) + + total_steps = config.optim.get('total_training_steps', 0) + num_warmup_steps_ratio = config.optim.get('lr_warmup_steps_ratio', 0.) + num_warmup_steps = int(num_warmup_steps_ratio * total_steps) + + print(f'Total steps: {total_steps}, num_warmup_steps: {num_warmup_steps}') + + from verl.utils.torch_functional import get_constant_schedule_with_warmup + critic_lr_scheduler = get_constant_schedule_with_warmup(optimizer=critic_optimizer, + num_warmup_steps=num_warmup_steps) + + return critic_module, critic_optimizer, critic_lr_scheduler + + @register(dispatch_mode=Dispatch.ONE_TO_ALL) + def init_model(self): + # This is used to import external_lib into the huggingface systems + import_external_libs(self.config.model.get('external_lib', None)) + + from verl.workers.critic import DataParallelPPOCritic + self.critic_module, self.critic_optimizer, self.critic_lr_scheduler = self._build_critic_model_optimizer( + self.config) + + if self._is_offload_param: + offload_fsdp_param_and_grad(module=self.critic_module, offload_grad=self._is_offload_grad) + if self._is_offload_optimizer: + offload_fsdp_optimizer(optimizer=self.critic_optimizer) + + self.critic = DataParallelPPOCritic(config=self.config, + critic_module=self.critic_module, + critic_optimizer=self.critic_optimizer) + + self.flops_counter = FlopsCounter(self.critic_model_config) + + torch.cuda.empty_cache() + + @register(dispatch_mode=Dispatch.DP_COMPUTE_PROTO) + def compute_values(self, data: DataProto): + data = data.to('cuda') + + if self._is_offload_param: + load_fsdp_param_and_grad(module=self.critic_module, + device_id=torch.cuda.current_device(), + load_grad=self._is_offload_grad) + micro_batch_size = self.config.forward_micro_batch_size + data.meta_info['micro_batch_size'] = micro_batch_size + data.meta_info['max_token_len'] = self.config.forward_max_token_len_per_gpu + data.meta_info['use_dynamic_bsz'] = self.config.use_dynamic_bsz + # perform forward computation + with self.ulysses_sharding_manager: + data = self.ulysses_sharding_manager.preprocess_data(data=data) + values = self.critic.compute_values(data=data) + output = DataProto.from_dict(tensors={'values': values}) + output = self.ulysses_sharding_manager.postprocess_data(data=output) + + # output = output.to('cpu') + if self._is_offload_param: + offload_fsdp_param_and_grad(module=self.critic_module, offload_grad=self._is_offload_grad) + torch.cuda.empty_cache() + return output + + @register(dispatch_mode=Dispatch.DP_COMPUTE_PROTO) + def update_critic(self, data: DataProto): + data = data.to('cuda') + if self._is_offload_param: + load_fsdp_param_and_grad(module=self.critic_module, + device_id=torch.cuda.current_device(), + load_grad=self._is_offload_grad) + if self._is_offload_optimizer: + load_fsdp_optimizer(optimizer=self.critic_optimizer, device_id=torch.cuda.current_device()) + + # perform forward computation + with self.ulysses_sharding_manager: + data = self.ulysses_sharding_manager.preprocess_data(data=data) + + with Timer(name='update_critic', logger=None) as timer: + metrics = self.critic.update_critic(data=data) + delta_time = timer.last + + global_num_tokens = data.meta_info['global_token_num'] + estimated_flops, promised_flops = self.flops_counter.estimate_flops(global_num_tokens, delta_time) + metrics['mfu/critic'] = estimated_flops * self.config.ppo_epochs / promised_flops / self.world_size + + self.critic_lr_scheduler.step() + lr = self.critic_lr_scheduler.get_last_lr()[0] + metrics['critic/lr'] = lr + + output = DataProto(batch=None, meta_info={'metrics': metrics}) + output = self.ulysses_sharding_manager.postprocess_data(data=output) + + if self._is_offload_param: + offload_fsdp_param_and_grad(module=self.critic_module, offload_grad=self._is_offload_grad) + if self._is_offload_optimizer: + offload_fsdp_optimizer(optimizer=self.critic_optimizer) + torch.cuda.empty_cache() + output = output.to('cpu') + return output + + @register(dispatch_mode=Dispatch.ONE_TO_ALL) + def save_checkpoint(self, local_path, hdfs_path=None): + import torch + if self._is_offload_param: + load_fsdp_param_and_grad(module=self.critic_module, + device_id=torch.cuda.current_device(), + load_grad=self._is_offload_grad) + + # TODO: support DCP and save sharded checkpoints + import torch.distributed + from torch.distributed.fsdp import FullyShardedDataParallel as FSDP, StateDictType, FullStateDictConfig + cfg = FullStateDictConfig(offload_to_cpu=True, rank0_only=True) + with FSDP.state_dict_type(self.critic_module, StateDictType.FULL_STATE_DICT, cfg): + state_dict = self.critic_module.state_dict() + if self.rank == 0: + print(f'Saving critic checkpoint to {local_path}') + os.makedirs(local_path, exist_ok=True) + self.critic_module._fsdp_wrapped_module.save_pretrained(local_path, state_dict=state_dict) + self.tokenizer.save_pretrained(local_path) + if hdfs_path is not None: + print(f'Uploading critic checkpoint to {hdfs_path}') + hdfs_io.makedirs(hdfs_path, exist_ok=True) + hdfs_io.copy(src=local_path, dst=hdfs_path) + + torch.distributed.barrier() + if self._is_offload_param: + offload_fsdp_param_and_grad(module=self.critic_module, offload_grad=self._is_offload_grad) + + +# TODO(sgm): we may need to extract it to dp_reward_model.py +class RewardModelWorker(Worker): + """ + Note that we only implement the reward model that is subclass of AutoModelForTokenClassification. + """ + + def __init__(self, config): + super().__init__() + import torch.distributed + if not torch.distributed.is_initialized(): + torch.distributed.init_process_group(backend="nccl") + self.config = config + + # build device mesh for Ulysses Sequence Parallel + world_size = torch.distributed.get_world_size() + from torch.distributed.device_mesh import init_device_mesh + self.ulysses_device_mesh = None + self.ulysses_sequence_parallel_size = self.config.get('ulysses_sequence_parallel_size', 1) + dp = world_size // self.ulysses_sequence_parallel_size + if self.ulysses_sequence_parallel_size > 1: + self.ulysses_device_mesh = init_device_mesh('cuda', + mesh_shape=(dp, self.ulysses_sequence_parallel_size), + mesh_dim_names=['dp', 'sp']) + + self.ulysses_sharding_manager = FSDPUlyssesShardingManager(self.ulysses_device_mesh) + + self.use_remove_padding = self.config.model.get('use_remove_padding', False) + self.config.micro_batch_size //= torch.distributed.get_world_size() + + def _build_model(self, config): + # the following line is necessary + from transformers import AutoModelForTokenClassification, AutoConfig + from torch.distributed.fsdp import FullyShardedDataParallel as FSDP, ShardingStrategy, CPUOffload + + # download the checkpoint from hdfs + local_path = copy_local_path_from_hdfs(config.model.path) + + if self.config.model.input_tokenizer is None: + self._do_switch_chat_template = False + else: + self._do_switch_chat_template = True + input_tokenizer_local_path = copy_local_path_from_hdfs(config.model.input_tokenizer) + self.input_tokenizer = hf_tokenizer(input_tokenizer_local_path, + trust_remote_code=config.model.get('trust_remote_code', False)) + self.tokenizer = hf_tokenizer(local_path, trust_remote_code=config.model.get('trust_remote_code', False)) + + trust_remote_code = config.model.get('trust_remote_code', False) + model_config = AutoConfig.from_pretrained(local_path, trust_remote_code=trust_remote_code) + model_config.num_labels = 1 + + use_remove_padding = config.model.get('use_remove_padding', False) + if use_remove_padding: + from verl.models.registry import check_model_support_rmpad + check_model_support_rmpad(model_config.model_type) + + if use_remove_padding and self.ulysses_sequence_parallel_size > 1: + from verl.models.transformers.monkey_patch import apply_monkey_patch + apply_monkey_patch(model_config, verbose=True) + + # note that we have to create model in fp32. Otherwise, the optimizer is in bf16, which is incorrect + init_context = get_init_weight_context_manager(use_meta_tensor=not model_config.tie_word_embeddings) + + # <<< 检查并使用 model.torch_dtype >>> + if hasattr(config.model, 'torch_dtype'): + torch_dtype = config.model.torch_dtype + print(f"[RewardModelWorker] Using torch_dtype from model config: {torch_dtype}") + torch_dtype = PrecisionType.to_dtype(torch_dtype) + else: + # 默认使用 bfloat16 以符合 Flash Attention 2.0 的要求 + torch_dtype = torch.bfloat16 + print(f"[RewardModelWorker] Using default torch_dtype: bfloat16") + + with init_context(), warnings.catch_warnings(): + warnings.simplefilter("ignore") + setattr(model_config, 'classifier_dropout', 0.) + reward_module = AutoModelForTokenClassification.from_pretrained(pretrained_model_name_or_path=local_path, + config=model_config, + torch_dtype=torch_dtype, + attn_implementation='flash_attention_2', + trust_remote_code=trust_remote_code) + reward_module.to(torch_dtype) + + auto_wrap_policy = get_fsdp_wrap_policy(module=reward_module, config=self.config.model.fsdp_config) + + reward_module = FSDP( + reward_module, + param_init_fn=init_fn, + use_orig_params=False, + auto_wrap_policy=auto_wrap_policy, + device_id=torch.cuda.current_device(), + sharding_strategy=ShardingStrategy.FULL_SHARD, # zero3 + sync_module_states=True, + cpu_offload=CPUOffload(offload_params=self.config.model.fsdp_config.param_offload), + forward_prefetch=False) + + return reward_module + + @register(dispatch_mode=Dispatch.ONE_TO_ALL) + def init_model(self): + # This is used to import external_lib into the huggingface systems + import_external_libs(self.config.model.get('external_lib', None)) + self.reward_module = self._build_model(config=self.config) + torch.cuda.empty_cache() + + def _forward_micro_batch(self, micro_batch): + from flash_attn.bert_padding import pad_input, unpad_input, index_first_axis, rearrange + from verl.utils.ulysses import ulysses_pad_and_slice_inputs, gather_outpus_and_unpad + + with torch.no_grad(), torch.autocast(device_type='cuda', dtype=torch.bfloat16): + input_ids = micro_batch['input_ids'] + batch_size, seqlen = input_ids.shape + attention_mask = micro_batch['attention_mask'] + position_ids = micro_batch['position_ids'] + + if self.use_remove_padding: + input_ids_rmpad, indices, *_ = unpad_input(input_ids.unsqueeze(-1), + attention_mask) # input_ids_rmpad (total_nnz, ...) + input_ids_rmpad = input_ids_rmpad.transpose(0, 1) # (1, total_nnz) + + # unpad the position_ids to align the rotary + position_ids_rmpad = index_first_axis(rearrange(position_ids.unsqueeze(-1), "b s ... -> (b s) ..."), + indices).transpose(0, 1) + + # pad and slice the inputs if sp > 1 + if self.ulysses_sequence_parallel_size > 1: + input_ids_rmpad, position_ids_rmpad, pad_size = ulysses_pad_and_slice_inputs(input_ids_rmpad, \ + position_ids_rmpad, \ + sp_size=self.ulysses_sequence_parallel_size) + + # only pass input_ids and position_ids to enable flash_attn_varlen + output = self.reward_module(input_ids=input_ids_rmpad, + attention_mask=None, + position_ids=position_ids_rmpad, + use_cache=False) # prevent model thinks we are generating + reward_rmpad = output.logits + reward_rmpad = reward_rmpad.squeeze(0) # (total_nnz) + + # gather output if sp > 1 + if self.ulysses_sequence_parallel_size > 1: + reward_rmpad = gather_outpus_and_unpad(reward_rmpad, + gather_dim=0, + unpad_dim=0, + padding_size=pad_size) + + # pad it back + rm_score = pad_input(reward_rmpad, indices=indices, batch=batch_size, seqlen=seqlen).squeeze(-1) + else: + output = self.reward_module(input_ids=input_ids, + attention_mask=attention_mask, + position_ids=position_ids) + rm_score = output.logits # (batch_size, seq_len, 1) + rm_score = rm_score.squeeze(-1) + + # extract the result of the last valid token + eos_mask_idx = torch.argmax(position_ids * attention_mask, dim=-1) # (bsz,) + rm_score = rm_score[torch.arange(batch_size), eos_mask_idx] + return rm_score + + def _expand_to_token_level(self, data: DataProto, scores: torch.Tensor): + batch_size = data.batch.batch_size[0] + # expand as token_level_reward + attention_mask = data.batch['attention_mask'] + position_ids = data.batch['position_ids'] + response_length = data.batch['responses'].shape[-1] + eos_mask_idx = torch.argmax(position_ids * attention_mask, dim=-1) # (bsz,) + token_level_scores = torch.zeros_like(attention_mask, dtype=scores.dtype) # (bsz, seqlen) + token_level_scores[torch.arange(batch_size), eos_mask_idx] = scores + + # select the response part + token_level_scores = token_level_scores[:, -response_length:] + + return token_level_scores + + def _switch_chat_template(self, data: DataProto): + src_max_length = data.batch['attention_mask'].shape[-1] + + src_tokenizer = self.input_tokenizer + target_tokenizer = self.tokenizer + + rm_input_ids = [] + rm_attention_mask = [] + + for i in range(data.batch.batch_size[0]): + # extract raw prompt + chat: list = data.non_tensor_batch['raw_prompt'][i].tolist() + + # extract response + response_ids = data.batch['responses'][i] + response_length = response_ids.shape[-1] + valid_response_length = data.batch['attention_mask'][i][-response_length:].sum() + valid_response_ids = response_ids[:valid_response_length] + + # decode + response = src_tokenizer.decode(valid_response_ids) + # remove bos and eos + response = response.replace(src_tokenizer.eos_token, '') + + chat.append({'role': 'assistant', 'content': response}) + + prompt_with_chat_template = target_tokenizer.apply_chat_template(chat, + add_generation_prompt=False, + tokenize=False) + if self.rank == 0 and i == 0: + # for debugging purpose + print(f'Switch template. chat: {prompt_with_chat_template}') + + # the maximum length is actually determined by the reward model itself + max_length = self.config.get('max_length', src_max_length) + if max_length is None: + max_length = src_max_length + input_ids, attention_mask = verl_F.tokenize_and_postprocess_data( + prompt=prompt_with_chat_template, + tokenizer=target_tokenizer, + max_length=max_length, + pad_token_id=target_tokenizer.pad_token_id, + left_pad=False, # right padding + truncation=self.config.get('truncation', 'right')) # truncate from the right + + rm_input_ids.append(input_ids) + rm_attention_mask.append(attention_mask) + + rm_input_ids = torch.cat(rm_input_ids, dim=0) + rm_attention_mask = torch.cat(rm_attention_mask, dim=0) + + rm_position_ids = compute_position_id_with_mask(rm_attention_mask) + + rm_inputs = {'input_ids': rm_input_ids, 'attention_mask': rm_attention_mask, 'position_ids': rm_position_ids} + + return DataProto.from_dict(rm_inputs) + + @register(dispatch_mode=Dispatch.DP_COMPUTE_PROTO) + def compute_rm_score(self, data: DataProto): + import itertools + from verl.utils.seqlen_balancing import rearrange_micro_batches, get_reverse_idx + data = data.to('cuda') + if self._do_switch_chat_template: + rm_data = self._switch_chat_template(data) + + rm_data.batch = rm_data.batch.cuda() + + # perform forward computation + with self.ulysses_sharding_manager: + rm_data = self.ulysses_sharding_manager.preprocess_data(data=rm_data) + data = self.ulysses_sharding_manager.preprocess_data(data=data) + + use_dynamic_bsz = self.config.use_dynamic_bsz + if use_dynamic_bsz: + max_token_len = self.config.forward_max_token_len_per_gpu * self.ulysses_sequence_parallel_size + micro_batches, indices = rearrange_micro_batches(batch=rm_data.batch, max_token_len=max_token_len) + else: + micro_batches = rm_data.batch.split(self.config.micro_batch_size) + output = [] + for micro_batch in micro_batches: + rm_score = self._forward_micro_batch(micro_batch) + output.append(rm_score) + scores = torch.cat(output, dim=0) # (batch_size) + + if use_dynamic_bsz: + indices = list(itertools.chain.from_iterable(indices)) + assert len(indices) == scores.size(0), f"{len(indices)} vs. {scores.size()}" + revert_indices = torch.tensor(get_reverse_idx(indices), dtype=torch.long) + scores = scores[revert_indices] + + token_level_scores = self._expand_to_token_level(data, scores) + # Note that this is only the scores, may not be the final rewards used to train RL + output = DataProto.from_dict(tensors={'rm_scores': token_level_scores}) + output = self.ulysses_sharding_manager.postprocess_data(data=output) + + output = output.to('cpu') + torch.cuda.empty_cache() + return output diff --git a/verl/workers/megatron_workers.py b/verl/workers/megatron_workers.py new file mode 100644 index 00000000..1143b7ba --- /dev/null +++ b/verl/workers/megatron_workers.py @@ -0,0 +1,735 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +The main entry point to run the PPO algorithm +""" + +import os +import logging +import ray +import torch +import torch.distributed +import torch.nn as nn +from omegaconf import DictConfig +from verl.single_controller.base.megatron.worker import MegatronWorker +from verl.workers.actor.megatron_actor import MegatronPPOActor +from verl.workers.critic.megatron_critic import MegatronPPOCritic +from verl.workers.sharding_manager import AllGatherPPModel +from verl.workers.reward_model.megatron.reward_model import MegatronRewardModel + +from verl.single_controller.base.decorator import register, Dispatch +from verl import DataProto +from verl.utils.fs import copy_local_path_from_hdfs +from verl.utils.debug import log_gpu_memory_usage +from verl.utils.model import load_megatron_model_weights +from verl.utils.megatron_utils import init_model_parallel_config +from verl.utils.megatron_utils import offload_megatron_param_and_grad, load_megatron_param_and_grad +from verl.utils import hf_tokenizer + +from megatron.core import parallel_state as mpu +from megatron.core import ModelParallelConfig + +logger = logging.getLogger(__file__) +logger.setLevel(os.getenv('VERL_PPO_LOGGING_LEVEL', 'WARN')) + + +def set_random_seed(seed): + import torch + import numpy as np + import random + torch.manual_seed(seed) + np.random.seed(seed) + random.seed(seed) + if torch.cuda.device_count() > 0: + from megatron.core import tensor_parallel + tensor_parallel.model_parallel_cuda_manual_seed(seed) + # FIXME: torch cumsum not support deterministic (used in vllm sampler), + # https://github.com/pytorch/pytorch/issues/89492 + # torch.use_deterministic_algorithms(True, warn_only=True) + # os.environ['CUBLAS_WORKSPACE_CONFIG'] = ':4096:8' + + +class ActorRolloutRefWorker(MegatronWorker): + """ + This worker can be instantiated as a standalone actor or a standalone rollout or a standalone reference policy + or a hybrid engine based on the config.rollout + """ + + def __init__(self, config: DictConfig, role: str): + super().__init__() + self.config = config + + # NOTE(sgm): We utilize colocate WorkerGroup by default. + # As a result, Workers for different model share the same process. + # Therefore, we only require one distribute initialization. + # To utilize different parallel startegy in different models: + # 1, users should disable WorkerDict; 2.assign different ResourcePool to different models, + # 3. and apply the following patch in ray==2.10, https://github.com/ray-project/ray/pull/44385 + if not torch.distributed.is_initialized(): + rank = int(os.environ['LOCAL_RANK']) + torch.distributed.init_process_group(backend="nccl") + torch.cuda.set_device(rank) + + if self.config.actor.megatron.sequence_parallel: + os.environ['CUDA_DEVICE_MAX_CONNECTIONS'] = '1' + mpu.initialize_model_parallel( + tensor_model_parallel_size=self.config.actor.megatron.tensor_model_parallel_size, + pipeline_model_parallel_size=self.config.actor.megatron.pipeline_model_parallel_size, + virtual_pipeline_model_parallel_size=None, + pipeline_model_parallel_split_rank=None, + use_sharp=False, + context_parallel_size=1, + expert_model_parallel_size=1, + nccl_communicator_config_path=None, + ) + + set_random_seed(seed=self.config.actor.megatron.seed) + + self.role = role + assert self.role in ['actor', 'rollout', 'ref', 'actor_rollout', 'actor_rollout_ref'] + + self._is_actor = self.role in ['actor', 'actor_rollout', 'actor_rollout_ref'] + self._is_rollout = self.role in ['rollout', 'actor_rollout', 'actor_rollout_ref'] + self._is_ref = self.role in ['ref', 'actor_rollout_ref'] + + # TODO(sgm): Currently, we only support reference model param offload + # will support other offload later + self._is_offload_param = False + self._is_offload_grad = False + self._is_offload_optimizer = False + + # normalize config + if self._is_actor and self._is_rollout: + self.config.actor.ppo_mini_batch_size //= mpu.get_data_parallel_world_size() + self.config.actor.ppo_micro_batch_size //= mpu.get_data_parallel_world_size() + self.config.rollout.log_prob_micro_batch_size //= mpu.get_data_parallel_world_size() + self._is_offload_param = self.config.actor.get('param_offload', False) + self._is_offload_grad = self.config.actor.get('grad_offload', False) + self._is_offload_optimizer = self.config.actor.get('optimizer_offload', False) + elif self._is_ref: + self.config.ref.log_prob_micro_batch_size //= mpu.get_data_parallel_world_size() + self._is_offload_param = self.config.ref.get('param_offload', False) + + def _build_model_optimizer(self, + model_path, + megatron_config: ModelParallelConfig, + optim_config, + override_model_config, + enable_gradient_checkpointing=False): + from verl.utils.megatron.optimizer import get_megatron_optimizer + from megatron.core.models.gpt.gpt_model import ModelType + from verl.utils.model import print_model_size, update_model_config + from verl.utils.megatron_utils import get_model, init_megatron_optim_config + from transformers import AutoModelForCausalLM, AutoTokenizer, AutoConfig + + # Step 1: initialize the tokenizer + local_path = copy_local_path_from_hdfs(model_path) + self.tokenizer = hf_tokenizer(local_path) + + # Step 2: get the actor_model_config + actor_model_config = AutoConfig.from_pretrained(local_path) + + override_config_kwargs = { + 'bos_token_id': self.tokenizer.bos_token_id, + 'eos_token_id': self.tokenizer.eos_token_id, + 'pad_token_id': self.tokenizer.pad_token_id, + } + override_config_kwargs.update(override_model_config) + update_model_config(actor_model_config, override_config_kwargs=override_config_kwargs) + + if self.rank == 0: + print(f'Model config after override: {actor_model_config}') + + def megatron_actor_model_provider(pre_process, post_process): + from verl.utils.model import get_parallel_model_from_config + # vpp is not supported yet because it will hang for some reason. Need debugging + vpp_rank = mpu.get_virtual_pipeline_model_parallel_rank() # this will be set inside get_model + # this_megatron_config = copy.deepcopy(megatron_config) + # this_megatron_config.virtual_pipeline_model_parallel_rank = vpp_rank + parallel_model = get_parallel_model_from_config(config=actor_model_config, + megatron_config=megatron_config, + pre_process=pre_process, + post_process=post_process, + value=False) + parallel_model.cuda() + return parallel_model + + # Step 3: initialize the megatron model + if self._is_actor and self._is_rollout: + # Initialize the 3D HybridEngine + hybrid_engine = AllGatherPPModel(model_provider=megatron_actor_model_provider) + # Fetch the model at current rank + actor_module = hybrid_engine.this_rank_models + if isinstance(actor_module, nn.ModuleList): + actor_module = [actor_module[0]] + if self.config.actor.load_weight: + load_megatron_model_weights(self.config, + actor_model_config, + actor_module, + params_dtype=megatron_config.params_dtype, + is_value_model=False) + + if self.rank == 0: + print_model_size(actor_module[0]) + log_gpu_memory_usage('After AllGatherPPModel init', logger=logger) + elif self._is_ref: + print(f'self.config.ref.load_weight: {self.config.ref.load_weight}') + ref_module = get_model(model_provider_func=megatron_actor_model_provider, + model_type=ModelType.encoder_or_decoder, + wrap_with_ddp=False) + # ref_module = nn.ModuleList(ref_module) + + if self.config.ref.load_weight: # should align with the actor: + assert self.config.actor.load_weight == self.config.ref.load_weight + print(f'load ref weight start') + load_megatron_model_weights(self.config, + actor_model_config, + ref_module, + params_dtype=megatron_config.params_dtype, + is_value_model=False) + log_gpu_memory_usage('After ref module init', logger=logger) + return ref_module, actor_model_config + + # TODO: add more optimizer args into config + if self._is_actor: + optim_config = init_megatron_optim_config(optim_config) + actor_optimizer = get_megatron_optimizer(model=actor_module, config=optim_config) + else: + optim_config = None + actor_optimizer = None + + log_gpu_memory_usage('After actor optimizer init', logger=logger) + + return actor_module, hybrid_engine, actor_optimizer, actor_model_config, optim_config + + def _build_rollout(self): + if self.config.rollout.name == 'vllm': + from verl.workers.rollout.vllm_rollout import vLLMRollout + from verl.workers.sharding_manager import MegatronVLLMShardingManager + from verl.utils.model import normalize_pp_vpp_params + + # NOTE(sgm): If the QKV and gate_up projection layer are concate together in actor, + # we will reorganize their weight format when resharding from actor to rollout. + layer_name_mapping = { + "qkv_layer_name": + self.config.rollout.layer_name_map.get("qkv_layer_name", "qkv"), + "gate_proj_layer_name": + self.config.rollout.layer_name_map.get("gate_proj_layer_name", "linear_fc1.weight"), + } + + # reshard the weight partition from actor to rollout to initialize the rollout class + # create a new cuda space for parameters not in this pp rank + self.hybrid_engine.load_params_to_cuda() + # broadcast the parameters from pp rank to other ranks + self.hybrid_engine.allgather_params() + # obtain name to parameters in pp/vpp + params = self.hybrid_engine.get_all_params() + # update the param name for the + params = normalize_pp_vpp_params(params=params, + num_hidden_layers=self.actor_model_config.num_hidden_layers, + layer_name='layers') + rollout = vLLMRollout(actor_module=params, + config=self.config.rollout, + tokenizer=self.tokenizer, + model_hf_config=self.actor_model_config, + train_tp=mpu.get_tensor_model_parallel_world_size()) + log_gpu_memory_usage('After building vllm rollout', logger=logger) + + # perform weight resharding between actor and rollout + sharding_manager = MegatronVLLMShardingManager(module=self.hybrid_engine, + inference_engine=rollout.inference_engine, + model_config=self.actor_model_config, + layer_name_mapping=layer_name_mapping) + log_gpu_memory_usage('After building sharding manager', logger=logger) + else: + NotImplementedError('Only vllmRollout is supported with Megatron now') + + return rollout, sharding_manager + + @register(dispatch_mode=Dispatch.ONE_TO_ALL) + def init_model(self): + if self.config.model.get('external_lib', None) is not None: + # This is used to import external_lib into the huggingface systems + import importlib + importlib.import_module(self.config.model.external_lib) + + from omegaconf import OmegaConf + from verl.utils.torch_dtypes import PrecisionType + override_model_config = OmegaConf.to_container(self.config.model.get('override_config', OmegaConf.create())) + torch_dtype = torch.bfloat16 + + megatron_config = OmegaConf.create({ + 'sequence_parallel': self.config.actor.megatron.get('sequence_parallel', True), + 'param_dtype': PrecisionType.to_str(torch_dtype), + 'tensor_model_parallel_size': mpu.get_tensor_model_parallel_world_size(), + 'pipeline_model_parallel_rank': mpu.get_pipeline_model_parallel_rank(), + 'pipeline_model_parallel_size': mpu.get_pipeline_model_parallel_world_size(), + 'virtual_pipeline_model_parallel_rank': mpu.get_virtual_pipeline_model_parallel_rank(), + 'virtual_pipeline_model_parallel_size': mpu.get_virtual_pipeline_model_parallel_world_size() + }) + + megatron_config = init_model_parallel_config(megatron_config) + + if self._is_actor or self._is_rollout: + # we need the model for actor and rollout + if self._is_actor: + optim_config = self.config.actor.optim + else: + optim_config = None + self.actor_module, self.hybrid_engine, self.actor_optimizer, \ + self.actor_model_config, self.actor_optim_config = self._build_model_optimizer( + model_path=self.config.model.path, + megatron_config=megatron_config, + optim_config=optim_config, + override_model_config=override_model_config, + ) + + if self._is_actor: + self.actor = MegatronPPOActor(config=self.config.actor, + model_config=self.actor_model_config, + megatron_config=megatron_config, + actor_module=self.actor_module, + actor_optimizer=self.actor_optimizer, + actor_optimizer_config=self.actor_optim_config) + + if self._is_rollout: + self.rollout, self.sharding_manager = self._build_rollout() + + if self._is_ref: + self.ref_module, self.ref_model_config = self._build_model_optimizer( + model_path=self.config.model.path, + megatron_config=megatron_config, + optim_config=None, + override_model_config=override_model_config, + ) + self.ref_policy = MegatronPPOActor(config=self.config.ref, + model_config=self.ref_model_config, + megatron_config=megatron_config, + actor_module=self.ref_module, + actor_optimizer=None, + actor_optimizer_config=None) + + torch.cuda.empty_cache() + + @register(dispatch_mode=Dispatch.MEGATRON_COMPUTE_PROTO) + def update_actor(self, data: DataProto): + assert self._is_actor + + data.batch = data.batch.cuda() + + log_gpu_memory_usage('Before update policy', logger=logger) + + dataloader = self.actor.make_minibatch_iterator(data=data) + metrics = self.actor.update_policy(dataloader=dataloader) + + log_gpu_memory_usage('After update policy', logger=logger) + + # TODO: here, we should return all metrics + output = DataProto(meta_info={'metrics': metrics}) + output = output.to('cpu') + torch.cuda.empty_cache() + return output + + # @register(dispatch_mode=Dispatch.MEGATRON_PP_AS_DP_PROTO) + # def compute_log_prob(self, data: DataProto) -> DataProto: + # assert self._is_rollout + # output = self.actor.compute_log_prob(data=data) + # output = DataProto.from_dict(tensors={'old_log_probs': output}) + # torch.cuda.empty_cache() + # return output + + @register(dispatch_mode=Dispatch.MEGATRON_PP_AS_DP_PROTO) + def generate_sequences(self, prompts: DataProto): + assert self._is_rollout + + prompts.batch = prompts.batch.cuda() + meta_info = {'eos_token_id': self.tokenizer.eos_token_id, 'pad_token_id': self.tokenizer.pad_token_id} + prompts.meta_info.update(meta_info) + with self.sharding_manager: + log_gpu_memory_usage('After entering sharding manager', logger=logger) + + prompts = self.sharding_manager.preprocess_data(prompts) + output = self.rollout.generate_sequences(prompts=prompts) + + log_gpu_memory_usage('After rollout generation', logger=logger) + + output = self.sharding_manager.postprocess_data(output) + + validate = prompts.meta_info.get('validate', False) + if self._is_actor and not validate: + # we should always recompute old_log_probs when it is HybridEngine + output.meta_info['micro_batch_size'] = self.config.rollout.log_prob_micro_batch_size + output.meta_info['temperature'] = self.config.rollout.temperature + old_log_probs = self.actor.compute_log_prob(data=output) + output.batch['old_log_probs'] = old_log_probs + + output = output.to('cpu') + # clear kv cache + torch.cuda.empty_cache() + log_gpu_memory_usage('After recompute log prob', logger=logger) + return output + + @register(dispatch_mode=Dispatch.MEGATRON_COMPUTE_PROTO) + def compute_ref_log_prob(self, data: DataProto): + data = data.to('cuda') + + assert self._is_ref + if self._is_offload_param: + load_megatron_param_and_grad(self.ref_module, torch.cuda.current_device(), self._is_offload_grad) + + micro_batch_size = self.config.rollout.log_prob_micro_batch_size + data.meta_info['micro_batch_size'] = micro_batch_size + data.meta_info['temperature'] = self.config.rollout.temperature + output = self.ref_policy.compute_log_prob(data=data) + output = DataProto.from_dict(tensors={'ref_log_prob': output}) + output = output.to('cpu') + if self._is_offload_param: + offload_megatron_param_and_grad(self.ref_module, self._is_offload_grad) + torch.cuda.empty_cache() + return output + + @register(dispatch_mode=Dispatch.ONE_TO_ALL) + def load_checkpoint(self, checkpoint_path): + pass + + @register(dispatch_mode=Dispatch.ONE_TO_ALL) + def load_pretrained_model(self, checkpoint_path): + pass + + @register(dispatch_mode=Dispatch.ONE_TO_ALL) + def save_checkpoint(self, checkpoint_path): + assert self._is_actor + pass + + +class CriticWorker(MegatronWorker): + + def __init__(self, config): + super().__init__() + self.config = config + + # NOTE(sgm): We utilize colocate WorkerGroup by default. + # As a result, Workers for different model share the same process. + # Therefore, we only require one distribute initialization. + # To utilize different parallel startegy in different models: + # 1, users should disable WorkerDict; 2.assign different ResourcePool to different models, + # 3. and apply the following patch in ray==2.10, https://github.com/ray-project/ray/pull/44385 + if not torch.distributed.is_initialized(): + rank = int(os.environ['LOCAL_RANK']) + torch.distributed.init_process_group(backend="nccl") + torch.cuda.set_device(rank) + + if self.config.megatron.sequence_parallel: + os.environ['CUDA_DEVICE_MAX_CONNECTIONS'] = '1' + mpu.initialize_model_parallel( + tensor_model_parallel_size=self.config.megatron.tensor_model_parallel_size, + pipeline_model_parallel_size=self.config.megatron.pipeline_model_parallel_size, + virtual_pipeline_model_parallel_size=None, + pipeline_model_parallel_split_rank=None, + use_sharp=False, + context_parallel_size=1, + expert_model_parallel_size=1, + nccl_communicator_config_path=None, + ) + + set_random_seed(seed=self.config.megatron.seed) + + # normalize config + self.config.ppo_mini_batch_size //= mpu.get_data_parallel_world_size() + self.config.ppo_micro_batch_size //= mpu.get_data_parallel_world_size() + + # TODO(sgm): support critic model offload + + def _build_critic_model_optimizer(self, + model_path, + megatron_config: ModelParallelConfig, + optim_config, + override_model_config, + enable_gradient_checkpointing=False): + from megatron.core.models.gpt.gpt_model import ModelType + from verl.utils.model import print_model_size, update_model_config + from verl.utils.megatron.optimizer import get_megatron_optimizer + from verl.utils.megatron_utils import get_model, init_megatron_optim_config, init_model_parallel_config + from transformers import AutoModelForCausalLM, AutoTokenizer, AutoConfig + + # Step 1: initialize the tokenizer + local_path = copy_local_path_from_hdfs(model_path) + self.tokenizer = hf_tokenizer(local_path) + + # Step 2: get the actor_model_config + critic_model_config = AutoConfig.from_pretrained(local_path) + + override_config_kwargs = { + 'bos_token_id': self.tokenizer.bos_token_id, + 'eos_token_id': self.tokenizer.eos_token_id, + 'pad_token_id': self.tokenizer.pad_token_id, + } + override_config_kwargs.update(override_model_config) + update_model_config(critic_model_config, override_config_kwargs=override_config_kwargs) + + if self.rank == 0: + print(f'Model config after override: {critic_model_config}') + + def megatron_critic_model_provider(pre_process, post_process): + from verl.utils.model import get_parallel_model_from_config + # TODO: support vpp here + # vpp_rank = mpu.get_virtual_pipeline_model_parallel_rank() # this will be set inside get_model + # this_megatron_config = copy.deepcopy(megatron_config) + # this_megatron_config.virtual_pipeline_model_parallel_rank = vpp_rank + parallel_model = get_parallel_model_from_config(config=critic_model_config, + megatron_config=megatron_config, + pre_process=pre_process, + post_process=post_process, + value=True) + parallel_model.cuda() + return parallel_model + + # Step 3: initialize the megatron model + critic_module = get_model(model_provider_func=megatron_critic_model_provider, + model_type=ModelType.encoder_or_decoder, + wrap_with_ddp=True) + # note that here critic_module will be a list to be compatible with the construction of interleaved pp (vpp). + # but here, we do not use pp (vpp) yet. For simplicity, we remove the list + # critic_module = nn.ModuleList(critic_module) + + if self.config.load_weight: + load_megatron_model_weights(self.config, + critic_model_config, + critic_module, + params_dtype=megatron_config.params_dtype, + is_value_model=True) + if self.rank == 0: + print_model_size(critic_module[0]) + + # TODO: add more optimizer args into config + optim_config = init_megatron_optim_config(optim_config) + critic_optimizer = get_megatron_optimizer(model=critic_module, config=optim_config) + torch.cuda.empty_cache() + return critic_module, critic_optimizer, critic_model_config, optim_config + + @register(dispatch_mode=Dispatch.ONE_TO_ALL) + def init_model(self): + # create critic + from omegaconf import OmegaConf + from verl.utils.torch_dtypes import PrecisionType + + if self.config.model.get('external_lib', None) is not None: + # This is used to import external_lib into the huggingface systems + import importlib + importlib.import_module(self.config.model.external_lib) + override_model_config = OmegaConf.to_container(self.config.model.get('override_config', OmegaConf.create())) + torch_dtype = torch.bfloat16 + + megatron_config = OmegaConf.create({ + 'sequence_parallel': self.config.megatron.get('sequence_parallel', True), + 'param_dtype': PrecisionType.to_str(torch_dtype), + 'tensor_model_parallel_size': mpu.get_tensor_model_parallel_world_size(), + 'pipeline_model_parallel_rank': mpu.get_pipeline_model_parallel_rank(), + 'pipeline_model_parallel_size': mpu.get_pipeline_model_parallel_world_size(), + 'virtual_pipeline_model_parallel_rank': mpu.get_virtual_pipeline_model_parallel_rank(), + 'virtual_pipeline_model_parallel_size': mpu.get_virtual_pipeline_model_parallel_world_size() + }) + + megatron_config = init_model_parallel_config(megatron_config) + + critic_module, critic_optimizer, critic_model_config, critic_optimizer_config = self._build_critic_model_optimizer( + model_path=self.config.model.path, + megatron_config=megatron_config, + optim_config=self.config.optim, + override_model_config=override_model_config) + self.critic = MegatronPPOCritic(config=self.config, + model_config=critic_model_config, + megatron_config=megatron_config, + critic_module=critic_module, + critic_optimizer=critic_optimizer, + critic_optimizer_config=critic_optimizer_config) + + @register(dispatch_mode=Dispatch.MEGATRON_COMPUTE_PROTO) + def compute_values(self, data: DataProto): + data = data.to('cuda') + values = self.critic.compute_values(data=data) + output = DataProto.from_dict(tensors={'values': values}) + output = output.to('cpu') + return output + + @register(dispatch_mode=Dispatch.MEGATRON_COMPUTE_PROTO) + def update_critic(self, data: DataProto): + data = data.to('cuda') + dataloader = self.critic.make_minibatch_iterator(data) + metrics = self.critic.update_critic(dataloader=dataloader) + output = DataProto(batch=None, meta_info={'metrics': metrics}) + output = output.to('cpu') + return output + + @register(dispatch_mode=Dispatch.ONE_TO_ALL) + def load_checkpoint(self, checkpoint_path): + pass + + @register(dispatch_mode=Dispatch.ONE_TO_ALL) + def save_checkpoint(self, checkpoint_path): + pass + + +class RewardModelWorker(MegatronWorker): + """ + Note that we only implement the reward model that is subclass of AutoModelForSequenceClassification. + """ + + def __init__(self, config): + super().__init__() + self.config = config + + # NOTE(sgm): We utilize colocate WorkerGroup by default. + # As a result, Workers for different model share the same process. + # Therefore, we only require one distribute initialization. + # To utilize different parallel startegy in different models: + # 1, users should disable WorkerDict; 2.assign different ResourcePool to different models, + # 3. and apply the following patch in ray==2.10, https://github.com/ray-project/ray/pull/44385 + if not torch.distributed.is_initialized(): + rank = int(os.environ['LOCAL_RANK']) + torch.distributed.init_process_group(backend="nccl") + torch.cuda.set_device(rank) + + if self.config.megatron.sequence_parallel: + os.environ['CUDA_DEVICE_MAX_CONNECTIONS'] = '1' + mpu.initialize_model_parallel( + tensor_model_parallel_size=self.config.megatron.tensor_model_parallel_size, + pipeline_model_parallel_size=self.config.megatron.pipeline_model_parallel_size, + virtual_pipeline_model_parallel_size=None, + pipeline_model_parallel_split_rank=None, + use_sharp=False, + context_parallel_size=1, + expert_model_parallel_size=1, + nccl_communicator_config_path=None, + ) + + set_random_seed(seed=self.config.megatron.seed) + + # normalize config + self.config.micro_batch_size //= mpu.get_data_parallel_world_size() + + def _build_rm_model(self, model_path, megatron_config: ModelParallelConfig, override_model_config): + from megatron.core.models.gpt.gpt_model import ModelType + from verl.utils.model import print_model_size, update_model_config + from verl.utils.megatron_utils import get_model + from transformers import AutoModelForCausalLM, AutoTokenizer, AutoConfig + + # Step 1: initialize the tokenizer + local_path = copy_local_path_from_hdfs(model_path) + self.tokenizer = hf_tokenizer(local_path) + + # Step 2: get the actor_model_config + rm_model_config = AutoConfig.from_pretrained(local_path) + + override_config_kwargs = { + 'bos_token_id': self.tokenizer.bos_token_id, + 'eos_token_id': self.tokenizer.eos_token_id, + 'pad_token_id': self.tokenizer.pad_token_id, + } + override_config_kwargs.update(override_model_config) + update_model_config(rm_model_config, override_config_kwargs=override_config_kwargs) + + if self.rank == 0: + print(f'Model config after override: {rm_model_config}') + + def megatron_rm_model_provider(pre_process, post_process): + from verl.utils.model import get_parallel_model_from_config + # vpp is not supported yet because it will hang for some reason. Need debugging + vpp_rank = mpu.get_virtual_pipeline_model_parallel_rank() # this will be set inside get_model + # this_megatron_config = copy.deepcopy(megatron_config) + # this_megatron_config.virtual_pipeline_model_parallel_rank = vpp_rank + parallel_model = get_parallel_model_from_config(config=rm_model_config, + megatron_config=megatron_config, + pre_process=pre_process, + post_process=post_process, + value=True) + parallel_model.cuda() + return parallel_model + + # Step 3: initialize the megatron model + reward_model = get_model(model_provider_func=megatron_rm_model_provider, + model_type=ModelType.encoder_or_decoder, + wrap_with_ddp=False) + # note that here critic_module will be a list to be compatible with the construction of interleaved pp (vpp). + # but here, we do not use pp (vpp) yet. For simplicity, we remove the list + # reward_model = nn.ModuleList(reward_model) + + if self.config.load_weight: + load_megatron_model_weights(self.config, + rm_model_config, + reward_model, + params_dtype=megatron_config.params_dtype, + is_value_model=True) + + # TODO: add more optimizer args into config + torch.cuda.empty_cache() + return reward_model, rm_model_config + + @register(dispatch_mode=Dispatch.ONE_TO_ALL) + def init_model(self): + # create critic + from omegaconf import OmegaConf + from verl.utils.torch_dtypes import PrecisionType + from transformers import AutoTokenizer + + if self.config.model.get('external_lib', None) is not None: + # This is used to import external_lib into the huggingface systems + import importlib + importlib.import_module(self.config.model.external_lib) + override_model_config = OmegaConf.to_container(self.config.model.get('override_config', OmegaConf.create())) + + sft_tokenizer_local_path = copy_local_path_from_hdfs(self.config.model.input_tokenizer) + sft_tokenizer = hf_tokenizer(sft_tokenizer_local_path) + rm_tokenizer_path = self.config.model.get('rm_tokenizer', None) + rm_tokenizer = None + if rm_tokenizer_path is not None: + rm_tokenizer_local_path = copy_local_path_from_hdfs(rm_tokenizer_path) + rm_tokenizer = hf_tokenizer(rm_tokenizer_local_path) + + torch_dtype = torch.bfloat16 + + megatron_config = OmegaConf.create({ + 'sequence_parallel': self.config.megatron.get('sequence_parallel', True), + 'param_dtype': PrecisionType.to_str(torch_dtype), + 'tensor_model_parallel_size': mpu.get_tensor_model_parallel_world_size(), + 'pipeline_model_parallel_rank': mpu.get_pipeline_model_parallel_rank(), + 'pipeline_model_parallel_size': mpu.get_pipeline_model_parallel_world_size(), + 'virtual_pipeline_model_parallel_rank': mpu.get_virtual_pipeline_model_parallel_rank(), + 'virtual_pipeline_model_parallel_size': mpu.get_virtual_pipeline_model_parallel_world_size() + }) + + megatron_config = init_model_parallel_config(megatron_config) + + reward_model_module, reward_model_config = self._build_rm_model( + model_path=self.config.model.path, + megatron_config=megatron_config, + override_model_config=override_model_config, + ) + # FIXME(sgm): reward model param offload is implemented in MegatronRewardModel + # should be implemented in workers + self.rm = MegatronRewardModel(config=self.config, + reward_model_module=reward_model_module, + model_config=reward_model_config, + megatron_config=megatron_config, + sft_tokenizer=sft_tokenizer, + rm_tokenizer=rm_tokenizer) + + # TODO: reward model use itself tokenizer instead of sft tokenizer + # the input_ids, responses, attention_mask and position_ids may be different! + @register(dispatch_mode=Dispatch.MEGATRON_COMPUTE_PROTO) + def compute_rm_score(self, data: DataProto): + data.batch = data.batch.cuda() + output = self.rm.compute_reward(data) + output = output.to('cpu') + return output diff --git a/verl/workers/retriever_workers.py b/verl/workers/retriever_workers.py new file mode 100644 index 00000000..5bb0952c --- /dev/null +++ b/verl/workers/retriever_workers.py @@ -0,0 +1,383 @@ +import os +import torch +from verl.single_controller.base import Worker +from verl.single_controller.base.decorator import register, Dispatch +# from search_r1.env.search.retrieval import get_retriever + +import json +import os +import warnings +from typing import List, Dict +import functools +from tqdm import tqdm +from multiprocessing import Pool +import faiss +import torch +import numpy as np +from transformers import AutoConfig, AutoTokenizer, AutoModel +import argparse +import datasets + + +def load_corpus(corpus_path: str): + corpus = datasets.load_dataset( + 'json', + data_files=corpus_path, + split="train", + num_proc=4) + return corpus + + +def read_jsonl(file_path): + data = [] + + with open(file_path, "r") as f: + readin = f.readlines() + for line in readin: + data.append(json.loads(line)) + return data + + +def load_docs(corpus, doc_idxs): + results = [corpus[int(idx)] for idx in doc_idxs] + + return results + + +def load_model( + model_path: str, + use_fp16: bool = False + ): + model_config = AutoConfig.from_pretrained(model_path, trust_remote_code=True) + model = AutoModel.from_pretrained(model_path, trust_remote_code=True) + model.eval() + model.cuda() + if use_fp16: + model = model.half() + tokenizer = AutoTokenizer.from_pretrained(model_path, use_fast=True, trust_remote_code=True) + + return model, tokenizer + + +def pooling( + pooler_output, + last_hidden_state, + attention_mask = None, + pooling_method = "mean" + ): + if pooling_method == "mean": + last_hidden = last_hidden_state.masked_fill(~attention_mask[..., None].bool(), 0.0) + return last_hidden.sum(dim=1) / attention_mask.sum(dim=1)[..., None] + elif pooling_method == "cls": + return last_hidden_state[:, 0] + elif pooling_method == "pooler": + return pooler_output + else: + raise NotImplementedError("Pooling method not implemented!") + + +class Encoder: + def __init__(self, model_name, model_path, pooling_method, max_length, use_fp16): + self.model_name = model_name + self.model_path = model_path + self.pooling_method = pooling_method + self.max_length = max_length + self.use_fp16 = use_fp16 + + self.model, self.tokenizer = load_model(model_path=model_path, + use_fp16=use_fp16) + + @torch.no_grad() + def encode(self, query_list: List[str], is_query=True) -> np.ndarray: + # processing query for different encoders + if isinstance(query_list, str): + query_list = [query_list] + + if "e5" in self.model_name.lower(): + if is_query: + query_list = [f"query: {query}" for query in query_list] + else: + query_list = [f"passage: {query}" for query in query_list] + + if "bge" in self.model_name.lower(): + if is_query: + query_list = [f"Represent this sentence for searching relevant passages: {query}" for query in query_list] + + inputs = self.tokenizer(query_list, + max_length=self.max_length, + padding=True, + truncation=True, + return_tensors="pt" + ) + inputs = {k: v.cuda() for k, v in inputs.items()} + + if "T5" in type(self.model).__name__: + # T5-based retrieval model + decoder_input_ids = torch.zeros( + (inputs['input_ids'].shape[0], 1), dtype=torch.long + ).to(inputs['input_ids'].device) + output = self.model( + **inputs, decoder_input_ids=decoder_input_ids, return_dict=True + ) + query_emb = output.last_hidden_state[:, 0, :] + + else: + output = self.model(**inputs, return_dict=True) + query_emb = pooling(output.pooler_output, + output.last_hidden_state, + inputs['attention_mask'], + self.pooling_method) + if "dpr" not in self.model_name.lower(): + query_emb = torch.nn.functional.normalize(query_emb, dim=-1) + + query_emb = query_emb.detach().cpu().numpy() + query_emb = query_emb.astype(np.float32, order="C") + return query_emb + + +class BaseRetriever: + """Base object for all retrievers.""" + + def __init__(self, config): + self.config = config + self.retrieval_method = config.retrieval_method + self.topk = config.retrieval_topk + + self.index_path = config.index_path + self.corpus_path = config.corpus_path + + # self.cache_save_path = os.path.join(config.save_dir, 'retrieval_cache.json') + + def _search(self, query: str, num: int, return_score:bool) -> List[Dict[str, str]]: + r"""Retrieve topk relevant documents in corpus. + Return: + list: contains information related to the document, including: + contents: used for building index + title: (if provided) + text: (if provided) + """ + pass + + def _batch_search(self, query_list, num, return_score): + pass + + def search(self, *args, **kwargs): + return self._search(*args, **kwargs) + + def batch_search(self, *args, **kwargs): + return self._batch_search(*args, **kwargs) + + +class BM25Retriever(BaseRetriever): + r"""BM25 retriever based on pre-built pyserini index.""" + + def __init__(self, config): + super().__init__(config) + raise NotImplementedError + from pyserini.search.lucene import LuceneSearcher + self.searcher = LuceneSearcher(self.index_path) + self.contain_doc = self._check_contain_doc() + if not self.contain_doc: + self.corpus = load_corpus(self.corpus_path) + self.max_process_num = 8 + + def _check_contain_doc(self): + r"""Check if the index contains document content + """ + return self.searcher.doc(0).raw() is not None + + def _search(self, query: str, num: int = None, return_score = False) -> List[Dict[str, str]]: + if num is None: + num = self.topk + + hits = self.searcher.search(query, num) + if len(hits) < 1: + if return_score: + return [],[] + else: + return [] + + scores = [hit.score for hit in hits] + if len(hits) < num: + warnings.warn('Not enough documents retrieved!') + else: + hits = hits[:num] + + if self.contain_doc: + all_contents = [json.loads(self.searcher.doc(hit.docid).raw())['contents'] for hit in hits] + results = [{'title': content.split("\n")[0].strip("\""), + 'text': "\n".join(content.split("\n")[1:]), + 'contents': content} for content in all_contents] + else: + results = load_docs(self.corpus, [hit.docid for hit in hits]) + + if return_score: + return results, scores + else: + return results + + def _batch_search(self, query_list, num: int = None, return_score = False): + # TODO: modify batch method + results = [] + scores = [] + for query in query_list: + item_result, item_score = self._search(query, num,True) + results.append(item_result) + scores.append(item_score) + + if return_score: + return results, scores + else: + return results + + +class DenseRetriever(BaseRetriever): + r"""Dense retriever based on pre-built faiss index.""" + + def __init__(self, config: dict, index): + super().__init__(config) + self.index = index + # self.index = faiss.read_index(self.index_path) + # if config.faiss_gpu: + # co = faiss.GpuMultipleClonerOptions() + # co.useFloat16 = True + # co.shard = True + # self.index = faiss.index_cpu_to_all_gpus(self.index, co=co) + # # self.index = faiss.index_cpu_to_all_gpus(self.index) + + self.corpus = load_corpus(self.corpus_path) + self.encoder = Encoder( + model_name = self.retrieval_method, + model_path = config.retrieval_model_path, + pooling_method = config.retrieval_pooling_method, + max_length = config.retrieval_query_max_length, + use_fp16 = config.retrieval_use_fp16 + ) + self.topk = config.retrieval_topk + self.batch_size = self.config.retrieval_batch_size + + def _search(self, query: str, num: int = None, return_score = False): + raise NotImplementedError + if num is None: + num = self.topk + query_emb = self.encoder.encode(query) + scores, idxs = self.index.search(query_emb, k=num) + idxs = idxs[0] + scores = scores[0] + + results = load_docs(self.corpus, idxs) + if return_score: + return results, scores + else: + return results + + def _batch_search(self, query_list: List[str], num: int = None, return_score = False): + if isinstance(query_list, str): + query_list = [query_list] + if num is None: + num = self.topk + + batch_size = self.batch_size + + results = [] + scores = [] + + for start_idx in tqdm(range(0, len(query_list), batch_size), desc='Retrieval process: '): + query_batch = query_list[start_idx:start_idx + batch_size] + + # from time import time + # a = time() + batch_emb = self.encoder.encode(query_batch) + # b = time() + # print(f'################### encode time {b-a} #####################') + batch_scores, batch_idxs = ray.get(self.index.batch_search.remote(batch_emb, k=num)) + batch_scores = batch_scores.tolist() + batch_idxs = batch_idxs.tolist() + # print(f'################### search time {time()-b} #####################') + # exit() + + flat_idxs = sum(batch_idxs, []) + batch_results = load_docs(self.corpus, flat_idxs) + batch_results = [batch_results[i*num : (i+1)*num] for i in range(len(batch_idxs))] + + scores.extend(batch_scores) + results.extend(batch_results) + + if return_score: + return results, scores + else: + return results + +def get_retriever(config, index): + r"""Automatically select retriever class based on config's retrieval method + + Args: + config (dict): configuration with 'retrieval_method' key + + Returns: + Retriever: retriever instance + """ + if config.retrieval_method == "bm25": + raise NotImplementedError + return BM25Retriever(config) + else: + return DenseRetriever(config, index) + + + +class RetrieveWorker(Worker): + """Environment worker that handles GPU-based environment operations.""" + + def __init__(self, config, faiss_server): + super().__init__() + config.index_path = os.path.join(config.index_path, f'{config.retrieval_method}_Flat.index') if config.retrieval_method != 'bm25' else os.path.join(config.index_path, 'bm25') + + self.config = config # Initialize environment later + self.faiss_server = faiss_server + + @register(dispatch_mode=Dispatch.ONE_TO_ALL) + def init_model(self): + self.retriever = get_retriever(self.config, self.faiss_server) + torch.cuda.empty_cache() + + @register(dispatch_mode=Dispatch.ALL_TO_ALL) + def batch_search(self, queries): + return self.retriever.batch_search(queries) + + +import ray +import faiss +import torch + +@ray.remote(num_gpus=8) # Allocate all GPUs +class FAISSIndexServer: + """Ray Actor that loads and serves a shared FAISS index with FAISS GPU optimization.""" + + def __init__(self, config): + """Initialize the FAISS index only once.""" + print("[FAISSIndexServer] Loading FAISS index...") + self.config = config + self.index = self.load_index(config) + + def load_index(self, config): + """Loads the FAISS index into GPU memory with sharding.""" + index_path = os.path.join(config.index_path, f'{config.retrieval_method}_Flat.index') + index = faiss.read_index(index_path) + + if self.config.faiss_gpu: + + # Apply FAISS GPU settings + co = faiss.GpuMultipleClonerOptions() + co.useFloat16 = True # Reduce memory footprint + co.shard = True # Distribute index across all GPUs + + print("[FAISSIndexServer] Moving FAISS index to all GPUs with sharding enabled...") + index = faiss.index_cpu_to_all_gpus(index, co=co) + + print("[FAISSIndexServer] FAISS index successfully moved to GPUs.") + return index + + def batch_search(self, batch_emb, k): + """Perform batch search on the FAISS index.""" + print(f"[FAISSIndexServer] Received {len(batch_emb)} queries.") + return self.index.search(batch_emb, k) # Adjust 'k' as needed diff --git a/verl/workers/reward_model/__init__.py b/verl/workers/reward_model/__init__.py new file mode 100644 index 00000000..a0b48a75 --- /dev/null +++ b/verl/workers/reward_model/__init__.py @@ -0,0 +1,15 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from .base import BasePPORewardModel diff --git a/verl/workers/reward_model/base.py b/verl/workers/reward_model/base.py new file mode 100644 index 00000000..c02487db --- /dev/null +++ b/verl/workers/reward_model/base.py @@ -0,0 +1,45 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +The base class for reward model +""" + +from abc import ABC, abstractmethod + +from verl import DataProto + + +class BasePPORewardModel(ABC): + + def __init__(self, config): + self.config = config + + @abstractmethod + def compute_reward(self, data: DataProto) -> DataProto: + """Computing reward given input_ids. The transformers should output a tensor with shape + [batch_size, sequence_length], and the value at [EOS] mask should be gathered. + + Args: + data: must contain keys "input_ids", "attention_mask" and "position_ids". + - input_ids: [batch_size, sequence_length] + - attention_mask: [batch_size, sequence_length] + - position_ids: [batch_size, sequence_length] + + Returns: a data pass protocol containing "reward". Only the [EOS] position contains the reward. + Other position should have zero reward. Note that this may change in the future if we use + dense reward. So, we leave the interface for general case. + - reward: [batch_size, sequence_length]. + + """ + pass diff --git a/verl/workers/reward_model/megatron/__init__.py b/verl/workers/reward_model/megatron/__init__.py new file mode 100644 index 00000000..b0956b4c --- /dev/null +++ b/verl/workers/reward_model/megatron/__init__.py @@ -0,0 +1,15 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from .reward_model import MegatronRewardModel diff --git a/verl/workers/reward_model/megatron/reward_model.py b/verl/workers/reward_model/megatron/reward_model.py new file mode 100644 index 00000000..c7b3bb4c --- /dev/null +++ b/verl/workers/reward_model/megatron/reward_model.py @@ -0,0 +1,278 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Megatron Reward Model. +""" + +from tensordict import TensorDict +from functools import partial +from verl import DataProto +from verl.utils.torch_functional import logprobs_from_logits +import torch +import torch +import torch.distributed + +from verl.utils.torch_functional import get_eos_mask, pad_sequence_to_length +from verl.utils.megatron.pipeline_parallel import (compute_transformers_input_shapes, make_batch_generator) +from verl import DataProto +from verl.utils.torch_functional import logprobs_from_logits, broadcast_dict_tensor, split_dict_tensor_into_batches +from verl.utils.torch_dtypes import PrecisionType +from verl.workers.reward_model.base import BasePPORewardModel +from verl.utils.megatron import sequence_parallel as sp_utils +from megatron.core import parallel_state as mpu +from megatron.core.pipeline_parallel import get_forward_backward_func + + +class MegatronRewardModel(BasePPORewardModel): + + def __init__(self, + config, + model_config, + reward_model_module: torch.nn.ModuleList, + megatron_config, + sft_tokenizer=None, + rm_tokenizer=None): + self.config = config + self.reward_model_module = reward_model_module + self.megatron_config = megatron_config + self.model_config = model_config + self.device = 'cuda' + self.sft_tokenizer = sft_tokenizer + self.rm_tokenizer = rm_tokenizer + self.use_different_tokenizer = rm_tokenizer is not None + + if self.config.param_offload: + self.offload_params_to_cpu() + + def re_encode_by_rm_tokenizer(self, data: DataProto) -> DataProto: + assert self.use_different_tokenizer, 're-encode need rm tokenizer not be None!' + # need to use rm tokenizer to re-generate input_ids, attention_mask and position_ids + # 1. remove pad for each sequence + # 2. decode by sft_tokenizer, remove sft system prompts + # 3. encode by rm_tokenizer with rm system prompts, get rm_input_ids + # 4. generate attention_mask and position_ids + input_ids = data.batch['input_ids'] # (bs, seq_len) + attention_mask = data.batch['attention_mask'] + position_ids = data.batch['position_ids'] + ori_values = {'input_ids': input_ids, 'attention_mask': attention_mask, 'position_ids': position_ids} + ori_bs, ori_seqlen = input_ids.size(0), input_ids.size(1) + input_ids_for_rm = [] + attention_mask_for_rm = [] + position_ids_for_rm = [] + print_decode = True + ori_seqlen = ori_seqlen + 128 + for id, mask in zip(input_ids, attention_mask): + # 1. remove pad for each sequence + non_zero_indices = torch.nonzero(mask).view(-1) + begin_pos, end_pos = non_zero_indices[0].item(), non_zero_indices[-1].item() + valid_id = id[begin_pos:end_pos + 1] + # 2. decode by sft_tokenizer, remove sft system prompts + decode_result = self.sft_tokenizer.decode(valid_id) + # workaround + decode_with_rm_chat = decode_result.replace("<|user|>\n", "[INST] ").replace( + "
    \n<|assistant|>\n", " [/INST]").replace(" \n<|assistant|>\n", " [/INST]") + "" + + print(f"decode_with_rm_chat: {decode_with_rm_chat}") + + if print_decode and torch.distributed.get_rank() == 0: + # only print first decode result + print(f'device {torch.cuda.current_device()}: sft decode result:\n{decode_result}\n \ + \ndevice {torch.cuda.current_device()}: sft decode result with rm chat template:\n{decode_with_rm_chat}\n\n' + ) + print_decode = False + # 3. encode by rm_tokenizer + rm_input_ids = self.rm_tokenizer(decode_with_rm_chat, + return_tensors='pt')['input_ids'][0].to(input_ids.device) + # 4. generate attention_mask and position_ids + rm_attention_mask = torch.ones_like(rm_input_ids, device=input_ids.device) + cur_seqlen = rm_input_ids.shape[-1] + # NOTE(gh): the later reward compute will process the shape (bs, seqlen_pad_128) + if cur_seqlen > ori_seqlen: + print(f'warninig: rm encode seqlen {cur_seqlen} > sft encode seqlen {ori_seqlen}') + rm_input_ids = rm_input_ids[:ori_seqlen] + rm_attention_mask = rm_attention_mask[:ori_seqlen] + else: + # right padding + rm_input_ids = pad_sequence_to_length(rm_input_ids, ori_seqlen, self.rm_tokenizer.pad_token_id) + rm_attention_mask = pad_sequence_to_length(rm_attention_mask, ori_seqlen, 0) + rm_position_ids = torch.arange(0, ori_seqlen, device=input_ids.device) + input_ids_for_rm.append(torch.unsqueeze(rm_input_ids, dim=0)) + attention_mask_for_rm.append(torch.unsqueeze(rm_attention_mask, dim=0)) + position_ids_for_rm.append(torch.unsqueeze(rm_position_ids, dim=0)) + input_ids_for_rm = torch.cat(input_ids_for_rm, dim=0) + attention_mask_for_rm = torch.cat(attention_mask_for_rm, dim=0) + position_ids_for_rm = torch.cat(position_ids_for_rm, dim=0) + + # (bs, seqlen) will not change, but input_ids, attention_mask and position_ids will change + # NOTE(gh): need to replace into origin values after compute reward! + data.batch['input_ids'] = input_ids_for_rm + data.batch['attention_mask'] = attention_mask_for_rm + data.batch['position_ids'] = position_ids_for_rm + + return data, ori_values + + @torch.no_grad() + def compute_reward(self, data: DataProto) -> DataProto: + if self.config.param_offload: + self.load_params_to_cuda() + + if self.use_different_tokenizer: + data, ori_values = self.re_encode_by_rm_tokenizer(data) + + input_ids = data.batch['input_ids'] # (bs, seq_len') + attention_mask = data.batch['attention_mask'] + position_ids = data.batch['position_ids'] + + responses = data.batch['responses'] + batch_size = responses.size(0) + response_length = responses.size(1) + + with torch.no_grad(): + output = self.forward_batch(data) + if mpu.is_pipeline_last_stage(ignore_virtual=True): + logits = torch.cat([o['logits'] for o in output], dim=0) + else: + logits = torch.empty( + (input_ids.shape[0], input_ids.shape[1]), + dtype=torch.bfloat16, # TODO(sgm): check why is bfloat16 + device=input_ids.device) + # broadcast across pp ranks + torch.distributed.broadcast(tensor=logits, + src=mpu.get_pipeline_model_parallel_last_rank(), + group=mpu.get_pipeline_model_parallel_group(), + async_op=False) + + # (bs, seqlen', hidden_size) -> (bs, seqlen', 1) -> (bs, seqlen') + token_level_rewards = logits + # find the last token reward + ends = attention_mask.cumsum(dim=-1).argmax(dim=-1).view(-1, 1) # (bs, 1) + rewards = torch.gather(token_level_rewards, dim=1, index=ends) # (bs, 1) + + if self.use_different_tokenizer: + data.batch.update(ori_values) + input_ids = ori_values['input_ids'] + attention_mask = ori_values['attention_mask'] + position_ids = ori_values['position_ids'] + + token_level_rewards = rewards.expand(attention_mask.shape[0], attention_mask.shape[1]) # (bs, ori_seqlen) + + # assign last valid token reward to ori position + eos_mask_idx = torch.argmax(position_ids * attention_mask, dim=-1) # (bs,) + eos_mask = torch.zeros_like(attention_mask) + eos_mask[torch.arange(batch_size), eos_mask_idx] = 1. + + token_level_rewards = token_level_rewards * eos_mask + token_level_rewards = token_level_rewards[:, -response_length:] + + if self.config.param_offload: + self.offload_params_to_cpu() + else: + # add empty cache after each compute + torch.cuda.empty_cache() + + batch = TensorDict({'rm_scores': token_level_rewards}, batch_size=input_ids.shape[0]) + + return DataProto(batch=batch) + + def forward_batch(self, data: DataProto): + """ + We assume: + - The model takes input: (input_ids, attention_mask, position_ids). No rmpad for the input + - The communication shape is (total_nnz_pad_to_sp // tp_size, 1, hidden_size) if sequence parallel is enabled + """ + # broadcast from last pp rank to all other pp ranks + # TODO: actually, we just need to control the sampling order. + data.batch = data.batch.contiguous() + broadcast_dict_tensor(data.batch, + src=mpu.get_pipeline_model_parallel_last_rank(), + group=mpu.get_pipeline_model_parallel_group()) + + # split into micro-batches + if self.config is not None and 'ppo_micro_batch_size' in self.config: + infer_batch_size = self.config.ppo_micro_batch_size + else: + infer_batch_size = data.batch.batch_size[0] + + data.batch['attention_mask'] = data.batch['attention_mask'].to(bool) + batches = split_dict_tensor_into_batches(data.batch, batch_size=infer_batch_size) + n_micro_batch = len(batches) + seq_len = batches[0]['input_ids'].shape[1] + + # compute input shapes for pp stages + input_shapes = compute_transformers_input_shapes( + batches, + meta_info={ + 'sequence_parallel': self.megatron_config.sequence_parallel, + 'hidden_size': self.model_config.hidden_size + }) + # compute input shapes for pp stages + forward_backward_func = get_forward_backward_func() + + def loss_func(output): + return 1., {'logits': output.logits} + + def forward_step(batch_iter, model): + batch = next(batch_iter) + input_ids = batch['input_ids'] + attention_mask = batch['attention_mask'] + position_ids = batch['position_ids'] + output = model(input_ids=input_ids, attention_mask=attention_mask, position_ids=position_ids) + return output, loss_func + + # batch should be a list of batches inside micro-batches + batch_generator = make_batch_generator(batches, vpp_size=len(self.reward_model_module)) + + # TODO: we may use the new schedule instead + # for flash-attn: (seq_len, batch_size, hidden_size) = (mbs*seq_len, 1, hidden_size) + if mpu.get_pipeline_model_parallel_world_size() > 1: + losses_reduced = forward_backward_func( + forward_step_func=forward_step, + data_iterator=batch_generator, + model=self.reward_model_module, + num_microbatches=n_micro_batch, + input_shapes=input_shapes, # must set for flash-attn sequence packing + seq_length=infer_batch_size * seq_len, # no use when input_shapes was set + hidden_size=self.model_config.hidden_size, # no use when input_shapes was set + micro_batch_size=1, # no use when input_shapes was set + forward_only=True, + ) + else: + losses_reduced = forward_backward_func( + forward_step_func=forward_step, + data_iterator=batch_generator, + model=self.reward_model_module, + num_microbatches=n_micro_batch, + seq_length=infer_batch_size * seq_len, # in use for pp = 1 + hidden_size=self.model_config.hidden_size, # in use for pp = 1 + micro_batch_size=1, # in use for pp = 1 + forward_only=True, + ) + # loss_reduces contains the stats returned from loss_func + + return losses_reduced + + def offload_params_to_cpu(self): + if self.device == 'cuda': + for reward_model_module in self.reward_model_module: + for name, param in reward_model_module.named_parameters(): + param.data = param.data.to('cpu', non_blocking=True) + self.device = 'cpu' + torch.cuda.empty_cache() + + def load_params_to_cuda(self): + if self.device == 'cpu': + for reward_model_module in self.reward_model_module: + for name, param in reward_model_module.named_parameters(): + param.data = param.data.to(torch.cuda.current_device(), non_blocking=True) + self.device = 'cuda' diff --git a/verl/workers/rollout/__init__.py b/verl/workers/rollout/__init__.py new file mode 100644 index 00000000..083848c7 --- /dev/null +++ b/verl/workers/rollout/__init__.py @@ -0,0 +1,19 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from .base import BaseRollout +from .naive import NaiveRollout +from .hf_rollout import HFRollout + +__all__ = ["BaseRollout", "NaiveRollout", "HFRollout"] diff --git a/verl/workers/rollout/base.py b/verl/workers/rollout/base.py new file mode 100644 index 00000000..8c273332 --- /dev/null +++ b/verl/workers/rollout/base.py @@ -0,0 +1,37 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from abc import ABC, abstractmethod +from typing import Iterable, Union + +from verl import DataProto + +__all__ = ['BaseRollout'] + + +class BaseRollout(ABC): + + def __init__(self): + """ + + Args: + dataloader: an Iterable of TensorDict that consistently generates prompts. Note that the dataloader + should handle when the training stops. + """ + super().__init__() + + @abstractmethod + def generate_sequences(self, prompts: DataProto) -> DataProto: + """Generate sequences""" + pass diff --git a/verl/workers/rollout/hf_rollout.py b/verl/workers/rollout/hf_rollout.py new file mode 100644 index 00000000..1d929e5d --- /dev/null +++ b/verl/workers/rollout/hf_rollout.py @@ -0,0 +1,140 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Rollout with huggingface models. +TODO: refactor this class. Currently, it will hang when using FSDP HybridShard. We should actually create a single GPU model. +Then, get full state_dict and bind the state_dict to the single GPU model. Then, use the single GPU model to perform generation. +""" +import contextlib +import torch +import torch.distributed +from tensordict import TensorDict +from torch import nn +from torch.distributed.fsdp import FullyShardedDataParallel as FSDP + +from verl import DataProto +from verl.utils.torch_functional import get_eos_mask +from .base import BaseRollout + +from transformers import GenerationConfig + +__all__ = ['HFRollout'] + + +class HFRollout(BaseRollout): + + def __init__(self, module: nn.Module, config): + super().__init__() + self.config = config + self.module = module + + def generate_sequences(self, prompts: DataProto) -> DataProto: + batch_size = prompts.batch.batch_size[0] + num_chunks = max(batch_size // self.config.get('micro_batch_size', batch_size), 1) + batch_prompts = prompts.chunk(chunks=num_chunks) + output = [self._generate_minibatch(p) for p in batch_prompts] + output = DataProto.concat(output) + return output + + @torch.no_grad() + def _generate_minibatch(self, prompts: DataProto) -> DataProto: + idx = prompts.batch['input_ids'] # (bs, prompt_length) + attention_mask = prompts.batch['attention_mask'] # left-padded attention_mask + position_ids = prompts.batch['position_ids'] + + # used to construct attention_mask + eos_token_id = prompts.meta_info['eos_token_id'] + pad_token_id = prompts.meta_info['pad_token_id'] + + batch_size = idx.size(0) + prompt_length = idx.size(1) + + self.module.eval() + param_ctx = contextlib.nullcontext() + + # make sampling args can be overriden by inputs + do_sample = prompts.meta_info.get('do_sample', self.config.do_sample) + response_length = prompts.meta_info.get('response_length', self.config.response_length) + top_p = prompts.meta_info.get('top_p', self.config.get('top_p', 1.0)) + top_k = prompts.meta_info.get('top_k', self.config.get('top_k', 0)) + + if top_k is None: + top_k = 0 + top_k = max(0, top_k) # to be compatible with vllm + + temperature = prompts.meta_info.get('temperature', self.config.temperature) + + generation_config = GenerationConfig(temperature=temperature, top_p=top_p, top_k=top_k) + + if isinstance(self.module, FSDP): + # recurse need to set to False according to https://github.com/pytorch/pytorch/issues/100069 + param_ctx = FSDP.summon_full_params(self.module, writeback=False, recurse=False) + with param_ctx: + with torch.autocast(device_type='cuda', dtype=torch.bfloat16): + output = self.module.generate( + input_ids=idx, + attention_mask=attention_mask, + do_sample=do_sample, + max_new_tokens=response_length, + # max_length=max_length, + eos_token_id=eos_token_id, + pad_token_id=pad_token_id, + generation_config=generation_config, + # renormalize_logits=True, + output_scores=False, # this is potentially very large + return_dict_in_generate=True, + use_cache=True) + # TODO: filter out the seq with no answers like ds-chat + seq = output.sequences + + # huggingface generate will stop generating when all the batch reaches [EOS]. + # We have to pad to response_length + sequence_length = prompt_length + self.config.response_length + delta_length = sequence_length - seq.shape[1] + + if delta_length > 0: + delta_tokens = torch.ones(size=(batch_size, delta_length), device=seq.device, dtype=seq.dtype) + delta_tokens = pad_token_id * delta_tokens + seq = torch.cat((seq, delta_tokens), dim=1) + + assert seq.shape[1] == sequence_length + + prompt = seq[:, :prompt_length] # (bs, prompt_length) + response = seq[:, prompt_length:] # (bs, response_length) + + response_length = response.size(1) + delta_position_id = torch.arange(1, response_length + 1, device=position_ids.device) + delta_position_id = delta_position_id.unsqueeze(0).repeat(batch_size, 1) + + response_position_ids = position_ids[:, -1:] + delta_position_id + position_ids = torch.cat([position_ids, response_position_ids], dim=-1) + + response_attention_mask = get_eos_mask(response_id=response, eos_token=eos_token_id, dtype=attention_mask.dtype) + attention_mask = torch.cat((attention_mask, response_attention_mask), dim=-1) + + batch = TensorDict( + { + 'prompts': prompt, + 'responses': response, + 'input_ids': seq, + 'attention_mask': attention_mask, + 'position_ids': position_ids + }, + batch_size=batch_size) + + # empty cache before compute old_log_prob + torch.cuda.empty_cache() + + self.module.train() + return DataProto(batch=batch) diff --git a/verl/workers/rollout/naive/__init__.py b/verl/workers/rollout/naive/__init__.py new file mode 100644 index 00000000..df81c860 --- /dev/null +++ b/verl/workers/rollout/naive/__init__.py @@ -0,0 +1,15 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from .naive_rollout import NaiveRollout diff --git a/verl/workers/rollout/naive/naive_rollout.py b/verl/workers/rollout/naive/naive_rollout.py new file mode 100644 index 00000000..6f2e8d59 --- /dev/null +++ b/verl/workers/rollout/naive/naive_rollout.py @@ -0,0 +1,119 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +In single GPU rollout, the sequences are generated directly by sampling from the model. +The output will contain +1. output_ids +2. attention_masks (left padding) +3. eos_masks +4. log_probs +""" +from typing import Iterable, Union + +import torch +import torch.nn.functional as F +from tensordict import TensorDict +from torch import nn + +from verl import DataProto +from verl.utils.torch_functional import logprobs_from_logits +from ..base import BaseRollout + +__all__ = ['NativeRollout'] + + +class NaiveRollout(BaseRollout): + + def __init__(self, module: nn.Module, config): + """A naive rollout. It requires the module to be compatible with huggingface APIs. That is: + The module should define __call__ to receive input_ids, attention_mask and position_ids. + It outputs a structure that contains logits field. + + Args: + module: module here follows huggingface APIs + config: DictConfig + """ + super().__init__() + self.config = config + self.module = module + + @torch.no_grad() + def generate_sequences(self, prompts: DataProto) -> DataProto: + """Generate sequences""" + idx = prompts.batch['input_ids'] # (bs, prompt_length) + attention_mask = prompts.batch['attention_mask'] # left-padded attention_mask + position_ids = prompts.batch['position_ids'] + + # used to construct attention_mask + eos_token_id = prompts.meta_info['eos_token_id'] + + batch_size = idx.size(0) + prompt_length = idx.size(1) + + self.module.eval() + + prev_attention_mask = torch.ones(size=(batch_size, 1), dtype=attention_mask.dtype, device=attention_mask.device) + + logits_lst = [] + for _ in range(self.config.response_length): + # if the sequence context is growing too long we must crop it at block_size + # idx_cond = idx if idx.size(1) <= self.config.block_size else idx[:, -self.config.block_size:] + idx_cond = idx + # forward the model to get the logits for the index in the sequence + # we use huggingface APIs here + output = self.module(input_ids=idx_cond, attention_mask=attention_mask, position_ids=position_ids) + logits = output.logits + # pluck the logits at the final step and scale by desired temperature + logits = logits[:, -1, :] / self.config.temperature # (bs, vocab_size) + # optionally crop the logits to only the top k options + if self.config.top_k is not None: + v, _ = torch.topk(logits, min(self.config.top_k, logits.size(-1))) + logits[logits < v[:, [-1]]] = -float('Inf') + # apply softmax to convert logits to (normalized) probabilities + probs = F.softmax(logits, dim=-1) + # sample from the distribution + if self.config.do_sample: + idx_next = torch.multinomial(probs, num_samples=1) + else: + idx_next = torch.argmax(probs, dim=-1, keepdim=True) + + attention_mask = torch.cat((attention_mask, prev_attention_mask), dim=-1) + + prev_attention_mask = torch.logical_and(idx_next != eos_token_id, prev_attention_mask.bool()) + prev_attention_mask.to(attention_mask.dtype) + + position_ids = torch.cat((position_ids, position_ids[:, -1:] + 1), dim=-1) + + # append sampled index to the running sequence and continue + idx = torch.cat((idx, idx_next), dim=1) + logits_lst.append(logits) + + logits = torch.stack(logits_lst, dim=1) # (bs, response_length, vocab_size) + prompts = idx[:, :prompt_length] # (bs, prompt_length) + response = idx[:, prompt_length:] # (bs, response_length) + log_probs = logprobs_from_logits(logits=logits, labels=response) + batch = TensorDict( + { + 'input_ids': prompts, + 'responses': response, + 'sequences': idx, + 'old_log_probs': log_probs, + 'attention_mask': attention_mask, + 'position_ids': position_ids, + }, + batch_size=batch_size) + + self.module.train() + + return DataProto(batch=batch) diff --git a/verl/workers/rollout/tokenizer.py b/verl/workers/rollout/tokenizer.py new file mode 100644 index 00000000..c0dfa3a5 --- /dev/null +++ b/verl/workers/rollout/tokenizer.py @@ -0,0 +1,162 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +The base tokenizer class, required for any hybrid engine based rollout or inference with vLLM. +""" +from abc import ABC, abstractmethod +from typing import Dict, List, Union + +__all__ = ['HybridEngineBaseTokenizer'] + + +class HybridEngineBaseTokenizer(ABC): + """the tokenizer property and function name should align with HF's to meet vllm requirement""" + + @property + @abstractmethod + def vocab_size(self): + """ + `int`: Size of the base vocabulary (without the added tokens). + """ + pass + + @property + @abstractmethod + def pad_token_id(self): + """ + `Optional[int]`: Id of the padding token in the vocabulary. Returns `None` if the token has not been set. + """ + pass + + @property + @abstractmethod + def eos_token_id(self): + """ + `Optional[int]`: Id of the end of sentence token in the vocabulary. Returns `None` if the token has not been + set. + """ + pass + + @property + @abstractmethod + def all_special_ids(self) -> List[int]: + """ + `List[int]`: List the ids of the special tokens(`''`, `''`, etc.) mapped to class attributes. + """ + pass + + @property + @abstractmethod + def all_special_tokens(self) -> List[str]: + """ + `List[str]`: A list of the unique special tokens (`''`, `''`, ..., etc.). + + Convert tokens of `tokenizers.AddedToken` type to string. + """ + pass + + @abstractmethod + def encode(self, text): + """ + Converts a string to a sequence of ids (integer), using the tokenizer and vocabulary. + + Args: + text (`str`, `List[str]` or `List[int]`): + The first sequence to be encoded. This can be a string, a list of strings (tokenized string using the + `tokenize` method) or a list of integers. + + text_pair (`str`, `List[str]` or `List[int]`, *optional*): + Optional second sequence to be encoded. This can be a string, a list of strings (tokenized string using + the `tokenize` method) or a list of integers. + """ + pass + + @abstractmethod + def decode( + self, + token_ids: Union[int, List[int], "np.ndarray", "torch.Tensor", "tf.Tensor"], + skip_special_tokens: bool = False, + clean_up_tokenization_spaces: bool = None, + **kwargs, + ) -> str: + """ + Converts a sequence of ids in a string, using the tokenizer and vocabulary with options to remove special + tokens and clean up tokenization spaces. + + Similar to doing `self.convert_tokens_to_string(self.convert_ids_to_tokens(token_ids))`. + + Args: + token_ids (`Union[int, List[int], np.ndarray, torch.Tensor, tf.Tensor]`): + List of tokenized input ids. Can be obtained using the `__call__` method. + skip_special_tokens (`bool`, *optional*, defaults to `False`): + Whether or not to remove special tokens in the decoding. + clean_up_tokenization_spaces (`bool`, *optional*): + Whether or not to clean up the tokenization spaces. If `None`, will default to + `self.clean_up_tokenization_spaces`. + kwargs (additional keyword arguments, *optional*): + Will be passed to the underlying model specific decode method. + + Returns: + `str`: The decoded sentence. + """ + pass + + @abstractmethod + def convert_ids_to_tokens(self, + ids: Union[int, List[int]], + skip_special_tokens: bool = False) -> Union[str, List[str]]: + """ + Converts a single index or a sequence of indices in a token or a sequence of tokens, using the vocabulary and + added tokens. + + Args: + ids (`int` or `List[int]`): + The token id (or token ids) to convert to tokens. + skip_special_tokens (`bool`, *optional*, defaults to `False`): + Whether or not to remove special tokens in the decoding. + + Returns: + `str` or `List[str]`: The decoded token(s). + """ + pass + + @abstractmethod + def get_added_vocab(self) -> Dict[str, int]: + """ + Returns the added tokens in the vocabulary as a dictionary of token to index. Results might be different from + the fast call because for now we always add the tokens even if they are already in the vocabulary. This is + something we should change. + + Returns: + `Dict[str, int]`: The added tokens. + """ + pass + + @abstractmethod + def convert_tokens_to_string(self, tokens: List[str]) -> str: + """ + Converts a sequence of tokens in a single string. The most simple way to do it is `" ".join(tokens)` but we + often want to remove sub-word tokenization artifacts at the same time. + + Args: + tokens (`List[str]`): The token to join in a string. + + Returns: + `str`: The joined tokens. + """ + pass + + @property + def is_fast(self): + return False diff --git a/verl/workers/rollout/vllm_rollout/__init__.py b/verl/workers/rollout/vllm_rollout/__init__.py new file mode 100644 index 00000000..4f06d209 --- /dev/null +++ b/verl/workers/rollout/vllm_rollout/__init__.py @@ -0,0 +1,15 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from .vllm_rollout import vLLMRollout \ No newline at end of file diff --git a/verl/workers/rollout/vllm_rollout/vllm_rollout.py b/verl/workers/rollout/vllm_rollout/vllm_rollout.py new file mode 100644 index 00000000..947d558f --- /dev/null +++ b/verl/workers/rollout/vllm_rollout/vllm_rollout.py @@ -0,0 +1,226 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +The vllm_rollout that can be applied in different backend +When working with FSDP: +- Use DTensor weight loader (recommended) or HF weight loader +- Utilize state_dict from the FSDP to synchronize the weights among tp ranks in vLLM +When working with Megatron: +- Use Megatron weight loader +- During training, only the current pp stage holds the parameters +- Before inference, broadcast the parameters of the current pp rank to all other pp ranks (all pp ranks holds all the parameters) +- Bind the parameters to the inference engine +- Do inference in tp. pp is treated as additional dp +- After inference, all the parameters that doesn't belong to this pp rank is freed. +""" +from typing import List +from contextlib import contextmanager +from omegaconf import DictConfig +import torch +import torch.distributed +from tensordict import TensorDict +from torch import nn + +from verl import DataProto +from verl.utils.torch_functional import get_eos_mask, pad_sequence_to_length +from verl.workers.rollout.base import BaseRollout +from verl.third_party.vllm import LLM, vllm_version +from verl.third_party.vllm import parallel_state as vllm_ps +from vllm import SamplingParams + +# TODO +# 1. support pp in vllm +# 2. passing tokenizer is not necessary? no encoding/decoding is happending here +# 3. simplify init logics + + +# NOTE(sgm): add for verl. We can optimize it by making the dataloader yield List[int] without padding. +def _pre_process_inputs(pad_token_id, prompt_token_ids: torch.Tensor) -> List[int]: + # remove the left padding in the prompt token_id + # pad_token_id = self.llm_engine.tokenizer.pad_token_id if self.llm_engine.tokenizer.pad_token_id is not None else self.llm_engine.tokenizer.eos_token_id + non_pad_index = torch.nonzero(prompt_token_ids != pad_token_id, as_tuple=False)[0][0] + token_ids = prompt_token_ids[non_pad_index:].tolist() + return token_ids + + +class vLLMRollout(BaseRollout): + + def __init__(self, actor_module: nn.Module, config: DictConfig, tokenizer, model_hf_config, **kwargs): + """A vLLM rollout. It requires the module is supported by the vllm. + + Args: + module: module here follows huggingface APIs + config: DictConfig + tokenizer: the task/model tokenizer + model_hf_config: the huggingface config to initiallize the generating model in vllm + **kwargs: train_tp, for Megatron Backend to initialize hybrid engine (zero redundancy) process group + """ + super().__init__() + self.config = config + assert not (not config.enforce_eager and config.free_cache_engine), \ + "disable CUDA graph (enforce_eager = False) if free cache engine" + + tensor_parallel_size = self.config.get('tensor_model_parallel_size', 1) + assert tensor_parallel_size <= torch.distributed.get_world_size(), \ + "tensor parallel size should be less than or equal to the world size" + + if kwargs.get('train_tp', None) is not None: + # deployed with megatron + import os + os.environ['CUDA_TIMER_STREAM_KAFKA_ENABLE'] = '0' + os.environ['MEGATRON_IMPORT_TIMERS'] = '0' + train_tp = kwargs.get('train_tp', None) + num_tp_per_train_tp = train_tp // tensor_parallel_size + if vllm_version in ('0.4.2', '0.5.4', '0.6.3'): + vllm_ps.initialize_parallel_state(tensor_model_parallel_size=tensor_parallel_size, + num_tp_per_train_tp=num_tp_per_train_tp) + + assert model_hf_config.max_position_embeddings >= config.prompt_length + config.response_length, \ + "model context length should be greater than total sequence length" + self.inference_engine = LLM(actor_module, + tokenizer=tokenizer, + model_hf_config=model_hf_config, + tensor_parallel_size=tensor_parallel_size, + dtype=config.dtype, + enforce_eager=config.enforce_eager, + gpu_memory_utilization=config.gpu_memory_utilization, + skip_tokenizer_init=False, + max_model_len=config.prompt_length + config.response_length, + load_format=config.load_format) + + # Offload vllm model to reduce peak memory usage + self.inference_engine.offload_model_weights() + + kwargs = dict( + n=1, + logprobs=1, # can be set to 0 and let actor to recompute + max_tokens=config.response_length, + ) + + # we may detokenize the result all together later + if vllm_version in ('0.4.2', '0.5.4', '0.6.3'): + kwargs['detokenize'] = False + + # supporting adding any sampling params from the config file + for k in config.keys(): + if hasattr(SamplingParams(), str(k)): + kwargs[k] = config.get(k) + + print(f"kwargs: {kwargs}") + self.sampling_params = SamplingParams(**kwargs) + + self.pad_token_id = tokenizer.pad_token_id + + @contextmanager + def update_sampling_params(self, **kwargs): + # update sampling params + old_sampling_params_args = {} + if kwargs: + for key, value in kwargs.items(): + if hasattr(self.sampling_params, key): + old_value = getattr(self.sampling_params, key) + old_sampling_params_args[key] = old_value + setattr(self.sampling_params, key, value) + yield + # roll back to previous sampling params + # if len(old_sampling_params_args): + for key, value in old_sampling_params_args.items(): + setattr(self.sampling_params, key, value) + + @torch.no_grad() + def generate_sequences(self, prompts: DataProto, **kwargs) -> DataProto: + # rebuild vllm cache engine + if self.config.free_cache_engine: + self.inference_engine.init_cache_engine() + + idx = prompts.batch['input_ids'] # (bs, prompt_length) + # left-padded attention_mask + attention_mask = prompts.batch['attention_mask'] + position_ids = prompts.batch['position_ids'] + + # used to construct attention_mask + eos_token_id = prompts.meta_info['eos_token_id'] + + batch_size = idx.size(0) + + idx_list = [] + # parse idx from torch.Tensor to List[List[str]] + for i in range(batch_size): + idx_list.append(_pre_process_inputs(self.pad_token_id, idx[i])) + + do_sample = prompts.meta_info.get('do_sample', True) + if not do_sample: + kwargs = { + 'best_of': 1, + 'top_p': 1.0, + 'top_k': -1, + 'min_p': 0.0, + 'temperature': 0, + 'n': 1 # if greedy, only 1 response + } + + # users can customize different sampling_params at different run + with self.update_sampling_params(**kwargs): + output = self.inference_engine.generate( + prompts=None, # because we have already convert it to prompt token id + sampling_params=self.sampling_params, + prompt_token_ids=idx_list, + use_tqdm=False) + + # TODO(sgm): disable logprob when recompute_log_prob is enable + # if n = 1: (bs, response_length) ; if n > 1: (bs * n, response_length) + response = output[0].to(idx.device) + log_probs = output[1].to(idx.device) + + if response.shape[1] < self.config.response_length: + response = pad_sequence_to_length(response, self.config.response_length, self.pad_token_id) + log_probs = pad_sequence_to_length(log_probs, self.config.response_length, self.pad_token_id) + + if self.config.n > 1 and do_sample: + idx = idx.repeat_interleave(self.config.n, dim=0) + attention_mask = attention_mask.repeat_interleave(self.config.n, dim=0) + position_ids = position_ids.repeat_interleave(self.config.n, dim=0) + batch_size = batch_size * self.config.n + seq = torch.cat([idx, response], dim=-1) + + response_length = response.size(1) + delta_position_id = torch.arange(1, response_length + 1, device=position_ids.device) + delta_position_id = delta_position_id.unsqueeze(0).repeat(batch_size, 1) + + # TODO(sgm): fix position_ids on right_pad + # prompt: left pad + response: right pad + # attention_mask: [0,0,0,0,1,1,1,1, | 1,1,1,0,0,0,0,0] + # position_ids: [0,0,0,0,0,1,2,3, | 4,5,6,7,8,9,10,11] + response_position_ids = position_ids[:, -1:] + delta_position_id + position_ids = torch.cat([position_ids, response_position_ids], dim=-1) + response_attention_mask = get_eos_mask(response_id=response, eos_token=eos_token_id, dtype=attention_mask.dtype) + attention_mask = torch.cat((attention_mask, response_attention_mask), dim=-1) + + # all the tp ranks should contain the same data here. data in all ranks are valid + batch = TensorDict( + { + 'prompts': idx, + 'responses': response, + 'input_ids': seq, # here input_ids become the whole sentences + # 'old_log_probs': log_probs, # we will recompute old log prob with actor + 'attention_mask': attention_mask, + 'position_ids': position_ids + }, + batch_size=batch_size) + + # free vllm cache engine + if self.config.free_cache_engine: + self.inference_engine.free_cache_engine() + + return DataProto(batch=batch) diff --git a/verl/workers/sharding_manager/__init__.py b/verl/workers/sharding_manager/__init__.py new file mode 100644 index 00000000..e72fdf01 --- /dev/null +++ b/verl/workers/sharding_manager/__init__.py @@ -0,0 +1,33 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +from verl.utils.import_utils import is_vllm_available, is_megatron_core_available + +from .base import BaseShardingManager +from .fsdp_ulysses import FSDPUlyssesShardingManager + +AllGatherPPModel = None + +if is_megatron_core_available() and is_vllm_available(): + from .megatron_vllm import AllGatherPPModel, MegatronVLLMShardingManager +elif AllGatherPPModel is not None: + pass +else: + AllGatherPPModel = None + MegatronVLLMShardingManager = None + +if is_vllm_available(): + from .fsdp_vllm import FSDPVLLMShardingManager +else: + FSDPVLLMShardingManager = None diff --git a/verl/workers/sharding_manager/base.py b/verl/workers/sharding_manager/base.py new file mode 100644 index 00000000..d8717890 --- /dev/null +++ b/verl/workers/sharding_manager/base.py @@ -0,0 +1,33 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Sharding manager to implement HybridEngine +""" + +from verl import DataProto + + +class BaseShardingManager: + + def __enter__(self): + pass + + def __exit__(self, exc_type, exc_value, traceback): + pass + + def preprocess_data(self, data: DataProto) -> DataProto: + return data + + def postprocess_data(self, data: DataProto) -> DataProto: + return data diff --git a/verl/workers/sharding_manager/fsdp_ulysses.py b/verl/workers/sharding_manager/fsdp_ulysses.py new file mode 100644 index 00000000..3969a6fc --- /dev/null +++ b/verl/workers/sharding_manager/fsdp_ulysses.py @@ -0,0 +1,88 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +Contains a resharding manager that binds weights from FSDP zero3 to XPerfGPT +""" +from typing import Optional +from .base import BaseShardingManager + +import random +from torch.distributed.device_mesh import DeviceMesh + +from verl.utils.torch_functional import allgather_dict_tensors +from verl.utils.ulysses import set_ulysses_sequence_parallel_group, get_ulysses_sequence_parallel_group +import numpy as np + +import torch +import torch.distributed + +from verl import DataProto + + +class FSDPUlyssesShardingManager(BaseShardingManager): + """ + Sharding manager to support data resharding when using FSDP + Ulysses + """ + + def __init__(self, device_mesh: DeviceMesh): + super().__init__() + self.device_mesh = device_mesh + self.seed_offset = 12345 + + def __enter__(self): + if self.device_mesh is not None: + # We have a global SP group + # so we have to change to use model-specific sp group + self.prev_sp_group = get_ulysses_sequence_parallel_group() + set_ulysses_sequence_parallel_group(self.device_mesh['sp'].get_group()) + # TODO: check how to set seed for each model + + def __exit__(self, exc_type, exc_value, traceback): + # restore random states + if self.device_mesh is not None: + # revert to previous sp group + set_ulysses_sequence_parallel_group(self.prev_sp_group) + # TODO: check how to set seed for each model + + def preprocess_data(self, data: DataProto) -> DataProto: + """ + AllGather data from sp region + This is because the data is first sharded along the FSDP dimension as we utilize the DP_COMPUTE + In Ulysses, we need to make sure the same data is used across a SP group + """ + if self.device_mesh is not None: + sp_size = self.device_mesh['sp'].size() + group = self.device_mesh['sp'].get_group() + + prev_device = data.batch.device + data.batch = data.batch.cuda(device=torch.cuda.current_device()) + data.batch = allgather_dict_tensors(data.batch.contiguous(), size=sp_size, group=group, dim=0) + data.batch = data.batch.to(prev_device) + # all gather non_tensor_batch + all_non_tensor_batch = [None for _ in range(sp_size)] + torch.distributed.all_gather_object(all_non_tensor_batch, data.non_tensor_batch, group=group) + data.non_tensor_batch = { + k: np.concatenate([d[k] for d in all_non_tensor_batch]) for k in data.non_tensor_batch + } + return data + + def postprocess_data(self, data: DataProto) -> DataProto: + """ + Split the data to follow FSDP partition + """ + if self.device_mesh is not None: + sp_size = self.device_mesh['sp'].size() + sp_rank = self.device_mesh['sp'].get_local_rank() + data = data.chunk(chunks=sp_size)[sp_rank] + return data \ No newline at end of file diff --git a/verl/workers/sharding_manager/fsdp_vllm.py b/verl/workers/sharding_manager/fsdp_vllm.py new file mode 100644 index 00000000..19490f4e --- /dev/null +++ b/verl/workers/sharding_manager/fsdp_vllm.py @@ -0,0 +1,133 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import os +import logging +import torch +from torch.distributed.fsdp.fully_sharded_data_parallel import FullyShardedDataParallel as FSDP +from torch.distributed.fsdp.api import ShardingStrategy, ShardedStateDictConfig, StateDictType, FullStateDictConfig +from torch.distributed.device_mesh import DeviceMesh + +from verl.third_party.vllm import LLM +from verl.third_party.vllm import parallel_state as vllm_ps +from verl import DataProto +from verl.utils.torch_functional import (broadcast_dict_tensor, allgather_dict_tensors) +from verl.utils.debug import log_gpu_memory_usage + +from .base import BaseShardingManager + +logger = logging.getLogger(__file__) +logger.setLevel(os.getenv('VERL_PPO_LOGGING_LEVEL', 'WARN')) + + +class FSDPVLLMShardingManager(BaseShardingManager): + + def __init__(self, + module: FSDP, + inference_engine: LLM, + model_config, + full_params: bool = False, + device_mesh: DeviceMesh = None): + self.module = module + self.inference_engine = inference_engine + self.model_config = model_config + self.device_mesh = device_mesh + + # Full params + self.full_params = full_params + if full_params: + FSDP.set_state_dict_type(self.module, + state_dict_type=StateDictType.FULL_STATE_DICT, + state_dict_config=FullStateDictConfig()) + else: + FSDP.set_state_dict_type(self.module, + state_dict_type=StateDictType.SHARDED_STATE_DICT, + state_dict_config=ShardedStateDictConfig()) + + # Note that torch_random_states may be different on each dp rank + self.torch_random_states = torch.cuda.get_rng_state() + # get a random rng states + if self.device_mesh is not None: + gen_dp_rank = self.device_mesh['dp'].get_local_rank() + torch.cuda.manual_seed(gen_dp_rank + 1000) # make sure all tp ranks have the same random states + self.gen_random_states = torch.cuda.get_rng_state() + torch.cuda.set_rng_state(self.torch_random_states) + else: + self.gen_random_states = None + + def __enter__(self): + log_gpu_memory_usage('Before state_dict() in sharding manager memory', logger=logger) + params = self.module.state_dict() + log_gpu_memory_usage('After state_dict() in sharding manager memory', logger=logger) + # Copy, not share memory + load_format = 'hf' if self.full_params else 'dtensor' + self.inference_engine.sync_model_weights(params, load_format=load_format) + log_gpu_memory_usage('After sync model weights in sharding manager', logger=logger) + + del params + torch.cuda.empty_cache() + log_gpu_memory_usage('After del state_dict and empty_cache in sharding manager', logger=logger) + + # TODO: offload FSDP model weights + # self.module.cpu() + # torch.cuda.empty_cache() + # if torch.distributed.get_rank() == 0: + # print(f'after model to cpu in sharding manager memory allocated: {torch.cuda.memory_allocated() / 1e9}GB, reserved: {torch.cuda.memory_reserved() / 1e9}GB') + + # important: need to manually set the random states of each tp to be identical. + if self.device_mesh is not None: + self.torch_random_states = torch.cuda.get_rng_state() + torch.cuda.set_rng_state(self.gen_random_states) + + def __exit__(self, exc_type, exc_value, traceback): + log_gpu_memory_usage('Before vllm offload in sharding manager', logger=logger) + self.inference_engine.offload_model_weights() + log_gpu_memory_usage('After vllm offload in sharding manager', logger=logger) + + # self.module.to('cuda') + # if torch.distributed.get_rank() == 0: + # print(f'after actor module to cuda in sharding manager memory allocated: {torch.cuda.memory_allocated() / 1e9}GB, reserved: {torch.cuda.memory_reserved() / 1e9}GB') + + self.module.train() + + # add empty cache after each compute + torch.cuda.empty_cache() + + # restore random states + if self.device_mesh is not None: + self.gen_random_states = torch.cuda.get_rng_state() + torch.cuda.set_rng_state(self.torch_random_states) + + def preprocess_data(self, data: DataProto) -> DataProto: + # TODO: Current impl doesn't consider FSDP with torch micro-dp + data.batch = allgather_dict_tensors(data.batch.contiguous(), + size=vllm_ps.get_tensor_model_parallel_world_size(), + group=vllm_ps.get_tensor_model_parallel_group(), + dim=0) + + return data + + def postprocess_data(self, data: DataProto) -> DataProto: + # TODO: Current impl doesn't consider FSDP with torch micro-dp + broadcast_dict_tensor(data.batch, + src=vllm_ps.get_tensor_model_parallel_src_rank(), + group=vllm_ps.get_tensor_model_parallel_group()) + dp_rank = torch.distributed.get_rank() + dp_size = torch.distributed.get_world_size() # not consider torch micro-dp + tp_size = vllm_ps.get_tensor_model_parallel_world_size() + if tp_size > 1: + # TODO: shall we build a micro_dp group for vllm when integrating with vLLM? + local_prompts = data.chunk(chunks=tp_size) + data = local_prompts[dp_rank % tp_size] + return data diff --git a/verl/workers/sharding_manager/megatron_vllm.py b/verl/workers/sharding_manager/megatron_vllm.py new file mode 100644 index 00000000..bc07a5a6 --- /dev/null +++ b/verl/workers/sharding_manager/megatron_vllm.py @@ -0,0 +1,428 @@ +# Copyright 2024 Bytedance Ltd. and/or its affiliates +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +""" +This file contains a Megatron style Hybrid Engine that shares the weights of the actor with the inference engine. +""" + +import torch +import torch.distributed as dist + +from torch import nn + +from megatron.core import parallel_state as mpu +from megatron.core import DistributedDataParallel as LocalDDP +from megatron.core.transformer.module import Float16Module +from torch.nn.parallel.distributed import DistributedDataParallel as torchDDP +from verl.utils.megatron_utils import get_model, unwrap_model +from verl.utils.memory_buffer import ( + build_memory_buffer, + build_memory_reference_from_module, + get_weight_buffer_meta_from_module, +) + + +class AllGatherPPModel: + + def __init__(self, model_provider) -> None: + + self._pp_group = mpu.get_pipeline_model_parallel_group() + self._pp_rank = mpu.get_pipeline_model_parallel_rank() + self._pp_size = mpu.get_pipeline_model_parallel_world_size() + self._vpp_size = mpu.get_virtual_pipeline_model_parallel_world_size() + self._model_chunk_size = self._vpp_size or 1 + + # each one holds a list of model_chunks in this pp stage + self._pp_models = [None] * self.pp_size + + rank_list = list(range(self.pp_size)) + # make current rank the last one to initialize + rank_list[self.pp_rank], rank_list[-1] = rank_list[-1], rank_list[self.pp_rank] + self._this_rank_models = None + + # store the parameter of each pp stage + self.memory_buffers = [None] * self.pp_size + for cur_pp_rank in rank_list: + print( + f'create pp model', f'torch allocated {torch.cuda.memory_allocated() / 1e9:.4f} GB, ' + f'reserved {torch.cuda.memory_reserved() / 1e9:.4f} GB') + # since the last initialized rank is the current pp rank, after init, the pp rank is still correct + mpu.set_pipeline_model_parallel_rank(cur_pp_rank) + if cur_pp_rank != self.pp_rank: + models = get_model(model_provider, wrap_with_ddp=False) + models = nn.ModuleList(models) + assert len(models) == self._model_chunk_size, f"{len(models)} != {self._model_chunk_size}" + self.pp_models[cur_pp_rank] = models + else: + # for regular model, we wrapped it with DDP + models = get_model(model_provider) + assert len(models) == self._model_chunk_size, f"{len(models)} != {self._model_chunk_size}" + self._this_rank_models = nn.ModuleList(models) + self.pp_models[cur_pp_rank] = nn.ModuleList(unwrap_model(models, (torchDDP, LocalDDP))) + + self._build_param_buffer(cur_pp_rank) + self._build_param_references(cur_pp_rank, maintain_weight=cur_pp_rank == self.pp_rank) + + # TODO: after binding to the memory buffer, we can load the checkpoint here + if cur_pp_rank != self.pp_rank: + for model in self.pp_models[cur_pp_rank]: + model.eval() + self._offload_params_to_cpu(cur_pp_rank) + + def _build_param_buffer(self, pp_rank): + """Build the parameter buffer in each pp rank""" + model = self.pp_models[pp_rank] + weight_buffer_meta = get_weight_buffer_meta_from_module(model) + self.memory_buffers[pp_rank] = build_memory_buffer(weight_buffer_meta) + + def _build_param_references(self, pp_rank, maintain_weight=False): + model = self.pp_models[pp_rank] + build_memory_reference_from_module(model, self.memory_buffers[pp_rank], maintain_weight=maintain_weight) + + def _load_params_to_cuda(self, pp_rank, to_empty=False): + assert pp_rank != self.pp_rank, f"unexpected to load current pp rank [{pp_rank}] back to cuda" + for buffer in self.memory_buffers[pp_rank].values(): + if not to_empty: + buffer.data = buffer.data.to(torch.cuda.current_device(), non_blocking=True) + else: + buffer.data = torch.empty_like(buffer.data, device='cuda') + # rebuild reference after loading to CUDA + self._build_param_references(pp_rank) + + def _offload_params_to_cpu(self, pp_rank, to_empty=False): + assert pp_rank != self.pp_rank, f"unexpected to offload current pp rank [{pp_rank}] to cpu" + for buffer in self.memory_buffers[pp_rank].values(): + if not to_empty: + # offload the whole memory buffer to CPU + buffer.data = buffer.data.to('cpu', non_blocking=True) + else: + buffer.data = torch.empty_like(buffer.data, device='cpu') + self._build_param_references(pp_rank) + + def load_params_to_cuda(self, to_empty=False): + """load all model params to cuda""" + for cur_pp_rank in range(self.pp_size): + if cur_pp_rank != self.pp_rank: + self._load_params_to_cuda(cur_pp_rank, to_empty=to_empty) + + def allgather_params(self): + """allgather params of all pp ranks. Return a list of handles""" + for cur_pp_rank in range(self.pp_size): + global_src = dist.get_global_rank(group=self.pp_group, group_rank=cur_pp_rank) + + # NOTE(sgm): the async op may cause memory leakage of the memory_buffer/pp_models + for memory_buffer in self.memory_buffers[cur_pp_rank].values(): + dist.broadcast(tensor=memory_buffer.data, src=global_src, group=self.pp_group, async_op=False) + + def forward(self, *inputs, **kwargs): + try: + prev_output = None + for cur_chunk_rank in range(self._model_chunk_size): + if self._vpp_size: + mpu.set_virtual_pipeline_model_parallel_rank(cur_chunk_rank) + + for cur_pp_rank in range(self.pp_size): + mpu.set_pipeline_model_parallel_rank(cur_pp_rank) + self.pp_models[cur_pp_rank][cur_chunk_rank].set_input_tensor(prev_output) + ret = self.pp_models[cur_pp_rank][cur_chunk_rank](*inputs, **kwargs) + self.pp_models[cur_pp_rank][cur_chunk_rank].set_input_tensor(None) + prev_output = ret + finally: + if self._vpp_size: + mpu.set_virtual_pipeline_model_parallel_rank(0) + mpu.set_pipeline_model_parallel_rank(self.pp_rank) + return ret + + def __call__(self, *inputs, **kwargs): + return self.forward(*inputs, **kwargs) + + def eval(self): + for model in self.pp_models[self.pp_rank]: + model.eval() + + def train(self): + for model in self.pp_models[self.pp_rank]: + model.train() + + def offload_params_to_cpu(self, to_empty=False): + """offload params of models that are not of current pp rank to cpu""" + for cur_pp_rank in range(self.pp_size): + if cur_pp_rank != self.pp_rank: + self._offload_params_to_cpu(cur_pp_rank, to_empty=to_empty) + + def get_all_params(self): + """Get all the parameters of the models in all pp ranks + + Returns: + params: List[List[Dict[str, Tensor]]]: a list of parameters in all pp, where each is a list of dict + tensors of each model chunk + + """ + params = [] + for pp_rank in range(self.pp_size): + params.append([]) + for model_chunk_idx in range(len(self.pp_models[pp_rank])): + params[pp_rank].append({}) + pp_model = self.pp_models[pp_rank][model_chunk_idx] + pp_model = unwrap_model(pp_model, ((torchDDP, LocalDDP, Float16Module))) # not use Float16Module + for name, param in pp_model.named_parameters(): + # NOTE(gh) workaround: should not get lora params for inference + if 'lora' in name: + continue + params[pp_rank][model_chunk_idx][name] = param + + return params + + def update_this_rank_models(self, new_models): + self._this_rank_models = new_models + self._pp_models[self.pp_rank] = unwrap_model(new_models, (torchDDP, LocalDDP)) + + @property + def this_rank_models(self): + return self._this_rank_models + + @property + def pp_size(self): + return self._pp_size + + @property + def pp_rank(self): + return self._pp_rank + + @property + def pp_group(self): + return self._pp_group + + @property + def pp_models(self): + return self._pp_models + + +""" +Megatron Hybrid Engine: +- During training, only the current pp stage holds the parameters +- Before inference, broadcast the parameters of the current pp rank to all other pp ranks (all pp ranks holds all the parameters) +- Bind the parameters to the inference engine +- Do inference in tp. pp is treated as additional dp +- After inference, all the parameters that doesn't belong to this pp rank is freed. +""" + +from .base import BaseShardingManager + +import torch +from torch import nn +import torch.distributed +from torch.distributed import new_group + +from verl import DataProto +from verl.utils.torch_functional import (broadcast_dict_tensor, allgather_dict_tensors) +import verl.utils.megatron.tensor_parallel as tp_utils +from verl.third_party.vllm import parallel_state as vllm_ps +from verl.third_party.vllm import LLM +from verl.utils.model import normalize_pp_vpp_params +# Micro Data parallel group. Micro data parallel group is additional dp group that origins from splitting training tp +# into infer_tp and micro_tp. By default, we use order micro_dp - tp +_MICRO_DATA_PARALLEL_GROUP = None + + +class MegatronVLLMShardingManager(BaseShardingManager): + + def __init__(self, module: AllGatherPPModel, inference_engine: LLM, model_config, layer_name_mapping): + self.module = module + self.inference_engine = inference_engine + self.model_config = model_config + self.layer_name_mapping = layer_name_mapping + + # initialize micro_dp group for vllm inference + global _MICRO_DATA_PARALLEL_GROUP + world_size = torch.distributed.get_world_size() + rank = torch.distributed.get_rank() + train_tensor_parallel_size = mpu.get_tensor_model_parallel_world_size() + infer_tensor_parallel_size = vllm_ps.get_tensor_model_parallel_world_size() + + # TODO(sgm): this may not be true for FSDP -> vLLM + assert infer_tensor_parallel_size <= train_tensor_parallel_size, \ + 'Not implemented for infer_tp > train_tp' + assert train_tensor_parallel_size % infer_tensor_parallel_size == 0 + + micro_dp_size = train_tensor_parallel_size // infer_tensor_parallel_size + num_micro_dp_groups = world_size // micro_dp_size + assert _MICRO_DATA_PARALLEL_GROUP is None, ("micro data parallel group is already initialized") + for i in range(num_micro_dp_groups): + ranks = range(i * micro_dp_size, (i + 1) * micro_dp_size) + group = new_group(ranks=ranks) + if rank in ranks: + _MICRO_DATA_PARALLEL_GROUP = group + + def default_tp_concat_fn(self, name, param, infer_params, model_config): + """ + name: name of the parameter + param: training parameters + infer_params (List[torch.Tensor]): a list of parameters all-gathered from micro_dp_group + model_config: huggingface model_config + TODO(zhangchi.usc1992): currently, the implementation is adhoc. We can move this function to the model + definition so that it is model-agnostic. If the model doesn't implement this function, + we can throw an error to force user disable TP HybridEngine. + """ + + if self.layer_name_mapping.get("qkv_layer_name") in name: + # if the tensor is qkv, for each param on tp, split into q, k, v + # concat q, k, v separately. + q_lst = [] + k_lst = [] + v_lst = [] + assert model_config.num_attention_heads % model_config.num_key_value_heads == 0 + num_q_per_kv = model_config.num_attention_heads // model_config.num_key_value_heads + assert infer_params[0].shape[0] % (num_q_per_kv + 2) == 0 + kv_size_per_tp = infer_params[0].shape[0] // (num_q_per_kv + 2) + split_size = [kv_size_per_tp * num_q_per_kv, kv_size_per_tp, kv_size_per_tp] + for infer_param in infer_params: + q, k, v = infer_param.split(split_size) + q_lst.append(q) + k_lst.append(k) + v_lst.append(v) + q = torch.cat(q_lst, dim=0) + k = torch.cat(k_lst, dim=0) + v = torch.cat(v_lst, dim=0) + + infer_params = torch.cat((q, k, v), dim=0) + + elif self.layer_name_mapping.get("gate_proj_layer_name") in name: + # if the tensor is gate and proj + gate_lst = [] + up_lst = [] + for infer_param in infer_params: + gate, up = infer_param.chunk(2) + gate_lst.append(gate) + up_lst.append(up) + gate = torch.cat(gate_lst, dim=0) + up = torch.cat(up_lst, dim=0) + infer_params = torch.cat((gate, up), dim=0) + + else: + # concat tensor + infer_params = torch.cat(infer_params, dim=tp_utils.get_tensor_parallel_partition_dim(param)) + + return infer_params + + def _post_process_params(self, params): + """ + For each param, if it is a tp-splited param, we all-gather from micro_dp group. + """ + # here the params are in train tp format. we iterate params and all-gather + # TODO(zhangchi.usc1992) We can consider copy non-tp weight to another infer buffer. + # In this way, all the params in the original memory_buffers and can be offload. + micro_dp_size = get_micro_data_parallel_world_size() + micro_dp_group = get_micro_data_parallel_group() + + if micro_dp_size <= 1: + return + + origin_params = {} + for name in params.keys(): + param = params[name] + if tp_utils.is_tensor_parallel_param(param): + # allocate a new tensor with proper size + infer_params = [torch.empty_like(param) for _ in range(micro_dp_size)] + torch.distributed.all_gather(infer_params, param, group=micro_dp_group) + infer_params = self.default_tp_concat_fn(name, param, infer_params, self.model_config) + # replace with original param + params[name] = infer_params + origin_params[name] = param + + return origin_params + + def __enter__(self): + # create a new cuda space for parameters not in this pp rank + self.module.load_params_to_cuda() + # broadcast the parameters from pp rank to other ranks + self.module.allgather_params() + # obtain name to parameters in pp/vpp + params = self.module.get_all_params() + + # bind the params to inference engine + self.params = normalize_pp_vpp_params(params=params, + num_hidden_layers=self.model_config.num_hidden_layers, + layer_name='layers') + self.origin_params = self._post_process_params(self.params) + self.inference_engine.sync_model_weights(self.params, load_format='megatron') + + def __exit__(self, exc_type, exc_value, traceback): + # offload parameters doesn't belong to this pp rank + self.module.offload_params_to_cpu() + + # FIXME(sgm): the best practice is to delete the cuda tensor + # rebind the model weights, can be any cpu tensor + if get_micro_data_parallel_world_size() > 1: + for name in self.params.keys(): + self.params[name] = self.origin_params[name] + + # self.inference_engine.sync_model_weights(params) + self.inference_engine.offload_model_weights() + + self.module.train() + + # add empty cache after each compute + torch.cuda.empty_cache() + + def preprocess_data(self, data: DataProto) -> DataProto: + # prompts are identical for each training tp. We select for each inference tp + micro_dp_size = get_micro_data_parallel_world_size() + micro_dp_rank = get_micro_data_parallel_rank() + + # broadcast from tp=0 to other tp ranks + broadcast_dict_tensor(data.batch, + src=mpu.get_tensor_model_parallel_src_rank(), + group=mpu.get_tensor_model_parallel_group()) + + if micro_dp_size > 1: + local_prompts = data.chunk(chunks=micro_dp_size) + data = local_prompts[micro_dp_rank] + + return data + + def postprocess_data(self, data: DataProto) -> DataProto: + meta_info = data.meta_info + # all gather batch among micro-dp groups + micro_dp_size = get_micro_data_parallel_world_size() + if micro_dp_size > 1: + data.batch = allgather_dict_tensors(data.batch.contiguous(), + size=get_micro_data_parallel_world_size(), + group=get_micro_data_parallel_group(), + dim=0) + + # all gather batch among pp group + if meta_info.get('allgather_pp_output', True): + data.batch = allgather_dict_tensors(data.batch.contiguous(), + size=mpu.get_pipeline_model_parallel_world_size(), + group=mpu.get_pipeline_model_parallel_group(), + dim=0) + return data + + +""" +Micro Data parallel group +""" + + +def get_micro_data_parallel_group(): + assert _MICRO_DATA_PARALLEL_GROUP is not None + return _MICRO_DATA_PARALLEL_GROUP + + +def get_micro_data_parallel_world_size(): + return torch.distributed.get_world_size(group=get_micro_data_parallel_group()) + + +def get_micro_data_parallel_rank(): + return torch.distributed.get_rank(group=get_micro_data_parallel_group()) diff --git a/webshop_tot b/webshop_tot deleted file mode 160000 index 6ce4b3e5..00000000 --- a/webshop_tot +++ /dev/null @@ -1 +0,0 @@ -Subproject commit 6ce4b3e5e447e2f30286670c1c8e725d711824f4